From 459fc3a17b46ce7c415bb2baa267a399807681cc Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Tue, 14 Oct 2025 22:51:04 -0400 Subject: [PATCH 01/11] Adding an experimental SMT backend --- .gitignore | 2 + BACKENDS.md | 122 ++++++++++ CHANGELOG.md | 8 + README.md | 16 +- examples/backend_comparison.py | 78 +++++++ examples/batch_evaluation_smt2_azure.py | 60 +++++ pyproject.toml | 48 ++++ setup.py | 62 +++++ tests/fixtures/simple_test.smt2 | 10 + z3dsl/__init__.py | 4 +- z3dsl/_version.py | 3 + z3dsl/backends/__init__.py | 7 + z3dsl/backends/abstract.py | 67 ++++++ z3dsl/backends/json_backend.py | 91 ++++++++ z3dsl/backends/smt2_backend.py | 159 +++++++++++++ z3dsl/reasoning/evaluation.py | 235 +++++++++++++------ z3dsl/reasoning/program_generator.py | 140 ++++++++++-- z3dsl/reasoning/proof_of_thought.py | 60 +++-- z3dsl/reasoning/smt2_prompt_template.py | 292 ++++++++++++++++++++++++ 19 files changed, 1351 insertions(+), 113 deletions(-) create mode 100644 BACKENDS.md create mode 100644 CHANGELOG.md create mode 100644 examples/backend_comparison.py create mode 100644 examples/batch_evaluation_smt2_azure.py create mode 100644 setup.py create mode 100644 tests/fixtures/simple_test.smt2 create mode 100644 z3dsl/_version.py create mode 100644 z3dsl/backends/__init__.py create mode 100644 z3dsl/backends/abstract.py create mode 100644 z3dsl/backends/json_backend.py create mode 100644 z3dsl/backends/smt2_backend.py create mode 100644 z3dsl/reasoning/smt2_prompt_template.py diff --git a/.gitignore b/.gitignore index 316f82c..2fe7747 100644 --- a/.gitignore +++ b/.gitignore @@ -1,3 +1,5 @@ +outputs/* + # Byte-compiled / optimized / DLL files __pycache__/ *.py[codz] diff --git a/BACKENDS.md b/BACKENDS.md new file mode 100644 index 0000000..516bcc2 --- /dev/null +++ b/BACKENDS.md @@ -0,0 +1,122 @@ +# Backend System + +ProofOfThought now supports multiple execution backends for Z3 theorem proving. + +## Available Backends + +### 1. SMT2 Backend (Default) + +The SMT2 backend generates programs in SMT-LIB 2.0 format and executes them via the Z3 command-line interface. + +**Advantages:** +- Standard SMT-LIB 2.0 format (portable to other solvers) +- Direct Z3 CLI execution (no Python interpreter overhead) +- Programs can be run standalone with `z3 program.smt2` + +**Usage:** +```python +from z3dsl.reasoning import ProofOfThought + +pot = ProofOfThought( + llm_client=client, + backend="smt2", # default + z3_path="z3" # optional: specify Z3 executable path +) +result = pot.query("Can fish breathe underwater?") +``` + +### 2. JSON Backend + +The JSON backend uses a custom JSON DSL that is parsed by Python and executed via the Z3 Python API. + +**Advantages:** +- More structured and easier for LLMs to generate correctly +- Better error messages and debugging +- Richer DSL features (optimization, complex rules) + +**Usage:** +```python +from z3dsl.reasoning import ProofOfThought + +pot = ProofOfThought( + llm_client=client, + backend="json" +) +result = pot.query("Can fish breathe underwater?") +``` + +## How It Works + +1. **Program Generation**: The LLM generates programs in the format specified by the backend + - JSON backend: Uses `z3dsl.reasoning.prompt_template` + - SMT2 backend: Uses `z3dsl.reasoning.smt2_prompt_template` + +2. **Execution**: Programs are saved to temporary files and executed + - JSON backend: Parsed and executed via `z3dsl.interpreter.Z3JSONInterpreter` + - SMT2 backend: Executed via Z3 CLI subprocess + +3. **Result Parsing**: Both backends return a `VerificationResult` with: + - `answer`: `True` (SAT), `False` (UNSAT), or `None` (ambiguous/error) + - `sat_count`: Number of SAT results + - `unsat_count`: Number of UNSAT results + - `output`: Raw execution output + +## Backend Selection + +Choose your backend based on your needs: + +- **Use SMT2** (default) if you want: + - Standard SMT-LIB 2.0 format + - Portability to other SMT solvers + - Standalone executable programs + +- **Use JSON** if you want: + - Better LLM generation reliability + - Richer DSL features + - Better debugging and error messages + +## Example: Comparing Backends + +```python +from azure_config import get_client_config +from z3dsl.reasoning import ProofOfThought + +config = get_client_config() +question = "Can fish breathe underwater?" + +# JSON backend +pot_json = ProofOfThought(llm_client=config["llm_client"], backend="json") +result_json = pot_json.query(question) + +# SMT2 backend +pot_smt2 = ProofOfThought(llm_client=config["llm_client"], backend="smt2") +result_smt2 = pot_smt2.query(question) + +print(f"JSON answer: {result_json.answer}") +print(f"SMT2 answer: {result_smt2.answer}") +``` + +See `examples/backend_comparison.py` for a complete example. + +## File Extensions + +- JSON programs: `.json` +- SMT2 programs: `.smt2` + +Programs can be saved using `save_program=True` in the `query()` method. + +## Architecture + +The backend system follows an abstract interface pattern: + +``` +z3dsl/backends/ +├── abstract.py # Backend interface +├── json_backend.py # JSON DSL backend +└── smt2_backend.py # SMT-LIB 2.0 backend +``` + +Each backend implements: +- `execute(program_path)`: Run a program and return results +- `get_file_extension()`: Get the file extension (.json or .smt2) +- `get_prompt_template()`: Get the LLM prompt for program generation diff --git a/CHANGELOG.md b/CHANGELOG.md new file mode 100644 index 0000000..5c03e56 --- /dev/null +++ b/CHANGELOG.md @@ -0,0 +1,8 @@ +# Changelog + +All notable changes to this project will be documented in this file. + +The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/), +and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). + +## [1.0.0] - TBD diff --git a/README.md b/README.md index 37e916a..238b863 100644 --- a/README.md +++ b/README.md @@ -34,12 +34,26 @@ print(f"Accuracy: {result.metrics.accuracy:.2%}") pip install z3-solver openai scikit-learn numpy ``` +## Backend Selection + +ProofOfThought supports two execution backends: + +```python +# SMT2 backend (default) - Standard SMT-LIB 2.0 via Z3 CLI +pot = ProofOfThought(llm_client=client, backend="smt2") + +# JSON backend - Custom DSL via Python Z3 API +pot = ProofOfThought(llm_client=client, backend="json") +``` + +See [BACKENDS.md](BACKENDS.md) for details on choosing a backend. + ## Architecture The system has two layers: 1. **High-level API** (`z3dsl.reasoning`) - Simple Python interface for reasoning tasks -2. **Low-level DSL** (`z3dsl`) - JSON-based Z3 theorem prover interface +2. **Low-level execution** (`z3dsl.backends`) - JSON DSL or SMT2 backend for Z3 Most users should use the high-level API. diff --git a/examples/backend_comparison.py b/examples/backend_comparison.py new file mode 100644 index 0000000..bc03ef6 --- /dev/null +++ b/examples/backend_comparison.py @@ -0,0 +1,78 @@ +#!/usr/bin/env python3 +""" +Compare JSON and SMT2 backends with ProofOfThought. + +This example demonstrates using both backends on the same question. +""" + +import logging +import sys +from pathlib import Path + +# Add parent directory to path for z3dsl imports +sys.path.insert(0, str(Path(__file__).parent.parent)) + +# Import Azure configuration helper +from azure_config import get_client_config + +from z3dsl.reasoning import ProofOfThought + +# Configure logging +logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") + +# Get Azure GPT-5 configuration +config = get_client_config() + +# Test question +question = "Can fish breathe underwater?" + +print("=" * 80) +print("BACKEND COMPARISON: JSON vs SMT2") +print("=" * 80) + +# Test with JSON backend +print("\n[1/2] Testing JSON Backend") +print("-" * 80) +pot_json = ProofOfThought(llm_client=config["llm_client"], model=config["model"], backend="json") + +result_json = pot_json.query(question, save_program=True) +print(f"Question: {question}") +print(f"Answer: {result_json.answer}") +print(f"Success: {result_json.success}") +print(f"Attempts: {result_json.num_attempts}") +print(f"SAT count: {result_json.sat_count}") +print(f"UNSAT count: {result_json.unsat_count}") + +if not result_json.success: + print(f"Error: {result_json.error}") + sys.exit(1) + +# Test with SMT2 backend +print("\n[2/2] Testing SMT2 Backend") +print("-" * 80) +pot_smt2 = ProofOfThought(llm_client=config["llm_client"], model=config["model"], backend="smt2") + +result_smt2 = pot_smt2.query(question, save_program=True) +print(f"Question: {question}") +print(f"Answer: {result_smt2.answer}") +print(f"Success: {result_smt2.success}") +print(f"Attempts: {result_smt2.num_attempts}") +print(f"SAT count: {result_smt2.sat_count}") +print(f"UNSAT count: {result_smt2.unsat_count}") + +if not result_smt2.success: + print(f"Error: {result_smt2.error}") + sys.exit(1) + +# Compare results +print("\n" + "=" * 80) +print("COMPARISON") +print("=" * 80) +print(f"JSON Answer: {result_json.answer}") +print(f"SMT2 Answer: {result_smt2.answer}") +print(f"Answers Match: {result_json.answer == result_smt2.answer}") + +if result_json.answer == result_smt2.answer: + print("\n✓ Both backends produced the same answer!") +else: + print("\n✗ WARNING: Backends produced different answers!") diff --git a/examples/batch_evaluation_smt2_azure.py b/examples/batch_evaluation_smt2_azure.py new file mode 100644 index 0000000..9a582c9 --- /dev/null +++ b/examples/batch_evaluation_smt2_azure.py @@ -0,0 +1,60 @@ +#!/usr/bin/env python3 +"""Example: Batch evaluation on StrategyQA using SMT2 backend with Azure OpenAI.""" + +import logging +import sys +from pathlib import Path + +# Add parent directory to path for z3dsl imports +sys.path.insert(0, str(Path(__file__).parent.parent)) + +from azure_config import get_client_config + +from z3dsl.reasoning import EvaluationPipeline, ProofOfThought + +# Configure logging +logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") + +# Get Azure OpenAI configuration +config = get_client_config() + +# Create ProofOfThought instance with SMT2 backend +pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", # ← Use SMT2 backend + max_attempts=3, + cache_dir="output/programs_smt2", + z3_path="z3", +) + +# Create evaluation pipeline with 10 parallel workers +evaluator = EvaluationPipeline( + proof_of_thought=pot, + output_dir="output/evaluation_results_smt2", + num_workers=10, # Run 10 LLM generations in parallel +) + +# Run evaluation +result = evaluator.evaluate( + dataset="examples/strategyQA_train.json", + question_field="question", + answer_field="answer", + id_field="qid", + max_samples=100, + skip_existing=True, +) + +# Print results +print("\n" + "=" * 80) +print("EVALUATION METRICS (SMT2 Backend + Azure GPT-5)") +print("=" * 80) +print(f"Total Samples: {result.metrics.total_samples}") +print(f"Correct: {result.metrics.correct_answers}") +print(f"Wrong: {result.metrics.wrong_answers}") +print(f"Failed: {result.metrics.failed_answers}") +print() +print(f"Accuracy: {result.metrics.accuracy:.2%}") +print(f"Precision: {result.metrics.precision:.4f}") +print(f"Recall: {result.metrics.recall:.4f}") +print(f"F1 Score: {result.metrics.f1_score:.4f}") diff --git a/pyproject.toml b/pyproject.toml index 6b77be5..8465f26 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -1,3 +1,51 @@ +[build-system] +requires = ["setuptools>=61.0", "wheel"] +build-backend = "setuptools.build_meta" + +[project] +name = "proofofthought" +version = "1.0.0" +description = "LLM-based reasoning using Z3 theorem proving" +readme = "README.md" +authors = [ + {name = "Debargha Ganguly", email = "debargha@case.edu"} +] +license = {text = "MIT"} +classifiers = [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: Science/Research", + "License :: OSI Approved :: MIT License", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.12", + "Topic :: Scientific/Engineering :: Artificial Intelligence", + "Topic :: Software Development :: Libraries :: Python Modules", +] +keywords = ["llm", "reasoning", "z3", "theorem-proving", "smt", "ai"] +requires-python = ">=3.12" +dependencies = [ + "z3-solver>=4.15.0", + "openai>=2.0.0", + "scikit-learn>=1.7.0", + "numpy>=2.3.0", + "python-dotenv>=1.0.0", +] + +[project.optional-dependencies] +dev = [ + "black>=25.9.0", + "ruff>=0.13.0", + "mypy>=1.18.0", + "pre-commit>=4.3.0", + "pytest>=8.0.0", +] + +[project.urls] +Homepage = "https://github.com/debarghaG/proofofthought" +Documentation = "https://github.com/debarghaG/proofofthought#readme" +Repository = "https://github.com/debarghaG/proofofthought" +"Bug Tracker" = "https://github.com/debarghaG/proofofthought/issues" + [tool.black] line-length = 100 target-version = ["py312"] diff --git a/setup.py b/setup.py new file mode 100644 index 0000000..98aedec --- /dev/null +++ b/setup.py @@ -0,0 +1,62 @@ +#!/usr/bin/env python3 +"""Setup script for ProofOfThought. + +This setup.py is provided for backward compatibility. +Modern installations should use pyproject.toml with pip install. +""" + + +# Read version from package +__version__ = "1.0.0" + +# Read long description from README +with open("README.md", encoding="utf-8") as f: + long_description = f.read() + +# To be completed + +# setup( +# name="proofofthought", +# version=__version__, +# description="LLM-based reasoning using Z3 theorem proving", +# long_description=long_description, +# long_description_content_type="text/markdown", +# author="Debargha Ganguly", +# author_email="debargha@case.edu", +# url="https://github.com/debarghaG/proofofthought", +# license="MIT", +# packages=find_packages(exclude=["tests", "tests.*", "examples", "examples.*"]), +# python_requires=">=3.12", +# install_requires=[ +# "z3-solver>=4.15.0", +# "openai>=2.0.0", +# "scikit-learn>=1.7.0", +# "numpy>=2.3.0", +# "python-dotenv>=1.0.0", +# ], +# extras_require={ +# "dev": [ +# "black>=25.9.0", +# "ruff>=0.13.0", +# "mypy>=1.18.0", +# "pre-commit>=4.3.0", +# "pytest>=8.0.0", +# ], +# }, +# classifiers=[ +# "Development Status :: 4 - Beta", +# "Intended Audience :: Developers", +# "Intended Audience :: Science/Research", +# "License :: OSI Approved :: MIT License", +# "Programming Language :: Python :: 3", +# "Programming Language :: Python :: 3.12", +# "Topic :: Scientific/Engineering :: Artificial Intelligence", +# "Topic :: Software Development :: Libraries :: Python Modules", +# ], +# keywords="llm reasoning z3 theorem-proving smt ai", +# project_urls={ +# "Documentation": "https://github.com/debarghaG/proofofthought#readme", +# "Source": "https://github.com/debarghaG/proofofthought", +# "Bug Tracker": "https://github.com/debarghaG/proofofthought/issues", +# }, +# ) diff --git a/tests/fixtures/simple_test.smt2 b/tests/fixtures/simple_test.smt2 new file mode 100644 index 0000000..17fa022 --- /dev/null +++ b/tests/fixtures/simple_test.smt2 @@ -0,0 +1,10 @@ +; Simple SMT2 test - check if 2 > 1 +(declare-const x Int) +(declare-const y Int) + +(assert (= x 2)) +(assert (= y 1)) +(assert (> x y)) + +(check-sat) +(get-model) diff --git a/z3dsl/__init__.py b/z3dsl/__init__.py index 90d1f09..a26907f 100644 --- a/z3dsl/__init__.py +++ b/z3dsl/__init__.py @@ -1,8 +1,8 @@ """Z3 DSL Interpreter - A JSON-based DSL for Z3 theorem prover.""" +from z3dsl._version import __version__ from z3dsl.interpreter import Z3JSONInterpreter from z3dsl.solvers.abstract import AbstractSolver from z3dsl.solvers.z3_solver import Z3Solver -__version__ = "1.0.0" -__all__ = ["Z3JSONInterpreter", "AbstractSolver", "Z3Solver"] +__all__ = ["Z3JSONInterpreter", "AbstractSolver", "Z3Solver", "__version__"] diff --git a/z3dsl/_version.py b/z3dsl/_version.py new file mode 100644 index 0000000..1e2e5af --- /dev/null +++ b/z3dsl/_version.py @@ -0,0 +1,3 @@ +"""Version information for z3dsl package.""" + +__version__ = "1.0.0" diff --git a/z3dsl/backends/__init__.py b/z3dsl/backends/__init__.py new file mode 100644 index 0000000..96dee35 --- /dev/null +++ b/z3dsl/backends/__init__.py @@ -0,0 +1,7 @@ +"""Backend implementations for Z3 DSL execution.""" + +from z3dsl.backends.abstract import Backend +from z3dsl.backends.json_backend import JSONBackend +from z3dsl.backends.smt2_backend import SMT2Backend + +__all__ = ["Backend", "JSONBackend", "SMT2Backend"] diff --git a/z3dsl/backends/abstract.py b/z3dsl/backends/abstract.py new file mode 100644 index 0000000..b14c2e8 --- /dev/null +++ b/z3dsl/backends/abstract.py @@ -0,0 +1,67 @@ +"""Abstract backend interface for Z3 DSL execution.""" + +from abc import ABC, abstractmethod +from dataclasses import dataclass + + +@dataclass +class VerificationResult: + """Result of Z3 verification execution.""" + + answer: bool | None # True (SAT), False (UNSAT), or None (ambiguous/error) + sat_count: int + unsat_count: int + output: str + success: bool + error: str | None = None + + +class Backend(ABC): + """Abstract base class for Z3 DSL execution backends.""" + + @abstractmethod + def execute(self, program_path: str) -> VerificationResult: + """Execute a program and return verification results. + + Args: + program_path: Path to the program file + + Returns: + VerificationResult with answer and execution details + """ + pass + + @abstractmethod + def get_file_extension(self) -> str: + """Get the file extension for this backend's programs. + + Returns: + File extension including dot (e.g., ".json", ".smt2") + """ + pass + + @abstractmethod + def get_prompt_template(self) -> str: + """Get the prompt template for LLM program generation. + + Returns: + Prompt template string + """ + pass + + def determine_answer(self, sat_count: int, unsat_count: int) -> bool | None: + """Determine boolean answer from SAT/UNSAT counts. + + Args: + sat_count: Number of SAT occurrences + unsat_count: Number of UNSAT occurrences + + Returns: + True if SAT only, False if UNSAT only, None if ambiguous + """ + if sat_count > 0 and unsat_count == 0: + return True + elif unsat_count > 0 and sat_count == 0: + return False + else: + return None diff --git a/z3dsl/backends/json_backend.py b/z3dsl/backends/json_backend.py new file mode 100644 index 0000000..0794681 --- /dev/null +++ b/z3dsl/backends/json_backend.py @@ -0,0 +1,91 @@ +"""JSON DSL backend using Python Z3 API.""" + +import io +import logging +from contextlib import redirect_stderr, redirect_stdout + +from z3dsl.backends.abstract import Backend, VerificationResult +from z3dsl.interpreter import Z3JSONInterpreter +from z3dsl.reasoning.prompt_template import DSL_INSTRUCTIONS + +logger = logging.getLogger(__name__) + + +class JSONBackend(Backend): + """Backend for executing JSON DSL programs via Python Z3 API.""" + + def __init__(self, verify_timeout: int = 10000, optimize_timeout: int = 100000) -> None: + """Initialize JSON backend. + + Args: + verify_timeout: Timeout for verification in milliseconds + optimize_timeout: Timeout for optimization in milliseconds + """ + self.verify_timeout = verify_timeout + self.optimize_timeout = optimize_timeout + + def execute(self, program_path: str) -> VerificationResult: + """Execute a JSON DSL program. + + Args: + program_path: Path to JSON program file + + Returns: + VerificationResult with answer and execution details + """ + try: + # Capture stdout and stderr for output logging + stdout_capture = io.StringIO() + stderr_capture = io.StringIO() + + with redirect_stdout(stdout_capture), redirect_stderr(stderr_capture): + interpreter = Z3JSONInterpreter( + program_path, + verify_timeout=self.verify_timeout, + optimize_timeout=self.optimize_timeout, + ) + interpreter.run() + + # Get structured verification counts from interpreter + sat_count, unsat_count = interpreter.get_verification_counts() + + # Combine output for logging + full_output = stdout_capture.getvalue() + stderr_capture.getvalue() + + # Determine answer based on verification results + answer = self.determine_answer(sat_count, unsat_count) + + return VerificationResult( + answer=answer, + sat_count=sat_count, + unsat_count=unsat_count, + output=full_output, + success=True, + ) + + except Exception as e: + logger.error(f"Error executing JSON program: {e}") + return VerificationResult( + answer=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + error=str(e), + ) + + def get_file_extension(self) -> str: + """Get the file extension for JSON programs. + + Returns: + ".json" + """ + return ".json" + + def get_prompt_template(self) -> str: + """Get the prompt template for JSON DSL generation. + + Returns: + JSON DSL prompt template + """ + return DSL_INSTRUCTIONS diff --git a/z3dsl/backends/smt2_backend.py b/z3dsl/backends/smt2_backend.py new file mode 100644 index 0000000..82478ef --- /dev/null +++ b/z3dsl/backends/smt2_backend.py @@ -0,0 +1,159 @@ +"""SMT2 backend using Z3 command-line interface.""" + +import logging +import re +import shutil +import subprocess + +from z3dsl.backends.abstract import Backend, VerificationResult +from z3dsl.reasoning.smt2_prompt_template import SMT2_INSTRUCTIONS + +logger = logging.getLogger(__name__) + + +class SMT2Backend(Backend): + """Backend for executing SMT2 programs via Z3 CLI.""" + + def __init__(self, verify_timeout: int = 10000, z3_path: str = "z3") -> None: + """Initialize SMT2 backend. + + Args: + verify_timeout: Timeout for verification in milliseconds + z3_path: Path to Z3 executable (default: "z3" from PATH) + + Raises: + FileNotFoundError: If Z3 executable is not found + """ + self.verify_timeout = verify_timeout + self.z3_path = z3_path + + # Validate Z3 is available + if not shutil.which(z3_path): + raise FileNotFoundError( + f"Z3 executable not found: '{z3_path}'\n" + f"Please install Z3:\n" + f" - pip install z3-solver\n" + f" - Or download from: https://github.com/Z3Prover/z3/releases\n" + f" - Or specify custom path: SMT2Backend(z3_path='/path/to/z3')" + ) + + def execute(self, program_path: str) -> VerificationResult: + """Execute an SMT2 program via Z3 CLI. + + Args: + program_path: Path to SMT2 program file + + Returns: + VerificationResult with answer and execution details + """ + try: + # Convert timeout from milliseconds to seconds for Z3 + timeout_seconds = self.verify_timeout // 1000 + + # Run Z3 on the SMT2 file + # -T:timeout sets soft timeout in seconds + # -smt2 ensures SMT2 mode (usually auto-detected from extension) + result = subprocess.run( + [self.z3_path, f"-T:{timeout_seconds}", program_path], + capture_output=True, + text=True, + timeout=timeout_seconds + 10, # Hard timeout slightly longer + ) + + output = result.stdout + result.stderr + + # Parse Z3 output for sat/unsat + sat_count, unsat_count = self._parse_z3_output(output) + + # Determine answer + answer = self.determine_answer(sat_count, unsat_count) + + return VerificationResult( + answer=answer, + sat_count=sat_count, + unsat_count=unsat_count, + output=output, + success=True, + ) + + except subprocess.TimeoutExpired: + error_msg = ( + f"Z3 execution timed out after {timeout_seconds}s. " + f"The SMT2 program may be too complex or contain an infinite loop. " + f"Try increasing the timeout or simplifying the problem." + ) + logger.error(error_msg) + return VerificationResult( + answer=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + error=error_msg, + ) + except FileNotFoundError: + error_msg = ( + f"Z3 executable not found: '{self.z3_path}'\n" + f"This error should have been caught during initialization. " + f"Z3 may have been removed or PATH changed." + ) + logger.error(error_msg) + return VerificationResult( + answer=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + error=error_msg, + ) + except Exception as e: + error_msg = f"Error executing SMT2 program: {e}\nProgram path: {program_path}" + logger.error(error_msg) + return VerificationResult( + answer=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + error=error_msg, + ) + + def _parse_z3_output(self, output: str) -> tuple[int, int]: + """Parse Z3 output to count sat/unsat results. + + Args: + output: Raw Z3 output text + + Returns: + Tuple of (sat_count, unsat_count) + """ + # Count occurrences of sat/unsat in output + # Use negative lookbehind to exclude "unsat" from "sat" matches + # Pattern: match "sat" only when NOT preceded by "un" + sat_pattern = r"(? str: + """Get the file extension for SMT2 programs. + + Returns: + ".smt2" + """ + return ".smt2" + + def get_prompt_template(self) -> str: + """Get the prompt template for SMT2 generation. + + Returns: + SMT2 prompt template + """ + return SMT2_INSTRUCTIONS diff --git a/z3dsl/reasoning/evaluation.py b/z3dsl/reasoning/evaluation.py index 2741837..1d4c3ab 100644 --- a/z3dsl/reasoning/evaluation.py +++ b/z3dsl/reasoning/evaluation.py @@ -3,6 +3,7 @@ import json import logging import os +from concurrent.futures import as_completed from dataclasses import dataclass, field from typing import Any @@ -57,17 +58,91 @@ def __init__( self, proof_of_thought: ProofOfThought, output_dir: str = "evaluation_results", + num_workers: int = 1, ) -> None: """Initialize evaluation pipeline. Args: proof_of_thought: ProofOfThought instance output_dir: Directory to save evaluation results + num_workers: Number of parallel workers (default: 1, set to >1 for multiprocessing) """ self.pot = proof_of_thought self.output_dir = output_dir + self.num_workers = num_workers os.makedirs(output_dir, exist_ok=True) + def _process_sample( + self, + sample: dict[str, Any], + idx: int, + total: int, + question_field: str, + answer_field: str, + id_field: str | None, + skip_existing: bool, + ) -> tuple[dict[str, Any], QueryResult | None]: + """Process a single sample (used for parallel processing). + + Args: + sample: Sample data + idx: Sample index + total: Total number of samples + question_field: Field name for question + answer_field: Field name for answer + id_field: Field name for sample ID + skip_existing: Whether to skip existing results + + Returns: + Tuple of (result_data, QueryResult) + """ + # Extract fields + question = sample[question_field] + ground_truth = sample[answer_field] + sample_id = sample.get(id_field) if id_field else f"sample_{idx}" + + logger.info(f"[{idx+1}/{total}] Processing: {sample_id}") + + # Check if already processed + result_path = os.path.join(self.output_dir, f"{sample_id}_result.json") + if skip_existing and os.path.exists(result_path): + logger.info(f"Skipping {sample_id} (already processed)") + try: + with open(result_path) as f: + cached = json.load(f) + return cached, None + except Exception as e: + logger.warning(f"Failed to load cached result: {e}") + + # Query the system (get correct file extension from backend) + file_ext = self.pot.backend.get_file_extension() + result = self.pot.query( + question=question, + save_program=True, + program_path=os.path.join(self.output_dir, f"{sample_id}_program{file_ext}"), + ) + + # Create result data + result_data = { + "sample_id": sample_id, + "question": question, + "ground_truth": ground_truth, + "answer": result.answer, + "success": result.success, + "num_attempts": result.num_attempts, + "sat_count": result.sat_count, + "unsat_count": result.unsat_count, + "error": result.error, + } + + # Save result + with open(result_path, "w") as f: + json.dump(result_data, f, indent=2) + + logger.info(f"Completed {sample_id}: {result.answer} (success={result.success})") + + return result_data, result + def evaluate( self, dataset: list[dict[str, Any]] | str, @@ -102,7 +177,7 @@ def evaluate( if max_samples: dataset_list = dataset_list[:max_samples] - logger.info(f"Evaluating {len(dataset_list)} samples") + logger.info(f"Evaluating {len(dataset_list)} samples with {self.num_workers} workers") results = [] y_true = [] @@ -111,83 +186,103 @@ def evaluate( wrong = 0 failed = 0 - for idx, sample in enumerate(dataset_list): - # Extract fields - question = sample[question_field] - ground_truth = sample[answer_field] - sample_id = sample.get(id_field) if id_field else f"sample_{idx}" - - logger.info(f"[{idx+1}/{len(dataset)}] Processing: {sample_id}") - logger.info(f"Question: {question}") - logger.info(f"Ground truth: {ground_truth}") - - # Check if already processed - result_path = os.path.join(self.output_dir, f"{sample_id}_result.json") - if skip_existing and os.path.exists(result_path): - logger.info(f"Skipping {sample_id} (already processed)") - try: - with open(result_path) as f: - cached = json.load(f) - if cached.get("success"): + if self.num_workers == 1: + # Sequential processing + for idx, sample in enumerate(dataset_list): + result_data, result = self._process_sample( + sample, + idx, + len(dataset_list), + question_field, + answer_field, + id_field, + skip_existing, + ) + + ground_truth = result_data["ground_truth"] + + # Update metrics from cached or new result + if result_data.get("success"): + y_true.append(int(ground_truth)) + y_pred.append(int(result_data["answer"])) + if result_data["answer"] == ground_truth: + correct += 1 + logger.info("✓ Correct answer") + else: + wrong += 1 + logger.info("✗ Wrong answer") + else: + failed += 1 + logger.warning(f"✗ Failed: {result_data.get('error')}") + + if result: + results.append(result) + + # Log current statistics + total_answered = correct + wrong + if total_answered > 0: + accuracy = correct / total_answered + logger.info( + f"Current stats: {correct}/{total_answered} correct ({accuracy:.2%})" + ) + else: + # Parallel processing with ProcessPoolExecutor + # Note: This won't work with the current approach because ProofOfThought can't be pickled + # We need to use threading instead + from concurrent.futures import ThreadPoolExecutor + + logger.info("Using parallel processing with threading") + + with ThreadPoolExecutor(max_workers=self.num_workers) as executor: + # Submit all tasks + futures = { + executor.submit( + self._process_sample, + sample, + idx, + len(dataset_list), + question_field, + answer_field, + id_field, + skip_existing, + ): idx + for idx, sample in enumerate(dataset_list) + } + + # Collect results as they complete + completed = 0 + for future in as_completed(futures): + completed += 1 + try: + result_data, result = future.result() + ground_truth = result_data["ground_truth"] + + # Update metrics + if result_data.get("success"): y_true.append(int(ground_truth)) - y_pred.append(int(cached["answer"])) - if cached["answer"] == ground_truth: + y_pred.append(int(result_data["answer"])) + if result_data["answer"] == ground_truth: correct += 1 else: wrong += 1 else: failed += 1 - except Exception as e: - logger.warning(f"Failed to load cached result: {e}") - continue - - # Query the system - result = self.pot.query( - question=question, - save_program=True, - program_path=os.path.join(self.output_dir, f"{sample_id}_program.json"), - ) - # Save result - with open(result_path, "w") as f: - json.dump( - { - "sample_id": sample_id, - "question": question, - "ground_truth": ground_truth, - "answer": result.answer, - "success": result.success, - "num_attempts": result.num_attempts, - "sat_count": result.sat_count, - "unsat_count": result.unsat_count, - "error": result.error, - }, - f, - indent=2, - ) - - results.append(result) - - # Update metrics - if result.success and result.answer is not None: - y_true.append(int(ground_truth)) - y_pred.append(int(result.answer)) + if result: + results.append(result) - if result.answer == ground_truth: - correct += 1 - logger.info("✓ Correct answer") - else: - wrong += 1 - logger.info("✗ Wrong answer") - else: - failed += 1 - logger.warning(f"✗ Failed to get answer: {result.error}") + except Exception as e: + logger.error(f"Task failed: {e}") + failed += 1 - # Log current statistics - total_answered = correct + wrong - if total_answered > 0: - accuracy = correct / total_answered - logger.info(f"Current stats: {correct}/{total_answered} correct ({accuracy:.2%})") + # Log progress + logger.info(f"Progress: {completed}/{len(dataset_list)} samples completed") + total_answered = correct + wrong + if total_answered > 0: + accuracy = correct / total_answered + logger.info( + f"Current stats: {correct}/{total_answered} correct ({accuracy:.2%})" + ) # Calculate final metrics metrics = self._calculate_metrics(y_true, y_pred, correct, wrong, failed) @@ -196,7 +291,7 @@ def evaluate( logger.info("=" * 80) logger.info("FINAL EVALUATION RESULTS") logger.info("=" * 80) - logger.info(f"Total samples: {len(dataset)}") + logger.info(f"Total samples: {len(dataset_list)}") logger.info(f"Correct: {correct}") logger.info(f"Wrong: {wrong}") logger.info(f"Failed: {failed}") diff --git a/z3dsl/reasoning/program_generator.py b/z3dsl/reasoning/program_generator.py index 8d5dc12..70fdec5 100644 --- a/z3dsl/reasoning/program_generator.py +++ b/z3dsl/reasoning/program_generator.py @@ -4,35 +4,58 @@ import logging import re from dataclasses import dataclass -from typing import Any +from typing import Any, Literal from z3dsl.reasoning.prompt_template import build_prompt +from z3dsl.reasoning.smt2_prompt_template import build_smt2_prompt logger = logging.getLogger(__name__) +BackendType = Literal["json", "smt2"] + @dataclass class GenerationResult: - """Result of JSON program generation.""" + """Result of program generation.""" - json_program: dict[str, Any] | None + program: dict[str, Any] | str | None # JSON dict or SMT2 string raw_response: str success: bool + backend: BackendType error: str | None = None + # Backward compatibility + @property + def json_program(self) -> dict[str, Any] | None: + """Get JSON program (for backward compatibility).""" + if self.backend == "json" and isinstance(self.program, dict): + return self.program + return None + + @property + def smt2_program(self) -> str | None: + """Get SMT2 program text.""" + if self.backend == "smt2" and isinstance(self.program, str): + return self.program + return None + class Z3ProgramGenerator: - """Generate Z3 DSL JSON programs from natural language questions using LLM.""" + """Generate Z3 DSL programs from natural language questions using LLM.""" - def __init__(self, llm_client: Any, model: str = "gpt-4o") -> None: + def __init__( + self, llm_client: Any, model: str = "gpt-4o", backend: BackendType = "smt2" + ) -> None: """Initialize the program generator. Args: llm_client: LLM client (OpenAI, Anthropic, etc.) model: Model name to use + backend: Backend type ("json" or "smt2") """ self.llm_client = llm_client self.model = model + self.backend = backend def generate( self, @@ -40,7 +63,7 @@ def generate( temperature: float = 0.1, max_tokens: int = 16384, ) -> GenerationResult: - """Generate a Z3 DSL JSON program from a question. + """Generate a Z3 DSL program from a question. Args: question: Natural language question @@ -48,10 +71,14 @@ def generate( max_tokens: Maximum tokens for response (default 16384 for GPT-5) Returns: - GenerationResult with JSON program or error + GenerationResult with program or error """ try: - prompt = build_prompt(question) + # Select prompt based on backend + if self.backend == "json": + prompt = build_prompt(question) + else: # smt2 + prompt = build_smt2_prompt(question) # Make LLM API call (compatible with both OpenAI and Azure OpenAI) # Azure OpenAI requires content as string, not list @@ -64,31 +91,39 @@ def generate( raw_response = response.choices[0].message.content - # Extract JSON from markdown code block - json_program = self._extract_json(raw_response) + # Extract program based on backend + if self.backend == "json": + program: dict[str, Any] | str | None = self._extract_json(raw_response) + error_msg = "Failed to extract valid JSON from response" + else: # smt2 + program = self._extract_smt2(raw_response) + error_msg = "Failed to extract valid SMT2 from response" - if json_program: + if program: return GenerationResult( - json_program=json_program, + program=program, raw_response=raw_response, success=True, + backend=self.backend, ) else: # Log the raw response to help debug extraction failures logger.debug(f"Raw LLM response:\n{raw_response[:1000]}...") return GenerationResult( - json_program=None, + program=None, raw_response=raw_response, success=False, - error="Failed to extract valid JSON from response", + backend=self.backend, + error=error_msg, ) except Exception as e: logger.error(f"Error generating program: {e}") return GenerationResult( - json_program=None, + program=None, raw_response="", success=False, + backend=self.backend, error=str(e), ) @@ -110,13 +145,19 @@ def generate_with_feedback( max_tokens: Maximum tokens (default 16384 for GPT-5) Returns: - GenerationResult with corrected JSON program + GenerationResult with corrected program """ try: - prompt = build_prompt(question) + # Select prompt based on backend + if self.backend == "json": + prompt = build_prompt(question) + format_msg = "Please fix the JSON accordingly." + else: # smt2 + prompt = build_smt2_prompt(question) + format_msg = "Please fix the SMT2 program accordingly." + feedback_message = ( - f"There was an error processing your response:\n{error_trace}\n" - "Please fix the JSON accordingly." + f"There was an error processing your response:\n{error_trace}\n{format_msg}" ) # Multi-turn conversation with error feedback @@ -133,30 +174,40 @@ def generate_with_feedback( ) raw_response = response.choices[0].message.content - json_program = self._extract_json(raw_response) - if json_program: + # Extract program based on backend + if self.backend == "json": + program: dict[str, Any] | str | None = self._extract_json(raw_response) + error_msg = "Failed to extract valid JSON from feedback response" + else: # smt2 + program = self._extract_smt2(raw_response) + error_msg = "Failed to extract valid SMT2 from feedback response" + + if program: return GenerationResult( - json_program=json_program, + program=program, raw_response=raw_response, success=True, + backend=self.backend, ) else: # Log the raw response to help debug extraction failures logger.debug(f"Raw LLM feedback response:\n{raw_response[:1000]}...") return GenerationResult( - json_program=None, + program=None, raw_response=raw_response, success=False, - error="Failed to extract valid JSON from feedback response", + backend=self.backend, + error=error_msg, ) except Exception as e: logger.error(f"Error generating program with feedback: {e}") return GenerationResult( - json_program=None, + program=None, raw_response="", success=False, + backend=self.backend, error=str(e), ) @@ -192,3 +243,42 @@ def _extract_json(self, markdown_content: str) -> dict[str, Any] | None: pass return None + + def _extract_smt2(self, markdown_content: str) -> str | None: + """Extract SMT2 from markdown code block. + + Args: + markdown_content: Markdown text potentially containing SMT2 + + Returns: + SMT2 program text or None if extraction failed + """ + # Pattern to match ```smt2 ... ``` code blocks + smt2_pattern = r"```smt2\s*([\s\S]*?)\s*```" + match = re.search(smt2_pattern, markdown_content) + + if match: + smt2_text = match.group(1).strip() + if smt2_text: + return smt2_text + logger.error("Found empty SMT2 code block") + return None + + # Try to find SMT2 without code block markers (starts with comment or paren) + # Look for lines that start with ';' or '(' + lines = markdown_content.split("\n") + smt2_lines = [] + in_smt2 = False + + for line in lines: + stripped = line.strip() + if stripped.startswith(";") or stripped.startswith("("): + in_smt2 = True + if in_smt2: + smt2_lines.append(line) + + if smt2_lines: + return "\n".join(smt2_lines).strip() + + logger.error("Could not extract SMT2 from response") + return None diff --git a/z3dsl/reasoning/proof_of_thought.py b/z3dsl/reasoning/proof_of_thought.py index f2a8584..398d1e3 100644 --- a/z3dsl/reasoning/proof_of_thought.py +++ b/z3dsl/reasoning/proof_of_thought.py @@ -6,13 +6,17 @@ import tempfile import traceback from dataclasses import dataclass -from typing import Any +from typing import TYPE_CHECKING, Any, Literal from z3dsl.reasoning.program_generator import Z3ProgramGenerator -from z3dsl.reasoning.verifier import Z3Verifier + +if TYPE_CHECKING: + from z3dsl.backends.abstract import Backend logger = logging.getLogger(__name__) +BackendType = Literal["json", "smt2"] + @dataclass class QueryResult: @@ -49,23 +53,42 @@ def __init__( self, llm_client: Any, model: str = "gpt-5", + backend: BackendType = "smt2", max_attempts: int = 3, verify_timeout: int = 10000, optimize_timeout: int = 100000, cache_dir: str | None = None, + z3_path: str = "z3", ) -> None: """Initialize ProofOfThought. Args: llm_client: LLM client (OpenAI, AzureOpenAI, Anthropic, etc.) model: LLM model/deployment name (default: "gpt-5") + backend: Execution backend ("json" or "smt2", default: "smt2") max_attempts: Maximum retry attempts for program generation verify_timeout: Z3 verification timeout in milliseconds optimize_timeout: Z3 optimization timeout in milliseconds cache_dir: Directory to cache generated programs (None = temp dir) + z3_path: Path to Z3 executable (for SMT2 backend) """ - self.generator = Z3ProgramGenerator(llm_client=llm_client, model=model) - self.verifier = Z3Verifier(verify_timeout=verify_timeout, optimize_timeout=optimize_timeout) + self.backend_type = backend + self.generator = Z3ProgramGenerator(llm_client=llm_client, model=model, backend=backend) + + # Initialize appropriate backend (import here to avoid circular imports) + if backend == "json": + from z3dsl.backends.json_backend import JSONBackend + + backend_instance: Backend = JSONBackend( + verify_timeout=verify_timeout, optimize_timeout=optimize_timeout + ) + else: # smt2 + from z3dsl.backends.smt2_backend import SMT2Backend + + backend_instance = SMT2Backend(verify_timeout=verify_timeout, z3_path=z3_path) + + self.backend = backend_instance + self.max_attempts = max_attempts self.cache_dir = cache_dir or tempfile.gettempdir() @@ -117,31 +140,38 @@ def query( max_tokens=max_tokens, ) - if not gen_result.success or gen_result.json_program is None: - error_trace = gen_result.error or "Failed to generate JSON program" + if not gen_result.success or gen_result.program is None: + error_trace = ( + gen_result.error or f"Failed to generate {self.backend_type} program" + ) previous_response = gen_result.raw_response logger.warning(f"Generation failed: {error_trace}") continue # Save program to temporary file + file_extension = self.backend.get_file_extension() if program_path is None: temp_file = tempfile.NamedTemporaryFile( mode="w", - suffix=".json", + suffix=file_extension, dir=self.cache_dir, delete=not save_program, ) - json_path = temp_file.name + program_file_path = temp_file.name else: - json_path = program_path + program_file_path = program_path - with open(json_path, "w") as f: - json.dump(gen_result.json_program, f, indent=2) + # Write program to file (format depends on backend) + with open(program_file_path, "w") as f: + if self.backend_type == "json": + json.dump(gen_result.program, f, indent=2) + else: # smt2 + f.write(gen_result.program) # type: ignore - logger.info(f"Generated program saved to: {json_path}") + logger.info(f"Generated program saved to: {program_file_path}") - # Execute Z3 verification - verify_result = self.verifier.verify(json_path) + # Execute via backend + verify_result = self.backend.execute(program_file_path) if not verify_result.success: error_trace = verify_result.error or "Z3 verification failed" @@ -167,7 +197,7 @@ def query( return QueryResult( question=question, answer=verify_result.answer, - json_program=gen_result.json_program, + json_program=gen_result.json_program, # For backward compatibility sat_count=verify_result.sat_count, unsat_count=verify_result.unsat_count, output=verify_result.output, diff --git a/z3dsl/reasoning/smt2_prompt_template.py b/z3dsl/reasoning/smt2_prompt_template.py new file mode 100644 index 0000000..20e666c --- /dev/null +++ b/z3dsl/reasoning/smt2_prompt_template.py @@ -0,0 +1,292 @@ +"""Prompt template for SMT-LIB 2.0 program generation.""" + +SMT2_INSTRUCTIONS = """ +**Instructions for Generating SMT-LIB 2.0 Programs for Theorem Proving** + +**Introduction** + +This document provides comprehensive guidelines for generating SMT-LIB 2.0 programs to solve complex reasoning tasks using the Z3 theorem prover. You will translate reasoning problems into structured SMT2 programs that can be executed directly by Z3. + +--- + +### **Important Guidelines** + +1. **SMT-LIB 2.0 Syntax** + - All commands must be S-expressions: `(command args...)` + - Comments start with `;` + - Whitespace is flexible but use consistent indentation + +2. **Program Structure** + ```smt2 + ; 1. Declare sorts + (declare-sort SortName 0) + + ; 2. Declare functions + (declare-fun function-name (ArgSort1 ArgSort2) ReturnSort) + + ; 3. Declare constants + (declare-const constant-name Sort) + + ; 4. Assert knowledge base (facts) + (assert fact1) + (assert fact2) + + ; 5. Check satisfiability + (check-sat) + (get-model) + ``` + +3. **Verification Semantics** + - `sat` = True: The constraint CAN be true given the knowledge base + - `unsat` = False: The constraint CONTRADICTS the knowledge base + - To verify a question, assert the scenario and check satisfiability + +--- + +### **SMT-LIB 2.0 Commands** + +**Sorts (Types):** +```smt2 +; Built-in sorts (no declaration needed) +Bool, Int, Real + +; Uninterpreted sort +(declare-sort Person 0) + +; Enumerated datatype +(declare-datatypes () ((Color (red) (green) (blue)))) + +; Bitvectors +(_ BitVec 8) ; 8-bit bitvector sort +``` + +**Functions:** +```smt2 +; Nullary function (constant) +(declare-fun age () Int) + +; Unary function +(declare-fun is-politician (Person) Bool) + +; Binary function +(declare-fun supports (Person Issue) Bool) +``` + +**Constants:** +```smt2 +(declare-const nancy-pelosi Person) +(declare-const abortion Issue) +(declare-const x Int) +``` + +**Assertions (Knowledge Base):** +```smt2 +(assert (is-politician nancy-pelosi)) +(assert (= (age nancy-pelosi) 84)) +(assert (> x 0)) +``` + +**Logical Operators:** +```smt2 +(and expr1 expr2 ...) ; Conjunction +(or expr1 expr2 ...) ; Disjunction +(not expr) ; Negation +(=> expr1 expr2) ; Implication +(ite cond then else) ; If-then-else +(distinct e1 e2 ...) ; All different +``` + +**Quantifiers:** +```smt2 +(forall ((x Int) (y Int)) (=> (> x y) (< y x))) +(exists ((p Person)) (is-politician p)) +``` + +**Arithmetic:** +```smt2 +(+ e1 e2 ...) ; Addition +(- e1 e2 ...) ; Subtraction +(* e1 e2 ...) ; Multiplication +(div e1 e2) ; Integer division +(mod e1 e2) ; Modulo +(= e1 e2) ; Equality +(< e1 e2) ; Less than +(<= e1 e2) ; Less than or equal +(> e1 e2) ; Greater than +(>= e1 e2) ; Greater than or equal +``` + +--- + +### **Verification Strategy** + +**CRITICAL: Create ONE Verification Per Question** + +When answering a question, assert the knowledge base, then assert the scenario being tested, and finally check satisfiability. + +**Question Type Strategies:** + +1. **"Would/Does X do Y?" or "Is X true?"** (Factual questions) + ```smt2 + ; Assert knowledge base + (assert (is-politician nancy-pelosi)) + (assert (is-democrat nancy-pelosi)) + (assert (forall ((p Person) (i Issue)) + (=> (and (is-democrat p) (supports p i)) + (not (publicly-denounce p i))))) + (assert (supports nancy-pelosi abortion)) + + ; Test: Would Pelosi denounce abortion? + (assert (publicly-denounce nancy-pelosi abortion)) + (check-sat) ; Expected: unsat (false) + ``` + +2. **"Can/Could X do Y?" or "Is it possible that X...?"** (Possibility questions) + ```smt2 + ; Assert knowledge base + (assert (forall ((f Animal)) + (=> (is-fish f) (can-breathe-underwater f)))) + + ; Test: Can fish breathe underwater? + (declare-const test-fish Animal) + (assert (is-fish test-fish)) + (assert (can-breathe-underwater test-fish)) + (check-sat) ; Expected: sat (true) + (get-model) + ``` + +3. **Comparison questions** + ```smt2 + (declare-const genghis-khan Person) + (declare-const julius-caesar Person) + (declare-fun num-descendants (Person) Int) + + (assert (= (num-descendants genghis-khan) 16000000)) + (assert (= (num-descendants julius-caesar) 5000000)) + + ; Test: Does Genghis Khan have more descendants? + (assert (> (num-descendants genghis-khan) + (num-descendants julius-caesar))) + (check-sat) ; Expected: sat (true) + ``` + +**CRITICAL RULES:** +- ✓ **DO**: Assert knowledge base, then assert the test scenario, then `(check-sat)` +- ✓ **DO**: Use `(get-model)` after `(check-sat)` to see example values +- ✗ **DON'T**: Create multiple `(check-sat)` commands testing opposite cases +- ✗ **DON'T**: Assert both a statement and its negation + +--- + +### **Common Patterns** + +**Universal Rules:** +```smt2 +(assert (forall ((p Person)) + (=> (is-law-enforcement p) + (can-arrest p)))) +``` + +**Existential Constraints:** +```smt2 +; Use declare-const + assert instead of exists +(declare-const witness Person) +(assert (and (is-politician witness) (is-honest witness))) +(check-sat) ; Tests if such a person can exist +``` + +**Implications:** +```smt2 +(assert (=> (is-fish animal-x) (can-swim animal-x))) +``` + +**Conditional Properties:** +```smt2 +(assert (forall ((p Person) (i Issue)) + (=> (supports p i) + (not (publicly-denounce p i))))) +``` + +--- + +### **Example: Complete Program** + +Question: "Would Nancy Pelosi publicly denounce abortion?" + +```smt2 +; Declare sorts +(declare-sort Person 0) +(declare-sort Issue 0) + +; Declare functions +(declare-fun is-politician (Person) Bool) +(declare-fun is-democrat (Person) Bool) +(declare-fun supports (Person Issue) Bool) +(declare-fun publicly-denounce (Person Issue) Bool) + +; Declare constants +(declare-const nancy-pelosi Person) +(declare-const abortion Issue) + +; Knowledge base +(assert (is-politician nancy-pelosi)) +(assert (is-democrat nancy-pelosi)) + +; Rule: Democrats don't denounce issues they support +(assert (forall ((p Person) (i Issue)) + (=> (and (is-democrat p) (supports p i)) + (not (publicly-denounce p i))))) + +; Fact: Pelosi supports abortion rights +(assert (supports nancy-pelosi abortion)) + +; Test: Would she denounce it? +(assert (publicly-denounce nancy-pelosi abortion)) + +; Check satisfiability +(check-sat) +; Expected: unsat (she would NOT denounce it) +``` + +--- + +### **Output Format** + +Your response MUST be wrapped in a markdown code block with the ```smt2``` tag: + +```smt2 +(declare-sort ...) +(declare-fun ...) +(assert ...) +(check-sat) +(get-model) +``` + +Do NOT output raw SMT2 without the markdown code block. The parser expects the SMT2 to be enclosed in ```smt2 ... ``` markers. + +--- + +**Task:** + +Think step by step and reason about the given question. Decompose the question into logical reasoning steps, declare the necessary sorts, functions, and constants, assert the knowledge base, and finally create a verification that tests the question. Ensure that: + +- All declarations come before their use +- Use proper SMT-LIB 2.0 syntax +- Create EXACTLY ONE `(check-sat)` that directly answers the question +- `sat` means True, `unsat` means False + +Answer the following question: + +""" + + +def build_smt2_prompt(question: str) -> str: + """Build the complete prompt for SMT2 program generation. + + Args: + question: The reasoning question to answer + + Returns: + Complete prompt string + """ + return SMT2_INSTRUCTIONS + f"\nQuestion: {question}" From 6de686cfb9ae42ff605c3e25ff6ce4335e58ba24 Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Wed, 15 Oct 2025 00:53:11 -0400 Subject: [PATCH 02/11] Adding some benchmarking code --- .gitignore | 3 + examples/ProntoQA_dev_gpt-4.json | 6502 ++++++++++++++++++ examples/ProntoQA_dev_processed.json | 3502 ++++++++++ examples/bench_folio.py | 151 + examples/bench_prontoqa.py | 128 + examples/bench_proofwriter.py | 155 + examples/bench_strategyqa.py | 72 + examples/proofwriter_test.parquet | Bin 0 -> 8682893 bytes examples/proofwriter_test_processed.json | 8002 ++++++++++++++++++++++ 9 files changed, 18515 insertions(+) create mode 100644 examples/ProntoQA_dev_gpt-4.json create mode 100644 examples/ProntoQA_dev_processed.json create mode 100644 examples/bench_folio.py create mode 100644 examples/bench_prontoqa.py create mode 100644 examples/bench_proofwriter.py create mode 100644 examples/bench_strategyqa.py create mode 100644 examples/proofwriter_test.parquet create mode 100644 examples/proofwriter_test_processed.json diff --git a/.gitignore b/.gitignore index 2fe7747..eb546b6 100644 --- a/.gitignore +++ b/.gitignore @@ -1,4 +1,7 @@ outputs/* +output/* +examples/folio_v2_train.jsonl +examples/folio_v2_train_processed.json # Byte-compiled / optimized / DLL files __pycache__/ diff --git a/examples/ProntoQA_dev_gpt-4.json b/examples/ProntoQA_dev_gpt-4.json new file mode 100644 index 0000000..592c58d --- /dev/null +++ b/examples/ProntoQA_dev_gpt-4.json @@ -0,0 +1,6502 @@ +[ + { + "id": "ProntoQA_1", + "context": "Jompuses are not shy. Jompuses are yumpuses. Each yumpus is aggressive. Each yumpus is a dumpus. Dumpuses are not wooden. Dumpuses are wumpuses. Wumpuses are red. Every wumpus is an impus. Each impus is opaque. Impuses are tumpuses. Numpuses are sour. Tumpuses are not sour. Tumpuses are vumpuses. Vumpuses are earthy. Every vumpus is a zumpus. Zumpuses are small. Zumpuses are rompuses. Max is a yumpus.", + "question": "Is the following statement true or false? Max is sour.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nShy($x, bool) ::: Is x shy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAggressive($x, bool) ::: Is x aggressive?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSour($x, bool) ::: Is x sour?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nYumpus(Max, True)\n\nRules:\nJompus($x, True) >>> Shy($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Wooden($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, True)\nImpus($x, True) >>> Tumpus($x, True)\nNumpus($x, True) >>> Sour($x, True)\nTumpus($x, True) >>> Sour($x, False)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Earthy($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nSour(Max, False)" + ] + }, + { + "id": "ProntoQA_2", + "context": "Every tumpus is not angry. Tumpuses are rompuses. Every numpus is not bright. Rompuses are not luminous. Rompuses are yumpuses. Yumpuses are transparent. Yumpuses are zumpuses. Each zumpus is not bitter. Zumpuses are impuses. Impuses are red. Each impus is a dumpus. Every dumpus is happy. Each dumpus is a vumpus. Vumpuses are bright. Every vumpus is a jompus. Jompuses are large. Each jompus is a wumpus. Stella is a yumpus.", + "question": "Is the following statement true or false? Stella is bright.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAngry($x, bool) ::: Is x angry?\nRompus($x, bool) ::: Does x belong to Rompus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBitter($x, bool) ::: Is x bitter?\nImpus($x, bool) ::: Does x belong to Impus?\nRed($x, bool) ::: Is x red?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nYumpus(Stella, True)\n\nRules:\nTumpus($x, True) >>> Angry($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nNumpus($x, True) >>> Bright($x, False)\nRompus($x, True) >>> Luminous($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bitter($x, False)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Red($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Happy($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Wumpus($x, True)\n\nQuery:\nBright(Stella, True)" + ] + }, + { + "id": "ProntoQA_3", + "context": "Vumpuses are floral. Vumpuses are tumpuses. Tumpuses are brown. Each tumpus is a wumpus. Wumpuses are small. Each wumpus is a rompus. Each zumpus is metallic. Every rompus is happy. Rompuses are impuses. Each impus is amenable. Each impus is a dumpus. Every dumpus is not metallic. Dumpuses are numpuses. Each numpus is bitter. Each numpus is a jompus. Every jompus is cold. Each jompus is a yumpus. Wren is a tumpus.", + "question": "Is the following statement true or false? Wren is not metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFloral($x, bool) ::: Is x floral?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBrown($x, bool) ::: Is x brown?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nHappy($x, bool) ::: Is x happy?\nImpus($x, bool) ::: Does x belong to Impus?\nAmenable($x, bool) ::: Is x amenable?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nTumpus(Wren, True)\n\nRules:\nVumpus($x, True) >>> Floral($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Brown($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nZumpus($x, True) >>> Metallic($x, True)\nRompus($x, True) >>> Happy($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Amenable($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Metallic($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bitter($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, True)\nJompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nMetallic(Wren, False)" + ] + }, + { + "id": "ProntoQA_4", + "context": "Rompuses are spicy. Every rompus is an impus. Yumpuses are not small. Impuses are orange. Impuses are zumpuses. Zumpuses are not hot. Zumpuses are numpuses. Numpuses are metallic. Numpuses are wumpuses. Every wumpus is not kind. Each wumpus is a dumpus. Each dumpus is not bright. Every dumpus is a jompus. Jompuses are small. Jompuses are vumpuses. Each vumpus is not shy. Every vumpus is a tumpus. Alex is a zumpus.", + "question": "Is the following statement true or false? Alex is not small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nHot($x, bool) ::: Is x hot?\nMetallic($x, bool) ::: Is x metallic?\nKind($x, bool) ::: Is x kind?\nBright($x, bool) ::: Is x bright?\n\nFacts:\nZumpus(Alex, True)\n\nRules:\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Impus($x, True)\nYumpus($x, True) >>> Small($x, False)\nImpus($x, True) >>> Orange($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Hot($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Kind($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Shy($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nSmall(Alex, False)" + ] + }, + { + "id": "ProntoQA_5", + "context": "Rompuses are mean. Rompuses are zumpuses. Each zumpus is not happy. Each zumpus is a numpus. Each numpus is not temperate. Each numpus is a tumpus. Tumpuses are not large. Tumpuses are yumpuses. Every yumpus is earthy. Each yumpus is a jompus. Jompuses are blue. Every jompus is a wumpus. Wumpuses are not dull. Wumpuses are impuses. Each vumpus is dull. Impuses are sour. Impuses are dumpuses. Alex is a numpus.", + "question": "Is the following statement true or false? Alex is not dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTemperate($x, bool) ::: Is x temperate?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nJompus($x, bool) ::: Does x belong to Jompus?\nBlue($x, bool) ::: Is x blue?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nSour($x, bool) ::: Is x sour?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nNumpus(Alex, True)\n\nRules:\nRompus($x, True) >>> Mean($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Happy($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Temperate($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Earthy($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Blue($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Impus($x, True)\nVumpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Sour($x, True)\nImpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nDull(Alex, False)" + ] + }, + { + "id": "ProntoQA_6", + "context": "Every tumpus is large. Tumpuses are wumpuses. Each wumpus is not opaque. Every dumpus is not dull. Every wumpus is a rompus. Every rompus is brown. Each rompus is a vumpus. Each vumpus is temperate. Vumpuses are jompuses. Jompuses are dull. Jompuses are numpuses. Every numpus is liquid. Each numpus is an impus. Impuses are spicy. Every impus is a yumpus. Every yumpus is not nervous. Every yumpus is a zumpus. Wren is a tumpus.", + "question": "Is the following statement true or false? Wren is dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLiquid($x, bool) ::: Is x liquid?\nImpus($x, bool) ::: Does x belong to Impus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpus(Wren, True)\n\nRules:\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, False)\nDumpus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Brown($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Temperate($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Liquid($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Spicy($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nDull(Wren, True)" + ] + }, + { + "id": "ProntoQA_7", + "context": "Every rompus is orange. Every rompus is an impus. Vumpuses are happy. Every impus is spicy. Every impus is a wumpus. Wumpuses are transparent. Wumpuses are numpuses. Every numpus is not kind. Numpuses are tumpuses. Each tumpus is not bright. Tumpuses are yumpuses. Every yumpus is not liquid. Yumpuses are dumpuses. Each dumpus is not happy. Dumpuses are zumpuses. Every zumpus is earthy. Each zumpus is a jompus. Stella is a wumpus.", + "question": "Is the following statement true or false? Stella is happy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nOrange($x, bool) ::: Is x orange?\nImpus($x, bool) ::: Does x belong to Impus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nSpicy($x, bool) ::: Is x spicy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nEarthy($x, bool) ::: Is x earthy?\nJompus($x, bool) ::: Does x belong to Jompus?\nFacts:\nWumpus(Stella, True)\nRules:\nRompus($x, True) >>> Orange($x, True)\nRompus($x, True) >>> Impus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nImpus($x, True) >>> Spicy($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Happy($x, False)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Earthy($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nQuery:\nHappy(Stella, False)" + ] + }, + { + "id": "ProntoQA_8", + "context": "Every jompus is sour. Each jompus is a rompus. Rompuses are not kind. Every rompus is a zumpus. Every zumpus is feisty. Zumpuses are tumpuses. Tumpuses are small. Tumpuses are wumpuses. Wumpuses are opaque. Wumpuses are impuses. Every yumpus is hot. Impuses are brown. Impuses are dumpuses. Dumpuses are not hot. Every dumpus is a vumpus. Each vumpus is dull. Vumpuses are numpuses. Alex is a zumpus.", + "question": "Is the following statement true or false? Alex is hot.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nSour($x, bool) ::: Is x sour?\nRompus($x, bool) ::: Does x belong to Rompus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFeisty($x, bool) ::: Is x feisty?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpuses($x, bool) ::: Does x belong to Impuses?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHot($x, bool) ::: Is x hot?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nZumpus(Alex, True)\n\nRules:\nJompus($x, True) >>> Sour($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Kind($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Feisty($x, True)\nZumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Small($x, True)\nTumpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Impuses($x, True)\nYumpus($x, True) >>> Hot($x, True)\nImpuses($x, True) >>> Brown($x, True)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Hot($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nHot(Alex, False)" + ] + }, + { + "id": "ProntoQA_9", + "context": "Every dumpus is not shy. Each dumpus is a tumpus. Rompuses are not wooden. Tumpuses are opaque. Every tumpus is a wumpus. Wumpuses are not floral. Each wumpus is an impus. Impuses are bitter. Every impus is a vumpus. Vumpuses are small. Each vumpus is a numpus. Every numpus is wooden. Each numpus is a yumpus. Each yumpus is orange. Each yumpus is a jompus. Each jompus is amenable. Every jompus is a zumpus. Wren is a tumpus.", + "question": "Is the following statement true or false? Wren is wooden.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nImpus($x, bool) ::: Does x belong to Impus?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOrange($x, bool) ::: Is x orange?\nJompus($x, bool) ::: Does x belong to Jompus?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpus(Wren, True)\n\nRules:\nDumpus($x, True) >>> Shy($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nRompus($x, True) >>> Wooden($x, False)\nTumpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bitter($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Wooden($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Orange($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Amenable($x, True)\nJompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nWooden(Wren, True)" + ] + }, + { + "id": "ProntoQA_10", + "context": "Every impus is earthy. Each impus is a jompus. Jompuses are small. Jompuses are rompuses. Rompuses are not amenable. Rompuses are wumpuses. Wumpuses are wooden. Wumpuses are zumpuses. Every zumpus is temperate. Every zumpus is a dumpus. Dumpuses are dull. Dumpuses are vumpuses. Every vumpus is not shy. Every yumpus is sweet. Vumpuses are numpuses. Numpuses are not sweet. Numpuses are tumpuses. Fae is a wumpus.", + "question": "Is the following statement true or false? Fae is sweet.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nEarthy($x, bool) ::: Is x earthy?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nAmenable($x, bool) ::: Is x amenable?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nShy($x, bool) ::: Is x shy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSweet($x, bool) ::: Is x sweet?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nWumpus(Fae, True)\n\nRules:\nImpus($x, True) >>> Earthy($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Amenable($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Wooden($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Shy($x, False)\nYumpus($x, True) >>> Sweet($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sweet($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nSweet(Fae, False)" + ] + }, + { + "id": "ProntoQA_11", + "context": "Each jompus is not amenable. Wumpuses are not fruity. Every jompus is a vumpus. Every vumpus is not shy. Every vumpus is a rompus. Rompuses are not bitter. Rompuses are dumpuses. Dumpuses are opaque. Every dumpus is a yumpus. Every yumpus is orange. Yumpuses are zumpuses. Zumpuses are fruity. Each zumpus is a numpus. Numpuses are metallic. Every numpus is a tumpus. Each tumpus is large. Each tumpus is an impus. Sam is a vumpus.", + "question": "Is the following statement true or false? Sam is not fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nAmenable($x, bool) ::: Is x amenable?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nBitter($x, bool) ::: Is x bitter?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOrange($x, bool) ::: Is x orange?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMetallic($x, bool) ::: Is x metallic?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nVumpus(Sam, True)\n\nRules:\nJompus($x, True) >>> Amenable($x, False)\nWumpus($x, True) >>> Fruity($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Shy($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bitter($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Orange($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Impus($x, True)\n\nQuery:\nFruity(Sam, False)" + ] + }, + { + "id": "ProntoQA_12", + "context": "Each tumpus is orange. Tumpuses are numpuses. Numpuses are small. Numpuses are vumpuses. Every vumpus is sour. Vumpuses are dumpuses. Each dumpus is cold. Every dumpus is a zumpus. Each zumpus is dull. Zumpuses are yumpuses. Jompuses are floral. Every yumpus is not amenable. Each yumpus is a rompus. Every rompus is opaque. Rompuses are impuses. Impuses are not floral. Impuses are wumpuses. Fae is a dumpus.", + "question": "Is the following statement true or false? Fae is not floral.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nAmenable($x, bool) ::: Is x amenable?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nDumpus(Fae, True)\n\nRules:\nTumpus($x, True) >>> Orange($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nJompus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Amenable($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Floral($x, False)\nImpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nFloral(Fae, False)" + ] + }, + { + "id": "ProntoQA_13", + "context": "Each yumpus is opaque. Each yumpus is a dumpus. Vumpuses are not dull. Dumpuses are floral. Each dumpus is a zumpus. Each zumpus is hot. Every zumpus is an impus. Each impus is large. Every impus is a rompus. Rompuses are spicy. Each rompus is a numpus. Numpuses are amenable. Each numpus is a jompus. Jompuses are dull. Each jompus is a wumpus. Wumpuses are not metallic. Every wumpus is a tumpus. Max is a zumpus.", + "question": "Is the following statement true or false? Max is dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAmenable($x, bool) ::: Is x amenable?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMetallic($x, bool) ::: Is x metallic?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nZumpus(Max, True)\n\nRules:\nYumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nVumpus($x, True) >>> Dull($x, False)\nDumpus($x, True) >>> Floral($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Hot($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Amenable($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Metallic($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nDull(Max, True)" + ] + }, + { + "id": "ProntoQA_14", + "context": "Jompuses are large. Every jompus is a zumpus. Each zumpus is sweet. Zumpuses are numpuses. Every numpus is hot. Each tumpus is opaque. Numpuses are yumpuses. Every yumpus is brown. Each yumpus is a wumpus. Wumpuses are not opaque. Wumpuses are impuses. Fae is a jompus.", + "question": "Is the following statement true or false? Fae is opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSweet($x, bool) ::: Is x sweet?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBrown($x, bool) ::: Is x brown?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nImpuses($x, bool) ::: Does x belong to Impuses?\n\nFacts:\nJompus(Fae, True)\n\nRules:\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sweet($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Brown($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, False)\nWumpus($x, True) >>> Impuses($x, True)\n\nQuery:\nOpaque(Fae, False)" + ] + }, + { + "id": "ProntoQA_15", + "context": "Jompuses are not small. Jompuses are tumpuses. Tumpuses are not kind. Each tumpus is a vumpus. Vumpuses are metallic. Vumpuses are numpuses. Each numpus is fruity. Each numpus is a dumpus. Dumpuses are nervous. Dumpuses are rompuses. Each rompus is opaque. Every wumpus is dull. Each rompus is a zumpus. Each zumpus is hot. Every zumpus is an impus. Every impus is not dull. Each impus is a yumpus. Sam is a numpus.", + "question": "Is the following statement true or false? Sam is not dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSmall($x, bool) ::: Is x small?\nKind($x, bool) ::: Is x kind?\nMetallic($x, bool) ::: Is x metallic?\nNervous($x, bool) ::: Is x nervous?\nOpaque($x, bool) ::: Is x opaque?\nHot($x, bool) ::: Is x hot?\n\nFacts:\nNumpus(Sam, True)\n\nRules:\nJompus($x, True) >>> Small($x, False)\nJompus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Kind($x, False)\nTumpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Metallic($x, True)\nVumpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Fruity($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Nervous($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Hot($x, True)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Dull($x, False)\nImpuses($x, True) >>> Yumpus($x, True)\n\nQuery:\nDull(Sam, False)" + ] + }, + { + "id": "ProntoQA_16", + "context": "Yumpuses are hot. Each yumpus is a rompus. Rompuses are happy. Rompuses are impuses. Each impus is not amenable. Every impus is a dumpus. Dumpuses are opaque. Dumpuses are tumpuses. Numpuses are small. Tumpuses are orange. Every tumpus is a wumpus. Wumpuses are not small. Wumpuses are vumpuses. Every vumpus is fruity. Every vumpus is a jompus. Jompuses are not dull. Every jompus is a zumpus. Sally is a rompus.", + "question": "Is the following statement true or false? Sally is small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nHappy($x, bool) ::: Is x happy?\nImpuses($x, bool) ::: Does x belong to Impuses?\nAmenable($x, bool) ::: Is x amenable?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nOrange($x, bool) ::: Is x orange?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nFruity($x, bool) ::: Is x fruity?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nRompus(Sally, True)\n\nRules:\nYumpus($x, True) >>> Hot($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Happy($x, True)\nRompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Amenable($x, False)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Tumpuses($x, True)\nNumpus($x, True) >>> Small($x, True)\nTumpuses($x, True) >>> Orange($x, True)\nTumpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, False)\nWumpus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Fruity($x, True)\nVumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, False)\nJompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nSmall(Sally, False)" + ] + }, + { + "id": "ProntoQA_17", + "context": "Each numpus is not nervous. Every numpus is a wumpus. Wumpuses are liquid. Each wumpus is a jompus. Jompuses are fruity. Zumpuses are not opaque. Each jompus is a yumpus. Every yumpus is kind. Yumpuses are vumpuses. Vumpuses are opaque. Every vumpus is an impus. Impuses are not small. Impuses are rompuses. Rompuses are dull. Rompuses are tumpuses. Every tumpus is temperate. Every tumpus is a dumpus. Fae is a numpus.", + "question": "Is the following statement true or false? Fae is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nJompus($x, bool) ::: Does x belong to Jompus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nKind($x, bool) ::: Is x kind?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nNumpus(Fae, True)\n\nRules:\nNumpus($x, True) >>> Nervous($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Opaque($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Kind($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Temperate($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nOpaque(Fae, False)" + ] + }, + { + "id": "ProntoQA_18", + "context": "Each dumpus is bright. Each dumpus is a rompus. Every rompus is aggressive. Every rompus is a yumpus. Yumpuses are brown. Yumpuses are vumpuses. Every impus is fruity. Every vumpus is sour. Every vumpus is a numpus. Every numpus is not temperate. Every numpus is a zumpus. Zumpuses are metallic. Zumpuses are jompuses. Each jompus is not fruity. Jompuses are tumpuses. Tumpuses are opaque. Every tumpus is a wumpus. Sam is a yumpus.", + "question": "Is the following statement true or false? Sam is fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nAggressive($x, bool) ::: Is x aggressive?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBrown($x, bool) ::: Is x brown?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nImpus($x, bool) ::: Does x belong to Impus?\nFruity($x, bool) ::: Is x fruity?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTemperate($x, bool) ::: Is x temperate?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nYumpus(Sam, True)\n\nRules:\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Aggressive($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Brown($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nImpus($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Temperate($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Fruity($x, False)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nFruity(Sam, True)" + ] + }, + { + "id": "ProntoQA_19", + "context": "Each numpus is not opaque. Each numpus is a wumpus. Each wumpus is feisty. Wumpuses are tumpuses. Tumpuses are fruity. Every tumpus is a dumpus. Every dumpus is wooden. Each dumpus is a yumpus. Yumpuses are blue. Each yumpus is a zumpus. Every zumpus is spicy. Zumpuses are impuses. Each impus is not kind. Impuses are rompuses. Jompuses are not dull. Every rompus is dull. Each rompus is a vumpus. Sam is a dumpus.", + "question": "Is the following statement true or false? Sam is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFeisty($x, bool) ::: Is x feisty?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBlue($x, bool) ::: Is x blue?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSpicy($x, bool) ::: Is x spicy?\nImpuses($x, bool) ::: Does x belong to Impuses?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nDumpus(Sam, True)\n\nRules:\nNumpus($x, True) >>> Opaque($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Feisty($x, True)\nWumpuses($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Fruity($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Wooden($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Blue($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Spicy($x, True)\nZumpuses($x, True) >>> Impuses($x, True)\nImpus($x, True) >>> Kind($x, False)\nImpuses($x, True) >>> Rompus($x, True)\nJompus($x, True) >>> Dull($x, False)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nDull(Sam, False)" + ] + }, + { + "id": "ProntoQA_20", + "context": "Each yumpus is not small. Each yumpus is a dumpus. Each dumpus is opaque. Every dumpus is a jompus. Each jompus is shy. Each numpus is sour. Every jompus is a tumpus. Each tumpus is brown. Each tumpus is a vumpus. Vumpuses are dull. Vumpuses are wumpuses. Every wumpus is not sour. Wumpuses are rompuses. Each rompus is not luminous. Rompuses are impuses. Stella is a dumpus.", + "question": "Is the following statement true or false? Stella is sour.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nShy($x, bool) ::: Is x shy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBrown($x, bool) ::: Is x brown?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nLuminous($x, bool) ::: Is x luminous?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nDumpus(Stella, True)\n\nRules:\nYumpus($x, True) >>> Small($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Shy($x, True)\nNumpus($x, True) >>> Sour($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Brown($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sour($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Luminous($x, False)\nRompus($x, True) >>> Impus($x, True)\n\nQuery:\nSour(Stella, False)" + ] + }, + { + "id": "ProntoQA_21", + "context": "Vumpuses are earthy. Vumpuses are dumpuses. Dumpuses are not wooden. Dumpuses are numpuses. Every numpus is kind. Each numpus is a rompus. Each rompus is small. Every rompus is a jompus. Every jompus is bright. Jompuses are yumpuses. Yumpuses are orange. Every yumpus is a zumpus. Zumpuses are sour. Zumpuses are impuses. Impuses are transparent. Tumpuses are not orange. Each impus is a wumpus. Max is a dumpus.", + "question": "Is the following statement true or false? Max is orange.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nEarthy($x, bool) ::: Is x earthy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOrange($x, bool) ::: Is x orange?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nDumpus(Max, True)\n\nRules:\nVumpus($x, True) >>> Earthy($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Wooden($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Orange($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, True)\nTumpus($x, True) >>> Orange($x, False)\nImpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nOrange(Max, True)" + ] + }, + { + "id": "ProntoQA_22", + "context": "Every wumpus is sour. Wumpuses are yumpuses. Each yumpus is aggressive. Every yumpus is a tumpus. Every tumpus is transparent. Tumpuses are vumpuses. Vumpuses are wooden. Each vumpus is a jompus. Each impus is not feisty. Every jompus is large. Jompuses are numpuses. Numpuses are red. Numpuses are rompuses. Every rompus is feisty. Each rompus is a zumpus. Wren is a tumpus.", + "question": "Is the following statement true or false? Wren is not feisty.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSour($x, bool) ::: Is x sour?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAggressive($x, bool) ::: Is x aggressive?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWooden($x, bool) ::: Is x wooden?\nJompus($x, bool) ::: Does x belong to Jompus?\nImpus($x, bool) ::: Does x belong to Impus?\nFeisty($x, bool) ::: Is x feisty?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpus(Wren, True)\n\nRules:\nWumpus($x, True) >>> Sour($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Transparent($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Wooden($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nImpus($x, True) >>> Feisty($x, False)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Red($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, True)\nRompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nFeisty(Wren, False)" + ] + }, + { + "id": "ProntoQA_23", + "context": "Every zumpus is not opaque. Each zumpus is a numpus. Numpuses are brown. Numpuses are dumpuses. Each dumpus is amenable. Impuses are not bitter. Every dumpus is a vumpus. Each vumpus is not cold. Each vumpus is a tumpus. Every tumpus is wooden. Every tumpus is a rompus. Each rompus is floral. Rompuses are yumpuses. Yumpuses are bitter. Every yumpus is a wumpus. Wumpuses are not feisty. Wumpuses are jompuses. Sally is a dumpus.", + "question": "Is the following statement true or false? Sally is bitter.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAmenable($x, bool) ::: Is x amenable?\nImpuses($x, bool) ::: Does x belong to Impuses?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFeisty($x, bool) ::: Is x feisty?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nDumpus(Sally, True)\n\nRules:\nZumpus($x, True) >>> Opaque($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Amenable($x, True)\nImpuses($x, True) >>> Bitter($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Wooden($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bitter($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Feisty($x, False)\nWumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nBitter(Sally, True)" + ] + }, + { + "id": "ProntoQA_24", + "context": "Every numpus is floral. Numpuses are jompuses. Jompuses are not nervous. Each jompus is an impus. Every impus is brown. Every dumpus is not amenable. Each impus is a wumpus. Wumpuses are not bitter. Each wumpus is a zumpus. Every zumpus is not small. Zumpuses are vumpuses. Vumpuses are hot. Vumpuses are rompuses. Rompuses are amenable. Every rompus is a tumpus. Every tumpus is bright. Every tumpus is a yumpus. Alex is an impus.", + "question": "Is the following statement true or false? Alex is amenable.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nFloral($x, bool) ::: Is x floral?\nJompus($x, bool) ::: Does x belong to Jompus?\nNervous($x, bool) ::: Is x nervous?\nImpus($x, bool) ::: Does x belong to Impus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAmenable($x, bool) ::: Is x amenable?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBitter($x, bool) ::: Is x bitter?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nImpus(Alex, True)\n\nRules:\nNumpus($x, True) >>> Floral($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Nervous($x, False)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Amenable($x, False)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bitter($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Hot($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Amenable($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nAmenable(Alex, True)" + ] + }, + { + "id": "ProntoQA_25", + "context": "Zumpuses are dull. Every vumpus is not transparent. Vumpuses are numpuses. Numpuses are blue. Numpuses are wumpuses. Wumpuses are liquid. Each wumpus is a tumpus. Tumpuses are not spicy. Tumpuses are rompuses. Each rompus is not dull. Rompuses are yumpuses. Every yumpus is floral. Every yumpus is an impus. Impuses are hot. Each impus is a jompus. Every jompus is large. Jompuses are dumpuses. Sam is a vumpus.", + "question": "Is the following statement true or false? Sam is not dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBlue($x, bool) ::: Is x blue?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSpicy($x, bool) ::: Is x spicy?\nRompus($x, bool) ::: Does x belong to Rompus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nImpus($x, bool) ::: Does x belong to Impus?\nHot($x, bool) ::: Is x hot?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpus(Sam, True)\n\nRules:\nZumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Blue($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Spicy($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nDull(Sam, False)" + ] + }, + { + "id": "ProntoQA_26", + "context": "Each numpus is fruity. Every numpus is a tumpus. Every tumpus is dull. Every tumpus is a jompus. Every jompus is not orange. Each jompus is an impus. Each impus is not shy. Impuses are wumpuses. Wumpuses are sweet. Wumpuses are rompuses. Every rompus is not amenable. Each rompus is a zumpus. Every zumpus is large. Zumpuses are yumpuses. Every vumpus is not large. Yumpuses are transparent. Yumpuses are dumpuses. Rex is a jompus.", + "question": "Is the following statement true or false? Rex is large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nOrange($x, bool) ::: Is x orange?\nImpus($x, bool) ::: Does x belong to Impus?\nShy($x, bool) ::: Is x shy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSweet($x, bool) ::: Is x sweet?\nRompus($x, bool) ::: Does x belong to Rompus?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nJompus(Rex, True)\n\nRules:\nNumpus($x, True) >>> Fruity($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Orange($x, False)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Shy($x, False)\nImpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sweet($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Amenable($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nVumpus($x, True) >>> Large($x, False)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nLarge(Rex, True)" + ] + }, + { + "id": "ProntoQA_27", + "context": "Wumpuses are not sour. Each wumpus is a rompus. Rompuses are dull. Each rompus is a dumpus. Every dumpus is feisty. Jompuses are aggressive. Dumpuses are tumpuses. Tumpuses are opaque. Every tumpus is a numpus. Numpuses are hot. Numpuses are zumpuses. Zumpuses are large. Every zumpus is a vumpus. Vumpuses are blue. Every vumpus is an impus. Impuses are not aggressive. Impuses are yumpuses. Fae is a tumpus.", + "question": "Is the following statement true or false? Fae is not aggressive.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFeisty($x, bool) ::: Is x feisty?\nJompus($x, bool) ::: Does x belong to Jompus?\nAggressive($x, bool) ::: Is x aggressive?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBlue($x, bool) ::: Is x blue?\nImpus($x, bool) ::: Does x belong to Impus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nTumpuses(Fae, True)\n\nRules:\nWumpus($x, True) >>> Sour($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Feisty($x, True)\nJompus($x, True) >>> Aggressive($x, True)\nDumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Opaque($x, True)\nTumpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Blue($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Aggressive($x, False)\nImpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nAggressive(Fae, False)" + ] + }, + { + "id": "ProntoQA_28", + "context": "Each impus is small. Each zumpus is not fruity. Every zumpus is a numpus. Each numpus is bitter. Numpuses are rompuses. Rompuses are kind. Rompuses are wumpuses. Every wumpus is not wooden. Wumpuses are yumpuses. Every yumpus is not temperate. Yumpuses are dumpuses. Every dumpus is dull. Dumpuses are tumpuses. Tumpuses are not small. Tumpuses are jompuses. Every jompus is nervous. Each jompus is a vumpus. Alex is a rompus.", + "question": "Is the following statement true or false? Alex is small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nJompus($x, bool) ::: Does x belong to Jompus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nRompus(Alex, True)\n\nRules:\nImpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bitter($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Wooden($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Small($x, False)\nTumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Nervous($x, True)\nJompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nSmall(Alex, False)" + ] + }, + { + "id": "ProntoQA_29", + "context": "Every jompus is liquid. Jompuses are rompuses. Every rompus is mean. Rompuses are zumpuses. Each zumpus is transparent. Zumpuses are tumpuses. Tumpuses are not earthy. Each dumpus is bright. Tumpuses are yumpuses. Yumpuses are not bright. Yumpuses are impuses. Impuses are temperate. Impuses are numpuses. Every numpus is feisty. Numpuses are wumpuses. Max is a jompus.", + "question": "Is the following statement true or false? Max is bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nLiquid($x, bool) ::: Is x liquid?\nRompus($x, bool) ::: Does x belong to Rompus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTransparent($x, bool) ::: Is x transparent?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nEarthy($x, bool) ::: Is x earthy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nImpuses($x, bool) ::: Does x belong to Impuses?\nTemperate($x, bool) ::: Is x temperate?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFeisty($x, bool) ::: Is x feisty?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nJompus(Max, True)\n\nRules:\nJompus($x, True) >>> Liquid($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Mean($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Earthy($x, False)\nDumpus($x, True) >>> Bright($x, True)\nTumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, False)\nYumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Temperate($x, True)\nImpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Feisty($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nBright(Max, False)" + ] + }, + { + "id": "ProntoQA_30", + "context": "Impuses are bright. Every impus is a jompus. Jompuses are mean. Every zumpus is not temperate. Each jompus is a vumpus. Vumpuses are transparent. Every vumpus is a tumpus. Every tumpus is shy. Tumpuses are numpuses. Each numpus is not blue. Every numpus is a dumpus. Dumpuses are not fruity. Each dumpus is a wumpus. Wumpuses are temperate. Wumpuses are rompuses. Rompuses are metallic. Rompuses are yumpuses. Fae is a vumpus.", + "question": "Is the following statement true or false? Fae is temperate.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nShy($x, bool) ::: Is x shy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBlue($x, bool) ::: Is x blue?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nMetallic($x, bool) ::: Is x metallic?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nVumpus(Fae, True)\n\nRules:\nImpuses($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Mean($x, True)\nZumpus($x, True) >>> Temperate($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Shy($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Blue($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Fruity($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Temperate($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Metallic($x, True)\nRompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nTemperate(Fae, True)" + ] + }, + { + "id": "ProntoQA_31", + "context": "Each jompus is not small. Each wumpus is angry. Each jompus is a zumpus. Zumpuses are temperate. Zumpuses are tumpuses. Tumpuses are brown. Tumpuses are yumpuses. Yumpuses are wooden. Yumpuses are dumpuses. Each dumpus is not angry. Every dumpus is a numpus. Numpuses are not dull. Every numpus is a vumpus. Wren is a jompus.", + "question": "Is the following statement true or false? Wren is not angry.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAngry($x, bool) ::: Is x angry?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nBrown($x, bool) ::: Is x brown?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWooden($x, bool) ::: Is x wooden?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nJompus(Wren, True)\n\nRules:\nJompus($x, True) >>> Small($x, False)\nWumpus($x, True) >>> Angry($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Brown($x, True)\nTumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Wooden($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Angry($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nAngry(Wren, False)" + ] + }, + { + "id": "ProntoQA_32", + "context": "Numpuses are earthy. Numpuses are vumpuses. Vumpuses are transparent. Each vumpus is a tumpus. Tumpuses are small. Tumpuses are dumpuses. Each dumpus is not aggressive. Dumpuses are wumpuses. Every wumpus is not wooden. Every wumpus is a jompus. Jompuses are not nervous. Each jompus is a zumpus. Each zumpus is temperate. Rompuses are wooden. Zumpuses are impuses. Each impus is blue. Impuses are yumpuses. Sally is a numpus.", + "question": "Is the following statement true or false? Sally is not wooden.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAggressive($x, bool) ::: Is x aggressive?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nJompus($x, bool) ::: Does x belong to Jompus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nRompus($x, bool) ::: Does x belong to Rompus?\nImpus($x, bool) ::: Does x belong to Impus?\nBlue($x, bool) ::: Is x blue?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nNumpus(Sally, True)\n\nRules:\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Aggressive($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Wooden($x, False)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Nervous($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, True)\nRompus($x, True) >>> Wooden($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Blue($x, True)\nImpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nWooden(Sally, False)" + ] + }, + { + "id": "ProntoQA_33", + "context": "Every yumpus is not temperate. Yumpuses are rompuses. Every rompus is large. Every rompus is an impus. Impuses are not blue. Impuses are tumpuses. Tumpuses are nervous. Tumpuses are wumpuses. Wumpuses are bright. Numpuses are not bright. Each wumpus is a zumpus. Every zumpus is not fruity. Zumpuses are dumpuses. Dumpuses are opaque. Dumpuses are vumpuses. Vumpuses are mean. Vumpuses are jompuses. Stella is a yumpus.", + "question": "Is the following statement true or false? Stella is not bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTemperate($x, bool) ::: Is x temperate?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nBlue($x, bool) ::: Is x blue?\nNervous($x, bool) ::: Is x nervous?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nOpaque($x, bool) ::: Is x opaque?\nMean($x, bool) ::: Is x mean?\n\nFacts:\nYumpus(Stella, True)\n\nRules:\nYumpus($x, True) >>> Temperate($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Blue($x, False)\nImpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Nervous($x, True)\nTumpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Bright($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Mean($x, True)\nVumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nBright(Stella, False)" + ] + }, + { + "id": "ProntoQA_34", + "context": "Impuses are bright. Every impus is a rompus. Rompuses are floral. Each rompus is a yumpus. Every yumpus is opaque. Yumpuses are numpuses. Each numpus is red. Every numpus is a dumpus. Dumpuses are bitter. Every dumpus is a vumpus. Vumpuses are not mean. Vumpuses are tumpuses. Tumpuses are not shy. Each wumpus is shy. Tumpuses are zumpuses. Each zumpus is temperate. Zumpuses are jompuses. Sam is a yumpus.", + "question": "Is the following statement true or false? Sam is shy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nRed($x, bool) ::: Is x red?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nMean($x, bool) ::: Is x mean?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nShy($x, bool) ::: Is x shy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nYumpus(Sam, True)\n\nRules:\nImpuses($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Red($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bitter($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Mean($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Shy($x, False)\nWumpus($x, True) >>> Shy($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nShy(Sam, True)" + ] + }, + { + "id": "ProntoQA_35", + "context": "Each zumpus is not wooden. Every zumpus is a vumpus. Every vumpus is not sour. Every vumpus is a jompus. Every jompus is floral. Each jompus is a wumpus. Every wumpus is transparent. Wumpuses are impuses. Impuses are dull. Every impus is a yumpus. Each yumpus is feisty. Numpuses are not orange. Every yumpus is a dumpus. Dumpuses are orange. Each dumpus is a rompus. Each rompus is not aggressive. Rompuses are tumpuses. Fae is a jompus.", + "question": "Is the following statement true or false? Fae is orange.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWooden($x, bool) ::: Is x wooden?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nImpuses($x, bool) ::: Does x belong to Impuses?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOrange($x, bool) ::: Is x orange?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nAggressive($x, bool) ::: Is x aggressive?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\n\nFacts:\nJompus(Fae, True)\n\nRules:\nZumpus($x, True) >>> Wooden($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Feisty($x, True)\nNumpus($x, True) >>> Orange($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Orange($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Aggressive($x, False)\nRompus($x, True) >>> Tumpuses($x, True)\n\nQuery:\nOrange(Fae, True)" + ] + }, + { + "id": "ProntoQA_36", + "context": "Every jompus is bright. Every jompus is a wumpus. Each wumpus is wooden. Each wumpus is a yumpus. Yumpuses are amenable. Yumpuses are impuses. Impuses are temperate. Impuses are tumpuses. Tumpuses are shy. Every tumpus is a rompus. Rompuses are not small. Every rompus is a numpus. Numpuses are fruity. Each dumpus is not shy. Numpuses are vumpuses. Sally is a jompus.", + "question": "Is the following statement true or false? Sally is shy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAmenable($x, bool) ::: Is x amenable?\nImpuses($x, bool) ::: Does x belong to Impuses?\nTemperate($x, bool) ::: Is x temperate?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nJompus(Sally, True)\n\nRules:\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Wooden($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Amenable($x, True)\nYumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Temperate($x, True)\nImpuses($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Shy($x, True)\nTumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Shy($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nShy(Sally, True)" + ] + }, + { + "id": "ProntoQA_37", + "context": "Impuses are not fruity. Impuses are wumpuses. Each wumpus is not temperate. Wumpuses are dumpuses. Rompuses are not sweet. Dumpuses are kind. Dumpuses are zumpuses. Zumpuses are wooden. Zumpuses are vumpuses. Every vumpus is large. Vumpuses are yumpuses. Yumpuses are transparent. Yumpuses are numpuses. Numpuses are brown. Numpuses are tumpuses. Tumpuses are sweet. Tumpuses are jompuses. Wren is a zumpus.", + "question": "Is the following statement true or false? Wren is sweet.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nSweet($x, bool) ::: Is x sweet?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWooden($x, bool) ::: Is x wooden?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBrown($x, bool) ::: Is x brown?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Wren, True)\n\nRules:\nImpuses($x, True) >>> Fruity($x, False)\nImpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Temperate($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nRompus($x, True) >>> Sweet($x, False)\nDumpus($x, True) >>> Kind($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Wooden($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Large($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Sweet($x, True)\nTumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nSweet(Wren, True)" + ] + }, + { + "id": "ProntoQA_38", + "context": "Vumpuses are wooden. Every vumpus is a jompus. Jompuses are earthy. Each jompus is a wumpus. Wumpuses are not transparent. Wumpuses are yumpuses. Yumpuses are not bright. Each yumpus is an impus. Every rompus is happy. Impuses are not happy. Each impus is a dumpus. Dumpuses are brown. Dumpuses are zumpuses. Zumpuses are not sour. Zumpuses are numpuses. Every numpus is not angry. Numpuses are tumpuses. Polly is a vumpus.", + "question": "Is the following statement true or false? Polly is not happy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWooden($x, bool) ::: Is x wooden?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nHappy($x, bool) ::: Is x happy?\nRompus($x, bool) ::: Does x belong to Rompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBrown($x, bool) ::: Is x brown?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAngry($x, bool) ::: Is x angry?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nVumpus(Polly, True)\n\nRules:\nVumpus($x, True) >>> Wooden($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, False)\nYumpus($x, True) >>> Impus($x, True)\nRompus($x, True) >>> Happy($x, True)\nImpus($x, True) >>> Happy($x, False)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Angry($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nHappy(Polly, False)" + ] + }, + { + "id": "ProntoQA_39", + "context": "Each rompus is amenable. Each rompus is an impus. Impuses are happy. Every impus is a wumpus. Wumpuses are sour. Each wumpus is a zumpus. Zumpuses are fruity. Zumpuses are tumpuses. Each tumpus is not large. Every tumpus is a vumpus. Yumpuses are not hot. Every vumpus is liquid. Every vumpus is a jompus. Jompuses are hot. Jompuses are dumpuses. Stella is a wumpus.", + "question": "Is the following statement true or false? Stella is not hot.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nAmenable($x, bool) ::: Is x amenable?\nImpus($x, bool) ::: Does x belong to Impus?\nHappy($x, bool) ::: Is x happy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSour($x, bool) ::: Is x sour?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHot($x, bool) ::: Is x hot?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nJompus($x, bool) ::: Does x belong to Jompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nWumpus(Stella, True)\n\nRules:\nRompus($x, True) >>> Amenable($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Happy($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sour($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, False)\nTumpus($x, True) >>> Vumpus($x, True)\nYumpus($x, True) >>> Hot($x, False)\nVumpus($x, True) >>> Liquid($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, True)\nJompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nHot(Stella, False)" + ] + }, + { + "id": "ProntoQA_40", + "context": "Yumpuses are small. Yumpuses are vumpuses. Vumpuses are red. Vumpuses are numpuses. Numpuses are bitter. Each numpus is a wumpus. Each impus is not amenable. Every wumpus is bright. Every wumpus is a dumpus. Every dumpus is temperate. Dumpuses are rompuses. Rompuses are floral. Rompuses are tumpuses. Tumpuses are opaque. Each tumpus is a jompus. Every jompus is amenable. Every jompus is a zumpus. Sally is a wumpus.", + "question": "Is the following statement true or false? Sally is amenable.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nRed($x, bool) ::: Is x red?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nAmenable($x, bool) ::: Is x amenable?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nWumpus(Sally, True)\n\nRules:\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Red($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bitter($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nImpus($x, True) >>> Amenable($x, False)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Amenable($x, True)\nJompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nAmenable(Sally, True)" + ] + }, + { + "id": "ProntoQA_41", + "context": "Rompuses are transparent. Every rompus is a yumpus. Yumpuses are earthy. Yumpuses are jompuses. Every jompus is not large. Each jompus is a wumpus. Each wumpus is not brown. Tumpuses are hot. Wumpuses are zumpuses. Every zumpus is dull. Zumpuses are numpuses. Numpuses are bitter. Every numpus is a dumpus. Dumpuses are not shy. Each dumpus is an impus. Impuses are not hot. Impuses are vumpuses. Max is a wumpus.", + "question": "Is the following statement true or false? Max is not hot.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHot($x, bool) ::: Is x hot?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nImpus($x, bool) ::: Does x belong to Impus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nWumpus(Max, True)\n\nRules:\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Earthy($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Brown($x, False)\nTumpus($x, True) >>> Hot($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bitter($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, False)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, False)\nImpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nHot(Max, False)" + ] + }, + { + "id": "ProntoQA_42", + "context": "Tumpuses are dull. Tumpuses are jompuses. Jompuses are not sour. Each jompus is a vumpus. Vumpuses are feisty. Vumpuses are dumpuses. Dumpuses are cold. Each dumpus is a yumpus. Each yumpus is transparent. Each yumpus is a numpus. Numpuses are not amenable. Numpuses are zumpuses. Each zumpus is orange. Each zumpus is a rompus. Rompuses are earthy. Each impus is not orange. Rompuses are wumpuses. Wren is a vumpus.", + "question": "Is the following statement true or false? Wren is not orange.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nSour($x, bool) ::: Is x sour?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOrange($x, bool) ::: Is x orange?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nImpus($x, bool) ::: Does x belong to Impus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nVumpus(Wren, True)\n\nRules:\nTumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sour($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Feisty($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Amenable($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Orange($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nImpus($x, True) >>> Orange($x, False)\nRompus($x, True) >>> Wumpus($x, True)\n\nQuery:\nOrange(Wren, False)" + ] + }, + { + "id": "ProntoQA_43", + "context": "Each impus is luminous. Every impus is a zumpus. Every zumpus is shy. Every zumpus is a numpus. Numpuses are not cold. Each numpus is a tumpus. Tumpuses are large. Each tumpus is a yumpus. Each yumpus is angry. Yumpuses are vumpuses. Vumpuses are not earthy. Vumpuses are jompuses. Every jompus is not sour. Dumpuses are not angry. Jompuses are rompuses. Rompuses are not opaque. Rompuses are wumpuses. Polly is an impus.", + "question": "Is the following statement true or false? Polly is angry.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nLuminous($x, bool) ::: Is x luminous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nShy($x, bool) ::: Is x shy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAngry($x, bool) ::: Is x angry?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nEarthy($x, bool) ::: Is x earthy?\nJompus($x, bool) ::: Does x belong to Jompus?\nSour($x, bool) ::: Is x sour?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nImpus(Polly, True)\n\nRules:\nImpus($x, True) >>> Luminous($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Shy($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Cold($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Angry($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Earthy($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sour($x, False)\nDumpus($x, True) >>> Angry($x, False)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Wumpus($x, True)\n\nQuery:\nAngry(Polly, True)" + ] + }, + { + "id": "ProntoQA_44", + "context": "Yumpuses are floral. Each yumpus is a vumpus. Vumpuses are not temperate. Vumpuses are jompuses. Jompuses are not dull. Impuses are not spicy. Jompuses are numpuses. Numpuses are not opaque. Each numpus is a wumpus. Every wumpus is amenable. Wumpuses are rompuses. Each rompus is not red. Rompuses are tumpuses. Tumpuses are spicy. Every tumpus is a dumpus. Dumpuses are shy. Each dumpus is a zumpus. Rex is a jompus.", + "question": "Is the following statement true or false? Rex is not spicy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nImpuses($x, bool) ::: Does x belong to Impuses?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nRompus($x, bool) ::: Does x belong to Rompus?\nRed($x, bool) ::: Is x red?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nJompus(Rex, True)\n\nRules:\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Temperate($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, False)\nImpuses($x, True) >>> Spicy($x, False)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Amenable($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Red($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Spicy($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nSpicy(Rex, False)" + ] + }, + { + "id": "ProntoQA_45", + "context": "Dumpuses are cold. Dumpuses are numpuses. Each numpus is not bitter. Every numpus is a zumpus. Zumpuses are fruity. Zumpuses are wumpuses. Wumpuses are large. Each tumpus is not wooden. Each wumpus is an impus. Every impus is wooden. Impuses are rompuses. Fae is a dumpus.", + "question": "Is the following statement true or false? Fae is wooden.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWooden($x, bool) ::: Is x wooden?\nImpus($x, bool) ::: Does x belong to Impus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nDumpus(Fae, True)\n\nRules:\nDumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bitter($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Wooden($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Wooden($x, True)\nImpus($x, True) >>> Rompus($x, True)\n\nQuery:\nWooden(Fae, True)" + ] + }, + { + "id": "ProntoQA_46", + "context": "Each rompus is nervous. Rompuses are jompuses. Jompuses are angry. Jompuses are tumpuses. Tumpuses are earthy. Every tumpus is a numpus. Each numpus is not cold. Each numpus is an impus. Dumpuses are metallic. Impuses are dull. Each impus is a zumpus. Zumpuses are not opaque. Zumpuses are wumpuses. Every wumpus is blue. Wumpuses are vumpuses. Every vumpus is not metallic. Every vumpus is a yumpus. Sally is a numpus.", + "question": "Is the following statement true or false? Sally is not metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\nAngry($x, bool) ::: Is x angry?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nEarthy($x, bool) ::: Is x earthy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nImpus($x, bool) ::: Does x belong to Impus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBlue($x, bool) ::: Is x blue?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nNumpus(Sally, True)\n\nRules:\nRompus($x, True) >>> Nervous($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Angry($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Earthy($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Cold($x, False)\nNumpus($x, True) >>> Impus($x, True)\nDumpus($x, True) >>> Metallic($x, True)\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, False)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Metallic($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nMetallic(Sally, False)" + ] + }, + { + "id": "ProntoQA_47", + "context": "Vumpuses are fruity. Vumpuses are jompuses. Jompuses are opaque. Every jompus is a wumpus. Every wumpus is nervous. Each wumpus is an impus. Every impus is sour. Impuses are tumpuses. Every tumpus is not amenable. Each tumpus is a yumpus. Yumpuses are not metallic. Yumpuses are numpuses. Numpuses are large. Every numpus is a rompus. Dumpuses are not cold. Each rompus is cold. Each rompus is a zumpus. Max is an impus.", + "question": "Is the following statement true or false? Max is not cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNervous($x, bool) ::: Is x nervous?\nImpus($x, bool) ::: Does x belong to Impus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAmenable($x, bool) ::: Is x amenable?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMetallic($x, bool) ::: Is x metallic?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nImpus(Max, True)\n\nRules:\nVumpus($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Opaque($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sour($x, True)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Amenable($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Metallic($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nDumpus($x, True) >>> Cold($x, False)\nRompus($x, True) >>> Cold($x, True)\nRompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nCold(Max, False)" + ] + }, + { + "id": "ProntoQA_48", + "context": "Tumpuses are fruity. Yumpuses are nervous. Yumpuses are numpuses. Each numpus is large. Each numpus is a rompus. Each rompus is red. Rompuses are vumpuses. Vumpuses are temperate. Each vumpus is a jompus. Every jompus is spicy. Each jompus is an impus. Impuses are not metallic. Impuses are wumpuses. Each wumpus is bright. Wumpuses are zumpuses. Zumpuses are not fruity. Each zumpus is a dumpus. Sam is a vumpus.", + "question": "Is the following statement true or false? Sam is not fruity.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFruity($x, bool) ::: Is x fruity?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nRed($x, bool) ::: Is x red?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpus(Sam, True)\n\nRules:\nTumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Red($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Temperate($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Metallic($x, False)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nFruity(Sam, False)" + ] + }, + { + "id": "ProntoQA_49", + "context": "Wumpuses are dull. Wumpuses are rompuses. Every rompus is not cold. Rompuses are dumpuses. Dumpuses are feisty. Dumpuses are numpuses. Numpuses are mean. Numpuses are zumpuses. Every zumpus is not earthy. Every zumpus is a tumpus. Every tumpus is opaque. Impuses are liquid. Tumpuses are vumpuses. Every vumpus is not liquid. Vumpuses are jompuses. Each jompus is not spicy. Jompuses are yumpuses. Wren is a dumpus.", + "question": "Is the following statement true or false? Wren is liquid.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nEarthy($x, bool) ::: Is x earthy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpuses($x, bool) ::: Does x belong to Impuses?\nLiquid($x, bool) ::: Is x liquid?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nDumpus(Wren, True)\n\nRules:\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Feisty($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Mean($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Earthy($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nImpuses($x, True) >>> Liquid($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, False)\nJompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nLiquid(Wren, False)" + ] + }, + { + "id": "ProntoQA_50", + "context": "Jompuses are not blue. Each rompus is happy. Rompuses are dumpuses. Dumpuses are not cold. Each dumpus is a wumpus. Each wumpus is liquid. Each wumpus is an impus. Each impus is kind. Every impus is a yumpus. Each yumpus is bright. Yumpuses are zumpuses. Each zumpus is sour. Each zumpus is a vumpus. Every vumpus is small. Vumpuses are tumpuses. Every tumpus is blue. Every tumpus is a numpus. Fae is an impus.", + "question": "Is the following statement true or false? Fae is not blue.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBlue($x, bool) ::: Is x blue?\nHappy($x, bool) ::: Is x happy?\nCold($x, bool) ::: Is x cold?\nLiquid($x, bool) ::: Is x liquid?\nKind($x, bool) ::: Is x kind?\nBright($x, bool) ::: Is x bright?\nSour($x, bool) ::: Is x sour?\nSmall($x, bool) ::: Is x small?\n\nFacts:\nImpuses(Fae, True)\n\nRules:\nJompus($x, True) >>> Blue($x, False)\nRompus($x, True) >>> Happy($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Kind($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Blue($x, True)\nTumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nBlue(Fae, False)" + ] + }, + { + "id": "ProntoQA_51", + "context": "Every zumpus is small. Each zumpus is an impus. Every impus is sweet. Impuses are vumpuses. Each vumpus is not feisty. Every vumpus is a dumpus. Every dumpus is not dull. Dumpuses are rompuses. Every rompus is transparent. Rompuses are wumpuses. Each wumpus is not earthy. Wumpuses are tumpuses. Every tumpus is cold. Numpuses are not cold. Tumpuses are yumpuses. Max is a vumpus.", + "question": "Is the following statement true or false? Max is not cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nImpus($x, bool) ::: Does x belong to Impus?\nSweet($x, bool) ::: Is x sweet?\nFeisty($x, bool) ::: Is x feisty?\nEarthy($x, bool) ::: Is x earthy?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nVumpuses(Max, True)\n\nRules:\nZumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sweet($x, True)\nImpuses($x, True) >>> Vumpuses($x, True)\nVumpus($x, True) >>> Feisty($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, False)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Earthy($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Cold($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nCold(Max, False)" + ] + }, + { + "id": "ProntoQA_52", + "context": "Every jompus is spicy. Every jompus is a dumpus. Each dumpus is not transparent. Each dumpus is a zumpus. Zumpuses are feisty. Zumpuses are wumpuses. Each wumpus is not dull. Every wumpus is an impus. Every vumpus is not blue. Impuses are blue. Impuses are tumpuses. Tumpuses are not floral. Each tumpus is a numpus. Polly is a jompus.", + "question": "Is the following statement true or false? Polly is blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFeisty($x, bool) ::: Is x feisty?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBlue($x, bool) ::: Is x blue?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFloral($x, bool) ::: Is x floral?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nJompus(Polly, True)\n\nRules:\nJompus($x, True) >>> Spicy($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, False)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Feisty($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Impus($x, True)\nVumpus($x, True) >>> Blue($x, False)\nImpus($x, True) >>> Blue($x, True)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Floral($x, False)\nTumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nBlue(Polly, True)" + ] + }, + { + "id": "ProntoQA_53", + "context": "Numpuses are kind. Each numpus is a wumpus. Wumpuses are not wooden. Every zumpus is not dull. Wumpuses are impuses. Impuses are not nervous. Each impus is a yumpus. Every yumpus is hot. Every yumpus is a vumpus. Every vumpus is transparent. Vumpuses are rompuses. Rompuses are not small. Rompuses are jompuses. Jompuses are dull. Jompuses are dumpuses. Each dumpus is earthy. Every dumpus is a tumpus. Fae is an impus.", + "question": "Is the following statement true or false? Fae is dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nImpuses($x, bool) ::: Does x belong to Impuses?\nNervous($x, bool) ::: Is x nervous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nEarthy($x, bool) ::: Is x earthy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nImpuses(Fae, True)\n\nRules:\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Wooden($x, False)\nZumpus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Nervous($x, False)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Hot($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Earthy($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nDull(Fae, True)" + ] + }, + { + "id": "ProntoQA_54", + "context": "Every tumpus is not transparent. Tumpuses are jompuses. Each jompus is not large. Jompuses are vumpuses. Vumpuses are angry. Vumpuses are impuses. Yumpuses are red. Impuses are happy. Impuses are zumpuses. Zumpuses are metallic. Each zumpus is a rompus. Rompuses are dull. Rompuses are wumpuses. Every wumpus is not red. Each wumpus is a numpus. Numpuses are not sweet. Numpuses are dumpuses. Stella is a vumpus.", + "question": "Is the following statement true or false? Stella is not red.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAngry($x, bool) ::: Is x angry?\nImpus($x, bool) ::: Does x belong to Impus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRed($x, bool) ::: Is x red?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSweet($x, bool) ::: Is x sweet?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpus(Stella, True)\n\nRules:\nTumpus($x, True) >>> Transparent($x, False)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Angry($x, True)\nVumpus($x, True) >>> Impus($x, True)\nYumpus($x, True) >>> Red($x, True)\nImpus($x, True) >>> Happy($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sweet($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nRed(Stella, False)" + ] + }, + { + "id": "ProntoQA_55", + "context": "Dumpuses are dull. Dumpuses are numpuses. Numpuses are blue. Numpuses are wumpuses. Wumpuses are hot. Wumpuses are vumpuses. Vumpuses are luminous. Each vumpus is a jompus. Jompuses are mean. Jompuses are impuses. Every impus is not small. Every impus is a rompus. Rompuses are not feisty. Yumpuses are not mean. Every rompus is a zumpus. Rex is a dumpus.", + "question": "Is the following statement true or false? Rex is mean.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBlue($x, bool) ::: Is x blue?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLuminous($x, bool) ::: Is x luminous?\nJompus($x, bool) ::: Does x belong to Jompus?\nMean($x, bool) ::: Is x mean?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nDumpus(Rex, True)\n\nRules:\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Blue($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Hot($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Luminous($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Mean($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, False)\nYumpus($x, True) >>> Mean($x, False)\nRompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nMean(Rex, True)" + ] + }, + { + "id": "ProntoQA_56", + "context": "Zumpuses are bright. Every zumpus is a vumpus. Each vumpus is not kind. Each vumpus is a wumpus. Wumpuses are feisty. Wumpuses are numpuses. Each numpus is floral. Every numpus is a dumpus. Every dumpus is hot. Rompuses are liquid. Each dumpus is a tumpus. Every tumpus is not brown. Every tumpus is a jompus. Jompuses are bitter. Jompuses are impuses. Each impus is not liquid. Impuses are yumpuses. Sam is a numpus.", + "question": "Is the following statement true or false? Sam is not liquid.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFloral($x, bool) ::: Is x floral?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nLiquid($x, bool) ::: Is x liquid?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBrown($x, bool) ::: Is x brown?\nJompus($x, bool) ::: Does x belong to Jompus?\nBitter($x, bool) ::: Is x bitter?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nNumpus(Sam, True)\n\nRules:\nZumpus($x, True) >>> Bright($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Kind($x, False)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Feisty($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Floral($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Hot($x, True)\nRompus($x, True) >>> Liquid($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Brown($x, False)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bitter($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Liquid($x, False)\nImpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nLiquid(Sam, False)" + ] + }, + { + "id": "ProntoQA_57", + "context": "Rompuses are luminous. Yumpuses are feisty. Rompuses are impuses. Each impus is not sour. Impuses are wumpuses. Wumpuses are not fruity. Wumpuses are numpuses. Every numpus is blue. Every numpus is a dumpus. Every dumpus is not feisty. Each dumpus is a tumpus. Tumpuses are kind. Every tumpus is a vumpus. Each vumpus is opaque. Vumpuses are zumpuses. Each zumpus is not large. Zumpuses are jompuses. Alex is a rompus.", + "question": "Is the following statement true or false? Alex is not feisty.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFeisty($x, bool) ::: Is x feisty?\nImpus($x, bool) ::: Does x belong to Impus?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBlue($x, bool) ::: Is x blue?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nRompus(Alex, True)\n\nRules:\nRompus($x, True) >>> Luminous($x, True)\nYumpus($x, True) >>> Feisty($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sour($x, False)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Blue($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Feisty($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Kind($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, False)\nZumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nFeisty(Alex, False)" + ] + }, + { + "id": "ProntoQA_58", + "context": "Tumpuses are kind. Every tumpus is an impus. Impuses are not dull. Impuses are jompuses. Jompuses are not large. Jompuses are zumpuses. Every zumpus is happy. Zumpuses are wumpuses. Every dumpus is not fruity. Each wumpus is sweet. Wumpuses are yumpuses. Yumpuses are orange. Every yumpus is a numpus. Numpuses are transparent. Each numpus is a vumpus. Vumpuses are fruity. Every vumpus is a rompus. Fae is a zumpus.", + "question": "Is the following statement true or false? Fae is not fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nImpus($x, bool) ::: Does x belong to Impus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSweet($x, bool) ::: Is x sweet?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nRompus($x, bool) ::: Does x belong to Rompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nZumpus(Fae, True)\n\nRules:\nTumpus($x, True) >>> Kind($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, False)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Happy($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nDumpus($x, True) >>> Fruity($x, False)\nWumpus($x, True) >>> Sweet($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Orange($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nFruity(Fae, False)" + ] + }, + { + "id": "ProntoQA_59", + "context": "Each rompus is mean. Every rompus is a wumpus. Each tumpus is nervous. Wumpuses are brown. Wumpuses are yumpuses. Every yumpus is large. Yumpuses are vumpuses. Each vumpus is dull. Vumpuses are zumpuses. Zumpuses are earthy. Every zumpus is a numpus. Numpuses are not sour. Numpuses are impuses. Impuses are transparent. Each impus is a dumpus. Dumpuses are not nervous. Dumpuses are jompuses. Max is a vumpus.", + "question": "Is the following statement true or false? Max is not nervous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nMean($x, bool) ::: Is x mean?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nBrown($x, bool) ::: Is x brown?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nEarthy($x, bool) ::: Is x earthy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSour($x, bool) ::: Is x sour?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nVumpus(Max, True)\n\nRules:\nRompus($x, True) >>> Mean($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nTumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Brown($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Earthy($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sour($x, False)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Nervous($x, False)\nDumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nNervous(Max, False)" + ] + }, + { + "id": "ProntoQA_60", + "context": "Wumpuses are large. Each wumpus is an impus. Each impus is not hot. Impuses are numpuses. Every numpus is earthy. Zumpuses are mean. Numpuses are vumpuses. Vumpuses are liquid. Vumpuses are dumpuses. Dumpuses are not mean. Dumpuses are tumpuses. Sam is a wumpus.", + "question": "Is the following statement true or false? Sam is mean.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nHot($x, bool) ::: Is x hot?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMean($x, bool) ::: Is x mean?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nWumpus(Sam, True)\n\nRules:\nWumpus($x, True) >>> Large($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, False)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nZumpus($x, True) >>> Mean($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Mean($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nMean(Sam, False)" + ] + }, + { + "id": "ProntoQA_61", + "context": "Rompuses are amenable. Rompuses are numpuses. Numpuses are brown. Numpuses are zumpuses. Every zumpus is bright. Vumpuses are nervous. Every zumpus is a dumpus. Every dumpus is sweet. Dumpuses are yumpuses. Every yumpus is not nervous. Yumpuses are jompuses. Jompuses are not liquid. Jompuses are impuses. Impuses are not small. Each impus is a tumpus. Tumpuses are not transparent. Tumpuses are wumpuses. Max is a rompus.", + "question": "Is the following statement true or false? Max is not nervous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAmenable($x, bool) ::: Is x amenable?\nBrown($x, bool) ::: Is x brown?\nBright($x, bool) ::: Is x bright?\nNervous($x, bool) ::: Is x nervous?\nSweet($x, bool) ::: Is x sweet?\nSmall($x, bool) ::: Is x small?\n\nFacts:\nRompus(Max, True)\n\nRules:\nRompus($x, True) >>> Amenable($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Nervous($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sweet($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Liquid($x, False)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, False)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Transparent($x, False)\nTumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nNervous(Max, False)" + ] + }, + { + "id": "ProntoQA_62", + "context": "Every zumpus is nervous. Every zumpus is a dumpus. Every dumpus is large. Dumpuses are rompuses. Every rompus is brown. Vumpuses are transparent. Each rompus is a numpus. Numpuses are not bitter. Numpuses are wumpuses. Each wumpus is floral. Every wumpus is a yumpus. Every yumpus is not transparent. Yumpuses are tumpuses. Tumpuses are not bright. Every tumpus is an impus. Wren is a dumpus.", + "question": "Is the following statement true or false? Wren is not transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nDumpus(Wren, True)\n\nRules:\nZumpus($x, True) >>> Nervous($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Brown($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bitter($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, False)\nTumpus($x, True) >>> Impus($x, True)\n\nQuery:\nTransparent(Wren, False)" + ] + }, + { + "id": "ProntoQA_63", + "context": "Numpuses are not mean. Each zumpus is not brown. Numpuses are rompuses. Every rompus is not cold. Rompuses are vumpuses. Vumpuses are not happy. Every vumpus is an impus. Each impus is liquid. Impuses are jompuses. Jompuses are dull. Every jompus is a tumpus. Every tumpus is spicy. Tumpuses are yumpuses. Every yumpus is fruity. Each yumpus is a wumpus. Wumpuses are brown. Wumpuses are dumpuses. Rex is an impus.", + "question": "Is the following statement true or false? Rex is brown.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nImpus($x, bool) ::: Does x belong to Impus?\nLiquid($x, bool) ::: Is x liquid?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nImpus(Rex, True)\n\nRules:\nNumpus($x, True) >>> Mean($x, False)\nZumpus($x, True) >>> Brown($x, False)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, False)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Liquid($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Spicy($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Brown($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nBrown(Rex, True)" + ] + }, + { + "id": "ProntoQA_64", + "context": "Tumpuses are bright. Tumpuses are rompuses. Rompuses are not earthy. Every rompus is a dumpus. Every dumpus is sweet. Each dumpus is a zumpus. Each zumpus is luminous. Zumpuses are impuses. Every numpus is temperate. Impuses are not temperate. Every impus is a wumpus. Every wumpus is red. Wumpuses are yumpuses. Every yumpus is kind. Every yumpus is a jompus. Every jompus is shy. Every jompus is a vumpus. Sam is a tumpus.", + "question": "Is the following statement true or false? Sam is not temperate.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBright($x, bool) ::: Is x bright?\nEarthy($x, bool) ::: Is x earthy?\nSweet($x, bool) ::: Is x sweet?\nLuminous($x, bool) ::: Is x luminous?\nTemperate($x, bool) ::: Is x temperate?\nRed($x, bool) ::: Is x red?\nKind($x, bool) ::: Is x kind?\n\nFacts:\nTumpuses(Sam, True)\n\nRules:\nTumpuses($x, True) >>> Bright($x, True)\nTumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sweet($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Luminous($x, True)\nZumpus($x, True) >>> Impuses($x, True)\nNumpus($x, True) >>> Temperate($x, True)\nImpuses($x, True) >>> Temperate($x, False)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Kind($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Shy($x, True)\nJompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nTemperate(Sam, False)" + ] + }, + { + "id": "ProntoQA_65", + "context": "Each rompus is spicy. Rompuses are zumpuses. Each zumpus is cold. Zumpuses are dumpuses. Every dumpus is happy. Dumpuses are vumpuses. Each vumpus is blue. Vumpuses are jompuses. Jompuses are not large. Every jompus is a wumpus. Every impus is angry. Each wumpus is not angry. Wumpuses are tumpuses. Each tumpus is dull. Every tumpus is a numpus. Numpuses are not luminous. Numpuses are yumpuses. Max is a zumpus.", + "question": "Is the following statement true or false? Max is angry.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nAngry($x, bool) ::: Is x angry?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nZumpus(Max, True)\n\nRules:\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Happy($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Blue($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nImpus($x, True) >>> Angry($x, True)\nWumpus($x, True) >>> Angry($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Luminous($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nAngry(Max, False)" + ] + }, + { + "id": "ProntoQA_66", + "context": "Impuses are not large. Each impus is a yumpus. Yumpuses are floral. Yumpuses are jompuses. Jompuses are not transparent. Each jompus is a wumpus. Every wumpus is nervous. Wumpuses are vumpuses. Rompuses are not sweet. Each vumpus is hot. Vumpuses are tumpuses. Every tumpus is mean. Tumpuses are numpuses. Numpuses are dull. Numpuses are zumpuses. Zumpuses are sweet. Zumpuses are dumpuses. Sam is a wumpus.", + "question": "Is the following statement true or false? Sam is not sweet.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nImpuses($x, bool) ::: Does x belong to Impuses?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNervous($x, bool) ::: Is x nervous?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nRompus($x, bool) ::: Does x belong to Rompus?\nSweet($x, bool) ::: Is x sweet?\nHot($x, bool) ::: Is x hot?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nMean($x, bool) ::: Is x mean?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nWumpus(Sam, True)\n\nRules:\nImpuses($x, True) >>> Large($x, False)\nImpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Vumpuses($x, True)\nRompus($x, True) >>> Sweet($x, False)\nVumpus($x, True) >>> Hot($x, True)\nVumpus($x, True) >>> Tumpuses($x, True)\nTumpus($x, True) >>> Mean($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sweet($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nSweet(Sam, False)" + ] + }, + { + "id": "ProntoQA_67", + "context": "Numpuses are not mean. Numpuses are impuses. Every impus is not fruity. Impuses are zumpuses. Each zumpus is small. Zumpuses are tumpuses. Every tumpus is transparent. Each tumpus is a jompus. Wumpuses are not orange. Each jompus is not bright. Jompuses are dumpuses. Dumpuses are orange. Each dumpus is a vumpus. Every vumpus is sweet. Vumpuses are yumpuses. Yumpuses are wooden. Every yumpus is a rompus. Sam is an impus.", + "question": "Is the following statement true or false? Sam is orange.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nImpus($x, bool) ::: Does x belong to Impus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSweet($x, bool) ::: Is x sweet?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nImpus(Sam, True)\n\nRules:\nNumpus($x, True) >>> Mean($x, False)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Fruity($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Transparent($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nWumpus($x, True) >>> Orange($x, False)\nJompus($x, True) >>> Bright($x, False)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Orange($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sweet($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Wooden($x, True)\nYumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nOrange(Sam, True)" + ] + }, + { + "id": "ProntoQA_68", + "context": "Rompuses are large. Every rompus is a wumpus. Every wumpus is not blue. Wumpuses are numpuses. Numpuses are cold. Numpuses are impuses. Every impus is fruity. Each impus is a jompus. Every jompus is spicy. Jompuses are zumpuses. Each vumpus is not spicy. Zumpuses are not dull. Zumpuses are yumpuses. Yumpuses are liquid. Each yumpus is a tumpus. Every tumpus is opaque. Tumpuses are dumpuses. Wren is a rompus.", + "question": "Is the following statement true or false? Wren is spicy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nBlue($x, bool) ::: Is x blue?\nCold($x, bool) ::: Is x cold?\nFruity($x, bool) ::: Is x fruity?\nSpicy($x, bool) ::: Is x spicy?\nDull($x, bool) ::: Is x dull?\nOpaque($x, bool) ::: Is x opaque?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nRompus(Wren, True)\n\nRules:\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Fruity($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nVumpus($x, True) >>> Spicy($x, False)\nZumpus($x, True) >>> Dull($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nSpicy(Wren, True)" + ] + }, + { + "id": "ProntoQA_69", + "context": "Each tumpus is not blue. Tumpuses are vumpuses. Vumpuses are not transparent. Every vumpus is a rompus. Each rompus is not fruity. Rompuses are dumpuses. Every dumpus is not nervous. Each dumpus is a yumpus. Yumpuses are not liquid. Each yumpus is a jompus. Jompuses are not cold. Zumpuses are cold. Each jompus is a numpus. Numpuses are large. Numpuses are impuses. Every impus is aggressive. Each impus is a wumpus. Wren is a vumpus.", + "question": "Is the following statement true or false? Wren is not cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBlue($x, bool) ::: Is x blue?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNervous($x, bool) ::: Is x nervous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nAggressive($x, bool) ::: Is x aggressive?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nVumpus(Wren, True)\n\nRules:\nTumpus($x, True) >>> Blue($x, False)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Fruity($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Nervous($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, False)\nZumpus($x, True) >>> Cold($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Aggressive($x, True)\nImpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nCold(Wren, False)" + ] + }, + { + "id": "ProntoQA_70", + "context": "Each jompus is earthy. Jompuses are yumpuses. Yumpuses are metallic. Each yumpus is an impus. Each dumpus is not transparent. Impuses are nervous. Impuses are rompuses. Every rompus is small. Rompuses are tumpuses. Tumpuses are transparent. Tumpuses are vumpuses. Rex is a jompus.", + "question": "Is the following statement true or false? Rex is not transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMetallic($x, bool) ::: Is x metallic?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNervous($x, bool) ::: Is x nervous?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\n\nFacts:\nJompus(Rex, True)\n\nRules:\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Metallic($x, True)\nYumpus($x, True) >>> Impus($x, True)\nDumpus($x, True) >>> Transparent($x, False)\nImpus($x, True) >>> Nervous($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Transparent($x, True)\nTumpuses($x, True) >>> Vumpuses($x, True)\n\nQuery:\nTransparent(Rex, False)" + ] + }, + { + "id": "ProntoQA_71", + "context": "Every rompus is cold. Each rompus is an impus. Every numpus is not dull. Each impus is large. Impuses are vumpuses. Every vumpus is mean. Vumpuses are dumpuses. Each dumpus is floral. Dumpuses are zumpuses. Zumpuses are opaque. Every zumpus is a jompus. Each jompus is dull. Each jompus is a wumpus. Every wumpus is shy. Each wumpus is a tumpus. Each tumpus is wooden. Each tumpus is a yumpus. Sally is an impus.", + "question": "Is the following statement true or false? Sally is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nImpus($x, bool) ::: Does x belong to Impus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nMean($x, bool) ::: Is x mean?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nShy($x, bool) ::: Is x shy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nImpus(Sally, True)\n\nRules:\nRompus($x, True) >>> Cold($x, True)\nRompus($x, True) >>> Impus($x, True)\nNumpus($x, True) >>> Dull($x, False)\nImpus($x, True) >>> Large($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Mean($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Shy($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Wooden($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nDull(Sally, False)" + ] + }, + { + "id": "ProntoQA_72", + "context": "Tumpuses are not small. Tumpuses are yumpuses. Every yumpus is aggressive. Each yumpus is a wumpus. Every wumpus is bright. Each wumpus is a jompus. Jompuses are not liquid. Every jompus is a vumpus. Each vumpus is orange. Every vumpus is an impus. Every impus is not transparent. Each impus is a zumpus. Every zumpus is fruity. Every zumpus is a numpus. Every numpus is sour. Rompuses are not fruity. Numpuses are dumpuses. Sam is a wumpus.", + "question": "Is the following statement true or false? Sam is fruity.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSmall($x, bool) ::: Is x small?\nAggressive($x, bool) ::: Is x aggressive?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nWumpus(Sam, True)\n\nRules:\nTumpuses($x, True) >>> Small($x, False)\nTumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Liquid($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Orange($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sour($x, True)\nRompus($x, True) >>> Fruity($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nFruity(Sam, True)" + ] + }, + { + "id": "ProntoQA_73", + "context": "Rompuses are bitter. Rompuses are yumpuses. Yumpuses are nervous. Yumpuses are jompuses. Jompuses are not blue. Dumpuses are not earthy. Every jompus is an impus. Impuses are bright. Each impus is a numpus. Numpuses are earthy. Every numpus is a vumpus. Wren is a rompus.", + "question": "Is the following statement true or false? Wren is not earthy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBitter($x, bool) ::: Is x bitter?\nNervous($x, bool) ::: Is x nervous?\nBlue($x, bool) ::: Is x blue?\nEarthy($x, bool) ::: Is x earthy?\nBright($x, bool) ::: Is x bright?\n\nFacts:\nRompus(Wren, True)\n\nRules:\nRompus($x, True) >>> Bitter($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Blue($x, False)\nDumpus($x, True) >>> Earthy($x, False)\nJompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Bright($x, True)\nImpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nEarthy(Wren, False)" + ] + }, + { + "id": "ProntoQA_74", + "context": "Vumpuses are sour. Each vumpus is a zumpus. Every zumpus is angry. Each zumpus is a tumpus. Tumpuses are not small. Every tumpus is a yumpus. Each yumpus is not blue. Yumpuses are rompuses. Each rompus is not fruity. Wumpuses are fruity. Every rompus is a numpus. Numpuses are hot. Each numpus is an impus. Every impus is transparent. Every impus is a dumpus. Dumpuses are wooden. Every dumpus is a jompus. Sam is a vumpus.", + "question": "Is the following statement true or false? Sam is not fruity.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAngry($x, bool) ::: Is x angry?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBlue($x, bool) ::: Is x blue?\nRompus($x, bool) ::: Does x belong to Rompus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nVumpus(Sam, True)\n\nRules:\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Angry($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Blue($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Fruity($x, False)\nWumpus($x, True) >>> Fruity($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Wooden($x, True)\nDumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nFruity(Sam, False)" + ] + }, + { + "id": "ProntoQA_75", + "context": "Jompuses are bright. Every jompus is a rompus. Rompuses are not opaque. Rompuses are vumpuses. Each vumpus is red. Each vumpus is a numpus. Every zumpus is not fruity. Every numpus is not spicy. Numpuses are impuses. Each impus is temperate. Every impus is a wumpus. Every wumpus is fruity. Wumpuses are yumpuses. Yumpuses are liquid. Yumpuses are dumpuses. Dumpuses are small. Dumpuses are tumpuses. Polly is a rompus.", + "question": "Is the following statement true or false? Polly is fruity.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nRed($x, bool) ::: Is x red?\nNumpus($x, bool) ::: Does x belong to Numpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nRompus(Polly, True)\n\nRules:\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Red($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nZumpus($x, True) >>> Fruity($x, False)\nNumpus($x, True) >>> Spicy($x, False)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Temperate($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nFruity(Polly, True)" + ] + }, + { + "id": "ProntoQA_76", + "context": "Zumpuses are not spicy. Each yumpus is cold. Yumpuses are impuses. Every impus is red. Impuses are jompuses. Every jompus is not feisty. Every jompus is a rompus. Rompuses are angry. Each rompus is a wumpus. Each wumpus is spicy. Wumpuses are vumpuses. Vumpuses are not small. Vumpuses are numpuses. Numpuses are earthy. Numpuses are tumpuses. Every tumpus is luminous. Tumpuses are dumpuses. Sally is a yumpus.", + "question": "Is the following statement true or false? Sally is spicy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSpicy($x, bool) ::: Is x spicy?\nCold($x, bool) ::: Is x cold?\nImpuses($x, bool) ::: Does x belong to Impuses?\nRed($x, bool) ::: Is x red?\nAngry($x, bool) ::: Is x angry?\nSmall($x, bool) ::: Is x small?\nEarthy($x, bool) ::: Is x earthy?\nLuminous($x, bool) ::: Is x luminous?\nFacts:\nYumpus(Sally, True)\nRules:\nZumpus($x, True) >>> Spicy($x, False)\nYumpus($x, True) >>> Cold($x, True)\nYumpus($x, True) >>> Impuses($x, True)\nImpus($x, True) >>> Red($x, True)\nImpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Feisty($x, False)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Angry($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Spicy($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Luminous($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nQuery:\nSpicy(Sally, True)" + ] + }, + { + "id": "ProntoQA_77", + "context": "Jompuses are dull. Each jompus is a rompus. Each rompus is nervous. Rompuses are dumpuses. Every dumpus is kind. Dumpuses are wumpuses. Tumpuses are not opaque. Each wumpus is bitter. Each wumpus is a zumpus. Every zumpus is fruity. Zumpuses are impuses. Impuses are wooden. Each impus is a yumpus. Every yumpus is opaque. Every yumpus is a vumpus. Every vumpus is small. Vumpuses are numpuses. Sam is a dumpus.", + "question": "Is the following statement true or false? Sam is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nRompus($x, bool) ::: Does x belong to Rompus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nBitter($x, bool) ::: Is x bitter?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nImpus($x, bool) ::: Does x belong to Impus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nDumpus(Sam, True)\n\nRules:\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Nervous($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Kind($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nTumpus($x, True) >>> Opaque($x, False)\nWumpus($x, True) >>> Bitter($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Wooden($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, True)\nVumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nOpaque(Sam, False)" + ] + }, + { + "id": "ProntoQA_78", + "context": "Each impus is not happy. Each impus is a vumpus. Each vumpus is brown. Vumpuses are dumpuses. Each jompus is not small. Dumpuses are not earthy. Every dumpus is a rompus. Each rompus is transparent. Rompuses are wumpuses. Wumpuses are kind. Wumpuses are yumpuses. Yumpuses are small. Each yumpus is a zumpus. Each zumpus is liquid. Zumpuses are tumpuses. Tumpuses are hot. Each tumpus is a numpus. Fae is a vumpus.", + "question": "Is the following statement true or false? Fae is small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nEarthy($x, bool) ::: Is x earthy?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nKind($x, bool) ::: Is x kind?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLiquid($x, bool) ::: Is x liquid?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHot($x, bool) ::: Is x hot?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nVumpus(Fae, True)\n\nRules:\nImpus($x, True) >>> Happy($x, False)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Brown($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nJompus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Earthy($x, False)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Kind($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Liquid($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Hot($x, True)\nTumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nSmall(Fae, True)" + ] + }, + { + "id": "ProntoQA_79", + "context": "Each impus is earthy. Impuses are rompuses. Rompuses are kind. Rompuses are wumpuses. Each wumpus is temperate. Each wumpus is a dumpus. Dumpuses are wooden. Each dumpus is a numpus. Each numpus is not blue. Each numpus is a yumpus. Each yumpus is large. Every yumpus is a vumpus. Vumpuses are dull. Tumpuses are blue. Vumpuses are jompuses. Each jompus is nervous. Jompuses are zumpuses. Stella is an impus.", + "question": "Is the following statement true or false? Stella is blue.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nEarthy($x, bool) ::: Is x earthy?\nRompus($x, bool) ::: Does x belong to Rompus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBlue($x, bool) ::: Is x blue?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nImpus(Stella, True)\n\nRules:\nImpus($x, True) >>> Earthy($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Temperate($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Wooden($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Blue($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Blue($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Nervous($x, True)\nJompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nBlue(Stella, False)" + ] + }, + { + "id": "ProntoQA_80", + "context": "Each numpus is large. Numpuses are impuses. Impuses are not cold. Impuses are dumpuses. Every dumpus is not floral. Dumpuses are vumpuses. Every vumpus is not luminous. Every vumpus is a yumpus. Each rompus is not blue. Yumpuses are blue. Yumpuses are tumpuses. Every tumpus is happy. Each tumpus is a zumpus. Zumpuses are sour. Each zumpus is a wumpus. Wumpuses are bright. Each wumpus is a jompus. Sally is a numpus.", + "question": "Is the following statement true or false? Sally is blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nLarge($x, bool) ::: Is x large?\nImpuses($x, bool) ::: Does x belong to Impuses?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nBlue($x, bool) ::: Is x blue?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nNumpus(Sally, True)\n\nRules:\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Cold($x, False)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Luminous($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nRompus($x, True) >>> Blue($x, False)\nYumpus($x, True) >>> Blue($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Happy($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nBlue(Sally, True)" + ] + }, + { + "id": "ProntoQA_81", + "context": "Jompuses are not dull. Every wumpus is opaque. Wumpuses are dumpuses. Every dumpus is not floral. Dumpuses are numpuses. Each numpus is not luminous. Each numpus is a vumpus. Every vumpus is large. Vumpuses are tumpuses. Every tumpus is not orange. Every tumpus is a zumpus. Zumpuses are dull. Every zumpus is an impus. Every impus is spicy. Every impus is a rompus. Rompuses are not temperate. Every rompus is a yumpus. Sam is a dumpus.", + "question": "Is the following statement true or false? Sam is dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLuminous($x, bool) ::: Is x luminous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOrange($x, bool) ::: Is x orange?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nSpicy($x, bool) ::: Is x spicy?\nRompus($x, bool) ::: Does x belong to Rompus?\nTemperate($x, bool) ::: Is x temperate?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nDumpus(Sam, True)\n\nRules:\nJompus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Luminous($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Large($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Orange($x, False)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Spicy($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Temperate($x, False)\nRompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nDull(Sam, True)" + ] + }, + { + "id": "ProntoQA_82", + "context": "Impuses are mean. Each impus is a yumpus. Yumpuses are blue. Yumpuses are wumpuses. Wumpuses are hot. Every wumpus is a numpus. Jompuses are happy. Numpuses are fruity. Numpuses are dumpuses. Every dumpus is not dull. Every dumpus is a tumpus. Tumpuses are not happy. Every tumpus is a vumpus. Vumpuses are not opaque. Every vumpus is a rompus. Rompuses are metallic. Each rompus is a zumpus. Rex is a yumpus.", + "question": "Is the following statement true or false? Rex is not happy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nMean($x, bool) ::: Is x mean?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBlue($x, bool) ::: Is x blue?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHot($x, bool) ::: Is x hot?\nNumpus($x, bool) ::: Does x belong to Numpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nHappy($x, bool) ::: Is x happy?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nMetallic($x, bool) ::: Is x metallic?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nYumpus(Rex, True)\n\nRules:\nImpuses($x, True) >>> Mean($x, True)\nImpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Blue($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Hot($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nJompus($x, True) >>> Happy($x, True)\nNumpus($x, True) >>> Fruity($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Happy($x, False)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Metallic($x, True)\nRompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nHappy(Rex, False)" + ] + }, + { + "id": "ProntoQA_83", + "context": "Tumpuses are transparent. Each impus is cold. Impuses are yumpuses. Every yumpus is sour. Yumpuses are zumpuses. Zumpuses are not amenable. Every zumpus is a numpus. Numpuses are wooden. Numpuses are rompuses. Each rompus is not transparent. Every rompus is a dumpus. Dumpuses are dull. Each dumpus is a vumpus. Vumpuses are large. Each vumpus is a wumpus. Every wumpus is floral. Each wumpus is a jompus. Wren is an impus.", + "question": "Is the following statement true or false? Wren is transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nImpus($x, bool) ::: Does x belong to Impus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSour($x, bool) ::: Is x sour?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAmenable($x, bool) ::: Is x amenable?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nImpus(Wren, True)\n\nRules:\nTumpus($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Cold($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sour($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Amenable($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Wooden($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Large($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nWumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nTransparent(Wren, True)" + ] + }, + { + "id": "ProntoQA_84", + "context": "Vumpuses are floral. Vumpuses are wumpuses. Each wumpus is not spicy. Wumpuses are zumpuses. Zumpuses are orange. Zumpuses are tumpuses. Every tumpus is dull. Every tumpus is a dumpus. Every dumpus is amenable. Every yumpus is not opaque. Dumpuses are impuses. Each impus is not feisty. Every impus is a jompus. Each jompus is opaque. Jompuses are numpuses. Rex is a zumpus.", + "question": "Is the following statement true or false? Rex is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFloral($x, bool) ::: Is x floral?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSpicy($x, bool) ::: Is x spicy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOrange($x, bool) ::: Is x orange?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAmenable($x, bool) ::: Is x amenable?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nFeisty($x, bool) ::: Is x feisty?\nJompus($x, bool) ::: Does x belong to Jompus?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nZumpus(Rex, True)\n\nRules:\nVumpus($x, True) >>> Floral($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Spicy($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Orange($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Amenable($x, True)\nYumpus($x, True) >>> Opaque($x, False)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Feisty($x, False)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Opaque($x, True)\nJompus($x, True) >>> Numpus($x, True)\n\nQuery:\nOpaque(Rex, False)" + ] + }, + { + "id": "ProntoQA_85", + "context": "Rompuses are not earthy. Every rompus is a zumpus. Zumpuses are not bitter. Every zumpus is a jompus. Each jompus is dull. Jompuses are vumpuses. Numpuses are not transparent. Every vumpus is not kind. Vumpuses are tumpuses. Tumpuses are temperate. Every tumpus is a yumpus. Yumpuses are happy. Yumpuses are dumpuses. Every dumpus is liquid. Dumpuses are wumpuses. Wumpuses are transparent. Wumpuses are impuses. Sam is a vumpus.", + "question": "Is the following statement true or false? Sam is not transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nEarthy($x, bool) ::: Is x earthy?\nBitter($x, bool) ::: Is x bitter?\nKind($x, bool) ::: Is x kind?\nTemperate($x, bool) ::: Is x temperate?\nHappy($x, bool) ::: Is x happy?\n\nFacts:\nVumpuses(Sam, True)\n\nRules:\nRompus($x, True) >>> Earthy($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bitter($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Kind($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Temperate($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Liquid($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Impus($x, True)\n\nQuery:\nTransparent(Sam, False)" + ] + }, + { + "id": "ProntoQA_86", + "context": "Zumpuses are luminous. Each zumpus is a tumpus. Each tumpus is not spicy. Tumpuses are vumpuses. Vumpuses are not fruity. Every vumpus is an impus. Each impus is small. Rompuses are not shy. Impuses are yumpuses. Each yumpus is temperate. Every yumpus is a jompus. Each jompus is bright. Each jompus is a wumpus. Wumpuses are amenable. Each wumpus is a dumpus. Dumpuses are shy. Dumpuses are numpuses. Stella is an impus.", + "question": "Is the following statement true or false? Stella is not shy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLuminous($x, bool) ::: Is x luminous?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSpicy($x, bool) ::: Is x spicy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nShy($x, bool) ::: Is x shy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nImpus(Stella, True)\n\nRules:\nZumpus($x, True) >>> Luminous($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Spicy($x, False)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Fruity($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Shy($x, False)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Amenable($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nShy(Stella, False)" + ] + }, + { + "id": "ProntoQA_87", + "context": "Numpuses are not fruity. Numpuses are dumpuses. Each dumpus is not orange. Dumpuses are yumpuses. Yumpuses are nervous. Yumpuses are vumpuses. Every impus is sour. Every vumpus is hot. Vumpuses are tumpuses. Each tumpus is small. Tumpuses are rompuses. Every rompus is mean. Rompuses are zumpuses. Each zumpus is not sour. Zumpuses are jompuses. Alex is a yumpus.", + "question": "Is the following statement true or false? Alex is not sour.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nSour($x, bool) ::: Is x sour?\nHot($x, bool) ::: Is x hot?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nYumpus(Alex, True)\n\nRules:\nNumpus($x, True) >>> Fruity($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Orange($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nImpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Hot($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Mean($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, False)\nZumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nSour(Alex, False)" + ] + }, + { + "id": "ProntoQA_88", + "context": "Jompuses are spicy. Jompuses are yumpuses. Yumpuses are small. Each yumpus is a vumpus. Every impus is not liquid. Every vumpus is blue. Vumpuses are dumpuses. Every dumpus is fruity. Every dumpus is a zumpus. Each zumpus is aggressive. Every zumpus is a rompus. Rompuses are opaque. Every rompus is a wumpus. Each wumpus is liquid. Each wumpus is a tumpus. Wren is a vumpus.", + "question": "Is the following statement true or false? Wren is liquid.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nLiquid($x, bool) ::: Is x liquid?\nBlue($x, bool) ::: Is x blue?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAggressive($x, bool) ::: Is x aggressive?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nVumpus(Wren, True)\n\nRules:\nJompus($x, True) >>> Spicy($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nImpus($x, True) >>> Liquid($x, False)\nVumpus($x, True) >>> Blue($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Aggressive($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nLiquid(Wren, True)" + ] + }, + { + "id": "ProntoQA_89", + "context": "Tumpuses are sour. Each tumpus is a vumpus. Vumpuses are bright. Each vumpus is a numpus. Each rompus is not brown. Each numpus is liquid. Numpuses are impuses. Impuses are not small. Impuses are jompuses. Jompuses are brown. Jompuses are yumpuses. Max is a tumpus.", + "question": "Is the following statement true or false? Max is not brown.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSour($x, bool) ::: Is x sour?\nBright($x, bool) ::: Is x bright?\nBrown($x, bool) ::: Is x brown?\nSmall($x, bool) ::: Is x small?\n\nFacts:\nTumpuses(Max, True)\n\nRules:\nTumpuses($x, True) >>> Sour($x, True)\nTumpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Bright($x, True)\nVumpuses($x, True) >>> Numpus($x, True)\nRompus($x, True) >>> Brown($x, False)\nNumpus($x, True) >>> Liquid($x, True)\nNumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Small($x, False)\nImpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Brown($x, True)\nJompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nBrown(Max, False)" + ] + }, + { + "id": "ProntoQA_90", + "context": "Each zumpus is not nervous. Zumpuses are dumpuses. Every dumpus is sweet. Each dumpus is a vumpus. Each vumpus is not brown. Vumpuses are rompuses. Rompuses are kind. Rompuses are yumpuses. Every yumpus is large. Each yumpus is a tumpus. Tumpuses are fruity. Each tumpus is a wumpus. Every impus is metallic. Wumpuses are not metallic. Every wumpus is a numpus. Numpuses are not transparent. Every numpus is a jompus. Max is a vumpus.", + "question": "Is the following statement true or false? Max is metallic.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nKind($x, bool) ::: Is x kind?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMetallic($x, bool) ::: Is x metallic?\nImpus($x, bool) ::: Does x belong to Impus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nVumpus(Max, True)\n\nRules:\nZumpus($x, True) >>> Nervous($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sweet($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Brown($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Fruity($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nImpus($x, True) >>> Metallic($x, True)\nWumpus($x, True) >>> Metallic($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nNumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nMetallic(Max, False)" + ] + }, + { + "id": "ProntoQA_91", + "context": "Numpuses are spicy. Dumpuses are not small. Each numpus is a yumpus. Yumpuses are not opaque. Every yumpus is a wumpus. Wumpuses are floral. Each wumpus is a tumpus. Tumpuses are cold. Each tumpus is a vumpus. Vumpuses are not bright. Each vumpus is an impus. Impuses are nervous. Each impus is a jompus. Jompuses are mean. Jompuses are zumpuses. Zumpuses are small. Zumpuses are rompuses. Wren is a tumpus.", + "question": "Is the following statement true or false? Wren is not small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nSpicy($x, bool) ::: Is x spicy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nTumpus(Wren, True)\n\nRules:\nNumpus($x, True) >>> Spicy($x, True)\nDumpus($x, True) >>> Small($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, False)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Nervous($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Mean($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nSmall(Wren, False)" + ] + }, + { + "id": "ProntoQA_92", + "context": "Wumpuses are transparent. Each wumpus is a dumpus. Dumpuses are shy. Every dumpus is a zumpus. Each zumpus is cold. Zumpuses are rompuses. Every rompus is not red. Rompuses are impuses. Each impus is metallic. Each impus is a numpus. Every numpus is fruity. Numpuses are jompuses. Tumpuses are not metallic. Jompuses are dull. Jompuses are vumpuses. Vumpuses are spicy. Every vumpus is a yumpus. Sally is a wumpus.", + "question": "Is the following statement true or false? Sally is metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nRompus($x, bool) ::: Does x belong to Rompus?\nRed($x, bool) ::: Is x red?\nImpus($x, bool) ::: Does x belong to Impus?\nMetallic($x, bool) ::: Is x metallic?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nWumpus(Sally, True)\n\nRules:\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Red($x, False)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Metallic($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Fruity($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Spicy($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nTumpus($x, True) >>> Metallic($x, False)\n\nQuery:\nMetallic(Sally, True)" + ] + }, + { + "id": "ProntoQA_93", + "context": "Every yumpus is not kind. Each yumpus is an impus. Every impus is not red. Every impus is a numpus. Numpuses are feisty. Each dumpus is not luminous. Numpuses are zumpuses. Each zumpus is cold. Zumpuses are wumpuses. Each wumpus is fruity. Every wumpus is a rompus. Every rompus is spicy. Rompuses are tumpuses. Tumpuses are luminous. Tumpuses are jompuses. Every jompus is not dull. Jompuses are vumpuses. Polly is a numpus.", + "question": "Is the following statement true or false? Polly is not luminous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nKind($x, bool) ::: Is x kind?\nImpus($x, bool) ::: Does x belong to Impus?\nRed($x, bool) ::: Is x red?\nFeisty($x, bool) ::: Is x feisty?\nLuminous($x, bool) ::: Is x luminous?\nSpicy($x, bool) ::: Is x spicy?\n\nFacts:\nNumpus(Polly, True)\n\nRules:\nYumpus($x, True) >>> Kind($x, False)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Red($x, False)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Feisty($x, True)\nDumpus($x, True) >>> Luminous($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Luminous($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, False)\nJompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nLuminous(Polly, False)" + ] + }, + { + "id": "ProntoQA_94", + "context": "Dumpuses are wooden. Dumpuses are rompuses. Rompuses are small. Rompuses are jompuses. Jompuses are orange. Jompuses are wumpuses. Each wumpus is earthy. Each wumpus is a zumpus. Zumpuses are angry. Zumpuses are vumpuses. Tumpuses are not angry. Vumpuses are not spicy. Each vumpus is a yumpus. Yumpuses are not hot. Every yumpus is an impus. Each impus is bright. Impuses are numpuses. Max is a dumpus.", + "question": "Is the following statement true or false? Max is angry.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nOrange($x, bool) ::: Is x orange?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAngry($x, bool) ::: Is x angry?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nDumpus(Max, True)\n\nRules:\nDumpus($x, True) >>> Wooden($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Orange($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Earthy($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Angry($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nTumpus($x, True) >>> Angry($x, False)\nVumpus($x, True) >>> Spicy($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Hot($x, False)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Numpus($x, True)\n\nQuery:\nAngry(Max, True)" + ] + }, + { + "id": "ProntoQA_95", + "context": "Each impus is large. Impuses are jompuses. Jompuses are dull. Each jompus is a vumpus. Vumpuses are bitter. Vumpuses are dumpuses. Each dumpus is kind. Each dumpus is a rompus. Rompuses are metallic. Each rompus is a wumpus. Every wumpus is blue. Every wumpus is a zumpus. Numpuses are feisty. Zumpuses are not feisty. Every zumpus is a yumpus. Each yumpus is floral. Each yumpus is a tumpus. Stella is a vumpus.", + "question": "Is the following statement true or false? Stella is feisty.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBlue($x, bool) ::: Is x blue?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nVumpus(Stella, True)\n\nRules:\nImpus($x, True) >>> Large($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Kind($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Metallic($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nNumpus($x, True) >>> Feisty($x, True)\nZumpus($x, True) >>> Feisty($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nFeisty(Stella, False)" + ] + }, + { + "id": "ProntoQA_96", + "context": "Each impus is sour. Each impus is a vumpus. Each vumpus is cold. Vumpuses are zumpuses. Zumpuses are not luminous. Zumpuses are numpuses. Every numpus is earthy. Every numpus is a yumpus. Yumpuses are not mean. Each tumpus is bright. Each yumpus is a rompus. Each rompus is orange. Every rompus is a dumpus. Dumpuses are not bright. Dumpuses are jompuses. Every jompus is small. Jompuses are wumpuses. Fae is a zumpus.", + "question": "Is the following statement true or false? Fae is bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nSour($x, bool) ::: Is x sour?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLuminous($x, bool) ::: Is x luminous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMean($x, bool) ::: Is x mean?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nOrange($x, bool) ::: Is x orange?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nZumpus(Fae, True)\n\nRules:\nImpus($x, True) >>> Sour($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Luminous($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Mean($x, False)\nTumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Orange($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Wumpus($x, True)\n\nQuery:\nBright(Fae, False)" + ] + }, + { + "id": "ProntoQA_97", + "context": "Tumpuses are large. Every tumpus is a rompus. Rompuses are not transparent. Each rompus is a zumpus. Every zumpus is sweet. Each zumpus is a vumpus. Every vumpus is brown. Vumpuses are yumpuses. Yumpuses are not aggressive. Yumpuses are numpuses. Numpuses are dull. Each numpus is an impus. Impuses are not metallic. Each impus is a jompus. Every dumpus is not dull. Jompuses are not cold. Jompuses are wumpuses. Polly is a rompus.", + "question": "Is the following statement true or false? Polly is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBrown($x, bool) ::: Is x brown?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAggressive($x, bool) ::: Is x aggressive?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nRompus(Polly, True)\n\nRules:\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sweet($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Brown($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Metallic($x, False)\nImpus($x, True) >>> Jompus($x, True)\nDumpus($x, True) >>> Dull($x, False)\nJompus($x, True) >>> Cold($x, False)\nJompus($x, True) >>> Wumpus($x, True)\n\nQuery:\nDull(Polly, False)" + ] + }, + { + "id": "ProntoQA_98", + "context": "Vumpuses are liquid. Vumpuses are rompuses. Every rompus is fruity. Each rompus is a zumpus. Every zumpus is bright. Zumpuses are tumpuses. Each tumpus is happy. Each tumpus is a jompus. Jompuses are large. Every jompus is an impus. Impuses are cold. Impuses are dumpuses. Dumpuses are angry. Each dumpus is a yumpus. Each yumpus is not orange. Every wumpus is not angry. Yumpuses are numpuses. Rex is a zumpus.", + "question": "Is the following statement true or false? Rex is not angry.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nRompus($x, bool) ::: Does x belong to Rompus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHappy($x, bool) ::: Is x happy?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAngry($x, bool) ::: Is x angry?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOrange($x, bool) ::: Is x orange?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nZumpus(Rex, True)\n\nRules:\nVumpus($x, True) >>> Liquid($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Fruity($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bright($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Happy($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Cold($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Angry($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Orange($x, False)\nWumpus($x, True) >>> Angry($x, False)\nYumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nAngry(Rex, False)" + ] + }, + { + "id": "ProntoQA_99", + "context": "Dumpuses are cold. Dumpuses are rompuses. Each rompus is red. Rompuses are numpuses. Numpuses are dull. Each numpus is a yumpus. Yumpuses are happy. Every yumpus is a tumpus. Every tumpus is not kind. Every tumpus is a zumpus. Zumpuses are large. Every zumpus is a vumpus. Vumpuses are earthy. Every vumpus is an impus. Jompuses are not earthy. Impuses are not liquid. Impuses are wumpuses. Sam is a numpus.", + "question": "Is the following statement true or false? Sam is not earthy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nRompus($x, bool) ::: Does x belong to Rompus?\nRed($x, bool) ::: Is x red?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHappy($x, bool) ::: Is x happy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nEarthy($x, bool) ::: Is x earthy?\nImpus($x, bool) ::: Does x belong to Impus?\nJompus($x, bool) ::: Does x belong to Jompus?\nLiquid($x, bool) ::: Is x liquid?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nNumpus(Sam, True)\n\nRules:\nDumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Red($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Kind($x, False)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Earthy($x, True)\nVumpus($x, True) >>> Impus($x, True)\nJompus($x, True) >>> Earthy($x, False)\nImpus($x, True) >>> Liquid($x, False)\nImpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nEarthy(Sam, False)" + ] + }, + { + "id": "ProntoQA_100", + "context": "Vumpuses are sour. Vumpuses are tumpuses. Tumpuses are bright. Each tumpus is a dumpus. Each dumpus is not large. Dumpuses are numpuses. Numpuses are metallic. Each numpus is a jompus. Every jompus is not angry. Jompuses are wumpuses. Wumpuses are not shy. Wumpuses are rompuses. Rompuses are not opaque. Rompuses are yumpuses. Every zumpus is not blue. Yumpuses are blue. Yumpuses are impuses. Alex is a numpus.", + "question": "Is the following statement true or false? Alex is blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nAngry($x, bool) ::: Is x angry?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBlue($x, bool) ::: Is x blue?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nNumpus(Alex, True)\n\nRules:\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Angry($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Shy($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nZumpus($x, True) >>> Blue($x, False)\nYumpus($x, True) >>> Blue($x, True)\nYumpus($x, True) >>> Impus($x, True)\n\nQuery:\nBlue(Alex, True)" + ] + }, + { + "id": "ProntoQA_101", + "context": "Each zumpus is dull. Every impus is not shy. Each zumpus is a rompus. Rompuses are large. Every rompus is a wumpus. Wumpuses are metallic. Wumpuses are yumpuses. Yumpuses are fruity. Each yumpus is a vumpus. Vumpuses are shy. Vumpuses are tumpuses. Each tumpus is red. Tumpuses are jompuses. Jompuses are not bitter. Jompuses are dumpuses. Sam is a zumpus.", + "question": "Is the following statement true or false? Sam is not shy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMetallic($x, bool) ::: Is x metallic?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRed($x, bool) ::: Is x red?\nJompus($x, bool) ::: Does x belong to Jompus?\nBitter($x, bool) ::: Is x bitter?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nZumpus(Sam, True)\n\nRules:\nZumpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Shy($x, False)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Metallic($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Shy($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Red($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bitter($x, False)\nJompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nShy(Sam, False)" + ] + }, + { + "id": "ProntoQA_102", + "context": "Each dumpus is not dull. Tumpuses are not spicy. Dumpuses are vumpuses. Vumpuses are fruity. Each vumpus is a zumpus. Each zumpus is large. Each zumpus is a wumpus. Wumpuses are blue. Wumpuses are numpuses. Each numpus is kind. Numpuses are rompuses. Rompuses are cold. Rompuses are jompuses. Jompuses are not transparent. Jompuses are yumpuses. Yumpuses are spicy. Every yumpus is an impus. Rex is a wumpus.", + "question": "Is the following statement true or false? Rex is not spicy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nSpicy($x, bool) ::: Is x spicy?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBlue($x, bool) ::: Is x blue?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nWumpus(Rex, True)\n\nRules:\nDumpus($x, True) >>> Dull($x, False)\nTumpuses($x, True) >>> Spicy($x, False)\nDumpus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nYumpus($x, True) >>> Impus($x, True)\n\nQuery:\nSpicy(Rex, False)" + ] + }, + { + "id": "ProntoQA_103", + "context": "Every rompus is not liquid. Each rompus is a tumpus. Tumpuses are not opaque. Every tumpus is a jompus. Jompuses are red. Jompuses are vumpuses. Each vumpus is not angry. Dumpuses are small. Vumpuses are numpuses. Numpuses are not small. Numpuses are zumpuses. Zumpuses are shy. Zumpuses are impuses. Impuses are not bright. Every impus is a yumpus. Yumpuses are not bitter. Each yumpus is a wumpus. Sally is a rompus.", + "question": "Is the following statement true or false? Sally is small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nLiquid($x, bool) ::: Is x liquid?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAngry($x, bool) ::: Is x angry?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nShy($x, bool) ::: Is x shy?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nRompus(Sally, True)\n\nRules:\nRompus($x, True) >>> Liquid($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, False)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Red($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Angry($x, False)\nDumpus($x, True) >>> Small($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Shy($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, False)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bitter($x, False)\nYumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nSmall(Sally, False)" + ] + }, + { + "id": "ProntoQA_104", + "context": "Yumpuses are not temperate. Yumpuses are jompuses. Jompuses are floral. Every jompus is a wumpus. Wumpuses are mean. Wumpuses are impuses. Impuses are not liquid. Each impus is a vumpus. Every vumpus is red. Each vumpus is a dumpus. Every dumpus is not sour. Each dumpus is a zumpus. Each rompus is not red. Each zumpus is large. Zumpuses are numpuses. Numpuses are opaque. Numpuses are tumpuses. Stella is a yumpus.", + "question": "Is the following statement true or false? Stella is red.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nImpuses($x, bool) ::: Does x belong to Impuses?\nLiquid($x, bool) ::: Is x liquid?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nRed($x, bool) ::: Is x red?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSour($x, bool) ::: Is x sour?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nYumpus(Stella, True)\n\nRules:\nYumpus($x, True) >>> Temperate($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, True)\nWumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Liquid($x, False)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Red($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sour($x, False)\nDumpus($x, True) >>> Zumpus($x, True)\nRompus($x, True) >>> Red($x, False)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nRed(Stella, True)" + ] + }, + { + "id": "ProntoQA_105", + "context": "Tumpuses are wooden. Every tumpus is a yumpus. Yumpuses are spicy. Yumpuses are impuses. Impuses are feisty. Every impus is a rompus. Each rompus is large. Each rompus is a zumpus. Wumpuses are not brown. Every zumpus is not cold. Zumpuses are numpuses. Numpuses are brown. Every numpus is a vumpus. Each vumpus is not floral. Each vumpus is a jompus. Every jompus is not mean. Each jompus is a dumpus. Alex is a yumpus.", + "question": "Is the following statement true or false? Alex is not brown.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nFeisty($x, bool) ::: Is x feisty?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFloral($x, bool) ::: Is x floral?\nJompus($x, bool) ::: Does x belong to Jompus?\nMean($x, bool) ::: Is x mean?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nYumpus(Alex, True)\n\nRules:\nTumpus($x, True) >>> Wooden($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Feisty($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nWumpus($x, True) >>> Brown($x, False)\nZumpus($x, True) >>> Cold($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Floral($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Mean($x, False)\nJompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nBrown(Alex, False)" + ] + }, + { + "id": "ProntoQA_106", + "context": "Rompuses are not dull. Rompuses are wumpuses. Each wumpus is floral. Every wumpus is a dumpus. Dumpuses are hot. Every dumpus is a vumpus. Vumpuses are not large. Vumpuses are zumpuses. Every zumpus is nervous. Zumpuses are jompuses. Jompuses are spicy. Jompuses are numpuses. Numpuses are wooden. Every numpus is an impus. Every impus is angry. Tumpuses are not angry. Each impus is a yumpus. Max is a vumpus.", + "question": "Is the following statement true or false? Max is angry.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWooden($x, bool) ::: Is x wooden?\nImpus($x, bool) ::: Does x belong to Impus?\nAngry($x, bool) ::: Is x angry?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nVumpus(Max, True)\n\nRules:\nRompus($x, True) >>> Dull($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Hot($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Large($x, False)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Nervous($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Wooden($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Angry($x, True)\nTumpus($x, True) >>> Angry($x, False)\nImpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nAngry(Max, True)" + ] + }, + { + "id": "ProntoQA_107", + "context": "Every yumpus is not opaque. Yumpuses are zumpuses. Zumpuses are nervous. Every zumpus is a tumpus. Each tumpus is not large. Tumpuses are impuses. Impuses are temperate. Impuses are numpuses. Every wumpus is bitter. Each numpus is not bitter. Numpuses are vumpuses. Every vumpus is not kind. Vumpuses are rompuses. Rompuses are brown. Rompuses are jompuses. Every jompus is wooden. Every jompus is a dumpus. Sally is a yumpus.", + "question": "Is the following statement true or false? Sally is not bitter.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nImpuses($x, bool) ::: Does x belong to Impuses?\nTemperate($x, bool) ::: Is x temperate?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nJompus($x, bool) ::: Does x belong to Jompus?\nWooden($x, bool) ::: Is x wooden?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nYumpus(Sally, True)\n\nRules:\nYumpus($x, True) >>> Opaque($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Nervous($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, False)\nTumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Temperate($x, True)\nImpuses($x, True) >>> Numpus($x, True)\nWumpus($x, True) >>> Bitter($x, True)\nNumpus($x, True) >>> Bitter($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Kind($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Brown($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Wooden($x, True)\nJompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nBitter(Sally, False)" + ] + }, + { + "id": "ProntoQA_108", + "context": "Every zumpus is brown. Every zumpus is a dumpus. Each dumpus is not dull. Every dumpus is a yumpus. Every numpus is not hot. Each yumpus is not earthy. Yumpuses are wumpuses. Wumpuses are wooden. Every wumpus is a jompus. Each jompus is large. Every jompus is a tumpus. Each tumpus is amenable. Tumpuses are impuses. Every impus is hot. Every impus is a rompus. Rompuses are sweet. Rompuses are vumpuses. Wren is a yumpus.", + "question": "Is the following statement true or false? Wren is not hot.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nEarthy($x, bool) ::: Is x earthy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAmenable($x, bool) ::: Is x amenable?\nImpus($x, bool) ::: Does x belong to Impus?\nRompus($x, bool) ::: Does x belong to Rompus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nYumpus(Wren, True)\n\nRules:\nZumpus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nNumpus($x, True) >>> Hot($x, False)\nYumpus($x, True) >>> Earthy($x, False)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Wooden($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Amenable($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sweet($x, True)\nRompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nHot(Wren, False)" + ] + }, + { + "id": "ProntoQA_109", + "context": "Wumpuses are dull. Every wumpus is a dumpus. Dumpuses are not liquid. Each numpus is large. Every dumpus is a jompus. Each jompus is not brown. Jompuses are tumpuses. Every tumpus is opaque. Each tumpus is a yumpus. Yumpuses are not large. Yumpuses are vumpuses. Vumpuses are sour. Vumpuses are rompuses. Rompuses are kind. Rompuses are zumpuses. Zumpuses are fruity. Zumpuses are impuses. Sally is a wumpus.", + "question": "Is the following statement true or false? Sally is large.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLiquid($x, bool) ::: Is x liquid?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\nBrown($x, bool) ::: Is x brown?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nRompus($x, bool) ::: Does x belong to Rompus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nWumpus(Sally, True)\n\nRules:\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Liquid($x, False)\nNumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Brown($x, False)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Impus($x, True)\n\nQuery:\nLarge(Sally, True)" + ] + }, + { + "id": "ProntoQA_110", + "context": "Tumpuses are temperate. Tumpuses are zumpuses. Zumpuses are large. Zumpuses are jompuses. Jompuses are not blue. Every jompus is a rompus. Each rompus is earthy. Vumpuses are not opaque. Every rompus is a yumpus. Yumpuses are happy. Yumpuses are wumpuses. Each wumpus is opaque. Each wumpus is a numpus. Sally is a zumpus.", + "question": "Is the following statement true or false? Sally is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTemperate($x, bool) ::: Is x temperate?\nLarge($x, bool) ::: Is x large?\nBlue($x, bool) ::: Is x blue?\nEarthy($x, bool) ::: Is x earthy?\nOpaque($x, bool) ::: Is x opaque?\nHappy($x, bool) ::: Is x happy?\n\nFacts:\nZumpus(Sally, True)\n\nRules:\nTumpuses($x, True) >>> Temperate($x, True)\nTumpuses($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Blue($x, False)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nVumpuses($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nOpaque(Sally, False)" + ] + }, + { + "id": "ProntoQA_111", + "context": "Every impus is metallic. Impuses are jompuses. Jompuses are not sweet. Jompuses are numpuses. Each numpus is not cold. Every numpus is a tumpus. Tumpuses are not dull. Every tumpus is a dumpus. Every dumpus is red. Each wumpus is amenable. Dumpuses are vumpuses. Vumpuses are happy. Vumpuses are yumpuses. Every yumpus is fruity. Every yumpus is a rompus. Every rompus is not amenable. Rompuses are zumpuses. Sally is a tumpus.", + "question": "Is the following statement true or false? Sally is amenable.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nSweet($x, bool) ::: Is x sweet?\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nRed($x, bool) ::: Is x red?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nRompus($x, bool) ::: Does x belong to Rompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpus(Sally, True)\n\nRules:\nImpus($x, True) >>> Metallic($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sweet($x, False)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Cold($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Dull($x, False)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Amenable($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Amenable($x, False)\nRompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nAmenable(Sally, True)" + ] + }, + { + "id": "ProntoQA_112", + "context": "Each rompus is not large. Every rompus is a numpus. Every numpus is fruity. Numpuses are wumpuses. Wumpuses are not metallic. Wumpuses are tumpuses. Tumpuses are cold. Dumpuses are not brown. Tumpuses are jompuses. Each jompus is sweet. Jompuses are zumpuses. Each zumpus is brown. Every zumpus is a yumpus. Max is a numpus.", + "question": "Is the following statement true or false? Max is not brown.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMetallic($x, bool) ::: Is x metallic?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBrown($x, bool) ::: Is x brown?\nJompus($x, bool) ::: Does x belong to Jompus?\nSweet($x, bool) ::: Is x sweet?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nNumpus(Max, True)\n\nRules:\nRompus($x, True) >>> Large($x, False)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Fruity($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Metallic($x, False)\nWumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Brown($x, False)\nTumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sweet($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nBrown(Max, False)" + ] + }, + { + "id": "ProntoQA_113", + "context": "Every rompus is wooden. Every zumpus is happy. Each zumpus is a jompus. Jompuses are kind. Jompuses are impuses. Impuses are spicy. Impuses are dumpuses. Each dumpus is large. Dumpuses are vumpuses. Vumpuses are not wooden. Each vumpus is a yumpus. Every yumpus is transparent. Each yumpus is a numpus. Rex is a zumpus.", + "question": "Is the following statement true or false? Rex is not wooden.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nImpuses($x, bool) ::: Does x belong to Impuses?\nSpicy($x, bool) ::: Is x spicy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nZumpus(Rex, True)\n\nRules:\nRompus($x, True) >>> Wooden($x, True)\nZumpus($x, True) >>> Happy($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Kind($x, True)\nJompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Spicy($x, True)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Wooden($x, False)\nVumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nWooden(Rex, False)" + ] + }, + { + "id": "ProntoQA_114", + "context": "Every vumpus is liquid. Every vumpus is an impus. Impuses are not aggressive. Impuses are tumpuses. Tumpuses are large. Tumpuses are yumpuses. Each yumpus is bright. Every yumpus is a wumpus. Wumpuses are opaque. Wumpuses are numpuses. Every numpus is hot. Numpuses are rompuses. Each rompus is sweet. Rompuses are dumpuses. Dumpuses are blue. Each dumpus is a jompus. Each zumpus is not sweet. Polly is a tumpus.", + "question": "Is the following statement true or false? Polly is sweet.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nImpus($x, bool) ::: Does x belong to Impus?\nAggressive($x, bool) ::: Is x aggressive?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nSweet($x, bool) ::: Is x sweet?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpus(Polly, True)\n\nRules:\nVumpus($x, True) >>> Liquid($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Aggressive($x, False)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sweet($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Blue($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nZumpus($x, True) >>> Sweet($x, False)\n\nQuery:\nSweet(Polly, True)" + ] + }, + { + "id": "ProntoQA_115", + "context": "Zumpuses are sweet. Each zumpus is a vumpus. Vumpuses are cold. Vumpuses are jompuses. Each jompus is not blue. Jompuses are dumpuses. Every dumpus is floral. Each dumpus is a wumpus. Wumpuses are bright. Impuses are wooden. Every wumpus is a rompus. Every rompus is nervous. Every rompus is a yumpus. Yumpuses are transparent. Yumpuses are numpuses. Numpuses are not wooden. Every numpus is a tumpus. Alex is a dumpus.", + "question": "Is the following statement true or false? Alex is wooden.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSweet($x, bool) ::: Is x sweet?\nBlue($x, bool) ::: Is x blue?\nFloral($x, bool) ::: Is x floral?\nBright($x, bool) ::: Is x bright?\nWooden($x, bool) ::: Is x wooden?\nNervous($x, bool) ::: Is x nervous?\nTransparent($x, bool) ::: Is x transparent?\n\nFacts:\nDumpus(Alex, True)\n\nRules:\nZumpus($x, True) >>> Sweet($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Blue($x, False)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nImpuses($x, True) >>> Wooden($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Nervous($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Wooden($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nWooden(Alex, False)" + ] + }, + { + "id": "ProntoQA_116", + "context": "Each numpus is not dull. Every numpus is a jompus. Jompuses are not blue. Every jompus is a vumpus. Vumpuses are not small. Each vumpus is an impus. Every impus is mean. Impuses are rompuses. Rompuses are not opaque. Rompuses are yumpuses. Yumpuses are floral. Each yumpus is a tumpus. Tumpuses are nervous. Every tumpus is a dumpus. Every wumpus is not hot. Dumpuses are hot. Each dumpus is a zumpus. Sally is an impus.", + "question": "Is the following statement true or false? Sally is not hot.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nBlue($x, bool) ::: Is x blue?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nImpus($x, bool) ::: Does x belong to Impus?\nMean($x, bool) ::: Is x mean?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHot($x, bool) ::: Is x hot?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nImpus(Sally, True)\n\nRules:\nNumpus($x, True) >>> Dull($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Blue($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Mean($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nWumpus($x, True) >>> Hot($x, False)\nDumpus($x, True) >>> Hot($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nHot(Sally, False)" + ] + }, + { + "id": "ProntoQA_117", + "context": "Numpuses are earthy. Numpuses are yumpuses. Impuses are not angry. Yumpuses are not shy. Yumpuses are vumpuses. Vumpuses are blue. Each vumpus is a jompus. Each jompus is metallic. Each jompus is a rompus. Every rompus is not temperate. Every rompus is a dumpus. Each dumpus is small. Every dumpus is a wumpus. Wumpuses are bitter. Wumpuses are tumpuses. Each tumpus is angry. Tumpuses are zumpuses. Alex is a jompus.", + "question": "Is the following statement true or false? Alex is angry.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nImpuses($x, bool) ::: Does x belong to Impuses?\nAngry($x, bool) ::: Is x angry?\nShy($x, bool) ::: Is x shy?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBitter($x, bool) ::: Is x bitter?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nJompus(Alex, True)\n\nRules:\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nImpuses($x, True) >>> Angry($x, False)\nYumpus($x, True) >>> Shy($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Blue($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Metallic($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Temperate($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bitter($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Angry($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nAngry(Alex, True)" + ] + }, + { + "id": "ProntoQA_118", + "context": "Each vumpus is hot. Each vumpus is a jompus. Each jompus is red. Jompuses are impuses. Every impus is not opaque. Impuses are numpuses. Every zumpus is not sweet. Numpuses are earthy. Numpuses are rompuses. Rompuses are large. Each rompus is a tumpus. Every tumpus is not bright. Each tumpus is a wumpus. Every wumpus is sweet. Every wumpus is a dumpus. Each dumpus is angry. Dumpuses are yumpuses. Sam is an impus.", + "question": "Is the following statement true or false? Sam is not sweet.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHot($x, bool) ::: Is x hot?\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSweet($x, bool) ::: Is x sweet?\nEarthy($x, bool) ::: Is x earthy?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAngry($x, bool) ::: Is x angry?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nImpus(Sam, True)\n\nRules:\nVumpus($x, True) >>> Hot($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Red($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, False)\nImpus($x, True) >>> Numpus($x, True)\nZumpus($x, True) >>> Sweet($x, False)\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, False)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sweet($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Angry($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nSweet(Sam, False)" + ] + }, + { + "id": "ProntoQA_119", + "context": "Zumpuses are not bitter. Zumpuses are tumpuses. Every tumpus is luminous. Each tumpus is an impus. Each impus is orange. Impuses are vumpuses. Each vumpus is floral. Vumpuses are jompuses. Each jompus is not temperate. Every jompus is a rompus. Rompuses are transparent. Each yumpus is shy. Each rompus is a wumpus. Each wumpus is not shy. Each wumpus is a dumpus. Each dumpus is not amenable. Dumpuses are numpuses. Max is an impus.", + "question": "Is the following statement true or false? Max is shy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBitter($x, bool) ::: Is x bitter?\nLuminous($x, bool) ::: Is x luminous?\nImpus($x, bool) ::: Does x belong to Impus?\nFloral($x, bool) ::: Is x floral?\nTemperate($x, bool) ::: Is x temperate?\nAmenable($x, bool) ::: Is x amenable?\n\nFacts:\nImpus(Max, True)\n\nRules:\nZumpus($x, True) >>> Bitter($x, False)\nZumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Luminous($x, True)\nTumpuses($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Orange($x, True)\nImpus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Floral($x, True)\nVumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, False)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Shy($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Shy($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Amenable($x, False)\nDumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nShy(Max, True)" + ] + }, + { + "id": "ProntoQA_120", + "context": "Every impus is small. Impuses are rompuses. Each rompus is shy. Every rompus is a zumpus. Dumpuses are fruity. Zumpuses are cold. Every zumpus is a vumpus. Every vumpus is not opaque. Vumpuses are wumpuses. Each wumpus is luminous. Every wumpus is a yumpus. Yumpuses are spicy. Every yumpus is a tumpus. Tumpuses are not fruity. Tumpuses are numpuses. Every numpus is red. Numpuses are jompuses. Stella is a zumpus.", + "question": "Is the following statement true or false? Stella is not fruity.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nShy($x, bool) ::: Is x shy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSpicy($x, bool) ::: Is x spicy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nRed($x, bool) ::: Is x red?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Stella, True)\n\nRules:\nImpus($x, True) >>> Small($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Shy($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nDumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, False)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Luminous($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Fruity($x, False)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Red($x, True)\nNumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nFruity(Stella, False)" + ] + }, + { + "id": "ProntoQA_121", + "context": "Every dumpus is not cold. Every dumpus is a zumpus. Each zumpus is metallic. Zumpuses are rompuses. Rompuses are dull. Each rompus is a yumpus. Each yumpus is floral. Yumpuses are impuses. Impuses are not mean. Impuses are wumpuses. Wumpuses are small. Every wumpus is a jompus. Jompuses are not transparent. Each jompus is a vumpus. Every vumpus is sour. Every vumpus is a numpus. Tumpuses are mean. Max is a dumpus.", + "question": "Is the following statement true or false? Max is not mean.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nImpuses($x, bool) ::: Does x belong to Impuses?\nMean($x, bool) ::: Is x mean?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\n\nFacts:\nDumpus(Max, True)\n\nRules:\nDumpus($x, True) >>> Cold($x, False)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Mean($x, False)\nImpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nTumpuses($x, True) >>> Mean($x, True)\n\nQuery:\nMean(Max, False)" + ] + }, + { + "id": "ProntoQA_122", + "context": "Rompuses are metallic. Rompuses are dumpuses. Dumpuses are blue. Every dumpus is a numpus. Every numpus is fruity. Numpuses are jompuses. Every jompus is mean. Jompuses are tumpuses. Tumpuses are not temperate. Tumpuses are impuses. Impuses are not dull. Each impus is a yumpus. Every yumpus is not transparent. Yumpuses are zumpuses. Wumpuses are transparent. Zumpuses are not sweet. Zumpuses are vumpuses. Fae is a numpus.", + "question": "Is the following statement true or false? Fae is transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nMetallic($x, bool) ::: Is x metallic?\nBlue($x, bool) ::: Is x blue?\nTemperate($x, bool) ::: Is x temperate?\nSweet($x, bool) ::: Is x sweet?\n\nFacts:\nNumpus(Fae, True)\n\nRules:\nRompus($x, True) >>> Metallic($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Blue($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Fruity($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Mean($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Temperate($x, False)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, False)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Sweet($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nTransparent(Fae, False)" + ] + }, + { + "id": "ProntoQA_123", + "context": "Jompuses are fruity. Jompuses are tumpuses. Tumpuses are not metallic. Tumpuses are wumpuses. Every wumpus is opaque. Each rompus is not aggressive. Wumpuses are numpuses. Numpuses are nervous. Every numpus is a zumpus. Every zumpus is small. Zumpuses are yumpuses. Yumpuses are blue. Yumpuses are impuses. Impuses are not cold. Impuses are dumpuses. Each dumpus is aggressive. Each dumpus is a vumpus. Polly is a numpus.", + "question": "Is the following statement true or false? Polly is aggressive.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nAggressive($x, bool) ::: Is x aggressive?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBlue($x, bool) ::: Is x blue?\nImpus($x, bool) ::: Does x belong to Impus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nNumpus(Polly, True)\n\nRules:\nJompus($x, True) >>> Fruity($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Metallic($x, False)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Aggressive($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Blue($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Cold($x, False)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Aggressive($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nAggressive(Polly, True)" + ] + }, + { + "id": "ProntoQA_124", + "context": "Each yumpus is metallic. Yumpuses are zumpuses. Zumpuses are transparent. Every zumpus is a jompus. Jompuses are floral. Every tumpus is not cold. Jompuses are numpuses. Numpuses are happy. Each numpus is a vumpus. Vumpuses are cold. Vumpuses are impuses. Impuses are not brown. Impuses are rompuses. Rompuses are not bright. Rompuses are dumpuses. Each dumpus is large. Dumpuses are wumpuses. Sam is a yumpus.", + "question": "Is the following statement true or false? Sam is not cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMetallic($x, bool) ::: Is x metallic?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nImpuses($x, bool) ::: Does x belong to Impuses?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nYumpus(Sam, True)\n\nRules:\nYumpus($x, True) >>> Metallic($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nTumpus($x, True) >>> Cold($x, False)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Happy($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, True)\nVumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Brown($x, False)\nImpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bright($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nCold(Sam, False)" + ] + }, + { + "id": "ProntoQA_125", + "context": "Every zumpus is bright. Each zumpus is a yumpus. Each yumpus is not bitter. Every yumpus is a rompus. Each rompus is small. Rompuses are dumpuses. Dumpuses are brown. Each dumpus is an impus. Impuses are not feisty. Tumpuses are feisty. Every impus is a numpus. Numpuses are not wooden. Numpuses are jompuses. Each jompus is transparent. Every jompus is a vumpus. Vumpuses are not cold. Every vumpus is a wumpus. Sally is a zumpus.", + "question": "Is the following statement true or false? Sally is not feisty.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBrown($x, bool) ::: Is x brown?\nImpus($x, bool) ::: Does x belong to Impus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWooden($x, bool) ::: Is x wooden?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nZumpus(Sally, True)\n\nRules:\nZumpus($x, True) >>> Bright($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bitter($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Feisty($x, False)\nTumpuses($x, True) >>> Feisty($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Wooden($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, False)\nVumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nFeisty(Sally, False)" + ] + }, + { + "id": "ProntoQA_126", + "context": "Impuses are not angry. Impuses are zumpuses. Zumpuses are transparent. Every zumpus is a yumpus. Yumpuses are small. Yumpuses are wumpuses. Each wumpus is sour. Wumpuses are jompuses. Each jompus is orange. Each jompus is a dumpus. Every rompus is not floral. Every dumpus is floral. Dumpuses are numpuses. Every numpus is luminous. Numpuses are vumpuses. Stella is a zumpus.", + "question": "Is the following statement true or false? Stella is not floral.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAngry($x, bool) ::: Is x angry?\nSmall($x, bool) ::: Is x small?\nSour($x, bool) ::: Is x sour?\nFloral($x, bool) ::: Is x floral?\nLuminous($x, bool) ::: Is x luminous?\n\nFacts:\nZumpus(Stella, True)\n\nRules:\nImpuses($x, True) >>> Angry($x, False)\nImpuses($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sour($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Orange($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nRompus($x, True) >>> Floral($x, False)\nDumpus($x, True) >>> Floral($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Luminous($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nFloral(Stella, False)" + ] + }, + { + "id": "ProntoQA_127", + "context": "Jompuses are kind. Jompuses are zumpuses. Every zumpus is bitter. Zumpuses are vumpuses. Vumpuses are not large. Each vumpus is a numpus. Rompuses are nervous. Each numpus is not luminous. Every numpus is a dumpus. Dumpuses are not nervous. Dumpuses are tumpuses. Tumpuses are not opaque. Every tumpus is a wumpus. Every wumpus is orange. Every wumpus is an impus. Each impus is bright. Every impus is a yumpus. Max is a jompus.", + "question": "Is the following statement true or false? Max is nervous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nNervous($x, bool) ::: Is x nervous?\nLuminous($x, bool) ::: Is x luminous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nJompus(Max, True)\n\nRules:\nJompus($x, True) >>> Kind($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bitter($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Large($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nRompus($x, True) >>> Nervous($x, True)\nNumpus($x, True) >>> Luminous($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Nervous($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, False)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nNervous(Max, False)" + ] + }, + { + "id": "ProntoQA_128", + "context": "Each yumpus is fruity. Every yumpus is a dumpus. Every dumpus is dull. Each dumpus is a zumpus. Zumpuses are nervous. Every zumpus is an impus. Each impus is large. Every impus is a vumpus. Tumpuses are temperate. Vumpuses are not temperate. Each vumpus is a jompus. Every jompus is wooden. Jompuses are wumpuses. Wumpuses are not red. Every wumpus is a rompus. Rompuses are amenable. Rompuses are numpuses. Sam is a yumpus.", + "question": "Is the following statement true or false? Sam is temperate.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTemperate($x, bool) ::: Is x temperate?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nWooden($x, bool) ::: Is x wooden?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nAmenable($x, bool) ::: Is x amenable?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nYumpus(Sam, True)\n\nRules:\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Nervous($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nTumpus($x, True) >>> Temperate($x, True)\nVumpus($x, True) >>> Temperate($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Wooden($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Amenable($x, True)\nRompus($x, True) >>> Numpus($x, True)\n\nQuery:\nTemperate(Sam, False)" + ] + }, + { + "id": "ProntoQA_129", + "context": "Every numpus is not transparent. Numpuses are impuses. Every tumpus is sweet. Each impus is metallic. Impuses are yumpuses. Yumpuses are large. Every yumpus is a dumpus. Every dumpus is angry. Each dumpus is a vumpus. Vumpuses are not sweet. Vumpuses are jompuses. Each jompus is bright. Jompuses are rompuses. Wren is a numpus.", + "question": "Is the following statement true or false? Wren is not sweet.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nImpuses($x, bool) ::: Does x belong to Impuses?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSweet($x, bool) ::: Is x sweet?\nMetallic($x, bool) ::: Is x metallic?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAngry($x, bool) ::: Is x angry?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nNumpus(Wren, True)\n\nRules:\nNumpus($x, True) >>> Transparent($x, False)\nNumpus($x, True) >>> Impuses($x, True)\nTumpus($x, True) >>> Sweet($x, True)\nImpus($x, True) >>> Metallic($x, True)\nImpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Angry($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sweet($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Rompus($x, True)\n\nQuery:\nSweet(Wren, False)" + ] + }, + { + "id": "ProntoQA_130", + "context": "Dumpuses are opaque. Every numpus is bitter. Numpuses are wumpuses. Wumpuses are blue. Wumpuses are yumpuses. Yumpuses are not temperate. Yumpuses are impuses. Impuses are feisty. Each impus is a vumpus. Vumpuses are not earthy. Each vumpus is a tumpus. Each tumpus is not opaque. Tumpuses are jompuses. Jompuses are bright. Jompuses are rompuses. Each rompus is liquid. Rompuses are zumpuses. Polly is a wumpus.", + "question": "Is the following statement true or false? Polly is not opaque.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBlue($x, bool) ::: Is x blue?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nImpus($x, bool) ::: Does x belong to Impus?\nFeisty($x, bool) ::: Is x feisty?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nEarthy($x, bool) ::: Is x earthy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nLiquid($x, bool) ::: Is x liquid?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nWumpus(Polly, True)\n\nRules:\nDumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Bitter($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, False)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Feisty($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Earthy($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, False)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Liquid($x, True)\nRompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nOpaque(Polly, False)" + ] + }, + { + "id": "ProntoQA_131", + "context": "Every yumpus is bitter. Each yumpus is a tumpus. Each tumpus is cold. Tumpuses are wumpuses. Each wumpus is kind. Every wumpus is a numpus. Every numpus is not brown. Every numpus is a rompus. Every rompus is wooden. Rompuses are dumpuses. Every dumpus is dull. Every dumpus is a zumpus. Zumpuses are large. Each zumpus is a vumpus. Each vumpus is opaque. Jompuses are not dull. Vumpuses are impuses. Polly is a tumpus.", + "question": "Is the following statement true or false? Polly is dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBitter($x, bool) ::: Is x bitter?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nKind($x, bool) ::: Is x kind?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nTumpus(Polly, True)\n\nRules:\nYumpus($x, True) >>> Bitter($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Kind($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, False)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Wooden($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, True)\nJompus($x, True) >>> Dull($x, False)\nVumpus($x, True) >>> Impus($x, True)\n\nQuery:\nDull(Polly, True)" + ] + }, + { + "id": "ProntoQA_132", + "context": "Each vumpus is transparent. Vumpuses are zumpuses. Every zumpus is not large. Zumpuses are dumpuses. Every dumpus is spicy. Each dumpus is a numpus. Each impus is blue. Numpuses are temperate. Each numpus is a tumpus. Tumpuses are not blue. Tumpuses are jompuses. Each jompus is happy. Each jompus is a yumpus. Each yumpus is not amenable. Every yumpus is a wumpus. Wumpuses are not floral. Wumpuses are rompuses. Polly is a vumpus.", + "question": "Is the following statement true or false? Polly is not blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nImpus($x, bool) ::: Does x belong to Impus?\nBlue($x, bool) ::: Is x blue?\nTemperate($x, bool) ::: Is x temperate?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nHappy($x, bool) ::: Is x happy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAmenable($x, bool) ::: Is x amenable?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nVumpus(Polly, True)\n\nRules:\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Spicy($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nImpus($x, True) >>> Blue($x, True)\nNumpus($x, True) >>> Temperate($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Blue($x, False)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Happy($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Amenable($x, False)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, False)\nWumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nBlue(Polly, False)" + ] + }, + { + "id": "ProntoQA_133", + "context": "Each yumpus is bright. Yumpuses are zumpuses. Zumpuses are not red. Each zumpus is a rompus. Each rompus is kind. Rompuses are tumpuses. Tumpuses are luminous. Tumpuses are jompuses. Jompuses are not bitter. Jompuses are impuses. Every dumpus is bitter. Each impus is feisty. Each impus is a vumpus. Each vumpus is opaque. Vumpuses are numpuses. Wren is a yumpus.", + "question": "Is the following statement true or false? Wren is not bitter.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nKind($x, bool) ::: Is x kind?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLuminous($x, bool) ::: Is x luminous?\nJompus($x, bool) ::: Does x belong to Jompus?\nBitter($x, bool) ::: Is x bitter?\nImpus($x, bool) ::: Does x belong to Impus?\nFeisty($x, bool) ::: Is x feisty?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nYumpus(Wren, True)\n\nRules:\nYumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Red($x, False)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Luminous($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bitter($x, False)\nJompus($x, True) >>> Impus($x, True)\nDumpus($x, True) >>> Bitter($x, True)\nImpus($x, True) >>> Feisty($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, True)\nVumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nBitter(Wren, False)" + ] + }, + { + "id": "ProntoQA_134", + "context": "Each impus is not liquid. Impuses are rompuses. Rompuses are floral. Rompuses are vumpuses. Every vumpus is happy. Vumpuses are wumpuses. Wumpuses are blue. Each wumpus is a numpus. Each numpus is temperate. Each numpus is a tumpus. Zumpuses are not temperate. Each tumpus is not bitter. Tumpuses are jompuses. Every jompus is bright. Each jompus is a yumpus. Yumpuses are mean. Each yumpus is a dumpus. Stella is an impus.", + "question": "Is the following statement true or false? Stella is temperate.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nLiquid($x, bool) ::: Is x liquid?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBlue($x, bool) ::: Is x blue?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTemperate($x, bool) ::: Is x temperate?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBitter($x, bool) ::: Is x bitter?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMean($x, bool) ::: Is x mean?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nImpus(Stella, True)\n\nRules:\nImpus($x, True) >>> Liquid($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Temperate($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nZumpus($x, True) >>> Temperate($x, False)\nTumpus($x, True) >>> Bitter($x, False)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Mean($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nTemperate(Stella, True)" + ] + }, + { + "id": "ProntoQA_135", + "context": "Wumpuses are not kind. Every wumpus is a vumpus. Yumpuses are blue. Vumpuses are not transparent. Vumpuses are impuses. Every impus is not small. Every impus is a zumpus. Every zumpus is feisty. Each zumpus is a rompus. Rompuses are not bright. Rompuses are jompuses. Jompuses are hot. Jompuses are numpuses. Numpuses are not blue. Numpuses are tumpuses. Every tumpus is not liquid. Tumpuses are dumpuses. Alex is an impus.", + "question": "Is the following statement true or false? Alex is not blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBlue($x, bool) ::: Is x blue?\nTransparent($x, bool) ::: Is x transparent?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFeisty($x, bool) ::: Is x feisty?\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nHot($x, bool) ::: Is x hot?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nImpus(Alex, True)\n\nRules:\nWumpus($x, True) >>> Kind($x, False)\nWumpus($x, True) >>> Vumpus($x, True)\nYumpus($x, True) >>> Blue($x, True)\nVumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Feisty($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bright($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Blue($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Liquid($x, False)\nTumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nBlue(Alex, False)" + ] + }, + { + "id": "ProntoQA_136", + "context": "Zumpuses are not fruity. Every zumpus is a dumpus. Each dumpus is not bright. Dumpuses are vumpuses. Vumpuses are not transparent. Vumpuses are rompuses. Rompuses are large. Rompuses are wumpuses. Each wumpus is sour. Wumpuses are yumpuses. Yumpuses are cold. Yumpuses are tumpuses. Each tumpus is luminous. Impuses are not sour. Tumpuses are numpuses. Numpuses are not nervous. Every numpus is a jompus. Sally is a zumpus.", + "question": "Is the following statement true or false? Sally is not sour.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSour($x, bool) ::: Is x sour?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLuminous($x, bool) ::: Is x luminous?\nImpus($x, bool) ::: Does x belong to Impus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Sally, True)\n\nRules:\nZumpus($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sour($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Cold($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Luminous($x, True)\nImpus($x, True) >>> Sour($x, False)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, False)\nNumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nSour(Sally, False)" + ] + }, + { + "id": "ProntoQA_137", + "context": "Each numpus is opaque. Numpuses are tumpuses. Tumpuses are hot. Tumpuses are rompuses. Each rompus is bright. Rompuses are yumpuses. Each yumpus is earthy. Every yumpus is a wumpus. Each wumpus is spicy. Each wumpus is a zumpus. Every zumpus is nervous. Every zumpus is an impus. Each impus is not liquid. Each impus is a jompus. Every jompus is not large. Jompuses are dumpuses. Each vumpus is liquid. Rex is a rompus.", + "question": "Is the following statement true or false? Rex is not liquid.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSpicy($x, bool) ::: Is x spicy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nImpus($x, bool) ::: Does x belong to Impus?\nLiquid($x, bool) ::: Is x liquid?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nRompus(Rex, True)\n\nRules:\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Hot($x, True)\nTumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bright($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Earthy($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Spicy($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Nervous($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Liquid($x, False)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Dumpus($x, True)\nVumpus($x, True) >>> Liquid($x, True)\n\nQuery:\nLiquid(Rex, False)" + ] + }, + { + "id": "ProntoQA_138", + "context": "Rompuses are not angry. Every numpus is red. Each rompus is a jompus. Jompuses are not bright. Every jompus is a yumpus. Every yumpus is wooden. Each yumpus is a tumpus. Tumpuses are hot. Tumpuses are dumpuses. Each dumpus is feisty. Dumpuses are wumpuses. Wumpuses are not transparent. Every wumpus is an impus. Each impus is not red. Every impus is a vumpus. Each vumpus is not large. Vumpuses are zumpuses. Sally is a yumpus.", + "question": "Is the following statement true or false? Sally is red.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAngry($x, bool) ::: Is x angry?\nRed($x, bool) ::: Is x red?\nBright($x, bool) ::: Is x bright?\nWooden($x, bool) ::: Is x wooden?\nHot($x, bool) ::: Is x hot?\nFeisty($x, bool) ::: Is x feisty?\nLarge($x, bool) ::: Is x large?\n\nFacts:\nYumpus(Sally, True)\n\nRules:\nRompus($x, True) >>> Angry($x, False)\nNumpus($x, True) >>> Red($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Wooden($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Hot($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Feisty($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Red($x, False)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Large($x, False)\nVumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nRed(Sally, True)" + ] + }, + { + "id": "ProntoQA_139", + "context": "Every zumpus is not hot. Each zumpus is a dumpus. Every dumpus is not floral. Each dumpus is a yumpus. Every yumpus is aggressive. Yumpuses are wumpuses. Every wumpus is not red. Every wumpus is a vumpus. Vumpuses are bright. Vumpuses are jompuses. Every jompus is not small. Jompuses are tumpuses. Each tumpus is shy. Every tumpus is a numpus. Rompuses are small. Each numpus is metallic. Numpuses are impuses. Sam is a dumpus.", + "question": "Is the following statement true or false? Sam is not small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAggressive($x, bool) ::: Is x aggressive?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nShy($x, bool) ::: Is x shy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMetallic($x, bool) ::: Is x metallic?\nImpus($x, bool) ::: Does x belong to Impus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nDumpus(Sam, True)\n\nRules:\nZumpus($x, True) >>> Hot($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, False)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, False)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Shy($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nRompus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nNumpus($x, True) >>> Impus($x, True)\n\nQuery:\nSmall(Sam, False)" + ] + }, + { + "id": "ProntoQA_140", + "context": "Each dumpus is large. Every dumpus is a wumpus. Wumpuses are cold. Every wumpus is a tumpus. Impuses are sour. Tumpuses are fruity. Every tumpus is a rompus. Every rompus is not nervous. Every rompus is a zumpus. Zumpuses are not sour. Zumpuses are jompuses. Jompuses are not luminous. Jompuses are yumpuses. Each yumpus is not dull. Every yumpus is a numpus. Each numpus is not opaque. Every numpus is a vumpus. Stella is a dumpus.", + "question": "Is the following statement true or false? Stella is sour.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nImpuses($x, bool) ::: Does x belong to Impuses?\nSour($x, bool) ::: Is x sour?\nFruity($x, bool) ::: Is x fruity?\nRompus($x, bool) ::: Does x belong to Rompus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nDumpus(Stella, True)\n\nRules:\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Cold($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nImpuses($x, True) >>> Sour($x, True)\nTumpus($x, True) >>> Fruity($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Nervous($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Luminous($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Dull($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nSour(Stella, False)" + ] + }, + { + "id": "ProntoQA_141", + "context": "Every jompus is transparent. Every jompus is a wumpus. Wumpuses are red. Wumpuses are yumpuses. Zumpuses are bright. Yumpuses are shy. Every yumpus is a tumpus. Tumpuses are kind. Each tumpus is a numpus. Numpuses are not bright. Numpuses are impuses. Every impus is sweet. Impuses are dumpuses. Each dumpus is earthy. Each dumpus is a vumpus. Vumpuses are hot. Vumpuses are rompuses. Alex is a jompus.", + "question": "Is the following statement true or false? Alex is bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nShy($x, bool) ::: Is x shy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nNumpus($x, bool) ::: Does x belong to Numpus?\nImpus($x, bool) ::: Does x belong to Impus?\nSweet($x, bool) ::: Is x sweet?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nJompus(Alex, True)\n\nRules:\nJompus($x, True) >>> Transparent($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nZumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Shy($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Kind($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, False)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sweet($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Earthy($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Hot($x, True)\nVumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nBright(Alex, True)" + ] + }, + { + "id": "ProntoQA_142", + "context": "Every zumpus is metallic. Each zumpus is a wumpus. Wumpuses are not floral. Every wumpus is a numpus. Numpuses are happy. Each numpus is an impus. Impuses are kind. Every impus is a rompus. Every rompus is large. Vumpuses are opaque. Each rompus is a jompus. Each jompus is cold. Jompuses are dumpuses. Each dumpus is not opaque. Dumpuses are yumpuses. Yumpuses are spicy. Each yumpus is a tumpus. Stella is a numpus.", + "question": "Is the following statement true or false? Stella is opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHappy($x, bool) ::: Is x happy?\nImpus($x, bool) ::: Does x belong to Impus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSpicy($x, bool) ::: Is x spicy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nNumpus(Stella, True)\n\nRules:\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Happy($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Kind($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nVumpus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nOpaque(Stella, False)" + ] + }, + { + "id": "ProntoQA_143", + "context": "Every rompus is not brown. Rompuses are numpuses. Every numpus is mean. Numpuses are jompuses. Jompuses are fruity. Jompuses are vumpuses. Each vumpus is not feisty. Each vumpus is a wumpus. Yumpuses are transparent. Wumpuses are liquid. Wumpuses are zumpuses. Zumpuses are not small. Zumpuses are impuses. Impuses are temperate. Impuses are dumpuses. Dumpuses are not transparent. Dumpuses are tumpuses. Max is a vumpus.", + "question": "Is the following statement true or false? Max is transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nJompus($x, bool) ::: Does x belong to Jompus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nImpuses($x, bool) ::: Does x belong to Impuses?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nVumpus(Max, True)\n\nRules:\nRompus($x, True) >>> Brown($x, False)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Mean($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Fruity($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Feisty($x, False)\nVumpus($x, True) >>> Wumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, False)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Temperate($x, True)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nTransparent(Max, False)" + ] + }, + { + "id": "ProntoQA_144", + "context": "Each impus is not large. Jompuses are fruity. Every jompus is a tumpus. Tumpuses are bitter. Tumpuses are numpuses. Every numpus is nervous. Every numpus is a vumpus. Vumpuses are not angry. Every vumpus is a dumpus. Dumpuses are large. Every dumpus is a wumpus. Wumpuses are not transparent. Every wumpus is a rompus. Each rompus is not dull. Rompuses are zumpuses. Zumpuses are wooden. Each zumpus is a yumpus. Wren is a jompus.", + "question": "Is the following statement true or false? Wren is not large.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBitter($x, bool) ::: Is x bitter?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAngry($x, bool) ::: Is x angry?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nJompus(Wren, True)\n\nRules:\nImpus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Fruity($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bitter($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Angry($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Wooden($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nLarge(Wren, False)" + ] + }, + { + "id": "ProntoQA_145", + "context": "Every wumpus is cold. Each wumpus is a numpus. Each numpus is large. Numpuses are dumpuses. Every dumpus is not orange. Each dumpus is a yumpus. Each yumpus is not earthy. Every yumpus is a tumpus. Every tumpus is kind. Tumpuses are impuses. Every impus is bright. Impuses are rompuses. Rompuses are luminous. Rompuses are zumpuses. Every zumpus is sour. Every jompus is not luminous. Each zumpus is a vumpus. Stella is a dumpus.", + "question": "Is the following statement true or false? Stella is luminous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nLuminous($x, bool) ::: Is x luminous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nDumpus(Stella, True)\n\nRules:\nWumpus($x, True) >>> Cold($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Orange($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Earthy($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Kind($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Luminous($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, True)\nJompus($x, True) >>> Luminous($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nLuminous(Stella, True)" + ] + }, + { + "id": "ProntoQA_146", + "context": "Each wumpus is happy. Every wumpus is a jompus. Jompuses are earthy. Each jompus is a zumpus. Zumpuses are opaque. Zumpuses are impuses. Impuses are luminous. Every impus is a yumpus. Each yumpus is not angry. Each tumpus is not bright. Yumpuses are numpuses. Each numpus is brown. Numpuses are dumpuses. Each dumpus is bright. Each dumpus is a rompus. Every rompus is not large. Rompuses are vumpuses. Fae is a zumpus.", + "question": "Is the following statement true or false? Fae is not bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHappy($x, bool) ::: Is x happy?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpuses($x, bool) ::: Does x belong to Impuses?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAngry($x, bool) ::: Is x angry?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nZumpus(Fae, True)\n\nRules:\nWumpus($x, True) >>> Happy($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Luminous($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Angry($x, False)\nTumpus($x, True) >>> Bright($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, False)\nRompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nBright(Fae, False)" + ] + }, + { + "id": "ProntoQA_147", + "context": "Every rompus is opaque. Each rompus is a wumpus. Wumpuses are temperate. Wumpuses are vumpuses. Every vumpus is not bright. Vumpuses are numpuses. Every numpus is small. Numpuses are yumpuses. Every yumpus is not kind. Yumpuses are zumpuses. Every zumpus is red. Zumpuses are impuses. Every impus is not wooden. Every jompus is kind. Impuses are dumpuses. Each dumpus is not sour. Every dumpus is a tumpus. Polly is a rompus.", + "question": "Is the following statement true or false? Polly is not kind.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRed($x, bool) ::: Is x red?\nImpus($x, bool) ::: Does x belong to Impus?\nWooden($x, bool) ::: Is x wooden?\nJompus($x, bool) ::: Does x belong to Jompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nRompus(Polly, True)\n\nRules:\nRompus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Temperate($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Kind($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Red($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Wooden($x, False)\nJompus($x, True) >>> Kind($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sour($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nKind(Polly, False)" + ] + }, + { + "id": "ProntoQA_148", + "context": "Jompuses are not temperate. Jompuses are impuses. Each impus is not sour. Impuses are wumpuses. Every vumpus is dull. Wumpuses are mean. Wumpuses are yumpuses. Yumpuses are fruity. Every yumpus is a numpus. Numpuses are opaque. Each numpus is a dumpus. Dumpuses are feisty. Every dumpus is a rompus. Rompuses are metallic. Rompuses are zumpuses. Every zumpus is not dull. Zumpuses are tumpuses. Fae is a yumpus.", + "question": "Is the following statement true or false? Fae is not dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTemperate($x, bool) ::: Is x temperate?\nSour($x, bool) ::: Is x sour?\nOpaque($x, bool) ::: Is x opaque?\nFeisty($x, bool) ::: Is x feisty?\nMetallic($x, bool) ::: Is x metallic?\n\nFacts:\nYumpus(Fae, True)\n\nRules:\nJompus($x, True) >>> Temperate($x, False)\nJompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Sour($x, False)\nImpuses($x, True) >>> Wumpus($x, True)\nVumpuses($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Mean($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Feisty($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Metallic($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, False)\nZumpus($x, True) >>> Tumpuses($x, True)\n\nQuery:\nDull(Fae, False)" + ] + }, + { + "id": "ProntoQA_149", + "context": "Tumpuses are shy. Each tumpus is a jompus. Dumpuses are not transparent. Every jompus is bright. Every jompus is a zumpus. Zumpuses are large. Each zumpus is an impus. Every impus is liquid. Every impus is a wumpus. Wumpuses are brown. Each wumpus is a vumpus. Vumpuses are not bitter. Each vumpus is a rompus. Rompuses are transparent. Every rompus is a numpus. Numpuses are cold. Every numpus is a yumpus. Stella is a zumpus.", + "question": "Is the following statement true or false? Stella is transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nShy($x, bool) ::: Is x shy?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nLiquid($x, bool) ::: Is x liquid?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nZumpus(Stella, True)\n\nRules:\nTumpus($x, True) >>> Shy($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nDumpus($x, True) >>> Transparent($x, False)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Liquid($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Brown($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nTransparent(Stella, True)" + ] + }, + { + "id": "ProntoQA_150", + "context": "Each impus is transparent. Impuses are jompuses. Each jompus is spicy. Jompuses are wumpuses. Wumpuses are orange. Every rompus is not small. Wumpuses are yumpuses. Each yumpus is not earthy. Yumpuses are zumpuses. Zumpuses are amenable. Every zumpus is a dumpus. Dumpuses are small. Every dumpus is a tumpus. Tumpuses are not feisty. Each tumpus is a vumpus. Vumpuses are not dull. Each vumpus is a numpus. Alex is a jompus.", + "question": "Is the following statement true or false? Alex is small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAmenable($x, bool) ::: Is x amenable?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFeisty($x, bool) ::: Is x feisty?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nJompus(Alex, True)\n\nRules:\nImpus($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, True)\nRompus($x, True) >>> Small($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Earthy($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Amenable($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Feisty($x, False)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, False)\nVumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nSmall(Alex, True)" + ] + }, + { + "id": "ProntoQA_151", + "context": "Each zumpus is sour. Each zumpus is a dumpus. Every dumpus is temperate. Dumpuses are numpuses. Each rompus is shy. Every numpus is not wooden. Each numpus is a wumpus. Wumpuses are amenable. Wumpuses are vumpuses. Each vumpus is not shy. Vumpuses are jompuses. Every jompus is dull. Jompuses are yumpuses. Each yumpus is small. Yumpuses are tumpuses. Every tumpus is brown. Each tumpus is an impus. Sally is a zumpus.", + "question": "Is the following statement true or false? Sally is shy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWooden($x, bool) ::: Is x wooden?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nShy($x, bool) ::: Is x shy?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBrown($x, bool) ::: Is x brown?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nZumpus(Sally, True)\n\nRules:\nZumpus($x, True) >>> Sour($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nRompus($x, True) >>> Shy($x, True)\nNumpus($x, True) >>> Wooden($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Amenable($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Shy($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Brown($x, True)\nTumpus($x, True) >>> Impus($x, True)\n\nQuery:\nShy(Sally, True)" + ] + }, + { + "id": "ProntoQA_152", + "context": "Every jompus is bright. Every jompus is a vumpus. Vumpuses are floral. Every vumpus is a yumpus. Every yumpus is not temperate. Each yumpus is a numpus. Every numpus is sweet. Each numpus is a zumpus. Zumpuses are mean. Zumpuses are rompuses. Each rompus is not feisty. Every impus is not transparent. Each rompus is a wumpus. Wumpuses are transparent. Each wumpus is a dumpus. Dumpuses are large. Each dumpus is a tumpus. Wren is a yumpus.", + "question": "Is the following statement true or false? Wren is transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSweet($x, bool) ::: Is x sweet?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMean($x, bool) ::: Is x mean?\nRompus($x, bool) ::: Does x belong to Rompus?\nFeisty($x, bool) ::: Is x feisty?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nYumpus(Wren, True)\n\nRules:\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Floral($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sweet($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Mean($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, False)\nImpus($x, True) >>> Transparent($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nTransparent(Wren, True)" + ] + }, + { + "id": "ProntoQA_153", + "context": "Each jompus is brown. Yumpuses are dull. Every jompus is a wumpus. Wumpuses are hot. Every wumpus is a dumpus. Each dumpus is not luminous. Each dumpus is a rompus. Every rompus is sweet. Every rompus is a numpus. Each numpus is not dull. Numpuses are zumpuses. Zumpuses are not floral. Zumpuses are impuses. Sally is a jompus.", + "question": "Is the following statement true or false? Sally is not dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nBrown($x, bool) ::: Is x brown?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLuminous($x, bool) ::: Is x luminous?\nRompus($x, bool) ::: Does x belong to Rompus?\nSweet($x, bool) ::: Is x sweet?\nNumpus($x, bool) ::: Does x belong to Numpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFloral($x, bool) ::: Is x floral?\nImpuses($x, bool) ::: Does x belong to Impuses?\n\nFacts:\nJompus(Sally, True)\n\nRules:\nJompus($x, True) >>> Brown($x, True)\nYumpus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Hot($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Luminous($x, False)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sweet($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Floral($x, False)\nZumpus($x, True) >>> Impuses($x, True)\n\nQuery:\nDull(Sally, False)" + ] + }, + { + "id": "ProntoQA_154", + "context": "Wumpuses are not opaque. Wumpuses are yumpuses. Yumpuses are fruity. Every yumpus is a jompus. Each jompus is kind. Each jompus is a zumpus. Each zumpus is sweet. Every rompus is brown. Each zumpus is an impus. Every impus is hot. Impuses are numpuses. Numpuses are not brown. Numpuses are dumpuses. Every dumpus is not bright. Dumpuses are vumpuses. Vumpuses are happy. Vumpuses are tumpuses. Sam is a yumpus.", + "question": "Is the following statement true or false? Sam is not brown.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSweet($x, bool) ::: Is x sweet?\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nImpus($x, bool) ::: Does x belong to Impus?\nHot($x, bool) ::: Is x hot?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nYumpus(Sam, True)\n\nRules:\nWumpus($x, True) >>> Opaque($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Kind($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sweet($x, True)\nRompus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nBrown(Sam, False)" + ] + }, + { + "id": "ProntoQA_155", + "context": "Rompuses are brown. Rompuses are wumpuses. Wumpuses are mean. Wumpuses are yumpuses. Every yumpus is liquid. Yumpuses are zumpuses. Every zumpus is hot. Every zumpus is an impus. Every impus is large. Impuses are vumpuses. Vumpuses are not bitter. Vumpuses are numpuses. Tumpuses are not large. Numpuses are dull. Numpuses are jompuses. Every jompus is shy. Every jompus is a dumpus. Sam is a rompus.", + "question": "Is the following statement true or false? Sam is not large.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nShy($x, bool) ::: Is x shy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nRompus(Sam, True)\n\nRules:\nRompus($x, True) >>> Brown($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Hot($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nTumpus($x, True) >>> Large($x, False)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Shy($x, True)\nJompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nLarge(Sam, False)" + ] + }, + { + "id": "ProntoQA_156", + "context": "Each impus is bright. Each impus is a rompus. Each rompus is not bitter. Each rompus is a yumpus. Each yumpus is not shy. Every yumpus is a wumpus. Wumpuses are red. Every wumpus is a jompus. Jompuses are transparent. Each jompus is a numpus. Each tumpus is small. Each numpus is not mean. Numpuses are dumpuses. Every dumpus is not small. Dumpuses are vumpuses. Vumpuses are hot. Each vumpus is a zumpus. Wren is a yumpus.", + "question": "Is the following statement true or false? Wren is not small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nBitter($x, bool) ::: Is x bitter?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nShy($x, bool) ::: Is x shy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHot($x, bool) ::: Is x hot?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nYumpus(Wren, True)\n\nRules:\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bitter($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Shy($x, False)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, True)\nJompus($x, True) >>> Numpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Mean($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Hot($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nSmall(Wren, False)" + ] + }, + { + "id": "ProntoQA_157", + "context": "Numpuses are cold. Numpuses are zumpuses. Zumpuses are large. Every zumpus is a vumpus. Each vumpus is not bright. Vumpuses are yumpuses. Each jompus is not happy. Every yumpus is sweet. Yumpuses are wumpuses. Every wumpus is not red. Wumpuses are rompuses. Rompuses are not angry. Every rompus is an impus. Every impus is not opaque. Impuses are tumpuses. Every tumpus is happy. Tumpuses are dumpuses. Polly is a yumpus.", + "question": "Is the following statement true or false? Polly is not happy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nHappy($x, bool) ::: Is x happy?\nSweet($x, bool) ::: Is x sweet?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nAngry($x, bool) ::: Is x angry?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nYumpus(Polly, True)\n\nRules:\nNumpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nJompus($x, True) >>> Happy($x, False)\nYumpus($x, True) >>> Sweet($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Angry($x, False)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, False)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Happy($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nHappy(Polly, False)" + ] + }, + { + "id": "ProntoQA_158", + "context": "Yumpuses are not earthy. Yumpuses are wumpuses. Every wumpus is not feisty. Wumpuses are dumpuses. Every zumpus is not spicy. Dumpuses are hot. Each dumpus is a tumpus. Each tumpus is not brown. Each tumpus is a rompus. Rompuses are transparent. Rompuses are numpuses. Numpuses are amenable. Every numpus is an impus. Impuses are spicy. Every impus is a jompus. Jompuses are large. Jompuses are vumpuses. Sam is a dumpus.", + "question": "Is the following statement true or false? Sam is not spicy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nEarthy($x, bool) ::: Is x earthy?\nFeisty($x, bool) ::: Is x feisty?\nHot($x, bool) ::: Is x hot?\nBrown($x, bool) ::: Is x brown?\nAmenable($x, bool) ::: Is x amenable?\nLarge($x, bool) ::: Is x large?\nSpicy($x, bool) ::: Is x spicy?\n\nFacts:\nDumpus(Sam, True)\n\nRules:\nYumpus($x, True) >>> Earthy($x, False)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Feisty($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nZumpus($x, True) >>> Spicy($x, False)\nDumpus($x, True) >>> Hot($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Brown($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Amenable($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Spicy($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nSpicy(Sam, False)" + ] + }, + { + "id": "ProntoQA_159", + "context": "Each impus is blue. Impuses are dumpuses. Each dumpus is liquid. Dumpuses are rompuses. Rompuses are not spicy. Rompuses are yumpuses. Each yumpus is feisty. Each yumpus is a numpus. Tumpuses are earthy. Each numpus is kind. Every numpus is a wumpus. Wumpuses are not earthy. Each wumpus is a vumpus. Each vumpus is dull. Each vumpus is a zumpus. Every zumpus is cold. Zumpuses are jompuses. Alex is a dumpus.", + "question": "Is the following statement true or false? Alex is not earthy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nBlue($x, bool) ::: Is x blue?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLiquid($x, bool) ::: Is x liquid?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nDumpus(Alex, True)\n\nRules:\nImpus($x, True) >>> Blue($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Liquid($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Feisty($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Earthy($x, False)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nTumpuses($x, True) >>> Earthy($x, True)\n\nQuery:\nEarthy(Alex, False)" + ] + }, + { + "id": "ProntoQA_160", + "context": "Each rompus is small. Every rompus is a numpus. Each numpus is dull. Numpuses are yumpuses. Yumpuses are earthy. Yumpuses are impuses. Each impus is sour. Every impus is a wumpus. Wumpuses are liquid. Wumpuses are tumpuses. Each tumpus is not brown. Every tumpus is a zumpus. Every zumpus is nervous. Dumpuses are not nervous. Every zumpus is a jompus. Jompuses are aggressive. Jompuses are vumpuses. Wren is a yumpus.", + "question": "Is the following statement true or false? Wren is not nervous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nImpus($x, bool) ::: Does x belong to Impus?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBrown($x, bool) ::: Is x brown?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nAggressive($x, bool) ::: Is x aggressive?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nYumpus(Wren, True)\n\nRules:\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Earthy($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sour($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Brown($x, False)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Nervous($x, True)\nDumpus($x, True) >>> Nervous($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Aggressive($x, True)\nJompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nNervous(Wren, False)" + ] + }, + { + "id": "ProntoQA_161", + "context": "Every wumpus is opaque. Yumpuses are not red. Every wumpus is a vumpus. Every vumpus is spicy. Vumpuses are tumpuses. Tumpuses are not cold. Tumpuses are dumpuses. Dumpuses are bright. Dumpuses are numpuses. Numpuses are nervous. Numpuses are rompuses. Every rompus is not large. Each rompus is a jompus. Jompuses are metallic. Jompuses are impuses. Impuses are red. Impuses are zumpuses. Max is a dumpus.", + "question": "Is the following statement true or false? Max is red.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRed($x, bool) ::: Is x red?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\nMetallic($x, bool) ::: Is x metallic?\nImpuses($x, bool) ::: Does x belong to Impuses?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nDumpus(Max, True)\n\nRules:\nWumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Red($x, False)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Spicy($x, True)\nVumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Cold($x, False)\nTumpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Metallic($x, True)\nJompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Red($x, True)\nImpuses($x, True) >>> Zumpus($x, True)\n\nQuery:\nRed(Max, True)" + ] + }, + { + "id": "ProntoQA_162", + "context": "Dumpuses are not earthy. Each dumpus is a yumpus. Yumpuses are transparent. Each rompus is not mean. Yumpuses are vumpuses. Vumpuses are not brown. Vumpuses are numpuses. Numpuses are not temperate. Every numpus is a zumpus. Each zumpus is bitter. Zumpuses are tumpuses. Tumpuses are shy. Tumpuses are impuses. Impuses are wooden. Each impus is a wumpus. Each wumpus is mean. Every wumpus is a jompus. Wren is a numpus.", + "question": "Is the following statement true or false? Wren is not mean.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nEarthy($x, bool) ::: Is x earthy?\nMean($x, bool) ::: Is x mean?\nTransparent($x, bool) ::: Is x transparent?\nBrown($x, bool) ::: Is x brown?\nTemperate($x, bool) ::: Is x temperate?\nBitter($x, bool) ::: Is x bitter?\nWooden($x, bool) ::: Is x wooden?\n\nFacts:\nNumpus(Wren, True)\n\nRules:\nDumpus($x, True) >>> Earthy($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Mean($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Brown($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Temperate($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bitter($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Shy($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Wooden($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, True)\nWumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nMean(Wren, False)" + ] + }, + { + "id": "ProntoQA_163", + "context": "Numpuses are dull. Numpuses are jompuses. Each jompus is not hot. Each jompus is a vumpus. Every vumpus is sour. Each vumpus is an impus. Impuses are not transparent. Impuses are dumpuses. Yumpuses are not metallic. Dumpuses are not blue. Dumpuses are wumpuses. Wumpuses are amenable. Wumpuses are tumpuses. Tumpuses are small. Tumpuses are zumpuses. Each zumpus is metallic. Each zumpus is a rompus. Stella is an impus.", + "question": "Is the following statement true or false? Stella is metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nBlue($x, bool) ::: Is x blue?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nImpus(Stella, True)\n\nRules:\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, False)\nImpus($x, True) >>> Dumpus($x, True)\nYumpus($x, True) >>> Metallic($x, False)\nDumpus($x, True) >>> Blue($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Amenable($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nMetallic(Stella, True)" + ] + }, + { + "id": "ProntoQA_164", + "context": "Dumpuses are metallic. Every dumpus is a rompus. Every rompus is earthy. Every rompus is a wumpus. Every wumpus is aggressive. Wumpuses are yumpuses. Every yumpus is nervous. Yumpuses are zumpuses. Each zumpus is cold. Every tumpus is sweet. Zumpuses are vumpuses. Vumpuses are not sweet. Vumpuses are numpuses. Every numpus is dull. Every numpus is a jompus. Each jompus is small. Every jompus is an impus. Stella is a rompus.", + "question": "Is the following statement true or false? Stella is not sweet.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAggressive($x, bool) ::: Is x aggressive?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nRompus(Stella, True)\n\nRules:\nDumpus($x, True) >>> Metallic($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Aggressive($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Sweet($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sweet($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Impus($x, True)\n\nQuery:\nSweet(Stella, False)" + ] + }, + { + "id": "ProntoQA_165", + "context": "Each jompus is not wooden. Each jompus is a rompus. Each rompus is floral. Each rompus is a zumpus. Zumpuses are not cold. Each zumpus is a numpus. Numpuses are amenable. Numpuses are vumpuses. Vumpuses are not opaque. Tumpuses are feisty. Each vumpus is an impus. Every impus is not bright. Impuses are dumpuses. Dumpuses are brown. Every dumpus is a wumpus. Wumpuses are not feisty. Wumpuses are yumpuses. Fae is a numpus.", + "question": "Is the following statement true or false? Fae is not feisty.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAmenable($x, bool) ::: Is x amenable?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFeisty($x, bool) ::: Is x feisty?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBrown($x, bool) ::: Is x brown?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nNumpus(Fae, True)\n\nRules:\nJompus($x, True) >>> Wooden($x, False)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Amenable($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, False)\nTumpus($x, True) >>> Feisty($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, False)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Feisty($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nFeisty(Fae, False)" + ] + }, + { + "id": "ProntoQA_166", + "context": "Every dumpus is not luminous. Dumpuses are impuses. Every impus is not amenable. Each impus is a zumpus. Every zumpus is red. Zumpuses are wumpuses. Wumpuses are not opaque. Numpuses are sour. Each wumpus is a jompus. Each jompus is small. Every jompus is a tumpus. Tumpuses are cold. Each tumpus is a yumpus. Every yumpus is not sour. Yumpuses are vumpuses. Each vumpus is not floral. Each vumpus is a rompus. Polly is a zumpus.", + "question": "Is the following statement true or false? Polly is not sour.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLuminous($x, bool) ::: Is x luminous?\nImpuses($x, bool) ::: Does x belong to Impuses?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRed($x, bool) ::: Is x red?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nZumpus(Polly, True)\n\nRules:\nDumpus($x, True) >>> Luminous($x, False)\nDumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Amenable($x, False)\nImpuses($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Red($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, False)\nNumpus($x, True) >>> Sour($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sour($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Floral($x, False)\nVumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nSour(Polly, False)" + ] + }, + { + "id": "ProntoQA_167", + "context": "Each tumpus is not feisty. Each tumpus is a wumpus. Wumpuses are small. Every wumpus is a yumpus. Every yumpus is aggressive. Each yumpus is a zumpus. Every zumpus is opaque. Zumpuses are numpuses. Numpuses are not orange. Numpuses are jompuses. Jompuses are not bright. Each jompus is a dumpus. Each dumpus is floral. Each dumpus is a vumpus. Every vumpus is liquid. Each impus is bright. Each vumpus is a rompus. Stella is a wumpus.", + "question": "Is the following statement true or false? Stella is not bright.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFeisty($x, bool) ::: Is x feisty?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAggressive($x, bool) ::: Is x aggressive?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOrange($x, bool) ::: Is x orange?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nImpus($x, bool) ::: Does x belong to Impus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nWumpus(Stella, True)\n\nRules:\nTumpus($x, True) >>> Feisty($x, False)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Orange($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, False)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, True)\nImpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nBright(Stella, False)" + ] + }, + { + "id": "ProntoQA_168", + "context": "Vumpuses are wooden. Every vumpus is a wumpus. Wumpuses are not brown. Every wumpus is a dumpus. Every dumpus is not large. Dumpuses are numpuses. Each numpus is bright. Every numpus is an impus. Impuses are not floral. Each impus is a zumpus. Every zumpus is sweet. Every jompus is floral. Zumpuses are tumpuses. Each tumpus is nervous. Every tumpus is a rompus. Rompuses are not hot. Each rompus is a yumpus. Wren is a vumpus.", + "question": "Is the following statement true or false? Wren is floral.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWooden($x, bool) ::: Is x wooden?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSweet($x, bool) ::: Is x sweet?\nJompus($x, bool) ::: Does x belong to Jompus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nRompus($x, bool) ::: Does x belong to Rompus?\nHot($x, bool) ::: Is x hot?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nVumpus(Wren, True)\n\nRules:\nVumpus($x, True) >>> Wooden($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Brown($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Floral($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sweet($x, True)\nJompus($x, True) >>> Floral($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Hot($x, False)\nRompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nFloral(Wren, False)" + ] + }, + { + "id": "ProntoQA_169", + "context": "Each impus is not bitter. Impuses are dumpuses. Dumpuses are opaque. Each wumpus is fruity. Each dumpus is a zumpus. Zumpuses are not large. Zumpuses are tumpuses. Each tumpus is bright. Tumpuses are vumpuses. Each vumpus is liquid. Each vumpus is a rompus. Every rompus is not fruity. Rompuses are yumpuses. Yumpuses are temperate. Each yumpus is a numpus. Sam is a dumpus.", + "question": "Is the following statement true or false? Sam is fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nBitter($x, bool) ::: Is x bitter?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nRompus($x, bool) ::: Does x belong to Rompus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nDumpus(Sam, True)\n\nRules:\nImpus($x, True) >>> Bitter($x, False)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Fruity($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, True)\nYumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nFruity(Sam, True)" + ] + }, + { + "id": "ProntoQA_170", + "context": "Tumpuses are not metallic. Tumpuses are zumpuses. Zumpuses are fruity. Zumpuses are impuses. Each impus is not dull. Each impus is a jompus. Jompuses are aggressive. Jompuses are wumpuses. Wumpuses are brown. Rompuses are not brown. Wumpuses are numpuses. Max is a tumpus.", + "question": "Is the following statement true or false? Max is not brown.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nMetallic($x, bool) ::: Is x metallic?\nAggressive($x, bool) ::: Is x aggressive?\nBrown($x, bool) ::: Is x brown?\n\nFacts:\nTumpuses(Max, True)\n\nRules:\nTumpuses($x, True) >>> Metallic($x, False)\nTumpuses($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Dull($x, False)\nImpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Aggressive($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Brown($x, True)\nRompus($x, True) >>> Brown($x, False)\nWumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nBrown(Max, False)" + ] + }, + { + "id": "ProntoQA_171", + "context": "Yumpuses are dull. Every yumpus is an impus. Impuses are aggressive. Impuses are wumpuses. Wumpuses are opaque. Every wumpus is a jompus. Jompuses are small. Each jompus is a dumpus. Each numpus is metallic. Every dumpus is not metallic. Dumpuses are rompuses. Every rompus is not feisty. Rompuses are tumpuses. Every tumpus is cold. Every tumpus is a zumpus. Zumpuses are earthy. Each zumpus is a vumpus. Polly is a yumpus.", + "question": "Is the following statement true or false? Polly is not metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nAggressive($x, bool) ::: Is x aggressive?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nFeisty($x, bool) ::: Is x feisty?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nYumpus(Polly, True)\n\nRules:\nYumpus($x, True) >>> Dull($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Aggressive($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nDumpus($x, True) >>> Metallic($x, False)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Earthy($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nMetallic(Polly, False)" + ] + }, + { + "id": "ProntoQA_172", + "context": "Each zumpus is not temperate. Every zumpus is a vumpus. Vumpuses are large. Each vumpus is a dumpus. Every dumpus is feisty. Tumpuses are not opaque. Dumpuses are wumpuses. Every wumpus is floral. Wumpuses are rompuses. Rompuses are opaque. Rompuses are numpuses. Rex is a zumpus.", + "question": "Is the following statement true or false? Rex is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFeisty($x, bool) ::: Is x feisty?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nZumpus(Rex, True)\n\nRules:\nZumpus($x, True) >>> Temperate($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Large($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Feisty($x, True)\nTumpus($x, True) >>> Opaque($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Numpus($x, True)\n\nQuery:\nOpaque(Rex, False)" + ] + }, + { + "id": "ProntoQA_173", + "context": "Each dumpus is fruity. Each dumpus is a tumpus. Each tumpus is not orange. Every tumpus is a vumpus. Each vumpus is not liquid. Every impus is not cold. Vumpuses are rompuses. Rompuses are feisty. Rompuses are yumpuses. Each yumpus is not bright. Every yumpus is a jompus. Every jompus is cold. Every jompus is a wumpus. Wumpuses are amenable. Wumpuses are zumpuses. Every zumpus is not transparent. Each zumpus is a numpus. Sally is a tumpus.", + "question": "Is the following statement true or false? Sally is not cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOrange($x, bool) ::: Is x orange?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nImpus($x, bool) ::: Does x belong to Impus?\nCold($x, bool) ::: Is x cold?\nRompus($x, bool) ::: Does x belong to Rompus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nTumpus(Sally, True)\n\nRules:\nDumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Orange($x, False)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, False)\nImpus($x, True) >>> Cold($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Amenable($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, False)\nZumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nCold(Sally, False)" + ] + }, + { + "id": "ProntoQA_174", + "context": "Impuses are not temperate. Wumpuses are kind. Each impus is a numpus. Numpuses are orange. Numpuses are dumpuses. Each dumpus is liquid. Every dumpus is a zumpus. Zumpuses are earthy. Zumpuses are vumpuses. Vumpuses are transparent. Vumpuses are tumpuses. Each tumpus is small. Every tumpus is a jompus. Each jompus is not kind. Jompuses are yumpuses. Yumpuses are feisty. Every yumpus is a rompus. Polly is a dumpus.", + "question": "Is the following statement true or false? Polly is kind.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nKind($x, bool) ::: Is x kind?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOrange($x, bool) ::: Is x orange?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLiquid($x, bool) ::: Is x liquid?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFeisty($x, bool) ::: Is x feisty?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nDumpus(Polly, True)\n\nRules:\nImpuses($x, True) >>> Temperate($x, False)\nWumpus($x, True) >>> Kind($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Orange($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Liquid($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Earthy($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Kind($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Feisty($x, True)\nYumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nKind(Polly, True)" + ] + }, + { + "id": "ProntoQA_175", + "context": "Each rompus is wooden. Each rompus is a zumpus. Zumpuses are amenable. Zumpuses are impuses. Impuses are cold. Each impus is a jompus. Every jompus is not floral. Jompuses are yumpuses. Each tumpus is nervous. Every yumpus is not large. Yumpuses are dumpuses. Each dumpus is not nervous. Each dumpus is a vumpus. Stella is a zumpus.", + "question": "Is the following statement true or false? Stella is nervous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAmenable($x, bool) ::: Is x amenable?\nImpuses($x, bool) ::: Does x belong to Impuses?\nCold($x, bool) ::: Is x cold?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nZumpus(Stella, True)\n\nRules:\nRompus($x, True) >>> Wooden($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Amenable($x, True)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Cold($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nTumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Large($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Nervous($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nNervous(Stella, False)" + ] + }, + { + "id": "ProntoQA_176", + "context": "Every wumpus is not luminous. Each dumpus is spicy. Wumpuses are tumpuses. Each tumpus is bright. Every tumpus is a vumpus. Vumpuses are blue. Vumpuses are numpuses. Numpuses are kind. Numpuses are zumpuses. Every zumpus is not earthy. Zumpuses are jompuses. Jompuses are not spicy. Each jompus is an impus. Each impus is feisty. Every impus is a yumpus. Every yumpus is temperate. Yumpuses are rompuses. Sally is a tumpus.", + "question": "Is the following statement true or false? Sally is not spicy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLuminous($x, bool) ::: Is x luminous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSpicy($x, bool) ::: Is x spicy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBlue($x, bool) ::: Is x blue?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nEarthy($x, bool) ::: Is x earthy?\nJompus($x, bool) ::: Does x belong to Jompus?\nImpus($x, bool) ::: Does x belong to Impus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nTumpus(Sally, True)\n\nRules:\nWumpus($x, True) >>> Luminous($x, False)\nDumpus($x, True) >>> Spicy($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Blue($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Earthy($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, False)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Feisty($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, True)\nYumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nSpicy(Sally, False)" + ] + }, + { + "id": "ProntoQA_177", + "context": "Impuses are bitter. Tumpuses are not bright. Every impus is a wumpus. Each wumpus is not transparent. Wumpuses are dumpuses. Dumpuses are small. Each dumpus is a rompus. Each rompus is feisty. Each rompus is a numpus. Numpuses are bright. Numpuses are zumpuses. Rex is an impus.", + "question": "Is the following statement true or false? Rex is bright.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nBitter($x, bool) ::: Is x bitter?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nImpus(Rex, True)\n\nRules:\nImpus($x, True) >>> Bitter($x, True)\nTumpuses($x, True) >>> Bright($x, False)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nBright(Rex, True)" + ] + }, + { + "id": "ProntoQA_178", + "context": "Impuses are not temperate. Every impus is a rompus. Rompuses are happy. Rompuses are jompuses. Every jompus is not small. Every jompus is a zumpus. Every numpus is metallic. Zumpuses are not amenable. Each zumpus is a wumpus. Wumpuses are sour. Wumpuses are dumpuses. Each dumpus is not bright. Dumpuses are vumpuses. Every vumpus is transparent. Each vumpus is a yumpus. Yumpuses are not metallic. Each yumpus is a tumpus. Polly is a zumpus.", + "question": "Is the following statement true or false? Polly is metallic.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTemperate($x, bool) ::: Is x temperate?\nImpuses($x, bool) ::: Does x belong to Impuses?\nRompus($x, bool) ::: Does x belong to Rompus?\nHappy($x, bool) ::: Is x happy?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAmenable($x, bool) ::: Is x amenable?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSour($x, bool) ::: Is x sour?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMetallic($x, bool) ::: Is x metallic?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nZumpus(Polly, True)\n\nRules:\nImpuses($x, True) >>> Temperate($x, False)\nImpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Happy($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Amenable($x, False)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sour($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Transparent($x, True)\nVumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Metallic($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nMetallic(Polly, False)" + ] + }, + { + "id": "ProntoQA_179", + "context": "Every rompus is sour. Rompuses are impuses. Yumpuses are opaque. Impuses are feisty. Each impus is a zumpus. Every zumpus is orange. Zumpuses are vumpuses. Vumpuses are not large. Vumpuses are wumpuses. Wumpuses are not opaque. Each wumpus is a numpus. Numpuses are metallic. Numpuses are dumpuses. Wren is a rompus.", + "question": "Is the following statement true or false? Wren is not opaque.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nSour($x, bool) ::: Is x sour?\nImpuses($x, bool) ::: Does x belong to Impuses?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nFeisty($x, bool) ::: Is x feisty?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOrange($x, bool) ::: Is x orange?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMetallic($x, bool) ::: Is x metallic?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nRompus(Wren, True)\n\nRules:\nRompus($x, True) >>> Sour($x, True)\nRompus($x, True) >>> Impuses($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nImpuses($x, True) >>> Feisty($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Orange($x, True)\nZumpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Large($x, False)\nVumpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nOpaque(Wren, False)" + ] + }, + { + "id": "ProntoQA_180", + "context": "Impuses are not floral. Every impus is a jompus. Jompuses are sweet. Jompuses are numpuses. Numpuses are not shy. Numpuses are rompuses. Rompuses are mean. Every rompus is a dumpus. Every dumpus is not transparent. Dumpuses are yumpuses. Yumpuses are luminous. Each yumpus is a wumpus. Wumpuses are not orange. Vumpuses are not luminous. Every wumpus is a zumpus. Max is a jompus.", + "question": "Is the following statement true or false? Max is not luminous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nFloral($x, bool) ::: Is x floral?\nJompus($x, bool) ::: Does x belong to Jompus?\nSweet($x, bool) ::: Is x sweet?\nNumpus($x, bool) ::: Does x belong to Numpus?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nMean($x, bool) ::: Is x mean?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLuminous($x, bool) ::: Is x luminous?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nJompus(Max, True)\n\nRules:\nImpuses($x, True) >>> Floral($x, False)\nImpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sweet($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Shy($x, False)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Mean($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Luminous($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, False)\nVumpus($x, True) >>> Luminous($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nLuminous(Max, False)" + ] + }, + { + "id": "ProntoQA_181", + "context": "Every numpus is not small. Numpuses are impuses. Impuses are sour. Every impus is a wumpus. Wumpuses are red. Every wumpus is a rompus. Every rompus is fruity. Each tumpus is not kind. Every rompus is a yumpus. Yumpuses are not hot. Each yumpus is a jompus. Jompuses are not opaque. Every jompus is a vumpus. Each vumpus is happy. Vumpuses are zumpuses. Zumpuses are kind. Zumpuses are dumpuses. Rex is a rompus.", + "question": "Is the following statement true or false? Rex is not kind.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nImpuses($x, bool) ::: Does x belong to Impuses?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHot($x, bool) ::: Is x hot?\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nRompus(Rex, True)\n\nRules:\nNumpus($x, True) >>> Small($x, False)\nNumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Sour($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Fruity($x, True)\nTumpus($x, True) >>> Kind($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Hot($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Opaque($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Kind($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nKind(Rex, False)" + ] + }, + { + "id": "ProntoQA_182", + "context": "Tumpuses are fruity. Tumpuses are dumpuses. Each dumpus is liquid. Each dumpus is a numpus. Numpuses are sour. Numpuses are jompuses. Jompuses are not cold. Jompuses are wumpuses. Wumpuses are brown. Wumpuses are vumpuses. Vumpuses are happy. Each vumpus is a yumpus. Each yumpus is large. Each yumpus is a rompus. Rompuses are not mean. Every rompus is a zumpus. Each impus is not large. Sam is a numpus.", + "question": "Is the following statement true or false? Sam is large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLiquid($x, bool) ::: Is x liquid?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nNumpus(Sam, True)\n\nRules:\nTumpus($x, True) >>> Fruity($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Liquid($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sour($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Brown($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Mean($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nImpus($x, True) >>> Large($x, False)\n\nQuery:\nLarge(Sam, True)" + ] + }, + { + "id": "ProntoQA_183", + "context": "Impuses are not metallic. Impuses are yumpuses. Yumpuses are bright. Every yumpus is a jompus. Wumpuses are opaque. Every jompus is not large. Jompuses are tumpuses. Each tumpus is not earthy. Tumpuses are vumpuses. Every vumpus is bitter. Vumpuses are numpuses. Each numpus is not opaque. Every numpus is a dumpus. Every dumpus is kind. Dumpuses are rompuses. Rompuses are brown. Rompuses are zumpuses. Fae is a yumpus.", + "question": "Is the following statement true or false? Fae is opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nMetallic($x, bool) ::: Is x metallic?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nLarge($x, bool) ::: Is x large?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nEarthy($x, bool) ::: Is x earthy?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nBitter($x, bool) ::: Is x bitter?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nYumpus(Fae, True)\n\nRules:\nImpuses($x, True) >>> Metallic($x, False)\nImpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nWumpus($x, True) >>> Opaque($x, True)\nJompus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Tumpuses($x, True)\nTumpus($x, True) >>> Earthy($x, False)\nTumpus($x, True) >>> Vumpuses($x, True)\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Kind($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Brown($x, True)\nRompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nOpaque(Fae, False)" + ] + }, + { + "id": "ProntoQA_184", + "context": "Each impus is small. Every impus is a vumpus. Each vumpus is fruity. Vumpuses are zumpuses. Each zumpus is transparent. Every zumpus is a dumpus. Dumpuses are wooden. Dumpuses are wumpuses. Every wumpus is dull. Yumpuses are not angry. Wumpuses are tumpuses. Tumpuses are angry. Each tumpus is a numpus. Every numpus is not hot. Every numpus is a rompus. Every rompus is nervous. Each rompus is a jompus. Sam is a vumpus.", + "question": "Is the following statement true or false? Sam is not angry.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAngry($x, bool) ::: Is x angry?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nVumpus(Sam, True)\n\nRules:\nImpus($x, True) >>> Small($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Wooden($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, True)\nYumpus($x, True) >>> Angry($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Angry($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, False)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Nervous($x, True)\nRompus($x, True) >>> Jompus($x, True)\n\nQuery:\nAngry(Sam, False)" + ] + }, + { + "id": "ProntoQA_185", + "context": "Tumpuses are bright. Tumpuses are yumpuses. Yumpuses are sweet. Yumpuses are wumpuses. Wumpuses are not transparent. Wumpuses are vumpuses. Each vumpus is angry. Vumpuses are rompuses. Rompuses are happy. Every rompus is a zumpus. Zumpuses are brown. Zumpuses are numpuses. Numpuses are not large. Impuses are not happy. Numpuses are jompuses. Jompuses are earthy. Jompuses are dumpuses. Polly is a tumpus.", + "question": "Is the following statement true or false? Polly is not happy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSweet($x, bool) ::: Is x sweet?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nAngry($x, bool) ::: Is x angry?\nRompus($x, bool) ::: Does x belong to Rompus?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLarge($x, bool) ::: Is x large?\nImpuses($x, bool) ::: Does x belong to Impuses?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nTumpuses(Polly, True)\n\nRules:\nTumpuses($x, True) >>> Bright($x, True)\nTumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sweet($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, False)\nWumpus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Angry($x, True)\nVumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Happy($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Large($x, False)\nImpuses($x, True) >>> Happy($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nHappy(Polly, False)" + ] + }, + { + "id": "ProntoQA_186", + "context": "Numpuses are not small. Numpuses are yumpuses. Each yumpus is opaque. Each yumpus is a dumpus. Each vumpus is fruity. Every dumpus is not temperate. Dumpuses are wumpuses. Wumpuses are spicy. Each wumpus is an impus. Every impus is luminous. Impuses are jompuses. Each jompus is brown. Every jompus is a rompus. Rompuses are nervous. Rompuses are zumpuses. Zumpuses are not fruity. Each zumpus is a tumpus. Sally is a wumpus.", + "question": "Is the following statement true or false? Sally is fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSmall($x, bool) ::: Is x small?\nOpaque($x, bool) ::: Is x opaque?\nTemperate($x, bool) ::: Is x temperate?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nLuminous($x, bool) ::: Is x luminous?\nBrown($x, bool) ::: Is x brown?\nNervous($x, bool) ::: Is x nervous?\nFacts:\nWumpus(Sally, True)\nRules:\nNumpus($x, True) >>> Small($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nVumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Temperate($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Spicy($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Luminous($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Brown($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Nervous($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nQuery:\nFruity(Sally, True)" + ] + }, + { + "id": "ProntoQA_187", + "context": "Each zumpus is liquid. Dumpuses are not bitter. Each zumpus is a yumpus. Each yumpus is cold. Yumpuses are rompuses. Each rompus is nervous. Rompuses are tumpuses. Each tumpus is blue. Every tumpus is a jompus. Jompuses are transparent. Jompuses are impuses. Impuses are not floral. Impuses are vumpuses. Each vumpus is bitter. Every vumpus is a wumpus. Each wumpus is aggressive. Each wumpus is a numpus. Sam is a rompus.", + "question": "Is the following statement true or false? Sam is bitter.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBitter($x, bool) ::: Is x bitter?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nCold($x, bool) ::: Is x cold?\nRompus($x, bool) ::: Does x belong to Rompus?\nNervous($x, bool) ::: Is x nervous?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nImpus($x, bool) ::: Does x belong to Impus?\nFloral($x, bool) ::: Is x floral?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAggressive($x, bool) ::: Is x aggressive?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nRompus(Sam, True)\n\nRules:\nZumpus($x, True) >>> Liquid($x, True)\nDumpus($x, True) >>> Bitter($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Cold($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Nervous($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Blue($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Floral($x, False)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Aggressive($x, True)\nWumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nBitter(Sam, True)" + ] + }, + { + "id": "ProntoQA_188", + "context": "Every impus is bright. Every impus is a jompus. Every jompus is not opaque. Every jompus is a tumpus. Every tumpus is small. Tumpuses are vumpuses. Each vumpus is happy. Each vumpus is a yumpus. Each yumpus is not cold. Each yumpus is a numpus. Each wumpus is cold. Numpuses are blue. Numpuses are rompuses. Rompuses are not sour. Every rompus is a dumpus. Dumpuses are fruity. Dumpuses are zumpuses. Stella is an impus.", + "question": "Is the following statement true or false? Stella is not cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBlue($x, bool) ::: Is x blue?\nRompus($x, bool) ::: Does x belong to Rompus?\nSour($x, bool) ::: Is x sour?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nImpus(Stella, True)\n\nRules:\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Opaque($x, False)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Cold($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nWumpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Blue($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sour($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nCold(Stella, False)" + ] + }, + { + "id": "ProntoQA_189", + "context": "Each impus is nervous. Impuses are wumpuses. Wumpuses are wooden. Wumpuses are tumpuses. Zumpuses are dull. Each tumpus is not transparent. Each tumpus is a rompus. Rompuses are sweet. Each rompus is a vumpus. Each vumpus is not dull. Vumpuses are jompuses. Wren is an impus.", + "question": "Is the following statement true or false? Wren is dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nNervous($x, bool) ::: Is x nervous?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nImpus(Wren, True)\n\nRules:\nImpus($x, True) >>> Nervous($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Wooden($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Transparent($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sweet($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nWumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nDull(Wren, False)" + ] + }, + { + "id": "ProntoQA_190", + "context": "Yumpuses are not bitter. Yumpuses are jompuses. Every jompus is not brown. Each jompus is an impus. Impuses are temperate. Each impus is a wumpus. Wumpuses are not transparent. Each wumpus is a numpus. Numpuses are not nervous. Every numpus is a dumpus. Dumpuses are not small. Every dumpus is a tumpus. Tumpuses are wooden. Each tumpus is a rompus. Every rompus is earthy. Each rompus is a vumpus. Every zumpus is nervous. Max is a yumpus.", + "question": "Is the following statement true or false? Max is nervous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBitter($x, bool) ::: Is x bitter?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nBrown($x, bool) ::: Is x brown?\nImpus($x, bool) ::: Does x belong to Impus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nYumpus(Max, True)\n\nRules:\nYumpus($x, True) >>> Bitter($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Brown($x, False)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Temperate($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Wooden($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nZumpus($x, True) >>> Nervous($x, True)\n\nQuery:\nNervous(Max, False)" + ] + }, + { + "id": "ProntoQA_191", + "context": "Every dumpus is spicy. Dumpuses are yumpuses. Each yumpus is liquid. Yumpuses are rompuses. Rompuses are small. Rompuses are zumpuses. Zumpuses are fruity. Each zumpus is a vumpus. Vumpuses are not happy. Every vumpus is an impus. Impuses are not hot. Every impus is a numpus. Each numpus is angry. Numpuses are jompuses. Jompuses are not opaque. Wumpuses are happy. Jompuses are tumpuses. Fae is a dumpus.", + "question": "Is the following statement true or false? Fae is happy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nImpus($x, bool) ::: Does x belong to Impus?\nHot($x, bool) ::: Is x hot?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAngry($x, bool) ::: Is x angry?\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nDumpus(Fae, True)\n\nRules:\nDumpus($x, True) >>> Spicy($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, False)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Angry($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Opaque($x, False)\nJompus($x, True) >>> Tumpus($x, True)\nWumpus($x, True) >>> Happy($x, True)\n\nQuery:\nHappy(Fae, False)" + ] + }, + { + "id": "ProntoQA_192", + "context": "Numpuses are not wooden. Numpuses are wumpuses. Wumpuses are small. Wumpuses are rompuses. Rompuses are not floral. Rompuses are vumpuses. Each vumpus is blue. Jompuses are not dull. Each vumpus is a yumpus. Each yumpus is dull. Yumpuses are zumpuses. Sam is a numpus.", + "question": "Is the following statement true or false? Sam is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nWooden($x, bool) ::: Is x wooden?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nNumpus(Sam, True)\n\nRules:\nNumpus($x, True) >>> Wooden($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, False)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Blue($x, True)\nJompus($x, True) >>> Dull($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Dull($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nDull(Sam, False)" + ] + }, + { + "id": "ProntoQA_193", + "context": "Every numpus is not kind. Every numpus is a jompus. Jompuses are nervous. Jompuses are zumpuses. Zumpuses are large. Zumpuses are vumpuses. Vumpuses are fruity. Wumpuses are not red. Vumpuses are rompuses. Rompuses are not wooden. Each rompus is an impus. Every impus is dull. Each impus is a dumpus. Every dumpus is sweet. Every dumpus is a yumpus. Every yumpus is red. Each yumpus is a tumpus. Wren is a vumpus.", + "question": "Is the following statement true or false? Wren is not red.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nJompus($x, bool) ::: Does x belong to Jompus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nImpus($x, bool) ::: Does x belong to Impus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSweet($x, bool) ::: Is x sweet?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nVumpus(Wren, True)\n\nRules:\nNumpus($x, True) >>> Kind($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Nervous($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Red($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Wooden($x, False)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sweet($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Red($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nRed(Wren, False)" + ] + }, + { + "id": "ProntoQA_194", + "context": "Rompuses are small. Each rompus is a zumpus. Every zumpus is not bright. Zumpuses are vumpuses. Every vumpus is cold. Vumpuses are impuses. Impuses are not opaque. Every impus is a jompus. Jompuses are earthy. Each jompus is a yumpus. Yumpuses are spicy. Yumpuses are numpuses. Numpuses are liquid. Numpuses are dumpuses. Each dumpus is not angry. Every dumpus is a tumpus. Every wumpus is not earthy. Max is a rompus.", + "question": "Is the following statement true or false? Max is not earthy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSmall($x, bool) ::: Is x small?\nBright($x, bool) ::: Is x bright?\nOpaque($x, bool) ::: Is x opaque?\nEarthy($x, bool) ::: Is x earthy?\nSpicy($x, bool) ::: Is x spicy?\nAngry($x, bool) ::: Is x angry?\n\nFacts:\nRompus(Max, True)\n\nRules:\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bright($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, True)\nVumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Opaque($x, False)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Liquid($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Angry($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nWumpus($x, True) >>> Earthy($x, False)\n\nQuery:\nEarthy(Max, False)" + ] + }, + { + "id": "ProntoQA_195", + "context": "Every rompus is not transparent. Rompuses are jompuses. Every jompus is luminous. Jompuses are numpuses. Every numpus is hot. Numpuses are vumpuses. Vumpuses are bright. Each vumpus is a yumpus. Every yumpus is not fruity. Zumpuses are not spicy. Yumpuses are wumpuses. Wumpuses are small. Wumpuses are impuses. Every impus is spicy. Impuses are dumpuses. Dumpuses are not kind. Dumpuses are tumpuses. Fae is a numpus.", + "question": "Is the following statement true or false? Fae is not spicy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nJompus($x, bool) ::: Does x belong to Jompus?\nLuminous($x, bool) ::: Is x luminous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSpicy($x, bool) ::: Is x spicy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nImpus($x, bool) ::: Does x belong to Impus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nKind($x, bool) ::: Is x kind?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nNumpus(Fae, True)\n\nRules:\nRompus($x, True) >>> Transparent($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Luminous($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Spicy($x, False)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Spicy($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Kind($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nSpicy(Fae, False)" + ] + }, + { + "id": "ProntoQA_196", + "context": "Vumpuses are not hot. Vumpuses are zumpuses. Each zumpus is opaque. Zumpuses are tumpuses. Tumpuses are not small. Each tumpus is a yumpus. Numpuses are not feisty. Yumpuses are sour. Yumpuses are jompuses. Jompuses are not orange. Jompuses are rompuses. Every rompus is feisty. Each rompus is a wumpus. Every wumpus is mean. Wumpuses are dumpuses. Dumpuses are not dull. Dumpuses are impuses. Fae is a zumpus.", + "question": "Is the following statement true or false? Fae is not feisty.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nHot($x, bool) ::: Is x hot?\nOpaque($x, bool) ::: Is x opaque?\nSmall($x, bool) ::: Is x small?\nSour($x, bool) ::: Is x sour?\nFeisty($x, bool) ::: Is x feisty?\n\nFacts:\nZumpus(Fae, True)\n\nRules:\nVumpuses($x, True) >>> Hot($x, False)\nVumpuses($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Small($x, False)\nTumpuses($x, True) >>> Yumpus($x, True)\nNumpus($x, True) >>> Feisty($x, False)\nYumpus($x, True) >>> Sour($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Orange($x, False)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, False)\nDumpus($x, True) >>> Impuses($x, True)\n\nQuery:\nFeisty(Fae, False)" + ] + }, + { + "id": "ProntoQA_197", + "context": "Jompuses are kind. Every vumpus is feisty. Vumpuses are zumpuses. Every zumpus is temperate. Every zumpus is a rompus. Rompuses are small. Each rompus is a dumpus. Every dumpus is earthy. Every dumpus is a numpus. Numpuses are liquid. Numpuses are wumpuses. Wumpuses are dull. Each wumpus is a tumpus. Every tumpus is red. Every tumpus is an impus. Each impus is not kind. Each impus is a yumpus. Alex is a dumpus.", + "question": "Is the following statement true or false? Alex is kind.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nEarthy($x, bool) ::: Is x earthy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLiquid($x, bool) ::: Is x liquid?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRed($x, bool) ::: Is x red?\nImpus($x, bool) ::: Does x belong to Impus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nDumpus(Alex, True)\n\nRules:\nJompus($x, True) >>> Kind($x, True)\nVumpus($x, True) >>> Feisty($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Earthy($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Liquid($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Red($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Kind($x, False)\nImpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nKind(Alex, False)" + ] + }, + { + "id": "ProntoQA_198", + "context": "Each jompus is floral. Jompuses are vumpuses. Vumpuses are feisty. Each vumpus is a tumpus. Each tumpus is not amenable. Every tumpus is a numpus. Each numpus is temperate. Each numpus is a wumpus. Every wumpus is not small. Every wumpus is an impus. Impuses are not spicy. Yumpuses are small. Every impus is a rompus. Each rompus is transparent. Rompuses are dumpuses. Each dumpus is brown. Dumpuses are zumpuses. Wren is a jompus.", + "question": "Is the following statement true or false? Wren is small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nFeisty($x, bool) ::: Is x feisty?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAmenable($x, bool) ::: Is x amenable?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nImpus($x, bool) ::: Does x belong to Impus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBrown($x, bool) ::: Is x brown?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nJompus(Wren, True)\n\nRules:\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Feisty($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Amenable($x, False)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Temperate($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Spicy($x, False)\nYumpus($x, True) >>> Small($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nSmall(Wren, False)" + ] + }, + { + "id": "ProntoQA_199", + "context": "Zumpuses are not large. Every zumpus is a wumpus. Wumpuses are not orange. Every wumpus is a jompus. Jompuses are earthy. Every jompus is a rompus. Every rompus is metallic. Rompuses are dumpuses. Every dumpus is mean. Dumpuses are numpuses. Each numpus is sweet. Numpuses are impuses. Each impus is temperate. Impuses are yumpuses. Tumpuses are opaque. Each yumpus is not opaque. Yumpuses are vumpuses. Alex is a rompus.", + "question": "Is the following statement true or false? Alex is opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nEarthy($x, bool) ::: Is x earthy?\nMetallic($x, bool) ::: Is x metallic?\nSweet($x, bool) ::: Is x sweet?\nTemperate($x, bool) ::: Is x temperate?\nOpaque($x, bool) ::: Is x opaque?\n\nFacts:\nRompus(Alex, True)\n\nRules:\nZumpus($x, True) >>> Large($x, False)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, False)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Metallic($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Mean($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sweet($x, True)\nNumpus($x, True) >>> Impuses($x, True)\nImpus($x, True) >>> Temperate($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Opaque($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nOpaque(Alex, False)" + ] + }, + { + "id": "ProntoQA_200", + "context": "Zumpuses are orange. Zumpuses are wumpuses. Each wumpus is temperate. Wumpuses are yumpuses. Each yumpus is fruity. Yumpuses are numpuses. Numpuses are small. Numpuses are vumpuses. Jompuses are transparent. Each vumpus is not transparent. Vumpuses are rompuses. Rex is a zumpus.", + "question": "Is the following statement true or false? Rex is not transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOrange($x, bool) ::: Is x orange?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTemperate($x, bool) ::: Is x temperate?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nZumpus(Rex, True)\n\nRules:\nZumpus($x, True) >>> Orange($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Temperate($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nJompus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nTransparent(Rex, False)" + ] + }, + { + "id": "ProntoQA_201", + "context": "Every vumpus is large. Vumpuses are yumpuses. Each yumpus is happy. Every yumpus is a zumpus. Every zumpus is blue. Zumpuses are impuses. Each tumpus is not wooden. Every impus is floral. Impuses are dumpuses. Dumpuses are not bright. Dumpuses are jompuses. Each jompus is not bitter. Each jompus is a wumpus. Wumpuses are not opaque. Each wumpus is a rompus. Every rompus is wooden. Every rompus is a numpus. Sally is an impus.", + "question": "Is the following statement true or false? Sally is not wooden.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBlue($x, bool) ::: Is x blue?\nImpus($x, bool) ::: Does x belong to Impus?\nFloral($x, bool) ::: Is x floral?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nImpus(Sally, True)\n\nRules:\nVumpus($x, True) >>> Large($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Blue($x, True)\nZumpus($x, True) >>> Impus($x, True)\nTumpus($x, True) >>> Wooden($x, False)\nImpus($x, True) >>> Floral($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bitter($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Wooden($x, True)\nRompus($x, True) >>> Numpus($x, True)\n\nQuery:\nWooden(Sally, False)" + ] + }, + { + "id": "ProntoQA_202", + "context": "Tumpuses are temperate. Tumpuses are impuses. Every impus is orange. Impuses are yumpuses. Each yumpus is shy. Yumpuses are zumpuses. Zumpuses are bright. Every zumpus is a rompus. Every numpus is opaque. Rompuses are small. Every rompus is a dumpus. Dumpuses are not floral. Each dumpus is a wumpus. Each wumpus is aggressive. Wumpuses are vumpuses. Each vumpus is not opaque. Every vumpus is a jompus. Wren is a zumpus.", + "question": "Is the following statement true or false? Wren is opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTemperate($x, bool) ::: Is x temperate?\nImpuses($x, bool) ::: Does x belong to Impuses?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nShy($x, bool) ::: Is x shy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAggressive($x, bool) ::: Is x aggressive?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Wren, True)\n\nRules:\nTumpuses($x, True) >>> Temperate($x, True)\nTumpuses($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Orange($x, True)\nImpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Shy($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bright($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Aggressive($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, False)\nVumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nOpaque(Wren, False)" + ] + }, + { + "id": "ProntoQA_203", + "context": "Each tumpus is liquid. Tumpuses are yumpuses. Yumpuses are not temperate. Yumpuses are vumpuses. Vumpuses are angry. Vumpuses are zumpuses. Zumpuses are red. Zumpuses are rompuses. Each rompus is shy. Rompuses are dumpuses. Every dumpus is not small. Dumpuses are numpuses. Every numpus is not spicy. Numpuses are impuses. Every jompus is not shy. Impuses are not earthy. Each impus is a wumpus. Alex is a tumpus.", + "question": "Is the following statement true or false? Alex is shy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLiquid($x, bool) ::: Is x liquid?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAngry($x, bool) ::: Is x angry?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nShy($x, bool) ::: Is x shy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nEarthy($x, bool) ::: Is x earthy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nTumpus(Alex, True)\n\nRules:\nTumpus($x, True) >>> Liquid($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Angry($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Red($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Shy($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Spicy($x, False)\nNumpus($x, True) >>> Impus($x, True)\nJompus($x, True) >>> Shy($x, False)\nImpus($x, True) >>> Earthy($x, False)\nImpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nShy(Alex, True)" + ] + }, + { + "id": "ProntoQA_204", + "context": "Jompuses are red. Jompuses are wumpuses. Each wumpus is not dull. Every wumpus is a yumpus. Every yumpus is hot. Every yumpus is an impus. Dumpuses are not feisty. Each impus is spicy. Every impus is a rompus. Every rompus is feisty. Rompuses are tumpuses. Sam is a jompus.", + "question": "Is the following statement true or false? Sam is not feisty.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFeisty($x, bool) ::: Is x feisty?\nSpicy($x, bool) ::: Is x spicy?\nRompus($x, bool) ::: Does x belong to Rompus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nJompus(Sam, True)\n\nRules:\nJompus($x, True) >>> Red($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Hot($x, True)\nYumpus($x, True) >>> Impus($x, True)\nDumpus($x, True) >>> Feisty($x, False)\nImpus($x, True) >>> Spicy($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, True)\nRompus($x, True) >>> Tumpus($x, True)\n\nQuery:\nFeisty(Sam, False)" + ] + }, + { + "id": "ProntoQA_205", + "context": "Impuses are hot. Impuses are rompuses. Rompuses are small. Rompuses are jompuses. Jompuses are dull. Every jompus is a zumpus. Zumpuses are not kind. Every zumpus is a numpus. Numpuses are nervous. Numpuses are vumpuses. Vumpuses are not fruity. Every vumpus is a dumpus. Wumpuses are fruity. Each dumpus is not wooden. Each dumpus is a tumpus. Tumpuses are not blue. Every tumpus is a yumpus. Stella is a rompus.", + "question": "Is the following statement true or false? Stella is fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nKind($x, bool) ::: Is x kind?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBlue($x, bool) ::: Is x blue?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nRompus(Stella, True)\n\nRules:\nImpuses($x, True) >>> Hot($x, True)\nImpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Kind($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Fruity($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Wooden($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Blue($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nFruity(Stella, False)" + ] + }, + { + "id": "ProntoQA_206", + "context": "Every wumpus is wooden. Every wumpus is a numpus. Every numpus is sour. Numpuses are impuses. Impuses are not opaque. Every impus is a jompus. Each jompus is cold. Jompuses are vumpuses. Every vumpus is blue. Each vumpus is a rompus. Rompuses are angry. Every rompus is a yumpus. Yumpuses are fruity. Dumpuses are not fruity. Every yumpus is a zumpus. Every zumpus is happy. Each zumpus is a tumpus. Polly is an impus.", + "question": "Is the following statement true or false? Polly is fruity.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSour($x, bool) ::: Is x sour?\nImpuses($x, bool) ::: Does x belong to Impuses?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nBlue($x, bool) ::: Is x blue?\nRompus($x, bool) ::: Does x belong to Rompus?\nAngry($x, bool) ::: Is x angry?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nImpuses(Polly, True)\n\nRules:\nWumpus($x, True) >>> Wooden($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sour($x, True)\nNumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Opaque($x, False)\nImpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, True)\nJompus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Blue($x, True)\nVumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Angry($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Fruity($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Happy($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nFruity(Polly, True)" + ] + }, + { + "id": "ProntoQA_207", + "context": "Numpuses are transparent. Numpuses are yumpuses. Yumpuses are red. Each yumpus is a jompus. Jompuses are small. Each jompus is a vumpus. Each vumpus is metallic. Every vumpus is a dumpus. Dumpuses are floral. Each dumpus is a rompus. Every rompus is angry. Rompuses are tumpuses. Impuses are not floral. Sally is a numpus.", + "question": "Is the following statement true or false? Sally is not floral.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRed($x, bool) ::: Is x red?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nMetallic($x, bool) ::: Is x metallic?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nAngry($x, bool) ::: Is x angry?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nNumpus(Sally, True)\n\nRules:\nNumpus($x, True) >>> Transparent($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Red($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Metallic($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Angry($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nImpus($x, True) >>> Floral($x, False)\n\nQuery:\nFloral(Sally, False)" + ] + }, + { + "id": "ProntoQA_208", + "context": "Impuses are not fruity. Impuses are vumpuses. Each vumpus is cold. Wumpuses are not orange. Vumpuses are numpuses. Every numpus is wooden. Numpuses are rompuses. Rompuses are opaque. Rompuses are yumpuses. Each yumpus is sour. Yumpuses are zumpuses. Every zumpus is not small. Zumpuses are tumpuses. Each tumpus is nervous. Every tumpus is a jompus. Jompuses are orange. Every jompus is a dumpus. Max is a rompus.", + "question": "Is the following statement true or false? Max is not orange.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nFruity($x, bool) ::: Is x fruity?\nImpuses($x, bool) ::: Does x belong to Impuses?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSour($x, bool) ::: Is x sour?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nRompus(Max, True)\n\nRules:\nImpuses($x, True) >>> Fruity($x, False)\nImpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Cold($x, True)\nWumpus($x, True) >>> Orange($x, False)\nVumpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Wooden($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sour($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Orange($x, True)\nJompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nOrange(Max, False)" + ] + }, + { + "id": "ProntoQA_209", + "context": "Each tumpus is sweet. Every tumpus is a wumpus. Wumpuses are not transparent. Each wumpus is a dumpus. Every numpus is not earthy. Dumpuses are blue. Dumpuses are impuses. Impuses are not large. Impuses are yumpuses. Each yumpus is angry. Every yumpus is a rompus. Rompuses are not metallic. Every rompus is a zumpus. Each zumpus is earthy. Zumpuses are vumpuses. Polly is a dumpus.", + "question": "Is the following statement true or false? Polly is earthy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSweet($x, bool) ::: Is x sweet?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nBlue($x, bool) ::: Is x blue?\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAngry($x, bool) ::: Is x angry?\nRompus($x, bool) ::: Does x belong to Rompus?\nMetallic($x, bool) ::: Is x metallic?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nDumpus(Polly, True)\n\nRules:\nTumpus($x, True) >>> Sweet($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nNumpus($x, True) >>> Earthy($x, False)\nDumpus($x, True) >>> Blue($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, False)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Angry($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Metallic($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Earthy($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nEarthy(Polly, True)" + ] + }, + { + "id": "ProntoQA_210", + "context": "Zumpuses are wooden. Zumpuses are yumpuses. Each dumpus is not hot. Yumpuses are sour. Every yumpus is a tumpus. Tumpuses are not opaque. Every tumpus is a wumpus. Every wumpus is fruity. Each wumpus is a vumpus. Vumpuses are happy. Each vumpus is a rompus. Rompuses are hot. Every rompus is an impus. Every impus is kind. Every impus is a numpus. Numpuses are not orange. Each numpus is a jompus. Fae is a yumpus.", + "question": "Is the following statement true or false? Fae is not hot.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nRompus($x, bool) ::: Does x belong to Rompus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nKind($x, bool) ::: Is x kind?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOrange($x, bool) ::: Is x orange?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nYumpus(Fae, True)\n\nRules:\nZumpus($x, True) >>> Wooden($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nDumpus($x, True) >>> Hot($x, False)\nYumpus($x, True) >>> Sour($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, False)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Hot($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Kind($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Orange($x, False)\nNumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nHot(Fae, False)" + ] + }, + { + "id": "ProntoQA_211", + "context": "Each zumpus is earthy. Every rompus is not spicy. Rompuses are wumpuses. Each wumpus is not happy. Wumpuses are tumpuses. Tumpuses are liquid. Every tumpus is a dumpus. Each dumpus is large. Each dumpus is an impus. Impuses are not earthy. Impuses are vumpuses. Each vumpus is aggressive. Every vumpus is a yumpus. Each yumpus is brown. Yumpuses are jompuses. Each jompus is bright. Each jompus is a numpus. Alex is a rompus.", + "question": "Is the following statement true or false? Alex is not earthy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nEarthy($x, bool) ::: Is x earthy?\nSpicy($x, bool) ::: Is x spicy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHappy($x, bool) ::: Is x happy?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAggressive($x, bool) ::: Is x aggressive?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBrown($x, bool) ::: Is x brown?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nRompus(Alex, True)\n\nRules:\nZumpus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Spicy($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Happy($x, False)\nWumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Liquid($x, True)\nTumpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Earthy($x, False)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Aggressive($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Brown($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Numpus($x, True)\n\nQuery:\nEarthy(Alex, False)" + ] + }, + { + "id": "ProntoQA_212", + "context": "Every tumpus is red. Each tumpus is a wumpus. Every wumpus is sweet. Wumpuses are vumpuses. Vumpuses are small. Every vumpus is a jompus. Every jompus is not aggressive. Zumpuses are temperate. Each jompus is a dumpus. Each dumpus is bright. Every dumpus is a numpus. Numpuses are not temperate. Numpuses are rompuses. Each rompus is not luminous. Every rompus is a yumpus. Yumpuses are opaque. Every yumpus is an impus. Stella is a wumpus.", + "question": "Is the following statement true or false? Stella is not temperate.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRed($x, bool) ::: Is x red?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nAggressive($x, bool) ::: Is x aggressive?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nWumpus(Stella, True)\n\nRules:\nTumpus($x, True) >>> Red($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sweet($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Aggressive($x, False)\nZumpus($x, True) >>> Temperate($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Temperate($x, False)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Luminous($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Impus($x, True)\n\nQuery:\nTemperate(Stella, False)" + ] + }, + { + "id": "ProntoQA_213", + "context": "Jompuses are not bright. Jompuses are vumpuses. Vumpuses are bitter. Every vumpus is a tumpus. Tumpuses are hot. Tumpuses are impuses. Each impus is not brown. Every impus is a numpus. Every yumpus is wooden. Numpuses are large. Numpuses are rompuses. Rompuses are not opaque. Every rompus is a wumpus. Wumpuses are aggressive. Wumpuses are dumpuses. Each dumpus is not wooden. Each dumpus is a zumpus. Rex is an impus.", + "question": "Is the following statement true or false? Rex is not wooden.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nBrown($x, bool) ::: Is x brown?\nNumpus($x, bool) ::: Does x belong to Numpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWooden($x, bool) ::: Is x wooden?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAggressive($x, bool) ::: Is x aggressive?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nImpus(Rex, True)\n\nRules:\nJompus($x, True) >>> Bright($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Hot($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Brown($x, False)\nImpus($x, True) >>> Numpus($x, True)\nYumpus($x, True) >>> Wooden($x, True)\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Aggressive($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Wooden($x, False)\nDumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nWooden(Rex, False)" + ] + }, + { + "id": "ProntoQA_214", + "context": "Every vumpus is not blue. Every vumpus is a zumpus. Zumpuses are floral. Every zumpus is a wumpus. Each wumpus is cold. Every impus is not nervous. Wumpuses are yumpuses. Yumpuses are transparent. Yumpuses are numpuses. Numpuses are nervous. Numpuses are tumpuses. Tumpuses are small. Each tumpus is a jompus. Jompuses are sweet. Jompuses are rompuses. Every rompus is not amenable. Rompuses are dumpuses. Sally is a vumpus.", + "question": "Is the following statement true or false? Sally is nervous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBlue($x, bool) ::: Is x blue?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFloral($x, bool) ::: Is x floral?\nImpus($x, bool) ::: Does x belong to Impus?\nNervous($x, bool) ::: Is x nervous?\nTransparent($x, bool) ::: Is x transparent?\nSmall($x, bool) ::: Is x small?\nSweet($x, bool) ::: Is x sweet?\nAmenable($x, bool) ::: Is x amenable?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpuses(Sally, True)\n\nRules:\nVumpus($x, True) >>> Blue($x, False)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Floral($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Cold($x, True)\nImpus($x, True) >>> Nervous($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sweet($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Amenable($x, False)\nRompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nNervous(Sally, True)" + ] + }, + { + "id": "ProntoQA_215", + "context": "Every wumpus is brown. Wumpuses are rompuses. Each rompus is dull. Rompuses are dumpuses. Dumpuses are transparent. Dumpuses are vumpuses. Each vumpus is small. Vumpuses are tumpuses. Yumpuses are not earthy. Tumpuses are earthy. Every tumpus is a zumpus. Each zumpus is not temperate. Each zumpus is a numpus. Each numpus is kind. Every numpus is an impus. Max is a wumpus.", + "question": "Is the following statement true or false? Max is not earthy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nEarthy($x, bool) ::: Is x earthy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nWumpus(Max, True)\n\nRules:\nWumpus($x, True) >>> Brown($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nYumpus($x, True) >>> Earthy($x, False)\nTumpus($x, True) >>> Earthy($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Impus($x, True)\n\nQuery:\nEarthy(Max, False)" + ] + }, + { + "id": "ProntoQA_216", + "context": "Impuses are dull. Impuses are rompuses. Vumpuses are not aggressive. Rompuses are not spicy. Each rompus is a dumpus. Dumpuses are nervous. Dumpuses are wumpuses. Wumpuses are not opaque. Every wumpus is a jompus. Jompuses are floral. Every jompus is a numpus. Numpuses are small. Each numpus is a zumpus. Each zumpus is blue. Zumpuses are tumpuses. Every tumpus is aggressive. Every tumpus is a yumpus. Max is a wumpus.", + "question": "Is the following statement true or false? Max is aggressive.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nDull($x, bool) ::: Is x dull?\nRompus($x, bool) ::: Does x belong to Rompus?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nAggressive($x, bool) ::: Is x aggressive?\nSpicy($x, bool) ::: Is x spicy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNervous($x, bool) ::: Is x nervous?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBlue($x, bool) ::: Is x blue?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nWumpus(Max, True)\n\nRules:\nImpuses($x, True) >>> Dull($x, True)\nImpuses($x, True) >>> Rompus($x, True)\nVumpuses($x, True) >>> Aggressive($x, False)\nRompus($x, True) >>> Spicy($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Nervous($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, False)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Blue($x, True)\nZumpus($x, True) >>> Tumpuses($x, True)\nTumpus($x, True) >>> Aggressive($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nAggressive(Max, True)" + ] + }, + { + "id": "ProntoQA_217", + "context": "Numpuses are kind. Each numpus is a yumpus. Each yumpus is not opaque. Yumpuses are jompuses. Each vumpus is metallic. Jompuses are not temperate. Jompuses are wumpuses. Each wumpus is sour. Wumpuses are tumpuses. Tumpuses are not metallic. Every tumpus is a rompus. Each rompus is not brown. Rompuses are impuses. Each impus is not dull. Each impus is a zumpus. Zumpuses are not feisty. Zumpuses are dumpuses. Sally is a numpus.", + "question": "Is the following statement true or false? Sally is not metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nImpus($x, bool) ::: Does x belong to Impus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFeisty($x, bool) ::: Is x feisty?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nNumpus(Sally, True)\n\nRules:\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nVumpus($x, True) >>> Metallic($x, True)\nJompus($x, True) >>> Temperate($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sour($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Metallic($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Brown($x, False)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Feisty($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nMetallic(Sally, False)" + ] + }, + { + "id": "ProntoQA_218", + "context": "Every vumpus is not sour. Vumpuses are rompuses. Every rompus is not happy. Rompuses are jompuses. Each jompus is not temperate. Numpuses are not transparent. Jompuses are tumpuses. Tumpuses are liquid. Tumpuses are yumpuses. Each yumpus is transparent. Yumpuses are dumpuses. Dumpuses are orange. Dumpuses are wumpuses. Wumpuses are floral. Every wumpus is a zumpus. Fae is a vumpus.", + "question": "Is the following statement true or false? Fae is transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSour($x, bool) ::: Is x sour?\nHappy($x, bool) ::: Is x happy?\nTemperate($x, bool) ::: Is x temperate?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nVumpuses(Fae, True)\n\nRules:\nVumpus($x, True) >>> Sour($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Happy($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, False)\nNumpus($x, True) >>> Transparent($x, False)\nJompus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Liquid($x, True)\nTumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Orange($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nTransparent(Fae, True)" + ] + }, + { + "id": "ProntoQA_219", + "context": "Zumpuses are hot. Every zumpus is a tumpus. Every tumpus is dull. Each tumpus is a dumpus. Every dumpus is small. Dumpuses are vumpuses. Vumpuses are not nervous. Yumpuses are not transparent. Every vumpus is an impus. Every impus is not red. Impuses are rompuses. Rompuses are not floral. Rompuses are wumpuses. Each wumpus is transparent. Every wumpus is a jompus. Jompuses are not spicy. Each jompus is a numpus. Wren is a dumpus.", + "question": "Is the following statement true or false? Wren is transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHot($x, bool) ::: Is x hot?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nNervous($x, bool) ::: Is x nervous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nImpus($x, bool) ::: Does x belong to Impus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nDumpus(Wren, True)\n\nRules:\nZumpus($x, True) >>> Hot($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Nervous($x, False)\nYumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Red($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, False)\nJompus($x, True) >>> Numpus($x, True)\n\nQuery:\nTransparent(Wren, True)" + ] + }, + { + "id": "ProntoQA_220", + "context": "Zumpuses are shy. Zumpuses are yumpuses. Dumpuses are not luminous. Yumpuses are not earthy. Every yumpus is a numpus. Numpuses are not aggressive. Each numpus is a tumpus. Tumpuses are transparent. Each tumpus is a wumpus. Every wumpus is not sour. Each wumpus is an impus. Each impus is not hot. Each impus is a jompus. Every jompus is not small. Each jompus is a vumpus. Vumpuses are luminous. Vumpuses are rompuses. Stella is a tumpus.", + "question": "Is the following statement true or false? Stella is not luminous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nShy($x, bool) ::: Is x shy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLuminous($x, bool) ::: Is x luminous?\nEarthy($x, bool) ::: Is x earthy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAggressive($x, bool) ::: Is x aggressive?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSour($x, bool) ::: Is x sour?\nImpus($x, bool) ::: Does x belong to Impus?\nHot($x, bool) ::: Is x hot?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nTumpus(Stella, True)\n\nRules:\nZumpus($x, True) >>> Shy($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nDumpus($x, True) >>> Luminous($x, False)\nYumpus($x, True) >>> Earthy($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Aggressive($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Transparent($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sour($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, False)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Luminous($x, True)\nVumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nLuminous(Stella, False)" + ] + }, + { + "id": "ProntoQA_221", + "context": "Every vumpus is feisty. Vumpuses are numpuses. Numpuses are not spicy. Numpuses are yumpuses. Yumpuses are large. Each yumpus is a zumpus. Tumpuses are fruity. Each zumpus is hot. Each zumpus is a wumpus. Every wumpus is transparent. Wumpuses are rompuses. Rompuses are brown. Rompuses are dumpuses. Every dumpus is kind. Each dumpus is an impus. Impuses are not fruity. Each impus is a jompus. Stella is a zumpus.", + "question": "Is the following statement true or false? Stella is fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFruity($x, bool) ::: Is x fruity?\nHot($x, bool) ::: Is x hot?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nKind($x, bool) ::: Is x kind?\nImpus($x, bool) ::: Does x belong to Impus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Stella, True)\n\nRules:\nVumpus($x, True) >>> Feisty($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Spicy($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nTumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Hot($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Brown($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Kind($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Fruity($x, False)\nImpus($x, True) >>> Jompus($x, True)\n\nQuery:\nFruity(Stella, True)" + ] + }, + { + "id": "ProntoQA_222", + "context": "Yumpuses are nervous. Each yumpus is a wumpus. Each wumpus is not earthy. Wumpuses are impuses. Zumpuses are metallic. Each impus is hot. Impuses are dumpuses. Dumpuses are small. Dumpuses are jompuses. Jompuses are sweet. Each jompus is a vumpus. Vumpuses are not metallic. Vumpuses are tumpuses. Each tumpus is red. Tumpuses are rompuses. Rompuses are bright. Rompuses are numpuses. Stella is a wumpus.", + "question": "Is the following statement true or false? Stella is not metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nEarthy($x, bool) ::: Is x earthy?\nImpuses($x, bool) ::: Does x belong to Impuses?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nWumpus(Stella, True)\n\nRules:\nYumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Earthy($x, False)\nWumpus($x, True) >>> Impuses($x, True)\nZumpus($x, True) >>> Metallic($x, True)\nImpus($x, True) >>> Hot($x, True)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sweet($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Metallic($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Red($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bright($x, True)\nRompus($x, True) >>> Numpus($x, True)\n\nQuery:\nMetallic(Stella, False)" + ] + }, + { + "id": "ProntoQA_223", + "context": "Dumpuses are bright. Dumpuses are vumpuses. Vumpuses are bitter. Vumpuses are zumpuses. Zumpuses are not floral. Zumpuses are impuses. Impuses are small. Impuses are numpuses. Wumpuses are not luminous. Each numpus is orange. Numpuses are jompuses. Every jompus is cold. Jompuses are rompuses. Rompuses are nervous. Rompuses are yumpuses. Every yumpus is luminous. Yumpuses are tumpuses. Polly is an impus.", + "question": "Is the following statement true or false? Polly is not luminous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFloral($x, bool) ::: Is x floral?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOrange($x, bool) ::: Is x orange?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nRompus($x, bool) ::: Does x belong to Rompus?\nNervous($x, bool) ::: Is x nervous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLuminous($x, bool) ::: Is x luminous?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nImpus(Polly, True)\n\nRules:\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Floral($x, False)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, True)\nImpus($x, True) >>> Numpus($x, True)\nWumpus($x, True) >>> Luminous($x, False)\nNumpus($x, True) >>> Orange($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Nervous($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Luminous($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nLuminous(Polly, False)" + ] + }, + { + "id": "ProntoQA_224", + "context": "Each jompus is nervous. Every jompus is a vumpus. Each vumpus is not brown. Each vumpus is a zumpus. Zumpuses are dull. Zumpuses are dumpuses. Dumpuses are fruity. Every dumpus is a wumpus. Wumpuses are luminous. Wumpuses are impuses. Impuses are kind. Every impus is a rompus. Yumpuses are cold. Each rompus is not cold. Every rompus is a tumpus. Tumpuses are not bitter. Tumpuses are numpuses. Sally is a zumpus.", + "question": "Is the following statement true or false? Sally is cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBrown($x, bool) ::: Is x brown?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLuminous($x, bool) ::: Is x luminous?\nImpus($x, bool) ::: Does x belong to Impus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBitter($x, bool) ::: Is x bitter?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nZumpus(Sally, True)\n\nRules:\nJompus($x, True) >>> Nervous($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Brown($x, False)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Luminous($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Kind($x, True)\nImpus($x, True) >>> Rompus($x, True)\nYumpus($x, True) >>> Cold($x, True)\nRompus($x, True) >>> Cold($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bitter($x, False)\nTumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nCold(Sally, False)" + ] + }, + { + "id": "ProntoQA_225", + "context": "Every tumpus is not amenable. Tumpuses are impuses. Every impus is feisty. Every impus is a dumpus. Every dumpus is cold. Every dumpus is a wumpus. Wumpuses are sweet. Every wumpus is a vumpus. Yumpuses are not large. Every vumpus is large. Vumpuses are numpuses. Numpuses are bright. Numpuses are rompuses. Each rompus is blue. Each rompus is a jompus. Each jompus is luminous. Jompuses are zumpuses. Sam is a tumpus.", + "question": "Is the following statement true or false? Sam is large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAmenable($x, bool) ::: Is x amenable?\nImpus($x, bool) ::: Does x belong to Impus?\nFeisty($x, bool) ::: Is x feisty?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nLuminous($x, bool) ::: Is x luminous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpus(Sam, True)\n\nRules:\nTumpus($x, True) >>> Amenable($x, False)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Feisty($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sweet($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nYumpus($x, True) >>> Large($x, False)\nVumpus($x, True) >>> Large($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Blue($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Luminous($x, True)\nJompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nLarge(Sam, True)" + ] + }, + { + "id": "ProntoQA_226", + "context": "Dumpuses are metallic. Impuses are not shy. Impuses are rompuses. Rompuses are not fruity. Each rompus is a jompus. Jompuses are large. Jompuses are numpuses. Numpuses are not blue. Numpuses are vumpuses. Each vumpus is not metallic. Vumpuses are wumpuses. Every wumpus is sweet. Wumpuses are zumpuses. Zumpuses are not opaque. Every zumpus is a tumpus. Every tumpus is not kind. Tumpuses are yumpuses. Stella is an impus.", + "question": "Is the following statement true or false? Stella is metallic.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nImpuses($x, bool) ::: Does x belong to Impuses?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nFruity($x, bool) ::: Is x fruity?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBlue($x, bool) ::: Is x blue?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSweet($x, bool) ::: Is x sweet?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nImpuses(Stella, True)\n\nRules:\nDumpus($x, True) >>> Metallic($x, True)\nImpuses($x, True) >>> Shy($x, False)\nImpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Fruity($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Blue($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Metallic($x, False)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sweet($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Kind($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nMetallic(Stella, True)" + ] + }, + { + "id": "ProntoQA_227", + "context": "Numpuses are opaque. Every numpus is a rompus. Every rompus is aggressive. Rompuses are tumpuses. Each tumpus is not floral. Tumpuses are yumpuses. Every yumpus is bright. Yumpuses are wumpuses. Wumpuses are temperate. Each wumpus is a dumpus. Each dumpus is wooden. Vumpuses are not nervous. Dumpuses are impuses. Every impus is nervous. Each impus is a jompus. Every jompus is large. Each jompus is a zumpus. Sam is a tumpus.", + "question": "Is the following statement true or false? Sam is not nervous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nAggressive($x, bool) ::: Is x aggressive?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nNervous($x, bool) ::: Is x nervous?\nImpuses($x, bool) ::: Does x belong to Impuses?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpuses(Sam, True)\n\nRules:\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Aggressive($x, True)\nRompus($x, True) >>> Tumpuses($x, True)\nTumpus($x, True) >>> Floral($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Temperate($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Wooden($x, True)\nVumpuses($x, True) >>> Nervous($x, False)\nDumpus($x, True) >>> Impuses($x, True)\nImpus($x, True) >>> Nervous($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nNervous(Sam, False)" + ] + }, + { + "id": "ProntoQA_228", + "context": "Each zumpus is bitter. Every zumpus is a vumpus. Every vumpus is not angry. Every vumpus is an impus. Numpuses are not transparent. Every impus is hot. Every impus is a rompus. Every rompus is not liquid. Each rompus is a dumpus. Every dumpus is feisty. Each dumpus is a yumpus. Each yumpus is transparent. Yumpuses are jompuses. Every jompus is floral. Each jompus is a tumpus. Each tumpus is bright. Tumpuses are wumpuses. Alex is a vumpus.", + "question": "Is the following statement true or false? Alex is not transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAngry($x, bool) ::: Is x angry?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nVumpus(Alex, True)\n\nRules:\nZumpus($x, True) >>> Bitter($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Angry($x, False)\nVumpus($x, True) >>> Impus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nImpus($x, True) >>> Hot($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Liquid($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Feisty($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nTransparent(Alex, False)" + ] + }, + { + "id": "ProntoQA_229", + "context": "Every wumpus is not aggressive. Every wumpus is a rompus. Tumpuses are cold. Every rompus is large. Rompuses are yumpuses. Yumpuses are not sour. Yumpuses are impuses. Every impus is not opaque. Each impus is a dumpus. Every dumpus is not cold. Each dumpus is a jompus. Jompuses are not red. Jompuses are zumpuses. Each zumpus is not bright. Each zumpus is a vumpus. Vumpuses are not wooden. Every vumpus is a numpus. Alex is a wumpus.", + "question": "Is the following statement true or false? Alex is not cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAggressive($x, bool) ::: Is x aggressive?\nRompus($x, bool) ::: Does x belong to Rompus?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nCold($x, bool) ::: Is x cold?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSour($x, bool) ::: Is x sour?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWooden($x, bool) ::: Is x wooden?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nWumpus(Alex, True)\n\nRules:\nWumpus($x, True) >>> Aggressive($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nTumpuses($x, True) >>> Cold($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sour($x, False)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, False)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Red($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bright($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Wooden($x, False)\nVumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nCold(Alex, False)" + ] + }, + { + "id": "ProntoQA_230", + "context": "Every tumpus is not kind. Every impus is liquid. Impuses are dumpuses. Each dumpus is shy. Dumpuses are zumpuses. Every zumpus is orange. Each zumpus is a numpus. Each numpus is not bright. Numpuses are vumpuses. Vumpuses are spicy. Vumpuses are rompuses. Each rompus is cold. Rompuses are wumpuses. Wumpuses are kind. Each wumpus is a jompus. Jompuses are small. Every jompus is a yumpus. Rex is a zumpus.", + "question": "Is the following statement true or false? Rex is kind.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nImpus($x, bool) ::: Does x belong to Impus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nZumpus(Rex, True)\n\nRules:\nTumpus($x, True) >>> Kind($x, False)\nImpus($x, True) >>> Liquid($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Orange($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Spicy($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Kind($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nKind(Rex, True)" + ] + }, + { + "id": "ProntoQA_231", + "context": "Vumpuses are wooden. Each vumpus is a dumpus. Dumpuses are not large. Each dumpus is a yumpus. Every yumpus is bitter. Yumpuses are rompuses. Each rompus is not transparent. Each rompus is a tumpus. Each tumpus is not nervous. Every tumpus is a wumpus. Each wumpus is dull. Wumpuses are jompuses. Each jompus is angry. Every jompus is a zumpus. Each numpus is not dull. Every zumpus is not fruity. Each zumpus is an impus. Sam is a dumpus.", + "question": "Is the following statement true or false? Sam is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWooden($x, bool) ::: Is x wooden?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nAngry($x, bool) ::: Is x angry?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nImpus($x, bool) ::: Does x belong to Impus?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nDumpus(Sam, True)\n\nRules:\nVumpus($x, True) >>> Wooden($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bitter($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, False)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Angry($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nNumpus($x, True) >>> Dull($x, False)\nZumpus($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Impus($x, True)\n\nQuery:\nDull(Sam, False)" + ] + }, + { + "id": "ProntoQA_232", + "context": "Yumpuses are not large. Every yumpus is a tumpus. Every tumpus is nervous. Every tumpus is a jompus. Every jompus is temperate. Jompuses are vumpuses. Each vumpus is brown. Each dumpus is not opaque. Each vumpus is an impus. Impuses are bright. Every impus is a zumpus. Zumpuses are opaque. Every zumpus is a numpus. Numpuses are metallic. Every numpus is a rompus. Each rompus is not angry. Rompuses are wumpuses. Max is a tumpus.", + "question": "Is the following statement true or false? Max is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nAngry($x, bool) ::: Is x angry?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nTumpus(Max, True)\n\nRules:\nYumpus($x, True) >>> Large($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Opaque($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Angry($x, False)\nRompus($x, True) >>> Wumpus($x, True)\n\nQuery:\nOpaque(Max, False)" + ] + }, + { + "id": "ProntoQA_233", + "context": "Wumpuses are opaque. Every wumpus is an impus. Dumpuses are large. Impuses are red. Impuses are numpuses. Each numpus is temperate. Every numpus is a tumpus. Each tumpus is floral. Each tumpus is a rompus. Each rompus is not large. Every rompus is a jompus. Rex is a wumpus.", + "question": "Is the following statement true or false? Rex is not large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nRed($x, bool) ::: Is x red?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTemperate($x, bool) ::: Is x temperate?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nWumpus(Rex, True)\n\nRules:\nWumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Impus($x, True)\nDumpus($x, True) >>> Large($x, True)\nImpus($x, True) >>> Red($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Temperate($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Floral($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, False)\nRompus($x, True) >>> Jompus($x, True)\n\nQuery:\nLarge(Rex, False)" + ] + }, + { + "id": "ProntoQA_234", + "context": "Every impus is transparent. Impuses are tumpuses. Each tumpus is angry. Tumpuses are dumpuses. Every dumpus is not orange. Each dumpus is a jompus. Jompuses are feisty. Jompuses are numpuses. Every numpus is not earthy. Every rompus is earthy. Each numpus is a vumpus. Every vumpus is temperate. Vumpuses are wumpuses. Every wumpus is small. Every wumpus is a yumpus. Every yumpus is not metallic. Every yumpus is a zumpus. Stella is an impus.", + "question": "Is the following statement true or false? Stella is not earthy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAngry($x, bool) ::: Is x angry?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOrange($x, bool) ::: Is x orange?\nJompus($x, bool) ::: Does x belong to Jompus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nRompus($x, bool) ::: Does x belong to Rompus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMetallic($x, bool) ::: Is x metallic?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nImpus(Stella, True)\n\nRules:\nImpus($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Angry($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Orange($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Feisty($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, False)\nRompus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Temperate($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Metallic($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nEarthy(Stella, False)" + ] + }, + { + "id": "ProntoQA_235", + "context": "Each tumpus is temperate. Each tumpus is a dumpus. Every dumpus is opaque. Every dumpus is a vumpus. Vumpuses are brown. Vumpuses are yumpuses. Every jompus is not happy. Yumpuses are dull. Yumpuses are wumpuses. Each wumpus is happy. Wumpuses are numpuses. Numpuses are earthy. Numpuses are zumpuses. Zumpuses are not bitter. Zumpuses are impuses. Stella is a tumpus.", + "question": "Is the following statement true or false? Stella is not happy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBrown($x, bool) ::: Is x brown?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nHappy($x, bool) ::: Is x happy?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBitter($x, bool) ::: Is x bitter?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nTumpus(Stella, True)\n\nRules:\nTumpus($x, True) >>> Temperate($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Brown($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nJompus($x, True) >>> Happy($x, False)\nYumpus($x, True) >>> Dull($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Happy($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bitter($x, False)\nZumpus($x, True) >>> Impus($x, True)\n\nQuery:\nHappy(Stella, False)" + ] + }, + { + "id": "ProntoQA_236", + "context": "Yumpuses are not orange. Jompuses are liquid. Each jompus is a vumpus. Vumpuses are sour. Vumpuses are rompuses. Each rompus is earthy. Every rompus is an impus. Impuses are not opaque. Every impus is a numpus. Numpuses are not small. Each numpus is a tumpus. Every tumpus is orange. Every tumpus is a dumpus. Dumpuses are not amenable. Every dumpus is a zumpus. Zumpuses are temperate. Zumpuses are wumpuses. Fae is a vumpus.", + "question": "Is the following statement true or false? Fae is orange.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOrange($x, bool) ::: Is x orange?\nJompus($x, bool) ::: Does x belong to Jompus?\nLiquid($x, bool) ::: Is x liquid?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nVumpus(Fae, True)\n\nRules:\nYumpus($x, True) >>> Orange($x, False)\nJompus($x, True) >>> Liquid($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, False)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Orange($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Amenable($x, False)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nOrange(Fae, True)" + ] + }, + { + "id": "ProntoQA_237", + "context": "Impuses are dull. Impuses are dumpuses. Dumpuses are not small. Dumpuses are numpuses. Numpuses are not happy. Each numpus is a tumpus. Every rompus is cold. Tumpuses are kind. Every tumpus is a jompus. Jompuses are not earthy. Jompuses are yumpuses. Yumpuses are blue. Yumpuses are wumpuses. Each wumpus is transparent. Wumpuses are vumpuses. Every vumpus is not cold. Vumpuses are zumpuses. Sally is a tumpus.", + "question": "Is the following statement true or false? Sally is cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHappy($x, bool) ::: Is x happy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBlue($x, bool) ::: Is x blue?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nTumpus(Sally, True)\n\nRules:\nImpuses($x, True) >>> Dull($x, True)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Happy($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nRompus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Kind($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Blue($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, False)\nVumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nCold(Sally, False)" + ] + }, + { + "id": "ProntoQA_238", + "context": "Wumpuses are spicy. Tumpuses are not small. Every wumpus is a dumpus. Every dumpus is not floral. Each dumpus is a rompus. Rompuses are angry. Every rompus is a vumpus. Vumpuses are happy. Vumpuses are zumpuses. Zumpuses are metallic. Zumpuses are impuses. Every impus is not orange. Impuses are numpuses. Every numpus is small. Numpuses are jompuses. Jompuses are cold. Jompuses are yumpuses. Polly is a rompus.", + "question": "Is the following statement true or false? Polly is small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSpicy($x, bool) ::: Is x spicy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nAngry($x, bool) ::: Is x angry?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nImpus($x, bool) ::: Does x belong to Impus?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nRompus(Polly, True)\n\nRules:\nWumpus($x, True) >>> Spicy($x, True)\nTumpus($x, True) >>> Small($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, False)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Angry($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Orange($x, False)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, True)\nJompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nSmall(Polly, True)" + ] + }, + { + "id": "ProntoQA_239", + "context": "Tumpuses are fruity. Tumpuses are jompuses. Jompuses are not hot. Every impus is not spicy. Jompuses are yumpuses. Every yumpus is not luminous. Each yumpus is a dumpus. Dumpuses are not shy. Dumpuses are rompuses. Each rompus is spicy. Rompuses are vumpuses. Vumpuses are orange. Every vumpus is a zumpus. Every zumpus is dull. Each zumpus is a numpus. Each numpus is opaque. Numpuses are wumpuses. Alex is a tumpus.", + "question": "Is the following statement true or false? Alex is not spicy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nFruity($x, bool) ::: Is x fruity?\nJompus($x, bool) ::: Does x belong to Jompus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLuminous($x, bool) ::: Is x luminous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOrange($x, bool) ::: Is x orange?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nTumpuses(Alex, True)\n\nRules:\nTumpuses($x, True) >>> Fruity($x, True)\nTumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, False)\nImpus($x, True) >>> Spicy($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Luminous($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, False)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Orange($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nSpicy(Alex, False)" + ] + }, + { + "id": "ProntoQA_240", + "context": "Wumpuses are feisty. Every wumpus is a yumpus. Yumpuses are kind. Every yumpus is a jompus. Jompuses are liquid. Each jompus is an impus. Each impus is transparent. Impuses are tumpuses. Tumpuses are not dull. Tumpuses are numpuses. Numpuses are temperate. Numpuses are vumpuses. Each zumpus is not spicy. Every vumpus is blue. Each vumpus is a dumpus. Each dumpus is spicy. Every dumpus is a rompus. Alex is an impus.", + "question": "Is the following statement true or false? Alex is spicy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nKind($x, bool) ::: Is x kind?\nJompus($x, bool) ::: Does x belong to Jompus?\nLiquid($x, bool) ::: Is x liquid?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBlue($x, bool) ::: Is x blue?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nImpus(Alex, True)\n\nRules:\nWumpus($x, True) >>> Feisty($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Kind($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Liquid($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Dull($x, False)\nTumpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Temperate($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nZumpus($x, True) >>> Spicy($x, False)\nVumpus($x, True) >>> Blue($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Spicy($x, True)\nDumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nSpicy(Alex, True)" + ] + }, + { + "id": "ProntoQA_241", + "context": "Each dumpus is spicy. Every dumpus is a jompus. Each jompus is large. Jompuses are impuses. Impuses are transparent. Impuses are wumpuses. Wumpuses are liquid. Wumpuses are tumpuses. Each tumpus is orange. Tumpuses are yumpuses. Yumpuses are nervous. Each yumpus is a vumpus. Vumpuses are not temperate. Each vumpus is a numpus. Zumpuses are not orange. Each numpus is kind. Every numpus is a rompus. Sally is a dumpus.", + "question": "Is the following statement true or false? Sally is not orange.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSpicy($x, bool) ::: Is x spicy?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nImpuses($x, bool) ::: Does x belong to Impuses?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTemperate($x, bool) ::: Is x temperate?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nDumpus(Sally, True)\n\nRules:\nDumpus($x, True) >>> Spicy($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Transparent($x, True)\nImpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Orange($x, True)\nTumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Temperate($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nZumpus($x, True) >>> Orange($x, False)\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nOrange(Sally, False)" + ] + }, + { + "id": "ProntoQA_242", + "context": "Zumpuses are large. Every zumpus is a numpus. Every numpus is luminous. Numpuses are wumpuses. Each wumpus is floral. Each wumpus is a yumpus. Yumpuses are spicy. Yumpuses are impuses. Impuses are transparent. Every impus is a rompus. Dumpuses are blue. Rompuses are not blue. Every rompus is a tumpus. Tumpuses are nervous. Tumpuses are jompuses. Jompuses are not dull. Each jompus is a vumpus. Wren is a numpus.", + "question": "Is the following statement true or false? Wren is not blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nLuminous($x, bool) ::: Is x luminous?\nFloral($x, bool) ::: Is x floral?\nSpicy($x, bool) ::: Is x spicy?\nBlue($x, bool) ::: Is x blue?\nNervous($x, bool) ::: Is x nervous?\n\nFacts:\nNumpus(Wren, True)\n\nRules:\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Luminous($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nYumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Transparent($x, True)\nImpuses($x, True) >>> Rompus($x, True)\nDumpus($x, True) >>> Blue($x, True)\nRompus($x, True) >>> Blue($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, False)\nJompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nBlue(Wren, False)" + ] + }, + { + "id": "ProntoQA_243", + "context": "Tumpuses are bright. Every tumpus is a jompus. Jompuses are mean. Jompuses are yumpuses. Every yumpus is transparent. Every yumpus is a zumpus. Zumpuses are red. Each zumpus is a vumpus. Every vumpus is not luminous. Each vumpus is a rompus. Each rompus is not feisty. Rompuses are impuses. Every impus is temperate. Every impus is a wumpus. Each wumpus is not fruity. Every wumpus is a numpus. Dumpuses are feisty. Max is a jompus.", + "question": "Is the following statement true or false? Max is feisty.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nMean($x, bool) ::: Is x mean?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRed($x, bool) ::: Is x red?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLuminous($x, bool) ::: Is x luminous?\nRompus($x, bool) ::: Does x belong to Rompus?\nFeisty($x, bool) ::: Is x feisty?\nImpus($x, bool) ::: Does x belong to Impus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nJompus(Max, True)\n\nRules:\nTumpuses($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Mean($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Red($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Luminous($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, False)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Temperate($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nDumpus($x, True) >>> Feisty($x, True)\n\nQuery:\nFeisty(Max, True)" + ] + }, + { + "id": "ProntoQA_244", + "context": "Rompuses are shy. Each rompus is a jompus. Jompuses are sour. Jompuses are yumpuses. Every yumpus is blue. Yumpuses are impuses. Impuses are not fruity. Every impus is a vumpus. Every tumpus is transparent. Each vumpus is luminous. Each vumpus is a zumpus. Zumpuses are not transparent. Every zumpus is a dumpus. Every dumpus is temperate. Dumpuses are wumpuses. Wumpuses are not dull. Each wumpus is a numpus. Wren is a jompus.", + "question": "Is the following statement true or false? Wren is not transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nShy($x, bool) ::: Is x shy?\nJompus($x, bool) ::: Does x belong to Jompus?\nSour($x, bool) ::: Is x sour?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBlue($x, bool) ::: Is x blue?\nImpuses($x, bool) ::: Does x belong to Impuses?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nLuminous($x, bool) ::: Is x luminous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nJompus(Wren, True)\n\nRules:\nRompus($x, True) >>> Shy($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sour($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Blue($x, True)\nYumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Fruity($x, False)\nImpuses($x, True) >>> Vumpus($x, True)\nTumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Luminous($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nTransparent(Wren, False)" + ] + }, + { + "id": "ProntoQA_245", + "context": "Every tumpus is not liquid. Tumpuses are impuses. Every impus is blue. Every impus is a zumpus. Zumpuses are opaque. Vumpuses are not large. Every zumpus is a numpus. Numpuses are hot. Each numpus is a yumpus. Yumpuses are sour. Yumpuses are jompuses. Every jompus is dull. Jompuses are rompuses. Rompuses are large. Each rompus is a wumpus. Each wumpus is fruity. Each wumpus is a dumpus. Rex is a zumpus.", + "question": "Is the following statement true or false? Rex is large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLiquid($x, bool) ::: Is x liquid?\nImpuses($x, bool) ::: Does x belong to Impuses?\nBlue($x, bool) ::: Is x blue?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nRompus($x, bool) ::: Does x belong to Rompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nZumpus(Rex, True)\n\nRules:\nTumpus($x, True) >>> Liquid($x, False)\nTumpus($x, True) >>> Impuses($x, True)\nImpus($x, True) >>> Blue($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nVumpuses($x, True) >>> Large($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sour($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nLarge(Rex, True)" + ] + }, + { + "id": "ProntoQA_246", + "context": "Each dumpus is opaque. Each dumpus is a vumpus. Vumpuses are not dull. Every vumpus is an impus. Impuses are not hot. Every impus is a wumpus. Each wumpus is spicy. Wumpuses are zumpuses. Each zumpus is floral. Zumpuses are numpuses. Each numpus is not red. Each rompus is red. Every numpus is a yumpus. Yumpuses are wooden. Yumpuses are jompuses. Each jompus is feisty. Each jompus is a tumpus. Sam is a vumpus.", + "question": "Is the following statement true or false? Sam is not red.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nHot($x, bool) ::: Is x hot?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSpicy($x, bool) ::: Is x spicy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFloral($x, bool) ::: Is x floral?\nNumpus($x, bool) ::: Does x belong to Numpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWooden($x, bool) ::: Is x wooden?\nJompus($x, bool) ::: Does x belong to Jompus?\nFeisty($x, bool) ::: Is x feisty?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nVumpus(Sam, True)\n\nRules:\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, False)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Spicy($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Floral($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Red($x, False)\nRompus($x, True) >>> Red($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Wooden($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Feisty($x, True)\nJompus($x, True) >>> Tumpus($x, True)\n\nQuery:\nRed(Sam, False)" + ] + }, + { + "id": "ProntoQA_247", + "context": "Rompuses are earthy. Rompuses are yumpuses. Yumpuses are transparent. Each yumpus is a jompus. Jompuses are not sour. Zumpuses are not brown. Jompuses are dumpuses. Dumpuses are not temperate. Each dumpus is a numpus. Every numpus is brown. Numpuses are wumpuses. Each wumpus is large. Wumpuses are tumpuses. Sam is a rompus.", + "question": "Is the following statement true or false? Sam is brown.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nEarthy($x, bool) ::: Is x earthy?\nSour($x, bool) ::: Is x sour?\nBrown($x, bool) ::: Is x brown?\nTemperate($x, bool) ::: Is x temperate?\nLarge($x, bool) ::: Is x large?\n\nFacts:\nRompus(Sam, True)\n\nRules:\nRompus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sour($x, False)\nZumpus($x, True) >>> Brown($x, False)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nBrown(Sam, True)" + ] + }, + { + "id": "ProntoQA_248", + "context": "Vumpuses are fruity. Vumpuses are rompuses. Rompuses are not dull. Each rompus is a wumpus. Each wumpus is not orange. Each wumpus is a zumpus. Every zumpus is cold. Zumpuses are tumpuses. Tumpuses are transparent. Each tumpus is a dumpus. Every dumpus is shy. Each dumpus is a numpus. Every jompus is not sour. Each numpus is sour. Numpuses are yumpuses. Each yumpus is not large. Yumpuses are impuses. Polly is a wumpus.", + "question": "Is the following statement true or false? Polly is sour.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nImpuses($x, bool) ::: Does x belong to Impuses?\n\nFacts:\nWumpus(Polly, True)\n\nRules:\nVumpus($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Transparent($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nJompus($x, True) >>> Sour($x, False)\nNumpus($x, True) >>> Sour($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, False)\nYumpus($x, True) >>> Impuses($x, True)\n\nQuery:\nSour(Polly, True)" + ] + }, + { + "id": "ProntoQA_249", + "context": "Numpuses are not dull. Numpuses are yumpuses. Every yumpus is earthy. Every yumpus is a jompus. Jompuses are orange. Jompuses are dumpuses. Dumpuses are not liquid. Dumpuses are wumpuses. Wumpuses are transparent. Wumpuses are vumpuses. Each vumpus is not happy. Every vumpus is an impus. Every impus is not small. Impuses are zumpuses. Each zumpus is angry. Each zumpus is a rompus. Tumpuses are small. Stella is a jompus.", + "question": "Is the following statement true or false? Stella is small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nJompus($x, bool) ::: Does x belong to Jompus?\nOrange($x, bool) ::: Is x orange?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLiquid($x, bool) ::: Is x liquid?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAngry($x, bool) ::: Is x angry?\nRompus($x, bool) ::: Does x belong to Rompus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nJompus(Stella, True)\n\nRules:\nNumpus($x, True) >>> Dull($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Earthy($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Orange($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Liquid($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Angry($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nTumpus($x, True) >>> Small($x, True)\n\nQuery:\nSmall(Stella, False)" + ] + }, + { + "id": "ProntoQA_250", + "context": "Every yumpus is mean. Every yumpus is an impus. Impuses are cold. Each impus is a tumpus. Each tumpus is nervous. Tumpuses are jompuses. Jompuses are earthy. Jompuses are dumpuses. Every vumpus is not wooden. Each dumpus is wooden. Every dumpus is a rompus. Rompuses are large. Each rompus is a numpus. Every numpus is dull. Numpuses are wumpuses. Each wumpus is not sour. Wumpuses are zumpuses. Stella is a yumpus.", + "question": "Is the following statement true or false? Stella is wooden.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMean($x, bool) ::: Is x mean?\nImpus($x, bool) ::: Does x belong to Impus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSour($x, bool) ::: Is x sour?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nYumpus(Stella, True)\n\nRules:\nYumpus($x, True) >>> Mean($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Cold($x, True)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nVumpus($x, True) >>> Wooden($x, False)\nDumpus($x, True) >>> Wooden($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sour($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nWooden(Stella, True)" + ] + }, + { + "id": "ProntoQA_251", + "context": "Every tumpus is not hot. Tumpuses are vumpuses. Every vumpus is not bright. Every zumpus is kind. Every vumpus is an impus. Every impus is earthy. Every impus is a dumpus. Each dumpus is bitter. Dumpuses are yumpuses. Yumpuses are red. Every yumpus is a numpus. Each numpus is not nervous. Numpuses are wumpuses. Wumpuses are not kind. Wumpuses are rompuses. Each rompus is not small. Rompuses are jompuses. Sam is an impus.", + "question": "Is the following statement true or false? Sam is kind.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nKind($x, bool) ::: Is x kind?\nImpus($x, bool) ::: Does x belong to Impus?\nEarthy($x, bool) ::: Is x earthy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBitter($x, bool) ::: Is x bitter?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRed($x, bool) ::: Is x red?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nImpus(Sam, True)\n\nRules:\nTumpus($x, True) >>> Hot($x, False)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, False)\nZumpus($x, True) >>> Kind($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Earthy($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bitter($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Red($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Kind($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Jompus($x, True)\n\nQuery:\nKind(Sam, False)" + ] + }, + { + "id": "ProntoQA_252", + "context": "Each dumpus is large. Jompuses are not blue. Each dumpus is a zumpus. Each zumpus is earthy. Each zumpus is a numpus. Every numpus is bitter. Each numpus is a wumpus. Each wumpus is opaque. Every wumpus is a rompus. Rompuses are blue. Rompuses are yumpuses. Yumpuses are not cold. Yumpuses are vumpuses. Each vumpus is angry. Each vumpus is an impus. Every impus is luminous. Impuses are tumpuses. Alex is a dumpus.", + "question": "Is the following statement true or false? Alex is blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\nBlue($x, bool) ::: Is x blue?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nEarthy($x, bool) ::: Is x earthy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAngry($x, bool) ::: Is x angry?\nImpus($x, bool) ::: Does x belong to Impus?\nLuminous($x, bool) ::: Is x luminous?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nDumpus(Alex, True)\n\nRules:\nDumpus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Blue($x, False)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Earthy($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bitter($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Blue($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Cold($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Angry($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Luminous($x, True)\nImpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nBlue(Alex, True)" + ] + }, + { + "id": "ProntoQA_253", + "context": "Vumpuses are red. Vumpuses are jompuses. Each jompus is aggressive. Jompuses are tumpuses. Each tumpus is not sweet. Tumpuses are rompuses. Rompuses are not floral. Rompuses are zumpuses. Each zumpus is not large. Zumpuses are yumpuses. Every yumpus is transparent. Yumpuses are dumpuses. Dumpuses are metallic. Impuses are large. Dumpuses are numpuses. Every numpus is cold. Every numpus is a wumpus. Fae is a vumpus.", + "question": "Is the following statement true or false? Fae is not large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nRed($x, bool) ::: Is x red?\nJompus($x, bool) ::: Does x belong to Jompus?\nAggressive($x, bool) ::: Is x aggressive?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSweet($x, bool) ::: Is x sweet?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nImpus($x, bool) ::: Does x belong to Impus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nVumpus(Fae, True)\n\nRules:\nVumpus($x, True) >>> Red($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Aggressive($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Sweet($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Metallic($x, True)\nImpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nLarge(Fae, False)" + ] + }, + { + "id": "ProntoQA_254", + "context": "Tumpuses are floral. Every tumpus is a numpus. Each numpus is not transparent. Each numpus is a zumpus. Each zumpus is temperate. Zumpuses are impuses. Impuses are aggressive. Every impus is a yumpus. Each rompus is bright. Yumpuses are not brown. Yumpuses are vumpuses. Each vumpus is sour. Each vumpus is a wumpus. Wumpuses are not bright. Wumpuses are dumpuses. Dumpuses are large. Every dumpus is a jompus. Max is a zumpus.", + "question": "Is the following statement true or false? Max is bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFloral($x, bool) ::: Is x floral?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nImpus($x, bool) ::: Does x belong to Impus?\nAggressive($x, bool) ::: Is x aggressive?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nBrown($x, bool) ::: Is x brown?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Max, True)\n\nRules:\nTumpus($x, True) >>> Floral($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Aggressive($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nRompus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Brown($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nBright(Max, False)" + ] + }, + { + "id": "ProntoQA_255", + "context": "Every impus is kind. Each impus is a wumpus. Each wumpus is not nervous. Wumpuses are yumpuses. Yumpuses are not large. Every yumpus is a rompus. Each rompus is opaque. Each rompus is a jompus. Jompuses are bright. Each jompus is a tumpus. Every tumpus is bitter. Tumpuses are numpuses. Numpuses are not fruity. Each numpus is a vumpus. Zumpuses are not bitter. Vumpuses are wooden. Each vumpus is a dumpus. Max is a wumpus.", + "question": "Is the following statement true or false? Max is not bitter.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNervous($x, bool) ::: Is x nervous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBitter($x, bool) ::: Is x bitter?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWooden($x, bool) ::: Is x wooden?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nWumpus(Max, True)\n\nRules:\nImpus($x, True) >>> Kind($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Nervous($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bitter($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Fruity($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\nZumpus($x, True) >>> Bitter($x, False)\nVumpus($x, True) >>> Wooden($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nBitter(Max, False)" + ] + }, + { + "id": "ProntoQA_256", + "context": "Tumpuses are transparent. Yumpuses are not small. Every tumpus is a numpus. Numpuses are brown. Numpuses are jompuses. Jompuses are angry. Every jompus is a zumpus. Zumpuses are bright. Zumpuses are vumpuses. Every vumpus is spicy. Vumpuses are impuses. Impuses are happy. Every impus is a dumpus. Each dumpus is liquid. Each dumpus is a rompus. Rompuses are small. Rompuses are wumpuses. Sam is a zumpus.", + "question": "Is the following statement true or false? Sam is not small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBrown($x, bool) ::: Is x brown?\nJompus($x, bool) ::: Does x belong to Jompus?\nAngry($x, bool) ::: Is x angry?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nHappy($x, bool) ::: Is x happy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLiquid($x, bool) ::: Is x liquid?\nRompus($x, bool) ::: Does x belong to Rompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nZumpus(Sam, True)\n\nRules:\nTumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Small($x, False)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Angry($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bright($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Spicy($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Happy($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Liquid($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Wumpus($x, True)\n\nQuery:\nSmall(Sam, False)" + ] + }, + { + "id": "ProntoQA_257", + "context": "Every jompus is floral. Jompuses are tumpuses. Every tumpus is orange. Every tumpus is a dumpus. Dumpuses are temperate. Each dumpus is an impus. Every impus is not small. Impuses are numpuses. Numpuses are not feisty. Numpuses are wumpuses. Every yumpus is not kind. Wumpuses are kind. Every wumpus is a zumpus. Zumpuses are sour. Zumpuses are vumpuses. Vumpuses are transparent. Every vumpus is a rompus. Max is a tumpus.", + "question": "Is the following statement true or false? Max is kind.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nOrange($x, bool) ::: Is x orange?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFeisty($x, bool) ::: Is x feisty?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nKind($x, bool) ::: Is x kind?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nTumpuses(Max, True)\n\nRules:\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Tumpuses($x, True)\nTumpus($x, True) >>> Orange($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, False)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Feisty($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nYumpus($x, True) >>> Kind($x, False)\nWumpus($x, True) >>> Kind($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nKind(Max, True)" + ] + }, + { + "id": "ProntoQA_258", + "context": "Wumpuses are orange. Wumpuses are numpuses. Each numpus is cold. Numpuses are yumpuses. Yumpuses are not mean. Each yumpus is a jompus. Jompuses are luminous. Jompuses are impuses. Each impus is nervous. Every impus is a dumpus. Each dumpus is transparent. Every dumpus is a zumpus. Zumpuses are dull. Each tumpus is not dull. Zumpuses are rompuses. Rompuses are not bitter. Rompuses are vumpuses. Wren is a yumpus.", + "question": "Is the following statement true or false? Wren is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMean($x, bool) ::: Is x mean?\nJompus($x, bool) ::: Does x belong to Jompus?\nLuminous($x, bool) ::: Is x luminous?\nImpuses($x, bool) ::: Does x belong to Impuses?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nYumpus(Wren, True)\n\nRules:\nWumpus($x, True) >>> Orange($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Mean($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Luminous($x, True)\nJompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Nervous($x, True)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Dull($x, False)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bitter($x, False)\nRompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nDull(Wren, False)" + ] + }, + { + "id": "ProntoQA_259", + "context": "Yumpuses are fruity. Yumpuses are wumpuses. Wumpuses are large. Every wumpus is a dumpus. Dumpuses are temperate. Dumpuses are rompuses. Every rompus is feisty. Rompuses are numpuses. Numpuses are not sweet. Every numpus is a vumpus. Vumpuses are bright. Each vumpus is a tumpus. Tumpuses are opaque. Every tumpus is an impus. Every impus is not blue. Each impus is a zumpus. Each jompus is sweet. Sally is a yumpus.", + "question": "Is the following statement true or false? Sally is sweet.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nRompus($x, bool) ::: Does x belong to Rompus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nBlue($x, bool) ::: Is x blue?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nYumpus(Sally, True)\n\nRules:\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sweet($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Blue($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nJompus($x, True) >>> Sweet($x, True)\n\nQuery:\nSweet(Sally, True)" + ] + }, + { + "id": "ProntoQA_260", + "context": "Each impus is not orange. Each impus is a zumpus. Every zumpus is not happy. Every zumpus is a vumpus. Vumpuses are not opaque. Every vumpus is a yumpus. Yumpuses are temperate. Each yumpus is a wumpus. Each wumpus is floral. Wumpuses are jompuses. Every jompus is large. Rompuses are wooden. Each jompus is a tumpus. Each tumpus is not wooden. Every tumpus is a numpus. Each numpus is not dull. Every numpus is a dumpus. Max is a vumpus.", + "question": "Is the following statement true or false? Max is not wooden.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nOrange($x, bool) ::: Is x orange?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpus(Max, True)\n\nRules:\nImpus($x, True) >>> Orange($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Happy($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Wooden($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Wooden($x, False)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nWooden(Max, False)" + ] + }, + { + "id": "ProntoQA_261", + "context": "Each tumpus is mean. Each tumpus is a yumpus. Yumpuses are small. Yumpuses are dumpuses. Zumpuses are fruity. Dumpuses are dull. Every dumpus is an impus. Impuses are transparent. Every impus is a wumpus. Every wumpus is not fruity. Every wumpus is a jompus. Alex is a tumpus.", + "question": "Is the following statement true or false? Alex is not fruity.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nMean($x, bool) ::: Is x mean?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nTumpus(Alex, True)\n\nRules:\nTumpus($x, True) >>> Mean($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, False)\nWumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nFruity(Alex, False)" + ] + }, + { + "id": "ProntoQA_262", + "context": "Every vumpus is large. Each vumpus is a dumpus. Every dumpus is amenable. Every dumpus is a zumpus. Zumpuses are fruity. Zumpuses are rompuses. Each rompus is not luminous. Each rompus is a tumpus. Each tumpus is cold. Tumpuses are numpuses. Numpuses are dull. Numpuses are jompuses. Every jompus is sour. Jompuses are impuses. Yumpuses are not cold. Impuses are opaque. Each impus is a wumpus. Sam is a vumpus.", + "question": "Is the following statement true or false? Sam is cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nRompus($x, bool) ::: Does x belong to Rompus?\nLuminous($x, bool) ::: Is x luminous?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nSour($x, bool) ::: Is x sour?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nVumpus(Sam, True)\n\nRules:\nVumpus($x, True) >>> Large($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Amenable($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Luminous($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sour($x, True)\nJompus($x, True) >>> Impus($x, True)\nYumpus($x, True) >>> Cold($x, False)\nImpus($x, True) >>> Opaque($x, True)\nImpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nCold(Sam, True)" + ] + }, + { + "id": "ProntoQA_263", + "context": "Each impus is bright. Impuses are tumpuses. Tumpuses are small. Each tumpus is a dumpus. Dumpuses are temperate. Every dumpus is a zumpus. Every zumpus is amenable. Each zumpus is a rompus. Every rompus is orange. Every rompus is a jompus. Wumpuses are floral. Jompuses are luminous. Every jompus is a vumpus. Each vumpus is not floral. Vumpuses are yumpuses. Yumpuses are spicy. Every yumpus is a numpus. Sally is a dumpus.", + "question": "Is the following statement true or false? Sally is floral.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nSmall($x, bool) ::: Is x small?\nTemperate($x, bool) ::: Is x temperate?\nAmenable($x, bool) ::: Is x amenable?\nFloral($x, bool) ::: Is x floral?\nLuminous($x, bool) ::: Is x luminous?\nSpicy($x, bool) ::: Is x spicy?\n\nFacts:\nDumpus(Sally, True)\n\nRules:\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Small($x, True)\nTumpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Amenable($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Orange($x, True)\nRompus($x, True) >>> Jompus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Luminous($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Floral($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nYumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nFloral(Sally, True)" + ] + }, + { + "id": "ProntoQA_264", + "context": "Vumpuses are floral. Vumpuses are wumpuses. Each wumpus is brown. Wumpuses are zumpuses. Each zumpus is not liquid. Every zumpus is an impus. Impuses are not kind. Each impus is a tumpus. Every tumpus is transparent. Every tumpus is a numpus. Numpuses are feisty. Each numpus is a yumpus. Yumpuses are sweet. Yumpuses are rompuses. Rompuses are not bright. Rompuses are dumpuses. Jompuses are bright. Max is an impus.", + "question": "Is the following statement true or false? Max is not bright.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFloral($x, bool) ::: Is x floral?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLiquid($x, bool) ::: Is x liquid?\nImpus($x, bool) ::: Does x belong to Impus?\nKind($x, bool) ::: Is x kind?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSweet($x, bool) ::: Is x sweet?\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nImpus(Max, True)\n\nRules:\nVumpus($x, True) >>> Floral($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Brown($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Liquid($x, False)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Kind($x, False)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Transparent($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Feisty($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sweet($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bright($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nJompus($x, True) >>> Bright($x, True)\n\nQuery:\nBright(Max, False)" + ] + }, + { + "id": "ProntoQA_265", + "context": "Wumpuses are liquid. Each wumpus is a dumpus. Each dumpus is small. Each dumpus is a rompus. Rompuses are transparent. Every rompus is a tumpus. Tumpuses are bitter. Each tumpus is a numpus. Zumpuses are not fruity. Numpuses are fruity. Each numpus is a vumpus. Each vumpus is hot. Vumpuses are yumpuses. Yumpuses are not shy. Yumpuses are impuses. Impuses are not bright. Impuses are jompuses. Sally is a wumpus.", + "question": "Is the following statement true or false? Sally is not fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBitter($x, bool) ::: Is x bitter?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHot($x, bool) ::: Is x hot?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nShy($x, bool) ::: Is x shy?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nWumpus(Sally, True)\n\nRules:\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bitter($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nZumpus($x, True) >>> Fruity($x, False)\nNumpus($x, True) >>> Fruity($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Hot($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Shy($x, False)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, False)\nImpus($x, True) >>> Jompus($x, True)\n\nQuery:\nFruity(Sally, False)" + ] + }, + { + "id": "ProntoQA_266", + "context": "Every wumpus is amenable. Every wumpus is a tumpus. Tumpuses are luminous. Tumpuses are yumpuses. Every yumpus is large. Every yumpus is a numpus. Every numpus is sweet. Every numpus is a vumpus. Vumpuses are happy. Each vumpus is a dumpus. Jompuses are not temperate. Each dumpus is floral. Dumpuses are rompuses. Each rompus is temperate. Rompuses are zumpuses. Every zumpus is dull. Zumpuses are impuses. Rex is a yumpus.", + "question": "Is the following statement true or false? Rex is temperate.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nTemperate($x, bool) ::: Is x temperate?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nYumpus(Rex, True)\n\nRules:\nWumpus($x, True) >>> Amenable($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Luminous($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sweet($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nJompus($x, True) >>> Temperate($x, False)\nDumpus($x, True) >>> Floral($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Temperate($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Impus($x, True)\n\nQuery:\nTemperate(Rex, True)" + ] + }, + { + "id": "ProntoQA_267", + "context": "Vumpuses are not angry. Vumpuses are wumpuses. Wumpuses are nervous. Every wumpus is a dumpus. Dumpuses are red. Every dumpus is a jompus. Jompuses are not hot. Every jompus is a numpus. Numpuses are not small. Every numpus is a zumpus. Zumpuses are opaque. Zumpuses are tumpuses. Tumpuses are not earthy. Every tumpus is a rompus. Each rompus is bright. Each impus is not opaque. Rompuses are yumpuses. Polly is a wumpus.", + "question": "Is the following statement true or false? Polly is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAngry($x, bool) ::: Is x angry?\nNervous($x, bool) ::: Is x nervous?\nRed($x, bool) ::: Is x red?\nHot($x, bool) ::: Is x hot?\nSmall($x, bool) ::: Is x small?\nOpaque($x, bool) ::: Is x opaque?\nEarthy($x, bool) ::: Is x earthy?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nWumpus(Polly, True)\n\nRules:\nVumpuses($x, True) >>> Angry($x, False)\nVumpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Red($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, False)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Earthy($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nOpaque(Polly, False)" + ] + }, + { + "id": "ProntoQA_268", + "context": "Yumpuses are not liquid. Each yumpus is a numpus. Numpuses are not floral. Each numpus is an impus. Every impus is not bitter. Impuses are dumpuses. Dumpuses are dull. Dumpuses are jompuses. Jompuses are not shy. Jompuses are zumpuses. Each zumpus is not orange. Every zumpus is a tumpus. Tumpuses are small. Each tumpus is a wumpus. Vumpuses are not cold. Wumpuses are cold. Each wumpus is a rompus. Alex is a dumpus.", + "question": "Is the following statement true or false? Alex is not cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFloral($x, bool) ::: Is x floral?\nImpus($x, bool) ::: Does x belong to Impus?\nBitter($x, bool) ::: Is x bitter?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nShy($x, bool) ::: Is x shy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOrange($x, bool) ::: Is x orange?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nCold($x, bool) ::: Is x cold?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nDumpus(Alex, True)\n\nRules:\nYumpus($x, True) >>> Liquid($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Floral($x, False)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bitter($x, False)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Shy($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Orange($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nVumpus($x, True) >>> Cold($x, False)\nWumpus($x, True) >>> Cold($x, True)\nWumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nCold(Alex, False)" + ] + }, + { + "id": "ProntoQA_269", + "context": "Impuses are not fruity. Impuses are yumpuses. Each yumpus is dull. Every jompus is opaque. Each yumpus is a zumpus. Each zumpus is spicy. Every zumpus is a tumpus. Each tumpus is small. Each tumpus is a vumpus. Vumpuses are not feisty. Vumpuses are numpuses. Numpuses are not opaque. Numpuses are rompuses. Max is a yumpus.", + "question": "Is the following statement true or false? Max is opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nFruity($x, bool) ::: Is x fruity?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSpicy($x, bool) ::: Is x spicy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nYumpus(Max, True)\n\nRules:\nImpuses($x, True) >>> Fruity($x, False)\nImpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Spicy($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Feisty($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, False)\nNumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nOpaque(Max, False)" + ] + }, + { + "id": "ProntoQA_270", + "context": "Tumpuses are not wooden. Tumpuses are vumpuses. Every vumpus is not cold. Vumpuses are zumpuses. Zumpuses are sour. Zumpuses are numpuses. Each numpus is opaque. Every numpus is a dumpus. Dumpuses are feisty. Every yumpus is not bright. Every dumpus is a wumpus. Wumpuses are bright. Each wumpus is an impus. Every impus is red. Every impus is a rompus. Every rompus is small. Rompuses are jompuses. Wren is a vumpus.", + "question": "Is the following statement true or false? Wren is not bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWooden($x, bool) ::: Is x wooden?\nSour($x, bool) ::: Is x sour?\nOpaque($x, bool) ::: Is x opaque?\nFeisty($x, bool) ::: Is x feisty?\nBright($x, bool) ::: Is x bright?\nRed($x, bool) ::: Is x red?\nSmall($x, bool) ::: Is x small?\n\nFacts:\nVumpuses(Wren, True)\n\nRules:\nTumpuses($x, True) >>> Wooden($x, False)\nTumpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Cold($x, False)\nVumpuses($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Feisty($x, True)\nYumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Red($x, True)\nImpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Jompus($x, True)\n\nQuery:\nBright(Wren, False)" + ] + }, + { + "id": "ProntoQA_271", + "context": "Each rompus is small. Each jompus is angry. Each jompus is a tumpus. Each tumpus is not nervous. Every tumpus is a wumpus. Wumpuses are bright. Wumpuses are numpuses. Numpuses are temperate. Numpuses are vumpuses. Every vumpus is not small. Vumpuses are dumpuses. Sally is a jompus.", + "question": "Is the following statement true or false? Sally is not small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nAngry($x, bool) ::: Is x angry?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nJompus(Sally, True)\n\nRules:\nRompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Angry($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, False)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Temperate($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nSmall(Sally, False)" + ] + }, + { + "id": "ProntoQA_272", + "context": "Jompuses are feisty. Each jompus is an impus. Impuses are kind. Every impus is a zumpus. Zumpuses are bitter. Rompuses are not cold. Zumpuses are tumpuses. Every tumpus is orange. Every tumpus is a wumpus. Every wumpus is transparent. Wumpuses are numpuses. Each numpus is dull. Numpuses are yumpuses. Every yumpus is cold. Yumpuses are vumpuses. Vumpuses are fruity. Each vumpus is a dumpus. Alex is a zumpus.", + "question": "Is the following statement true or false? Alex is cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nFeisty($x, bool) ::: Is x feisty?\nImpus($x, bool) ::: Does x belong to Impus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOrange($x, bool) ::: Is x orange?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nZumpus(Alex, True)\n\nRules:\nJompus($x, True) >>> Feisty($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Kind($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bitter($x, True)\nRompus($x, True) >>> Cold($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Orange($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Cold($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nCold(Alex, True)" + ] + }, + { + "id": "ProntoQA_273", + "context": "Dumpuses are hot. Each dumpus is a yumpus. Every yumpus is happy. Each yumpus is a vumpus. Every vumpus is not transparent. Every vumpus is a jompus. Jompuses are small. Jompuses are zumpuses. Every numpus is not luminous. Each zumpus is not spicy. Each zumpus is a wumpus. Wumpuses are not amenable. Wumpuses are tumpuses. Every tumpus is dull. Each tumpus is an impus. Every impus is luminous. Impuses are rompuses. Alex is a jompus.", + "question": "Is the following statement true or false? Alex is luminous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHot($x, bool) ::: Is x hot?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLuminous($x, bool) ::: Is x luminous?\nSpicy($x, bool) ::: Is x spicy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nJompus(Alex, True)\n\nRules:\nDumpus($x, True) >>> Hot($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nNumpus($x, True) >>> Luminous($x, False)\nZumpus($x, True) >>> Spicy($x, False)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Amenable($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Luminous($x, True)\nImpus($x, True) >>> Rompus($x, True)\n\nQuery:\nLuminous(Alex, True)" + ] + }, + { + "id": "ProntoQA_274", + "context": "Vumpuses are earthy. Vumpuses are yumpuses. Yumpuses are temperate. Every yumpus is a tumpus. Each tumpus is kind. Tumpuses are jompuses. Jompuses are dull. Every jompus is a zumpus. Zumpuses are not transparent. Rompuses are metallic. Zumpuses are dumpuses. Every dumpus is not metallic. Dumpuses are numpuses. Each numpus is feisty. Numpuses are wumpuses. Wumpuses are sour. Wumpuses are impuses. Sam is a yumpus.", + "question": "Is the following statement true or false? Sam is not metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nEarthy($x, bool) ::: Is x earthy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nMetallic($x, bool) ::: Is x metallic?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFeisty($x, bool) ::: Is x feisty?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSour($x, bool) ::: Is x sour?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nYumpus(Sam, True)\n\nRules:\nVumpus($x, True) >>> Earthy($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Kind($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, False)\nRompus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Metallic($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Feisty($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sour($x, True)\nWumpus($x, True) >>> Impus($x, True)\n\nQuery:\nMetallic(Sam, False)" + ] + }, + { + "id": "ProntoQA_275", + "context": "Zumpuses are not red. Each zumpus is a tumpus. Each tumpus is sour. Every dumpus is aggressive. Each tumpus is a wumpus. Each wumpus is bright. Each wumpus is an impus. Impuses are luminous. Every impus is a rompus. Rompuses are not aggressive. Each rompus is a numpus. Numpuses are small. Numpuses are jompuses. Each jompus is floral. Every jompus is a yumpus. Each yumpus is transparent. Yumpuses are vumpuses. Max is a zumpus.", + "question": "Is the following statement true or false? Max is not aggressive.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRed($x, bool) ::: Is x red?\nSour($x, bool) ::: Is x sour?\nAggressive($x, bool) ::: Is x aggressive?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nLuminous($x, bool) ::: Is x luminous?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nZumpus(Max, True)\n\nRules:\nZumpus($x, True) >>> Red($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Sour($x, True)\nDumpus($x, True) >>> Aggressive($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Luminous($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Aggressive($x, False)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nAggressive(Max, False)" + ] + }, + { + "id": "ProntoQA_276", + "context": "Dumpuses are opaque. Dumpuses are vumpuses. Vumpuses are not bright. Vumpuses are tumpuses. Each tumpus is not hot. Tumpuses are zumpuses. Zumpuses are wooden. Every zumpus is a wumpus. Yumpuses are not nervous. Every wumpus is nervous. Each wumpus is a numpus. Numpuses are aggressive. Each numpus is an impus. Every impus is sour. Impuses are rompuses. Every rompus is floral. Every rompus is a jompus. Sally is a dumpus.", + "question": "Is the following statement true or false? Sally is not nervous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nOpaque($x, bool) ::: Is x opaque?\nBright($x, bool) ::: Is x bright?\nHot($x, bool) ::: Is x hot?\nWooden($x, bool) ::: Is x wooden?\nNervous($x, bool) ::: Is x nervous?\nAggressive($x, bool) ::: Is x aggressive?\nSour($x, bool) ::: Is x sour?\nFloral($x, bool) ::: Is x floral?\n\nFacts:\nDumpus(Sally, True)\n\nRules:\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Hot($x, False)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Wooden($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nYumpus($x, True) >>> Nervous($x, False)\nWumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Aggressive($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sour($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, True)\nRompus($x, True) >>> Jompus($x, True)\n\nQuery:\nNervous(Sally, False)" + ] + }, + { + "id": "ProntoQA_277", + "context": "Rompuses are transparent. Each rompus is a numpus. Every numpus is bitter. Numpuses are tumpuses. Tumpuses are small. Tumpuses are zumpuses. Zumpuses are mean. Zumpuses are yumpuses. Yumpuses are liquid. Each yumpus is a dumpus. Every dumpus is fruity. Dumpuses are vumpuses. Impuses are temperate. Each vumpus is brown. Every vumpus is a jompus. Jompuses are not temperate. Jompuses are wumpuses. Rex is a zumpus.", + "question": "Is the following statement true or false? Rex is not temperate.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMean($x, bool) ::: Is x mean?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTemperate($x, bool) ::: Is x temperate?\nBrown($x, bool) ::: Is x brown?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nZumpus(Rex, True)\n\nRules:\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bitter($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Mean($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nImpus($x, True) >>> Temperate($x, True)\nVumpus($x, True) >>> Brown($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, False)\nJompus($x, True) >>> Wumpus($x, True)\n\nQuery:\nTemperate(Rex, False)" + ] + }, + { + "id": "ProntoQA_278", + "context": "Every zumpus is happy. Zumpuses are impuses. Impuses are temperate. Each impus is a rompus. Every rompus is luminous. Rompuses are yumpuses. Every yumpus is not small. Yumpuses are dumpuses. Each dumpus is blue. Each dumpus is a numpus. Each numpus is not earthy. Every numpus is a jompus. Jompuses are not kind. Each jompus is a wumpus. Tumpuses are not dull. Wumpuses are dull. Each wumpus is a vumpus. Sally is a yumpus.", + "question": "Is the following statement true or false? Sally is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nImpuses($x, bool) ::: Does x belong to Impuses?\nTemperate($x, bool) ::: Is x temperate?\nRompus($x, bool) ::: Does x belong to Rompus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBlue($x, bool) ::: Is x blue?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nYumpus(Sally, True)\n\nRules:\nZumpus($x, True) >>> Happy($x, True)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Temperate($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Luminous($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Blue($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Kind($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nTumpuses($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nDull(Sally, False)" + ] + }, + { + "id": "ProntoQA_279", + "context": "Every tumpus is transparent. Tumpuses are rompuses. Every rompus is fruity. Each vumpus is feisty. Each rompus is a jompus. Jompuses are hot. Jompuses are yumpuses. Every yumpus is dull. Yumpuses are dumpuses. Dumpuses are not feisty. Dumpuses are numpuses. Numpuses are brown. Numpuses are zumpuses. Each zumpus is small. Every zumpus is a wumpus. Every wumpus is not angry. Each wumpus is an impus. Wren is a tumpus.", + "question": "Is the following statement true or false? Wren is not feisty.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nJompus($x, bool) ::: Does x belong to Jompus?\nHot($x, bool) ::: Is x hot?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBrown($x, bool) ::: Is x brown?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAngry($x, bool) ::: Is x angry?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nTumpus(Wren, True)\n\nRules:\nTumpus($x, True) >>> Transparent($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Feisty($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Dull($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Feisty($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Angry($x, False)\nWumpus($x, True) >>> Impus($x, True)\n\nQuery:\nFeisty(Wren, False)" + ] + }, + { + "id": "ProntoQA_280", + "context": "Every zumpus is not amenable. Each zumpus is a yumpus. Each yumpus is liquid. Every yumpus is an impus. Every impus is not brown. Every impus is a numpus. Numpuses are small. Numpuses are vumpuses. Vumpuses are not temperate. Vumpuses are jompuses. Jompuses are dull. Every tumpus is sweet. Jompuses are dumpuses. Dumpuses are happy. Each dumpus is a wumpus. Wumpuses are not sweet. Wumpuses are rompuses. Alex is a numpus.", + "question": "Is the following statement true or false? Alex is sweet.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nImpus($x, bool) ::: Does x belong to Impus?\nBrown($x, bool) ::: Is x brown?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSweet($x, bool) ::: Is x sweet?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHappy($x, bool) ::: Is x happy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nNumpus(Alex, True)\n\nRules:\nZumpus($x, True) >>> Amenable($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Brown($x, False)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Temperate($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Sweet($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Happy($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sweet($x, False)\nWumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nSweet(Alex, True)" + ] + }, + { + "id": "ProntoQA_281", + "context": "Zumpuses are not amenable. Each zumpus is a wumpus. Every wumpus is spicy. Each wumpus is a rompus. Every yumpus is not luminous. Each rompus is nervous. Each rompus is a tumpus. Every tumpus is not small. Every tumpus is a dumpus. Every dumpus is not hot. Dumpuses are jompuses. Every jompus is luminous. Every jompus is a vumpus. Every vumpus is floral. Each vumpus is a numpus. Stella is a wumpus.", + "question": "Is the following statement true or false? Stella is luminous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAmenable($x, bool) ::: Is x amenable?\nSpicy($x, bool) ::: Is x spicy?\nLuminous($x, bool) ::: Is x luminous?\nNervous($x, bool) ::: Is x nervous?\nSmall($x, bool) ::: Is x small?\nHot($x, bool) ::: Is x hot?\nFloral($x, bool) ::: Is x floral?\n\nFacts:\nWumpus(Stella, True)\n\nRules:\nZumpus($x, True) >>> Amenable($x, False)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Spicy($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nYumpus($x, True) >>> Luminous($x, False)\nRompus($x, True) >>> Nervous($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, False)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Hot($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Luminous($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Floral($x, True)\nVumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nLuminous(Stella, True)" + ] + }, + { + "id": "ProntoQA_282", + "context": "Every dumpus is earthy. Each dumpus is a zumpus. Zumpuses are happy. Zumpuses are jompuses. Impuses are not luminous. Every jompus is brown. Each jompus is a tumpus. Every tumpus is dull. Tumpuses are rompuses. Each rompus is hot. Rompuses are numpuses. Numpuses are not transparent. Numpuses are yumpuses. Each yumpus is luminous. Yumpuses are vumpuses. Each vumpus is small. Every vumpus is a wumpus. Stella is a jompus.", + "question": "Is the following statement true or false? Stella is luminous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nJompus($x, bool) ::: Does x belong to Jompus?\nLuminous($x, bool) ::: Is x luminous?\nBrown($x, bool) ::: Is x brown?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nRompus($x, bool) ::: Does x belong to Rompus?\nHot($x, bool) ::: Is x hot?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nJompus(Stella, True)\n\nRules:\nDumpus($x, True) >>> Earthy($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Happy($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nImpus($x, True) >>> Luminous($x, False)\nJompus($x, True) >>> Brown($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Hot($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Luminous($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nLuminous(Stella, True)" + ] + }, + { + "id": "ProntoQA_283", + "context": "Wumpuses are opaque. Vumpuses are not large. Every wumpus is a rompus. Rompuses are bright. Every rompus is a numpus. Numpuses are not luminous. Every numpus is a tumpus. Every tumpus is aggressive. Tumpuses are impuses. Impuses are large. Every impus is a jompus. Jompuses are not sour. Jompuses are yumpuses. Polly is a wumpus.", + "question": "Is the following statement true or false? Polly is large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLuminous($x, bool) ::: Is x luminous?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAggressive($x, bool) ::: Is x aggressive?\nImpus($x, bool) ::: Does x belong to Impus?\nJompus($x, bool) ::: Does x belong to Jompus?\nSour($x, bool) ::: Is x sour?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nWumpus(Polly, True)\n\nRules:\nWumpus($x, True) >>> Opaque($x, True)\nVumpus($x, True) >>> Large($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bright($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Luminous($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Aggressive($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sour($x, False)\nJompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nLarge(Polly, True)" + ] + }, + { + "id": "ProntoQA_284", + "context": "Numpuses are transparent. Numpuses are jompuses. Every jompus is floral. Every jompus is a rompus. Wumpuses are not happy. Each rompus is dull. Rompuses are impuses. Each impus is red. Each impus is a vumpus. Vumpuses are not small. Vumpuses are dumpuses. Each dumpus is happy. Dumpuses are yumpuses. Rex is a jompus.", + "question": "Is the following statement true or false? Rex is happy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHappy($x, bool) ::: Is x happy?\nImpus($x, bool) ::: Does x belong to Impus?\nRed($x, bool) ::: Is x red?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nJompus(Rex, True)\n\nRules:\nNumpus($x, True) >>> Transparent($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Rompus($x, True)\nWumpus($x, True) >>> Happy($x, False)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Red($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Happy($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nHappy(Rex, True)" + ] + }, + { + "id": "ProntoQA_285", + "context": "Yumpuses are bright. Yumpuses are rompuses. Rompuses are not shy. Rompuses are dumpuses. Each dumpus is not orange. Every impus is not cold. Each dumpus is a tumpus. Tumpuses are large. Tumpuses are zumpuses. Every zumpus is kind. Every zumpus is a wumpus. Wumpuses are cold. Wumpuses are numpuses. Numpuses are wooden. Numpuses are vumpuses. Vumpuses are not sour. Vumpuses are jompuses. Stella is a rompus.", + "question": "Is the following statement true or false? Stella is cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nShy($x, bool) ::: Is x shy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOrange($x, bool) ::: Is x orange?\nImpus($x, bool) ::: Does x belong to Impus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWooden($x, bool) ::: Is x wooden?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nRompus(Stella, True)\n\nRules:\nYumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Shy($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Orange($x, False)\nImpus($x, True) >>> Cold($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Kind($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Cold($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Wooden($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, False)\nVumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nCold(Stella, True)" + ] + }, + { + "id": "ProntoQA_286", + "context": "Impuses are not sweet. Each impus is a numpus. Numpuses are large. Numpuses are wumpuses. Wumpuses are dull. Every wumpus is a dumpus. Dumpuses are temperate. Tumpuses are not floral. Each dumpus is a jompus. Every jompus is floral. Jompuses are yumpuses. Every yumpus is not nervous. Each yumpus is a rompus. Rompuses are liquid. Rompuses are zumpuses. Zumpuses are not opaque. Zumpuses are vumpuses. Max is an impus.", + "question": "Is the following statement true or false? Max is floral.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSweet($x, bool) ::: Is x sweet?\nLarge($x, bool) ::: Is x large?\nDull($x, bool) ::: Is x dull?\nTemperate($x, bool) ::: Is x temperate?\nFloral($x, bool) ::: Is x floral?\nNervous($x, bool) ::: Is x nervous?\nOpaque($x, bool) ::: Is x opaque?\n\nFacts:\nImpuses(Max, True)\n\nRules:\nImpuses($x, True) >>> Sweet($x, False)\nImpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, True)\nTumpuses($x, True) >>> Floral($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Liquid($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nFloral(Max, True)" + ] + }, + { + "id": "ProntoQA_287", + "context": "Every jompus is not wooden. Jompuses are dumpuses. Each dumpus is not temperate. Dumpuses are tumpuses. Each tumpus is not shy. Tumpuses are rompuses. Every rompus is earthy. Rompuses are impuses. Every impus is blue. Every impus is a zumpus. Every zumpus is sour. Every wumpus is not bright. Zumpuses are yumpuses. Yumpuses are bright. Each yumpus is a numpus. Each numpus is not transparent. Numpuses are vumpuses. Rex is a tumpus.", + "question": "Is the following statement true or false? Rex is bright.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nWooden($x, bool) ::: Is x wooden?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nImpus($x, bool) ::: Does x belong to Impus?\nBlue($x, bool) ::: Is x blue?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nTumpus(Rex, True)\n\nRules:\nJompus($x, True) >>> Wooden($x, False)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Shy($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Blue($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, True)\nWumpus($x, True) >>> Bright($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nBright(Rex, True)" + ] + }, + { + "id": "ProntoQA_288", + "context": "Numpuses are not small. Rompuses are opaque. Every numpus is a dumpus. Every dumpus is hot. Dumpuses are jompuses. Each jompus is not nervous. Jompuses are wumpuses. Every wumpus is luminous. Wumpuses are tumpuses. Tumpuses are floral. Tumpuses are vumpuses. Vumpuses are bright. Each vumpus is an impus. Impuses are brown. Impuses are zumpuses. Zumpuses are not opaque. Zumpuses are yumpuses. Fae is a wumpus.", + "question": "Is the following statement true or false? Fae is opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSmall($x, bool) ::: Is x small?\nOpaque($x, bool) ::: Is x opaque?\nHot($x, bool) ::: Is x hot?\nNervous($x, bool) ::: Is x nervous?\nLuminous($x, bool) ::: Is x luminous?\nFloral($x, bool) ::: Is x floral?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nBrown($x, bool) ::: Is x brown?\n\nFacts:\nWumpus(Fae, True)\n\nRules:\nNumpus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Hot($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Nervous($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Luminous($x, True)\nWumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Floral($x, True)\nTumpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Bright($x, True)\nVumpuses($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Brown($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nOpaque(Fae, False)" + ] + }, + { + "id": "ProntoQA_289", + "context": "Each yumpus is transparent. Yumpuses are zumpuses. Each zumpus is not dull. Every zumpus is a jompus. Every jompus is hot. Each jompus is a dumpus. Each dumpus is not large. Every impus is amenable. Dumpuses are numpuses. Numpuses are not amenable. Every numpus is a vumpus. Each vumpus is sour. Vumpuses are wumpuses. Every wumpus is not shy. Wumpuses are tumpuses. Tumpuses are not liquid. Each tumpus is a rompus. Polly is a yumpus.", + "question": "Is the following statement true or false? Polly is amenable.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nAmenable($x, bool) ::: Is x amenable?\nNumpus($x, bool) ::: Does x belong to Numpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nShy($x, bool) ::: Is x shy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLiquid($x, bool) ::: Is x liquid?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nYumpus(Polly, True)\n\nRules:\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, False)\nImpus($x, True) >>> Amenable($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Amenable($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Shy($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Liquid($x, False)\nTumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nAmenable(Polly, False)" + ] + }, + { + "id": "ProntoQA_290", + "context": "Each wumpus is happy. Wumpuses are numpuses. Every numpus is not brown. Numpuses are tumpuses. Rompuses are not sweet. Each tumpus is amenable. Every tumpus is a jompus. Jompuses are earthy. Every jompus is a yumpus. Each yumpus is sweet. Each yumpus is a vumpus. Vumpuses are dull. Every vumpus is a zumpus. Every zumpus is hot. Every zumpus is a dumpus. Every dumpus is luminous. Dumpuses are impuses. Rex is a wumpus.", + "question": "Is the following statement true or false? Rex is sweet.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHappy($x, bool) ::: Is x happy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBrown($x, bool) ::: Is x brown?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nRompus($x, bool) ::: Does x belong to Rompus?\nSweet($x, bool) ::: Is x sweet?\nAmenable($x, bool) ::: Is x amenable?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLuminous($x, bool) ::: Is x luminous?\nImpuses($x, bool) ::: Does x belong to Impuses?\n\nFacts:\nWumpus(Rex, True)\n\nRules:\nWumpus($x, True) >>> Happy($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, False)\nNumpus($x, True) >>> Tumpuses($x, True)\nRompus($x, True) >>> Sweet($x, False)\nTumpuses($x, True) >>> Amenable($x, True)\nTumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sweet($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Hot($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Luminous($x, True)\nDumpus($x, True) >>> Impuses($x, True)\n\nQuery:\nSweet(Rex, True)" + ] + }, + { + "id": "ProntoQA_291", + "context": "Dumpuses are dull. Each dumpus is an impus. Every impus is large. Every numpus is not luminous. Every impus is a tumpus. Tumpuses are feisty. Each tumpus is a rompus. Rompuses are not cold. Rompuses are jompuses. Each jompus is sweet. Jompuses are yumpuses. Every yumpus is not angry. Every yumpus is a vumpus. Vumpuses are luminous. Every vumpus is a zumpus. Every zumpus is red. Zumpuses are wumpuses. Stella is a tumpus.", + "question": "Is the following statement true or false? Stella is not luminous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLuminous($x, bool) ::: Is x luminous?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFeisty($x, bool) ::: Is x feisty?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nJompus($x, bool) ::: Does x belong to Jompus?\nSweet($x, bool) ::: Is x sweet?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAngry($x, bool) ::: Is x angry?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRed($x, bool) ::: Is x red?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nTumpus(Stella, True)\n\nRules:\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Luminous($x, False)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Feisty($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sweet($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Angry($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Luminous($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Red($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nLuminous(Stella, False)" + ] + }, + { + "id": "ProntoQA_292", + "context": "Zumpuses are not feisty. Every zumpus is a tumpus. Tumpuses are cold. Tumpuses are wumpuses. Each wumpus is not orange. Wumpuses are numpuses. Every numpus is not earthy. Every numpus is a vumpus. Dumpuses are not transparent. Every vumpus is transparent. Vumpuses are yumpuses. Fae is a zumpus.", + "question": "Is the following statement true or false? Fae is transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nFeisty($x, bool) ::: Is x feisty?\nEarthy($x, bool) ::: Is x earthy?\nTransparent($x, bool) ::: Is x transparent?\n\nFacts:\nZumpus(Fae, True)\n\nRules:\nZumpus($x, True) >>> Feisty($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\nDumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nTransparent(Fae, True)" + ] + }, + { + "id": "ProntoQA_293", + "context": "Each rompus is brown. Rompuses are dumpuses. Dumpuses are opaque. Each dumpus is a tumpus. Every tumpus is not mean. Each numpus is luminous. Every tumpus is a jompus. Every jompus is floral. Jompuses are impuses. Each impus is hot. Impuses are wumpuses. Every wumpus is dull. Wumpuses are yumpuses. Yumpuses are large. Yumpuses are vumpuses. Vumpuses are not luminous. Each vumpus is a zumpus. Sally is a jompus.", + "question": "Is the following statement true or false? Sally is not luminous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nMean($x, bool) ::: Is x mean?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLuminous($x, bool) ::: Is x luminous?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nImpus($x, bool) ::: Does x belong to Impus?\nHot($x, bool) ::: Is x hot?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nJompus(Sally, True)\n\nRules:\nRompus($x, True) >>> Brown($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Mean($x, False)\nNumpus($x, True) >>> Luminous($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Luminous($x, False)\nVumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nLuminous(Sally, False)" + ] + }, + { + "id": "ProntoQA_294", + "context": "Each vumpus is not brown. Vumpuses are dumpuses. Dumpuses are not small. Dumpuses are impuses. Each impus is bright. Impuses are numpuses. Each numpus is amenable. Each numpus is a rompus. Every rompus is earthy. Each jompus is not luminous. Rompuses are yumpuses. Yumpuses are shy. Yumpuses are tumpuses. Tumpuses are cold. Each tumpus is a wumpus. Each wumpus is luminous. Wumpuses are zumpuses. Polly is a numpus.", + "question": "Is the following statement true or false? Polly is luminous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBrown($x, bool) ::: Is x brown?\nSmall($x, bool) ::: Is x small?\nBright($x, bool) ::: Is x bright?\nAmenable($x, bool) ::: Is x amenable?\nEarthy($x, bool) ::: Is x earthy?\nLuminous($x, bool) ::: Is x luminous?\n\nFacts:\nNumpus(Polly, True)\n\nRules:\nVumpus($x, True) >>> Brown($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Amenable($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Luminous($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Shy($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Luminous($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nLuminous(Polly, True)" + ] + }, + { + "id": "ProntoQA_295", + "context": "Yumpuses are not liquid. Every tumpus is not kind. Each tumpus is a zumpus. Each zumpus is feisty. Each zumpus is an impus. Each impus is large. Impuses are rompuses. Each rompus is not opaque. Every rompus is a jompus. Every jompus is liquid. Every jompus is a wumpus. Every wumpus is bright. Each wumpus is a numpus. Each numpus is not fruity. Numpuses are vumpuses. Sally is a tumpus.", + "question": "Is the following statement true or false? Sally is liquid.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFeisty($x, bool) ::: Is x feisty?\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nTumpus(Sally, True)\n\nRules:\nYumpus($x, True) >>> Liquid($x, False)\nTumpus($x, True) >>> Kind($x, False)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Feisty($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Liquid($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Fruity($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nLiquid(Sally, True)" + ] + }, + { + "id": "ProntoQA_296", + "context": "Every numpus is mean. Each numpus is a jompus. Jompuses are bright. Jompuses are vumpuses. Vumpuses are floral. Every vumpus is a yumpus. Yumpuses are not spicy. Each yumpus is a zumpus. Each zumpus is small. Zumpuses are rompuses. Rompuses are not happy. Rompuses are wumpuses. Each dumpus is not small. Each wumpus is red. Wumpuses are tumpuses. Tumpuses are not metallic. Tumpuses are impuses. Wren is a numpus.", + "question": "Is the following statement true or false? Wren is small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSpicy($x, bool) ::: Is x spicy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nHappy($x, bool) ::: Is x happy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nMetallic($x, bool) ::: Is x metallic?\nImpus($x, bool) ::: Does x belong to Impus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nNumpus(Wren, True)\n\nRules:\nNumpus($x, True) >>> Mean($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Floral($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Happy($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nDumpus($x, True) >>> Small($x, False)\nWumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Metallic($x, False)\nTumpus($x, True) >>> Impus($x, True)\n\nQuery:\nSmall(Wren, True)" + ] + }, + { + "id": "ProntoQA_297", + "context": "Wumpuses are transparent. Wumpuses are vumpuses. Vumpuses are mean. Vumpuses are dumpuses. Every dumpus is brown. Each dumpus is an impus. Impuses are not wooden. Rompuses are not sour. Each impus is a tumpus. Tumpuses are large. Every tumpus is a yumpus. Every yumpus is sour. Yumpuses are numpuses. Numpuses are nervous. Every numpus is a zumpus. Zumpuses are dull. Every zumpus is a jompus. Sam is a vumpus.", + "question": "Is the following statement true or false? Sam is sour.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nMean($x, bool) ::: Is x mean?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBrown($x, bool) ::: Is x brown?\nImpus($x, bool) ::: Does x belong to Impus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nVumpus(Sam, True)\n\nRules:\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Mean($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Wooden($x, False)\nRompus($x, True) >>> Sour($x, False)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sour($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nSour(Sam, True)" + ] + }, + { + "id": "ProntoQA_298", + "context": "Yumpuses are cold. Every yumpus is a dumpus. Every dumpus is brown. Dumpuses are zumpuses. Each zumpus is opaque. Zumpuses are tumpuses. Tumpuses are sweet. Tumpuses are numpuses. Numpuses are not floral. Each rompus is happy. Each numpus is a vumpus. Every vumpus is aggressive. Each vumpus is a jompus. Jompuses are not happy. Jompuses are impuses. Impuses are not wooden. Impuses are wumpuses. Sally is a zumpus.", + "question": "Is the following statement true or false? Sally is not happy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBrown($x, bool) ::: Is x brown?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nSweet($x, bool) ::: Is x sweet?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAggressive($x, bool) ::: Is x aggressive?\nJompus($x, bool) ::: Does x belong to Jompus?\nImpuses($x, bool) ::: Does x belong to Impuses?\nWooden($x, bool) ::: Is x wooden?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nZumpus(Sally, True)\n\nRules:\nYumpus($x, True) >>> Cold($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Sweet($x, True)\nTumpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Floral($x, False)\nRompus($x, True) >>> Happy($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Aggressive($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Happy($x, False)\nJompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Wooden($x, False)\nImpuses($x, True) >>> Wumpus($x, True)\n\nQuery:\nHappy(Sally, False)" + ] + }, + { + "id": "ProntoQA_299", + "context": "Every zumpus is luminous. Each zumpus is a numpus. Every numpus is not small. Numpuses are impuses. Every impus is bright. Impuses are vumpuses. Every vumpus is angry. Vumpuses are jompuses. Jompuses are not transparent. Jompuses are dumpuses. Dumpuses are cold. Each dumpus is a wumpus. Wumpuses are orange. Each yumpus is not cold. Every wumpus is a tumpus. Tumpuses are spicy. Tumpuses are rompuses. Polly is a numpus.", + "question": "Is the following statement true or false? Polly is cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLuminous($x, bool) ::: Is x luminous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nImpuses($x, bool) ::: Does x belong to Impuses?\nBright($x, bool) ::: Is x bright?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nAngry($x, bool) ::: Is x angry?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nSpicy($x, bool) ::: Is x spicy?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nNumpus(Polly, True)\n\nRules:\nZumpus($x, True) >>> Luminous($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, False)\nNumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Bright($x, True)\nImpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Angry($x, True)\nVumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, False)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, True)\nYumpus($x, True) >>> Cold($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpuses($x, True) >>> Spicy($x, True)\nTumpuses($x, True) >>> Rompus($x, True)\n\nQuery:\nCold(Polly, True)" + ] + }, + { + "id": "ProntoQA_300", + "context": "Each tumpus is dull. Every tumpus is a vumpus. Vumpuses are not shy. Every vumpus is a numpus. Numpuses are not small. Each numpus is a wumpus. Each wumpus is blue. Every wumpus is a yumpus. Yumpuses are not mean. Every yumpus is a rompus. Rompuses are transparent. Rompuses are dumpuses. Every dumpus is fruity. Dumpuses are zumpuses. Zumpuses are not temperate. Impuses are temperate. Zumpuses are jompuses. Sam is a wumpus.", + "question": "Is the following statement true or false? Sam is temperate.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nShy($x, bool) ::: Is x shy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBlue($x, bool) ::: Is x blue?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMean($x, bool) ::: Is x mean?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nImpuses($x, bool) ::: Does x belong to Impuses?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nWumpus(Sam, True)\n\nRules:\nTumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Shy($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Mean($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, False)\nImpuses($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nTemperate(Sam, False)" + ] + }, + { + "id": "ProntoQA_301", + "context": "Each zumpus is bitter. Zumpuses are vumpuses. Every jompus is not small. Every vumpus is orange. Vumpuses are tumpuses. Tumpuses are amenable. Each tumpus is a numpus. Numpuses are shy. Numpuses are yumpuses. Yumpuses are small. Yumpuses are wumpuses. Max is a zumpus.", + "question": "Is the following statement true or false? Max is small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nOrange($x, bool) ::: Is x orange?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAmenable($x, bool) ::: Is x amenable?\nNumpus($x, bool) ::: Does x belong to Numpus?\nShy($x, bool) ::: Is x shy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nZumpus(Max, True)\n\nRules:\nZumpus($x, True) >>> Bitter($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nJompus($x, True) >>> Small($x, False)\nVumpus($x, True) >>> Orange($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Amenable($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Shy($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nSmall(Max, True)" + ] + }, + { + "id": "ProntoQA_302", + "context": "Zumpuses are orange. Every zumpus is a wumpus. Every wumpus is metallic. Wumpuses are rompuses. Rompuses are hot. Each rompus is a dumpus. Dumpuses are floral. Dumpuses are numpuses. Numpuses are bright. Every numpus is an impus. Every impus is feisty. Every impus is a vumpus. Each vumpus is transparent. Vumpuses are yumpuses. Jompuses are large. Every yumpus is not large. Every yumpus is a tumpus. Alex is a dumpus.", + "question": "Is the following statement true or false? Alex is not large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOrange($x, bool) ::: Is x orange?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nFeisty($x, bool) ::: Is x feisty?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nDumpus(Alex, True)\n\nRules:\nZumpus($x, True) >>> Orange($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Metallic($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Hot($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Feisty($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nJompus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Large($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nLarge(Alex, False)" + ] + }, + { + "id": "ProntoQA_303", + "context": "Wumpuses are wooden. Wumpuses are dumpuses. Dumpuses are brown. Dumpuses are numpuses. Numpuses are opaque. Numpuses are vumpuses. Each vumpus is sour. Vumpuses are yumpuses. Yumpuses are small. Every yumpus is a rompus. Each rompus is earthy. Rompuses are impuses. Each impus is not cold. Zumpuses are cold. Every impus is a jompus. Alex is a numpus.", + "question": "Is the following statement true or false? Alex is cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBrown($x, bool) ::: Is x brown?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nImpus($x, bool) ::: Does x belong to Impus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nNumpus(Alex, True)\n\nRules:\nWumpus($x, True) >>> Wooden($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Cold($x, False)\nZumpus($x, True) >>> Cold($x, True)\nImpus($x, True) >>> Jompus($x, True)\n\nQuery:\nCold(Alex, True)" + ] + }, + { + "id": "ProntoQA_304", + "context": "Wumpuses are amenable. Every numpus is sweet. Each numpus is a jompus. Each jompus is not hot. Jompuses are vumpuses. Vumpuses are red. Each vumpus is a zumpus. Each zumpus is opaque. Each zumpus is an impus. Every impus is not metallic. Every impus is a yumpus. Every yumpus is large. Every yumpus is a tumpus. Tumpuses are not amenable. Tumpuses are dumpuses. Dumpuses are shy. Dumpuses are rompuses. Polly is a vumpus.", + "question": "Is the following statement true or false? Polly is not amenable.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSweet($x, bool) ::: Is x sweet?\nJompus($x, bool) ::: Does x belong to Jompus?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nRed($x, bool) ::: Is x red?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nMetallic($x, bool) ::: Is x metallic?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nVumpus(Polly, True)\n\nRules:\nWumpus($x, True) >>> Amenable($x, True)\nNumpus($x, True) >>> Sweet($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Red($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Metallic($x, False)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Amenable($x, False)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nAmenable(Polly, False)" + ] + }, + { + "id": "ProntoQA_305", + "context": "Every jompus is not earthy. Each rompus is transparent. Rompuses are impuses. Every impus is feisty. Every impus is a tumpus. Every tumpus is amenable. Tumpuses are vumpuses. Vumpuses are metallic. Each vumpus is a numpus. Each numpus is earthy. Every numpus is a zumpus. Alex is a rompus.", + "question": "Is the following statement true or false? Alex is earthy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nImpuses($x, bool) ::: Does x belong to Impuses?\nFeisty($x, bool) ::: Is x feisty?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nAmenable($x, bool) ::: Is x amenable?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nMetallic($x, bool) ::: Is x metallic?\nNumpus($x, bool) ::: Does x belong to Numpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nRompus(Alex, True)\n\nRules:\nJompus($x, True) >>> Earthy($x, False)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Feisty($x, True)\nImpuses($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Amenable($x, True)\nTumpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Metallic($x, True)\nVumpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nEarthy(Alex, True)" + ] + }, + { + "id": "ProntoQA_306", + "context": "Impuses are hot. Impuses are tumpuses. Each dumpus is not aggressive. Every tumpus is blue. Tumpuses are vumpuses. Every vumpus is large. Vumpuses are wumpuses. Wumpuses are sour. Every wumpus is a yumpus. Each yumpus is opaque. Each yumpus is a numpus. Numpuses are floral. Numpuses are zumpuses. Zumpuses are not bright. Each zumpus is a rompus. Each rompus is aggressive. Every rompus is a jompus. Max is a wumpus.", + "question": "Is the following statement true or false? Max is aggressive.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nHot($x, bool) ::: Is x hot?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nBlue($x, bool) ::: Is x blue?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSour($x, bool) ::: Is x sour?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nAggressive($x, bool) ::: Is x aggressive?\nJompus($x, bool) ::: Does x belong to Jompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nWumpus(Max, True)\n\nRules:\nImpuses($x, True) >>> Hot($x, True)\nImpuses($x, True) >>> Tumpuses($x, True)\nDumpus($x, True) >>> Aggressive($x, False)\nTumpus($x, True) >>> Blue($x, True)\nTumpuses($x, True) >>> Vumpuses($x, True)\nVumpus($x, True) >>> Large($x, True)\nVumpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Sour($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Floral($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bright($x, False)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Aggressive($x, True)\nRompus($x, True) >>> Jompus($x, True)\n\nQuery:\nAggressive(Max, True)" + ] + }, + { + "id": "ProntoQA_307", + "context": "Vumpuses are not opaque. Vumpuses are jompuses. Each jompus is large. Jompuses are yumpuses. Every yumpus is not fruity. Each yumpus is a dumpus. Dumpuses are dull. Dumpuses are zumpuses. Each zumpus is not angry. Each zumpus is an impus. Impuses are metallic. Each impus is a tumpus. Every wumpus is not hot. Each tumpus is hot. Tumpuses are rompuses. Rompuses are not nervous. Rompuses are numpuses. Stella is a yumpus.", + "question": "Is the following statement true or false? Stella is not hot.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAngry($x, bool) ::: Is x angry?\nImpus($x, bool) ::: Does x belong to Impus?\nMetallic($x, bool) ::: Is x metallic?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nNervous($x, bool) ::: Is x nervous?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nYumpus(Stella, True)\n\nRules:\nVumpus($x, True) >>> Opaque($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Angry($x, False)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Metallic($x, True)\nImpus($x, True) >>> Tumpus($x, True)\nWumpus($x, True) >>> Hot($x, False)\nTumpus($x, True) >>> Hot($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Nervous($x, False)\nRompus($x, True) >>> Numpus($x, True)\n\nQuery:\nHot(Stella, False)" + ] + }, + { + "id": "ProntoQA_308", + "context": "Wumpuses are not liquid. Every wumpus is a zumpus. Every zumpus is not floral. Each zumpus is an impus. Impuses are bright. Each impus is a numpus. Every numpus is mean. Numpuses are jompuses. Jompuses are not orange. Each jompus is a yumpus. Each yumpus is cold. Every yumpus is a vumpus. Vumpuses are small. Vumpuses are dumpuses. Each dumpus is not transparent. Each tumpus is orange. Dumpuses are rompuses. Alex is a wumpus.", + "question": "Is the following statement true or false? Alex is not orange.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFloral($x, bool) ::: Is x floral?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nJompus($x, bool) ::: Does x belong to Jompus?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nWumpus(Alex, True)\n\nRules:\nWumpus($x, True) >>> Liquid($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Floral($x, False)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Mean($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Orange($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Cold($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, False)\nTumpus($x, True) >>> Orange($x, True)\nDumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nOrange(Alex, False)" + ] + }, + { + "id": "ProntoQA_309", + "context": "Zumpuses are cold. Each zumpus is a wumpus. Each wumpus is dull. Each wumpus is a vumpus. Every vumpus is kind. Each vumpus is a dumpus. Every dumpus is earthy. Dumpuses are yumpuses. Every yumpus is nervous. Each yumpus is a numpus. Each numpus is opaque. Every numpus is a tumpus. Jompuses are not large. Tumpuses are sweet. Tumpuses are rompuses. Each rompus is large. Rompuses are impuses. Wren is a dumpus.", + "question": "Is the following statement true or false? Wren is not large.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nKind($x, bool) ::: Is x kind?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nEarthy($x, bool) ::: Is x earthy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nSweet($x, bool) ::: Is x sweet?\nRompus($x, bool) ::: Does x belong to Rompus?\nImpus($x, bool) ::: Does x belong to Impus?\nFacts:\nDumpus(Wren, True)\nRules:\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Kind($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Earthy($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nJompus($x, True) >>> Large($x, False)\nTumpus($x, True) >>> Sweet($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Impus($x, True)\nQuery:\nLarge(Wren, False)" + ] + }, + { + "id": "ProntoQA_310", + "context": "Each zumpus is not angry. Zumpuses are rompuses. Each rompus is not hot. Rompuses are dumpuses. Dumpuses are happy. Dumpuses are yumpuses. Every yumpus is opaque. Each wumpus is not liquid. Yumpuses are tumpuses. Tumpuses are liquid. Tumpuses are jompuses. Sam is a zumpus.", + "question": "Is the following statement true or false? Sam is liquid.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAngry($x, bool) ::: Is x angry?\nRompus($x, bool) ::: Does x belong to Rompus?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHappy($x, bool) ::: Is x happy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Sam, True)\n\nRules:\nZumpus($x, True) >>> Angry($x, False)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Hot($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Happy($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Liquid($x, False)\nYumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Liquid($x, True)\nTumpuses($x, True) >>> Jompus($x, True)\n\nQuery:\nLiquid(Sam, True)" + ] + }, + { + "id": "ProntoQA_311", + "context": "Rompuses are not cold. Rompuses are tumpuses. Tumpuses are red. Every tumpus is a zumpus. Zumpuses are not angry. Every jompus is small. Zumpuses are vumpuses. Each vumpus is not opaque. Vumpuses are yumpuses. Every yumpus is dull. Every yumpus is a numpus. Each numpus is not earthy. Every numpus is a wumpus. Wumpuses are nervous. Wumpuses are dumpuses. Each dumpus is not small. Every dumpus is an impus. Polly is a vumpus.", + "question": "Is the following statement true or false? Polly is not small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRed($x, bool) ::: Is x red?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAngry($x, bool) ::: Is x angry?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nVumpus(Polly, True)\n\nRules:\nRompus($x, True) >>> Cold($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Red($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Angry($x, False)\nJompus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Dull($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Impus($x, True)\n\nQuery:\nSmall(Polly, False)" + ] + }, + { + "id": "ProntoQA_312", + "context": "Every wumpus is not small. Wumpuses are dumpuses. Every dumpus is not dull. Jompuses are aggressive. Dumpuses are impuses. Every impus is not nervous. Each impus is a zumpus. Every zumpus is luminous. Zumpuses are rompuses. Rompuses are not orange. Rompuses are tumpuses. Tumpuses are not cold. Each tumpus is a yumpus. Yumpuses are not aggressive. Every yumpus is a numpus. Numpuses are spicy. Every numpus is a vumpus. Max is an impus.", + "question": "Is the following statement true or false? Max is not aggressive.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nAggressive($x, bool) ::: Is x aggressive?\nImpus($x, bool) ::: Does x belong to Impus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLuminous($x, bool) ::: Is x luminous?\nRompus($x, bool) ::: Does x belong to Rompus?\nOrange($x, bool) ::: Is x orange?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSpicy($x, bool) ::: Is x spicy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nImpus(Max, True)\n\nRules:\nWumpus($x, True) >>> Small($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, False)\nJompus($x, True) >>> Aggressive($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Nervous($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Luminous($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Orange($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Spicy($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nAggressive(Max, False)" + ] + }, + { + "id": "ProntoQA_313", + "context": "Tumpuses are not transparent. Each tumpus is a yumpus. Yumpuses are aggressive. Each yumpus is a jompus. Each jompus is liquid. Jompuses are numpuses. Every numpus is not sweet. Each numpus is a dumpus. Dumpuses are temperate. Each dumpus is a wumpus. Wumpuses are not large. Each wumpus is a zumpus. Impuses are not temperate. Every zumpus is not red. Zumpuses are rompuses. Rompuses are not shy. Rompuses are vumpuses. Stella is a tumpus.", + "question": "Is the following statement true or false? Stella is temperate.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAggressive($x, bool) ::: Is x aggressive?\nJompus($x, bool) ::: Does x belong to Jompus?\nLiquid($x, bool) ::: Is x liquid?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSweet($x, bool) ::: Is x sweet?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nShy($x, bool) ::: Is x shy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nTumpus(Stella, True)\n\nRules:\nTumpus($x, True) >>> Transparent($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Liquid($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sweet($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\nImpus($x, True) >>> Temperate($x, False)\nZumpus($x, True) >>> Red($x, False)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Shy($x, False)\nRompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nTemperate(Stella, True)" + ] + }, + { + "id": "ProntoQA_314", + "context": "Impuses are shy. Impuses are jompuses. Each jompus is red. Jompuses are rompuses. Each rompus is not hot. Rompuses are yumpuses. Each yumpus is bitter. Yumpuses are dumpuses. Dumpuses are large. Every dumpus is a numpus. Numpuses are not opaque. Each numpus is a vumpus. Vumpuses are not fruity. Vumpuses are tumpuses. Tumpuses are aggressive. Tumpuses are wumpuses. Zumpuses are opaque. Sally is a jompus.", + "question": "Is the following statement true or false? Sally is not opaque.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nShy($x, bool) ::: Is x shy?\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nHot($x, bool) ::: Is x hot?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBitter($x, bool) ::: Is x bitter?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAggressive($x, bool) ::: Is x aggressive?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nJompus(Sally, True)\n\nRules:\nImpuses($x, True) >>> Shy($x, True)\nImpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Red($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Hot($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bitter($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, False)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Fruity($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Aggressive($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\n\nQuery:\nOpaque(Sally, False)" + ] + }, + { + "id": "ProntoQA_315", + "context": "Wumpuses are feisty. Wumpuses are yumpuses. Each yumpus is transparent. Yumpuses are tumpuses. Tumpuses are orange. Each tumpus is an impus. Impuses are cold. Every numpus is metallic. Impuses are rompuses. Every rompus is earthy. Rompuses are dumpuses. Dumpuses are not bright. Dumpuses are jompuses. Jompuses are small. Jompuses are zumpuses. Zumpuses are not metallic. Zumpuses are vumpuses. Fae is an impus.", + "question": "Is the following statement true or false? Fae is not metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nOrange($x, bool) ::: Is x orange?\nImpus($x, bool) ::: Does x belong to Impus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nImpus(Fae, True)\n\nRules:\nWumpus($x, True) >>> Feisty($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Orange($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Metallic($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nMetallic(Fae, False)" + ] + }, + { + "id": "ProntoQA_316", + "context": "Tumpuses are not sweet. Numpuses are not dull. Tumpuses are jompuses. Each jompus is not aggressive. Every jompus is a rompus. Rompuses are opaque. Every rompus is a yumpus. Each yumpus is not happy. Yumpuses are dumpuses. Each dumpus is red. Each dumpus is an impus. Impuses are dull. Every impus is a zumpus. Zumpuses are cold. Zumpuses are vumpuses. Every vumpus is fruity. Each vumpus is a wumpus. Alex is a jompus.", + "question": "Is the following statement true or false? Alex is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSweet($x, bool) ::: Is x sweet?\nAggressive($x, bool) ::: Is x aggressive?\nOpaque($x, bool) ::: Is x opaque?\nHappy($x, bool) ::: Is x happy?\nRed($x, bool) ::: Is x red?\nImpus($x, bool) ::: Does x belong to Impus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nJompus(Alex, True)\n\nRules:\nTumpuses($x, True) >>> Sweet($x, False)\nNumpus($x, True) >>> Dull($x, False)\nTumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Aggressive($x, False)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Red($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nDull(Alex, False)" + ] + }, + { + "id": "ProntoQA_317", + "context": "Each jompus is fruity. Jompuses are wumpuses. Each tumpus is red. Every wumpus is small. Wumpuses are zumpuses. Zumpuses are shy. Zumpuses are rompuses. Rompuses are sour. Every rompus is a numpus. Every numpus is opaque. Numpuses are impuses. Every impus is aggressive. Impuses are vumpuses. Each vumpus is not red. Each vumpus is a yumpus. Every yumpus is not liquid. Yumpuses are dumpuses. Stella is a zumpus.", + "question": "Is the following statement true or false? Stella is not red.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRed($x, bool) ::: Is x red?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nAggressive($x, bool) ::: Is x aggressive?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nZumpus(Stella, True)\n\nRules:\nJompus($x, True) >>> Fruity($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nTumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Shy($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sour($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Aggressive($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Red($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nRed(Stella, False)" + ] + }, + { + "id": "ProntoQA_318", + "context": "Each impus is not temperate. Impuses are rompuses. Rompuses are kind. Rompuses are zumpuses. Each zumpus is metallic. Zumpuses are yumpuses. Each yumpus is not small. Each yumpus is a tumpus. Every tumpus is earthy. Every tumpus is a vumpus. Each vumpus is spicy. Every jompus is not spicy. Every vumpus is a numpus. Numpuses are shy. Numpuses are wumpuses. Every wumpus is not orange. Wumpuses are dumpuses. Max is a rompus.", + "question": "Is the following statement true or false? Max is spicy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nTemperate($x, bool) ::: Is x temperate?\nRompus($x, bool) ::: Does x belong to Rompus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nJompus($x, bool) ::: Does x belong to Jompus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nShy($x, bool) ::: Is x shy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nRompus(Max, True)\n\nRules:\nImpus($x, True) >>> Temperate($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Earthy($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Spicy($x, True)\nJompus($x, True) >>> Spicy($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Shy($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nSpicy(Max, True)" + ] + }, + { + "id": "ProntoQA_319", + "context": "Each numpus is not orange. Numpuses are dumpuses. Wumpuses are temperate. Dumpuses are small. Dumpuses are vumpuses. Vumpuses are not kind. Vumpuses are jompuses. Jompuses are earthy. Jompuses are impuses. Every impus is not bright. Impuses are zumpuses. Zumpuses are not nervous. Zumpuses are rompuses. Rompuses are transparent. Every rompus is a tumpus. Each tumpus is not temperate. Tumpuses are yumpuses. Wren is a jompus.", + "question": "Is the following statement true or false? Wren is not temperate.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nOrange($x, bool) ::: Is x orange?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTemperate($x, bool) ::: Is x temperate?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nKind($x, bool) ::: Is x kind?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nJompus(Wren, True)\n\nRules:\nNumpus($x, True) >>> Orange($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nWumpus($x, True) >>> Temperate($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Kind($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Nervous($x, False)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Temperate($x, False)\nTumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nTemperate(Wren, False)" + ] + }, + { + "id": "ProntoQA_320", + "context": "Jompuses are floral. Jompuses are zumpuses. Each zumpus is bitter. Each zumpus is a numpus. Each numpus is bright. Each numpus is a yumpus. Each yumpus is metallic. Each yumpus is an impus. Impuses are shy. Each impus is a rompus. Rompuses are not cold. Each rompus is a wumpus. Wumpuses are brown. Each wumpus is a dumpus. Dumpuses are kind. Tumpuses are not shy. Each dumpus is a vumpus. Sam is a jompus.", + "question": "Is the following statement true or false? Sam is not shy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBitter($x, bool) ::: Is x bitter?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMetallic($x, bool) ::: Is x metallic?\nImpus($x, bool) ::: Does x belong to Impus?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nKind($x, bool) ::: Is x kind?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nShy($x, bool) ::: Is x shy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nJompus(Sam, True)\n\nRules:\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bitter($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Metallic($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Shy($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Brown($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Kind($x, True)\nTumpus($x, True) >>> Shy($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nShy(Sam, False)" + ] + }, + { + "id": "ProntoQA_321", + "context": "Rompuses are large. Rompuses are wumpuses. Tumpuses are temperate. Wumpuses are shy. Every wumpus is a numpus. Each numpus is earthy. Numpuses are impuses. Impuses are dull. Impuses are vumpuses. Each vumpus is metallic. Vumpuses are dumpuses. Each dumpus is sweet. Every dumpus is a yumpus. Each yumpus is amenable. Each yumpus is a jompus. Each jompus is not temperate. Each jompus is a zumpus. Sally is an impus.", + "question": "Is the following statement true or false? Sally is not temperate.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nTemperate($x, bool) ::: Is x temperate?\nEarthy($x, bool) ::: Is x earthy?\nMetallic($x, bool) ::: Is x metallic?\nSweet($x, bool) ::: Is x sweet?\nAmenable($x, bool) ::: Is x amenable?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nImpus(Sally, True)\n\nRules:\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nTumpus($x, True) >>> Temperate($x, True)\nWumpus($x, True) >>> Shy($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Metallic($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sweet($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Amenable($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, False)\nJompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nTemperate(Sally, False)" + ] + }, + { + "id": "ProntoQA_322", + "context": "Every tumpus is not floral. Tumpuses are rompuses. Rompuses are spicy. Rompuses are numpuses. Numpuses are not hot. Every numpus is a jompus. Every jompus is not blue. Every jompus is an impus. Each impus is dull. Impuses are wumpuses. Each wumpus is opaque. Every vumpus is not opaque. Each wumpus is a zumpus. Zumpuses are not amenable. Every zumpus is a dumpus. Each dumpus is shy. Dumpuses are yumpuses. Alex is a rompus.", + "question": "Is the following statement true or false? Alex is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nJompus($x, bool) ::: Does x belong to Jompus?\nBlue($x, bool) ::: Is x blue?\nImpus($x, bool) ::: Does x belong to Impus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAmenable($x, bool) ::: Is x amenable?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nRompus(Alex, True)\n\nRules:\nTumpus($x, True) >>> Floral($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Blue($x, False)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, True)\nVumpus($x, True) >>> Opaque($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Amenable($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nOpaque(Alex, False)" + ] + }, + { + "id": "ProntoQA_323", + "context": "Dumpuses are shy. Dumpuses are impuses. Impuses are fruity. Each numpus is not amenable. Every impus is a tumpus. Tumpuses are bright. Tumpuses are wumpuses. Every wumpus is brown. Wumpuses are yumpuses. Yumpuses are amenable. Yumpuses are vumpuses. Wren is a dumpus.", + "question": "Is the following statement true or false? Wren is not amenable.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nImpuses($x, bool) ::: Does x belong to Impuses?\nFruity($x, bool) ::: Is x fruity?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAmenable($x, bool) ::: Is x amenable?\nImpus($x, bool) ::: Does x belong to Impus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nDumpus(Wren, True)\n\nRules:\nDumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Fruity($x, True)\nNumpus($x, True) >>> Amenable($x, False)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Brown($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Amenable($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nAmenable(Wren, False)" + ] + }, + { + "id": "ProntoQA_324", + "context": "Each zumpus is liquid. Wumpuses are red. Every zumpus is a yumpus. Every yumpus is kind. Yumpuses are rompuses. Rompuses are temperate. Rompuses are dumpuses. Dumpuses are sour. Each dumpus is a tumpus. Each tumpus is bright. Each tumpus is a jompus. Jompuses are not red. Jompuses are impuses. Each impus is large. Impuses are vumpuses. Each vumpus is floral. Vumpuses are numpuses. Alex is a yumpus.", + "question": "Is the following statement true or false? Alex is not red.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLiquid($x, bool) ::: Is x liquid?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFloral($x, bool) ::: Is x floral?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nYumpus(Alex, True)\n\nRules:\nZumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Red($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Kind($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Temperate($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sour($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Red($x, False)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Floral($x, True)\nVumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nRed(Alex, False)" + ] + }, + { + "id": "ProntoQA_325", + "context": "Wumpuses are not mean. Wumpuses are rompuses. Each numpus is wooden. Rompuses are sour. Rompuses are yumpuses. Every yumpus is not opaque. Yumpuses are dumpuses. Dumpuses are temperate. Dumpuses are zumpuses. Every zumpus is not brown. Every zumpus is a tumpus. Tumpuses are not earthy. Tumpuses are impuses. Impuses are not wooden. Impuses are jompuses. Jompuses are not happy. Jompuses are vumpuses. Wren is a yumpus.", + "question": "Is the following statement true or false? Wren is not wooden.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nMean($x, bool) ::: Is x mean?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWooden($x, bool) ::: Is x wooden?\nSour($x, bool) ::: Is x sour?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nEarthy($x, bool) ::: Is x earthy?\nImpuses($x, bool) ::: Does x belong to Impuses?\nWooden($x, bool) ::: Is x wooden?\nJompus($x, bool) ::: Does x belong to Jompus?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nYumpus(Wren, True)\n\nRules:\nWumpus($x, True) >>> Mean($x, False)\nWumpus($x, True) >>> Rompus($x, True)\nNumpus($x, True) >>> Wooden($x, True)\nRompus($x, True) >>> Sour($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Earthy($x, False)\nTumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Wooden($x, False)\nImpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Happy($x, False)\nJompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nWooden(Wren, False)" + ] + }, + { + "id": "ProntoQA_326", + "context": "Every vumpus is not fruity. Vumpuses are yumpuses. Yumpuses are not orange. Yumpuses are jompuses. Wumpuses are not transparent. Jompuses are wooden. Jompuses are impuses. Impuses are happy. Every impus is a zumpus. Zumpuses are transparent. Zumpuses are dumpuses. Each dumpus is bright. Every dumpus is a rompus. Every rompus is sour. Rompuses are numpuses. Numpuses are hot. Numpuses are tumpuses. Alex is a vumpus.", + "question": "Is the following statement true or false? Alex is transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOrange($x, bool) ::: Is x orange?\nJompus($x, bool) ::: Does x belong to Jompus?\nWooden($x, bool) ::: Is x wooden?\nImpuses($x, bool) ::: Does x belong to Impuses?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\n\nFacts:\nVumpus(Alex, True)\n\nRules:\nVumpus($x, True) >>> Fruity($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Orange($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Wooden($x, True)\nJompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Happy($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sour($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Tumpuses($x, True)\n\nQuery:\nTransparent(Alex, True)" + ] + }, + { + "id": "ProntoQA_327", + "context": "Each yumpus is not blue. Yumpuses are rompuses. Rompuses are not large. Every rompus is a wumpus. Each wumpus is not mean. Impuses are happy. Each wumpus is a vumpus. Each vumpus is opaque. Vumpuses are jompuses. Jompuses are earthy. Jompuses are dumpuses. Each dumpus is cold. Each dumpus is a zumpus. Zumpuses are not happy. Each zumpus is a tumpus. Each tumpus is bright. Each tumpus is a numpus. Rex is a wumpus.", + "question": "Is the following statement true or false? Rex is not happy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBlue($x, bool) ::: Is x blue?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nImpuses($x, bool) ::: Does x belong to Impuses?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nWumpus(Rex, True)\n\nRules:\nYumpus($x, True) >>> Blue($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, False)\nImpuses($x, True) >>> Happy($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Happy($x, False)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nHappy(Rex, False)" + ] + }, + { + "id": "ProntoQA_328", + "context": "Wumpuses are large. Wumpuses are numpuses. Every numpus is metallic. Numpuses are yumpuses. Every yumpus is bright. Every yumpus is a jompus. Jompuses are not bitter. Jompuses are zumpuses. Every zumpus is transparent. Zumpuses are rompuses. Each rompus is earthy. Rompuses are impuses. Each impus is kind. Every impus is a dumpus. Dumpuses are not hot. Dumpuses are vumpuses. Each tumpus is not transparent. Wren is a wumpus.", + "question": "Is the following statement true or false? Wren is transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nMetallic($x, bool) ::: Is x metallic?\nBright($x, bool) ::: Is x bright?\nBitter($x, bool) ::: Is x bitter?\nEarthy($x, bool) ::: Is x earthy?\nKind($x, bool) ::: Is x kind?\nHot($x, bool) ::: Is x hot?\n\nFacts:\nWumpus(Wren, True)\n\nRules:\nWumpus($x, True) >>> Large($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bitter($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Kind($x, True)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Hot($x, False)\nDumpus($x, True) >>> Vumpuses($x, True)\nTumpus($x, True) >>> Transparent($x, False)\n\nQuery:\nTransparent(Wren, True)" + ] + }, + { + "id": "ProntoQA_329", + "context": "Each tumpus is opaque. Each tumpus is a dumpus. Each dumpus is earthy. Dumpuses are zumpuses. Zumpuses are aggressive. Zumpuses are impuses. Each impus is luminous. Impuses are numpuses. Each numpus is not brown. Every numpus is a jompus. Every jompus is bitter. Jompuses are wumpuses. Every rompus is not bitter. Wumpuses are large. Wumpuses are vumpuses. Every vumpus is not happy. Every vumpus is a yumpus. Polly is a dumpus.", + "question": "Is the following statement true or false? Polly is not bitter.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAggressive($x, bool) ::: Is x aggressive?\nImpus($x, bool) ::: Does x belong to Impus?\nLuminous($x, bool) ::: Is x luminous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBrown($x, bool) ::: Is x brown?\nJompus($x, bool) ::: Does x belong to Jompus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nDumpus(Polly, True)\n\nRules:\nTumpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Earthy($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Aggressive($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Luminous($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bitter($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nRompus($x, True) >>> Bitter($x, False)\nWumpus($x, True) >>> Large($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nBitter(Polly, False)" + ] + }, + { + "id": "ProntoQA_330", + "context": "Numpuses are bright. Each numpus is a dumpus. Dumpuses are liquid. Every dumpus is a zumpus. Zumpuses are not small. Every zumpus is a jompus. Each jompus is nervous. Each yumpus is earthy. Jompuses are vumpuses. Vumpuses are not earthy. Each vumpus is an impus. Impuses are not sweet. Impuses are rompuses. Every rompus is amenable. Rompuses are tumpuses. Tumpuses are opaque. Tumpuses are wumpuses. Rex is a numpus.", + "question": "Is the following statement true or false? Rex is not earthy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLiquid($x, bool) ::: Is x liquid?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nNervous($x, bool) ::: Is x nervous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nSweet($x, bool) ::: Is x sweet?\nRompus($x, bool) ::: Does x belong to Rompus?\nAmenable($x, bool) ::: Is x amenable?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nNumpus(Rex, True)\n\nRules:\nNumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Liquid($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Earthy($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sweet($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Amenable($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nEarthy(Rex, False)" + ] + }, + { + "id": "ProntoQA_331", + "context": "Each vumpus is not bright. Each vumpus is a numpus. Wumpuses are small. Each numpus is not opaque. Numpuses are rompuses. Rompuses are not sweet. Rompuses are yumpuses. Each yumpus is liquid. Each yumpus is a jompus. Each jompus is shy. Each jompus is a zumpus. Zumpuses are not brown. Zumpuses are impuses. Impuses are not fruity. Impuses are dumpuses. Dumpuses are not small. Every dumpus is a tumpus. Sam is a yumpus.", + "question": "Is the following statement true or false? Sam is small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBright($x, bool) ::: Is x bright?\nOpaque($x, bool) ::: Is x opaque?\nSweet($x, bool) ::: Is x sweet?\nBrown($x, bool) ::: Is x brown?\nSmall($x, bool) ::: Is x small?\nFacts:\nYumpus(Sam, True)\nRules:\nVumpus($x, True) >>> Bright($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Opaque($x, False)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sweet($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Shy($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, False)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Fruity($x, False)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nQuery:\nSmall(Sam, True)" + ] + }, + { + "id": "ProntoQA_332", + "context": "Each tumpus is luminous. Each tumpus is a rompus. Rompuses are not small. Rompuses are dumpuses. Each dumpus is fruity. Every dumpus is a numpus. Numpuses are red. Numpuses are vumpuses. Each vumpus is dull. Each vumpus is an impus. Impuses are bitter. Each impus is a wumpus. Each wumpus is not kind. Each jompus is kind. Wumpuses are yumpuses. Yumpuses are happy. Yumpuses are zumpuses. Max is a dumpus.", + "question": "Is the following statement true or false? Max is not kind.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLuminous($x, bool) ::: Is x luminous?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nNumpus($x, bool) ::: Does x belong to Numpus?\nRed($x, bool) ::: Is x red?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nKind($x, bool) ::: Is x kind?\nJompus($x, bool) ::: Does x belong to Jompus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nDumpus(Max, True)\n\nRules:\nTumpus($x, True) >>> Luminous($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Red($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bitter($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Kind($x, False)\nJompus($x, True) >>> Kind($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nKind(Max, False)" + ] + }, + { + "id": "ProntoQA_333", + "context": "Dumpuses are transparent. Dumpuses are impuses. Impuses are not brown. Every impus is a rompus. Rompuses are floral. Rompuses are yumpuses. Yumpuses are happy. Yumpuses are jompuses. Every jompus is not temperate. Jompuses are numpuses. Every numpus is dull. Each numpus is a wumpus. Every wumpus is large. Wumpuses are tumpuses. Each tumpus is kind. Vumpuses are temperate. Each tumpus is a zumpus. Stella is a dumpus.", + "question": "Is the following statement true or false? Stella is not temperate.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nImpuses($x, bool) ::: Does x belong to Impuses?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHappy($x, bool) ::: Is x happy?\nJompus($x, bool) ::: Does x belong to Jompus?\nTemperate($x, bool) ::: Is x temperate?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nKind($x, bool) ::: Is x kind?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nDumpus(Stella, True)\n\nRules:\nDumpus($x, True) >>> Transparent($x, True)\nDumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Brown($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, False)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, True)\nWumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Kind($x, True)\nVumpuses($x, True) >>> Temperate($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nTemperate(Stella, False)" + ] + }, + { + "id": "ProntoQA_334", + "context": "Dumpuses are spicy. Dumpuses are zumpuses. Each zumpus is feisty. Every zumpus is a tumpus. Tumpuses are bright. Each tumpus is a wumpus. Every wumpus is not orange. Wumpuses are impuses. Numpuses are not transparent. Every impus is aggressive. Each impus is a jompus. Jompuses are fruity. Jompuses are rompuses. Rompuses are small. Rompuses are yumpuses. Yumpuses are transparent. Every yumpus is a vumpus. Sally is a wumpus.", + "question": "Is the following statement true or false? Sally is transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSpicy($x, bool) ::: Is x spicy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFeisty($x, bool) ::: Is x feisty?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nImpus($x, bool) ::: Does x belong to Impus?\nAggressive($x, bool) ::: Is x aggressive?\nJompus($x, bool) ::: Does x belong to Jompus?\nFruity($x, bool) ::: Is x fruity?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nWumpus(Sally, True)\n\nRules:\nDumpus($x, True) >>> Spicy($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Feisty($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, False)\nWumpus($x, True) >>> Impus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nImpus($x, True) >>> Aggressive($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Fruity($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nTransparent(Sally, True)" + ] + }, + { + "id": "ProntoQA_335", + "context": "Dumpuses are not hot. Every dumpus is an impus. Every impus is fruity. Every impus is a jompus. Jompuses are brown. Each jompus is a wumpus. Each wumpus is nervous. Each wumpus is a numpus. Each numpus is opaque. Numpuses are yumpuses. Each rompus is large. Yumpuses are bitter. Yumpuses are vumpuses. Each vumpus is wooden. Vumpuses are tumpuses. Each tumpus is not large. Every tumpus is a zumpus. Polly is a wumpus.", + "question": "Is the following statement true or false? Polly is not large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nFruity($x, bool) ::: Is x fruity?\nJompus($x, bool) ::: Does x belong to Jompus?\nBrown($x, bool) ::: Is x brown?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNervous($x, bool) ::: Is x nervous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWooden($x, bool) ::: Is x wooden?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nWumpus(Polly, True)\n\nRules:\nDumpus($x, True) >>> Hot($x, False)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Fruity($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Brown($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bitter($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Wooden($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, False)\nTumpus($x, True) >>> Zumpus($x, True)\nRompus($x, True) >>> Large($x, True)\n\nQuery:\nLarge(Polly, False)" + ] + }, + { + "id": "ProntoQA_336", + "context": "Every rompus is temperate. Rompuses are zumpuses. Zumpuses are shy. Each zumpus is a wumpus. Wumpuses are bright. Numpuses are opaque. Wumpuses are impuses. Each impus is not large. Impuses are jompuses. Jompuses are kind. Each jompus is a tumpus. Tumpuses are not opaque. Every tumpus is a dumpus. Max is a zumpus.", + "question": "Is the following statement true or false? Max is opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nTemperate($x, bool) ::: Is x temperate?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nShy($x, bool) ::: Is x shy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nZumpus(Max, True)\n\nRules:\nRompus($x, True) >>> Temperate($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Shy($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, False)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Kind($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, False)\nTumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nOpaque(Max, True)" + ] + }, + { + "id": "ProntoQA_337", + "context": "Dumpuses are small. Every dumpus is a vumpus. Each wumpus is spicy. Every vumpus is mean. Each vumpus is a yumpus. Every yumpus is fruity. Yumpuses are numpuses. Numpuses are transparent. Numpuses are jompuses. Each jompus is not spicy. Jompuses are impuses. Polly is a dumpus.", + "question": "Is the following statement true or false? Polly is spicy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nSmall($x, bool) ::: Is x small?\nSpicy($x, bool) ::: Is x spicy?\nMean($x, bool) ::: Is x mean?\nFruity($x, bool) ::: Is x fruity?\nTransparent($x, bool) ::: Is x transparent?\n\nFacts:\nDumpus(Polly, True)\n\nRules:\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nWumpus($x, True) >>> Spicy($x, True)\nVumpus($x, True) >>> Mean($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, False)\nJompus($x, True) >>> Impuses($x, True)\n\nQuery:\nSpicy(Polly, False)" + ] + }, + { + "id": "ProntoQA_338", + "context": "Each jompus is temperate. Jompuses are zumpuses. Zumpuses are dull. Zumpuses are vumpuses. Every vumpus is not kind. Vumpuses are rompuses. Rompuses are brown. Rompuses are tumpuses. Tumpuses are fruity. Tumpuses are wumpuses. Wumpuses are not large. Each wumpus is a yumpus. Yumpuses are wooden. Yumpuses are dumpuses. Dumpuses are spicy. Each dumpus is an impus. Each numpus is not fruity. Stella is a jompus.", + "question": "Is the following statement true or false? Stella is not fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nTemperate($x, bool) ::: Is x temperate?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWooden($x, bool) ::: Is x wooden?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nJompus(Stella, True)\n\nRules:\nJompus($x, True) >>> Temperate($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Kind($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Brown($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Fruity($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Wooden($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Spicy($x, True)\nDumpus($x, True) >>> Impus($x, True)\nNumpus($x, True) >>> Fruity($x, False)\n\nQuery:\nFruity(Stella, False)" + ] + }, + { + "id": "ProntoQA_339", + "context": "Yumpuses are sweet. Every yumpus is a jompus. Jompuses are brown. Jompuses are wumpuses. Wumpuses are bright. Wumpuses are numpuses. Each numpus is kind. Numpuses are impuses. Each impus is nervous. Impuses are zumpuses. Each zumpus is cold. Zumpuses are vumpuses. Vumpuses are liquid. Every rompus is not transparent. Vumpuses are tumpuses. Tumpuses are transparent. Tumpuses are dumpuses. Max is a numpus.", + "question": "Is the following statement true or false? Max is transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSweet($x, bool) ::: Is x sweet?\nJompus($x, bool) ::: Does x belong to Jompus?\nBrown($x, bool) ::: Is x brown?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nImpus($x, bool) ::: Does x belong to Impus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nNumpus(Max, True)\n\nRules:\nYumpus($x, True) >>> Sweet($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Brown($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Nervous($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, True)\nRompus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Transparent($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nTransparent(Max, True)" + ] + }, + { + "id": "ProntoQA_340", + "context": "Rompuses are brown. Rompuses are zumpuses. Zumpuses are temperate. Zumpuses are dumpuses. Dumpuses are angry. Dumpuses are yumpuses. Every yumpus is small. Yumpuses are numpuses. Numpuses are opaque. Numpuses are vumpuses. Vumpuses are bitter. Vumpuses are jompuses. Jompuses are feisty. Each jompus is an impus. Impuses are luminous. Every tumpus is not feisty. Each impus is a wumpus. Wren is a dumpus.", + "question": "Is the following statement true or false? Wren is feisty.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nBrown($x, bool) ::: Is x brown?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAngry($x, bool) ::: Is x angry?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nJompus($x, bool) ::: Does x belong to Jompus?\nFeisty($x, bool) ::: Is x feisty?\nImpus($x, bool) ::: Does x belong to Impus?\nLuminous($x, bool) ::: Is x luminous?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nDumpus(Wren, True)\n\nRules:\nRompus($x, True) >>> Brown($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Angry($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Feisty($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Luminous($x, True)\nTumpus($x, True) >>> Feisty($x, False)\nImpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nFeisty(Wren, True)" + ] + }, + { + "id": "ProntoQA_341", + "context": "Vumpuses are blue. Vumpuses are numpuses. Each numpus is small. Every numpus is a tumpus. Tumpuses are dull. Tumpuses are impuses. Every rompus is not temperate. Every impus is sour. Impuses are jompuses. Jompuses are temperate. Jompuses are wumpuses. Wumpuses are angry. Wumpuses are yumpuses. Every yumpus is shy. Every yumpus is a zumpus. Zumpuses are liquid. Zumpuses are dumpuses. Polly is a vumpus.", + "question": "Is the following statement true or false? Polly is not temperate.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBlue($x, bool) ::: Is x blue?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nSour($x, bool) ::: Is x sour?\nRompus($x, bool) ::: Does x belong to Rompus?\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAngry($x, bool) ::: Is x angry?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nShy($x, bool) ::: Is x shy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpus(Polly, True)\n\nRules:\nVumpus($x, True) >>> Blue($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Impus($x, True)\nRompus($x, True) >>> Temperate($x, False)\nImpus($x, True) >>> Sour($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Angry($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Shy($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Liquid($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nTemperate(Polly, False)" + ] + }, + { + "id": "ProntoQA_342", + "context": "Impuses are shy. Each impus is a rompus. Every rompus is fruity. Every rompus is a yumpus. Every yumpus is brown. Yumpuses are numpuses. Numpuses are liquid. Each numpus is a tumpus. Each tumpus is angry. Every tumpus is a dumpus. Dumpuses are not temperate. Each dumpus is a vumpus. Vumpuses are bright. Vumpuses are zumpuses. Zumpuses are not large. Every jompus is temperate. Each zumpus is a wumpus. Polly is a rompus.", + "question": "Is the following statement true or false? Polly is temperate.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nFruity($x, bool) ::: Is x fruity?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBrown($x, bool) ::: Is x brown?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLiquid($x, bool) ::: Is x liquid?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAngry($x, bool) ::: Is x angry?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nRompus(Polly, True)\n\nRules:\nImpuses($x, True) >>> Shy($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Fruity($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Brown($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Liquid($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Angry($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nTemperate(Polly, False)" + ] + }, + { + "id": "ProntoQA_343", + "context": "Rompuses are amenable. Every rompus is a tumpus. Tumpuses are not cold. Each tumpus is a zumpus. Zumpuses are nervous. Each zumpus is a numpus. Each numpus is opaque. Numpuses are yumpuses. Each yumpus is sour. Yumpuses are jompuses. Jompuses are luminous. Every jompus is a vumpus. Each wumpus is not sour. Polly is a rompus.", + "question": "Is the following statement true or false? Polly is not sour.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAmenable($x, bool) ::: Is x amenable?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nOpaque($x, bool) ::: Is x opaque?\nSour($x, bool) ::: Is x sour?\nLuminous($x, bool) ::: Is x luminous?\n\nFacts:\nRompus(Polly, True)\n\nRules:\nRompus($x, True) >>> Amenable($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, False)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Nervous($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sour($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Luminous($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nWumpus($x, True) >>> Sour($x, False)\n\nQuery:\nSour(Polly, False)" + ] + }, + { + "id": "ProntoQA_344", + "context": "Vumpuses are bitter. Every vumpus is a wumpus. Wumpuses are orange. Each wumpus is a yumpus. Each yumpus is large. Tumpuses are temperate. Yumpuses are numpuses. Numpuses are not dull. Numpuses are zumpuses. Each zumpus is not temperate. Zumpuses are impuses. Stella is a vumpus.", + "question": "Is the following statement true or false? Stella is temperate.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTemperate($x, bool) ::: Is x temperate?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nVumpus(Stella, True)\n\nRules:\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Temperate($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, False)\nZumpus($x, True) >>> Impus($x, True)\n\nQuery:\nTemperate(Stella, False)" + ] + }, + { + "id": "ProntoQA_345", + "context": "Every zumpus is not feisty. Each zumpus is a dumpus. Every dumpus is angry. Vumpuses are not small. Dumpuses are wumpuses. Each wumpus is not dull. Each wumpus is a numpus. Numpuses are fruity. Numpuses are impuses. Impuses are small. Each impus is a rompus. Every rompus is not opaque. Each rompus is a tumpus. Each tumpus is metallic. Tumpuses are yumpuses. Each yumpus is red. Yumpuses are jompuses. Rex is a zumpus.", + "question": "Is the following statement true or false? Rex is not small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFeisty($x, bool) ::: Is x feisty?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAngry($x, bool) ::: Is x angry?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nImpus($x, bool) ::: Does x belong to Impus?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nMetallic($x, bool) ::: Is x metallic?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRed($x, bool) ::: Is x red?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Rex, True)\n\nRules:\nZumpus($x, True) >>> Feisty($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Angry($x, True)\nVumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Fruity($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Metallic($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Red($x, True)\nYumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nSmall(Rex, False)" + ] + }, + { + "id": "ProntoQA_346", + "context": "Every wumpus is fruity. Wumpuses are jompuses. Jompuses are not transparent. Each jompus is a vumpus. Every vumpus is cold. Each vumpus is a yumpus. Numpuses are not bright. Yumpuses are angry. Yumpuses are zumpuses. Zumpuses are brown. Zumpuses are impuses. Each impus is not wooden. Impuses are rompuses. Each rompus is large. Every rompus is a dumpus. Dumpuses are bright. Each dumpus is a tumpus. Sam is a yumpus.", + "question": "Is the following statement true or false? Sam is not bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nAngry($x, bool) ::: Is x angry?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nImpus($x, bool) ::: Does x belong to Impus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nYumpus(Sam, True)\n\nRules:\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nNumpus($x, True) >>> Bright($x, False)\nYumpus($x, True) >>> Angry($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Wooden($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nBright(Sam, False)" + ] + }, + { + "id": "ProntoQA_347", + "context": "Every tumpus is bright. Yumpuses are not earthy. Tumpuses are jompuses. Each jompus is opaque. Jompuses are impuses. Every impus is aggressive. Impuses are zumpuses. Each zumpus is not large. Zumpuses are wumpuses. Wumpuses are liquid. Each wumpus is a vumpus. Each vumpus is feisty. Vumpuses are dumpuses. Each dumpus is earthy. Each dumpus is a rompus. Each rompus is spicy. Rompuses are numpuses. Sally is an impus.", + "question": "Is the following statement true or false? Sally is not earthy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nAggressive($x, bool) ::: Is x aggressive?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nImpus(Sally, True)\n\nRules:\nTumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Earthy($x, False)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Opaque($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Aggressive($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, False)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Feisty($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Earthy($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Numpus($x, True)\n\nQuery:\nEarthy(Sally, False)" + ] + }, + { + "id": "ProntoQA_348", + "context": "Yumpuses are large. Yumpuses are rompuses. Rompuses are orange. Each rompus is a wumpus. Each wumpus is happy. Wumpuses are zumpuses. Zumpuses are not angry. Zumpuses are impuses. Impuses are earthy. Each impus is a jompus. Jompuses are luminous. Each jompus is a dumpus. Every dumpus is bright. Dumpuses are numpuses. Vumpuses are not luminous. Every numpus is not hot. Every numpus is a tumpus. Fae is a rompus.", + "question": "Is the following statement true or false? Fae is luminous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nOrange($x, bool) ::: Is x orange?\nHappy($x, bool) ::: Is x happy?\nAngry($x, bool) ::: Is x angry?\nEarthy($x, bool) ::: Is x earthy?\nLuminous($x, bool) ::: Is x luminous?\nBright($x, bool) ::: Is x bright?\nHot($x, bool) ::: Is x hot?\n\nFacts:\nRompus(Fae, True)\n\nRules:\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Orange($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Happy($x, True)\nWumpuses($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Angry($x, False)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Earthy($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Luminous($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nVumpuses($x, True) >>> Luminous($x, False)\nNumpus($x, True) >>> Hot($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nLuminous(Fae, True)" + ] + }, + { + "id": "ProntoQA_349", + "context": "Each vumpus is spicy. Every vumpus is a dumpus. Each dumpus is blue. Every dumpus is a yumpus. Each yumpus is floral. Yumpuses are tumpuses. Tumpuses are small. Tumpuses are rompuses. Rompuses are not mean. Rompuses are jompuses. Every numpus is mean. Alex is a vumpus.", + "question": "Is the following statement true or false? Alex is not mean.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBlue($x, bool) ::: Is x blue?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nMean($x, bool) ::: Is x mean?\nJompus($x, bool) ::: Does x belong to Jompus?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nVumpus(Alex, True)\n\nRules:\nVumpus($x, True) >>> Spicy($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Blue($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Mean($x, False)\nRompus($x, True) >>> Jompus($x, True)\nNumpus($x, True) >>> Mean($x, True)\n\nQuery:\nMean(Alex, False)" + ] + }, + { + "id": "ProntoQA_350", + "context": "Numpuses are not shy. Every numpus is a wumpus. Wumpuses are not large. Each wumpus is an impus. Impuses are not metallic. Zumpuses are not sour. Every impus is a rompus. Rompuses are dull. Each rompus is a vumpus. Vumpuses are aggressive. Vumpuses are jompuses. Every jompus is red. Jompuses are tumpuses. Every tumpus is fruity. Tumpuses are dumpuses. Dumpuses are sour. Dumpuses are yumpuses. Alex is a rompus.", + "question": "Is the following statement true or false? Alex is not sour.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nShy($x, bool) ::: Is x shy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nMetallic($x, bool) ::: Is x metallic?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAggressive($x, bool) ::: Is x aggressive?\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nRompus(Alex, True)\n\nRules:\nNumpus($x, True) >>> Shy($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Metallic($x, False)\nZumpus($x, True) >>> Sour($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Aggressive($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Red($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Fruity($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sour($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nSour(Alex, False)" + ] + }, + { + "id": "ProntoQA_351", + "context": "Zumpuses are dull. Each zumpus is a wumpus. Wumpuses are shy. Every wumpus is a rompus. Rompuses are large. Rompuses are vumpuses. Vumpuses are red. Each tumpus is fruity. Vumpuses are dumpuses. Every dumpus is not fruity. Every dumpus is a numpus. Numpuses are spicy. Each numpus is a yumpus. Yumpuses are mean. Every yumpus is a jompus. Every jompus is opaque. Each jompus is an impus. Stella is a zumpus.", + "question": "Is the following statement true or false? Stella is not fruity.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nRed($x, bool) ::: Is x red?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMean($x, bool) ::: Is x mean?\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nZumpus(Stella, True)\n\nRules:\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Shy($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Red($x, True)\nTumpus($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Fruity($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Spicy($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Mean($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Opaque($x, True)\nJompus($x, True) >>> Impus($x, True)\n\nQuery:\nFruity(Stella, False)" + ] + }, + { + "id": "ProntoQA_352", + "context": "Each dumpus is not blue. Dumpuses are jompuses. Jompuses are not earthy. Jompuses are impuses. Every impus is not aggressive. Impuses are vumpuses. Every vumpus is metallic. Wumpuses are not opaque. Vumpuses are rompuses. Each rompus is not feisty. Every rompus is a yumpus. Every yumpus is opaque. Yumpuses are numpuses. Numpuses are small. Numpuses are tumpuses. Every tumpus is spicy. Tumpuses are zumpuses. Wren is a jompus.", + "question": "Is the following statement true or false? Wren is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nImpuses($x, bool) ::: Does x belong to Impuses?\nAggressive($x, bool) ::: Is x aggressive?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSpicy($x, bool) ::: Is x spicy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nJompus(Wren, True)\n\nRules:\nDumpus($x, True) >>> Blue($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, False)\nJompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Aggressive($x, False)\nImpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Metallic($x, True)\nWumpus($x, True) >>> Opaque($x, False)\nVumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Spicy($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nOpaque(Wren, False)" + ] + }, + { + "id": "ProntoQA_353", + "context": "Dumpuses are earthy. Each dumpus is a tumpus. Every tumpus is sour. Tumpuses are numpuses. Each impus is hot. Numpuses are happy. Every numpus is a rompus. Every rompus is not transparent. Every rompus is a zumpus. Zumpuses are not hot. Each zumpus is a vumpus. Vumpuses are not dull. Each vumpus is a jompus. Every jompus is not aggressive. Each jompus is a wumpus. Wumpuses are luminous. Wumpuses are yumpuses. Wren is a dumpus.", + "question": "Is the following statement true or false? Wren is not hot.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nEarthy($x, bool) ::: Is x earthy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nImpus($x, bool) ::: Does x belong to Impus?\nHot($x, bool) ::: Is x hot?\nHappy($x, bool) ::: Is x happy?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nAggressive($x, bool) ::: Is x aggressive?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nDumpus(Wren, True)\n\nRules:\nDumpus($x, True) >>> Earthy($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Sour($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nImpus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Happy($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Hot($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Aggressive($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Luminous($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nHot(Wren, False)" + ] + }, + { + "id": "ProntoQA_354", + "context": "Vumpuses are feisty. Vumpuses are jompuses. Each jompus is not blue. Every jompus is a zumpus. Zumpuses are mean. Every zumpus is an impus. Impuses are sweet. Every impus is a numpus. Numpuses are earthy. Every numpus is a wumpus. Each wumpus is cold. Wumpuses are dumpuses. Dumpuses are bright. Every dumpus is a rompus. Rompuses are not small. Rompuses are tumpuses. Every yumpus is not bright. Fae is a zumpus.", + "question": "Is the following statement true or false? Fae is not bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nJompus($x, bool) ::: Does x belong to Jompus?\nBlue($x, bool) ::: Is x blue?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMean($x, bool) ::: Is x mean?\nImpus($x, bool) ::: Does x belong to Impus?\nSweet($x, bool) ::: Is x sweet?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nZumpus(Fae, True)\n\nRules:\nVumpus($x, True) >>> Feisty($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Blue($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Mean($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sweet($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Cold($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nYumpus($x, True) >>> Bright($x, False)\n\nQuery:\nBright(Fae, False)" + ] + }, + { + "id": "ProntoQA_355", + "context": "Impuses are not happy. Each impus is a dumpus. Every dumpus is small. Each dumpus is a vumpus. Vumpuses are not dull. Every vumpus is a rompus. Each rompus is not sweet. Rompuses are tumpuses. Tumpuses are transparent. Tumpuses are jompuses. Every jompus is brown. Each zumpus is not brown. Jompuses are wumpuses. Wumpuses are angry. Wumpuses are yumpuses. Every yumpus is not temperate. Each yumpus is a numpus. Rex is a dumpus.", + "question": "Is the following statement true or false? Rex is not brown.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nHappy($x, bool) ::: Is x happy?\nSmall($x, bool) ::: Is x small?\nDull($x, bool) ::: Is x dull?\nSweet($x, bool) ::: Is x sweet?\nBrown($x, bool) ::: Is x brown?\nTemperate($x, bool) ::: Is x temperate?\n\nFacts:\nDumpus(Rex, True)\n\nRules:\nImpuses($x, True) >>> Happy($x, False)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sweet($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Transparent($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Brown($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Angry($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, False)\nYumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nBrown(Rex, False)" + ] + }, + { + "id": "ProntoQA_356", + "context": "Every numpus is not floral. Numpuses are tumpuses. Tumpuses are orange. Tumpuses are rompuses. Every rompus is bright. Each rompus is a dumpus. Every dumpus is metallic. Dumpuses are jompuses. Every jompus is cold. Jompuses are zumpuses. Each zumpus is feisty. Zumpuses are impuses. Each impus is spicy. Every impus is a wumpus. Every wumpus is kind. Yumpuses are not kind. Wumpuses are vumpuses. Rex is a dumpus.", + "question": "Is the following statement true or false? Rex is kind.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nFloral($x, bool) ::: Is x floral?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nOrange($x, bool) ::: Is x orange?\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFeisty($x, bool) ::: Is x feisty?\nImpuses($x, bool) ::: Does x belong to Impuses?\nSpicy($x, bool) ::: Is x spicy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nKind($x, bool) ::: Is x kind?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\n\nFacts:\nDumpus(Rex, True)\n\nRules:\nNumpus($x, True) >>> Floral($x, False)\nNumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Orange($x, True)\nTumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bright($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Metallic($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Feisty($x, True)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Spicy($x, True)\nImpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Kind($x, True)\nYumpus($x, True) >>> Kind($x, False)\nWumpus($x, True) >>> Vumpuses($x, True)\n\nQuery:\nKind(Rex, True)" + ] + }, + { + "id": "ProntoQA_357", + "context": "Each vumpus is not hot. Vumpuses are rompuses. Every rompus is opaque. Every rompus is a zumpus. Every zumpus is dull. Zumpuses are yumpuses. Yumpuses are sour. Every yumpus is a tumpus. Impuses are not blue. Tumpuses are metallic. Tumpuses are jompuses. Jompuses are not fruity. Jompuses are wumpuses. Wumpuses are blue. Every wumpus is a numpus. Each numpus is mean. Every numpus is a dumpus. Stella is a zumpus.", + "question": "Is the following statement true or false? Stella is blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nImpuses($x, bool) ::: Does x belong to Impuses?\nBlue($x, bool) ::: Is x blue?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nZumpus(Stella, True)\n\nRules:\nVumpus($x, True) >>> Hot($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sour($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nImpuses($x, True) >>> Blue($x, False)\nTumpus($x, True) >>> Metallic($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Fruity($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Mean($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nBlue(Stella, True)" + ] + }, + { + "id": "ProntoQA_358", + "context": "Impuses are dull. Each impus is a vumpus. Every vumpus is sour. Vumpuses are wumpuses. Every wumpus is blue. Wumpuses are tumpuses. Tumpuses are opaque. Every tumpus is a rompus. Rompuses are cold. Every rompus is a jompus. Jompuses are not happy. Each jompus is a numpus. Dumpuses are not wooden. Numpuses are fruity. Numpuses are yumpuses. Yumpuses are wooden. Every yumpus is a zumpus. Max is a tumpus.", + "question": "Is the following statement true or false? Max is wooden.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBlue($x, bool) ::: Is x blue?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nJompus($x, bool) ::: Does x belong to Jompus?\nHappy($x, bool) ::: Is x happy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpus(Max, True)\n\nRules:\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Happy($x, False)\nJompus($x, True) >>> Numpus($x, True)\nDumpus($x, True) >>> Wooden($x, False)\nNumpus($x, True) >>> Fruity($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Wooden($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nWooden(Max, True)" + ] + }, + { + "id": "ProntoQA_359", + "context": "Vumpuses are not wooden. Rompuses are kind. Rompuses are tumpuses. Tumpuses are not nervous. Tumpuses are impuses. Impuses are not cold. Each impus is a dumpus. Each dumpus is bright. Dumpuses are zumpuses. Zumpuses are transparent. Zumpuses are numpuses. Numpuses are large. Numpuses are jompuses. Each jompus is wooden. Each jompus is a wumpus. Each wumpus is not bitter. Each wumpus is a yumpus. Max is an impus.", + "question": "Is the following statement true or false? Max is wooden.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nKind($x, bool) ::: Is x kind?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nImpus($x, bool) ::: Does x belong to Impus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBitter($x, bool) ::: Is x bitter?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nImpus(Max, True)\n\nRules:\nVumpus($x, True) >>> Wooden($x, False)\nRompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, False)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Cold($x, False)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Wooden($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bitter($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nWooden(Max, True)" + ] + }, + { + "id": "ProntoQA_360", + "context": "Rompuses are not kind. Every rompus is a dumpus. Every dumpus is metallic. Every dumpus is an impus. Every impus is shy. Each wumpus is temperate. Each impus is a vumpus. Vumpuses are small. Each vumpus is a jompus. Jompuses are dull. Jompuses are numpuses. Every numpus is opaque. Each numpus is a tumpus. Each tumpus is orange. Tumpuses are yumpuses. Yumpuses are not temperate. Each yumpus is a zumpus. Sally is a vumpus.", + "question": "Is the following statement true or false? Sally is temperate.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nKind($x, bool) ::: Is x kind?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nImpus($x, bool) ::: Does x belong to Impus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nVumpus(Sally, True)\n\nRules:\nRompus($x, True) >>> Kind($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Metallic($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Shy($x, True)\nWumpus($x, True) >>> Temperate($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Orange($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nTemperate(Sally, False)" + ] + }, + { + "id": "ProntoQA_361", + "context": "Every impus is dull. Each impus is a zumpus. Each zumpus is temperate. Zumpuses are jompuses. Jompuses are happy. Jompuses are yumpuses. Each yumpus is not earthy. Every yumpus is a numpus. Each numpus is not transparent. Every numpus is a dumpus. Rompuses are transparent. Dumpuses are blue. Dumpuses are vumpuses. Vumpuses are not sour. Every vumpus is a tumpus. Tumpuses are amenable. Every tumpus is a wumpus. Rex is an impus.", + "question": "Is the following statement true or false? Rex is transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\nHappy($x, bool) ::: Is x happy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBlue($x, bool) ::: Is x blue?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nAmenable($x, bool) ::: Is x amenable?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nImpus(Rex, True)\n\nRules:\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Happy($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Earthy($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nDumpus($x, True) >>> Blue($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Amenable($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nTransparent(Rex, False)" + ] + }, + { + "id": "ProntoQA_362", + "context": "Every wumpus is fruity. Each wumpus is a tumpus. Each tumpus is sour. Tumpuses are dumpuses. Dumpuses are not nervous. Each dumpus is a numpus. Numpuses are angry. Every numpus is a vumpus. Vumpuses are bright. Each vumpus is a rompus. Rompuses are not wooden. Every rompus is a yumpus. Every yumpus is opaque. Every zumpus is blue. Each yumpus is a jompus. Jompuses are not blue. Jompuses are impuses. Sally is a numpus.", + "question": "Is the following statement true or false? Sally is not blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSour($x, bool) ::: Is x sour?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNervous($x, bool) ::: Is x nervous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAngry($x, bool) ::: Is x angry?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nNumpus(Sally, True)\n\nRules:\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Sour($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Nervous($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Angry($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Wooden($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Blue($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Blue($x, False)\nJompus($x, True) >>> Impus($x, True)\n\nQuery:\nBlue(Sally, False)" + ] + }, + { + "id": "ProntoQA_363", + "context": "Each impus is sweet. Each impus is a dumpus. Dumpuses are small. Every dumpus is a numpus. Every numpus is mean. Every numpus is a rompus. Each rompus is red. Rompuses are tumpuses. Every tumpus is dull. Tumpuses are jompuses. Every wumpus is not dull. Each jompus is not opaque. Jompuses are vumpuses. Each vumpus is earthy. Vumpuses are zumpuses. Zumpuses are wooden. Zumpuses are yumpuses. Polly is an impus.", + "question": "Is the following statement true or false? Polly is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nSweet($x, bool) ::: Is x sweet?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nRompus($x, bool) ::: Does x belong to Rompus?\nRed($x, bool) ::: Is x red?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nImpus(Polly, True)\n\nRules:\nImpus($x, True) >>> Sweet($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Mean($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Red($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Dull($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nWumpus($x, True) >>> Dull($x, False)\nJompus($x, True) >>> Opaque($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Earthy($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Wooden($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nDull(Polly, False)" + ] + }, + { + "id": "ProntoQA_364", + "context": "Impuses are opaque. Each impus is a dumpus. Every dumpus is not small. Dumpuses are jompuses. Jompuses are temperate. Jompuses are numpuses. Each numpus is not dull. Every numpus is a yumpus. Rompuses are not kind. Every yumpus is orange. Every yumpus is a tumpus. Each tumpus is kind. Tumpuses are zumpuses. Zumpuses are floral. Each zumpus is a vumpus. Vumpuses are not sweet. Vumpuses are wumpuses. Stella is a dumpus.", + "question": "Is the following statement true or false? Stella is not kind.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nOpaque($x, bool) ::: Is x opaque?\nSmall($x, bool) ::: Is x small?\nTemperate($x, bool) ::: Is x temperate?\nKind($x, bool) ::: Is x kind?\nFloral($x, bool) ::: Is x floral?\nSweet($x, bool) ::: Is x sweet?\n\nFacts:\nDumpus(Stella, True)\n\nRules:\nImpuses($x, True) >>> Opaque($x, True)\nImpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\nRompus($x, True) >>> Kind($x, False)\nYumpus($x, True) >>> Orange($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Kind($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Floral($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sweet($x, False)\nVumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nKind(Stella, False)" + ] + }, + { + "id": "ProntoQA_365", + "context": "Yumpuses are transparent. Vumpuses are not happy. Vumpuses are zumpuses. Zumpuses are sweet. Every zumpus is a numpus. Numpuses are not hot. Numpuses are rompuses. Each rompus is blue. Rompuses are jompuses. Every jompus is bright. Jompuses are impuses. Impuses are luminous. Impuses are wumpuses. Each wumpus is not aggressive. Wumpuses are dumpuses. Each dumpus is not transparent. Dumpuses are tumpuses. Sally is a rompus.", + "question": "Is the following statement true or false? Sally is not transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSweet($x, bool) ::: Is x sweet?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nLuminous($x, bool) ::: Is x luminous?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAggressive($x, bool) ::: Is x aggressive?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nRompus(Sally, True)\n\nRules:\nYumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Happy($x, False)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sweet($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, False)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Blue($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Luminous($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Aggressive($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nTransparent(Sally, False)" + ] + }, + { + "id": "ProntoQA_366", + "context": "Vumpuses are not wooden. Each vumpus is a numpus. Each impus is floral. Numpuses are opaque. Numpuses are wumpuses. Wumpuses are small. Each wumpus is a jompus. Jompuses are red. Jompuses are zumpuses. Zumpuses are not sweet. Every zumpus is a yumpus. Each yumpus is not floral. Every yumpus is a tumpus. Polly is a numpus.", + "question": "Is the following statement true or false? Polly is floral.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWooden($x, bool) ::: Is x wooden?\nNumpus($x, bool) ::: Does x belong to Numpus?\nImpus($x, bool) ::: Does x belong to Impus?\nFloral($x, bool) ::: Is x floral?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSweet($x, bool) ::: Is x sweet?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nNumpus(Polly, True)\n\nRules:\nVumpus($x, True) >>> Wooden($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nImpus($x, True) >>> Floral($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Red($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sweet($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nFloral(Polly, False)" + ] + }, + { + "id": "ProntoQA_367", + "context": "Dumpuses are small. Dumpuses are vumpuses. Vumpuses are opaque. Vumpuses are wumpuses. Every wumpus is liquid. Each wumpus is a zumpus. Zumpuses are not happy. Each zumpus is an impus. Each impus is not earthy. Impuses are tumpuses. Each tumpus is not spicy. Each jompus is hot. Tumpuses are rompuses. Each rompus is not dull. Every rompus is a numpus. Every numpus is not hot. Numpuses are yumpuses. Polly is a zumpus.", + "question": "Is the following statement true or false? Polly is hot.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nImpus($x, bool) ::: Does x belong to Impus?\nEarthy($x, bool) ::: Is x earthy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSpicy($x, bool) ::: Is x spicy?\nJompus($x, bool) ::: Does x belong to Jompus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nZumpus(Polly, True)\n\nRules:\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Opaque($x, True)\nVumpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Happy($x, False)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Earthy($x, False)\nImpuses($x, True) >>> Tumpuses($x, True)\nTumpus($x, True) >>> Spicy($x, False)\nJompus($x, True) >>> Hot($x, True)\nTumpuses($x, True) >>> Rompuses($x, True)\nRompus($x, True) >>> Dull($x, False)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, False)\nNumpuses($x, True) >>> Yumpuses($x, True)\n\nQuery:\nHot(Polly, False)" + ] + }, + { + "id": "ProntoQA_368", + "context": "Tumpuses are large. Tumpuses are impuses. Each impus is not earthy. Each impus is a dumpus. Yumpuses are blue. Dumpuses are metallic. Every dumpus is a rompus. Each rompus is feisty. Every rompus is a jompus. Every jompus is not blue. Jompuses are zumpuses. Fae is a tumpus.", + "question": "Is the following statement true or false? Fae is not blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nEarthy($x, bool) ::: Is x earthy?\nBlue($x, bool) ::: Is x blue?\nMetallic($x, bool) ::: Is x metallic?\nFeisty($x, bool) ::: Is x feisty?\n\nFacts:\nTumpuses(Fae, True)\n\nRules:\nTumpuses($x, True) >>> Large($x, True)\nTumpuses($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Earthy($x, False)\nImpuses($x, True) >>> Dumpus($x, True)\nYumpus($x, True) >>> Blue($x, True)\nDumpus($x, True) >>> Metallic($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Blue($x, False)\nJompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nBlue(Fae, False)" + ] + }, + { + "id": "ProntoQA_369", + "context": "Each numpus is transparent. Each vumpus is not brown. Every numpus is a wumpus. Each wumpus is not bright. Every wumpus is a tumpus. Each tumpus is bitter. Each tumpus is a rompus. Rompuses are temperate. Every rompus is an impus. Each impus is brown. Each impus is a yumpus. Rex is a numpus.", + "question": "Is the following statement true or false? Rex is brown.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBrown($x, bool) ::: Is x brown?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBright($x, bool) ::: Is x bright?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nTemperate($x, bool) ::: Is x temperate?\nImpus($x, bool) ::: Does x belong to Impus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nNumpus(Rex, True)\n\nRules:\nNumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Brown($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bitter($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Temperate($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Brown($x, True)\nImpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nBrown(Rex, True)" + ] + }, + { + "id": "ProntoQA_370", + "context": "Wumpuses are not blue. Every wumpus is a jompus. Jompuses are temperate. Jompuses are zumpuses. Each zumpus is not small. Every zumpus is an impus. Every numpus is earthy. Impuses are not aggressive. Each impus is a yumpus. Each yumpus is not earthy. Every yumpus is a rompus. Every rompus is sweet. Rompuses are tumpuses. Each tumpus is not shy. Tumpuses are vumpuses. Each vumpus is not transparent. Vumpuses are dumpuses. Max is a wumpus.", + "question": "Is the following statement true or false? Max is not earthy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nTemperate($x, bool) ::: Is x temperate?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nImpus($x, bool) ::: Does x belong to Impus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nAggressive($x, bool) ::: Is x aggressive?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nSweet($x, bool) ::: Is x sweet?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nShy($x, bool) ::: Is x shy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nWumpus(Max, True)\n\nRules:\nWumpus($x, True) >>> Blue($x, False)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, False)\nZumpus($x, True) >>> Impus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nImpus($x, True) >>> Aggressive($x, False)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Earthy($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sweet($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Shy($x, False)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nEarthy(Max, False)" + ] + }, + { + "id": "ProntoQA_371", + "context": "Each tumpus is not happy. Each tumpus is a zumpus. Each zumpus is red. Each zumpus is a rompus. Vumpuses are not dull. Rompuses are floral. Rompuses are impuses. Impuses are not sour. Every impus is a numpus. Numpuses are hot. Numpuses are wumpuses. Every wumpus is dull. Wumpuses are jompuses. Sam is a zumpus.", + "question": "Is the following statement true or false? Sam is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nFloral($x, bool) ::: Is x floral?\nImpus($x, bool) ::: Does x belong to Impus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Sam, True)\n\nRules:\nTumpus($x, True) >>> Happy($x, False)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Red($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nVumpus($x, True) >>> Dull($x, False)\nRompus($x, True) >>> Floral($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sour($x, False)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nDull(Sam, False)" + ] + }, + { + "id": "ProntoQA_372", + "context": "Each wumpus is not large. Wumpuses are impuses. Every impus is opaque. Impuses are numpuses. Every numpus is bright. Numpuses are rompuses. Rompuses are cold. Each tumpus is kind. Rompuses are zumpuses. Each zumpus is not kind. Every zumpus is a yumpus. Rex is a wumpus.", + "question": "Is the following statement true or false? Rex is kind.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nImpuses($x, bool) ::: Does x belong to Impuses?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nKind($x, bool) ::: Is x kind?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nWumpus(Rex, True)\n\nRules:\nWumpus($x, True) >>> Large($x, False)\nWumpus($x, True) >>> Impuses($x, True)\nImpus($x, True) >>> Opaque($x, True)\nImpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Kind($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nKind(Rex, False)" + ] + }, + { + "id": "ProntoQA_373", + "context": "Every zumpus is metallic. Every zumpus is a jompus. Every jompus is bitter. Jompuses are tumpuses. Every tumpus is mean. Tumpuses are rompuses. Rompuses are not cold. Each rompus is a vumpus. Each wumpus is not dull. Every vumpus is dull. Every vumpus is a numpus. Every numpus is not fruity. Numpuses are dumpuses. Each dumpus is small. Each dumpus is a yumpus. Yumpuses are red. Each yumpus is an impus. Sam is a zumpus.", + "question": "Is the following statement true or false? Sam is dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nBitter($x, bool) ::: Is x bitter?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nMean($x, bool) ::: Is x mean?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRed($x, bool) ::: Is x red?\nImpus($x, bool) ::: Does x belong to Impus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nZumpus(Sam, True)\n\nRules:\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bitter($x, True)\nJompus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Mean($x, True)\nTumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, False)\nRompus($x, True) >>> Vumpus($x, True)\nWumpus($x, True) >>> Dull($x, False)\nVumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Fruity($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Red($x, True)\nYumpus($x, True) >>> Impus($x, True)\n\nQuery:\nDull(Sam, True)" + ] + }, + { + "id": "ProntoQA_374", + "context": "Yumpuses are feisty. Every yumpus is a zumpus. Zumpuses are brown. Each zumpus is a rompus. Each rompus is not bitter. Rompuses are numpuses. Each numpus is not metallic. Numpuses are wumpuses. Wumpuses are large. Wumpuses are vumpuses. Vumpuses are aggressive. Vumpuses are jompuses. Every jompus is dull. Jompuses are impuses. Impuses are not temperate. Each impus is a tumpus. Dumpuses are not aggressive. Fae is a zumpus.", + "question": "Is the following statement true or false? Fae is aggressive.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFeisty($x, bool) ::: Is x feisty?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nBitter($x, bool) ::: Is x bitter?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAggressive($x, bool) ::: Is x aggressive?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nTemperate($x, bool) ::: Is x temperate?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nZumpus(Fae, True)\n\nRules:\nYumpus($x, True) >>> Feisty($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bitter($x, False)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Metallic($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Aggressive($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Temperate($x, False)\nImpus($x, True) >>> Tumpus($x, True)\nDumpus($x, True) >>> Aggressive($x, False)\n\nQuery:\nAggressive(Fae, True)" + ] + }, + { + "id": "ProntoQA_375", + "context": "Each dumpus is not small. Dumpuses are wumpuses. Impuses are not metallic. Wumpuses are happy. Each wumpus is a zumpus. Zumpuses are brown. Zumpuses are rompuses. Rompuses are sour. Every rompus is a tumpus. Each tumpus is metallic. Tumpuses are numpuses. Each numpus is transparent. Numpuses are vumpuses. Each vumpus is not bright. Every vumpus is a yumpus. Every yumpus is not aggressive. Yumpuses are jompuses. Fae is a dumpus.", + "question": "Is the following statement true or false? Fae is metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nImpuses($x, bool) ::: Does x belong to Impuses?\nMetallic($x, bool) ::: Is x metallic?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAggressive($x, bool) ::: Is x aggressive?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nDumpus(Fae, True)\n\nRules:\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nImpuses($x, True) >>> Metallic($x, False)\nWumpus($x, True) >>> Happy($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sour($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Metallic($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, False)\nYumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nMetallic(Fae, True)" + ] + }, + { + "id": "ProntoQA_376", + "context": "Every zumpus is not metallic. Each zumpus is a rompus. Every rompus is fruity. Every rompus is a yumpus. Yumpuses are large. Each yumpus is a numpus. Numpuses are aggressive. Each numpus is a jompus. Each jompus is temperate. Jompuses are vumpuses. Vumpuses are transparent. Each vumpus is a dumpus. Tumpuses are not transparent. Each dumpus is not dull. Each dumpus is an impus. Each impus is not bitter. Impuses are wumpuses. Wren is a rompus.", + "question": "Is the following statement true or false? Wren is transparent.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nFruity($x, bool) ::: Is x fruity?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAggressive($x, bool) ::: Is x aggressive?\nJompus($x, bool) ::: Does x belong to Jompus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nRompus(Wren, True)\n\nRules:\nZumpus($x, True) >>> Metallic($x, False)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Fruity($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Aggressive($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nTumpus($x, True) >>> Transparent($x, False)\nDumpus($x, True) >>> Dull($x, False)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bitter($x, False)\nImpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nTransparent(Wren, True)" + ] + }, + { + "id": "ProntoQA_377", + "context": "Each zumpus is metallic. Zumpuses are tumpuses. Every tumpus is not earthy. Tumpuses are rompuses. Rompuses are hot. Rompuses are impuses. Every impus is orange. Impuses are dumpuses. Dumpuses are dull. Dumpuses are vumpuses. Vumpuses are not opaque. Each vumpus is a numpus. Each jompus is not dull. Every numpus is kind. Numpuses are yumpuses. Yumpuses are not small. Every yumpus is a wumpus. Sam is a zumpus.", + "question": "Is the following statement true or false? Sam is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nEarthy($x, bool) ::: Is x earthy?\nRompus($x, bool) ::: Does x belong to Rompus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nOrange($x, bool) ::: Is x orange?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Sam, True)\n\nRules:\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Earthy($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Hot($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Orange($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nJompus($x, True) >>> Dull($x, False)\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, False)\nYumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nDull(Sam, False)" + ] + }, + { + "id": "ProntoQA_378", + "context": "Dumpuses are nervous. Each dumpus is a vumpus. Every impus is transparent. Every vumpus is cold. Each vumpus is a zumpus. Each zumpus is not mean. Zumpuses are yumpuses. Yumpuses are bright. Yumpuses are tumpuses. Every tumpus is not fruity. Each tumpus is a jompus. Every jompus is not wooden. Jompuses are wumpuses. Each wumpus is not transparent. Wumpuses are numpuses. Numpuses are not blue. Numpuses are rompuses. Max is a zumpus.", + "question": "Is the following statement true or false? Max is transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMean($x, bool) ::: Is x mean?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFruity($x, bool) ::: Is x fruity?\nJompus($x, bool) ::: Does x belong to Jompus?\nWooden($x, bool) ::: Is x wooden?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBlue($x, bool) ::: Is x blue?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nZumpus(Max, True)\n\nRules:\nDumpus($x, True) >>> Nervous($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nImpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Cold($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Mean($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Fruity($x, False)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Wooden($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Blue($x, False)\nNumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nTransparent(Max, False)" + ] + }, + { + "id": "ProntoQA_379", + "context": "Every impus is not transparent. Every impus is a yumpus. Each yumpus is floral. Every yumpus is a tumpus. Every tumpus is shy. Tumpuses are zumpuses. Zumpuses are metallic. Zumpuses are dumpuses. Dumpuses are not sour. Every dumpus is a rompus. Rompuses are not large. Rompuses are vumpuses. Wumpuses are sour. Vumpuses are dull. Every vumpus is a numpus. Wren is an impus.", + "question": "Is the following statement true or false? Wren is not sour.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nShy($x, bool) ::: Is x shy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSour($x, bool) ::: Is x sour?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nImpus(Wren, True)\n\nRules:\nImpus($x, True) >>> Transparent($x, False)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Shy($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sour($x, False)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, False)\nRompus($x, True) >>> Vumpus($x, True)\nWumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nSour(Wren, False)" + ] + }, + { + "id": "ProntoQA_380", + "context": "Every dumpus is large. Wumpuses are happy. Each dumpus is an impus. Impuses are opaque. Impuses are jompuses. Every jompus is fruity. Each jompus is a zumpus. Zumpuses are orange. Each zumpus is a vumpus. Vumpuses are bright. Each vumpus is a tumpus. Each tumpus is not sweet. Tumpuses are rompuses. Each rompus is metallic. Rompuses are yumpuses. Yumpuses are not happy. Yumpuses are numpuses. Polly is a zumpus.", + "question": "Is the following statement true or false? Polly is not happy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHappy($x, bool) ::: Is x happy?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOrange($x, bool) ::: Is x orange?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSweet($x, bool) ::: Is x sweet?\nRompus($x, bool) ::: Does x belong to Rompus?\nMetallic($x, bool) ::: Is x metallic?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nZumpus(Polly, True)\n\nRules:\nDumpus($x, True) >>> Large($x, True)\nWumpus($x, True) >>> Happy($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Fruity($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Orange($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Sweet($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Metallic($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, False)\nYumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nHappy(Polly, False)" + ] + }, + { + "id": "ProntoQA_381", + "context": "Numpuses are dull. Every numpus is a zumpus. Every zumpus is wooden. Zumpuses are wumpuses. Every wumpus is spicy. Wumpuses are dumpuses. Every dumpus is earthy. Vumpuses are not feisty. Each dumpus is a yumpus. Yumpuses are large. Yumpuses are tumpuses. Tumpuses are feisty. Each tumpus is a rompus. Rompuses are blue. Each rompus is an impus. Sally is a zumpus.", + "question": "Is the following statement true or false? Sally is feisty.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWooden($x, bool) ::: Is x wooden?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSpicy($x, bool) ::: Is x spicy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nBlue($x, bool) ::: Is x blue?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nZumpus(Sally, True)\n\nRules:\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Wooden($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Spicy($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Earthy($x, True)\nVumpus($x, True) >>> Feisty($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Feisty($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Blue($x, True)\nRompus($x, True) >>> Impus($x, True)\n\nQuery:\nFeisty(Sally, True)" + ] + }, + { + "id": "ProntoQA_382", + "context": "Each jompus is fruity. Each jompus is a vumpus. Each vumpus is opaque. Vumpuses are wumpuses. Every wumpus is bitter. Wumpuses are rompuses. Rompuses are not happy. Every rompus is a zumpus. Zumpuses are temperate. Zumpuses are numpuses. Each numpus is not bright. Dumpuses are not temperate. Numpuses are tumpuses. Every tumpus is large. Each tumpus is an impus. Every impus is metallic. Impuses are yumpuses. Polly is a jompus.", + "question": "Is the following statement true or false? Polly is not temperate.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nHappy($x, bool) ::: Is x happy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nMetallic($x, bool) ::: Is x metallic?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nJompus(Polly, True)\n\nRules:\nJompus($x, True) >>> Fruity($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bitter($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Happy($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Temperate($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Metallic($x, True)\nImpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nTemperate(Polly, False)" + ] + }, + { + "id": "ProntoQA_383", + "context": "Every wumpus is small. Wumpuses are tumpuses. Tumpuses are not fruity. Every zumpus is not brown. Tumpuses are impuses. Every impus is luminous. Each impus is a jompus. Jompuses are not sweet. Jompuses are yumpuses. Every yumpus is feisty. Yumpuses are dumpuses. Each dumpus is angry. Every dumpus is a rompus. Each rompus is opaque. Rompuses are numpuses. Each numpus is brown. Numpuses are vumpuses. Sam is a jompus.", + "question": "Is the following statement true or false? Sam is brown.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nImpuses($x, bool) ::: Does x belong to Impuses?\nLuminous($x, bool) ::: Is x luminous?\nJompus($x, bool) ::: Does x belong to Jompus?\nSweet($x, bool) ::: Is x sweet?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFeisty($x, bool) ::: Is x feisty?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAngry($x, bool) ::: Is x angry?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\n\nFacts:\nJompus(Sam, True)\n\nRules:\nWumpus($x, True) >>> Small($x, True)\nWumpuses($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Brown($x, False)\nTumpuses($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Luminous($x, True)\nImpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sweet($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Feisty($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Angry($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, True)\nNumpus($x, True) >>> Vumpuses($x, True)\n\nQuery:\nBrown(Sam, True)" + ] + }, + { + "id": "ProntoQA_384", + "context": "Vumpuses are transparent. Vumpuses are dumpuses. Dumpuses are temperate. Each dumpus is a rompus. Each rompus is happy. Every rompus is a jompus. Each jompus is dull. Jompuses are yumpuses. Yumpuses are not sweet. Yumpuses are zumpuses. Each zumpus is not kind. Every zumpus is a numpus. Each wumpus is kind. Each numpus is wooden. Numpuses are tumpuses. Each tumpus is brown. Each tumpus is an impus. Fae is a dumpus.", + "question": "Is the following statement true or false? Fae is not kind.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nRompus($x, bool) ::: Does x belong to Rompus?\nHappy($x, bool) ::: Is x happy?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSweet($x, bool) ::: Is x sweet?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nKind($x, bool) ::: Is x kind?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWooden($x, bool) ::: Is x wooden?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBrown($x, bool) ::: Is x brown?\nImpus($x, bool) ::: Does x belong to Impus?\nFacts:\nDumpus(Fae, True)\nRules:\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Happy($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sweet($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Kind($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nWumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Wooden($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Brown($x, True)\nTumpus($x, True) >>> Impus($x, True)\nQuery:\nKind(Fae, False)" + ] + }, + { + "id": "ProntoQA_385", + "context": "Yumpuses are large. Yumpuses are numpuses. Numpuses are opaque. Each numpus is a zumpus. Vumpuses are not fruity. Zumpuses are happy. Zumpuses are impuses. Impuses are temperate. Impuses are jompuses. Each jompus is bright. Jompuses are wumpuses. Wumpuses are fruity. Wumpuses are rompuses. Rompuses are not spicy. Rompuses are dumpuses. Every dumpus is not amenable. Dumpuses are tumpuses. Wren is a numpus.", + "question": "Is the following statement true or false? Wren is fruity.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nHappy($x, bool) ::: Is x happy?\nImpuses($x, bool) ::: Does x belong to Impuses?\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAmenable($x, bool) ::: Is x amenable?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nNumpus(Wren, True)\n\nRules:\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nVumpus($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Happy($x, True)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Temperate($x, True)\nImpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Amenable($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nFruity(Wren, True)" + ] + }, + { + "id": "ProntoQA_386", + "context": "Rompuses are sour. Rompuses are jompuses. Jompuses are large. Jompuses are dumpuses. Each dumpus is not orange. Each yumpus is floral. Dumpuses are wumpuses. Every wumpus is kind. Every wumpus is a tumpus. Every tumpus is not floral. Tumpuses are numpuses. Every numpus is not feisty. Numpuses are zumpuses. Zumpuses are liquid. Zumpuses are impuses. Wren is a rompus.", + "question": "Is the following statement true or false? Wren is floral.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nKind($x, bool) ::: Is x kind?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFeisty($x, bool) ::: Is x feisty?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLiquid($x, bool) ::: Is x liquid?\nImpuses($x, bool) ::: Does x belong to Impuses?\n\nFacts:\nRompus(Wren, True)\n\nRules:\nRompus($x, True) >>> Sour($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Orange($x, False)\nYumpus($x, True) >>> Floral($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Kind($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Floral($x, False)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Feisty($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Liquid($x, True)\nZumpus($x, True) >>> Impuses($x, True)\n\nQuery:\nFloral(Wren, False)" + ] + }, + { + "id": "ProntoQA_387", + "context": "Jompuses are bright. Jompuses are yumpuses. Each yumpus is luminous. Yumpuses are impuses. Every impus is not hot. Each impus is a vumpus. Vumpuses are feisty. Each vumpus is a dumpus. Each dumpus is opaque. Each dumpus is a zumpus. Every zumpus is fruity. Zumpuses are tumpuses. Each tumpus is sweet. Tumpuses are numpuses. Each rompus is not red. Numpuses are red. Each numpus is a wumpus. Polly is a vumpus.", + "question": "Is the following statement true or false? Polly is red.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLuminous($x, bool) ::: Is x luminous?\nImpuses($x, bool) ::: Does x belong to Impuses?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSweet($x, bool) ::: Is x sweet?\nNumpus($x, bool) ::: Does x belong to Numpus?\nRed($x, bool) ::: Is x red?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nVumpus(Polly, True)\n\nRules:\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Luminous($x, True)\nYumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Hot($x, False)\nImpuses($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Feisty($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Sweet($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nRompus($x, True) >>> Red($x, False)\nNumpus($x, True) >>> Red($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nRed(Polly, True)" + ] + }, + { + "id": "ProntoQA_388", + "context": "Wumpuses are fruity. Wumpuses are yumpuses. Yumpuses are bright. Every yumpus is a jompus. Jompuses are not large. Each jompus is a zumpus. Every zumpus is transparent. Zumpuses are numpuses. Numpuses are not luminous. Every dumpus is luminous. Numpuses are impuses. Each impus is feisty. Every impus is a tumpus. Every tumpus is blue. Every tumpus is a vumpus. Vumpuses are bitter. Vumpuses are rompuses. Rex is a wumpus.", + "question": "Is the following statement true or false? Rex is not luminous.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLuminous($x, bool) ::: Is x luminous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nFeisty($x, bool) ::: Is x feisty?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBlue($x, bool) ::: Is x blue?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nWumpus(Rex, True)\n\nRules:\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Luminous($x, False)\nDumpus($x, True) >>> Luminous($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Feisty($x, True)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Blue($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nLuminous(Rex, False)" + ] + }, + { + "id": "ProntoQA_389", + "context": "Jompuses are not brown. Each jompus is a tumpus. Tumpuses are not bitter. Tumpuses are numpuses. Every numpus is not transparent. Every wumpus is cold. Each numpus is a zumpus. Every zumpus is kind. Every zumpus is a dumpus. Every dumpus is not cold. Each dumpus is a rompus. Each rompus is not large. Every rompus is a yumpus. Every yumpus is fruity. Yumpuses are vumpuses. Every vumpus is bright. Every vumpus is an impus. Sally is a jompus.", + "question": "Is the following statement true or false? Sally is not cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nBrown($x, bool) ::: Is x brown?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBitter($x, bool) ::: Is x bitter?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nKind($x, bool) ::: Is x kind?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nJompus(Sally, True)\n\nRules:\nJompus($x, True) >>> Brown($x, False)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bitter($x, False)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nWumpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Kind($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, False)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Impus($x, True)\n\nQuery:\nCold(Sally, False)" + ] + }, + { + "id": "ProntoQA_390", + "context": "Each zumpus is not red. Zumpuses are rompuses. Rompuses are happy. Every rompus is a numpus. Each numpus is not sweet. Numpuses are yumpuses. Every yumpus is not small. Yumpuses are tumpuses. Tumpuses are not cold. Tumpuses are vumpuses. Vumpuses are not transparent. Vumpuses are impuses. Each impus is not fruity. Impuses are wumpuses. Each jompus is fruity. Wumpuses are not dull. Each wumpus is a dumpus. Max is a numpus.", + "question": "Is the following statement true or false? Max is fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nHappy($x, bool) ::: Is x happy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSweet($x, bool) ::: Is x sweet?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nImpus($x, bool) ::: Does x belong to Impus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nNumpus(Max, True)\n\nRules:\nZumpus($x, True) >>> Red($x, False)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Happy($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sweet($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, False)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Fruity($x, False)\nImpus($x, True) >>> Wumpus($x, True)\nJompus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nFruity(Max, True)" + ] + }, + { + "id": "ProntoQA_391", + "context": "Yumpuses are not brown. Tumpuses are transparent. Tumpuses are jompuses. Jompuses are kind. Jompuses are rompuses. Every rompus is dull. Each rompus is a vumpus. Vumpuses are liquid. Every vumpus is a dumpus. Each dumpus is cold. Dumpuses are impuses. Impuses are brown. Impuses are numpuses. Every numpus is not nervous. Each numpus is a zumpus. Zumpuses are bitter. Zumpuses are wumpuses. Stella is a jompus.", + "question": "Is the following statement true or false? Stella is brown.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBrown($x, bool) ::: Is x brown?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nImpuses($x, bool) ::: Does x belong to Impuses?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nJompus(Stella, True)\n\nRules:\nYumpus($x, True) >>> Brown($x, False)\nTumpuses($x, True) >>> Transparent($x, True)\nTumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Kind($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Brown($x, True)\nImpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bitter($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nBrown(Stella, False)" + ] + }, + { + "id": "ProntoQA_392", + "context": "Each rompus is not metallic. Rompuses are jompuses. Jompuses are angry. Each jompus is a wumpus. Each wumpus is hot. Yumpuses are not blue. Each wumpus is a numpus. Every numpus is not dull. Every numpus is an impus. Every impus is not transparent. Each impus is a zumpus. Every zumpus is not happy. Zumpuses are dumpuses. Every dumpus is fruity. Dumpuses are vumpuses. Vumpuses are blue. Vumpuses are tumpuses. Stella is a numpus.", + "question": "Is the following statement true or false? Stella is blue.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nAngry($x, bool) ::: Is x angry?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHot($x, bool) ::: Is x hot?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBlue($x, bool) ::: Is x blue?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nNumpus(Stella, True)\n\nRules:\nRompus($x, True) >>> Metallic($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Angry($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Hot($x, True)\nYumpus($x, True) >>> Blue($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Dull($x, False)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Happy($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Blue($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nBlue(Stella, True)" + ] + }, + { + "id": "ProntoQA_393", + "context": "Every rompus is not earthy. Each rompus is an impus. Each impus is not liquid. Impuses are jompuses. Each jompus is red. Each jompus is a vumpus. Vumpuses are mean. Every vumpus is a yumpus. Yumpuses are sweet. Each yumpus is a dumpus. Dumpuses are hot. Each dumpus is a tumpus. Each numpus is not dull. Each tumpus is large. Every tumpus is a zumpus. Each zumpus is dull. Each zumpus is a wumpus. Fae is a vumpus.", + "question": "Is the following statement true or false? Fae is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nImpus($x, bool) ::: Does x belong to Impus?\nLiquid($x, bool) ::: Is x liquid?\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nMean($x, bool) ::: Is x mean?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSweet($x, bool) ::: Is x sweet?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHot($x, bool) ::: Is x hot?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDull($x, bool) ::: Is x dull?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nVumpus(Fae, True)\n\nRules:\nRompus($x, True) >>> Earthy($x, False)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Liquid($x, False)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Red($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Mean($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sweet($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Hot($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\nNumpus($x, True) >>> Dull($x, False)\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nDull(Fae, False)" + ] + }, + { + "id": "ProntoQA_394", + "context": "Each rompus is luminous. Rompuses are dumpuses. Each dumpus is fruity. Dumpuses are tumpuses. Every tumpus is sweet. Tumpuses are impuses. Every impus is brown. Each impus is a numpus. Numpuses are cold. Numpuses are jompuses. Every jompus is nervous. Each jompus is a vumpus. Vumpuses are not dull. Yumpuses are dull. Vumpuses are wumpuses. Each wumpus is not amenable. Wumpuses are zumpuses. Fae is a tumpus.", + "question": "Is the following statement true or false? Fae is not dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nLuminous($x, bool) ::: Is x luminous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nSweet($x, bool) ::: Is x sweet?\nImpuses($x, bool) ::: Does x belong to Impuses?\nBrown($x, bool) ::: Is x brown?\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nJompus($x, bool) ::: Does x belong to Jompus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpuses(Fae, True)\n\nRules:\nRompus($x, True) >>> Luminous($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Sweet($x, True)\nTumpuses($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Brown($x, True)\nImpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Nervous($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, False)\nYumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Amenable($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nDull(Fae, False)" + ] + }, + { + "id": "ProntoQA_395", + "context": "Every jompus is not opaque. Jompuses are tumpuses. Tumpuses are not dull. Tumpuses are yumpuses. Every yumpus is sweet. Each impus is brown. Yumpuses are rompuses. Rompuses are not small. Each rompus is a dumpus. Every dumpus is metallic. Dumpuses are vumpuses. Vumpuses are fruity. Each vumpus is a numpus. Each numpus is not brown. Every numpus is a wumpus. Each wumpus is mean. Each wumpus is a zumpus. Wren is a yumpus.", + "question": "Is the following statement true or false? Wren is brown.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSweet($x, bool) ::: Is x sweet?\nImpus($x, bool) ::: Does x belong to Impus?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nYumpus(Wren, True)\n\nRules:\nJompus($x, True) >>> Opaque($x, False)\nJompus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Dull($x, False)\nTumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sweet($x, True)\nImpus($x, True) >>> Brown($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Metallic($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Fruity($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Brown($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nBrown(Wren, False)" + ] + }, + { + "id": "ProntoQA_396", + "context": "Every rompus is small. Each rompus is a wumpus. Each wumpus is fruity. Each wumpus is a dumpus. Dumpuses are opaque. Each dumpus is a jompus. Jompuses are temperate. Jompuses are vumpuses. Vumpuses are liquid. Vumpuses are numpuses. Numpuses are not bitter. Impuses are not happy. Each numpus is a tumpus. Tumpuses are happy. Tumpuses are zumpuses. Sally is a dumpus.", + "question": "Is the following statement true or false? Sally is happy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBitter($x, bool) ::: Is x bitter?\nImpuses($x, bool) ::: Does x belong to Impuses?\nHappy($x, bool) ::: Is x happy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nDumpus(Sally, True)\n\nRules:\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bitter($x, False)\nImpuses($x, True) >>> Happy($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Happy($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nHappy(Sally, True)" + ] + }, + { + "id": "ProntoQA_397", + "context": "Tumpuses are large. Tumpuses are yumpuses. Every yumpus is dull. Yumpuses are zumpuses. Each zumpus is opaque. Zumpuses are jompuses. Jompuses are wooden. Each jompus is a rompus. Rompuses are amenable. Rompuses are wumpuses. Vumpuses are fruity. Every wumpus is not fruity. Wumpuses are dumpuses. Every dumpus is cold. Every dumpus is an impus. Each impus is not spicy. Each impus is a numpus. Stella is a yumpus.", + "question": "Is the following statement true or false? Stella is fruity.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nAmenable($x, bool) ::: Is x amenable?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nImpus($x, bool) ::: Does x belong to Impus?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nYumpus(Stella, True)\n\nRules:\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Dull($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Wooden($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Amenable($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nVumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Fruity($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Spicy($x, False)\nImpus($x, True) >>> Numpus($x, True)\n\nQuery:\nFruity(Stella, False)" + ] + }, + { + "id": "ProntoQA_398", + "context": "Each numpus is not spicy. Numpuses are jompuses. Every jompus is amenable. Jompuses are dumpuses. Each dumpus is blue. Yumpuses are opaque. Every dumpus is a vumpus. Each vumpus is cold. Every vumpus is a wumpus. Wumpuses are small. Each wumpus is a tumpus. Each tumpus is nervous. Every tumpus is an impus. Every impus is not dull. Each impus is a rompus. Rompuses are not opaque. Each rompus is a zumpus. Wren is a vumpus.", + "question": "Is the following statement true or false? Wren is opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nSpicy($x, bool) ::: Is x spicy?\nJompus($x, bool) ::: Does x belong to Jompus?\nAmenable($x, bool) ::: Is x amenable?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBlue($x, bool) ::: Is x blue?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nImpus($x, bool) ::: Does x belong to Impus?\nDull($x, bool) ::: Is x dull?\nRompus($x, bool) ::: Does x belong to Rompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nVumpus(Wren, True)\n\nRules:\nNumpus($x, True) >>> Spicy($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Amenable($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Blue($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Zumpus($x, True)\n\nQuery:\nOpaque(Wren, False)" + ] + }, + { + "id": "ProntoQA_399", + "context": "Each wumpus is cold. Every wumpus is a jompus. Each jompus is not orange. Every jompus is a numpus. Numpuses are nervous. Every numpus is a vumpus. Each vumpus is amenable. Each vumpus is a dumpus. Each dumpus is not opaque. Dumpuses are yumpuses. Yumpuses are luminous. Every yumpus is a zumpus. Tumpuses are opaque. Each zumpus is earthy. Zumpuses are rompuses. Rompuses are not large. Rompuses are impuses. Polly is a wumpus.", + "question": "Is the following statement true or false? Polly is not opaque.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nCold($x, bool) ::: Is x cold?\nJompus($x, bool) ::: Does x belong to Jompus?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAmenable($x, bool) ::: Is x amenable?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLuminous($x, bool) ::: Is x luminous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nEarthy($x, bool) ::: Is x earthy?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nWumpus(Polly, True)\n\nRules:\nWumpus($x, True) >>> Cold($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Orange($x, False)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Amenable($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Luminous($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Earthy($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, False)\nRompus($x, True) >>> Impus($x, True)\n\nQuery:\nOpaque(Polly, False)" + ] + }, + { + "id": "ProntoQA_400", + "context": "Every vumpus is large. Every zumpus is happy. Vumpuses are rompuses. Rompuses are spicy. Rompuses are wumpuses. Wumpuses are mean. Each wumpus is a yumpus. Yumpuses are not brown. Yumpuses are jompuses. Each jompus is not cold. Each jompus is a numpus. Numpuses are not happy. Each numpus is a tumpus. Every tumpus is not earthy. Tumpuses are impuses. Each impus is dull. Impuses are dumpuses. Wren is a rompus.", + "question": "Is the following statement true or false? Wren is not happy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBrown($x, bool) ::: Is x brown?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nEarthy($x, bool) ::: Is x earthy?\nImpus($x, bool) ::: Does x belong to Impus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nRompus(Wren, True)\n\nRules:\nVumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Happy($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Brown($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, False)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Happy($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Earthy($x, False)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nHappy(Wren, False)" + ] + }, + { + "id": "ProntoQA_401", + "context": "Rompuses are temperate. Each rompus is a wumpus. Wumpuses are not small. Wumpuses are impuses. Each impus is not blue. Every zumpus is liquid. Impuses are numpuses. Each numpus is not transparent. Every numpus is a yumpus. Yumpuses are shy. Yumpuses are jompuses. Jompuses are not liquid. Every jompus is a dumpus. Dumpuses are spicy. Every dumpus is a tumpus. Sally is a wumpus.", + "question": "Is the following statement true or false? Sally is not liquid.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nImpus($x, bool) ::: Does x belong to Impus?\nBlue($x, bool) ::: Is x blue?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLiquid($x, bool) ::: Is x liquid?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nShy($x, bool) ::: Is x shy?\nJompus($x, bool) ::: Does x belong to Jompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSpicy($x, bool) ::: Is x spicy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nWumpus(Sally, True)\n\nRules:\nRompus($x, True) >>> Temperate($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Blue($x, False)\nZumpus($x, True) >>> Liquid($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Shy($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Liquid($x, False)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Spicy($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nLiquid(Sally, False)" + ] + }, + { + "id": "ProntoQA_402", + "context": "Each wumpus is angry. Zumpuses are not bright. Each zumpus is a jompus. Jompuses are large. Jompuses are yumpuses. Yumpuses are liquid. Yumpuses are impuses. Each impus is hot. Each impus is a vumpus. Vumpuses are orange. Each vumpus is a rompus. Every rompus is not spicy. Each rompus is a numpus. Numpuses are not angry. Every numpus is a tumpus. Each tumpus is not shy. Tumpuses are dumpuses. Stella is a yumpus.", + "question": "Is the following statement true or false? Stella is not angry.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAngry($x, bool) ::: Is x angry?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLiquid($x, bool) ::: Is x liquid?\nImpus($x, bool) ::: Does x belong to Impus?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOrange($x, bool) ::: Is x orange?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nShy($x, bool) ::: Is x shy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nYumpus(Stella, True)\n\nRules:\nWumpus($x, True) >>> Angry($x, True)\nZumpus($x, True) >>> Bright($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Liquid($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Orange($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, False)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Angry($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Shy($x, False)\nTumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nAngry(Stella, False)" + ] + }, + { + "id": "ProntoQA_403", + "context": "Each vumpus is sour. Vumpuses are wumpuses. Wumpuses are opaque. Wumpuses are yumpuses. Yumpuses are angry. Each yumpus is a tumpus. Tumpuses are earthy. Tumpuses are rompuses. Each rompus is not wooden. Every rompus is a zumpus. Zumpuses are not bright. Every zumpus is a jompus. Each jompus is blue. Each jompus is an impus. Every dumpus is wooden. Every impus is not large. Every impus is a numpus. Alex is a vumpus.", + "question": "Is the following statement true or false? Alex is wooden.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAngry($x, bool) ::: Is x angry?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nEarthy($x, bool) ::: Is x earthy?\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nBlue($x, bool) ::: Is x blue?\nImpus($x, bool) ::: Does x belong to Impus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpus(Alex, True)\n\nRules:\nVumpus($x, True) >>> Sour($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Opaque($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Angry($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Earthy($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Wooden($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bright($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Blue($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, False)\nImpus($x, True) >>> Numpus($x, True)\nDumpus($x, True) >>> Wooden($x, True)\n\nQuery:\nWooden(Alex, False)" + ] + }, + { + "id": "ProntoQA_404", + "context": "Each yumpus is not orange. Yumpuses are tumpuses. Tumpuses are cold. Every tumpus is an impus. Each impus is spicy. Impuses are dumpuses. Every jompus is not happy. Dumpuses are not small. Dumpuses are wumpuses. Wumpuses are earthy. Wumpuses are vumpuses. Vumpuses are transparent. Each vumpus is a zumpus. Each zumpus is happy. Zumpuses are rompuses. Fae is an impus.", + "question": "Is the following statement true or false? Fae is not happy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOrange($x, bool) ::: Is x orange?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nCold($x, bool) ::: Is x cold?\nImpus($x, bool) ::: Does x belong to Impus?\nSpicy($x, bool) ::: Is x spicy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHappy($x, bool) ::: Is x happy?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nImpus(Fae, True)\n\nRules:\nYumpus($x, True) >>> Orange($x, False)\nYumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Spicy($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Happy($x, False)\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Earthy($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Happy($x, True)\nZumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nHappy(Fae, False)" + ] + }, + { + "id": "ProntoQA_405", + "context": "Each wumpus is wooden. Each wumpus is a tumpus. Every tumpus is feisty. Tumpuses are impuses. Impuses are orange. Each impus is a yumpus. Each yumpus is not bitter. Yumpuses are rompuses. Each rompus is not dull. Each rompus is a jompus. Each jompus is not floral. Jompuses are numpuses. Every numpus is kind. Numpuses are dumpuses. Dumpuses are transparent. Each zumpus is dull. Every dumpus is a vumpus. Wren is a wumpus.", + "question": "Is the following statement true or false? Wren is not dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFeisty($x, bool) ::: Is x feisty?\nImpus($x, bool) ::: Does x belong to Impus?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nWumpus(Wren, True)\n\nRules:\nWumpus($x, True) >>> Wooden($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Feisty($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Orange($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bitter($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, False)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nDull(Wren, False)" + ] + }, + { + "id": "ProntoQA_406", + "context": "Every impus is dull. Each impus is a tumpus. Tumpuses are feisty. Each tumpus is a yumpus. Yumpuses are luminous. Every yumpus is a zumpus. Each zumpus is brown. Zumpuses are rompuses. Rompuses are cold. Every rompus is a numpus. Every dumpus is not cold. Each numpus is transparent. Every numpus is a jompus. Every jompus is earthy. Jompuses are vumpuses. Every vumpus is aggressive. Each vumpus is a wumpus. Sally is an impus.", + "question": "Is the following statement true or false? Sally is cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nDull($x, bool) ::: Is x dull?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLuminous($x, bool) ::: Is x luminous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAggressive($x, bool) ::: Is x aggressive?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nImpus(Sally, True)\n\nRules:\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Feisty($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Luminous($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, True)\nRompus($x, True) >>> Numpus($x, True)\nDumpus($x, True) >>> Cold($x, False)\nNumpus($x, True) >>> Transparent($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Aggressive($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nCold(Sally, True)" + ] + }, + { + "id": "ProntoQA_407", + "context": "Each impus is earthy. Zumpuses are happy. Impuses are yumpuses. Each yumpus is transparent. Yumpuses are vumpuses. Every vumpus is not spicy. Every vumpus is a numpus. Numpuses are large. Every numpus is a rompus. Each rompus is not hot. Every rompus is a dumpus. Every dumpus is not happy. Every dumpus is a wumpus. Wumpuses are not red. Each wumpus is a jompus. Jompuses are kind. Every jompus is a tumpus. Max is a yumpus.", + "question": "Is the following statement true or false? Max is not happy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nYumpus(Max, True)\n\nRules:\nImpus($x, True) >>> Earthy($x, True)\nZumpus($x, True) >>> Happy($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Spicy($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Hot($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Happy($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, False)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Kind($x, True)\nJompus($x, True) >>> Tumpus($x, True)\n\nQuery:\nHappy(Max, False)" + ] + }, + { + "id": "ProntoQA_408", + "context": "Every yumpus is happy. Each yumpus is a jompus. Each jompus is sour. Each jompus is a rompus. Rompuses are large. Each wumpus is mean. Every rompus is a zumpus. Zumpuses are opaque. Zumpuses are impuses. Impuses are blue. Impuses are vumpuses. Vumpuses are not mean. Vumpuses are tumpuses. Tumpuses are wooden. Each tumpus is a numpus. Numpuses are not bright. Every numpus is a dumpus. Sally is a jompus.", + "question": "Is the following statement true or false? Sally is mean.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHappy($x, bool) ::: Is x happy?\nJompus($x, bool) ::: Does x belong to Jompus?\nSour($x, bool) ::: Is x sour?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpuses($x, bool) ::: Does x belong to Impuses?\nBlue($x, bool) ::: Is x blue?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nWooden($x, bool) ::: Is x wooden?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nJompus(Sally, True)\n\nRules:\nYumpus($x, True) >>> Happy($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Sour($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nWumpus($x, True) >>> Mean($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Blue($x, True)\nImpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Mean($x, False)\nVumpuses($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Wooden($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nMean(Sally, True)" + ] + }, + { + "id": "ProntoQA_409", + "context": "Every rompus is bright. Rompuses are zumpuses. Zumpuses are not blue. Zumpuses are jompuses. Jompuses are not opaque. Jompuses are numpuses. Numpuses are small. Numpuses are yumpuses. Each yumpus is feisty. Each yumpus is a wumpus. Every dumpus is not cold. Wumpuses are cold. Wumpuses are vumpuses. Stella is a zumpus.", + "question": "Is the following statement true or false? Stella is cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFeisty($x, bool) ::: Is x feisty?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nZumpus(Stella, True)\n\nRules:\nRompus($x, True) >>> Bright($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Blue($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Opaque($x, False)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Feisty($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nDumpus($x, True) >>> Cold($x, False)\nWumpus($x, True) >>> Cold($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nCold(Stella, True)" + ] + }, + { + "id": "ProntoQA_410", + "context": "Every vumpus is transparent. Each vumpus is a tumpus. Every tumpus is not cold. Tumpuses are rompuses. Each rompus is not amenable. Rompuses are jompuses. Every jompus is not large. Jompuses are impuses. Impuses are metallic. Impuses are zumpuses. Zumpuses are sweet. Each zumpus is a dumpus. Every dumpus is orange. Numpuses are not sweet. Dumpuses are yumpuses. Sam is a tumpus.", + "question": "Is the following statement true or false? Sam is not sweet.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nRompus($x, bool) ::: Does x belong to Rompus?\nAmenable($x, bool) ::: Is x amenable?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nMetallic($x, bool) ::: Is x metallic?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSweet($x, bool) ::: Is x sweet?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nTumpus(Sam, True)\n\nRules:\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Amenable($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Metallic($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sweet($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Orange($x, True)\nNumpus($x, True) >>> Sweet($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nSweet(Sam, False)" + ] + }, + { + "id": "ProntoQA_411", + "context": "Each rompus is kind. Rompuses are wumpuses. Every wumpus is large. Numpuses are not bright. Every wumpus is an impus. Each impus is spicy. Each impus is a vumpus. Each vumpus is liquid. Every vumpus is a yumpus. Yumpuses are not floral. Each yumpus is a jompus. Jompuses are bright. Jompuses are dumpuses. Dumpuses are transparent. Each dumpus is a zumpus. Every zumpus is cold. Zumpuses are tumpuses. Stella is a wumpus.", + "question": "Is the following statement true or false? Stella is bright.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nSpicy($x, bool) ::: Is x spicy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nJompus($x, bool) ::: Does x belong to Jompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nWumpus(Stella, True)\n\nRules:\nRompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Bright($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Spicy($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nBright(Stella, True)" + ] + }, + { + "id": "ProntoQA_412", + "context": "Each vumpus is transparent. Every vumpus is an impus. Each impus is red. Every impus is a zumpus. Zumpuses are mean. Every zumpus is a numpus. Each numpus is not hot. Numpuses are tumpuses. Each tumpus is not happy. Each jompus is happy. Tumpuses are rompuses. Max is a vumpus.", + "question": "Is the following statement true or false? Max is happy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nImpus($x, bool) ::: Does x belong to Impus?\nRed($x, bool) ::: Is x red?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMean($x, bool) ::: Is x mean?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHappy($x, bool) ::: Is x happy?\nJompus($x, bool) ::: Does x belong to Jompus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nVumpus(Max, True)\n\nRules:\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Red($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Mean($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, False)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Happy($x, False)\nJompus($x, True) >>> Happy($x, True)\nTumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nHappy(Max, False)" + ] + }, + { + "id": "ProntoQA_413", + "context": "Wumpuses are dull. Wumpuses are vumpuses. Every vumpus is metallic. Vumpuses are rompuses. Every rompus is not aggressive. Every rompus is a tumpus. Tumpuses are nervous. Every tumpus is a dumpus. Each dumpus is spicy. Every dumpus is a yumpus. Yumpuses are transparent. Every yumpus is a numpus. Each numpus is not small. Each numpus is a zumpus. Every zumpus is not brown. Each zumpus is an impus. Jompuses are small. Rex is a rompus.", + "question": "Is the following statement true or false? Rex is small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nAggressive($x, bool) ::: Is x aggressive?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nImpus($x, bool) ::: Does x belong to Impus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nRompus(Rex, True)\n\nRules:\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Metallic($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Aggressive($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Spicy($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, False)\nZumpus($x, True) >>> Impus($x, True)\nJompus($x, True) >>> Small($x, True)\n\nQuery:\nSmall(Rex, False)" + ] + }, + { + "id": "ProntoQA_414", + "context": "Every wumpus is red. Wumpuses are tumpuses. Every rompus is not dull. Each tumpus is not sour. Tumpuses are jompuses. Jompuses are temperate. Jompuses are yumpuses. Each yumpus is nervous. Yumpuses are dumpuses. Dumpuses are not opaque. Dumpuses are impuses. Each impus is dull. Every impus is a vumpus. Every vumpus is earthy. Vumpuses are numpuses. Every numpus is large. Numpuses are zumpuses. Sally is a tumpus.", + "question": "Is the following statement true or false? Sally is not dull.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\nTemperate($x, bool) ::: Is x temperate?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nEarthy($x, bool) ::: Is x earthy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpus(Sally, True)\n\nRules:\nWumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\nRompus($x, True) >>> Dull($x, False)\nTumpus($x, True) >>> Sour($x, False)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Temperate($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, False)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Earthy($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nDull(Sally, False)" + ] + }, + { + "id": "ProntoQA_415", + "context": "Every yumpus is feisty. Yumpuses are numpuses. Every numpus is not mean. Numpuses are tumpuses. Tumpuses are fruity. Tumpuses are rompuses. Each rompus is cold. Every rompus is a zumpus. Every zumpus is not dull. Zumpuses are impuses. Impuses are metallic. Every impus is a jompus. Wumpuses are red. Jompuses are small. Jompuses are vumpuses. Vumpuses are not red. Vumpuses are dumpuses. Alex is a rompus.", + "question": "Is the following statement true or false? Alex is red.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFeisty($x, bool) ::: Is x feisty?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nFruity($x, bool) ::: Is x fruity?\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nImpuses($x, bool) ::: Does x belong to Impuses?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nRompus(Alex, True)\n\nRules:\nYumpus($x, True) >>> Feisty($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Mean($x, False)\nNumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Fruity($x, True)\nTumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Cold($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, False)\nZumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Metallic($x, True)\nImpuses($x, True) >>> Jompus($x, True)\nWumpus($x, True) >>> Red($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Red($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nRed(Alex, False)" + ] + }, + { + "id": "ProntoQA_416", + "context": "Zumpuses are hot. Zumpuses are wumpuses. Wumpuses are fruity. Wumpuses are numpuses. Numpuses are not wooden. Numpuses are jompuses. Each jompus is not large. Jompuses are tumpuses. Tumpuses are opaque. Tumpuses are yumpuses. Each rompus is not opaque. Yumpuses are bitter. Yumpuses are dumpuses. Polly is a zumpus.", + "question": "Is the following statement true or false? Polly is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nHot($x, bool) ::: Is x hot?\nWooden($x, bool) ::: Is x wooden?\nLarge($x, bool) ::: Is x large?\nOpaque($x, bool) ::: Is x opaque?\nBitter($x, bool) ::: Is x bitter?\n\nFacts:\nZumpus(Polly, True)\n\nRules:\nZumpus($x, True) >>> Hot($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Wooden($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, False)\nJompus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Opaque($x, True)\nTumpuses($x, True) >>> Yumpus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nYumpus($x, True) >>> Bitter($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nOpaque(Polly, False)" + ] + }, + { + "id": "ProntoQA_417", + "context": "Every tumpus is orange. Tumpuses are vumpuses. Each vumpus is not small. Vumpuses are wumpuses. Wumpuses are transparent. Wumpuses are zumpuses. Each zumpus is dull. Every zumpus is a jompus. Every rompus is metallic. Each jompus is floral. Every jompus is a yumpus. Yumpuses are not metallic. Yumpuses are dumpuses. Each dumpus is not cold. Each dumpus is a numpus. Numpuses are shy. Numpuses are impuses. Polly is a vumpus.", + "question": "Is the following statement true or false? Polly is not metallic.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOrange($x, bool) ::: Is x orange?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nMetallic($x, bool) ::: Is x metallic?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nShy($x, bool) ::: Is x shy?\nImpus($x, bool) ::: Does x belong to Impus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nVumpus(Polly, True)\n\nRules:\nTumpus($x, True) >>> Orange($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, False)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nRompus($x, True) >>> Metallic($x, True)\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Metallic($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, False)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Shy($x, True)\nNumpus($x, True) >>> Impus($x, True)\n\nQuery:\nMetallic(Polly, False)" + ] + }, + { + "id": "ProntoQA_418", + "context": "Tumpuses are large. Every tumpus is a jompus. Each jompus is transparent. Every jompus is a wumpus. Each wumpus is not metallic. Every wumpus is a numpus. Numpuses are aggressive. Numpuses are dumpuses. Every rompus is not red. Dumpuses are red. Dumpuses are impuses. Impuses are bright. Each impus is a vumpus. Each vumpus is earthy. Vumpuses are yumpuses. Each yumpus is sweet. Each yumpus is a zumpus. Alex is a tumpus.", + "question": "Is the following statement true or false? Alex is not red.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nLarge($x, bool) ::: Is x large?\nTransparent($x, bool) ::: Is x transparent?\nMetallic($x, bool) ::: Is x metallic?\nAggressive($x, bool) ::: Is x aggressive?\nRed($x, bool) ::: Is x red?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nEarthy($x, bool) ::: Is x earthy?\nSweet($x, bool) ::: Is x sweet?\n\nFacts:\nTumpuses(Alex, True)\n\nRules:\nTumpuses($x, True) >>> Large($x, True)\nTumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Metallic($x, False)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Aggressive($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nRompus($x, True) >>> Red($x, False)\nDumpus($x, True) >>> Red($x, True)\nDumpus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Earthy($x, True)\nVumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sweet($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nRed(Alex, False)" + ] + }, + { + "id": "ProntoQA_419", + "context": "Each dumpus is not orange. Every dumpus is a tumpus. Tumpuses are floral. Tumpuses are rompuses. Rompuses are luminous. Each rompus is a yumpus. Each vumpus is small. Yumpuses are not cold. Each yumpus is a zumpus. Every zumpus is opaque. Zumpuses are jompuses. Jompuses are nervous. Each jompus is an impus. Impuses are not small. Each impus is a wumpus. Each wumpus is angry. Wumpuses are numpuses. Wren is a rompus.", + "question": "Is the following statement true or false? Wren is not small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOrange($x, bool) ::: Is x orange?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nNervous($x, bool) ::: Is x nervous?\nImpus($x, bool) ::: Does x belong to Impus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAngry($x, bool) ::: Is x angry?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nRompus(Wren, True)\n\nRules:\nDumpus($x, True) >>> Orange($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Floral($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Luminous($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nVumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Cold($x, False)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Nervous($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, False)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Angry($x, True)\nWumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nSmall(Wren, False)" + ] + }, + { + "id": "ProntoQA_420", + "context": "Every impus is bright. Every impus is a dumpus. Dumpuses are happy. Dumpuses are yumpuses. Every yumpus is not sour. Yumpuses are numpuses. Every numpus is mean. Numpuses are tumpuses. Every tumpus is hot. Tumpuses are wumpuses. Wumpuses are metallic. Every wumpus is a jompus. Rompuses are not opaque. Each jompus is opaque. Jompuses are zumpuses. Each zumpus is blue. Zumpuses are vumpuses. Rex is a yumpus.", + "question": "Is the following statement true or false? Rex is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nHappy($x, bool) ::: Is x happy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHot($x, bool) ::: Is x hot?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBlue($x, bool) ::: Is x blue?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nYumpus(Rex, True)\n\nRules:\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Happy($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sour($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Mean($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Hot($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Metallic($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nJompus($x, True) >>> Opaque($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Blue($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nOpaque(Rex, False)" + ] + }, + { + "id": "ProntoQA_421", + "context": "Every numpus is not transparent. Every numpus is a wumpus. Every wumpus is not hot. Every wumpus is an impus. Each impus is liquid. Impuses are tumpuses. Tumpuses are brown. Tumpuses are jompuses. Jompuses are not spicy. Jompuses are dumpuses. Dumpuses are kind. Dumpuses are rompuses. Each rompus is not floral. Every rompus is a yumpus. Yumpuses are not nervous. Each zumpus is nervous. Each yumpus is a vumpus. Alex is a tumpus.", + "question": "Is the following statement true or false? Alex is nervous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nLiquid($x, bool) ::: Is x liquid?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nBrown($x, bool) ::: Is x brown?\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nTumpuses(Alex, True)\n\nRules:\nNumpus($x, True) >>> Transparent($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Hot($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Liquid($x, True)\nImpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Brown($x, True)\nTumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, False)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Kind($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, False)\nZumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nNervous(Alex, False)" + ] + }, + { + "id": "ProntoQA_422", + "context": "Every wumpus is small. Wumpuses are yumpuses. Yumpuses are spicy. Every yumpus is a jompus. Jompuses are hot. Jompuses are tumpuses. Tumpuses are transparent. Impuses are not happy. Tumpuses are rompuses. Every rompus is kind. Each rompus is a numpus. Numpuses are earthy. Each numpus is a zumpus. Zumpuses are wooden. Zumpuses are dumpuses. Dumpuses are happy. Dumpuses are vumpuses. Fae is a tumpus.", + "question": "Is the following statement true or false? Fae is not happy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSpicy($x, bool) ::: Is x spicy?\nJompus($x, bool) ::: Does x belong to Jompus?\nHot($x, bool) ::: Is x hot?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nTransparent($x, bool) ::: Is x transparent?\nImpuses($x, bool) ::: Does x belong to Impuses?\nHappy($x, bool) ::: Is x happy?\nRompus($x, bool) ::: Does x belong to Rompus?\nKind($x, bool) ::: Is x kind?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWooden($x, bool) ::: Is x wooden?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\n\nFacts:\nTumpuses(Fae, True)\n\nRules:\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, True)\nJompus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Transparent($x, True)\nImpuses($x, True) >>> Happy($x, False)\nTumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Wooden($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Happy($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nHappy(Fae, False)" + ] + }, + { + "id": "ProntoQA_423", + "context": "Each rompus is not cold. Rompuses are wumpuses. Zumpuses are not transparent. Wumpuses are orange. Every wumpus is a yumpus. Each yumpus is not fruity. Yumpuses are numpuses. Numpuses are sour. Numpuses are jompuses. Each jompus is transparent. Jompuses are tumpuses. Tumpuses are liquid. Every tumpus is a dumpus. Dumpuses are angry. Dumpuses are vumpuses. Vumpuses are shy. Vumpuses are impuses. Wren is a rompus.", + "question": "Is the following statement true or false? Wren is not transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nCold($x, bool) ::: Is x cold?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAngry($x, bool) ::: Is x angry?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nShy($x, bool) ::: Is x shy?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nRompus(Wren, True)\n\nRules:\nRompus($x, True) >>> Cold($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nZumpus($x, True) >>> Transparent($x, False)\nWumpus($x, True) >>> Orange($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sour($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Liquid($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Angry($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Shy($x, True)\nVumpus($x, True) >>> Impus($x, True)\n\nQuery:\nTransparent(Wren, False)" + ] + }, + { + "id": "ProntoQA_424", + "context": "Vumpuses are not nervous. Every vumpus is a jompus. Each jompus is fruity. Jompuses are rompuses. Each rompus is wooden. Each rompus is an impus. Wumpuses are mean. Impuses are transparent. Each impus is a numpus. Numpuses are not orange. Every numpus is a zumpus. Zumpuses are cold. Zumpuses are yumpuses. Each yumpus is not mean. Every yumpus is a tumpus. Polly is a rompus.", + "question": "Is the following statement true or false? Polly is not mean.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\nFruity($x, bool) ::: Is x fruity?\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nImpus($x, bool) ::: Does x belong to Impus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOrange($x, bool) ::: Is x orange?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nRompus(Polly, True)\n\nRules:\nVumpus($x, True) >>> Nervous($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Fruity($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Wooden($x, True)\nRompus($x, True) >>> Impus($x, True)\nWumpus($x, True) >>> Mean($x, True)\nImpus($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Orange($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Mean($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nMean(Polly, False)" + ] + }, + { + "id": "ProntoQA_425", + "context": "Impuses are shy. Impuses are rompuses. Each rompus is temperate. Rompuses are vumpuses. Vumpuses are dull. Every vumpus is a wumpus. Each wumpus is not fruity. Every wumpus is a zumpus. Each zumpus is not wooden. Every zumpus is a yumpus. Each yumpus is red. Every tumpus is not opaque. Every yumpus is a numpus. Each numpus is opaque. Every numpus is a jompus. Jompuses are small. Every jompus is a dumpus. Wren is a vumpus.", + "question": "Is the following statement true or false? Wren is not opaque.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nShy($x, bool) ::: Is x shy?\nRompus($x, bool) ::: Does x belong to Rompus?\nTemperate($x, bool) ::: Is x temperate?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRed($x, bool) ::: Is x red?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpuses(Wren, True)\n\nRules:\nImpuses($x, True) >>> Shy($x, True)\nImpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Temperate($x, True)\nRompus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Dull($x, True)\nVumpuses($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Wooden($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Red($x, True)\nTumpus($x, True) >>> Opaque($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Small($x, True)\nJompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nOpaque(Wren, False)" + ] + }, + { + "id": "ProntoQA_426", + "context": "Vumpuses are not bitter. Every vumpus is a rompus. Every rompus is temperate. Rompuses are zumpuses. Each zumpus is not large. Each zumpus is a jompus. Each jompus is not bright. Jompuses are tumpuses. Each tumpus is orange. Tumpuses are yumpuses. Yumpuses are feisty. Every yumpus is a wumpus. Wumpuses are transparent. Each wumpus is an impus. Every impus is not floral. Numpuses are floral. Impuses are dumpuses. Wren is a jompus.", + "question": "Is the following statement true or false? Wren is floral.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBitter($x, bool) ::: Is x bitter?\nTemperate($x, bool) ::: Is x temperate?\nLarge($x, bool) ::: Is x large?\nBright($x, bool) ::: Is x bright?\nFeisty($x, bool) ::: Is x feisty?\nFloral($x, bool) ::: Is x floral?\n\nFacts:\nJompus(Wren, True)\n\nRules:\nVumpuses($x, True) >>> Bitter($x, False)\nVumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Temperate($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, False)\nJompus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Orange($x, True)\nTumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Feisty($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Impuses($x, True)\nImpus($x, True) >>> Floral($x, False)\nNumpus($x, True) >>> Floral($x, True)\nImpuses($x, True) >>> Dumpus($x, True)\n\nQuery:\nFloral(Wren, True)" + ] + }, + { + "id": "ProntoQA_427", + "context": "Jompuses are bright. Jompuses are vumpuses. Each vumpus is cold. Vumpuses are dumpuses. Dumpuses are mean. Dumpuses are rompuses. Each rompus is spicy. Rompuses are impuses. Impuses are not earthy. Every impus is a yumpus. Each numpus is not small. Yumpuses are not metallic. Yumpuses are tumpuses. Tumpuses are small. Tumpuses are zumpuses. Zumpuses are opaque. Zumpuses are wumpuses. Alex is a dumpus.", + "question": "Is the following statement true or false? Alex is small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMean($x, bool) ::: Is x mean?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nEarthy($x, bool) ::: Is x earthy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nMetallic($x, bool) ::: Is x metallic?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nDumpus(Alex, True)\n\nRules:\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Mean($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Earthy($x, False)\nImpus($x, True) >>> Yumpus($x, True)\nNumpus($x, True) >>> Small($x, False)\nYumpus($x, True) >>> Metallic($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Small($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\n\nQuery:\nSmall(Alex, True)" + ] + }, + { + "id": "ProntoQA_428", + "context": "Jompuses are feisty. Yumpuses are sour. Each yumpus is a rompus. Every rompus is dull. Every rompus is a wumpus. Every wumpus is small. Wumpuses are numpuses. Every numpus is metallic. Numpuses are tumpuses. Each tumpus is not feisty. Tumpuses are zumpuses. Zumpuses are fruity. Every zumpus is a vumpus. Vumpuses are angry. Vumpuses are dumpuses. Each dumpus is cold. Dumpuses are impuses. Rex is a yumpus.", + "question": "Is the following statement true or false? Rex is not feisty.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSour($x, bool) ::: Is x sour?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMetallic($x, bool) ::: Is x metallic?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAngry($x, bool) ::: Is x angry?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nYumpus(Rex, True)\n\nRules:\nJompus($x, True) >>> Feisty($x, True)\nYumpus($x, True) >>> Sour($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Metallic($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Feisty($x, False)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Angry($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Impus($x, True)\n\nQuery:\nFeisty(Rex, False)" + ] + }, + { + "id": "ProntoQA_429", + "context": "Every tumpus is earthy. Each tumpus is a jompus. Every jompus is spicy. Jompuses are impuses. Impuses are red. Each impus is a rompus. Numpuses are not shy. Every rompus is not amenable. Rompuses are zumpuses. Zumpuses are cold. Zumpuses are vumpuses. Vumpuses are metallic. Vumpuses are wumpuses. Wumpuses are shy. Wumpuses are yumpuses. Yumpuses are small. Yumpuses are dumpuses. Wren is an impus.", + "question": "Is the following statement true or false? Wren is not shy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nEarthy($x, bool) ::: Is x earthy?\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nShy($x, bool) ::: Is x shy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nImpus(Wren, True)\n\nRules:\nTumpus($x, True) >>> Earthy($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Red($x, True)\nImpus($x, True) >>> Rompus($x, True)\nNumpus($x, True) >>> Shy($x, False)\nRompus($x, True) >>> Amenable($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Metallic($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Shy($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nShy(Wren, False)" + ] + }, + { + "id": "ProntoQA_430", + "context": "Zumpuses are transparent. Every zumpus is a tumpus. Each vumpus is shy. Tumpuses are red. Tumpuses are numpuses. Each numpus is floral. Each numpus is a yumpus. Yumpuses are not bright. Yumpuses are jompuses. Jompuses are mean. Jompuses are rompuses. Each rompus is not shy. Each rompus is an impus. Impuses are small. Impuses are wumpuses. Wumpuses are luminous. Wumpuses are dumpuses. Wren is a tumpus.", + "question": "Is the following statement true or false? Wren is not shy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nShy($x, bool) ::: Is x shy?\nRed($x, bool) ::: Is x red?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nMean($x, bool) ::: Is x mean?\nRompus($x, bool) ::: Does x belong to Rompus?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLuminous($x, bool) ::: Is x luminous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nTumpus(Wren, True)\n\nRules:\nZumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nVumpus($x, True) >>> Shy($x, True)\nTumpus($x, True) >>> Red($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Floral($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Mean($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Shy($x, False)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Luminous($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nShy(Wren, False)" + ] + }, + { + "id": "ProntoQA_431", + "context": "Impuses are transparent. Each impus is a jompus. Jompuses are not spicy. Jompuses are zumpuses. Every zumpus is hot. Each zumpus is a dumpus. Every dumpus is floral. Dumpuses are wumpuses. Wumpuses are liquid. Wumpuses are numpuses. Numpuses are not nervous. Each vumpus is not large. Every numpus is a rompus. Rompuses are large. Rompuses are yumpuses. Each yumpus is dull. Yumpuses are tumpuses. Rex is a zumpus.", + "question": "Is the following statement true or false? Rex is large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\n\nFacts:\nZumpus(Rex, True)\n\nRules:\nImpuses($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Hot($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, False)\nVumpus($x, True) >>> Large($x, False)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Dull($x, True)\nYumpus($x, True) >>> Tumpuses($x, True)\n\nQuery:\nLarge(Rex, True)" + ] + }, + { + "id": "ProntoQA_432", + "context": "Yumpuses are hot. Yumpuses are dumpuses. Each dumpus is not dull. Each wumpus is not red. Dumpuses are impuses. Each impus is large. Impuses are tumpuses. Every tumpus is amenable. Tumpuses are vumpuses. Vumpuses are red. Every vumpus is a jompus. Every jompus is happy. Every jompus is a numpus. Sally is a yumpus.", + "question": "Is the following statement true or false? Sally is not red.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nImpuses($x, bool) ::: Does x belong to Impuses?\nLarge($x, bool) ::: Is x large?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nAmenable($x, bool) ::: Is x amenable?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nJompus($x, bool) ::: Does x belong to Jompus?\nHappy($x, bool) ::: Is x happy?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nYumpus(Sally, True)\n\nRules:\nYumpus($x, True) >>> Hot($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Red($x, False)\nDumpus($x, True) >>> Impuses($x, True)\nImpus($x, True) >>> Large($x, True)\nImpuses($x, True) >>> Tumpuses($x, True)\nTumpus($x, True) >>> Amenable($x, True)\nTumpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Red($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Happy($x, True)\nJompus($x, True) >>> Numpus($x, True)\n\nQuery:\nRed(Sally, False)" + ] + }, + { + "id": "ProntoQA_433", + "context": "Yumpuses are floral. Yumpuses are dumpuses. Dumpuses are sweet. Every dumpus is a jompus. Each jompus is luminous. Jompuses are tumpuses. Tumpuses are blue. Every tumpus is a wumpus. Every wumpus is hot. Wumpuses are zumpuses. Every zumpus is large. Numpuses are not hot. Zumpuses are vumpuses. Vumpuses are not opaque. Every vumpus is a rompus. Each rompus is bright. Every rompus is an impus. Wren is a yumpus.", + "question": "Is the following statement true or false? Wren is not hot.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSweet($x, bool) ::: Is x sweet?\nJompus($x, bool) ::: Does x belong to Jompus?\nLuminous($x, bool) ::: Is x luminous?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBlue($x, bool) ::: Is x blue?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nHot($x, bool) ::: Is x hot?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nYumpus(Wren, True)\n\nRules:\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sweet($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Luminous($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Blue($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Hot($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Hot($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bright($x, True)\nRompus($x, True) >>> Impus($x, True)\n\nQuery:\nHot(Wren, False)" + ] + }, + { + "id": "ProntoQA_434", + "context": "Jompuses are earthy. Jompuses are wumpuses. Wumpuses are not liquid. Wumpuses are yumpuses. Every yumpus is orange. Impuses are not small. Each yumpus is a dumpus. Dumpuses are transparent. Dumpuses are tumpuses. Tumpuses are small. Each tumpus is a numpus. Every numpus is not bright. Numpuses are rompuses. Every rompus is angry. Rompuses are vumpuses. Vumpuses are nervous. Every vumpus is a zumpus. Max is a jompus.", + "question": "Is the following statement true or false? Max is small.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOrange($x, bool) ::: Is x orange?\nImpuses($x, bool) ::: Does x belong to Impuses?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nAngry($x, bool) ::: Is x angry?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nJompus(Max, True)\n\nRules:\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Orange($x, True)\nImpuses($x, True) >>> Small($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, True)\nDumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Small($x, True)\nTumpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, False)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Angry($x, True)\nRompus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Nervous($x, True)\nVumpuses($x, True) >>> Zumpus($x, True)\n\nQuery:\nSmall(Max, True)" + ] + }, + { + "id": "ProntoQA_435", + "context": "Every impus is happy. Each impus is a yumpus. Every yumpus is not floral. Wumpuses are opaque. Yumpuses are tumpuses. Each tumpus is liquid. Every tumpus is a jompus. Jompuses are not cold. Jompuses are dumpuses. Each dumpus is mean. Every dumpus is a rompus. Rompuses are not opaque. Every rompus is a zumpus. Every zumpus is dull. Zumpuses are numpuses. Numpuses are small. Numpuses are vumpuses. Rex is a yumpus.", + "question": "Is the following statement true or false? Rex is not opaque.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nHappy($x, bool) ::: Is x happy?\nFloral($x, bool) ::: Is x floral?\nOpaque($x, bool) ::: Is x opaque?\nSmall($x, bool) ::: Is x small?\n\nFacts:\nYumpus(Rex, True)\n\nRules:\nImpus($x, True) >>> Happy($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, False)\nWumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Liquid($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, False)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Mean($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nOpaque(Rex, False)" + ] + }, + { + "id": "ProntoQA_436", + "context": "Every impus is not wooden. Impuses are rompuses. Rompuses are dull. Rompuses are jompuses. Every jompus is hot. Jompuses are vumpuses. Vumpuses are brown. Vumpuses are dumpuses. Each dumpus is not small. Dumpuses are yumpuses. Tumpuses are not floral. Every yumpus is floral. Each yumpus is a zumpus. Zumpuses are not happy. Every zumpus is a wumpus. Every wumpus is not mean. Wumpuses are numpuses. Max is a rompus.", + "question": "Is the following statement true or false? Max is floral.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpus($x, bool) ::: Does x belong to Impus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nHappy($x, bool) ::: Is x happy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nRompus(Max, True)\n\nRules:\nImpus($x, True) >>> Wooden($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Brown($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nTumpus($x, True) >>> Floral($x, False)\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Happy($x, False)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, False)\nWumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nFloral(Max, True)" + ] + }, + { + "id": "ProntoQA_437", + "context": "Every tumpus is cold. Tumpuses are impuses. Impuses are bright. Impuses are yumpuses. Yumpuses are spicy. Every rompus is earthy. Each yumpus is a wumpus. Wumpuses are small. Wumpuses are jompuses. Jompuses are orange. Jompuses are vumpuses. Each vumpus is not earthy. Each vumpus is a dumpus. Fae is an impus.", + "question": "Is the following statement true or false? Fae is earthy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSpicy($x, bool) ::: Is x spicy?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nOrange($x, bool) ::: Is x orange?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nImpus(Fae, True)\n\nRules:\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Earthy($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Orange($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Earthy($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nEarthy(Fae, False)" + ] + }, + { + "id": "ProntoQA_438", + "context": "Zumpuses are cold. Every tumpus is small. Zumpuses are wumpuses. Wumpuses are orange. Wumpuses are dumpuses. Every dumpus is not sweet. Each dumpus is a vumpus. Each vumpus is liquid. Every vumpus is a numpus. Numpuses are floral. Numpuses are rompuses. Each rompus is happy. Rompuses are impuses. Impuses are not small. Impuses are yumpuses. Yumpuses are not dull. Yumpuses are jompuses. Sam is a dumpus.", + "question": "Is the following statement true or false? Sam is small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSmall($x, bool) ::: Is x small?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nHappy($x, bool) ::: Is x happy?\nImpus($x, bool) ::: Does x belong to Impus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nDumpus(Sam, True)\n\nRules:\nZumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Sweet($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, True)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Floral($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Happy($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, False)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Dull($x, False)\nYumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nSmall(Sam, True)" + ] + }, + { + "id": "ProntoQA_439", + "context": "Each tumpus is orange. Rompuses are not temperate. Rompuses are wumpuses. Wumpuses are fruity. Every wumpus is a yumpus. Yumpuses are happy. Yumpuses are vumpuses. Each vumpus is transparent. Each vumpus is a zumpus. Every zumpus is amenable. Every zumpus is a numpus. Every numpus is not orange. Numpuses are dumpuses. Each dumpus is metallic. Every dumpus is a jompus. Sally is a wumpus.", + "question": "Is the following statement true or false? Sally is not orange.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOrange($x, bool) ::: Is x orange?\nRompus($x, bool) ::: Does x belong to Rompus?\nTemperate($x, bool) ::: Is x temperate?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFruity($x, bool) ::: Is x fruity?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAmenable($x, bool) ::: Is x amenable?\nNumpus($x, bool) ::: Does x belong to Numpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nWumpus(Sally, True)\n\nRules:\nTumpus($x, True) >>> Orange($x, True)\nRompus($x, True) >>> Temperate($x, False)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Amenable($x, True)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Orange($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Metallic($x, True)\nDumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nOrange(Sally, False)" + ] + }, + { + "id": "ProntoQA_440", + "context": "Rompuses are fruity. Rompuses are wumpuses. Wumpuses are dull. Wumpuses are impuses. Every impus is wooden. Every impus is a vumpus. Every vumpus is not mean. Every vumpus is a jompus. Every jompus is large. Every jompus is a tumpus. Tumpuses are cold. Tumpuses are numpuses. Each numpus is not transparent. Every numpus is a yumpus. Yumpuses are nervous. Each yumpus is a dumpus. Every zumpus is not cold. Stella is a wumpus.", + "question": "Is the following statement true or false? Stella is cold.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nFruity($x, bool) ::: Is x fruity?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nWooden($x, bool) ::: Is x wooden?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nMean($x, bool) ::: Is x mean?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nWumpus(Stella, True)\n\nRules:\nRompus($x, True) >>> Fruity($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Wooden($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Mean($x, False)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Large($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nZumpus($x, True) >>> Cold($x, False)\n\nQuery:\nCold(Stella, True)" + ] + }, + { + "id": "ProntoQA_441", + "context": "Numpuses are aggressive. Yumpuses are small. Every numpus is an impus. Impuses are shy. Impuses are wumpuses. Wumpuses are red. Wumpuses are rompuses. Each rompus is earthy. Every rompus is a dumpus. Each dumpus is transparent. Dumpuses are vumpuses. Every vumpus is not small. Each vumpus is a tumpus. Tumpuses are metallic. Each tumpus is a zumpus. Zumpuses are dull. Each zumpus is a jompus. Fae is an impus.", + "question": "Is the following statement true or false? Fae is small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nAggressive($x, bool) ::: Is x aggressive?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nImpus($x, bool) ::: Does x belong to Impus?\nShy($x, bool) ::: Is x shy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nMetallic($x, bool) ::: Is x metallic?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nImpus(Fae, True)\n\nRules:\nNumpus($x, True) >>> Aggressive($x, True)\nYumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Shy($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Small($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Metallic($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nZumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nSmall(Fae, True)" + ] + }, + { + "id": "ProntoQA_442", + "context": "Each numpus is bright. Numpuses are yumpuses. Yumpuses are not kind. Each yumpus is an impus. Every impus is not luminous. Each impus is a vumpus. Each vumpus is transparent. Vumpuses are tumpuses. Tumpuses are not floral. Tumpuses are rompuses. Rompuses are not large. Rompuses are zumpuses. Wumpuses are large. Each zumpus is not cold. Zumpuses are dumpuses. Dumpuses are not shy. Every dumpus is a jompus. Alex is a yumpus.", + "question": "Is the following statement true or false? Alex is not large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nKind($x, bool) ::: Is x kind?\nImpus($x, bool) ::: Does x belong to Impus?\nLuminous($x, bool) ::: Is x luminous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nJompus($x, bool) ::: Does x belong to Jompus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nYumpus(Alex, True)\n\nRules:\nNumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Kind($x, False)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Luminous($x, False)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Floral($x, False)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, False)\nRompus($x, True) >>> Zumpus($x, True)\nWumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Cold($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, False)\nDumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nLarge(Alex, False)" + ] + }, + { + "id": "ProntoQA_443", + "context": "Numpuses are not metallic. Each yumpus is hot. Yumpuses are dumpuses. Dumpuses are not bright. Every dumpus is a rompus. Every rompus is spicy. Every rompus is a vumpus. Every vumpus is not fruity. Vumpuses are tumpuses. Tumpuses are large. Every tumpus is a wumpus. Every wumpus is not amenable. Every wumpus is a zumpus. Zumpuses are metallic. Every zumpus is an impus. Each impus is not transparent. Every impus is a jompus. Max is a rompus.", + "question": "Is the following statement true or false? Max is not metallic.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nMetallic($x, bool) ::: Is x metallic?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHot($x, bool) ::: Is x hot?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nRompus(Max, True)\n\nRules:\nNumpus($x, True) >>> Metallic($x, False)\nYumpus($x, True) >>> Hot($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Fruity($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Amenable($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Metallic($x, True)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, False)\nImpus($x, True) >>> Jompus($x, True)\n\nQuery:\nMetallic(Max, False)" + ] + }, + { + "id": "ProntoQA_444", + "context": "Every numpus is bright. Numpuses are zumpuses. Each zumpus is not fruity. Each zumpus is a yumpus. Each yumpus is bitter. Yumpuses are wumpuses. Every wumpus is feisty. Every wumpus is a dumpus. Each dumpus is angry. Each jompus is large. Each dumpus is a vumpus. Every vumpus is not temperate. Vumpuses are tumpuses. Tumpuses are transparent. Each tumpus is an impus. Each impus is not large. Impuses are rompuses. Alex is a wumpus.", + "question": "Is the following statement true or false? Alex is not large.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFeisty($x, bool) ::: Is x feisty?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAngry($x, bool) ::: Is x angry?\nJompus($x, bool) ::: Does x belong to Jompus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTemperate($x, bool) ::: Is x temperate?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nTransparent($x, bool) ::: Is x transparent?\nImpus($x, bool) ::: Does x belong to Impus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nWumpus(Alex, True)\n\nRules:\nNumpus($x, True) >>> Bright($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bitter($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Feisty($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Angry($x, True)\nJompus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Temperate($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Transparent($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Large($x, False)\nImpus($x, True) >>> Rompus($x, True)\n\nQuery:\nLarge(Alex, False)" + ] + }, + { + "id": "ProntoQA_445", + "context": "Yumpuses are transparent. Each yumpus is an impus. Every impus is not bright. Each impus is a zumpus. Zumpuses are not large. Zumpuses are jompuses. Every jompus is floral. Rompuses are not sour. Each jompus is a wumpus. Wumpuses are brown. Wumpuses are dumpuses. Every dumpus is not cold. Every dumpus is a vumpus. Every vumpus is not liquid. Vumpuses are numpuses. Each numpus is sour. Every numpus is a tumpus. Stella is a jompus.", + "question": "Is the following statement true or false? Stella is sour.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nRompus($x, bool) ::: Does x belong to Rompus?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nJompus(Stella, True)\n\nRules:\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nRompus($x, True) >>> Sour($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Brown($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Cold($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sour($x, True)\nNumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nSour(Stella, True)" + ] + }, + { + "id": "ProntoQA_446", + "context": "Yumpuses are not temperate. Yumpuses are dumpuses. Dumpuses are shy. Each dumpus is a numpus. Every numpus is floral. Numpuses are jompuses. Jompuses are not amenable. Each jompus is a zumpus. Wumpuses are transparent. Zumpuses are not transparent. Zumpuses are impuses. Impuses are brown. Impuses are vumpuses. Each vumpus is not sour. Each vumpus is a tumpus. Tumpuses are wooden. Every tumpus is a rompus. Alex is a yumpus.", + "question": "Is the following statement true or false? Alex is transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTemperate($x, bool) ::: Is x temperate?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nShy($x, bool) ::: Is x shy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFloral($x, bool) ::: Is x floral?\nJompus($x, bool) ::: Does x belong to Jompus?\nAmenable($x, bool) ::: Is x amenable?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nBrown($x, bool) ::: Is x brown?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSour($x, bool) ::: Is x sour?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nYumpus(Alex, True)\n\nRules:\nYumpus($x, True) >>> Temperate($x, False)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Floral($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Amenable($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nZumpus($x, True) >>> Transparent($x, False)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Brown($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Sour($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Wooden($x, True)\nTumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nTransparent(Alex, False)" + ] + }, + { + "id": "ProntoQA_447", + "context": "Each tumpus is blue. Each tumpus is an impus. Each impus is not sour. Each impus is a wumpus. Wumpuses are feisty. Every wumpus is a yumpus. Every yumpus is hot. Yumpuses are jompuses. Every jompus is not mean. Every jompus is a vumpus. Vumpuses are luminous. Every vumpus is a dumpus. Every zumpus is mean. Sally is a tumpus.", + "question": "Is the following statement true or false? Sally is mean.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBlue($x, bool) ::: Is x blue?\nImpus($x, bool) ::: Does x belong to Impus?\nSour($x, bool) ::: Is x sour?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHot($x, bool) ::: Is x hot?\nJompus($x, bool) ::: Does x belong to Jompus?\nMean($x, bool) ::: Is x mean?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLuminous($x, bool) ::: Is x luminous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpus(Sally, True)\n\nRules:\nTumpus($x, True) >>> Blue($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sour($x, False)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Feisty($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Hot($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Mean($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Luminous($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nZumpus($x, True) >>> Mean($x, True)\n\nQuery:\nMean(Sally, False)" + ] + }, + { + "id": "ProntoQA_448", + "context": "Vumpuses are feisty. Vumpuses are tumpuses. Tumpuses are not large. Tumpuses are zumpuses. Zumpuses are not luminous. Zumpuses are jompuses. Every jompus is not dull. Jompuses are yumpuses. Every yumpus is not earthy. Yumpuses are wumpuses. Rompuses are not red. Wumpuses are transparent. Wumpuses are numpuses. Each numpus is not aggressive. Numpuses are impuses. Every impus is red. Impuses are dumpuses. Wren is a jompus.", + "question": "Is the following statement true or false? Wren is not red.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLuminous($x, bool) ::: Is x luminous?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nEarthy($x, bool) ::: Is x earthy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nRed($x, bool) ::: Is x red?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAggressive($x, bool) ::: Is x aggressive?\nImpus($x, bool) ::: Does x belong to Impus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nJompus(Wren, True)\n\nRules:\nVumpus($x, True) >>> Feisty($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, False)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Luminous($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, False)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Earthy($x, False)\nYumpus($x, True) >>> Wumpus($x, True)\nRompus($x, True) >>> Red($x, False)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Aggressive($x, False)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Red($x, True)\nImpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nRed(Wren, False)" + ] + }, + { + "id": "ProntoQA_449", + "context": "Impuses are not angry. Every impus is a vumpus. Each vumpus is not happy. Each vumpus is a yumpus. Every jompus is metallic. Each yumpus is transparent. Every yumpus is a numpus. Each numpus is small. Numpuses are zumpuses. Every zumpus is sweet. Zumpuses are rompuses. Each rompus is orange. Every rompus is a tumpus. Every tumpus is cold. Tumpuses are wumpuses. Wumpuses are not metallic. Each wumpus is a dumpus. Max is a numpus.", + "question": "Is the following statement true or false? Max is metallic.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAngry($x, bool) ::: Is x angry?\nHappy($x, bool) ::: Is x happy?\nMetallic($x, bool) ::: Is x metallic?\nSmall($x, bool) ::: Is x small?\nSweet($x, bool) ::: Is x sweet?\n\nFacts:\nNumpus(Max, True)\n\nRules:\nImpuses($x, True) >>> Angry($x, False)\nImpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Happy($x, False)\nVumpuses($x, True) >>> Yumpus($x, True)\nJompus($x, True) >>> Metallic($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Small($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sweet($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Orange($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Metallic($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nMetallic(Max, False)" + ] + }, + { + "id": "ProntoQA_450", + "context": "Each vumpus is not bitter. Vumpuses are yumpuses. Yumpuses are floral. Yumpuses are jompuses. Jompuses are not dull. Every jompus is a tumpus. Each tumpus is happy. Each tumpus is a rompus. Rompuses are liquid. Rompuses are wumpuses. Every wumpus is mean. Wumpuses are zumpuses. Zumpuses are large. Zumpuses are dumpuses. Each dumpus is transparent. Every numpus is not transparent. Every dumpus is an impus. Stella is a tumpus.", + "question": "Is the following statement true or false? Stella is not transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFloral($x, bool) ::: Is x floral?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHappy($x, bool) ::: Is x happy?\nRompus($x, bool) ::: Does x belong to Rompus?\nLiquid($x, bool) ::: Is x liquid?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nTumpus(Stella, True)\n\nRules:\nVumpus($x, True) >>> Bitter($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Floral($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, False)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Happy($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Liquid($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, True)\nNumpus($x, True) >>> Transparent($x, False)\nDumpus($x, True) >>> Impus($x, True)\n\nQuery:\nTransparent(Stella, False)" + ] + }, + { + "id": "ProntoQA_451", + "context": "Yumpuses are not dull. Vumpuses are angry. Each yumpus is a wumpus. Wumpuses are nervous. Each wumpus is a dumpus. Each dumpus is not opaque. Dumpuses are tumpuses. Tumpuses are cold. Each tumpus is an impus. Impuses are floral. Every impus is a zumpus. Every zumpus is wooden. Zumpuses are rompuses. Each rompus is not angry. Rompuses are numpuses. Numpuses are large. Numpuses are jompuses. Wren is a dumpus.", + "question": "Is the following statement true or false? Wren is angry.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAngry($x, bool) ::: Is x angry?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNervous($x, bool) ::: Is x nervous?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nImpus($x, bool) ::: Does x belong to Impus?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nDumpus(Wren, True)\n\nRules:\nYumpus($x, True) >>> Dull($x, False)\nVumpus($x, True) >>> Angry($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, False)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Floral($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Wooden($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Angry($x, False)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Large($x, True)\nNumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nAngry(Wren, True)" + ] + }, + { + "id": "ProntoQA_452", + "context": "Wumpuses are not wooden. Each wumpus is a tumpus. Each tumpus is sour. Every tumpus is a vumpus. Vumpuses are large. Vumpuses are rompuses. Every rompus is transparent. Rompuses are zumpuses. Zumpuses are not nervous. Jompuses are red. Zumpuses are dumpuses. Dumpuses are bright. Dumpuses are yumpuses. Every yumpus is not red. Each yumpus is a numpus. Numpuses are not mean. Every numpus is an impus. Max is a vumpus.", + "question": "Is the following statement true or false? Max is red.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSour($x, bool) ::: Is x sour?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nMean($x, bool) ::: Is x mean?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nVumpus(Max, True)\n\nRules:\nWumpus($x, True) >>> Wooden($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Sour($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Large($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Nervous($x, False)\nJompus($x, True) >>> Red($x, True)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Red($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Mean($x, False)\nNumpus($x, True) >>> Impus($x, True)\n\nQuery:\nRed(Max, False)" + ] + }, + { + "id": "ProntoQA_453", + "context": "Rompuses are opaque. Each rompus is a dumpus. Dumpuses are shy. Dumpuses are numpuses. Numpuses are not sour. Every numpus is an impus. Each impus is mean. Impuses are zumpuses. Each tumpus is brown. Zumpuses are not brown. Zumpuses are jompuses. Jompuses are hot. Jompuses are wumpuses. Every wumpus is earthy. Every wumpus is a vumpus. Every vumpus is dull. Every vumpus is a yumpus. Wren is a rompus.", + "question": "Is the following statement true or false? Wren is not brown.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nOpaque($x, bool) ::: Is x opaque?\nSour($x, bool) ::: Is x sour?\nImpus($x, bool) ::: Does x belong to Impus?\nBrown($x, bool) ::: Is x brown?\nHot($x, bool) ::: Is x hot?\nEarthy($x, bool) ::: Is x earthy?\n\nFacts:\nRompus(Wren, True)\n\nRules:\nRompus($x, True) >>> Opaque($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sour($x, False)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Mean($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nTumpus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Brown($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Earthy($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Dull($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nBrown(Wren, False)" + ] + }, + { + "id": "ProntoQA_454", + "context": "Each dumpus is not floral. Every yumpus is not cold. Every yumpus is a vumpus. Vumpuses are bright. Every vumpus is a zumpus. Every zumpus is not shy. Zumpuses are numpuses. Every numpus is not angry. Every numpus is a jompus. Each jompus is wooden. Each jompus is a wumpus. Wumpuses are floral. Every wumpus is a rompus. Rompuses are spicy. Each rompus is an impus. Impuses are not opaque. Every impus is a tumpus. Sally is a vumpus.", + "question": "Is the following statement true or false? Sally is floral.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nShy($x, bool) ::: Is x shy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAngry($x, bool) ::: Is x angry?\nJompus($x, bool) ::: Does x belong to Jompus?\nWooden($x, bool) ::: Is x wooden?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nVumpus(Sally, True)\n\nRules:\nDumpus($x, True) >>> Floral($x, False)\nYumpus($x, True) >>> Cold($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Shy($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Angry($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Wooden($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, False)\nImpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nFloral(Sally, True)" + ] + }, + { + "id": "ProntoQA_455", + "context": "Every rompus is not blue. Each rompus is a jompus. Jompuses are dull. Jompuses are yumpuses. Every yumpus is amenable. Every dumpus is feisty. Every yumpus is a zumpus. Zumpuses are floral. Each zumpus is a tumpus. Tumpuses are large. Tumpuses are vumpuses. Vumpuses are not feisty. Each vumpus is an impus. Every impus is transparent. Every impus is a wumpus. Each wumpus is not luminous. Every wumpus is a numpus. Polly is a jompus.", + "question": "Is the following statement true or false? Polly is feisty.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBlue($x, bool) ::: Is x blue?\nJompus($x, bool) ::: Does x belong to Jompus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAmenable($x, bool) ::: Is x amenable?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFeisty($x, bool) ::: Is x feisty?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFloral($x, bool) ::: Is x floral?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLuminous($x, bool) ::: Is x luminous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nJompus(Polly, True)\n\nRules:\nRompus($x, True) >>> Blue($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Dull($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Amenable($x, True)\nDumpus($x, True) >>> Feisty($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Floral($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Large($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Feisty($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Luminous($x, False)\nWumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nFeisty(Polly, True)" + ] + }, + { + "id": "ProntoQA_456", + "context": "Vumpuses are mean. Vumpuses are impuses. Impuses are not opaque. Every impus is a jompus. Jompuses are brown. Every jompus is a yumpus. Each yumpus is nervous. Each yumpus is a zumpus. Zumpuses are bitter. Zumpuses are rompuses. Dumpuses are not earthy. Rompuses are earthy. Rompuses are numpuses. Numpuses are hot. Each numpus is a wumpus. Wumpuses are bright. Every wumpus is a tumpus. Fae is an impus.", + "question": "Is the following statement true or false? Fae is not earthy.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nMean($x, bool) ::: Is x mean?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nBrown($x, bool) ::: Is x brown?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBright($x, bool) ::: Is x bright?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nImpus(Fae, True)\n\nRules:\nVumpus($x, True) >>> Mean($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, False)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Brown($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Nervous($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bitter($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nDumpus($x, True) >>> Earthy($x, False)\nRompus($x, True) >>> Earthy($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nEarthy(Fae, False)" + ] + }, + { + "id": "ProntoQA_457", + "context": "Impuses are happy. Impuses are vumpuses. Each vumpus is opaque. Vumpuses are rompuses. Every rompus is floral. Every rompus is a wumpus. Yumpuses are not large. Every wumpus is bitter. Every wumpus is a numpus. Numpuses are not cold. Numpuses are dumpuses. Every dumpus is bright. Dumpuses are jompuses. Each jompus is not red. Jompuses are zumpuses. Zumpuses are large. Every zumpus is a tumpus. Stella is a wumpus.", + "question": "Is the following statement true or false? Stella is not large.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nImpuses($x, bool) ::: Does x belong to Impuses?\nHappy($x, bool) ::: Is x happy?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nFloral($x, bool) ::: Is x floral?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nBitter($x, bool) ::: Is x bitter?\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nWumpus(Stella, True)\n\nRules:\nImpuses($x, True) >>> Happy($x, True)\nImpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Opaque($x, True)\nVumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Floral($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nYumpus($x, True) >>> Large($x, False)\nWumpus($x, True) >>> Bitter($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Cold($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Red($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nLarge(Stella, False)" + ] + }, + { + "id": "ProntoQA_458", + "context": "Tumpuses are bright. Tumpuses are jompuses. Rompuses are not transparent. Every jompus is not angry. Each jompus is a wumpus. Wumpuses are not shy. Every wumpus is an impus. Impuses are small. Impuses are vumpuses. Every vumpus is brown. Vumpuses are dumpuses. Dumpuses are transparent. Dumpuses are yumpuses. Yumpuses are sour. Every yumpus is a numpus. Numpuses are liquid. Every numpus is a zumpus. Rex is a jompus.", + "question": "Is the following statement true or false? Rex is not transparent.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBright($x, bool) ::: Is x bright?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nAngry($x, bool) ::: Is x angry?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nShy($x, bool) ::: Is x shy?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLiquid($x, bool) ::: Is x liquid?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nJompus(Rex, True)\n\nRules:\nTumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nRompus($x, True) >>> Transparent($x, False)\nJompus($x, True) >>> Angry($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Shy($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Brown($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sour($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Liquid($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nTransparent(Rex, False)" + ] + }, + { + "id": "ProntoQA_459", + "context": "Each tumpus is cold. Every tumpus is a vumpus. Vumpuses are luminous. Every vumpus is a yumpus. Yumpuses are happy. Yumpuses are jompuses. Every jompus is kind. Every rompus is not earthy. Jompuses are zumpuses. Each zumpus is not spicy. Each zumpus is a wumpus. Each wumpus is earthy. Wumpuses are numpuses. Every numpus is opaque. Numpuses are impuses. Every impus is dull. Every impus is a dumpus. Max is a vumpus.", + "question": "Is the following statement true or false? Max is earthy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLuminous($x, bool) ::: Is x luminous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHappy($x, bool) ::: Is x happy?\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSpicy($x, bool) ::: Is x spicy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpus(Max, True)\n\nRules:\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Luminous($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Happy($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Earthy($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Spicy($x, False)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Earthy($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Dull($x, True)\nImpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nEarthy(Max, True)" + ] + }, + { + "id": "ProntoQA_460", + "context": "Each jompus is liquid. Dumpuses are bright. Dumpuses are impuses. Each impus is opaque. Impuses are yumpuses. Every yumpus is fruity. Each yumpus is a vumpus. Vumpuses are not orange. Every vumpus is a tumpus. Every tumpus is not liquid. Tumpuses are wumpuses. Each wumpus is small. Each wumpus is a numpus. Numpuses are feisty. Every numpus is a zumpus. Each zumpus is spicy. Zumpuses are rompuses. Sam is a dumpus.", + "question": "Is the following statement true or false? Sam is not liquid.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nLiquid($x, bool) ::: Is x liquid?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOrange($x, bool) ::: Is x orange?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nFeisty($x, bool) ::: Is x feisty?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSpicy($x, bool) ::: Is x spicy?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nDumpus(Sam, True)\n\nRules:\nJompus($x, True) >>> Liquid($x, True)\nDumpus($x, True) >>> Bright($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Fruity($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Orange($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Liquid($x, False)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Feisty($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Spicy($x, True)\nZumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nLiquid(Sam, False)" + ] + }, + { + "id": "ProntoQA_461", + "context": "Each zumpus is not earthy. Each zumpus is a vumpus. Vumpuses are not hot. Vumpuses are yumpuses. Yumpuses are metallic. Yumpuses are wumpuses. Every wumpus is bright. Each wumpus is a dumpus. Each dumpus is spicy. Each dumpus is an impus. Every impus is opaque. Every tumpus is not opaque. Every impus is a numpus. Numpuses are not kind. Numpuses are rompuses. Each rompus is not nervous. Rompuses are jompuses. Rex is a vumpus.", + "question": "Is the following statement true or false? Rex is opaque.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nEarthy($x, bool) ::: Is x earthy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHot($x, bool) ::: Is x hot?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nNervous($x, bool) ::: Is x nervous?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nVumpus(Rex, True)\n\nRules:\nZumpus($x, True) >>> Earthy($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Hot($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Metallic($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Bright($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Spicy($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Opaque($x, False)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, False)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Nervous($x, False)\nRompus($x, True) >>> Jompus($x, True)\n\nQuery:\nOpaque(Rex, True)" + ] + }, + { + "id": "ProntoQA_462", + "context": "Rompuses are fruity. Every rompus is a tumpus. Every tumpus is metallic. Tumpuses are wumpuses. Wumpuses are mean. Wumpuses are jompuses. Each jompus is not brown. Every dumpus is opaque. Jompuses are vumpuses. Vumpuses are not opaque. Each vumpus is a numpus. Every numpus is nervous. Every numpus is a yumpus. Yumpuses are temperate. Each yumpus is an impus. Each impus is sour. Each impus is a zumpus. Sally is a rompus.", + "question": "Is the following statement true or false? Sally is not opaque.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nFruity($x, bool) ::: Is x fruity?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nJompus($x, bool) ::: Does x belong to Jompus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nNervous($x, bool) ::: Is x nervous?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nImpus($x, bool) ::: Does x belong to Impus?\nSour($x, bool) ::: Is x sour?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nRompus(Sally, True)\n\nRules:\nRompus($x, True) >>> Fruity($x, True)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Metallic($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Brown($x, False)\nDumpus($x, True) >>> Opaque($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, False)\nVumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Nervous($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sour($x, True)\nImpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nOpaque(Sally, False)" + ] + }, + { + "id": "ProntoQA_463", + "context": "Jompuses are hot. Jompuses are rompuses. Each rompus is not transparent. Rompuses are dumpuses. Tumpuses are brown. Dumpuses are liquid. Dumpuses are wumpuses. Wumpuses are floral. Each wumpus is a vumpus. Each vumpus is spicy. Vumpuses are zumpuses. Each zumpus is not brown. Every zumpus is a yumpus. Stella is a rompus.", + "question": "Is the following statement true or false? Stella is brown.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBrown($x, bool) ::: Is x brown?\nLiquid($x, bool) ::: Is x liquid?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nRompus(Stella, True)\n\nRules:\nJompus($x, True) >>> Hot($x, True)\nJompus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nTumpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Liquid($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Floral($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Spicy($x, True)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nBrown(Stella, False)" + ] + }, + { + "id": "ProntoQA_464", + "context": "Tumpuses are luminous. Tumpuses are jompuses. Each jompus is floral. Each jompus is a dumpus. Dumpuses are large. Dumpuses are zumpuses. Zumpuses are dull. Wumpuses are cold. Every zumpus is a yumpus. Each yumpus is not cold. Each yumpus is a vumpus. Each vumpus is not brown. Vumpuses are rompuses. Every rompus is transparent. Rompuses are impuses. Every impus is not nervous. Impuses are numpuses. Alex is a tumpus.", + "question": "Is the following statement true or false? Alex is cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nLuminous($x, bool) ::: Is x luminous?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nDull($x, bool) ::: Is x dull?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nCold($x, bool) ::: Is x cold?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nImpus($x, bool) ::: Does x belong to Impus?\nNervous($x, bool) ::: Is x nervous?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nTumpus(Alex, True)\n\nRules:\nTumpus($x, True) >>> Luminous($x, True)\nTumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Cold($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Cold($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Brown($x, False)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Nervous($x, False)\nImpus($x, True) >>> Numpus($x, True)\n\nQuery:\nCold(Alex, True)" + ] + }, + { + "id": "ProntoQA_465", + "context": "Wumpuses are not liquid. Wumpuses are yumpuses. Each yumpus is opaque. Each yumpus is a jompus. Every jompus is bright. Every jompus is an impus. Impuses are not hot. Impuses are rompuses. Rompuses are nervous. Rompuses are numpuses. Numpuses are sour. Numpuses are vumpuses. Vumpuses are blue. Dumpuses are not sour. Vumpuses are zumpuses. Each zumpus is large. Each zumpus is a tumpus. Rex is a yumpus.", + "question": "Is the following statement true or false? Rex is not sour.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nJompus($x, bool) ::: Does x belong to Jompus?\nBright($x, bool) ::: Is x bright?\nImpus($x, bool) ::: Does x belong to Impus?\nHot($x, bool) ::: Is x hot?\nRompus($x, bool) ::: Does x belong to Rompus?\nNervous($x, bool) ::: Is x nervous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSour($x, bool) ::: Is x sour?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBlue($x, bool) ::: Is x blue?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nYumpus(Rex, True)\n\nRules:\nWumpus($x, True) >>> Liquid($x, False)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Bright($x, True)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Hot($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Nervous($x, True)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sour($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Blue($x, True)\nDumpus($x, True) >>> Sour($x, False)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nSour(Rex, False)" + ] + }, + { + "id": "ProntoQA_466", + "context": "Zumpuses are angry. Impuses are shy. Impuses are vumpuses. Vumpuses are metallic. Vumpuses are tumpuses. Tumpuses are earthy. Every tumpus is a yumpus. Yumpuses are large. Yumpuses are numpuses. Numpuses are not angry. Every numpus is a jompus. Every jompus is not spicy. Every jompus is a wumpus. Each wumpus is transparent. Wumpuses are dumpuses. Dumpuses are brown. Each dumpus is a rompus. Max is an impus.", + "question": "Is the following statement true or false? Max is angry.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAngry($x, bool) ::: Is x angry?\nImpuses($x, bool) ::: Does x belong to Impuses?\nShy($x, bool) ::: Is x shy?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nMetallic($x, bool) ::: Is x metallic?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nEarthy($x, bool) ::: Is x earthy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAngry($x, bool) ::: Is x angry?\nJompus($x, bool) ::: Does x belong to Jompus?\nSpicy($x, bool) ::: Is x spicy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBrown($x, bool) ::: Is x brown?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nImpuses(Max, True)\n\nRules:\nZumpus($x, True) >>> Angry($x, True)\nImpuses($x, True) >>> Shy($x, True)\nImpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Metallic($x, True)\nVumpuses($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Earthy($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Angry($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Spicy($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Brown($x, True)\nDumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nAngry(Max, False)" + ] + }, + { + "id": "ProntoQA_467", + "context": "Every rompus is transparent. Each rompus is a dumpus. Each dumpus is not dull. Dumpuses are vumpuses. Each vumpus is hot. Vumpuses are jompuses. Every jompus is not metallic. Jompuses are impuses. Impuses are floral. Every impus is a numpus. Zumpuses are not blue. Numpuses are feisty. Numpuses are yumpuses. Yumpuses are spicy. Yumpuses are wumpuses. Every wumpus is blue. Wumpuses are tumpuses. Alex is a jompus.", + "question": "Is the following statement true or false? Alex is not blue.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHot($x, bool) ::: Is x hot?\nJompus($x, bool) ::: Does x belong to Jompus?\nMetallic($x, bool) ::: Is x metallic?\nImpus($x, bool) ::: Does x belong to Impus?\nFloral($x, bool) ::: Is x floral?\nNumpus($x, bool) ::: Does x belong to Numpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBlue($x, bool) ::: Is x blue?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSpicy($x, bool) ::: Is x spicy?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nJompus(Alex, True)\n\nRules:\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Hot($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Metallic($x, False)\nJompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Floral($x, True)\nImpus($x, True) >>> Numpus($x, True)\nZumpus($x, True) >>> Blue($x, False)\nNumpus($x, True) >>> Feisty($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, True)\nWumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nBlue(Alex, False)" + ] + }, + { + "id": "ProntoQA_468", + "context": "Tumpuses are fruity. Each tumpus is a yumpus. Yumpuses are cold. Every yumpus is a zumpus. Zumpuses are spicy. Every zumpus is a rompus. Each rompus is not opaque. Rompuses are impuses. Impuses are kind. Impuses are vumpuses. Each jompus is not kind. Vumpuses are not feisty. Vumpuses are dumpuses. Dumpuses are not liquid. Dumpuses are wumpuses. Each wumpus is not large. Each wumpus is a numpus. Polly is a tumpus.", + "question": "Is the following statement true or false? Polly is not kind.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFruity($x, bool) ::: Is x fruity?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nCold($x, bool) ::: Is x cold?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSpicy($x, bool) ::: Is x spicy?\nRompus($x, bool) ::: Does x belong to Rompus?\nOpaque($x, bool) ::: Is x opaque?\nImpuses($x, bool) ::: Does x belong to Impuses?\nKind($x, bool) ::: Is x kind?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFeisty($x, bool) ::: Is x feisty?\nJompus($x, bool) ::: Does x belong to Jompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLiquid($x, bool) ::: Is x liquid?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nTumpus(Polly, True)\n\nRules:\nTumpus($x, True) >>> Fruity($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Cold($x, True)\nYumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Spicy($x, True)\nZumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nRompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Kind($x, True)\nImpuses($x, True) >>> Vumpus($x, True)\nJompus($x, True) >>> Kind($x, False)\nVumpus($x, True) >>> Feisty($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Liquid($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, False)\nWumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nKind(Polly, False)" + ] + }, + { + "id": "ProntoQA_469", + "context": "Every wumpus is not dull. Each wumpus is a tumpus. Tumpuses are hot. Tumpuses are yumpuses. Yumpuses are red. Yumpuses are rompuses. Each rompus is spicy. Every vumpus is mean. Rompuses are dumpuses. Each dumpus is large. Dumpuses are impuses. Impuses are not mean. Each impus is a jompus. Each jompus is transparent. Every jompus is a numpus. Numpuses are not liquid. Numpuses are zumpuses. Polly is a tumpus.", + "question": "Is the following statement true or false? Polly is not mean.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHot($x, bool) ::: Is x hot?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nSpicy($x, bool) ::: Is x spicy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nMean($x, bool) ::: Is x mean?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nJompus($x, bool) ::: Does x belong to Jompus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLiquid($x, bool) ::: Is x liquid?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nTumpus(Polly, True)\n\nRules:\nWumpus($x, True) >>> Dull($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Hot($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Red($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Spicy($x, True)\nVumpus($x, True) >>> Mean($x, True)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Large($x, True)\nDumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Mean($x, False)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Transparent($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Liquid($x, False)\nNumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nMean(Polly, False)" + ] + }, + { + "id": "ProntoQA_470", + "context": "Each jompus is earthy. Every jompus is a zumpus. Each zumpus is liquid. Zumpuses are wumpuses. Every wumpus is not mean. Wumpuses are vumpuses. Each vumpus is transparent. Every vumpus is a yumpus. Every yumpus is small. Yumpuses are rompuses. Dumpuses are not small. Every rompus is not bright. Each rompus is a tumpus. Tumpuses are orange. Each tumpus is a numpus. Every numpus is hot. Numpuses are impuses. Alex is a jompus.", + "question": "Is the following statement true or false? Alex is not small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLiquid($x, bool) ::: Is x liquid?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nMean($x, bool) ::: Is x mean?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nTransparent($x, bool) ::: Is x transparent?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSmall($x, bool) ::: Is x small?\nRompus($x, bool) ::: Does x belong to Rompus?\nBright($x, bool) ::: Is x bright?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nJompus(Alex, True)\n\nRules:\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Liquid($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, False)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Transparent($x, True)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nDumpus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Bright($x, False)\nRompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Orange($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Impus($x, True)\n\nQuery:\nSmall(Alex, False)" + ] + }, + { + "id": "ProntoQA_471", + "context": "Vumpuses are not bright. Each dumpus is metallic. Each dumpus is a wumpus. Wumpuses are spicy. Wumpuses are impuses. Impuses are red. Each impus is a numpus. Numpuses are opaque. Each numpus is a rompus. Each rompus is bright. Rompuses are zumpuses. Zumpuses are large. Zumpuses are yumpuses. Each yumpus is aggressive. Yumpuses are tumpuses. Tumpuses are not shy. Every tumpus is a jompus. Sam is a dumpus.", + "question": "Is the following statement true or false? Sam is bright.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSpicy($x, bool) ::: Is x spicy?\nImpus($x, bool) ::: Does x belong to Impus?\nRed($x, bool) ::: Is x red?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAggressive($x, bool) ::: Is x aggressive?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nShy($x, bool) ::: Is x shy?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nDumpus(Sam, True)\n\nRules:\nVumpus($x, True) >>> Bright($x, False)\nDumpus($x, True) >>> Metallic($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Spicy($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Red($x, True)\nImpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Bright($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Shy($x, False)\nTumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nBright(Sam, True)" + ] + }, + { + "id": "ProntoQA_472", + "context": "Numpuses are not luminous. Every numpus is a jompus. Every jompus is brown. Jompuses are vumpuses. Each vumpus is cold. Every vumpus is a tumpus. Tumpuses are mean. Tumpuses are zumpuses. Every zumpus is opaque. Each zumpus is a wumpus. Every wumpus is not small. Every yumpus is not sour. Every wumpus is an impus. Every impus is sour. Every impus is a rompus. Every rompus is happy. Rompuses are dumpuses. Wren is a vumpus.", + "question": "Is the following statement true or false? Wren is not sour.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nLuminous($x, bool) ::: Is x luminous?\nJompus($x, bool) ::: Does x belong to Jompus?\nBrown($x, bool) ::: Is x brown?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nCold($x, bool) ::: Is x cold?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nOpaque($x, bool) ::: Is x opaque?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSour($x, bool) ::: Is x sour?\nImpus($x, bool) ::: Does x belong to Impus?\nRompus($x, bool) ::: Does x belong to Rompus?\nHappy($x, bool) ::: Is x happy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpus(Wren, True)\n\nRules:\nNumpus($x, True) >>> Luminous($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Brown($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Cold($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Mean($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Opaque($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, False)\nYumpus($x, True) >>> Sour($x, False)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Sour($x, True)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Happy($x, True)\nRompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nSour(Wren, False)" + ] + }, + { + "id": "ProntoQA_473", + "context": "Dumpuses are aggressive. Each dumpus is a zumpus. Zumpuses are small. Zumpuses are yumpuses. Yumpuses are bitter. Every yumpus is a rompus. Each rompus is not blue. Each rompus is a numpus. Each impus is liquid. Numpuses are not happy. Each numpus is a wumpus. Wumpuses are not liquid. Wumpuses are vumpuses. Vumpuses are bright. Vumpuses are tumpuses. Each tumpus is floral. Tumpuses are jompuses. Max is a zumpus.", + "question": "Is the following statement true or false? Max is not liquid.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAggressive($x, bool) ::: Is x aggressive?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nBlue($x, bool) ::: Is x blue?\nImpus($x, bool) ::: Does x belong to Impus?\nHappy($x, bool) ::: Is x happy?\nFloral($x, bool) ::: Is x floral?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nZumpus(Max, True)\n\nRules:\nDumpus($x, True) >>> Aggressive($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bitter($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Blue($x, False)\nRompus($x, True) >>> Numpus($x, True)\nImpus($x, True) >>> Liquid($x, True)\nNumpus($x, True) >>> Happy($x, False)\nNumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, False)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Floral($x, True)\nTumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nLiquid(Max, False)" + ] + }, + { + "id": "ProntoQA_474", + "context": "Each zumpus is mean. Jompuses are not feisty. Jompuses are impuses. Impuses are not orange. Impuses are numpuses. Each numpus is not luminous. Numpuses are tumpuses. Tumpuses are not earthy. Tumpuses are rompuses. Rompuses are not small. Rompuses are yumpuses. Each yumpus is hot. Yumpuses are vumpuses. Each vumpus is bitter. Vumpuses are wumpuses. Every wumpus is not mean. Wumpuses are dumpuses. Sally is a tumpus.", + "question": "Is the following statement true or false? Sally is mean.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMean($x, bool) ::: Is x mean?\nJompus($x, bool) ::: Does x belong to Jompus?\nFeisty($x, bool) ::: Is x feisty?\nImpuses($x, bool) ::: Does x belong to Impuses?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLuminous($x, bool) ::: Is x luminous?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nEarthy($x, bool) ::: Is x earthy?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nHot($x, bool) ::: Is x hot?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nTumpuses(Sally, True)\n\nRules:\nZumpus($x, True) >>> Mean($x, True)\nJompus($x, True) >>> Feisty($x, False)\nJompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Orange($x, False)\nImpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Luminous($x, False)\nNumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Earthy($x, False)\nTumpuses($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Hot($x, True)\nYumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Mean($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nMean(Sally, True)" + ] + }, + { + "id": "ProntoQA_475", + "context": "Each jompus is red. Each jompus is a dumpus. Every dumpus is amenable. Every dumpus is a tumpus. Tumpuses are not nervous. Each tumpus is a numpus. Every numpus is temperate. Every numpus is a vumpus. Each vumpus is not floral. Every vumpus is an impus. Impuses are bright. Impuses are wumpuses. Wumpuses are wooden. Rompuses are not bright. Each wumpus is a zumpus. Zumpuses are spicy. Every zumpus is a yumpus. Polly is a dumpus.", + "question": "Is the following statement true or false? Polly is not bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nRed($x, bool) ::: Is x red?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nAmenable($x, bool) ::: Is x amenable?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nNervous($x, bool) ::: Is x nervous?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTemperate($x, bool) ::: Is x temperate?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nFloral($x, bool) ::: Is x floral?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nWooden($x, bool) ::: Is x wooden?\nRompus($x, bool) ::: Does x belong to Rompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nDumpus(Polly, True)\n\nRules:\nJompus($x, True) >>> Red($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Amenable($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Nervous($x, False)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Temperate($x, True)\nNumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Floral($x, False)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, True)\nImpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Wooden($x, True)\nRompus($x, True) >>> Bright($x, False)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Spicy($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\n\nQuery:\nBright(Polly, False)" + ] + }, + { + "id": "ProntoQA_476", + "context": "Each wumpus is not amenable. Yumpuses are transparent. Each yumpus is a rompus. Each rompus is luminous. Rompuses are impuses. Impuses are not fruity. Each impus is a vumpus. Vumpuses are bitter. Vumpuses are jompuses. Jompuses are amenable. Every jompus is a zumpus. Zumpuses are not shy. Zumpuses are numpuses. Every numpus is cold. Every numpus is a dumpus. Every dumpus is small. Each dumpus is a tumpus. Wren is a yumpus.", + "question": "Is the following statement true or false? Wren is amenable.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAmenable($x, bool) ::: Is x amenable?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nLuminous($x, bool) ::: Is x luminous?\nImpuses($x, bool) ::: Does x belong to Impuses?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nJompus($x, bool) ::: Does x belong to Jompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nShy($x, bool) ::: Is x shy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\n\nFacts:\nYumpus(Wren, True)\n\nRules:\nWumpus($x, True) >>> Amenable($x, False)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Luminous($x, True)\nRompus($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Fruity($x, False)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Amenable($x, True)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Shy($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Cold($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nAmenable(Wren, True)" + ] + }, + { + "id": "ProntoQA_477", + "context": "Dumpuses are fruity. Dumpuses are vumpuses. Vumpuses are not happy. Every vumpus is a yumpus. Yumpuses are not bitter. Yumpuses are jompuses. Every jompus is not aggressive. Each jompus is a tumpus. Zumpuses are bright. Tumpuses are luminous. Every tumpus is a rompus. Rompuses are hot. Every rompus is a wumpus. Each wumpus is small. Every wumpus is a numpus. Every numpus is not bright. Each numpus is an impus. Fae is a jompus.", + "question": "Is the following statement true or false? Fae is not bright.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFruity($x, bool) ::: Is x fruity?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBitter($x, bool) ::: Is x bitter?\nJompus($x, bool) ::: Does x belong to Jompus?\nAggressive($x, bool) ::: Is x aggressive?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nLuminous($x, bool) ::: Is x luminous?\nRompus($x, bool) ::: Does x belong to Rompus?\nHot($x, bool) ::: Is x hot?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nJompus(Fae, True)\n\nRules:\nDumpus($x, True) >>> Fruity($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bitter($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Aggressive($x, False)\nJompus($x, True) >>> Tumpus($x, True)\nZumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Luminous($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Hot($x, True)\nRompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Small($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bright($x, False)\nNumpus($x, True) >>> Impus($x, True)\n\nQuery:\nBright(Fae, False)" + ] + }, + { + "id": "ProntoQA_478", + "context": "Wumpuses are spicy. Wumpuses are yumpuses. Yumpuses are aggressive. Numpuses are small. Every yumpus is a tumpus. Tumpuses are hot. Every tumpus is an impus. Impuses are not metallic. Impuses are rompuses. Every rompus is not small. Every rompus is a dumpus. Dumpuses are not floral. Every dumpus is a zumpus. Each zumpus is not bright. Each zumpus is a vumpus. Vumpuses are shy. Each vumpus is a jompus. Polly is a wumpus.", + "question": "Is the following statement true or false? Polly is small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSpicy($x, bool) ::: Is x spicy?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nAggressive($x, bool) ::: Is x aggressive?\nNumpus($x, bool) ::: Does x belong to Numpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHot($x, bool) ::: Is x hot?\nImpus($x, bool) ::: Does x belong to Impus?\nMetallic($x, bool) ::: Is x metallic?\nRompus($x, bool) ::: Does x belong to Rompus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFloral($x, bool) ::: Is x floral?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBright($x, bool) ::: Is x bright?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nShy($x, bool) ::: Is x shy?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nWumpus(Polly, True)\n\nRules:\nWumpus($x, True) >>> Spicy($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Aggressive($x, True)\nNumpus($x, True) >>> Small($x, True)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Hot($x, True)\nTumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Metallic($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Floral($x, False)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Bright($x, False)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Shy($x, True)\nVumpus($x, True) >>> Jompus($x, True)\n\nQuery:\nSmall(Polly, False)" + ] + }, + { + "id": "ProntoQA_479", + "context": "Wumpuses are not bitter. Every impus is not blue. Impuses are rompuses. Every rompus is temperate. Each rompus is a zumpus. Every zumpus is not small. Zumpuses are yumpuses. Yumpuses are not wooden. Yumpuses are tumpuses. Every tumpus is happy. Tumpuses are numpuses. Numpuses are transparent. Numpuses are dumpuses. Every dumpus is bitter. Each dumpus is a jompus. Jompuses are not amenable. Each jompus is a vumpus. Sally is a zumpus.", + "question": "Is the following statement true or false? Sally is not bitter.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBitter($x, bool) ::: Is x bitter?\nImpus($x, bool) ::: Does x belong to Impus?\nBlue($x, bool) ::: Is x blue?\nTemperate($x, bool) ::: Is x temperate?\nSmall($x, bool) ::: Is x small?\nWooden($x, bool) ::: Is x wooden?\nHappy($x, bool) ::: Is x happy?\nTransparent($x, bool) ::: Is x transparent?\nAmenable($x, bool) ::: Is x amenable?\n\nFacts:\nZumpus(Sally, True)\n\nRules:\nWumpus($x, True) >>> Bitter($x, False)\nImpus($x, True) >>> Blue($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Temperate($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Wooden($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Happy($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bitter($x, True)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Amenable($x, False)\nJompus($x, True) >>> Vumpus($x, True)\n\nQuery:\nBitter(Sally, False)" + ] + }, + { + "id": "ProntoQA_480", + "context": "Rompuses are not temperate. Each rompus is a jompus. Jompuses are nervous. Jompuses are tumpuses. Tumpuses are small. Tumpuses are impuses. Every impus is orange. Every impus is a vumpus. Vumpuses are not dull. Vumpuses are yumpuses. Every yumpus is luminous. Each wumpus is dull. Yumpuses are dumpuses. Dumpuses are transparent. Dumpuses are zumpuses. Each zumpus is angry. Each zumpus is a numpus. Stella is a rompus.", + "question": "Is the following statement true or false? Stella is not dull.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTemperate($x, bool) ::: Is x temperate?\nNervous($x, bool) ::: Is x nervous?\nSmall($x, bool) ::: Is x small?\nLuminous($x, bool) ::: Is x luminous?\nAngry($x, bool) ::: Is x angry?\n\nFacts:\nRompus(Stella, True)\n\nRules:\nRompus($x, True) >>> Temperate($x, False)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Nervous($x, True)\nJompus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Small($x, True)\nTumpuses($x, True) >>> Impuses($x, True)\nImpuses($x, True) >>> Orange($x, True)\nImpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Dull($x, False)\nVumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Luminous($x, True)\nWumpus($x, True) >>> Dull($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Transparent($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Angry($x, True)\nZumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nDull(Stella, False)" + ] + }, + { + "id": "ProntoQA_481", + "context": "Each tumpus is sweet. Each tumpus is a wumpus. Wumpuses are not orange. Wumpuses are dumpuses. Every dumpus is not temperate. Dumpuses are jompuses. Every jompus is kind. Every jompus is a numpus. Numpuses are liquid. Numpuses are zumpuses. Each zumpus is large. Each zumpus is a vumpus. Every vumpus is happy. Each impus is not happy. Every vumpus is a yumpus. Yumpuses are transparent. Yumpuses are rompuses. Polly is a dumpus.", + "question": "Is the following statement true or false? Polly is happy.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSweet($x, bool) ::: Is x sweet?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nOrange($x, bool) ::: Is x orange?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTemperate($x, bool) ::: Is x temperate?\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nNumpus($x, bool) ::: Does x belong to Numpus?\nLiquid($x, bool) ::: Is x liquid?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nHappy($x, bool) ::: Is x happy?\nImpus($x, bool) ::: Does x belong to Impus?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nDumpus(Polly, True)\n\nRules:\nTumpus($x, True) >>> Sweet($x, True)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Orange($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Temperate($x, False)\nDumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Kind($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Liquid($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Large($x, True)\nZumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Happy($x, True)\nImpus($x, True) >>> Happy($x, False)\nVumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, True)\nYumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nHappy(Polly, True)" + ] + }, + { + "id": "ProntoQA_482", + "context": "Zumpuses are angry. Zumpuses are jompuses. Every jompus is not happy. Each jompus is a tumpus. Tumpuses are not earthy. Tumpuses are wumpuses. Each wumpus is blue. Every wumpus is a rompus. Rompuses are not transparent. Every rompus is a numpus. Every numpus is sweet. Numpuses are yumpuses. Yumpuses are not large. Every yumpus is a vumpus. Every impus is temperate. Every vumpus is not temperate. Each vumpus is a dumpus. Rex is a wumpus.", + "question": "Is the following statement true or false? Rex is temperate.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nAngry($x, bool) ::: Is x angry?\nHappy($x, bool) ::: Is x happy?\nEarthy($x, bool) ::: Is x earthy?\nBlue($x, bool) ::: Is x blue?\nSweet($x, bool) ::: Is x sweet?\nLarge($x, bool) ::: Is x large?\nTemperate($x, bool) ::: Is x temperate?\n\nFacts:\nWumpus(Rex, True)\n\nRules:\nZumpus($x, True) >>> Angry($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Happy($x, False)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Earthy($x, False)\nTumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Blue($x, True)\nWumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, False)\nRompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Sweet($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Large($x, False)\nYumpus($x, True) >>> Vumpus($x, True)\nImpus($x, True) >>> Temperate($x, True)\nVumpus($x, True) >>> Temperate($x, False)\nVumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nTemperate(Rex, False)" + ] + }, + { + "id": "ProntoQA_483", + "context": "Each numpus is not transparent. Every numpus is a jompus. Jompuses are not shy. Each jompus is a zumpus. Zumpuses are not small. Zumpuses are dumpuses. Every dumpus is bitter. Each dumpus is a vumpus. Each vumpus is not amenable. Each vumpus is a wumpus. Each wumpus is not temperate. Wumpuses are tumpuses. Every impus is not red. Every tumpus is red. Tumpuses are rompuses. Rompuses are wooden. Rompuses are yumpuses. Sally is a zumpus.", + "question": "Is the following statement true or false? Sally is not red.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nShy($x, bool) ::: Is x shy?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nAmenable($x, bool) ::: Is x amenable?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTemperate($x, bool) ::: Is x temperate?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nImpus($x, bool) ::: Does x belong to Impus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\n\nFacts:\nZumpus(Sally, True)\n\nRules:\nNumpus($x, True) >>> Transparent($x, False)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Shy($x, False)\nJompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, False)\nZumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bitter($x, True)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Amenable($x, False)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Temperate($x, False)\nWumpus($x, True) >>> Tumpus($x, True)\nImpus($x, True) >>> Red($x, False)\nTumpus($x, True) >>> Red($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Wooden($x, True)\nRompus($x, True) >>> Yumpus($x, True)\n\nQuery:\nRed(Sally, False)" + ] + }, + { + "id": "ProntoQA_484", + "context": "Every tumpus is fruity. Tumpuses are yumpuses. Yumpuses are not transparent. Yumpuses are rompuses. Every rompus is sour. Rompuses are numpuses. Every jompus is orange. Every numpus is dull. Every numpus is a dumpus. Every dumpus is not metallic. Dumpuses are vumpuses. Every vumpus is not orange. Every vumpus is a wumpus. Each wumpus is large. Wumpuses are zumpuses. Each zumpus is not temperate. Every zumpus is an impus. Fae is a yumpus.", + "question": "Is the following statement true or false? Fae is not orange.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nFruity($x, bool) ::: Is x fruity?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTransparent($x, bool) ::: Is x transparent?\nRompus($x, bool) ::: Does x belong to Rompus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nJompus($x, bool) ::: Does x belong to Jompus?\nOrange($x, bool) ::: Is x orange?\nDull($x, bool) ::: Is x dull?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nMetallic($x, bool) ::: Is x metallic?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLarge($x, bool) ::: Is x large?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nTemperate($x, bool) ::: Is x temperate?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nYumpus(Fae, True)\n\nRules:\nTumpus($x, True) >>> Fruity($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Transparent($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sour($x, True)\nRompus($x, True) >>> Numpus($x, True)\nJompus($x, True) >>> Orange($x, True)\nNumpus($x, True) >>> Dull($x, True)\nNumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Metallic($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Orange($x, False)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Large($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Temperate($x, False)\nZumpus($x, True) >>> Impus($x, True)\n\nQuery:\nOrange(Fae, False)" + ] + }, + { + "id": "ProntoQA_485", + "context": "Tumpuses are not bright. Each tumpus is a jompus. Every jompus is hot. Each jompus is a numpus. Each numpus is not kind. Every numpus is an impus. Impuses are blue. Impuses are zumpuses. Every zumpus is small. Zumpuses are wumpuses. Wumpuses are luminous. Wumpuses are yumpuses. Every yumpus is shy. Each dumpus is not luminous. Every yumpus is a rompus. Stella is a jompus.", + "question": "Is the following statement true or false? Stella is not luminous.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBright($x, bool) ::: Is x bright?\nHot($x, bool) ::: Is x hot?\nKind($x, bool) ::: Is x kind?\nImpus($x, bool) ::: Does x belong to Impus?\nBlue($x, bool) ::: Is x blue?\nSmall($x, bool) ::: Is x small?\nLuminous($x, bool) ::: Is x luminous?\n\nFacts:\nJompus(Stella, True)\n\nRules:\nTumpuses($x, True) >>> Bright($x, False)\nTumpuses($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, False)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Blue($x, True)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Luminous($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Shy($x, True)\nDumpus($x, True) >>> Luminous($x, False)\nYumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nLuminous(Stella, False)" + ] + }, + { + "id": "ProntoQA_486", + "context": "Impuses are not blue. Every impus is a numpus. Numpuses are bitter. Numpuses are yumpuses. Yumpuses are not temperate. Each yumpus is a jompus. Rompuses are not opaque. Every jompus is metallic. Every jompus is a tumpus. Tumpuses are opaque. Every tumpus is a dumpus. Every dumpus is nervous. Dumpuses are zumpuses. Zumpuses are amenable. Zumpuses are wumpuses. Every wumpus is not fruity. Every wumpus is a vumpus. Sam is an impus.", + "question": "Is the following statement true or false? Sam is opaque.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nBlue($x, bool) ::: Is x blue?\nBitter($x, bool) ::: Is x bitter?\nTemperate($x, bool) ::: Is x temperate?\nOpaque($x, bool) ::: Is x opaque?\nMetallic($x, bool) ::: Is x metallic?\nNervous($x, bool) ::: Is x nervous?\nAmenable($x, bool) ::: Is x amenable?\n\nFacts:\nImpuses(Sam, True)\n\nRules:\nImpuses($x, True) >>> Blue($x, False)\nImpuses($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Bitter($x, True)\nNumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nRompus($x, True) >>> Opaque($x, False)\nJompus($x, True) >>> Metallic($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Opaque($x, True)\nTumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Nervous($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Amenable($x, True)\nZumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Fruity($x, False)\nWumpus($x, True) >>> Vumpus($x, True)\n\nQuery:\nOpaque(Sam, True)" + ] + }, + { + "id": "ProntoQA_487", + "context": "Wumpuses are aggressive. Wumpuses are jompuses. Each jompus is earthy. Jompuses are tumpuses. Each tumpus is bitter. Each tumpus is a vumpus. Vumpuses are large. Vumpuses are impuses. Impuses are bright. Each zumpus is not bright. Every impus is a rompus. Each rompus is feisty. Each rompus is a yumpus. Yumpuses are opaque. Each yumpus is a numpus. Each numpus is not wooden. Numpuses are dumpuses. Rex is a wumpus.", + "question": "Is the following statement true or false? Rex is bright.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nAggressive($x, bool) ::: Is x aggressive?\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nBitter($x, bool) ::: Is x bitter?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLarge($x, bool) ::: Is x large?\nImpus($x, bool) ::: Does x belong to Impus?\nBright($x, bool) ::: Is x bright?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWooden($x, bool) ::: Is x wooden?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nWumpus(Rex, True)\n\nRules:\nWumpus($x, True) >>> Aggressive($x, True)\nWumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Bitter($x, True)\nTumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Large($x, True)\nVumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Bright($x, True)\nZumpus($x, True) >>> Bright($x, False)\nImpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Feisty($x, True)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Wooden($x, False)\nNumpus($x, True) >>> Dumpus($x, True)\n\nQuery:\nBright(Rex, True)" + ] + }, + { + "id": "ProntoQA_488", + "context": "Tumpuses are wooden. Every tumpus is a yumpus. Yumpuses are sweet. Each yumpus is a dumpus. Dumpuses are dull. Dumpuses are rompuses. Rompuses are kind. Rompuses are jompuses. Jompuses are hot. Each numpus is not hot. Each jompus is a vumpus. Each vumpus is opaque. Every vumpus is a wumpus. Wumpuses are nervous. Every wumpus is a zumpus. Zumpuses are not brown. Each zumpus is an impus. Alex is a tumpus.", + "question": "Is the following statement true or false? Alex is hot.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWooden($x, bool) ::: Is x wooden?\nSweet($x, bool) ::: Is x sweet?\nKind($x, bool) ::: Is x kind?\nHot($x, bool) ::: Is x hot?\nOpaque($x, bool) ::: Is x opaque?\nNervous($x, bool) ::: Is x nervous?\nBrown($x, bool) ::: Is x brown?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nTumpuses(Alex, True)\n\nRules:\nTumpuses($x, True) >>> Wooden($x, True)\nTumpuses($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Sweet($x, True)\nYumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Kind($x, True)\nRompus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Hot($x, True)\nNumpus($x, True) >>> Hot($x, False)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Opaque($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, False)\nZumpus($x, True) >>> Impus($x, True)\n\nQuery:\nHot(Alex, True)" + ] + }, + { + "id": "ProntoQA_489", + "context": "Every zumpus is nervous. Zumpuses are vumpuses. Vumpuses are orange. Every vumpus is a tumpus. Tumpuses are kind. Every tumpus is a dumpus. Dumpuses are bitter. Each dumpus is a wumpus. Each wumpus is liquid. Wumpuses are yumpuses. Yumpuses are not bright. Every yumpus is a numpus. Each numpus is transparent. Numpuses are jompuses. Every jompus is not cold. Impuses are cold. Every jompus is a rompus. Rex is a dumpus.", + "question": "Is the following statement true or false? Rex is cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nNervous($x, bool) ::: Is x nervous?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nOrange($x, bool) ::: Is x orange?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nKind($x, bool) ::: Is x kind?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBitter($x, bool) ::: Is x bitter?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nLiquid($x, bool) ::: Is x liquid?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nBright($x, bool) ::: Is x bright?\nNumpus($x, bool) ::: Does x belong to Numpus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nCold($x, bool) ::: Is x cold?\nImpuses($x, bool) ::: Does x belong to Impuses?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nDumpus(Rex, True)\n\nRules:\nZumpus($x, True) >>> Nervous($x, True)\nZumpus($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Orange($x, True)\nVumpuses($x, True) >>> Tumpus($x, True)\nTumpuses($x, True) >>> Kind($x, True)\nTumpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Bitter($x, True)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Liquid($x, True)\nWumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, False)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Transparent($x, True)\nNumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Cold($x, False)\nImpuses($x, True) >>> Cold($x, True)\nJompus($x, True) >>> Rompus($x, True)\n\nQuery:\nCold(Rex, False)" + ] + }, + { + "id": "ProntoQA_490", + "context": "Each wumpus is red. Each wumpus is an impus. Impuses are not transparent. Every impus is a jompus. Every jompus is happy. Jompuses are vumpuses. Vumpuses are bitter. Vumpuses are rompuses. Each rompus is mean. Rompuses are zumpuses. Zumpuses are small. Every zumpus is a tumpus. Each tumpus is not earthy. Dumpuses are bright. Every tumpus is a yumpus. Yumpuses are not bright. Each yumpus is a numpus. Max is a vumpus.", + "question": "Is the following statement true or false? Max is bright.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nRed($x, bool) ::: Is x red?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nJompus($x, bool) ::: Does x belong to Jompus?\nHappy($x, bool) ::: Is x happy?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBitter($x, bool) ::: Is x bitter?\nRompus($x, bool) ::: Does x belong to Rompus?\nMean($x, bool) ::: Is x mean?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSmall($x, bool) ::: Is x small?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nEarthy($x, bool) ::: Is x earthy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nBright($x, bool) ::: Is x bright?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nVumpus(Max, True)\n\nRules:\nWumpus($x, True) >>> Red($x, True)\nWumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, False)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Happy($x, True)\nJompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bitter($x, True)\nVumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Mean($x, True)\nRompus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Small($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Earthy($x, False)\nDumpus($x, True) >>> Bright($x, True)\nTumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Bright($x, False)\nYumpus($x, True) >>> Numpus($x, True)\n\nQuery:\nBright(Max, False)" + ] + }, + { + "id": "ProntoQA_491", + "context": "Each tumpus is wooden. Every tumpus is an impus. Numpuses are cold. Every impus is kind. Each impus is a jompus. Each jompus is feisty. Every jompus is a yumpus. Yumpuses are not red. Each yumpus is a rompus. Rompuses are large. Rompuses are vumpuses. Each vumpus is bright. Vumpuses are wumpuses. Wumpuses are not cold. Wumpuses are dumpuses. Dumpuses are opaque. Dumpuses are zumpuses. Stella is a jompus.", + "question": "Is the following statement true or false? Stella is cold.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nTumpus($x, bool) ::: Does x belong to Tumpus?\nWooden($x, bool) ::: Is x wooden?\nImpus($x, bool) ::: Does x belong to Impus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nCold($x, bool) ::: Is x cold?\nKind($x, bool) ::: Is x kind?\nJompus($x, bool) ::: Does x belong to Jompus?\nFeisty($x, bool) ::: Is x feisty?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nRed($x, bool) ::: Is x red?\nRompus($x, bool) ::: Does x belong to Rompus?\nLarge($x, bool) ::: Is x large?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nOpaque($x, bool) ::: Is x opaque?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nJompus(Stella, True)\n\nRules:\nTumpus($x, True) >>> Wooden($x, True)\nTumpus($x, True) >>> Impus($x, True)\nNumpus($x, True) >>> Cold($x, True)\nImpus($x, True) >>> Kind($x, True)\nImpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Feisty($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Red($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Large($x, True)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Cold($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Opaque($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\n\nQuery:\nCold(Stella, False)" + ] + }, + { + "id": "ProntoQA_492", + "context": "Every jompus is kind. Jompuses are wumpuses. Each wumpus is dull. Every wumpus is a vumpus. Every vumpus is not nervous. Vumpuses are zumpuses. Zumpuses are not sour. Each zumpus is a yumpus. Every yumpus is wooden. Each yumpus is an impus. Impuses are not orange. Every impus is a tumpus. Each tumpus is cold. Dumpuses are orange. Tumpuses are rompuses. Rompuses are transparent. Rompuses are numpuses. Rex is a wumpus.", + "question": "Is the following statement true or false? Rex is not orange.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nKind($x, bool) ::: Is x kind?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWooden($x, bool) ::: Is x wooden?\nImpus($x, bool) ::: Does x belong to Impus?\nOrange($x, bool) ::: Is x orange?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\n\nFacts:\nWumpus(Rex, True)\n\nRules:\nJompus($x, True) >>> Kind($x, True)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Dull($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Nervous($x, False)\nVumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, False)\nZumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Wooden($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Orange($x, False)\nImpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nDumpus($x, True) >>> Orange($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Transparent($x, True)\nRompus($x, True) >>> Numpus($x, True)\n\nQuery:\nOrange(Rex, False)" + ] + }, + { + "id": "ProntoQA_493", + "context": "Numpuses are angry. Every wumpus is not floral. Wumpuses are dumpuses. Dumpuses are feisty. Each dumpus is a zumpus. Each zumpus is not wooden. Each zumpus is an impus. Every impus is transparent. Impuses are vumpuses. Vumpuses are orange. Vumpuses are jompuses. Each jompus is not angry. Each jompus is a tumpus. Tumpuses are not spicy. Tumpuses are rompuses. Alex is a dumpus.", + "question": "Is the following statement true or false? Alex is not angry.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nNumpus($x, bool) ::: Does x belong to Numpus?\nAngry($x, bool) ::: Is x angry?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nFloral($x, bool) ::: Is x floral?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nFeisty($x, bool) ::: Is x feisty?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nWooden($x, bool) ::: Is x wooden?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOrange($x, bool) ::: Is x orange?\nJompus($x, bool) ::: Does x belong to Jompus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSpicy($x, bool) ::: Is x spicy?\nRompus($x, bool) ::: Does x belong to Rompus?\n\nFacts:\nDumpus(Alex, True)\n\nRules:\nNumpus($x, True) >>> Angry($x, True)\nWumpus($x, True) >>> Floral($x, False)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Feisty($x, True)\nDumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Wooden($x, False)\nZumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, True)\nImpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Orange($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Angry($x, False)\nJompus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Spicy($x, False)\nTumpus($x, True) >>> Rompus($x, True)\n\nQuery:\nAngry(Alex, False)" + ] + }, + { + "id": "ProntoQA_494", + "context": "Every vumpus is spicy. Each vumpus is a jompus. Every jompus is wooden. Jompuses are yumpuses. Yumpuses are dull. Every yumpus is an impus. Impuses are not transparent. Impuses are zumpuses. Zumpuses are not fruity. Every zumpus is a rompus. Each wumpus is fruity. Rompuses are not small. Rompuses are numpuses. Rex is a vumpus.", + "question": "Is the following statement true or false? Rex is not fruity.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSpicy($x, bool) ::: Is x spicy?\nJompus($x, bool) ::: Does x belong to Jompus?\nWooden($x, bool) ::: Is x wooden?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nDull($x, bool) ::: Is x dull?\nImpus($x, bool) ::: Does x belong to Impus?\nTransparent($x, bool) ::: Is x transparent?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nFruity($x, bool) ::: Is x fruity?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nNumpus($x, bool) ::: Does x belong to Numpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\n\nFacts:\nVumpus(Rex, True)\n\nRules:\nVumpus($x, True) >>> Spicy($x, True)\nVumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Wooden($x, True)\nJompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Dull($x, True)\nYumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Transparent($x, False)\nImpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Fruity($x, False)\nZumpus($x, True) >>> Rompus($x, True)\nWumpus($x, True) >>> Fruity($x, True)\nRompus($x, True) >>> Small($x, False)\nRompus($x, True) >>> Numpus($x, True)\n\nQuery:\nFruity(Rex, False)" + ] + }, + { + "id": "ProntoQA_495", + "context": "Each wumpus is nervous. Each wumpus is a vumpus. Vumpuses are not liquid. Vumpuses are tumpuses. Every tumpus is hot. Tumpuses are zumpuses. Every zumpus is sour. Each zumpus is a jompus. Jompuses are not floral. Every jompus is an impus. Every numpus is not orange. Impuses are orange. Each impus is a yumpus. Yumpuses are not opaque. Each yumpus is a rompus. Every rompus is small. Every rompus is a dumpus. Sam is a vumpus.", + "question": "Is the following statement true or false? Sam is orange.", + "answer": "A", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNervous($x, bool) ::: Is x nervous?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nLiquid($x, bool) ::: Is x liquid?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nHot($x, bool) ::: Is x hot?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nJompus($x, bool) ::: Does x belong to Jompus?\nFloral($x, bool) ::: Is x floral?\nImpus($x, bool) ::: Does x belong to Impus?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOrange($x, bool) ::: Is x orange?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nOpaque($x, bool) ::: Is x opaque?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nDumpus($x, bool) ::: Does x belong to Dumpus?\n\nFacts:\nVumpus(Sam, True)\n\nRules:\nWumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Liquid($x, False)\nVumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Hot($x, True)\nTumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, True)\nZumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Floral($x, False)\nJompus($x, True) >>> Impus($x, True)\nNumpus($x, True) >>> Orange($x, False)\nImpus($x, True) >>> Orange($x, True)\nImpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Opaque($x, False)\nYumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Dumpus($x, True)\n\nQuery:\nOrange(Sam, True)" + ] + }, + { + "id": "ProntoQA_496", + "context": "Each zumpus is not metallic. Every zumpus is a jompus. Rompuses are not aggressive. Jompuses are not red. Each jompus is a wumpus. Every wumpus is not nervous. Each wumpus is a tumpus. Tumpuses are transparent. Tumpuses are vumpuses. Every vumpus is cold. Each vumpus is a dumpus. Every dumpus is not dull. Each dumpus is a yumpus. Yumpuses are spicy. Yumpuses are numpuses. Numpuses are aggressive. Every numpus is an impus. Alex is a tumpus.", + "question": "Is the following statement true or false? Alex is not aggressive.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nMetallic($x, bool) ::: Is x metallic?\nJompus($x, bool) ::: Does x belong to Jompus?\nAggressive($x, bool) ::: Is x aggressive?\nRed($x, bool) ::: Is x red?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNervous($x, bool) ::: Is x nervous?\nTumpuses($x, bool) ::: Does x belong to Tumpuses?\nTransparent($x, bool) ::: Is x transparent?\nVumpuses($x, bool) ::: Does x belong to Vumpuses?\nCold($x, bool) ::: Is x cold?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nSpicy($x, bool) ::: Is x spicy?\nNumpus($x, bool) ::: Does x belong to Numpus?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nTumpuses(Alex, True)\n\nRules:\nZumpus($x, True) >>> Metallic($x, False)\nZumpus($x, True) >>> Jompus($x, True)\nRompus($x, True) >>> Aggressive($x, False)\nJompus($x, True) >>> Red($x, False)\nJompus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Nervous($x, False)\nWumpus($x, True) >>> Tumpuses($x, True)\nTumpuses($x, True) >>> Transparent($x, True)\nTumpuses($x, True) >>> Vumpuses($x, True)\nVumpuses($x, True) >>> Cold($x, True)\nVumpuses($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, False)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Spicy($x, True)\nYumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Aggressive($x, True)\nNumpus($x, True) >>> Impus($x, True)\n\nQuery:\nAggressive(Alex, False)" + ] + }, + { + "id": "ProntoQA_497", + "context": "Yumpuses are metallic. Yumpuses are wumpuses. Every wumpus is nervous. Every wumpus is a zumpus. Every zumpus is not sour. Zumpuses are numpuses. Each numpus is kind. Numpuses are rompuses. Rompuses are small. Every rompus is an impus. Every impus is not opaque. Impuses are dumpuses. Jompuses are not small. Dumpuses are not dull. Each dumpus is a vumpus. Each vumpus is orange. Each vumpus is a tumpus. Stella is a yumpus.", + "question": "Is the following statement true or false? Stella is not small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMetallic($x, bool) ::: Is x metallic?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nNervous($x, bool) ::: Is x nervous?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nKind($x, bool) ::: Is x kind?\nRompus($x, bool) ::: Does x belong to Rompus?\nSmall($x, bool) ::: Is x small?\nImpus($x, bool) ::: Does x belong to Impus?\nOpaque($x, bool) ::: Is x opaque?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nOrange($x, bool) ::: Is x orange?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nJompus($x, bool) ::: Does x belong to Jompus?\n\nFacts:\nYumpus(Stella, True)\n\nRules:\nYumpus($x, True) >>> Metallic($x, True)\nYumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Nervous($x, True)\nWumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Sour($x, False)\nZumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Kind($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Small($x, True)\nRompus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Opaque($x, False)\nImpus($x, True) >>> Dumpus($x, True)\nJompus($x, True) >>> Small($x, False)\nDumpus($x, True) >>> Dull($x, False)\nDumpus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Orange($x, True)\nVumpus($x, True) >>> Tumpus($x, True)\n\nQuery:\nSmall(Stella, False)" + ] + }, + { + "id": "ProntoQA_498", + "context": "Jompuses are earthy. Every jompus is a dumpus. Dumpuses are liquid. Each vumpus is not sweet. Each dumpus is a wumpus. Wumpuses are transparent. Every wumpus is a numpus. Each numpus is aggressive. Each numpus is a zumpus. Zumpuses are brown. Zumpuses are tumpuses. Tumpuses are sweet. Tumpuses are rompuses. Every rompus is not dull. Every rompus is a yumpus. Yumpuses are temperate. Yumpuses are impuses. Rex is a dumpus.", + "question": "Is the following statement true or false? Rex is not sweet.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nJompus($x, bool) ::: Does x belong to Jompus?\nEarthy($x, bool) ::: Is x earthy?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nLiquid($x, bool) ::: Is x liquid?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nSweet($x, bool) ::: Is x sweet?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nTransparent($x, bool) ::: Is x transparent?\nNumpus($x, bool) ::: Does x belong to Numpus?\nAggressive($x, bool) ::: Is x aggressive?\nZumpus($x, bool) ::: Does x belong to Zumpus?\nBrown($x, bool) ::: Is x brown?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nRompus($x, bool) ::: Does x belong to Rompus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nTemperate($x, bool) ::: Is x temperate?\nImpus($x, bool) ::: Does x belong to Impus?\n\nFacts:\nDumpus(Rex, True)\n\nRules:\nJompus($x, True) >>> Earthy($x, True)\nJompus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Liquid($x, True)\nVumpus($x, True) >>> Sweet($x, False)\nDumpus($x, True) >>> Wumpus($x, True)\nWumpus($x, True) >>> Transparent($x, True)\nWumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Aggressive($x, True)\nNumpus($x, True) >>> Zumpus($x, True)\nZumpus($x, True) >>> Brown($x, True)\nZumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Sweet($x, True)\nTumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Dull($x, False)\nRompus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Temperate($x, True)\nYumpus($x, True) >>> Impus($x, True)\n\nQuery:\nSweet(Rex, False)" + ] + }, + { + "id": "ProntoQA_499", + "context": "Every wumpus is brown. Every wumpus is a dumpus. Every dumpus is dull. Dumpuses are yumpuses. Yumpuses are not metallic. Every yumpus is a tumpus. Tumpuses are sour. Tumpuses are numpuses. Every numpus is opaque. Each numpus is an impus. Each impus is small. Every impus is a jompus. Each zumpus is not small. Fae is a dumpus.", + "question": "Is the following statement true or false? Fae is not small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nWumpus($x, bool) ::: Does x belong to Wumpus?\nBrown($x, bool) ::: Is x brown?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nDull($x, bool) ::: Is x dull?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nMetallic($x, bool) ::: Is x metallic?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nSour($x, bool) ::: Is x sour?\nNumpus($x, bool) ::: Does x belong to Numpus?\nOpaque($x, bool) ::: Is x opaque?\nImpus($x, bool) ::: Does x belong to Impus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nZumpus($x, bool) ::: Does x belong to Zumpus?\n\nFacts:\nDumpus(Fae, True)\n\nRules:\nWumpus($x, True) >>> Brown($x, True)\nWumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Dull($x, True)\nDumpus($x, True) >>> Yumpus($x, True)\nYumpus($x, True) >>> Metallic($x, False)\nYumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Sour($x, True)\nTumpus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Opaque($x, True)\nNumpus($x, True) >>> Impus($x, True)\nImpus($x, True) >>> Small($x, True)\nImpus($x, True) >>> Jompus($x, True)\nZumpus($x, True) >>> Small($x, False)\n\nQuery:\nSmall(Fae, False)" + ] + }, + { + "id": "ProntoQA_500", + "context": "Every zumpus is aggressive. Zumpuses are yumpuses. Wumpuses are not small. Each yumpus is not luminous. Every yumpus is a jompus. Jompuses are orange. Jompuses are numpuses. Each numpus is earthy. Each numpus is a rompus. Rompuses are not sweet. Each rompus is a vumpus. Every vumpus is bright. Each vumpus is a dumpus. Each dumpus is small. Dumpuses are tumpuses. Every tumpus is cold. Every tumpus is an impus. Polly is a jompus.", + "question": "Is the following statement true or false? Polly is not small.", + "answer": "B", + "options": [ + "A) True", + "B) False" + ], + "raw_logic_programs": [ + "Predicates:\nZumpus($x, bool) ::: Does x belong to Zumpus?\nAggressive($x, bool) ::: Is x aggressive?\nYumpus($x, bool) ::: Does x belong to Yumpus?\nWumpus($x, bool) ::: Does x belong to Wumpus?\nSmall($x, bool) ::: Is x small?\nJompus($x, bool) ::: Does x belong to Jompus?\nOrange($x, bool) ::: Is x orange?\nNumpus($x, bool) ::: Does x belong to Numpus?\nEarthy($x, bool) ::: Is x earthy?\nRompus($x, bool) ::: Does x belong to Rompus?\nSweet($x, bool) ::: Is x sweet?\nVumpus($x, bool) ::: Does x belong to Vumpus?\nBright($x, bool) ::: Is x bright?\nDumpus($x, bool) ::: Does x belong to Dumpus?\nTumpus($x, bool) ::: Does x belong to Tumpus?\nCold($x, bool) ::: Is x cold?\nImpus($x, bool) ::: Does x belong to Impus?\nLuminous($x, bool) ::: Is x luminous?\n\nFacts:\nJompus(Polly, True)\n\nRules:\nZumpus($x, True) >>> Aggressive($x, True)\nZumpus($x, True) >>> Yumpus($x, True)\nWumpus($x, True) >>> Small($x, False)\nYumpus($x, True) >>> Luminous($x, False)\nYumpus($x, True) >>> Jompus($x, True)\nJompus($x, True) >>> Orange($x, True)\nJompus($x, True) >>> Numpus($x, True)\nNumpus($x, True) >>> Earthy($x, True)\nNumpus($x, True) >>> Rompus($x, True)\nRompus($x, True) >>> Sweet($x, False)\nRompus($x, True) >>> Vumpus($x, True)\nVumpus($x, True) >>> Bright($x, True)\nVumpus($x, True) >>> Dumpus($x, True)\nDumpus($x, True) >>> Small($x, True)\nDumpus($x, True) >>> Tumpus($x, True)\nTumpus($x, True) >>> Cold($x, True)\nTumpus($x, True) >>> Impus($x, True)\n\nQuery:\nSmall(Polly, False)" + ] + } +] \ No newline at end of file diff --git a/examples/ProntoQA_dev_processed.json b/examples/ProntoQA_dev_processed.json new file mode 100644 index 0000000..e544ef8 --- /dev/null +++ b/examples/ProntoQA_dev_processed.json @@ -0,0 +1,3502 @@ +[ + { + "id": "ProntoQA_1", + "question": "Jompuses are not shy. Jompuses are yumpuses. Each yumpus is aggressive. Each yumpus is a dumpus. Dumpuses are not wooden. Dumpuses are wumpuses. Wumpuses are red. Every wumpus is an impus. Each impus is opaque. Impuses are tumpuses. Numpuses are sour. Tumpuses are not sour. Tumpuses are vumpuses. Vumpuses are earthy. Every vumpus is a zumpus. Zumpuses are small. Zumpuses are rompuses. Max is a yumpus.\n\nIs the following statement true or false? Max is sour.", + "answer": false, + "original_context": "Jompuses are not shy. Jompuses are yumpuses. Each yumpus is aggressive. Each yumpus is a dumpus. Dumpuses are not wooden. Dumpuses are wumpuses. Wumpuses are red. Every wumpus is an impus. Each impus is opaque. Impuses are tumpuses. Numpuses are sour. Tumpuses are not sour. Tumpuses are vumpuses. Vumpuses are earthy. Every vumpus is a zumpus. Zumpuses are small. Zumpuses are rompuses. Max is a yumpus.", + "original_question": "Is the following statement true or false? Max is sour." + }, + { + "id": "ProntoQA_2", + "question": "Every tumpus is not angry. Tumpuses are rompuses. Every numpus is not bright. Rompuses are not luminous. Rompuses are yumpuses. Yumpuses are transparent. Yumpuses are zumpuses. Each zumpus is not bitter. Zumpuses are impuses. Impuses are red. Each impus is a dumpus. Every dumpus is happy. Each dumpus is a vumpus. Vumpuses are bright. Every vumpus is a jompus. Jompuses are large. Each jompus is a wumpus. Stella is a yumpus.\n\nIs the following statement true or false? Stella is bright.", + "answer": true, + "original_context": "Every tumpus is not angry. Tumpuses are rompuses. Every numpus is not bright. Rompuses are not luminous. Rompuses are yumpuses. Yumpuses are transparent. Yumpuses are zumpuses. Each zumpus is not bitter. Zumpuses are impuses. Impuses are red. Each impus is a dumpus. Every dumpus is happy. Each dumpus is a vumpus. Vumpuses are bright. Every vumpus is a jompus. Jompuses are large. Each jompus is a wumpus. Stella is a yumpus.", + "original_question": "Is the following statement true or false? Stella is bright." + }, + { + "id": "ProntoQA_3", + "question": "Vumpuses are floral. Vumpuses are tumpuses. Tumpuses are brown. Each tumpus is a wumpus. Wumpuses are small. Each wumpus is a rompus. Each zumpus is metallic. Every rompus is happy. Rompuses are impuses. Each impus is amenable. Each impus is a dumpus. Every dumpus is not metallic. Dumpuses are numpuses. Each numpus is bitter. Each numpus is a jompus. Every jompus is cold. Each jompus is a yumpus. Wren is a tumpus.\n\nIs the following statement true or false? Wren is not metallic.", + "answer": true, + "original_context": "Vumpuses are floral. Vumpuses are tumpuses. Tumpuses are brown. Each tumpus is a wumpus. Wumpuses are small. Each wumpus is a rompus. Each zumpus is metallic. Every rompus is happy. Rompuses are impuses. Each impus is amenable. Each impus is a dumpus. Every dumpus is not metallic. Dumpuses are numpuses. Each numpus is bitter. Each numpus is a jompus. Every jompus is cold. Each jompus is a yumpus. Wren is a tumpus.", + "original_question": "Is the following statement true or false? Wren is not metallic." + }, + { + "id": "ProntoQA_4", + "question": "Rompuses are spicy. Every rompus is an impus. Yumpuses are not small. Impuses are orange. Impuses are zumpuses. Zumpuses are not hot. Zumpuses are numpuses. Numpuses are metallic. Numpuses are wumpuses. Every wumpus is not kind. Each wumpus is a dumpus. Each dumpus is not bright. Every dumpus is a jompus. Jompuses are small. Jompuses are vumpuses. Each vumpus is not shy. Every vumpus is a tumpus. Alex is a zumpus.\n\nIs the following statement true or false? Alex is not small.", + "answer": false, + "original_context": "Rompuses are spicy. Every rompus is an impus. Yumpuses are not small. Impuses are orange. Impuses are zumpuses. Zumpuses are not hot. Zumpuses are numpuses. Numpuses are metallic. Numpuses are wumpuses. Every wumpus is not kind. Each wumpus is a dumpus. Each dumpus is not bright. Every dumpus is a jompus. Jompuses are small. Jompuses are vumpuses. Each vumpus is not shy. Every vumpus is a tumpus. Alex is a zumpus.", + "original_question": "Is the following statement true or false? Alex is not small." + }, + { + "id": "ProntoQA_5", + "question": "Rompuses are mean. Rompuses are zumpuses. Each zumpus is not happy. Each zumpus is a numpus. Each numpus is not temperate. Each numpus is a tumpus. Tumpuses are not large. Tumpuses are yumpuses. Every yumpus is earthy. Each yumpus is a jompus. Jompuses are blue. Every jompus is a wumpus. Wumpuses are not dull. Wumpuses are impuses. Each vumpus is dull. Impuses are sour. Impuses are dumpuses. Alex is a numpus.\n\nIs the following statement true or false? Alex is not dull.", + "answer": true, + "original_context": "Rompuses are mean. Rompuses are zumpuses. Each zumpus is not happy. Each zumpus is a numpus. Each numpus is not temperate. Each numpus is a tumpus. Tumpuses are not large. Tumpuses are yumpuses. Every yumpus is earthy. Each yumpus is a jompus. Jompuses are blue. Every jompus is a wumpus. Wumpuses are not dull. Wumpuses are impuses. Each vumpus is dull. Impuses are sour. Impuses are dumpuses. Alex is a numpus.", + "original_question": "Is the following statement true or false? Alex is not dull." + }, + { + "id": "ProntoQA_6", + "question": "Every tumpus is large. Tumpuses are wumpuses. Each wumpus is not opaque. Every dumpus is not dull. Every wumpus is a rompus. Every rompus is brown. Each rompus is a vumpus. Each vumpus is temperate. Vumpuses are jompuses. Jompuses are dull. Jompuses are numpuses. Every numpus is liquid. Each numpus is an impus. Impuses are spicy. Every impus is a yumpus. Every yumpus is not nervous. Every yumpus is a zumpus. Wren is a tumpus.\n\nIs the following statement true or false? Wren is dull.", + "answer": true, + "original_context": "Every tumpus is large. Tumpuses are wumpuses. Each wumpus is not opaque. Every dumpus is not dull. Every wumpus is a rompus. Every rompus is brown. Each rompus is a vumpus. Each vumpus is temperate. Vumpuses are jompuses. Jompuses are dull. Jompuses are numpuses. Every numpus is liquid. Each numpus is an impus. Impuses are spicy. Every impus is a yumpus. Every yumpus is not nervous. Every yumpus is a zumpus. Wren is a tumpus.", + "original_question": "Is the following statement true or false? Wren is dull." + }, + { + "id": "ProntoQA_7", + "question": "Every rompus is orange. Every rompus is an impus. Vumpuses are happy. Every impus is spicy. Every impus is a wumpus. Wumpuses are transparent. Wumpuses are numpuses. Every numpus is not kind. Numpuses are tumpuses. Each tumpus is not bright. Tumpuses are yumpuses. Every yumpus is not liquid. Yumpuses are dumpuses. Each dumpus is not happy. Dumpuses are zumpuses. Every zumpus is earthy. Each zumpus is a jompus. Stella is a wumpus.\n\nIs the following statement true or false? Stella is happy.", + "answer": false, + "original_context": "Every rompus is orange. Every rompus is an impus. Vumpuses are happy. Every impus is spicy. Every impus is a wumpus. Wumpuses are transparent. Wumpuses are numpuses. Every numpus is not kind. Numpuses are tumpuses. Each tumpus is not bright. Tumpuses are yumpuses. Every yumpus is not liquid. Yumpuses are dumpuses. Each dumpus is not happy. Dumpuses are zumpuses. Every zumpus is earthy. Each zumpus is a jompus. Stella is a wumpus.", + "original_question": "Is the following statement true or false? Stella is happy." + }, + { + "id": "ProntoQA_8", + "question": "Every jompus is sour. Each jompus is a rompus. Rompuses are not kind. Every rompus is a zumpus. Every zumpus is feisty. Zumpuses are tumpuses. Tumpuses are small. Tumpuses are wumpuses. Wumpuses are opaque. Wumpuses are impuses. Every yumpus is hot. Impuses are brown. Impuses are dumpuses. Dumpuses are not hot. Every dumpus is a vumpus. Each vumpus is dull. Vumpuses are numpuses. Alex is a zumpus.\n\nIs the following statement true or false? Alex is hot.", + "answer": false, + "original_context": "Every jompus is sour. Each jompus is a rompus. Rompuses are not kind. Every rompus is a zumpus. Every zumpus is feisty. Zumpuses are tumpuses. Tumpuses are small. Tumpuses are wumpuses. Wumpuses are opaque. Wumpuses are impuses. Every yumpus is hot. Impuses are brown. Impuses are dumpuses. Dumpuses are not hot. Every dumpus is a vumpus. Each vumpus is dull. Vumpuses are numpuses. Alex is a zumpus.", + "original_question": "Is the following statement true or false? Alex is hot." + }, + { + "id": "ProntoQA_9", + "question": "Every dumpus is not shy. Each dumpus is a tumpus. Rompuses are not wooden. Tumpuses are opaque. Every tumpus is a wumpus. Wumpuses are not floral. Each wumpus is an impus. Impuses are bitter. Every impus is a vumpus. Vumpuses are small. Each vumpus is a numpus. Every numpus is wooden. Each numpus is a yumpus. Each yumpus is orange. Each yumpus is a jompus. Each jompus is amenable. Every jompus is a zumpus. Wren is a tumpus.\n\nIs the following statement true or false? Wren is wooden.", + "answer": true, + "original_context": "Every dumpus is not shy. Each dumpus is a tumpus. Rompuses are not wooden. Tumpuses are opaque. Every tumpus is a wumpus. Wumpuses are not floral. Each wumpus is an impus. Impuses are bitter. Every impus is a vumpus. Vumpuses are small. Each vumpus is a numpus. Every numpus is wooden. Each numpus is a yumpus. Each yumpus is orange. Each yumpus is a jompus. Each jompus is amenable. Every jompus is a zumpus. Wren is a tumpus.", + "original_question": "Is the following statement true or false? Wren is wooden." + }, + { + "id": "ProntoQA_10", + "question": "Every impus is earthy. Each impus is a jompus. Jompuses are small. Jompuses are rompuses. Rompuses are not amenable. Rompuses are wumpuses. Wumpuses are wooden. Wumpuses are zumpuses. Every zumpus is temperate. Every zumpus is a dumpus. Dumpuses are dull. Dumpuses are vumpuses. Every vumpus is not shy. Every yumpus is sweet. Vumpuses are numpuses. Numpuses are not sweet. Numpuses are tumpuses. Fae is a wumpus.\n\nIs the following statement true or false? Fae is sweet.", + "answer": false, + "original_context": "Every impus is earthy. Each impus is a jompus. Jompuses are small. Jompuses are rompuses. Rompuses are not amenable. Rompuses are wumpuses. Wumpuses are wooden. Wumpuses are zumpuses. Every zumpus is temperate. Every zumpus is a dumpus. Dumpuses are dull. Dumpuses are vumpuses. Every vumpus is not shy. Every yumpus is sweet. Vumpuses are numpuses. Numpuses are not sweet. Numpuses are tumpuses. Fae is a wumpus.", + "original_question": "Is the following statement true or false? Fae is sweet." + }, + { + "id": "ProntoQA_11", + "question": "Each jompus is not amenable. Wumpuses are not fruity. Every jompus is a vumpus. Every vumpus is not shy. Every vumpus is a rompus. Rompuses are not bitter. Rompuses are dumpuses. Dumpuses are opaque. Every dumpus is a yumpus. Every yumpus is orange. Yumpuses are zumpuses. Zumpuses are fruity. Each zumpus is a numpus. Numpuses are metallic. Every numpus is a tumpus. Each tumpus is large. Each tumpus is an impus. Sam is a vumpus.\n\nIs the following statement true or false? Sam is not fruity.", + "answer": false, + "original_context": "Each jompus is not amenable. Wumpuses are not fruity. Every jompus is a vumpus. Every vumpus is not shy. Every vumpus is a rompus. Rompuses are not bitter. Rompuses are dumpuses. Dumpuses are opaque. Every dumpus is a yumpus. Every yumpus is orange. Yumpuses are zumpuses. Zumpuses are fruity. Each zumpus is a numpus. Numpuses are metallic. Every numpus is a tumpus. Each tumpus is large. Each tumpus is an impus. Sam is a vumpus.", + "original_question": "Is the following statement true or false? Sam is not fruity." + }, + { + "id": "ProntoQA_12", + "question": "Each tumpus is orange. Tumpuses are numpuses. Numpuses are small. Numpuses are vumpuses. Every vumpus is sour. Vumpuses are dumpuses. Each dumpus is cold. Every dumpus is a zumpus. Each zumpus is dull. Zumpuses are yumpuses. Jompuses are floral. Every yumpus is not amenable. Each yumpus is a rompus. Every rompus is opaque. Rompuses are impuses. Impuses are not floral. Impuses are wumpuses. Fae is a dumpus.\n\nIs the following statement true or false? Fae is not floral.", + "answer": true, + "original_context": "Each tumpus is orange. Tumpuses are numpuses. Numpuses are small. Numpuses are vumpuses. Every vumpus is sour. Vumpuses are dumpuses. Each dumpus is cold. Every dumpus is a zumpus. Each zumpus is dull. Zumpuses are yumpuses. Jompuses are floral. Every yumpus is not amenable. Each yumpus is a rompus. Every rompus is opaque. Rompuses are impuses. Impuses are not floral. Impuses are wumpuses. Fae is a dumpus.", + "original_question": "Is the following statement true or false? Fae is not floral." + }, + { + "id": "ProntoQA_13", + "question": "Each yumpus is opaque. Each yumpus is a dumpus. Vumpuses are not dull. Dumpuses are floral. Each dumpus is a zumpus. Each zumpus is hot. Every zumpus is an impus. Each impus is large. Every impus is a rompus. Rompuses are spicy. Each rompus is a numpus. Numpuses are amenable. Each numpus is a jompus. Jompuses are dull. Each jompus is a wumpus. Wumpuses are not metallic. Every wumpus is a tumpus. Max is a zumpus.\n\nIs the following statement true or false? Max is dull.", + "answer": true, + "original_context": "Each yumpus is opaque. Each yumpus is a dumpus. Vumpuses are not dull. Dumpuses are floral. Each dumpus is a zumpus. Each zumpus is hot. Every zumpus is an impus. Each impus is large. Every impus is a rompus. Rompuses are spicy. Each rompus is a numpus. Numpuses are amenable. Each numpus is a jompus. Jompuses are dull. Each jompus is a wumpus. Wumpuses are not metallic. Every wumpus is a tumpus. Max is a zumpus.", + "original_question": "Is the following statement true or false? Max is dull." + }, + { + "id": "ProntoQA_14", + "question": "Jompuses are large. Every jompus is a zumpus. Each zumpus is sweet. Zumpuses are numpuses. Every numpus is hot. Each tumpus is opaque. Numpuses are yumpuses. Every yumpus is brown. Each yumpus is a wumpus. Wumpuses are not opaque. Wumpuses are impuses. Fae is a jompus.\n\nIs the following statement true or false? Fae is opaque.", + "answer": false, + "original_context": "Jompuses are large. Every jompus is a zumpus. Each zumpus is sweet. Zumpuses are numpuses. Every numpus is hot. Each tumpus is opaque. Numpuses are yumpuses. Every yumpus is brown. Each yumpus is a wumpus. Wumpuses are not opaque. Wumpuses are impuses. Fae is a jompus.", + "original_question": "Is the following statement true or false? Fae is opaque." + }, + { + "id": "ProntoQA_15", + "question": "Jompuses are not small. Jompuses are tumpuses. Tumpuses are not kind. Each tumpus is a vumpus. Vumpuses are metallic. Vumpuses are numpuses. Each numpus is fruity. Each numpus is a dumpus. Dumpuses are nervous. Dumpuses are rompuses. Each rompus is opaque. Every wumpus is dull. Each rompus is a zumpus. Each zumpus is hot. Every zumpus is an impus. Every impus is not dull. Each impus is a yumpus. Sam is a numpus.\n\nIs the following statement true or false? Sam is not dull.", + "answer": true, + "original_context": "Jompuses are not small. Jompuses are tumpuses. Tumpuses are not kind. Each tumpus is a vumpus. Vumpuses are metallic. Vumpuses are numpuses. Each numpus is fruity. Each numpus is a dumpus. Dumpuses are nervous. Dumpuses are rompuses. Each rompus is opaque. Every wumpus is dull. Each rompus is a zumpus. Each zumpus is hot. Every zumpus is an impus. Every impus is not dull. Each impus is a yumpus. Sam is a numpus.", + "original_question": "Is the following statement true or false? Sam is not dull." + }, + { + "id": "ProntoQA_16", + "question": "Yumpuses are hot. Each yumpus is a rompus. Rompuses are happy. Rompuses are impuses. Each impus is not amenable. Every impus is a dumpus. Dumpuses are opaque. Dumpuses are tumpuses. Numpuses are small. Tumpuses are orange. Every tumpus is a wumpus. Wumpuses are not small. Wumpuses are vumpuses. Every vumpus is fruity. Every vumpus is a jompus. Jompuses are not dull. Every jompus is a zumpus. Sally is a rompus.\n\nIs the following statement true or false? Sally is small.", + "answer": false, + "original_context": "Yumpuses are hot. Each yumpus is a rompus. Rompuses are happy. Rompuses are impuses. Each impus is not amenable. Every impus is a dumpus. Dumpuses are opaque. Dumpuses are tumpuses. Numpuses are small. Tumpuses are orange. Every tumpus is a wumpus. Wumpuses are not small. Wumpuses are vumpuses. Every vumpus is fruity. Every vumpus is a jompus. Jompuses are not dull. Every jompus is a zumpus. Sally is a rompus.", + "original_question": "Is the following statement true or false? Sally is small." + }, + { + "id": "ProntoQA_17", + "question": "Each numpus is not nervous. Every numpus is a wumpus. Wumpuses are liquid. Each wumpus is a jompus. Jompuses are fruity. Zumpuses are not opaque. Each jompus is a yumpus. Every yumpus is kind. Yumpuses are vumpuses. Vumpuses are opaque. Every vumpus is an impus. Impuses are not small. Impuses are rompuses. Rompuses are dull. Rompuses are tumpuses. Every tumpus is temperate. Every tumpus is a dumpus. Fae is a numpus.\n\nIs the following statement true or false? Fae is not opaque.", + "answer": false, + "original_context": "Each numpus is not nervous. Every numpus is a wumpus. Wumpuses are liquid. Each wumpus is a jompus. Jompuses are fruity. Zumpuses are not opaque. Each jompus is a yumpus. Every yumpus is kind. Yumpuses are vumpuses. Vumpuses are opaque. Every vumpus is an impus. Impuses are not small. Impuses are rompuses. Rompuses are dull. Rompuses are tumpuses. Every tumpus is temperate. Every tumpus is a dumpus. Fae is a numpus.", + "original_question": "Is the following statement true or false? Fae is not opaque." + }, + { + "id": "ProntoQA_18", + "question": "Each dumpus is bright. Each dumpus is a rompus. Every rompus is aggressive. Every rompus is a yumpus. Yumpuses are brown. Yumpuses are vumpuses. Every impus is fruity. Every vumpus is sour. Every vumpus is a numpus. Every numpus is not temperate. Every numpus is a zumpus. Zumpuses are metallic. Zumpuses are jompuses. Each jompus is not fruity. Jompuses are tumpuses. Tumpuses are opaque. Every tumpus is a wumpus. Sam is a yumpus.\n\nIs the following statement true or false? Sam is fruity.", + "answer": false, + "original_context": "Each dumpus is bright. Each dumpus is a rompus. Every rompus is aggressive. Every rompus is a yumpus. Yumpuses are brown. Yumpuses are vumpuses. Every impus is fruity. Every vumpus is sour. Every vumpus is a numpus. Every numpus is not temperate. Every numpus is a zumpus. Zumpuses are metallic. Zumpuses are jompuses. Each jompus is not fruity. Jompuses are tumpuses. Tumpuses are opaque. Every tumpus is a wumpus. Sam is a yumpus.", + "original_question": "Is the following statement true or false? Sam is fruity." + }, + { + "id": "ProntoQA_19", + "question": "Each numpus is not opaque. Each numpus is a wumpus. Each wumpus is feisty. Wumpuses are tumpuses. Tumpuses are fruity. Every tumpus is a dumpus. Every dumpus is wooden. Each dumpus is a yumpus. Yumpuses are blue. Each yumpus is a zumpus. Every zumpus is spicy. Zumpuses are impuses. Each impus is not kind. Impuses are rompuses. Jompuses are not dull. Every rompus is dull. Each rompus is a vumpus. Sam is a dumpus.\n\nIs the following statement true or false? Sam is not dull.", + "answer": false, + "original_context": "Each numpus is not opaque. Each numpus is a wumpus. Each wumpus is feisty. Wumpuses are tumpuses. Tumpuses are fruity. Every tumpus is a dumpus. Every dumpus is wooden. Each dumpus is a yumpus. Yumpuses are blue. Each yumpus is a zumpus. Every zumpus is spicy. Zumpuses are impuses. Each impus is not kind. Impuses are rompuses. Jompuses are not dull. Every rompus is dull. Each rompus is a vumpus. Sam is a dumpus.", + "original_question": "Is the following statement true or false? Sam is not dull." + }, + { + "id": "ProntoQA_20", + "question": "Each yumpus is not small. Each yumpus is a dumpus. Each dumpus is opaque. Every dumpus is a jompus. Each jompus is shy. Each numpus is sour. Every jompus is a tumpus. Each tumpus is brown. Each tumpus is a vumpus. Vumpuses are dull. Vumpuses are wumpuses. Every wumpus is not sour. Wumpuses are rompuses. Each rompus is not luminous. Rompuses are impuses. Stella is a dumpus.\n\nIs the following statement true or false? Stella is sour.", + "answer": false, + "original_context": "Each yumpus is not small. Each yumpus is a dumpus. Each dumpus is opaque. Every dumpus is a jompus. Each jompus is shy. Each numpus is sour. Every jompus is a tumpus. Each tumpus is brown. Each tumpus is a vumpus. Vumpuses are dull. Vumpuses are wumpuses. Every wumpus is not sour. Wumpuses are rompuses. Each rompus is not luminous. Rompuses are impuses. Stella is a dumpus.", + "original_question": "Is the following statement true or false? Stella is sour." + }, + { + "id": "ProntoQA_21", + "question": "Vumpuses are earthy. Vumpuses are dumpuses. Dumpuses are not wooden. Dumpuses are numpuses. Every numpus is kind. Each numpus is a rompus. Each rompus is small. Every rompus is a jompus. Every jompus is bright. Jompuses are yumpuses. Yumpuses are orange. Every yumpus is a zumpus. Zumpuses are sour. Zumpuses are impuses. Impuses are transparent. Tumpuses are not orange. Each impus is a wumpus. Max is a dumpus.\n\nIs the following statement true or false? Max is orange.", + "answer": true, + "original_context": "Vumpuses are earthy. Vumpuses are dumpuses. Dumpuses are not wooden. Dumpuses are numpuses. Every numpus is kind. Each numpus is a rompus. Each rompus is small. Every rompus is a jompus. Every jompus is bright. Jompuses are yumpuses. Yumpuses are orange. Every yumpus is a zumpus. Zumpuses are sour. Zumpuses are impuses. Impuses are transparent. Tumpuses are not orange. Each impus is a wumpus. Max is a dumpus.", + "original_question": "Is the following statement true or false? Max is orange." + }, + { + "id": "ProntoQA_22", + "question": "Every wumpus is sour. Wumpuses are yumpuses. Each yumpus is aggressive. Every yumpus is a tumpus. Every tumpus is transparent. Tumpuses are vumpuses. Vumpuses are wooden. Each vumpus is a jompus. Each impus is not feisty. Every jompus is large. Jompuses are numpuses. Numpuses are red. Numpuses are rompuses. Every rompus is feisty. Each rompus is a zumpus. Wren is a tumpus.\n\nIs the following statement true or false? Wren is not feisty.", + "answer": false, + "original_context": "Every wumpus is sour. Wumpuses are yumpuses. Each yumpus is aggressive. Every yumpus is a tumpus. Every tumpus is transparent. Tumpuses are vumpuses. Vumpuses are wooden. Each vumpus is a jompus. Each impus is not feisty. Every jompus is large. Jompuses are numpuses. Numpuses are red. Numpuses are rompuses. Every rompus is feisty. Each rompus is a zumpus. Wren is a tumpus.", + "original_question": "Is the following statement true or false? Wren is not feisty." + }, + { + "id": "ProntoQA_23", + "question": "Every zumpus is not opaque. Each zumpus is a numpus. Numpuses are brown. Numpuses are dumpuses. Each dumpus is amenable. Impuses are not bitter. Every dumpus is a vumpus. Each vumpus is not cold. Each vumpus is a tumpus. Every tumpus is wooden. Every tumpus is a rompus. Each rompus is floral. Rompuses are yumpuses. Yumpuses are bitter. Every yumpus is a wumpus. Wumpuses are not feisty. Wumpuses are jompuses. Sally is a dumpus.\n\nIs the following statement true or false? Sally is bitter.", + "answer": true, + "original_context": "Every zumpus is not opaque. Each zumpus is a numpus. Numpuses are brown. Numpuses are dumpuses. Each dumpus is amenable. Impuses are not bitter. Every dumpus is a vumpus. Each vumpus is not cold. Each vumpus is a tumpus. Every tumpus is wooden. Every tumpus is a rompus. Each rompus is floral. Rompuses are yumpuses. Yumpuses are bitter. Every yumpus is a wumpus. Wumpuses are not feisty. Wumpuses are jompuses. Sally is a dumpus.", + "original_question": "Is the following statement true or false? Sally is bitter." + }, + { + "id": "ProntoQA_24", + "question": "Every numpus is floral. Numpuses are jompuses. Jompuses are not nervous. Each jompus is an impus. Every impus is brown. Every dumpus is not amenable. Each impus is a wumpus. Wumpuses are not bitter. Each wumpus is a zumpus. Every zumpus is not small. Zumpuses are vumpuses. Vumpuses are hot. Vumpuses are rompuses. Rompuses are amenable. Every rompus is a tumpus. Every tumpus is bright. Every tumpus is a yumpus. Alex is an impus.\n\nIs the following statement true or false? Alex is amenable.", + "answer": true, + "original_context": "Every numpus is floral. Numpuses are jompuses. Jompuses are not nervous. Each jompus is an impus. Every impus is brown. Every dumpus is not amenable. Each impus is a wumpus. Wumpuses are not bitter. Each wumpus is a zumpus. Every zumpus is not small. Zumpuses are vumpuses. Vumpuses are hot. Vumpuses are rompuses. Rompuses are amenable. Every rompus is a tumpus. Every tumpus is bright. Every tumpus is a yumpus. Alex is an impus.", + "original_question": "Is the following statement true or false? Alex is amenable." + }, + { + "id": "ProntoQA_25", + "question": "Zumpuses are dull. Every vumpus is not transparent. Vumpuses are numpuses. Numpuses are blue. Numpuses are wumpuses. Wumpuses are liquid. Each wumpus is a tumpus. Tumpuses are not spicy. Tumpuses are rompuses. Each rompus is not dull. Rompuses are yumpuses. Every yumpus is floral. Every yumpus is an impus. Impuses are hot. Each impus is a jompus. Every jompus is large. Jompuses are dumpuses. Sam is a vumpus.\n\nIs the following statement true or false? Sam is not dull.", + "answer": true, + "original_context": "Zumpuses are dull. Every vumpus is not transparent. Vumpuses are numpuses. Numpuses are blue. Numpuses are wumpuses. Wumpuses are liquid. Each wumpus is a tumpus. Tumpuses are not spicy. Tumpuses are rompuses. Each rompus is not dull. Rompuses are yumpuses. Every yumpus is floral. Every yumpus is an impus. Impuses are hot. Each impus is a jompus. Every jompus is large. Jompuses are dumpuses. Sam is a vumpus.", + "original_question": "Is the following statement true or false? Sam is not dull." + }, + { + "id": "ProntoQA_26", + "question": "Each numpus is fruity. Every numpus is a tumpus. Every tumpus is dull. Every tumpus is a jompus. Every jompus is not orange. Each jompus is an impus. Each impus is not shy. Impuses are wumpuses. Wumpuses are sweet. Wumpuses are rompuses. Every rompus is not amenable. Each rompus is a zumpus. Every zumpus is large. Zumpuses are yumpuses. Every vumpus is not large. Yumpuses are transparent. Yumpuses are dumpuses. Rex is a jompus.\n\nIs the following statement true or false? Rex is large.", + "answer": true, + "original_context": "Each numpus is fruity. Every numpus is a tumpus. Every tumpus is dull. Every tumpus is a jompus. Every jompus is not orange. Each jompus is an impus. Each impus is not shy. Impuses are wumpuses. Wumpuses are sweet. Wumpuses are rompuses. Every rompus is not amenable. Each rompus is a zumpus. Every zumpus is large. Zumpuses are yumpuses. Every vumpus is not large. Yumpuses are transparent. Yumpuses are dumpuses. Rex is a jompus.", + "original_question": "Is the following statement true or false? Rex is large." + }, + { + "id": "ProntoQA_27", + "question": "Wumpuses are not sour. Each wumpus is a rompus. Rompuses are dull. Each rompus is a dumpus. Every dumpus is feisty. Jompuses are aggressive. Dumpuses are tumpuses. Tumpuses are opaque. Every tumpus is a numpus. Numpuses are hot. Numpuses are zumpuses. Zumpuses are large. Every zumpus is a vumpus. Vumpuses are blue. Every vumpus is an impus. Impuses are not aggressive. Impuses are yumpuses. Fae is a tumpus.\n\nIs the following statement true or false? Fae is not aggressive.", + "answer": true, + "original_context": "Wumpuses are not sour. Each wumpus is a rompus. Rompuses are dull. Each rompus is a dumpus. Every dumpus is feisty. Jompuses are aggressive. Dumpuses are tumpuses. Tumpuses are opaque. Every tumpus is a numpus. Numpuses are hot. Numpuses are zumpuses. Zumpuses are large. Every zumpus is a vumpus. Vumpuses are blue. Every vumpus is an impus. Impuses are not aggressive. Impuses are yumpuses. Fae is a tumpus.", + "original_question": "Is the following statement true or false? Fae is not aggressive." + }, + { + "id": "ProntoQA_28", + "question": "Each impus is small. Each zumpus is not fruity. Every zumpus is a numpus. Each numpus is bitter. Numpuses are rompuses. Rompuses are kind. Rompuses are wumpuses. Every wumpus is not wooden. Wumpuses are yumpuses. Every yumpus is not temperate. Yumpuses are dumpuses. Every dumpus is dull. Dumpuses are tumpuses. Tumpuses are not small. Tumpuses are jompuses. Every jompus is nervous. Each jompus is a vumpus. Alex is a rompus.\n\nIs the following statement true or false? Alex is small.", + "answer": false, + "original_context": "Each impus is small. Each zumpus is not fruity. Every zumpus is a numpus. Each numpus is bitter. Numpuses are rompuses. Rompuses are kind. Rompuses are wumpuses. Every wumpus is not wooden. Wumpuses are yumpuses. Every yumpus is not temperate. Yumpuses are dumpuses. Every dumpus is dull. Dumpuses are tumpuses. Tumpuses are not small. Tumpuses are jompuses. Every jompus is nervous. Each jompus is a vumpus. Alex is a rompus.", + "original_question": "Is the following statement true or false? Alex is small." + }, + { + "id": "ProntoQA_29", + "question": "Every jompus is liquid. Jompuses are rompuses. Every rompus is mean. Rompuses are zumpuses. Each zumpus is transparent. Zumpuses are tumpuses. Tumpuses are not earthy. Each dumpus is bright. Tumpuses are yumpuses. Yumpuses are not bright. Yumpuses are impuses. Impuses are temperate. Impuses are numpuses. Every numpus is feisty. Numpuses are wumpuses. Max is a jompus.\n\nIs the following statement true or false? Max is bright.", + "answer": false, + "original_context": "Every jompus is liquid. Jompuses are rompuses. Every rompus is mean. Rompuses are zumpuses. Each zumpus is transparent. Zumpuses are tumpuses. Tumpuses are not earthy. Each dumpus is bright. Tumpuses are yumpuses. Yumpuses are not bright. Yumpuses are impuses. Impuses are temperate. Impuses are numpuses. Every numpus is feisty. Numpuses are wumpuses. Max is a jompus.", + "original_question": "Is the following statement true or false? Max is bright." + }, + { + "id": "ProntoQA_30", + "question": "Impuses are bright. Every impus is a jompus. Jompuses are mean. Every zumpus is not temperate. Each jompus is a vumpus. Vumpuses are transparent. Every vumpus is a tumpus. Every tumpus is shy. Tumpuses are numpuses. Each numpus is not blue. Every numpus is a dumpus. Dumpuses are not fruity. Each dumpus is a wumpus. Wumpuses are temperate. Wumpuses are rompuses. Rompuses are metallic. Rompuses are yumpuses. Fae is a vumpus.\n\nIs the following statement true or false? Fae is temperate.", + "answer": true, + "original_context": "Impuses are bright. Every impus is a jompus. Jompuses are mean. Every zumpus is not temperate. Each jompus is a vumpus. Vumpuses are transparent. Every vumpus is a tumpus. Every tumpus is shy. Tumpuses are numpuses. Each numpus is not blue. Every numpus is a dumpus. Dumpuses are not fruity. Each dumpus is a wumpus. Wumpuses are temperate. Wumpuses are rompuses. Rompuses are metallic. Rompuses are yumpuses. Fae is a vumpus.", + "original_question": "Is the following statement true or false? Fae is temperate." + }, + { + "id": "ProntoQA_31", + "question": "Each jompus is not small. Each wumpus is angry. Each jompus is a zumpus. Zumpuses are temperate. Zumpuses are tumpuses. Tumpuses are brown. Tumpuses are yumpuses. Yumpuses are wooden. Yumpuses are dumpuses. Each dumpus is not angry. Every dumpus is a numpus. Numpuses are not dull. Every numpus is a vumpus. Wren is a jompus.\n\nIs the following statement true or false? Wren is not angry.", + "answer": true, + "original_context": "Each jompus is not small. Each wumpus is angry. Each jompus is a zumpus. Zumpuses are temperate. Zumpuses are tumpuses. Tumpuses are brown. Tumpuses are yumpuses. Yumpuses are wooden. Yumpuses are dumpuses. Each dumpus is not angry. Every dumpus is a numpus. Numpuses are not dull. Every numpus is a vumpus. Wren is a jompus.", + "original_question": "Is the following statement true or false? Wren is not angry." + }, + { + "id": "ProntoQA_32", + "question": "Numpuses are earthy. Numpuses are vumpuses. Vumpuses are transparent. Each vumpus is a tumpus. Tumpuses are small. Tumpuses are dumpuses. Each dumpus is not aggressive. Dumpuses are wumpuses. Every wumpus is not wooden. Every wumpus is a jompus. Jompuses are not nervous. Each jompus is a zumpus. Each zumpus is temperate. Rompuses are wooden. Zumpuses are impuses. Each impus is blue. Impuses are yumpuses. Sally is a numpus.\n\nIs the following statement true or false? Sally is not wooden.", + "answer": true, + "original_context": "Numpuses are earthy. Numpuses are vumpuses. Vumpuses are transparent. Each vumpus is a tumpus. Tumpuses are small. Tumpuses are dumpuses. Each dumpus is not aggressive. Dumpuses are wumpuses. Every wumpus is not wooden. Every wumpus is a jompus. Jompuses are not nervous. Each jompus is a zumpus. Each zumpus is temperate. Rompuses are wooden. Zumpuses are impuses. Each impus is blue. Impuses are yumpuses. Sally is a numpus.", + "original_question": "Is the following statement true or false? Sally is not wooden." + }, + { + "id": "ProntoQA_33", + "question": "Every yumpus is not temperate. Yumpuses are rompuses. Every rompus is large. Every rompus is an impus. Impuses are not blue. Impuses are tumpuses. Tumpuses are nervous. Tumpuses are wumpuses. Wumpuses are bright. Numpuses are not bright. Each wumpus is a zumpus. Every zumpus is not fruity. Zumpuses are dumpuses. Dumpuses are opaque. Dumpuses are vumpuses. Vumpuses are mean. Vumpuses are jompuses. Stella is a yumpus.\n\nIs the following statement true or false? Stella is not bright.", + "answer": false, + "original_context": "Every yumpus is not temperate. Yumpuses are rompuses. Every rompus is large. Every rompus is an impus. Impuses are not blue. Impuses are tumpuses. Tumpuses are nervous. Tumpuses are wumpuses. Wumpuses are bright. Numpuses are not bright. Each wumpus is a zumpus. Every zumpus is not fruity. Zumpuses are dumpuses. Dumpuses are opaque. Dumpuses are vumpuses. Vumpuses are mean. Vumpuses are jompuses. Stella is a yumpus.", + "original_question": "Is the following statement true or false? Stella is not bright." + }, + { + "id": "ProntoQA_34", + "question": "Impuses are bright. Every impus is a rompus. Rompuses are floral. Each rompus is a yumpus. Every yumpus is opaque. Yumpuses are numpuses. Each numpus is red. Every numpus is a dumpus. Dumpuses are bitter. Every dumpus is a vumpus. Vumpuses are not mean. Vumpuses are tumpuses. Tumpuses are not shy. Each wumpus is shy. Tumpuses are zumpuses. Each zumpus is temperate. Zumpuses are jompuses. Sam is a yumpus.\n\nIs the following statement true or false? Sam is shy.", + "answer": false, + "original_context": "Impuses are bright. Every impus is a rompus. Rompuses are floral. Each rompus is a yumpus. Every yumpus is opaque. Yumpuses are numpuses. Each numpus is red. Every numpus is a dumpus. Dumpuses are bitter. Every dumpus is a vumpus. Vumpuses are not mean. Vumpuses are tumpuses. Tumpuses are not shy. Each wumpus is shy. Tumpuses are zumpuses. Each zumpus is temperate. Zumpuses are jompuses. Sam is a yumpus.", + "original_question": "Is the following statement true or false? Sam is shy." + }, + { + "id": "ProntoQA_35", + "question": "Each zumpus is not wooden. Every zumpus is a vumpus. Every vumpus is not sour. Every vumpus is a jompus. Every jompus is floral. Each jompus is a wumpus. Every wumpus is transparent. Wumpuses are impuses. Impuses are dull. Every impus is a yumpus. Each yumpus is feisty. Numpuses are not orange. Every yumpus is a dumpus. Dumpuses are orange. Each dumpus is a rompus. Each rompus is not aggressive. Rompuses are tumpuses. Fae is a jompus.\n\nIs the following statement true or false? Fae is orange.", + "answer": true, + "original_context": "Each zumpus is not wooden. Every zumpus is a vumpus. Every vumpus is not sour. Every vumpus is a jompus. Every jompus is floral. Each jompus is a wumpus. Every wumpus is transparent. Wumpuses are impuses. Impuses are dull. Every impus is a yumpus. Each yumpus is feisty. Numpuses are not orange. Every yumpus is a dumpus. Dumpuses are orange. Each dumpus is a rompus. Each rompus is not aggressive. Rompuses are tumpuses. Fae is a jompus.", + "original_question": "Is the following statement true or false? Fae is orange." + }, + { + "id": "ProntoQA_36", + "question": "Every jompus is bright. Every jompus is a wumpus. Each wumpus is wooden. Each wumpus is a yumpus. Yumpuses are amenable. Yumpuses are impuses. Impuses are temperate. Impuses are tumpuses. Tumpuses are shy. Every tumpus is a rompus. Rompuses are not small. Every rompus is a numpus. Numpuses are fruity. Each dumpus is not shy. Numpuses are vumpuses. Sally is a jompus.\n\nIs the following statement true or false? Sally is shy.", + "answer": true, + "original_context": "Every jompus is bright. Every jompus is a wumpus. Each wumpus is wooden. Each wumpus is a yumpus. Yumpuses are amenable. Yumpuses are impuses. Impuses are temperate. Impuses are tumpuses. Tumpuses are shy. Every tumpus is a rompus. Rompuses are not small. Every rompus is a numpus. Numpuses are fruity. Each dumpus is not shy. Numpuses are vumpuses. Sally is a jompus.", + "original_question": "Is the following statement true or false? Sally is shy." + }, + { + "id": "ProntoQA_37", + "question": "Impuses are not fruity. Impuses are wumpuses. Each wumpus is not temperate. Wumpuses are dumpuses. Rompuses are not sweet. Dumpuses are kind. Dumpuses are zumpuses. Zumpuses are wooden. Zumpuses are vumpuses. Every vumpus is large. Vumpuses are yumpuses. Yumpuses are transparent. Yumpuses are numpuses. Numpuses are brown. Numpuses are tumpuses. Tumpuses are sweet. Tumpuses are jompuses. Wren is a zumpus.\n\nIs the following statement true or false? Wren is sweet.", + "answer": true, + "original_context": "Impuses are not fruity. Impuses are wumpuses. Each wumpus is not temperate. Wumpuses are dumpuses. Rompuses are not sweet. Dumpuses are kind. Dumpuses are zumpuses. Zumpuses are wooden. Zumpuses are vumpuses. Every vumpus is large. Vumpuses are yumpuses. Yumpuses are transparent. Yumpuses are numpuses. Numpuses are brown. Numpuses are tumpuses. Tumpuses are sweet. Tumpuses are jompuses. Wren is a zumpus.", + "original_question": "Is the following statement true or false? Wren is sweet." + }, + { + "id": "ProntoQA_38", + "question": "Vumpuses are wooden. Every vumpus is a jompus. Jompuses are earthy. Each jompus is a wumpus. Wumpuses are not transparent. Wumpuses are yumpuses. Yumpuses are not bright. Each yumpus is an impus. Every rompus is happy. Impuses are not happy. Each impus is a dumpus. Dumpuses are brown. Dumpuses are zumpuses. Zumpuses are not sour. Zumpuses are numpuses. Every numpus is not angry. Numpuses are tumpuses. Polly is a vumpus.\n\nIs the following statement true or false? Polly is not happy.", + "answer": true, + "original_context": "Vumpuses are wooden. Every vumpus is a jompus. Jompuses are earthy. Each jompus is a wumpus. Wumpuses are not transparent. Wumpuses are yumpuses. Yumpuses are not bright. Each yumpus is an impus. Every rompus is happy. Impuses are not happy. Each impus is a dumpus. Dumpuses are brown. Dumpuses are zumpuses. Zumpuses are not sour. Zumpuses are numpuses. Every numpus is not angry. Numpuses are tumpuses. Polly is a vumpus.", + "original_question": "Is the following statement true or false? Polly is not happy." + }, + { + "id": "ProntoQA_39", + "question": "Each rompus is amenable. Each rompus is an impus. Impuses are happy. Every impus is a wumpus. Wumpuses are sour. Each wumpus is a zumpus. Zumpuses are fruity. Zumpuses are tumpuses. Each tumpus is not large. Every tumpus is a vumpus. Yumpuses are not hot. Every vumpus is liquid. Every vumpus is a jompus. Jompuses are hot. Jompuses are dumpuses. Stella is a wumpus.\n\nIs the following statement true or false? Stella is not hot.", + "answer": false, + "original_context": "Each rompus is amenable. Each rompus is an impus. Impuses are happy. Every impus is a wumpus. Wumpuses are sour. Each wumpus is a zumpus. Zumpuses are fruity. Zumpuses are tumpuses. Each tumpus is not large. Every tumpus is a vumpus. Yumpuses are not hot. Every vumpus is liquid. Every vumpus is a jompus. Jompuses are hot. Jompuses are dumpuses. Stella is a wumpus.", + "original_question": "Is the following statement true or false? Stella is not hot." + }, + { + "id": "ProntoQA_40", + "question": "Yumpuses are small. Yumpuses are vumpuses. Vumpuses are red. Vumpuses are numpuses. Numpuses are bitter. Each numpus is a wumpus. Each impus is not amenable. Every wumpus is bright. Every wumpus is a dumpus. Every dumpus is temperate. Dumpuses are rompuses. Rompuses are floral. Rompuses are tumpuses. Tumpuses are opaque. Each tumpus is a jompus. Every jompus is amenable. Every jompus is a zumpus. Sally is a wumpus.\n\nIs the following statement true or false? Sally is amenable.", + "answer": true, + "original_context": "Yumpuses are small. Yumpuses are vumpuses. Vumpuses are red. Vumpuses are numpuses. Numpuses are bitter. Each numpus is a wumpus. Each impus is not amenable. Every wumpus is bright. Every wumpus is a dumpus. Every dumpus is temperate. Dumpuses are rompuses. Rompuses are floral. Rompuses are tumpuses. Tumpuses are opaque. Each tumpus is a jompus. Every jompus is amenable. Every jompus is a zumpus. Sally is a wumpus.", + "original_question": "Is the following statement true or false? Sally is amenable." + }, + { + "id": "ProntoQA_41", + "question": "Rompuses are transparent. Every rompus is a yumpus. Yumpuses are earthy. Yumpuses are jompuses. Every jompus is not large. Each jompus is a wumpus. Each wumpus is not brown. Tumpuses are hot. Wumpuses are zumpuses. Every zumpus is dull. Zumpuses are numpuses. Numpuses are bitter. Every numpus is a dumpus. Dumpuses are not shy. Each dumpus is an impus. Impuses are not hot. Impuses are vumpuses. Max is a wumpus.\n\nIs the following statement true or false? Max is not hot.", + "answer": true, + "original_context": "Rompuses are transparent. Every rompus is a yumpus. Yumpuses are earthy. Yumpuses are jompuses. Every jompus is not large. Each jompus is a wumpus. Each wumpus is not brown. Tumpuses are hot. Wumpuses are zumpuses. Every zumpus is dull. Zumpuses are numpuses. Numpuses are bitter. Every numpus is a dumpus. Dumpuses are not shy. Each dumpus is an impus. Impuses are not hot. Impuses are vumpuses. Max is a wumpus.", + "original_question": "Is the following statement true or false? Max is not hot." + }, + { + "id": "ProntoQA_42", + "question": "Tumpuses are dull. Tumpuses are jompuses. Jompuses are not sour. Each jompus is a vumpus. Vumpuses are feisty. Vumpuses are dumpuses. Dumpuses are cold. Each dumpus is a yumpus. Each yumpus is transparent. Each yumpus is a numpus. Numpuses are not amenable. Numpuses are zumpuses. Each zumpus is orange. Each zumpus is a rompus. Rompuses are earthy. Each impus is not orange. Rompuses are wumpuses. Wren is a vumpus.\n\nIs the following statement true or false? Wren is not orange.", + "answer": false, + "original_context": "Tumpuses are dull. Tumpuses are jompuses. Jompuses are not sour. Each jompus is a vumpus. Vumpuses are feisty. Vumpuses are dumpuses. Dumpuses are cold. Each dumpus is a yumpus. Each yumpus is transparent. Each yumpus is a numpus. Numpuses are not amenable. Numpuses are zumpuses. Each zumpus is orange. Each zumpus is a rompus. Rompuses are earthy. Each impus is not orange. Rompuses are wumpuses. Wren is a vumpus.", + "original_question": "Is the following statement true or false? Wren is not orange." + }, + { + "id": "ProntoQA_43", + "question": "Each impus is luminous. Every impus is a zumpus. Every zumpus is shy. Every zumpus is a numpus. Numpuses are not cold. Each numpus is a tumpus. Tumpuses are large. Each tumpus is a yumpus. Each yumpus is angry. Yumpuses are vumpuses. Vumpuses are not earthy. Vumpuses are jompuses. Every jompus is not sour. Dumpuses are not angry. Jompuses are rompuses. Rompuses are not opaque. Rompuses are wumpuses. Polly is an impus.\n\nIs the following statement true or false? Polly is angry.", + "answer": true, + "original_context": "Each impus is luminous. Every impus is a zumpus. Every zumpus is shy. Every zumpus is a numpus. Numpuses are not cold. Each numpus is a tumpus. Tumpuses are large. Each tumpus is a yumpus. Each yumpus is angry. Yumpuses are vumpuses. Vumpuses are not earthy. Vumpuses are jompuses. Every jompus is not sour. Dumpuses are not angry. Jompuses are rompuses. Rompuses are not opaque. Rompuses are wumpuses. Polly is an impus.", + "original_question": "Is the following statement true or false? Polly is angry." + }, + { + "id": "ProntoQA_44", + "question": "Yumpuses are floral. Each yumpus is a vumpus. Vumpuses are not temperate. Vumpuses are jompuses. Jompuses are not dull. Impuses are not spicy. Jompuses are numpuses. Numpuses are not opaque. Each numpus is a wumpus. Every wumpus is amenable. Wumpuses are rompuses. Each rompus is not red. Rompuses are tumpuses. Tumpuses are spicy. Every tumpus is a dumpus. Dumpuses are shy. Each dumpus is a zumpus. Rex is a jompus.\n\nIs the following statement true or false? Rex is not spicy.", + "answer": false, + "original_context": "Yumpuses are floral. Each yumpus is a vumpus. Vumpuses are not temperate. Vumpuses are jompuses. Jompuses are not dull. Impuses are not spicy. Jompuses are numpuses. Numpuses are not opaque. Each numpus is a wumpus. Every wumpus is amenable. Wumpuses are rompuses. Each rompus is not red. Rompuses are tumpuses. Tumpuses are spicy. Every tumpus is a dumpus. Dumpuses are shy. Each dumpus is a zumpus. Rex is a jompus.", + "original_question": "Is the following statement true or false? Rex is not spicy." + }, + { + "id": "ProntoQA_45", + "question": "Dumpuses are cold. Dumpuses are numpuses. Each numpus is not bitter. Every numpus is a zumpus. Zumpuses are fruity. Zumpuses are wumpuses. Wumpuses are large. Each tumpus is not wooden. Each wumpus is an impus. Every impus is wooden. Impuses are rompuses. Fae is a dumpus.\n\nIs the following statement true or false? Fae is wooden.", + "answer": true, + "original_context": "Dumpuses are cold. Dumpuses are numpuses. Each numpus is not bitter. Every numpus is a zumpus. Zumpuses are fruity. Zumpuses are wumpuses. Wumpuses are large. Each tumpus is not wooden. Each wumpus is an impus. Every impus is wooden. Impuses are rompuses. Fae is a dumpus.", + "original_question": "Is the following statement true or false? Fae is wooden." + }, + { + "id": "ProntoQA_46", + "question": "Each rompus is nervous. Rompuses are jompuses. Jompuses are angry. Jompuses are tumpuses. Tumpuses are earthy. Every tumpus is a numpus. Each numpus is not cold. Each numpus is an impus. Dumpuses are metallic. Impuses are dull. Each impus is a zumpus. Zumpuses are not opaque. Zumpuses are wumpuses. Every wumpus is blue. Wumpuses are vumpuses. Every vumpus is not metallic. Every vumpus is a yumpus. Sally is a numpus.\n\nIs the following statement true or false? Sally is not metallic.", + "answer": true, + "original_context": "Each rompus is nervous. Rompuses are jompuses. Jompuses are angry. Jompuses are tumpuses. Tumpuses are earthy. Every tumpus is a numpus. Each numpus is not cold. Each numpus is an impus. Dumpuses are metallic. Impuses are dull. Each impus is a zumpus. Zumpuses are not opaque. Zumpuses are wumpuses. Every wumpus is blue. Wumpuses are vumpuses. Every vumpus is not metallic. Every vumpus is a yumpus. Sally is a numpus.", + "original_question": "Is the following statement true or false? Sally is not metallic." + }, + { + "id": "ProntoQA_47", + "question": "Vumpuses are fruity. Vumpuses are jompuses. Jompuses are opaque. Every jompus is a wumpus. Every wumpus is nervous. Each wumpus is an impus. Every impus is sour. Impuses are tumpuses. Every tumpus is not amenable. Each tumpus is a yumpus. Yumpuses are not metallic. Yumpuses are numpuses. Numpuses are large. Every numpus is a rompus. Dumpuses are not cold. Each rompus is cold. Each rompus is a zumpus. Max is an impus.\n\nIs the following statement true or false? Max is not cold.", + "answer": false, + "original_context": "Vumpuses are fruity. Vumpuses are jompuses. Jompuses are opaque. Every jompus is a wumpus. Every wumpus is nervous. Each wumpus is an impus. Every impus is sour. Impuses are tumpuses. Every tumpus is not amenable. Each tumpus is a yumpus. Yumpuses are not metallic. Yumpuses are numpuses. Numpuses are large. Every numpus is a rompus. Dumpuses are not cold. Each rompus is cold. Each rompus is a zumpus. Max is an impus.", + "original_question": "Is the following statement true or false? Max is not cold." + }, + { + "id": "ProntoQA_48", + "question": "Tumpuses are fruity. Yumpuses are nervous. Yumpuses are numpuses. Each numpus is large. Each numpus is a rompus. Each rompus is red. Rompuses are vumpuses. Vumpuses are temperate. Each vumpus is a jompus. Every jompus is spicy. Each jompus is an impus. Impuses are not metallic. Impuses are wumpuses. Each wumpus is bright. Wumpuses are zumpuses. Zumpuses are not fruity. Each zumpus is a dumpus. Sam is a vumpus.\n\nIs the following statement true or false? Sam is not fruity.", + "answer": true, + "original_context": "Tumpuses are fruity. Yumpuses are nervous. Yumpuses are numpuses. Each numpus is large. Each numpus is a rompus. Each rompus is red. Rompuses are vumpuses. Vumpuses are temperate. Each vumpus is a jompus. Every jompus is spicy. Each jompus is an impus. Impuses are not metallic. Impuses are wumpuses. Each wumpus is bright. Wumpuses are zumpuses. Zumpuses are not fruity. Each zumpus is a dumpus. Sam is a vumpus.", + "original_question": "Is the following statement true or false? Sam is not fruity." + }, + { + "id": "ProntoQA_49", + "question": "Wumpuses are dull. Wumpuses are rompuses. Every rompus is not cold. Rompuses are dumpuses. Dumpuses are feisty. Dumpuses are numpuses. Numpuses are mean. Numpuses are zumpuses. Every zumpus is not earthy. Every zumpus is a tumpus. Every tumpus is opaque. Impuses are liquid. Tumpuses are vumpuses. Every vumpus is not liquid. Vumpuses are jompuses. Each jompus is not spicy. Jompuses are yumpuses. Wren is a dumpus.\n\nIs the following statement true or false? Wren is liquid.", + "answer": false, + "original_context": "Wumpuses are dull. Wumpuses are rompuses. Every rompus is not cold. Rompuses are dumpuses. Dumpuses are feisty. Dumpuses are numpuses. Numpuses are mean. Numpuses are zumpuses. Every zumpus is not earthy. Every zumpus is a tumpus. Every tumpus is opaque. Impuses are liquid. Tumpuses are vumpuses. Every vumpus is not liquid. Vumpuses are jompuses. Each jompus is not spicy. Jompuses are yumpuses. Wren is a dumpus.", + "original_question": "Is the following statement true or false? Wren is liquid." + }, + { + "id": "ProntoQA_50", + "question": "Jompuses are not blue. Each rompus is happy. Rompuses are dumpuses. Dumpuses are not cold. Each dumpus is a wumpus. Each wumpus is liquid. Each wumpus is an impus. Each impus is kind. Every impus is a yumpus. Each yumpus is bright. Yumpuses are zumpuses. Each zumpus is sour. Each zumpus is a vumpus. Every vumpus is small. Vumpuses are tumpuses. Every tumpus is blue. Every tumpus is a numpus. Fae is an impus.\n\nIs the following statement true or false? Fae is not blue.", + "answer": false, + "original_context": "Jompuses are not blue. Each rompus is happy. Rompuses are dumpuses. Dumpuses are not cold. Each dumpus is a wumpus. Each wumpus is liquid. Each wumpus is an impus. Each impus is kind. Every impus is a yumpus. Each yumpus is bright. Yumpuses are zumpuses. Each zumpus is sour. Each zumpus is a vumpus. Every vumpus is small. Vumpuses are tumpuses. Every tumpus is blue. Every tumpus is a numpus. Fae is an impus.", + "original_question": "Is the following statement true or false? Fae is not blue." + }, + { + "id": "ProntoQA_51", + "question": "Every zumpus is small. Each zumpus is an impus. Every impus is sweet. Impuses are vumpuses. Each vumpus is not feisty. Every vumpus is a dumpus. Every dumpus is not dull. Dumpuses are rompuses. Every rompus is transparent. Rompuses are wumpuses. Each wumpus is not earthy. Wumpuses are tumpuses. Every tumpus is cold. Numpuses are not cold. Tumpuses are yumpuses. Max is a vumpus.\n\nIs the following statement true or false? Max is not cold.", + "answer": false, + "original_context": "Every zumpus is small. Each zumpus is an impus. Every impus is sweet. Impuses are vumpuses. Each vumpus is not feisty. Every vumpus is a dumpus. Every dumpus is not dull. Dumpuses are rompuses. Every rompus is transparent. Rompuses are wumpuses. Each wumpus is not earthy. Wumpuses are tumpuses. Every tumpus is cold. Numpuses are not cold. Tumpuses are yumpuses. Max is a vumpus.", + "original_question": "Is the following statement true or false? Max is not cold." + }, + { + "id": "ProntoQA_52", + "question": "Every jompus is spicy. Every jompus is a dumpus. Each dumpus is not transparent. Each dumpus is a zumpus. Zumpuses are feisty. Zumpuses are wumpuses. Each wumpus is not dull. Every wumpus is an impus. Every vumpus is not blue. Impuses are blue. Impuses are tumpuses. Tumpuses are not floral. Each tumpus is a numpus. Polly is a jompus.\n\nIs the following statement true or false? Polly is blue.", + "answer": true, + "original_context": "Every jompus is spicy. Every jompus is a dumpus. Each dumpus is not transparent. Each dumpus is a zumpus. Zumpuses are feisty. Zumpuses are wumpuses. Each wumpus is not dull. Every wumpus is an impus. Every vumpus is not blue. Impuses are blue. Impuses are tumpuses. Tumpuses are not floral. Each tumpus is a numpus. Polly is a jompus.", + "original_question": "Is the following statement true or false? Polly is blue." + }, + { + "id": "ProntoQA_53", + "question": "Numpuses are kind. Each numpus is a wumpus. Wumpuses are not wooden. Every zumpus is not dull. Wumpuses are impuses. Impuses are not nervous. Each impus is a yumpus. Every yumpus is hot. Every yumpus is a vumpus. Every vumpus is transparent. Vumpuses are rompuses. Rompuses are not small. Rompuses are jompuses. Jompuses are dull. Jompuses are dumpuses. Each dumpus is earthy. Every dumpus is a tumpus. Fae is an impus.\n\nIs the following statement true or false? Fae is dull.", + "answer": true, + "original_context": "Numpuses are kind. Each numpus is a wumpus. Wumpuses are not wooden. Every zumpus is not dull. Wumpuses are impuses. Impuses are not nervous. Each impus is a yumpus. Every yumpus is hot. Every yumpus is a vumpus. Every vumpus is transparent. Vumpuses are rompuses. Rompuses are not small. Rompuses are jompuses. Jompuses are dull. Jompuses are dumpuses. Each dumpus is earthy. Every dumpus is a tumpus. Fae is an impus.", + "original_question": "Is the following statement true or false? Fae is dull." + }, + { + "id": "ProntoQA_54", + "question": "Every tumpus is not transparent. Tumpuses are jompuses. Each jompus is not large. Jompuses are vumpuses. Vumpuses are angry. Vumpuses are impuses. Yumpuses are red. Impuses are happy. Impuses are zumpuses. Zumpuses are metallic. Each zumpus is a rompus. Rompuses are dull. Rompuses are wumpuses. Every wumpus is not red. Each wumpus is a numpus. Numpuses are not sweet. Numpuses are dumpuses. Stella is a vumpus.\n\nIs the following statement true or false? Stella is not red.", + "answer": true, + "original_context": "Every tumpus is not transparent. Tumpuses are jompuses. Each jompus is not large. Jompuses are vumpuses. Vumpuses are angry. Vumpuses are impuses. Yumpuses are red. Impuses are happy. Impuses are zumpuses. Zumpuses are metallic. Each zumpus is a rompus. Rompuses are dull. Rompuses are wumpuses. Every wumpus is not red. Each wumpus is a numpus. Numpuses are not sweet. Numpuses are dumpuses. Stella is a vumpus.", + "original_question": "Is the following statement true or false? Stella is not red." + }, + { + "id": "ProntoQA_55", + "question": "Dumpuses are dull. Dumpuses are numpuses. Numpuses are blue. Numpuses are wumpuses. Wumpuses are hot. Wumpuses are vumpuses. Vumpuses are luminous. Each vumpus is a jompus. Jompuses are mean. Jompuses are impuses. Every impus is not small. Every impus is a rompus. Rompuses are not feisty. Yumpuses are not mean. Every rompus is a zumpus. Rex is a dumpus.\n\nIs the following statement true or false? Rex is mean.", + "answer": true, + "original_context": "Dumpuses are dull. Dumpuses are numpuses. Numpuses are blue. Numpuses are wumpuses. Wumpuses are hot. Wumpuses are vumpuses. Vumpuses are luminous. Each vumpus is a jompus. Jompuses are mean. Jompuses are impuses. Every impus is not small. Every impus is a rompus. Rompuses are not feisty. Yumpuses are not mean. Every rompus is a zumpus. Rex is a dumpus.", + "original_question": "Is the following statement true or false? Rex is mean." + }, + { + "id": "ProntoQA_56", + "question": "Zumpuses are bright. Every zumpus is a vumpus. Each vumpus is not kind. Each vumpus is a wumpus. Wumpuses are feisty. Wumpuses are numpuses. Each numpus is floral. Every numpus is a dumpus. Every dumpus is hot. Rompuses are liquid. Each dumpus is a tumpus. Every tumpus is not brown. Every tumpus is a jompus. Jompuses are bitter. Jompuses are impuses. Each impus is not liquid. Impuses are yumpuses. Sam is a numpus.\n\nIs the following statement true or false? Sam is not liquid.", + "answer": true, + "original_context": "Zumpuses are bright. Every zumpus is a vumpus. Each vumpus is not kind. Each vumpus is a wumpus. Wumpuses are feisty. Wumpuses are numpuses. Each numpus is floral. Every numpus is a dumpus. Every dumpus is hot. Rompuses are liquid. Each dumpus is a tumpus. Every tumpus is not brown. Every tumpus is a jompus. Jompuses are bitter. Jompuses are impuses. Each impus is not liquid. Impuses are yumpuses. Sam is a numpus.", + "original_question": "Is the following statement true or false? Sam is not liquid." + }, + { + "id": "ProntoQA_57", + "question": "Rompuses are luminous. Yumpuses are feisty. Rompuses are impuses. Each impus is not sour. Impuses are wumpuses. Wumpuses are not fruity. Wumpuses are numpuses. Every numpus is blue. Every numpus is a dumpus. Every dumpus is not feisty. Each dumpus is a tumpus. Tumpuses are kind. Every tumpus is a vumpus. Each vumpus is opaque. Vumpuses are zumpuses. Each zumpus is not large. Zumpuses are jompuses. Alex is a rompus.\n\nIs the following statement true or false? Alex is not feisty.", + "answer": true, + "original_context": "Rompuses are luminous. Yumpuses are feisty. Rompuses are impuses. Each impus is not sour. Impuses are wumpuses. Wumpuses are not fruity. Wumpuses are numpuses. Every numpus is blue. Every numpus is a dumpus. Every dumpus is not feisty. Each dumpus is a tumpus. Tumpuses are kind. Every tumpus is a vumpus. Each vumpus is opaque. Vumpuses are zumpuses. Each zumpus is not large. Zumpuses are jompuses. Alex is a rompus.", + "original_question": "Is the following statement true or false? Alex is not feisty." + }, + { + "id": "ProntoQA_58", + "question": "Tumpuses are kind. Every tumpus is an impus. Impuses are not dull. Impuses are jompuses. Jompuses are not large. Jompuses are zumpuses. Every zumpus is happy. Zumpuses are wumpuses. Every dumpus is not fruity. Each wumpus is sweet. Wumpuses are yumpuses. Yumpuses are orange. Every yumpus is a numpus. Numpuses are transparent. Each numpus is a vumpus. Vumpuses are fruity. Every vumpus is a rompus. Fae is a zumpus.\n\nIs the following statement true or false? Fae is not fruity.", + "answer": false, + "original_context": "Tumpuses are kind. Every tumpus is an impus. Impuses are not dull. Impuses are jompuses. Jompuses are not large. Jompuses are zumpuses. Every zumpus is happy. Zumpuses are wumpuses. Every dumpus is not fruity. Each wumpus is sweet. Wumpuses are yumpuses. Yumpuses are orange. Every yumpus is a numpus. Numpuses are transparent. Each numpus is a vumpus. Vumpuses are fruity. Every vumpus is a rompus. Fae is a zumpus.", + "original_question": "Is the following statement true or false? Fae is not fruity." + }, + { + "id": "ProntoQA_59", + "question": "Each rompus is mean. Every rompus is a wumpus. Each tumpus is nervous. Wumpuses are brown. Wumpuses are yumpuses. Every yumpus is large. Yumpuses are vumpuses. Each vumpus is dull. Vumpuses are zumpuses. Zumpuses are earthy. Every zumpus is a numpus. Numpuses are not sour. Numpuses are impuses. Impuses are transparent. Each impus is a dumpus. Dumpuses are not nervous. Dumpuses are jompuses. Max is a vumpus.\n\nIs the following statement true or false? Max is not nervous.", + "answer": true, + "original_context": "Each rompus is mean. Every rompus is a wumpus. Each tumpus is nervous. Wumpuses are brown. Wumpuses are yumpuses. Every yumpus is large. Yumpuses are vumpuses. Each vumpus is dull. Vumpuses are zumpuses. Zumpuses are earthy. Every zumpus is a numpus. Numpuses are not sour. Numpuses are impuses. Impuses are transparent. Each impus is a dumpus. Dumpuses are not nervous. Dumpuses are jompuses. Max is a vumpus.", + "original_question": "Is the following statement true or false? Max is not nervous." + }, + { + "id": "ProntoQA_60", + "question": "Wumpuses are large. Each wumpus is an impus. Each impus is not hot. Impuses are numpuses. Every numpus is earthy. Zumpuses are mean. Numpuses are vumpuses. Vumpuses are liquid. Vumpuses are dumpuses. Dumpuses are not mean. Dumpuses are tumpuses. Sam is a wumpus.\n\nIs the following statement true or false? Sam is mean.", + "answer": false, + "original_context": "Wumpuses are large. Each wumpus is an impus. Each impus is not hot. Impuses are numpuses. Every numpus is earthy. Zumpuses are mean. Numpuses are vumpuses. Vumpuses are liquid. Vumpuses are dumpuses. Dumpuses are not mean. Dumpuses are tumpuses. Sam is a wumpus.", + "original_question": "Is the following statement true or false? Sam is mean." + }, + { + "id": "ProntoQA_61", + "question": "Rompuses are amenable. Rompuses are numpuses. Numpuses are brown. Numpuses are zumpuses. Every zumpus is bright. Vumpuses are nervous. Every zumpus is a dumpus. Every dumpus is sweet. Dumpuses are yumpuses. Every yumpus is not nervous. Yumpuses are jompuses. Jompuses are not liquid. Jompuses are impuses. Impuses are not small. Each impus is a tumpus. Tumpuses are not transparent. Tumpuses are wumpuses. Max is a rompus.\n\nIs the following statement true or false? Max is not nervous.", + "answer": true, + "original_context": "Rompuses are amenable. Rompuses are numpuses. Numpuses are brown. Numpuses are zumpuses. Every zumpus is bright. Vumpuses are nervous. Every zumpus is a dumpus. Every dumpus is sweet. Dumpuses are yumpuses. Every yumpus is not nervous. Yumpuses are jompuses. Jompuses are not liquid. Jompuses are impuses. Impuses are not small. Each impus is a tumpus. Tumpuses are not transparent. Tumpuses are wumpuses. Max is a rompus.", + "original_question": "Is the following statement true or false? Max is not nervous." + }, + { + "id": "ProntoQA_62", + "question": "Every zumpus is nervous. Every zumpus is a dumpus. Every dumpus is large. Dumpuses are rompuses. Every rompus is brown. Vumpuses are transparent. Each rompus is a numpus. Numpuses are not bitter. Numpuses are wumpuses. Each wumpus is floral. Every wumpus is a yumpus. Every yumpus is not transparent. Yumpuses are tumpuses. Tumpuses are not bright. Every tumpus is an impus. Wren is a dumpus.\n\nIs the following statement true or false? Wren is not transparent.", + "answer": true, + "original_context": "Every zumpus is nervous. Every zumpus is a dumpus. Every dumpus is large. Dumpuses are rompuses. Every rompus is brown. Vumpuses are transparent. Each rompus is a numpus. Numpuses are not bitter. Numpuses are wumpuses. Each wumpus is floral. Every wumpus is a yumpus. Every yumpus is not transparent. Yumpuses are tumpuses. Tumpuses are not bright. Every tumpus is an impus. Wren is a dumpus.", + "original_question": "Is the following statement true or false? Wren is not transparent." + }, + { + "id": "ProntoQA_63", + "question": "Numpuses are not mean. Each zumpus is not brown. Numpuses are rompuses. Every rompus is not cold. Rompuses are vumpuses. Vumpuses are not happy. Every vumpus is an impus. Each impus is liquid. Impuses are jompuses. Jompuses are dull. Every jompus is a tumpus. Every tumpus is spicy. Tumpuses are yumpuses. Every yumpus is fruity. Each yumpus is a wumpus. Wumpuses are brown. Wumpuses are dumpuses. Rex is an impus.\n\nIs the following statement true or false? Rex is brown.", + "answer": true, + "original_context": "Numpuses are not mean. Each zumpus is not brown. Numpuses are rompuses. Every rompus is not cold. Rompuses are vumpuses. Vumpuses are not happy. Every vumpus is an impus. Each impus is liquid. Impuses are jompuses. Jompuses are dull. Every jompus is a tumpus. Every tumpus is spicy. Tumpuses are yumpuses. Every yumpus is fruity. Each yumpus is a wumpus. Wumpuses are brown. Wumpuses are dumpuses. Rex is an impus.", + "original_question": "Is the following statement true or false? Rex is brown." + }, + { + "id": "ProntoQA_64", + "question": "Tumpuses are bright. Tumpuses are rompuses. Rompuses are not earthy. Every rompus is a dumpus. Every dumpus is sweet. Each dumpus is a zumpus. Each zumpus is luminous. Zumpuses are impuses. Every numpus is temperate. Impuses are not temperate. Every impus is a wumpus. Every wumpus is red. Wumpuses are yumpuses. Every yumpus is kind. Every yumpus is a jompus. Every jompus is shy. Every jompus is a vumpus. Sam is a tumpus.\n\nIs the following statement true or false? Sam is not temperate.", + "answer": true, + "original_context": "Tumpuses are bright. Tumpuses are rompuses. Rompuses are not earthy. Every rompus is a dumpus. Every dumpus is sweet. Each dumpus is a zumpus. Each zumpus is luminous. Zumpuses are impuses. Every numpus is temperate. Impuses are not temperate. Every impus is a wumpus. Every wumpus is red. Wumpuses are yumpuses. Every yumpus is kind. Every yumpus is a jompus. Every jompus is shy. Every jompus is a vumpus. Sam is a tumpus.", + "original_question": "Is the following statement true or false? Sam is not temperate." + }, + { + "id": "ProntoQA_65", + "question": "Each rompus is spicy. Rompuses are zumpuses. Each zumpus is cold. Zumpuses are dumpuses. Every dumpus is happy. Dumpuses are vumpuses. Each vumpus is blue. Vumpuses are jompuses. Jompuses are not large. Every jompus is a wumpus. Every impus is angry. Each wumpus is not angry. Wumpuses are tumpuses. Each tumpus is dull. Every tumpus is a numpus. Numpuses are not luminous. Numpuses are yumpuses. Max is a zumpus.\n\nIs the following statement true or false? Max is angry.", + "answer": false, + "original_context": "Each rompus is spicy. Rompuses are zumpuses. Each zumpus is cold. Zumpuses are dumpuses. Every dumpus is happy. Dumpuses are vumpuses. Each vumpus is blue. Vumpuses are jompuses. Jompuses are not large. Every jompus is a wumpus. Every impus is angry. Each wumpus is not angry. Wumpuses are tumpuses. Each tumpus is dull. Every tumpus is a numpus. Numpuses are not luminous. Numpuses are yumpuses. Max is a zumpus.", + "original_question": "Is the following statement true or false? Max is angry." + }, + { + "id": "ProntoQA_66", + "question": "Impuses are not large. Each impus is a yumpus. Yumpuses are floral. Yumpuses are jompuses. Jompuses are not transparent. Each jompus is a wumpus. Every wumpus is nervous. Wumpuses are vumpuses. Rompuses are not sweet. Each vumpus is hot. Vumpuses are tumpuses. Every tumpus is mean. Tumpuses are numpuses. Numpuses are dull. Numpuses are zumpuses. Zumpuses are sweet. Zumpuses are dumpuses. Sam is a wumpus.\n\nIs the following statement true or false? Sam is not sweet.", + "answer": false, + "original_context": "Impuses are not large. Each impus is a yumpus. Yumpuses are floral. Yumpuses are jompuses. Jompuses are not transparent. Each jompus is a wumpus. Every wumpus is nervous. Wumpuses are vumpuses. Rompuses are not sweet. Each vumpus is hot. Vumpuses are tumpuses. Every tumpus is mean. Tumpuses are numpuses. Numpuses are dull. Numpuses are zumpuses. Zumpuses are sweet. Zumpuses are dumpuses. Sam is a wumpus.", + "original_question": "Is the following statement true or false? Sam is not sweet." + }, + { + "id": "ProntoQA_67", + "question": "Numpuses are not mean. Numpuses are impuses. Every impus is not fruity. Impuses are zumpuses. Each zumpus is small. Zumpuses are tumpuses. Every tumpus is transparent. Each tumpus is a jompus. Wumpuses are not orange. Each jompus is not bright. Jompuses are dumpuses. Dumpuses are orange. Each dumpus is a vumpus. Every vumpus is sweet. Vumpuses are yumpuses. Yumpuses are wooden. Every yumpus is a rompus. Sam is an impus.\n\nIs the following statement true or false? Sam is orange.", + "answer": true, + "original_context": "Numpuses are not mean. Numpuses are impuses. Every impus is not fruity. Impuses are zumpuses. Each zumpus is small. Zumpuses are tumpuses. Every tumpus is transparent. Each tumpus is a jompus. Wumpuses are not orange. Each jompus is not bright. Jompuses are dumpuses. Dumpuses are orange. Each dumpus is a vumpus. Every vumpus is sweet. Vumpuses are yumpuses. Yumpuses are wooden. Every yumpus is a rompus. Sam is an impus.", + "original_question": "Is the following statement true or false? Sam is orange." + }, + { + "id": "ProntoQA_68", + "question": "Rompuses are large. Every rompus is a wumpus. Every wumpus is not blue. Wumpuses are numpuses. Numpuses are cold. Numpuses are impuses. Every impus is fruity. Each impus is a jompus. Every jompus is spicy. Jompuses are zumpuses. Each vumpus is not spicy. Zumpuses are not dull. Zumpuses are yumpuses. Yumpuses are liquid. Each yumpus is a tumpus. Every tumpus is opaque. Tumpuses are dumpuses. Wren is a rompus.\n\nIs the following statement true or false? Wren is spicy.", + "answer": true, + "original_context": "Rompuses are large. Every rompus is a wumpus. Every wumpus is not blue. Wumpuses are numpuses. Numpuses are cold. Numpuses are impuses. Every impus is fruity. Each impus is a jompus. Every jompus is spicy. Jompuses are zumpuses. Each vumpus is not spicy. Zumpuses are not dull. Zumpuses are yumpuses. Yumpuses are liquid. Each yumpus is a tumpus. Every tumpus is opaque. Tumpuses are dumpuses. Wren is a rompus.", + "original_question": "Is the following statement true or false? Wren is spicy." + }, + { + "id": "ProntoQA_69", + "question": "Each tumpus is not blue. Tumpuses are vumpuses. Vumpuses are not transparent. Every vumpus is a rompus. Each rompus is not fruity. Rompuses are dumpuses. Every dumpus is not nervous. Each dumpus is a yumpus. Yumpuses are not liquid. Each yumpus is a jompus. Jompuses are not cold. Zumpuses are cold. Each jompus is a numpus. Numpuses are large. Numpuses are impuses. Every impus is aggressive. Each impus is a wumpus. Wren is a vumpus.\n\nIs the following statement true or false? Wren is not cold.", + "answer": true, + "original_context": "Each tumpus is not blue. Tumpuses are vumpuses. Vumpuses are not transparent. Every vumpus is a rompus. Each rompus is not fruity. Rompuses are dumpuses. Every dumpus is not nervous. Each dumpus is a yumpus. Yumpuses are not liquid. Each yumpus is a jompus. Jompuses are not cold. Zumpuses are cold. Each jompus is a numpus. Numpuses are large. Numpuses are impuses. Every impus is aggressive. Each impus is a wumpus. Wren is a vumpus.", + "original_question": "Is the following statement true or false? Wren is not cold." + }, + { + "id": "ProntoQA_70", + "question": "Each jompus is earthy. Jompuses are yumpuses. Yumpuses are metallic. Each yumpus is an impus. Each dumpus is not transparent. Impuses are nervous. Impuses are rompuses. Every rompus is small. Rompuses are tumpuses. Tumpuses are transparent. Tumpuses are vumpuses. Rex is a jompus.\n\nIs the following statement true or false? Rex is not transparent.", + "answer": false, + "original_context": "Each jompus is earthy. Jompuses are yumpuses. Yumpuses are metallic. Each yumpus is an impus. Each dumpus is not transparent. Impuses are nervous. Impuses are rompuses. Every rompus is small. Rompuses are tumpuses. Tumpuses are transparent. Tumpuses are vumpuses. Rex is a jompus.", + "original_question": "Is the following statement true or false? Rex is not transparent." + }, + { + "id": "ProntoQA_71", + "question": "Every rompus is cold. Each rompus is an impus. Every numpus is not dull. Each impus is large. Impuses are vumpuses. Every vumpus is mean. Vumpuses are dumpuses. Each dumpus is floral. Dumpuses are zumpuses. Zumpuses are opaque. Every zumpus is a jompus. Each jompus is dull. Each jompus is a wumpus. Every wumpus is shy. Each wumpus is a tumpus. Each tumpus is wooden. Each tumpus is a yumpus. Sally is an impus.\n\nIs the following statement true or false? Sally is not dull.", + "answer": false, + "original_context": "Every rompus is cold. Each rompus is an impus. Every numpus is not dull. Each impus is large. Impuses are vumpuses. Every vumpus is mean. Vumpuses are dumpuses. Each dumpus is floral. Dumpuses are zumpuses. Zumpuses are opaque. Every zumpus is a jompus. Each jompus is dull. Each jompus is a wumpus. Every wumpus is shy. Each wumpus is a tumpus. Each tumpus is wooden. Each tumpus is a yumpus. Sally is an impus.", + "original_question": "Is the following statement true or false? Sally is not dull." + }, + { + "id": "ProntoQA_72", + "question": "Tumpuses are not small. Tumpuses are yumpuses. Every yumpus is aggressive. Each yumpus is a wumpus. Every wumpus is bright. Each wumpus is a jompus. Jompuses are not liquid. Every jompus is a vumpus. Each vumpus is orange. Every vumpus is an impus. Every impus is not transparent. Each impus is a zumpus. Every zumpus is fruity. Every zumpus is a numpus. Every numpus is sour. Rompuses are not fruity. Numpuses are dumpuses. Sam is a wumpus.\n\nIs the following statement true or false? Sam is fruity.", + "answer": true, + "original_context": "Tumpuses are not small. Tumpuses are yumpuses. Every yumpus is aggressive. Each yumpus is a wumpus. Every wumpus is bright. Each wumpus is a jompus. Jompuses are not liquid. Every jompus is a vumpus. Each vumpus is orange. Every vumpus is an impus. Every impus is not transparent. Each impus is a zumpus. Every zumpus is fruity. Every zumpus is a numpus. Every numpus is sour. Rompuses are not fruity. Numpuses are dumpuses. Sam is a wumpus.", + "original_question": "Is the following statement true or false? Sam is fruity." + }, + { + "id": "ProntoQA_73", + "question": "Rompuses are bitter. Rompuses are yumpuses. Yumpuses are nervous. Yumpuses are jompuses. Jompuses are not blue. Dumpuses are not earthy. Every jompus is an impus. Impuses are bright. Each impus is a numpus. Numpuses are earthy. Every numpus is a vumpus. Wren is a rompus.\n\nIs the following statement true or false? Wren is not earthy.", + "answer": false, + "original_context": "Rompuses are bitter. Rompuses are yumpuses. Yumpuses are nervous. Yumpuses are jompuses. Jompuses are not blue. Dumpuses are not earthy. Every jompus is an impus. Impuses are bright. Each impus is a numpus. Numpuses are earthy. Every numpus is a vumpus. Wren is a rompus.", + "original_question": "Is the following statement true or false? Wren is not earthy." + }, + { + "id": "ProntoQA_74", + "question": "Vumpuses are sour. Each vumpus is a zumpus. Every zumpus is angry. Each zumpus is a tumpus. Tumpuses are not small. Every tumpus is a yumpus. Each yumpus is not blue. Yumpuses are rompuses. Each rompus is not fruity. Wumpuses are fruity. Every rompus is a numpus. Numpuses are hot. Each numpus is an impus. Every impus is transparent. Every impus is a dumpus. Dumpuses are wooden. Every dumpus is a jompus. Sam is a vumpus.\n\nIs the following statement true or false? Sam is not fruity.", + "answer": true, + "original_context": "Vumpuses are sour. Each vumpus is a zumpus. Every zumpus is angry. Each zumpus is a tumpus. Tumpuses are not small. Every tumpus is a yumpus. Each yumpus is not blue. Yumpuses are rompuses. Each rompus is not fruity. Wumpuses are fruity. Every rompus is a numpus. Numpuses are hot. Each numpus is an impus. Every impus is transparent. Every impus is a dumpus. Dumpuses are wooden. Every dumpus is a jompus. Sam is a vumpus.", + "original_question": "Is the following statement true or false? Sam is not fruity." + }, + { + "id": "ProntoQA_75", + "question": "Jompuses are bright. Every jompus is a rompus. Rompuses are not opaque. Rompuses are vumpuses. Each vumpus is red. Each vumpus is a numpus. Every zumpus is not fruity. Every numpus is not spicy. Numpuses are impuses. Each impus is temperate. Every impus is a wumpus. Every wumpus is fruity. Wumpuses are yumpuses. Yumpuses are liquid. Yumpuses are dumpuses. Dumpuses are small. Dumpuses are tumpuses. Polly is a rompus.\n\nIs the following statement true or false? Polly is fruity.", + "answer": true, + "original_context": "Jompuses are bright. Every jompus is a rompus. Rompuses are not opaque. Rompuses are vumpuses. Each vumpus is red. Each vumpus is a numpus. Every zumpus is not fruity. Every numpus is not spicy. Numpuses are impuses. Each impus is temperate. Every impus is a wumpus. Every wumpus is fruity. Wumpuses are yumpuses. Yumpuses are liquid. Yumpuses are dumpuses. Dumpuses are small. Dumpuses are tumpuses. Polly is a rompus.", + "original_question": "Is the following statement true or false? Polly is fruity." + }, + { + "id": "ProntoQA_76", + "question": "Zumpuses are not spicy. Each yumpus is cold. Yumpuses are impuses. Every impus is red. Impuses are jompuses. Every jompus is not feisty. Every jompus is a rompus. Rompuses are angry. Each rompus is a wumpus. Each wumpus is spicy. Wumpuses are vumpuses. Vumpuses are not small. Vumpuses are numpuses. Numpuses are earthy. Numpuses are tumpuses. Every tumpus is luminous. Tumpuses are dumpuses. Sally is a yumpus.\n\nIs the following statement true or false? Sally is spicy.", + "answer": true, + "original_context": "Zumpuses are not spicy. Each yumpus is cold. Yumpuses are impuses. Every impus is red. Impuses are jompuses. Every jompus is not feisty. Every jompus is a rompus. Rompuses are angry. Each rompus is a wumpus. Each wumpus is spicy. Wumpuses are vumpuses. Vumpuses are not small. Vumpuses are numpuses. Numpuses are earthy. Numpuses are tumpuses. Every tumpus is luminous. Tumpuses are dumpuses. Sally is a yumpus.", + "original_question": "Is the following statement true or false? Sally is spicy." + }, + { + "id": "ProntoQA_77", + "question": "Jompuses are dull. Each jompus is a rompus. Each rompus is nervous. Rompuses are dumpuses. Every dumpus is kind. Dumpuses are wumpuses. Tumpuses are not opaque. Each wumpus is bitter. Each wumpus is a zumpus. Every zumpus is fruity. Zumpuses are impuses. Impuses are wooden. Each impus is a yumpus. Every yumpus is opaque. Every yumpus is a vumpus. Every vumpus is small. Vumpuses are numpuses. Sam is a dumpus.\n\nIs the following statement true or false? Sam is not opaque.", + "answer": false, + "original_context": "Jompuses are dull. Each jompus is a rompus. Each rompus is nervous. Rompuses are dumpuses. Every dumpus is kind. Dumpuses are wumpuses. Tumpuses are not opaque. Each wumpus is bitter. Each wumpus is a zumpus. Every zumpus is fruity. Zumpuses are impuses. Impuses are wooden. Each impus is a yumpus. Every yumpus is opaque. Every yumpus is a vumpus. Every vumpus is small. Vumpuses are numpuses. Sam is a dumpus.", + "original_question": "Is the following statement true or false? Sam is not opaque." + }, + { + "id": "ProntoQA_78", + "question": "Each impus is not happy. Each impus is a vumpus. Each vumpus is brown. Vumpuses are dumpuses. Each jompus is not small. Dumpuses are not earthy. Every dumpus is a rompus. Each rompus is transparent. Rompuses are wumpuses. Wumpuses are kind. Wumpuses are yumpuses. Yumpuses are small. Each yumpus is a zumpus. Each zumpus is liquid. Zumpuses are tumpuses. Tumpuses are hot. Each tumpus is a numpus. Fae is a vumpus.\n\nIs the following statement true or false? Fae is small.", + "answer": true, + "original_context": "Each impus is not happy. Each impus is a vumpus. Each vumpus is brown. Vumpuses are dumpuses. Each jompus is not small. Dumpuses are not earthy. Every dumpus is a rompus. Each rompus is transparent. Rompuses are wumpuses. Wumpuses are kind. Wumpuses are yumpuses. Yumpuses are small. Each yumpus is a zumpus. Each zumpus is liquid. Zumpuses are tumpuses. Tumpuses are hot. Each tumpus is a numpus. Fae is a vumpus.", + "original_question": "Is the following statement true or false? Fae is small." + }, + { + "id": "ProntoQA_79", + "question": "Each impus is earthy. Impuses are rompuses. Rompuses are kind. Rompuses are wumpuses. Each wumpus is temperate. Each wumpus is a dumpus. Dumpuses are wooden. Each dumpus is a numpus. Each numpus is not blue. Each numpus is a yumpus. Each yumpus is large. Every yumpus is a vumpus. Vumpuses are dull. Tumpuses are blue. Vumpuses are jompuses. Each jompus is nervous. Jompuses are zumpuses. Stella is an impus.\n\nIs the following statement true or false? Stella is blue.", + "answer": false, + "original_context": "Each impus is earthy. Impuses are rompuses. Rompuses are kind. Rompuses are wumpuses. Each wumpus is temperate. Each wumpus is a dumpus. Dumpuses are wooden. Each dumpus is a numpus. Each numpus is not blue. Each numpus is a yumpus. Each yumpus is large. Every yumpus is a vumpus. Vumpuses are dull. Tumpuses are blue. Vumpuses are jompuses. Each jompus is nervous. Jompuses are zumpuses. Stella is an impus.", + "original_question": "Is the following statement true or false? Stella is blue." + }, + { + "id": "ProntoQA_80", + "question": "Each numpus is large. Numpuses are impuses. Impuses are not cold. Impuses are dumpuses. Every dumpus is not floral. Dumpuses are vumpuses. Every vumpus is not luminous. Every vumpus is a yumpus. Each rompus is not blue. Yumpuses are blue. Yumpuses are tumpuses. Every tumpus is happy. Each tumpus is a zumpus. Zumpuses are sour. Each zumpus is a wumpus. Wumpuses are bright. Each wumpus is a jompus. Sally is a numpus.\n\nIs the following statement true or false? Sally is blue.", + "answer": true, + "original_context": "Each numpus is large. Numpuses are impuses. Impuses are not cold. Impuses are dumpuses. Every dumpus is not floral. Dumpuses are vumpuses. Every vumpus is not luminous. Every vumpus is a yumpus. Each rompus is not blue. Yumpuses are blue. Yumpuses are tumpuses. Every tumpus is happy. Each tumpus is a zumpus. Zumpuses are sour. Each zumpus is a wumpus. Wumpuses are bright. Each wumpus is a jompus. Sally is a numpus.", + "original_question": "Is the following statement true or false? Sally is blue." + }, + { + "id": "ProntoQA_81", + "question": "Jompuses are not dull. Every wumpus is opaque. Wumpuses are dumpuses. Every dumpus is not floral. Dumpuses are numpuses. Each numpus is not luminous. Each numpus is a vumpus. Every vumpus is large. Vumpuses are tumpuses. Every tumpus is not orange. Every tumpus is a zumpus. Zumpuses are dull. Every zumpus is an impus. Every impus is spicy. Every impus is a rompus. Rompuses are not temperate. Every rompus is a yumpus. Sam is a dumpus.\n\nIs the following statement true or false? Sam is dull.", + "answer": true, + "original_context": "Jompuses are not dull. Every wumpus is opaque. Wumpuses are dumpuses. Every dumpus is not floral. Dumpuses are numpuses. Each numpus is not luminous. Each numpus is a vumpus. Every vumpus is large. Vumpuses are tumpuses. Every tumpus is not orange. Every tumpus is a zumpus. Zumpuses are dull. Every zumpus is an impus. Every impus is spicy. Every impus is a rompus. Rompuses are not temperate. Every rompus is a yumpus. Sam is a dumpus.", + "original_question": "Is the following statement true or false? Sam is dull." + }, + { + "id": "ProntoQA_82", + "question": "Impuses are mean. Each impus is a yumpus. Yumpuses are blue. Yumpuses are wumpuses. Wumpuses are hot. Every wumpus is a numpus. Jompuses are happy. Numpuses are fruity. Numpuses are dumpuses. Every dumpus is not dull. Every dumpus is a tumpus. Tumpuses are not happy. Every tumpus is a vumpus. Vumpuses are not opaque. Every vumpus is a rompus. Rompuses are metallic. Each rompus is a zumpus. Rex is a yumpus.\n\nIs the following statement true or false? Rex is not happy.", + "answer": true, + "original_context": "Impuses are mean. Each impus is a yumpus. Yumpuses are blue. Yumpuses are wumpuses. Wumpuses are hot. Every wumpus is a numpus. Jompuses are happy. Numpuses are fruity. Numpuses are dumpuses. Every dumpus is not dull. Every dumpus is a tumpus. Tumpuses are not happy. Every tumpus is a vumpus. Vumpuses are not opaque. Every vumpus is a rompus. Rompuses are metallic. Each rompus is a zumpus. Rex is a yumpus.", + "original_question": "Is the following statement true or false? Rex is not happy." + }, + { + "id": "ProntoQA_83", + "question": "Tumpuses are transparent. Each impus is cold. Impuses are yumpuses. Every yumpus is sour. Yumpuses are zumpuses. Zumpuses are not amenable. Every zumpus is a numpus. Numpuses are wooden. Numpuses are rompuses. Each rompus is not transparent. Every rompus is a dumpus. Dumpuses are dull. Each dumpus is a vumpus. Vumpuses are large. Each vumpus is a wumpus. Every wumpus is floral. Each wumpus is a jompus. Wren is an impus.\n\nIs the following statement true or false? Wren is transparent.", + "answer": false, + "original_context": "Tumpuses are transparent. Each impus is cold. Impuses are yumpuses. Every yumpus is sour. Yumpuses are zumpuses. Zumpuses are not amenable. Every zumpus is a numpus. Numpuses are wooden. Numpuses are rompuses. Each rompus is not transparent. Every rompus is a dumpus. Dumpuses are dull. Each dumpus is a vumpus. Vumpuses are large. Each vumpus is a wumpus. Every wumpus is floral. Each wumpus is a jompus. Wren is an impus.", + "original_question": "Is the following statement true or false? Wren is transparent." + }, + { + "id": "ProntoQA_84", + "question": "Vumpuses are floral. Vumpuses are wumpuses. Each wumpus is not spicy. Wumpuses are zumpuses. Zumpuses are orange. Zumpuses are tumpuses. Every tumpus is dull. Every tumpus is a dumpus. Every dumpus is amenable. Every yumpus is not opaque. Dumpuses are impuses. Each impus is not feisty. Every impus is a jompus. Each jompus is opaque. Jompuses are numpuses. Rex is a zumpus.\n\nIs the following statement true or false? Rex is not opaque.", + "answer": false, + "original_context": "Vumpuses are floral. Vumpuses are wumpuses. Each wumpus is not spicy. Wumpuses are zumpuses. Zumpuses are orange. Zumpuses are tumpuses. Every tumpus is dull. Every tumpus is a dumpus. Every dumpus is amenable. Every yumpus is not opaque. Dumpuses are impuses. Each impus is not feisty. Every impus is a jompus. Each jompus is opaque. Jompuses are numpuses. Rex is a zumpus.", + "original_question": "Is the following statement true or false? Rex is not opaque." + }, + { + "id": "ProntoQA_85", + "question": "Rompuses are not earthy. Every rompus is a zumpus. Zumpuses are not bitter. Every zumpus is a jompus. Each jompus is dull. Jompuses are vumpuses. Numpuses are not transparent. Every vumpus is not kind. Vumpuses are tumpuses. Tumpuses are temperate. Every tumpus is a yumpus. Yumpuses are happy. Yumpuses are dumpuses. Every dumpus is liquid. Dumpuses are wumpuses. Wumpuses are transparent. Wumpuses are impuses. Sam is a vumpus.\n\nIs the following statement true or false? Sam is not transparent.", + "answer": false, + "original_context": "Rompuses are not earthy. Every rompus is a zumpus. Zumpuses are not bitter. Every zumpus is a jompus. Each jompus is dull. Jompuses are vumpuses. Numpuses are not transparent. Every vumpus is not kind. Vumpuses are tumpuses. Tumpuses are temperate. Every tumpus is a yumpus. Yumpuses are happy. Yumpuses are dumpuses. Every dumpus is liquid. Dumpuses are wumpuses. Wumpuses are transparent. Wumpuses are impuses. Sam is a vumpus.", + "original_question": "Is the following statement true or false? Sam is not transparent." + }, + { + "id": "ProntoQA_86", + "question": "Zumpuses are luminous. Each zumpus is a tumpus. Each tumpus is not spicy. Tumpuses are vumpuses. Vumpuses are not fruity. Every vumpus is an impus. Each impus is small. Rompuses are not shy. Impuses are yumpuses. Each yumpus is temperate. Every yumpus is a jompus. Each jompus is bright. Each jompus is a wumpus. Wumpuses are amenable. Each wumpus is a dumpus. Dumpuses are shy. Dumpuses are numpuses. Stella is an impus.\n\nIs the following statement true or false? Stella is not shy.", + "answer": false, + "original_context": "Zumpuses are luminous. Each zumpus is a tumpus. Each tumpus is not spicy. Tumpuses are vumpuses. Vumpuses are not fruity. Every vumpus is an impus. Each impus is small. Rompuses are not shy. Impuses are yumpuses. Each yumpus is temperate. Every yumpus is a jompus. Each jompus is bright. Each jompus is a wumpus. Wumpuses are amenable. Each wumpus is a dumpus. Dumpuses are shy. Dumpuses are numpuses. Stella is an impus.", + "original_question": "Is the following statement true or false? Stella is not shy." + }, + { + "id": "ProntoQA_87", + "question": "Numpuses are not fruity. Numpuses are dumpuses. Each dumpus is not orange. Dumpuses are yumpuses. Yumpuses are nervous. Yumpuses are vumpuses. Every impus is sour. Every vumpus is hot. Vumpuses are tumpuses. Each tumpus is small. Tumpuses are rompuses. Every rompus is mean. Rompuses are zumpuses. Each zumpus is not sour. Zumpuses are jompuses. Alex is a yumpus.\n\nIs the following statement true or false? Alex is not sour.", + "answer": true, + "original_context": "Numpuses are not fruity. Numpuses are dumpuses. Each dumpus is not orange. Dumpuses are yumpuses. Yumpuses are nervous. Yumpuses are vumpuses. Every impus is sour. Every vumpus is hot. Vumpuses are tumpuses. Each tumpus is small. Tumpuses are rompuses. Every rompus is mean. Rompuses are zumpuses. Each zumpus is not sour. Zumpuses are jompuses. Alex is a yumpus.", + "original_question": "Is the following statement true or false? Alex is not sour." + }, + { + "id": "ProntoQA_88", + "question": "Jompuses are spicy. Jompuses are yumpuses. Yumpuses are small. Each yumpus is a vumpus. Every impus is not liquid. Every vumpus is blue. Vumpuses are dumpuses. Every dumpus is fruity. Every dumpus is a zumpus. Each zumpus is aggressive. Every zumpus is a rompus. Rompuses are opaque. Every rompus is a wumpus. Each wumpus is liquid. Each wumpus is a tumpus. Wren is a vumpus.\n\nIs the following statement true or false? Wren is liquid.", + "answer": true, + "original_context": "Jompuses are spicy. Jompuses are yumpuses. Yumpuses are small. Each yumpus is a vumpus. Every impus is not liquid. Every vumpus is blue. Vumpuses are dumpuses. Every dumpus is fruity. Every dumpus is a zumpus. Each zumpus is aggressive. Every zumpus is a rompus. Rompuses are opaque. Every rompus is a wumpus. Each wumpus is liquid. Each wumpus is a tumpus. Wren is a vumpus.", + "original_question": "Is the following statement true or false? Wren is liquid." + }, + { + "id": "ProntoQA_89", + "question": "Tumpuses are sour. Each tumpus is a vumpus. Vumpuses are bright. Each vumpus is a numpus. Each rompus is not brown. Each numpus is liquid. Numpuses are impuses. Impuses are not small. Impuses are jompuses. Jompuses are brown. Jompuses are yumpuses. Max is a tumpus.\n\nIs the following statement true or false? Max is not brown.", + "answer": false, + "original_context": "Tumpuses are sour. Each tumpus is a vumpus. Vumpuses are bright. Each vumpus is a numpus. Each rompus is not brown. Each numpus is liquid. Numpuses are impuses. Impuses are not small. Impuses are jompuses. Jompuses are brown. Jompuses are yumpuses. Max is a tumpus.", + "original_question": "Is the following statement true or false? Max is not brown." + }, + { + "id": "ProntoQA_90", + "question": "Each zumpus is not nervous. Zumpuses are dumpuses. Every dumpus is sweet. Each dumpus is a vumpus. Each vumpus is not brown. Vumpuses are rompuses. Rompuses are kind. Rompuses are yumpuses. Every yumpus is large. Each yumpus is a tumpus. Tumpuses are fruity. Each tumpus is a wumpus. Every impus is metallic. Wumpuses are not metallic. Every wumpus is a numpus. Numpuses are not transparent. Every numpus is a jompus. Max is a vumpus.\n\nIs the following statement true or false? Max is metallic.", + "answer": false, + "original_context": "Each zumpus is not nervous. Zumpuses are dumpuses. Every dumpus is sweet. Each dumpus is a vumpus. Each vumpus is not brown. Vumpuses are rompuses. Rompuses are kind. Rompuses are yumpuses. Every yumpus is large. Each yumpus is a tumpus. Tumpuses are fruity. Each tumpus is a wumpus. Every impus is metallic. Wumpuses are not metallic. Every wumpus is a numpus. Numpuses are not transparent. Every numpus is a jompus. Max is a vumpus.", + "original_question": "Is the following statement true or false? Max is metallic." + }, + { + "id": "ProntoQA_91", + "question": "Numpuses are spicy. Dumpuses are not small. Each numpus is a yumpus. Yumpuses are not opaque. Every yumpus is a wumpus. Wumpuses are floral. Each wumpus is a tumpus. Tumpuses are cold. Each tumpus is a vumpus. Vumpuses are not bright. Each vumpus is an impus. Impuses are nervous. Each impus is a jompus. Jompuses are mean. Jompuses are zumpuses. Zumpuses are small. Zumpuses are rompuses. Wren is a tumpus.\n\nIs the following statement true or false? Wren is not small.", + "answer": false, + "original_context": "Numpuses are spicy. Dumpuses are not small. Each numpus is a yumpus. Yumpuses are not opaque. Every yumpus is a wumpus. Wumpuses are floral. Each wumpus is a tumpus. Tumpuses are cold. Each tumpus is a vumpus. Vumpuses are not bright. Each vumpus is an impus. Impuses are nervous. Each impus is a jompus. Jompuses are mean. Jompuses are zumpuses. Zumpuses are small. Zumpuses are rompuses. Wren is a tumpus.", + "original_question": "Is the following statement true or false? Wren is not small." + }, + { + "id": "ProntoQA_92", + "question": "Wumpuses are transparent. Each wumpus is a dumpus. Dumpuses are shy. Every dumpus is a zumpus. Each zumpus is cold. Zumpuses are rompuses. Every rompus is not red. Rompuses are impuses. Each impus is metallic. Each impus is a numpus. Every numpus is fruity. Numpuses are jompuses. Tumpuses are not metallic. Jompuses are dull. Jompuses are vumpuses. Vumpuses are spicy. Every vumpus is a yumpus. Sally is a wumpus.\n\nIs the following statement true or false? Sally is metallic.", + "answer": true, + "original_context": "Wumpuses are transparent. Each wumpus is a dumpus. Dumpuses are shy. Every dumpus is a zumpus. Each zumpus is cold. Zumpuses are rompuses. Every rompus is not red. Rompuses are impuses. Each impus is metallic. Each impus is a numpus. Every numpus is fruity. Numpuses are jompuses. Tumpuses are not metallic. Jompuses are dull. Jompuses are vumpuses. Vumpuses are spicy. Every vumpus is a yumpus. Sally is a wumpus.", + "original_question": "Is the following statement true or false? Sally is metallic." + }, + { + "id": "ProntoQA_93", + "question": "Every yumpus is not kind. Each yumpus is an impus. Every impus is not red. Every impus is a numpus. Numpuses are feisty. Each dumpus is not luminous. Numpuses are zumpuses. Each zumpus is cold. Zumpuses are wumpuses. Each wumpus is fruity. Every wumpus is a rompus. Every rompus is spicy. Rompuses are tumpuses. Tumpuses are luminous. Tumpuses are jompuses. Every jompus is not dull. Jompuses are vumpuses. Polly is a numpus.\n\nIs the following statement true or false? Polly is not luminous.", + "answer": false, + "original_context": "Every yumpus is not kind. Each yumpus is an impus. Every impus is not red. Every impus is a numpus. Numpuses are feisty. Each dumpus is not luminous. Numpuses are zumpuses. Each zumpus is cold. Zumpuses are wumpuses. Each wumpus is fruity. Every wumpus is a rompus. Every rompus is spicy. Rompuses are tumpuses. Tumpuses are luminous. Tumpuses are jompuses. Every jompus is not dull. Jompuses are vumpuses. Polly is a numpus.", + "original_question": "Is the following statement true or false? Polly is not luminous." + }, + { + "id": "ProntoQA_94", + "question": "Dumpuses are wooden. Dumpuses are rompuses. Rompuses are small. Rompuses are jompuses. Jompuses are orange. Jompuses are wumpuses. Each wumpus is earthy. Each wumpus is a zumpus. Zumpuses are angry. Zumpuses are vumpuses. Tumpuses are not angry. Vumpuses are not spicy. Each vumpus is a yumpus. Yumpuses are not hot. Every yumpus is an impus. Each impus is bright. Impuses are numpuses. Max is a dumpus.\n\nIs the following statement true or false? Max is angry.", + "answer": true, + "original_context": "Dumpuses are wooden. Dumpuses are rompuses. Rompuses are small. Rompuses are jompuses. Jompuses are orange. Jompuses are wumpuses. Each wumpus is earthy. Each wumpus is a zumpus. Zumpuses are angry. Zumpuses are vumpuses. Tumpuses are not angry. Vumpuses are not spicy. Each vumpus is a yumpus. Yumpuses are not hot. Every yumpus is an impus. Each impus is bright. Impuses are numpuses. Max is a dumpus.", + "original_question": "Is the following statement true or false? Max is angry." + }, + { + "id": "ProntoQA_95", + "question": "Each impus is large. Impuses are jompuses. Jompuses are dull. Each jompus is a vumpus. Vumpuses are bitter. Vumpuses are dumpuses. Each dumpus is kind. Each dumpus is a rompus. Rompuses are metallic. Each rompus is a wumpus. Every wumpus is blue. Every wumpus is a zumpus. Numpuses are feisty. Zumpuses are not feisty. Every zumpus is a yumpus. Each yumpus is floral. Each yumpus is a tumpus. Stella is a vumpus.\n\nIs the following statement true or false? Stella is feisty.", + "answer": false, + "original_context": "Each impus is large. Impuses are jompuses. Jompuses are dull. Each jompus is a vumpus. Vumpuses are bitter. Vumpuses are dumpuses. Each dumpus is kind. Each dumpus is a rompus. Rompuses are metallic. Each rompus is a wumpus. Every wumpus is blue. Every wumpus is a zumpus. Numpuses are feisty. Zumpuses are not feisty. Every zumpus is a yumpus. Each yumpus is floral. Each yumpus is a tumpus. Stella is a vumpus.", + "original_question": "Is the following statement true or false? Stella is feisty." + }, + { + "id": "ProntoQA_96", + "question": "Each impus is sour. Each impus is a vumpus. Each vumpus is cold. Vumpuses are zumpuses. Zumpuses are not luminous. Zumpuses are numpuses. Every numpus is earthy. Every numpus is a yumpus. Yumpuses are not mean. Each tumpus is bright. Each yumpus is a rompus. Each rompus is orange. Every rompus is a dumpus. Dumpuses are not bright. Dumpuses are jompuses. Every jompus is small. Jompuses are wumpuses. Fae is a zumpus.\n\nIs the following statement true or false? Fae is bright.", + "answer": false, + "original_context": "Each impus is sour. Each impus is a vumpus. Each vumpus is cold. Vumpuses are zumpuses. Zumpuses are not luminous. Zumpuses are numpuses. Every numpus is earthy. Every numpus is a yumpus. Yumpuses are not mean. Each tumpus is bright. Each yumpus is a rompus. Each rompus is orange. Every rompus is a dumpus. Dumpuses are not bright. Dumpuses are jompuses. Every jompus is small. Jompuses are wumpuses. Fae is a zumpus.", + "original_question": "Is the following statement true or false? Fae is bright." + }, + { + "id": "ProntoQA_97", + "question": "Tumpuses are large. Every tumpus is a rompus. Rompuses are not transparent. Each rompus is a zumpus. Every zumpus is sweet. Each zumpus is a vumpus. Every vumpus is brown. Vumpuses are yumpuses. Yumpuses are not aggressive. Yumpuses are numpuses. Numpuses are dull. Each numpus is an impus. Impuses are not metallic. Each impus is a jompus. Every dumpus is not dull. Jompuses are not cold. Jompuses are wumpuses. Polly is a rompus.\n\nIs the following statement true or false? Polly is not dull.", + "answer": false, + "original_context": "Tumpuses are large. Every tumpus is a rompus. Rompuses are not transparent. Each rompus is a zumpus. Every zumpus is sweet. Each zumpus is a vumpus. Every vumpus is brown. Vumpuses are yumpuses. Yumpuses are not aggressive. Yumpuses are numpuses. Numpuses are dull. Each numpus is an impus. Impuses are not metallic. Each impus is a jompus. Every dumpus is not dull. Jompuses are not cold. Jompuses are wumpuses. Polly is a rompus.", + "original_question": "Is the following statement true or false? Polly is not dull." + }, + { + "id": "ProntoQA_98", + "question": "Vumpuses are liquid. Vumpuses are rompuses. Every rompus is fruity. Each rompus is a zumpus. Every zumpus is bright. Zumpuses are tumpuses. Each tumpus is happy. Each tumpus is a jompus. Jompuses are large. Every jompus is an impus. Impuses are cold. Impuses are dumpuses. Dumpuses are angry. Each dumpus is a yumpus. Each yumpus is not orange. Every wumpus is not angry. Yumpuses are numpuses. Rex is a zumpus.\n\nIs the following statement true or false? Rex is not angry.", + "answer": false, + "original_context": "Vumpuses are liquid. Vumpuses are rompuses. Every rompus is fruity. Each rompus is a zumpus. Every zumpus is bright. Zumpuses are tumpuses. Each tumpus is happy. Each tumpus is a jompus. Jompuses are large. Every jompus is an impus. Impuses are cold. Impuses are dumpuses. Dumpuses are angry. Each dumpus is a yumpus. Each yumpus is not orange. Every wumpus is not angry. Yumpuses are numpuses. Rex is a zumpus.", + "original_question": "Is the following statement true or false? Rex is not angry." + }, + { + "id": "ProntoQA_99", + "question": "Dumpuses are cold. Dumpuses are rompuses. Each rompus is red. Rompuses are numpuses. Numpuses are dull. Each numpus is a yumpus. Yumpuses are happy. Every yumpus is a tumpus. Every tumpus is not kind. Every tumpus is a zumpus. Zumpuses are large. Every zumpus is a vumpus. Vumpuses are earthy. Every vumpus is an impus. Jompuses are not earthy. Impuses are not liquid. Impuses are wumpuses. Sam is a numpus.\n\nIs the following statement true or false? Sam is not earthy.", + "answer": false, + "original_context": "Dumpuses are cold. Dumpuses are rompuses. Each rompus is red. Rompuses are numpuses. Numpuses are dull. Each numpus is a yumpus. Yumpuses are happy. Every yumpus is a tumpus. Every tumpus is not kind. Every tumpus is a zumpus. Zumpuses are large. Every zumpus is a vumpus. Vumpuses are earthy. Every vumpus is an impus. Jompuses are not earthy. Impuses are not liquid. Impuses are wumpuses. Sam is a numpus.", + "original_question": "Is the following statement true or false? Sam is not earthy." + }, + { + "id": "ProntoQA_100", + "question": "Vumpuses are sour. Vumpuses are tumpuses. Tumpuses are bright. Each tumpus is a dumpus. Each dumpus is not large. Dumpuses are numpuses. Numpuses are metallic. Each numpus is a jompus. Every jompus is not angry. Jompuses are wumpuses. Wumpuses are not shy. Wumpuses are rompuses. Rompuses are not opaque. Rompuses are yumpuses. Every zumpus is not blue. Yumpuses are blue. Yumpuses are impuses. Alex is a numpus.\n\nIs the following statement true or false? Alex is blue.", + "answer": true, + "original_context": "Vumpuses are sour. Vumpuses are tumpuses. Tumpuses are bright. Each tumpus is a dumpus. Each dumpus is not large. Dumpuses are numpuses. Numpuses are metallic. Each numpus is a jompus. Every jompus is not angry. Jompuses are wumpuses. Wumpuses are not shy. Wumpuses are rompuses. Rompuses are not opaque. Rompuses are yumpuses. Every zumpus is not blue. Yumpuses are blue. Yumpuses are impuses. Alex is a numpus.", + "original_question": "Is the following statement true or false? Alex is blue." + }, + { + "id": "ProntoQA_101", + "question": "Each zumpus is dull. Every impus is not shy. Each zumpus is a rompus. Rompuses are large. Every rompus is a wumpus. Wumpuses are metallic. Wumpuses are yumpuses. Yumpuses are fruity. Each yumpus is a vumpus. Vumpuses are shy. Vumpuses are tumpuses. Each tumpus is red. Tumpuses are jompuses. Jompuses are not bitter. Jompuses are dumpuses. Sam is a zumpus.\n\nIs the following statement true or false? Sam is not shy.", + "answer": false, + "original_context": "Each zumpus is dull. Every impus is not shy. Each zumpus is a rompus. Rompuses are large. Every rompus is a wumpus. Wumpuses are metallic. Wumpuses are yumpuses. Yumpuses are fruity. Each yumpus is a vumpus. Vumpuses are shy. Vumpuses are tumpuses. Each tumpus is red. Tumpuses are jompuses. Jompuses are not bitter. Jompuses are dumpuses. Sam is a zumpus.", + "original_question": "Is the following statement true or false? Sam is not shy." + }, + { + "id": "ProntoQA_102", + "question": "Each dumpus is not dull. Tumpuses are not spicy. Dumpuses are vumpuses. Vumpuses are fruity. Each vumpus is a zumpus. Each zumpus is large. Each zumpus is a wumpus. Wumpuses are blue. Wumpuses are numpuses. Each numpus is kind. Numpuses are rompuses. Rompuses are cold. Rompuses are jompuses. Jompuses are not transparent. Jompuses are yumpuses. Yumpuses are spicy. Every yumpus is an impus. Rex is a wumpus.\n\nIs the following statement true or false? Rex is not spicy.", + "answer": false, + "original_context": "Each dumpus is not dull. Tumpuses are not spicy. Dumpuses are vumpuses. Vumpuses are fruity. Each vumpus is a zumpus. Each zumpus is large. Each zumpus is a wumpus. Wumpuses are blue. Wumpuses are numpuses. Each numpus is kind. Numpuses are rompuses. Rompuses are cold. Rompuses are jompuses. Jompuses are not transparent. Jompuses are yumpuses. Yumpuses are spicy. Every yumpus is an impus. Rex is a wumpus.", + "original_question": "Is the following statement true or false? Rex is not spicy." + }, + { + "id": "ProntoQA_103", + "question": "Every rompus is not liquid. Each rompus is a tumpus. Tumpuses are not opaque. Every tumpus is a jompus. Jompuses are red. Jompuses are vumpuses. Each vumpus is not angry. Dumpuses are small. Vumpuses are numpuses. Numpuses are not small. Numpuses are zumpuses. Zumpuses are shy. Zumpuses are impuses. Impuses are not bright. Every impus is a yumpus. Yumpuses are not bitter. Each yumpus is a wumpus. Sally is a rompus.\n\nIs the following statement true or false? Sally is small.", + "answer": false, + "original_context": "Every rompus is not liquid. Each rompus is a tumpus. Tumpuses are not opaque. Every tumpus is a jompus. Jompuses are red. Jompuses are vumpuses. Each vumpus is not angry. Dumpuses are small. Vumpuses are numpuses. Numpuses are not small. Numpuses are zumpuses. Zumpuses are shy. Zumpuses are impuses. Impuses are not bright. Every impus is a yumpus. Yumpuses are not bitter. Each yumpus is a wumpus. Sally is a rompus.", + "original_question": "Is the following statement true or false? Sally is small." + }, + { + "id": "ProntoQA_104", + "question": "Yumpuses are not temperate. Yumpuses are jompuses. Jompuses are floral. Every jompus is a wumpus. Wumpuses are mean. Wumpuses are impuses. Impuses are not liquid. Each impus is a vumpus. Every vumpus is red. Each vumpus is a dumpus. Every dumpus is not sour. Each dumpus is a zumpus. Each rompus is not red. Each zumpus is large. Zumpuses are numpuses. Numpuses are opaque. Numpuses are tumpuses. Stella is a yumpus.\n\nIs the following statement true or false? Stella is red.", + "answer": true, + "original_context": "Yumpuses are not temperate. Yumpuses are jompuses. Jompuses are floral. Every jompus is a wumpus. Wumpuses are mean. Wumpuses are impuses. Impuses are not liquid. Each impus is a vumpus. Every vumpus is red. Each vumpus is a dumpus. Every dumpus is not sour. Each dumpus is a zumpus. Each rompus is not red. Each zumpus is large. Zumpuses are numpuses. Numpuses are opaque. Numpuses are tumpuses. Stella is a yumpus.", + "original_question": "Is the following statement true or false? Stella is red." + }, + { + "id": "ProntoQA_105", + "question": "Tumpuses are wooden. Every tumpus is a yumpus. Yumpuses are spicy. Yumpuses are impuses. Impuses are feisty. Every impus is a rompus. Each rompus is large. Each rompus is a zumpus. Wumpuses are not brown. Every zumpus is not cold. Zumpuses are numpuses. Numpuses are brown. Every numpus is a vumpus. Each vumpus is not floral. Each vumpus is a jompus. Every jompus is not mean. Each jompus is a dumpus. Alex is a yumpus.\n\nIs the following statement true or false? Alex is not brown.", + "answer": false, + "original_context": "Tumpuses are wooden. Every tumpus is a yumpus. Yumpuses are spicy. Yumpuses are impuses. Impuses are feisty. Every impus is a rompus. Each rompus is large. Each rompus is a zumpus. Wumpuses are not brown. Every zumpus is not cold. Zumpuses are numpuses. Numpuses are brown. Every numpus is a vumpus. Each vumpus is not floral. Each vumpus is a jompus. Every jompus is not mean. Each jompus is a dumpus. Alex is a yumpus.", + "original_question": "Is the following statement true or false? Alex is not brown." + }, + { + "id": "ProntoQA_106", + "question": "Rompuses are not dull. Rompuses are wumpuses. Each wumpus is floral. Every wumpus is a dumpus. Dumpuses are hot. Every dumpus is a vumpus. Vumpuses are not large. Vumpuses are zumpuses. Every zumpus is nervous. Zumpuses are jompuses. Jompuses are spicy. Jompuses are numpuses. Numpuses are wooden. Every numpus is an impus. Every impus is angry. Tumpuses are not angry. Each impus is a yumpus. Max is a vumpus.\n\nIs the following statement true or false? Max is angry.", + "answer": true, + "original_context": "Rompuses are not dull. Rompuses are wumpuses. Each wumpus is floral. Every wumpus is a dumpus. Dumpuses are hot. Every dumpus is a vumpus. Vumpuses are not large. Vumpuses are zumpuses. Every zumpus is nervous. Zumpuses are jompuses. Jompuses are spicy. Jompuses are numpuses. Numpuses are wooden. Every numpus is an impus. Every impus is angry. Tumpuses are not angry. Each impus is a yumpus. Max is a vumpus.", + "original_question": "Is the following statement true or false? Max is angry." + }, + { + "id": "ProntoQA_107", + "question": "Every yumpus is not opaque. Yumpuses are zumpuses. Zumpuses are nervous. Every zumpus is a tumpus. Each tumpus is not large. Tumpuses are impuses. Impuses are temperate. Impuses are numpuses. Every wumpus is bitter. Each numpus is not bitter. Numpuses are vumpuses. Every vumpus is not kind. Vumpuses are rompuses. Rompuses are brown. Rompuses are jompuses. Every jompus is wooden. Every jompus is a dumpus. Sally is a yumpus.\n\nIs the following statement true or false? Sally is not bitter.", + "answer": true, + "original_context": "Every yumpus is not opaque. Yumpuses are zumpuses. Zumpuses are nervous. Every zumpus is a tumpus. Each tumpus is not large. Tumpuses are impuses. Impuses are temperate. Impuses are numpuses. Every wumpus is bitter. Each numpus is not bitter. Numpuses are vumpuses. Every vumpus is not kind. Vumpuses are rompuses. Rompuses are brown. Rompuses are jompuses. Every jompus is wooden. Every jompus is a dumpus. Sally is a yumpus.", + "original_question": "Is the following statement true or false? Sally is not bitter." + }, + { + "id": "ProntoQA_108", + "question": "Every zumpus is brown. Every zumpus is a dumpus. Each dumpus is not dull. Every dumpus is a yumpus. Every numpus is not hot. Each yumpus is not earthy. Yumpuses are wumpuses. Wumpuses are wooden. Every wumpus is a jompus. Each jompus is large. Every jompus is a tumpus. Each tumpus is amenable. Tumpuses are impuses. Every impus is hot. Every impus is a rompus. Rompuses are sweet. Rompuses are vumpuses. Wren is a yumpus.\n\nIs the following statement true or false? Wren is not hot.", + "answer": false, + "original_context": "Every zumpus is brown. Every zumpus is a dumpus. Each dumpus is not dull. Every dumpus is a yumpus. Every numpus is not hot. Each yumpus is not earthy. Yumpuses are wumpuses. Wumpuses are wooden. Every wumpus is a jompus. Each jompus is large. Every jompus is a tumpus. Each tumpus is amenable. Tumpuses are impuses. Every impus is hot. Every impus is a rompus. Rompuses are sweet. Rompuses are vumpuses. Wren is a yumpus.", + "original_question": "Is the following statement true or false? Wren is not hot." + }, + { + "id": "ProntoQA_109", + "question": "Wumpuses are dull. Every wumpus is a dumpus. Dumpuses are not liquid. Each numpus is large. Every dumpus is a jompus. Each jompus is not brown. Jompuses are tumpuses. Every tumpus is opaque. Each tumpus is a yumpus. Yumpuses are not large. Yumpuses are vumpuses. Vumpuses are sour. Vumpuses are rompuses. Rompuses are kind. Rompuses are zumpuses. Zumpuses are fruity. Zumpuses are impuses. Sally is a wumpus.\n\nIs the following statement true or false? Sally is large.", + "answer": false, + "original_context": "Wumpuses are dull. Every wumpus is a dumpus. Dumpuses are not liquid. Each numpus is large. Every dumpus is a jompus. Each jompus is not brown. Jompuses are tumpuses. Every tumpus is opaque. Each tumpus is a yumpus. Yumpuses are not large. Yumpuses are vumpuses. Vumpuses are sour. Vumpuses are rompuses. Rompuses are kind. Rompuses are zumpuses. Zumpuses are fruity. Zumpuses are impuses. Sally is a wumpus.", + "original_question": "Is the following statement true or false? Sally is large." + }, + { + "id": "ProntoQA_110", + "question": "Tumpuses are temperate. Tumpuses are zumpuses. Zumpuses are large. Zumpuses are jompuses. Jompuses are not blue. Every jompus is a rompus. Each rompus is earthy. Vumpuses are not opaque. Every rompus is a yumpus. Yumpuses are happy. Yumpuses are wumpuses. Each wumpus is opaque. Each wumpus is a numpus. Sally is a zumpus.\n\nIs the following statement true or false? Sally is not opaque.", + "answer": false, + "original_context": "Tumpuses are temperate. Tumpuses are zumpuses. Zumpuses are large. Zumpuses are jompuses. Jompuses are not blue. Every jompus is a rompus. Each rompus is earthy. Vumpuses are not opaque. Every rompus is a yumpus. Yumpuses are happy. Yumpuses are wumpuses. Each wumpus is opaque. Each wumpus is a numpus. Sally is a zumpus.", + "original_question": "Is the following statement true or false? Sally is not opaque." + }, + { + "id": "ProntoQA_111", + "question": "Every impus is metallic. Impuses are jompuses. Jompuses are not sweet. Jompuses are numpuses. Each numpus is not cold. Every numpus is a tumpus. Tumpuses are not dull. Every tumpus is a dumpus. Every dumpus is red. Each wumpus is amenable. Dumpuses are vumpuses. Vumpuses are happy. Vumpuses are yumpuses. Every yumpus is fruity. Every yumpus is a rompus. Every rompus is not amenable. Rompuses are zumpuses. Sally is a tumpus.\n\nIs the following statement true or false? Sally is amenable.", + "answer": false, + "original_context": "Every impus is metallic. Impuses are jompuses. Jompuses are not sweet. Jompuses are numpuses. Each numpus is not cold. Every numpus is a tumpus. Tumpuses are not dull. Every tumpus is a dumpus. Every dumpus is red. Each wumpus is amenable. Dumpuses are vumpuses. Vumpuses are happy. Vumpuses are yumpuses. Every yumpus is fruity. Every yumpus is a rompus. Every rompus is not amenable. Rompuses are zumpuses. Sally is a tumpus.", + "original_question": "Is the following statement true or false? Sally is amenable." + }, + { + "id": "ProntoQA_112", + "question": "Each rompus is not large. Every rompus is a numpus. Every numpus is fruity. Numpuses are wumpuses. Wumpuses are not metallic. Wumpuses are tumpuses. Tumpuses are cold. Dumpuses are not brown. Tumpuses are jompuses. Each jompus is sweet. Jompuses are zumpuses. Each zumpus is brown. Every zumpus is a yumpus. Max is a numpus.\n\nIs the following statement true or false? Max is not brown.", + "answer": false, + "original_context": "Each rompus is not large. Every rompus is a numpus. Every numpus is fruity. Numpuses are wumpuses. Wumpuses are not metallic. Wumpuses are tumpuses. Tumpuses are cold. Dumpuses are not brown. Tumpuses are jompuses. Each jompus is sweet. Jompuses are zumpuses. Each zumpus is brown. Every zumpus is a yumpus. Max is a numpus.", + "original_question": "Is the following statement true or false? Max is not brown." + }, + { + "id": "ProntoQA_113", + "question": "Every rompus is wooden. Every zumpus is happy. Each zumpus is a jompus. Jompuses are kind. Jompuses are impuses. Impuses are spicy. Impuses are dumpuses. Each dumpus is large. Dumpuses are vumpuses. Vumpuses are not wooden. Each vumpus is a yumpus. Every yumpus is transparent. Each yumpus is a numpus. Rex is a zumpus.\n\nIs the following statement true or false? Rex is not wooden.", + "answer": true, + "original_context": "Every rompus is wooden. Every zumpus is happy. Each zumpus is a jompus. Jompuses are kind. Jompuses are impuses. Impuses are spicy. Impuses are dumpuses. Each dumpus is large. Dumpuses are vumpuses. Vumpuses are not wooden. Each vumpus is a yumpus. Every yumpus is transparent. Each yumpus is a numpus. Rex is a zumpus.", + "original_question": "Is the following statement true or false? Rex is not wooden." + }, + { + "id": "ProntoQA_114", + "question": "Every vumpus is liquid. Every vumpus is an impus. Impuses are not aggressive. Impuses are tumpuses. Tumpuses are large. Tumpuses are yumpuses. Each yumpus is bright. Every yumpus is a wumpus. Wumpuses are opaque. Wumpuses are numpuses. Every numpus is hot. Numpuses are rompuses. Each rompus is sweet. Rompuses are dumpuses. Dumpuses are blue. Each dumpus is a jompus. Each zumpus is not sweet. Polly is a tumpus.\n\nIs the following statement true or false? Polly is sweet.", + "answer": true, + "original_context": "Every vumpus is liquid. Every vumpus is an impus. Impuses are not aggressive. Impuses are tumpuses. Tumpuses are large. Tumpuses are yumpuses. Each yumpus is bright. Every yumpus is a wumpus. Wumpuses are opaque. Wumpuses are numpuses. Every numpus is hot. Numpuses are rompuses. Each rompus is sweet. Rompuses are dumpuses. Dumpuses are blue. Each dumpus is a jompus. Each zumpus is not sweet. Polly is a tumpus.", + "original_question": "Is the following statement true or false? Polly is sweet." + }, + { + "id": "ProntoQA_115", + "question": "Zumpuses are sweet. Each zumpus is a vumpus. Vumpuses are cold. Vumpuses are jompuses. Each jompus is not blue. Jompuses are dumpuses. Every dumpus is floral. Each dumpus is a wumpus. Wumpuses are bright. Impuses are wooden. Every wumpus is a rompus. Every rompus is nervous. Every rompus is a yumpus. Yumpuses are transparent. Yumpuses are numpuses. Numpuses are not wooden. Every numpus is a tumpus. Alex is a dumpus.\n\nIs the following statement true or false? Alex is wooden.", + "answer": false, + "original_context": "Zumpuses are sweet. Each zumpus is a vumpus. Vumpuses are cold. Vumpuses are jompuses. Each jompus is not blue. Jompuses are dumpuses. Every dumpus is floral. Each dumpus is a wumpus. Wumpuses are bright. Impuses are wooden. Every wumpus is a rompus. Every rompus is nervous. Every rompus is a yumpus. Yumpuses are transparent. Yumpuses are numpuses. Numpuses are not wooden. Every numpus is a tumpus. Alex is a dumpus.", + "original_question": "Is the following statement true or false? Alex is wooden." + }, + { + "id": "ProntoQA_116", + "question": "Each numpus is not dull. Every numpus is a jompus. Jompuses are not blue. Every jompus is a vumpus. Vumpuses are not small. Each vumpus is an impus. Every impus is mean. Impuses are rompuses. Rompuses are not opaque. Rompuses are yumpuses. Yumpuses are floral. Each yumpus is a tumpus. Tumpuses are nervous. Every tumpus is a dumpus. Every wumpus is not hot. Dumpuses are hot. Each dumpus is a zumpus. Sally is an impus.\n\nIs the following statement true or false? Sally is not hot.", + "answer": false, + "original_context": "Each numpus is not dull. Every numpus is a jompus. Jompuses are not blue. Every jompus is a vumpus. Vumpuses are not small. Each vumpus is an impus. Every impus is mean. Impuses are rompuses. Rompuses are not opaque. Rompuses are yumpuses. Yumpuses are floral. Each yumpus is a tumpus. Tumpuses are nervous. Every tumpus is a dumpus. Every wumpus is not hot. Dumpuses are hot. Each dumpus is a zumpus. Sally is an impus.", + "original_question": "Is the following statement true or false? Sally is not hot." + }, + { + "id": "ProntoQA_117", + "question": "Numpuses are earthy. Numpuses are yumpuses. Impuses are not angry. Yumpuses are not shy. Yumpuses are vumpuses. Vumpuses are blue. Each vumpus is a jompus. Each jompus is metallic. Each jompus is a rompus. Every rompus is not temperate. Every rompus is a dumpus. Each dumpus is small. Every dumpus is a wumpus. Wumpuses are bitter. Wumpuses are tumpuses. Each tumpus is angry. Tumpuses are zumpuses. Alex is a jompus.\n\nIs the following statement true or false? Alex is angry.", + "answer": true, + "original_context": "Numpuses are earthy. Numpuses are yumpuses. Impuses are not angry. Yumpuses are not shy. Yumpuses are vumpuses. Vumpuses are blue. Each vumpus is a jompus. Each jompus is metallic. Each jompus is a rompus. Every rompus is not temperate. Every rompus is a dumpus. Each dumpus is small. Every dumpus is a wumpus. Wumpuses are bitter. Wumpuses are tumpuses. Each tumpus is angry. Tumpuses are zumpuses. Alex is a jompus.", + "original_question": "Is the following statement true or false? Alex is angry." + }, + { + "id": "ProntoQA_118", + "question": "Each vumpus is hot. Each vumpus is a jompus. Each jompus is red. Jompuses are impuses. Every impus is not opaque. Impuses are numpuses. Every zumpus is not sweet. Numpuses are earthy. Numpuses are rompuses. Rompuses are large. Each rompus is a tumpus. Every tumpus is not bright. Each tumpus is a wumpus. Every wumpus is sweet. Every wumpus is a dumpus. Each dumpus is angry. Dumpuses are yumpuses. Sam is an impus.\n\nIs the following statement true or false? Sam is not sweet.", + "answer": false, + "original_context": "Each vumpus is hot. Each vumpus is a jompus. Each jompus is red. Jompuses are impuses. Every impus is not opaque. Impuses are numpuses. Every zumpus is not sweet. Numpuses are earthy. Numpuses are rompuses. Rompuses are large. Each rompus is a tumpus. Every tumpus is not bright. Each tumpus is a wumpus. Every wumpus is sweet. Every wumpus is a dumpus. Each dumpus is angry. Dumpuses are yumpuses. Sam is an impus.", + "original_question": "Is the following statement true or false? Sam is not sweet." + }, + { + "id": "ProntoQA_119", + "question": "Zumpuses are not bitter. Zumpuses are tumpuses. Every tumpus is luminous. Each tumpus is an impus. Each impus is orange. Impuses are vumpuses. Each vumpus is floral. Vumpuses are jompuses. Each jompus is not temperate. Every jompus is a rompus. Rompuses are transparent. Each yumpus is shy. Each rompus is a wumpus. Each wumpus is not shy. Each wumpus is a dumpus. Each dumpus is not amenable. Dumpuses are numpuses. Max is an impus.\n\nIs the following statement true or false? Max is shy.", + "answer": false, + "original_context": "Zumpuses are not bitter. Zumpuses are tumpuses. Every tumpus is luminous. Each tumpus is an impus. Each impus is orange. Impuses are vumpuses. Each vumpus is floral. Vumpuses are jompuses. Each jompus is not temperate. Every jompus is a rompus. Rompuses are transparent. Each yumpus is shy. Each rompus is a wumpus. Each wumpus is not shy. Each wumpus is a dumpus. Each dumpus is not amenable. Dumpuses are numpuses. Max is an impus.", + "original_question": "Is the following statement true or false? Max is shy." + }, + { + "id": "ProntoQA_120", + "question": "Every impus is small. Impuses are rompuses. Each rompus is shy. Every rompus is a zumpus. Dumpuses are fruity. Zumpuses are cold. Every zumpus is a vumpus. Every vumpus is not opaque. Vumpuses are wumpuses. Each wumpus is luminous. Every wumpus is a yumpus. Yumpuses are spicy. Every yumpus is a tumpus. Tumpuses are not fruity. Tumpuses are numpuses. Every numpus is red. Numpuses are jompuses. Stella is a zumpus.\n\nIs the following statement true or false? Stella is not fruity.", + "answer": true, + "original_context": "Every impus is small. Impuses are rompuses. Each rompus is shy. Every rompus is a zumpus. Dumpuses are fruity. Zumpuses are cold. Every zumpus is a vumpus. Every vumpus is not opaque. Vumpuses are wumpuses. Each wumpus is luminous. Every wumpus is a yumpus. Yumpuses are spicy. Every yumpus is a tumpus. Tumpuses are not fruity. Tumpuses are numpuses. Every numpus is red. Numpuses are jompuses. Stella is a zumpus.", + "original_question": "Is the following statement true or false? Stella is not fruity." + }, + { + "id": "ProntoQA_121", + "question": "Every dumpus is not cold. Every dumpus is a zumpus. Each zumpus is metallic. Zumpuses are rompuses. Rompuses are dull. Each rompus is a yumpus. Each yumpus is floral. Yumpuses are impuses. Impuses are not mean. Impuses are wumpuses. Wumpuses are small. Every wumpus is a jompus. Jompuses are not transparent. Each jompus is a vumpus. Every vumpus is sour. Every vumpus is a numpus. Tumpuses are mean. Max is a dumpus.\n\nIs the following statement true or false? Max is not mean.", + "answer": true, + "original_context": "Every dumpus is not cold. Every dumpus is a zumpus. Each zumpus is metallic. Zumpuses are rompuses. Rompuses are dull. Each rompus is a yumpus. Each yumpus is floral. Yumpuses are impuses. Impuses are not mean. Impuses are wumpuses. Wumpuses are small. Every wumpus is a jompus. Jompuses are not transparent. Each jompus is a vumpus. Every vumpus is sour. Every vumpus is a numpus. Tumpuses are mean. Max is a dumpus.", + "original_question": "Is the following statement true or false? Max is not mean." + }, + { + "id": "ProntoQA_122", + "question": "Rompuses are metallic. Rompuses are dumpuses. Dumpuses are blue. Every dumpus is a numpus. Every numpus is fruity. Numpuses are jompuses. Every jompus is mean. Jompuses are tumpuses. Tumpuses are not temperate. Tumpuses are impuses. Impuses are not dull. Each impus is a yumpus. Every yumpus is not transparent. Yumpuses are zumpuses. Wumpuses are transparent. Zumpuses are not sweet. Zumpuses are vumpuses. Fae is a numpus.\n\nIs the following statement true or false? Fae is transparent.", + "answer": false, + "original_context": "Rompuses are metallic. Rompuses are dumpuses. Dumpuses are blue. Every dumpus is a numpus. Every numpus is fruity. Numpuses are jompuses. Every jompus is mean. Jompuses are tumpuses. Tumpuses are not temperate. Tumpuses are impuses. Impuses are not dull. Each impus is a yumpus. Every yumpus is not transparent. Yumpuses are zumpuses. Wumpuses are transparent. Zumpuses are not sweet. Zumpuses are vumpuses. Fae is a numpus.", + "original_question": "Is the following statement true or false? Fae is transparent." + }, + { + "id": "ProntoQA_123", + "question": "Jompuses are fruity. Jompuses are tumpuses. Tumpuses are not metallic. Tumpuses are wumpuses. Every wumpus is opaque. Each rompus is not aggressive. Wumpuses are numpuses. Numpuses are nervous. Every numpus is a zumpus. Every zumpus is small. Zumpuses are yumpuses. Yumpuses are blue. Yumpuses are impuses. Impuses are not cold. Impuses are dumpuses. Each dumpus is aggressive. Each dumpus is a vumpus. Polly is a numpus.\n\nIs the following statement true or false? Polly is aggressive.", + "answer": true, + "original_context": "Jompuses are fruity. Jompuses are tumpuses. Tumpuses are not metallic. Tumpuses are wumpuses. Every wumpus is opaque. Each rompus is not aggressive. Wumpuses are numpuses. Numpuses are nervous. Every numpus is a zumpus. Every zumpus is small. Zumpuses are yumpuses. Yumpuses are blue. Yumpuses are impuses. Impuses are not cold. Impuses are dumpuses. Each dumpus is aggressive. Each dumpus is a vumpus. Polly is a numpus.", + "original_question": "Is the following statement true or false? Polly is aggressive." + }, + { + "id": "ProntoQA_124", + "question": "Each yumpus is metallic. Yumpuses are zumpuses. Zumpuses are transparent. Every zumpus is a jompus. Jompuses are floral. Every tumpus is not cold. Jompuses are numpuses. Numpuses are happy. Each numpus is a vumpus. Vumpuses are cold. Vumpuses are impuses. Impuses are not brown. Impuses are rompuses. Rompuses are not bright. Rompuses are dumpuses. Each dumpus is large. Dumpuses are wumpuses. Sam is a yumpus.\n\nIs the following statement true or false? Sam is not cold.", + "answer": false, + "original_context": "Each yumpus is metallic. Yumpuses are zumpuses. Zumpuses are transparent. Every zumpus is a jompus. Jompuses are floral. Every tumpus is not cold. Jompuses are numpuses. Numpuses are happy. Each numpus is a vumpus. Vumpuses are cold. Vumpuses are impuses. Impuses are not brown. Impuses are rompuses. Rompuses are not bright. Rompuses are dumpuses. Each dumpus is large. Dumpuses are wumpuses. Sam is a yumpus.", + "original_question": "Is the following statement true or false? Sam is not cold." + }, + { + "id": "ProntoQA_125", + "question": "Every zumpus is bright. Each zumpus is a yumpus. Each yumpus is not bitter. Every yumpus is a rompus. Each rompus is small. Rompuses are dumpuses. Dumpuses are brown. Each dumpus is an impus. Impuses are not feisty. Tumpuses are feisty. Every impus is a numpus. Numpuses are not wooden. Numpuses are jompuses. Each jompus is transparent. Every jompus is a vumpus. Vumpuses are not cold. Every vumpus is a wumpus. Sally is a zumpus.\n\nIs the following statement true or false? Sally is not feisty.", + "answer": true, + "original_context": "Every zumpus is bright. Each zumpus is a yumpus. Each yumpus is not bitter. Every yumpus is a rompus. Each rompus is small. Rompuses are dumpuses. Dumpuses are brown. Each dumpus is an impus. Impuses are not feisty. Tumpuses are feisty. Every impus is a numpus. Numpuses are not wooden. Numpuses are jompuses. Each jompus is transparent. Every jompus is a vumpus. Vumpuses are not cold. Every vumpus is a wumpus. Sally is a zumpus.", + "original_question": "Is the following statement true or false? Sally is not feisty." + }, + { + "id": "ProntoQA_126", + "question": "Impuses are not angry. Impuses are zumpuses. Zumpuses are transparent. Every zumpus is a yumpus. Yumpuses are small. Yumpuses are wumpuses. Each wumpus is sour. Wumpuses are jompuses. Each jompus is orange. Each jompus is a dumpus. Every rompus is not floral. Every dumpus is floral. Dumpuses are numpuses. Every numpus is luminous. Numpuses are vumpuses. Stella is a zumpus.\n\nIs the following statement true or false? Stella is not floral.", + "answer": false, + "original_context": "Impuses are not angry. Impuses are zumpuses. Zumpuses are transparent. Every zumpus is a yumpus. Yumpuses are small. Yumpuses are wumpuses. Each wumpus is sour. Wumpuses are jompuses. Each jompus is orange. Each jompus is a dumpus. Every rompus is not floral. Every dumpus is floral. Dumpuses are numpuses. Every numpus is luminous. Numpuses are vumpuses. Stella is a zumpus.", + "original_question": "Is the following statement true or false? Stella is not floral." + }, + { + "id": "ProntoQA_127", + "question": "Jompuses are kind. Jompuses are zumpuses. Every zumpus is bitter. Zumpuses are vumpuses. Vumpuses are not large. Each vumpus is a numpus. Rompuses are nervous. Each numpus is not luminous. Every numpus is a dumpus. Dumpuses are not nervous. Dumpuses are tumpuses. Tumpuses are not opaque. Every tumpus is a wumpus. Every wumpus is orange. Every wumpus is an impus. Each impus is bright. Every impus is a yumpus. Max is a jompus.\n\nIs the following statement true or false? Max is nervous.", + "answer": false, + "original_context": "Jompuses are kind. Jompuses are zumpuses. Every zumpus is bitter. Zumpuses are vumpuses. Vumpuses are not large. Each vumpus is a numpus. Rompuses are nervous. Each numpus is not luminous. Every numpus is a dumpus. Dumpuses are not nervous. Dumpuses are tumpuses. Tumpuses are not opaque. Every tumpus is a wumpus. Every wumpus is orange. Every wumpus is an impus. Each impus is bright. Every impus is a yumpus. Max is a jompus.", + "original_question": "Is the following statement true or false? Max is nervous." + }, + { + "id": "ProntoQA_128", + "question": "Each yumpus is fruity. Every yumpus is a dumpus. Every dumpus is dull. Each dumpus is a zumpus. Zumpuses are nervous. Every zumpus is an impus. Each impus is large. Every impus is a vumpus. Tumpuses are temperate. Vumpuses are not temperate. Each vumpus is a jompus. Every jompus is wooden. Jompuses are wumpuses. Wumpuses are not red. Every wumpus is a rompus. Rompuses are amenable. Rompuses are numpuses. Sam is a yumpus.\n\nIs the following statement true or false? Sam is temperate.", + "answer": false, + "original_context": "Each yumpus is fruity. Every yumpus is a dumpus. Every dumpus is dull. Each dumpus is a zumpus. Zumpuses are nervous. Every zumpus is an impus. Each impus is large. Every impus is a vumpus. Tumpuses are temperate. Vumpuses are not temperate. Each vumpus is a jompus. Every jompus is wooden. Jompuses are wumpuses. Wumpuses are not red. Every wumpus is a rompus. Rompuses are amenable. Rompuses are numpuses. Sam is a yumpus.", + "original_question": "Is the following statement true or false? Sam is temperate." + }, + { + "id": "ProntoQA_129", + "question": "Every numpus is not transparent. Numpuses are impuses. Every tumpus is sweet. Each impus is metallic. Impuses are yumpuses. Yumpuses are large. Every yumpus is a dumpus. Every dumpus is angry. Each dumpus is a vumpus. Vumpuses are not sweet. Vumpuses are jompuses. Each jompus is bright. Jompuses are rompuses. Wren is a numpus.\n\nIs the following statement true or false? Wren is not sweet.", + "answer": true, + "original_context": "Every numpus is not transparent. Numpuses are impuses. Every tumpus is sweet. Each impus is metallic. Impuses are yumpuses. Yumpuses are large. Every yumpus is a dumpus. Every dumpus is angry. Each dumpus is a vumpus. Vumpuses are not sweet. Vumpuses are jompuses. Each jompus is bright. Jompuses are rompuses. Wren is a numpus.", + "original_question": "Is the following statement true or false? Wren is not sweet." + }, + { + "id": "ProntoQA_130", + "question": "Dumpuses are opaque. Every numpus is bitter. Numpuses are wumpuses. Wumpuses are blue. Wumpuses are yumpuses. Yumpuses are not temperate. Yumpuses are impuses. Impuses are feisty. Each impus is a vumpus. Vumpuses are not earthy. Each vumpus is a tumpus. Each tumpus is not opaque. Tumpuses are jompuses. Jompuses are bright. Jompuses are rompuses. Each rompus is liquid. Rompuses are zumpuses. Polly is a wumpus.\n\nIs the following statement true or false? Polly is not opaque.", + "answer": true, + "original_context": "Dumpuses are opaque. Every numpus is bitter. Numpuses are wumpuses. Wumpuses are blue. Wumpuses are yumpuses. Yumpuses are not temperate. Yumpuses are impuses. Impuses are feisty. Each impus is a vumpus. Vumpuses are not earthy. Each vumpus is a tumpus. Each tumpus is not opaque. Tumpuses are jompuses. Jompuses are bright. Jompuses are rompuses. Each rompus is liquid. Rompuses are zumpuses. Polly is a wumpus.", + "original_question": "Is the following statement true or false? Polly is not opaque." + }, + { + "id": "ProntoQA_131", + "question": "Every yumpus is bitter. Each yumpus is a tumpus. Each tumpus is cold. Tumpuses are wumpuses. Each wumpus is kind. Every wumpus is a numpus. Every numpus is not brown. Every numpus is a rompus. Every rompus is wooden. Rompuses are dumpuses. Every dumpus is dull. Every dumpus is a zumpus. Zumpuses are large. Each zumpus is a vumpus. Each vumpus is opaque. Jompuses are not dull. Vumpuses are impuses. Polly is a tumpus.\n\nIs the following statement true or false? Polly is dull.", + "answer": true, + "original_context": "Every yumpus is bitter. Each yumpus is a tumpus. Each tumpus is cold. Tumpuses are wumpuses. Each wumpus is kind. Every wumpus is a numpus. Every numpus is not brown. Every numpus is a rompus. Every rompus is wooden. Rompuses are dumpuses. Every dumpus is dull. Every dumpus is a zumpus. Zumpuses are large. Each zumpus is a vumpus. Each vumpus is opaque. Jompuses are not dull. Vumpuses are impuses. Polly is a tumpus.", + "original_question": "Is the following statement true or false? Polly is dull." + }, + { + "id": "ProntoQA_132", + "question": "Each vumpus is transparent. Vumpuses are zumpuses. Every zumpus is not large. Zumpuses are dumpuses. Every dumpus is spicy. Each dumpus is a numpus. Each impus is blue. Numpuses are temperate. Each numpus is a tumpus. Tumpuses are not blue. Tumpuses are jompuses. Each jompus is happy. Each jompus is a yumpus. Each yumpus is not amenable. Every yumpus is a wumpus. Wumpuses are not floral. Wumpuses are rompuses. Polly is a vumpus.\n\nIs the following statement true or false? Polly is not blue.", + "answer": true, + "original_context": "Each vumpus is transparent. Vumpuses are zumpuses. Every zumpus is not large. Zumpuses are dumpuses. Every dumpus is spicy. Each dumpus is a numpus. Each impus is blue. Numpuses are temperate. Each numpus is a tumpus. Tumpuses are not blue. Tumpuses are jompuses. Each jompus is happy. Each jompus is a yumpus. Each yumpus is not amenable. Every yumpus is a wumpus. Wumpuses are not floral. Wumpuses are rompuses. Polly is a vumpus.", + "original_question": "Is the following statement true or false? Polly is not blue." + }, + { + "id": "ProntoQA_133", + "question": "Each yumpus is bright. Yumpuses are zumpuses. Zumpuses are not red. Each zumpus is a rompus. Each rompus is kind. Rompuses are tumpuses. Tumpuses are luminous. Tumpuses are jompuses. Jompuses are not bitter. Jompuses are impuses. Every dumpus is bitter. Each impus is feisty. Each impus is a vumpus. Each vumpus is opaque. Vumpuses are numpuses. Wren is a yumpus.\n\nIs the following statement true or false? Wren is not bitter.", + "answer": true, + "original_context": "Each yumpus is bright. Yumpuses are zumpuses. Zumpuses are not red. Each zumpus is a rompus. Each rompus is kind. Rompuses are tumpuses. Tumpuses are luminous. Tumpuses are jompuses. Jompuses are not bitter. Jompuses are impuses. Every dumpus is bitter. Each impus is feisty. Each impus is a vumpus. Each vumpus is opaque. Vumpuses are numpuses. Wren is a yumpus.", + "original_question": "Is the following statement true or false? Wren is not bitter." + }, + { + "id": "ProntoQA_134", + "question": "Each impus is not liquid. Impuses are rompuses. Rompuses are floral. Rompuses are vumpuses. Every vumpus is happy. Vumpuses are wumpuses. Wumpuses are blue. Each wumpus is a numpus. Each numpus is temperate. Each numpus is a tumpus. Zumpuses are not temperate. Each tumpus is not bitter. Tumpuses are jompuses. Every jompus is bright. Each jompus is a yumpus. Yumpuses are mean. Each yumpus is a dumpus. Stella is an impus.\n\nIs the following statement true or false? Stella is temperate.", + "answer": true, + "original_context": "Each impus is not liquid. Impuses are rompuses. Rompuses are floral. Rompuses are vumpuses. Every vumpus is happy. Vumpuses are wumpuses. Wumpuses are blue. Each wumpus is a numpus. Each numpus is temperate. Each numpus is a tumpus. Zumpuses are not temperate. Each tumpus is not bitter. Tumpuses are jompuses. Every jompus is bright. Each jompus is a yumpus. Yumpuses are mean. Each yumpus is a dumpus. Stella is an impus.", + "original_question": "Is the following statement true or false? Stella is temperate." + }, + { + "id": "ProntoQA_135", + "question": "Wumpuses are not kind. Every wumpus is a vumpus. Yumpuses are blue. Vumpuses are not transparent. Vumpuses are impuses. Every impus is not small. Every impus is a zumpus. Every zumpus is feisty. Each zumpus is a rompus. Rompuses are not bright. Rompuses are jompuses. Jompuses are hot. Jompuses are numpuses. Numpuses are not blue. Numpuses are tumpuses. Every tumpus is not liquid. Tumpuses are dumpuses. Alex is an impus.\n\nIs the following statement true or false? Alex is not blue.", + "answer": true, + "original_context": "Wumpuses are not kind. Every wumpus is a vumpus. Yumpuses are blue. Vumpuses are not transparent. Vumpuses are impuses. Every impus is not small. Every impus is a zumpus. Every zumpus is feisty. Each zumpus is a rompus. Rompuses are not bright. Rompuses are jompuses. Jompuses are hot. Jompuses are numpuses. Numpuses are not blue. Numpuses are tumpuses. Every tumpus is not liquid. Tumpuses are dumpuses. Alex is an impus.", + "original_question": "Is the following statement true or false? Alex is not blue." + }, + { + "id": "ProntoQA_136", + "question": "Zumpuses are not fruity. Every zumpus is a dumpus. Each dumpus is not bright. Dumpuses are vumpuses. Vumpuses are not transparent. Vumpuses are rompuses. Rompuses are large. Rompuses are wumpuses. Each wumpus is sour. Wumpuses are yumpuses. Yumpuses are cold. Yumpuses are tumpuses. Each tumpus is luminous. Impuses are not sour. Tumpuses are numpuses. Numpuses are not nervous. Every numpus is a jompus. Sally is a zumpus.\n\nIs the following statement true or false? Sally is not sour.", + "answer": false, + "original_context": "Zumpuses are not fruity. Every zumpus is a dumpus. Each dumpus is not bright. Dumpuses are vumpuses. Vumpuses are not transparent. Vumpuses are rompuses. Rompuses are large. Rompuses are wumpuses. Each wumpus is sour. Wumpuses are yumpuses. Yumpuses are cold. Yumpuses are tumpuses. Each tumpus is luminous. Impuses are not sour. Tumpuses are numpuses. Numpuses are not nervous. Every numpus is a jompus. Sally is a zumpus.", + "original_question": "Is the following statement true or false? Sally is not sour." + }, + { + "id": "ProntoQA_137", + "question": "Each numpus is opaque. Numpuses are tumpuses. Tumpuses are hot. Tumpuses are rompuses. Each rompus is bright. Rompuses are yumpuses. Each yumpus is earthy. Every yumpus is a wumpus. Each wumpus is spicy. Each wumpus is a zumpus. Every zumpus is nervous. Every zumpus is an impus. Each impus is not liquid. Each impus is a jompus. Every jompus is not large. Jompuses are dumpuses. Each vumpus is liquid. Rex is a rompus.\n\nIs the following statement true or false? Rex is not liquid.", + "answer": true, + "original_context": "Each numpus is opaque. Numpuses are tumpuses. Tumpuses are hot. Tumpuses are rompuses. Each rompus is bright. Rompuses are yumpuses. Each yumpus is earthy. Every yumpus is a wumpus. Each wumpus is spicy. Each wumpus is a zumpus. Every zumpus is nervous. Every zumpus is an impus. Each impus is not liquid. Each impus is a jompus. Every jompus is not large. Jompuses are dumpuses. Each vumpus is liquid. Rex is a rompus.", + "original_question": "Is the following statement true or false? Rex is not liquid." + }, + { + "id": "ProntoQA_138", + "question": "Rompuses are not angry. Every numpus is red. Each rompus is a jompus. Jompuses are not bright. Every jompus is a yumpus. Every yumpus is wooden. Each yumpus is a tumpus. Tumpuses are hot. Tumpuses are dumpuses. Each dumpus is feisty. Dumpuses are wumpuses. Wumpuses are not transparent. Every wumpus is an impus. Each impus is not red. Every impus is a vumpus. Each vumpus is not large. Vumpuses are zumpuses. Sally is a yumpus.\n\nIs the following statement true or false? Sally is red.", + "answer": false, + "original_context": "Rompuses are not angry. Every numpus is red. Each rompus is a jompus. Jompuses are not bright. Every jompus is a yumpus. Every yumpus is wooden. Each yumpus is a tumpus. Tumpuses are hot. Tumpuses are dumpuses. Each dumpus is feisty. Dumpuses are wumpuses. Wumpuses are not transparent. Every wumpus is an impus. Each impus is not red. Every impus is a vumpus. Each vumpus is not large. Vumpuses are zumpuses. Sally is a yumpus.", + "original_question": "Is the following statement true or false? Sally is red." + }, + { + "id": "ProntoQA_139", + "question": "Every zumpus is not hot. Each zumpus is a dumpus. Every dumpus is not floral. Each dumpus is a yumpus. Every yumpus is aggressive. Yumpuses are wumpuses. Every wumpus is not red. Every wumpus is a vumpus. Vumpuses are bright. Vumpuses are jompuses. Every jompus is not small. Jompuses are tumpuses. Each tumpus is shy. Every tumpus is a numpus. Rompuses are small. Each numpus is metallic. Numpuses are impuses. Sam is a dumpus.\n\nIs the following statement true or false? Sam is not small.", + "answer": true, + "original_context": "Every zumpus is not hot. Each zumpus is a dumpus. Every dumpus is not floral. Each dumpus is a yumpus. Every yumpus is aggressive. Yumpuses are wumpuses. Every wumpus is not red. Every wumpus is a vumpus. Vumpuses are bright. Vumpuses are jompuses. Every jompus is not small. Jompuses are tumpuses. Each tumpus is shy. Every tumpus is a numpus. Rompuses are small. Each numpus is metallic. Numpuses are impuses. Sam is a dumpus.", + "original_question": "Is the following statement true or false? Sam is not small." + }, + { + "id": "ProntoQA_140", + "question": "Each dumpus is large. Every dumpus is a wumpus. Wumpuses are cold. Every wumpus is a tumpus. Impuses are sour. Tumpuses are fruity. Every tumpus is a rompus. Every rompus is not nervous. Every rompus is a zumpus. Zumpuses are not sour. Zumpuses are jompuses. Jompuses are not luminous. Jompuses are yumpuses. Each yumpus is not dull. Every yumpus is a numpus. Each numpus is not opaque. Every numpus is a vumpus. Stella is a dumpus.\n\nIs the following statement true or false? Stella is sour.", + "answer": false, + "original_context": "Each dumpus is large. Every dumpus is a wumpus. Wumpuses are cold. Every wumpus is a tumpus. Impuses are sour. Tumpuses are fruity. Every tumpus is a rompus. Every rompus is not nervous. Every rompus is a zumpus. Zumpuses are not sour. Zumpuses are jompuses. Jompuses are not luminous. Jompuses are yumpuses. Each yumpus is not dull. Every yumpus is a numpus. Each numpus is not opaque. Every numpus is a vumpus. Stella is a dumpus.", + "original_question": "Is the following statement true or false? Stella is sour." + }, + { + "id": "ProntoQA_141", + "question": "Every jompus is transparent. Every jompus is a wumpus. Wumpuses are red. Wumpuses are yumpuses. Zumpuses are bright. Yumpuses are shy. Every yumpus is a tumpus. Tumpuses are kind. Each tumpus is a numpus. Numpuses are not bright. Numpuses are impuses. Every impus is sweet. Impuses are dumpuses. Each dumpus is earthy. Each dumpus is a vumpus. Vumpuses are hot. Vumpuses are rompuses. Alex is a jompus.\n\nIs the following statement true or false? Alex is bright.", + "answer": false, + "original_context": "Every jompus is transparent. Every jompus is a wumpus. Wumpuses are red. Wumpuses are yumpuses. Zumpuses are bright. Yumpuses are shy. Every yumpus is a tumpus. Tumpuses are kind. Each tumpus is a numpus. Numpuses are not bright. Numpuses are impuses. Every impus is sweet. Impuses are dumpuses. Each dumpus is earthy. Each dumpus is a vumpus. Vumpuses are hot. Vumpuses are rompuses. Alex is a jompus.", + "original_question": "Is the following statement true or false? Alex is bright." + }, + { + "id": "ProntoQA_142", + "question": "Every zumpus is metallic. Each zumpus is a wumpus. Wumpuses are not floral. Every wumpus is a numpus. Numpuses are happy. Each numpus is an impus. Impuses are kind. Every impus is a rompus. Every rompus is large. Vumpuses are opaque. Each rompus is a jompus. Each jompus is cold. Jompuses are dumpuses. Each dumpus is not opaque. Dumpuses are yumpuses. Yumpuses are spicy. Each yumpus is a tumpus. Stella is a numpus.\n\nIs the following statement true or false? Stella is opaque.", + "answer": false, + "original_context": "Every zumpus is metallic. Each zumpus is a wumpus. Wumpuses are not floral. Every wumpus is a numpus. Numpuses are happy. Each numpus is an impus. Impuses are kind. Every impus is a rompus. Every rompus is large. Vumpuses are opaque. Each rompus is a jompus. Each jompus is cold. Jompuses are dumpuses. Each dumpus is not opaque. Dumpuses are yumpuses. Yumpuses are spicy. Each yumpus is a tumpus. Stella is a numpus.", + "original_question": "Is the following statement true or false? Stella is opaque." + }, + { + "id": "ProntoQA_143", + "question": "Every rompus is not brown. Rompuses are numpuses. Every numpus is mean. Numpuses are jompuses. Jompuses are fruity. Jompuses are vumpuses. Each vumpus is not feisty. Each vumpus is a wumpus. Yumpuses are transparent. Wumpuses are liquid. Wumpuses are zumpuses. Zumpuses are not small. Zumpuses are impuses. Impuses are temperate. Impuses are dumpuses. Dumpuses are not transparent. Dumpuses are tumpuses. Max is a vumpus.\n\nIs the following statement true or false? Max is transparent.", + "answer": false, + "original_context": "Every rompus is not brown. Rompuses are numpuses. Every numpus is mean. Numpuses are jompuses. Jompuses are fruity. Jompuses are vumpuses. Each vumpus is not feisty. Each vumpus is a wumpus. Yumpuses are transparent. Wumpuses are liquid. Wumpuses are zumpuses. Zumpuses are not small. Zumpuses are impuses. Impuses are temperate. Impuses are dumpuses. Dumpuses are not transparent. Dumpuses are tumpuses. Max is a vumpus.", + "original_question": "Is the following statement true or false? Max is transparent." + }, + { + "id": "ProntoQA_144", + "question": "Each impus is not large. Jompuses are fruity. Every jompus is a tumpus. Tumpuses are bitter. Tumpuses are numpuses. Every numpus is nervous. Every numpus is a vumpus. Vumpuses are not angry. Every vumpus is a dumpus. Dumpuses are large. Every dumpus is a wumpus. Wumpuses are not transparent. Every wumpus is a rompus. Each rompus is not dull. Rompuses are zumpuses. Zumpuses are wooden. Each zumpus is a yumpus. Wren is a jompus.\n\nIs the following statement true or false? Wren is not large.", + "answer": false, + "original_context": "Each impus is not large. Jompuses are fruity. Every jompus is a tumpus. Tumpuses are bitter. Tumpuses are numpuses. Every numpus is nervous. Every numpus is a vumpus. Vumpuses are not angry. Every vumpus is a dumpus. Dumpuses are large. Every dumpus is a wumpus. Wumpuses are not transparent. Every wumpus is a rompus. Each rompus is not dull. Rompuses are zumpuses. Zumpuses are wooden. Each zumpus is a yumpus. Wren is a jompus.", + "original_question": "Is the following statement true or false? Wren is not large." + }, + { + "id": "ProntoQA_145", + "question": "Every wumpus is cold. Each wumpus is a numpus. Each numpus is large. Numpuses are dumpuses. Every dumpus is not orange. Each dumpus is a yumpus. Each yumpus is not earthy. Every yumpus is a tumpus. Every tumpus is kind. Tumpuses are impuses. Every impus is bright. Impuses are rompuses. Rompuses are luminous. Rompuses are zumpuses. Every zumpus is sour. Every jompus is not luminous. Each zumpus is a vumpus. Stella is a dumpus.\n\nIs the following statement true or false? Stella is luminous.", + "answer": true, + "original_context": "Every wumpus is cold. Each wumpus is a numpus. Each numpus is large. Numpuses are dumpuses. Every dumpus is not orange. Each dumpus is a yumpus. Each yumpus is not earthy. Every yumpus is a tumpus. Every tumpus is kind. Tumpuses are impuses. Every impus is bright. Impuses are rompuses. Rompuses are luminous. Rompuses are zumpuses. Every zumpus is sour. Every jompus is not luminous. Each zumpus is a vumpus. Stella is a dumpus.", + "original_question": "Is the following statement true or false? Stella is luminous." + }, + { + "id": "ProntoQA_146", + "question": "Each wumpus is happy. Every wumpus is a jompus. Jompuses are earthy. Each jompus is a zumpus. Zumpuses are opaque. Zumpuses are impuses. Impuses are luminous. Every impus is a yumpus. Each yumpus is not angry. Each tumpus is not bright. Yumpuses are numpuses. Each numpus is brown. Numpuses are dumpuses. Each dumpus is bright. Each dumpus is a rompus. Every rompus is not large. Rompuses are vumpuses. Fae is a zumpus.\n\nIs the following statement true or false? Fae is not bright.", + "answer": false, + "original_context": "Each wumpus is happy. Every wumpus is a jompus. Jompuses are earthy. Each jompus is a zumpus. Zumpuses are opaque. Zumpuses are impuses. Impuses are luminous. Every impus is a yumpus. Each yumpus is not angry. Each tumpus is not bright. Yumpuses are numpuses. Each numpus is brown. Numpuses are dumpuses. Each dumpus is bright. Each dumpus is a rompus. Every rompus is not large. Rompuses are vumpuses. Fae is a zumpus.", + "original_question": "Is the following statement true or false? Fae is not bright." + }, + { + "id": "ProntoQA_147", + "question": "Every rompus is opaque. Each rompus is a wumpus. Wumpuses are temperate. Wumpuses are vumpuses. Every vumpus is not bright. Vumpuses are numpuses. Every numpus is small. Numpuses are yumpuses. Every yumpus is not kind. Yumpuses are zumpuses. Every zumpus is red. Zumpuses are impuses. Every impus is not wooden. Every jompus is kind. Impuses are dumpuses. Each dumpus is not sour. Every dumpus is a tumpus. Polly is a rompus.\n\nIs the following statement true or false? Polly is not kind.", + "answer": true, + "original_context": "Every rompus is opaque. Each rompus is a wumpus. Wumpuses are temperate. Wumpuses are vumpuses. Every vumpus is not bright. Vumpuses are numpuses. Every numpus is small. Numpuses are yumpuses. Every yumpus is not kind. Yumpuses are zumpuses. Every zumpus is red. Zumpuses are impuses. Every impus is not wooden. Every jompus is kind. Impuses are dumpuses. Each dumpus is not sour. Every dumpus is a tumpus. Polly is a rompus.", + "original_question": "Is the following statement true or false? Polly is not kind." + }, + { + "id": "ProntoQA_148", + "question": "Jompuses are not temperate. Jompuses are impuses. Each impus is not sour. Impuses are wumpuses. Every vumpus is dull. Wumpuses are mean. Wumpuses are yumpuses. Yumpuses are fruity. Every yumpus is a numpus. Numpuses are opaque. Each numpus is a dumpus. Dumpuses are feisty. Every dumpus is a rompus. Rompuses are metallic. Rompuses are zumpuses. Every zumpus is not dull. Zumpuses are tumpuses. Fae is a yumpus.\n\nIs the following statement true or false? Fae is not dull.", + "answer": true, + "original_context": "Jompuses are not temperate. Jompuses are impuses. Each impus is not sour. Impuses are wumpuses. Every vumpus is dull. Wumpuses are mean. Wumpuses are yumpuses. Yumpuses are fruity. Every yumpus is a numpus. Numpuses are opaque. Each numpus is a dumpus. Dumpuses are feisty. Every dumpus is a rompus. Rompuses are metallic. Rompuses are zumpuses. Every zumpus is not dull. Zumpuses are tumpuses. Fae is a yumpus.", + "original_question": "Is the following statement true or false? Fae is not dull." + }, + { + "id": "ProntoQA_149", + "question": "Tumpuses are shy. Each tumpus is a jompus. Dumpuses are not transparent. Every jompus is bright. Every jompus is a zumpus. Zumpuses are large. Each zumpus is an impus. Every impus is liquid. Every impus is a wumpus. Wumpuses are brown. Each wumpus is a vumpus. Vumpuses are not bitter. Each vumpus is a rompus. Rompuses are transparent. Every rompus is a numpus. Numpuses are cold. Every numpus is a yumpus. Stella is a zumpus.\n\nIs the following statement true or false? Stella is transparent.", + "answer": true, + "original_context": "Tumpuses are shy. Each tumpus is a jompus. Dumpuses are not transparent. Every jompus is bright. Every jompus is a zumpus. Zumpuses are large. Each zumpus is an impus. Every impus is liquid. Every impus is a wumpus. Wumpuses are brown. Each wumpus is a vumpus. Vumpuses are not bitter. Each vumpus is a rompus. Rompuses are transparent. Every rompus is a numpus. Numpuses are cold. Every numpus is a yumpus. Stella is a zumpus.", + "original_question": "Is the following statement true or false? Stella is transparent." + }, + { + "id": "ProntoQA_150", + "question": "Each impus is transparent. Impuses are jompuses. Each jompus is spicy. Jompuses are wumpuses. Wumpuses are orange. Every rompus is not small. Wumpuses are yumpuses. Each yumpus is not earthy. Yumpuses are zumpuses. Zumpuses are amenable. Every zumpus is a dumpus. Dumpuses are small. Every dumpus is a tumpus. Tumpuses are not feisty. Each tumpus is a vumpus. Vumpuses are not dull. Each vumpus is a numpus. Alex is a jompus.\n\nIs the following statement true or false? Alex is small.", + "answer": true, + "original_context": "Each impus is transparent. Impuses are jompuses. Each jompus is spicy. Jompuses are wumpuses. Wumpuses are orange. Every rompus is not small. Wumpuses are yumpuses. Each yumpus is not earthy. Yumpuses are zumpuses. Zumpuses are amenable. Every zumpus is a dumpus. Dumpuses are small. Every dumpus is a tumpus. Tumpuses are not feisty. Each tumpus is a vumpus. Vumpuses are not dull. Each vumpus is a numpus. Alex is a jompus.", + "original_question": "Is the following statement true or false? Alex is small." + }, + { + "id": "ProntoQA_151", + "question": "Each zumpus is sour. Each zumpus is a dumpus. Every dumpus is temperate. Dumpuses are numpuses. Each rompus is shy. Every numpus is not wooden. Each numpus is a wumpus. Wumpuses are amenable. Wumpuses are vumpuses. Each vumpus is not shy. Vumpuses are jompuses. Every jompus is dull. Jompuses are yumpuses. Each yumpus is small. Yumpuses are tumpuses. Every tumpus is brown. Each tumpus is an impus. Sally is a zumpus.\n\nIs the following statement true or false? Sally is shy.", + "answer": false, + "original_context": "Each zumpus is sour. Each zumpus is a dumpus. Every dumpus is temperate. Dumpuses are numpuses. Each rompus is shy. Every numpus is not wooden. Each numpus is a wumpus. Wumpuses are amenable. Wumpuses are vumpuses. Each vumpus is not shy. Vumpuses are jompuses. Every jompus is dull. Jompuses are yumpuses. Each yumpus is small. Yumpuses are tumpuses. Every tumpus is brown. Each tumpus is an impus. Sally is a zumpus.", + "original_question": "Is the following statement true or false? Sally is shy." + }, + { + "id": "ProntoQA_152", + "question": "Every jompus is bright. Every jompus is a vumpus. Vumpuses are floral. Every vumpus is a yumpus. Every yumpus is not temperate. Each yumpus is a numpus. Every numpus is sweet. Each numpus is a zumpus. Zumpuses are mean. Zumpuses are rompuses. Each rompus is not feisty. Every impus is not transparent. Each rompus is a wumpus. Wumpuses are transparent. Each wumpus is a dumpus. Dumpuses are large. Each dumpus is a tumpus. Wren is a yumpus.\n\nIs the following statement true or false? Wren is transparent.", + "answer": true, + "original_context": "Every jompus is bright. Every jompus is a vumpus. Vumpuses are floral. Every vumpus is a yumpus. Every yumpus is not temperate. Each yumpus is a numpus. Every numpus is sweet. Each numpus is a zumpus. Zumpuses are mean. Zumpuses are rompuses. Each rompus is not feisty. Every impus is not transparent. Each rompus is a wumpus. Wumpuses are transparent. Each wumpus is a dumpus. Dumpuses are large. Each dumpus is a tumpus. Wren is a yumpus.", + "original_question": "Is the following statement true or false? Wren is transparent." + }, + { + "id": "ProntoQA_153", + "question": "Each jompus is brown. Yumpuses are dull. Every jompus is a wumpus. Wumpuses are hot. Every wumpus is a dumpus. Each dumpus is not luminous. Each dumpus is a rompus. Every rompus is sweet. Every rompus is a numpus. Each numpus is not dull. Numpuses are zumpuses. Zumpuses are not floral. Zumpuses are impuses. Sally is a jompus.\n\nIs the following statement true or false? Sally is not dull.", + "answer": true, + "original_context": "Each jompus is brown. Yumpuses are dull. Every jompus is a wumpus. Wumpuses are hot. Every wumpus is a dumpus. Each dumpus is not luminous. Each dumpus is a rompus. Every rompus is sweet. Every rompus is a numpus. Each numpus is not dull. Numpuses are zumpuses. Zumpuses are not floral. Zumpuses are impuses. Sally is a jompus.", + "original_question": "Is the following statement true or false? Sally is not dull." + }, + { + "id": "ProntoQA_154", + "question": "Wumpuses are not opaque. Wumpuses are yumpuses. Yumpuses are fruity. Every yumpus is a jompus. Each jompus is kind. Each jompus is a zumpus. Each zumpus is sweet. Every rompus is brown. Each zumpus is an impus. Every impus is hot. Impuses are numpuses. Numpuses are not brown. Numpuses are dumpuses. Every dumpus is not bright. Dumpuses are vumpuses. Vumpuses are happy. Vumpuses are tumpuses. Sam is a yumpus.\n\nIs the following statement true or false? Sam is not brown.", + "answer": true, + "original_context": "Wumpuses are not opaque. Wumpuses are yumpuses. Yumpuses are fruity. Every yumpus is a jompus. Each jompus is kind. Each jompus is a zumpus. Each zumpus is sweet. Every rompus is brown. Each zumpus is an impus. Every impus is hot. Impuses are numpuses. Numpuses are not brown. Numpuses are dumpuses. Every dumpus is not bright. Dumpuses are vumpuses. Vumpuses are happy. Vumpuses are tumpuses. Sam is a yumpus.", + "original_question": "Is the following statement true or false? Sam is not brown." + }, + { + "id": "ProntoQA_155", + "question": "Rompuses are brown. Rompuses are wumpuses. Wumpuses are mean. Wumpuses are yumpuses. Every yumpus is liquid. Yumpuses are zumpuses. Every zumpus is hot. Every zumpus is an impus. Every impus is large. Impuses are vumpuses. Vumpuses are not bitter. Vumpuses are numpuses. Tumpuses are not large. Numpuses are dull. Numpuses are jompuses. Every jompus is shy. Every jompus is a dumpus. Sam is a rompus.\n\nIs the following statement true or false? Sam is not large.", + "answer": false, + "original_context": "Rompuses are brown. Rompuses are wumpuses. Wumpuses are mean. Wumpuses are yumpuses. Every yumpus is liquid. Yumpuses are zumpuses. Every zumpus is hot. Every zumpus is an impus. Every impus is large. Impuses are vumpuses. Vumpuses are not bitter. Vumpuses are numpuses. Tumpuses are not large. Numpuses are dull. Numpuses are jompuses. Every jompus is shy. Every jompus is a dumpus. Sam is a rompus.", + "original_question": "Is the following statement true or false? Sam is not large." + }, + { + "id": "ProntoQA_156", + "question": "Each impus is bright. Each impus is a rompus. Each rompus is not bitter. Each rompus is a yumpus. Each yumpus is not shy. Every yumpus is a wumpus. Wumpuses are red. Every wumpus is a jompus. Jompuses are transparent. Each jompus is a numpus. Each tumpus is small. Each numpus is not mean. Numpuses are dumpuses. Every dumpus is not small. Dumpuses are vumpuses. Vumpuses are hot. Each vumpus is a zumpus. Wren is a yumpus.\n\nIs the following statement true or false? Wren is not small.", + "answer": true, + "original_context": "Each impus is bright. Each impus is a rompus. Each rompus is not bitter. Each rompus is a yumpus. Each yumpus is not shy. Every yumpus is a wumpus. Wumpuses are red. Every wumpus is a jompus. Jompuses are transparent. Each jompus is a numpus. Each tumpus is small. Each numpus is not mean. Numpuses are dumpuses. Every dumpus is not small. Dumpuses are vumpuses. Vumpuses are hot. Each vumpus is a zumpus. Wren is a yumpus.", + "original_question": "Is the following statement true or false? Wren is not small." + }, + { + "id": "ProntoQA_157", + "question": "Numpuses are cold. Numpuses are zumpuses. Zumpuses are large. Every zumpus is a vumpus. Each vumpus is not bright. Vumpuses are yumpuses. Each jompus is not happy. Every yumpus is sweet. Yumpuses are wumpuses. Every wumpus is not red. Wumpuses are rompuses. Rompuses are not angry. Every rompus is an impus. Every impus is not opaque. Impuses are tumpuses. Every tumpus is happy. Tumpuses are dumpuses. Polly is a yumpus.\n\nIs the following statement true or false? Polly is not happy.", + "answer": false, + "original_context": "Numpuses are cold. Numpuses are zumpuses. Zumpuses are large. Every zumpus is a vumpus. Each vumpus is not bright. Vumpuses are yumpuses. Each jompus is not happy. Every yumpus is sweet. Yumpuses are wumpuses. Every wumpus is not red. Wumpuses are rompuses. Rompuses are not angry. Every rompus is an impus. Every impus is not opaque. Impuses are tumpuses. Every tumpus is happy. Tumpuses are dumpuses. Polly is a yumpus.", + "original_question": "Is the following statement true or false? Polly is not happy." + }, + { + "id": "ProntoQA_158", + "question": "Yumpuses are not earthy. Yumpuses are wumpuses. Every wumpus is not feisty. Wumpuses are dumpuses. Every zumpus is not spicy. Dumpuses are hot. Each dumpus is a tumpus. Each tumpus is not brown. Each tumpus is a rompus. Rompuses are transparent. Rompuses are numpuses. Numpuses are amenable. Every numpus is an impus. Impuses are spicy. Every impus is a jompus. Jompuses are large. Jompuses are vumpuses. Sam is a dumpus.\n\nIs the following statement true or false? Sam is not spicy.", + "answer": false, + "original_context": "Yumpuses are not earthy. Yumpuses are wumpuses. Every wumpus is not feisty. Wumpuses are dumpuses. Every zumpus is not spicy. Dumpuses are hot. Each dumpus is a tumpus. Each tumpus is not brown. Each tumpus is a rompus. Rompuses are transparent. Rompuses are numpuses. Numpuses are amenable. Every numpus is an impus. Impuses are spicy. Every impus is a jompus. Jompuses are large. Jompuses are vumpuses. Sam is a dumpus.", + "original_question": "Is the following statement true or false? Sam is not spicy." + }, + { + "id": "ProntoQA_159", + "question": "Each impus is blue. Impuses are dumpuses. Each dumpus is liquid. Dumpuses are rompuses. Rompuses are not spicy. Rompuses are yumpuses. Each yumpus is feisty. Each yumpus is a numpus. Tumpuses are earthy. Each numpus is kind. Every numpus is a wumpus. Wumpuses are not earthy. Each wumpus is a vumpus. Each vumpus is dull. Each vumpus is a zumpus. Every zumpus is cold. Zumpuses are jompuses. Alex is a dumpus.\n\nIs the following statement true or false? Alex is not earthy.", + "answer": true, + "original_context": "Each impus is blue. Impuses are dumpuses. Each dumpus is liquid. Dumpuses are rompuses. Rompuses are not spicy. Rompuses are yumpuses. Each yumpus is feisty. Each yumpus is a numpus. Tumpuses are earthy. Each numpus is kind. Every numpus is a wumpus. Wumpuses are not earthy. Each wumpus is a vumpus. Each vumpus is dull. Each vumpus is a zumpus. Every zumpus is cold. Zumpuses are jompuses. Alex is a dumpus.", + "original_question": "Is the following statement true or false? Alex is not earthy." + }, + { + "id": "ProntoQA_160", + "question": "Each rompus is small. Every rompus is a numpus. Each numpus is dull. Numpuses are yumpuses. Yumpuses are earthy. Yumpuses are impuses. Each impus is sour. Every impus is a wumpus. Wumpuses are liquid. Wumpuses are tumpuses. Each tumpus is not brown. Every tumpus is a zumpus. Every zumpus is nervous. Dumpuses are not nervous. Every zumpus is a jompus. Jompuses are aggressive. Jompuses are vumpuses. Wren is a yumpus.\n\nIs the following statement true or false? Wren is not nervous.", + "answer": false, + "original_context": "Each rompus is small. Every rompus is a numpus. Each numpus is dull. Numpuses are yumpuses. Yumpuses are earthy. Yumpuses are impuses. Each impus is sour. Every impus is a wumpus. Wumpuses are liquid. Wumpuses are tumpuses. Each tumpus is not brown. Every tumpus is a zumpus. Every zumpus is nervous. Dumpuses are not nervous. Every zumpus is a jompus. Jompuses are aggressive. Jompuses are vumpuses. Wren is a yumpus.", + "original_question": "Is the following statement true or false? Wren is not nervous." + }, + { + "id": "ProntoQA_161", + "question": "Every wumpus is opaque. Yumpuses are not red. Every wumpus is a vumpus. Every vumpus is spicy. Vumpuses are tumpuses. Tumpuses are not cold. Tumpuses are dumpuses. Dumpuses are bright. Dumpuses are numpuses. Numpuses are nervous. Numpuses are rompuses. Every rompus is not large. Each rompus is a jompus. Jompuses are metallic. Jompuses are impuses. Impuses are red. Impuses are zumpuses. Max is a dumpus.\n\nIs the following statement true or false? Max is red.", + "answer": true, + "original_context": "Every wumpus is opaque. Yumpuses are not red. Every wumpus is a vumpus. Every vumpus is spicy. Vumpuses are tumpuses. Tumpuses are not cold. Tumpuses are dumpuses. Dumpuses are bright. Dumpuses are numpuses. Numpuses are nervous. Numpuses are rompuses. Every rompus is not large. Each rompus is a jompus. Jompuses are metallic. Jompuses are impuses. Impuses are red. Impuses are zumpuses. Max is a dumpus.", + "original_question": "Is the following statement true or false? Max is red." + }, + { + "id": "ProntoQA_162", + "question": "Dumpuses are not earthy. Each dumpus is a yumpus. Yumpuses are transparent. Each rompus is not mean. Yumpuses are vumpuses. Vumpuses are not brown. Vumpuses are numpuses. Numpuses are not temperate. Every numpus is a zumpus. Each zumpus is bitter. Zumpuses are tumpuses. Tumpuses are shy. Tumpuses are impuses. Impuses are wooden. Each impus is a wumpus. Each wumpus is mean. Every wumpus is a jompus. Wren is a numpus.\n\nIs the following statement true or false? Wren is not mean.", + "answer": false, + "original_context": "Dumpuses are not earthy. Each dumpus is a yumpus. Yumpuses are transparent. Each rompus is not mean. Yumpuses are vumpuses. Vumpuses are not brown. Vumpuses are numpuses. Numpuses are not temperate. Every numpus is a zumpus. Each zumpus is bitter. Zumpuses are tumpuses. Tumpuses are shy. Tumpuses are impuses. Impuses are wooden. Each impus is a wumpus. Each wumpus is mean. Every wumpus is a jompus. Wren is a numpus.", + "original_question": "Is the following statement true or false? Wren is not mean." + }, + { + "id": "ProntoQA_163", + "question": "Numpuses are dull. Numpuses are jompuses. Each jompus is not hot. Each jompus is a vumpus. Every vumpus is sour. Each vumpus is an impus. Impuses are not transparent. Impuses are dumpuses. Yumpuses are not metallic. Dumpuses are not blue. Dumpuses are wumpuses. Wumpuses are amenable. Wumpuses are tumpuses. Tumpuses are small. Tumpuses are zumpuses. Each zumpus is metallic. Each zumpus is a rompus. Stella is an impus.\n\nIs the following statement true or false? Stella is metallic.", + "answer": true, + "original_context": "Numpuses are dull. Numpuses are jompuses. Each jompus is not hot. Each jompus is a vumpus. Every vumpus is sour. Each vumpus is an impus. Impuses are not transparent. Impuses are dumpuses. Yumpuses are not metallic. Dumpuses are not blue. Dumpuses are wumpuses. Wumpuses are amenable. Wumpuses are tumpuses. Tumpuses are small. Tumpuses are zumpuses. Each zumpus is metallic. Each zumpus is a rompus. Stella is an impus.", + "original_question": "Is the following statement true or false? Stella is metallic." + }, + { + "id": "ProntoQA_164", + "question": "Dumpuses are metallic. Every dumpus is a rompus. Every rompus is earthy. Every rompus is a wumpus. Every wumpus is aggressive. Wumpuses are yumpuses. Every yumpus is nervous. Yumpuses are zumpuses. Each zumpus is cold. Every tumpus is sweet. Zumpuses are vumpuses. Vumpuses are not sweet. Vumpuses are numpuses. Every numpus is dull. Every numpus is a jompus. Each jompus is small. Every jompus is an impus. Stella is a rompus.\n\nIs the following statement true or false? Stella is not sweet.", + "answer": true, + "original_context": "Dumpuses are metallic. Every dumpus is a rompus. Every rompus is earthy. Every rompus is a wumpus. Every wumpus is aggressive. Wumpuses are yumpuses. Every yumpus is nervous. Yumpuses are zumpuses. Each zumpus is cold. Every tumpus is sweet. Zumpuses are vumpuses. Vumpuses are not sweet. Vumpuses are numpuses. Every numpus is dull. Every numpus is a jompus. Each jompus is small. Every jompus is an impus. Stella is a rompus.", + "original_question": "Is the following statement true or false? Stella is not sweet." + }, + { + "id": "ProntoQA_165", + "question": "Each jompus is not wooden. Each jompus is a rompus. Each rompus is floral. Each rompus is a zumpus. Zumpuses are not cold. Each zumpus is a numpus. Numpuses are amenable. Numpuses are vumpuses. Vumpuses are not opaque. Tumpuses are feisty. Each vumpus is an impus. Every impus is not bright. Impuses are dumpuses. Dumpuses are brown. Every dumpus is a wumpus. Wumpuses are not feisty. Wumpuses are yumpuses. Fae is a numpus.\n\nIs the following statement true or false? Fae is not feisty.", + "answer": true, + "original_context": "Each jompus is not wooden. Each jompus is a rompus. Each rompus is floral. Each rompus is a zumpus. Zumpuses are not cold. Each zumpus is a numpus. Numpuses are amenable. Numpuses are vumpuses. Vumpuses are not opaque. Tumpuses are feisty. Each vumpus is an impus. Every impus is not bright. Impuses are dumpuses. Dumpuses are brown. Every dumpus is a wumpus. Wumpuses are not feisty. Wumpuses are yumpuses. Fae is a numpus.", + "original_question": "Is the following statement true or false? Fae is not feisty." + }, + { + "id": "ProntoQA_166", + "question": "Every dumpus is not luminous. Dumpuses are impuses. Every impus is not amenable. Each impus is a zumpus. Every zumpus is red. Zumpuses are wumpuses. Wumpuses are not opaque. Numpuses are sour. Each wumpus is a jompus. Each jompus is small. Every jompus is a tumpus. Tumpuses are cold. Each tumpus is a yumpus. Every yumpus is not sour. Yumpuses are vumpuses. Each vumpus is not floral. Each vumpus is a rompus. Polly is a zumpus.\n\nIs the following statement true or false? Polly is not sour.", + "answer": true, + "original_context": "Every dumpus is not luminous. Dumpuses are impuses. Every impus is not amenable. Each impus is a zumpus. Every zumpus is red. Zumpuses are wumpuses. Wumpuses are not opaque. Numpuses are sour. Each wumpus is a jompus. Each jompus is small. Every jompus is a tumpus. Tumpuses are cold. Each tumpus is a yumpus. Every yumpus is not sour. Yumpuses are vumpuses. Each vumpus is not floral. Each vumpus is a rompus. Polly is a zumpus.", + "original_question": "Is the following statement true or false? Polly is not sour." + }, + { + "id": "ProntoQA_167", + "question": "Each tumpus is not feisty. Each tumpus is a wumpus. Wumpuses are small. Every wumpus is a yumpus. Every yumpus is aggressive. Each yumpus is a zumpus. Every zumpus is opaque. Zumpuses are numpuses. Numpuses are not orange. Numpuses are jompuses. Jompuses are not bright. Each jompus is a dumpus. Each dumpus is floral. Each dumpus is a vumpus. Every vumpus is liquid. Each impus is bright. Each vumpus is a rompus. Stella is a wumpus.\n\nIs the following statement true or false? Stella is not bright.", + "answer": true, + "original_context": "Each tumpus is not feisty. Each tumpus is a wumpus. Wumpuses are small. Every wumpus is a yumpus. Every yumpus is aggressive. Each yumpus is a zumpus. Every zumpus is opaque. Zumpuses are numpuses. Numpuses are not orange. Numpuses are jompuses. Jompuses are not bright. Each jompus is a dumpus. Each dumpus is floral. Each dumpus is a vumpus. Every vumpus is liquid. Each impus is bright. Each vumpus is a rompus. Stella is a wumpus.", + "original_question": "Is the following statement true or false? Stella is not bright." + }, + { + "id": "ProntoQA_168", + "question": "Vumpuses are wooden. Every vumpus is a wumpus. Wumpuses are not brown. Every wumpus is a dumpus. Every dumpus is not large. Dumpuses are numpuses. Each numpus is bright. Every numpus is an impus. Impuses are not floral. Each impus is a zumpus. Every zumpus is sweet. Every jompus is floral. Zumpuses are tumpuses. Each tumpus is nervous. Every tumpus is a rompus. Rompuses are not hot. Each rompus is a yumpus. Wren is a vumpus.\n\nIs the following statement true or false? Wren is floral.", + "answer": false, + "original_context": "Vumpuses are wooden. Every vumpus is a wumpus. Wumpuses are not brown. Every wumpus is a dumpus. Every dumpus is not large. Dumpuses are numpuses. Each numpus is bright. Every numpus is an impus. Impuses are not floral. Each impus is a zumpus. Every zumpus is sweet. Every jompus is floral. Zumpuses are tumpuses. Each tumpus is nervous. Every tumpus is a rompus. Rompuses are not hot. Each rompus is a yumpus. Wren is a vumpus.", + "original_question": "Is the following statement true or false? Wren is floral." + }, + { + "id": "ProntoQA_169", + "question": "Each impus is not bitter. Impuses are dumpuses. Dumpuses are opaque. Each wumpus is fruity. Each dumpus is a zumpus. Zumpuses are not large. Zumpuses are tumpuses. Each tumpus is bright. Tumpuses are vumpuses. Each vumpus is liquid. Each vumpus is a rompus. Every rompus is not fruity. Rompuses are yumpuses. Yumpuses are temperate. Each yumpus is a numpus. Sam is a dumpus.\n\nIs the following statement true or false? Sam is fruity.", + "answer": false, + "original_context": "Each impus is not bitter. Impuses are dumpuses. Dumpuses are opaque. Each wumpus is fruity. Each dumpus is a zumpus. Zumpuses are not large. Zumpuses are tumpuses. Each tumpus is bright. Tumpuses are vumpuses. Each vumpus is liquid. Each vumpus is a rompus. Every rompus is not fruity. Rompuses are yumpuses. Yumpuses are temperate. Each yumpus is a numpus. Sam is a dumpus.", + "original_question": "Is the following statement true or false? Sam is fruity." + }, + { + "id": "ProntoQA_170", + "question": "Tumpuses are not metallic. Tumpuses are zumpuses. Zumpuses are fruity. Zumpuses are impuses. Each impus is not dull. Each impus is a jompus. Jompuses are aggressive. Jompuses are wumpuses. Wumpuses are brown. Rompuses are not brown. Wumpuses are numpuses. Max is a tumpus.\n\nIs the following statement true or false? Max is not brown.", + "answer": false, + "original_context": "Tumpuses are not metallic. Tumpuses are zumpuses. Zumpuses are fruity. Zumpuses are impuses. Each impus is not dull. Each impus is a jompus. Jompuses are aggressive. Jompuses are wumpuses. Wumpuses are brown. Rompuses are not brown. Wumpuses are numpuses. Max is a tumpus.", + "original_question": "Is the following statement true or false? Max is not brown." + }, + { + "id": "ProntoQA_171", + "question": "Yumpuses are dull. Every yumpus is an impus. Impuses are aggressive. Impuses are wumpuses. Wumpuses are opaque. Every wumpus is a jompus. Jompuses are small. Each jompus is a dumpus. Each numpus is metallic. Every dumpus is not metallic. Dumpuses are rompuses. Every rompus is not feisty. Rompuses are tumpuses. Every tumpus is cold. Every tumpus is a zumpus. Zumpuses are earthy. Each zumpus is a vumpus. Polly is a yumpus.\n\nIs the following statement true or false? Polly is not metallic.", + "answer": true, + "original_context": "Yumpuses are dull. Every yumpus is an impus. Impuses are aggressive. Impuses are wumpuses. Wumpuses are opaque. Every wumpus is a jompus. Jompuses are small. Each jompus is a dumpus. Each numpus is metallic. Every dumpus is not metallic. Dumpuses are rompuses. Every rompus is not feisty. Rompuses are tumpuses. Every tumpus is cold. Every tumpus is a zumpus. Zumpuses are earthy. Each zumpus is a vumpus. Polly is a yumpus.", + "original_question": "Is the following statement true or false? Polly is not metallic." + }, + { + "id": "ProntoQA_172", + "question": "Each zumpus is not temperate. Every zumpus is a vumpus. Vumpuses are large. Each vumpus is a dumpus. Every dumpus is feisty. Tumpuses are not opaque. Dumpuses are wumpuses. Every wumpus is floral. Wumpuses are rompuses. Rompuses are opaque. Rompuses are numpuses. Rex is a zumpus.\n\nIs the following statement true or false? Rex is not opaque.", + "answer": false, + "original_context": "Each zumpus is not temperate. Every zumpus is a vumpus. Vumpuses are large. Each vumpus is a dumpus. Every dumpus is feisty. Tumpuses are not opaque. Dumpuses are wumpuses. Every wumpus is floral. Wumpuses are rompuses. Rompuses are opaque. Rompuses are numpuses. Rex is a zumpus.", + "original_question": "Is the following statement true or false? Rex is not opaque." + }, + { + "id": "ProntoQA_173", + "question": "Each dumpus is fruity. Each dumpus is a tumpus. Each tumpus is not orange. Every tumpus is a vumpus. Each vumpus is not liquid. Every impus is not cold. Vumpuses are rompuses. Rompuses are feisty. Rompuses are yumpuses. Each yumpus is not bright. Every yumpus is a jompus. Every jompus is cold. Every jompus is a wumpus. Wumpuses are amenable. Wumpuses are zumpuses. Every zumpus is not transparent. Each zumpus is a numpus. Sally is a tumpus.\n\nIs the following statement true or false? Sally is not cold.", + "answer": false, + "original_context": "Each dumpus is fruity. Each dumpus is a tumpus. Each tumpus is not orange. Every tumpus is a vumpus. Each vumpus is not liquid. Every impus is not cold. Vumpuses are rompuses. Rompuses are feisty. Rompuses are yumpuses. Each yumpus is not bright. Every yumpus is a jompus. Every jompus is cold. Every jompus is a wumpus. Wumpuses are amenable. Wumpuses are zumpuses. Every zumpus is not transparent. Each zumpus is a numpus. Sally is a tumpus.", + "original_question": "Is the following statement true or false? Sally is not cold." + }, + { + "id": "ProntoQA_174", + "question": "Impuses are not temperate. Wumpuses are kind. Each impus is a numpus. Numpuses are orange. Numpuses are dumpuses. Each dumpus is liquid. Every dumpus is a zumpus. Zumpuses are earthy. Zumpuses are vumpuses. Vumpuses are transparent. Vumpuses are tumpuses. Each tumpus is small. Every tumpus is a jompus. Each jompus is not kind. Jompuses are yumpuses. Yumpuses are feisty. Every yumpus is a rompus. Polly is a dumpus.\n\nIs the following statement true or false? Polly is kind.", + "answer": false, + "original_context": "Impuses are not temperate. Wumpuses are kind. Each impus is a numpus. Numpuses are orange. Numpuses are dumpuses. Each dumpus is liquid. Every dumpus is a zumpus. Zumpuses are earthy. Zumpuses are vumpuses. Vumpuses are transparent. Vumpuses are tumpuses. Each tumpus is small. Every tumpus is a jompus. Each jompus is not kind. Jompuses are yumpuses. Yumpuses are feisty. Every yumpus is a rompus. Polly is a dumpus.", + "original_question": "Is the following statement true or false? Polly is kind." + }, + { + "id": "ProntoQA_175", + "question": "Each rompus is wooden. Each rompus is a zumpus. Zumpuses are amenable. Zumpuses are impuses. Impuses are cold. Each impus is a jompus. Every jompus is not floral. Jompuses are yumpuses. Each tumpus is nervous. Every yumpus is not large. Yumpuses are dumpuses. Each dumpus is not nervous. Each dumpus is a vumpus. Stella is a zumpus.\n\nIs the following statement true or false? Stella is nervous.", + "answer": false, + "original_context": "Each rompus is wooden. Each rompus is a zumpus. Zumpuses are amenable. Zumpuses are impuses. Impuses are cold. Each impus is a jompus. Every jompus is not floral. Jompuses are yumpuses. Each tumpus is nervous. Every yumpus is not large. Yumpuses are dumpuses. Each dumpus is not nervous. Each dumpus is a vumpus. Stella is a zumpus.", + "original_question": "Is the following statement true or false? Stella is nervous." + }, + { + "id": "ProntoQA_176", + "question": "Every wumpus is not luminous. Each dumpus is spicy. Wumpuses are tumpuses. Each tumpus is bright. Every tumpus is a vumpus. Vumpuses are blue. Vumpuses are numpuses. Numpuses are kind. Numpuses are zumpuses. Every zumpus is not earthy. Zumpuses are jompuses. Jompuses are not spicy. Each jompus is an impus. Each impus is feisty. Every impus is a yumpus. Every yumpus is temperate. Yumpuses are rompuses. Sally is a tumpus.\n\nIs the following statement true or false? Sally is not spicy.", + "answer": true, + "original_context": "Every wumpus is not luminous. Each dumpus is spicy. Wumpuses are tumpuses. Each tumpus is bright. Every tumpus is a vumpus. Vumpuses are blue. Vumpuses are numpuses. Numpuses are kind. Numpuses are zumpuses. Every zumpus is not earthy. Zumpuses are jompuses. Jompuses are not spicy. Each jompus is an impus. Each impus is feisty. Every impus is a yumpus. Every yumpus is temperate. Yumpuses are rompuses. Sally is a tumpus.", + "original_question": "Is the following statement true or false? Sally is not spicy." + }, + { + "id": "ProntoQA_177", + "question": "Impuses are bitter. Tumpuses are not bright. Every impus is a wumpus. Each wumpus is not transparent. Wumpuses are dumpuses. Dumpuses are small. Each dumpus is a rompus. Each rompus is feisty. Each rompus is a numpus. Numpuses are bright. Numpuses are zumpuses. Rex is an impus.\n\nIs the following statement true or false? Rex is bright.", + "answer": true, + "original_context": "Impuses are bitter. Tumpuses are not bright. Every impus is a wumpus. Each wumpus is not transparent. Wumpuses are dumpuses. Dumpuses are small. Each dumpus is a rompus. Each rompus is feisty. Each rompus is a numpus. Numpuses are bright. Numpuses are zumpuses. Rex is an impus.", + "original_question": "Is the following statement true or false? Rex is bright." + }, + { + "id": "ProntoQA_178", + "question": "Impuses are not temperate. Every impus is a rompus. Rompuses are happy. Rompuses are jompuses. Every jompus is not small. Every jompus is a zumpus. Every numpus is metallic. Zumpuses are not amenable. Each zumpus is a wumpus. Wumpuses are sour. Wumpuses are dumpuses. Each dumpus is not bright. Dumpuses are vumpuses. Every vumpus is transparent. Each vumpus is a yumpus. Yumpuses are not metallic. Each yumpus is a tumpus. Polly is a zumpus.\n\nIs the following statement true or false? Polly is metallic.", + "answer": false, + "original_context": "Impuses are not temperate. Every impus is a rompus. Rompuses are happy. Rompuses are jompuses. Every jompus is not small. Every jompus is a zumpus. Every numpus is metallic. Zumpuses are not amenable. Each zumpus is a wumpus. Wumpuses are sour. Wumpuses are dumpuses. Each dumpus is not bright. Dumpuses are vumpuses. Every vumpus is transparent. Each vumpus is a yumpus. Yumpuses are not metallic. Each yumpus is a tumpus. Polly is a zumpus.", + "original_question": "Is the following statement true or false? Polly is metallic." + }, + { + "id": "ProntoQA_179", + "question": "Every rompus is sour. Rompuses are impuses. Yumpuses are opaque. Impuses are feisty. Each impus is a zumpus. Every zumpus is orange. Zumpuses are vumpuses. Vumpuses are not large. Vumpuses are wumpuses. Wumpuses are not opaque. Each wumpus is a numpus. Numpuses are metallic. Numpuses are dumpuses. Wren is a rompus.\n\nIs the following statement true or false? Wren is not opaque.", + "answer": true, + "original_context": "Every rompus is sour. Rompuses are impuses. Yumpuses are opaque. Impuses are feisty. Each impus is a zumpus. Every zumpus is orange. Zumpuses are vumpuses. Vumpuses are not large. Vumpuses are wumpuses. Wumpuses are not opaque. Each wumpus is a numpus. Numpuses are metallic. Numpuses are dumpuses. Wren is a rompus.", + "original_question": "Is the following statement true or false? Wren is not opaque." + }, + { + "id": "ProntoQA_180", + "question": "Impuses are not floral. Every impus is a jompus. Jompuses are sweet. Jompuses are numpuses. Numpuses are not shy. Numpuses are rompuses. Rompuses are mean. Every rompus is a dumpus. Every dumpus is not transparent. Dumpuses are yumpuses. Yumpuses are luminous. Each yumpus is a wumpus. Wumpuses are not orange. Vumpuses are not luminous. Every wumpus is a zumpus. Max is a jompus.\n\nIs the following statement true or false? Max is not luminous.", + "answer": false, + "original_context": "Impuses are not floral. Every impus is a jompus. Jompuses are sweet. Jompuses are numpuses. Numpuses are not shy. Numpuses are rompuses. Rompuses are mean. Every rompus is a dumpus. Every dumpus is not transparent. Dumpuses are yumpuses. Yumpuses are luminous. Each yumpus is a wumpus. Wumpuses are not orange. Vumpuses are not luminous. Every wumpus is a zumpus. Max is a jompus.", + "original_question": "Is the following statement true or false? Max is not luminous." + }, + { + "id": "ProntoQA_181", + "question": "Every numpus is not small. Numpuses are impuses. Impuses are sour. Every impus is a wumpus. Wumpuses are red. Every wumpus is a rompus. Every rompus is fruity. Each tumpus is not kind. Every rompus is a yumpus. Yumpuses are not hot. Each yumpus is a jompus. Jompuses are not opaque. Every jompus is a vumpus. Each vumpus is happy. Vumpuses are zumpuses. Zumpuses are kind. Zumpuses are dumpuses. Rex is a rompus.\n\nIs the following statement true or false? Rex is not kind.", + "answer": false, + "original_context": "Every numpus is not small. Numpuses are impuses. Impuses are sour. Every impus is a wumpus. Wumpuses are red. Every wumpus is a rompus. Every rompus is fruity. Each tumpus is not kind. Every rompus is a yumpus. Yumpuses are not hot. Each yumpus is a jompus. Jompuses are not opaque. Every jompus is a vumpus. Each vumpus is happy. Vumpuses are zumpuses. Zumpuses are kind. Zumpuses are dumpuses. Rex is a rompus.", + "original_question": "Is the following statement true or false? Rex is not kind." + }, + { + "id": "ProntoQA_182", + "question": "Tumpuses are fruity. Tumpuses are dumpuses. Each dumpus is liquid. Each dumpus is a numpus. Numpuses are sour. Numpuses are jompuses. Jompuses are not cold. Jompuses are wumpuses. Wumpuses are brown. Wumpuses are vumpuses. Vumpuses are happy. Each vumpus is a yumpus. Each yumpus is large. Each yumpus is a rompus. Rompuses are not mean. Every rompus is a zumpus. Each impus is not large. Sam is a numpus.\n\nIs the following statement true or false? Sam is large.", + "answer": true, + "original_context": "Tumpuses are fruity. Tumpuses are dumpuses. Each dumpus is liquid. Each dumpus is a numpus. Numpuses are sour. Numpuses are jompuses. Jompuses are not cold. Jompuses are wumpuses. Wumpuses are brown. Wumpuses are vumpuses. Vumpuses are happy. Each vumpus is a yumpus. Each yumpus is large. Each yumpus is a rompus. Rompuses are not mean. Every rompus is a zumpus. Each impus is not large. Sam is a numpus.", + "original_question": "Is the following statement true or false? Sam is large." + }, + { + "id": "ProntoQA_183", + "question": "Impuses are not metallic. Impuses are yumpuses. Yumpuses are bright. Every yumpus is a jompus. Wumpuses are opaque. Every jompus is not large. Jompuses are tumpuses. Each tumpus is not earthy. Tumpuses are vumpuses. Every vumpus is bitter. Vumpuses are numpuses. Each numpus is not opaque. Every numpus is a dumpus. Every dumpus is kind. Dumpuses are rompuses. Rompuses are brown. Rompuses are zumpuses. Fae is a yumpus.\n\nIs the following statement true or false? Fae is opaque.", + "answer": false, + "original_context": "Impuses are not metallic. Impuses are yumpuses. Yumpuses are bright. Every yumpus is a jompus. Wumpuses are opaque. Every jompus is not large. Jompuses are tumpuses. Each tumpus is not earthy. Tumpuses are vumpuses. Every vumpus is bitter. Vumpuses are numpuses. Each numpus is not opaque. Every numpus is a dumpus. Every dumpus is kind. Dumpuses are rompuses. Rompuses are brown. Rompuses are zumpuses. Fae is a yumpus.", + "original_question": "Is the following statement true or false? Fae is opaque." + }, + { + "id": "ProntoQA_184", + "question": "Each impus is small. Every impus is a vumpus. Each vumpus is fruity. Vumpuses are zumpuses. Each zumpus is transparent. Every zumpus is a dumpus. Dumpuses are wooden. Dumpuses are wumpuses. Every wumpus is dull. Yumpuses are not angry. Wumpuses are tumpuses. Tumpuses are angry. Each tumpus is a numpus. Every numpus is not hot. Every numpus is a rompus. Every rompus is nervous. Each rompus is a jompus. Sam is a vumpus.\n\nIs the following statement true or false? Sam is not angry.", + "answer": false, + "original_context": "Each impus is small. Every impus is a vumpus. Each vumpus is fruity. Vumpuses are zumpuses. Each zumpus is transparent. Every zumpus is a dumpus. Dumpuses are wooden. Dumpuses are wumpuses. Every wumpus is dull. Yumpuses are not angry. Wumpuses are tumpuses. Tumpuses are angry. Each tumpus is a numpus. Every numpus is not hot. Every numpus is a rompus. Every rompus is nervous. Each rompus is a jompus. Sam is a vumpus.", + "original_question": "Is the following statement true or false? Sam is not angry." + }, + { + "id": "ProntoQA_185", + "question": "Tumpuses are bright. Tumpuses are yumpuses. Yumpuses are sweet. Yumpuses are wumpuses. Wumpuses are not transparent. Wumpuses are vumpuses. Each vumpus is angry. Vumpuses are rompuses. Rompuses are happy. Every rompus is a zumpus. Zumpuses are brown. Zumpuses are numpuses. Numpuses are not large. Impuses are not happy. Numpuses are jompuses. Jompuses are earthy. Jompuses are dumpuses. Polly is a tumpus.\n\nIs the following statement true or false? Polly is not happy.", + "answer": false, + "original_context": "Tumpuses are bright. Tumpuses are yumpuses. Yumpuses are sweet. Yumpuses are wumpuses. Wumpuses are not transparent. Wumpuses are vumpuses. Each vumpus is angry. Vumpuses are rompuses. Rompuses are happy. Every rompus is a zumpus. Zumpuses are brown. Zumpuses are numpuses. Numpuses are not large. Impuses are not happy. Numpuses are jompuses. Jompuses are earthy. Jompuses are dumpuses. Polly is a tumpus.", + "original_question": "Is the following statement true or false? Polly is not happy." + }, + { + "id": "ProntoQA_186", + "question": "Numpuses are not small. Numpuses are yumpuses. Each yumpus is opaque. Each yumpus is a dumpus. Each vumpus is fruity. Every dumpus is not temperate. Dumpuses are wumpuses. Wumpuses are spicy. Each wumpus is an impus. Every impus is luminous. Impuses are jompuses. Each jompus is brown. Every jompus is a rompus. Rompuses are nervous. Rompuses are zumpuses. Zumpuses are not fruity. Each zumpus is a tumpus. Sally is a wumpus.\n\nIs the following statement true or false? Sally is fruity.", + "answer": false, + "original_context": "Numpuses are not small. Numpuses are yumpuses. Each yumpus is opaque. Each yumpus is a dumpus. Each vumpus is fruity. Every dumpus is not temperate. Dumpuses are wumpuses. Wumpuses are spicy. Each wumpus is an impus. Every impus is luminous. Impuses are jompuses. Each jompus is brown. Every jompus is a rompus. Rompuses are nervous. Rompuses are zumpuses. Zumpuses are not fruity. Each zumpus is a tumpus. Sally is a wumpus.", + "original_question": "Is the following statement true or false? Sally is fruity." + }, + { + "id": "ProntoQA_187", + "question": "Each zumpus is liquid. Dumpuses are not bitter. Each zumpus is a yumpus. Each yumpus is cold. Yumpuses are rompuses. Each rompus is nervous. Rompuses are tumpuses. Each tumpus is blue. Every tumpus is a jompus. Jompuses are transparent. Jompuses are impuses. Impuses are not floral. Impuses are vumpuses. Each vumpus is bitter. Every vumpus is a wumpus. Each wumpus is aggressive. Each wumpus is a numpus. Sam is a rompus.\n\nIs the following statement true or false? Sam is bitter.", + "answer": true, + "original_context": "Each zumpus is liquid. Dumpuses are not bitter. Each zumpus is a yumpus. Each yumpus is cold. Yumpuses are rompuses. Each rompus is nervous. Rompuses are tumpuses. Each tumpus is blue. Every tumpus is a jompus. Jompuses are transparent. Jompuses are impuses. Impuses are not floral. Impuses are vumpuses. Each vumpus is bitter. Every vumpus is a wumpus. Each wumpus is aggressive. Each wumpus is a numpus. Sam is a rompus.", + "original_question": "Is the following statement true or false? Sam is bitter." + }, + { + "id": "ProntoQA_188", + "question": "Every impus is bright. Every impus is a jompus. Every jompus is not opaque. Every jompus is a tumpus. Every tumpus is small. Tumpuses are vumpuses. Each vumpus is happy. Each vumpus is a yumpus. Each yumpus is not cold. Each yumpus is a numpus. Each wumpus is cold. Numpuses are blue. Numpuses are rompuses. Rompuses are not sour. Every rompus is a dumpus. Dumpuses are fruity. Dumpuses are zumpuses. Stella is an impus.\n\nIs the following statement true or false? Stella is not cold.", + "answer": true, + "original_context": "Every impus is bright. Every impus is a jompus. Every jompus is not opaque. Every jompus is a tumpus. Every tumpus is small. Tumpuses are vumpuses. Each vumpus is happy. Each vumpus is a yumpus. Each yumpus is not cold. Each yumpus is a numpus. Each wumpus is cold. Numpuses are blue. Numpuses are rompuses. Rompuses are not sour. Every rompus is a dumpus. Dumpuses are fruity. Dumpuses are zumpuses. Stella is an impus.", + "original_question": "Is the following statement true or false? Stella is not cold." + }, + { + "id": "ProntoQA_189", + "question": "Each impus is nervous. Impuses are wumpuses. Wumpuses are wooden. Wumpuses are tumpuses. Zumpuses are dull. Each tumpus is not transparent. Each tumpus is a rompus. Rompuses are sweet. Each rompus is a vumpus. Each vumpus is not dull. Vumpuses are jompuses. Wren is an impus.\n\nIs the following statement true or false? Wren is dull.", + "answer": false, + "original_context": "Each impus is nervous. Impuses are wumpuses. Wumpuses are wooden. Wumpuses are tumpuses. Zumpuses are dull. Each tumpus is not transparent. Each tumpus is a rompus. Rompuses are sweet. Each rompus is a vumpus. Each vumpus is not dull. Vumpuses are jompuses. Wren is an impus.", + "original_question": "Is the following statement true or false? Wren is dull." + }, + { + "id": "ProntoQA_190", + "question": "Yumpuses are not bitter. Yumpuses are jompuses. Every jompus is not brown. Each jompus is an impus. Impuses are temperate. Each impus is a wumpus. Wumpuses are not transparent. Each wumpus is a numpus. Numpuses are not nervous. Every numpus is a dumpus. Dumpuses are not small. Every dumpus is a tumpus. Tumpuses are wooden. Each tumpus is a rompus. Every rompus is earthy. Each rompus is a vumpus. Every zumpus is nervous. Max is a yumpus.\n\nIs the following statement true or false? Max is nervous.", + "answer": false, + "original_context": "Yumpuses are not bitter. Yumpuses are jompuses. Every jompus is not brown. Each jompus is an impus. Impuses are temperate. Each impus is a wumpus. Wumpuses are not transparent. Each wumpus is a numpus. Numpuses are not nervous. Every numpus is a dumpus. Dumpuses are not small. Every dumpus is a tumpus. Tumpuses are wooden. Each tumpus is a rompus. Every rompus is earthy. Each rompus is a vumpus. Every zumpus is nervous. Max is a yumpus.", + "original_question": "Is the following statement true or false? Max is nervous." + }, + { + "id": "ProntoQA_191", + "question": "Every dumpus is spicy. Dumpuses are yumpuses. Each yumpus is liquid. Yumpuses are rompuses. Rompuses are small. Rompuses are zumpuses. Zumpuses are fruity. Each zumpus is a vumpus. Vumpuses are not happy. Every vumpus is an impus. Impuses are not hot. Every impus is a numpus. Each numpus is angry. Numpuses are jompuses. Jompuses are not opaque. Wumpuses are happy. Jompuses are tumpuses. Fae is a dumpus.\n\nIs the following statement true or false? Fae is happy.", + "answer": false, + "original_context": "Every dumpus is spicy. Dumpuses are yumpuses. Each yumpus is liquid. Yumpuses are rompuses. Rompuses are small. Rompuses are zumpuses. Zumpuses are fruity. Each zumpus is a vumpus. Vumpuses are not happy. Every vumpus is an impus. Impuses are not hot. Every impus is a numpus. Each numpus is angry. Numpuses are jompuses. Jompuses are not opaque. Wumpuses are happy. Jompuses are tumpuses. Fae is a dumpus.", + "original_question": "Is the following statement true or false? Fae is happy." + }, + { + "id": "ProntoQA_192", + "question": "Numpuses are not wooden. Numpuses are wumpuses. Wumpuses are small. Wumpuses are rompuses. Rompuses are not floral. Rompuses are vumpuses. Each vumpus is blue. Jompuses are not dull. Each vumpus is a yumpus. Each yumpus is dull. Yumpuses are zumpuses. Sam is a numpus.\n\nIs the following statement true or false? Sam is not dull.", + "answer": false, + "original_context": "Numpuses are not wooden. Numpuses are wumpuses. Wumpuses are small. Wumpuses are rompuses. Rompuses are not floral. Rompuses are vumpuses. Each vumpus is blue. Jompuses are not dull. Each vumpus is a yumpus. Each yumpus is dull. Yumpuses are zumpuses. Sam is a numpus.", + "original_question": "Is the following statement true or false? Sam is not dull." + }, + { + "id": "ProntoQA_193", + "question": "Every numpus is not kind. Every numpus is a jompus. Jompuses are nervous. Jompuses are zumpuses. Zumpuses are large. Zumpuses are vumpuses. Vumpuses are fruity. Wumpuses are not red. Vumpuses are rompuses. Rompuses are not wooden. Each rompus is an impus. Every impus is dull. Each impus is a dumpus. Every dumpus is sweet. Every dumpus is a yumpus. Every yumpus is red. Each yumpus is a tumpus. Wren is a vumpus.\n\nIs the following statement true or false? Wren is not red.", + "answer": false, + "original_context": "Every numpus is not kind. Every numpus is a jompus. Jompuses are nervous. Jompuses are zumpuses. Zumpuses are large. Zumpuses are vumpuses. Vumpuses are fruity. Wumpuses are not red. Vumpuses are rompuses. Rompuses are not wooden. Each rompus is an impus. Every impus is dull. Each impus is a dumpus. Every dumpus is sweet. Every dumpus is a yumpus. Every yumpus is red. Each yumpus is a tumpus. Wren is a vumpus.", + "original_question": "Is the following statement true or false? Wren is not red." + }, + { + "id": "ProntoQA_194", + "question": "Rompuses are small. Each rompus is a zumpus. Every zumpus is not bright. Zumpuses are vumpuses. Every vumpus is cold. Vumpuses are impuses. Impuses are not opaque. Every impus is a jompus. Jompuses are earthy. Each jompus is a yumpus. Yumpuses are spicy. Yumpuses are numpuses. Numpuses are liquid. Numpuses are dumpuses. Each dumpus is not angry. Every dumpus is a tumpus. Every wumpus is not earthy. Max is a rompus.\n\nIs the following statement true or false? Max is not earthy.", + "answer": false, + "original_context": "Rompuses are small. Each rompus is a zumpus. Every zumpus is not bright. Zumpuses are vumpuses. Every vumpus is cold. Vumpuses are impuses. Impuses are not opaque. Every impus is a jompus. Jompuses are earthy. Each jompus is a yumpus. Yumpuses are spicy. Yumpuses are numpuses. Numpuses are liquid. Numpuses are dumpuses. Each dumpus is not angry. Every dumpus is a tumpus. Every wumpus is not earthy. Max is a rompus.", + "original_question": "Is the following statement true or false? Max is not earthy." + }, + { + "id": "ProntoQA_195", + "question": "Every rompus is not transparent. Rompuses are jompuses. Every jompus is luminous. Jompuses are numpuses. Every numpus is hot. Numpuses are vumpuses. Vumpuses are bright. Each vumpus is a yumpus. Every yumpus is not fruity. Zumpuses are not spicy. Yumpuses are wumpuses. Wumpuses are small. Wumpuses are impuses. Every impus is spicy. Impuses are dumpuses. Dumpuses are not kind. Dumpuses are tumpuses. Fae is a numpus.\n\nIs the following statement true or false? Fae is not spicy.", + "answer": false, + "original_context": "Every rompus is not transparent. Rompuses are jompuses. Every jompus is luminous. Jompuses are numpuses. Every numpus is hot. Numpuses are vumpuses. Vumpuses are bright. Each vumpus is a yumpus. Every yumpus is not fruity. Zumpuses are not spicy. Yumpuses are wumpuses. Wumpuses are small. Wumpuses are impuses. Every impus is spicy. Impuses are dumpuses. Dumpuses are not kind. Dumpuses are tumpuses. Fae is a numpus.", + "original_question": "Is the following statement true or false? Fae is not spicy." + }, + { + "id": "ProntoQA_196", + "question": "Vumpuses are not hot. Vumpuses are zumpuses. Each zumpus is opaque. Zumpuses are tumpuses. Tumpuses are not small. Each tumpus is a yumpus. Numpuses are not feisty. Yumpuses are sour. Yumpuses are jompuses. Jompuses are not orange. Jompuses are rompuses. Every rompus is feisty. Each rompus is a wumpus. Every wumpus is mean. Wumpuses are dumpuses. Dumpuses are not dull. Dumpuses are impuses. Fae is a zumpus.\n\nIs the following statement true or false? Fae is not feisty.", + "answer": false, + "original_context": "Vumpuses are not hot. Vumpuses are zumpuses. Each zumpus is opaque. Zumpuses are tumpuses. Tumpuses are not small. Each tumpus is a yumpus. Numpuses are not feisty. Yumpuses are sour. Yumpuses are jompuses. Jompuses are not orange. Jompuses are rompuses. Every rompus is feisty. Each rompus is a wumpus. Every wumpus is mean. Wumpuses are dumpuses. Dumpuses are not dull. Dumpuses are impuses. Fae is a zumpus.", + "original_question": "Is the following statement true or false? Fae is not feisty." + }, + { + "id": "ProntoQA_197", + "question": "Jompuses are kind. Every vumpus is feisty. Vumpuses are zumpuses. Every zumpus is temperate. Every zumpus is a rompus. Rompuses are small. Each rompus is a dumpus. Every dumpus is earthy. Every dumpus is a numpus. Numpuses are liquid. Numpuses are wumpuses. Wumpuses are dull. Each wumpus is a tumpus. Every tumpus is red. Every tumpus is an impus. Each impus is not kind. Each impus is a yumpus. Alex is a dumpus.\n\nIs the following statement true or false? Alex is kind.", + "answer": false, + "original_context": "Jompuses are kind. Every vumpus is feisty. Vumpuses are zumpuses. Every zumpus is temperate. Every zumpus is a rompus. Rompuses are small. Each rompus is a dumpus. Every dumpus is earthy. Every dumpus is a numpus. Numpuses are liquid. Numpuses are wumpuses. Wumpuses are dull. Each wumpus is a tumpus. Every tumpus is red. Every tumpus is an impus. Each impus is not kind. Each impus is a yumpus. Alex is a dumpus.", + "original_question": "Is the following statement true or false? Alex is kind." + }, + { + "id": "ProntoQA_198", + "question": "Each jompus is floral. Jompuses are vumpuses. Vumpuses are feisty. Each vumpus is a tumpus. Each tumpus is not amenable. Every tumpus is a numpus. Each numpus is temperate. Each numpus is a wumpus. Every wumpus is not small. Every wumpus is an impus. Impuses are not spicy. Yumpuses are small. Every impus is a rompus. Each rompus is transparent. Rompuses are dumpuses. Each dumpus is brown. Dumpuses are zumpuses. Wren is a jompus.\n\nIs the following statement true or false? Wren is small.", + "answer": false, + "original_context": "Each jompus is floral. Jompuses are vumpuses. Vumpuses are feisty. Each vumpus is a tumpus. Each tumpus is not amenable. Every tumpus is a numpus. Each numpus is temperate. Each numpus is a wumpus. Every wumpus is not small. Every wumpus is an impus. Impuses are not spicy. Yumpuses are small. Every impus is a rompus. Each rompus is transparent. Rompuses are dumpuses. Each dumpus is brown. Dumpuses are zumpuses. Wren is a jompus.", + "original_question": "Is the following statement true or false? Wren is small." + }, + { + "id": "ProntoQA_199", + "question": "Zumpuses are not large. Every zumpus is a wumpus. Wumpuses are not orange. Every wumpus is a jompus. Jompuses are earthy. Every jompus is a rompus. Every rompus is metallic. Rompuses are dumpuses. Every dumpus is mean. Dumpuses are numpuses. Each numpus is sweet. Numpuses are impuses. Each impus is temperate. Impuses are yumpuses. Tumpuses are opaque. Each yumpus is not opaque. Yumpuses are vumpuses. Alex is a rompus.\n\nIs the following statement true or false? Alex is opaque.", + "answer": false, + "original_context": "Zumpuses are not large. Every zumpus is a wumpus. Wumpuses are not orange. Every wumpus is a jompus. Jompuses are earthy. Every jompus is a rompus. Every rompus is metallic. Rompuses are dumpuses. Every dumpus is mean. Dumpuses are numpuses. Each numpus is sweet. Numpuses are impuses. Each impus is temperate. Impuses are yumpuses. Tumpuses are opaque. Each yumpus is not opaque. Yumpuses are vumpuses. Alex is a rompus.", + "original_question": "Is the following statement true or false? Alex is opaque." + }, + { + "id": "ProntoQA_200", + "question": "Zumpuses are orange. Zumpuses are wumpuses. Each wumpus is temperate. Wumpuses are yumpuses. Each yumpus is fruity. Yumpuses are numpuses. Numpuses are small. Numpuses are vumpuses. Jompuses are transparent. Each vumpus is not transparent. Vumpuses are rompuses. Rex is a zumpus.\n\nIs the following statement true or false? Rex is not transparent.", + "answer": true, + "original_context": "Zumpuses are orange. Zumpuses are wumpuses. Each wumpus is temperate. Wumpuses are yumpuses. Each yumpus is fruity. Yumpuses are numpuses. Numpuses are small. Numpuses are vumpuses. Jompuses are transparent. Each vumpus is not transparent. Vumpuses are rompuses. Rex is a zumpus.", + "original_question": "Is the following statement true or false? Rex is not transparent." + }, + { + "id": "ProntoQA_201", + "question": "Every vumpus is large. Vumpuses are yumpuses. Each yumpus is happy. Every yumpus is a zumpus. Every zumpus is blue. Zumpuses are impuses. Each tumpus is not wooden. Every impus is floral. Impuses are dumpuses. Dumpuses are not bright. Dumpuses are jompuses. Each jompus is not bitter. Each jompus is a wumpus. Wumpuses are not opaque. Each wumpus is a rompus. Every rompus is wooden. Every rompus is a numpus. Sally is an impus.\n\nIs the following statement true or false? Sally is not wooden.", + "answer": false, + "original_context": "Every vumpus is large. Vumpuses are yumpuses. Each yumpus is happy. Every yumpus is a zumpus. Every zumpus is blue. Zumpuses are impuses. Each tumpus is not wooden. Every impus is floral. Impuses are dumpuses. Dumpuses are not bright. Dumpuses are jompuses. Each jompus is not bitter. Each jompus is a wumpus. Wumpuses are not opaque. Each wumpus is a rompus. Every rompus is wooden. Every rompus is a numpus. Sally is an impus.", + "original_question": "Is the following statement true or false? Sally is not wooden." + }, + { + "id": "ProntoQA_202", + "question": "Tumpuses are temperate. Tumpuses are impuses. Every impus is orange. Impuses are yumpuses. Each yumpus is shy. Yumpuses are zumpuses. Zumpuses are bright. Every zumpus is a rompus. Every numpus is opaque. Rompuses are small. Every rompus is a dumpus. Dumpuses are not floral. Each dumpus is a wumpus. Each wumpus is aggressive. Wumpuses are vumpuses. Each vumpus is not opaque. Every vumpus is a jompus. Wren is a zumpus.\n\nIs the following statement true or false? Wren is opaque.", + "answer": false, + "original_context": "Tumpuses are temperate. Tumpuses are impuses. Every impus is orange. Impuses are yumpuses. Each yumpus is shy. Yumpuses are zumpuses. Zumpuses are bright. Every zumpus is a rompus. Every numpus is opaque. Rompuses are small. Every rompus is a dumpus. Dumpuses are not floral. Each dumpus is a wumpus. Each wumpus is aggressive. Wumpuses are vumpuses. Each vumpus is not opaque. Every vumpus is a jompus. Wren is a zumpus.", + "original_question": "Is the following statement true or false? Wren is opaque." + }, + { + "id": "ProntoQA_203", + "question": "Each tumpus is liquid. Tumpuses are yumpuses. Yumpuses are not temperate. Yumpuses are vumpuses. Vumpuses are angry. Vumpuses are zumpuses. Zumpuses are red. Zumpuses are rompuses. Each rompus is shy. Rompuses are dumpuses. Every dumpus is not small. Dumpuses are numpuses. Every numpus is not spicy. Numpuses are impuses. Every jompus is not shy. Impuses are not earthy. Each impus is a wumpus. Alex is a tumpus.\n\nIs the following statement true or false? Alex is shy.", + "answer": true, + "original_context": "Each tumpus is liquid. Tumpuses are yumpuses. Yumpuses are not temperate. Yumpuses are vumpuses. Vumpuses are angry. Vumpuses are zumpuses. Zumpuses are red. Zumpuses are rompuses. Each rompus is shy. Rompuses are dumpuses. Every dumpus is not small. Dumpuses are numpuses. Every numpus is not spicy. Numpuses are impuses. Every jompus is not shy. Impuses are not earthy. Each impus is a wumpus. Alex is a tumpus.", + "original_question": "Is the following statement true or false? Alex is shy." + }, + { + "id": "ProntoQA_204", + "question": "Jompuses are red. Jompuses are wumpuses. Each wumpus is not dull. Every wumpus is a yumpus. Every yumpus is hot. Every yumpus is an impus. Dumpuses are not feisty. Each impus is spicy. Every impus is a rompus. Every rompus is feisty. Rompuses are tumpuses. Sam is a jompus.\n\nIs the following statement true or false? Sam is not feisty.", + "answer": false, + "original_context": "Jompuses are red. Jompuses are wumpuses. Each wumpus is not dull. Every wumpus is a yumpus. Every yumpus is hot. Every yumpus is an impus. Dumpuses are not feisty. Each impus is spicy. Every impus is a rompus. Every rompus is feisty. Rompuses are tumpuses. Sam is a jompus.", + "original_question": "Is the following statement true or false? Sam is not feisty." + }, + { + "id": "ProntoQA_205", + "question": "Impuses are hot. Impuses are rompuses. Rompuses are small. Rompuses are jompuses. Jompuses are dull. Every jompus is a zumpus. Zumpuses are not kind. Every zumpus is a numpus. Numpuses are nervous. Numpuses are vumpuses. Vumpuses are not fruity. Every vumpus is a dumpus. Wumpuses are fruity. Each dumpus is not wooden. Each dumpus is a tumpus. Tumpuses are not blue. Every tumpus is a yumpus. Stella is a rompus.\n\nIs the following statement true or false? Stella is fruity.", + "answer": false, + "original_context": "Impuses are hot. Impuses are rompuses. Rompuses are small. Rompuses are jompuses. Jompuses are dull. Every jompus is a zumpus. Zumpuses are not kind. Every zumpus is a numpus. Numpuses are nervous. Numpuses are vumpuses. Vumpuses are not fruity. Every vumpus is a dumpus. Wumpuses are fruity. Each dumpus is not wooden. Each dumpus is a tumpus. Tumpuses are not blue. Every tumpus is a yumpus. Stella is a rompus.", + "original_question": "Is the following statement true or false? Stella is fruity." + }, + { + "id": "ProntoQA_206", + "question": "Every wumpus is wooden. Every wumpus is a numpus. Every numpus is sour. Numpuses are impuses. Impuses are not opaque. Every impus is a jompus. Each jompus is cold. Jompuses are vumpuses. Every vumpus is blue. Each vumpus is a rompus. Rompuses are angry. Every rompus is a yumpus. Yumpuses are fruity. Dumpuses are not fruity. Every yumpus is a zumpus. Every zumpus is happy. Each zumpus is a tumpus. Polly is an impus.\n\nIs the following statement true or false? Polly is fruity.", + "answer": true, + "original_context": "Every wumpus is wooden. Every wumpus is a numpus. Every numpus is sour. Numpuses are impuses. Impuses are not opaque. Every impus is a jompus. Each jompus is cold. Jompuses are vumpuses. Every vumpus is blue. Each vumpus is a rompus. Rompuses are angry. Every rompus is a yumpus. Yumpuses are fruity. Dumpuses are not fruity. Every yumpus is a zumpus. Every zumpus is happy. Each zumpus is a tumpus. Polly is an impus.", + "original_question": "Is the following statement true or false? Polly is fruity." + }, + { + "id": "ProntoQA_207", + "question": "Numpuses are transparent. Numpuses are yumpuses. Yumpuses are red. Each yumpus is a jompus. Jompuses are small. Each jompus is a vumpus. Each vumpus is metallic. Every vumpus is a dumpus. Dumpuses are floral. Each dumpus is a rompus. Every rompus is angry. Rompuses are tumpuses. Impuses are not floral. Sally is a numpus.\n\nIs the following statement true or false? Sally is not floral.", + "answer": false, + "original_context": "Numpuses are transparent. Numpuses are yumpuses. Yumpuses are red. Each yumpus is a jompus. Jompuses are small. Each jompus is a vumpus. Each vumpus is metallic. Every vumpus is a dumpus. Dumpuses are floral. Each dumpus is a rompus. Every rompus is angry. Rompuses are tumpuses. Impuses are not floral. Sally is a numpus.", + "original_question": "Is the following statement true or false? Sally is not floral." + }, + { + "id": "ProntoQA_208", + "question": "Impuses are not fruity. Impuses are vumpuses. Each vumpus is cold. Wumpuses are not orange. Vumpuses are numpuses. Every numpus is wooden. Numpuses are rompuses. Rompuses are opaque. Rompuses are yumpuses. Each yumpus is sour. Yumpuses are zumpuses. Every zumpus is not small. Zumpuses are tumpuses. Each tumpus is nervous. Every tumpus is a jompus. Jompuses are orange. Every jompus is a dumpus. Max is a rompus.\n\nIs the following statement true or false? Max is not orange.", + "answer": false, + "original_context": "Impuses are not fruity. Impuses are vumpuses. Each vumpus is cold. Wumpuses are not orange. Vumpuses are numpuses. Every numpus is wooden. Numpuses are rompuses. Rompuses are opaque. Rompuses are yumpuses. Each yumpus is sour. Yumpuses are zumpuses. Every zumpus is not small. Zumpuses are tumpuses. Each tumpus is nervous. Every tumpus is a jompus. Jompuses are orange. Every jompus is a dumpus. Max is a rompus.", + "original_question": "Is the following statement true or false? Max is not orange." + }, + { + "id": "ProntoQA_209", + "question": "Each tumpus is sweet. Every tumpus is a wumpus. Wumpuses are not transparent. Each wumpus is a dumpus. Every numpus is not earthy. Dumpuses are blue. Dumpuses are impuses. Impuses are not large. Impuses are yumpuses. Each yumpus is angry. Every yumpus is a rompus. Rompuses are not metallic. Every rompus is a zumpus. Each zumpus is earthy. Zumpuses are vumpuses. Polly is a dumpus.\n\nIs the following statement true or false? Polly is earthy.", + "answer": true, + "original_context": "Each tumpus is sweet. Every tumpus is a wumpus. Wumpuses are not transparent. Each wumpus is a dumpus. Every numpus is not earthy. Dumpuses are blue. Dumpuses are impuses. Impuses are not large. Impuses are yumpuses. Each yumpus is angry. Every yumpus is a rompus. Rompuses are not metallic. Every rompus is a zumpus. Each zumpus is earthy. Zumpuses are vumpuses. Polly is a dumpus.", + "original_question": "Is the following statement true or false? Polly is earthy." + }, + { + "id": "ProntoQA_210", + "question": "Zumpuses are wooden. Zumpuses are yumpuses. Each dumpus is not hot. Yumpuses are sour. Every yumpus is a tumpus. Tumpuses are not opaque. Every tumpus is a wumpus. Every wumpus is fruity. Each wumpus is a vumpus. Vumpuses are happy. Each vumpus is a rompus. Rompuses are hot. Every rompus is an impus. Every impus is kind. Every impus is a numpus. Numpuses are not orange. Each numpus is a jompus. Fae is a yumpus.\n\nIs the following statement true or false? Fae is not hot.", + "answer": false, + "original_context": "Zumpuses are wooden. Zumpuses are yumpuses. Each dumpus is not hot. Yumpuses are sour. Every yumpus is a tumpus. Tumpuses are not opaque. Every tumpus is a wumpus. Every wumpus is fruity. Each wumpus is a vumpus. Vumpuses are happy. Each vumpus is a rompus. Rompuses are hot. Every rompus is an impus. Every impus is kind. Every impus is a numpus. Numpuses are not orange. Each numpus is a jompus. Fae is a yumpus.", + "original_question": "Is the following statement true or false? Fae is not hot." + }, + { + "id": "ProntoQA_211", + "question": "Each zumpus is earthy. Every rompus is not spicy. Rompuses are wumpuses. Each wumpus is not happy. Wumpuses are tumpuses. Tumpuses are liquid. Every tumpus is a dumpus. Each dumpus is large. Each dumpus is an impus. Impuses are not earthy. Impuses are vumpuses. Each vumpus is aggressive. Every vumpus is a yumpus. Each yumpus is brown. Yumpuses are jompuses. Each jompus is bright. Each jompus is a numpus. Alex is a rompus.\n\nIs the following statement true or false? Alex is not earthy.", + "answer": true, + "original_context": "Each zumpus is earthy. Every rompus is not spicy. Rompuses are wumpuses. Each wumpus is not happy. Wumpuses are tumpuses. Tumpuses are liquid. Every tumpus is a dumpus. Each dumpus is large. Each dumpus is an impus. Impuses are not earthy. Impuses are vumpuses. Each vumpus is aggressive. Every vumpus is a yumpus. Each yumpus is brown. Yumpuses are jompuses. Each jompus is bright. Each jompus is a numpus. Alex is a rompus.", + "original_question": "Is the following statement true or false? Alex is not earthy." + }, + { + "id": "ProntoQA_212", + "question": "Every tumpus is red. Each tumpus is a wumpus. Every wumpus is sweet. Wumpuses are vumpuses. Vumpuses are small. Every vumpus is a jompus. Every jompus is not aggressive. Zumpuses are temperate. Each jompus is a dumpus. Each dumpus is bright. Every dumpus is a numpus. Numpuses are not temperate. Numpuses are rompuses. Each rompus is not luminous. Every rompus is a yumpus. Yumpuses are opaque. Every yumpus is an impus. Stella is a wumpus.\n\nIs the following statement true or false? Stella is not temperate.", + "answer": true, + "original_context": "Every tumpus is red. Each tumpus is a wumpus. Every wumpus is sweet. Wumpuses are vumpuses. Vumpuses are small. Every vumpus is a jompus. Every jompus is not aggressive. Zumpuses are temperate. Each jompus is a dumpus. Each dumpus is bright. Every dumpus is a numpus. Numpuses are not temperate. Numpuses are rompuses. Each rompus is not luminous. Every rompus is a yumpus. Yumpuses are opaque. Every yumpus is an impus. Stella is a wumpus.", + "original_question": "Is the following statement true or false? Stella is not temperate." + }, + { + "id": "ProntoQA_213", + "question": "Jompuses are not bright. Jompuses are vumpuses. Vumpuses are bitter. Every vumpus is a tumpus. Tumpuses are hot. Tumpuses are impuses. Each impus is not brown. Every impus is a numpus. Every yumpus is wooden. Numpuses are large. Numpuses are rompuses. Rompuses are not opaque. Every rompus is a wumpus. Wumpuses are aggressive. Wumpuses are dumpuses. Each dumpus is not wooden. Each dumpus is a zumpus. Rex is an impus.\n\nIs the following statement true or false? Rex is not wooden.", + "answer": true, + "original_context": "Jompuses are not bright. Jompuses are vumpuses. Vumpuses are bitter. Every vumpus is a tumpus. Tumpuses are hot. Tumpuses are impuses. Each impus is not brown. Every impus is a numpus. Every yumpus is wooden. Numpuses are large. Numpuses are rompuses. Rompuses are not opaque. Every rompus is a wumpus. Wumpuses are aggressive. Wumpuses are dumpuses. Each dumpus is not wooden. Each dumpus is a zumpus. Rex is an impus.", + "original_question": "Is the following statement true or false? Rex is not wooden." + }, + { + "id": "ProntoQA_214", + "question": "Every vumpus is not blue. Every vumpus is a zumpus. Zumpuses are floral. Every zumpus is a wumpus. Each wumpus is cold. Every impus is not nervous. Wumpuses are yumpuses. Yumpuses are transparent. Yumpuses are numpuses. Numpuses are nervous. Numpuses are tumpuses. Tumpuses are small. Each tumpus is a jompus. Jompuses are sweet. Jompuses are rompuses. Every rompus is not amenable. Rompuses are dumpuses. Sally is a vumpus.\n\nIs the following statement true or false? Sally is nervous.", + "answer": true, + "original_context": "Every vumpus is not blue. Every vumpus is a zumpus. Zumpuses are floral. Every zumpus is a wumpus. Each wumpus is cold. Every impus is not nervous. Wumpuses are yumpuses. Yumpuses are transparent. Yumpuses are numpuses. Numpuses are nervous. Numpuses are tumpuses. Tumpuses are small. Each tumpus is a jompus. Jompuses are sweet. Jompuses are rompuses. Every rompus is not amenable. Rompuses are dumpuses. Sally is a vumpus.", + "original_question": "Is the following statement true or false? Sally is nervous." + }, + { + "id": "ProntoQA_215", + "question": "Every wumpus is brown. Wumpuses are rompuses. Each rompus is dull. Rompuses are dumpuses. Dumpuses are transparent. Dumpuses are vumpuses. Each vumpus is small. Vumpuses are tumpuses. Yumpuses are not earthy. Tumpuses are earthy. Every tumpus is a zumpus. Each zumpus is not temperate. Each zumpus is a numpus. Each numpus is kind. Every numpus is an impus. Max is a wumpus.\n\nIs the following statement true or false? Max is not earthy.", + "answer": false, + "original_context": "Every wumpus is brown. Wumpuses are rompuses. Each rompus is dull. Rompuses are dumpuses. Dumpuses are transparent. Dumpuses are vumpuses. Each vumpus is small. Vumpuses are tumpuses. Yumpuses are not earthy. Tumpuses are earthy. Every tumpus is a zumpus. Each zumpus is not temperate. Each zumpus is a numpus. Each numpus is kind. Every numpus is an impus. Max is a wumpus.", + "original_question": "Is the following statement true or false? Max is not earthy." + }, + { + "id": "ProntoQA_216", + "question": "Impuses are dull. Impuses are rompuses. Vumpuses are not aggressive. Rompuses are not spicy. Each rompus is a dumpus. Dumpuses are nervous. Dumpuses are wumpuses. Wumpuses are not opaque. Every wumpus is a jompus. Jompuses are floral. Every jompus is a numpus. Numpuses are small. Each numpus is a zumpus. Each zumpus is blue. Zumpuses are tumpuses. Every tumpus is aggressive. Every tumpus is a yumpus. Max is a wumpus.\n\nIs the following statement true or false? Max is aggressive.", + "answer": true, + "original_context": "Impuses are dull. Impuses are rompuses. Vumpuses are not aggressive. Rompuses are not spicy. Each rompus is a dumpus. Dumpuses are nervous. Dumpuses are wumpuses. Wumpuses are not opaque. Every wumpus is a jompus. Jompuses are floral. Every jompus is a numpus. Numpuses are small. Each numpus is a zumpus. Each zumpus is blue. Zumpuses are tumpuses. Every tumpus is aggressive. Every tumpus is a yumpus. Max is a wumpus.", + "original_question": "Is the following statement true or false? Max is aggressive." + }, + { + "id": "ProntoQA_217", + "question": "Numpuses are kind. Each numpus is a yumpus. Each yumpus is not opaque. Yumpuses are jompuses. Each vumpus is metallic. Jompuses are not temperate. Jompuses are wumpuses. Each wumpus is sour. Wumpuses are tumpuses. Tumpuses are not metallic. Every tumpus is a rompus. Each rompus is not brown. Rompuses are impuses. Each impus is not dull. Each impus is a zumpus. Zumpuses are not feisty. Zumpuses are dumpuses. Sally is a numpus.\n\nIs the following statement true or false? Sally is not metallic.", + "answer": true, + "original_context": "Numpuses are kind. Each numpus is a yumpus. Each yumpus is not opaque. Yumpuses are jompuses. Each vumpus is metallic. Jompuses are not temperate. Jompuses are wumpuses. Each wumpus is sour. Wumpuses are tumpuses. Tumpuses are not metallic. Every tumpus is a rompus. Each rompus is not brown. Rompuses are impuses. Each impus is not dull. Each impus is a zumpus. Zumpuses are not feisty. Zumpuses are dumpuses. Sally is a numpus.", + "original_question": "Is the following statement true or false? Sally is not metallic." + }, + { + "id": "ProntoQA_218", + "question": "Every vumpus is not sour. Vumpuses are rompuses. Every rompus is not happy. Rompuses are jompuses. Each jompus is not temperate. Numpuses are not transparent. Jompuses are tumpuses. Tumpuses are liquid. Tumpuses are yumpuses. Each yumpus is transparent. Yumpuses are dumpuses. Dumpuses are orange. Dumpuses are wumpuses. Wumpuses are floral. Every wumpus is a zumpus. Fae is a vumpus.\n\nIs the following statement true or false? Fae is transparent.", + "answer": true, + "original_context": "Every vumpus is not sour. Vumpuses are rompuses. Every rompus is not happy. Rompuses are jompuses. Each jompus is not temperate. Numpuses are not transparent. Jompuses are tumpuses. Tumpuses are liquid. Tumpuses are yumpuses. Each yumpus is transparent. Yumpuses are dumpuses. Dumpuses are orange. Dumpuses are wumpuses. Wumpuses are floral. Every wumpus is a zumpus. Fae is a vumpus.", + "original_question": "Is the following statement true or false? Fae is transparent." + }, + { + "id": "ProntoQA_219", + "question": "Zumpuses are hot. Every zumpus is a tumpus. Every tumpus is dull. Each tumpus is a dumpus. Every dumpus is small. Dumpuses are vumpuses. Vumpuses are not nervous. Yumpuses are not transparent. Every vumpus is an impus. Every impus is not red. Impuses are rompuses. Rompuses are not floral. Rompuses are wumpuses. Each wumpus is transparent. Every wumpus is a jompus. Jompuses are not spicy. Each jompus is a numpus. Wren is a dumpus.\n\nIs the following statement true or false? Wren is transparent.", + "answer": true, + "original_context": "Zumpuses are hot. Every zumpus is a tumpus. Every tumpus is dull. Each tumpus is a dumpus. Every dumpus is small. Dumpuses are vumpuses. Vumpuses are not nervous. Yumpuses are not transparent. Every vumpus is an impus. Every impus is not red. Impuses are rompuses. Rompuses are not floral. Rompuses are wumpuses. Each wumpus is transparent. Every wumpus is a jompus. Jompuses are not spicy. Each jompus is a numpus. Wren is a dumpus.", + "original_question": "Is the following statement true or false? Wren is transparent." + }, + { + "id": "ProntoQA_220", + "question": "Zumpuses are shy. Zumpuses are yumpuses. Dumpuses are not luminous. Yumpuses are not earthy. Every yumpus is a numpus. Numpuses are not aggressive. Each numpus is a tumpus. Tumpuses are transparent. Each tumpus is a wumpus. Every wumpus is not sour. Each wumpus is an impus. Each impus is not hot. Each impus is a jompus. Every jompus is not small. Each jompus is a vumpus. Vumpuses are luminous. Vumpuses are rompuses. Stella is a tumpus.\n\nIs the following statement true or false? Stella is not luminous.", + "answer": false, + "original_context": "Zumpuses are shy. Zumpuses are yumpuses. Dumpuses are not luminous. Yumpuses are not earthy. Every yumpus is a numpus. Numpuses are not aggressive. Each numpus is a tumpus. Tumpuses are transparent. Each tumpus is a wumpus. Every wumpus is not sour. Each wumpus is an impus. Each impus is not hot. Each impus is a jompus. Every jompus is not small. Each jompus is a vumpus. Vumpuses are luminous. Vumpuses are rompuses. Stella is a tumpus.", + "original_question": "Is the following statement true or false? Stella is not luminous." + }, + { + "id": "ProntoQA_221", + "question": "Every vumpus is feisty. Vumpuses are numpuses. Numpuses are not spicy. Numpuses are yumpuses. Yumpuses are large. Each yumpus is a zumpus. Tumpuses are fruity. Each zumpus is hot. Each zumpus is a wumpus. Every wumpus is transparent. Wumpuses are rompuses. Rompuses are brown. Rompuses are dumpuses. Every dumpus is kind. Each dumpus is an impus. Impuses are not fruity. Each impus is a jompus. Stella is a zumpus.\n\nIs the following statement true or false? Stella is fruity.", + "answer": false, + "original_context": "Every vumpus is feisty. Vumpuses are numpuses. Numpuses are not spicy. Numpuses are yumpuses. Yumpuses are large. Each yumpus is a zumpus. Tumpuses are fruity. Each zumpus is hot. Each zumpus is a wumpus. Every wumpus is transparent. Wumpuses are rompuses. Rompuses are brown. Rompuses are dumpuses. Every dumpus is kind. Each dumpus is an impus. Impuses are not fruity. Each impus is a jompus. Stella is a zumpus.", + "original_question": "Is the following statement true or false? Stella is fruity." + }, + { + "id": "ProntoQA_222", + "question": "Yumpuses are nervous. Each yumpus is a wumpus. Each wumpus is not earthy. Wumpuses are impuses. Zumpuses are metallic. Each impus is hot. Impuses are dumpuses. Dumpuses are small. Dumpuses are jompuses. Jompuses are sweet. Each jompus is a vumpus. Vumpuses are not metallic. Vumpuses are tumpuses. Each tumpus is red. Tumpuses are rompuses. Rompuses are bright. Rompuses are numpuses. Stella is a wumpus.\n\nIs the following statement true or false? Stella is not metallic.", + "answer": true, + "original_context": "Yumpuses are nervous. Each yumpus is a wumpus. Each wumpus is not earthy. Wumpuses are impuses. Zumpuses are metallic. Each impus is hot. Impuses are dumpuses. Dumpuses are small. Dumpuses are jompuses. Jompuses are sweet. Each jompus is a vumpus. Vumpuses are not metallic. Vumpuses are tumpuses. Each tumpus is red. Tumpuses are rompuses. Rompuses are bright. Rompuses are numpuses. Stella is a wumpus.", + "original_question": "Is the following statement true or false? Stella is not metallic." + }, + { + "id": "ProntoQA_223", + "question": "Dumpuses are bright. Dumpuses are vumpuses. Vumpuses are bitter. Vumpuses are zumpuses. Zumpuses are not floral. Zumpuses are impuses. Impuses are small. Impuses are numpuses. Wumpuses are not luminous. Each numpus is orange. Numpuses are jompuses. Every jompus is cold. Jompuses are rompuses. Rompuses are nervous. Rompuses are yumpuses. Every yumpus is luminous. Yumpuses are tumpuses. Polly is an impus.\n\nIs the following statement true or false? Polly is not luminous.", + "answer": false, + "original_context": "Dumpuses are bright. Dumpuses are vumpuses. Vumpuses are bitter. Vumpuses are zumpuses. Zumpuses are not floral. Zumpuses are impuses. Impuses are small. Impuses are numpuses. Wumpuses are not luminous. Each numpus is orange. Numpuses are jompuses. Every jompus is cold. Jompuses are rompuses. Rompuses are nervous. Rompuses are yumpuses. Every yumpus is luminous. Yumpuses are tumpuses. Polly is an impus.", + "original_question": "Is the following statement true or false? Polly is not luminous." + }, + { + "id": "ProntoQA_224", + "question": "Each jompus is nervous. Every jompus is a vumpus. Each vumpus is not brown. Each vumpus is a zumpus. Zumpuses are dull. Zumpuses are dumpuses. Dumpuses are fruity. Every dumpus is a wumpus. Wumpuses are luminous. Wumpuses are impuses. Impuses are kind. Every impus is a rompus. Yumpuses are cold. Each rompus is not cold. Every rompus is a tumpus. Tumpuses are not bitter. Tumpuses are numpuses. Sally is a zumpus.\n\nIs the following statement true or false? Sally is cold.", + "answer": false, + "original_context": "Each jompus is nervous. Every jompus is a vumpus. Each vumpus is not brown. Each vumpus is a zumpus. Zumpuses are dull. Zumpuses are dumpuses. Dumpuses are fruity. Every dumpus is a wumpus. Wumpuses are luminous. Wumpuses are impuses. Impuses are kind. Every impus is a rompus. Yumpuses are cold. Each rompus is not cold. Every rompus is a tumpus. Tumpuses are not bitter. Tumpuses are numpuses. Sally is a zumpus.", + "original_question": "Is the following statement true or false? Sally is cold." + }, + { + "id": "ProntoQA_225", + "question": "Every tumpus is not amenable. Tumpuses are impuses. Every impus is feisty. Every impus is a dumpus. Every dumpus is cold. Every dumpus is a wumpus. Wumpuses are sweet. Every wumpus is a vumpus. Yumpuses are not large. Every vumpus is large. Vumpuses are numpuses. Numpuses are bright. Numpuses are rompuses. Each rompus is blue. Each rompus is a jompus. Each jompus is luminous. Jompuses are zumpuses. Sam is a tumpus.\n\nIs the following statement true or false? Sam is large.", + "answer": true, + "original_context": "Every tumpus is not amenable. Tumpuses are impuses. Every impus is feisty. Every impus is a dumpus. Every dumpus is cold. Every dumpus is a wumpus. Wumpuses are sweet. Every wumpus is a vumpus. Yumpuses are not large. Every vumpus is large. Vumpuses are numpuses. Numpuses are bright. Numpuses are rompuses. Each rompus is blue. Each rompus is a jompus. Each jompus is luminous. Jompuses are zumpuses. Sam is a tumpus.", + "original_question": "Is the following statement true or false? Sam is large." + }, + { + "id": "ProntoQA_226", + "question": "Dumpuses are metallic. Impuses are not shy. Impuses are rompuses. Rompuses are not fruity. Each rompus is a jompus. Jompuses are large. Jompuses are numpuses. Numpuses are not blue. Numpuses are vumpuses. Each vumpus is not metallic. Vumpuses are wumpuses. Every wumpus is sweet. Wumpuses are zumpuses. Zumpuses are not opaque. Every zumpus is a tumpus. Every tumpus is not kind. Tumpuses are yumpuses. Stella is an impus.\n\nIs the following statement true or false? Stella is metallic.", + "answer": false, + "original_context": "Dumpuses are metallic. Impuses are not shy. Impuses are rompuses. Rompuses are not fruity. Each rompus is a jompus. Jompuses are large. Jompuses are numpuses. Numpuses are not blue. Numpuses are vumpuses. Each vumpus is not metallic. Vumpuses are wumpuses. Every wumpus is sweet. Wumpuses are zumpuses. Zumpuses are not opaque. Every zumpus is a tumpus. Every tumpus is not kind. Tumpuses are yumpuses. Stella is an impus.", + "original_question": "Is the following statement true or false? Stella is metallic." + }, + { + "id": "ProntoQA_227", + "question": "Numpuses are opaque. Every numpus is a rompus. Every rompus is aggressive. Rompuses are tumpuses. Each tumpus is not floral. Tumpuses are yumpuses. Every yumpus is bright. Yumpuses are wumpuses. Wumpuses are temperate. Each wumpus is a dumpus. Each dumpus is wooden. Vumpuses are not nervous. Dumpuses are impuses. Every impus is nervous. Each impus is a jompus. Every jompus is large. Each jompus is a zumpus. Sam is a tumpus.\n\nIs the following statement true or false? Sam is not nervous.", + "answer": false, + "original_context": "Numpuses are opaque. Every numpus is a rompus. Every rompus is aggressive. Rompuses are tumpuses. Each tumpus is not floral. Tumpuses are yumpuses. Every yumpus is bright. Yumpuses are wumpuses. Wumpuses are temperate. Each wumpus is a dumpus. Each dumpus is wooden. Vumpuses are not nervous. Dumpuses are impuses. Every impus is nervous. Each impus is a jompus. Every jompus is large. Each jompus is a zumpus. Sam is a tumpus.", + "original_question": "Is the following statement true or false? Sam is not nervous." + }, + { + "id": "ProntoQA_228", + "question": "Each zumpus is bitter. Every zumpus is a vumpus. Every vumpus is not angry. Every vumpus is an impus. Numpuses are not transparent. Every impus is hot. Every impus is a rompus. Every rompus is not liquid. Each rompus is a dumpus. Every dumpus is feisty. Each dumpus is a yumpus. Each yumpus is transparent. Yumpuses are jompuses. Every jompus is floral. Each jompus is a tumpus. Each tumpus is bright. Tumpuses are wumpuses. Alex is a vumpus.\n\nIs the following statement true or false? Alex is not transparent.", + "answer": false, + "original_context": "Each zumpus is bitter. Every zumpus is a vumpus. Every vumpus is not angry. Every vumpus is an impus. Numpuses are not transparent. Every impus is hot. Every impus is a rompus. Every rompus is not liquid. Each rompus is a dumpus. Every dumpus is feisty. Each dumpus is a yumpus. Each yumpus is transparent. Yumpuses are jompuses. Every jompus is floral. Each jompus is a tumpus. Each tumpus is bright. Tumpuses are wumpuses. Alex is a vumpus.", + "original_question": "Is the following statement true or false? Alex is not transparent." + }, + { + "id": "ProntoQA_229", + "question": "Every wumpus is not aggressive. Every wumpus is a rompus. Tumpuses are cold. Every rompus is large. Rompuses are yumpuses. Yumpuses are not sour. Yumpuses are impuses. Every impus is not opaque. Each impus is a dumpus. Every dumpus is not cold. Each dumpus is a jompus. Jompuses are not red. Jompuses are zumpuses. Each zumpus is not bright. Each zumpus is a vumpus. Vumpuses are not wooden. Every vumpus is a numpus. Alex is a wumpus.\n\nIs the following statement true or false? Alex is not cold.", + "answer": true, + "original_context": "Every wumpus is not aggressive. Every wumpus is a rompus. Tumpuses are cold. Every rompus is large. Rompuses are yumpuses. Yumpuses are not sour. Yumpuses are impuses. Every impus is not opaque. Each impus is a dumpus. Every dumpus is not cold. Each dumpus is a jompus. Jompuses are not red. Jompuses are zumpuses. Each zumpus is not bright. Each zumpus is a vumpus. Vumpuses are not wooden. Every vumpus is a numpus. Alex is a wumpus.", + "original_question": "Is the following statement true or false? Alex is not cold." + }, + { + "id": "ProntoQA_230", + "question": "Every tumpus is not kind. Every impus is liquid. Impuses are dumpuses. Each dumpus is shy. Dumpuses are zumpuses. Every zumpus is orange. Each zumpus is a numpus. Each numpus is not bright. Numpuses are vumpuses. Vumpuses are spicy. Vumpuses are rompuses. Each rompus is cold. Rompuses are wumpuses. Wumpuses are kind. Each wumpus is a jompus. Jompuses are small. Every jompus is a yumpus. Rex is a zumpus.\n\nIs the following statement true or false? Rex is kind.", + "answer": true, + "original_context": "Every tumpus is not kind. Every impus is liquid. Impuses are dumpuses. Each dumpus is shy. Dumpuses are zumpuses. Every zumpus is orange. Each zumpus is a numpus. Each numpus is not bright. Numpuses are vumpuses. Vumpuses are spicy. Vumpuses are rompuses. Each rompus is cold. Rompuses are wumpuses. Wumpuses are kind. Each wumpus is a jompus. Jompuses are small. Every jompus is a yumpus. Rex is a zumpus.", + "original_question": "Is the following statement true or false? Rex is kind." + }, + { + "id": "ProntoQA_231", + "question": "Vumpuses are wooden. Each vumpus is a dumpus. Dumpuses are not large. Each dumpus is a yumpus. Every yumpus is bitter. Yumpuses are rompuses. Each rompus is not transparent. Each rompus is a tumpus. Each tumpus is not nervous. Every tumpus is a wumpus. Each wumpus is dull. Wumpuses are jompuses. Each jompus is angry. Every jompus is a zumpus. Each numpus is not dull. Every zumpus is not fruity. Each zumpus is an impus. Sam is a dumpus.\n\nIs the following statement true or false? Sam is not dull.", + "answer": false, + "original_context": "Vumpuses are wooden. Each vumpus is a dumpus. Dumpuses are not large. Each dumpus is a yumpus. Every yumpus is bitter. Yumpuses are rompuses. Each rompus is not transparent. Each rompus is a tumpus. Each tumpus is not nervous. Every tumpus is a wumpus. Each wumpus is dull. Wumpuses are jompuses. Each jompus is angry. Every jompus is a zumpus. Each numpus is not dull. Every zumpus is not fruity. Each zumpus is an impus. Sam is a dumpus.", + "original_question": "Is the following statement true or false? Sam is not dull." + }, + { + "id": "ProntoQA_232", + "question": "Yumpuses are not large. Every yumpus is a tumpus. Every tumpus is nervous. Every tumpus is a jompus. Every jompus is temperate. Jompuses are vumpuses. Each vumpus is brown. Each dumpus is not opaque. Each vumpus is an impus. Impuses are bright. Every impus is a zumpus. Zumpuses are opaque. Every zumpus is a numpus. Numpuses are metallic. Every numpus is a rompus. Each rompus is not angry. Rompuses are wumpuses. Max is a tumpus.\n\nIs the following statement true or false? Max is not opaque.", + "answer": false, + "original_context": "Yumpuses are not large. Every yumpus is a tumpus. Every tumpus is nervous. Every tumpus is a jompus. Every jompus is temperate. Jompuses are vumpuses. Each vumpus is brown. Each dumpus is not opaque. Each vumpus is an impus. Impuses are bright. Every impus is a zumpus. Zumpuses are opaque. Every zumpus is a numpus. Numpuses are metallic. Every numpus is a rompus. Each rompus is not angry. Rompuses are wumpuses. Max is a tumpus.", + "original_question": "Is the following statement true or false? Max is not opaque." + }, + { + "id": "ProntoQA_233", + "question": "Wumpuses are opaque. Every wumpus is an impus. Dumpuses are large. Impuses are red. Impuses are numpuses. Each numpus is temperate. Every numpus is a tumpus. Each tumpus is floral. Each tumpus is a rompus. Each rompus is not large. Every rompus is a jompus. Rex is a wumpus.\n\nIs the following statement true or false? Rex is not large.", + "answer": true, + "original_context": "Wumpuses are opaque. Every wumpus is an impus. Dumpuses are large. Impuses are red. Impuses are numpuses. Each numpus is temperate. Every numpus is a tumpus. Each tumpus is floral. Each tumpus is a rompus. Each rompus is not large. Every rompus is a jompus. Rex is a wumpus.", + "original_question": "Is the following statement true or false? Rex is not large." + }, + { + "id": "ProntoQA_234", + "question": "Every impus is transparent. Impuses are tumpuses. Each tumpus is angry. Tumpuses are dumpuses. Every dumpus is not orange. Each dumpus is a jompus. Jompuses are feisty. Jompuses are numpuses. Every numpus is not earthy. Every rompus is earthy. Each numpus is a vumpus. Every vumpus is temperate. Vumpuses are wumpuses. Every wumpus is small. Every wumpus is a yumpus. Every yumpus is not metallic. Every yumpus is a zumpus. Stella is an impus.\n\nIs the following statement true or false? Stella is not earthy.", + "answer": true, + "original_context": "Every impus is transparent. Impuses are tumpuses. Each tumpus is angry. Tumpuses are dumpuses. Every dumpus is not orange. Each dumpus is a jompus. Jompuses are feisty. Jompuses are numpuses. Every numpus is not earthy. Every rompus is earthy. Each numpus is a vumpus. Every vumpus is temperate. Vumpuses are wumpuses. Every wumpus is small. Every wumpus is a yumpus. Every yumpus is not metallic. Every yumpus is a zumpus. Stella is an impus.", + "original_question": "Is the following statement true or false? Stella is not earthy." + }, + { + "id": "ProntoQA_235", + "question": "Each tumpus is temperate. Each tumpus is a dumpus. Every dumpus is opaque. Every dumpus is a vumpus. Vumpuses are brown. Vumpuses are yumpuses. Every jompus is not happy. Yumpuses are dull. Yumpuses are wumpuses. Each wumpus is happy. Wumpuses are numpuses. Numpuses are earthy. Numpuses are zumpuses. Zumpuses are not bitter. Zumpuses are impuses. Stella is a tumpus.\n\nIs the following statement true or false? Stella is not happy.", + "answer": false, + "original_context": "Each tumpus is temperate. Each tumpus is a dumpus. Every dumpus is opaque. Every dumpus is a vumpus. Vumpuses are brown. Vumpuses are yumpuses. Every jompus is not happy. Yumpuses are dull. Yumpuses are wumpuses. Each wumpus is happy. Wumpuses are numpuses. Numpuses are earthy. Numpuses are zumpuses. Zumpuses are not bitter. Zumpuses are impuses. Stella is a tumpus.", + "original_question": "Is the following statement true or false? Stella is not happy." + }, + { + "id": "ProntoQA_236", + "question": "Yumpuses are not orange. Jompuses are liquid. Each jompus is a vumpus. Vumpuses are sour. Vumpuses are rompuses. Each rompus is earthy. Every rompus is an impus. Impuses are not opaque. Every impus is a numpus. Numpuses are not small. Each numpus is a tumpus. Every tumpus is orange. Every tumpus is a dumpus. Dumpuses are not amenable. Every dumpus is a zumpus. Zumpuses are temperate. Zumpuses are wumpuses. Fae is a vumpus.\n\nIs the following statement true or false? Fae is orange.", + "answer": true, + "original_context": "Yumpuses are not orange. Jompuses are liquid. Each jompus is a vumpus. Vumpuses are sour. Vumpuses are rompuses. Each rompus is earthy. Every rompus is an impus. Impuses are not opaque. Every impus is a numpus. Numpuses are not small. Each numpus is a tumpus. Every tumpus is orange. Every tumpus is a dumpus. Dumpuses are not amenable. Every dumpus is a zumpus. Zumpuses are temperate. Zumpuses are wumpuses. Fae is a vumpus.", + "original_question": "Is the following statement true or false? Fae is orange." + }, + { + "id": "ProntoQA_237", + "question": "Impuses are dull. Impuses are dumpuses. Dumpuses are not small. Dumpuses are numpuses. Numpuses are not happy. Each numpus is a tumpus. Every rompus is cold. Tumpuses are kind. Every tumpus is a jompus. Jompuses are not earthy. Jompuses are yumpuses. Yumpuses are blue. Yumpuses are wumpuses. Each wumpus is transparent. Wumpuses are vumpuses. Every vumpus is not cold. Vumpuses are zumpuses. Sally is a tumpus.\n\nIs the following statement true or false? Sally is cold.", + "answer": false, + "original_context": "Impuses are dull. Impuses are dumpuses. Dumpuses are not small. Dumpuses are numpuses. Numpuses are not happy. Each numpus is a tumpus. Every rompus is cold. Tumpuses are kind. Every tumpus is a jompus. Jompuses are not earthy. Jompuses are yumpuses. Yumpuses are blue. Yumpuses are wumpuses. Each wumpus is transparent. Wumpuses are vumpuses. Every vumpus is not cold. Vumpuses are zumpuses. Sally is a tumpus.", + "original_question": "Is the following statement true or false? Sally is cold." + }, + { + "id": "ProntoQA_238", + "question": "Wumpuses are spicy. Tumpuses are not small. Every wumpus is a dumpus. Every dumpus is not floral. Each dumpus is a rompus. Rompuses are angry. Every rompus is a vumpus. Vumpuses are happy. Vumpuses are zumpuses. Zumpuses are metallic. Zumpuses are impuses. Every impus is not orange. Impuses are numpuses. Every numpus is small. Numpuses are jompuses. Jompuses are cold. Jompuses are yumpuses. Polly is a rompus.\n\nIs the following statement true or false? Polly is small.", + "answer": true, + "original_context": "Wumpuses are spicy. Tumpuses are not small. Every wumpus is a dumpus. Every dumpus is not floral. Each dumpus is a rompus. Rompuses are angry. Every rompus is a vumpus. Vumpuses are happy. Vumpuses are zumpuses. Zumpuses are metallic. Zumpuses are impuses. Every impus is not orange. Impuses are numpuses. Every numpus is small. Numpuses are jompuses. Jompuses are cold. Jompuses are yumpuses. Polly is a rompus.", + "original_question": "Is the following statement true or false? Polly is small." + }, + { + "id": "ProntoQA_239", + "question": "Tumpuses are fruity. Tumpuses are jompuses. Jompuses are not hot. Every impus is not spicy. Jompuses are yumpuses. Every yumpus is not luminous. Each yumpus is a dumpus. Dumpuses are not shy. Dumpuses are rompuses. Each rompus is spicy. Rompuses are vumpuses. Vumpuses are orange. Every vumpus is a zumpus. Every zumpus is dull. Each zumpus is a numpus. Each numpus is opaque. Numpuses are wumpuses. Alex is a tumpus.\n\nIs the following statement true or false? Alex is not spicy.", + "answer": false, + "original_context": "Tumpuses are fruity. Tumpuses are jompuses. Jompuses are not hot. Every impus is not spicy. Jompuses are yumpuses. Every yumpus is not luminous. Each yumpus is a dumpus. Dumpuses are not shy. Dumpuses are rompuses. Each rompus is spicy. Rompuses are vumpuses. Vumpuses are orange. Every vumpus is a zumpus. Every zumpus is dull. Each zumpus is a numpus. Each numpus is opaque. Numpuses are wumpuses. Alex is a tumpus.", + "original_question": "Is the following statement true or false? Alex is not spicy." + }, + { + "id": "ProntoQA_240", + "question": "Wumpuses are feisty. Every wumpus is a yumpus. Yumpuses are kind. Every yumpus is a jompus. Jompuses are liquid. Each jompus is an impus. Each impus is transparent. Impuses are tumpuses. Tumpuses are not dull. Tumpuses are numpuses. Numpuses are temperate. Numpuses are vumpuses. Each zumpus is not spicy. Every vumpus is blue. Each vumpus is a dumpus. Each dumpus is spicy. Every dumpus is a rompus. Alex is an impus.\n\nIs the following statement true or false? Alex is spicy.", + "answer": true, + "original_context": "Wumpuses are feisty. Every wumpus is a yumpus. Yumpuses are kind. Every yumpus is a jompus. Jompuses are liquid. Each jompus is an impus. Each impus is transparent. Impuses are tumpuses. Tumpuses are not dull. Tumpuses are numpuses. Numpuses are temperate. Numpuses are vumpuses. Each zumpus is not spicy. Every vumpus is blue. Each vumpus is a dumpus. Each dumpus is spicy. Every dumpus is a rompus. Alex is an impus.", + "original_question": "Is the following statement true or false? Alex is spicy." + }, + { + "id": "ProntoQA_241", + "question": "Each dumpus is spicy. Every dumpus is a jompus. Each jompus is large. Jompuses are impuses. Impuses are transparent. Impuses are wumpuses. Wumpuses are liquid. Wumpuses are tumpuses. Each tumpus is orange. Tumpuses are yumpuses. Yumpuses are nervous. Each yumpus is a vumpus. Vumpuses are not temperate. Each vumpus is a numpus. Zumpuses are not orange. Each numpus is kind. Every numpus is a rompus. Sally is a dumpus.\n\nIs the following statement true or false? Sally is not orange.", + "answer": false, + "original_context": "Each dumpus is spicy. Every dumpus is a jompus. Each jompus is large. Jompuses are impuses. Impuses are transparent. Impuses are wumpuses. Wumpuses are liquid. Wumpuses are tumpuses. Each tumpus is orange. Tumpuses are yumpuses. Yumpuses are nervous. Each yumpus is a vumpus. Vumpuses are not temperate. Each vumpus is a numpus. Zumpuses are not orange. Each numpus is kind. Every numpus is a rompus. Sally is a dumpus.", + "original_question": "Is the following statement true or false? Sally is not orange." + }, + { + "id": "ProntoQA_242", + "question": "Zumpuses are large. Every zumpus is a numpus. Every numpus is luminous. Numpuses are wumpuses. Each wumpus is floral. Each wumpus is a yumpus. Yumpuses are spicy. Yumpuses are impuses. Impuses are transparent. Every impus is a rompus. Dumpuses are blue. Rompuses are not blue. Every rompus is a tumpus. Tumpuses are nervous. Tumpuses are jompuses. Jompuses are not dull. Each jompus is a vumpus. Wren is a numpus.\n\nIs the following statement true or false? Wren is not blue.", + "answer": true, + "original_context": "Zumpuses are large. Every zumpus is a numpus. Every numpus is luminous. Numpuses are wumpuses. Each wumpus is floral. Each wumpus is a yumpus. Yumpuses are spicy. Yumpuses are impuses. Impuses are transparent. Every impus is a rompus. Dumpuses are blue. Rompuses are not blue. Every rompus is a tumpus. Tumpuses are nervous. Tumpuses are jompuses. Jompuses are not dull. Each jompus is a vumpus. Wren is a numpus.", + "original_question": "Is the following statement true or false? Wren is not blue." + }, + { + "id": "ProntoQA_243", + "question": "Tumpuses are bright. Every tumpus is a jompus. Jompuses are mean. Jompuses are yumpuses. Every yumpus is transparent. Every yumpus is a zumpus. Zumpuses are red. Each zumpus is a vumpus. Every vumpus is not luminous. Each vumpus is a rompus. Each rompus is not feisty. Rompuses are impuses. Every impus is temperate. Every impus is a wumpus. Each wumpus is not fruity. Every wumpus is a numpus. Dumpuses are feisty. Max is a jompus.\n\nIs the following statement true or false? Max is feisty.", + "answer": false, + "original_context": "Tumpuses are bright. Every tumpus is a jompus. Jompuses are mean. Jompuses are yumpuses. Every yumpus is transparent. Every yumpus is a zumpus. Zumpuses are red. Each zumpus is a vumpus. Every vumpus is not luminous. Each vumpus is a rompus. Each rompus is not feisty. Rompuses are impuses. Every impus is temperate. Every impus is a wumpus. Each wumpus is not fruity. Every wumpus is a numpus. Dumpuses are feisty. Max is a jompus.", + "original_question": "Is the following statement true or false? Max is feisty." + }, + { + "id": "ProntoQA_244", + "question": "Rompuses are shy. Each rompus is a jompus. Jompuses are sour. Jompuses are yumpuses. Every yumpus is blue. Yumpuses are impuses. Impuses are not fruity. Every impus is a vumpus. Every tumpus is transparent. Each vumpus is luminous. Each vumpus is a zumpus. Zumpuses are not transparent. Every zumpus is a dumpus. Every dumpus is temperate. Dumpuses are wumpuses. Wumpuses are not dull. Each wumpus is a numpus. Wren is a jompus.\n\nIs the following statement true or false? Wren is not transparent.", + "answer": true, + "original_context": "Rompuses are shy. Each rompus is a jompus. Jompuses are sour. Jompuses are yumpuses. Every yumpus is blue. Yumpuses are impuses. Impuses are not fruity. Every impus is a vumpus. Every tumpus is transparent. Each vumpus is luminous. Each vumpus is a zumpus. Zumpuses are not transparent. Every zumpus is a dumpus. Every dumpus is temperate. Dumpuses are wumpuses. Wumpuses are not dull. Each wumpus is a numpus. Wren is a jompus.", + "original_question": "Is the following statement true or false? Wren is not transparent." + }, + { + "id": "ProntoQA_245", + "question": "Every tumpus is not liquid. Tumpuses are impuses. Every impus is blue. Every impus is a zumpus. Zumpuses are opaque. Vumpuses are not large. Every zumpus is a numpus. Numpuses are hot. Each numpus is a yumpus. Yumpuses are sour. Yumpuses are jompuses. Every jompus is dull. Jompuses are rompuses. Rompuses are large. Each rompus is a wumpus. Each wumpus is fruity. Each wumpus is a dumpus. Rex is a zumpus.\n\nIs the following statement true or false? Rex is large.", + "answer": true, + "original_context": "Every tumpus is not liquid. Tumpuses are impuses. Every impus is blue. Every impus is a zumpus. Zumpuses are opaque. Vumpuses are not large. Every zumpus is a numpus. Numpuses are hot. Each numpus is a yumpus. Yumpuses are sour. Yumpuses are jompuses. Every jompus is dull. Jompuses are rompuses. Rompuses are large. Each rompus is a wumpus. Each wumpus is fruity. Each wumpus is a dumpus. Rex is a zumpus.", + "original_question": "Is the following statement true or false? Rex is large." + }, + { + "id": "ProntoQA_246", + "question": "Each dumpus is opaque. Each dumpus is a vumpus. Vumpuses are not dull. Every vumpus is an impus. Impuses are not hot. Every impus is a wumpus. Each wumpus is spicy. Wumpuses are zumpuses. Each zumpus is floral. Zumpuses are numpuses. Each numpus is not red. Each rompus is red. Every numpus is a yumpus. Yumpuses are wooden. Yumpuses are jompuses. Each jompus is feisty. Each jompus is a tumpus. Sam is a vumpus.\n\nIs the following statement true or false? Sam is not red.", + "answer": true, + "original_context": "Each dumpus is opaque. Each dumpus is a vumpus. Vumpuses are not dull. Every vumpus is an impus. Impuses are not hot. Every impus is a wumpus. Each wumpus is spicy. Wumpuses are zumpuses. Each zumpus is floral. Zumpuses are numpuses. Each numpus is not red. Each rompus is red. Every numpus is a yumpus. Yumpuses are wooden. Yumpuses are jompuses. Each jompus is feisty. Each jompus is a tumpus. Sam is a vumpus.", + "original_question": "Is the following statement true or false? Sam is not red." + }, + { + "id": "ProntoQA_247", + "question": "Rompuses are earthy. Rompuses are yumpuses. Yumpuses are transparent. Each yumpus is a jompus. Jompuses are not sour. Zumpuses are not brown. Jompuses are dumpuses. Dumpuses are not temperate. Each dumpus is a numpus. Every numpus is brown. Numpuses are wumpuses. Each wumpus is large. Wumpuses are tumpuses. Sam is a rompus.\n\nIs the following statement true or false? Sam is brown.", + "answer": true, + "original_context": "Rompuses are earthy. Rompuses are yumpuses. Yumpuses are transparent. Each yumpus is a jompus. Jompuses are not sour. Zumpuses are not brown. Jompuses are dumpuses. Dumpuses are not temperate. Each dumpus is a numpus. Every numpus is brown. Numpuses are wumpuses. Each wumpus is large. Wumpuses are tumpuses. Sam is a rompus.", + "original_question": "Is the following statement true or false? Sam is brown." + }, + { + "id": "ProntoQA_248", + "question": "Vumpuses are fruity. Vumpuses are rompuses. Rompuses are not dull. Each rompus is a wumpus. Each wumpus is not orange. Each wumpus is a zumpus. Every zumpus is cold. Zumpuses are tumpuses. Tumpuses are transparent. Each tumpus is a dumpus. Every dumpus is shy. Each dumpus is a numpus. Every jompus is not sour. Each numpus is sour. Numpuses are yumpuses. Each yumpus is not large. Yumpuses are impuses. Polly is a wumpus.\n\nIs the following statement true or false? Polly is sour.", + "answer": true, + "original_context": "Vumpuses are fruity. Vumpuses are rompuses. Rompuses are not dull. Each rompus is a wumpus. Each wumpus is not orange. Each wumpus is a zumpus. Every zumpus is cold. Zumpuses are tumpuses. Tumpuses are transparent. Each tumpus is a dumpus. Every dumpus is shy. Each dumpus is a numpus. Every jompus is not sour. Each numpus is sour. Numpuses are yumpuses. Each yumpus is not large. Yumpuses are impuses. Polly is a wumpus.", + "original_question": "Is the following statement true or false? Polly is sour." + }, + { + "id": "ProntoQA_249", + "question": "Numpuses are not dull. Numpuses are yumpuses. Every yumpus is earthy. Every yumpus is a jompus. Jompuses are orange. Jompuses are dumpuses. Dumpuses are not liquid. Dumpuses are wumpuses. Wumpuses are transparent. Wumpuses are vumpuses. Each vumpus is not happy. Every vumpus is an impus. Every impus is not small. Impuses are zumpuses. Each zumpus is angry. Each zumpus is a rompus. Tumpuses are small. Stella is a jompus.\n\nIs the following statement true or false? Stella is small.", + "answer": false, + "original_context": "Numpuses are not dull. Numpuses are yumpuses. Every yumpus is earthy. Every yumpus is a jompus. Jompuses are orange. Jompuses are dumpuses. Dumpuses are not liquid. Dumpuses are wumpuses. Wumpuses are transparent. Wumpuses are vumpuses. Each vumpus is not happy. Every vumpus is an impus. Every impus is not small. Impuses are zumpuses. Each zumpus is angry. Each zumpus is a rompus. Tumpuses are small. Stella is a jompus.", + "original_question": "Is the following statement true or false? Stella is small." + }, + { + "id": "ProntoQA_250", + "question": "Every yumpus is mean. Every yumpus is an impus. Impuses are cold. Each impus is a tumpus. Each tumpus is nervous. Tumpuses are jompuses. Jompuses are earthy. Jompuses are dumpuses. Every vumpus is not wooden. Each dumpus is wooden. Every dumpus is a rompus. Rompuses are large. Each rompus is a numpus. Every numpus is dull. Numpuses are wumpuses. Each wumpus is not sour. Wumpuses are zumpuses. Stella is a yumpus.\n\nIs the following statement true or false? Stella is wooden.", + "answer": true, + "original_context": "Every yumpus is mean. Every yumpus is an impus. Impuses are cold. Each impus is a tumpus. Each tumpus is nervous. Tumpuses are jompuses. Jompuses are earthy. Jompuses are dumpuses. Every vumpus is not wooden. Each dumpus is wooden. Every dumpus is a rompus. Rompuses are large. Each rompus is a numpus. Every numpus is dull. Numpuses are wumpuses. Each wumpus is not sour. Wumpuses are zumpuses. Stella is a yumpus.", + "original_question": "Is the following statement true or false? Stella is wooden." + }, + { + "id": "ProntoQA_251", + "question": "Every tumpus is not hot. Tumpuses are vumpuses. Every vumpus is not bright. Every zumpus is kind. Every vumpus is an impus. Every impus is earthy. Every impus is a dumpus. Each dumpus is bitter. Dumpuses are yumpuses. Yumpuses are red. Every yumpus is a numpus. Each numpus is not nervous. Numpuses are wumpuses. Wumpuses are not kind. Wumpuses are rompuses. Each rompus is not small. Rompuses are jompuses. Sam is an impus.\n\nIs the following statement true or false? Sam is kind.", + "answer": false, + "original_context": "Every tumpus is not hot. Tumpuses are vumpuses. Every vumpus is not bright. Every zumpus is kind. Every vumpus is an impus. Every impus is earthy. Every impus is a dumpus. Each dumpus is bitter. Dumpuses are yumpuses. Yumpuses are red. Every yumpus is a numpus. Each numpus is not nervous. Numpuses are wumpuses. Wumpuses are not kind. Wumpuses are rompuses. Each rompus is not small. Rompuses are jompuses. Sam is an impus.", + "original_question": "Is the following statement true or false? Sam is kind." + }, + { + "id": "ProntoQA_252", + "question": "Each dumpus is large. Jompuses are not blue. Each dumpus is a zumpus. Each zumpus is earthy. Each zumpus is a numpus. Every numpus is bitter. Each numpus is a wumpus. Each wumpus is opaque. Every wumpus is a rompus. Rompuses are blue. Rompuses are yumpuses. Yumpuses are not cold. Yumpuses are vumpuses. Each vumpus is angry. Each vumpus is an impus. Every impus is luminous. Impuses are tumpuses. Alex is a dumpus.\n\nIs the following statement true or false? Alex is blue.", + "answer": true, + "original_context": "Each dumpus is large. Jompuses are not blue. Each dumpus is a zumpus. Each zumpus is earthy. Each zumpus is a numpus. Every numpus is bitter. Each numpus is a wumpus. Each wumpus is opaque. Every wumpus is a rompus. Rompuses are blue. Rompuses are yumpuses. Yumpuses are not cold. Yumpuses are vumpuses. Each vumpus is angry. Each vumpus is an impus. Every impus is luminous. Impuses are tumpuses. Alex is a dumpus.", + "original_question": "Is the following statement true or false? Alex is blue." + }, + { + "id": "ProntoQA_253", + "question": "Vumpuses are red. Vumpuses are jompuses. Each jompus is aggressive. Jompuses are tumpuses. Each tumpus is not sweet. Tumpuses are rompuses. Rompuses are not floral. Rompuses are zumpuses. Each zumpus is not large. Zumpuses are yumpuses. Every yumpus is transparent. Yumpuses are dumpuses. Dumpuses are metallic. Impuses are large. Dumpuses are numpuses. Every numpus is cold. Every numpus is a wumpus. Fae is a vumpus.\n\nIs the following statement true or false? Fae is not large.", + "answer": true, + "original_context": "Vumpuses are red. Vumpuses are jompuses. Each jompus is aggressive. Jompuses are tumpuses. Each tumpus is not sweet. Tumpuses are rompuses. Rompuses are not floral. Rompuses are zumpuses. Each zumpus is not large. Zumpuses are yumpuses. Every yumpus is transparent. Yumpuses are dumpuses. Dumpuses are metallic. Impuses are large. Dumpuses are numpuses. Every numpus is cold. Every numpus is a wumpus. Fae is a vumpus.", + "original_question": "Is the following statement true or false? Fae is not large." + }, + { + "id": "ProntoQA_254", + "question": "Tumpuses are floral. Every tumpus is a numpus. Each numpus is not transparent. Each numpus is a zumpus. Each zumpus is temperate. Zumpuses are impuses. Impuses are aggressive. Every impus is a yumpus. Each rompus is bright. Yumpuses are not brown. Yumpuses are vumpuses. Each vumpus is sour. Each vumpus is a wumpus. Wumpuses are not bright. Wumpuses are dumpuses. Dumpuses are large. Every dumpus is a jompus. Max is a zumpus.\n\nIs the following statement true or false? Max is bright.", + "answer": false, + "original_context": "Tumpuses are floral. Every tumpus is a numpus. Each numpus is not transparent. Each numpus is a zumpus. Each zumpus is temperate. Zumpuses are impuses. Impuses are aggressive. Every impus is a yumpus. Each rompus is bright. Yumpuses are not brown. Yumpuses are vumpuses. Each vumpus is sour. Each vumpus is a wumpus. Wumpuses are not bright. Wumpuses are dumpuses. Dumpuses are large. Every dumpus is a jompus. Max is a zumpus.", + "original_question": "Is the following statement true or false? Max is bright." + }, + { + "id": "ProntoQA_255", + "question": "Every impus is kind. Each impus is a wumpus. Each wumpus is not nervous. Wumpuses are yumpuses. Yumpuses are not large. Every yumpus is a rompus. Each rompus is opaque. Each rompus is a jompus. Jompuses are bright. Each jompus is a tumpus. Every tumpus is bitter. Tumpuses are numpuses. Numpuses are not fruity. Each numpus is a vumpus. Zumpuses are not bitter. Vumpuses are wooden. Each vumpus is a dumpus. Max is a wumpus.\n\nIs the following statement true or false? Max is not bitter.", + "answer": false, + "original_context": "Every impus is kind. Each impus is a wumpus. Each wumpus is not nervous. Wumpuses are yumpuses. Yumpuses are not large. Every yumpus is a rompus. Each rompus is opaque. Each rompus is a jompus. Jompuses are bright. Each jompus is a tumpus. Every tumpus is bitter. Tumpuses are numpuses. Numpuses are not fruity. Each numpus is a vumpus. Zumpuses are not bitter. Vumpuses are wooden. Each vumpus is a dumpus. Max is a wumpus.", + "original_question": "Is the following statement true or false? Max is not bitter." + }, + { + "id": "ProntoQA_256", + "question": "Tumpuses are transparent. Yumpuses are not small. Every tumpus is a numpus. Numpuses are brown. Numpuses are jompuses. Jompuses are angry. Every jompus is a zumpus. Zumpuses are bright. Zumpuses are vumpuses. Every vumpus is spicy. Vumpuses are impuses. Impuses are happy. Every impus is a dumpus. Each dumpus is liquid. Each dumpus is a rompus. Rompuses are small. Rompuses are wumpuses. Sam is a zumpus.\n\nIs the following statement true or false? Sam is not small.", + "answer": false, + "original_context": "Tumpuses are transparent. Yumpuses are not small. Every tumpus is a numpus. Numpuses are brown. Numpuses are jompuses. Jompuses are angry. Every jompus is a zumpus. Zumpuses are bright. Zumpuses are vumpuses. Every vumpus is spicy. Vumpuses are impuses. Impuses are happy. Every impus is a dumpus. Each dumpus is liquid. Each dumpus is a rompus. Rompuses are small. Rompuses are wumpuses. Sam is a zumpus.", + "original_question": "Is the following statement true or false? Sam is not small." + }, + { + "id": "ProntoQA_257", + "question": "Every jompus is floral. Jompuses are tumpuses. Every tumpus is orange. Every tumpus is a dumpus. Dumpuses are temperate. Each dumpus is an impus. Every impus is not small. Impuses are numpuses. Numpuses are not feisty. Numpuses are wumpuses. Every yumpus is not kind. Wumpuses are kind. Every wumpus is a zumpus. Zumpuses are sour. Zumpuses are vumpuses. Vumpuses are transparent. Every vumpus is a rompus. Max is a tumpus.\n\nIs the following statement true or false? Max is kind.", + "answer": true, + "original_context": "Every jompus is floral. Jompuses are tumpuses. Every tumpus is orange. Every tumpus is a dumpus. Dumpuses are temperate. Each dumpus is an impus. Every impus is not small. Impuses are numpuses. Numpuses are not feisty. Numpuses are wumpuses. Every yumpus is not kind. Wumpuses are kind. Every wumpus is a zumpus. Zumpuses are sour. Zumpuses are vumpuses. Vumpuses are transparent. Every vumpus is a rompus. Max is a tumpus.", + "original_question": "Is the following statement true or false? Max is kind." + }, + { + "id": "ProntoQA_258", + "question": "Wumpuses are orange. Wumpuses are numpuses. Each numpus is cold. Numpuses are yumpuses. Yumpuses are not mean. Each yumpus is a jompus. Jompuses are luminous. Jompuses are impuses. Each impus is nervous. Every impus is a dumpus. Each dumpus is transparent. Every dumpus is a zumpus. Zumpuses are dull. Each tumpus is not dull. Zumpuses are rompuses. Rompuses are not bitter. Rompuses are vumpuses. Wren is a yumpus.\n\nIs the following statement true or false? Wren is not dull.", + "answer": false, + "original_context": "Wumpuses are orange. Wumpuses are numpuses. Each numpus is cold. Numpuses are yumpuses. Yumpuses are not mean. Each yumpus is a jompus. Jompuses are luminous. Jompuses are impuses. Each impus is nervous. Every impus is a dumpus. Each dumpus is transparent. Every dumpus is a zumpus. Zumpuses are dull. Each tumpus is not dull. Zumpuses are rompuses. Rompuses are not bitter. Rompuses are vumpuses. Wren is a yumpus.", + "original_question": "Is the following statement true or false? Wren is not dull." + }, + { + "id": "ProntoQA_259", + "question": "Yumpuses are fruity. Yumpuses are wumpuses. Wumpuses are large. Every wumpus is a dumpus. Dumpuses are temperate. Dumpuses are rompuses. Every rompus is feisty. Rompuses are numpuses. Numpuses are not sweet. Every numpus is a vumpus. Vumpuses are bright. Each vumpus is a tumpus. Tumpuses are opaque. Every tumpus is an impus. Every impus is not blue. Each impus is a zumpus. Each jompus is sweet. Sally is a yumpus.\n\nIs the following statement true or false? Sally is sweet.", + "answer": false, + "original_context": "Yumpuses are fruity. Yumpuses are wumpuses. Wumpuses are large. Every wumpus is a dumpus. Dumpuses are temperate. Dumpuses are rompuses. Every rompus is feisty. Rompuses are numpuses. Numpuses are not sweet. Every numpus is a vumpus. Vumpuses are bright. Each vumpus is a tumpus. Tumpuses are opaque. Every tumpus is an impus. Every impus is not blue. Each impus is a zumpus. Each jompus is sweet. Sally is a yumpus.", + "original_question": "Is the following statement true or false? Sally is sweet." + }, + { + "id": "ProntoQA_260", + "question": "Each impus is not orange. Each impus is a zumpus. Every zumpus is not happy. Every zumpus is a vumpus. Vumpuses are not opaque. Every vumpus is a yumpus. Yumpuses are temperate. Each yumpus is a wumpus. Each wumpus is floral. Wumpuses are jompuses. Every jompus is large. Rompuses are wooden. Each jompus is a tumpus. Each tumpus is not wooden. Every tumpus is a numpus. Each numpus is not dull. Every numpus is a dumpus. Max is a vumpus.\n\nIs the following statement true or false? Max is not wooden.", + "answer": true, + "original_context": "Each impus is not orange. Each impus is a zumpus. Every zumpus is not happy. Every zumpus is a vumpus. Vumpuses are not opaque. Every vumpus is a yumpus. Yumpuses are temperate. Each yumpus is a wumpus. Each wumpus is floral. Wumpuses are jompuses. Every jompus is large. Rompuses are wooden. Each jompus is a tumpus. Each tumpus is not wooden. Every tumpus is a numpus. Each numpus is not dull. Every numpus is a dumpus. Max is a vumpus.", + "original_question": "Is the following statement true or false? Max is not wooden." + }, + { + "id": "ProntoQA_261", + "question": "Each tumpus is mean. Each tumpus is a yumpus. Yumpuses are small. Yumpuses are dumpuses. Zumpuses are fruity. Dumpuses are dull. Every dumpus is an impus. Impuses are transparent. Every impus is a wumpus. Every wumpus is not fruity. Every wumpus is a jompus. Alex is a tumpus.\n\nIs the following statement true or false? Alex is not fruity.", + "answer": true, + "original_context": "Each tumpus is mean. Each tumpus is a yumpus. Yumpuses are small. Yumpuses are dumpuses. Zumpuses are fruity. Dumpuses are dull. Every dumpus is an impus. Impuses are transparent. Every impus is a wumpus. Every wumpus is not fruity. Every wumpus is a jompus. Alex is a tumpus.", + "original_question": "Is the following statement true or false? Alex is not fruity." + }, + { + "id": "ProntoQA_262", + "question": "Every vumpus is large. Each vumpus is a dumpus. Every dumpus is amenable. Every dumpus is a zumpus. Zumpuses are fruity. Zumpuses are rompuses. Each rompus is not luminous. Each rompus is a tumpus. Each tumpus is cold. Tumpuses are numpuses. Numpuses are dull. Numpuses are jompuses. Every jompus is sour. Jompuses are impuses. Yumpuses are not cold. Impuses are opaque. Each impus is a wumpus. Sam is a vumpus.\n\nIs the following statement true or false? Sam is cold.", + "answer": true, + "original_context": "Every vumpus is large. Each vumpus is a dumpus. Every dumpus is amenable. Every dumpus is a zumpus. Zumpuses are fruity. Zumpuses are rompuses. Each rompus is not luminous. Each rompus is a tumpus. Each tumpus is cold. Tumpuses are numpuses. Numpuses are dull. Numpuses are jompuses. Every jompus is sour. Jompuses are impuses. Yumpuses are not cold. Impuses are opaque. Each impus is a wumpus. Sam is a vumpus.", + "original_question": "Is the following statement true or false? Sam is cold." + }, + { + "id": "ProntoQA_263", + "question": "Each impus is bright. Impuses are tumpuses. Tumpuses are small. Each tumpus is a dumpus. Dumpuses are temperate. Every dumpus is a zumpus. Every zumpus is amenable. Each zumpus is a rompus. Every rompus is orange. Every rompus is a jompus. Wumpuses are floral. Jompuses are luminous. Every jompus is a vumpus. Each vumpus is not floral. Vumpuses are yumpuses. Yumpuses are spicy. Every yumpus is a numpus. Sally is a dumpus.\n\nIs the following statement true or false? Sally is floral.", + "answer": false, + "original_context": "Each impus is bright. Impuses are tumpuses. Tumpuses are small. Each tumpus is a dumpus. Dumpuses are temperate. Every dumpus is a zumpus. Every zumpus is amenable. Each zumpus is a rompus. Every rompus is orange. Every rompus is a jompus. Wumpuses are floral. Jompuses are luminous. Every jompus is a vumpus. Each vumpus is not floral. Vumpuses are yumpuses. Yumpuses are spicy. Every yumpus is a numpus. Sally is a dumpus.", + "original_question": "Is the following statement true or false? Sally is floral." + }, + { + "id": "ProntoQA_264", + "question": "Vumpuses are floral. Vumpuses are wumpuses. Each wumpus is brown. Wumpuses are zumpuses. Each zumpus is not liquid. Every zumpus is an impus. Impuses are not kind. Each impus is a tumpus. Every tumpus is transparent. Every tumpus is a numpus. Numpuses are feisty. Each numpus is a yumpus. Yumpuses are sweet. Yumpuses are rompuses. Rompuses are not bright. Rompuses are dumpuses. Jompuses are bright. Max is an impus.\n\nIs the following statement true or false? Max is not bright.", + "answer": true, + "original_context": "Vumpuses are floral. Vumpuses are wumpuses. Each wumpus is brown. Wumpuses are zumpuses. Each zumpus is not liquid. Every zumpus is an impus. Impuses are not kind. Each impus is a tumpus. Every tumpus is transparent. Every tumpus is a numpus. Numpuses are feisty. Each numpus is a yumpus. Yumpuses are sweet. Yumpuses are rompuses. Rompuses are not bright. Rompuses are dumpuses. Jompuses are bright. Max is an impus.", + "original_question": "Is the following statement true or false? Max is not bright." + }, + { + "id": "ProntoQA_265", + "question": "Wumpuses are liquid. Each wumpus is a dumpus. Each dumpus is small. Each dumpus is a rompus. Rompuses are transparent. Every rompus is a tumpus. Tumpuses are bitter. Each tumpus is a numpus. Zumpuses are not fruity. Numpuses are fruity. Each numpus is a vumpus. Each vumpus is hot. Vumpuses are yumpuses. Yumpuses are not shy. Yumpuses are impuses. Impuses are not bright. Impuses are jompuses. Sally is a wumpus.\n\nIs the following statement true or false? Sally is not fruity.", + "answer": false, + "original_context": "Wumpuses are liquid. Each wumpus is a dumpus. Each dumpus is small. Each dumpus is a rompus. Rompuses are transparent. Every rompus is a tumpus. Tumpuses are bitter. Each tumpus is a numpus. Zumpuses are not fruity. Numpuses are fruity. Each numpus is a vumpus. Each vumpus is hot. Vumpuses are yumpuses. Yumpuses are not shy. Yumpuses are impuses. Impuses are not bright. Impuses are jompuses. Sally is a wumpus.", + "original_question": "Is the following statement true or false? Sally is not fruity." + }, + { + "id": "ProntoQA_266", + "question": "Every wumpus is amenable. Every wumpus is a tumpus. Tumpuses are luminous. Tumpuses are yumpuses. Every yumpus is large. Every yumpus is a numpus. Every numpus is sweet. Every numpus is a vumpus. Vumpuses are happy. Each vumpus is a dumpus. Jompuses are not temperate. Each dumpus is floral. Dumpuses are rompuses. Each rompus is temperate. Rompuses are zumpuses. Every zumpus is dull. Zumpuses are impuses. Rex is a yumpus.\n\nIs the following statement true or false? Rex is temperate.", + "answer": true, + "original_context": "Every wumpus is amenable. Every wumpus is a tumpus. Tumpuses are luminous. Tumpuses are yumpuses. Every yumpus is large. Every yumpus is a numpus. Every numpus is sweet. Every numpus is a vumpus. Vumpuses are happy. Each vumpus is a dumpus. Jompuses are not temperate. Each dumpus is floral. Dumpuses are rompuses. Each rompus is temperate. Rompuses are zumpuses. Every zumpus is dull. Zumpuses are impuses. Rex is a yumpus.", + "original_question": "Is the following statement true or false? Rex is temperate." + }, + { + "id": "ProntoQA_267", + "question": "Vumpuses are not angry. Vumpuses are wumpuses. Wumpuses are nervous. Every wumpus is a dumpus. Dumpuses are red. Every dumpus is a jompus. Jompuses are not hot. Every jompus is a numpus. Numpuses are not small. Every numpus is a zumpus. Zumpuses are opaque. Zumpuses are tumpuses. Tumpuses are not earthy. Every tumpus is a rompus. Each rompus is bright. Each impus is not opaque. Rompuses are yumpuses. Polly is a wumpus.\n\nIs the following statement true or false? Polly is not opaque.", + "answer": false, + "original_context": "Vumpuses are not angry. Vumpuses are wumpuses. Wumpuses are nervous. Every wumpus is a dumpus. Dumpuses are red. Every dumpus is a jompus. Jompuses are not hot. Every jompus is a numpus. Numpuses are not small. Every numpus is a zumpus. Zumpuses are opaque. Zumpuses are tumpuses. Tumpuses are not earthy. Every tumpus is a rompus. Each rompus is bright. Each impus is not opaque. Rompuses are yumpuses. Polly is a wumpus.", + "original_question": "Is the following statement true or false? Polly is not opaque." + }, + { + "id": "ProntoQA_268", + "question": "Yumpuses are not liquid. Each yumpus is a numpus. Numpuses are not floral. Each numpus is an impus. Every impus is not bitter. Impuses are dumpuses. Dumpuses are dull. Dumpuses are jompuses. Jompuses are not shy. Jompuses are zumpuses. Each zumpus is not orange. Every zumpus is a tumpus. Tumpuses are small. Each tumpus is a wumpus. Vumpuses are not cold. Wumpuses are cold. Each wumpus is a rompus. Alex is a dumpus.\n\nIs the following statement true or false? Alex is not cold.", + "answer": false, + "original_context": "Yumpuses are not liquid. Each yumpus is a numpus. Numpuses are not floral. Each numpus is an impus. Every impus is not bitter. Impuses are dumpuses. Dumpuses are dull. Dumpuses are jompuses. Jompuses are not shy. Jompuses are zumpuses. Each zumpus is not orange. Every zumpus is a tumpus. Tumpuses are small. Each tumpus is a wumpus. Vumpuses are not cold. Wumpuses are cold. Each wumpus is a rompus. Alex is a dumpus.", + "original_question": "Is the following statement true or false? Alex is not cold." + }, + { + "id": "ProntoQA_269", + "question": "Impuses are not fruity. Impuses are yumpuses. Each yumpus is dull. Every jompus is opaque. Each yumpus is a zumpus. Each zumpus is spicy. Every zumpus is a tumpus. Each tumpus is small. Each tumpus is a vumpus. Vumpuses are not feisty. Vumpuses are numpuses. Numpuses are not opaque. Numpuses are rompuses. Max is a yumpus.\n\nIs the following statement true or false? Max is opaque.", + "answer": false, + "original_context": "Impuses are not fruity. Impuses are yumpuses. Each yumpus is dull. Every jompus is opaque. Each yumpus is a zumpus. Each zumpus is spicy. Every zumpus is a tumpus. Each tumpus is small. Each tumpus is a vumpus. Vumpuses are not feisty. Vumpuses are numpuses. Numpuses are not opaque. Numpuses are rompuses. Max is a yumpus.", + "original_question": "Is the following statement true or false? Max is opaque." + }, + { + "id": "ProntoQA_270", + "question": "Tumpuses are not wooden. Tumpuses are vumpuses. Every vumpus is not cold. Vumpuses are zumpuses. Zumpuses are sour. Zumpuses are numpuses. Each numpus is opaque. Every numpus is a dumpus. Dumpuses are feisty. Every yumpus is not bright. Every dumpus is a wumpus. Wumpuses are bright. Each wumpus is an impus. Every impus is red. Every impus is a rompus. Every rompus is small. Rompuses are jompuses. Wren is a vumpus.\n\nIs the following statement true or false? Wren is not bright.", + "answer": false, + "original_context": "Tumpuses are not wooden. Tumpuses are vumpuses. Every vumpus is not cold. Vumpuses are zumpuses. Zumpuses are sour. Zumpuses are numpuses. Each numpus is opaque. Every numpus is a dumpus. Dumpuses are feisty. Every yumpus is not bright. Every dumpus is a wumpus. Wumpuses are bright. Each wumpus is an impus. Every impus is red. Every impus is a rompus. Every rompus is small. Rompuses are jompuses. Wren is a vumpus.", + "original_question": "Is the following statement true or false? Wren is not bright." + }, + { + "id": "ProntoQA_271", + "question": "Each rompus is small. Each jompus is angry. Each jompus is a tumpus. Each tumpus is not nervous. Every tumpus is a wumpus. Wumpuses are bright. Wumpuses are numpuses. Numpuses are temperate. Numpuses are vumpuses. Every vumpus is not small. Vumpuses are dumpuses. Sally is a jompus.\n\nIs the following statement true or false? Sally is not small.", + "answer": true, + "original_context": "Each rompus is small. Each jompus is angry. Each jompus is a tumpus. Each tumpus is not nervous. Every tumpus is a wumpus. Wumpuses are bright. Wumpuses are numpuses. Numpuses are temperate. Numpuses are vumpuses. Every vumpus is not small. Vumpuses are dumpuses. Sally is a jompus.", + "original_question": "Is the following statement true or false? Sally is not small." + }, + { + "id": "ProntoQA_272", + "question": "Jompuses are feisty. Each jompus is an impus. Impuses are kind. Every impus is a zumpus. Zumpuses are bitter. Rompuses are not cold. Zumpuses are tumpuses. Every tumpus is orange. Every tumpus is a wumpus. Every wumpus is transparent. Wumpuses are numpuses. Each numpus is dull. Numpuses are yumpuses. Every yumpus is cold. Yumpuses are vumpuses. Vumpuses are fruity. Each vumpus is a dumpus. Alex is a zumpus.\n\nIs the following statement true or false? Alex is cold.", + "answer": true, + "original_context": "Jompuses are feisty. Each jompus is an impus. Impuses are kind. Every impus is a zumpus. Zumpuses are bitter. Rompuses are not cold. Zumpuses are tumpuses. Every tumpus is orange. Every tumpus is a wumpus. Every wumpus is transparent. Wumpuses are numpuses. Each numpus is dull. Numpuses are yumpuses. Every yumpus is cold. Yumpuses are vumpuses. Vumpuses are fruity. Each vumpus is a dumpus. Alex is a zumpus.", + "original_question": "Is the following statement true or false? Alex is cold." + }, + { + "id": "ProntoQA_273", + "question": "Dumpuses are hot. Each dumpus is a yumpus. Every yumpus is happy. Each yumpus is a vumpus. Every vumpus is not transparent. Every vumpus is a jompus. Jompuses are small. Jompuses are zumpuses. Every numpus is not luminous. Each zumpus is not spicy. Each zumpus is a wumpus. Wumpuses are not amenable. Wumpuses are tumpuses. Every tumpus is dull. Each tumpus is an impus. Every impus is luminous. Impuses are rompuses. Alex is a jompus.\n\nIs the following statement true or false? Alex is luminous.", + "answer": true, + "original_context": "Dumpuses are hot. Each dumpus is a yumpus. Every yumpus is happy. Each yumpus is a vumpus. Every vumpus is not transparent. Every vumpus is a jompus. Jompuses are small. Jompuses are zumpuses. Every numpus is not luminous. Each zumpus is not spicy. Each zumpus is a wumpus. Wumpuses are not amenable. Wumpuses are tumpuses. Every tumpus is dull. Each tumpus is an impus. Every impus is luminous. Impuses are rompuses. Alex is a jompus.", + "original_question": "Is the following statement true or false? Alex is luminous." + }, + { + "id": "ProntoQA_274", + "question": "Vumpuses are earthy. Vumpuses are yumpuses. Yumpuses are temperate. Every yumpus is a tumpus. Each tumpus is kind. Tumpuses are jompuses. Jompuses are dull. Every jompus is a zumpus. Zumpuses are not transparent. Rompuses are metallic. Zumpuses are dumpuses. Every dumpus is not metallic. Dumpuses are numpuses. Each numpus is feisty. Numpuses are wumpuses. Wumpuses are sour. Wumpuses are impuses. Sam is a yumpus.\n\nIs the following statement true or false? Sam is not metallic.", + "answer": true, + "original_context": "Vumpuses are earthy. Vumpuses are yumpuses. Yumpuses are temperate. Every yumpus is a tumpus. Each tumpus is kind. Tumpuses are jompuses. Jompuses are dull. Every jompus is a zumpus. Zumpuses are not transparent. Rompuses are metallic. Zumpuses are dumpuses. Every dumpus is not metallic. Dumpuses are numpuses. Each numpus is feisty. Numpuses are wumpuses. Wumpuses are sour. Wumpuses are impuses. Sam is a yumpus.", + "original_question": "Is the following statement true or false? Sam is not metallic." + }, + { + "id": "ProntoQA_275", + "question": "Zumpuses are not red. Each zumpus is a tumpus. Each tumpus is sour. Every dumpus is aggressive. Each tumpus is a wumpus. Each wumpus is bright. Each wumpus is an impus. Impuses are luminous. Every impus is a rompus. Rompuses are not aggressive. Each rompus is a numpus. Numpuses are small. Numpuses are jompuses. Each jompus is floral. Every jompus is a yumpus. Each yumpus is transparent. Yumpuses are vumpuses. Max is a zumpus.\n\nIs the following statement true or false? Max is not aggressive.", + "answer": true, + "original_context": "Zumpuses are not red. Each zumpus is a tumpus. Each tumpus is sour. Every dumpus is aggressive. Each tumpus is a wumpus. Each wumpus is bright. Each wumpus is an impus. Impuses are luminous. Every impus is a rompus. Rompuses are not aggressive. Each rompus is a numpus. Numpuses are small. Numpuses are jompuses. Each jompus is floral. Every jompus is a yumpus. Each yumpus is transparent. Yumpuses are vumpuses. Max is a zumpus.", + "original_question": "Is the following statement true or false? Max is not aggressive." + }, + { + "id": "ProntoQA_276", + "question": "Dumpuses are opaque. Dumpuses are vumpuses. Vumpuses are not bright. Vumpuses are tumpuses. Each tumpus is not hot. Tumpuses are zumpuses. Zumpuses are wooden. Every zumpus is a wumpus. Yumpuses are not nervous. Every wumpus is nervous. Each wumpus is a numpus. Numpuses are aggressive. Each numpus is an impus. Every impus is sour. Impuses are rompuses. Every rompus is floral. Every rompus is a jompus. Sally is a dumpus.\n\nIs the following statement true or false? Sally is not nervous.", + "answer": false, + "original_context": "Dumpuses are opaque. Dumpuses are vumpuses. Vumpuses are not bright. Vumpuses are tumpuses. Each tumpus is not hot. Tumpuses are zumpuses. Zumpuses are wooden. Every zumpus is a wumpus. Yumpuses are not nervous. Every wumpus is nervous. Each wumpus is a numpus. Numpuses are aggressive. Each numpus is an impus. Every impus is sour. Impuses are rompuses. Every rompus is floral. Every rompus is a jompus. Sally is a dumpus.", + "original_question": "Is the following statement true or false? Sally is not nervous." + }, + { + "id": "ProntoQA_277", + "question": "Rompuses are transparent. Each rompus is a numpus. Every numpus is bitter. Numpuses are tumpuses. Tumpuses are small. Tumpuses are zumpuses. Zumpuses are mean. Zumpuses are yumpuses. Yumpuses are liquid. Each yumpus is a dumpus. Every dumpus is fruity. Dumpuses are vumpuses. Impuses are temperate. Each vumpus is brown. Every vumpus is a jompus. Jompuses are not temperate. Jompuses are wumpuses. Rex is a zumpus.\n\nIs the following statement true or false? Rex is not temperate.", + "answer": true, + "original_context": "Rompuses are transparent. Each rompus is a numpus. Every numpus is bitter. Numpuses are tumpuses. Tumpuses are small. Tumpuses are zumpuses. Zumpuses are mean. Zumpuses are yumpuses. Yumpuses are liquid. Each yumpus is a dumpus. Every dumpus is fruity. Dumpuses are vumpuses. Impuses are temperate. Each vumpus is brown. Every vumpus is a jompus. Jompuses are not temperate. Jompuses are wumpuses. Rex is a zumpus.", + "original_question": "Is the following statement true or false? Rex is not temperate." + }, + { + "id": "ProntoQA_278", + "question": "Every zumpus is happy. Zumpuses are impuses. Impuses are temperate. Each impus is a rompus. Every rompus is luminous. Rompuses are yumpuses. Every yumpus is not small. Yumpuses are dumpuses. Each dumpus is blue. Each dumpus is a numpus. Each numpus is not earthy. Every numpus is a jompus. Jompuses are not kind. Each jompus is a wumpus. Tumpuses are not dull. Wumpuses are dull. Each wumpus is a vumpus. Sally is a yumpus.\n\nIs the following statement true or false? Sally is not dull.", + "answer": false, + "original_context": "Every zumpus is happy. Zumpuses are impuses. Impuses are temperate. Each impus is a rompus. Every rompus is luminous. Rompuses are yumpuses. Every yumpus is not small. Yumpuses are dumpuses. Each dumpus is blue. Each dumpus is a numpus. Each numpus is not earthy. Every numpus is a jompus. Jompuses are not kind. Each jompus is a wumpus. Tumpuses are not dull. Wumpuses are dull. Each wumpus is a vumpus. Sally is a yumpus.", + "original_question": "Is the following statement true or false? Sally is not dull." + }, + { + "id": "ProntoQA_279", + "question": "Every tumpus is transparent. Tumpuses are rompuses. Every rompus is fruity. Each vumpus is feisty. Each rompus is a jompus. Jompuses are hot. Jompuses are yumpuses. Every yumpus is dull. Yumpuses are dumpuses. Dumpuses are not feisty. Dumpuses are numpuses. Numpuses are brown. Numpuses are zumpuses. Each zumpus is small. Every zumpus is a wumpus. Every wumpus is not angry. Each wumpus is an impus. Wren is a tumpus.\n\nIs the following statement true or false? Wren is not feisty.", + "answer": true, + "original_context": "Every tumpus is transparent. Tumpuses are rompuses. Every rompus is fruity. Each vumpus is feisty. Each rompus is a jompus. Jompuses are hot. Jompuses are yumpuses. Every yumpus is dull. Yumpuses are dumpuses. Dumpuses are not feisty. Dumpuses are numpuses. Numpuses are brown. Numpuses are zumpuses. Each zumpus is small. Every zumpus is a wumpus. Every wumpus is not angry. Each wumpus is an impus. Wren is a tumpus.", + "original_question": "Is the following statement true or false? Wren is not feisty." + }, + { + "id": "ProntoQA_280", + "question": "Every zumpus is not amenable. Each zumpus is a yumpus. Each yumpus is liquid. Every yumpus is an impus. Every impus is not brown. Every impus is a numpus. Numpuses are small. Numpuses are vumpuses. Vumpuses are not temperate. Vumpuses are jompuses. Jompuses are dull. Every tumpus is sweet. Jompuses are dumpuses. Dumpuses are happy. Each dumpus is a wumpus. Wumpuses are not sweet. Wumpuses are rompuses. Alex is a numpus.\n\nIs the following statement true or false? Alex is sweet.", + "answer": false, + "original_context": "Every zumpus is not amenable. Each zumpus is a yumpus. Each yumpus is liquid. Every yumpus is an impus. Every impus is not brown. Every impus is a numpus. Numpuses are small. Numpuses are vumpuses. Vumpuses are not temperate. Vumpuses are jompuses. Jompuses are dull. Every tumpus is sweet. Jompuses are dumpuses. Dumpuses are happy. Each dumpus is a wumpus. Wumpuses are not sweet. Wumpuses are rompuses. Alex is a numpus.", + "original_question": "Is the following statement true or false? Alex is sweet." + }, + { + "id": "ProntoQA_281", + "question": "Zumpuses are not amenable. Each zumpus is a wumpus. Every wumpus is spicy. Each wumpus is a rompus. Every yumpus is not luminous. Each rompus is nervous. Each rompus is a tumpus. Every tumpus is not small. Every tumpus is a dumpus. Every dumpus is not hot. Dumpuses are jompuses. Every jompus is luminous. Every jompus is a vumpus. Every vumpus is floral. Each vumpus is a numpus. Stella is a wumpus.\n\nIs the following statement true or false? Stella is luminous.", + "answer": true, + "original_context": "Zumpuses are not amenable. Each zumpus is a wumpus. Every wumpus is spicy. Each wumpus is a rompus. Every yumpus is not luminous. Each rompus is nervous. Each rompus is a tumpus. Every tumpus is not small. Every tumpus is a dumpus. Every dumpus is not hot. Dumpuses are jompuses. Every jompus is luminous. Every jompus is a vumpus. Every vumpus is floral. Each vumpus is a numpus. Stella is a wumpus.", + "original_question": "Is the following statement true or false? Stella is luminous." + }, + { + "id": "ProntoQA_282", + "question": "Every dumpus is earthy. Each dumpus is a zumpus. Zumpuses are happy. Zumpuses are jompuses. Impuses are not luminous. Every jompus is brown. Each jompus is a tumpus. Every tumpus is dull. Tumpuses are rompuses. Each rompus is hot. Rompuses are numpuses. Numpuses are not transparent. Numpuses are yumpuses. Each yumpus is luminous. Yumpuses are vumpuses. Each vumpus is small. Every vumpus is a wumpus. Stella is a jompus.\n\nIs the following statement true or false? Stella is luminous.", + "answer": true, + "original_context": "Every dumpus is earthy. Each dumpus is a zumpus. Zumpuses are happy. Zumpuses are jompuses. Impuses are not luminous. Every jompus is brown. Each jompus is a tumpus. Every tumpus is dull. Tumpuses are rompuses. Each rompus is hot. Rompuses are numpuses. Numpuses are not transparent. Numpuses are yumpuses. Each yumpus is luminous. Yumpuses are vumpuses. Each vumpus is small. Every vumpus is a wumpus. Stella is a jompus.", + "original_question": "Is the following statement true or false? Stella is luminous." + }, + { + "id": "ProntoQA_283", + "question": "Wumpuses are opaque. Vumpuses are not large. Every wumpus is a rompus. Rompuses are bright. Every rompus is a numpus. Numpuses are not luminous. Every numpus is a tumpus. Every tumpus is aggressive. Tumpuses are impuses. Impuses are large. Every impus is a jompus. Jompuses are not sour. Jompuses are yumpuses. Polly is a wumpus.\n\nIs the following statement true or false? Polly is large.", + "answer": true, + "original_context": "Wumpuses are opaque. Vumpuses are not large. Every wumpus is a rompus. Rompuses are bright. Every rompus is a numpus. Numpuses are not luminous. Every numpus is a tumpus. Every tumpus is aggressive. Tumpuses are impuses. Impuses are large. Every impus is a jompus. Jompuses are not sour. Jompuses are yumpuses. Polly is a wumpus.", + "original_question": "Is the following statement true or false? Polly is large." + }, + { + "id": "ProntoQA_284", + "question": "Numpuses are transparent. Numpuses are jompuses. Every jompus is floral. Every jompus is a rompus. Wumpuses are not happy. Each rompus is dull. Rompuses are impuses. Each impus is red. Each impus is a vumpus. Vumpuses are not small. Vumpuses are dumpuses. Each dumpus is happy. Dumpuses are yumpuses. Rex is a jompus.\n\nIs the following statement true or false? Rex is happy.", + "answer": true, + "original_context": "Numpuses are transparent. Numpuses are jompuses. Every jompus is floral. Every jompus is a rompus. Wumpuses are not happy. Each rompus is dull. Rompuses are impuses. Each impus is red. Each impus is a vumpus. Vumpuses are not small. Vumpuses are dumpuses. Each dumpus is happy. Dumpuses are yumpuses. Rex is a jompus.", + "original_question": "Is the following statement true or false? Rex is happy." + }, + { + "id": "ProntoQA_285", + "question": "Yumpuses are bright. Yumpuses are rompuses. Rompuses are not shy. Rompuses are dumpuses. Each dumpus is not orange. Every impus is not cold. Each dumpus is a tumpus. Tumpuses are large. Tumpuses are zumpuses. Every zumpus is kind. Every zumpus is a wumpus. Wumpuses are cold. Wumpuses are numpuses. Numpuses are wooden. Numpuses are vumpuses. Vumpuses are not sour. Vumpuses are jompuses. Stella is a rompus.\n\nIs the following statement true or false? Stella is cold.", + "answer": true, + "original_context": "Yumpuses are bright. Yumpuses are rompuses. Rompuses are not shy. Rompuses are dumpuses. Each dumpus is not orange. Every impus is not cold. Each dumpus is a tumpus. Tumpuses are large. Tumpuses are zumpuses. Every zumpus is kind. Every zumpus is a wumpus. Wumpuses are cold. Wumpuses are numpuses. Numpuses are wooden. Numpuses are vumpuses. Vumpuses are not sour. Vumpuses are jompuses. Stella is a rompus.", + "original_question": "Is the following statement true or false? Stella is cold." + }, + { + "id": "ProntoQA_286", + "question": "Impuses are not sweet. Each impus is a numpus. Numpuses are large. Numpuses are wumpuses. Wumpuses are dull. Every wumpus is a dumpus. Dumpuses are temperate. Tumpuses are not floral. Each dumpus is a jompus. Every jompus is floral. Jompuses are yumpuses. Every yumpus is not nervous. Each yumpus is a rompus. Rompuses are liquid. Rompuses are zumpuses. Zumpuses are not opaque. Zumpuses are vumpuses. Max is an impus.\n\nIs the following statement true or false? Max is floral.", + "answer": true, + "original_context": "Impuses are not sweet. Each impus is a numpus. Numpuses are large. Numpuses are wumpuses. Wumpuses are dull. Every wumpus is a dumpus. Dumpuses are temperate. Tumpuses are not floral. Each dumpus is a jompus. Every jompus is floral. Jompuses are yumpuses. Every yumpus is not nervous. Each yumpus is a rompus. Rompuses are liquid. Rompuses are zumpuses. Zumpuses are not opaque. Zumpuses are vumpuses. Max is an impus.", + "original_question": "Is the following statement true or false? Max is floral." + }, + { + "id": "ProntoQA_287", + "question": "Every jompus is not wooden. Jompuses are dumpuses. Each dumpus is not temperate. Dumpuses are tumpuses. Each tumpus is not shy. Tumpuses are rompuses. Every rompus is earthy. Rompuses are impuses. Every impus is blue. Every impus is a zumpus. Every zumpus is sour. Every wumpus is not bright. Zumpuses are yumpuses. Yumpuses are bright. Each yumpus is a numpus. Each numpus is not transparent. Numpuses are vumpuses. Rex is a tumpus.\n\nIs the following statement true or false? Rex is bright.", + "answer": true, + "original_context": "Every jompus is not wooden. Jompuses are dumpuses. Each dumpus is not temperate. Dumpuses are tumpuses. Each tumpus is not shy. Tumpuses are rompuses. Every rompus is earthy. Rompuses are impuses. Every impus is blue. Every impus is a zumpus. Every zumpus is sour. Every wumpus is not bright. Zumpuses are yumpuses. Yumpuses are bright. Each yumpus is a numpus. Each numpus is not transparent. Numpuses are vumpuses. Rex is a tumpus.", + "original_question": "Is the following statement true or false? Rex is bright." + }, + { + "id": "ProntoQA_288", + "question": "Numpuses are not small. Rompuses are opaque. Every numpus is a dumpus. Every dumpus is hot. Dumpuses are jompuses. Each jompus is not nervous. Jompuses are wumpuses. Every wumpus is luminous. Wumpuses are tumpuses. Tumpuses are floral. Tumpuses are vumpuses. Vumpuses are bright. Each vumpus is an impus. Impuses are brown. Impuses are zumpuses. Zumpuses are not opaque. Zumpuses are yumpuses. Fae is a wumpus.\n\nIs the following statement true or false? Fae is opaque.", + "answer": false, + "original_context": "Numpuses are not small. Rompuses are opaque. Every numpus is a dumpus. Every dumpus is hot. Dumpuses are jompuses. Each jompus is not nervous. Jompuses are wumpuses. Every wumpus is luminous. Wumpuses are tumpuses. Tumpuses are floral. Tumpuses are vumpuses. Vumpuses are bright. Each vumpus is an impus. Impuses are brown. Impuses are zumpuses. Zumpuses are not opaque. Zumpuses are yumpuses. Fae is a wumpus.", + "original_question": "Is the following statement true or false? Fae is opaque." + }, + { + "id": "ProntoQA_289", + "question": "Each yumpus is transparent. Yumpuses are zumpuses. Each zumpus is not dull. Every zumpus is a jompus. Every jompus is hot. Each jompus is a dumpus. Each dumpus is not large. Every impus is amenable. Dumpuses are numpuses. Numpuses are not amenable. Every numpus is a vumpus. Each vumpus is sour. Vumpuses are wumpuses. Every wumpus is not shy. Wumpuses are tumpuses. Tumpuses are not liquid. Each tumpus is a rompus. Polly is a yumpus.\n\nIs the following statement true or false? Polly is amenable.", + "answer": false, + "original_context": "Each yumpus is transparent. Yumpuses are zumpuses. Each zumpus is not dull. Every zumpus is a jompus. Every jompus is hot. Each jompus is a dumpus. Each dumpus is not large. Every impus is amenable. Dumpuses are numpuses. Numpuses are not amenable. Every numpus is a vumpus. Each vumpus is sour. Vumpuses are wumpuses. Every wumpus is not shy. Wumpuses are tumpuses. Tumpuses are not liquid. Each tumpus is a rompus. Polly is a yumpus.", + "original_question": "Is the following statement true or false? Polly is amenable." + }, + { + "id": "ProntoQA_290", + "question": "Each wumpus is happy. Wumpuses are numpuses. Every numpus is not brown. Numpuses are tumpuses. Rompuses are not sweet. Each tumpus is amenable. Every tumpus is a jompus. Jompuses are earthy. Every jompus is a yumpus. Each yumpus is sweet. Each yumpus is a vumpus. Vumpuses are dull. Every vumpus is a zumpus. Every zumpus is hot. Every zumpus is a dumpus. Every dumpus is luminous. Dumpuses are impuses. Rex is a wumpus.\n\nIs the following statement true or false? Rex is sweet.", + "answer": true, + "original_context": "Each wumpus is happy. Wumpuses are numpuses. Every numpus is not brown. Numpuses are tumpuses. Rompuses are not sweet. Each tumpus is amenable. Every tumpus is a jompus. Jompuses are earthy. Every jompus is a yumpus. Each yumpus is sweet. Each yumpus is a vumpus. Vumpuses are dull. Every vumpus is a zumpus. Every zumpus is hot. Every zumpus is a dumpus. Every dumpus is luminous. Dumpuses are impuses. Rex is a wumpus.", + "original_question": "Is the following statement true or false? Rex is sweet." + }, + { + "id": "ProntoQA_291", + "question": "Dumpuses are dull. Each dumpus is an impus. Every impus is large. Every numpus is not luminous. Every impus is a tumpus. Tumpuses are feisty. Each tumpus is a rompus. Rompuses are not cold. Rompuses are jompuses. Each jompus is sweet. Jompuses are yumpuses. Every yumpus is not angry. Every yumpus is a vumpus. Vumpuses are luminous. Every vumpus is a zumpus. Every zumpus is red. Zumpuses are wumpuses. Stella is a tumpus.\n\nIs the following statement true or false? Stella is not luminous.", + "answer": false, + "original_context": "Dumpuses are dull. Each dumpus is an impus. Every impus is large. Every numpus is not luminous. Every impus is a tumpus. Tumpuses are feisty. Each tumpus is a rompus. Rompuses are not cold. Rompuses are jompuses. Each jompus is sweet. Jompuses are yumpuses. Every yumpus is not angry. Every yumpus is a vumpus. Vumpuses are luminous. Every vumpus is a zumpus. Every zumpus is red. Zumpuses are wumpuses. Stella is a tumpus.", + "original_question": "Is the following statement true or false? Stella is not luminous." + }, + { + "id": "ProntoQA_292", + "question": "Zumpuses are not feisty. Every zumpus is a tumpus. Tumpuses are cold. Tumpuses are wumpuses. Each wumpus is not orange. Wumpuses are numpuses. Every numpus is not earthy. Every numpus is a vumpus. Dumpuses are not transparent. Every vumpus is transparent. Vumpuses are yumpuses. Fae is a zumpus.\n\nIs the following statement true or false? Fae is transparent.", + "answer": true, + "original_context": "Zumpuses are not feisty. Every zumpus is a tumpus. Tumpuses are cold. Tumpuses are wumpuses. Each wumpus is not orange. Wumpuses are numpuses. Every numpus is not earthy. Every numpus is a vumpus. Dumpuses are not transparent. Every vumpus is transparent. Vumpuses are yumpuses. Fae is a zumpus.", + "original_question": "Is the following statement true or false? Fae is transparent." + }, + { + "id": "ProntoQA_293", + "question": "Each rompus is brown. Rompuses are dumpuses. Dumpuses are opaque. Each dumpus is a tumpus. Every tumpus is not mean. Each numpus is luminous. Every tumpus is a jompus. Every jompus is floral. Jompuses are impuses. Each impus is hot. Impuses are wumpuses. Every wumpus is dull. Wumpuses are yumpuses. Yumpuses are large. Yumpuses are vumpuses. Vumpuses are not luminous. Each vumpus is a zumpus. Sally is a jompus.\n\nIs the following statement true or false? Sally is not luminous.", + "answer": true, + "original_context": "Each rompus is brown. Rompuses are dumpuses. Dumpuses are opaque. Each dumpus is a tumpus. Every tumpus is not mean. Each numpus is luminous. Every tumpus is a jompus. Every jompus is floral. Jompuses are impuses. Each impus is hot. Impuses are wumpuses. Every wumpus is dull. Wumpuses are yumpuses. Yumpuses are large. Yumpuses are vumpuses. Vumpuses are not luminous. Each vumpus is a zumpus. Sally is a jompus.", + "original_question": "Is the following statement true or false? Sally is not luminous." + }, + { + "id": "ProntoQA_294", + "question": "Each vumpus is not brown. Vumpuses are dumpuses. Dumpuses are not small. Dumpuses are impuses. Each impus is bright. Impuses are numpuses. Each numpus is amenable. Each numpus is a rompus. Every rompus is earthy. Each jompus is not luminous. Rompuses are yumpuses. Yumpuses are shy. Yumpuses are tumpuses. Tumpuses are cold. Each tumpus is a wumpus. Each wumpus is luminous. Wumpuses are zumpuses. Polly is a numpus.\n\nIs the following statement true or false? Polly is luminous.", + "answer": true, + "original_context": "Each vumpus is not brown. Vumpuses are dumpuses. Dumpuses are not small. Dumpuses are impuses. Each impus is bright. Impuses are numpuses. Each numpus is amenable. Each numpus is a rompus. Every rompus is earthy. Each jompus is not luminous. Rompuses are yumpuses. Yumpuses are shy. Yumpuses are tumpuses. Tumpuses are cold. Each tumpus is a wumpus. Each wumpus is luminous. Wumpuses are zumpuses. Polly is a numpus.", + "original_question": "Is the following statement true or false? Polly is luminous." + }, + { + "id": "ProntoQA_295", + "question": "Yumpuses are not liquid. Every tumpus is not kind. Each tumpus is a zumpus. Each zumpus is feisty. Each zumpus is an impus. Each impus is large. Impuses are rompuses. Each rompus is not opaque. Every rompus is a jompus. Every jompus is liquid. Every jompus is a wumpus. Every wumpus is bright. Each wumpus is a numpus. Each numpus is not fruity. Numpuses are vumpuses. Sally is a tumpus.\n\nIs the following statement true or false? Sally is liquid.", + "answer": true, + "original_context": "Yumpuses are not liquid. Every tumpus is not kind. Each tumpus is a zumpus. Each zumpus is feisty. Each zumpus is an impus. Each impus is large. Impuses are rompuses. Each rompus is not opaque. Every rompus is a jompus. Every jompus is liquid. Every jompus is a wumpus. Every wumpus is bright. Each wumpus is a numpus. Each numpus is not fruity. Numpuses are vumpuses. Sally is a tumpus.", + "original_question": "Is the following statement true or false? Sally is liquid." + }, + { + "id": "ProntoQA_296", + "question": "Every numpus is mean. Each numpus is a jompus. Jompuses are bright. Jompuses are vumpuses. Vumpuses are floral. Every vumpus is a yumpus. Yumpuses are not spicy. Each yumpus is a zumpus. Each zumpus is small. Zumpuses are rompuses. Rompuses are not happy. Rompuses are wumpuses. Each dumpus is not small. Each wumpus is red. Wumpuses are tumpuses. Tumpuses are not metallic. Tumpuses are impuses. Wren is a numpus.\n\nIs the following statement true or false? Wren is small.", + "answer": true, + "original_context": "Every numpus is mean. Each numpus is a jompus. Jompuses are bright. Jompuses are vumpuses. Vumpuses are floral. Every vumpus is a yumpus. Yumpuses are not spicy. Each yumpus is a zumpus. Each zumpus is small. Zumpuses are rompuses. Rompuses are not happy. Rompuses are wumpuses. Each dumpus is not small. Each wumpus is red. Wumpuses are tumpuses. Tumpuses are not metallic. Tumpuses are impuses. Wren is a numpus.", + "original_question": "Is the following statement true or false? Wren is small." + }, + { + "id": "ProntoQA_297", + "question": "Wumpuses are transparent. Wumpuses are vumpuses. Vumpuses are mean. Vumpuses are dumpuses. Every dumpus is brown. Each dumpus is an impus. Impuses are not wooden. Rompuses are not sour. Each impus is a tumpus. Tumpuses are large. Every tumpus is a yumpus. Every yumpus is sour. Yumpuses are numpuses. Numpuses are nervous. Every numpus is a zumpus. Zumpuses are dull. Every zumpus is a jompus. Sam is a vumpus.\n\nIs the following statement true or false? Sam is sour.", + "answer": true, + "original_context": "Wumpuses are transparent. Wumpuses are vumpuses. Vumpuses are mean. Vumpuses are dumpuses. Every dumpus is brown. Each dumpus is an impus. Impuses are not wooden. Rompuses are not sour. Each impus is a tumpus. Tumpuses are large. Every tumpus is a yumpus. Every yumpus is sour. Yumpuses are numpuses. Numpuses are nervous. Every numpus is a zumpus. Zumpuses are dull. Every zumpus is a jompus. Sam is a vumpus.", + "original_question": "Is the following statement true or false? Sam is sour." + }, + { + "id": "ProntoQA_298", + "question": "Yumpuses are cold. Every yumpus is a dumpus. Every dumpus is brown. Dumpuses are zumpuses. Each zumpus is opaque. Zumpuses are tumpuses. Tumpuses are sweet. Tumpuses are numpuses. Numpuses are not floral. Each rompus is happy. Each numpus is a vumpus. Every vumpus is aggressive. Each vumpus is a jompus. Jompuses are not happy. Jompuses are impuses. Impuses are not wooden. Impuses are wumpuses. Sally is a zumpus.\n\nIs the following statement true or false? Sally is not happy.", + "answer": true, + "original_context": "Yumpuses are cold. Every yumpus is a dumpus. Every dumpus is brown. Dumpuses are zumpuses. Each zumpus is opaque. Zumpuses are tumpuses. Tumpuses are sweet. Tumpuses are numpuses. Numpuses are not floral. Each rompus is happy. Each numpus is a vumpus. Every vumpus is aggressive. Each vumpus is a jompus. Jompuses are not happy. Jompuses are impuses. Impuses are not wooden. Impuses are wumpuses. Sally is a zumpus.", + "original_question": "Is the following statement true or false? Sally is not happy." + }, + { + "id": "ProntoQA_299", + "question": "Every zumpus is luminous. Each zumpus is a numpus. Every numpus is not small. Numpuses are impuses. Every impus is bright. Impuses are vumpuses. Every vumpus is angry. Vumpuses are jompuses. Jompuses are not transparent. Jompuses are dumpuses. Dumpuses are cold. Each dumpus is a wumpus. Wumpuses are orange. Each yumpus is not cold. Every wumpus is a tumpus. Tumpuses are spicy. Tumpuses are rompuses. Polly is a numpus.\n\nIs the following statement true or false? Polly is cold.", + "answer": true, + "original_context": "Every zumpus is luminous. Each zumpus is a numpus. Every numpus is not small. Numpuses are impuses. Every impus is bright. Impuses are vumpuses. Every vumpus is angry. Vumpuses are jompuses. Jompuses are not transparent. Jompuses are dumpuses. Dumpuses are cold. Each dumpus is a wumpus. Wumpuses are orange. Each yumpus is not cold. Every wumpus is a tumpus. Tumpuses are spicy. Tumpuses are rompuses. Polly is a numpus.", + "original_question": "Is the following statement true or false? Polly is cold." + }, + { + "id": "ProntoQA_300", + "question": "Each tumpus is dull. Every tumpus is a vumpus. Vumpuses are not shy. Every vumpus is a numpus. Numpuses are not small. Each numpus is a wumpus. Each wumpus is blue. Every wumpus is a yumpus. Yumpuses are not mean. Every yumpus is a rompus. Rompuses are transparent. Rompuses are dumpuses. Every dumpus is fruity. Dumpuses are zumpuses. Zumpuses are not temperate. Impuses are temperate. Zumpuses are jompuses. Sam is a wumpus.\n\nIs the following statement true or false? Sam is temperate.", + "answer": false, + "original_context": "Each tumpus is dull. Every tumpus is a vumpus. Vumpuses are not shy. Every vumpus is a numpus. Numpuses are not small. Each numpus is a wumpus. Each wumpus is blue. Every wumpus is a yumpus. Yumpuses are not mean. Every yumpus is a rompus. Rompuses are transparent. Rompuses are dumpuses. Every dumpus is fruity. Dumpuses are zumpuses. Zumpuses are not temperate. Impuses are temperate. Zumpuses are jompuses. Sam is a wumpus.", + "original_question": "Is the following statement true or false? Sam is temperate." + }, + { + "id": "ProntoQA_301", + "question": "Each zumpus is bitter. Zumpuses are vumpuses. Every jompus is not small. Every vumpus is orange. Vumpuses are tumpuses. Tumpuses are amenable. Each tumpus is a numpus. Numpuses are shy. Numpuses are yumpuses. Yumpuses are small. Yumpuses are wumpuses. Max is a zumpus.\n\nIs the following statement true or false? Max is small.", + "answer": true, + "original_context": "Each zumpus is bitter. Zumpuses are vumpuses. Every jompus is not small. Every vumpus is orange. Vumpuses are tumpuses. Tumpuses are amenable. Each tumpus is a numpus. Numpuses are shy. Numpuses are yumpuses. Yumpuses are small. Yumpuses are wumpuses. Max is a zumpus.", + "original_question": "Is the following statement true or false? Max is small." + }, + { + "id": "ProntoQA_302", + "question": "Zumpuses are orange. Every zumpus is a wumpus. Every wumpus is metallic. Wumpuses are rompuses. Rompuses are hot. Each rompus is a dumpus. Dumpuses are floral. Dumpuses are numpuses. Numpuses are bright. Every numpus is an impus. Every impus is feisty. Every impus is a vumpus. Each vumpus is transparent. Vumpuses are yumpuses. Jompuses are large. Every yumpus is not large. Every yumpus is a tumpus. Alex is a dumpus.\n\nIs the following statement true or false? Alex is not large.", + "answer": true, + "original_context": "Zumpuses are orange. Every zumpus is a wumpus. Every wumpus is metallic. Wumpuses are rompuses. Rompuses are hot. Each rompus is a dumpus. Dumpuses are floral. Dumpuses are numpuses. Numpuses are bright. Every numpus is an impus. Every impus is feisty. Every impus is a vumpus. Each vumpus is transparent. Vumpuses are yumpuses. Jompuses are large. Every yumpus is not large. Every yumpus is a tumpus. Alex is a dumpus.", + "original_question": "Is the following statement true or false? Alex is not large." + }, + { + "id": "ProntoQA_303", + "question": "Wumpuses are wooden. Wumpuses are dumpuses. Dumpuses are brown. Dumpuses are numpuses. Numpuses are opaque. Numpuses are vumpuses. Each vumpus is sour. Vumpuses are yumpuses. Yumpuses are small. Every yumpus is a rompus. Each rompus is earthy. Rompuses are impuses. Each impus is not cold. Zumpuses are cold. Every impus is a jompus. Alex is a numpus.\n\nIs the following statement true or false? Alex is cold.", + "answer": false, + "original_context": "Wumpuses are wooden. Wumpuses are dumpuses. Dumpuses are brown. Dumpuses are numpuses. Numpuses are opaque. Numpuses are vumpuses. Each vumpus is sour. Vumpuses are yumpuses. Yumpuses are small. Every yumpus is a rompus. Each rompus is earthy. Rompuses are impuses. Each impus is not cold. Zumpuses are cold. Every impus is a jompus. Alex is a numpus.", + "original_question": "Is the following statement true or false? Alex is cold." + }, + { + "id": "ProntoQA_304", + "question": "Wumpuses are amenable. Every numpus is sweet. Each numpus is a jompus. Each jompus is not hot. Jompuses are vumpuses. Vumpuses are red. Each vumpus is a zumpus. Each zumpus is opaque. Each zumpus is an impus. Every impus is not metallic. Every impus is a yumpus. Every yumpus is large. Every yumpus is a tumpus. Tumpuses are not amenable. Tumpuses are dumpuses. Dumpuses are shy. Dumpuses are rompuses. Polly is a vumpus.\n\nIs the following statement true or false? Polly is not amenable.", + "answer": true, + "original_context": "Wumpuses are amenable. Every numpus is sweet. Each numpus is a jompus. Each jompus is not hot. Jompuses are vumpuses. Vumpuses are red. Each vumpus is a zumpus. Each zumpus is opaque. Each zumpus is an impus. Every impus is not metallic. Every impus is a yumpus. Every yumpus is large. Every yumpus is a tumpus. Tumpuses are not amenable. Tumpuses are dumpuses. Dumpuses are shy. Dumpuses are rompuses. Polly is a vumpus.", + "original_question": "Is the following statement true or false? Polly is not amenable." + }, + { + "id": "ProntoQA_305", + "question": "Every jompus is not earthy. Each rompus is transparent. Rompuses are impuses. Every impus is feisty. Every impus is a tumpus. Every tumpus is amenable. Tumpuses are vumpuses. Vumpuses are metallic. Each vumpus is a numpus. Each numpus is earthy. Every numpus is a zumpus. Alex is a rompus.\n\nIs the following statement true or false? Alex is earthy.", + "answer": true, + "original_context": "Every jompus is not earthy. Each rompus is transparent. Rompuses are impuses. Every impus is feisty. Every impus is a tumpus. Every tumpus is amenable. Tumpuses are vumpuses. Vumpuses are metallic. Each vumpus is a numpus. Each numpus is earthy. Every numpus is a zumpus. Alex is a rompus.", + "original_question": "Is the following statement true or false? Alex is earthy." + }, + { + "id": "ProntoQA_306", + "question": "Impuses are hot. Impuses are tumpuses. Each dumpus is not aggressive. Every tumpus is blue. Tumpuses are vumpuses. Every vumpus is large. Vumpuses are wumpuses. Wumpuses are sour. Every wumpus is a yumpus. Each yumpus is opaque. Each yumpus is a numpus. Numpuses are floral. Numpuses are zumpuses. Zumpuses are not bright. Each zumpus is a rompus. Each rompus is aggressive. Every rompus is a jompus. Max is a wumpus.\n\nIs the following statement true or false? Max is aggressive.", + "answer": true, + "original_context": "Impuses are hot. Impuses are tumpuses. Each dumpus is not aggressive. Every tumpus is blue. Tumpuses are vumpuses. Every vumpus is large. Vumpuses are wumpuses. Wumpuses are sour. Every wumpus is a yumpus. Each yumpus is opaque. Each yumpus is a numpus. Numpuses are floral. Numpuses are zumpuses. Zumpuses are not bright. Each zumpus is a rompus. Each rompus is aggressive. Every rompus is a jompus. Max is a wumpus.", + "original_question": "Is the following statement true or false? Max is aggressive." + }, + { + "id": "ProntoQA_307", + "question": "Vumpuses are not opaque. Vumpuses are jompuses. Each jompus is large. Jompuses are yumpuses. Every yumpus is not fruity. Each yumpus is a dumpus. Dumpuses are dull. Dumpuses are zumpuses. Each zumpus is not angry. Each zumpus is an impus. Impuses are metallic. Each impus is a tumpus. Every wumpus is not hot. Each tumpus is hot. Tumpuses are rompuses. Rompuses are not nervous. Rompuses are numpuses. Stella is a yumpus.\n\nIs the following statement true or false? Stella is not hot.", + "answer": false, + "original_context": "Vumpuses are not opaque. Vumpuses are jompuses. Each jompus is large. Jompuses are yumpuses. Every yumpus is not fruity. Each yumpus is a dumpus. Dumpuses are dull. Dumpuses are zumpuses. Each zumpus is not angry. Each zumpus is an impus. Impuses are metallic. Each impus is a tumpus. Every wumpus is not hot. Each tumpus is hot. Tumpuses are rompuses. Rompuses are not nervous. Rompuses are numpuses. Stella is a yumpus.", + "original_question": "Is the following statement true or false? Stella is not hot." + }, + { + "id": "ProntoQA_308", + "question": "Wumpuses are not liquid. Every wumpus is a zumpus. Every zumpus is not floral. Each zumpus is an impus. Impuses are bright. Each impus is a numpus. Every numpus is mean. Numpuses are jompuses. Jompuses are not orange. Each jompus is a yumpus. Each yumpus is cold. Every yumpus is a vumpus. Vumpuses are small. Vumpuses are dumpuses. Each dumpus is not transparent. Each tumpus is orange. Dumpuses are rompuses. Alex is a wumpus.\n\nIs the following statement true or false? Alex is not orange.", + "answer": true, + "original_context": "Wumpuses are not liquid. Every wumpus is a zumpus. Every zumpus is not floral. Each zumpus is an impus. Impuses are bright. Each impus is a numpus. Every numpus is mean. Numpuses are jompuses. Jompuses are not orange. Each jompus is a yumpus. Each yumpus is cold. Every yumpus is a vumpus. Vumpuses are small. Vumpuses are dumpuses. Each dumpus is not transparent. Each tumpus is orange. Dumpuses are rompuses. Alex is a wumpus.", + "original_question": "Is the following statement true or false? Alex is not orange." + }, + { + "id": "ProntoQA_309", + "question": "Zumpuses are cold. Each zumpus is a wumpus. Each wumpus is dull. Each wumpus is a vumpus. Every vumpus is kind. Each vumpus is a dumpus. Every dumpus is earthy. Dumpuses are yumpuses. Every yumpus is nervous. Each yumpus is a numpus. Each numpus is opaque. Every numpus is a tumpus. Jompuses are not large. Tumpuses are sweet. Tumpuses are rompuses. Each rompus is large. Rompuses are impuses. Wren is a dumpus.\n\nIs the following statement true or false? Wren is not large.", + "answer": false, + "original_context": "Zumpuses are cold. Each zumpus is a wumpus. Each wumpus is dull. Each wumpus is a vumpus. Every vumpus is kind. Each vumpus is a dumpus. Every dumpus is earthy. Dumpuses are yumpuses. Every yumpus is nervous. Each yumpus is a numpus. Each numpus is opaque. Every numpus is a tumpus. Jompuses are not large. Tumpuses are sweet. Tumpuses are rompuses. Each rompus is large. Rompuses are impuses. Wren is a dumpus.", + "original_question": "Is the following statement true or false? Wren is not large." + }, + { + "id": "ProntoQA_310", + "question": "Each zumpus is not angry. Zumpuses are rompuses. Each rompus is not hot. Rompuses are dumpuses. Dumpuses are happy. Dumpuses are yumpuses. Every yumpus is opaque. Each wumpus is not liquid. Yumpuses are tumpuses. Tumpuses are liquid. Tumpuses are jompuses. Sam is a zumpus.\n\nIs the following statement true or false? Sam is liquid.", + "answer": true, + "original_context": "Each zumpus is not angry. Zumpuses are rompuses. Each rompus is not hot. Rompuses are dumpuses. Dumpuses are happy. Dumpuses are yumpuses. Every yumpus is opaque. Each wumpus is not liquid. Yumpuses are tumpuses. Tumpuses are liquid. Tumpuses are jompuses. Sam is a zumpus.", + "original_question": "Is the following statement true or false? Sam is liquid." + }, + { + "id": "ProntoQA_311", + "question": "Rompuses are not cold. Rompuses are tumpuses. Tumpuses are red. Every tumpus is a zumpus. Zumpuses are not angry. Every jompus is small. Zumpuses are vumpuses. Each vumpus is not opaque. Vumpuses are yumpuses. Every yumpus is dull. Every yumpus is a numpus. Each numpus is not earthy. Every numpus is a wumpus. Wumpuses are nervous. Wumpuses are dumpuses. Each dumpus is not small. Every dumpus is an impus. Polly is a vumpus.\n\nIs the following statement true or false? Polly is not small.", + "answer": true, + "original_context": "Rompuses are not cold. Rompuses are tumpuses. Tumpuses are red. Every tumpus is a zumpus. Zumpuses are not angry. Every jompus is small. Zumpuses are vumpuses. Each vumpus is not opaque. Vumpuses are yumpuses. Every yumpus is dull. Every yumpus is a numpus. Each numpus is not earthy. Every numpus is a wumpus. Wumpuses are nervous. Wumpuses are dumpuses. Each dumpus is not small. Every dumpus is an impus. Polly is a vumpus.", + "original_question": "Is the following statement true or false? Polly is not small." + }, + { + "id": "ProntoQA_312", + "question": "Every wumpus is not small. Wumpuses are dumpuses. Every dumpus is not dull. Jompuses are aggressive. Dumpuses are impuses. Every impus is not nervous. Each impus is a zumpus. Every zumpus is luminous. Zumpuses are rompuses. Rompuses are not orange. Rompuses are tumpuses. Tumpuses are not cold. Each tumpus is a yumpus. Yumpuses are not aggressive. Every yumpus is a numpus. Numpuses are spicy. Every numpus is a vumpus. Max is an impus.\n\nIs the following statement true or false? Max is not aggressive.", + "answer": true, + "original_context": "Every wumpus is not small. Wumpuses are dumpuses. Every dumpus is not dull. Jompuses are aggressive. Dumpuses are impuses. Every impus is not nervous. Each impus is a zumpus. Every zumpus is luminous. Zumpuses are rompuses. Rompuses are not orange. Rompuses are tumpuses. Tumpuses are not cold. Each tumpus is a yumpus. Yumpuses are not aggressive. Every yumpus is a numpus. Numpuses are spicy. Every numpus is a vumpus. Max is an impus.", + "original_question": "Is the following statement true or false? Max is not aggressive." + }, + { + "id": "ProntoQA_313", + "question": "Tumpuses are not transparent. Each tumpus is a yumpus. Yumpuses are aggressive. Each yumpus is a jompus. Each jompus is liquid. Jompuses are numpuses. Every numpus is not sweet. Each numpus is a dumpus. Dumpuses are temperate. Each dumpus is a wumpus. Wumpuses are not large. Each wumpus is a zumpus. Impuses are not temperate. Every zumpus is not red. Zumpuses are rompuses. Rompuses are not shy. Rompuses are vumpuses. Stella is a tumpus.\n\nIs the following statement true or false? Stella is temperate.", + "answer": true, + "original_context": "Tumpuses are not transparent. Each tumpus is a yumpus. Yumpuses are aggressive. Each yumpus is a jompus. Each jompus is liquid. Jompuses are numpuses. Every numpus is not sweet. Each numpus is a dumpus. Dumpuses are temperate. Each dumpus is a wumpus. Wumpuses are not large. Each wumpus is a zumpus. Impuses are not temperate. Every zumpus is not red. Zumpuses are rompuses. Rompuses are not shy. Rompuses are vumpuses. Stella is a tumpus.", + "original_question": "Is the following statement true or false? Stella is temperate." + }, + { + "id": "ProntoQA_314", + "question": "Impuses are shy. Impuses are jompuses. Each jompus is red. Jompuses are rompuses. Each rompus is not hot. Rompuses are yumpuses. Each yumpus is bitter. Yumpuses are dumpuses. Dumpuses are large. Every dumpus is a numpus. Numpuses are not opaque. Each numpus is a vumpus. Vumpuses are not fruity. Vumpuses are tumpuses. Tumpuses are aggressive. Tumpuses are wumpuses. Zumpuses are opaque. Sally is a jompus.\n\nIs the following statement true or false? Sally is not opaque.", + "answer": true, + "original_context": "Impuses are shy. Impuses are jompuses. Each jompus is red. Jompuses are rompuses. Each rompus is not hot. Rompuses are yumpuses. Each yumpus is bitter. Yumpuses are dumpuses. Dumpuses are large. Every dumpus is a numpus. Numpuses are not opaque. Each numpus is a vumpus. Vumpuses are not fruity. Vumpuses are tumpuses. Tumpuses are aggressive. Tumpuses are wumpuses. Zumpuses are opaque. Sally is a jompus.", + "original_question": "Is the following statement true or false? Sally is not opaque." + }, + { + "id": "ProntoQA_315", + "question": "Wumpuses are feisty. Wumpuses are yumpuses. Each yumpus is transparent. Yumpuses are tumpuses. Tumpuses are orange. Each tumpus is an impus. Impuses are cold. Every numpus is metallic. Impuses are rompuses. Every rompus is earthy. Rompuses are dumpuses. Dumpuses are not bright. Dumpuses are jompuses. Jompuses are small. Jompuses are zumpuses. Zumpuses are not metallic. Zumpuses are vumpuses. Fae is an impus.\n\nIs the following statement true or false? Fae is not metallic.", + "answer": true, + "original_context": "Wumpuses are feisty. Wumpuses are yumpuses. Each yumpus is transparent. Yumpuses are tumpuses. Tumpuses are orange. Each tumpus is an impus. Impuses are cold. Every numpus is metallic. Impuses are rompuses. Every rompus is earthy. Rompuses are dumpuses. Dumpuses are not bright. Dumpuses are jompuses. Jompuses are small. Jompuses are zumpuses. Zumpuses are not metallic. Zumpuses are vumpuses. Fae is an impus.", + "original_question": "Is the following statement true or false? Fae is not metallic." + }, + { + "id": "ProntoQA_316", + "question": "Tumpuses are not sweet. Numpuses are not dull. Tumpuses are jompuses. Each jompus is not aggressive. Every jompus is a rompus. Rompuses are opaque. Every rompus is a yumpus. Each yumpus is not happy. Yumpuses are dumpuses. Each dumpus is red. Each dumpus is an impus. Impuses are dull. Every impus is a zumpus. Zumpuses are cold. Zumpuses are vumpuses. Every vumpus is fruity. Each vumpus is a wumpus. Alex is a jompus.\n\nIs the following statement true or false? Alex is not dull.", + "answer": false, + "original_context": "Tumpuses are not sweet. Numpuses are not dull. Tumpuses are jompuses. Each jompus is not aggressive. Every jompus is a rompus. Rompuses are opaque. Every rompus is a yumpus. Each yumpus is not happy. Yumpuses are dumpuses. Each dumpus is red. Each dumpus is an impus. Impuses are dull. Every impus is a zumpus. Zumpuses are cold. Zumpuses are vumpuses. Every vumpus is fruity. Each vumpus is a wumpus. Alex is a jompus.", + "original_question": "Is the following statement true or false? Alex is not dull." + }, + { + "id": "ProntoQA_317", + "question": "Each jompus is fruity. Jompuses are wumpuses. Each tumpus is red. Every wumpus is small. Wumpuses are zumpuses. Zumpuses are shy. Zumpuses are rompuses. Rompuses are sour. Every rompus is a numpus. Every numpus is opaque. Numpuses are impuses. Every impus is aggressive. Impuses are vumpuses. Each vumpus is not red. Each vumpus is a yumpus. Every yumpus is not liquid. Yumpuses are dumpuses. Stella is a zumpus.\n\nIs the following statement true or false? Stella is not red.", + "answer": true, + "original_context": "Each jompus is fruity. Jompuses are wumpuses. Each tumpus is red. Every wumpus is small. Wumpuses are zumpuses. Zumpuses are shy. Zumpuses are rompuses. Rompuses are sour. Every rompus is a numpus. Every numpus is opaque. Numpuses are impuses. Every impus is aggressive. Impuses are vumpuses. Each vumpus is not red. Each vumpus is a yumpus. Every yumpus is not liquid. Yumpuses are dumpuses. Stella is a zumpus.", + "original_question": "Is the following statement true or false? Stella is not red." + }, + { + "id": "ProntoQA_318", + "question": "Each impus is not temperate. Impuses are rompuses. Rompuses are kind. Rompuses are zumpuses. Each zumpus is metallic. Zumpuses are yumpuses. Each yumpus is not small. Each yumpus is a tumpus. Every tumpus is earthy. Every tumpus is a vumpus. Each vumpus is spicy. Every jompus is not spicy. Every vumpus is a numpus. Numpuses are shy. Numpuses are wumpuses. Every wumpus is not orange. Wumpuses are dumpuses. Max is a rompus.\n\nIs the following statement true or false? Max is spicy.", + "answer": true, + "original_context": "Each impus is not temperate. Impuses are rompuses. Rompuses are kind. Rompuses are zumpuses. Each zumpus is metallic. Zumpuses are yumpuses. Each yumpus is not small. Each yumpus is a tumpus. Every tumpus is earthy. Every tumpus is a vumpus. Each vumpus is spicy. Every jompus is not spicy. Every vumpus is a numpus. Numpuses are shy. Numpuses are wumpuses. Every wumpus is not orange. Wumpuses are dumpuses. Max is a rompus.", + "original_question": "Is the following statement true or false? Max is spicy." + }, + { + "id": "ProntoQA_319", + "question": "Each numpus is not orange. Numpuses are dumpuses. Wumpuses are temperate. Dumpuses are small. Dumpuses are vumpuses. Vumpuses are not kind. Vumpuses are jompuses. Jompuses are earthy. Jompuses are impuses. Every impus is not bright. Impuses are zumpuses. Zumpuses are not nervous. Zumpuses are rompuses. Rompuses are transparent. Every rompus is a tumpus. Each tumpus is not temperate. Tumpuses are yumpuses. Wren is a jompus.\n\nIs the following statement true or false? Wren is not temperate.", + "answer": true, + "original_context": "Each numpus is not orange. Numpuses are dumpuses. Wumpuses are temperate. Dumpuses are small. Dumpuses are vumpuses. Vumpuses are not kind. Vumpuses are jompuses. Jompuses are earthy. Jompuses are impuses. Every impus is not bright. Impuses are zumpuses. Zumpuses are not nervous. Zumpuses are rompuses. Rompuses are transparent. Every rompus is a tumpus. Each tumpus is not temperate. Tumpuses are yumpuses. Wren is a jompus.", + "original_question": "Is the following statement true or false? Wren is not temperate." + }, + { + "id": "ProntoQA_320", + "question": "Jompuses are floral. Jompuses are zumpuses. Each zumpus is bitter. Each zumpus is a numpus. Each numpus is bright. Each numpus is a yumpus. Each yumpus is metallic. Each yumpus is an impus. Impuses are shy. Each impus is a rompus. Rompuses are not cold. Each rompus is a wumpus. Wumpuses are brown. Each wumpus is a dumpus. Dumpuses are kind. Tumpuses are not shy. Each dumpus is a vumpus. Sam is a jompus.\n\nIs the following statement true or false? Sam is not shy.", + "answer": false, + "original_context": "Jompuses are floral. Jompuses are zumpuses. Each zumpus is bitter. Each zumpus is a numpus. Each numpus is bright. Each numpus is a yumpus. Each yumpus is metallic. Each yumpus is an impus. Impuses are shy. Each impus is a rompus. Rompuses are not cold. Each rompus is a wumpus. Wumpuses are brown. Each wumpus is a dumpus. Dumpuses are kind. Tumpuses are not shy. Each dumpus is a vumpus. Sam is a jompus.", + "original_question": "Is the following statement true or false? Sam is not shy." + }, + { + "id": "ProntoQA_321", + "question": "Rompuses are large. Rompuses are wumpuses. Tumpuses are temperate. Wumpuses are shy. Every wumpus is a numpus. Each numpus is earthy. Numpuses are impuses. Impuses are dull. Impuses are vumpuses. Each vumpus is metallic. Vumpuses are dumpuses. Each dumpus is sweet. Every dumpus is a yumpus. Each yumpus is amenable. Each yumpus is a jompus. Each jompus is not temperate. Each jompus is a zumpus. Sally is an impus.\n\nIs the following statement true or false? Sally is not temperate.", + "answer": true, + "original_context": "Rompuses are large. Rompuses are wumpuses. Tumpuses are temperate. Wumpuses are shy. Every wumpus is a numpus. Each numpus is earthy. Numpuses are impuses. Impuses are dull. Impuses are vumpuses. Each vumpus is metallic. Vumpuses are dumpuses. Each dumpus is sweet. Every dumpus is a yumpus. Each yumpus is amenable. Each yumpus is a jompus. Each jompus is not temperate. Each jompus is a zumpus. Sally is an impus.", + "original_question": "Is the following statement true or false? Sally is not temperate." + }, + { + "id": "ProntoQA_322", + "question": "Every tumpus is not floral. Tumpuses are rompuses. Rompuses are spicy. Rompuses are numpuses. Numpuses are not hot. Every numpus is a jompus. Every jompus is not blue. Every jompus is an impus. Each impus is dull. Impuses are wumpuses. Each wumpus is opaque. Every vumpus is not opaque. Each wumpus is a zumpus. Zumpuses are not amenable. Every zumpus is a dumpus. Each dumpus is shy. Dumpuses are yumpuses. Alex is a rompus.\n\nIs the following statement true or false? Alex is not opaque.", + "answer": false, + "original_context": "Every tumpus is not floral. Tumpuses are rompuses. Rompuses are spicy. Rompuses are numpuses. Numpuses are not hot. Every numpus is a jompus. Every jompus is not blue. Every jompus is an impus. Each impus is dull. Impuses are wumpuses. Each wumpus is opaque. Every vumpus is not opaque. Each wumpus is a zumpus. Zumpuses are not amenable. Every zumpus is a dumpus. Each dumpus is shy. Dumpuses are yumpuses. Alex is a rompus.", + "original_question": "Is the following statement true or false? Alex is not opaque." + }, + { + "id": "ProntoQA_323", + "question": "Dumpuses are shy. Dumpuses are impuses. Impuses are fruity. Each numpus is not amenable. Every impus is a tumpus. Tumpuses are bright. Tumpuses are wumpuses. Every wumpus is brown. Wumpuses are yumpuses. Yumpuses are amenable. Yumpuses are vumpuses. Wren is a dumpus.\n\nIs the following statement true or false? Wren is not amenable.", + "answer": false, + "original_context": "Dumpuses are shy. Dumpuses are impuses. Impuses are fruity. Each numpus is not amenable. Every impus is a tumpus. Tumpuses are bright. Tumpuses are wumpuses. Every wumpus is brown. Wumpuses are yumpuses. Yumpuses are amenable. Yumpuses are vumpuses. Wren is a dumpus.", + "original_question": "Is the following statement true or false? Wren is not amenable." + }, + { + "id": "ProntoQA_324", + "question": "Each zumpus is liquid. Wumpuses are red. Every zumpus is a yumpus. Every yumpus is kind. Yumpuses are rompuses. Rompuses are temperate. Rompuses are dumpuses. Dumpuses are sour. Each dumpus is a tumpus. Each tumpus is bright. Each tumpus is a jompus. Jompuses are not red. Jompuses are impuses. Each impus is large. Impuses are vumpuses. Each vumpus is floral. Vumpuses are numpuses. Alex is a yumpus.\n\nIs the following statement true or false? Alex is not red.", + "answer": true, + "original_context": "Each zumpus is liquid. Wumpuses are red. Every zumpus is a yumpus. Every yumpus is kind. Yumpuses are rompuses. Rompuses are temperate. Rompuses are dumpuses. Dumpuses are sour. Each dumpus is a tumpus. Each tumpus is bright. Each tumpus is a jompus. Jompuses are not red. Jompuses are impuses. Each impus is large. Impuses are vumpuses. Each vumpus is floral. Vumpuses are numpuses. Alex is a yumpus.", + "original_question": "Is the following statement true or false? Alex is not red." + }, + { + "id": "ProntoQA_325", + "question": "Wumpuses are not mean. Wumpuses are rompuses. Each numpus is wooden. Rompuses are sour. Rompuses are yumpuses. Every yumpus is not opaque. Yumpuses are dumpuses. Dumpuses are temperate. Dumpuses are zumpuses. Every zumpus is not brown. Every zumpus is a tumpus. Tumpuses are not earthy. Tumpuses are impuses. Impuses are not wooden. Impuses are jompuses. Jompuses are not happy. Jompuses are vumpuses. Wren is a yumpus.\n\nIs the following statement true or false? Wren is not wooden.", + "answer": true, + "original_context": "Wumpuses are not mean. Wumpuses are rompuses. Each numpus is wooden. Rompuses are sour. Rompuses are yumpuses. Every yumpus is not opaque. Yumpuses are dumpuses. Dumpuses are temperate. Dumpuses are zumpuses. Every zumpus is not brown. Every zumpus is a tumpus. Tumpuses are not earthy. Tumpuses are impuses. Impuses are not wooden. Impuses are jompuses. Jompuses are not happy. Jompuses are vumpuses. Wren is a yumpus.", + "original_question": "Is the following statement true or false? Wren is not wooden." + }, + { + "id": "ProntoQA_326", + "question": "Every vumpus is not fruity. Vumpuses are yumpuses. Yumpuses are not orange. Yumpuses are jompuses. Wumpuses are not transparent. Jompuses are wooden. Jompuses are impuses. Impuses are happy. Every impus is a zumpus. Zumpuses are transparent. Zumpuses are dumpuses. Each dumpus is bright. Every dumpus is a rompus. Every rompus is sour. Rompuses are numpuses. Numpuses are hot. Numpuses are tumpuses. Alex is a vumpus.\n\nIs the following statement true or false? Alex is transparent.", + "answer": true, + "original_context": "Every vumpus is not fruity. Vumpuses are yumpuses. Yumpuses are not orange. Yumpuses are jompuses. Wumpuses are not transparent. Jompuses are wooden. Jompuses are impuses. Impuses are happy. Every impus is a zumpus. Zumpuses are transparent. Zumpuses are dumpuses. Each dumpus is bright. Every dumpus is a rompus. Every rompus is sour. Rompuses are numpuses. Numpuses are hot. Numpuses are tumpuses. Alex is a vumpus.", + "original_question": "Is the following statement true or false? Alex is transparent." + }, + { + "id": "ProntoQA_327", + "question": "Each yumpus is not blue. Yumpuses are rompuses. Rompuses are not large. Every rompus is a wumpus. Each wumpus is not mean. Impuses are happy. Each wumpus is a vumpus. Each vumpus is opaque. Vumpuses are jompuses. Jompuses are earthy. Jompuses are dumpuses. Each dumpus is cold. Each dumpus is a zumpus. Zumpuses are not happy. Each zumpus is a tumpus. Each tumpus is bright. Each tumpus is a numpus. Rex is a wumpus.\n\nIs the following statement true or false? Rex is not happy.", + "answer": true, + "original_context": "Each yumpus is not blue. Yumpuses are rompuses. Rompuses are not large. Every rompus is a wumpus. Each wumpus is not mean. Impuses are happy. Each wumpus is a vumpus. Each vumpus is opaque. Vumpuses are jompuses. Jompuses are earthy. Jompuses are dumpuses. Each dumpus is cold. Each dumpus is a zumpus. Zumpuses are not happy. Each zumpus is a tumpus. Each tumpus is bright. Each tumpus is a numpus. Rex is a wumpus.", + "original_question": "Is the following statement true or false? Rex is not happy." + }, + { + "id": "ProntoQA_328", + "question": "Wumpuses are large. Wumpuses are numpuses. Every numpus is metallic. Numpuses are yumpuses. Every yumpus is bright. Every yumpus is a jompus. Jompuses are not bitter. Jompuses are zumpuses. Every zumpus is transparent. Zumpuses are rompuses. Each rompus is earthy. Rompuses are impuses. Each impus is kind. Every impus is a dumpus. Dumpuses are not hot. Dumpuses are vumpuses. Each tumpus is not transparent. Wren is a wumpus.\n\nIs the following statement true or false? Wren is transparent.", + "answer": true, + "original_context": "Wumpuses are large. Wumpuses are numpuses. Every numpus is metallic. Numpuses are yumpuses. Every yumpus is bright. Every yumpus is a jompus. Jompuses are not bitter. Jompuses are zumpuses. Every zumpus is transparent. Zumpuses are rompuses. Each rompus is earthy. Rompuses are impuses. Each impus is kind. Every impus is a dumpus. Dumpuses are not hot. Dumpuses are vumpuses. Each tumpus is not transparent. Wren is a wumpus.", + "original_question": "Is the following statement true or false? Wren is transparent." + }, + { + "id": "ProntoQA_329", + "question": "Each tumpus is opaque. Each tumpus is a dumpus. Each dumpus is earthy. Dumpuses are zumpuses. Zumpuses are aggressive. Zumpuses are impuses. Each impus is luminous. Impuses are numpuses. Each numpus is not brown. Every numpus is a jompus. Every jompus is bitter. Jompuses are wumpuses. Every rompus is not bitter. Wumpuses are large. Wumpuses are vumpuses. Every vumpus is not happy. Every vumpus is a yumpus. Polly is a dumpus.\n\nIs the following statement true or false? Polly is not bitter.", + "answer": false, + "original_context": "Each tumpus is opaque. Each tumpus is a dumpus. Each dumpus is earthy. Dumpuses are zumpuses. Zumpuses are aggressive. Zumpuses are impuses. Each impus is luminous. Impuses are numpuses. Each numpus is not brown. Every numpus is a jompus. Every jompus is bitter. Jompuses are wumpuses. Every rompus is not bitter. Wumpuses are large. Wumpuses are vumpuses. Every vumpus is not happy. Every vumpus is a yumpus. Polly is a dumpus.", + "original_question": "Is the following statement true or false? Polly is not bitter." + }, + { + "id": "ProntoQA_330", + "question": "Numpuses are bright. Each numpus is a dumpus. Dumpuses are liquid. Every dumpus is a zumpus. Zumpuses are not small. Every zumpus is a jompus. Each jompus is nervous. Each yumpus is earthy. Jompuses are vumpuses. Vumpuses are not earthy. Each vumpus is an impus. Impuses are not sweet. Impuses are rompuses. Every rompus is amenable. Rompuses are tumpuses. Tumpuses are opaque. Tumpuses are wumpuses. Rex is a numpus.\n\nIs the following statement true or false? Rex is not earthy.", + "answer": true, + "original_context": "Numpuses are bright. Each numpus is a dumpus. Dumpuses are liquid. Every dumpus is a zumpus. Zumpuses are not small. Every zumpus is a jompus. Each jompus is nervous. Each yumpus is earthy. Jompuses are vumpuses. Vumpuses are not earthy. Each vumpus is an impus. Impuses are not sweet. Impuses are rompuses. Every rompus is amenable. Rompuses are tumpuses. Tumpuses are opaque. Tumpuses are wumpuses. Rex is a numpus.", + "original_question": "Is the following statement true or false? Rex is not earthy." + }, + { + "id": "ProntoQA_331", + "question": "Each vumpus is not bright. Each vumpus is a numpus. Wumpuses are small. Each numpus is not opaque. Numpuses are rompuses. Rompuses are not sweet. Rompuses are yumpuses. Each yumpus is liquid. Each yumpus is a jompus. Each jompus is shy. Each jompus is a zumpus. Zumpuses are not brown. Zumpuses are impuses. Impuses are not fruity. Impuses are dumpuses. Dumpuses are not small. Every dumpus is a tumpus. Sam is a yumpus.\n\nIs the following statement true or false? Sam is small.", + "answer": false, + "original_context": "Each vumpus is not bright. Each vumpus is a numpus. Wumpuses are small. Each numpus is not opaque. Numpuses are rompuses. Rompuses are not sweet. Rompuses are yumpuses. Each yumpus is liquid. Each yumpus is a jompus. Each jompus is shy. Each jompus is a zumpus. Zumpuses are not brown. Zumpuses are impuses. Impuses are not fruity. Impuses are dumpuses. Dumpuses are not small. Every dumpus is a tumpus. Sam is a yumpus.", + "original_question": "Is the following statement true or false? Sam is small." + }, + { + "id": "ProntoQA_332", + "question": "Each tumpus is luminous. Each tumpus is a rompus. Rompuses are not small. Rompuses are dumpuses. Each dumpus is fruity. Every dumpus is a numpus. Numpuses are red. Numpuses are vumpuses. Each vumpus is dull. Each vumpus is an impus. Impuses are bitter. Each impus is a wumpus. Each wumpus is not kind. Each jompus is kind. Wumpuses are yumpuses. Yumpuses are happy. Yumpuses are zumpuses. Max is a dumpus.\n\nIs the following statement true or false? Max is not kind.", + "answer": true, + "original_context": "Each tumpus is luminous. Each tumpus is a rompus. Rompuses are not small. Rompuses are dumpuses. Each dumpus is fruity. Every dumpus is a numpus. Numpuses are red. Numpuses are vumpuses. Each vumpus is dull. Each vumpus is an impus. Impuses are bitter. Each impus is a wumpus. Each wumpus is not kind. Each jompus is kind. Wumpuses are yumpuses. Yumpuses are happy. Yumpuses are zumpuses. Max is a dumpus.", + "original_question": "Is the following statement true or false? Max is not kind." + }, + { + "id": "ProntoQA_333", + "question": "Dumpuses are transparent. Dumpuses are impuses. Impuses are not brown. Every impus is a rompus. Rompuses are floral. Rompuses are yumpuses. Yumpuses are happy. Yumpuses are jompuses. Every jompus is not temperate. Jompuses are numpuses. Every numpus is dull. Each numpus is a wumpus. Every wumpus is large. Wumpuses are tumpuses. Each tumpus is kind. Vumpuses are temperate. Each tumpus is a zumpus. Stella is a dumpus.\n\nIs the following statement true or false? Stella is not temperate.", + "answer": true, + "original_context": "Dumpuses are transparent. Dumpuses are impuses. Impuses are not brown. Every impus is a rompus. Rompuses are floral. Rompuses are yumpuses. Yumpuses are happy. Yumpuses are jompuses. Every jompus is not temperate. Jompuses are numpuses. Every numpus is dull. Each numpus is a wumpus. Every wumpus is large. Wumpuses are tumpuses. Each tumpus is kind. Vumpuses are temperate. Each tumpus is a zumpus. Stella is a dumpus.", + "original_question": "Is the following statement true or false? Stella is not temperate." + }, + { + "id": "ProntoQA_334", + "question": "Dumpuses are spicy. Dumpuses are zumpuses. Each zumpus is feisty. Every zumpus is a tumpus. Tumpuses are bright. Each tumpus is a wumpus. Every wumpus is not orange. Wumpuses are impuses. Numpuses are not transparent. Every impus is aggressive. Each impus is a jompus. Jompuses are fruity. Jompuses are rompuses. Rompuses are small. Rompuses are yumpuses. Yumpuses are transparent. Every yumpus is a vumpus. Sally is a wumpus.\n\nIs the following statement true or false? Sally is transparent.", + "answer": true, + "original_context": "Dumpuses are spicy. Dumpuses are zumpuses. Each zumpus is feisty. Every zumpus is a tumpus. Tumpuses are bright. Each tumpus is a wumpus. Every wumpus is not orange. Wumpuses are impuses. Numpuses are not transparent. Every impus is aggressive. Each impus is a jompus. Jompuses are fruity. Jompuses are rompuses. Rompuses are small. Rompuses are yumpuses. Yumpuses are transparent. Every yumpus is a vumpus. Sally is a wumpus.", + "original_question": "Is the following statement true or false? Sally is transparent." + }, + { + "id": "ProntoQA_335", + "question": "Dumpuses are not hot. Every dumpus is an impus. Every impus is fruity. Every impus is a jompus. Jompuses are brown. Each jompus is a wumpus. Each wumpus is nervous. Each wumpus is a numpus. Each numpus is opaque. Numpuses are yumpuses. Each rompus is large. Yumpuses are bitter. Yumpuses are vumpuses. Each vumpus is wooden. Vumpuses are tumpuses. Each tumpus is not large. Every tumpus is a zumpus. Polly is a wumpus.\n\nIs the following statement true or false? Polly is not large.", + "answer": true, + "original_context": "Dumpuses are not hot. Every dumpus is an impus. Every impus is fruity. Every impus is a jompus. Jompuses are brown. Each jompus is a wumpus. Each wumpus is nervous. Each wumpus is a numpus. Each numpus is opaque. Numpuses are yumpuses. Each rompus is large. Yumpuses are bitter. Yumpuses are vumpuses. Each vumpus is wooden. Vumpuses are tumpuses. Each tumpus is not large. Every tumpus is a zumpus. Polly is a wumpus.", + "original_question": "Is the following statement true or false? Polly is not large." + }, + { + "id": "ProntoQA_336", + "question": "Every rompus is temperate. Rompuses are zumpuses. Zumpuses are shy. Each zumpus is a wumpus. Wumpuses are bright. Numpuses are opaque. Wumpuses are impuses. Each impus is not large. Impuses are jompuses. Jompuses are kind. Each jompus is a tumpus. Tumpuses are not opaque. Every tumpus is a dumpus. Max is a zumpus.\n\nIs the following statement true or false? Max is opaque.", + "answer": false, + "original_context": "Every rompus is temperate. Rompuses are zumpuses. Zumpuses are shy. Each zumpus is a wumpus. Wumpuses are bright. Numpuses are opaque. Wumpuses are impuses. Each impus is not large. Impuses are jompuses. Jompuses are kind. Each jompus is a tumpus. Tumpuses are not opaque. Every tumpus is a dumpus. Max is a zumpus.", + "original_question": "Is the following statement true or false? Max is opaque." + }, + { + "id": "ProntoQA_337", + "question": "Dumpuses are small. Every dumpus is a vumpus. Each wumpus is spicy. Every vumpus is mean. Each vumpus is a yumpus. Every yumpus is fruity. Yumpuses are numpuses. Numpuses are transparent. Numpuses are jompuses. Each jompus is not spicy. Jompuses are impuses. Polly is a dumpus.\n\nIs the following statement true or false? Polly is spicy.", + "answer": false, + "original_context": "Dumpuses are small. Every dumpus is a vumpus. Each wumpus is spicy. Every vumpus is mean. Each vumpus is a yumpus. Every yumpus is fruity. Yumpuses are numpuses. Numpuses are transparent. Numpuses are jompuses. Each jompus is not spicy. Jompuses are impuses. Polly is a dumpus.", + "original_question": "Is the following statement true or false? Polly is spicy." + }, + { + "id": "ProntoQA_338", + "question": "Each jompus is temperate. Jompuses are zumpuses. Zumpuses are dull. Zumpuses are vumpuses. Every vumpus is not kind. Vumpuses are rompuses. Rompuses are brown. Rompuses are tumpuses. Tumpuses are fruity. Tumpuses are wumpuses. Wumpuses are not large. Each wumpus is a yumpus. Yumpuses are wooden. Yumpuses are dumpuses. Dumpuses are spicy. Each dumpus is an impus. Each numpus is not fruity. Stella is a jompus.\n\nIs the following statement true or false? Stella is not fruity.", + "answer": false, + "original_context": "Each jompus is temperate. Jompuses are zumpuses. Zumpuses are dull. Zumpuses are vumpuses. Every vumpus is not kind. Vumpuses are rompuses. Rompuses are brown. Rompuses are tumpuses. Tumpuses are fruity. Tumpuses are wumpuses. Wumpuses are not large. Each wumpus is a yumpus. Yumpuses are wooden. Yumpuses are dumpuses. Dumpuses are spicy. Each dumpus is an impus. Each numpus is not fruity. Stella is a jompus.", + "original_question": "Is the following statement true or false? Stella is not fruity." + }, + { + "id": "ProntoQA_339", + "question": "Yumpuses are sweet. Every yumpus is a jompus. Jompuses are brown. Jompuses are wumpuses. Wumpuses are bright. Wumpuses are numpuses. Each numpus is kind. Numpuses are impuses. Each impus is nervous. Impuses are zumpuses. Each zumpus is cold. Zumpuses are vumpuses. Vumpuses are liquid. Every rompus is not transparent. Vumpuses are tumpuses. Tumpuses are transparent. Tumpuses are dumpuses. Max is a numpus.\n\nIs the following statement true or false? Max is transparent.", + "answer": true, + "original_context": "Yumpuses are sweet. Every yumpus is a jompus. Jompuses are brown. Jompuses are wumpuses. Wumpuses are bright. Wumpuses are numpuses. Each numpus is kind. Numpuses are impuses. Each impus is nervous. Impuses are zumpuses. Each zumpus is cold. Zumpuses are vumpuses. Vumpuses are liquid. Every rompus is not transparent. Vumpuses are tumpuses. Tumpuses are transparent. Tumpuses are dumpuses. Max is a numpus.", + "original_question": "Is the following statement true or false? Max is transparent." + }, + { + "id": "ProntoQA_340", + "question": "Rompuses are brown. Rompuses are zumpuses. Zumpuses are temperate. Zumpuses are dumpuses. Dumpuses are angry. Dumpuses are yumpuses. Every yumpus is small. Yumpuses are numpuses. Numpuses are opaque. Numpuses are vumpuses. Vumpuses are bitter. Vumpuses are jompuses. Jompuses are feisty. Each jompus is an impus. Impuses are luminous. Every tumpus is not feisty. Each impus is a wumpus. Wren is a dumpus.\n\nIs the following statement true or false? Wren is feisty.", + "answer": true, + "original_context": "Rompuses are brown. Rompuses are zumpuses. Zumpuses are temperate. Zumpuses are dumpuses. Dumpuses are angry. Dumpuses are yumpuses. Every yumpus is small. Yumpuses are numpuses. Numpuses are opaque. Numpuses are vumpuses. Vumpuses are bitter. Vumpuses are jompuses. Jompuses are feisty. Each jompus is an impus. Impuses are luminous. Every tumpus is not feisty. Each impus is a wumpus. Wren is a dumpus.", + "original_question": "Is the following statement true or false? Wren is feisty." + }, + { + "id": "ProntoQA_341", + "question": "Vumpuses are blue. Vumpuses are numpuses. Each numpus is small. Every numpus is a tumpus. Tumpuses are dull. Tumpuses are impuses. Every rompus is not temperate. Every impus is sour. Impuses are jompuses. Jompuses are temperate. Jompuses are wumpuses. Wumpuses are angry. Wumpuses are yumpuses. Every yumpus is shy. Every yumpus is a zumpus. Zumpuses are liquid. Zumpuses are dumpuses. Polly is a vumpus.\n\nIs the following statement true or false? Polly is not temperate.", + "answer": false, + "original_context": "Vumpuses are blue. Vumpuses are numpuses. Each numpus is small. Every numpus is a tumpus. Tumpuses are dull. Tumpuses are impuses. Every rompus is not temperate. Every impus is sour. Impuses are jompuses. Jompuses are temperate. Jompuses are wumpuses. Wumpuses are angry. Wumpuses are yumpuses. Every yumpus is shy. Every yumpus is a zumpus. Zumpuses are liquid. Zumpuses are dumpuses. Polly is a vumpus.", + "original_question": "Is the following statement true or false? Polly is not temperate." + }, + { + "id": "ProntoQA_342", + "question": "Impuses are shy. Each impus is a rompus. Every rompus is fruity. Every rompus is a yumpus. Every yumpus is brown. Yumpuses are numpuses. Numpuses are liquid. Each numpus is a tumpus. Each tumpus is angry. Every tumpus is a dumpus. Dumpuses are not temperate. Each dumpus is a vumpus. Vumpuses are bright. Vumpuses are zumpuses. Zumpuses are not large. Every jompus is temperate. Each zumpus is a wumpus. Polly is a rompus.\n\nIs the following statement true or false? Polly is temperate.", + "answer": false, + "original_context": "Impuses are shy. Each impus is a rompus. Every rompus is fruity. Every rompus is a yumpus. Every yumpus is brown. Yumpuses are numpuses. Numpuses are liquid. Each numpus is a tumpus. Each tumpus is angry. Every tumpus is a dumpus. Dumpuses are not temperate. Each dumpus is a vumpus. Vumpuses are bright. Vumpuses are zumpuses. Zumpuses are not large. Every jompus is temperate. Each zumpus is a wumpus. Polly is a rompus.", + "original_question": "Is the following statement true or false? Polly is temperate." + }, + { + "id": "ProntoQA_343", + "question": "Rompuses are amenable. Every rompus is a tumpus. Tumpuses are not cold. Each tumpus is a zumpus. Zumpuses are nervous. Each zumpus is a numpus. Each numpus is opaque. Numpuses are yumpuses. Each yumpus is sour. Yumpuses are jompuses. Jompuses are luminous. Every jompus is a vumpus. Each wumpus is not sour. Polly is a rompus.\n\nIs the following statement true or false? Polly is not sour.", + "answer": false, + "original_context": "Rompuses are amenable. Every rompus is a tumpus. Tumpuses are not cold. Each tumpus is a zumpus. Zumpuses are nervous. Each zumpus is a numpus. Each numpus is opaque. Numpuses are yumpuses. Each yumpus is sour. Yumpuses are jompuses. Jompuses are luminous. Every jompus is a vumpus. Each wumpus is not sour. Polly is a rompus.", + "original_question": "Is the following statement true or false? Polly is not sour." + }, + { + "id": "ProntoQA_344", + "question": "Vumpuses are bitter. Every vumpus is a wumpus. Wumpuses are orange. Each wumpus is a yumpus. Each yumpus is large. Tumpuses are temperate. Yumpuses are numpuses. Numpuses are not dull. Numpuses are zumpuses. Each zumpus is not temperate. Zumpuses are impuses. Stella is a vumpus.\n\nIs the following statement true or false? Stella is temperate.", + "answer": false, + "original_context": "Vumpuses are bitter. Every vumpus is a wumpus. Wumpuses are orange. Each wumpus is a yumpus. Each yumpus is large. Tumpuses are temperate. Yumpuses are numpuses. Numpuses are not dull. Numpuses are zumpuses. Each zumpus is not temperate. Zumpuses are impuses. Stella is a vumpus.", + "original_question": "Is the following statement true or false? Stella is temperate." + }, + { + "id": "ProntoQA_345", + "question": "Every zumpus is not feisty. Each zumpus is a dumpus. Every dumpus is angry. Vumpuses are not small. Dumpuses are wumpuses. Each wumpus is not dull. Each wumpus is a numpus. Numpuses are fruity. Numpuses are impuses. Impuses are small. Each impus is a rompus. Every rompus is not opaque. Each rompus is a tumpus. Each tumpus is metallic. Tumpuses are yumpuses. Each yumpus is red. Yumpuses are jompuses. Rex is a zumpus.\n\nIs the following statement true or false? Rex is not small.", + "answer": false, + "original_context": "Every zumpus is not feisty. Each zumpus is a dumpus. Every dumpus is angry. Vumpuses are not small. Dumpuses are wumpuses. Each wumpus is not dull. Each wumpus is a numpus. Numpuses are fruity. Numpuses are impuses. Impuses are small. Each impus is a rompus. Every rompus is not opaque. Each rompus is a tumpus. Each tumpus is metallic. Tumpuses are yumpuses. Each yumpus is red. Yumpuses are jompuses. Rex is a zumpus.", + "original_question": "Is the following statement true or false? Rex is not small." + }, + { + "id": "ProntoQA_346", + "question": "Every wumpus is fruity. Wumpuses are jompuses. Jompuses are not transparent. Each jompus is a vumpus. Every vumpus is cold. Each vumpus is a yumpus. Numpuses are not bright. Yumpuses are angry. Yumpuses are zumpuses. Zumpuses are brown. Zumpuses are impuses. Each impus is not wooden. Impuses are rompuses. Each rompus is large. Every rompus is a dumpus. Dumpuses are bright. Each dumpus is a tumpus. Sam is a yumpus.\n\nIs the following statement true or false? Sam is not bright.", + "answer": false, + "original_context": "Every wumpus is fruity. Wumpuses are jompuses. Jompuses are not transparent. Each jompus is a vumpus. Every vumpus is cold. Each vumpus is a yumpus. Numpuses are not bright. Yumpuses are angry. Yumpuses are zumpuses. Zumpuses are brown. Zumpuses are impuses. Each impus is not wooden. Impuses are rompuses. Each rompus is large. Every rompus is a dumpus. Dumpuses are bright. Each dumpus is a tumpus. Sam is a yumpus.", + "original_question": "Is the following statement true or false? Sam is not bright." + }, + { + "id": "ProntoQA_347", + "question": "Every tumpus is bright. Yumpuses are not earthy. Tumpuses are jompuses. Each jompus is opaque. Jompuses are impuses. Every impus is aggressive. Impuses are zumpuses. Each zumpus is not large. Zumpuses are wumpuses. Wumpuses are liquid. Each wumpus is a vumpus. Each vumpus is feisty. Vumpuses are dumpuses. Each dumpus is earthy. Each dumpus is a rompus. Each rompus is spicy. Rompuses are numpuses. Sally is an impus.\n\nIs the following statement true or false? Sally is not earthy.", + "answer": false, + "original_context": "Every tumpus is bright. Yumpuses are not earthy. Tumpuses are jompuses. Each jompus is opaque. Jompuses are impuses. Every impus is aggressive. Impuses are zumpuses. Each zumpus is not large. Zumpuses are wumpuses. Wumpuses are liquid. Each wumpus is a vumpus. Each vumpus is feisty. Vumpuses are dumpuses. Each dumpus is earthy. Each dumpus is a rompus. Each rompus is spicy. Rompuses are numpuses. Sally is an impus.", + "original_question": "Is the following statement true or false? Sally is not earthy." + }, + { + "id": "ProntoQA_348", + "question": "Yumpuses are large. Yumpuses are rompuses. Rompuses are orange. Each rompus is a wumpus. Each wumpus is happy. Wumpuses are zumpuses. Zumpuses are not angry. Zumpuses are impuses. Impuses are earthy. Each impus is a jompus. Jompuses are luminous. Each jompus is a dumpus. Every dumpus is bright. Dumpuses are numpuses. Vumpuses are not luminous. Every numpus is not hot. Every numpus is a tumpus. Fae is a rompus.\n\nIs the following statement true or false? Fae is luminous.", + "answer": true, + "original_context": "Yumpuses are large. Yumpuses are rompuses. Rompuses are orange. Each rompus is a wumpus. Each wumpus is happy. Wumpuses are zumpuses. Zumpuses are not angry. Zumpuses are impuses. Impuses are earthy. Each impus is a jompus. Jompuses are luminous. Each jompus is a dumpus. Every dumpus is bright. Dumpuses are numpuses. Vumpuses are not luminous. Every numpus is not hot. Every numpus is a tumpus. Fae is a rompus.", + "original_question": "Is the following statement true or false? Fae is luminous." + }, + { + "id": "ProntoQA_349", + "question": "Each vumpus is spicy. Every vumpus is a dumpus. Each dumpus is blue. Every dumpus is a yumpus. Each yumpus is floral. Yumpuses are tumpuses. Tumpuses are small. Tumpuses are rompuses. Rompuses are not mean. Rompuses are jompuses. Every numpus is mean. Alex is a vumpus.\n\nIs the following statement true or false? Alex is not mean.", + "answer": true, + "original_context": "Each vumpus is spicy. Every vumpus is a dumpus. Each dumpus is blue. Every dumpus is a yumpus. Each yumpus is floral. Yumpuses are tumpuses. Tumpuses are small. Tumpuses are rompuses. Rompuses are not mean. Rompuses are jompuses. Every numpus is mean. Alex is a vumpus.", + "original_question": "Is the following statement true or false? Alex is not mean." + }, + { + "id": "ProntoQA_350", + "question": "Numpuses are not shy. Every numpus is a wumpus. Wumpuses are not large. Each wumpus is an impus. Impuses are not metallic. Zumpuses are not sour. Every impus is a rompus. Rompuses are dull. Each rompus is a vumpus. Vumpuses are aggressive. Vumpuses are jompuses. Every jompus is red. Jompuses are tumpuses. Every tumpus is fruity. Tumpuses are dumpuses. Dumpuses are sour. Dumpuses are yumpuses. Alex is a rompus.\n\nIs the following statement true or false? Alex is not sour.", + "answer": false, + "original_context": "Numpuses are not shy. Every numpus is a wumpus. Wumpuses are not large. Each wumpus is an impus. Impuses are not metallic. Zumpuses are not sour. Every impus is a rompus. Rompuses are dull. Each rompus is a vumpus. Vumpuses are aggressive. Vumpuses are jompuses. Every jompus is red. Jompuses are tumpuses. Every tumpus is fruity. Tumpuses are dumpuses. Dumpuses are sour. Dumpuses are yumpuses. Alex is a rompus.", + "original_question": "Is the following statement true or false? Alex is not sour." + }, + { + "id": "ProntoQA_351", + "question": "Zumpuses are dull. Each zumpus is a wumpus. Wumpuses are shy. Every wumpus is a rompus. Rompuses are large. Rompuses are vumpuses. Vumpuses are red. Each tumpus is fruity. Vumpuses are dumpuses. Every dumpus is not fruity. Every dumpus is a numpus. Numpuses are spicy. Each numpus is a yumpus. Yumpuses are mean. Every yumpus is a jompus. Every jompus is opaque. Each jompus is an impus. Stella is a zumpus.\n\nIs the following statement true or false? Stella is not fruity.", + "answer": true, + "original_context": "Zumpuses are dull. Each zumpus is a wumpus. Wumpuses are shy. Every wumpus is a rompus. Rompuses are large. Rompuses are vumpuses. Vumpuses are red. Each tumpus is fruity. Vumpuses are dumpuses. Every dumpus is not fruity. Every dumpus is a numpus. Numpuses are spicy. Each numpus is a yumpus. Yumpuses are mean. Every yumpus is a jompus. Every jompus is opaque. Each jompus is an impus. Stella is a zumpus.", + "original_question": "Is the following statement true or false? Stella is not fruity." + }, + { + "id": "ProntoQA_352", + "question": "Each dumpus is not blue. Dumpuses are jompuses. Jompuses are not earthy. Jompuses are impuses. Every impus is not aggressive. Impuses are vumpuses. Every vumpus is metallic. Wumpuses are not opaque. Vumpuses are rompuses. Each rompus is not feisty. Every rompus is a yumpus. Every yumpus is opaque. Yumpuses are numpuses. Numpuses are small. Numpuses are tumpuses. Every tumpus is spicy. Tumpuses are zumpuses. Wren is a jompus.\n\nIs the following statement true or false? Wren is not opaque.", + "answer": false, + "original_context": "Each dumpus is not blue. Dumpuses are jompuses. Jompuses are not earthy. Jompuses are impuses. Every impus is not aggressive. Impuses are vumpuses. Every vumpus is metallic. Wumpuses are not opaque. Vumpuses are rompuses. Each rompus is not feisty. Every rompus is a yumpus. Every yumpus is opaque. Yumpuses are numpuses. Numpuses are small. Numpuses are tumpuses. Every tumpus is spicy. Tumpuses are zumpuses. Wren is a jompus.", + "original_question": "Is the following statement true or false? Wren is not opaque." + }, + { + "id": "ProntoQA_353", + "question": "Dumpuses are earthy. Each dumpus is a tumpus. Every tumpus is sour. Tumpuses are numpuses. Each impus is hot. Numpuses are happy. Every numpus is a rompus. Every rompus is not transparent. Every rompus is a zumpus. Zumpuses are not hot. Each zumpus is a vumpus. Vumpuses are not dull. Each vumpus is a jompus. Every jompus is not aggressive. Each jompus is a wumpus. Wumpuses are luminous. Wumpuses are yumpuses. Wren is a dumpus.\n\nIs the following statement true or false? Wren is not hot.", + "answer": true, + "original_context": "Dumpuses are earthy. Each dumpus is a tumpus. Every tumpus is sour. Tumpuses are numpuses. Each impus is hot. Numpuses are happy. Every numpus is a rompus. Every rompus is not transparent. Every rompus is a zumpus. Zumpuses are not hot. Each zumpus is a vumpus. Vumpuses are not dull. Each vumpus is a jompus. Every jompus is not aggressive. Each jompus is a wumpus. Wumpuses are luminous. Wumpuses are yumpuses. Wren is a dumpus.", + "original_question": "Is the following statement true or false? Wren is not hot." + }, + { + "id": "ProntoQA_354", + "question": "Vumpuses are feisty. Vumpuses are jompuses. Each jompus is not blue. Every jompus is a zumpus. Zumpuses are mean. Every zumpus is an impus. Impuses are sweet. Every impus is a numpus. Numpuses are earthy. Every numpus is a wumpus. Each wumpus is cold. Wumpuses are dumpuses. Dumpuses are bright. Every dumpus is a rompus. Rompuses are not small. Rompuses are tumpuses. Every yumpus is not bright. Fae is a zumpus.\n\nIs the following statement true or false? Fae is not bright.", + "answer": false, + "original_context": "Vumpuses are feisty. Vumpuses are jompuses. Each jompus is not blue. Every jompus is a zumpus. Zumpuses are mean. Every zumpus is an impus. Impuses are sweet. Every impus is a numpus. Numpuses are earthy. Every numpus is a wumpus. Each wumpus is cold. Wumpuses are dumpuses. Dumpuses are bright. Every dumpus is a rompus. Rompuses are not small. Rompuses are tumpuses. Every yumpus is not bright. Fae is a zumpus.", + "original_question": "Is the following statement true or false? Fae is not bright." + }, + { + "id": "ProntoQA_355", + "question": "Impuses are not happy. Each impus is a dumpus. Every dumpus is small. Each dumpus is a vumpus. Vumpuses are not dull. Every vumpus is a rompus. Each rompus is not sweet. Rompuses are tumpuses. Tumpuses are transparent. Tumpuses are jompuses. Every jompus is brown. Each zumpus is not brown. Jompuses are wumpuses. Wumpuses are angry. Wumpuses are yumpuses. Every yumpus is not temperate. Each yumpus is a numpus. Rex is a dumpus.\n\nIs the following statement true or false? Rex is not brown.", + "answer": false, + "original_context": "Impuses are not happy. Each impus is a dumpus. Every dumpus is small. Each dumpus is a vumpus. Vumpuses are not dull. Every vumpus is a rompus. Each rompus is not sweet. Rompuses are tumpuses. Tumpuses are transparent. Tumpuses are jompuses. Every jompus is brown. Each zumpus is not brown. Jompuses are wumpuses. Wumpuses are angry. Wumpuses are yumpuses. Every yumpus is not temperate. Each yumpus is a numpus. Rex is a dumpus.", + "original_question": "Is the following statement true or false? Rex is not brown." + }, + { + "id": "ProntoQA_356", + "question": "Every numpus is not floral. Numpuses are tumpuses. Tumpuses are orange. Tumpuses are rompuses. Every rompus is bright. Each rompus is a dumpus. Every dumpus is metallic. Dumpuses are jompuses. Every jompus is cold. Jompuses are zumpuses. Each zumpus is feisty. Zumpuses are impuses. Each impus is spicy. Every impus is a wumpus. Every wumpus is kind. Yumpuses are not kind. Wumpuses are vumpuses. Rex is a dumpus.\n\nIs the following statement true or false? Rex is kind.", + "answer": true, + "original_context": "Every numpus is not floral. Numpuses are tumpuses. Tumpuses are orange. Tumpuses are rompuses. Every rompus is bright. Each rompus is a dumpus. Every dumpus is metallic. Dumpuses are jompuses. Every jompus is cold. Jompuses are zumpuses. Each zumpus is feisty. Zumpuses are impuses. Each impus is spicy. Every impus is a wumpus. Every wumpus is kind. Yumpuses are not kind. Wumpuses are vumpuses. Rex is a dumpus.", + "original_question": "Is the following statement true or false? Rex is kind." + }, + { + "id": "ProntoQA_357", + "question": "Each vumpus is not hot. Vumpuses are rompuses. Every rompus is opaque. Every rompus is a zumpus. Every zumpus is dull. Zumpuses are yumpuses. Yumpuses are sour. Every yumpus is a tumpus. Impuses are not blue. Tumpuses are metallic. Tumpuses are jompuses. Jompuses are not fruity. Jompuses are wumpuses. Wumpuses are blue. Every wumpus is a numpus. Each numpus is mean. Every numpus is a dumpus. Stella is a zumpus.\n\nIs the following statement true or false? Stella is blue.", + "answer": true, + "original_context": "Each vumpus is not hot. Vumpuses are rompuses. Every rompus is opaque. Every rompus is a zumpus. Every zumpus is dull. Zumpuses are yumpuses. Yumpuses are sour. Every yumpus is a tumpus. Impuses are not blue. Tumpuses are metallic. Tumpuses are jompuses. Jompuses are not fruity. Jompuses are wumpuses. Wumpuses are blue. Every wumpus is a numpus. Each numpus is mean. Every numpus is a dumpus. Stella is a zumpus.", + "original_question": "Is the following statement true or false? Stella is blue." + }, + { + "id": "ProntoQA_358", + "question": "Impuses are dull. Each impus is a vumpus. Every vumpus is sour. Vumpuses are wumpuses. Every wumpus is blue. Wumpuses are tumpuses. Tumpuses are opaque. Every tumpus is a rompus. Rompuses are cold. Every rompus is a jompus. Jompuses are not happy. Each jompus is a numpus. Dumpuses are not wooden. Numpuses are fruity. Numpuses are yumpuses. Yumpuses are wooden. Every yumpus is a zumpus. Max is a tumpus.\n\nIs the following statement true or false? Max is wooden.", + "answer": true, + "original_context": "Impuses are dull. Each impus is a vumpus. Every vumpus is sour. Vumpuses are wumpuses. Every wumpus is blue. Wumpuses are tumpuses. Tumpuses are opaque. Every tumpus is a rompus. Rompuses are cold. Every rompus is a jompus. Jompuses are not happy. Each jompus is a numpus. Dumpuses are not wooden. Numpuses are fruity. Numpuses are yumpuses. Yumpuses are wooden. Every yumpus is a zumpus. Max is a tumpus.", + "original_question": "Is the following statement true or false? Max is wooden." + }, + { + "id": "ProntoQA_359", + "question": "Vumpuses are not wooden. Rompuses are kind. Rompuses are tumpuses. Tumpuses are not nervous. Tumpuses are impuses. Impuses are not cold. Each impus is a dumpus. Each dumpus is bright. Dumpuses are zumpuses. Zumpuses are transparent. Zumpuses are numpuses. Numpuses are large. Numpuses are jompuses. Each jompus is wooden. Each jompus is a wumpus. Each wumpus is not bitter. Each wumpus is a yumpus. Max is an impus.\n\nIs the following statement true or false? Max is wooden.", + "answer": true, + "original_context": "Vumpuses are not wooden. Rompuses are kind. Rompuses are tumpuses. Tumpuses are not nervous. Tumpuses are impuses. Impuses are not cold. Each impus is a dumpus. Each dumpus is bright. Dumpuses are zumpuses. Zumpuses are transparent. Zumpuses are numpuses. Numpuses are large. Numpuses are jompuses. Each jompus is wooden. Each jompus is a wumpus. Each wumpus is not bitter. Each wumpus is a yumpus. Max is an impus.", + "original_question": "Is the following statement true or false? Max is wooden." + }, + { + "id": "ProntoQA_360", + "question": "Rompuses are not kind. Every rompus is a dumpus. Every dumpus is metallic. Every dumpus is an impus. Every impus is shy. Each wumpus is temperate. Each impus is a vumpus. Vumpuses are small. Each vumpus is a jompus. Jompuses are dull. Jompuses are numpuses. Every numpus is opaque. Each numpus is a tumpus. Each tumpus is orange. Tumpuses are yumpuses. Yumpuses are not temperate. Each yumpus is a zumpus. Sally is a vumpus.\n\nIs the following statement true or false? Sally is temperate.", + "answer": false, + "original_context": "Rompuses are not kind. Every rompus is a dumpus. Every dumpus is metallic. Every dumpus is an impus. Every impus is shy. Each wumpus is temperate. Each impus is a vumpus. Vumpuses are small. Each vumpus is a jompus. Jompuses are dull. Jompuses are numpuses. Every numpus is opaque. Each numpus is a tumpus. Each tumpus is orange. Tumpuses are yumpuses. Yumpuses are not temperate. Each yumpus is a zumpus. Sally is a vumpus.", + "original_question": "Is the following statement true or false? Sally is temperate." + }, + { + "id": "ProntoQA_361", + "question": "Every impus is dull. Each impus is a zumpus. Each zumpus is temperate. Zumpuses are jompuses. Jompuses are happy. Jompuses are yumpuses. Each yumpus is not earthy. Every yumpus is a numpus. Each numpus is not transparent. Every numpus is a dumpus. Rompuses are transparent. Dumpuses are blue. Dumpuses are vumpuses. Vumpuses are not sour. Every vumpus is a tumpus. Tumpuses are amenable. Every tumpus is a wumpus. Rex is an impus.\n\nIs the following statement true or false? Rex is transparent.", + "answer": false, + "original_context": "Every impus is dull. Each impus is a zumpus. Each zumpus is temperate. Zumpuses are jompuses. Jompuses are happy. Jompuses are yumpuses. Each yumpus is not earthy. Every yumpus is a numpus. Each numpus is not transparent. Every numpus is a dumpus. Rompuses are transparent. Dumpuses are blue. Dumpuses are vumpuses. Vumpuses are not sour. Every vumpus is a tumpus. Tumpuses are amenable. Every tumpus is a wumpus. Rex is an impus.", + "original_question": "Is the following statement true or false? Rex is transparent." + }, + { + "id": "ProntoQA_362", + "question": "Every wumpus is fruity. Each wumpus is a tumpus. Each tumpus is sour. Tumpuses are dumpuses. Dumpuses are not nervous. Each dumpus is a numpus. Numpuses are angry. Every numpus is a vumpus. Vumpuses are bright. Each vumpus is a rompus. Rompuses are not wooden. Every rompus is a yumpus. Every yumpus is opaque. Every zumpus is blue. Each yumpus is a jompus. Jompuses are not blue. Jompuses are impuses. Sally is a numpus.\n\nIs the following statement true or false? Sally is not blue.", + "answer": true, + "original_context": "Every wumpus is fruity. Each wumpus is a tumpus. Each tumpus is sour. Tumpuses are dumpuses. Dumpuses are not nervous. Each dumpus is a numpus. Numpuses are angry. Every numpus is a vumpus. Vumpuses are bright. Each vumpus is a rompus. Rompuses are not wooden. Every rompus is a yumpus. Every yumpus is opaque. Every zumpus is blue. Each yumpus is a jompus. Jompuses are not blue. Jompuses are impuses. Sally is a numpus.", + "original_question": "Is the following statement true or false? Sally is not blue." + }, + { + "id": "ProntoQA_363", + "question": "Each impus is sweet. Each impus is a dumpus. Dumpuses are small. Every dumpus is a numpus. Every numpus is mean. Every numpus is a rompus. Each rompus is red. Rompuses are tumpuses. Every tumpus is dull. Tumpuses are jompuses. Every wumpus is not dull. Each jompus is not opaque. Jompuses are vumpuses. Each vumpus is earthy. Vumpuses are zumpuses. Zumpuses are wooden. Zumpuses are yumpuses. Polly is an impus.\n\nIs the following statement true or false? Polly is not dull.", + "answer": false, + "original_context": "Each impus is sweet. Each impus is a dumpus. Dumpuses are small. Every dumpus is a numpus. Every numpus is mean. Every numpus is a rompus. Each rompus is red. Rompuses are tumpuses. Every tumpus is dull. Tumpuses are jompuses. Every wumpus is not dull. Each jompus is not opaque. Jompuses are vumpuses. Each vumpus is earthy. Vumpuses are zumpuses. Zumpuses are wooden. Zumpuses are yumpuses. Polly is an impus.", + "original_question": "Is the following statement true or false? Polly is not dull." + }, + { + "id": "ProntoQA_364", + "question": "Impuses are opaque. Each impus is a dumpus. Every dumpus is not small. Dumpuses are jompuses. Jompuses are temperate. Jompuses are numpuses. Each numpus is not dull. Every numpus is a yumpus. Rompuses are not kind. Every yumpus is orange. Every yumpus is a tumpus. Each tumpus is kind. Tumpuses are zumpuses. Zumpuses are floral. Each zumpus is a vumpus. Vumpuses are not sweet. Vumpuses are wumpuses. Stella is a dumpus.\n\nIs the following statement true or false? Stella is not kind.", + "answer": false, + "original_context": "Impuses are opaque. Each impus is a dumpus. Every dumpus is not small. Dumpuses are jompuses. Jompuses are temperate. Jompuses are numpuses. Each numpus is not dull. Every numpus is a yumpus. Rompuses are not kind. Every yumpus is orange. Every yumpus is a tumpus. Each tumpus is kind. Tumpuses are zumpuses. Zumpuses are floral. Each zumpus is a vumpus. Vumpuses are not sweet. Vumpuses are wumpuses. Stella is a dumpus.", + "original_question": "Is the following statement true or false? Stella is not kind." + }, + { + "id": "ProntoQA_365", + "question": "Yumpuses are transparent. Vumpuses are not happy. Vumpuses are zumpuses. Zumpuses are sweet. Every zumpus is a numpus. Numpuses are not hot. Numpuses are rompuses. Each rompus is blue. Rompuses are jompuses. Every jompus is bright. Jompuses are impuses. Impuses are luminous. Impuses are wumpuses. Each wumpus is not aggressive. Wumpuses are dumpuses. Each dumpus is not transparent. Dumpuses are tumpuses. Sally is a rompus.\n\nIs the following statement true or false? Sally is not transparent.", + "answer": true, + "original_context": "Yumpuses are transparent. Vumpuses are not happy. Vumpuses are zumpuses. Zumpuses are sweet. Every zumpus is a numpus. Numpuses are not hot. Numpuses are rompuses. Each rompus is blue. Rompuses are jompuses. Every jompus is bright. Jompuses are impuses. Impuses are luminous. Impuses are wumpuses. Each wumpus is not aggressive. Wumpuses are dumpuses. Each dumpus is not transparent. Dumpuses are tumpuses. Sally is a rompus.", + "original_question": "Is the following statement true or false? Sally is not transparent." + }, + { + "id": "ProntoQA_366", + "question": "Vumpuses are not wooden. Each vumpus is a numpus. Each impus is floral. Numpuses are opaque. Numpuses are wumpuses. Wumpuses are small. Each wumpus is a jompus. Jompuses are red. Jompuses are zumpuses. Zumpuses are not sweet. Every zumpus is a yumpus. Each yumpus is not floral. Every yumpus is a tumpus. Polly is a numpus.\n\nIs the following statement true or false? Polly is floral.", + "answer": false, + "original_context": "Vumpuses are not wooden. Each vumpus is a numpus. Each impus is floral. Numpuses are opaque. Numpuses are wumpuses. Wumpuses are small. Each wumpus is a jompus. Jompuses are red. Jompuses are zumpuses. Zumpuses are not sweet. Every zumpus is a yumpus. Each yumpus is not floral. Every yumpus is a tumpus. Polly is a numpus.", + "original_question": "Is the following statement true or false? Polly is floral." + }, + { + "id": "ProntoQA_367", + "question": "Dumpuses are small. Dumpuses are vumpuses. Vumpuses are opaque. Vumpuses are wumpuses. Every wumpus is liquid. Each wumpus is a zumpus. Zumpuses are not happy. Each zumpus is an impus. Each impus is not earthy. Impuses are tumpuses. Each tumpus is not spicy. Each jompus is hot. Tumpuses are rompuses. Each rompus is not dull. Every rompus is a numpus. Every numpus is not hot. Numpuses are yumpuses. Polly is a zumpus.\n\nIs the following statement true or false? Polly is hot.", + "answer": false, + "original_context": "Dumpuses are small. Dumpuses are vumpuses. Vumpuses are opaque. Vumpuses are wumpuses. Every wumpus is liquid. Each wumpus is a zumpus. Zumpuses are not happy. Each zumpus is an impus. Each impus is not earthy. Impuses are tumpuses. Each tumpus is not spicy. Each jompus is hot. Tumpuses are rompuses. Each rompus is not dull. Every rompus is a numpus. Every numpus is not hot. Numpuses are yumpuses. Polly is a zumpus.", + "original_question": "Is the following statement true or false? Polly is hot." + }, + { + "id": "ProntoQA_368", + "question": "Tumpuses are large. Tumpuses are impuses. Each impus is not earthy. Each impus is a dumpus. Yumpuses are blue. Dumpuses are metallic. Every dumpus is a rompus. Each rompus is feisty. Every rompus is a jompus. Every jompus is not blue. Jompuses are zumpuses. Fae is a tumpus.\n\nIs the following statement true or false? Fae is not blue.", + "answer": true, + "original_context": "Tumpuses are large. Tumpuses are impuses. Each impus is not earthy. Each impus is a dumpus. Yumpuses are blue. Dumpuses are metallic. Every dumpus is a rompus. Each rompus is feisty. Every rompus is a jompus. Every jompus is not blue. Jompuses are zumpuses. Fae is a tumpus.", + "original_question": "Is the following statement true or false? Fae is not blue." + }, + { + "id": "ProntoQA_369", + "question": "Each numpus is transparent. Each vumpus is not brown. Every numpus is a wumpus. Each wumpus is not bright. Every wumpus is a tumpus. Each tumpus is bitter. Each tumpus is a rompus. Rompuses are temperate. Every rompus is an impus. Each impus is brown. Each impus is a yumpus. Rex is a numpus.\n\nIs the following statement true or false? Rex is brown.", + "answer": true, + "original_context": "Each numpus is transparent. Each vumpus is not brown. Every numpus is a wumpus. Each wumpus is not bright. Every wumpus is a tumpus. Each tumpus is bitter. Each tumpus is a rompus. Rompuses are temperate. Every rompus is an impus. Each impus is brown. Each impus is a yumpus. Rex is a numpus.", + "original_question": "Is the following statement true or false? Rex is brown." + }, + { + "id": "ProntoQA_370", + "question": "Wumpuses are not blue. Every wumpus is a jompus. Jompuses are temperate. Jompuses are zumpuses. Each zumpus is not small. Every zumpus is an impus. Every numpus is earthy. Impuses are not aggressive. Each impus is a yumpus. Each yumpus is not earthy. Every yumpus is a rompus. Every rompus is sweet. Rompuses are tumpuses. Each tumpus is not shy. Tumpuses are vumpuses. Each vumpus is not transparent. Vumpuses are dumpuses. Max is a wumpus.\n\nIs the following statement true or false? Max is not earthy.", + "answer": true, + "original_context": "Wumpuses are not blue. Every wumpus is a jompus. Jompuses are temperate. Jompuses are zumpuses. Each zumpus is not small. Every zumpus is an impus. Every numpus is earthy. Impuses are not aggressive. Each impus is a yumpus. Each yumpus is not earthy. Every yumpus is a rompus. Every rompus is sweet. Rompuses are tumpuses. Each tumpus is not shy. Tumpuses are vumpuses. Each vumpus is not transparent. Vumpuses are dumpuses. Max is a wumpus.", + "original_question": "Is the following statement true or false? Max is not earthy." + }, + { + "id": "ProntoQA_371", + "question": "Each tumpus is not happy. Each tumpus is a zumpus. Each zumpus is red. Each zumpus is a rompus. Vumpuses are not dull. Rompuses are floral. Rompuses are impuses. Impuses are not sour. Every impus is a numpus. Numpuses are hot. Numpuses are wumpuses. Every wumpus is dull. Wumpuses are jompuses. Sam is a zumpus.\n\nIs the following statement true or false? Sam is not dull.", + "answer": false, + "original_context": "Each tumpus is not happy. Each tumpus is a zumpus. Each zumpus is red. Each zumpus is a rompus. Vumpuses are not dull. Rompuses are floral. Rompuses are impuses. Impuses are not sour. Every impus is a numpus. Numpuses are hot. Numpuses are wumpuses. Every wumpus is dull. Wumpuses are jompuses. Sam is a zumpus.", + "original_question": "Is the following statement true or false? Sam is not dull." + }, + { + "id": "ProntoQA_372", + "question": "Each wumpus is not large. Wumpuses are impuses. Every impus is opaque. Impuses are numpuses. Every numpus is bright. Numpuses are rompuses. Rompuses are cold. Each tumpus is kind. Rompuses are zumpuses. Each zumpus is not kind. Every zumpus is a yumpus. Rex is a wumpus.\n\nIs the following statement true or false? Rex is kind.", + "answer": false, + "original_context": "Each wumpus is not large. Wumpuses are impuses. Every impus is opaque. Impuses are numpuses. Every numpus is bright. Numpuses are rompuses. Rompuses are cold. Each tumpus is kind. Rompuses are zumpuses. Each zumpus is not kind. Every zumpus is a yumpus. Rex is a wumpus.", + "original_question": "Is the following statement true or false? Rex is kind." + }, + { + "id": "ProntoQA_373", + "question": "Every zumpus is metallic. Every zumpus is a jompus. Every jompus is bitter. Jompuses are tumpuses. Every tumpus is mean. Tumpuses are rompuses. Rompuses are not cold. Each rompus is a vumpus. Each wumpus is not dull. Every vumpus is dull. Every vumpus is a numpus. Every numpus is not fruity. Numpuses are dumpuses. Each dumpus is small. Each dumpus is a yumpus. Yumpuses are red. Each yumpus is an impus. Sam is a zumpus.\n\nIs the following statement true or false? Sam is dull.", + "answer": true, + "original_context": "Every zumpus is metallic. Every zumpus is a jompus. Every jompus is bitter. Jompuses are tumpuses. Every tumpus is mean. Tumpuses are rompuses. Rompuses are not cold. Each rompus is a vumpus. Each wumpus is not dull. Every vumpus is dull. Every vumpus is a numpus. Every numpus is not fruity. Numpuses are dumpuses. Each dumpus is small. Each dumpus is a yumpus. Yumpuses are red. Each yumpus is an impus. Sam is a zumpus.", + "original_question": "Is the following statement true or false? Sam is dull." + }, + { + "id": "ProntoQA_374", + "question": "Yumpuses are feisty. Every yumpus is a zumpus. Zumpuses are brown. Each zumpus is a rompus. Each rompus is not bitter. Rompuses are numpuses. Each numpus is not metallic. Numpuses are wumpuses. Wumpuses are large. Wumpuses are vumpuses. Vumpuses are aggressive. Vumpuses are jompuses. Every jompus is dull. Jompuses are impuses. Impuses are not temperate. Each impus is a tumpus. Dumpuses are not aggressive. Fae is a zumpus.\n\nIs the following statement true or false? Fae is aggressive.", + "answer": true, + "original_context": "Yumpuses are feisty. Every yumpus is a zumpus. Zumpuses are brown. Each zumpus is a rompus. Each rompus is not bitter. Rompuses are numpuses. Each numpus is not metallic. Numpuses are wumpuses. Wumpuses are large. Wumpuses are vumpuses. Vumpuses are aggressive. Vumpuses are jompuses. Every jompus is dull. Jompuses are impuses. Impuses are not temperate. Each impus is a tumpus. Dumpuses are not aggressive. Fae is a zumpus.", + "original_question": "Is the following statement true or false? Fae is aggressive." + }, + { + "id": "ProntoQA_375", + "question": "Each dumpus is not small. Dumpuses are wumpuses. Impuses are not metallic. Wumpuses are happy. Each wumpus is a zumpus. Zumpuses are brown. Zumpuses are rompuses. Rompuses are sour. Every rompus is a tumpus. Each tumpus is metallic. Tumpuses are numpuses. Each numpus is transparent. Numpuses are vumpuses. Each vumpus is not bright. Every vumpus is a yumpus. Every yumpus is not aggressive. Yumpuses are jompuses. Fae is a dumpus.\n\nIs the following statement true or false? Fae is metallic.", + "answer": true, + "original_context": "Each dumpus is not small. Dumpuses are wumpuses. Impuses are not metallic. Wumpuses are happy. Each wumpus is a zumpus. Zumpuses are brown. Zumpuses are rompuses. Rompuses are sour. Every rompus is a tumpus. Each tumpus is metallic. Tumpuses are numpuses. Each numpus is transparent. Numpuses are vumpuses. Each vumpus is not bright. Every vumpus is a yumpus. Every yumpus is not aggressive. Yumpuses are jompuses. Fae is a dumpus.", + "original_question": "Is the following statement true or false? Fae is metallic." + }, + { + "id": "ProntoQA_376", + "question": "Every zumpus is not metallic. Each zumpus is a rompus. Every rompus is fruity. Every rompus is a yumpus. Yumpuses are large. Each yumpus is a numpus. Numpuses are aggressive. Each numpus is a jompus. Each jompus is temperate. Jompuses are vumpuses. Vumpuses are transparent. Each vumpus is a dumpus. Tumpuses are not transparent. Each dumpus is not dull. Each dumpus is an impus. Each impus is not bitter. Impuses are wumpuses. Wren is a rompus.\n\nIs the following statement true or false? Wren is transparent.", + "answer": true, + "original_context": "Every zumpus is not metallic. Each zumpus is a rompus. Every rompus is fruity. Every rompus is a yumpus. Yumpuses are large. Each yumpus is a numpus. Numpuses are aggressive. Each numpus is a jompus. Each jompus is temperate. Jompuses are vumpuses. Vumpuses are transparent. Each vumpus is a dumpus. Tumpuses are not transparent. Each dumpus is not dull. Each dumpus is an impus. Each impus is not bitter. Impuses are wumpuses. Wren is a rompus.", + "original_question": "Is the following statement true or false? Wren is transparent." + }, + { + "id": "ProntoQA_377", + "question": "Each zumpus is metallic. Zumpuses are tumpuses. Every tumpus is not earthy. Tumpuses are rompuses. Rompuses are hot. Rompuses are impuses. Every impus is orange. Impuses are dumpuses. Dumpuses are dull. Dumpuses are vumpuses. Vumpuses are not opaque. Each vumpus is a numpus. Each jompus is not dull. Every numpus is kind. Numpuses are yumpuses. Yumpuses are not small. Every yumpus is a wumpus. Sam is a zumpus.\n\nIs the following statement true or false? Sam is not dull.", + "answer": false, + "original_context": "Each zumpus is metallic. Zumpuses are tumpuses. Every tumpus is not earthy. Tumpuses are rompuses. Rompuses are hot. Rompuses are impuses. Every impus is orange. Impuses are dumpuses. Dumpuses are dull. Dumpuses are vumpuses. Vumpuses are not opaque. Each vumpus is a numpus. Each jompus is not dull. Every numpus is kind. Numpuses are yumpuses. Yumpuses are not small. Every yumpus is a wumpus. Sam is a zumpus.", + "original_question": "Is the following statement true or false? Sam is not dull." + }, + { + "id": "ProntoQA_378", + "question": "Dumpuses are nervous. Each dumpus is a vumpus. Every impus is transparent. Every vumpus is cold. Each vumpus is a zumpus. Each zumpus is not mean. Zumpuses are yumpuses. Yumpuses are bright. Yumpuses are tumpuses. Every tumpus is not fruity. Each tumpus is a jompus. Every jompus is not wooden. Jompuses are wumpuses. Each wumpus is not transparent. Wumpuses are numpuses. Numpuses are not blue. Numpuses are rompuses. Max is a zumpus.\n\nIs the following statement true or false? Max is transparent.", + "answer": false, + "original_context": "Dumpuses are nervous. Each dumpus is a vumpus. Every impus is transparent. Every vumpus is cold. Each vumpus is a zumpus. Each zumpus is not mean. Zumpuses are yumpuses. Yumpuses are bright. Yumpuses are tumpuses. Every tumpus is not fruity. Each tumpus is a jompus. Every jompus is not wooden. Jompuses are wumpuses. Each wumpus is not transparent. Wumpuses are numpuses. Numpuses are not blue. Numpuses are rompuses. Max is a zumpus.", + "original_question": "Is the following statement true or false? Max is transparent." + }, + { + "id": "ProntoQA_379", + "question": "Every impus is not transparent. Every impus is a yumpus. Each yumpus is floral. Every yumpus is a tumpus. Every tumpus is shy. Tumpuses are zumpuses. Zumpuses are metallic. Zumpuses are dumpuses. Dumpuses are not sour. Every dumpus is a rompus. Rompuses are not large. Rompuses are vumpuses. Wumpuses are sour. Vumpuses are dull. Every vumpus is a numpus. Wren is an impus.\n\nIs the following statement true or false? Wren is not sour.", + "answer": true, + "original_context": "Every impus is not transparent. Every impus is a yumpus. Each yumpus is floral. Every yumpus is a tumpus. Every tumpus is shy. Tumpuses are zumpuses. Zumpuses are metallic. Zumpuses are dumpuses. Dumpuses are not sour. Every dumpus is a rompus. Rompuses are not large. Rompuses are vumpuses. Wumpuses are sour. Vumpuses are dull. Every vumpus is a numpus. Wren is an impus.", + "original_question": "Is the following statement true or false? Wren is not sour." + }, + { + "id": "ProntoQA_380", + "question": "Every dumpus is large. Wumpuses are happy. Each dumpus is an impus. Impuses are opaque. Impuses are jompuses. Every jompus is fruity. Each jompus is a zumpus. Zumpuses are orange. Each zumpus is a vumpus. Vumpuses are bright. Each vumpus is a tumpus. Each tumpus is not sweet. Tumpuses are rompuses. Each rompus is metallic. Rompuses are yumpuses. Yumpuses are not happy. Yumpuses are numpuses. Polly is a zumpus.\n\nIs the following statement true or false? Polly is not happy.", + "answer": true, + "original_context": "Every dumpus is large. Wumpuses are happy. Each dumpus is an impus. Impuses are opaque. Impuses are jompuses. Every jompus is fruity. Each jompus is a zumpus. Zumpuses are orange. Each zumpus is a vumpus. Vumpuses are bright. Each vumpus is a tumpus. Each tumpus is not sweet. Tumpuses are rompuses. Each rompus is metallic. Rompuses are yumpuses. Yumpuses are not happy. Yumpuses are numpuses. Polly is a zumpus.", + "original_question": "Is the following statement true or false? Polly is not happy." + }, + { + "id": "ProntoQA_381", + "question": "Numpuses are dull. Every numpus is a zumpus. Every zumpus is wooden. Zumpuses are wumpuses. Every wumpus is spicy. Wumpuses are dumpuses. Every dumpus is earthy. Vumpuses are not feisty. Each dumpus is a yumpus. Yumpuses are large. Yumpuses are tumpuses. Tumpuses are feisty. Each tumpus is a rompus. Rompuses are blue. Each rompus is an impus. Sally is a zumpus.\n\nIs the following statement true or false? Sally is feisty.", + "answer": true, + "original_context": "Numpuses are dull. Every numpus is a zumpus. Every zumpus is wooden. Zumpuses are wumpuses. Every wumpus is spicy. Wumpuses are dumpuses. Every dumpus is earthy. Vumpuses are not feisty. Each dumpus is a yumpus. Yumpuses are large. Yumpuses are tumpuses. Tumpuses are feisty. Each tumpus is a rompus. Rompuses are blue. Each rompus is an impus. Sally is a zumpus.", + "original_question": "Is the following statement true or false? Sally is feisty." + }, + { + "id": "ProntoQA_382", + "question": "Each jompus is fruity. Each jompus is a vumpus. Each vumpus is opaque. Vumpuses are wumpuses. Every wumpus is bitter. Wumpuses are rompuses. Rompuses are not happy. Every rompus is a zumpus. Zumpuses are temperate. Zumpuses are numpuses. Each numpus is not bright. Dumpuses are not temperate. Numpuses are tumpuses. Every tumpus is large. Each tumpus is an impus. Every impus is metallic. Impuses are yumpuses. Polly is a jompus.\n\nIs the following statement true or false? Polly is not temperate.", + "answer": false, + "original_context": "Each jompus is fruity. Each jompus is a vumpus. Each vumpus is opaque. Vumpuses are wumpuses. Every wumpus is bitter. Wumpuses are rompuses. Rompuses are not happy. Every rompus is a zumpus. Zumpuses are temperate. Zumpuses are numpuses. Each numpus is not bright. Dumpuses are not temperate. Numpuses are tumpuses. Every tumpus is large. Each tumpus is an impus. Every impus is metallic. Impuses are yumpuses. Polly is a jompus.", + "original_question": "Is the following statement true or false? Polly is not temperate." + }, + { + "id": "ProntoQA_383", + "question": "Every wumpus is small. Wumpuses are tumpuses. Tumpuses are not fruity. Every zumpus is not brown. Tumpuses are impuses. Every impus is luminous. Each impus is a jompus. Jompuses are not sweet. Jompuses are yumpuses. Every yumpus is feisty. Yumpuses are dumpuses. Each dumpus is angry. Every dumpus is a rompus. Each rompus is opaque. Rompuses are numpuses. Each numpus is brown. Numpuses are vumpuses. Sam is a jompus.\n\nIs the following statement true or false? Sam is brown.", + "answer": true, + "original_context": "Every wumpus is small. Wumpuses are tumpuses. Tumpuses are not fruity. Every zumpus is not brown. Tumpuses are impuses. Every impus is luminous. Each impus is a jompus. Jompuses are not sweet. Jompuses are yumpuses. Every yumpus is feisty. Yumpuses are dumpuses. Each dumpus is angry. Every dumpus is a rompus. Each rompus is opaque. Rompuses are numpuses. Each numpus is brown. Numpuses are vumpuses. Sam is a jompus.", + "original_question": "Is the following statement true or false? Sam is brown." + }, + { + "id": "ProntoQA_384", + "question": "Vumpuses are transparent. Vumpuses are dumpuses. Dumpuses are temperate. Each dumpus is a rompus. Each rompus is happy. Every rompus is a jompus. Each jompus is dull. Jompuses are yumpuses. Yumpuses are not sweet. Yumpuses are zumpuses. Each zumpus is not kind. Every zumpus is a numpus. Each wumpus is kind. Each numpus is wooden. Numpuses are tumpuses. Each tumpus is brown. Each tumpus is an impus. Fae is a dumpus.\n\nIs the following statement true or false? Fae is not kind.", + "answer": true, + "original_context": "Vumpuses are transparent. Vumpuses are dumpuses. Dumpuses are temperate. Each dumpus is a rompus. Each rompus is happy. Every rompus is a jompus. Each jompus is dull. Jompuses are yumpuses. Yumpuses are not sweet. Yumpuses are zumpuses. Each zumpus is not kind. Every zumpus is a numpus. Each wumpus is kind. Each numpus is wooden. Numpuses are tumpuses. Each tumpus is brown. Each tumpus is an impus. Fae is a dumpus.", + "original_question": "Is the following statement true or false? Fae is not kind." + }, + { + "id": "ProntoQA_385", + "question": "Yumpuses are large. Yumpuses are numpuses. Numpuses are opaque. Each numpus is a zumpus. Vumpuses are not fruity. Zumpuses are happy. Zumpuses are impuses. Impuses are temperate. Impuses are jompuses. Each jompus is bright. Jompuses are wumpuses. Wumpuses are fruity. Wumpuses are rompuses. Rompuses are not spicy. Rompuses are dumpuses. Every dumpus is not amenable. Dumpuses are tumpuses. Wren is a numpus.\n\nIs the following statement true or false? Wren is fruity.", + "answer": true, + "original_context": "Yumpuses are large. Yumpuses are numpuses. Numpuses are opaque. Each numpus is a zumpus. Vumpuses are not fruity. Zumpuses are happy. Zumpuses are impuses. Impuses are temperate. Impuses are jompuses. Each jompus is bright. Jompuses are wumpuses. Wumpuses are fruity. Wumpuses are rompuses. Rompuses are not spicy. Rompuses are dumpuses. Every dumpus is not amenable. Dumpuses are tumpuses. Wren is a numpus.", + "original_question": "Is the following statement true or false? Wren is fruity." + }, + { + "id": "ProntoQA_386", + "question": "Rompuses are sour. Rompuses are jompuses. Jompuses are large. Jompuses are dumpuses. Each dumpus is not orange. Each yumpus is floral. Dumpuses are wumpuses. Every wumpus is kind. Every wumpus is a tumpus. Every tumpus is not floral. Tumpuses are numpuses. Every numpus is not feisty. Numpuses are zumpuses. Zumpuses are liquid. Zumpuses are impuses. Wren is a rompus.\n\nIs the following statement true or false? Wren is floral.", + "answer": false, + "original_context": "Rompuses are sour. Rompuses are jompuses. Jompuses are large. Jompuses are dumpuses. Each dumpus is not orange. Each yumpus is floral. Dumpuses are wumpuses. Every wumpus is kind. Every wumpus is a tumpus. Every tumpus is not floral. Tumpuses are numpuses. Every numpus is not feisty. Numpuses are zumpuses. Zumpuses are liquid. Zumpuses are impuses. Wren is a rompus.", + "original_question": "Is the following statement true or false? Wren is floral." + }, + { + "id": "ProntoQA_387", + "question": "Jompuses are bright. Jompuses are yumpuses. Each yumpus is luminous. Yumpuses are impuses. Every impus is not hot. Each impus is a vumpus. Vumpuses are feisty. Each vumpus is a dumpus. Each dumpus is opaque. Each dumpus is a zumpus. Every zumpus is fruity. Zumpuses are tumpuses. Each tumpus is sweet. Tumpuses are numpuses. Each rompus is not red. Numpuses are red. Each numpus is a wumpus. Polly is a vumpus.\n\nIs the following statement true or false? Polly is red.", + "answer": true, + "original_context": "Jompuses are bright. Jompuses are yumpuses. Each yumpus is luminous. Yumpuses are impuses. Every impus is not hot. Each impus is a vumpus. Vumpuses are feisty. Each vumpus is a dumpus. Each dumpus is opaque. Each dumpus is a zumpus. Every zumpus is fruity. Zumpuses are tumpuses. Each tumpus is sweet. Tumpuses are numpuses. Each rompus is not red. Numpuses are red. Each numpus is a wumpus. Polly is a vumpus.", + "original_question": "Is the following statement true or false? Polly is red." + }, + { + "id": "ProntoQA_388", + "question": "Wumpuses are fruity. Wumpuses are yumpuses. Yumpuses are bright. Every yumpus is a jompus. Jompuses are not large. Each jompus is a zumpus. Every zumpus is transparent. Zumpuses are numpuses. Numpuses are not luminous. Every dumpus is luminous. Numpuses are impuses. Each impus is feisty. Every impus is a tumpus. Every tumpus is blue. Every tumpus is a vumpus. Vumpuses are bitter. Vumpuses are rompuses. Rex is a wumpus.\n\nIs the following statement true or false? Rex is not luminous.", + "answer": true, + "original_context": "Wumpuses are fruity. Wumpuses are yumpuses. Yumpuses are bright. Every yumpus is a jompus. Jompuses are not large. Each jompus is a zumpus. Every zumpus is transparent. Zumpuses are numpuses. Numpuses are not luminous. Every dumpus is luminous. Numpuses are impuses. Each impus is feisty. Every impus is a tumpus. Every tumpus is blue. Every tumpus is a vumpus. Vumpuses are bitter. Vumpuses are rompuses. Rex is a wumpus.", + "original_question": "Is the following statement true or false? Rex is not luminous." + }, + { + "id": "ProntoQA_389", + "question": "Jompuses are not brown. Each jompus is a tumpus. Tumpuses are not bitter. Tumpuses are numpuses. Every numpus is not transparent. Every wumpus is cold. Each numpus is a zumpus. Every zumpus is kind. Every zumpus is a dumpus. Every dumpus is not cold. Each dumpus is a rompus. Each rompus is not large. Every rompus is a yumpus. Every yumpus is fruity. Yumpuses are vumpuses. Every vumpus is bright. Every vumpus is an impus. Sally is a jompus.\n\nIs the following statement true or false? Sally is not cold.", + "answer": true, + "original_context": "Jompuses are not brown. Each jompus is a tumpus. Tumpuses are not bitter. Tumpuses are numpuses. Every numpus is not transparent. Every wumpus is cold. Each numpus is a zumpus. Every zumpus is kind. Every zumpus is a dumpus. Every dumpus is not cold. Each dumpus is a rompus. Each rompus is not large. Every rompus is a yumpus. Every yumpus is fruity. Yumpuses are vumpuses. Every vumpus is bright. Every vumpus is an impus. Sally is a jompus.", + "original_question": "Is the following statement true or false? Sally is not cold." + }, + { + "id": "ProntoQA_390", + "question": "Each zumpus is not red. Zumpuses are rompuses. Rompuses are happy. Every rompus is a numpus. Each numpus is not sweet. Numpuses are yumpuses. Every yumpus is not small. Yumpuses are tumpuses. Tumpuses are not cold. Tumpuses are vumpuses. Vumpuses are not transparent. Vumpuses are impuses. Each impus is not fruity. Impuses are wumpuses. Each jompus is fruity. Wumpuses are not dull. Each wumpus is a dumpus. Max is a numpus.\n\nIs the following statement true or false? Max is fruity.", + "answer": false, + "original_context": "Each zumpus is not red. Zumpuses are rompuses. Rompuses are happy. Every rompus is a numpus. Each numpus is not sweet. Numpuses are yumpuses. Every yumpus is not small. Yumpuses are tumpuses. Tumpuses are not cold. Tumpuses are vumpuses. Vumpuses are not transparent. Vumpuses are impuses. Each impus is not fruity. Impuses are wumpuses. Each jompus is fruity. Wumpuses are not dull. Each wumpus is a dumpus. Max is a numpus.", + "original_question": "Is the following statement true or false? Max is fruity." + }, + { + "id": "ProntoQA_391", + "question": "Yumpuses are not brown. Tumpuses are transparent. Tumpuses are jompuses. Jompuses are kind. Jompuses are rompuses. Every rompus is dull. Each rompus is a vumpus. Vumpuses are liquid. Every vumpus is a dumpus. Each dumpus is cold. Dumpuses are impuses. Impuses are brown. Impuses are numpuses. Every numpus is not nervous. Each numpus is a zumpus. Zumpuses are bitter. Zumpuses are wumpuses. Stella is a jompus.\n\nIs the following statement true or false? Stella is brown.", + "answer": true, + "original_context": "Yumpuses are not brown. Tumpuses are transparent. Tumpuses are jompuses. Jompuses are kind. Jompuses are rompuses. Every rompus is dull. Each rompus is a vumpus. Vumpuses are liquid. Every vumpus is a dumpus. Each dumpus is cold. Dumpuses are impuses. Impuses are brown. Impuses are numpuses. Every numpus is not nervous. Each numpus is a zumpus. Zumpuses are bitter. Zumpuses are wumpuses. Stella is a jompus.", + "original_question": "Is the following statement true or false? Stella is brown." + }, + { + "id": "ProntoQA_392", + "question": "Each rompus is not metallic. Rompuses are jompuses. Jompuses are angry. Each jompus is a wumpus. Each wumpus is hot. Yumpuses are not blue. Each wumpus is a numpus. Every numpus is not dull. Every numpus is an impus. Every impus is not transparent. Each impus is a zumpus. Every zumpus is not happy. Zumpuses are dumpuses. Every dumpus is fruity. Dumpuses are vumpuses. Vumpuses are blue. Vumpuses are tumpuses. Stella is a numpus.\n\nIs the following statement true or false? Stella is blue.", + "answer": true, + "original_context": "Each rompus is not metallic. Rompuses are jompuses. Jompuses are angry. Each jompus is a wumpus. Each wumpus is hot. Yumpuses are not blue. Each wumpus is a numpus. Every numpus is not dull. Every numpus is an impus. Every impus is not transparent. Each impus is a zumpus. Every zumpus is not happy. Zumpuses are dumpuses. Every dumpus is fruity. Dumpuses are vumpuses. Vumpuses are blue. Vumpuses are tumpuses. Stella is a numpus.", + "original_question": "Is the following statement true or false? Stella is blue." + }, + { + "id": "ProntoQA_393", + "question": "Every rompus is not earthy. Each rompus is an impus. Each impus is not liquid. Impuses are jompuses. Each jompus is red. Each jompus is a vumpus. Vumpuses are mean. Every vumpus is a yumpus. Yumpuses are sweet. Each yumpus is a dumpus. Dumpuses are hot. Each dumpus is a tumpus. Each numpus is not dull. Each tumpus is large. Every tumpus is a zumpus. Each zumpus is dull. Each zumpus is a wumpus. Fae is a vumpus.\n\nIs the following statement true or false? Fae is not dull.", + "answer": false, + "original_context": "Every rompus is not earthy. Each rompus is an impus. Each impus is not liquid. Impuses are jompuses. Each jompus is red. Each jompus is a vumpus. Vumpuses are mean. Every vumpus is a yumpus. Yumpuses are sweet. Each yumpus is a dumpus. Dumpuses are hot. Each dumpus is a tumpus. Each numpus is not dull. Each tumpus is large. Every tumpus is a zumpus. Each zumpus is dull. Each zumpus is a wumpus. Fae is a vumpus.", + "original_question": "Is the following statement true or false? Fae is not dull." + }, + { + "id": "ProntoQA_394", + "question": "Each rompus is luminous. Rompuses are dumpuses. Each dumpus is fruity. Dumpuses are tumpuses. Every tumpus is sweet. Tumpuses are impuses. Every impus is brown. Each impus is a numpus. Numpuses are cold. Numpuses are jompuses. Every jompus is nervous. Each jompus is a vumpus. Vumpuses are not dull. Yumpuses are dull. Vumpuses are wumpuses. Each wumpus is not amenable. Wumpuses are zumpuses. Fae is a tumpus.\n\nIs the following statement true or false? Fae is not dull.", + "answer": true, + "original_context": "Each rompus is luminous. Rompuses are dumpuses. Each dumpus is fruity. Dumpuses are tumpuses. Every tumpus is sweet. Tumpuses are impuses. Every impus is brown. Each impus is a numpus. Numpuses are cold. Numpuses are jompuses. Every jompus is nervous. Each jompus is a vumpus. Vumpuses are not dull. Yumpuses are dull. Vumpuses are wumpuses. Each wumpus is not amenable. Wumpuses are zumpuses. Fae is a tumpus.", + "original_question": "Is the following statement true or false? Fae is not dull." + }, + { + "id": "ProntoQA_395", + "question": "Every jompus is not opaque. Jompuses are tumpuses. Tumpuses are not dull. Tumpuses are yumpuses. Every yumpus is sweet. Each impus is brown. Yumpuses are rompuses. Rompuses are not small. Each rompus is a dumpus. Every dumpus is metallic. Dumpuses are vumpuses. Vumpuses are fruity. Each vumpus is a numpus. Each numpus is not brown. Every numpus is a wumpus. Each wumpus is mean. Each wumpus is a zumpus. Wren is a yumpus.\n\nIs the following statement true or false? Wren is brown.", + "answer": false, + "original_context": "Every jompus is not opaque. Jompuses are tumpuses. Tumpuses are not dull. Tumpuses are yumpuses. Every yumpus is sweet. Each impus is brown. Yumpuses are rompuses. Rompuses are not small. Each rompus is a dumpus. Every dumpus is metallic. Dumpuses are vumpuses. Vumpuses are fruity. Each vumpus is a numpus. Each numpus is not brown. Every numpus is a wumpus. Each wumpus is mean. Each wumpus is a zumpus. Wren is a yumpus.", + "original_question": "Is the following statement true or false? Wren is brown." + }, + { + "id": "ProntoQA_396", + "question": "Every rompus is small. Each rompus is a wumpus. Each wumpus is fruity. Each wumpus is a dumpus. Dumpuses are opaque. Each dumpus is a jompus. Jompuses are temperate. Jompuses are vumpuses. Vumpuses are liquid. Vumpuses are numpuses. Numpuses are not bitter. Impuses are not happy. Each numpus is a tumpus. Tumpuses are happy. Tumpuses are zumpuses. Sally is a dumpus.\n\nIs the following statement true or false? Sally is happy.", + "answer": true, + "original_context": "Every rompus is small. Each rompus is a wumpus. Each wumpus is fruity. Each wumpus is a dumpus. Dumpuses are opaque. Each dumpus is a jompus. Jompuses are temperate. Jompuses are vumpuses. Vumpuses are liquid. Vumpuses are numpuses. Numpuses are not bitter. Impuses are not happy. Each numpus is a tumpus. Tumpuses are happy. Tumpuses are zumpuses. Sally is a dumpus.", + "original_question": "Is the following statement true or false? Sally is happy." + }, + { + "id": "ProntoQA_397", + "question": "Tumpuses are large. Tumpuses are yumpuses. Every yumpus is dull. Yumpuses are zumpuses. Each zumpus is opaque. Zumpuses are jompuses. Jompuses are wooden. Each jompus is a rompus. Rompuses are amenable. Rompuses are wumpuses. Vumpuses are fruity. Every wumpus is not fruity. Wumpuses are dumpuses. Every dumpus is cold. Every dumpus is an impus. Each impus is not spicy. Each impus is a numpus. Stella is a yumpus.\n\nIs the following statement true or false? Stella is fruity.", + "answer": false, + "original_context": "Tumpuses are large. Tumpuses are yumpuses. Every yumpus is dull. Yumpuses are zumpuses. Each zumpus is opaque. Zumpuses are jompuses. Jompuses are wooden. Each jompus is a rompus. Rompuses are amenable. Rompuses are wumpuses. Vumpuses are fruity. Every wumpus is not fruity. Wumpuses are dumpuses. Every dumpus is cold. Every dumpus is an impus. Each impus is not spicy. Each impus is a numpus. Stella is a yumpus.", + "original_question": "Is the following statement true or false? Stella is fruity." + }, + { + "id": "ProntoQA_398", + "question": "Each numpus is not spicy. Numpuses are jompuses. Every jompus is amenable. Jompuses are dumpuses. Each dumpus is blue. Yumpuses are opaque. Every dumpus is a vumpus. Each vumpus is cold. Every vumpus is a wumpus. Wumpuses are small. Each wumpus is a tumpus. Each tumpus is nervous. Every tumpus is an impus. Every impus is not dull. Each impus is a rompus. Rompuses are not opaque. Each rompus is a zumpus. Wren is a vumpus.\n\nIs the following statement true or false? Wren is opaque.", + "answer": false, + "original_context": "Each numpus is not spicy. Numpuses are jompuses. Every jompus is amenable. Jompuses are dumpuses. Each dumpus is blue. Yumpuses are opaque. Every dumpus is a vumpus. Each vumpus is cold. Every vumpus is a wumpus. Wumpuses are small. Each wumpus is a tumpus. Each tumpus is nervous. Every tumpus is an impus. Every impus is not dull. Each impus is a rompus. Rompuses are not opaque. Each rompus is a zumpus. Wren is a vumpus.", + "original_question": "Is the following statement true or false? Wren is opaque." + }, + { + "id": "ProntoQA_399", + "question": "Each wumpus is cold. Every wumpus is a jompus. Each jompus is not orange. Every jompus is a numpus. Numpuses are nervous. Every numpus is a vumpus. Each vumpus is amenable. Each vumpus is a dumpus. Each dumpus is not opaque. Dumpuses are yumpuses. Yumpuses are luminous. Every yumpus is a zumpus. Tumpuses are opaque. Each zumpus is earthy. Zumpuses are rompuses. Rompuses are not large. Rompuses are impuses. Polly is a wumpus.\n\nIs the following statement true or false? Polly is not opaque.", + "answer": true, + "original_context": "Each wumpus is cold. Every wumpus is a jompus. Each jompus is not orange. Every jompus is a numpus. Numpuses are nervous. Every numpus is a vumpus. Each vumpus is amenable. Each vumpus is a dumpus. Each dumpus is not opaque. Dumpuses are yumpuses. Yumpuses are luminous. Every yumpus is a zumpus. Tumpuses are opaque. Each zumpus is earthy. Zumpuses are rompuses. Rompuses are not large. Rompuses are impuses. Polly is a wumpus.", + "original_question": "Is the following statement true or false? Polly is not opaque." + }, + { + "id": "ProntoQA_400", + "question": "Every vumpus is large. Every zumpus is happy. Vumpuses are rompuses. Rompuses are spicy. Rompuses are wumpuses. Wumpuses are mean. Each wumpus is a yumpus. Yumpuses are not brown. Yumpuses are jompuses. Each jompus is not cold. Each jompus is a numpus. Numpuses are not happy. Each numpus is a tumpus. Every tumpus is not earthy. Tumpuses are impuses. Each impus is dull. Impuses are dumpuses. Wren is a rompus.\n\nIs the following statement true or false? Wren is not happy.", + "answer": true, + "original_context": "Every vumpus is large. Every zumpus is happy. Vumpuses are rompuses. Rompuses are spicy. Rompuses are wumpuses. Wumpuses are mean. Each wumpus is a yumpus. Yumpuses are not brown. Yumpuses are jompuses. Each jompus is not cold. Each jompus is a numpus. Numpuses are not happy. Each numpus is a tumpus. Every tumpus is not earthy. Tumpuses are impuses. Each impus is dull. Impuses are dumpuses. Wren is a rompus.", + "original_question": "Is the following statement true or false? Wren is not happy." + }, + { + "id": "ProntoQA_401", + "question": "Rompuses are temperate. Each rompus is a wumpus. Wumpuses are not small. Wumpuses are impuses. Each impus is not blue. Every zumpus is liquid. Impuses are numpuses. Each numpus is not transparent. Every numpus is a yumpus. Yumpuses are shy. Yumpuses are jompuses. Jompuses are not liquid. Every jompus is a dumpus. Dumpuses are spicy. Every dumpus is a tumpus. Sally is a wumpus.\n\nIs the following statement true or false? Sally is not liquid.", + "answer": true, + "original_context": "Rompuses are temperate. Each rompus is a wumpus. Wumpuses are not small. Wumpuses are impuses. Each impus is not blue. Every zumpus is liquid. Impuses are numpuses. Each numpus is not transparent. Every numpus is a yumpus. Yumpuses are shy. Yumpuses are jompuses. Jompuses are not liquid. Every jompus is a dumpus. Dumpuses are spicy. Every dumpus is a tumpus. Sally is a wumpus.", + "original_question": "Is the following statement true or false? Sally is not liquid." + }, + { + "id": "ProntoQA_402", + "question": "Each wumpus is angry. Zumpuses are not bright. Each zumpus is a jompus. Jompuses are large. Jompuses are yumpuses. Yumpuses are liquid. Yumpuses are impuses. Each impus is hot. Each impus is a vumpus. Vumpuses are orange. Each vumpus is a rompus. Every rompus is not spicy. Each rompus is a numpus. Numpuses are not angry. Every numpus is a tumpus. Each tumpus is not shy. Tumpuses are dumpuses. Stella is a yumpus.\n\nIs the following statement true or false? Stella is not angry.", + "answer": true, + "original_context": "Each wumpus is angry. Zumpuses are not bright. Each zumpus is a jompus. Jompuses are large. Jompuses are yumpuses. Yumpuses are liquid. Yumpuses are impuses. Each impus is hot. Each impus is a vumpus. Vumpuses are orange. Each vumpus is a rompus. Every rompus is not spicy. Each rompus is a numpus. Numpuses are not angry. Every numpus is a tumpus. Each tumpus is not shy. Tumpuses are dumpuses. Stella is a yumpus.", + "original_question": "Is the following statement true or false? Stella is not angry." + }, + { + "id": "ProntoQA_403", + "question": "Each vumpus is sour. Vumpuses are wumpuses. Wumpuses are opaque. Wumpuses are yumpuses. Yumpuses are angry. Each yumpus is a tumpus. Tumpuses are earthy. Tumpuses are rompuses. Each rompus is not wooden. Every rompus is a zumpus. Zumpuses are not bright. Every zumpus is a jompus. Each jompus is blue. Each jompus is an impus. Every dumpus is wooden. Every impus is not large. Every impus is a numpus. Alex is a vumpus.\n\nIs the following statement true or false? Alex is wooden.", + "answer": false, + "original_context": "Each vumpus is sour. Vumpuses are wumpuses. Wumpuses are opaque. Wumpuses are yumpuses. Yumpuses are angry. Each yumpus is a tumpus. Tumpuses are earthy. Tumpuses are rompuses. Each rompus is not wooden. Every rompus is a zumpus. Zumpuses are not bright. Every zumpus is a jompus. Each jompus is blue. Each jompus is an impus. Every dumpus is wooden. Every impus is not large. Every impus is a numpus. Alex is a vumpus.", + "original_question": "Is the following statement true or false? Alex is wooden." + }, + { + "id": "ProntoQA_404", + "question": "Each yumpus is not orange. Yumpuses are tumpuses. Tumpuses are cold. Every tumpus is an impus. Each impus is spicy. Impuses are dumpuses. Every jompus is not happy. Dumpuses are not small. Dumpuses are wumpuses. Wumpuses are earthy. Wumpuses are vumpuses. Vumpuses are transparent. Each vumpus is a zumpus. Each zumpus is happy. Zumpuses are rompuses. Fae is an impus.\n\nIs the following statement true or false? Fae is not happy.", + "answer": false, + "original_context": "Each yumpus is not orange. Yumpuses are tumpuses. Tumpuses are cold. Every tumpus is an impus. Each impus is spicy. Impuses are dumpuses. Every jompus is not happy. Dumpuses are not small. Dumpuses are wumpuses. Wumpuses are earthy. Wumpuses are vumpuses. Vumpuses are transparent. Each vumpus is a zumpus. Each zumpus is happy. Zumpuses are rompuses. Fae is an impus.", + "original_question": "Is the following statement true or false? Fae is not happy." + }, + { + "id": "ProntoQA_405", + "question": "Each wumpus is wooden. Each wumpus is a tumpus. Every tumpus is feisty. Tumpuses are impuses. Impuses are orange. Each impus is a yumpus. Each yumpus is not bitter. Yumpuses are rompuses. Each rompus is not dull. Each rompus is a jompus. Each jompus is not floral. Jompuses are numpuses. Every numpus is kind. Numpuses are dumpuses. Dumpuses are transparent. Each zumpus is dull. Every dumpus is a vumpus. Wren is a wumpus.\n\nIs the following statement true or false? Wren is not dull.", + "answer": true, + "original_context": "Each wumpus is wooden. Each wumpus is a tumpus. Every tumpus is feisty. Tumpuses are impuses. Impuses are orange. Each impus is a yumpus. Each yumpus is not bitter. Yumpuses are rompuses. Each rompus is not dull. Each rompus is a jompus. Each jompus is not floral. Jompuses are numpuses. Every numpus is kind. Numpuses are dumpuses. Dumpuses are transparent. Each zumpus is dull. Every dumpus is a vumpus. Wren is a wumpus.", + "original_question": "Is the following statement true or false? Wren is not dull." + }, + { + "id": "ProntoQA_406", + "question": "Every impus is dull. Each impus is a tumpus. Tumpuses are feisty. Each tumpus is a yumpus. Yumpuses are luminous. Every yumpus is a zumpus. Each zumpus is brown. Zumpuses are rompuses. Rompuses are cold. Every rompus is a numpus. Every dumpus is not cold. Each numpus is transparent. Every numpus is a jompus. Every jompus is earthy. Jompuses are vumpuses. Every vumpus is aggressive. Each vumpus is a wumpus. Sally is an impus.\n\nIs the following statement true or false? Sally is cold.", + "answer": true, + "original_context": "Every impus is dull. Each impus is a tumpus. Tumpuses are feisty. Each tumpus is a yumpus. Yumpuses are luminous. Every yumpus is a zumpus. Each zumpus is brown. Zumpuses are rompuses. Rompuses are cold. Every rompus is a numpus. Every dumpus is not cold. Each numpus is transparent. Every numpus is a jompus. Every jompus is earthy. Jompuses are vumpuses. Every vumpus is aggressive. Each vumpus is a wumpus. Sally is an impus.", + "original_question": "Is the following statement true or false? Sally is cold." + }, + { + "id": "ProntoQA_407", + "question": "Each impus is earthy. Zumpuses are happy. Impuses are yumpuses. Each yumpus is transparent. Yumpuses are vumpuses. Every vumpus is not spicy. Every vumpus is a numpus. Numpuses are large. Every numpus is a rompus. Each rompus is not hot. Every rompus is a dumpus. Every dumpus is not happy. Every dumpus is a wumpus. Wumpuses are not red. Each wumpus is a jompus. Jompuses are kind. Every jompus is a tumpus. Max is a yumpus.\n\nIs the following statement true or false? Max is not happy.", + "answer": true, + "original_context": "Each impus is earthy. Zumpuses are happy. Impuses are yumpuses. Each yumpus is transparent. Yumpuses are vumpuses. Every vumpus is not spicy. Every vumpus is a numpus. Numpuses are large. Every numpus is a rompus. Each rompus is not hot. Every rompus is a dumpus. Every dumpus is not happy. Every dumpus is a wumpus. Wumpuses are not red. Each wumpus is a jompus. Jompuses are kind. Every jompus is a tumpus. Max is a yumpus.", + "original_question": "Is the following statement true or false? Max is not happy." + }, + { + "id": "ProntoQA_408", + "question": "Every yumpus is happy. Each yumpus is a jompus. Each jompus is sour. Each jompus is a rompus. Rompuses are large. Each wumpus is mean. Every rompus is a zumpus. Zumpuses are opaque. Zumpuses are impuses. Impuses are blue. Impuses are vumpuses. Vumpuses are not mean. Vumpuses are tumpuses. Tumpuses are wooden. Each tumpus is a numpus. Numpuses are not bright. Every numpus is a dumpus. Sally is a jompus.\n\nIs the following statement true or false? Sally is mean.", + "answer": false, + "original_context": "Every yumpus is happy. Each yumpus is a jompus. Each jompus is sour. Each jompus is a rompus. Rompuses are large. Each wumpus is mean. Every rompus is a zumpus. Zumpuses are opaque. Zumpuses are impuses. Impuses are blue. Impuses are vumpuses. Vumpuses are not mean. Vumpuses are tumpuses. Tumpuses are wooden. Each tumpus is a numpus. Numpuses are not bright. Every numpus is a dumpus. Sally is a jompus.", + "original_question": "Is the following statement true or false? Sally is mean." + }, + { + "id": "ProntoQA_409", + "question": "Every rompus is bright. Rompuses are zumpuses. Zumpuses are not blue. Zumpuses are jompuses. Jompuses are not opaque. Jompuses are numpuses. Numpuses are small. Numpuses are yumpuses. Each yumpus is feisty. Each yumpus is a wumpus. Every dumpus is not cold. Wumpuses are cold. Wumpuses are vumpuses. Stella is a zumpus.\n\nIs the following statement true or false? Stella is cold.", + "answer": true, + "original_context": "Every rompus is bright. Rompuses are zumpuses. Zumpuses are not blue. Zumpuses are jompuses. Jompuses are not opaque. Jompuses are numpuses. Numpuses are small. Numpuses are yumpuses. Each yumpus is feisty. Each yumpus is a wumpus. Every dumpus is not cold. Wumpuses are cold. Wumpuses are vumpuses. Stella is a zumpus.", + "original_question": "Is the following statement true or false? Stella is cold." + }, + { + "id": "ProntoQA_410", + "question": "Every vumpus is transparent. Each vumpus is a tumpus. Every tumpus is not cold. Tumpuses are rompuses. Each rompus is not amenable. Rompuses are jompuses. Every jompus is not large. Jompuses are impuses. Impuses are metallic. Impuses are zumpuses. Zumpuses are sweet. Each zumpus is a dumpus. Every dumpus is orange. Numpuses are not sweet. Dumpuses are yumpuses. Sam is a tumpus.\n\nIs the following statement true or false? Sam is not sweet.", + "answer": false, + "original_context": "Every vumpus is transparent. Each vumpus is a tumpus. Every tumpus is not cold. Tumpuses are rompuses. Each rompus is not amenable. Rompuses are jompuses. Every jompus is not large. Jompuses are impuses. Impuses are metallic. Impuses are zumpuses. Zumpuses are sweet. Each zumpus is a dumpus. Every dumpus is orange. Numpuses are not sweet. Dumpuses are yumpuses. Sam is a tumpus.", + "original_question": "Is the following statement true or false? Sam is not sweet." + }, + { + "id": "ProntoQA_411", + "question": "Each rompus is kind. Rompuses are wumpuses. Every wumpus is large. Numpuses are not bright. Every wumpus is an impus. Each impus is spicy. Each impus is a vumpus. Each vumpus is liquid. Every vumpus is a yumpus. Yumpuses are not floral. Each yumpus is a jompus. Jompuses are bright. Jompuses are dumpuses. Dumpuses are transparent. Each dumpus is a zumpus. Every zumpus is cold. Zumpuses are tumpuses. Stella is a wumpus.\n\nIs the following statement true or false? Stella is bright.", + "answer": true, + "original_context": "Each rompus is kind. Rompuses are wumpuses. Every wumpus is large. Numpuses are not bright. Every wumpus is an impus. Each impus is spicy. Each impus is a vumpus. Each vumpus is liquid. Every vumpus is a yumpus. Yumpuses are not floral. Each yumpus is a jompus. Jompuses are bright. Jompuses are dumpuses. Dumpuses are transparent. Each dumpus is a zumpus. Every zumpus is cold. Zumpuses are tumpuses. Stella is a wumpus.", + "original_question": "Is the following statement true or false? Stella is bright." + }, + { + "id": "ProntoQA_412", + "question": "Each vumpus is transparent. Every vumpus is an impus. Each impus is red. Every impus is a zumpus. Zumpuses are mean. Every zumpus is a numpus. Each numpus is not hot. Numpuses are tumpuses. Each tumpus is not happy. Each jompus is happy. Tumpuses are rompuses. Max is a vumpus.\n\nIs the following statement true or false? Max is happy.", + "answer": false, + "original_context": "Each vumpus is transparent. Every vumpus is an impus. Each impus is red. Every impus is a zumpus. Zumpuses are mean. Every zumpus is a numpus. Each numpus is not hot. Numpuses are tumpuses. Each tumpus is not happy. Each jompus is happy. Tumpuses are rompuses. Max is a vumpus.", + "original_question": "Is the following statement true or false? Max is happy." + }, + { + "id": "ProntoQA_413", + "question": "Wumpuses are dull. Wumpuses are vumpuses. Every vumpus is metallic. Vumpuses are rompuses. Every rompus is not aggressive. Every rompus is a tumpus. Tumpuses are nervous. Every tumpus is a dumpus. Each dumpus is spicy. Every dumpus is a yumpus. Yumpuses are transparent. Every yumpus is a numpus. Each numpus is not small. Each numpus is a zumpus. Every zumpus is not brown. Each zumpus is an impus. Jompuses are small. Rex is a rompus.\n\nIs the following statement true or false? Rex is small.", + "answer": false, + "original_context": "Wumpuses are dull. Wumpuses are vumpuses. Every vumpus is metallic. Vumpuses are rompuses. Every rompus is not aggressive. Every rompus is a tumpus. Tumpuses are nervous. Every tumpus is a dumpus. Each dumpus is spicy. Every dumpus is a yumpus. Yumpuses are transparent. Every yumpus is a numpus. Each numpus is not small. Each numpus is a zumpus. Every zumpus is not brown. Each zumpus is an impus. Jompuses are small. Rex is a rompus.", + "original_question": "Is the following statement true or false? Rex is small." + }, + { + "id": "ProntoQA_414", + "question": "Every wumpus is red. Wumpuses are tumpuses. Every rompus is not dull. Each tumpus is not sour. Tumpuses are jompuses. Jompuses are temperate. Jompuses are yumpuses. Each yumpus is nervous. Yumpuses are dumpuses. Dumpuses are not opaque. Dumpuses are impuses. Each impus is dull. Every impus is a vumpus. Every vumpus is earthy. Vumpuses are numpuses. Every numpus is large. Numpuses are zumpuses. Sally is a tumpus.\n\nIs the following statement true or false? Sally is not dull.", + "answer": false, + "original_context": "Every wumpus is red. Wumpuses are tumpuses. Every rompus is not dull. Each tumpus is not sour. Tumpuses are jompuses. Jompuses are temperate. Jompuses are yumpuses. Each yumpus is nervous. Yumpuses are dumpuses. Dumpuses are not opaque. Dumpuses are impuses. Each impus is dull. Every impus is a vumpus. Every vumpus is earthy. Vumpuses are numpuses. Every numpus is large. Numpuses are zumpuses. Sally is a tumpus.", + "original_question": "Is the following statement true or false? Sally is not dull." + }, + { + "id": "ProntoQA_415", + "question": "Every yumpus is feisty. Yumpuses are numpuses. Every numpus is not mean. Numpuses are tumpuses. Tumpuses are fruity. Tumpuses are rompuses. Each rompus is cold. Every rompus is a zumpus. Every zumpus is not dull. Zumpuses are impuses. Impuses are metallic. Every impus is a jompus. Wumpuses are red. Jompuses are small. Jompuses are vumpuses. Vumpuses are not red. Vumpuses are dumpuses. Alex is a rompus.\n\nIs the following statement true or false? Alex is red.", + "answer": false, + "original_context": "Every yumpus is feisty. Yumpuses are numpuses. Every numpus is not mean. Numpuses are tumpuses. Tumpuses are fruity. Tumpuses are rompuses. Each rompus is cold. Every rompus is a zumpus. Every zumpus is not dull. Zumpuses are impuses. Impuses are metallic. Every impus is a jompus. Wumpuses are red. Jompuses are small. Jompuses are vumpuses. Vumpuses are not red. Vumpuses are dumpuses. Alex is a rompus.", + "original_question": "Is the following statement true or false? Alex is red." + }, + { + "id": "ProntoQA_416", + "question": "Zumpuses are hot. Zumpuses are wumpuses. Wumpuses are fruity. Wumpuses are numpuses. Numpuses are not wooden. Numpuses are jompuses. Each jompus is not large. Jompuses are tumpuses. Tumpuses are opaque. Tumpuses are yumpuses. Each rompus is not opaque. Yumpuses are bitter. Yumpuses are dumpuses. Polly is a zumpus.\n\nIs the following statement true or false? Polly is not opaque.", + "answer": false, + "original_context": "Zumpuses are hot. Zumpuses are wumpuses. Wumpuses are fruity. Wumpuses are numpuses. Numpuses are not wooden. Numpuses are jompuses. Each jompus is not large. Jompuses are tumpuses. Tumpuses are opaque. Tumpuses are yumpuses. Each rompus is not opaque. Yumpuses are bitter. Yumpuses are dumpuses. Polly is a zumpus.", + "original_question": "Is the following statement true or false? Polly is not opaque." + }, + { + "id": "ProntoQA_417", + "question": "Every tumpus is orange. Tumpuses are vumpuses. Each vumpus is not small. Vumpuses are wumpuses. Wumpuses are transparent. Wumpuses are zumpuses. Each zumpus is dull. Every zumpus is a jompus. Every rompus is metallic. Each jompus is floral. Every jompus is a yumpus. Yumpuses are not metallic. Yumpuses are dumpuses. Each dumpus is not cold. Each dumpus is a numpus. Numpuses are shy. Numpuses are impuses. Polly is a vumpus.\n\nIs the following statement true or false? Polly is not metallic.", + "answer": true, + "original_context": "Every tumpus is orange. Tumpuses are vumpuses. Each vumpus is not small. Vumpuses are wumpuses. Wumpuses are transparent. Wumpuses are zumpuses. Each zumpus is dull. Every zumpus is a jompus. Every rompus is metallic. Each jompus is floral. Every jompus is a yumpus. Yumpuses are not metallic. Yumpuses are dumpuses. Each dumpus is not cold. Each dumpus is a numpus. Numpuses are shy. Numpuses are impuses. Polly is a vumpus.", + "original_question": "Is the following statement true or false? Polly is not metallic." + }, + { + "id": "ProntoQA_418", + "question": "Tumpuses are large. Every tumpus is a jompus. Each jompus is transparent. Every jompus is a wumpus. Each wumpus is not metallic. Every wumpus is a numpus. Numpuses are aggressive. Numpuses are dumpuses. Every rompus is not red. Dumpuses are red. Dumpuses are impuses. Impuses are bright. Each impus is a vumpus. Each vumpus is earthy. Vumpuses are yumpuses. Each yumpus is sweet. Each yumpus is a zumpus. Alex is a tumpus.\n\nIs the following statement true or false? Alex is not red.", + "answer": false, + "original_context": "Tumpuses are large. Every tumpus is a jompus. Each jompus is transparent. Every jompus is a wumpus. Each wumpus is not metallic. Every wumpus is a numpus. Numpuses are aggressive. Numpuses are dumpuses. Every rompus is not red. Dumpuses are red. Dumpuses are impuses. Impuses are bright. Each impus is a vumpus. Each vumpus is earthy. Vumpuses are yumpuses. Each yumpus is sweet. Each yumpus is a zumpus. Alex is a tumpus.", + "original_question": "Is the following statement true or false? Alex is not red." + }, + { + "id": "ProntoQA_419", + "question": "Each dumpus is not orange. Every dumpus is a tumpus. Tumpuses are floral. Tumpuses are rompuses. Rompuses are luminous. Each rompus is a yumpus. Each vumpus is small. Yumpuses are not cold. Each yumpus is a zumpus. Every zumpus is opaque. Zumpuses are jompuses. Jompuses are nervous. Each jompus is an impus. Impuses are not small. Each impus is a wumpus. Each wumpus is angry. Wumpuses are numpuses. Wren is a rompus.\n\nIs the following statement true or false? Wren is not small.", + "answer": true, + "original_context": "Each dumpus is not orange. Every dumpus is a tumpus. Tumpuses are floral. Tumpuses are rompuses. Rompuses are luminous. Each rompus is a yumpus. Each vumpus is small. Yumpuses are not cold. Each yumpus is a zumpus. Every zumpus is opaque. Zumpuses are jompuses. Jompuses are nervous. Each jompus is an impus. Impuses are not small. Each impus is a wumpus. Each wumpus is angry. Wumpuses are numpuses. Wren is a rompus.", + "original_question": "Is the following statement true or false? Wren is not small." + }, + { + "id": "ProntoQA_420", + "question": "Every impus is bright. Every impus is a dumpus. Dumpuses are happy. Dumpuses are yumpuses. Every yumpus is not sour. Yumpuses are numpuses. Every numpus is mean. Numpuses are tumpuses. Every tumpus is hot. Tumpuses are wumpuses. Wumpuses are metallic. Every wumpus is a jompus. Rompuses are not opaque. Each jompus is opaque. Jompuses are zumpuses. Each zumpus is blue. Zumpuses are vumpuses. Rex is a yumpus.\n\nIs the following statement true or false? Rex is not opaque.", + "answer": false, + "original_context": "Every impus is bright. Every impus is a dumpus. Dumpuses are happy. Dumpuses are yumpuses. Every yumpus is not sour. Yumpuses are numpuses. Every numpus is mean. Numpuses are tumpuses. Every tumpus is hot. Tumpuses are wumpuses. Wumpuses are metallic. Every wumpus is a jompus. Rompuses are not opaque. Each jompus is opaque. Jompuses are zumpuses. Each zumpus is blue. Zumpuses are vumpuses. Rex is a yumpus.", + "original_question": "Is the following statement true or false? Rex is not opaque." + }, + { + "id": "ProntoQA_421", + "question": "Every numpus is not transparent. Every numpus is a wumpus. Every wumpus is not hot. Every wumpus is an impus. Each impus is liquid. Impuses are tumpuses. Tumpuses are brown. Tumpuses are jompuses. Jompuses are not spicy. Jompuses are dumpuses. Dumpuses are kind. Dumpuses are rompuses. Each rompus is not floral. Every rompus is a yumpus. Yumpuses are not nervous. Each zumpus is nervous. Each yumpus is a vumpus. Alex is a tumpus.\n\nIs the following statement true or false? Alex is nervous.", + "answer": false, + "original_context": "Every numpus is not transparent. Every numpus is a wumpus. Every wumpus is not hot. Every wumpus is an impus. Each impus is liquid. Impuses are tumpuses. Tumpuses are brown. Tumpuses are jompuses. Jompuses are not spicy. Jompuses are dumpuses. Dumpuses are kind. Dumpuses are rompuses. Each rompus is not floral. Every rompus is a yumpus. Yumpuses are not nervous. Each zumpus is nervous. Each yumpus is a vumpus. Alex is a tumpus.", + "original_question": "Is the following statement true or false? Alex is nervous." + }, + { + "id": "ProntoQA_422", + "question": "Every wumpus is small. Wumpuses are yumpuses. Yumpuses are spicy. Every yumpus is a jompus. Jompuses are hot. Jompuses are tumpuses. Tumpuses are transparent. Impuses are not happy. Tumpuses are rompuses. Every rompus is kind. Each rompus is a numpus. Numpuses are earthy. Each numpus is a zumpus. Zumpuses are wooden. Zumpuses are dumpuses. Dumpuses are happy. Dumpuses are vumpuses. Fae is a tumpus.\n\nIs the following statement true or false? Fae is not happy.", + "answer": false, + "original_context": "Every wumpus is small. Wumpuses are yumpuses. Yumpuses are spicy. Every yumpus is a jompus. Jompuses are hot. Jompuses are tumpuses. Tumpuses are transparent. Impuses are not happy. Tumpuses are rompuses. Every rompus is kind. Each rompus is a numpus. Numpuses are earthy. Each numpus is a zumpus. Zumpuses are wooden. Zumpuses are dumpuses. Dumpuses are happy. Dumpuses are vumpuses. Fae is a tumpus.", + "original_question": "Is the following statement true or false? Fae is not happy." + }, + { + "id": "ProntoQA_423", + "question": "Each rompus is not cold. Rompuses are wumpuses. Zumpuses are not transparent. Wumpuses are orange. Every wumpus is a yumpus. Each yumpus is not fruity. Yumpuses are numpuses. Numpuses are sour. Numpuses are jompuses. Each jompus is transparent. Jompuses are tumpuses. Tumpuses are liquid. Every tumpus is a dumpus. Dumpuses are angry. Dumpuses are vumpuses. Vumpuses are shy. Vumpuses are impuses. Wren is a rompus.\n\nIs the following statement true or false? Wren is not transparent.", + "answer": false, + "original_context": "Each rompus is not cold. Rompuses are wumpuses. Zumpuses are not transparent. Wumpuses are orange. Every wumpus is a yumpus. Each yumpus is not fruity. Yumpuses are numpuses. Numpuses are sour. Numpuses are jompuses. Each jompus is transparent. Jompuses are tumpuses. Tumpuses are liquid. Every tumpus is a dumpus. Dumpuses are angry. Dumpuses are vumpuses. Vumpuses are shy. Vumpuses are impuses. Wren is a rompus.", + "original_question": "Is the following statement true or false? Wren is not transparent." + }, + { + "id": "ProntoQA_424", + "question": "Vumpuses are not nervous. Every vumpus is a jompus. Each jompus is fruity. Jompuses are rompuses. Each rompus is wooden. Each rompus is an impus. Wumpuses are mean. Impuses are transparent. Each impus is a numpus. Numpuses are not orange. Every numpus is a zumpus. Zumpuses are cold. Zumpuses are yumpuses. Each yumpus is not mean. Every yumpus is a tumpus. Polly is a rompus.\n\nIs the following statement true or false? Polly is not mean.", + "answer": true, + "original_context": "Vumpuses are not nervous. Every vumpus is a jompus. Each jompus is fruity. Jompuses are rompuses. Each rompus is wooden. Each rompus is an impus. Wumpuses are mean. Impuses are transparent. Each impus is a numpus. Numpuses are not orange. Every numpus is a zumpus. Zumpuses are cold. Zumpuses are yumpuses. Each yumpus is not mean. Every yumpus is a tumpus. Polly is a rompus.", + "original_question": "Is the following statement true or false? Polly is not mean." + }, + { + "id": "ProntoQA_425", + "question": "Impuses are shy. Impuses are rompuses. Each rompus is temperate. Rompuses are vumpuses. Vumpuses are dull. Every vumpus is a wumpus. Each wumpus is not fruity. Every wumpus is a zumpus. Each zumpus is not wooden. Every zumpus is a yumpus. Each yumpus is red. Every tumpus is not opaque. Every yumpus is a numpus. Each numpus is opaque. Every numpus is a jompus. Jompuses are small. Every jompus is a dumpus. Wren is a vumpus.\n\nIs the following statement true or false? Wren is not opaque.", + "answer": false, + "original_context": "Impuses are shy. Impuses are rompuses. Each rompus is temperate. Rompuses are vumpuses. Vumpuses are dull. Every vumpus is a wumpus. Each wumpus is not fruity. Every wumpus is a zumpus. Each zumpus is not wooden. Every zumpus is a yumpus. Each yumpus is red. Every tumpus is not opaque. Every yumpus is a numpus. Each numpus is opaque. Every numpus is a jompus. Jompuses are small. Every jompus is a dumpus. Wren is a vumpus.", + "original_question": "Is the following statement true or false? Wren is not opaque." + }, + { + "id": "ProntoQA_426", + "question": "Vumpuses are not bitter. Every vumpus is a rompus. Every rompus is temperate. Rompuses are zumpuses. Each zumpus is not large. Each zumpus is a jompus. Each jompus is not bright. Jompuses are tumpuses. Each tumpus is orange. Tumpuses are yumpuses. Yumpuses are feisty. Every yumpus is a wumpus. Wumpuses are transparent. Each wumpus is an impus. Every impus is not floral. Numpuses are floral. Impuses are dumpuses. Wren is a jompus.\n\nIs the following statement true or false? Wren is floral.", + "answer": false, + "original_context": "Vumpuses are not bitter. Every vumpus is a rompus. Every rompus is temperate. Rompuses are zumpuses. Each zumpus is not large. Each zumpus is a jompus. Each jompus is not bright. Jompuses are tumpuses. Each tumpus is orange. Tumpuses are yumpuses. Yumpuses are feisty. Every yumpus is a wumpus. Wumpuses are transparent. Each wumpus is an impus. Every impus is not floral. Numpuses are floral. Impuses are dumpuses. Wren is a jompus.", + "original_question": "Is the following statement true or false? Wren is floral." + }, + { + "id": "ProntoQA_427", + "question": "Jompuses are bright. Jompuses are vumpuses. Each vumpus is cold. Vumpuses are dumpuses. Dumpuses are mean. Dumpuses are rompuses. Each rompus is spicy. Rompuses are impuses. Impuses are not earthy. Every impus is a yumpus. Each numpus is not small. Yumpuses are not metallic. Yumpuses are tumpuses. Tumpuses are small. Tumpuses are zumpuses. Zumpuses are opaque. Zumpuses are wumpuses. Alex is a dumpus.\n\nIs the following statement true or false? Alex is small.", + "answer": true, + "original_context": "Jompuses are bright. Jompuses are vumpuses. Each vumpus is cold. Vumpuses are dumpuses. Dumpuses are mean. Dumpuses are rompuses. Each rompus is spicy. Rompuses are impuses. Impuses are not earthy. Every impus is a yumpus. Each numpus is not small. Yumpuses are not metallic. Yumpuses are tumpuses. Tumpuses are small. Tumpuses are zumpuses. Zumpuses are opaque. Zumpuses are wumpuses. Alex is a dumpus.", + "original_question": "Is the following statement true or false? Alex is small." + }, + { + "id": "ProntoQA_428", + "question": "Jompuses are feisty. Yumpuses are sour. Each yumpus is a rompus. Every rompus is dull. Every rompus is a wumpus. Every wumpus is small. Wumpuses are numpuses. Every numpus is metallic. Numpuses are tumpuses. Each tumpus is not feisty. Tumpuses are zumpuses. Zumpuses are fruity. Every zumpus is a vumpus. Vumpuses are angry. Vumpuses are dumpuses. Each dumpus is cold. Dumpuses are impuses. Rex is a yumpus.\n\nIs the following statement true or false? Rex is not feisty.", + "answer": true, + "original_context": "Jompuses are feisty. Yumpuses are sour. Each yumpus is a rompus. Every rompus is dull. Every rompus is a wumpus. Every wumpus is small. Wumpuses are numpuses. Every numpus is metallic. Numpuses are tumpuses. Each tumpus is not feisty. Tumpuses are zumpuses. Zumpuses are fruity. Every zumpus is a vumpus. Vumpuses are angry. Vumpuses are dumpuses. Each dumpus is cold. Dumpuses are impuses. Rex is a yumpus.", + "original_question": "Is the following statement true or false? Rex is not feisty." + }, + { + "id": "ProntoQA_429", + "question": "Every tumpus is earthy. Each tumpus is a jompus. Every jompus is spicy. Jompuses are impuses. Impuses are red. Each impus is a rompus. Numpuses are not shy. Every rompus is not amenable. Rompuses are zumpuses. Zumpuses are cold. Zumpuses are vumpuses. Vumpuses are metallic. Vumpuses are wumpuses. Wumpuses are shy. Wumpuses are yumpuses. Yumpuses are small. Yumpuses are dumpuses. Wren is an impus.\n\nIs the following statement true or false? Wren is not shy.", + "answer": false, + "original_context": "Every tumpus is earthy. Each tumpus is a jompus. Every jompus is spicy. Jompuses are impuses. Impuses are red. Each impus is a rompus. Numpuses are not shy. Every rompus is not amenable. Rompuses are zumpuses. Zumpuses are cold. Zumpuses are vumpuses. Vumpuses are metallic. Vumpuses are wumpuses. Wumpuses are shy. Wumpuses are yumpuses. Yumpuses are small. Yumpuses are dumpuses. Wren is an impus.", + "original_question": "Is the following statement true or false? Wren is not shy." + }, + { + "id": "ProntoQA_430", + "question": "Zumpuses are transparent. Every zumpus is a tumpus. Each vumpus is shy. Tumpuses are red. Tumpuses are numpuses. Each numpus is floral. Each numpus is a yumpus. Yumpuses are not bright. Yumpuses are jompuses. Jompuses are mean. Jompuses are rompuses. Each rompus is not shy. Each rompus is an impus. Impuses are small. Impuses are wumpuses. Wumpuses are luminous. Wumpuses are dumpuses. Wren is a tumpus.\n\nIs the following statement true or false? Wren is not shy.", + "answer": true, + "original_context": "Zumpuses are transparent. Every zumpus is a tumpus. Each vumpus is shy. Tumpuses are red. Tumpuses are numpuses. Each numpus is floral. Each numpus is a yumpus. Yumpuses are not bright. Yumpuses are jompuses. Jompuses are mean. Jompuses are rompuses. Each rompus is not shy. Each rompus is an impus. Impuses are small. Impuses are wumpuses. Wumpuses are luminous. Wumpuses are dumpuses. Wren is a tumpus.", + "original_question": "Is the following statement true or false? Wren is not shy." + }, + { + "id": "ProntoQA_431", + "question": "Impuses are transparent. Each impus is a jompus. Jompuses are not spicy. Jompuses are zumpuses. Every zumpus is hot. Each zumpus is a dumpus. Every dumpus is floral. Dumpuses are wumpuses. Wumpuses are liquid. Wumpuses are numpuses. Numpuses are not nervous. Each vumpus is not large. Every numpus is a rompus. Rompuses are large. Rompuses are yumpuses. Each yumpus is dull. Yumpuses are tumpuses. Rex is a zumpus.\n\nIs the following statement true or false? Rex is large.", + "answer": true, + "original_context": "Impuses are transparent. Each impus is a jompus. Jompuses are not spicy. Jompuses are zumpuses. Every zumpus is hot. Each zumpus is a dumpus. Every dumpus is floral. Dumpuses are wumpuses. Wumpuses are liquid. Wumpuses are numpuses. Numpuses are not nervous. Each vumpus is not large. Every numpus is a rompus. Rompuses are large. Rompuses are yumpuses. Each yumpus is dull. Yumpuses are tumpuses. Rex is a zumpus.", + "original_question": "Is the following statement true or false? Rex is large." + }, + { + "id": "ProntoQA_432", + "question": "Yumpuses are hot. Yumpuses are dumpuses. Each dumpus is not dull. Each wumpus is not red. Dumpuses are impuses. Each impus is large. Impuses are tumpuses. Every tumpus is amenable. Tumpuses are vumpuses. Vumpuses are red. Every vumpus is a jompus. Every jompus is happy. Every jompus is a numpus. Sally is a yumpus.\n\nIs the following statement true or false? Sally is not red.", + "answer": false, + "original_context": "Yumpuses are hot. Yumpuses are dumpuses. Each dumpus is not dull. Each wumpus is not red. Dumpuses are impuses. Each impus is large. Impuses are tumpuses. Every tumpus is amenable. Tumpuses are vumpuses. Vumpuses are red. Every vumpus is a jompus. Every jompus is happy. Every jompus is a numpus. Sally is a yumpus.", + "original_question": "Is the following statement true or false? Sally is not red." + }, + { + "id": "ProntoQA_433", + "question": "Yumpuses are floral. Yumpuses are dumpuses. Dumpuses are sweet. Every dumpus is a jompus. Each jompus is luminous. Jompuses are tumpuses. Tumpuses are blue. Every tumpus is a wumpus. Every wumpus is hot. Wumpuses are zumpuses. Every zumpus is large. Numpuses are not hot. Zumpuses are vumpuses. Vumpuses are not opaque. Every vumpus is a rompus. Each rompus is bright. Every rompus is an impus. Wren is a yumpus.\n\nIs the following statement true or false? Wren is not hot.", + "answer": false, + "original_context": "Yumpuses are floral. Yumpuses are dumpuses. Dumpuses are sweet. Every dumpus is a jompus. Each jompus is luminous. Jompuses are tumpuses. Tumpuses are blue. Every tumpus is a wumpus. Every wumpus is hot. Wumpuses are zumpuses. Every zumpus is large. Numpuses are not hot. Zumpuses are vumpuses. Vumpuses are not opaque. Every vumpus is a rompus. Each rompus is bright. Every rompus is an impus. Wren is a yumpus.", + "original_question": "Is the following statement true or false? Wren is not hot." + }, + { + "id": "ProntoQA_434", + "question": "Jompuses are earthy. Jompuses are wumpuses. Wumpuses are not liquid. Wumpuses are yumpuses. Every yumpus is orange. Impuses are not small. Each yumpus is a dumpus. Dumpuses are transparent. Dumpuses are tumpuses. Tumpuses are small. Each tumpus is a numpus. Every numpus is not bright. Numpuses are rompuses. Every rompus is angry. Rompuses are vumpuses. Vumpuses are nervous. Every vumpus is a zumpus. Max is a jompus.\n\nIs the following statement true or false? Max is small.", + "answer": true, + "original_context": "Jompuses are earthy. Jompuses are wumpuses. Wumpuses are not liquid. Wumpuses are yumpuses. Every yumpus is orange. Impuses are not small. Each yumpus is a dumpus. Dumpuses are transparent. Dumpuses are tumpuses. Tumpuses are small. Each tumpus is a numpus. Every numpus is not bright. Numpuses are rompuses. Every rompus is angry. Rompuses are vumpuses. Vumpuses are nervous. Every vumpus is a zumpus. Max is a jompus.", + "original_question": "Is the following statement true or false? Max is small." + }, + { + "id": "ProntoQA_435", + "question": "Every impus is happy. Each impus is a yumpus. Every yumpus is not floral. Wumpuses are opaque. Yumpuses are tumpuses. Each tumpus is liquid. Every tumpus is a jompus. Jompuses are not cold. Jompuses are dumpuses. Each dumpus is mean. Every dumpus is a rompus. Rompuses are not opaque. Every rompus is a zumpus. Every zumpus is dull. Zumpuses are numpuses. Numpuses are small. Numpuses are vumpuses. Rex is a yumpus.\n\nIs the following statement true or false? Rex is not opaque.", + "answer": true, + "original_context": "Every impus is happy. Each impus is a yumpus. Every yumpus is not floral. Wumpuses are opaque. Yumpuses are tumpuses. Each tumpus is liquid. Every tumpus is a jompus. Jompuses are not cold. Jompuses are dumpuses. Each dumpus is mean. Every dumpus is a rompus. Rompuses are not opaque. Every rompus is a zumpus. Every zumpus is dull. Zumpuses are numpuses. Numpuses are small. Numpuses are vumpuses. Rex is a yumpus.", + "original_question": "Is the following statement true or false? Rex is not opaque." + }, + { + "id": "ProntoQA_436", + "question": "Every impus is not wooden. Impuses are rompuses. Rompuses are dull. Rompuses are jompuses. Every jompus is hot. Jompuses are vumpuses. Vumpuses are brown. Vumpuses are dumpuses. Each dumpus is not small. Dumpuses are yumpuses. Tumpuses are not floral. Every yumpus is floral. Each yumpus is a zumpus. Zumpuses are not happy. Every zumpus is a wumpus. Every wumpus is not mean. Wumpuses are numpuses. Max is a rompus.\n\nIs the following statement true or false? Max is floral.", + "answer": true, + "original_context": "Every impus is not wooden. Impuses are rompuses. Rompuses are dull. Rompuses are jompuses. Every jompus is hot. Jompuses are vumpuses. Vumpuses are brown. Vumpuses are dumpuses. Each dumpus is not small. Dumpuses are yumpuses. Tumpuses are not floral. Every yumpus is floral. Each yumpus is a zumpus. Zumpuses are not happy. Every zumpus is a wumpus. Every wumpus is not mean. Wumpuses are numpuses. Max is a rompus.", + "original_question": "Is the following statement true or false? Max is floral." + }, + { + "id": "ProntoQA_437", + "question": "Every tumpus is cold. Tumpuses are impuses. Impuses are bright. Impuses are yumpuses. Yumpuses are spicy. Every rompus is earthy. Each yumpus is a wumpus. Wumpuses are small. Wumpuses are jompuses. Jompuses are orange. Jompuses are vumpuses. Each vumpus is not earthy. Each vumpus is a dumpus. Fae is an impus.\n\nIs the following statement true or false? Fae is earthy.", + "answer": false, + "original_context": "Every tumpus is cold. Tumpuses are impuses. Impuses are bright. Impuses are yumpuses. Yumpuses are spicy. Every rompus is earthy. Each yumpus is a wumpus. Wumpuses are small. Wumpuses are jompuses. Jompuses are orange. Jompuses are vumpuses. Each vumpus is not earthy. Each vumpus is a dumpus. Fae is an impus.", + "original_question": "Is the following statement true or false? Fae is earthy." + }, + { + "id": "ProntoQA_438", + "question": "Zumpuses are cold. Every tumpus is small. Zumpuses are wumpuses. Wumpuses are orange. Wumpuses are dumpuses. Every dumpus is not sweet. Each dumpus is a vumpus. Each vumpus is liquid. Every vumpus is a numpus. Numpuses are floral. Numpuses are rompuses. Each rompus is happy. Rompuses are impuses. Impuses are not small. Impuses are yumpuses. Yumpuses are not dull. Yumpuses are jompuses. Sam is a dumpus.\n\nIs the following statement true or false? Sam is small.", + "answer": false, + "original_context": "Zumpuses are cold. Every tumpus is small. Zumpuses are wumpuses. Wumpuses are orange. Wumpuses are dumpuses. Every dumpus is not sweet. Each dumpus is a vumpus. Each vumpus is liquid. Every vumpus is a numpus. Numpuses are floral. Numpuses are rompuses. Each rompus is happy. Rompuses are impuses. Impuses are not small. Impuses are yumpuses. Yumpuses are not dull. Yumpuses are jompuses. Sam is a dumpus.", + "original_question": "Is the following statement true or false? Sam is small." + }, + { + "id": "ProntoQA_439", + "question": "Each tumpus is orange. Rompuses are not temperate. Rompuses are wumpuses. Wumpuses are fruity. Every wumpus is a yumpus. Yumpuses are happy. Yumpuses are vumpuses. Each vumpus is transparent. Each vumpus is a zumpus. Every zumpus is amenable. Every zumpus is a numpus. Every numpus is not orange. Numpuses are dumpuses. Each dumpus is metallic. Every dumpus is a jompus. Sally is a wumpus.\n\nIs the following statement true or false? Sally is not orange.", + "answer": true, + "original_context": "Each tumpus is orange. Rompuses are not temperate. Rompuses are wumpuses. Wumpuses are fruity. Every wumpus is a yumpus. Yumpuses are happy. Yumpuses are vumpuses. Each vumpus is transparent. Each vumpus is a zumpus. Every zumpus is amenable. Every zumpus is a numpus. Every numpus is not orange. Numpuses are dumpuses. Each dumpus is metallic. Every dumpus is a jompus. Sally is a wumpus.", + "original_question": "Is the following statement true or false? Sally is not orange." + }, + { + "id": "ProntoQA_440", + "question": "Rompuses are fruity. Rompuses are wumpuses. Wumpuses are dull. Wumpuses are impuses. Every impus is wooden. Every impus is a vumpus. Every vumpus is not mean. Every vumpus is a jompus. Every jompus is large. Every jompus is a tumpus. Tumpuses are cold. Tumpuses are numpuses. Each numpus is not transparent. Every numpus is a yumpus. Yumpuses are nervous. Each yumpus is a dumpus. Every zumpus is not cold. Stella is a wumpus.\n\nIs the following statement true or false? Stella is cold.", + "answer": true, + "original_context": "Rompuses are fruity. Rompuses are wumpuses. Wumpuses are dull. Wumpuses are impuses. Every impus is wooden. Every impus is a vumpus. Every vumpus is not mean. Every vumpus is a jompus. Every jompus is large. Every jompus is a tumpus. Tumpuses are cold. Tumpuses are numpuses. Each numpus is not transparent. Every numpus is a yumpus. Yumpuses are nervous. Each yumpus is a dumpus. Every zumpus is not cold. Stella is a wumpus.", + "original_question": "Is the following statement true or false? Stella is cold." + }, + { + "id": "ProntoQA_441", + "question": "Numpuses are aggressive. Yumpuses are small. Every numpus is an impus. Impuses are shy. Impuses are wumpuses. Wumpuses are red. Wumpuses are rompuses. Each rompus is earthy. Every rompus is a dumpus. Each dumpus is transparent. Dumpuses are vumpuses. Every vumpus is not small. Each vumpus is a tumpus. Tumpuses are metallic. Each tumpus is a zumpus. Zumpuses are dull. Each zumpus is a jompus. Fae is an impus.\n\nIs the following statement true or false? Fae is small.", + "answer": false, + "original_context": "Numpuses are aggressive. Yumpuses are small. Every numpus is an impus. Impuses are shy. Impuses are wumpuses. Wumpuses are red. Wumpuses are rompuses. Each rompus is earthy. Every rompus is a dumpus. Each dumpus is transparent. Dumpuses are vumpuses. Every vumpus is not small. Each vumpus is a tumpus. Tumpuses are metallic. Each tumpus is a zumpus. Zumpuses are dull. Each zumpus is a jompus. Fae is an impus.", + "original_question": "Is the following statement true or false? Fae is small." + }, + { + "id": "ProntoQA_442", + "question": "Each numpus is bright. Numpuses are yumpuses. Yumpuses are not kind. Each yumpus is an impus. Every impus is not luminous. Each impus is a vumpus. Each vumpus is transparent. Vumpuses are tumpuses. Tumpuses are not floral. Tumpuses are rompuses. Rompuses are not large. Rompuses are zumpuses. Wumpuses are large. Each zumpus is not cold. Zumpuses are dumpuses. Dumpuses are not shy. Every dumpus is a jompus. Alex is a yumpus.\n\nIs the following statement true or false? Alex is not large.", + "answer": true, + "original_context": "Each numpus is bright. Numpuses are yumpuses. Yumpuses are not kind. Each yumpus is an impus. Every impus is not luminous. Each impus is a vumpus. Each vumpus is transparent. Vumpuses are tumpuses. Tumpuses are not floral. Tumpuses are rompuses. Rompuses are not large. Rompuses are zumpuses. Wumpuses are large. Each zumpus is not cold. Zumpuses are dumpuses. Dumpuses are not shy. Every dumpus is a jompus. Alex is a yumpus.", + "original_question": "Is the following statement true or false? Alex is not large." + }, + { + "id": "ProntoQA_443", + "question": "Numpuses are not metallic. Each yumpus is hot. Yumpuses are dumpuses. Dumpuses are not bright. Every dumpus is a rompus. Every rompus is spicy. Every rompus is a vumpus. Every vumpus is not fruity. Vumpuses are tumpuses. Tumpuses are large. Every tumpus is a wumpus. Every wumpus is not amenable. Every wumpus is a zumpus. Zumpuses are metallic. Every zumpus is an impus. Each impus is not transparent. Every impus is a jompus. Max is a rompus.\n\nIs the following statement true or false? Max is not metallic.", + "answer": false, + "original_context": "Numpuses are not metallic. Each yumpus is hot. Yumpuses are dumpuses. Dumpuses are not bright. Every dumpus is a rompus. Every rompus is spicy. Every rompus is a vumpus. Every vumpus is not fruity. Vumpuses are tumpuses. Tumpuses are large. Every tumpus is a wumpus. Every wumpus is not amenable. Every wumpus is a zumpus. Zumpuses are metallic. Every zumpus is an impus. Each impus is not transparent. Every impus is a jompus. Max is a rompus.", + "original_question": "Is the following statement true or false? Max is not metallic." + }, + { + "id": "ProntoQA_444", + "question": "Every numpus is bright. Numpuses are zumpuses. Each zumpus is not fruity. Each zumpus is a yumpus. Each yumpus is bitter. Yumpuses are wumpuses. Every wumpus is feisty. Every wumpus is a dumpus. Each dumpus is angry. Each jompus is large. Each dumpus is a vumpus. Every vumpus is not temperate. Vumpuses are tumpuses. Tumpuses are transparent. Each tumpus is an impus. Each impus is not large. Impuses are rompuses. Alex is a wumpus.\n\nIs the following statement true or false? Alex is not large.", + "answer": true, + "original_context": "Every numpus is bright. Numpuses are zumpuses. Each zumpus is not fruity. Each zumpus is a yumpus. Each yumpus is bitter. Yumpuses are wumpuses. Every wumpus is feisty. Every wumpus is a dumpus. Each dumpus is angry. Each jompus is large. Each dumpus is a vumpus. Every vumpus is not temperate. Vumpuses are tumpuses. Tumpuses are transparent. Each tumpus is an impus. Each impus is not large. Impuses are rompuses. Alex is a wumpus.", + "original_question": "Is the following statement true or false? Alex is not large." + }, + { + "id": "ProntoQA_445", + "question": "Yumpuses are transparent. Each yumpus is an impus. Every impus is not bright. Each impus is a zumpus. Zumpuses are not large. Zumpuses are jompuses. Every jompus is floral. Rompuses are not sour. Each jompus is a wumpus. Wumpuses are brown. Wumpuses are dumpuses. Every dumpus is not cold. Every dumpus is a vumpus. Every vumpus is not liquid. Vumpuses are numpuses. Each numpus is sour. Every numpus is a tumpus. Stella is a jompus.\n\nIs the following statement true or false? Stella is sour.", + "answer": true, + "original_context": "Yumpuses are transparent. Each yumpus is an impus. Every impus is not bright. Each impus is a zumpus. Zumpuses are not large. Zumpuses are jompuses. Every jompus is floral. Rompuses are not sour. Each jompus is a wumpus. Wumpuses are brown. Wumpuses are dumpuses. Every dumpus is not cold. Every dumpus is a vumpus. Every vumpus is not liquid. Vumpuses are numpuses. Each numpus is sour. Every numpus is a tumpus. Stella is a jompus.", + "original_question": "Is the following statement true or false? Stella is sour." + }, + { + "id": "ProntoQA_446", + "question": "Yumpuses are not temperate. Yumpuses are dumpuses. Dumpuses are shy. Each dumpus is a numpus. Every numpus is floral. Numpuses are jompuses. Jompuses are not amenable. Each jompus is a zumpus. Wumpuses are transparent. Zumpuses are not transparent. Zumpuses are impuses. Impuses are brown. Impuses are vumpuses. Each vumpus is not sour. Each vumpus is a tumpus. Tumpuses are wooden. Every tumpus is a rompus. Alex is a yumpus.\n\nIs the following statement true or false? Alex is transparent.", + "answer": false, + "original_context": "Yumpuses are not temperate. Yumpuses are dumpuses. Dumpuses are shy. Each dumpus is a numpus. Every numpus is floral. Numpuses are jompuses. Jompuses are not amenable. Each jompus is a zumpus. Wumpuses are transparent. Zumpuses are not transparent. Zumpuses are impuses. Impuses are brown. Impuses are vumpuses. Each vumpus is not sour. Each vumpus is a tumpus. Tumpuses are wooden. Every tumpus is a rompus. Alex is a yumpus.", + "original_question": "Is the following statement true or false? Alex is transparent." + }, + { + "id": "ProntoQA_447", + "question": "Each tumpus is blue. Each tumpus is an impus. Each impus is not sour. Each impus is a wumpus. Wumpuses are feisty. Every wumpus is a yumpus. Every yumpus is hot. Yumpuses are jompuses. Every jompus is not mean. Every jompus is a vumpus. Vumpuses are luminous. Every vumpus is a dumpus. Every zumpus is mean. Sally is a tumpus.\n\nIs the following statement true or false? Sally is mean.", + "answer": false, + "original_context": "Each tumpus is blue. Each tumpus is an impus. Each impus is not sour. Each impus is a wumpus. Wumpuses are feisty. Every wumpus is a yumpus. Every yumpus is hot. Yumpuses are jompuses. Every jompus is not mean. Every jompus is a vumpus. Vumpuses are luminous. Every vumpus is a dumpus. Every zumpus is mean. Sally is a tumpus.", + "original_question": "Is the following statement true or false? Sally is mean." + }, + { + "id": "ProntoQA_448", + "question": "Vumpuses are feisty. Vumpuses are tumpuses. Tumpuses are not large. Tumpuses are zumpuses. Zumpuses are not luminous. Zumpuses are jompuses. Every jompus is not dull. Jompuses are yumpuses. Every yumpus is not earthy. Yumpuses are wumpuses. Rompuses are not red. Wumpuses are transparent. Wumpuses are numpuses. Each numpus is not aggressive. Numpuses are impuses. Every impus is red. Impuses are dumpuses. Wren is a jompus.\n\nIs the following statement true or false? Wren is not red.", + "answer": false, + "original_context": "Vumpuses are feisty. Vumpuses are tumpuses. Tumpuses are not large. Tumpuses are zumpuses. Zumpuses are not luminous. Zumpuses are jompuses. Every jompus is not dull. Jompuses are yumpuses. Every yumpus is not earthy. Yumpuses are wumpuses. Rompuses are not red. Wumpuses are transparent. Wumpuses are numpuses. Each numpus is not aggressive. Numpuses are impuses. Every impus is red. Impuses are dumpuses. Wren is a jompus.", + "original_question": "Is the following statement true or false? Wren is not red." + }, + { + "id": "ProntoQA_449", + "question": "Impuses are not angry. Every impus is a vumpus. Each vumpus is not happy. Each vumpus is a yumpus. Every jompus is metallic. Each yumpus is transparent. Every yumpus is a numpus. Each numpus is small. Numpuses are zumpuses. Every zumpus is sweet. Zumpuses are rompuses. Each rompus is orange. Every rompus is a tumpus. Every tumpus is cold. Tumpuses are wumpuses. Wumpuses are not metallic. Each wumpus is a dumpus. Max is a numpus.\n\nIs the following statement true or false? Max is metallic.", + "answer": false, + "original_context": "Impuses are not angry. Every impus is a vumpus. Each vumpus is not happy. Each vumpus is a yumpus. Every jompus is metallic. Each yumpus is transparent. Every yumpus is a numpus. Each numpus is small. Numpuses are zumpuses. Every zumpus is sweet. Zumpuses are rompuses. Each rompus is orange. Every rompus is a tumpus. Every tumpus is cold. Tumpuses are wumpuses. Wumpuses are not metallic. Each wumpus is a dumpus. Max is a numpus.", + "original_question": "Is the following statement true or false? Max is metallic." + }, + { + "id": "ProntoQA_450", + "question": "Each vumpus is not bitter. Vumpuses are yumpuses. Yumpuses are floral. Yumpuses are jompuses. Jompuses are not dull. Every jompus is a tumpus. Each tumpus is happy. Each tumpus is a rompus. Rompuses are liquid. Rompuses are wumpuses. Every wumpus is mean. Wumpuses are zumpuses. Zumpuses are large. Zumpuses are dumpuses. Each dumpus is transparent. Every numpus is not transparent. Every dumpus is an impus. Stella is a tumpus.\n\nIs the following statement true or false? Stella is not transparent.", + "answer": false, + "original_context": "Each vumpus is not bitter. Vumpuses are yumpuses. Yumpuses are floral. Yumpuses are jompuses. Jompuses are not dull. Every jompus is a tumpus. Each tumpus is happy. Each tumpus is a rompus. Rompuses are liquid. Rompuses are wumpuses. Every wumpus is mean. Wumpuses are zumpuses. Zumpuses are large. Zumpuses are dumpuses. Each dumpus is transparent. Every numpus is not transparent. Every dumpus is an impus. Stella is a tumpus.", + "original_question": "Is the following statement true or false? Stella is not transparent." + }, + { + "id": "ProntoQA_451", + "question": "Yumpuses are not dull. Vumpuses are angry. Each yumpus is a wumpus. Wumpuses are nervous. Each wumpus is a dumpus. Each dumpus is not opaque. Dumpuses are tumpuses. Tumpuses are cold. Each tumpus is an impus. Impuses are floral. Every impus is a zumpus. Every zumpus is wooden. Zumpuses are rompuses. Each rompus is not angry. Rompuses are numpuses. Numpuses are large. Numpuses are jompuses. Wren is a dumpus.\n\nIs the following statement true or false? Wren is angry.", + "answer": false, + "original_context": "Yumpuses are not dull. Vumpuses are angry. Each yumpus is a wumpus. Wumpuses are nervous. Each wumpus is a dumpus. Each dumpus is not opaque. Dumpuses are tumpuses. Tumpuses are cold. Each tumpus is an impus. Impuses are floral. Every impus is a zumpus. Every zumpus is wooden. Zumpuses are rompuses. Each rompus is not angry. Rompuses are numpuses. Numpuses are large. Numpuses are jompuses. Wren is a dumpus.", + "original_question": "Is the following statement true or false? Wren is angry." + }, + { + "id": "ProntoQA_452", + "question": "Wumpuses are not wooden. Each wumpus is a tumpus. Each tumpus is sour. Every tumpus is a vumpus. Vumpuses are large. Vumpuses are rompuses. Every rompus is transparent. Rompuses are zumpuses. Zumpuses are not nervous. Jompuses are red. Zumpuses are dumpuses. Dumpuses are bright. Dumpuses are yumpuses. Every yumpus is not red. Each yumpus is a numpus. Numpuses are not mean. Every numpus is an impus. Max is a vumpus.\n\nIs the following statement true or false? Max is red.", + "answer": false, + "original_context": "Wumpuses are not wooden. Each wumpus is a tumpus. Each tumpus is sour. Every tumpus is a vumpus. Vumpuses are large. Vumpuses are rompuses. Every rompus is transparent. Rompuses are zumpuses. Zumpuses are not nervous. Jompuses are red. Zumpuses are dumpuses. Dumpuses are bright. Dumpuses are yumpuses. Every yumpus is not red. Each yumpus is a numpus. Numpuses are not mean. Every numpus is an impus. Max is a vumpus.", + "original_question": "Is the following statement true or false? Max is red." + }, + { + "id": "ProntoQA_453", + "question": "Rompuses are opaque. Each rompus is a dumpus. Dumpuses are shy. Dumpuses are numpuses. Numpuses are not sour. Every numpus is an impus. Each impus is mean. Impuses are zumpuses. Each tumpus is brown. Zumpuses are not brown. Zumpuses are jompuses. Jompuses are hot. Jompuses are wumpuses. Every wumpus is earthy. Every wumpus is a vumpus. Every vumpus is dull. Every vumpus is a yumpus. Wren is a rompus.\n\nIs the following statement true or false? Wren is not brown.", + "answer": true, + "original_context": "Rompuses are opaque. Each rompus is a dumpus. Dumpuses are shy. Dumpuses are numpuses. Numpuses are not sour. Every numpus is an impus. Each impus is mean. Impuses are zumpuses. Each tumpus is brown. Zumpuses are not brown. Zumpuses are jompuses. Jompuses are hot. Jompuses are wumpuses. Every wumpus is earthy. Every wumpus is a vumpus. Every vumpus is dull. Every vumpus is a yumpus. Wren is a rompus.", + "original_question": "Is the following statement true or false? Wren is not brown." + }, + { + "id": "ProntoQA_454", + "question": "Each dumpus is not floral. Every yumpus is not cold. Every yumpus is a vumpus. Vumpuses are bright. Every vumpus is a zumpus. Every zumpus is not shy. Zumpuses are numpuses. Every numpus is not angry. Every numpus is a jompus. Each jompus is wooden. Each jompus is a wumpus. Wumpuses are floral. Every wumpus is a rompus. Rompuses are spicy. Each rompus is an impus. Impuses are not opaque. Every impus is a tumpus. Sally is a vumpus.\n\nIs the following statement true or false? Sally is floral.", + "answer": true, + "original_context": "Each dumpus is not floral. Every yumpus is not cold. Every yumpus is a vumpus. Vumpuses are bright. Every vumpus is a zumpus. Every zumpus is not shy. Zumpuses are numpuses. Every numpus is not angry. Every numpus is a jompus. Each jompus is wooden. Each jompus is a wumpus. Wumpuses are floral. Every wumpus is a rompus. Rompuses are spicy. Each rompus is an impus. Impuses are not opaque. Every impus is a tumpus. Sally is a vumpus.", + "original_question": "Is the following statement true or false? Sally is floral." + }, + { + "id": "ProntoQA_455", + "question": "Every rompus is not blue. Each rompus is a jompus. Jompuses are dull. Jompuses are yumpuses. Every yumpus is amenable. Every dumpus is feisty. Every yumpus is a zumpus. Zumpuses are floral. Each zumpus is a tumpus. Tumpuses are large. Tumpuses are vumpuses. Vumpuses are not feisty. Each vumpus is an impus. Every impus is transparent. Every impus is a wumpus. Each wumpus is not luminous. Every wumpus is a numpus. Polly is a jompus.\n\nIs the following statement true or false? Polly is feisty.", + "answer": false, + "original_context": "Every rompus is not blue. Each rompus is a jompus. Jompuses are dull. Jompuses are yumpuses. Every yumpus is amenable. Every dumpus is feisty. Every yumpus is a zumpus. Zumpuses are floral. Each zumpus is a tumpus. Tumpuses are large. Tumpuses are vumpuses. Vumpuses are not feisty. Each vumpus is an impus. Every impus is transparent. Every impus is a wumpus. Each wumpus is not luminous. Every wumpus is a numpus. Polly is a jompus.", + "original_question": "Is the following statement true or false? Polly is feisty." + }, + { + "id": "ProntoQA_456", + "question": "Vumpuses are mean. Vumpuses are impuses. Impuses are not opaque. Every impus is a jompus. Jompuses are brown. Every jompus is a yumpus. Each yumpus is nervous. Each yumpus is a zumpus. Zumpuses are bitter. Zumpuses are rompuses. Dumpuses are not earthy. Rompuses are earthy. Rompuses are numpuses. Numpuses are hot. Each numpus is a wumpus. Wumpuses are bright. Every wumpus is a tumpus. Fae is an impus.\n\nIs the following statement true or false? Fae is not earthy.", + "answer": false, + "original_context": "Vumpuses are mean. Vumpuses are impuses. Impuses are not opaque. Every impus is a jompus. Jompuses are brown. Every jompus is a yumpus. Each yumpus is nervous. Each yumpus is a zumpus. Zumpuses are bitter. Zumpuses are rompuses. Dumpuses are not earthy. Rompuses are earthy. Rompuses are numpuses. Numpuses are hot. Each numpus is a wumpus. Wumpuses are bright. Every wumpus is a tumpus. Fae is an impus.", + "original_question": "Is the following statement true or false? Fae is not earthy." + }, + { + "id": "ProntoQA_457", + "question": "Impuses are happy. Impuses are vumpuses. Each vumpus is opaque. Vumpuses are rompuses. Every rompus is floral. Every rompus is a wumpus. Yumpuses are not large. Every wumpus is bitter. Every wumpus is a numpus. Numpuses are not cold. Numpuses are dumpuses. Every dumpus is bright. Dumpuses are jompuses. Each jompus is not red. Jompuses are zumpuses. Zumpuses are large. Every zumpus is a tumpus. Stella is a wumpus.\n\nIs the following statement true or false? Stella is not large.", + "answer": false, + "original_context": "Impuses are happy. Impuses are vumpuses. Each vumpus is opaque. Vumpuses are rompuses. Every rompus is floral. Every rompus is a wumpus. Yumpuses are not large. Every wumpus is bitter. Every wumpus is a numpus. Numpuses are not cold. Numpuses are dumpuses. Every dumpus is bright. Dumpuses are jompuses. Each jompus is not red. Jompuses are zumpuses. Zumpuses are large. Every zumpus is a tumpus. Stella is a wumpus.", + "original_question": "Is the following statement true or false? Stella is not large." + }, + { + "id": "ProntoQA_458", + "question": "Tumpuses are bright. Tumpuses are jompuses. Rompuses are not transparent. Every jompus is not angry. Each jompus is a wumpus. Wumpuses are not shy. Every wumpus is an impus. Impuses are small. Impuses are vumpuses. Every vumpus is brown. Vumpuses are dumpuses. Dumpuses are transparent. Dumpuses are yumpuses. Yumpuses are sour. Every yumpus is a numpus. Numpuses are liquid. Every numpus is a zumpus. Rex is a jompus.\n\nIs the following statement true or false? Rex is not transparent.", + "answer": false, + "original_context": "Tumpuses are bright. Tumpuses are jompuses. Rompuses are not transparent. Every jompus is not angry. Each jompus is a wumpus. Wumpuses are not shy. Every wumpus is an impus. Impuses are small. Impuses are vumpuses. Every vumpus is brown. Vumpuses are dumpuses. Dumpuses are transparent. Dumpuses are yumpuses. Yumpuses are sour. Every yumpus is a numpus. Numpuses are liquid. Every numpus is a zumpus. Rex is a jompus.", + "original_question": "Is the following statement true or false? Rex is not transparent." + }, + { + "id": "ProntoQA_459", + "question": "Each tumpus is cold. Every tumpus is a vumpus. Vumpuses are luminous. Every vumpus is a yumpus. Yumpuses are happy. Yumpuses are jompuses. Every jompus is kind. Every rompus is not earthy. Jompuses are zumpuses. Each zumpus is not spicy. Each zumpus is a wumpus. Each wumpus is earthy. Wumpuses are numpuses. Every numpus is opaque. Numpuses are impuses. Every impus is dull. Every impus is a dumpus. Max is a vumpus.\n\nIs the following statement true or false? Max is earthy.", + "answer": true, + "original_context": "Each tumpus is cold. Every tumpus is a vumpus. Vumpuses are luminous. Every vumpus is a yumpus. Yumpuses are happy. Yumpuses are jompuses. Every jompus is kind. Every rompus is not earthy. Jompuses are zumpuses. Each zumpus is not spicy. Each zumpus is a wumpus. Each wumpus is earthy. Wumpuses are numpuses. Every numpus is opaque. Numpuses are impuses. Every impus is dull. Every impus is a dumpus. Max is a vumpus.", + "original_question": "Is the following statement true or false? Max is earthy." + }, + { + "id": "ProntoQA_460", + "question": "Each jompus is liquid. Dumpuses are bright. Dumpuses are impuses. Each impus is opaque. Impuses are yumpuses. Every yumpus is fruity. Each yumpus is a vumpus. Vumpuses are not orange. Every vumpus is a tumpus. Every tumpus is not liquid. Tumpuses are wumpuses. Each wumpus is small. Each wumpus is a numpus. Numpuses are feisty. Every numpus is a zumpus. Each zumpus is spicy. Zumpuses are rompuses. Sam is a dumpus.\n\nIs the following statement true or false? Sam is not liquid.", + "answer": true, + "original_context": "Each jompus is liquid. Dumpuses are bright. Dumpuses are impuses. Each impus is opaque. Impuses are yumpuses. Every yumpus is fruity. Each yumpus is a vumpus. Vumpuses are not orange. Every vumpus is a tumpus. Every tumpus is not liquid. Tumpuses are wumpuses. Each wumpus is small. Each wumpus is a numpus. Numpuses are feisty. Every numpus is a zumpus. Each zumpus is spicy. Zumpuses are rompuses. Sam is a dumpus.", + "original_question": "Is the following statement true or false? Sam is not liquid." + }, + { + "id": "ProntoQA_461", + "question": "Each zumpus is not earthy. Each zumpus is a vumpus. Vumpuses are not hot. Vumpuses are yumpuses. Yumpuses are metallic. Yumpuses are wumpuses. Every wumpus is bright. Each wumpus is a dumpus. Each dumpus is spicy. Each dumpus is an impus. Every impus is opaque. Every tumpus is not opaque. Every impus is a numpus. Numpuses are not kind. Numpuses are rompuses. Each rompus is not nervous. Rompuses are jompuses. Rex is a vumpus.\n\nIs the following statement true or false? Rex is opaque.", + "answer": true, + "original_context": "Each zumpus is not earthy. Each zumpus is a vumpus. Vumpuses are not hot. Vumpuses are yumpuses. Yumpuses are metallic. Yumpuses are wumpuses. Every wumpus is bright. Each wumpus is a dumpus. Each dumpus is spicy. Each dumpus is an impus. Every impus is opaque. Every tumpus is not opaque. Every impus is a numpus. Numpuses are not kind. Numpuses are rompuses. Each rompus is not nervous. Rompuses are jompuses. Rex is a vumpus.", + "original_question": "Is the following statement true or false? Rex is opaque." + }, + { + "id": "ProntoQA_462", + "question": "Rompuses are fruity. Every rompus is a tumpus. Every tumpus is metallic. Tumpuses are wumpuses. Wumpuses are mean. Wumpuses are jompuses. Each jompus is not brown. Every dumpus is opaque. Jompuses are vumpuses. Vumpuses are not opaque. Each vumpus is a numpus. Every numpus is nervous. Every numpus is a yumpus. Yumpuses are temperate. Each yumpus is an impus. Each impus is sour. Each impus is a zumpus. Sally is a rompus.\n\nIs the following statement true or false? Sally is not opaque.", + "answer": true, + "original_context": "Rompuses are fruity. Every rompus is a tumpus. Every tumpus is metallic. Tumpuses are wumpuses. Wumpuses are mean. Wumpuses are jompuses. Each jompus is not brown. Every dumpus is opaque. Jompuses are vumpuses. Vumpuses are not opaque. Each vumpus is a numpus. Every numpus is nervous. Every numpus is a yumpus. Yumpuses are temperate. Each yumpus is an impus. Each impus is sour. Each impus is a zumpus. Sally is a rompus.", + "original_question": "Is the following statement true or false? Sally is not opaque." + }, + { + "id": "ProntoQA_463", + "question": "Jompuses are hot. Jompuses are rompuses. Each rompus is not transparent. Rompuses are dumpuses. Tumpuses are brown. Dumpuses are liquid. Dumpuses are wumpuses. Wumpuses are floral. Each wumpus is a vumpus. Each vumpus is spicy. Vumpuses are zumpuses. Each zumpus is not brown. Every zumpus is a yumpus. Stella is a rompus.\n\nIs the following statement true or false? Stella is brown.", + "answer": false, + "original_context": "Jompuses are hot. Jompuses are rompuses. Each rompus is not transparent. Rompuses are dumpuses. Tumpuses are brown. Dumpuses are liquid. Dumpuses are wumpuses. Wumpuses are floral. Each wumpus is a vumpus. Each vumpus is spicy. Vumpuses are zumpuses. Each zumpus is not brown. Every zumpus is a yumpus. Stella is a rompus.", + "original_question": "Is the following statement true or false? Stella is brown." + }, + { + "id": "ProntoQA_464", + "question": "Tumpuses are luminous. Tumpuses are jompuses. Each jompus is floral. Each jompus is a dumpus. Dumpuses are large. Dumpuses are zumpuses. Zumpuses are dull. Wumpuses are cold. Every zumpus is a yumpus. Each yumpus is not cold. Each yumpus is a vumpus. Each vumpus is not brown. Vumpuses are rompuses. Every rompus is transparent. Rompuses are impuses. Every impus is not nervous. Impuses are numpuses. Alex is a tumpus.\n\nIs the following statement true or false? Alex is cold.", + "answer": false, + "original_context": "Tumpuses are luminous. Tumpuses are jompuses. Each jompus is floral. Each jompus is a dumpus. Dumpuses are large. Dumpuses are zumpuses. Zumpuses are dull. Wumpuses are cold. Every zumpus is a yumpus. Each yumpus is not cold. Each yumpus is a vumpus. Each vumpus is not brown. Vumpuses are rompuses. Every rompus is transparent. Rompuses are impuses. Every impus is not nervous. Impuses are numpuses. Alex is a tumpus.", + "original_question": "Is the following statement true or false? Alex is cold." + }, + { + "id": "ProntoQA_465", + "question": "Wumpuses are not liquid. Wumpuses are yumpuses. Each yumpus is opaque. Each yumpus is a jompus. Every jompus is bright. Every jompus is an impus. Impuses are not hot. Impuses are rompuses. Rompuses are nervous. Rompuses are numpuses. Numpuses are sour. Numpuses are vumpuses. Vumpuses are blue. Dumpuses are not sour. Vumpuses are zumpuses. Each zumpus is large. Each zumpus is a tumpus. Rex is a yumpus.\n\nIs the following statement true or false? Rex is not sour.", + "answer": false, + "original_context": "Wumpuses are not liquid. Wumpuses are yumpuses. Each yumpus is opaque. Each yumpus is a jompus. Every jompus is bright. Every jompus is an impus. Impuses are not hot. Impuses are rompuses. Rompuses are nervous. Rompuses are numpuses. Numpuses are sour. Numpuses are vumpuses. Vumpuses are blue. Dumpuses are not sour. Vumpuses are zumpuses. Each zumpus is large. Each zumpus is a tumpus. Rex is a yumpus.", + "original_question": "Is the following statement true or false? Rex is not sour." + }, + { + "id": "ProntoQA_466", + "question": "Zumpuses are angry. Impuses are shy. Impuses are vumpuses. Vumpuses are metallic. Vumpuses are tumpuses. Tumpuses are earthy. Every tumpus is a yumpus. Yumpuses are large. Yumpuses are numpuses. Numpuses are not angry. Every numpus is a jompus. Every jompus is not spicy. Every jompus is a wumpus. Each wumpus is transparent. Wumpuses are dumpuses. Dumpuses are brown. Each dumpus is a rompus. Max is an impus.\n\nIs the following statement true or false? Max is angry.", + "answer": false, + "original_context": "Zumpuses are angry. Impuses are shy. Impuses are vumpuses. Vumpuses are metallic. Vumpuses are tumpuses. Tumpuses are earthy. Every tumpus is a yumpus. Yumpuses are large. Yumpuses are numpuses. Numpuses are not angry. Every numpus is a jompus. Every jompus is not spicy. Every jompus is a wumpus. Each wumpus is transparent. Wumpuses are dumpuses. Dumpuses are brown. Each dumpus is a rompus. Max is an impus.", + "original_question": "Is the following statement true or false? Max is angry." + }, + { + "id": "ProntoQA_467", + "question": "Every rompus is transparent. Each rompus is a dumpus. Each dumpus is not dull. Dumpuses are vumpuses. Each vumpus is hot. Vumpuses are jompuses. Every jompus is not metallic. Jompuses are impuses. Impuses are floral. Every impus is a numpus. Zumpuses are not blue. Numpuses are feisty. Numpuses are yumpuses. Yumpuses are spicy. Yumpuses are wumpuses. Every wumpus is blue. Wumpuses are tumpuses. Alex is a jompus.\n\nIs the following statement true or false? Alex is not blue.", + "answer": false, + "original_context": "Every rompus is transparent. Each rompus is a dumpus. Each dumpus is not dull. Dumpuses are vumpuses. Each vumpus is hot. Vumpuses are jompuses. Every jompus is not metallic. Jompuses are impuses. Impuses are floral. Every impus is a numpus. Zumpuses are not blue. Numpuses are feisty. Numpuses are yumpuses. Yumpuses are spicy. Yumpuses are wumpuses. Every wumpus is blue. Wumpuses are tumpuses. Alex is a jompus.", + "original_question": "Is the following statement true or false? Alex is not blue." + }, + { + "id": "ProntoQA_468", + "question": "Tumpuses are fruity. Each tumpus is a yumpus. Yumpuses are cold. Every yumpus is a zumpus. Zumpuses are spicy. Every zumpus is a rompus. Each rompus is not opaque. Rompuses are impuses. Impuses are kind. Impuses are vumpuses. Each jompus is not kind. Vumpuses are not feisty. Vumpuses are dumpuses. Dumpuses are not liquid. Dumpuses are wumpuses. Each wumpus is not large. Each wumpus is a numpus. Polly is a tumpus.\n\nIs the following statement true or false? Polly is not kind.", + "answer": false, + "original_context": "Tumpuses are fruity. Each tumpus is a yumpus. Yumpuses are cold. Every yumpus is a zumpus. Zumpuses are spicy. Every zumpus is a rompus. Each rompus is not opaque. Rompuses are impuses. Impuses are kind. Impuses are vumpuses. Each jompus is not kind. Vumpuses are not feisty. Vumpuses are dumpuses. Dumpuses are not liquid. Dumpuses are wumpuses. Each wumpus is not large. Each wumpus is a numpus. Polly is a tumpus.", + "original_question": "Is the following statement true or false? Polly is not kind." + }, + { + "id": "ProntoQA_469", + "question": "Every wumpus is not dull. Each wumpus is a tumpus. Tumpuses are hot. Tumpuses are yumpuses. Yumpuses are red. Yumpuses are rompuses. Each rompus is spicy. Every vumpus is mean. Rompuses are dumpuses. Each dumpus is large. Dumpuses are impuses. Impuses are not mean. Each impus is a jompus. Each jompus is transparent. Every jompus is a numpus. Numpuses are not liquid. Numpuses are zumpuses. Polly is a tumpus.\n\nIs the following statement true or false? Polly is not mean.", + "answer": true, + "original_context": "Every wumpus is not dull. Each wumpus is a tumpus. Tumpuses are hot. Tumpuses are yumpuses. Yumpuses are red. Yumpuses are rompuses. Each rompus is spicy. Every vumpus is mean. Rompuses are dumpuses. Each dumpus is large. Dumpuses are impuses. Impuses are not mean. Each impus is a jompus. Each jompus is transparent. Every jompus is a numpus. Numpuses are not liquid. Numpuses are zumpuses. Polly is a tumpus.", + "original_question": "Is the following statement true or false? Polly is not mean." + }, + { + "id": "ProntoQA_470", + "question": "Each jompus is earthy. Every jompus is a zumpus. Each zumpus is liquid. Zumpuses are wumpuses. Every wumpus is not mean. Wumpuses are vumpuses. Each vumpus is transparent. Every vumpus is a yumpus. Every yumpus is small. Yumpuses are rompuses. Dumpuses are not small. Every rompus is not bright. Each rompus is a tumpus. Tumpuses are orange. Each tumpus is a numpus. Every numpus is hot. Numpuses are impuses. Alex is a jompus.\n\nIs the following statement true or false? Alex is not small.", + "answer": false, + "original_context": "Each jompus is earthy. Every jompus is a zumpus. Each zumpus is liquid. Zumpuses are wumpuses. Every wumpus is not mean. Wumpuses are vumpuses. Each vumpus is transparent. Every vumpus is a yumpus. Every yumpus is small. Yumpuses are rompuses. Dumpuses are not small. Every rompus is not bright. Each rompus is a tumpus. Tumpuses are orange. Each tumpus is a numpus. Every numpus is hot. Numpuses are impuses. Alex is a jompus.", + "original_question": "Is the following statement true or false? Alex is not small." + }, + { + "id": "ProntoQA_471", + "question": "Vumpuses are not bright. Each dumpus is metallic. Each dumpus is a wumpus. Wumpuses are spicy. Wumpuses are impuses. Impuses are red. Each impus is a numpus. Numpuses are opaque. Each numpus is a rompus. Each rompus is bright. Rompuses are zumpuses. Zumpuses are large. Zumpuses are yumpuses. Each yumpus is aggressive. Yumpuses are tumpuses. Tumpuses are not shy. Every tumpus is a jompus. Sam is a dumpus.\n\nIs the following statement true or false? Sam is bright.", + "answer": true, + "original_context": "Vumpuses are not bright. Each dumpus is metallic. Each dumpus is a wumpus. Wumpuses are spicy. Wumpuses are impuses. Impuses are red. Each impus is a numpus. Numpuses are opaque. Each numpus is a rompus. Each rompus is bright. Rompuses are zumpuses. Zumpuses are large. Zumpuses are yumpuses. Each yumpus is aggressive. Yumpuses are tumpuses. Tumpuses are not shy. Every tumpus is a jompus. Sam is a dumpus.", + "original_question": "Is the following statement true or false? Sam is bright." + }, + { + "id": "ProntoQA_472", + "question": "Numpuses are not luminous. Every numpus is a jompus. Every jompus is brown. Jompuses are vumpuses. Each vumpus is cold. Every vumpus is a tumpus. Tumpuses are mean. Tumpuses are zumpuses. Every zumpus is opaque. Each zumpus is a wumpus. Every wumpus is not small. Every yumpus is not sour. Every wumpus is an impus. Every impus is sour. Every impus is a rompus. Every rompus is happy. Rompuses are dumpuses. Wren is a vumpus.\n\nIs the following statement true or false? Wren is not sour.", + "answer": false, + "original_context": "Numpuses are not luminous. Every numpus is a jompus. Every jompus is brown. Jompuses are vumpuses. Each vumpus is cold. Every vumpus is a tumpus. Tumpuses are mean. Tumpuses are zumpuses. Every zumpus is opaque. Each zumpus is a wumpus. Every wumpus is not small. Every yumpus is not sour. Every wumpus is an impus. Every impus is sour. Every impus is a rompus. Every rompus is happy. Rompuses are dumpuses. Wren is a vumpus.", + "original_question": "Is the following statement true or false? Wren is not sour." + }, + { + "id": "ProntoQA_473", + "question": "Dumpuses are aggressive. Each dumpus is a zumpus. Zumpuses are small. Zumpuses are yumpuses. Yumpuses are bitter. Every yumpus is a rompus. Each rompus is not blue. Each rompus is a numpus. Each impus is liquid. Numpuses are not happy. Each numpus is a wumpus. Wumpuses are not liquid. Wumpuses are vumpuses. Vumpuses are bright. Vumpuses are tumpuses. Each tumpus is floral. Tumpuses are jompuses. Max is a zumpus.\n\nIs the following statement true or false? Max is not liquid.", + "answer": true, + "original_context": "Dumpuses are aggressive. Each dumpus is a zumpus. Zumpuses are small. Zumpuses are yumpuses. Yumpuses are bitter. Every yumpus is a rompus. Each rompus is not blue. Each rompus is a numpus. Each impus is liquid. Numpuses are not happy. Each numpus is a wumpus. Wumpuses are not liquid. Wumpuses are vumpuses. Vumpuses are bright. Vumpuses are tumpuses. Each tumpus is floral. Tumpuses are jompuses. Max is a zumpus.", + "original_question": "Is the following statement true or false? Max is not liquid." + }, + { + "id": "ProntoQA_474", + "question": "Each zumpus is mean. Jompuses are not feisty. Jompuses are impuses. Impuses are not orange. Impuses are numpuses. Each numpus is not luminous. Numpuses are tumpuses. Tumpuses are not earthy. Tumpuses are rompuses. Rompuses are not small. Rompuses are yumpuses. Each yumpus is hot. Yumpuses are vumpuses. Each vumpus is bitter. Vumpuses are wumpuses. Every wumpus is not mean. Wumpuses are dumpuses. Sally is a tumpus.\n\nIs the following statement true or false? Sally is mean.", + "answer": false, + "original_context": "Each zumpus is mean. Jompuses are not feisty. Jompuses are impuses. Impuses are not orange. Impuses are numpuses. Each numpus is not luminous. Numpuses are tumpuses. Tumpuses are not earthy. Tumpuses are rompuses. Rompuses are not small. Rompuses are yumpuses. Each yumpus is hot. Yumpuses are vumpuses. Each vumpus is bitter. Vumpuses are wumpuses. Every wumpus is not mean. Wumpuses are dumpuses. Sally is a tumpus.", + "original_question": "Is the following statement true or false? Sally is mean." + }, + { + "id": "ProntoQA_475", + "question": "Each jompus is red. Each jompus is a dumpus. Every dumpus is amenable. Every dumpus is a tumpus. Tumpuses are not nervous. Each tumpus is a numpus. Every numpus is temperate. Every numpus is a vumpus. Each vumpus is not floral. Every vumpus is an impus. Impuses are bright. Impuses are wumpuses. Wumpuses are wooden. Rompuses are not bright. Each wumpus is a zumpus. Zumpuses are spicy. Every zumpus is a yumpus. Polly is a dumpus.\n\nIs the following statement true or false? Polly is not bright.", + "answer": false, + "original_context": "Each jompus is red. Each jompus is a dumpus. Every dumpus is amenable. Every dumpus is a tumpus. Tumpuses are not nervous. Each tumpus is a numpus. Every numpus is temperate. Every numpus is a vumpus. Each vumpus is not floral. Every vumpus is an impus. Impuses are bright. Impuses are wumpuses. Wumpuses are wooden. Rompuses are not bright. Each wumpus is a zumpus. Zumpuses are spicy. Every zumpus is a yumpus. Polly is a dumpus.", + "original_question": "Is the following statement true or false? Polly is not bright." + }, + { + "id": "ProntoQA_476", + "question": "Each wumpus is not amenable. Yumpuses are transparent. Each yumpus is a rompus. Each rompus is luminous. Rompuses are impuses. Impuses are not fruity. Each impus is a vumpus. Vumpuses are bitter. Vumpuses are jompuses. Jompuses are amenable. Every jompus is a zumpus. Zumpuses are not shy. Zumpuses are numpuses. Every numpus is cold. Every numpus is a dumpus. Every dumpus is small. Each dumpus is a tumpus. Wren is a yumpus.\n\nIs the following statement true or false? Wren is amenable.", + "answer": true, + "original_context": "Each wumpus is not amenable. Yumpuses are transparent. Each yumpus is a rompus. Each rompus is luminous. Rompuses are impuses. Impuses are not fruity. Each impus is a vumpus. Vumpuses are bitter. Vumpuses are jompuses. Jompuses are amenable. Every jompus is a zumpus. Zumpuses are not shy. Zumpuses are numpuses. Every numpus is cold. Every numpus is a dumpus. Every dumpus is small. Each dumpus is a tumpus. Wren is a yumpus.", + "original_question": "Is the following statement true or false? Wren is amenable." + }, + { + "id": "ProntoQA_477", + "question": "Dumpuses are fruity. Dumpuses are vumpuses. Vumpuses are not happy. Every vumpus is a yumpus. Yumpuses are not bitter. Yumpuses are jompuses. Every jompus is not aggressive. Each jompus is a tumpus. Zumpuses are bright. Tumpuses are luminous. Every tumpus is a rompus. Rompuses are hot. Every rompus is a wumpus. Each wumpus is small. Every wumpus is a numpus. Every numpus is not bright. Each numpus is an impus. Fae is a jompus.\n\nIs the following statement true or false? Fae is not bright.", + "answer": true, + "original_context": "Dumpuses are fruity. Dumpuses are vumpuses. Vumpuses are not happy. Every vumpus is a yumpus. Yumpuses are not bitter. Yumpuses are jompuses. Every jompus is not aggressive. Each jompus is a tumpus. Zumpuses are bright. Tumpuses are luminous. Every tumpus is a rompus. Rompuses are hot. Every rompus is a wumpus. Each wumpus is small. Every wumpus is a numpus. Every numpus is not bright. Each numpus is an impus. Fae is a jompus.", + "original_question": "Is the following statement true or false? Fae is not bright." + }, + { + "id": "ProntoQA_478", + "question": "Wumpuses are spicy. Wumpuses are yumpuses. Yumpuses are aggressive. Numpuses are small. Every yumpus is a tumpus. Tumpuses are hot. Every tumpus is an impus. Impuses are not metallic. Impuses are rompuses. Every rompus is not small. Every rompus is a dumpus. Dumpuses are not floral. Every dumpus is a zumpus. Each zumpus is not bright. Each zumpus is a vumpus. Vumpuses are shy. Each vumpus is a jompus. Polly is a wumpus.\n\nIs the following statement true or false? Polly is small.", + "answer": false, + "original_context": "Wumpuses are spicy. Wumpuses are yumpuses. Yumpuses are aggressive. Numpuses are small. Every yumpus is a tumpus. Tumpuses are hot. Every tumpus is an impus. Impuses are not metallic. Impuses are rompuses. Every rompus is not small. Every rompus is a dumpus. Dumpuses are not floral. Every dumpus is a zumpus. Each zumpus is not bright. Each zumpus is a vumpus. Vumpuses are shy. Each vumpus is a jompus. Polly is a wumpus.", + "original_question": "Is the following statement true or false? Polly is small." + }, + { + "id": "ProntoQA_479", + "question": "Wumpuses are not bitter. Every impus is not blue. Impuses are rompuses. Every rompus is temperate. Each rompus is a zumpus. Every zumpus is not small. Zumpuses are yumpuses. Yumpuses are not wooden. Yumpuses are tumpuses. Every tumpus is happy. Tumpuses are numpuses. Numpuses are transparent. Numpuses are dumpuses. Every dumpus is bitter. Each dumpus is a jompus. Jompuses are not amenable. Each jompus is a vumpus. Sally is a zumpus.\n\nIs the following statement true or false? Sally is not bitter.", + "answer": false, + "original_context": "Wumpuses are not bitter. Every impus is not blue. Impuses are rompuses. Every rompus is temperate. Each rompus is a zumpus. Every zumpus is not small. Zumpuses are yumpuses. Yumpuses are not wooden. Yumpuses are tumpuses. Every tumpus is happy. Tumpuses are numpuses. Numpuses are transparent. Numpuses are dumpuses. Every dumpus is bitter. Each dumpus is a jompus. Jompuses are not amenable. Each jompus is a vumpus. Sally is a zumpus.", + "original_question": "Is the following statement true or false? Sally is not bitter." + }, + { + "id": "ProntoQA_480", + "question": "Rompuses are not temperate. Each rompus is a jompus. Jompuses are nervous. Jompuses are tumpuses. Tumpuses are small. Tumpuses are impuses. Every impus is orange. Every impus is a vumpus. Vumpuses are not dull. Vumpuses are yumpuses. Every yumpus is luminous. Each wumpus is dull. Yumpuses are dumpuses. Dumpuses are transparent. Dumpuses are zumpuses. Each zumpus is angry. Each zumpus is a numpus. Stella is a rompus.\n\nIs the following statement true or false? Stella is not dull.", + "answer": true, + "original_context": "Rompuses are not temperate. Each rompus is a jompus. Jompuses are nervous. Jompuses are tumpuses. Tumpuses are small. Tumpuses are impuses. Every impus is orange. Every impus is a vumpus. Vumpuses are not dull. Vumpuses are yumpuses. Every yumpus is luminous. Each wumpus is dull. Yumpuses are dumpuses. Dumpuses are transparent. Dumpuses are zumpuses. Each zumpus is angry. Each zumpus is a numpus. Stella is a rompus.", + "original_question": "Is the following statement true or false? Stella is not dull." + }, + { + "id": "ProntoQA_481", + "question": "Each tumpus is sweet. Each tumpus is a wumpus. Wumpuses are not orange. Wumpuses are dumpuses. Every dumpus is not temperate. Dumpuses are jompuses. Every jompus is kind. Every jompus is a numpus. Numpuses are liquid. Numpuses are zumpuses. Each zumpus is large. Each zumpus is a vumpus. Every vumpus is happy. Each impus is not happy. Every vumpus is a yumpus. Yumpuses are transparent. Yumpuses are rompuses. Polly is a dumpus.\n\nIs the following statement true or false? Polly is happy.", + "answer": true, + "original_context": "Each tumpus is sweet. Each tumpus is a wumpus. Wumpuses are not orange. Wumpuses are dumpuses. Every dumpus is not temperate. Dumpuses are jompuses. Every jompus is kind. Every jompus is a numpus. Numpuses are liquid. Numpuses are zumpuses. Each zumpus is large. Each zumpus is a vumpus. Every vumpus is happy. Each impus is not happy. Every vumpus is a yumpus. Yumpuses are transparent. Yumpuses are rompuses. Polly is a dumpus.", + "original_question": "Is the following statement true or false? Polly is happy." + }, + { + "id": "ProntoQA_482", + "question": "Zumpuses are angry. Zumpuses are jompuses. Every jompus is not happy. Each jompus is a tumpus. Tumpuses are not earthy. Tumpuses are wumpuses. Each wumpus is blue. Every wumpus is a rompus. Rompuses are not transparent. Every rompus is a numpus. Every numpus is sweet. Numpuses are yumpuses. Yumpuses are not large. Every yumpus is a vumpus. Every impus is temperate. Every vumpus is not temperate. Each vumpus is a dumpus. Rex is a wumpus.\n\nIs the following statement true or false? Rex is temperate.", + "answer": false, + "original_context": "Zumpuses are angry. Zumpuses are jompuses. Every jompus is not happy. Each jompus is a tumpus. Tumpuses are not earthy. Tumpuses are wumpuses. Each wumpus is blue. Every wumpus is a rompus. Rompuses are not transparent. Every rompus is a numpus. Every numpus is sweet. Numpuses are yumpuses. Yumpuses are not large. Every yumpus is a vumpus. Every impus is temperate. Every vumpus is not temperate. Each vumpus is a dumpus. Rex is a wumpus.", + "original_question": "Is the following statement true or false? Rex is temperate." + }, + { + "id": "ProntoQA_483", + "question": "Each numpus is not transparent. Every numpus is a jompus. Jompuses are not shy. Each jompus is a zumpus. Zumpuses are not small. Zumpuses are dumpuses. Every dumpus is bitter. Each dumpus is a vumpus. Each vumpus is not amenable. Each vumpus is a wumpus. Each wumpus is not temperate. Wumpuses are tumpuses. Every impus is not red. Every tumpus is red. Tumpuses are rompuses. Rompuses are wooden. Rompuses are yumpuses. Sally is a zumpus.\n\nIs the following statement true or false? Sally is not red.", + "answer": false, + "original_context": "Each numpus is not transparent. Every numpus is a jompus. Jompuses are not shy. Each jompus is a zumpus. Zumpuses are not small. Zumpuses are dumpuses. Every dumpus is bitter. Each dumpus is a vumpus. Each vumpus is not amenable. Each vumpus is a wumpus. Each wumpus is not temperate. Wumpuses are tumpuses. Every impus is not red. Every tumpus is red. Tumpuses are rompuses. Rompuses are wooden. Rompuses are yumpuses. Sally is a zumpus.", + "original_question": "Is the following statement true or false? Sally is not red." + }, + { + "id": "ProntoQA_484", + "question": "Every tumpus is fruity. Tumpuses are yumpuses. Yumpuses are not transparent. Yumpuses are rompuses. Every rompus is sour. Rompuses are numpuses. Every jompus is orange. Every numpus is dull. Every numpus is a dumpus. Every dumpus is not metallic. Dumpuses are vumpuses. Every vumpus is not orange. Every vumpus is a wumpus. Each wumpus is large. Wumpuses are zumpuses. Each zumpus is not temperate. Every zumpus is an impus. Fae is a yumpus.\n\nIs the following statement true or false? Fae is not orange.", + "answer": true, + "original_context": "Every tumpus is fruity. Tumpuses are yumpuses. Yumpuses are not transparent. Yumpuses are rompuses. Every rompus is sour. Rompuses are numpuses. Every jompus is orange. Every numpus is dull. Every numpus is a dumpus. Every dumpus is not metallic. Dumpuses are vumpuses. Every vumpus is not orange. Every vumpus is a wumpus. Each wumpus is large. Wumpuses are zumpuses. Each zumpus is not temperate. Every zumpus is an impus. Fae is a yumpus.", + "original_question": "Is the following statement true or false? Fae is not orange." + }, + { + "id": "ProntoQA_485", + "question": "Tumpuses are not bright. Each tumpus is a jompus. Every jompus is hot. Each jompus is a numpus. Each numpus is not kind. Every numpus is an impus. Impuses are blue. Impuses are zumpuses. Every zumpus is small. Zumpuses are wumpuses. Wumpuses are luminous. Wumpuses are yumpuses. Every yumpus is shy. Each dumpus is not luminous. Every yumpus is a rompus. Stella is a jompus.\n\nIs the following statement true or false? Stella is not luminous.", + "answer": false, + "original_context": "Tumpuses are not bright. Each tumpus is a jompus. Every jompus is hot. Each jompus is a numpus. Each numpus is not kind. Every numpus is an impus. Impuses are blue. Impuses are zumpuses. Every zumpus is small. Zumpuses are wumpuses. Wumpuses are luminous. Wumpuses are yumpuses. Every yumpus is shy. Each dumpus is not luminous. Every yumpus is a rompus. Stella is a jompus.", + "original_question": "Is the following statement true or false? Stella is not luminous." + }, + { + "id": "ProntoQA_486", + "question": "Impuses are not blue. Every impus is a numpus. Numpuses are bitter. Numpuses are yumpuses. Yumpuses are not temperate. Each yumpus is a jompus. Rompuses are not opaque. Every jompus is metallic. Every jompus is a tumpus. Tumpuses are opaque. Every tumpus is a dumpus. Every dumpus is nervous. Dumpuses are zumpuses. Zumpuses are amenable. Zumpuses are wumpuses. Every wumpus is not fruity. Every wumpus is a vumpus. Sam is an impus.\n\nIs the following statement true or false? Sam is opaque.", + "answer": true, + "original_context": "Impuses are not blue. Every impus is a numpus. Numpuses are bitter. Numpuses are yumpuses. Yumpuses are not temperate. Each yumpus is a jompus. Rompuses are not opaque. Every jompus is metallic. Every jompus is a tumpus. Tumpuses are opaque. Every tumpus is a dumpus. Every dumpus is nervous. Dumpuses are zumpuses. Zumpuses are amenable. Zumpuses are wumpuses. Every wumpus is not fruity. Every wumpus is a vumpus. Sam is an impus.", + "original_question": "Is the following statement true or false? Sam is opaque." + }, + { + "id": "ProntoQA_487", + "question": "Wumpuses are aggressive. Wumpuses are jompuses. Each jompus is earthy. Jompuses are tumpuses. Each tumpus is bitter. Each tumpus is a vumpus. Vumpuses are large. Vumpuses are impuses. Impuses are bright. Each zumpus is not bright. Every impus is a rompus. Each rompus is feisty. Each rompus is a yumpus. Yumpuses are opaque. Each yumpus is a numpus. Each numpus is not wooden. Numpuses are dumpuses. Rex is a wumpus.\n\nIs the following statement true or false? Rex is bright.", + "answer": true, + "original_context": "Wumpuses are aggressive. Wumpuses are jompuses. Each jompus is earthy. Jompuses are tumpuses. Each tumpus is bitter. Each tumpus is a vumpus. Vumpuses are large. Vumpuses are impuses. Impuses are bright. Each zumpus is not bright. Every impus is a rompus. Each rompus is feisty. Each rompus is a yumpus. Yumpuses are opaque. Each yumpus is a numpus. Each numpus is not wooden. Numpuses are dumpuses. Rex is a wumpus.", + "original_question": "Is the following statement true or false? Rex is bright." + }, + { + "id": "ProntoQA_488", + "question": "Tumpuses are wooden. Every tumpus is a yumpus. Yumpuses are sweet. Each yumpus is a dumpus. Dumpuses are dull. Dumpuses are rompuses. Rompuses are kind. Rompuses are jompuses. Jompuses are hot. Each numpus is not hot. Each jompus is a vumpus. Each vumpus is opaque. Every vumpus is a wumpus. Wumpuses are nervous. Every wumpus is a zumpus. Zumpuses are not brown. Each zumpus is an impus. Alex is a tumpus.\n\nIs the following statement true or false? Alex is hot.", + "answer": true, + "original_context": "Tumpuses are wooden. Every tumpus is a yumpus. Yumpuses are sweet. Each yumpus is a dumpus. Dumpuses are dull. Dumpuses are rompuses. Rompuses are kind. Rompuses are jompuses. Jompuses are hot. Each numpus is not hot. Each jompus is a vumpus. Each vumpus is opaque. Every vumpus is a wumpus. Wumpuses are nervous. Every wumpus is a zumpus. Zumpuses are not brown. Each zumpus is an impus. Alex is a tumpus.", + "original_question": "Is the following statement true or false? Alex is hot." + }, + { + "id": "ProntoQA_489", + "question": "Every zumpus is nervous. Zumpuses are vumpuses. Vumpuses are orange. Every vumpus is a tumpus. Tumpuses are kind. Every tumpus is a dumpus. Dumpuses are bitter. Each dumpus is a wumpus. Each wumpus is liquid. Wumpuses are yumpuses. Yumpuses are not bright. Every yumpus is a numpus. Each numpus is transparent. Numpuses are jompuses. Every jompus is not cold. Impuses are cold. Every jompus is a rompus. Rex is a dumpus.\n\nIs the following statement true or false? Rex is cold.", + "answer": false, + "original_context": "Every zumpus is nervous. Zumpuses are vumpuses. Vumpuses are orange. Every vumpus is a tumpus. Tumpuses are kind. Every tumpus is a dumpus. Dumpuses are bitter. Each dumpus is a wumpus. Each wumpus is liquid. Wumpuses are yumpuses. Yumpuses are not bright. Every yumpus is a numpus. Each numpus is transparent. Numpuses are jompuses. Every jompus is not cold. Impuses are cold. Every jompus is a rompus. Rex is a dumpus.", + "original_question": "Is the following statement true or false? Rex is cold." + }, + { + "id": "ProntoQA_490", + "question": "Each wumpus is red. Each wumpus is an impus. Impuses are not transparent. Every impus is a jompus. Every jompus is happy. Jompuses are vumpuses. Vumpuses are bitter. Vumpuses are rompuses. Each rompus is mean. Rompuses are zumpuses. Zumpuses are small. Every zumpus is a tumpus. Each tumpus is not earthy. Dumpuses are bright. Every tumpus is a yumpus. Yumpuses are not bright. Each yumpus is a numpus. Max is a vumpus.\n\nIs the following statement true or false? Max is bright.", + "answer": false, + "original_context": "Each wumpus is red. Each wumpus is an impus. Impuses are not transparent. Every impus is a jompus. Every jompus is happy. Jompuses are vumpuses. Vumpuses are bitter. Vumpuses are rompuses. Each rompus is mean. Rompuses are zumpuses. Zumpuses are small. Every zumpus is a tumpus. Each tumpus is not earthy. Dumpuses are bright. Every tumpus is a yumpus. Yumpuses are not bright. Each yumpus is a numpus. Max is a vumpus.", + "original_question": "Is the following statement true or false? Max is bright." + }, + { + "id": "ProntoQA_491", + "question": "Each tumpus is wooden. Every tumpus is an impus. Numpuses are cold. Every impus is kind. Each impus is a jompus. Each jompus is feisty. Every jompus is a yumpus. Yumpuses are not red. Each yumpus is a rompus. Rompuses are large. Rompuses are vumpuses. Each vumpus is bright. Vumpuses are wumpuses. Wumpuses are not cold. Wumpuses are dumpuses. Dumpuses are opaque. Dumpuses are zumpuses. Stella is a jompus.\n\nIs the following statement true or false? Stella is cold.", + "answer": false, + "original_context": "Each tumpus is wooden. Every tumpus is an impus. Numpuses are cold. Every impus is kind. Each impus is a jompus. Each jompus is feisty. Every jompus is a yumpus. Yumpuses are not red. Each yumpus is a rompus. Rompuses are large. Rompuses are vumpuses. Each vumpus is bright. Vumpuses are wumpuses. Wumpuses are not cold. Wumpuses are dumpuses. Dumpuses are opaque. Dumpuses are zumpuses. Stella is a jompus.", + "original_question": "Is the following statement true or false? Stella is cold." + }, + { + "id": "ProntoQA_492", + "question": "Every jompus is kind. Jompuses are wumpuses. Each wumpus is dull. Every wumpus is a vumpus. Every vumpus is not nervous. Vumpuses are zumpuses. Zumpuses are not sour. Each zumpus is a yumpus. Every yumpus is wooden. Each yumpus is an impus. Impuses are not orange. Every impus is a tumpus. Each tumpus is cold. Dumpuses are orange. Tumpuses are rompuses. Rompuses are transparent. Rompuses are numpuses. Rex is a wumpus.\n\nIs the following statement true or false? Rex is not orange.", + "answer": true, + "original_context": "Every jompus is kind. Jompuses are wumpuses. Each wumpus is dull. Every wumpus is a vumpus. Every vumpus is not nervous. Vumpuses are zumpuses. Zumpuses are not sour. Each zumpus is a yumpus. Every yumpus is wooden. Each yumpus is an impus. Impuses are not orange. Every impus is a tumpus. Each tumpus is cold. Dumpuses are orange. Tumpuses are rompuses. Rompuses are transparent. Rompuses are numpuses. Rex is a wumpus.", + "original_question": "Is the following statement true or false? Rex is not orange." + }, + { + "id": "ProntoQA_493", + "question": "Numpuses are angry. Every wumpus is not floral. Wumpuses are dumpuses. Dumpuses are feisty. Each dumpus is a zumpus. Each zumpus is not wooden. Each zumpus is an impus. Every impus is transparent. Impuses are vumpuses. Vumpuses are orange. Vumpuses are jompuses. Each jompus is not angry. Each jompus is a tumpus. Tumpuses are not spicy. Tumpuses are rompuses. Alex is a dumpus.\n\nIs the following statement true or false? Alex is not angry.", + "answer": true, + "original_context": "Numpuses are angry. Every wumpus is not floral. Wumpuses are dumpuses. Dumpuses are feisty. Each dumpus is a zumpus. Each zumpus is not wooden. Each zumpus is an impus. Every impus is transparent. Impuses are vumpuses. Vumpuses are orange. Vumpuses are jompuses. Each jompus is not angry. Each jompus is a tumpus. Tumpuses are not spicy. Tumpuses are rompuses. Alex is a dumpus.", + "original_question": "Is the following statement true or false? Alex is not angry." + }, + { + "id": "ProntoQA_494", + "question": "Every vumpus is spicy. Each vumpus is a jompus. Every jompus is wooden. Jompuses are yumpuses. Yumpuses are dull. Every yumpus is an impus. Impuses are not transparent. Impuses are zumpuses. Zumpuses are not fruity. Every zumpus is a rompus. Each wumpus is fruity. Rompuses are not small. Rompuses are numpuses. Rex is a vumpus.\n\nIs the following statement true or false? Rex is not fruity.", + "answer": true, + "original_context": "Every vumpus is spicy. Each vumpus is a jompus. Every jompus is wooden. Jompuses are yumpuses. Yumpuses are dull. Every yumpus is an impus. Impuses are not transparent. Impuses are zumpuses. Zumpuses are not fruity. Every zumpus is a rompus. Each wumpus is fruity. Rompuses are not small. Rompuses are numpuses. Rex is a vumpus.", + "original_question": "Is the following statement true or false? Rex is not fruity." + }, + { + "id": "ProntoQA_495", + "question": "Each wumpus is nervous. Each wumpus is a vumpus. Vumpuses are not liquid. Vumpuses are tumpuses. Every tumpus is hot. Tumpuses are zumpuses. Every zumpus is sour. Each zumpus is a jompus. Jompuses are not floral. Every jompus is an impus. Every numpus is not orange. Impuses are orange. Each impus is a yumpus. Yumpuses are not opaque. Each yumpus is a rompus. Every rompus is small. Every rompus is a dumpus. Sam is a vumpus.\n\nIs the following statement true or false? Sam is orange.", + "answer": true, + "original_context": "Each wumpus is nervous. Each wumpus is a vumpus. Vumpuses are not liquid. Vumpuses are tumpuses. Every tumpus is hot. Tumpuses are zumpuses. Every zumpus is sour. Each zumpus is a jompus. Jompuses are not floral. Every jompus is an impus. Every numpus is not orange. Impuses are orange. Each impus is a yumpus. Yumpuses are not opaque. Each yumpus is a rompus. Every rompus is small. Every rompus is a dumpus. Sam is a vumpus.", + "original_question": "Is the following statement true or false? Sam is orange." + }, + { + "id": "ProntoQA_496", + "question": "Each zumpus is not metallic. Every zumpus is a jompus. Rompuses are not aggressive. Jompuses are not red. Each jompus is a wumpus. Every wumpus is not nervous. Each wumpus is a tumpus. Tumpuses are transparent. Tumpuses are vumpuses. Every vumpus is cold. Each vumpus is a dumpus. Every dumpus is not dull. Each dumpus is a yumpus. Yumpuses are spicy. Yumpuses are numpuses. Numpuses are aggressive. Every numpus is an impus. Alex is a tumpus.\n\nIs the following statement true or false? Alex is not aggressive.", + "answer": false, + "original_context": "Each zumpus is not metallic. Every zumpus is a jompus. Rompuses are not aggressive. Jompuses are not red. Each jompus is a wumpus. Every wumpus is not nervous. Each wumpus is a tumpus. Tumpuses are transparent. Tumpuses are vumpuses. Every vumpus is cold. Each vumpus is a dumpus. Every dumpus is not dull. Each dumpus is a yumpus. Yumpuses are spicy. Yumpuses are numpuses. Numpuses are aggressive. Every numpus is an impus. Alex is a tumpus.", + "original_question": "Is the following statement true or false? Alex is not aggressive." + }, + { + "id": "ProntoQA_497", + "question": "Yumpuses are metallic. Yumpuses are wumpuses. Every wumpus is nervous. Every wumpus is a zumpus. Every zumpus is not sour. Zumpuses are numpuses. Each numpus is kind. Numpuses are rompuses. Rompuses are small. Every rompus is an impus. Every impus is not opaque. Impuses are dumpuses. Jompuses are not small. Dumpuses are not dull. Each dumpus is a vumpus. Each vumpus is orange. Each vumpus is a tumpus. Stella is a yumpus.\n\nIs the following statement true or false? Stella is not small.", + "answer": false, + "original_context": "Yumpuses are metallic. Yumpuses are wumpuses. Every wumpus is nervous. Every wumpus is a zumpus. Every zumpus is not sour. Zumpuses are numpuses. Each numpus is kind. Numpuses are rompuses. Rompuses are small. Every rompus is an impus. Every impus is not opaque. Impuses are dumpuses. Jompuses are not small. Dumpuses are not dull. Each dumpus is a vumpus. Each vumpus is orange. Each vumpus is a tumpus. Stella is a yumpus.", + "original_question": "Is the following statement true or false? Stella is not small." + }, + { + "id": "ProntoQA_498", + "question": "Jompuses are earthy. Every jompus is a dumpus. Dumpuses are liquid. Each vumpus is not sweet. Each dumpus is a wumpus. Wumpuses are transparent. Every wumpus is a numpus. Each numpus is aggressive. Each numpus is a zumpus. Zumpuses are brown. Zumpuses are tumpuses. Tumpuses are sweet. Tumpuses are rompuses. Every rompus is not dull. Every rompus is a yumpus. Yumpuses are temperate. Yumpuses are impuses. Rex is a dumpus.\n\nIs the following statement true or false? Rex is not sweet.", + "answer": false, + "original_context": "Jompuses are earthy. Every jompus is a dumpus. Dumpuses are liquid. Each vumpus is not sweet. Each dumpus is a wumpus. Wumpuses are transparent. Every wumpus is a numpus. Each numpus is aggressive. Each numpus is a zumpus. Zumpuses are brown. Zumpuses are tumpuses. Tumpuses are sweet. Tumpuses are rompuses. Every rompus is not dull. Every rompus is a yumpus. Yumpuses are temperate. Yumpuses are impuses. Rex is a dumpus.", + "original_question": "Is the following statement true or false? Rex is not sweet." + }, + { + "id": "ProntoQA_499", + "question": "Every wumpus is brown. Every wumpus is a dumpus. Every dumpus is dull. Dumpuses are yumpuses. Yumpuses are not metallic. Every yumpus is a tumpus. Tumpuses are sour. Tumpuses are numpuses. Every numpus is opaque. Each numpus is an impus. Each impus is small. Every impus is a jompus. Each zumpus is not small. Fae is a dumpus.\n\nIs the following statement true or false? Fae is not small.", + "answer": false, + "original_context": "Every wumpus is brown. Every wumpus is a dumpus. Every dumpus is dull. Dumpuses are yumpuses. Yumpuses are not metallic. Every yumpus is a tumpus. Tumpuses are sour. Tumpuses are numpuses. Every numpus is opaque. Each numpus is an impus. Each impus is small. Every impus is a jompus. Each zumpus is not small. Fae is a dumpus.", + "original_question": "Is the following statement true or false? Fae is not small." + }, + { + "id": "ProntoQA_500", + "question": "Every zumpus is aggressive. Zumpuses are yumpuses. Wumpuses are not small. Each yumpus is not luminous. Every yumpus is a jompus. Jompuses are orange. Jompuses are numpuses. Each numpus is earthy. Each numpus is a rompus. Rompuses are not sweet. Each rompus is a vumpus. Every vumpus is bright. Each vumpus is a dumpus. Each dumpus is small. Dumpuses are tumpuses. Every tumpus is cold. Every tumpus is an impus. Polly is a jompus.\n\nIs the following statement true or false? Polly is not small.", + "answer": false, + "original_context": "Every zumpus is aggressive. Zumpuses are yumpuses. Wumpuses are not small. Each yumpus is not luminous. Every yumpus is a jompus. Jompuses are orange. Jompuses are numpuses. Each numpus is earthy. Each numpus is a rompus. Rompuses are not sweet. Each rompus is a vumpus. Every vumpus is bright. Each vumpus is a dumpus. Each dumpus is small. Dumpuses are tumpuses. Every tumpus is cold. Every tumpus is an impus. Polly is a jompus.", + "original_question": "Is the following statement true or false? Polly is not small." + } +] \ No newline at end of file diff --git a/examples/bench_folio.py b/examples/bench_folio.py new file mode 100644 index 0000000..e8968c6 --- /dev/null +++ b/examples/bench_folio.py @@ -0,0 +1,151 @@ +#!/usr/bin/env python3 +"""Benchmark: FOLIO with SMT2 backend and Azure OpenAI. + +FOLIO (First-Order Logic in Natural Language) is a human-annotated dataset +for evaluating natural language reasoning with first-order logic. It contains +logically complex and diverse examples with formal FOL annotations verified +by an FOL inference engine. + +Dataset: HuggingFace yale-nlp/FOLIO (train split) +Format: JSONL file with premises, conclusion, and label (True/False/Uncertain) +Note: This script filters out "Uncertain" labels for binary classification +""" + +import json +import logging +import sys +from pathlib import Path + +# Add parent directory to path for z3dsl imports +sys.path.insert(0, str(Path(__file__).parent.parent)) + +from azure_config import get_client_config + +from z3dsl.reasoning import EvaluationPipeline, ProofOfThought + +# Configure logging +logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") + + +def preprocess_folio(jsonl_path: str, output_path: str) -> None: + """Preprocess FOLIO to combine premises + conclusion and filter Uncertain labels. + + FOLIO format: + - premises: Background context (natural language statements) + - conclusion: The statement to verify + - label: "True", "False", or "Uncertain" + - story_id: ID of the premise set + - example_id: Unique example ID + + Output format: + - question: premises + "\n\nConclusion: " + conclusion + - answer: True/False (boolean, "Uncertain" samples filtered out) + - id: example_id + - story_id: original story_id + """ + with open(jsonl_path) as f: + data = [json.loads(line) for line in f] + + print(f"Total samples: {len(data)}") + + # Filter out Uncertain labels for binary classification + data_filtered = [item for item in data if item["label"] != "Uncertain"] + + print(f"After filtering Uncertain: {len(data_filtered)}") + + label_counts: dict[str, int] = {} + for item in data_filtered: + label_counts[item["label"]] = label_counts.get(item["label"], 0) + 1 + print(f"Label distribution: {label_counts}") + + processed = [] + for item in data_filtered: + # Combine premises with conclusion for complete reasoning scenario + # Frame as direct assertion task to match SAT=True/UNSAT=False interpretation + # Instead of asking "does it follow?", ask "is it true given the premises?" + full_question = f"Given the following premises:\n\n{item['premises']}\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: {item['conclusion']}" + + # Convert string label to boolean + answer_bool = item["label"] == "True" + + processed.append( + { + "id": f"folio_{item['example_id']}", + "question": full_question, + "answer": answer_bool, + "story_id": item["story_id"], + "example_id": item["example_id"], + "original_premises": item["premises"], + "original_conclusion": item["conclusion"], + } + ) + + with open(output_path, "w") as f: + json.dump(processed, f, indent=2) + + print(f"Preprocessed {len(processed)} FOLIO examples") + print(f"Saved to: {output_path}") + + +# Preprocess the dataset +jsonl_file = "examples/folio_v2_train.jsonl" +processed_file = "examples/folio_v2_train_processed.json" + +print("Preprocessing FOLIO dataset...") +preprocess_folio(jsonl_file, processed_file) +print() + +# Get Azure OpenAI configuration +config = get_client_config() + +# Create ProofOfThought instance with SMT2 backend +pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + max_attempts=3, + cache_dir="output/programs_smt2_folio", + z3_path="z3", +) + +# Create evaluation pipeline with parallel workers +evaluator = EvaluationPipeline( + proof_of_thought=pot, + output_dir="output/evaluation_results_folio", + num_workers=10, +) + +# Run evaluation on preprocessed dataset +result = evaluator.evaluate( + dataset=processed_file, + question_field="question", + answer_field="answer", + id_field="id", + max_samples=100, + skip_existing=True, +) + +# Print results +print("\n" + "=" * 80) +print("FOLIO BENCHMARK RESULTS (SMT2 Backend + Azure GPT-5)") +print("=" * 80) +print(f"Total Samples: {result.metrics.total_samples}") +print(f"Correct: {result.metrics.correct_answers}") +print(f"Wrong: {result.metrics.wrong_answers}") +print(f"Failed: {result.metrics.failed_answers}") +print() +print(f"Accuracy: {result.metrics.accuracy:.2%}") +print(f"Precision: {result.metrics.precision:.4f}") +print(f"Recall: {result.metrics.recall:.4f}") +print(f"F1 Score: {result.metrics.f1_score:.4f}") +print(f"Specificity: {result.metrics.specificity:.4f}") +print() +print(f"True Positives: {result.metrics.tp}") +print(f"True Negatives: {result.metrics.tn}") +print(f"False Positives: {result.metrics.fp}") +print(f"False Negatives: {result.metrics.fn}") +print("=" * 80) +print("\nNOTE: FOLIO is a challenging dataset with complex first-order logic reasoning.") +print(" It includes expert-written examples with formal FOL annotations.") +print(" 'Uncertain' labels filtered out for binary classification.") +print(" Dataset: 1,001 total examples, 677 with definite True/False labels.") diff --git a/examples/bench_prontoqa.py b/examples/bench_prontoqa.py new file mode 100644 index 0000000..28a9f1b --- /dev/null +++ b/examples/bench_prontoqa.py @@ -0,0 +1,128 @@ +#!/usr/bin/env python3 +"""Benchmark: ProntoQA with SMT2 backend and Azure OpenAI. + +ProntoQA is a synthetic question-answering dataset designed to formally analyze +chain-of-thought reasoning in large language models. It requires deductive reasoning +(modus ponens) to answer true/false queries with varying reasoning depths (hops). + +Dataset: HuggingFace renma/ProntoQA +Format: Each entry contains context (facts/rules), question, and answer ("A"=True, "B"=False) +""" + +import json +import logging +import sys +from pathlib import Path + +# Add parent directory to path for z3dsl imports +sys.path.insert(0, str(Path(__file__).parent.parent)) + +from azure_config import get_client_config + +from z3dsl.reasoning import EvaluationPipeline, ProofOfThought + +# Configure logging +logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") + + +def preprocess_prontoqa(input_path: str, output_path: str) -> None: + """Preprocess ProntoQA to combine context + question and convert answer format. + + ProntoQA format: + - context: Background facts and rules + - question: "Is the following statement true or false? [statement]" + - answer: "A" (True) or "B" (False) + + Output format: + - question: context + "\n\n" + question + - answer: True/False (boolean) + - id: original id + """ + with open(input_path) as f: + data = json.load(f) + + processed = [] + for item in data: + # Combine context with question for complete reasoning scenario + full_question = f"{item['context']}\n\n{item['question']}" + + # Convert A/B answer to boolean (A=True, B=False) + answer_bool = True if item["answer"] == "A" else False + + processed.append( + { + "id": item["id"], + "question": full_question, + "answer": answer_bool, + "original_context": item["context"], + "original_question": item["question"], + } + ) + + with open(output_path, "w") as f: + json.dump(processed, f, indent=2) + + print(f"Preprocessed {len(processed)} ProntoQA examples") + print(f"Saved to: {output_path}") + + +# Preprocess the dataset +input_file = "examples/ProntoQA_dev_gpt-4.json" +processed_file = "examples/ProntoQA_dev_processed.json" + +print("Preprocessing ProntoQA dataset...") +preprocess_prontoqa(input_file, processed_file) +print() + +# Get Azure OpenAI configuration +config = get_client_config() + +# Create ProofOfThought instance with SMT2 backend +pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + max_attempts=3, + cache_dir="output/programs_smt2_prontoqa", + z3_path="z3", +) + +# Create evaluation pipeline with parallel workers +evaluator = EvaluationPipeline( + proof_of_thought=pot, + output_dir="output/evaluation_results_prontoqa", + num_workers=10, +) + +# Run evaluation on preprocessed dataset +result = evaluator.evaluate( + dataset=processed_file, + question_field="question", + answer_field="answer", + id_field="id", + max_samples=100, + skip_existing=True, +) + +# Print results +print("\n" + "=" * 80) +print("PRONTOQA BENCHMARK RESULTS (SMT2 Backend + Azure GPT-5)") +print("=" * 80) +print(f"Total Samples: {result.metrics.total_samples}") +print(f"Correct: {result.metrics.correct_answers}") +print(f"Wrong: {result.metrics.wrong_answers}") +print(f"Failed: {result.metrics.failed_answers}") +print() +print(f"Accuracy: {result.metrics.accuracy:.2%}") +print(f"Precision: {result.metrics.precision:.4f}") +print(f"Recall: {result.metrics.recall:.4f}") +print(f"F1 Score: {result.metrics.f1_score:.4f}") +print(f"Specificity: {result.metrics.specificity:.4f}") +print() +print(f"True Positives: {result.metrics.tp}") +print(f"True Negatives: {result.metrics.tn}") +print(f"False Positives: {result.metrics.fp}") +print(f"False Negatives: {result.metrics.fn}") +print("=" * 80) +print("\nNOTE: ProntoQA tests deductive reasoning with varying depths.") +print(" Dataset contains 500 synthetic examples with formal logic rules.") diff --git a/examples/bench_proofwriter.py b/examples/bench_proofwriter.py new file mode 100644 index 0000000..0b8a44f --- /dev/null +++ b/examples/bench_proofwriter.py @@ -0,0 +1,155 @@ +#!/usr/bin/env python3 +"""Benchmark: ProofWriter with SMT2 backend and Azure OpenAI. + +ProofWriter is a logical reasoning benchmark consisting of natural language +rulebases (facts and rules) with questions that can be proven true, false, +or unknown. The dataset includes proofs of various depths and complexity. + +Dataset: HuggingFace tasksource/proofwriter (test split) +Format: Parquet file with theory (facts/rules), question, and answer (True/False/Unknown) +Note: This script filters out "Unknown" answers for binary classification +""" + +import json +import logging +import sys +from pathlib import Path + +# Add parent directory to path for z3dsl imports +sys.path.insert(0, str(Path(__file__).parent.parent)) + +from azure_config import get_client_config + +from z3dsl.reasoning import EvaluationPipeline, ProofOfThought + +# Configure logging +logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") + + +def preprocess_proofwriter(parquet_path: str, output_path: str, max_samples: int = 1000) -> None: + """Preprocess ProofWriter to combine theory + question and filter Unknown answers. + + ProofWriter format: + - theory: Background facts and rules (natural language) + - question: The query statement + - answer: "True", "False", or "Unknown" + - QDep: Question depth (number of reasoning steps) + + Output format: + - question: theory + "\n\nQuestion: " + question + - answer: True/False (boolean, "Unknown" samples filtered out) + - id: original id + - QDep: reasoning depth + """ + import pandas as pd + + df = pd.read_parquet(parquet_path) + + # Filter out Unknown answers for binary classification + df_filtered = df[df["answer"] != "Unknown"].copy() + + print(f"Total samples: {len(df)}") + print(f"After filtering Unknown: {len(df_filtered)}") + print(f"Answer distribution: {df_filtered['answer'].value_counts().to_dict()}") + + # Sample for evaluation (balanced if possible) + if len(df_filtered) > max_samples: + # Try to get balanced sample + df_true = df_filtered[df_filtered["answer"] == "True"].sample( + n=min(max_samples // 2, len(df_filtered[df_filtered["answer"] == "True"])), + random_state=42, + ) + df_false = df_filtered[df_filtered["answer"] == "False"].sample( + n=min(max_samples // 2, len(df_filtered[df_filtered["answer"] == "False"])), + random_state=42, + ) + df_filtered = pd.concat([df_true, df_false]).sample(frac=1, random_state=42) + + processed = [] + for _, row in df_filtered.iterrows(): + # Combine theory with question for complete reasoning scenario + full_question = f"{row['theory']}\n\nQuestion: {row['question']}" + + # Convert string answer to boolean + answer_bool = row["answer"] == "True" + + processed.append( + { + "id": row["id"], + "question": full_question, + "answer": answer_bool, + "QDep": int(row["QDep"]), + "original_theory": row["theory"], + "original_question": row["question"], + } + ) + + with open(output_path, "w") as f: + json.dump(processed, f, indent=2) + + print(f"Preprocessed {len(processed)} ProofWriter examples") + print(f"QDep distribution: {df_filtered['QDep'].value_counts().sort_index().to_dict()}") + print(f"Saved to: {output_path}") + + +# Preprocess the dataset +parquet_file = "examples/proofwriter_test.parquet" +processed_file = "examples/proofwriter_test_processed.json" + +print("Preprocessing ProofWriter dataset...") +preprocess_proofwriter(parquet_file, processed_file, max_samples=1000) +print() + +# Get Azure OpenAI configuration +config = get_client_config() + +# Create ProofOfThought instance with SMT2 backend +pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + max_attempts=3, + cache_dir="output/programs_smt2_proofwriter", + z3_path="z3", +) + +# Create evaluation pipeline with parallel workers +evaluator = EvaluationPipeline( + proof_of_thought=pot, + output_dir="output/evaluation_results_proofwriter", + num_workers=10, +) + +# Run evaluation on preprocessed dataset +result = evaluator.evaluate( + dataset=processed_file, + question_field="question", + answer_field="answer", + id_field="id", + max_samples=100, + skip_existing=True, +) + +# Print results +print("\n" + "=" * 80) +print("PROOFWRITER BENCHMARK RESULTS (SMT2 Backend + Azure GPT-5)") +print("=" * 80) +print(f"Total Samples: {result.metrics.total_samples}") +print(f"Correct: {result.metrics.correct_answers}") +print(f"Wrong: {result.metrics.wrong_answers}") +print(f"Failed: {result.metrics.failed_answers}") +print() +print(f"Accuracy: {result.metrics.accuracy:.2%}") +print(f"Precision: {result.metrics.precision:.4f}") +print(f"Recall: {result.metrics.recall:.4f}") +print(f"F1 Score: {result.metrics.f1_score:.4f}") +print(f"Specificity: {result.metrics.specificity:.4f}") +print() +print(f"True Positives: {result.metrics.tp}") +print(f"True Negatives: {result.metrics.tn}") +print(f"False Positives: {result.metrics.fp}") +print(f"False Negatives: {result.metrics.fn}") +print("=" * 80) +print("\nNOTE: ProofWriter includes questions with varying proof depths (QDep).") +print(" 'Unknown' answers filtered out for binary classification.") +print(" Dataset: 174k total examples, ~93k with definite True/False answers.") diff --git a/examples/bench_strategyqa.py b/examples/bench_strategyqa.py new file mode 100644 index 0000000..d167a34 --- /dev/null +++ b/examples/bench_strategyqa.py @@ -0,0 +1,72 @@ +#!/usr/bin/env python3 +"""Benchmark: StrategyQA with SMT2 backend and Azure OpenAI. + +StrategyQA is a question answering benchmark that focuses on open-domain +questions where the required reasoning steps are implicit in the question +and should be inferred using a strategy. +""" + +import logging +import sys +from pathlib import Path + +# Add parent directory to path for z3dsl imports +sys.path.insert(0, str(Path(__file__).parent.parent)) + +from azure_config import get_client_config + +from z3dsl.reasoning import EvaluationPipeline, ProofOfThought + +# Configure logging +logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") + +# Get Azure OpenAI configuration +config = get_client_config() + +# Create ProofOfThought instance with SMT2 backend +pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + max_attempts=3, + cache_dir="output/programs_smt2_strategyqa", + z3_path="z3", +) + +# Create evaluation pipeline with parallel workers +evaluator = EvaluationPipeline( + proof_of_thought=pot, + output_dir="output/evaluation_results_strategyqa", + num_workers=10, +) + +# Run evaluation +result = evaluator.evaluate( + dataset="examples/strategyQA_train.json", + question_field="question", + answer_field="answer", + id_field="qid", + max_samples=100, + skip_existing=True, +) + +# Print results +print("\n" + "=" * 80) +print("STRATEGYQA BENCHMARK RESULTS (SMT2 Backend + Azure GPT-5)") +print("=" * 80) +print(f"Total Samples: {result.metrics.total_samples}") +print(f"Correct: {result.metrics.correct_answers}") +print(f"Wrong: {result.metrics.wrong_answers}") +print(f"Failed: {result.metrics.failed_answers}") +print() +print(f"Accuracy: {result.metrics.accuracy:.2%}") +print(f"Precision: {result.metrics.precision:.4f}") +print(f"Recall: {result.metrics.recall:.4f}") +print(f"F1 Score: {result.metrics.f1_score:.4f}") +print(f"Specificity: {result.metrics.specificity:.4f}") +print() +print(f"True Positives: {result.metrics.tp}") +print(f"True Negatives: {result.metrics.tn}") +print(f"False Positives: {result.metrics.fp}") +print(f"False Negatives: {result.metrics.fn}") +print("=" * 80) diff --git a/examples/proofwriter_test.parquet b/examples/proofwriter_test.parquet new file mode 100644 index 0000000000000000000000000000000000000000..08d87237553a13e1446b893ea711dc987f84645c GIT binary patch literal 8682893 zcmb5Wd3+O9zc7AIn*%v*W|En9(oWh5O=v&-okXoC1)U=;`SC*WFmu4b^AG{KniPAFP?`dh=R`Tbtg{O$m5aLTj0jE z`0o)OzhA{++)oN?6@O7h7-?0-gIzc*x^$jGw?AS;I-kG5gO8~BNbB}{DptV-pQ1zt zBb}-is1-8Oxr=;7k?}~Q6qT)l3Dg2IF7Of37WxY-nvkYYfxlXh-$P2(myp)yF0%Pm zBRuC-$Q68xJOgXJY9V(>K zsD7IvF^3msJq9NlcTvT&Sm!M$@K+eHPAvccmt&2uh_vAy;t{RlRcxbhlY9i8bl1Q_ zz9NrWHXhZC##-2>Z8V-QPXr)+h4CbSL+dLjz^?_@!vbni&H7}G&tq!}7Qn(vLD`qE zGq=0!9M*Wf^%sKc5)b)FDW2e$wW`}!R-dF*J>HrVFiWAg;zDAOx9o!?om)|TfGv&J zM`acE==OQbUIlmx>Tf1+>n-xx1_eJw2DPwINh|w9qw)D_#$cp6Ud0oYS79}O*=HI6 zyr>}L0Mvvu9)H#0B(2ZmwT)F>30!z>EAa_&uvRVfk_WI+UY)>{w`u}xOf9O)gry5% z?^@MgXscD%140Xm)W~b_kgw1Z!hL1fiqGqde3uN6yQ|nF*mlkHNieveEP{|yJ58f; zdn-On*18MS@b+Ln5U!x8?P;9puLX)JHF-&}f~}BRkmRu~2rdBVJidwu(x?Sh2%hrzZ2!U$ae>CI zQ~{(wm$GNb-()zSz`KX64vb6etBPvj;li?+$*}vPs?$WP7IyT{gjO1>aeHdIG+LkEUG*&7P(5WY!}A4d6>x{!@6fC5z#SkR$FWhlk>J?w zW?)K_7|3I2M+Po3OsSF*1}I!scO<_-Gx5>OR54i9*@855D1W`Vu=tW$MjmKBtr5=O%Kr!TD*k{!mn5)2F zrcKfm`S>iY3e-~lRRa>_@K?CGP@Wyc1?hNJ&^Otsn)uzp1a-UM%Y+!bj$&>3!9O%U{iTQRQDsyD%y`Q5(O z!!YqTNqDfoH38Uat=cz1`}U-Ssqv~c8}-JIc|2A=2$L6i<6q-az?=qX3id_u*L)2I zL#_BGJu&tR0}3hEQZ+trbXsDxT2!&dp!I?h3~IsFDq(H#afH;0?HoXK?houLu7s^t zElAcV9^;oOc!#XVHE#pw_>Hd$SQaM$H(7a&$7B3Si`OVX1*PT;1(x=N_u>L^0!XgA zZD$|>r>AUkvd*WdZUG4&a>5seeBpv#FbF+_9@#3&OG~&FO^yHMSQM&iCZF&s{_B#v zK=FX9@tt;WGJIXoW4au^ks)W$3Y4VL8VaU7vjW3+&d8lBaB>e_cF`@D5f<}vhi=Si zO(H4j`D35KrtdE>ChyG4&$K4@)SCw^Mi_>2*3vaOq1!by%|3GH$gYyM6l4C_L$_Rc zwkkmeEC$=^F%}2%oDznsvcOS1$?60ut!zY&{_hhq+=6-yp9bnG(&;Kle<%%7F<}cqq zJne;7cl2NM?Pb{di2DKPFD~vL^4k5yOMm(P%5$qnJP>U8{kI=JdEvDO1}^^#C8g(W z#J^d7co8tsmLe+CUxbNTR;T zEky=^^)5SBZmH@n+v*(m*z|L+cMrQ;PEd8!p5fcQ4ey?5PwPXvOFupL#zP}^4r)zG zAZ_HX(hgG?;UY^)`lyEh_%_RA9U!s{8^=~ZTyuEprTy@A5Kwyk%S#WBNw9)tv0*IC zzS(Bq`}oX@yWsYL+GBv@=C9s7Fh0Q|Tl12Nj2u*W7(<$bj}Is(HcA!-DA1mn_!hp*!)JIcYdekp&ZxvV{?GDUbzR)&+PQf zNTAPh2+g$g&aszo_tw9$r~F>aNi+)|no@UuyKnYe2Pd9d#lV<%A8&Z?SVLA}Y0tADmjP53QR1 z<2AtTNB@BJfVy{1etOwo|GM$huit(2^zxV^b`h;;W%0HFts0sTSCE*VdJtrTq$;ta~8j?s)l!B)IXJ#S9Fe)Hyj zY?x4;la!sDnMA5@KDs|WDKFWOlzbEAB@GY*wxIbB!e|;|i%b7annT3+ zv&R0o&wkmP{r`ZV|CKa{uyD(8!T2|A#{Qc&dfHQiFr!5Tj-GI6;LyR50td@z2N?c? z5((-iJ_)PUQ`p<%|DxM}K9s5bPckRy_CK$}`0tVz{|DVPg$Qw+)#?FTR_gIoS0hvh zpHfWMR97!rR9($+)zzh?b#)wvP<1ujDYaS`EwWmxtJl=kVQD(Yb#|7Pmcm0G_$*pf zSGRvZOjWvQ5$>_EvlAh!74DR-S+vN|b0XYG%voLC*|})Ze)x2DTCF&k-P!5!a9n9A z_F=8Iv$KvYz#&~Jj3Zi|$FqMwc4=Tf2R^Ftc(6gkaoD0MEu|ZA6!c3$;&&<5>+0&@ zp?O|})|4i8Q3?Q7SL5=;&_>)JznfiGXSLSVb#~%hycU(>rP%;jUAjhGLnTy7-c8@X ze^DvSRjh$W`ei3}4zSeWE%^w+CKoNr)bxT0!*~hJ#V0J8mSnO9_tGF_>G3y~*Ephy zABzCzHp^n{!S#uWV)$451I{N5UY2gP0&pDjsVy{U(V_&(|DLwAw6ile+5XDl|KdGT z5s6J(@NedOB*l14YkzQneOrHEzW+(j{~s#)<`=3{V$8IM5r(=|CKuk0VZGJq;qg;wMPA}Q~UJqnI zV>WBh>pc*hZ!X3B-uLX$XcFAdJqPOjWJB~Zydt+DD_ZvYF+6BqxN&hY!tyy)SesVqmAz!+cbUi#_5}f^03|?wXcCONH`hj^Ww7qOxi|}<72w&G_1a+@DdEDF=Y2~1*0 zlAVWDVAV-^}(wRvN10tVPc?%$|t*j$=G(!b9Q$-QCJzoCk59{Tz*K;%#!RzwIO z$#uXexCrnM&F!26t0XYG1=+tH{@)p@s(DWQ-wgF-PveI@?O%uO8^gd*|C4wLhWejZ z(f`U&uWr=|A74oR|I%`wukEp-99U`e%y`b!*qrG(@z{(x@tpekIgL#Va^^KP&zLFa z5GgYro0l`aDNe=o#&~>s&H}}YXdmtLrWr&+^QqYj_vM^uUC#WbhImsW8B0cEGit;n zb4kv$nX&nCoGPt=F?fzR0y~+2Ha0I#_GqWhX{HLJs!2zLRx=nQ0dc%xX=vPE5liEorDxObb~Ja!zQ@99n?#3746( zU}k;ejQQcQj@$+($;6kiF>D|U>1a*;0&F5%gZ+@WgxZ+<@FFfG%%z(Rg8>iuxLjV3 zn8M&BL9@q2ZkZFewTc#;BAXC)Yvr7AWQ*j^ zo-r>TZ-kBGo)9mRr*!gJjP{LYzM$cwQQ>!)M@*HRhVV=K#&J=l0UsDe{I&vY4*U*a z0v2$F5Wxa*uZm$j3dv!I{28LgP_3mO%BPhPGcGS>_L7BR9;oZOhYkhGSzIOeBc&J# z=kT(sn>e%=OL%rziE8n9QXt?+nhn||Z0OueM$~o#@D-Uyzw-T6Rfvdy zbBmADCiK2*{pmx%o&Hsf!S;fqjp4iPv5}m?enHFd^#?0k8G-a6Cqs5l*mPY=XXdG& zC5b`VgQClsrV^iqc(dijpiE1ersDT0C;NIjl65(yv4vNwnWctEeN$r$yKR%(KemMc zcUJjr5B+pr;l`14-)g6cok}Hv;3~fJr*m_ed7o_MKnwsaEK2AB@PUc4& ziP?~|uzr5Md0-0vTMDWQE6q>DrZYZN6xW?O>Z>JZki4B}=hV+O4NRp2xH7yDNAWZAPf1K4c_;Esw4L@}lXKA(g?!@p zzPnbVBwrg5TW{T;l0Gjsbt(|x4lL4F6ayl~a+2oUEpnQMtxu5*4ZApA{5jZ&>|81! zgzCfxHPf4zO^nDQ9XF3j6Q>1TNSsDYuJz1UWS?&(76Kx6ge_k&^^pzgRfxtLW#6;mo!;}t>& zV-|jJk8`Jp`;D$L~Z2QlGzT@u0ug1=G58$})5snEjvG>;!hgqv-#&UX6WbMmz|A}PL zpqddg#`udC#npxs;9I6xHv+gw7)jp{^vrF7q5fZj9*6nOTIqJ2uC79a@47!|N5&QG zl_2RQf1QH8Ol{Xs&K{|tefnMNBsNe}CuBQftny&if^F|BPb2z6NwJn*JMc?GCpi=z zfLCHa9cf)kaR%{gCLwFH*7mad^Q%kJ<(%-m`o_?+*-4>E?sd*C1pV1mW(&OQxjogOvef@-CxY&kTDG6F`jf?c+HQx4+ z>pQ`Y2go*r=T$jSaW@@7-VBaFnyK~YCg33@tq2R8YHdvsTR~pF(8@=#!txzGf|?}B zKnuko=034(Xc%M3h~LvZl({o- zBbhOVc(QTQB!tGWMU0WA>?kCjYC3f(V%~F|V)~GO#&3{bc;D52#ud7sq_*TA*pQHHH>t+c6Ecm*go==C=2K~I1nA~YCDmoUkYy$w zDrX_`6&7t3=C^gycw$kDG3iTp`*fs_FjNj9vLW~oKKg_ZBL6hVUf`5XyY}_qSleFv zI}CnNWXUql>6$O;*}L?d-gUcsCyjF~us*{$-KQ+8NDjw!k6tpE>33-za~N#h-SRU% zNN-EBQzOuKEM;InqL|3#8ZZ}lEBdTzM`l|Z`(UbeT5N%QR0pEpWPXx_sZ~*31cwg zJmVGe%>T%=?QB?2j|($MGmf7-*s>c;uoxBR27(x$P`*aY9k{9_8<9D}0bEGNntsci z^b~74FOX647Q}rZ`sswkh!4eVt$YP_T0@hEF%x2k^r#(dZ@L=c|=j8a-EPI^*&@v7Ixq!d{6f>)6-g) z%HASLE0_$voI)`Hh5o!1b~tuPmg9%!tn&J~PNwz;KkW}2DrW`?Y2Xh=yo>lQ>C~!GwS+eIvVuXF3?|NLEYo2uG)R&>_Xns-!}n|c1(!=DlJA8vCl}M@sy74 zMn9T*30>*9!hD9uhNp77LdILta7yRrk;}ySV;bq(y$~n`JQ?vJRp`Nawzeogqq2O| z^*w2jS|V|@=}T#{tvJxp)6&B?8p>>BIybPyjFmlzYv>vitKn2&)2j15g=Q{q;Up9= z1KQ+eJ;Z&!ET~0_NOb-3&K`Lb;=eRie2cT^gC99>UVIMC=2+n=nn8j%J+$68p<_?1 z9&c&*7kLpIq_sg0!b8ZFwwHgnP5BrpVU24wGq>$)OIu?QanI$(T{BMq(LLbezl!J3 zo1m?%twQ%Da*KJFV7ngLkkDHEd`b>+Hat{O5t*y1h`F=&7aUWseap=aY~YQ*tbuoRaOgTpUcz92+~=o?)@YMK)j0yc_nAgW*27?tH~2gu4I% zk-6Y+olO(=<2g8u5a-V(@_6kCglBQXDC5ec-R>1MD?Y2KA+6BG?Y%-uP)+6#j?hNu0rKaBhQIopnh{ zU=IrPL3AqV;2bz8y+N!cuNhsu`Y59Bh9(N7bi8nAZ6T_K&>(WT?QBZ=Kx?vp~pUg4Y_H@3Ksu+8_HK_4Q@8 zC#>b2gvXWy--Ra!_GV66jF>|zlyZKsJw~?CiNYOJVTZ}?8Lj#LItk(6F;3UhF?IcrP-m&;H}tM~hu!xlnqlm+V;^akeTcbUGaJR9p_^;-z*LiG8z-UG z=lEc{EhK+I9XmSD;Tv?3Yb#MMUGxRSJoEWN4lJ8=l>4nA?F*L^t8p zvY_SfvR#aI8O1(aG2zKgj>ogRXEE~0WX9sU!*rLH4BhloWF5lC zOh*{@W4^2gS$I5pu7f^od!0+8OVBf>cq-e$Sk+A95G^aG;tb`sREBePO1&KmB#usj zkgubZ%f0fd5xO>RLH6-lF%zeVJFOouBtzMWI9}@F(nRpbrQIY=+^kMT;%1U*nrySA ziY5}W9I+lxO(5$>%!ht8rm*64tk}9M7x`A;T4tDWRw~&i40R4qfn>mY?lYREMPjLW z1a;jGXLw`$Fofpv77Rb6`&mWjco@pQ>KMc>VZ>u_kt*0|`YICw`PgyzL*5d3e^#Up zIR`STggCZr4T@wT;gXQ0>_vi6TpLl4w3bK>Pqgn4{g%S`E$zFRugd$^)FWCD8ssW* zJc>3u!7UW+Gqv$IMZNN_h7Q=eruz?3f8gS#J*}1HDa>mf?IeQl3ZIU4(1mDlc{5lX z@lW;zo#Sn(m-Wk3(+I9riyd+iat5-%O_Th-lGtD7ct1fXelR!+K_`w%-cwd2OR7+2 zd(Qf#*8lw6$0aX$MLC`vSeRnT!NV0u9QC)jTAhA~CNG_;54n#r9akn3hg{RcmWEC2 zc&)QfN_3F(CKY#cW5{q@rnD9p;Zvwl77&S-6eOX>n&J8@gK>n^x`Ri1TMET>fm<*- zGWGsET6yvH13zL?76w9zt+GZ^pBRe8kH zEQx3KFJ(Yuh?H(bIGm-m(#-8#>L_Jpo z?pCP-f1#1DZSSQqDXDXR3Z1ZzW5aeX%kil7NrPjo`6WXvL(HZTE}KL+=1O&-41Kf8 z*^diNZv7L)p6tUvm7zZ9ap@ZzqZM5r~Y&gPRr(%pg&aAYiXT>k# z`AiOXJEJ!}Y77O)W%4xMPl_Ck(rZFcN*8a(eiA9OV?0{8kDaKs%)^U>(P#->fDN~o zA#Tn6UNrAPY&~QoKjR5x1*UvRD}RG79YJTD<kLb>8QCD{#MN?rV&T(_4BvE^)l= zrof#0%Q`Y0_hU+gbmE4ToHDUD_qcG;n5koi#7+{gd`A+VLAOD65U1N-AjN@7L?U4% zbl6gf8=}0ywr3!YY9y7UxU#rJpC$&HOK_m=5Z)_{#Jt*!$i2AGdE9CAY0=GZu1@Uj zE@)4+FV7-jD%8*E93=+HTJE`)tdiT4?6D9nx246FQ@z+$e7iW8+LX#E(8CS?Q{|5#Nm9O*%%S@?Yq-<#q*E2hF+P;!lh zNX#ZngA1uCY!p8fZgE%p1_&ncRs4SWz=~c7zu|iY=SMnFWwQJs;zl_?&BDb>84?P( zZ5p{$9aG9XQk~~n;{`~0#4am?i`!;^@^ze*y!GEICnyDur?i@5TgNdqU}G~m*7Tkh zoQBDVkJIr9|DH}3crqO9b+N2TVdrE!3c>da)50CxzFhuvvE<}7NVj7+j znlI1f*+sgEf3ykpPmt7WzZt*Q#&GgFC{mj<~5O@k@P5ulEXkiR_cWpg5zN3 z4n>wB+i$cVM7x#;0xl#?#b&a?;Z{qL1X;Df5ah1n1_g4ku&!hXLS3dkhIfwP;T1iT z*@KK5M}Lb|2y58gsiwz`q%E{}Z2`iiqyW!{9yRbN$qMs_Mpxd4VaM59e{p@bwaND;39<8aBrZFX=pC*KW)KLf8MooE zt+IXwc{+GsIuV4)W!Xic^3RZSz9Ig+3$})^pFR6Oz#;(~GH39li9a@q(^H zu&-xiyEc%4tUCmVNX8e4PFl%Wg@)Q31p1rt;Iv>pGQFLuj7Q4dI&na}LaD%IE0M4E zoxf;FWGY@V!_gj>l_^Lp6|V}hvKFL~E1X-Xki%clb=}Dh)G8XxaNS9cB$1b|XISSO zm0{@57llmrC7rN@|4NIYo6u<1o=yg`ax-zRFp~sasjc@*v+=IO&p|50i$msYEip+x zvQru<_;3m5YyZ;4NG|RPZjt@4Lk5$;l+8z{XXATiBj(D8NGHcX+&7OHbhSca(u86U zp@-xXJwUU4MV}CUKQKu!oKF%AWTwa(N2EhWBbFl<^dKSIucF<2r%mM9*IA`737ktQ zfFBHX{&|Jjd+RJ@ou&=WLKY{MoZ~WZ+&(DbFEF1?^&OdI;Ydv>^NQTyQMH14Xkn zJD0@jHXzzdSY#gR3k*a;4vvw#Z?~Y>wZJ$Wn{OM-m#3IA`w7=9nd)pDC+dAT_Bt6H z`?mT)GLk!mm!M>)E%oaC)f1?G?yu$lv@SL>2L8*T*a_0XAJIlzNFNB!@rH0=@Fxgi z)i;rpA39hy98G+cERyG-j)(C8{;H$If?(wujl9eGNoLyuWojA|H>YJYW8GPdUR@3j z-02*!h3_KTj6KfdX+$6%Ngxwx5CWOq>U@ZE$)H*Dk%ghXTHYgZ-(k&+nPq<^lMCcA zc5lj+RBNAn^(ZD2gAUZ*%fgb`0S_uS;CqRKpPQ=cvPq#v{-t{eN89VPNRr=UDOa-~=RC z?Jt<{Ch(w(?LvmIVd_XEZP}2EEJ=Z}Nxqpl+wut^l&x5SP+!-dLU(8^U!^S{cixNB z!;i$q2xEbp_`{!{(qK73bJ31v=&z_>;zLMFuO&x^TZ&Q5d!82*_ z;zwzf(ak}Akn1m&leXe&ljCteOpBeK>ZTHK{Lq?aKh{0k+ zUsA?qaWj2{`sqiu+P2rr0*G!f4eEs%`9)-B(oefAJES!6d;C}JBphP`TTyW;6pU-- zA5GHKiqXjTF5iby`e1bvV#apV(BbN1rTANoyvP(Ehu10J^kBHBMqpl?9zNgI5;`Po z^S5(Zu>$^eGqkLnfEOl!T*I#p3k*$Cb|b-KACryaLWX$2=Bmv`6*G|Vpzs;7i}!KU z=>t@PN)1gfy8{IwwKxo3rf?PcP6~HHNZ1z%S&$;~!3w-@7g-*-D@oi#%o7LLZsM}` z7TQbfXX~Y`M{dHE3ipMA)fX`%n79XFKbvl+s@yx7TZpfOmI-C_0ijOGMv+1+#2Wgl zy)hjkU(V+ib;aAK_$j>=N^@H&YdXnco}3jkY&HDvlS5nZL$Qb0>J(7FJfoGkt6G^u z-;_(e&u!~?RU9kc!K4d$_?6Rc?h*VfpO%8^MV~QUTLGEQ-NFRO*RjhO{HXj>Dh-+5 zvEV6Ay$(lxH<^vNATSXzKk#8LI2ke7tNw+sUnAc$$)u-i&G}6G6CCR}E?;KJa9Gf| zj7jJapY<)BitP3Jo)WWCHJ zKT#_=L!6*c>4P{6LkxOJ?#mbTN1@yMsKBD|ir5Y?BBokbJIm=nP zQG(0{t3W*WA$Y?!U3I(76U!o#nnCkLw;Si{>FnSii2B+(8bOST$@o~B44wT=3+Uhy zq6gvWmOdl`9V8j?L?rWjM)0#Ke_XU~1xpNGNl-!LPBhs0&PZ-u$rR)-kou9awS5sg zyU1)ZgmnTFzRa=F8Q^TMGjMvyOC0QD+aT(rgDc;M;!k%HQ|3JC2Ji0&ZZcj={{d0? zG*r@^?i*NRgyNU&zOLHp5Lry>a1Nam6>wvu0Fepcd4efL|i zK?zw*YpV<9A@P{#5RZ%L(g{WoPexjic#_Fh+A*ZOJX?{cN*vqkPX;!_FI!$M6uHPA!7BUP!UN5K+B{Upqt|Bd9 zXhw7TL=+XD*_rY094nZ<8L_|cG(v5Z18WIl@Ra11Y1Dah~$B9&^G-v4z&)sQf%y2JY-R1a{~y zsDBIQk|JbUsh3s>5Bka|Br1{eh(_=-eVtb+%W9k70&`}2mtD)q*I9Co>o1HVtCdD1 zylNT6geNBXlV~~nD2tuY0aT9UnW(HBMJ^(IDsT}Ar64hQ5o4&ET)f9RGp0q}d@$Ar}_%%z9n47DjLdh1$t|?=|dRN@Yl8(s)3)69h5aLde z4K>q|KNdNQEVFQq>DLUwA~ax2Ypoh$!M!ty{cU?1rbt6VFYwKb=|ioQ<)0AFlzvfa zpz(?~QRjf7&=mB!x}?w5J3|7#J1`+7THWpx7UELKjGegBO6Ni`ED}M?ZYqmW6x%n> zmX2cl5EDOIi#gt0Aifq^fWR~eiZFpZu8~(bAIoK1c$2KHr@+D{YJHBHx>A^IV=rp` zy%(dm{=$%hW)JJEp{DP(>|GS32MVWaT!z?W^E7R^2zSy~;&IjxBq84|j6(8a>&a&9 zviXdw)0u7RbQBs6TH$hy8{tRsIJ0W40cNm*@G*^CaiXR@Ml#H#M@3(EKjSRz(l}IlnMrVSkOD>hz2HRxtniFCj;djn0e9k%yc;Gg-C&MdD=uR z>4W6R_E5>2jQJ}jFe`~^=CLG?MYItuRb5~H<00uT zvKU?210*q7}}MIohKBOJl9zNoDbDGA6vMGFtme-?sJV zvW%_99h=(T)5s}-duDb&$E}W6i>nXJHGj%mYD5W&C)s3(z(oC^n3s$j%8aQV%k-0n zyR9i1&_Kd6zStkoC^fGK?R1?xyVjCJ`&hPFZYOPy?M7Dyc?L~9&=p(Je3UQlwXYs$ zs!o>OnJPHrAGKCvV{?q~#-(~jFrUa{gw~+(F&%VbEC463=5-V=mOD8zpxW#}&JlT} zmraZ6m1DOs9b`o7XN*DILHvQSpsSdE!GTCx!uHd#PnY`6*fvk3wmbZv)Z4z9MP4vg zYM~*3#Uz8gO~%r-j`tgS%2i3HGl@&sFp&onK05FdYMvb$Muw1|>8x>2#f)Fh1aw9KGu; zmg|ZL_5~f4#h%ua@gMdwE1_fKJNprB{CTIKgM{m4>ldkPWr}3+&r_@jcRE)L!$TNo zd|M~qo{W3pIy723NnW~i{VJzEkZga-f9`Oo%*2>lJ|IKjMZV4f@q9<~`Frpkw)+?Z zx!Y0+Y)cy~&oXv$uVio?<9KUT3cH%OWCWL>r#_MH0y9=@Hl+tX?qRx`B6ib4(?==v zgpele6L{%invNf=8rDi#Bsf-A$rmF1;e%WVQYL+dRq%f zsNL0!#s$}}rz0A^Ve*+Oy4_OBWRi8Rl?QCCY0#|dfs#(bGdoa0AULDpk;wYsqI_Mi&Hzc0Mdta zT<6kEwG5{}umTQZo}0>y;PmYn9HTODg!-GGXFzANOdC9W4=o3Gwj9nZ%)OBEoT4h2 z6#5jrz#^-EV)olqDBzH{h)SwK575r8gJh)hhK@99!U|Z`zZG! zR%lc$>LKZwl1pQl5_#8c<5mmy>H@&{Z2THoXqv*eJ#8c@*iJ?mdj?30xo1G?!?Zy^ zshmi~40aT{>Pb;+g|OB5SqgSI`aw>FOtx)-_ZZ3@che%`MR(bM7i`a3uL$Ibz_uns zq;dty)^TMo=oi^c`N@!5FJF_WYPB<9m1ZO?)7){)Oi(@0cEwDsR;W2RMAK$An{J)B zjhSWXB&%Ug;pp zOr}2>)tyOljBEI7cTqe4VT!pv)yiknNnM+|^X&iNsSg|54B$Bx(O$}E1fkj5a%5ju zN*;k%O;2xrC(C?qHrXHSi$d>;b8R-;+DXuMau8 zs|)#GY`A=7w{(ou3wJPjVNTgySjeUU-{I+QxnDTQn^qM@9%s-*M z_@ZT#eOYSx3()9v59s13mmM$pKue>|mzXtRr)weo*LL(2t%neAmY^s3&OiD>tyAJU zy250WqXBXt^q#5-S!Uf7cAnMp3OiRDe@@`6={k<56|v7D{avRPqIO4H*l{$tG~YPb zbXGmLl?j(eAO_e3O7j}NLWf(QNWp3J&enru0krhcEK^;IasWAU*?0<F4d7rE-BTyh#t_#d<_?^)iZ%YCC5@Fkd~a4ZoFcrde6Nk>de z;?MHXn`B1Wu61;S3jWqGTZQxiS>x!CjKV~JyHtqGn3niA{_wxQ6LF4eD(v$C=OEILHIkGPv0izwQ_EfeR>DB+Ov5w zQPhWah-`OO=34-I0kY##xwrN3Wd1qVj~maQNr5&qAkc z$dTwZ*b)RWwlLiI;Mby$j7512iRt2Dh)Q=W0^;^Cf^}CK ze#}y5q4XdW3=Wfy;`gy4Z%@U+@RwXbI4JqdUuM}p32V*yI;P2Xjcw902Gb|0%DYLv z*DXgw`M3ab`yx{e9mP_^j~Y33$Mue7=KHmlzpgA6I7jWJd&_|XLbD~7eQk(jz!e?Q z=Fzkgk|UMC7#?N|_yf?OMB}X*Qmp)*M6>1hlgSEOu25nvO@Z>=RO6-;XPq9@+G4pE zCet0`xC}B7B;^TyoK^kK3JsLlJVK8kzClZ??X(0y8U+2dkX86hs_0IW4A)Ni|3Mpl z=b6dC#))H~OSVD>OCLwB(W+%uLzGVjI>ufZXsZ_7&L!!>xH>nYCzbsiQH=(MnnPo7 zJ@lheOK>N$$z*5A>(GXvk>{Ge$dIF1;S=rGL0cF%vt4h%3lbz!VnpGCpy0?KrnL`7 z4w{GuU*Iz%R zmLo8Xc!oxPFcNWJk}N*w0j_HgJ6>#mIUu2T=Ckuy$0}(63*pq}9+0oU^vby$nuCXx zX?xc7hJhA~v{Wj?=13d#ZB#8sbSC$kB}&VgOz|i2S}jC?)0HeFt}B5?mUXo?$eOAB z;Q?CW`a|?dJF(T0k;p`-=dto|ve3$WQMncp|EJKNG05MKiMDlxJ^@#9oOt%^Rh&zn z6aK)%Ne0tDup2QS@XJ$#I#PoD(d58%#NL}4f3@T$A|d&3DTK?y{S^~Xa65`T3ud28 z7oxsaX%-SAdy}0nr}H=^usPX3LNIHmH7$}=#J`Xpy&Id9-=MV7d32AL@l3kn%|LcjEBfLq62fjlMdVJKhH^sLOrxyAyxWslYHD5Da~}UmoyT0V?Ayme}=xsTg6c}5$Xcj?i1YI@JdHn$?0Tt zk9jnUVl^!Tai+37iQ!JZ0i~$*e338oGyA5``hlg_NzF zC>N8Nf=N$aglLAD#by*n8KwCa$*scP(UT z7BB-dFo6k7U;-0NBqNC?N(3}$(4e58sHmt>qoSgs;`xLYD=I1;ixm}>TD54k($;#Y zw8djR&}!ATwxz9Yt<_fB-dbDR{}sLO`+4^M?EPxL-7g>-k~ywfhwJ+OewUQacaJWP z;ZJsgJe3sZjwP`=hf^L#bMcwtM(D_-!#G~rZ`jdUOqTS*3hWTx8v?YhPB1&1Adt?6YhQku*@)p#5@SrUEI8J+eMg-iyF%3eLJ{21tjBJonZ8R7w? z5lEKtLNzJL(4n*h+eKuRaW_AV^Md_V{0^keYJKcL)>W@w=5%?CRJ^wp8mIeLC_je- zJ|-Bv3e-QXv;45x7Q9IML1wIL4HmXw0Qsv}2VjX{8GZrLBIb~`Q*cULW;zmhdV{?a zVM|5i^NM$bcG*is4yQJ6SpCWXu?oXb5ab(kUfi1ej#bl3@LgflBlphx*b}8;??j26X zOJRR>gat-9Am2F#x*%WQiE+cZS8>v&rf zq8Xaq2pO03ZCb+JD_ReTNd>hD;kqJ*GdOav=ZYYaa_#SW5}b8&71Nhrn5K?x%|vZ_ zyDcrx-meVfLWd*HcJ*8pMJ6;LrzOm_~4{TuQdJY|?>zC_^_lSUe&|RU}vf8y+hA$se^J zDh_q5RcVVO@zJIi*k%oGB05tBGlrzW5`%jyPz|h(${0$DRxsNxers4s?Pr-p7Ijo- z1y>Up^--`iZ^%o5@Nq^c^h>#)mQO(2io33=PjDQ3pcmqgU z`Uq_`f1Hd{jV1bfclBosN(;x3b?HHNVJl>CSm71+B4_`pd=uSpu7>F^bEdx?y91T+ zS~iXJ&~Aw)nTo|$2tA+Dx;$PThsaiKm`&<6a5ti9>;R3dQ!~+!*@z^<6sey-w^2o2 zwPj$E1Pg(GnO{xBIe{u&aK=W6_eSQm)Qw;8ZNj{ly>XehTVXBk>wS|m;;@D>j9j!= zGBk|=9p5X#8`E)Tp`2(J1OatJp89g?9axV!(xbGI`GIUfznj~Hc-}Q!4(6M{cdD(@ zRlP>ZF$jp?W(t0xclC)u%3rXk$>t=ImES^BV9w)&7T5(|-xk6g5V<~M9xwqWO|1T% z5HZ2^d*u!>QR&}kCqvBdxyf7{Yb-iJ;`u4E{jdV!R%nMXsF#k&_?qg-i`<2(ph?E9U^t|caC`y%I+Ltq_ z7KU_D4S_Tk@zXZxt`+*^r#o-$a3mn@GVbYi(N5hkSIOxHNo@@~J5(+Jtci1|D^U7G zl#_tSqV!8x?xkE(-Y1_!+8b7fbtPzyq*Es%U4llKoMF@mx*?I+Rprht+<)ym@>c64v3BTb+T|{trR0KmL>w8Cd!hd(Td-Ip1eUgCzJ^M(SMjd zv_;O-za1w!Xv~lS_{8o!0}^_wyUugV1J(QzEju#Umf0Fu=(WWqjj1HE_GgoYjp98& z6Vbj78}M9ud>VXXl{oU+GV&xxd?q_v<~RxXGCt}0o%SGFp%Ah(WFq(qwx{7~e;DK_ zt_x1)cTr%VA=BPbh_uJ*e-0+2+>;JX7q*eta#N6=o%Cb&6%T@_&bconPcT{7ouziKh7xeh$^wmg7l%_j-BNK~ab$y~)OO$Oe%(u!a zJa#v9T^v`&n*)Y5J+)}|D59YJqc z2_tmod}P0q?nDqG^P`-~HBvXhn&Csb9uZl?kn?kxXoydS7b3@j-p;oX4J~>z3^e7Pv2j3TQ=E1*Q`Rf} zry$+mk@_By`hy|PxR)3=|EIuLGa%LAQJ6*1d05(3j%vx03L1)9X45S+N!m)I`3nrR zwXzg@GBciR1xEM%z3v=9H2P0l0|0NJdip^-_2Etf;jq?muocLRv**-?XFl)o)BM7Ib4@FXEI^<3#%O2ZPl(`#a%*PP7(#qksy-0Uo z;@7S+zry==!AR^LBXKPgY(Ma&Z$o?4#ZoDSc~9btdK;~r;o2NScTPK)Wvg`npfjBf zuj$GiW-*$XVE8ct63i?;#j#F^{tiJNbLt9mPI*O`iZ=s4lqW!Jl#O{;Z{c-s3xdpq z83zXXGBqUSwsP zMqP%?+ovd+>UW3?iRxP$Z(^?$%O?j3QvDd1V|~Y-kIA@~Mhj5BE%h>M*EMvYFF{N% zSq!5ULaaY@b|Z%yBh9Bqhe7O3;<1FF{G#YA?VgCz=i2{r0gh4Gs3N>^Qtz=aSdbfZZU!s z(N{!4AplmHb~)0JxCUPVMhe1?C&Va|;@F7sBq52OWHzK9+JMbUn)Damq@bk1^k13rBkcg;HpEH_QW&OmjAIWk5*p8vD_xya%ZB3oZoq9dUA z;tPYsQ1M$iOw`M!J}jn8nSD{n;>IIy_a^ zAWoSN0Xx7I%0;+li9-6anSs7B{1P&~}m z0~vKe5G65;45m8E%SBNT`Na?UPvCgyP9UE6lDUY@#w9m32X9W`M zLw*Z$UPg@*Z092AWtxevfD>__78Y+5?m(dUv}sCuXT*dFzgTZ!03KJF9~jC*a+ehS z&9Oy4bF6Dy_4|13Kt{tQ^EDcB5M~t}@c?{tfu-!~f`0e~C5r2m3C<7Kv3)@#B*^;V zaR6?QD~$(J$_-KqOj1)IZEA0N_nd&8%um@b7q1ZZ1J1qJ-N7~;0Y>`;1;I~EZ)~S} zq^gSsDq$NBU(v^qX#0irs{KiRG$ zNJrVP&}H}={HE~Rx-7)(bra75xh! zoAD}|d=A@f^qi0ixytqCwG1SAHlfh5jo%dtAv&T;ZnHFk(;H%w=~mkt0k+3A_!pXEn!{A!{p4xZ zYY2A;RNpCdaEo=-;dDAA5i(PzC_h0jWnjYDPSG%;y$+#h50B4t3h7CYbK$r*V^VtS zzs*Un#~LmWHKn6bhVMF7&tN+z`2LY3c5J+1^XFyJQjGcYxRzZsmCaL*PAX?aF%Jfp zRO1hzrIv(B5_?W$Ph{g4NVq}A;K?#0y-cUUQd6%T#Yn4wvab}cQ742cODi;Z1`QW; z01|@`=P78Xc)mIo31`V#a*oDlAJg>=a?QsQAEq&PGLjK)ec2dnvAuxG$MKVcbXjfv z3rwjILoNxLHCb&+As3|8xI5LQ5NB|?CS6%S@6;oQO8khB5^EC*R(lDLJ`TjvUK`0Ki>%3MW*gP~7zUO?3ud99Af{J{~HOT-1MNe~%9t}xH zN`%LauhMSp$3ggV%WyDe(!n}W97&VG<;hSRL_{?U(PiQh!OVzUQucRs4lLBQD4C91 z8<aNX&&BzA7xY{vXs;352a2VRrCq&V*4UltN>X= z0x2JogPe^Z0~LQ$KTN>dKsDF7L?|8LsbDvT*NoTqY%56{f6<=}FPiKAo}?SB!Spw( zBZ^dz8G|xF0gz48s6|f32O7J9Te19CI&euzrDaU_j11zf0RsugzYr6fu>+BhZKX(v zS5_)-iA`KSK2zQVi~mURW!ka0(V=Mrljy-7H(|xjT<`oSn1QdX*iPE#=Mwf6$Z6dd z(`l&J!(I(Wn{)HCR#9=2JV`QeX<1Py?(@xEheG`O$a)hc{o5Ptna9<@1QZ4SU1Q?F*y>}v2S4^Zg-K7v zMJZN5D(zMX2D)gbz-wS<%mZ5&l=n6gyQVD3Do0Tzp!4xNAq@=!UneyVz{V{M6XJIS z6Lil#x&$`txo;VZIuL&j7lCgS8T_1VdpmFieHmBl4=LklyfH zq&;^|1D7ejhaDCU!zZ0^Am)I2&LPso*Ry%XQeh9f$bUDSJ(! zexoJJM`E(=H!RB33LaaP zc{DUFb%+Z|hLlvXrxYQXNufrqK-C4loh6q%L&KhVoC#O`-e#2b(uC>HozK9(tVu?3 zb#o%7$API^oLjVggFKOelgGH5aXQ$MWunR1=PFVIXST{X7eG_WPRO|$@O&9tgKZM> zJII+fVQq>xC79~{|I3WP5L?lW(ga`$Xj;e)jq`t8%oHO{)5!?P6V3DInjqvPd_;A^ zR$&s2g7ba41v=BRfj;O=oqb?zBnvDbX}}TM25P*k<#ot=dl)NfaM*1vWQp83G@}Qy z4M&_Ctlx%m?XiZ*bRWfGwhs^pEaer4I^hu2gt3ds4fJ^lYl?@-R2GVX_V~>AjAZh= zG*Tz`mlZA20`Y=rn)AI@1?@nX{Zajobd_@pQYs~@=z~WOvIW!W0^5g3cq#`8n=oU` zf$06M=I*dv+ok~Wf_E-3UezlEy(167x-iR*%mNL2W@=U38GlV~nB;UIjc*6wB-1E% zwFa-jyi@>-Ymi;XAut4coinTRQ5ImSKT;{Jj@jZ)4S^?m4$Z>BVxe_82x`l57=FWc z6gx&ESQAZ!?EQyguF?^Q5%Z8dB*$_c2-AE-I_q4FASnGHCmE$p!6Qn_a0uC8I%^*( z^b>eX3VEX}TNP2$Dq(=2o3^Q&|t_~ ztW0b2YLU;BqWvw%Itxx^3wt?;f1L@-m{jUZ!oR4?0m2yA7ibqYS>wz@^plWTuq}O0 zO(SD03<0bxlsSxg)=f5d)9^0J%z+Hhc~}J!ynwfA=t4C(7_~LFW$0X8U_1Xv?|4>n3N2t@o2jSm1C^{>_tbgGGk8W>WXBe2b(BoNDg5h#@7 zC}E*EqGeXzRaoR(qLucw2wFGR@&*lwhMEIu!{r*~iBhQlR+A=F1;A`UokyfTU~%Pf zyJCdSYIAE5@>zo{Cv~r~zDC91H&hq_6w^}79ew-UDN$#5%E67NA&#EFDHKQJVqoV- z_|v&5{ou3w@z8S>OuK7)#67}~Tmt(bl-kw4z-zLltY6+xp5a8f?b6Q&S_^LgmIc z%V&a%0H+=!cyL(+`q4SHO=Yya$MtFBmI{bkJ#(cq4+!CV1bYOk1LuAcOCt1(!ziEj zSigv&V*Wsqlg~r89dFJDnV|YIaAKx5-Yqn=^ebEptoc84c)X(?;jg`4ix6X{--UoN z)#SqQ>9L5G)T~owlwDXmTr$8waQV6QO*N6p2Vw>ebsx*x$Kdo1ikN9Gg7lu)=5Om*{3s4-#)NcZ| zZXYaoqCkA>6j-JUq#shjYwm&&R@qYsD=X8z42URGqPK$47PNT35^f|6pd;XCNG&G$ z>Yst+Om?N=&7ea+kr}3b+Sh}a@vwV)BwkJp4iiRI*$2vvrrVyy0(Ufv3zu7yT0n1( z<#K?!vFe!s+-s~JxmUwrrB)*$FFRXWAw-L-r5qA`^mV!{d#B$yPv}+oEsZThs7T&8 z_N@Ti)7Po&mXKNcy?#q1U9s^S!K9x}1G57s9}ME!n-b6{0J z32RaAe#eK%u?P-b+pKeZj=*6=-r<`d*GngDU6HuM=|X8;#RTym|KQ8rgkdZ#o->eY z+i0BmZGbc;^C&ijvtyzvCkjKRc~I3{X&9il=kP?aPu^@~=@$i|nyzqLuN}gXjiIU~ z3?9Dbg~oq0e21{?{cJ#x?mR(Cg^8f`<9|knF|j|6)=|9Awy~yJgId^ zh!FRP;c&>_b*__mx)3F8rxE#Eo4;{RN77!R%O0dXuW@{VltbDx8oWr^VSk&MVw@ut z=gSIrT?9R+G?(o6{pxKdEVhq=mDDxTgV^y26mM)3p&L(ir&#w@Lu9BW!5kT?d%^=_ zbjzlMGClHta=p1=FFfG939KoZQtwg{3`5o~H7f`t+VPMyjz`Q`xJ2q}5I|IFP`A~s1@a{gf#b1ljMjU|_9L>SO4+_h{a4{M8J-S{J<`%!?+hkR6+AqXA&S|talG=k zz9U=J><|K(q1ijDJl>r^nW#9+>43|sOw%5Wd}hr<6Kk^R$KZ!T_g3wO8aL2&6tEW) zGV>64YyAb$tJA@3XoNX2lph~dv6ATWo7rO;+{lk-e4mjx99eO_xsFQC3oKZF8n?hy zSG0rE)k?0bytwX2*-&WJ+&WsyxWXwBkR~^9;e5dXi<7^pN~eoX~K+-q>xplR@?uZ3>d?iLGsk?CL%2*N9T8wa5z(;#&!VpamV=$=ip zglU#F84UKm7_te*rQAn24Due+Aw&x9hw==ORkp!wVk4LDizUB6;I5C)16s9_p#Uw+ z5A-7Q$sqEweH~p4YLRR1WzE-5EWS56U6tV88T7FUprA62)Rb){;YVZ2r&YX6z;#W- z)(fIlh~$ePki-5dIEKN4SA7E#6cELkfk9(~%ji(jWuOgaIeCrnOXw@SN2ZEVblk0X z1RFIqp5g_a{vYt%cu>HEicfN~(C`k(rMMkW-(qhBbA{%i+KfF&{0&D-9k7T)=}f?@ zQcCGM=5vM>^|n03=F>sFx;KxYn8jvndeinj6qRtR=KhABr8d0nmEGp+uWa3NbhqB6MFJL)oc3nxsFf$~tivnN`*aUlO}x z#bg9Ai&9BN$d3#~G#tumrRxxxWs%v2AmJxG#}sP=ZA>y4-i)PcJYk1x>Jz0tj>SlE zruRVrTD(A~+T*0mLY;F1B08KwKe62nFnq$uujB3VY`_vG!&2Y}%!2rL_?w8`9!0*z zoe42~psRXUDGXHmnkDI6(bM%!%k?JBy}{cD(8C?QiiU-A}>p zyV~BA{KY5}wv0Duir-7$6@ zhs{z7eNp+zmFpaYs9qd0us>pqfUAz+ipfxJj$u7xTZ8bxa~COi_I>>nZ@ewf*3V+a zNjMef;2WmN<%4i1SA*#dOUF{Rth215qV%8uoK;?r`-(of4o3@%$u&7y=#PuQV=uJ5 zg6T(Ob%rstc7#R^$Hqtl?rOBM-Yw>-yl0iMI%Mx)^Nir5I=n&t09J)mAm8K3bgMhI z;bn4KztR8(3o6Hn4q!btnjfw(nAM^Mn zTUr=3s>arJ?O;GFUT`a`{98X;ZI=>?w;9ecbRL8Z0Hu8{Du&nT@KXXmQ`q@oS$UyM z4hW5RTgQU1xRUf5c#y446XMk$S~JJh3oQB49pKoBOvhkqby{^IZxJc?rzhX%2ZgH( zkVVXc@puG!ydb)9Z2nTy`rIl{PZ(OR!lY}VK3e0?zwm>CU?BqULU7nn28gSEHAfxr z)=K#40Uut;h1%e@yaZjLu&-(j_YO%n^#Mz_c|L3TbnO9+*xUPVPcH(IIIY=jHe{L&I0GBi+34AeKBcx%>l8o&<*gwwKU7_Z1 z>DHxtJ8rL%42Cw$#rrM$*;nM@T@dYgd(a)D*oO`yy>c(WVzgxi?Ld1#7EoBmMO)~_ z<*t(^&F$9Y6QELx-GS^L4NU{jfwMB$l55^QH-OYug(fo!qxO1iN z5j#2KyxIzk)KqmkD$2)QU6ibHrGqkIZh159Tl6Q+&=(5iDlEOo4sfm}>s`B{YSw%Epv)*cPg?g;kh^wvAx6N%BdBgnGC?^!*i73n}%x=*t+gUYvqckzvM^%12H z0pZ$sL`Wq@v<*O%rX}L$hUoc86ObU|pS{u-;@mu&x&2}|kEaC43|&SeBOsudSew3>ax zt{+cvvmst4Z&h7#?Ez)YIpltXC-U#HdM+ZND1t*(44IS z+6$4RGQiwLOcV1w>u6j?cmS1h32tG_gP?4g;863C#oTf_Ya=psDBnZ$ICywhl+%E4 zvU?oFp<;0;75A~Dcw34h*5Ur(AhoW9hw;z8S@%VZOmLF-(jp&<-Q3{)Ms-3BF1P>}5pY}-I^7CvQacQ2M5$!(nGDfSN&V^vt| zq%ui(8M)4n6wqY3LZ~O({7=y-a03^UEPcsVz<$E2W?@I%) zu5_LRI(M-80f_loG&BePPzx^Mt}qP7HjekeDWuF^S*ZHl)?=FLZ{QlGXzXgWSiiE2*P@OwH*)0>V&ib8gc=$%>C#$WP+$O zwhzXS_`icCi#?2pncp$yx)7);D2Y-D*`$sHj?HWfZtgwiK6JUp3@VhSUBMqD;Vi!3aeZ#cMy{n^~~p zZV#I8PS~Aqzrg;*)CL2Gm*l{$z(;gB^ijf#eh&RbSWg1(P(WwWXvg>fA);QvhiC){ z*5Rtqg6!7UHk0p^lj=p5b}8)&j(jU@Ze$}^>?pq~YygY+56zF{`rmF@8D9S;YkAmk zU-y_}=9XpIeu-&hg!!KHb&DaQd#fk^SqNLpGqcSfL{X!wS$|%m?WPIzO%^yjB~X>k ze``oF*Pb~J@jVMb6-u}Pkn|t#Ex$b$65$R;2hdS8(_R0QhRg?k0(@&}9*om3K~!ZF zyh56p83SEDL{jC>AomKVBXk`#c&_?wIEcvy6n|QqUHT8})Pko=q~|`C3wonz>Y%K= z^SP=4rgzoX%O}%8Otd(p{C#gHXc&@%1iMDnhT@xpp7S{S$b6F7QJ(*n4B_nh-AzFEDY>ir;rkmU+KTg2jr#~ znENTshZv?X`y~H*TU|BvZ4|ijGu}N=cc2*;$`@gD!JO#>fDB(`9|q%0bv=X~VSyHI zH4li#?alY}Sj~(@+2!0M_O#U44wOEyI^eT5BM6V+>6s8OnH#7cFot%Lo5?lHN$j}B znl3OpY`)h{;wyo_tN)B)vq$A_@S7$p%ixZKw9Rj#{QPdit1le_V0lV9ev5Q4g%q42 zYciI#0s!s|8O+;5-Kz}tP~gifwx!XaK%J5?5s_Xns*`K#dc?HVUeVP=(x}=Exj)cd zc>%p>4Jg&eWW;JXy>E`Fr{mR5l#Dm`r1)E#43-3vfhhr-gHSN5VP;7Q%v{IaRuJ>k zr+)?NaJ3s|2CG8@$r@#okVDqePC^7d!@m~?k=NVmA}kZsqq4vDwV>bo7+Yz}vZ++> zs+dN@k3M!-A%Ldt42Ef4nhR;P?ePdMR>2^9Cj@h8q@VjNfyV7_L8 zFcaA|=MBue14}+`(u;A$;SW}7H}Wu*w}6|qMQ_kREF#jubO9o}6oT~`6e1P95Zz8NsA9tz@;%9{mdZ!A1MpX*Ns z`GwKX#L<3(a`+)Wm?S*=w|Sfqz`OgJ^N`aB(x) zn1K*aBGq+E!Ty@LiVCzbE?2rVommGqKEq%CHX!e^R_5ttR$q7Y&0t{L{O5lvYg=F+c`TiP25OG)u zUeL4xe9~8nbH%8}Nuc}`HZbkPO&P$tZUO}FSmW-rSRA8FZrTYDT`)Jodc=6oLT5w4 zoxVa5jS>6mKJFwAB$K%T{*{#Whz3H{Ly_Z41Q?35tdu|FF78YUXZA(u`#}3h=i&bO zF=@%V0#;~mu2FI6io?h-jFKJL!%a_LiiBNc2>RR6C8^>U^VKlzMF9@GEZVq$p;rBT zhEaj|?DOD5YKBhQ%!PuX@O+>GfZ-t1Hxemm|RC}`Uic>Z$Y38sxe97w_g$r?jR6jeMf~b{vt1>F-Oz? z!FaUtF`kOObf2dc(*wr8b&=i^En(pF>2h}x!iT_EkpsseHbB;D#D^Z3NdednC8z98HExt0A;68z{KK2z7yTI##8PLOo{8GN4h0r>nZi*sb1 z)T7SME(6zd!;Nrhj4K+)N#R02{X3yJRe1u;tI&_^&|RR|(lU+Zec(qb2$#f(WSbF0 z)u+zw7UNIXf|*gq`$)`n&OqFL8LY6)I1@?{9qy0ZtpU>iO|qKA-|RiWYJQcrI!Mpx zo%3o{HG;U_+6i;hqf14LEIH6#5^w4o2|{K5KXQJ zz`1;Y@rRhQ%xeL@<0k^BXX7h)7!$v-Kq)d;M$isIEVsZfEe}@9S*fq32LvDGQeFNy z7$is1hx{?hLV)juz&xL=TPTy2EoW(K1IE(ryny896Is z6c_$VUTOOhHO@y99K*BI7hpQruHIY74@y_N6Z{#I%%V%s<`C)mn(pXwpIazpEHk-2o=l?uoz&kGEh4w-DAe0?s_;R$MG?D zJkG~T=|{K}{|JTfgc;&6*PgsmNI}CLG>}}O3CG#)gY*?|1jus}gas;1Nq{YgQMP>K ztV6fvl4XD>+%G#*n}S2cK6sjY6c-Kp)`^v2P&Y&bHJh4;gun7kZSdF(nAv^_HnklQ!4Tf7I|jdeb)XR2`#N+9l@6x)BF8=n z!ly}|a73HdmYMB{f=Eur5mZ)1X6w(3<_-d>MTZPf=l}}ge}#mphoHBcnhrhlsue?4bJ0! zt3H?WSa;mEV38#(ckAtu>goV}?}+>=%rjSE4%i>cg~cnqC6DqqRJxcAmTq(GtsP@9 zL_77gLbE8;*T~`-_g>nZ|_oGF$GkQ-qG{~?un(SzS@yM+KnK0c0 zzkChgIt}>V1F~6rwk=Ym+kJjp<;@RGj>Mg{D z37<3ExeM|(hT{(g(NAG~ObM3<5=oaN*Q_E}z}|@Tk|O2F;31~}BP?A)mQOGK2+`IX z6>~`sW*)oCi(jAH6UkDGmDD={Kk2IMX5Z8>vv9ICo0bYjxxv!f8zZNap|ApiqBts8 z0%YkO`E!hHKaD&?;FaTW=$^l9MkqZCwyH28bSX%I;8-#h!JRy>nr4`|{ zw1YG*d#m8U3x?z(`Wot)y@sEnx~uY`C>b4!@4)PG0R2G>*9IE&AI1n#b7sjOm#5_n{9eu0YpQz&iBm#6Vijp3Q=(eEc(~8n;8v66S(Q0dLBJy;<1YF*e{v-_8CV zu<|OpuW`I#v`h~q{7*4Zu-W4h6DZI_v3ue0KtFn7f?Y!nkEA;_@AvmC;a04RU6};ZRFq8GoLYN|Ni6u zeXIZZ+u*+>8Tzp?&mkpJ_?=O^}`kN$h_ z|M~B;TATkbr})24>iM@I@A$LkKXrI1umT8$#dTYZ0s=K*$sNeOU;6>B{R+>zwg#7AoGq$ilaO`K6^5?6BJlunGT9k5y6D zQGt|C=(VA(zm$D=V$RmiWdZIL5vIIXVZ%@mr`{50Pq^`V$v3Afp&IEbN z_=7MwMb{F14tMXhEKJULp;wi`y#luP!P%<#o~!YfzobJ2U(dR>xjTEDTL%T}li}bz z>y0^EQ|CPVmPWMgx1&b|ulSF0cb{sTFGw&Ccy++uygL8kzBcUWwA+fXcno~gf7C}N z-8}4r!t}%5o^c22%SW~!adQ420j)!#K=e=J@ulR^a0YO}M4RvY1`}o?I*hxtHD#&1 z_?M!hk9K=@`A=)&C$AO2rHpnIe|n_Ie}0{&d~tkEt2S&*=aR2KsDNXRfin00tDNJn zZ-3*^=rfmUy3D%&6`Z=ip8dlgns@cQye)0szkX?X|HZ!B(-%B>3?=L@Z|}P3Zxj&G zb}fD^KR63lqC7~18uhTD1uwF2T{Lh3DtI`{Ud=n<7Qh8sp6frLlxg3dg)OepySOm; zW0gVf90td_-iU2e^XjrTnhOq(IrmXr@6D?JuJ(VW&z6qGpMFpgo=EC?e0%QWJ$-j{ zD+};nw0=8#RO;Lacb0=9`tN~*FPBGzz=h1h+QIqz2Ob)AZ6CZGfJ^%OkJt7O@;3!} zcGzIp`Z~q<>XGryJK@juL*9gITzdDD`l0?Nva#Ku1H;~#ap$9kiO^P#&-Q672@MtZ};NU%2PC3#~AT+T_ZP_!HmMlZ?RI{KSR6rB88xZg?D@}4-$&^ISR)B5lw zJUyzq!#MxtlV3;U<@h*b_Lh!CAHS0QvV0Uxz^{)SdvS|>;`IZC$CfehollQI>FDC< zPLn@>8}C3b%NIH>`14=)pho@g>8j9_n~|xEXFzGhbwY! zoc{)1tsnZZ_{Cz9qJKF<| zhjU{7|GxU!AoQQk`TtX2{r^~Cd&fg8tnJfBc%p%j3=|=sGbs`}asN07aC01B;bWcw z_i>~A6|?nBG?ikl2$(f^FN+#o<$;*y_@KrC#_Uuzn3sZdAIHv=X- z{~>3I5ob~ng-Pu|sW8pw=!&AA4R|W&gxaoSL1lJ>oM2uiV$Km1_Kac{k31{u4WNEn zaQbKz0$jf@Z#0Skpx>v)s#ShE+h-Crpae)6hD6BQJ!9C_$q0or((?+-_=MvJBt-f- z9ic%Gl(xzXU{f9~G?P%wNT^<3` zr>^n=knV=~(H5Q30uyz>zz2XO>99Umx@a0)X5 zq+oaQV<2M9m5`IJ_QDlViE3?sAo?!eUv>OBK1{m6={xBxxwj4A@2)tn=8hL6>&#)W zg&64s8_5Cqb8Z5JINszqCKdR5a3G?4!1GK=M^V`WH2~48?*v5naaL8w#1x#dHsQm$ zYq2xG0ptipX<`Rq6x1fqG_}aRtjA5!_#*7@BGt-Pd#}B%u?Z%b=JLRd5`STX@qz`k z#9gg_;dGi0{P;r9Y9>O#-bC8BWVCF=zZQ-5?{DLuM3&2x1;0TQD+Ay73ii?Cj3B8hcXjPb!o*l6iiQEMH7#p*xg8S+0>-+SiBH{g~* zfpL5UpgrFRxGJW9xFxltm?gBE9MU*N5|t2ci!zw8&G}lgQGx48AAt2~ORfw>?2geG zeGvsyU9u1|f^=N-XSuNjgYm1^Hs02xtS$MPMAj|9r(hDjw@mc9D=*Nk@*sv256Oe7 z-lU1%+fpL#tqFl!AI?I#;-S`BrN;Y9;aFg-J2ys1y`L@ONH*TQQ2+!4H@n>OK0H%@ zMMG}qSA)paR^uIxlYL`Mp zGs6_@x99o8IuExk|FNn&1cOFYEUgJZ#^T*#xLB1NtsMgV+XOT6Zueakd*-ik%nIh# z_ztTLsAyWDtlXBb%I^}l^^`SQ5MXseRltOIu|Ede2a7fA-ytOhknh=oS)o||7i3V2 z2j)VSJhMM?S-3oGIPn9Hwj~BQ_XWG|;?Hm={3&e0eK&7jfOQ2PaOij3Iqj;g06T-) zz)|`#N+#fmwRh9)M5_z&p5wah{Z1}d_hV%XRA;zzQ$F=zBp!`#+cvbSh{j{ML^?*_ zA=o`BrN}$fQy?FQ+EI*{pb$|hi!%I9p#=3l^ZdzZ<6jBH1 z54rikUDd%kqpg>X5dr~~)-UVRM_YXjAGRW*k3T#BK2z8I6A z4Nv2K-#qL4>}HMqeR(J+%Aa#L0OsW$LURoQBn*mjxtOZFWAXf0m;$`FpJ8I9~rXZCNO$ zwVW#Znt8~thO#2IUV+*HL2{rFNlbE}`7@2Fx@@bpovR-_L}?`}fkeh2H&NEh-9YZ& zmCnZ#0Cs@7-EWs%a(#j40?gB;;#K+ap=$Re{H4=}yzPJzgHnEDF(j>v9C)w%w`r>7 zE`Fh;GZpO>&G$)UDRtd{hg}z?w(@zUzG^J)CV0zOQeKvrYruy5tyuK-n)6Q}RH&N0Kon-fWtm;K39c1X z!0`?Q3%Nwu<88F9YE4q1X9f{*o{)so^y4)iMs}E%YFo4Va~i_RUGR*GirhvTZP!|7 zk;we5z%zF%nyMd0eFqyFpol^iiK&WbS4ZMzxrP&qUdCE$Jg%w!qkbzEDi+peA7UvF z_FFs|)67{|`}x9$j&Lj(8Y{Wnss5WMPpI#U=01))Zoq~_ILC>_?gI(HZJ z*9(wqg??_3YZpkYq!wb#Z%R4l~!$SwG~^n^^DcF)~dBtt8KN_R$E(Z-<9_MzxVyTzx)00 z@PWxpGRe%Iz1LoQt!rIZWg6Z_RyMCZmc`y`UI~E`Um!1k66x{;iDwe9H+QNRh~#BDQs)?8z8OxiMOpAH7VQ`Tavh7yvdAf(rFsTelPrD&C6y*My#?gqcWf;`he?i0 ziDSAk$7+w#akY18x}u#t1#r5v_TTXVQ&Jm4JYYxKS9ogM212QC4Y`?)<6k$Gl2fqM z;?TuLQ9Gd@@W<$AFq1=+$>i4e&Rt%< zK-PA5egR`5K`V*8KKruJUtVdzH(enza=pJ02&(=hj^h+Q>OohAZF`SknN#~$6=x@AMxGM+V^eeQMO!ohPck$aOa~PULHHFdJAt3*nw}&O8 zD2araJ^n5`ijzmGO@C8Go`E#ca7l>)>%bP>LH8-j4#gP=Qto1Cx9}yIh73d~pg|n0O&CNZ5OYqz3bHpFz z=QL|7G`&gAtAqqd9C?N8MgPWEmFx`Mv#(^|)`rHy6jc6CqORyqZ?XOg?$ln$tB5LF z{~OiKw}@Eg9v`!{3tiyoM3VJ7>1yp8# z;n?c0B#8ELAVSMM7f!zkLI9!}2bt6~i}g;`#)*S8$CjU$cBSHyc#Pq}>reTubpT%&cS&$)F0+EdkPDDi>N%pvL~DX9V95uhJGP?G?1nQsKUg zvhUePc~mXyDjcAGYWbbH#=Px`=VLwbxX0380@Ju2;bhS8pCuyq5BH2`rmFASeZ)Mr z)_a-sJSc*R-9Ej23;hKiZCt7(-JW-wKg7Fv!S$yi=wX@LW@2;TJ6f`g;RgUjb$+7# zp6eAvdn(5sNHynrn4(4QzOw8| z*(O|wPX?-S8h-45Ke9+Jd1!z^)^K8q_XwcH7%LnH1){1$(vIyG1jeam%UZrMe3iK)IM9zkR&b2M;| zXvahL=lj!%{gyg^M>UuZ3~pqPz>6~g29ZO5jjQV0u+Eo>qz$NgC6UP-?KnzYo`1&i zou-@0{<32t<0@K;4|~G+5kw!}Z;~F&CAFrXEKzhpb{9@X^1B0jI9~)Q;bWv@(Fevu z>XHrY%fu*?Pi?D?@Y@TL5HXtgt>fY+xAFPv5Af=dLUr~ zbe4Wq?G`3WKbb;Q%XqREcSz}<^vG}N@I}ahbtZvZLt{6twkTndH8q^CwG0(FRNX{$ z!517uJHq_8!K~;al-1LT{93ntpeg3kMj|o$7+H-Yvva*=i|zzo_3kxY^z0G($hC`< z^oh!FSm+fK2lv0E=9sm-x}ul=i|W7KCgfj9n8^NIKP7$wP{*;PV`L@57NU2c-Toq( z&b#^IgUfV=NNuvlK6n19_EFkJ(eTiiMTD+`A(!AtQ&)9gOJD9evO1l3iL_f*bK}Da z%9-HJqq{N9WU_jNX>D~C-5Kj|Wx(olEnDi1p;Pv&VO>0n+=QL=x3m$Rc=A?b+YJA$ zyf1@N8G;z=m&vDX24GjZB8r}Y`5BmVTx!Rw6WVf4qfn_+RgDf`dtXuR25 zoFC2fuF%p`)q3hF6ZBe()mo;+J_Mv4GOIm&dSz(!t5jw+m;XlZ|xWpn#NoXZz+%c6LT@w5`G?ZjSCe3uEyR13~@9M8`4 zwliAXyZ!42L%~j`w)7xk_eXi&z%ON|wt+@u4lGz>99TRmb7GIdy9+1G{t?G{XA$#F zA9eXR(DiQs2GT}fL^0n){hw(gE*Ka4ha`O+^u_{!g4P7@86w)bk_x>kkS! zyf`0$!{#7`;RsShk2r#ri5ri|!qdM#B9H8CXjeoJ8qrR~j^5ZF5aJfepGS4yc%)ZE=NVCuo`g^L9FPrXN$S*Lg_*lER%hA3G z%Q9rSi7WbNsm^AMBGNnhMzyD395m{TN}cz!Rcx9FP@e`)EKfDpTR@J+5y$o&DaReYxpcf3;V=djPG>VJr7}jq%4m_4eRq zD|~&qGUJ7egeO_P-1uV&=X#mfH~R9dyFXeX+7AAz>3@3fyt!nbb&)Ui5zjPg@*S6_ zeww=acT5(9mwnSG;>6FBa|<@y*%wuq`Q+D6v&RFlXn^9QUpnxR`1U0cz35AYiP>yz zv@h3ksomF{I<)_&=tqac$g8sy8*E-ET6D^eAgRPJX6m(@QiN*FQU^x2TnEnDT{ zn3B=C;l|yQR|;KPA1zD!<#hAP((xTfi-*pxI@}`bp>1bAkEp3kT@^d^QpL+<({8lH zWUsihKW6ysCy!!Aj36Fg8vdzr+qu}D`Hoos{H-_V`tA8Ot7B&www-4Bj*x}))$5yM zdtV&8H8!-V?Z$C~+je|)ub4|C2E{M6O#WEDEHk8J^fN=k<!dMJmIa~*+Z3_r{*NR|8m{XvLj!we5LBW2O;MY4?lSv7o);4>n3yWd~-x@ zRreXzUFhFbQvICz1eB`vAM;hU!LVu_d(t+oxQ}gb`>-izXFrag+L1d=5ndacrmwwJ z@?BHkLuG@tb(br<9;y2(^V0fhwG$rdr{6f-MD#cnIjR(2ZO>XZ{o7{XJHMqLv7v95 z^m&U49lLryKa4pxWs&Ca?={zCcecL9#r)9rIaky<-TP(Qef~j6ys5Rd@93Y}r}<`0 zHFWeAVwg`~oVCIucAEWYYegr`Z&x?sh9^u%f1GpY?M`$4A}iLZPmt*uP-z^zEN4c;)HT;ez3s#+Ywh)_3G0 z?Ye~Hu9td`{AN*{ZSKg$)|}gO(>j~Ky+$9~l3JMYW3;?5tjmErM%VBG+EeC~86l%W zqHerh_<}NV^1>IaZ67uFP1ClnD71gp^IP}XJA*eb?V8t^Fv95`uxgI${*ZGEAOEbp z-ru}>J@Ma}9c6WG#gwTK!TmS4vvYw=yTxzbzK}5g`ko?~+xfpVsQ+sQqZ^aap9%RV zdl5fD0k(EfO>G4cjI;YEOsNQk7e!U$t0qmW0-L^2!Q96Gr%ez2uXkgKe?AW%Zy&VEo*sqg<>hT5fjlT3zAgBLdA;FCUY@yW)Bk9;5P#K_X%#j9 zHrg&iyG(9A|0-ereFJFAqvZeZ1^=&&(vwN=&-|OxF(9PINTyb1K(YNlf5E#8{{7n^ zyX60)L1LBvc{5h|?}reA1jYYy6y9x=jr~tUB}Ez{kpUsOOoj{w14=a*u(ChAN`+k{ zgQGIoMj~2<)k@gK)(rSKoD&MKVLuW@;ZP-#AtIDaQUaGc_C`h;43UXgMQ9Bu8b!!u z@a337P^bg%GdLT8=c$lk;QGel2!h?fAV@-_qXKmY!h5SiW(XdKE5HjdMv)lM$b?=A zKdFvUL>kn5@FgznEtAEgP`Cnw4AH@>&p_r4+u>O#{wp~NQ$oe$f1kunLik?+CWce{Sc$U;Y1G@&DR1dq0R|RyQg7GwT%pw9gl>D&MKY2=z>L z1=+s-2gBF@39lKNJhi5B@`MVzrHoAeCszmwK{7Eqn8h?q1=0#eM50;@rtFAhG=;Q4 z(yoR{h)%PV8G72u08R>K@t`7jS-3DXIaxigOPa-Ca~o=ECscH^KpE#AB{+7)HiSfM zQ}h(sG2rYoUqSbpN_-8VXnHJ4C%U6FwtM6#AkV7sZHC@jmxt)0XuHKy_7iKF5#4L7 zzh*+EY05uzWDYjcZYcB_=--jVgdqo$t#DWvl|r;Mz>jpxu_1aG5}7`Vbj!-;&{`Mr z0faO|;V@V_qjaVLb!9hiTZC>GqPh(LOonr_b|55eO2W*BqlIYg2KbI=8-gpb4TVVD zfE1Q8&>##Fp!pjuSCJ^Jk`+9}k^$LMkli-L*%hUg#G|fR4n%itGReu6_Xi{OU=i+N zFp@gqf9c9qNK@{JcDgEXP!4`o+N8N-SN3e-){N`2+API#V> z=>#QKg+0|`v&>i6?acFViwZS+8LIZmS@<$FYyVqePtX4l+09Pn)sJr6WLtm+8gQ3i zg%tph)fH(Qj-0oPIE|a>3z@Z{9=r3dfZyz^Uh5dSPV>y0i=`rUq|;q-I!mG&1lKcO;yuLr74PA)wUy7e{|jin%mM8BuvN5i_#%AP*kuf(wj1( zoM~elOFx%ODX6$XroJLZD5P#kd=BN!Mlf0CnbERu<;$j{m2tTEM+9|8Rfo}xY{V{> z9HG*2vFM6t=Lw zyjB^rsrM&x67 z2Wmg7`eG=ztlNTE>xRdu^rGBh5NhzsEvNxb+*0==W|QHAGajRyOuT+l#SP~7x-RH` zp1dOO*;u$Jr?K?8uuUmM-Fd{09l01kK94rJQBFICAs<~F7W#N7V%&2><&3q#Df0nN z++91mR4-?(Ik~9pOsPZ3x|y-1X>j1Pv1n6I#4IxQ)^Q`ljjnLIzc4CXy%Kc=)21ju z+Fw}B#5gKD4y+P)J6sp8)P<;l0m^kr=lmW*dWvldU}RC-)jmkLk!pJv^QX~VehmGg z`L43I-#8mm-!jitJ3g<1@jro0v<}etvXJikIA0nTN5yiFqf2^lr4hi4WM^gzcadYu zNE^z#i}ViHtN(@2Fn=2(1i%|o=dv5KPDKC=x+M!lYJd_ae+hX@bj1pH5HM&Ke2T#6 z%y-Z1o$$@Q!NNFiszW(XIh>yTu;yW_xQzr0) z;i$QWAo8QOUn>W7R?@mCDnE|PGcdhf*&6oE$TTq07u7GfU65RawJP>s90Riu@1WE0 z7U>l&UO;nFPoBz%*6Uo$bhHjl8M8zu6@)Nicn~>ao~jQI+9K;Eo*Kl%Q}Ff0fCAgA z5C;&|kP%r~4E_VkbHq%exKdG4%P)X73J*d|oDaoZu${=gLM{wO`PbQZ zZyZ7EY!89}5}pC(1^$6`PPDWT^S=gBCYslH$&T^ke@P*+PqN7P2c8xBVnExhVBezN zk4CrE8~GeFN)Vg*YJjOd-7ww1>=x7NV$ts5uB2Pc#Zwdc0|CyKQ>2GkN>x7KHu8tG? zEBF@tC+L)K2;o=i{4Pl>ociOZp>z<+{ z`4TPa`k)fmQR7Y88HuhsMCtVS9Wut5uNXb4zCUt`YY{ur?F>bdx{=*tZBQcz{i1pt z)z@U*ZvaDWOH_AqCP6PlcKao@nf)9v%i>~10TefPAmmgZFgL3F11cIaSt{AA-Dvb) zfVrUC!J#M}G^|m#N4uSoPUj7JVp2ote!d+cSKsfr#boka7e2eLAk+Dq)|^{2Q}&<*fi#vDnSJo>@*WWZmr z!yoL*`Zhx-RhlS3k*Ng`z0LRA}|RYcIN{aLO@YE&@CsLpCe6s-hqqWk6YWUhEk zU6Po6gGm(?xczOt?&?c{?zB!)U;y2>9TUGn{@-X8G?u7BB^@jELlvLd$C)+>C&Ktv zS}#>ZY6d9jI2Q<==pCD-N-T9tl)}I|^QwTK$*@hSo@KoeORZM2$-z2)X*x!S@|&o? z!>s)&SGF2|51_Rm$jV5;c${SZFxt}s@)wMGSh!-8-@HwY|G-9FhsqpA<#X20wYZX6 zpn`yF(Q&%HB;e_W4y%uNRgxFumua0yDS_pmg||h0D82`tift^p6)Il!(gh{I5pL=| zT=TjNh3WRIyn@t@#5FO_cPnPnqPP*L>>8}0xx zI>-`>2SUxSDY-tK?H@t-xsCB0K%eLyL|pv|jkMN=mquXsP2x!yN;eNyL+qRbVrPj7 zSa<7!KJ3)y494eg_o;^XI zE*8r?8Txp!hfFvf${vC4ax=7GK8Admxi+SBI))`c>3Hn61zkDuebGe)&9(3vf`T+i zb&|0Svk|C$NfX1`zcKD4(a70`_HV#Ly^7m!GP=M+@dQ40Cpd0T;$wG#N%b!zJx`li zlIpBNx0YUM(@Iwqo+Y#nH;a3q_=k|*Py{}vyGlzyMEt=CF&_m!ffoA>@qPbka#t$~ z+=eU!NJ#Tun4w^rm=7)f4wjxvEs3fa_2>(6Gt%TK*|@B&$h3|zNQ;m(UMamCk~Lmw z9ZKemhctwDpOuZqhtTMI^KV?e_paDeru!)h$5}^cDT`7RSYR<@l!hr4x~`1NtwbyJ zW39WD`azltEK@|+OGPODKj=6n$+H;G0)es_O6eZ<)M6ts9Cs48;Gn5+=l`HPqY|gW z7*NMbwop91G?T#9-rK?rx#uPw>rso9$a6=~BWbeSa}Mt28uEw2-E2a_DVeYU34h7N zd1!vF_b(vJ%HB!GL1mcd7NTrf{Bs_Q(UlP-a@IsZBue1kqoKS?+)T8wT7ll{BWY>eRk5k8crb#_z_MUnkh(qmJn0NN@ zuLN}kH%`dx4pAa|22_?E6}KVJF?^H&(LbR}Eb4Z*UVC3@{*9!jhq2w2uw2!-S;)hC z9x&zljX>Dwd5RKj`+!mR0^T7liU@}V?iPI#l^KUk{1EX1;=jRti3_z6cw`axEj44NOxF&3&>e9^lGxN6H_tnLoM zEkF;J5hA8Vnn8?xADtqu3zw#a>E4Pldo)rWI4yaftE?aE{4RRT137uZQ`LN0)M7y- zB#^}FMW;!BB99Xag8xD;SvPZhGVwQ^4`hL^X3~bmaXKMXj+_peG#qg)YLlEEC!NBY z;b6vKeF-FJsI%^ry17;88REGDCeMsLneglfp)ww7Is?PWG>A)0kaD(s4tv5xFmW}NgP zx>2F=Xl#PFk-lhtIf9s}Hq-UsD-jdyf*UlWA4f|@#(a@sjbgPtcOAx+mF45GcVo_Q zSk=-^0k^21ehf8&($R$+>?ISNAROUTzsd%%xm-Iv? zl*z?!mHuJSOt<9z;k3>hPR!9Va9 z!)7g#2FcAYQ^YIQYL)N`at)M=BeAsAVYFtjzru1xGr*u9Ed_8zqn;DzWA5b)%W!tA z`6S8piEOo> zz4!;hJ7KR{d1I_zFV%+lAJTgBiZJm_T)zv0)q!xv=>8pP zMvy@h_y^Lgp@dFIe2OaG3LbcdGz7_XV!svEqY5A&XM=2Ld>;?RBtsGBZ&nblyhxT9 zsQEM+B^YFoHn3RYi%g!*`JkiXs!Km(GD|6&!%^NT`cCi$;_+58?axd+H~3 z(I-JDE3?Jx#Jn5g1tM63Y{J_a9^r26HDkSVc-DGUl!}wB_tZJi#Cf!?_%tf&m6L>o z?zpHQljMGaigFnvdmJ#5_Tfyj{SD&vWR)?u6zq#4v)7 zq}jj&$t~mGp}FQCcc{dX+~u=@-x#sHgrN75d7kI#(bAO=KAP5bgp%pulBF!#YM`y9 z(az!2wuqwj_&d-0AiwxlwB|C+SgQ+g4|w3n&-E^Zy`e5ElAuuV8m@PI5%|H1Vu6dp zfHHs2n~L~nIEARd{iXgmXd*4PSfDGF&SO5*dPWIuDE{Npm*QqQ{@%Vw+9=1@JH+z$V{CZ>&L-yz_uPW`LY9O?KLXiZbbn$T=T?er zByXcx^+0kyZ-IfnCPZwGgT;!AlhZEf{(N6J_$e0mtB@qV4*|X`y&SydZ*U}B*&(&o zYxHDiAIy4Fq0LmOzt?Rf%~MIP*i0MjKVJUQ+O99RA*aTgucrYA%$iVFkT%R&fPCOI zFf}hD+5|C;90ujJBKA)@#h%3Wx2AG=k(dTeS=5!vOs8YsFGNs!K=+3Fet@AyeYpWW z9ENm0op-9#O)eIM)ZgU1;qD{IeXScSTCdX7`FQa=8JHAtr=0sU+-a2FQ5Q60AxUoj z(BT6a!hB@!3m1^JtbgqDLWw7nF>1-6dpg$9f<=~*whjR8IVXcSRlKH%Q5@Hu+ z-y_ zj(#6wkZED6@BfbJ=HqId_ab7q9WO-mqVi$5#(TZhh@5O0BQ#+$mTnNvA!Z79E|xLn8RZZ%NC$>>`&4$S_zLNo zgB+p0MaUY@<~#=q(9Dv*1PG=Ar?KyOB{P7XO1s!gwSC#BZ4hBCJpLYHtL8UYuD{U- z)yzcOE};f^VL+kFI(WPkEbVoL8cV8Z zQJK?})JYrgYFL+>#SjHMU$Y}ZKhCv54qvlOcQ{fHjL%l!3tACD#~DAMbrTr!4dE1G zj2auA^)?N4Ydr)%q83D8KNBz1Byg_-mnBmsL}|GVv}6p@GgAYj@F*j#@#P_oVTcTC zKub%^SEoEM{$LflbxHE zWg1HPZ>= zi~ees1;bTQ#BZm6!GqNw*f*OGk>WnUVo&tbR&G9X`CYD!B(IpS8$~7NOj=Dz0C8%dU41X>$#7~qblu`?r*cVuKfDIVuki@iLj41=@j;`td%QKRYx5h7xi}yB2g34#O%h8TX?7xmnrBhGlhX$8W}$hX7$^c2R2=)R~TRXV7WL61r|X+Dn#?E7#%gFoA3?d=LB8; z*HGXXxco73u62oA&%x%)i4}M04Cx~vuv6}@5|<&(B(7~CM38wcql3jJteiCSIhu1# zM7-$nXAY!K<(!do%VTJrFICpoUGtfl{x)|C-Ob9I+>hDfE|?zFItr~_f6X7|^6HyI zG>xh?q0K{c8=6T%D|`_uoRkMNd|cKnIcZ|fFdG6lkXgTB{mrZ~aWG=P2cg+Dk}FhN zEoVk)PN->-zbk&E5S!(!gO?bGbfOc!Nf!zmL;Z7^Sm_O$)n}1@3G?)$)1?*h!MXCT z`aYjeWs(J&pqhv@UT$xryNl0cXJ%WjtU2Tzs*csIrp?Q!`CkbzduP zF{sEDxG|Gty{Bi}3Pe;e88_d~9&XdQM#;(R7Fk<^v(deg5Z#z`fSL}yv3wu~f=+cJ zES=eNYOZP)YM70y8WDYj9bp})l2+jN`#=bK+ZRA5nI$I_$)Vbrym3v0lq4_JDcoPm zxsGu2ZPI$I4{NhW3n3xuGr%&bP7$6WbyR5<62|0+t%R7SC};=OxwZR{3&Pef&v*^F zgF$O#aEFcqA1-TQUVN1nF7dsNZCqQO1rvc%4ou z7>{dL&B%foe5XeSZWt9wvQMOwKuM)^L`$9J6c7@}NqfS?-B}QN)I3Zf13rxmd?EU) zf@Jo_#fG&>5AgF@$586NZ|zXE1w24 z?@JCj(bfKCLo(L)hVFd8`Xg=aqc;8>seMahoTK3$sr8**F_h60Zv412VHEB~P}{?( zODb}hC=3Q_t{UoanBK;$$?J>)Kfp)VAn{XDn#BV3rLY@OYa<~HAP!SeKSxTPko2Wo zm()r91Jzrw?u*ex)7&4FI>DS50nz^H8ppeS2ypAPU2y~TYJ@{4e6A6HR6cpP;uP)V zlZA)KeiZmx+C(TSImGIPW%26!7zlIYgcp&06XvbAVxYWJdJR|KG0$UQWo0feelV}( znRHH3QBj?sA7E~($r+7`QxL6PTZ2}lpt>fsp%+?_j5L!e{wWn;iX7VU^r9KwUoZgS zWuiAUGo2$MS2RK}mZlrYQDuFq9r*d8K2UBTO$zZX#AZMmxS1YFSBtMsK!vHUF&+EM#(kW5ZdFlhFIt)f)fb?r#ftzefY>i8=*8 z8rDUlL;107*=kUI)0{Ts>;*b_%B9oi?`Xz2_ZfT5dX>UQ(Ma8{V#h{u3}9(Lfaud) zAQM%aEsYzcO*UjjDpNP+y7ZJ3 z&&n+MWI!CD;ig4iZsevWleX$(tie4?pnqo18Yioo97qJR>l)TUFZQN3x$xO6Bo^X4 z7_mQ5(lePD70RA8H%5{#I@zm#j4>hoa*c^~T$gq$#4yU&h;NmW^Js&xQyEN0k1mLm z6|LhgMA1d{>uJ9;TaX!>0;6PRv)PA|D3)0G!xkHcrz}l*E|5^9c*j~AJNeqPY z%WJcsM2MgJpi&wt=YgJxtDOTh^!#(}7uDmbFlC1-=WUth0?EtYQx=$cyr&|~4Nzi-P`_Oybx*P+2A3DiNW&Ru1 zWh14zk@&8@O|&ZT4-npbpThTon^1|%q7RUZ#T6mkR<+p_M+u}b1lc`grsxalP(qaS zEj|PalcetvKlB(Xf$R3^!klD8W9TD_N zjVLk?@+u+Fld@nN4RdCl1_E%vJ7uMHPFY?90$o-Ca=Vgw75rLl4_oCl|AAH+?_g}y9hLSQA01__(H>;lOVRQ5Yw_~( zFBR(e;w1{KXQv7tOn=Pp+;$!dyF%=zan_h_vN7lI)|VVZ#O=^=F74sNq+Zyq#LcVi zUd&5s-24(_bZUg(!gHDxY%+A4oTUl}5=P;cX2Lyg3~pIPT5{f2c=~(#k_L7aFs0d- zLr9A%TZJK!6MMTsi~1+pZk(8JUK&lw)M&8oR1`jnCk1Z()l|Ka zjsry{@mv)5Vx+lOqWzG?id>lhp2k~*1P;l`&@fdetOiq=_Q=~god*2Zk5HBD3F zLW}YWj81FMt}_lGx`BO1pV6=g*?zOVB7Gk&jMo6tr?O3*&iz4>r^HqupT^cNG`=;M zFyw$>P9qjg$n2!75GU_%E`J#ldE~yPIhe2kPQhMegcza(lD5WBvcR2(q^(iHl^`d! za2E0gIU?9-1TxG8emQfRQ^mt68+1b$w$8UiR+EKlHll_?6mBU~YPGY?pb#YvQIJ>3 zT~1Lmhk-QGM1}QXg!p|3NJX%Dn&pvno-`$-wat1qTy)B9-_U<>ou`^RBCKI-YY!n8 zNxP^U!}MdMd5F5KGD_;hlf;4X2X~lam{bS|-sl1I()%CJ37g>*G!!d~43kffR3Z0aeV5J9{IvWQ?iCyrmUzj*CTjnY*a`llh z=@6N5T`*SHShEwFJ1hZYU%y)%iOdglm0J5Cy}4j>0$mQXHt02q_pwllrS&q+ZY9O3 zs(aACF$1%PDd;8YyUgqrK;vs-Zm&5&m(sIDTQErD{ua%i%cV!s4&PUD>vs$!;Ala7 zU1ps+)Lo1U#+xKV2y1*YTACNHDQ>a#V}I6Pp}q9_(pfTfFK7ONZYbwfG-EPiI&IjG z>g>qeK-L^Z8?sTsIRucLqDFmP-C}eU_7@}DuKMo9+4yi~F^`!gqD`&{-QqYQnsHPe*Sp~-tR4vp_aax%y_;luhEL6~l>~nJRQ0C*=6J`v? zIek#^rzj^G=_k$j8r5W=<0*J$A%Y?RIB~Y$XTeRm_^;{iiOQz8!*t)MEf=3`*RN!m z%*mSaIO7#km#M;-%zg5jFi&ROMVb{VH(-8NDyje#*0;DDA%>{vZ<(}ag??R;Tp#^? zHkxr9%>Xn;CtswjVHK)#qqBF>1^_EPMtQlY_J_>+om>ZKZ89uS!OknInReTC6V+7 zpPI~>9mXcFtEE0>@mm?7n=~>tIow>rusW% z3P&(&8hrf-AoG6cgYKuFF%3an+IT2+Z6ku1A@r*~~xk zMaJ4UvS*|v3gvgFnqZyQh1H!g~w%BeD?2$JHS&cW!?JL+M7 z9fG=UTn_He41|ZZ-4UunseO=Ehj0hgz<~?i#}=5uTn9A=s=JcAr5F4EGhuSp#b)ir zdZXP81mNbC|0oc{=tQh(sVkNDRx*ggoA- zN{FTytCE7=*fC}O14lC<2zxDfoa4OITjpMmr0%k;?98A?kTKEB9bv_<5QbHZxCi4$ z&=$7|{7~mk5&I#(3i5<58E#jz;wYfeggsX9+<|n|Oe9{BJvfD=zjl{L^ek@6vH%2g?2y_IjwZuR@aVKFU51o1c+O)z z`$+Q_J&DJ{O#|HxC13KH(^TNzXHV?yrG)PZp@&TDiQ&I=LFMT|_mfJn#{&zlc?4`& zcYFvPOMir>YUaIPmIdx9^-|~j5|D)mJcTRXjj}`4I`Ji#oDDi-aVLV$olXvLdvRg zp#LKDq;$-;KxN@9_Ik?$ej82(f(;JC;+Q`O{{1I$jL&p}NoGFF^P-BYK)UW8fb2EI zW@P*?i5Gs_SDg_85{u8FSyn)*8lP1Jo(g1|GN1SUAy z{0c%_+=S>K)H@xS5a|x~>!#wXvYe`PVM!`I$GJ#9!un$!-B^%}wBOq*f3w%?lbvZ~ z0&Ek^l}ceM5+7(TkJjAP@Wnn45|*NBmEKYmE{5RhSj;#P+tu+#H7i*Ve6%`}Fy`z@ z;RbIYIx$Oy$EX%jt#-#@-l!RwiJi=gMR#zQqF4|}vA>HGm}&?Z)`n55Y)m!x>B2k$ zYfPzp0NdSj6#g_+;rdhNk-2UI@djQ2BVwEi7!~M(N8;^8hv#m=65Wv#)ieq0f zUf&1tA@d?q6jXePEkz13;ev$Up%@=fb9ii}E?(P5YW#%8&+FXoAJa8HqB_()lnydf7_pd+g?dvvJN6B$dkm@mxL& zz55{o?{HHgsBwF=Eu6_DdgMykb}|9BW%dhl~k8>uF8#e3;++> z{Ds!KAzHIfng5EoLd6p>GJc8ybhr7u9BYa zKV=Z$cQACecaFFNRcF&CdK_(IUpUOu(^wmw;tQZ)?r9|wT}YbMOBkVS-)mjTNc$-& zDGY)Y6J@$En*P9iHO-2Z-Xik8xx5o3xHNMk^^>Hjp_(aSdQKu_QceWdK??;Dm2ow1 zAn6lKjn=`O21!10IC%%Cq{5mWB5(G5jd74tT7WfA!$-r{PG%W1 z*OP|Sx`9zlzVMY?ml1B+J<@!CuJkGLq_rfAm6)d?j~W}}5xMJe_!&%5 z9tVWxC!!k|@LKQV3~w?0Ggp*XKTAWB%wpO{r>?R4)6sa_tISC8+bCo)KjZz`u38qqgjWkIn095L_{2$ceF)Usu*L2SQ22kHWBmOl= zMXf}9D})-}84I8{on%r_uPPmlQX8T^&_L@AK$=`7|Bx}LFWBEVLoVn9mr_uzF}|wN zSh9?FX-HTlWTiy$C4^q+@`5l;4k;gAJ0s3oSKxVs^}22_(yf;x`GI-^H7ZIQ$OafP zKLT<~2TBwFaR3J9XFB4g!5H6$PVohXluCKByn0Cf32lkeJ}qan%G$-)v5&PeVV90r zmy<9As2^<#yNi9NqmaqUa#Ng4NpA;@vT>3%)Ew7^HA*i)f<|W>?3_#Wj~3!MzBK4K z)MIHlRyRNSw7ePBudueLJfBGukQA!$F3s(nHAx0Nntcd*+EOu+?qe||MqCYFvwt@a zG8q7J;K2!%>SfYb;Sz9KpW>hDGuu+_&n}p{S;Zbkepm|#eQ{lJsu*-rt~03vXm%@Ha- zfX3Qx&_hAp8{h0$Bb*B1#r-C)hy0jN=N2f>)RAnki#)Y0;4e@!N#lpHsERv(wW9e_ z4Iml1tZWIfFi=asm3F%W3H)YIHk&NGDZ|J02FMWbF967Rf{edG>#f}iq|ecfOYkJM zPJ$afK)4uk;}+Z5eH%ARKh1nqf$bBo^TpzrbPrF!Z~C-pdZt;u5C890T9mJS8-Rczt1h8r0*gQ4v{n=m#th#8QGUp8d*ryr?4(7854La zY)2D&lY_+b3V`NI>BzMztf)wQEc~Zsvvlbk_iLEsR(O7-b$FUsr|=&S z=E0sR@JbkLzHs~!^!Zu>mh|?KuFC}NlHv(J-|PeQlK&n&4yVHRNuu?`PV*nYTSt+< z2Yh@Xs)%jgE(w^2fV9*ZSESH!{Bz=VRACDOV$!i6Go2vS=H_#X{-lPfnRHh>;`7?0 z?PJw1wB6>KfB~Ax=abQ~-S_t&mTn+VA9$)aBpnvYHQcDMN{uHQq=vyA_2gb!0V&Yd ze6SQRApA9q$Etq@%~{>4=X9wtQa>5q0j}a8Bp#GMNt0fW$=NcIv#IREoUM85%PA>} zZV)8}pQv65eU9%0AH4%rBytEqOLQ0{_xNtYx1_Kn!ao|8TCKA7AjsJ|SFKaUSnih$ zlGZ^Tsg^2L3i(KSfGTF|$4ifqbXUtx@Ej?+Fa3%t)>M;#EUjpPhWHsBd#B{Skc=yK z`O9pp+FsAWG6`c?dSUEc$Yh!4B}xr4W5o>f{SuTeZPaq{YJD$vt4wfUU7i{ObdrHK zeaEaZ3*n%KY(3y6uG)+2hx0tZvgH_=l?|%bp`|bG&gzKwU!^=s?VfmRl~S`s330l> zDV$^;7-^rE`;mVcHV~4~C7QG|eS=;7qVDamvNv6GWYTiE2o1JS?-UwHJg;Mes3ih4 zc;g39YbveV{eV2@e+)kQ^T_`TfQnxy)BHa>*2C_Nu8hw01EOL~Fd?o-w_E@f_#R1p zwp&q6wsHS$00>sR3)bu6zneK(#QD)2BAW%q4sn@6LOuBu3Y^*t~1kB2An|4{YqaZyy^`{(Qh zc6OP8S(t@cn1NZ?1y&f`!5v|h)m;Sz1zi#n40KIYyr7_%c*n$RnwV&K$Ge#&rWKi% zmZp}s6jSp?rfFqmrm3a<-l2Zq@8|o6JG;1-xtuxYeV_Mvp0`%#A4Qw%=Mi=7FSi7E za(r3hEF_LnLp9z%y5JwVvsxOXmcCNKBTV%&Jg!4!WB4ip=EhqjWD?LJa{y!+^HA9f zv>7_G33~qk=1O9)<8S`tP`SXwY4Q#w;j!hsIbIJF!_ojfm&hoPh5 zFGY$kD}ogIV>;(ai+v#DzNISq$I`De1b=ifyTLBm&aHr6%jMV&`_b(ZZx4%? z4hukUkdw4hH>)&SZ69oh=AT5wl^6nkPIt*4sp7xX**EK0ufqjAcjAet(K49|E4tsQ1;FB&u>pg05F~?i!iD#MHiF2v zwm#D2562J%KgiptPv3Pgd&IMEN8j#2Q!mEWvZ22l;XX8|UKUhK6 zcz@@oIZ40XRlr|9pc7xaft{L6rzg{1~9e=31JWQ!#e z<3v5qT@Ur>RYv?Z)S=8u9V)|OnnV#FQA2|qf$}DmR3BKRJu4F3@~&VpLzNYSjMH^A zkcNY$!~p39d`rL1jijKny zU6FhQo&D9Awv;zfvQAxl0%m8Oy6za%Da{vCOIRS`gpclH85I@p?vh zra(`Y1(j<|2XPuE>Nk$Vb5lU>h@nfYOOK`5A@)vT#+DF%59PX|rS?#k7^A!xQ=bG= zCn*PTz%sY!J$6G^=l;%3H6j$fFDmQ44126;5D z#Ks7Y3ZCYeGPV`tWUcrDV$yP&)s3^{69#&;e++-{yZX~)1v%Cfz2z!L1T~(Vvrh!xz{B_e9pw(n` zM`8ckCo>)-dHpCzu^Z-wg0M_LNkAI^*Zu{FoNQK_5<~wdI94oO@b>>4h%I68tDwBn znt?5P7~#PH_9@QCik+|%ulY}i)&D=`Sfmc-cj!cu22(gFouU=hEPEO`B^F5rjAXG7 zMxC5JtgnWES`|!^=Sm+VT^fAEEN=j*67b0I23Igf9Yu)Lnh+>E?94b|!fPB7;8Y-m z+JrRo)rm9z6BTET#P~%nDoF7|cIFBrxu|~?y9_5ZL3FqbN%OE2g^?4$4-m9?SE)c( z3_3XEAO%?RTT!a=LMCGrxvT)YDJXBN4pelsK%MC9twELUoGtJcwln>Dm5B1TK$~-w zGznbURfW@0$@g*tmT#z}FH|UP%0OHfT3rY;I2=e<)R+bG+fmHlS?}Nsf0={vw@ZPG zax)(@QSH*VnqTCnDk)c0x3!u9o_1XmtYtwMYLFY4C>Ich47%D6aDlEdY;1o?0<4E8%ocklg~D@7UZCvS$7fbWRo>=BD1FIks`#- zQDdM|?f_I1$e+dQv5*OQ@J^JIj}tEyx)8S$U6 zygX5XKPze#VjhG_#0$N5>4oiTRMtUA@p9m3oFpoHV6Lc#T!Jdo zfmSvLu^%%FDpQFh_aao;f#IbOw3Ttte|$;K2vqRgorFNVTJVUl77oUqKhS#_A4PyJ zD+Y)N<$c;ko9q?GdpOp889BFttLeQEX{Xw`R^y+@T>wp_tw)e!lVWMWP6ypq3**=Z z2U9-NIn}WZ$GO)d2WV4xT~K*|V}vi2Fmv%pv+Zs*vMu^AqpaUvTGoIb3uWN+HzeW5Loiu`+ zrozG#;#rMvJ+^SoZIR9+zD8J(i&B(=~V$#a;F0>QH9Fp!Go!7FE9pvk}lA1Td6ncuRJa5V0fj1b1efOyBV5`C21 zM86H!6T4{E8>oR)Xr@7QU?~TrcNm)KfqYZ`im1xQ$ZB>Fxq~6mgtnC|gu5Oc)GIb2 z`DO^DZZ!e!nh4fxNn+SgluAt^$ue;wmi`Q3Q_6t0FRUfob3=$H7R71!^m?A23_GGJv35p_ad>a*0D_w zA9w+ezBE1+z-o;BBC{h6`b;|PeL z6kf~v#c$wLDuA$$53!6QO@nlf-PA{V%Mw!jLFd>-q=BSUp*a}|inkHYk&chRs(Vb+ z3*z{8iC$-N)7V)qUF7f~fy$R9n%@gM`&62MaTmA%eFO0cO)tOcFCO3>+ziRwdG%O| ze`Mgh7;P@2{fdbn4)y>Ul8+7y_=5DvtZ(F+QM$lXD}pkdEcUw1K8eMEKF;1 zcY55V=-SVW+e!L6$4_(zIkB1pACsj>z4I9Kx!TzpT7}`zK4C^|cdZ43|pA5#oshd4I0pyWKw*0GHb1dHfQk$dly6Q zYxR`mCdK#B;t_O$uPSp7*H3OG1h?-?sYov^`v_N??PHG z6y2_0Wd9HO=QqkwwwL$NLzuPjt8E}tRbQ2cV>#L?+2h2Ik!zJonrYz5-M6D4!FE)D zie?ZJKgV)}o-1-6#f3#E^8|B8?xZ%Z4m~ubx$h2=q2iF?A2K2OHS#%pm+EKM4Urs<=gK{hsw^ z)$uviNcxE=dRMrp?L$w4xjd&A5=P=Fc_~QyH*;J0_W9<&g0aKcjbz?x>uS7a01Quf z0u~u`H8ac;!gOqVF5V1u9;RAI${DWA!cLWApVorkFs);$y$tiRW0yAW;aTWd=U|}o zoA({W57glypy-8X#X6e9??`{Epp>H(m<8T4bYzGSrrm@`03Xb9mn5QXQ%v|{<{@>H z)MnCy(?8<7#%Q~<4r#E;{$0GcIiT?^d!4@EEHmCTKT@2Q>{y`CVKo|8W`Hyb#`fLC z2ZTs!TSTd-BBOStE_lV4V4Z3^LfJcT^jgr37)i4;&UaNC=UHkx!V)k0PQWOGxWP9} zJ3#bnXo(rAoCSfqM~`zwhCn51i}^Ms80k#*nsy{JK$@Az*Fj)=m6wA9;hO&(^z18` z^wwF4$D?{8TTNnNPjK%!`wUQI^Jz14#yt`{z692s_)dW1IKTkX_bHAq7z-@Jx*$L# z(_y3+KC%h z5Habg-npouiLi4QvY_yKlDbTQxhLGr^eU7$%V3C7Vxmg)2tQj!?FxQae~7qMFHR5k{eb%$xTa;i@pS{ZT%^NKxw2Kl`yg`YrK+4sxr3QCygp3K3U2O*6Ww2GefL2P2%B5L znY*bXIUtey+Q_Kl>nh9(eN5Rp&^Hxa#IZ%y5cvpZ-|K^^F0<$MpfiSp_V8 zAwu{XazCsV&RN7DigCiP)xNK+9v@<%Rl$RcP~ASu@d)`VWIYWzS0S<<`ynBccDgnqMM$_~F%Nxb`OiWV8-$b0Hihi^l_iy2EE7)Qgl9heg0;|C z6zcOe78+O5%uuL(+ddA#cI0%;(ztf3h?#h==PXd%gd@SNZ{v^Y*qU5%wFc}0EEdrq z@6*>`_oo-b*_ev6wCO|3H6YoWk38#GFEc_Z+;7f-!47LKwA|2|ybDq0P7u>WLDumC z;b!J)Tbu=%9}15Z`*iO7f*n4{I$E2A3t9&;$hjNhLHh@^v0peIN;qKrxe1qqP)8s) zpuF7M=A00a1=&;5rDH0O?S8oYqgILEz9jS44umO$i}DsBFgJi3KIckE<$LlJAj9L{Q^uEwhn_MZjXzXe-e=wpY+7ESzPHFiE6;7jM`8{UUR``r%gW2(OdJswj zJ?-2DXw)LauDjd|EXKaxgv8ewDOxRkoSHuf*^h%qw7O^-Umuy>ly@3u@1@VAk1mOz zGZ|~eD=LsmRsqNEG~&Nu+=Ii@Hx#(p(5htg5ilrI*wVsCHGKh)!pqP@a#9F}76ab( znuct7uBNsLV#|(%^lDdeE)qu~SBoa`7SSTk)F{3Qe_<&Ceie086tmU=RoqE50E7@<({hGG36xD{(BOCTQ6T!w?)9X{X6i` z6^5n81sPdG;?1@ZaMh$qDr%XY=GKuYKcV^%)B(mArWapBiKB@| zX#h6uCYVlQ3W*$h~f-UT8C2el#G7HjEhidp{ zfG7~XoMj*}WS7I){LDT?2f!!y4B!NM6x#@z)8%eDd|fS~JI?NfN|&IqxTv#yTqTh@ zw#@xJz@`p~c9$D^5e{t|y-pGhoqXUZU28xlXAoyc#CWR$(AY*jMa69ej7yZNw&LHR0)z zFxY^Jk#R0xLd5&CIZe)QigVQO`F0J6cCx^8?lUzkt?YifYtg`r#9w-$3^(8%^c*P| z+dAvNUX3;mKnu4kXYQ+ed+wh@L&bLjVH$=VTNX$=yh{RU77h3Qnhn>plZLvghgfL_ zBVEy_dyO}PfeHS)TDi?8ntPl0mudGIV9UV+ylJwQ0#5-mc(_4z2wr~xZHjm!4UBQB zZwOH8V7nv~N-24mngd%IELLhl;r%O-aUyKRvxNMG)pp%r&0`!{{Zpu^q0AlQygt5J zjlbfaXi@THMnqK(O(n5pvjL-u0 zF_=F;vWz6b`b0PYcX+kRYNHpB6^?i)%h)$`q=(Q6jY0Q!Cw8%2F&;c- zL6ym`Q;YP*0)wT+%qIzVQ!FDHp$|~A513s#4UQsGwY>PLN*JSPZg#2e&8Bxq(^UM& zddq`Ya+qzm86RY}N_!0H#cqubCcIA>$&G{~+zv~X37E?MC7y?QiHKNhZ_WS^@Q`1F zep}U7E8S8HHNGy=mulffI6+_Q4y>f^k@5yoip4dXsS=9m=j)n1R2r$x`XWb~rIu%e zD3@YgZh66*?sOH{{e%Q4QyD($WiXUh0fQIXx6#;t6jtvj?14-(>!`XpP+Ek<(ORfz zx{q}#09yb$SNaGU|4?q?_mS~V1S~$E1&c%gj*>4R=};s*Qimha_sJW@s0i_PY};)v zs{YOFD9<{MI}XhRqj$+dTq{vf|7)eMj`CIC3$~wykmNGN$EkwJsknbp86WZ7VcR^(tB?`vH?jWvuOEHd1 zH(AFpagLX9+{1^i-Uu>$XSmhIWIO!Y!Q42LjZfU+7~+PE7Q74m#N14ivBW_1^!zDw zCVBRvSdRRPTDJ&$#eB72%W|a;0medu7I(IcRxI2>kSiYNl^}YaS{PKBhI!CoD9f(w z8jM_%)ur0B5J*HRgQ=9G8>NYQ$rqI6qIs_|v7haDh;N&%i{5@X7`Ugtoh_di_6eb; z7?|Di3XOCqG!GnOwi#_lB5VaZ`wm(bg4pEJ^)R_gAzJBBAncn6!*2l8&>UpVZu>5h zKNm_{^H$^5_x*RADKe|_k8(Vb2dJbQdI0jE{FwJLW@=C;FHF?CA^&GmO5%*$gSbXl zhz+jVMIHD%W&Nt*7bW_30qbKSZwn?Pn76BLB6k6z+p6j@J*omUi|f;;(4(ppzU^Be zkDNU3gwE#%H^-Bl{p4X^6HS7AKRdZEa`=Nzz zsOa3SiGb3JrK<8h`ELeR{Eq2KGr-Jf3;^A~{DbM9U)P`+PDGt1Envy>SSQWziqe_6 za$`c}LgVW?em*G=38Z55aLBL?(;GiD(9!%c9sN60X4&oLmvlMtphwpwes61b@vrf8 z>Oz>AzcqHz(Hrkqu)Trk*8Cb7F$G|NN4s6SsONS;vzIGN!so8O254rq zo$71gXX%n(BUoy)0haV@2JbRj5#F@ws8d18T0GcDZ4ZK|Ylw>KM?x96A`Cvh(q5Tt zJDqN;CdDH%zCaxh;u5HCPG!6mg+imDcx2z2N(IxFBP3ppJ5U9k!CS@nF3H4EGxc;_ zX>SO4aU3qO4GyPI!9^fRcm;FjBLsB=NS!?_|g-x+t>6AUr*q3Ib*$n_wJ3b_)ut{P!Y`hVc=R-0O zo%T`-p=%*KnmCduuqOLw;g_^jY&be%e+95A@!K@h^5AsRY!tX;OGb#a0c>a~+dX#6 zX4iX&@wmny-$&dS>n7rw1Wr&SE~IK`Pj`Ds2pAwvV%$=Tit8W+8bOCL(>)sbz95dl z&DkCKwv%x#pvbOvT)-!@pgxq4JK452luC?5W5i(^YHWrVM`liN9&^5glNJw^6SYpT z4l8=gt4fpZVta4Tk@tknN!XRj(sEx`Qsb#B%ox2nEXE}1V4C2KL7@Kz z*tnZDhV;q1)KYjDe3f zubF-w|A^+9w+4B>psLu1HHrt7X-KAVPek?dW{}3SqH&z=$T;y~L~|%8uK89AC?u6B zdP(jHyr}3NF=#^=xi!=xcp}c+AdWo(XqwHSl}aLKyAm3ZbrZ0{N4r1ms>9khe_hy05w4sx6*! z1eH0Ve_3+HXQ(U_c-9W&WXlGyiHB0fP_1JTQDuwOW%X|7#xEbsEv^F21xmEvjg}@l zJT87#46M4I1j`B=)rpWt2jf-#kI1nmAAu5l*9(sN_n~0>YRa(03ZCBq2!RYg0V`^wKl(z|C6TwxCE6Mnmmt(R-8wb z0#5M1F7=`-Y0$}?5x=0M{h?sNba$f+)xR645;~^B@{!}f!#k?QS-2EhA?-mfi`sqJ z;EGVQkMbH2P(cr~Nz!;!uY~kc3lipeE_lG#BPU$t_}xB>q)Zg&%s5OZ+q@LzaU-*s z5kUPxaw8yeO8yj9WG~WGhG`QERk+dwo*Ldh$dRW_uzyXM9tYKgldJu6xr2%+nor2Z zHuv|~_YKsqR%)8BVvef=(8_m^P_(f4Q|6t57TP23MKA?ACNlQ)eo%WACi;@G8Mp25 zIv(1m1{tq%8G870&3ja?9vQ_%qlfqY=uDnQb5d-O92a8#L2qM>a-hLRa4mc7*HfE5 z(Y{ZQ+HuEpL?`)FB@YN*nrjeCkfw|{N1#%tEIN7JPQ_rWQ2D+Jjg2z!dULA^s>Rf2kI0i?B5Ph z4Y+u$0|NiT_6<}`;S~qYW&SrTXASaP9W{=C`(zv{d&M$eC%qH|O*_rfV|2s{%iSY% zBn%iwf1o1-yt;sz{^9pZjtg=nDk0?51iTqsRK}s=#ldAoKw>4Za1uzY6>8xagoK9) z;V67)VY_~Kb8cPj)F)ksKiAY3!#p;^c;Kp-6o`KZ^?{{L2bRO07AU$NIOG3i-xmDW zaHyz71PY|qzBqYD-hvt-7)Kp)6@QF8SLj$~AMVR6^0Z+Kl}>P(;Be)+L&teHYCS)m zsFUk4=p*!SZVV5TqJX@Bl@fVm+{!4L-`VwCNNui&0qr#3og9t&+d7v!Wz5pe~f+Hp*svIkqmpHZX9d%2YU-7m3Kti%kUpBr0Q zNN>g_fxt|-jK9||2WlZRpD9#GcKyh=k{@_qRJGP*Ey0$%l$fniMo;(wx8Jo^QMu2g zpIe;zp>{;KGIq=7Ms4cQ6-K6GL$mmz+84~&JdPZriit_D5qqJ^&$L(BQDCz3tFkW| z^MznO5gM#v>1SisRDH8bdZg#?#x#*kf$Z0KT=Y08N+S$_6ad^j=IY^gwx@I!_k+MO z*uE`PyRyJ5zlp#;BvNWbwLqn;?IUN>M{K~6+N_bz1?RnEGW9k%`bs;I`60MmISY)X z24IsT^`S2SPjLhDi2$mjw1R*!36Jvm_Q$zMT1mKU;Jeb+*Kw0BVE!h56Z3*(9!qmn z$2lNA&^{?qRn!Q`0z^v{Yh&xq0Uqz2GRU*B_Dk9#u2I)_Wul~Ogy$jSLKXW`yl<$z zDotHK(=rAZSATry8TLV#nuy9CGj?GzcxmT zlMW!igmM;7!AY0&Kw6_0F((`^b1C~?!LM(b1h!xFN1W_hNjMaET9OIJQ&_V-7Woc# ztW=2Y%hiqsunvOrdoWQ~?S@Do9oJ1)z}Bbb0su~R^->DT=m9IW^pneWKg2bjZXC2_ zdF?m2jP;eSKq$f7s^_g`wo6fzFHD>1^s<-eP_ZG7eU)l3qGGd5w5o-T@>#8N`||R7 ztzTp7PKX}`D?=>Aem4vNflOcGMB@dbAQzVj1hx+K76B5x+fX@#1iGcRG7x5zg7C`m zBqt}SD$6i8Jkr24mnid#bR&FMt?M)HD;u+%ls_4V%Nrdakw` zd4o=e4(8c;0!E3JK_>37_h&WCv}>^cM~)LmtA+mj9HZnz0z|%Y9ul&dD{?Isdhwe= z#o(@_7=+{KA+H`*?HQ%b>w*`ry5SUL#kY^MBS^Nz_qEyR{lqc8hl#Acd zhe)=`GLTjHffnZNUHp^hDAg9xu?iZ)jKgc_zHCo>ht5?y5I|dVamfeigdsfq`)WZ_DL}Rs)sKVUtqT_oJZb z$~8%>u9j-->RAwip$@hASR}t8#0sg@qlLvI7U!tFjS5!~~ zlr~{_)JU%Ccj?D~a#zo-IB0WY0WyaSB_gCBqif_+gv0LhGLnB!t3Qjv++9LqE8tXvr?jd(OnBYIf+@Vmcl~bfz7X zu38xo5=n)~vGCAPKA`q&B4B|VtoE0?lUs?St_xt{$i9pRGCpz<5hs}GQPM)S5CP+9 zx2Ek899>`B1`K*2sAxJTS}wlo+z5R%0o<97q*h!xn*6xDlpy7MLFj9HAVs~WYr80C zfK6xHQ!Q^xA&hA{OPmf*XRMYtNfA8SyF-=U_(l+uCG^2@<~1yYu0kI07h83*2MGg} z+Wk({bOM{gZX%0l+3p=Bc~Iq8D%NQ{K7s90+yK$AaT{4IYX=VPi9gGjWv@p`bDkSX01G z>IvS5m6IUwOvH)t%1Y-;Zs0?C>7WMxb~QkJpuu(sEa*BjtvlT#sxSUS>H~jdjs*7Y_O@5e+##C3}v$by0V-PC57~1AjMMR%JI1m z@Hk-!wIu?L$r-)EQW!ib4*U9+mnW+v8-^QoZ1m6(>dL;-bsZj5*rA;U`v`30rZ-7> zYCljc<&~kh80O1ZLRzJ>Wd${T4z})c6VBIBY=(R>oNwaT82$uRzJb3A1=H%&@;fs1 zE=k%Mi@mo+Xj$= zQh(`SB0h%wr(gy?isg99KJgXnF)$y47i++@g_nGsTiyYQDSyLhk7pe-5}QyOf7)O> zs*{6MP^?`=b8$JRz(oUA-$(2q|zuscL`FH0oTh=emZG^=07hU>-&~se%>8GJo<*$#1i7+nbGiDGl-` zFcH$P%K~Tm91u*{+`wfzD4$Zb)zBB^_f*nGwXfNBn(_v!ydNNLmG3G{VWFoIFwq4Z z4xVRVAtPrnvJVRtN!8-{bamrG`|v)flLbT(@xEnjiltADtuE32NUZCB_ERY*u=X54 z`gd^c*AQ^;iIB)p+b6xx2D3BQM)T*gfRj?gwt&8bZkqxul$ubOV2ah$W;_3RC=};_ zs16~1wc3@gIs2!5Mx3`$&0pKL)?wTKYSEG$@aMX2(M~$BT!xx%yp#t_AL%V@oJ`PH zfIZ~uKfSU@o`h^i!bH$1hRi7Z1Bt&)$pI10NW_;@#_(Wzx16YPO^8YFTlpwCyuK&r z_hxDePhiqh^+XLVQb-rOyn4cnJoNh`OizYHka`{pS8D3pxj!-^$W$pdpk-g;EhgEy zlK-bOdB>Xx5OuwAY!5msf2k&uqb*zQ8e&$XP}2*%JbCnWH%-nkbYOjD4|;$8YZ}|v ziN3>3iZkE0k2dGqFmbk}a}gMd|K0_InK9h17tN()<(#ZrCO8KpHPobFV5?6op-u!r z?4DglOs67r@JwzYsOn(A*(xbX)}D^l$>Dk1&KjOf-Rs)~C+yQDFv$42D4VFl zZE9{{<#&ZU)O=_c#ZY?=wyRdzM@V>feRmLj^!6#yYvS~NEp4EY@%amUQg}GOmTvsU z*c^h-bNygmE;o7e5N^Vv@o%3n5=CTC^TJLmdm_f7FE8-5OavLKs zeRC!uaZ>;r4Xs^R)74$#V69xO&o9BvwGFDokY`l>aFpKUN=ND0^et{p%}nZm5vdB3 zRXGPt_OTxVi+Tm?;9VWSF2^x}>zMC%dhQF~a|!-c;z4Y#H!c{!1GaEFqOCTk2l6`g zS)d}ykx#09RsJ8DciGhit2}YIKTdGJi<;kp)#tjpc`Ix-qkT=V-kb)DCV3iTTdv>t z682WyR8g5M8e-n0ub(H7@>1ZgkkZX$|2^}bNO4i1|1ud4mhaO2aNeDl{;4tV1u{*l zMV<*{1b;0kTjO~N{PBVND6Hb5@CCUvKzJ2s8JCgpF@ISAQU4%hZK9SDWCIqU$5#Tm z8my90Q}Qs&C4|LFM?jAXZ zzSH|z6QHi!>nf1{xfN5)Uwp@y`z^BcRV2MK1fne%( z=S=J0k zAfRA9k~@HC_>Koonqx|A6zo*%JLJ^?{!7n!XXm zPmwQL8|U5;0~^k+Gl(AKivgI+8p3S%3EG2D-o~97+le@p`#t30P|@`1p38ot_;;Yg z2`uPhgIuA8EB!$GA+z041m&zy=p`Yo53pG~)Xnp#AZ`X&Nvg)y$BFNYJ{3HpK1-M8 zx*TKiGRW-yP&>-BJo}wE7*)>G#xiXH2n!>$#}#z>1gfsnhJ%z8%g(&&`9!?;3zht3 z6#q71f5+r{U!Qec?Yl+z3(q2l;wvG))s72~Ge02tn>zXL0MDRjWq^h>9p@`axmxA% zwH}cZXl1Sm%soR-5U)d*1i*TM;aUNc^!`9R7NXxtw2*L50PsbK0z~xi8Q~3M}4A7cJd|fm*v@tsQ>|#0-{E z!LII%$F5a;(peuCwLZX#J#L&#gg==9RDDklXT!M*j*49ZJTJmHk^3Uga2&5S`L9uN z1}UhW*LPyzJoxN z6W*X%?30HE`2P`N;9`syG5t92j-!vKe`tR<68sJA$5ZkB%ur^AbPJn)r4uiKIWs$t z?-N-X19A*kijj3$x-0;hNiKb!H3RN#gMLz{`y^im8@>baViX384>rQ{GunId+Q|q= z--^Mg@>{Z_XC_eMe+w$H;Ye?8Ajmo7ztx^!$O3t%7B;Nwu1dOq%=NJDw2rrSsGJN; zYN=-j`{evO8v`qisx1c2!!wn8WIS2N6}YcqdpcqJR!DyXc#~|T%@o6iL6L?hczbI! z>cltjQfFjeBgmWatxNRJ@tS4M#>QQW{&FjJ+bzxw{Kv7``?+=eo6!WDe@+Q0 znsYy_-zBzTDMM5L^Kd5?1GLG9M2H7Fg-VRd&x7(8HqkJMz4(w)M)Y9MbJ&1G)iG-# z2{bS6O}Ppm!u9}zXvXqiD*mzCW+C1ERrcF#!(tKixaaK>&FDk1Y2<@g7-{kdD}R`+Y2lUF__ScI!ZgpvYPO$1<=cDpgdcY z#rd3B2nJ>&`=&e^DOu=P9qyR_Re%F&Ig68`zhK^X5HQ-_my!ucD^~H9{zI#zw^euy zL<(Xn!hYb!f1wiw(Pqb!#C6iFkSAx1XTta-fQ6|%=LT48c{?uU1?ZnWJj+LV6vTJa$&Vq+9b*Y2)oMmIM+(+a2 z05HcnNEiTTqXkKYTKkKl{RwZ6OfsH{@ZV+nIl5KfwIxzQCzNt>o#z_$jI<5cHoCZ|XchxMGmIml^^Y`63o7pmwk;%w8Gg znWc>tf25c@;?z#kMr#RS+(ghlsG>0YRQ(~yml5z#GnWEF|1HW~2Adc0k#TTcAEGi$ z^THL=LkgJW&PJGEBo>RmwNIiJ^9&N_Z4vPeSA{b4N;n%;9_$HlXT;Q=!dYaDToUNG z1Bqq0TCtkh5b7GzQR;=oDg%E{5B0yV31~F1;2a%e+pClNSZseeYP#BYCV?!BpAB6@ z>=#J)Y-HUjemxs{)Qf(pZ#Q0Br}*<#LGbnz*-z=E z8(Mi`aKUJPKoafujTINGW+#JWQ#A^}*J0^-T(@I@)JF4{siH4r zSFr7Ra{3!35Jk`%^R}px&w+@!on`>GUU~6|tb}>TN<)4HqGfOja$Yos<@3i3GD)}X z2jwstU+3<&tD1dVUFxjTW}X~0b)k*!)bbXdU5^} z6;TZE7Etjg?Nl*nijC=LUIwfCk&UhEBgRycFF}=F*^lTVh1^VC@Q~+*Y$~Nfx2) zO7^n-LKJ4ARkg_07+TPW3png!MlQ zPQ|Gw1CeM6By*8YVYZ7-wd32GDKPcs|EyZr-a(U@zG4$9oT&H?<|iO} z4_j-A)#pD)Tj8}GWz5X@NsiY;-x}TuB_h4+Y?v6QzB`PWkRPpLrh$wRnzcwPaBgSu z8RoijAIc;3u4Kih-WW;H18F~aeFMJEG>W$nQ|F$m=W+@!sfkjifUU86=g$}oy(shF zK$9k;*M}u9ZCi}JoaU8?z!l)Nb-mh4A0;qK< zOWg>k`h;OyaVtZ`kq{*EOIgbf))HfqJ6{n48S1A9Z664jpcH8d1m^rJ_!5-p%>Fol zfu4nlu_jpe#6=ACz=rGSNm40RBzJ>B53|%HiHu_ytkQCc$uWenI2TFBv11q$FCIX4 zf4D0x-1a_U{GOr?Mc~WAN%n2uxS|E{0vSqPHae{(!%XX}&PxuRHr`Dq(clq6?J~hy zx-Z-j3&z84E&WIvW$P0Kog#b#wKiurz?^)=M7VfTi7CJI6_N4oYR=b?VuNoc z9E5lQ75K?m_7ZT|3I>Dx@Um=!t_O~b*bMAP#|;;$@(|=8bI*vxm2`?No1u1uAcMJu zw|k=HpHwn1TKtzq{*a{COD`gR9c6Ve+t`Kq&^pAaT}l0Qf=PE(q8V;PXX6=YOmb;cPuo}N zO})v(^g&Zes-_}XbqAoPLy*X|qAe4J68f?@ z0XcdU;mp73pKu2{51ew+D9<%^5>BE|&`I`O5}cqrqzFGiz?ZKP8X+l+R)b^^WOpi) zfvk+HoNoC?AV*6dVqiV;uZI`)<{1&ZyuX^B9&b+#!q>>zDrc4@^e<@se4_PI;3F_xgS z%|{GUmYTmoJHE5c$}8|%x`x^!BHig>mS6KGInl{`ct`q=5{F$+LzsS^am+EctE9t@ zHaxg+DyFUyWp0O&i6^orX|Zt%J@z{Pi;-#acSSFroHKom`>qDk+q)X*KGZU%?j+Yq z?rM-!+WOOMM%hy^FDMM~r$Qt$FhKg4=U>;?{4JM7*?Pp}zlxgQJkpt~JnK*N`3pI& zelpSC{y=3gMCM`Udg&1Uf!axX}F!15gm=Td!ijon(eZ>G37 zvDOZ^Hycnp)7C*Jc0#pXVRU$LU8>t0Ky>we)AA!;fmn0;lMEU9Hi*kqJ`H;jbu!On zk~fYGVPo$1rKi!}qAbght8<;G=)9#(ssL``#LBJg#3X2I`~SO`J2xc8{M#el`9FVa zcT(ul-j=*f>8JkxZ4^MjCr6>M;niSGAkth!YP%By*egI^yCMWycp`>|$rzgaqE1;$ zlm-k)X&nwCGADA6Q6%+0AZJ!*ln*Y)_y21U%-lzvh_l3f*d0K_6|kk(PdSfAe91@v!^`F1yk+90J>u=9WpXuTY(8B?A9O|6wlb;W7`J%O|kVpZMf@`^?fm_zqs zn9-N>U<&@6nTz{n#)#spxXz#v?FJZSd5&CL@OXofnY|Q^Q{x#yO z|CvYR1H6nE!<;cj%*Ig0h9i!^{=tgEWrkX5bq<7#X=9u6TK>i5r-ClNrzel8zYo?_q?d5dxe0Yj4!P8X94#rR(@6{P zX}#SMJ$s=OLATW8!wyT{HB3fMS>O`+h~~#o^wJ#F+>hASgpSH4n-;lW<78b;!dY-{s_2^=6KheN0b}!WCjls^yEQsaTLr-BQ<*E(#o$gwU zaA7axz6(KHAcL4|G;=2;i8&L@gfIb2K$MIUmg4RmUG0NN+080t8i9Lbm^kP^-xi>6 z|KI=p&ot$K-T*h*|9yjE&ho#XhqNsQ{6GHhTmGA<68`&*)c={$ls?{YEB~t7u7=H- zU`)(}EeeV0J`1Tdx{!`TKAnYO8`FQoEUXR)ib@-Q17S8PuJ_WIT9sBGmNf8FZ2s*G zY3?-g#;3LFz+k@XWQ5_Pw58|#7|(1C5o+tdp?{ONPH##YxO;rt;W|SEeCtx7$J`+J z(3#!-&*qZK*PdzWF^_^z|Mpv(8h)_*9QX?5U(eSf978pPF|POW1pnbVL}+~8nzUL~ z=EAVV{O$0?M;0<23U?1VG&^&VDY^JV_=O{j!c$6NztvgFM~}fz9es^W9e!qm=hdvm zX6LAjyDM)VT^yM<{`+IfZ*pBG{e1DztFY@CQ~tQq_SqM&M|YcnKM#RJ^vuS`agW|} zLj>=f-u0Huh46i!AFGe;wFF=P&7Hk0E_+#mZ)4Bn%dCA?bcCJDe#4fxrfbdb-xFa8 z{WtVnV6-ZGxw&tnRHkR_1GW#?k-tUR-M3$Ask&ulW(|W+Dto$mdquQz9JQVwhM zg|~~~R7T2UFYhf^j<55$YaiFB1F5LA%I`j30Q(%3KH;`U2 zmm6^C{no)w-#NRf*XeZ`Qy=}-_Sw9C>)q3zKE8kRi_`17&3ukjVK8tX3-^z~nW)pV z(y(LjMbqa|a9(t90u~tID0`pX2$uj((0re=L+MrDAA@gvo%hfo@SpV-AuR;<^$i<% z;N)+~X|NaV8Fu{ZEqzvs%2j<~Yu{C!#$Nt>L1?^oOV96*pWD`NL-$&ha?<*5?77&S ziJ-%qKJ0~Uu=91o;2=1WIoLF?U}s_T(AKwL^A4QShd;LNd{G$+!sL*F@a@a2w(WaI zp4|xly{q_rILFmLUD!2986piGUVP`Jk0##zdf#XmD<4l*KDknOE#%qLhd+h;LqoI% zQ_`D4LlB(KF`i&F9}h%t3hO#4LnQ(ZekokP zJ5B%V(LETFH$JU{aj-@>9|IQ<9CqO(;{73O;L3d^oC%3?O}ukP@Wm(>@cgbpA5`GA zAs6?-*W&15R}M`5^B1n`gd*q^^#-9InbGk4hUcj4S# zKM21ESNHY7pUimv_mc;I{(AkBnf^roSv0Gbf|jkd8bY~U;f@Imh8sCVIE_Mu_mh;n zH(WV>xM^)~9wVZdAl8WjLf8nxKW0q-s&V6nPheE0Gr^{X=R-{YkGVIGZ=%}&htFwq zAScaCGSg1lNjsqvnm|G`G;5nKfs`iDKnoOFXju!S5Nyl7FIu!hm0hb81gVHhwIT|L z3uuL^2q-RiMbs+_Dk=(k-9>(%p!a_7eZKd3UeEL2!;7@(tY^;o%sHR;XL)~qZ&O*{ z2d?V-9w+}lo%zIUK?T!v0)iiU_=OPs4F%JN2?+w?5lZUY6Shr@&YnNRkpsuTuK%3P zd;YaA?Vn%Z@T9(f&87IX4p}dp{I_1}F?CjB9S~sM=%OvyuoGK{P~b4s`lsQl&1j~hC2s1#Bd9Q6suhxZv|}fI{hBJE-)E1 zCMTH`7z|OwUVlz_H(2!J2ODrmJgs%QoF059Hb8C=+`tzpflKA&_`>kp?R9x8O5p5V z0_l@T?Qy%vp}>5k_j(}t*D+XpK;`jOv?H}Q&mDOKseK+VX~*-FL2xC%-f>DasQkJ3 z1o&oEUY~6y+(U=eUZ=bKllZZ|ihWq^&T&TiBxv2aPCpI@AkNw4^7`?evR=Gj>vQLL zp%2s^e_rJA1g+DZ<0`K~TBpbD4p#uB7+sBLDHo7B*X1Ou@%`dztuxo}#Nz@AQn~$A zzd=9b_{eWKM+&QadGN&mWZznEUXBk>#PcCHRPFXSLj{2xq;`68$)x~n@%epK?O2`T z&c&1CJ3M}OWCB(@{mw`rLG6Q{7!N9w+Us#u7~xrRJ&_?8x;r=2FK`Fo1aB;c)BHJV zAKdQ_p8+1n?{|fh6VwnjT%MeOoYVkWPH^8`%bLJRXl71%LxS4r^jc10&=ujjPRni3 z&i!yvmor-7n+x}H2pV{&}6T#Vh!|`*Y9f|k4u#C&^%8>PJl+|k(R(I04<%*#2?uUn=e9N`E#1z4$Olq zdEKEOV29R|>+*zuf-&-YEZfx}ZPGP(R9D5J9?+eUH;CHpb5*>bpmyhZD}0G+XPzfC z(>D*q#UGmnK`ts^4oE|qe}~HDts0?HyWD=Fdgynfqc2w zpv^8{#Q?1G=7!UW%I$`MTgp(&Xdq z#=FAlD0x;dwO99DVU$A81?#RuarO&)&phV&rkrSIbx)4Du4p0FuV3%l~de~;ff z+5_*Gf+(k|u!q{?b5~qWgpqSve!;7i9jNPMxFtT?m$rf6DIfrDPsKY_m6z9DSq$o% z^Z0;bU@r3kPo~Q0r3Sn}x&*Bt*KvtxkoU=U5GCX?JgdP1aI0v&@D|HkaW#mr%Ht#l z1F7%~PG86ZuejRd^pp8GN4x`ht41cOU0zq!8hBaC3ll(?eUXg#llv_D@f_t4Vz;RA z=|DR?vD;$D{iU7ARX&%fbK#}DB`%h($ZEKQ+wiR#kA-^lDo#Mz(QeE};#)(Wq_oBurt zUL)kKsAiy-JUp+(iZoy4b<6vU$D#5M;U@k|tFS{XRy%WD-DBd<@2TNoP;zZ{psa#d z2S#xY2%@{{^ANBbyYecmaAF>P3ojO*hpDNw2F|N`PQ&(33g4xIvGO{B5Dw)T zcm@(HR8CJ-P7k%$?YA6j#d zeCBD6!G%?Mo^B5~;$fWfEi;!1P82l66&Ko(riilb`eF71V% zbcNu_{M{GglIt&T=>e0tzk41G;Lj?TD>?-VRRJ51;awJPqQJXscu@zB1GA&kXMief z@r^E5#rj0!!y3E>rY?y5El&mk$;}O^eKpX0PgM~Q^O-05B_u14hk>sesD;0Mk<}R9 zX2bVt=<(OpxlVUvav}`1~ zc(2rGL1cYZ<5ZFO%;eeA?StR$oITw)dPwcd@kgKse13zV!-xD97?7OEUQ*Rhr*`=~ z6?cRD`>T#YFL=wF2*_H+y&R09yK87XSNAjRZ8Sv}>BTOB(WndG48^JynAVgfzRpQ|H2I`st*zpFo z0{y({225T4^S{AVtjha$lsfW(+wh3&`v7*SG|;98hqU8r4}iY0U8?|B0NR^z9#2V& z!w!I`xZuj2e?e5wjCURxxhoFg>OVLHSega({|mrbudD~$apmJTcdgd-3M~H}P+8A7 zK#yZ$(9DZ((~5w?I6$W&)yopxXO+tioics>quU)$oG_Za~DKVfMc z^Sm2J_+{GwmL3AweQH~7ybo`Hc)&KBZUEW&U%azt)Wh+o{Q84u=6!y{3UC1$3E*Yf zk6)iX8h`E;zy9OW4Kx}b^Y};)1lt1dnGx>*bsQ$%uqa3Xko0lDVu44C1NIb0%?&)d z;$MI?j_Tu}d`KL<-)QIEfZ^lFJaSKV{26)cuq`=poPC#-JU#muAkrIv`35GvKM=Qi z#Jj2(zD@ygmV@|%&>K0I-#>8E=dXYG+@dRBUWjUQzJuYsVUPF+SQ#vq92nK77Jd8C;brg| z9VNfchQWRN=~;kEfB*T1ul}|-Zgcqk+HXI7+Y9VaIJhA*ZVMn_$(S8|FL*QqU}+D= zRJaBJYn%F!5$A&^)UIjo1zYiUJQ1zNy*xL12gc{_8>SEI*Q+%DgH#h@)BeO?uP!ir z;j#XDg<5ZW{RaN}e?1lbS6DVs@C*~wH!xWyLJUTUjJgoRv=#pshnDewFbDpaD14Ck zZzwWN9iP-#u=h8-=C3I*Ap`ZS>_8or*He(taUH&)>u9HDr{>Du z4$`AOB|(o8J78bp^^O#zPZ)xFUhn9*zEhJ1O;fTv5W2pz<5!(NArTRItUfUV4%DR~ z3fF;a?9}K{T0&1uAJHH^oDCO&%T>ZR3OhSGG^is3(d!*MHE>Im3EP<~P>Y^sAU)0~ z{B^J9if(60LNbB_U_VYI`6oM28Y1x%ph+F5FPxGC9}#sxQ#x)md;~!|J2W@`?top1 z*OB$378p3yUnT}sL+#>{KZouuVt9;LS2b&_Pu`}<`2Wy@|8?Y^z{2cdfbHXOdaQ~d zijki7R3ROsMhWog2_Fr7SomQ0XklPge+|_?#|{Selb*u<9{(}0`o9iJQ~y&A;sg7? zx58mp6R!;VYh+an;(*@E?Jg-XgIS&9Dl0h-p^}n1ePUusiQAnpD7MV+qHtSpz4oS)*4ab##=Jl)#TQYuegMN}$g>%x1k> z2OHr=9Ub^4t=YV04PK$*INUq4t|U!0s?4Q&*PM5e*)Y zRsz>r1G`Mw5Z$t9QCnMO<(f5hm`_==rlg~-4V%=^0DKQNrc_ogT2xnpt*C^XuQHoS zIi8E^@DQ><+Yvv|r|RgS$*7K4^>Brf61+bHTBO&EgZ8Xc!(-t>u)y`psH{Y2%^GOy zW2!Z4Mn_jzU z5&Zo&j^aDjm6av(K+w~u7pG%CD#4j>#je7V_+!VL5pNrejP;AV{!Iu;dAN4!{6D4e z360?;wRQhmjrE~B<5Kv)2loGFxc{pZjt~Y86Eru3u&=5|TnH25LI?s^_|JLa--PW~ zBK(8=hp_$gp#K!M|GgC+=~}{}zho`3a^U766`SkROA`iehCTJ^Xydsa2>xfaWo5O& z8fiIxu#`tQ{mSJB2(kC0vSsTV}9`Y6(V=L8zo$ZN+QgbPs_~JbqOP_>;Veu)2 zEv3bqr)@?VsCUI*4a=gXjc_}ZS-QDo^EvA#xch~8+csV}*s$&Htj%|4WtAqN(#U2N z%EZ0SSwR76NJm-QvKqE!;eoK)7sFYWmMpjhhUP>2H}7wNGvGRURc|=)t%DYd>bGTW zng$O@>JPycp>bKyH1G&ig&}-t!i(VuUkc5tKX=fg#~eI1bP$dA-4Gth3E9W3rRVO+ z(yNl;`nXVK+hobkfnL3F>OtrPWL>rWKZL1bL4EX3Vfw76;dD>y`g>qXYmE!j{~oxw zF#YeXQ2hG8*f1ZtRV#dbGVxzl!grc_j2#SPH+n`i^Iv`^U@wmaT*zxkvV@xv@tU_ z9~K%@H_p7yjE7P}+8cE0K`0@!Oj{oV18A<08RzPd5sLZ-AYq^Q2rUFs zaLYlsM15Hj<^)BYhBf$@XybS}Oows2^cG3RPucnhRw4q(mG<(M=cgfy1_~>S9?~y3 zOBI_h#qi6aWoqaJ+S@DR^(2+6!o9^dd@=6R4u#65NRki+j&?DGUTdhA-_%ZpWEtl2 zzi9Yv5|&)66B(|^fqA^c#)JnTF(dje9n1AmmZEZ~g%F!p)FF7qQQqZ3hJImeUTi*H zD@de9xe4VP5&lFKn@+dVY}aB$lYz07igk05WaM_XE>i=tQZ_@@X-LpQ6PJ+L@PwUM z-I6CamIKJV7sbBCnMJRMl=cC^acXczwq*G3Nl-;={W&xSj|T|b;sA&VubHUjY4vZ%v_YWWx(y{HPp_XPyFNo>a=X@!pv%)8{xr_GBFV?A$>_$ ztz-_y2h%cVM`z8hkCHTe50i?r2?L?QWRCY?W+Qfy4Rv*35byd9sJn1Ky^N!+?^Q)S*ews(Grop_?)1lcL+Mi z071`;gU@*H-)K2(gAY?K=;_n&dqVtap2Gtz!?<&Jvh7)cZ{j649u2XB%!9tf1hKTT zAMJ}KcFu0NgG^en73a0AVq`qq#UX=TExF6SvitxK(5v`;oWC6y!pTpnDKYkSwem;; zooGCuW^ToIlm1-|T#A&>r9kx*vOQ3Q$SuwNp#pix<_lvQ;OwyoE`qYZb{cjjl2t&A zKc)4|`I!*9EB^*JDl00gCglnjuc`t4`Qddr)%RXcG5_!$aW&S6_aA5{sUT$1{UGu? zxn!}Ot(HcmbFIuMtHf+om0|UTReKJHHs zL1bN#)lj4+-;$dk>fl^yc{cv<)$@?Vd;1 z;~k+vnI?1LC z#EuZJrAN`2In_9&G(l`7moL8|8b}n1Kl;D+ox-KbT&2s3=;&Y)^MiT4z5;ljU!(nD zW@d_TXF9cwlA;(OEa1A6?agn4}VZcpT&2P{lVFI z4Dikv@g73Z66(QvskF+Eq*(MDGcZ`ZTKc2oP#B7(cLBj!LHTf`q(EITh(OgK0Zqo`kXn7F)NOVJwd^+GYb% zga?{~qHf)8;b)RBuuNf~71KAOiFA|LS15qcQ5W2N7xf9rXAMF!83yEW%tK8VaR}z$ zJSCTqL(nAd2jV0v9X;9yl6{Px)FH)qEsZ{AdED@-+F`-7NhC4{F~MuO!qkxr?Twx{ z9;2*BoBwtqdmpV$RgP)cpD3n{3_Hska&EpNw_AzKa$FDENCemB7Z29aFwJ8e+WzfgK$2X1&DwV zj{xh1PyAVwa6e|QC}0=xBooTADZ1LxNMnDMHt#Zht_HU7NJ`m>vdN^tyh}&&Oi$=) zuZ!u%5kOsTJV7}fGcEq9+L(yXG(BVyY(T^Wru%#=V&*S}S8bT;do*#n(1rYLbfeSW z{2Eex>DbY?>6~DsgBT-o55tlXjJD}|jRxal3lxHqZ&O%I>)R}(geXk)f|nRQ4$sz`TSy^;waQZn{qRia^-UK`Qw5!E8Yel9ak|~Z#B6yI z^D1Yi4S09$b8MKlTtL$yJ1w@ukf}OLt8|ZBvERrY7^l6solN7V<3;uEc#@+Y!UzwIYxO z3EMfnVY!wYVlI;KL-NOvFDLFM8`e>IrD(*}O;h$Y3ZvqLpK^Kga@-p;CJpG$j%NM~ zJtvU+2#@bJJe6d)pp()+w8eE(tv`gJHYj6kf1Vu(^_;|H|9CN_VJt9omEA50;)BKY z$V*8lxkj^!27~s9v$|twiR7Vosg%zg*^Ys+;kbq2{J&yOUT!Ps>ar!me6lEs8u{~* zlpbD|KwPrB>s!*m@nR$4#aW@g_+BzmnH5*y!i|W!ygpM)Dz2p~sO;K^gk=9wA-PuX z?<1!27qsFo;Q4cG=l?;K7Z6_U-AP$7pG;`oK?_9_DX8rYi-ly6AC4MOY{EX-qApED zeBZ2~Ls^Az2028;@IXvbtr--5!X^8Aa=gC>$G6%A?s$zbr1~-84t$J1&XiU_?ciNl z6dv%ULcw_z?rUDm;+YI5tmE|JTFi@g((%Tm6wE-Tu3cWVeNoq0%L1H2`b#g6zqwEX zWbu8GtMtTb6-W3kOGYvfy|c8xGn!#jMGRHIckv9S_pa@WZy|U zkJukfxyX_#(<7AksX=c~4z5M}jakWPsv+0f*2r*6fa_A(mjEdg()T89?}oncZF@3= z?4Gao_X}sBwpza1TpPe{F*WQ)=IN}<1+gAJC*oMCLdX>|ghG)-G(Z@O-yZp;FE6XI3ePeI)KWiLjdf7)F9!*eza%p@3I2V1NBzodur%xYI4+k z_dh<9=sm^qtjVpEChxT-$ z>3dqpQOJ*k)(!{XB3-O~0hSZ9MHfU?x6XD+kb+U;v&pU$wC5l|P-7b_q|lp0edu0t zMCeW2^Z_A-$yG)e7W4D*X7KB}D1S=8)xmJ}B^ zC*pE)B$y^Nk~5@Hm`G2@-e*pMqDNa7yv&%PqAjd%V~eurXfjU^EyrNBNlDLl>&YKNm_+HW)V7<81c1dYIcT zcitH_8sAj6nDsZ}f~_@lN!IzdsdVb^-~>KPVevI`1&v|gOI6H75CT=m^)^&DMD&mL zr*M<9fs*|y<$=x(?QfcMp%xev^Ga=-0%X4D{cPsHz1KE1nmfg>MshX&y}x$KzW=H_K2MP@05)+SkpP@_pFICt;h*h(cTO zXl#@!=u}}ezPT9Cr4m!ZBsS7iX$bzCp-^%T zbQ3y;9KjL10z&U`N_0A~Vvv4pI)k&KPt^EP(|)`hVhqSB`W}8ba#Uo@t|O%BJ3JSD zNy~&ZJj*c92t{iR3sa!%^}Xq&z?xuaZuxLV%QwzD_9%FhTzCGo%hMA(Z1`e;ZIwh9 zS3;(cqa05@$L=^*bj)U_&`5zmoVI-Of^ty>ykH(o%IIXTN$g|#)<7enhqz?oS1C^! z=QH+wCVQujO=M&5OPLE&B@@f`71B0+!Q|r%(_tvAi{w$1XQw9#1I2nOaU-DWgn5WO zGYbKnV2+d*Blg*(<|;vI{itD3FtM!~m)nXffrZfJOo+hbrR;v$P(_Q~NU9ay4h5U) zrDSoOJi_uCSz~z|Cy{o@+9&A-ZIV=4JDKDMU-CW5iA_?0v)9CNfXi_ubE$Y`rlr23 z3d_H^HlwBnsGozDSj>2W)U8q^-;S&%ziVt(bd8Hgwk68CEVd#|0aN2F_Jkg=cFYVv zqJy^w8S?_59-Q+#oexUz9D$*Ypmvm+e^oOt0(9*UpIG}+(hstW$wIW(NU1!Ty-jUy zWf*Qx@O&l1L9Ja5k-d`Kb~(6}@!_$~7r7J+ykH?%0GI%(W_$QgU9cafc(6)&!ye`@ zes9X)@kr~t>Ew#<6(f~RFB^l!Fnc)$cpqW(@&HT3a5PEUL@Opd$pSnB3=$*nHN4Jl zHQHV)-lV}tky|-pvfNtr4(i+o=pb9rK~8L$B4mdcB7Na~mpVEf$(OeHTi;FtgbJXB0wA>kcL+ryG z!Rsx{Ks&CH?WmFCnf2g}XK&YcogpKD)@g1}JrplQ$h4X^Ree}NbqBtnf1pyks}DEc zcP$Z5MvY<$&29QS)`abf!J$)iA=encVLfGDi#{h?$$9cR&ZIM9k9JNgF6n36pq*7e zEgL6AAVq15ZH4&*Ju|G)hl*z)>OqH#hK0(21!AxDQg4!ewNVztblW^G!?NFgT2Hg_ zQ&lgJp3Av2Djty~MWNp!fkoLrR6R0zETU?p-h4+vSzE_onHH%-Y8 zH64en*1*;Tk`L3_R>%`(oM;R?K>>>ovlG{==SHVRW+Gf_+sCY>)1gQydA&Fy0NB}r^IwSSOwYSi&FzBGiVLV#o_ z15)A|vhzh`eM?)u68+Fykl3Lb`)sYancjhW8CO!kr^4M>7U!1_K;~~VP2U@UPTq0y z{0k1Ft!?*{oRf4K(|NH7J7qV{?j8)%EWOPIOk?%sk0S__1iRxPs0r;IEUo7U0~@N8 zBImbON?!>B<$&PF%t{9i*P`~5UEhMvD3s!tiG(Ks4Y_HqfNnEhrR>ghxfz%h;LV$6 z`<>yUvth=lWEu1EPq^x*~okSLO-ET>HSbrUzs|0=XRY_Tw?;H*I&k5<2bYtUU#Z^5Y?UnzIYUCaWrVE}kOyP_>pq3(QHmvwVtfK>PFEOv&gcfX{DLGUAv| zR)Hc1rRTSjq?s$A9ExzW`NdQ?nf+t1Ya15a)NYv_{Fv&z0hb4{weqb{hgHz=m`L{xPv@GKbEt$4Qxpzp=^-F^5F4TU^bTU=B zv!LibU?7xlLT~#vXbpc)GM~^yuZX(ZSA-05pFP9?^?}R)AC)1Ga{Dg-Y*~oEA&cl2 ze1e*_3XH4iaoWp%G>O@QMzUv13|F<1)RlmC+uOAyARaoub@y*lGViyUUQA*p05&@; zWm{MBoSEqetixbU{k!17ADM15Q=jS%WPZcLv>Jb8+4r>OqdM9S5OXKPGUHiS8N+w} z#ISTa-VRvHNqWE#X1O*MKU`<5-J=H^f(PI@mS3cVu^>X=>{6f&A1A z^Jg3YdGo7jT}eb~>kW24jxAq+u%FHmtil4=$Hp|F=Z$;SU|4qwgKDR?Zza8iukcQi zD)eoRVVl4U?>a8=F*IDDk6TrnU^qr^oc<$KelEDJ$O*r=oP*>xk7+h`1mKpBUo?K$lIA~-=v-aXgH zqx0utvqBdez;$5gl>{2jLTpY^TOK*Slw3lm^RJ4mSu4FqUzE6({SrsQu&PGa!>cII zAdf-!IC7as*G{F3L$g&)wh6@QS%O8pG2z1){Jho9Q^(P`aYJw6gZ)GefTYM89>smk^^zbZfvE1`HUEfX@NfbbajR-zIuBuV0@ zVkH&n#q)XiXPRPOO}TNFuiAMGK&knl<#EB#I@fejLx)Anpb#xE|B}~;2!`)kL^2GY zP^cL)C=L{hcOabUJ;|BG0WeHimXfm7%_jVTX_Q_$(jV85)yn83n3z-P2jmz#oud(N z=nt@R7s|!BRCvxZT%`!gD+#;5vgPtijHQU}tp!37%U7hgXtdp4t+FOriB0&hsYw_P zDU92iCsH=tj4rp5Y|~oVSCG))&yOIXZe|n0A71{O>y2RTyOt+*_rfQ!#^L2Q<0711 zu;XE|LQfhRKCh!!Yu@dld@_bu|;-ov}NQG%Z|Go$vL*fUSO z#5%RnZLZJ7J)Ne9lPDm|B|CR*wFB!XU7bVgt>Ms9-KcL}59GV_}XQ-+S+mW5F zF>m4W&v5jR*o(Fa3bO)K0`|-p(9qT^7xQtgO%klMvP&Sd$kV9Ne^>r;8Q-8 z5io%7BX(WMMsysI4cZ)mUgUgvXs*FbX$9Vg`zzBZHA3xHVhwhmH{#t&8Dd(d!23HY zk^{Uc>TsgKltKN6yfD#FnVn;TDi3&j^?Ads8tW+?SfECN3F$Iw=m%PeB9UbBm072+ zokU**Ghk$-9$Yj)YO#_UUeip>KmiA?UM)|-Z_&B7y?B*0!ZeWWe#(%ZgngnFeC!2S z9!Uq2&x{i@^23NcsZ!>bJ=uIDd`T62fTXv6-U)Scf}d2LBK;cfDt(gU@t5#kI*NqS zi%;yiEKP%!v>`l_meO>gEg&M`iw5`DRxqoG+k|A>6bwJ5y);F7f-ZA>)ir~O+0J!e zgb4T~8sMK9iznj(@fiC%OFtxOXO9W}44kHYJeV}kz}jbiotpkZ#Y}LVEW!}aN=IJ8G9BEvSF5eiK0g^>b8yW;7w39dS1 z8)157VC?p2m0GbR)cnAonqVK#SQL;5iv#AQ)viJ|w$l6!M~Y3cOgeyL9Wy{{8p`ST zBU2xud*HkA{m1WzQgPp6?B?XSSd#+ z8M#R0TOZ^``#+U}I7$kYKUl6R-=3-HN=rEGS z>W9Rk_-te!BDeW9-pNjt@B;T>z7v5|k>&U_t~WlGg7v1a(wd*iABdRmn1jV&!yAA{ zbGInnNPdkis9m?QDPo;!S>iHRTg;(sfw$J@+20t(!Xh@`zOowCv&ZY6xs{mlerD;# zd#Rh@n;5jodPa<{MjUkWffZ!D_9g%T zZ@y0N0l?S&i<1ls)S~EXxFWREki?RkU>$2p0l#UD@ehsREo%FwB_{BsZ*u}*=#(Y{ z=)Ok){W4FU8gXE6`(k;!{1NuiCmIC9p>+02vSF-|_zb@$F~cXOA%n+5EQ$}wUy_Vs z0ky9t{loV$#Jlc2;S+o)x;S`6FgUb8={N;hfNs6>H2VNmjwTs4WZRTL2AWe!P5CQ1 zSebG9g1?91Iwzy4@5R<$8 zd$EzT17)2sMv$QBl#mMiGLnf@u-kOX%X+BH>1X9{e81{tTiMCl(+W_rB}1@4m1v|F zRm$9kDEu-WN%4R+Dk*1RphnDf4Av4Yt_s2FLbDVIbzD-y}Pz zmK8x{m|jx$0hvkp_6M11lv_8E>kTf^X<&H~e!{^icOyw8&Wgnt%`#R@uic0lUlc*v zz>fY+RnbjKV^Zhmfm@P*+pob1<-mvXP;;{{n8Z3az4<(y4gNB>d1*2=3A$4enEe;S zXFTuhqqHWlJv2?Pkbz*YiG5j=d&eJ1_+^_xbqQOSIOwCM`9fJTnD}$v+=YXs3pgH1 z+_C`XYK3HG1ZU14f%tC)E(1zGQ?E!H!4WVE9M$!3^#*WS!{5vVc_dz{yg{fP+*X=M zx0@*}9t%=s|1y)K(ShD->zYj(QrL_ zw#=^u{seqf&cl;Qj&lDH_Q=Q;e-uM*i>5}57;Z-MC3r|6Xq*(#9>=ocD6_h-b%m~ zWk*b9W3K&j{3nMsJQA^!Ox)*$>3kvb9^&uJVk`5N3+juDB+ht5E%Dti!`e+wuQYC7FgiLcLZu&Ui(*bQ{C0+x4cd`4;f$ zN^f3|Jz(9&T!g8j`J~}ip5#^h)N{h;)FQi@UlNYlrgg6~oyoRCeS|dM3XI<(5n=)@ zo6Im!GnioL5$m#4(uWo}(s30%4HHadmh>IyWMC^E&Ud7~InK4eNAPQ0b@pxBQs8hM zAm}=Gb0$!iP2D3xBZ?-GEP6WhZu?YfL;lYGO}|xJ4C`pi3I6F`;lVw?HC60H?2nXH zshh5nek~_WC0dfaU@KmN+wkquf^a4(o{r3OlY)OE4YapdXev(%$iT#j?+oN%cC;zD z&f?&TnVLD1(2_Z?bD3nygtcHomV6WYBbmgm;LYOA@?#-0f3;!LvOq)?Sb@ZH`F-Xj z(F*sH>D=oiy>1Sc{wCI}LG%pfgCMJ&Wq3HALY)CCrou z5m!_^r3bDi1z{DIgRVY!-zU5~(>`1qJ0@|lS0qk;)p#Z;AFycJl9%bwIiJ!YAooE| z=XzNaJ9A+Fx_==m;kgWEC_d8ujq%u=56j3p2nDungkwfe%w%1MYK4Ga1IHMybDZ8XCWSVD*b@tZJa8CrmPri0az`)N+whQ zH)BRsalZsWGJm18l8!*SnHg-;sY|@Qr{=)#rcoMTCh@_fQPA$^Jl1FM(QX3LaLPSv1J6RZTl@`bPZ1+X5nG7-#j&`^fh0FiWGarXC@<` zQEOlqq?|c#&DY66sQaU_3}vG!QnKJR9Z~c7nN+^K5jdmFk4j*)JsR|aS$e2=i+P?v zs>FyfJp~_J^;XZwm^fswirz%$8|o;tfz4AZvpqN_7n1;{e07#VJ^^c)9>_c7U8xwXvO_mcyh?Z_`{)n|`eccJv>l_T>p;cdHDw|xO`d(Sk zFL)arDJGjegBNUz6!&bt%Ck~&up(XvB0Vw?2~m3ic=E~pn|c?ebIIo)R(|Vcu^R7S z*Bu8%x7^&HlHaUD zQP+r`mZM+|I(5l(uLf6wpJo7;&J=<=2jDJ$Fe*FT+DOI-EFBAaS~civP_BX*7ueQ^ znd(?r`BYHf^m|jW?dHXCOW^i8>o20uzimBMtYQX1{|>L5sH)v3jmUy#z$AV~sS`&{r2F>d3QBw|&1A=?qu=1W(z zkI|6Y9^%MWuu0^t0^Vdq;h&mNPGPdkM;@yvKBjSg45J$S2#-Qjc;&O_{d zImdX9*+nwHxJQVDF;pwkHr zP$lOmE*_5XeAg>I{mA79_(+#_A7L-3!6lGMCKJ)J&IQfPpeLxWsYBV$5t%E(YT8B} z!WJ~q_^DM$js7CPB=Vu_5Tg+Moi{P;4(?PRoFYs&bZhy;NeGp_Xg-}%Tfsg7j{dl% zMFAUc`#4~pnD7-)S#C*UwH^&hcp?YzL}2$vykMY(`vv(d?&=v?3C`R>5u3boC8+4LqM&DQ+|a&gxi%~ zYWer87mnXzPGCrjH8&Z`*s)BuiQ{&E0&}Fl{VM4b8C<-3lJSkqYY#H{fteTzWc9#I zU;bPL&^givmHm9XnlI2)e9#~7BEtZMk^Kusk{!WAv{~K)F(h}BKLQ638BB7Z9%*Sm zgHMmn+b5`FXPtK%A&6PWHf4fT-)UV(0hHZse=dm*Hv{LxZIX$ZB=jn)5cC(dFw0C~ z7JwITt~?05c;}LoPmJv96!wRD?ioD9H7|j1&2MwPZAUrQ))(fyM>td9VMN9W?eVD) z-$cRu&P)W5GD*;bKX4ila^ne>5A*L=L;tO|PhW}`l5Fk}DQebmJeSKhjWn&&lffK= zOO|X4jTd$8--v8zy>N_#VKMQ;%$g6Tt9_!5MEI-zNN61H88Y7g9I441ExjFZmwIfY6L+xeJ+hr~@;g=#mdgxv}`B;0(GA4ESZAxxVWu z-X=~5=j6;r2y8r=?;~OrF-2A9Ybk41B@3}=GM3{;bmAtHAhUsm(8Mjm1j0CH0EIk( zw~(8XKMILYanqhB57~uOZxwd$z>_7OBzp_eyB4d5P$d1%1<8Ng-neiK&U(I848(={T4Q zYd~ls9OI}yuq-|p%vk#gH7Tt(Zrir#WU9kDcgOWqd8^A2op9 z4B>don~PwTsWQ}PyQiWG_6n<9>q#2<3NvafKUscxx$iM_JQ-&0iaw~k8IfIehY%T( ze+bd9(38fsW_FsvRAkyMvE72wi)pUrZ#EroH23fuHo&7FuaMpWPgMRb$O7eZPu&Gf z+3mfs4%DCzoBkjz%%hf8c-y06F>h(7*$27;FB$}qIa<3oluizT9XWWQjVuF|S=i!t za-}3$=ue8`thAH)>$IpRS#F!k+{;0gV@ni@rDOGhdtw8-&Irk|TfSBY z=6vB`u@Ol-r3{d#(|93G7N`Xmn7ut5u~skTht#7(5uvbFXV>SNEV zO*M^xR_9JbWT-HWhQc){T4wnVyepWRZ# zkL7Vxut44lbk6w<{3)Fc#sX<|ekx*vEbx~KzvIW`;gKfP)D*juY%gm*Rnz`>lgq;3 zAR&=#xA$YlkDnv?_|=0zpSTH;l3=>yonSY50Jli!nebyN;O}|FBjKF5!phea&_Zd504p?s@)@ ztk{nI(Au?5Ozm10bKtbY6GahgB-h1$wK*hBatY$8?P9bJ@^eb)&5XD8Q{f3llwu^^ zH#bq9JAow*tS`?-mNC^MO&Pspbae!npkcN0eK1-QbNyJ!nP6O zDt5M1{Jc5$Jos_osJqO+sogMWx(x>K)=YHsqDg0jtgn zQgY?0P0vdip|Li>XF{cB>S#4NorsUoNqC@2@bqosNpibuTFUg zRWf9t@DiQuT8BWpvO}PH@g4*mjm0J)+&=!9p)P6P5hZ~oM%RP^A>qw&p=Si>N`dWy zqUT*mNRRdubw-=cIJy_8E8kH%jY#2CB<#2M){vX*-{{TGB<>(H+gLpZzoiU7bao@G zfM#x4_(6@BDf1J*wW5)(e^gq=nD5f_U$IJ;p53Z5OfX*@Um|MBt+pDpK#R^)qL2!K*F^Gk9sW_*zW8qPFXjTT%%a*Qcpnj|HbHb$T?E1f$^zY~r( z^Z~!yA%rV@qf~6xXrX^RUy2!Sem#X5F6b>+>@g#g!|uv$zDe1uJCF@h!OU?K5Kr|G zIZ!*nlF+h))~f2U^`pwB9@aNZOuK2YAXkbKy%vu;5}4pKqP_WM`XruQwwK&b-)3g8 z(zx(%BtL+l&&eww}sM6yiH9d=mSgZWf{dBs0fq{H%87X{cD&{$kdTMtRN07>( zGM?D_%t-b^ig|*o-43y^bSLE0Fdv6SWIGGa!+bBv&qZb}Wkb3;39+wwa6UUh4`uxz zM$EvR5)WWOTrQpy-J&TTM0;1U2N@n1E={GJ9Fl&=260?@2tl0ok1l(HuoAym3q>=v z@z@fGw#_gMWFTg!N;Dt%F;p#Enr|l6O5S+9KeUZBDw@iU2ax%8*7Pwe0tX>)P7!y* zsveJ$-X#gHi=z!QM#{_feC`TipBKsDmSv&m=vwZQ)X#1k;q6adOtEktdxc`x|6%Xl zB$Aax6C_GBXwV=BgMtF0MvaP!ii&5dsHj-6qGHv0 zLd8m3t%rJQYb~|dS`QUlwc6ThTia^uU9q(%dw8yB@80+Od!G06{{4PF&mSn+gzWCj z?94US^*wY4ex_2IjYg*jBb(+7jow3pAYH6`mPXO$s~#V&!Gmu7Og8hm!sx65N|u93 zk@Xj(^39MdO-mAM#u!eJay^4e|%ZLz+K zm}it)stG;Cy@{g9NGJ;r%Wn+1#e-D=N|Q{^K@|D`XG;^=GmtLo!m@lSOf~1QEp5AY zb{I_jMNA{-Hs!1cWMS^5&!PM1uB-gJ4MiYZAipZoag%R|+AT^Uf&N&}E9vPltO~gB zGdU1Gcp*WsPM@iyb6~`#!+~^obESE+HX~G;ASJ42am;8!`UUptJyC)`QS&Q9zfO5( zUM}N(+-drls~_&G?W8na2>}T39vmK^3l>U$a0TcHX@n}a#4M0nPs={6{Z`FJ7kvyR zXJ!&Ds3m;+AE=1!{E3bgcb9BR7Xfmju(h(1hgy)9iXw#Qn8)lNE`VEA! z=26C^#ts)3ebfH&4_S8lanM% zG#LpfLJu1TJ|ErKv-nN^4v5UH2|ln3rQ^lo#j33+8q9Ihz`MY$1NOwzjvmz9$rLVh zz*c2HHQG^x)FTb{r>NYiRO@|XeO+&*54olgIP;HLPO9dzV8XEQ>)!9w60@a3 z3?*-?w;u)k@=VPo6?SFhIr-|A<$DWpXZ$84LeJx84v$#@ImKtd`Q|c7rQ#<1p(ZaM z4n_-_(oH8AO?D{Yz{d-5_;n%N;SUDaFEYh@gq{F*P(^@95hw^Ck)8tOfXQ+}2V}r$ z@Ngf48s2bY0vAPG)O+&wOwz>Z>D{npa0~aveL@(XD}?(6uBRWaRC|#DKy1$-S_jqz zxXN(|kZGPVkh=lH*%(S~I;STGE}?Ccx!HNR*(k6WK+tAkrK|_^nKRbUNV*WC0yH4b;3sX zF^zJS4$ZV zYk`K408ZAE;5 zaRnpM0ehJ_+z>frnJu#7)tNbzm*=|Zb3#Q4?dQDQY{|`C zQPNnt0s~_K>WPNnR|o^SD-#}?wj8R~x&8?x-JZ0ZJ?%)Rgbz^(?hAzsNdAHHJXwh~ z+)8ecJn>k|!9c{ zkXdzSNxkq+6BUhe-LJ5F*aA~tD((hvjFc-Vy58O`IOm9W20qO(nc%tE9$|Sv z>nt*m)ERmxTwXFoALD+PhVYDfML3M*0niA$V1I3{Spgse=`0uFJBWssjfMw=43t0a zlVzmn7E|mrluB|fEW{7B)`1v1aGiY#rAZ2*Z&=54)a8XVEX z`vE@{f~*novMop|-!d2Hk~C|_Ag1-2wj>mHg@@|mMve}1uB3E_!X4`tktYWBSw3rT;cmM=7=OQ&JkjFtWijL*Rb3f8N6w>*K0E6g(xvHrNMWt2R`w~3C zY6i<1v`yTpZj0fdM9rMa1VY$GY(qi?$?GfUth!F3aQ`8qQtr0>tH`f^dcMJ;=89LULme3P#v zqqYMJj_54iyi~tRS(C1NPWgmv2~^-QEOY)I-TtC|rZtv?g}txSkh zvCqCD3d`bM>!F3XL?J&Ie#9Vg+G6G2Ay6!TR%!hs63-AWn_q>+Hy3(MGbR*rD1{HZ z;=wQ1iu6^nV8i%(!22;iZ+SCvsPcqpbAfZ?KXjEj3Vl=zV z7ZBI{pkf_Sz2(<}{@(E3%Y`?3bI z%q_8JGMWC$6Dz?{1r~}wh5;&-#1OzLbJJ<9a}`yNYD$GvT5e6W7MGy;3c1~WP2uUS z+Xb<;F8WFJ_X z%Tu){q%ymea>r%x6n~A|;2WCnBP1Qgap(Ebyby3fGFwjrTh-m$3bdeObfRzosFN=M z?MVx(Muhwt*d!HTA%Q!If3)JD{9h^e4=#_;S1@wpG9{X_YUhVCYm(p`sPvS@HWYCUf@hUP~2h z%Y|f=z}3*-vg0y$Q_SEHW^YKwxJazAo(B#ho=39fekk)B%9T&d88qT{WUi%va0;p~ zo`&O`3w?p&ITp$TWHDDp!g6+?uc=#gI}1NixNlU?5#lmNQ@IjVtp?=Xl;yDIqq)r1 zkgRB`ZcV0zs?rF{P?q8C>5#E=Yzs!ZYWtRV_$;y##o0!}5U^eXrWdN_&eE*#Hm_!Y zF15)1vl1opFG9U6r>c5y)_ThFi#}nhcLDNRzSI0^!aEhYl&RxH@h5v`v^Fe6UmUHS z7N)*eqUjmp|6NlQM!uk~87}LM-)NI*O^J%8?|n@(wT(25pM{+0EjosNN~a4YBOoI+ z5>{E?6WNSFcIxpY=VzkyG9OC33h;T9E;D;M-GW%y{4wTK_~cU%4sMnvz}#33Oq*f! zkMsZ&G)9+w~ndlw*#hkV7P}jS7lzRnw z$unzg_YU4)fw8|pwo*7-oxy9H67X101s&@ckm~-*>@02sVkMcXewo)aXe!@zUZli4 zm}-A?z~>J%t+MsuhjS4&7pF!8$eR>7Fkah*^PH)UV%47g0Senh^(lZ7s}ltKv_7O8 z18mV}(o>1gd7EN8*;FJ$`^bR0ff5Z7v^SLO9=zVTuw@<_#U&fo(R=l%lR7-wt5C?B zOegEyM=PFnWf_LDWDpzcev6|$EiB}NSXc?Z(hV6Vo;Cf>(6LNLQr61D$WJ|Qk4pw0 zmva#)5!~S<7K&i>GgbZTrs`05?RW^{@*x(>gIFvZemv^C>x$o`U_#Lz>n{9;$J&1g z#>?Fgg_k6~@vxx5PS*r6T&GPEhGV;DFMbOcK2VB}!3HR2G5HQ58$T;pvec|Gike(e zXs8YQbs%#l?9L4o;(E$6!Z#Y)V>Gk}J|U!<+@ZjEiPz60z(iDA!tL_|;N>bVBIhHJ zN{Zy)XD5^S-~rCD&dmTZF5XC$U&;V`Urkf7?>dR&s}a;q>rGb@EYEA7A0>TKblF($ zJyu=9$9mX`mx+mG)YFtXtuhxxGV0nGp6HY;0JX5@fs*9?EQqJq zWk?jWFqHiq^@n7k+8l2`L`ksW!f^l|%Zxzo*71#**4q@CCBP9X99 zh#0|E45~11umcGVJ3O%&^>%+pqH=2~uptAx8`JGv{&kqs`N5gXsNA_Udy{nGoy8+4 zYcK)7d)p-H=EK&ZX=~m_FRA;b=3mu6OWk$NYGI;n zr4U(}D`e+aQ*1HJW7Nc0Q15yy!-a74ocPfoFXcy}_cP=FBc3I%1EerWc?8^M{t@?* z<3Xeeq`UqWUHV(3De(Gl(I$}mf=^&QwmcU50uE6>YC1p+CIX2kD*UnA748uoPz3{( zDKwoLhX#_Q*nrH`WBD&*(o#63IHU>$@fIJpxf#st&|502G4!q`|!Ic|J18V7k8JXSG3n5;;%8MELL4n0-@Bg=)jv~08%9T9}bvR^&I zA4{8&^nfUsTtM+%_&87r^BZ>pl~*bT8)bGb<+lic>_w4gj8>=u!eFQmc|%x?`AE3& zQIjg^nIO;bvaKi z*)>e!g%$pY^icTN3Um^R0Y9TK_g-oaugjl9IrmUpHrOyg`;b7IJZ%)aoKA!*Gw&Dl zmX3jvb&`8MoCiq|5)0qEw7w&#RwyhOYk!48o$w=|ZV0)#U!by2=rO7}@nfdcXsx#p zHv~A`{Mv9(+oq_7>KY}-r~-CBTejAX=Hl=oAzu2E(><{P6Liv%zonFrNmeRIjN%K( zQ7M$*LREgAf895b?DEYMqE!KnG4lti0G++O0>Bep>(1eBApJB=TIp#5p>lCI(f%V~ zR<;-?2|Cm-Q0Q66uO}kwkv~H?&+%BfO!%0y1=N<_0Ms_WhaNC(a}ZASI)p~+Q2^Rk zDu}hT9>vx4a^Hk<<9@{Eyax%>jqFR&;BFa^={mFBJ%yv2w10bky`0D4Ic6%ru&jEuJ*2}=Iv_H(){my^d@)lM{!_xt>b<=BpKqZti=T+ZB zxT2i*-6Lz(%=t+%+26bhnWSFrFCpGjhWb`s2DP>(4c*W73@I%2*RN*t;6Tn%0HD<+ zph+kj3+!M`tg@`u+tdSjI7OV04pVxZ{ z>SAun=cz2U5^QUQ0YzK#H&TEzk9S?UtmJd(tKgd6M$u{+0H6`vK03m@5MM_T!VX)I zFhSly3Gw%;-A!m!&3$))o>m5=q=o^`K;a5%eu`m3s_s-C#SP#(uOR*^v>UOmfySF) z_aW?fLYK%Zt4DcIW#;|xkGVhn1@m=C)@Z0tsK+VQ4NCPZAw|c~eiVjISicLRuk%jX z1mM)#Yv{*(J*w^mnq=0`L-2g7pAsC%Q~oVh<-SL;N7FFCyYR5a8k=N~r>s8ej8idg zJhG5;oL!i&80{m4^}%8X`%T34mLIB6YV;UTfdGLp|8CyUY9yBM?*OP^r!;bRq{$D9aZWpzbIwlcZ9!OBgwfZ;)28}L(^L{@pJ(8 z;)#$GD0-R`6cNC*77qpV5}us+3=E_`k6rtuiA)3&{Y39AUeNe|hV{Pngxe}~!W{Vk z$aaJ1Mdr|kJi$VhsnZ#}mfB!n3lV|kom&R|iwqh@$Adn7b)zo=B{0_s*#PCQt`%eP zYQWFlMG!?pWYSC<(M?#85sZ{fwX$SG!Er%g{s=&i7HjO`wDZL>Hmh z3WQy#ZQ{_}F%*-^z zsn0C$Kz6d-=rBhYBuoOOo{80cZ)uPUemlTiIDJGel4XR73xf*oJty2<<4kk zhKT|s4H8?2f(GC^7^98W7?hs^$$4JuilBZeFP>8_M=0CdJuk6Lb!(8 z*<|ZF%Fr0X#@Xg^tf^i}2H6$^SAGy{Egl6_el{J>&>hx&@U&EH%8q1)g$mE6btb>z zc*8TCuK~DRTI=!9qRe~`b+{u+!UqrUz=gJtxTu!0vPEPy9lqr&5N*se9(K;6phD{6 zKo2j9E6?o)TN%EqBaLHBDw3U*iuro{Ue%WBpBi_11-W|&Un|CzV`&Qt2X|k7mu3&h zSs(-HW@Pc3_Jvga`)A%P%0!1zn6%P5H;5dj#+|v>)PYORm`@qTFc747;a0Pc&}P)7 zz=KNYR#?)6ZpKOZc~pK^bYiDMzMyMYy6yxf-U}T7cV$F#rn_###;j}WZs92-V{MPt zqVT59=rq?`>eskHhT=^7?X^%OYUkoA6S!8#5|umLn2kT&dsFTogs!Jur8lz!LF;dQ z+jzkXRRY!uR^Rw5vItq|YOKnD`TZkyHSPrTQpha1YKN}~L`<6XtoXE|FS0%eRllq> zy$tyj5SKwVNPU2AmWQS-y6vHUjbTTq=1-+{i537Yt#qzFhsLWp2I)y3!2DPM{0)#I zdU;M6=0ziNN@LIfoM_C}bOzQ3o;EF&@;#8MiA{Y}bz8?iWPGYLwI(WrKM0sz?E)2d zN%HB8kz|1WcMUTz)Os5=UH};xOsA zNlAB((O89B<&aFTgXFFrw@V$^7OXaQW3 z$BPBWh(+-`(zl7^q-CEvG77fQc|22nie^Mn>TzwJc~;woKs-Q-ASNgl!ca+N6CDRh zw=%h?16qhXq3a-((HTV>bDYNz)RN`Ee8&YcMBsmAC*>JluVo1uX-l^@NT<$yfpUUL~Q-+BlcBCEK$Q zHh4+ya!{r`sM1_j6D?6OZ!?;~AwZkaQm#5N(aBN5aJnxylJqqPx1H9_RJz|`UJgSc zxHBRco2H5|gT0R2s2kZu1Syxf5lV+y7XTy@bQ*NL6K|!uXdA;cgW0U#!hAc4;QL;; zK9N_$X3r{7{uhk~u9NfvR6wQ6fq?UvZf2+~Q2Gx-)jx-#E5O8LZM;dhfWtK;8(=)= zC?F4W??cESTnc0hFIzQ~A(4PxY7F<5u1%G@fx@2}Z_sh2PTN)-WBJ)|QO!;Cn_M97 z$aRPEcOHrd%>O!=uwp$n;$n<6u-WUx4C~n-?JXL=gxlDvgyap1kZ zj-YVOt1PZ3z3~7fNs%Oyb%XsAPJ(E(_W712+Ua^UA`7r3H~3;(xx9~U`oPqIMS1#3 zVF4`(8`mg3pvsD`gbNMa6#NcXK$!IhDZ#+LV!awawBuR!`~X3CME<%X=sdD+saHUqZ7RCW_H-m6YMDXN`TPgkP?EF6 zbXDd1(*BDIY?Tven|^f&>B@!O`GD!81n)LOb3)@JYVEx@m~b^Z@ALUPK{98m&%s9g zF%3st`#@R**=D~$nZf!P7R^=WoFz=%el2?}Hp7TVKw z>OI78T2=R~?F+^eVj2`DgX3p*oUk1h7{cLAdk1r?xXXb`_RziKnXX!4yE;QaNQqyqbFf z_VX`sk-|PM(y^Z+(fmQjQ@~ch(R=GiH~n^{G)Y_o9lX1-8wd`y8^!p70VFY_W3V#> zqi$_|km|tG!~+e_KaJi61*_tRr<`7j%tnLY7~14HgG#vP5MA1t+G_eSDd)!CVDs;W zg(}^zN;=-%h9`j>QZG_Qt4UW7mYLF74h=Tmwub}@>Ha2Wys~*9Q`K2lzyvr7&0dIO zKcOM#HlGVDeQcYK=Rk#y3H$`|MrBvw_u|LzkrRdwjb;ZdHc*pvNuAl%!uM9E9A)By*XUfd=h#Q|MdZKkStOII+c%A9Ua)VGh|w4bpyQ;ii$O zmdmg!PbL%b8=5~E^d>H~q`-)Px`wffst{uB!~M|#Q@e(~3gTvcg*a`Anu}BCvpjQW z4=fy06!BhWJ*2$DOtT~CICG!#$I)uZWk24*)kLR=K}Zm?=sD`5Xic3uQ=l|*xDY)y zkD|ZIfH6)Nj-}8ssaW@6gcM^xq`dW)t~LV4*&k8pvb&@FY%uBuGm1D?N^p(Iv{5y( zn=rSCd5HfODyn&K<_FY^H?te1C_DlXAc>?W8{sd2dJT*YvI(CGs6O?EN)}nwm@X$# zu9o3WirTM*DsDDuH8)RHrzuUt9&iplLtaf7fZOcM6t80*U*`0IHJt-)$;EjlZvIz~{y8sqNb-u7oZLaBHutYf9< z-htea2+ed4q8nVv%3FYYMso?G+CJlxgo@vCqVJWV|yIYjq! zX9H6mMG!DEw2z>mXqYp|0db!0ec36*)#U+nWd<&hGLS^4={qLDJ?vrD5c|6n zyTm*O_IeY#Q)rxKBb^V_`qfHV4l?vhM(YfwC_D>fTUXX+kz^Q_$$;5@KK$|y0J?{v zjWwHZ{LmC`^2d;_hL?z;K?$mSnGY2hWY7)!)96X!Wqg`SZdTlALL+dR<~tQUu<_6_ z=1Y6O!v~EQ^&cqxvA5i27Q_RS9OV?f)}9YK)g&J-9o*!+{^BzOc)Jag;f-H{JZw6@ zmW!g-I=4sjl~5gUf#CB3E*grZT};o!sPC(E_lXe@#P>dB!*17tCe)1dKZv6sURqG9 z!ehCmforCLt%}Pa))@fLk{-uCd{395|r@+G%Q6LMab6jeTJX?pLvu?h6m{B4{C}Ep*y^pionEnRRqf zWh^(yT>@$wHC^CgtCMxXbYCi8-O5$j=}E8=N3Ys`nr+w>p;fB1!x?l@zfFfbvsyRI6Ykk`x3YDR z$CuD~%xAnrQ6Fo~O6OHINSogQ+Nka+*8aSL6dO{N)%V?1ZjKPGhxD5EoRy@n4% z_K~0#4MQ5Oz}q+vmV|M5wnEM~SatRi1S{?ea~f<~+_s*8bjS>Bm}geR1@7Ctq2bj) zXaq#^uz+&oblRuu$;MSF^MHmP zMOINOGEWix&mp>RBXx=>&2yoi5&Aq1YADRvP(wCU*+R9qW9ODow88MSI=2VKED1sH zIp$LA^2{+5DYTvqMtwD%LdgZ+C1wkO&+E8?3N^2`A;T*KRL8BdLS)TIc^xs|sL0QjNC@6X%i&sJuNWEqS1P7ng)JnJ z=Y}{z{lVw@q;)gELE9jDEl}CnQgveD2yd-wsRy*{V3L`L7!7^YTwid zi(K!k2S$pr5X~=De`Rv$sG>|x$Mm7C8=))*^xYEUc-Rc0EqDxy5=wQ~`=BVtIVvEd zJ!|q9%BrLI7p#5F0EH07z$V^Yt%;yP9pG7Mnx=-X-fH`Sn60K@W@iMK!hbbt0+kCD zo8G>Qd@34iY}Kv`v&T^UtO==<>l!(f57nnBaxujxiC(Fr1Gt7JVqtrG@v&+ zdr%6H5s24_i}XoK)WsA>0OL-0VLvX2WC;CzMyb^Rzf1tH@mB25}S`>vJQS0sR z#O6%0A^P6KP&yt)rW_3vcIhTL3PMU>^}yGSua*B~Qz09j%e)dT$EpcLv!?hkl%DZE zt*s6L=|373(y!>|6Dba0;AWPQf;dL#$=!#uf1Ey;9%(*ZJ`#gIiT(t@N=bzZ%qzwe z$}HXr5U7fe*vRYD{YkjQgBsTLk%%dX&Bx zttxlv#)btL5OfV}sft+I_yO05a`12L!N*4f?>H?-X&vkvb8tD(QRuGKL+~)ocwYD% z+3AC(dEq$O|1|q5O0w7#!0Ctr;nd+!X2m-56+EL_&kqv@)|%-{XdphWYnE|O;~D^x zdon;aAkF*@h;h)-V^>k=bJvV5CqU$HX8K?Fkl|*$*Tz2J*f&Hj z#S-kyNC`<%=f=td0z!_HksfdqXe^1NjvoJ3x~G3mWj_cio|dI(<(55=-=)8{HI;qg zo0( z!VdZmk$403U6Hb8kQq`ZFf_94W=K$Z1_%t39Zknd_pUv{rR+g69KI6@v`|f_eOxRv zF_IrlkFNfZN!FOUhLAzGe}bIi62&qkU&~RqY76#*FnXA0G9NCb0PhHZ74!>Sc)1E~ z28D#HA@m6I(O++ChxI_0no=I#BilgG3=fh&rsxIs912<7L3kqa{BfK74${QvbBL`_ zU-y#gb#xQz5qRM!zpGvzlRi^QVzwz^CrL%jdAHyhuhV?DeH)r)|D>adGcti2V@tY(BHJVl7aoux)^2`eKPm2KLu_9Z_Y zK$f%@AvZo{Ymng>Y5oyUaPe5Sb`AnvkMD#*hPT2&Lnzcx#^E)9 z1I#4ppblA&M!=e3oe$zsXqS2yL4X1lR)Z8;9}U_hRGPms*5Nhji6}|k&=1*2G+6`U zp#V~!=o&45l!OZ*O_h$w(!rGONHUuP?lRS+uj`!vZ3|bsM{$BJ8^@w(cjliC%1|C< zRU!Ocnu$FLTqUZ^w9tm$QOHX(=W6)tnskjvWxA}^|HeV!#q^9cx*C_eq5)Nst$!u~ zGL9L1AsJgubH_j%QU6UOsp0Kh8O`esMG_y)@f&b|YaZgZpch<2#j8k_1?pI_?jj&q zEZ7@Nms^e!Gs>lT&W38J_g1__nkDTLqVA;pwL^`i?W4UKHmrp*TnND?{U;$!g8*4N zn$y`GRQczBjKyW>L#PLqV=wiFcc`Nymf~DG%%?5mqFq6J6f*crbd5?wI){vH0;WAr zF%x+6`%D|Sl~U#la^F5^6yF~+MOO2>Xd=t8eKBWmrucry!p}to)>g`SAeene-atvL za7O5chVxySpM~bSLJ-1!iaiXtH7=7#`~_4+{ZP0%=+-xG&h&hQ8(aT~$9nHm_dpKu z4$uj6-hoBI`w`B?2XpS+nFRAC8xHDLZqyRtWJMG~yDo2{6Rbmnd|((y3Sfd<4SDB*P(JVvEoz`An^(7FS)okt z!U@K;`WOaRQuW#g>E%lwex=(H@01i|^Oi(?_t2KUsI;&LrEgXOzn5kBIi!}%;&ip$ zGC2x;%&!3;)S0np59FrYAAu%StpegHbY8PNB!4xSCyx3mr*PfxM&B!nTbs)19JdV5J8=635Z5FTGK$&@iTxqWl<;!aA>&!lrl{C zHZ^Joc&ydN;#KzE6!oJvKh(NHrH)Dfy_x8O6TUeBF&h#95l&I^T`Olf22iGp@c}Fs zzmYkn!ox_kE-};*No~yKIteuZ&{_uMP@5627Db{jPujZ?jk0Vo7zT;RmXByLPM53% zUiGZb7)^xP{r)UNMPeW6tWEK%fHqsUFB=Tc%3i*VaOFB_e zhBPJMCNmT&Sf$3ARz{KA^0Z|2R;4r&LQRRx1k8({89R(hzP(8<4#D^AnL+T!eIK@w zr%@j{;Dw}F7vj>J!lOuveJBvH@jm=BP=iIy2a)QoN>xY5g2?xjq#vtxeKswg;Pb3( z{@PXr8O|^Qyb-bc8yP`dx@6TJC@t+uN6DHX+#o5qbX03p!FKgsYEF^ClPYJ1;C`H1 z%Co+xqT_WBXy3ocU%)~TAqxWvUdSTV^AU7SU@w_j7KxY2e^IoRSr94?hiJzy)O0fe zkS@g-0_6H-a$f`zt6rFe_`}) z>gJn(%Xgp`Q1#w5?qIwCN~{Yi3(%RgkPJI@Ai69*A0qX)LDP6Vzy^g8;u5?))0sdI zrS*2J0o)o+s%J33i?!bg#;J}vp!+*@Xxd5eouE{6I--kWYr!u*hxO;6no-B|c#HRE zyoncK*C+U97Uj{Mi|(uMfcFPI(W%C;$1k);AlyZI0kp>A5k1B57YovXlC~Fve`ns9 zQvbR78_)?>S85?Kwv>V0<60>0mL2!tUjUNjk@i3$pVY$Kmq)R~#{!>Q-yU{n3M3@7 zQ6OvRWNer4CHi~1JLn)JZQ*e;XbCq2!e1Bc&~LcD)8(bv-w$%ttF;mGxekQ0UqtvB zBUkx8s;9Q;wuVqsth1)-7lf(}A_ZPl3mlOaowWWkC7ceDVB3%+<`seZ+{Gf-{4m6jB5fL9)u!8UeC7eJzL-N@JkK zAg0+5=>pI|Wjcn}tOIYPvH=3y$kf~|3!=NDiU5}{oW5Sx(bY*kU+0k??(%&CHXD~a zGHLOk^i~g%4~+IxF(mC9^cpGBf-Oxj*TuYp)k)n7zRTE#fM7e-IHaL~ zE>J(OG>r@;rSjDxn0Bj-83*=D-+=x_47E3c6$0G+)}#0^D`GY1#H(wIO*eZIpLrjB zhm*K#*we6i)COhgGW;TP8G4y=CsINuuH5{ZeI1o+1Pc(V(X>=WJJ@?=ufdkH1mUDo0#oar88T~5KnvmDPRgGnt06)&9LRCbh|<{N;^ zi{6#4aw0vAO>rxEog)|?GXon%7g>g&NdcL&fVA>|e)KPfp*-3Jgpb7PlW2l`Qh|S= z9+}z_McYP9XVovF=d)oI)pc*s<18G>f?GNrNT39M^s%9&Cp=C8!9S4mNS7}_)-Yo( zOTUv54PF>*$Il-?5^Fu6fWh9vB1SNV3%d3dxVunhfqtmC#c^R%tk)28aex8Gcps z4w6O3b7PAENnfh@PATiDEl2ew5p=#!tobTqSOo7v;;k_KrXjjo(O(Ht1wiqPW((P9 z?hoBDP3|yCh~&N|L-9D@CoL*C5n6yZYwDHd!|neP@->J{1EH4_AU5J;Cks8u%G^}S zoeZ{cwsFE0_4i6hghX;lWVp4yW6iIo?WFc-C*8?^A|qNrBJt%Mf{~Nz9*Pp{-sQh;N%Y^O zl40woQHV)Qo6d0{So^jn$ASdMau!8syc%0m+VQgW`Zg8HQGXT&z#_)0Dyt*?%O}xH zX$e2nIK?HAu6!RpQ5uu>KDQOWS>VTvFot~za>{Hxx0_?p4c*o}U>*NyNc_ig5(*aF zr!4nB9qX%60Mqu5i)H|bB**_h4uSmq|2#6K5{e@MC&GAuy#cB%e&Q3*UI3O9K+6RV z2R`xNHk$z`-s8jn_Sk$3-wT{B`l1314E=%Ek5P61ym;*B`R`Yc5qfaazdso`<9}W~ zh5-hy^WSg(eF6V|`8N{pZ_wc1U)AR^iss3AAD`;K4*c&Qd2+(XhKm1O=|8Xj{`fzy zAGg_mUj5S=|8)kq)h8|SU&jKs@qchA4V>@s8REgEGyv;^4twHL8hGdbdU|3*~Qt#jc^Lt7T% zP>s3xmGQUGsOT=kU!RSFGf|KGPrtib>~nf0-);Pdd%QaXro5vn>x7GnT0MjKEd6S40{|z5Q-|LcdjkI|6%Q z&lYXLRZFe){g(sla_#{r2OXFWz~7 zTdzQ$2YR|Ubeg)`_&@_FIn&@hfh$l6jv3#CLzjk2aBKB}CNUSkz1+Jqv#L&;2Ip(r z*>5#8PNWfTJJ3FluQSkNgPZf4veqXD?okaRAtlfvYYq75)VFKlTDLeV?|ymagXiKYEC?d|2_8%Y~1qff64G+eY*d{Z%Cx7ZMW zcD=a-MpM_Z;_Ae&&TZ^E?)|Ol^E&vrk%1G!2o|WM&5nmY zqDziUx^@uh27Y`5EUuxi>Pn7I{`B=ZKm2s>0e*i(qkC|4S(lS(}3qi7y88ge#*V;hbMl0;l^vT?%!-#>{q2cfbLA40$=vy zH*Gs5DFu4<(5&x2Juwd+qf_{|snEF}9G&vn8&$vm^6=ZMFK_F$;LqRxc=Yr4alN6t zUC+dC4~$j@o@@U{u2ZqwU5h)=x}M8@M&Cx|o`JVqXO-45AGsRP7Brk%hT^(CZXM{K zb%D`dYj|ln6U(W18`UA4kL~~y?UZSAp14}CXjEx#-U&8*`YmlZw>2czP9^={#mppZ|YaKL3w4>?^-O+`sx~bElQy!2r3EiWv#8&i*G>1aiU?LdNI- zX(N6H%PV9aXtpYFS)MKkR4gq-1D7G-eNJMM|BKI|q2nV17U3>Dl#(^%zW}yK~R5ew}ha9R&Y!G z8I`%L=(uM%Bn!=zgs0-^#kh;@M->>sj{)b(sDi@)=+~y5LtiWU`HVBAZeo9q1=ND1 zLXQGI);1e9QcSvNq^W3m1;vk30aaoew+J@;Z&H*<+yAzf&U%Xy%@kl#NM6Zk1fxo-XK~xRqSmY83fo= z2Y7v)RjMe;Ha_5G#Vy#cy=;FO^37;dCpqUF&OK8ZAqRf`l!5|_)P zgUN^hX$+DfmQv(28hwYWy8`~-{ik%@`xpA;nm6G8+HjbaZzZ%W_Dab5P$N!a!R?@~ z3R~Nzlrd?`(Nt+H;V<7HVSFhG=Ux=o0UY>6^gX)Px(>~28eZ`%YO(zejG406P-^?< z*jsf3g@cm_&bOFBT_Z3aCy!~^hP6qxM9BF^Zuhx2=M~w9pGJY%Wl~Irnxw^BF zxLy~g6j!=lA^Ghur=5bryr{9As?eZlZm(_Ct?C0=?11VdQYzkUyC@c$@8D-F@hF;q zMx3ZiA!3OT!;YwYn`PM{N{Fd5S5owJ<6P^X!Jzn8=8m?`Q@DTdb>THk5C}Wz3zhCe zu6#~y>(2fXkayhSz4gQ>GA-XbiS440jpu=%$agL>v9XnT0GIq(8mo&7L09@SfXKrxu^f7jce2EY#PTz?QnXS{)Yb5M4{Yy2`ui)N81wCr+_>q}64H|C?a z;6KeDA>xAiv0%Jn78kG@P;e1nN7p1dP%}O?d=Jr$S0b}Q)|V?CH9>6R-uw04h@o^j z9WQ3e=R(^W(Ic-BKg#%q^7KMUwwA^bjnf6MJ2}fwfspKAAsJPnK4PR0Ri;Ekxq6d1 zl&fMnaTmv(=?DeivN)7y`#1nOnk~KpFb-lm5NrDNv6V>?x+cEinp7@GW?=j_sq1H= zl$w2IlU?i4Lo}cz4=#{?D2f8dHdo9?$@<+PEz?j6Xw}J{Szg>S2!I$D^(V=lN0m13 z08|WO*3&@;|J3d0u%mJwlCEV6Wj@N%S~gmo0m<3}Wlr%xWkH$IRaSS~!-^K@k~DG` z87h1=jL9B?!%?wdZ<&J{>dQ&Vfyl-)8&4gMYYCvJDu0K{-p-H);r-K3wWkR3K%hQP-k>; zWH%1;_ZL=4W4u$?cS%06yS}Y|m5b-*wfm7l=On)5g2QZA?yBp9%YL%fQe68(#xSZW zolOK1M*@W%(o^C<%!mWMX77H_Msb#PMzHkR@ZXUn>blVE1^z8ybiP*^Bp#}*b3J4i zAWco7tHt}!cpWeRui?)EJ>RK)qhx?2tIM6}y-&3ME5?18wM}y0x0Rz|#r=`KLnyLx z|AG@vLP+Dzl-CC{hr`g@rNy2vy**r9#&u*%_x6CN?OxfZK9?u}fX3HZ?B7P!E*C*e zT$FiDy#;CPGmz8`O>=b_{!}oKkhmt2GUrbmKCN#sI8W3s;aY8sbkctkCa8zjq+sba zOUK5&=U+F*x1A7pTfNvF4Y<6+u^Smh#L211y}NO4Wl~v>#(mxkI8mGm{ZZ_BD1&y? z3QHj%tG@T_v+eZ^L8)$ZHkX!%5t@u2Gw zt0|ixzKxG-z6tkySV zr94R}iESm%qE>lekfc5ET=m?I?;Gz{uE&Baf~=x-x()>EDyQj^2rZ#y-aj=`C|Z`j zl5BQeVLQ3|m|j%2_Hm6n!Qn_WjBVo|vTBW}bWOk91Iz$YxCn8JL@aaCCZ>g<&o4&{ zV$Nu3spTO`W_j1G`Wg0A3TZ`R*@2efevn4|jM=JGK+cIqSYih^>DY37x^Nvbv?|e7 zDcilh>=1@EjIFC(Ep~$EsFrBZcBt=3wTQF40ZJH6&fZk>K=C8CcS|Jd!G@zAxX#6x z@0G0q3H^FhYPo|_JtYT1tIz5UM3NpRd!8+N*}t^muB8`p6`402ZW6kWPCwB4e>n;R-nEcbpjfKUKY z*c+@lgtFVWQb5M2Z131gbx~RS)7%o41qyP6)X9s>j-tQhn~2xQ9P$V#8Sa8KA&m{h z+6#)=q3+kj9b6}z(0Da{4C-O5vM|jjA3oGAB_t|y9I$wuw-LGM=o(b>Yd`{Xr}z*& zSf1u0>^rD{e$F`dxa&&YA(ulpC$zdFceL>o6nw|Va9MRq_W}O0Zk5s+fjBq%x&3WP z&5g(Xq*RpHK3KgB09V9^A2f^x>_P@`QC-Lez?0EAXG z50C~D@e$ISOYo&Sastnyy8-l1YF)3P9XW%gk9`glDLU!H#zv~Mx$zH$t%oi}$;URV zMZ-WK{1v>NTjBZ*&qYV%>JFY?d;?$!djqNK%gA%=yYwqKSC^;a*MbWH6CFA^iPD`2 zYwTx>R`_OsJ}Qrn)~`b60&UI04{5%YX4&X_0~xH}1-DkTWT!7SDlI=drU!95;aP1+ zAPM>pBE%H7@!H-KI$=rvdsE`eXtohz<>+GJwTh2y4HD1Rd&RQ_ zUspVzHmow7kMIm9dwGrRcJ*A&Yp)GzYqQRv4m8leFpHEBob_X#2g5Z7dbzgLEi&stlO7%c@-sNVOa!+%z>^eWi>)L69`8cY4adQaun>jW$^x#0rMq=A ziEAT~@vrcsXlsJ6T%Rg8DFi8E1Q z;D+A>)Xi4gEZ3guJ8W9P(}+LtKv>OO64Yy=Epw&Ke35q%j)S>8tfi?VNzYvNklT`S2zCS(RCFo6kVU;+dZWi$gB zBuaE5L_tA<0zyTNiY+QADk|0+Dk@&8SW&TRMa5gItyXQd+IqLGSFBoXYb#oN*Ij$F zc2|4exc7Iyea`PYe;j_A$z^hxHEZ7WUY_@PQbEJJsgihy>)Tq9c-o)tOg63y6a1AI zYrZ2hQ)WP|4X0(E#{)pBsF^)1BoPyF zi;&?f9p5FaUI$R;4%-dKNw9{6jzrLue?zo}5GCSLTB&n13YTy%ay0#o-Zuh5kpsjM z;#0DssS5wC#E`wnnA%^&QzlMnokV{Wk~q-V$YpPGET~%`RQp-t1Rq0rV^RI{D20El zpTY+NI#&p>6wo`b`8R^Z@6HSUjd)v5)PdQ|VlvYIA_@MD>#@!3Xg=%&NE6U+eh?MeQk;DydOiPT*IB*7JB5OhW)5aA6` z+mFH>FUXH#c|-bQNTs?dy%)k zpQBic!o<|to%h#Ix&cu>sb+sA|B=Et4T zCafBMf=u4J>4dKH{@W^Tmt$e`^r@E%=27XlSIpD7emvGY)IH-Tby)iCu1c6kuVgXa z9uqXs=IB3R=%3bcD!d>|I2|!)kpFa8$?&EI<8u>)?8uyH4~Z!MB1aHcv9>12RJmhs zP;}Kh%9-d1r-ZXHldt;Enx}o$dX^vgQ~Sc$*}tN`ah80YLZ?Wl(6NzbUtQo zKl_Dl@mQGIL!Fm)rT@vralQV!eKPv$w1Q<$G-O_$?BBZSg8cd9yBE^C%?YQOJ4<`# zXMDYW-b=>scDzM*zrVHXqVE4Vc2`9_{2(UyIt8_gwRr zx}evJ*Hv?Sh3m7zC}M-OBsIu9zreG-U{is)V(s3r-cs6EmwSh0Cp3jl?4RY!zA*UL zi`h|oEd|~edu(p^#?%h_(6eLOuS`f>L&D0Kr%SU6a}KN>l-C=rkI0KkZrge#w{y{` z0sSK0ncNWHg%}ysf90vPbMaEEcb3=$VNJ6?jhn z(w@+pDH;^yH8%_@%)Qlgrf_iAYlD>hOrmJe_P*KLFi(G{rl=@;)U~3)6>UY{=V}uB zm52v!Un_ZT&S}qJ(1%?e_wjy1eRoIQTh|6}*LaNmW~QyWr=@oy$BNSDTiFFc;_HJ} zuyePvO=WGb6Cd>(x7(Rh6uDPAOQr6=cilYxIJ;)Zr1qjU<%2#a+PhD?*W6nZ{~i1B zQ1|On6P4Q688NKKuMPd&vpRl>9A5uj{EgwW!@eHmUtnG^c*NqAZ9$!vI=_xeU#W?Y+KkY|FIYP2+l92!CbVsQu2*I`98b zT9$TTXT@h#vv03{rTX26*Iya`K8{>J;pB#z!7rSuDE!>~-3O!BmwDfr5EHX)hh{}t z#Ev_C6N=*^FK3$*x5t#%zEE*y=sCwH>nB}OA~#I_*tf=8o5x<&$6YU9cx&>_oaQwN zpVl8J4~lKS+Mk<|b*g;u_Wjq)Ro)No+?qPEJ}Eo0qcNSYyEn7A4>fvc#TOn+?W1;0 zc}?xmzTY~$<xd3?z2N*r1jtkJ~$dYY{t*#v{zln*4E~R{CX|&d|k@bUQ1_= z%=wC$`6zP&Im`2TADrdxf3k4aYE6PKhWIYs8}@4ly6Cxk6`Oi*-0{|{WB=l=#Fozb zV`{x2{o12p94ZSRUZ|q`4zEvrp}D;-h+j0kuCINtkh}?5=`k-&Y3OU-ce|s{lY+EnYVM3b&g2z`eY|q!-TJk+pTE_9CL&81 zntZ3+dim%7s7PsRYAYs9hHUx2Yf^t;DUNfl4rb5uS;{$Fy4bz)B(r;=is$ zUl@v);p0?Mt|T1WzyBd*-SZSqoaWyJSdA~MV#2>p+xNl7>xA{q$F%jvA9T$B$B_Pyr!$O= z=+CO2olb2GdiM8IPdIfiso1aob5j4;3Hzz%f8R6C4^IB~dHm0(;X@YU2tb>l+2;wY zPfbnz1(WC!CQuJdMP2G~>96zWdk{u+9-DjgfLAa5^~?G5uz{OjaD@K+Uo+1GW?In0 zUccZNcoTs!N`;$&ajebcte*(q= z044Fc4P^m5~H}CMb?{qg2+d zaoB)*i5ZR@tVNS%V?%)T38b%#7*eC6Q(c3%U<%YS*NP-YCgHzhqk8EHn1=Sq-7CC3Ho zo6qW?!Z6@t8(TpXKBHx02O>GY6R_h$r4C5iix5gT+fgMsFu)r(Q-e}v0m)!RJT`iIA>?q3V0h`C z8tx2cc=>MN8BD}-_i|4K?uHVbgz>g8={|Nat^@?~pkWT#R&FU*gopY-wKiqg|0Y0l z_F%pQUi8Nr<`xwre~y^Xu$lYRGaNCW0MkZWB_sxcBpfZ1EeYs4tmVwi^}o_E-_~ zjdP-stLcqyJ{C5XTcMg)#aETfFB4&stvo?P_KE8KFT5V{cdi?jgPlhXtwZUcN15tn zgP<>gM`^9;=8^wm@?$S4JI!W!D^hl9p^bxO4WEP=M63=e!${bP*MAL`Y^w z1oqmf>6I!4Vc%OMChrw~h6)#|jddi`G1rXqIO`UY?i7N8E;MT)aLP^8Xl&&yC&d!} zPZ>!cs6#8)nD@9;d5X5`2AO32gp{EJa|4QqdxoQ{IDYh9|EC-$UeowLWled@$qD|O ztjRHjj6Pn=M#~q_@fTooF);gVv&bwYmxseQl=hW2qSKR#MoO$u+^!A}qa0fiRz(hNQ13DO8Ol z&x=ToROjD9VlZan>Uy>(0M%k@^DB;7Eu)V@y=I*mlXJ(UAn$SnZHo`Zg@_8zIPTD} z&hoH>?Z_L1^9LbzSamp_5LcvX6_>QbpDvoq^B`Q~Izxhv8D)!R z61~N!qLMBNVTv6pCKaVM7fBBU?F*X|}L-f(%Gjs;cHLzyU*3&DRN zx4lFgpmj8Sz{k-sgzvuPh2T& zC!6PTanc_|a|0DuHX1o{0+NS+a&I~YQr652@d%byXz&GmAf>zSEdQOcv>K%cf}u7OpG#ihV`stuqZ;&!6=_^p zfb3<^(j0h$8{S}jffD+mma6)O2ITkdG_?|kb}Z|TS#g|^%V0Yx$LZ5r*I;CCHA+r& zV3AW0D71mvP_x!`10h@4uM9Jzc0+yUvNEPp4#I7V*e(~o#kjHrh+6hm<5u(~)v5)k zN&Q{ul*F%6QDUhII-MfryO>_5WxkVdsQlL%le|P#e}H{k9F6FOS`b2f0nszG!a6pV z8R&?Xzfhwb>aOr1O_RSV3gHBfF>Jx?(D#D_3)@L-OgHR(M_fnX-f*Gy4-!)0179J8 zw3Iw)1{NgV6atnGiaJrypnC_loZMYgwon6-+C5Q5)dkmf4O1wagQOxr9(TOQN;1av z?=$^j({N0<=!j#EIxdJlwb)zZ%{J82Y#(Nyw-3VG(G%!!tcC9oKfuyBLOhGb*Hyx4 zCRe_r7S85>iG{ONRMjW8g~AysN}7(8UzjMEc=^3Cbn!nT2OKW|#fCSLKEqaCa{m_d zHc;jxhxj}`bPGu-vmJ$ngET@pSA@oki(*ALmfO{1dSP)1l4{W7-oP3UB|BydlAC|D zpXG=x?QQZFB+M3zHFj^DFxNW7X#bF@qL@k6A))R`h;vJk*dNVCm&K@=J-%|LO1h11 z^>-(uLku)0jfXqZQREsFME;6#&JZ9tZXYNNL077V?0pEmEYfqT78kLa>Dq+J=M@=d zU?;WW1agZAweS&`k_ff`WyaK=L5>BMM3cirngSQcm%ASyPY3{g+_|74Q}1E~P=doB znq#Cd)%ZNnVZ(5wj0e7|x6HBLgNQL(55*eifCRFjXF#;kk{4^2V!~=YY zmVrje5*ms-S@Of-wff0Se|KSo@*{lYWqg`6n*{%8MvGBRT-AsN0-zzSRJ zjHS9dXMoO#&rT(}GD4LOLE(50T#d0v-lg$bxt_9B?f8?5%Mhe3NYQlsWFABOV*JBG z_OQ2w$uDaVf8lMM>0jWkP&+nLF;Xv;V=ay;CFq|>XN6-GTyNip7|vT*tD}OjIv0ug zDhCiP3k~9q(3<6pS!zQL5U%64fi8>Vd7>F$LqGu}j205f#M-N{kmfvxhq0GyOUabN zE2wBTnc%*PYUi-AQkkl@9yY%LbDw#SX)Gi28b>YZDK=qx7%+jFbP4#0GHs}UrNu#( zn_Ou%|3KR~9Cb6rhJbN65q)|;JG#(`rRPI$K9HxwbCwTvoQ2Lcazi}RIp22Twp*>1 zQc3e5!x{_wrZ6f$+{g?R%L(6Ja9xgReftQ$?pJY{%D2xyUF;PKzqPK&w-+Zk^Pp>% zpBlwK(b^%JO|>iy%g8cpjKDvEbbKN%`h_w>1ANg1$}Ga>BPIqO$veZmT@CQ#dWYl` zS<9jd=cp`2>z1BqKY!WJIHMXP0#%;(mQPBpNZu`P{UH3@)-^D3K=7%sjiiiF><7; z=1p+puX@64O?PopONS>3nZDBJWM!Pdce8(@?`g-3Ml~045;t1xXRo;;TaafFs=1Dn zEQ1)aFRJ-i5|F14x>m-R%2uP=x7g&uT2yhgC_q2WS($F2pIdH0Y0@j|(%T1?Fg-Je z7<-5K##`;7@*G&WYK7COyn|y4P_^sj5VoLpDzLn;dHj2p9BsgTW-a!5njT|D1FF!7 z2!j5ZLJs46$zOat9xgJ|`xMh$Isp$vr|eP)Jy46&&Hk)iesgrC-ni-B{ z=PMPv9aY$Y8<$lTeupYQ1Af(Ez(BWJ3l8a7jPpz^$m!ztWTgY4ln*R_g`p9y)0pGj zCopSLI?KPaDTl~~r5SWW7yw12Tte6)6(RY3V2x*E9a?gvw3|ce7k1tJUD?ZZm!A>= z3&W&nEM_KUIY?rE1hL0ANcn(`mJaAz{{RY*I0!^p-gPxpd}MIRDmGQ_Y*1E$FFh<= zny-2sA#c<09UNCJ>_EO0)*s=UDcwav6gK}0kN3E-CaTsUBy!2_(on(1@i&hG&a1b= z;Y4Q0^y_-XCUrsdetr2TfZxz&ylgqKxIb2hIG_$C+(gGd$ zP-iN`VAl@t%*34402@l!Fjr1Q0FWHYjWc!vEjmXTVR3f~ar9*X;I9_fX}Im;P$Vcq zC82QfavKU%%@aqQLnuRxQv3F`JW=)$V~HX7Bk>`&RBC~S;T*E~wPYN(3$H3#Ko8fV zt@m@A7fCnN!XX~I7P2(L9wnDCH{INOrtTHP5j}0wGM(x(cfW|S?QO9uTK0eor^jj0 zDr$#G9VHtzcsoDX=xx`qpMjK|(vNvrRtTjx{v5i0KSPI}9v_e1oQbX3X0cQ){}hrp z%G{|o6()t?SH^%4Vti9q=SiTIP4bk7!mk91V~lGk`ePk8-!g?~N7h6#Go;Uvw+pI? z2jX^X`?|V<687RB@J0FoX=K7sGH`9lmUyjyFu;k-l)aOX z*F;Vf+RQQDLY3J}Re}JNRVyD;iD^h|2o<)N2gqmDurYhB!Qi7A)WU+IKR`)Tm3H391tZ;Imtvro3CMd*l%~_;ZW5KXJepUUSQZ52*qeecykQ7~@@hmZ|lC1X!up1Mx|BB!Kj_d=l5^7tMmo ze_+-p?9OMJfHwT4lW6arj4HNT0zQ~yF#nwhABAH&q>|o4@*I`4PG{W}V&N&~V@CF^ zdHf5}iLFbiW|CS?2;ZaQDanf1T2%jw^d%BHvt~;cZJ@OWZu&QQ6OiR#R0fdB5#4Vl z1115A;Z`!z^AZvYK?G+7ewSS?3^6C#Ge|(E*MGYAKIQ<&P0qHT)_F^l1UINsu}eKY zko7xVVhepzYku{y^x;*<4(s{!!WoF)Mc4O4+6xO!FKFF+)J&v%8%;&!#bs=xqU1@u znHL`+IWO7r1#1nVvUTQ6`3XAxiJ6yGSoTHQ-v}2ps9^WI{285;8sxvw z90iQ4{*%{!k^*T*TX`%s$h=a*y1=!IOQhSeTMBihXC{?R-T9D_kmjiOK(Bo{xH*i!y)r_SmU{R#T+Bn;)Yr#CZk{et0)X+#9qP}BVq?VJx0;mYmAad zC2mLgH&k34N~7YyK)u14if(Y>Ko?lL6UpBA2rk7t1l<||ER3e6Q0g1$yh?g2xc$h@ z>F%|0xm%D3D|jW6Clh7e4eoGN{(R((R#E4~zp*ro;C9Gnf*G38fYL|o!(8q$5=dL)fUhrd88yP%1AnDIypP~}h4%P`~0 zP?;;wxG*!|Od}%qz=XE`6&ZjL+W)+Pn4RnHVW!K_Bz*BTB>$)$6K>{e<^D;M5u*Wg z*MZZwBdx7G$8?dh?9fW@2Fv@2luGMP1OH73Gn%jExkZ+V-C%BrjBa#yB0mp_E+p57 z(;h8*YQ$;H<8JqU;2hGp5Re4}GqqeNjiTjQ+JH&Rnmdpb;}YoYR7dB>13FS=2IqyF z;~y_HgxD=UE%f{4(|Yri7qxsp65F|aZX`QU&@uxp!DMbS5?D_%62AvcnovT>=dHYs z#AbFhBwzV0TEaMGKeD`~B|Eb|aiy8wttD2tA%}Z)pztD}7C|Okwv&m&j9WzH=W8IWR z8JM)ukyvsXAe|0eT5?|!63m$Q{)m|I%ts$i6kLqSwTG||40FZeooh*@eO#$cc#8H@ zUxC^($l42kQk>~k1KAIsqM|&1A|{G1NtHl^Y&&K4eu^j#2+k-DVsEr_}bgUo{boJv^+mVB5>+81j5Tiejf?DVV* zMztv_!G2(dbO1?rwJlXd8Pq+*Xu{`W2g<3Mz^`}by<^@Wy@j9jUaDK$G)c^(~1 z@dypHBf3s2E@qTdti|}JY(MA{Qd!>4$JFeuZ5DcA8-0j*ysm+*K6???Bb4IuvnT0iH{MVPO<~c$=PezLfK6==Sx$NE1k6E*dLV-O(mIG zY!%&&M0;k|;?YJ2Y3z^<5j-ctJgb{2{GCY9TXgJR`8slZM)rgQlpQ8-#qzhBlmXV4X#TBm@+^4x zXOaDdJSL^O8I2f$U|D3$88~+;=pQg$CK_=rP)TCaTiA}NXy;%{7Q}wIdM*;@F}Z=v z^3zsCv@(qoT^M8P7S%Mpi~9SMhPsxWjqqX+7fV z#T^>?GqU4M?N_d9qOr405J?po#azhmjx#4QDNL7-a84u z0hiRMbw`oXTZDD6j%OomTI(O-mckHmA_5&dc>z(CV2#u^JtoT>eYp{GN)TTj%Jo8N zDdoV|8AIyCBgnZ}t^$=sZoIu9EwGrIg~BoM6wY)Y3s}a+ z>D?XB5D^^6R!%WBgz#5G;nyg=`8uuq1_e@GWpM_26-mb#m<;}FEwjHa<6Z%i#1GPY zlhD2EY!!&nWIQDXfGb@9yr4t@eK?7Ek$xCrI!&^(avu_|@!hzwxxJ8e^K;xZ;N=oe zsp)GvF+0R?S!X$>6BY^|5Z38p2$4Xyn8oka!pp4U{#wmH)iW+hrJ|d4VC5afm4jP5 zv;2rx^-?;_vBWp9o46153@-*&kzk6nvQHsFFJsF66nX!tm&g#;pL%zaf&NKv-tKN- z3|}U3XFOD~;jqZX0sGPkWC)7)%Y~f~@t0I@Y(4|UujpGeF1Btq@Dt*sQiF6AJAJ^f zBu!L#Jd*zj-a(8r=F;|;L!~NJ*<{%_8P@^@7am-MoO6iI>>Kd?Ql`P0t-IDlbXOt` z^~Rhd{K8NOfE{XIEn}9?1VLL2FYEM0;|VAUNc&KBt>Y(X2n^y+W?^IIuelj&!k;;( z>8QO^30)NdZdR=66IMQtgzv#Iy{{GS*&i`tcWjE%GUL6+wYkfJ+G@oDB#y^Qs5xfu zUE5CO4KQqrg6ij5%8afrFl3jfGQUSdiNQKTtiC36t(PT(G15dV~?6-xElyauf z;jB9$Y+ER5Gnib+BaxrC0S4NV`5Z^15mb56=)bZSJIbsQx zE-|Gm-6>&Q`K@08A!|jneNJ4(TkMO{4no=+#?5etlZ7RSOLQP<4hBJ&Mi6~zl#Pb^ zJM30dhBoJQ`L>Q7EK4CEJH!J{qUTU(0$l9tOFE<}VSGU>Hypg4;baO*w_Md0zJQ=G z?C6|PWrvl!IP_Uv7#wwH*w8*m{0_-4X{0*@#96X}%XT3qaaS|SoK(}C;)SKjyxZ5I zp$m-HngQ;5^QdV)g{`eS?Zw8{;f!KA&3hE2jAg9$9$HxLTRnlb2Up9lldXLqnZ(wL zwZ_&0NYj~Xfgs#;m2~*Lt}d206Rjx3FgB_+9Q#uYXhhro>OLsN!`{rV!b~smpTX{5 z@y0EvN#6iu4D58LgE2hWC{Lk~(-arE8|Ge+63%~Di#v`&C6A7@ZLdAUZ( zh0}f|NXeu)=~{@iP2-g{^gtccP2P-@EXwC~G8E?#)%+RhVY25Mf-~BO#DUX1=-FaR zn+7?AO$Kv_@>5R#%57ykgXFWJzVM8rkTXdqvw445%c=IhWSn)CxAfkI&wvFkKLw4* zBCKg)Emu&tL%o=VzCXm-$dnf5-5(hE+O038ASBVV!l^%M6IZT6cE1gX?5e(Uek8@K z%Kiv$05t-Y>xrrnllyK;ZmpeL`Q!%+FU+oVx04{H#^o~ox$mTjIJX3Clo0I+L2o}t?YR*0U1IlKrTS*fC0Ls z?e-k4v>q936wDEicm_!?B1a`_^K{0RDu#_8F$Fm$=i3o1yuuv*fL56AjI`z1HCory zP~sYvtc3<&drRMrap=Bj9<=re(cDO>5s3#?ipSt0bIN@?2{(=rhpHUufy9~R+XPW> z6E~>X+qi3y$I*ql4B}UU1s}mNLnmP0PFiCx9)WyYvBfjd;Cls@peGv%R4BI%w+>E|Hf2m249-UpED#+h;_ zN_Y*t7P%KGya|5OT@rr_=4Giy%Fx{u4V_@I&`BR5;So%{ZAkcs<@xAx{0ohIc@$)7p4qB5 zwEmM&1GpJ1H1XOHsXr3Fg>Qh(lt66?na&Msbjoid)*%g13rm??WsLNPx?T?CGj^zy z(U1mm)q&k|Ih&;tRIv|IcE2DwA>ID4NWKvwZEzVow2mv5#$x+-gY9pH(79S}2B@Jm zsM)phL|pMFq?RXR|3fa?6@=wa!g!Ysjzd%aZeHQuQT8QT@id_fVd8I2vi+zGg}lI5 zSn-=1g*!~N^+V&e$7G_ih)6X3)y4i*n4$^zqc^q6Hpa}Aixpw@35?~?yMfZf zCI~KFttfjOw$hWsGBaTYI~1HmKc_W+*pSTh=9Wk|2}fVDM65*8HtZNgC6(nNp{RZ> zp4>4wLm=~tE{h9@oF8nfXPVnEkpszIh@K6<4`*^(e&F|okbR3*SvG}OUU-f=;q1ip zvrp(w{~pO#PsVdQrdp9!-j?K;O(eKaYkkLIf$FDnylCd_O(w@gg3rj2XCa}6-E8@u zu~pf0;suq(F7dlLFcab-7263v_aUwcIMxSmP=640^GUSONvEm_jhJ7 zMa|xkmm$Y|Vj4FRYW+puk_pbI)Fnq1Xg2?9bW%`^b5xVovSmmQfEN(n3r}2US&}-U z1c~t>Gr!|pmdiR{LEb6z4$$!J>>Fz7q<3!s6nUWfv(?_6lqv|*3PVkN-9fwB;J(Yr z4ifJ(50!I*@D~207UBb8x#hJed4G^FAHt<^NcrL65lCby!|T_Y7aJS(%%|3V2G4BK zl+8%F8onAT)*Rc%@IzwGprI+4>0$qJzF|9QUe6rmO2~oYd@u{d;i;(b50M!M++Ws+ zEXN@x$r{SErev&?ORy->fW3i)b&w$}+;Kq8M29|y4j*HTFNGf-0$I>#X$5kOq@zf* z&2&)D+Y`u9q|-kg(mne~lJQx;qdKhtu znd2D+jM4x>njl7FM=t>9R9h%RZZ)(#V|=PC1vQ<8(5|!4k5`qM?u5y=De;&_e5@{x zLWagzs;^w57DhCEAZ=AEE8!SYk@C{s1YoihdRvZBkXsXEusM@7j(BDq^^GI^P;SFD z#!3xktT&SkNXw384l&84ueW{ACOND>*CJ56QQ~kG8BWTTkz?i+f23A(USgwW*CQR#i^10I0_!|0UW{3Q-${4Kk z+*BLYkES}aFW^TR6|~y0_cdX;vyvG|b@A=C z9w001*pJiglWdF~2636cGrE%U$R4GW=BSj*V4yx$3Cqnf$`L-5%o!mp2^jQ=SXklP z1(`fy2_zUNBk^+;L=H+%CRGg6ihHy&triwH)d6-SarR!l)PfAFwP1VKA;UD-3VQhm zWcY+)V&%iga8AoayBc9RQnc)+rny?jMQ_Cb{{?h#+2#w;^5k&qQa4<8u1i>YgoKYQ zVU#og0fEO6`4c3Zg8W7k7EZEJ?%xe)0d<&Pp}WB36ySFqq%cAImIQrLRbqwZT5!gp!js^k%PP~Qi0+#d4L+AnZ#Y|Ru9^(?AA#IaJsqj!&9P%+X zi!d1u{Go;vgqdam>f1tmz%IXng>PU<%TY@uLGq`;D0nDM8c#J6N^ugyfv8so+bj%&ApF3W+!Hn>kd!D+ ziS?~v+Vp>iw+hk+lvvTE#ZwH%~YD$6fYIXMl=V5ZSsjx8xVX|)<^ zC+|~ZNhfo(rKq(9eUJ#DvE4y zWM+J9KnAmv*wyG}@lW=5=u*+5BgsXhQ<1f&o=BxN20T`1H9N`Ii7|yh8XaapNAqU+ zawInvuGQ$|rD~zAc$7-GB{&)1{rOB|>1fMMJ!8L>4a~`5Vh7lAyN-4 z6s0(&r9qO*$Q?Fprm3#-VaVsHL??#A0hi;-i!-H0WxUGI>STM>VQhKc_Y;704}B~9 z%`H2*xtY7%Rmd@vTP_`D$SdH+jyMa+0PyRn6z^3OK-qN!9={GrHE}#Tu!ecSxBvja zxF{zH^DY27(#qaKPE{e0#kW&6NPMiR z|D!5Ww&;#O4*|?*LX&Q@oJp{IbWjzpFtqB;(bB7G|JwljdM-#hqOMzF_@~zFl(&X- zWIg;rTmY8_ENJrr8%~}RNU6bcIuE5)W!Pq0FAi%8ah$W4SndAdhC-5=Angs7^1@-A zwcl=#7SJ90nEtNqK^<>dx|3*xxEu@}Ym!3nJ#YhM3cL0N!*h*&ZJ|%j5#O`<5*V_x z47_v|b1-^$UT3x%?&vH!y)v5VXQ`(F@zHD(fGJX|8UZxL{W-CCN>7yiEIqP5y$zt|rh2xUhl~DG| zPNacGs1yFvy4USHeQ0MxDz=f?xt&oR5VG^>dR&_M3fa?;t|x!79+RXh(BcWX_nLWH zH6X>hHUAFfA&|JxoHQBN4qbLZ&I^%7k=#pe70GXmvsRP#E!vh~XVwLZ>tdMa-RRsysq+-ApfK0vtk7yy>8>>bn7><{B@F98vs7v=i-av zp++I2(g(Lh`);lM+{TJ*c9&G7lD-ZC*;NVU*uP7b_6G6AZtHlhD033v{ zlqt=R2g!m$HniG>^14aiYRFdWKtQ`vOCjMG10@qG9VpY8=@ail-f&C_VzVg!O~T$k z3^|zDPY)vUATv4tTlD=n%#_SJ2kP4FIH{D#F=6~59jByE>4Vt%+)@=eQ~4l}LCpUY zdEUWtwf5m_;%JoPJvciw!Z8U9{nzWRj5a$AIa?+ z$UL&EpRUDI)?#N6kVtvL(bETN?*n!9Y`A=pL#SlzPkXE2pWIsomv!9F3K$rY&!w4% z(yEXTyOI;Fxdv+|nl$DAsB`8+rg22d_tpiv1M9hP`3ZL2OLC`@3kK@Nj}Ro3uY!W! z%>m?>h4Fgs0^6coThc_xwqi0V--D?U(t3)U!&Vi(iJ0W~2BYb3AaeJvdV0zo#GWdW z!wEo4$Z7#u7>)a6f)so(2_tKrQS75T~G>+1J5A?LBDKdNhgd^#6_8tr=psCXh~ zy!qqRvosJWY}}_h(^(_+BiZGT*TUe1KAn$7&qvc=QaOlx1@CzX^XA|=hC{7uLYnavS@ir)!aCEt&`d2-Su&fSAaC3A6U6U9qDpQ&q@ewwhWyF$JZ(xS)R! zH~?Rp<|Rlc*_2jsONg~T&d@25>cYRSCmn?)CLmAm5k+N4t|&Uq48XuI%=RvvoE=AZ z;XwYjPEXFIW6WTcUo+bKOya8&rAP77kBC1SKibaZQ?t#b_ai;0Pe=2B@tHeEH_s;&Ja z9!HQS5g4Oqaf!3$Ajg~TN%4lO$>Jc3{DoUgjH##0r{y+NJrk$_VY!EzU7GkctUp$j zbTOudbgwpv5@yRFWf@i06BkN|Nt1R#WN!bg%yra+*5!HVJ8|@8IseNz+j*gau^KOl z_II+B?SL@6(%q0`v9OlbH<<)WxCIsnVGoWswh7`gB)*j{yj=_lk9-6`^JL4YF1Xe3 zc^Bw5so!W$p_f?bnpecH@lZZGt(u46;yV zi9n3v7BjJJfV0uiA#*loRN`MAU|0Asm%G6a8kiF+O;Z_XXON5Rzjh<-t+aVId(pk^ zS-xk9>3J=;n_ijV`cn-ee&Sy2Tg^7gr!@3S5vEZaSc|F2T9aRQQrL~G_AZiTdYXGB zh#FvPVifL4>;eQhRb`80c0(yk3JnG!_a6gAt$LM|*_oTczsr&@JnWP4VN)FxZk}+S z4ZRFQ65R`td?6^1Y)VV9^W|DMT#`{Poz6ZcSssY+U;F_Pkg@d=toV7LQ(kNxpl9wg z_oR1Jd%F_%m=bY7Q2jvg;DD3nPXd5j#_KQh$u_2qnNvCf*Ps;h zu77l~hp&>)tHn!L{vAp67;*)W@s=Q<8;0?#(hVeyfU2uJ0VU=-M+2dsJQvF+knj^4 zm{Q<-3UF-Y61Y7pkkEzUYP#g~7UqHjd!7*bGJxY%3tskJ5X+FVG5EGp9}KRo+y@&s zw~#FowSj*WD(=*auSJWkC{cl#_#Rc_+rD>COQEtImEMoCFVe}U5P)jTR1x{QFbrI; zMs=W~dDb4Tqc5aen>zEWykuWI>Np8$!uE}pYAs;*lIRjr?1qK*KoI6p3D;RDev?p8 z67B+c$H={oSF`hl2f*e6_#)w-T(aj_4+U|tT$86S@)vS8%N;Ffq9^{D3%S!gSCQKumc?Eu=xsJl-KK&{{83 z1}_b-O%GOHhq>@^kh0Mi&D65{hH!BM#SaN(sl& z^#{aIw>Y*$;c)`!@L`Ws8>A$3Ov3S?Dl)PuUuJcLjp`2pTy#(DviFf5w+eru3s15d z?%+{!HZ~=OvOE|N=4+N0Z(x96THC1lhs0~7^U!U>E&9L;QzFg$z<(HFec6Cys|1xC zI~M`r&E>G^9>m1LY2*EYNFRtXuT{$jkuphmll$F78@8(%3`iyG=zq7}8wxK4ipmgZxK@I&983 z0qXYBwBV*cGdkms31BhFZ%1Nmgs;@w72yW2Go1O0?F!{z-x4tnb+kzd8sB1wiewu5 z7Q)(O?-`msS8%ZLEhoheblU6NC6pWJ2;*`^<1;cfz? zXmG;)FS#Z-bm0$ME%aT2~YCzzW>D@y#Wb}1yE;liyMV?E6Z573MD z5|TbW#C&P*7dC&>Mtm&)PmL@h$3DVn9t0#%Pf@Dt^ed(b?b3CvDJGIRYK>#;%_hU! znL<3{k>{(Jr3CLB+4MQ&8M*At(H_vQlLo7Unu@x)5#cq~+7blim0qsJgoL zCuAJ|SNLP|=&D$IbQflWqX+l)%xGp81lZKu`BR}SmWwgh6%IqwC6qf3+50il&+68X z9BtB#ApbP@jh_Tb?~qUhmd<@(&&`u|#6JAgdQs13_O!ifjkjcsu=Bl#rXUd2wVcw! zo&4UaxlWYdO*O`eCT_+P+Yz9xkfc^EhWwoi<%g*FuPAREc+9p%(x;elY->c!>9Rg( z%4$@eD<27yPDV>#Lu*ivvf99eG?-#Y%Pq$9rUopQmpgt9Y|=ZdUum7d#u^9c9GD*y z(z3j594j&%Ojj;h-iYbE5w>+qp@<3R=6f61@`vk~@C@C&!RZGOz+)} z?HQa01j=K?k2Uo_@IU8EJA-JS7QBLmi0%)mN4yA<5_G(liIF!UdW6=wK^lW-Q45E# zI?2Fmp>}f>{V(>uJidvlZTp-oZ6-~ooxr3`+6s1@VJ2McLhP={hsA}e!uU}mp_=c zvz2swVPlI-!Nh za#$$WIq!0;DycpD+j+EA?U$}59vp?A6D^)o!}@uMAT#^I$~oW0K9*PNOEik}c(Tix zwRi)mDIoF=;+htguc_oHk2s*CDp`3{B_AUEvw~d6eBxD<$=XmEh5tAdpiFwrSHxdQ zupeM2+e>EyG7;?;UZZ@ks@q_*y2hB~F7ZVyBOKN{%}6ti9qcDudd)uKFNxiPIDQ6_ z#xtY58@YdN0@y{fY2D)=*>}Si&nko|fUFE&>ypLGM7VmO= zSrRE%*-N%~Ke0^yBzD2n=SfXEvCOM!3D1UOZ))TWu`F71jMR)GmZiUUC))1pC62u6 zsr2wF8rRo)gLA!yLrM;RX%gmJV0-agJ|fMD#>-7>ZvWd)nvJU)2@x>Id$kRc=&iGjeMFjC@w~6F%v-w#Bc`5s5y5Hwyj2#(N zZ`u6@XO||ZFfQ__!7T7f0ZL48W*++VV2Q2PW_v>f$ZUlkkvXRkn=~CfLXXEc20O zFZ!~jfS)flk5#RR_@gt#bZejFX)LKGUU?oRU9;v@Yjw!a5}xFIL!80c3^5u#tlIlx zy5v$jHIpMw1{|hGxGN(-?HK{VooaDH>^O#qHJosrW*U8pDHE$eO`bP&L|eup-i;{| zfgx~`lnPZw7}m&iGV9yx%!j(~NJduo)eccLLSz<;5d>)vSQYQ`gQYl1`bZ@PfH#1% zeKPjwS5;zP15^S=2AUN-0xS6jZ=o}=R5e7pmnv^kIZCCJI77Cx?}(t2%4_3F-m$&O zO(;EH`WnfpueV8>fmNp$QtBRGe;>(N{*Sr^hV%|OK4fN#X*SdWH8Z{);UXJ-w#m>f zr9}l0yeLa1d?+S9fxiB_R_lxWLAd$0cE7#Ap4E}MtZKVUCp*;QDBhZ-VxA2=fPLlj zKzV{~)ctZ2;|Qn$q1ZMELbie!| zfj$KGhZ_Kpryp_E%7>&*gL_^e>=qrV^v|N;cO#yF+;4+{^<7EK z19Zoq1zBCJn(`zDwmgg~?+|gg`>KN2>hROky&2ZWbk$E-wk0Xh2I*Czi_va3-tYfe zgRRg|N@S@!UH;3gmyB)dCsYOL_8mI`P@#{b{nx9a%h3LSEu6Qf>bLf021l2GQ+!kv zU5W~;Bhg2&Lpn=@B?hLqvQ?MSpIgm%+Euien5#w9F~&gi0s2VL zfbAYsTB*bVa7-Chm=A;rO!)_pANZMj0a^jp4GbXf#A#Vk^aSPVd{0n>RfTjzd2VAO z?^C{vPr`)ts;a6jJ5GOHVn5KJbfVThdSD=6)Vig%L>WM!5h)nPSBTWs87vaqzxKOG4k|_aB^x7~&91tv-qDb;LazNFrql zanHfgH;sr38(PtKMb2`JYp;=d!%hDrTe%f7{L{sw;VIQ6j)946P7--?q2YLZQE5D9 zJ^e+&7pm%hh)anDFl;YtL^s-HsDb_n|3W`aU@FG-bXZd&lu71Y*=mskCd=iFG%j12 zpbjiKu@ZRb!g=V3&yd10m{cGR%+ydAAl?$d(~oOG_CN57vw&P;%hX zr`M4hC)u=!Z0k&FGD&ou=RAZ2>W+m~ayy+huc`Bl)D80Weu!tPgI$P4R!Y@%Qv`sZ2bz$T zv%S0))KesS$6#Ltj$}{jnrn76H``v|BzJ;qN7K?%!M>!d4dKl94kcVmTQ9kYT0@Mj znPt;-OdI0#nXy7|dys7F5-W7&UG6JzM1b3l3O=T7L|e(D)yhK&?SsCRN#PD&$v;MI zvG!Fe$8fdE7>L5i-)iCVlgFviCx(t!_p2j29y`~8yI&a}J2}+|oR;IeL^5znU*Xe~ zs$sA%>WO=~h>%!6z>^&oTSQS=nq_=0%wv5DUAQf5w<&Ov+4lOrChT|}*GCCz?9Ve? zvl3U?aG2|jzL|+~wTdk?)XYc}V8WheoGsWXjH4}Uy*rUfWv4N0Z)itw`?)py_Lzu~ zF9L&G39$&kvPP~PJMkMr~`}wISO~1GV~rdLUiXBZ+dwK;AOep>s_q`fg|WG1G#$5*7SXlf_cQaW=VBX7-QqOgUcyO^uh{7B z9m@+mh-uqA4?y9$7dn9(t^nzPCVZzcjXlj4l&HCTUBhj~Z%bWOjuSRz84Meh9X~WD z;h@%>bX_7zJ68uWC6lX}vnx}RF_u2awDtuk(;_^TY3?)7@O>5l1ZXJ;;DD-@*7E6c z76sqH^`1DZgXNimVp_V8>E-Pv|4L$ey{6Xl9PO6=mr|2yxuD#k3$wNs*F~4iBt7tW zX@1ydbFFSCV~Y=n0)1uZG>vTp5+;rb=V`l0BS;ZW_)T$5q)Y;;x8>y+#)92G{dk?f ze;k~{4g>uaUF-s-Ut{D=h^yn#??`+M5i4DR$Uq#)6Sf)47A7d4nB{#eQH;LjUF&Q< zQCAE0zD~JJ0>9(_%cSsU4&FQBd(jTNLYSfnF|whA2ZES7ZC_go@~+&DmKg#9jNfzlh3b2?D-Sw58HRW&fBh8R;w*Cg~ha*^G95 zouVByPsw|P^%zX9md3Jh3n+1H0ZrVv)3MsXPK1!~h#kfPI$Bv3k1@D=fbs^7meyy= z-zP^)*&^ePM`%w$o5a0hnN>H2yltH2Ipl1{yex0QN=Ea++o~g2KD#Qr30;K|TCHsy zgrQlhY8;56Ia?il4^zQq8f)?5fr<{KQsKKa61Dfz{Z=E**U|TV({(o2>BoQghJHyi z*#UYo(lK4f58|El$JiR}qKtV;0`CyjF|Mht6$YAUv}M>WVreK+Y-b3L* zZ0|6hWV(5Ox}(8PX@s ziX7_G8nEnLp7x-rnciYJr_VtT{tVDpIz9LkY-cOAZ!ysO%!drFEv*lpwY5{$YwXV% zX*;hjbbyF`t5;H~ebZtmX_YnG?rrwNKTgji-%jbK85ET}Coy+8U#{-rYfgM$s;a@! zwZF(pok@5cv<7^IBs`uT@t@$rBWW5R#SOJpA}f|bm8Js(S7Pln!FPr5U3^Q^M@(nu zNe9gE?Q)m3X2+sLai{5lL}}%9kop+gBwr2@8WZd1EorL^BE?;%RLQnL!JIixR?Q%&bWS1ej-b%ErRVb z{w65bbjZXYc$wfAq^_EjmAq;PwDn#l(7|4rEH)}{GJ!Uj{yMXuT2GS;$uO`wK<09NuJ{q8*4T4qhyW(X+1aako1&F`~=Q46O|X4 zBKH!@D5bkv7LtTgjCXL%JKTDyWU&zq28BYr#G$nI|1fSOiYOIfb7H|#nj zI0mKzKAW0^Xtykr<5#RFU9zl}2POd9BAE>CGqtNti<(KV5#@0$5}RZoXavpxT9O%Y z@7n|zcB?N5AtvGdbarME`N#G{)!)l0Dpx{!!P{!iEw`fdZMa%ntE`jKt6t+Cc6@IV zuUhiupenkYiwN_Rn9dDAdAgA*ORiN5(|F|%isyr5~{wMv%S*_r79?E__W6YNps z7AnV}R>B|l<=aW_^6d^xBtt=%D0qpMpNjcp9V)H>*oMb3hZ<||-A7jVh_R%6E;kc) z=v*l87~4pb$<%juSj+kU1$+71@jnf3GEnYDwrNvTimp z?lC?eoJd3cNJt{a;v1(LVy8mwiSdo!4Ro7<{yv+O;SXhGx`ir-HOh>H(?-F?E9nM# zlm1#c$y>6bSRh_gD<85yKV>Bzca6)GCU1=6cO%;yUD}0s;-zW=s^KFV$CO;DB3?cg z|KZEz!ZAv(!(uEw++U!%N?wwCP-9carv{QQrmpehL8i;buvYmZj?FiqU!RF1Udxj! z{vb?Cc{{Q8&RnyTc&_K~d36+dXXncUjYWa8O0dw)FF zoq2%1!<9o%!T6ALKs)s_vZ6CFR!qN0)^sP3j^rOxM3wwjGhu{*>kzq%j>vMho|;aV z|74wI;Cf5vRP0Y3z>g|@)G`}=!QI+%Mr7}2$pNWPqP?}n^>q{ZJ1ZFR>`IpM?Cit> zH49U*AU^g#w&v_y4i;lsvSqP7#5Z1s@X$%~c*uSOYVVQ+aw5`Du0e!}3&4JirA@wljmo$AkwG5w;YUVD7lsLacANlY82j7d|FkP*?R} zh6-;dTGDr9G3l(aBctC}f1qOHIc|*cV{VM>#zx{1YZ@o68>f}dNY)$^pXUFuDSRp* z$gvNyK<^fuNfEna#7arm{r&r`T{CF&+I&Y%imBXM{;+YY&E>bL19o2tF%Pl2o=oHR zD4mHiR24|4T_R1X{{$3TQ~@Upa#^N<*0D;vQ&W9FJHB?cWveH_s%MJR_w{cOECXtH z5B^l0F;HwFZzkj3#-zLzfkf>+T)B4_-Oq0}O#mr$HtL7>(E#{%HVmYVW zOT;@xqA-%El|64x#ZeTtk|*juQ|@ZY6@b-FM)x)J@nomzfX zE7a>CGICUx(F>O3ENv7GB~@yokK?k0gn)?4epAPm&{4*dVh?X!;CZD-eEmc0!Di#H z#vzGV$XV$(rfYJXAze$~IJJvusiYWbAN$-iUj*_3uZFQc9lJu z9(^*H8D~tDeerY_Jq_*9R+O7#6WwEx4utfzt_Lu`eVuC$m<58E>T?nHE2P^P>zhNk z4Yo*aE7K@u$#Zlky^}2zY~w9H-W8Yxje~>PLceqf90VQ$L2#3+eYe0eTQhgdtzXL> z;_S;~0CBk}PHdEp#S2vLTcHVVCO(y(A3=TmuP2<^8SP6z0TL$$W^*634{N=vKitO! z9^_?&g2FHgP0zXLAS7b@*?AY|bTp(kWRj0cz8aVBKd<7kg9h6RaX)KyHzqY8!#>C5VaMQ;@4hDC|7jJL>3^sLyX?ORG0wtf z>_Cq|hX{vMy|@f+l!iEQ0X}10oLDFLjevv8McMYd?{KZw1>Usyr1yz9mAey;!we9i z0ENjI2}58V5&O^Dz`w+7A+5sqSnp3-K8mg+-4+%Fwl%s6mSk3!&-(IYv+J9z&{Rjo zr;goIZHqqcARCPf>GJ=+M4-R}vIt}#H+@;R`ZFzLB<%4|^SK**E}OqYLN z{*W@v;V3X!3S0#yHjd$^$pudC~pPC|6u^J(U^r9og z{&5;SmeNI!+)GvWj}wOxzpcnODIZdj?+LkTlLtOWEfO?BO~1Y1(sx$&Q%ND*ceatr zX1J3ne^P#)Zd{9)=ZkdXO7x>G)VHs_V@S%uXkB~WTfH{8ohVDykvJ+{rIue1w&cEu zE+hM_y>zb4sq9f!`97)c4mjM)^$k0)X}G9s*bKc%v7{yU>At3wvdu~7`i&@o=q1k- z9Uw*fNVOLstNuy!Y2hJ`4uQ-Ox0~~Em$+ThJPrF}l54QFIEm7EtFV=aZYc@(u%UFrv_K{Skboax7{qG{f~(lM&M6@PrfwJ5yu+D1$e%0-qtNL%#H$Mz;X zE#M0r48CuosgTw>*aSf%i(QElDX6l|#@0z%q5`!IyeCh+Ts@_6VB`MZmR65NzWa|g)g!5`W(FBo0}X0^m!SIZe5A;y{2}a>2o9UYmJ&9zfPr`Bzt8d&G505EluPDmMc;>s!UE} zvy=EE%!cYmYFk(y@oi;ItMj?+eY@Bt40%{8R@1@$QY&H)eRmfms>8c5Hxx_HVaU}F zp=)=4$SrepXXvYBv9%N9%GFEVRdlH>Rq2#mag{y&DdMF5HN@6K=^YpFlDu_s0^%2^gu{sW@J^kC&$tah&~I z#C_S=djCdAMEKOKIH>DcrC>J$(AsVdeHJr^#Yp#AiYzA@FX6P|2X7_xZ-t z#$0YF)TG`6@D6-PASJ)v{jj{AAd97R!5|HSVjqxI*wxJQZ6QE~jK)9{TQ@%Eo@!iJ zpXGQjk<~XL&$_lrW#0@>`_3@;daIKOOcgn3?cFivhpq-`Y7Joa4)D*1)3 zLeKU}LKBi#@>Pi}zonvk(O@rVfq;*xwfa7zVi{0rmAb$MXnH%Kv#qtPVYe|qe6M^& z#kB&fivfh*H%n8st|6K50n`;B^z|eOoU>VNPbn=r)XLf&OG*JLEIV82$d-)At-Fxj`W0T0b!k{xm)_3#Idfk778KD#NF?&wHMtGZ6EGpsv{nE)NKsK)Jp zqF_gjI~^LLYPDP71@}+$9(CK8W}dWy7vKn2mphe7Df^y9+C;9{+f7*E(AIc5M;{cM z0i-7!?W|;zjh|v8A}a0gJh-JmBoL&i-0g??)teqX>W5#bKQ#^071&A9_j>n6{BwWS2s$M-%%YLXsAnpg=QMy=}pX9ib$o5VkFD!g)`#`0cMr>}e*hY&@UFrlm zO@%DNX-b3u(_tgFGSOt8po0RgsN$_h;;LrF#(k&uSA-G{-6QJ)oH2_DeM8K{gtI_P zj{tJ}iRg?l)9E|3c|g;51np7U3Dl?-&I7JGJB1!J@Xq3g)Yeclus_*Rtj*Zn1+z+h zM(ILj2#NlKOe;xfzt;Cayz5YF3gH92aL{(yryxtjfKy%A*UasE zn40T7VY)y}rWpm(c=uwXt?o`KNkzBY+G(4S;impmoX6=dMC&0(=iXr)08g>|YZ}ui zxD-RQx=+v+<2J#bbiboD!zXPPQkZS-6HG?GLt2X@qI8g)c!0_9Bms*kjtO)Ymq9%%s-tD50Xl7p>w(sY(oJz(>%)#_$)u7m zg_jLQXH^UTp?pIEihZ+Qel;$TO;>T@<8k3L*Z#p4>dBdsGeSXvvV^)8CCFcD=u}P? zHtCBsvXqQ;4!n$zdQ{-L7QI6QF9=^WkyjF+t}QsopXwanCkUVF+;PGzrzG#ykGx8>=|#IBW2~;oAOMvCn6%CpuanNu({o&L3GmTI*9%AW zSc-%3I@7rX?iokCj-6<22ug~xI2xjCXr zE0p~NBVT(>`=pbhIo@Bz32dF7mN2f2u}miOQMjM9JVw-MJ3>RfETUvDNiHKga+=kb z4mn5Qlk9WzXmiKcV!uKHFtK#M0Yc)!>agQYz1`F#W>r3A2sgs{&;G81%78lpd|UOr zs@5^<^lodfBq1w7?m_?7^_;P4cllhcVnlbD6k5m*`T5jq(C z(^c*g8KmIBPzjG02ZJQORtw%sin5W2mHf{zGUQ5%oxV7jKPl}Zb;AJg2*pSW2<9kV zC^B&>1vCbu^pjfa+>UO)VpfBrU5cEIxtB54;MKTKLG|c!3exvBf)!USRxJ2~60l zNJM!RQprD%Kr_7Saaw4@OFkfwj+Ex80%;X77k?{#+ZB0n6aNbjTr9ob{dJ7?5V~X*c;);sTjcmLghzgIU?rmeSBx|DWxnyf!Jrk`viXgxb z*W+3}jjx}6vtJ7{JGiy=^#}Oo4gV;f;A!o7pFT?--G0hAaUdp`E=r;r@w}MnkVzeH zkEdx+C2pTgZDE&FBih14!7mYE_$l|$y7nj1F+>|KBARxT0%&h7=vQ0`&;~B4yd*Sm zvEzFPbmDLVK$;!|n8H-BUZNXFUewrPJott-|cdguWAU1H&h*X3SlgWOSz1_DdQ7nh+qJS1mH317a62)TPP7!-K9lOR5GZnrXPgWa zWWxp4#|`p&b2tlIxz3h5`NlAChy>#^Ttw}*d8Ti&oY{2}{fOFK+XU=5>l7{YttX6s zkkl2%wxd6hS*^L|wt823_N-y}VQ~;tf&M$rTGDMBnZvukar9u>t9Fe&!6&zuO4H42 zIcEzgk3hvjc#mhYFHf`NW5b`%&3EK+uKYWNw6--cIffQx5LbWG;2^PO#5mwx^{&M! z{>YzjT{m0wII;ccP92;@Y)`}CP=j1c9u9P>Aab6VJVH@!(T{}dg2cDZZ{-hKS#}Bu z2~38NnNS-N;s$c*MN4Sk0kgA6-vJP(0I+ZbS$~eh@qwYL zgy!`M{z!^ek%*5hR#Ve`y_xmi#}|){{XP``+bH+O;>l!10f_)CQ$=cYsu~|bzBepe zww2G0#S#e!P}Upc%PGlS^oFVih~R?Qn$|ZQc}!(XukCrLGijdz-+bht>d+z*=}cBE zBDR*_rqQXLi7kC(8nv~IoFFT1{0{i=epQV{1@JKK{w%h6ZAk93FKa_v)l<9Ua`w}t zALb}wj&&F=Hz>P!M8@(g_TK@qky<85{cXxdon%FzK?jDoOUE8JSgh#k%6t=~MPqLG z%`E%60hY|&oIHznT;bTUEE#NVnrOYk`A-pdGLp5>kAz8_{5@e+jNO^2oJa!x6@F*e zNnRO&_zx6P2=u-yVtKZ(2WPE^SmA?2IRpthP%cY}@h61CC{jF#Gckz8S;A@#@B{HV zK!igi&=*EZc~kKzTnc*mIF`SHeT`4g4r5WMbupFCV8=!*Ud zI}%yR$!WromX7T@;e@_uvBv%xkNtsbr9yvK3e;FlXJL{Q_roJSm=~YHEZ;#@F*CvR zg4u14DFW@o=8t#tq$R}6qrPp49Xy*a&!`X!KpK0wF;0mC}#p zbgg)Zy_Cd-xnbd+j&uVUFa5M9tbLNX%<|!4D*4*@%7~woOO(Eh`L%RVA?9k8RUq;&<@d4Ho0EP%pxGj1;TW%b;0zTpS5al702o_tVi`&M2GrnWH~ zX`ARb5IOxCBB!y*?bp~}ZPG{;{p!TaQ~{caUW~6%7Lb#_xR&!6iQMF(I4#K$-cNM2YW4+) z@I$=a*PH+VL zkJa*XdT)-fOFwUagsA01E=PsY<-8ZN!`w5LAxf4?8{ulWtbS*SHjB%M6hb3c{z5ey z`kj%Q4N&xpfLUV$G?`h&)+BRnA_X*<9t(i_rS-&kaq4N+B0_(!CxfArT_Np*fUDZL zCe)IIK0_I5s&M7fHq_#JVgco5RpgS;Ucx*OTBgDSgl*jkH+^~;<(#kgA=3xZxBHNL zJ*00c5|jw%6P!-@QATjFmd{PUnCxzyd{l4k;9xpiWdF6)P*)wl0;ctwkxVUfx0IQKKIU;>QrI23Uk_4&gc`~yXQlF3t zyI8d3uy%#8U4_k<}Zz9u4{wgUlkuE&Tw2|K=OcVJftubrrYslGv>fiJU z3Br26Oq7Pi*ed%HWaioZtbC6eI*H163CQIo{K3g@B(S{_;V0`3#e9U*e09{dLBRgD zhOiMM;Oo(tjb33qBuulj8`?=WBRvE($>$`NS4BI~wX`g@OfP9FIH7guD^5m4V+^6t zSfM?A*EG1bx$SB8qRj4Z5xjRVnQCmgJ6zGgFKC6-YFe5t_@qA zNV;47yqIBn!R`9VZPLm14_eTLyu-e=CCp#&OI!H2P_QRZ)(o!wNV*qnJmn4*yAcFM zGO~id1E^`s1(LgPLe(PT*`2U_nrn8V>DQ(puzlossbz-6)UKu2%99+}7nBHHhXu?u zFwr7;isT4kb4`{Oz&)`ENwG0KLv3njg8xP-qNd*yfe30r$I}7A=UkCpWjgNWGwHi# z53p2{|X`y8ZxM2S2+Djb8ZzU!AXnp{&146 zw{9p9SpC4AD(G#M2(|!oM)*C!lCG?30=sD{fCBs_Ycqo-C|7!_?%=YDR7U$Thou8I ze?BJHM`6DS6B4}x?WE=4p#;bg{2zIjaC3GFG%}6s3=;2ZE-%s(NC>a)`JL3!BJubB zB+`LE7sSwoEs((`~sSPLb#gnuRt#Dwq@*f4ET`H%ITN!Fbvt%z4jY$55OQl}%4#}qc5#Ly_ zz2Ei<=fjO&P@|hEjYRUsfj}b~k5dRPA%7Ak5amm)lphDi!U)pX&i*k2aFFDS!*0UF z>5umW-`$j`hmkM>u*QRgc5v*8SDDQ@JseK zBOJpRSA|7zxGm6!cQoT&?^$IC;wM7Qnw`N(KiUKB{acCnquf*#xDW0SWZaV3410%m z(qy%=LycW(aI2chsv2Ud-^+bBwIyBhAdK}+oEI6f_PzB|4-$EpgenO?Us*_ne`Ks% zORzu$zo*JvedXa8p7(C^L8I?AmGVcG)P?#7lW~e4%$t7f20g82(t>$v?t&0BScV?l zXKPpf5|=COj`J@imXp0M-8PWgV{ zvN4I+BghK`wfeOjUt+q;x1>K8qRqWY#cRY-+#Rf7QZDdvDv{SbQvWgS>3LI`KNHNz z`1z~SedJv0a3lRitO4#SJX;vs0}Qsnvm`0&_zw-rc1C_HvHWi81GIF97KG>$Wm>%a zGjlTNzavf_Lh2WrF7Z61y;Xq}06CAbfuxFQ$$>anP2I1%jhkmRwcf!f+4{go!h92s z^k-qRPEJo`7ckJ!$)a?>_$)6#qIkC>lE9|xO+QYA5~K_0)83Lqj_k!A{AqUZQ9b~+ z6J1(BpzlPcWVI9^fcJq)1eY$b&^VkKEOv@5cP&+}DZQi>RLtU(qVu#=4f?3~B__uP z65WHt5*pnBi*Y51K7kUhBL2@?W=*XfZkleew3RojDjT8J=W3IzY`N31OD7%`7Bwl^ zA`Vf?VWGo~|0?Dt7;2xW#K}@gQ>@xzUHBI|LLN$^!!f-e?+|G0xkQ;6+rTRtgFH8; z2yqwLnCelK&#vccTYT#3!4m~fmq=IQ8girwdePVL2rwd(i0Ftu17N|9{OV^zMP8`u zmp+g+MP96;V~r{FTN(ASz5TNKmQ~&91MW%O94MeHflviO1S+Rs1d+~DV3lHgpeo|K zGt-`;cTDK)ujW0^$`iq!QY&AOj7uV59l>*POV&k2@&X_@TH^#^Ns{~)k&^Y-3eM%h@iBwY z^PIKlQk$m z(n1BEo{?nZy^26=-~4NVTq1Z6@p;2yORF2tM@y6at*PJv5=Sb1GTD*Hnx(}T^-&l+8) z4NS+n696JaQ*EuxwVjyefsM2|#6Yu+QcE(hLhpJlNEg|k=Cq?s-zJ!^q`JpK0&g@! zCqbzW?vHU@`sER%fO&e&7PT;{WqG1-S6k+H$8yi{(DJ_WqrT#P77zCpgt@#~*M+%U zPx5jHH9E^5@;0qJhFVHZ=XIQ0`cNaa)hM&n@)}3z0%1N`^Dc1|nU#-p4ZXSLN^ecw z*wtF8w?_FOPWUa+_q__L_;P#dTdt8iP@k-?{V=1z_JCAKgHLH(k>ISSY(7N8OusdS zzJ-ReNQ8d=Vw=JrNz`=YDcKrd{gg3np|g0r9N(tsn96;ic7T7X$~F!d%0NE4{lIWH z<5H;&MbFvP}uQop5kuW&dC z3vmH)t!M&|NytNg*j9uM#N7}}ux5hk?7BCBoyd^)F0S)mA2WD<33>4*EO>8e{Q`HWE{VJWL zb;p%$R7zAKRkQe0xZvnsHTRA4S?L-DWs>C#?sU2qyg?}SD9GQ-86W|^mYnMccU`&W zT<_~BpmV+KJ)6+^zG}GC_;mQmV!q-TS$lSzz^*j<0E&JWrXy6` zIGnteH3vDp9EC22Y;dHfm|Ixw-=v78J`eGg*u;aN%LH5y+7sV~gr)sba?FG~Lo*Rp zd?dxPkAJjbge{Yg1T%^Ft}Ro0#r&KRHkbINIDon#C9?q8S&vxvt(x^IfE%tni@TwG zPUACLH&aTps-NYu_SLZajO2Oi>-z9T3354$T=5CYTUv2u^_TtxhJMS1!}GXljs}KK zGi`z2p#6E^Qr<@@vLlNvO~iCLf4cqM*7RrEL(yyL+hX^!?M)GB6U+rx`%6|!X=!G- z%swK~Z{~F{G?9P)6OO->)S5q*$S3h}d|aABT8+EO>m6G)q_XA~*7R*D*8lt^=XR!b z&wDD<|GKND^6tO#vd5Usx1Ss}Zsgym;m=7qlo)$27|fNiR}QQi^4HBblDhx-#@zHj zkDkBYoa_8E>HE#|H(B8FUsvQf|N8Of#Wyed`vct0fBEEpdhyLa{)gAxyzKAtf^&K^ zHT}PR=YP8M=K23vfPZ`8|9ffvi^u%iOLM`w{i~e^kE^Mv{i~&8-Q;EuxIxvw(a&ye z;#;fo*1zBE8h=*^egbX375@GCn7_~5(j{UX;J@Dbry@Y_8`oc#6}WlxZC&NI$KG0? zTif==MK>StuipN5Z@8r(Hxj?!D2V6Q@4W3fe;2(LL+bBA1O4&z7|Z;B4yL?YpX7Gm z=<|>sxLJyuBjnE-!xcA+pa0h-w^ZKEt8ZR}H0?JZ^jGKpClCMUm*4#Be|Xc)%Wiq@ zKkLP}oc_C%|MA|N7yQRE{M!rvi}L&z&-u5PULRIBTm1H6m48cL7*=)5yo+qge|3`E z#+y6)wr=uw?@(@=Z2#&%f7cc+y=`p#edd;4bA8C&EbHw<4v)Nk|BdcT=iqYZ+-@*-u6&@>dgoIk57ep_1CG}XA*a8Dv7C!+`RKf zPxPrauPS;0`!?8rDf)b+9C8gg-s7hl<$sRy;muhuQTlH9bA63U0((*@tMpU?< zMVAND>r`5O)7HJ78h|rKYwkUty;!G?PZZisjNPl_?49PO2c~P7CXQ~)I@A@+((^7{ z+xXI~gk)*Ji}%rvvyqbgo?~kRFV6;Qb2RSmIENM5O}={Rv>GMoFcXiUn*2`pr?>}d z7*mTb54Q@hn@M}LUX@?{xkisNZRpZK%X2f!9`DsSU7KLes(AXI({x};n|}KzQgsn+ zduhR|4~iWR-EYag=iM#g^|99s|9CG7$) zC|QA0z4F>aExWJjfQkt|+$yr6OTAqA`oqqiTY5A^HX{E{Zl8TM=k#V&+1?)m>~72Ppk?kcUl^>pRc~)7 zUSD)%g=g4%PeoszU9wUc@!{U;Gl!0>%!}1wla`@X`88)>t9bd`7P`FFS8xjFWg z-+a7p%$KO%iI>izkPis$C;j-%$(Li_J>}=`FPu62)}wdC+C0|M9nff|+T*)rDDEajw2Jhk z0g=)-UJW%AEOC`?>$we2+dY)eEZbhOd+52>mt@}cWWNLVqU~Gv+A%QJ9Pd3|zH9LD zb%hJcsD1Luo#VcKZ+q{(qffttE1&3tBD}qO*!xfP-9Pb%uTDJnh?Lk{D z?ETEhPxjaTrf8p(o zT{nvX`f=e~*%v?DJ?zV)r=FW|>9fWem4@sqXwJM*c-Z&nkFU?j$VRK~n(*Bx2PR<{ zy{!FtG#dAvXGVSc{FGm>{_yqtPd<9bwBLXI?U$dvYt{kH9e5ypZLGJl7}u2_1YS;C z8<-Ji6xz*=I-|>VTY8)hyrGlt{vfb~uBQFS9NH}RdhMWn9**_)d5%MmH%a3S77vL_ zvZOH4;lq2>j2bm~46iaDOEho$Hqrd;W{qRh&nCwQGZX)Jt1`Uu*0tf!mFMQ9e4DX) z^N)Wohm=HFiWzgv~cTYAcE z^$(li=1%Q)OX7dGDwY5DkouR#>J20B?}71O+<%&RoJuO zcQbG8#;bT@A|#;~ZWM$(ToVwjt8h_(l%FQ2ec|xljn;&{CkvP72>lTwH zZqTTagR6%8Y0oU9=C#x@{jDaBH;*=nSu;1E@%O|2Y5Be#z#kL4@t_08iug?SfTnn9 zq;hy@)X2&qS>5jnWOd5UlHK{aoH4~>Zjt9za2W}V9c$wavRBCub%cbGoS#!95rf<7 z%`Gw$ot)#McB zWV`8UAl!8xkGtX!Wv*Q>jK?b%RjP=GxvKOgn%vw_iOS&dm7 z`JgwHFoQ`~Z81Bz3lQ@lCBuT(m>+f&w{)@0{te?^O+j&rkfJVhlcoi{HJ*}1AA zIH$?U3!X#Ka@^W6MZF1h^gr;U0I2WCZ>Vl}b`CNdq2!*BNvq4w%?HI*my@3d5vqM& zmnKii*g@x7c%3_6u7F6X9PC9j-kidrw3ozDO^#Ca9PJIvrzSTqG+Ki;%8$ejZg0@6 z(d2r9d+@OAyhsbGkrn5s{svr_UG@d)CEp#KuhF@4vV$koxGlS|t-lY^csxuWKZ+%L z^5xL0RHNiq9rky@hs%m~KY~J3nRDm3Pm69ChG|ejaXyoj& zk#V|QB|ErBYd|l_rq}$qS@z_Ha`7Fxa>ilb7<`AUEyMuW6Z>S82EA%t4)`&;9Cv=k z3_p5IPStqY#&Qm)LkaPypxns#SUr1#dR0;m23eD!L9g-TWV8Y&+92n9vm1E2#x_Tj z?~MRt@6Id!fObL)<1=%WKo6ye5btaE;0>|vz5}IpD-rM}b8})nueXE}<$B8M@S@zD zP%o&BRqn?KgyeSCjO!iRmcH&!;qpzVa& zAU~LhUggb?;DFH>9HzrZUickVjY00obxx*ZEc0|qZgvn?=j4Voad=M7#)$xRYvlZ@ z^6R5WhxzPWW^9z?DsEE+a+BlUJne5Z+0tO}U^BU^UTk)XsUB~Uv_8}K36H;LPr6>q07zBjjTm2L71(73<=`eCa>k=@>x+6Q#&`Q2GMTeOhv@DW$;VP|> zuHmma9y~^qmmT^@hdj#%b+kx2LqeBz7=Bg1T%QB8<-*7PYw-9M#+Z#EGD)8iJQ~ZAr zO`e-ci49WpipX13hlxMf$%whn9Xzbnc-&Q!AexQ8=4&N1;1P|ITV*epA1g`5JP71# zay%i7N?8Uz3v-{h>`f9mAFs)Eo1bFnXlXA-X0~_MBD&VH2QzzQJWl07fEb_P4jzw3 zw>g*Kua0%1h$cbfRf2QyE;%Q7XKa=#9)`8y4M@Nq^!v@RDbYNXDVR$lm{W7}vqPC$ zO-@emluCo{S!qIpgoeh(pj_6LMs{-ONbZ9X|C@NW;@pm-xpRUa&4<2TSyF(4W0G{C zKClY8vqRtM@nIpap5#`{U@%LW_Za+(V)L!Hau7`^ufm%y7-M5W&d&>uj@440sZo!n zF>YMs2X%o7c z!U#psD8Szc6$VlW?6-S_n?-19@4L7-!f5Z}qzI0SJn~N}+;JaJ;RtTJ3sV6c`+#m5 z?Eo78g9_h8jewFbM9?OS&}N{t5h^_I7T~NE`p6kXz%r1?yI2^{di*XGjzH#r!@?V^ zK%4)K3r7fGgs+aqM*u7Kx&BWqoG}6D^L=-D-TUx?FE=N`2fh%&yh%ViFB};Ud>B3% z`0&8{EnWcAz=sv>3;%|P-PLzFcZ7PbNE-ogz6y-ew5JPjG zVlqSkf3-3$Zc&6;E>n^dBHw>c!JGJ;HhtXNcvH`H&^i%Hc^4Eb(T2O6Sm}y_%3F$7 z3yc`wG~7kR_`{?KP|vLW;3Xvww~m#8wBX-RF@AjIU6y?5iSVm{ zil3f#6`C4Q@$s4eLdCZ~c?aiq2QvTNKT&ZACv1xldX^ZNntXb-lri^fXf~)Zw?(Cr4U0!el4<)@R<0PyoK)2+01a8bu{dP?&jcgy{MXJ`Qa8*i^Xt ztz)%`5ez)%tIq-H1G$aFD*z8){oB9r@P@ABiOdLquKxz8ek72w)i*HnOK60rr$vbM z`+$g*Z}YzWd&hk+=AWDQFGj5FHrxf~cvtd28S%AOeR%4kUjam)xqr;_i+}&+XXx9H zo?r6k9~h!MaD6v+>E3(B-8fDpZsBXz0v`4yg%4`>l_&-M<{>yc`HOut(4ErD7fg10dcU`Cd&-2iK^{D!bnS({`U3V%OA%+oV+P;yw zD)JNY3L`%-0UnDMw@3e*1DK%wpC=_~|9TQaCe;1E+zXF>h(G@4^cU3~(Q;Id&;e8) zhx3pD8;}Hl{`pWPDIvGUl$WFSN`gw@j}nrAl5rgA3R&u!$_<#A$HHsN2{IsfjRAH36W!9Il1$tgmE)+s2Al#PnhcNW z;R$~ttV@C?8E|)~E;}Nng!G5^Eg^prTs^Wp88LWIIGf1t5;$M-Cql%&eGT-B=AWcq zQyZF>_gBxf5Yv|$`_dJ0_Q#jUCH?4&! z+IZfYkzvitD=*K;m@pwDqrQIS%JTA+DXP)gx_&*JvDNXtx^K!(Iw;aghk@fBoMp2U3$4nPCJWA*h2 zS*<(|r+ol#fb)emf=0>9i@XkgKvH<~zl}svoF5uL`>&z+g3k1s)_$uw&i={T$WZ*x z-u-{+^Zz;&OT_+zMcv(z*!{1O*eNm+wJ_rTXNLHn$pA*&H$=Qe{?~~6p9$iBkGTK5 z7e?HVQS1LX;-V>9pCX{C=<(VQJ0U}~zD0vtQZ{^c48L%!_5n<9Js5;5!+?9B zlHvd}0i$4HSxbQsY-!1BDQihNdkim4fv3UpXoEL_XGY#_O99*?p!L-)1!XPk<1_>w zf`19opac|*LMg3aaui-XW{ccDUi-kN^`GUp7;rSar6IaAyhqEX6nMxGWx#qkq3V{Y zqgvLdAb2nMyxPQIR03ij=G#}L;Qf6Q(bNx*1tYJ7x}8zz1#;@vrbGl5O~HrupdmUs zXbmPr6L`Z9x1_)uYP!H3a5LC~BHskQ6-6{yxHQEUy!$EDE$i=ofA~=NL^yQ@PwwBc zK4^t@*$`<04NPYA!~7N@Xb)OzTb`;lU>-gmZo{KA*aByp*qYLkQVVBcz@6_l#MB2g z$o|r<|234#0Mh<7ls@Qedabkl?X7Y4pSDDX(tmbaWGMaTz39IVrEQPKil;6`{|n)* z-O_1k9`t)8L2_I;bT{SluM~{r;DqE^(`&;(_OMuRS6L=GG_Crsj7>ysWf~@#4auRI z;fTx%xA&ay3)-jJTcr8yv(IM%xfRrW$S56ZjShNk=tCfUD4cx+$b6}HK8oB=dy z!m7%nzXW#N0y5l9Xo=jos~7_}@Tj0e9gMK4tS*Z55Wfsg!Y;Zl_epvd$~jUys_>ml zNS+a%K4WS)u%CPw>#v!ZN@qj)dG?|vI05A4$aXpk4al)!o0tzGk3Zo@Mn8{8S)7{e zk9_)Kaw;uj%n~^*enk&VHU#eLniJ>>Vad)M9 zKxjDpDQ@#^miht9i)+%$5*ev^1?sRx(apJqv7o_H4f~2*%jK?Qt!hC2iYRiQJ0GRg zPpX*>o#C50mC6awe>Kx4&I&}+S*{wAprl1qfU;_cm%il~OlQUY2qVHbZ9k`cLW3$a z%iY8+Xcik01=|Jpenj)+zvqvNrUN3PHsOZ?9Xykk^8)L~>*)rbV@tfhBD_re4ZGD} zLFNM#aAvDMD455_^FKi@@+Yq6dD)Sz>XD+%{1(v?xhoqg3v9S7(7lGcX<^EFwj17T zD7;w-uV+QF9>d>(7_FLI=9`UD=}2{O6s`1@f`VFp0HbGX_Z(R?r;YK-%9^>1r=vqJ zGM+sO{23nxjbVHb2$$4ap>wbZ`+UaOehR&*jzgHQd7YWa_T)40jq_`!PYWsIa9@p@ zEb4=ML_M1>8j2cXBgscN*Y|Yb6&N+N3|fTc^F|iX7KCQfd>0c9P(m~~0jgwlrLT+K zFq95Tn5nAAS$vmBsJlifs z#ShR|j{Zisz;23JR69O2`}eQ^C6z*#rGSFUwB(4K%52jeEo|f9IcGp?xSRV-`;wTl zN>ntMD)MMD&H9j*aBv-vj?=kZnQs3a`%$fU-_^dFn%QbG!taYknB{wrR_zwmy3_Y_ z>x^dYhINifJlCw{^`|HDET=?6hi`~u!=Vcb%5SnRqJhp8^<+}%+q8n`sFUZ4T%PzS zQf2FoU0I1H3oQeUK9F6x&odH{(>X(si$GxrGDO)&YI8sUxPpHXe?+_T0+|$`S-e;# z3Q{l8$a?!PP}qdI2a)4+-kdaYSfeUeUTLIRw^uDr|1-Qul1a(VZ%B^#0ESv6v=C~A z4H6BflR)g~evQnXj@$ew9W3f?V6_eTINTTSg zD%Vwq#&L#N(j)(JXPiuy!etMf{pBcPbPN{PIyz&&>Dd_TeLB)!^wfUFy%fs{u}xo_ z=jga)F~~3cBSy@oWpHZZ@3)3g79~0Pg#uYVX8R;MxrF~!k=86V9#ybGjoKpy^CRyYhFZVFE6| zUqI;$G7^4)*6fA}eL%kEW*a_7yg9wl=9y%x=>|ioY@~A)$1FaX&X$wt0h~zo6h6w4 zPvC+Z%I%B+T}0R&)rSlx4VsCQU@xnqAM%W*gqy5w{RLl>IoOBA`lXMg2Xe!--<e8;4G)tTC><)Dqb*c% zzk@`hbODZ6MWgt#B%FO6e?a4;=Y}sq@^et(w5W4!yKlDR#W1KSU>zOb#1>t=+NFJI zaVkRlJZBB`?JF;ki$`YpX4PJ`*mZcdy$!1BfQIE`j^3gkE1o@3>>_Rmyob~A0bxHg zAsx=b!!SZriI zka~!PI9Zue+6$`tk1HO^@UW@}BQiA!f$MZSiIM7X1*x-`8Avk7ezB78PIBl*@`I9X za|;u+CS)YP)^;QD%g z81}C{jEa5)fE@fb6y<#>8cGw8g^CWRqf|Uv^+mznZ@+|G-P!WcX^+XF27BirZyy8~Ab&=N ziHWR8H;6e!V`E`ANLTxb7_2|?o}>KGXF~T_G4cGPEGZv#qJ2(ob=1o|^TXnmf7?ji zk+l!zjnq4-K3-&jSePRR!hOAk3({Gy)yZftVkWg}6rsJ)4euTesrRjPd}KW)xQ$S| znKpUi(X~+?V?=&IIn9wocX^cK44P=VVyq~xeHsU`sXYP0F+j!f_{wxd_cZ=+Z6_4G zhI*!5yd_|;1V+2Jq7ZmgIUA8J4b(5m+K`POFZQa~MKD1HhD{Raq?qP<1h z#_@GH3-&tUm84hfy|4^gt0;Mc75yR_f>plx>TFEIXsdai zX;s>;Uo~`t?;f!?e&6=KdS2r{(dEY9L1zVL;}S=AQ;i|q1D$HkQVKRFvOk*>+3#>k z{JQ9ltx`77A7LG(Rj~4hpz*?R)NDv26JX*U59|I|XtXM5$Vy)CItX(m|E90F{WQDE zdZH0raZ>*47-u{C#lot*hRmh|g;L`-A-7H^Sk z23uMBPCUt>fQ2)qc~eAX9oEmfJ60Wa#jEQ7t=w04mkJ3v5cO_9y5qh)z14s$>LxK{XE$UE{paho(xtfFpPFLk~Rin)pXY?p4nCl3;Lu)(%0yrehT>3I-`@z5k`zgCTovVLT!U1NUP;Jj#P65ly} zDEmqoK3;QBHKCd)*w3cSfwEv^l5AsBVKB_FMDwf$Mgo);BE>K&vX6Rc4=_DaF9pa* z<;*(){2t327q);QLvuyJF~t2SF=v>?u6P`|{W7d^qa#~1i^p#=L!lAvmg*7`~Y>><~35PSHDKeKz=xmH67Mr z*Zw2SJz=hnyh#RlUX5niWaGF6NTWV-{(0_gBVHhM=AZ-xf9;ebjS1HTNyuJK>!{gu znMq030Y)l8;X;eisP;qIql+y_%+t&YpN^8M=_>q&{3sKpjh2X7iuFA|ig5UqP{&zZ+Jh!$Y4CecHpTk`7DIeXpruhKlv7-- z{7S}5c6Q1?gV+IIk|fiel?M?Zz=y;&m<7Ma`QlsY?}<;K^WzRind(ff3g#8T6r;^L zC)m5LhWcD*O{C|}tzxj|X4bHA35XBo^h9`M5L3xJ9yQ;0Xpj3Rj2iGT07AKxNF>wov@MBve2*wht;1q3)F3U#=OQ~{F+KfWX}O}~j}TT~FTU+BM$!`a zC^6U3VB13$kWb(bGLXK4Z@H%+ev3iv0JF=oQ5#xpUnwh+#F-w{@=oDrPL?@j(^!)0yUhZgN1wH?&{g(8T!)riqfW`rZxI!sQS;~*5t~m` zIt3>1c7HEKGq~sVI29}}#kxMuJskOZi|4`Zy9cLuKSa35_5$C4d7{E=8|bIJ;8=y0 zIt>Oq-2O_JBG|@nxLIhKs1H|L|J376AO@|`2{+@cMjh+oZO3E;IUwfIM;xnZpfC%e ziDr?b-AI0dnp|8nKAdVU)7o-O)Aal~&D5!+q!LWnHrSagY}c9w>bYaQT#64ei`qGc z_iMt_q#uh0;f18#I}k*0(bMKVy3iDB9y{H%ekA8 za?PdDA+(`7CmC(-r-D73f;ZBk`H2XMtkN{;KBzk@PIzZCO_8d{Nr+U@Us-0`Pn<0Q z|0Wq-$7KxJP~l9V$DQN7gRhGmk0=~GQp$#VA`P2gmBr}~t>RG}WcP&j2M+=%!$pp3lv zH?1HU-tpO%;Wc8P(kr+-?b2}u$J6~{Dd_`7Y?jJ;}Z1d1lZ;%F+WSu`2@$(V{bd2Ci0sXn^GdDe{kt8PRd#_!<6M0Rz*W5*J) zXK8V_2~Y=;;!?W!=oVZ+2vJ~FokZau*mR zf6nVztdp$tf)XRgiQW0j*}Sw6ij!2r`cV;-MOE_QDvdeXG*VHbs&1|N#&HKHmOH!> zl$ErA9C=2E6AR*b(1-DzubhE!Vj29BJYx_OxO^jhl=0!8@ltFMm*QKHxutGFG*)dz zVkRhU+(J^ESjUXwY~gL8`93b5$^XDRiZ+^BWAT}+BdCG)fI^#1azGr-rh#*=Z@h-W zQXwBNddS=I5SW3a=JHecMAk<9Ot?vCXWXlaMjAR|s^l7XQ*Tm!?L9);OOtV4gApE56c04H^f@Qubk z`Ayr`I6<*COq6oT{LrgP2`tQMt{1aAVNu+SndM{ZIgV}PpqN!w6j>*`q#4o%FiQ@)-|6Z}dfFEA_s{9W^YnVe1rF1Zwq0Ta5UJDCLLB!MZwYZU&3de>a5-Mm z+uoJ*0tmXL+IZ)SZu}7W8-EW@qr1S^DJkNF%gk3|+QWPc#5<-cE!&04n)0oW>v0V@ zh6A}f{R@A}W|@(hZ9jR3jIr!YAuH(v;La`!OZ*|)%Ql)f()scz%tI}GvKUTtf zsSV%aE94FE=msR4_j1A{CM3p~HpQ542%*pKlv!ufrdZrWd!4N%Zr3z(PhDfQqlvg_ zC7n!ubUztG637{;*XE0~iqC4?;dT&z7}1_eR2!z8_`DUziXV^)>=cC~^&0iNsxMuW zv;3haM8<7b?0`6)*4b8op&ee~(HL2|r-KLEqMA=)cVvBN3Rs@g;h55K*!RPg$JoJI zd)uB!m#?t7@w3>SF5c))O!PA_DxY_fG4~EfWK&KdfXl2KYzeMY4&#YLfld4DSMs{@ zt2!SE5A*&~gdYV9Vie?Yv2>_#J2h9PN$8~sKj6l>+3(mMa{eisQVlYX-wZF#FR&aP z#*)FO&m_ChTcW0DI*)Dk|fB*p?icuDVCAOT#T#8BB-(rG;|2L zCkMD#rc&o!j`7xZr0O{ZBI4a|FAPrv;HZ;vqxJG7x&w9LsStIkibscYW2f z#Nz%=#|wd}Q09iz%0~M@ZDBc7qFwbP)ZFGdbrZs~=}6JS#ZqCd*1eLr4oUHqz$C^$rqltQMQZUZ60XKIh%H31R{??V`v(Yy;&Dtd;9BE zyIP&?V=t*pFFfg2H&lJPNLRURo`#vGcuFUrX0sT}e}glv^F>uep+7=5@=r#Q zdEV!u!q4QVB3G~Do5_Cb*YUC7D~xyUj-fNs<3R*?MXs4F@P3c5hkWP!Ku5pFem(=F zvT#{sQIy) zs4E16|5l2y+Dt}q>$PMEB(%y)rGY?Xzlrf=+lW`afXG$bB=!cey00Q7041l%J;Dxc zQ*YLr*wIn@mR?~$OCsU?1g+DnB_$x<1hl0#yDm1c!kN!-i==1$avWM)K6U`DRc@i> z?k=$%_gfZ7!r>SUHhJiCF^+pWw&oMj=r|m))@R!M9TlRJlwuJ z{0ecd6faL?qFCTP$BPnkD9Ir0pwI1ue+kc#yZn6E3suCk*`Vc6|F!~8kcNZPk1gg2 zM%xuAX?}>qeDET3HuiMvJM^h9#`_QC-Hya$(9aszih_A!4Zk&?;Pf%_gGYPt9;i)4 zzN|WfC-OnH-I(LTbW<<}t@bpPaBywh*0eW7f(f8WthZbPFTtre7mmCMSM{ikVCp^PTi0JQuYVQZ$g0FjP5P8Pm58)-`5s)@I zpLNQVq{YvydK~Ngd#&_7uDsClmf`fX)~g2JVR8~?wj-U*b#A&^nvH%{b*>rOxEYzLvWJQZ^R{JysePWV3)fXcC)T0htc~1Tllk4w%Z_TAQL^`y`6OI;noOELvDP}#wjJ#Kj*#S z{SoQe6eM$?_!Ip|O>$s?q=|1!nWB+QLD;!eDcWGG^xe;mv9OcD6^yU_TJDOs;MveV zK}qaZF%nt2uz&x>NAkNDE zM~6{zWQX6pj?u-^6~OEVw75~eIQ9zYK7;?twbuyBALF- zMOUZ@Myq4-RkI?>gK__`jZc!c;Y4tm2^5sd=9}_2X-IDnEdm3#^xM5+`SMayOUhy5!_u)!rR0bNRn%YFHWPDddA0GvpC;~v0szOR`(L* zKTO(|v@Ou6AD9i?{!Zq>Tul{(f=aGV6yt=eF%Y}6r^iWlr3VmC;;==N3h_JBKX_7M zep<^V=#)Ck`uNk|;%CVK(?J7?L8&f8~23Zgk9o0%=9{zU6b|~;`d~+ zRl;IJGi)ufE;Pa=l)phQ>@ebq@RiE?Aon)RGOdkPHHa$jMSQtRu((W=T_lh|%0;tu z2SR1ytjURpKIx}X=KfyWd*&s*YHKUWHhg1QN7)XU~c3YSR>`=Q_rEH@ssUQ7l@>N9s& z)Lao7fK$XN{36M9W#M1O+x2dd5B;8RbA^E1Q z@K6ixf80mjfjX>^DHWVgVA?{s`sOBbBd`IOkTeY6PfR4A{K%)sL$Mrq)3?~+#o3Ns zxI_u?y^r1|J`#`nV=6S8$r;)ww;cUy{+Qz8s~-!8&AuMO7@ah&^rN5y2tr0vkDR^8 z{)P^ZBpx5|S=;myMDzj3t@*UcyZml7|S*~!Dvn~^a zdL7rH#x5-n78V{TYd$*=@X#WXDZOaAk_H}l{ki?<(>;M=4pD%1Ny5^ z``?NY4>#^Hfn}vr8x!a~+*OE#`tHrSVDtz3k%_T&fc*J+xWry$V8y(AdIOy&4C_js z0&N89t=*p9-D;1^N>+-YNN;w$&+psL>5@8b1@DEF^9{>nvZH1zx+d zS2oRo41e5eIvOim7nO(;&4}*r!Ea__ei`!iLQumDU!b#CK%N6KfK(c3;2avy(uBW__2)+8W;Vt%DGI2`5A83Qe%DGaw8TEj7*x!aM&BASmV>&OpCKsb zXu*w?f8Uks8Kw#SNF;S@H137IJhZm`>7DzmBkzHNehFRK^0s!z4b>EN1P3JmtHrpg z-0U6JiIp@S^I4d_Lc#Zz_hpvgO>U0XHJz4M9l*0_FH?B}`CX&Bo$t!7tCok7To6QW z%D4Zc3rHPWiWsji>gzhi`anb^C-*Vd0L*)#EVM^MiUBK!sK}fnouOo^p7n%dxvw+n zt-=Je9$-^FTwwG%+I!^)w)*3-b-AT&g!2t2nQ|#T_*rSIqXp6`8c(VNEWTeHFQwP8 z#X$JzDD^x9>5=*53)XN<>4xBgCVi4sO*(4e?Y?{H8Q;xSpZlhV#shEzzk=>XHJ+V0 z+*1YKu3B+3tth=CE)oi8VJ4wq)9~(`5z*$?Y~p%x2406=Xr1m_R5hfiQ&oEH7&#?S zP4AISw)yx=yIZHO)X7;jYYrhc#+`+(@-~sASnNFQMW2LPcb_=Uv>t)j+$UK4#cxJC z?Q)X8QltC{KzkyorxRI{TrA7r0C%Q6!MeEYy9@!GJ1g;2Wqf`yk|)!JS#z$|`Yi|t zY=^9GnJim)vf7=Cd{?>aS~=6aPaxe+Zo^J{S0h^`odR)Q;5hg4-SFk$6?z|vbDifj zT3mVUuriP51AQIcc;l*Q)dr<9f$fG5p|U_f>r@>$)5k1qOk+u8g(0KW;Tn36`=@Bo zE3@b&ZhFk=9l_mn2OdJKr#G8ody>V?j6WylDr0yNXTz%JO0Z`#JeTaIHz56kWZI0d zXjg@0DZ8mL4lanQfkN1*)NrRL`+@f4-i-6niqlwttr|G~=W|k%G*F%aE|PmDmi)M+ zEz^C8VbRv46ks-d7(#nooUOU|CA8j|o)PY4xuiP_Nag(Fyk1%f_OVOljl#MZyCv5A zpw{`NohY{Md3gu=m%$%j%=|<>qw^ippGeO1u_A& z6PnNR`u4|i2Iz7(l^sB2K+XZgJxrA?B;DDK#~-Bk=4X>VZUhDw-<4iMQ_Av0dLgu} z^{Da%o`RRuobe=~Yau3a*<#g?k^|PGqpL~woO{Z8A!|_UpQs_ZwNJ_&c&+gOJfX->gKVdE~mh_ch_lz^~Q*qn=8a#y`LRPTvd?uVWA9Af5)Wmt5v%BS&SY<)r zPQ!e>4S^23|?WM2DUe$>3W+?+i=7#YpHPQAsp0q&rDjg3N{x0yGszkjs8my}) z!O)+sKH80Rg?xr?tS0vjb$TqGM1oLu`rSwp$KRp+bm*rxEl$Q4vD??v0PDM|eHF_J=P}M2ho6_+VK}fJ1^-VaKN9Lnc=YF2}K-8%H zt4r=sceS@c_&LUzGB2PPmY5*@B>&TxYyE94N{aZjZMiaDnPO8-pT$(BAyQ3xl59Dh z98%lzB}IIZeY(0ZgTL%ts#lPv7(3N?#b9|wzyAirmrwF~#|57AW(ZeH_@tuX)iERw zuJ8(VLT8fZ+}aIBCnW!h&w=y2M9u{1I}*s+VZN;ep}ObEck&LUyyY{(BRWWn5+|GMlf(xu3})??<^lWisyXj@PrT;%aQO9@V41 z&a{3oP)bXS&N%)6(}*DktGkfIYiPqA7^=&ObNh&ou^=D-nI zuH!Wet!Q!J4SH*MH%OX*G?_>mfFmC2B(p03b-ewM&E~w5 zNbWa5e71*ao`qEB@Af!iG`UzkH(eNLx4x?L)zX1*L2VNaj#;AKRVNzS|1NU4gwCb6 z^B?KV#;DaXjf-s~#DOeq+BXD0q~d5Y)77hXIDR*<35>TRwB*i1c!02!LY9JMNAd3u zVy~kBcaNOotH|``3e(=S8hb}b@CtTpv>PP|A91o`y%i@cHmTj>aAEO8ZCg2>fnN|*^t<*z)Yx^6JhWS`a27s$)Hl=g?K6fFK-oe|&J`gQ=3L9{~Mm=YLQwr=m zRIdy?`jG23O9YL?MCCEZc)m;EEPRvXW>Bkx{7Ui#?n<)oCbIu{KG_J<11W|Yv*ZbG zM&1!~`*!=3Sf+`@I~ zj(#m_v&#m&hJ0;W1Hm_Q?mr|4O)k|y-f9MU+yhcUv*O7oWQ_QUlWF;)oLmH&+SJSK zg{sJMqq+yVPG?P^3zbQ9eUsO{NGm;$#}H1v7fDq(InW#8Dc1W1kXo}|Oq9KN86GDa zSuTz*u7LB-Ny4Kmk^3!_mBN3+YBXww>(3@0n|yIi%Os)w$HuLqG4MSgv}+f0;*f2M zRUG1b@?;Lp^KHYS!Zw4fpc?nfS~dk$c&E3p1lPPnACYCYDIqJK;?OjG#&u63@!VX_ z{E1n-hUePSls%$}lxWn&W^H=gdxblr99k?}e$Y~Z8yzF3nLgK*C8G2rl5E`_9Yp#mOz5?k;sc5vZ3Xe8Tf^6AffY=C3WxP*is}0 z?ZuU_Dh|R;tfy^;JAmY|zG32~y9?EBGNf%D{!X^w(K*`@oh%Lkm9KQ$71wB)q(wFUX!%|zi@RD^xr`|juor->wiBXWX5RJ$>v24rA2+7Fo^HF?lUiU)Q#m0 zrq_*19TObCbCX@3z#5!`e3dKa3g7FjcVb-cxjNzA*0KaP-I@?{?R(&(17TGO!r@IX zBe^`IU&0z!2un(k*K@U6ATB%#brQCfg8CrtK_*qHj!Cv-xQq37t~`f-tmUd%Ooh!;L&a2n9uxP!#`}l~jAB&l+$o#S2}gc7y$ce! zf9llMzvgjXF%N^3ZmgJsTF5jsYqZwa#RyPm`EYFXXDuT;s&XS?vuQR2nI0A5&!(S^ zppLf(5;Ic3Xnz~!a~pS?_a)?1cV->LS_!!##|?#pP4qICy!Xu$bed(Bg(llKYnee9 zF;=}CPZQt)zTos9cMR9Qvv2f}ANcA>zIebQIYIj`35o=`UgIsU&RP3dA)G`S96im) zwSse$a8+-Ob}Q&n$H_G=`aK)3%=ZpLED<7=kTg3OpTHN?66ot| zkAd`cj$)NE>FTCeX``6lM$-FAJt3tHBq3oL$L~72TXx5h1?o|ZbmldNwmEoXpr^8n z=OG9AKDels=R@6phYbZ%@JgYmi{+4L8%z?-4+Z2ktjzyN6ieXR?k(&A<|KN8K z6YzE-#*_DzH%KzzMu=ma4ddT!b?*!oe&TSvc>|bgSg`U2>uf#llKdCm8+S`byI)2J_*n|0=$dfR2&)DyoQsq&Hz=F z8}D*QrLpE|Tnw!uErnl71Kk4u1@w^BD?K4xkYoy!!N|-SA+b0j;6UpvzD-br5Y_TV9 zZt6s`Lk>Kv@V7`}qipw1!}*^^0u2FwD)Ix_x0AinM|do%adzmM{$|;&Rf>S+v)6e! z6feoaiQo~8fsn~8t+~rCbDZwvHZse=OK zK^)+yv&-@{k`7BYt{e97qqz%wk;WNafxDDO5u3j8eqy7CZd@WFHzZC-sO7tW&E19gHER3K?d@ZHRowN&(68s0L;SNL9jBFF z5;r&AOE#%31X9o+AZ6k6?hAZjA$n&pUN+f{LhEq9!v2uOET%Xcxb_d+r5JEZDL+R} z01*fA5eTc8d3}zIVG{SfT-l0nLU=c>!$rzL!*m+^`N#Fy-s{MB7=`jor3@_}c(T%FcteF#xVszQ`QCEtLjggTW5FhKBPp9d1?i zIeJ7!*k{#{Iko^hLPj~3FoC$auHDqAD7L{H51A2`_sSX<6b6a1r7hVshcX)$*|4_R z+)Tk5D>f~}8%=C3bv;Mb}4Cr=I^ zeHz&YIfV?l6byz9Lb1=RcfsIB%=Z_7f%#kHFk&D96oxH_*Rm;Y?8mw(v%K*^nwdNYwOw*<~l4g3|P+5S; zkwER}Lc|ptAj;y1@@uA(ezu=L!X)Q9qy!=3@KT$}DXp@E-oEo1qy^r7OUkr9rEPTM zfaN#?w~pMQLZeZdyt$Ud3+rQ7<*4^X(!@YWbY&ztWxhtND3%efrRzjX*>7MLgSasS zIzVLRchMxjOl!P@qI};u_L*kJ)XemBLpkeFAf2k$X3>7!1nQE-o`tg@g2Pg|7pUhP z>}uQ4&KtyRTe15L%DG1PVd)NO5M1s?oIePR3d9$9#~^Y0i6Kbr?R&u6ijj8o&_1pW zM}*pQy#C~umOrTJ2Q4_s3L5}~CfEb$Sj`78YfOah%x}JD^WX1=V8Z}t#z8oC3^ejs zXxJ)YrBzMoOv6`f#Nil}u3>|VjOGhExx4)(o#mLFe~&z6`+^tbUc9mWK?s20Eu@!{ zK$hTepytLfQW4JQ^QqnU4KK8v4j3VYw8-W`hs-I=J2pxFW5T>+EwIfD;wQ6HvTNExk z^h|k%kftU7NcWNP*0D^b5;tTg@OG%=2~ZdO6U5pZ30|McA(sf z5vDOTU8u9j8RqU3RdAP5{pvJYVqH(wC7mGx;1_m6ibWz`i1c&)S-w;5RoJHoE0%rc zv}Cy!SuVzg<3uL(QsIJzP&d#;4y+3DlCy-8;aMNk5zv~DEI=#a|51u3RN?%VBL(Pl zr@tHFH+yM;^=U1e2xI!0(OaWjmn_e*qBnWH|087UEPiwlwja+uRAC!qXv@=1^_{PM|?F#d(`| z1mB!f)O}Icz$pmQ+rE`~@(Os(6Uh?y!f19u?#^B=-$-gijtrN$RZ~juqsw5d)v;$_ ztPwvnl_!93FSe{`T`JAZZH#4OKzG{QT!aUatB#qbfDVhaH*!t8)#t`3*9RVZ z6g$F_9M5LQt!l~Yil>{_#L97kSu1wEd&$G-BrnSS;G%v=*|~rfxVWOFWMN<_8R*cx zQxEB6M8qjo?U1DQhWXhJ8+d{tr{dU|}D509&`RParIQji>Zr*1(rHodp6SjwB&)yAp%~txJ3Lmh2WcmiGYD;j+?0qmFRS)d{NB{#dN7 zxAhwxlg&SAe_jv$-%BgHSRZGFj`ahW_yWMh0kR;dI=CK8SIm~NdSR#Tuict-v4&Ih69nQ~UzDW-WQ zMiXcDacMx~btwUNqoZ)b=DAqG57!n-);U9^Qow18$nVrij5yC**{QY_{|!9ylTw`R zIoT-I(!II!++gqT4_x!G-XEm`iO49a0qQs1m@#W_fn>#jr4NgHL!)GBXE zUD#~LK;?0q8H#}%BLOVGTQnCBRNq9>L5Ng{PxHHBYg@jI#EW=Rdpc(|G+wVuvaJ`+ z$MPRY_u+)VK;UD1_WWXWIti-a^+n-N+IGp+p4|v#*^7ERiVm60U&k=6rUzre?mTDy zfLS^O8sIr)QS+yeJ5~X!mz6We+Bc>_Uf_7%#;UEq+|4m#<6y#l45rQ^m^zEqJ_8|< zvb%G_ZqV|DeA0q@?WhoP^Vc``wLY&SD*_z;&K6Ir>>4dy=683)J@G`O=ATI-<>k)G zsi21oTQb@y)R)8K$b+^q{+@{Yvg^(fr{9I{7xMHlA6|98!qa-WYwbzM7io)vu^|}D zJG!YmII`4qD9y3Y88)y?cD1&d)Y5mu>&C6@N{7@H-YApGV7E?L&UC_cr4V>=xMH~R zdJ+J*=SfKvJx+IW6G_j{sM6DxFyZGXdb%1d5^a}P|Cc{`_PZZc#4 z6((HKgU2>Y3mb)TE9`r4w&}!Xu7QcYj=UnI%6K)XXjx)tJ(wZ~L52|y`5+S@l~lkF zo8HvAYmvO0BvgF~i?(f5`M2Oe8Jia2evko*ZzJMKm72J@uS6Glt2%@Sw6L2G_Byj0 zmS1&_R4{{QgBkq)u=hUxEuH`W|8=#!$d&e-=A=DoPui3Aq&=yGghUfkZAnQ)SAHz0u#%5;5W@8)Ejm?kQuwk~B?ek3S^?JYF?|v~?#=i_mI`VCh7buaVO2~Rk=(BiHzm4f4Ufp;}zG;+1{Jo-!5Kb#%U z3OzgYq7PTpY}XZ081SSlLQF5uNJ~Uo zC+`!=j68)zS8i`xPjuRAG=f-XvGH>wX&mhPsD7UGM-vD* zTF#YRYfa08akVSckA#?i##K0-oTJN|x1b-##7E<pL!V0n3F^*&RtV4Mt3~FhnRNX`+^Pq=RX+enSY^@4Ljl8$w0yp4?lAQ2!p1qQ_D0!_+Mdp|y^c z*lp)+o8oCTnp{Yv1DQB{!)D!vgE$!TgW5SsokGa0gll70s6rzXu{c7N!3><>6Ce% zyeW>u<$J%zAuzMjzr61B_Yk}DlJ#>nNbne0tA8A7u3+YBhcLJcnZf=R>{!|k6r$1y zC=TiXLa^(AI-{fZdJog*46_Vu)#-qf;6R25S%coL_DrK|Y*G{@Ju%GhadH zo8D$g1(mrG@;a~%4ut`p@0l`wd=ZkuN$-qXo#|D_;{bAh!}9u72=j--XQ zl4bNLNk~~n?gUwkmUo=$3|4neL4W7i#*C(y4IvbV0l8G|9?034*%!Zrsq@+5V+4%e z`EaEd@T~g{`?cC_x}M>%|q{Q=405GgT;eF6-X9hY`%7w z6UKvmHgmUez7U74E%A<#AR@2X>S$jv2D$}rMWw?~%S<5)zi-U2y^1s+N0@rZwzp9F z-~ikk(itoGv$z5?+^`?gP|8l>6d8!e31N5=SuJP6I8yov5~9USX?rQiMa7zd+z*~l zw6DkEKXMKsei+tgW;yz!luY3zsL(h*)7HkD&T+N-D^~G!jq^Q=EES>p&Wc*>gO#M_ zbU$76W@6W@pf!;BdQO|bs8d39(ILfJE=-yWcR_WuZyguc^dlH24uxm}LI~XC?1WHF zQ3y^3g}S2(QM0RvEf20Hf?DI~U<-#N8SNk}NS%OET45As3cWBS;aJ^c2-%=Hz|1l&l z23fugWoLz0f&&><;X{atJB10uizm`tOI;A}?_0Dmkm2(W7i6QVA#l&_>c*tA5n=4_ zsnYDm7la7oN;yvy#^)kwv-ZUhIfxr%!C$-XrF`P% zsRe8G7loQNT$k1$!&3@%>1fP)7hn_V57$DH7V#rof@s5A)H}iiH!Wj{#a4mA-r@ez zah<`xG=(~nAjZqF24qTiV(XI(uYqq+J-!4i6J&X|yWHyl7@pag?ygOsT$l zC@dBpgwU>#UKoyEIU6O7cPI!}S4O&>9#DxM4$d{=h=wonG)Q#28toCTT!yRrQdB2> z5g@E|Cvrw1A_hrl|r`84isYl66I1_*#A;510Mo$imnT+j!gKm1DkuY%Jk zbr6O%-y!or62c1^*C6ABv(N@zl%RbjPVWwbOyqHwlHuH6L7v2ST$D10sK1K0C?Gy7 zWHPssL&fWjHAW}xi`ar|9avRx=DCt`U}iwc-W_JU1HF4Uo$xP{u#@f(d9_{xwST5m zjIRl@#Up0E?lYEF!7oo>=0cu;&W4;6Gtu0==BSiJR?0m{k;kfeffa1#C>R|&LP>HC zUPkReE$Hjs!Oax_-qRh>Te1HjrGOLGd(Z@L`Q+lZ?x}6`ur^XyZ-Gzz&+oM%!&0?q zP#a4swm-B2{D(s2XNXac>KU8LU*_rctiRlHutNH=WB@?Hv%=e;U9lqfjBv$4?Ki00 z=kP-DBel709 zjkZ%>rvM0(Z6ws$VYZ(H3ZPfXKBF7BG-uFsX9wz)wun3)z#Iif42_9728Hl^LeLF!wD*2pG_$>E`cfUKfER}IucsS`tfNn!9js7GfrxPvTCW%H_p!p zA2-GN8qLDf{eL>iM?okg3SbElxMjj21<=%JBD4$M>`!5OPT{S*CTlJ%21ESxGkGR9 z$cFS%#K(g%I6mVIlnx`aC$l05h;3`+A@W1lhrWf8fLE&oEE{=&A1yiDR@c9ntwujI)4ujVMe3MCf@s+@eG%1 zKfz6tfX9s--y_?=e`sq!lUT|9qyX<~@uvzu+vW&__6}yU>o*Xfr5Y#jJxMfPA!RC{ zEw6(^2bK~&Siv2AA>9iWL68kx#1M<{KKKbgp>=!&{(>I!ztI>d4ev}6k?=b-c^9HH zoCv51W6BU8MZ1At)jm~-;*Xd=7dU%=c){5W#%n@`Na^kjTc-fnPw7=I8*rzma8F@O z_B=t2<5PNWn&-?P|0Y7k%^}i>1tU(Y@w3}R)XY6#4K*L+ z)S6+65I@mOjwOX0^NcwM+=z~-#sXp2gw|%_v}|k7bTnIUyo<8|3|F^Y zGhRWu*gtP(Pzs?)3TfS+YC-6EpQ?OHIim3XG92P*I&tbEmm z>bHpVXjk7$4EGE{FTF?fD0I+Mn<&$>oAm!e-jB1X(5q$Y987hQk#&YK7 zrEvW{dH6Od5?J?F@N+RFZra>n@O?6TmB23e(RT70-heBN8c={#wiFUzKEcefvmH4M znfv7&Jn9T*lGu@@gx5?~=*v~i2sBjtCI{U2r{J1!xorJ0-2qyHOn`l*)@73o-e67z z(H_@YRO9t4mpo#EW+>I_g1G^xxVW8b1QUicu*#Fi@N_!#VGo*I!5kA)$u584{y7{6 zIu+M)_?f&Z>%~FkDTobXbFNZYOJAW*eQKndR46QeAQEP~wxF}SJ-5B9vEUYLw_R0u6feztCaRwb&BRJY)X|=1!&$F3K&C)RS zRC@V1SD*k9n&A&+$>Oss)I_O!7|eWn-hxZu?#lu7&r~9ncuq^LcvI^v7)+oK1KEhX z(`A+l()f*KTOjn12f*KBOJZ2s+suuZq;2X{Rly|8&I`>5z@$64hVtZ6yoC%DBmxCY z1z%Ru0sqT0m<(hzb%*gftcLsIHNnL1DTqLNTPSvmHGHJ?lbkUyLGagr=JYLpijU`C zOoy;N3Y<&gDk9!ZE8dDrp;|XS^EJMn^x{^4Z|MzCfu>;%c;X5X*lOy|$R#)dlBl{a zz^kdNlzzs!8Ea7W^HA=s;(AGQ?tf17ut!Z@bML19jHI*F21kZ|N2gf8_7$Ht3E4aF zQ~hV?Z5-_%p${NOHkPJvm$ZFU?$?2RLC6(;5kHDsOupw_e1cUV8~Gi0QLZV?1-510 z#ZSPAybH&{*9etgIDzUb8(Wd3VNvsLF1ltfSonFRU`je31PU4R-J5<4qh@UAzdem) zg1}P0r?L7|xOyk~uj1-^xX9unOn(KyPi%98nTX8acMTytwB7M3@gVv2cju6K?tsRj z*739p=>xhQ*#vYgk_kT%KD_|>o#A^8zlX4e3d1-xZ9YHZY$DwDt08qZ3Rw)FQ<`BP zNJFJ8dQHEWGTkB99c;NonXxU$eFrrPElCKn{H(2^t_Ix|O=AmI<*p6!<56LGK!UN! zH@NvC4R>8D{uQir8C1s)fFh>vI8CnUEOZmKkVu4R?M3$%oCvd=ry00t!dB8ikMj14 z9c6d;rFX~E&z}u?C!ORtK-GQ5wbQT8b zhO2@sE3`yu=%K>VkfJlHAa3!LN$LJ?pQpp}U8|^drAMQa`(WX_QE8eIN@j;lfzzQI z%B$_cFeJ7IzL{3w!OBtt^GGGfmH@G-ZV3o{hk-(K{Lq{<6N$|r(rPLGRKGO}Qom)6U~sx1VUl3? z?uURTn|FePl9BM~Bfv$A;BB~<$`TR)oDNZC6#3AmM9|?s09M24Xvnoqytt_NFFrJT zJhH%`IhvQ+>baxMJxi7n8Gq~}ASf#K-yI)~OhEj5*a;02)VPU!NRvSvyR> z=%@wy#3`uC*4Co0S(}XfFYiSY4RR@MK zd3-7?7+1Pq#hYMJiPr&`41D|}Q{Tt1P-7a+-&oSY;wueHor#DI<}>2=0(&%B23(>s z$|*f)jN=FF$U?=x(O=QpoI_C{VC-S)MGZTtek_!uE{6lEB1d`P8=)i3#{g{rxC&h- zZ-w!51}p-YYo|{LvxPW0&rk2_i8JjVVdg53O5Fa(Gsy#>;ONIhN>|`vR(k*;>oo>j z8p;B~Z91pK%*_UNGif#T_&(MWxLPaW>`wx`d-W3$T~NX^ z$%~-*GDLVc#Ls!veompxww-kJ9HvnP&oQi1k(7<-I;rD=B($p?Hp?LLhM*&qt7iVh zMf?If)Vds~C?YuwQEoO9nzRMkZ{nf(8)?RhVW_+r38l1-0U`%(!t0p``M8uo4M~fU zZ5tADc5FjTCt(tArj<%K&L zRK11?vixZZq}q=Zda7i5P{zZoEMB77p`c3*7edJkFi)7sThes!RN2w4W$Z6%z(}64 z#84(0z$%NtZFRB|lpT18cm*=#GN>m^rf7UpoXuYW%g*|erJH2^BbCnFfdxq8oKge2 zKReBYB#U}qC=6XKqFY_`c^L99FR} z)r+{xr8Oug9)VBa+>O_bc@6P;$6M`T<(1NjkFf95HLB_K%w5$3g)i`R*COxtgkevI zLT1!u#o@j@D)4#Pn46k=1s9le!TmdcPe+wT6IKClRd?8+RzzvNozkYFkS!2iURm${ zMpT`gaK5?t9AsOgbMF>gbb z0RPJwOV)Bx>bMXg8e};q!~xt5#tPGsmH$x#m7`Fm7QivtyT(Fpk;&6{1q3C4OS{pN z5V@rn7JGA$ue!;T(fkU11%XdAq%z;qojcjPco%R5OgY?XsfGYu^Q@XzRu3d8uI`$? z;G?s>8cs&${BN9aBA8t)NLF@wNTkcrdaWZln(YbY7B^o=0P5z`!M zoT$4K;a+R~#y7+?n}XhUrEa$ZFOs&s`-3l!{VYy!WKS0jP&rG0{$8xz_SJws&cJ7+If=4`r5ToPZ*M{nRawVVXj|PJRO+U#Uethu@$} zuu}en2_-Rf2kDhG5{WPjT8|K>F+qJVJasH<`3`}KDrpx=Dgo6FSwfS*SdCLLkQy=H z%i0l8-*3&oN|EkY%??M>UZl4bHR6_x5%5aoLjYB5gGTy2m); z;HO9<;BsKPr+#C1H>U%$AC(Ne}84n{l7h zACsu`T&0|fzBKHM_Wo=+g;G_>oGjk-=()>K`!1-1D}n5gC+eoe@oz&7V>Epa(qlOw z<{jHPeXG&Totb zWo?xbL~h%v(?t8lKk;m|(X@fOQ_FhM9H3jI*cP|v7&6@Ob_~=nMM(WKnomNYY?oX1 zh|B{aynmGjMNP(O>jzNDwi>6&f3d0AVZqX2PEUqQ;iyyyV_)XWC+On>W25bfr5mUj1 zI#y${)wwT!cNJK|WsYP>A)uaJ6ijEI{h{OuRELBDt`!^OIE@b*7~xn=~}BJ~FGtoJNvPN`qZ;vD>{rt-_#qqoKxt>v9YmI=XCv_o^xKtvu6^#)hIkb{b^b6& z)1t{)TPR{L$MT(Yqg{d?hpE3($&s9~$xKeRc@*CAdlcwm(?MlMJgQvHd9VX;W4Ofu ze%e)#3Ce&0!Pq#T=+AF@7gRyBzC}9TD~IP8I>FZ`7M>p)UD4*~UpkO}_x`M`CpL{z(hlcuF+Awn@^}}g&4Liql+hbua~dRDkLk2&Y%H5f0?0kL$}o~Go2M2-C6%_N zt9~8}GObBepR&H{0v*C^H%0Ye2IO9*9kf#w!~4`AZNg`i$* zthmQ?mW-dzDm|BD&CJ>y`g7kDuCl)+L##rVN!-}J5vM>gy95(?4 zCG5B5BO`JxaSX;uujn8^5*HSLTykXqm5bk1SjGkz9@zPrhHzTb!S+OrWi`i`?x?lx z7)Zw($a}VAAT5J1PyLvI3VY@(u|M;?emYC4z`!#b)~Xed2?RGG18zcp_W`EF^bvKH zNsn|4C1u8&u!6Byzj!*3U8vA~5d|t%;L8Mw?ghpUeG59g3ZGMP*D$#mSE#Ql~LDT}eW9s5V3nmA^r0{`fH0g$_#rMc(skNxWNp-q= zDw1Vb$*EfvT(tT#g=wFe>Ew+udgZCb0?9*nO}BaaQ@v#F$c0J_Gt$Or7>2PhEV%~r zMkD{RACARzhoe0WEaoam0i!;Jk5dnp^jJ31rowk4b5V>mU);?_1X+Fle7FAiWh z4OY6JVs-xKw?xp+0X;oB|1S9V1g*LuSm^q&0>m-AkX{4{7;ymYDNcao5{%|z56#4n{|=w)KW1JCZO9!$ge&fKV`E$ncH#zOUBko-4}VM1A@LOn&>Akywa zlaQaf2-1v6QxU(M8Jz?~tC#qpDB7~bS{Ir7LF$(Q?%6_&`vA!1mh-BTAXu0#tGLcg zF8h_41grFkKoBhE8ObX20}-;08E;w=NebjjE}oZwc19k@l`(rJcYOtIRXCEu-Mw35j|8%H*d0=e?U6YRy zEhKEo>p_;mfSl9h)8g>6Cn1sm0XrGy1&@lRPRptDpI3(j(;kos8O5hiwP3#Sn)&6X zr(lrp1gNS|Z^64m{08PtYN0- zLHm-?L6-5R{weCb;Otsfh|IrIdz_1wcL<_+4yPl(fbM@rQhpCcW9x@O9SI)V1M0gP zsWVMaR_!16PJT$Kr)|(~lxJ^L+O!Nc>%5e_$T6VI0w11O7XZ*TMFa?q_82--W@dxnN3FME zJT2Z9GCsYpB;0hrzyMIn4T7B5>G7aZkd6Xqd z?m}E(3_MUnmO(UR>4C_;)Sg)AfqEO36_9mlDS!>u6vl}i@b`F{V{ZXFE<{r+LbDP+ z0u|ZTiKOB5bJ7*lJCSDA6-{LAE3ByJuBRw*pS|rgg&h7k2pXUBJ=OSW8>|*b_b$LALmUIkJD@60NgY~6RnyEDPlXlIi zEq~HjOBc1?DQF(hD|(_8SMxq<@=k9VMp@GWHG3=AITf_iDrSytdw}R*)^koywRag5 zuE>znAK(&ZiKWPV@+zMRN0Lr}>Jxt%h_Yq~bsu7LdCx-aVGWhEt_bcSqY?Yz_4ahk@ZZWiAe}}wKx3zooHKP>M^vqyM-80? zVJO(?U4BwGAm*R~CC90ugruiE%s_iHa76ypjnU&apHGEHLmyzYqKsyE|F3T2#bLex% z9^7~Oeg!a5XlNg>TJqCq4|}ib&ea0Zco@Iw);c^T#{vCR@VDt_+cSx#lyoRYBw{_;lT?bB zH`y!&8l&Fi^xm^%Di~?keC8&2zPWHb22YVUxztQ2Is+eqdaV&6q?b4oofM=D$dN7k!Mc;8e1c8*s!BUZq1P5=@P^^*Hp_r15?Dr9scXTZZZ!rx4 z_+70+46pnV_jIpg!-G$sx>CpVmWZXo3d-{}q$j3?aGe_}`9fDKGl0#FWIf&3>KyC9 z)M%uAG&pA^O+4e zhXo(sEoD46m5-j0gdlzW0MHUCsrg9K_({={NzHXAak=|4A(|qNW7$P4)Ji*Y+LCjO zLr&$RUBhbH8$vlUR@aeZ#=#ur0}<1BShRsjhM53gzPgu+8(eqT+XJn`weKjB>ahKR z_f67wp%vlnqzk@AmRMkds7TM4$lOWYf@nEN76#xR7BFqv@8(#JaH1A3OGlkWN$vsB z2|8txWqI{^@y2+=op?N2VDVOgCBvb9`u+`$>rXguwta>+Qvv#i#}z*xxWf#&(gLDU zt9%BQYjh_&rgP)Y!ta}=YSvKqjixhVY*HD43_=H2s2n0q!*?vdw*$dV3;w`Rs1fs} zGyEC#LIn(o>%S|NcQ>L^CidS(PanXb#^I34ckS<5x!WKS&PYI*zVr+7IH;|5q} zKz|xTbdu@S-trXJ`d|usQXJlG{XEHuc~PRd&(97WHg9b)$`TgDEV6##{d%l zwq~Y^sbp^O2@OA#1BBx_If#^6z})bB0kB~shyxlH-GrB-qJQ3zTM}Eskyg z(UX$&7_D~nbdh6EZj*kX>ogqa*-cb)jQ5K_)ZIs`$z*+)1Ai>H6J^aoB_Bt7r%9u| z$!JEJQ*T~Tk|}(4;B~R2@kz$LG4gPLfxYU`WN4}is0*c-Mp^L^{Z>7FL$_Doat;=r z1N5+5F=?|YHA3{*L0gjqarUM5_zTS}Mf!4qEH#tdHMr27RGZ*?)3b$)FwbVY3aC@2 zjr7nA)iQC01LH^*>EqaqQfHw2ImYw)HPPfa8fU7E*9I$c-9{~RaFKSCQ(ziD$@Eko zXT`(DW+0O^W3tfR%=EDy%DfJD2ef=Lhv`-;<>`Ao>1X&GDM31!&g~6j}d|w)H>u(71Y2uADqHy_(rt7V@MBRa# znm)`(9TIx58#Q`Dp%+c7Qok{j7=<~)G^P>v6Ji{IXK3IfS|;-|zzhxMUj6L8FlVi7 z-GeV-l~4|q4ZfU4Xdh5)%b0LlM?on8hS!Y6#{KPTyAUS_DSl(j^2__xct#V2X&4lPu_Jivlh;izl z6@HP~Ol}p;g<%{Lbj(05G;b_*JRe7<){GTv*pKx&7=zdlJ1P1WDh5BI>M4G1kk>YSjsnkP_ zh>oSvkWJ>*(t;!zi9gT;v5bEaFc8d?%&&9)qWUKs`|&K%Xt{;lC)5i=ISUZ!!%hp* zizzdS?&Oh{L0IIo=++xR35AU5X(f1!MTOYR_E(TuWE2jD2ti5aSjMCX&vEG~20DqG zWr>xcxgwdQ*#{8Wb==7=y1z9|(+|H?5^47Ne!zc9KZDXGg*Mi%tzqpv z--T^fOA(|y`IL6XJ<~0){gwo92Wk$LlAPKJ1sf1)0o%|GUFvV`)#+-uakc?c1a2#2{?g2R{AniaJ9U*LVS%qS8BY5 z`dHG}HHv(eF#r(>lwzbK?(IIR0i)hK*h6mFmLc_W2{cZAhJL4X3AvtR%t!cRGPq){ z)S~f4oP26o2+1dpgAJ?9KCh2f>8gS~a`sPTGuKHkCh+P5Bhyn+;g~kI0fe{!(1W`0 zknDAhyLp|o!ynl>u~se;Vt|p?6XloOHPtKl`>b6>XN!Omd{QMwdr|WyFswIZp5G}N z*jJ#9gJ+I37fx_){B6~LwIg<*4qsuv zuCuLSWh{sz{XI)9vH$C-BG5~g{-5VyPXE8pOsN26)BpZUkb{C&d*dM1MX_iO(&+y&8||FfSdUH^IT>=*xe@Xzn%_&23f z>@%V5vrevU8}RHn`jxf+Y}|jn*0wGG>|@*0{!jA1dD~HWc6{1)xOlq%m480zzxH-~ zMR|E891efq*tSpm=U3o8|7%m99kl5j_8G~OG_cs62 zgc@`s@J|)nYd#7H3W@A88sPw<4DT@d_LcGWz&(srSMV z_@htvcuy>3qPtJM_Gx49MXWCQxqJ6oPb>=cZvh7l%vJh6OCzmgg7CCGt2$(F@xR@G zjor(>3xbUrw5?yg9^SWO-s{6!7Qn`s3l2?feedLp5uHcky(k^`xcMP`&Z(tB*YTge z;(9*4PHUfd2|n;tT@-xa@%p&F%c7H}-~4p%*bkP8@X6QCZ|(b%E_KfD_wIk+UQ!(Q z@91Kcl=ec1U>gT})Ms(HF=yLiE-rm(w6pxW0uBST&R!8;tCllXb;^Hp9Bv%3HnI4^ zw%V|Stc}T)53W<#%2)cp>q~Ht!~yGUAU-h-**>H>r)dd(Cw#==@*7GGP9Ar9i~B{5 zdHBJ}m)j0c;gRXLzB_qlP3KWZCEvXP1J-sK^ZsJ4>v-4<-$$#AV^4j&u4~aJut)7O z*Tctc&)%ATcD;Sl7ye_JxxrEL)uFQQPo3S+ZOYZ-)q(A^{KxA<*x64uI;Z_0P5Cry zQ&Pq4OR&?QZ0a%d=WB4*2ELp;>$jWd_Z6LcIR*B<^|RLoZcd&1uix+g`s2CHJ?A5$ zjF-MtJrAe3kEBugPvtmiOnB8IR!n+9ijDN||F(YT@ka{ln9uR5F3aHPz}s!@3s=Ab zDNqIN$UQ5dA*@IGOj0N^R(Ha8RcZt57XCVVr2+P#MY2N4cq#>E}EJM;FAIk^PB?J9r+`q9Om zLwApKnG@lv*gNL*3c3FmujlU@kM}Hw*AGm*{HE{B7rTbPRoV)NdgvQ)3T|CEFzL%T z3g3C|{&yE~N{6F!o;-MXC!z~n@?IRdwu|?@7nmsb)Hba`KqYk4AEiTfv9*ydRY=VE`cWFa-!sG4#2s{@lknQUb!_g_Kc2w3{r1?rzyHEP3Ki^ZbxeouQ{j9CQMjr1xat&) zF4-0B+ZnWdkkqeNgl*i1%l)@%l>df-JJfJ$Wn?rDxH8mEB}BG^v203t<+Bdz3qJ_a z9QrlT@Zd>=Vc9F;(f|Jp^v~G;Kl9N)gZV!L_y5OdAfXc<1c6Hcg8x+T4Iy}Z6WSym z$r=DPR351j+CO_3{NLtJX)}QQXU^0lX^;Y3FB7#W{8=oLnt>vp#RdYCF~qO>1WyZS zk)VM+T&3X6D6&X45w)2*$V6h`WyITL@EFiIm4Dg}1I%Nuwiy~$SpRNj@57d7UF(S( zlAU0b$zPz{;e-$*T*!-HMJ2Kkw zbWjs4#M51Z-?M^~!`r6vaOQI+9M2?BFBBu~>Nd|y+DVL)z;00(i2v!UK91gnvHY1C zA`G&U5zrURh&5f>!URB>BjoS0-pjKXMKX1<|7of&$9a~a=$vQ-@wX3|(_<0;sr()} zFBAk>;sGq806z`zUpr*8&pM;aQJ#?hm~wK5ahw3mdoq(G2U+5na=%{$@bs*7Z&N(OI$^d_Gi-FB0NAe5VuwIRTh4J&16v^}B< zxi@8m2YN20@d5OJ^f$lMcmfYqz>SriLO$?nvah=L;=7<~y~Oikl5mjYy@ODMd6@GX z@Ei3)QNRHOj%gAXlct3HE;*ADD(NMgbuRE)57rBKD4Bu3sSF4LZC3JK&@8Lhb&d4)yam+34N%uJN;B~< zuC9LH%tu(@JV5LeYTK8IG^)Cp`iP3ZOISs$&&w?EWsJP**TvOFQMqgzVJlxH=c>+F z^Jqd+G4d8!?|NQroSU*9pYzR=A~+MzyOKG+Y!%=f+$l((xsTpyxFe~_b`r^Nhqgc4 zNvL~D?)>7_-d#{nTybj>-j1KAzrYfOtkq3a@I3BP6T)qz+VqVG{$wLzFApc7q`d51 zSXmW5wt}sp)~g7Hwgnxf&bIs@s>fg0ItS7SX?uPD;$hrPui3At;;Yx-rwlJ2KF{ND z{#tg1|FGCaEVZ=vyo$9Mr`tUoietGKbYD_A2PK$)COlu3zk1#0sk;&6*TJ0H&Yk9( zU>-|k$$)Rl)%fq?^7?payIVy0s@#cesIs72ApXO>jHWznrDL(q7>Rq^i(pawF_nuP zG{~6%Wp%#XeI{cy$|*;D+Kv7w)|?A$s>^T-(ETLddqmn?BBR)*YCWy}jaaLhFawO!PE=6F;e{9!sJif>C*^4os z)*qRTC?@lDoW;k>Hu*ig;{HG!mwU@wU}e_Hcus5atUQEM>NR+i*&}`1I3D`#gt6xo z*{f=@@m%Koy{zARmRC>p=!(Z>L-NlajuQZy59whx1O7|p zZ%~7NK&W>-w;FoY94-40AJrUIO0$x_Z4a3ZmotE^QJ#0Y*U87}=h+{S0a8AZ%w;vb zQHRU`&XjQ$aZwEnaZ76I0}Ie9Yjtgp##z?G_@eZh?Ff>W?NxFy5Y^_^lSl3qL^v=2?x<$Cz}MjEC8c=H-pjQV zFUIBc)cshX(354>-9l6|lDej_@>JXja+3Z8LmwBhs-gZ`$f@O0>kX!e-1U^KE3G&! zgmE886RbH*@66w@wtkMFC12wclI%K%J4*(gL`k@Pj?XL45uovop~M3gXRiS|CApFy zz3*G>im2x$lV^!*klq<=oQRLYEovGcfq+m=CKuM%_QJiB)?q2q<_@}eG~;_DggL{7 zTi^gJ&rNgBlQMC$r|`Tex>=jTc$IWO_##T~L6@G(Kdb-)_q-0TwhDO2kC+DmXL`(`jBxJ&Q9Ol-LY_#{9p zBW$aXM}=2GUw5i;WkV9x*Sq>Tj+gpK4{$V7V)}Mj4Yl#xpeYlHsHh<ReQd=a)AELa4@%I)Y!RiT^8b? zPx-g3R{);<22^`hY~!@-7$3&REufI$ZS#X}b#Xm!i3l{F$ElkJdtBZjTu1r{Cva+S zs(VLcC5+BN#YN6C(2Zq8VtkKuODQ9JScgJf1aoC2K4{?-%@k^{wK`m9k7VOiFgMuy z%5%J1&3$3?$#q$$3A=CyH$WcsT!d$B*6SFIIp_EcRt3^YUT0uHZ;#g#F?XG%1I}-e zZcEcs!s#EFzY=MbUE$VR_voy|AUOTGGnuo61;vkWAwC1moj$N{@NXPkiUN0ySjgMP zQP3W!zxP{x5AOb?${6QNQU|TD({!5zTMW(`6lY;Ok56_(hT@LpS-Qt=Ej?}}R*IX;~n}Vw&UBdxH z-U0J?VD=%}z2#}ip2vUT&g-ud%8ht}<@KP4!*Lx3~!g z%LKxw<_F=!(i^r%$Y;_$2(GxFF+2dyO~YV5!TqQ4a`9q3&D_qm2w7*tXDre^p?n7Z zlX^7uRM$Qj=DwF;DAPOttoVc>JM5onZ8PZvO$xyrTKdz#7dICU8c zEZ95fayYI=e@4M^77(e2H<(GeklE0gH%ixVUA4KQqty*P7i)E$sJFc?T!e0%_TJJ3 zSEywp)|4w-nsBM>9b5`mg_G4>43|DMvQ{q^pbf=5*Q=R~u^e+1{Vgy+zh@hVbyQhQ zg{#)0n)cZTQ=#^-$YTJ?lWP_Jgz@>JxY3QQFj8={yLA%@&gO=u}=}fH3IvQwfx3`GfB#bPZ$Z2z-^MiXD9mj>;h`2ZsXk)r@N>BTe z>#h&#FMv&)&;CY=vY$^{9q2u0*%ySnSMTMY0}zwcpAVBfG~(eJxF+!T^mwf+H_UaB z+gbbqcM2#Qt`_eD+jxLjR^Q~d)(E;XWleI56HmN22=@Jv`;N~@?D|VAF{JckmniQ4 z;W?fY(aw5~9j(m%vyscM29@=>hMkg~oU`uaW)r^b8hF@V7Y^b`%Y|s^HK}jXrwZd} zojusKOUUH*Km7@(c_m^rx0A=z2Me8AmBw#{@O-c3h+a5=hw{JR_=a=Y-Q_xQc#BuZ zDPSXx=D$S}8-DVX&=}?w>;|+Cld2EMn~V?q>g%054jNv4Mn}rE(uun-N?)E{m%W-< zp`Rq+G()n&V#2yY1sS6IJ{aEUvGoAf_+C%B?{-QjpsVFenhXW^gL5~YN>4V7vEGCL zywbK2H4R(ne=ZwG2_ zt6G1mI186^?rv#?&_enWFHYZ^2n~Czi#&7iMBP*c{T@%uWBGB+3|S zN1XpFvn#%BY{YXbD5((kR4R$VdV=ZGkc>0Q7o=xXi!_}{fapdujIrGzo(}<(O}|b0 z5;y+~U$>6L*NxM~>%v1WL5|+r#T)Fcpbw-g+53D8gpZt!{=NjVD}}%73@6DAI>J&H zEh3!HW3I(V)MHr7MNH4&N7f(t1pEkY6=O*DVb>b6l$KU@xmbqvnZLmmJ4z!)s{61w zGU-wvd94h~UvL?otn9a|J2|5qZwKIGuJ%GtHaUVz$`oBa(pnHQYVU3eDYJZ! z8i+yV#FTf6@bRt|>wD4zImI{$TGmI=FESIFqquyj6aNe8Nvc49j`L+I`vXiX-{t^F93Cf~BNY$UCa4=JdhpDzUinU_%$U zISSX~!o58&9@T5rjUQ#d!0Y(NvM_Ae+f%ahk{6S|xMV&7u8~f5lk|;M1)T{6|h~Gs;uccetd{^7WZl{*ves?UB#)J_MYDTN#J@*?6hbl+*Hp06hd9lrvBgK<5eCcQq`TIxUna${Z;YKp+S z0hrjHovc>Ja$vvH@Jq|ufqTtqyNTQry<07J+Yz4IEA`2Y^}YttW&}S@xaUgP`-#^T6ahio%is$>JzaN7!9QqtTlleJs1PP5us?+8*9Nn9y7C|THbLFZby-(K zLBxX9&igD;z$K+=N39C-M3^r}@E@=rQ+~elA(gZDV7VcRM%~|#REVsahVB$%qU^W% z4j@-*iRTRmPSMGhp!U#G6OjJ@Ld8xT;glgZFo#LWd%J3o(rYxmK`HNA@2#tT$90De z$>|WtohLUdI(Yk+jZq)yY|VhlE`uiGRb}nzJkIPE*WGP(=628cl))x<3O1IecFiw> ze#eWfQJ&kZS1q-ZHt1%AWd9{=?R)aO<9&7`3_CJJ7@Lt-b3x!n*j4z@`F`>rZ_q1=sFI$h&vF^|4+l2(bjDHix+_na+lh3^%G~|VpXEOKuW9OiggeLw zXu|pJOoH_PD0>&MCa$h+c<&q_6PO_rn7{-wG64b^&1gn4m?*(SK|uk7f`Xz3#q$Xi z6XoG_+~lmU+-WsrVptGOYIxF-6^3!iA8gEygLv5eY=;t_i#1c_E=ETi}=i*XTZL zA2y=tiXp_Phw`AC1Rz3ZM|a`V=x1c0lT$?~$fBT9%PU8U!vA~LF}mM>B^_U4VE@2xFSC$hROo+laRI~)FsEOLM?b6norKcPMylAuNEI>k zFxJFxKCB2$uBuXob=6g?!u#l;>%yQaPmpokVNWpkD)MT~OS*aq%Ntc*t!$O)M)!!VeNEr1!`auubGy*KYE(xSPk-=Pxs>V|F%YL{B(?zrbb3?7^mrOJ%`a zlZD#)U;0tw?%6u&LHC5gMetzuA1?I&a&Mk;r-c`Rap6Tr+LRJqbCoFZN%*Tlh zlg=$ne6vcwC@E=)H_Q6wI&-si`_?=q`OePI7Fl+E{JXYY<1s13w(nATh}hJpYL2-7 z{<+2NKSkk7I_%ilp?CP_5yL{mM#szz)g4dzAhhGjP7gzq2Xv1+nSB1dZ>i&A)tqek z+i^#-Q?9Ue!ZL-J|bitEpPptJi^Ks<-`kzb|{A(RJ^eEhqFll6`92+`c)t ze%jkt?tK6J>$zz-y({(*4Vlc>(<6@e>CQCF_4VKZu+6mYTb0<`aWkTKu7_FO?^f@d z+AjU_OE2UPC~de<(6{Wu>i*%QRi`6sw{}0-e`rm@nhwL#yA~9VXqjRt8q#ocS<%?W z3kLo9y;X|_e(>m#VbIJzv2z!9XMOsMN#*;JBa?QWX;>~->^QtI^6sUI$ibEB`)dZj z(%jsC$gJlTx}m#Ox2WPdWJXj^Gc#g9*ZKUK0aCxDsaY8{3spFxhwWCxu%*sFE)h9h z4RymKSApuns(g7#>01Aqx)B?Wcc4eEoO0{($Q9M{+=2BAW#i~~rxX}VSKN7hsYy?l zemi>m!PnQ1dADYB$k^9kE9oz)gr+-NzngI2@lkKv zRp|P66PI^T1x;!uQm%CQdMgeB-JOwF%8q&V^(!Cg(SMozc3JoSZHJBCe5L$Ohmmz9 z3I1*u(oQ=6ypkQ+_0NJS=khz6DmL%Cu_XCI;mA`J!=F?YPgR_4Xq`H!?Bd30vDX^D zivOO5USM5nA{R|JEa@?L%FViq7xKAFQ#VDoTT(N)%bgw5j?egI-)%1Ow+8R&;rE&& z-%R^G`$kt`^~oM>?2j*B{9>kbqHC_@ubXdwKP&w~TIjJcQc}( zq-#}emR`sT>vLvHSjewG{XiQp>yp|8tBupIIm7vNo9Bc`mp0E0^LDD6K5~FkS43xR z|MoS_{T>Uo5e1{_`$v|{=SOA_pZ=Mw5iG}(jO$aro_FcM;d*-UmEiSZCTd!47w(h8 zm*{j0C)TKjP8gWzh;!#oA}l`^UxWpd5TnFw`R$-b{}3^ zyci6^>c}$89|=8j;IB7?4kK17e7~k%`##h@LOnR@m*YR3j_v5`zs_)Uk2h|HBWFaM zFXhI%Ez3Ip{;_8C>yLl>VY%ndD#MDh$6fPtJX&Xb?KFm%TWdL5#s2U7nWn6wbn+Cy zzyHag-Ce9O935u4`g4?}YGYI&f%bo4O#jDpN++gEZzkwvDkWx|3Jh+)@`_S5j2ZrM zlS_l)M*f7c6DCfZ0JeOAin)vbyDbm?_p?#zm#>GHzotn3x4Bl#-nzAW)>ay;x@XZC z=ttqKR+W`Snpn|=kvdk_Ju7Q#cO2w~JDh53cXhC8=2koa!8<_ph(unDFozRK54;*a z0(!17m?A?_cRZ?7R^Y9HKQI4gS@zWYACng3pD=kEuxAv8Ghv3EYQsvU<&Qb6Wz!rs zFk}DEL;fG9r7M%%o6)?SmRN*HI1*CRC6Iv%{0scPz(1IhMJi^M^8c8UD9wMKjMDt` zB7_Vm>3?_>o~=SA?B z7X{B@TSP3p66w@fg>)pL(?y_QtPYRRp*Z*u>{Mr})uHf-PzVIiyCNb`7)CnikP)qk zKm?HnZ`C1&1pPLQ6-YsN5y(~~VGLi8gdA9bS*#8Xg-_BEeQeTvg{Eufv$3*mI6fe(; zCgz{%y`KhWVVMF1JpS8R_|KF7IScpG3@d_@{(VaBr~U7T;f3?@&;Yw-cE{5l;orj( z@UKhY)@it*R;x~QBqM2z!_Y&uRgGieiL{O#XLfu@rr=T@N8v9%tU;Dvmc#65|7&)7m;U>5KAAO9 z81vVk%HGUoNSi`dwCYmuIvzf=YX{d$Zq|QKkPb|mQa*apxKg{dxHn=GdP2f5HlTg? zk304ONY22cF{xn4(h$z*qw7d(0;8Any5=|OUzqRBza__^ zg1*6kSxJ>x>K`nhz*$2OUV_V1ZfsQ>CcJ`l$<|^%NIs{Q_7QkP<8Zl7g_pny9E4j{ za)k;d?-=aENY2NqPF5yFm132_kCn!Mk2*4DAQjt?X`Gm+k#;JfDo`SekIzOO&EF7t zix5gKvZ3;o2>M9TztwF<9oc5n6O=5TK#i%y4kTN{2@(`~3CLLxG36Uzjj+>DM?4PV ziTj{aM6=LX6b7Sw5m&2LzY9#}8Wj^GB`R7jGtuHf?7AFO`KJ6SR@v>2!?0MhEhbxW zV#2`M@1%R^W-z=FqWs%1w88?(9*nVdIpuDjTLMZ@-#M=Le<*)%(nh%jsj>iM18AaS+P(@UDUv0twzrJUr5dQTU`J^Hk$=T<~D6$_)VPcWp6^nd_DxooX z-5(jy(!PD(E>yM{w2|Zqy0VMJo1VF*YvNZ}+7irukCLTNk+UswxJDuQ8kXi!;$0-a zP|mu5EUXTd%-rpH!aWOTsjKSt?DlXM_Ba@(j;F~NuP(YJKcYW)aomP1b4_ysHCw^v}Vf_ zRJIbSJA4i8l+)DyAM!Uzw~;g=2;T{`*-mAg8HHhR61OANDN}1-UiX*EVI}vm;c`DE zw@pLbheIba2@0hY?#X!@ewuU_yf2K&&Wyca4r)v;{-fbf|6JQ5K4$z@`Vx1TXu|Tl z>e?@zZ^>9oT_uRkqM(2>n{0Yw&I4@A&6tDA;hHs-PebH-{TwY3ngjY9yHh)_Y(mbB z+xjE1tID+mi#IS72b8@@KNLGFGC@ayxCZ)^wn8=>rsQX&DqgVOrIl{e%?Vsztu#+r z-G^aeMqI&4Dpi|34?5ZJ@qa@`VF&c@@Ly^)p_1oGR2MB1B~A{y?x9(L{%=|sBfLc( zg{pblBzIQnyJ+cXfWCRcKZt%ryX@OC&M1iAxlUAJ6J=n~H^zgJRJ2~;!iDqE`kT?_ z9{T$4T;p;-CvG=Jy81&X{k4@%T>SEPn*r221Zm^Iy5*5t?A08ZLi}q+!J1 zbZi++@~Lhp=-3f14?-Ru&xcMr#n?I7QQ|SM?cBvUJx_w=U5L}2fiWN0EHH{btRGLv z9FnrJ9+IE2&djW%NI#EY+oc+F0D*tobDp)c#Rh%a=k#0((B=+*<#K@>{{4gIp#p1*<$C(4ayr_C=mu=FOz^0mjc5BTgwhOMDXw zZh&G}hoyUr7YXQydz6flt|EMdj1uP~e1MLWu3&tCWM$wxH>GxyW`Y1C?26T>-e&$m zBacIVso^ty}y`R+(&6+D+XlNPfOpO+Pf zcNFCr3Fm};c#%lClQW}jUx6*!q7&hh*26s+86l^~v!HND!VQ&K2 zu1yO0ZWxly7m4b5ru}Hbg-Y-Qval zl2E8@E&gI@*QK{48e5)`fb#pFlI`UeI!{M9BQZgqL?s#t~#0i)iOIdnR)L|WncuE@;@T()%xk4n$S+CZkXnHz_wst&qXo?A@3QE@XodX7^9j5Dhc`7&XMe zkff}S(f1^?U34o-vNaU8r_a#F+FPtyI)sTI!TI=&O+?AuZ!{Y&xzLj$`rQeW5j|?n z2qdMp1DX1QT7{~3*2&JCn-;4={o9x*i6bHLW0XfI{M+qIn|lDWc^~$ln=;xd`HlWnoOLHNoEGC}L~Ue`MPm50JFIF1)!9 z+IR3vY7@!r4H4f{ONWDNXIh%{xJSb>vMaHfc*MV3zXP1`W0>C!F0oJ-#W$Kv-s@^q zXKJ#v=rpmDOF2E2HJjqbwr}=HlY_*!k(njg0`u_@`h6h3^%j}&xR6N*1=q5jaUwbX zspL|4E|F1g0h5t3#O_l_wyeN9h&LacB%MW`CQ}T4ATL#T9=muXQEFFkkoXSr95Z#6 zcO%c2u;|}M=_j~;I(Y?Z35H`^g!Er&X=8xQ*hsTLG2~+^6mSt3pM{i#wYr5*j5k3W zR+Y9#r}k*2A5}(3%EUA}th4P!;1euS+52J>`;#@w zG2PzJ5KEeE;kbjogO0mRGj_WN%GUxczz*UzJ@n~pi~Aar^g=|q{XHVyndqI4T&u8m zU9x==am_Tr3-)ws!bGwyTLDFlrGN3ONz1;z8GVp_9&I$uR9|#-sbO(HMqpnhMzU?~ zbxd2P+STu6Ad$SOdw`QTd=REzO-FI9HMu*<526*_B-mhnTNzF*f(f& zU*-XbH~NC%3DX$gG#8|iDjh>0&lq2{9Hm?9^Y{<=SnAUVP_Aw4U^%1JpW?7U^vi08 zECiviie=k5^T`H!uqDQ%KTJ>{S}fxw8Sg5YF0@;mgp3tB&{?~}qtsnj&+hbAs%X|L zDQNa&>B40mE5lM}d7)6||Au%=-Wbe3ff_jZxJvq3>nwBKZFAvc?jCCo=Ejqjk0XRs zn?7DkzakftQn#?YbZ|;W8c&9S5HqMD*MCB@J_z26deHifVJ1na&`O>}_PAZi{OnK* zz1!Tp&&>=KZ&3aZ%|k=^Mj7(dADG8zq;H`D8_b&n`8WGJ(qG{I#1wj~vzf~^!-@od z@;IA7Cl0=exbESl3+el~>OmdtDQpYftiFVv(ym!b=6Cx^x(_VFS5UHX17*Dp`%sV> z8Zgk?si6d$?|Vq+vmI+}{(p(pC_M&Txv@-v^aRV+uz4#Gy&)a+8rw0G`JSjmZ;B!? zIBHDKjDz_7*ATs&KZnX(KL+hX+_zCKPw<6HK=ESRfuksQ3-+9D=nr>sj-f#V0jB>1 z9S8eqzF-aV_cWRKwvt_4A4SJD{Ve;De>@$3;fd>O+oo(cC<=K< zz5p(ryVaZUW&SrRUuRgElrc@&Y(%4k6JgY$&_J~QE%rr{6|Q}Veri5K2<_v5q4#%a zM{Dsh(>UrQ=w4VmhWybO5{egj|5o6ROfEfx3fDNx=><%puMWJU$#Q?}`Oa>~C2Tex zC{E-nc2VzW&{T*$Evr%rcm??lzoKwCD>J+43nO-;z-O2Jy3&4Q#AGZ^M@*e-Ev6^q zH{8##J(Y~f=!EIH`HLa1?R%d;J>qTT`2a-6Eug6beCv4c1EoP#!_vnXcOhb#)!8PwyYw&`0P*Zeq0aTEhxDpT0!5FKe}2 z3q{G$qc_KgmTq8Q_k4+F%si*xK?v{Y_1AQd*YIIqB16$Fj$ z=X`-od*vmH27=xwFI2d?#nwI2tM%2Lean4m_H6E>?#?Cd_b?Zvky2D#?=W8PYdp0?gNlTa z;nWXdca9pu!yo+c_)DpZH~m;U-0J1ph14Y_{6RT1>JoQhSak?Mc(v1soN5|QuJ0+q zRfhu$mJ0QLf+&rKNrE785(gb}<%uCuh@v$vqd!4)C)9pAPwa{DACB(T6YwI&N~P;X z%vG1Wc{IM1cvM{pH{@hoGYni?XSB2w)x0ZNkuwHLZuo}gZITTMt4+SzC)23?S~SMk zU&~zy6^qo=MS}ZQd-f4=9go{rE0+X&sM<78e+hV3pOX{ZTM;S|3nPs0>crXDUo3s5 z#?|h01Q#2g=Z!^DhF0or%p#QHY$Tsk1RVESTlk`5tv3znKyQnXs66=F%SGm_h^%~aSmY%CY7 z1wh}K#1UacY|b=HOkbIV-AmC*2a?}H+xlRGPg9|l{VHQ>67h}QAg)n@C}u3P1H{JR zQYx?^XK8T>H9MBUtzHktQEx*Acl z1C(|nu^;aRA=>6t8KSolsJWXdmKiM;Mam~rEWd_RYlxOolZPK@T}XH{Yzpdot!kLs za9nzxB(2p-rqIeNbs6Lz(!-=p*w@Xut&y;<{*o3mr zWh_T|fc7!vZy-7W3<=Gw+<^e_OaYza2~jww0}_(E&+CEYBD=gkSdKx<9;oHs>YQh2 z#Cj|O^mWfJ_E7ql7FWt&D5X23xK~9~K-&e4Gn%_g*?Z@FpkOvOKA~-F4|B&JY&bMu zpi_!`ijtA2GBGDVAW+tl1uFhi*mcaiVz81)pW#Au?zSU{mSDf2nWJZr^)RoeyNiX0 z`9jK2F@`y<=v+VKYE(!mR3Jc&`ZbXo8ZKQUuNwh~90*z zUs$344P;{&&NW1dtd?6w+z){N=IiF0q0->s=I=~K>1w3LT0GmhmTEpA1aXv?&iWzj zSHCby13l}C4aP`1QieUy%gc0suP1orPYQORUu!ZT{L&LhG--w@+6zyuUEj_*6%U#@-GU{0Q?9f=iD?;KeD_Rjvt{XCzGp>*A-dP zEY*Ei|IP=wtVlS6Ve$y*iBPK0BJ1>(7E z9FH0HJo^)~gzv;yjiD55Ud@$^*%A?n4>B44g*e_&8D^fFm^BHN*0F7i`k>M+IZ)Mi zhM6k)Be5}+BHy$>6V|lhpQH6BSuQ`q{ksAH&C;j|h9KH5eF1<-W}7;5gA8{*RPleo z+WK0_KQbAg|H$8^jaz$jQ2tu(fdvd=ZKo4tA~hfpr<`x`>|O1IZ2)YCqm+} zTo%T5gcI0CZPs=zdB9UUwZtQ~yXmC9M-sDFD#z)g0SB0Z(}zHulsZ-Ku)>*|4oNg= zcR0Jx5*;#TC*mtn;l>RVk(61XoxZ8fKY70%P7T zuSNV*x|e)V!QZZplxHK}3TrKF(y4nh|dSybLLLt0{)7 z)e!l-4R)Y!G2ekUIWN`UuTV%XEFA134`#W!T;1=~aE2LF)GL@DPR}mQH~bkcRUv*t zU>#(1#C$ny|57qwN`OlF3uO-1G>9G~$KsmpOdF?Jyzi{p11`*65HpfKRw4O9q;~{u z$s`0H3xvzO@z~-|5Pu|73#1iDIvmQb;PysbXwF-K;MwvOh}y~M)3lB_V+fIbgdWSi z6Jna|K1G_M&B1z81atwc=*%8h zKKMSvg1kP|xRPw^9;#?u3YuYlMdNZZc0?1}w}GBB_yF2h&sc5w;|1czzU`0}8z^e= zzMV`GvqefoQZI#N2dn>0%eQ8vA>#K!OW@F66C!wOKaskL?#gz^-iniEbk@p`6~0{3 zDSxN%rGt#p9q+3MZdh77fb-_-0b#>gB!*~x-I*ls9gVLC^cp=GWTToS>qM#)R>(KZemE$x#poCSh696-D< zGNRmzXqTmhH2*Dbg0>OeVB^`g5>Z(Ku%mBOddl+GT8rsEO`po^qPhIG&iAQ}sqzC{ zFiJ@mi3&WvLL8x3+MgDsi&&U!E%*#WNJn=Y9F5gBIze26xUCw?yQSQ?kUSASxoA{i zk=zwhG?o;-e~qiJ(iUclFMe+PgC4y(`#C{A*;O$U04Z^fw)SJ(pIj{LpHbUn;smp< zwo%PB-C-;C^{@Sann)H$VkZ+{`yP&`eu|R%X=*_a*R-H^8#Y1phMDff3~#yT`xDQS zIt1!{@iP0d!tWfp&>aI5%?h_-kYzQV(AGo2%k}o+-46C!`aYyHwM@l)z#Y>-Xr3wm z8XRyTbI9@BCz0MUh-(ufL3!Cg^L1L1weTZ8Bl84Th$|~h_$pc|Bya&e(F@&2CXK(I zx!*I2Uu&8`_OmZ5Y}G%|LL2)MI>}OEq~6w|O7bY@(Mc6Z{0z}Oh~@YQ-BDhk@VCc1 z7*79Q6g`t|@F>vnnfHAPs;5c1tiUy5oPywsTk#Uirzg$qlGCD8$It2&UbaMS^Q>`? z9?mai%1K`8q$vAK?VVXBzK+UHK~K-D)d&*bWz8ivgvV6qOIvU~*?yrdwPUS~j5WQb ze~xWFMyr5 zTM+*v7`WbuUkAf*nwKm3XY>hwiTUzN(f8v=82d*^^GSXf88y0HWeFW={5YCmUEQ#} z4zgmY7BB~{P~7@CA6mOY`a;2n_)plwh}^OhNS5wXXbt&;XIlNA;%j>0iyZtLj-&Dj z?^*@_BQ|9Y7S}2oujE7DY221(O%w4fCMghP7>vnbjsKEA!P2Zm(4l7}Afn)Hpd0$T z8n1?<+=pKtY#Rl?7Vb@iAzL9s1M0N^&yPT!`qUTl9VD%1h5q{HAW=s0ugG%e`W8r zSIMo&@RydjE7E|7#zUeTl>Yn1N}0hP7O*)D#=n%!l%iDlF6=8wYG^`hJec4y`Wu;X zWS$*8d4~T+hsnSFJ+IF;-v}+sugEC-(Dj{3d@Be_dNb)R{;OUU#{BVK{%3k46imUK zG(jausrPs={kgmtqrT+lmAZ|W@khm!tW)B~;w)22U|ru5)@z6rmcEhd=Avlq=mu^O z9>;!HGBMbbh!b}qK3)nTV3&$zUsrEoUiY|6iKdAliRkHxlhivc)f(JipBy8Lh?}b+ zME9g{&kVM=F@liWD62QIai%rIJ?7Jz$v%>Z!M@D)z99Kag=v7fmEex_R__t3GcCKR z>VKgp!Y@WDoxo$oZW_oLvQxP`ROY7^Ey<~M^mZ;-XGzovSKI4c!RhywuL7r^?T2LQdmC|SMm?gt!*qyy73ydo;}{% z)mDSQ#-@TA)VK$mVYfm?_Vs;@XN}ludK(OM{dcHu>J%y{)NHj>*D(F;<=AZby_dDg zK9-CrfYoneKa>U`sQ6+ochHwG1j$|EDl5;Pq+`owbNvi;Z?s;x zp3h8>ClgX$5a8FWi|V42mIv`4(k;-b%7Xdr@WGRHFE7AXLIRP?L1UVhQ-sQ$5f6a` z44%0{kru*q;KG#4cd@t);m;*LM7)l~?JC@CJ{tn0iNHHEjjfdbtID$UDnor6>jC^F zB*^hxsQJVfGazYFqs3R%@l=yg>R5P~omJ6-&*ij5In63{uK6I5<5!lYtA*8a)-=T1 znQ87+Rave&!!4=(nULD!%~B>V+sULEmPZKgP(2gI%x)SeK1TZJFdSdKjs40XM%v!D zkE$OMuS+kmeIe#?H{1I_Tnns$UzT?FJ#u$f0UZX265Ib_ z7W}U8`%M%)QXxto%2rBm=k>9E2R2gr^Dh4TA>O>j!-i7+1ummVW( z<7A-BY(ojR!Om_)++-7RM;J$QPvS@xSW&{$Na;LECz#Rrq4W((xWcrNhhhFaaCRRd zj|1TL7b^KWk|#NErL+$5-`aEKzY(y!R)VB^z<~N(6-XYea!m#NSB=Y>G|vYIOvNGN zQIb0wCIWHbGZM)q&QLBsMH;H(&c&f*^IWZUKlgVWKo^m2eg6<+%4jybX zO7lWEb5Hgt_Y+C1rN&ed+VWF~c04%4=9fP#7i56$d*|dA33yuk$5~VM^(qkTV^LSBSh}h?3bQqVexGdA}e)Q1Yr#*Qc<xw8HB7F!0X4q{kno@3E%Ues3?$)O=7G`Qg!IET zFxH?JAOwmqWHT(>bF~knKGB%hYPk0Z=|_$6l`w1t?tASfYc^` z0w+L$zA#A(i3|Qa+A??|;&0LM#w0?{2<3kTYd%PvfW(O;H9}KhK_aAg?wTyjssJ(J zu_+#e1DeD5C#Xq|Qp!JKzH9cG>ziFM3d@Hn*d!ec=KFzTsla>>NZXs0Vy;U1EUxIM z`Fw9OOP-W;&fIN@OzLq4+*8@O5O~Kbw zRgrWb()6HjMo3TUVHnzITu7zrq~DO3rnoF|nh3)_jkA)Qp@Vk1?Sjsx(5V2vPLO^XRuyRX-p2=278*M zP|BSZo?w$xb}OXb8u}9ZA@@q+OZj^`X-G5dSj9IAJmNKF02M6&5>Tt~C^z{Q^76dk8ag>Ko;E6k;reIk_48 zKVVW_Pp~yMGY+UKVjdFJngG9H)zXif-!K*#q|Pc{#4)Z_5!^GA_gXM``G+Hfg%heT z;#~c^(PB3P9?E0~F3S(ebteZ%e%0j#UMD8oLm4k?m#(1tEYhAa3i~tQ%#Bg=HIS#> z5BAhr+>iXEv7aj|NO%$f@GJk9IZ}&Ph>u=EH?NQb_%usMIF+T50az`;@%r;7VI09G zJ4WHjxUFNKWjz79B-X%%Uq3z{cd#CEJvGqNS(95A1_n~vk0q6w8*Qx1=IW@-Z%5QA z2>@@+;Z)@^VQ(0nUE3o72t8C9K^glSxj9(c8^&gF5hPK|9!JS1`{%rhF0|L@>!fyA zzK*5aN_GmB*a5Bkbpv+$PYLNE_8%SR?R#)i$@mRPppckuuG@WGTLJTuP znC1RSbiCn+Q5eHe%^H9ZD|wd(Voh&6@-9ZyR4uj;sd$XEK}}890>xRLrPjZyHSx?+ z@uo^YSDOQvk0VsSj|Aq_g#vch=E&u&FXyV1&T?bII$Vv+}tHxBglr z)hY4U+>ucEb!FgGzD@S^wDJb%i?-`?GFqAuga?>XBtjwP5``!9mx%xzo=V%hkmFpR zsNu&g-}M&xqqGDx>A_w$Yj6YD%h^FZfFj~22-k3pkpQRhhs>n`3jjTEJ^`yY3)L6G z##Dvsb6^+)3)J2SLM#nlaBcra5ETZPJ`K>HC@^qzG?hXCajd}z;JM_t$&=keM}eC} z-8l@5)jt^X_z@dhrTen6muy=Nitf)F`@4E7OiA`M=vNOSz%BvlzvpQ|R%w{~ZXW{m zcvbPFneOU1v7>6=RhxEvmj7D)0Iy?>=N*3x(dqKnc!2nd3e~leWVRft01bKZJf?@? zl%`%%*HD1P<^h%o07F%7Z6miNO5PsIZz$`Vc_lLj{GTZKkdj|c z8$BJpH6(n2w+{)hjoe2qS#_3^W_@Rx?k5ik;xC)sVe&Qv^xOa&o1Y6fCWWa^9Mvt{ zZnK61d55Xo(2~NW!`0y$M=*&Hi#(+JTGl%8Puy@*<2`8*=HI2)$zaZR?Q05b@vsiM z8jrq1=X*CO;hf~EaXvkfxSnZ*aD*fFSjL6RwrJ!uA0jO&q;QA?-`QypX6S(vYfqOp zcj7z|D_u~0o6vMzXj=&Wi7+)<^5E(j_C)zakn}CdRYU`_yIHP?$XSTQ_ce5^b2N8Y zZ(U=VHY2YKrfm+%7!w9te{1T9w~!@y)T}ZLHSlz0-X=8WRYZ64WHOj}}?hE%4rlGa(kS;3s=E^26-FRti> zVqOul$s_inoDu}>OJ}x~QIM3_Pl7s|uenCv`kAy-Ee}yP?A$j9)`2|JBXsSfXN|xv z9*3^m8lE$;KH6S#@LT&#;%#BPmb2-ZWXnT?yjx*dHI*5+V;Cz}ND#t1p39^fI*+u! z+#rW5^%Ek=_i%f5ER!$SqsGkUI<(DQpmo2Q*ep`ZHB__~o0@--Iz}`ff)tw+K~V!V za09yHepEl!4H=IkFKa6Z<2?qrboz& z5k3ue9LPn!=JJ^+GfGTB#vlzVvs&VO9`K^KXwY)^N7!7Z75zH<24kvDh8|kCxM13% z)$u=@FKO{Tyw||cVvZ>8dKp9Ky7p$ccZD!Zr?PwLwSbDfp`*95YotFEmURRt8?0%S z7*f*~byF`PR70oQ=Ut8wE|07k&C|F(HO#vO`7Y2bPfJcEbyJHo0ilu>D8LQ{ZWJlG zPXjl&T*|7T#1LtCfXCXYgLt2=Uj~4g>9PpP%FaE+bS$pGQYXA)1}^69j&nqTeN5p` z?wnvChOYhuP)YF)&Vq#5NU;$yi3elY{*W>G3N?0u2*Icb6X#+#rDCr(w$eiit_D!d zysJ>3Lub#riois}-+hV9RmWin$@2_sj$TVs11Ix;(gM_hKBJoe$+wqM8+)h*=nOkb zxnl&FIBoc@dzrU0%x$GFCV(yymyiC zi&pwcEuA-8){)$3E$tVlBFA+~jLHAIb^vihQU+&?Qk4Bh*qoEOTOI52OLCwziXKuo z?75yElXDz-m*Ia72ad%ib^>Lyl_1(1jp=^kHtbkZo`h)^NQV>tat9{j_%XCMV?WCJ ze#XirC@%}DTbWCOg2?J0IM~a9gZ*LPe-73fQ=W$5U@O1OQ(&ThIZ~d2mnCn~Vq!l3 zl+g0MAzKxU*Kfx}I?e?`2PO7E-#A3N}*|QUXhY*BZlA?WeCbO^6nvmc^a;O&(0KEP(c~W z*?{KULqd|q2sL&SrG|L>Q1O^X98UW05Gh4<8pvdp7X@4X4ke1R5QeN@juKZCLe{U` zg&^ZcyzLC}A0s1X%){kBBf9QrE+S__u9nUbbMT8zh~9K=5Gt;ca&*)R9XE!QGj!6j zcCdGdrHY*Qu?V#T=jyh|R(8$=Ol0RgMBa@6jncM^S5e-JAh`tPIS`Xqa0CCrAr*Mupy3%0ShF`9uV;<3RKur(2Fkz%JgyDycg!p)Ju+Z32eK$Y}fn>{PE}3Nb~w zs?sI~Rv2yu(zYuY*T8U2CB=nFX{>oioSfeV?U{>nfOiqK14eljqTXPDi?$l+6Qdzrv=-^Ro4F!hPUH2Vz*&_x zK&CoD`a|X;&1a0TgYnT&5AxBp0PTsV zhR4s@BH$L<<{hR4aRHP5AucR7zc>jrhE) z9t)@XU``weZmsso0==pYc<=HvGkzbyKksBE!^AO=L-W@||;^nxi~EN3IumUkaPI!$;|ol}J5 z`GE%lUv1B2f6Kaw>G^qqWO?2y1U^7sJwQCP|NjLsTNVBI9ch4?S`Az(d4O8F94E{% zH+Yz2DO@9693YXQ!f2;FSuOYHEUzShM&V_-8gc4q>Qo531nT7UT7uawPf)r_-DQ*5 z*}gZ%XH>=)EI@kEL>bK$S8Y-BrLQC8jl()n*&0eg2nxxt)@F_m1&STe5q{z! zqe|s#ASB@Ip-k5GuW5^WGYv?@o4ZUtc_yYRHLybR38qQRCOk73 zvoIyr)ru%n2u>s-MJw_`%TzEy5LJr(u{Z(Gt=7> z>q|qVY~-GlpdTLs)Vb6sxehgFc_v|z|1iUfd^23I)ae%QZLgq&cD?+gP>1Y& zT$C0#GAr8%pJ=E4u9X)kJ(YAHIZEYukLyNB1SKt3SSBT4TX*t_O(E^31S*M1JdYi!H%mLS7YuDECx_zS3UlG4`U>2H|W9mYD>9 zDSp+{LRhI&q~6$xu4)=hEhNyNWR)=9(EqBui~ofZpVqY}b0R;X;{q>0SVd@Ow&YuTXT zqC$y;jCoq_7707>dRn;b7AA1%k4@XGXNYdn6*4aa8BSQq&*cM{p9i&)&!_+b_ta)i zz2-iz0{bYnOA{l4q2>5jretX>;Sr%&;i?kvgaA59;gNy#4sf!6F(ks@MAEYefQv-} zRPF3QL8`t9c8gF{w}9DNjcT4k5HkqhOv!&od>_dzDrql*jP);AD6y$OWOC#bd{csX z{v`06>%dEcRc3qPI;P5;?vH^_DnQjb^N)nQ1o7A4^7N_st7U(}?$3V=K`4|R5V#1fzE9u4Lq_T(HTbt@u^T))Ifm1@YyfuBW3V&8?ffgoW2uII*28L0SaB|!%e_%n6JPGH)e^ml=xtv)UKlnZvkF>tNc08 zErD#u1S(adWd?iRgNeP3JnvT|i|-;&BNVueL+N{1BbsO!)j2zr|HidKK^l1jSluf? zIMaKG0LEAjWanH36`)@!6NEg&EIf84ww!s69q_fL|wlh&@TJ zMAY=Qv>#O$Kp1NtB?7;WzpJ)VW!=p4!kp3jo_Hk2>b|3^?jN|Gq2OnU{_-clqCioF zSGjvy`%l6?jZkQ%x`aUxBDKZo{h8NOEy&L?KQZ6tk6_w6+lnGIQ#JN56po(N&y7c$e#3DNqgI(>MC_>0@|f`8XN2j}mENvtFC-zGWWIpx=5PW`Gu zPB-Lt$ZYYwMdh@~+KzB%htJm!Dg`nr>5|&Fo*Ed+WO9S@#d72;gS5nIX$)VMLQ@s9fQ+_&h5`13^ z&3>)OPC(-s3m(km1fa9i<0o=eq4JtYyb3O*Mg?AYvMSIFyOIQyMa@qGvPfDmKMvOS zNaT+a&JY2~VPvFH+ z>ne*15HjSUNH*XMel7M?JboxPt08q`G=-alsrd>v&k-;7LHG@RB=lRaeUaZeZTbPBuk$4jbABZZPKaPG-0w-k_ zV|DZcJhQ?x9VHrn4cRqGdVz2cz?ODtt3eP~qLlnLxHnM2uY{9vD3q_}j)wyn&(DAf zo{9L$0GQmAd#L#-fgP_~sI-n0%S^(weB2i*fD@(zX7VXY7-RlS59AuxZIfj*+cE_< zyhEr(4Tg9SZV3Va$h?4#nd+#3A#MQk4pOXt@ zLNa6m6PQ3E6Cgm8AvutNM2RK}N)(hRSWwZRsCWlO#i}jVd+PzUxo-v4Av%%XT8Qnk(p6cHd70Gf>LAictHu@+_@Zr9-G}$ob zZ^?rKC;oj6ezi9WTtbg_A?>c}>Bv6-z!_Iq_8b(t}VVkxB~ufR!ELJ`+|>M%9(5`kv(SfjGgwNmx6Xy1uzYeyb7% zCg9Tc7+zFQ`0L}>5t)p-r1XjVQ&B@I`vW=_6+*96V7+{|I%SP8PX>u;f2w0RkyCJ@ zTF9z&Uk?SB6BeB64wy^bhcGB>G)elC@X+GgIpD$6RMk{g-~&v>?m~Dor4J~?1niQ0 z8|0=!!359>!99~DVT3;`C~*B$;Aa7z3rU@$eLTW-OlK*VbU8xA)CR{WhSih|1#OU6 zBnfZ0>OuA+7P&{tfT^L8B;&Zv{71|jjijgG-vXJ~+ICVM1MW8|NmO}G%7}HAf0>1g zzN?fo3V9J=vhpB-0P!=3Aw>gABJu2F(F)%{$QOl`dk{)I2`j7>CjvFwJp@4-LyY)6 zN^Aw;;pM2wU*Mc_PVhl4|2!%mdL4iM@W-5YxVEN6yxqCAt|I3{h$kBdz61<6g+p|j zQM$uSO_L%EbAG^n$i*&5hZJbEdCn)2j>_d$q$T8i3JdVfr66`O8nCo8;%0Z`4QK&Hef3JULzdKzMWC`51 zCVLOS*qlM@LZG|PB5*ungilaT9r)^>qMWYq=4Z(3N281vRLp(%3n&t1Jtzx!r$O#1 zzuNW^BDX$l_3)_FVP{>mPv0lMm7d3hy$iOL({EiOnx8cFt$%lDQ`F`x1= z$U73sRGuTtP-CL9zbTRG!!~&bLrJ|P$WSaEgf;e*KE-ZI#-AZuW&8`y)2DumlF{7X5T{Clw$D{5Y7&1o6YxElCY`r0tltDBJrAy6avHq7ib))T{tW4Y{0i)jsg89BxRkV&T94D|iS2uSH5lODyA5qyaU*1hZ%*YF-A8_{-=r93V`rA0Gzq4p-7ohbc6n zv*tEjOZdA?Ooc!~guOK16I_O-OyPi@55hVXXo5@%nhN*lgGgHbd^4pgsf5(5N=P?Y zr6?&z>A7hr;6vA!ip$U`b!9An!`+PTO&3xzsg~F3!2cCqLAjIA!*N0>0fS|}L=@SqPgGm5Yfhr#}FBgIdM}Rd)4Y)8`1`G&hl&}t^ zQe-fusv(PtFxHYXVAtkgZ|6x%N_4i~`rM1iI^M#(c;OU!R0vBm4js!&*qV#QJFrUz!V zYIt1=k)DkP`y)#yYxI>gJjC-UenX(G zj4ub|0Zi)Nu%zY7K$FTy9|63{HYJumAhnWI%J|Wezj+3U%cD`&j+^Vu5K;n_k;LaL z)71bZ@#8M{NsXY^S2dq|fj&*6JE^PqW4p(DM^j>+lV9%!uyFHSv8Pe z$XI?gE7SC{7_NhllVd__IQNNIycVj;e=6fwV-r;;3{nYu5&yts^^KQ%Wu~}VlYfIm zZE26}NE~vv zRyb;@cBZ|+FShQE)c?Y9xtx_ej~q2rXJ;3%kob}QS7n|6f+sVoWPQ_ZG^Bip0$jnO zQ6&qlnG`7tA>$*gZ&G-e@`lMbX)cVqxtIvm?jf+Jly4g!g=T=No+J zGd!g5{rom!8(g>#tk`&Y;Vx`)l?V@Ih3`l?Wy?`c6EDMw?7L7P)?E|ACI}tmhibhU z*w3rEdMc?f+clkjLxq0H|CkXy-$e>-WU%oG88Xi}JrQKwX!F+`GspaEe96aRYvMW= z`~;M9^7;iWkjuIRi{EO8A0hpLiO^-ZbNJRWg_gcXiHr>2);fU)c}9&FL#q~`;I$PY zU|o2Z!+HXT6($qRTaDVg+7u@ybH-?pg|_`<9ecec1mNo8Z3xU~LxCh7; z?R3FTXr}vosIQY;D8jWm>vTiPNUmrSgs3&bb=ff*!l|(cxR=RtGE?qa1TlQ3gSk3Z zJfy6JWFE^;dWryhoy}&7U@1;2I{_g*-VKg~I1>j8CVeBu$i#2tY@qofnlb!K+=d<( zX01`tUs7j(uKxn~uYW7Ru}Q(3tly{81kXw9=3p7qq%6NzOs1pYBkXN>=>A3#e1K!H zeeVgV$+QyWof5eI@L-*KjrqblLEV&~52p{ur|hU`gL~xKL3mSXC;d=G*9i`wlpyjB zwl35Z(QIu%P~YsqT78S~v?5ZEJgY*cl>ju)hZ%Chz}4Y@zuA*tiw2Zx?Df$=K!09_ z3i~`yf2?6Wcx0lVKkqzVxDdC5<@-=1^BtRnU&MQH8z}MNP6K;DWb56 zi50RHh3_(jo;Ikk0Tu}%$yB%!V%|{k#J5Zqlo4}^4>*0Ul-CWzwE5dPT^kJA57P7q23T+y8fW5?Cq5s&#Fl!;vc~t zH5h1*e?YgxWp(LVlZR3;Q6f?lXHh&Ppn;l7;%nN@B2gu-GY7&&xjbS7k^+Gvnt>6;*5@h+9} zG5BWI72(#_pa@s%nwy4f2gB*l<4Zn)Rq~@C9cZ3Um zmG?C6+`P2uGvTI!+*bpzauclA`L@fC(p z?AgV^&P)m#ar>@61wlXzocP0Y@pPxn-wp+rdk5m-P*!_IN*VJAIgi~%qSGmM<7v8W zUUy(#)q_x*!(fu zuv`UnFTIFb)Ymghip{=-*42Q2w+oT6N{9}L11R$l9T+s4ls?-O);&oUALY3wCw;1%AkAY9`_;bt6;G^?7%^wYQULg+6ote9Lk1yfDK|tY|go>5Dj2E4EYh4 zn(&2{Xo3xc#@nW=f?7^qk=M;?_)?;l_*IVK`jJT>*%*ZZs3E^2lfB?W96@I7*70A1uZ@J+S1h1tk-+dW2RGK%vP&P9c0b6Z7oh+v2@bXBf|h9tkyqjtsF?dkw`v^V?NR*SRypOd;~ffoXx7m z2iY2WSs1QilTB-=3bv)>#V$&{RX^3eR%Y#zW#|+>t2d9$?eyYtgm0N^!^jDYuhQRZ zjrkg0RrOib;F3Z~5qpR5ayVUTwY*^fn82{nU~p=w1$aHat+Wm7fFY+Qi9TguyCufy zHyE%7N-u6@T3Ll~M=@*$x0ocQ->{bj|IM){|0;d}fhfl|Ef1Ma4NGwlk}zgUl!tgN z6VE<`U8kWCw8_X#uxt!?km*C%&cKBgTuRR=m9sZ)Ozb7-u>O!9Qr7a7Nhw(b9>sVF z5V044wC~u+c4L#sIOG5g8Pm5?+-Sac6L}h$QmILWyKLL_bswYd#$i-dC|RK(K5Vs9 zjW(uxZJ2Gm34l)XBGo-P>6y0vMG&lrH@~Rn(kwGFKbZ-pAFGC#WY!%jE0nQ2j~zZo2kUDr=O_YE4FVz%LtP|ZRyT^h zA|%MB4d#q6jm!EeU=jTBS&m#rwj8&ZDif3RwmP*wBZ~b(w9DY~me(}G zFf5D)-3nP0O zl%+^bmZF9{r=EaX1x%nvw&_%JJw4oH>z;_uHq_ym9Vf+&R{Rx?hn(SdBFNn4gt><5 zL&CVMrnQGBo#JkvKUG2n+3Aq4$;-GxpDiS1G_M7csIM!kOTadUyVuS9Ky`Qu^_0Fs zL(-7jkIgMqY*!pdCdkRBM$67D_d^Vpqsy5X>m(HyfmGlWA($xncPH}CV7u+bD0-|$ z2-AQ(%Q-7;Rr`UAJxEq)5z7!skO$Sdb%z+r7KI_V95p6`U(Q0XIlL6=6P-8r zFjI|u&=D>+$oU?S_dFa2yTJ~zOF?QwK~l~1jF_z?_0fTYVD^sp4AWS?izlU8p#5oIQG53SH?L?4eNf}8mGiMVlQ^@jCYO%`i_bSg#z|iBheomu)sIp3Td@Shnd(PE ze*14Yz2;N09DpKAH{Br?uTi%4-AkZDRFa{{;YBtOTVAMG^oglOc1&Gc(i@4f*wSC4 z^q>(=69n0sdvYDJ%|OKU&N0&(D3WSJRq?ek=ItuDg*2JDwZ85EI*>o{wpUEVLVSc^ z4)ykA)5Qjrw+BSnH-vf%;gBT9S8i`4ypoKTTPIU^FGqZKrMHOf20ZAdxsVW|VZ3(u zA`mD9emc8fyVenOJzamlezGtEbA55+v6f7G*t}bcT_VlhBe*z}v1tLY?+ln31?nf& zsfc#ddbNkW2$&GlM!14}Kr2kNp3vG7;{f!qeq)q~Ko?Wnvu^_(2fuAzscwYKc0r8X z`?ADpy&H0FZVpszNWH3^ZR#vWhj>4Sd{Q^mLxRcvv#h}chqekyc)LxA^?MT?$p9}$ zIE#dZp|$7D-c;(%QzNX~Rpu>mj*Xl#dn1zr?D*?bxh%`sIPJRpGgMujwV@6IrCl(X z{8n&hl4a&m95+fF#hHJjOLBn@8YAc2w#_tCk$VZ*lqM#T`l#Sb-d68t#=*8<;J{UD zz$lo30x$Sd9Ka^Fo{ugs1$LE;TI=E*-I>yY?Pvg+u^aiSKx}y~ ztW4>bCL&N_m^%@rW;UhVxI7G!o(|QfsV*HGPQo6O_WVMpyhM2d;*6x5rzT7CeXEKJ|n!R~kgyr)r zVJ;dnKXmCaPhDiedQ_z6QXR**=ZY7j#<{%cO9KcbjBE?xR*N$*c!2sPvFt2ghRk*> z((;i86cmU{mfr*X2C`pWYL$8R$hqC;uLJbCdBQ;K%!E#0+7JbvW#=Mni8@dT0es5X zXS?{V4u-|OQ^t%n@6iQ@B6u#T1=VS2+T7X6NMFMS2bi{4m+OV32(yMVflX?Orh(Q( zSEzA-u8p)%I!?4ih8IFbN#AcYWKb|UhCAW5y)<2`W=z~Be}6>hXzAM;V7oTL@=#re z4Lvmwxukx^c=jM1G^4@B%@O97X2B$i8P63zQ;jB||jkvuf*cP2q|ZwXKz>X5jfQ~NGhk;)w760(Etbz0AC_BQGMT^j(kFDz1l*JN zm-K=v+Vu}vCx71UM6^vS>}UCJr65mhWmOl`L@D^NNL$q%?+`9{xeRu3RZ!V-#6fv5 zs9bJ*HUi92dV@}~Pqra?la4hPDgASh{%sw$IkG40MV9;efE|<-av;oYb6$el$)X)O zqFMV0SdltJu!8T3!s3en{~N%2x^0BHXTk~)WdL%QDMoloft#z81B(s72J`xBO@dwU zwlg0$NeP!McxVvnH#a=Pc4JyJR#`K{gP);yj1Qt3d5C!8BafXdw)33PHa;0r7lLgV zQCz6T-@+sRsgBH0E&T?sadrWnWIn_(1Tr$fw=%*Z$U9@nId#y)8Xcnc8a>3q#^PD- z-xUyk0CoU~Bi;rr5m2Sf*$N?!UgSBPvzcuHX@Sy?vV7Cn;2X6c3OCqww-yZq6R8!A zRW^^oJt4%Hsa6_-FByi$em6Nq&tJx!lx4LGm4qEG4SS__wc}Uufn;Z_G6@%C_*ut3 zF*yW}a}EY-ry?W8@^J)SO26CQ)U14+U5aZV+2T!ZpWx_#r{Z|GRbdl5LIS)+*^A3z z9PDuKoggSy!sJX-dTb}UkXdR)pJ!6rI%u*^g@H099#G(Y^>N-FWSnHc)iXsmH`H6K zJ{8@bLL;@$IS#mua`Dp~Ij26?p{zGW+tDfMMagjU0NQ zjz}NAqpdQoj}u;yxkn&CxA3s@3Rw8S$lZ;>4|oAm+Z%p#8pI2-x@)jA^ifDQ#YOGA zsE6UHk-25E6cYwPL(hq}_!tvwF{RX9^<4`MW_?~vOVpRKWog;)m`^<=prEefQ)p2x;Cx+=n&%n-fd zp^Utx#N#2L1gx?g^Fa#;SCX%pd#{)a7-lByt>?oC95Qs)#nHA_;S#N3Wf~W-EOJ_n zMmmXO-xS+nvNe>;5kJ#`oGIsrye!xQOP~~B|fjME6lIgoPoG*OF z@fI_T9Fe&eHbyW>1ubORW)Elz7Gmr6WU#Kt_h4k4p0kTN>e~xBEV;cwc)z?v2?>UR z12^kPhPKYbbOorb8GB~}k$JU@^f!y!)M$kE)AJHD5?2>yKvrCxd*D_DJBy@XX+W=Q ztC{uWp)7koxeLIN&TNRWKC9AC3S$Z(1*h(P#_0I^aDT`&Gm@9FFa;M5r_#M!VVgZB z6GP*L-xP{I#JEe-q_6f!HgL3zJS`98AuCjkX!NDDV0(*xYST;9 z#wupFL!T4DEEW?V%cKkv-qm}(XoPhGYrEOKXbz6IR8qiA;%6qFGU|pEEYWLYh53rY zu>jZqf{I3gCZ}l$o?3LKs1mf{=<86q&O4G>X6vm5CuZ{4MDH!@@OCLfn|CUof(WE5 zf0=vEc2B4;ARyO+VsIOVfosh5j7v+*LS6X;`s9KQD~6I!qAN1nx%A{No_D zB}BZOHZe2=SD$M3RY;<&(m&)=nc+)yUP^smaShF75xx~!qc(SfbfvSo=G!q;sdY}4 zb-UWuE{aJ7bUO|5myA1%U<_AF3iGAokZla*7DI(-48WL6CyGkxq2AQT6&&uF1sSj2 zBCwFo;KDeq34~CHJ9;E>NAwyI3??C@E&TMZWY8Jl7|Fi^ZW=@t+CCo|FR&b07;He?b=k49qZCG#Z>`4v1CxZW11)DE!;K^%?n{({CBycclEt_be~ z>ff7^)_=6bbog46`yf2=n6m`vC|)DX*r_P!g&p)H;=e)5Z8*|+k|w2)ogRD^p0-Uo z@*s7@D9DG6<@%Va*0*@AsMm{lT>@!4f-^dxrs<0sb}-}8YaQ=UZlGd z3Nnxt;9Cd^TA=s@@{jyj98dK#?FL+lpH|!wi2;<`tnjHA?>=0^49M;Y=W$GAZDkC$ zxFeNbJlbCvipN0V*p5tzb8>T;#T5xeh;I5-7K>kHy`c7XLi3DfvFJT9LPz5aLbn#9ZgrqAbhtaHpi`xL`Z-;%xuG6xRH)mRll@V8pwM zI<<4P_)bV2J~awziIDhc^RxOso6IxY7=EUZi*2?FIo9wf+d=iZvmm+AAR}i(&DNf# z+?+K){%Mez-Eq_lZ0nL}Pob{(B%<0@XClW3Q?8(bd}RCDBv|F{UJCPXS`S9xEcx0OYLU_Sdu=xC|AG=#wdE^K-J|T{P$8)Kk90Y?sA) z%zeqIHq+sA;H*N-SjJcT1(GJb9*(wF+U@} z`HD76_*HiEMFF5E)jcxV{IeQZ z^Di+}vi^6iVY-$|aqKluiRa224x(D)cB`WY0XHqeI46l~>)D`ynnL|7--rW2L6UB< z^qys8n-Q=l9ODumb^>BWpP6K(i40JgKMuQRGdIMnue2SH@rPpeu2fHG%Y;}Ee@4q3 zcmZ$^7H`PK^)twFIhm&+Pg5|Jt%DN8U7=(QRj;xRP@n1n?rSP=GmvSJcupRiRQMGc zFEVQX#ws62-f8!q14PltP+1rI`8I7Nhd~f|z1( zO35)SW+UsH$&jf;=hC2{v^Rv#rcFlM$t-;;4Y8MHA!44=Io>lPR9u0oszL6&1b{WM zbEtWZiVIfx@*2%ns3&r$zhz{Y@B%iEjdj+LQ*w|5uVmYa9dI+0b93)PUU}2b{N9c< zW<<$Po_I`l$e0<47F!21b(qQL_9)*pC40sp&ZZ2o=kmLPF{Z(WUT(G(*P}QM0U1&8 zg3h3hOAVoRro2Ij>|TO+L{mS-m1gF{n2FrSlUgR;(T*X@HINrHHAWgWE)3X=R$ z%IRKP+w8%%q1i&ELYS>21qv?5d@YGN4wM#W9zdl9EC%iYq)eWG98=r+c>NJ=Dk~<2 z7{e2oJZ>j>fS}0$dI14RbSni`1}KqrgGOX!7K5qws>dKJ{xF8=$euFqnZ@N1Q#kW^ z>TlN1Ve2X4T-+3{%sE2jWmSC6tCKd74Kn&yK+DNy8KHIL8ltu`Ta4{h+&WM1P*{%H zB|z2f$Q-t|P+5Mm7j#DjX^8DXAO-VP5E$N&`#EEqksAQ@mi97Xh@9-!ac@`UfHq#q z0MAS%psB6o%sa5~xfs(P-x%bGC)=?zftkYgV$%waU|%MLkJy-^*STX%MX>-oYwZtv zdoF8(mTg93hoL|XX49+tqY151t{Jb~i@9e^9oR5`3eG;lv?*Co{F$uYO8wfJWMPP-lYy_}lN0Ao4nrRO)%A6*~c;q&47zY-iM>2c_A}Ncexa5q@C6xEXOv|xjm9F88 zy|f7bSc_9?HwV$9Y53!5m}vmay68fwRlztHKnyBX7=VYPbH{DR)WS+A@3suExin!Y zVvmmH6cnD-V$TS4XBT$2P>U<0h~jl%M~YukrHvBvY|3j$pB4e!qLAXHa`9;xl_}x^ ztvHw=ePzrLYA_H;vo|q`jx(j-Ab7^-BKO8<*vD;`b&kPI+0tp|*BHiFnm{wFsDstt z(p-S)G5K4XenCXP8H*Au;}f9HRvQk8XV(}Kr{g{~L(FK4xqnn`oxXx$yVGaljg<`L z;M+>_0@pF!UJswM>#LEFyBr5LnES1&xtlw4LU zGOxo%DyY)=@ya54R@T_velYn^(5DsoS8*O)7~?C$^!;#bqW7j3D>1#7Wh}U@t!saJ zpOnfLEsX0YBo8M8o(4>vY4N=Ux zlecSWZ~ftTQ+J%@UZfbV(Uvq$rt-w9NMnqO0OEfyk;}GyA0>ew-SU%-T%;#isg1&m zglA-RM(~W5C`7MPJI~co9~Pl?nfn>EAKF%A!d&&L%@4D{)k%^;Slk3jW&BlhG86?- z1_R)c_$9xWgOrY7eoh8dA)0OuvlXUTqdV{?%f@rJyEbH^>q%5jEo59phyJYE>M0z4-5~RgE?ao7m%c&?+GR|a2 zNum=vsxiD#Ekydqrz1oKH0cGhm0|LV|Ylxfn1) z^;9ql;H&2_8OYjZN-@x3*meV|AYv;>vg`n;p0*{2d1e5oWynliFgBjVX09LW*hz{| z>Mm2HZz?JjY-i#v%R$u;*`}DtEy#D%n9{`_>f%adDk4!b{c9~9jS#8SzYzu|!XvD& zPJm-)8U1xEdV5YzVu|vUB z(euNg63aU(Hh~$2698MaCYleo0wc5+UWk)+?3Mi43NSIJneu_L2b$waY`*Yz82=(p zU}ltq(YXq09QHSTLrrD()eYy80;5s$T<{TKf$n^JIZowiSBa@r%>&B~nm$e`GdvrS zUqnmabBoB;kRq^y%+m~3Rz*K;LdC{P%F?d|S*r4y!GL~FSsD^5wo{zzqI?wszMJG; z7aJ3tC{CsLCRhz#l9LLx`Dp6Bpr>t;t1{3wX`nmPJCCgs*C+@vb3yugxOpUH>u3_& zAihuiU0Ab%BOxlp+bsRU$s$UcSRLmKH6Kd%9l>;e4P$cjFKSUVz4;FM(A^mcWeU8L z$tBN$SPD4eW0Wx8SzVpZ2zkJr5nl~V5O@l1!`=+47E^&?&mM(s5a_o@9Ye)el=!%F zIGOr51a@$^iP>8gib2X3o_&!N=h2v z!LG#`+#tC>Ux(D)hr=E;?FX16ZzB?}g7CNaRHEhm$fak+jtX<6ZRy+kAqn1-%+smQ z6`tU1b+zQ`(*P>ynC47UCi7|bgN^Phvb=Kdo6zfpp=5bzRrb;tc;Y8(sE*c8 zp0m0QLyistZE{~67Xg9=C*Y~yIt$p%wqgxgEGKz#AfGP1=sObTh!*RV#(iroEy&f_$p9wgb`|;2pH}Jw0T&Q$wuzBbnpe zkCSqM|FB&+hqT)PS_w!|Mr~&GW6cbQaRRvy>?eqPinE^`dTn?vZ zXO6vyO1mN^YTtFxiUEXNuWFIniCsMVRe9l0bT6uAkSM4KD1r4sLjSPqjntGTpJh5F z9#y~|X})aq|H3erO)*7brbvB!OLiC;qR<~zf&be>aVQry!(xT|n9BNEf__v4D8XEn zn-RcwBu+JJxR%R(ODihmwhP;eO*p&JU4m>;W^Q|FItF|PNawblQSKp~NDri+X{Jt_ zt!d}4nOnp$yz`^o#5OFVTtEe_FuR9VsnJQBfid?8_uUK?-atzqHGW0ClDkC7Y~zT{ zl+d`BNvw^uMMe%xL@Qb`GZ?@1N7^=m2Vj;<-1`6mL0!1TrYiD2C@xb_9Z*PDlkqBW z;0>SYpr!^832391Hc~)^5knQF+AvWo7ban#?Q_qIZDcOa{Bo<5uefO78gS*d%9hNu z33(Wp4wxFqEzTYV+lL?0yK^6-gVFhCj8WkbYJ5jcRZ}ClGkPP=r&>{c`|jUD1| z3i_VJCz6NIH`KO!Isot>L=Bvez~iGNDA$w(iAgJ-fu+G3%fORMYX(AP&s%7nRAjbU zuis_>vdODRZ_vPT9dd^%OGw=mh`RNpEpZxG0WtbYS}Ak0mDKlzPh0QO{1p^1{-zVs zBxa8dNXa)sV3$2@5J8M+da%403FBnebFQ0jyBPmAMcx}g(P2I>d3SFH5FEr-2>>O4 zHZCkW-tO=`{>C7%DPvre~)5@i=Uv1ALzm1 zrZ1{iIXV~20)04{>u^~OCQcc%jp^&U1D1VH#u$Lu=P?8;yXCZsdr1GzpcBR=k-gbB8%}=QP=DyKfoYhNF7N})Xv&NIC0D?)? z2Q<*8j$Z$OpG&Vv@XXL_4{2k-!>V;0(#A5MQ>Ny(aSy|`1lzb+L-zzKk@TU?wby^G z4P+yIgVBN_>jW;z_d!7&NWM$;De7R#Sv(P7{51c{#oO9iK(+t^Mvw<(5UwHR19tPY zcrMvfi5)|z-15PGNTC^t^_+_9V|oK*uPu&9D%WInZ$zX~Z%K;Un?21_W%FXU7Z-h1 zG@OoBnb!F9GKMVOxhIt`vEHFdCtl~x#WGNsZ zU#<^TGa0p$az1Ag4HIKPVz30(%u{=Z@O>?33KO&RXA9{mElT=`ugf7%0e|U@!JX)z zcDO6zsy1Li|11MrkTTS~o$>W?0;XLx2eZ_x!W$hbf2vxbObB9uRaezBCgtnoW?WUJ zlZ>t~#NN1;!mOcXR@@`x+1)_`<>m$`q&p6>ggs1pevoGE})~nE5Fw zCB(QF$Y9nP(IwfoobWyq^-IFo0Qor$ziykaB2z;7JEm9|zD$}I0{fbq(&1U?6#cE55)y6S=_Q^uNw51=RscdktNHoxED)OKZlB30Om z2jbeodAThSeL4=A>@k(uh+zNqOtAI40wNUJLdJCB)^>o!P%RSEggRZQN zLOZlF!`q(m`F>0Fc3@09R{Hv)(rg6;ZM;rg0HP10997gDZ#JNpY>lu=E}?`L0QsMx zcH{)wjb~mrIh+|{kC;uvOevdslAy}b+LVMw?C47hk)so4na(6u?ub$HrX1LnyPKUy z9q~$=vjuP~rBhwI-m+!`8H4Z@uzLn7@#p5>Tf!aV!!<9EPBOj^Csk;*?9-%tj+t=N;{td0#~Lt;ggd{)-(&sy+O z-dVMjY6^Ln1B8Fof`42o{_js8S6Bc0WAaCW?jMP}8UK~QoBnqK?;qcQzyGY>4sH9- zY+tF7PhP9K;-7}3|F0|kbBB&Uuk=?-lK-q_|G(PwcO#?(*8jNT$eKZe|GvA7e_!+8 zZT}xX8}Uz5!Lf>d6e9I2q%&4XU0Pl_=PJlVT0_#~&ga>Rd)rv1qta==9Vdy4=4^6_~7_46m%2;cwb z#MMtU#vzUMUq5=XH4bU8I|i$3|EoEFj`m;Oqe|_(XJM9B$>^D?D zt&+p>WH_dtfg{qzwR;xH6q;yzKZIpUb!2kCcb~=bP&zj2S$IQ1=@UAwZdWH$h8bEt zC4Ca2HD(OH_-@m4q2XruDfUfOF_upAFg<$%ghbXmgwKKmFAF-i&am1&pP`Or52}3(<~p1s=WS#pJ>@ z(&@S^&#JnlfJSv&+o|3H=WSX1##2pGpfRbXyGAu1IP`o}S{Vl2JKXx)58*oRzrdvr zJh|HYT<#pBbI50K!T0CHzy;r}kMB4));;Fila2j9m}`P7Up)0n$9ZPY#JfM;{5q6Z zy(``5Odao=s^I|Xmzooq5?DKviO+o@)>ZwD3c6u_Lf(ReS^7l(i>*qw4!{k)mt<6a zymnSZQo-^zwYR>Zpp~mTz~{4Z>x?c-!RuyiJznpzKCo^!ekZc`?&`~G18y_m@S2?G z4XM4}8g}k+_w?B_=DSOWK6)vw?>@fbr!HNV*vk*jWYPyhGb)a}n9~3Kqf65V9fvy# z$zKMSd%f_L++)j}LqC!FGXG_9_~*N-zJCAM%b6oDyjv#^Es*-_L%7-F%Uz?d@FPza ztZ>(S{~6r$@fEGd{df^Zt?SA*6Mp&j)V4tnhLW2X}A&eD%btw$CD^ zI)VRG_Z$p!2i~BQhH?O39yw_SZE{cL0apwGhhlY z*L7L|y~M|(JpMGVQu!CR!q;_rE8G_TB6gt_?qT@n2l)v&TOSO4!ZBinf2XYE5N3SMH`?Kp&R{YHxz9wZY)1E8xEUFp+k?H-PrTZ zGH+@I%!#o5XGCf>Vs`&yJ8rhE`bFR=#?Ox4EZ42wH7n@b=219Tf7ffn;0+hHKO!+>qA zIJ(5qUpXXB>fJj(oZB|YJ3j+v;`YHGugzNsW3j!G7nIX*if-)n&vy*==5LztQ2wg{J3V&c8GM7IYwt`a8A!D>~?ey%X@txN$cw?0x#~PnSRP z;$f41yL0`E59amVKl$PPdoZ?N?SJO?M_8fK!OhmSNX{As*~#>SXRS1QHYLzUb*mmZa^PrIW;hvcxNi-O=Kkcu7TPpwB_@6Wno-kYfG8F#P6#HL0R6J7!El#h}!#J-w+N?5V_&srRu+=M?R( zNUcFJas-#EaS}1TAR4JeQS|2mLZ4yJC=lS7B|7jJRiI*+X_m&B;UvU+Z;(e+IWp|IkAG(ua}DrS0+hw-+zy~dql9`m*^vrS3{-@B|YBcWSVl~8WcjBEQTv^N@nFSG8;dD|D@hqVMu4#AJu^s0E9HvSa ziT^jOa){}PU*lYEHk>E#BWw^lz%4`5a@RoQ2%3O_e+fTKm*}WCn(GaBYWH^lZnHh_ zEBqGMN(EmE9EIQ5GadXisolh$fk%q0bOZLB1UwBgWstLSu?Mc{w5Jy@lObophcZ=q zx;@YX4lbwvOF7)7BQXW95nh11%A%q@FGw9?SLWhq7poBM#VfEbLv-17bDre{MMfr{ zBKn{W894#Z45@F@D>8Ak$*X`DE#TJSm1)oN!n#nUv)Q#ni{&a9;lO0Mf@D>`k6)0ao1CuFY?UI*t{)z&fay~`6UBZD4lF(DZ7opOucNGklDa5QmvJ5$jJ5z`p zehSjfA72)vhSHr`nFXVzyCyga=LjC?cl)|=z9_g}hJOnDrl4&IG`2WM!9Zo^w86bx z9+(?;k~>hPAen~MYW@vjB|@&i3drLz{th}uFhrT9pM|1~z!=c2D&7c$`;4sgf@G`^ zo&HR?rS!ao@CfdNX9~u?AO|Fx9qYE^G?yMu7@)N%tKbq81y9ciOpwE575%TP6izW` zpr;6fTvo9*M3G4jYq8z53S|`BkTnl2xCHYuEAbZ)mQtl>x&k2}FjU+Xy5E&~DAApR zu5W@zc^HPjNpT~Hq8-{S4g+bX(i<{WhEr7Tf(I35Tk$Q83R1Kyp7y|KIfx^1r8K^T z7>=vmWiWo3_PWuJ$KOy-LnVnTun;(i$dB^$LdJ3mr)6(b5Qn}&4U-IRDLq{o4f$X2 zENA(bK-Kol3@2U#|!KGvX-lYgHm4f$K2-PJ8iv z=vQSG%)^zM^ehY=xPgLXL` ziFctLD&io4RnkJDOvO3eDrkmbzZSmJ3sn*kVEGJEFfANb%B+Avp~!H4SAa{oQLs8> z`NzsjcgtbS3o>D(U|l%uhDqk2zLIX+X?OW=Jf09(3k$d1zf1`$flJwp4-4^Fm2S_N z))Pwg!rWS)4XZXJITzQ5!rPhpWfZo%lHd*hEVyOSb$OlGQtJG`WVN(^?2x`|h|)v0 z&@p)Io#}p9_R=#9N3}q>Qosh3O`*)A8hIhkoDM+iplUlG?2~!i+LOMyC zJCst14x+E4aEYs%O0*OGkKy=N&Y*BO*DZwkGZiM8DC*nlB{{T=;@fg)Y2al!bZqfp z7%E4>v%pN$&c@Y{Ne*)*? z=eZ6lhdr}k3P#RiC2Sd4v$lAk?G9(9LYmVVuHs2>l8nlIAZMn@aKIAKEfPk~&|fEQ z?c`hdYC7yYW1)Ls-|fo4FAN(QPbc_0-8robtXoFu`P9#%;o4=eZ@Qd;>9Db+XZ``I zzw;lUdIX%cVC0B@Yz|kJJ(_va3~{7Gwmo1}tN#U2fyWy67>W9y5EbTrD*F$J3ZN3L zQNn!w6QYvbdjM&Ayxy$=5Tq!f_pWC#AX6NXkg3Or7r46(fNQk?SO_pNl>`T=cD0N<&_4H*ESb(m$znH`zZ{nai@@rDeW1fu|U!nTx<5WKCo z1Y-R!FbW@v>kGh$ECf0n-{q-DM}L6T+Vd`r1V~}64)CbuE`FR&Lcj9x#h=>ze}tnX z)bGFXD7@#{TM~W*aMaUxBs}mjD0KJc*B<~J^~@t_9J=wh`1{cS>q$@}{|WNp7x{zH z?I%fi-HZ5s9Nc7J``}Y+a`@>9XC#E|F(`%0G!iD2xL+edQc5Tp+DQWA0Fo-%I_A5N z*L9Zgo)>vn7YSDbi00M&b|ob1T010It11(4w!fW^-5sr~uNu`hN$ z#-pO}dhbNtV=&75nYW*+`pQxMoFdkpScqQZZ*;i^K-vd$`@9XO+CBQ}@$+v3*5rMl z10d?=CBF9nz@dJ=B0;KfKexXJWb6bWQNRA!{N796c^UVA`R?@2kuBN+%6R+QRc}Pb z?~fk-7Ahgn04Hmby|FrZs6OE-zE?X5Tn22m={X63U1D$WdCzC{mYyE~qr_nnC^o~o z=kC88Bw6KvKb)gWqYZ1)t&gsltV<3(c8>nPt~dYFW$MPdyRhoV{!+36gN!Xmx`wj2 zjkGRF|0(`BNN(VKCHuPKUrt`M>aP!@Reyd9fo$LZco#nXP`2yOrA{7!5KPlfC@$}d z5VSyn79=FjO2E&;{|cm&Q78^x=jjpVv!Z28o(wH`F#*1XwhULM+K0y=1fM3z!r)(} zzKis;c9y(ISu~Qvm*Qk8@N=UI&W$O>iwQVHp+MM=6reY)SF~F|4Mq!aH#Cgu9v4^u zC&IBviFsWdoFI&H;Wo&EMU@U|wLa;0dS!?%L8i>J;L7A!nH)|UCsTeAf;(v1%NoHUI6PUmRCYWeO6Cg^IXpkU5K|w)5QKJS$ z!F@xeEml-itV^|SZKaB>w(hm9Rcq1O*0y%Ht+n>4ZS7OL+kLao_omOgT<`V1zdwFn z4scDj$((cUb1$F!^SQb;!yMC{j?94PB>nx&0i+w6Mhc8@QAs>S8Pr8i_cQhje ze_g}>zt6&BKgS;VkKxxPBc8XzKLr2b&#bJ1f{KdTTC`}<>eX3UcKi122MP+Xtmk=P ziS8oHG3zF*UR_XNw?lM7GIX`I*l4V%u-i%I?AqE2_y_NAx5JCFvfv%Mo_YYztzM0% z8sRku@YDpmy`my33+wQpl&mc16kWZ2JMM@3>fl$J4xTtlS5QFj$0@i2{=l}bjs$dI z`}P9(hsWydcAS`Ew=Y@*?qwEr!&JlxI-bX;aHJnHBeHt+qD2)It5=)5$Kp7%8TE#@ z-DBi=xX?bd0}mp)u4hliAEtGE1^CMFVUDhk<;_`HwYAVFixUY;vcnhV`2*y~B)i>A zOtrO2K(QNFudb-Thm|>4XD%o(ck|#JJUQt=*OkB*%FtI-9Kbs<4^KP5D|h00xHcPn z-R;}qqEqqow60qU&xT8Z+fSmnwFtqTfxC_1mB`#Jw(G_?)~&Jq_dFz}g^|hg|2+|( zHdtQNJKkJwb3E5+8Z+H@1+i=7Y*7J&fm02SCkMVX27CE^;aDY zW9?x$2`jREQ_-7GfZ?gX`b0Pd42lRRz)B!gl(8KQ)`ls^8Zx#Ql^<)k>Ij2PFe7Qx z;|*v-1}y%rcLgi;cmr58_>itM_AopIf16{>n7||Od1e%ZM_T{W+zsmbye@-=!ZCMc zY|IEdD1tK^GX}vWLJt&tT1MB~JHm8?8P1>$&@uyWg9a66Y)8++6H)!n4E16mxsq0} zDJeD{p7W-d)Z>Zpn_DxcY$}3Fz_x4z77J}E*knfZYT+h){JYY>ZK+w;J$y`k^9i`& z8ELpXeA=dayDr^~;*wF35H5x<4?l(QOml44<&WL80qhoh`lbShIo6E3@6;jqGH}AN zdh`F7J>?7PqyL^gZ+EvG>+U$V&gOV$ZP)Di-y_vEd;a%X^ncEtH(QM2n=i%wS9Z;PMOWX3dQJ7jh*{H1+6W4xg(1UC5SfU3AUVWd1vAESpk*)BNv}w4Crahd0nq zva*bDZQ8t94N>sf@o17`?jkRriHW%}EiyOC=jwy?^(-}Ec68S4`Y1`kb*xGkuJs>; ziZGffCD1*%u#1ZwfCPm|S}VRGw~7h4feb(zZtxiJ7&?O&fH<7m<@d-WV_Ib96cQrG zXtr+tH1-*;!9&S7*{=tPg4mB1`fQkFCqaq<0rj+!kBgkA68=pDuZ|{j@-DIG`J<#j zmo{2yuS~@92HcBm#8F_YCcBMVT6xqv9%HXw8;He+aIQ{EV~5!qJpe< z9x46>C8d>jfn9ph5KzAuyAUesm$<$-4Ux^t1%9zSnU5DU!1XHzPC`x6wtU z2kJ!zYxg1cp}7<|>3h-qnwOazY{yHX&4CQpX+P)QU^DnfLkF8?$U}+C+$(KT{Q_?} zGIue@&sSsQ56KYnAqo2bf$(6xmNqi-ja>=inL-W zFg2Wkapu1YeuPVrCjRwrf_BNI43Id8UrUdR zm4$!B;v-aD@GWcb{iV~siY?AY>?RQC7xzHyJ^ukj=Bgj^2P&UM&OxZE{afuAris8o zryW6RD*i}4xBqEiV(h0|f^s|A1AI%{PToZJg|mq>2_{P2%&GG_zV;zZq~`BKpO7mg zkFLIN$}Ky z2pN2H@-{0j-i~mpx?4VoemdFFtluCl_HY{2RdO(}$F*QGGfw&HI-{k9Ym7aZ(9)hyA3?MYoPqm!v5heazt3l}>lfefSt z(Tk8YbWer^Yw;2!7Ryb46Sp5sB5`<`Tq`EXlW9WnLzl5*f6+~yW}Rh#MZmI4pdS(c(sC{|v~{!&Y|&jn>ar4O z0~^FAP~F9*=E-=Pd{j57?$TFsg0xW~@o*SeV@_2Jivzw&(LdIU}J zWSBZzev-_i8!x!EdytyvdlpH()ytJxh>J67wUiV!U)O^LDI8=ZFy!yG-Qk$6=ep}# zr*X&hb(z>8C4oVICw!=Bij?83zxgPrBjx8HGS#+|Q4YRYT_cDf*yqu}G=%2Q-AUaQ zm5qp7!{AOmG#0@Vg3BJ*2ERcq1>>83KiYm$e(UMYNGc!^^rHKNjc?=QEzdhI14nPL zvU6Xd6-9S@&lCJx@SlafKqIl$s7zPZg3vaxVoP+17f4QW*$(R>Lt!pbjKw1nn%a2D zn}hI3`sT56g!_^Yaed)_Z~&TK#tEXJ8IU>#j^Eg zF#LOC@)sH5LL*n4D{HdtGvk#La#EFi8_8*oiTcVk)O1ZZWfofmKQ8RCxG0{@c=kFk z$o=JU!M*ZUX)S$=q{{vP*xzFO&HnFjJ&l)c;=!S{%Ax$9K-Ejx=zSIXaJMYSEH_bW zMjbOqx#f0T#|-x^k_aXo4_Pw`c?Y67QSy*FoDN2Hnra~50X@2OgxEx1Ua@+%!6ID- zR%_B2nT?+*8HLTEQ$)<2CWZ9SMjC#kOHKp(EW6{BU5t-(cYefp=Q9`f8S58BdtFS| zbg`it-FLBcv@{)$kEGH;c#@owOTw|h++e@NNj7ZYN0PZDn^^3RoA50qR-P_rV%yDr zYNKqG)(5OeY?V&S{Y0DGm&B3%f|`i0i1A;KmlCAS_#y>%UuiS2T)|BUK=k~RI2?pIVj!q{41TODVqF^i^-UXn=& zFv(;a}MSOyb2Y!eb?TU zQ>JFuJrCjmKogmgKqX~C)&0iF(<1ZKcI;WGAh0C`q<`z{`4drO9^ik;{+5}<16sTw zqr!Icf;(pW=D@0M*h(kne-28uu|9&Gp00JX58-(rs{))+y%*>(lRsp?K}{!+iqvBu zCjumqWCa-ppz+IYG8m_H5m@ZNPmu8oCgj=Ok{DrTaSG{)Q{^eR2!BjcoX?Vv#VD4= zJ87~Q!70j%-1k=C6DT}}s8=c^cCjOu(zE`(n51ftAhC_^Dyi4X<17){e$@3^ihZ{U z)zuWUxkgCYBm4e@aEEAW58m-kg6M9eqB;7S9BBBLyTA4KI6Oza1J4luVRafUzr}$N zIjJSy&MST|!lgQGy|0$4a-`TgieC7rZl@$%x*AN=L`0^^qPGKyE^d|8nkEw^e?|&& zPX8uVIAeCLw%~VU6REMUvVan@`QSv+3?!!&aU>JJC^YC{8S_25d_H=Y?Yc<3mJ@Mw zH4rr|DE>K-J&n_`8#cvCD3&t2@Od)SQ*m!ww^Vr^d03~t=sAlbLX}l1cODA=&=g+PGNy z(t=dCESiNsxTfAtRZI>2DyN1d(N=PqeWZ?3j3kFXV!2LPwB!)ETU(Cl9w-`;oM;^H zsR$Df8svD*di|(2bf-4}>herASZt z{RaCZdYne);b;8^bvT9I(eerRnTqRBrOg}9txXlf!k=dTZpUXvtkOo|HOb!xd9Pz} zD0M~3w0U}b)pIK_5!vSRc+;7g6n5+Dtt1s>WyL>Qf04$}{y_5Or<`0Zwn;Xz3Qr|t zq!ch(@{Z96PbsWG$|Lk3G{t%{$VZwB1Pe(sY>`EvVD6E&s%P9G`jv|qq!+|OJP9X- zQYq(?@%THDlv`Gl(^RL8!sHR^CovXZ<5FH@oZe@De?@IGI4J?4KD@)W0nj=yX(8$(egUjU0qXE zGF^Gm6GL}KEqpw_ANNB)TfYFt3SPSz(=n{|Ls_v8POeNvktezCTzfCs*XaX8R;DkM z(apTVB;;=KOK8CXc?F4+9*~yNb2Js|tyB<)Y94g(q~Fs`vO7yJ^lgz~^^Ay)Y#u4Q zVZoArs9XFHfCMZ9;^;l9S1s_-Y_X$Qi@NlkMZ@qtZb@ zxsFJ%bqihqreGT&7pUEs2+r5WIR5}$%~#O-9j_Mfe92YW#I+fC6Yd>-db*>VrHr1~ zg|k?NHvzFBHJ2mnZO>8cQyX*i_Q_^$mfhz=WT-l4VPAw|Z6WITriayN4Hx*5kop3Z zge~;?1L5)V9j@(y9LPB>C(wa~pfz!coc5oLmHU?tM{*;6VEkRNIE5ciS<|&8laYIa zcPw&vOe^z{J6NeNLfAk3~qLj?GGQ zHXmPdRE(E?>GBN13Ea14=(Yw%`3i(xv>ga!M`;NBvty+kkOyoaI-6 z^}rwUi|rmSkRhG`3dNdJa=W$203`c(Fqy1Ql{G9?K7(kHE*Cq@eaLplA6&!lIlI*t zkmmVCDc3H=(&6~N<{KI$|E42|U zr8E9kVCBV~l(T7*T7Ugz zB`)8F)c1LteGMm;s!!omQ4ll8CigeoElwUQx`Ta%x8iKA*>p2b2rfcV-fUfMB98`N zSTX`h5pg~A)S^bE8c!7;#uto4Qzd#%P$K$Gg;STEYXv-{pa4``aQ$_x(@OdITGAVyq>?ghjc@l6i zYNLPBVoBUzga=CrH~P!*<2NAYl{VpaFZgnsYOM&M2|S07NIOM~w1zID4PvUaraTq- z*CXpmGu{c37f*%<5{u~JCppfWwdvi}K27D;ZKjYDUl1!%Bk9B@GSRysM!L#3kU_zJ zi9BCbc384XzvGkOI_6(M;3HJ|oQ* zi}>@FWfZt%O4iaUJkJ!b_$;4Gou2#1Hc6aIj(7;=aHVq(d8VWT-vXv0Yk;^P*R}B3IIk69qK^=t{-C@*r`YoZvqKy!rdAJjcyXbm{5EvCf`A)qaI! z;Od-INwuRm1;X>MW#~AKe$Ay&StSXUM3J}TW&nmuI@c9nci?nTf1rJ&Oz9Q->k>=9 z-q9uK_&zr+1>Y-4(QoNnOvJP5UI%oGWGyS9xjfu>I)IkIB9nq-toH}3b$0XOe&4_r z(6h3iK4*fmOP#_=|H8|&FP)Z2(20jyU ziL^fFGp-*M)9_sK4Upim{5w$z@T^GR{5Dj~lM}=qbPrjACsLEtmDXL4Wx^uAaJhZ*vaT444jtso0d&mgyJ@et)V z3m<1I^<%-Q;{{74gRLm7w6yV~+=N5bdEvun+LP@aHyUcdhK@9Bhv>(GTp9e;E^i%^)HWJ??pbt# z7|(vru>e<1M2aVqz;Bui*F6P}a+jkQd6s^{uVJC!X40p0otyiWB29Qc-)3>%Uq)@{ zjeWbz7!w7a`va2+;01v(X@@{!XJQnfZwc*H??fuZejNTG2}gExwIC}|Hr{< z;d|7|rs5p2WW$NcWF7r&eiE8Eh-Ya&q}~H$7r5Gg5z*zqa|BuNS~3mN zPFu%77e0v0bsj9U#Kc|i)^e)dD#qhpWctNF#Uy31KOW(pcywV9H9TYe!Yme$G2%JM zfcL)tIXp+~<-AD_qkU(Vk~{M5Ckikr`;pKDJX4cV8+g|681{KTE_(OtX(h4mQVi&YzDQ z3L`;oy20DY6N_&&vNo83M9Z2b^7-;IY4H9n>R^8WNvqTZaSq|wSdzs}r=*MvC0xHi z=D?QL3Cwc9Z`i9efL*bi*P?)ROe64 zCy2H1*JL^nE7+hpNVE~(E@?!)3hjt%jYE%Lc>(8NK8Obr<><+B599^>oSeU>3@19R@BYiFdVK z;7$I0lt%fJEXteUH#hSlhCh3ex`xEPFJ${E~+7Ic~x548$f>@$&Adp^4gUrBS5RI|FJXx5aZ|He(BxAS- zZ)CfemHg~|wi^k}yxuJ$JI~4v@_@Gpk@>QnEtUng?D8+PLNwuNY&7fz6_5zCv(efo zHj<;Lu35DtcV!u7n|%wk1=Hly(jr;J8}J3XOqQH&D=U%MIAjTsUMP9zaU-^2uaUCKo}Oxux_~M0+Vkcogmv8s$nfC~wG9 zJKiH6sHY6+xn8%QWfFA7v*@VJtrP=rVr-EgMb&rw>@bIOR;(^q4KhKrO9}xv!miQw#Pb; z;SsnXG7M(~YppC!Dx@=XTC%lRAr*P&g(n%^LVz?sS^1G9+H7&M%eE_y#w+iN0|es4 z1H2X_&j5gNwk&ayv+@Cit&mT@moCPMKt)PQwGhgAG#^Ugj|56%PyFQ@62f(JrpOPG z8utdM0)SJR!!;Obs`y-a6KV-W4`}byP=7I~DMTs)Tg)K`2}R!pk8~*vI8ejEByL9H zZTun>k>+^^;yek&DuDSt_d8E^@CSNAN}*piKic|=x?U`zw(yd+Po$9CM0+eOMB?{K zD_T1JY#KQneAT6KVxI7{DZExrm0mB+L#|Rz9vDdwN8@|ReE3p;jhAZS=F1UaD&Anf zY{IWHJ~WrsV<>q^uYo!)3n`5xr?TB=g~6}gyI z_l=QA(F}r2urk2`*dLV2cm&8T%khm!@@J@Gy z9d356{T%JIfQ+laQ8|@P6Y~g663Z*Vf&$$tTNYb=aYQ9Ql5yfq%UMeA_f?J&I!us! zklrxD@;$Bn7H|2>%zp=LU?bgyCHIjmXNX@Nm=hD7 z!hJGVe$e?dU+p|>``)bf$eBu0P(F8~9LE7+DBCE!UxdrR@pk{f9Ws*4V#q~ZR8Is= zB#WL2cPFhlU)g4<8A#mDk4f+7Q2vFA43X#Bfp^LJWRiB-aB(p&gum}R1qG@{;ac!* z5T|ffk#^`=iUHNvz-fV6tZ!3(2I(KU&Aq1QMRFHlFA4asucIgOsm?lsHSmlJn%F~3 zI9S8D5;)Yo-kULa8w8YWLQRO3f!Q2lb0&}@kRmJRQ{>%{uigybwj_wj^x`>VWXgV~j}w)c}|8=LEUmB)`bm&xyw3C^!c8{l_Xig0g&m0t*zuAAT|Jb3MH^<(?R zcsvgfCf|&2Q6Lf55Ig5&i_v;_0<0zO)kOTM<4pskpy_7%&$^i;6U}zDRfG@E8P?@- zl~lWyr7K_2;k-9`R<@HL{OKstj*4vgoMVWDrr50Wg{6=W1eM#!Cb@_GU4y03INpX} zbMwpS(p`0L$s--jRPu38n8g{sM8y4W;QpEb#Zsu)17SS3m5K#WqUa4>DjH2XD7Akq zC+FHWYI3~V!}4-6F1O9o14}zTpc!KD1Zkr*{(%8qIv{L|^@g5{P_fv4FpOWtmYJUe zm$^91_U9la3Fn3el63hF>2$?s_ygSF6i7fEWt%A~$Hh_dli!4p)fg6^%mIEf;b@wc z-Yw`07!9Dp6db}Hr=8O4N_y@-?6g>ox|vh#>v?XDQ7*Op-a9-W%Q?RnCZh#S{0qVk zqtrhb_Bp(`OuReV4GU2Jcp4w|*CT!jp61*y{9uecA|^XVxV_*BmD4PF7g!5#>q+bp z<1clGqH#W1&@?ZvFCFMv364)HzLB#ULh~Oz0|Mibv{?LTL`wILSwbSD&_3gFFk591#6G~Q9V9Ey#i$MO4M zPcmo|iBD0VxZE?H&k;vJQEH_T>i%X|imVjhTx^@8zqwB|sZ%A>*A2Y87-VUcQb^6cbnkf{#hJzNV*mP7cBh9mEZ!cxLhRUi3OzV@-=|uJoR@05+f~ z(w_-zjrF1ds+pdxyoeifH!v3~%YQV6yoowy_KCL*C_6bu`Ky%*JK|fL2#A9e6~^09N19mgNM7U?~2lXNKTb=NnGv22&(wv z2Q*1q8<+!%c=9~p+-vv^%$>B9W^Md~nLxQpTB+nUce9)|{Pvnx>^BKCAM1hYQn+f6 zc3`>mJ&b;8=xaO9gl`PNTAq(=uA2lP88R8BZG#v9e|SdZ0?p4q zMU!H2Ep=4B(ye3xge0V4WJ*@Q-E*_qqQ`xeoy4hM~|hI*g_?&Iu-w;Q`oavq_xel7V#K52ZY6 z&z13RnqZHOBagyp6UqBT_mV5tZw%xIoD1Ij;v#Zdc1!QjOUl26J7x>&tiwouJcdZ5Q>{-E4oJ+Jlqgu8b7ctxyJD$R$JQ zJjrUAkqY~SZM3oZ5!^!p9Z`~mr-q)#DrP0+;qBIEC|RInO7n3ar*k~WzvV0#sGN|3 zc$#+sl9Ka%2*kj0$LF8Mu32NqMDhteQacK{v)zyLrp}(WYj-M%%rU(KVXysIG&Byo zv4Q1zDdsi2NSTIvsKZ>igw6*7a8zdx#M%4s1Rylzb4&?TVYus?@D82!x+A+6o@Xyg z2t6cn?K%KQ)f=t1#e)I+Q}G>t!8Sb-VvwFT!k|pZu{jVJ%!S|nhVdOA0Od(GegCF~ z?nLXZon-!_V<2U6<)Zbx=z3HXc8lIq7M1~^!|S#ltbLQzrQDm$0EWeeu=BxRm2Yc? zJGV0*q(y=SK?^xcZ-q*mhn0H~pto@0_}myZ6ORJy&RS9s0GxvedWp2^`Xq>?f@Zo4 z>9tpNzC_acc1ut1W}rE4@8@(-GpKumhMpuyxg8(3bNk;Yoq?!T%EC*r&@cf~=iXEI(DOvwS($O+UHmwHptd(udrm%R%>cpa;z`Jvr|iN?@W;ReD_f#2yYO{c zBblZygGiXmvAfSS$IIX0$;x?X&<7!i+#t4vlW@9t98U}tZJcqx9jAy@fOV3Us5FXj z<%b!i5W=KBBzc-dMd2@u`h#VRKEi4;ms`lw99C z3^v&wmvRB*95-_@qKf#PlnvrH z&KQ}mJ?x(0ABjm$Zr_UPoW8h^XaP6BrVPNJa+2)DALm`dTh#tINt{#(5kMjGzE1GK z9ILVx^YU`BoP^4k!`v)f0g45+!;oxMk$c-kz3)q;eqhlXn@e&Y#t%wM$Q+$ETuV1{ z)x)i?8ZAc+_OIh`QN=Ji->s+P*-TrW3Ve=DJ4$;Y`+Y|1olQ{5Sw#V^463ySc44Sd z`&h6*!)7uDrwp=tw|I|biXrDJ1SsUPrAK__*9h+n-D1ynJj}WJYW5Ay;^Z zy2~R|?EN{#)w-0~*gG~m2O%=Mu$borHQrUvxKPM8j!_pFi3r$)NnjhE1DE&{-X3HSr6 zekrce24L%}2I-%;7pOUr;be}ug8zre(-o==9>+;RH!bfVOAL51K&PH33LWO`6I$hO zN6ImFjlBtx4$rf z8B@G^G!3FEZsrc_7Kdw(k6u8d*MAq=qPbbK${W=%BpX+X98f4kz7$`fJ46$O^ecgs z532T1K(kislE`&2$qEc&hJTl%Z>n~C1y%}xyN~bKg4F|HR7|HJ_h{of~LF3 zUvCiiMb{AlaFXWeo8D&y=OM>Ni51w}CFT{)c(dF)Fc7J7%`p5qT=V#x$!t7)&hV~7 zsL8X8o6)p^$-aKy3`RgrejE^@Mk@$6Ce}A64?_BC?$f zmFLhhNEzSTF@d{nRJU^hJ*gwPWE9P!E0{O8F3wk30IruJ0|CkY+hz455yF32kj`F(r|$UUDu9!iJ0dm`Q-#EJa8;4l)>hQ*Mc z7A_92%=hcaY5+v#3=BW!FF?f;kozU?Ekt)KIZ~n#nhRRD&xneS0wdlHkbU{YOz_i9 z&7Ykq^_!5|J-PwPN730K6_ULfc(=noGkV0fcLep`ezjwOb139yf~k-h8{{4yoZJ;@ z^&(5iTXb${TkwFCC0+#r`UEn^@(&QK=`Am2wjic?a*DHGe#*lH0RIe)B_OKW?)@dwz-{kzqkdrW7Y&VEUKV0Z+O)MxvV~YxCeOdvVW`q5gn9pb%FFK^j0+bh$$fw$S$Zth7S@8OIeuGd zr<{Ki?6sb{@Oti@QP!*U;Lo=A%{0yK;F$>$6IxRD{S$0`b31lJG2=Q_y4xCf5+xnH z;5uOd<6WrJzIXk}MJMn(I(~O;Fov_Zr%m~n`?3c*`&gb3?CB0>4LpR&QY{l(nhY-U z04__fL~YFss_-6|I0s!m0i0ete~#1&pO`fO`4$WBw(^-Jsh&h|PO5lby_dA{0#{^| zX7M2Spmf8sC7Is#V;>BsP6M!tqMj_Vk`$f^7ve*?cSD(j8c5Er2K zo=gPsg~%p71~?9mBE%#X|}uLDx)y~?g{STd*D%54&iH}RjR;!0nY$n3h>B; z76baiwRr;hdCu7A%#)TDeq)3R|Gj0}RLda$MRS}&G= z+0D|dG=Xp$?9gRQ_Jglg%)M$olfpJ>-Sf$F&VJ$|mS=^0a1Nx1@YAHP_rVxjH!b9Y z(&FJVo0p5Ve%d?72*IOM6mXEOYU&#t$Gx8){DatCw&^sYoIrhk%T(>2uYC+TPxC3{ zpyMk_dgho9UWff@z-7N>0nMAnJXnct&7Z9&6K8&&u>VJ#zHzGeObV%VW_66>CYbRb z*ke7eC;8ZBpC%C{)Eh|m>F?+vtIgcJ(2;Mnc{3ty#CmX9-AN)8f5}lB9Uy_!b)^-} zxdivY{be8lsX(m2CTvHLK$dq%DLg1+BItpkQBdr#IbKc2tHs39HAs{fu0yhopUa(3 z)b?TZmQE`_I09^#SHUf}w|q;s@4sIjD_Ho_4jUTp`P0Frcdp$37!>1fDg}75a9j^b zs#S7?%%xp(Ed@#ALVL?D+aKfb(8xRO*RWA)mi$-_{p5Jh56HaHI3UGK>2Smw$#3E}fQ;S^V?PMxi;2=1c8e+0{hrX^P(`VdprZ-K31;W>{{Frb#*T zxsfJo?|A2!aB6-5I+HF>VD648#mdZb9ch;Hs-DA3M93IKe&@cnl!Mmhv%Kc|(@9>m zM)bHqUZNOy&Rz zjUxl-1~EbX09TO}#brKLZP~d+o=b8qOU(FzuAaJSmZb*LBKt_KPJ8P9*8+WT_`9I5 zZakM!9O>yU4Rl~YiOh6A?A;qHd$eUS7N4FSsQJLRLbx#{6vc6PtFX_E7qExa?of|L z^|r_MGDV5;y^UZCVTG1>y=Xf4eOH@emVYN=Q(do`NO9;6ejF*G{rGr!x!j+WfW8MQwQd-#$=%ua z!LxLNYb_;Tfz45i@0rdj$ALnP}yb1!8yY$kikZ9?X zh@Yh;*T>4~(h+G)@GiB)+Ao7dEbqrVPkSFl@@xEH995r|1lb|oLC)iiVy=4z7X3ja z?e`Bt+`D@65Y8h{(tx%kNzOu7tpg41qw!46p;ylF=A4_14?f7v;KK<#pb1sEZ?r{x zO?Id&@Fy(6;u6_4K7q`KLKI8Diy*$iN%S6f3->mUU*sOkXa=SN5XCsS$})(9?nV6k zbof!s`jrT1s`o|U5+*+=%lTEV9X-edA4t`VECp}6r}zwh+1C%z@5PlR+s^cZX{K^N zmf40Rsvm5bMmYa4v+dS;Q6&Y~!55GnT^l4RvIJd1tzJuw#Tv8}dCYtsegpt;U4YEI zsTbozZ`93$fPcRG3`tggzzvWYI7uIAxYgz8mAZ=;))jK_tRNMnhr0sH@0phfapWqM24fj4%{(ZN7LkDJ)_sB$UWb=ns^v)CDMIaVhQDyb6B@&d+z?{Ddr^XZ4$DW)-3- z(g0?b@<@H<7Q}jahKARBS9LEr8w$xiJTFM&@H-Hfyi08UACcv}(WRJqpJSNNa1!z{*-+vq;WAl-7GCtM z^(bdO&RWm6G}c9Prfa!o`Zlz_1)yxulmQ)Z3&8*D0~NAoV2^}M2za>|@cqCvAV9RCjd-vqI>(TGDv|1tMMker|n^VpeGWm=_?y4<-~iHrqCb4 zVFSK~4LDJ!ojCXw^?Fb10P^!luC3vteN})#6+s_{d{}%@aCYWZvg!DcJDaPIBOB1# zgD(nyNP)*<=}wXii`is?O-_haW(QTL^SC8eh``M-$#7VJ-N;j zFIUasNT}=zrI{uyymQuRka8!&6$NGtt8bwmH2`s{QG=~7ob?1oIJ0-34G*D|(;?@% z-@6nk)Hfe^b8yePS@I~DUc+tG2DKId4Qbb9Zrmi>OL3yb(ntY@@f2W`q$W{vy79dH zt6ljm{FLWEQUP&UWH{WN=}9ce>kqRA=2}q%Eyw zB+r_-0|;GxHVC5u72?cyeQm?XXpJWkXX&&f4!sBbURR5qMSy2^5@-Kby0Jqo6ysf> z%#|Qz1{YX=(sx>e({G%k_X8S!$wrmW4VEZo6v3N`5V>9E@Do z68RFfPkXjvCnGLK_%!i1oObCd(5&V-*8;lb9sCy=Rb~>cVtI~B6w2qupt&|N$>DXC zDZ#`3L?o=F&`C!x>)V3k*0wVWlPwN5|vEFaVf^Bp)y4TmIl{R17<_4I+{ur6x?}Tof z4yed?Gy$CY;CG!*5?MQo$O=^C+su)-P25WBbGPvTXUk|}B@QIuxEA7}esPaDWt;SNsFQF~b~1_BUlD6X1B z?h*DyZL1w*34M&r)oC@Zo&N}*yLF%Y)K7~_@3MozdzPfqXDbTH2y{&=K5jF{@fFZg z%Y_3FH;#iyDdIID?kN-R#?>|b@E8a^fa-w-nt?e4x-`;51V8I(0STwALb;e10Ixew zrxj}{|Bt;h4QuLZ-~C>|k}SyHWCwO&2X_+oIxBZL8H*+iGj8ZS6dqC)oFW&-=g5m-G3YURSUr zWZKhO>v`_`ck65Xv>!(4OSmTR3n?KgSrro|45O_O(*=Fk-BKVpDII;(UpER)GRkO* z24Q6{D^Ey&s3H$Y_jqeV3EON>aG@}Z{yGPC#d)<|2@NDFb_!@pdxWTt$xf`*P7l>; zX&CpF8#GWrYkgO%ix9e%d9r3Q%m?y^Dj}EYDK`uZ0yWQMAQa_hdg56yVe>`&7f=x> zqJ(KUobL(+2W&voo%kNZ1=pR2UVk5{SKDva28yJ&PGqz)!X%_4<-@;GQW`-!&K^Wb zD8jOvf1MkIqWD_k(nflxYmsPIRv$Arip)fx3FF5k$y^unWIoyhvbE=Nonrch>oJkijzX~WVGSRUato@_n?Ml$LXnN)j`2}kZv!&%8a&UomUcl>atw-c z-h}e4o}^+YdtMtTy5gXV$MqUh0|~+0X)+Y|5*o80JU9|>T|9!y{E}$eX;J|xdFh{1 z+&CJ#U&_@0LZu+IS?MQ(h%gjF?_*p+P8~DueyZK4Dj&UwEKI)KIe;mad!|7#ukjG-NYml>@=%yED8PC#9!5s2^?aaC2{*i=@;VyN*azVj!7>enkPQh24cniP6u+v$LiIk|NNOYbTJ0n_+QS zWDoy0${E$Wz)7BP8kQB4O;_Q8lHWejbH14+Yni z)X(;cV9%&~D(JMs{VsfgchccZv`o1s5FO`3Tm#K$YeiagZ_?S@zHd@|;rxl!={G5Tv>-kk;#fi=z3UXZ*!UwV7y@f$ z^sB2kIH9<)QZWgKUV>3Gi@A46*pL!L>P@3SK(mmZVLAxDGn>)7kgGU0qSmrE$q~)U zYk#Jhx-_`OYmyStAdbepSvBo|J(USs`vooi$TF6}ePK110+QMkieAxJj@8DTP9z_N zw{E_DiXNnFE&zWn{RWk1o%1tqGWLO05m0qzXN~tq@3mg?NNJbze`hw!9XW!aJ}Rr( zWf!Q1P+PG072k`=>6%$cAyp=rvwG2xmp&Vg1MoT39)ZECF7|@RWuQdc%PK#$?I~KX zM1-E%WS|<`RMy8nqMB3c4?r(Nw5KX5omI}IWc$-wTS@!tWLd*IcmT7V)!^U}u;Zy& zx?*+0rF2cH z^wkp_QGQWUgOC0s&!(JGK28_&AptL}HbF>wFh&0p*VUF$R7;`o%#}XI0x<01y*Zuz ztwnR`1b!=eoot5e=5h+ZY9E6%mPB)d2pvx0Lo`AEQqxRvE<8jQQ%2^y?+i&Q@{zzw zADe?z(s~g7{hEEC1zZOt3x+ebPcR6IioEOU{FNjfq(|MorA1CrbKt==b^uxk-A6wP zmhfaK6rhgw#KVY`HGpDvGWk#O7bJeYMr9Ac;aTcXd?WoTLN)GW)P&yzV=YcVrbCLEvc*RMKH~7=~X$A>L*0ft=k`SO&PVz4WVHeiO>jTX2*PqCkeJ z=*YIhyUij+rU}8Q7hM6a_&h2qEs}R+MIu?nq-msz47OA~hi2iKf(2(u1#~y6A|+A3 z2MRM+tS=$x98NReM8NjaA2y$-a4|Sjb8syf7eeDYV)THhM%gO#-{6=CV^ptkt|=4C z(hB4qbfk|ucL1@BQGh3#QY|P%GwyCQA~Y>GO8C9wYi>Z1axb-vyleq^9~nbk5g-=< z@1>&H*ZxJol6+-=2}2DEfNZ&qEX}9V8YtSQfj43jke7CFpG%d(4|Ei48tXC&Ut>3+ zQrmv%RhA>pI356bUOH9jq_M!4@c~#9fCS4YRZW$qz(5re;$}5k3u&b z4WyqD;tNVA)eg_?Av^><*(%QqPzlZ_QxK26Hq&qvM5~LIQy@@d6~a{ZQ?rdq3n&8S zf7w*i<+^8VUtrd^P^F!z7(PU8_{5Y{sSx;V39$U2wf59;|3NS6+hO=il zY&d=Z4knG<)LJJs2-W_J`Sn0YminFbDZ3ya?In0^B?&G)t89J;PDJsQvQjn%@8Y6U zf=!pXaCzw@_tcu9GN4VJ?F<)wz^#-Q8PmL%fyR4#&_JkqZ-W`m4myNyK!?dYbT|hk z^V_d+YTA$=$i0J-^pg+&K~{{)z zj;!iha}=Fo<1E3X@6%ZN7xy4}23v z-}vE(=36J~4+r8%u!S`y45PO*8v~Jt{Dr2`zu*3zjKD|TC3q|fBx-X%ANa`l0Ma~8 zDcAEBwhkw^zKEtdqxQsTd|0_v239gVV`JIkV^ zbTX8Lk9f_}lf-B5rkS!i^ckX#dbxsvlFKjUiHEk zVExZcB@3ic?i8j+kW?Z!z;(?KL1#Cb6KNc0w9(lm_Dx5SjymRbe$3 z%1<&5pc0B~H}XAvl)fN;F`ft(cg|fooCBm{UIB#~&?wGi4)#SFy;ewLOQ1U8=4Mp( z1Z$g|4)MS@?Bi0|6^=73U6#f&<*1crW7#bMr4?H|V{`z*id!9Jz5k zL%etfV9L=G8fW8hqh3xICG1b_;VVTozeAV$*~=O`9ec|*G$({oO(%GOs$Ndo)5lWy z6>0AUu4*%xBzM6Zs}U=+B2}R)LcRR6#bDc{~ZGN7-=sV7D_PWwuN70RSfr)NiI$v_t$H6&s%f;C8u} zp=j?1VY_l3-c>t*kqjIoZ7DpcZ$KL$BpGi3ZcYK&1gBdnOr4^*{E*6MJQ+Hy%KT86 zZroAzQpjNt?Tmwrk11}@)5W!a;=!mpS+{;qS*q9#rNZ#wyd@6l8gsYG+(p^pf^p%Hz?@Ie&Tlv z>G%kw68|zx2``(dxuZrRo}!y3kVHT%(KFygv{`cT6MT^!OnyWkzzk^+xeA7_0;|#o z*Wwhkmh@?fb6$rXKe6#?c3+o>%8Q|~6-JW9XBfPL^oX>dkPh5lu_zxr8)|!c1UUSz z5w~%z58QLk(v>p^=SUoTK`J04wXYE7jR5M~z0}!5+G?gPLD@@&)y#?@=B|<%43_o!_>0O{%RO{!W;Qq zdZXA6hEO2I%#eDi+(8L|j6f;x@#}~MU*R4Y^^~96rJ4YI0eVgzk6;g6gh>{YL^r3@ z9Uy<^EuqF=rO<3t3unx-xv@xMLH5x_$lxD?Rx58Kh5LFLalZjU#?P2rSEzDu#(G~) zS^I`3oC|J!!#R-)R(?bv**hf_o#ORkE;NNJ_%O!Cf`nh3OSx4o4D_nHIwOfETf_Bg zd>emluB5omg)7ZK`pm=g+I^)jRr^>7iCGJ^InWfgkv_Pb`XM1drAhZNP+7umJISAdeXXXP#FckE+wUlMo>bpEZAj_;qQ?juM#O>{268 z60BBhSwu4?hO}#Ra`G5#K6nA)%T}UoAlwsnvKhAq306*MS?RUaTi!FCWKv@&ZH5Bi z2^w6Q3TwKM^{&iB3gi?EQaAg7iN(^dzS=woJ?l*Xw^)6P%aZb>RlLCcjOt+}sRLp! znTCfL%`EIYycX6m-8E)bwN_?sget%O0UF6>@hTJM`fyiRH2`?+V2&G%Zo+UIji++I za8dkRBo>c?D5CX8_-xSA)tSE9JBgdXiD-Q0Yg9oE;>TdCr`-!lJKIUz0E|GDTQY7$ z&{47hef3YA#ZAinn%xD~Y;`~4Nj7)$aei&i5^7-X10wNB`nzDjn!x?4TpfXop!<6x zeQu!gZH4!$_8n&_E(O&u^J@f`$hG2COIP?bmmB1rxxH;FGem^J9POZV(cDPHG)pC- zX@g_5ZJQ8+)7cPX0s`TX4>t1eqtDDQQe3!HSos?US`8w(&NFR;K!ryBq$zl&ay_g~=cFmbx+e_A6Xn#MDxIEz&MxB?7#d|T9A1Rv6_EeB#_M-cW7Ss;s(4PA;1JOVL~Rjjn#p;h z&Tl{oSd-U>@>(y`iIYTdC3u$kQ~0pNVB18M8NOg}KYgOhmq^@QiZSeDmBRuwnF{qh zrFJq)E97=qk7fPL;_imEiYB8&#|~sNWdNwcgK-O|)819GN|>nD0-7oXpcgh~m1fl|VW@exacL%9L&k*iq{HE)arL(q=43CBbeV+xa%3O?>L33IdWjsW2-KlC# zQ!Hymb1XN|T0B)-DPz~Ee7Rd)m3)Z$Ni5qBYR&pS)L5qmn=~H=h-qw_ZlPpfMvbvi zB4TZrwnHRUwk6*(8O=3KLh?MA6C|IVf}_(oTu8;$CAM|D^#-b-Ii{O}-{A*T(@SU1 zhZv&(E?lblD|GIcL3lXcpE9>>H=WHSDzK!2MfX5KRBn#M3J{w>(-_%75yb?ufO%co z)eK{wD%*|6qZ@cG-p>6S#4J=}y3HXgIh^#<%EP2* zU~(PKMWQ*x1#`#IP+^@AA!MZ4jTRqztZ{P~z!*Q^vT>Te9#pgSei@YZg&1-&<%|=% z+KguqaX{^02lZQdi!L#s`seyJ50l$Q>&|oPUBNkFlqix>O@9a$-K{|7GBQ4jDw(W`jhKicxwwF)~Sb6d(rY2tVS)@`(6>`MVlO0(`@K%aUX*ono|f$=*jiOjY1R|%}4EBV^KXvoj?(J609*g zuqQC3>G&6lXzyBZk`%=qMsB?T@3QXRG2?#h?Y0D1?GK)G~Ikp z+dNCq)=dzUD2psY*O>Kz%xR+XQ{rm?OeiFm+;R6t(OHi#&|UE=&T6wh(7=?E2?=a{ z2W`-_%5J}dA3;hJRaK7WNkO@=weYy=5-?3LkRis^0p;nRHq(3NM3JZZNQTl3zQt&O( ztVokau(UJ}Y^(=aft)vW$H^>>cg$(PLjLb)IVs|T$r-6S>v{|_(I>1Iw78q37OrE1 zUWD)4o3#27pVYtnAKye;+(X+V1}V$$aj!ww?gT}KH2k8RN;n2=uF?l5ZjgQr1HfjW zI4gohAkEet>x~6Ibi|3BY_wN)R7WaM#)U`PuM%+Qsvq)a!s2xl`Wct#3so-#A}+zK zvlD1|CA%M|jUaQ=@A#0;xp(qPsf0!7D4t~e1^U@^RC*Cb`m;rBYE`nd3yS~eh_XJ! zyq>Vix)IDR85>;o3oM$;LG_0Y+jBpZhSv@uebV2caEiW%eoR3u1^AUu!~&SY z;fl=n5l)m|hS8sKG3+fcg`451;zz>|lq=jd-lC8xa{PQFQV8Uf zp|C6+)Y2D(vJBRPHRKaJT0kyWyTDTyL=Plo%4H!Vis@JEBYo7fqu{v6a)yv3rk~#S z9uv&w>{FpI6)RI631k)8doh4dILc;OM+DQ+M7Yc~)ikF^~^~>!x`FoQx?r zQN^*2AXpdi8;B@uAT0R}h9F@B{DrW=IDs;5fcbjDMCLCU|ADGna7C#HD@f6r&J=!6 zh_|jpZjCaBz*rC{6}i83?Llu^s;O?eZonqZP1n9fgDOsC_VsT{<&^42gigr*fM%Me z+`fayWwik}mP~{*&%2_Z2)7C-V7x_7YZY)8&F^wUW&jxju6;1BZ8r8+*h0l*;17)^ z#neH~bzU_z4W~Fp(Tc)Rgw=m8Xx%s9JE*>)fr6H1JnBn&sMl!dfyVBEYzT=%cIC3* z^ga~Yp?REc^Utqu{KokR1vpbx9|yTdjwm;N>O)OZH$+mCYnPr^0dpKe(GQJyc#G}befN;{j7^=Rh zuyrOWoO*P}buj%SRaSQ@MXnj3GR0FuB+X<_4r~RIIqeN}rx z9cKz6eNe)^*Bl!94XYfwH0i+meJ|fT}eKb>k`!Ejf6l zr4w&7z1BD&&6C~9Qv@LeeXUUxX#i64t1{)+0lK-ex^FcVvbx);hvZIxD7Wo~i&c$o zCk-Zarcq0JXdZzZioaDm3iA?xiSt1iDGz3n{ULaNuQ1zFQ7gY}hG|>3D zA4&yWt$JpldPA^zb|4>ux|fZGIzeq?HXn=@?j3C9DSeIoE$BhRiVLr@!zng5Q%Au{ z^NmFNWeTO)B)$PcE<&6do=5xe0#!yJw9|k%8ihfWtISK0rWlgsRQ2MogY9J;85O%}OS^yOF7_7LbGC82}1-0V}1m zu!K*|+dwH#BxlVPB)gx7(iN#{E^1ms>iRtM1zIWdcp;~7^)!4Ng1=k;8{XUe2-Z2^ z1sqDfRiCFjACUjIa#f%wh8X~2Al_gs@>8#pi2+hV?rvRNbQx1M-~AiR9>^tqT5BuO z<)6h1H~FLwpjzT~CR6-7ycgy6C9Z{RVfzhI-%IGptrSAQ4pHBfIgCpGkOB*j0X)UA zsKi)Iu~W*rJwBFZX5ZlBxXg+rl=uU?7|D^Pc_y}U1F&Fu9Y>fg$TBdEWrqsE1u?K} z65{!#Ho?#7GsmF}2&&91k7I*u6WuTHN@XC=MkPQYvQDZR1JkS^k_ESZe2^+&2s2U* z0JB`m{gOEzxq2}@;>1X(aQ>zLI1jo}1+c=KhI^(wbd}_RBfA)loo=C83bVq)rw^f| z{=gAI6TA-`hLZLx)>BY-lk}GU(0KrJ6B?E9gP~L-9>F6_H}OK!9X#TxQePRIFGXwn zpgzY2tFvegK=fL9L3x|7;kX${E@RNvmPpk&MxC7i%Zv>VHjD3Is5~*td*dqO`c5Pp z%A8`-y>I7)gW#_5Bn-sL`TFJ)SgoAQl-&l+uo@}pcTpBnR(k{|n}V*O^MF)Sfl^=! z{IM`!$b+LqAbcvIz?BeUwUwxaTtKwJ(PL5XCM4Ogl%R*UhSt?Y5K_4hb6?|?V!J(G zCk#a^NjGbcWL%mbuB@WdEa)XX(Hd=Gmw@k2y##8H!f`Zjrjbh7JstWQ{kRf(Du7jl zYTTc6Ng2dXFfK>9(3|6sq>PcFIAadN1d*t zre6umHxMo|WHB3ohNxS?=Hv$Wn`#?mnKb(vB?T?E%qJ6J9PjrW35RCV1E76!6b`9u zxE)W}oFJkQOH}6hAlha82{`H?ODR-`@M3|14oe7wWMfeCrGqHavJ!>TkE~$sY6Fj< z2ARC|AQ?I*{b4HOj8G`n!h8XQ-PmHjKv{rkPvM{Zj3@q_^!QEV3iM$2h*eORbx~ML zUIaz$8XWs)sqC(4kHFR19z}6*v6qyn0hr$8 zO8QW$KnJKZ;3=$!HISdNPr5u_!>eqS>1R>ex0bWwR_9FWOGE02+7AppLhyNm6a>f1 zNNvvmDE1720Y6xOUsXO(lh{?VH-8QCIAi7@BMG%{8;DQfsg)-8Wil1~P)EfsxCNF8 z3%wL%t%i*_8~10aYNXQHUAdIj4WYGt3;<@<5+hct{vdp~@l7AR6d!X9l%RaX87hbK zN?2qUlJS1Vt?Kg;WP|!8C0Wh|>wj@6VWss0=+A9qf&S)hQhlXBz144);@9=Bldj@$ zahql}3pi|QarqVHBANC>hACt40vuXhhj!s$!#o_-f95Tpk^gW`B8|VCTZgZQ4OUo!=xw}glDOl zK;|a`F-8zkgTlF!qJ!Def6giKu=$a{_yw2?opC~v+XdB}guX(|g<3dQvYi@%0mC6f zs^I3O9(a2g6X8|{w=ve-IBajK5Vj$YmH#^0OcD3^kD{g$7O8NSG@0ptrflIOx{1Xp3f!1l-9yI`sNg5~|EL8n^r6 zo;AybSGg1EsR)|E-#}j_iHuC&1dDGH|1bnU@tCA=H8U8$Uz^D*;Bk zjnpwc10S9;P9-E;A5g!^Xw-@oe)}lhH)WVj?c)D5O~0IF90h#5dnFr@02oHP#=9g` zVo}er61G`yQ8*a}n^_QOw8t1*oRvZ`ngCIeXQLRvhi@iqLcaUKuV{*4J)yt#7LMP+ zW4Tnze0YieGUH;(u&)4n%%aR-mw~-G65r+++bojDhq$*23cObOUg^xp|AQ1!iH7Ao z9&Uffr@o(cwI2lB-KdS@f&eE=*IO6)iAVH4SZ^bu^KdXTi%uOxC3FViJHNQNo417DoodfK zh;@4dRD+btiG*PTvw8&r1}RWTyM?6z%#SiYxHZi75Z^}O)=|{kIcjte;=yYCjOPkm zdQ_=R*I(e(UG(J}=X@z@Yn}n|9wtqscV(89ptEaGcOkv{6ZdN4Y(M2Qbwe`UMfv(Tyon1#)-UJk*B@14rsL@HRO8BQ?l zF5D~4;DiJf+gUowYoy1{M66erbDM7A3Dil$L=LkYT*V-{1JoOXf!Z^N+PjC{;IM;b zn+`Jsgu}Ab3?*_`4v@+h%fOT0ve&@urnR4kYTjkkMVjW$w3gln?5iSk3`K_F7hn`j zMYK^J6-wt5U2AZomFC1jNTIwF$Z~*bFQE^EV|{s`dI59$5Q@XOwrDO>mnFlSkfcmW z0;|#dBKOB$k42t3UV&C>k2B57Efl~=y*Bm3EZWJN1YUq_O1{5xV~{u+Yez#Zz8^NH zzv_#B7xRtd`{42JFT@GJqyB`=MC#0EV1>{xCu_BL+4LEdBbpekzTv3CO@)H0vx z_*t3)7Kd`fM9eD7GXWtc?t}}N!zl#c>!sSRgn>vGN;b8oRx7Adk3&Wor?`>`GD@;HeRzhj2_Dd zd01UrBpJ&_cz^lNEusAEBhep+x>wv!T_7u%s-%|3%3Fk^A1r}J zcXwD{^*7J&#Eh52$-INtWKT*5-_J?U2s9qXNUykQp)rmkHR&S-9GiKUkV%fss&O(t zjy;-R!m`BG`Uk!J`tMjxmF&F(F*mJ~GlA`(!e8N=#)VYP9D5j2Q{A|i$m>nP##)C} zsgT|*cX2C0KRnBo1=^h@P?FB;O>r-p<0*8_nw;s_1_WQ+S6Q!R$6Jzdc>4Dg(b)n> zOIj03q{<%evFd1P0qTd=LHQ4bIucSNs4_{sifpMvWM1C|ZX0f%s5(3StPX{GE;BQf zt$kR9yR*Qe5wMPS%=0R&f8v$89--C>>d)=4(hIl+O5!kB6>gz8mfOlI`9^RyZv%_r zb{x#_uui3f9f0n>*Q(`{uw8s0wqP2rJ>Xb4pei9!iQs%Dic=i`m!6IAIW&L@T0XK_55H)tDQ%H ztggKEyEHi~%$tuVjN~AV7W}tpIN43Y&2IzO5vbY;+uVPlL`RZ-kabCnq9f&xqqsXP z_diqO8+_HO zuLnU$7u6BH`R~U&-t>Qe_#YV-=-9k(v{D~c} z`_KRX^O7L^>-g}`pY*TaI{vUjb@$)z2ixm^dz0sz>c8H|E7pL!y@`(Lg@_`!f;A^AZ1~m?&fVZq4xc;6O-DKRMsF5c0#5C*M8Uy3jvJlL61QdlTdP zu7sfXMIBw!n`-68!2o)F&i3HfLk92h~m1=k4g*Xs-$2;tTc+ZG~4=B@`VRckk5MWuaY) z(XL(aJkw}za{0T<`J^$Iw?Zm?o!UC_lcSZNcY=>U`TqI(=ocBGJ7l}#15s%+e|d86 z^tlz0=uHKDrkZF%r%!b6>80WU$kWAkXa_qfP@w#lt zum9{!ZE);>%{{77W7oJ`cpM_@L-d1o_Fs=)>uSh{toqSsmvZq#Afg@}9NxL`KknJ0@-z5~eZ2AXUwCud zb2g<`J-XRaa_-`$?k{``5%2!!`26p`g3S0!o6~0f1YiHf0bA1N{PxS!&(B@j(sSNl z-u*C8{9gPm43h1=`%%0>+0kn8OjxfuOJE1BM!!YDm&`jfu6>(BTpV+47i?qLN>hGB z#qyO=wgu8Va@bfeo!6V)?_Fyi1V@j(L7X%Lwr1Yp@z-C=-!rsjH2kx> z05jFnw$br(fS1c18Jpn?oMqJ+Y_VKE(RdCQve(+vH{93WW@9{@s zLrn3BnZJJj;QbF@A89M;3disMQQqBYop^J<%O+9H50Y^tmiES>rI=dA1z#!OL z2iza5GnL%fQ+RNUchmm#&8>rDVf!q^v!h_2tb+Y;s0>|E6znZJJRa#+PJjH-;R!eQ zyWiiL{qY;+AHM;LtQy~EDEG~!Kosbf>WymdvOJP zpJ$KY(_Ff9V%E>!-aEb4wxa8AKR&#AWKv|$xqtlf?CURW!Cn9U>(Af)6;T;*7I%`z z*&-l*S{XA`9F_rRZr2%4;IM!l-FsbPquq8pdARrdSxkppC&Jm;>qXtZU&IJb{!cJ` zr)lHdlcrQZ&s6?vi(K`|=f1l4J{5IWR%;@xRNVg`N&Xo({vRAk{*Ou7r+z}*&Fuc% zUoxo7P*mfr8No2t{5vPxJ1}(!;EfF2-N!Yh8mYpbi|>Jt)wyH1mct`3_#tgb$6(Cz z3e;E8F|oi_T7m|L!U|%B)ChQaufE<5Gr#WM5bUwzaCcTE_sY>R%lDVT%n!ZQ5y8C^ zr92nYr`J-1L+xzNa}m3jx4#!{WMj|(Zw5BR8IV)y`=B=q1*OdC6uB`&4e#Nd;5=9S zM}d~yJ=Hs?MtPOjMv2x$c&Az31Tp=pj=bdP|HxQ5J*ca@Ktl2~VC3deJPqq6AOehMsW#&|JK9f2HSg76wP-i>(lx|nu=3a;+kfu zg;LSs zmVxlU=sq|rsF8y`-TL^5FW_rAfrxae`aJg!K3?2ea|ZYF zGe#s>N%G8Y=)z6ZV(tdH;GSO|9}>k2-4SQ)Oo8yNr>tc^ikDvSJV8&+z6~1`f14W* z6b}d`9BU~CMo0q7Q(^Q)!dt2xQT5woV78dk4Gr@%YUpl=PBG*@_1;yL24Y{=TnQ3p zAh64^v1~5tX&Y>T3|@OCM1+YyKb?qfl=+B)*$mB_vHan~`@wZQO`){x6k%$Y)EY{a#1$cc$aef=GIu7DgN(@C7t*K z(igcth<1FVXHgIr@o>M35CN@g`B;39KMpB+3{E;c3fZ6o4h`YFS_~xG< z!BVS}_&^A2`X)WdNA)W4I7|-JI08uHe3wmQ8!2QXH+-QcN`El*1qv?{?*b01ISI|w z%qPx3u^nnGV{nG4-LJ%D9^_a5Qo}hEl^+W_xe6|>{SYYGa|hHOe0C7UcpVdnvx_oY zD@m~J1z^fO6e@j}eM+jV48uIPp+1lsBCa!LP|ZIP?u%hX^mMUdBNq4_Z}hY|R}MYw9FMr1WJ0z(&%< z&r|(6;odFXrG4zj=tp~&FXAfq1LOWX+WIPvZFMw}JjNo;xh&OFhsr$VYdu=$H`F zoP&;;R*}u(2Xt&1i;~Twse5-(a{hIxGl~W17J%MNVWd*Lk@_vjc;I{|W>hGc%f@PI zXo+`6*IH_;9fO;OQm*TFa8qTM8uqcWcCl$cGN+WGkyX*yB208zHSNTFrxVtVm;puM zUiq7N9US96pclwG45`wh56f$>DRMKNE^cuC(-AS6JF?<!f+cs8#v#2uFM_hxIImjT%*p~tVco#n$<|3j5 z@P?Dh?>UI-1QE#ux7HMbyJVsnCSh)(Bx(6h=EXDd>+Y^ePRtuo%H%3SHa5q?Ak z>dvUdY7}D$@ODpQa<`{^gucRm*2mepb8SyI+DG`9fAtYdMJ)*Fd2xoOnAYfIj)F3m zBkFJkC)%qhz-6~U31|d7-!%!w1uon*$?Z>yk=5fd6*+Q5TG&>$-*k&T0)J8W`n^fs zxJTRY%HL38^<7u7sfYWLXd%l|#^^HT(6q>WNC|ONXZ1IXcML|;YFJ))ww({on@6#4 zI$nffG}Gon->_<@OLHgC%Ym(FunJQxZ#Hx%@utz}r@ZL^uR-C`PPE+k*yo{t{jWf( zop9?hb6r;SmcJzlr&)~pU0MAAaLxS%Ca2!|%cv~Xz~jZV#?Lj4+au*rnF{eU{zc0fyqA4Kyyxk+ zSW&ge7MB``G)n_ecvb*Fm@2!uPI1wePOierqi9)vY&u6Z)v=SXfy*|Z^n3a=VaBGe zQl;@nA0YzePAOO6&hB;SfM%H-4KfBJ+^13@hL{z;?Azu51Thy0Y@t*Q)^{YdRG>op zpA-^Xe{g;2l~^?WRR1+8&`u3*w5d;#TK3)w5X%(U#@lAn!Bua!RH2v)SCPwnjg(zS zuF9{alj8Le+sO2LfF5ccBHAH-eO#H$6zQ2TVky39i3I$9q(;xWZlJl)n-(p&GOE@e zOcOXXKOZytgJn=*#a|^z;As*S+D9_M8II&?}UlbOCEw=7>-(vfk2MB%T2ML?rbz*#D_ z|BT8s=(6!G$~6@IWC|y`)MI{WNAQMR1k;{(u&!pU=}E(9dr`vavI%S{c4)iHx$dZ0 zOwHcvUS1D8c#S(CeGJmqo5mocrIc@y<^cVQ;bU9Q!B*Ibcc;JHDR()2AG^xxZD;bv zVH_hFP;{lvyo<`0dlJOP`nU9Ho;9Mz)I}Utb7RaIUkJUc{Cn>fm(pfNgXv(g7=^N1 zP^hJkh`Cm_4r#T^gV9GYJeB*@&dgF#5Q>0R?0r0onuJu8;ib(1ChTX79}k%+e{)?t zzUZk~&7?8PIdtj_A1UADi}V)Xlx=WCW2-U8&ox9Wx!&KoO1xlVYhhw_c=LtA+$2W@ zH>qVIQd#SL@JG%mSjhEtyakDVvC<*uYYja}kmw`MK*w{h5_{D~0)GDHIq4coGcf>^ zw7+Y>4Aaqu!_Nl5Htm#FPeNgJQh1XXQ4vMJB#3hC`B1 z)dF(LRU!7rj2PLJ)t=0&TKc!FC2FNI0LZ57LK11IF#U9Pi6sW7JEr0;4SK9=qwxyU zZ8+6i5hHb~Oe)(ZCj41et7kqXGl8^=gm52&)qHSe|K-(N`Qnutfk17yU~a;r|IwPX6{J)e1L>~ zj9qXjkC!^xD9yKAaSV8@pi?aN(|4lFZC8x1pa%^m8HwQ+vCU{YoL6Tva+lCq4fBcO z*+8j?AIE<~#}%g{(<^jriyaP_YJ6$USUNxT=~yx0kr;ZQ>3Pe*iH*c^gz>D_ySIpQuCGREST%xMJO-- zRp~0q(Cc&iaiM64t(09s7ihN;tgkAueo9>r$ht+lIZa?7h~;)w4%7?vAK1#%Q;?=f z$&S-+(htKAG#3~+)ZHoPfGc_j(IkRok~^ln_3iFp;0_M2`iy1y@~R9r+`azxjiP;kIH!^lKWhMk1^YxFlM5CB zKnRSZOrsnTY`SM}ZY<%s$F?`{H#p4P?jyLw9-JMnk~XXp?55SQfG@m)!W!0@n)m@` zn}7Rt)Rm8}T*#(rwLy@0$7VHtRQ0*)c7n}U`Fo%xR|i}}kH4m`Oo+CCTT}lVDB#um z>6~~f1@W4cNBlhX{J`9)(i)Pc|GIXD$qjpICGTc@2rH4^++oZ2woFS&u|&}yyZ*Wt zj=JIOE7f785b@2YZeibub1>r$8d*E^9DidRKEq;dWg-yygukQR5<*qR)U=T(X&C# zKj&)jUMY?&vFJ^?ShVDEgVKLmtq^{y)+6_Wz2?OT9o>B!{yAs_6_s0hB?(B^>p zB|?#yNZx4r&YFnQ1*-lw6hazo2Ie-cIUz?cq1hbVnt9a3#u6o5QI#mpG0c?!3KHjc z##?>~2K}q;lf_>7HRy;mrZE;K8sbxc4{y(X#sa?#g|TDd3pdqi-VQ)x8-_`pED(ag zFRCPHVQzm2RB|7|yU=7Q$i~1dp;-!g`Yit;H`ih3{x;@Ev$L>P9Eb`W`_T|bl%^sW zk`R2bntfzeQ>vND%2g!X_P#R(E4Y*q!^PKH|7Onus6_J_R}n)}V)(S{7hS`EnZHC# zu_$4^{?gNLS|^ygqV)VEbWvJ{v>F}oL#bbtAsri_iT00L0@yn6Ng31RYo^}@X66sUB4Lw@|)@1NdKz&y$?>LleCGH^cfk6Jn3Cou8y zeBYo9g~u;=;6M)!9ktTaDSYx}kALKR#R6IM%7F_=?ADbF0^;{yUJ%&jq++2w>GHsZ zbho=J7c$+STwWN|lVbfk+2yw0Y-WU~w=%19YwzHk9>@`r*T2z+6Xg4CoP1~{RuztG z!J#8&JjG#=i^NX8B`b3m^L;mZIt2|HxANUiiMv`lg_pO#h_a zPg8xq@x_2y{aeq4&iUo3f0RdNmWefCQ)JrOxC652y5wzk--5nRWHI%9%|x;f9(_St zSGvuKH%z`#>%V!nPga~}i8(;u)YtW%e$>{{7x?BUTeAXmdroD=?_2aFOHr3W_3M1# zsQG>2(6!O;Cmg-M?R{hElPk-*1pVP7kMQw}mPel6njtryjc|R?>0H#R<>vPjuP#rz zlo4Fl_3FSub(Rn3d$O$`eNz9vwR+U)HcMfH>6{S2_H4>WP?S10!k7oKt z)r7SAYwOOm;qaBE4(I7brB~RdjjK=k#I0YQr!wp-Rbjbx z?PRuiFUD>>KJkZ)9J#nPnCpJ4^=jWV^7+*Pg$kwbK-;~jYXkFF_F5hN?$*53xqZZj z)p>_z9|{?io$@SXaBhm&5OJY2iR(W2?4XAHA+Cn&1Eb3hbB0xuuXA+q99+;Nu%==0 z&^aYlpuY|wd20%DH`Wvsjo*7Va9BBerDoWqcHa-XR$hqtaQKIp^Vg18b9qW=arHyT z<>J}T9(*`*eu84%sDI`+F{fQi%6bnNy)?nv&u4j+y$_l`{OY=r6*krS(ntL> z3*EXx>$-@#;RPQKts7M!?^SeRQ2v-#%HLg2Z>s+3mToKF)@$6hI#uscty>3CWr16_ zUk%y1ddx>MW&CS<$M{az%T6xz-FMzzd+B&T%ESQ!Us5x|f z%`4@~Pjn6LDR;+YWHjC1`EkWt&ldYrZ|{8)KDo8M-~)D0m>8iw%?{aEc~0!M)O0}~ zdwvRCe`ce)4Yk;~i?>Zzrq0M%>lx90U3Yt$VbLfmbw%!n!>hvOi?85a8Q=Hwy*u;; zVfwAIBf<;1X zIKs?+x~X#Q?9fq@uTt?JjAiEdhAEc!%e^)>vV6MSa>YI)Ed|37~ohCBWU{&e}o`vJ(9~-lJ&?}wjS=_IK*i{aI+q3 zsP&vsfhdxai73?7Zw|yEQE*=p_<|kutQ_wzM8e^?ktqHbWp5tV#QFV!o;S%rh9ml)_67UUtNn-Soq!~$uX++d@{g~3~@hOrL+Zvxw zCD~os3_ZQDHPww4bqO;m)FvSgVm9I{&ZLZ3ML0}xlu@71Z5lNhKBj2nw1n(w)G#3g zvQ6(B6Cw#qzpv}MkWWg;!Dl{BKn1O?q?&BUx|GP$c;|THr!E`22Jd+pFuzFN)+NwH zOV1@Cy6m^9kcfqG(S#-`u#i+o;~R+}hOT%N{+OCfMngDVj|b=%$u*$K`)w)wT+eTz z#Wu42drWH)ZFtld+Nj$a+nIZ~0Ne{U&3}EK|9SNP z^_Kt7wt4@qiTkoa+nrmXd)`2c9)(Q3iLcqQt><4Qs31(|dCjwL%U7$)M-Ch0w3qOf ze`}vyOsrxri3^rYGg2Ws1s@}jh_*b}>Eco#6@$uHtgb#UBXTXkg=*QxV5yb&fQrf= z>YEVR4*#g5Q)ob}ZA;TvX^K5A*&A0idf1>8yS-$U>CSUOuid03;~qqJdM+6@h{UPW z5xVMXX$)3r-FEWO$(X9`8RP+3Efla{WUYlrC;s(MnAS3_%~*w+ALgp;WwPdQPooPkh1Te<+$d6;Ab!fc4S4~Hs?_l{COSOIZERzgQ*HE3yE-le19#+wn zmHXV7TkDgf0P4Do0)=FncCn|~I#9R|__jKyotp}(avb>N{2#y{hxV8QISV-1mHZ`W zhbCFcdBtElg+x}py(FMsB+l;k=)g$lAyv>ymqr(&=7P)lE9*vv+j9O;K*MM0v3eXR zW0N3-y925;j;lcNw#?tMk^oXkl5~X~$NAaT%6Ra;Oz1uC75T}Ksbl+dv#Jm~wG@se z4`Mz4)|N*{BK-ZP23#5I38Z>|B;049WTCd*aPH-bQu;ikVAU3Zke#8Oq_WGZr((I! zB@>M?sLi%pgj9qKS9S!I>kUrN4#+=H_5 zz54I*0BhR2UnOr*b}U|3HDsxmwSgn3exDK%EOd{`3<=h>sce#3u#vpSwR&Fn9>!1Q z>(XBTcE0G&L& zmn2UBa(!{-f-mgP$d4BqoR70MkU>Slc&`I$`%{kU-KGW@WtpKTgdSZ~5AFO9_+~YW zgz~HofJD%W6uueNLDw-QCpI+id*rVxlc7Eb(gL}{OelLe7$q&naEJJ2pge9%a$sHZ zndh~2Uq;4wJTutWjcV<_jAEURF?p!MEf>!bJ&N@xu7N=J!h;g=6iVC z;uGSFdT_e8BVXi|He@VUwPt05)z$=A$nOzYFT_9rHcM3+(<@>OvB!sK8uxttQ~(TkPJ5 z#Zp^az2xN+gduVwNI59yvYrgh$S24!$tosZE2v$GREDS0!g`QKs4YR*@m#v?+#7>t zkX}@CvO`@2gXSO;TwRFmfZCrOi|2!LFr6sOO({{6+O4Vn3!lQOZGgGA>9e8gHE3EyZZ9Hg*ZdY_$9WK|(#wqTQsjy6RhS%BQGBlbFc zvzK&D@#IE4X<7#OpITN`15JmBe27$)L;CdGUR7;iQ%0CsXd!+Pt<170J>r#Ejg5+y zd&Mz(c{W?Emel3eoR2k8pEb`uGHp&6o$Q411zI&3@<;IWSiUQyd0fC-ruQbZMgY58 z$tSiz9Gg*<1o^LNR(YVR7?@>ouCLWy0;qJr-bUGBR>tvp7YTO}Qn~eXmua_1jtAH; zlx2kO!8cQ#T2meCc_&n}Y9g?`i%*duT_ArZ9Pa^DsgN&g@|VEmE`Xh*j3O%&R9ybs z+2`7~iuPDrMLeYBN^BfkXP?61c#_Z(-|Xvk8n$=-KcH;V znJV%=4*tPx`8F{*@u?n=cbi=54fI-fas}(uC_H#uLsJo{!WWz7cI3PloJ31LHtN}a zc{wD1ua0%fb0Ik#+v^C)OMxaF*!|$oFMwU!bXAjkHE%97B@k}{xiJv(+C$ZRlIMh` zRN_qaZ>RNxI|c8a&@@wfd#1L^u4!7Lm6vGQ@}FZuaGW~b1=GF^BkgEczCl}z({S^t za%j2)8TfEs{+H17j!u3@ccdKhaA((L_@%Zg8OHxj zP$L`{A@4v9o7{9?Q+8it|DCVPss{G;rdh-@i{u^DoQWm*`^fl(q-iqnlbhZl(mU=c z)3-&AzS)#!EKD;xZ#Ut_C$Zg|JemRz>o2}f#venis8TocXFp)Q@)6?NBrjp{-ON05 z0NC=pHRL=lQN8jPfEuBrKW*wnN;{D%3;|AR$E#r4?ygl&fqVX+hqaTZ2gjiIZLq)0 zZ@csqj*P+n(v%>d3%u8YOL;<*Rkzlv`T_oR8_9CKjtyvSX`CA{<33 z|B`h>Co+I9F#Fq?k9NQ%(1gKi?i0S5nevg&WC-z!Tha*0>IgdyGq(jeVmYUh4x+Oi zlJMvbVu@R}0`sd^ndFglK>>+GRY+6+5x6<#hZ$Zk*hA>o#ndz;-l#>QG1Xpj+|kyf z`U#YoSEke5*y9NOQn$26Zvm5Ah_`J>Gq+E3{ms@2t!z_0D#A-p%;&Pus-z`qy)x@F z>30A`AiS!s0cJycl9<_*zl)Oi55)oxDkS&J zX$96I4>gSJREpxPxgNR&KL&kuMw)whDg)#h-%=R`3r>ksJAqmfD8I~F@skUiwvxR-jmh@k$tEb;?AN6`j47o z^A{lXR~btp@UT>%joRvw?(^qKSzssfQrW>mk~>P-NOIg-tEZD+VLXe(c$B$Bi7Mq)XarR>Jwz_rx;Vh1UVO6M=A=}?(PC2~LH zdb;DS20nMw9 z33^{OGM(R5_qEvcxmM~+XSw_3q!DY37nc#K%C+Ab>!oe3{%Rs9ohkmJcq-nWR)__r z@4KV_Nw1vM8q)mP_k3yN9GGF5pcf%gnHVCU!J|j=naAH`&S29rj%it5{2+t=Dv*Pb z;X^9GvKBEZlTHnEN0qm8@q;%@V7I>BT|NcAo0cP)N!LZRJxhY`k(W@hQcfzH&Sh@ z4W3i_WWA`DhZrhNmUen|kU`?5jVN@mI&Ws75l7Vu%QS;^Mi-?w!NF`9lA0k(UF1G^ zZlcSbA)pqR#ECQ=XY+O8t&a6RNcH4`vxFZ3s;8djb}08zYNM5VyV$Q2J?CCo)~BKD z*u3Mwonv!{E45HNq3o3U2oySOoI<(o7A%wR(3=Ih>alrhzbBun1Rs8y6? zthaGCVFWdGPwU#9b*;hY{Y$6r2lN`P>{hf|ZKXvU9X?KM9p-#o)Z03<7oTj7XBQ9k ze5aKUcM}&ylyizlE2EfL3Mj+0l9PL7cqwJ}u=L=Dhg_<9NEd9y(Bw=@x?Z_TC3kXa z`MWE#%-hhlK;5Pxj~$M#N-_9i3T`N$5ON8-ClwS?tKQU*U&Zfw;CBqG_XSLK&MEn) zKv#0EBFdGl9wv34a4~F-eE_-1#VFNya^z5IQ?C*&S;MuEcMvI*=Pkb%(iO$04CH1zU^-M?#6;$MN9)K05{q&V-kf4`4IfRTi6CzSvV_FejIy1jNvp+of~)Pf-YH=1 zZjckhE{viIf-PYz3xKwLv5gst5VIU0sk)fk7{<-f2K?W3D3{L zO9-~;W?fw#Ysp#x%%>*&#g7Q{*n};-6V$0@cSm)M#^!5gruBjCY!BRnBIrsjZ%05V ztWT~EY_)}$^MJPRlNNcSrNRHRcthK5D40 zAs*3SY8jEXqbBAKw~9HI!%zMP^d}4-*8dV8Q$Rmv_{2D_ne$Azayy#Kue02KosW$KZ&-s?$b1 z(AS0HNH3)W&3Fr9AU(q&z$q<2-2j0wctr- z6I`s`v1GAGq=ul%tLFxqaa3LDhh>4`)-No64Qs!UOcJ7& zM9P1Fd0G^oFQ1Q<(ND&y%+)!z#nk8;Lom8YL35S`nd9C^+g8Qij5|b45e~B+$HL+T zYq^+nPDmZsWFDqxMwO63)Y2h%aP6k70Wl60?BLV6tsK8H>I|)Kr64HH8Q)V3LSi(& z#UfLz6l#65aY+84EpEn`Uk+oPS>1vuk*iu?t+hHF!$03VY{_rI_d4zZ$04(di^U{o zW;tHo1oN$EUnaZ3ROzf0x5S@2CN1Ifk|nlHi7YjTo^ub?mzd;ZS&rVXsK-Fs6-*I9 zFuquzi|Qt(p99orp-CZnx1OM@Fc$EfLIDr;KC4(vkIe|&W}hfM!2czVkYZ4mQ@(Q7 zQe`73Lo~J%VONSc1$$HZEb{R=c7vUW%k{P&BgM~*>_Mdh_=8cRJ}(h0GiW&?L#u}J}g71QFYpeuj)Q`rixt+PNVyG z^BrTsM$>XOspwngK_c9`Rn@r9G7sGdBgiJ~@r6J(vx4=GDQZ`=bvR9SvI*ufdNkJd z*q~0xu>qcnxjZp8jP79jfRW###rQB&LU8;$b=9?Gm?@6ijjl7*Yx5EyV*yle6YRnz zOuW|YBS~yWvPA7pY7SyRBXp-faD~*I^BHiBj&&R82uCBo`-*f=H#h<`uCSPM;~&s3@hhFHx!khD#M)^9*Q)pkNSpm9$z`%8%A#NJN$t-E(#Z$( zGSVuyfo)w}L!#E1vStI_b&~RIMj++DCQ`|@w;|4PlTW8QNzRN&fvDv&5m~l z?gm#1X|@&Z&iGL$KIasTQ}g`p;6NB}aiEcU_AL1c)Gz_qI1%y#yD zqCC_F7q0EXWa(Ry;OTELRWi?FGD|&n^nU+r7X-n}C5PFMg2D+^@2;r`1@2s3O$^}4=pc9=f$EABK47*>46dQsD zy#_YZX=8ifuw<{Bb4=VO<%X&8EUwvwjsJ)*DS%Ef?|RW-4`dkl)mhR-iZxHd+g!xgOGwISx<{g7hnw$Tj5TftYKcItZ)qtS1&5=vGzlf!NQ4#-fsz zJ8W%bz(ITRPu}5NLOZx`(JRrpgtc6lmz(08hlg0@WJp$`p{R9E6d7VSsJB6S`<|We zn%Y}ZH5Hm z_orj`CjyJUltenYGOv&CNvRy7@n* z+b2Gj|8)63=3A(L5Gl7L4aMRQa6^K_pnYbz=?D1jqsc0@mSq+NQTsxwA zpr8aphwBDewh>W{Fes1025+QM_uKjBI+_14>W3DNd0|L4Y60RR{mgz+53WT<42@dV zF|<@E9gsefU(%5uNUZNnt(Q1lHGa>=W8?gsx$gnWq zTU<}Iug*7}ixG#@_GXg8#bn6@gHD-56&UDF?)@sSQND*dr)vT_gERSh+^W6@b&1Wf zpH*oMj)isEoL{{I>pJ5OeHV|+${h{3Eu$H5+I}~PlUmS!*`nCmuN-Y;rY;P{sX7q# zm<8RVbtTai2gEJyEY$}3Rp~Oz`v#HAr($d*P=sG zARXS{lUPSH&CK%OEo5G26U>R0`WL+SX=yd?b*G8+F2*{)f^R2&H}H87d42O>$F%UW z4?#q4{Nef4(6X~P5HCI?vyiWdp6tWT#spMAg6n9 z-Tz@yZB!py)pD(=v#pOs2jGfoY;84#`=h4xh4V0~7Hw0hHIYMGL73 ztW)i+4OFrgc`?)-#1G@r26|vr__r?51G>$9dh#vhBq-}CTwR_}t68Tqgi^W@_YZ?^ z;$uRj?s&Svr8gJQM2_u*$zHOM*wN>)O#*kS?TN)_K}%SOtrA z%8iIp6Qx**w2tep#uMd%PE8<&60T0cOKakb#Z=5AJSdxZS*!I$o0_X6L>a8DJtB@s+*q|>9v^3(V)mCSM^K## zKlnEgn2wjD&%g8R4q+a!*k`*S@nYp?SjJ5Jg|%dSM<-rlMcGQshY>#RnE{fQjlql3 zkvM)c4m#VYVfQ&VRQ5R8sC<=(-S+#j*Bx)^ufLEyOO2tG@x<3!Xs1eyFB*rE6h1mh)`?OOzz*MLp)fhmzeRi;=H7eYhTxPcpr+ITYE8m~Q!RPN#M>9My{&V*W*yLA5wHcVUeH}Q zhPkXPA>?GbGZfDtkIi%@M)es*hIM(Schzc28K7fl%iWo2gM;UG$2TTrC~5dyY_3;_ z5zh|2>C-)@)h?KS#I`ZN5XF|rTgibYj#tL&4m4p0v*f@(zGZBS+*h2h2+K1|nJFUM z%Gre4tf{IDrJoZdEMvyLt+W@iEvxMJx+vYWfhjn)cWD)u!8X{CF`DL8oxUf6I%0t-{$b9mm^=c$J$Im!6$L zNb)yatdc;us4N90JBdG>>1uJuD;qV+_GbJvaq4XP9px(UIqJJ1#dCCGT7)Slcarie zI%lY-3=I$cPn5Sb@@=j97H$DrewTN?M%ltRlkgU{_ab&n-h~==jj~Xq@;b+!OxzT@ zgg9I#i}jM^-u_ypMAWz?M-=6xf)rRM0NtTa7J+(8#@ zOf=uhR)jD|u3pa9R6jGd!AuhKMwp2YCc&qMIikYk6`+2l&1oI#?W9RxY76OX>ySbn zlZS!a&ZzQw-la|=?#)+BLayhrR(;LH+@dp5bV9n^i46J(SNX2QvrWst-{?X{n;P6Q zG(~+694y=#W`4qOG2}}XcY`7|4m_K1&Ki|Vs4LaMQfjbnw^4>i#Ugd&k?l7m3<2hhj1i&Mu6`pF3H;_A#*RL zG{l6kjdA9gVHj9>H)xW_Qt!JXv2yI}MJ4cemE|OJC3%JZ9Mc4(ovXcXHcE?mTgGG_ zU_=Ayp1hwub#kF?JI(ycfN@AbW3G?jCz^gIyKTOB`6f6S%9`;*ic^pHon`hRa*4*e zDqfx`%Y8MRq^^a+B8{2={$eJo%_KV}&i%zCksC&KxlH~7VnyOLG7k&omjS&G3;JQ$ zhN^njyGH30c^%J!(9)S<5yBob>mHCavc70MUBk9>bfHn<4(7-am|V^3vl{6p+Y8J& zEy27o!quk0!aKb4f$mk1$lD!hi3qqklcG^OLm_^}HR7SnO=O?gY8av2r`lX6u)nB801Gz%wHdN2$Eb<-5Eafd|6C9`XvSbKcXjq935Fh!e+RvngFw^rl@s6ThA1eb0 znd zwNXe{K17TQ{`hz^+%=WX8q8>+;B~d`{FKX{k<3X-*bnDkv}q2Pw`A=?%=dje^8#Ttk2R_c8~h zsW7DCt@PGPg+{7oy~;Tfh!B4Wmp>-bxY7Thc3g0)xM~{S@D5WQwx@n$K$*pgDeAa= zb)TX=Ihs!*NgDG!{RpWI-em>Idn0U1BGuUud~|gegqx@vNie3lX1S}ce4J50ET5Rv zwOVBtSKGYk9R{r~~}^8}u{tCi@E=0}M=BC|)@{!S3jyvWx$3L^dblYYL3 z_4Yiz8H;#1KHtg|1oxeCPEFJVCWsl$l_4as3uOl}T$w?$ZuK!SPeYw&Pa5%Yo~%$d zojsDDK&<=H{5RFHTJm-7Fy#OQHe&K@#rO1v8Z#P%@j3%U!nzW3dGx z4Urg11*qVWrN`XQ^BIa<#dxI#$TgPF_(Tg2k3FkiYSS6=zDr@&nrt5%L?zsI%vhMm zkV$CC&e`RzhUyGYOR(h_%I(r%WaHq9G?10MgRcu^XWI149}d!B&dQuYM)<4h6HRpv zClwBcMmvdT9vZkoWRxqhI+3;VoiW98MfLqbTBhfk7O9=XihSnpqR`iSlH>PqKEpAh zotUma_X6V$2l1FlvY3BNLRMBQSMqJr(rRxfW_^Sy2JV6LP*Ae)Sz)hs&Y7f*D>Gv% z_%n&kX;JPQ{4pj;b!+|MY;V3??$0>ybGD3iU7YtgD>)n0Mpbph`G|@lU6tQL6aSFL za4kF`lyf*8#}C4IVck@J8u>GQAC*=DyKfx$9_tT^aIwDR@yk9dtehKDzgg`ODlNhW z9YOiDtR+ySw4%rbR#2blr2Uv+ZXoy^29X^Kzha~l7%qJZ(jiQOE+^7%&O$!J)iUu@ zE>3+95_jSuYds`xu0O3ZL~6}ia**j4$+qx}gy2~H?pU~Vs+!KwL{)r(VU7=!-)M2N zVEaut@UBpVGm3oTpKK~M{owCbTj8Cf&mRWjqZsB)nAo)wnOu8v(oV;@0`}KDTr(#{ zF0S=$_2h$hKomKH{pWZbC5(}lmf1la3kxO*b#kLwDDWL61xz1hhkS-RWC?Za%K>?5^r?_Zz_npHfj7Q?!A?1qHN~@5-;c zaLyJ%SGS{%(P{j9QO&~^Eash8!Wdtoq@i7WMRqBI4gOKu!GcXpel$2OooR8bQOOOF zTsRfx8%{f9L8H88d_2dT+yV`(-)v?{jbJZ|{$~6O)>u?H@b6xO)SW7;T0xXF9kACv9W86qSn*U|BFe}p#{U-GJx@zq+cT4V1Grw5#q9As zL{c(Leljsj*{BWJZgMoisDJ9Di2=XkQ@ZBrj_W?3Z#7A@{25l*N=KxX->6wo`6?A9 zS77^d6@f{lf===pwe$t)eN3sUIUsE#HY&>2#z$>3Hx3{?256uQI`1;N}QI=F-2z)jfq#vbYu*!K3|5-ZEK$>p9&csXf3`Fp^Vo_!3AbB zNT(3*SxS$T)`$lU=(Q;QfZ=Z=NFQR;{0iowde)`B0_Ohuz*V+|Q-@WanT`+RnQLKC z?D?8PgL;SHRlA1zNPVNY!A#$fraHt(wS8n@2(Gjq2n=99$rwq*Fr%CrB8}jp<(Lp@ zINqWf6A5;kz?_Vxzp|axH(cj()Q=!>wKT*TYMSOOFDes@WV(cpzVaq}kKMp_0CmT1 z>W#)NY&qWwm*y88F3#rYkuwe+AKCb2UJh8s#qlNH<3`?ME#^?ocqDYlEv;)-9kY?1 zSu2N8zE`*e7@q%w*;h&8>+Ui_Ge@5=UloaACes-^BwrOP@Wt{Z@Qo$bb&k@t5cq>n z|{9Z|mdJ~OcsUPj})QpXpxZ8*b>h@eu)kJd6X8E}9?p_4S*CcSkoPtvR|lZveO z!G0#&i1-a+Sz?g9T$X1v*nZPjr&61#Z-+MmKY(kbQ?q^r`#fyY72}rpI>E3DA2rP9 zya#$DTIoONa|KCJ_eaS|8vh`2ol4Jr({c2(V5s`bu{o~&-l7P$Oo}H0^R-bqMX|52 zQq-YHdbR%pE;j#2vtS`>bm;Yt1%v%trN7KYdioG?aS8q{7{8t-^eo?p1RmGx>9d$sB7TxOhDbQNRpLvLSHYMUa_3fJ2#AbviM~*%N$Mr!?tmJ zqi;-rL4{|DcN%eiTWysw7s(Ol3F0VvgMOntrt$>pJFM-7u3^rvO?TBhTDgI6-gODC zWzH|CsPS9Cxu0&$xJ>dETjkfZSa<@Q4Riwcwrr&WE1=D@GvrBn7Ukjg%0mg}>+Bun zGJ=6~XHcRe#I;QNlL7~swdZW!bb@QMS`P9&BAk++fpZ>afwu&2`#QRqt1pA|O%h+4 zOCi|i3yh2q=_?4o$x~p*OVp^+uVI}#aFVv=9|q6F$kLJE|Ao#GZ1QBnycP)^D^`eK zg~^ejKAWZ9B%TjLR(1=6VkCjF)j4dQNx-3!R{BuSN1Hpva(!_hxBh5gJJ|-)nf=*T z^e0(~U|w&=;8A@s=muQv*pMntFyc=g)v07UoUlA7Om6M{QO`D)Kcg(aMYDZvN1Hj6 zVWcmct|AWPXHy~hR=J{=UKejLXgM3m!ug81xEFA~UNZ+=;%1ZF4c8$2X*W>zn;gHj z&d4F|k>0z&_Q9m(paHnA8i;yV$wwjgt|oOUWPiJIXTw%*Xzo5!VltZe%3lFpX5z&u z*|s0`;>(QlcK&*>J~EgW8v>chmn{7w*>u|>lQ=#VcY%qeT{Pm0jQIz~)EiB;dMoXr zV63myAIUoSYH z_hPb_tHEmf?sTeqU9_nuXV3S8zay>Mb{`W}M8eW1lv%*LD~9l*oUS3H$_rdJmO?s| z@!cHq7?c3#MW)EeUK8^;nyeZHOhE~x=6`g2vW&on>7N91fOjlC!~J^pLwdb$RHa+J zWA=@j=VbHj@)v?Qk3i>66S zVUuN&KDS057((u1HxCFQw=rQh4ao1N=qMxlz}6nEOrd#l&D1uS$+?2za|-eN$kSc; zZ_N*JoW zPJ{LNck$JSg7hBd!g~>>d#bCKa-OK`2?k@qukSwpIt%@P4BQA5VOPGlTdyn6A~V+n z-b*iFJ1;mWE=npogBb@1zh$h5I@ZcQQ&}ows^H!jI*Bb(E{E0&WFT9Dah&f3(-<{1 zRGG-+l>icS#EFW`g;X>s3sGnrwG4c-O*7PCygHhg@|8hgt`VFsDRJoZfM)@IigOvA z;5(JRBbYS*PKaf;(g=CWd{3}qI!&1@+xpUG)YW&XgLOu?y=4Ae1GAZ7jzpGy!$wUS zpOHwjXpLp<#+f%V)-@5;7B<0pI|4BZiYrz;F1yPz@35U55UyrIb=M%{fP5{l)=94^ zSlL4K#st0ve?&HL)qVH`?g(NNlvERY2xCB@F-hno9Fa3YLJ_5k4P<0gg~+sxbj;(G z54A<()Tz<3KU&?Z;T6Y7+I!w)>tggKpT;RFhlB>MDk8{tLX;a?@sVPSG>Cmo3U;`@KvqcgOa+gVn0$Im#}y*R?r?Gf z7cKfsbTp=XN*|N-?#y}yx~q>OJmYkw`!G2bKCa#z!-(l7)b*}r9=@)$*GMdmwo{>j z^AB4ic`I-hheLl7_^vU2^DWa*=OcGM^`R+|%|JscG*`z|$QNvq{~I@{d=rl>mYkj& z*R5syd0z+KL%r^}X5y!_gXPn3Y!TngI~dIK(a0h@C4WEAG5qWP$!ujlMuh_3&hbfN z?Lg!+<;RdAZv+AG2%u3G0Aps9&~TT9b-Ob;6w0!$$G9@kQ{G@_%*~nZ3G%#bON4lM z^XXjiahr$f^*vdhZ-skD%Rq16?dp6o!uC=k+Y;p|d}h#A{6*532T_hi%^A+Z^;brQ zIL5H%wGlb#Q1g)UvR{+3hQqQFLOx}EI5Ii~vk}!6%q^i-I?_H8h?@+|NYY_xQ=Ubt zTPj%nyxLPKpfMmCA+=XjQ1?*GD@N``G*~>XY;BIoD%1*GBfl2RZmKOc)~sl9)m3VK z!^n5@4$(LRiEa5#)N6ca=Rn%#T}PPG=z{)al5mF2M$66|+k~)neXBnvE2XC;rM#M# z1{Hrgb};55W8i(#otnnK$7WzP#9@73o&m^xxVI6-WMHjjD|<}uxomR0P=*LG-w)zX zk*Wox(SiBmHP(BUdi*JM4#_7;u)8x!5?!OkmErP1jl2%oLZM{c!#)`kv}7IE)6!CM z^~5|WQiKwO@76gECz7e`*WP#|TsC=7xnb`4>mMm)vY z;`Qn|Qk`n`>d}Es>7&QcRcUWlhKK1&PFZ#uOl$7dxh2O8ll(a$w}hCid*B?U=7$Hi zu@)wok$VAYV1u|9r6|m1jH@|?b*pJmXT@#JNSJ0OakpOWOX@U;GgzUDT5$?rP;Ogk z_I%!)%akv`x)<0|^+Q7ajU*mOkvoTw%F|y4j`23WJDv~%&H2Q~@8E;tOIpd8 z*_Zf;Gm)-2im}9|+Oe6@#7^&ET3Q{s6>Qtu4opfIRBcWo?G9Yx4~YNJ+->Kph@-HR zG%m5a56NY{WJdjEd*5Irs-L^Ve}Fzkw;+RYxxc6_erz&7WLQPsrj@Syzn9BE`iYHB zw4!vNbP9*J3~08O=8OTZkFvNe{h6jJzMRuIg*Lc?ZCi9qa(UqwiyQlsoNM1GcPe z&;(^!4!iCJ(|dnl-!*~qL8xaQC3e;$AuLoHz_nm&*r)2V5Gb$E z2b_a`wpJLT#@I&}N?}~0*GNg>oZx6|R{1)YC5hNvC42>$z$FI6V5uSxB&%Sr9w9Ha z1zM{uKz@lxc0sJoRpvnB?}APENl5}s9VfBx7N19V;lh?+H@kF$x+o6Fm@E&A9P!lZIga(WoI`1+UFR6?7Q7+3K-@VOY*v)&zW8bCiJ{ey@x@ zf%O>cbIk6AS}fBFv9e(yViBm#01Guh+%R+7;r>T3qeeOkW5Zzin!*_0ipxm=$eM^>`; zxW4)Zk_eShBK5*U1^-#jNKkHfdhORm>skN^;YmHhd)YG25AP-uVX`BZoIv8VO(MxfqlDnBTg% z#`L0cjdC7jW4-=~$}&NmCXEXf$G=4H0hhHWFRy}?pUS6nNG#q4Cok6Ak%pVrdOp@+ z+?qO97Db~skHr3$k;DAw4jTW(*~X;wCe6R3?w~sLe_Jnbk{$~(+E^P2e%SMV{(t_GR@9 zBshZ%^XFRK=su~ZWyF;!#ooSq_`)cHEu1)Q;6)^ga{eoVuh&>%v z)E~`xaB1&Dq~16}Wr6s%2Y3Az&(q_xgsm@Dj2Jy?P+X9n`X7$+bDHruUiypV(#=sY zkMfMRlP%I{(wedu<3iBOUF zzEXHv;6a0XcW?F&#QtSyy_80eGUuKojbxM-avk(Y%FhVbAU@BNt$|KL-E-J%DL8;hHs>g4gS=X# zkB`;jEPoBN{evlR%^ize^0>sGmHy8$(#y4#0j?TfO06Z;tGpSQP$kvx;d=Ig<~yu#LJuC#x_KMKqdTvFW?ntf^9PT!}afgZr`Qw9Qp zK?XxcC8^WH@42r83Ak78RZOJcLoP9|9uDzc#LZ`!CJ_4{8S$*1c<2#g0~{V0q%Vv? z^#X}fU!$a5&xP4z&_B?*iJf0@$f6|H}SNq85)6$QlzoR?&Q^YUBa3p^fhR6lSdOccxiYxVjV(J?*$a@$WM$oQe z0i<#5c4$aD&yT>W{M+QXPETwa+HUryQi_h2$I@V@*K(@zM5~-M@V|0(oSGjU%84q` zsGpJQ-&BdlonhQga3+s;5@jC9l?2{PHyVS&^MenERQ^oaj6qs{&Fml%-#nA1_Kt2- zSxdDJAjnI<0BxMqTHOMM5_fMzpEDH&Vdh?`q23~1Zr%bd)tS77z%=zAZE)BjXYOw; zzfc(fs#aGp9Y1#st&Rz!>Z5+Asg)OQ;)>yV-?tr>dPapbgesFX((31u5nrejW;#WK zN$snVhMsh*n?j`iWRuCyw)5u|y>g|*wEV)le`OI|Q-fvcu#%S({zrHq4^h0$E6Rn| z?(xo6bSrYPjs*UxRe3izgWMr@#uAo3Zsyl?ck+mh&l;*VEg~JUhJxwQa!v8T=iANO z&wBD3iw=>}%!Afd26{C+O-S7_7t{VZK0=>-*3an?dSoQW@OnkV(l*H${i}++`4raAI1>lPaY~XLYT;#h%6(=O>lxE-i@Z67$lOU&J zUB#cu4$9YaQlmP8m2`rTb&^^zRpII9<*#pa%J(7syO7p68H;47d7|Q3l~=$;lm(ZR z(V@PflE-w@w9M5)nLwG-jV3!g7R9X>DXrmNF&PI#Ha9nUu&O5Yu$s+m0qsY?(stPq z7MNu{W>CKj2?iFuOvA-*4ZeFy0VZyo>FR0|t>0{6S79=N@|Eh_k&1A)gA33h_#%ChDy)j5E}KLZvd_4eCqW zzda8%pje6xe1GKeXCjXuDM8UlmG%8G$dOeJ3nGvy`EA}X7@dv~l(B&HOq^%Qd3&@u z-$BmHu-60CGvQLj$d!L3_oOc=8JL#lM%TTJyN&uG3A7UY$`@Mc5Ehhs=mK#FQfjC3 z-4tSsLG2XgPBVIaz=5g!nYsvEC3jO%4wH}oWs`nXt^gkOD{MlTSYt%<)VOg8{{C#7 z^Ud82j_OEnF0jdBvu3tScsKWDWGp9(Vsl#r1F8OmtWRK;3$l(vRqzyE)rjQf{15Tb z!au>?hi#YlA{4C1sUUnB8wP5|Rop-MjD@*mXAXQ>M%b5{Zo>4Nzz%umIAPmN&It0A ze6%IGoZS?4K)tEizJrk?;Q1=GYM}rmGp2yx5|D=^( zdS(o=ebnwD4K>!OValAy;Hl`A=|xt;H4x#H8J~x+3R4?a);UD32})@of6IgKCX4L; zJJHDwQO`nSJZ=$qu_A=7gbR|ghMMj;Bc$#a4eX6AKZLy6o$k*uLh?NU1 z5sq#VYA%B0t%7Z6}wiYP|a|l^4k|2I%Arlo7u2vx+ zM^9Segcg3YeHg~AVCEWF2XidKe2>q*BSu7!OcJB)(ulXhiNH@+vk?{+L89=SkEdE| zvj{4Q@1C<6tb7EOK^7~&6TCauLj6K()kR=!cBp)oFeC!T6%I05=?GCWQC(f#d=I2< z{O%%_{KVOF$~2xYj5+-@z98~eokisoX$q4#|4U>B$&r(F{?-*R&lGiW2;r`e$`g1Rq9f0 zYpY$Xw$;|Hw~MygYTfPc8GG;N-uwOB@9XvZ{rk)7r6I{I=RD`kbI$u&-j69vOZzci zZ2XZHBei%wIN6*CPv_sEyPf;iq$7nsF~ZFVFx5|vhmw?jgRdt)i-gOWW7`M2K;O2Xoddy@i-4dL31BrC4Zh_bozAw!#4_Ku ziF?d7=O`}CJWCx^F?Q!=b9#Gz9I$|XxAN;mh8u})?nm9BS8^HX++_!u;_P!%aaSWE(=f#xS^BH<4oj!jMHt|ux2%B$7v#=7FsIwHPoF?rCIXW_lNv~K27xbyaOCd?4=8Qdr|lki0wJA z0N=9yJW2mTedhIe82mnpFFC5(H>K|BiMhgED!jTWdCiG020$QM_$~yOG-qe`XkAC( zRN%g`A2tbj2>(j+;8za=LxOfd4D%AZZeMZu8#)z#eR@Z}?fG`(+|%nD)p#-*xaK$d zTZVHCw|zi=!I*%UT%;7%Skjc1KxJ25gNR)hiI1|y;sMH;3Th?kd4zKj^~H9*RI9@0 zOyznoU*j|83cWP;d5HaIz;Lhqq|K!{r$e4PJP0=vt*-3N>W<6h3=t<(cI2TSV2v5)nt5rIud4} z`T@L|68H|n4pQ4)1NNP&5%!i;{jZ$GOXEl0&GPW)_h1wBkI1bN~ z7AOMSINpB?Hyn{lpc*$A4SPVCJbz5ab`Z#W7=n$f5I?i{YuF_~Zh;ZvHY~Z|Q+XZn zZP_H>0YWUMd@r;@z3jD&_bL>)gizf*FttEYgxbjehn74Mg&S=<)b6QCqOHm zRx~XNK(JTdCg;cl)AUPt#&Tvm-O5UkO&d);V@wP6z7nN$$0#-<{KmPrrAah?!+bdg zYJk?w!0*u`>$`!o$a5dBLz?YcI$fewcos-2Uo4~WA)2$n{1${jwhhiT`e0LaiDOt() z!pWvN7CfQo23gC$0O*nXNoodOr!qStpE5W3>A^!d-7%%?9Yy{%%rPeH!5`BKU-2co(Ohk>&WJb^HQ%8jw=tg%hUOSpiGb>XK-w>@TA8f;KC_;UyZ*Qmvn3hze$UDCVFo))E@qh@x5hj*;6p6IGM+|Ti!g&X|fhvE%N%d!g0VpRV!`4(y*x9A(-=uS5uGG1gp0kc{5W7G0j&Y+j!$TF&Sbb zk^Vp&#H2w~^FlLF>#gQbTbIWUYoRC#at?p5NdBy^JF5Fp*cMgP4&soc4^;eGUnewd zhbo|fl@lCGrglXi6(8a+VFA2Vci6>@_R?svRf75b z_}XVTBE^n~{XBmQ3Uo$q7-Nm5?FM0uf2p{IP4|;!qB)2&1uLHCOLo%0 zFL6jf{tKA-8~BZyUSPqYjhj{=jqziRF;ypA!6KRH9j=We={C|@+%%TzoDFsC6JYM< zZ-!7(;T_!64T?ohj|%L7&A~5FM(t^V0O52z(SI572_!pzhORgvPw7ik_miylUq?3> z$gtXiZuBs{tCvG;_rNk-gPLD~p8f)y>`4$yIuG%J_CXZg!UiO+3&QrRNqjU?-g?>m zPK?lin+^d1LRSU5O;#A57i8b9jdSfC19vJQ#1$0jrB?uc7{;R%>9q z^eh_EmP3V%y&~E^+EmvSjjM`pejvT3F#{vPBEwK4h5+_^H^o&g`9$0qGgqcN5ZM9h z^Kd|dMVk0KjLBN7)@vzqqB`7)v9K=+UATZUza{cPPK_Tl3IvRFMoo9InW(b{D7;eN zfx_3A72$TQocq2i+BY7RcVbgZno)TnYhl(v7J_pGnUGzL%lqL@Y_j;B!a0g+!R{3Z zTt0#emhM6P*uVp9x1~ckF$f%DE>>BGkT zQJkc}H(_ZQ1{IV*>M3xtF4J?N3QQ7{FDW>y5oepnb8_?2&< zjuc_%T$4`n-V8rx3+VH7dTsf=mP{>>W?8@TfKS-jA6KIH3W`mi$MZVJ1Ls!MUydNC zR`7+8uk!<$$4=_%UO;81{XI z0z)8DZ?F;aHk$_GR%E<472oz)n}%@~{Bu_1#^InBg($qS1`PEQh4WWNN;>Ro-O8$q z3H~lYs#_Y~IEUlCZNw{R;}Wh_RytUGWu$zg%8c7suj^#8l^5db8i>}~%_-VO@Y!mM zIy$Cv6WP9=Ie{K^KB60V!*+Ehi}iGR17lrG>7VHcC!S&5r)E3Y&l(!XHvfi>Y#)mK zh8)KK5LYEJ9AstFUqb>OPl%Ig!4n~zh{?@hrPeW~t}*P}rm7ex$(AC|xec(&LC9e* z76J`Qk#!Xi3INTjKM@N_>e5bnlaijNVkf~yAPx%?Q8qk=L)CKR@R-AD?{9)8Ui?bW7M1d;(qv)Wb_+&#P=Q2Kxk_@WAFM-L>X|XfTor)?o`j1jN8bw_96iB$te3=>pK+iXgJd+5I^eWdq)4A(Odkp(So=iT17W5o66uDO0zoVr@|X>W~lvA%yVN z?UvDkf)4jNU>f1W1DPJq-5OGkv%ho|g&8w*libOSDSAMJb33D=zGRDw zo1wKuy}f%C0oRMYS1`>X?j5c83kg`IoF&543a;oOaR z2zLSN*kXleiV*E}PQsJew<_B^$I?m0RusuOzXmtMga~In!9lE|bDkgKrfZAgV@pp8 zlvjjo06rg#x%4LIB-1XZ^#)`9SWP(_HqoMqFR<>&(C&%eXu%@rT)%|8KWSrQ(S(wd zY9_}wLE-!zY6UTt1ChlOoR7&4_`cLY$`+pc+~k0Hi|O!Qy2@ar?FTpk2rVl~OL52Y z1m=~ZA*99oVxGNd5aBKxii$>LL*cBR%&;N|Lt+*RdyxHEwz(x`-;{{|pc707C~`CY z*&Ip1gDziOF?FwH9W&MTBJ&y!-zbuzqKG|Ev2X-q@%-q6LF+}v^S$R4lRKTgDAUDn zLDflpFjU7|$1Ie3;j%@~A=lc05s(t2G(ph^r6+Z_i5V{vIQut(enteDCD}pbj0~@0 zh6`zNPKs-r4gf7|i?)Hqh2ZZEY>npqvaDmk3v4@6>!sc(;HpSNzCNht z0nw39Hni11XkpD$(rOf=Ar_4P1&;#=U>dEiN;J*LB~!fd-U-a@pqlN@rUAf&yqnal zIDk*iMu>v4qe38MU7ah)k%yas)7ku57L>3O4o3t^>4bnoT&RSSf1I>h1q>cWp{)|X zYJQyb^j4q+_&P@l7l7Ip*vYOX*%tDT#tjqpA|UW$v-ctXM{tddK>QW-Y>sg3jCW=t+jgdD?NY|_(x`_ltl1-VG$XJ;ms(G$9x$m{I5abw`6DO2Sqb3h_&J; z!FQ`7#K~CVF<677&yhF@Ls%zY>sr~+2e=s_k0i@`yJ*NbG-C9AuI4pXZqAE6IUT| zY8;a8&GQ#VT8A3!vr<@#DNI@WQ1*!}SBl7vIzV!fJvc)2VzF(UPz(8j3>aUYF-|34 z;lBu)7DAvDKpRsVFeO^(r-C1Q@?>s_(k?h8B49jyzpOW2*&c8fHa#@z-%N5wOG6cb zt+40nr4)ZQfugXzH0dNNv&e={>v)q?O3HTLF5BOpO875fE|GsC4N>{tQDRbY+tEKeJIKw8Ns;u^HE z1PmKLA?;E%A{V3^CuyX1$lB9{d*^n>ln25(fLJew87IX-aYNYt`+x|LFE>S~#ezh> z3)}|QYoMo-1cj8VDgNWe!Y>j;;8Uo8F&%<@Lu}SCTONdM@GZ4v3VgR34g561U#bQr zQFD+uuKhmF(}f;TGsBn8I?dFt5Zh|dn$_sI@%1$A*(m+>*z65r zJ3_3Wc}ybP;hd2?h+nO4kC+LNGiN+bI~yy$iWFEZw8er-w#w&@Oe(4;cjjJ2rj7oU zClJ^~An4%x)?x=m(M4ENLoo{KRmMZ_WEav=p~2`9c-5)ZV6iBn%Djh4KEag0z35wy z#XE#}R2>?G?9<0jYKiri)WT~@={zAXwoh-RnBJp-W9xAOxu@w1I$;4tvR7CT=uu_U z$1rZ=6-_&6w&_FhchvNwtfS6GH0=i+*!Q}N$izos!%wOt_*|WS7ZG~jS1|pD-mA?Hz@$pzb|@a&qCUH zNyvQbJP>sZVM@Cu0AY1Y-}U5x7Ivn>MKdJtC5gETybm_A$1#*#<-}2#e@G`;FEIA0 z#(+rk_V%<)OEryX2_>s5)MXO3!q!Mpxicg8#6=JEj;X5{y z*h>w`-mM4>hc*p~3Umj%%S~;dD`1|GGLQ%H+;QYQV<0dt19Y;O8YR9b3YiA+Hu9w@ z?qqXW#P7_=?0YCMSGL=3L*-8a$j0L5R8s~VtN}g3;=o80?f5-tLgDOVM)5wrGx=eT z{^uwGDBDRT|31j%j6!Uo$UQ{Z*0V$XXCp)N5iD@EYss@hYa-z1mS)=`A&q-eJdpxY zsqLmMC#~%m;j75fE`%IWKxOr_zRA>8_+H0UH*FWAe--Bp;-qokum#ML-Lr7&)T=<@ z;#8V%8Vi~DZ~?DkEY(v`I9vkpuO|| z2S-o7&UiO| z9MJ22B)%0d@I>`3zwZl$lpPT`V7eD0Tt1@}YVvhRR` z&!AgCcCZvd`!ZXAWA*|9>(484J)IVfJM-f9wcvqiJ@6cT6V(%5HF2a1CXU6#-)2xwONC)W;3L7yKI(N)A!J5$_)D~AyN5)@hb}@Kf>D7~l zpwX?+=-&}gp)cavh@F+T`QV^cg_eLru^M=mN0b4LG*Iof!r@k->i?ot5UssO z0tMcefL4Qv}_wsF136TrLcaiq}XwS>y zdbRenoR@F}X}3kQ#_aMk{g2V0PUay!e4pf-6fK^ikat06>%M61Z+dW{%r8m-yAeMR zvQ{==ey+S&>-Z6H-)o590H(YmjW`RNhNahjf?s1Z*UqpC3zfTH^nU4ItS%gn9BF@< zEoa)RIqgV|T_c$0(&HlecICaa%?_(ukV*xnwn z;>tB_0oO`iIL2$|x4?Emhm94QbII0@>UuSJ)~0)nWG~uT+sB_vTGcLl8@2x34r~dx zgBW68CjjS9{%;-F2G&O}6Hg+OpfN9|nLoK{jvg4FJ{RhU%;#Lh7~xw?_avI>IY7(E z%rX5E4HIR!_!FXc*gtHcJ!?Sg7wqBN>Raiw2BWZ6RWq6992dxe{8MmNiG)(j)>?0> z8=Pcz;~JnkD^ZgP);oIB$rv)h)Pc7qs7)unb4WT9iQkm7Y(?n46MqRAZuzPSlxtXv~d)ee1@ZqgFUZH6P3+!hRR&n z^~AA>;(DxqlGL=29z~go&YIp*+q0ATy{OpuP82OkwkRM$G~x$R0x1qrzz#vXNqTyt z;luht!tH1vP)bI^ER|SGHaew;N>d;x^Jgw7qMy``F~8Fu3<-@h%%2Lcz}9I(7+kmc z-ytcCfxr>sSoI%K3*O#$Ov;8e!T*!0al@Lcbe7W)vcQa@Td`-ww%Y8a;OQoJO%qY` zv=dpv16;5Z(j{Qe-IoAfAmIaK^G-U9KphkY6wJ4#x@V~kOR-s-Yb$K59`xW;Zq=H$YCKOnH2`CLKo(Af1Kt6;r zZ<8%(dZw z+6Xmm&K`(v+@wwH1~9DLxR;xP41a2Dr}SOb;Z1Za<|SLGW|r@JFZ$f^LGCw7s+ZJ_ z%YIz}WaJwZ!ix&iz-R#z05NkfkX)Z(&A_s>EJ5G91>_73Bl+vFSv#lTubXVq3oepR z`LAG_KLWmIc)O1*XJGgL1+p9mtMO-$+@ZI}T8J-TBLewZw}6L0I*Wic1zlb+gS#ia zt^&nevXO)Y-9ae4(mX5*;D!B;4_{Z4_Z-I1GlY_ zO#TaUm67XIYg1pdI0K384A$W>7NCv--io>d(41X}XF!`i!F8JewEhq+E>QRRXyZ(v z)fl0N9C>4QEH*LiJsx0qk&OaJ9O`>xAr~(I?g!As_zq(X*rdf8z8Nsl1H|jW7qb9C z8W1a8Q~>vJqKQ#gE+4?%-$Es!3F7+?Pf>0EzJ6N0Pw0bQa_ph63-N zDI#d^7{+M&lC&-7!S^DStK=rZ-d{{H^mz=bZBR7X*PQo)b%ovp={CGGz~@v&C&lF1C(y}A;eN_L32e-6q>yt%QuPu>x43(pBHB~kb&tCx6?K{e_}M$st7E` z4#L3oIB1Wk}MDW z0{iGnR3~F*?T>oy?Ql-b5-}46Hi9@usKgBl`v_-EiyDLV0b~EhS#AJ_4zRVo;ehxV zLuR!@AYY~{tnX|6Fdy1t({YNJLFLut(p^luG^`hV9PKc@n-(ALwXD?^YpH&GMU4wI z!5g80h+bvg9|Jnhcqrz;9{pu?)@3Ib+5ll(JYgENY}p)fZ-lrK_}X;rc;|3(i}l$8 z(T9a<#14_xsYFLCw19I-`ytjiLb@9%+9QB2So~GZR!(csn)b&!yRkm=G_ZGAUS9T{ z*i{*pNzM16@VYDOJ@Y6pJ;poU&nwtTKEQ$Jx2M+(1y7GXwuN|`5MRc*T@r#<=}_(x zAchd1sQ3n$9Dg8Tys9QOuMqIPyJi&B76Xd_GP<=8-PH_)#(=jK+}(|4 zJA^J>g+Ck0&{+Mg9pYHE_kh&K2+4VFhyrF4!Uxd@j?2yawNrH2Jp|*tI7kt0z>}`y zD^)^o1ab~f;>Jmzsm1*f)@f8w0)1e39`fCS`}oFg?IxYQK39H_T08F1oy-GtH}>9J zCp>__EGLBc2Gn$}{Xi_92-dvs5tkwX%?O9{u#c@07&>49$4q7k944?Wxe?&1X=uUP ztRKfVw6tE*@y)2f_&Us9?T55C-LR0(Yj6rs=e!5lS5s*&*R5pw`*va{OZ&2KV<@3k zZ9YN@P-=i70&GjuZ*iVC_ynfj^Q(}LpdNXy839GAwg{45v_oQxOYt;jxc-G`+>&lr z2K9`3LXI7rtX~oh?7#l$SnATxSFVQaQE4F7*3r-xZw^E~7OiKtd2*oMjch5pTQ$S< zP%HH#@IBgCF+yb;W%C(TwD-*2ylLT?z}B{u5WbG3dmJbXJY#$?VIVH0r&JOV0E#=w ztqu$_47wD^w2Y0FjNyGoaB>4Bp9B~;c;V|~3qn86eARkPfXiL zC{z?SWdNKJ1O?f!I~VdUKTE$e59+i4ZS&PA%QX5;3Ak#2vljaO{O!0>OjDcYk?dL^ z1K^)Z<}}t%k?1APV*Ny0S1oqK{DY8Vesosi>R9>!{gKQ2yLC zDk=9i_^ZJU3Mo^ZbtEf7X_qG$HbdNYyIn1|Lv_pX0L)x`P57Jf+)cvlE5r3OnD)T+ zPUA1W0YS#%`oRK3jWD==C;&w%9@mXvTX1OA#iMrU;V%k!z{{lw>*six2lI#O(b(6$J_4fK&0Z2R z@0)ip9oUuVN(U*(v|?qw9G}%Rg!t z{(DBtzke?#|5e-YU%!hGlK6jI6jECLby>j8|M|0=@$#<*1N4U?iodGY|D(t!Fqa^e zT9-TnVTDSQkp2R^6H#%gFC3kLm66({%o&)yT}J9tIj7==b&v+;O&s6^EYP6@GrXu|J$` zf|FYKr#wIkxG@iB^4Oo=GWX?#z)TgXx8yHP#hv0}TNSR(tiuaN*+Q>(ZpyBYVp^AM z>)i}jH8@K54!!c;iI?Krl;O>r;XLQSQ;YbHCtqe=6=&BMy_UPcD2@2$?V4*5(EL%? zPc^ihqvhI;zj=Y!lbki_!R;%@-e1@PzoUabElS2SbHu@Ldd}Q9+rZ;<>6V>dN%G=_ zQ&RF4r{rzOnWwjOS)SGhdKGIeSn003dVF4Nt8Q!C)#4_1Y7zWy4$hCW_1M(45pQ+d zi?{aNGVsKFrgg6!{SM&2^-JrsXYlC_!IunTJHZKKzCYX4aZceH-?*PH>>l*~$7|Y7_~knoB7AVhZ$F%S zt7nf-kB?o3&j%Ywwi;06+?A&upXk$J|Y|q#q zKi$}61x$#gytgYz?$f=MpKU5wojLBO>!+8rf))f2F;N5Z%_sV48bFLhAgxg>|KRg2 zJz(}^FXKl}1Zjr$4f|qi@wVQ(2g2K%B_P((_kQ}~&0f1+Xr39&irX{z%u3JjV0&yv z%lVhnFC85B^LdcPE8l^v`5h^vfBbac@Gp1tKQs|%CB52az>#TB9}(fCz?5WbS7_R? z*;Hb19Dg;r;-eMLLGQo9wdIrCgHJEEbb;{{%RgN1=o?&w$LPNQsL?fqAEALs@8;9c zOTpYE=*lXXXCC|(dXuoleYqoiY`KH~+`YHz>-|-U8P(ss4K3NuUs4~M`Z)NB<_feY z%;{j@79<8XXO6z{0bKFpZw`!sr=jDkfj$X8LAT$k=73e}4F4eIo5Pdu|H8GKc>BA+ zSRG8Z->wJT$)>DHcYlDc?+ip~ZeDt4PI%4GhriwU@QrTYzB~2tA9t>OxfA;L?8(F5 z@BjMkk?D216nL1A&QK8Aq|W@+I)i2?jBXv(uiac7Jfu;Kz31Dbpjq&24!$5yE$i_Q zt^ca-Oom5{=stSn$ciz46?c7cw$||d7fS2Nx2)F7_nsFn{{N$9{I8X04UF-hReGaS zBSCu(E*~{^s3RQ~4EX6kmy5`M{Fd;~Kj84_)PLw&d^QGI7oYn#F-Hu7w4}-*f5~_S zHmt|i&1bFF-#)R*6}10(jelM2zqaq_0Okk2E3^EsI=SDq=}E&)L**k1%ZE6+^$Iw0 z(jA$iJC0&hBdghXohwsH*8}~N0jUFH$8rXhTP({#Dz6v!!vf?3YuwIsXJG;)%6cU) z9*fi2u^Oi{GqX@YI?8 za!Toi@Qp`wxe8OUT6BtqZD6H_#^v@$YH$V<{qY##G5qOvT5M7i+}z~`J`90$zR3&p+;?n zlNb&8htPgkIwS-ounv{im7k(e!MS>@c4lORt|OHvqi`<>#4Cp8LgUj#=*~W%GgW7# zd%`?k4^A_U+m)FKf2Xr=%O~X<;F6gxH}A)3kgcG~bcdEGQ3hFxN3*5!g@RU)6?Dm& ze-c`pnGw7T2aWAAFcRcBh%ABP)1upBc`9F5@_0(dC{&qV z%ip2NWoj|QU2+!S?v}wYBgdnr_!_U2e-6*uNuJXeps_Nn%F8 z@1F}jp7%AJp?0}N%U)=j#w~h1xljq-MPA2q<-mMkDUX1On~@Q|i~D;0Dpy8{J3{4l zZ{cu1R#3Yocm5uw+L`GMw#B8uv#l0A=|QbL%|w?Jx{T$r|?APyVk8m0KbOoFlH4 zJ0F@8A-A}&H&L=xq4J2KEVas+VQ8iHkCi3o%R!4goV?%)h0i`r;r9^#(FLCwjn>{{SPg(kxF?&_uzVAgWw-hBGq+ z3dfn@)|=JRC(si&c|#sfcSdD0NN_&rQ&;GHNZod1gASA>==@Owr#8Vn%>diH0WcO4 zZ@dX&b0Bx&9?&>WSK(Qe3ZC#d0+g$iU#>(>V=Cpp23?j)J||U9uVJo6S|@83PyQ$Z z&G$cWi!V9W>L@7uZl#qRa5J z4#L7Uo^+?PFendU{%{4{)tu;}-07ij6-YY$l7BqN&zn)+Q~uiNlJYMp z)ozz7e;{-~%pVEU*OeaX6s7VyL$Q(2Zg>9o5o(VoBcvwbsc?l}gn5%$xe|X2oZ2X( zd?w$THGo74zf!~VZn&@UL6vWp;WkKCkaZ(WSa|eYqBm3`tEtRT$4D4HZ}};(!^k>2 z^g{&lgdXYD9w`&1|Lg4cYFD~g-Vz?!gYu$LPRV-1Th=Pl}4MXnx+^z&Y>^c5zVq#|Yd-Wl84$&o+D(+PEZ~@&xd2X7 zfZV#Skg==0=iLmr;V)o{J#KmLduqK5W)r0m7qGv(mh-`$yZP80z^5`G&XM5{R`r%~ zVXlmHa%8+BgPP+20}Ju;DKh#C$#_LZeI?IP381}Fd29U_KwZD<{{*OkSu$`KCU3d{ z4P;b*cT`3!Nxrc+0kjdvHFp83;o0gbPaaq>{s5Wr!ekjjKS$VjA{vNS+$FG#Qf0LK z511-rmgO?|&RYU76%gTZ8Dp)Ldkt{9XhUZJSb!{LTn_MTnH`|?ZU7<6TK9$~%jc#6 zrarevhCKb=mXRBP>;FNhGNx~tD?_A{0JCSy(CC8|&N1I>K;&m%hdavM`FvX+8BPH_ z-CHT69Dt{XYX2|r6rlL-F@FbmDhqo_tA#SMxq0!q)TchW`{Ol$=l_JI@~F$k2f!|~ zB51SRfo$2HAe#|7PUSb@Z&41vFzq=seK`S|vAKay*2zeT4!C&_TFl$hW!(PUtRTa4 zUUa9)7+fzSKpAcGZ9BW=Mn5+=i~}4d3$7hrk{p`~a}MkdcA}bpUk$^|=iy9Uk2e5c zV{XNBoVzjqIV#-^m>&ewg6J!o$~b2y`SU5Nh%^5@7Dc=QU?WQp$dMjP6ny71K;7WMuw>T zC#Y|5TDpvZpJP-R;Fo*x6lCRTjSNwPjrc9XmI@H~o!OLZgV=*jF91UQdcO=sp%s@7 z*8cwenXlg(`R%)P%5aaNqhtez3}0(xyGgGdvQgn9*^ZFp3v@zV_(YwIYy09gw|kGj z_0_)N@+eOD^|EXSDmygs&Q*EZ!NC9iJ(wF7mK~n-2O!l6znZ|>bNj}JueOox4tH-_T<66pTFEG8z7!MeSH7d7P1*he!$mRsrJ} zM(u#A=J`ujR`LrJ-*qLkOZjggFhTv#9~0Dn9fT0%Y5bRO;n&}A&Oh{?A{G?`#XhM0 z?l=OgG+T9;z@$0>#nEJfvKXae;H+Xd|A~rqSc$qPz<C~#i?L_04#DlyAa9#2-U^4WFNIr1-Wx!m?zlTNcP)sN2yU1{ELKtTKK1ce;W9QDRn#5KL#b{AMY@P4Jl}{3Q?J|Na(!e4?EDk0DgC2+_3JET7?W<>chJTr}-+6<1W`2NU*!+%$;jCH#W|lixb+xCwNVO7ft8nG&W*g(u4_f;pKAS((5z*#$2+vVVF`&Q^F$m;loUAv{=PHp4Y@Q86~*KAMUOxP&Lrv*4O= zpB-=&n#R51NIX@8P(=lHBtgS+kOk$~>^L0`y#{T8a~*M8VR}HLKH`a_#ztssW20QK z`<@y)L~{5wsFAIU%EEp4Jl=wTvgy=_Djm|P zI6YeQdWwb2t4@^7+tzt-XbL_G7R$WFuctJmpb?3vb7=9RlwDOxxNS;a^{Nz0-eNdK zK4w))RbDpLEp>4Y9Gmy)ehZ1PDFNB?I=~Smf4ggk>gR2MGZ0)A4ohi-?a2tZcHZL7 za6IUU6kFccx%v7$E18!cTAV^IO3^8(yggOWe)-_+#a}O%JEBuC_@Zi23RbF7XFcIa zh91CCUt580`*ui40yPvIn{uEbg+w|`qU0)Q_ow@Dhs7x=n1+Ml8X$nLa~Cg`ANNIr z7pI)w-w>x_`Yv8{eLqGdLc5^1@EQRvYuKY&!GQ3TJj9~-`}GDI)lDH40SILDF4Tt z_xojHg$nYJr=EPVZ(+-t0mj9ZeLxaZ_tV+f9LlSzLOc;zOd zl)Q@MF(a$WVKeSeLKtX7F`=nV9z2p5gL`9|?1}{34$lmMF(Elz&84w#X$CGuEbb#WBZr~UsYE(TG7#islU|2OHF_lRdx;n58v;L}%JK&CCXOpwPf*~`pP7$xKSN{#QLL&Q ziyPBq|6T~DmCR*_b&mAsd~!G@4#>&M#|lhLU3$udp_OCHh2+495u^#F1y`eFc#y^f zKTN0?H+pof@LpB6dSH22XruCs54;MgNlrt6ET2?)(S~u`aqkjP#@Okoj|2-!5&c#1 z7Gh)x{7^=Bf+K^6nGQ^2!kcja?2$l(Lw<>pDXqf>|57P!!S9qdUFPh8nbL7+c=U)$ zOF5PAEceAAs+2ZS?Vt0F;n|c4b*dW$nUG{F^e(%zUZh{77CXPM|AeMU8?B}6&$-A( z5v>_*!SVV{Kt4=P3o^J{_GJ~7smiNhhSsIoMoN>AY76$%;C$vihsDto2(%Id%Qe-N zgUT5?`xRU_obqk27h@ISCROF2)5CEAv4dPwX(i|T-6*>is_uu1R?3N4ANso?!Vg7* zR9z}>K-Jf3aey+rJ+kn@v-p@r2{Ar45o|?3jg~zV0YmrCbRsjGNJLxuj3ji<^12d6 z)BLOWr-E!fRY&x1tRVbFe=ZoQd(PX(X9X8A+A1xhqpDP)a{dUjjkKbv3mTew!L7-> zx(SrdcAcY1NzfyrkuwLeWxn=^n(B;36I0G$I&R}*^qH}atgpp0fz{5~lce>)K{A&% z*wXPtLND{jE%@yOgqH66MI+PkS)OQ;fr{+RQ#_C1aW?Tc42(#6s&|Bn(t)!cpcW&T{wM*+0*<8ClXUEqqXPA)3G>-97QzJ#RSDy z06%Fl9!4%t6GzLwDj zdr_W(W=gxgSB-`o0Hgc@9YcoUeIOk}3}UFt#dHi+uImWTbsCu|^o}4MD8e`?>c`i- zqYXAqUPn@6f$Sr~VcE`4CbZdYk!L5_0)$vO0gD7tU4jBiX_SVVRivb1?wrXkM)oW< zF`d~)dHKI{A8zV^h(fMC)tz2Jw&12w$tP0yG)f2OJAN-{qT>CpBB>W*O;j7Egq)Cj z7*}oJyM)t0Q0U4pC@t@z*o8pl28Wsn zL!2vPQI%IS@wiwe#0hUIvQ$8Gvb`GrD!?XnwEYN8Bza0C7t-F8bEhk31@01QyC-Zp zO~>L?!$CD+hr`8P3d<|3kr|2oY&bcuXedL)=97u}K=8=g&S-B$<4J_W0e56GRFcW&Wp2g1*Mi+cFDvkB;SpYNQsfo>zat?X*iOnLe1lN68`Z7Q zjE8Zv`=V{VIoh$yOh@CPd8bhy?KHiRN)#=`-)(@P38NrXwj4lOcQ%=i}A3E@$2&S92l4 zDm_wjCW{6a61_=>@j6|x5fMF3Shsx4Uq+uAJ=z66^I|gacQ&r-8Q56M3y5lb9+KlP z;8=1MCsPVICTYJ^6IOe&q4Fn(mi6#&dLr3)qM@)Hk;^o9K#Hb6qqVn5>y#M6%f{fP zq)Y0dB425&sMjzt^`zOYC&Nq(*_Mf+Y8V})mQ{Vrny&P<^rVjvdW(Y7o8n12mY9Vm zENIqh)K5eFAC)ICD@8?8dSWn}V(q17+utaD1U+uLegWCP1vkT=h}bf}5e+Ov z42#EEOttk8x@Ad4mBK|9i+xfFEoA7;EQDHj4v1D);W+MlTndTBJ`=+E(8jz^DkR`u zqdzwhYO*tal}gSvVa(wMHj!!#*+8aox5OyI3x#j$W-V)j+Y!gPZ}^jFit!Q6GeTHH z>8ezLWJ+II#L?yPf({vu$1KoMl6JBlFT(Fpu|!`$wFGS-2LRQ=xn8&f?re!BFA_Pv zIhZ^No=vh}-7(^IL$u)pZ7?N}$*52}is1~zcaSO=G`|xIW#qRaZbSKa?1zZ>-iSPe zc2+&s9*dH$DnU5Y`2m#9xC+$2ucHFTTb`O1N0|pk5%D}{{w9{zlk?ejjv7gin7OpX z%_CwTdgQ6Ofry9TDxl`E>FtNmVdfd#aqz#uFEBXURUBxCS}u#GZ}8%p%B zj-yZfMjWJGtbElvgD$W1-ABeSNn~ifYQ{aU6VcOxK*!9N79^lHmolX>bhTw4RJ1YOUX@$uyHyO{KxAl4hQwwzOol^0chF%;+4+Fn-$g z@}k_|PA3xCmUh6kK;EKb$?<*&8#j=t0)s6-7)-H;E6G~)_L+vj(o5U)0#|n#CuCb= z0vqS;1TxA-lP#9gZP`wAkaOUABh!8zPAL96*Bw6M?)VfHCTX?^r->nCIt;lkO^pb+7}JCT%swel8&je zg9Q4Uk%nl?X!#hbU)>}k8l{mT;fjXvz<98kxXIFo$zN8)=&4CipbXa#8*D-D8aN@?aGG6n5)#h;6Ww;9jKT3BM){kOT9cCB|MxH8pZEOc^m2%60^% zo%;ZG{w;m)DuT21ODXAwqJBB~qqsvsj+4?5`T4nf292KR09%r&$71eRu#8SUqu%POehYF(;nVl<^NE>>_^I z;=&=6R@rQy5rapN7PP_`t1}GNHAU)gl2xBF2Hc5wpq;K}48_Mp10vt@$3^38&;5q4?1Gv{<`aA&EC_O)w-9j6ftqeTpI>wh@N{AT|%q}S&ak~iC@fA@4f#R0g zz-VgZTN}R6Y`@1C%opgXEUW=mW6LO1OHL+w^6%A5B`E(m%oQ|4U7O-6``$z-ts(SB zcwBMmf+FHDcq(xkJD<>&_Qu>|NbY0WOOVM7)RN;cJ&$-VcO)WaJ53-;G|1kRRM7wM zuT3^9irV-P3D)H#Y<^(yV~LLB2=iewP>U)TL>PTK$1~=$aXahXWCz06it7&@p&BOBphBbkg?S;@SvCOH5+5u$IuJCO(=d zg#k;Z%IH|C4CQKLQiU!M65hX!y!mDD6HC?Uk<>+K2eTVj5C+mtpCaEBfa-02;0$dh zR>7Xz76gYBjw3R0B@ygXaiiE9A$bw`0v>Id4mBrvyCx276m=_;|A)WUzKsL=i7n}z zX<19or0r_6Zj6BqTrAs~=}&co{7>ymdcvdS^yWFy00l7j#d%l4^c5)Xu@#C>+2W8}Ero~`01ad?zv4@@3*gm1kP62~p?LhL$I7+!+kE%9LZ z!V6#ltTAlj{08JXji=tYHorY8N-T6E=TvP@lqYxI<-l8^+BDDu>|$RK?EHahs-O?V zwOW>Xay=6Q4aj6a6cZj$p5Hj}*5?hcVRK^#c-#mZ9&F8rkZFAH%n!s1WU5&eUEhQF z5@@wec?m*1q8un&o7&ROM^RPUYZ~$;NVnV{*i8)LUdC}2C+3L&UTQhAMWK%-(d@&| zh`#3Ql;sGFSK#6$2o2Gmm}~E&Ax-8vn)?03IwqFrPpoBPv)VCnWL}lZF&GBHNA&W2 zj;Q%ivWT<=+7VZME=0UUtj)?|T|^7`fM+4WvJs_0p_)aQ80_zkEbWO|xSbCm)*v-} zCr)d@?=R5W2Z0-vSl#CYWf5`}&HY*4_=<++iI-Rt4tXWoLg>jiV5exKMo6(S#3C|{ z+e!^_%wNWk4$I4?kL-qb)Wm2{hA$nJUjt4ut_rUv0;Jt%M79_|aEPZvWRM?HJ+sIm znEj2MPx@wcMWR#QBUh6!SoUBdIsveNp!yVS$u3KUg|EB+&BeZxg^t>>d&p`sDZx) zvX~9{$4ioMDuW&)dTA}Tmq}n_giC0iw9e-SyB4xZ8;d-P6MGbqvlkRU5E7%9Le4 z#=P3V3h~Cr3s8J3a?DR6#pj=Ixcrx~KH|J+Nfz*C+Z2K2@-p`?y~M&vh0iJ5IYo!R z#Z&NT@e6x8P60f4L34-g7wTY!^#9*2-M%KW-8KZgWvC^1a84oON4c)Wi*?=`J>+$y z4tFXC2{Zr9VP4pgU_D2%g@nayZ3+>qJS9lZ5}#<9A-mN4gw()IqKVk${!Z~lK{d5JqDcs2@*!`Yg+1lo|GsTA&7Nb$ssHc4>cij zH;oXP|CDk2=Lxs+=$8Dkq#wCox!sy2$K>s$N93gQx0EmWqnaE0p21?S9GnK^^SAi4e;W_)i?o<5$X~+KVBiXFuKnG53jq zaljo&h0+7~u)5iA!9&aiS*~%2{fT=|iuo^ChNk4c&ll#;zcHEoesZq(GOm~VW^Xrk=+gE|4?GOSqRpgx&;wRD` z#U8IMbChwHH`%PoT{9%^>`g}~i92I4k5BLT(7KXiBUl;@F?Q9$IN?LR?GcU!Ed!ES zwrs$6I&bX%uEmURlK%8tQ*t8P0HeO7j=1o4Ef>)>=I0DBYh+DU+Rg>@*^4-b7BHUG z_)bVHMR?atj+y@KP1@tNGmdx7xXDy!hUtf*)oyCVMdr@#h50>+s z=iu3PeiI@TLcBu7JE6_N$_f_F7POU!hyGC=Z*^PBs&uA_g-dGyi90GvTN z>}WF#>u#^dpJqO8d*R_;(K8%hg?TD3Ulf&=Hu=b zk50=)eiIpbY%eVoKWf@48tIVcN;Vaa{Sw#>l4yT;1Hep)*7@Ft@fzL&{K|Up37qX8*2IF=P>sqhabqTk0#US_#|Z!(uAe? zp)s&LG>RAS=NpWFytR8 z4a5l`-IV&#I+7_afd9#DpqAc!NI!Eyg6xML2m;bKYU5FHV#lze#mGLm^;0QN4g)u( zwU~8+pbFw}VUtbaxYzqYrP({?RQhSZk@`{Yvv|{`C>|Ek<9l(UoQ6wrs?esVoVC_~ zt~!on;04DjV_P~_;uL^bL~VLpaI3H&KVU-6{=tp-j$kQW8=mQ}C7sPy?y3o&;*I{7 z@LKAIUUOhzF~Y5+n;41*gTt#;JLGzyy5CXD33pIoXn&} z*0xMKA6oRuusWu|>X<4T8!F{WR_&}%{wO{{zY@k6yWXQqV8RD)!&ddS>9)XDbHme6 z4$0GI#gV7cCUb5=<@@Ekuly8zPR@u_tHptL z8FJmgfPeYsB7nj=z9VzBlp)^f2(X|@aCmGcUYtQV*+TkxYfvZ~$1bZMJ13KomMO-_ z6|qwEK~J7)Z>0tXkmNy!d!YU3x&K^U&KqL!0N(uwt;6rP>Z+IVmg=STzu=I01#=Wx zScxan18)+ai$&-}w5|OYt}0RcEsi(V^<%sc(Zwb)0p9}$DxCy|&qVaDMe1GLOCwQE zBbHB-e(~DqtC!SAtSL-gOlyf$dDil|ky?n|_f5~}ZE6S}#2-FMO4xnHrh6uJ|$gSzHnvgog%qIFcDZK1EXKm z=W7I>7yz?;CBcI20UZDy?ueX9^vlN{D}cGLRd7;XejUVLf~iE3lBIRv^&ze!sm^ix z@55E~-z#C)`7Hcl!_-DAtA+t9*PVzDh*k7SfI$M(AX@N!DBb*{8X3Op1aa6mVsp!q zNpoB&$bA7$)3o-ra2?nyij!r~@cUxVOLo2lJl$p>d~eaChet-6{l+61Nf6bK8Bk?j=&5jTcvVJfXD^eY?a5co4-UlH&6Dh@A`29;N;bIfA} zCDHLZgk6xa#r<(WegP0E2YT00s3&~+L7X4i4v>;y(v^My`7Ki`3EAO3r3PdRh0HQK zLo|>|kzvJwj84GH614P zVj7!QctTwa7?)7U0kt#*KBmijs2rU=vv4*Y2CuqbH!9{F#&sq*KUJ=g9Q%;-ud&?v zZTS8Ws9Jt;+&2XGC1d$I{17g)P3})%RMT`TW7oHKgFK2<0_sO9g=#%NO&yOPBXes? zP#5H9B6i91lT%t;xCC#f1<+b-jMt8t+d12|B-;^vq#(9Yw%8YzrJx`e{g*Y*hWp_Q zCH+zH=iXdo`_fvr8d4>DunKOL%Q`nvx*M#bjv@FSUOLDGc|Q}>Ec!STH2B9P`Ji}H zc1Z_iOXbT&nJC!5;YD$P+y^fX5@N+%#ah&EmWStCu_ux%4l^HuShACfZLO{BFp@)# z_4)Ebi0Wmt!KGe)5tl$}LQxt9!(dh_dTg)H!o@B~su_iHu`Nw4djaLIa}B|hr-2O) z(!fJ=rMv!^_YVX^+tNJg?p(>VG%>smEi?}mxpRV;XW3~8uZ0kcD{+jU^btJ$rjQT8 zpi3I!IcYifhY;-xW*%T6XF`rhGBoZTrvd@gaMqiGq(h-PBpxDZ#m@_Rz3XWNMwg#^ z#Kv5x;i2m1)I24 zYaVvMu|`xR66LP}?~(^^K_;5$*k(0fV7tDHIjwQL6!Z7#x@_sPf_uY5iQT=)DaQq4 z?3cs0SQviy!ArqNEj*RpP;O6Y?oYi)~##2c{GXx$dv#PoVH;b9e(k zS7@K-xR}U-j(c)&6x2#JVgY@)^(1)^l9*^(U`JT0$Soji)SrMG7#(c|Fy*e6r=7>i zD3VWykzDtyBxv1bL$$(+O6BLv)%b{S6$xi!bMUdEw|Y~n&)9=#c$oz|XdfKrAMuIC zz%V2XHhTRC{6x_L>m37Pci;|p^0r^VQ#}W&Bkv{eBx6Xl#k&`$n%FC$$2}D=k zQ5;;ju|CnhhZmT_&Nz<}ku1TvxI?TmdGz6@(FF6v-rTK(W7|6ZjrkJ~b5Y@nj1!Wf}PFV!Kv>md|rdK!ua=U@Q|tp^)T9lcR^1 zd6%O(KIEH@efg;PH9%t}JQ5E8SfE@3pTtq<1&?K@|C;L+ed9oFSWjgY)Ij#tm!hfy zIhxUFAVF!+-#SQ_EzDtc@W$1`L9+nfyeiqCi8?mN7w)D0!VjQ#)jx_8iXdTRp(ibo zETtpmTXcW%?UuFJq;4gfsJrn9UKs4jZ&dqIE1%>{^c@^P>eW+`j^M(|S;B4_dxE4{ zzs|Kh?15gjz5?zs)-0A;m`*OLu7E?km4OK}c~edj*VHror3S_7MhH>EM*$N{v)YY7 zQJRZ+EeCmyg3-3?S)eh+W0KGj-)(AgKwBB_yx4wHIi-Hm@SbnwIPj-2!`_-RAa@P6 z2)~Uof2Q02y>+@6US$0_P1#|7hdQ1VNgk=UY!Pn`g7)u;caUX-64#sKH zf5bA_%=xW2McgWy=vZw8!u?&(###O}<*o({-@Q%}xi2QVh9cn5)&^^p+n9wuL1>-r zHm`nt>n+O^12=?)LfH+?cxlrgoQaV`%-HZPUS@SyUqzf%(0-+KF52NarQ>o1?ZIB^ zuD>3;Tz_(o<(>Ib5}j~tC{$9x8=HWUoWt|brWBb>$I}}#j z$I`)_K56~U0M#+qxT9ELgJ9PhcC;yQoph9n&S z$s|^L9KLN@SzYzd6Ud(sqoxArQs zCg@n2xDRepu-;-$>+yuj!J?n6Q;wF;#YZq#IWG7k>goBUr}Am>TwBVlrfYE057v0p z&?zfUgDeR30%Uy!x0~kicu|qjKGL>yffXa`sZV$ErJtFGvH0iB8tI{J)P zH=e6^@(bJci?*#P^pbUN3ce0L*kp`oCA(xln_>Bv>2e>Sf&fpo$r2WzxXfZ>96y=> z=l`2m*=$tG)zoVVJxR6iN32=m;E);}&cJKfm%c$rNdQ&ubJ`%p^1KIi^Pvp!m$n5q zAY2u%-Rn52D=xV)U(H%sK>EW4VEyGRG9WiMoGcoGe?!rh4>~}*c8$<%G{9j`BSn|M zpTnM58f0TTh7dXQVk%DaKL^gI%;Q{k_DQmuPHTBuDX24nL!MF!0_PlGXS^U}G!K^_ z!jEgw_&Hk<{{?**SMdTKP8ajSl{z%vwlk6P?nT%oadnRf-rHh0T zPP~Rkq6O?j(AncJgK12!(A{2 zCjn$Ofh=@=64!Vqb(Y`5p78#SEt*B_ql)sIYO?D9G6K<{i*uz;!AX!pZC~fzhk|}M ziNX&+fVHqcQRdY}(8gaoeU@BW9i(HZOp#CYRq@H#Gbk2jUj3P?3IO#|o4 zO|6ZgC?c73JG^I4kyEbzi1w);hqsU?)E_~y1hP+YQeld^m`spG&rAf7Sq)?-bW|Fi zLLc->NO=tX-E@(=EFLQrQq7HzwEbh5A<`sb0gmo5nyh^kKj~>MB#LH7wgFc|WuhQ) zwWUjh#hiWi1~xWaBBITm!p|hP`8>G>_RDl>sI^}j$~M2DqaVwIOcyx%Wk5!JIml%r zCs36|y_dSIDLSqvnCg_}BZpZBy$Tq`)ghVCZ25ZP#5HnSz#;jKY6+-(7P8l`}cb!R4DSRT#k5Uf$0t^&WStfa`h#mT z2;Rbq=q4%+vw29TT};MZ7M0NpJV%b6o6-J_^%(Rg5(mhu0pF;9)^VPzFVhUjQkY_y z!N^#Vkuf}HFL$M5`*wP@@$m{3;U%gE--)xjk>jsf^=EB6LRK^hp&zuP?t?8)5 zasG55Hrk*|ZN0<1l;P3cP$PZt{B79n-f21)e3tyA8o9fun1s)UO97O57FGkUfpiH) zFD$0w_VaFBPIijD@ebkdG^Li@zF0OM6 z-|K8$0K%AG;gmPEm$~RpPNl#%`u1R=))%T2RIdYZBc0D(6a0fa4jdcOP=Nb44-QVl zS>;AP@9bADD^i2-WE2@{S<=Z5zr{B_C7N$e0x2I&q-~8|mzM(EpXS<&q-6iIbgGmr zKO>3IeY35>K z9jC#su7hBm-=tHWHgkvv2k2ZOP)Ewm4Wmr!VpW<{@{&@;Un4w1p0{=Fdt zwEbK4VSr1O@!WwT@~o$)i~i%SMe@V`5oDk;w!4R61!zI#D|JtC_cHrM?2b%stWrJ( z^=;CL?L_bm#bUNB2{!~fk*<@CZ&kS6Ffkftb0|aa%e)!+Kc1|6}vR`k0BY}}9g5q#3cPra`G`V4iX@NpVaZ^T^<)P5C<)gRdvmB=*_gfxe z^nISg87fRNUHwotpc=<}0|1S*uwMg5v6)puf#)h*0qiLI1+dwcH-b4h8}CHtZ=3*} zT?i*e@)_UoP7IO<@pAgT+=pG11>DDWQs4YwcnNzAa8d{6gZJ}yu$7)S5xzUP7SANh z#6hNmIx;$5>(}&sm)&){r?rLQaQQdt_ZMEk9{;x|+GtekQ$WJdBG>hi{bDl76-O%i z>W39d<(q@?(1qg&llyT;IeJK(0!p?+bB3Y%Ow$1!srJ5z#6d)+D_9}O3MmuPI73}34~b9)fC z>ci9A%VV?Xnwh!Cva`Sot-vFmv#EF#?F(9uhn(w(%^zXi*!AN0IPK57KEb)-4d3p+-Zp$%x2OFC{$o-BK0%Cj*FE?0tCVdJeQ~`YhfPpIT zBqZ~+HW>bn*78nLS~e7!XXTJhwZjm#s`Y#YTj%)73Ly6y=(D?P_8(BF{g5zJc08Y8 zaqBzR6N{^h62bN=YtVIUfZNtH0@ahEB0i)dZlm7vWg>RF?m`SSc62vfkqt&}DkwWZ zzy1hK=*cc?H=9`9U3j`dVu?n-k-xAXZ8E=RALpM*q;w`CX37V^&pRPQPW8ltnWs0_fVN9 zZYXafW4r&eZ-Vp*DFwAu3B0qT09Ee-hx`eAy0C&u>1>wi6^r_TsZ@{i&>r(N7Y6|+ zHighw1cYhM6fFta>tWu2ErCbsT+=TCE_WS???w=Y3z@zmmc;5zX?HllUcie>d|jCI zSHB|n6@3m+DJsc9?D@b7#8RuHxiYR0t6`DuwfFY+L!g`37a7h6aX-)fNJ@hXj2;d2 zOyM3)%)P;UILSJi;pFyT4u4ThFU3XkNfX~2pqm|lTqUuAy0Yl(q9^XcbN82W(Y=;G z%p_!M)zlr(5Po3oo#x*lvHd&wk?bxg^bY#|z@bEidB|ass11pu!_ikBVj{NXuIftn z=;#)a!@saDI57Rz=XAI?dj}r&ZlBV$m8j}kJRn3lc0Xv#$SNo=KCmCP4&`VS8Z&L( z#$bbV-T#`zkBMC2yR z;(9VJHUKA^rW%-JZDMi(I_y|wAs*W%qw|pEMPtyAe~4L{vzev*gmVPkqWzi;!9Ss? zUIzE_C}nNeuC~`ujq5UjZO=+3nmEtNcVtB!2I_b+(DcW6c_3R+?5r*#Vlan{a#vjW zoOF6R@=#59a_%6q5qOy-5>}tj9isLCVk-&X1{8R^UfYB4LR4IMEa(FR7|0eH&U5~Q zQg&M=pH@8%-h*FBtK$b9p0DZvoo)9@@k)a1!V7Vh>bCc1G0!Zl8ohQz9@Qpc%MKgA z2S0$c)+P<~UBKWD<{qa+_Ra+a6|^4agSzEXBxLGKBP$`?k>(Xi$iAT4Qc?#5K~sMq z2)thzfgt9V=o{mN?Rt1<9i$h44gX2%W6sr|HVR`CFmMj?$GnNl(g7eTAH#jbT9{2= znD3Mdq~}U3h_uu5P|g;s$BvN|cvjmp6>gA5dOpvjR~-5Jw(Hx@L`v#vqYaLfEF!nO zN=L!o7#5B89B3q~9MIz!>yHY`6k^m~h-1?^=l!7}Q`mNpna#7<2JCu~S)Bu#Uc}>r zf0A~)x9$iIcRr)u>PFKBwaMrH4#W^zQk^TzOK`l&%+IF!CzG_!jhsKB`zGuR%fwdr zw(JL(0TiA&)I-y_Rm}2~K@`YYa1U<(8Ly*#{m+E&^o>XI{WQ&4R^HHD?D;+o=O|Nx z+ofrw=9q~NhbyB#Hmw+SeFUB(KiNGfZvLSOrVo?J_sd7(!R|hwLOpdTzJ74wXh=?> zFf5Oj->TS!3h$H^@Dun+r<|r4t{03nNve@{(#`)3<5E!I8_a2mx!bIlOp;4^M7^dZ zBm97^XE!TRG7NPzD__VJ(kXht`lAu(_K5mU#dJjbfNzk_N|XbDP$1Gp)N;TcHw671wrabf<+yY-4{xUD{sk zzk_831qgAdyoP&MPL>wTN5iCD+;%IOZ+;-H`2%KLzK8MJE<^`(e-hwRw=jDb!V6pr zuxAK%FLm!iRgS;YX%icAHVU%Bf!?V-9jB;?=>5N1UZxIEI49BP&}QeS+wz)m$RSYp>WG zLhuQ*M-nFMtj99KnJmo|(J>~xr{@#7-JF2a!`Y;y68(n9ChP3NQKWxqSSsV4R2*Adu{S|wPpAv7cWXtuK4KZJ4txPf=zOhTB7f5%@U zL*dF@i%mO?^!=E*Rz^~@1_Iqgh&Jq(N++_6lY7W~IK8qVd`_jx-J%@1*t*?0jg>X~ z+^JHke__6!rOIpZEcB4$`PAa$mcI=`X5!3^i2!@mB;sn>sop7B+EzyYbnG;cVPdOk zmx06SXgo$VQH>1_&(Rx_ZgK zEYT&zCXI2=0wVai;5wKbNg|!zWF#J!`m`^W3#9jbF(jUwDIxNdYYCFCLY$kN#s)dh zbAFvqM#`QBACL)Y*htGfD|)~NTTYZsGfNS%hy(3rm)Jx0;&AEYZjBIm4X}W{J_{O9K3ApL)9k>S$9|5hs<8Gw@>jq{6QO;1)3$o#KxjFB(0#bG=}ro{IkUec&j)@ zy)K^t?bmuFr>o(3?ce4+Fu*bo z(1E#+F@u~Lsz>x7S*A_uy(x^)E%sZ>a~;#I+Y&^RdlnfVyAzbH{i{vlfSd2ozBM9l z<)|$*k*HNz5ht<7p$?LuNy6^nb91I3^oyD5Z0|8#={OF6r%sv1Z7|T^f=-;=`NOU^ z;IKU0@dXq{K5|g2?RmjO$Ei15H#xk@3uvF))?X0a=c^PyHdUw38G@>(@k>C6=zN1^ zxW~zRlqPDx|GuJd6O*c!)8FO&GzX>zIABuyl5zNFOoclP^CttCXI}5q#$fT5G!pM8 zoaYRR*P^+Fe+rWnu0qAz4CA zO_h+5mZxLJl`$qP9}gid5aYd_f8Aypd)el21#L%YCdDBb>W5vs+Ti>6qzKzB@uA~XMywzhUZn7vDOtuV@O`Uo&(ek}soMeC4Tr-M{ z&`f~8IKWMzKY5Rz#=GGm8;CoJ#qxM+<+aW)MQb-?deHn=DxjMgh|zxe&b7WQPaHN`-#IDQyKz6+-FuFBqgl6i%Jeah`g ztglcM;_d3$FvE66PaFIfQ7!jQZ#w>D&$byTP`osHs}P+|^8+~rp5w4}@@vCs9Y^E< z&X*)9z@YSYBf zCWH@?3Z{TFy_CHCC;%~=nP@wq^G!hV7Lw+i+_u~+149NbTF&{x&?Wmbp?O5h%)@nx zpnRoGJIa!SA8B34vm)-Q4?CB?&)!`)lsAIV{57<|VQq=NYQ3UX?}*G7f*G+bkn|7ajwl zV<*YYa4@Z>5_NL^B)k~5TJ8-hC5x}(_aO=crirH(Pi!~(p9_v@>&btI zgIG{jxH@=XoaO1n9r>G#;uaXyx!Ax)F8q>&&>Tk+Rll`;0PYW#60`l{1$Ozp^J)9J z|3L`dm0K|o*43?0E>~Hg`>q6t7&NPN3Va1-pG|^~iRKMMK&p5?j*fC}kM@Fmvp%s; zx}~w*A?Kt@T@i30G6|(Q7L^O31e+s^WLlpwks*?yI^Xh^$+U##=XmbL{;({wdG1Nw zJQbS{fAEg(KiZPZ#(-9K4E$Ta`mxxoO@RgihN`0wdjP%$mzwijKTmRAjm!iDRIQ24 zw05#%E-Bj!L8I=T;-J=ttUd$WO)z-b($xA@qylng+V_dU8V%vX=w>-kl#BS$!oR6+ zGjG;;wc*BvU+{zI+!8C&fWUk=t|*Ly7q~kUB)1x8`dJSVjZh8?mVm6&HX(;^kNwVt zkANnscnbd4fY`$${zy_a{;bJHL!e(^Zg4s1C74hc^qx^BoJm=dX@c)Nt zxQ17G-gzhV9pxgY*7D%n&b|g#yrQKUXMt=dnU=Y(#hC{tlP)|!St^XDrc0Dopb2yA zy{H0l1f56Z-_`z7XLya&;;a?hSU*n{tNw|)p)s%!Mv8nRwQayi|&gLdQ+4>bXnOOr=h|>KpbNh9U^9iyU zj>SA|4<5(=M1PUeaV3{RUAs(lsQOd=F={vl`Z7u;pn;Vrc*G*n;s|e07TAW<;1My+ zHrE6%N(H{wT3pg(2li$GZ#=yp(6VVP5!;%slAP&nry4Xg53O?nzror7Ew8-cI`1){B6Nn50 zV+WEt^o=8)XWw&21KLZ7r399!K`r+%?ZT>mQFU$G2mUIBBmH~}d%$5AzzTHjhFWapwCINHfuuB@gCtiEel3d`bpsEz9l~ZhPPS}wKeM#L`Q8vG2ihLN`3k&5W zOvnmizUdi`X4AyhW%ggO6Lzxz6UCr($Q4FnCfVKonbHIpwEB>{5dcS+O2>nw99ri) zkI5Ekcyqe+kW?Zkdx6W}A(`o&(hvqaneQWH+QgYt2apf=O-gO)LJ-dfr54{sr0V?# z&;LQjbAvhiqw;g+Y|yK#UegsT4s?i2eADK`KS9xw$qM;nN6t*03j3=K~L3CM@0AWJBj zWH_ETh>HV2<+_kqN(L*1KmyY}g*{*%=m%hV-xC)ysR$yQfiYcdpF$^AO8HCJSbu47 zq&YZ^6k-8Sz`Ed22!XyNkMn}wEmDt0^rz?9Fqa5PHKG*+R8}2Hwi(-=Usl5G&{3R-|JlI zFsO$6!ZJS9k^#~X^9hb*iGR?gqU*nc;GDV-eK3$GQ?GVbf!~*BTR^23NM7+E%G@85 ze3)kTP(xD_8QZm*t{3yfG1~Ll)a(5h5(k7PVmQShH?RQ0NavCDB_AT}5Nj~=TtmR* zyi~lEx?E2s;O*$N_V2ie#ng-Xr{KxU*9jY};S%e;29V{$9NZ}GG=)LF330BgSln8% z97{9trrbAiq8JikkXaN!rmuwI=n+drNvu%nab7qbIH)p9ET!T+60>o;=_DpqUmr6N29Yq+u%L0Mod+-qRnQ z94kxGoA~3v7!-IF0he=nd;T;QGH=h4KLMfR2Ox2L2eBmS49}Y+IdY98$uC$x*UKv= z-3J&3P;GMNxn5$DJOXcUe=S?(d%11*YdwYtI}&Z2fqiQ!WRWV!qZ5SBIlu+)wE?5w zk0n|1lkH(R{A%FfgAdR-)BplVYvGf5IR|uUt<_;*72WU>*9erCHb0r}_C48~?ZvsU z5xNkdOX(1627p$MDXJ$n%dclo-!xrJW>33*inp}rq9>IeWVQXx#((2jJmi3XZZx;+ zEqizn??#i&i<2Cm@MH&x@OgMVoee{>=`9a&JD3I9sy@P(l&ei-HG%U%^K}lD3LjQG zzU9DXWTF;Bcns_`0vlI5#vq;VYGRM!XUWIW6|~&9A1P0hokev)vXd+RSLCQUMbE8G zqy)cOygn?@6DTrhaWT9JaMh)mfjGUuuCCt}Nis{0)fY^QK4R+!GJ@aq8C zq=OPMb~o|C1LA}Mj0xPEH_Q#ZTtW8%6F9u+O%()nEl|m;HTWI>63-G<8CO~>FCYWy ze*5Fr4^!wql)dshJn6&^y5Zys?y9Am)R1%3_$Aj(v@(QKK)D&RoKCu8gH3!WeC*=6 zh6S!n89xKcmIMM_SA~>`6C!^^ z2GMW955#1PP?JO4o$ z>z+vvhZPq_mq=i);M9vRSniYMd&vu$V8Bi49DEB0MW1Cr_w1FW{vlH#5BkJy@mlW_ zx#8(6qx3o*R zHWyAM!ETsc=qvM$r$I+M4b(L=;a|{#w)yZ@ENlLP)PagTV!c0s8eE@S9S%w#?YJNJ zwa70*l({0pSf9w6z368guzxB%VaJAUrRcL-{v7L*oOr;_(A$MA>QLu`a3N!=jZd^& zK|3`c{BdsQWXN6a<4!geyvvQZ2te0veD=8+UrI~VHl0mC{!@6B+_znymF3YY;-jt*~@a^`B{CBrynqnnh7-~0?58#fW=b;#hubCYl!1Ai=*qVkGJcSI#s}gH6V~c@{ z^HyKOACa7u7+R*&g!9k{aDZ`r>HAEb3SZBjjqMjN}0tro);PWwQrZ1*?Nu`I1f z-vh;B|JKc{s;hp5WrwnQkYXol6{W}Ufzp2w23I}&P_WbA?kh*+Rbs{krT>B&VcGH| zRw&M7#y}L|AyNyoi5_fWSN$j*3^P%%Hdcd^gPA-FpMmpp5&~HwM3}MgKtB6yh&L4H zCIVBHL&j@+Kv5R&?Ge^(`;gwWU;KX)&mD4a>Fe0};Bh%Keo?e60B3?+=z$qY%jCg` z&sK6Gi|8Wo6!l0A?pt)CvP=h_W$r7YNvY0%f~M4rLDEdAk9cqC2$2_y=%jMJ910X; zcmr@><_fO2KOpCoj6@!oko<=$)J1R0(cK}$zvc}i`9a=FH=&s8_a5XL863GA=Hu3T zya-!G0j|gXp-NBbWqAo5of`webA}jpXVEOT1t#xj;=2lY21AIa&%h~`zfTOH=Js!@ zKZ$NfBd+#xxe`2QQL~4f?i$=Zg+mwZe+4J)-xnAJazGeyZnUEh_!eViG5G1V?`g~L zs05@=9~*}GHhp-uWbbxFu}3Vd`$1v+|6BthgE0Vu0%!dsOJ0Xl+h6iM9EYd64}rR2 zEEy56y&l>huNC!#1oFrgx)X3%ASe$fD*!C#U+OlnW1o~|pkQ%eDmw4t92CD*F#_x& z?Q`Kv`JS={BwDmWxa%Xe3T^*^e1wyLx+DX!^K=!?2ED^=>r;CARUi|&(_t#_cX+1+ zJ7vdRm$CFK_9^MYKAqUAEk@G-z1d2Kc#rjvMv+HB^8f?8(ILy{M?H8vc|E>EL3av(BA^App1JFqsh_!Ba zuj43Gh3A|{&T1H~Md&q&YF^L_I)f)ih~N6)HsZ8SndXawgta zo&bgG1X>WjfMS7s?7A4oPKR<3Fi2|$~<805@+D{6j=TWFvG@ITpq`SVr}IG)_C2RiHI2HGIqMIM7FmZ2dXR=&p>4foWo zry;Kf?+Ur36u4C}jpk#i;WNJ5gN+-eON6Zl=N4=mA{Myf!JU*}2Sd zg|Bpdg`e-fTtEtyw)q-!)mqnZ)RM~wpms=vjjQ^1bo0~!X(wyy&HM}RO!Djb}tG0?nmYuOj)9AKr!p{ zNhC@9ffhs+|3!FJcaTpKd&B8z=@9D2+w4ij0bUO8N1wV zo|_W_QQqU>*1%YV;di&c&uKb*fEL$(&kIfw7BX#w{s@oiR>f7zNj58M7%Q7ktb`-U z^H4k;Kze)j!&@&uB_>Nx12+APD9G(#4{|^Oh7U;x;QK(oE)|>V3&G4HSY$n&Lhizb zXe)p>MWm_xK@ZGNrSqd1=h=nC3da^HuoDHwaI%xkir3~<4{!b5W~MY<{RIXi4kr@f zl1p}SA)0T*b{d4X^1sUn%vfYe9soq+Lk%DJVWzghBqvGtTQ?vBFe_O6Z&?Umw~k3*ifHs^p!V;?jNm4u z1!%9E63eXL-TJFzqs+|0)?}1(B?7QNd8@lFC?YG=OtI3u)@V0NChk20`ZKgO$+|}$ z{+IHtZINCXi^s5k0GRgf#bG0)HJ3}HsD(>Q6Q(fJ#H1A&NZO1C)s}-s-jj!ljpPM9 zyyG6O6|^MyJtm$wi21S$&|=iQgkZxK7V&sCF^jFfU%RKqf%MP|xjNXY@vbgEib3Wi zX;-cSQ87eEOwK4ju1k?tfe#8<4@i9$VOBc_dv&Tjn9RXBFumCYm6S=Z019welw{{a zeq-)J4KbM@n`Rfh9}?ak6T?zW%|q(%OU z&<;e_;FJ}+kdjS4$sOcgR~tb7ueh65uvvNA{}vu5Y%_{aDV}((qdV<%zFE-6%-AC3 zsIQbCXEVG#@CgtLgqL^yKO(Eyfg{27*`i_OhZdug4z$jjY= zy=LxM0{yb_L1uI;(Sa(zw0nrrUr&5v`>CM_g|<~6*{+r+mi@c#StY)eE$d(HhaF5ji)#fiNCu&Tfa z)J8rjxC-)0?K>lG7>~;9ftL`8jNEHR=(&|{I@~;>PuJtNoIb*Q0i;UX`D}9}393^k zcyeJBXh^C1hnc|8)&q@OO7|rmLMrW1z6^}_#+aYtTJOp;g%|0x;7I69noPx%l=|Wb84gA_GeC{wFJ`qZXJOuXLc>FRz@1MjL#>EQ zPw-#ywIcOH_=KI&VtU%0&D}OTrU6b3+W4uEq{?^KZ}!JP)Im<3Kh2%zL>BxF8jLa4 zO`Okwq^ajSNiis|N`Sk00_NTQbi9}p9If2|nA;>;%=acorUBGKdjgM={$I?6E>Bco z3p1Zfj#(I^>p)L<9{Theo7sfb*eVZbI5|>(={=e=Z6pr*WsOyz`->LB-)x5^3Ep`4 z5$5Z*Fw*A5;|x~q`=|#nG%;kbTr_Z-6OV-j7p>dMO{bkfY?D%t?Z%4#Wm79p6+A5Z zWH34M6{r{Y(cY%_`SyP#yO`4Eg{JjFyrlm|8g6{%r-4$m)hmi|2y_;@~+^mOeS#y7e0XYIgtvBT+uv2`JAB~n<<~nf( z9{qpVd-J#^uJ&*EoFoI8kQtc31SXKc1QJOgqZvqq2autwhH(&>|QN9zNt%&HzP&soK{# zDYxX1{&f8odKk@FbvA(q7a`(!g9{(4pT-R*$J=}12&gPl(d@7MSR%VQmcIt94$xQG;#WzuUKLko~_HXrbnRlsEX$!;Ibn3W|mLke35_F#1qEm5dxZqT@aZz=<$@PU9 zV-&hoRNWXn9}-C8nQ#gOVA^;xV_+#i3jUWkzl|~)DE-Df!01(3M136bwyolF7TyV1 z@i)kX?Hja#F#k5R*YH8c$rLq_G%&9K!1|2yFd}k^G5Y014{{=iMdaq^f~Ix4yC=CB z?;hL^T&f**vOT_|5Q=~jMZ3t-z%#SKlKqO7Hj+d2YjJcsi<&=m93&0)QzC>W&3dSE zkGEj!TnacA`>90`uokm{x|M1+h$sgn=MZWf8)EXF@)7|#J0p(q*_P_DhB=)~{n&g< z?d4B=*ymbZRLJTuAxTLeRyBTH5QVfE8W53Kala@E(U(M;9iJL#5XimVTRaXO?R?#W#+e)taK^!h_+ONZE5EMsi?Bh70Y27UadJC4r`;j zXM9OocT~2(S`=1YkFV7UY%Q6`gmTI3F7Soy!~%kvu#hQS7~MUJyvjuGX(S`kE+M8J zdkLu97aKlzCp&}u@KjSiI%qgb(Vqq7rj)iLf`P)LQ3QHc!StnZSjj|s8tu4?W1$}a zmY2>{rrV>$I-2Wd+!REt;*)*s|3Yp$y8~41uiLsvH;Ep#3-Cd{UfKg$m6r__;rJXj zlq8P`5Ay7Fo(?qhVTd~YRMCQ&DaPg?y;DDdXacdh#Y&+8TbpcnqE!gK+1WfO_{>`4 z%fZ`6u|d+C`u4}xvig#aX-nj}_sCKhrhPZ-NVs`Nz*t@asMp~jBPpe4eIE{hlMTU; zxXTxQk(0BeUw}=WhCr#JKiw}K3ULrPSDGoTr(*XVMUdJXwX@_}Q~j+4|BSUcsx|2}X>f}A_G zl=++(2*=_>62#dCdd9SrnA#J9CDyf6=~G0k1C01RUACH7!QUb77P2S(;DA6O3t|{t!`Q8BJ-)ttCrsTZC2P@+Q_Y?v+<6z~3@41JZqz|FZq=r+8M`h{buzL|+P2B_$v_l4J85PP- zBP7C3d;;n_{+LaJcpJZC`Mp5IHFJq-=Lsh@-q1zO1QD-NeUk5?8@g#xAhB59IX{sJ zavZ0aG7S$UJ4-t~Q_?Hra|D_x??TBThTJ5O3foSqNN?hY!Btu26C3PHticw7UjMyj9_@|PV-Y}IW8C~UsK`%}jHyve$W_O zkmi^QJD_O11^xo~Sd>j{1X33N8o3VOH1EN}Zzsiadx&ZDm!aa@ex$uDfvy2NLS*{W zI9*BDaG+_2aEm4e>D{)$L}zFF2t%A2i|S2~GkN@$=7dr>;V&MJBwlsD$=ZovVkmIW zx{>v4h{e?$L>O9_=g*sCPxaHNX1s_j6n z)s0e8v~SJf29N~a1?-e~cUSW!k{HUo=i|Uo!+o0W_=Vsamp+W@fR}=0 z{F;E0{@U{-Swck7%d+q-y#e=E3fGbFO(1=gG%lv3*R4NNw&5U~1hbo|#IS)P2EvLc z6Zok;fU25=vUdQnyKBZ@5rp9S0Mj(%=|O&NF>6D0SWrC0X4IRkHSDFRGDAuX@tmRf z2b$jk%u`}O&1WCco~2CRKx8`-()I5!fu^^UBj79zcoJ2L@+7*U!l{fUs%&!8S!oy^ zXCjD~GHtcfC{LOl;hoS0T!Gg|6O+V&tKhB-?tJY^s*L#F1CFiXa{ z#To@y&VEeK?34a6n)-g$3FOP$?Z|suop}H>UCcTa@0QwwvE|bXrAtU&_eja>SO*!E z^GwzH9x;H5w%!Ziss|h4)}el{ei!JXmWeg*0fQm{g#Nfsxe0E0b-6y+nyA7*m@c@Y z5!Vw;UJd>%Q)nC;!o6F2*JVKsF#6#Vgn4v=vQ$ZJ!zDQzcYM%Z+ zHv>YhU?e_)gjYjd?HF9>{*Ktsx93xcWob2PkQsFm(OkYIObJ3D;z?k`sSnU1;SPbDYI^SZ$TQ*4eNP@RG^<#Fe4P!v8LV$_Q#X77FeN(c)-8v3$-BEq$L2gk&oD4HsFminVDz2{x^P-efo3VuOwQNLE9Z&{qt? z_x{A7G!|I2_&z=fKCV8oC7nTQg;Z25ENU$-JO$WqIob(b^r5y8kV*EHn~C0Ngzg!o z`y!n%)fT}Rlu`W*B#cKz(1XJ{3m0ab(i_kTW_pe~^P=&?u7Cgm{WXR*e;tSg(*n=e z`8$uro0bSiJL34vQy$Q3H)?3crC5Pa-fR+_D zh0uU(_oz(sU?LpJ=sgqMof)Pq3D%yC4>P3GMYT3!L)Y0l(Cdx<~$c?DCFe)f3Pj)6OpKx;ve@?$o0>ZK0 zc7gsO*xt*1ijQR2WH+qyj(OHu5*V!%EdscGxW>Pm;PoS7MLXt?8^^Y@1m~Gh?gy@Y zGHx*ls$vU21uEGm(kd}1i3qfL0QfCqn~9*0bc1o5x&%;hW(`isDMdvck?*yxR*Mp6 zkxtad{9~ZyiEeY?nX?89MMgZf*Up6d$bhor*~si^5QTtZ5cv9*Q|??-oU;c_8WbNR>Qx z(PfWds4cvFk&0{ihS~;WYA44-sH?3Cr^5I_c%?816RYVb8fu1ZI|XcNsI0HCouG@< zx;L1T_XvaKoTk5;zHcQbBE7X61pDbb(1XqH3M6EG6HXhI)Fksmr9my$PR#>>j5@r; zV2UEnr)43}g{jA37cQ?`NxTKv6!J4)5)xQ-jx|ywJBrm>cr<3UjW})_>+#F)LVN-x zm18WWlPl}`Q9eC<17r?yz5Wp~DGffRns|&~nJFORv|t8r0>E$drE7Yof9hu%E-lu4 zttK`LD`Z@xhUvfzd|V7MfK8zp7v{EWF9Z{#H1m7dhFSJQ{=vY|e3Sc08K9 zZpO}%1nru@ypEun?WKv6kh=v_kJI!I0ft8!mNohX12k|J7fg+15*OZ2&7^o=9&14q zeAlU*GHe`066--lrG|~ft@=p3m6~ts;?A!}MTXWg{JDfF0k{fT+lz<-sX*W;o9!!smGB73j zMi{RJKr(YR3;9^6WlYn87meZbU>FbGT?~tQTek%f`SpB#BUI|?d1{5Q(Yi%PcPGUz za#T)-F}iO`8?Hj3+RD&(Z|6TsgL3m|cDDPM#_j|V@bN;!V*z+grD&P8!|?2i75i_d zkG`#-7O)*`eVBugC8hY+`QJ@9TAnbhrIpd*B(zSKq2h1xE2*{o5nW=G#HGE3DRc2y zqn*ai!b0LER;*K-$_JqUckhhUX;tn4wKTZ3f!l zbzG#UD}D@0138LkY%kkFa7LNq=k_Pg7>aa66t6JUkW?{kr?f0{PGj(rG=@uee6Dtt%~DBpuw89+M##_`WyA1K6! z@A%*MLgm@Fqx^s0>$Ch4qI?A%*#B?DNgJ%h_qpT1mac98-{02uxxPPo@mZzg+g^Yx z7&cEPm6wdAr~Dts?Ei7h2A}f(am@Z7$L#+Pj@dIFTK{p(_Jd*im5Qnt{-w7*3()Rvk(;-C zVKtwwZx`W2vHvp(2>(nPFD9`6A5H@Q)j#&h_n3V@vlsj23*+)X#!U%_*}^xczp#mo z@*xq&wN24&cCvzzitO-Wy8jnyl5D3pBfh}gX0xg{F{8M~TfL;w)_Cejy> zPZoUY@T*~fV=O5bBJ~`*vduP@tO$a)30i$L04~RrkXNt{g;Kh|4P8l&SfvocsBl2P zHQK zFI-WcH#}aFWD)yI-aj_oC*L-@4W!&iuki6jDQj zmB9#cpyo$j<*&Go0=!E<5r3m1^3rg(3xdV6a4NEL0=p7y z00rBp<|1{lDLNiJ(3YBMFyaAU%ohW!*3uhjQoJ|Ocl$CHPp*S&Wr16%vR z!>ib?(joV5vJ08$a9~3=X}W~;)OVm_FaWS}mRIl;Zyx6L{Q#lxgySrfqR4+UJCEY*1W2LZ6Fq6)tW zr;`MApEoSC@LBH+tj$#5Nv!SmDyFs7X#~{EVPvpnV;z7-M;MVq-g?qL7I(v(5AMFv;SR;s$c{IYxiFH5r}x4tvzM@{3~mu?{5Yu4HS)Q7e>pkJAK zHJziJP@!W?A3eyfrrz#6+TGZFU&5rNw4IF`|t zc7Wf#_-$ltR-8ZCo-Zj5Fg?yyyIZ9IvITdOq9qXO#e<0t4R0w4&M}^UvOhETEN@Tl zOn|x=XMfF^p}rjp2>v)Czjh|JRc1mVakAq>B9VoZ9bQRFq#jC+mjRsu*k)jJQX%+< z>b%@3AR2oswF<6KK$e!H+=L25m_oi+r_K24E|iNlKwf2sZrIu^XAC&dIY_*qhS9Q*6kC>nM?~UsNObx;mL@>$sxE}CjXO7kxoDo1#IQ6Z4S?f2j zr#6rI8BfWWirEjDb_~PC8M-Q=;63#ER`+B6HE#u8V0o?iTl)l}9k5`SrU0DclQ%r+ zSqB8A9BL97-PFy!0N=%ZOYeKZ*g?9OxmU`0aFsXa&&SavW9b0WkV27ZrrTs^%Lcrb zxvO<6@lm*`YDlfs8Q5?QtRpXy#`J44GL-+AvEbg)M|c>NTWi-eFUY@JyPWx&-$q;^ z4;FSXf`F^hArrsDbxB0@)I~Vx@ml%{={!v^Q{a9tMAhlW11fCP9Z;DfBwckD0Ghbg zE~!#O93Pe~<3kDHhzPIZn`imaaNXmv=J6*)GP4b++-EF5@NeMd!ZrZqj@;7(*Wsqy zviu;UXP-Vq|s|nuioriZDE(h>q@{gC;4Sr+|a-4KmnNIRc@LSS2Z0C^!z?th-n!<;gwbY*s>%4R_>c{ z2e0692ZxTS^7M6mhl%%a2rj{^0r{3`NTy0Jvpp;S#PRGgmkA}$Cph%1+PCC8icxWuRZxi5McjrKpX>n{DgyYnFO3ny8Ji z&!!o5!;VuPVurU2N3d`5nKf!6+WQHV20HV@nWs2>S`YbyQk<0Afggv<$U3ZZT|$;g z^-B96h0#qq{H)QCmMkOFL=7f8;}Ozid;{-y_p!fMpWq0v*Jd7Z%WyIXTRm{g?8BhS ze}}wSpIyxtJBbclTUB!csLc^J7CXQSrG(!~tSrib!Y1orF5z6lVTcU?J}#T* z&0zJ#TbU5YcsvToscD&khA)*&T=HM}djR3@9?Y*PS&k*sC(?Mpdzpr#c0*+@TmkcF~FQ|R92bj`_awO?GpN?arsOWE9>G4k_CDz{y(&$v zta2{_3nBL{aI0%Nz@`EPI#gUJv$W@Li3y6DcUl8+HNV!@j+o`>3@6KkHO^=Lz+Bc^ z#NQKAkmD1~;WfAnhQ$74U)-U1v~;gDy!wLIR(-*fhr3ko#+`|`N1Vq^zd4qB#x(VG zpU1iS$+ySw7Cgc<&6ut9u7p(N7P7;GK>%{SkLhE39k1Pfz$?TuIrkH@mib9YRcL-w zrKh0UKkTy1e#t9y&s%c>47ns1EF6+?TJcBuYO{SIeokr)O9Hu0CD%%+R+smgsFc$k zlntN`UY+kS5kI8O#F_7S^D^&cO_7<#*%y)K?2DGz+=F@BkbAj8FmHbZ27INty&=B} z_U@c%#b-oV&RATdutaeq+*YY_;d{+pnD=lnTXXHz>YGxF_fiQZwJ;3dK(Ksom?bPU zKatVa8k=%UULs1#w@f|v{778m>g-z5B%0-W68KwrN?GokrURfSk(J>=*ljq(crS2f z;=TO7_VsBRxoHY(X1r_;;U*u!1u}V8l^&tztMcEqWHohTp+KR6@q`WIo3m@(U*~SZ zVft}=3m#nTk24+&#X`P6cgh6PW6s5-=Oyw4?--#8HjOp{Uid>Kr8F4rS>WhBBma9M z%s3G!ia3g#$pq(z6HWFY_eSO$poV;hyP3AR4KAZHHHnB6`eE)b>63g1rm_Yjw%&e% zFSWg=*+tSM$uF<|2!?rb7ZU;`^W-p8YHn)Bgz()6$*@9Aa2a1C9O|gSl;tZ+XB<@0 zEWApbO7JwdM4y`P`4hk0x=xyX^BeCn%V6r7dmf|1?Jw^myahXvX}oD^>zUkfrPivu zIKm!@i+BV5*Z^Du)9<-!sc!r)Y4F$F0D26Bx^>gA zHvbHn;wnUZPX~Bt7`l@9ebd+Erqun04^<%LI4(yeL$=YkRi<(7 zG2yDrqTg4p_=OB_sguUwiTHEvPE|{tEw}IVfx$ix-P++())##fm=;J#q* zK&48ld=Qh`@HzNO;Cqz;$y3cI$^EeoEi;6ks${O~WAz)E5qg88BT%N^G2RGhyl0?E zQ$YrR@qfI0)pVbWaW8k@B+M;i`0dG+!~plr%6t4f1@pnCc1&1uh!*_D=7J|l0vW+96dF)XV6Gp*$b`#%6 zk_mV6bTDoV$-P6dQVTKafdYr+r`oNamCQJCuq^+I&0_ckc*tC4RV%3@t_aPt%+UNd z_8+|K&uqZca3y)0i#2zok*DTz3FF-iON~33cSb~MD%(q{^mi}y__*sRZW+Kv ziE;8=o;6&C0NvgH@<6g_#E2N4D!IXSrh`<5nWV`dGi5U^BbhfX3*ZX$f%UCf$$&Z~ z#f~Pqs>k&|V!ghbVNDnr$92oiCBsa6a)0LEsNYAUpe8v)^~ImmU}hLGoo&b~l|fmp zcVn0OQH<8|nRis8k3Q?m{`|XsbTyd$CODowAIJu=eypD_br|kTHND6uwedp#Gu0HP z{<})!E1W=%=MMSkCxsjyoDamR=|~ZE1Svv>9Kp(%jYnka#2ZKCLEWO76(RkGG!tRN zH#Yl4jK9(BA2mDbBcI2MELO%hdLh9pseb>R36%B|GGSslVNq z2T4l1f^mm=6`IUP8@s7`cJOowHYPn#gyi^k zN|y|7#JcJX-RN!28R6w0;O-F>r={-t313!sH%#uZ!#{HBZx8&Vs+FRW*M|)4LCuX? zI?wo8hYRzf7kAOr#w_cTS8G}|WNEE=?br*o?Rrnq5V7?^K{I1F&5*JzTh@J4?f2%! zrSq-t?6@#L?#&Nmuf;VjZ>o;pbw2OYp!dI=*;6=h=cAtO4?mOjvNS6bPTM~Im`}GK z@8VU9r($=h6V4<(R42CdNT3{-(Z$ysSB5NG==@^r#f2Teo*`FSTYod2P5MrqyC_+G z(hKCQjSst1x3})1JKf#)kYC2pIjJkJUYsBI>y2T@aKxQ|3SF7@nI*>8Df zhCbgf@9=`e9(h@|WBvNtlI=759y$HXC8E!2%?fqiQ;>3=`Rsm3etzMelli(K4dd5*PD~rb9V=McV z?SHHtuVN`>@_r@6CB1`nFEIU|pAH=O;Il92 z!_SZR)ZAZy2jzW}60~k?3Dtd&_qcvnc87e|*rm z$v31K|g69icUmE$B zn;0_VTT*#+#_gNkhE(sp){PyoaYcnP-p`Pvm`Pe+4>Ui%yeDebOUGtj=63dL&R6OZ zUtdMh+N5){f-+)x(;vM?9eL$sNj;c@7q34b5$g7*OYc`?b zt&@TW&+Cz1c)edn;IJjto;e`U@Fn%-6gF(Ge)85KGY8$(UY_t%$`em77#oWcqbC1A zajCPz(*4`d>jCivdY& zN-r3gkp`iNmleJ`Kt*K<0ox4E%i~J?;X!`+nDSR9mID@Go`O9M%liKu%l-fLY8cV> zet7$ASot^A2+e2;zb*6BeaiX=EGma znQwg_=WC+>^BDhYJM{6jgQ~3^ViBU?NGK(eQOXqG$@qSJZR7iacKDfKf0zG9JA^6! zelbk>;!Ox?QS5)&3$OkvOZr#)$b-8e)CDOBxdLG02$$)eB< zDhvVaSFM2el2$ZBuL*)bK|xd)Cc}adhJRqrp$tKKVhEwpSHk;%N1d#M&mf(!+aIg( zh!{l>lFNfoJZc99F~!Om2od3+1wRb?K}iF3AV?Ghv1}k=i+~RgL%}!-IC2IeS&gHR zjCfZaghDaEaJn#lL@^wWpF+_Ef2BrY0DgBe2NWm@&xR(za?}M+L>yH_6ysOnk8lSZ z84rgD=i)n1gv=+ugUhDi9LO(-3xmm`WbBKJ_PM|I0%1P;b)5OhS8);l7Y+JfFJ=%M z(upEvN|m+OA#e;#Q!`^Wz4D*oqg_=veUemZQXCnO|1 zJe`t2Va2)AdaOt}M{?*PWWe~ObMV45c8Igb>SjW`W^PwR<57G1QDg5-i10UF_s^(Dj>vi->P#cPcY9P$#En8k@O0VQ9@gg z(LgiimN47FjK^7vkb|nlcQc+~pPUK%yTaZS90jW zp>09{87~T|Y!n_wan7$0ehD@oB76-t)iS=G;@Y_X+ymqghGJJT@vq{kX|QuONO;-1 zICaRQVsy^k$Rmf%EQFE;_>}~L9YJjfDV~G$Zpm(`7Zb_kqFCDuXj8E}+#${pSZoBn zZD#`JOLB|Bl^t@hVPY174F|Ll&nTZ@0{JPpzVMkW=T&BQ<+Jd&uJW?bDJla)=!<+P$(PcFJVpQ@?9)%;KkV)R7&95~(nzsp=-&Vna=c>x_~( z6EhTJOV_+!KKVcR2>TH6JR$b<2ZMmjw=1^68R+w?Co2I1u)0c$wzW9-%OxW;iodLF zv%(*BBo}1;h!n;Bo%^u(1rqMbP|3BAq`TBe=RukD^Liy1^5V1l2|_CWaHtGlGY=jk!w;QA#ieGVUaC9Hfbo zABRa@@dA7}?-e9v0RvlXLQ)>f;}UI&3Oc(qkc}}VkR~tymWHD(wo%z5#orL`q{3Wg zV)bN^SMXVs-3gmWiWBrQem4^;wge!j5UD_R9j$iqGA6l&$jswYV4-sw@riKt&mi8) z=)|*#k7RYu^GI_>#W;iuNb`}3<-|+S$HdnOltf*IZr4F&{grfH0S1){&7XQmyM{#N z#`Uzen9d)@@8_SBp~cZe65EbH(b}Mov)(0{_>2lgP=du$9GjiwE0}ABkzyIfGvJG1 zGY)R!3ZghgNFyYdAyNq-SE&qZMi1p|e**J*2RP_hU;z zxzRjd36zi#sRuj_sr$vna_2BY_!;pX`7Ng9P*2Tqob&a*Y-+R}i5(Sq2*Xi3N*#DG z!wF|(zL!o|UEmD{l6X*m&Zv+95IS=vy9tlRCy92(_h^uGll)mD^laCcn12FNV)Q1Z z5Q`-NXgtnwev$zjePwwND>N0dZ%G!$#BRa6Sz~o?#+Z}fSDnv99h&AGiE2F943>e5 z5lDR0lyU6}>QGG;XG*_B8C8LnrO*w8>A1R-=uWk}d>WDox5tY%WM53#d|&OAi_Sp4 zqV;u6IEiAjU$y?E_E>?AW#PZ{9)SvH$!75Zs`F=U&VfWz7waQ3eUAb{*~k0J*cN-yjU z?2*sq_#DthBFyPZ_q_b?@Ml>jr1>+5HF+zDtf4>3axH{M@)LhT-sP;pne6XfL`HJ& z;&JReZyjkee$0SVf%r~f&SV*xsy{AvMy~hd`gYD>T)6|-oj;?Y?njolD;rsZsK%9B z$;hIgQRQ2tx!@kE+(4T2JBS|~oy0A2{0rW7##Px1b;$Ni&4-a@sEnOWlv~ehg*o!f zOKg75XELjw+6mCzZ)JvJEuEltZzsOM&6e@(7;|3+Ihnm=+|Ye6wE$;=_+o?zH?`Rg zOh!c)QTs5gZx4(m9 z(jO`9J1Koef6NSq9v7&F;tijUqapeqT*{FR;3*JMsS;MG_>tI{-9i5m!1(!bdNVg) zFd=@L-UK5GKQ{-E{)dv=(~rYi$6_lV%Jw9;vCwKJ6tSb$NY{RU3E{Jlu~i#Pm@`XFIzpm@u_`H>JF`k)o}!+PgcByQ!{jmZm; z-8PautFYT0ciH%B3s7RR*YSjzAnubHEJ{W%Rt}e`G@F&DC!58QH48!LLSNgZ1oRvZa{QiAiYmX^&^uqPRQt=0>E%r z$O&MC(&qE`$Qry%}I#y1u_k72M{i4dnEz7_OXv&Cu1dOe2!k&V%fV1aGu{8fCtekD`vr;uo0>!>ufF!8r}##Z%V z{mbmzFriuZLg^m$KhuTXc3hA?9x-}nvP_C%bizD;DFO~>TZF{HaU4YIj+SDcI_U9gbAqdzEU&Q5=#0P< z(8M@8BNgLxN}v8Icx0q2FbqS0OmfxA@Mn5ncz}4439mM2dq-A(xMv>zoryLMP(q2> zqi2lPB`gf@C`tI(&zuH9M*iE@Xu8@;D#>cfP@r_?5T5hKy-I*% zs1q&4Mo=`{s%3-uCC)xrX(|5jObPS46MW6aX+XT_sFD@=EomRhL3=4nft#38;UE@Q z$qa8%=C4(n_d?kuaXQQIgvMNG61y0M1GF_QR@{p`t6OG@W-RRS!*`vRkaW?$0UO{t zyLU2?!b9Y~3%%(80s+RMOr(8zZV|F`=lJ=^dni8UAJCS0snVHc(Ak3YmP+W_NSY{h z!mO0+Y?ASxum(OkWNGHW#Qyw1d?<@rGu ziGb-LCN#^9#K{CoUU8-MEGw1YLlVuDa@MKfA`zU2o1-SL@JO>fZH%e2zVadq!P0Rm z!hhO_fvq8+fpDSNk>KS_N33UdkrVI*IH*(=&%?DU$7-jg`1dpKRR%+#ck1Sf$@ppx z_|=YAv1WW7n{PhUXJ#W6@cs@Okz1q4DxZ=t#m$r#rHw&nny!5PE_{>SccQQR?$&Y`}11EdzIPjj#C zpM{U0vuS_g)!Q{7LNM&iEkeuP5p%HpcUKH@ZAbP$NHcc{=yAF7G!uxqu`6;Fu;(D` zaj9h29yBh@9OoistO?4TV_{h5hmjXdXT=@Zc^4ah3o?9f5-X7F83u1oMq^@NNVCr{ z;lV$_FpPd!_$J;;X9u+Iw|<~;F4pUIsQ3SA=*d{L87uVl4~2m!eL#SIqVpHR{wuXS z{hC6b?Cjdu~H;*Ut6g6i8lw_&`5P0H9n7|H_0RwS*2tCs-6eK6jv zP)SqSFfm@{8)$Y@AL2jEE>dVm{TrH>KNDZZ?LC*R;D>HjITy&SlPMt3@g(lcaN=$v zqp+=)jx5-R($~?pj$TqG}hN zq9O#gUr_?`{%me0(+2QDK3W(K?9VfDb`;Eu%sMWS&Q_s&I*^Gms+^$;afyPPfs=jGx+g`rUEd_XcuFdK*gfo6>oqH2@6F^$VK&vTNx zyfNU;t7hEx9CNnD_>AX*4RH~9HpH-8JuK9O2t$jyq8&O8<9Y9jo9IFMZJB4avk~g zG!JGcIQ=PlHfe~Z#k+EimxQBU>RZ{(QCP=^H4M@x3g1SEp9EVM=}>~}By#pf-dmbX zvi^tUXrkD@yXxDtJ}B>3P`YKLX`QhMNA+#pEyj)P#*5tkOLgNcTNHM&a#g`?#I$Go za#@w(`j83j5$hHw$1|UDDHCGRgh^;-3Yx$pPY~*^<4MEsq!=crwItY%=v$7l{n_)a z1d5<~y4uNXQ(=&P+1gC$1_p?72A9)4l~jZ?%)hl4qle3{8KyQ4AX^KV7;ATxlcQQa z*hDuexlHZhQ1Tr^6iFnRe^z6g=4Z7Kj|?Uf1S_MpV@XJ)R1d-9NwaYr3Claf4vI*g zT#0HTaUasAduniY!0Kd6v0fLhHIypT%P`#JR~Z0G>cmZ)*xL*!aQbBpYZp7q#J||e z4f%;R1DMgd18uWzKOia8QFntBaw$ly32;tKhL`MgfOlPBPi;>pKYx zM0^Y+5B6VzSXBH{0nvPs=^jqUHenayPOe-p<>g`F9+x3jiADNeFxRAg6hnIL3+VY~?t*YQ#1}s&W>5Bx7FQyizI}-J zXjT7e$JYjynXaxr;~~ z6lZn^xVyrTpvU53b;c8}#?HE&caiuk33}fS;x3!ugrvl;TtwYe+iiXWdzgOC1v2rt z#@cx*3$d}Of0$k^?m=&08Gq0t{6&Xcg)-N-OGXPS}nJ=TJIL9jaF8X9~ z5YDXu^W6X}Mg-)66=AVvyA=;{Ta4q>?t}Sr_+QzW;&%)kS=J)?fiz6#>o#1>nwSfa zvK^P6jhL^t&`M{DeBDSg2}k|l?>oxyu_~e%{6mVwc>cWraQ%2?JQ^~h%&oB z6E57v%%3n?z~&)_yW#N|=On~Dz%hokL1O&OhJ7$V*Esf)(o7Mu3n4Z26W7D1(5zFk$Aso)7!RqV{ zn3o=t_Vw`1zaslePOo{UsSO8+r@r`P`ZQ!;f%gj*#H%4G#1m9##hsyZc3XGYW`4X?3^;%hIABTt_VP)A>9XO zbAIb^?!tUG{Xy{q|H&EHa57?{l%JM&3mM-E&{!?{3Ml||D){^QD5t1|e3jlg7gzUz zjZNmvb%-Oebzf3m9wwr^(=&2ps3UhBCf2jT zT#l-v*kytOOYI?HoQkC{*>JG|H6Mpw|0a?=tWMZ~q+)n&9ctc)I@>}PMu9&SA54XT z957E&q0T;tR~fvt7%nf!RtSU4ncGU2wiH|A*oF_7f#PPwcZbl2!Mq!~-Yx<*I^inf zyFwflp!<;NhkYj_^)l*{;@#+$)VpYbhg&Yn>iK4eCu_!}OE z?(d&Ah~jj{+d3{-Gl*hFh?B5*K7zBGiy|zi#aP<#EJPEpWD3MR82<`ix(9oDz?bg9 z;%gKfdwE6Jp>i<=OX2o9kwdV8693!Vr{l*IbW~(;Spsr&*my4^ySSN|v>ZzxGAR&yIeY zMO_$^AS&t4JqpnUuzg!Ej5DW;{g60a#=MlCfW)B)rYu?+rax@YAaTW5WE`fljMY68iA$I`cMb9$^{&XA%m|HJgj+o9 zn6bnnzRmeLs|c3|XAiW0#w^U-z;?<0O{~?;BP}L6*de`Tkq$;S6i7*t@=++33AcMR z{p>%%OyN%0E>J}fjCQFTrH(MAeNy5^Os|{+SI?Xrfa>PH+8^y3n$ySaVH!H!P|~r< zU9`b-c}YmA)p$$bsA597trc3S?4BrVYQ3|EJOlflz+5KNrA)vDZj={=rDN&JFpY9A zTmd}%DY|Sf%A0^LUjoENITrzC97|jj&Mdz#zsLFK^J(Hy$1`-pX8Q~DtCcuj{t_?Q z0@@xMp)D_wCGRi^%g)n`UEy6X+XEwl5zk^@?@9gIWR?1u?TjF#$EG*-j(oUhZ> z&PPnH9IH9Vl?>C(9Rlt-qc5P&(a>TS5M@DQShQMKa0JP-HT7N;6q0%!dQlZ4T3^b} z77kKWC34yP2H=G=va?IUNerE>9*6C7CxFi&S5njka{|{qA0AlZq6WmI?TpiuJd2nC zff}^)bHwyt11A}Q8AwjYwXhAmglf}~d4qn#JBMZ#G-=dzVY2{#pR_UzGD~L78XBL@ zX1WDf3^5HIPFvfd>k4BMjOD>{*E2EZVq0N!D-v;75x?8+Wh!gs9b?vK- zuoI0BI}Zt%(l1OHp~vyu%h0h_7^Q~}c>nq&L?1KYJq*X~m*eAUr%92JXFp6V6O^3P z$vmCOcmReuOLfd(SL8KX>HTR+U&M9F`_TPG>_GNk*oGrvN1Um%WEg?btey(bpR;>R z6K7sEk#W+0!r~YSVw^(|kqNYk6vP3LlgC9U_micY49&)|irfW@*O&rumLtcD7hvre ztruGyb4H~sP3m71L(#ts7X?Lo?}#B z$3A@(q#2_mE9Hr|@h$2Ktd8WAxk!%Gl#EBDtKNhm}%KJze6d{{5 zxgGp@HBtjz=;if@d@Zxu#w1IzPS1IQ`<+X6q?HQav#j5#=du9IZ&eE>piOQxyB=~H z0cc78*s@ATuR{>Gt0%PPl*pWEYNgiwHd*u(g4AW9^{Xgrw@7u2NqWA!@(0mSMs;nN z4ckgvbXx}{LbUyv$%P9COYJH2;7IfxwYWLZcB7@nJc7+^JH6GsKMC_nR~mZ$N_N2MveQTJFplrb<}ZgYuOysRHjs8Wu{IgH14P< z>1{KVr4yS%5~QN1 zUxyd;UW_>qPxUVBPvVVzP|fhRDailmTU~9C9=xFaBhPo?&7<2VakhOgG1s$a1oxt0 zRB_EFhlZ;?PzVq1q(c_aPahpEg)8rc)vS?5 z19ahDt(9_V+lM0T3eMZoZ`4=k-!;~$^dYvKrj$VN% zJF{Q7Y~VIIZc@r|r0z$`Fr!itRun+YZ1TmxEKJ79%MjyYpmQ4XbU_ExpbrXk+H0In z_EhFa$(fj$L#7m+K^p|=i#TS-rmung;oE^6XARy5<>BgJqJ3mz^6JUt0d;Yt3~Irz zA)^;~$Ii%>Cn0HBr%`7|N^z!!&)9CtE{!?S$P_AFG^#n=mOeXsiSJOjaspBBS9d{q z$*4FH#06DTl9WM)N3cth%L4DBoa<>bAp7mQ=u=eN3vK@roqzw9(YeI^zNz_Bc*i3( z?KhC!`hnOyyLpv-hY)7b)J5yJG$GkMg~H@QH3KzVf#%N{ZSm%(`hZ}SPBuUt>{7w` z3Sy4uiGuSZ7`{DMv1{=o8GOOdh6m?B&q3>tHuC4-lRz5V3yp{Il*_I3M+Q!^y=#FC zq|(OOE84n}lYAJP?~zbSRTpZRn{01rX(ZkRrGk1JnLj4Ea&f!mZ?F0Rg6f;?l-@d( zbUO@=bt53e^^&$h$>J9Edpb05mRMJ$;U#qUzK)4{bulVjfRjDp8eGNnp~)D>3yf2s zdZ>Jue-y_b+o-t1Y@5u|n?~Qey81O!+aS7^nkkf3BqRQA*?J5Ti=(hg`OQi<>_3iK zc?2$c18hJ&Be4G(!@GNF)K@9)0$pUZuZ1p$?}IQMem4Z0<|F!vOZZ}QW{h}?DCT}u zijkKTwi`uGiZP;8Cg9o$`!YF6nynWc6ofSKdZe;F9lc0SX1lT}wk&pw8)f$`VKuEk z(?^+XQvs|a`Qi2<>=tgkV?qq}qt~o|MTz6-p{Dv3@?qDk0N&cs%P;e?aCW67s95C{!}N>E4d56U-~71go6Q zN}VAX$#77{X03iNS*VPSke;HvDX@4SMd}WHaTwidg_8>atUzJrmPScR&HFtpx6Jum z=(FoCuM&pE8&Dx|K~)V>xi66V9adjK_FKVcm}i{*Y9>poQ|#I7IA~n_$d1#HJM;TS zjqiH^@RS<{4iHn%zB|utn^l-qyO}l;p}KAb*X)E*&VI@CZwo}LF@e)s%QtH z1*azPJd%Eh$a8C8J$Vl6dZa1+X^F76FYpb(betZ51a&(Kx^Z&5_-F^$?fx!&yTE~H zut7*}xXvWowo(OyP{Tc6D!Q|X9Te=vB#*wBgx``H$%$VE6LA)3eR+`U1d~Fz)fi2s zJycXl$CasUf~`m|4@)YD5Y@++q1?Pfl zMws~TqY1t*G*H6J&^E8(6J<>pJ_1>W@>7KP2y*D^81Vtm`~KFTk3wBhD{Wn3d?zFD z7ZB&E-yq8_W4_W<&@v}vhxbqcVeLaGMW{mw5fwln_zMjY&6Rz+){!zm&*Px7C}R9| zBiC9R(n}icq`IJ7m zo{7bql}llj>qDb^IjUR-PaO^`QRan+ALx^41R#z5#=Itrl+Yqp1}+kfr(5)=JcnlkVu-V++ zm+d3=XOkTrR;3b&gRvd6Qh*iavv>!X`jg(5w^I0J6h_!%6K+n|RAS^?jXIa@O zR7r7NE)P>0P;fDq+&0wlX+&@ZR5$ZhYPkersiiPdlw6U)I@C4iQ@Moz*g$@o5E_%~ zrV5v+72gPVMCmK4ay5Pyte{m^>yLnyOP#F&-d__XRhcK%BVjllyz5(z)Ms@5B6ynW zbZuzrDdDy=J5AjI zH8H2M4SEvLe;DOzB>Q#2Tz*BK(FjAxjnx4ZI~8@eC0nVZtkuzyZr&8vQ3Y+-mGx#x zC+5y%oX~IrhPqY$3Y~brwI8aepXz>&l^&Yy7a1k*P3+E%6XJQ^o4bzjLI`QDGca+= zE6BS8Uc&-xegaO_dORtocYgMLUbzl^Q0)ul9pPz-tV2U2ay{}oT3=NELqK!n>-dK1g*{k}w=%-LK#~sVmw$K7;uWX~lFx z{D=yuQw`!tiW6R@$d1C19^-js z2NvJu^%r{|s0suz)( zV^n=w)eu$yoWL9;e}t6#5yE<|>89@$TK&W69s%WxXm8Qx(Q1Fn8^T~^t#XpCIWBdl zg2$01vx|6({#3NxV1!$GDUp;vB#^599maU*>?q|Zsu{x+abx9Lv1TGGdHZ`J^ z*e|S+-{hQ$FwosgkTZckYHcy(Q97p$%02PZO1v%TndD>R z>9N`3Vm3kEq;+j41!#G<2Z`Iw(~LM@tmpQT@0y98mbH3mXQcT<1}kK;JQ@+xc$d34 zk=_C#Z9F+|J;+%KrXb-J#(aap9%@eUKyH?hVp0Hp>eKubnzy<_7-LeuBD~A2Iizyl z&>#cyxIpWzhahe-;jM)rE+NcYX@g&IP_Ih^E?B$q8886be6o z(uhl$_`L7Jd8>MmXRXY+{CVOErn`C+hu-HV>V5B0?}yE?^4A9Z3XJ$eq&JV}@l6G8 z?qe9i>UTzO4lnwCLMVsdQY42lTfk!$t`Ml>HUReTz>LN@a6?e0`vRx~g@e-y@kKr! z{|18=z7f?EnqZ!=-lRZ)3|j~Q^uY|+NhTQJ5TeHi(`~ybpsiIpV1iFXp5J4v?-<-Y z1uh5bku9^?5$Z1FUf~u#H#m}*mieqlRj~Pr5yH#&H0HCRqYl$2jd1&1mQ#WXi3}_-H}tjkBq}Xu4#@qmYp?_L&&$!U?t;hcN;ZqN+kYvFL9DG{1%l>Q4&w~qSQeZK zWgYBu%4QvFai*|afL{p>gxNvLeYAOk+D3$4@K^^lYj)V=c1qYq*>;$k&q0-*Nb`&| zwO?R)>0(4tLIlx=OY%K|+K)ra`e*e8YP7E_YVN{xrOQdjEV>=?9p%~Z_CJBocZq2K z3q}=fic*{mjrEMkeTu&VwrY1HPG(x=axBN!Lv*1Y*6Um0_(mvKGeQ0h ztAzX^QkEd^E#|7S2-@9+QY5|iYY2pzkot6%6q5wCU0@A#Wpj5yh;s^gVOQTgpB@+K zod60HCC!j$Wratvt=%7bkV}}X=c1}Ik*!yj3}v*{vCIp~WR3V;dU>uhSRj}>`=3L-cMCKH^fW*bcmxSZjfK?lhq35c*3)p#UyqDyzSe>9%8Zuyg zb}WEiUi5wz%~?InT26}#)onzu$zPWzpx}$P|3u;hb*o9dE-W;vZ-GKQtvqhES*S|@ z!WDiJDi5D(9Cw|7_%Yq&=~~eR6|4HNhA^0M+n~m1k|XufBt`AiDNn@;!%Psgx@%m8 z-DdAH(62GV_AV92b)wC=Nv(r}Ya^<7bW&W)a(S;~F%96wNGv)46~u0+*){io58RJo zDTDRt;=)Sz9V~CwNH3aND3Cea*5GT*pUO&be1PY@6?8Ok30n|2H&}slk1zV;Vd^V) zur!Vp<`~l2g?W7sT{AOrj321BZ9e#awxBkjYq+}yrdg8Ck7nLw5*m+|&a)3>g3K)d z_1jSQech?H;=|_OBI#ZhAbLz?`bzs>Qf4A~UNpOa+sSyiiAwLtd`q4kISOdvOM3GJ z<{M8FLOmR+scZt`capVaCzMejk>+lY?!3LooV*X*<&_`M?fz)f8gzP`yh3v-2D2x( z3`V2DTrsUYaC%1D$I>M=?|{DH2H-L^v0QhX&D0Qex=8R?)U0qkh_^bPvEZI?tLKT0 zgLTj{vSIK+pa0qXp$$VIaM`M(M;SU&P{py=8#qYVfQ=raf-XX8xj}iL(UpI0O))UP zC|~H5<%IN4BmjNaG>5i3R(j2gGMEzgYvB|5G@Y=FY)VyCLi$^NIKy!(0+u80wes0; z5N;<*n;GR+g!(#?*f?&yZ9r6+4>{^nmFW;MIFl6=*0u$<-*@!NSrRId6}>qK%;ml? zi4k{7jj$APn9Qnq1RUSSf0$4PBcOrPC4S zpX1HxcDXnrIM%Ho`j1HYDY_vWs!r~k8tVZgU+1~Zi2vmEN4_u(eA@B))INEWkknm( zY@}hTyAYxd;Bi3-zF{6tQIb)4 z$-Wi8*kPK!N}gB9gyz&0LzRW7@fL_TPD546y9a5l`?BzBn`hfbC7Cl4*)N@Ad58Nd zYUl@@Hab^^U0&I|SEaD?33V+}zr;$7PU_RuJdAd~iVl4SJc@=o;0Wam14Pxijj&`7 z;I_L8l`xrWQcI(Sc&qybsF9ErZ67LUW9W?$TmpBoU=g~XNe<*M0b(tF-Eak$bBUuX zP-CyATlC#1B8RNThuSw+S{YgB?7{uqxRJ3zgRY4WV8Jc&-~v}@0-Ek-;cw{m>6{oOngYI%{B{8@zLDugPB z-%BKe@6>S84-JybQVBY;*0wiY9fSM@ghhJC6j&19%D90OS8^3{q~dT=_8dn3NvzOd z0WG3`5-|dMVfGXcA(P9#L*7!9mU+bb6}w{L#7Sihk(FJkF6ugiGBQ&5STC(JdXDOV za?l4{x6Ce*s#2zDl<&JrLnF**SV-|SVO}GIrJqGeKdR~wE%5xhDlf%`LWiN5nZa(> z0Oj^;t&ue5U9*%bz5i>d;M;c=cly7=S>77U1-)#i@g=-ig*ljqa66lPdbGk}dQ+Dit}a$W(5t zdoXf>fgPVJJW62eoVAqWSOzhUO?A#@ypUMSA7E!ao7$ki_0PnoLRb38`aCO4q17o` z(Euyx3=02a13kttgzo|S1B~IWLu@%si_b%BZPVc65L-i7GAX=n#}YT)on#I%YTg+= zPDf)hvA5;!dHDmasKIewrFfKlI1CuDqC6f0V>N`yA9lPmj~b_ZhnVqHybQU|XdEX! zX;NtoG_G6(J#JqH*ioFzBvqAYEG<#_agNoCd}-5R*LBd2eyr{H5qKFtKL4}gBdXOT zR7D(Gr>-pdw8O=VFA|h<(lB7q`p7JLl&YzLD*3OHE)`8(7-C+P_)4}zS&q7qU zy#u=CMA}9s|DPR=;9gAq zOEKQm7qQ=Fk0|&8?s&T&u|tKOm zd2+fz@kcU)SaH^HV)U#Z1dD;N;6^16ff-TFOQa39HRzySCjX2I*KiMLO9WcP?|0Ni z``j_i0s1)#6bWq*d0@o5bDpDn(=rcS1J%39Jb-~zmRSJs>wZE_kDT>yu}Y}f z2lC&W*o6VN;y@ovrV3?7BDLNKoiNhqngC|97sBn>rRl{C)du%vz+9RhGRJJvGdesNmG-$;5zfmnBio;)fWF$g_{ZVoO> zI!cmmVMxrO?v9^rhq}Weo~gobTKy(-MlmNVt1;)Y6~r+m2E?vu zhnP}z3s&~(^JFakfi4!lC}dmIR9i!mb#jzy*EVbx`lSNH9iI`NunV5Zw6Wfd=24U% zxXRNH^)vryrF*AAC!HYcxZeiy1^*ekC<0BA6FGHL-C-XrbqG~95L_!YF08QAutg-uYpVB2p-fEg5Q%i&-${m$CnHj;_Q_BxLFY26ibr7SDcGhT@AZO$ow7B9v^`z(GO82WmOe?-BuhJM8zC}=rO%UY{g zLj>WDr1v;tlBK|I8ND?BV#nKH81We_?f#Fj&ASciV*Yo5Be_5$EEF(bY*j|0;x>@A z$pzT^A=;Jm0#5VA^sr?b$&1cyIKvlbaJ~qr&KtW&bk9Ssjqt7f zwjQ)o&TV8&-Z>nqKueLJ9>LVa;zoG_2o|MxCU->0pJ>HS+pey@gjm6LIhf#Gm0d3!h;Lj+ zHaZ^=8PJT#=W^reY>{vIF>r6}GmD^KFwOeWKO4kKBLR!{m*Jk-vCwkHKY~c6f6*)F z3D}0abA53p`wW;$CX;>Zb^gIXuh@L0xQI+-f5u<22ZqPa=*7lv6gLC|EsT(d@%u=ol5 zItdHa(c~W69L`ZX%BiPp!ogG?JR_kxn=D;4xzeHBnZfLW+LieiJtVhqybVWpI#zpH zfkX=n998(f@OzwE7q4ulrRhfEWkylDV(*u5D@PF=tm=KO7qU0uo-wURJ#MmnXS9D; z94jYlm7g_ARaiqAkf@=qyEa|AVIgioQU5klUeKuDqa|ZmRlS397qRhKA*+T;aLM?e z$HxB0mKUl2_tg3Sd@~dfqbELg5f9m{J@&YlM=~j3qu~N^DC+`MgzLYS=UjKx9e5G{ z^>*jt*TQ;K3KlGV{%7{_|0P_ZU-Vyt{*kHF%b>?BNJjrN%@_j49?7F-fWv-mZRM2z zZw(SM?N6Mkj6Ap`R}pgsl;7WZEV3s*)c z)Zj8(AA3>+Lbm(RRMk(#fD6ZzQXL)wb~#mwALup|r?@mA-g`pBUPRrz6R57b+DdM$ zIFyOeO`BC-4{{Z72vOJpx!+OF|Js6lfO^PIB;U}GvCb-BD%QAz1bQm7#uPHt5C!#F zBqq96fnXgVfLb+KD<*jL_WrH5Vf^&}tS>6ZtIuM*lz9TIFTB8A zg5rfZkKu5&9HD^%Copxdpx_)vkWXW8C*--CG0I9?vLaIFN+k90Mi=6y!_Xo$q*Ps^ z!@Jb$C?xN&WIp!pw_Ee(>tOJ00Bu)}Uoq)K3@9a~k%wY+DiVhsT$C551N5i-Cvk{3 zjjv&b`!h<|=Y7L%qCLR?kwFB0by*8w(jLaA;5#q=k?`0uFAV{PH4@9s+K< zD0IHS^*|{G(kj$vm$}^_00)1=YJ@vDz=DbP8@cPLHO|-lYvB>iI%aQS`}=^Lcm|`J zh3oX8Mi6_IQ%JV!xE{@$*{%SaSF0K(2)YZ7*KnW;Nonp(et*ttzZFj<&k257qxFJ%2r>-pyAqJf{`Rbzc@WO z*tF}EC_+qvSMfU%!9SiYi+tQwqdrf*f#EW3#|=$y0=%3;)$`4$JpE0(NGNG-+-0o zX&uTcUcKZd&LIzQe-HyeLoo%nJffDo4t(WEnEaD< zcb>w-Ocj;ES}B53ZlT6v*kEsc!M^CPBSJpw>Kwv95W>12^vr%j;4bD=`S*p=s0QS( z@~-sxY2`;FD7H30sBY8v%m zO2`MZ`nrcBz!9BGwuJl|W=G<~Y&XJ39ASP^RwLF2#seUK9lZ%LE%ay;YP8i;g%%_lU`9R)onq-P%PQW%U*BTD?fyi6svt`qkiMEWdUkpsE< z;6^zT7nD3ktDh(wCY&(}-;-AL!Vuy=j{$3SPzX@s)ju>~ z76kKLv344pUO}#@*U0S;yFi(!<_dB(%ok2DkUmdF-XX$0v!c@k`@*bE#NH9G>_LMA z;KSp|O3$#|VpwYw2hJT9T64})xg|^jaL80c49d=wrJqPUwwuOR%xaySy^Q|dgaZ4DnN0O_Q?S6fIkajIvo%MnuSbP89g!+&*lNu; zG_20w776EysJYK^cARbaqL!ifzlgdzTRc5048g9_JJ}FEm^SuLrklZaS zxZ!cWZcR604Dw4b#DV5J><^_Ekm|ExsYZ{o=DLx!j-;*&&zhZGv)_lUZ9Mr>*(Y>X?sNOVVCM@fzeqwmFtRnPy>qQBG)j_1q7w>kp0nk z)D5P(m4*kPxDDVINL~|WFYprKH#w%4s`#6T1 zI%DFrwhQpeTMSj3$mY{fn`t7fe7?NgH#nu$CGRcY{+zw zMA4ZS>2|$z(kOv1OGcFSb_Ad1AWSe##QR`}!P4DG`W1r$<^y+G5i;0bapo4<_M!<4 zckKLR6`(^<3J?~45Ppgs=#A&>{2=Z$n-M}}Ryd#sg$;Rv1R|{RN?2O&(w}lqQFHUoAh1`uPI^654D>!B zhbezjkm`qQID!~*Q>BS3^H_6Uf&|SPG?0z64oSVu!t!ya3#2 z^+gjf7*(hpNVx(6<3uHZ6gvhfQ?oZGTz(n1^o1x#Nsk{rJXV?$mDU@iw*m;Jb{Y7Q zAO=!9qf4ML1|)^qae=9*T{u`JCux++;I4%$E`dvx*kFr}2vrAuq@yAVzo2;MO{GA~ zt#uZ&DRNg6d7F)^n^rE_2eRvYgOT(u)bHqeBeji7XM?V7?y(5vyK8mwNL|BsRKRyb z2l}RBjglV0)uSwG%pX~(h3aUH8q~4BnYUY@O0z0_b%9gL zUW%MG-*Hi%P7Tu}QIW_M@__*;PO6QNGcbE_-894;nhTXmn9M&SP*Kz-qTJ_&GE%LK zQkD@iLAYbJ+2!T$oLI+XY zG27H`A>Ckd6qz133bW3zp<4B~B=2^2CdxBqn!A{62TkH3 z+>L%`S(!sdpm8qSkkyH;>p0eg+O{@Q-kagEi}8E&VJ+mq0ePCpMgA4z9MM z)Tx(CFIS38Zpi(s*#z!iAMaZw&JlzZcQNMUWJpD3*Rp^M#P;zwK!TCM{ zzYgkt_4;FGTvnlg>*yB~DtqLAn7_MplGVXr$-6oL!kcz%cQi)22O{P_WQ+`DzB8hC zD1M%j@(fzIU$2YLbcbubi&X)tN%W3%xzXr-)|(1m8t>8_PKd=b-}TE^s@wiSmkRYA z4iBM$+q$L^Z4B2j@{_Tm1)^n_M$|*J4E&uhU_HG^d@_hE%^Mj<`}H6kj(%M9T3;UB z^ojfm7MevLui?9tCaZ5ib|O~t>9z@GFq#shaVF819}2;`Xy?+Zfce-Bx;1(2Kgd_Q zdG)}OVFz)o>>u9Qeiz`Y4on;}&q+#qMj{ODxhhn}%2PmnEK95ObQ6Vy!s&Qx;mdOB zCVkKzW#l=H*!8lErPe_T#DmMk@-ZltGg3`X?YxS z9CtVu6WRO;Xh;W(bcuD9C`RPeZ%8$TlAv1({V5bonNhsr&eS;*Arw{Y8fOZSci^G9 z3$@M+J~cZ=c^*040SEHu=J$1a`E>l_?zL(<@@{h{;L@{}PbG3#`^eFdpbSOrlL-gi zHObeLyfuwYV5g{kk$GS&;^X3As#zf3V%MeDVx8RGt7@nESJd9DG2Y6viAN`0T@O0H%6^vxig}#V#yXvAw-7_8+ zgM3EWr7H%=PT7ULx?BgDFnSkqjv%F+1>_CaNIFZpk^*jvY)0$vw(J(VdBis*;J0@7ly8Nd*R{25ILW!#;Z8E`1$K$E zM*)~Lc1yEe&$iXt+%87GWdpDUSFV*L&-KtADhe?13)>Iq12pH#sm8m z)?`R$?U9Z*qPz{9Qwif5Qo$$Vkf9+7W^xB^h(QsaCc^cSy}|Xo*w@=L_jG*|JX9dn zO7va5$Ey?lOnehMQN>pI-@|?QN^s+Xf6ON=z6p?$1Gi6&GPO=)bMpFQU;qMPM;ruI zzmvd%6GuR<6p*XQgVp2;{w|asoqi(76^Kh+F84g5WEygok@@^IVj(vu1TCK}j1mq< zs6P-63#-Oxm9P1{ArS|MSU+c_J~rhj%a4IR0LqByKtCkK#i*wu!T#t|xl-%x53@Ig z@b-loeD_GNr)H26gXINUHK6f!vsvN*49-mfOsx>R55`(033QiuMsYfz+?5l6;_r_! z$bWjb`+yl5_g!@8VyQ+lKDbbbj8tYALc#SecQNwpi?n_irvf(Or*F{A%KUXqr}P=! z@+0LtUC7u=DRT!+*@gQY=+5chF(`@J+i=V>SKpki#u1T_u79qzv}E9v_Pf}wz6n)z zGo%hYUpT*+lSFR*))9>S3L-jgc1cbcvbEIrIjwvw~l; z6$ibLF)5!Xf@n`;c9;@8FKPwkP&R2-cXG{~>O9O3MctULMg0(;nwN{XU@i3eN-@8u z7j?t~-$UH+QRr>|g_nG$Bmy51yYGdK-l?$jRHRulg)1-Bcn4lNVts+!-X9l!O3o^^ zLKNVCij<1uV9c~RgO~9RYz2ZYv!NtfW4<5HBxOHWau|bcQ?`j{mSdtGJ{{DdS3K{S zY`>bA?1?LD+UW|txJ&8O*4!ZYihlZ0(Vxs3IaD7MbL2fPB9)hJssHD?3bI;ZF zKuZ+2!%pQP83?|2XvG(R3fim{8*O?DlwJR2q=IoDpt|3Oi8Em|ozaT5WxPIw@Tw}Z zR|UuOA27BW_d`#^Y4p7HBZK&&q|&8-26q=XipAijVSPOoDxeVTGK#zCXB zIK{3jzJt$Y<|-{3`=^YjUN5G(*dR&R@pE%y@a05b2J$S6<^t8gJGf5_;T)h45ufm` z#h+yF;bhAVpZ`U$WocfGMmyG!nUXR`=U<~PL}Xw^lYcp36F19YkKGkduI?v%WP;a@ z$H2mJUW-c@uBM!v?mcbO8_P-WQ8pHkeD5Bi)fifKvLIR*kG$(1UWutpwp*kCX$Al z@k}(aFhc-kEW+X`D-@yzF}iQZ|TB-=*@ zD26)Cls$)4QXWGH-xRLLUpHGku~<35)lE`IrE{@DQR<4x5;C@*geN6e=)5=O2Bglz zeva9yj3t~A09tIop=I$Ab)#mc{5$sUfzaj8FuaxlB6cKs0Y3xS9+0#-bqpiI_iB`; z`Ujd(8Uy44waDU#Wh_scNPE*AdTu28>~wE&?CEBZs_=32PF?|#jWOC&pUOSsxSImI zrto2^(u{;}7{H-hg}7)A5-p)$1Q+EHqv)_ia8%v>W?Hm5Gn$>{eqCd|5CIg~w9Bup9&cR<(Kf~%lr}&e)N8`Q5=Y$k1Z+Dc* z(~mZG*^m(M9y)V!Uuh60c+sQKmljWDKKUgE6sQq=N1Ota6lZk3(% z0E3T^h|!F46c+Z`w2 z@!$|4S8Kg7Ayv{+jcCU_F@swrR2aa_y2{?hW#(NOw6B63L>Cx}-bm%V(jZcvOL<3e z$y|rB3VA1pZ8%LdaEEcRIp0VQbMBNb#fUqJEEs87cp@AJJHC%kT)5;qdNYAl_Neh)yli@2K)sEwoJgOWL28G(itw&h{! zMy=Or$vwQ#EoDWVfWy5evBEQlXwCw>WG) z3(O?%Dw%_1v#v1!!VU%S@4wyOBOjRIX<#!5&R?+&+aXr7zkwC!`HSyCRYsLlziY#{CDt!`VSzo4@L}r<^KJr*oUdSPWDJ?sUU70A$4g1@kNN7p)6f5rg8`5KRzK1C0Z zBX4+M465#hN+F~=F7 zY}6H8)A`_}4|gWJpDKru?{b3kc`{avWd;SFfh#@QGqLJh|=hAnR) zrt7BRsPir4hHvLH!#gQW6{TS&F+bG0wNU%ZE;L7#GYJ9sSDx!Wd%TwE$~19VJEtIK z#mPY$W`3Qd_R}(nb=BOqEngz0-_G%<^Bk%^2euK+_|6%c>KU3^_+h@&kBj`685Ot{ zx~VOy=1>-CD2;9&L`E0Ypo7P^B!!U!VT0Wh;I&lBrZI>cD1FK>!vmB~CAH+#(&KrB zVWe#lT*&fH2PDSTg@~U7Pk&QyOkNZ3z-hrKTzY-}ZX>(WIf|L&d<8rULpO;xGp~?( z`5P@ediGKcQ@9A=*)&8h=zLML=|zoaB?_F;IERs&poY|=XoY6}#~9vT=S2L*MBKRo zEnR`CD-gc`{!*tIr2CT{wGhnuh6kj>TgDhj{jW>3OmGbtZe#?G zXvt^JXs~BE3XIXtkHJkxcB*7&9U|&#u66!}w*Q5gx0pKlU!1u#;KPm0OrO9>{O|}2 z9xkEGgYv_QdZ7xatJw!)(rMj3h@h+vE{MXQc-Ib60AZk309EdwWpzV#GIx{(1@CQi9>E zpiZk;H2KkI_G*~f{;8ekz=6dBt~q<)jbE^6)Z;OyO4FIy;4)�^)e!ZLKgkA?=Cn zR}CN|bB}AfB5jxKT;EV@uqJSmrT^~r+<~AY6H$!D9kzOPU_GG1x zpv)I-ee$GDPV)txajR!}^CA&+dzIFT%e~DLtV}m`yj7he3jWEC7Z%Ybk?p09vzDx$ ztSnd5X*h5P6*`q3C}*%5rBy*0`nq%^8Fi;-n|B+TAE`Dw^E` zF~a<(L%e}3YtU}pZVyRF4<<9Qo)M|^WIM#m&q}nK;usf?bCgm<|CkJV*Bj~dx5@q< zkbBWLrN#nHb0lnTHU{Elu!AR z>!C}@V{wj;^NVCODW$!1O-D*`|WI57}&Gn81^vy=40-F{81z&X4mBQYI z5G8uo;SAhL@3*Un@NQs*ihj`f4?@9_72(+X96)RDX8YK?-W_~8H@6@I1vP;T;I^}Y zmQ%tOiQ3IBq8#7~|JOst|I0)(0LrIH`bHXh%epOH*xk+gT^gC*Ak{2T#%sloil6dc zP#0>%BX}oM?Ei&%Q3(*J+&s>~q)&Cj_PW?HFP$;AZABH<$P7`XpUx2fbk9u{lGEs4 zdN~HATJB_!WAG`~$0wUN4sbn*&tplMFB7s^lL;mV&OdObYcpQV4)(te#Yi<5`QOAz z)trnIZAuqF3H-Z>5!?#-5%SL>lLCj+bQg`5%c-_yT@}4XiPlLyjP#9MPEkJ62f|ZI z_juY4Z1ib(H`Th@o zMlQ)s1*dY;hbK% zh4MoP7_`W_eIAmsP0ABG_kRWyr+JndZB8S%((z9QCp!(cw~UTkM%$-dN9Q8GMfqA+ zvYmoCxg?97Z*vrK7dBi6BMN?odR=E`^c^pUj_X4D*y}p=1FCE(B3{j(TyNko5(rR^R7@bK` zihP~0c2St+uJR2PmoLj_wOpm}dRG2G`gx;cv>C_^bPNR{btXf95CO-Xn2w-q_l!V` z`cE$XItA4}64TIyDGrEOx9T98UXE_fh1u)C?z!RFHqW1?;x8Ufbmclunaz_~b`sdb znR}W$)`07^*=>eA2ac;iF9M8VaWs87q7XYrS3kh&p4c>!=_)OYG#_@eCp;riz!1to zk_+2}tVs1^^nciU^YEssEpB-4B)eocIVU-3Pui0G3kAwN&lQUdmZ35WC_`mX5RuWj3MyP2P;njrK?OzeDqiu5zUx%4SMR;=^L*dG z-}CX%ra9vt*IvK1*ZQr{KF-8GpqKX2&?jI%@#<0nAQGIRR`XoiyUk8d1Z;ED}_^*XEK0gJ{_@7CGd|(o3z%Sxzp0~iqL34 zjeQfD;pS)jk#>{z`^_2b6A6xKJo|+K!XZ$jt{7~?Uyv;%1XzUIOw85HK_EEm{ zp|5I$p@1Pp>|=?pIpxOdysbx~Rfjt{9_Vg<&1#Uz!CzB0HVPI;AQ8n1BejjI1ef`5 zdCjP?2ks1(`(p^d$RBCyZSL%-$akK(nr%)O?w79gx2|YR!!F@yp@`OcZpUnUlAXRF zD3jjJ`NYfKDZt~Y&-Ho_m<1;xRgL9AEcN^5oQ zWTsbe1rENU4E7#dd(M0h`&qImlo+0i2bEpifDJBn9>h;?!Qig(ViJTpI?ppF0}n_L zGF`HEJfNIT*gM)%%5PS)v()H_X;6yobBK-6iU+9pHVS>fXG4rp=zXAwPP@^aTW)FM ztD5ZB_^$36@H>BF{n55X5SU`BrmQX=m=k{^VtC)OgZkq-K>nld(mW-87ji3{sIQT2 znfpw;D3cpJt>ThKwy7-j)UiYj?g6=emRiFQ+WIjh*+ zeJ#F*VmATlzYdI(N=tQo%@Ohj*A0T6uU5mh^#xSB1U{ZZwF{wDKgHILFwfsXv1w?I z`&a*5CBXZTob5yUI}T~!Gw%z9^omN_u0S12T{brhQHXdJFBC3NfOW|xZ(g_a7jWQV z0NXP^SUTz;Ay23?m>3qLkPe;=;kF#?`HV)AULmhMOEj)#Ltdj&?{U_APmD**Q+9z5 zixnuUA-c}G+45z7u?j<=NpfwfbeIA6Cku!Kh))rB#!Hv5Es!XFDfjf+BU7$BesH*2 z?EX#K$dP21$KlEnxg36U#Z;7InN1`2%Rc@qY;E(#iNI0|ZvHJ7AbJ!?IXK=jEpfvo zVB3O&hno;U!wpSn-z{ky=9id1;5CtbcwA2ek&6?1qOxg_v(T}a-`;|@^h3{VN1_LP zy&W-fJScdrR(8kRrb|Dn#7|Vxc$N6E%6}w|^|5PzY#iVZs7`MM6NNd>zcF6ifyFG9 zbPjB57XL|=e_%oxR)QJCbTgK@NK*c}F2b&!YUvrLt(KrMNcxI099c$L<^FbbxCZzYU^hro$YFtOLV+?fDD zAZGuo)Y=1Xgr0`|mPFQAq~>kXK2#mx^DtlWx+Nj8;#nZk=&-}kCi0W~19A0Z`rz*M zj-G1Q`$3@DUIZP$uK*z={%DiBE2W)Sx(7>dB?!wcFY%>0&BayAf@!7T)}0=FK+C+|ord5>U}*+#nc!|D*lpK`)}2Q{dshhS_&vpoz}5A3f-uS4 z7F>rQTB5igGUo}?xlUqtd;-zqBgl2ix^Nd3ZcPOrl?^EWP!Qb51}gTiLRH)7 zs_I^7;VLBb@>UKzi(&mRUx2{9Xc>M8sD>wk^#pui>MkIzK6(gEy^NMZOyJXKD*OgD z=$q|(QPuFN5|E0ag?mvk9BuzQdKNgCUWIQnQDh*hH?+M6#e)o6%CaYkxmWosOrUnX zw-kKW#LJ-WMW098B|_JTvlL(7kLdk$Ajq+g2ZDnW#dPqBZ=jySJCPN#&KDIr$=ne( zu8;UC+VZ7*C>A}TD1HBI42eWRW7UcH?J;V3(x5qt!EP#6}~l+oytP!8+gbE8TKc(JpshI9McIu9mU2N zm?xIA%WXgFSRJgNxVvLZinwnfn$gEjq9V57k-iAgbbYR^WwYuj#~yLR!QMOWAuo=?15w;j*0^UFca^`6Txa`$Vdc(KP0-z zoA0Rl-md3!fKitH#3ZCbz9{x{2ioC&6+GB%_tsf-cN_ZVROC)!D~3CIC-`9x{09Jn zww*SAXAs}GGcgt~MBG@uaf*|AOgj?%eQ<~h1DK8w_8;P8Y!cx^$)HL3%M8-fS(_g+ zyqPNG1cX8`C58m2Pk_yjP(L)tG%vw-1=0zMv(rKq;D};v;sfA(FN=c5nIXWtw;{vY zMe2lc4=|VFm`EX2SAyf9#V{@-mS`o#hQ3VW$D;;^GoMn0_)o*i#o|+ zvIoDgfdk176#5Rtk4hok*C9Fr-2s+kWlRkYSpBi2QU?ABIa%oYq5)rsz!)k^!-Z}{ z`#U1OKwnoDM3&}#susFNZzI6KRA4d@Q5 zK->l9!w@>RZQWz~#!ddsipGC5#=yIPSwlyxeF6}Ge;qfz&qgo zWGSIwac$&aZ`Lu3b%Vzm#DYuzv^p%QR&&)32y=;PQQuO^>@4r;oDh;7xw^$!e*nJb zH`+t+4l(^LU2M`+jQh`U`|m|~pd};Te^?nRWP55j3mR!)G*co~m&x^*j&st-K^D9! z`+hR)Xa+4d)w!6rXpCk{^EwpIQ-E>58PsF^8q?1|K#5-khx%4UO%MODc>f&*f5PyC zY07Om$DQnr31;HK);>(5*GeC^s5^^&mcj;bvq=%`Vm?8aNW52dQ)Q;v+1L_yk{_McNRYh^y5D~iBWHh?{(=SvdX+X zA0hh%J{5?0?Z?0f^Q#q2689tP6X>ve2pdux_G%5kSdFGEqhPZgVy(4&Cs&Mf_OaH= zo~$ci*Ab>9q|mZXfGz3>G*t<49MZF0y{`&${eu-!ggyDS#l>=O0vGoA)%fE)h?uyjl5xOw=9ei?NCj-@ zArPh;!Qf*#sfM9-S?%nAUjs4Q2Zc7lnPW6`?~E$gbPO$)RSC4?g!LOfjhX1>EY}>4 z3tB6So?*VWOjhUpsuXuI{E zH(v^DKGlg)br#7Y{qF zVtFFuo{`Ql#WR)u-WuC**XFY@CpKstoA-;4;q`C8F0bIOG~&V>5aLcA%0X++LQJ%PsDo@F_q19++PqbwX za{8r?3a+W_8&u(TopKfDD!9VvWQBX5l&$0k1;50?=4b+5;Z_KRa}9WEU&OufP^QXR z_55lDSN}^lys8`KCPate7gvBqdG1(TSB2&VAW<%`Ejb50aTq-W-(4v96dJZf>C=== zA*Cq`u@d$GrYSgSt_5?QUaUe-fP34#XbZBx&NYAS!X=5q#JPLWFS8Lpn|tbD3Ffjt zyNL?FMvkWv1Ip?t_~_WkvjnuBVU>lr_@n~d=@Z5G)lBEIpH&$DG76H2dwYWwcg`O8 zHW?BWARuV+4gO^=iq1vcSFdI(#D_J07=EV=!MTZID86zw5;F&gOBBvYfjh4JG|L8w zc9i^xyApjJ1Cun{eF$jyw%IHMM~7_dG`@Ax{9Z8pAAkfT63|Jn8^SrcE@gue^HtT) zhFgr~Mb>gb!xcJmlBHS5@gV0Mz;(UrI_t}>?guPpC@bJJ)w2{k@7nSfD*PN7MjI`+ zb-~XeZ3K5}OAO_!kW*?p!h+fOExogu9%X0f*<*Sxm3fz%+1YxK6s(W)cQLTzIar;< z;|c6GJrJ@=+Y+i5B=|2Vva|jO9?ON`F-U{`F~@(b|5N^Q$dPXSS6G-FYcN%g2!jZ& zKgFXtYm!@)@->hIwYL3q{g{78t3f>1AIJZE8|;Ywabjxi=s#`%6{I~$vHT#2EvudW z#~E-;NNNa z(|g6H&iT(`cmetT`^2A%;ROezKhDT`tN*Bz_ph;homp~zu)#p*xz5T z{G*cpahdNgmm!3{QSVj4$Lp|L0!Rt6ucsF*MhcZ$?-}vjVho?@{U0o7RK#hMJ(DjY zEZi)}=)ESrQ9rjmi!>OZV9b!@ZoXXjyvbE)`91^xXtElX%`W zaPNq=yND)99C`x#vbEqu_ws|GC2?TXnD8zR_Gis`vu|E(d*L2kT5vHuq-dGmT8LGH zPc7p*7O#Pa6)iW|Bbz+2=T9w9=v0O`%nz?fbVm2~-%)sa1>dFe5IjA+(&(-}G5ON- zr&lI*9flt~RD5r;cjU`!tUX`6SIDY+9o|>mZ1RnJ_fYJG7n@UZCSH7QZO2}#QuC&N z_3mS%$SLjjU!32Cm#XLg{G%N*k{}yio!)b)Rw%q1YJ_K_k$BVh1j7vhsG1?8q$Q(d zXVIA!d!G$Zth-C@bChn$opSlqnfp5R+b-8SvaWOa&faTn;j`b>?>U+~lS*FJq|by|-_zsUXH-s@1y z-g2|WaW=UEh0qw%^e^C93#<>}Pf(F{btV*kXZYS^D8}Bk)^t5Q?+Y%JZS|oRtJ71u zCA%KFZC&Sz{R8(|rR>a_C#GLBz@YHdLYr8-_0E7y| z1cQc5w7#TXGOPyuY-G;kj@WNYNY{)&ey9~*gk1$-Q+J_&7l;o(7#4wDC& z+{PoV2i|@Ak*de*pm;0cf}`W!gGPS)z>wn;FFoI+8FX;y$*I?X6X%_SHBZgHb^XG_ z8|7xd^V6*_lVYhVqQQ^pV{)^GM}?L^{;BQymsXj(Ee&17G3`Up57yVvknlp!D_eZy zKRdTMYs_og^XJtD@OF0IGHpMSjd3j5Sf1by#=g|DskxJD zCA~3o@Sz7|m%780zL_ph0J+n46gD~je!XiduN8bKPA??W*n|oFr%swwH;q>qU)LGm zKB6-oS*&ur`bJmBGuOMM{{M?b`o#b5EEYm0uL6xgf#8=OJ`jTMM&8tySMbPykfw77 zI5xU=^7OH84_pJM{;D{1`2Ae+zy5&BHJyK7e(>u$K;zUwLvtbaY@-w*qrgEN`~AEE#q71+sDz;L_0a>5v&t?GH$}1}6z&ZFY86AYw#nDLYU$ z1gX8=09lEPz#~lU@%w>RP%GsGvT-uRcj|LIzATQ}CETmZ%^`05i&z8u0lB$ZWnpkT z_fz>AHN2;?6{)j*9^4zgYrO%l4>#jvp;_(C$+af?c|hx4zrPq>>Gfw-RzX=L3EWz= zSpk2Jbq5{_`E^tQKj{h~xN2W+R%J6*=VtlJdLdO#Ry0WgclqqYVe1D4qwpNC8jUWbc4xsiJnYM(zhQY4qa<1K~&QeZRiKuNS- zpDzm=@noRcL0&vyC!$sl|Fa~+0Y#?G(aKu(z*t0Ygo6<3M*@Dxv=DW@xp_)YJaw`5?<)_)SCS}pl7nY_6fnA0AnIqN^O=eCp+{!E))}> z&|pqW!adQXk9NQd!()O;a)0G4NDSE;k0SPukeLc8YX zMBYFuUv62AO6|**z%@cG4oLshpuwOI|Oz zf~Uehi`ttlRgP6cm1-Zs9$`B2AGnRDL%1_s6Cj^K!-#4r5Qr`V{&%l)G7Ks>1??T3 z2ty!{8~qw6M6yX&JVWdy-;x`?6HJEcdVJxb!C7*>J;jHWP-b88!zyidu1^A{aCLT8 zR_Jl?QBvjjBMh9C{A4S*eaTZM`f>+VZZ72RMZW4I(3-vgIf`ona#MTDMi5n?y_$Z% zFIr6WzHEPv-jo|JRF|DnsI&b3=qZItlB!eGNGiM00eUnm3dM!1T2=nb(2f4A$aI4I z^*)HGQDtXUVgi#T5U{@Ao&~$o7_ZIF^5lYVAIhq*f;v@6hGogK)s z@Ao%Bvr3guK>y@;47cO`FovY8GAo4Z(yI37N|oQlp&Zi|py&Yy3FLi+fi^)>^KE&U zsj>ps+OSb>#;ok@D6c}T4HuCH|xzE{`@ul5-> z#KV0%b|G-m8yTZ$xHkwwL(1AWxP5>JYTp1`1dWFiHWqgFe znKG4{6fizXgHz>B3S7;ABHe*elVfZ!LV0M#5W-?RSymDc-B@-tUgZxMArsnz?OpR31E*m2sk5^KSGBkpC>Pb)Ie}<- z2bhnQTjNwPo*z}Je4hHd3I%X&t}IZ(K$W7Kp^8~$H}ue&mBT?&Nm4EwP~(|_C!s)r z$a#=Wfy!eFxi6yYC`2os&4Uu<y};a0E>gy0M>_}%$G~c;MP}Qa{0<;5*UVF zy90|tk;hT>x37zhM!w6{{_4OCu&fLPN34i6KG;k-ZkXa`lcpG*TEE;wtP5igf1E2r$D zPL-Ww^iuy(s8UW@A#_2YBnDKBT7OPXfGuG0L~tjpyk>x9d-+80_X4?V?52k{2*aA_ z4`hS31BQ}Q|6wRekoAm76aTGg1pHDm2XpOD$_EHp&@#SJg9P~lh0Ca02Ei(AGOS}B zfZCm9Fs|$X$~oAyWboNr2IWKpYC1M${}qDc?%97u;5c*sUjev`+W!-Q-z)|QKK+Y} zGM-2S(9muJuolWN{QrW%A1nZ9yCM;geSaB-@qidcoZs1mN2beggaDoxfxDrlc)V5y zuw-BQTYK9PRnA0wc)E*j=f-V`Oc!{?XY{mLx5VF0CrdG z2S|7tVE3SdRz4k2chzATb>pYz{|j^vdusmezhBirsh_(W3>UKL;FN4Oz^|g0abL^~ zJ|`ox|3u!8*VzYV9;tuxA=#erA>eN7Gs$2BSPrloOE-hR!|oZ^!NBm+AFvxr2{8Hm z<1%Ulcy{T{J^daC0xJ9VyU%s9`9APjK zf^6=vE=UHO2DHh`_NowvqS&IB?GkU`$CAr;wj*WyEB;|bpWhI-Y@+xpg1K=&=>vsGtqi7jC50dRKV1{{Q z@Zr&CT72UHdCP`@c4#hR-*)JFVzO-a*eHS#KnAd2qxl1QKfCbGPwgW{hVL@ejD^Zj zv32{<(<`70&Oz(RW}FR~vH@hB8{jlHW^9sQ(+<5ue^-MM1^)_J8Ltd}Yj63kcDyg6 z|8}G-+j}#wp#*Zy!^wBl-$V|pKAislx#6MC3j@1b#$oA`jHy& zw{?xZ+-e|ihA-h^nSaLIu}(L;pSiEy*dp7F!1N$v?)M%CO#bvd=+qb54GPe0i~gU=oc{@y`t#lU^6~9RsWUbDOW z0e+$4H>v)F?~>L3I+?8g{VHTco&U#CID15~=689gqy;S*6b`M)C{Z9iqVOA~m$a6a4r>fkk6pr01}hIpHK;f zNk+6~9WGIoDDV(^OO4mCYNFGU==|WBQ5QqLVD<87JlO4NB3KIBPD!xfNlp0xb}bl z>RIUa?>q44;{MX@`rj`~R{!gAx!eEyC|vfF^1!esU4~FPb%L|9+f;9ixkuEvu;5 zzaM_tY_k$OBrIE2SC<9vfO}?;v1)h*)~ev~8Oic(dOQhFBaJ8v2R(8TmhIoqar^h% zY^zAYo1YSt`bRY4(s!UNS%DNdu8E0~27p-JF!T%}#M42tzV6zCasU0o63fEzc< zngFlazu#(2lxtN{0erycQ4x7h4VA?`;azfxpgK^4EIbc71PAo+4W73Xo(HchO8mXu zK2&pDmUTpiTs$Z+u>)I~br^mHTPZ=vK2=p$ho8_xn?g39uOa8kYFy-z8?df!89W?X z+VR8_e;SaatT;Am`fnrh`FP{|YRA`yJ&ucy$s_W=JNf_8_5X83_U8-!kTxo{JRp_w zfRyFUzeZBr?_&!F-dBXbLjE%FU^cb?`|H5_@1tjx@9swR}+A z^1+4-5H%oxGEO$Y-^mJPNnuMe)+>~7K#x17luS$kaR6)T<_zqZPJ2gNCP0>if|fNI z1ueTX)?PVg|6O<$wzS~L%_(a#R0$u%p%O*L@{AHgdI?An_zy1|Z7YG-=#d8AEsL;2 z4Iem4;BP%jfaAL}>>wjR__RQZ?-Ipx#~M=LohKWTm6|u?H4DR$`{8vPGV}@%ZBPOb zlM_-3T0oqQQ0o!-5Gds###ejyH~MT){o#0cvvLbvgXP$cyI$qLj!`p?G$RY zCPS96&JvuQx;Z0JnNVUY!FPL#T4a%VvH@;Rfz9=c@J>Ali-Hz7tygh!(Kcj2yTOf6 z{0t|EzcssyTJ%b}T2L-HF3Z@W7RRX<{xXQ7GbYsjHi+KsV0^BFEoDMg8$~nWHa#)Y#ZG_ePTK>>f-3X3*Hkk@fDu zBo!VPt}u(q&>M50sY^Q&yKpc#1PLa{`I2`EnMXo2vJa6VkfI6Cqkc%6x*2dzz`M<_kx0cn zVy3@fcX%exHzuTl-!ein(c`$*r#XgLc(&fkrT#`0Dwv!5a+cPqf+h1ea@F5xQ<;0s zEFHs}=~!OJ)bn~~oTx{!lkmrcU~i0T?TMtnGalZ`H}5!z=b%hJT?<8-);fot%Xk{( zPS3HisT1n$otdR(L*lfC*wpEwXh6&gZ{qSk9Lt2vI{YH1+i{X9=ij3Rg6?)YpV%-@ z-E-1}wjlpJ$xAGOGKVIfnP6p9VmkC&MBh&1DkNAn0?V9{nN6)8n$Iw}d+T{5} z{!xQo4H*@)IRn$c>1YGI2tJuo{!=w<)Po}P_AHPj-gDyiddV6XER?pL~~)N`X5 z*M&uFrd^@0Z&cuK&@YeWr^Y6XPOpuPnNU4nRhf?383voTnXS;JAwCq>)?^ko?>paX z`QRz<+drYc9p{F1MO?o4kV>edp|T8QKFFsDqem7Zb4OruVZP=IHva?I5n*pnOW)4l z_|a~`XWiKR=D3x(vKZ0vw=L`zYW)aE63s6PBffpxoFH`OuLxE6Ypeq=sZj`9jGd{u zKQqes60L4hh2%cqQQ zzGc=y{!3lMf#wLUU>G`(VMmWb zQe&3d-ez7#yPvsk|7yPng=Xhf2ls8^aZe6JXG#uuic(ywVU=_pA4fe8Fe zF2viHT=MV<)|0d+mknD4q*KKr{5`PG^50Mw5UdDi)M9$n@6nNaw0FTQ$s3_Sy;^H( z6O4W1?R)t}M8GeRBs#BtK$wFH`VT4W-*F>DtEj{oNLVFminpk>GwY|-H{W0DuzP^c zch*NoApRUVy-Ekc+8{09$wn)G=V!c zsux%2@vQRggrVcw2AJA7ywWm@5xQXG?L&DB5k4j)DV!Ny*Piv#K zqcb6S+WipVYy8ZR=R=GM+C{j?PtE%~QmK?iHy4^V@;Y!(G_JECp3|@2&2XD{G90tK z@g>G^M#*ti2iCqh=hTAU5UInl;vpnA8qMR)@TUaY)lpaogeTya`B^au38#3YaHe<# zGM^!436h)d38&(_ONJ%;#A z)|s9q{JK=hn>J?_=W<1evx9K_BqN41MLA20lb0!4>PT=ea2cC^+(`SL;R z{zS8c9VL^ozzr1)Pup!BS?r2bfur6mFc%u;@>4A4Dc%BR6db@aOlQk z_k0%H=nqCwW4o>rP+e(`Rja_DY-m%sm@rFARSc$ z>zJ?#q@n#mvLvsk()>Bj!oy%4!CvEf2Iwb7#}4rZ{(gHdbHu76cW4hhfX~ZIMO=wW z{Is+qc2^9rzwfN#oT6J{P9qxNRN_4RbqPYHEy5 z=8lG|@J!3!)P(cdq>-2um28Wx1(uaDVgX|GJ`<;BN5u=$f^I?|(1B_Zzkmp_M{K)N zh=G3yAE872Kur-s=IPX%p95{+T}+(d$VNt#Rbnhu`jptj_a}_G!D}vn*7fHr(~xj~%x%tPP8Ie?ZK{%S;eXI{a1P00-=TR4s4B%YDW&pp#F+U< zg_X2_FddO;QVOz6V#rwrwyIhD31}%Vl*A8)2@!iV)^t)CnW5qYajauW%*0=eE3)CQ&zYqe4s5t7v;a@ z%q7)EvlidO_cc3Ll_DX778Yx9$#6-Fg{$V5aUPWu1wnUD6lW51>$km1)Q#JhYwMLj zyK_lp>8qz6Y&iKN4hqRl17OFPtH6Da9^gT*5_iTqmo_Nu^J_xV8~S4K_KhOa-G58V z&kO4z49FmSEj3~xioe5IKsH2Krd1{WWU|tddE&k}!C>>N`2-&)7>o~Q#4hrQajEIbro>5Xr#YE;WZ>erJBERcV1G(RyY2a8>uA0+X zk`1PhEu__PmkG$duQn!t-W1_>GMTntIC3}7(r&!2{#VfN`hY^T0e&{h>YZz=g&3S! zdFPPXP6h$Z7Jf)oiyWt|*ADX+Sc!A|Gnv%d^a&`F>cymF`i`YG!R1M&gH%^x&RA)U z3mBv9X3m{#HZV&>qd3q4!~4 zc!ujkPKuKd?nFk=?p$YQKeWwNno{~y`3ABl@L>JBToBg@so_Tj9g{bMFlnykDYz68 zN|G$t!8R^6p|5Y`vRyU%($8GR`rGxbE-DztYHamtzgo*Df!}}-x%z@Ra;F#^`OShk zn^Xy73r$FT0ntnd;GrpyFyn2yfeZlBFS1eEtPloR9U-l_O;3lm9%);HJIZuTWvFc& z`vQYS!%x(_ku>L>PzVe0QL+e+B@FKCy5*ugEWqeFf0I3Isv26_YP-`h^zr6bh})8$ zyzOo5n9~Ks8w7yvMBuhTdhzcRCUwANq$AC-`Cz}ZcAOd_Y^oP_sLwsWg1L{=Eg#LX z(!LJ%yH0*hjv{f+$TqXU(%Kn|m^xk$O1_SaN6 zI867fS2I)GEzLbhXKyMVi9NNVv08)Mq5+6&!;xIDu_Cehj+LgGMr$MI5LvThn?Dud zm3XFoL2(*-zY>j$B0Pn!43)dHAqSk(5m-{Z330_Z#a@;74ss4dC;h|Y=q#5$9v7E> zyf&rQbHT?xrFOlSS-XHYGkHAZ_I%~>*p&L-wl^%Ks;?ScwBh;C{Q-780Lw$>P zBtR}0%cIFR))hai!1p>;K>c$2@ydL}kG6C)nLB}$USJ%ruZqw*nkE$`@d=?$}eA$$hMKpAWWP$G^%g=evlmp2K`1h~4Fb*W{#%78GWY%h>r z8z1)>hQtT1+jYb4Lo=%(O%*8$D9rxyHE6MGrQSGMd*O1!vGpoL7Z6;{_tFGwIGP92P3i&@*d&(Tf3O>1r=EUR8g;aVURN7 zTbT6Ki|J+cqpaO|ADxT-X}X+P@&!AD4bM3l@GlVfPCIJpI*27IoK4Dm*gt3-!xxe+ z_UalbG6IivnJ{ z40u$>J4;GlCSzx2BYR$1HuCDB6bq@HOCocDqywl%?8vFHKF^J*c%Hcx+=fUJf1cFR z0TgoFpaxTdfrWggXMiu83yW|$$q_rElIGAaOg6bpUb{5Kv?#vz;Y*`%S9(wIiUxm( zJB=L0vwM7|kxb2V!lYOMb2mAGIYKxieF~4o@$!&cWc(5+zD5Em`QA)Zip31*c>OkD z0|Uh;suD-fsc&A>P|v)S2Yh1TITP$Z)os&s+8&7J;lgxa) z9G|dtOJ_!fb`niwQ38F{pNMId0ruhJNP+!_1xv|&p#Kme8GZ<3pV!8rm;6|VUD6wQ_1}xR%Gli726yg^rdpL_o+(d< zm@<7IaQDw76N;Yzjx{_A26Fd0D}r?m^oeJZ@dvjyF}v*_8keRTiWuW32JAv#xIWEd z4o_)wp5^=4U-^z&ey4~VBlVhgY3C*hvX z?*SeU3iemBgY}^^q=I@XUIgzj(S87uVt{yy8dS+Ov)r9s#}aUm43SPCJPe?Hg1f=` zJ$=C(C1bG(A1@XaOgH~E1$_~}P8LEMQ8H2`j`P0)?DW9uGXsg86#hvlToBu0?Lq2{ zEo#A$S06{#nG<6V(SVs}?)C3YjqS54fFuG7jAV5X&5du!10|o}dO+xfhVEh8Bnpd@ z;O;@Z`1RJ;tp%_?y-H`(Pk?^6sv^wi=BZ)bLBE)`Q~yMry$*N|k`N#sfo*o%dO*DG zzBp_)dG&M^mW*diT0?u={Q7o8TDKKJoGvM+Lm_#@zIcFbZl$yl z3;P4qzB_-t{UW5Hb|7C*rpYvgv4(_7esTDWVM)BBS6863vDO-wu*SWdtrz4vB_Uy- zO5A7Jk;E2w#B*_gJH{GcwmUnqO{x4qgT+oOY><@63RI1lgEeAiB8W-B#C=J}($4+} zViNgHehE-A-9RTArkX>8d9yINI2G~lTJrf79T8nOV+PwR-fo04ut$&Ap7NeECR6L9 zQUT&G(xF@k1ZR!8m`uTXrlWCzdf()ykH&7lrwR3CVu3{KOW0&MPPsHPoWAbuB^^Q# zhY02{)@+Fek+6VS6|lg@l#T$@o8VF;E+1m~)YPhV=o6igk*#&UU}guX`BZyHNry}a zb7hRTL>?MU1N#MM=|Ee@?R%3BXD37q`DsVrX2wxJex?w7Orq@54ro^Tk~C3e3K;0x z=8>)4@Kkcm;)vhaA_E4g!QrmXZwnt04^K5C2 zWeFvIFrW_LS$iigg$Z*y&?ST}Ooc(q7WeGHSX|!%X9}fp)bw~C+@fhGeQa(0~B9S`Md27dZB#YfkSu`zwG>}sh@R0V9CKv zfVK0pB{M*f%C!u ze{Ws5*Ln+HF0i#*xdRQnVGO0CXBe$NBWA%1q2V-A9tpoOXKU#m&VoH96CC|bw7@pp zggY`}FdNSRP8qSk5@*sL?y=01#A6==ip$;j6nWLSP)$C9jC!@W3rQjYSZHbgupU@( z=-;%L!NSZZ(bc>zcovbE`3~7?)`veZ>zj0DJz3!g(KEI9aj-l^9!HT7BI`C3B4#y6 zdf_q+`cpCUw)0TaR%0i%uz>B60MNbA{K$e!{?8E2*x~XGCAa-^kh=$}GL9?a?zgR0 zGn-1?{9>|^3=OHs6*`!%0+IgW0kh$_79YczF@39+H{$hxuIuOQka$P^WGMla^u=2n zH}WprAE2EPi8TzLiCbtjbGbps7eQvxZm3>Mv%u;i4OQAkQY^XpYpVAl{MmN+wbrQ6 zn+H?gq+_MG5H?v+?Q;-oI#kXlkA_Ut=Qt=Zv0v5iDqRIY_vR z7QhJ0^J4B8)5ZLDv4D9)5EzYOh@GTo8z5V*u!=9>E;{wK%TNc`daa>nnrWb>WD~;> z7g+p`!nCPiIvD`2nVNox77hPCNus<4f{X@C>V*xPv19l z_AQ*g@Rk*%se?qf@(KKGY7pjx3%JzU3vknLCFGarCAJ3fuqi{p4m6jvN+rl_2Ig+D90|T1Ckcxmztoi< z%Nwl+@fP4`!)Nw^tcRo(Y(<>yEiIa4`d%YU77BxdF(}hm3eRmG$aYNC!oK0#t_rrc z)p1hO)GFv|)ees~d{)pw?zjTWLOoN!>6$tBkG8p#ILJS6PvaG8?{1t+G0zMxgd96V za|^S9as%~w+Ut6etADUrVyd}aq%+U7*1-ak13x2qU0yE~zRh(Z7q?ZD(NbHy*-YzT zhh_{Yt7CaRsdp!__o>;J^{%9N=XK65eutbR8AF~G;U6Jlo-ReVSMr8|<55ukD?dC+1>+EPY zGBy6ynD0R>G}{1)TGM+nPZ(l`$hP53n)r08_ap9cJiMu&d6~UF_&Cs3n!C8u91&o? zz&rAwFvne)*>rmOCq$YPzx*O+4p(zbGXiE`jx8C@>%ahFCcU5pz4DFNO^p*@NG}`H(Y2AsQ|zlHh~9k+)~1#A zGnRY}*xTuKl1I|0RFO{_=^1Ma%4F>3>rNLs>#w#z!nCDIG8B~Z@F(z#Mts9*k+*@} zMTJyo1+xTcFsr!Kyh>!6M%RBt2Lo8hhgJ{5PY=`Ncp}QC%`*RK3$>qaSisYd{Vyrc zk0&2f$+w*M_*Wuqbv>Fx7lY0iFK$6(p#5h)L_W*|Ie9=Oegx^|N+%XRgJ7`V1;TWw z^fA6P${pnIYApuC)2HyZ!_dC~2AG&Tbn6Q;GW;sB(vNRnp`-i{V!XNWJ2sJ;p9e$) zTg_$@Sst8&=ps)s48U#ayZ| z2`{jB#wnz;IoA-e>|BX#-^N2evT|4c1u7(M;0xugY0LF?y+AFoU^I(fpy}Q7 zjWowP((+oW;qxqC5fSjFR@2z#L#G%*#vP8OqNhw|Cbm0K| z#8BMbc$u|z(*vWp>sd9OWiY23)0~B=!2Lkx7N?-XGQ?)kl3&`Q<~~#~O*iuEu-#q| zdy6;HOgsyxo5SRq9YJ^!b`%#Q@*djinyq7kA1$W!Ytw*C>Z8t)PFiX)EHjL>pwbsi z8LTrq_I}vN?=pJW+LbDCk86Re*0=V_(utf7;Pmta>m@$5DSPA!SIPYK-!p?@8dULm zP#TTKMCafcdzlpGYO52;-WGMZ-WEq`rJwxpzd*86?QV^V^FS#IsHtqE$(g$3J zhcg}B&vUDU=h(^#xS5zrZonQFPE!|7nBn}ypcyE2L##D7R$lvp>!=}o+?b|r+hsNZ zZJl8I)>xf{@_HlFQoB$v;|1JA+~NczKHC8pA|?V0!&2ZGXq%Cjt(2Zp*VZ-G;nHib zqA|A5ed5*x{5=>Bm_m$8y|6bo3i2X|Wr!Z+`imw6?4zHVj?+uOn#Z#FU7gN60a<1z zLr$3#sR&~~1Z)_3QtS!}2>v9gz8WA>;gbrz$ntbLZ6!sJztd-i^e|K#-Gi7EekR`x z*W$@^E@P60DgZnzq@w$1Z94WeJ?h*n78aA~QYPY8GlR?LGCDrZy4w2%VSwWT-Tbzv z?d5!zCO)jSKaAt0q49iInvUygoWV3?yOVm_?LUKDhvR7{e0KS}QofR!V;vhqVB9y) zr4I6~|GP5teX3UMh>kqXSnAa~jE)+5W(Ai@pWs;bDmBu07<^<4$DQ7o_Z2er(U4DZ zPcX|JVB6H}`}___ad9%aa;=*5uy!SVEoBMr?$udxnk4$RREnJ=#SN$uEZ@HZ@*;PP z$xbrA@OuL44PMDT4dg;=H1-83)3v!H{>t%868`q|a3O&#wruS9$}TX!bUl4N@Gk4Q$X;{HAq-3NouVD>$=*hdq7Z++aQ zt+5e?{awm`o>O9LN>~8~iI1@tziIk1-rk8Fmn$`*r$ug&X`Ct4F|q(L?^~1UK9@<0 zvzYXT*O-AZHnx!Ci>=G9&m8*ta^PQi~%E#UxPZSI`f! z$?*ViXT#>wojBZI+=L-xauN5L_%$UxNj6AY2Y-j8!14hJIfeejyfYWsIwar_9$+qT z{T$!M39Z4DG+|m^7V=#PN(jFu^dC1LoIJrm){kf}9V&c$gmEw%8LX_mkLgkTK^l3E zU&H8Zws?P;vQ}5v2N^zB<3c81_|USvcL@IG@7@>`Ab+Zjo^{;FWlTD_EvTuX{b2S zwMF7<9@3VlV3y;DUhy68ye{?Qu3kL(wDU(3m={}Q@j{h=1g#LzNljHv>u3IA5*JA2 zAg{<3o0cUtKTZCTGV2~Fz1bpRDz9xuxGq{d>P(S^0Xpl;JWSB!jbAx9Lhb8KvDuEKexO%u9fQHPC-h`Z`G>8LBRD ze}mL{ywG?BZom0spSStVHSa3>=&wNRl2?1)rgzX;XKk$VlRZJ7n`n*E3mvH>(+XZz z^F(&*3~vl)vdsYc;qrClMe_m!KQ4O444RoYejwY-jrQOP+5$>Wq9pB}9`0z%iqhI3 zC|y`^4dqn_XU&d>-I>uE%gA_|%NQH5>?o;`O|%d6qW*${Fyu6JCmTW>zXvaHbmay7 zI?IPjRUHKb707C?F{b$?R4x=}k!PS_=?tbhJRdf%iZ1~dqOJ|SWhFZIG9rt(H#XU0 zb>>*=&qgHuSPg3-lY?;j-V-jiUO^r^Wy}d9@`x=b z-ZHnR^L7kPLFE=al>5?TbLcLYIR@dx+tYLBDx2Yi5E2DvQY3cAbJ8T?E|2rXM5Rht z0F?_;I?zd47gTY{4+OW(u)LbPn!uR%yAf7r`7I)6zZN+`?Z9k`tjW3J=Fsnfg`!|P z8*BL(SfHr(;ldeWLUA3EQapoMp>ibn8OEzZ#S3~x==s4dD4e1`B#pugrGxxw_sdb@ zR@}v7!7OhP0xU2;ir;G69b@ekgA4f4qKqM$3`O%;kgMFg5dRAfPaYnF1C9|mJ#!73 zd+Od{bL=}!x!+s28Y^${TKRZ>U&1ML*SWWA>nu;eAYbi3 zN1Ett9z>?oY<@i+Qa?KMi*>XL?vKY|Yb146XqwqTT6U1}dHunJK`Zd14Q+CO^rFhY zW&k{vqvGuj$2>&5R?>HC{TfXpiLrEj-LznfvHO zxEj8!Z`l;~;_c(4vt!}CgUsOvEqV$1F=t^yW4;i>wbk37i?2%DvbfGUMu|=+CXq%|D1-!xy3npzF2oIpez3JtuZ)|5F&H zbI*#VkHSf5mh<5*tvh*zMnieB>bxw>imspEoV7U)bXJ`>@WK&=;WFi{oLpFa5Kzf4#6tp4Xa*BHr5>v?= zNMmGjv{{W0@U*HsUwMA#iNu1d+53W?Qb| zU#J_(y<)0wy{AYAih9YhVj3M;=MIc6NJV57N(v9;+%$4%=!)-Q6cM)40$IF=#*b2kfqcD>1t7EGL&={Zk++r0!Ztr;UN zGdc`@9twSp0%YD{u&@O6fH_CU(#;>+$Rwc9(PC71d&9EGS`ru(aqH}ff_8AxeqTI{ z1j-#ROUkACCAQ}bvi06a1v0w+q?pY8WUw3%xOFjboE4?1(m2UlRCebGOb`z5Yx@(n z>5?UQyxbu7K^M1bT^-+8e&ZaQK-da1iz_&Gi29EEKolKpeUh>iSjoa7b8O~~mVfk| z)r1F_N3*d5SXYa{Zr!k5SE2K;kO_xrK|=wZ>B=Xg)D|vfSoycK(7c?pCuRD(f;l}Bzlql=XvGeLV4;aIuBm*IfX*bN0> zE^3giu6N4^%Y8wAue|vk=E`6?Wd znSV&Ftp;O97kQ-wW>N2pKJ3WL?Rb4g^IRYwd{0z7B(syU~-Hh`0jg z{T|(TgQg2Z1n%)zI;7xJgk5=C%JGbIyKrxiX2=|WRXRO|$3yW8l}2BhI}AE@6P;B8 zDZNulYk97HmwkiTRm@v2_46dZGBjjXWo!U;aF$xn(a zmI547S#IAm503s91+qQ#DBm;qg}}a*J%RN(SqNMjtG)9Pj;Aov+PW~lDaE@lh6y)c z@_y3MakcynUKRAOc}z z_t?IKGjxeSM`q@#21#aJtU?mWFYgJ)rfldQX2WqxbDgsN6-)dQ*BlRGS^+$fL!cII z5KVQPD{aEjF1SEj7R6Fr6We}@XeLE!c~Os=AK=sT$GFGK#=b=!N55&GGNq&SG*b`S zZJn!5T2`g1f54*yOM%M@C#7SqlVl<@unCN#<)9{y=M8im<5(HI#yY#F+M@OR3OdSu z)5Ctu6nVlxg>3$g{30-`=P;Kj}@wxh?*gh!)}ub{u+zZn*omR7At$lL`gG zWR@yU;lCy!IuiEy&iDgfwoNyXtk+Q%E=gN<*LIoNQgnhQ)clMS%!@by>tu^9 zm4aVqrAcz*YMKd)j5HA^h=aUc;dCyK!&&79)lW-FEO5Mul=C^VeaM%lAb2D8779C& zxK}zsdb7RUC|!7X`KwSYI$jrQ^~%=LCz0i_4GtxEBM6D7o3q71;v}3Dt!;Fw>ACjs z$c6^zP+h~(V|l}j9f%jt5PnNCYX)xD+}c?cJ$Df}2*{mTURj>|80> z^`e|&>(tpBhv+--LtP&1_w|KA5yAXJu_SBQDx}QHeE{5bFypo(`eAOPnBs1S&ODOd zgdfCnV9J%w!ve}*fNkj#fR&|7eDc`+>|otv?Imgx)=T4y=1iW8P>DC>YF`oT6BAB@ z0m8Wxn_{s?oBPC+^7uJ~%>Iz#OLq*P>HHME>M}yZR#RV6?rK@N>oX+-z-d1eF z9!htfGvJY^$uc_Ld4yGOX!KOPVrK2idY3Ts9CwRoJ_?&iF-c7W}dcx+MA ztN+ZpMnjoT+rO5jUBx31ZcvtB*n7NHh#yLqNHfW24J~xB_&XTPXj0(>v4F+{fIIjz zq7MEE%E8nx*i@uiTOXtQXXKuVq-=cGv&Z$T8&2`n44AFPrq}q(&Rs^*mDFSolWIs3 zKbT)EM91*CEOq%isJI!+tFxmybKun7rY%}@NBj^xdsTQ&a`~e*R-e0L=yh9FJk1b| zRUl=t66*{-sfSZuE-29s6yy#p7fjGQH6=~1renOp*d&2;STp!p{!Z^(iZnF%!9}UkL8m)Qb?RVk=OKXGI z6fP|lrWpA)ca#Tl_Z7S?@I>n+cOOJP#>u3z-RNbVFi7-zDPX&xBhx^c@RMofAGYL) zQ^cC0KfuYGXB}p6n;j&)w<`&eL{&GX9#|cA}tQr;&VdiRd;l> z@R$Kq@>^4unZrwEA@qscgKl2ik?qLeQo<&|`Y@C?mW!+qG|&QD*hq)KIa7&EIY7Ov*Tz=HcpNy%t;dma>*40KWoHi`Ld^QL&*F zzU!#fh0jnMSQ|1y5lUry#5nq@WU3z({5pyZE-JLv4bFjFZ{N_TViia+!gJ7k#;iN?&_u9y{cZ>xhd;Eii4*DYOS#V}Hd( zXISPNp?2d!-!|rldb-2WOq)9b#6$izxU51y1t9@(M=ql2H6!qcY)NYdn-Y91pY}oP zEn@}lqvWgSg>;=#c<;PZ?JvNqRZKwn_&&AneETYSNRG(U17FidV|F@_g_C3grW0y!0@_YV!dp zUvyg6DjeMMON^ISh9|*n%08+DrYoEC6L%;Ta!3Pl&)hif*=NG9mb;72l$%8c!#dI{ z<6w)M&5~fKdQy1Gu|0r~hprg>-bA?NBDY-yye7kIiap&7^7+qfI}7;#>OiJYN9BKM zI=WVcJzsgYhrYv^xk~PFG0k=|Cgk_YsH{55p$lAtUE+ZrmeQbAxP0C>8zhI^S7bQ9 z7FjISRJkRR7csju|BG|&A!R#(sucw5D6$LZ`# z?%ED)D}5LZbN)l?c7;>hUUff9Dn_+-$G2%J_nTGQL5La64|nGd>9exP-}D}lyw~&L zh%_4iMP2~LZo&Cz(pj1cy^$$Ya!(;}^m@G_5vFC4w(QkP*Vg5tUo~bO%y|*{>yY>& zsQ;NXVm_c{HrSB=;Brb3RRx799}>Ie0t1-*#4}c}q+aBiuwQSFPOSe?w2}*aMyRKh zR3F{ig;|gFX4awvQY~_h!B9N(fyFS}{eG0KPd}xjO&^ncnYCLk83?ESt|LpiE;?aW z676H_rl;$L@2ncc+W)w2CHu)z{y+Q_XV+mg-~R$wJaMb-I0alXSf0RK>C)rV>MoeV z0O{63?zPy)df~b$unL=-?A8hqn~LqQYZR^9(j)gr%K`nlZKT+Iyhq6c#>4cr9;kk> z=#iEPy+uA>TvTjE)+6!YnKMY=d7nYdihni_N|(FmR3N?&aBSXzgvwz$Qg~m-B`{&Q zKIdVie&zT?`MG+nSSW5oODxr_@|bp~qbTHAIu<+{ojq6VeL)Mj0TlEwp^50=*zS!v z?QYykb6w9{Y63#3LCI&lyq*bJ{TT0_7bQ+sMif+_rmN?Uk~iscqNh7(Qc*IsG_8QL zN?rnov}II)0TXa!6cxOdJVBJIot(~yPl|QeCiJ3U!tOy6$;_fO+*A3*@^HS;-G~R` z7@7gELBuDm5!3J*^rq{mb5SflK<8n_^LWvhQU;ZC+vJ|m0hPb@A4RsMarR$g3qLg1 z8Uy9-J1FmA1d45QgFL^nbr@WamE_wyiC_xI4lHPz)c(7a0%KIL?3jf$`a=XK4?FBF zew8!|qH)qBNy+mg{2F@NYfV!1&PO>%fy}p0bXU=H6Xev&8kuj1g^Vo6^x5<4=c$>^ z4*96?LOl0@4t)?_XxYT=fLe~Ip(Tv3uEwUoYq|S`P03<fx&=P=aiW|9o26$oAxo+d?7A})&7%AG63roiEg)-(=WOg5)6cPrf5 znrL#Y2j6V7&N-5YZkN?^Q3rd=Lu|I~0W=8dd@xJRhg0o*_`C2knJ;qC&tC+#@A<-2 z$IVMVTde57*~Fzj74dwJa8yQ|G8@akzu`W-q@`d6iKa9K8z?dkTfGc_OHMn3q* zKL#(=HmLsUrh^lYcu;cAicFB?Di=6Vy;(?uRAFO0k>F)hfhUsU}Y2W7RB@SXH zFq)S7`XTv4)~)FqU$TK3YbRC2SG6kN02eIpJlq3;iuwfB3$HHt8%r+{TVUjk8)#5f zYFiwPC>GvI%Uw+pi=Kqu8J`>ahGfY1z#1hd3Lpx5!3nSo;elWWu)b;{lc)wTY%$jS ziGe_X_48O}64d5N=QZ$SjMJpZQ`hX^l zHDRm2H`=-YxnVkN(nvC?sLlNhBJI*FYHa*j{#4#aRq-=OTJF!86`3Mh;S$QIb(wy` zD`1Uuzl`7k8$fpAA#g1yA@*eZ+${)~i#;eOA0^kLwMU)R6&KpAX+p&ek-H5;rb9DC zWyC#6A4Y6Cbj^t917YeA+Tne}V4kVF)5zD?ONWOwZE)m+ z{rxHE9LZ1OBJF2Ho)2wl+s;Np+xBN!BtHHx-YL~KAQmJe!TQP8dQBL%=MqN|o?+S1 z#afl0{Tj8d&OyUwA)M`-iCDVwI_Ok0kaz<A^Xd5%_c`G-9-ZC1{f6()|>TIk)8Py#WDN}Um3d5pW6--K*UVB zp}Z4a>a&8YEA%Z(mJgNAMq+>tCGSY%vWAxSMRGZPqWS}eh&`x!RrKB zFXf19t!vLz{l~F55W{%fFLx>9>!P6quCcPziob?!!NNn+ptL)Vp4|Ee*zc`VZPjh? z$L*8A;my{;)9Pg2jxl0yQrc&RACkn?-YRq_|be{l=DP zp*^6QRE>0ORrlH<&XK9IA};6Frg5WU#ZDBT?*~wun3qM$Tgb^FbMgr;!J;gNz9FMWiVA6{6&AE@r9AF5wT!IR07Bc%GMf zfRHK%S3-TB^Cls$tIt>3T&2P^Wtm0I@jgJrN%pQ>if~1=w$$R&JC~WbC1$fn$DL1T zZ?O!L@ShSdrAyfbR&=vKlJ30;YoRcKO)Cc4K!srb*bx3jH3gr6&IFgNqa$tOO_9Cy zb!yL?=e*Cz0^dF?zD~X6mC`h6gmeS^FIJsgLi$8&Cd+PK?vfYOsdd(&IxfTLctY}k zvL`l0S_*$OjI3?rU&=`tE%l-=Z(^OHT#5-%3sH7a-$oaR&7C2PhM4pcj`0SGbs?sl-yhvTlg8Mu)y<4Z?6ySz5Uy zvj^Ql-`dn)j+-1e!#PG>YT}cVKBWNh!>x9M@TQ^MdvyhACH`$HCB3Ag&XJ z^uO+NECnU{rVfFq`KRl9FmEA8ySR)cwPnDARk*c2H{spAG`%JM!o0^Fhc%l zyU~Z7zcqm-Hl42B!c8{VE>mu!R6hjA7tN64!4^;eMUSHSqik;&Kv3uY+zC_UC2#BtGP#%a1}bJDkDbI$LWj1L`!T=)_g+RG;5*1F!-_X@@iWvN0qF5EULcH?+uEG#WZ_W_Drws7?N?L$Fe~vd9SOsQXg*Ae`5|CS5&s%C z6-lS)4f(W~g)L;x)wje%n0yDdM_y;_7}c1hq=^NjQhG1*p8q}M8AdwGG2A~}7!hP418z18v0QzffH`3qt1`hlvon&&>7&sH%ww5sNrrq|fA@Dsf zRJ{SVrD`MTY`<^Bg_1)8F*=S|-2JK84FnUPhOF~brG9`WSpgwRu|$dToP!zA@!nBj z$FMIlaFmjx5QmW;2i0Y?IEN-k`$%5)uVMo(&D=$pXo*BT!?=g*2Y8md(*@!XYV=(~ za-Hj2G1FP7`IjMUw9GGp7SAT^gQ~IGd@{D}jC)^{bV^w+<>1}8j}MqBcJU*AWBHf# zYVlA+dy0qn$7npB-m+GC%DVJ))l+;AOUD@%2ef_s?N0&j;d>H}Gi?Gfo6p8Luks|( zI}=w7AP;PHa>cV=OEmsk+D6xB{v;)6z-)J0-RT4!C+nm>-KCgvHTkn>F4a2M23RHYYP+&W$+rKB;v=l zhjlE&bwt>u3&b`Rg+k`xoMe}eH*FEqeUMFi7QoSDx$++FL$+#@5%~oYV)A-kb#0&_ zJRDA-i)khkaJBiMfx5^|^K1rEUlREeYGz1KXE>vinPy#RXgg)UX|?o>iHu2$fm-}R zjN~Hq_R$7%#X8#X|1ZcRzy9B=s1un2R-ZoBR*{ujo)+-}AH!U!ArK@Lf}i)br9j{h zb+vwybfe&A<&K*6p>T?+y9(>ub(q&GCCGziH_-=*a~ z8fgyAuWJT(mYxnEp4x*jba4i53#`LQ*x;Ys5uAp2s&McQe#!YfwdK*~f3VD@=tQ&N zHfJSCwNig-B@VpC^#ddwq@J*)zgYPLH;ICN6atf%lWcb9AV96i1Iz#8-o|XzF?a|J z>^q83tMec;pJJ``RipJDuIph z$Ib>reg^8GLEvsr4BtXiV0WnGt*%GlYE7-)O(R+ooMOpY2vff?=j|TokP56KDL}aAtU(i<`pw(g64m^^ke<45x5@OHi>L7v{yXh=u(YXauP*!~19y6b)DtYpF|d z=-|RIF7F0JjRUdTJtU|58z5J##PaJ=3haX|C4WH_LhZ(Hg@nlw9AbN6IeA4q50j&$ z4K>sG|Nd)KC>AT^RB4+3zX;Z55%68O2y=8qf|dxEGca>^AcC1P0vxOs;_`;bge2+z zMPwQ4%h*6e1dkt2?;ffCgqk zaFSXR^rDu}(7?mXP5+LZ!uKmunz~9tD=0a1t{Xz#FT$l&;@PRHJ#~NK3fwPXJf@Ot z7zauEgqm<3VAo*2ENw)=W?Sn^IGuQ_bAX+bPh_Xk3mT^#h)Vom4P05?75DMCA)J}8 z4&D>M!p@yhd+=Pi8`$z-Zzm5#c5WGObhYtD={ks8-5i6VjX5*=4OBCcZk*$6`2r40 z=YcS>%K#j%nMw;=QTSn?7UXl_I}|+=!31-LDXUq=G? ztw3dj%yTL;v@Umc1n5=_=7P?(HRsYJzYX)y4H3ZFh2^-c?iSQR!0LfL%o_m@Io6O9 zk;%AT`>0Qgl3fvtyrUrE5^;6OJvJ7XzgtQw4Z012Yd%8H9);5G0Ct&h<6q zxy1ZXDSj~$CB%!P4N)amn1|nC`WIRzHMl+pIsaXxNyhqnu#&?Q4?HmwD=1tt{UODgzK^yzYd&ipX%)-iaz)=FSKI`TM zc-su}2c#-~_U*)-0d)I+q_$HpLq7y^xZr!F&p~;&7y?sA;M`#z%!v4)@GrQT@{D^_ppefEhlq|{oDxBK-K9OCsNlxug zWPm!4bftA>17k1Y70P$Qc^%NHa%vH=>E>2UD*S|ufp;05GE9jE3|9_3BMtW=-=F7* zKv(f+Nt4=*dy@m!`HPT=c!4|xEsGbpvs@&Scb^2QEz5u($tgyT=<+3yCh1~}hbsUt}?nL)Oi`-!u*nn;HAbDivmTUd3$V;qvav4|b! z?(4{49k35AEjn#sg#33D%pWw5C5cBPxRIlXxxB}aBr0FHi;?-Nj!P2oKFJ}!0KlD- zv=**LAep!FgDO(E9&{L3z$_53Pj3x^xbwvTXwSz2rouozcaEXu0|46>nA6XCk)spgVIB{vNOx9T zekgAd!8Z1S{|+I0)LyvWlWI-ZAHK+aWY89MppVpcAS2-$%144tub+B{jB6U4NySE5 z&Bw#!Y3#sr3er*ZQ^_$2NIB&%OxA*?SA{1y?@#=w}BnqFXkRbyI179GP? zkfL9VC(&nY&%iY^q{7{7iK2DW;1XDQs`kekn#l|8&nsoz3GP%0Xd%nt^vLJ*MuARR zFN7Z>J>8WZ@O|aOGTm@1m1O5EM0jREN0MPOI^G4{WA_lQ|+g%;M~eCQ4-NrwLL-mFI% z5Pe=@N@s}+|G+y#=@JL$_d5^sN+^M6<}3O;lc5b&s3%>NH;CoV8s|#}qTGHGFNWHV z9%$%N__c79Z@FMTXDEPR!u#qo1v&hP+ zeNQ5*Y2~vx;hx%ZQn{b6L!dpL7I}Kh^b2jRsrO8G_wxm;h%+7BHl&2O057D+siC> zF2lfi@~3$f&(g9EM4(?^u)MLF>;cxIk+bO_vM4Jn_#xnXRKJ#sG6SRle<=3O-RSyA zc4rS#X4h7S#zjw>rG7w?vEW^caE6jql2JSyxj-u8jYU1AGV&`#NPCLusu6%7tKCa5 z2|AW24!#m>fQ!9wBu@+wG=rO(SbPF`fn~~x>oec=FUI0bJf1%XSggx8eF zG9}A?w~W9m~h2J<^Lsw5J-w&Crz`#@|8hjwq+aQ+X7FuBGq}QT56~O<05^>}90xu#7mK~-C zo#-azb=n`IiX@Yr#Mk5(@KAgJ@_QD+5|k}b>PD&@uvqsX_-imsek{(0_b$s+e9JAuPtxnpQr zuRH@wCU0u~Q|Si05l>`q`c43|Ms+*nidj!0iY-h8{lzZKGXPIy9{&pnEO;C3>&akd z(l1(zvK--^k66*9yh;kK@bgqo%VupS9UlYR)8QiD$ci!*o+QhQF-ixZt=YOzIl-3{ z6&!(VJ(9)a%5UzS81Qv+j`R|=^5o+<6`~MgDUsmv%Wb@1*=fL6NN&M!3`z7eG*$Xo zET@wAK6O_)+AqUhFNbWAI%Osvq1@MkIMgZf(MUYY@HyOkm!A%`!x~Uz06XB(bFJV# z%z=u^)~vy%ApB~OVnbU(H=AbB^O0}%Xwpu)i3dHC+1tk*ed*gd@DQ|qdnl6vWf7-S(KA(Mu2hk+kNs(Eec^^7CrJ(123bOh%U(ggi z22zy@dF9>j@5VXYkTnhHt zgYo7@oz-EYb?oD!Kgmg2YCg*2;iWzS6`b2$lt;#+I{6{e$NF3X%VH8I!UxuQMVOm zp2IsS=N+Q*b&+E45IN$ZtbYObvK#Gk_N$Ie1)}$SiU`O)B1j zaZ={vp!@7p#*&Sh6|h3*W0Qi)wqqcakcUWjwwW*BO-ga)-HkiY${{GLNO=WiS(X@; zqGhSzhj8@6mXc|i&qhVn5=5zef}h7{P}!6XO=J^lQldHc}4PnsQ!4;tpDgdy?d1k=3c*yJ%rr$sqw7w!k%mzK;MbEA09`az7PtZVMzIsM7Nsv%|< zWlY!=Bc|ov0@b$Aw#`5WK&DZRWEuy-*0c*a8u^IrIrWHbs`1#X<{J{7;vAkr^3*B( zcib^XJdg|9V6RH1JxFKvDZN#`p16X$^)y8a0z+T{z^ba5Nz4>~QKBMF1+v!NH_E*U ze6OwjTKYzo3T|W%jiJ*rqmK_T{Ru>4PH~LOz8Ysq%CR)jHpR-{A@~oG*ZH*r{sxVUj`b z^D|)en++9#JdazzQ>VB_O5;-XWJcfw&8YoR%%@rAQ6_dY@M46vo>y+nEVXp#KEVcK zBAkDkPiEL2*Kuk3rk`7a;KC5zrZfTEj<@=8`*hMENbO2_@Ix^i!Bp8p9R^(aALQ(>b`TbLn z>)YwWL~*Y|poUp$uYkcrTu0KR^{OB51LMkil2G+g(L=RGc#W{Bhcp29HlMcF+ia(V z_JQ2HTthSN*Z6LD1Mpt+Am?<1H*h_5qPI$7NtVN0^|Q1bZjgy^oeUJFrwq3DC2%zj$AUPF`j#CB*~g)j zAH(V1-x2qNdMq3o;~q^MwN^)5a|Y5JN8E>rZL6iJWBWQtb%hB|B0Z|`(69?!bqF6L2XYF5lm^IoGNE!k8KS+2 zV8cy8z3oxlO-Fbmeye(FRd3LY4gqR6q@86X$N2$^2*^3z5#AW8yZQ?W!S2=omu(YV zrb5wFQT3pOuB?8UbyYrqYVtB=y)_6{&2)?s`{QGvQm%9YHF~Pkp$}N8&$?HqHai}} znzd`U$OHJt;TaqkYdvWSWdILtm~A1&ndqXt`p$hAElAEd`_cN3cx%-*Pw$9<=v*K8 zx?QbzEs>VazXtppp#zZe>qgFjK2na~fz3OX^g@0h7%DTB!O~eMgwLvPO4iU|J}LAk z@FiXwyGiK>^%+oCY-}6|2@_;s90C91ZxB|Dz&c~)AFfno?OhXTbfniSY$k~FYx|jd zv%1pVThX8-6xzK2Mn_q@X;k)EGF~u%a*Whr!L}~z~%lpZwV@>MABgHIeqZ0 z4s!SEx4;2^1(fS&ajN>4xf{ceMQfieOD25Le=Ga|ep)?;1)dJAgZqqBNZoPg`cDhv z$q~T7^&6HM#k`prbUUa(@M7EHzc&JU`4GvGH+uo+H%q-s3VdmpwF*sCyNU4-mJ~6t zEF?n!R6kaD*5uhoUvKM0tkyf3V?n~W4mUUsqM4p~4m*ivU+b*XlFFchERq7dA$#U^Ys*J%NS|3G|BuYC04F3hU*rK!#uAHC0F18 zCpYqrs{3LeY2Pp~wCn?U#WFYs0#l3Bt6V6Ch&ENUF3gbpSgn`_9VYuo3mYwW6IYVb zLJfNM((5?2`ithnc%}IZJx==ZDMX&C2<1G9g8xONs^AcEUqrrxh)XlHogh!CPt*R| z_|91p?7&4QVe9gH#-Zcao;_T#B`O3#U8t~?FRnFKjkz;5BFK>wz<6oscvb!v&)?17 z&Pb+;8~y=D+}jXgx?kIwYRf)kyTv5SX^(7^{rKh5M8u6U${y*!^(@FWKHhkSm0fs1 zHfn=_9O^lF;W@H~Yc>!o&L`yDI%PZZSb&`RvGYZaJHaY{g{oipz%o-o=1vKa%5zWP zY-qUA|}b%f#(AMu83N+PH$;=z16T zo6S41Q)p#qNT`t%LNokTOlbqYDE}cMAl#ek-*5=Z!s6attPGwKBOL&ec-*SD$8y?{uN#@PQ7?}^WIWrO`Gvg8e{m=LDXEn{5o3$iKo_T89z;jod__zPR83Ap_by2dG-Ulc2~5tP zfY~T)BhBJ;Ye<$HnL(cei7%6bMQ|di zyptgJYx;=yRc;NudHCe+R?h%@kbgwV4BQt7(atdUnDRTw2K*h#$H|V4d7}>Fqis_MgxPyC9*3>vF#odx2W8D_YxB_@$E8biuEf$-vw&*qASHkEDh!m*2)4 zt;_&1$29Dv>3B}dLI(#&X6gHKJFq*pz`Q5d>9%?9bi_RuBTvoQjVrGZ57Em{lJjAM z`B}a6Dp^z*pj_k6WRUkZb}i>#q792^50+5(+cQIucRKP82O74LCl!&cvNh*3q>O6o zONP1+q|-j+Cs+mW1ahlF@hK~}9b_@Y|=45R7bT`-#Ua{|x$Uv)Tk^f-{AYPJ> zX+IC9XP_#_<*w%LK()m+HZuX1>440p}&v?b7igO zM64+MqsJ_(3~jmo<+^Ljxl|pq zRlWg~vpVny1ufGl>qW#+Jog@DqUWw0M~9++oX^H93moaT)$xLsEJkEU`fJt|+BNfi z^({&Ea#1v&&+xG*IL!G-yWJm)Yv{B&pR>N6SE&_*h)mWX#gTWM9pWKw?Bs8dg-U0; z7|$w!2~-i}doeX|9@ppO6Gx1Q zzPyhS?t_m+Yd*`T3inTn|Ow&>sk!`fgy@sOYLwgnZ5@Jr~P)a2&|h>+=Ke_cGWeG z#RU6eG*_5Y;B&|L)*xKdbXL7@SvSBImB4*#2u)W85YE=7$`|bYI5tNd%FPqpqoZJ4 z+Z+S#6PX_H`Kj3?_5-gG(b!c;uy^%dhaT53QMaXPP7}) zD{&gd{Ay?ykX!DnQQ~?fT(q8qfn5+^cvVY`1+Xd{rh7O_h|Cu-POJnT{0L^PeW&Rz z+CDcXLA>UCnXi`Z3qyfz>COAt)Q@$47n@>}ME99{}a zRrrky`BIs59zRpKoG>Ze5Vn+Zf$YLL_Fu-!!}%Q8%+`h4o1Vi}7L*L6_qgl@d4&-l zjFRuzt9J74M{WDbs6aU=Ckt+lu}yZvV;c{adCtPKTYfm}xTRg>J-&zZn52+3?QgWt z58uH;*(QYFjoyu%2}7Fp*gnw#m)`oF4u2=f%1(*1oYM0dhoOfnq)?zd7v^fOb)tnF z1hJ;&JWnC}eZ&dF6f|mk4R{_t@XUsps#l^&YIcWAi#i8f*LcgGE=Zb!AA?RMdDmZt zZXSmNdB2iZVSGp)I4wzw=!Gy&M2~&D>HeNfM2-`;;-%GqCBO-Ex&ky}%U!1v$B?h0 zwf@%5FtZ^kbh$FrKCu38nA7kr%xU0y>#SYPveymH_yhoi1Sg|5+P0;x6YT54J*&+^gZf{db<6CF3l19^1L) z2Gz#mDl6PA*!rZ7^aeZlL)2@&>ma4xpAmGhSJHIxS28~O3i3WVu6&GhCw~qKNaBf< z=PNacp8sEXCts5(Z251Ia9&{HT_J`GIS* zj6GP{LpvA+$)G+w-fnr*EUa^TdzR4;k<+q~Eo<8?aThK1SLKxIQ`}z^zCqBfmbif? zIZsN5u)Gj3Pz#=KKOaN-D+XK$;%gTTbYyqv@2n>#*r@llG168%QE)`;=FWc%q&iw# zW`X&9a}{0ad8HH22aeOHz_A5$M^N1t@She&8~uC~&ZpbLBO}f>*>#j`x;DvvKL$gg zZQ~5q3#R5x05Y~UeQ9lzsUY8h>H@$-J+g0-;W^U~uhA;1;;Ovvrh93$wpq`9%F_@H z3Bx?+8s%dIj1rq&3WP*Meas7W=IuP)j1z-0_A3a&Q{3R*LYy8hyVw0k6pZ0HAgAJ9 z*`0B^d_b#=G&7$@wjvWt^d!Rq5_|%&Oz%5pNi3NUig1g3Mv~;yOqAQmIxr80zV@8X zu7M`rf3{u~0{^u?Bh~x1F#4WIBB4)j~)^Wj)shk9qD>BG`6@232)!;UO zbSs^)Wc{y4DAQREb?3HH%OIXz4lGp`M?g}sbW*6ZYz`cc)&`H=Lc)b1<)i})7>@Cx zQT+gToZWwQys(Li>L?JCA5sR_T{PDx&~a$j?Z1?o-8Z~HbmX}}m0HKoP_MZ!5n7?8b>*`^ z@Sx~N@Px55tG@RAmAGYdsDJPxZ*v}M7B>mXQOu93mCz<6`*CaUgZ^7b{;fIyCDq>b^rjq)1RH+CBwA4F_{BG z9_OpvoHlt<2ux4*SCw;X+}{G+iOyl{T!D7d04%My4YoafWU+Q2ppRH?=BUWZB5h4fT|fFC-&v2Lp%ZO^<^Ac7(7t(@|XH0h&Rs(uybKKzVZx*|SCg(|X5( z%EOw3SxR<>?;7lS(l@Lt1a0daw{T3(u1q!u;vBuT4pD&NP4o`QV?DhonCwtfNV1X; zT2#L_w1%#S6?YnHFW}}5_ z4kBk|MMWk5rm6V%W}hEK*2*vI_K_^|Hsw*a3kRbyzGCw)XN=yG01-} zlm8&tQ1aim{$DRL%wPDIl9K=5S9$TgkzZqXNlB6a`QctrvVT?p&i1dhzi;^WzS8pI zqVfOQ3HXtJTX_k-`{y!$D;xfU&3kc+e^&e&nExHR_wqLX?Em{V|E#{a&EN8tFW_|k zGW*Z)OJv6SF9t`vd|Acg{rmizUfv&YRsW-Q|37N?|D$#vnK4~ zgCVRRujO9iv(pD6+JOXmPF?~E1q7K8sqGdGN5qyC6%8SafO=$|U%DgMFMiC-{u|@S zRuQL&lSCVppw|`k+!ixr%XkLXJH5~nCOTp^@}-h+csh$-K(vWhj3V)Rq!tc>v7Sf^_FEIgGMauV z7EJ7yXCPJ45Tfl1P%>UdoCf;PuK*=qJks9is7E#+QKM5jgWOK1R{sU3FB0Ok!b`k0 z+cISg;CqA!Z3{>^TS9z-f{o312Y}Xg@GXfwydU}snWs9x8ZpiYePQP1I6PnY6>>8i zWF_LYm4Hxx$NdU%2`A?;q!~D3kWSkHd?u{5Spa#47xo2lK&-_F%pc;5-c-z(Z{dS9 z1C+&Ce`CrAnGIM+$A!MIBZ$|)m6l1CLlRf0Ur~Bk-WW_QL>BF-)cLif|ITIzwW@@u zbQ`jV5!*|T8#DN9YdM*Q>j0Hr974X!cLiufBmV_}Dhs;vv2?hZ${dScAOY=n_&Pws zYj^rVgY0F1hkr)I(_N%^lyi-ULq=^EKd6u}keAr+h}BtBUS=AYzjl0tue#UrzX`z# z^Kb44+IB=}>7w!y;ytp=e?s{nT+g! zK56*8@*2%T@b#P0XSAE0*3`QpJ!f&lxhjM9E5KfPXq<}^aGtfNxS@C+)8t)?Q+70x zaoXh`Yr`1eUn;2$z)9j&VpQsI`XDnA8097aWTi7Q*^9yV(?VE-+}}cwJ_917My`F}NR=@E<)KTtK?^DR;bAbOMX+Pv`X) z24MRHk`-(CiEK|knKnQ^X5X9N(ph-6Hfz&q@3w*^DTH~qnE;}$j|mU~&*+EqDm#oG zzNuZoBFMKs>toROUAz^BPU@UaYcOhIpRSF|Y3WsEwnV^DV#~=fwxl1kVb-(c6>`*w zaZ0}2Y~;s#NAZi8av+{*D0eevKW^9)&YOYPVJrOHFkd{xFnq^jN_q!rV1||cMMPZg z0&vnMM9>@Phu7S%R@4K$2~Vcedh7niu{+8#x)#iXHkGZPL}ESdWc3ZJ zXg!{QvzumRe1qGpk6JD?7-Jod(nuEQ%*^Sn(T2m;jz%kQ%s1gueog7O<~fx!(o#^< z4&Yy^<~O7s=EHJ2<6ORnv=D#6IrQPkui;bvotJYKR)cvCtriNY;P@&U?OmH zao@assP-t4R6Bs6GG4bT30j(m$iDapy$X*mT7el{-yl4Gui%K0VeG(mhwYA@;`N4U zeAd~K(teL_+@>_mR8vgQ4w@EOj_R!T&XWF66}?&HykA3CF`Wq$Iq&8x<`9wR zUm-86gAfuQ;HP|E>QgiC3`dUTbe8oaVJ0T~!~EJh?covku9OzMqQ(vEHkrVF@(r|3 z0F>o{ulODJdJK5SapXtty{TvQp9SH%+8ocR$_Pfs8%b+rFD4>mYMKpwf72a}r)4M` zHbUi@z1*r`08M`0ypI6x2wjemG>S&+U2}x>s`vxb0c6i+6@C4X0iKEinR}OFqWSTl zGg%;Ig|`i>&%D0Z1AL{damWL{8D}@ zX{ORNx;ZrV3D1-n%dy_O7l?^A8k@)p{*v<&%22vHJbW7%Yx+PCVIBw^8{KuabSkc7 zw>oqrqXiyNd*iFvL0B;g^>4HP(>k^$k@BAjbBy370n%U^svy@{|ho86xg zXW*j=!rI2|sX;)y+&3qi7>$oXOg}?|?LxMKJcjMSBS#*m>v)cNBlk3}-gA$fKEQ&+ zQ>4YjQVo{UA8rf*%YPaGvBWLTZX$q*i z!C&A%G!H}e^w%^@717;##PS=%SMqQ0sW{X6dLt>ME8G#FEEkS+u84xuVq@`X7^D(% zH%sSnRkI5cGF@0NTv1H^!l_59k|BF`H$FNRV(ntqmoFu#6heHL`jT`H!+()+-N|s3%RqZ8tm>}gP3sjNlGZVh?m3qbB*Xu-KLBrcN@606iorl$eSI=cp|yB zE3abbVvG4b(#-Wy6O?B+*(vp`dlo;Aj5B;6=6wW;d3RE7SqIVWK`f}fdj$WBa6p-{ ziPLfH6t=IJ+W0K<9qs5%878U^iQg+&*ih;>sKP3YI81aIOLC$bH{}$AoOoAvaaAg6 zH39{e|HAgozKZzSX~S>>jrTfQlINQ!GQv^pT~9>h)PmJGkO(~%WPD!Kx}d8u9DlK? zGd-60of)&i;%S2;_fS}C{Y878>KoHIW$PT=ml#tyS{qJ;I^)spZQcd)c7>x?Lw(aI zJe*zQ<;Vwgmp<_b=bI`?(CX{pJcxuf3Tj2rj;P{Q#4=JUomM+oYs#weByt~wf# zbKi6Xlq%>pdjPFTPqI#a_#N)dG|?@~eSwSWG$P*oMgk;ZPv(|>yRM$y){o9HR2I39$-7x_M=^5e~&`E z>34(w&O1}reSe#qPV&PY^K)17Wx@iS1LBZ1M}(26pp+a#&ns$ae_H%8ZGe0xh$OxB z)J4998L3H0eFIW2j_XBVyH)s0^F&;#t5nkmKwz$+a$xC?FvR{Tj)AZ77lN`zSoaaM zsURdT6{qfccvrF^x7y`ZWcJbG7UTq@mud*&e$()wX+J2e?ZuIe3FTd?dX>Hk!W7R@ zL7>NeOD@kijmC4bq&kf8=JJg208ux6^ z?j4V?6DTl>m?U;jabM0C1Q^zAGFp590DXR3sgX6f9kr_=)yVcenc^b9r2F6vxz+q^ z`VjuiAs0v0^utk(H{^V!cNXr)#PI><{d^nFO%lDxH>{H&4pC&Jzb>VDT}C>+F6A`; zyvk4#8Ihu7Q<~fI0`sGhujyrOlL>hfDW(uo0)@I?iMvdOWWf7sNi%;5I8N}x45buF z9HX(WbQT%!JQYafTKg5XE)C0SlL8xalaOe4!W8dw=9LwR@{3K%lQ^Y2{q84?)wL`Rxmx zoBD&1DQ&=9?;v+WpC_7>^nx^AVwT}|GCqK11R2&apz+IwMO2G0-4bJMKajfMgRt9k zT};oI?>T3^DP1Kj;UU&TrFP5`Z)=mGS7M{2-J(Y=^6*eAL2lkzqa;{k&kBj3$(<$1 zi};V6P9%W90IU6_w^6*$Pb9Y#4X)Wylt3>dQfLFQOge{|zhK_xPmTDC{sc$mloA(; zv^Y*w0pn@kjPK}DzL$GFxsjj4l)@c_2JB{Px`HD3jt<0a?*L$aeBFGHc|C8s->PH= zn@Q#}V3JckZJEIYl?nOJTj&#H{2o0dDa?p;Yy>4j@@vLJhKOnAom>hDGDV%lU^+i1 zTx(_Klc7Z&)`ZNfE4bg3?Ae9s@=29R4MjUr-OZ3i`EYi@pM0|Qif0US#(5R<<>D^f zhB=v=!B;XH(hu}aT6RiG z4$&(Al+&jqVzk{XPeaR(!9&-1`MqKpIahm;e2WJ2$Z?4nXq;Y30!YE)hFPZZRqq4n zOcK2+oX+&h280~sIo7C3t@yC@B>fR?!43ob^y?Yt-Ndnp&366_4D{yARAgQ!J|xYi zPQiGr=hd8i?}qXbl+3u78>ejQxu;q{(J5p3ZB2g_KVc_=LuIel=-BmeFJY#C(VDsP z7`lBPpd9bG-beb+DDF&fV~is(Va(TIt(XfTOehn;1o+*kQGS=%%Lv?r;&H{}$NekNB}4}Q z6Gig7r@+zl1NqB6l@fkj2*Da~FU1~4s_;RFu{wV3VMTEASBI6MonsqS;k^en5|KmJ zHU>nG|Ee)Cc6RK?>iFe@J|+{^ul-olYWG(k2PGbjJrbP!>7XOpwzt+Eq1ylQ)sc{n zD*k9_=WrlX?;785RM$QE=Fza8o%v(oy?YlN)Ak)yQ>E`bs?ifMU>Z)3EUb2?vqM)` zrW;0VX*^Db?7n$CYV1+|MD+Mi3r-j(-D)^Nj{TvrON^o8S0`ddBHi5BS3@s$jH+5b zXl~$Zs##r4^ILuV3AeEA&+7OVolT^ASx?`|uoY)YN%D;$KUZ2-jlGx=RX=SOPB6?a zn-#RKIxW+>vHjRn$h!8T$F_M(VL;2Rdw-s9-ah+qW~+)%q#*mAtCBlv@by_iG5fxo zbz1mnTGN8ohfr8`;*ro^)#8a)W>p(bstYQm(@Pq=CloJf3bu^tck@iZ`Ho==lP~q` zwa_u;l~=RmYom^2wK=S8gcHZ4`B)i>% zkCZ*y|9s}vMnSmHYjNstOMF__lUohvBmVs9(&7%!QTURMO1k$F_p#{N7o?%_>qAxZ zJEIF}&l5jg(ka9pUekGc_vHZ|X3tJ{o8SA52aJ)np(#DO{8m#$OtV7A4W8TR?P^-s z*_UBiGh5f%x=Hm~iRM~$_BlG$zpY0YS^2?i#Eo?C=c6@}_bMtY>0awm6 zM6{jy@N(bG=}*fQhM9!r>Y&*;&Q~zUIHzCXqrDdv77qE!cf`D);^*MO*AF+nF?d93 zK<<#GS?RgqwYlkyMQ;>s%=OIOyPX}jX7aD>@CUOk*M_fOqdOg zYL{W;*5WF6%(epo{YULQo8Eu)`#0wFFNs=yC3sk?wKq?idVP20bje4L?|eSy@PVa4 z0sB=gaP-HdbiMmgrthUTTbsW+5p?3anmq2CnU8b(wHSYCo@wgL<%>#BRCz+mZZBDJ zy|1Zy?UI&Tf**B^YM5D=FGPX8xdRt6j|_UXUrx?~SO03SE^yMBZTTuDZxTO;U9pibJDt$6itM$gjC6&l z)tTi{d7m`A8dk1cD3mAnZZ0uSX?x|h$X{wsi}zC$g>y}dx)#oRb4kNMb>lJJ+$kRY^#B(Vo{6L9Jd$p<~5cLosE2+Yvgc69( zRfiFRF%qY#Ls3VXN$!YHI3nR(6`Y%h6N5uhASOG&2?QomLPJrI5;$uC`8^nJh$3+m z9twvfDT%32HvzC8L1}`CBM2xtL*X)tM1mv+!|@O+BD{nR2avYd1f+y&4hQUgF(4T` z;yfIH5PloA#8E_hxUTxJ_M{3aw3ngiSgFnSmpZ8}-0v`49v&I~U}U+r5-L%}I#56; z8>#YkE*kr?3aR&6K~-knjrs9JTj|MsAe*#W9?k%Bq? z@2&fv%KNFqzkcc01}6Mnr~kegF7X2L7Hu1Ftj)ogo5L zf1ROmczf8Il!Te!q>7{@GD&s*3>l7+NQ}-CROorwd7h+kSKJew$3)^IxXO!vc)J=| zR=x@ENAq9rr+d-gy~0OI{qG9P#nleWy4C*o<9{UoL;dU5|E=8r@daJH9?E=Dt?JIK zRK0jho3^RvegYTlnCOiCuW0Ar*rEOjGjU>rnAOk{Xlt2O@) zX3wRyA6Jw)0-O@C0$ zSp71-$_x{ELeEzSCX8gQ8>oTLBh&^0ZR}<>+=3}WZDEDklJ*NiDcS^@1?rKJ#i{32 zVq&HVsez%2y?{io$aH4L2us0H&ks~}6f-7CZcJJnPf%>uYe;n54Hu!@Rf?3mvHn19 ztUvf`pJlc)f6|MA!ZP#)HBE{MFD_6LEx^Yrf2$C`r;Wk>$YO3!@eaYIte4?J-#X36 zIR}Y95tfwGayKMC^l#{f|SXkGXKmE zhI@hDiC98L3P3jDWIjToI2kyQi^qXlA^a}a@@$k{hQJcjHmxr~d!-plK8j|8{V~+s!+bDpkh>B*VKh{nMY6CK>TPr} zyH+h(t?b$t{9P$i-LHne2ru*HLXrZt1*RW(xxJhpDOo3^DYzFfy`^7~XD$;Z|BgJ< zm}vPA$8?XYu2@3XysZ+LB zjx{>vfk^lkOZkLw2j3he_Xdfw)Voi+k5DO)HFb$J3RSw9=XkW-94NhqWt!l(qf>TH z4Ra22lyndC2AY-bV!0N}HYF|M1up~JwItu2=48-wP4tJJ-5Vjbn-2x&SP$2@Kx34A z4e^C);NjAlNyrP}Lui9^31ZQV0gr|-6<o%l1-iO+9 z?`EUqgJ^?|X#)hJ;oInqNHtgujjCYp|XpLk$c6R{>30sxf54pDt5Fnyokn*bML&=Jsq-FL+o}IWg zu{zC+J?}pp%67mB#WTfAmLG!PqrZ=ZK!xKzYo^@;!WG__4cG7{$6U8jR~JloLTyLb zQ3^pra!7wBrRkR^T|$%KTWNAqguGh`HCcN|+Nl(-s>nC>!9kLRK#sHfQ)DVOi1EtH z0^G-U*yQts`v|l;q;l`sN=qLgcfB?eC?4F^u;>}!o&YIKQ;}zw*5F_GcBrHZ5PvXVZ>EZH`3e3jcL|}-cTpuF zj5%1c0v&2k@iiG>=GCOEAl()S?dunivH=ArS@Vx;dvg(L*@KO}(^dxHzO;;u(&d1L z_Ru)x4+GpoUjhpX`hmQeyE`s@J z(lvD720?n1%Z3K1C?bXJnpTeRQ_!SJpt5LTZ6LlSaY(w2`54U6Il>nRm@jt}RJgZe z0dl-rqLi35b#kl<8M7k$q$q-+e||&D;{vv4XsmzIopoC}q!35?!2&m?0m-b}i?b;$ zJ)jG6_rvixrNSm0q=S>K`FvJTsa3wE!V5;92=+rwrNPSFLB(HZB;W~<=2C&i8Qu*- z2@K!VjvA^9j_oKp*;W}JgN>JEY()nhD`N)IuQLNp-|D3EIyx1}j{|^oAR77tbs(b; zZ39hUvuzj2uUKSN;sp0j+w(B-eL6}wtB~dfQYJKm2`{zlC%WWxD6UID_o+nr{vyk(YLv`XYnVc3 zAwKq8dKCc?@Nnn}rJg~T7a>u;q)h9Kq_Oz62)fhq1bo}+ibK*gd^-(7tSPeuJ64Gf zNx(U8prou*cDpwTi55FqWR(h0>H*OHmJWn+6UdZ_u7qHD7bYtqegJK{N{OesCsYXJ zgwm1u6^ zu#2FwG_*7CBr5NRJFxMP4xk&Pp}VA%8Bh7zDCIRuu{Zq%J_Qe)-bQH}8=MhinxRRn zM)pCQ(=G+fvaXsDx{(DS|*!JkW=4}tYLUP-@JV=|FIM&)n)ZSR-kw{Qo1w9hC+ zaBJAq9`r~euHu^5o>?yD;Jq(Mt~}AWx9%JZtmaJ1oF&pj78f#c-cP|3wO5`Q?A=C# zkcoQ%NP@e!P-e9QGV{?mVlkcKD+N6 z?U>&Fa&%AKkEiDYF(ye*r`D3LSpoD|96h<4Zn6fj;btR_XKsQQOPmX5%|$}ILcBnl zU9Sa+TNzH!tN8W&TGlA}qHB6GF)~5b^d@82ZvnzmnScLj%u>4cGa z#s@Q>^B(g%ay$|SqdhB$IOA4eC-iqT(W756JPMNMQ~pnOwU8HR8WJXa4%B(+h*%R*PQ{dKh-j zV2e#l4GNdnBKc2+xR!ZEJ{=J3u;#zMHIjQ6E*UYhT9z3gwcIV!iE;+vPU0JYV^$E? z2z!*mpIVWZn*m&7KfoQPrBw)cx>J5JXVHn$RTbV%v+|DturP2JY3p9z1q0D{NZLms z*>T3an3m*`*!{JrmlhN5PvO`))G!zh$wCc2QwyCGfvE++Z7mH)w_7q%QZ(McgVj@o zHZWlI#NrKVSeS6t6IdKVRLf}YxSosAr^g4=e@bgZ`4im2a5?A2X!Bi`XcJ?A*4ll+ z7%j!%!qZB*K1McTcRQn3u0c|r#iG$w_3HC0a>vsKAQT2|o`z2Tv1l}Mr;Cx0xZ(Cd z3C|i~VQ@~z?sRCi7A#iu;Jq!gB6c_`vfn~s#x~6T|EfpyJJxjFxZoys4CT(S&oQ@@jI%SFL zSO7PTw|of(q@^mV@hlK&`K1yAf_)$u&RG5hhnA$(3Hv{ouD1}!}Cfpa87@=0d|IDz^=-ml7=L1dM{D<=_ z0T9=wj;}_ach%CjEK+WR`i4AI;hZEN95Bc!fYG@*jgFBHk^3 zNL0ST#jtSgy^7~l63hHBmg7@T{5ZF*Y3EH(w z$*;X!pHWHe8apUy%xyV!D>vzyN5Q-5R%0H3sYJZB5an z-8!AWMMp}{5dRI7prh7TOR#m~402GN3AHhN6(oI!YHYNF{?0-Kqa<;6dLi=J5zQ5IvL zUwAeNJ0{WIdJmR^F?nv^itH?f@z?U56N*&w5Jayldka6CjQYT#Q|tGkXLHbmIp|fZW^sY(8){Hkb%Ms_zO?SV9iyh=%Z9}L=K)XWg+Ck1tx0^3ur z523D6QVasocK-)=!Z0iZ^mOGOT56V7%ML9H!OIQPXlpyXoQtFMT`4jWFN6+d07I=0 zg%-RHQK33-ATE|UL|vp{8v6r9`KPGzC4*?OK$Qpwk&c09KtTJa`y`x+ zl@}r1DE|Pp1nGMFm&35G4?~57*{f)0=@RKcxH`X()prl!A5u?w*AKK*rQj|ZCR@3Q zcI#G4b7HB+(w#wa?sI6NOLMP-4Gx+ag&-20c1Vrd%y*#jIjUr9?FBk>#d?%I5xJJ5 zvP_g7hnWt>dL}3{5syeinf0h76J<|9>|$2Kbhg<-GwV=&5A?-G1mY^}dRB9A8(P^H zWwt=f2uX_#^O@0IoGXZvUh5Ggru9PHY{(erRN=Wj!O3F`L?ZJGojExXN$eUrM|_jE zvwclfG#f^bpdG$nl;qplX^z19^u{UVlU6DuU@t zz9=R6n$QoX9cA!zM*0hOhSZYS4CkLj|t6v+V|Op>4cTuy?m)Q$)807jlov@UM3$cM`F=*w8KqA~&$=o;?y8`VJe#1( zoS>rn3$J5G&l_K*PTH8H&}CR`?=iAZFP$-DgVM_5AnWby@mPpOv!ZaG9c6VEj#JEY zIlS|%-;hv{qv#%e@omdpa@7JdMfmVGC@kHAX*$#6f)u#A-# z8*O5gd`3x~igHf3%Xf9Q3t95)C`yhp#TcYOEBs&#)O!Xgnx>pl{{Eo9f#RcVc?R0( zSmJn2t&c`mWpnh<&!f4{8I};zTTbUr-k*6%3)*_Vh!A+?h5p&ExQGvs;xRwTzFA%t z#g}SXu1^%1%a7Hv@^#FQ(XygIO495Y=_{n0%#r5o(}>+G+ZEE+oMk)b>KG2VE6004 zukV|LxX*1=ei%2pedB9XKL^z&8Wq}hrnxVHw@@ll@aX^`1v^0I6#Psez7~8&egt@= zUE$E}WlgL|k*6wTwbQwg1^V2y5+%oR@)?Ymm&@`zr5kY#68LfoMnbn(g-VASKel%) z4Q>9w`&3R;OrA%D2*|OpLVnv$N<7u)G75!>S~pT3&2d9xUAYqod;Y7YH{+z;#enyGo3J@>TF==0g{5@Z!^n*N6(_0y&sbh~}aboB3x9blKb4lA((%DT}Q6#ihQ9Vib1Mz@sghKco z8#~$h1<~)ZHfewo+nj?ntgUh=!hLeGsGYXVUxO@bQm{$Bp}}XU!$H)BUZ#)ISkZJY zg);}^1gg;KiVvm?8r)UiGYy-Bi*_nM2u4y@N1*Qxg2+aR>8Fw0zD#BwwJ3( zi)#46?~5w?0#UPVeeA$Q!c^!6*ua09w$|!)xL`~lhxZ6DEg58))*e66z1LoP6??(; zTHcCk3PEmxP*649oz*?*`QU7@I>%)J_r+hpnv<$iWeZBaRva=J1Tc?`WNZXtDl z-`S4^DS$I)S?*I@7>MJb5ZQKi-LZ+> zAt`N^=M?o;h$BQgu96Z%q=$h*ZXojsXHkRGlOFYA_HqBMDVe{=M z{Ub!@Nwt`48k&bP?Fjy|U65?~Rt@GTy}S?bgx4=k#1f3+eV0x{u)b&-1Pt;iW-?Ir zI=(?|*r2jT%p7Di2YVpEjx(NZJy69U`HNs++$H}2UtIAa`oq$+l&hK80G%MHvp5`_ zC!Dp@n!Fn@7@`R`aAq2!$FmoFE0pg$(UhNHMLG+KB#JrIw?;D zV#V*$uL!A#@m+fb$#E*%xiVE7t0}F}Fu;HcopZI?2*ZaV)~-^enj^WCg*u31w3U~t zsChxqJEw$_J}O9^eK&%d90aqDOKR!5iV6=UyK-CAmj1Nu6sfBTrL%=nH8g*)G7n`_ z^Mj!CtBInf`Il#qoE&C}(a0m!^k$R-jgLHqQXId~Hs7bnH7#^w5Vj~t!;vBMIr}~D zTpxsR@|PQqYPrLtJR>N7Y#P`klKiR0ZJ-U>N~>BL+Pdl8lpOAEIBDk;oKUSed7q4} z!;|-~nE|d9c)b(%)vP(R(Scxs;Sh_2#VGBDidzyy+p`y=Qx0TO#s~sV-7jwqDwr=e z$nQr>3zX7HWE&9d+l|U%QPDQKOfFPP10#fHHS{ICAv%msp|;cVN#vg>zpXV>?@?4y z8~D_J5AivM>5GO6EHR}bR7gkeW-bbVxTf(Tx=%xNTSE0suZUlyq*32e$g6$V_CuHy zqbwL%x=)&|#Bag0+)3DOj1kT90ws3Bl)eMdP2;itDSexmh7(|#Pr!VjrM8(KEr&0KfdsRf*;~vzNJ_?45xpKOkH%$Qa6ySDxp12MDihpG!U~7sc-Zs z+xSp_QMX3sV!|vbVTQhKX_n_)WFYz~>qA2*DWziRuJ%`&$TyMh^Kc_4+(9}o1MBw?l?rn5@+}OrG3gebe1>?}9w%>B7WlY? zIH2T`z6?t_M`Y3>L|FL`IFMX>L&@)}od#5*{D(|b`T^W{i-{?ir0rMpi?;;HwOy&8 zNVLe#7u4Pyp2-F3Al{Rw#CFRMgXcYQZ=^G*ldRtcNx;0@7%QB{JPppRF1;Zd#YfZe zrjH`P{|x*yafCkmED{WA_aoNsI*X_&!SIqnYQ(*ZHL^Q|fylF;U%^`K%qE>!XA6s^ zO4aDV!teW>2&`;|udF@6=fh&Of`6Txua{RKB$e5+)DfrM9E%75Em9QkgyL)@2Wuf4vpB{a47JVS*C}|pM(M$;GIy~CRHJ6 zXlT>8v`U5F1BpGA5N>^jUM#L7&rD;K?SalSBfmTSyEi*m=GKN}WOE}mlSct7A-5#l zGK*}y&Q#fdribR=pt=PyEnJJ>8Mx#SBtphy@n62~$iCT@Fv|T@WsTHVw5%~`7m?Q* zba1l@EVa~76T|6o^a{4tHZR%sBnl>S?*bKg8mX})M#Gd=YQfNtSI$Oul3mB~TDs%9 z*{CoRk!SD~jDgNpT~}-BU}hH_w_|#bcWC`Ul$VCT=z&b%bYahA_r+ffgeXxr+mxP$ z9vW+*{Ie!=A~vR+6v?&?>%Bk9De8s|H4e$7Y*+^c`aZxA6GA`S$J>nI@@6dr(f8PW z0(_6(zKZSu-!Fhhbv&TuD2=<_Cr%TtLq;iQ+xIFUW(&u(a_-v>)Qo3y3ee8 zIEV4AROA7?Z1{s$5b?@0aPpi)^yB*V7)&@{C`L&siTK&UQk1DwlGy64-|L5Fkg2}y z$XANU#Qlk?XZH|s&p72^Pk@xjQ!tsi@fVO+<=-!Bk8Z53UyMzk1o`eM;W5hUdm`tT znEtT71DgH|h7+7q@WBqqw;0i$MT@aD)prj&SD_I$zng3G97JFLc{_$(JowS-OVKkK zZY;B z7bCL6vl`X(8r8wa$ZXrV3LOV|h8!(-FbIlP`gJ#aa1MI*p=!;C2d5(QAUMyt-G3wL zg39(ys4F!ThF{qcIz2o4dot$feY?h_UoZJqodzHT4u22$99$#A-0HC>2~nwWR5b~j_agOD1V8RZ*qPXt=%leMOog` z$!)M6G2Mx508cN@osd9P&(su6r~S?fe;0Ns$z& zOvj3caynS9#5G&!`{j)`eXDc}%1V^NFyjQ#CuS;4ZEIRVq(PP6)ld;vF@rNR+KqCp zS(>GEURF|vcnJRRF~&Rrz}CMg9lc;yyC{*G&q7?G8d265#vslikGQ{OqJ-JVeTQM4 zze12hx`y!=Vw5ByZvx(^EI!nfrz#W7L2P;5=KjAU$IoNKlM%*m-Q&<1|ob7)`U|E7|l~I=JfUi zQG+{3VZd8yY1JC%>UUaPRTjTJ=F?u`uAAjO2w$qW4LCD?qc;*VcmPY1-B7JiFBfhqO|?8%o4(WoE=4;H=5mrH zJp?4cnAO~{C}vDa8WO4z*z9GUQE_jfCO{j;Zb|zS0eLlXZvQZ3++?ft$<;(-dTl4c zqG+U8R@iHi+LGL(pncnPTQrPQE>JWIV51c(8WWi)XMeS9&R{;{ay4QE_m0MLhBU1X zVZ(|(XgKaYue}ah0aJ0Ri(W~$7WylMX#s+$05n{>Bbb{_(mr3hGNUs)+T}pm?<1{4 zn5+#a6A$0M<=|wxim6sT!X@UksIdoc>OpuWS9s_onGPdwFAzhO-+l=tnj+wga zR-?rwDRi}3V=S}ZA4eS2&=uSG(?F_Rno*n5{9|JrS}Sx>q5{+YEqPOeymGLb?|Af8FHuGdM3XN^EY3u50b z>41&;B1rl*gr5QY!^TbLi+8!3>1cU{#&3uHVOT+Nr5XsuLJkv)`^bj^@#pYJ>D|;c z2Q26OFqlpyhZdZo-;rKJLL*9l4HYb-+h7jjodq?fiIlJ%OP5>Q4u!a@jgoK*7p-El zii?(m(|!^zpDz}Xzm?9kY!1cuP=~Fj zxo2un_mwhq&N>9<@3)A*4i+RqPR*F(?ha-Cf#iRO;3ULTKZP$z72>8%oJImOagpZf zeRDRGBm?To3{86#YS;~3(`w`axSL!Y;_BZ^Xs6Cx>$AtWO~MI<^cmW)!C!OLh_{X8=0$yGBy z^L-8KW)HS?q@}AEZz*q*TLj|G?#0G-u5e}UB6)<$m4I@Yh8eo;ImSNsFTo&s6lQ{4 zKfU`W_T4l92mzcZ8BozlHhQalB#FtAJSQ?l!UVlC6(t%zG;rf|u6qR3OhO=^35NP( zwKO=fuD~@u!ZO}qn;S{ddZv$jn2@@YY$KN#k`7MhX(U(ZNT~wDG`40o%#-aF!H)7G zME6yZsJTMUmkt?(d}Pd&w-VG-^&SrlM28|8FZ<)Qc)(w3{xddNdK1gzXEnqWaivza%9eyZDxp>1r$&RwL%M;6t= zFuDof+yJP8S4}HPX`n`$swm%QuBFA%yEE+4n zHrIGtG7i_iLAK|QLmyd)rB#Y_E08GY$qa5JlY2xqDJ@?O07~L=n=1#2u6@7THpR+? zh&t4ktmf)s{})s59v4OVz5zea?hfqiVPF;pn1vabg&o+{9o+{R-Bnh16ATn|S3yC+ z)>EOOqM_m$&&LeS6io}uW2xcU%=)5VDl<=|m8K=7nVOZRm6i71>-YD0-}fJ8cNW;) zndfld*L_{r?QtJp*{=W#j=+^3o zrt74amUN0KTNOO&{sefh?nNa#p$UufJ5_(jHxmJPSbrZF)JlPm+~bAItG(Pz`Cp?_ zfj0|e1j;=DxM+m;)TL-(b35;I)RjNfE>ZqGk%}SD;N@E}t`hUZI@{|>o>|T_PWy3o zuo|ONmO;n756r`y-VF6W!2J{dj3HZ4%Wh(eN?7@{`*F=ZInS7P(QT(^aITUxCY|Sw z?7Yaz#nD(e1pd3S1tiGK&0*|xZXjC*F3hVJhguMjKHS6HZj4=htyhemjit?4U$Hbg zp(^#xpK340-}TWZH0)7dsQM?%m~azZM4X04cJpV7g9hHaG5Yj?xQz z^8&VQMp*ajmqEPOVidP#xGuAzJFBdAKJPcgucko(*?Ba9{(j z`2J=StQI9(+_)N#-59Cx4-Bo>E?3sr^WkU=<$-11S<_w!Juib zV>SKBCL|rYFkLxlB)7S{E_u1ha*hS!_6$e7bp}J5`E2zg3vl0Ni(Dq%(X-YPGI7Hr zWb9bZYDIdwyFZ$5jKDyhaAYgnd-sIY#07-_f{IZuac99nUIc_Rg_(f^(@9$^V>sZ zdjdg$HGtE@{;&+Fe%4v3g5%w=*yo$aorCX&QH(ui?U=<_I@^ z>3kd;e4l-`Foe`yDE~HQzTgs?Ema={bGZHieRNF}XY(ZEH@U;Lh;!f@1%nEIL?!=H zdkQ~6Y6WtC3iXYTipx;Y1su%z>{@FkF&_dh2K+yzC@TNaVP*W1k zr7N)*GR}f(%iHFH6(!BQk2p=;UTlF!g10`Sy6`fkxT1*;lQ zf08fjnNLhm$51~)q^krNpGs37*>W>TD*`uyWc9x&PX)5wag^tVXYf&Gr`fWTy$8&o z6gdvS9a)Nn9JLjRKbaj_c>|a=wEG)&CCV~O#S;iD8po|a8`^F*ejZLGhl~yLU?3fOk6#ZJb@JjfB> zp!t{TK4B&%uF)g$TiK{G@|60xSgP+rW zf2NsNhH3m9taJl4*Jc*nEW3$gDmL6)Cl>rYlMU`yCu#UAbAO{{IgLk;TWb)j{OG!O#a zb8F9=IBJas9eL8eQ4K2!0Bc>pHjgtexMdA1-8Y+_r8w(gou z#>F?avyU(f)iV7nxnit&ukNncW`%-P0hc@ZuAP34ilqoKRy{{Z4mT3k?$e)t##8;km@ zXLN0&N@_NoKw)u<*ZGdIs;jwKoT^tALi-(5JRZ|&>?gdp^gOQahYxOe4!BbLzsBwA zY9XJ!^9p?&!rj)_3=^SZ9Ojr z${&zx`o{0o-AsNvoux~Rbe|inzM_jPbZ4w{bDSO%If9^latb+&s&BZTm7g^`H`oqe zEyxJjQB601+bwD7!cuiijFcyuC8ZG)FP0$zTB5+MY%DuU-bW?T>j-l8HNa0b+92O_ zl7*Pbj%B|kpXjaGv2JhZLu6@+WqsrrwjOXz@FCwZ92)-QrybdkHNBMkq2q0~zD#U> z?ATEDTYd@VJ8e9SLj+BD^3!)13tw2*#pi#CEaOG@QfN$0I^n>V9@p=X@WlheL%OZ& z9+U8vSowadR(Bk z(RRSRZW)64%5m0ShAoXKH>j4eWNv(@Bes}n#{{N+5N((_2T?iP?x|6DlnefB(p@Bc zqmHN4K~!-bDyvd$vE%@AZlC;JcEdOaBd?7w4q)yvjLAM3qKx+7YxMg=;DR=@c~2~V8aXQamW7&K#AjtC=}X3{!dq`rqOypU(#H3 zhA!J-jsxyq9Ke8SSzJfffI0^numKTKFS<|B`b~Q39(=}J?i%WJF@EZYh|8Xnh(XV4j`J>!di)}Km6L1Zn>i`ClZ9%aNx6f;#p8)9^;rsd(W3^tu^P;wnWTPdWm<7003+S1gp> z(vTZZQcBSO9A~*wkabo-;HU@7Uw$IW27&MY1ihX9UqSD{SeTzi4Snv3J@2PU|7Z2j z-`4|d3z(7_<5li5=+X;-4gWu3B{vQ)hq${40nMc%En@nQ=aM2Qq6j>kL|p_cbpQ-h zxhkYW14A^CJj6*J_)XB1(qom*5qT)|870wJ(nH^?H{dx@egmae$DH#hTRP8m0%avA zb!7m-K*H~qvbdBdQd|BKsJTE5QB(k5T}#EozwF`m@&QS7YideBdJ49z@5Fri=?7>io&##e&jTUc2&BG?{hw5iR7!x|1=uIxW1kvP zw)wQX6uCXvHxPDcwG@M>Z4lyf8y0heO6bPrM>qK6*)Z7<`Mx9!3bLX|cjiO@cv>7C z3nloZKIl`pO4)@*^+S_7pu$STx##?b#5+vjzlceWF`wH6Z9Y_gyz5P6vSxmNKYDFuA5msM5oUu0_Nay^ z?+eg=JPP|kycIB2kE@+H<6D59fv_LSKurd`N)J+N;pw)z{XeyI%}+s0(SwaL89Ia&{Qyt-uw$QkDhqjBx?b)QxqqL{z+Iv}!5j#9_y z#?ICMpPHC@TOAgSe-W!AyHbkY-ya{ZcDbwB=EG5VEf>&D80XMK&i&<8) zSbPx2tPC$2-IXB^CWqV#^@i2%I1&;P4duWc_CN=MKHx?Mzu zTVSZ4tfnHsp`;KTl`}eNkQb7)3p#(-KpLtTQnT6oYT2#8hp1+!*;)1r*tgbz3`r3% z?aN87d6sME6L9SaXckJ+aP1#(RMK(nEh0fF1J`cxrlVX(?Pf0B)82alhMVE;o8I;Y zX*Ji|Q{?N7OrSL`vOY4+ctJH7ty2v`TG_>d3+i-)j+%ot+sKzDTnwC*=dgb($0tEw zjfn2sbHcv`;9Nj;{0jiLUXT6n0}MGa+P@a&@effEr2DwJMe3RH|M`0#t|ax8@@rJ& z8w1X99_O{(Y|%Q8oAEiE{C_@Bpzzp!xoK9(`}l+U3w)O61iuz!!iE3QFe@BVyY_AC4n*l5 z)pr8`@+Pi#L9XyIsu#r97%-D#+zedIeR#eRQjX(OvCIR)>+rr z@{Ng|5KaiRL*?xm^h)V*%@gBpaIf@zs8NS%{fvKJL~~lcLlZo`dV)|Dd7^x#LAMHD z(J0e2cxi5)nykS~07?|hcs`^$l{)`eNOi6ve~loxM^t5!ct)Jf$PT@wpB`uq4`Td{ z!RzD)_g;#1!C-bn0_&DE}II^^9};FVIj)fXqz4j`tsKGpeO5uTUYVP5g|+s zlDd#Igu3+1mihevec3ENBB?#JTPIY2uMkDHNXo6_4*W@Ka3x6 zUf=p?F(X;tA3uKp?9Nx*8OkM%GMo|baQxHE4g*ScecK?yC~&_}v>Q2Wl&RrEGMWP9 z99(Cex8g`oOjgJ7Zt>q(x|aRza4&H(%cd3ILAE(Y%ZEmG7g?i`u7X|pU^*nd$3>Vn z&3{1$u|HV>Y!RfdU;uuqjgZ~)>FP8x{)spoI`{cE0K4QV4W17NzXqS*@BwrL#$Unh zfUomD90oqAN=_+Csrg&tgJT_5{E-j{9-#$%vSbVH1|<%B4md&6QKSm=X7y$N+K8`& zVl!E4=nD;Cm2I~P&=SmSxg2}$EY}h54Rl1%SBmPO4na-V*!J*^$wLjiRkGEoryoiy zA#Qz$r5Av>3}3-JS10WeBqfciZ^tIv9I@&i)G{5Xvw!#wqSoQCgsVELwFx*w<@V%+ zO9pm;r*{M|Eh)-qJ`0sashVgt%9)4+O;Ec$5eV)n!bSH18^Z$u+^)ko1mO00B<+F= zuvII)1&29M(@#_;N0r{yHT7l-)O4+M*E~$Uu8~fM-US^!O#5$AXM%#DD zeg+QLkk`f^9!s5u%FP*M8LNkLfR~R2Er;`AY_MbT8g1T?vI6T|Ge>O2W@sWRUG=Zy zvdUL$f%*>eK3BX=$`@w)Z@pS|qJLD8WoorU88C~S? z19e?;@l6B*4tY#g`FRAi?Q+Zf%c!$xNms^W6=E zDM}%xPr4{>7z7_FGT66f z&O@le<~FKzsHsC~Z)4Mv3uggaKY={-R2sZL+$B5U>tE!YJ<~`)lapY%OLLW=%v6JE z$Ri8|L-GOYwiv9qE%KZ+buJb=C$nC*<9DB+b(_%R=Ma95?YZDGluf5 zpF^l4^w|mZ;D@lK7e4&cM$iW>^#2Lhi7C$3a7SO+tOMd5`%&mAOg7Q3>tmxeY!PG8 z)4SjdWGHm+K&6Hq``ChiuwZshC>J*zW$l+HVMxUa@rxr+$b;Ylup_?v80~;(?ahdMWFMr+n9g`iYksCR?x!|>tz|nFCulYG3hMUGbfkk~s0im_JIx$O+y0cNVOjjm!duKWZ9TCSsW zjb2{B6i*AC?l6W)@OWukM(HW1EhxL-hhInkZb&CrO;lyA(^N+-I zOjO>Im>(HtV4OLHT!|C;c<2*SC$IQnG)N=skBD!2Y!bM`O zz1H6n@H(5sRppr1Sb3fk$m@wgXacWtR`zr795{~IQ*bz%NO1DS*TdJ)Zl^cVKfQ3W zK$Y-6nLi>fBv}hbC6-JE2MB2>*{xykno~-DL1uxh#q3Y!loLxG!)vwhs^wu~@ispA zGxbG6g-B;Aps)I!w&%oiHX%qrEzL{HhHt(fjx!HB+|BZ7 z2i7f*p)H@dnG}6-PNe7$P{$v{heW#`vO`D3&FYt(1FiISx{H(|BnMv73Mt}9J?)XO zAe{P?PVv76o8#A*EYgZluDjGJ{F2fQsn@jOBB4yZuZx72TPhNnQIhlulq2!aQVHC^ zM&y2MPEjUk@K0>#Fe(_%v~?`$MvMv0J8D}l*DV}V*bUX}#Z#SIv&b_DWae`*SGSx} z=GW>*jB_6C%$}rNJ{_)k#0rGMH4h-57=~-sfEg1_rX%JpC%2uy3&s5i|L7~%4slv) z{^(@sZ73-3OU2*XswA=pl;jX%_NDwULojw9k(HXdr}LKZB(lRVK;Q+Gs&-70b^=wR zKqF0uibx74O|_jhf-#WPkxv1@5sY^`o!_uYeG#i8T_l?#=QT7<1@Ye5j0cj;Jcs+rc>jYRYuFxu{YzCYZO&^LXX>V??`iTMT_2M*Ymfy zENLa1RqUgswQO3e&HTL0L%2d|D|XU9co3zw4kArRS^z4Hv73?oM_~xnf7oJV|3~ac z;}=NBh+mNeZW8X^)?Z`lj{1ht`C-g*=gWqp?%N3b^~bAJFK z1Ri8aYn8#aAP60EO;8q5^Ywfilbg+N5xRqUGq)u;k}6S7Av}qbgU`~kJi}J7Jy-$T z|3@e|7-lg=1^ZEJ;EGWlxj7{%bXIvk3>{X$kWw|CfcV>aF#pkSJh1|WwJ!Z*-*tdk*_1=y^h@L}8KgfNEjch3W~DzZf>}RdjiS zB$_$LQ*s>bThH-L&Pu-}$gtzoOfBlHNE*4fTb#_(TKED*=$wusr_t*7t&-DRAWN*zi zezR{q{Fb^Ndqe(4g9;6Nx-1_nNYX~#e{>11tneBpsP|<#h&$`zXmzGeEY0*hbWf%4 zpiVY#g0d0S9)p4)KMoRLkO$2%ns=$C8e%b(UH6T^d^wq&Sa99F7$n}@zCZ|Z-}6I& z+tl#RW<%~c=0!8XS~6Yd>5saYUvu}T_58IOiv57MIxnQMc@P)8gd^(2&mcqq0>-~6 zcQE@Z1Q6yA`5!9ovrh^K{O2?NP^5G1wLfnZP1~`TdLYp4s|_N$yJ1y%?=tisnggd|JNHzs9e&yJ4@a+Ry9`q(4Jixa#d;&`dZa8yoM+@D?hwo_dUV?uJeo=vy$7{T z<+B2YC~lHj4t#g{&p2-qzTQntH*!b#4s4ty#z42oe{#0(Osve`XDvdP z#(|985ZZtWRrF|ILy%thaGk|T^FQTG;cf?iAk9YR{VYThcJ_7jbZU%1;3@T?bAD#E z5p8#Ni@QUUZkph)u;_Qzkc?HZ=gCFzsIh{f`SbsmEvD*+*~*YioceVW>N;RoFRM} zuo&lnyvU}r(bXodFydF$qm=Z$Xfdc+(D)woVpwXmjf=w})fXq3!i{WW&DG!vkCyQo z5ZXD3-9$!c@CF$CTQD4~fei?#f3GS_FkT0M=s06jzB`J{0r$8F&Vrg$xFsV{lMILo z9FlA+63IxkIUYcZn`r)zK=b=dwI*-w7`Z_p%wHSJiS8vuHBt<~n{OjqeXP3!u4B9B zoUl%&AI`HR$FYxbHv2Z4Ep|5@URvJ~^(oRhPbPp~#INUe0PmPA)Rhh1JQ&z~ym3_D z9+D+^P<1Fca3Z`*guU`9eFW3OAGb z0Vw*Evu&`vD8ZSQl3+@Ob{#{o!#XIHwBq_vEC?KJ^~HRD+ZNhCAm4$mzs6*>gDg_ z3a=q|8Rr_yKJl*l{nW=eY)#Xv0ZKh;Qd=?5zZ&+HJ?0LZ2a%mx_g65WW=4}9i5{o# zd`xH}3hu7|SNQ_fOm{4cB$>6sU(EWX2}iIiipnbUxJQ;O3CzTS=etIDg`b$~Ht>Oo zSV(EU1?{?q0oKrml1cyps=;Bqkg|9H$>n?a%b$s&G z`Uz9&7D&I4UPwZCz5fSik%=dYSA%BntPp)U3h|&)zs9j0z68t^Qb*FlU;N|iR#L&SWOqR2>Cz4*nJ#l9xMWY0w z!}|arcK+2Te3Z-J#z0~q_2g{aZa_36*W^9(!x^_pcOCw%_GPkLhi`LMakbu&g|CHA z2_+3ZYR+8jV9~~cZHAzjt6-fCfo8e+Hj_)Eqt;sn>-nCew7RnQ=4(Mvb_j^$!U8BV zkPpGRiJM0i37r}a(g&pzf}kwbswrBopIjSH2MF|Le|UYEFbEJg=}&Q#3Cxbd-QZ$% z)rLiw(#N&o5^=T(0yggho@_%hJ5Zes{ou`PF{DC3Jceykjj>EHgPC0bd&9i^8Sm?f z)eS&f!rUP8Pn2aRyao(dMzZH!F7ne2`Cn*!^AMS(QRag8?#{>Neno#d9))L^le~{8 zWgAtN>$}UzXN}I~iEZ84QgCV^-)Tr!$fBA`)m+M7ZGJ=TiT!``{L!!L4+G9K7)S81 zX>#-5$}tLp&?Mz0E_?t!{CExd42i>xaz)I@_gJr53-}akb$stwNe*b)kf%McG`o<6 zoa6vnrI{WOxeEi9e~1P!9Y+9TS}L`j%djYEmUHR0PvYrrO{2XzX#XuG%P!>tJ%SpL z@L77xGG(QnYR9~%zc7ej4MANxGz`q;cSPKK@;el|QT;1T79i9y9 z%k3C?SHaO>0048#)|i}`K^_8T7=%F)pmen-3Qoo85kP2`HkgeCej9$7n-`39L{R3V zoQKkxl3q~1u>UT#08MKFDp`s}xhPh-M_;F*sbV_l5H0f{1*H=CrGQ7d2hbV(0|M-@ zLBY-VgfNlL3QkmBrB48Y9tvvCJt{ee@8x8B2cxp3A{ATE6-H^VrdE`0Z8hLOt5XB@ zF_Apv6YGl^%?m3lqtrD~{_7x`Jxuw(KlKSY814TG@V@xyQ$BZU-4&-tuoNacFVo6q zL@F{aP72>rvJqL1{Qn4jl{d8hzrerr4@5rBtCRe0p>V30h*Q1(Z~eI zI)>`h@jaa%(w10`%ZZ%K;H~NxGJ%1+-u3PjFKvQBb4b~SPcwSdm!gk&dcGN zVZloFF}p~>YRfa+oLn%>O))>~ImyCu+_&W#YO$*>KQ*5w#;?#{OJXSo@jr|Y#i2>r5T8bh+n~-A0fmxV)R$Ywnz1lI6 zki`MR0$enIgN)XM)g{8tG^Fl7J>S85$bRU_R`V5vZc;n=rA}ZSq|X@!mwf(I=1YTn zD822jM%-hN&l}Xc`g3kRt*M*txKZBOu8#8mLjI#Waj`&Us~%nxj{^M9u9CGz=jQ%k z;ADSz)wZlQzZ|hHaY-VdW4jmvbTmKCX}dOKbPme7=3HI7@*D~QUe~fRfI`h^9gvwa z`Abj@+oWGP3{Lm*oUft#aqUVel;Lc@jS@l!s=&BKGu4F6-T3J!8&9W$00@0Q zXS-%<4a%9ZK*Hk7Mq8!fIuy*4zy-4IJ&2onGxSHHP?SX;NT-E5MhR*8e@BaH+3anZ z(>u?y?0nW<_fv%oxyTZfUHfqeoD_d_0;(B`Tr+kSylwFV4D-+hj{yHwGBswGXQ^)? zil9K_B0iOA8uBuV0KwZ)p%Q)J7-l7;oyQ(5 zIMFsQ26hW(n;AP2o{HsPOqkf+k;?2b^BKTuZH{H$Gc$?s8ukHeZ-1ThxEsi-Rm{hU zV2a}vOU!B#qwHtM1W~fF+2q9-vRwl{gFwx7N9Ku&@qYo|(OIN^tTo}T*^z8*NTi`z zv%T>EbJ@&w5nY_wB?GK;2RUP6f%ndwV62(3_+9mNWI4syG%;ZI3lCs^97UFsjF=Jw zZYq|%I5xR(9JohAC2y*RDTqU&Rf)4b6$5(@q;C1HU;T>hYnIrxRgWF*WdmoKkpLEo z3a9nQLg|etnwo5`2494#6gi6kBE5*usGl&!K3(AfPu^9EfQ?B{WYIwt{u7@+e) z_qmJ7$}MoncT{M+yRiDK2JrkAC>!BQc>CQr2;M)BI!im*B$ugb1psk8DAuK&?yDpl zJ$be!au6EL9@zzjkD zlp`)I9jti=DstXgS?(C;G(q0PI0)#-8)_-2$Ner$xt%(p}7X>xqB zv)Z(7I&$w0^+ctMP;L=k zxU>%zg1K?(PK}z_Q*75O7hk^w%$Cy{D3mCTNO`O;>+x`#&yXsNx1G0yI)E9=f`!<< zJBPCTU}jIK2co?nq?J0fmIX29($Y9B1l$WAfv^z1j9JOY+>t;POJ3KQUnU#1R7H*p z;%YXbd^BRrKAqdU{|mQ+Roy8vLlyhEgT>#Ty9@5iV5~(CRn|q(huC*Q(RgMKT9AUl z%S!&9l)EG5DKJ0cyii7}(lai-$kSvd#kAMM4X!dqj@Dog`dxTn&0$>6(MgO`59QAp zh#}BW1TvhqRS*{aNs)%=It#PRz`7NescnV%X`l-;c{Ez@N_3hs$fwbg6(HzyND|<1 z0f96(1stBpVDsuVtG$+EF+wh2fKpyW`Y}b63Vqi!j_Fb#7(Uw(Gb1v7wj#*`lYTxN zK=3>dU4I8MGpok(D5ie9aE!Ipl+^8&&Y~06A*SGHvH&?3=csAm6>0n41d*Ba3g`;^ zvcIx38hZ2d8HZ*5EH<0{8DR7w0H{~b<)6l_R> zy$=7<+*uuf!f(O^UT*S-VH!9z*3(A1T%3|LN}wR5efa6o3t+1{3iJ;C9m*TnJkPzU zM)9CPw$TMTSX+&Ok86!#Z!{#ZKuxM$f;#QIM?Wb39I2M5;zTSIwQbcAZ_ZBOt4@WR zDD+^f!O!hB5>sKtHHg*IgGBXe!voxjfuD4>{qz58iOgiTb$ff}gBZr!QOW9(aJ7BF z5KCp+Py#eI2)A;5m?a6$wK4vSP!(5?Yy4Ltn!(a2|5aGzq7FYNS`n)CjfB&=FNiaeF|^h20%G@ zoo?Q#0<2YlExS4JbX5CbOEU*&)V`QG$N}Qz34xMDT3sK9`(SHfe`w^`_|o+}Ok4~3 z3Yv8$CW(Hte8wPK7}o;O!_o1h6%^Ws3p+=K=OgPZea(xHD*yg-1 zSgMTdqMeiITj72zAO2g-(vUxrLg4teA_@B%ey4|oSFl6Wr8?<%xNBWBq{jepzR}yA zw$0I#5Du@0;RU7l^(V8nGqT3gYA>Za2N&hZnB;38ml^ig1s3YyvQ5{jziIDusB2;TM!suctBxyCKR5Z0!levS ze6klsE2DIcGu6>?WsGlbbiUX*KF6x zoeUzM;Y&j9Z-W=PO=TMLF)pz43U8pxOS|GoA@*0*pi$c;g_aui%z$09t*ETa?;k;5yxs1%&rZ zdZ!abmd*AH_wlqsI})cD05aIhX0=RE-09L*ScP*K=}lIEWU3$yA}Q&u{0tO;ZX5gA z%tw_#5Rs1IENUdR%Q-q$Y6UYubvN{V=2ORxLiY2x9XosUNKAGZ#PvysZ(H`#q&K=b z!TC;4zg~$O!*rpgMZ%?=lc1}jl3_(8(a~)E!)W!WPW~)Okz;JP4BRerm2y&3Vx;G( zLoksO!G|e9jWy?}`lt6rs48b!H@c9C(YOF$LrKAo1CA71>pt2CnKj%M7*#qr{G(@_RcobO-)x(hxD%u;+9G zYsg6L`I7Y)M&$IqXS9&~4rCtHNI$4edjIfB(3s1N-L|pf~cox+F_Uq2(>HU}HpHM9!KT@0%Fb&X0;lhc+aV zj#09~%v8~w+p5>Qx;cODqi({?8%Ypu*w|RJ>dxgqVpP2)DOv0qTcm|RVgzZA#6M#3 zDzX0n_9P?_tE1Q?bBHd+dtiUWI=mOW#CFr!q(>D0V(Uw+n><3{3IMdPW9czmjulTx zV~?}MPYl4rZTi<)YEW$&urMO;0#;a3s;259%&&1pM(dn7|E~O6#&Gt7C)eXdMI7ul$Kk{9WWS=fMI{*yEgWi@(|&p+^)MFIY(iV9>2}G@A}3<64Qzv z^x?8|!el9W(3i_%Cg_$+^!6&1Hf!nUMzYXK;Q^ zvtI+Yh2nz~%mM`Y!3j_{nT>=BvL?Fms5B96yt77%k{;q2>NCI_r$qUCy*DY|9Yx8u zYx+tGhvztlyr4Wn!f}O5aBG=w;-%9^ZvX_H%)gEom&DXeg;DN3j%p@hyRZPH5;bG! zM7)fQrD_M6({haDB~)8#mW6RZDT~ycpUvHb*H`#0Ap>{ay&c;FPl4S(e6%uc@OAJ- z3V<}y{U$VgxB&mw{bv38QClIprsUNZ@np-dCSd-#U#46*<3y%n)wnNH9o=1?pTp>lt z(@J{4(uU}zr(s>ZWt0SQl^#$xDGq9zz}EZ^R9YA5{d>_ZYl*(Tr0BcwK0>1IT!!LY zFRe5d`H>0Lk+TnC}nFFyGY& zX6J|mF5qnI{$#cn(UIByz-&IL&cq}0ZS_VpOi9xbQR6Id+Y9(?r8o9&?a2Qv8X0zr zoYp}e6XzT{p6|f9`7ET0&)9@`FlJXO8TB)439#G|(xkC`K!azB9g`&*VKUP-md{b& zkC4(AX-e;+s@Yqvp@gr?Yo2yZW4p_{44&?bg-|!GV%Kr~i++S|1C6nD-vKLaA6+Il z#u6X+^8y6YmtDm7MI`6b13;?_mBUTfXuO{zx$D9FiHN>{+|H~1#<66Y7S^M;?kvw) zrg*i^=nT>=x}^&^*<6ZYt!>+z+vt^TFTl#XPD38X@aLKyLK3}3)AlCYN3DuJst1I> zZO-yssPo-MN7F$Zst(eTD1803%F$XW9cpz^SUsu*a;^HlR{aXtlV-GX9dx6D>Au|E z9{;8G(K9j)(b8?bayv?0f~1edwfdqpjy7o;$icVKQZp0}>yb1ALVzkH?Xe|B3^>#^ z*eg)}L&|jQ9m!i-^gs^!pk`5BR^Bvjx;GO&a^WoHk02v4^5HB+G~zYPzj_>TFwIJa zv`^Z`+MGL0mdY41m&SG`-NaW#((%t(XulA7(8^{EtA_0skjt(@Z{@&~%FNcHHMkvK z>-3qK0VeJ}w-#sk-Zrq0pg=oD>tD(aVLBTMzhH1@PYjuaz$M1}9cD{CG88S`2y?P% zq`tL0ZT9Lh)t74T`v%%L;OAKZRLh5={kI{YQ?8-BpE-g5L79p2euq{NXCgctSOLzu z-r7l%XEAZo;uKj~5iKtdfKh-ssCK6$sC_^okNiT3TP>b-mRUx&vo+ncIPBjKMG>b? z+75>@wtm%WGx-^jmpj?M8S7n>!FN;dA!#=^P`!`ryMT1_2eQA(TM4xHdX-O6uOO8~ z0U@@9pf#@Z(!b25*n+0~)|i@EREBLyykgUkB(o1Ba6^4pG|~^Skdup=hGkSO7-%ZL z&Xdk6fU7B3iZ~Vnlq`J(5LP=@`4rVmthbKb<6!Zk)eX`|I3KRztH}N_tRl0K{Zm%t zW|IoI5u&U8xvSQn3&5KM8q7Q;0lU?ml2PGS!^SbvNYD6%tLJ^nD~ffXnhc8u>BT#d}Rl;wdMT@5A~= zp8Sazivc3u=aJ<0%dRSRtowKGmsD;V^s|zIkG>Rv1q#WGfq9lO*?Mt+zwmA zb8MQom3B@ysbL&W0*vM<%0CXq`A)6BCT9w4wf>0^XCBr`ept)kbJmClQlX~j@B3sf zfF{AJeuzyS9TgjP9%DaHyCRUZ`>zD@bkKthc+#<0iPcIBluOEW;KFB(+;DS6hT_ml zW>~y|j1?;g_uc?+i@}*fPNa!nLyDr6KUuybbYM$(nypF~|7(}QL^_dfZl&8xpPAQ1-sxQPKj3g9 zor4Vh0Fur?tnwNnZd$p%O^%aLwy0-;@2h8>?-v3UXNbBTNjGb&VI%b3$d;XK%PzhX z^bpA_<@!O*B~OHP1vVMUwux2=&a=VO8ybK5=CSNIY-;m3AS)R-(f@)QF9-iRt7~EHy$e6zZ`uzuH+3p(2uv0)6?;JtTZwz}~V_f}& zO2O#(hg2cu4Grp6^ahh+a-MeB#+eyStZlYQddurTzR?Z-qo71mk4E{&fj^Zj$C4UQ z0UKnU!H&HFWV>L3>@jQsAerMY@He@yfd=Pb2;(eI2uHyzkzRAX;HV78!eXWVg2Ehp zckh2GVme!PxxNSA*^^fI9vb-+H!O!Pc0$9pXmL$9XIi{!PHt1_@5ovxhd0d?PcJH3 zdai(0{T+knl^_OKNPI1+&P#L*)Y7dl=z~`u4zz>0%}B#R)LfcPRqkiQRCq((3Rr(EGi<9D6#6J(plweYeWS1!W$T)5 zNl&!g=b%{ZZ}Yy0e1(>}XxH7uW?b&j03f`Nf_wIpzB^=srSwg)6sI8;e88djMIw>-jAE*ur<>EJb>p37u}g zwL*)kV>W8sQU1p@W2469!0R9d{zs2S>r7s=q0}Ye%63DG2{<`>ds(FU>n7;9&w#R6(a7H@z z@UmM^`=ImB!=A8lvfok(5-@-e`%OZLHTQLTSR|WpSz}mfNZB;pPHNW-DI41$WIbqR zHtS28*;lA$oXP;5TlTNybMa_y6A(6L3y|`l@zvHZtRvV>m(?Q1&lDZ-YOP$oKp;OB(1 z5xKK+%NK83xeoj*iU6m2eLy~|E*0*Rl20rM>IKKMKfTpZB-qH>eKFz9!}ZNpCC>>hM4~P zwsXRV=2dK{F3K`JUU0CBS*PbHRl~mHPGB>^n@{;zqx8_^Cwf_5V&|i-AgU6>cyq8zHUffb%21Dvl~Kdi=<&+Sj;@LomTA$ew|rxrxmG69F|X+n4WRq z9+#a6mg_)S;$oo5E1peeL>H;_MA;Ze4q==FCLs`=inb2U-(xQxq05A1IZ=`O4gq^L z&zrWbaZpm25yTsm3sKBNgAXhZ=98<*LSHdR(=x#J!gJ~YY_S{JXMvtzIbsa<_Ns_k zVhWFBQ{DGUw$yp^R{Afn?eR_b0&ud}tq^o>Hy_V@5`$W;e>3cETmV(g`uAX^20k0! z17TVI>ohFVMKyO|9(l+v9d)98r#gxHq{Odo&9^6pI9i;u$v zUxa2%SF@quwV?=h6?_!3zUe@m3FOAp^CN%NZ2o}BHZw&G6Jlp<#Vrs~G$8z6LD;#D z9*n^PO#L3HoqSMQ{hmK9Vs7#Rj-ar=Sf|Fg{bVY_uW-Ci?D@nPQ#ESwe)ml>6id_K zo`ctO9c+Qa{xx&qlZ0XG7{D4U-OuiFz0*&*)SI&yQDjX~|cJB&YR+>Ryms5 z{d%;dH{qm5lUsU#H0IC1?uu1hM682cHeYmdFhZ{!@Kyvt^+~iMoxgT?L7c z#Qr}^5@F}ve-n5#Z*cybU}!d>z)jdnS%(6@f*HOZ`F}%L*OiJVmAA4D-dM+EjeepQ zq8)5makh@ICTDXkBjPk$IK!YAv5Xi2&C|RdtF4K(eVr|i#0HY#k8xluj+Hi22^J?v zv5Y?;aSGpo|HcyTCeA7B2pR>e#6|hw2vicoePdh>Q%_vZF_2gTpM1x0Bt9nXBKRWe z*6`i3CW7r=S6ggC#v%N(QYjGK0u%0HiqzWraG`F1U#4Y|OU}#@;F1K#0;$Mef1Cwj#ylcSgP;7}@RHXbpIffl>;5-@tWn z41h15A0uWBM^1mUm;lapUg^|Ma42v?K))Nd(7pD;&mhi04$K5(5}!284Y+F6YY?_p zBJ2xoLlb<4$lEI0(?zR9xgd7RiSOK*hEmXm^-B$WgKd?}l}`?TAd~FoSfCBP|lI7N&V%yK}uD+~$EOnI*1;b?GRX z2wp_ccfj@k6zG04p!>j`3QftLhdm$4#CgIn2y4Wbi;olht$Qulr;^E|wa)WzAKG>O zJ5Xwq_&;#1ud}35?a@TyC6WbBfgb`Vx5d_uM|`cjN?Zzs*v2Bj8^uO!#Lpyw{yS7F zFiX&~Elm)-Q#Ms>#;GLdwy5!rRXB^AA&tb(RLQXwC*n)Mzg5)?me8;WI{|;FoCx+7 zt9KO3*z2qS1Qzc%JB|nqK96YGG^x$pjcau)e zUc{!H3=FLis2x(X!PDX^FfJE68lkzsz6!zYc}4{H3cCRdSrdF4(Y492%XtGy4{~P% zKg2Q_viqK;{{JxDN_dz>u06oCg{xkOxG{hifvWFD37?eH8Q<6s)~81!HLD`t=;?=V zjAg{EbO1&!KrlpAjy@qO`?ADHF$$Qvz^fZK!91gCFKLE4K9&Tz`FKYT1&%3)XL)<^ zds)xWrE;6ZnMZ*r;xS|_1z(J6DehVTHfG~FSfar)_I337j?V0pj&M6iOZ%q1$PN6z zU?RZ6D0KFu2g348l$Yc}hUV93{abQ=_=P@-Bp_7aIa(y2yE;3W2#9$V@8P zM`r-5wx#Kq$Vm{#aCI>l4|M$i{~pj!z=|&w>@5Jj+OJ< z*mI-n27WW+XN+9DCCLocsvxKv z5(&=2rCDm61A?yK${a6X&jQdOulv&ceRIUFMA#;T6{60g1lER9tY`so5l<)FQrX z5D9?aE*bt_Nc2yTbnZJr^R0oUvVEpwDhjbI57K*KX*~>mCL9M)z~dM`5&+Q*{N� zID-5)KtiGrhkJ1zUophx`P;Em@Np))NRI3)r)CGDxB*rzXWw_uWMlm@^Z4Gi1%RSxWCx)fdBP+-Jbyk`{@6N`+i)6jckdy&o zl=rT`GxOegp5yO#xRUO^1nd>BRVKIZ<+X8d&mxOe`#!Ta|Y*wgO4 z0h0E&^31qXI-Yyyfn@6ccpmJb`_A93nfvl^x2XU7VgJXArNG#`dAz^$A^B}&M^k70 zcQM-Se@~75uX1lINZ?1hbIae0(tcn2u>X~H;L~c$+TB#z-FMrL#JqL8*+G5Y{rcDC z_ip&>I(X`xcK6q@`|kaFj_$8f$i?4sdtU>!OYQJpuKuf#-1im5U$6B@<$CX?`&+O5 zzIOP}8UC+A`TK+aF^_E|Qulfbn8^QRPEQE`ReZM#>TXBgQg_@< z#l4z=B>t_9I{ta|xLb{PFTVS@yXk=R-KldJbpCq``G0lO-6!5RXx)9N>%Lm~uPoV} zci;F|D(=4WPEwrra&>>J|NHY{wQ@y1C=x!-s4$(6kW8*lT7YnbOcCE5%hO0yY|4mN z7U0PC%ES!V6PHmXsHgyozx!N&0*VxZqsf}!}(r3=ZnJzhN$X$};e^5qa zOnn~5sSiYPmH}Hwv^+?n<7`8ohex%8@T$?rH~JU0V-h?Q-ox2f^OShQ>jI`+o;t~0NG*7B&7%Gv+<=Iov^Z*ItfEMIu*>AwHU zp7+Nu*M9t3mDGI!k}6y(Z<%;49?HKCYERV0_n5mFs%Vk;lSq@E>;+~2u+~~G&W+D& z&_S6THtaVj=u(uMb?}?0> zZ{OZVo`{|M+kY;_q=-4aqKx^gQi?Xi^PpPIaO-Ld&bV6B|7plUT~x{T0o&n$`^KH$ zUh*syCVV_o`rMF%Q*V5G{+WS0p>c7YOP?LId-RD$_xN|7E!#Wx>?XKkNBRB<@9(bp z?wuWjpPzgYD&R5O&=;yNf3R=7ROBWf-2Y)%}?X5+d;jR0|K^pc< zmtOSV&d{rCuy-ru`>p*|AMUUE==mvMKza^L{N(VgAAh=>kTLnQSL&c=JdpuaCskyk zINDz*ek?z=zN@&xSR`u5TY(FBSnAhMg)^>vBK47Bp-xvbPdu7F37!FUxq0BfhrKxa zr|;k21Lt3y1C{zJWb35|plshdFsVZ~sNEaiz5DNfb({a^A2)w*uZC(49apFHgKq2( zptqyc@Ms^YJt^VM4#DlO|P6 z<07bx(HOHrNGFV_oAo!(*4}{=vh)eCmMQ})i zP;^RrI5s*wxq7TM4X%Mx_pig--#Hh5_X}JeopQ%M#Aj5#f|WGTF76I^Ncq=6qfa?wqYB$>wzOyts&jpg_o?_{+--I1Zr85<#U zxbf$B5N}a9Jx&KCs5?B<>&gmoyra1m@BxQ&gT&X5{!8hK6Padf9S9I(@)wXKDV(_9|>9~{q5QrIE6g*GYG zb~3~>6|(6~FCGFPt_J2JfaRT#NTV`TDldz!Hh{D$Bqj(i*`ce>ogzr!t_wEVM?P^b37 zf(Vpe3A{H_X?lx?M#>#&>4CXWSjaQ%bs0)8?FH}lq!%BCT@7!VGo~tNI{;e?rNd-0 zw<}l<;cs%6-BY|@Dt2!m7ScTw7^%GJ8F?Ec6dq@WD`Z4|M`k+{USRLK0TMZ!Si2`dF-W-8c&)d|74`h z=_-WZ?(}V8NIkL_cWf_%)_IP=Yto915zt;Pee7F=p|yAmACHi^T&3MG+*AxHc4ee* zc@JbW{x?+Q%Fu0}GKqcE~P{FzaDJVNGm7e_%wrRT?Dd3u_=xCzqb zq0RVVzFB7X6pjTKgEaFgoNBuWiAhfj&&TmXuGF%%pv5BhKz}+30o~Am{oSBOhCprE z>)PQsez4r>_T)bS8OkU;5CxA4b_54gsSfLUL2s71JX9;~Y}uid)&XU9Wdm?mAqUd~ zIz1%BUi<@aH+xGb6PYW$@-0wUgSV&WPlH;4b_$ocyy?cVILFox!v)$2(QOUi>CCT` z3M#GmUFetYG-Ef>Y#Rosdf?q`=r?XC_m&8V6%os%TJyR{m+UyH{v8*`XAg%l$6opZ zkqRbY!f9oha=YCXJ|cA>hucfyA$xDZSEo1s7?hD)`xpZck$On!6&Xs?vWm7YQ67>i z)LlBIJ!so}iF*leqm24%*@xR+lV2x?)?8WxLxZbyp%S`mnr5HeQ;m?fvdP0qxpLH9 zff5*Y8io@`X;qZmVRz*pfn0kWfn|7ztr;U%@j$uEokll`F3Mg0@1c7;|cb2+ss3UJSabM-aY z#@9nWJ;jG36mGBAQK(P?ZTF=gaUP6tFj#6|Qb7?x|2VM}+k|RanxnY79aOKYxF?Z0 zGJ>n5*5UGG6yIzobGri!5QfSe&TT{RzibDf*zL~Zuca4hH42=@AB1u>|K=M4qgUl{ zm`$KrIa^bqhfQtEb-FZ8luLcB_)7>zC|HE20-*+!`4s59UhNfCw$$@n8TpGMph)YG zuO1R+FW%4|MvL@|gM2o4lRG>bPvK9i9Wddkb&gnGTUbqH4sR*1mU$dnUhSI*ojCXa zyp(~);;`2(ftOB3?j1*A`mn*Uymsh(h8gAPNHR&vT9Lq8?id`^pXLvPwiu3rX@XA8UK*8GW%@5)YQa&B&#ScL8 zGqk;wp26@2w^K7K2Hu6dJ{<*laTOOw%RFhN%Oc@wasW!<0G!tT7AtiaaGeRP z!e4nc&>20N19Hd+5VAYU2SBq*a~eo)8PaGV8LLeiu)c0@aXqhOU^8wm%xw_z)QvGm(HLPEmg0n*uc2RxHdxBJmE z313xNE!zAhmj62>UuI7cM#P)h!55{l7B0&t{1P62T9#zsG$I@UD~^0cR-4Tk(1 zkoF_&GvfwSPj+6-p7zzLru%WU89zusrG)lfhYa@w9Bs}|0J$s%9BuAzzW|2#ri8Sh z2&m(Y-SHLi8uE)Y7Ldy3oVnr~xz!T#C_$U6QtsktNov5o+~dTNY5*d$W{YMq5-l}$ z!Ml>6+Kg=oBEIG7{g^FuWD)KERG+ngIO1253na|w?QMXO;U`i6>v_8G#_nx+T>;9) zLoxwId$QMRi-f(k!Dv{BZ3E@D;DNCcHrBe7w0A*io&*T(-@_#EtJLoTT&dC6TY|4D zK=a_?HZV(q(6j*E0)(~&5;61;AX}{xYWd>q8{b}(O8g##hV%RlDC9qqnmhF<^J8G9DRT<=SnyrfN1BpLn=-K zi1zMtcxb9r(YpccEC3MAzc=Zf9qT0gYwquX7t=041CT()DPO$Skl=5qhCHqAJmw9+ zOeN54u@XSPZ{L_2$@oodAO7Ki{i(xPOmd=R!flJ7(Y(= z`G=1WEmi@B_UmFVXSMbrQ5 z0q7ssQvJA$K3r7WLMlZD6r~s;%&0P@VM_W(ZhuJ2!#`!*BH7;-fAR9WC*$RJu0pWl z`iG-%_T`A3cSgR*NVFnZjiVd)RyD3lhW~?&y&98^Y8(mQW3dX(!v8cu*0>5QQtFe9 zv6wcl>Q&r`t*OP0aD_S|5+w!IIIeqgFajkvCBxl`a5NLQr>{ibuL_yNG79r>Q6ER;jwT&nHp(3Hi34R#bf+Do~35%lY_;0sT_50#1*-XG6eU+ z|H+Ux8B${vt)(y01O*&QBz~D1(PRar4dHI65&wZp<=rt66=btogOcO1s7lSi?WH`z zb0U!Gv#n5_vOAcltSU4!_jZMT+fMr)F@3bzXIiq^m-zpoRR6I)cVcdGA6TYKE8{^@ z5;2OR?PVx}kweAGQ6&7x;HN$OsNhGz$TRQOqw=rH{;ECqTD$uyTYcvw#7o}!CRO(T zJPId&jC}7-Wy@3ufy$D>>15g5TozX1xw%efNlC?w8B3N_s3TbEu+uqX1{^3USpt&} z_RNI8Dk{{n4h93uR#d>nEbDaU<~B7sVG=DVp#|8OI%7st6P$rlEQ@<&mXzdHR5+bY zO)#gTtdbHuC5dI5nhb{A+zRZ)ZbeB+QxmqzwpU z%2b?(wqpVsDXh_#3MD2L2V}LPg7)klFH@8D(q&SDb8`_g{jvLRt&tSwg+^81ZjO7S zv~SBz`=9Zdwr-c2;Bj9B9~etzSA1-4KeNhYIR={?l`%x)!iLg z?r(Mf^C&#ydc@V>-7!WQMWEY#nAZry4D{w;BYI_jFg`+!t&O=63zAnp3ENKlp&?I5 zKxo0L;KDU%Byr2a6WLg@Ty9G$7Kfr# zsssrz`jy;2VFHPQKf@5^WbG>pR=8g?=8_rq_wY=kNLy`jh&)O5+4I5aaym@~ed{rb zqtH^BQ*8=k?prvGW5~EfTT+j)p{Wxp11j3#wsWdD#dwTYDx^IkUWMla9kBt&_eTQAaO4wMr6LKOav4$b zBQ>UuD~f1Ssv^6w$5#r%>Je>vQFI1=$UjzASsFd8)|ZxKAhS(f>$v^xDMGv5%VP~QfABJlO~5JO`Z_Gm_%#D zI1*}T1dbb7E_|eg;xH)H z7IbWg=T@Mp#8h>I(}J)6>e?Bc7Vz_@a2)KkhxtV6KxNtQwxe+sFCg5Xtfl?w%f;$Qy>(3e%Tm2+Y1+^aaT0p&#)i-`GvLPmU&Oe~KoY@j1K{+l@JBR(NaWmFy9SI_ow&Mj-xCSp_l;R2Xkq zUW;xyQ}Pk%y}k(dAa*Dg&ei5@&NQ(-aVPSX%(hw>7e22)7p3nh*L|$OADdoL;O@*E zR%|!~r3pcrh)%(4#crAta`7t?2cyJQsU38cwU?PX%Wskk!lg+Uatwy3Ha)GD1t=_t zxU;P*3S6a`Bmu6iyy}TT<~^a;SR->;`M!dSQx1sI_L66pBC?bwT-=47hFej9e!=jA z!{*TrJL1RY6`-l(5Criar(cq1ah>A&8oVAGdywK`@nJR@2tRL%*Z}Y7r z)mMh9E|GrZ@%#)#ZaOB)gvt0bk`1GS?KlKh){MpsQ|X(JgdjGu?_h;Cg=)IUE6=l9 z^R{6t5blb5+7>B{Bk*!_B#tsBjBJU3cx|tr`(B()82k=+^4ffuOAtN;(utc`G%lr& z1$U4Fd;seSBXq-Wx%&`-e{|CmxcqxGvJ8mm72RMEvP7!tp0=sc#YY5IRO=SWZCa%H zMybC@8$N|8q6@2Pcxm4lI*L;&2ii) z98VuA(4C%7wi`i$9Dhl@vg)y?7t(o(XJAm>b(3n&E9$SY0?y$RTYIw!J3fb6oXvM8 z9|nfAA{mS8(L^qW>EVuswl>+uVp@vU=t|UbP?D_Md3r)~LhxYax(m@+s&F{?1~nD! zL9>FVu$uHIPq);G0l`Biv2Lm?`-b$F*>=DVjnGx|rW$WlKByMrp|wv64aA9aOTlSB z-uOKclzFj%H%dW)tb5gFz>9GlyC2P>bK!v_WVV0~;^;<&G@D|~Kj3YcHLXxOUO}Gs zlz6ysF7~$c-ia& z%_5&08Jg*Sn5rD35$S*)h=#Qa{zHt;ko2xFcklF^B7mb1W=dR7v83PCA2Q zl|8gV4C!BAE=(uU{7fLIqSJA}eYtid_bJvHx7RX+;r6jvbikB17*&o5kt3d;BgzW4 z{BA!+`pKb59=sLI+qET_#Hl>Dh;FWmO|@!S)sEAwDzF3$fc{E{#@0i{jBNf7aX|PS zorDvJ2_^}qFLSZv2lA*fmo3l+srZ_CAIwI0G_jLnQLmXz%O1z`NkP6|W3-|_M`mNO z#+%i8jaO|OZ|{H?^NGx}tkB@o&zFqQg#k0Ys%60PEPnEvt)d(lm zmxdn`Iy=&F_C%SnTlvR|ZC{ZW$m#b(+;loYTv$7UDmg(ox4K4%ozUh||vmk__L7sKEJL*MvqnddJWJDj~vd$3BH z3qJu)sa=qyoFBu+Tzrl%3)IVON&2{WP+4NgGjP6~RWdzcVC)I3Ado5YgfYV~DXHGf zWQV>5%g7|7V=ap~V>HQQkK!it3|50L;lr|0Y`V!|le-@lnJuh~QE_!ES6I^G%tM%W zLLaRD$<17VZEWc1Uqj|&uj5_Bu>2YL zIl-_nGO4-E-jH1t_=bYEUzcc2`?qypN)?g)$Zr}%T!%=K~{h!92zc0EHYHT1L7 z=LD0OB&!^yZKlnWeF>5(q1YAcz=(54+UFaOG9$%g@*&+Vl(LUWlW7YZnEPn${?MgO z=@`wj4`tW#^Box&Xx@|f%Fu738_ytrpjkK#D+`}Q!~#MtvYV9J_ za;wE2g;uQZEk|)VVWNLQSG&%1P^Vi)VQe_bs>IK=%PALAKaNw?o!)nZNxf`kIx|Yf zQgBmK%i!mTlfHgpCaz}IShky*yBT}rtV1-Djbo}ckLdIIC*wR2GllP|kafWz>{v}$UL=uO-z`1pk<;MLuz^J#pPP@X;TZ((}aYE5Z9%<)A@vfQ? zBukX}oD|{RH{IA zggxmVtnU)d_00>R{P$3^m5u9DOj(uB$YYMAPF;zJS~sPa@JDVYpv_ zt~aLeW(3}&nV*0yY;S%j$@Kk!fQ0`k;}mI~bP{WQPL#6)0?mt_BX;p^oGpxkiE0#1 z;#ht$*@6Z0D^$fz!$o9RS>gF*v@Z27AA2H%@MipGM=)MMvHP1$o9h^rR)IIw38WgfTVB7LJwrD?Kx6M#K z5k>fIA8P)?0@wa#j8iS&v(QU$T+OP`CSZn$69!>J`7}fl{E^B|o&A`wTtHK-z;UDy zoBi1Mh97fUqs(Z82K_vmly@XrTx6b%UKqJ78YhcW4E|_3*M}kk@!1^GE|eF=(g3T( z18IJN7(RPgGpA9)e~lXD{x10+ zaoFj|1uY{Wj-#FM!#FB$FOQFro>>;yn}HQ3j^ zw!9GGouts0kC-mX-+=5ll8F=lAYd9Z8Qd8176ug?7{_hHFir|}=5CSq0!z3UbGGk! z4^ENUDm|dd^%}@)o44AgMbbWV7m@9PT2~=AoYvLng7H%fmQX)ft`>rM)JK%tJ1HBj z79bq&i;9(LcA|jrLu{=Kkc5T@gluNSj`GX7;x)0D2zb4woA804hZ--H{Cr|U~_jM;%F;wTVXpc}9*(2|#cvPBA} z=yw<7+#06Tk*QFoYg-lB&mmyV>w(wOL&Cqw;_w{DNCeA%4`38{B-Yf`dsZL?Xp17l z4F^+tHe9#J)SqYcC-xBrG>?quNh8~hJHoQ!QM#DbkUW{~QQd|pr6?EGwnGV6ZG_of z&WN~|={vdpbPTYP(Lp%_F!s_~^9?die1|*}Fl*07W3$YbYN|29{Mz^Q2&|?-fUokA z+;T*|<*W(E23G7k?qQH}n*G|@-|Wz7Zdm-+=a&QBl#I1ohyt)Q;UBw^P_1J zp2>%qSRoI18FK)+XlH#Xyt*_K8Bf=K!}qm_YWku58(T8suaIP!&7?EN==-Zpa#r)c z!VJaB#D-u{ibbc-OYW=*OH+8cN8u* zTu{=SBCFx1j`W9-Sd`g1R2^tpVtQB;{LI{!Dr^-hL#B#JD4R!g%xA%`A?_T{ytE5X za_4|Swh$hlMNPI0 zoiN(4Ppv!`=irh4SQgu*q6{g{C<~5jCZqyj&X&H9tR;A!bl)h6=q|9f!qJ81L&tm89x^v z1_g@BE1a$5DlWiUW}fbRl$fAjp$YW&6U@2O_|IUupF|%bN?c;~_zokIP7{b_)&lIp zDm<@>W5@!aWrOy#j_wVR;z6K;7@8|u z2;=U|m5W!{YlJbcCO_n*BV%V0Z`+H&AqB7HI`V@pKiZY&atw#rFvBW!w%@CtJOybe86V+FjVw$Ug`Qxf9PxQH>1#cM9WB-MJ-894*MpcE;4wYTOF1()k%$m_ z%@4#k_{FgQr{V$*58{ddIwy=FKS?;$>`^wwayz-9BmYE{C)MKT+)4LDa*{1(V6yjh z#Ozr9J_o?#i@z%?hTWb7+paPZ`4JJKEOW=no+X6D>b$PHd z^sHuZ8p#ETHSB499uH#caZj;=RpWZx-}HP}GEi9_@83RmB@haEvT*S0(qyEW05B@b ztHt9wqS78niRkRbi0>%$(0rdbvK5td-xf>Pz}PhRJ5nNqak(+v;tDPG0SDp~{}$@4 z!dO%J5C!2E(hq%`{aCDSVXW@oaz?o&i&ZqM4cP*-(^3{6R0wSS_X0}_0Xoxe*MOm? z%##;vyR^>%r29P?uLSXCBK>?P>S4NANcW?6O=XF?2jt9o=9r$ks%l{gnaZj_K}t#9 z;25(2e-AXg3ktU|LzDq-+y^G*?5a7oVy$(9tw$`e1|qrcq#=mF^q7hVP=|4-cB_^z z^^YXHIGs(=eyb`vsHu-7$qraZm(`_^N&u0WKe8)@T9dV|*1aW#QS%P&<%+iunh7gU zV^1bfkUTWn^EC$=Ym!$uxlz{w-*k?sy~>g`a35TG13R z{`~$S@~Gwc-o$Tej5oeXKM9rCx6SSuidK=QJEkdKz1C4nAIxLIx8D z^Msx7>q$E47}`}(Kr&#gc{*IottSEVRL#HokcC-iNj9?Ofr@zsdO){Msa&8iydu|k zq!&(LzUY?|A7jn0%d=CFW(;#_jI?#3;74g*W$*}wKdqo6VT$Zcy38E~o@1iQIF8Na z#q6#K#1q1X4vL(c{+xWotrh0$#xPu}kOzDa-o1D&R^?cbd%hTA(*QivnR%d$@)$9f zVR|7t8>pNX*nlmqEKsOVQsgW^*-ivXZ`P!|o*>qS2aj8eYb&n}349VfS*OeauiJ&K zTktH}sbxy7fsWS(T!J<}!^6f%h zlt@}GRp7^vt^Q}+3vyRG1MSgefQY9W58jeMhrqo#p*}?8-J$6a1r+0-D>N9SYlh}{ zc!-414<1Miq6I)8xGN>6be_&4BU;SDxv$4lYa_!NG)PK7E#mxkKJV;YiReIC7SedD=ZO5D}06TCaR z&@*6W4?PB%p8L5&ACu)3cyHIhrkruen+aBLwCyV;Uqt;>bi9MO81LoV#tVN8K9A5? z{>9Q-1UlbI$ojD^jgkk9ABhi|Pq$vsw5o74g&dByyjQH7O)aMAx)1c(9d$2889q1Q z^48&&trW^^c|yAh>^> zV;1b~urbDXO&?$LyULDo!x^eI$8NcT<0xQe56;Tbh-F73!W}*D{*s z7oio0$B^F`Lql1?CT=N-1FG=A2{gMbk33^4%%hb|Uc>Ov@8q<wUJ6AsY?c^oG5!bE zzZ-bT)F;OLJ7=wXj#nyQ&}4QJ?@5bj_(+QFko*j+gir#QTfW){U|nvpT39Z*4dbpm#i z%S;zXL=?8|I+G>iVx)&2sybF%`{HzMaa852IALFDpp=hSmeUJML#J>GY?K^>S#UOW z(t*W=h)JmN36&%o%t9_kybSy7G0fy_3*NFKNVc`ou7E3Y^O#4b>}6EUCtQH*qIpg& zzQBe{7``EN090}cC57Rv#q{mf@c{E=lj*SGB6MZObD0b*q{Lm0bOfqm}-Q zI$L|*7?=TwJ^vdZ9`Dobd{l>+ks|W7uI8-Q7b9qUF^f&ZNOLhHg6%r zehu;+u|0IXvO&2=UGgk2{+pNf0lSY62(j*r?9MVjVe9xQuw%50Tjy&S2^WAUpO}>E$DB5Ut=mziMQ~Uz@z3SE4HQul49wixdeJc-WHmdQ9H8DiMniB_h zT&CI*2j7SK0T+Fgs@5+hUhcf|YbD9N6aklHY^k&PhT}sUJcvxhd32u4X0!c1O|t<+ zc2hZJZ5prCz&cmeu#NSF`s+=xx>;iycALr=GM-amhrf^IPliqb9b0BP7<@CpD6EE` zn%XO*tL>@`Pi4{omgwwALR*d&TospA$pSwRuNbgCtPIA&SW;nJ$}NJG@KEE=j(Eg( z0dmQ*&^v&JBm;UKW6p$~oYPO)t0xP1J?wE>?0L#(GmPC>hxIoB{MmsEj65M2$ReOx zL)CdV+SR-;%c?O)w?3#G*hd#B|M=_LABnBLbWzpXJlAHom5+r@OUifJ+&w`h^ zIpB8c0YT}*uv)F)Iv(7t^|0pM7K_3EnEhR`lc>fG^aXJ|fJxS;fxeR;MP~3`W)~RA z+U_d8KY$ySz6x;;zg*hJ*G}b)2AQp2sWtgTF#94es9{l2xdtc=!*ld!HB1LqRppx! zEO-^nc73ykWZ33nI;%JVktsvpx$zmW>>KN`-}t`v*yOBF$kgn<5w`c_=57SkUbFj5 zB^%H~mWwg9FB_Z|%Is_Bn<692gVV6twhA#8&qs)C3pns}h#u2Sj+5DX*{VXyI#ypF zW1YgP{O54Mv?8|l1g|ufvsUW{Ru$}Jxt@T>8c-rGXR5eZ3fmbJ+7X$+E46bKfI;1QXluhI@Qoa ziR1NeDtCZqx+QhYzPD;KEMqAM?R^I)`9ZdyXFvo@y@Q#c4JZqSu>F8Y8L$ga1IX$a zUXS9YD_NE8DWq@l;&_8u#XSPCCyyXT%{-F51dC&gi;WlDbwKikw$2@5JiUHZm1*T@ z(xIlxA5}RNM?E++GBA@aY^~A^q51|YR0}DB7DOjimZr}Bo-MC{AVXj}_;cOlmEn(g zmDR4FLv`!qtjgG>Za1`b(byY)=it}ddE^wG7xXC{jtdy| z|DvEb-2IV0h?wg!oa-a|+VOmyR4Tns>l#(WNJ?4-%Qn`cnk9kd~P&vUjv^)J5mzv)Tk(u}qY%=u}*Rpc~%&@%g;d$YjF@ls7tpV4# z1h&-hS@)IwxdnOeql(25*>7OjcH&E>_CW0R>|=;~xW2P^32AkMRm!~Wf=;WfXG58MJm|&JYKAkt$z=CL!UFpv z)CU_Am3)}f<`*MSi5@^E4P7rJa9#3lg7gdhnYK8FM(}f}P&T}Iji$34mJBEoYppTD z(t`A=KWs~4nNsdCSY*#&U(o!?>qWZlII9c;6DSiJYWgABr-H_(=?bQLtP-|>JaWT> zQRat${T~*sM{z2*CwQ2tP;OUh`bBBJQ-JH5wNP3F)##cO{^e$EFoIEA)`I^AexkKp zGquR_yAt!bQJWGiJ|qZWJG}zlk-p~pQ?X+oK>ilQT zR1cn^>AHR+vuaH{qgUQ+c!WER*SL$!5&U8#lzz(wdKfC*Ez3+bZe^!&jPmkD{SB3I z8OH>^VU<&a4KViB}+|eIeowl%YGk>2dhOF34(8<#&JzWCKp5)uB(XG zY|(zD!duWAr&BaVQTeaRnzxWdy&|e|3>#zWPFW4}GMCZx;KhNooB!ux9yJ^g>hU1z zW)cnKqbhW0OACIGagLkOj&I>pjb>U+_TuirZFm4oyj=nGKFckj{EaX+h_%dw?Dr#$ zZ^E2PY@ZO)3+SS8Z(CJ6E}a=7h=VM85V`IaG# z+6obIHuE$GdqCL+m@e1C9;Uww>=wO=3&_7nqV==j9JKVb&fmcnjL=+9Fuy|*xT0(x zwe$`9#UDuLhG{~U?y4F3AMAjE2;(6x#xOEUmQvy2|D@P;1K^Ta5|3yenz4T|`4Ihcs1#cDXA1>u+hPa$h^DvP@-- zAJYo`PIpdg9=~slaR_+L z9!J8wyaP)7A#u=A{7SYZFj(k;?PdiiVzYL#nR|g4xf|Z$;XchgI4ZrIKLpW0=%<_$ zD#~#MwAHP)zeDQS4`Ih(0&#P@gcbgxq3?tH0cp_fV1@sSy|)dBs#^Pp*8-N#8fIh|hfX9`tJ2#&IrH&J`z%iG#DZEJ0#n`mfs+snWy0L4N#_31IT?5kWWJN7 zx#jY2Q2&dT;-^sPfaULF$EIQTUr5?i2&j6qw-l*8v9bAAd7so5cag5CIXE`AnA8n1 zVaI%H*Y5IGz7#rAGCF5743(`b4W=&46f_8wTGkjE9f}4Wa+8;J^gkt<&m06*UM^(d zzzOwzyzuqbEo_-}r(aBC{h+YHW#Ej@*5pnFLJRe{;^{PYojYm}W@nKcXaBZKx8dZ4cbyG;)UK_(O-A$XFm+@Hv1cWRp4cT{<0oYxxD(xKdXJGQrpkC}gmMJG*AkSBw0G$- zNy4X5h5ZGJW3#GAgZU6uh8mlwDjus~I@ZS1Cw()G>Acn94EMFhb4NmAsHk*_Qpd^Wg)Nq|3~HL&op`5n zQk3lr?qvf|F{et>`DNHg`rUhh>z|0v;JngC`m;C@uf_M2%dn|e(qi?h_La@7*O7CI z$!8`*Ow;qsWe%XfCG*XsYQnu}d}VzL!k->DksSm#}5*OGY zai%xpc#qd@47K%U87)1GY$A+>E1-a^g!$zpXgVf)#!sZZxXFdu9}(p9s8VEqX&Wtr zWF5BNITwd~+?P6KI$35bt6ve?tb;sY_tLdZ2Q5bxCx?j7J~x5;iX9(+Eq;=hn8Jz%dUf*o~-o50W~~NMBK!_aBPZYbv4)}j4`^ejAd!U zXM6T#PQ?}l}SWG6{+@}+TAJe@Q@7PUdZyZm7E6(P@8D0Qqyd1t?1J5?l&Ak(o zUMeqdB9*pe*+{krf&$nS=Pc|+4_e1X%YKKMTI%k~T^v?CoD423o=kHZC(B*Jl-2E~ z$Hi+Y=Pz3tlIv_Z2{NI$%dw#xJ~kMXc{%~0nsvaQ0A^%*%g;9}^JgII-*`YScusou z`V>3}Z1A6bfSn!*!=}f=u;~e)t;nYUJAEsE6_Vhhb`FS?x`=%j4xp2?#_l)eA{J;W zI9xUki}boI(#|sP{Ud6PWF|Tm8Ng(G9N`ev32z5?|@K{jL3PJXSrEVbNxpY8TjNSghlPC~dgityiBs zk!iDQIUM`Vasd)T6iQ55UQ|dx3)n^DdA;;^G0R+}6R5%Xj)DDYigUn3G6kuA&v(fD zWiq~M`J!*&J(Oi~aLVw)&!cTQN`+6aHAY)1ZDU{Ra5Tm?z_uNi6j!1N>By`xaR%ur zmenQTMv}nYHWX~fakSL=5;9-yz>>D~B%_Pgs#D}~rkJ2M&7ejr#dL0IH{3xg#Tz^; zu_P-V?q{7ghr{twKj*g&=XQi|n9dAx7w5t<>jTb|Jh^ZMA}y`C06DGn-6ssjrDTAZ zT+)|(A{yoXj*$=o5ZdMY2}I>x@cz=7SznXIkXR*;R9}Nxu>6d1><0gr>Z7G;w1Ld! zuxR^C${{ly_1t%c@W6CGdDPhlvqH2}>&uF!vrTJSVYXCCQfOcIhf&zM(JFMHBon~M z6@lHjbKdxUp%gMAf2f7@jnam$8D@V+^ks894P>4|*@4hgG$=Nbkx)~bU}mhN-GRB+ zw&UqV)>=c|YWr1Ixyq4bo7?auxeXi1oQ4f}wYW>n!bXxw#sCqQUvj2iYfC1<{@t5Q zG#`l$6sg~fyv+`PMobPAko~|x1}=pSyX^@&|EF@SQPFDxy1ou3#H2TDh}_NHu}dJn+-%Z?xQhb!o~?uApg_+TxpZWQL8zV4GzBMEj!`+A$nbVrPNm>-bq_sg^MV<_+(#S*5QF7!8Kxp5-pqZc=e}W~ z$k1jS55KA@gb&_EUUDHM z%~iR*X@kx&ko6T;-W?!z6_YFgr*DO_-JOKQZpD#iC$ywfktIIE+(M-(p}q23u37X} z(GB4LZ2VbWN_x-^;$^wN=-_MlU!8}LctiHAhpN67wqEgf_OjL|mE0AFSMID5%5IU5 zo41nDd?DjpinkbcQO}KlTejK46~w40*b6Q)Dn? zTnrYdg~-8{KxQ!!$>8D_A}bFyt)``oW3<(TboXw;6ABUPWB*RB>Tcd2bL~g_ltlS` z5Ly&anjGc8*4RZf_uM~l(>>kkseICwy5lDIC_?)l?ToYN0O;UJsVF!y#CNW3Ow(~2;i@7{&Ux9Tp?S_d|#jkSw1U1;xw`Tb`swcZy}Ufz^0{?w>%5jn#TOJ?ae7whYFjU0dRl=?2TQjL!CcVx&M1ns?mK@gT~LutXnG zf59J`tgv8M1|*UNBIlpPGSWC*JXa*DLN8WA7 zQqL94psHnuo*tLi(^PpK=IO+&0+LxshTT$J|9iLM2O=0d%{lgOS7|$g4@H*D z(k_*kM6>=bon>emFuHq)G4-0(HWJT+MG7x<^I?9pZL8CW*zkoVY?Nz+f0M}3p;C-g z3V`q+_#mgVQb*>RY9iXK03hZ${J12V231w>kQ*A(tSH(ZwJ-Zh9ewlyohUw~_O^WG4%zK7@l^*s7ciemws+SfS4j4Tp(9zsaukKg?`)jP~bNVC63Rn;6uK@j30b=LZ!x7n=ch+!j6!pQ&^A<&b zanv^YQS+BO_36@UfLlfNid~JfM6kBke}q^q@6HS+Qkd74f4`c;1ef3 zMH0O$FRtiLwA#jF)x6 z=2|ba*C3B3-@1M-ZUhA>meC^F8_0We=QfOl>2aE~X736_{R(a61@C~vE) zz zP;>PJx@%8RtunDzgUN%GOK?xog;^-ps7jNbL2DZM4taUV)^(B(0dwUWl%I?}O$g7# z7qzDm=7qO)&RfVl@RX^Cq+P;N9DPc;BE{!imEs+cn2w4&L%G!f>;Lkhz_4NeSQ4&6k|x||2tRJPL7wJS9(dG1J5Nc_z`Gpd*N}y zM<(wx2)l)Cn=LnK=m^Ml)_BAe?2}VkswJ776CG=Iim^f^t$P$?YW_Gej=1SNP#kQ+ zZ{ZMRmJ*E&b~d+#72R+AfwJwU!-uYI&n;zN8+Xkjb^z+|%>1!X4?$PWdI>j7#`%Ng z0DaxdNAQyhe)m;yy?|_G{k?tbl{*pSBWQf6y)arm6Ry0*c*FcC(c_5bV;s9Yv2CPS zHdA=@MRUgm@^v=N`!yn`)i0sK%Z4gJ`Gi~v!)c&&`m(&6(J{?DpZV)yC;JX|Br?+4 z!AO>aXm=Tud{-41`ZKrpJp@3)dz_sSRr>%0zrel{7x*eeclgy%L-F^PW4Ey{Nc!)4MO(p~8&{8I;vIK3OLj#BMbbl_JQ_Kh@o&7_AgAqnUm z!}3-lt|*4Q%=g6A#!X3U>w#ZM#?x$XHkOL<5%B`|L=K)OKIS1+&h^MW8p)l^4l}MJ zPLMrR$j-1-F+AjTr$nI9_CNT#d0Mw9&zMM>YCai#y7XGC>Am(l2(VVJfc$k!Xe$8d zL+FO)CxZQ<$iAp29b11R?QWJ0Jl2MF7OXoC*56%(t7um*Y!vRXPa>9id>z+E@7|NC z=*ZhA=8~cGJT#q;a<5E1Twa${{i`p+TENyUJ6anW$>O~SQC%jjvgH9aFhlePZ;>Xb z{7djmP+cTYm`<21?fjWFBO5p3PNpYx_SXzRKFTWdlFRZRO$pY+JgDww(-?NK>J|Gs zL-5srm9{fo>3~;hb%>2)W`CFoLc96G<96n{|Frxu#I0{ejjuQ4IQubHi&N!ZbdJ*1 zZ<9^rT9n2eydhjm3q8+$kaLr7Y{useH23=|P|C zT#Q6f8Yn+PqCIa#(;d`QnvEBTae-o>1c={@s{erhwZ^)-2#ER-Hy`XS@lvxwvvw1v z471!bG$zuiIXrgqB{bQ-+aS&q2h%hsurCkt38cim)Iqy=V45&VxfG>sE5D}m-LdY` z`L9Va1r-fN#`aWx*up(ojLiOa)DdfPJV@4wq3y{%M(JF zC;Fkju@|4`v_;??#akW8#~M#ixl{dgQ8<5Eu7a(&5eePwxED2vjc|WBq;_%l8ePHT zS`Vb=xNl+nit7eukko`MRrjzg7ByB&pIG~M#K*ABaw*++8{k+-c1$&Mx-hrLi>4Ld zE5p+zmpMOObOAG@I+iw*bnQjV^SMnV4j(ZlLWC?}2Kg%x?hO50y5v`nIUaB63;jQ!f!Tb%x3ckY~Bf2Xrkb@4Zes^GU1= z>`FOilfM2%s0A0oHuX~OimEC#lMHiNZcd>+>@URJFCmlAbbI?;!n@ksoDNXSf~<5> zC7J8L6+fbd{1>c{k7=IIbKWG(T{iH^Y>4G_EcHOi(N*GX9|07hoCm)Bi)mzl+CjAX zMv!-HIUsl+WlvV{eB$A^gSE~-V2WZSWBs4DTnkiy&jNJl7V5I>qYj1pMMqO|_poI5 z&zN)3z-*Y&Ls$YKwqIc%a3QE+JJZU;vnF+hnIm@79`Kg5EO1XmwqhV(EicSMT>C?o zclD<~2NKZhycBc2LXL&GPfWpQVlG)Dat8+}rMO*w=SP{sPPXnf+hXa9##93tYP=+X zXn!Ij4P37MbhdF|4vBB|Q=a&EWy_)FQa;gIMgj9anjBsT<;*5vdy+&k6NHyneD%Ns zP#YVUv6iprNi4)4u2(P!8X+hOp-(jz5)$+uICm4 z8w%&mpTvQr8<|8U%Si(aK1d!7(j=*fWJA8(ug-7!;`ZbjNczTK(79wZPWLClXam@i zxr-D>NLP159Iu>j@RKy4smM>`j>Yp3t2f2#94F;2_*3OWQmX{rw-7u#kf7Ar+LvCS z*I}q29>_BzwaK)>L}j|j+A~f{AgjohUu6U0vDz}gr*kA7Tgg23iQ5tW`j1I1o z3XMM`7PO-;lpZp_uZLoU8p?FIznYofglK=y=V*9do(E<9Q{C@Qk8t-zR%S5|V49e~$0E%aQ!PYlbVGREr5_0Lwd>XX}9XHrm}ANr^Dt%?B8BzL)?>rhqPP z6DNb*2N%HTH`&(nP6xmfpUUr##Fc>L&`C~1gxFaOwhV<7EN&`QK31Z%2Cw-UkxtFL#c%E_{EctGIbGdsLa=sQxpP++GwG3D10rcO~w~ozZ>Fn=74ZULg zGyyDjP4lC@y8X4#iq0r3y)$#U)f8Hzf(`4oia3pJ+}uGB+QCN6@a&qE-waLd~T? zIue#ojeSux`)+T(T>QZJ3v@$dqwfwbDO{hy_SrY55P=rD4ebi#U_CV zcwcx|?}IQJ`+MnQwn(pOS{Nt4WAeC`@bYRQLTdL*tDD@6YI zb*Prhy$cXYk$!@@&9U75egw&M-6I^?n(LIiWCca1-8d6>^N;bR;9&7`)HF<}reGwe z|2Nw;YXN%3@eg4m1rg~RVjNcjX1=0vVFe5}%{@3V-ZWKYUzRqi)5!rc+S)g+{w{NK zhb(ze^FYuT$WP!xhm-I;7fJb1mRMCZ=WRgde3350?Tovq*M|7&%2ioMT-&7Urut%> zZwpBypy%uq(p(*ZY8GcZC??{bQQB=2i4VvYb9B?YZ@H7GfI_T;0>LkkH{`Bc~ zVdtuc4rH^YfLqstLkKr~=zF#qtZg2;fCaG_`@ka&iZ~rOfWdYBz%C5FKD0#(gF?eW zJ0JVNbqbEsYr)(MOx40xX>&wIWE@!MH>|RDw zK}13R47Z;?ydd_$vl9hY9Shz{!47l{)Z}c5oJTT20mwGVD!v1RN&1iM_kd>^b{u=? zDdXA+4LW`rX|Pn%?jA522a~ou8!~{Wm4;WMS-_FT0=^8)RW_s@7=exdmt~bYfDTLj zmr>iasp?t0QS1p)zl^AEk@SO9u+W*23Z`E(v1$l=o6&L3OBS41%xB{m_q!*6PLuW=ZRCSz!V!%V7r@KdKzY@5Od_ z#H=5|(_fH|d2&JgA}tMjq)BISj+zzzBicxOo^goAyNKu_ue{L$9B?*k9WNVlvE?>MLK%UAvm`Mwv$RcUIx9VK`g;Df{U<; zek{4QZ6KBl(-{87_a$O}TTJ^b9g0fM0QGkp8&&XuZ-b``E}4NB1c&pzq4r#jV~B~b(CSMb)W9It|yITbd)l@eDsH}-*%o{|^}06cbxnbtgi*!ci=9t-#Q zf#!;W4s5)RpT?@8M7}uHlI+uXY*3N;4zqEsvtdW5ZJ24j}Q} z1;Bj@yec51E>~BGvvFO4B*r;F>lV%w7SX^P+M`eju>!mo`%wpM2Wc|xhjvN;7K{7oSNw7}U{fAZc2tNR z!oYey(!_n_1{&yl0`9J%i6Nb3gkGJ2G_sEj*OK()@u+%i{7cu;_q_0*c;=fQ;ILyD z?Pzi8K>QLlu|g8gC%V1i3b)+SUMD7j84Vy8`1`u~G^`eLNZcu%m~eOGxx4w3(E|%I z(^r(p3tNF#IPlI!RO=puWVg$uWHc(A30R_2`y(mfa^tnA{fSjoe9Az|vDHjj}0hJiu&RP==+ zia3RfI&lDr3%&>i@(f!D0Lww%zHQm6E1%(4Kp%O}9IuDbuO7nl+Jey+yx()~KcRe7 za2<~=dBWF|jOBT?jy}uB6?NS4RO5aWq+7`#nrUg);m^>t*)#dd$96Cv@5G{(#l>1B7g9<@BAMv_lKy7@crzkoqk3vVjz=Zgx)^6L4YNnf>#+&5}$rLh(|9&$9V z9FhJvowzbM9ZdyTY>bkHPjV^I!f9R^3kvKaV4EqZq)KPnm=jvGaVsB7P+*ceg(iQMBpg!SI z!HZ#L+H6}XDYEKfjNfsRg$n06P~;y1 zLEB;cIz2>9(qXuBUT5gqizsIJWxUV!n6I1|y|>Vg8Zn93lyjmxZ({`Lo3;~$>@O9$ zSK_3XK$+B+azznpTkI>iPLn5mjC|FTMj>lI-u*KymQamr85n#DJMjOc-1>tE_r!0j zIZi#srm`7)nRT09om_o@p7u?P8WdstGCK7?23wX`u^a36H%;WWSpS7HTwkknb5F1_% zdE$Wulp9CYv%IUgPk0i@+O_Oz>2IIIOY-bW)U*h+7CTfMUu&O7`8Ynip&XVavVwHR zbAdWkY*|2|B`b{5w%B8IN4uFHYpY%Bft|A$v{((d+FH9t(qqM}LIyI%} zH45Z@=_W7ue<1_Ip02531?o6GcQqz#_R_;x3sP0wt>Af5k2;WcLxA6yH{!#HyrBqp zP=7AD<*VH?&wo`-#QX7^p)q-7u+l_nOTDn~PvIUlw_H~BWllrb4AlW%D_}IM!l48nXy!p&(C6U)|PaO(pEt)?n`uj&N-&qi#c{l7Hm^s5BNqFgwF-&k8S;}9)ZrY6bNiC z02Q-g8aE3T*f3}@9d1)Cw_+h$eOnBf<=-v8j4KOv$s$|pbK+F)4-=AiRna&aiU&!TlT@I2cOo4BihlY zIz9+>1C(Goob5q*01-5?WKwbSGZ}ayxFU1`vSlWV3BIjhVi^bX{rH?DIvKi>;)95~ zB~!i|$>0>|92OzXP$HFFG_}?fhPr0i_eA@h=4bWv3#k9E@LcuZO&_N;{b|oKUdy}a zrUmB9akKzVNPFjz2xy(`@NJleRHtgsMbH0SGi-#kI3H2>xe-b#0u+`#4=vKIf&=htmk7)FM(1gxZd82k_ncdb>ZrTRlsFB5^kg5R%Yo$Stfjw z3d*n-3Zp0+sQs42t@u%?9Hb3zH_Zl-TJE~|RpgLd1ac^@TUsP0Jmem|1=%QQB zb6uj124-5qm4A*c!$DP7+5rZ+CQgaLXQZA0gS7)EYFODnh{$)MvhVR>B|7+;=LERt z1c!@b^I_@xi})=f)jG$iZA`Ob@KeCzCT@Pdyb1pFZ9X~Brm4(1DiUUNuYz~wd^GSm zq`pCFQKkC;7JC3<;sN5gjQ3=9!v^Oipq%5^uqn$LrCqmn@(R1sVyni(fZawGz+|RTH4?tp3M=` zKrE|qzD0zA5hQF;MZcA9;ggiX+&@&$5`EENlU;9bWsTjfu__+U(z&kCV%UINK)JzGUOwzs3fZ_{3ZnDW^HIQSv%L z#M;AunU0tKsmvl<@`qvihxe;UWe8d2J%&jB^3TzT3P(!#0k$Th-5WKAz+P| zxslw_neLM$Fc4{Z{fOwmgX9$dpQ7yDAec(1L*#;qA+OmeB=Ci@Ojw@foL`9WC2Pv-KN5w7`xvfWE-0s zy-CQ5rN)cIZ2XIwTWq9T*b*w8_M=G`skdmLOu&gVhY8aUTN?dMULafe!Pox;7vA1n|8CkQ>|3DIHY4i~*+7_+ z^KR+MkmEg>$_H>4vEKQ6B>1PijMIzO*Nmjuf~@nbh^T*$vzkN4%_R)?5{}Ti_eG;n zou;(|!ZZ{G$7SB_5FL|E>wxGZK1YE0c3o=ui-60u>17>P&7Jr}Xd}_>*u+hUX?X?L zgUG){J>!I{|2bwQbKMqXbThut`Z(vAi7YlAs4mggIFTFzfN3gB11;QIy;f(3*5t4l zFCLMEoN-~`_`VLBl;c94fX`A%JWdiF8zISZv$i|Z@~P-d?gT!wX)&&MrW-;qMzjt@!*{3kaIa#R79x+Z(HU|${X7gC68z9B`Up*Qq zI!ES_Qy{fZ6OR~2*x1UYzw@-P?xgv5o*i*4U^B?388gs8nCXgibj=jf7o;iulI#=G z@H;RG2HgBzae?B*Md~hkJMdUkDLy_G{2Trjyex8_FQdp`l9??&jEnBeF}{CVKpH*~ zMB~GF*e5GtTYMnRfUi@afyGr0J>$hh_bK5RAs-MqFkecr8K`H$NJy(e=p{fA?jby^c502eIDfFWH*ey zk9Q;EJT`NaisVU9e-{9YRug7)Z4U(tiPjQWO;HDKEp1uZ8w+h&x{__;MR6VTF zqqEr&$;oRW#AMAweApmM3K1mY2!*4W&ix0exBvxC8?P zYChCG6L_=hzWr&QOesAM0%xdY;Wh?t0l2k-D5_D*#B7i@D3Yc(^%V>80ajl1^uYn- z5&wDMK^N1mM>Ft;$geGkH1br)Z&&zhr*P?+?}#RqVUMmOoRC3VZW%v`x&Fkp=eXTE zI|!dMjD8*W3TJxJMj`Nl^X4ITxxUF-!r^>;mRzEoG#~c~-r%x;>&7`_IG(CT(P)u$ zu(>7R$JGhoEyu7)K5Och#1B@+sONB|yviie`lp?zP%g!Lq%MTRd%5?bOU>TvdT}7$ zr3`oU5I-Tk^FM)z1@RNiKX69toM2#MrJHueKw{)gOR6 zk=qQDaLY?nlMt@J@6;c|P#+b|2a#ZR%K-_9zzN|2m|@6S#FDw{=tJy>HlCKZW% zOeHvr6L2>Ky=@;l@%$_@{#*!*6Jx?RIv##E9&!>M96NuBto+3Gg3(2pOL(>`mr3ic z8runUaww9hrUe~jg+7B8-D@9uwBRkrd1~P~+v_apbRig<9pqmPlS6>IOZ$X@E=z_^ zssl%o{&3L@faa(KK1ti4jv8o8(7C~bbsk*iD=5rKB5dQtJT}m~sv|3P`jB~uBz6Pu z_#U3YVRCw_x!m2-&Us#IPQ(eed+u0N&@oiaEbJ^V1a5d26Kvl&G?YaLVf_}xe8|~& zjuev={D?FY_NB3qBrJ{vI_RkgXD4VHTOKLgjBcl46Bv%o0c8U3x@{r9WAVD4W^BA; zelBMHTBP|bcxuyV>u|xd3LW+0_Oc9UqPa1Kob(0}`1q9)zPJ3HzZ2#O!4~Nz-T@x! zYoj!3YA?7;GJT)fF35?l!+o0>>(|kzK+?Vvhr&>Qf8PZ8J8=n4bl+020FD_&*En}H@P5>9lvnT~ z5OXiUy!r}w=zjv%FiL49?t?D}s<4@9AoPpHkHDxPHxRiE88!oQ9J``d&W-vy2onJub zvLxyU{&Hii892Bl(1#6#ZVkXk;j3u!G8+mWsYijQTXDBs8`d_g<(lkgESJ3Q?2lSH z8&f3!dx2``Agi}5=cegR@EBFJpHa}!zV;^)h!3u(t19(gP6G$>bC6%V6yevRv}LCI z=|-1$a1ORt4iyt>)=Pq~75HP0ACw(|lVXRWY2fDHfimqJ2fD->wj%KP(RLOk+H_h^ zesX08N`l^-98N#e(<0{__28kkJ?`l781#<&Kw98k=l6Q{kFxWo6rH6qhIRtAG?2b+ z{X}!s3b<}Z!{m_lP=@!<{y(5jcqM*~%i*8)=fzUy(e2a~0w(KgH>YjtR zo9RT*x<}B9cnj78uF5{r8e?fd*(qKk3)KyPs*bPBB%caXVuinw#h*z5P4mt{>Iz*H zM%MXhMRT-zRQsbi8zcgM$3E1-xJmEb8G(BR_W5R=%b_PMF5dK>p8HrX{3-%}2O+y; zwG!|D1a=S7d=BxEKA9`W6)xNrV)ygN<`|oW`0ZoC!r&D6BCZ`c z5^;%w>Xz4v?nzD*FwqqIxA8b9N;|sdTT^Uo<1c86xl>mVq5jxBMiPBLd*e~nH03+V zCcUI=1**1>`~Wquanpd{6vt{gn>(F^pF;1jn&tch^N6krTaGhRs?#0$^akxtfC5+W0zkNWg_?5*+D?{e~G&o6; z9Xoile~HKnoKRbiF#Ql)^R!wFl9|b{aZZ61DUVgdxtalnu`}Vw$!6ufkxHwCpSjc2 zI3)ao@m^~ivQDkTDyNgxqE;Jun_I3oL6f}FoRvVUc+UT)wvBvVUJKTC*@NFO*^5X*6aZ;eImd=LXhAl{b(;2pQpW~d1%uOS3 zA}%W^A=8Y$__}x4cKCUDb@;bhH3HJ4Tp#>c>L;7D-B2dWm0~efov(p1&dZVl*FuMV z?<({0=A1Oe*Dx3xa+k0kt{2=nh^!~2=M3^IxR4F8zf^#Yd~s`?a|>eA3mG z-Fw`VLliKK=G;yA@R;0Vu--*R7hJVO+tiPF&iW~bdx=--k~H9g)Uc~i?TImBUvksU z_l7=F^V)w(4)v-0)2zk&&+shx8I*0BLFuU70vKkE+1nfi_}J4}ZQ;SivM2Z_oDPc` z!QOop_k__~hscrHj{qSVP)T}MyOnHOJb?dQ1UeT`M7yA^_EYwQ`}x%7To|?grhTBt zLG^6&H`HNV&AjE94V(HD;`E|=lb@!}iPA#zzR5bBf8}S~2WVG2?P-+RbTA?b&m)4Z zVZ`!mz~e^sJJC(kK9m2TdwXQTFM)NnRXBqs!inaLT%}D)Xnse^s;hAP%taftaR^Ow zZ$Zv zD{BM~$OraReP4e}9gDj>37%i?`a6&_rsw;JOVsl65DJ?gk!hg)G{vHs_CJJcgMbSa z@E@d>=Msu8S}c^sLLs;zRjY`QyBR&SY%9%1$n?5b8RdKoH4VkaJHJEI&KeqD2Lo|Z zFx5XeKLH&DSNFW>geBeFRkse5d{4IZC&Q0D<>AYzyd3ei!f%k6pO*596qHwnIGz(7+9<W&hxFy^TanfxThJv!oQTq%$-M^?r%oPOJNb7hC7Kt*KaL%8&3My1J9+wkH@06)|NzJEp^^a zfRKy}IcX%U zUU z7z+apE%E1w|0CY-KL_DorvCeA956rr>*&EF{nsI+)dgq$*Wp7}OqkLV{LlXqCIUcw z-^|p95A^S&f88}q2zYSUaK7Nb4<6q0-$(zt=kPFH=D)wz2Xve8xq@#xJa|R_{kQ)* zm;d6a{O3%-egCiX@PD1I|8b{>Pv?I=(!+Bfrj&$F=Kt}a;nxy=V*l6M^Wc#HCi&l7 z^8d{x|KD8l|IH=;|Cmeu%Ye0V}yJ2^NryhVl?q0q#oB*Rzu9*CcPV#iekW(ElaT0ox0>~`RYhKwwY z&&DmW@bFW|lf6Kod^ztQC?2SrL5*quK(S$ps>B9Ah?SLJP7Kp1f?5KT0q2~mM8!VX zcg5$zJcr_sQ7nAX5}6mL<;0VIWQF78Lk_O`G9;}8sfgcv5J=3=r?-6ui2H4)>=FMe z(C3}ShH!a9C-U8J#RD=gSp%^|43CAN)dGvuV!H3NQLP;x~OM z4=JqJ>v!Rupp1qjlWLgD4YgI5Or%MEUqKKejwY(3Aq-DU}nfZWj6`bMQhE$e;v!yh(l%(@xT(f;|;yl0sQhc@&Pr=;K6Y&pO%<6I~ zhV#ckD`fE{;;yAIzzS@4^$8rr{X`y~W5IT%qt6r0$@KTPb^9&6m~P-XFy-|>U$U;?6P&>dzH0xAzKhlIt*e}OBWaxY2K0hB0RFI_ z2HN{LCaD-Z77oS^;QcR=B|0)IK;G5?1=`&;f;U&c!7rjESufFUj+gum)pNkAZ!4dP zpA{!5!|$eImNP;5UR@QcL-Az`*<{s+FDQ||mu(B9rjA#KoEv()3s9Njs8Lyz^*H?q z_t(Y{avZ-8-2}J=+KSHY!`Il;p%ci=UIDw$F$K&1i=}q_8Eh$qYco(#kN-UUh?HIb zIOGK25BU9bFNpVV?sjKH!s|TxYTcrmH?rAM>AC9V*vq7#rRFjaF34e9FW<}9Dc8C3LjO3p565#BJw8?PYQY}Ge)m_L zL6?Vq&02(wfgm0rwlDY%$62~l`e)%9!HP*;qeSB4Ssg_Y zx<|=esRQGEp##G++yzM3ZtywJ#gcsDfEQ5EC-A1&0kj`VA|C8`iCp3z!STU$Ior5} z(T+z*d)yr+it|Z49uJq<0_@6KfWO3lcg@9}rN3vri;XlF7neK@;=!5VyqW>>iQC{F zA%b(kj}Vv{5NYdiLHwqEin0S%i(Q31NG_9mHQWg53c0B2?liT=*RYTzSmF&p`16w( zQC1qPYBca~M}y9`3|lonX|Op}RQm?&tMv9U8l!N5jFQ&_%^T;Hyv{_$eUl4x#Jyw) zS}ZAT`YvZRXVBw0+6TbRf-f-jp8V? z$pDw(D2&n_xg=LS;VV{;@c2S$H$0`3&Tb}PH^8#RHxYDw&;&k&U zz3-x^xO!nr!v`!MC)05tT)mVPWxJsK1-9(34}nXdy)uyR5Lj2eH?+Na5BJYFejnsc z?Av&ev+0yMJEpW|HSkScL9d-OVkN;>{XK%8DK#J}VKD36-SRw+2dg(DeyU_Y$Y1}k zy$T=Q{iTnHZ>UGebUwNC5Gx=S=M2n;#Pjsrgeg(}1K{4XY>Q1=e*C^r1Zw_PFB#1l@yI%9H!l6Q z?ugPCkAPS4Vtvpjxzg~ELJ!W`ndOl(@EZW~_%HC4;z70Tz@d=^-yHr>v6Oy&?p?)R zvbX4S06}7FX7HErp@voxFO~+SU{~d>tgRtsO^&UudNX8E=G%V9G2-93T{>{e_WL})=Y2oV`^S%uGFc{J=FFUP?sHxD zeO=&3Id!br8CrQ5MxaC}V2Y~`wc9y%U{_@S&8ZjKbD4A(ty6EP(BcZ=np1D>Xzfo< z${u5>BMG_}jd6#H&oGq>rmW!DrV$ruKpAU$<7MSf`+olqjEOY*HH6XiO36$VFn$*^ z_gT$}s@M4qI_n?88ncav^1Y?Lmkbh7)t`YhTLuZvTyKfH)#O{wF$!;aJ*;dMX4zBX zDm5#hK;D&Oj-~&$)~E&-HjW`!g|_@T~}lSJ4XlF0b=GTfE-DL|SJ_!-)o~u#I_gcq;U* zU-JAR)(bG|*)Idk=b9map)~1yE=+A)PTpp&5f#kG5_kuEYK^e2Dsth{TEa>eRgA}Z zSOHSgT-Lv$MflyyF&j&jLqB5LnqK%R@s`p_?4y!8sn#!X(_~YtEAYhq6gLn}oSXeg zb|CI&vQOhukaWu@|4k;cpIH{N!VK$Gi#>vNnhLA=au7(+h;8y8LfTln;)A%GYc8h9 zIB;)?sBX7nU`>{i0Qu=Y=Vtppyvw=;#vV&=nlky`f*Nh>I@fO8iSA3bp0z)+b|vcw z2Bf6g1AA~lxZ4tkDPk4Pk}z7cX31XWOCffR4$R~>;BNIM&Jc`QUc%*ND*=skyr(m+ z(wFTd|G=AT;#$2x$8?vyp;Vl!TisD8mP`W#FUl^F5yWisYCMd%R!i0{#&xCbM{PB- zv+8&H$Ff;$z5i9lRG89~8c@isIJ^F5;UG5EyMzfs9VCU&8Z$(LH~iw>gywSGv&@Ty z%pY;AzsMdb{;UcdWIa?ouHh@fo%Ky0nhS{zN}I!n@KJ>UZm$iTb!i?iX{`aKC3`WR zWPjkS#U~GKpu@Da9?ZE)i51n$aAM;cysjWAh)5gyP=z1l&i8$$BDV4y!Z&qEjl368 zo`6i>o64feF;$%!7YP>ymFE?e;9!dVZt_mP2ove!*1%sbvbYW&9(ozvq}voag464K zAe8J?Qd>>&o4H17Tjm4dOS_)GAD-Fv`f8@yvNPOl^{qo}s*k{IpX~P8)BU}TtX4SN zdIWFSwV!@KGRb#bLPa6sk|8`x=8W+BKH*iq3<`j=0Tsh?)17}3i8xqZG}JyGFP9c# z<0dVherY86C7xblhgjUkJRnBWswkjolB$Z$?mJz<&4VoCyXd4r>e`cm{2~h~o(AVm zT$BdjT@PCmlzqkd*x5|siiyS5UM42D49DhJJsLAx%fWLtgdo)gx*7@@#PF*vZ5Lu zM|dCM>{w^NvZ0XfyO0@C+7Ej7T>h}$D`^=YyVw&MLgXFZ+v};GObi&HzL)%hFV#zK z7H4J0P`1VEY2R!a1A!r1cOiA z7w#UIH*VH3%dLy7YsN0;+7bgiCY5n$SlRip!_Aq*o6eWXfz<`%Ac853qB32fg)IKs zy2^4REcZgyN=W9q9q{=-@|Oqdg_$6U^~=~UWnVK!3@IXw&k0jQHn~@c40Pf@CC7GB ztn4CEDZ5)(>FpBI%(4ReZ)*3D2MuwB!?8(Fgp~h(!1_d(3OiaEdye`_1{nLOQB9u~CsFi(fyru{E z!Z?a{Mr9WXKarzwAJ-dr1sZNTkS=v0s&mTJ_yc!R;ZjBI%*l>-bz>8;$F&3`{$uUn z&h+@DRJUBG@xMx$CtedW%Ra`#m>A+6VVpuT98MJmI8$+}-N}?d2Gq=^YfOn^qNd3g zRItYUxiJZQ{M)dQ-Gls5utPjU_7ZBu8`v;}9>|0Q(z9Q)UaA{L(3yRS2%=cf(6hrV zx8egE%&hPj-}St&DfUQ-DzcIJ3J)-Ug`e>;2BHcy4D3fO%e7>Js}n3zKBtoLTD*fy zPMwSQ^1Jj;mDl4E}S{OJItwgDTNhCY7R{v<6!5t#Z1?;;VR4_x%mCt|4oBBNfwOMou@Og{QaqlO1p!?A8Y(j=Tj zny6u*n4h%uq)H!kb%8oOE22sh*{4qx5j|{mRY>fVt5u=#3nCV36Ib_HNVeI!dZ8|5 z|J8+I?M_B4(x+YRvxw^O_3A}*#|Kvzg+nUw;)pI0{>4ma9LVkECO2v#^D|l(N3vOE zT}XfT)(@iCKK^R9|FGI>bAZ9tZBl*mb0-_J`g^P z%fIUH7Ck*{%1h+T@0`{A><7&+#m`@WyC+0zrKSAh^gc_4mlD=2wY=Q^-(3?|c2b>> zDeY=GpR}M)L5=mbVFkIi4d?cgZC;+HTG(dG0>iT8H&z!cv+vwmkn7mJ_f%fWTgOyA z+8($lsZtMpULGb=-)*}f9((jnSi<|LZ};}6^lL+$!}`>AbDq_wEolE?!rJB1h4$B$ zrxkQk=O;CHPorGd2TY~p8)M#~I^3FhZ9(YmIk;Cw%hI*yGip}9)5HD!#v_G|9VJwYF(OmrPHHNMqJ7K?YlRwc>jF#?G@12O^RrHK;Lz>d?0G%RYhx! zTI%4F4@PvMn4}s^`~Mx$mB~$Kvf1KkOwQ$z+x_~g!QY&=XWre+-GzxsTSRzZCaD&nasX)~8n$_zpzYEB;CE}{+EqTtwzWT#bggIl^^w=|Gw$?T z(W|5VThu$`U+F4x*`x2S^*)aZyY%t7+DEAuM^tz7=a{Se72Mj6mKV%Fw?C?HzPq$% zuiHHzMD_FMy6Wux3QG$e{R4G{AbI!3^`gPK*Xyi97~j?Y!`3rJx|K@{KN&ExuJqG_ z)6=GYDy5$(j~ZCr^%bLK+&;oMXzs-8Ek@hqCib<#eUj6oODb+upDUSp=W(|VvlTk?sXlI z*{5s2m`=ANzUi5^#JprcQn^)rb@r^J=dIum)4Ti4ujuFEWU;B@MFch}|JLz91?rd%jKJ9z5l z{MNW>%{MAun|7_V-vV`Vl-%7q$Nxk30X;WvE3WvoAAta!R) z#wT+^zshfM+P<3US>1m~$Cl+I_yM19>Y$%Bg*nyVqr0_c$jFCpK3(m*z0}`4>+G!$ z_>fl*_Frb7yH35X%l+$*`8l7R2{oIBv_1P;!M~N!=Q=*D%pN-T$*um2B7eKH^Y*+U zV@?g7KkeKP@g?h8pAH>_P;$2g-!*;KrH5+wlk?-Gi+vP*36*hC_@>k7{%LssXtrvG z!t|*M;g=3us1q}A*9G4tnHSyfqggeC^8B{d9pPCT8_jG}ZceZ4-o4xWjMZsEHT!S> zlIovJGUAtX${(3$-(5KR71v_>+Lq3P_N%t`Pt48eGQc$HTs>nhKegtiU*>3sFD>70 z=uNpYa4*0_Lta~&xMsk%S#wLL)pWIOUOK$`UH7_extDf*{>ieFi$75!pX~p9+X&n5 zfBX*)NLyA>I&~VP75u{jz4`|>ZXRk|{e#zbbEEhFb~OE8xq}S0Q%@M05rF=26Es0Q zzr3Q9fNf4-!qn1Gcu+WL{G`b92vHc+9JELU|J9VXQ?QYOKfy){{y@V#BG|vw|D$1I zwEy*HjP{?M5Hh0V|K(M9_jgs-|1_97EGxLTCJSlFkeCR>;s}%l(i|ar1WEa#8pR}_ zCo5+_$tUY)@Tr+ zhTU;FQh{zxD#61m)JDwfv*1qr~m7MJ?Q*@9vQcWCjaL;{?C`;OJ2fJU>||zr(qoP z@M2n8+LenKE)IcF8vK8V^_nXeNsGSI!;2S5L(IiaX=!uQ9ukS#v@2=Yr|FbN#%llU zl*VFm0PJkgK7^0=O^2P~n}R=hzZTgxE{FEf{dfEHEd9@5a7=CdO=bI}rn7B(O|X6b z>!kkAqyN9-{$Cqt*=Kt8=3DBX?5mm=t#oEj$jmh=gtFRu{yRk|$PNxlo>o3~%7jv< zy@ZYVM<0YWA<1m|M<0YWMWrS5E=Wjbm867JZ$f#+gwiy-SqgG|qsOpPOuD@!AxK2d z{YNf`1>}n3WC_K{@CI;}zWoSwFvrNS$uOJbQiR+fpRQ@2K>d!K>=BJ@_gD~f3w2-< zHEDJ>49Orkvr!*pFxkr*XM6KvIUQ@9PRLA@1|aSp7z81wu zPWBhfk#Lr$h)g*OQpt8A_peBVRH^`u7R$>DP5}7;rHL$(Zxy909zQgWig8WEXSs=; z3oV8uwaYl$#O~D69q?{X2Sk>G4xPpOVTCH}>4S6b>T#mI`M_!8`T%g0UzjCaQ@3DLkEVRD6iS3z@d&eE>>@o6rRlPhc^3kNc%ideL}H?a+(9 zS&VQJ7M}Y^*aeAo^*&|jD@QIVTwr`sgF-m2Ple*uXtPg)g$;Vgm`p4*P~GyJ82XOA zzxGXT5S>Z>PL(QzZ4qL?IVHEj_YC3!V4Hj>6{0*|#D~Vg&l7hm4^0%Ie4FjPh)O0! zlV4eYfZ93W?S|ys=H5g~&bX0Eg4)~DADcSkG8?DA{4V(pf!^HG4WD9n$8a6Q-?V`l z3B6-#`jyXf9SWRsy|s85_>I0;-df5)fo19h?v8K#(;)33-&zgtR5OKELER5*mv3ESe>Ft*fP~+}@jc9j9AIiae@`(x`um*z7 zg?4yO=_*jLoln@G2tH0Ft|x8dbYzkSlAlMoB!@CSYoJ0tI{K+r#nT4NfZMV|DQ3DC z;C_=uTL>}0Jq`67IBCdsP#|36hoA`C(;37r_*c72$SzFuOCxb|aSBo&Tw6 zlipSm3$xogib@qeWIlE1Oq8<#EbmHq2!Tg2z}P9-gTpPYs5i`jJZd|OJMREOC^18wi=b2d}OkRF6p@LN7pNwZtA z%X66;?;?YLJhHsx2HcQO3_7Yb;cnD)sSHajRZxLUdvcwtsKWsd`*Hi?bnk8yd>=cv zTh7>2~!SwD2*MosH`5;lIRnF)j0&Q-ONb4|(E@WFyt` z4I_kC0y8KBKxN{0(S_L6l)MbBFu#7cUfiI#0}va~1w#YzB*;i6QgsR7fXGSPqCyQ~ zS47<+ypa{nrC&Y&YZ0thGA(-&h`WS4!gVMHlaIk96?>z-Bd!8>2CeonjnSpQahM;H zME&I)VyTM-R)nAiTQGI;-9FS$U~O=%P19vOmuVHaN1SQ81~8M@6cxJb>8voHp=JiI zAgNGIj*jE|BjZaNJ{nV*59T(FLc^U)@B*^ChAXXqBn;4>u+7x)`xAr#xyeO9yMQdB zmGej;&bef#@d%hMu0}gb(6qHqNrK{W z)gtjpv;?r~R|&usSCyUvQO8mvkghmuja76hIGbe)BbpFrlY7zGf<6#yQ)$%i(rtxa zV0qsZ#fo2V~|5tURxS^PH2wvEVU{RE6$r;f=s9@Wv6!giu^{saB5)J&>>vEt4z zL~A_sSiKus$-MyCzZ1LhOS)TF0B9dvr{#jDcIvOGYv~?x$=`PB zenT`+g5^YWj%QUAtBBRlfZ6e9qXe4lgIaSA(*{()mW8qUUamB7J~ZN3b1%9LbXpXu z)QNbvcoFP?jG)sE5|*xUL@HhG0Wuvp&zk4C9|UIEuIri>v;F!6ssg)41|k*RpyzD` zD2e5A%5(K4{^Mx;D^Mbeo(>Qp|6@l76WVhfTtzaH+CGeh;JxyEhYNSA>geX7n+F^aJ{qn0}6Q! zJkswo@>)2@MrGv0(TOVjy<@Q1@+j82*0m6y^f-|1I4QLQDypX)a>*o>NcV+@jxWiI=h zQRpIICui)x=@`#&P>uIvlzq^CrbXMu~PJrkXIyB#8SeC zB-7>?>1WE*8F`0O^Z;qGQtk;6`4Xl4EYLzk{*3%ap64Sxogg+8}wP)jbQ+y(%TQz$3ituin;+ReIeXZOE-1_RC zybM-+4slbd_U97WC9UZB+}D(iEY$F^Y1|c@g8Kn$x&m{@JuG;B65J`8HJ=1rjQbL& zQH!A#45ka#pH9bslgHl_S{CwURE1I{`^R zMzpvgrO|B!l8Yc^syXnPlInn=&Ti9)qLNzy4>%dcfiS1(t_1FP;~?&7K-?LqHLcUt zNI+(EEvHkRx@N7TZ$}QJHa7=@iOeU~4-ACz3brx52!owyKjJ}3>+{1ZM{^EB63M5^L^*m7UElO`!6lf25*{gCp z6lHoGFkPWRGr{lCuzOQ$?|6675H1n@AY6jB@x%B!drY2WP>7ql zxZn3)N`!KR>k{}$FjW!XkwhlQ?j-`Pf%ZnxL2!olP;Edpn~vGPbk&W>)-h&ccO>tz zOx8r|%&X#TXZkt17#vdToJRJDMqH{WkHm7varyPo==>SN`+};^ zGV)JRez)@aK$ut$QEk9OG~r4<)t+fA;*onX4E|Q8LPI!gI&YBfN0P3z%l#c0q@|ta zsR!(Sn`fIr-PbJaTHv^qb9#=sZQ0Rw5-7mJ>ToLl(A*lop7$gwY{CxxP3J`WrgPK9 zJ+HRBaJO^lN2&``#sK@~^c>uiu{)9o;stR*l*ah}x=zRuGxsG(c2zA0Ua)M1XZBC%$PRm` zK+=z@T`NUi1(!SrLQFtzrB5WLpka0RXJI(iusG-%sIH~jG>cRlu^YblD_BxB-fdcn zCYn-Ws6tf6uOl3R9I*%HyDP{ybrK*(J)tEOuTb&@3Te46+@5Nn-p!S{pW!z=m&Ezjmi%~Lzs)mdLO2ev+Wz=U?u^rz)iIKM1rL* zMoNq39WR1#jBB8?PQPmxxhW9z{H)+6L-UY%>c|G37;X|=t1}V(oaI^T%?%)qfo|^i zMF!yys`iNu2sAVhw?&qj^+hSsj+gbG$|O9wDet0~mmA$Y{9Hc1?UB&A_D#Rhc6=Bt z89g&$A%*qBW7KnvAeFm#3_=lZGj0z7>oSmphf-*(H=Y6n*Gy!&6RbVGGYz?YLrFMO z$ROI^xa$tN%;n)h83^xU9Kw2#=8whY-J$W2=NVkS44lN>zJk?Ac!7S2NeAI7_k7bT zJP@03ZPm5r`dy!ryJFZ~y($yJVb3a+ZG1ay_OVL9(8DS@ud1(TSK*W3E!PK3M)8L* zlECs@{tdRL!}f>JNQ4Czt=zrp2pD$APPpgLb|VR{>X#^ou*{@EnPzT@vrup1Ve?vWs$y*e zjF$>U8L0S10Hwcm&PX~R_)2msFzwlas$SLa)=#TxDE@|hH^n|<*GI;>7`-WP~sl4q~-4& zB7Ll2pzcW50}qTzu7DQ0TT}LqFY_v)%)|^5(<7qoa?^J)R}Yd_gQZL(HZgoZ+}O&v zQct!uxP{)ceGlJGkO(lz39va)!zb)Da&=f;5v! zPAs~sZaGJFl=>q3r-2_Y8Y~}Hc)m=e{8GM(I}A^97Y(=10%j~r)nK#1nmW`jM_H8z zD40EJ(&?ojVc<2bq&LAsoDTCV)gl2-^vL+zXnP6!YAQ3j;T{tZ=dyB}#b#iDSPdX> zVLZ1m`5gn|$UW##3E0u^MN%7Tud?A7KM0ggLU;Zuc61~Hy{I;|7n}D3^C=F1FjJmI zOj9)XCHD|+d;T~o#Cc&xoIn(S&lfvXl;Zyq52jLJ8_ zJFwYgW+Pr_Tb1m=sr5T*D~NB4cBA|=Vs<1N3py{gylgud%hwtBf@tm(M6i}@#+c3- zFB*6eaT`4%8uY2fJjpXlkR6^Jc(*P1ImubL?ad&CL)7 zgO@t!Zv^mggZ|}lr0|WiW@92z%;n)t`ef0lZ21N1jD1n42W57v^MJ+DAAJrmE_ume z92#f;n$O0r5Kb$r0Mlw9hYGFLEVBS~x`I{Ry0k1(1ZdCYn%Ch>%N#Ag1AFFZh2FS} z*RK?MLtT77f{ocTL`8Pf0GWejE{Tglu32SUr5AVW%y*^ENZwu(7B>R@ui#8ZhE&+4anX+ zg%HrEfX+bhQ7OUnOl~Vkel}vEFHW|N)k7#O1aVsNa}YUz1+)1YzfI}O$KuBb1kcPI zDA;hl3;)FPd;sP?VwKt~;h&y(5jHM#Cj5$`e>VJ2mr3YkY3us$zI=ZZkt2=GfIkbg z(BUKgw=rMRI(6iO|7ofGf3@v<+Jf)jJ^V8NIb;?b^1q)ST~q$g?!^E7g7nW9;H!~d ze(>Ml?Etg>c?Ul8_n-dzVQBaF?+^dKKK{=)1^YiQ|9^M?|32zJ-~FH6M2OY@oYucN z*nj^xnDPF3BhohP#eYs10)&6wfh+rO8u))$;QzU%5nAm4T-LwDq(nD$+p=MUs{->|@e~9MU|9d$1KYMz56aV?b|8=_H#qi%<{olV` z$bk2NsQ%xRE{`zZ|DSj2zd!Up`}ohtI{fo1BBS@e$AU(Mk+JljkHNwI!++0&&jIKC zmge@LfA>QrfW3^6A+_sdq)=%L8AA?C#;{H8y{c%7#kLamK& z-+$W>tb}*6Mx0s|Rz}CNonAs1zDrrUO;44lsE9aQ&o{c__P2wyqwj_xEmPFGM1J7T z$&oKH;;^GV;dtUtEO3T#f*jC=ju$ykv4V*9X|3}lQ*8X|0ziu;( z*1R_|LI*#Z5!a>wFS%WxGc(>E+|awpcW5Tvu4o$^A!k;Cvt;Mhs zzz=*SccCqRX?E2&A01uTrq>F%e(JnMZ3C;Hoo~rGw#eRR9sJ~myv2^fP5qn84jo(E zuHV)nEs^iGFZtK#i`&cLGL`Or@y0iilNh{j!UOB16xb=z8qP(1tkW~o{ttWa9^OQ? z{SWWmWB8Y&Xs8y??AQ!cF58?l^U_SIMVBRM!UmCMTf5_$+D)&erX!XoKL3*_BUL zK~FvaPfrg&JoEC~=bjw;%xG2Ns-A)_#tUx@eE+HH{WZ|E2jPeVlcAH}dH?AVhw3iA z+7v%@&&b0wubye^|G}P7FU+|K-3~uKy5N`ZF2D1^Gh<#}gkz1Wu7d;;RK*Fa8d-&h z=|H1A@`$YQZ>>~C2Y2z#I_C&%L^bkb=!$$e_2kyPg`F5vmfS=0piO>NJ~$Rs&pY|t z?#d@?PJDb|$_IPGuPtRp90ZYLbMpCvwIHuA$+q-QU!4E_kJry1nihT}JTiIu7q7RZ zWY-1P4SP#fl+FHGSB`J#HTT=is;IU>-v_HR&+Hm}sP4j%dJyLL5Agfx-+pp*;ZNU! zF5}M(pn$pagIU%Cx?9)IJxQJz_S3f)UbtVC?=Rn7eeck;&t7Wy?dO|cejvvt|Nh%A z-~aUYw6I;Lj`#2*iG)qfnV#NAWOI)@gH=@%7zVb@FG1B8-Cy-_X?W_?K{KaKtC{s@ zk=&iHFvcH0j6d{j$U1{&wY^66^nQvj5t?AIAu%hTE2@z;+YRYzxGxZ|Y23c5 zW`KCyIi9ji2mtbAW#I>Lt9VH3_4tT_jml`G^ZEUmSiy5dMeEA)3zsFM)&nG}J#e9D z)MjV8t#(|XsAqR&mncZ<1zdP5R>VR$%1?|?^;GA}^n39aa5gx~;{%#CtaW+aP%C{T zq?Bqib6jP~&`6Kh3w-mL;&QDw%U@9h`EahXVOZ<-`K`lnA%O6j?5v6_SmSls-z|XO zx%@eJI~0@Cx;*}h(O8p}Z9kRY55Pc|{h>S0*>orL0szy#vK>G%p6yF0xgDd;&h`|! zpaFh=$!{^xoNQvmGyJ2p*)E^;Dn11F+66suSzq@EF zbW>)Iuc8_*=&Se&4s&IeaPXAr0~U^HTOj#|T=KmOH|p_(67mn;>DBC_ZP3gtH(W~b z^IEq*v!Zv5*5`Ez%b-_1*_jnH;q-o=zvy0#COaD_7qmW~w@MX|n|!GS(MmJ4ZkMOT z3KfX6fd%p+uyJTSUb02DLTVYjYA(ac;yc=`?3~aIXfsqv^=4=1;CJ9tKrJ&Xys)w4 z&T$1_#v>qk3*}UN4?W_}bQg^T=(}tWhDLZRR>#1vJpQtoYTuXe7?RX-O74o)cr%Ba zG{{qY9iI??g?40Ccw#||JXLRjG~5vhw$8L!USC^`&j|AOW>+o2nj8;N@*hCRS28F@ z?W4$5RTJDEU#2`6Sl*#*QYl<5)8{FxfcCpe7Q{d)@v2WXT3@!S<1HwY0*d77=z}*y zZlczenH?F0ll_ymKDW0*RWh&N$_5nZ10Qr9@>T2shF(`rX4w{v#+Os^RjkJ24(0e} z!jT}QZE&2s;?quW(L$un^5>9)&=`<-R!A%7ySriJyBY_l?*<)Nb`OD@-vz}sf!qN^ zOny~$$m{Zz?2OTX?!Mni>+-oOzKsDrt9rdN$UP^r5(dW+Rq>mW@$ZV7$>}LJ_@J5Y zY;VcO(0p%JNp1|D9=w5vLq*G+t1rNo#Wc`V_eT>%Cp;aC1C$qz_qp8s$T(aCGRyLm z9XcR#qrl0GG=4^ZRK2 zXpm=BDdcBZ55Vr6#+y_1Mhs|3a~sSJr!{Ur{R+<#jXKZ?ci9%WV^32d1oy!3%8V>f zUwFKps!MR$%#wGt$WzrDvPxZLBQ)y##6O_LGXQr1xt7h+s&fGUr55I@FW}OoFMb=a zGUR!B^PO44n_2Q*Cup1BYVeJKruvK@#HsoXld07P!nhxFuWDy3+`p^ih7WYblhbU1 zXRQl*@*CU(GDNj*kiujb3z;P#k}Ob$Y4DWeZ_C5elxkH?nhJ4}__iiHv+Q&Dp(nFq zGqm63<&SIeb1;LtGjl55i&2H=?hJXPRWdXPhU8UH?`)|1iDxS(;UccA3eY*1t4z^p zy)ebk)@s~2S6{-T#WNbOf7j1ytFydbK3OLhC@>^F6^#s>)A+4Hm9NiV)rEz5&{I(a zvjB{z?HYAfjO@nSm4{#g@|2y`sY>Q8y449fwPIi_2y*mC@o<_f9mq1Y1z%GNu~BQl zMmLN!P~6UHzmMlNUT@V}1AJg_#iPVo8h5sFEhi_4MwpO{#X4vfOm9{FHClI$m%kaW z4#_O9N6rT!!qQchkCAs*HOv(-Kz4l&x&-;bSvh6T#2~kGun*=&SRYPm)NZk|Fj;#m z)-vfZ6wc=$?0Aj8Zmqo8^o<8uj67h*r$o44vNGJFaP`K6oVd|!af{bloY zY&5Yf#AvfTe!d|dKj`ORM%~Z}Ix(l|6z=Xm2#qLv6DHGaZ_`NVaTvs2{%x3V#2GMW zxI-Vot--*7)so-B!R~p*qYUIslv(sJ;Bq<^<7#ml%+5YC4G&c(jVxE0zLVCQnN_hd z4*JX8))kLbV72sQ+U+oQK<6?`ZpQ0iIAn*ff^I*iN~AmdE_3)INN6p)52T!xY2Ayf zl}DiuGovn0cU7P6)#smtWh2Y){u4{P!u`Ablc3ri)9U`m^2qV}l6lqa_@9qlnI6b% z28?3lUv`lSQK*oFiVtYOLm7*;KU8S6iQNWmy8|kKv-0^J@Iv)d{}rPECv1|6Ui>RY z0fz)tm(HdF90g5rf&+ZKc5nxil(Da@l)=k3WvSjCKohAss=o}-ggF;Lfr|iwsQ#|{ z0BB-)vI=zoH1TjZ)k(kOXE(JFqZWakj@s8uxODe#Fe$El9* zgkz6|z_T3*unPFd>y^9`7yR(I z)B7iaN39Cry(a(~P*I8RztXFC6@XFQRD?*Q%K46L1c%xbaE_$_2+2~|pkhaGlNJDo zT+rM*C=ft5Z{2}Sre$yK~p7Z13D!^vrWnfLAu> z)L%Qh3)=QikV3_D;;bcbo9dY=cSA?+7@#5fC}zl3aW3f>ZK}@w^b1UOmY3=I}q2=1-GuLvH+Ok_OC=8 z6DsPV3Pr^hQb0Rha9*K%&2fMR-h4<^YxR~^0|+%h1wq!i#@|6kp!a9}r~*HywuK(F zm42+=quNQ(%yYZdCjC2Jq4od(7UvJDC>p>h7mk1^PXJ``*-I*xr|Qb9DoUp!8gHlo z+nuJXXw@f&XMOcZ@2#eNQMgCsZfRrVg89_sG?St z`d{G;EvNREDn0?=$?4EXwoemYlfbc>S+uvH$9i z^${`$2wDMw8ygpd(+`!Aou zw}0RpzyCFP#&jN3Ne~*8h?5biY#Uygjtz)|7YJ2W?ye;8?I1G9fMZc*vihF^>Hqn$ zdQc@w#+@OAXHeztRQMr*a}9#ycEiC2)CV5j{`{o@8Q?he+e!mmNvK3{=C<9#$+qES z&@KHS_5GcTq~gwhRH~Ov#01U`&57NO)L-9umyBZDhO6Je0R~LbZfN8ms4^2S4DB`G z1bE*T2N!`0!6ESBZusSHcwxYXm{|4c&OKS}5{9?WYC3zy-}cnnTSoIBT2S-FwmREuTqT!btZ0;H=R4}6R<&c^o<+Cx44G6OAD zFMx;P;i>9jg@p*=f!Ll5Zwd?H3vD`_VE1m1$6~=6-Q2l_g?JsZ;JVbBnz`_|aU+=q z7gHroWIR*{jjX{LiMw}OEW3B(!5WUk1sXVLowlZC8Tl=1nR#|*Ax2zQh=0aAwQ58912l1517B{Hy_xDo)cytU-GgjP*Zhkf zlCq-k_}PCd;;V7Sx3sq74_4V;dO%gg|CH_ji^Tt{A`TMz3=rb(=wUZatg44t)x#Lj zw@#`Gz~4XT4Rv-Q!Z+mK^zENt{=2^Y=cjON5w6&m6QGVksPj;0mbU`A#s-t$kKcO+gvW8LKi7 zob%5gg4qKf_TvxN7C#FusfE{YEm~}&@L_QbT*45;!A0RDJX)Di9FuXl7MhV^FUET` zxHoRev=?Wfsc0oMrIo!EM365%|%5&>e72XgV}> zl>u|-ZN+$N>a(?Q4)tYYmc97=I`}mywiFkyMz#%`|4or9>ZeBjRHSR2jc;|fJ+-#V zcIshOk^WO?sv`a8r|7>b(!pQjh3}5V{vW{bk=tbUPG~3;9!UqTt2-Q6ky+`p;q9Fb zaV4EI_4sR3eB#VVq|R+bI^a~A;O3AHn5ZJ~3@lHQtOW|MsxW*OiA;bTAkw6)Ln?a~ z9Z5}ioiL3ih+)zrqqru0*0kCPI0@KEUe=|D>n4yx_;08V6T|%U@XQGLoIE9E1=b&2LQ#bMPCtQ&9BuyOuCvz2D%q3uN@*X% zkXRrhh2g~-ox1BP>Vd|rxTm04r)&C!@mwwR49#`kW0*ZDS~n3J$y;=tCOR9!sk)+S z85w%0EM@XB9eg><`Ua8E%F?r0=Z6jR@>?VUj*3Lnf<5tWX{1yRStd8nCfe87 zdur}O&69L03tMR0{3Aj_NRK}edHa-ZWgzVI>5*x`-DbTKN)+C!{S=tb=-cu;BuCgA zy@*Ha+M(APJRwCXj13M1#lT+3vFtW?Qgn7iQQ6Gu{WduXwpMe&l zfq7ppB;8RD$}0mfnU1zO`~M$i2eDbsRgB0#0sbRr^SdLaB|ix<57(}BP9{AjA=u1Id{D4ve>3J1z^@iQ`D%vAa+maA~B{do@1nekHbac*7az z3leWo3DIU>SQGu>++wD$V6aXQ*!(^cJ|w|v5e7FtO760E z5t5lH+JdR|*mUkRDX`9y&aV1eO29)&4?0vb(Q5SBFK^I;*Wcq4DN;B#yiQ=O@l03p z?8cvI-&H?1b`n#W3QnSfAr9_wa`K~=6CYT+VuikX_4;ry#3n$Tk^!O>5@U{yZ@;1R zih*%G&2%6x--J3QMPDK*=WgFz8t8>C-Zr0%BQDJCdZW=v5`@B=LD)yQwO(q#U6f}L zgRT8nKJ+63n>Df@I z^4oAQxJcm07fg5OWrmGbKqtPwsuLX#&l5Pk7~yzQBQTIPp=Tz+BYO0O;5{hPJeC{o zWsJA9%)QzQxc!38v|3}vwt>3nY4cCUa>m0L^W*v>kVq8yH;z0nUQtRvsy zwb7B)xz00+HwJ!A%L0k0`8#0KX=!497A6FmAZV71 zN0&w&Z92E_8ZJG2nKX%d=P|Cw)8kww#$5TO{DtEemJS!p%m~4dpO45BVj45mcUprp ztPAiIdojOV$Bt&{ShTP<#8>M=bIs$az~fLfQ%GRH(*+Vx>6mb#&^45qsH7J}C-xv7 zr3O>jb~3%ps!WmY2E-ZoehGL8!#Rn>U%p>5FteRnzL6ut>&uK4@#L#u1{#OAkfF-$ zPNWJ|v!fE!Ij*bmGmgM*;Cz@ragA0)WYe zcx)wKa|Sfca$f?&lXYUo;a?3i!{f$9O+F*;Vbkhi1YhV6v=dYp*nmW#niCU+XQTx2 zSy7MeQ z5ugKiAs{_TTi{3R;zY(S2IS{%9>%(IC<{&q=czb`?)w8leOmG|UW%i68fGnbKckmq zoawE`j5w4!$#C~~to1kQg;Pp9i(bQlNr+pDCz^L?X+Q2rK?6dcnBI(Q>0iB{;VSns zhV~t!_F0__@2pllej9N5L6$jw8~Ao2gN1+=TK*$w1A8x zpF*DZAEREOb#hNqsZ>)jg&Zn^@-)ScO#--9BL%3Lec;K0HHe)fRKLlV#Njqlj1=QP zw8|{RB!dq3r{}*jbZiaHUEj%Abkc!+@|8vPm#AGaLCUr3U9-_?_4d(*7aNwjheo zslb;~7&#n?wU;Em_@)H8Bdo;NVu^2RaGT7Lm)vG-*-G(wGS55i>T)L9c!I>6Z%SLb zl5C92sDwtyQ7J&ktr=<-M@ z%XuoW-^}TWVp(aRu!`9q2Yag)@)Gh86IBfinFPsiN*1EO3p`V$&8L^}YtqV+#m6n?{8B9JI ziWA&Nf>;!EH?dd%t^fGx)6O5>QP0wM9G6C!9Ijk^FK3aB726h^kHDZ zd$YuXm{#Y!6b15^>vy;w2?~3|?qQ=!rZYJ8e^wqa&qR z!7Y-WHR(7#9U$nP2TX6J$!aS!4Zjqff)e`#EmAh zy&p53SuS?LGx9A6f8~6=#fRrpo8_Birj{+~s+crnmi0u~%=9L6aIYC#5YhKEc5tYn(y<)Qbq2IEg-<$ z`Vda;=my1=F4l3`G~}9e^;zO+|AR`mHy+i3Pt=2K1d%^o99at1jqsK?`C>M?N8pJ! za!E)awE zDv8cVqfOVe7qf#}dZqC?$K&43IUH|&0eDAzkagY-cJ{Xge}~GBHDsG2pm5jFVtA4Y z+vnq!lFCH;uh*B7S<1*xj2ZXA^Gn(->;@A~BaWgMJCStXcuXTVosh(PD74~g4}2If zF6EDg^wPJ_y-Z~9amE~YJ{HDaWpT&HbW-_9yr5`jEFMO?MNbO0@@!G&c-qC36d!zC zc}v^4(JEsb>LD8-7Y8erPuzT_U>U+vAbc*3sHT-tO3bf$ibrFqwb61fh2+98Vcnd} zZ(MhD3ofV(V#fA0#|vc1ZeaxK@6hf60m)bL6On&|m=_`W&x4CZ4iU3AH)^EQ z&iVrP|x+DWEPh42ei0?c!i`A z5Ar>RI9UOrtpR0FCw(k!6wH<;*?cjjBm)J5XezrpfVT?)Hln@S*PVp&_@d=VlIWzC zi&w8V48>;a>2MBV!cTzott+q)O(iBNo7)mf7kYUs^dYQ& z6_m7dy2-2R!d`%9lOVkCFCa}g350oM{)do8pT_^)HGD6IYAp~c27D45Ns}xKSA=Sk zPg1R~xQ8RI_bN+d1nxmLlYsGh95*y@5|OWgAcqV%=9WJX4Hha&)*@jz`p9vfC(CR* z;-b%)U*emKIF{e3b&nUAJjaui_K`T+7YvpL3dYI;+e?)8z3FCpf(rLA_ef$ILA86q zV%LLpXi1S#bT~Tenf%-PA=z~(H{J39%W?En{wbb}^*(zdfs7$#*lXWpIZK%>r5TLd zIu5Lp=JF{@3n3@T@PdQU*bPcuKfqkX&a|QHtl4%3E0a)3R|07K7{X4_F=q+n)#1=;K4BO(Uknnm>PXiT-K@PtqPz?eOL|cc+t2pfq7iMmERN5 zMb0Sk1V13-t&fm*>~nT8)P?)&W<~&Kau7eAN-h9d32Af}A$Ah)OEIxZe2~f8RM{>i z$~^99GPuS8qi`-~kPZq7I)EIuJMPf|C8uOO7!Na0e!*B2TEKN_%7Dp&@Q`eaE5SM> zvyXDsXSiWa+ciqzsv6su1(v&v;R{>5wk7<_|p_P%(k70P5wGs%s% z3ie7oU{OJGYqcK%ncyu~(ExPuTWKzquRegUS<4|8*YvjpoOJn;l8?My@i!XfOIuQ& zJjKSE*h{QAjc+zU{pAehofsx1|3nPa)i_dX+1mvN`FdCItp2|f6?m@d8!v$tRUeT^gflZw7IW_xsAu?;D8=o$Y0Qnv61q&>*2s}F8Ytl@dR8X%) zPx>qd`>WD3Okas7zpULI86Y>==e67ArPet5Q1KqoC-pBs5Aa+bZlbx8NP|dkTb)nF z3(HF5tpqClR>qSjjLYNj#G4Vv$auz5G75-Ouosu*{fPHFyN2JlJ|hjnYx17}XbyaB zJe+iEIZkep*|VVDn|$tfpt}wD=J(we%;={@yubR zya(AzB0?)Iu^to>@qlA@BF~;c(Na$rAad;>c9pb$@c6y%j2*S`Eeas5* zcj9|UvDGFR`42^(CI$zfpn7L5^LFbnaLCDTP}?x*3-7>n#D_zK7=NHRnK=(eCJ}^Q zMT-&kJG-<3Ig4}~C~x9bT<#C>ItH^3_Xh$HqGC^d*>}qedZVJAD6}gyseQHCOHnlc zSR7rHKPHx$iuaIyHwQ}dtU)Z3f)YoNDQuWU9M*2!H8RRRkxSUsj3$_0)U&c;`6B7! z>RmTUvh6Y}itJ{l1Ty)Po_>G^v0JGkxLh&`eMcuF<9?ImHoxr#bZQ$Pt-L7HZ0rn; zqY#T1-41!Yc3v)ay?y&f@>cL*`$+KrCH&(I7SQ+Abhbu0=bXe|H@MR==5DD5&pMoR z;U7#9*$35>8<6`_uC%TIQkmx^OLrNe73r+(CBual-!LS#2qF#RP(=jWGPH~xqBr>t_Ok&G1xus+j;)3|ef>Fr7%XijH`?*n!vJZjF?DeBljvhK^Co`w( zFxhxr=@>`T)T>a?11z*LpF4zIRJ9Q!z>fC} z7T10qNJh-EjxEe!%LWeTFkh=WHxbsG7oe_U-XB~NGvdNA!qWpT1<&@Lu-J993{0;j zbY_S%=IHEZ)WeK)t-`3yd~ZiIpQPBD6D6>*g6Y=v;h_R=dV~Y}YQ{aZ+s0ma0yPETOk3kj zT}Oo4HX4dsVcm;RjxBX?`pc&+r3NzIyV zdo1+^pYh!;qRI6IR8P;ckGP@uEb|9dfM50UCCHRFAC5;+_ee~~2WA5BsAOW(K|O3$ z+=MC&U?h+0jVinv>?XZ;b%fRgx@x3a`$AW*vdKs&m3%I)QL1&aR1j=KjOuJr~P4&?kI!GEmYud&%O!5uI_M1`~?bSM@^#@6` zb*1E$ac1Q5f*RW9=*;6MNTUVG?xlJ1PvTs~1b{bw+T_sU6^tPC7st?n+$JR!>QW#& z47RM4l-LS31|PMqS8fEk#nw~q@i9;s5~ms;ruZ%(7g~<`J3j;#h(mN6!{r$nK3sF_ z9VYSVbU9b#Te}okI$!*bK0NN>n4sTWnFfRqyrqkhOiE70;9RybEpjXxp#8oevrxjY?gOvWR;#>~)%vcRW;!7Ix z$yzLz?dU@8*C_YeGBd2BOg}Th6sT;C?-m%`63i4h=VZoT`X(MpG zCYercIM7(^{xFsqViw|PI!qGJ!vxXYyNfY2OlUf7UG5r6cG_2hnV)Sf*1}GHNfh>q zl-@B=74NP91RxJMQT7YtI0N<2497-FX^uuMuT|RnVtY`reu=rK=P?g(yhTr0uMV#e z3s~H$ia^R_mEESB&@m(#M$#ZHw^}`lM%b&5-L^fQV1JQa58R06eTRS;`?ZL0BU7z)PjC0wyHha1ZZ9 z=dx)!+#Al>;kBtF=zg0%gINU-_=EeFThBULY-B9?2G0#H2yQ=jGT)Kv>|nYD4Y&(m zuQlGq;~mTd{zSFfO{uV*a?}TdDN+TcDDffT=aML@IE>iQ)YYRT3*km4C-^yuFX}?D z4KKlqV>zIwleCXRN@zvT*=!iN`bes3^(>51Zz{ z&aM_kyTz*$lW?4r8Tp~HgCrNdq2Wt7sM~1XEc<#RVVd+Ki5IKO-b1vDWuXq&!9LCh z!XzpRJE3acsD7{?88U@V`xe0>O9;I!yhLgp3*!aRnh~7XI#zx`oJcn`)o>CpD7B=K zMB~0u@;9&*umB6fSQ64GFN_xX_G`9}IowZVFPDk>rcAdUv6u-w)7h~`EIyCVa~W-) zsdFhaAzWbmo0dIKm3L#w8gzFpB`0JOx#T~0;i4^v#c42w?>M%Xgo;lIY3%1Z_M>=r z7En2wg&wv^`mz!vJ;oANxun&LFDd>q$q$m=D?F^P7SI(M{|4+7)iM`yS>pq zvtT;HtKDFI`h_Wj6SoVo*(2f9nA}0sQ5=` z@f6O!I2gZ)bAjNHZbVUAk}fjST~0$^Sq^B~SL1J;46TIXYeF4Khs*<qO%z=F>LgL?S#BXf{_mkWAptUbJElIbNbS3{3QV}d$MJwuz#iy8YB@T>y@3t@Wv$^!$iZ&s|psz7(xPT#TY zm2m>K2?>DDlKTW1iZ>3lf)%{SvC!sf`6u3)jrGc*82q3!UwI+M)a5Rq%BIzT zcOJ$=!_PHnnVsxHu!HbK;yy8|_6Bj%Vf9z>>-^%Ojly z-ejK?nkQq6#Z7_n<^n4uvy=4FB>p@F4>GxRYuQ>o7HaR4x?2x|ODwLzrNSEbcqFYM z$$2(u9q!ZK#oHa-Is=p6E-$IC?GATcgA{k_B3_YHIX5@URDlAuq?#U*?dJB^<$I!Ar^DP zBM7HRqoLL|$Es-Gy@2*fO;C8~0obcV;X%%qWG+7inNqb7t56?j9?wcMU|z9UQ-ZIG z&r%B!?OEKc$cr{PPO{|fsGlY!+Aiu!#}>Hbx$&X8#x#M;n*-!&V=%L?)^vjvvS=~{ z+=)^txkAq1X@tc&*2%(BAt~}ZhF~Kmxw41#dN|(NvS3(zRW@FAEYIhCgSc@6L>y{q zlN=)~=Ds9n{M)6QxF=TwsEHLToFv`{_%pe`m=`m|6;h()5H_H>M>%6Q4cyY0*ktQu zV4tM|u3Xv9-`7fjZ!7`Ig zrdZcWb$GOWs3eHJ{TJNXNx~7@%Q#t}htVa);&va4hmr@jC*yZLXDOx3EGR~1%FBaj<_kADPDN)D(en1NQkNCVe-mFE{#tD<~OYT%eE}h`HugDhb*4FEs5qHO& zwGl#E7NVDm(kqJZYglcc4Lf-_0Jj@m1g`*Qoy0PIp)UOdK`#$w3M;P_6S(nm*?~=_ zed(9S7?Vu6kg+-&h!jjCi>v~+%Hyp|nge2%umZxCf)J{-nR)?g%s~~bCWKGsFGr-l zqgr?!4})owFR_9Rju#2mhDm@J93$&A%7?y^gxZsNFVn7;QoWonvP{pwWW6wvNfQjg zCFE@D<`#pMl4tQ+JceFgn~0N`V&^6%ARF*CSgJ{-MtR2ceJ-qM;jcp9g`Z(Kxxy7MA{F)L+d4)5Q0iid)A(W+00B*-;LJw0_5$y$r8v`^v8fNkNewBg@?bV)AC=9~u*t zErW1kTTc5~fcP`Hu^Oej=|W~>N?hxt?_@JA)Z%oQV)pL+flC0m}nu+Sn-&2P<9)i(q z%6LTDtr@}q(h(R77JG=-Ub|8^i=$JxjzQmDvwmM4F&9#&n zZT_tbmB4Nf)Ji57g`I?t$%FLtx#Om*H1JyzY!S_KZ0`*`*knjP)SF#u?Jr6YPGk;T z$4&z~g5vQ|=AOM^!YAClfT2<~6>t_5{=;5!9jL*XR>$t%WIN=LGFH5iGh5aU|3k$uPe%uW_$?Y-hk(t!*Q3%@~jNJ)Vba&xr_ICu(KDbdkiiwDyp6&iJFak6Di zym>I>-J%06z%lRs35sLj<&i|Z1#{waP=rEECgpiS=?D(8UfMnuYO`)f!R)|j2$V=c zo|^Op(G>>@TDrpI{1OD;+69ArRAg%-{8PSwH-=6OmcgF)XM~xhoF}k7a!rVm`ScSZ zk#5FA*!kQA7tqQ1Vx?f^m*l19gupY1v}u&g()E}7%f~Gx5E{oEl|K^_gHKg25|b(^ z{eeTw=e5r<*>v?qGpWJ~kZl_yTE+tei0>%QPNb(s*`&CK^Ph9xG$xms z7TF#CzI`^?5WN{)PyqnKS`w-P3_l8i))_(~`9Pz*YZ{QycJc80W;V^(p0Mi|+U4l` zK=DX*%3v+T*dGGsX(rutP>U0+gZL2)-A=M;yRBhw=yP>r;O#>(Hz47XA%yi;6!Vq^=#g{rt5e;w){ftD?<$$Wven=VzYU( zQ^N1tN+ev^bbw2PApQdJLDEOqNP3EF^B3WjjZ+;jQd|;UBUcM9oK!y(0#qvl6{|RHcj9Ec$PETel)2Y5q6h9Gwc@_UXAE*8_|CW&HMjIActnFO!W-U&xF7j8 z?->ly%aP*d*X>!XuYbf8d~MWle!pBMB6BKV{1(af^^b+cbbT@qr;K_;h_H)v5Mo_O z$HJ@tWZ766K3O$%qhdK%P&EyenUT;YNUS-r?W~**3t6a-nydY2$$e--+Ko+Dtdfhr~p` zEGFWo>|Mk}Cks(${48zsEO?CGI9l!O6zB(Ng(%ViXryVLhrKCSx*LE(^y@?_gUcC%I1K^@A^hgv;$KVW3r66A-X{#f zjCUxMwqa%ptFhv&Cptl7?7~opq50kYDH4~Fr#ZL7IEUtHlpD%Bnaa-2;hbYjPJdxy zwJ@CJD2%yM*h#h9Rc z;BGk4(yA+-XMRS<)HohXB2F0M9R`V0YaorFQU;#W;W3|2!W`qbJR46Yi!7N0*5(k$ z6o&LBzi~%#rFEiR12zoPo6V+xs@`J^7DP_Ejxk=9J`9C4PUt+b9 zKhBqDkUh2yan=~~i6puZ_71l))42qo$7k*-mCrpxlB``xZ+ptI?#v^yKn5r;5%M55 z(LQ9LaUzFJ$g6b0;UbrY9spn5!*P1+v;N-JW>Js7U{-Tq&@!00%G8d4w1b3WKijTA zy;<_8<>xreGho~?%OL!^2r+BTZd29-In--yx6Q4Ow>ewN1rq0@9 z`=!(ag{DmQ;-Xf?GKl5-$Kj~tqeW0B!F;SR5JW8##O};e@;PKFF&DW7j+Ip0DY~RI z*aeRVu8PaR?hHYn4?!Y_v|LCuR%!t*l3Hn3uQ$IH(KP9Ca(}Js;u$>H?bP5Z_c*9rQ_KO9$i z>O3&2c`d}iRe%&B-m7auei>@YYnbaiTwhM%DD}bAsk1n2nFA~ikH*a;W#2nn9;d&f zRMSlhyGkeDP45rp5}v&$$v!jGSxC;C!Vb_@e=^F9gRpnCQrocy7Y6-OU(ta}s|pb@ z;ZSP{hV;(HWV@1YL~ZNneZ*M;MtZXJ0J&0n-P%L);vJ#&%C=;Z8*HX&p{vLI%%buy zSgpQ39e7Kecm~$C_M{9cx6i^`_;zY3iL)cH99`G~#JNQ;!&s*S<$AIW55!E%NpTlz zG0-0&*6iI}k_q*>$sn9W?j~DBpFd3g-k1V4LCAR_7fk#Qx{|^4aeN9&7(mSdFpH<) zEII&xNLb5stNU#{yhJTa2?d+bbjN;v=C5&4zxg?>oM$_w?YIV!TnmIAwNLT=LnS+7 zX@5rz58)@fZTICe72&_*Hsz~WW;BolbKlFYOs4%ouOF8*Jyz7k$&_OY{y~|FgeR*L z%Et7@*~T03cEZi5p_){jrOB$@@J%mSq#-`cqUy9g_k?A^W)Jh*F9*Od;6HnZ`-r6NqCfB!OL0L zSQ&(vy|X&bV3`L@LBKdBMcC&O$g}i4ODG8^3k`uxB!6-)g6-^NtvOi87+U_0SCM?N zfvj$a*TRw_`0+_R%ej>3=nBY=fTXDl$Zz^F4hXisp$r#+C~x>bPvnLA z)>ttKc5LS#^erM(1~0f)97%W~%eu=L1$gj$0 zijP7zrtx#$zKn^=Ur9?yv5?8=XG}*a4bN5PmA=zhY7YKC?7e$jRMp!zycV!*7R=tv z9@qnWU=QqpJu;&+ID<0^3OeY3gMxyBLZXg3C@3l_Cgy2WOjJ}8DP)e>v*l}`W~R3( z6n9~GFW3{J#&&EL7qhh^O1m(}8>iv@g`eXdl8f}WZ*V1`i_PpyWx2hwIuX6R5=*5|7*HF=@T!#z0-aUpLLLHnUNin~x zu+ALGtb|Ebk36Gr6klOdQxePMXMJw-0B$YH)z`}%EE)2OAvD(^4vXHHC3`A4e zn<{j46ciB_8Qu!jP6{>c4lU2+4Un=4*Os$@rrf};t+ste<;yjDN)&513@* zliIFoNaryVLQFxHjR)8W*3eH2@<4!(xBw&q=3P$o7xPTu72z1owyS8i5|{#vDw}6$ zwlPXWHa|>@GG18M(~-5n8qszNAgZ@WoH<7OC1r!6$TXK7*+PR_>qtM{qA>iGqZ?u2 zEWEm>d!?nxKwpJ38W{k)i~-lSJVpK7axkad%d!;kCw)9EK+qh3Y+8SB+gwD<{(!TK zkOxP-{UjH#uzARPH|F-mN(0%_JdxK)wDk@jaeAQxV4($&MUWk?XpBvCMe0WFlc5T# zXN=7G{@BzV@i+MroIYz5GM)~HWL`JipKbwfewRj+kT1CQ`V3dadVR?FT(mF zXON$-8O>O$T#S_q2Mau=+|aI*dYHna^{qN^{VP@=B=}vTHzZ|jd5lT0{FzLqNmkSF zZg3D?8cx6^mwSoy)Oz*Y&z=cTdV`9UG%D35jpSqMAK@&JC@lkw+6+33W339}8W?PV z8)E97feVkTPE``Aq!(oKdP~CskCyhPRikbOMZ zU!<1iRX5v1LncqAYYjs+NubPPo-0Fb$duG8y9*bDex}rI=z@Jd=#5U z^}AH8FEl3_Y3tNtiIIk~3pMx+_6Ze@hh2-01F%fIZ41H)!c4qL=p{spGf5cDrOyi8 zY0R7|MCZYpTcv^+B2t(p49ko`#7}oIvG`ZIf{E2{2*Vy>6*h@~;V@5sF3a#XgER7z zfC}-blyoD#FhM$sUk96EFHXQ^uyM@~v4!b>Q=2pbo>)vx_9WefP=wd!0HHkmQ$Cm6u_DlRw zaU$Q_x>I~$8;qnN?M@Zj7$$nFwzTy+xs~BbfxiViwIEsh33BvCc?pR21t3JKihBca z;HI(XFgAFni*E?i<$SA^D-^>aK;6R*QqeM%R@)L#hm4 zCUrL5vYCuK2cdq2E`Zu{W&v-wwM zLE(LNm681mZl8+b{F|jkzj=tfQ4#k0RbozQPji;&=n`yP!Hx!`aO&8xS(L zAu{y#C2HXp0O}9^7t5p;US+yMOc!sw6;Bq!lBh)L04D=eI##GRZeYL=iVX7=rdm zpt2?;m4MIkz(;acB3dG>Ce^r4S_1<6wNK^R(t6^ed$Q)E^6uaaguik)D%8%((VY7{>Pq-U;ZS9qH`%D(9~_P#R@@1s21>V*JT2 zqDE_?qK17;b-K5GrM^{7ipgty0zU3PSN9v)sJ)*EJT}rZBNsK_lFvDVn2ol#GI*Ik zE6DCIm?rW%_&ixdAhbz4f%vib1iGmo6I~azoE}?Dcex@H=>|unVGwd%|vjs_@T4lqVj765h+&1c1U)L3kMwER7;* zmkv{7Mk9t&S)g0Haui=AGk_^0OW`nJ!6X^mu z<|)JkRGLU;(M@FdEmkb1=dJxobn~<1GWF7CCaWk3NmJ-5c`|j7V)Tyb=}P%^-$MQG zQBv?IDVjaoo#~8wkX3wFQepZ@3#r)%2AJ!B^?nNA{EjU_1>F&>E9W4CLYKh$xKC|) zOgOw>|Do#S)VozyfJRV*n0#`P_ySNH#8SMHz0Zpg`UVS*@;?jZNxmN*8S*2tl%Hzu zvt^gOrRGLCFKDD;wfc)BeH8k=mEN&PXh!?FR>-M{u3v=@7CV z7V~Vn(e_y|>|xAE)b3iXB5SjXRR#y&e5&TSw+kS*WwM3QKB}n^f zOzoxCY?4wrlSH|V#818?9^2>0C5P~i%p}B(5bxtFbRcZHlXCu=!}aCPH9!K#ZGkjT z1X-esh58@l+;1}avM&+2MDtpolSi;OPa3MD@ln$q^U2{txQ7biAJbFgsnvhGjdR>BJ6 zA(wDJUh5qJea2jM0LEpl7*VhQ8QNlSg)jm#uR=CCgw6aqsCg8VopdIR;Xk~wpR5E} zFINFE-P-3^p<2qkkcZWRo=$Fg4=6`iv^>cYgFga`gcW;pP5h%g$8UoqS8skI0KWeM zWv#@l(Xs_cw*P4Ei7@LW(zp0vrl?4xt;JPU7`7a7>2Hh?6Tf;MpX? zsbMXlQm3NPNNfVp4ch<}cI#3!g3-B`j*XW}#C2l@o z-%hYRqmnl{Hpp#%7yua)es_txx3PG*+X;sb<4lGbW@-&}?VdoMK(4d#!d)nq$M}ap zeHl_g<tbo+V*>_sKT=#TFJW9W+5DZ*Ll_cQHe59}s6kVPc zv}~tP8URt3&8Zli!w>q3;!xpnazfhUFeBH;n9P$umfx>zGn`JKYl;sWg0=LDn3J;( zK?awUJK}@+?%*qJ24`K<$|P^H-Wuw@Z%otZ@2Qv=cPLGVvuhh*y*_7HY?T`ft!i2Z zxz;#l6u`*(GJj~dg}F6kx}1%lqJQXyhJuVtvZBYAjK^i9ppx;(1y6GckSw6Al8U0U zrUs|22=V3?XTZH`wJLBlH>OE-x6*Qhc|%b;Vtp}ef>tr#doC*)ndVcmg?&A~rVEg% zy9rxikX%MWGQCE2FO?AgAs%8&1N{b#HaiR-rMbcrMU_a1r@6U&^8`TinlG_HW=|4g zNtq)vSSS#tW6(l|V8ZYbWWWcw-Vb*><)^NjydJ5?#?!DNCFY5p5g$ZRQ}zqb3h3+9>ZB!0R?TwGK(^U8_iLsgvCxKI- zNqQPh)xHp!{wfKWmy!&}KqQpO0?v^`Y>T?GTarQ8H$q2Erc12xOnByjnVxN^#PZq1 z+`_Yy7&iYw{Tbtnw9*2H?PllLX|vEkOG2r;2jj{A1-Acllr-qWTqj$Vl4L5ipcd0x zQI$4+t9D+be#?(cnep-Hliw5;kP=C%O2%V=fBoofBBWSZB1uh*1}fQ0s0$EcE6{pt zz0Ry^A6#4J13ePASYFIW+(>|E&3zdDVLp+rf_LP&7%>J90(LK%iq74wV8?|UXHf%Z z_N39tIKFrfeu>fYzX(Z(KQMk`2BqUDNRWXv6ZNt;I#+)w+Ho|kV^<2ej)+3nwEY_X zB3>Xpr3{%v5cqE+!n|kr?f4USSZ#(r5Q=+Xj)>JY5LF>sPj`bSSp(Pe^#xu*&Yp(v|x{cIwu zR-D2_%|kUO_`gH#3WQ!BRe`J)9uB1KnrM(y>reoTX1ZDD5&f zCAX8xyzS1GmV`{M_Skd#y2F@Jz#0L|W>6e?5l545aEjb98tiX7M2?<9)2k8kOX~_| z024Z7Qjm2vw90h%wA`0Md^4?&!BVWqi_xf9MHx;JB4U!U3GRot`*c!@`z7fRr*VGD za2~bP*SF7`B2L7zFAvzQjy)ipfj0t@akzDFW){MGLD7P(xj_zCkK?J0$$);DS9Md| zh#x~Uon?*`Eaw0)kJ(P`X=f1m1N$;Ph<_YUcI-n?KpToX`|=CY_53e5?rgmK7cRoQ6IQ?SRS*xfnEBPfoe)-YIyxTYgU(7<)#E1m zW>{rlC6wYA+~POl0OnGiCs$F6M$uaH+p>{#91i}9B$+}?AD?=cB+_I?5rwM!7|$XT zafDOB3oRGjfLnwUy58O9`UR7o_Fqv=%Z9=uibS54{9XB_6a$K(hODhYG&;|P>}Kgf)!TA7S%SmF zBb+sL6+L?s%rOFu_t zcn`|_<^!D8dyfzA`i}r#7IcG;`AlSinrXm;8MhKQEeGVt5|nx4rlqfnrm9E4WZ+gR z2&wN4Qz*01G>x)FD*2>+EVKlboh5|_fD18{T}YMmZ^hX`?)&?vx`)qg83Bg4e`YOGE82BArL>?5~Y}3~z?f zGUwm4FHltsv|rx%N8FCI6a6wvyJbnuuI@`7Vgp`yz3}gUWBmj}> zdWQjv()@xDVcMjsT_Nh7;eqaC14v{*0HmO1z{VEh6F9DlYiJ~%;*G^`(lwBiY5TL=Ag^$^HQuz^svbxXvR+Pj<)J zZb27;Y2V55r=vJFWKy~IPlk!DU&V#j{)TJ-0Nu)7pVRUx9FMfJO61OZK>?)-P^mM4 z1@{pR+zhiy?swOn|`^oaLoQg*re`E4A zFgH|`Cg~`#lG1UJ*X5e#^TfnYq6zUDo`^ue#-7#NTHY=bdv8wK3(kKv4hv&@IM7{EcqK*W#~0Y9&S7!UU7 zI>3vNMQDL*M-aP}%gW3YgGf%wfmxCq}?&;xu7Gf)g5ndaf7mp>d$@cjb#FsU!u367(1QU|$9 z+ZaWS*;YO%Ck>Hq8rzRB-<_Rl1esO~kbKWL%ki+fVk)_^BOvcgSsDg%LCgxbg^40%fDcvd)Huy45gi1}AI zIRkp%|E3BAH`_B69U0n#Vd|TY9)iMzmJD=;(LRtog_E`m$}FP=gXETfb^VTLp*%Wo zle%ma6BrN0rTyC9Sncz?04_cHn({Da)y)OK`PbnT!;EOW zwEmK9T8JEhGH+hi_Ka$L)6*L?IQvbVjI;SDbJ5MOv;L00Ik%t=xmVrT>i^32B;rzR zMZxZi#3AxxD$ui6LEl33P5ab7jrwJ6;?QfBw=`s~;R6lcYEI;|mF)n+umEXlmuVHJ zSF1Qf+d9Xylw$*6#q41QvgJi^FT<_Y>JOYnj+D^5uaR#v zKMFpX2B&D|(F~w3}UPLeXe}bZ}73{!Ch5{b{0~*3^CLHK?Oo5L55&e8&g^P&B z{AdVW?(RD|0IbU015Rt0RG23hCiHUuj2)+7Jl zwK7yIL&EqCMBr5@aefQ)>et%Y)NPc6Gu&K1N#ZiDr6|!ystYU&<-c&@^V> zs4hXg%oJpuBjjLS7IL4#4frU&Z&(w`H1371GP?wDP|f@#$!VK}a8F4SV#cPt#MUJS zvqnCZ{udssJs81DhC*1!@pxp*7$1WDmGzcGDmtm~nxbEnW&1mrEGK6Q^FfvqG&JeZ z@?XRX`jXZY4uB}~q_sS^0l?ND7B={Q3$Y!ylu^9MluG449ZyDPLEyI676{W%2sI>x z(br)`njw73WRv1*SR40m=cclWN=Jf zTWXybQU;9~FJC`sPGbgoc# zd;gxoX6JYkU`)fU48yg~V zpS<6KnC!rFw(psmu?1pit6|=CCfl+(3W)FtRRN(8)S$F-B<%PH)jX$7p&5S!;m+>g zsave0$-d7>j4mU}U#2^$msRWnix^2PD%(0_e1Xc-2uxgxIqPUntKFHje*liBc3$g< zM>1o&*H!LgUQNPK*PCD4*iJZ~R)u^Jteci(X=e&u9*_5_g6AcnJFqp}FGy*dOh}xp z{o26SX84iIfQ)rU7bsKaAy+X-POvN0CYB`;>=UeRLwG?o65?F5(AYuoz6XH$Fgkg$ znS?37(%IdMHXuk^ktcKC*1tmKo1VA90SmtYYmFaM1wK zPJeGQx2O-znT7HS5k71t^gcHnBmf8PsFRN@1kSWCIA;#~R zv!#agNJb32k5diPLbn`ejLdx^RAy*b#Tj=oxDT=!=2PvmP+JzN-=)MQb4VRM!qp3M zn@Tr;njVQ1R_^~9dN7NNXnzXTjy=YZ$1IJZWVZ=Bn7FGSwzR_jZ{s!1IZTS}kJxs% zXBTf~QY`@kDEW7%=KUWsxzZY4jM}najU8egp!a zy6*rQw{sVL>!Mt)6Fw&g(@^n{C`SI^NVT8gf$Gte}0#Xx+NZMvn3*i(P89y%QwO zL?`r|MLFvFhGE}rP*kFeZrq1+`btqFIdW%ky2CfobnRigkbm(UD1zU9Awxoz=b}1v z;9wbEAV!$l4M3NlfR{@JkP=+V7>)MmjPVXJKw>K612b^$?R`?1Prg|JNF^bU8RehA ziDChbt4?wif&eEs;(nydf^pGFflD_27ALkEI)(C9kln1s8hnHVxNX8ER{&viRu1B1 z!IfdcnfDN`0A)7s1pQq`%5)weeQ*j_;T*(l17CT(IHV}Zv0Pm_s*?9O8MQwpFFAyX zcb{+h*>Rp=U3u8icFdDU#mM?c;E<7P*vvqlDF?#5+!K&uZGlWNtEW-9QA|pL-vK8UJZ1<1)T7e8st3(BMC@%O;aTSn&H7`Xw{`yR7{7g&F zHk$x=h!55sse~L^^M1ZwfPeKr>TX`qZ3Ai^THbc5(q!b-WN6(VhB6M4_Bq0GKAB5& zmXe7=JTqEy2HZ@zDT@KCuNcP3v;an)-@+iMcahK)xbtK~6&LVs`VN(ayZ9WEuQAO@`2_tAj+P z9YK6|W`-m}o{fnjg9=XLl9kAH2IF4Zv-&jf>atC>R7X^m9-LWO-}qAb1moRM_XAx* zsQaqzb`Z{C((5OiA2TFHl5^&*6NKDj}x&7{x4xvmdl zVl!HiE+R}?O@09k5`GbHNqZX`tu7ElO3X|J~>@Oj<0kie~9DLG&9_0lH*pSK}p233UBBD3g}MUR(Z9vab@}s+6`6uWb${>Byiz z6=m6{F?OMWU)fEX8dLGNIF@4}lWc4C_$vj0>mtAC^8)bzrvgzomN0ei!Vo@q^t!G8 zBc3N}D!DT1%Kc0};TRociRh8(K#d%y53vo)GGfuq4x=*Ta%0jWB?7xg9SX45rWk%G z`#lvW2?ObL9OrlrGaNsc)0pl=LKUJQ94}(Dxk(@wv?mYthCKjow2ouTR6-v-x^}9z zQUd}Dp*TuW4_?k5N)&IkPN$#Y7`IBhl*5~W3smadNn&X#sF|?65@AXk)EpG>wcaq@ zJ~gN#i!lK8;n;#o1Uoa`OlN}->}mutQu+bFL)l+azB>Z!vsd{`@C#g1hEtWu3s;bhu*w_1|t8MyL6&G|a!PNS_0t1lk#8G-UA27- zre7lIrCEvCJ~?YKrlZMAt(d9w56=00qHgQ1hDrKjPV28g@b@;U-yc}o+_@-cZV zu&@>M$7h_Ze=SV+UKa}vCxg+Il4Ze?&HsH_eX#aZ>WD*3MP+Y&R4Bt*6AhPC?&nOI zlo<$!!2y-stV76P&nIM~)1w<7UcQb68t0&#@!@p3evAtz+te7}gQGX>D!FNs5OYSC z6_!4PiFUc+>^}A&!m|n>Lgh&hV5Pv)+CvV}e`X&AINcBQ?}lq%?B|}~zau4jOtvG) zqfUDjHJ@9yP6u(t)P$>D(^!R0Io`&)6R|u?e**s+trGn z4AuKhS5#T0p_M6)LR`BFwZ`kAoRz5$ymYU9F2$KczlbWY>y>|Oeobw^FYe(mlQ^v52H1w#$H30$|dgZpdQrU{1%?$Y-i$}T>-o{ z3rN!MAuxk<^+Ij|I?1&G@Kv^Dp=h|i6RVx35+>$jb0wtkwY@c>UXG{Nloju+5mm zb3N>r(5z9%Q+3N#hV_Eg0qo9$)N*QQo!NLsqJY6-Y?-5zX=iqk%HVQa>Qq{rip`gXGbGi-b;ead2r)f<5I&I}W^y4w_Xf57D?s7V1mY@5 z4kO7l7B;I7dw~H)d6T31#{6=l$nKWgr8;o(q0#oSk41!lwuiw?CxW$ zK;S>3!<%wn#?x>K8dNegM0-$&$NA?u^3J_qHH@;V0`w2rIG-vF{)>3v>ce~tF{ z2S9LN&`cK$ZmKNUQpSt7H1c7_V4%|)&~$d)bPkt*9AlonOgP*k60ydCfVlV|lt%4__a#BjLfhB16X z9SHn0J|oPW?#yr@()Ya(UjG7Qj{C7671~}8Y2iQ;+ta1hk9BB>t#`=0LZ7O(x3BNm z4}w!Gu(+?cT`FpN4ZwMstKQS$U39IfT_H}=+O{3rl5eoXYwIqr> z0ktOJp0n0#tS+*;uUu^24U`OBCx*-QkX^`UdA1b9$I=%l0(Qbw?X5_hL!%v2p)^tq zxoKxmS_T4&m%e^6ZV_W>e`S5=9z%;QKQL&VwrZTANe!z1Y};u|8{=EKpvMi^;0d$=Y9#owCpm2}BI`i#pZP_>6!qL9;*H2w>opvX z7DeIA)%lrM6G2;Py6$@l+U`|>YJEyf{ih57csPa};8|-pW5xr|E`xCHpdl&@Ajf&i zg5-e!G!v+R&?#$RG}CNe+Y*5JvFJ&onB@ayHm3El3V$B@}#3vxOYP75UUJow}rF}DkQrdkS%4zL}o6m zhzm1EshMcdJY8r@!E^_lfyYA9hOCANQ8<`UiSZD*5`SQuj7fi;z~UH#D?)zyZlN)_ zYfemXZDTpZ{FX5XaUbb8YA{BG*i2dBv92Lu*Snfh!cLxSo+ldG-MVdI>}d6AD#jfh zAjCU%cfvy$PI9vz6(5=NIKo|wzHmU9cM@j^8N@(0^RL{P45<6vv`1PTx<3-2Q39C8 zNWJ)%AkFtq?l}AziAwEin~kh5+}I;XxGJmV5t1d}XUC~gJmk%e2% z@PfC|*qOsgo|mN;nbC|F%B9Urv^AtM1w<29!JPO;x0q}E7F2K*1Q1k!9XJ8blVos+ z?U&Tw$*b0{r7Y(ieQ*R5Lwmy5UTe6=kp4WQU8ZO#WWilQh8?)I))$RGGX(U?8LP3K z$ZMv~b`ee-7==bg%H1D^v}LSxOg zLL{uf&p{d9^fNa7G=|0rTZuv59?)jMs@;r*x@c-> zPom%EzFwynhSJXV+e~=+Rb1%ljHhE}es2Wwl{V7LJvL)DlxFcTVB4i*vIbgLjB^EH z$`&3bZ|d$-*C#=Ao_L9-x^KH0BguSzfH<27X-^`4b{3G9KhEg^urSc)ak(&8AO?g2 z7oZTLLu}J5pStVajbHiCSWavG;epY_oUKj*iv#UnwAf1)=lk&x<;)x*@3vIyDo5OJ#EDE9 z=md-q*n_Wd8;BO40ak1TV!sV_7goLpUNd7tNs%?7HB2c5uciZAQ^Ylv`!O^(@R{u% zBG&*y7sY&%F#*v7xG&JQI#WpLF)n_Zmb zu4j|OMX!(~#2Me_;Y8~wgVN;DH~2lmAi==D!2ZTmECLq-TUQm<2wBEJxc)Ce^zuF? zhJPyqcws_@0}AHWbAh3vj~Q`uDv&&5fhv(By6z_mRzpw{StWJ>Zn4LHqZhtUMuF)= zY6&*9tbr08X!2!fNFz@UNM0P8@eUY5K?0Ht1tsJsbUv{6shb8RMA4I$f;r9D{b(sv z+iOB>TFagI@|4EdlOaNQ>&S*d{tpGQR_0>;E1T}Myjpb|(mUZym&Sw4VyI3m;WdFr zXdUFV3ZQzk0_M3d*V1^L?HV2!PST}0+MLk*X(6_9O9W*WbJxi^j;Y-)UuB;Tb>A+Z zNeet(*$3*DM~fQElqy~yv637$tk;30I&rmc$PU) z{sppqpi1yD$N#Sm@~49oAXJC*qyoqS$X2}K(is0g-W}Tkj`|;OJw$B%kGB-K(Esv> z3S#TOW6b^m6)A3)Qnm8YjyqDW{Qu!^;Ku)#-|Bdrj+_5K zUH$)bW$>iy+5v$22mI9mdV6@I05ki4{X}`t=z~E3()cf2+kakk+`zxD9zu8G|9#nk zqqF_zinkg%ACBn)ghEuB_=N}(o{AAWR{c~EqKZr!vV9>A?xc?GIqg#v1iz6uU`;&O zk%vZt4fz=OiDFv+>2a`44>$CNO$L62Gs3U9!EippGz6^66=QM>{BHZ}iV6If<6vyR zRITqm`O5P?@LG@UIrFRY&5M=4p8M-}H-c3fDRYTR`Qj45{#`LV*UCBTlN1AcaAe=y zGZ5ri9%(Lk77XhUE5LRAINWfDbNngzs5e&%DP`xuFFmVX@2r5& zeB;gf7D_TFJ|0&rzvG3JeKl_-77wLHvfgPvzweso4)^aeN2xj*N%XrJrmor z>a!Dd3EAg1rz)*H^qIUZX|uk$vL8I`xAcN1ZeQ1V@YddQe){Ud3lrYmnyz%f`_ByC zmNEaqgWrDqG920fK}RP+Z!QW^`njWTc#Co?{hnaOH0UH_|9SBIIq;B1=mk66ZvIYa z>eT69oa$&#r2~~FFe+{J-Y#gOd}y(PmYhaQ@qzKDJDytU+m1&ofA7We_n*$)+_U=5 z2d!{#+cM_;9s)N2eO((W=fGnsS1Q~M4f*t-Eos$vA}zz79im*T(NeglsI8=9M6{J0 zthjlmvCHs%qmIrYVbIR|$DUjceblvBX{CbV2E> zv+jP_F^-PTxqnCLi_x#m|MPdE%!&3zBuwcP-y2Jrn2sT)d|=r-SClcN3~S|))|%m2 zt{#A^+s9pc4n7iEf5y+>Tzz4}`R$$+rrZyeXH*&qZu8=9<(57?IO+0U<(iKkntb(u z(gGhHs{H6s)#q>4cibOz<=Ky3n)=Bxm}RUoR$i}zsc`LO_yuJYciehY%7k;*4nxN_ z_k(A6WhOM>Q03XGp}WUj-V0ClE&TYGZ?C`l81(yMm?lSND+9I1)Q^wU{PfkuJ;V2H zO@I97Z{X+mIwpbg-7YAblcY;QNaUMiq z8c$OO2~`F)Og1p`ff*IA%wnazlZPGu}_FtRp|F7HR|JGjo{1=$t>>b3PQgwLM zKRbP90&JxJ6_@=B#DC~B9zT;4LTu6C>7r2}`!k4PJRr?&9Q?^ch;c{s@^JI#T|C0W zs1OZmItX@b(go|1l-Q7g*NU@uWOv1u+{VJojyM75ckc+0BH)b<;4#+Xp3x5@i^!}A zka)xe3gi&P13R3UK|=B?1?~i_~=V8^7m2&>Ma@w-i$5B%Aa=Nz5+Zz`ui^_gJ}@5L;YESENuG zyhDH~yfHt*{58^+%J{J&9rF6Y%ZF}rw@86pWd71!DDt>ST8|9OHrzGq%?@mTVH#-t zE1U{?6ziq>kZfP+VO#^r7oTSieg_af^c`vYJTI}}A@=Qr!*cG2c(6Yi59Vad$3JxT zRs&$$BLAH~$#ajtQgbI#0o&W6m26@Io!pj3n?EcZEt)8XVMW;FxWor$2$Z43SLI$TY(j}WMDmkbirtFk~QE6a*;fw$!JO!?z zP4=ZA+FvDIr~(5oeoEs&<$dQBY=lnEU5N$mL*G`o7&C!84qSvGz9aI~$cJ=;mNY36 z%c%Tzs9HHfI6=V&FY*5B`_69ntZaM>FKvGc55n7QgHZlzF}iLi5*%ZKg$el4v7ZJh zXEP(zU9zqrZ&&w$`)>I?sfO1|k3otloEgk)msSE!DdPG)z-&A#_rpIGT|*&L#^1Ml zQ~)OHhn>>CEnIo6lmUZa8#!o~GrTBpkzarr`%M26D4uJ-afg4^btK5wLwcT;C};3A zi4~W%$Kjh|1b(XSWR8H$LmRfF_w`LwaPRbGo;dfdhFj)FybRE7W2w&l00iw@do|0|5qLZvA|wUEz+lU}53l@l z1F^V!@x5thL(kBX*I%M@x>hbHTS4a|@U)?(h(p)3_yYm5WA4w4 ztrYwQso7&Zsr#Y&%+M}Qyos_bR-pjV>=cEW9yQ% z0pIbc?bmt5MUo0t1Bu{Vba5k&YWxYH*(}Byax`^I{tiLQl}l=5m&Xg`q_2R*n-675B6ODK`mU^xgxYio3MGj#Eipp?hDaf;1JpruGGF(o}DZR8>By z;WHr`dp%=-g%;zSWtdB8w3E_sfZ=g`Hg_(|i{xg*X_fm{Ca8cIk$G$ZmKXY$bAJ8` zPQwSx1(=oN^S9%>9yZO1%LQqifD6c+Aaq} z@#OL$j(I^eqIrPr4HPKA>lM`U8@Bpja@+pB`{ni(=|UA4K?=v+Yvhq~Ixe&Qj=VG4 zXYRk^8;M`wG|)t3o8$v2j&VNEeA?6QgPGTr3i&J+oH=+OSPuR z|DX`TmA4Z6hwf9(STaz~q5=7U^dUAmmo)5Uc)*r#u}5KnA7&_Jn_mVRYV}4exb=ly z47;gY&++BA-B)2Eb*|&wR}X%Uqr6w~u%pjXzWFG=;Q1E62UC-eWSdlmdu+q;tUg$N zqiAOk9fwytCI)*iffw1VPB*gb_W~KIj=~*mMkrU|J|S=OhGR$LG-+C{j|^}48_Uu{ znu7DbpOv3y1B>%x)gW=^Jbf_KWk!SrF&@q>ACzWLGkzBT5fH6gz3Ea9TRev0S^Kw} z?7v3MMSX%vpvbv1(fk$c7K$~7Ei}In zmc4h}Yq=~O>Hkrpg~>Rl{YR-=?rNNyp9E~LH6E5+^kvRTKx}b1SDc%Si*W=$&-*N( z1M9lFU**2RFXOcQoSWzAO78^cuNR6ljR>zqCVjq&iu?x+)|$th9|#fVcj**C=kj6@ zTszYkeOoV`;v?h*-@oYZ>fWM17iu3uqWSFxJp+~MG0t?|K2_jG+R320U4d6@;X!p> zxOvvKWG>4@6nF_YSNaxDbSL7}!lPKgKM_G!qLUtJV7=G4FR(tX3m2GeEei4bbZu%p z(7dy`tM*fU)dD^WAEGg?AMn8&#KOOj9}jk%cR3d<9(b6)#{L98?_65?JK%1NFHycP ziKC~vNZyYJ)Uq_bc74T}aQn>ppqM$ddS$~XZhm?R-tYUN;eB!wLPhN!nqdp_mb#DT z_y0}9=QP{p9lm|iVf>Bzy+C`x04yGY>lP;A9?jpFjZjMnEP(p4o*Rz!&TTkBRu^Vh z&%iBp6Y@96B}B3Hq<lS$LahPEK^JLFR$d5l6*$`az;J>AI^sQ2BWppaj=_xCW*&nz{8aM_sLssIFKnLP_#wY5e-rE% zk8|%jz`4Z()!M47_>*#D^V@|18W9MxuREOyy0u!|%lv8}2q+iqaMk_^c&@CWKY3Od z)f!kqjuz(>PvpI{>&5vb97Gr1M&=EMlc5r!g>+u~f&A?x)_Fjf0}2562uT0oUUD)} ztrFQnpfgU8lMT~o`7`cgoK{M1nZj+wX@MhjbKRhZ`cgJ`q5Vfj&p(MXJ(H+gS|L8^ zhcXIrP3lzD+kKyZG=Grq^7l{3kKuHBh#g6*hJ%bkM(R+xTa|@8lLtCkW!yjz%uDq2 zAzzSj!WX(~75T#Wk%~rw8eg>W6_pU}J(FWc+BlWdP3`glyFog@e`y!&k?6u6PmGpIHKgBBv`4J!;8B7J8b4lJ1qlv@La0Lfq@nhg=+ z+0-^7G%f(ChWClabGzz0@9m7ssP(9QQ1g5OKJF6=>q#WPP;$zjN!|0Gm-2XH;a52I z>H$|9zoiFv8{BgE96Wi-9g%MohgYf60MSI6-THB?G*#Mqa1U-&f1Jp zm(i5M$7#54U3m@H>;5KrQ)+Teciv(j&T%=ph~1#d-|G3j;W>W;*+LiK@2c7y-9t#C ze1;z2XZc?hw%bOA4 zQyO;TlEMX`O@G>7UllBUE8Fm(3#*EvgLQvW+-#qK({E>8*i<~lvxi=><{3z=n8@$6 z4aK(H*!wA<{>wIn#e&np zxzsB0CBq#x>@$0$e)2-!qJzfPFY#s2=rManfd+$lx4YIdFx(TGvlf#l&Fj3h%1GXE z@A!Wxd-J%auC8r(?<5CuLJ~NE1Duc?IDrHb&CzVg0ir~c3JMAu6ciLRR&X9bajFx} zvtpfasyNjST4~kRu~LhzQx%6+Yqbugt*u(eR%_L7#ruAq=lQX(K&8C)>RaT$%{49J0briQBu&05*`xF&T-j&_9F{3iN z12HjU5MqHwY*C}*!5`H-_>hnrHU|fA^AtKo=*)ki8vNFTj>2Z=E{&0GsF+2WeeDG! zm}T1KoJv(|)>wPj?*g&3cJ&Gz$v(uI^>!Rupvrs~7tbrN-)r`BJ)Z!9<%&V{RxYt< zFP-FFuDo%}U%IDzcA8_Yrkm-US`3j1YuR78!E~~-3mwW?9bw|fnEnBuw|-+@xj!{+L-^tJ^{hXZ7SnBA~9KJoV49C$pp>jPcMJ#Zz$R&djIg19fBTHweB5 znvy3VWph<{ga272yph{s@KweIZdM=P7VP2^X=Cra)dn0C>bbDRd@jMZSOOv)VW3&L*t*P420t=dU1=TpLl z$5)k6Evn9gS(;eUp55#EKyDAC`yYB`85AjQLASd+c$evsUWNZGosWF07|Ar*m>$7> z>a`=^Z*{|jJnKTPP2T0Gtf^RgNd=xOGk5R?x|=__;!FELHna8@-|dopyIaS=ySt;oyBbpRkV|e}SQ>YOlFp(9?XX zP?QaJ*V(F_Ao1(V?%;Tj9XjiUwJ&vyFN|RY_8w)U{=nU5Q9SUORaX3tW35Y#y$au? z)Av%79qTBsg8~N6H(HQ&cwd4r-a%mvy_Fv4Q392p@DUw@Tg(y!!INM*rsNlaS|9h^ zcVD!~>@}Kgv+mT$2REBr8%NdO%__#8Ip!k#3Ez^|tg4=r*>%Lq_>7LVUpSKK#m*E@ zg=3Llk#ikWWY)+B?Hel__}m+KW#oP}$j^Lae27ofZzHdQs08Y+&|GPj3%fWQUqjj9VTE3`89id2T+UcP^@r=hpwM{`Dc zVfxz0-86ZJrnmXu7xU2Iy!BnF&wOiy!Bhdg(fG|^5u0aveqhA9RJz!%)kYUXAhTyoFabGACmiPOD zPTF#PnySUFv(rOb9SNJEB&XWHp^<)QFVm*~x=S9)KAtusG~*xCAW0{zkUffV#%WK4We)M)eyLHaq&wrM}tRz>PJt^+R_xWkrrS zh&vi8PkA~T$No^=k)Qa}uHcaT`%QCVry`j*Zo1mrNtkVz-pMqyU)|THg()|`j$hir zbUY!mTmC%r&_2_%Eo+8-k)60<(z)5@jWbOrlC~`Gf5NJK>Q~y{+y3zh?!(p~z~1YJhne(eKW$pj;=ui7vtkZCeHhZZL7A*}G$!;v<@kEz(%Jfi zgw3bOsgzr%lFxRCKb>;nsqeJ<+deaLr7?p((WG7-|7elo`po!m(tcY0<~NpKHom>s zwW`9Hl+g<}!lzm&I+PGq6@zDB#9lHkap?7vy!=n4%wiWqG;2^}G9K6c2evGi}ERj?3$6#!Sm*adw%{tOh4@Ycb*eT4`H1)T4KV!GPG_SRx)@mZom8V@TK!`|tkAj6C%0&lqM0idr}7DARLYHvO#MJoFCt*LM|Po8L8b zI_daI>1dbo)f~_8w5X$@`9GPz9(}gn7wlYKG$uznlNr2Z%$DVwzE`|D*xHznYDPtm zxKJ?gYSpE(cT24A)|H!sR|yD?*Mn{4_^Dd3?pRh^1dYj!AK9zWmCcu`cM!1h2ZfbmDKC z-5a{zsUKZn8@=oNhPVEx!F?xXDdK;ev_z4Lw%hyw<_tmyVnTlt( zd-m$}{6<6HsV`srwO~}0wd|Dj+^Cf9!Xn{*)HJM0i>rSBpXLju&r|ZR8#UbcxaoAE zykFV)i(C7Jg`7x?nxUEf)Abp#)hX@iq3yrEO2>Tm&>O?-OuR8OqHvI4jM_FTa(0ih z?KfuMI~$~!)8fc^f7z&{nG5GQE&bmap&r2d<>70Ii!bke~e*vUKhlj@({qxqhkGvT;fA|D!SeU-SQIY}+nin2`=4 z!?0j5xCJAIju<&^gaU5%sDy(%kc{^a8(jvre6E7MhX4PzJow*FkEUKf37$Mtmhf+L zEt|U32wnB?Q%i?wl!&IW1|l%fbbwSYbY{{RQ&v<9WhWS^YnLviK^M~!0au!yOtld) zQqZ+H8r9O!id&8m-9i2OtyFGkW2QOCj3dR;rIu|E|6{m<{3Aw>E35q1V0}nM&X!xA z{sCk4$Lq2BKfmn%Iw1Yn4qaIF>j7zvkOm_RUtI?O%QecjfdLBq1V$(D1A}stVvi{P zV^E@%|MjG3<-eYUP$WwFUmk^jeIOhE@4=E&C=4k3Q8bdnpBIKG_zj;ErU{J*hMVmX z763@0VNehySGGqA+#2qOp58 z0)@cm!6WH(kRlG@Vf09K7Q{de)QF|&Kt~!OXJ#{}C#UXhZe3PCLifClS-Ebxz53lR2z;QST zt2OoTJ*VMzVTuS8gQ<7m#cv{T(*mC~4Hvgoz%}q~1OFk*&1W#XihqNw3SWn^QU99T zYr&BlgDjgK7hAq~RBZTv81w&i&coP2y8 zb1QOVaMHgg`ad6rx0r_`s^K#A6op$SC!aZWsxADVoSgg!xcNiWZIjQm#j%Qik~LWQ z=+q-hg^42h4IGSdMB6jTkCM;e_8c}mf>$L68pz^c>f2Jrz+3$H58kCjmTfO#gjD}M zLS2AzQ5JbNH1dc%@*kPy`{%`$_n!wwDDX!G{;dDG^?&>3|LYJPoFB@rd?fF}u2H-m zrwxt4yXFQKW^32$TCV`%RDd!GXuALk|5rhn*gI)V<=|1n${f~`IK~{HgbE;jtU-}% z1;_X`rotLf3RKh?{;Tka6%YZAEJbA**9$p~F-pL?@>e4y857h2$T9CALaCYr>Kt%f zD&a%fxhM@FIsho7uMkQnJmMCCPDHe$HGF1!M}97*lN3ow)?7tu9Ib5Yu*TWlag|lW z%81okG8|bKzIHfqb=Ygvi`^(xNBj%Pq>SnSj>#PoGL-?eGN1t`tPA@WFqsb&R$MoA zinZi`rs6dw$%nlLDoaPfH$`|9R|t$=>GuiTbs|p)>m(kTaGTYOGMR8K>|b!_MluMg zQ>`WSB?nXfn@OxJz@wH;DF%$>?g?(s=f))A7NodH1jgS{7Wl`?xYv*@HhFrM>9`E1 z1@C7`{zN1&tSJIU7@)|>ZG;Gx51?DOK=fBoVQT;;<<LEVNjc8Xi@GMeCjn$n)wMK3daX5FETR6CeBE@Vqtj2 zbT+<%VQMCf4RgR~X60s0?n4I4@Dif|Ahuz(b$GGSAijt2d}E9{06i8-!k@2URG}5| zAx~F^lai4K^;gL`y;LcO0doEeN-fwY{J_RIOp8`JF0yf&Ee;P#tN9$Yc3u&3(D95b z{|&TyZz7?q@Q(IF+U0QOKIkhX=@>bDlR$UAE!=Pb#g=3W+!#;CrJKc#2yRZN&DMpQDnY5|~m^ZY*UaY^UBp8G0eRS3=m4+j= zN}-D;8U*H1iueISgiJ+DD=7>Med{kltD(@B;dYeIlL;m8wjUy)52GhL0vFDaK<7$* zFp`FEN*_>n*gSx_bGN|Jzv2Q)W`Cy$JABp*#xC6tMxzcTYTGEq@8z)5M_QC>VV(b= z+l-pOS~1h}H)}C%qIo3^t3@~nodU|yWo5t-L0TYTHrv7#t?)a+kdR?P!evm`=t4`o zk#G_x;L+kMgnwf%3*WM4Z9Q%KAVjzfOP`9C8TjtC1kX-{ArEYkgy+gTd&!Bv+7La?ilr zpQWC1M8penK0@hwAk(C4Sv8p`_YBn-#Ouh@hKce@G7Tqnr;tQup{fyE6&eTg-1^GX zr@kBc6?wYB;N6DRCk{Z*K9Ww+Y+LUg)Lh0Ci}z4wIm?mzC^MgdY&^_cGPM3mj}en1 zJwcvA^uGNk-X2N{DZnu~=>@88&* z)BmOa+Pt?SgH>fOCj23uQMmFHpxxl52-HsF?yOh%fU~$i)Cu)qi<|BY?>kv6g0< z^hd%K&ioqJ*H?ytzK8H-&1V2fEN~2i8i|n)78L!3oP3m;N;dYPo+!lLY@6D(uxXR2 zcsy{CiYezxn?F^wCy|?V&>MOS`jGrg8i-edzAe`oI>yi_y;)NsbIp+{tR<#+r8Gh% z9QS2={*jDwp~3W)R(b~qEcSWLnDlDEL1%#aAbdr8sP!hE1UFohp{rEU6zsZ1gTff0 zgYrscwyIDv9%SAyKab^m&}28Lc54x_FF>hM3yMk48iHZPzmH%Rk;HaJ$>g*q3;Zj| zGmP;G2YlzOC7#DH5%M5GZ`9l5;h;dsTunD3Cu|-j?pfgQ1H!aJjEy8>ek5B~&Mc8) zDYaxR>APsB?>k_KUPyaNm}s&EdwRhP&%~ayj9wZp6Ii%7sp`4RMv&pFo?OL~r!rwO zt0(JF!$>d$>rtUrneLoL*tXIF)HsMWK)-uq8CZiKz$l>olaEEV4D}y#4Z{9GtP!-y zh2by=kxALXybQ$SD? zh_-BsfbqAng*GO>oylYnRci5&szZPzyGzLIX%zyi|rN!YOl62+Xo> zA&rMoE?^WD%>|&j#e7fO*%!DU`w}_GSIWFI9PRcl$BrUs1iC<`BS$S*d}#&}{_)k( zHq!>yx6W9rg?5XzC8aDOnh^3Gs!5tKQ5vO2DHkU`dxS{sol-l>+Dst_a0=`Y*o|bB zjOY}53Tr+e90AmNK!}t#9?@~mR%|{>=9cODMHFQS1IUqZX`906rTfs!nMvuL-9wdm z!*TyylvNMwmJ2MoiHx0@SzDhmo^b+~<`0#rK&Quz(>@OKCSlu2t>+`?C6*$B0@m=f z{;Aq@T95j>9)sc_xv$1WtiJkZsZryvg!5gh2=)(ytM{Q6rd`^LsvB9i6fFz9bc()Z zDE`axscF`@th)-=M-IGwO`=wwytz z{(HKGak==lLNM0U;RBP~_y$h+P*<{AysPoZ$k^EIkkeck&&1DLfHG%B-p%8W+uhcfie z@ctf(Z>5(|(2gnQp`u(SUQX~Wq0Oc>dXS?Ku;U*W0KK8+uYfV&Z-lz)m#B?j5p@{e zWHh+$$i*>K?XS9<&@3t~!K8t5{K~CBDdae{FB)tPUmcox%s50m6y%=*-)}#bZilno z9(3?M0G1`)IaT4pcmm2y2h9va04nf*Vp^jk6VCAEu7!!}V}K!oUMceaPOcpqO0gI#QIJ6#tYXze#P=7DR~U;r`-T9EnHL z@3`W*lz_-MHR&oBZ{tP1fe%1Div2=XHIf6Ds^EuMt}S2H(9Ov1VoYIabu6>C>%kdS2v z5*?7^ujog<4H6zPT*XD}0O2>jb2QP&g&!FXy3>V=a1n9wP)e7mWE|3DB-{W;;%kJ` z#A890ePOz2C9gNY@e~sRUVAh-C)c8QI0}y;^A)&!h3Z>cHNI-lscBr^^Jx7d%zRsAR zeL$UeoN-qo%g>Da7$VoP)QA+s#a40MfaVYgEft84oW^A!(Jmu5L*XoTxhyOjjZ*Y4 zmCQKqBinNgm>7P4Z2nFq?D8J`lW49LN`3Ya*wT@ea3Q2Js9 z+^aA&*Qcux$?C6W3Yg=dNj+i+V%k-v;$>6O-W&u(f~>bdhSHd)YeMi|FX9HJPiMSb z1xopTCR*u5BW5Dbph&as?~Ai0%P`Ka`>iM9+Ds(a(edY=GR6zGgke|qM1?!ivJU9j z6MU~HqI&)b_okxCuOTs$E9hHj_C=5&&HiCXyo96>6AOtnN~vPTZqA@e1DJs0S!H{{!q?z~PjRQef_V`j^|5X&HD;w;22H6!SN ze1&v_HHB$1-4G3Ey&EwI=)%=0)8)f`>3OKDK$HHNWDJ)m>?+ixUo^GWXf89u@>y*A zx~1a`lVob*Z69m+0=>0C;cz;?koF+{u$pPbc84a{MQlzfDr^Ock0cIrL&5a2Hmy;6 zBR1ew+|~KdYgdJ7jN~Bpe`_>2wDfN`Ix+Be*u^1a%V_v)S@1Az!w4;0{d+7?!eTOOmIkE8?ud>4_;J~_mD8;;_o0LjE{n8g+B2kS}()K zqH_I<_7y!Qtd>&4_=>~{qwA8d`99{ut<0l>YF_hoRS-i@v zFNJ(f8&DC&XN`u)21Y8!5M_TQ7pvuw2MsR@#kb@WesVRTib=R{$!I9mxvQp^S=Q-< zw$x{IDvAkl9#^S!IN~(K@ZnshE1iz;tfQKf`q@AWC-qBVev)4 zrSh;$s&rI#<0%L(N|@vC<~gybq$y z&B%Wc>Fk@UlWshyo<$47-K71 zX#2vPxk?;|#8)yRY4bb6*|}05sdQYCzLyE%Pp){wfFTOP7SE0q!6Zy3n5rw;eEZaz zF5HdkE@-4?4Zf=l2oIrcM7@j4~;HsH@RqbF~3eJX=(_PHhj zuey9!oTe0}lG-DC(mV^^4&E2}0|{ktbPAj-;K7taJ&|CVJ! z-ubBdFE-H|jH{nxo=Fv#BS;}_Rh2?%*cSHhtsJo-(Zwv!&Cfa231G`%j!N z2ROMTOYqk2WHHLvOKzZs?(iDv1`0%dM{=uqu<3DfGS0vs38^(uml+qCAoHw%135yD zZ^KNd1bJ%u-;?7DMk5)9Jbt4AEV-vQcyj%N$rm9=GL?tvj;g@p0xP;&$G-}n5UraM zQvU^c7iCU>iJymDt3}Ia?WqNjMwpA5*Yo>$*Iq1?!K}}OVPf>IZb*2uA>6Tn*_;&~ zM6F~JnJgx;>4#^z5U?sE^E%1&Njh-6Z9_BM3(({~P{jDzRi)M%@9irmwQ_Di=I4GJ z;{^E_ArlsjcAygW{14jt6-)+>Ba>vpFt-Oh_v7sYyG^Oz5Lq&clp#?T!tK|khZ>Xd zBBe=4p){+)qj zP=*-@3wSWj>kkde;tAu{L8b?qly&F_G`brSCKRvO*kI2)qCts){g=yjGLO} z`e=Bb0?&ZtTqhYG%S0`{ESG*$KfBWSwcys|+Q($I#lk+FthL6f`I5C3RHcu!jYz3Z zLdP^e3o31WPoTJP{f&(=j$>9c`JS5axAZM)dfReRN9{2dX!g)O94j>o$yi+1)0hUt zdx42suD_(6yxpEg7Yn<=xj%`dTe1Ed1kC>`V+JVh;MD#} zB%^J?7z}mwtGQ6;DGH*iG ztRRpqAvBh5$;c7pxmjdzUKGx^Y`K!=VgPQHl)xR~Z)3~gwgyR8|x)ceg z;VPOb;cQ?9$I@g-)aBNhFGL9_#bjiLij(+iCH--hk=DA@s7U`(i%VWSv7HIy|4IQ8 z)~CjnZXttt2};J~6n0Q>6%(=Nnrk`oZs&yWfl*G1!Jf}u3CPr>l)guPqsxYD{lcV{ z$nU@{AvtZwT$9O0`;)kq{eRKZowcnayj4bjH{wO26_*h(tt4MomI}_CB;c~PT%6OG za{`rh=2~R%d3F>A#;c1W^1PiN73%fEdB(qI%pTzJKrqltPS$F~JIWkeDBao9k?AZ- z7}`IgNo!0hxyw`evGGh#es2h$&DV4zDi<}2f)najL%O0=1!Egf#q$+qW414iDRhkDQBsjSy^Q{y zbcK$Hayzn|SDH?U@V7EkI78m&z(&<@t;plZW3ot!OqZL;=!;`zuHI(dm=Gpe;gBSm zT+0z>pIl(&vXz;EA+e%^c8LbX>U-0U>29-zjTRe}VxB@;pd?)t&r^Ae66dFn9E4X(uzh{VVCfzsS6lCf5DXUu9YEy3<)T(I4 zz+^aQI)_)+qgwm$x(B+SLrwdmp@{wBkGO!1x8$YKpMiYi0I)fb3!*x)@sX)9>=`~tNtwMbv+E|a<=ov!y4*VR!5?%l{DxE| z+iJ!gIH6(|?b+G_fIHX6!3ttEX^U`@wlCvO!H$*K@Z>xQINo+HhtgH?L@>RQwK!Je zHsT~KerPD&h+Ul#*@U$>!^Ev}sG#%SrpXG-o)Kq4ng`ozl~AR8VhzLuDt9dgntfq? zSy{#!$Mvc~6JGK83D)QP258rYpxoire6z;YNoGs4OTJ*?dpO)>|HBTbclL_Z1i; z7ZMKDjDZ}iu#e&DT1q{Tuy4;p=?D@QLnr`^1SU2H7l^-7!f&im8iCAptfA(bwYRVu zh1-3?+G@SnB-4GARPdKj!dk#OABX_XAYl-clSW$fMqmM3pN-#S^92=W_q?**2p3j^ zt0Y0!*BW;$Y935q5!P|BwJXUqRGb^6)hbb~Uas|}z}ZEna9N$&^W_n~?|H2ONf&cW zk6LlzjgOe&Ad*U-5c0t$iQp>1hO)~90~o69!P3%T{RsN2FlW@=amlN7!%F{~9K>$Nmvu+uGr>VE|8jipp~N z^k}jT`#XcB&O^exObSRr!E&xig1es2!7rHc+DrLR+#N`Stcdo;2UUFRIuoQT46T~w z>F2i{UjwY}TyNHnPZ{n0PsERdJQKj{s{h5h1Ak|XySh9FJQg>IfPI9Ail5RoZ2(HF z*9wohwrIqP9Uy^u2H=9ku}e^9Bxv7Z2i-{|=ypNHW6O56KNdaHPg6nEw?QUsfwMJD zCd~`Uy=VDET~lr?V&W_xsPTBVsG&9S%Y-M)SZTLhIBL|px>MlvK(gz7xWoqsw#}fD z9oiErTUNL=%ehzx5lW7?El)x~aGylCBeSsWmr=eCOl{+hKB_-E9zVj}Ser>10w}5P za8?qc=d(T`3@|CTHo|k*)mi4vOrTHseEYVd6zQ;W&s^;$4N5${7f+s$4-HauVXl+^ z$l!iMVLM*p7-md(mMcO;HZtD|*-)p+G1@3vT&j#l$7sk^7gu4=0B$oRn}rF2k&Y5p zOW{E^X_`28IX8_xTGN*KK`h5PtY2xk#sO9e=7~;!?1Li zRe24dzN$SKhVGo6Z9A(b5kcf3X7af49;etANeK~IS(BISVdRhWXHV~7Kfz1CSm&kEQQG;9+R`K|WjWyITA^vMV9C z1q!IJ^N~Zk8d?~Qb!A#jA!2TF}XeJHJ*I$|=N+{2=LpTx zJkOXd6)5pNSQQ?GZ#a8Ot!4On!$-!pxlt7#7G3dk=%{91{s5T^v`w;$Ue#n|xs|4d z2uZFKQe7L6b$!-)q>a_E{>j;lt+t@ffb6zxjc}!ZTP;2>)MB%HYlzU+XuwsXRUwR} zV&PyaYC{dqY^yDeHtEz5X0>#G7hO;Uk7rJdT$}-U0be^DZ@Qo+Ce-i;_Cqdaal!G( zYhl*+8*TzH&5s--9@aEIW?SG~dL0~CH#)QN>^f;es3}ZCMRD&G+i~Mj+#`T9Zw?^K zE!{_P;{~pB;ZdahIvhR8eOmJwWF;1sk92bx@t$S8fj$~vlP@w3Ca44O%ooB$>el8PMv5<3-K9Fg*sTB^F2y|u% zxxdzzS_;%!M57^^g{RHZ2pOJh-1^?xB7vPRZbo=kQ-<{GYgl%ZW`r<4axmj*1>E9z zbim(S8-z>Y@bJ!}fo#y-+9tdKjxAtgfmlQ{yi>(s_eR7MGVFKnhQKTx2I5J0iw%fC za&|2U-2%>o&oW&gYg7F#e@!nQM>j6PVRam7+bQAs#}RPq!l#^ol1sQs5Jg!NEiL2B z>mW~l3N=GLv~(KXfPdCMrx_Eekdvz#@y$?hZePZbdjViS2dHN~i@{bwu>PrUv9u30 z?9P9s5HS9s+^>U)U272=td4GrKW7dqZ4{Br1GD@5cFz%lJ2Gi`2wg z(&Kcinr)D{5?0#^l;pHbs4Z}Va~Fv2CflDey+|7%frZ&vt$>WPUbJB0HWQt7O3Ubd zcW%D}MIv=j86%v5ajHeaaqx1$@rrDdWm20*v2DZyfO2r06d9pyZpj)Xn9s{Ns{(C( zA0YIGblxhYa|VHudZ+}mP07B)auvS5X6PKb4?@QKTgO6H1yV{dg$ zm+Q8~nGULjZ*W&IIwwPgCdN=+gM_P$#W)|tQz~{aTxm+6tF0TH{n9~X{uOFlOpkSZ zNvO+#9N}yq_aoFOf^TZy;VTd>D7i*(Z& z@e0-^g&}k9{EBVT7NyOnm#`e~*Z-#WmMUQVbw)yp#vx9Vd(t&gl11*3O0OzBEy3JZ zBadJ-3SFfG$h_WY0*Y;q1T&JwC?K+}N3K0Ie<{i`U!|Q9UK;@kbo0#>t;8CXISh)o zmLlnq$}&JXYYJr492c21UZ><%P%Z4$ZVS4+3tJQ+!P2c{{Xpfst{y87wCZDMPZG@3 zCzNzrV_L0r4@~AhFs<&xt@ggju^mlu`o(srH?mj_+&tU8oXUa7(WBUf`mfa$kJ0L$ z(heexQutIZwatEb!QStqTLpynY3*3$N;ab3a@O1%H%m65jWP-iLseXL#k0} zKH_Q*=Of+O*q2)n*%EkQ`WEEUIBk6_^(!`QM}uSGwT0k6v_gC?Ym13Rsiv4%;>VFY zTGtdWYR8V-lkR#amW_6+69x~wJVqLzune?M2zS4!U=~#LW*2Ju?AtG04z~<^gX^Yk~_ck7uZ^EIUC5*H7bci z$$uWgOvHlZR1t%cpOeEi^E)lpuPiB*`R^m>=3<;~;Nuun+vXci3B;*=>BE2T zMkx8&%ZWKi-`nP>61UUjn_%A;BpQpWgxs54oCm-X{fbaqf0gi^)HX;;&y+HPK)KAA zA-)5O?*Z^v1yP*Q7zp5~2&iMzZVEAJlw=zsiAwyXG%E1GlcM2u))QL5OZAYryzxFy zbvN#)$)MZ2VzD$139k8wWGtU zCGl@L{=)w^)c8R`#aK(l`F#q>LQOc&*u+wK)dt21k2F=C%z}y&i2B)OBa!tZyoE{4 znShSfBMX#7A50ty5sS>Uqd6m zV8v^3zCtR&JzD0EW<91l1`a#FfC2Ima=M4%Leumxe=^e&53$)J{VB#6k_;toP((Qg zSLfjv%P$5<_g8aZHmgUILV0zi1T|Ojgi@%}ttI>PBLJ(49Ll&FkfS5GrxU{_Zj@^? zL!~~5T$4M>*b-5J9fc5bslt%cRip^S<0@H}MJFx_GCdk^nd4#K$JwSd;_Zlh>DVIJ zpv-{z2F7P7W=@0Wn2B9x8Hoo`MH%TM_a%a^>WDJF^A_(O!GTlW#*59%1W+7N&eh^kVz0BXdMC#Ab4 zUt4_IXa+$aUt7v8+!uqWf@GTKmWz8)mLzj#P^nH=eufOP=8ithHoVjY`ItA^c;i*q z$k)Eb{T+#XNrW_4W+RbOE0sqDC-Y$i-c*>a!nIIgH3$jMU;#$Rgok`ud>|$HlQxoN z)1bN`?S)F} zi1AZ?hbrJ`KZTXM5qX*%EeOC#U%)*OU;JFiVh;1sAr24UL1T%a8@eJ<|4&b*fIwDy zX%J-m*QtP9#sQvyP{ed5KVecBDSA}mqae#Um9#gEd&@mLlGEFoy5mdiZ0W9y@G5R3 z)M3m){6WSNtd-shW8%2U?wuh3NMyImg7~yH$BxR25x3jaRR`C9-_x7!b^6ymE<9b! z+~N%6T|6WPuLL6TUfTCUosT8G+`rzpynI=}P)f<|3;x!cP3ZBW(KjwORCrUB;yD># zrQzP-f7CHI#3j%RD%#P56Oo}SNOw8;PQ`VUPRXEhB7H-4Ex#*qUy*Hr6UJ<3mK{kY zV|BR3`{t}&&bK1#)a%u z$sSC8k%_q;siVB&C^vob7E|V;B;v`h*g&H`n=jKHHs@6_{Cg0n z)1_0IFm1`3iI~9~e#Y~25WD?clEPs;T#K028weijK>2mD#V^n|J<-Gi2u`vAww1Il zoYBsN;dH$U2CW^ib~A(dw`n$3%24PdR2=VKO7pvD+GM%p)G?9XWi%Z~*!@jQ7R0Zh zAz!zOhJ0Oo66FRelRh*pYJZF{{>ks9X(P7^%qo8XUQu46Q$r)c-}(}r$pe)}G32Du zlB3o&hp@>)2C1gCYiaPQ$&yH6EnKCqL#qFVufS5mr{FTo2q94v_nz*rST>n&!wfzb zID3+E%UM%703gwrd~c+w=eytOiR5$0V#BPhiZBZJ6oz2$}49ih!% zis}bQ7qRP&AY?Ut)0UsBBYz^{A;VFhx~{nygLD>?_d+gDNEdA(O6}%QwxdL3o+!o- z5x%DjoP4{qU@*NQX5~uHzwOHqyRO zgVdc9>->=b)6^kdaU@hxi*F?g8rI-if`m}9EP~Hq>$j7)F?#`AJW#a)r`Hzc$thn1Fu zLD-yN?3h#eIyF&Z-)J*LK^P`z`E}u*YYHqv789LL@SOX7De?N{x0H3bQf226|32t`j%OV5J&Z4 zN8zjPNpd9Z`C7X+4DGjdGi2&B{vyj-`}TU=#sq$izF?rx#}i9g-It+So;8}z#d$j* zp`1-D830bSPyv4f2a?fv9J^4M1m?y&3JLR=r1F)h?l43PD@Y}(dxjI3H~X(eTOXF% zkoYTV1j#|@d#A-?x<&<@qv8x%BTWRvHj_iBkp&Ua(qB+xJUkh~RAGkaCu|3vq{F)H zD&IlN3bkh`Wp%po?@$wDtL=wHv}RFXT*|*llnglcQ^x2GRsg>bnMwIRU|jyr(&uvD zHpV2K4-N$2XN?<9cf?Il(W2Q1i)0gue5i?>qq6K!;pfzTE;avPKqhe=V)k=!($B%f ztb!uSzhd~xjzXGtjoGA&bnLF0%v>pq#Wjh*i`^0ADc^9+Wcn0+2K0jXjBkLZTlyg1 zK=FheuEx@DLFVP8Km`RsLTJFGjYZ~lY#h|v>DDS?(}Q!ZhyCH+qOE)E zFfeT#5Bc3}`rrOHQMPzbh5X{lQh424!T4fBvoX;m(UMFnJi)dbp|<%d_?Gw-V>WHp zQljqraIW0@A_(_%_cVf7W1e3T@ZP;0n2f9oXMDaQ`97>(lTV*;E>MAJ*~j8d#=EZ7bk+swZ{#v-3iL00@n_DD-;m=PHso8nRs1><$1cl z1=l9fK@rXtN*gH;UA4<~1d~rZEuBO9iy@TJ@>Z1C9%#bY_9X+zC6y-(o2zBBS`6-q zdsb}%My&+P6BYf;V_*!%0i-ewg#Kly#zC2J`3totjP)#9NE)#x655|!hk~I2 zD8A5vGc9a_@f)!aOE24424>uNf);L|M@#!;!h3uxC27Xw^QfXCeq)k#x~02PI-3M? z0G3WPN-z zBUnbNV=a$V{QE}wem(?ksj=b!Y&xoAGMT$vvrV~)F*8FLd+8NKjdMdZRmU~hjtaak z0X%^8{5~jWIf7fH_%!zZj%YExj#K5EaLzWA=S7Z)DNttA6=gh>zN4!rR!GvzATl)u zb}M{0X*5MX3<8-IX*;GbiW@Mnd@?tR&A8Bx^0v#JHPY-PVGaXhi+Cx}JQWR7>|<`<`*c^)16l5jYI6Z>Mz-gVvU>x8@S<_ zAy5)hA*(j|dXhAdK7%YETq5A``5l!?U8KtBqD>A3a|h0|yLfU(@eY!DE8uS{dMe#T z%}!HDIO;!Zn6+A(8)k7fiv4BQT21SUDEB5ETS`)}tFoHs+Sn#T-DsGmukBE7;Sf~w z2;zFS3Xb9C_Hb&1;OcIWQS~XF*4$7;W-8r7L&zaYd@EYKhk3V)i-Vvk4%N81IJXXSdeed~TzInv zCYvl)Hi!X-ytk|&P_m*e=_g*1={GB#NX(QIhk{$C{V5TBVQ*WL27M2>kdKJUnidYz zwN!?W!=+LtnJN3p36sdAU^vx1U-{mJi}<|)ev^%1j)QP~cZaB3`V)~JMsc1jTl8(t z?|~{l-nxjt5CagLwkyqWu9_I_C>Bm?jAsQB`oALW;}CR7KR?tlp6F%t-g%?5#sY2% zRJ9CkD@wE-?$-D=Q%1f;H>zQF_Jc7EhHSf~Wnb|_nddhqTRN@q1bm2kkin5bp&F6P z_^yE2E1Kuf4^f(Fq0ZJR*8KwcW|J3C1Ro65FT!0WnM7gfQjk=Eu3omywr9!#me6C5 z91bc-y-d+ul!17mD?JD#+=Zd6(*@q{aP2$|blhI5h_bcoUN%5`sFH1I-N3f6C5slQ z7#oezY}Y1*gcPo8vb-KD+e|TkNffi#l0$ zpa?}lS&D*!ETXK+=7MaZ4=A|3XX^g_J-_$;_xcF3^Twh^>&Fets1A*#7!T8hT_|!Nb(}YN&uns| zMc6``mnYbAsXZRLt!;ap4yfN|F*mrI)P^rMpZ^4+9J*QxNHK}n$jP*=Yz0{#1{ph3 zVH~~1{~flIYe{;usWH~nLU}(&WS*W9m|DD-4%H_VwNWfENJO0uw!|p&L;G-Bq}@z^)6flw*k2Ow!G=ZScFL)j!P2>^I4%14 zz#}NE()0oKO(g9S`y|7TztY4Hq(V0C7i$~FLth6DR`M*cVVc@G;kdL+%yib2m@9a}VXM0|T#G!o(=#23uTv%Ga1K(gKSmzN{C}ZT7=C4g> z-H`W)d6s&D*NyyTXTv_+fqUKd!$@k7V~CEt9D`QR+itm(yCrLOCx5Y#G4;|5XXE`d z;q9?h;SeT*JJ{b9{Jv{6(o}u(0MjQ%zOxhH3V$bnFLp-zJFqc?#2~*L@VwWNKa=&v z04`OS2oCC81bM+2AUnFhx2}X3sV5;$rOy7Um4^Vjo|NFI*6$fg?+a!k$4^FWCbdc& zONA@j*@uubbk+tYn-Zlhh&`Z}H^(}3RnlfeW%);wICruj(tDD+Oyc@{~RfyLKOC;8Dfe<>WBXMBD zO^a&kN?R2Sss@qdrul)&$_u?J(pW||(HQz^Aof&AzSdXjV-x9H$U-(zo2n)S!?4-Sy80`)hdTPrS2p4EilZCrFFfb^zK2( zWrV%W_*@jehWJFM_fo7>r*;&Z9V^Ow>k_QVwp#&fLQysf0{Wy#wHwcq=VGU9Rk^K2 z;}D&UT;#OaZ;BDMUfP9cG+=rv^#V}(=mp{bsOS!5F)Aty+A#g*bW|C6Px2tj7z61z&9sh`=nn-po$Tw&!k^BV|g=% za$4}Ohj7&)OkOuZ&C$#)`})iRR~dhV4qnq~(t7j{r)9u@zl&4k{zDQ1bU9qkv>sJ< zgwhB|4oqitkwMuYO_6^8Q`GE1x)SBlKn8`-PUNO7D35szaGVnKyDGi4J0qcdV|QXU zGYE;sBMWw(~TD2vLMquCWO67?lSo6sUK8O0SH z5H-GhE0Qa~h*z{QByXCct%lFF>RJHH6B@IzYym3%g}7(=EEkSxti{Fq zsZop_i95Xr0u`tblPJ&99Gm82RgfY1Kvz^Fp|vLw)sJFCqHz>hr($MnvzjAJCEhXoU-Dcdb7$Z5^K28T16|b(#-1@f?RTAekOeW0 z0Lc(?XAA-I06<107aBl-gp4Bya3zw-F-RnC8xI>4`4v-+f{NDaI8L~$=&T4C;Afo| z#pIw||2D2fyPsY`Y_bldybhlp0@MK4e?$Dh@eqOXeLV8+MyCyUw+5c_IRJ*ko^$=473|Lp62--Z-2h07gZTA#qKIc~bp}NwgzL*J zq%FUTr}P1rka?Mo$ndoHT{C!|1|LK{V;94xfmhD7t&jlOW|Q@vK|C^Sf+i2$yMywX z2I$<<#pSvDBgCBk%2@T(m-cr)igJaiSm=m}B}> zQqIK%Rvk$DFX@Y1ME@-Qih#7WsIq5#%a|HLl1WB|C*koZanKi3tls>0SD5Lmt5 zO`Jk*;woVjzQa-y0>Ci{uk%gH&QmlBvoO5^xj?>>$`(FW(b>!6P0#8UE&pBFWYKaY z3)7U&+smwyFUKPH_*Dp88!J{R^MvZKwzrD@x#cK*8%SBs-6#*1tzdtoY-wi*cQ8Ga z?G#T`RPM{_R`G$RVjwcQJ(H!w>MEGFO%*Pcbpu$<+ltDfA<@(AzA&5=%^fA<1=we| zdja#b3|}l|R{+Z!#@QnT^`bZ&NFnAmI%CeTF;tG@NE`@-ysq|6iY6+>38wF8!dPdJ zmt*#RJlNWoHJ%AbVl#}2rQRgI#-#7EDENP+MtTf$6@50z9dz*KlvW|_f0hCTdm@+z zSo%#HK7j;J6nIu_9-}zQn#yiWAi%S!ts~@b)C`a`OD|H#J$=u=PZiYIkq>y4_i?S+ z7e+N%h^e6JrG=RIk!jvFjTy2VHngxTbO-}ky`C(4Tt%_MY;>~+GWG~mM41{5PC|)9 zPf!ipPCjTb&(ZVijJ7HRk=;0n$gn-FZ`BYo&DSfA_VGp{d*DV5k*a76S<(&OA|wq^ zBe8sb{W$HLM2@f>X~TCqdQTf2Am@3q=woo|z%1CPG7d(=%+n0=DmD3|k?X{yuXhp= zw56C{e=Xvm3Pr`mbkhE$>3p-WZNjjN*hawhm z$KXZ(NNf0BKk)a+hqc@wx}d34mbAdY1%J4LbLUU)enXOEob|OaS;9tK?(Yo#+-S^k z;8yMr0ma~YzlpeX%39S&#br_HRUuXAbG(dipg@CQY=+icK1Q2UI7R?iU!)!*gvc|M zRbxevjNox?Hl50?lSEw0L&P{x@v77Dk6;hW9pNPfGB)X+0K_>-E27!uddG?Q>Ud_D z=V9OyD)@1FX@@_QmP{bd)>aKLxfN87;E*C2F+Kn&>^2qHq*mBNfzmN@-RRI~CUdHZp02>*$K%V+r)A z#b+mqBTvyXusEf;YVc7w-!XPN{GeyQKLPEutS1z)ERxenDqMfmm~`C!};ldvYR?KO@W0;`f@?ji!v2;w! zZjCJ;UR@-#2R|&yBzt=(Dl&I60N!otdfN|ZdQ%Z}{4OMQ)WMS6@C}d)K0y#AUE+3V zPg@JDr%VuXpA0c$_4ClQtX?vJz8kg~OpKkYjr{s9y?sz=4NpRh!AqAV#wBg6T(+RJAMMeNBizl}YDIGgQJx1ly}ARmB+g zvST0itfV>${V?tFZNySFrpi%X}e%CO2EHXSx=Qq^1F|cj=y)KgZMzKsEDGcmyJb1N~*ncm&*T zez72@#!7vo*)I*A(ZDz)o^a%(*4Xf1H(K!{TJv!zX+23y18ge@9-DR=P9XBack!_h zwTLAho^ptV@K_frUiF&C5ad@{O=UB6W!+TFBuXl8vJK8=3cuWqr~yp(UtxRJNLADT z@eMoKDHjmKZ+aEgG@#wZ@E2lZ_+wPo1Jz7J;6SQzqN@Iga=)2?SIDSrJaVc%n_<1Z z3xD*5Bly>02;{}6M`pCgyTaa6df`cp)D0CSyPUH0MtXRL#$@G)EYheWVuG8rcjDO3 z5~yR%Cv4>;vka^;&wFJzu=eRNXc5qVX%W!b^nJN5+L;-=hNgHC;80!Q4H9J*;f3HE ziOOVcO>ZdZs;+41OQ^C=e%~PVB!vK`PL7|0P$m0qymW#f2be6n1o=22%{TJP)8w}Z zeude$nBWJHuo5z}Pn4yEmOnz| zGCgH=9J87R2)3tayd3EL&4Nk8(rq|1Zlg7m>*GQ4g@er@k{(duJ&Lcb36UAf{Uvn* z$1rTw9^~JI9e;`4;U;N1B54}jJP?CaI2haPmT5;)sgDW4dnC2+dB~5v&0gT{Wm;-w z+Pdq6%Vtx623In5l_^zdqp6h!ep;dl1F5SG2@>nMmSBQ4bKur=*f7WsCxw!&=_U}ED7MaCA|ZLHhJD3+da>zg1J_;K3zl5jrV7oZtl(pW z11pc#gr3l{)}Kq(pu(YKtqIR&(gqqa%4od4XrJkIi`R#k!*q^_7!R3}f>__r8X$!# zNPl0Wji)JiM}rH{DsR-(m$0!3vZd9C36-r>MSMauiz7uBAdCv(p}=WudRCH?OI}cs zgOZf6ou|n#p_U)fhMq2Xz3P-YRASA9C@zgA)DLW!ue3R)F6m5Rt!2?>99VH&H^4C^AOTEQ@J#UOjR$UL`D%a?xoMckw2+NGj9bq=1DOSWoRWna?-E(I zoB4Ps6BcI@_WBQmY-_C-dCPsKrinO2~>vjJ3M^4 zfqjcK!wmo02ydMiMqWHWE&`!`Dqv8gLa-O-f_lEF_HP7p#1PGK>})#_;kkG)mv%(? z=fYcayW0OGyjg%r1MGA5e4lF{c2ZZo!F+CL1x5Ajmmo0!v< zTZb`I=KwTaJ&W)p~4qRJM62Om^?Z9{(yOsbcPsOqrX6$!(JA^|*VE&UCLb^%_ zwGPY{8*dNfN25c=k=#dDZ|zZo8y?pvv-@DQ`Ep$GgG=(bZL*9ccNBhB>J3{CmEWbD zJ_dM9!jk`x09<_b%T#i1Y@bm|TAss1VL_ke)LER_^Z|@=?YY~aSp{HrGSrZ6?5p zALh??YB)CvoKF`~!*M2yUItZY>dLfXF2hRBbzjsL;zRMi(5sCmN56Q}eH-q@#o-p& zg(=Z7fg~pwO}ymYc>FMwmAs^ z*N`1!(S#dw8*7E6X#Yn5tFBS=2^;{<(wixD4^;1NY?h~L{3jMQd-<3}gM}p;|Jx9G zvsmSS1J>DRwf?PeSRe2235VsV@NIurF^ckr;@MH&(^d5{(<94DXFIkhaPcTNYm&d{ z^fiA%xRnttgV!Wa>)_%lD&ph`8fhD5Iuw6liRmIwLeBNnC(JLQ=Zl|Zk{kvLVPUHI zIf+yO)i-QMk&dXdkcUA%wPtx+6e*g=Lu*4SH~#_dak8t<K)pfXuk|niHd>@u%m0H{fi%e9jaEmPHbSNUd>>+N@pHpvR2mVy}9*b!> zg{v+e(*jwXsP*O!1iw4h`GHdn`4sI}U*y+hvT7aiLOBW9;)aLnjSk1y1Y(eXI@d${ zB4<s-_-{mHAK}h?**b4n)+@v$qX~gl{R_l-%&e+ zaMflI-{}MULnxJc_q|q;NKMPCWF<;)v%B1;3u4D)9d6&G&iK_8OlS1#GmDv z8g#?>od0O#y1(6dGhSj%<`Se|wRj~?YdTcgFYgi z`^uWWZPT!^M7lpC2m_*9>;7fZuGFR*CEcT{$JTyN_0wkgCTgUW0yyvX#qdj6sdHOF zB(Weq>&Vvg;{^cTEcPU-K`2m((}9}aTp&(@&diAtCu`YzJ7pCXr)cf`6deRKM#gee zwPsHlyyJ!&aYuJq#AMC(^}~@hOz9rk^jfL&o5(uFfcY3zuVd1hzf-m!Z(*q(qsnR@ z6YwM%1LAh+E9^W6f-oT@gp3-4R{nsOKGH-+vwJDY9midPm?@nGIKa^wVxiMjcelk# zNvz#K*tx5_RtkhB5~Ymw1}%3V_U^s4@>AK4p?bNNKGuk2cRNR$Okx?(B2T8vwV1Gi zte*JHFAMl7Z9w$%b#kJzop7umr8onExMeIo}Uh&<*k)!MMFf zTu;#WbjiNZ4>!~u5l1GTl`c?)@mvbSn73@An%T9q6&ISUUgG~d|6lg)SmAq zS_o?|@`R2WN3B}2*3_)0OGOox;Q+awJLrm~0)#{)o{&aIHP2@k^G3oen-jK(R5OiT76OQ zcAR}ZQI$41UL#i$%AR|*r7bymD_;0KKajGfI^NlTm!Av)XF7u8MI_9gGg z)OzF3@Parbyn;q@4pkgk5XX+PyCGH#E3atVysgwAd5ebsK2v@cb08*XTueN}y$`m* zylCz{AbHu;T#My;vOEZJ`@jNw7;*1{J+>i=lnlE*g>Y6lf`Kv(Xm%&(o~J(8c}X#`UdcSF|@hrenrQ!;-xBqRW65dE~ai zI9&m+GD{sKWi*XXusvlmT{AjP7%i(wZ93U4PDnTSU9?{@jE7-=K3FtTEbVU(N653~ z@2JRo{6zY@(5$1y2uwkLh_;(HlIT&>CK4vHzY05GB4d2bjr`S2y6*~D(aMJ4OJwqy z-~#|Eg?$um5H>oMU@Jmw1Y$e9@0&o|hx-L(~AcAFKAJ+|2TiThZ z=Z-m;73W8>y&;wc(hOclmZx;n09Sv6aq^EDY_G;KY(+gP>I#kqJbpgnFX`lds)|i& z2&>@@MYReA&y;N_0`J~ZXH#Q%So_4im-BcZ+K2HPq)z#zAFNyp4uSsOlgZTVi^*lkqM2GL}El z066Y^r^Jby%cR$_bW;NmpL|opkEeWZ;$3CKx8q-i1H!i@O`55Vd<(BMQMcz6XtIy7 z_k48SGziG|mSX7*5(LdbR~!^9%tI0z7ZA;%m|(qzD4}c<$7w*vG@E%(epT)KieVl5 z5u8Duc>AkG9guWa=eNQJ z!!nR?Ci?BlR^umZds5H5?|33cn3P<9##@SP?bWuU{>24J#NojWj5Mk4b@YqZuB=n5JMP(ds(l+9t*h- zEVR|kG|EAhbSowpRFN0jkn@sZZ%@4guRyU?jL2Mi%l1PYEb$f7z%e&+pYw=gk{z90p^V)dhAT-$}=kZ*9W~rWux9z~G7R!SgY(5knioPDr#okU)O|(+6o` zbk{_aTZ|BXuuCn?#flc|CQ!KLLAmi+EWd_tK8v%SopB~HxCv#s9oOQ?NGy5};ub8Q z>ZDwJ@CWA_VFz{qgKUzTD>inOB6v>oE_G*2^e%glDrr4{cpl%@}pKZ@($w% z>=0UBs}&9-kJ@y@1Tvj3WBgG?lFBklN9AWlh2CJQ8oZRlc)7@d$W5fityy|772cY7 zHGez~q?&-N;^2#=Ju3EWj9q6fk-yaVjv47Z+i~#knr@Krm)~N!v+S%mX(fa|!jijR zb8(-07KF3Pv1!5+J*}%~z4i*oGhRZLNd|E_Kgd8|wkG`XCsVA>`;3V?Mh)-?au~*B1rKKVA?9ZdAeSR=O3Ss<1LQ=Lif`3q(5KT*+2*~8ahHA6*yo;w`zDa2Iz5B82MswpKd-Kp1%x+_7C&! zu=hcRT}wjb3L|H0>phK2=Dkzgx&9nzJ@qG;c^bm#SpovAAVa2$K!_EH6ch@h37-Z+;-L0%U%zz-UBaFY*qi1nQWHRn|k{SWxiH_Hek&#S)=*zLso{qGoflh320orz-StGwutEs#*Z@r~C#zMqU({0;I z{F97Fh!pNy$`#1&&waZkLkc6IPK)z^<;>loWbqI&vgtWk)Mx1+v}YTT#aY}ZG)YWn z589en`AIZ$`Ol8}xVj_N3ANwjTak^VS3rYUVFEkG%XFl3I8`7AC@!W)t&m1Eq8}_G z(8K4P;3HU*$;>BLQ`#yZF)iu_Io#lM=5vLzePwh`V;@b@Bbsg~)9UG7r@bG5~mNk%@`4d`q_#2hIm#c|03{;nKpijJ$Jii;yeF}Hzhq(Hb-91I>IkI^I;K@;#S z)s|%#<|&qJszPD3cOfG>=Gh^fvL!O!ioK1%m*M-wa^fCkS?) zR^@Po{oW9G2^DsNtetY2%Kozed*}(sv>*mpBq_Ksc2Tz?@a5xZ*i|*h%b)XXwb{m!%>T)!rSfmP%BPBGP^XNU>rsqK{&AueY4hW5>MnwoIdT{mEYS zy|IIRobvsEsT_>liq+}&7%Mg?x0Le=*&xyR97<3?6C6!lUs`BA2{czJDy zP_|Qx7qF1$VIgkH!0Si$9$Q1bP}kcuj-WbY(1oWm%V%&4(SFMUJ#|3ppyHct((`e6 zEhXZIWmbhhXEO+)2Z-NNNz@|ZZoLRD<_ATz_g0_$nle&L4}GmCpAcbX3Mh z5x}EH zytkO3R#|P1uLy9)`8RlLQQalMiKOisZ+igS$!{RJBvVI!<$sUjeP3n!4_Q-uB|6y3 zONDLxA1MpOHj*p>GtO&Pu^&yr&7PE!9jI_3)y-oKLMRS|O&;QZ)ssup3li1`+;QRo z?AWtd_)#yui&L280k2BjO;iArPPlEaufXpb9RVg@Tw+Y)MLp;Mi7$b55?BmbzVTQP z!&rjE-4Mq`3~^_PAJUnD1IT?0)I&f3$$iM%235MaePE*pCU$N(Cw-18U{CUSJU!a# z^j<*Tj{LpuLF|sO;`Md+e^`qos~e+C_w}Zp^>Y zPgYwsim`aNDTp|M`G&j z3f>c=sZ>vXi+!%GunOVZTu__hm_(ZDA0T?-pGs_qZx`Y)!1c~keQt0NdLX4G)lW1n zOoWj$b~xzTWx(5?i zzo^WQ+lpfy-D7I!fGTSO0pYb54@p;|s5hwgfg}SGOLvUaRjpA+=E?68{@09dY?WV8 zgLDm>N_!V;tQ`W2fL$!FGUE@8GP_#u%=Ax(7Fmd;_tl;dMB~2?aXhApv8*me0vx-u zooyHJ-qO%sWs7?Tbc(K`!qa3OXkAgewv;!|gSZ7INxPMFuvBO6De+~hD{pJVcuT&| zah8S!#3#p+JCab3$}dg9(!x4^ZoL01d?pf2bEVhm#oIdV$pSHnYbGo?Si)gSX!&*a zzFn@ya;s!(Bw;TCjQ$ElXB@k*=!E|a$gy~z(bSFuy}G-T>X!&FRQfj-ft)o~Z5d$g zx@5QT4)R}wHI#7%-bGtZS^L_3>vspTk-rI7HZ8Y>SgmLu%@n!0ZBCr)yN3!tp?WfF zA>kF<`eEKKzW%ovBs5TXIi~7vh4d+L`fdXWjE0K{UjPsxsPlKRJ&`7zR^#_+ z%Z*2z+0sC@ExE-BRSeu7f;+WdaF@)ip2r5goKtir8dr`&jQXmkQA?I1- zzF3;5hqxNahUJZh`UM4TAj?JlbV$f8%*Aq_4*V~1_W6_~J%t;dfV$4cUS9`W?~y`d zl)OR(jNYt=ARe3F-$DLT?Ok3Z{=hG{G_;}MeTf@BgWW!l8%{)ahfYzK#iQ(JZR*O) zT~s=gBG;;mpJZ6rg&NZ<=BSMhQzHN> zHx3Z8l#S~LmLCk2tEDHkdsNmGY8tWC+e0G_Ae%n1ddL=|v_)0F#+oL_s6Zj4=x5Wh z5yqNt*N%5f;`zYFkJVtX@Wv17kH6dh=s4`?E!QLIaEf z`8MVlXuD)mVyPwN$Bq|gGt+#fjyf;z&w}8JMWysX{-s>lnX{8^Ocwu57PS~apBIAJ zXk-o(kVd0|bop(STpSJSAUPt=-9^}Gl-gu?I-AyHh~vEJreW8Ky+UUUS=)j#CelJo za5V~SN2WIn)J%DqR!WKvwrGga#&vh5F_-xyH|q>5@N0XO`!|T#q)rG%OlR}kxxro( z%vRDr1bbjQPyeSiX;5mhR+QT5q=q$k9P zR8*)|^+yHe!VIl9OW*tpM6ApVp2WrN@#a?=9csrw+Yeys=^!pOj!l!Dy1*b%3=F_?FQn+ti^#Y+ZC6^4^8I;x+}p zL08FLRP=6PG30v2v$P&g14;^hKWtW{4^;JDhNagF13)Z*Q3NXNsD3DFpY;ekCQ*8u z<|3`Tfk-2m{@tRv&ipO9ewTCxah*WE36@l@y`p}1NyB-(94dNL8<|Y4-1s2M=<|4J z`<|-m0L4??Fb=)UWLXkp9O-&;0FAONJ5nwC>~biI>j?Ij4-3mw?1B`>EBfj)#(b_* zQC%AteGKL%!r5m)4pm29U3yc@h?{!@xv!g@FY zw0Z~mKVn5o)=^?(%g3}Oz(@NpDei~)$n-h^f+Uc9P+Dh^M_|)|RLU#AicEVg@SaM> zGOm77d|Q7M)LNI$+P6lWchjQ&#?B99k|d45_FkZ9vaUaVA(Whh?#A= zkZ29c58;6WOstD&d|DU=vKR1L06?H|A!zVlC=E7U`(=FKCxgENVq+Zd8O#H9#0CEl zuM;_*(vdCXoyq=j5La`42uSYvXW-0>H-jh{Mc6qRbY*=ECHc~Hdu-MezsI~PhS*y_ zl}atUg8UOHoAq^YY52Q=p5dYxYnzf+z$H_XiKLr4@dI~ThRNBhD(B8JA&jTnxeFV`ZAQtf2b$Fj`8KC zDn7Rg%lGZFBw=7IAX16aLcM2$yx0Q6iPupD&&V6J((b6D<2uu6g3XBonMQ6ag!(Ll zl&dKPPi&d(eBNdu92!67PIF#Yaic2!kX;Z(3_d=10~dT$g-D^ z@(}N%peN`_7rpyc{)cTXaj=?wMy)A?JPjw2 zf2b{wg6zTmM}T7tpct^g>9o@J^sn9lB)KS-ZYSOc$g&7*EO9Z@x&C`ZkE~j=lH8NY zFOD^d%72EU3TlbN=@ z-kK&QTt_$;1&Szup|5XqdlOO59Ol~7Yu7-irS*smYjv0?wF2uC%iTZ(SKlxh57p)f zu~-{s7C=td4DZ{xu#qXU&IHZ@H`%`&B>0ns8e}|!GC~t=@fk}B$fLZrfS6f1%v*r& z{pw$3%?*sf)M!Rp{Qcs51F8BaDy2o59{Ysp3u_>nJ^qyfcmS z0*-EmW3kSJlB^VYvytK$|FJvb{L1q-b$4q5)nimPus+bPPa#KGu^UXrNP#ov)%dQ~Kw`*EXB?>R8xW{1A{y5?`!r?G# zddirDKa`(C_Q$L&Alvo{plGlaagU;QUO)EsL;P$#_^de_3mV>S^xXK63csSr0XYay14(|HOzdMLyokMI(`a zA2?tIg#Cv>`R@oh9%S1d1Mp>Qw2;m+jbUA!g|}KqC<2_fwS$dq-8M+cCXP}Tw-O`{ zgFRpuEctYv_Dl^?iZbSPuzi*7SYYz6LMKKpA3IFGuY#1J7WstM-y00gLJd9(3qgh& zRB0_jtQzq2B<}{bFd~s1?Q|^Fk+;a&4+To=m&aa#7&1Rd;L0G<&ekphPlKNY+P)4q z{6weJTR{`1Fc!>(xu`ITP7zEPlusZ$ZTig9+qgtD(K~|hZbQ4qDS4SrVi02G zKDp=>UuLHnLsbrg6;ELk#~(WYVfFlC$u|jN#uB9mb=2cjDM-E4IgEN-haN9I68UO! z{NxQ5Mt`*@o;x@bS#kjHYY+T8q=g%W#d0IMPg}|AFhWH zyv2`cK!*l*)@m~YqfmsxqqJ$BYu-N#{IB2ts}&&M`jDZ2wL<>C@A&WT z0FBPHu92F$|6{P^{PR(w_*av(_Qs#T_*YlJMStJx-yI=J|GHbw9}Ok~u{q0^R#Q8o z`hPa>zn=KtF8{}~6f)sICPD7Mp7m$9i+^`mD}DOUD*U^Fp+tYz;omId~1`F|`S{~V_OoYv_e{>($Y* zY=;TTk9Cv{F7fZ3PQ*KUuIyAFXo#VCxOUIp27RLN(7Ow`&NB=a*N9V_BkE`}C4b!4 zN1L8hem&{OZ!fBKaa>@!PWhi|Q#3cpKTSiJ>?O};M3nor4KB;CR~61laE4#**%WA* zLuZ!3ji(hpWzMSDG3MglmZuW4tKNkI!%xM5@57@G%w=*1A6@BxvS^;gJsh67@4&od zsLQ*JZMx1+@xsHmJpA5#YljKnUO4tr*QZ$@l;ZZ~=(w~_Q{lm9uUwp7Q`yr@AyrcW` zIRp34qH+g+_`Em>YSU|N_a&0@<h3L$41$ywt6<>4~-TlJiEL zd%N!YFO4brV=wKW-KOi2WgexKd#wvD_m01QYRjWv9a-KUYP{!}wmnvKnE0QskG($R zqZI{82b@^f<3-<;pMSph{a3Nj1_(Mj1A23sM(O9)zM*-gD4l1LRxfmtt;=Mne+g95 z2E8CcaYHXbQ+sNzyx-cMN(U-UU{l)a_-bgP5VTl$P01p@eCwctt+iJAwzX=*j=wSN z#M;tj`L*ACydKK-qHpqj4HN+Sx*^710@YOR)aMmw$hF;#XR|nQlvB69{F^W za?c0f9C3Q9(gJ7S9C`N5v6m0bYb_si<>9m2M}NK>W*MoBmA$iJDxBK^7bv5+wdhN7 zha5TA3?19l8S1ce95i4rrEay*-4B1d32Jo{PXBQ8{9BJfzds4nywK148iKOk29sDjL$kAbmzO{B2P6m~lh1 za^M;`_3uq-^dIMv{`>%!>ofi^=kU>3c&NGImy7gYiS z)RW^079yRLpATLn_zG;>B3#QHGvvB*a!brela~ko>g1eUAPs|_qbwG6fuk!w7q9eX zVx7w+Yy0CQW|qO7=gBGQf;74L_R;taVKmmc-8m)8;gX#El3AcW;mL7hj0Q8tJF{tvBaR#NgkKdcy8zmn+h(;Eqg|# z%gc8cy{pnlxg}%OI%r6Hi}xbZxbmvELDvOU8kalhQ9&W45-6lBi{V~aX@oH7bVGL+ zy^eHwZjb*YH&mF3AR{`Y1J$`*Vo5SQE8s^PcVB-{m55;T%4SPfdAxgJ-r2)^Y6uR-B* zbG1SMw1PyJb`|vO5$L6S`y=udWkg8fgD_n3a_uI$3k*h&D|}O>5%YqX8l9Y*V}BC< zYRDCHbNoFa0Z9euoXBAj=yrLzK(o>1dh)81!BeKm^Hggff)w(pxYy+2Owd)zfN>)>BrkhOz7_=?9u0xk0Fp3|>EI>)dcZEwoWy$rCD_JJ(a4=7T@WqFXEA)t=?hUvkL|$hhmt_Y|#D>+*AC z2;ql-;Pp{DG2de!<(mOL;R#OH!2m1k^!p%q1;|;*Q&whxKFu=`F*pmfo0QtH(J0^i z9#A=;Y4V1ZK=fH#r3589=;i$NCfp8Sb0}%PX>g2Bsfl|{gEBNUx$ZJHTH_MSutu3b zWg}oXd&03sBwzg&^dEI{zNhdJ->)D?mG6<`0w?rU2cjUPyF>?5$N)=|tEjySB)0~s zq3SNvq!>KY16iM8bUzOgK;hR6&{|ia$-*CMG_Ks@_3}uVcscnnh7W+ww5#lrM(6Ul z%I<5BD=0xZa?Bs-WGJa9}+LS0W9J-$_tk$=pu|IeB5da5XgG zF%V3ojDdd8Qu*fXBs7A~B}-vj4A910+LbuRvkxwn8%6@r5yqOQ3D_584nG)Os8yah-VkHXCM z#2FJk3DAx>)3*W&Cd(qg069wEr!Q=@(Y)8JhMaR z&UclJfThDFg-2ns3&B1RE5u`z*Afd&4s*OX1Lj=~^l!zjXsCPHI8?C!W(V$_aW+Fvq3f_ZUgRZCZmYd-5XdaX+B| zqg?Y(akxQ9gf&nU8@_?TSn*Um$}!&~u;A$pgCo~Ywsw48Z~}~7>8cLD$OK@CmrOR$DC$UnyP-c`!Hj`%mmiz~&#QP|3w8fmXK?3&(qJoc z{&w8IjgKoL;F1LjFheLXRx600>`!6;+@Ocu{6CQ>Z9m<(uPHiCX!i&fKzXMQs>xh5gPf*|j0AVifn;F}> z(Z-w(Pt@4D;Ld0UekNUkR^|Ylwf}wW!R#ajNLiQxD9XWw|Hhpz?FZbc#|qBT1@N+e zz)n4z!fWvB3BRLG9IXS;3BT=9u!dGd4#0w|mvBqcfZYnv*B$>jMuE5hWP1330@VTH zRDI|lh!d_E_Xpqv^rI1{6fonTfYX=@T;4rL_u3>;TJ)5DxMO=H-4&RM4 zDPRQGR(rhNNI+p);l$c+u5hJke*sPYV48w9wqjU?gl0_%#Lj*^F4z=kg_vIHtzb(E zg4a*MZUAE1)PL9iL)qJaMOAg}<9owwojuGx%sFrd&cGQtBQrW9bCf|w83i3=&_N(U zK|xUm859*16_L~ul@txXN)1gDmHbF8D^2qwwa6?#(z3ELv(mCBD=Rbm{H^JEp7;Mg z*Zcmj>-VGU7|h2$U;C`R*1guc?+1O)_x?|S$?L|Jg#SX9lts#uiT@w8q&(UeV5$F( zECu5AAz%sbH~ft&`KC_lSO%cwzfmQCt)8y{{BU>(911GOdjBV=qH7=kWT3jczz)0F|nhcl#cy`^S5GH-?a(`M>>qJI?#M zrYSS0HT!dhI|l0sy6kj|Muf!bMJloH)@Kn zq0L@A>>P{-v-s}Um!AniiSX{#BTE908}0*~xkFhH{oBuX;2vAUV*yyaaP5_c8x4lg zBen`rMWlcC&~6OafFgDm;h~0MWQ#5y$7^9%xHcN~3Vj)y zP(0o-WH;JU+74oI@XFu2fnRJ(zk-{h`4^U_sSeD^`sZy~MvPx*Y~Oqi@#W{^;{PA6 z(EoZ@fc9c~E(E}#+cHX{Llh$e?W{q1rbV4$Bd|rnhG7eb4Tz@t|NEY3{&h>>#(maV ze7)0u+&II(-i+1$`#y(m-2Z$PK6WSk``mxsI86-Vd4w#Ml&q|xqRPswEQ=*8tG+%f zYiVn1N=iymQC1eu7ZtU(78TXk8&KrZ`g)#UYO(NqR#t0kWo3Omd zzaT6a>g!uuEySLX0_!%6VoAaNzV-04dp8Um+GSA@Ry912yTdRD)z@1rm6dQ1yWz$! z#qq=b9@k>oy}PK0=Tl-k8%RWbJ=u;2Yhg5;6blD~%V5vPVQ%lp$dva;|B5I3^Krx-dLP-hruF7BIXu^2i> z!0}dA;@z>kcUvq=;d4*HU4XtE?AIGQOH1h_{HXyhFYG4{&U7uFGX$<+3eShGcj)4U zE)KG7|KY#QMv|W$m@w;~)A2c-@m;O$lds3w-o6!@j{oxx|Nq?g|8+VJ69?vsy1!>* zcMT5BMr~*|cKUC#E;Lg@KQQZlC*rT&sN9SL&>WhOg zSWO(l&7%-nmFUlbFT*!r#5GxKLSI5SJbokW8qVS%KHnRT0Cp8R78Dxi==Tr6;hZ_R zdV3;10mJ&?y}w5egTdkG;Mfx>8Y1{>;BesD7*KfV@?e9ehyVH2UmS$Pt%l37Ju7sL zV2|)&9Nr(T+MXC1aiGNyJA-k{`zHEpM*n>o3Pb+_e)ijc%%?&Co&PzXzUpjz510;q z8fW|V$IyKGpZ6{_pZ@2o=zpD0pWTcQKRgxwU$EN#AIT&OTs_cIPbd#etpG;niBp6B z#TJc?24Ejj6DkvsK13UxnSi1J?JTdFmJ=HA|6(zcbWQBu)>JD9gRTp8cKTm#n>JRtILxQvX#h zLT8Z_nP)Cpz(ZKtzxd3bp&P_Vwox?T6t=|`jcAP+#ioh|RvGWFOqe;XIylX4gie^= zs0LP_2CD~;_vzd{5MHNG2-H;2dAKJbQg6Bd+GNR5XsKk)%0Y5EHeq^j+VrVGG7pNt zfaIXOO8GEj8e%52iN1NyoYqkJ4Y z9qtBjm8KnFOf#h_5X%^G@T@w8#j)2I_fI->(c!zKR}%&YR56U_=m?(U2kYSqB>^+E zE}V^YjtF+e`$;PK2T|xXP1P(M$L40Z5Q%{uD_XJYK$ba%nyCRWt z&G0vqywa2SMGjA<`K~C$vb;b0gJt{Z9(^I4S@I=&DbFdU5*-;JMY0k;iROxtR-Y8< z49Ab)BDhdh>T<+-g~-(4kM7XV7Mzn4i(us#4ZVTvc^pT^qa?Z%n)66CQfV>#!2wef zRNajXSO8|QclX~XgP@oXFVU#x+l~;8dFr0)CT6hjmU&-=$|EuoKx3y5m2}KZKTUJ- zO=5w4@gU#BhUy2w8CQm5JdoIdfRhvio!38QN84fpz2qp;9rNu^@^%73sM-60UsTg4 ztR`3cUrdSiu=~f9ytE{DEV4FOv*3R~bZ%C)7L67Urb}{qA#y%bLVvSC8-v<%U<{ZU zG`*+=0t}w3S*aBh;X#o8|#N#0SSAl1r`qlo*c@!sA(8h_>f{a6fa!$VOG58R?v zFA^7sJW@HJu|l}=_o?4M%$?R=K2KC~3D4q3YJxTRIvmZ#rLHK<-O&N9yS+0`C8cz? zJ^S1-Anf;kqIN^LKkcEZLsdCI1An8OJYxTl3G@@MmGL+i7@5n4u&(4ot(s8i4LBn= z&7u_mQ7>(7x}8kkaXqH%*yC8BqdjFl8zesRWDDD7(NQv7hLkvzPRbQKpt+tMi+&a`Qq zX4WLxhF*3~<{n{zd@{zF6C0S75Mq`mmE4;QdkhI7-g)PI5+QXJjsX=9&g;0vFCcNd zzQ^&{YM((k=sz;ma-_hO28tBK?s)|Xf3WHgofGqKBIuZxTkz*jc--(*T%JD#WaP;c zZ4Z#;sS?QtFgcIk>aijif{xZs2+SgblVg?Q^cZnD_Xii;<|#l@FFO<`I*;o^jQq{t zTYqibBt=!7cSobv7p3mLygQ#rF=Q#oYwT>_ZQK}1z1|lBKdz7vT~a+#8i!}&Jn3sG z9#lnpkqYlNT&p7?Q$-eqj^2t z)}N;CGe4v|Q^bLQ(jQU!P?e_X%jl*{%677zsx(?08d6jMJ0uSgO?(aZ?>g9cA0B9Y z${FnfRr^XLy5%Z3+a_`psy>rBO@FJ=xYwGfWc!R@bOq9ePd^*gdc+BD9u9w3zRw7?cQ9tYV zIFgX;Y;=7VZWkXU@9!-C-y}R^awVH-;eze*&pO* z0D}=Q7B|wglb7(ha3=-e~0WHr7Tqlaq5hxYCizR{Y3 z%-_xn4P~%(=7sj&(1p)8dBkTr#^A9ymwvV@8uvxvHNV6J#$A86_3M^{t8aEJmdt17 zi)Oau>gF4ZWCISc;j)nx%K|HbZH%RFG%1BeWfVOuMq!Yeg2kgy?81iSwWp?BpW};m zx{R+&C{w76u?&>xXqZ}3KIu-=#B#DVV?4s`v^xy|sUnE;ylhQ^jyCC~^my_y=_QLm z8G2rhC1o0Qj_EU9BNnDaRP}BO_pin#?^g3KuyB;DVEnP4n83C}cdpQ|#xoYJ9TQxK zZ-Om`wev~TRD_GD34Rd;WgLA)jFR??QSu97w0wX@OD}oA>)B`TNldQKae6NP-8U4v z&e`5h8qiXkXLAa2b>JO(3hSVENb2eNI$WMbdVAAC=6olt+2m39EpsZ6D4~!W)u90b z5ld?{S%BXoqtfh>g)Al(F%_0}j+eas+V$7BbWrE&F{gYvo|2(c6A9$jVJT+s;ZXZv%>J`>^0Dq4XuH= zzcn8P4;v(pG8DDmPU4p7opW!Dw>y||*K*|u#spg$*i#d|9{#Q~3KNBPA9Lm!iR3*^(#elxB>jhRu9m*1 zEeuvz`@6pkBTkJvx$K7bZt6!?zZ6L>CEp8J$ZRQrJ;_^~Rz4CZTVJy+mr1qxpvm%4*H=g#!QTQ@C zKVxdVuvXjr8;MY^@}71?jR!i+%h~E#6OQ(gMw(xYr5PB3bzn@93CXeXX)e+d-P zuu0rZ7Lcdpt^k|{y!o`8Mu~lJDRBeg2<=Xa>4SJ$(bUT$af#2Np4EUUNF~`C^=Y>@ zw%zH9?@Yh@Bf_|c$-EE^>2B2K0JG6FEki(DLbPRsk<9@=XEw~_8_WU{+cEOuBYrbm&P%28AUD+{~9)ljk>^gM~nGB6RZ zg*G95utFVU3K%&%D@yd8#8u5c{}5~;lKqysbCe_l=RJ1X;+3Z5)DCCW17G)muf8wv zG4y(_#zV;}&J47tI2Je_>437c?tS2&N&#}kU5-TSxxI7_?AJOiXlZkMOz7$|DNbHP zwvqJxZ^^PUVE+oNZ~2YX;_6+WLH~>Q*FPqt#o=yuZW2ar+xuicg4nm@;kN!EZq$LO z;m&S64jbi67s0d7A?w#TnUtm_;9}Zpy|wTH5?7LUaDkZX8jYn<X1(+~OjxSz*2T0Py6wei+?$5;bS zM*+uuIk?C+Fj8n?j)i7Z6nDMfjcir!%#zS>?v-BIfY4Pq5`kgamS`Y*ZEtga$vlqp z$f)T-F518+5Z+j&1)H)R?1^Qngs0m<*j&PWr0yq&3A41yTV#gyhVLxxYkY{K8=((h zXP(=Gc#Iud;xbO=$zYVEjEC5&bQZ!7keT=i;!*1n7Ns=)Rnj}SfEVzW8nw9mPbW@J zn`nJSiu5l?&GHP#&W}9hICHbYMyO9DrORwW-fki()5(YA4~T2uQ6W?w%w?rO09Xbq zCw<$o*|2sezmvR93;3u^@Rky}eo)#?23t$O!he8nwG^It+2v(o6nVAzMKM}=g;aWC zQJ%B0SxmArzn4U)&xDIdxIS9Z1+Iz-8?EV59IJEIws^@_@_nWUH7}!Xl&(I~c~>QU zrRiwn4^?&exE!_jDZG_8l1*@;A|e@BpfB)A&M2X)9z-*NQ14BYeV;TR1J<=g*`GPc zOxGGh-xnVd|N0Zw(+;4F_MSX)>^JKndk!|4`s-XgYWh?eg%!_ID%t!BZ-p6N;83TZY)s7 znLJ&kC|r$S#kKaV;8+{1ck3kQ!_|KUJJqgK6${yHU4e55SG)(w!}1jbOm17Fu~ix& zmb>>LdpGp8oA5Vi{<8+lcQN=c$3891mb#pKN$lyov;Te8(^5;>bXc(mhz6yW4Lb9i zI)paXWsKDjua(FBvY*ow0@Na=c5hxwze;~_f1_ANrzDT1Zd?c2RfWxnYjtx+6!~4J zp{5????tQ+D&gMmoxOzMwbY_{9ob^yug|h+BznO7Q*6_tB0EzLOJ%47 zpkg}^!kf15M1!p^0$j`r5@R0+8e4Q8>f`uWN8dC*MvWdVSm}+t%pNsWB;$!Ro$>B2 zh%B_^#L+paooU}>k=4P#CA5JTSg8z46|BRPVVmOa6ozYy=8*^Nvh6QDIQ+b)bX8|M zigR#vTZC5ttV zM^C2VSl71{!tBrKcHU-rD2n?;#LEGBI(AhoyZ(h-XDKt_*z0>OHw}#E^68mgj3@VC z(NQh{sGW!(HP&;kG6+9OZ2G6}Rml3K>jMm}!-8;>S_%YGfMYVj9bJf5wQgVGLdsO$ zMObkKM#pW3d;5IVgX}6}c^@#YJvn1oxOs8{$pTc!$8*ZhLRJI-Ls5Y4SXil18+q&j zI>fum_gi)xN?(*W-8v7?AQMvQu4`sj=jcp6il5~wG*oWW&`h+QRSBKg{Q1VI zi8MgS8RfUFZ*Mo6c)W%s=j9R^_{7L#s7k)ENdbC$@d+HjH@scZEmKdua+d6)*UeX= z?7(6sZidU`>V@0fxEB|o+$8WJeLqWuX%7H72hXXiPS^T3R2A9ICkI* z(vD+rZ;kqlV?x)!n?R=?D3>^=egCTFet<5f@f?|R_)R*5m#rF}IVV_FYH2Y%2qVE= z83nFO3C!D4iL+mUM|g_K8_~Gs*!#>Gay~cUxe9PFgq%>Jo&vMD^3KVJakBZ1M7fl1 zHy(=uQZO3lys-Bz+*NrU=hKHRRxLe=o@wdn{+ikQdON^rbGottu9yeQR7-xLgg8Xm zzUGN-ub8)|lQg{7H`UzHL!*u=8{0VAf+HG_;2V;__LwaZSP>@ZB#ZND-g2W(GDGvy z6p{xjdCcj^>`nx0HD7>dl5F}0A4771_yfWix{-EI-AbF>;QSQtIj}P zB(<#;piBxsZS|nudv_Rr;&ZNrulDX5N4u@f&6kn$B1Dyq2aTUFZ#2!K(cVZYI{S=< zX7dxJ29gEqDJ~57@i16gL}@M{dXrgBdJ14KJ>8)CSBVCgzO-?DBcx=mT1(f#iSvFb z{)YEflyRbkyo3h=Pf#B?BDpVg5W_sMAnc+gqylDv{Igs_osF3%wUjg8(iYs2l_7+$jR+c)60D<1SVxAkNcnjj%m8k-YhsEcmjW-J>{nhAKgUdt zPcF}>LZvSv(1OdA7l?z+$6Ufs)H&Y1j~7}}y%+f?0flg%vTMXz_ZoKL7BXJm#RO?5{C@`)@FxFX_<)orZgvB-xfxulDZqPKaH#n! z>yybBX%yLjhB^ki>3Q>Se4DA=Ws4Ws5#D0@gz=H>w_SRX7C3Gv;t|fS9`Jo914>XW z3mp}}O~w|=iL5EzSURo~TXHfBmdvr8Sk)swgx_XP>?bR8ws6oLKLP=@)-K$YE_JtK zHnye@vf4d;5b(J+UcfbU9?)Fk*k%0?SqmN&?W2ju4s*hdcFUvDp%~M6MUV`>6;foL zLF`Fpg6}y^i50t&D7sFJW|hh&5|Md2oz`=OIu%NZUKTEO%QhR?GEcLS89{Iwawp~p zv*U=4Y}Ts9VFz=)%4%}hbuWw^u;mWK-Pl6&BpSG5yFf8Wyz>b@w{0Zo2%2;Bv}15h^z>};~zU?(NM)$&=(Z!u~#5=Qe%85xodys0zTCC6HwIF!Fj zGJJ0Ew04k%VEMZGv-v1oMi=G-zjkIgdB^nX5cMyNv;NLq;O&9O$Z_B%bN-5dArUBv zZ7v&$N0BE{PtytAjT)|(_Ds>;V8?ZyyD}E{wDR0%TCvOBezs3IppV_OGOui z@p_yC5q5OT3+ek{ZJXSmbuHW06k{D#P($X^(R>sc0!jk3uWz2XR@|Y;mLiT0^G+!H z$auj_eCk^YNi}j&qz|xwkmDproasFd5>^T!)AsA+QZiVhPO#0-^1jybd+T%Thve0P zr^%!EL*?Gx%lHFvAYCrFBDha&+*5kal_h*cU31LXh0Q^c8$#7lw6+s93o#5>6Qvxg z@IAdZAi+}L+J_viR9b>x7M~%1g)leOtS5QscgJ70TSLrsl%(0VQoEg({XAIIJ3MQ7 zl#k5QnHpm01jbl7<7j{}Ivx@}MiWV8VZ`mwc7teC%WuRM{o~;EUwk;P z6*%CT0gr8?#RrOTbcP075e5w8} zB+k`e&kOdUzD?XtN83=YDwGewe?Zu4Y>pD$jhCP>(&5m{D?<)3!t>|^(9L`X0j#wL zw!LDMxK9$KX93!JE~5d-&(XL)y36r&aMP@l%V?yWkl7zW(W&)bu>Q(NI0Z)s=TS~B zAmv~YWSR7lzzeg-_{K^rD43}OdEA4NRBJnfAS(40LZlU@~n7uWaYYy9<-*evmblT3%H-3IWohL7N*Bt@SD(Z9E6IQI zBkMi%xH=SDCJ7f;Rb5t`cxT%v2p@%7og5|onUjg+_wcW@57xOsnoLNo5_#L)Xc8q4 z0|Nrl^4s_noi4_kl66oVDo=#s{7sL5)&CB!_6!AH5o%6Kqd!(^UC#LdCL2pGQDG-#%{rDKxE<6!QYK?1k_UOuHMEU@M zE1pGDg`C*TT!h|Fe+DNBZ*a*^LCE(YXD$ugXyZ9&37DLod5xy~TE=Cb;bfi`%DlDM z^=+iJOZzN-GB-Oy0SJTZYid%!?cL}op?GsmcjPFI0EjJsH`9_EDUA=}A<|eN=ohKm zxS$;OzA@Z5Et*|%9y4`B$WzQKtYCtnIJaNAok?h-DK%0y(VieB&>9=uQFlP7GPhlU z^&BCdqVQvKU;3M?2;II%U8u^DGMJnL0-w}9;;z65buj{_%^XsNDOpCj)Jyy>9uS~E zZ?7jWJO0udk6P^UB>v@`A6$P6ZMM-DY|VF(3CfZWke(AIj@VQ zD|X{i9bmpvJB>5lP%s0cGv;sV;KT@KIG6z((KwxyN&Q$Zhz~bj@NbebNFE4qItS1K z*NCBXvPS(eFO0*wqV7H&?#oF--aH zWOL?jl>Ggfmy@kZMRS<=ln8}BXtycf(snd2(eB_*M35Wy7InD>KiuXqK5C=mAl2Z+ z)AEy0@L>>#dX#Rnzt(aMk5H$98MVnOT4O$HustU1O{WLMFYfl29AhoWG~C>15(g-! zY=1_GF|8@(BazfKe-ui)l;MREH0dRNCOtr9*Hf5ANyDUMXF+omf5s=PqdU=oYsb;Z zLN|5|L!N7p0d71_2TCiYYq*Q`E=yb+c5$)Pqv%udXjvcEi<)wnUR#oRy1;lXA|MKn zaAPlnjwD>M=kQf*q;Eh~HkPaGc3s;%X_osmO0DF#d2*5T8W5&PF&R%IrBRL!Y~;@C zgiiW%NBAjN_I(IVA89bVa33WBF8Pb1Ikj`nOBgxa<9pKvGvQ1-nAsR3?A1HUJb0$@ zkqFhHiYHNG274gp1EFU#i<qf|$QN0><5aBBMI=LklzVC8YFr53 zwvpebf)n4L?BiqjZt`9-i`vBP_6XF!<+bb9O+O@0uKEGXIo*M75y!diY8cNS}_EqfHG{L_cx zZ>(D|%u%tFU*wq)E+$}S;0T{){#1|oDjr+Jo}~{U{!{99zdAAdVjj+=oKjJTUyU3(FKUGxC=x`}=*3Swg6QRFKmN4b|BWWGA7Q+96zM7E@_ zdR$MQgHEk9tQGPcsej>ow9fRrmh&?u-Bhk?xy2hB!$}MNS`=3ogZ&fw=ty%Y57z_p zcD?B31|$myB~<0AaQWo?9KF+;+_HhpmJMz7a%Aw3 zI1>WG2gM`CbV?uMmiK7PG*jD*ItX{D6c@J(MvdtEiGZ z!++%8xcW16A#WXbSm#(K0{5J~Fz{rfDLGHr&Rp+O;w-t174bzps_k8FRz#y+NygDO zBV==M3?Y=0WHK7k+wXDJ5qw^)RXrL*RW!sQa8eH77#9Kh864;Vi<|OT-gfVFVwW<3 z*0#580L_un+GKY;%m=b4@C2SBiqbUv5S=2*(lmHaoJQkaOFOytK=d>VI!Nq8T|0IB z46WKF%<@u2;3fOFPxOCbZWg_EUSCzsIKgEUQ;o%1H8+};JIcUomIXRl=1C1e zFmwjw`)0%Tplw(UnPl(Go&l1(zH&F&NFRgr!F1m@YAyo8PjbN7miI2sCaH4J(n#55 zH=qj}|~Y z2N?`96w(sFMJ)}~d`B;Y%aGml0?Z6K@}(LFFH@w=&L5G7E@&`J#clOd7^-CQvIc4v&W!xehN8 zd9%_R8=-h9P8vX)Tw~DTE83#{|ky75rgB9!j34`Pk#pw9GV zC{DV{3>p2<*ine}6ic|*O|A==DVxET?gUUb_^8{6mcF-@I8yY^r7+$M7xOn_yytsoZA={7>$SdmWsxcnWRTx z8$BxyrKQT-Enip$o2B)l6HoN`(XMdb3tAbdO8r@5Z7CgzrAMWC=hgyFc7*ekBdz)_ znvvI2DAYPcdhP-|Lfk*}vQS;%Y7ux=6~%Ma%K-mNQ>7jbZ&EM`5`t=`FPC=bst1_Q zbWz^3Jf+LHgqrH*k;=)`?bWx0cCB?gdETCPU=_=>&7n=xNl(*6N-Q|pa(PbR2APby zR)2AS!~Kj~D^LEBZ$|z+;Qx1b(#n0V>?ni`{*!VYS7^WcmXzD<0H{DN!fx+-!p8>k z6cg}I#t0o4p}ay!`}yQr%QhQ{^`3z%ZXZe)iZMcgMf6HvXS@I*vi!B>faLlf=lp=I zX9FXo6ugQY!Linlp|na~OkOuLL7agH;0yR@A^5^Oa3=aDuNxN=H~-b!apVtJS~|&) z?U)Y=?ZI%R7qj>-LqSl-(-1ja$f!lq4p-T&hjm$AalAGr$g1BB_vz*OF6Gu5+0a$t$Hn zY}y?`y&exC%j;p87j%wUx{Mttts8jHyZK1x-a?>L%?+4YhMUKb2b3=2pZN29e>O#< zwz=1LQr5VJ8*2MQ0a5#$P*l{-H{j}1!GkUvvOWrb=MCjfL}P z_iW>}Wj{*y0SpFixo%oA%z8e(*y7WIbcd;VwzE#`!atx<-H!F$ZYNnzinkIW7o1Qw zr)VJek=9xw&NMDFD6wQaC(`OPG8n>;kb!C79`9b-oXR!=eliM&Om#ZW&7Z3f8^;EasARv6fgdnv}5TJz5|FAB`&Yql>^d|8m4595=B@2O;N z;mkX9APvQ_9C#2yTfe#nx(&d??Eo0&!Is~+l;o&cv9ulSn}3s*@g2q~G=z1SR_lDp zOiwQ`2HE?)Jy<+zG53umSt1j@g-_7Aum#|gluNq84b$(=-6+z}#%PsTC zQ_WWIv$X|P_t->OAV~MdPl*|hoxUb~Q?n_Neua%4(P*M;i-&!r>=RD(C*$RGmSB4= z-~Ot)sS_RV-q$IeuUmt=)BVk1{K%9oR(<)I&Wdy)^iEGAp9P|m~%YioKXrKZApRXh9^l1aYc6S0r5oaKMt#c^)VllY z74Ml^h;ft)(7g?k7($EI-4prl=S#@h6R#tQ1qEg2>7qP)^n(LD zE0G5{nj~o;)=8@*6_8-C;UkIU+6AGj&wvjTUV6N6G?E{a%SZ$;hKf0EMq?{0 z5lyhXqbJjq-M~iZdR&vA3n+2Zy41t!d33J76vZF$mA5s^and-tv7iCCq)+y4d-3we zt=M=*L^X7@3lphCX{dATsuB-@Q1dVIEQ_N71+}Ia$8l03eM$9p%c(=s8aXXcr{;8n zQkZ<=g`gK)OpsjAsEbXBTKXD?_1vc%u%il!ph{upZk#6?HI9Q41LG2{a#pEs881ws z1O({B&CO+!OZgo94U*zABI9e6T@{mXF`4CpnP$X-T_-wgrlX?lhg7t143hs;^2Ad5 z6CNN8ao!$iRUF9zPO0Ow-N8aBGHml7h?9UpT8(=XC05 z&Y8cK*nL_2Nc>>OgVx@#jLJI!QyJ-)rRG?XRN)?tTbAHjG6er=z2JA!Z{^X&>tF$) z9)9h~K`74rA;^W-AAUs`Ljh*Fqz(Rt6M%pp3ysCiFB{q zX$l!uc2ypZkFB0)|CGH^+!L|Uk_&Qak(m{tn7NA3^F3c*&7Bq@y*?d!1%S~?cv*g`<#o!)%>Or;xfGl2;mOL^*5 zWY!H3qpcUpelEsl?VUGaqYaEN4QKm_v##;&} zQK4RJoGC{6tW`gY(f-*WmsDkgl69xxos37B4yt9-*l6z0XsEzueQ^w60;YZut~H4K z*cdJvaXl8Szeq7`4sOM7s`C(w%NPeKzMLF{0~$4|Ayz4|>l!$&3}7?sDc3a)FMzzH zlxcp|NV~$iH5OdM{cs7#yQ{+>`|B4Yfu{k=7I~at%@Vs>=Ica(KI}dbM*6w~VbDyU zkO$Ip=JZ(HMPkhZRwuJ}pzf=O@?y|{Xe(ja zVdhw=g~jJ-V_3BBTvP9WQyeV2q{UVdcax)nqs9-bj=HjY(^A2%R~L#jCSxz=t_s&XLD^2O@l69) zVX&0PlIf<`w^^SxJ`H7t2&!#s7otpV%}6p3zZ5C|F3<)Xbfc@|g>E?d3iU2GJ;!d81at20f~JVI#Hx7sRb(i30l*T47oiVL zl2PpuhWl6D14BT(Kp%~N1)#U-Ec|Aj>^mPgp9!KA5N*L>uvF(tvP5-urj5i5(+Mg* z)a+x?^VeGZ`kDvB8*j)7t110hmMk9|tM=nQ9MQ|uBqvP|DNy%Cc+$zPz{zefcIbGa zv=&Y7Ah=fUBGqDD4YXb+;D!7eo_B7k{!9m*cJzILNnUD^wI79(6GMJeOFFNllfxUtI- zEEDcdI5>fSqI>`%J3VPo4Q^_Q;7;2t)dusX6rAioio1CElE<)Mb98k(0Gh4+QOXvB z=JP4;t_V2E7Z@i*=ENi5uOU6%3u8%C>XSe{0Dxk-@M|~k+hW|U8oD1qnmT|Qk#Vrj z1qFV80y~fR1c@tq&-NN9h#R}d9r)&MXRjBV#Vq`_aEF>d)18~eN1iMcM(S+$bhlsT zE!A(E?0RFS4y@Bh;4G#&JaJ3~EFu5$k9fh27%7USid|WXV{<-0wco(4d>R^qR&W(s zNOWxNOe=64pKfW?Qs_1x%MV1s{7FlUh_m|D2?#G@N1X=*kf3#vSA(Zv<*TK~jX%*# zsc?eM!|o$Ul<0)?d32KbSX|@9qC%mS^S_N_Z6^ieU4fd6%VNadlOb9A08I@fqp9Xk z7mHDKJ*gngmIu;G?7eX_RPq7ky&V~W@=S=02C98fvl$BgrDSO?$;mi@%`_YYl1WA@nB)icLi1gdaeV3!N zXxjQD!o}Xn8|SXneIj#d8?n=^!mdiT1C^e9}uC468$u7S~$+DA!xgPK`~Lp4z*Iq%87o$+6YPm4(8| zE>a3NAO+=>trgyiymMN)eg6x(UzC+vyB3xQl~1?cm*Vrjy*ipq0cbD-P%5LSyZbI% z0Csmi6l@NZI8O#*3#z*|YcjtGw7nR_{sfkl(HnWQ1Ai%Dp?KqQ?rv>S68Tc%IxfLN z`L1Ya-&S^$4uhKBHDWLJULc3`%jwgLO~74=s!j?AgnXa*<0x*qyW}C^XIPTBccW?t z`&V)nU5Ss_Gpv~GPR)~wanScvTOuSx<6(K*^)q(Z-j8SpzmlZF6IOHq?^ZV8G425f z2ceRDru7TZ7|y9c4L%|p2k2GsFZ5it0O4j6fr`slu#~x0kJpl;(kQ$^8c8;&CJU*D z@{j`3Pdp@f$Ys}klp00iNU_+rF_K#tY4SwkUD8mz6_WUw9SA3jg_x1;^ff#Uo-QVj z#y$9UtQSl0L%5L6cLA!EXnvnz$myMRG)4!Pzp;7;sX$8-MM&<2kZ9FSa%FXNuRA-3yrq%XHQAnZ{zH5KZa zaQb!Ni^ffV%OzZ{9cyek%qzcx-0djpbg!sAG@^r^|OSKjjWr)loQ?zl;#t}=Zp;6b)S z`l1IQ8OHq@;Tuk3ycL1ZT9EFWa zo)9UWi^I{lrDs1a+n{)bvKJ(l6sGPwQN* zVeAL;{z(g|!`Fq45!lQbiZxXeg>4r3*|rSVlgRgztmHwf2N^9NXBP1UORzkkqZ8mM zxdsnct;jj!GVhf;N0Qi!&$Rb6J`hJM+zSMfVh@*(lW7_KFqv)bPma;lUB&EKVf`}W za4x?dbj(StGR4Zz$PdYk;A3=V&Q6qSl57wXe5O(Lj!t%LbtLE7{_1CTCivb3H<$5o zR$_Y=OuXeSEeP;j(S{1z=p#_zG{SK^&ay|#_i`3G7Y8<0e`43nct?w>j58zg6~OeJ zj*D7)3dNWn)LYJSRo9wdf#s}f@bz`z9RzB#lTdzQr27@Un8h{djE8i>J|6N#m%BsV z(5CHj7bwB53AKz!`=D*)88OebQ+!``SP1kD&)-slvy%gJ~6k8N+h%&n8q503KM>QUw%eAAl^|M1&u zzX`TOpMeK(9`FLJGm*L<$A_Rt(=BO@Q)fVv*theMifxD4#g|gx2ZVc z@5^G7%gILau%gF~45;3c3O8$#BT5e;wp{I*jkiMlRrFN)Ni*pQ{Rqa2<50t3@MWXr zvsI(Tp>0|waZQV0=Hy6`P4S`}ykqT#zqNd!B{B3JV|PkMpd+S}deZ`yUa=E_Fe>LFr0j(z=MTfhJKk zy%L9e;n>#mIK%!q>8k9(%OJ=PT5-C4KBT(SqomO+DQ#}@IlPUong%iK0tGtukUG)XT-G*Nd;~)M;bJr?=AMei!%bxm%NvcH9+!ZL0c|cC zv_4AP$poP#!(5|P2HP^JzY`yiKbPWtk$hZL9@v|uyqU}q*Ppy+{!5SV5GP${p^ObH zOMv3n<6?JOivGM3WmQZA}|zdmC<_Lk59hsaLM?Y`#?DqcvK}3 z_p#+y@dqekZk<|C_ z?EJ~75YU@+-YM-OOXyTk9bXG{pwdj%yZZU2$8m3R)%xs)xSpwMegTqSgQc)USr6I8 z6=Iujc&RlJr-}CJR4m%xfrr-T2MIcPnP}&yim&pfqT%H`P{G^03$L{IBSm;O?H_p4 zG%G%^!aiy2FOU{j3lTnzS^&wW58Suh+GW2>Thb6)Q z{Xi)iHMZJmo2@{EVi|8J?t)C0^xo65;yg>w0UR1U1ijX2or?>QWh|4sa9a)XIcXvt z3sDuAujJGCFm@bX!3)x3`K3rQdrD9~gi~E>_8_W={j9U{zJ+>l35t?0nFdFct-wxc zgLJ6inrn|!90E$V?kNCxJ?O5?CR4MYir~WIEz4uBmwLaFgy0a!9=|O^msXxpeYP_$ zQukY-(DX&uRJ3coQ>|L5Tn)ri)i{~rO0qutF0~F5=knHuPh5$ScnHKj0)PYKCy++t z4jtLw^q};d`OO>v)AY0vg3of=AMI@E!8!G=%Z%~H&06n%#?wBq5aSsDF+jKSt2*!@ zABM7^j6wbAAe@YKIWM-5KIpCNY)z(1_I-e#E!$93+uTCB1XgFJBcL;|l3q1M;c((Z zntCWx@Hll4vc&Ls1DH%sQ#HGw6YU3y$+EU*pxOz7YxB>FHQco~EEP-FagOgFfUx;5 zbB{&3AVhrMSiv6jB5^NC!4>pd-?ox(@mqA5T^}@`JVPUMpu2Dm)IgCcnrn}|Qwj5D zvT{e91X+f-6=eWek^$<0gyb3IB@n*`FHsXxbXsRF^BPz;9hal+@035gEw{ZzsL* zX0<1xtJD!h>>)OhcA6?i)Awz8P67CxDFMFox=hY%GDx^y=*p5d`j_x~^-X*$61k!@G@K5TxU!%=KJEQ+ZB z_at978&||i25T8W%7x@(IhqYmo&R^=*E;~Dsm2*krq9KtY(*v?8MwkfPad*=$4AlO z+?oMx6({%3uQe+XyGo#b<3t4R8~73;N|(ZL68DJCbiO+s(-Z+U;oLg#rTE2=s3YqC zVej3enz+{g|GgnwvLQ2M0uz|P1ST+%fQ%-PC@8_8iGqR#4c_V{YE-PCpz*F16&3Ha zwQ5_fs90%h>!tK+Td7*bN?Wzm+G<;^_S9C}T5DTRZ@(vKzvrCKI={7k-@kt!)`Emw zCX+og`|>>R_v@+6sri#P-K-i9h&Z|;J8+wA{48+dhG2TU! zf;%OSkICFD#J<`au((CN7&?)IOsJd3r7)vm%55_>%p-P=K2~%Y=S1;CguTQeSGKHS zTO*+&R_-`dbPNgOKx?qI_9-;&&3=^s&9$znE4w~YVg#N4dO>PXOD;jt% zh}Fz~!(P4cD9p;O`qkg>C4 zGLz#^1X_FZt|SmvxTK#U$lch`$no}F!hX=ABohL<#)J5#O8KccykV4kGCd$4vAhc& z!fdb_(Gx-%)|#d!;2h(l6f&d1)r{%*1A=M92V!L?27z?5qWo`A1HThq-PRRW^j#fW z5Fg7wF6hh}3rq>Olc~0$6jT8@^Jp(?v;CA6JMRv27D95Pq0hC~U`6jHO6RDmU4Sil z)b?Bqeic2XoOn%Vj5cMcYrhwwbzWA~>i1DzDgTL&2Hvw)Kc6}}W9d<2cJ$@bWIVsu zE~7EUPq_Au`1IB)*M-7te{|75!*F*h;f#W8OcN|yikzq+iF>K#74sQ}U1_Td5++bl z-knU9t3W%n`u@(kx9Lo-L7Dfhv3Gtk6FxwYv~HGB}CN(O^r#|sD-8?zq} zF3eP0bGT`;UGAbEt`pLj?|Cnn1NC$Pid1e}8^er^Y2_sx3+M;f&^K^h>CMQZ9~Z@o z%%j1PbTaf7Q=qpfhmHa|3lO(NcK~53*hd(skLJ}e18^dl?)J{n0#8S%N$o_EcE*#fQ9me+(}uCEs$W@ z*Q4Q&h6jx!*4O=r^%sum^W(t|rb&NE-IC_-QgfOSgok5ag_J7Bw_luv7k+`KX0s zzf~)5Q$that@*fsKI!;^lEL;eVxDTmB>4`9ACfAGUUW!{?OqUstkJ!pH@eLsnV$_u|aIeGL_-8yx2tUO;LAd+eh@H#E9sbew%hs5)tR81zXA z#e-_M$keE(wHbJ|F=)kI*`w!}*^+G?<#h57Ags>cG_+2yToGEkq~8{pfuhbWn@55( zg@40UkRAhxigu?n8Q~W|e=Z5(Tf zhL0^V-;80_aK_A|kha}NEAYmuaMOV3nk5j(aaeY_$FQcMIG!1u`KjLtO1{!e#8?_y z$#lcq)bt#QF{SG=@p-aT*@pndx!lpyBjiD*iYG1rRyg>#EPcQp#Sw*@F5cl{EDxmL znT&VaD#Ii_HCz7#!~Atr+`A+jTc?w(dCyua@$c79;z&b|KCcg6NSXzCB*c&xL8uKp z)n~$rcjXlT_{XkNe2#}Ah=bkB*1XhW*BN0ck3VUh#+U+8qC|(eExISB60PzMbSsV{ z2>aw-$|zPp%1CS8D94*FoZ?pC&UVc4WPvk2+?I|YcKQ&|Oh_-j6zYDroM-+5prQ8K zryP&JWG6;RaV_I@U@5@DU=yFv7Md0(4Fevh?^N{+m@E20`DkHX0+T?zptv6l ziu*zB%b3-fPu>|1M!g|=cO)roSk4)8vke6W$nTXtBUMTfB1gw7$qlu+D^RHi!FsT& zK}uAD$U@Mzbu-PwMCC@bu1B2ZS9fK4gcj6ark+$N5_9x*kw!aMjZC>5+Zctnf}4~~ zP+%3`gZe<_izCYix>oaXh111Y9MG3@&K-zmgEc+ZV?BJi7Oo2XOu(m%vXZ_a0<+zT zxYk+jg`=nfW}f~`v^`o#BdgJu<^hrJ&c)5{S-x*Ge`6Ap0gx3?l7T3d9V-8IuW&`^ zUxtNP8PE0t##ZuuXjTWk37bL|74bf6OVr+DZNXfnKoi=O7^AA5PA7CLpZsssE>5oo zm=_)&QuItnI|TlO5Kjy+DEtc0JIxh!K(fNEK;pU%M+v8DfU`AA7zxS%F2va4W{AzP z_uyI1W<+XW8j%Jt5nvmm5a0#BNFTNrCeE2sJ`27`KgkBn7}`1hKC4SMfyH^e+*KQ> zOa>c9G?S->XSgxIwFOuguT@tECgK)|^mApy5xGEeH{3uMyL%SdjDi>TvSf^+^h-YGm?BZFE$W|a0Kn5$DCh*TV z1>|@JQk)%53;sD?2Vss_{s}tCIVen?E!T$>mJcIojC)dE1(X@EjRTdazc04n7k!I( zUMwLEp470K&bS*{#E&h>MD_wAl0_kQ$av%dA;9+Bxd>+2iPZMYAynArpY2$Jii#mg zhqOvhXzYD68@-wk;0vgV!*@pc+Ak3AA-;xVD5O9Eln!-&5 zDio83k!!cDv}7S6`<$z8}S zkiomJ)Xay;Cyah}^hz7s!I)F-;{U_bDxX0@tP(Pp>bT^b4LCJ7HY_vOUKB#lRs4g` zbfxkG9nfJX!n8{f%DJwI%Exf_xhgB=@7*qyk_;Krn@I679UL=(m1BHSkUWp384z+U zbXvl&S#G>^t?35PU%;=pT9k6PL6HeCH~|!Ei2~M)YLyN*Js-jlN&Ue2J`e1rVX(#` za~mcw5}6C&u9gX{$#{@$LPWzMvJn>KbRzQ`nr@kbW4XJi(zV>O3(dRs4jxARr1KwN zPy@ut$xiza)Up@?`0|aCL?m?u1rW}bW26gWU2}!FS2e+JdyRmI zE1rK<=nE=lk$F;B&hfg+NIc&)1l0V$gLJi5d0#H0WIG~FxT|!5E(E|uCK;ahCSN7I z=$@yUH6<_)iCf=%;MmxE_4xQ`Fc=j6!Y9@xn*SL|111_3TC|0xW6Tr?{FV!B zoe`#F4`$ZuiX*|S-&yXC$5`aLyKq)-M|aj24!*VF_<5oA_-TF`BRZ!c^C;?96B(i& z^bgg5^4gVmXPKumKsl&llu`kZiUjIcu zXHs)+LOAX$#6Wa_&#USzc6PQS2w*sh!aHoYEl=D zcSz7{l75XDKqxU-+L%`w77{aAI5Gh>i`ozuti0_gb(EEY#8$ddn~4KVOaaLJRzcL+ z?qAF2P`zZJ+sRy86^2P#z&eeIwhfAOd6{_6VYIHuc-PKH2QMYdjD9HN)My?-f9BGc!NMi+-DLr$D4uVYZ!1Pa|NLTzB zs&u}BL>Z5lheKcr!h1s7Vc}R3oIS*7y$)x3QXDm0&Kx)Fk>M{0O3mz z-^PQ>-b7VL=~CR2E+y3+q&^7gy$syLI*$>N7L;%NMa}*hV;U6&W|PK`SQO>BslK@{ zcOg=sMnP00f5c>p#M9;CrKdQdDl-Fe=d-!K5Sn@2YM^X-4>fsrUmQLRJeyC~T_A!v zpmlf=%r9_4?x#rb-iylHHg|H8*fDO%xdGUwd=}KQ9kuidV&kbLUHpp-COzjbMTU2{ z`3r%&3UDlNKBZ6RYIjzB>V9miUV1}d3$Jk*fd>U~pN}(Ee0E?a34o9&0Ie2)E&+Z+ z_wW6_u^W~iS}?ASwiE-kqpvD5?7|VUjZ3=xR#Ov9^!f;2H*Vk(n5WhVh9*U5b;mm9Bl4`=U(DuL7#2g>7l8Cx7qH!F97NX@~pq*4ng>@_J`IGN>1^f?&l$a%6M6o3wvx8Y>PrD7J!H((wmpXJ}Vu3^7sTz|;dNe*q* zZ`0wCDrJe{4bk9O?Zun`7@nl`)~+9igbNj^Sf`vt z)(eK#NW3*qMc48tiP7)@C2v7KmbdSqHpiQY7fA+RLNomRa!-;x21Ww&Z7u1kQYJeN z8G`xjz)1YDj*F{V3-hAJ!tJo!nlGA)AJ1gKUe#TAnbCv5wQiG6>{6$uoom_}E|N5T zibS3V!yz?gKE+HXUU`~%MHF+9K0+stghkZ{z;+|I@OsW*YE|(z2U z(qVWdbOW0k^T5ZR4aUzYoOzhBT>;HQc4Pm-vtn9Jf0yK$89shjIP?j0c2PFcF?6JW zOzUN#aZxmUA)a7$nUOs>6bbdoYj{{HL`%{jzT~vc~Xb`+8_dSH|x|GhkZU*Nv1Y!HqRKyMUtVQCx^P=qsimb3A zLEV*#2;GcG?aiF~v}L^oyW7EV*ng)tLK zpa~ti!^s6-Xz9ybcSA38I^t+6L{a;}gtBP@hQb5)Lt{%kLm~~kHRVG~7UG(hrS0;< z;1uOH@ej^DKp}kW3DeUw|1JpbcJUXxXVFp;hsz7c8gsOveQ_V9lCT%Rh@J^ycoYCt zM>o0#`=`{z@lzTu8azf8%Jw88-cQ^l5peSza^@m4;>Ktd85TyyJ?c=TuWhmzefhZe zv4#|$!3|7TE}4P2p7D7#$>Nwo_!uS+Qa(ApuW&JO!YRb;=VLRE@>)k?IDi!<3#O(Q z(pPsSI!kZv6rGHw8D{Eq?;52|WTOjkPI$cQ8w=!Z+s@j0la>s_H!V_IGM8f=|HQOM&K?>lJtgAayt+H1%k3l^b^<ug3ILB5M0Smly!YFg+1TOn-!u_E9@wQM~9vkX2)&ZN^I4*vi!gacUo3qK=O zxU#T@If1oOUtN+qR~Cc?E*PGOC2Pe~{0wO! z6@81b7d>P4rEcocKADU-u%~fi5S;Vu)~=>?vBZ-88CQFN{Nv0WiIKhBAY6IvvYZ0L zHUB51aRO^q$`avu>V1P_b~qmGl+&$%M0Jp_YX^WC=EH8=kURx!4_R6z3aT{tEoi)X zn#OXdTmab-Q{w4{n7`N_6qq(6R!BRXMx^T*S?A-Eq^l-Jq;XU%lu_u5W&1yk%hK=y zEGR9A)3zHSTsW32kv=W;g9d|c2T>&uL?7Z`V}zPY)*i*rWa4w8obMsvHiDH;T&?s% zwyEI|*fP1-K~E(7fR~Z)rB3d%x$lL$+qVWwA)b+A?^m)1Lx%s%ZN8^C0vJsS!h0-p za^FS%pMlemmgxeXwajSw1~Q!(g#6rZ5#3cw_1B`EV^D54z)ji*;CUdqn!Pj*lg;bD zL3Eq$pIzG~3MauC+n4?f4oBw+gr9DGnsycPr8=}Ty*j(FrT*oL-yy#jYt}~9JRq>^ z4s#iX(nv14Zm#1;>_4ci?_~TqO<&T(X6)oIQ_V+aG0!mwvHRkUcD4IY|7snOHh$HA zE72pmIa-A$v{mdLa9QLW14QG*ZitO=(pl7y07();gF@^980kbl4=g8cn;yh*YgU5zo^UF8?w4aQrnzLjl!du z@6kBHZY_1@p!AKATuQKAIuEn36F~N4O>u&F0@(E231VfN`MR%c@4(WJJcCD*c-vC2 z)YA{S!GI5`V)E1n1OLl z9&>pJ9b)iNP`by-dj$x=a3zug;j<@%ZaCr2Q}`#GKmqaKbll>k)TU*?OxU+X)VYxD zs(^d6dPK7>K?9BgeV7KKe(MSy6Eu+1Dq|KwE_Xhxd1k_JF++@IpMaDUE@mnhJrr6c z0*hE4bKSx;rAISl6*Y6E5QuCyJRKVxoY~ws*7cwQD6F@f5M(+5f0*S?P@SK2bMkNO zOOZA6?)+8%4LwO`u=zQjC27pKhGV$1ayx?5Ya*f7ZwHe_C%i(Axs-xEVl;7I@VfW$ zgDt&4qcYe~KpopL_T{!iybk(sF^`>>Q*)gk%MYSG`FLiIV*&!ttbH(3kLYOWDLflUulqdvF!jjm$*Hy8sS^i;)?ePq>E94K}suqL$9!7AtKCXTep(*C@S#=%v%f z!L5*L>EH4i3}FN5ln@%Z36>POx`2_-62Nh`Lm8|#>7yV$dbs5avqjzVJA~liB#D%Y zi1uA7c4N5b;o;^#%!e`SE^4l{uOA-MV+wmIRW`{>YmCOl3(5=Gcp@ zyaMLO4KPEfIPCh0lW&HDu5g1hh|*_h#RLG=KLfGIS&(br$~`0K_-El+p!$gW09O4x zjB77A=Ogh2pt7C1{1tE{J<|J9J?O{h;2t}zJPhup!(vPV@oVh|jjP)Evp6(&lkVx`%kH~;8g5>!z!a^wl zkkWy|jw@xxjhTYkt9kAeRI%;=8y_Rw@^^Oc$8nyGQG8O(`)uDx(_w+(ny)k3(L>=9 zFK5r`K*}HY>J$=JTwMMIGl_ie_%#LR+O3%J>_?tK$o3$r^dV1-;M|NZpLbn?WEEZo zvZm&PDA8~z;etJntYoBpaKjfZonJs-za;~ou4Gj~N{0M#_ z5i-|PH*pAc-c!5{+;;W^yp_g?^MzZ!&n&-+sd%3}RI$eCzE^{2Iw{l+iS!fllC;PF z2Lb4jum~sBuBNH>(Y6m!+xMbF9Ecm?%+&;INDx+;%V3m%x|Yf)^DIN4LGefF>LXz) zX%M0uUnfDrWHJzc^N{X=C|ym0ak<&JG}3S)lS;XJ@^yJpwlDaW2Mbi;rf;$VBu6#@ zzGO}!Qy#)S$H@wIG<#@v?NIcH;Q(tZ!l*huvoF=SMsJ&7Dpxy?>k5YyJ&%=u0D6>X z8LjKK(QZI#KEe+tpZ2MN(~-}D3#;JUX48Q+U$Ccz4C67*{D z8@hk**R))dz8I)bz)@Z3$p>f=n2|QX2=^dJi^vvG+kfEd$pJps=oIy@u%?R|rdj7^ z-$yP@-jHFD>W7C&)vE&x84fuEf8SVV)xxuC7-NJ)@y^ zMNtl3ln%m@p}`l(Q*^GbMa`DNf1oYSMUY6DYC#PyJdjjX)#=STpfKbj^`csNQ|>Zs zt%p^2qV91umr&?cq7m30IpexgQ$!vOz)XExx;>AK0GYu^h+_|wHo`u44mYN1*}18( zK4jihLDtLP6MR~~eIKKqcFMa6}98@U_+j{F#zrkzMwyBj5ylu{6FFL&&F`h%-KBgi{!UH;Sv++@aAhyo*%~Zd zmY(4dR=8?GJCa1zN zuG{0djez007u1$d5n@@)OfdGduy>Nu^ zS<1f83qE6U8P*#&#OS|eAPm(T;q>AMnpVS#**A)85C+(?pc`P_p){ba8Hv61bB06E zjaG3!ngKC$ybS@}Xp|+{_7GBjLDbFeU_ALa#0#0tKBIPQ(Bj}w&@DO6K~;h)j`5HSed!tX9;sCVS8K7p77n1&W@K)G2kJ;%szd{=MorgOfCYCywj zzN^!HthPjm$(yo4JHtL2YZ@30*?V2hDW(sj3+#llKyI~|D(>K$OOp_QjHB>UVFvWj z#ika}%J3(FH`$aECe-9j;x`ol|F*CGy%xuO{cA8c%_L8YMPQPi&*zJ= zf`ts#&T>-0DH>743c{?yyXvRf`zIFho^Itj=u-GD`;3}2UU~p?1KH>9h z;c>yoj?ZFVZ`}dDDJ#KwFuB6JXJ423u#T5?Zc3v80(kPUhzI@lW2` zLs^dbX;zh>6HgMqTu?Jdif}vuj9_^-uytmzKXD|>8sxKZ?|lz}oAOms&X*{;A{3@n zzFYSa?h}mBpVnKFfEC!&s9VDNoqz?}fOYOUe4d=a$4Qo&jkK7gw`lUpfTK|bzL+%r z+f5hna{6w;$13ZSv@SE1CB)W7;b%#A^CMJ= zL52?^Ted*IK)Jk8ISkxnH2OPuW!}D!l>et# zd>;PMy|2p!V#?{F^@u-B6Afn~F_W_fyKJk$@hhJY7DAHhHmZ2S@|S!X+#>t@Nsdp3 zk)WqB+_Mw;r_UaN{KxpIMMJ_s69xt)v+=r`>z(^XL+W%{BXpsc_SMOJdBJKE0z?{~&p5qfY(tQF ztA=*7v6!>Tk(Wo1yN>tAUOaFLV=@(iZ@*n2WEx&@3vr#5=n{2>ZvGhiSa9n4GS7Usw%kIm;T? zay)ZtCC)sqo}fy+|KpS=7kakWa&6iYd4f>YRqV?3F_li>{8RIh^bKU-zrvns9}3LLHN)KRu=jTEAx3|Mx~GwZ1FwNV zN}s~I>WTcSPRxhVV^PIV!Lwjd1t(ps*$=StbWRNu_bR6kr8h>>gko30gAueavxs4H z^N^J7eg+Z-kSxse4W$oks+2z}nxq07%#YKMe9lrv*6_1(1QMS+3z|hr;A>Iza2tJVPL>Wws`E{Sf3DdKim^LAqXPN7PHO7ed^ z)KM+)e?0bJIXDIX^JVvxQvdPJ4zbR?N`;~AcIi-4-7oalv0L{yJpi`$?+@R9U+Cfg z*Y|`(Q2)N;p*;!}82ryiLmwM@r1C!>zW=$Q5{ez~yCZ{wjIa%>`V+C=!A z4h1*iRsH->j7+Zy%?Zdxj#tC*%jiN?d&wNC3)LcrL~{=QGC2me(joUIvqHkD4E#CQ zcCUsq(Lqtz$x}cyr4w>dbY^x)`-+Ef6Q!|`?(Tx2W`mdxvFw0lPW;S3$J``TYfvvr zS`g(1X7UDPVhnj(JJgX>N}UN}&+6*HG$p}fMwyr7EMx&$R5zhkGhvE!2(`A;$>h9KzemYScm2p!Z;^Eu@0VtJUk@xc!0PrfxNzhqxtR#BcUUgZB z$9@@GZ!rn{JN7A5P$`Mbw={b6O3IP-_UiHh{#m)RFo?(EaHC{rKG1@eP)T<95nl&# zl$>H<`}GV}tE=N~;8b~1xgxFgf2RiZd+qNQp=LY(k`#+q;|74^)SbdkK2GlCj3RU> zh4<(bknNE!#Ox{fz*0Zp@0 zN|y=#NS;=z4ww5@)k>Q+lf zq%Dj_%r`_>}EgvH#n_v6!vjxJkKVntM9qV0TnkFs!WS0oHxRO_91X%e+5fJ<_?N&1Xvb47Rb-Z7tq*$+jsi4}k8gUNaTGE+0B|qkR9k1hr*0P3t`d8i(8Xbo`Qk1kMjWS`IlaFbSs#aiAxraW-d|{FeVYqY@g9}UWhN|bW z9+0=ca=d>DV14PV1IdB8*3|0@Aj51)KLCvW=D1tMBu=FmG8+k-4%7l|?QCTkmI{Iw zOV4Ahmjk$au?=4^o>Y_J!aDY1RN$?atzIj{iQK!1Oa$NDdFQM#^j8$moCAqIO*Af6 zA0I?U6du4@H?{qUX?8MGiIje-`$ z_XL1Sig?cDaWBPlLYTl|YTJ!4I?Gk7JdSmP+4i$rx45@izrpdoeAzCqud#X`!YQ>s zS_XlH=<_q@EJpkW9RI^~F(~OQ5k@Gk;tShUp%k?|BNphXGQbz9w(?O^xtcI0r=)6e2g_+8ty%h zV=cp7r#QVXf_ifud&1=*R%32RSwD*=p$yL#;rxO6O9ChjWe?yzkAdvZ;;Q3zd74o` zhcCLaYwM(Z@-8>t(;NF%6Kit?Z)y9!oN~XAE=p_|;Wqu^F2^H4xHr)L4wOp-joFO= zxK`Ic2LLmZU(Jof&(Xco&%lh^UbVyizU!8msvFMN_p@yY6E@?N=0grAg32b--*~8Q zK+UJk<%R2N9AcXMxU}DT&egjq9=C|;j)UR+52hzrxrgy8g)r4B%b!`!Ay2 z52S~L8>EZlCNhp!j{&S-{GE@iDYUR4i2RFvS6WLdlXK>f>5}}2c zah$!$^%(h-KHQL2a)Zd@+biK<2*X@AmMX2hwo@fG$!C{jgE~2u{Hl*dZ|` z8*p8_k;cutBn-D!a1Esgk^7gLSL>%r-K4&p*2Uvk=gTU(#N`}4rRgC!-Iw|2b4MpF zQ(J3WIvYP_Azzxzoy1brYwm~e1MK$#+b$S?jUs|vS~v)6bq_?^9O3j0>oA@=0 zakZ7uDY&Y_}1^j9hK zQlehefFUsNc`2`ExARjBRUq{BKAc{rM@^?{YP{A$mG>KRLpWwV-7uiCHrC6Ne7grK zY9`XF*nQw&#i#zKsc4PmCo?AdAeq0FlnBxyV`wOIt(3%WxjOvz=tFaJN=8i?S*Ho(@2FU9B<9{{RaFxJI2HK zFNN+zvZw?;xQTs(k)~5Avv0kQMhlyA%ni|FUI(!}?Hz1`y6w-?X`t=et!lj@EzXS! zzdpz7Eu2Os(*f2G_&;ISUU$3{CLNSk(;_%OG7oZoK3{mAdAI&_s8){aR(&%gdUIgb zV(P773{bEKZ?ttHicz1SH<~G0=scM}%`e zg~*|zJD61E4i0xcjlZ`~z#KRP^AbixSML&tEik~{iThn}%5i{XLXv&5aRWeo+n?8; zjjsR5_f^FN^7W*7QT}SOlI!8i^svh$h55X7x^YDuw}UelPM4IN*L5#S-qLb9<}f;t?sn0S=_Ue>)NuFrc&dF1 zo$CK$k-lj^tJ5&N`?sp+`6HXY5&ts26v@l>YHNR;Q_T$oi*_=7h3iQk^Dp)P)3k`K z`Bvmzl@^zAe-u{uV9r0Jjiwi&@1%)zW{pS52K~>#@CXKUq#`6 zDj@ru%?-7^gyzk41-TzdesO6n#ub;?>+fRT*IzRFci=u^I^?Vs5QCRL)3EPAY+*Dw z0`$>ptIc|VzG5jYTr}o(SmA8ENXjH#xKHp4)_3_4EwOYs7XuVwdb;6&F(L|Ip^f!3 zX~38wn~9cR^yUQ4sQC$QjC z@vW}RGu@~U#Ay47Hg_Nq&fA*iydN-XD6j#Wks95xzL)9j&m7=GzI4rpZ7?@5j|KMqdT~F!&7KgTFAAKn*W2 zu5A{)mv-Xcq*Nsu+t20pR$I>1bcHV`dA(M#w&gdYB^n0Z9aT;E6K^S&awcE{++O8A zKK^x8qT>#}m4fy55M%DQaI6jfb6XX-IhM(9;Mx3CF@0NqlEMy;GR>!uoQrW);d2db zsN8WeGjo?dDf-MGxQjRn(PQ4J>lG-EGTe~2DvhuWx6DC^0bnzA(HEfv%1 z=i*wj(2^mV>hn6Bd;y1j2VotrV`~Z6bPvt@gb2Y4@^1Gys03;>?pDhmjPDDnP?F89 zXk9K9TKDOXN4a_!-e%-Cb!9B>Y@Jd1Q-u6#)l6x5@zXR@DaQOB`!?lHSKPB9j9!zz zWuMX-g-9}qoxpNyT@Scsa9VOu6_`klyJp}A@EVfCJ>`WGp0$e(Bmu+)rh|^IDyWU% zgsNlXTwUZN!kfV=)1-7fyBzrrDRyJgnlSDaoMy_8mJ+0AtqFKPX_LBHqZ?Nl^EI-@ zzE}zb1__U=luQqo!gmX(LO`6FH%^tW#=NvpdRL#34(9MpqlL=Rr!P_ynyVg*|}+~^=Z7Wp_t_(m3^JAKc`#?qZ7|OQa;}_P|I!P<6JYOAU9MF zx;9CqVQa&2HX^qE2PRfJNa9D9(wu53x$2wpWBgC{6C_^t(q>L?X)=CKElYx0X1ujCF^Vx#f2 zriHHVVg?r6-2v3DyQnt8W%ZNWEk0>{A~WZj;{q~5;kV?n7G#`9ZJSi&(=(N>e@I@s zxMs0^E>ygFz*|Z>9}qksco{tJ3b!0jZGMa_Z?6L1jA0w@y<<)x%svW$eKqpgDNON>!xHTW3E4m z&HPyZbYrwypBdetC=)w1UB&vU&93^wXR!0kf-)y+y<6oBO!7Zjm_niholLqY{6Km2 z<)6978{WZh<=ORz)$MMW0!us{CQYb{$2aXO>iNq9ti$EQLW*^ydoxf9fXiW^W4(>l zpi5amuO3(gomnMs2Ja+wg;TkpD5CUTwBnO6Y_hW4>xCkHpDd6*#|!)e@%*N>^}PT$ zjfZg`<@UuRZYnbJzi3}Aq>x_CSNW;U|A6_*PzovdUy46EW2Di6GxTHpuKg>1xc?SS z=3;_Qrhwn=*oKX}HBwhwJ`R4@JODo(!bVx@*Wg`3x_1Hov3?CP@wYMSGs`*BbLCw} zuEqEVfSA5wkA~4=o+A~pIqGf@DGP<-?nTfbfB10>e~aRLMt>Dt6ovtWMo=Butb2#gTAr z-{clm?9g#7B!1$IC7lvxd{7gSv}B1(ZCcy=ZI!%bMp&d}@BXl;%vXL0(^yY-3uo*f z&j@F8zTO`mo%ibx;aZp4s^Z-7RVrO!+5uHeagST7SZ{ypan;bF{^R^`O?|C?)QmH= zaRU}&PyG0`E{`zj$r_Jg>T@lggv!HbY9eMFlTIYg`q1AmYR(t+D~$_&II}W|{T=sD zUaBcLX{bg1lhP{9!>dfF%iC(>x*j`Eq-;#nwlY2X+o-&0cr`U|opP`hKRN44Yv&!y zO{da!KRW)DC4a}mtJAsU1Cbd!rkq`!@xl?^nl6VvC|#5J@)r-UQC|Py?3%7`p_sMZ zj(*X5pm_Y1ai^^(Q^S|o-tBg7ZPxqAs5txVz&^$Hj}m+Lm3;%N8OMdMceXh$&ib;g z`-2FV^tiINPf5;K@iW-m>w6EeJu_aMu&U?xM`AYg8gjbNAadv9nbFR>UmuFj|KrJ{ z#|(e|-bd9N@4FSQU7^m_x?Yc+_<;+G=6q0~v0we557#@kzHiI{^d2AUn^+(5?uX;n zW|0S$dp(AVW8QwoMXJ*NrgeQw3%}bkE5dkXV70Eu()1`7p3(kx>45H2q_bFgLp5Ze zt*!5nV#nyS?-#HC9q5iduI-L-^}O}r5R=zfbL6 zGAx$46FTwn#+32gkQK&G*>?Si0GasFh{1QPrNfgRttlHhbzg8p%7X{m9~(8jg+E`s zsJgBB5vS>lFK+1mkMEoqJ@;DU`7z~Bw!G76q13*4^x{9r@Nr4qs+WxG%y{B^g{i$; z{41re29Hnb_UOv-qq@9vKBHgZ+shNz+Q0gE!bZ3G!o){?lP(0d1U@>Mdb)Sxg-N=B zM+En_d3#QHXDuvSF}&AR)yOH&uA1bVXj*H=<&9fsKW^UJxaX6p&ozJb$%8)sZo{+# zt&aDm#rN$q&_Ako7F*Faap)5jFJFEvA>y^0?>xc3(Y9pc^z7gFxRc(ji;dB*Kygpb zsABrHt|@hZjwL zbclLM-1fO&)(`tEql?tLZr_Baf^cwD4eS_p$xDFlTy?jrw5NQ;U9S?ssC^qF-yqF5dn1oZ~6K-8w&(TlMQN zNu8sDy3gk&Yr@AZ`D5@D}R!{79)Sa3i z#3R-y@A-VjxyODnt?jc=yKC()?JGAH>}}f;x9(v3lrPr}{$k6QopSf|Yg^yz=dZuq z(7V%=Q5$>eC)R8%?R%@R|8_>`R6i!R{AzuFbJNwSQJuJR51W5JKJi~UGj&xkFmo2< zH|}N4eyR`Ce+UV)0~5_VuT1#A>`eb_R;35uYan#Y2r?px(;}ds^;JGtIektgn2^xW z>R^Dtt;auYW&rx~RVt{2_Md%u#Qm4Yla3d`i$l)-4L5G88RRw#&x zk(N@rm0}EGHbhBx96>2F3d$!U5Xi@F-AL&oDq=p3iB)ffH^(qq2Usb#GUWtAy)w+i z2t474+y%Dse}2ptPyJhyb@ErvoD-^P{rYh8o|6;J@12+!YOnvf!~eBWdh^`| z^6HL8NmgM5d(bNkzFO!f^xZ-~&>S08{NeC_YmRvJ-%rM?@4W~iJxcp8kHWL7!utN* zOl0U#-_TebH`Is2RBktkKtnOcnlvqjXNH!g;t1d+#%gi+(4nbN!8t8?=uo%M?GCuz zI3gKtwKxVI0lRfOqu39Ignx){VpQ60#Qo>Qx2%nmG}6!tD;i zj+MdgGw=bSF9JU*WL|Oxj)>}h;#cME8<=tLc-$cRRm6Pk^hEQo?@mnozi6@ldYrU; z>_9%O<2b2-6&L#XAs>#+`Y;I8{l}5{`^mqL%n$kc-4SW`57Q6%|9Ti+xDxkx2yPxa zeL4$%-tU!_#dK1=f11JCtlL>xw|R~FbgwL&fO;`8D!7By?`JK-5yXH_;~35Rzn?x0 zv_njXF>VdK^?fqBM`$Y@+sewqυwRUKn$p6zg0|WQ3?!)2wAH&SQo}Fkuc{bEI z|KE4|zqZbgud)30OW}|)Ro%;&Zi|?^04}E9-Eup0SpQ0q-lr=i&%*j1kp56crOm1? zpD`_9wTzycfjS^TdXysCplR6dzEp)4pI6`}$G_#0(&>7ld<_Glsf2@t6M$PW6q zdx<{!8pJe^gOM?B`yBCi_`zUa&Im!9aw`$)0k0dmAE6xZY=JlI2tPU2+RZZh(=f|J z9Wz1vpc<05!YZkN6SN(ZO1@`oR`Q_I zqpB?B7z6s;*%WpaK|6PCprRHWpyYe@Ym)rVRdh7 zuJSd)kD>8_r>y~$!*_!>l=1;jI#OBfpygEEjwt+G4Kr;|XRJJeP-ng=VkItEA71Q@~5Pi0eeQZA$N!s@r+ z#QA@SdK0)P%0GVmdG>&vJqBiB7G_}wW@Q(4bqD8>9oSV?cNG+h)kVP|G1o*zMFmCE z(!^T}6%!3p6Z1&(NR3QQi_%KVJW5MV%}nhwrPOb9*#EQi`~CjCdO6%XJM+x*x!#9m zkv^g`cClPurz*UtpoSM%{dJU9oP+9~hm&(LFF;2;UqO|FiXWT>NmEc>YAIgDWELOB zAo~wz;RENQk9MO+^(em{7)_pj=RQF*e?nvkD%+utVAt$UZMjW@++-1WXGMwIFmki! zf|ZJrzQ&Up7~mIPj7B+BP)h7Dk+o59!B`)eq@*PcGgKa`G*)S@FJMw?QkiimrDX1|NIA77itb2m} zBOPs~7>O>^Fl(vo`c(`s?^e}+903a$uTx?b7)en~B9KVw7qtv0&!*@O9b=9>Qe(zi z-`CPEt;Ouj(+FS1b^-~E*EPm$irQzp0Okef$Uq z1xlvCqr0*Bg;`S=H?x80F;$p962Z-2SwnX1Bt(_t%}lm99xn?-?nOSh4b>H*Y$k8h zQS@jD0?%`%e5Dz}*|e`wsTEDj!WDz%4!sQWdA;Er9%l{*Co0Cd5R*OgHv|svtd~tL zK8abL+g|L27nzxY`MG*y71c;&h$~s*IdyOln65Fk;%Y_VECjaM{K8lyu}hFN5!Uc1 z@lDKnt&cRMUfJ=4jHAeEE&s7$MpphHL&3Tr!t7ke9o&Xoy8qq=!>)ukv6dcB!x_xS zfxQTp{@P|7D2%+F;B2pwvTusTS1%(bN9>_kU-;+;wD1SS)UW&$-jsuz-5Ybxqj%ur zqodH(bWDvcctxVbrMRR|=@Dh)h8bl{-t_=gQTqf&IowE;HF2I2Amjtty18@Il(gdm z1#{$)0^d?#W^Sz;ixXkWwKV~=JzN4=t`44qPgx#ihhK9%Rhy5tUc*$;vJxe;?9mqd z>lVz+|Mjwx>9@m=XGC4Sr=+l>8f;>zxEbB#Lm2px*3W-K>`!7J1vPMC4SMtw3j74Y z(J-(0Uxn{qMD4EafyC8HD)XF5EsSSg`}2l^>3`@M%w#{Bje=lFJ*>76`(|Or{pdMG z$#YET+(PuIQ33xKG-6yZ`rJ0`oUY^77^xsRz=D`n;ksmE(pyr4Gh(S!Y36X~q30pS zRcneu1jLnq*;V~h{+`H{{R8?HO?%{6#=cK4pEByR9Tf-6UE=6xQX;UBK(5j3=fR=W zYb5;`ae>(pFX<0TmL}u-NtUT3Hi<5bvm}q}MRU^{Ka-O&mny%;))=`|{%#W0hyRfE zJdj$MROTudaP~}MTtORhUE*?#7T$7KehrfnnmmS8730irrQlw6U#d7H_5Ug0S$oGz zr!AQfpX6DX{x{xR9EnwOZk)7H&PS@+N_#(+T#vc9$NkXjMdU_2-JOMvM>b))Ckw;) zP8g19k`Q=^=z*+PL;#dAUlRf@M2}>#i{ZpUm^Gu;=6qW~Bb_w~xWSSHzU}x$OR_u!38O6*(WdaX19h0BDE!}A^@6w*`9EVhvKaXf zux9X?%G=8(d*8=GEF64h5*r1oK8N?xj)y4c{ASy)^dz(8A~OkP7(|Fo;+AxalbOXh zJN~r4WTt9KKg5ePonl57SBKwn>bmH|@-7AImB&RL{KPjMab(;dQKXRb53#%`>8X$8 z;igmh+$dX$C71M6`lrEaI1tZ;==WIk?5s0%4}0NRC7-HE3{M5Uw8|+966prJaeul# zf;KwXmAR%iaiZ}?I;fOA-CCya;i#Z*n4)# zUEEI}kpZpz&G(4{;!pv;{tROldqw-7WfO@f+W(B(0M>`sC$XH|j3Q6&6~jSZlPW3| zAXJzLl5g-!HPK{}if5^2rBDZV@i&AoF++p}^$ywB9Wb-8a2uOOc(qkxRh5xs}r|l z8?yzEBhk_LzE40xwrs{QV*mr;;*}`;GaSKA?u5Hb_%H0V#b5m20~@o4l`7va1lQjw zl|QD-Poc_lg(6a~xH%L&4y}LasAaxO2IJo#PJmO|z9YB91ak#n0Rs8L3i=xO zNrD0n)p)+-!OIKU8PW1Yu9b1aH8QI-)VXQd$ayd=)(s0`XY~m@m7b-+?I4&Py2e<@ zKt<>)ILuat&NCKqxQdKbb0;f*6kkB{%gV?@IidRHnuFc}D(AU0;lS`UDx55*Qx=c> z3l2ZSRLccX!WG60#7(jyuJQE63&Jy^RwHgj;b)yT4c;!_K;dZ?LEaU~sRu-R>tZc# z`4g1)n}rAYsk~pT7Mu760#_L`NmO_TM0>91eamLytB@R3o@7(J+mJ9Bp5QI0{_AiR zxGgo-WO`_MK9c-QhGmz388Q@2_BVw;FutKH{zVD)wl-_DzVd|yb7f8?++vEoOMCd2 zT9V{qrFac{^Jz<#d`j(a1Gy{@7KSjEmgT`qNEn9G)E|l%FF9`7rSY%fY@k$d7Eyu7 zjedYpcUMm~g@AEuJ-AoN-=e%lkT}CT%NxR_a<@P!>O4!$x4q-g!@Z4MvL{4Ijl$Ng zZfUU;UJAAf|D5-w>4t$_E#1O{tnFIZSjEYT;wPg+)nMFG>JXkV=uK zXt-xMeO`lBxQ0vLRlU4~5h|EOX)|SpqdELJ&rlRE6hI9rmnd3ZWO%VZ7G7o&<;zHT z4jz*ISa_E2)>S-&gud|AL#VBWG2=t>I3zbD%vfyO1F35(vP}bll6J77k`JIQ00EMD z+_D`VJ+i&yfjBwZSgU!EC%oSBl-hJL$am0OUzP|HIMQC?T$(Ig4|j03i=RWRL>aF8 z_T_ZF63yB50q)IZiXR~QiiTazw3T*6#!WPs?5_0=MfsyOWH|Ci?7V#`(f)n;U64Oj zELBLdWt*#K_4tB+{d@93B-o?4u>`L8w)CrE_~bK}BMrJK2AQ?dmqE%Z#%q zxe(_qWHY_b>+&wbz6#cV)*m(Mrm`e&7)d+T30xzP3ReJR)cUK2%JOZ;;S}{6Dn)(S zbeFuGVsNsK1u$M&sb*LcDuZOqFAEvh0awoR`OXY^2 zhPz*_BG!n$DVTh`%b@l(WZo0yG4I@ymc*BKq%-C{XII=JJ6`-R-c z-uL3e3qY*)I}FFY z=W&VeqX*|$$#)FpeTrv6L&B?2L^i)k;uVT+(pXo6hSe8c(z1%{%3 zkp0m8AeW+x`(tiaE+^+9z3ix12;0Kqk2mQjqTrDe_%KXd-8E zHpE1>{9?Ro?a7=q8k2SWO7a=q%a&&W3pP;{)=53 zCx>16H?@2>{gNh>Z9b{7pQT`FIWx85PpJJHxd?Ht{I$@tv6pI$JL8zkaw{eK^z0Z} z))!ZR$a1Fqw^9DyV))gwXzy#%_ToVpbY+)=Q#aElk5z~Z6|z$)&Q*l+nKD(y!RnU! zoCodXAtu9U&#!sYh>YZaQTQ=v4)~AD`%$qzr#pxZgm_OnS@WwEPcRYtkXi;x@7lONSVXyaGN~^W0Ld&fQJ=Snaed1yyC? z3v~Dn=vu_ehoi&YAhB74geh z(~Xacv%ej~ukK%UH#p09WKTY9!)4?NoV%LQ8D}R;Io>wZ@qxO{O-Ua!qd@91wj#9; z@j`2OF!XD{K4JvYHuUGK%z>*E1DZ1q&VK+_dzt(V_IHQSDX8n?A;Is^))%usl5xl% zX3c={AtMwr=u7ueNZHgue;;%!(+%7Q$O7K|@9+W^bkdZFBLJL+d~RGwXKG#X}!TX zIEIlyh}Sp>yy9Sy(kzEU=Be7IIpW@^mM5X~gj97Ul%CsADWH#u0Ss3{(bIc*Tyh_PT3s18? z#(ML5pl_=ON&VC-t6t?>;@CCJAmJ}|PyjN*BiIi7dv>C?yMf%n_J8XrRY<0m9ms`e__4CqYRk-2Y)sjmja!P8W@f%Ul*ut7E55kaSAxFWpB*B{9T zG~wl7Y7Ox*Jx1J)TC!AFW5TKJLr8%_I1l^m5Ah^L&5tl1Oowgi%UFlfzBY-oIumsZ z+L+Pu2^9XPv6j3L)shQ8yAO%EYI(0x00}iADexd6C*j~BQbw+az6hI=a4Fmosh_Cn@0@!UY@ zLvMi3GEm)4ayU}7mw3d*N^)Dt?KA2$p(^>Zl59yS1`0)cUT`hQU}AA@46!IH|Fxcm z=B;u;1?1s^vYzIWNf#vq$fsiM4Jr1jSh+*NSv`sJEd`VhtR)TFIu1iaUrQ#xD8@3I z?7^TpC=G%%#gpiqqAM9OJcz{6SbT)NCsVi|jK_8Er{yy$`RAn4lb~mJ@-38mM4k?R zi+Hu=QJBnB!0uJ_EOBEx5UY~B2j4b+9nZW)ZmDPWGIJItJs7X17CG+E{Z~b~n1RKE zlvJVklWHk+T#G$llJhDi5KKpg8qQlXA~+vy2t=-d_=d`KnrZJV{R5p+BsOBhCVOlm z{izk5cZyp3!FYP3MlMsCzoX&y%K55dv!*%2x`&ecAu>^Q{ULo_6Zyt_S{iFW1J_wj z!+gVP>n0_mk=}20kkB6k5FKNt1q11;1`9q&fO&hoV?2JD;Y00|nFf_8v;2gi^C%sm zvLelf&CdBc)2#&Suvp`A9XR~)UA2K_I*M4gY6BSvw0!$h88l!e+hYU`;ZZ55p5*4Y zBhF`^s|_qbKs#|j#`PvB9i9)&)_JXZ`VdV9Ae>4(@qwN?ZZ%XgH~ZFqhX;XYa}l`> zX)u|mM8@3L=^+MK#I-uwO0&mm`oeo-{$$gomvOqYJ=S=pD{GTp#bL|jKoRnTa4(+p zuD0^unMf3j+!(H9id?FO4|o~2s7r7sR)LB%97@&x+fJhyT8F|MAQ zP`U&V^?xfGac6%yO5q>H{wUwZ@-iLUDhCXb!tSL|mUV{Kp(=g}`JkiyJ~NP;Ek2p@Ys<+R0@QQ=<11(+EG#1&I&e@9doJQJp93=2av*yk6)M;Hum z{u~H$eq=PvP-^cW5Z1KY^#s1uZQ&b8R4L^tDpD5L___T>J-;L~I35{J!yTVXEJ ztp6S!fipS?l;TNk{TmRaW~$^5q?X^kr&RfHCC@3tclb6PnU30m42Pc}&!DzKSPAy1 zw!VD82<2*9Z`chVN5%|zMDRFoQj~z06bRAB<)$5wrQ<(fs8k|@DRmAsg(f4xNcYw; z-(ny0jC9Zbx`v)dbC3Blkh3B7Iz}%!chYo|cH*B}x>N)8mG!LF`k@AUt+zCw&b1rz zD(e^neNt!Kp*3VN@6VV(|IVO+hBeG@q!2q#I^-u6c&59bPaT5>8wQ(uCky@L7d7|^ zX0rU80YBlDtV;y?G;bJ+f0dt(!6QxI>w(2GLT&fHlqn4)e%N13PJ^h{f_T*#8{5ra zin}p+o>h1Zn;vPi?A#z}p+S%T<~t~|4_*u2`veTcFHQva%jQhaU7lzhHY7jzz<5=| z3h8GnrIS^(t3~d=1sB3>>+N7AQLpmERdS@hXyMx}7g(sXsAD^2caF zoWTr-dK%>vl{Hq$KP&u2)&v%;q#{{DnK^H|AG|9}S7J>o^?9Ww90(fOeN_hG??~-# z#iU7l@uHkX*)vj5mbZo~!(`=C=BEwnR{Cs`IB2H7Ok9q{=W$CHs7}l&Y*}PDG!f9h zvJQyMtZmjb*^bETi4X^_o4Ft4)3C$a=a`G($+?yYN|u!{{1g=Kt>ouKQh-crlPRC? zJ)C!ptMGN}=543#j@q_F5WIzE;PHRSP$VwFdFMe&jJ$yTmo2HD2GWk?%Ly01p?~ac z@#SuXauw!1TyMU{3OR3L@%woFT+?x=_gEckt2pW$qN{w+uEwtvzJZv>VGMiokf)a? z+4e2SEwVkVza(;(`E|~Mb~s6&W7_vH1Y{bxkoCoCF0S*5Ts;}VsE!THtiaqNmIN0o z+5DeQf^0ZjRC*7edanS}=M2u+e_Y1%c|(mW6UbbbXrkYf6je~aic3TR<_0HeF!{D<rgC_Lg7AUMcjmh3mQtf`t@kcPi z^~}UKxgFAUw$k!1@Twv?;MdhNcvero)A`dN->%j81=xejV*D2VHv=g`uqAWkZw)!7 z&;K~CstNw?vp3H&1@b>SeA$* z@?w;yppR*!T$eV#o7%X?!&Lh0=-?9mHKW6B@1euJQKR=8kO-x^3a_&Z3LnpfCG6X7 zj0^*AD8i>9O30Y>POyKYH}2M%_ZsBKknlN}yb_4HXCS|YuJJk8=ME}_3lJRi3fo1n ze_?t_uUcR2QnJi9&mdkz<}UI7?U9AP*VNXJ82*RHYTl_kCs5%(>l>S2CFu_HTY7Mi z3KXF5+iXFH0N!%`gu*T;@E8hz&SsRpW%TQC7jt1(c{~={7z?*FFa`;q;q>}~MTjeS^JdtQAa6v8dLVHHv$tC=EB@B63GXzD0p?2H z2fGisCatL_?}^#If}fpeZ??6V(JSjkx|g=eW&6Q+pQUEGJ<{!ni1%8U&q@v0<%?5> zVA1f(OwFO#{`ypcvLVxf{Bo(p}{jiI1dlyGRzE_0>a$1}3R(XbkyqR>4oxo*)F_Dm~j#_;U)~s6_$uAQt!Cb(?I94mHpd4SD+tC^1_d*-Qsk+_W!G09zjm z%M`IYt!_K#E_pIA6|*j*F^$a#?EnG%XL0B@Yi*_rpFx2+Ad4O`U!N^xvqL@G3x}f6 zZFN8HGbWckT|=l0pRBHdb~0BJ=#MJtP%^h1hr&;}z7JXWyWN@(TL;H8E^Dj~MB^G}(KicE`nKHCiPeBg*C6ByG=lAe0o1v}pt_3>x z6^oUo^;Y3P{iTX?%n$A*WT(~n#0dV=1gRI<9?$P)I2&}6`sUel;+-MUc{4BQMNB`Z ztapAS4j+Kbq6Ys^*E4Vn2`-8Db!BSGae)3#6P%XFB%?|4fC)8u&?nQWYdqM}v^%gC zkxMB-A2uyA70`Be$jCJ8ZJ=`h+U}qV?4J|JYLUepFil zG#ik{f0yIPAJP6hPzG($M$+6PhHw2^Nlm68vQWkU!HTcZMPD3 zxcH=YHXkC}VoT>_d%mTOPSZGd82MK@$9!QYF7#WkZ*ux5W*a?Khm*+0V!&Xybm)C>fYSbHOIt8q`srhfTyy+0L6ko zM_|<%byoxF$lnjA1E=lKl}r3E4Tws=g3H-8kqLmf24wOF<f_vU&XG0g#L(6t{tC zvDl&*7eK`~a4nR~lO5z8RZF^ax?X-)Me3}4Y>xAyM_!>qIqqG~0Tg*oF8GZrP_5{nf9XEg-qy<8@_$v~d z)!xHhg2RzxB3qyT!)3)2KvN6d_JiGFDB^7xi$1^8shsrL}x}Y zWv!T=O9!X2^kWp8D9%rf5a2lZd4?{fVMg*iGBRuS*`#r#@MS(_V;OH zeylY%MsTa0^mE;v2aJ$t@(HnOyHCT?X*AoH{yMg}H#oB~*7+=Cwey4txQ}`Y_;zte z*>0dD(9K$q%+HAz2c!!tpoz-2q!v~np^+njlSnwhrC4KQp&uh0LR+1&M(Rta(dc{M zY<|~BB|wS6Z;WOCl;%MtvytrA35)n&6Ac6Hv;}4Ca@#-A({tj{A;XT)S=pk5-n^MC zP=E(LS2(Q;lkDx;rEqhAA5)8d3EOOlwQ$NxmoG9M~&J2VfSzog@zA#Hgd<8Sxw1?&ty14zFo72#I6{8emt zHk?%@3Lmguaf_o-xPddvR}@0I3Z*N|_hLDY(|MoqX}8 zG*O-Ab3_}zqSyfDBdhNZocAo-#WSoh23v!IdO~hRz84!q!r5dlRUCn+k3v`Z{cNOr zRck&z8E>Q=f-_TdqNe0=vY)f})V57!eHYiCh^n8*lm|SSWQc6NNt{L5zKx7CL1#^i z0qoPA8Tb=u9K6Vd4l_w)YgTBt!6G+Bg*IV}=Us0y4sFIZ&)eWN6xs>N(l{(mw~{4s z{4b1sOhWxy+h9Y!uNHgFapqTa0JpV%tK;J=juyM)aZ-T;A`0aN8`0=ds1`O1%kUY< zbqWfopt^1iCy4F1uFe901YCEJ6XXtD_o6}Y{3Gtcm5cm043R9&lmxQ}@|p}tmlJDn zU%zkG9Ps2w=hu#L&diiou_)VJT>KE&yQAUHkC!(h{7E->6>RCD#}G4i z>1$vuEtL40Fq3~!hq8QQV)lyi2$iJgGMUFnBLa-u2&b4sr^ljm=3yFVgC_8l#**AN zgbb!yp75q3@gGI~ua*?~E#38du-=&H7F}fdC1_i8@M)$p5>lTxT=0KpvKcBq=d*Pe z2f11T9wkf?@vj)F4STUpJ(?|!wAAMr=JBnRSFII)4DpYs?GzqmJ(CJHj)HW(icJxg zH#UTjeSv|t+0k^vBK$UOiwPX;2D(WW!#~ysbbY09fn9t^<8|2OM%ZrZo(hsq3XHxm zch^e_Ql-Vy8IJkDgW!=JufUJsStwBWN5iu)OzqEy!>L%JQF|{$F(mMW!kVTh&FK0- zK35O8BlLGK;!N>ap_-QdZ9snrIQY57LOPOU-MkusC zbp5`{tTi>JN;bI#nbP8=lg(S5J^cjyB+fF0V9hJsHDA=jgFJ>dgJTM&M)Nw0=a}~8M&e=@16ocNUEOQz4dv- zO(oB(j(3sVa=psy>B&z|vn;O}MlH7<)!7GY8n;k_c=pL@nV12^Y4Poz)vF4}AU2c# zTxZ$YG}96fg;Hq_Vux;MMXY3xNs?uyD>mPOS?>0odYAFhQu8I|0u!$RpI=&y!0Pct)W-N^Lb$e2Zp# z75hHB(O01^izbKA!Ot4(Od+#Id@o8&RBc@mWy%|7eqOT+Xc>-K!Lf)v4ha4!Toa=$ zemP3&kb%ijQEi^Aho$|vmYPF9&^Zqn3>&Frz`8(nxfGL@IDnii*P=P*(RxD-EQGG$ z=4nVEUDVEUE$uhtKW{L&WuKa^)Wa}mJ#w~F@(CTil?Jvx^jGQ4agoNfjvS3Hqm8R< z49VY*!0rq%D&!6_R_US8J=b|mlD|a9^J!LZ_>I{XiYxmYuS37P9?(g&6PtWp5{N~g zk9ET5g?$lO9_zQ~k49o`tZ=0efc;a<=6?Eu8ST+!L-7}2O)X#P%zB@){Ez-SDWG7@ zPsAFMg@fQ)$b1H>?SzX*J?tl9U5grW3+b1(1p6!U_%s(1lw|q^)DtWe| z>3!P9h=2om8spb3gM<%Ag%WRsJxTr$*DIl~yBXIP1O6jfQ9lIGKhJhT|IE&@*|Tch z>*%*Rw?%pxB2}~z|0Jvgd&-^h1n}DTM>=5yfbn%ux_0hLC8ZI(Usud>A9KstQzSoz z^w(BTlp(`xL@hJf(Y`&(mi`dC0CGj2VAy02SGW;vnap+tm?H^i(=mKzmDyOB$q21B>^+ki`D8>-%5x)(=Y1$a-xOBeUk!%XTN z>Wz}-Vu1Mlq^++tem#wy%J#%_jTgMd6A`~c6F!6bI6vg6Ic+a^K|d(WT6QV6m(}Q5 z{_GoSMxWF=>o}%DTFfoC*qCvwjlZC0-z6y4bXU6)GShPA80%)sEsL15fHj`D9QhX@ ztNeskRw`PGtpnLWFGc$^0MqejTk8Z^FEwND+^X5fT!i*gGnd!49E_5>dQJkaq$|Hz zm!E-*atd8A(=ZE{6rF{KDF>{fYR1u{3w=_VVL2n)rG&uHXm@YWTSGnMNB!x2iPn{g z#t*qIN#e~k;f3(0xNG2IO3g`Vmi_GQr4ayAPcNp_qn2EUeg+70*$ZDnqMZ{?Goips zh&F007V-$4eHD-LW~ZKA4@h33}*L2_5E_kx1{TEpCPEZCdO z?U5&`nHzwoEXH4>d9oBGYt<*N6=ZtaS^~MhIX^m4F^`!}<@)FI+mk?L$iL97C9{G1 zf?<;GpTfH39H^ia_U@eVA|>P&?O@z))A>}Cb>}>FFn>%;`zwr>B;vD`OdbH=?|jJR z2yY^}y1iwT>8z9fn6%C!}OJ;Gj8Hy;c>pFirLGECM zYmAwiPMsI70s^9cyl`#ri*ik5h-DTZN5Xk)hZgWK!dH-6K!4*R902Hk$rJ6J-A_J- zBMA8pp%H|9dNEdMfSjU4>&zqK!WH(9Vnk3@YKd`V3m}|DKdW=zqd2ei93zCW6ZaO| zDY3U!7?0DeRD8?%ian7X)#Q%v?~$~Q)z{XVq8GlZP(d#b1CPykF5AM?#Y zX0v_WfUjK<6rF zMP`dLQbp}SE!`MP>FcP4WvtWQQpxpJFVRN=V;j2Zhi7_6S4X}^@P`230Kil!DZ>N$o7XvTj0FR`=r5mMt5i{rD zku7j_{O)OP7@PPp_?cIi+BQ{WJA6#1r=JlcbKMb57cGi zG*#VZ0;G|y+PWQ3fK`$PB>4bZaSfVH!e=!-gcYn^h%?$a=8Ac^!P%f|%Rw`W#`6DC z`3NR|*Kf;Hwf?T~axfRL!iw34@mJ>Y8h*5vYQZNU!6De63WrMMPjdFxgQ21yNDJ}; zr|HMHe8^T9S*-306L>GTE7-h(lk$*F1t5=J% z(Z3ybAyJ|7@8T@nE>MB>AHsHOJsv5q)%uTs`>iY{YEBe7hWn2f+u)YExxCYyWBW+w z$oQrU)I{zru^N5_9X31l(gS&!QrJ?xEu;nI#^#cd>8ElSgZm6lO z{N{Z&-SGk-&iuFe#hTYBYgFhAClnukXTH!z$39mZ9d&wnh6D=*0uRKl}ZQV%>|jOi=I z_D?kRbJ6PRPeT^ST35y34bWo13UHm{0^n6^7AsWLU4IIb zD8esZaft7r@FM73j6>mBk!P+NRo0fQ0u>%$Cnw7f72!%QS)2rEfrgcVxhv4{)hh_3 zV9|r3btOl|8%TJC7SkLlTC(>l9SDs#bTqN1VGkCW58<=qOb*c95b|HZv=RG>kggqI&Iv>Q{5Za z$f{@*Q|;MH`8HtSoU8{F8UbMOD;Q{$;y6A3JEWZt8n)!KA!twdig3_}xZ$>T#wVZ0 z!adm5&nm(@;1c92Be2u|`3_=Rp{cjt@mSSe@euZHRZ&**9tM9Nq0N26eFW$@;$(zd zStng$3vR3UaW+m7?;-yV+|$69?(TdGl|?k})-u_CLL)9gOb3ja#5bdv4z=~i-<@(# z=65x3pQ9K3NI1wYaDGOMi;xss?IoAhOgl~ntESrX<6EAE><3r|i%`ovxC(z!)-Ne& zp|t?+-S-lf*D>~t*!scfc+sdM$9*%Ez|jJr`!J|m+7-f+@K`!ELd2MS9}oaqKNep^ z!ehYES=t!{{x-K6EKiWGDw4Qgn53Hh!NilT*A;V7>#2rooJ z-BSkPC1Q<$(t5@kf1=MXsy7e^dawbYr9!0Pf8}eKzSdLNsWu5bD?kan|w7)$h=lYJQJ!+n};XN+Y5*<#I4SLNN~#^-wSt2?K; zckZmmggzhdJVb#hu(>V)RL86uz}|(=F+u-saf%YyDbPX_7ivP)^g<2xRs0edt-z_` za12vAOxZQoD$*XWuBRoC$ic>X_$!e7-~1wIr05&#kLDtr^(IQm4BlO-s0O+FW&cMYYB_ZDJD@w)n7YCcLVJy z;98FY34@G`QU9qJWdA>b0FVlZChw2x zl940y`NY^x2Nae|h5b6Ulj4tis76+C9B>#w9S-yf9!FVJBek5{u96%;Nq}q}6cEfv z1FGZfY$StLAGE6CAs0*SBe9HJ+{-prHPo8d1agk9qk2WEkKp|5wGGohBG8 zT|r%8YPkam7E6S##4MuzhWT0wiqOirD;mh(K!h>CV%dlOql>d!;YG(_RaPoBMg9Zj z_koqlJumnzBO;Ow!()MrY}gK`nhU0swt;LD^7y(Ucdpj~3Ip9iJksX_%7e6sogQda zNOK}%HLzuur1^k1$ko6Hiy_z0`C2_1JQBR3vG$qz_)oZ)=Mh~)q| zE@U$jL`hH(cpFt;fidUN`tzVO5fLu%>~8774Dk{*PZTQNtJvA0}7)@xCbDl#j^erCKP8Kqva5k#8s*2OG7am}Vn#cl?NCuM2TD zScgUZJ%6Dbp9`VXm7}0Y4;Df{lKCI-@ci-h-@w}{sI09)C)$|7MJCvsFCp-fS~79d z@yK-P-`qEstUtf!tf4t9jzabe8i2T{zoPm?xN?^j;dK0vO)-2#?G!*@0IsMaEJYHm zUaD{wXF(HNUk)5Z;Xa&0AJKOkep(YAgq=)Z53N4x23-N*kHCgnI(#`CN`?UDlz&gV z;3TQ*Cg?RDD!FK{9br6R1+aXRLiQb5H-ysJ8vFtaS(d@>c9 z3W+$ln1yCS)2X)x@cN;}maY-jcA*wF@z9b8ts2InoX0&bv;^uCNP=5#3UA|1Mc!m3 z@GM&*sN8!c)rKqpC+78Gin+Vcb!z#g5PoMJ z%WG8JA&&qx$xI~IMF}igv5U$-taaAt{lhGR*r4*i_Mg}T21U+j|6?$u`$vV}V9nQG zta|;R8K@ERPV9eNToP^B=Fb%rmN%G{%szrg@w1+8+#K#F zn-WlFCAt}9C5RfO?qM25s~Jlc%BgF(ept0wE4S*Q91|5$&>0!QO~JkSqx#VvC6hDb zlI#a6j`gyJe@O?6t_5Y6eLEal_~6FIx={|y(@{pvcoxX`jh^!9$o^#de=1_W`?i48Ys2pm<9O`Yh@^W>+m3(Ul`#HsTh_-Br9#i`;>A021Z2OI|A{U3bfJg{6RB~_&c1xvx5(U67|_EO}A| zdL271B5x(iPr_nQvFy2s1W><-YqaMO$x)P+gHa)d*(BhPUx*GSW9p*xRQ_TF&AgG> zfCL0R4$H}fMQHXwT0F;bmujr^4lbfrC^ zWra&)F=b_L%6Ur1b@I1T&P1EyLFj@R%Xo&@D96nNbO3jHMhB9&j!>y8&YE`__#^*E zamd<3PdDfRXAVT@!#epylKU3@atter)iLy5Jrk7w!SpM7&}R8EkzN8nho+D{3D?hx z&m{oklpY%C_~#({PtbCa&mj6KJsBM1U8n%9qf|XuwNyHvj-w~(JF6*U9dxYa1|(ln zfTyT2n<;q+X|>VC0CJ|dvz@7Mou{wp=?AoPt)71>p4`Ap#^^i~{tMgb3G`@tge+qB z(X4R7lI#zXNowIVPBl(40FFm|kVNmKfGhtIOtIA-_Nz#5s3A8>ZGqg039yp?XZ$4P z^c|-q1aw2Mg6RMggo)OXYyecDqbSG3FHKS`(-*%asuTeoj>Li{6jt~f)r=I8B zOb25V=r>YT#49Ia*W1AF-Wc?thQszfI=Wj7dfmC-?W53=*waYJyJh zf>dbV- zQlGWH)yUeN$$QKwF~Htlzs6i-#ILelf#Xd%@QTtcX!y(o>Q%Saw*jHv&b!8X$NK4N zFI!E@DI}lw_|t4bz}AnJdm^a_ck%ZzTDgM7QXZ2e4rQdffQwI!uNe=Z)_#hb(QvX^ zLO3k^gCWk<-Iw1)Z4-gZZW4`HydT##gR`-JLhf=r%%ug+7>}=qB)?@OQQ_l@;k<$R za(rn7PJ0J=$5QTA9?`%WUI?3v*_o@a+vbRdQ04*-Z{#{0F1mjHig+FSKZm4XEA2Ny zRec4+A&Gbl{&?2haG{{k4=Y2C#&AfImv-W%b{XCi288(;b^PXdQm4dcaaZ!Ha>hv< zsLR4Pz)r|74p7*Np&9clwgb;}Ha7&!R3q1M)15Rk1`ZTq74{&bP9jDHUTMgYDU27u z9+Ms|)bdeX$SVq=27nk zV-d1DdrtldIUg9*KeIvd3$ncjm+My~yvHTWP{d2B)hd%dkzc7N_f)3tw4;t6O?hUa z9_B$bm5SWvDHM?NpfPni)$E418lW@P8Amn$sX z4D5LO$BEo%P}KUOc0Qo^pfTYJ0I)fL9Mc!hN5OHZWRiyk)(pT7fGh)wT1>A;nb?&% z8$L?)gvcoj7(#6Zc{!S>_~IuO#!&o*IauuqzJP+m{{thH_rjJ_@{uUgY6g>fY69~S zrLiB1UofeW6}v@U?+5qg3;p#xxJnCDWIIEaVb47Iv#8Fdu=z6$KbyJEc*AO$*T^H) zG_Pr&C!dQFXGa0*B(fqV8m7_5H6RX7zo3t_Q9Nq%S9&bKp76NV^iG;pM`56F141XU zi#SyqNxNoSYUx@EPa!K5;zZ=T5DPoK^{@^XuuEZVx75@`dH+B5-aWpFYWo}BJIS<} zG&9YlowSoSX(u$H3GI+fnrTyLAf+j!&_W9>w9ra`0)-Z6q12q>r^sBlC<1yNC-HAOx8JLi3#_x<~Q`k^G9%btB%d(B?oz1DZ_)5=A^ zNX;>(k&x&EPlpW`;7^(YBK8Up=@*8HIpLyL;n?Q%r@OX@=fkdS0jt#2wy5uEY*JHm z#B^j@%fBLB#irBJa|*nlDv+$W$+W;ct zMjJ+{@jbw;Bwh`eC0(LH-{s@l(c*H%yJ6kGTESPr#~jS}V!7-rCH@7J_hU%>mCPNd z*4yHlOz8>|@1=s?SgLQ01m1<`6*7R-nYx$yqj(hIyIF_uTM)=1LwgCvPGo3cgC?_7 ziMz?68fg*Y&@eO4*^U?_LSy?NUhG7e-%WskGxK4SxI^#rpw<%3YI!9-cd5*=#jtfx zgB*z?;M?*o==igI1P~VV0#fB)uef3hoXGK`XMT5d=+$uuYQ&WA29hOK1S87G#sE?K9y#K<9&=VGgc$CQ*yP^ZY9$sJW!AsuHS@) zXwPr-Ob0tjCML_upTjzdFPP`0XTzjKU>g+Agk_(^t?vRFy3!y{k3e4IR}qdKrotP{ zMO%kt%Y6~No^2B%#N&!9AKnVW=0Dx4hL{dL7B7H6BW|$7U}=Pf6I;Ht4>G?**<3c? zDOHIQIOhr^v_2NY4g~kEv=!6iN!yc*^o&BkjijZx!WjE|%>1T3rE7d|;L;S&8{m}A zJ;_XF2HFVNrpy1@&YG=>}j8TK*6knyLU#ckylH-|Q)o`i0@&La}UuxrDCOa&`0)usx0A)jS&t733<( zts*4+b{&}A;-zfnv>1*LbYTat*xJ~0MF;{elCl?>T>FU)4KsxnZKzP_goG!;L+KE- zAbwzM`VgoAKL`sw&UP+yieh+*_X|2Xg6K?K7y1E!z}|(nKnzYZnYlw{>fz}OBwm$s z@fNZsI}2CNgZChCtY2Rb=Dpwt_ghXjZmgId$C(m6?O}V9f7HJMQd%3q#TdeBx|l7@ zlpsv(pwdBthuAcwcn@R8!_^1=CpA&-bRryU_t*-GN+42Gu^Uv}HvxwHflJ ziM_%hA|Ut?umkkOLk?3VuY|RH#cT(>fW4RfX;>aiI8ciHL@-tI9PcpPBLyOwSdB7C zTtq~;Y@#i!>}t5Lkt)(*&RWod3O)zF0>hmL<_{92&19&c_>{DS2=#8TGhW8b%s9}W z9;!yY%73;kh!8reT5#|(p3;zFN;$V&P_@JJhd_AS^4!q1%w*()EQIGE@`E0s*`XxY zHW*4EK>3cMK@Gc2+5aNQK6ieh14)N`0>r6zkHD~u^n`hhdrju|wK&=Liu&$a#w5?f z50!U6_OD@w3)T4UYuJJZ%Ln7|-NTqK`xa#$3(xKt<(eOeKDZf~*N&PADewe@W ztz_W|?C)T{su9m%e>}XTmJ;G72uO}RVD(>Mz2KgKk1<73Z?iuZwl~%xe;B;|qg4E_ z@b)hZG$of5JgfKVj zZCF8l2CNKd<*i$(r^N+f{8x8g&RwH*rO94VB;--Afj4UCe8VZK%72Mjf|6^tt~o=G z&|q38lxW-VdEe5PVl4M$!i>kMR&O00)zld|vIh;x{T@4!T+hm4S|b6kU&GJg|A% za2;KfCaHuRRp_0?Rt&87HM=~x{V{HFeC6kh)cAscH8%y`B=}Yg~(&M7-uVua1@y7RJwSi1f&#R>;=A0 zW4snfd_vq5$HjQt&swH^(M%+Y2-&%XV(&0<0T#O>&ea-4{val*&9k)J3n)GF2m+TE zG8+Pem=h3^{yGB6RZ}ytQ~C8X`iNldpJdG+!g_|2KEd>^PRwfYMlAU@m+r9mq%tF! z&E!BV+a<_z4}q=H=SAW{oat3bUnz{W>%~ z_sdKU*KI~8U@`2Ty1Q*bGFH*N&>TsNYgL;T&=q9sD9X%C5dNhw=)o&QT%a^>js&JP zwx{cBR!rq=FOsg;?Z2Wl_GZBcDs~v~m-a9ER7n=)jzVp#^yRY#VYv--DoA<8)EQ@-B9)UpN7}2)4!~~Tn|J&d9dCScczv-P)T*F%uJP-h9G=q zrmr43zKYd<98DWKnKs@z58hV&#Lb9|;zs{;kvYf37wp5F8HU_mUSS-hq0dL?FKbI` z7;{cE3hCc1l&T1NF9g`p*C^lHdRb#Xo*5y#uqq?*fR_2-;`SNj?KHx|kS4VZmpY3S z>4gvt(DEpR$WM_&G%fHo;f1x}S848cjpZM?J@i=88zzMQhzSD^uV zM-cVCHOBhzDt57LuxwRMa}(i*G;|`hOQb2?HX4EI<<)Y_RK_y#wS4thf;#h+=4P<8FXo zI1P9l`;9R>((XH80K*X64u8;RUQ}`wp7waL{ySEzL{}UpA@e1r^oGSYtbOxZ@C26@ zDd>ycxw*ctl*hv5^~_*=tgF178G^6>$R%0^7^L&4xux)3Y&10%z6GN>pMJtr&=*;s zbu5ap9krRaFibDu8O-(vQsScRxK=}Nk3zLGG(emM48PK+DmJr_VIBvKwuXjF*357? zqla6OBT5gkaGs zw5(Xxi)hR+l+}0bFjOL<=5B#QsTD0d$X~=(jj#n9!f4VeBw{jl>J?N0;ouv9!vzVS zD}h?ld#Tn*t`L@Bavb<&+VnJO6h1}8!O#F90ZaKR8L}xVvGTS=+R>VLuEEln+Au(> z!{<5!MU1#G{M;-6fB@4xHyl2t0(HZ+W)f27fH~PZ8ulG-RR|xWyH2il??6E3=vOqj z-ap2Z#CguWMxW3y$+^3dTX~#IpGy?JwVz9XrS@F}A7<%Wbk2m$+zr@oIQJ8FfU>hA zene|eoXXy_$JBO^$Otqizr z7ds1_I|B9Q&$Zw}AE<-aVBr2;4SR-}4VZCD4LC5FiOZaa__=UuE~Z!VfksyrlTbLb z=sq}4y^udYw6OGJTeL>MEisSP?0D7W&g3-yt(nEh_XSyYUFGX9`kTOm9`b4BKP4bw zmo;}M4}42crAq?H@lHqoTbWg89WP81{TE=52BiB$1o&V1ZxD{mU))~r0UZRla0l|tkRcPBg>@j6<`i??)p9j1gVA@DpqC<}U-{Rj+`XRvJ&tAA3@ zcFW2Jdrw}JwHmL{P4lEiB|ZtgL0~_u3jF2bLY4nGa4a-1{zbm)ney zl@9;2%v>hj6(#P(`p1l^=^n~_Ud@OF;P{-XKN!hw%(pX{mXFG8z?t?sO-_Q~K_ekY zZ41)}x>f@)(aE})Z8RpSnf77^Lw?7^0f%#%Q(w-|{i0miY#%^Cx?vCL(~!U_muCfH zftlsFa09WD{k+D^1n7|#d+(w;-~o{AN{GbHW|QjI0G|Q#XvmJ{8KYwx>enn=v;FXk z*&nJJdS|+j&k)`4IBvK2IJ__q$7Nnq0YTH@UQCALaI)CVO@B<{B%lPFa(ElCKZo|S z7JSq&)oxzE?j0L?8z+Nf-hD94^E=~8)){(JbRt+_4)SKPLPG?g3#L}l8YV9zUrk-m z`a*4DzQ&Qdrw}gxG z4MAp25@)e2OyZ(AkB6bEg|DK|eOb31wm2Z2Lx%ZPHCKCe9->xpc|}URI4-qWx}!2S zM^tq!_!1ci5@^Fu*`gyI-D7=Ic{Y`L-WEYR0x`LOe5DsS6`uOKNpcwN#K*y{8%sYb z#Zs;Jbmnid)L_}aDKny|K|v%kdkY#d`y*4sqzVgg_EhBS62a{$nWvcZD9Rp!e7{B5 zN^68Qh<(lRy3uzW&4J+B=}6jvr8|VUh!PewC3IvD2))~zhU00 zmBwr3NmK+2*6c#$sMkW20xmI+lk)`2Ct6EPaqQJp-l&)Tp0Gu_qroHiM_~95f5vBmGC0!afM{Br z*+fV@lKoiDq&oe);Vpgf33G@oey=HlOtz$1>@TslCQ3$B3J{--Cz4(KtHcW`9z5!i zv=$dW!VKVECZ@1U#XCw{-xzBl9t@66WE1PJJ;K_v-)~oYT=rDj6kU6YwNzx`#(tS< z<&?!t7snHJ^CzS&UhRJ$olX6*Fjkr$#lOQC8zKx_^uYrDHOm#f&>Y6Yn@m>1+rV15 zYT`Gual%Mg0OFs1w60=Z(v7x&rAF!kf57o_f?T(9S`|V!?9< z-^5ne7~CCpndP01%`?&`E<}XcdsLsRW=Av2jNSFpdL^>}n>fF?4e?X)wl+uR=Xh8d z@^hGW#S?)}zabmokPLjw7piNCBSQ;0F;O|? za%G~)lWkF2$~EE(KtE}os1dIqYYj}1SCKWu8fAkqhU#LqFZ(#89lV^29>LmXy+kpsSyskF?z|$YP>Ai2l^yf$6+4Rhm>>*bFF~&5! z8}NH#+u=l<~7k~3=+564I!8r`fG2aAc3e9s@)LWWycpAyAPYVVN3%yPDRK$>4vKENmbQSEFIPAJMiP z%&iaO?%|P+lM!N9q%IGJ*^%(}*tKd3`oH%LPAyynYvh^XwYOnsZD2%UBg~AY z5};Vm5w>ToK1F;%49@zs&~hXan{t2%!O?>OLO8Lfpq&CD>^2(DeswxU^BKiAAyW{$#;s;J|MV$1^M^;=h*+O;AT2Y$cYtz;}Lv@L_I z{AqAqH-cw{JfXQejbN7KVfPk0!pSpI5Iq#_Th>Ep|2R{xLtBl8K_+ z$B`=++}&KS*y~&zUuWtK>cPe1mxXeT@C_mB;>oorQVI)*}XjhD5?vN$OaCOx2}%RtBgw9S%4@%Ql4 zCf@vkrsPp%9!8n>x}@9Dcp+nCdf2bv`P8ct2Y!gQTh0ED{kV8?=3@q2fs@D>eg(K( z;bAxt2xYNFj0u-#)*$0+3C!l~9^l!Z8^G`y>5CSAPhH>fv+a6<{x=Q8MA;z!7bDno zWT9s!Knks+{jqEX?Baz|n90%u*hx>uji-q=^o8zQ&Q4QnF~vZwx5_z3LS@xK)Yqy#S1v2Z7F zFA8JRA+R*m5e(||+BL54N)K5V*I$LWfQw%d$@GYHrZ2M*G7zm5i;;*3b}+2Y#Ua2O zjnJMQMtXzV&|va8bjIsi)+8#hs8mjAwEhBa0HJHy->YCFRNxhSsq8)ZMVqhU7NbbI zu0tk{s>$|_+|T;;ItU&3R>%LsaIU9G9}side$kl6>Pahi-(2VdZ0v3IlrLaID@w%~ z9gPkqP?!sJ|1~t1K~KwI54HrzS$u%`P${XLl+>kr#nWaJ)F7C->G1h`# zki47Kapvc!a93aeb5<%2YdFgoYZ3Xbcvgjm{Q8Udfl6c)^e%G65J|7d+(WWYNl^+* zH0d2|1$L{D4kGUKmrP*nwP5pUJ9#SaYm(x)YTq6#0B_zd_$=9j#A%p)2GYgo4@AL+ z&P+_tBF%@@#?chKA{qv>oy2WKXr(WlAa9Dx327|y-)(+^8tocdSY;a#ALz+WIoZmz zFTJLpsBUhe3T*%wr$A4-1PCr*+)Oiok#E3SzUB-UR4CSjj~cQLWqPMEyR z^W-?*3H(KQh))5R=pdq@ma&ivA~cNRQeEWWvK2Abp_CKoOF~nqSeJuQ)(wKAT|MuDSjc(M?e8F-*||`}LCypPjgh2k;koLmgdL947dAM0+VX&@-?8 zwZH+wVc1Z$WigX%z8R4_mLRv;(k&3R+Z5MW#FTqS65E-fKh3l-8bVZsCgh5+l>j>` zObyY6=tQ2VkuYX>iuK^#+Ztod#7A?4}2A zte5h4;S@)7OqmN<=pQ0<-`e#ZDRz^`3`Fcd$JYN0-qw&xWoAVJZ1%fId=6(W+#8H@ zVQ>(c?DwB1j?-rnOt;t_>^uG&vTOBGkX39Y40sU`G6jC-5=>)-TuWsbXY-`Ot4;>S zraIoBfgQRcHm>;ImO6VP|7@l?tY$?^g}GI0Gin;@(I(>yB;JajGDuu*y|K6hKSW=~ zkx8`9=qbmIY|s)BUzwE4#lf~~(OD$sDOihGhiZortFlYN3k&)F>{8+o`0EsQgN&oq zwXd>Q3%g*O?~&tM}rn{Zo~QoD+GmTsX{YN5vl`UR8q zZF@AciF@7n9RsKeplBt^?5;SQ4J(|>=J9G_g*n@f>u+p2#XeE^81z)G`2tn-I-khr zkqOpl@{;gU+u-CL`iu`N&Ndv3W5>D_IEjvo5k|vH?bAMe8hZ5SPbcQ zhuy_|MVJr7K`GD8XV7coayHYGubA2o)y+n{7=Wu9TV}YLhCvXD6{&K^uH?oTI#$g8;1Ak{@ z!Zn(h?(LR+0r6w}vxwy4BM>Xw1avX>4#6$BlP9?)g0*KxV`;A5R&KH7=qyiALN^3x z!QLcr#>{*y#x+BZT=D0|5!tzbq7&Yp;*ThoAw0bxU`wnsIwGTdUbf7L%^S6}v2(o* z56K>f3Li{qkAX3vV!T?oLpOCZPNqPQ%3>9@?lD^x$@`=Zi0J_)eEwHi3tig|hdUnC zaOuSrwP`gsDt87OLBZE{f&YY;$l4xM`-UuWh^97=O0>0)fVI0kD=wDA;Jf397aJ?| z6&m(jUVB_Li}19E39&GOO_qv~3lgPq`-LXL)vgH0p!>6%T(;)rWfKuZ$F}3fas%03 z;sh1vfQZYcI`HQlFRnmMHDpr5DB+thOC8B3ZvHutuc68%jL#Bw3qZo6WUsyOp%%EZ&}s*yf_v{@G;^i})I zL4Dm)G{`W6&j8H*MzKT@`W61l3J={f2K3SyfX>bSJwE;v7`|SJG&aST zH7iXP!$qu-V{Tm+=OdaZ2KI@ zV0$5&|B~w^rXtId@(h>zuRt;v?8QQ!;ZGR$pzd#Zh9ST7K2_I0((B4WCUuDrj|K^B zEB~ER_hAIu!^kwxUj<5kMW#JG^Y2GNlvLs$`EBLQa&4J=|0=pIwCS(1#lM&R?-JlC zZBcK3zx|2PYH&p!vKEpqU$n?3*N zsK5F|4up%njAg;`j~P?hCNotd{<;eQvwt7|yDWhs`s+knZsfmid6*&j&r1Erh|1#o z*PZ{AA-M&ARsw?e693UW*yH@i$vQbT?OzWCoaC>w|7BShLi!=c)N2LWy~1&*&B!F zhDVya&erkS^VD$3GH2+>JTf}D&$E4+vl}&V?apymjx9_dZO!+{a`6b5x|>nztGXdUIh^`vN?DdSFqsz32rf@Yo`@ zL&?s;hvx(yGo+Ti3?(0XET&@xUNr%3bPah2p77S=oO}4`XZ>??7aKjJ;8924S{#RW zRX4Tkz9c?#!dItThC+q2rvC8Nm7|YFCUlwk;64WGz^N)r4(^8L<0q1OG+6?RptLuE z^Z=Wu2bU)WmnRo)$T_~;+Hol4?0kHUBk2LVaGS%gJ}czRbPaDh!M(PnQ-GOJ{J4PYtXx4z3}~U3!vTa zt#%E4OYWdvYoM6buJK>Ix5hmZ+JWmPq>VcJLgDV=076t>*i-ev=EZU8V=f(>^8FW7 zJd6OJK6pvIx9%ETKY}(v3(s!p`}`79r-@%*I>7Hs>pbPVYsa7KzSNvG?cUcHc~y>Y z#?L?8`26jq30-FW_TVQaj5~gBf(Aw|(LXngvE(d(ex9%8MChvKZZj6Zz&^>7{A%5v zk*ym7{0tq`<+)ruCGCf=TA%9xp-^8Eqo`Gg74|{wqC29 ze0$Fabm;%$phHswyV6>Q99sl~ky5&Q_{p^azl1G`mG7=h9k_qY z;LuPj;GScesXZe zFZXW6`QK7CM)0=i+Rs5UyYn@=>nB!p7=cG-eEEKJw?}D^kDF(AKvVc{dtBH%`uvOQ zI!*fK(xGWTeq-u9`Sxe{Q?%ZX`<#UGK#K3)JhyGcsr6ZK_VTNbhMv^@^xgG$pXX;s z|8nmRjImW2`_uPdp8E9lSq(a!JOyVrB;&=Xp&V*TduPu`+r0C`;{WfP zwz|>{k?ap&O8@swJ3jHBZ=C->ziA=kmkJiA3IzY@-~%D}8^XtWu?iOH5sF9-hhxJk z$4wZS>V#|H)IZm-;eVWq{qqZ49+CXVyBnX5M7GyH``cU%8#;E(@Tw6HC+cc!coy5v zemc^&{?n22H2t%Te;4*&>-Sm(y9a`9mP5^on5cjTjyWB+r#4btR3@iWxkk;iEUDzPi!ZD{a zE!O}@swjGM*CAD!x4;h&fs`JVw;OJBJ97uX<$%UFq?u>M7z*kH^s+?)o7c&h=mF~{l1yxIP5-IpI zE?b?J;j(Ih>QF6uT(Er)jdO|xm0*x&c+>o5Tm~r!RNgeAqb~-E%@EUYcW_lxdor9v zJp?g@5dH}Z+&;UDQ*d6`fvZ!3JP{$S8sY=b{V#S9?5Z1#e-wKk+HN zACeQR-0qSufrKF4lOCFcom?w&k*U7ZP?t1s-ZNP3a%beVQ)q!b)RS8ZRreOvU~QTw zLn_z@;f!9uG${*NoI@p7g+*();km?IJ3C&_ynnlQ@NAxd-ZWrxdW`93dO4 z)6%`fmvB%}r%A57sY^{ism8(xtoyAOz`7Z{FuvzV2NI%wz{uYL7Q9Fb{ZZ)M+kf$v~vaa0RM;ARUsJX8jo| zJ6`QhcVADJK-SXSP8WU#zNx&e3^^0rlD$P97EyFs^*Gj4tCGCduJ~u6t=BWG z$J^TLlEliDaHCpElNy%cQh+m%WWNi(ohp|ncn7C)13(Tl@?s&{S}MpPKsM8@Rd@g} zG^yQEMxGU`#q)k4M(8$oWfeD!rJ48v ztV)-K5gzNgo-7N7Cq2DLt5k_n8nrvad2F7q4vG|=MaLDYwDdd}MPO6hGys=# z<561KEI8<{yoggloIq4OC3S>KN^kUlyq8zp3j_Ie9h(P_71W?N0^h?NEwh9}Kvxn7 zAWWb%Y2gzvv>Eos3yV~ z7vyP>n}B=}0*HtwV~bkWN+8LNE9D_eb7fd#+P*lQP!wEH(4O)yEZ9My^o4VLV4Zo4 zmq@(W^gC2OP$vtXC}vc4!8u$C?V$@O62!?<^lo^;?r>;kfkg#_S+XZw<(0~=g7drd z3}_rrhL_jjcOfkc5=)juz>tyGa7PY2>Rg6I5)Tvtp!=N8%AF9hp$5Hd)jyn`1)XWN zE5nm#ftE^A-YS^7-Vy_lbY~R2t=4*=^|{MQRk|lo-~%NpI$cFDebPMMf?vbr;msR} z42+tm0o_u0JU{K06+n8?+n~IhV&2aPp1!3A-tS$l_PE^ORbT*7fa`9|$BSgW0{Y-J zr7GQ(C(nP6C$AGmo`NqTRgy@~!_`2L0li$ZCk$qaVGHTo0~MFt$Fk)KEV*4ExhSLL zlW@>AhCX_{jC%l84^GDwoB>+uE$RvkJf7nVKpLUDf)TP*rWL)RhsT$!4OhF;(ye3L z&Sh+AY@6#DQec{_Eno_uNVvstH$vJ4uM@*yN@8K^x(ZU2aGTWll2ij4Su%vHL8dNa z=<3S7IM&-6RGHx!5|4w3ewdktr4;xn$oi0+03w_V&#n3eUI7Mmno~SB9J&H3<`zr# zYUHx|>)Hgw>(sAd@C4WlR(YI7!xhL~77Y$z#wAg>JGTkche4r%JIi4RoF4ras!d&a z(nafdx#q4k!w5?L;*kt+$0;rw=Hrc?aKkv5kwri#;yqpo+N&G9!<>~jS3wzx8;YtHh?wBx9Zy!e}gd)(j|7CEdvTV+1kM}tkFk?Ey4iT821^RAoYMv zbd?Q2gM0s@~wa17+|-C+AxrQFAT;hw`*gBK`+n70AFyTY?RA(qXghb1K4Zk z&eQMTz9QSvUFU%vCI9BgU<5oVsRx+08|INwwq8#IUeIRo0#0CQl+CQ|16qc(fhn?K zEdv9C4o<#vm5}k5HvtjAqtk}Tpnzt&orHp@52Scq&3Z5i-$ae6( z+W_nImhpxAU;v+b20#wKA)p-~4~C2i{fThQXw=Bn!6k_1e@BJ9K21h3pe2tPpt=hR z@w!C7RNjG7mzw!fRK&ld3N9yJ=_hwezb!?Z^5m9JxB(58?PlJY)C+p=jEv6Y`%#(< z!4$~V`r*b0&-eDP)WLYa&>2C%38CR{9ITmKux}f~==ndXeoKbqWPt1hpjPi+Ixzk(?Bm86-miw{_`e@{ z{zX7=zJZf6xG_n_DFEv`I2rJ)Cjx09`a=Jg0NIg2nMvP%a%dV%!lMB3yfz)+tq=CY zGiN*i5jg)6fIfh8egEUPfP%;XXKX{JR-W1oF+Cboqzq8XVnM+ax}BIk&-USps(<4i zimG7`?Wi|u4fox)J#(vUpIm9PqyAs3sQ+qS^*311pJ1>uNHo3 z_|?F#3dUa^8~F!6{E)~0yKr_v*gwW!_s7Xt^`Do?SIaPP z-6is6TmY3A&gAHzS3Cguj%ZHU`Ak zgcex+@z5nYl}-^uCW5&(1y{j}AAIvVBeYt9Ocp}2*~;s&baFR}VlVSreDO|Vyqe~8te zC;ur{|9KQT^q%5&uRr9fO|9rq)N(+(SE7N-d+1U1Q%OOXdZ0))!UVSmqZRze`|!sr zlR#@M&sh$W91hC!7W9b<1$WgfSK+YRm9kDc0EHyM5uFOAuYB#YBsic`MuIMY?@)jq zW_)nWz~u-9714+zQFR=GXUggT{w3LK1}zBt2#nkJ_d6rn0IC$EU21>Ew7G)lLu<#r>%qG;G6 zf8#|J+V)w2BWz5fOfr}#?^OcLU|tepL|vlHJ4xl{$ft$G;PAxpV{0lWjI0_nf*XS4 zwTYoI!-$>)l|2LDI5Y+mWTH$_NUq~rh;m4?87uF=%G9l;?8<0)1HWnnP9ckc#Z@bB zmQH*D#Y0ubBvwsG%vNE1AQ2KoAtdjb;>u*XA`drX6PYNP0Mj!ZT^q|Rm&HcnF4Sr^npnfq*g~ymqp6{+ zj)FWD)zxHva^kqkvE!;M6GL^COuQ;Moa;!`+Oybhcm&lwpF?BqnFMP+fZGvM$xd3R z@)Tl-U5962jW8YZ{iT}56eFS??h{av#a05`CWs3EQ@FqBO?DwpQ;k(*`;^+DBSYg0 zpVI#KMA45H=ARrtk0wa+hf&mqkA2AKdT?NoRIaU?Ww+&!zUqFN6UJ z)K!gPbSROb0vox=#itoF`4~f2s<@QOkzAzzyUK;JLSin6NC=O{(Lm@c=n*xJwNSOJ zj;!P4?5)fs=<&(WsG)LKyCE)cls(m#hakHFQ4R#86eM>X&JHDd z@vE2#)(#|a1KP!~tSB z*|KK)v0CK3_4VPM*i9OU5D|5E(4AN^o}qlZ)g?@HIGiNuoLh>T+w zkt3;_hAj0A8<~1%^@^^nCo~XKc!oWO|41+(F;Y!*U~>szb7V8mhZAq!IS16Y!rS52 z7o#6C^;*C6w~v0fn-ABg)|-+8YowV-Y;3^LiHMToIZwyjlhB42g)k2?GgnToAK7g7^$o`iH83 z1fM1EXdTcRL(~Z093^23imIv!p=qfXz^j?4wx;1DM7{vz*DR!gI%8a-0V+cxpFX15 z(nvA&70g_sBmD>kf#EDSnHZGX*EmAUYpi{)TOgm3hRZtEmxwp3HOv4@4Na`X znGooSrRy_U5kG^+5t+0q681$-K@bN1*kmMzFpEfa01Jmej;N_dUEUT~?9=JFtHxoD@xwi<&FOSkw_CNlR8MD{YZQoT)jvdF|xXH5FC za|o9U?;>UiNH0+=c|u zWTP9o_aX#Vx$wAjA|ln>ut9&4Vx3%jV5TpINdcQiSU;tUVWox$!v241{yJRFMqA^> z@v8c&nwc|35>M2>OVFec3v#y>mN|vb=vQeN%KkG$r@ENPP0Ltn%X>^@$UyC8U=T$; zBDOJl3xr=WcnP|=#zfB~>(Aq1sS{EkP>_kQvdGqsBs-g%)c&=OUue=~8AzK3a?$#y zbZjJq!oqrQ3_>H}8#C3RpWUQ5gsHseNxDnn7WOkb5=+s{}Q!9>

?lrB88!Pe(Z5b=3`)3n^qU z*Njk^;|v+NW8OqkSxlt$dyvyF5f#b3NheVpePac=zVh1fsf3MuI(4t-E6Rj*)+r7bfVh#j?`u+X_qEYCGAYZ$X`wl9LL7>zj!?LBn z&RTwQE9s`FU?D{rKT%UOG1oF$ogYEPr`D^pt48Dr4A~vM;&@g=%yOheq~=eV*l;Uz zivk55zZ>|R##B}$Uv``^5HFHeCg{J)CYxr0wLORIm}x}h4V31qBMZN=mT?P+Ni#~U zA8NDV{a^S)`2_nERnIDY7+qX?@>7VAC1L^*IGx-Y^pefFE)>{l`81lck&jW`xCtRh zt3r-6ZKlqkzVwSGn4~yoi;?fAC!(a|h~Tx`VU}eT+65ECPbcgGi>!-bR_zEgd2v0& zUj~PR!*Koz=p#7A)Y`LAH`~hwvMcJ5xfA&puE?TylAbF1v<_xBafs}t_cAnX#zTQ( z$zJik3iH&NrW71SJ_2irV={Lf%L$6LSVqNp+T{iq@A@5C&Y z_L&hbq_TYn6~wf_L2Sie@~P%2F{B60GFH%rwWQ&N7(;svs}CmI?vr#kITkZt1M`u( zC`O}v8Wqve@Fv6WWuH`_)5a+g^fcNsB|_JhQ^0XCs;IYyF4b^u{U$x0PQ*}~xkH4( z)E&aaNUg1!H!p}{`%*mn49>T=r;Mgj+gS}>%+OqCQY3w>IsXIL=CZ6c7NsH61Y(OZ z!%U`do%sQW-=h~9vDTE1--baXNSYnb^tBBqCwft8ZBV6p6Vjh>;`_>lj~Ab=X<~H? zLu_Q=P2nQp?_tvAKa&5;V$)o2?LB+q#L{?2_BgtyKg5e=z;!Q>mFPe?87AgL9Ci4?xA-i9fb)?685r&40Asxp* zB|51Dk90l8Y7cG{3Rq5Wdy;MJ!f}?jlL7%;1)+3-1&-0C+8DAcL`{~}nUHA`kxq)W6Yy2Z z9}X-OtB6TtJ0^;p=Ie!sp`^WP3{g(>5?3mTn8tAYIk5#+7Q_$q{wT(1DbtipLfF6- zG^AKt$vJ^<&=OU?fYy!Cs?pVjtfsv-H zz_Y&&Cq}WalB3`?mgRa?*n`O)Xr-i8kzLs7#1E$Fsa)$$Dggw=%+4Us!&L%MHia?d zgqlZPHO9RiaJ;`uk}l6acK~;ff1Pd)LiVP=&s<%z;xH@hC*#oFVac9y)#h+Vjemx@Fhw?s0ROef1d@3Z3z_I$V9KHuO zNtethWGK^^*immIE{=RFA0Mx|-pf9Ks-sV8a<8axRA4XDJ{x05oGmIbmyI2{|BI?` z4~U|A-#-UAx`*8vm|13F24-PaW^q?`l*L_PmDNRd5oA$NP*BuWP*K4vD&7(k6Z5Wk zD=%bN=3T=}W=4f&WoD&ipR}y3tW5osm6i2->HGQT_s1?|C@^#8ocDd6=Y5|3$mVnI zKoSzk#^Skfm$m^J8?GJF=JR|@H*-Z~aEJ7&cFS$`n;UzXzvLU{OF!|9jbU%{wx`B* zjRwa>GJ>4sJoN7i|Bz-#uB_qN7Y&!YOeUrKP2fsFCG{kc$gm?Et{xcm%OxKK9&V}#7G$OsR_!UH~XdT4xpz-d- z4&T_SQY<>d!x;|GfoZ%&g}AFXty8E9$J#GN{G0Y6eQE|4Gq;mPih~EybU1<(kT`Lo zw*ZL}Jcz0shqGw`TyNP$^a@dT(H>A(?Z($BFU}!_>Wz9m1Z52f}mMo5?VD&NHlEu>PU*&$|D(`YluguRmDojY6~%tTAU%c*5qwt8VF(u+T2>oMH+Ihyi8>G_2=x&M9X$c2f|jD z3$MN%>z(_Q_T^aGhhrN~m1fb6oJ@yvEK>ppYeQ^9j5@--5ZQVO(R7yb0hz`xps2># ziPCwjE;dg_v<^MH`r=KU{hpbRGluq%Sc}sb+E{gw#4dV5l-PQs6H=MD+Fx;$wJZVW z(xISADH26I3J-;9l%^14fgcf34v-7dFa{Ulfe)_KPaqJm&h@-mDh2e)5p@l}B8H5@ zdT1qdp@8$mNu?W+Alrt;nLpRHPN zcv!6l98dcfr-Mzhn6P@jqZ3ZUPcc8Tt70o3RbG=NY=1*Tp+Dn7B;Bb){-HE7NDte3a3Nn!(m-I#Dg@TtY*JUm4f@fo~U``XT!)f%MkPX3_K#!4KZdm+K3GDmQdiLN}{3&+u!LKXSGGQ-;sfsm%mgH1ak{fT%WoW%=dCpV3(QOEJ^*ryQMq>*4T>kHCo@KxGcs2-}?h!AehJQ3nAk^f_`pTNgau3;C)FzHZNr$c?+2wQEA$ExetY3*j_0n0Tu`;caOl4|jt z`Dr>x()v(|ao*~JImMSd_*QsBE(|@&F;eeHBDLLeW+9jj&9X?bIHu{z5);yfca$UH zQNl__EV(cE57VtoH`hhH5rzmCG8UnUjF-mi@FB~RDEz4KH7w%0>_oek)(%fxfg28vuf7tiKzC>IVUNxSaYze~;c&C1KPr-^!WDnj-rqYq7 z5(5^<^l+`v@f-iX&iNmf<7qebQ-E$B_wXHEk#8DEFYaV};no#uYmk2l%$^m$!W`${ z=Gk3tt)GG92l^shB>YX1Ix^x8mOTwUk#}*&-{sQSF`%l+`l+{=gm&)`arbSp)h)HH z)GS1rM(ZqD2E0aOX^MHYp}~$X5)}T>Qv(gnCN;!l6Fo2W>N^sivYNnr~@l#W?LPL`~JZ#9eY}+Y(V^PMQ8lue4bo zXVpA-P+%XD@Dwl+M8~Ash}Ed&s$%1!D!0fS&bEzVEc@2T0DmzbFjgW!CG$FGqNA06 z_O>E29gVh!lKh_1r^#e%wSh5PE=2OH^az3(lQkI4usXhD7wGCYN=Lc{=hHK$emb$I zbAUi^LQSS#eu*pMqR0X8Dl+2g;>}DWbd1w5B>C~8j_qr(W!D$Y@Y;{X5s&Q=ohrw- z4AucO$DYdW=(26$+R^G#_ETN+VYsH5e`0~1s=FO*9+GRs5s>ZitUsFL@o6`YDzEu^ zldf&&X#u-Y2Uv-DDV1gMaX>c3*gO~V*64-DWzpRmaV-8c_n+Wr0O=}9Yfb2wS4Nd( z!BFK%_b*8O9H%Rz0@u5!s--A`uo-FGlyJ@C{x;6`g#8L@TP}09A7OE@ucXRJ!8Z$= zX))~1MI5VsBrv8mV#kwV?h-+B;7{R2as&oGMtX8ku-*NAHo8ILzR91Ulm^J+QB7k+S8Wl80F_kVfZRdVQq2ItqEQon4RK;Ei;#_SXp zwJ{0!a($^R;R#Hu_M(?OO)G?V6}?WAJ4qjBvGcNdv!QC0Z&KBCI41d!L5{Nwi}0i& z>3}5L>w`R@p*k{rQJu$&z*lSrR<*qd`)PhJ>PRcb1AxNGFqJLyEvdsuMM0m3`P;hfjm3nnl> z>8{i&uVI!9L3K0*M={^X@5nhy7)2}oGSu*Mi=`&hek;0<G&lca|jwXU7@h({>3I7z8j zr_kPIX^4CWj=~2^Qjy$(O96`;2{)==<(qOenGKd4=%}PbTi=e(+Stjri`}HN7Sk#t z5!oAh?;D+<>hEfQM#t}_j&8ooVo;v1q_JUCHVUHvj``953;U-I7Jdx*i5(f`9)SQy zKB{h>%CxTx-&E?BR@fVnQDuL{&$h-h@PJm?f+ne$3 zR0CneGI1K|JGublEbbX>5J!nVoJn`f(Iyi^My1XY`{F#U1PLE(UWLt_`+Kp-wZe;~D*OmEB)R7iLGw4aSpOJmZ zox1zNI%eP^EV$h^#54sCgp+yHAs?gPBdfHZ$$UPesXe0V;H@P}UT%&oaA#>Xjv-q7RVlkrTljl^XD~ene9lLA)oPC{vL9 zI+H29P}Ud8>umR$uP}Y(c)1kNycc*615W$=g-xPy!b^yziHUTk>D4G@uXeRd<@?UN zIx!u;Sd5tx`K0y$Rd2d|TT4Q$o(Z0(LtMS+W^pX(F83kl!?hLmg~{e8IB8mP?#t%U ztStf7!IayuLC$z9F8Z@$KCLNgP~guYCG)&43rax z^Ddpj;TX$P93H4lWafa8ipu)?sRVbsm47yh9)t(Iu(1ulvi=-l0=0;IC}-BcX+J4m znA^67EI}Hd7_C{Nn3(GRc$H@fD*O|#Vn1P>T^uxZ!)DaJhbyqQv3NN5m1kSPd6hV} zh(2Wt_CO^-7+WWBiN_AxQ1T@=gR;eAl`qhF>xUA1PH%Z+uYO6|lw7scyv9(!!TPO% z#@FsNo!~7KIVOrd!10Vudpo?vi6x>!<{};D__lEm{YH)AdRVgK$V+G~w71GQ?6`8> z_e#?n_!s|2t1o8Qy=7spWX7KA&v4qIR z(LG#|O|~$Hzu7L%!0FoUFjs=-M>v`U*?SK{0`Xw(9$}d0&|8u>$~2L}-q$1;E4$e? z3ellgb34^97Gl)j^SYzDkIYZ&v%nN5mYJGqtojnw6xGCE8AMK?VTEH%vxhK)@NR~0 zpP_LGpKm`Xs||x8+f!^)&(U#s2##v$&s8%0Sx-0ZYB;k7(s_a4`<7WL6xd*{+35~f z7-^dm$9sApW`Vl`aXs-kI=xUwE0|AF4m*3ab`;^BG#(vxj0n!J|J`zhQ!-#J&|Yv7 zwyyTwz>BS>SS=Y{tF*Xc39Lh0S6K#XPyxAKgEzdVe2ox?m+hNJPkJhl*ie*!?1R8F z(NVJxtb&CZp>|V<(>iw%69Y3rh7ZJ`P?Y*ABtFe$Hlv||0)uyJG<|5D9^o8=A%3AL z8oqhU6?H9q2(D0`2ZNyUcv%!*X&9JQgfeSo1u&PZNGzgRR4Mro(((kW+$u!NN1zhl zUs8kQ{owxr)(mnIcwboRODJ0~9@H0&m12o(BNF1srFJY;-6a#v?Yvpj>T6 zrQ6zTNetN1%Q4OwNk{LJz4*>ezjJ42?kVgy=jpMX5Yj`O2`JR*)th-&Ou#3K4%06N z(%gaL=OV|Jn{@|EXN3}B3GK|{+^%D~pN~Xo; z+Z{poP!EnxZcW3HYqAAGllb5WImEuz=(jg&6T9EJOJulK_U5XBP>D_0jGz zUgF7k098OA)cQ%&hS1Znt$a;=Ae`oEJs!A~fKzAsRtmhUP`Vl|h@zLi05MM<%I2Ly z*qr;mknI`Og61KTjISeqa=Qg0(JB&hBW! zO%FJ(2hF4jPVi7QDlQE+;j!W(C{oVRxS+(2VC8sj0dDiW)=9Qz!4dX=p2hK^7oM5T z92BenI8L?Sv+(-cZ_&#{l4k>JO$|zPZfAVaCzD=c4U@dyNX(w82=^w3IfpzG_jHd$ zvRp6<)qkD$o#>f`!10WIl9l#Fi>tsmr3lTE`pl-YNI&x>gJ&cXexThm^`xlscR-}c z1*~W6;D(j88R{Z)O8U&+z^mnkJ8KYSWi#DjG1RcnbG{qqiSUe=e$+KDVYt>2T-3f2 z*>dMSpb*Yw69eRp(jlh4v|wF${qwxXM@D3M5ZWI+$}I98LUoOdVp>DtsoGYj4JJXSjR_O@;vpg*I!h|?u4bwB1AIO7 zytb;dsW1}y_dz}%-m7iW6Vb6woG8g6gtH4;DH2V%+jI zc(RZ)&`(8{eYPjVN`ElU|L_7+RRP6*cXNx(Ob1|NhD9)v=L8mbb!Onj$BT6&Mx8>A zD2n;>bY=>lJc>Nfnmdtl@Q@{EfFg#_#nMtcvMOVIe&-%5APFn&9|Uo~c5k9%>5PHmB{D{cmF+*rmOyDd_)8i$>mPKz2}B5Z&I}8b+N^9uF3qpgbm^|Q9B8ieZNLVLIg!6@ATfA>`9&QBNA1_M1Ea^4Ln1j>jtzN- z5iP@uK`Zhla|j#p`mAU5oJp;{bpj0l8|Pa?wD&vnS?)8KU-;+K!358rxPS80mJW5m+!dSb{Uy6Lncz5SnOu1FVH` ze!+Icuh0=W^9EfdrR#;YI7b@-es?w(0_Q}+*GHV4MvG<6u|nqk%}!vew!^7Mr+^Ee z`k3`I$|$MF04Ab(vRP!+S^x@{01dPlK8^$(f?sA$DsU=aXqn)R=hmm<=>V+!%Isls zR8wFeVmJ6;DKaj0NF=BMaH#V4RM=|hOt_A>(2_Z+_ABGbTGJyS@xqwL_)X&hC}Mha z#8IT_TlPaL341FMlA*sW8J55V6#Cyrf+x-HEb{PpvA#30FAQPVrnh zNUd$Gjp#GM(Jj%;6Y_bGel2{A}xO4cK^N6Ml!Y3E<$!g1eS zA-%B>?pk|faKfDi=m!r6!1-+$zsrdA+Nn--lqV1IVZ13ucl#oCUvTn!Mvy7jdkcQw z0^uai$?AtmAJ-}&g}l#Rj9oq);Z-pCT(Y|}-Nw$0#PduyMEMjRq|+LZJ$7cpRPz~q z<3S;EUw@ELd|~RYhaK`f=RIiWBEbdNmQ6;0(>yd3&&!QuyU>@Uijgo?=^haQ*u8q? zMJ8K_0*g<#lEANw(0~Bw$BU7fPVC0tAWQHw)Ax+;Gu7jJRxsKY!S8e@cl9_(ZE$@k zm{ebBiV#bu;1k3WsPDo|DCycoPAA>KPn{mSIg<|?;JKX3U)PtsjEXP2TTpmbnDgxl zdfJY4j!l5=ECq(Y+6ko2^1>3@lVd$HQm@z-8JKAgzM`4t1RbOYMS>uOJi)~=6X9W* zX#a~#Ep;c?vuRXTaY%jOdNrZ)xPWAaC+J;*rM5YSzOglIgw>em(z-MXldR<4rF~Ro=Jy;9WSJAfYkbQM?JSDmhBL|Ax|sPBH}r zpAfEvSx+yvWsQen4YJ;BjslY59kDA@ z18o{DTYri6;Ql>br?o+urH$>xT(iT|(G~P{kUA;a!2HniFdDAyJN6@U$ji3X=6`JX zChjZQGt^hB?vcg*zCbe8saF8-1v5R+=-HNdjbV5q@nSc7oi@zLHBo0#ECw~(? z&}4CicPNrq&^RfK7NjF}yfs(va)3ootRGX>Y+=-I)>}A%8#pe#=Y{`-z99YaEKb56QoOHVzNwNQ7XqeaX4Uweo43xrnL zAW)}xEC9A@`w<>WrxVHit)R7bX6mcM*@a*klskyH{ErkfVaXh7rsa;C5a!~+@z`a1 zgUCvab75raTOKzu=P_h}XD;>(MQ#sLufvdo%$?K12jO)PO5x5$+~eNr&YSa*e4M=Q zd>;XUzf33u+$Aq_wP!l!3M^m_T!RPFY7U&~wL)nA9V_Y&aRv0Tys|I=oraO)zHI-S zsQc)XJ#zm#I$s*1lOx##5MY@&)~WBzzoxq$&-gli-R#SsLOz8M(LRV{d^4bDX^*px zW9b1Xudl&bu)}>b8avf=c|F|3Qd>%g6sROT8<(AEpu6us;cn_eimiVL%8Me)?BYDt z7kGxXkJK~P@}bSYv0*vBZ6rib@J*CG6Rl=l`Ev9@Juc!F+)Tm+z&JdK3sH?=#4}9^ zkb9H&d@p7nt|OcC>NUI_tts0~`1Ne#kNy*tV&guOXat+|F!RrP;;7r=%|VNn01gj= z(+Y%h=r|e&fdT?=d$oBnBy-IL)=iWGb5PkvARe_%h*Z)h$cWyIM5DUF*$t9Z>9(Mk zuce@~VX~VnOjPDVW|`B6#L-MoUtjAOnl%{7_vfsIo{9wP?+^x{z?E2Pnaf1hzh_?% zNpHIQb_PcOw^Ur>|7!xE8t(~a8p2W9T$HH@g>5ehODx+X%N8TiA%E#8@UFq!rEw<_ zFm$Jw$c()n4`vdD;pWNR*)7TPHJY3|9LGua9&kqU-|6ANZyp1ms=GpIFyy@n3=%9a zB>)IS4O$ao)B2DCCJw9w#b|jelzQ{M1CTJEh*BiQ2OWQ=4#&o<1e|dYCy14Fj(RNP z2VpWblQQ>?RP0y(ft5{rdJ2%d3isar9HN6fnJ8RacCd-fPn1VchiwK#6g(ErMculq zegP;sk6>TuG@y-DP-t{vBIF0N~hdI zBoit|alU$>?9=m!gvO-18vZ~d6$NvHTF&V;Ctpx)cOx^ zUZ@8va#GE4?3)oJnNEPpMnV$1gA#qo5-wxuWtoiSoTdkI>g|9#tYr>eXgh?TS(%Ii zMVPB7c??NK2K$QX_z!t8@Piz$7LyX#3Hua(16PPnU`Jb}7CU3N1RWt&VECUSKuxns zU`;-Q`A0j>ky7;LFb33V1pu1*;K<7|e`iorIY!KcKUl>@s^_dG1}-lQ9jvwU(S%pK zfogbz?K)>9Pxyu^{q4sMbR1eQ6(zOp2t9etW}Q25pP%8>rvp90*jhbVsjjC>bH~u3 z&L=xb&PdwRoH}3D(C~}5t!opkr+9OZ7}_LT;9!MIOg0syB3pR-DcM8h&&R9o9jjh+s_vx%cE!^yRCCuAAuuhFI>sA2~%W%B0W8m zg>kZts{nc>S(sNg4pqKiS%de=S*|UR)txm77H);-UZYI-22}_vsmhnqQ?va;(*-Z?}vwyUK9=Kd@8mj}@h{M`H zj*p;XWaTf~-TL-*mI)R*NQkukCPpzqA(1KIIfv;GF#eII%M#Pb$qjGF2~f)SuE48o zoDgE_Z;r-2%|Ro4V~a;zj2))ujpR6Zgwq$%55aeQX8R;PpA?lVVac%<_LZBB@J0*s zriOWfsQfsatEWyJ0r|rmU$xEm8sSUpitmwFxnvy3>>8mI_%8ywPzv?uf6;IqH5QCR z9nbQr)*NaE1L)QkWq2k4@3vo>mq1WCthB+_ReEtS9n<`)`yT`Gwth!g?h<<4{&kOF zyg8|qy)4zg20wynqcUSCb#koZo_RzB$!xXZ!TwpoD|g-?Zqkao`cDW4_FcuXwuO~x z8o;7)coO;}cw*bAZPW3+++pl0BmM)9r?+t2wf%re#@cdQ*O;*m(udk1z>B;A9g-y0 zg6x6^0coWA398c)5a07)=-tZi?cMd@B{T|>L0j|abILtm5{M*Q&3R5-juV+VTnzq` zl!$%Ek%Mor_tLKcPj4mlun5~@#iwa^*ON4Ig9lBJjT-=~%?(@8Ea!i5XhZXH^+hqw z_6ofY*a%)lOR1Igw}e*{R&(o^IrV2p$0K)0rdD5e=3Ek>b7T`f>T!jE$2D%FF1kM> zy>x=*yYYCYHx-c(ij{teWWD+wUehNLRU>g+;r7ZOF?Y5HIHolGS{p_R@v|^=)0ZeD zcHh(qnP~mKEDMqsuwi<#5hO&VFu?)w&$TllrX5BZoY7%|8xK))n)d?y8^A0uz7()fwFBY^?ql}Ok=mEGWWb?qXcRB9h{P6`>KRfoerzW&ZnzEox{vC;92 zi5YlvE9R|9dYhSxZELPtF2(|}T&g~XZJ->Qz!?>T|7)R}I9cg0#)^|+&$bMwBqrFx zjUngN1HNZFf+K-gR1zD?<#E{NsR}FJtUSagw4br~B4ouve#KP$r3j}YwQI2lnf!kXSRGmVUD?|APv-5@-(1ag2lYZ z^VTT*tzc{)2K;6nrq&Ebe%uQ~0Y@NRMA(^?js!{U9n7aAb{yv{e!Xu5wRoBkmeilb zp2}5nZ}ld&jS=Qie}kV7XUGh!r;>jyL@X=@;2WaR5)tuLJxzYXX3u&g9)}rW?T+@R zk?yxFVJr8FZ1XerA}9ZTtS2_wd`G0Y03r?S&~{i(Q@;XORPp?`Ie@c$)YnJ58&2n& z-b{n?QAW5CJ%3i;dMb5XZbtpz+ZNWuBU`rrCG2wT4)j7ooSep4#T5;gLvf&#gHA&z z4!~O+bi4YzYD8o2d`{mJjE=*>bDn4h_{($J@h;pM|2b!IL_6a@p{-wDlUywaV*|G>ShY_wlLwHgq$T(#R5ZLv}@x~Z8l<}L3y zivr~+<9O@GV8pXQ5Q!IpIH)mi0ivQfnikVfXuLSqy!Cb1V!1T$UL3kwp9k|@S{*X& ze9iV>%mfx7??7a|1~8|#Lr>=__xSs~_!-&NwB^E1h;Nq#mk^`$MaE!v-)vDLskSKS z6%NZ{OO^kzsyqL7sRekH@Kp0caR~AIuQYcCu3?w5z!8hxGN|HVGh)P|tZHO_7^`k+ z4*+c)K|EZ}%uY`BY=kqi|N02>eb%~VjSEW7AmWtgv<+`5a?aGxxaS+BNYsr_+p1MN zcP7h>ywEzFV}c+OR5W3rDODtA*?(SW#;2dfKhuT2-VL3g2Hp%@(96EBTyJ74?HN3a z*Ju$2&%rRpiVuzkdF2sMe1~hl1mE-->Nm2FNod-w`S?6&5c*=e9ySv5N}U*=^^hoY zCqtkUFh34qHTw>ap9Ed$syrtGzpV41%z%`=J{@YU84nrgsnuxi2|?VJB}^0Ig;`kj zS;;FlB&g!M0UvU|gBC>vJKy;-}Ru&#kzvudxtM=Z`yQRp5qIY(j~qo!alPQ5i3Rk&jf4Y|HF-=~gB z+YyEMbP;VXSE?L5gdK0-p7lNrkPTr=|b!QkaMKgA2Ck= zzXg24-HeyDAe!(y3zMTT7vNZ?8F0xYj3(Q^H~Z%Eg^^BH;u~T;B#LQhJ8K@9OfEu* zW%a%VI9AC+tF=e_CA(x1qofrqz^KwVgJ5iaom2sCQDz#d^FJlTD$qok7Y-t2UN8mB z57%zU|KMiJ#|gHN%(oI?0-yEu6IoIY2r@pwc^pH`aU7}O7+L`+^8a2;1t7>B)JO&Y z;b3iH7|BMg`7Lo=P7{_aKQO##aP|iM^P+|Rmpd*(74XolYw@V{;i9E!m<%#jXKfeO z3dkyzgl9U+j*p^f_ri^I224)vg~_SsMZS3jJoUl>GB5bBF+zx=UVnZ4*ECZ6jo+S& z7i&APZMbs?;!gR$bavIDX$P&);*bgLIiSbwYCi_JG!`p=V$~F(;FYP#Ai@`YBwGuPlBT(cQ zN<*o=Qv_}>XX!whV0t&&w?YUkF7Pt2o@S`VGW!{pzLw(QYWPBQiF2}8yu=!*SxF*eAi3oW-+`>Iqslz z4uX^{p!45DX)~xxvj7xQ4#6Dfh}2(Teurgzu+(6}h3R9drphMT1TZk&0xZukV0i-W z?=bG=`4rRb?qq~(iX+ua9vAfZLWcY+O$mK23t%Qz=MfQelHH)EnfAtR_=(y*!50d4 zgyE2o5^RvWF+8@~1hl}~bu8^Yqt4ADP^HFK&4A^eTY7?~6t~0FdGLyBN6Qg`rI{c_ zH|+s5HaDwxuw|bxg$#lKZrodaTDOY+>mt}@IUB-k(MAQ$FgGcNaibHQ4Az2teSWYXErWf52Wfa|d*bjx2r=H1aSXEUw?%n*}N zsede4VKVjvyw#i91B_5Z?r~T%VY5Tex!~+Ggl0nuNLdstw}vF^7B2Pon^V{Ux`&%e zeu^SJpa^eGmO?wDZVs4CB$8Ocp2g+_dz9tFz-gCZz z3rh5G5kYNi`MYoGFg(?S^<0JXdCa6k@zjeD|0b6oXW=-}hd$3MQL9cu6tdFGd_d1F zB0|O?c)Z%q0HU<|o=4|ovYoM5dWGTxmGyXuNoA!uGz)0!?htDihYXb!+H2AR1K-)m zl-e#qZ?F^}CPvpo>021tx>YWNM-xG zCT^@hXAej{6gOeEy~BBNd~PmLghk{58HqCqD|_kcX1!>Z>)@;xc-e|)2;&4r z+(Ro{KZVqnlrZt3NimQn?F=gi0GHqjgnIgw3xP!MOSl?OQHSspO$hDgug5#T50mfH zWa0+vR090vCkL~vgBY!X&?NspS+Pa1J2QN*$)a2urfye0XX|yKR{T~ShVv@* zroRl%cQIae{bzcd3sANsfLf-qz0;+&5qu7{e%pgzOszVT6k`hdaIGVUOl^46vllTw z-prW0F!p>sc`QpE)jq&f%|HtY30svkzWo_F$V`Pf3nD;K&AbU(RWjCWdaEcOnV(@v zjWQHwl3xbJ4o^o|ZY(g>M>0o!@7?^db~)zi$1gfrSPGq^K`RZ@Ug_dkz{W=5jr@Nj z{L8SO4d}2g=z!j1n)76s8SEeYQjX-$$Juxe)-m~VY{wdY=vFJ#eCM<5of+lC%{v=LUImth zGGwHhFRUcnZN84N8TWHxayRuNd(J=x=l(z%!D~T|=NroKFu+zws`{h-Q`YhyJ&1SP zdHr->a8Z~;A5w9;EK!haNH5Xgw`^KOh~KxA5tzNc_hH9*9?nIaP98zIDpgawh-Bxz zTu$=Lb3Qv8^6&9J7lD`FAL{#+8JoGR(n@>F!GhPw!--sxI_c;|dCB}-B+n|!17JQc z7iqsIf;zHoI$Yl$8cqps36i`>9PPY-iXKC&YhW6x!W=K-MdDx_moYgI4|`QfA@b$n z)P}h*>n)$;-g%}KX=zw)amCBgneEPr2*1H`+A1XXDY=Z?%dy;}U@~GSow&2E;S6Ws zCs`QA{}0DpsN>kG4^4e%Iv!hep9W-(^nj9M-%4{0N2_4xo(z(Sz5)Z&;mm@j-$;sQ zA;S#jt%63PXp0+&vS@X*_W)8h!_YYtZ?5{jre*W^%oxj~IrM$c3dEdQ9mTJS@}0#g zWEM#Tf~lOttHZTgDO!K?lY+N!!(1#|CPo(a72~8W6i$-_tpMHn&G~A$PynqGoRL}G zBI_=YROS|JX`uO`pZmVV$Hh3V$vLT0-d%+IR2|`*Al{j?09CuRXF3V~8M{rtMW}UX zq4%|f!pA`s_a$g8$!LLFzn|ljuSwd`Hg+Gw{uPBcVcAoUl(A4vjZH9pMcen-UV}TU zs;yjX==K3xfL zHT={aZC&Xmeo7|(4!)XZ)4enfpEfUY2t0Wy_)OIk;z2sVwzg_H^GR7xND}pDQc(3d zyCci*(VR7NF?kDYQ|kx$Vw~mio-If`5`d_qv4{)`O;4YCnlc@fRJUg;PDc${l{!wCEXlVh2zBcBRySDk2lKo;{MhR$tl zrf-?&474XjU>BO2_wijjqhH^(c|QAW3XE8_ivS}Sv$~_Q97Ma}T=FF(?HUTK5&P2We#IP_aBCK=8aR5_JqkTt0v$_+RFf@vJ)xO&w+-YjN^<`Nd<3c!>Oid*!GY~e1` z`*IRHH=aI6*5XI9d56$YLlWvofr&*ArX0{saRk)Y)7=}9(%jkwtMs6%;$CO+A6@j}?QEH=Dg@3wbd?{kgT365fB$bf5E|0WR)NYs zPGP*YKanjWd#i)Y+$cmf5c}vtS|cPdqdYdw{1q$zz}Td%^T}75O7TguwfRl5ti#c! z!Lg3bh>|wwY-=o85hTOkwcrfJ6}|rTj_RWZDrMg`LmwlV3xCk!2-M5LE5Bcqbe zvQhew*#x9eaJ65;{mF1p8bDNDHkp)~Og^F^r5iJ*Dn7VG7$%zhFJz{Q;{YtfH{^h? z21m-z>a=)VUD@GSg+C~c>hPz+Q61(;zlF&saB6OT{46l$nmMx)Mt}bG>LTAML+~c} zp~(R5CW#K8RT-?n6=jyNj=xFG$5$Q}Qeost!%;#3bmOUs z+ZyCyV4O9rx)A1uqyP13m~BhOckm(G1JMKEh!^mW6fq8;C?j{k-`#rqAM~NJxaSEBSk^7CF9!YhG2e z?+KdSxc{^|FdEG*OcrR^2Pu8k6||ce@`IHT=KURUG=VS9~l8rclLtu_cg2V?1a0iOrMk`51#loF5$7S*Pc z7CeFr!qnaB|!1d&`Rl+n_4P5^0vu$)I+uSE);36%n!ipo~w;J(!^ zdRUBpG*T4APsC{9s%WH>0247vg7K(n-4MG;vkSz~}+;OG68OLBFStQ2-FM7Z+x~%{oZNI62dKmY! zRdc*=UiEAZW}IR!AL2CTm>ax>`l&JQvt1l8eK4DutHe=DW*pt%E=26B5tjj*2Ej83 z;OBx9l?TRB=8}K#9MT=71Qr3#6f;v`uYK0YM%(p~$|nr{H`WBG-1Rm8eeC(WQVR@dQF)zeg~TmO*CZGYn)bORa4 z8H)$f7%m;|q&Ulygq-zA@I3qzSHQU9qjqWz-ni11`;qbnAgTos7=Nd3?Z8%pNFC_R zM{1^x5!-}5vY9*GvXyO!psQqy+#hdiepxmK{$#i!Y~RPoJ-i9n*@_%RGy_%fYr%rX z^EAo~fMb0Vb+k;OUc49dd%MVG62tBGlpt}td{~`|^P%X^vyEH|*@EAYW*97BV10n? z5s48O&wLk?6z0D0A2o`M!~Z46;ir;|uq$5s7M?5c0c$uHx(k~yn9jW~Myh@>k}cAS zY~>GJhEz_u$koFw10y=TiI|Ddv`m6?whAmSCIgc&1^#=g^a%y3YhgGuwf+$CK>b5X znG6uXfo3hQSk&GoN-gc7hFU+OC-G!_4=x^=e_<8Pcr*&eHRFgiYa__j;fA_K6P_$j z1rIMEB0vp8&xP*^Gd&kk@?sd9s%zXLCl=@XujAtK&-leUXB{D{v;3e5trCkWk(}ti zMMkh|BS|fjAxvV%;KaP0$n8T`H*=*BI-nVKFW@<$Zj)P8rf^XMur+t~+!WgoCR ztIq?TWp0UphF|y(Y?ZdT(MS(tI~M7O;*lVBttfTuTj{csY8%!9HBS?;{;J8S>Q;#0;8_VxD6!q(K2P39P}| zAPzfl48}Z67!jNWB?&gzKDjVX$mz4C#+wx7kfo>CS3| z@6dFBYBO*4A|GgPAaWEowP*2j4L`;bp@>AAxdvj4Xq$Vp28R=`3;EY z&p@0WF2s_-rnNe}5qMSR_=MOnJPe91JCs1+>W5~Vf7XTWHi^=j z*ybZd41LP$c>(0djW#(2u6zLZxj?9BIx9k*CI(;>_t8Qc=g6JV5)PYBh3_K$vEj_+ ze}tUYu32jdeXcTAP(gB#pzZ=*mi4@b{B98D-^ZLkgFK#BhzuRJgWA^-xGlHX^aQW{ z6TvpdXX=@8p=Xs3{of1IEeUbTL>NJ+_p~9`FG?a*q5Hv zk83@{!XHCd6#oiyQ4D`yFR(3Nxd(QxUC7vlD4Sb|Y*DQJ%SeC8sx_;qatuDXmWZ*aJ^x|X*FHu(d&7gfux!q#rp<=s+ND*DDdMz z9w`b#$xY??+_zx@!RYEFZlPclGC2tpP8WkP)y z55>d=$EQ3S_bF>kuAHU`^(sQa*b zB9V%eF5(uv+C2!h?vWRIwj#l4%9d=&at~!t=nTv0co6&c$9lSnn~@jYwW$+Hb3Mlm zqW#OxA^a{3)}NQxxTfMn@Z4eK3MD06+q60dGuOs6yyP>%H#Luov|S>M3tUmxa#+DSI#FNWS1K=eR2)%=el~i zO~^_u2WtIY%nET0^*7J>-gcR?03+aqBuMdFxjxr2I{F&r8Zz>6gyK9n0)MUa5{ua5 zU5UvZ;>FSAkZ&cn2B31g!%SXok5kflZ=fJjvnW936gCB^@u`Vsy6a z*l+A`91GoWh`tSND*FsIJu+LyP-Z5U6l-39G7Wq^HN7LMb4|Tf+{*-r(hiiuEfmJm zKfMbuai|M$B0XRl&2_Nz9GFqkwMbt73v1*aY^pyAfwWI~y05E} zJV(w1mcis8R(<8H&z+v6wiWxEekj=Q?;fnUD^Yyj2G+Oa=iZEA6HyLi5!}V?j*A@P zB$8+VE-+PLptn(VlgwP-RFS{h)Qhgsn}>?15H|-#zjmFz_;-AW(ot(5j5m@QRJTnX zYk$QSrK0Sotiy2vRWN6eTag^0KLqZQ{Da^TNjE%(|2v%>DLJvO;WxhWb?TX+7;M*W zbYhg_9UOdCtC-fBEnq_oGucoZ9}a<|v;Jfog1i2c_DC?Rfbs$ybOsTUf9)m$`h@YI z1cYPAKHz@q3&;5JwnH?GQI!^iVvx?16bfh`!`s>ZZd{Yc#_1oC_!G4MN*R%uHrM;ivn; z)T*4qv#JmtK%^Q%Has9+LZ`5uK|~yLlc*!(nV?}MNE1#fmyrBTbun%S=pU_^Wr|EX zIMMzDk-e=X&J>%YRB|dmp!66dcGp|XM}nCj=oT_tb9-jVAZ0YIQ+aCC(d??N9aP%_ zYTg4N81)WTDKs&JQQ(m(TH?OPZUJyIr=+@>zM-~|uKJ_Ir?^X16uFn^r_f1K#v$~w zcDwQ&is)RjSg8%Ng^S7e^#^D=Pin44Mp*#a5lA4;K!RawJlYw^X}Dg*5TOvk{1t|+ z#8oQrY%f9)F?|ws@*W`l)p%DHc?|5PInGE zazdF&8m%Gjkz%vc_B6~n&3I1f$<5gvmfgYptslLLB!_!%qFAcTa|NV`INqgvQpANp z&2WgiO?1O|%7bfE2TuWU7qMIS7y|xeX-XVo7C*^k3zFsJhmdOk>1;%j#QZ7J_txu* zv^7yR2F>SDrVC7<2ORi@&jH5XEM)_A`wRmJRqDV1s!z%#Wd9QZy(MqF*oOSsHH^w& z0u5$Zrt|enDB?>dyavGU#2SDv--dwyAoDvSvRA6V7+5Ly)#MQ4Y)5e2O{z0Jfh4vA zj+|Mb*$c$;)r`kz(FFwU1$Y8dftpv|kd0eIk@z8qA-=;V4$;G4I4Uve9gFnsxI~cl|foY;ncE zoN4;9K#Ir1JqJ^_+hLDcT>E&B$HOPnny0#=lOmjPaJafIXPlUtgi`6taX0~F%Sx^d zD2LwMa_@+q%2BfM1O=&}yuU62UKm3xEV5Lu=tl{y{1}C&U*C` zIpnVtIuA_OgB-z*mBkOKJli7??&kc}{Q<7D_RsWE-Hnh)3=uSD9Jvzknq)M6fy^p^ zRYLcvF*<;>Sgt~TTMRP{pTQ8lrYkuj0T|#Q^(XZXuNz@ojhJo#CoLhn*!KF1RU&-~ z@4c)V8$o#}ngJ|}lx_&1)FwxMFkr5_vI@_xVm*ErsH63FX!{QcN@-!}4cqWt@T^A& zAcol!--iud3{?#i1GAgBMcAq1+Kn(};!NC+7{#_g8hjr%*br3D;?KtvIBpYjqTD!5VjzfQr3qq`B&5X| z0iQKY(^^U-yf6Z#qoyQ|iPfnXcaZRU9CO=tPVbw>4~r zf|t_WwaIs=v5;IehN7{f9P@b`mDybX66kt58paE7ykdocO_6&F!t*h(a5q{*-wgl$?@2vUsoF;6+h zF(*?8%IY`jDz|>5_(6i(y0$<*Q|o2lX5}LCu%)4{h%F$F5xq2RDX23G#E*J|cdiz^ zL}Uu;Y}5o3Gc+FnTeUtQ*fAf7zS^^Gs@8FVrjbl$O_<{AAafcfdz#w@Y06nhi0Q<} z)Q>TZAo7UYU~Xv11Zx-$A@`-6##AFQU-QCLEYXRx*Hfj$eYOA zKZR@8lJr2SFY{tWMkw+uQ*Mz0F_4GKvY;By@f_!A#z(2oKm^>G6^0aPfhZP`Ubu(Y zJRjHw^bcC==O`e^PA(w=^i+W62CY9u;k%?xdsTsh7#<7C8^EtZ=Cf*HIn64;JR+^! zN*HxWzGeuFty+b0U21iF6-& z)M7(jcR5(vlV;+8f(2t8%43lVkC`dcd z1kVSm(;zAbvL_>n^!hJwM{}|twG@Zx2E!~$_BKh%3kg9Nz*w|VGGg#eKfuTbk?L80k3ErrmfQ|2S8g{`ErjOPLf1;0W6rvz_6cZ~ajs?;vz)Fti2v1~Z8 zLc2eJNL2kU#j{zCN&}tpFoq(!Q=Baa-M*j?_l1LuH0cCWw=+lc3E*IeAUbDEXhpZ< z0RQkQLmO@}bT&YFbobdk6eOI{rvlkZfMGbwp;~#LTfh_rFC^H2fqY6?2;pWa!Qn^t zVZwD765Q>zm8K|5r?myqR_VPft9TcJS_#TLi8Bm&6>{O5KAURByoLgzW}^fm7L@ zpoEaexLL?Y2__=g?JTcehqWMEs7p6*z|Jz)O2Y;jn!IN7V6tIuG7aR zID^UqOBR>W%78G_k>iQX`^qj7<(EO8dMh}Z5HANn@LaGS9d#a7^Nrp%F+etQ5RjsG z(4&FM1)B0appT{rljbVxNx`h(r`C{B1XAlA=eT2^tuYthj68&kFqaFv9IdM;x%3fU7 zzj-9Y7!y5x*jTJ6EmTK&Ou`u{={C-m;v}j>4flaD)b(sE@dfxoU2LE_9}MMOkuB^ z4ul?N(+Fp!Hl}=vvmobiEhOLx3vucOL`(#7m=#=_kdM)*7c$jkS*bO9 zn&y$px56IO6Cw3-m@X_k#!zkO4pPDi!VOhr%8vrGFRCMncL6y{=BakEnDY6x%~qNy zgi+K>x09$e_(6=aNinGt5y#G^1H(*Sg0po2Es*k`H#|`-F%oUbO!6&7EC4xS3P5qH zOFift5&^P682c(w$pXyjPHs4%sgaRtdJXBC>=c&WM+Y8h>a*9oc^=_wccU-y!4`V~rBiPkBK&jhew~JC=A!nMc zor_G$%)K6&Qw-jBp_?e92$e129F}hch`pWS|K+VQgKRm(5FkaJ@#1=_Y2I`M>a99h zaj>V>1KEJAx-B`F@KJ?&6j{I(y%(ogZN`E?$6eyBk_}bykcDthjn%kPxl2QzX8C7W zNk0oH(d4&>)&6(@26b}n78&Fvm!-g@ezh z8^~@^Ds&F9a-Rejlfgg+NOBoR5oBv}c47g!ob13&XTJfWM@ZZPynnW^UUc>weqiz; zzR7TOPFvs;Bo^Px#xDBf0QwO{6goOlY{O5RiqIH{ptp0Z_QgQ%1FQQ)tW7G=X@yoe zNoUBxIT&U>!&ObZ6h<8%uGtFZaBn}EvaOxDtafLi?KVwbZGw4&M&Gd9Bdzg#hmnm<{)WO_fTtRMA27Z@-m@B;4Snc3hMi#d`T>2H zeVM<*%zSV277{(n+7eXGQk1j;cf8^yKcM;$9qll+i1mJ~-X!<5(I6c^l%r8=O;TX~pFsb+@nFu*j$4g)rnlc?y z&*tPK%_kU`t|Jo& zd~luM05MK6xo?&-lKv!6r=S{$Ttjk34Td3@VX&rfP`v3{noVeHQA!9=WXD1^rH41E4rFr}B*q`|1v&1Yk|0rYx_`8_ZPh{4d+$!Sby0YVPX z(9?d;H8@xQvxbP(1_$G>Ioj#3i34B=tp$-Bc~a6 z^Oi*NJLVlWni)exYhv;lmgpxo|DZn{Ryumc88Q=)b2rs;(_Gh9DitPuGcyWTs@{>9 zzRy1gPW2KK0Y2F z?1kzAY5w0xi6hEwlopsR2BN}Aa^gt-G385|S>Vi@w6$;*)0U5}0n4VlF5tc9aZlDdP9J=k4zB_`B_-mtSM74@^Xq| z48OoqY#60ZHyIg)ex*z(MaFw18%m#|+2x9oKE#G~^2@;&zZ~)sUVnm5emR_~ zUQUFnq5^mkC*V%HYt6%9OR$4DS@V7KAua(&GYLj*D(&q`4Z;Pssfe`@DRVpsr#WbV z%*ohz^E=StK@h-M1iP^q)(Y&Xn+Zxdfq*$EKM4P%85Y2{HBaL3O_cY_V_5FGXWCWP z;5gzuPxNm&=MjKwE{JT0da7EQAEd#N3?1Do_WGh(US&k z6iJ;^eH#Yh@cR<#3tJCFOo4_9P+eD0e=2%vEys;E;LJyJ`W0#Gab{CfkWa zTfB&RfJa0A&Im&g4rY?Dl4@gGyy5+`ds#z$kT;rT>Yg+;s=r#M;LfDBMNC%J5up#- zvys}vx&U_{g#cpVyjY}8RnNc&Hpux%p5_YG(duMol-T^WYIg`8!CSp6ZR2rfPrjIm za*u-elhc<-V=fS>H0e68l4Br`9t1@N1wBytDClf2`*#FhslJ@eks~#K<{dn)zH1mx zHr>!BMpZ9GoS=?sQ5Eia7GjoBVOS1#;VMSWZ@hFV?91IhfF189?+Z zR+LWSJKDgJ^A8{nsBZp?nEM)$4-e;y%#V33Vg>e}4VzUjMT&Z*B;RmTy3U|Epk78i?xqYT$oAGxRC;DOUdVK2Y|* zzW`wCpKrqfX!XxGAMWm-Z?EtD_hnEv-Ryg^<08sP6=|9#ruPkepa-_7**k8g?rTgP7{5BdRY z5`joHITb#UJfhPyBoa&HZG95*@EOr#6-d(i%R<|Zz6J+KMGXAVJe>$o`p)plcdOcs zzP1;{;C+|Md62wUM0EpYcAwC9Oy2tbIQBtV213r3? zsJ8>vk)2O`kTmwkQ}t=Ha#q;Oe}Ug$EklflulW1Ut>VS&G3iTnGG*fQ6=>i2Nxik{}Z`*MS>xBO&55R zxk@PRY!_Y;ku>Iq!*JL68om$=w!`Agg~ZN0U!~-2$Zg2-z4^G?@WRkj_VI0_y7^@7 zx0IY&o9#de-)`u+F2`3akdt56-LXUt?Y+JS9x1mDgQmniADqws81AyR+cKg2XE=F1 zl&H?=tKPiEqOHT&HU*#d-a72;$G&>*yJzx~pIMNa?|*O(+s60ULC4>>4p*9rwhTS{ zasDSuOntr>0iySJl+Z^<--Nb#&s@A~{Jl#D=Yr(D?_ytDfRa7-^OwP0ny35v@ZA2raXDu&@4~-sKXY_d^w#d@s8u zdwE6;l-73~9=CP4@1DfGX_r9F`HRx9#F3Y`m*4sE`0~V2|N7DkP3h|(`=EQ}IIfO3 zR2$iOUf&&KZXR70Kjg&a9b<2ufVQQJcS4o&4hg)D(?==C|g-qX7mH&6KG>Yle@5blTf{Bp`~Q0d#?nH4Xg3!MKP-u#c3 zFCIPnEacWF#b0Bx&;M8=s`qkrT*&T(r{Mxm%h6{OiiQ4 zOnRf1yz_mTa>4h0`V+s6(4S~33Adq`|F=HH=uvQgww=k71e_^pb|1S^o`}x zn$qAlfbh1Xu|)gye{{FaGI)khsJdO-fuKAI=K5>AxCf$O%jLedW9-4ef{!RJ>2<;Y zpc%h=4TMjY`%DEr<&_NpXgznprxQ&+P|s#Qu^D~1O!6*Pip`-^Hg?Mgg2c3kIv(p& zji%uNKHX+KnS2Ruii9^>+3>>1S4lVufA>Zxn>frW@fKzXw*p&0K_#4;0i3;%=oA6D z;1S4rlh~Xx6{9Hd1iVgGpe`k?W9sCuZ9+#|Qp;Zyo3&Ir8J;!Tr%VLl%I}sIYsDS z)(H{A3?(N6ZR{X&JXZK5fte2hr%eETDemexg_Pz147EW0D1+n+bJYH1F~OSKqtMr=eY4s$#9f~>r1)&@j|88;-L*(< zurv{dnj7SPJeMExIw6E34|%_}7$sndg4UuOAH>1QbIGiTAZUs=5%w-X{1AfO$tY^eZtae3$d`t~_hMIcNm6@e%xRnEP{K614X-n2`<~!r-=E;7#qkN>*rrW|tvI_23ex>UqRvMBXwk1w;Z)as*uAAVp7=Cng$Pud?y3#AF>@up#1p1mAIP_@fCOB%=U*Qh*nTrOS@;A3AqC z6j#O*uu!rFI+}D`uicxuMMKMoFNyi)A)7MU$4vU#BIVz2Cf$ zhk=JX;l-Bs43qhvg)?|VG=8SOL9z}##S)L)?^~bqYG*gsIlkr<ilu%hbM5Hx0JjFak7P$akzHFJp1RESes%*B^&sI)D5ydFL6YvVx)!y z$JY>DD#^U2=}BTUyQ_)zE@XCMKKXqZdhAnuFA^t_mkj5!-j!tx@?iUf3R3f#_HBtRKTdXsifSZ z!d%uER0pXBV|@z$ zZo^h6fm2~|DJ>)r0OA^G7Zs7-^nz4c*EWR#3*>uJ@B=w8!4O5}TS$3QA_+z)#fYn< zjw8vbnQb)d81iPJ)SO7{h~U%r=l?MYJKul^KE6K}{~?K*O?RHea6_iTW*<0^;H==VgHuIhVsbvA&cV9g#=5LwL`!%$Bm`2?In$a8HF=c=O$^dx2uJ%2ckhEoH%maCTMq?CkjsHTh zbV8ty6j;fpDUV8+8c^jLW_uvg#L=W~MH0c(MO+WpT#{LaP{FvYN@5uT&l^eP>OP{8 z#5x3eHJ)uq!W{E8_b9a&uxB0|MJ6?EV^a$6;znIW*<2f>niT`3#mEFDQ9|tGI^?V; z3n4pR(;*Pww#xE9<8Lxrp-#kV`QWD6ju_05PjCkYz=rq^KGmSoJdgkx!(_|jgR~>l zJc3YemN0qTL0stmR+|~B4GQ53fu}HvC}ND5%8Ejq!@7wuLT*TD8m1N1vRXO6#v5TA zLn?O#K$f}=zao|HMtJo=`mF3>4F0BRE8nyHR%T&&91gc8@e_$_K-UX$7BPrl`7j@6 zx%ar&Gr``G1PkjzIn4y)Bc3eFAs8j^0){%onu@8URKPd)E{njUb%B;uEXVdOyjSuZ z83w4xNi9qU`#G!{A7_3BWbIER_3q4N^e`Zxp^r$)p0gpmm<-d5mNIEvBR9iosm;d} zF2ZTLahiMzo^i+8nJL^_OT-Yx5bJ4r%=b$gktu!>5ByGplU#PtM+nR@Anag=Q_FrR}sRTsS0 zJ&_sCvebI$XItyZF!yLf1tBMLgne@S7!Ndemgw%e@6<-qiU4;RBlpb%U$xvb74x*Y z6!m*0!7)_?x!6MZmJ`ys;$QUl0m3j!d7kEb8MjM88F4pm;S*{swo_8qI=&kgAm_2a z+QNji++*YOJJR1s94Ty_GE!3C8Fz8?!~K;L0?r1|c8w~NBvqQ85&-iR6k;4|y@#nC zgP~#1lPzy&u48_$!~FH40=0EEVX~fpVZ2WS!}yo{_T(>oqE*COk0ho-Fn2j~kLb?b z_q1^a*57S1WcRcNbNb?tmZ{etM@5n5MD(1j)b2*u9rU?RHZ8$+|d2WVAo={oMG6z*Q4Q49oTJ! zZXBBL1|!go>6ERAT+LroALU>0g73h z3DEI!N>BaPPjvSbYN@rWa=+5hwQRWVD^moiay-@i5rCZ~uQYEp;T;jCn6CI& z&D4OBEmn_vk2ACWxkXw34K>r#gIS3~u>}Z#1-w$YiG(`=#7cH};a0jQ$t=ih=Jb}Q zIBM`W!ObPaHtSPOv&4r9BiAzu_G{w3@}andNd|$!Ce{Pl3mc1oV0$u3Zt>o#kx1S9+hlzX&u+uJH!-r4wKJ4G*7{nAndRzK+pxT}x|XC2HzGODE| zNr8DX1AlC}PcGsk_~NS5nq@&$n5PQ#@f2HE=LZ6dik9D68_c$*Z_&QRCKNxbiFIPj z$5g0tjg+avZ0h$255_j*3CWQU>bK|L%QSjNJH{GLXgsa+eH4J)Tdq%uHcxn{2%Rpl zDwE)Zk3{8(xZZWa9ayM0e5jc&hhu#$`;)e6^&xg6!Y-mp-KN~6d=Sl_I-)2uVGj7M zQq8moYhUp=%xln^WDTE|A3U;v2)2H1{vw7s$undqcsO)ti~Fv3$l3-bBZ-tUor~o1hDWsm&E8!_M0!Z zF0T(NzYha(ktH;Gl7sn`GkS#gF15s@Q5Yw>ES9| zPnur{zlh5#ywQ$1^}k|0gt}fe0ilG3jwr}(mGpw%BDKUgf96VYxAKm>sLsN5w5~J1 zM7H;U|0gpoa}}PbiByvl*?x5qoL#8K&T1}$`4X=NhQKeGKX5qPpU`>66HzT4g($Rj zLjBGb1=cO1WpTFX2x)G;?x(QhtcEhViUoB4+5$X=$1-|CDa7lP@z z+Gr*fKarLTNgneNJ_QIWrofV4_YLU&PmMC{4P=FSr0pP&Pn(kS1JZ| z+(~_KC~=VwXnduppqpN>m8{!kAlj$WlDcO1l!rZW8?rpPyOpEElx$-4^Rk{$<8L=5 z;rM>VMEOOcgKi+C71I3VBM(w1~CBv}W#wunR2IBOObdvn^6G znJpv&J$YcNp2{R8IyF(vX

jhktXNH|LR6 z!!?})b-y#N%x+~1z&sdEp1*D>iV|a8^`9_1u$}P7V7H|>Z#mCez1|B|`% z??pPqPa{Uv zn5rMq(Nbm_9#x$-*a$=*D0Y}p$-8vJiaoAPx`EtYmso9NZd+r^7pZkZx}PcAu-?8v zQa=b^*TV8~!}+7Dj$Bv~#!TwB1<(t`HP+||Fy-kQ`F#*29Bmld;s>H^m?Ns0WBiBA zF`Iy3PQfj%8@Y?bjmw)@=5s>lZW^WK{0f zxP~#hc&twimz2k14f77MhMB4uBGddS;T>!rS1L%wwYQz~!zyM+VH#}yc6g@^zAqvs z(@IJ61YBrh_}PG)49TrUj>)*4rMY@f?pL_5fS*thg_1gBm*;40jHgaBo3gINpVEzC zIUI6s@Sf9lmpJF)Hpb&p$695l086pC7+|icr!bxX)*02#Eo0UKoO7`Ktc(aQi{Nvp zRLGcF$UFIGbux#M?`Pg2Cg))#j^iUimqE#_$t=)i8vf9YWD;PqOmLrTspEff`Db6% z)KCwpY`{7t;2k-#y3IL*X$v07)4(HU=Ef29f$*Wkr_Nh zcge?h#D7KDq*IYNVlNU0_uq>pQLFZfWC_>y`pMHHn#I9+{hNu1Uxc@#fX3eU7(%3E6_64*(5V2pD@NNJ7RJ$Km?Wa3DzP3NGlbAmsPY-q&+Yef1wVsMjw+fyr)*g1jgrWk zcE3uZYP*2ZSJ!(Csb4m96B)f?;;&>(eHZ>{%$mgmjvC@tEu3TgWaH^MZ9d=LYWhX;VPlo@vvn;=V#b?*{IZrFF9$3SZZ)n!(tk}0n%D081wH2_-CDJ1p8d{7i?sc{?T_dV z)&r3zJM=l#Gf>s5vVUN!XV(_ZPx<}9nfV=8zVz$SNkpahaQLe$d!$ND2YRFxPrQCA zP40|pNe|8+)Zz^FBvfaF74CC&zBw`K>(1jOF8?kCvCP6Qk+s1f*uHd}!at^A&FQSx z+XtYorX7zJ-7Ix{PiuTjUe8u#7dlPLPFyy9QTwFZdB<`()H9OcXq48u`}gC1IMcmT z{erX}x$A4aJ<^!`#jeiPmEU4#RKwzqg6Uvh&m8t~aNgDQhHw21U94<=eqlLV@b)0< zf`UHPXHtX4kFGl$S3KznYY&?wD(F3+CSRnxJ;k%1`fNe|lENYN?0&waxc*$)aCTp6 zj}b>&mh|cVD*afW(FdPY_Eq<{gcN`DgJW@M`Ni^(eif5$KRMQ~_<<+wE%oy!A^p9i z?LtH)o4eFKi(j&Iz}&)py$2pzbK}CmAcu0M?_`_Mfs?+&}Q6JS7TpFxfI{s3p^$lw;4f}NK zkC%pTJeVuN=-eiLtaockyG*KS+ECN3V*4^3Qgi=BLX!#2&^ z_jYVM{`P}|(f^u~dFt6LLv%y_%8F;#-)r6Rw|gPE9bI_;TT`1}JbNpDFz4St4NKcy zs}L)PUh_)y>#t3}W4Umx)rc40_YZnExl4=kBgguMMaq)O+A+f`l=TsrT_o2k+t)kX zRR?-YB(jhJU5MPT4R!UcRU;2C3Jo7W6t()D-?!qe?x8s*>Pc8BzBoCXbV^poQUB-qkTs&y71RgmwKq=KE{ZwdT<8yNhG4PwOb0_^H5q@xhGge8RbyX*G#oRt=n|>nkqG zu;1@e-Cy$H!azRd56PM_VJ|m}BFqu%-dd1K7oML$Ddnwd#{|Df?Vh38u%I}%gHTDm zAVN}Q>&4Yk{s3tFeqp$(c~EJ#|AGaJx}WaU-`nHTQASO7$OpSo(iCnf}*kP&>9mH<*}x zk)ZGqVwiCA#*}*qpKIPdVyveX{E>7RItQYtpkwLYxI6cEd1&yc7&{??83RKngx4vXN}bFoH^20 zG5@<{|Ml%Vu?gK+$?La|K#0N!Q<4sl`S<#t?=^h?;LYcW*$@2wYu`As(`b`V`OepV)^)u&=)PFH&WcdF@4gJ@ak+Z?wSkdd2k%Ygg z;s+glEg@o8{bwKiyZ#?^{O2#_r>$cCYL@@}+1C`fn-8TkH9kK6(aB@S;!k#XbnMv4 zV>XP$9pXt$hRWf3>a@o)*_31)J z%8>rMGP-&G8mPPdl&3}d_iIP$e_r6LjKAODpTGY93i)4anf@H zD&W*?xM!!f_6VOf^-r8N!s8zI#-RFl*tSp1xG^Q8M|doT;s|W&^nV0-fet||7(h?0 zi#)<-kWqbc8ZtAznWfDFyUbq`I9=$;!96JyZD+6)n< zl!!6qBRmNP&T5;6P&l#4mFh)eOIsg>S*5)-<|9CDF2V+#)56ni1o-jA z7Qy@#l33bCkcY(<3wuOtGXT3a(Ei+o>)0r9f`JV{R{WeDZu|vG|BNB8?L^YF#>s{xQ*|6C>jWZc;t*esb5xi zWSNJ%dnb!a267iXHb|-}9^VC7X25*}y~r|^)Y-*2*kUsjpT-+VnJ*-s8iB;nTA{W- z{J=3T$b6A|p)bLzgzpgkoQZb_+TQi!TNq85p*j@rV^p@wevY>CH^JKNwpCCu=8yfv zmW1*pK(N(@O|b1mK<5=M>;{E6E)2FILRXPvh@eKcW~6(_M%eZv-26vS3Ih$bN)IU2`|UraV!KFtI!%}C5nAqF=3F=Q*>N{lJd8C$Dq0QzSGW@q*nQ{ zD%;m$!ARpdir}?j#VPXR%C#5`^<8=R;JT%Iq~;FuR{|vO4M}(D$iL=1a)NiX1E1 zy)qvpU`H=uRe-r1Lwmy!b}X_&cqHc*0`M+-66QpKi?+uGpy_r(Y#S#s|Lo_UFeXwA zZOoskb(o9%VA6bEE##JAP*<@v`gwUK*Jf|UPlfKZ2x>$u>_O&Gv3Vt^yGvRoBTLfC zdZ2^0)gvKH3<>T+iP-iLqJt!8rfH_?4=SSycBg!$?JW`hol@J{`PDa59OxapE13}C zf|%dPaaW}L1V}R7f%v{YphUx6+a?5vXq9aVs_)IHVA$x|vz)LDKGb3A<@PdS*$27? zCc$RGiow9|53V-aL!$AGE3fzP13yf`*4Q< z`NhD12n3eO#}w#Q^UGlg1`vk2Ogzx7*T@~M8SSu4#D9aM@u&I}2~cF}BPsq2s|9im zVGZWbvl{Mq^BknRfuop1M24{&qx%V5o?H|B=x(chB;h~O-j^^%VsoFZen@CMyIOcsJ%SwjbOvxFFEUnI_hYNJKQ7*RVI*BDJwMFbYu zF~1}Gs<2tgZ)@qy%&89Jx8qM34VB1L*xteD8CBt32x)P3-&Vgz7UH?~7z9&{eJRH8 z5m9uzAU1<5Iy(?p{0z+MYta3pNoFlp$bR~cAsNa+1oRx z)R%H9m~ZXdkoyta8oIt`7fd!+Y8qz4bbA5Sze0V@^L!q-!j^}F^5;SPTo13B5iD}d z#o>h~Qquq*#6%m-Do_mP%W#asAt@i2^OKU$rkcny6`>in0I(74P<5?&7~&^FM{VF1 z;C@yO|D_O(pquH|rbHs!d6BLWM;86+$2X}XhFwB82XR^I%fc7v=IGpL#Qefuzdo&@ z94LJ?_{SP`Q-!fm)vOc8`7L><6m)*>kIH)6p38txPh~srCv0k^uaVmJF!~8{lz5$D zvdr_vz}M1puB6^k0G(z#c62EpWcCn_WR5e-l(vRe`d2iv;iYW6?R!|xg)M|}Xb4Ia zk^;n*_{I}zZOTt_&8RSAYnVLs`{b!TkmbsF5Z3T8ZH0@7S)yMk89x>saw3I)xHY*x z-IgNq%m9<(DfSe>-1!`Px6Uw0@IBT7C!c`KgXzT-=X>{*Ds|%lt|24Kby;cyw>mGH?~vA9qD^n|N5TVN02K8 z#OJ!>uuir|4Vmzy1{iI0ij=v+^s;=kOsC72bQ0`r8&i9X4Kg7XX=*gy=jcYwbIl{E zSt;hnF`-Na*ffsEdI+TcwZhZ0J6 zkfGeGrf^VtPJWjjDQCa4SEGv`5Y-k8e{lMPA2WJ`jG4me9AlF>S3VPiZ28M|cO0iJ z$dZmRc}MWW3^0MAc7JKhKeSl+yKaj*wd_v`>REaV)z}%nG6H%t`NH=|1Ld6LMMEzPS)Ygs?2KZ|(Dwa*u z{YE7*C&^)MCk!PK@%m$epKrYGrB1sdQqCab<3LLpITBxZqJzvyd@*G-CgYn2xHqwh zCdRV2a1L>kaW)4)T&r+p{bqEGIzatUI*lC1zt{8vl&OThAcBkWzGdY`7t1uWYRgb& zAGfqh;hqGNAxbFua>0aLpS%A+x2RLeQ-oazf2$6+!CbQkCeknoZdR*J1>}53N05vi zPi-b6c#As1wpD~|%BK>>$ehp}R$Ei2icq_(JIJ2zXLSfEfil5RykFIh?6*tAgyN$% z*cE;QK`o&O@eZGnp_cNgnogwoW5lO0p|)D=eh0eSEYu9f9BvS1Av%Wioi_nwFi57g zZ7!xelW@jvWa}Z*?2+ns1?fI3Utv3h6d9y-uK72lhznpqE^BDS7 zkanM3{uZ?9sG;HZA910BopNP1f!mucP-%zRF0=^J{O-)suZG!eXdsC^!CYyyep z5Iv3s!+D$nB#y@+#{qRLdmRtd3UbFuwN5=*(^1a0aa_S|7>>&&=dlLIaUfNIna_3) zc}OUa_FSaBD^f(sKqFke+I$Z=?=-K+CVT^z^MhTXP51SO0-I-|$JvMTe@QtYf_a9M z^ABMzh!FEXvthz!5&u1W`_m6r@i1o7hNVISp(&DZ2R(nX?QK7bgmL_f_4qkr8fQKH zJmnc;LsOn2So`9|!k-d-H7R^e@-+e>=8a5udmuKq7Bi1uOxB!{8u;3d_K_r0WZNxv z2QwPX zPZ%G^mQ7=40l31z<-pvIUjeMeHXhY7#CYO`a(rv$Zna@-tu!SH*|N~lR$^`s5SD>N za)_D2U?^3I@pV#f{R$W8zJv~Ju>t2F@rW?vtJXn^w~Soh)YD>1Bbk%YTPaI06!*@4 z%h-pswHG@CwOU9P3qq?GMn!gz2Dq^f`r!r82M0qQ8>4bBwjcFF2K{P<#t>k5;z-fd z1=tdhBM{7kt;iu_I6T~3j~qjpaN8QcgPOWCwmry6vf=i2$erKp$6Te}ZTfB5Qs69N zoJ_QSc3?waW=+j5Mz5(RmyK7jO2%wy&%_yfunjD`A7qV;%R-0-ponpyi+-Tt+^g}F zWA*JcN2Pf*7T!~4$hA#*Ow*2$C|(n+OzPB}Y9EeFtuxyQjUsavQo-JSHT5T%=-2{V z8R0NxX8oDwNmAPb1roH2<%|&oXoWj6`&cA&F!_46)6}Qpefwe&G6=~Lwr~6$i`Djw zEwrmq=pu8^Y*}Z6wfoC_);1ft>!BZYNA3}<%AAMYJ2_4@lrhw}ce7!(HmyAM?h-b_ z^tCIwOl?~$L)oTGZKF(BDT19FY>Tr+5VNxViX0X;NB9*+J=_F7IVaG`Whm66TXgD8vvD6nbMDXh-zM%uH*cuv3JNX1M%?;Yi5CwyU^wHPc(KmI@bx z%#*RrPsC3ys27#4V~QqCNGU>0M_{VrS6OobPRXx?-hTo)t~nNDmH08Uml+f{8S76b z3llAnSidb8Nb!ZU2o);?h5Bvk3#O<3?GT|7)y`=@pK}RzC}1WN)WsTKASp{WvS3yBR7sa#aqL^5iXlj}#G%`;po-H-;R9ISMnwn;6+E2?; zODjwBSeZ%Rv-W-e|8;ROd*0c3PtSYb_j5l{Vohg94{|k5f;p(==lm-DB0}nkKuc(j z*0DXLq2W}F4l1&hreO099od^r6;rUjSy!*d%dxQ{6$gjZF6EwS$p2aY;iz9U=zuXf ziW?RqMn}p^Xm+s$sy%jxSwYar(`jSNH6lwM&qc;U=annTSQwac1?+j&iEYnA%msHQ zlgU7P~c!+8){uYkz5;S_8o;pa7;Qoms8izQ}q<4$lY0iOuR2z4x9 z@3W@gZv2W#%BM)qF^1sEzee@v&|AhCN#33C6v zw{(F=*P$(0u->mj&1qXz2lFGFl+1t!AW*9hLP&Ebsa>J1TS`JLE8-HE3l z){NHi@0t<>D7LtVjz?AIv`%=>#ro!CI@vT6Mj?L`@+wx~S0rO3{~5!TjzavGOp0l= z*a1g$N-vvb{7Sp)Uuh?n&g!KDYTo19PfgWISiyIrELw6fTAt;o1F|3JxHJ%+j zB1}-qPPjJ`$rgAH4lErP{E2u|j)EqdiDccy*TjKg(tYB|F8yQ;Y;wk+qA2>;#m5>Z z3ND>(e=l-6ZMEtMJOQn@PnJh4)``k6zM4)b`CKSd^DleM$Z#mC<_~^8w#*zA#*PqL z6ZjRhyXFnhT=8pjdE}ad_^mJ{#+EF^Q}P$u+&MQNngsIzJw$%|ccv8A?Y!U*UIA zZz^L^EHOru(aCap8New%k}-vF!g0#LS}=OdT^oiv79I#{#Bzx5pnG>$%5T>U0VfT- z9Kz1-;hvaS;;!7t9VZ~mUtSEbo~)AVsSFLh&Qai)W$mB|tYVkB(@^$k$e0=L1{y>% zzoY>=WVbz&A6&9r!aDnYHc|8_#9uMHQ{SHqIrA)p(m|Q-H4&?}*$#FP6`feolYni< zV#~WBV>AV@?~Z45e~{$URm8hc&yzc=*N=;$tQivY9vcMrZecJO8(G(Mq+clq8QNs3 zJOlkx_w}yM#HYkK$8I`aSQjO}gM~*#`LD=k_0-%aOGK3-kj5*?gfp{<263#mWHa@b zR>(q*EW#=Mnc{>Cfc~;0F54iTR^oqy`O*LsxOIOCgh}{_IS?g%rVHE>)+$>n9WB}a zm@qPwN5W*GS%!rzkq~)FxphNo0>;Zt4MdZbY8(P!bvb(XOqnXA5Y_TI2kjz zCzQ1T8LtV6pQ`w%&;ofvRsV!Zxb8M2YK4t;(lkCYvm|USviZ+Q@ekb;|3jk=1y^VAGn!5t!cuOGO3d*P0T1`D0`GwNS&^ z)-?z2o1`BVqEA_JFyO1{ByL9hJHdRh8M-30>%W+90C2=*=I21~e=~&mFPK4mC(YK@ z>;hvkOMUP&@h!yHLcp^M>8oivQ(6r!i!>eYS_3dCwk0x_Ogbz0A<<^8jnA1+n?2tu zoBb$u;yFj6`;@wP43bkCyGbo7*(|iE>J!~_P-}nvd6piDGwyGqcbC}kZnnnJ3$E$^ z)Z#T29?bP2nNH@$6w!qme&a`?_lEMN)2@t9wI!1IRinUg*gL--U2o7 zwll~)60GejWI+z7K|saYY^$>>7qC4{%OTLBGz{c= zg@E(%fiMilXHZiEN7-TlaAB>Hgn6|F+t@EKW$NPjJ-^b-R6E1e_e|O2ido~bSXjJ* z(dPa-e0x+ma_>;#Wl*F&({&Qy1NxL(C=5BG7nn|4cgL~&sUJ+}Z6gr7Jq(Hj5=$z=oH70)Js=rYds|~W!_Eaaeh^GGJxka#Yi7z{>*Nx3P z7)SFj(jHCycDkPsj_Ys2+^ND~T5XgtmO5y-!N9H5@R9;sXO)S&P|(XO&|76&tRhpJ z=DU-=&bLz3iOja6obGwtya)~#G3so6;|1Q3Gv6vlR9?9}adB4taob-yXenNS z`@2D2YehUn#cD&v)UfMM#J*u|9~iG`QJP({rV?#A=&JEw9Uf{rPibO=C6UZ26fobZ zF#i^9dfWRsfL`{zCm0MfDX%hck1T{`@6x26Fike+{QX8r`kj zA25KyFxpp81yfLcCsSXxgA|49E#Of08`zDSZ)?c)(CV*ldBwvmkJKzuxREk+#i-wa-Wq5z0# zRT-}2%h~+X){VlTDDk&&+Z@q)I+a+%$p9N%9ALX>2ZqD(YIbkio){Q`!uP6+J%y*S zyodQT*B!_A3E>_b=KI4ylXiteT`~^rq?97oh@YXc-&+Q>9uW4T>vx$FRMm*U6(#uO zdb$4(6nu#J+{dWqCg#{z@rv41c_p3)odOi_2G;*wOkavkfD5b3_qs2p*qX;QVg}*R-5bYX;wocQE z*-B=#w2`1TYpXs+OlRBK*s5GG@h!iB=sU0rEIiELzrJ4l3iAZQekyzsyv<3E}m8u>@_>v{--1AodN(b=S*{sT$Q<@z!$lLtv95)*?O z&dkUeD1L(Y2%HcoHpgm&A|)S#`Cszt`~uWcg8D!>-F`@lS6J^6RDJ~7Y-%)AYvsP) zUkQfuwCEt&C{a$cYtl#K<+*0$D}b!a%`ihirWA}WG1qGRDiJoo;M^Tt|)75-A@RUO@PYuqvFsOb)?`uCGHYll7>kLF@C1yHW60ew|Q zMO=)AvDr>(T^R__FEpcgC28A~QaOuhcDy1D)Io(zN1e-zguj)JpWs`?kJXM

N-* z2wsIQCg~K8mrNdrGE1q(_DL4RI`% zFWv`VR`Wg`rfl7*)?#X$5qZfqoQaZlYw%lKoksAh@atxiMqrIM0W`g9-5!NpWJ*91CO$Fv=4Xl+7k(ikwC>spw4E$LC zv6h%4?jgBDItb_p(YqHdj)S5w_IxHN{Hi(^Pn*O{MS~i!^%=_GpK8t-o1M{^G*=#xS3H1Y{hFegXQM(>a4@u~U?XyctzzGk66mV3gE@J}Seu1Yi#0V^EN5c~}Y zI5n6*XWXk3N22C$$T+bW^HX3n6)O2jFq+;#{8%#X`nRF@V<x_$Au1Ff{!vKzumONj#?e(Rbl*oT9P`(hA?Wea9q8<`L_eI`+d#CAWmuB8Jheb()m{x2!q2g zBvQ6X^$KG?S7PjbMjmdI z5W*F2OXm$sG`0&`E>BX4#&P4BJs(l+<%cgo$Xz=F4u;{4H4G71jvq4=h6-V>iWIn9N#<< zCKDTP7oxCqA;Ee(%Iu7U%LN5C z^4k=_+2(eQ0HtX^!N>ZD=TY`?X%Id(1W@0c&tUY1e$Qg4*$HO&z$QFX3-=Wzzi>?% z3%s815qGZ#k;GLH)(2W{V-%g_xuCKs<7hhsdqyZNyt-%(dloFV#M9bV+4(9XiGD?J zEyD?3MQ{yk64f!Kn`y~IIn3+{PUh*ytkKpU1E{6Ny8suBaRY5XRd^GRgX2iiiG81n ztL6MmjP2ip^eD@}2LR5tw5Kv`Wt$%Cmz(YjB(VSfyyl{%RtBEH3)jz#SEY>Xaj#hia&*0 zCP2GfRp`IbvN`Nxz+Vp(5qUYCp*}i4gZofJZz~Xx&s*{}-;O33)sc9~%?sw=BMe0Z zbIy`WHw0}9Cp8zoebiK?w(-^+ZAIAL04AW(Z&AcW3j7J+J%`v z?sJ|JbT|#jF!rYHA;(%gFfW})rk4SCaP8H>o!Z2El*t z_n0|h?xV9$m%3A8QFzH9_t2z}m2D|FJPa(ofJ~y)HAdf?$hE2LLl~3rlCog|wESc@ zutQEJnVJx}IG))t@gDm>iqfIq7aui#7zO?8BbBwaLQ>JVf$ZcmD};I_*JrYL7MrKd zhiO5~0q(~MREw(NZ1!Z!E%G(cR9r7+S=%YcbvMc8x}y9kOzF-D-o()UYgihF-3b%=wVWmD&Ul>bv67L|H zpyNWkbu#8Zff%|$!MBknVTdA7!o3tNu15SqnsqJ2LX67%r?vK$|p-9bORK@RO6Ri_&;`mMUsf23^sRn^J zcBc3)svie|#!hK3&Yh}&ftojjcEfH5LdVjMN})|r|3Twhz`Y&I0B&uI_!#9qh1Go? z(CU+IC&kM57$;OoX&b>BUH4D~2)P#6wv$l3#Jr6Zelzet%KfPIvD5;i_&_6@v5ETL zQ1%@sQbiMGNY91Ura*teSQL(YAf>meUa`88`eMw#Jq?q_W~w)3Cfkg z3%^E{JwTW9zsfoglRziiL7@F*9Sj`p&Wkd}N3f=aD`F~}?o|#xOQvDm&~5lwe9AYGNb{rXCSNLHbt}*k`^JVyL%M)ZrA?C?qPS%M-4Cln07q ziC0vf0kvF`0`vq>9$`zib&huK6edUd76tA>sh~3CGIV2o@U^!wbQ8x)-jA9V_c3nM ziuY83We}HSD2?;wtW3u?_-VB9R?5e24NN~*x8Am>wD^%w!F*{kac`KCZ%KZvCe?pnotJA&v5s-qph+G9d z$7w2HIv4zotAQ6Y(U;hQvJ<&yan&L)NqBWGvM*=b;WggVh$-9pzM7k(xwQi=KZne`^jIS-j}TjR z-pe5&!+B#O!A+t?pN2{zU_4ycT<-}3Ax%p?g^8AuNy$Z1y)`r^zKv|@137`nw^Akz zXkgN*Qd0yqL5n_hT|(lG@b*gxUlRX}!WX$F9eyZ*l>8g>Q?2B|_**6(yP%>)X!*6jBA)&-1Z9^I3jT-}VI9ujwWFx>-+ zGQl+%Zd;U0&9qo22wZBc`5US}zW%g2)m2N$dKlGcg6-OdKy3&QYz%Ab89Hji0zKg9 zz;@aAC8ch#E;WKrP@tIc*p^4;LQI!yaQ41lqLyh#wgtcBt$ZO(##hJFC`*L6R%TaW(Sc>HnrWKyM8kjv_ zMDh+(0(D>05Sf1}poXPSoPp#|Lea$UY+EANk(J&;c?0NpJVQvw@?H?7Noz2b&%jbG zu0VMUS_mi@$EQJ)0<8Tr9NLiUevEKW-JGv-xST8KF8*WK+S}j=fIRJy%8UNbz7lplo$X(&z;jV@;qAa{`tAwlk}Ul{5sk0N ze=sSomsA07=sebi^DS^1juD0H1T|sa$6wxrH?!RUF*A0Pno!H<>QB~r0J00%@ItkL zg%Uc<&jFH6as7e<1c;i&dWC!sRv+m$%6q^jv7f^}u+q<3O{YVV^HkuLGq6$p&W^i| zN1ha&yK|&}GB#Q@C3Blcp|@?BqtlS1Ia0mOfC_`-N^H-J!1re+U~Rys)UhFH>!y%9Cs{ zNj?WiCx)TCPL3bc$)2g$@vCj*NPZkzVc*>lCA_H)oTTH#NX&PD`R05$pKdbR3XD7t zEzm29H(f0%Tr>6&SXLwe0KtC=-NH1P_nvc#0}$T_vhT&as0~=imRMq5We-@owfNXb z#z<**jx8a(@VT(*?W8z12iET>3_&9LXxD_6zr-C#=%VDjF|Bulhln}BE3K)LD#q%I z=GYA3=g5n5=^~#80E@*GXbhieU}c8t+r%dBW)zzZYhYP|{}@y#hY7<}B@!CB(UC7* z#^Qi50DWxJBT?sEeT-O#?(fleOr|H@*+cA_-!~jA(C~U3J)*9Aqmnz9%IB62!3G=m+2|~HX_W;Ldj|xez zH>-BNl6|}=5$Bn6(p^1KFph{76j*rZ34*VkTY-Z{Hc?XJnrM<|&kL2v9i?RU0Ye;; zqbR@kZC9N8Nrl_+rzjNrgqJ-Df9;B zB&gM$Kfsf$+4V7MxB%5-)?!=RdyY@kDV}vYAp?QKO9$iqz5-Y||D=bGB)k}Y`S*tO z;5a{lgVl|0a95YMg!%H-W@l%}D|4qQ>JGvV!*K(O3jQusDBYa8?2Vi=_&XS0242f60)8fv+54YTFfQ~l>8~5 zY)Wa24B;yqu$^YJZD9Y(K}S^0ih| zdm_;Ef&!(mPbGY-@C*+VZ)&Jbv@tQk&_nC{ZsJDi+H;_wj(pi{F-hO60>_wmD0R~E zrSL9lev|LYbZ(gB5VLL6nrN6l{+5ZHah}h@PtI~~!lR)EIDTf^pvNCVSbO=f@I#m@ z1&ha3!TFBvrs2UF9ADNC=;q*fsNQ0nr~!a9I1cmdx@-;edoY+Dh6}}QC|CuZcnqqU zK=RcSkb9V>dZjYd_W#;IEKyM zWJn_5*TTjcUf#$UeMiRj6BD(-IvtlvlR1Wd=0I6zz?;Q-khYQuwtd}!h-K@6k>Y=W z;=W2OoyrHTreQJVaM2fn4cwmSRm~x@gk{kn)8Z~^@w*5;YmraemTO(7B6lsomhy$+ zWP&Jag1?iXL`HIK;5IguT#;%~&2AVy!fvH_Oe;s@-eBp{gk(b~yf{e(*Q;IZ93eu* zA7Z+fc2d=BQ}+h;@ieMw2BqIb462sE8nBhH*3S~#hdBliiKdBS9&!xLg}OnT8rM_9 zwOovk`&TCpRPuk(EVW)MQKj*PCiWHQs1RG& zx@!W?rgk{$#_Hn|m=5$hY{?ypqzpvw#2Id@g5Cm^CaX$6O5hg&S6K|QWnq(pe}lD{ zx0!(9;n%atZcY`PMT~OS(-o`K_RWmM|0$NLf^UVis5T|lNJ0xrd%|j#58G$!e6>K0t8?%SpnC?f4Nc!5+9fu?JCFQ~ zAjpAaY$!cHZ7W*c54CSazi8UW$lDb${mWlM@Z85}_E1Dz ze=rM|jzn+AqCd`{(y{0PU#!DK;$0H^2f+un8?oI;_X7<$+)l-oRJsr@UHffpzrA`S zYX1^deTn>Y&_R{L-veHfV`F2Anl^Guy5Gzt(4M!m@azd-1&$78!Pnz=q3_Jxr#dd< zKZ2;;i$C#VhvC$1M0c&oP*n5qxyW-HRZjv{t$oe$uW)H8Dvd?tXy*`kX5($-UxtV! zO{2r$yDBWoQUMWD+Q;D8V{r9Mbh`$VA2~mkw8%RR9rr7yjYI^ummxV%!s`1P?{QT6 zGiHWt>={OUG_NyuR{Zx}rPmO<+RLN6w~@C$VyPZOK0!Muu9`>MuYX}F^ zE1y3@c=6!UIicQo{7>}VOhj~PS7C>$^an *W1uRXFtEdU$Y#3ZGwx;D%E*duHf( zSA|R0A#W^dr}0c0d#9pC_g%9h-)sxZ6A4cIf-}E6$a*1}yOKb!w}px3OD6DuG>s9* z#7bN_cR{jNiSD@u=5;pNT+gu4u*`2jY$v!FrhQTdqhFH9eaDOGjQ+Jm2#r%2NzM`% z^)&ntoqx|9%!E{^2#ZsZJ|cIK~`Q)#CiLDnyHH%cIH1TovJ-ng2a_PvPR+YWxIqv|NBB-S;05M&6N zvZTSWuCF`#w_^QYhMbO!jvz{U7QC<9_z*bxOsQb7Sx!tQhw z5Fbf~qz<_rE4I3)Sh&tsoM3aOg(y$iswYxyyRCrv^DH&OqE0pMv8p@iowA_lOwsWk zNK5IG>H>vuF=IDvg9@qK5G&D@m}Z#Y6)$y?+|6_{)%>XyWJH|TN`@47$3EqM!>d88 z+?NbGA4*d*nNE}`RiE66PPdx#^bb4GgH5wsrHFMe8?9S;Q9>t0hh z?f~N?_DP-L>|#FM3B+Z&zhxP}N);?9*dhOEh(6e6OHb!3sLN@&{1v)@TIT;<1L`MW(wo%jx`L=OaV;Zu_+|ZSOeQZ zpku29$mQJ#+(KjL+|O-dRD?cPSFd8+;`d7GQ=2IGr4G>ks?Nw7uk}DO)UQx4le<1od?Va! zs4+JRz@7;AKN3zW#Y79YvRK#EI#02@R38ZfGb3cd=YTkDa0 zf{B~>H!)K_WZtWBA5<``v=Yhtkg(3&JmGOiM@xzS45Xl~Ituxc4e795b{rsf@fq?o zaO#_?;3Wt<;Ft3L@FJhZ;QBgxE202!C#CpkLy`|Mail^a&6?6A7E_#+J(>+H=e`ZQ9 zqWlv?P@LaGAPw=I24Ze;U*86(667U>qe|Z`brQai?q}C9mwlh8ZR{Qt$erKScT56M zXFu|_sSVi!xjD}uGr9I+K4Ev?KzVNmoJ^woM+7zO%&0h0NhDVj_;Gq}2PC9r-LwQ{ zY-Dfc9nvR}q8o!}?k5m#=3jh=7*`M={W7xs;KsSASJ}yC!{y&$o8)W6X6JV>Kzx@2 zZ$U4Ybix!>a40r2J?5&Mr+qt1o0PsKY@+b5(s!EV!25lC<#XeJ?Ma~&^Z#cW0Ndi{ z4g>%BQ2+n0`p>`#n945DiqErPiPTWeEMr00(6b>2o9qL%i$J|cTF_KHJmLSgING1?1;os+8z}`vZwrYSez~JZ=yI?S=z>7F8~AInkl|j^ z6a`(&t6<;Y-;EnN2`+fmB(<-y3%(0FuJOFmZ$kBj^QBqybI0Y_?t=d z-$nIWoB>M^253p z#T-aK7fOIhfE;s_9S*smP{uxpi7rlXorBc%29W()(CT_@IH|EGK6gMk{2K9M`c>dh zDl6%gVlF0}Vml`7bVnf$GoT>wSwMIoZARkX8ssF3i7FvW0aJbP9nEvkGX81(;pcht zmshp5|6gwaHUHe^!WvH0?~8a|cA)DoKNFRq?fpQqG-UTrB>iWqaj^jpV&ebv5dgft z2xRV8w}xJ~#`r`-?**~}7XfZJK>^OwtZ{^f*#U{{Sy=oUXOBS+ehgh8y@#%kFd0n; z+m1rOQij_Oc)R1aci>GY(RCo(;Bf49VCYUEV4Z$aBS&qV`ZS1VPoratfOR`_(*UU5 z7pQHu>J7CtCCt`O`#hPWY_QO%fKfa#LgkQ(ZlNx&ol1Bw*bfA;zay%7p#daowKeM^ zit|uiuTVL(M?9LnA&?A&GpUq#TK^7m#b5%CweBCxojJ za^2yv!YqwEGomvc=x$aS>_*EpLw6A;os0gvkcwb z$Y)~<`&|Kuv_%Ri09QXmeWjuMF_*nw_rq)O3efs=tUkmoTwPE6paM02V{g7}UJ2J?A z(i4TlMw%i*{x8%OJ+UAZiRq22wINdmeTI(etMfe8hGYZ75r6KvBMCk!eoNptfg~@I z{9$S)c-(sK=m3P6Q1k+L8cd|5CKY z2uY69Ahzc3=OFTyRYO?VIQ?##&KCuhoC04?U|v%^LMi5It%;;mhuApo1A=H2;&h=j!U}jq9?8^6 z4N7^G^FzTACRf6=BH+AA{wroc!%vP~+*yJ>=eAmzj}H7zo3sD1v=V$h!aV&Zy9X?d zTOg6A-Y~Nx65e4$xlC0#b<8OD9Ic}tgjhlqA#T!M7Tq?LI2UqTs4z}CfT%O1*aGg< zVI|YtIZ;9_VurC6-+Sfr5Z!R>XVHU+hG!?mVn*zbJf9DBE+Y^|#{7tAL3H zZ==9N+@$7;oZQR^VpPzge>Ku}IRa)FD4d-&;qdIND4prjMaYCJ>yh#Y92rC)g4L%UW} z{AMnKk}{0^^6S-f7n-BzuUap6N3W5u1iJedh2c4B)5&u2T`isqa^!<`$6RKN8$uOh zgla7OstyHIGLP+}qIc60U_MXeh4o?nYK8}aSWab%v+AgG;k+B z8tGu>f8xBAtdqoUzBmE&XgogSGT2^%A}qQB4IIVT2hMWr6@{1a2 z@N+7u(b!~#7zb6jzK*41D;B3%ug7q0QR(*DYptTq70Hd$`#wUBLY9TFvZOEALO=>f zdKtYQd<@1OA?AArBeo0p@Dd%w&SC6Sy`Qve7W5`MUjG=Zg37t;AKA8P#24`OHb`ac zkEl9rDDbd@|B`SK31KSuDDxRY48u2fxql*vR@b^j>mx#a8_MghLHai4xrGp<#Dg-s z@K_&HmaU%BUu0Zs)#Mt!sBKnuiT>pXUuyQ7>R~w@^IO3HqjOzMwOaT9AD|p77(E*WVtxL4h@j)6+rW4Z)Y9x9iwO*Iq!@U97wrbSP z*%Ry^GMijJOoc_8{wnlCgS_P*jEVT{7znWM(3P_%Vkkfa&EdBlrl{c&OTa%SZPcLX z10Nf9M~JV-w0wM^gK3huFhV?molEt8UGo~IJ2PK!Bl$bgil||cwyhoNU7&qORn}RF zw!iiDc>xO$+GkiR{fa+2O4b3hag)=gLhIa92U`k1PyZ&wo(wg{u<9v>l`)bj{M9?G4H;kW% z{{T|*GHTu%YLl=qDxaiHY@0M4ZP|h?#Q(}aMf%}naVm0whs$_%Y{{!3TcwmleKv^; zT`7o|;~cVOGn>jAgbama5RvEl3^oSxiK1q}w*H5R*Bjz%bGJ;vlX0i)P7vPb1i|?NKOPsAJy%NPG7>JQzz0ptDtm0gq*d*>~l!JS+&lc<`ogu7bC)ny(J|qu` zU&PBxfn5|-&7dtm_aX6F;5;~4K{E9uI`+&_qLX+%L0pHPC5m1g`0{ZSEYg85xpNeF zv;@w8tmQ2fXhXhT1Gv4kv?#h6$VUhVc@rFtW`uSOg=A67cIgi!6d_?Lg8jla;oawy zTYX_b-e&6_0om{&^c1eVEsUvQ)9dggwViq@xl}6t29sdc#=2z0-(@VLfZlG0q$0P~ zV^oX!UPktOV;jHEA0Z;FM{t`7*)K-@)$RX7%z21)%Dj@JO2)8Wwi=Pk?ukrLRZ z;rC4Oxg~@t0k4sGrJQHth4&F&8R{3q!)1np6og`^P|SZ9)JRo`2L++H9myRbhU^En zU?9~?5Jn^Zg7riaXdZ9wH~*LfJ_pygqNQb8IaSs{8Yn-IztA?|>Kfa1qA=QcGg3c; z#U7y*IiApx041>;MNJ_jXoLMGo>uZxbseI&m^xBdO!@7f+EHKkkyNnyLKbq3)cD5T&w3s=-~I*`M=72-VIlV19A!sHCF z(y=i9RWO~~i^NeKt+|B$Tiv<8#m)b5n3R&QV%X3W49eL`kY>yVY_?{uXv5StH%JoG zv2;i&rD50EIQA=xjp+|5UKPo-dm#Y}K9{J4?_h>N3YUJ14no(bNWV!(&DG_sr{6+p z6IWVaiE_V=AemKMh#X@bEDgqvOsXY<8ls~!*cYL*3&Rj&({>9wq%ZtrwD~oPaf2I1-W7Ie_7(4L zf22#Ou`HQfYPjJ9IP``pR5N{lY}u9~ZAKy8&!uBja7OZ~&z z#)B*p1mKQ|WVh@d*)yFJYKn5$T5|) z;k^KMzhtLkHR$HVaUfik;v#t)7Zzocz_aYJ`rOI|m2xd!NcVT#IQQCpPv^5U`3oA z!He?p5dL1G;k&pY2A+b0I|Ug@AQJwEFlI&zjVi+yy@Rt(2Kz#8cr@%5BGSvEwFZ=e z-z*&HK4JmcT6UzlDVpspEesQjBeVaOma}YscLo6&YrkeoKqqx`A58#TK4~5%dgg!5 zos5RwYr9~yZjNRf7V3JktHhr&iBd-s>o17!;adv5&cmRBHxT$r`Jb5znvo;k2Bok1 zX+>br4D@b~3uS9T`^c@=(yr3oAp(hcq2PlM8EHB(ZwUfRh>}ZUvogJnxW)aM!VZ+~ zs;oN`{ccR#>An7i3St~EztsR@nO47uJRJdPQ_Oo6ctUo&v>F5XOS>SA2dt=;E8z}l zWL{+pz(vVB4i)8l7Gb($`2|ELv6Jdpwx2f@k!Qqf$eV@=nh@M8cmV;mZ#N(52b9Ny zGuX2afga71gtq2m`i1g$;GHwJU^~Aq)$c$};TT|jc0+|qO*#vpVw>?`6T0y?Sfy0F zgH{g>ecr)ii2S=C2G1CZ*vyJ!=*CdAFkS)fkL|~h{}`Gv7Ug~(R@E0Wys61LbkOLC zpgaVmEK!WsZ`D&N2Dd|7`h?Iw)B&4A{h{Mr5$Q|0Bpp47G~0em;mkVP>^dKcHu@SB z5!{*x&#w`-)@bQc1oe@QTNWpEM))o2UWBQu!Ju)}x1OdxlwdR%%URgYp)ULe>dR9jZ)aU#JtgUky^e(dgyY~gn6Si-Xi**0;9XYzYdM)40(wzxP0lSI@~eJINh z=G18GN73p`{a>-hT@;bYPjh7=_Z^yl1t(Lz z&yH_h-6OGs8D{z#W`!4`tTP={E-$%ILA*<7wn7JAyT;I;;x-$Mmm<@Liv?84H=LfL zKk$6n)%IRT(Dc!rxurUQ?$gVjg&60a^h=jzupfDs_+t=a0?azw?mlmi1Q#@GRX5jR zm9RR3{w(`*Zn-vn0nD$-DX;w?6l{QyP%?it{z5Tw~YA%L6qW}zeRV7ljdyVCPM28#MK zl%L!lsQ_Q5VdcA_-vPbeq{rSD5Nz?GzdjfVo`&TYQF=F)`=U_+8-Xf#WGJ|Wk_YZS z`j73-rlfB{6b=l0)jAC0OMFpD^X)-2JBaA9!Xe;-F?`bb8_1gvTb1(P(cMLg^Ficw zqN?8!*$ic7sy(29Rgf}#d^P+nMFrn0$v4y&;WX4NVG+71m`^{sfo4GciG}dNAZ8)@ z5`$;dp@s0FAS)vahKIg5XCSeX*wj7~?VgEdtV9c6N5uZ>Gm45zRKX&mXyMGzi;L%D z+jyOH*(i25`qhN3yOG~ctYaTYPZesrcO^`R;+`-7KIq))(TH4F)_Y+lhFwcQXeFI4 zGaa!Ju2R4Ddc@Y#{%Qq=E*(~W0LnEhO7B+)$amGmsG{PWT$Q8;I zq_#HbVrX58@1z+ohjcw`f zCwgXvXI@BtLdUkRz?K!n`PmOu^wd*X7&Hs;C=U_{^_OfRt$lk0Agc7j>UL$iYg~i^ zN|ix67j0_y;ZJF@fR}x84b@(u`_bRDcUM5dF z%U zn?uv?Xb8a#4Ok_k)XcOZL?E&8mXUD!NicQ0bF`?lccwf@fxe7Bk-^uE#_)yLo1lf*xG` zf7pBX_$I3EeRS_h(q`Hu?W9cT6dIa90}V7b(`4F&Hqb%~4K&b51FcYKp+L*E=bqXR z-&jVt&fZMA@==IClhAF20?{5{>Xt4luwe16t3PJg7lNfqPpLAvm}D=Ohi7~;d(`v= zFjT(rX zQJQ{~@1woEY!wRXy{ibGrmoXm>HSqiyNd5p*ntKw(18~ySB0%n%|-2~;3|T{w~F}R zB}rz;l2`|QudW#Hg#rm11g$hkhou=1$@&>@676x>3d0-ZW5 zvky(o#t$4*w-EnP!X6TvD^cfPns5F{#TE{1tHwn7dK<$IFKE6Qcg(Jxu5dS1aqWVH zSx*?Q;?_>WWr(Mlg!Vx-<5M%-h~Q4Z^#~VmJ(Lb9+4F)i7|B#cGTh5xuB)rk&c<~d z>vt0WX~LcmV;MH;N2M zfo)D6Ne_Z^DGuKn!tXA6m3sD4q&jzk6dpin{o5H-eYc$8A<`@)yG@E`=_}__KcITM zMU#S!Dj2rC8^fmUUKHwomFUXC<=*WttPO5ZK0CN?f)@#n^%n`Z%l4KceplkkXJ_y? z_M-ng!hRzrH`MBkGI&NAIHUB{6aL+zX$<=iwbCoO3O^HqI_Y<+xz1pv#uGd*kYG#Y z(w1z2XI@Lzkny|k6_T%k=cCri8?V3_t3v2}ZXmgv+lH&Lt)l!T=_OLxnvBJQmFO8y zeR*Wf{JDz>+sl<+JCjsZkzhDe70$5x+`kJfZ>u7RI*(N)Q-k+$U=-0B3RMhdS)h`Z zKGL?uz&35*ac`st=nIx5Kk*$E)q1h zEb81KxkI#Nym9j?A`CL=Je>(@h+Q=MeC;oqg|YIALtnL@YFOC6yM>9GZ|jSo$NqZC ztzv8Hy2z`~L2O*KY5XDU@O;32uzTU9YRvP2!L^FYwTj?6lD)2B0m^01nSS#%hy6X+ zo>sS~zDY#2PTuq!m2$+E9t$>rMTyH{}l&4pFi%3dVpz z;oeF3d~G|?&Motk3$MtHGO49pz5DwKyPw-`o2YO`*G^}Io$PY=x)5v+&<08FN%F3> z5CF#3B(Q@D+u(Uw?{BKkyg{*C?l~dm$lJz^Pm)(IWJVw}r z369Op7;a*1q$1P7XkS#FW;HesBhTTn{?-H&wH_07HraQEus>mjuCJn1yU4*=6!Vvx zyRhVpCM4LE$?1y8#Gc?kD%{O18%RpfQ;3I%X1lLclq$I#(;w_$q$oT=__BwXkDEfC zB;hy2E$$G=JA9arnRNRCC6*$1{NijrsLg@@Obf$NofgJzL3m#*D(Ole2G=_SzgKhP zG8Z&#P5m~s!0(LQzpb}-WZ24EFNdPMlllhF5FAxF4wK?uatD`5OSEXI;1XK3L|$j& zXQLewp3JR7{~egI{S4lMcPA)Hz6v>TVlK)sN3MUve8!@&?{gB|NO71pR-GgVa}~J4 zUgVY(9G3PdQ04Mzj0bXkU&2iej%E6c<(@|Zv;$X+H;nW-@%%xqbXIT`IEx{`^|YNL z+TFqEa2(g7!~HnLKk`uD4fTP3#czAQr{}_$($3s2aXGaOC2aY#XV-6}Q<2j2?AQH` zG+`rmMm$8lyX4pQgY7X&d2tHE;*`-t9>Jxy_et^y7=waC@Z5}3)hEL=ubW{pLoTkcLZ{=Aqi5m#>nl>;|`ZD~8z zg72x{yU4hDx-oSYn?zFBcC6N?i3H7#@%ad$)cEcquD$ON~La255pR#*Xn7w>okoypUWrd3NV`yHqF;g?i z)E11lH>lueK7|0Zc@yPC5kGn1&h9~~%0Z0(jzYD3=GI&kygHC5o z;Us!-7v+`@>`Xaxa4Z4AGZ&bfPq7l%rYVtAJxR}8G?r9#Bi<3TY*yLBS`VqsVD7^c zpf|V3{|B*krtAMC=f0(=7L*>&6Qa)?eRt zKY!d>*2a>yRJucB*jWQtk%CmNPhL|XnmB$eT6mCZIS6C2Nq&hR60&G}pYo!s>-t@U z>mHm6g&5}_i@5`*yP`9)M7|mld13)KtFSL|I{X7E>$Qz1s+a!}%WZ8G;;vcJfg{F8 zH(i|ZooMa-^n)>j!x6T`^4dztt^ma5txiG|H^3JphbxG%h4YE)f%C6^6X5$5?!x;@ zZTIybK(r1nA(cz8qsKDs8oSaCe)cBy;KZHC*zyhTC%bGDR8l&FMKHg_GSR@j>zWw= zfzid4mxEF-gVcRD6dKYzQZ#^EpC=U>+^!EQB%!nC*GA$*lCuNq?5bag*Db5xhEDxx zjjnL5dFAS5=hs-XRP6NsL$51TZY7)EbYiq3vwntcJ1T zU&ioSRcrHr-TEeL^qXpJJ&Ez|8dV$f=xx9R8oyhkGRL0EY(kCSuW^4^3uUVQ-WuKh zHMBK9h8FY3&9}F6gV-a6W@~{purKDV{7-;=X8#CX#C9muKC3lrcgXq7sLct{DR+=L zF)!EAQ*kC_wcuBkO!=pxo9PBoree?hQ~jIgZ@LA@+nKi8RJ$>_wZ=^MrN zyWB@;_9v=Xmu}hy5h%83rt;T=+?IqZ#nWR8rFOJjSgFu;ZIm$6BI>LOo6Sx3uzBvF(sTg!{w3lFB6=0B_N87S{f|P? z1M@{OORZF((}ryYna2TQ_++EX8vDHJur+K`c6qafgRxKDN@7N`Q2Ubv^QvRR){85d z;&2!`TXLr3FmR?TP5VGIZpbiGK#t9lo_H#L(^Nb~Azm|gWi z^VCo>><@32lu;q}QJR`(EUjZzuSE*4E@dR>kRQ-TO!2dG6?8x}j?HcD-Jk85te#QKk`O_w=q zY$ct_e`@+d)dE;1^p>S!f1ubTgtJRa(k+cm{NihrTeLG@x*Zv#2G3 zOIZt0!~7U7qoLiZcOo0&>C)wqa&WKV!sy6`IBVJyGFbO)T=L%#Y8nPpKW45OfLuOY znVb*+se`EPNgO=pbOTsdmVHq%KOt}P1^ZnfV{c862( z2KIlIRg{az?|l=AFOhP6mrWRre^@va%VSlvde_WPYItbY$@U(a=R{l)qd#6Xh@! zBn+?mgRt>H23JldE*1A}<#T{EbJn1q4%gGo1IXERmq%%am-R2bT=`=HZ~O~qE4OOL zkn}5n2>UoVnN@EhcTU?T!Z1l3Y{!HvBsq5?P{q>$TOAc&4U5d=Hu}?1ZlO07;~;4dM5RXQ^j^ z;#qLLF<&4S+5iQgiNTPju)VKDyZIwS^mSp}T3?JZvlK9F-xJqT8 zN2GLn;!`eNWVFW5G+eCPz}VV8a{w?j(*lek>?e|~IRRG=)_#(b6Fvu6rd$uVth@D_(#%dIG|GV8J+fZyn4;=>A)C<&tp1jB*UHSO&^W<%zRWwTR_}yPV9GS z^YnS}NNr@k(zX}*l|AeI|!I<&3nSiix zHXayYz6nXL_%^oD*yjjb5X(vIaxQ6V6eEn|lKuV3x!tga1gDeO>D=?!fo%SOSQNV5 zK(tp+b&|0*Y&{ZR7iTN|yA+#$BHL?8{j_He1dFIUB?Ja%-#7aCeTsJo=6|sNOIhPr z;i{HEIEqt3jA2o#rc2`+A_sadAOaxV3I@>Uc=N(6nPzt;xgb&tZ2Tledx|z$GZR6b zE*NxAqud=3sE_M_HHiXwsv=3is46Q**am6#&g4d-~5xQy^emW=?`xT2m7jM3wtS!QU3fMa7b>K12t`VZ(Q7~P0-Q+j$Gp$uT z!XffW+KJF|$8Ppx*9&Ju%B~kq?8W+J9mxs&QzSU!drCI(cavQwAri1uTN2nvy&GU|5cYdRDNE1bmJ{S!8L8|+wr4UxPLpI; z6TgqD%1{#LOkIR}Z$D|J>gK8j(0}G)mH0`7xggvU5pG=1ank{&MYNA7BI%B6xItoi zqnjVYd+Mo5`b`Vi*9XMzenTY;AfoU7KK@sYjg18Cj2D9;(J8+ zmWLL@&*2F{lVU2(CD!E{C#EXreItZ>E&pZX`#Ry0f0KewWm)jbYomYxJayp;chA?K zU})OvD8FslSA-i6w@2T6!XNZp4E2vhkX2W*KT4Tk^^GLUG9ker+5q=2eueOr^|y#+ zkEzhrN%~CnhA^=Uxin$&n8UUv3}0X`@FHwzHqA8%QC_IsUz7yO76>ncp-pQXzMc^R z{F|bdmczBRtuV>2p>u&Pd~A+og(!1j)9m*N`$s(IpO2OEzQkZ%TzGv*;8$h&Aquib z?giCR{zH}(65x*P+>}><>#!(J7(`NI`}1xQM16*;?!-Tcu=SOX8F=dI)~eYwF`s&( zNO>pfya2}7*j|C<7bJ|t{w zAxgZdbf#2XMqsCcx=*>aLYA~iYfNwKjR}qI4w!TVpZv!o{{R-TFzdLNR2w)g2-L^^ zNVLX*$*O%1NI77j^wU;@Md(RmmiZ9Y;IbytWh3jvc;&_&ZTwKa!Xh91ilx0EOF9c(+qnw4PYZ>p#1yWLFe;F#tn5IAz`r7xZINe=!(s(&Gc@R4s!5=^e%*;6QME{bEEjjARp zxk(VfOYLZbVZzJx-@!s`t5jrtxvU4#PGb`Tn@J&6aTAI_!8<@$t{uXqUIRe6UCB7P z?X@$44~Xvp*?gL+X0X#-%?bxmsDBbExCIhN3fAmPjJ=7_B3Q;8D`TEc!+no}l*_)R zrd+%78PJ?pmyoP5F0lxccbF1&FSIax*F$HuGdMrQY427hXVcjqP&96)m*no95aPG# zS$Y>m8kI! zoXI%v>IbwojoI?Ix9Rh*99O8;nO=bD}WZ@=ELSvqYTM+Fe4;Ee+z(MylUo`<7y2 z|kvxrCJigd7Y>73xqOR@-NL_XZrhH3oI^SMK&-S$bltx>aAEu$MBdq3b z#t+)s7NpsGaqund-q!YATdp4BDqPQgc2vx5h{fXWPb&JW%=uNeVp7ph zwIADGnwTRD~=SbhI+@D(nhrsrjUN5d%z(u~Oq4E!llhbG=0u`Sber{Dm*R9fzIeURT)!uso4CS5QguN|*_w{;%%?7SObRQ*p>i+t}FSQ(v_9T`HalAyUkfaCn1}KD@iEHM{;O_ES=nvgRW$ zhKv%wXkT+4DQ{6xY%5fo0!q8WFgGmk<-|7ZOtBiinUf|Xeo@PX;)&o23b#VCdu@ zl9?VjXbv%Fe*_`ZH;ZUj!cVzDv0u3nUN94y`D#e|AAGpIGdIYWN-p*!)-D~TQ%W%y zYRjjwqOFsnI5DrpcqWW{p#MG+)`J5i)-Mfe;1znbZQjxLM<<#$WHtD6ZOFP1%l55t zajiYQwZ%$MX;moeR&Y(t)vWXascA)8faOgIx!)=d4Oet`8kjMW@qC;#B zlWM-uk((*nSfQ0cRA0YRR2*iF>#R4jLI-Ck9Ieeqwd@k>5N&pAVjA<~Rm4@P)vaN7 z4bQ*a=Lgx{;;bnzUwlhx`gT_hJoD&C^LCa3VD`rWd0cGE?SAh!>1T!puAj~BfIyK3 zKqE8K=~uCBbNg`DR(xZg&&DQlKHj#}C#DkPVpb2{0fc0O=j??Ua6t%zj4gDBVxXHf zLM`5mx_KQEe<>-$n-TIS|8DFH;3^J_ZN`U7kn`^zy+D4;4b51gpBmx$L}A*Cl~J0c z%!uTTmW7d72gjtDj`H#OkEIr*;!oW*?S$X_Qe?#?RR-OeF&pkp3uD>llQQX-{BoJ~ zwM1obs{eAx>}osDh)(qck7rE4a-Fr#h|7#8XCJ%PS_{>>U2N<$PoGGBjr0a9_Ewj7 z4|P7UmS^Z|BKcn8mkQHd=rAvZi?%EqoD-&o`0n8SkarZO5`ML%me2VEydA!_G(D-} z3l`x(_;)iOge>iE`<9B&WmzBSJjbcEm!bSFHTQx?H-Fvp9bNdXco%%Vm<4yJ^gIq8rz!A=Wbj zxQjEDG}btuW#nd9je0^;uZ?ST!qXf?+E8n;8)=Z@^@@|%6JZ2~p5 z(y+&t0^SOIyh~4ZD7YoRRX}aH=@&nv$A;*SW6>3#m z9bAN~>@z9N?LT!AAV#_kJU=@-hs>NuY!KL0xmS!M8z-c3i*L7Qp=L;YV0oDXH+5=a zB-_Sx4*v3=GvY~=MZxJ;g>iOCV2U}co{UOd73RK;&5Yg1zFLE&H?yx23M^K?Ph-vu zWX5S?mN%BbF$U8b7R)u=1efKsnq3N!U(sBMivKQq5d!Wgi(6#3AmRw6DI1~W-5E-F zwg}UtqJ9gTTf#M_cZe~NM)3k#9<6^r+B`#R&r%sIPqoG=dgJ9tJ}ILcJ;Qj zaw)X4;Z`$M5}$2X@~u44`npUyh&S1?boqL|dxozF5cR4C?Yb4nJ1Cp<$8{w`6a{As zh}I!qq4sDlcHj_&h0_@wVL6kCeb{9o&i=!${=n^e6G=sccCEBtA^zA%$jK1n-H1)` zQbQDo4-##=Y}pSO45LUYN6@%w5?@thjFFcbo4O$?kGqKikt}IJcAro#4WXGbnp>CY zrS}OO$-y9d2L2@Yq+{TdsC$f!5BTr&@2la%Vcp+I_o3Pb|M0UQ1PAqi7S4H<)8;eBw3IJhln?nD-IhUM3hAk z>6ht(*_x+2@gvvQwpoq1^AoyyzDyGGtuICB7KdB<@#42cw~sYf@zNbE&R~``GGKYN zZ6jH|Z9Q1p&YoEDt4LYPaJ9XTYbjhTz08mHbR$o`(?8au>APc>K)aJ#cc@adt0pa$ zUSl#+^2%+G;THv8)3lx$Qj9Sif%7shW4}9@DZT$3en6KbkHAwH=Q~WRK!Es1**LOIT?jV|q$A;MHrrR}3biGiG)01`OvBoVHTR~(@ z2CEAW(l)~&rhVygeG4Je+}{*Sjqxh$O9Hhy7i2`+GpPV7IK#H4_6R7rO%a5>w@-T` z^Hn0-r6^sb6-ssSBg*ROci5|aLnm#gsnTU-#%oxsS}Th8!;i6m(nnSWi#WfpjZ4zgBP} zcY^IIEn{O2X)Loep1T^n$uKp+Q`WU1F6^JSI|^HM>(Uit=9&_UcYw^wU6+`l;aXUy z=-_Y!HYJOy-+{TdoYp2ULi)LLNbz{tf4Zn`1cHTIWCiaYt!#h0pKA&n38halb$+Du z0elUQC`7A%#R~mXHJ?OA*sf~mk67{ix`oZpewk|`34AodRIKSCZ6`Hu?=WRe64zL2 z!Rr3iSQ{fPAyV5W=5OLHlJn;1{7=QV$c&`CpTG?=BMGuhH;NbPOA+w3`&WD(FN%3| zMg~Io9d4M~xrq-m1ml?qMEgE_9gb^#2}Vtt`#3`r$B22~j$O-WKU?^=cu;BlzLEY* z6CI)LlKD|{cbFpcD<&f`wmo9LsNUswWw`5l#abtw?rckXUSCo(~CvlG(N>wY5T&YIgc7 z`o$bK7m~15Gt@qcd#>P1T|KM66s^4_Sh+UUeW>LUmsg2BM{nC;qP-wQ=^vUMTjknuLOwsQ?62nh;C#@%&%d^$71$|=c?H$#dEl(OI367mxdHC z;aW`k)A+T9Z&kdWwu%Xc+jgmnH*ih(L53aS?Cj##sfm5DW~cZXDc&W4Bc+HG?~OI` z#hL5L(H~j)7Nrhun@TN+1byo!4)+xU8|&l7u-GYb|?Cw;vYuA?(kvDAoi>MfM&>*IFZu z2(|5JEc;rrJrmZ6uX4skYReJxjB>iR*dSzHxWsm}U1ZGXTGK>*VHmP=h zspz4g#IB4?^dLnWLK)L>iA-Z40#aUa?7*LpEENF~;O@p;yL5->Xw$uL@+* z*cN?CVnJmh*L(XuH)@BiFzlfrG!c}IpB)ivqYTF(L7GKk- zn{A;j5)%}re&FhdKEs~QzGGSoDscOJ)>4xv2fThG)KbMS{3c;In?bjMNUwDhIt8(w zub^cQVqjnk!o|*Q|XGh$HT~C!?(2C&0KL^9c)*IcYJ& z&dy;0FVas-sHz~|BC>4^bOmATr>{u4qA=DtkLAW9@KwIVrE~GdE*7D$b#%Dk=brPw z1QLqEOya#wBu$tYt6A}r`=Mp&FPrK;X^eE25w#lIJ({qL-2v`aHje+EA8pNTK^&Nq z+Mqa+VM~Pex_83Jz(06wco+-K7(Ekvb4~{QdDNsncLHw4CTWM1gwpv0^_e zC#jBMUByb>4;u4Aov4q@`GDOb0zfDbix8ICSn0aACVfRDTVU*CvkccC%7d$5MS=BH z%$i|frJ66%FWl=RO)d@`Pqyb2rqtM`?!ih~@|wXEH;r|n#>LIRU^6TNd{;N&mubDD zg%!S7fG4EG;M{Gy!$}`>I`GcG2S#g&04l8kmgO4jo*tFS#HM4G{sv4XKd7)36KGEo zr<#f(Unwn)^giqw8O`SLHW(Zpf#z zF06I3g(GR%2+mRnpkqAOa&CZnl1bG(h3yq;IGIR)>hp&9GZ8izcnb$(7(R?E; z_D|Z~{GDEAj(NjjsBTA-RI7@Qh#M8Qr_?f<)$ZP@{?l{!(7ScdEN<5u4K296qOU9r+N1>Axi#c z1_h<3oEQzw1gF`v9Gd!a0{8{~!nN3G8S}F@l;PujQz##cJ;Ltk#IIyLzmZCO$s|S7 ziL0-E->NbJ5PkgE{4B-EhIE<4gG5 z>2Pm;Oue~O8#Up+OML^dp6NuWsC%w=z+qH>10VTeltgfz=0S0hzs2#2%S8(Iz`;W zRJASWq9f$me_yIP1zwb*+7L8Y)e%yeMmGPf;W|y&qz|p!w#S!-7+3z?p~3w`yWfu+ zN7DF_z8{G1Ho1R-s7}-Z(|eKd7i;%0!E1!SRts0%TRG1g2Jk*3^?bV=Sk!HB#{Nq^*(c%mX2=A~puSfIiVpSJ&1OZvv0+&(8StjJ|^P?IDS6T?4ES zZHTtSb%0~9ZvcUxtm~5*KV$EEMcC`VtWb^;-h>KpoeCv|Gw!n>Pck|wpMXp zq6LKgTuV`4Hcz7GZbriI#W#rp^C9ft8d{^&hT-)@Kk!wMTYspyTzD9Rvl#e!Zj@~! zE&qWeaMg*3AHbNp1i}9NSJU|>ggQej?}TKimKo^1L2M%05bUnS_1a8+-Ss;&^0BRG zVcSZtEn|=&e4&wHZ6c%nA^RTjHKm?q488Ur+11AX(-XoiUk3G-Go>w8wjs`U{NoiX zvk3B7bPHJRFx%&0uH)tS+TaIWbqkwFrE~R~(KD`=P4h2NR$U{=RVYLE`Ysaxm+HU1 z;M~Q;eur(avaxONhliXEhoAJmYU25woY|o&2L?1^*~*A#=Y-$=@4>|9AE79HnbP}@ zY2st9%w=2Do~QIyHJSQ5fpNTKxw1Bq1V2_tA1i9d%B~23?@8^+(BRJ`@H43eclYmd z=DyL?J6D}=-CU#&VENDSgojdkH^{^sPd3iAOM^vYND2hMpB>VOwqEGcPTRRSv4>j! zuQcr;ZF?cknBJF-JE}t$0d$y4>}wkqVNi&URI;T)lyO$aazOFkGXWv>F?;~wT1Ha5YrnX#thqE zC-fHY@^)2J{y+jQVu@4N=Me+~f!#}Q>aN?CHGfCmeQpwW-&O3n$#@aUIgxl@&g6O< zSEh-kbi>A+id}ir5z{&>Cqhgo1tM%I@5VUV8VlNzl1Vq~?m}nX98mGQTV>o}urKqpzg36F{CsBhU85!9!jFk9Mt>U#XRUuc~< z*+=W$-H0XF%@%d-=z9=RjnQc~bsC!(lQPt#lzP#+{j?jqhb|X0sHr(^#ub7QGNVD< zGQtqVl@A<}W|^j*@d+)068uvtT@TF-6dW^tqsbY*VxriW+^JeIUQI=Hon4{XZ#m}jvIi@4Zvd=xeU_cL4*H|Y6kAPz5RbCDII_Wty+z)EE_qr)c!Xr zxil5eiEA(ZkJK`uDCnAz{(rqAF3}TLIc8|7Y*vr{v!Oh|B{qPlOUmT?{(efIxPQ(M z9aH+x1^5U2b3sO3|8oI*%YQD&AmV>6U<3Kjh02DiJbMJj;lIzL(ErW~dh57O#g!BO zX2bp`D~R>~To^aFZ1le$0(XWuSk9l_^Pd%Q{pW@MDwiDum4uKV)DMaj_&gs$*~$1M zk#X&(5JstvOzL-J3dLt!_jT=Sm=H~L(#S7xfz`LdiKA0h;RZQH#v zUb*ZjY}T123D0ltUY9w;yVROrk5ZpFv$S>3?fuY(^1ZuJ{Hza_CHCGw^5(@&U0$^n zp&k!!fAH#aatB0NMf}+4EzZL$1705Z~v4 zf7rD*%f380ze&o78}Cd|grcq$C{y!J=T^H$eSN;J!z|w#_n5n=^!w-5v>kW<3v^qz z+O!D|QTt9G)uzAr=)ukRW_4TZne_DWk6*t3(b{&CgBgY_O)t4K&~ej3&^xnHnMpIk z^cZ|P2lM>@;V zmGt=spXApgm(5*Qh-2;|@fMV5sa0;?9@`4{mc!-ojb3}pFW1ZM-1|_~FL(Jiy>|9H zF_&*GKX$;`mChlC#KJcRU#`!8eOclQ`-WaWIOaP8#^}h~=$lt@7jrZjh`!$ zZMq!_-$B8x~DfSvLMzX_>in`2YV> zkY9oSUwbJCZFnVK;0(c^NPG~2-v&OWD`K}1Jt5((LUC?D>B!N86O)hzm;U=bANtp| z=)b=pd3dY8-ZJ!j1hL#&`yYcOr2mNF1Iq?I8zIZ7VI8$Rt{r7LRy#@_AAjfZ@67(! z@;&U!FEDlGm!sq;;*;lkH^M{xr9*uqhL;XX?A9|Qv13xAnCx)UXm!Tu(V+T|mQw9@ zq*X-=HjTp}NeGssOcmiP7->&QO^Wi4CTe?%NV7m;sKJ-i>?~MO9e|TM|(_Q&Lr9J<%`*IGibT6TYeKjubkd_H_|;aYXtg8B<$a4N9b&>$4>FLFl2d7K zdK;t+YNwduZO^Cy7zMIjE!joie#B}>jsKPQPM@K4xk|Nku3*q4C#O2VDxgVriAnUU zhQdfrZ#x<(N_H1Fta)r9u@}A$$-rNMVx>r4G?hyfBQuXGh@>i@r$jeZx*UEJ3MbnA zKPc1=hv@wfMH5}#PZ%|tH9k$!QMJ>atg7_PMSG+Kt{_!XG8iUM4~KUsiswju9S#$EfN`6kEPEK)oLA{6gDVvHs7l~ZzsS0(9 z-EnyqfC0pzs_=9m>XanWe_W|d7PoGsNy49K^Q5d1k^#fOdHPH6HYk&m3x84H<~%lJ z?{e|`F-XNEXVxRIi7Qi5{by0Y)H#z7?hRvLD3yyjl+F<2+P4{3x zI_=IGadJ5w$&&9h%IWa0Vw6tT*6~1Rz~pVnQ)3d;sgoU2>15Qb4l^>zzfh@hN>B=x zDKIQfbe5m%bj=wcPZy;t)%USVi8e=|O4}?HHpMWWrO`qMOeAr}BB=l!k&@*7Ngmuu z{`(kGn1_`p6*95geM%KB+r6<0bY`;OEtiEo=jn|hhoCb7dJci?m7+N36HITVBPlRH z9D~cA)e@8tXqG^ya5S#u9gPaQe0wqQQj)#(N~Ob9I9EfGeCwdoccn;2`_S|0`wYO{ z@pz`ouw9MTm7Cq`WQl!iZ`#`CL4S)*@7F4LX9T(^)b`Y5Z<;(U?VAea(qR1f`zkT@ z9rj|iT$Yq1{{+JlkEOzo}A<1<89F zF*+oJA)IErb}7XqL!`!Yn*<8wG_Dz5G|5^@QVefsX_oK;T16^-Lmmb8lsi2dMuU`) zj~+pL+8wU=^vq~Djum=j9E(3h;rlIIDcK8GhAJJ&zBwwT!&!P2vl!z=^l!nOO7;2B zEJ>gq%f>>LYM6p9a%Exxb9hIg8cudUZ37n`rPHBW?^%P-)HyL2jJ+EsWjf}Bl(MNS z?nOP4{9RR;LB2}F+$r3T630ZSX_4@f(vh05PFjzl;V}5ZXdBzNNS&18ucWA-Jqu*c zm_qiXzz2*n*=a})mqueb!%|pt1PkBYI&y2@XCu}N|NNiPB95{UZtyTLof%VK$Vh+fv6A^@(}Kp^h~6u z2&38Q-HBB$HQB!aBhQuM#iYWba$+WZ!3C>_At{Xh4hRp1@zx@Y;zX1+&?F4S%Q2xK zYKP>SQ7k`EwA)X}Q@>K4@=jkc3=i|`u$CZ_gVN#fEssJsNt?dL8w5{F@vcLbsevmI zYI~A|l@m3VM1vTKjzvhGj-IcOBUZd==#>C*`I{*GOELQFcJB;aNV4BPF3phFgFtR5 zR!jQ{V2GfTC(eWwn9K63YqYc%ZJ4yR5Q{`)vLo3Mk^KRuTNjBrS%HNnS3<@*%zlU7 zp+%|jwi3mFT8o9l5EFr($;Q(0N|fAnJMw(sMKO|a#jmmEy8buPm3NynNm;4 z!|!FwlY>6Cm|6>!3N|9b+7*ru4Q3*ioAu^M7O8vBw0L`MZ5+njdG3#fmfEb8>Ctq^Pspvc7>Fz zXpm3|ZIDDezXE}2Itx*Foh(#_$vbce1~bAT_#Syh7C<2Io|nZFEd<>!WSI{#_V@>~ zU>6|^_x~wl(@_s5{ol&ivJ}-I=*yy#{DcPaK^B8#k#x5FC|U4X-k<|;mdoOcEO`!> zODxODmEYpw?=OgLJ64uGAPA;c$wJ2aFE?vfEjL5wS0HE8c}-8fVv&@?iSp6D%$W3rZDzbtjiqTM?apU7&B_&m~_RvqboQf@m4l%;2u+edx<;fiEg zQL)$p*}DAF8wCv-i~ka?;}4JgFVPwj>l*ji?`2u6p}pyriE@p9hI}#|t==4gQtdNLr zvp;twlEp)_AWNNpNz<~9;NRl3tU38do~Cov-PX0IBQiorNBRwELHu zJ~&#IWKC6_$NzHo^6L%qq967{ z7k#kI-v8uFkeJV|lqF^~o~(8-eMJUmn3d8n(@wI5&gcvQ{>mG&lpZ4uy}A=OC9X0Z zi~C1zrt3OFY`*c%q~9LhYa(l>Wc^TaI60p2VH}$9t5dRKz;u1$hq4Z&seAOd=Vir< ztQonq?S;37W5j-cb?=Z*w$o;g&knu#>-|{FpD$#6fT=X{D_J7Xphv#F{CdwF(3r@= z^{fcU%}*Z6$_mKMzdeHL_D`e+0St&mdJsn|OE`EF(2F%_1Ar2sMUCkPwdyok+LQm2S1tKJtbo5O_=}4FSOKHee_xDNKTAZ2fwcNx&f;p29{Fnl zWK`YrRr!$&Z1kia|L5m-SLNd`sn3riiu!!erOCfYVLnahN0638l2H6cN_?r$&kyUa zYDB0biL@fB`tF;;ni6e3R*?btO7clG301ADf7(~o8COaEpV5R>sRk%XK27b~T}9$Z zBvp|7rbLmCe4FHVr$f};Hx<%QQco)zk$U7$sJU}^eLm@~LV7%us_>OGQb|f0s;X4x zN2^vNH&)dHSs6(*yS7auJPK7n@$-pg_P@|)%D?m;%3;OhJ3i~Rt182Km1WFSFGsRks4dn*As%&=K6XzGBSBZBUYe-lEcQGc2UD0 zf{Gfm841-%D^?&&bbbAb6*%1~j^m;glg-GAHi^SS#*IV&j7v zY%8oh^Uw+OiWEoO)XCqC6;+8EiE-OODiiY zOFP?}9ksHvcC`Kv@B4kf>-SyX?|)tHVPuAVT5uqp&^^H@$&5OTaa2s=((-g+4eB*^TYESvOnCK4ZAVL@}D2wn2o^Y*pQ88?#OO{ ze`7Zd5yB;=xD41adc0v%9Lhe{&~>Pz8+XI|Z8Ou*hD}exJ~0ZAvi92E(GpT3EX)^p8R1T91zZqhD$bO!=d0S zL*6>7h2iuOTtN(2DmWeZf(fZ`!0_RQu3ZMY&Tj0cnQ+SR%WM$W8$`pKKJU61*c_R3dHw(q{|8cP5Bv2_il|NUF^{~Su&S0#!UUy1!c zDZKXEyA68@F7Cg1kRVgqRoKc@Oo>1>GsVRt0~FvqJkXUyJtma%pTb{exGr;^JQ{nj z3C+TUpUE7if$;TQYR#S#oec%V%*fm*9i0u|Ynt5}|8%z@J)b7$6*CNe}Zv0;k9 zMkoUQ))ho7s${YHu6|5X$EtWE_4Awos-EiH|A>8lz;byb8)xv(oJsAene(RA&zjn# zNpwf%Nx1k>{p?v0?4wC2Q#5HOMb17rv8&KWXBuYBp2yn7B$6+3>}An}^I6b&g4~4{ z`NQ_3arN`CiG;gQ%l)9SOWi;ro}A$?s3Vzfx@KD%4t$u?-1Q*V~;DL;afND0rEJ_UEB z>fgLC{zT}z1-5FDKy0ZWI8nEKV(^oO!8P~aCTys$}t;; ztKq2h24V6DzVNieGab>0Scnw^j8^ipdo-;F0pnl{UkVKrAVr7jm5)iScQBG4Cl(yi z9%e=v^ke)nB`c8Y2?WZ-mEIj4D0VsiVFcmYiYX^IZI&u2!U zNt=$u&3szTmKa*Xl^H;Ul6ve*;fO`!NH5@-_s&4`OObyIs}=jmm5N3Fm1N+w@M`8O zddBqu@>C+~ImbGGt^u)}8uB!5B}^Q`W(QZ(aN8+w36c+P%>&F6a<;-%hY`?y9{Q|h zn%rPd!^QX*4tFUGTUveEHGyfE5eeIg#OR1{Jv zDy*+1H-Xi`80W{H9d5s!HIQ0%^?C!IM6+*vOzJ!~L}qBLEDv#3L!7?*(9!h&rbiO~ z0vu%PO(muJT7A`;D~g&pzrLydz)jP?x!R~o5|m;&U(ZBJKWM0+#flQGqD3?ZpzT0( z9kL>&KS?lUcF`x91p}E$$I|pjik7X#)8rxo>gzO9*$0qu^FoeoIzwD8z&o`=i8^!o{TZa zg+kiIbF9y{CvgV(gZW4seiO~&1-8do(Eg&*W7|s-Hl8jf1^U87wh*Vo6i!FPsnzm( z#4S8e#^UK{7TCTO#B=2>b`Kd!bHsbBhYVefSQ+q%Knlq)Pb2aRU^=pCA)iEEG3dQw zTm}QX_tuxR70l4HKZw zb=Kyj^DnDj;wS-Tp`(GmNL`I|;?+7qXqpTS0Znv{wVBpHO!T7uE|O;e)t5Yw{|P%a z3(p^E=6PBWr^cA?;cQn7Rl7Jj6Xv9l6VDaUYkzs*rald1!9cVYrG+3d_0FN=g3q7? ztTBmQOkx2AiJ>mK&LHBRG+p?cdb!LL@pXAhiGr+La3}rT>`GMv6jL*2x^%B^&9K{1`d~#>5ofNT%?NO@U`C&L=v#=~|8G zKd>OJ>-xnQ_ zN4WtD!p}0R?+#23xh0}OEl?wHG0^O(XplN*_sx$WsaS4)1B_b_(_F#sjE`heYa;NJ z%#wY={V9`{EUjHXG60=F|k$j-zgXc8X0 zMk78*$p^y7IorS3x+Z~m@ao_^W}M|k-gKnhXzh;o^BtHcBTx&j#~jJfR+axPt{_Fg zb!xRG6hENXpyuxUK>06y5TZ<+;Jt!~Lw%ByvWs~*#2j`E*J2}ak>hwBEt?yMtu=|3 zrx`5>J}wUgixhej1y%waQu~Ii4E+g@7gv*~nb8aNKmDL1(-aPD?BV@6u6@ss-mW5oGI20o{Wmqzcw#21Rwu> zn~-jd{M}^~6;J??w(}89PZUpgcZEpg?;GcFA960bShy<%C(zXL!+|+Q(&iNL@GHMt z|4bt#-VUP=n4Q6Yc7>n87s<*s7w|6EjhIL#w+fVL#qDs%Q}7^P0a9ndY8Qpud<%2a zp{4Z$@)ATd>u@p|L^*em|2T3Pzpw@G=?~cv^P`O0Lh)C^ki@;O@k#hakAT`V)FAto!2?%aL~cDDB`@ z@~$_!VIF!2xw3@XUY1e;r*u46>aZS4qP2Lc;?Xlu=~MMP#5uAx{}vb<*K(wOr3zBd zY&lIHSh*a4)eqy(8Y>CQ$LMS4KfyZBm>6xEZJL3L3SyGH#GQ&K%PF|XE_hN=@Gu_i zf2^z*I#(Hd&OV7moc$s{gRWyV-vd!t8F&^c;&%j$xCt;awylY-9twVK2WQI{tPHKZ53(qYj4a6m(s(>K^4 zn*5Qr@9lpSXWqI>CPVBZK;sp?r*yG%GaZtDioPjEaeIXy@y{wgFd0$EK=o#j?y3S2 z^#wZk4y4($69ISI4usY@zN6fWCb2rwBiawx;wD&rq;waUDhMRKxd@kOCB^p%(2k2i{Stkm1Bl_7fGS#&KtIrkPsS=sfzAqQRzNZVV@v^b>0}Ggq$vmTz zd9KS|+Sh@-3^`Lu|Mu@}-AEL>Q7}_(hlxxRUPuRvpQ!JTA+Mr(OAq6X``-V^+#q+( zE(6~GN&%QrY!h-$Kd1D)ph0g7``YV5H~#j3=etARCr_bcS*B+VlEt6^lzmDobKIKm z&Tx52VHNCrMIK4p%t;_IzxCy@ea=$ zF^cRu6(1->vc>)zRk>O5)^4n9j}lpnwMr~x^K!9k4?JtJ3^)3RC=baHPfCx+dq*I# zzaaBufMO*H@;dnzt)UsjOKYoCR5Aq#ppE-29av)RA{C*DRjZMCWIP?B+^MEpb{atc zu|n@eCod}fpjmjJl3a2SywB#Z@nTU6eTge7k>ytb{pN^EJUhhlMN0jAxKa_qFUi0g zg>h7$V-|cF7v5-4!AI~G#L|13hpxk+4e0N!E{e;w*`ff;n34RYeQJIxl~j;RjK}%* z1je(D+9{D|&AmLbZY?yhJnoJ}{cs%KLDSGl^EMWo<*%-v|9*B$1)Z)x91FBibl|xV zkQtEoy-+Av>3mO~Qu*2G`S>M(5G@(w*$bmXK1a6DMWO=ju)2s!@5k%)6ePS%10s^% zq<~OSE{Fs1tM)2jI#pg{8J^3SY*FJ0K`k^7n^-S2%KV0j6yp!oF~m)8%Bj}#sbUg4 z8(1j#kD_;VcU+{T*}Y^TFgW-yn>D@Ja1U--gY-dG=yYkhffY@E0RltGwp3&(u08`y{s ze5)p=n-G2!ezOm@S==c`s`XQh<(4kgcQZ8Wz#3^QWAl6v9*p&GvV5IgIvU>7h2ATP zw1)lVdIsYwMArvkI#m=(`XG`7b3o}3y`()(kF@{I?MS+DUf7USUyM^*FW_~u5bBIm zdc*iDwf>z%Q(b?8QFrFImeS;1BJn$ia*jmL!-!nt;uC2fJOPYJGzUxSmzF(d@rb3^ zz*l1*yQ+!cOb{Y%J4q&;J&0X|BXg`@s&b0#212Zt9V>c}Nw&AGQohl>C3>H1#IJh$ z$KfQe8%0yafzEx-{L0sGftD*j7G6Xr`g)-)MO4G{>2XWHRL2Q=x~wx(Jq7CvEhqsu z`mQpFv|bAhLG2%QJ~Dn@2C5KFFzZ5|OhWw~w+y9I4jqjqTfa7R{AihMP^}_sPxFA> zJjb>=E-`zl!qZ_2&sITFZxU=fV4Lp#f;=X2Gzzw$KQ}d7|Jguyb|9P=G9zIe4`Yfp z$9;vY8U3}9{4E?58EaAwlLr-3+g4XLk#%GZO!7I*P_&{Wn zmAcq&6_c?#?ncuQcYs;?r`lb?^&p>4+jId{AHrEnezWv5lT=$zPE6(AOavc_JX}v9 zzc&CEZkdVGYT{&K_e@0eW@|g{(;*1I8v>uja;G6mJA3qq1@FTWE{@a9mbZ=gvY6Gm zi)2edjy(rV(9|q_Lve2k@|k7*QHKJ}&K``lH$ATw;5y-U4zgGkkYJVAj7_7E_`2oS zOne9jJx0u1Li>>AuLQnREEm_y6>2--ESosbO=PlVKo^*CuMNF?|ol$OW0;zoNeFDOqa zUNX!D!Sgy#Uj*V4J5s4ly(~UV+q4J7WZcYr!c*3gRx|s!UFOD7xUrDtn;-^gjdi4v z6$bLU(NwhJK#(iQ*!84^ach#WVttuH^ubjaEQ`XpCpK9p85r-sD3|&-b5pdA9ZZcD z%GS!)JhQuO&|TJ%nPQsnNUZ88`4GrK-8TFH<}{yeyN!(Z%*EVHs?NcmmAF7AZ%YAQ z<`f`Y+z9#H$>>w(s^~G2wyU?Q5qaYab{n5`#S3oVIlo?r+zrIt`V;WX`u4}+KEhgAxW%n0G=Fc1=CMToZPp!B_|^dV z>5o_r{g5%OH%n~j%Wjm;Az^YKr0%wm52a2E9VSF=`k;6^2USZwN+83mAW{*07m_?b z;(wS?nFdMO060BgCpczgP*FXJ+qyzvV86PmpW|CcTVfL-R=eD` z!`yjFPNFkxZ3%Rob#nqK18X}R4B{}@N0N)do%(xJLOQD#^Pc zaj5L3X|DVjuLVW#Iv~9*5CC@iDV`YvP^!s`?9P;9eugk zkb;?7P^9oe%V%&t_qtE$A@RCM3)X!%0*dIIabm?Hm(bbHVzR$Su zd0jHGzK$Fd?XU2`<*-t5A8=3-35`bNIos+aGSIRzkqv-_4w7!nTQ*zpe2N<;LsvNK z*LojG@ZBHRDmmlXZbg`x^FBfo&o;5j-KOzc$N2-G8NvL(#OD9GjXfkXCmZ0_5U6RCvQc7eTJ z6t;|>UWiEb+CGTp%x^^Gw3(wc@8mglq1|SlPl4mKia$W_v`$MTBfr>)e^7?oH=qwd zUYhdN6`do>Cz5GJ&(=@L-&_?Fd+89l9nwf+M582ea@SDIWGyfp_vk-yWFY2P=F-h9U%0T~|pbgWM8X4=>JUYeNF9 zhZS!iTt=_T2WT&NzqRYVekz6}*?F-Ct8)e$zNL0`5Xqpuo3F7~I)1?`OWx$E6%@3d z6oo&Xjyi*MhbUE3l5TC~17@Tf45TOKrGz9d*FchN-x>7&kS^30Anc^gEM0{4$Qc_n z1^}S(x3EDJ-8A^cbgqR$ybRV4Pnb%@u_XgAw26xMKG+Z8vGlB7 zi#+`i%Pg7<$>v{dcP0k5BV1FFi&0xC&+RuU9$_W3Z^vftpn+42>J?^+yzNral>nH{ zFAgZK;PbN8wutvOAZvS)k_yS_4#a(GBDK^E??gd<2xeQSm?Sbw;>R6JD8tL%fBl1?VLpD8Iqksq4BxN?Rsk*axZ3+ThkXG8OmxlfWZ9_!c$=EZuI zBRj?1{BHi2@Yh(DUQ8rSIJJH;h0H2Ouh=Y!r(>;KgmVaN;eiTs_k_-PF@4RaeERvy zBbBrg9?EEVDAll)c9fG6%a=86cb@x}^~PCy=Rrmtp2P#r4$@bhL5l3`+CG*uy#$fo zm3FZNFNE9(*%#`80E7xJg~a9@qA{v6fxJqx+ydzgZiKY^Y}!Xmre5?f$G8lLc#9Ir zU|T)#`&jDZ&6^-#U^jVV^ic=~r~Q5>4d2+#O2A$HOz8z4a3&cCwz*ckL~G$hGkovi z<_GNWP&b4Xo+pqN;LmEz?&p)(HlQyXs+ow2r^x|Yq0Z5^lD;^B?bANLk`_1)30~ifm|#!7!1kp}&GYp{!DqyUcq1;N zqj9|RXL+OYEjnv9CtrEoeFu3^pNd7Zv^1Wkb!FrgkLBKU9VDT9k!RFybyuzOS%&o)6M-(b#j>k9{v! zl0RId(V~2`=2_9^&eUSfyUc145JHOwaGF@a&XKwPi)yOA2>~S@%N6_KaKn=%k?WDd zH6>e~F2N&kwwO=-i$-DbPO681eBmK72v5Wew_N#$U&klocC8UR2%%|3sr<)9?XGl0 z`{+kgaR&InyW;ev=Wla;g|wUDTAXTs%mo42_Q(c^C|lk_5#7HI@$#0qLB)=3yIv79+$J*H{?&T{iNc(?k6y7y?4!OrN3_gmFLBw+?`oK z%t&>Yg!I8+D^<&(qs*i{fd%;qy&ocv$PMD{-c%FJcocEHNTqnGbs3hMtKo@okomkT1Neg9io@Qbt#V%+k9*dhCrNT{ z<8H3nK+?okuqtQ8w2l3>S&f&f@(?bTqW~<>uQ#6YPm_n@->p@N*0Oj3@(_z~FZ!!! zQ4_0}-Am_a~gPl#hTV{0b6AF0u^OyWBB2 z)$2j|BZK=rI^w5^CCVf|JyeETzvoL!@{w5TK0-8{Lhnbp&L91W5c5?5ryN%Baf@nz z2xJI#-nan+=6q_;AEH<>j8^$f& z@C(|jk#blDYw=a?OcCCI)6^vC7b`D#!J$sY?-tiYrBW+h*Xd5sUwVpkChz3zxDB%0P+?No|@~wgTJ?r4QL<4pFtWcr_736%yS|f79(jhOkJZyw8oXvrCY6L8IkHa>BdxR%_^pzr+ zSz$(U3-}r%^&-TY9M7c?LA#y*3O{Xcfsr%2__TQkBObnyx`gax?zl)6HGiYtbe_an zLW@yKO_X!^-^en564Y)V1l@}y+4JMnjXadN@6b+j&lf?ag1jbj(p;lxG#enbO!`BH zWQStx+#=>47!H)Bq#WM`=IUosXsC!zF@G@8H#P<3S{5Z)`^DP^83eO&4O23>jzr=1 z?ABtKa_W8BfPfn<`3Ss4Zi!*Z19BPjWuBc*MAuy$IhgCMjEK^7tOz)rwXN zxy@QeX@S3on65lUEy3P611v&6{SqpEOw6Rc*f{%>(RMscdzo3q!*ZPSmw-`=N;ZSq*A+tIH`okj<{SI|1K%i9paxKl-SmDO zPmVDo$zTgBUjV*7%gzMR%UZajxz{cgZ!Nv7=obL=iuY+f0QzgyNTyN&@kSZ^|4h?gES)fy};eoa2js2tu{3#hyR~YlX=J3O^hqV+pu6Vn(17!M9nvc87NW5|^<)&STO` zi6try8e0#GD_Cup6X^Lqn^vJz=K}L5va(umQ(HOZ%FUV%AQCN~-FxL>7f`KiVB`FU zk5u7gS;sSjjT;|T{)HX>Yxo14h%f1b0*-g9$nJ`}Ks$z&Ktgj8sl-bF&`j$6_UF*uyZ%+8^=X=E+BA?Ex369HQn0nvgj^foupB5j+K+?cl}& zc`#og#`GMK*1I&r;!2Q!v{70Za;=3W8UFF}~1Z!fLq(wS=+W_;0N z%mXU!cK>mE9Sq;{@8opbLf(2Ais6t$9LjlF*<=JCcqSv9UN#KjD!l*;l=Jr_vKcay zd-!s|B#8S(#Z?8uE@h7)QIYQ@OHZ$by#MXp>=B7ZFK;i&>(1Sos{V{!>I=aEdRZL5 zugekpjHk zH&Icx;V{~F0T}ljA7sjh)i*G#l-6(}ZLbB{eV85(i0%T#&a!Ww6l05kh-@3 z=OvOJV7^?m_akWPRWEoYBpwRQL&_nd6wllO#CZNZb+^cSd~mfv>D*#^R4G?M+o1%WSMDJRcK&!=#2b96B^+1=*v6G-mSzrmpLuZb_n zL7cg07Xaz>S*_5dm|{*e0wP7f6l0c|U#98i%d-6+F{#Z4v$iD^2%yTIUEWQXMs5u) zr|GWaF=A2}o{?1rRtxA3#~D-^HSO$bY!NOe>PdD$^20w_qHeGb;5XHN3HFJY^2xQPnvH++dQxI zky;GOl2+u}nIcr?LS)V+C~jdp@5)C0Z1X{;=Jg_Q-{jNAla^rB3A;VkUiiT32>4~3GN`J5a}J$)}RN? z>oPji@sGlg1lNUbBnR9vX_&!f1JBG0MWBO~H$~8~0fs~-reG*y)yKonjrx~0TCO$T z4CI9y^2rUyroQ3U;9=5iIg}*yqmnU?4Hr(<>#2zK749uBNk!a_M3MziFSg9NhD6no zK@0f-AEcj2n<)X}?xkvdXgETuIgQ$`a*pCeshO&4l#KVQg(#0LTsv=TN|Ze~e%nm3 z7fF%x#-}1}xBVC5l3V2U6&c7=j^sk6oFqUUm8O<}$g?aDBU4;=V%be|BT5(QvNt(< z0ZfH?xFLA9qt$-t$bB?SdIw5S_h z-_fkK{ty{zJL<+lv`tR3FSk6E9l2LdZ|f-=uPc0Rd%m?-DxCpQ?KD99E(RU0B%wo< zjkfJcurSSog{|3l00TUww>U`66iy4a50dml#n4=Ei1zSKKxmt-+XhiEx}E~rt;QT)bDFYNM9S;J_jsGQv$YE z-eYF*>Kc067u_u5oPnOm`g8&|<6J1`{9<%oVeeK|BVkKCAR_!g`Pz~|#`%BnzfBk^ zltw4e^KHbn4;(&HE_z%IV0-0hKsgUHyFeQ)E~iicA{+Q+lmkvcvZ^CljdQ!e1@}_p z#xVdJh7^n|9?R)aFdRYdwY&?N(=Co=HNgf;pG--hJg5F@`!OISB=Bhs-}1)m8+oID zS&=~Xkym?#_Ne*^0zBK5+z=X)FU2xNf6;)oXe$G6AJZV#s#SKa_ zn-iIWds}|J*D*k(%dv{%Ar+1DUB~dov809Q`S;gb$#L@tjy*z7l00P#uEwTlEol8d z3Z`%^q}k&12h2~zv$5K5#W}dj6~^|z6|4FV*{vj(8X&|^fGn4oCu#A;ZnBuWk*Fk- zk@_7M6UgN@a?{IoV2LrijnLUo%qi4>0+{7QX3=f!W4u05SeD5uy-1(Z$Ad~ zUy-GNu~`a!Fj)rKdZO{*^OyBTVh0{mxkZ%NOZr4Fke5{hdX0$TS;RYu%PKgmb~SQ<5K6ULA{%Sz*wJ&r)U-Y@c(%*8UgtEui86kiTie_$(Xvpl#oyPNK6Wb zWsa+hS0=F8k!5(g{tjX@e8+*KUq6O%)2yDzUxoL8(6*fC*#^K*F$vd@2WVe06>9lp z3!pDF2$B{+qPw5#$yoN6^?3?CJ%HAkWhTiEF2S4Cea+7mnMnFR9cYz3Pjs&X{__6l z+WH&II|E`ec@*rI^J+&uka-`K_jMg7GXziK5Xkq5833$=^y5=WzTz$j0eO^eVT$cJ z1Ac{x^1cuRN$Xfz>9d@J%7yaUV8Io$lH~g;34l`d*P%P!u_IX->|ZYg;<^2Tb{96b z{Q{{pc`N-`_+bRTE`7?GSBm}z?6R1`R(pCP;YuQRb!5r2!>JPantJz%~2{_%;HyZlm@fXg+b*axDuO2}Axn3@$Njt<8?pjQpuK6OVb5LyJ4t zkM{CiMG|frhdh#^s?qTc`xR=p;an(z`sXkUb53A2N22d}1pY(R!Egv%~tmS$LMi zrMqsfd6gTIc;s>H4)#`4qM6hyZ8c&G9<-*KaMsnrv3b)6AnX2Y8k$rYOAadY{CTaP zktWD09na73rXhJcC=ZkXz;e9zdLQl|r#x1E%00r;Kix7?CHDb>io8NCc$9dqq$g(qIqJj(9*&S4#CU$oVX?+#M4&x2Z>A^%}WhjOhiks)%@ z`8|9dd0DmyyAmNB9l-v%;iGc^3fc%O)+|_^X2UiIwno@yId%_)pm@6LNn~#V~$#0zh)_(FtUezB@H)pT(TzjlCXgcFk2|mq|FI* zEjrPD_vO?}qlBLl*Q`@AY{h9xCQ0Czkbk}ZnQI28uXW-Q{2ui!0^QH$T%2CD>t^&v z^{I_9{%hNgl@8z)tOp12e1p|tRP&2$zpi3~6zG-#>{qCKEv_S*A&IaVE^ZRss0jdN z9S2jt+Iju_ZzMnH2GDtyS{}4t)5#zJdU0R&$piFd%im`0O3VM0YtmDV2X=}Blm`7o&hBE=nlkbl>^{KF?_XJg64q8A+ zD>OQ+d7_+efLb_thPd&)8V>(Mn}r!R$0b*MD zL(K5#+FfY~lA!Oz0Qfr3zEZvu0B5IH@jqHX{;5EVnSK{iKlSZJq^xp>_XQML#>FfR z9hnBRd^!})NGqAjpMv&{`)L7py8&Mh-8G+PY6qg%&pkpUf1PljY z>ZPJ2)FwsBM1gx-wRH4x0hXydg$jLewKBD}m-IDPvJ!3CVmXlspiqDxyo{GX@g<$> zM}3W)Gn77N2^gXRj5^(#nMf3o ztIrdS!B3mN^DQLABEGwKVf2XFz|X;lX*MhtD}1wB*bzX#76hP~Vn>^H@-1;r>s_pa zM6@N?LYG+oNFYbd>2|18(FyvcY%GuvKu_>c$LJ{DFKpRu86J-dUF#L?RmUEw-j>fX z3;vZPSS-aSDal8VpFeu#Uy&Ky5Al)dQ0ViLJ7FR>PgCrq9zg8DuZ5gB<~mdHWHQ6- zm08gBMhr`)OB<#-*W#Q=H3<4Gjc<$%=dwGBvyRl+^v zJ-_9C$S=%Fc4e8hSk|tMSj6X}QCH{J7n!h#yjQOm}Psl`75Cx&k1l5FO zHsAA??jEH4K#IvEMI`Mcs)+b6vVqRFRZKzcXKc|WY6|$C5y17ad}#)y8<#AiPoVSfEK=3;w&xAn zc-eTMo8>73yTiLV4lInb601qI$4X6NhCKwfe>K?tHKNH^i`bo>HjGEw`y6?hj`n~% zk&LavZ3%0p(EaKG^04{M_~I$JASm(QksR#^FW@XX8ivDJ=}rsT1*K`f6q3NXg$a2b z{T8~dm*>w+M>EfHM$1oBN#O##^g89F)V;4N8N#ECW^$+c0zZx&567FKet zm#Q>4H2L%ri1^K)XUJ*FY9A;zCl|}>86W-y>heO}VniFbcIv%`n7qP^^j!#=R3>E` zA+=)c_?0lFh|O#ZdM=r$IS7KcP?bFhIGNz1@CURf@xE_R=8=`Hm3RzcevJcArU0u| zihV+Zt@D7Amf4YH=lU|Q^?uObG_fjIaJQ;7RIph}y>gSO-*ZX4^BQt(c zEVd3~llr2fKiCPpS#?6YV5WbP_6+poO)M9&A~(n?_VHttOv^Pvtj0O)4Pj}6MWS(eI7Q&$v_yNmeGhYf8-=cWsjMCGc0cAju9vtl{>8>ix3l&FE8O{op zR(TCKpr6p+s3h6XU`d$B`2dRWxo5s`I?pyDQCh_;!xO_$a)|yS_w*E@poe#ypJc_E zU5zy?3?X4ZaCVBV)rs_Om|_r8{reaFT$}NMCo~6s(kw{UU8&E8wJF*eI4W)@xHSgY<-8U0F1F3oGRR56n_OgTr#UNPk7W)nhHVSR#b8n@#B=< zYL=RzOu%noBV9;Fd3(f^6P!vmmy`oC8CYbj_|0E%WiU+?&xJI{GWS31ktCiUKmL)gW-tCo6*jT`0y6QbWT zJ&l#R8*o18nX1l7lMtG1e)(Y8%V{APXe*(`;MyMi>le?HJ6${dbax!cuwH&xFex{d z;bNyXf2)0*ZH>fBoALJ#Wdm??G{@u@~nnV06)6YyA} zuqHt>I468bp~>xB1N48B_gcD@OocJUW^lcw6}MrsN1fhwP&y~E zR)9~CCmKdOkCj1Yd<(s>H5buO%5qWU5nM(#cy}ZEdE64@nDZ{AFM?ft;(sCXOaRau zwOYBpPNB2#V(XI$IHz)gC}A(UWPU!rev|(-(*N8{S;T&Nb=TvqA6gfxz(1*t@deR= z(SU~5KSH!x`fBi!>GHhu56F`N_EWCNxPVUO_VjEH+uwj${2AmzT4C~Df^CFsvLBaC z=B4pcnSzJvd^c9C{}D^_0FFADjD*&ZWV)(!^tHz8caVPM4DG#lHeO`VHzU`abE=Wp zUC|6$BOm@}DY$<@?R1GNlI@9QYWMS?GO7fwT3D?K6(uZ=oE~Med7NVrjUo5>$H2NK%4$? z44sT}Ja$v~k>c%b2G>qZhbvij7a*m#KwXs1gcqlNAxIa(b8LpNYA%5AX2biLaJYKd z>LO-6IhLh3$5(zxh6O(&t!kZ6%a`7a(+@kUsN-6$lx1wahx^)~$ZLA7X~Su@rxPJh zD5v^d$O@uQfa)&Rry`*e;IR;CLG6-1C+p^$PDPO0p*tB=?Nh)#T#In4u-yPwjb-S4 zV3}^~4djOAuEm0T+hE@SZJgQ`T&WHYOv2b)HyT(*Z1=QA{MOs$&KE?kw8-p}OV!4w z&i*AbXqts92*KG8hCZ7isI$fKyaC`<3k~h7;g{9__vX7014V;=c!s^l-u-Mm7mX+V zLMLr((%v%dZfTtv`XFbZ8<*)s*#@PwxnvzLh`mL?v*OK=WNb!SE0$?Uxr>;k{o53Y zT#VBn4n!-5<+% zSW0d8Fn~)scb%RHzCwSCm`GT0Vht>l9}4>{+-vkKfWmNs(iWPgN4~ zOher4j9_KeGz8w6aLai58=P7;1cww<)fjI$;5FUJ9_}MNb=Uc17Y>ATtp*b)2Ev4trjg}Xnx6Oqd*JQws>pp)v zpA_jH=Hcpwdj(Y1*{kiB=oI*nFXm#+4gUfd`DCoM{Ub_rDtoQDs{z*_T^EVV|6Z*GPW#;2Sl2=$H1L+7=DE~7 zsif=1kiud&G-_xA&aM_N3WBiLzWDvy$R7>a#m?e%x-fqUGhSIFEHfx8lmexsJWfec z>}nN17V5n+HsRDb{eXVrIB96K%>5^^^g}+kjfl)2Zn-x-Kc)V%eV5@FxU!UuCN^l z5(_|^gg0Mdz2VO0LE@na|B3I>i{q79j=oLAXD{Xh;GP$U8Znl%x%ScSM%Llb`YWUJ z%kXHjtMpFyOXN*@`(7g{Hj}b|YSHc}`vei$!|Uq9UTP?B@*e2knzOBvRhQrVw@E1RoMB)#pqs}()mEAWDOZI(2x+Io zsc>H&^o_w}srD&R)vS$|Ay*YXIgdD_2l$iju|R{eSt{oo2@7BB-7n7{-kFp)%p zCXz^^K|q2A1Vs!I6jU^7R8&y#h-Xw(R8&0Msue4(wpzv3Q>(40sMK?-ty;CBwXJRK zqqVl$)^^`P`yBrJ+3$7jZ|{fA)mX@!)~s2x4)^^#0D?43ohGL_SfM);AdbNTpKrE9 z`bjhr|C|X3;I@1nRhhHAtev0mdyq_64EcKLOCd%$OWrFcw$5l|?6^>@Owy4e?Nwb@ zg*h9!LIov6mZk2V2}WiFU=`K_cz8a-t132@Zv(PWHbhMsVG;L0c;DHUWV^q{R>u|4 zGMSz56LLoK9n^Pw%!)zc4sIFVPKE=L1`EWEWApn+DwG^MGPr?0IF}W~u(j`35s|C< zh2e^d0Pq~w=+CI9-In7_`ueUBkeNcM3QO_6W+8(qz-wt2h9iy1<7C7weFJNlFDM|% zaQ7xF7?^_AD`{#NM`jwI68eNaYd4N)&01L)AA#6X&+XX8vG$ll1-Jwl-cd}FIw*+T z1QpHxEQIVCMM7DnLCo{jth zFr;(%Vx?uLkgtE6Y}W5YL)jnS#J?CI(GA4?BxZs37K3H?F zLg>!8li`KX@wb7!ABLF&s#oI-`>kodp4Nzu9UtY%HV;xc#w2k?Ltr>23(HN!ng2+oyQw%1DGKFeF&4mIk$=m&vNAlawgiaLD9NUxv@=b zgFhoCKk+e5BSYxPsuUWBHZpIrD*5wj6{I(p!Ne^BHA7dRxlTzKTbp2HFdf0Il_r4p zHeI1DSNX>R!&gD4_WtdpZgV)uKX1byYTn~Wy>Tn(r|A^!IWmYO7~0`Ass~{>LaPO% zUELVYd=k|vR6`z-kMJ7oC&uAGCX2brYm;Xq>tW=HWm{A7F&w5o7F zYT|oKq3+3M2(b4mp93+($|Xrkyhj-kiZl6{m@$~NA-KD(ZQg7^|5}#g!6XSxM2CQX zHk|d^^azsXEH(!}veS49gyFDoYh8LzUe=M}b8d_J?Y z(sQ!&1Q4C_L=6RjA*0uuXMEJqzr}1kEdogYu^syfkwIQbn~AVsj`4~TfzpxJSB5cT z1!yLD;4dK7iG0Uul6okxOVjPQvN=We7 zNZSA?N{eh)7@XGYufrD#r8qnQlzu#Xff#NxGVdn$LnDr(u$Ssx0N^O-j?%!1^;itd zLJ;cqLW%43m==XDW0coP2k#x_bygdt%a9kQ^FJs7!ti7seoK#lWB&R6K4qmD!r#YzjjikANOCY39=OUQt_O|3B<0MSn0l>^^Pg5Zd$aF%z^^(O&1`HCtI%N84 z?mIF(2-Gt?!!tpl>I6z9@qAzA2;8x$71n7t8Y zaDL+uSXz+bxE(41gaES?^=()c7WG1Ij?biLWLJF7^?z~|FUjcAFh0yHEC%9X=f($k zU9eP3=n* zbZXi{q<>^Rf`n{w5$V#>+=Pe(Aj#b1-Us2+emFgEDZ*;dQRl!qTF&Kg^KJT^_NXC{ zZx0yab^%_&of;5an8Z5$YJP0&53+GDr0T{OYvrI%r`k(t2g5z{CSS64(hAQ+tpe1e zumtrJi~_*wDp&Opl?`(%KA}|u?T;|0Q1~Zt002_1^vk#>J<$9jhpnR0mJdC+qD(HB zC6NrHVek-u6XjJi>%kkSQ%K{ddh=|l)Xju9S2VlWILj{EkTUYcmT)Q--F@$H>rT)(rD>}+^X0~P=Sv_IK*#l+=v?rs;f{jdn5SfS! zVEQ=CS`|zT3PAs*9}JHDv({STNVaDVewB;^k*6K;&#S4XVzkMRrfLfykJ%G14fqh= z&Pi>_TRfX_j1Sxq2J?s{ku7opR&Bl*r9Y!F!%Rcn705Br$h`rK5pZ_MJ$hA!m|^T4 zISgk^YbL=^V1DQ;#gIsS)TH0&B9Oy_@o{b(;#T0#2?R#yTI~WZSS$BJ+&%;Gfu*D^ zzD9DN-@^hLRWlV(I)pRFj-nudD*<0U>n)vSc_+(lHx_$N_o$s681KW zJW`BiALQOhX2VuyFdmPC*p(D{IG*G}(hFxv*Dm4~-@rEA>NQ{(;UFm|6GO(EIJra+t?WZVl?Qu>ZGBmWVz&~!~9FvxhVlo+ne zPF4dvPBdDnENeH=>6=`_gNLBq5)T3qMMlYoJ}`((26-EI*A7=s^@AAoUnF-#2I3oO zx-^szc1JmG^9p{>8WkB$I`P3Ylh^>=alv7-*D>$YM54F&8WI&WfLM%w0R>!Utk1#z zY=3!?UiXLGZLd|)&K`>>K8t@64pf2`nW5AqqiA%WY3-P9|-fn*xv1_xrEue??E8y0*Rh-c8-S-8cHanyCmD$EMgsw!{4}26K z1*^Ub&H&BDs)fxmPNB3?m_9as4LxGzI!Bq^#o34wE9#OVz|zM#m_5d;-3skj##G3D z;D->s*ez=ujvbqRCeilm)^fDtKyMRzl;^%XA|Bz{jrVDr*j%}`J&L?}zix8=Z2d&b zM|g|Crp@tT*D;Tjj@ghZ^uBBGfp?De{=fQtSU(=ug0ckUv*M+4z=?!16N;CdbBQrm zT#Oz>ZSDuF8x%=x$R>0%YjQ=2=ZC7QSdqah%}GWxk^%Zlf)Q1RWgKA%3-C0+mgkGz zaM-@FqL&2;D_5m2Y; zWU!dd3pBhGsfJdR2Xw6%-(nX4nN7iXZhy z0s7P-$-xixEPypaIgc}p*JQL~bvB=|BdU5Dugv<({R!>_`dlDPv}$b@$^$`{{!(Gp z&-^rMz~yAVu>ldFnj2D8ssQ&|qSrIhQe7vxSD8o%)ded^D5Q$gdw+~crgu2l31o`! zjs=NI6?W>`;rWjJRr;x?9_WVJ}gtEx|`(qTQ8wGUcY zT_~Qfu4XEC^VNKewm*dIAvl$-{t48V@Gc13PJp#guykK$Ts=7OjPR`MAg6b4adH$&U4no;9jf^^grbESgj5z6Zd zsAOLR_raBfr0mSln+m@UeY3<8xp2m#RDn92WcS_*Il@=&}x%0ND}h5weO4DQ_y5aA$`L_>6k{J_n13ownyl3iV~&iD&RzEsL= z7qlg;;sQo&r0LD>%1c|u7$dWd!**Fm&GUq;P&Keo;shtwsCifrv`d`j}0 z2*p`%`AeZY4g^Ix%8E*G2H@rkHL4J-aI}KA&vR1vL{(kJew$QRV9a%-y=oNEo3DD9{LhEXhYV`vxb4eMDOpOWC zFf<%B*bZx3TawahnFclF&#YZAozL~7tap^+lIC*J^kl#xm@{ZbE45$oEQwE=U38C+ zY-|!EnKOKp^o$M{LiG7~1G|*nF;{&eP=8R_I)EA297p;YeYnltffSoI7BpgEWeK%9 z9)Ar5tMIA-Glm^JyaATCQwPGVCT$*K_pznnJ!ki&KLUDmk~3bY{@UQn`Ga0`&0+XQJem-SxDx=YIi0x_ur@Rzt5t1h%Vez5*Rm;c06-rjyIzSy{0MH1 z0~An%tz48N4M*`D-;Go_;y|p5<=^IvWU#vmH!UkftlE#w2?XZg0}zXIfhONjb04$} zMvGUuYHX5>X_w*Zh4^^|j!G(rhbF13(Jqd22+oE+36 z)vx*q6$&RU(&2LcLwQQBX$$?4;;0|CLMT&t zsck_g#BBjhI)1G^9-=ilIt1ihUBW!Xr}L6mGi<%_1Og!NJ|(`%#M@WH$YOAMvqxi! zJFAl!&IOvQ+GuLyBZV%I-ly{%ky0}aOon`6c;!ztOPfj8bK`lt^tGj(rHsrM(y%t? znJ=CPlt`P^4SUgf@Q{Y$Z*VwsD7mkHZC`U>m@?citwX4&P<#uHUBCqJ2O)vR*6=14 zG3;o6_99TrjeY$U4RV=rWOY?VgIVqav-DAR0W_~h?aBcHv~G=@2_bq(ZfK)?Tf=rs(1D^7GNCsTcIoSjn`!DO?>j(H=H_7;5=2$n%+0H>BZ zGMm?t9gA0>gr7{*AzOizSHhfIa1Z?-(qL$piah~hj_2<4S!By@8I^=r@?L5 zOJ{C`gIN^9$4r3spy;&`4eidA=08)9Q zbOfe-^PtCPe{82;#p__^@EL*?##~&GZ~!s!Y=FVI2Z7_u2eH>9EBl)#w@L#jQlV}_ zaMe!D>Y$1Ql9T%f2M=?_K2{KU` z>z^Esth>XAku~~LgD^|X5=X(jjh*B#j_nV)#0tSlOQ>xx_k_gh`Tz8(YJ)}vOlUU(x@|F2JQm_&w z+mMa$12qvk?Qk3l%D#mtqpRvGE4dFkoPKl(koNT3*4YUhdpO)L28wjfAH`a`zYq=75%=@#J=-v!qmuaLt9F48?uN@mJi$NtR zf>HZXVpCQz*bMy8O6%1yS}#;-q#v0D z_1*Ce+eUo{lbvY?OD#YmK==>O5+dq86u)OOEsL0*kOp{=V*Cf9xi?!krt4>Ld+9** ztM&B=dPsambwU}H_=Y9sqD>Dcx)ZAs)_3 zyVp-^^65PmE!c|m`%$m5>4A-b&8yX$g4m6EwiDBIuHg^eAokFQl|QpXSRwe@V{9TK z&gGhnu}EWJ$t**+$`HW$&ejIz?Tj?Tl7gu_ncTfK*(zP4{l#c}St`aK!T7dJnX7kf z0kUyZYJY?dSl^Usca!3o*|v=$FAb<)2jqsbR0jrmi2AK_eLO!VcS6Pkt+SE<{Dgwi z{C)W6iZ?^_PZA!qX0K~pZTL9bGb)mld+Q8l^?@M#sebBM_?BF4umEii~G?p`-Mx`Zq&ED0-l73{`FlzBi*ZDE5k6^?48h)sFm!5a{Vo zPvd0Gh~P|(KY0Lg^g)~GK$vzoG!Mekx*#$`Uq-~_AY3~LB2|wws}VQcm9BrAFQY3= zPSrc14O4j+-!5kkGN1Dmzm>*Sh8w@~Rex-zlL}WM?p;15qd$99H2;aj5@2(h+`oco zga*QgYP`|X&bk`msH!NYTWSpQYUxI+Go#5v>}JBs5)uD3mt6BMFYsL*GFWaT7a{ZO z811Mg=C6?!NMVXGV#aJNP1?%N6@^ga!vH`H0e3}x2;@%f(;#Qk)M$UkXv|}M`SYey zSUdR%QNr8WF}M$r__qPDhhJ5fv?VcFCxktmQmE$?!d_m{9I0-rhsEJR;6AC`4AIzM zL!PEf(sL35IXJA$$R*+C)8OC|yT_mIRXY@QYTcVbWR3b~N*EAdrkyk;G$9btyWS~i z2kvdID=av+atc^*mGfRc_)0$!uhs+l#0>sR znhAYiq)yWw>?JNTODean8T(-7{q61v(ogps@kqM5bOTq!+_BC=dF=ovtu z@vY(@b|&Q0iuXzqHvy;(b^LVYBR~EcMA`-umK_@c^Fv2$WF+aTJfqN7XH5oe_fNP4 z{&Q%qlle$~8YFfcI6mPZ5;g)}7eqNyfyt1B5(c36lTm6RA~&p47eOBETd89qQdQUfW zI-+eY88lF010cVqh}|cz9bH$ap6P$DS$9gVT1PoGISx?8uDX4c&r;g}Rm(Ub`sjqH z-YLyzevA>&;ZcYwQ(aIuERMY!$80t%KX-uSXcs_Uw~r;P=|j2-CGB!MI_n~X^JCm8 z`W}{zs4TYgAR1o3TQmy2@BqlU4DuDiX|6Dw^an^vxZo^_Kvu9uV1@oP3nnM(HF<{a zph8fJ-_$1?W0UAYR36(pP4PL^?dr$`D%$#4Kkk=#(nt9@%a2fLgA%^?v7cez^Rryj zf8%&mRO0wdF;gOqO{bYE^DWT*aBsJ3YV(Xe0LBh05PXF1Ot0xNkFX{%`+0qlygRUa06|4y+$c^fa>dja;&+1=!E18SbaZ`lo{J&+Ch=1 zH7b2*Xlfd&+bvDe5-1=ie0Pl3DOm2%h5(RrlXSGUf|9U(#Z${ zfgVsd2L@gY!jP`hDAnXoupV~TNuOx_y=0nsX?rk^n>m*1&@z=XAa+`4RreiPupm}+ zU>g!ar$N_>fq(5id-p)vXUc@3#sW-3(NyCjE2wVnj2K_Fza7jr?b zUl~sS6l8ePpjK^L@e-yJ*72`F_c;(|?&}zyNpASuc&QcisyoG8yad*6DF`=!{NjGb zy3$ws2YpKvbRkr-jD`po&Af=Mc0uyEolEsMlpb`ia|%Fr9SLqiwH$_d+re9v}is~AEHw1;(7jB!13 zyK2wg&y*avoBj$Bh2OP$pmIBZBh$>TzK{kaOh8ViFgU&B(~!GH14>@b@-#nx8Zo^U_Jk zBPfAR(m}UW#krL2MrhNyfcs||w(&vPEy`#h1)0nTfxkI3jaM@TQi$S- zpW=%+>(Fq+i8Th8YQ=CQC2yx)uk)zuJd8K?P_(Ujf}iGloy)gDh&3Hz~2lK zY8g)4!YG8-fC{k$kD&)}7{3IjVB!*JP~g!5Tv>bj+8=NLM4o`i@D>lCxT}CR-o_OlJx4j4R!-Xh zMEp0RRr_#MD}4*ei5J#C^JEGiP2fPsd)42#KgxQYQ@E@6M8kEir`Q3yk2up*SYgF` z5#+=8;M91e?M1%eq9JG3#0A^5%uX_zMl%YKj|SL88!lb6!c~gNY;fBFX%SA{KZcIy zLP-`$FqaeJq_N4(*c^jEtZO7-bs+xpT;lq>cG*JUjbSU~_E6l9i!XZ2uJ+R`3ISym zS;q>^vhy;$d&4&6dw$?#2RMLwg)Y?JI6#R@Havy+^qST14nYj1%<-W&!(CKw4MDA*R+7J-55#EKJ`FDw6e&8!um?6?y<3T$UdhcxQE_j@s({f=l4y1o< z>z#+O;8;l1LT8YHJ+Pn)qK3?si0h(i4tr}cvY6;VQk8$y40!mwqCo8~Jh}0(aNeZh zRseWRECIqpoL7;i`Qu zoT4MDVi_kEj|ScRb8^j$AW8A)TgLU^7bcBi>%QRv&^X0@9VAEkXewBe10v$D0D~tT zqT^i@V}gvgFu*;t4LdYj+K>XnBhLY;4tSMas&M5+MRAm3S=5uuj*rnU-Pu60m^seG zLkeh3ThQEHn*6F<{g&L|uUX*F1o3ysyKqJj3SkDu&aza_b3|}MHLFulUwq)Hy!pg7{K=kgNdiw7Mg&Qz(IWAx74o1<};YN{>MP zNP~c^hnKYfNa%*lfAJu;0Q#z8{eMWMJ;?dL^(akBPPngW0(Nhq_8CTloJJS%8Oe@_5Nr!s-6Ts_F<*3K9OfUch`M>9eIzE%@5QzI(j3=Kf(|0>47)wjclwy12)Ed;t>y-t1s` zzmSEaA3kh8zA!Kyf?~wh0qR#ho@rSRsnG6iACN^2_3;@-aZcsY8ibMu6eRLyix5R_^D-J_wMy!PhYN1n)Vb*acX&FR~S2dWIa|y+2`UV5vNy3-4_K(Ie6;BoHQsF z7|7SO@ooeM-j&grP`Ihp(mN-r z+N7V~Xq)i$#oE4a_TH2*`G*^aCVbOU-+22B?;ZdA!?kxu21X{&c=|K=*L!dMk3Yb+ zzU4{S10+T+V^k8o2oI8v9ex@rZ015%f(Px~+PzAlha0=J)v-kBt#9Y+Y2Hfx`P)mc zr>}@|EDq6Y+aJt&1$NVBu8GZuI{Kupr`PI!wZ88gy3TguJ0Qo zP3tlB$#+-YUe{sphcll4_T>9eXq$6z8m^C+5A`?}+7BKT15L*??9?)EJHnr$mH6xs zctmH`nueWR3Kux{ifzI#-pYf=Fi-jljk0TG)?#T7+KwxGykZ&i+0H>9On#uUj=j1E z4l=wd9g8ad0^FxNmE1Upw{(Bi`;cb-{>y`KcnOX|+cmoV(Fyz6D5%1(PQxv|Bi)>F zc2k!rKSm@>{Ptp9&vnL436s9NylcRL5@@kMT-`V3^LKD${EZ{ifBjK}_vdyaG#beh z^wl{ywH+V*_R8D+c5hCCtv5ed7zp?I>?e4@*aCP;s4)9!vAVXe*Q7$|LE0=e+mRK z@LB(+e3Tl-O7Hy5JOBHe?BE4+!|aMGWyVlZ6EX~}dp#5Q@a_!k3y}7f351u*U{r`4 z&IoE5;ED2u`*&NcjC(N!41m48fOwuy^a7}bwgjxV5V9(f9HhBK%9AD>P>j=Cf*;>GKJs~f{YjrqhH}!oG}bs$e~nW zhR)G1W~pAcYrQSN3oerFJ;2OlVAuLIzZW2Vk zm#z_33Z~zqD8>@trI85J<=|9JrV)e8C^6B5Ez}|u!f0PILIk%|pVaH6(X$#;1@gE3 z2}Up0EJn(Wdcjx-Lde|NNBSKF8o$Obyw-(JqyEWDaWv=|`kKrb!@MI#r~T-|v`1~2 z_Afk^g|;o0%X%FVEVDray9~^3? zORJKmOBtktG)N4Cp!am7Uk8d#8E3#gktVz4_QHxzsHn<9+tnD8ioE0$@649G22f?U zqXYjMiZF~9J3{>!K63kevk&*Bo-K~%cmPhf3t+?Hk!3_kT{vZBA88=h#a^D=6BegZ z92X7z9~)l4@f#XUce%M-5bjhZAc48{Pd`}hJ?(Wt%rK>B1Wa=lYG4>*FBNtoj{ z1wb(3Dd_Bf1$boJ?_4wfNPl0l^U7Ku6rTJFYA_Uyt+-yA#FYz&YKDh+eN>HYlR;nk zHrJN3yK-=6(9{`=!S1%WZ-!8z2J5xs(pubLTB{u(-I~c}8~}Yyo+Q( zs!7`#WVVmINY#S12uG6-z;M8H0Owx$9fO-5J%qdBx{6j(gF7H&BvKlHV<(NFs!P>G z<op*#_oB?*ZCJ)H^r!x{X z#In3chKm(*3H^F~CXN@lown zsTKUv4EPAMfaddrW}NPOD(nvWx-ep>z%k}C5IpJW8PdUDm9 zBx;v+LR9lN>%ls5-(YZUx~czKP?G&wy_=3o#}f|8Z0q2xYsm%t#Ilp!Bgap84r)f12&N;d;w)!Tn?XVf|ElGyc6fmp$$ed?i;A6D&dOocpA7 zr?3(vwpD)h7kJ&h6A+*b;V0pJ_9nO){s$cF8cGs9DUvTA4X=P!Di@;d6ki14k4x<8 z0DRBzh&wO&P3ok5gcZ&reFW~sM{^KlfDmb}zx^V6pg>O1QWE8SZ8I3G=D*WPC5nJgzesId&#(?Jna`L{8&jAkQD0F$Y(Rx5$)+ zR%YN?wZnO0JIdn}X%-7|fwSygovTPl+V8kJLH(y64HRP3AIfQ%V={KT_qoSzN@9ZX zIXtDlHxA_|YwvhIsQA(J-0`#`SN{ir7&`x}{w{uOIE+V7-rZ;_q>5A%E(k?M7IzQJ z5BIMngVu!Jo?zOmJ?{EUw?$zHR<{bYpA??g{Xm`zV8UP+J+8GE-nB`ZO9s~VR9s+9 zCH1BH(fU4y51eu+&pOkcqN6pj$vU*=m~_ZFQn~?eOvalg7KhZ<(izy8@VFIFjzxTY z=sL(P>kZ9=)c$?|e4A*;z*S6j*+w z2VhLYw7qIh;8&~aE3Vra zbiMenW-1e196_e2^A& zJ9fjH^@bAQmg6zuz;7z;4dgsaW1Nqm2P-ZYIXh&@Il&-2C25}B>Ke8vRJs-WI(1)H zb`5amnOor<{n*oCyY^^5k(L?5Wwb!lRi09Zu+%BV>nGX2xpY!{(G_G0!Wz82;Uv)* zR+E0#vpD}S8A%?g*9Yu)qhc?&OKG8a2d8LOaXYjf?Q7_EJZ;hn8o|Hie4j)Y=zMHT ziH^HuzrkG8cdk(aY2R)8#r~IbD{hmN0e%05QTG$*WA#=gOb&A_gWwxTxB!1wWo~S( z@6f!-X!fZ+ExFWF{qA2jt<&rGjjh_YuXxjXgRJOd(>!1R)AQVOZ8O(NkwEQ>?9sdm z7(5$IU(!Mx=9iexU^FOI#+cU97>K)LIc}%TP|u+7QmnE)C3CLi5SFSl z?1ZyiH?_rkuv_~p_Y1ISN4URhJivvo0a;9(QRk^y%?nSKaf&OSSKJhaS8N6@o%$1b z0VLZ(9p7ylRyEc6mlSKMasC5d-Ld-622=6|$eUdH00yMuvzKP&Bja$)YW(YWl}^Wr zj@(U!6G%6uLQeUd$ufQm{d`S73O*YdlekxE?nt+5&osAt z5`uYJY?pxc^-eu_*-pBUkdMt^LUzlaiMRAiE%8qQG(jdot*B<;vL$lO%&;}B! zXj0kt8t=FA{E{#fHKyvrD?f7j!l1dG=sbg%s+uX%EByIMd+moye*v$rR62?(98sGt z)a}H3#Sr~`Q<8ZsvOJneN(O{GUlBV1WVlctul|F&ZcO^DwpYneWQ*n!0kg%~+6e}+ zMtv$!2+qfNmOB~OYd2DuUPBd$a`*UzeLkfN@m*4jmu2`m*V53;1uzdc{|L_0RCLxfH1VnR zRTZI^zLVP92MZtCV+XC%#ehi_ZDOP?#{M$kh`okCwSQz7tX$}Cz2YbCkxVsT13jEX zYbV!zdu0}3xk1WH{`IqPih8`i$tUSe_q)QkrK3g35(}nN)A43!I4$R+Gd;egeej}5 zJxhbGWMVadJb0byPw2ebnb)A&ol+6ba;srzvZPf_(5KLU2zU9x*4gs>J2c5s3@T?s zYezSJ&Q1t$`r|33O?*B7o7UtS4Oh?fOnfxJx)dcp#q}qM?n*RQlDf#J>bmi&f5t2J z&u7jr8guEClvduVsGIsP1z~Lq0B{wa6Yu}-Iyy9ERr9sbXwi<+A94%{d7xL zxS&;9T+x-wg?V3*g3HA#A^Ye)Y%XZ6y(VeweJg@t)MYYC)1goM!ufke2DUl_L87H+ z&f(~q*)|ziPy`FpaQ>!6`l~fV989&lZkYO=03z@^Y`csAmuBz@{V2@39%j_JMi_6j zmR{rYO+FP-wYQ|s(pYAdJIwl%EP?lx=7RLrcx+`ibM;V-4^Lfl`@VNvKCf)&~d(vX<_)958YTN)XJ2i5R&>1zBe~zn6h-%eW1q`zP zt(038#2RNyy$I44Y`b2X&07gEe=!@6m?~Uhu+@tUuO{l+iJKioR)N#=` z@zJlCw-YwSf74_fs_kmOiI1@d<@lI(l=?^@tTk+=Ke2KjW3R4o>!0sqOfx{&$!?pL zVK4oZvx*s1sxRXu*Ac1oN;iO*jV@IJ#wZPHM3wM1;v%I=`&RRjS>QTL0IkSNTfrTV|eVve-^s%xImHw1I2fn6)^I7=8rl z?)iWSlfK09NgajBnzullneQPLl5}ACO(z9HyT*33eXYshSG zv*xX!D=xRy^*v6--_86GpD>@oQUNnQc9})$0^qG^KnJ#Y6y}=1ueVLZF@>-CD0}%k zKLwscWu%FRK4qYDH!k3gLSO6_j!KQjS)_8c)X4GozOaXw-Z7j2P5^0}h3PhcHo&wN zUKbKl@kFX&OOS#kj{#Ez*A)ATQV;H`olM7wOVuYBc!5%d zkmSKKcN^n4T$I6%V@k(kP3dzoOEs0!dS?NyxBRG1mg7UF)}%}RG*AG0Ufdx0?wDM< zDNEE&r4L-gO$^hCfUi7i>U>v+!*2wu1c zupyG3s4);dWUWA`oR7GBhjkJ7W z3=8->TjvdZLFDTP`t$d)m+30M*+>?36v;w{9L4hJEk}I<;%^`I4eB1%APdPI(m=xE z<5F6w#vZk|R?k4Ga?R3|RI1xJC)H2bzQ@PkaPXl|fa!FcFJrkn-j}s~yT>;$>FLAc z0Vy)~yr6DD&iPz=RBbm!X8Q)2Z&v3=vJhvF(&Hhyx$Z{3|M1#MZov3Um7#;@a0|kQ zt#B?7Mh>r7z?oL8SRjnv*^tKQdR$r%KJF;DFk-?*=R$GH?V9fDX@Bf#9U1;}^QlM& zQY?y^7o?2b7ssl09?NX^4k#72uRm=*gWtP6^o-%)S6j~*vmbu4q{Bxjcxl}6 z#Gp#1GN|uT)2Wa-0c^+U;B@uJ?T`2Bcs}e=K>Vd19U04&{u3DMwLQ&?tY3`(w7S!m zbAo%LJMRUZ>-^Q~Vdrh%-mY2J{=1#Wdw02Y@bP)u!xQgTBtE{_cRBaVjd|J0zx{AL zyX&8S_y%=sFXQ^O@?pC7v9}U0H>Bhop4%tY&v2qox1TrOx!CO=DIqo8w>^#H9DM#n zE-mEds+zR$(#tjJk)^Vg9XgKM)4hkRYIuXJO?666hHlgRoXl8Ly`tya5tml>1e(kI zfbWimtm@UVwp-sUD>E_JPZBFWWo%^Yr@a%Oge-|qe*Ru+07d-jEd8F+IeofuuGP-; z`?nW@Yw4B6>P#u_XihK7y~}<3JPTTr+t=w@sDe499X+G0mT3UHjJG^qMJ^%W^3AD$EO_g~CZK`jtE|^)rs9rgs z_|TKjBE~mrLz5<4TH_ovIjJnPu>3yXSUBU!z0U{N_OPSGT`2F2rGi?++?B$DtUhNV z7OYnsjn>V>6K+SPq%1a^>_05M^DklS@)YHU;Zgb8#=uq1ybYc!viPIE>oT^H5gUs3 z3nMqxY+LQOnLZTSZ^?Riv_o|6w{hyb!n;9r>N7Yc_|%EoHq6GsXI5Mz)x$l zrp8U(n76vu_PRH&kKVcO>+7R;Hz;2n`|hQ@SEKhoo9p9ypn2`9B_Gr@d|_Jt>~ha> zA3kq2aQyDoj&qsEnDl|AyZUsT8?#@S5|MYhy5l*}WB7Dk*$?ecDI(84apz7rpEQ!@ zAKQZlP5dM)T`aj$I{fCOtDZM=@~>BitnKhc>46?oHmtt4N&aPdYjt#U{)rWZI~KL= z*7~j~rLg?##w(`-%DdN`Ezg;6skVH})okwfUF8Aw^aqE2JvIGdW$Z+_7Ng?D6g)3+4y!Pi@xl%jR9_h-5>WD-%5<0=tHd*xtM#YJBIT&UWiB)h>*j z8%Aa~RW7P7)!gY*UGDpIe#4^ZwWGF%K3_9sYt)Zhw)b0nY5T!D`AhbkKF)@m>(n!H z&3oH(%d^(p-a1?MbH(u`7mkL#zSNpwI;FZ6ZEfR!A)xiq{))An!nb$vzIpxP70vE@dzvh-fyxW_7aF3nffxdi^48mal z*_XF|xqBFC*$H-@?-Td3yY`vAV#Nvws-O*K76nkcVFiN`gpB}zhha&9A-s(!fcFXf zi)9;Dm?Kfp3fOHXaBck13XpPciztYq!$AU^1Z21eanbO7v=~;15g#2x|MjEW-1Kj? z*2-NnVTz~hMV;*=%GJKQJ13{=7N4Bzt+M}F=KoqReZ2MJ*HSMr2tmOyBS$`rJkfh| z-XCuTd4Hf@J|p~G*}v6GnEdaJVe%I{A*4hx|K(fQ`n^xfDFKb)8;F7sMzR#*J7f-$ zr+62z`XSlHxB%kBGJ?~BGR$qiiCwrM#mN~n7#=m%Q$670|6Wz)) zQ+4luJT>C~qEi3s0}bLsdhtFj4-{&u<>z5nczDZv_@n>csQ-Rs54-;BH|4h0F)yFw zzkdxUS%@P5LxX0YP3#Em^f7H6((&GM{L!lAvT#3i%<)n0<% zypys4F%!#*#*g)w^n;?r@RpP$AA!t3g_lFhQ;0wv{})r=9uP$ty?x%0)pFi_N0@qSxUyd)_pUMeqGW|~@PR%(`3R#sY6np#$t zR#v8DW>#8i7cDQ}S^Isz@B2gEUEEz}XXbt1bDr~@=fQ`@`Z_5+xgcv`MOH31(nzz| z@tyNsS$To1`k9mKs0;gj;-ke&X%%?UFjMjxJuU=@pn$6ck5~!$T-MZCQ0fJ`b={jZctQTtH(Pi9O+<{m!2Lwph?bAhW?kP`0{6h$f5i--7MX|xXY`#?kf zJ1UAmH*{OnmH>3ek-kpAhX<@Z3r0^@>|ocP2k_{fqsnCH8MQL{q?3?Nr{e=9S+JS0 zf?C@LAOBA^_aFZtP|}2SRF+oK%)LE+u~N9<`Pb+vs7y)rxLmatVFLCE;tC!n6NRoN zkCWqKx_XcypNW$8G($d*R({#NW@OT7SAcv$@dye*c>_JEB0#Rt|s<>*xyTX+@ zIpJaOPuXYU0PKqWO_YKc4Wdo!NFZOGX8_NXexP~BLcx@I>?r8QWuY1Y{-arVi zsH|Y|BLuwCaebvU-k-`~uZiy%e(p%&p7Q&Nw;<7rU-xX@t>xI>O7x30Q;qs>_H>#_ z^xv`T3R7w&yYUF!V^XgZZJ<%BA>rH>NxNkTcMxoJ88n>~C43S6nhAHjQ%4P-)doWI z7eYF=T(&0SN8m+hz9Pu#^M>Z%o0{{+q0974?+*Gn5nuP1gq-SIpebF%sb!0W9K4p| zK#~jX%fC4HWoo))+0xGMIhDGg}dV(-S*60(faZXi3&O)5^hVS_!d8)?qgFvUm*kiVQQrYwnC>=$$2V5*jgrXPL&k8DG{na#e(%7# z%5rphdqv9iY+$zz*T~Eexf}g*KH2$K1TV3-NVl8Zs6o=X<${nmXUNuT1g(-$4MQwA z+EV%g3G@Wh$Lhb#iRr%a?aR^XE{|+o)<>8o7D&^fn=VJXb2ISJeQdA?XwyI~G=Tjm zyKgW3Jr+Ew%$$s9M`NA++3aHbfR;-WY~fnFofetGL+u&yQGLSd%<$cIlqF^d^NH-9 zi|PxpVOfy0TsAB;?GR+{vPaW&21@gko$tXYzsPZ^>S`cA3aRvng`DLiZKs8t#$h{< zQ~r-x_Ahcul2B#Ixz$Wgi8ggD62J}B*NWzg9&J8^&&ng>v=5=~D|8R_3t66G@J(?_ z6ZH%u&+L0XmfNnN6j_su#F^HwdOxW^pRcNHTQE3+>c|6PJ(|xgf#k&3i)$(F# zR($oLz^X*`Fzk6Y+#OZ3TS1Rm-c5T7l)wF_jOs;hQ z#VZiV2Kpd5wxI5yu+no{7~(!+Id`b-H=(n*0lyWB9~x6l%Oa-&+HFE78^J5~)Jhon zGfw)|+REB1xkp^%n(FNt+Q#VO^ai8GVm(m!Tzv>tJLHZDV)o8D`Zx%;i&ol~_-Dkh z)3Ako2^6eY0@*G08cmC7y6oSMg04+x@c<7q>cikXZ!Wqnc(nb1<$L^HzSfL#jEQ%s zN7g)npJcY~N=!*%9lOo#PYf@J5_Br^p{Wu5yB^3*gs|Fb@etSjyk_>JZ|Vg06}lp> z&4P}tj%q&2!w`?P7LZ(is}Nkkw*O?ZBlIP`B5f3lTE%E{_aUJ*Ls0m3R91+$60_Zo zmWJ~2IQD8Y5gf|;lsW+wSNUUXX$SD{C)SIpLWwWI9kJF82|6Iq4?JEr&0bnqtzUpQ z{TCSjQX}5K&Vfnpr)%QG=xf6T@}{Jg&XEFV5o`TH6o&_LVVwh4 z?Ty^qLKUt83wbe3{eGDwFy7fR%sFpigN>(YYxWjCZ(W+xMM(`e#XC$30#84wkI9I+CPjc8x8(7muh{hgHeOAK5gs5OBAr?3!z zY)uzz+99$vNk~@@lK{5kgx$PFWAP1wQvF%rBEepql5puj2&LCp$>Q!%@j4N@mv2I| zpb9?}jueWjpRm@NJ-xKCOj|ZQw=<)y^Zzo4+PyY-l2@Z45AM1(Xk&tG3f_`Me%SACP!iN7-=!&U5Yi=5eL>6rW(=;YJ z8e_r-1^L+K5_`Pns_kccgS9P4)OdsQgDh=QEIBL>ve55=91tXmY^Qew33m$eMkpm} zk9(fQ*?bYmCwOA}1Fx|{n&&Wk9(-zVqxy0T{^jd$(St+_^Nx$D)t@w<`STim1DgAy zBX$gl4%(OC?`L#~T=l%VK4L)q7s5fi%{Cx|y=fiJikgObqDO0van_ox73Q$R^NLH3 zq(yFDpP?keB-^Oea24;*aIB4s9CNf=^lHHwc*mj-vu9Kg;~gbPX+%mmgT17WM=NLt z1e-vgCFVE{(T-NVN$lXhog5qh`YPfQq^fnGZ>mD^p&edZyPf7h)kfgY#lf3-)8tw+ zbra;_NZNQt8HwMvFB5)KOrt?Y8H^XbH>31h?n7BKrI3@t{xuNxF6e$W6hkJq~qEc$cgP>xc28L^l9B&ZeVOS=}%-$IyCp=NFOA*Ec!i6T>Rp zf3(YUC+PPQXUgwsd`kj~km$1{nT$_)mq%cG zqP|FS4xb3|-CVWDE*d;PVD--Scf2RKcZGXjl6;1(&j#lYYUoWQ7Ydxei(U`p&-tx54?H7j2NFs`!8c5K%!Lik zp~;2csy~=Lx9l#*2T4jJH8SLu?aO4^LYgKD8EDYu>B)N+(yxoIw1#X9zWDyBTW&Cz94W7e?zrU8G?QGl4^(UjL@7n_H4mfomO7}5 z!NY_{Ne)^B!i@`J;}W%$M6aoj`&%}d=?g@;>aI3xErw`_a^@nZ6lB*08e@r$Us=mB z_+Lz}ZijBgj7iQ<4xN^#CScaueX$p$Jaac!*1lddvr6YcV}5Xg4OM%jfvcZ@i9?{G zH%KFB11!s4SNJ17ZGid_aFq94*UlOBpN_GDV^r88`|aE`ZkBYxIyo)G zL$CONqyji{rK;o8%C#4`qOZjZD&P43^IX8Lj5&q`2#si{^V>T4o&e$DyHZ z^yfkd`s28ho~lT>?{$8NMSN9QD0Go`S)CD zhIaz_Qj(ab_x9((*jZgMo@vPnU2?tBbT@Y6Y86C}_jd%x+_)evznLVDJtbX~n#K3^ zuJ%sBcc5t^W~r#tuiJxJ;Pw?1W!n|^1&h}zE-&g|%X3u38I0ug75l&=Zn8 z*zUhzx;&aLfud%?*8T(*BD}?U-p=f zmHVHT;ODAi#=u}nXY@7Ir%4B`lbO7QCkCcg6lscalnYA!o|&X)lg|7#-oZJegQ-gT zLwZErnNT!{RE$!=KZq0+OCIt4(*C6A5IPb!vAZ#G@!VpkH&lbNwdK4tp!`=beW_kC zI!BqU3`?H02QlA?3<_Oy8shnDEbQ^0OjJKN>u2R1@pPq;e2wSp1%n=)5^)Co)#&Ns z$iFkUA~K?2>YuvfT?D${Gxhw4sdhG2+$aBdsf=EJNcr zbzGeCO%zX>6sMe#G8_L09sp${aSM|4yXm%9RKCXsasTg-eFQ@??E7Eypg5TyD_RF8 zmKLKy@uG%VpgOR>rAiY{vYL^TswQti# z5q;mx-M9eKX6kQdMN02C>Dv)XvKzw$SHfH-+={@{9?(C*{qMQV+ve&dueTJhC-@&(oJ~$;=T|4opYtJ={uQIX!>dEUJ%pp16Dgv6 zR67H77jZ6$*Efn|cCTPxz-QXD7}~)gE5hDYP~e!BES!-t+~1}El|`%bmjr9X>it5i zBlM4CxzQ?BI~%RIccZ|}{joAZ4u)ilJ8&4 zh^Mu|gpcjIbyg(oxhFKt(|=BEc4=ktZl}=I_k-zqF;{qA$W>1mQ$`~;Sl-BZiSq{= zOKv^L=nuA7>t5jdNN8YwnUMO4(S6-@)ZVs;pON9%#I<{^S*&$jhQn-by@8HC=`4~n z+wK-R99~s=m)(>v1yzGx{uUJu0!gt=O=P$zdycRd+PqTc%}*Z7Sb{KEaAbk?5c=n;%Qi#wnxm}`S#F2*?O1kepe=V@!p6Wm=p zANO}M77qnA1+A8f9iSbLjYquooQ=lI|CqJm3}QDnt;I;bwKa1v${ic8v~#I+hMBD3 z(ppBb-zr~VxEqE$!yeF>*flBoF7?$UTEo!msq6l2d4_#RO4H4#)lEOdEXFM-`#ppo z#@b~}A`Z0Sa0Lz=z~OK3e-PuWNHkrqY*&{Pt1Vtco+Mb~;>C3TQc&(|>f-rFSQhd4 z=Rw{xc@ZJI`Y2ikNNL$)#YJd=;Qq(2^#;47=@57Z{3~N&?(f2VBzM6P5X-1HV>uPQQzNLYXgQNMW+g5pRwziHic?gQK_k+H6KtVW_9>-*$kQI76F@z}5W8kfKwgu&1pG%CcbF|Y>d@loB-lC)PjLsLSa6SO z2J1`#WpI}OdRW`&WV8RPIM7b4w-#}@7Iz|hCVNVS!I7mX%bcWbFck%Vl06p%nP$g& zeiQ5z)il`z1ZBuu(jNas5;B`Yd+$|0g;1iY!@fdP)eWV#jx1~@`IWym4N-cMj`~4$ z2jlsL%kbwImGgE#wUXwMc>7q1e{f%?DPQ}Q^+LTbAGIf%pB6e6 z79e;Womr=Bvny=>nAHR3HXSF@n+9Fs(zL~9dMI8vuKvTQZyB9=9oOx5v&Hgj>Xg46 z7aWnJ&PNj66*+=8(%^i@44V91l=@Hx$1rvTbO7q5eS1jRZq1Vf*l>psHX1t?w#7pHpp()C#o~4>9Z; zQ_+>Nm--!eAARQ$agIiXR5)IyzjoTBgkPr{LElbO1){y==T$KEwsSHwbC; zFA_$ykAI5QumfZXhQeO9EfaI+y@;Tig|uSbBG~-LL2d0xH$m%RM?Q~kkgW%CqZ$ue z-^cs!Q$Pd942+lg4p=_U>(e^O@jw#o6+^#GbG+!N%yYJ+x_O zp5b`NOj?zR?JI-m1+x{WJ^cne2L!*i-5egT_5ixvOeeAaC2aU}(Fao<-4k#h4zCuo z-IZo+x(aWKX6i1c^dcYLAvuH9aUO*&3M8cZhp=)ir#@sVtCo86eQMP!Y_mWg0MY?d zUk4(@MZOeep6^4?4Axngic&JsJL~zfS4ab@8-GPl5#cYq!QVCnQW^R!q4%-tMid=X z5$`_(!d_vjf1Uw%v9o1g9lclUMNV$k7Bb{n&O_e@ZZpnD3TDYA~0^zYrDST&5<&*E*r5oqsN=i<0PiP`;JdSDyaYmih;m+@LJptUJlJB01_ zkaiA=_TuXP8maR;?n-o5B?Jl#m^L`S?y4RdxtASBlH3Jcke#y6d(6 z>^Y@A39a8EURiF^U&3hi6)1WE7umH4PTRI6dagKjB>MhwyvDiTPUO#G3nw=3@jF;V z_P=M99`cH0^%xX=AV~fvLCM7LG!T@@`uD;~PoVxoaIWcCHc`-AGn9WTC*qx{cg5Xh zDOL-Gg;RR51C%TH^mPL{fq!oSkmHWaDD6#jPLdEZ(i1Sr-IL5dpbHqxErg;ZoFkt> zC|M|qJXd!LQSQBMa7<**8I)0Yq52bLj6EZ~Tl)l$#;)KDLsp^I z0?IVcG8zG;Qjo}0Z3igJqv*!NxEV&r<&Zr`$n^ImN>=EiwhfdK^29XzPn2ay05{7L zgMT>DavA>!qLrHbLy7h)Pg0_hox9AYKg2=8KB4Qrd+G+ZcNX)|iC!J1 z?Oo;050c67o~m(IVQA; z>qfg~3Osyw{>COyE`vB-A&Uriq3d(j&m@S>=JI0HH9WSM0%+r>R zN_;7*PSmZowrnZe?;=`Cr`_MWuUT3n(J5U<4h%p=Wjcr)7>G%edN;9V#YGFQ$!3$t5QD`VX<{rW=pC* zG4KaOCeOKUeJQUzn-qzvMOzocAB{KmjY*kXV@rt-TCKQ4nl0gbFwz`swv88DP@KvJ z2PD|9*p{ZPtB+WPUukqR^bz-_k%C`Xa`IE!7uZZGa`R(pn=ki1 z%Nx_ngV68}e6|d3or9_8pk^2dUsp5}j5nRTlH@dtD~o=WI;U%(zg=x4rLU2(=VI^Q z0{GcS>L-BKE!`GQ!#zh3DX zrDn&ofgRLVDvyYIp=hNs;w0-O z7E5%U66pZrv3bRVjqL2!b(}>V2A7+x4XiLu`-9;LZsY1fGk*ioe{BInudpYlojd0k znLux%erM{O+ooG$zIGd?Jj|Xb-CwkOu&9Kxw2?p=B2Ln*Mr&0fPWwz^wP4JtD#U8C z;1bb+_=l>)2N-BJv8GyvUo}McwcECuRC$IKlMg9gZ$T99yjAN@^fltPDet(t@m@?5 zG?CExjPFP7WkS7ida3wM6mb}U`NN;k`drf@v6+)SN2NLZDHfe8*Cq357I!IiJjBZx z7WR}PqF<0dCti_|Ej|3+48=XR6QBW-JdLx)XVh#&zjf0f{`EYxcZRThte?ZhD*@7} zIN4s@8I(a-Np6wmAyV5OE4iI5ai#d?NnFED2oI2-97{&Ku7S$5a9z;j$Po8s3N@V*Lj{wrgeT?`0-ChA>3jbDAaie@< zGH$>RR+A7mrq(2yxb(KtovXH0sOLyHjsJAMJ0&yZBE2>`wawu93R~KW)k86!PeeNn z$IyNl;QslIH!N!E8qmJQP+xHWM3rOm%m(E+c?SWgz^g(_GD3>?G^R{au{3ly7I~_k zGa~9$Vyg_-+(pnl#PbuM+hwM%9tY1ji~~`;*fW)M(>Vw-kQlD#`Wm+Xqe^F0-9X!`9vrLdTg;U~fGcFF0EJ zsjEkMUM8c0i;OtfebsarcwR?>pssyEJbO`0FsNGYAak?qKcl7dS$`ii<#bGAPpr*O zId_%#y+0#)$wRIM$g*exI<7I7{Ae2JsuOyMgVhOyY~J{`Fpc!7?V`>z;&Xe4Wgw36 z)K9rccM#7c4m~Cq&qQLkk3cvrlE=;_hqV31NC#wx^@m8dFa{xSwwL&2I2)>M-zO@E zlw73`J!DWv68mhmhL$B-ZOt*DUGTLEnAXLwy zJ;5<5MSEIM(%s`as7owUZzS6DHMdodMqpn;(Rd+Kdl39TTAf~-6+yKEt%1nx{Tv?Fx5M#txUq$Q zNEA!8OHj0eU(OcJ%o{4yIy=T^53;)oV}v~CBx`ew@V5VM&~^bmoPt$0c@7F8@{3dK z_j{612iR*?w}azIGF=VAAjJyuMWJb)34%b?j$*ne9EZmTVw5{QY5Hjy4Mv-qe}z7k9IlG)CO4WQv`F+hdy$ zH5-M-Nt4W`X6H++scZ2|Y_peCvR%kU^*Kw^;%F2SOWNbZ8%PJ~6LxaSCoK8X{a2!D zj=@CdW?6frdDIz3o5LtuD~lp^Wq$2jMw$lR@bngxenF3Rw?3uWCV%bHW-`iAjKA*# zdMasewl!_EBPBIj-Z_T5b~z{ql^XFU!C&z{ICC0Yeb6Rw34c$jG#Qh*b&r{xO$WtU zf?KGl=t0ocFkil#!*bG$o`!kV4h(lAxpj^fZp8BdWvWxBI_=XQY2+9Rggb>epF!dCFP_9uo1kZ!k6(X%- zO~rW#KZlqgD(z!Mj8~@&wjE5-<{Laq&{oS$;@pk%J#*E^K<$19PX1}i4YGD)5AnAm zws}{|5{uU%%rEz%@@9Dfc%HKtD7os-M&V^#z_j0tAr+TaOy@&g*;m;QcE&+?)E^R; zC*BNwUYZXfh071L#e@>2OmqqevGz>mEiqbIZEb!G9NGV># z(}q~j=eDPK`Vx2^CmGTNeO{&2vljncXr7qkS&z`#RL2{g)VsJ)4leFkgNYpB&+|1a z!Lu1(6vS~m$&pqfa_4ygr9es=#oxjZ7UjAT-z9nV$<()Ee5!Z~Ne%lA4U*S6oR@|^9#j);8-T}mJ6=6<20qJ?$SlG-^JDWLYqIMNpZm>@86-1!uyOydCfPDzXzef_&5bsF(5$8mIu`zCnU`{xp zYA(o9!puk6=HYz|qFm7%e`wR0NTHZXzu;&3*-YOg?H1sJ9Pea5vI$;}bTg%s54q`~ z{%*958JSr9ZLkW2{OTe6$T$SpmRbj~%icB#?lqiqQV!pcXvey1fPw>%#Or-rdnbZy zy$_yL3A0!QHI>2gjqv*ec}%D~zm$U~H`cpm6sEM)Relh>-)PS>1w^;Z_Fxb4(Oq{SwR+UpEiP&(Vnj%-romw4?EHec%tg~`sn9P5|X z^FJp++Ql9A3A8yDtLzzcw!x1C+1H(vC)Kcf3HxyM(#GEPJ{AQSp&it%5k|hMZ+?Fi{s10P^HUEmh1P5nSwv^srFJL zyx{i5JL9=gb1X-nw7YR${1jLIB+sAbYYte*`-;YoGrK=#-9PZ;L(w4>W9>=rhP1Bi z57rdwC=@O2k`9P&In!c#RB}gES`~{QXEmmr=VKiA#v%LH|7%PYCT>5+R3WSBLX2sx zR7QV*5VMY{`&mghy?uXoxS412@gG=8p>j_Afi#`^M}0PC-6i*nto(wlWIuRIUrEIT z442wxcRF_uzW5p28{I}FI>3N2xD;&Y=YKD#T{ec7AnI}`LBAgt*xF=03SM6{=%Z(D zpo@%p4My=;TOEWfp|7CGf!3FntfH})XKL?4QBN^TdmpSTdCVCOf_%Tt)quN{e?dG{ z?A){bl(r^Dnc4CkHY{VysEvH4o;O9w4fD7v{XTtaW2$B{lTjoaNimbqDR<@-=<-{*HC0lcJ3dnw<@pW8y=^P`;urrzb+>N-1d@bap6tEb+@BSc z{s=;MgbV~xy7|lyxOhJA6B;qn0haO#EHn`5)SNyv#umU8VUJL)&L)lt@iYjC=uo3U zt%dT{QLq=4v1%F#>lN})|GKP`uNexa;yZ%E&-K%w;sHAZRM3d4gm`f+<2Lc52AL5R*bn5S zdnm6CApAs>{6|hTc^`qVGeDk`uO_HiQa*{0UYL(oT3*ll;`04;EWB*<9x$#)F6sPXYML6RH)e}YJ)fI+qiRHt= zam-A&fc#WS_z=96*IC|>puT0QIR~aaLRXELlp%Q1dl{6waUhHiSl`V}cKpqwp#i-p zIU}O!aXBXesbb*;_zE1RVR>%7iOw_0PYic&)elTV{z`zUi=b}E7ntg|I5pP>O^_wRUu1Q$Y-X*0{8oIdmnB((e$`B0|T$7 zM&9IdCflqBWa~2>rQUnCkY`Cg|8D%AD$-kYMANP-wr`&g9amQwXs*$>LcTY#`eXJ~ z%}0!O&?sB2xRjjZ_3KzfudcS}LN5^wRkRMx-P68FM`W2{{4=za%w;%p{P`(&e*va}4fW*P75zyFp zv8*J6juayEoUVB6a_PtB`ECntHP#@`!N2L*D7;=1Yp|EvUoZYWq2)QP&7}3^r<_wK z!ZI8C`Q`~s71pLks1BpJziloIJ2lrjKCW#hjhK#27iIbsXAHDM)??Ko3T8p3t>Y%!y36KsL)1a~kdQQ2X)p=FE~Z(6gy$SL0&heQG8eSF!S z!G_PW-^0oFVRT4WKLVuEOY|sYx7pL}ANxDVdykV(!I{_EsydEm^AmGbAA^iZ`R$1q zeB*X=?8WPeZjmE1f>QvigvyP;3eZ{@v@N4!0SO0m2GKhPhJrTRNKeK(_hC6D0UAy{ z>ijs~IbE^#6C7{G>)(<|cDIvrXq`Z~Y{HTko}K7Scp~rVWAU_?kpu*(Z4KQ^PR%44 zNGMd|h3?vXCOifY{4+!NqI(suJx0OkAjFZQ5?s#YA zUQ@`?DK}UG%1HeUQ%=*TYOn5*v!Xq4Fh^NT1HjMjwr`NqfIL51K$Q8IJZZxW$|6zT zTOK?J%A+I~^R3I|O|PabL3TEO+pOl9loi;efYF6OVgwn$SK=>^Qaadr&r-^ zauwm!%VX3n27M|cv0qt8m|ENg_T02@5$6fr5S`z>l)qb$CZKN#8U6%zft~Ek z->_KYB>OB+521m7y`vC6`~eV_^QY2a%Fb`(ahAM^>~Cgnj%XHhk7UD8`;1ej{%s`v_@3=@Rud1Gx{A4SL<6@4$-RXLo?~D(=a`(f$n< z_qE=^^-$fX^+EfW(b>e=dd4>t#nKW&F5*gsR!HZ=9XPw(5a+qB@@92}1;z2CEZra! z=lzQIZu(mVbv!Z_tMrt;II;cX?$x z8z@g9$fm2f3T&ZN*}TT{o;KOgdP}giJjeE;?_@e}CIz0es})2%C}qzrMQbG}zkw|} zwa?aN3h#yfW#4Oi25ISk13wOH7SZvHc})lHH%9wtuWv-)GUM)J(Yi78V}JSmT?2nG z;xg?|MmrgCzMgWjEO3oM@Yf|*bOFyUyglBB(w?AR3)7nnc1Vfu)7y-{=K$#qjTox3 ziNA!D&U(giWURfWE=F9TB{J6B=zd{kMm;p4`o}y`O=2ps(0~6hGBqC}KOv}wJ%@n= zgLp(sH1PW@^3u8OVfVD8;JobizDU(l55>0qgGCAFo}|F~tbiMdo>?gkJ=Lkf%m0#I z(tYX7rU>yY?`Nu$n{@NCO?aDbC((X7(#G4eT&YnO9YJVsjHh1M>Kn8d@>8bca= zgxo}r$CQe3AZ14$tXND!lKU&CwFdn>vrX%cc}l!L94ljU1E);<1dCK0e49A>C9whD zeL+N2c?*_-UzQ(C5zbVsBNJ5+yNewQP3|YB>;Kx1z*O%G#oIx9fwSK;VT(|I|AXY@ z-NNXqEFuh|X-4*W(O2;zqD{~?SfxWx?pNN#b$vt(H!9iz6EP|O+B^8pWdB~-H*(P4 z>E>juGekZ+H=cj5i@P`_@{uV+nj#Gm>uCuqxjh~+msYa&M^T?P5^K88?$Y)_Btht9 zzmNFDSu@i_m+xIH**gNP=(acF)*37~+1-BZ`ED_#+P4aI(l*aZ)@`pS?gU1!%Te)? z`-GJuHDieUBOh$C;+8U&xwt>{QN=4UEvNOg#bPPzhb(Tte`dQ-Q&#I!ME-+6DtmJ+X|a zVxQ=`Y_!?q$&|f}^N1wpXJ9BN47XFhnUCVT-B{si+=?`NittOyy)MV;yIZFXCtYfnbvqm)5r3$Il8pe?B;v> zdzl@x(tW+ed$h6y=iM``Se?!yPe|QKJ9jGLa?UXGqvBv&)h1@&4#zm&znQ^qLEj!z zm+V)gwLq3lt^VA<#bJ8&SaRWDEG0+3!>8O%`L$&3YiS)ugow{$nL=|)`lmR|=kziR z9p#*8?LvFns1L=VcM^Rz&go20_COtXTzNhG*OWopyAbKD%natlk<%nFcMO5|xCwHM zTiaz)<4j>|l;twI>T6Jfdy?qgIAC>m`o#~6moTl_XaP76>jYX?BCpsWTM(kNr1Xs| zNpxPZ)Qu3j(gKEjg-3P;Y<@FV>y(#}{(M0szX|=x0c{|orz2Q%HAXMPdnTW8x1mce z(3h2UVEVzc1<|ecZ}81OK>YxtkdGCfb62nm^CO)51`X-8&*9t|AybVZylRH}vL`Fc zE{}9A)LV5V^1G6Y%bD!W=otRA)fiulg^bHAv~dlMy@Mlh%f-02td(6KW>Cc~@KH(4 z9~@~a?E#vf(eKelfY$F0x%QatWxL~9mI6cG#`_i%-rIPiULd%c$XbHG!XWx7T7P$r zlV7)j=2*ib7sl`Z5Y)E~&vfft@g&G!#5p&_xn3w=ji6DSI^M`W7%IRjgJ7RKAJl4- zmSAW~_FA+tcc`Twm#rVpamriBehR)lLb+yFCd9Z*`pXywuLV6Kt}Pw{O)o`ZgYv0)3R5{V`iU&hi!jPrMMDBfj~(zf@zv7wx zCALIiOVxfNn^u`oyHtz|cD9SQz>N%Hp4Lj-j~x*d1H=)co|^k?4ET1N92 zSv1X-yK!@F)V*u(sXb@%uVpCaK)dZedX(r^-k^U#dotE=uE4o*f`-f_|C^rb zq2vmDoOiu#AV10Ceq{*F*`C{FAs z{)Uk$Ru~^wKL*m^U7#z*5f=K(l3<0&_JO2TnCS|$V^89mX5B6LwAqaE30I*tFm$@f z_gL`$RB?>EI2HHLe3R76Ju(#wmKCqU<*U-H-An4b0J0u%?q(I$Pnh~Y{!88eSLnn0 zpNa>UrTt$44`Q*WK{qiCi*(r5O^w~N*nW~9r6ufn-T(hjLA`vj0W`Ll?TLaEeX&j4 zhk6lX5y+UTE(Lp@ee8cC6XH1NhNZ!Z9UwjRKT;lk=x(>gM}<73H?cuZzCt44g0IMDwEgLZZisD8KXLFwU%(+&2~ z)KA#cp8A@02;6HRglnv_62XHJbRp-z!O$}7Sg$@C_=>R~sOiCQkJTg*@o}kI{KvNt zn>d6IvDVgb18O#d7-y3W|4&J3-6)%9VhkA!&h|G05H> zAv*8@H^H-8m;?o)$CnnE0yPM1w@HAf`$uZsT<-e;j26^jC@p-7(78)6|+v9OlvJS+NhK&qX)wW~#Qz(^$ym zTB{y}tviJA;=iS1v4zH1T#P4I_>AoGrxWZ-tQAKmqp?F&x8^+m2rJA-k_cwd;IntT z(*x^ztn`WKy|$boB~q5%>$-{%nYnfll+e(#^eNC4LHbYLqKBS@iA7vl9A?Ln2NpB` z+lcM`fJ`K9(a!t1mkF7RQMGZ*w5IFgLa_t3?w4K1>R;uEXcN8?d=$W&w=n9$F&7_d zRd^Pn4g2k(SW-51B7@DL*q~nmAqjaY!MC6&MadyKUSoBp_&A2u7<1tX@yrrz(gC#^ zZ?*h9iQMqPz+vivUeMu^GS8KMaJIHHTpfNy?JF+sqAIXQ4qIwcW#T2q zdlO|dK0*nml=?7j!WR)uH43HQO#+izAy@Ptb_xay|>l~2l6~W zX@i*q3UY?g>vKJEo8!Psb_xaREjZy05!X+iEl$i3x{;ue-E>1(gQ0a>f7%Jyh~RQ= zLdq){oHwuhZm1q=x?6aMbjrIb493!GPcHajf;8Q)S+Or|47;q6SZ*dc1q(-edu_a#0%I4@)@Qe~lQ&zL$@;n18BN5y8YUExvTT0V*-~uRfT~;UJs(sm=#|KKG0!cLZvk#GL5)nVHNBq3T<-}u|$B6^&e|gfe zP*w2?49|o5l~A{nT9^qsTOX~+U$B*$BP%r*bEkDM)7bVkUa4tD`gM$4B%J)dZob{` zo@C+snDN)!+1A#`%XDsR>t?)aZ$j%9{3Q<0;P9)3k2hD8r)`~&Pq3|E9x6Xo#cchr zeG`XtWWD=mn>^ov$KPhO7ZwJ$F2rBbMbqq|Gu?xYsuzDL}D3DCWbCnGV@vma2u zU?~#EhacD|^uSx(e~IYR1v|os=0pU8ZOJxqv%Fez*IC`ENhimMo;kOn8@5Xh?+H86 z^wir=JqP-)!Y)zKUIhJ5(!rE6JdbF%)97a476yAoi-2|6QeAZR+>WXHKkU7GToh&d zKYri4JFv66GcXIYFblgdE4#7_jLhurz^<~n2q-8htDxW^Q9&_5@vLc&Sa{Zy)I`n1 z)YP)n(lpaNm!;*|e6oY4m6fGE`FygnzSp2=KK1#2zQ4bJA79bJ>^=AKx=-)xy55%y z&T{@C>f&}}Wqy%sMx5;(8YXEVM$HZM?GjRO1#i1X^Tm+bX3~o*ki7kfZHN(rZn;E9 z7BlTif5q3nW0R(TkNq!)TQ}(of{0z>)N;=fkqUp32d=3{i>DnmHjNVYhr>c?Ki<|n zh&26^q}+}Yy}Se0V=A2Oj4jL*YrP><`fp_T?H(k22Mkg!@!GM_efuc@dDf(Gj%|-b^H%0UImXq~-T9rE-#r{|Q9!1@K2f3FaFH z>#L-ksP@NWVX!KAWh$0mQA_Q0lRh)DjKvF=K3*#R3N#(O2#z$%RlMRK@EQgj+AM8T z@s#oxlKvUt_){Ocr@e`$ZgDGql7 zgYs{2uolM9k1J*X{soG91tryCm`{sF-F{c@8E#cmvK6B(ma{N1UF&o$3`>qw6Z08Z zlLII_kYv6l?Y3(qSSH}_`7!t`*%l&IRgP(hBBmIhjwd)*vKH(#L697qqrsLmWK!6= z3eIxOPW*{&8p{m4<_EVK_G#k`6Y=zbeF*n*?1_U@L3dw;?cX$Z65R{7#4#C7!`Two&XT*%Dhz6W>^EUoYYf0#-b3TCq?IFU$!bIoYqm6pSW{foN< zVUDBm^@CY~`;1&&x0vW^8RgGG&7b2OG6p#3ZBHe5rzv~ukhIN%28HplTcb=hT5=&6 zg)FxCj@F9{$`bhnXeBiauOtqR+aSlNf#*DlFl7@MkHgjyqNE>@&R*ar;^)BL*o+G{ zH{^kCVi=0^p9!bZ$nWrytv_#ll{8D6N$bV7;QA1;m14$%c>@^jeL{oLo(n+M>EXz2 zk|}bGuaEJYXl7Y<9uSex1LMHmIhdsQYK4a`5|et%U3JzeiEwnzG=D}>8*M1Mh{N6_ zrbJ8v43q%B6Em9*fp@MvlP|LJt)^ zTW^lnNrZ}?rH4&f0~TU>;p+$&Yf+ew4jF8ONvejUx+ok|Ij-8vH2&FeuksCX476vZ zFzv)>*D~6+Hojm0Ds6{YQ~6`a@`L2VMu)+A%OtnQ{!S@ip5RLo;?@2vLs@F2m8p`g zYJYKxEt>W9F78=4-?1-Eeg@UOc`0=GQr+IPBVJogGPg=zL0HRTCan=SQuV$O>{!dT*MZZB>kK!tg2kv{Ke!*j1rL1wK0wZ7jW^Lz zn+gHT7HF}5EKp(1=!}}={AG+^_#=T!DxSkQZq9QYX(vxnp$spQ3N-R$6_RXMQ%WW= z1A!%^a0d5SaTS22;KVQy(dP{48*`2>dyLLGpI%Q|;;7|hJRQ(m;^}BIJ2e8d3i4~= z(vzg)b+Yo7#U~HY&?og4i`5-TK10tSEf#SDX;DNx*4(J059u6l>FJ|7`4f$~O$_}S zWy_<%Bz=&9^GWe~+zX3<$Xe~-XKo#)$4R)GDV>5dBi|Fe;!XHjsSe{$!NNh>j>?CV z4d-Q9Id95y^?Xmx#_bc@(U+WD61T5_!n8V?OR+6B2u0|sU@bIooh*Gwq4@2l4C7-u zZU8r17E#%afL`D9t!sG-qDx$65I$75Ed`%1nxX(ls7g zdKn)zGdG*I@%zy8V4iQ@YLten@hUzV$GhI4ol)`=DmcxWPSc@xRkm>2G%%IyjCbPU z!NX-ve;z9CVRF!H7vX7C{65(xds-a*Dv5`JOG-7E>J>MVQ@NqA1QpK(n|-1W`|sQZ zcqG*}FuaZUD3>4~#|nV{V%iJVEUgr;6P|>y1Y`XURWQiNN2fX;17%dKG=k<8{H>Pa zCl~Gm!yUesiow%_D#Yh0TV^%lAE7MrKUMr{P%hUK_O29A^dNiQo|Qncz;_x)3A>ST zjA@+1*u*&#j4xO~!Sx2%xtn0$SdAj#AT)_EO{B-|0KP_HvwqSH>u(e}1#I(oU+To= zOH0)JN9 zsem}KO67XZU_C}UM*tfUD0{7YU9PfZ;~Pe6&uD3;ssdElV2$k0FxyIFeJhG1$OYEt zd=?()6nSA6eY>jvJb-(}yAQnKdz_ZVGnN(Su*ARXmg2}FMNylyiz@pvG3{t$|cv2bSM#3j-!u| zmL(_WFoPu@a!_XKGv_QOb^6oF=6J%q-*EC%p+v*CFQ291{o-P|CWfxk+Scko^qZ5w zBFcl{Z#Is(Sv^>KJsOmY1NEF+ekPpmrsZ?l-As)b1D5^FyVhEMiHoA!#i0F#XDaes2HG|$0`AME zZdPlv*|t-EX_6m|qj&3t9i1wo0b-*GJrLilGqG(g(;VXsLdZ~&4hBq|liuZJS5*Yz z8fY^_fH`eNcL3s7P(pzPTyj2d&-ScHfjc>nVZfrqBxTpSXbM>Gc&-0Og0A&5Hulwm zxp3LSPCRuoNcksvHr3ZI`y@WxfpxO~5T@b%IYb*Kt1Q{x!Kks~#a^$GHsBIga?Nr& zf2U1`hNs}ReZBN0R7W`$M_%fS)*b)I{F}l5sloNL36xyDvznjX`kuT{6&wn)66nRi zq^WKVc|_U`>VG;IIcc>3e3l)@?E=(0IGhD4eR6290*;Ztg$EzqPQsk@*XqDwSO*5Z zd>$9r+?gDcTf>&Y9Wl4R)Ga^UbYwrmB{a6c{*x{<%KLyvblANa&L=CK!X;ZnLmHn88(LFTA8PVkP`<2`)DCp+FT)s>?^r!HVNQOe%-q7 zaWek-&M}l+xU=*R7222eG1}~ z%i(`p!<$a+nn8xR;d@?Ua>WR1MKss>lM&1uu)UmL#C5EEoUiv%!0aMF(k45AjFkp3 zijZfirFXPIz^Cay%=`j}1Lo`q`k)TjEyQ<&R>ugPsf*j0As)jvRO=t^CR?n-WNHL> zXZX8l9F!GEG!+9_U*T}qbr4Qrm`Ye02C9TOsGpRovS!eZY1(x;mYxt36rTo5$%VLn zm?a(nm-?Z~=J7it&Bngpiw8Pg%*L`$?4MgofL^M85gh$H>Xbdc-1R)ke_;!w*M%8B z)f+7q$7lMja{&KpS_by{yrsVzn#8NXw0enl>pZtn_YTKF=i!;)9PxdQ*73<7y* z<9otF)z;}S4nM+?+q6AZNI{p{aXs)7Av{N})R*-$u8EX0K$n8H?j@gU-YXeY+gFl_ z?DycVCJWJddo{Tny-APfr1fH|7EN=MG7Vts&ohEIwoFGp!E|tB+NC^Xoua2-iPCJ; znttW#&PsZf)TA!Efiqb#Z@il6Y8`K=jtRzrQmd2<)|u_J^aQx9s(riV7>)ItpreB+ zu%F<}u9!d|7Z6@ocXD`in9vh#{(y_Borcy7L*o~sf}=p|?yN372zDK{8_^TBX!;vy z*KacL5ZsCOwFykK4|)w5Uomj2(nbgg+LGhhxzSXbrJw6y$HN^8$H^O1^^bF0{}=14 zVZUBWNXzt=k(HlPl7CS+cv)8bOj%DdqrX8;%6TOOzO_7ZU2H4()m}kwysb0BxwjsPb)(N9=_~T&3uy*nM40dm z0xid*Ko;wrcJ)c-h#Z1DNtCn}NsLyQgxKE3X-U`nNQtUD`=kVw{C2o?o&LF;0I8C{ zNOUra0Z6#3iZ3##0HAObkRXXhNlTprI|;?kW1azKU8G8$ZYcT`1)@}wKSjAL^_U#3 z@?TANv@-;jlch6|cYkgyXyjv5e!zI12!PGqRK%7A&A@6oCz9?&xz3x7LCQRnMiq`b z&ibBJip2+G8y{iq8DS}k21wHJ?+(=;OG|KIU}RtcmY-0I3yASq4$Cj% z0{Zs|_Ve7QiO;b=dpyRe*@u8!z@9=`>m70@P4Nd{f|SaLc8ZseA=?})wsObdP-UBI z#Yy&c)x8uH*hAkjp2e3hcj)(+W;M9pkN-FZvL9hvV%9FYfl0YQ}YS7rBhn~q?1wh6=aUZeCA!u8|BexCIy0Ou&O9q8U@`cc75?CaWbHKJl zi7`()VVupfXM&sLlem1i4tWB@b+^8BU1f|fYuSFXo0Oj6xIjRcFyJP#d<#3rQ6~4mr8>4Vx8m+tH0v6BG;|x`mbAf z6wLA2&>e?VrBT?po67%DNa$96L-B#I_2aT9Kv;rwUwz(aL&@`5B~T=i7ueDG1QplQ zd*VQXDx{PXdJj!bP#HrMe?;uq)VX5Zl1_eIgb;yEeRXU{|3NiSDFaUx=7o3Fwy8R} zg-PpGwkLE74F8hK_N3w!(|?O?x=!J0D%lRSJ;oV2DH@klfw@M7ir%G#u)pT)4p;$9 zv(km@s*t22d8YjuyDD4hDPY#LUWzM^RcZR)G&gJU8P^utaZWG2OQqeRd(xau99WV? zPbP7XKordlWK-z5Bybq!n10rqQw(6ObtR>KpE#XM$hts`G0Fw=A2lyw9N=cDLKDru z>G5P^mLYJAVy=PMt`BEEC#)r@%)#u7h-m9lQ=m4&=kQ#HE9(Q`SC6gFg9iFJXK=OD z1+gpPe{`fl%mofE=4x@iwcK3RgYQrdAWnYP6sDtNB1MPCq0#1ZI=qpNrwhKJ#lvX_ zi^su!o^{PKifk(`A+kV$BMgox9+_=NroDdeV`3xl>A~2D0GhJLE3C#H5x_(!uJeQW zOszHe2wZRZO?>izR0NK6bOMb<@uh+vr|-fFNpCk1oi`~te+4DJVhfAi+-PjOu@ z2+0b39+OaAK6oilLedXtR|&mITGEU1G2a5l_`2gvgj_;f8AQtUzeqR`c{MS{%p5OxB7PPX#UaW;1%1s&P30A;mMp%RvJx4o}r=G-<*v^X< zD&ESkqk_2_S9(-nj%M^u6lesWIH7HE{WAz$Z?V~6l4t6~y_5x<*<5PjMU~@~h`?!^ zbz1Z!?D~~6-iq`N2OShqh-BPFI@ZsoOHiMX?2`MdY)#^unGRN%JvT&Nqtqj;Vt9+0Rz+WcA)QRoj(>!FCjig6v6ApwEzfJG0#{{AJxwVzPy#HhO+FDn5;GK05eGl3hmzz?*~o0 z2hWn1VBqHkJDB;1cZ1)f3DfIoRBRri7te#L9N535ml1HTNwSUQZ-B+nFb!~7{T@9i zpyGFmr=;aTJ`Nit;y(l~*$=S%Vx;4RHVz+?w#HhiofPYO$yCvX9Vq_-wr8oOoe|eT zj>oxf<_+0`?VrH~=Y}e`u;fW892^fa+OVqY=hE z=8&|)ui?@y{pMp9m(4;M1+CFat$W`lXoK~KPdm!U?6uLsxgavGz7dyRV!Jo5QaCLh zN5NN!)JxwHt4-5M@LA^5Sx5E+i*!5Mv9yS8)^RfEq@FTzU$WbRU$Xzx!{OqK#Mizxc)h*32=KBOgEH>LC30EB(`3Lj7Bu!XGa%}%FW&ep zhr5u|vU)Nes~d*xY+>N3He8YIvtj_GL2x|g_qBDSq_G+v-@GV%rd2L2#C6#`0Nnh- zaVEt{Yt_7kiWRmI!8eM4(qk>$91n&C8?EMe`7#llQGSPL&gNGzKBlKwgPe{@=KQQJHnW)ALuS9%ol5x~#s#JrJt5obU=2gS&33N^lfCO4lIkk&QXNO}z1n;hKl1wsWb=iqPT0e^;|hT%5v zAeRLd4f5Eq`u^Uzay_aqgzNouR3AXDG+ovl2`t@agDM3)J|o$F5O0KMz>iEV`w;#O zC}PXQd9kE}aK+8X04w(OFdiuOEgON+(O#@^yk{_O*Rl0LaBA(B;P{ogREs7Q?yNt* zCt;oGXh~6WxY^6#q4IZd*uY(zuem;;^NeA9cj|G=6&a}wpvruXN`f)UbBr)SL1O+g{2$r%i5Lh2^H4Dp4W?3Yh95MOe2oF)5hO3 zl37B=Tv$m+hgS**5wpVfE0eXE%x0T|OYw3xrQnCxaV`GhS>DNLmMtIFpLcCN#_gUeI>ujHPJAizQ_Z8v zYaga9aXgYHb;tNMFsC0CCcKVdnZnzd<0spZL$E@NyMus_YhchEoDKy{Lls?0uc6=^ zSRTD7x6l6b)M;kMBEoT6tJoKwOZ)PZM48m`UW+BzO?Vsg9he(nogl4?c4X_UO9c5{Xa%ZX(T>ZvR>*LjZdcerE#ht1hV2avK`~y;0v=B1sUbG z-?jt)D?r6F5dJ3|ZZDuov#PXYCV*|(oT_;MPlK0?Qz))=cnraVDEIhc?74cZl!$?9jWK60QZM-|07~GP zMZe;B@J8YlLh)IsSuuuKtZM$~)^+epS$7Wn3Np~TGw`t=HJ?Y@(hB)Q!2zyrw0PQk z09e72oqJ1`nCc9ygRkctfybD(ZSE8xiGKJ>0hmaz{`%wI_p-Jtl%zL z!)?s3O(xe$j(&?~N6JJveu>6!cqP4j5MgS9y zJQ9Oju=Pp|+;+CaSd-hO{bBo{4fnWfg9tjte>yz8ZNDq89ItdUiS#mDsrlGowbW;SDba9 z73?hE6Ev88Z%`U4dIwoE+U9|&?+|Xi^o;6FKN=4@nIfL4^pa7DS4AlO#ykTf_g>#zqMJ)iKvOP@dX}|E>rNhX3-D_)#mB1YP2&`pr z-ReVFwU)9Zqsqbgv)3-VlmJ)gtzahrSLiPzq$6nS``iasm7Eq+@@(iiR6N{B7}-(s z0qrF?*=2{T&~HMxims0}Ze&fS7;7d;&gFCMhp{8OA4w*`?w8~mp_2{a=?H{VI8iC1;cGdElkvu zb)$DG9HP=1l^8|!kbVmnNh*F$k?KPH&F`Ggmlc72xj3&P-`aUNA1TjM%k5Pqw9Ovp ziZDo(xFos=PTDWViQr2Zn1w|R6A#RK#RkISSYqJnN_rK?5U&0vV8aFO68t+qvg9i) zvUzl_j(TP3!D_4!@%!(rmsmBw))Jrhih9Wl!avmD z=E(__id&pnUWNE6;PbE=dFxnf%~Rqq>-j3jcY3*uV0JL+1*USjPR$hGzEK~BI;1U1 z>jb{>S&g7F2g*&UJJ2Lh`SQ;MzZZy;!0FIGA6%}4uz8#E7lmUOzr_@S_AV&Hs`eJ#UE#ytLa6b3 z;pv9=Xr zqQxeUNj8twyRiR~%yrsx9bl}AHhAd%60j4ke-*4*%(!72Onx)2Otx6zuL>tzxqjoF zXTfdH%mmpxFjayK4Cg0+Nh#aQ=VoiX^$`X(n;HqfbP$ z4RvErPIVk4jq43;@}l)jGSE{3L~o49d)#2%LNopuW3kn*3zVZH+2~TNw@u(6y1met z9YrrG6N}PL09$JzM477F?AR^@B3X!p!0eD_VCD;YG>N**|ML1MK>wWvhn|;L5ti7{ zBXnJQ-s_4nKP;HbfSaQj1y9xug~MpDz9nv-zZL~gDdbZ_HNo@nDXwykYIq^I5mYN1 zR8|d{H6yqcxy-u0i~9LZ1m6StbeOu{4M6`j#E$|M!mY4+t#YX7O!7eH>^P(M&xn)Djxwhz-_4dc zs(?Xy)l?NF7Y`gi884lTm~KTku=jBJ%c=!Wqu)P9!pG?M%?NMK-|M(szv*37@#*hr z>>J7G#vjJhMa_I`;l3swN|SP77zq18F`Cp$YJx~y`VvI=V}(JO?88lz&!QQF5fyy1 z33&%S@v(}ir`B4$OaF}y979a+Q$T+IJ>Gs)x{funb4Gl<>zha^*+{2qt;@CYH#F_i zTJv;yQ%U-ima#IK%r(bkJ^dSnrkYPiG@lh_Mg^=o@TC<#G~yQ_LV@{Xo%3CZqJ+;` zUp($eKTA1wL|5lHexTB7=wJB#Z%9pH%yiNtERA8#vR!yTt^s%3I$X}SRZdIC%%Xn4 zCI>_g-E)I z9V=|c$7$Om5waWcx4e-8+yHL@=z1K2=E2KZg2_et{xu7meNeFUKk? zy@*D)(neG)aAn8Z3MEuoaG;uR7?6&Pml)G}(WQz4SJdNgIZheu9sMEXs`6Ji^OwO> z6OMHApSK)!^&d%ghT~;tRC-w#3|QdfrIIe zE!mqQAWRB)EmIf(szfPItyL^f5&J2_ei!+tc*GF%c!R3ry-2PtAubgkkD;S0D{JpN zdB6#*CD7~ruOSR*<^6Br4E7)2jvSi^Hq=Azrx075MDB%#m0BG|Akr(mskj>S8djNj zKW`=Ss}e{y`Cj@5kzo}p!o-f!f21D-jwCI~|L%pv)^N0~(PhC+MF~6mx4FaPyU8D_ z;)6HA2&q0o=_)XYue|38^FOswiSl|s{eSf8pL<2T-z%O!zwwujZY^2~n>qG=;df){ z-jBWepvn(7_CdR#S`QNasfME~AB@^v*Pg#0h1P1c4%Xd%lOJl)y}tL{FA0io>HB+Q za=*JDv|WBst=7bU9TP}?H;2FG{I`i)AO2s9c~Ga;?0?P%x*vRP z{!^adxYPRhAt6wFsO}|ySO$E5?p%nebuXMUbZP&@oQm;(6#zvlk;$?re?Z;JX;s~+k&DD**l zAMQHQ{pY?DAIkW_JAa-V&?$cw*10wDgKQw@)`t(~{@*m9HPJ)Gv_5?B=HImDZtr-ZnAYTf zF8%+dAO54v|MzS_%3T-Md(ebeX#jPMHprF4Euavy*fO? z+F>HX*-vR1TbG6D6$hRoqmz5A?$Mmxpo6qqMqN74ppQ)-xNjlfX@&t_IVr)t_IrC!0K^i>f#?-~h#cQ4-qa585ydwCv2wWzd^(a?L+qul_=5 z;>b_mnq=QQs_yck*=;(1u+lf?%M;B#Uo3jgKmNOmyT*Lg(%*Q)6s5&KeRtutp%Dpz zDL?;o?evRE(|`Nz_P@Sr8Hu2Qr?eW%%#$ZzAX(RtccH_k&ZK!5=;AdwvyDz@*vU1y zb4^Nr7r&6Fbm~uEpM0V7!o=J;(N25n&cfx8%wDj>RR(=@YF$_8qXUbbJ=b?z?x{ZY zdiCk`h03U&*$A~;)nU?)c#gLF>W+A1Fbw73uTV4|7QMt(vT3oCcpqE%ULy+DK~^O% zm2NIStaRe$^6kT~zPBW$_p1Z;OwQewzID*yIrgsSUM_pB>f{>2*>4AQ>bP&uZSK1h zBydT}vqJwj$6o*E_Q&|iT_)c8=Il$)wtIB%lsmuN`Zfk+a~jUWTjQUCejEYvgNG%9 z=!k>gS)j-fK8+gjv4Jo|?=KYxADIUQ9AEAm^KYf|U>Kg{uONu~sF7>mc6u_1Twtzq%?5zWrqP%m`@b?H^%)yMMM93cdNoJ5N9Q z_7iu0fsy|3v$y~8$M0AZ%d_>#cqyu{Pl)WZW#Inl^`=P3b^ntU?LEqN(fzaL!`G^i>pMSk$+4>J4P`Yo|00=+%eifajC3iTH{cmy+^O-T7a6d|;|}?; zLCgfmf0o=2l1fFRp@?+ZPD6cX86=;SQE&lhWY^@Ns{t*A>=9L)RCfFl%oo-31g5Z!)<>As3EnI zCzCi4n1u|Y+am$ZlmO~XjqD?0fK;?#HPZUPEqaU82^D;!(t4y!dqV)~;TAIrwqXr4 zyH|D^(xhkFJK*Phx1if35x<8OO}0joiQGU8q|KCbzsIp$uGW(&7np(YRrFN;hEu_U z3+gQvJO-`zW_tO51>S&{Jf(Rsdg(}^-Dq7DrC++rrb61o*-mac?O z72UbZ`BH9{#_gRw8ItseywWq*J+E}U*X^lnkH>L&TCbeB4jB75lU9;5?8~8Q26u)} z3_gjofznAMr_cTl$69j0rLY`n+)}AcrS*zpJdmykEM{e2fnKF` z%WfhSmvPS-V7%OUAA=6h11=FGfcZ-+iz3kpy1EneqjMTA1CJez=p*x>QW|f@?WbX8 zkOJ-}C^9U1LqCC)a={^JjN6_25s=)1pL(f2Ts}`+Uy3AX~wzWbgS{YiyFdUoYF%Bpi!CE?14OG*n9;q zs}-3~P-{K1C)AG6WJsku$w*Pm@I_t^aDSNgX#-y>6To>KujW!U9t8$U-e`egj8~S3aBus>c$oR zY*-0k@PE_5pP_UTiC3S%orGIR<4Z4S0!pmes{$Yx9-r5EQmYKIx9AIv)+?p2i-0iX zT3BI1&uKJLx~Z2A_w^;gtS&!JmV30&JsF`1Ag8{f4 zFKRIiFUY#row+WEbGZ*SUe7fvuDdJ$p2`W(IAwe?OVhA2k#p_13pW7C^H0I@1A-&T zA&nMhQAWc6@ITbJ-K8C|COsqffDG2HvNye9Eadfu(%f`nj4~9WBq=>Fd8^L_(qWnL z6&+P++@9H|@H}}uLcUUsPLr8l0HsN?ShPxo+_TpP=0F9-^wQsO=@KpUVCf6ALGpOr z!A^lkA&X4=AAwU)T84Ny2FLnNYQ>Cs|;5 z2S{a>W~&Dp^$2{Y zNTiRP6M(58Wq6C4!=M0SCuFSkX2|wBJb)VuQ$D@&Sj!CaKu2xIFpErGBY+hH`SQzP z8tsI6BNn+}5y=okt6|woH$6wS2xNxGxIw4P3_0C78qb4>oX|<7JG8Lqm{J(%IS^BC zWnV=a+|)#+W4##}1rm&A`7#~6RGLb{I+$5n8IC}tR2ol4Xdz5S(KL_7Ykhm6%ASH) z6;v>z5(T;d$Cj@=7G5qLNWoWP!5EMlPxV+}RM+@Cxu*iam7O8F3!u#)&)bbqm!din z2C+0sr>xPT51slC=Q7v8hfzsmAZF*P(ini&s zl22CJ?aoxT6_`xMXAPj32BN*0G7EWS6t#zmB#WU-P;kc4r4UdTW`3x>1~|ojR64w< zDq2}E3wDvP)KyP~W%IByfxQI>U~0*wgTpki`~Fj7fc=ii9t?i&&hBy&ECO<=K0*td zp|P7juu73e+t&uL+Jv1eiW&tg5O9R-)#IEpH`LG_!eJ(BB$xpq*}Ph-tl(~0UKay0 zFjDCc(^U$}Rfft}iq){QZ0y`JKB8#spvMEboiOV5XIt8nd2}>3Nn;R7FO3a@@+IRh zCOpQ{*ECG8d@p7ctucVy`-~7+p^gi}vP3j@3p=_;^oVyA=F6Ce4@yyYk0K9_C_XVW*7)$L1-6n5IJEqr?f3Ukb^1W8ov2md zW`L^03<{=ITWO}1>#hYum1+C1{AJY zdAq|DK#A3Wm3PFQ;1qHfs8+CX1*pb7ZfyArQ0?mV_dvA*CJ%adp#ms!fQhdL1a*E3 zU|6T1xC$<~s0{$s3jVhhfXEh<55U!@t$^0vP%ylNj?)xW9>D4Brwm*R{I1}x0LC)P zi@xc~w}4USD`2g?>(bP+mev*m_zKW)RNL-=xvGc)yz9mZfYfu}TkPz$p+|E_0a*cC z-+B+AR>1AKrnJ6*rYa!20-|2Kte}mL?wy7KmtU5y6sREW;t;^f0o-kplt0FN*#h+| zkoY~6`n4(rUHwSGeH9@7;#-sc^(ANl?&8!?Uj^6hG!t;@ao>CdE&f1(KLLRZSL*qr zf-8RrfabpyO+okP15!0+|So?);+=SA9brp}5~ zaCm6roM?W=LZ%ILJ>cdWTKX42@UNL90Q8lNtVbhMIjaS-8PWN3Z2=lr?ku#F)={R_@+0_0kOsNv(4 zetRb0`i2EPO60)%h;{DV7DQV?nE|tYqc$in>-`Go2|yvx_53RUC*Oo_Z^626|9JKN z^REJgi`9yLWnl13uNKt$&@4r@&;naq+JpK-;*V;&uEz&Q0Rr6@q|6Plwf8YadoWb# z$}kEvCnwk7Pa{EdaC&`k;f)S}sGr?b_S$#_CRa2jfLtqjg_@6BR41Rj2_ts=<2Ocr zwimQMbibXW6gg5L?K(v%LTtm2CQkSsbPS4Wh411S`wc+*Z`6MB=D6=*K#AixAxXib zCn&gbOocUFQIoW2D-^8(@%07;P@nL_r+Xg%`Nq}vpKYfM@=w>HI7Kb-^Q~{szxwm4JHP(d4+#}l44@rJ=Npp<&`*s5RgH!W9*YMsUYVn_DkKdV#c$REUd_jOl$Ok( zK^PPT&rHWFZ~f`|rK%os_v*EDtm#vaWAUb`juSImu3rDo%hTW9$U3r~ZmhQDI+lnK zg%PH-9hBRo@=saIlz*@;exqhTQvYdPjMcV&8LPdU2q6`zk?n7^#Wgggo#9 zZl4~hRD^))LaxZM@*oVG=APa`Q&TZ9=kCBAAxs+x$DzGb9Y5`v8vp;H|NeH|APVfL zZg8nr?$LcTG`Pki9T~1c5tJ5%!;cz%2>6MF9|Qa-!>YMAP_4tO3~M;MI_#lgjl7pA zR*UcbrVQ&}pDM$u9(8Y6HQ|V1Y&JLi%gHH;CLTjoRXI60DlvzFeV6>On?-# zW?_ALNr{_bCcwX@rm8BejfcPCK~odfMm9A;4rIq@cU2YSfy*=#CSWH{Fie=RX%nW2 zT8+&{}6Xi&a%b1wk61GEKx|kxD5D^O;bwlAN3g z6Wne{1eH4)>z*(nCkL`A!?BUk>I|slJo2KJVG#B}nO*Ui_@<_u95>{M+Y)(Xv4Mds zdAKbRT1`m_-U~9@R>LruBd)|kx{?yeYmf3EBYHw~_#l3+um)= zV+cIeHBC*#qxcvJ-swD*74)vsg5g$6xsXh zaQ-)g{I{~#gYDRj)wPITvPP?jo>~z-6^K~aJ(+2h9T2hK2=)r`kchP|7!QlsU!Ou= zzpK*kiI`g7v9U`Ct5>6aJ1|<96se&;-jNT|zi-E)D?98*chsOQHIb@>B=|1Bz?kni zirHT9{fM~y+P>Rr@@;U!u#+7dlXlf$bsuMb;mJi z8b|^EIaZ!~NQgq9%DF2S6n=&=5x7t@dL&UJL?LQ46Ge?gJ@G7*O47-RV~17O4jq$N zF}jlchbF&DZigb_S!FF7MXZUfmrwN#s3 zJ+xpnvb+%}LAW#SNgOOFMsR&08;H&1q_mFUN=hsw%I%#>B_xVm8e_E2gaC?BWObK! zVU{Syu)vaBdyo1Ww@pkOT`_1-^;jX1jR%IvvE^nI3nsdX-K!-P=vK)m$tbcb08+R{ zibrh!Y%`MjBdQ>HQBysbs^g;Xl9)@qQ447@wSz26E7gvytppl5suTZ)0h%@`wv~g*nTW#AqVKXI6MXdn!H6`ERX6W6C>-p#CzZ%VRC^e@p);|TslZve z6JdoG$&HMW3av8{hSvaKF#=x_JecI5)m(}_$}X}2yv|vhE3>iM(Un8&`-7GB zr-5Fi(s>ZOaX(V>j%qlk5f02xZlOrc&9~bserAoN6EJgPq~ay}GDOt1f5kp~tL9QH zvG?egoTE9Boq*pa9FhqU&!gcISP>- zpehw#`=gNk(cl({s8&OgJ+t$1;RIp;{!}bx+ul=BV1@|1QN0O(0X#etF| zL`?Q8h@X#V!;~%(7GpxRw~@La+zf%_%G)Ab0xYt`fj~Ac?}qRaqBl$iTudzBKNG?+ z=EiXXhwO>Coqe4Yhw!9OAtF8d%R)oZl05LbjRZ64Yxwq{+_bF+n%gPEp1+HUU-txO z!ClyR;{iPvVUIw_Vn35hPj*$-q3024XSNX^SlVC@(VgLmfkYq1m==j& zAOy>&IE`p#Qi<2(M-Xv7QmBWu#3hpU7$Fkb!z@hm*x6d>uE-YCSILNox^f&rmOw-` zs)&im2dX2gjEOMs(n9SjZ~Z{*1z9d*Bk^u>02@U;T5~Mzy-TwzWSov)a%T8#T1{d$ zeMg%$hFSpu=kZ9k8&QM1R36HYBW2A1WExDIN7;tA9Ms7YV=NrSet3-B*ao7_jE zS%X7JpZ}E^>8TME-CQ6wGSn0*!8uX*FGQTn3Mcznn5+hii5ynE2)J(Z8AeV3w@I5? zPrU}sd4$?fan9Zkr4l(pAdHexh&CBfDnLFKM0ia3dO{Du-pEG$D83BT^u#XAQ9fc0 zJTtX5gyNAQ3i_3~J^wi-qTw@^GR5fdW5iQa^9s)t#Q{YbxknzNCW`XCTW|36l6ga+*xH-<0Na8s9 zT!eLDbj6ocH2J=Tsqe+f4sS$W2(=Idn;MOBJYwkVF$hGJn+QY8cOj>;CT_ZBaD}r? zV5Amrvrh$zAPM5u#sRjLYl&m30*~WMmCbAIKjN=3gaOACQG_P(b(qGz8}b(QA&)Zj z{5i0E&RBHCsb}b1f76d-K4SrGOMGq-6Gsh!@fZ^Ph6us5;)O{ns!jE1+@SPbKUt?H z2H9hX5dJwWj0PgM6?adUbr3faFs9)k=Fr{=I0uhY3=jyaAMZ%r^q~lfyjXP zxK>EaqesRFF!2SAaJ8nL_-k-IIkAF(mJ#i;O~}p#QqbnfFvHUZnVV@K)CK|$(u>dA z^Rg2V`HwW})<3)vrY=;u9W}pY-$V?9pg~oX8&Xjj^|OgG(>pQLEBTSQ4CoyLPs3s-)m1BDz%00546tm|>5>9?EN^J*4YFv!_JY`9@h{lw%?!f`!~erPcgr#mDZ{tYRwbCB0P|syI%wRjba#n1|alcM9~DqcFEp=ShMq~a&RuQ z5Kr)#aPx3QCGd0qVW4h;Q#zcS9sof zMr#_WWg{r7wN_7dgB2o`iLms8!_p%#Z8noawT5WcNs)ZqYSs0?Xt%Du{fk)t>R0-RL?8!#pHe?AKCHF+;M`_lI#Wa($ z@5K;NxdzS!$Cq3+svm9qztnYDlzf+t%586ck_ruxl@0M?Tm*MCU7 zA8*7sDu(>HIo=XG$%{t2rdX5^8^ZYbK%6p`=2|T-#HsW!y)E8CG4>{gS9oB5uQYAT8=Qr?%+5LZN)`^yk4*jb({8CP1d9zw}o|Au?UQcgAS zJL*?ik}iED>x+|oTKb6uOj zj;9U6u`nvm|8*?U&oz%F9wpvo>WEDIE|eEVZcgiO8cr&wt@aJSo75!XU)RCWNX~C0 z2GLWaE$yiHoBsedq_+^CLSHsd&A?I2lg9^!&f$hXm|odespj{H&O$jln{8qFbM|=9 z8eN@4zGG>}rGV%3YOburWd8@VO1Ke*M}hu(6e3vrBNp)2$KT*GRI6@@_o|l{rmj$`(tpu!CvN^ z^LRd~S z(XPGn7rG1{i!T6rYWl^Silj?7%K=aImM+2nP%aTA>$oQ#**9JPNi9_p`01f?oCHTA z$ll{a*C4jWkC&m}e{RUsj`t!Zy!r87(xeXfGk;U&M* z3^9ZoX&%kQT1E|MKa@O{A$CGp0k$j7_FKEf`DI#_anO+YDDN+@ej{e&^uu6n zE@twR#YOZRScp&`ky*a8*bbpvVyyTbet^VU3%t)GaXd_Hc7h9T&f|7GkPwLS^^W*& z14qm+t|}>o!trO(B7zf#cN_u?n-(T!XZT1u{)3f^V>52zVyr^ckxl&59*a)4&vU#H zY59)dvMn%GvAE7fc;e9Z$Gq@nUQ;CL%Zgd(f**Xz;XpVcmC#e71x#1qy>A$kokf(R zqEk9jF%2n4w4TWIc392?T-XP!-RAk7>Sv;mu@Koap5}U(Tq!zUI5q%(%tzm?;|1v- zB1o%Sk4pojxWEjEQ~m`kP_E}dA~NQsp}3m*;Yol&9gW1f4NLLsEJg~D$GOuKzYb^l z9W64F{DSJPEw4Z9@)_GREm&X{^G@29ADZFVZ)jVl?!i^^lSynCZsfXi*-N@1)7Sw9 zdR4v@Lyq&z6s3nHKNmpbZ1d+a)X#IyKY75HaA=GL%rFkF@$N|2lZ>nswx4{s2D*L< z+wz3}Ydp%{_fj$0hrTR))1nBAt(LV;aQYe_22XhTnH&jmpQZYSD3YzOzF-DAo$tSa zpOuoi`z^JvOGSbAvBLijcvd;cddfu<@4|vO5APv!3noIHeJKvY_vFh09%dS$L)B!k z{}E!E)(`nUF@@>yVmbj2Yk!+>#}Ang+Jyq<`WAz~K>c&}uL6A$lb2FF{$?zl-g+q8 ziZhhp;PN<3eRbmq3{8Fd)a3Q zA~ca$+GEC9ZdB7I9A3` zWeejB1>o*qt+evR5R=_D7-vZ9aglu-?~c&U${cq+{Psundd64wg#uZ96%LX81DTsF zg*vpLa*E|Sd+3VEp2*T$A0_2*FEOw43F5{(NpJdQE?TpbTO`w7L)$Y^x{IW6=e)wbSy1+E< z8rPZT@*#J$m>%4PnUhdA8e^-bfs@)dG4dT<;WnmPo{E(}(1CLa{o{5aeT4N>Z;{?w zez<>t+$Y9lF%(WCs+^WJ&e`f+vxU zQ2uUOe8sd;a0Vi#&k#OKN7b&KRy-(s3@R9o=xH%edpex$!U@CxpA#8w{|e{i#v`=M zu_TgikiRuFuQ+R^358qgl1nzxgyI9vtFZj?Oz+8A*Gb<9Pnew7(>B3y?FDtCryeHS zsSvzmy9}AFrgBTiiGulhUv_Xi9?a}GsAbJuDl?zV#A8J?{yg`}u4MA5zt$GvH( z7%#L*Y&S3BD;^-EAH$E=FA-O0J+Y?=nY}u2#pG5SvmZwOeNb!fyHrYI$k%*sR#2QS zx*b;yn!PL9ZSDg@5ZmMknmsp>RNY}D@8adwK02)vRXmlNKiAxcv){*aRndx(Yd7%5 zn~QTAdNkH&zuCQVPR1Vl5ayG=bdq)2f^fRQad}`!vl`(E)3JOsfw+gpkK2d)GAiM& zZ{1=_(6#=_#L$uaSu7f7(n-FNOe7WcLxMZC!{K-wpX-Yaz2y4>&xR_{!aQgH;KHft z24(T5|HAz)LDiU(0GNm-MHGb!5>e2L9+7wGeHpG20pQ_$yUYaVFV61pJ(J0cD*UQd zQ!&OA8-s>&V{$YJ|G;{*x{Jp}rJbq@+^zuAOUI>=+N)jc9@a!$_8NA780 zW7Y@kW3qv~E46reegwEvdR{@L=?FcQRV6&3rxlj*dOS>t!>_PE?FWR^sEh~1dY+e_ z%3KKFSBaHo0HT(r`zC3Uo-W5G&jE<)f%s%$R~lXmg^oCvNZ@l9i(KY#VsG6Y93qYJ zUPX=H*5346?X{@V5s^W5Wj)GfX5O-o^Yx=y!Kql3=HMsLrx#xKZEa>}S5yX0cf$n| zI0fq^V|~r(bekc8k2ab0`02W~W3RW}Ca19rPsT0&P|I65mQ^}s<|Ri&FDdgvnLaT> zE3_MrtKcaS!-Qxk3;EdLpP(LNWb$ZB;yQIy$Wu=H$|fz)#E&|BTLf#Kr)%jW~MOe6g~ zS(F^iZVo54#6|Xa!I7c@`5eCw2tG*{mi<0fM9oyO<##FqF6(-E!zw?@HX(M-{RUkP zPb?sDrZ`TFA|F9O7|S3^#&izCor7Dq-??s{ z!ds$a+A?tu?!GAeKn)rl&VRFrxS4z zR$owf&?u*i+2Cug9Q%fk$9bsF*%Q8lXOH9Wjvc6PkYxLtHCet-cMoU1c*XxZ(u8h( zw6WoAun;~X4(fY2%ab~DU92dpKUv1uNGf+)2Nmn(eWKkqTn9BYoa1W{ z9ub(xdWvhh`1Cc1X|g>E0=qr8VkCRzllTbWr=xUs);Oy*@Hca221x>rqJ2@D?Buxs zRmJ*NJPnZ76yGH=wqjX$@U+xNxJ>bISSIu#T7YFsQDn_JDPE~`-vX$z{W#*I?N>nR=Wo=9U;RlhXLFRdSd{FZ%NB9%PLzNKfw zEob%FN$9MR&%ssJ1w7xn&^njrX&-cG$%!Z{@Bhcymo0@b#El&5(Ne3TF{8s7bNap7CjdF-VL*;*yS-kCEB?J8A1(h=Ol(>! zu95<@1S_rM&2Q>hlxl$3OKCl`-26-GA?_#$B4tNcP;(J3Zt*LmH#Xq=Tw}uWAOL(4 z>C5%hkv-UG-K)%{#g{s)W~I)p;?Ly6lthvS+DCeBV>v>PRaM}^-Cvpdr-X(QgStG_ zL%fkal+fhRMbiq-{{lNto$hFw%D+H4X&GKehBYn6Ox6tOU+{xfKF6{t7!$k=K?~e( zI`))TK{jL{OX=52mgjLq6N#fpqL!*yI4GN1xw?LZC+R@nOO^vvj4pXvj8;0t7(7aO zhsIfEN8mdDUh+fb z;m2c?UXrAglim=I)SL8_-oYt!1eHK@F2<<&-eeS-@B0A)A0Nn`jU*YIiKU0B>}kbq zpSquL)X5}>{%}MoWW9Wc$w|7~#A`(PSGWa9mKD0|(`O#l2@e^)>m#;A`X`ey=Hq=E zH=Aa2DByT$fN1e9LhRRuXMjAQbENS&V2_}sq4y&nEB?W(fkEuUB;ut322VK2|{6R_&wgsX+)$rz}u#38QV;9!l=bek` zI(H2oOEZv4KK2tG~w7s1Y=8A>C@?3x$wEnCukz;5(VPgb@Gdi3S{R)HZ}BUReHNA` zOpMNJ#%!I#5=#X789$FbjK+aGxmJwXY(X*u`Q897U~I{>d`t$?nSq+QE+kCU(G-7d z_IO0H+|4-?QBfbH?jXI%7uiz~y7#xicQ5l4?k90g%Gq81oKrh#UwHfAvQ|p{{NqaA zq^ZT7!nXocp>Ohx_4D27BB{w{tpSsVaFXed$n2-1uzV|5l*w}Rv(`dge@An69n`r? zxnnvKZCj)hp3|AG=!k6DWH4>f0p8FnE}Tp=0N!Mn_wzJ?jGs1*T1M&%Jjits(E#_2 z-dc*c&}ivp=^-kMV3*HNhl-;YJt`_-01k9~CB6-3GX!|Mz7G>`lG%aN+;m2bqM1Gh zPW<9nJQtcd&{yS~(Q?Ng!JcqsEf*2z)2x5wUMp( zqjEdPeanmO2GI%%OCUnbtjg3+?T| zquo@j5qm&Savr*3JDJyJwOo>ck>qY&HvbdJw#kvKZC2)|Y$(64=pN=32HX+LFs1jvMj7tZ}W7Y>6E6boLGi2Ou*KBqQ@6J^A?|H=<*Z&AJB2 z8!{i@dZl1Js4kZ$s@7?yi;+xq4u^mwoKD+XmuWI$v-481XMdV+7F|ZBnG-Z+1)iD< z^6`GS)?1MVq@-%;YD!ma{uRZu4vCLrPE43mFIWwWcxT8ErPA@l}TQ ze$=YkagYx0=u1Bq_NJSUQtd%OPz=gL0PVAY2R=>8t$X=btpmt?ykL)pzy!cl>*VjL z`k8NF^Qgc;F5uv1$C_8fHot0V)#D6O>x-&)NeRS(fAq{XLtVLAd!L%`S#X~St<}2` ziOX;`Zfvcj2Y5j_r9{`PdO(3Kf(oA7_*#Iv$L~KW{ zhYQqGI~GSf)<@$~mmAejQ&c(&xDvJ-KMk)pH_XpRXm_=}I=a(Rs`uRr2+-*^b?BrR zwn*$}I-rxHAb4=41Io=ImTvF`ih!ElO^O#O$WQ;}jn~D7=#@JW0`X*N$X- zo%{?~A&>lKt;AD0TP%YUBeYlKowPhDTpptb>*yZ->OdkEEQ-RJ;_;NGpYjrsuvrI` z8q}n%I#Wx6uvo|XnH;X`Zi&Z}iX6ZyQP~npagGwFOe6;B^yRgpmnKk{TC_P!u}!dY)}7h4u|6CYoIRO=}FU!wAd|hve9PR&u{aj<@(~ zSo|4!^*1HO^$!AYS(XeK4L@Dxf{d!E`msBZlvKJ2Wn}=vK?=Z!P>jYKs}AFEkoe&`?JRgZSW4(D!vj4%Ho&Xa}n@8m& zAvD((omTg|B_;;%YI|1{{LymH7=OAb>*c z@b_UQLB)9XIq1`WB9u|!y#^tsYIcL)Zrvg_lP3EPfJ|Pzo7+dd&mucPg^nhQ+o`E| z4USfywhfAhhGK}C9l0jl8-$q~3*Tb>9K{sdaW+ly?4n9C$t0b851h#*QSinm^K1W- z=TVXz?8JRcyW%wywFXQ*2WW|y#a8LqaC-$mf|S(%WqE_*Db$Oaa`$(4q)X<&aZ7i`Ap36pYw6S z3C9PZtl?@F>EAj7Gj|Kbse2*%vetEZs&p6!ggXW;24!})ddnxEZ*!4U;XY12G^NC; z<+Z!)gYtgB`bJectjj%z!dr62nqRvXnMJio|;Y^xopt*ZIf=Spek_0Sxu$oq7b z7C|)ma=dm_dqlK4EP63!`B@s1Gg+ssv}}sj_CT#_i_w!-Xg?LwLCoqKXTBaSMN1c? zn7Wt6m!w$bq9iIW!;RiXI-q(M+u-J38`c%#@k-zom}h)}9+i_MYLcqh3jaJ`4o$N1 zprxRye+^EeM#w#(F3|@E==NPp^8dovO+T6{6RA2e=lt2HHVIli8zZLmmR`M zox>>#%?2fk_O|7V{z;ZuBHIB}3-`SMoBXc)P4ZryPf<5R(UojkWM-SRdntUHSWJ4- zesDh@hL9Apj8sBmhS!UndBQ@y@D_6{)&q3mv5|nM zt{>y(8E?%1*yMjrz1P*=oD3ur&dqoFc6KS@az9C7Nx-OOGpgJc3%5SbeYJGbF#JJAIpta(K;<6n>pL zGBh0UxA1&9sBv=}@8`zE{@vkwAe)Bw@;~CL1Mk<5h`^+^lh~( zxf?f-vla7gktKI;BKhwHre&4QrKW;tmg<`nI!Y$ysi@$|nb-|6Porfaxu<1AYA&2F z(-mJ`=yUwN@F0VdnSV6@BBb`1QWoDjL@wrZk0De1&1VbpM?r`k$%@ea(eBXJ ztlKp*1$|iHF3&Z`@gNhkeM#wfa15Vd`9>fi;5va#{r~4Zox>a7z(v+!9ZM{g0$q+i zY)|2K#SiGKYkl-3n5$wyk?*hzBI}17?@^v}*BC;w6WID6Q{(@Mp?=(|S-y_2# zw9(Fm*Pl7Iuu(HLCE^LpuP$V!y2J1m2%M}~D&NcbEQ}1t@A6;M%iX+SHa|4#YbK>ggc# zrmZwB6e~|MP=)901uVXDy!IGJG94dtbiKl}-j)v7oq^S!BpRE?cf3Q&;M30YEe5$< zIzgfQ#i3YR1KTn;zkGqbTI!2)X>Z==s5S}R<9z!-iXc3qf|Ak`s~251Sxz#b2+J99n zzOU>PnI->eSuucCSo)NiXu05v&P8ctz4w%!W^_rM9wL9K<5)>>mTMAWarBt$Aa4AS z4yEx4q+Uu0{UsUYRK4R1 zMn=%}{9snizL$M^hypI0V$wKiMC*NgGDq}qTGBTmM1wADT1Tp3Ed_57bKZ?qItFx| zYqbv}$b<-Omi&(1WVE{8)q~{4;omC8kk*dL>;qpGIYwOGV@Q27Li@qf+KV2%fPDs% zEzdx;oB0}zFfnCI~F zrlWCzr)^(FpZ(7N8ffyaq$x@NDbuAwn$v}K2BMBoX%=ezom=H?`h$%s+6c;Btr1Zt zZJ-LsA}GwqU0y>42sGc1s`^xY654LvC-6q|`*ykl$Ao@t_!;)*fvB}t-7BsvXb<8z z;sfX-?WEKEsjaI4IS@==V?jPCPlxe9Is*!>o+Kwit8nzy2LJ4I8$5(m{cBcvYqojlKr-CX$4Uw-F9zGS52$~jcCu&2e84>BF-A!c z4n%PS`}-DIc10`qaGd39oyB0!_?Nh>SlvZ9$3Hr;U&d~#%4J-r^L8%~;IQ93gTqKV z%R`IJcZvOSi`F#(H}7rvq;2PKUrihnHW0{rzp((TICd5pCkVoLXef@SIG- z9-4x;N_A3sNDLsc3?L9j z@=;<^mxl8%hZ;*>b2R9JQ(TMb&6Ob1sEe;}1K88JL&+nh-nIzkUX4U9;RWL9z-U?l z0|jJ*Hw8%>J=+tNQ+<@mZ!ffJM52<>f$VGQ))YJ~<4*3aaQ6nu#QaHE=NtXd;R znTG4}A4-#S50Anp$a_MJj?;RB=Im%Bj(6( zX_|NgsQjOSrEfSdnmg|~EWL0uc`;)v9Vw>|qh`yCf;3Q#vN&`kL~~6^Iyyvt(o4W< zqC2SPac>agu-B}^npT3?!5)RSx{meZBK4Mu2AuD>u2UZm^p$$F@S@9am$;Sh8##->V zCr&TyOfjePyk8}VaoS@DILXfOcptUlimb`GKp%b1T=>MLqe=lW+#M(GrEzi`3U#(0Hgz;t_2_ z-!1hW z!}7Px2l3H`sIK3Ve4g=pfN8*ST1PnhvVJib1CW8v&D-aaDc1KJ4q57>*<^^S{m0B6 z&(4Rj1(J`ik{tCJ^GDIFQ|m+O5=llz4bCL3G!uwDIxugmL3@dFbTc$Wn+uaT@KOL} zwr@=3Kg48vSd_Ar#O-EtStQVYRU2yucinba9t8jMBTP1#g8Q@!dREhURvGM7pdJzF-5-{3fLopgs4 zYrg)j-pKOiAT<>yLztH7#dyf80$PObu!ATUx#GgeIocC{b2<_;XqKwIp=!^XCYAYn zYNi};j2R2bRANZUR7U2`hMGcZ=4Kgu4c_`i2n_Tl%nw(B z(z|e{o1UZcc}eL}oMyfCWr8F{0uzD)9oi;2s(!fnsxf^$(* z7+y$6@@cBi{sP_!wS+QLjFskyuZs!NS9F@o7$zxVx*AYViM)SWz6uxMxV+!GNp9t%f-wjZ zt;cvWBQlM+1|p*`AW7*pt4DXf6&!Fjz|I}sODX=cC^MLzSe{KTDM`aBYQ`Gy! z?Co2ysVP-h5e?%Tynm40j0N`+lF2@;TObx;oAX=S5EI_#zJV>L-vxd}ISyjyToOsI zNJDTEm|v9-19;7bS&m6$Iv!4P`JK`+)qzHM65{1yF_ytbAuQ4yZ48#w{bq`a2YF{g zOn{=y{Xf&x{c8P2^9EzXVtyh`<*JQ1E_Yvsl+-ZP@@+I;>lTYwnid+#FQ!}3&d;2e z#1x#}#o!-uthLZ8$DsoH74E^m23@crK*3%FdifKh)+?OG;u~Zm1lkaPgf=$+4`DDD z>?12f13P(>-QYV998wB?9cmtIsOO~*L}mskcn8p zpO{t~`B&)EV1h%_^PdrO*-nVEA(w=0CYDr!-Bwg$I@=rXwO(&%!s!v(d&kt^$i-XT zLuxBRKZvn)DclJ$-{bl>9OwBbt6@-T4pEJM3wI10fe@B)Iw7_L(WKUyfb+I5gA7Iz ze`OXca*7*WxgY2Rvz*GBZ6x8d0(bIl=%})RjYh8l!E{mK!=1W zQh!`;8#CV)62yVGZqjW^l4T>~jz{82kUj?kBtHgMg&qdGBJ4JW49tO_(;hM6CS@!v z*B4oO=0w+cg!|I*$`k&js-(o^e1@u~NR#~4WEbww;>6!zv{X{YfHYNWA?R_>$nL5f zV3)tCA0;wBC_!6#!W_*;TS>C-CyDDk?25zri|8YPXQ{ij2J1DE;I-(R_G;fk(rF)C zzp*Kt#AUt$^ddAwSq8TcMiaR~9DbmwHy@??X)+!en1WOC#-qA>u7Sw(ZnQm?jG{b# zlLaVmeN_^Q<{?+!{nC@JBX!ClR~&MsA>}TpV-$&Gxb|ad8=g?5S47jY^}>E3Q>K$) zEDmCO(Hv8%Z2!*EqVv6u<3TaJ5%sh^<+YEJM+rg-G(FQyO*$6ed`gVZpUV=QbIr+m zIvO~YUeK;fH78KOLL9pvS_XCSniqghWIS(X<8yw>W}|(-LA&J9F6~%6$%fmWR-wCc zjG`{x?Q8b=SHp{Ken64x^n%L(QL??Z=WFIT#dYU9WjL+|oy1Tm=i*Ry1~O$vDvq*V zaHA`-k_%0(MO{rTyp~P}qV6;!cf@G>>#B}Mi?^f=R8ksgJZOx?zIcJ}YFCd{OdtVo zX7|&7!BybA8{V#p0;VXKd%MvCgHx*~7&|wD~uinViGqR-ywD)xhLd^g?OM}GT3HI*J zWga~yKa(~8eM<=8t{Iz%#8TTmnsWu=o_JuJ&3D}DMhDA#45(an>Vbw`JlD_(o%kMn z!Z8?hZnnGka&Jef>Dr5NrolEcB&U&JdxT~^R^0lPc*ft&f5mg88;O(GQ%Q!Ipn6lh z0j3zotN(c9Xx!VK=D8K7Ud*gq-j4G^3t-ZZZX$iv7f2~|z_Ee{J1t@c9ptG;aI9o7 zMHxjVleI9>$hkTZ8DI1wBB{h%(Tb#gt}&pNa67oZI*%Po8PW{#kn$q$6%)2Jkv*bG zaoHoHv>+%pEG=@d&hd#Hcw00F{tndS9vw`b0-f%6n)Fd7Y(k&d3{*Ixm*3ODq$&%& zWm}>nDdt7G;9C@islksd1X{hS0`ZKL4HGbr>6CAA59l`ZBxADMBFH=bVbCL(sg`d^ z0%b!>b|$K83}!%yJ~O*7BDb?W2qv}q(dE{6TlRqjp(`l)vDt`wTaRbrBg#}VQZ9`) zr<}{WuG&ykQCqjB0Syz{{?MjJ68_GTv*&19&D-YvX32DCaxfOkfjlXxVl)bL;x%L} z_o~S?3yYa}nM#5#99g?pY6hD1d7_G2&DDAeo$JrEbHlCmj>#$Qkrp#=y`m(w!^VT3yH5cN? zyG3OTu$dRK$93W3aj=`72<3Q-iRrp zJCsaA?*4Q0QBlG965}?jlCcz8$<5(xlG-8UQR30AVx~F@#^D^_xBMagC3=fD(N~nd zkQEPP**wSlRbtj%+ijM zg0-24QKFcJnN2SK<}f^j%C-Lj;_ED@<7ltKVs8xUbZ1|TFZdb>Z=2~_IvTWW>!=YT zw$ZS=qgB+oLZ0ve&<1dK2(CjWoUV?7aTe-#ToY+P;{htqhnal;i;9h1Q-n~{{_AXe z?MOVHR*BKsJ)i+Enpq)`!n1~x3^mPh_Y84|Ou?~vBd3sGxZX+XuiVQpV`{#TWPcYc z?p4+;Qk<{2bqw#vAZL>-wnakjSR^GVGt3i35L#}cL%e;E1J1G0E(?TDq6`~+5;HUAsbBem&j%2F zSR5)Xsgfh9eEWGy|kP(l-&U@dVGGu^`#dk z)EC-MU|IdKW*Q$=e^~t&^WKk;g4yW#B;R*{rYj@q*1`+Wd1_Mccn>1wPXgRVgB(l}3OIa$+mTc_lovDS^MYxH z4x(g*{o?@YjUXSBR_;Z8FfH)7xZCtVG)+d;p4cSvpm|Hwsq+q=3bA_fkJ8mZqUDN- z43}TlarVKcfAp3ODoOOjdoAxp!WlP_wDUW#OKHIO2a`5VYJ**&w=(1_L@XGLNo^EfZn6TH11*VB@DBT@xVXWFjd+w zTC>##nqzs6qu-)%n;c1x$TX6Sv6LlPr^7TzGqXF7Gfp_fBzsX#8#aMhb}+jSN|UaF zWf2rCU1iGsP_$J07nc@=Q5W~wa(0pK1zUxk3|cjy-`>wh3g5+oLT-LzGE1ubUEK-| zgN(poCa^N#J;AmimxwOt*eozhUdMF7A{ZlDRuN@y|EzkU6N=!R{h?%bUsY&XN>TAvq6?38?fMSskoX~uYibqFaCjvMDYw!XanV>9xJ`tq+f_S} zqLThqvrhfS8LiFnf>ocF;VQ^Lb#1}30Iz?s=^UgT1R~lwq=3*JN0FWAZ|&EJ*6+65 z#7$lH0Qom~rN$|%-u!dsFL^Qykf9Y&;nA}?UyGQ)a<^Y0Lt$HA1>1TaT%fCB1+8BL zXi83EBRmgb;WDg)b^Ws``OTnI?zpoi0MnCsV=hNLE#t` zGof=;_iL~x&aZpN^-BcQi!uABFwtgWq>**pTHu|7=x3$w$_Nc|K4)-m>BUTtv2O$K z#%%~Ui^)QUfdau{i#NaspzVDlF30YyeqFr65WKu90{l5*q!}JK%U~S}DaqwAcAuU4*+-UDUL5mSVVS%sLAzlH`g6BvkyW~dIz(%_4}_K+o%WuufjL=fM$ispa->3LtV!!G<5kV zRsq;}5}c$P`*7x=LwSzt zVQ8PolCS{csGuD>VdLl@_Ec7S{W|fLF5SYCxlcaOK0~ZE`yq^PLLtDCaR@Z_gAx7B zh9b!on#HcMY^eunA@6|(@nghHWL9Vzti*t80!&_W%?V8tJgMDkyeQBf;49ZNM@w_Vdbr& zF`&H%Q5&hsms}INQTwS%W^`M~1@6ZdbAets2qVVot;$c~owa^s``8dD;??@C;KXo> z1@7-WgJ5I%1$RPd6(ve-?CN4t*}(MSYqU z+4=#x1fCRJw2s>mYcC8g6uz>S{CM*n94GJ5!~CB!*|)l8x7F(USVu+|ZvFc&Figln zq(RC7d777BA^FW7iie;MjkDuV?^v69Nt|l5dZcK1h5mLiw%GT;D~7php}jHZ3^Kpx zCHEYkGC6J{Ua!q#cou7HItM&;A|kJ$`5BLyen}@W)<&@27y}ePJ))jqmQcU0n-WIB z=L&~a5~VGIku_B0I8@wt@Yv0^FKk;GYc;>%f<5KhbnTrm8pnCA;PrL&+JmvaMEVNo zV%I`)4)?9z^Kt|%l~~tw0(6WY$a@!{Ng z$T2~}zi=Yu7D+f#^nm+Jkp`lg8NzTKxREft`*a5M0PUZksmpH%hxxxcHX<0~x*W!} zB|FZU8=ruk%S!gzvbTfA{itpoYKp9VxP%bJGDeHa37a zHm(NR`KZY79%&ex9(o?jc^k@EkNh#LlQ_wbB+>gFB6G_#P+N@`S{8mGdEK2=>QHvc z1)e(t9bY>d2WdGaqz4REy~#_-=3$)c$yrca_C8%LtwIOnbE@M7-qO?Ve-yi$)P_hU znG1ty!Y}H0C82e_{3XZ5164e9+F=MwJPhjd$D}%XESRqp1F$sz zVT4+$x*#2iwLm7I z{&*-&FO36igkP0rWkWi111QRob}1_3tK1%x37vA+Fl`=mWMh@l(uZ`h&jN|lW&|C) zW5@8IA`7zCHT9Loz%&BxXWc!s2Mp?FIzemQve$IuC~gBh}iX zxNmHy4$xj*B95m0*rTn1t-(~HkmWEV&i9o+Om~FG(bt9EMO{1g09p0lcwCGHN{@4DS^!a0lt!$p4I_Qu?GO{pW@De|}c}4aa(05Lg`n9|!F+sRGT< z`2vBYs|=I@UFK=nR4^LhjclBH0;RIl$S(gi>l-);zl5~0Cy<&|T8qfo>V?Rt9o%Lf3#6wO+A$m1L;sjw>$fJ(^dtY-k(VLyN>*{h@nA8r4Bw)5aQD9cgj!2x^_nRjn=s3#SO28 zR6LfSCZ#F@ss_znbR1Y6IpLm_7S>-8jV(}3G^U7AwF5vout2$Y%pfL(uA1CBaJ@R$ zoh4)~?i%0`?FrVK>U}J9{qG#m$RvPmT`bpewk*Gh~+PLueUy_;@$Wwon6;(tKz zdTI!J*1S{SyiMe?5w?CP&Y-D4fpuhMd54C?`l;h_O68bJ zcy7LG(<6F2;K~5$xW|n*KqF-c5WnIoUsXiXP;L~}RvqwiO@EQ|-vigMa^BH-LYQhWwbLw>I8Y9E9|KbS0hS)*m3USe z2}?B<{AlP2JR%R!*=U$Ob`1$8NIRC2V2ahTv-=6Wkzsb z`@=E+vk|=1aiy-VoIG+p5Bw;ayTLlHJPBWpU5C@4>Jgw*?|Mu3Ah6cRJBMhh2KDx7 zdX-tOw*{N=0%&r+FU2TlK-~E>@Bt@F=OXc>mV~ly@&VpjFdG$);d_p~jFeLgW+G*|VrR|#Y^bxRfxnHc)25)a6;(|-uzFNa4ESKyMjlQO!wxa;zy-8 zuz^?(dXoT&!^>-5;Dy$$VDKSrhB>&E(0LbE(l}=y>k~i=`&S674Y_ZF0T?0BdhLgo z3Jv<}xm}z{0^DNE^C$?$<;(gw*ps`%{pslu&N%y7Z4}4tr?_`^3<~_=Sj=I2)j(+V z6o zPk_7CtW6JZEOiu8uu7V4E~NM!9I_Qs8bT{Ohek{Zx@L3>g#xp%44(+`!7f;^HM}4O zvGa9<$k;Lr|Dy8|D(%-3+1Wo()K#us^&Mshf~h!4m>s>pJ1K!#e<$I}^I#^8eG6*a z?`Ukv>A9dFc5>PJ{CBx|bbCED*VS{&qfCRT)upv#wS}BooG&d0(NH1ayd`e15X+44 zz}VC=x}@oC>r>ix^wMOMwOTzSK8cz4ZD5RQE7nGaG^AN}L|RiNW5ZwOry@=7MQYc> z>FMP^)9b)DOa{JT3UCk86h1W3Rf*VA^Ev}v1c;)`)hq~Cf7iER@-p7~BpzYU)*i)h zI+9|NPDbTsAXLDuiwO<8wVS?-K6h-5tXtR|#_z#PY_lT0uYeII-wUR3ieSEvY>=Y; z#qdlXj3QO$?NPJ}enJ)0dR@O(!cPfxU0oZBfU~XfAWA<@lI_V|=k7%3q(e^;wnnM7 zyg>PKc-9uOGZf4BV7ZI$cWh?jz&a6p9;OC6@H=Dx9oZ3}?dZ(iQPkglz%*P}_91+p zY29o;n1BdRXurZ6g}-R#N0lMIgL>hId*O$Io)h=L&w%5Rh{$D=Tfl`YA~9%snUwF= z(JL@F_)L7>lkiNraH(t4?eOTsU}SeX$aJPOotHuTzXo=(hYh4x^FFW~+XCHG9(!p% zbe3mEXwS+04Z?cbzT36BJ6J04^14XN*R<`iyYnnN#HMB7l{bd$xDq2~v3zxuWX4|8 zNwMi=|2Z&DO%;Q%>(I%#4*UZxZ&Kfnu0EvxDebNRbgfk?38=|sVf&xQsrECd@3sDR zcG<`#^G07>xwo715Z~+OekcNOM54hng9@FXSm^f|Z_u3pCd({|(KG?1i+NBIF3a8) z!=LCHT)8PPWcxK>`jP~r2;NbN$Q~cjEnE&~o-~DfLhxrQahdnPp97R^wnMR9j;Axt zNXmjU(*j0+>5MmR)svN205S>o6FfX90Q(bNe6c74f#22RRagDvm6ypd-#wVmmNJOw z|Mk{ddos+Bi)B)3Fo|&B(X`}0Pol-(rSWfG5$M$eDNqW#)_`!StHk;L*n9J+CeHtV z^m#%CGLRXVzyu~R0~1Lgkwh|(Xd5JxV0|0 zRc*CWm#TGNTD8?mTU)iYRjXFpYVSMPe!id2?|#m?=bn52{Bn*aGnw_7XP)K#el5Ao zVW|LB${M;G0_k^x>9|nF$rTWvy4s=Aa|ralE)X<3$-D-PA{e~h{6c}PR0RG7ht&-u zSbHk&={SyZ0WFk^o9E3y=-7%)swIjC+LF~2rCFq)=n@x053iwO?u~=2(I$MyFWcH1 zFH!AK(m#gMhr;za0GJ}Kc1~@4wFjpuNNl z=xFIHqzeO^Abdrm0`mVjJeGU`bIFcb*%=N@-lRroZ3Xq?sr8<|Q(lTI<7)ks{zZar=$8dpM z2f7g}L&Qek(XwCsy?y3f?XTYDlSEui|{kTPA)2Lj=Lcq`W{PO7v-9>;6k~v}+UWA)hs?;x|sVayg5~YMBKAA6} z>_n6eQN5nzV)qN~!^S75!7({BhorlQ(l``)y|S|eG(h99N~cge6`acX9LGcW(!4N8 z_*0Feo>qg3Zln6tb0RW5n(uh$K6ixBKm<5dehs-gn}pq@4uCYyE&699Fs6B(X|kJ& z9pj?nJnj67id(*iHYv&3m*@bUvFI1AX^XXW=4>rws}QL<7)3`Y>`vA5Xu}NPf3{?x z6#I)y7?tW=Fm%T1j}?FlBFAyz+Ve_q6f(XS1sZ}O`d<~o2PB?O=98jS?~knQV#C?p z5d7T3M(}&d2<>Q6*vf#cFDnwCx;v50il?!EV2y9BFP*tU4)H7@b!-a3YdZy3xB$G$ zb)kO~Y8}Ket_$JB!%AZCj4<;a7@K%Txo=))4}kt7WFPj8MH0#0AyU%K1A5bBqGVkPG9{<~ zWNWTrd+P@JA)k9#JvAMYyS2tmD(nJ{vcDSG>zAo2K~hvIIiWIL3PrVp9{omUL;SiO z)dq@$=1BdTC>R~RO_S}Qgy+M^s4MWz{;=JIG#9)l#Gkq!6PvJ5GoWXLz!Vy! zE?2Xicsry)zah`VN~=VSc1K&<6JByOCIHpCG0}#du9(|!u_4ODl!B}K1Ki* z%`#`uP+{&tI_;!pO{l*;oA7~fORV~np^b+b^KRPt^AbJoK)V(6T^d4J9P3^(5y$Go zR7@OkjLCR9i4m{{#8EjF8=tWl33q8W6-~fNm}b+Z;V5$+0u0+!++CO%%7Elnd09aH z)QpX2`%B@!PN?BZ!zXOK~D=nTk}9(Z^Xrdm^jdjCjifZihDZP@&PU<4^UdE7TCq! zGRQ2KyuzobMD88)RFu=E94tO2O3ZjjHQy0*nZiMTA zT}!{;oFA?e{JLBHYs=X)=4^zEbUQ4gKopyagfNuBnv0G2RNYQiO@0Dsr>{c_KQ`CP zvc4|~V|>lj*1%$=u;3w zAus5%8-T+Glz-h02$un*FxK}J=I$B0kffBYwoqeq2h2k>WE8PVuT$`?)=WiIM>H+7 zE{4xJephty1y7AIBXgE&E-65&*0&E9e1Ab~9e1u=oR!2^*iV8zptUc{)9V#iLx`JV z0iOr5VhPZvQ4D_(8urr^!ycu=`28?Cspn2`quF@%m^c*(+>k<4=TtVqVtv_Y}1WkJ3&0-5b#s&J~^)BJL|r_SB~#6 zn|Lj#5kqE;#@TfM{hTr~0GC1!o!t-dQ;8DpXLl#LS|$y5h=E&veYs~FNH5)a2eR)( zXK1?g8={3FDj@xbVy&)B|BecWlf77-?*L14`KB9mYo#z(sguK4wH^6DyOjoh(lukp z=C~L))7zRu&QBZ#sNX!XKcE9rAP+&Eq|b^%rzm3x$kiU)jZ7`(Z{YCKCRJhNgitrW z?M}C}RfmFT3^YNHh@0*hRxQGtW39el|2uQ6yuTl*Uua0Ik_XrTG>qA9Ul#ynljqaFd zzV@+_h$ddT-@>Ulm}##Iu2=_%{8+M^`3uqcHNT3QD(;1`bTkgp@oXNnKheO%v=Mc9 zBo@+J;)uHLAZePX3Q${=>}0$Pr-SUYdV3lL7 zLX0v@5c0!ZY3RBeLPwcJF#gqURA4{&0kU}@rrB_a{}kf1(pYeI#8+vd1-^{KxHH`E zsjEtY0rB$YrDl5oyk`W=9CY zGM?Ozz%f>%48hNrbRi0G%bb4p=$yamwh*^*tATxR*?KV;8`s@;)IWxy6T&Kxw zTfK}NwpUAbboVH@2_VhVN~A3hp{7_#z>Cko2e5*?>MUiO5fg9>HF)WAWbPPH%3?_B zEU~(&3)Vw8-jWO|&NYVIj8u@E;{GSCR`L48zB&ri7Iwo1)oSILvyG-X`GR_<@{_)f0tz09+kx zPQ=`HvLoo7vj<3xc^U@%5MDvvFUUj0qEZoMA40^WZC}$eMf%qw>&Y=PX~YJ(d95vn zRewPmZItGjf>)_K1UtSB(M(D76R#oJuhwlJ%8wEsP9khhY_lf5W0+~a;Cdzq6Y90ALoL*Aaxw9LLn{D zPxrOjDNqLS2K0;64VOH|{kEln=vsN*B7<1SMUZ2Bn;1a0W}uAG!J31#j4Xa3v?WX4 zBm{c1TE)?opW)<-F+da*$NO~~ADCMr^BpIxOX%EB@6JXLatjYyK8%{Q! za!Hr5VX#oyIqNH;h<+4<&znobDJOtULFbo@Vz>>O5R;u7hm~ z(mIfRtm*JSBXNEgWfm@nmPWmel65j7i&CqoVZe~x0 zxsrjO%r3>rd=$4t-J!WNl5&#Fi#IH%wZ}p!1|)iJK!;t;j)sieXkBZ~`A}TXJV~El zyHLAUMK#AYd@=H>yG41gU`@IQM;BT_Gx7vWe2VVacJ?5DGA4y=c>y^g8}zc|OJ1w$ z9tS7)Wn`!jtxYIy&Jj2C1<$sZDv&mB?M@#l7XmrnXwho4mv%VoSdOUcq-r) zaWZ}0~!*GZoyfP*m$-}}m zAh;>@DkItADd3PFMdC{=1^9}XhI>@HcA@roAw)qQMR+><8jhT%9=uQy+thE>TB#aZh4Zv7NIr z_X#at0MW0O{M+zWLuE6Ikx=23W&z`k>UJJih>nN`v)Bfu?@md_mzlzd5U4HsmE>`S zcPQWT>3$WYY=zoSv`E7>hmoEw6{sYze12yZo!XX zzu_Z{wAr z=+AD?6a5kge351b2?!egg=QB?oi)8l&ke~c6lN*4JHmBApsP)!>wa~bnQnMCUTODH z!!QR~FV<5R~gsIm+gxc)?3CHmuEDtqgn z0J4qhti2mdB)PTh1*)0cSIUJ$QiVt-Mma_V<8~!MWHaJ31Jc2?%B80=H2oBoHomP| zWw7Zm?TvTo6qG$92#Y5h5pk>dy^ zzQvcpVg~DUb0&Q0eXPM6qR2H1p(pzHL#UY41f}Mp|n>f z-X!vE)8feK#MUJz>2=|bWkJLTL>s(VtS(xDm}uWR$1LFJoGQbg!!&<%;|a%2ghf7? z*fg*U61P)btb2*M#C5zIYh8nJZUOS%rkBRMx`O?#)CEaHAl>lUgGIK#$dcWSNviR2 zR3CaH1K5wcnylkw;`JYd1lBAd_LNSGm-6EP9znzz%55F} zgZZ4?dY?LK|419Jbe0+d^jej76dB5=P17UeIe zV%cR>{cu3a3vVi{31npYTU2I70b=YhLScsjfYv;~Kt_X_lxSz?LN=-tv$G%s!C{)* zDdi%_c*KG&lgTc#3}yQgrJ!gBtO{L(G{CPjH#WH88kFK>Wv$yF*P3fli>Ab1msG^;JTGd#bkjlMy+ZFy63p7YD2JJ!Mi^fPW%PhF?UpDk>=W9E{A@nbM2}_7Z3biO+wybKxiHS z-E^QXV$`**Nq5+Q2V7TQ*A|#ZZeUpxG56;1tK7vzTKxlJY8c>nfgLfNQY}})=(8;w zYVxsR22dI{IoYt`ci1pfUdAdJ&eZ(|kh0o4)tY;uXu5Q02z^Q=ZJ>?kTD#luVWvlH z3)9aK4qKzmSJD;_?h8VdUHxj1R5!mB-j(W8sG8@kZuIZ zbN-&q5O_K@BBLE9z5>7{K0RHJhzepIbD6e>0^5lpw#&_}U9*U7hKiori8;h92;;n0 z_FKh1{S7PG3K+ije1ktbPiw??PP(*zQ&vvWN76!}uzq5eWKrY#ARW4c$k`54Bj1}!QQY#|b-6<4YiA&^iO z@4G-*=YGT%qxMKBZ#$I5#?sAcX+1buk&Egc!5FPjyD$t#YQG@4fm|v-V#_;3E*(sB zxuBB;1AlfS(H3v!o{`}Lv;83vqIg+Xs`OkHJRLlVL{~(fl|LofYmulMMHB4&s-{7RzIH{<60pPUv zdSgga$Ng);54QQ&Qhz_p=wC~Jqoe-W6i^-i^V{D(jsN`iH_*!O*4K1B{!{#Gq3IO= zEWJL(KTCg~;-AH)Q~a~=_bL8a{QDH(w-@I>Mp9hUiobzUeiT+5ppxJM;rFIJ|Jw$y zZx*)rzwP_?$^HfOYAPxJd76q9uIv9ORKJ&F(^L45%X_`iKdYMV29Eg8vVWhZ!~L_O z>G<%RO8>RVKSd6g*tGR)Tf?TidtGq$Db<(04$vQ7Re|;2f6-)S|G(YZKe*z5 z+WG(O)?VYR{eAQQhi>h^dQh+Z3A1ZDb!KlXKv)i;1!LP%(Et7IK>d0E#WU?+ckc}R z;vZo7&6;sSL{lFgMX`UwEOBI_9~1t%4`rzs#)35w06X@XRWJc2%aDdr_XJ2$+$f)K zl)vAN8wH5-@^arWb3BlHa++|%M3*KIF9<=P*s+NSkVo8drZ=$ z_J!3gdhK3}$KuXnmI9#c6RWjOehKv>Cai71@mZxwLGm2$_5bzC*c5_IM z9p%SJ>wY65^Bn~3jv&j3Fu7SxwKM;M4J#3stwDG~L=#LuF@s0!Giu;L9q!~2dX z=fh8NxC`^9u9N66jn?Tr@8DldK}6y}E0MW1sHQz`U)d*XqW>C}yptaV_ibSN>>_m1 z#U$3In+E1h5$>**CtDQ4QN{6h3#U7`YsV_cnC$D=a3cQ{wsHw&fgqKVMRpQH$(59= zem=7W|Ee2`n&lJ~wyRh}rg0HgjhNdH!sl<}LZ?c%(=rp_ztO~a%TOXUJsXE**ko!k z*ttqNKostVx=fnA*DY1Az2x0%a(qOs#zcBe4TCFQsg{t4HvxZp#jbQEuHtP>jzB74 zlG?Bb#ZYW`$TY*i-*a(U{;?WPO|;lCS}BEi%ik7k$P zv^s!-W!^zx3Z{FiJ+0WXNd(DQya=dR6IXA=+`UBHljnenc}>i7?f}?L9d7T>yt#=- zmT!m_?8lbwSe>~HV26&k1ARSeTX?=Qe<}kCWVLSMqb-F8xC!pQIy+9e+9$U;^2#`4 z*+m{)Spl&t{wV++ZiW~SX|mv~dHA9jFP^F&pI0uc`C9ynvF1eT0xiPfZ)jI5u4 zw&ZoXaJFu-@N;n0J}z6FU6=_Z*Vb&QE`bAmE~*pUg=zc6diDhCWPNxiGdD8UIhnLkLryyvj|4X+KgBG%rBi zxC5>}Q*0dw&uY?X9m48}sQlGLwwOT91f!aS{M99oGxV}kZKV^ks)y!gGUDe92g>@w zFP1vbyhcWjcY0SJB*)+d`Z*lQp6_B34rJ|IG$#M}kota&#GmH6_H$^k?o|q4Y z%D0^yh-D-a=@s1oWS5l*s_p)&9(z3--W{SV(+{+8dWataVU;E3;fWQzC>KYQ3oLU% zgtY~!Y0QW49t60z2|$ZaQPHFUfO&GWK{GTsQzj#f$JayH@2e1987Y#TPIa@MBSY=) zd2(tC9!-{_2#}!G<|@D|4M6i=qFk5j`NlUGDm;T9mV97|cWjrzwGP)^f~w;;V|Yc!a2ED3JRGJO!Iz zc9=F zQsqN?2dGbzqSexDOSyB)WPd&7oL`s=WxCa#bbOY(15x|$$Q8o5U}wGcOXzE@PxzN~ zC?M(v5zA_3sZ|O*1>Us9mC*1Wx}#pJuzXCsX$COtRJNWJvX^1!*|NnB9kSlR@ip^7 z;tpcvF?f0YTX;LZ;?F2lShQ~|#ZsQdNvGZ{s|Quow+yGf^U9igVsWnF9P@{t!_y5O zs&%&Rea((wyrQu=p2QukiJ zkX-9oNF@{>$zR9~)F#H^<>tL|@`OcSa+~TzM!SZy)+!LmybKuiZNg&(5y`p<8po8x zmo3W=aTnsdWE|I!xk4t@p^Gya4>zZ>xi8INYfO^#vXXXEL$J0%Y3OAgQh9?KU)5K9 z1<+;#jv>3?D2H0+M$UGRikxiSUhnL^d{toM7RyG$ZUL?kZev*I$u|^_$+jtjT+hKl zwL*9C7f{U~VtX!KXbu$+MqvE`Zb34$cO-m^AlC z;+t6abO&?I_89B>TVkkawkPqIt^=vbFCar9fqsN!t_F$$OD5wFgqb0DA^V2sH&Ns5 z;JH<|6q5DsW!{?lJNZ0VINdLMNSx0AazF)%W2klu<<+oYhC5VC(aODo|QNc~)mSAS#8%57{HtYP&S?BoR%ei^`nmE2)6!jW@l!k=2p?7= zQP-=uUUyEqg}~UeKE-)#$$8Qx{7&L%>lb*C``FbS<|UX~CV8fiUFzeqrs9s|4yF}* z*A$pDTa2?j1OiWt;i%Io=GBf7M#j`+P#rS?fwSEi&f7hxER?LXR{@A%gjhy*RaR(( z_%Pyo5Fk#|8HlK-k=WsjCSQ`gb6?qa#9Y;Taae8U1GaR@P9v=Q@pa4Fh2yxzmKvPs zRPJ4--av^F`7iODs^yO^IjaHUc+jNsfO;`l!P>KW*RP{uGU2t~kU!k|Eo-)B;eDRP zLlRI$Q2yuUZmjM~-8f4@C0`r4I?(Yn!2E)?0P#$8!jPxgwwyi_W$aPBs`esNVHofE z8t_O_jpLmG!o(1^JF`K{v$<&WIp7Y_#lvOoW)#UzF9@Ajjk*HGCQ~Q2db{=R(`~XG62sjtmjRa?K}kb|ApBXzTI8%cw98Ow`P@C)IT(*s{Y>VL^}okJ zdg&~$+~9nF%nkJdHhU*Ya`bYBan?>Q8O3Ekbp*Si0xq3n&BJ&>;D#YFGP$=?z&p6|#*U{}k0fv0hW)wjp#+ zl@;mP-^mQ$JHIm>*X28|;;a>zt!q>};?-pePh7=&)&mzg(U~_;PCT}L$vng_nP0MO zWy7*ouzlS>6Kx32T1Pnd{)lN`tNKrM>x4^+{EHQn44;e5m~u82`2UH-Xq-?nTvX~4l8EqAbQ1`>9mfE{yYFUt|W^$nUD3oO@Lh%w}k62LC%{hrq z4L&}~G8A9se$uH(JFprjC^hRi+QKzx4=unOeUIypW_1PlU^I~;@JcE=zmlyZx%@b9 zOIGLU zCD#G%;gEYiGmmTubPDNhWMMsjnIZV_qTZGM0d=orMgF|P)9xzr9kP8Hk(Gqoy2sVr zB6qtMVbYxOW7yLjgbkcHO1Spo$G#BVVc~HIzkx0FOd_1tegIT*lb_;H=?XRl7`Azq zIeE6{^;q#YP}WWUS9A$NP5#8;wQ%;E@c&F4#`uF+uM>w&ftuIRsMlm+a};0;{wL7~ zF{hu%CqK#q;LC+j96S}tr?ppQCpEMW&pq-`9^u)4duBwpwhc1Y(cOET?K!|(sqVGsh&!^+oA^Xf z+D!38)PTj_6Wrhpo|&2!XlG#b@coYhW6Dlig7`7l%7QfGJJ-w>COy13J9a8k&54__ z*eMe$qskT9s>EH2X4UbHC)u~};;QJHj#3rBcth7Joz(jh(ubm*9rX!=WykfaMt@U9 zzpE@G(b}2X)8hICd2l^_(!Kv#>$L&R zX4tL`JDSt-)|&zIZI=d2pCxaclS12t0iOBl?^n&pb=-eHT+#Z${$J^|b;p{827D@S zcQWnCmHy|`pMSUhe8!(ozCGUtW?2{7Mh@6{vZb8O>xu&TnO$A*ns;rtr`46u+TB}A=g22+X2KJuL$q&7VH?sAv5gzk#^ z%f!n;0cS?1M0niXn25YA!`_H)eNu@z-MYAwkISdDWm#9Vof0MFy-a2E^PdJ(QU%48 z`2|J8k6&d2$5?TApUFgl%v)t$N_&p9Ehrqg+8SImxn#>;b+0wOFBaIk?q{#|YWW@N z(YyRXN@Vev%4S5Du{Vj}J`)Ppe$glI(bY@6(w^Swku>#qK+o_B(iY`)vjeYr=bT-* zyx-2Gv2_1HYr%!I`85xt2GnHPIA8o)rlw!_{J@32$-O_18n~il-wO4rF_%^hdbdKo za`5`&uA-7(+W*=k&9lGnO728VnWjzN!zWqd=DHKkoUII1&(o+RrVfzwQw9iR(Ge{#nxk=F6P_cuv(PiUzUAQ zT=Gum?}~dJV#MXmuRndpkH1j)gNhlCv;w_6jhWx-+rs>rn&s@3x!iY42Hl$AS^EQ} zzh2j4&ct_z1vF?~ZR>?e5AI+lWcKu$v_g$jk(HCzNym}eb zcbaUjHLjwy{m%5X6UljN#lZPxanskwFI+p_m2|gr{$9(q+evhWB6Q|A?)@`ohG%Rj z4nMN$;jxfgx_xXVTaz|t@2srB`>)Q58T)+I?1;_J8mG4lYkxc}?ta9&ITPn~ z45`ws9Iu^A*X{2}UfPn-uI2d&t)p^fbbDQs)bA8CU=b1BQ({3iu>-3H3uDtv2 zd+&bpmVV{B>Hn6nQk0GHjT#Lh|JNz24HYu=`+fC0tEXfA&kc~-0wl)&n+Em2W+7U! zX`R`?rVK>PFgdif-OI=L2>8tO4jbhQf-m`{LrX`DD}@Gqj-34o|7U|9^!Kk(MAP=L z`Ak{j-%Yk`YWr*oD>uMj0fk5`->?D4p$%q?oDo7)<7a5qAg^X~T%rF*pV`$%gGV=;v?x_mT_r zmW~?dD}P;X?-T090s2cDpxAz24_iU8{hycpUyG(Ko7$Ouot%k7h{6a{iZqa^Y5Mcu zqyGb*R*dr_gglqxNNNJNo8Hg4*T5*2z z84?qGL`q7V^JmTzd=%{bE9^*EBGP_MJAWpH!>#;Bguj&YaJ(Z5q`zP9FR0*u6;x;6 z-|zTG0qU6n`lUOdpuXSUR8ari-T(6q{MV8?ax;`Y_&A_5yH?&*T(^G?niCC`xNWi{ z?(baVYv@j|#L?v?BZv8Y&V)9NJ?&*U zi%sz71oL!AAsLD}UBqi(oBb8u$hsglinpfUN2vx?Rwa^5a%9V|Mk!(d_@^y1Z-Ie* zew5R~C$L*29df4gx{NKzxycrb{NhjCNz{tEL(PqXBl=Uc69SOk7KfU|VN7Q5T6MNZ z1BbthOZ}=3MLUpX5|BUtrMJZXZg~@4)Jv0>Sp25D=a6?2GZjQ;hMHbVTM;Bx+CVan z(z>Q0OFnMRor1irowM`=hcj0evh*bq;M#3)&|-#%X_9w2K1alI=UoFp@r^aGS0S&6 zEEW%wj^~*Rux}hBZ2&*N09pF5%?gGhv7e%?#X;l}AC|<{X={MXJ4RV~CSwAssbyNo zEh%hrgazuwAyjhTpQ^1(b!@?j-JOPhmm_T+i_&=T{7fGBwQ zP1)qnKne>#U^LQOGN+5-Y@f=NEe*vxsfM$sr7C<~CzZ+ZM^p>jF9`2f`sLK{DhUW; zdl?Rj0q=o5I>XZIBr=gRd5nMWNz@*YCj&dC5Ar|-c)vfZY)F&V!V_{PaxJ%bEl-go zJ%I*vb)TkuvhEY}dME+&XreGVzb|X`6xXjYwo<(4kE|J21KDc1&A^6mI%bbF9zoCo z&cCfIJ6~Sz(~Am}0=Ai4`PCMj)mEke7&Ed_N13~%f?J1Dskn(BA>cM6N!yQ<)*$8{ zN_E{rwrK&#YVM3U7qUs)olCRveOmT@0t#s;Gl`&ITh+YeHe z!|WR*nk-Cajv0K6*FGFc)OSoA^OHTWSl`D4j&IyJem`SninuqCRhUI`;pMQ_RlW)_ zIOtH$tyzKDW*5KQTi3% zO!Umjln{R{?=WJd%p(XIATK|T`3z(7d^u1-rZNuF2EE{$Q*I-Rsub3g@OM$Gyh@qv z=b-FOvLSU$1sOLhHGc#f zywc}#=C=uxP^zgvY05o;Y%}nb4M=aMqFE=Bm-INl~t~bO1eJsoE4~ zsDYC;225DCVjoJ~7D2WEV$vTnuu@>>apzv{f#P9X6#W2V;H;j@FIXrmZGl*K`A|gt zSTTL91%V@w@t#Ve1K}3Pg=B%WNiKy37WBen{)0M5!BYVagsEd{W2y zyo1>RdE@abBeocsfzJYDOy>Rf(cBu$44n8rViIPp#*Fcj2Qle=2Fe%yfmwH9mhH3* zC35G#SI8Fj#_U_C2O~C(`?M%H=-CBS01N7(hXgCWx{C|$;-4?0D!GFrrd&X!e+HPL z)H+UCic8_sT|17Y@`hmBK^ZwW`)nY|kxy8UwBG+P1|ex+F#BP4LLgaU>mMX-!>V=6Spn4;+k`o#~o__Hy=* zu|WE{E_q4O)pT)rMR@CaOpUXDov{>iLtc$RyT%}P9JliE8(8c_{gju2hx~@9mR!}! zH}K&!8T)HqEm}7QP3eH75Io(C79N((>fon&t+aPKcLlHWe>WYTwH}SVkM@m0>&$2@ z_|1OQ@EH|icVyPf3gGbSp9^Go`q(U#`8J|cJD zX%=QPrkp~rrlW(f!SbTd5%KoAHh8QufE^~uF{>_x)jE*!qn2|KEBg_z=E@4^!ghzy zD+V8A@aJzM<06$AdX|ID(+3KVqsNvadQG%;1Z(qfP_;nty-4+5ykO^S-C)_aDP9_h z<;7TYOJ}S|fM#JFNB7Z#>4^DHmiFrT7`h?JF-?RX5qednU*%IDoJ8kn_zc?*h|bdp zBa^@?mrh6ko3wd|ZmEGYS0Y+rgii5j94$A(@;d+yGcwV(%?Y-l5&BCS)dM|~VmpIW zGNZmK!CZ_*5xUzCkm`wnjS+i;A(ZMT189kVj6^+sJ0blI=7eX0en<#Dh^jRG66s$> z`rYRAi{|D&*cr&j;Q6-g$Qi7ZHDPQi3s zxmPB%j4>R_vmz$1sDD6)3zfG(dEI4);Y&ZH8c1$y-xz2+O*BXp|7axjyNv|pSOT>q z*OG~-)!yW~<2QFpr-+8me2laOH>8@uk9wo+XQE-GuvKAejT%HogIfXPO7)|}@U~k> z^{GPJIoUSc|Amdg`L-0SI;o&}g{jq}63eW-RGF$;Fi6wK1u6{1;hL@r=8z*zFh;aA z9}O`pv28b^a};oI7HD_a!4(ZX*KkU4?x4>MG^mr zFoDDv6vgR5BW~*u9Sn!(n^uxry&(92O#MjF8wFo7_8|H;DS=Mm0TA-j zf2H(R%5M?s1Elb2urv&b-Jq&JAtC;*v794;J}N*Ddjo9)(?Hbnfzg~DWwr#MmP;B} z3^xWf&q&bfUqUGhIvxZdJbwriMb4@%R}Hix&V*XgktBIy;VP6j0x|QT8_rEYCI?qj zei*HRg+w&wkcv;YT(zx`JD^^Ytk%=&=*cp=aXMBWdiI84SK1TpMvT%PT>OFAHzf)njOX8g$KvY7o*HD2;O zwY`$tf)a$iDcmo@0-8L8tYgOoWSWqr+mv_Fqp^)HwDYCQJT6e$9w60)+Uo(w^x{jD z3S)w-7R+klGl?@9J%TPxS{0bFAjo#h%zj2=mCKIIS7i+oG76DR7X0WwKpJcx=Sk;o1;hrBz1EU22LijSf4?P)3S&5k?1YWFA?~H5h<<|s=F@GEGtQjzlwVP%9g139}h9QdID zSy-?QMa~iMBYd<*M@^LQSFpq>@H3W!+qRA*k2wo~jA@%5iT`ATjO%h^$57i=nHb6Q zFmC}rFK7vn7{kYyMU3?H9&&@h#?t?fFhY2=!%_yLvMY?|v2^ckCJX8@c$1mpW~@}H1+kBR2iaJ!eZ7oTMskfRnkVWNOawV%=1&{l_H1KAdz z1$M0N2DlBb@E?s`xOWKU=E?wLEB31SlQJ3)caT=0C0`y0qJzkSw-5=kAiX%-i_a^5 zN4InIlbbt_*(zn?CFogxlslc!VN}WR7XX&9nL>>X!MMy^h^0D(FfvPuP#X6s8_!8Q zvYbiGC@k1&kW+-xzJr`XBA+EGV;A@kjkjEBL+?X@G?>d%I7=KRqT46!efu5C(HPzbvbiV=GAMr@mbG%EUR z7to=AKH8U5Jl3>;-Ne4*)u6x5UcC6LbW}l>lOy#zf{BlrWGR`D4u@F0`U(Mor*sHd zA920F^rlb=Q!xEnrE!+h9liJm(Y2eQ z3Qd(s;f!`-qII57A7&b!tyl6Dsv9IT$ktXStq$W3J924u9DOVjq|}RIVF(&1gJ!=j zN2l3G0*#l6bdASUi;4&-Tj70DGZ?}w8875g9y}bzW_gQSTJ`- z75fVM;>uqds;QeycaOz>N$jOcj--raUpCSD4a{t7Z0`ObWN;NjtOT6Boh%w~c30y> zx=KO+Lgng2D#n%@EH2~iJ-Mz# zB;AuCOW`HYeQSxt2U+@7{6P$2db*n9hF|d<7!lc$u~U};^Q=(9odloe9vHOfKnT=U zjPHoxTWjwx=}60Zwv&B;l!z?b*~D}o_~_ZH0;NnCcWtRokyfCL3&HeD1#~ger2tPE z`xdRtH9yYQObzkBMGu2qXOU}tSEbcZe3jZJyg_ArEQisSF+ln(FmngtZp+wh42k!_ zBeBTvcIXaB?2U%bsB55?hLv3d{b7ae+m?wwmB2J1h~-4XBf|Y_L`-hH)RY8u1dW2z`1d2LND$HQWC$vfe$ei7VO%q7!&xB z@?S`Nh(>#cg@DVTeI)MT2pE*pTJZzxE)%ez8_I7(je~W;@Jwz4uB8iJ_N6 z3R7)(xUsG9jh;CuJ~2Wb9U|U?!&xNW6n1iSDiY7ZRo<%-&%!nT2`hWz%vs@5E}Q;7 ztcU|(x(+$_A!NG%hmVnX%KZkEx~3AwwN*KaO!*8K@0o{0NVx%a6k7vBHo^E}xwUe$ zBeD&CBHuNvs=e}eX`Tt|u@Vz{d_(CKieHbxu3G^$hU&DbVz*Wf4 zL!ISndM)W>TN3?Tmo)=<7C5D=M7)=tfP3<8Jj!3|cUq$X|sMQ^(SGkv|i2{CiqiyL0&^Y83%as4ew{JizlE{X zw>MhoK%MiDG2Zi&kNLeZqprk~{-R7YuCI@aEM+*M z!l5LjaBaj7(IC$ks`1rzKh){zbJfCWz6}?%;U4qcP$~bYJU4;e7DX3gae#kW^>%p> z5?{mC+N)XbA{fjpjt9#^V7|_~33d+ROk&?Y+p(m5{c2p9mQU)7v4wwM9*Ao5(Q32F zV3zbsxmxr)h(X!Nh}nJ~tSiJUYbRbQW5je{F4v-RzMrW+&~y#CZd_wKhT%K3n^yTR zcHsmVU#qNAt&**ak|F0^b=W$<4ES93D6)dKR#CU6x@CP5xi6O>`c!3mObV5AIvS;+ z=a6ZNdEQ1^fYNf112c5LR=CIVjmmzl6cGd5PwpTDL>Q1)&+hwy+<{^A^hYhf1hp?e zhq(dl#Taxp`&(gUq~cOZgN=$Bro^fs{P@21|GHgkAMX1q?@M?|o6xFD+P^sJf6ipr zMsab z^7>G4d&u6oR@iKW!WmD8ZT(Axr^2;suclX2{x^`~x>VWO-dZ>qUofw>4OgJFQ;S>4 zSY@BCVGq3fSxBxSUcShdjUNBS!YT3+WQ>$uDC;#Rb1wLi=A$w z`{_(Ku>crP@2JEx4HGOaQl^ljPxtsXqDspfzNEApCgwSrRC&QR6Av-A&v=UAX5NIu z+S!XHfpI_*3#&Ly2jdx{eXRU(h}=9<4Y0l|mE&F8gaw5_3DpxX#i zDERiVX68tiWQ)s|gUNFA<@UkAUUBj%4b)IBQd-r$z z6(y`m%$_41WNZ#DN4bGYjaQ|}V>Hkim9B`) z5Kif?B+z)uxGGW*SluluN2G^4!7)$*CpYG_)Y&A(b3&I0X*%PmmY|j-vv`m7zHzl0 zleEGUs3ZcDjvG&)a`;W}$?!T28f&@mf-C$1S$pY}@hWjU@jwbixFh?a1P}(3w zdewk~l$-8?F>n00!Y<=__?@p1UJ4n5klj#TrXsHcd}piXvRztJ$w)3H?Hy#DH5BYl zyQ{dK&fD-2F7R{)_`77Re-m?!oCls8ufgw6!XJ@0V8<^kof8d?yXVi9z>+(|(2b^? z^&zL;v@5A5w>+qSyfdMug&U$SN9A4W(3xnsa8MU8Zg60G2bT;Qp1J^)5RC}*LD<|i^VSgH$ zJPYkOizY8XSy`xPurk9)v*nyWustGEAqg^MF$vJis`(X_t|NKGRr4(Z_=4lsm)14DcSsEM}4mhn3gafFC%>mzNt|gx%Yrw3YTHP;5?zfAs1R9+yofU z(D!PMirHD-9ZA(u^fjI9>f~dHe75Tkd^?GAbLF|+RkLBo1K+ZhdgY*9E<@nOxaxTHJEWkU12!}vU`%wm)cspKpA z95J<-BZw&fj^Ltg`~ekqKsA?wkIh|}P5EIOS8T~bCi=_a72Q$Fuc?-jB@E6s_QI>3 zocx}Oe=`CWwnA#vcV6$Y(+UCM84mcUvC>rzqJ z-cnf9+WNc&zC~nqS4)T8Bi(4qDVcjUsE z=cL zcKvDu({!m%Pq#yhjVm^d)eCE)l_mfkAO|SY)sAJ;MdK~waMIvzr!6wtNE(rH1DOBV z*^ac4?2)E1Ha4A-wV5@<&K~9L-Do=`+~>UiVOfv!#uj>lS84ycc-Gx=mBsYfYFd-z zJ>C{fovamBK(gwSwS5D-qJ%J9!z)1AAp%{nZ(@o!FYZo!ge zIW%san>$S;7QC3!Pntr?_=;+AV{PJjn4z9 zS09*Pz{SyPDqm6%14F)eLC*jk#K%J5e^c$#p`JqQVr2%hy?_YZ0ofjL@#n+rjCcnI zC6*+MV}0AbnHsSNU|<;LB5vGYj-`&0a(hh%CwhjH2JXC zF{jPND7r|!Gt1J_`#kf z9I>ovvJQ`GQgi?E$J5@@f{f#fbrFFo(hZWfzy$aX5jZdjzQYctbTScK$yuvV=^SED zZ3)U*aSMB!$!de_zX?^0Br||yRZaUsL{}W9QR%KEf3h}OG$=jPUT_xeZzK~yqYX-$ zTRUgso%|UX>LxQ_ketyHd2(^aaTVOApBS|taHlGEs1yhC1CuWIbp{25hp%$Qf!%l~ z3|z(wO%?jAcA$lW7eZA=4nPy5`C-1j@(jIyALC~)c9P$B`#@ZT-q)eVMc$( z;zU>+zhE&H^4J|}%IXzssC8r*+(qIRaKMBXUF}R_7H`NWbmBjdxH`k^U29jmzEkp0 zU2860+fObFsoe!QD~-i<+W>=xqN#41@R^?WM|E|u`uieZ6*RAwc;K7zMizjGk|~N3xoa_I8DP|rQA@7SBXd2fI&=cR_27_ z2gICKqZVES8bjzd6sQ4$Pq79!5#BQg$zu#`r?gD349v~M!GPR9Bt z)0Wt6$rOpLV3^V?Q3y+r7Q}de6=v6C;Z@G`Lz*)O8i$f43~VWrLH>u7{NBj7i%0qRksbsN=N+AKR@tV9}?HdHh;(HojF?@m7kgo`?+(Z=|%*r4&ZMM0W z4Xyl?HlrL8Q#clkIM6Ece{s~yGCe#bCeOeQ#7u@J+z)^pE;`+Te}iV z(Ql@4qj3RO5v8Rq=JzcR zPcbXRp-@l$hs?jVU?f45r8T7NhhTNHC%*svJo}EhT=!f%R4Jafndd6wAGjpxDYsg*a%3_2)Km; zDM}X=9fzMj(|#a(P(~%Ly)Ro)N(z8&z1gD_6=xId94d#%#|=V$+kyhq2|WNH%1TrN z<;)bMJXKL&Sk60{@E9a6rer(;+&5gfr4Pir-10(XX7!{e|3nzkhM3*`loHroMtcV^ z`));-#3)47tm3W5BQB~Mz8Asb#oG`W7=bP9;+UtWJ#m)6L~LVX_~AI08y1+EV?!W# z3oOimow*SOR$C^9hd=43_5L4AlL`sp8%oHTF4mx;FFd2khO@>#uUb3 zYXJjU5fn+*0SuFrwl3P5%Py$Fs}j zB(>Cu1?p*MHB!c#y+5n2OmXb60h{c660}7}(YiKd4Xx7on&Cop(kUStZk@28nz;(f zK<2(PS^gHmG)O2%GWiebkH|tD)fQ!INT7s#y0e<;OIOEdbk}-ohcPZ`AQ;4klP`c< z!lV>vNH$cPLkm%E2CgYV|40179Hz>j?BP`w7oCLh=g>SH z5Ze5Gu=8^utoa(mmlrSZHcPhA`ma9iN5q+Z-)F!)Q-~Rj2KKlv_@oBmHE>_q)zL#VbNTOCC z{If-rF9pNfOGpqJJ5RIU#!02W7Xy%CQD&*&8|64{cSnqxWF6M3dWIv`F#ZV{5hNr& zP|>bvo`bmP;7}(|EHaohz<>WFJi0PV$c$E2sKhtn9tAw`30j`^a1nF=;aNVx+uLQUw$+Tkb^o zOskuK@8)VOnwmQU6UuLrDmw$+Z84xUHRGTU>0V1b>!(7EPdZArT0YHkd+B~mdRGPT zQmD-@7g$jTwyF&`$kjW)9%o!bReccu`-EK>Ds@uNrzsRyC7?TfP}Lwjv>&R1^fzEn z&OM7B^g~R)s_AIxAe0Mk;=7#1C&E?4GaIJvSZ~Iws{TSR09HALm3H)sJ-wH$$i3@-dNxaD48r>mP{`o$G${5 zES&a)u^!6#h@3oZpFX)OhFHcA%3Z2aQqcNnOs^nE7s74{ciNO&Ci+tra%_sg4)AylH9e%%)9&yU}g;A<8Kr!9gSer26Flb^Mf;{qTB{G^8x?tP8NF6 zfN(=qca;BIDAP3IZvOiJVJYe~3 zKNH)F;8w+11bV0k&7L2LvW-}egPq1iX_ndaoVUiB0|9My^yC0dXq_F$w3gHsd2yYShn=!7cE)in z=s(CaF^+!@sfcqQ)4lKoVyolO{-O?2?{;A1W4fH^TEq4S`c@vo#1(URH_lM3pW3smv=S|@glzf~w%_tVXit}DKwzM4bEJflp;gpz~ z$98MMZgQGxx;KVPV|47*SQL_dNH}5zKHYD;Zv%;?UN!wW3MtmD#Pq5jBm&{lw6Ff* zKB)tvydRa(BHp_xULJ?ew3f4x!<9y_>V0344a!o64rYW99Y0h+ot@otkD*h0fgzOp zErLg2?D{Y61ujHZ8nXPSyb@OP5Nv1Tlp$8-?i;~v6n+kjrV?Qe9-e&sI|N^7;0FN;#cD@wMpzJvb9Mk|Jv%w>)7h; z9^zZab@6iECta{d`bfuL;C}NBgh65}T35tiUm0oXxsRTBarZQ){7E}!xjYQX56}}A zXLoT~2hfvl88V`I$T^ft&S-$#l1of=%0G`T?jD-j0oX78H_scY=at?QbMW99U6HUa zyn5a39=K~t)x!Oxl5Xgl{S|iuL_R6mAEw*H;ykx>0eXe0g`W@|7-gloIHde)CKwrx6`OG0N5`Rq^uI+(5DCi7V}vygK-M1%DU5XmBErDr~pmg`bkt^D^l zF{xaC50SPxPgPvDJB=KvS%B{#OzKHF=m=g6LU<4gPpXniVLq{lU9(2LcoORH7uzeg|Dqn!0f z?rv1Nv9vNK_omKtSuFcmCZUWe*QpWSG%<^`HgHylcO_H4MYq9cGBtii-? zjIrdI8zNlcPsXt$!{wV)dOOll5@p^R#q1WOVTv?HEP*Qo-#p$c^Fry zoYpTJu&hlK-r>?LhT+cgju80;c18o9FQ4}~<6%|MH`O%>7^bB)FP5vZ?+5RCC>U^% zt+mMVIm_#6cheb&Y$6ssH0MV|5|kaG^eA%spkL0%vIj(T+_JQ3g*PXJCh}LlKK=s# zW^7NL>RMp7)7TJavauunPT8)eVLV@n-;?uTHcXI5_loh<(0SVW?6gYUIMS1i*Pq|6 zJciRRBs21=fg&(Ol^B(1I($xkfEz59I2c$#ALyhLv85%J_R2`q;IY2119ZEg6TlD$ zQS%(=oIFw~;N%8TK2{67!Y#2)pQRX$v(JB`95)=a!S?Rh(E>jb%D(VTC=K>Ma)rvh zl2d0sl+aLM)my=`^iU*km5na`oXr~58H87S(l#e2{bNjs%$jsS2* z`cfxnzO22HZggR{CwQ9$xj!qc6;?$n=i_q3E{;(d7dw&Rbc`07RaZs}pG4gKNzMvM zS#9i{@|a1c*E9vTrR3N(Qv)QurRgjO@b6X~-p4 z4MRE5SoV;!%rmhiX#*hU+SDo+?8>>DP;MI3M1>8Nc&OZex1G^!o!E&s19Rk7QN0Xca?EJ#&@%2h3nc=;x5G6IQ&Pll+P(9)QI z+P&2Slwn*l)FfPwTp%~Qb}T|p`W_WhWDBVRg~&H#8zZB3FjpG*Dx5^Sf@q|0 z4cgiTMA*g&TrOEey2;<67i-X=H7I8$%Gw4xpTgGo#XfXwADX-bS&nu8Uwvb6oWTD| zYqPb8mi6?m1=eZa*D&dBE#~_1w)OL%&XDJ!|JBsa13lq91Y_fvSU?Z>?{wgA%jE&5 zI~M6cHp-ik%VPdt2`w}q;rUB%V9pGhgE#CZs!??>dJCbK%HIEHvm%!3z$}iAVLC&I|n0>WopkmLBu->m_DfuaC>}eT>bx?eOJDeA2N8QC0+-D z->lWhB1XKl8g@nEm9XVP;GB$uLRYsAZee8*4n7Wjxi*V4K1cXnO-UKQ!1D$AUs3RO zaq$0WHbsm*%2X6YGp-p+;AEde7^I_~ZfYRo@^LB4GLuAsa{&S&wt)L zp03KjkNHk%KCCHI6>J>-|2f9~|Fpf;I{e7@l_e#p?qyn~|3C*~j|08bECl-{Cfte{ z38^(djO#Djpc${cj>PtsmfY5?SCMasr4`V~=`;)y#yaEr;^UxJHYRIl%by{pBL^E1 z&{8W_Ake8%plpFC@`}p&22;te$ZCdb>swUs;1et^ZVPIey%lQ8-tfld9z+|qr`oy0 z+L^$Z=2DSs;dp2_c8X{R3d8(Sy@Nv9x~f2>^1B9q6Lb^S3d&C^+*GJi2T#=~W8u1` z%3ZZwfMh{~`@K}gibcvB$hRygcfBjT6dJjYq4xZjqVa!RllSDqxlL^Qe{G)=hKw#9 zt8E!PC8dMF7&AT$G|z7vzr-CmUz z8dh5pkr4Fn8Fd*hSkGXzk6q^i`{>aX_)OWic^Lq9YHh*O0U>P)9!)G1>_%&X9RQ;i z)NyX;PE`J75pG8?ODliT3a-AM4^ibqtt}P!Ht+Xqz!U%fdH6weHfq~+u z{FOh_KY|Qzd7~O~INUJph|)XM$673b;WRfCZZQcgM@EZ+gdHT(l-78MY- z2YPT8rMnusJ8_E6;KXE}v#$$fZu8~#BHQ*{1l`V9MGAhG!y<3|v;%j~JJ2|U6D zyOFD@0YJ)9L=#oYiV)7JyaqcK%ng+;8@wA>$a5<7bS_f%8pMHQqw+(DcK~*VIS26N zpqc+EDE8qpGr8#MtQ4TzE$YRnW0Z!mCY)#p5uW(4F@xQpz-BEN2*PjZ!_0| z*~RSeZGzN(ok4VPacPJ2XuyrSAp1X~Fm(C1FqHmcQ!Z`&KR3_qIRF6Qw@3=h>Zy$t zwUAD(M))p->f*bx%AHWLHBQn-itHSlc<0S;mCqY@F zp^r7ImNbv&s9dNPTaYZJOq1J=<#QVvt+Nf_&E?A#HW-vP244^8m6_nbv;9F@K%ow| zusl?Y-1~guOx{UjG)feM+zW3xwuV8;Wii>`MQ-cok+c{!?r1O`>;cUuU!CxI1Q5W| zr;<3>(o(kNul0x4o;F+#4u89tx*LBpY?i@Luuj9A4$$>8|ZI)L9uOL{9rr-F2 zpKzE*0d}1s^X&N(mX_L@Q^VwLTBjW(T+~ls*d;lK6S*^{XGD93AHsd(Yz;R6%xI#Z ze6J<=1yled!XV9at^$_bN;y2r*@?u1Rz`Vfc$jEOP?A-(+qE?SgE3#Hh;lD16ce1p zZOnRtE?$Ag6YYiIt_MEjX}T_~t_NA*y^HEHVWFKsbvZ<^4P!pf+4AzUzGA+}=)lhc zmsKt+@CcLi$~rARY<*y$zcImGbBlaPt&~Q9JAyKl!`q<;FN})F^Wl-WWzcq^V666P zx(|2ZS_28Kwb&6pV*Ww3F+u5s{nxRj`eND=7|348Q7?GUawhQv?M z#gsRod*uBw1kkZEm6$ifOm^_CKz|f$Dq4cVS?@*iO0ch-w#`iYVqRL0uHxt-U%3w@$h}1~DpX>Rhup{OQ zkd)j=of0_zq*3-@=X6+2QyqU;oRe|f&`DVPsd$weB>OewM=aJR$?GBmr6Pi)Hd-AR zPAtn)fm#aWvkMphb8Py5CW}#82=V0aG zTFZL*k_OKdigff3HJ&ach0$!_jX)~oH(ms+&bJP2NNFMVV0{L$miiH%2`5t2gIfar z1oSAzvGcCr_uz@#O@%)IJ)N@`;|*rn=Pa9j!=LYCl0aRS`;MQZ2N?Q#%Bey_X zGM)cPrWiJxL-ocv_>|O9H?#z^z{nM-N(K56pV-!I;QLs?-*_Fin|hht!*L#$6b#_A z@|OcA)X09%n7-9-|CH-Q=JJ#IAs$GP2I2V-k-zp`mfunZFK74}Idv|U=)VYOR?d_2 zRNz{Rl+-0;Xb2K*b~j|=rpyyHRyehAXFSvWf{ z92jSb`LodZu7N)xiDkDlFbRD!OGjaL2Lsh#K87E`IXbN|?EuTp!u`m!h{;GoGR!*t ziXn;oRp47tA)HSF!oRCK>@xBU4EcmB1NsQSAPMe(lgyVnb5b~M3j>ImgC<1BhgGuB zQ*5bh)yZxxDN)=oC#@zEao)7-P~!n*xKFRJ_~NLZDfSSgPN zc|I9tTqr$=Qc96DAex@Sr92tuxgAD74+D2zJ_lOxr6TF0l;P4C)}_l1A)}lv=oc!f zDh6hOQmrcbRh{#SvmK-bECns;>W1AKuO_-LUmF=X{L~>F<(gOTiv|8fEAM?BGlCw~ za*4M;CyqY9aWQh(O8g5^4U z_J;-1xcD2>=rk0_h7u9J>%I%n);)>#U4*VKe#YHTKY}Y6oA+|!zOMmi{a5AumTBP{ zN56qxMrp%JGbGb)o}XGAi5q@N{|mRmhoQ5~I#LYP*mPEh+j>?Z4|qi^(~JV~Gfw7* zYP)NPRhEM)s5(Z;(tz_N4-z2MF8b$I+Tp&>VM}l9#Jy%3A!i1PM0q0$&@?=U zJL##GZo^zzot8KshBzahCde~`MHiPf^s32`)vh_38?9UnZF-f=Q!c!0C-+PV3+T+_ z!<0X;NU)_&28G0xFb9eg<8Y#R01IcS{l5EwaJH)s1CV*e&GdF2b3YZ|aJy9@&Kut%9Df;2u2tP(!f0hvWPiA+m$AOzisOm#ZnDzcPJ^w-xf zmHw8L10ksW@@cvEkpDGynu(u*kJ@LDVUWC~*l#=oFe6v1aZ*T_e3KBK_L=gDRw)ZP zzn6VI!t*@bM+2+0@lqCZ@enSSotc!p8yxm>rE2l;RdF+ z7*T*DFgisHe1lFZHi8KvpI#OFSZA?hRce--pg>WK3_edEB9n<3|GTFXg1RX_$ckPJ z_NJbN2!=%b$kj6*=S|0BUDGk3@7(g4*x50Tu%xtciQ+e;W!^{Wzm2#0Oe8U2b+~o- zZ18_F7>iekMfx~4Z3e>Efj|p@qOUtnBB}B>2#AwhS$7m~l|K(pWm`AbrucmR+CZ~^fWjkRWw68dIDfx@U z$zLIIAO7SVL>_}|7D5F1%jKd~TJk$1@WbV=Ln?=R;pf9qyCX38uV;l`^PZ!88{cJoZ+ebXYGjgZR2gnLoUN^57kG?6u} zHgLtXLRIPmvKnaIJ9~b^&V1)@AX(dQ`;F`AZHX*9u^oMMKi!Rv=#5Zb4;mA9+GsNI0G?)1xmJewUI=-$Gw}f@waR=f`EF z1pliX*94{+r^|a)sgFTboO(%V{W94*`22|UaikOj^JjJVR#PiWOY5x2?MeHJD6VN1jLZqc_4reE24+VrpZgo>-k^Lr@QiY`LV!OWrw zH&OE+mZ_E$xJ1;a0m%9fbAxG18UBQ}QPC{iIF5G*5;c98=nLZczv;yeUp|xQStf8XCakFehq*E(@bO^u}a-^^xHV* zpO@Hphm38JUNA9R274Bm2b_qN2jk_(bC*F=5`pk2*8?hst+l9(;*UsYS%fhp$i*AB zodq7)n>gf^`yqKnYa|eGFubbToQ-Jm2&7OzR~*DE^KwfwlYtoI^S##?ifH z{cSQ;s`JXSD$m{U9X~|L!9oMW_2SdK9Whui6skQ{E>Cwg=kjcI}SEUB$z2usH8nAZ*GZ^8s=ojVx|J4P>zBOsArPa7az>%}$903PrQ1AEW_=M{Lo?;9ZHuR-hvgS9S}evM2k z3~WdQao0yU*A~3xdjq*rINU9ge5b_@+Bfjk`eM67EaY48hthf?Uo*B7-p%AxM`yr*?AN&?>Cd21 zmf`Q{T*~$KuE5rnEWjp50Y7!F13w3+d<0onvpE3vfO$oYzh0b?7tQp^{{cszV!46* zPG>xHagQ-RR?}Y_J%?TQozg=i*FeF!Z?regaK+--Y&F#}mV$?yGA+KpVY4-8Ve^eY zb(85(8xAnX3lqJqyE08_5QTnH^+}O|CSYSLri%U-PVXY=T|I4&%{!BvmCw(3E#Pje zQ_MK%{6J%H!vnx|qj37e;7yH{H`>X|Tgq3k@J&x8UUjh(P>4&-=ksAVFAalc>s+*O zgZ))Uzi1%uNPi@I)?<>dtij`36`9VfoYS4ZN!dCfkuVF`UTuu}yjzFc1@rzkEKuHs zMLN@9;;i@9Llefal?fJjU9;r(v84zw5zs>Pr^j*bQshhr-uyaT(Y}c={4sv zZ!>Zqua<>Z^!D-`!2dMZ^nF{B!ktK68MN8kn%f4I7o(I@N|nmlv3wY+>WF+Qbkp3I zG5;P-L-b9rL%1kbD>GScE~LdzaKU)8fxK{Ua@dWg+2O_t+NdtP5a~=IdG1`tCa4xj zGGN`@K>+%s4Q|#Pt9+?vd+UswvBkeRQ^RKIAil&In!+KzRB8$hA<|HAt}NV(%1X!; zc{G-@lSu>>b^peDU+#g zVvEDjBJ)ov!ZHHeBySWsxV0~->4;F_MyrC)K!U-HK^^Kp&$|L!&qrWv zz?vv;925eeQcpj@#nVMtnZZ~mM+P09JY%qBthJk|Tt)?%uD9VJe6C0~omG`mr6B)@ zmUWIZ`drW&PR8;rT)NxUT4~0m??FfZ2khylm#zs)-&loUN9V}=e-VhpYJLhFNmFmP-fM7pwQZP<#MjqE2dG3gi~kz#7d*u@x_UIzaZ4pi`CAzQxocGqZog zpIq1c*O0JRr}c4((28lek6NVM^MB%dDz|z`)}N9x-p|sFD&YEnnHhfRhi8RRIQ!xi z4;K6R?LfhPX>kU zTlH87i??6Qg>G%pz?6+HDsEElBC#%5>{Nz`^Q}cO$_Fp|gO8xZ=p(g^mZXlR-mOh1 zvZz&G8Gu;QIfi{-AH?3bfQZ6VfNn^RfnmO=5<8OjseD#!Z|J366K(AaH5J$}C1&04 z$n6<_*JmeAi5O&PhL(awMT%uY7WAH0V+S`4=Vf%m&hF6p6kBLpWer58Djk`V78VV% zC=0H%^En{dgi1s&KQg*ZVBa)RO*Sb271gM+e#Gr~ELmP*mYoCd=S z=WUB!Zj3G(;QToEj?VQA1xyop<(ClWX>7@#4Z=cfwM^%i=M53Z+ursaYI7IyZ@!nTpy>CRhkdM#pyOPAu(>}Pn9Vw-N2P6spsn1}fLO$WJWuiYfspo@ zKV!(MpgV=oWR*_qOn<}3RJuXs3xR9+mI~BOX8HwVE-~g*qg3Dy>7l$hqvad7{39II zfpHft3%L;x#+r8iWtr&M7e((gz`%J8z>oC)=Zk3#@-!NyU-aySNUohH2Z?8V{?zlv zJZG4vCvpxk?k1AE1-m>J^*S?zq$qVEzTe?uCxqffa9E>;L0gYu+ldIT^>KV!Yd}?+ zc4YL_J(0jMzcvxNcyLJI%oz|l_rXf={Ds&`2jC$My1F0&^Aw32VY1_HHC>5Be`=F5 z5kY9Qz-CJG!X$yvA5=h4q!n0(CeJF@D7p^OIp*pgeaSq9Bu|{-TVAO$zTzJ#t&h>B z6N&ryTJPOX;^QD%*j5|x0~kB%-+9}``|tzb-||10mRtBkiV!7?j|JjXlvX-p zmH_e7IBc~UZy=|K*-bq$fYxe?{N}y}=UBQrB;X~yu$YB(x99j3$|jYjo!$CR#k3-& zKRVTy=_N#TDacFLSvo6kV?4!T*;&E#7C*AY`_C~JaUb+~hiRyYg>Ty(yai+<8Nj`~ zu;#&*{>qe>l*+n=n>|~xHPV1ebJ19Fs)quXJ4~L}M$|(S6YeE?9f?tp=P36>#5nNr zaU9jvo&+f(L?Ik&GRIiIXMzj^Z8U!uw=tbJ2p1AK=a!#%DwV`oml(KK4KV3cjP(4D zn%js2Ss1~gw7*jtzyNMyWd@GUyG-Y8E1A`_03yoeS`De=45jE-fG@*k&bD_|Rsh$ZB zWUBByrkXl-CXno)4aYZZ1*ko`xH-pX)++Fq^pLH5n&W{BEJ}F~xJvCf5;SQ5dxqlp zWaX9>3^W?R0$H+uN+!w;SiYx`q%2{DS(;)zobLsmbRj=ciN%h{c=n@q02cEuIwv^P zm<*{}g_cf4pa7u@Q0mmmO6D`VmE}(8gM3rHJR$Wu z8BN-P|FtK(NM5h50Nd0=_d`n-*TK=tXqiQhl&7K9fSz{qEq}Cgx-mcXqOv`V&ei!x zyAOMo=v*y`BbTZHgLV$DiNf>Y%~7}l3_}+A_sVw7$lXlWh+6hf)LKB*ynKaWT(8!dg&_W9hv{H~ufC7cKQ0|~0 zMG7rY1>`DnDNvLm3L+{BY86xzL=aRI6i^gY6hu_K{??%9e9!rv^L?K8egArSNOPH) zJ^Qj|@AX-Gt5vT%U&XX}&V@nG7cAF9vGlB&T&(>jlFznH1NrbNF9 z{ek*2UWy{gh3)X5FHpSOKGB2!b?4#}NOGiGE!NNrnf!8pxD+<{j_6JCd=@v4ddSUX zvvsTQ)i-cxgr$$cs)+|r9C@GR6}R+6tlW<8WpZ3=>UVLY^*%j%j~vETPQ_kDeYwLZgT&S zV*S!s{w2_=bGV=M3uJaP2lDfm@X99LpO(|KBTYOZ;Z5vBW;N*?9H18e1eOBV+|tkt zoqblS^9GB&dm}JkcqnF?*h9;F1QxGdiic(8Iq@Wl#;`w3&jK|_d_N|#AJOBn^A#>uFgkIp%*RO*p1IaaDr`1hl+E}W=p3a z%hf!E0rvyI`v>Q3gNf^qWjb|c7SN2ymte+9R>_~is#}lcPhibouLiw~lZGVN8i(Cb zSU^wksq{tayr^aEJ1dnZV`c=1I}`W!`*_6#YUGbSS2ba|=wDbI|uMb>hm za@ff?UF)oyX()&(^%|J|v$Gv4W>s)Ha<;?;F6wCtebh3F$q`eqI6qdj7z6zv7EFGb z=_{UrH8-55-ByaF z9&-NN%`pj_VPbLkHE>pefcEatCs$E;8&vcQWQ`3|54hjf>VIP)tQukY5Zd3e`Pz8# zJ7k*yw5px74Uf*)!SHLJMr?F^|AX*E1J_I_VSOB@c4dVzE#cH|y_? zyLeoD56drM-f~7OrXu-OoNAt`cW#Ljx@qONaJu=d)}EE7e@$!Z-3d>(52uueZxX$t zR+LVwrPx@>6@y#s>bQnaJgu(9cyU<+@NX*TwQL4*#}w%vX#1;XBKJ;8R|h+3C&Dd59xD$+Jo^El^;09~!rlkVum@Z3|}VRpY9gmgnQ@o3oam3y#O=UaNt1oG21JP+Elq+Wbg@)R zX>wfl;>@|L#0^-wLGs@x(G0%3AZzehWjlpV$LH;nwQgH{lmdC*7l#jnVP`Coe*hKY zJd&@k?wNl8wF;~iJWu2&AwSLYsI42D3;R2*B3gPaFKWD48C{I;3l^f5CjE*m_f=!` z`RR*nLvSHxg`d=dCBZftr(gZp8DlKUPz1qSJ3X%n7}9W)5~ZpV|5O$3X026J{kYq+ zoXv^C9JTngUiwM}F|~_oLlgD4{v%M@PYits1 zSUrer`(V+~&L zEnHE{6rBQ2wXHGMK}PX9YPn2YY8- zO0#0|M%o`g!wVYfm_aSDXzTvjRaTE|Q$z#oJ*O>bCk@E&;MvG53mZ zAzKfq<`Nv`;a1P6Ai1eU`q|j>hgW@Il6|JktqP@4b55heaRyhsJU7xuCy$2nKSJ_4 zIPoo&SRGfqmaV(V=)dvF30_OlcaeDPe$D~@T_l+iOSP&qFPl1fnF-8cCTO+90d1#M z%eZ{Zkicdzp#|fR-`*YvJ^rklax#8cZYsI5it9K8fqD5rc8jTQ+8{ zUra1M1N{YQc}{`ZQy(LICP;pSU%NE|68Z?w6Id;U=Lj&Zf)C2xlTrz4U4yzI>BTt&d}RBE8c4_K>`ETYPT^EI&SL* zv&0r&;b!T9oy6>%%38Pi@%w(Qt+Y53MLHTy8C0wtqSl$*@$u-_HOO@Z_x$M5Ajkk6W%Tq3uw!m$a%e)6sug(Ui zbz7V`P1g#hr{J3^_qP7hlvvx_Ot#cFrZvi2ey_2~C;t>1V7Xv8{fjh&Qnf~)m&Hql z)*^_SZ$hm(_ND~z9%%dkRI=|;<7q%(&8YDd*dISqH6Di_n^D727@$1x1`u}W=nDVY zlGeaGrXnLd!6tZ&jL)7iz@5@bKbivb+i1!wpi!pBsG?D_3Z~f~!0gOe=tn7^Vn25V^`dxgRWWF8?QpF64}Z38RaFbPbN1$rvRP%_g^e*q z<<-I2yTUz(4?yHacPG($I}Yq9E2Ceb9Sgdsu8P#X(fz^6DD)j&mdbw?vJvkc4y?I* z3hNNgSn)cwMkJk?FWm>UrCqQ->UBRdzic@FFsdtWhTzjOiFcJR1>)o~S^u8aPCKex zmk)DymD|etz!rpci=j9Rbp#!qus5^_hwE%TVEbV?1u1Q;;vCH_fW1N&d@BVO&L(_| z!`8rEr3aB^P_pZl%B#{oo$wm%T(t1~TIm}i&*Ayw&rqWq8bR5*fy5lWb3~Gf?hZ_U z&I1oqgQB#u6@GuLTy6~~NV`zOR)7i1koZJ0cm%eSWvn;frIuGK57nXFt_w!c{{G^n{|PkrWbfCcTT2$71EJ64IDJ`H=*cY zys6>cwu4kZ*cgnCW->xIue9bg@wEtF!@ce-d5ev6wZcrj;oFV{LBH0qnQp%AJ#giuEPhxxPO_0x1q_QWdPTYe+FI4snv?lm8Du0Da9=-yV9|C(Pi3T2A(Svs7 zufzh3=S+Dj?E$)UnJ&M?rAZW)FQD_o#LBi&M^TBuyY)ScZgm3F0UKI!SIJFzzfnjO z=Bvy6e7azWal0$ak}BNDs?`-O6<$~QN9rf1R(0a?{j1Beh_BQ)-7<-%PSil(wne9OUOw+aBQ8N_p{Otm$l_sW=4~VID%ZdjTBOL8bth`mQrk zuk~>gc#p_mvRtqsN4^67Q~++H13|%Cg2F!lf^0&;#{$B#c!4+aoGCehDUs%D!k=5& zc%efRJ_%aIvnc#BVBzPGEnoh~`!!RCGRlhWU&ou?(&>jMGF_Q3FfN%1TWr?O5N|<$ z5s3iH3jQ8RB{Mow7F?v{1+1Ɓ-OZd9H?UM((CS*IJFKkI-|T;DE-*f{wi2xk&2 zRW=weBqhbj%USFC?$$PH|MT(#Y{tg*`7R_ssBB}4Yl#pm$TuJqA>_s3mmo)hB;ox} zv30ybn&yqrgE+vBo}W*=NSy1K;4*=%?UxR-SABKy(*V zU@{fMDrX(V1^jzY_QiL>{x3U*?OJx1^J8s&eRY0WKAmPSjf41%vi@{eAq^MKLS=&h zDjiwNZYdi`%%!VhVY8)d_^50|O=ri*wbtQ-R)7}aUP{@vvB{wi)C^|>23nPE5o0a1 zbp<62wp|;@`j;-JSxx^^xJ0f0 z81@o?PpfJNr~8-+Syk8!hL$KLClTKJUSt_f^TCkT zn~km9r$DaJx|to$9~8g9iWB!p%hwL~I~15(q`f{dK3-PwfUuG67ntVHBk?Y?V2u~d z8fz$i_5tfk$Ihp%vevl}m}i1Lk^Q#T@~e@X;Es=gv6k_3p5jrN%mT)<{#EzOxu);g zJhfDxDyoQ3iv$e@f;=&(lYUc+C%DLWD3piXFVWGidu538irPS)eg=RBZ?|w24U_*( z99$M}@4Mak2q;(By=t@d$FTE-Oz~yxzG{|6Vd>jSE@Z9Ea2;{Zk2C#XVGaR4m43^Q ztUyk6ufknw)YILCy1J_2syGlw$2GXPP9h{#8LW49(4nr$fzn}3pt)Ml0qa%XfXfQU zwfH8EexNXLwZ({M)!fL6nO-i<{!2Xfhm;?y2yKmJt-*3F8F+YYd2_3!Mr}izbs;TP zAbjlBJ_vD8Mt8+Ew{z>RVk^|IW4XPd_PN~hv^+xQZD zCt6?MC32LiD|N~*;yL=+6q_LyBl$JhBK}q%Wt54IfPs)_+qeVlF8KzmbI^t(Z{yC` z41T%RzFh&(3%Aw zq!`tZd#H;St>?6j`yHIjyL>g>G`6a!vA_Hqm0zOqJrNC)9AJ5}`yph27R((4<*KhtfjpAY0)&*S=O zka=MgrO9&H-JTmy3g5-pgfm;EZ?Vm@wzy&gM_+u%|7AiacH?`Ld!3OoQ-Y!(9*)Ll6GX7X^Cgmb4 z&GVRi*h$udW#|jc{l-?-zrc1Y{w)P^6^hZdj&rOpl+&gDd)CIC1^QftxAdLRYE^lE z81J&x#QeKc7@Fj*b^3I*#_EyY+M*10JkafbYMT&!7pTc=SvLu|D^m+A4EpXI+Fw#@ zT@o+SM0Dp^PZ*u=8LTgKsqZM9lx>enV61fSj0oRqY({2LaKA>_9~Y@Y?lW;tp~&jB zivu%&)TLoGM2frn8*PKY(SHdot&O#;W+0IS)$BDw5?9wJPzsp)E)Xz+zzJ$a)0++hSK;!+=nDODbk_REM|B6k zP2APAh8jK+Twt)H`c2M>{nKxNWArxc;%6TkL++aUb6}q%9tUtlQBj^$qjU5(<=H|% zO6;tue-sEg_<%5h!r!q2C5U3W4CYR?D*7nQ9ec3tEx@I))$lezrDGUf+O4*4qDEZ+ zfX51{2H-(%Ce;y6-0Pu|y>91Z%6i$vq}5M>9lPNz(Yf3nWvUhkmmkquX3ZVSjDt*LL-ImL}d&pnb$h+ z&~u?>aX6~%x;=^Uc!-H~_e`1bqv^a;aKn>}2kQUSg;pYYGt7NwkqjgpT%)jwmUl6B z`y+7yeC7lB0F%M*IC;!IBI& zqqn%eTqfXL(-9NrsMBHl=mhFMaL0Wa{O%wa46&au>^dfseb>Mm*%&qk+Mcln_sj~W z{gcu_;Z*=mgDT-48Owp%;NOql$x;5#!?0QP?}w)Vo5GlX9)_7qp+WffQzlm5IpZIE z6W+AHbEE$=8@iJ98n_m|)83$a4 zb0=RwDmb3rXG_lp6^S=z4t@n&u19D~_V^30bUYAiu=a#Y^A~Cvd!OZL@~aD}1m^%a zH@`8Cbr0S%vg6gpcqsLi<+fgnba2tTd!nx`qEmCHU3s@vxw^-FKVQG7h6?n=y|5;` zU|F(vl!h{;_gR%uwiOS!zNg=#x%HPcaZsi0eOB0&QU^UTxMKlS#WUoY@fV@^q;A6x z&cfn$nJkXKf8?)_kD5bnHp^cxTIJ!W0M zaB^GkhpZu}!i~?~c&Jm)`O2M}jJEuRI_^%B!b=ieqYgJQ%7uXi%F&{g=|x)$noW+r zYcebEw6^4t?CML0n-jY9-_&EaiWK7m*WZPjhTmG{8ua*p)<|3NYInsGgZECk90$F( zXUx%+j-_VL&}VDTDs>lzy)fetdw^(MrK(GHlryBRl$S42G%kJ0m-xQ_r-Q@2c24>c|p!d-9$`b8dabW)8;2 zk&eFaD_wJPYj|nJ?jidpoPE0L?e}*NeXdTH*4_Q&JqM;-J=NCtgC~c*IO7I%``u3s zKQ!m|_m|)P;HeQW&%)Z}x8hHXA1PxZFTdUc?tiAea^H+=AMKy`AxQoj&jzXX zqi1SA28qn6JO2WV*zu2_oAl{R4eD6^J_zXs!366*7u(ueK=>*CkJQ$0HaH;JpSW1 zXZOwg?vq3J{(SxN+iSZigZ#raxLv2a=Kc2bt*<|LYV%$9|MA=Jzy9=Hr|9Rp7WzwXvQ(2YyU4wbY_XhJvi!{zhb}Yiq7xpc{|G%CZxlC3Av$+bvA0xaW z1mDf9r5~$eA)zsf&xnQJ##Bw7Hr|s3=fI(VpY&t@K9>BC4{&;X#@~}Ie%FAU-@o*) z-4!!>Qr+0DbW37=VV2) zU`5QzB_l(9kkRY+`V#1Og^@^`>&q=2@z?|?^E?%nhi@AZ) z%NV*a@;Zdsi&=j8b=<;*AxyQ{1b&UVuHW%wpcjL(vmFUQs-m13CK}0C`ndXNA*A%x ziBiC4yBkV-6b3Ta3!t)j?kU^^ zW)l%UDT1i+1)4A18T0Jiwh2l-{n=7gF3#dEX|koOb8q2?ol0m9XATkz*+u)Le=ZfRgP%7nLlzRtSmgPu0zzbD|*TH(4R0AfuemlnLnlRG9Ixp)3VwkH zRE&J4NN1MgD6SM4Ad4YkoWu=PhM@x`NA!83$ z4|mN02Q?I^SQ86%7Q;88sanzNHL;4sfb2&8P{zYoJYEHTlN+(BAprR5YH6s_`~Jv1 zFyP|V`S=&Xgi&^>orW>aHLak4K2)2NC6;c0hUT^tUvsHXt*LZSBK!_yvy*Y=alx-9REFZ>W;9qeFYL8*7$wqn>wfh z^iV}JhPg5jITWYM_Di|)24$#neOU&}bv;*Kd?Xg?SJ6ogTd!9cm}hDgIglbWciB5VQ!Jen`<7Vbh0MfXU@ITx4taV1W5w}5RhH!j90{KeT+8SCq;JaG`{TO z4RJ8f`6{l*qO6^DcoS^xYqF%qWT@XIW#;Rv0-+Zp-Q!_C&1w|!Wnjh8h*?E(e@TJ_ zyK&lVueW%N3f`26beMts5kE{sS$>BAamC9Zayu4eA@Vt+5p&P%2|)Hmzd1i1ABQ;x zMB4Ox9G=9PHQC;Z0Y+sPNskMJjqoJ-rQ#79m_)NllcWq!wt1dWX_(jRx{yBvfygr4n{buUz@111x=r`KC?SByr=X-*1lMH+vW`AQr# zu~6stXGw*RfiPqjTi~h74uqe?GLXSS_j;=WI2k5B#{+k6>nqKPMLAa?$P8%9py$j_ z8F4R|Xkf*X91E2t$qR+Vsx^Me^&<$1c@-0adV3}F5F>nr`N-T4C?7Zo-_G)pCGbpb zRi5c=N7wv96zQF)$;mRKMCD9qYMl`e=cid}7;F}&0b!eCG7iI@an6vNF(_x}RPdn& zVU{A73`jIjj>A*nN%7~JGj#AIHz}g*SOl#TK>o~M{v`xCQn4cPIYX|;!uXbsppaC0 zKg{9&iVHAZ1+pW5!t5q_i*G99m;;`M$Xoh?Mj4eKU@;E(FF$4r2^lc$y#shO#yeOP54ds%iUO|fQu=6agGzxl5hykP z$Pz#Y0B{$C0nQD1ezF25k^t$>XF4lbVGLll(Rkv0;{m>GTcjX0Q0qU7QM7ACxnHd4 z&x#t4=Uy+L^}`iVqz!lUa;#Bs^a8+K1yIvoixf1fz{w>FAb|^&qjz8xAh5Eh6*Q@| z^^^jopnmn=e@-drtpE@zZqMEh;IT@9%#RNO%!K!4KLG&fe{d*1xcr$K07w8s?|FV2 z03(2*!w=pEc<2shSFk*Q>d~*`rMTaix1c?*D_G|pKm{=hs5=EMD+CB+8+3j6dpiKg zDahsj8wLf`w>bo;j zUH}8My^qpIfIA(4zRTP3kH$N=6MsxjW&MphYd<;+pq;e!0o2sx4g$VoWoQM+JJl&zrmDuD8UPd5e|Z6kCF_QYl*pw8Vx!YNq_#Jv30>aKTyq`audU)y*7aK;r z1OlYM_)lM&`|FQ4K69wk{`l?o&7Z#e^yT{-+;S_LAN|^>m}45EPdKdji|kp~(-dQi zV)}s2cRqddU-6Nuddy$g=$R?zM|{rtmjD~Bd*v@|^#6Fa`LB?vC!5ue)!xBNKu!+=$ifC=th_wjphCXh1nC?*WHn%gKQ9a+Ho^+fn(Ss5}*`5$^gp zYB%Co1m~2u8&Nz#@Ub1W4=GQC^Wax906zQ)Zv-Whi31Qtpg<@HWnlH6a3=~b#61zh zOEpl?0;mX_i0|&v4!2T1L$R4~qjpLM=QtDL9#BmxCkv$^H5rf$Wy2lma8ISWa1*E@ z`~`4@otu79Mosg#5kONLomKGHxSb;AEyVfOEf}{yet>iSUv%Jq9kxA~o!k#_w}NvA zYgCBBD2|HNAT_N;vGCHt3&V@RO9L+ht?i-zd!ztA-1!IN`e7`)CFbA8^&bb5wfOJT zlyUvfU*X_4>S=$Es|JRE0lTu#o~TOJ#4=1l0mJxwSgSFr2nGG)^Nk&Ax6hne0RNhr zX3lJCVrcUKqbjzb0HO6WXM%cKP+(MdZg2O&!1!?Q^!E0#V`t7BI~Ga_^=ofunDqq( z@NMkarl$7xf`ayT;D+v&*wi!@{!z0vaS(s1HEL}*ggIP=XTXtyg7pP>56;&>5s6x6 z>{u+M`F!o|P)*-@e80wS$8~811&L~-s&hdBPQ}g)pRcJ2p{6Du9CPXzroEl)O!fI@ z&a~T`n((gFv11V$I~Goc&=8z#EGS3@%A^D+$)-t!CioB{1#oA(9d349XSaj+OxJ-l zwNu3zaN|T(FR0Y|^>{YE7gr_%a`7>YO@qx?1J1~acqgndT6{qRH<-&L!2M^=#6vYr zO^|M(4QC^tjn>-j>v0xN*1!$k&sAy#eSN1%FdoiF7B2o5=_93u(b3cXHb2FgpVT^k z`3=PHn_usU-+zwi|1!@1Rs069J^Qh7ccd@lFX>Y&(x(L}`-j-X{4G8pWxo*i68SeN z`^Tj5?^5=kzd{+mtFCYUTg=oBv^;&~s+yrIYf_5pQcxcVs-K^}BE87joL*!?u-G}8 z;VVL~JX^aV-9aH({FZCd9rrPASe2f>o*aEXtq976 zHhdg|pfONmBl4`&^nntJpnCZ$(_L@^w6-?oKrK`hyR!>d7TJrSrIgZLEAXM7F=(X* zr5~t;I#We;LsiK6c+0%yz>u5ldNxrDyHE5QHsNoU?GeUl#P_JT(!Jf*r0FR)#-EkbDwlL4DvLQha^_&t(`cTt0s-kMG3(U%|-d?})nP{d{c zu!noQp3|I1f!<;-tW$RI0%gWK1nHc?SUt>PNd@)d&Qz;2+8!8%mC66WHK4OZB(I!;*r9Xg+l zgwhZ=;|0diq1{g~1}IbRx$~7WRr7K*+38G@H!3*4>tq+mi-xs1JZ5F%lr0?C_*NGV5JfQ6V!An#KT5D(b3XKSkK>Q6Ro z46atug|>Jv+^TVsXKm3-{HOS|oILjgsXm^7JMl|g&XNPvffwQr-^P|5B)9 z#2kOGs*DJ(dn5zeK#GLC&L(vQ}nW zP$cvWV3fUqyEk^Q+o(Q43Gr+3r<8%=^f@w1~$7VH=l&Q>H&v@?^t1AeYog z&ki&jLlQS?eAy)P3X0r7WuA5V!g#i(C=Op0laT*-VG1(!(sRir5QBpJ{qb-iUB&kx zDePjqQ%91-L5Nu@bjNHrNX%k^OxfX&*7Gb-BDpwoJmvYq^8m39d)H?47UuJaS*;N! z>^_SHKF@K^Tj76+VVsRxpz~jyz?wb3$$eZ=U~&ujV{sB2BIXiTGsH#U4E8jp`F(S8 zP{}wVu>JH;qihJz+izxiB6W4$C7-OPIzi)|ofXK_E<5*b6KN zGa=No357HHH^s49`kZ-noc=pT_M%KW-QI)Jcf=>}g!M)t-+s>AY(i(IJ9cNvrqw5$0L?q!7Mb5$uErxj(0I1`@b*@+i~`awM4RSgMn<1lr|v`DI|9hS*!nphQ%upJPUu z)NH|_r#opQRbz^I$nmTZ=C+Ja8x^e?1FQSE8u26Jncu6eMvlj@zcHTmF>eqr9>^8o zhvZo}i3An$$yJE-A1m{FJm9LBn?JfA~p2d z({vIS#Vh=MX)F5z8AU@xCq0VuVwM%C5M;wCo&Z9mW=5ALsPOOxzpTeP$eYMTH_b_jaRD?nH#mrRaZhbOp8crslp&}vHycl)IOdii*sKdY7}^4u9x zDxpw9Jnmt;%}(TsioVA@8!6=x9|3;ulJm9&yd9SclU2n-kbgW(cvh?*J{XneA$k~^ zO-&~uJZ*I=ruEBprmA>;`;>l2|GicJKE)IQbzKmGs7kp6JP`-zH88`m^>`&yN$6;q z`<%{}U%Ux(*-*>yTzIl8?#F@Q;Ho|0BUC?N$^n!=7*oe#qj&@Y78p=L$tnK0M)=-> z_@jlmSl^cpKg}mNj>@ldi3b|E#E$zzJ<##suo&5bs+$q6^p9!wQG=y!@PLs|aIW_a zsvFK1oAK_Rq#L=f)QeD|v#Xw@J9#~x=$@@Byoy8FT6(cwwzOu!_To$p#G?<;<#UR@ zDlXJhyR2*U^ds=asijF+zGAn~rmGgns*=b~Bl##ZA0CEmvsW8>3gKv|KPH9LXnVRv z|1IsfR|gEah}|14v$ops5NEf}JLhrRFx14BE$8H)GEhBBwB|pIu&$WDOM%5XADjzU znYQWl-D&V$q}G^E)27r^;hdg4tx3x_zno<6VZ;)>1!}{-;`oIc#=J-N3J+l-kq7&a~$mC=YAE zyE#2Q0}a$apYGcFdxWa=Y;Bb{0`76;mHViEn#;)E#!z!Awll6j$|~t+7y}i6GA7P` zg}lO~czS!|sB%V6KM;>T)c^Nu#B@K9w=0AZ32ag(m4;?$W}QEH&7LH=TIxeTOjUnE}7rOvD}k< zq82b#$&dI$n&aLwjnVTK_ASDd+;F_7M3la{cP!mvSrK148c~9N2W7j@L7BfvqdZ5V zjFo$o;@kQ&yvI$ZV3rV4ZVqcnu|Auk_6hGG(gz3;=#kc*TE=Lf-q~uUyzxvUYa>U2 zHWtYJzYHBk;0-|XAe3LYc*HE4Y}au)cP>(l@PqVB;WI6t#6Hd+#c5onKaDC1Zbgu> zn%^c@aF0>X70o;ULH$dXaQf~t#!#}FH<*s=X%CLJ3}X^5-*ezYY^MhXKOw8{qGi?y zQ*WWL9~22v>;hs+`juME@poZ8bDcSgW#)vYrlwUawi{p_i|A@$xmtY#CtW=VthYGP zQQv0AHI8SGjs^8iM8J|*m7x)ixaW6u?KpX}t>Szi`t_5yC=bY=2Wn}B!R%oJ_d=BE zFNgHmp1G(@|4~;VBj)Hz93*yF+a^M6uVafwc+T>uPJcufy>4HmqZz7C!#gz7;Si0; z+?#?^#BNER%eYT)DyB0~1h|XJ63{sDS|+s=ze+}nJ7cg zhU!W|zXqs8`-OulJG?EXy1V=6s1*$(>N7|kbpbjj6*d4#4UxDZ`p>fP!);zRiHt06 zQEA4FCy<)a@e-9Y-A@|L({xmgyC{xI)l?v7v5s_h(gI}*=4gRgT91unCp!hw67)fC zcR0zsJ+8>v+T?sQ!TNCmm+C&Ps1*8}3Ah-KZcV0q#Js-|SK^k^?r8snBNHLlL=Qw} z7v~{n5ulmZaCd=4o{gYl7Sz8hZh3_87H2B=TY1e0lGXP1q{ z<9SiuuQxYnt=$p{P~&SUiFBZ9_YX+~2)1m9=zsqcKR|q#$F$R;C0$9t`KQ*JtOeR@ zAPy}~(@etWo0>b$tPMrgwli}lQ(v({)djv&8*m^W&pp|jngEhe4YSC2m^H@1=dp|- zT0^QCh8~~yr*#7(_s89U(N4eGOjiIBYRH55^gXy+8|>dx>z?)@>IxbJmaPYQO{mb$n~O*fAPjdU zBKh_)Vz;j~kWXNO^7t>AKGx24P;>n^=}u+GX@jMjA$s8_Oi#e?!(yI_=vf}f&8zj; z+|`z%cgYCHAgd8FTu`?eQ}}M66d=Dd<)&z=;80gRid)HYp%oI1X@nhtuzcDtUA@b4 z%Sg_#DWs@!C6!ZlFPX&BrfC#BO9A^nEfs_rb1G|SaFcCZ0zCjyr~$Jiq%m~#a*3;l zQiCnEb|Sbx*HXMNm0B^KZRQ8T8kWO+jgR4}sE#!`;`BRmtbOA78CY;!jpmi4FtfK0$*PZiiC7UnH<7^xZlxwx5R z_$BI8^mSO!9M}iepM+>TYB^ht?bCaa@#|Mnsr8>7AIBKv55oPt+VJwZX4>f4zyDhR zfU9Bl4Wh$g^NulQJH^uSEdPAIfVVvc(79wMvKWMGb8b<+@qfBM$6SVk4TRO?% zlDK7DBJS##4&ERDoUcH1EB69-0@!UKfr{M_@4ON>q!1BXz8#YYbAjJaC3737PpGw2 zYM?AskHC_`^zhtlkhw}OFT72^EsjsnkEiwX3^=*=4Ll1QsBz)1>l5lK5Sk4{MFAWK zGBye2rPKS-K6ih8^#f&BUB58;V2s+-pq(vxDj84JZO%IPC+MVFE#1}AeY!wpL{H<@ z)UoOuY7Rim1uRLZbHxQvpjJL}h(P3lZsMytEYc-t2x=gcZEQnNn!;G?n93I@jB9h`{1bKURZGmotl?YxEt|2p32-!KVy%W zj@-8N?Zs^4O1LJzKk0;1sAZJFma6}mxA=Ow>n!phG0fNY;yZ^Yi0Q~v#;4c5#hYr= z;58W)>QDEyHc?eSm@O%^*Rz9g_<6G2kp`>69Iz4mh}j`QM3RI|MEd$aVMpZ;LUe|u zT4%Ehk0bgGP_TeyjW0mGoF8>33$#K47T@sb2gQk{*!CTu`bH-xRrItKyKHZ=ba*aj zph_7x-Ip;`on>gceDx_h6Gp%zJQ$B(a1CJ7$rAm06y)Rkj-pE~U&rg0>D?J|cqlsT zF3qDo)(?|$Cyq8B(B<7t3%m))xJp*o`{`*rd!XbDYn1yyyf03q`{2(U?+9@!Dht)^ zp7Q%y_nVe$6WR!GU;XWnG}PRh5A;oY2tUB`0T3}EYDcI6wU|mYt=st0js1l!pymjl zATFDVLcyQF74VJr0ig)T%G1Pqkl9b^*D!cL=d$ev`yj`^B`iasDh(dnI7Tq{bi6KK z=euLW&PuL7_Z>BT_$ZD3q!ye#$)mVT=!Y(!Y&|<+Btjc4^H^$<&7{wuLQY(@GQ=W$ zHI#^&Mc~#h@ykEqP5_Amg}!U0gr(a@W%{UzlvXjJ_ z635Y3ZZ9Rpp2HVUINHrywREPxH*Fl-16difZPVpRxGRpsW3krp9h%K0k#%UHWlm<^ z4!VdsCMBc54ESRkTAGDgHrgJBJRv0)ZEHK$77ya7iTb+Eo@WltphJ0qmK^>|{U|q` zfyXLp3E8RW2d$P*(;zq=FYuNIQxJZJtpSs|O9!s8fG+xy#ca^*q;LsnI*}%fAMgy; zmlY1{WWA8gTPv5?uV z>RaBnUP!QPq2w)%lZ6J2>sRXxZSeIBOF%mz0BPi)daiVLjg}6JRxI{Wo7czD&p@;x z2|03you))`EX*=jsm?Ninfa9a<3v)11hbrGTGYuj!)za!=E_9<-8Gcy4XrcAP}N%; z2@zg;)2CEJiSWCcl9Ac{ft_>_4^h_LX8pHrMyLPUXrGZlg_%@xm0LvZXIGO#uZr%? z7@(Gnfxa7FgRS4kk;malsRFD}#nRLhrj8QpF5RIb(kEPqszeK>0LHpE8})0no~>oa zaRU7;Gf5urd^MgbbZ&@qZ3XHY1-a0}Sz}2dYosT_Yj|j#3Re_;UDPrJT9_1GNd^ld zqMJQQ#YBJ4<Gn&qjtP-B~>i(UN2dXC>PzFOVwleN+|b4N$Rv zyepsSDts;Yv5pj?o0ddf>tX$bc)OONnQ-mN;Laz6elgbPdmL@T*$_0j^HI|rBW*FS zD4|=(0MM%r4QYF$FbM_oQN=xoIBxT%sTA%@CF5tJ=Qz`WcS+Zhk@`&(KN4>~x!XOE zB7+)#v0h8m+jXsn8h)#4fz%EZ1YlhZ6FtraI2+)S_>Jbc1k)MHmWE4RgG0|DK3lPW z4Zu3PsHLVcC&B#cxGyheY=7kH$Mz0x5F<&LnQD%s97`%DBL3UD!C>@6(W9Gyr$#sY z8w4Z?A7fo~nlQogGlaO=Ue(`gm+iE%`6$nj1A-CloGF=*{)o1%S@<#*2Xz>b?dlIm z4d??CSVQeq*4X;MwJl;IsyfIew47o))0?BWNT~61>6Vk4owv;Tp&k;~%_7TeBf<~3 zI>;daPE;3g9rlwskepe`F}m9`RUf8sEf%7|W*cLs*4hR$CY-T;tzbqiw;`6kC2IXH z-ihNaE7O1l*^Dbm7B-X5K_yy*O5C|xa{0guuKV|XKz`u(Yai`xaQHyP`oQP~8AI?z zLKj&(Ye^A9ldUl7cQZV-`LB_tt4!w;A*hs!xU+ra{}A==aZS~K{P_Egymjxv`)udH z8Jxj6aHgAXx}!`tVF)^O=ul8lP*BvVQ&CY-@s>AKN=!8G_X`;sCf-fWOJb3cSy@?{ zX<1pCT3YF+`eglH^!a|jzdts3aNW-3{eHckujgf<^*ZDS*fl;%^wbzlrz5gP>q%db zH=0|pk~P|_7Ls5wIm9S>S-m4h1qXQrH0LF1vn@3XLrhvnWEo=1Fr)2OIi5tg4kAeq z4~kI|Jj8>NARVO9(n0bjJxJrkgYa|mK^8xMi`bQB26y?M!Eiz*$yh2u)F2Nb9mBQX zZL5{+31&w`$tLKTf8Zlc5h5U$V~g(Ts${5M^U8SEJGayo28FDxt9bj)_Q$YzeH}*9 zgeeRT9L>bZ8L%15N37_+#eSFFu3yBT2*mKOvv1%Up9V(&jt-q68k{M|ul?I|7eW8M z4ys8wvH#vyli=1WRU=7ZR!%0T=+Pn11HZLv%6Ynk{}5jAC~64LC~NXpM>3RtAZ(20Hb?PWplhWM9BVm}0UGe}oghaA5;*(m71mcAMP_E1d*JKn z%;geCBX3dkmRcuZV5X&F-2yq$@|mm*?I8NO2&Xu-Hl3#7SnYO8X1u30ypQ?g&x1)M z@Rz$;pQAZ6Q7VzPf=`oH1{N0XQzPr%I*e(y zXt2g@exG(&eYtu#+)b(QxCD=x>mRTpt)oI(+dGSGS!Tv#m_(*u!(@&1nzaS(7to7I z{EwuFTKFi^9k!Ks6Ea6(zmeQAJ0$<2rXn&WG?nj1?BqpW$SOlA#C0-)b`y>neZ-20Hn^H}R7nVSO%uE;vodQN?TTOx=XaEX0+ zO@MG2414xMb)wFr?BqqV84F}7jS+vuB{-ga?K%$*H+3K3 z*?gtx7!8dp(vW?g)Co#k19=XnEAEz=K~%V;beEckv!pfrJ$SKZXC1!~nyK+>G~~wL z9>TUE@qjsKXV2F zlaZZ>Jm(vM2hmaf0rVBp1x?g+(YTXidPIHG)kU;YG+eeo{d-*QUVlYQto@Dr37uRS zsSyR@r+dWctQ4T6d2NUt(EP1PlxHM@udoqnF*zzY8Q9E|06ASFx{s4L)AGpKd-0Ie znh{3hQ77AJL*S;F=>30N^7P~d*V{I=LD&;%DK^sXk^xXtzDXIYGq*Cpx{@Sv@P(uX zxcWwV-j;C}YY)d;GWK$(-9xk&vK3VwV7o}44(17r$x8@MvmruZ!!O^4@K(_yeo!jg$y_WM#an|VVD5Z^&c?Oc z93&N`1K^%dBuf;;c_A^@(m+W^u@Zc@@z{?!hy_y(?sO zf{{a3X)7_0MF;l*W^5+}W(L8x!?j1|M>^YDBhIcp>ia^DvGvsBLxH>S-c5m+^zI0s zwI}6uM-Zpg9l428p_ekD5jbA4pU&b1@ge}c)v+WhZzdvUutt}@m4}InTu&nMY?zv* zNjONesaecPpM<~&m?md`)No%KD0x%v%h9km^yI#S1=r|nU3HQd9!_nJg^Opbv8yFV zXMUBk_{-ZF*El<)RVzrf(UMxy;+q-&PW%VM)PEN@m~#3^!A(u7k@j~cl2~61=@c^K z2V{V~jp=}%O@|hfKP`1)@8iML#dugQE&;-35OB0JAt`{PLJMpsOo82^%8iMYI8#_( z?!S?|>dfQ~_eS#1v&n27D`6ZR&lnxY7#j#%#SB(p`Gv9}a4oihx;UC;Iw$&GtoW6) zbguXmy8ut~cxO@U;TQ5QW+dYQDW(H6C>{Vxpaz_#%YZ|n+`gmu4FFMEogmGVKNmIW zoU{Whmv+rm5WmCo6mu=9^=V0U(>TxjlQJLqU-esk{%qGCL zG!6wEg`;3pTUEXX=c-aOeB|UkZ(;HyNhM=x=knL3iAis{J{&}5rCi`fFm^g8g!1gD z<`P+&^_d-y$h4Kwb!dp=L_0Ra`2qVONh8IM6y`f742VPHa{lgHu|ZhTkHge-R|qbJ z^k$gh+AEieQS1em7d1}zLdo+f>?!~yZmMJ_iQ@D+H#BfX2FWJ zBD_VI>z=2wZ}EltpJc(=4X&LAh~{2YIG7aV&t`)}qjRBX6gEWOoX_Zg%|4#>PwxVq&~SLlUH_;1t(9Gn zaHx&x^#YP?x}{r_i;h>)Q}}&*I(jGXZbZp&-vNhHZ)(E=hrKb#);$8|VBAR^+}GJJ zn*h4a~-swMJJP#x)G&lPx=?UHqL_zn@-VdEuF3a>38)dH2lUX!) z^_|jm)09l>XzkA!Qf{B|FU&}Cil8Z~DZc|Twj7Nh<#?%ZRd1RXOU^a?Lb@qW74P%0 z=&-q06nBvM3aft#j^v}PF+^yZFT7fY&BJB&+>ORY1fe2h7b`B1fdG2rqjDlS1n?*x z;0@u)pDi)HtAiBA8DvB{Al_A(`G_v^eTFxyny+hULp=-@(P!p(YX8O(F!~d!tklf4 zj8v8zL}B}PVzf1_A|MGiFQw6iGc(2^+mDoW;9b|E(|2*VKUu)%^70N}44lcW7`_quw3wd6`d=~T3|A>7g6HFGCJHOz1$8ewP zO)-(`7A)jlMWjOey@l{s4DJkD#;W15h;lyuFbm$$dyf)?DO;?+vAM zsoAbTW9TGldw{%>ku=(JNar50Z!b>y!X_Az-_c17Y*oI94(&slXb2uG{ncEREM!qg zI`Y5HCsxKti6z%g#nH*f9c&8pW0RoBD20-00^I)1P{*X^8E~~Fo#S`Vg=y28sYy${ zZ82?E@dJ5Tk(>@$4=vxzwr_;W)#j&A95Ge`y%+n0fg?WSSc7r}kQDd=G+=fId@O*K z^IvGjRuqHN{Kaezo?s7SJo8DgbJR2d{lL{3v0cKMcA0NlnBtskI!}Wl_emT7%S|J| z`%UTMV6$;j=E#=hAF>l}a7cUEh?Z5)*8zvswnSI{v&)1my>yi&I8OL1+VoUs+Ni5o zTyfmeg%S&%;f1+UEcF7*1^3aehkKq=9t!4P^msDqB^xj%Hq1D&n-_VDMdPSdaS9?gr|~8_Nhz+=NFnN z4wI{C7t(0kr_V@4e%VtuSIj1LDyDt$x}Z9CAQHVnzTjA<*qRgvZi@MyNyuiPa_rTc ze83Cd)~_nZB+rvb*2vFJ(>JHEPvUvaiZm!o+A!mq-oSl?+LPSH-2&ajP}*lSKU_=7 zj^y^Y_1MDv|M9(49#RhKxIk*Af?yA0g`z6YaHSwQ7Hq0~FK13i85U&fqvIa5E8ii$ zDUKuk#2Bp?K)Cqh5?A>?Ce_3$xAZK^-HN{_j)TCj5=hyQf1Cg~Wxaot`YW*6Dosgx ze?W`@ho{-3OK=u9MlZ&zry!?ppN=f7_TY|cra8eTtk&~4DA4i)K4w%+z-2>o9cOga zsgG~fKFgS=b9q}b7VP$9E$hnS?p^1(hpCQfF;^1QY3e01*ek zv<;@~2DXS>u7j1gjKSP%;FCdcX>R39?ft4Mi(qDcTmYq2Sb1avb|RlO9%uKZ{-J1Y6f(Y^|pTlM>p_y%DD(&D<(AZ38<7$J)}_w=CW#%((_Dfz0~IhML<@qMJ3K1`fu6UNpj_ zU8AlDOgE=#IG0(P2ixWPjCm1QaTMw;)p|S%=y$+Bw0s%~2!Q7o2?~i}h`X>1?@pJH z0DTkm2=WNNGmSNk*IT=B7xn5`c_dhuz5$3~Cv3334datNDBpZM(ow6Vjp3rKbiJI& zoz@2zLzfhTY9cF+TxxBCf@c>#yWwEqnQ zvlmQ97~bj6bxhHb@AyGzjvf3oz&N7(s$2k}zv0@Kp6@c$fBYWDi+U1$r&t#8`>sj4 zMgc$oAz73=3#}tv7UZ0lR~t@)o~}CO4JPN~?W8yTK{f*pzdGGC_KJ;u%yUAV?vHG8 znvb_`lj7lCQpo(K$-vz1z^qyL7A{2{V5-DfdkMXn>27N_p#Dc9sR!t=3Kv;Le=-#_ zG8RPC)J8fff2{+7vv|wQfrA$JmqbUvJbtaW4mouWQAblDnZkSffPW#+Q+K!)mR>MV zX<+uJKo`)!zLCa5M26KU#x)IMaZLj(??tHd9P1)!rl@$qUHvWF1q~m(}5nC5Ol+>D&91X;WN9lV!JRSkHe{3p<<`#9of zf;-`rim(s_>L8Q0(A;xT$X_x%cpX};I^CTwZ_oDqQg_3Y9B1jQ!2+VxX4g%tQLVBrR0N7006+apVkb*oBe6W1$kG6yI+15$wkrQ=X`6%7E2Al{$eV(4@5uu-U>7AfZsV3j02O@0{K~B75Kam`SGUz4 zhc21_(}VO8yM(4n7uOHLwyYQ=m?EXvimluWt(%GeaD9_uSg3)D3fK{`&RY3>oLjiL za-jL$vDO~Iz3naxe?=L>2d4bta{hRDvU#`Q8Ha+)tN_j7!nCB&x9FGpN;QHmtZP}g zRow-aATcOsT^K2_b|7B!&plxz(r_4_+(F_#+g>d5?XV`$UAP_Xi6wCt{4mU1p*b)L zz6kXaU~sLa0M}?1UKeGHxDC7Ht#ncmP#-#YJ_{3HA)h#3tt$5BBkK|G?_S`e7r6@{ zL=N&}Je`m?h{CnMY$I}gC+y*lV-a?n%wt>jP1)ps$CVXnvgs`2^tdZ6R_5rHjFcG ziAakh<3Pl~lAeT9752+vumxAbWipbxM76q>EXG!+lK1IjwuKC7cnHww-46a)rsb4$ z&Z1c*t(=QUC*MpmjRx-#da$ z1*K~z!*lKtE`>Ud8){dT030TEHU;CU8A_hJeyeSx^Qw#`ui=^Z0_v{_bcQK$@b5{-GoxRG_~@L@MCCH>mvKr`~@H#FoqU5 zro@tQve9}(HdeH>-X;6R-efS{0o~Y8l)-t{!0Y-0_ES`5UJ}J!idz4Ry|aBImTd3p zl*NfsJQyiMh{Usuf60S#o~0q0AL`skM*;qkeW_HbXp}aw!J+uHTjIxLtnAI^f`bHz zDS8JGDlk;2yh|81-?IvlBA_bj4dUlILiDwx&2;{}b-!;2J|S*kue0ZQgP5TDU;Y@$ zuex3=R@*>Fm(y%?DY5IWB&eO>NgaS&7i>bf)^bJkCSa|sMblvW+o)@Hx$O_VwyeeG zsN37MJvv9b2uP;Ic34?p22y*|@v=d!aqUF&|G?vtmI85lI#OE&Ot^JQnpTdAWw{sb z1SH&?ZU|x+66Lsm2f$Vq~Io{n_d*fcbFG1@VW=f+^euNC1 z`g}*Mf%GBQl^BCu%10$Bypi;F!K|=1u%oQRov}nEss76lhocVV1vwiEjqKvxW{IQI zYFl!tJV^=HcBPGLEJ_(qRjryb)p3ZLFX@#{de)gY2-9_NF@M0zRTkT3#)>UBqMJL~ ze_N^^X*-Dv-$s+&Lm1?xn_k>SMr+?NPgT_=9A+O zCBGzRdns?)PPzNdY~Q3G@mQD%55GK?>leW2|9E?m2A9<6ho0yli>tHE(4M*~gFSY0n$ z=(jQ-TG*_M`hZtC9}QSDry|Smkx<3(T*@c;zbkboA*%K$w8BU}sR8x&EKDw?3-AOu zt|+~qS%vZ!Dw7?gwI|pTFHqO{Q*01!Khj@vwtLy}ioSR^5L1?8LqRu`{|R4&+p}`f zo4yOVtJOdK{UL}zZSCxzeO(+}&;^MJc#{3E^iq`hGOA9q{JtD_6BqNVAiaVQLwC)a zM01Zw*D4}KtMdYT;5i>K(94s2Z%X!u7S9J5r;`&xM=I^+l65SJ>rC++Ave}@WIRrX zECJw!H;Sr$bTp`wj_7rig{a(^Kg zQ!DP1ZNNjBDD@S~VUmSs(9tA6>(ypB0fu{7Aw*r`0Wv>ruNHx=MgC8b zr5hdFB7~cI*~l!xQ^JT>YL?zvWBNFnjqn_`kS_EX^h8AkfAn-_lOgJ68Zu=?aWiyi zittuESjjs4Ob*%g;6P8hTSv%tE6sQXiQOA!imT+0OhqEOlztrHZe(mmM_}O!`>T>> zSIvgatj2Oph1#!1w7$bT}}c+dcw%U7mm$_lqm=V%+lmWl}^)jYreujWHc0%I>@ z)^Ys-y57;+Ru(2dw$I`D3>UJt1Y39VC(vm5jS#&Bdax++1MLdvaj`$i{hCcpfJGFR z&2=8T-IN!#U8XkZzWuG?ex+Z^U91zDtHSwkWc^!BxW7s0=cog_Z`9ji25O+?qTqj) zc8{(O{y^+N0wZy#viL*wy+7Ksn@IxE$~(~ZW!`2r;IDjqC z8K#vwUvKgm9!JRQ17MF=U*d*?P%487bVp@N+y<74zhGE=Soy-Bow@{>p4?DI|HKK} zZvr#ohLR!b1||kP&E;n0d|02;&fsM5?e~-;$MbO#sMK+-y+F9b<0&MDE91ES$;vJl zFG_oX^ZP11YGIe&L!zX;o|(u!mmIQ|61BP}peOO-G4~tzAIoyMiQR{B9J|7ngL8it z*mOr_@JrQaq{#j@HU_2;(X$Cv{x}n+nX~zkws#rueTu{;!gk^We5~#+tLR0QK z;4x3vT8y_}w~W?TuFu$_6BDW`C8KaqCmZYaVyEidhB^|bZ6tw?niwL(=^5DPx|%LT zlG4mm8puRP!>%_Pv4zg|88dX`A)R{lF6kwJ8Rnl+WE)+kc7`-QXp7_U3T2@6=3?v; zs@B%uBS!C2!r}xgg&KOM9%^VeJUL?lX1%9;Na;vuK2HOmVwCb(1d9iRr;nOVrf3x{ zNwTwV$r{VlqTDIm4UQgz6htn-)l4D@V7*5`(6_r_d#l=8Zab-9kD=8uvlGfredRge zeSdA|xvJNBuHrtd98s(g6#}b_{P65DXWGo$f!^h7<;aN;&Wn6<^>ToCk!Wy!?(Cj@ zgtW1{^IxTQw8}9ilHN#q58ue%%tz4;JZH@jnJHHfue8kemEs)1)>}pOJ{f`62-!CC zp15%B2lMrq%4L=hJdLC7`Re>sFinYefRl%Z##vs9m3l#Nmk`u78Ca%oWX)V=uodX& zY=5ns$S(uhFBM5&*Q1y5CY;9KxBiW4(-sik?Nb*xJ+7yE82^q0P|F$)bK-%GJsYB( z{}2(_^#9N)>@;iVkAiY#pJ|9-zm861j!U>Yfg`egn&YOdwhARfDmKtO{mHp_h^K@Fqvf&oZQ?rV9p?!CU3FB}_c$pIDr%`Mb|)nQCkU7OKL?E*6J_XT8ZLPc z8KJaV+!47S^RH(JGU+89k@FN~jb<~L|#_j`lr^JuZ-rcinR$>;tn4 zS|8L@$@R8G}9-$rJL)5?Uz%Sx1U~m= zF}|W#U^3&a;{Zo6eWRDV*vp*<%xx(y6ql5YpvfS_(ks|I-;&b@0clXf3M5d`dhWB4 z&2|%=t(A_iD4y<3M>w~caN7;0!uXQyv-Ouf`N?qU1?_E#pguGuM+mc3RU@&sP7!bo zJBArSfjBqOQ)g#_?;mNZEY>|BlbI>hQWEn0co)7)Hb{xmPJ965X*l{Ul^C`jXrZe+Pz|0Gz=PYz0jUK3e~eJwlSKL!6(86*NIO&dfNvWFQ_#eRK;= z#_g=H&)#X$G+Fk^;kOH)jNZV4og=!EaaWYKv(v z9rwQq5cH@A(A$Jb9{xT|a^m=-Ky?3<`*{fePsVcW@?f#AHVKQ*BEii+-|@~M;R#cc zBPzG1$1S=u(mCR4sD{#2reCOVKO$U*x5Bkzp)>{k8&TjwmUnBW-{BRu1|tsU4%VUU`&sRK4uJjSz0JR#(UaY>0o?Afe0Z?Zf_fbTa5{YNJriF7K zN4f+KY*PlhKUM`gnEU%)E^lwjPb}$eK4T*T(?;Wb+2H)dJpg|pC$RLaPWV)&Z-QwB zr#(DC$1B~<>}92WESt$2oCkPAWAXOKw6A+G-R%K6_DJtK#6pg9FTrHX%5Nh5l=<%q z&qX{7aVOo}D>@SEaOur!oj9)HCBU*CPP$xfnyq8emVU6VP%{~bodm9O8YLH#m)L)5 zx61pe)3@ffk8j!Xbo89hVClkCvWvRs%Vv-}ajHPs3>{SdMfD63K_M5V%lS zPW|~ySyBVV=GAYI-)`>b69KAHzX|2@Z*qn4)>y`q=j>6SobAl{b!3d{#dB!eds|5W zX^#`h9c?zk9ZfAntk10Lr*=gx&7C70qa!?=L6&S;RCrGp5ah)Co^k?-fOc1mE^YE1 zgQ5IgX)qlJeAvYWiAY=w@-WN$;@D9rt2H9!bdjh?OF$GMRxr8L{Lo-}RTucfHt$Vs ze>28uO|(C*EyZWCenMxY{^%b{l9Wki@!Vlm65KzbGDoT&XXdnVtpAy82@I?H{^k!f z&7tWU5@DXO@Ctzh=bPp-1NV{Ml>s$#_BX&^7wWDOq52Jr7{PxJiIYtY$|s{(=afbv zIuegyX6;5e=Vb+P$TOjt$Fv*>Var5?F6ZPNoDVRB{HYk@-Hpr-MFIn#xzpb`9RqP2)3Hj;_+0B3Mg6yr&agwlEfI z7Ht`_cUDV)l!en8JJmd^NOkAowvU1F?`!G!E}f6IGxV*wGG_BgX@2!i{D{+Z^la`{ zEL2Q1{bRgylHLPI`aGN*nGBSZn@>)6Aw`E5k&$vTkDtA}MTW)5K3j)G8NQ&?AS z69p8EX-Y*_$s-bvKPE$2bYbFZ4^05_iM!@D=>pw{lm!J*;0UA)I#1wFG!3y&K@Tgf zrY}P}_^JND4b0!jE3S$#m^!3*sU{`zwK}jd(Q@D6P8*)2+V=o{!AAn8s#Sz!a7toA zKrb1ycL=leTwxaMaVuLfm3>r^Q?v>A@91p(Az+_i2RWmHHq~c4yO59Ze+40*X{Sk> zl#1gOB-T9)aQ>S!!E0uv?{~F7p2!>L=v>Zpxi!qVUuHHE4W)g+flbmYc&ijEz5+ik zzXIEK=w2yg4i|R8?PZzVD&0Zi$q_Ows9UC(&yS z-Nga5Gt^E*#o2*9t}Eza66m({Y6xJ)uJK6i;~6knwTKHagI?qK7W?Jn+gNY0Jx+G{kt;wvFCn=B_+#1b zz3|`qOShBExxZ&SR8X@%iR0Tl0+fvNK98cCZK^`k+x+WX_OG27)+2BrV}>#RH~!`a zkcv0koc%vzl8_jO5;MU?vN^pb2W*C?g$iQ8zoopO6Y4VuLT|?XKgY9w9mVjhcHrfe z2##mXR%c)Yb0~6hBKV8NlLO(2g*XKzk|g8wX8$i11M(^|QiGDKCiVy@RKV;-%4RIO z+0$&Y2G@~8jHKsTyZ@PpiScb_jW3xI`qu*{%>_11W6P&an})Calc`x?M;1>8 zfRbT}2FoBcj^aj=hl9XNj0O_}jbt?|&S(l$Jx1^>tH*(wcFiVmiT^vcI1rs!I;DJi zD6oRW0nf+Z8ER?czdmUhQ7CsENd}vYqFiL0Su(w32A%Z(+d5^Dxp=BPoJNcNa1jvF zMuCx2QPCHGfJXn%?~UC86Q#j)TH2R#yx1u?tU?fZ*I_^e2?5WKSj^GSt(StYW_QL_ zSYaKk>#&h&=&tjyH!mDqtL!{n%eWt$!m1MaLnkJ0`Ga^GTU@EbBYhiip4KZYCkur< zGy681Y2cvu0MIL8ux&a~bl})ll2=xjF#;UALZLA^+rs6eVbb@a8Q-9%q}RNQ5EwPxQNI`q!O`CVm%-x+$4mXg{MlK6 z7)$;yWxrI&pK=`u%V`9=aKw$J6`SR?cyT($!@D62n0*E2m$Q6eo}Yk!l`>PFPM=R9 zz~1jJdCR(k{xN=R9xkh2oQpwa{1AMgCg`-+!b+xBxZL-y_bmA^z~k25yDcOME+nTC z>;=OEFxH!48b;;l%D1JiDGRg-z%imP*tb=>ac>qUz6OU)cvqJJDF4FBTGT1Q@WWg_o5%x7aK{HNLu z8QYNc7@f#(@aZ3JzB|@vEwR~ikSsALF zVSrB$A02e@V3te$IKjM5->fIN9$GD#@URkljvq~WjsYcrF8`MhLB@d( zzv*ZMbwOCYM?0dYF&-fGM~ho%df={eJ=+hTw*_eXIVF#Gm?Q8YYfMc)b`8GjqvHvX z_WN)D!JMF9eNXt!5U(Zn{MQ+8{u1Sek#*z^>Rg+Pr^DAzWd?OQbRMpsAa{COW%`?J6eTnNDpi)U3un2KPU;p`OxvQv1UK`N{eTaQugZsqFKn zM@EtlirrtqRgd%v*Tl4e^+S>dRuq$N*QvcLuh#Dc0!S|4UmbZR8((R|Cc%jv509e% zJ@95W93ZsemKFk#t-urk2v5OVNa!s1^YZea%VA4Ip8?h$Cdb~+ z23k&*UBLR=y;!W}e2lE*j+UdO%6o_9I60J)4N?rv3#-T2Wr!u>>m11S4@*)0AYBY| zt)1yh5mTk-Rg^OuqjAN*;WlJm@OY#iZrjy6>Q?aF%>RbhjpjR)0J53=C2t5^-h73Q zTmLm14=i{{XKI!s{*R>sXQvdd2^e(xDqF#V(JQbF)R@WPKck|WNLG8rRu7s_A&dc< zIU)u$hHt|8A1}>@VZrlk9Q-o;K~e$}W1zkKk4p>AF>T?#R%YEK4pNnig2SU;xSbJJV$I?!jS{95TG*aDJU)Is~Q%_e;W zd9GO~@D?1{Y6PHtoKM^=1Jx^CVn z=fV=Kk#7KAiEiv&*8rSyo@)jjgWly>nu2Am8|J3aQn%{|oji?n=DO(YlR>!D8~kqi z3H(a$0+iDa-6o_kJ+&1D7es3q&`umb=_~fz4(Q1W%M{sPCUWYRP#bkM*UId-=Enc< z&dS9+!;k7K07o7S$7YDgncj;6b2C71*r?naKrUglzZTH~l>}Y^_m!(EczVEuWgHwc z7wpulXa{}~djNGc_oASF0s_U`!#&8gpoP35V9Yp&@K!O%zlB9Pm5*`8$bXS~x}3MF zPW0c>m0XNySz#=k8Z5+du3Iv+B`Zp@8Q<7hcFmu{ENmm+W={9aX~;4(_TO={R4+6} zgV$P|s~!}INIC*f;t61vH03q>&K=C0fy9Hr9s0Ee+^=@Meg5)mEpQSFNgchj5SS!@ z?9&f+q%)*w@uSMz3bQCwE8$vT{y%<;?Lzd`fNO7dFl9`y-u_e@Y za9)l!_J@t$bq|@B3kC2u$C_>!$f~SLB)10Sy9SX@y~7AU)tXwe8XuNJnHdO-O#IB; zhYODI138z>hCMBRF0+7q+JXWvcqVfd7s)2|6P8Mgk$KeU2%5NlQ&sWmJ=VpNOg8fI z&Ez-JI>Y*&Z1C#5=5tfAjSYpfLPh`+Yk>2C`DcL?q~C``do%ZOlxuSs%nNaOc{;Fj zH>1_&zsz?Mg|*_n|C$V(^)+~nwpO@9ejF}6ZpCKuiuycZ&x&cEq}pc7oTb{2NM1sE zNFB}JbI>%z&;c&UX|D+*cgaE=L2`%_xT!CazVv4@si77tgb^>5sRk8|A)^|ENhBEj zST&`OK%x&jGQe0O6)&KZCk({$5Zb|0h{Vn00`TzKk|4j0#M4`3CHt>^eP}vPsSxa5 z=_N9KI7}dAKAUkhgUu0U3CydqUPE|gxOT`>5EYUg1yQ(v=@Qvg>QT;!5VT}_E{b(3 z8|^h9)~)#l?oL$l9-m8QUReU&CQU=n-Skv`uT19x-|}4PU%;!HDD5FB{IF*EL?2$Z zMuQl8G$&=6t2k~;vngYlwuvyMVLM6AibvIR8xN`H0Sjg-IXK~}C>fVE36Y@R z$-majWCsD(Kyp8zK)p!rz)MKck`^X)7rTXPpF57x>Q+_fn(JB2V~6cN2sqhJ@Z69D zWqDgB;1u(2dU+a?NE$sBJOSl|@AdX5xWQdoa|!1;vUM!a1$FbftabKPB|4#BuLMfkY z8LkfDWSuo!`8NFl2#+3`oF?m{y@{Pc0UCup&@yrTe>`cWrfLpH+V zRng3@@t>1D))SJ&)?adsK<*_fBdCIM+CAQDG%k*kpfP%STg-h$HC%^dDyUw&A z+2m!S(p638Ss}^F>ZPy!0!3z;oQ_t^bV9VgZQC8^i3@9KAzP8;CQG0QfSi+) zvhZ^jElmXWeKU-8HcyNJspCd(4=l-Ir=$e$UoAm#3k!nL0^ z|6aYwyi*d!M_JyL>Z4hFV-FVD5URW?b}%iZ7DoiwS)@d;EZ%^-lm0w!_UqGIg^^5u zE_RX8Zdr-ZTTN^uSqpqi0Vm@L=#yzZ$@(kBuRK}nzm4-7_66F=ZOvJ_CSwIeCyPDR z3QqI@v2X~eiDWU1JLS&)M8OU{)hO7+-9t3j~Qi^^%@ zO1Ygl9R#=StS`vEyyaNDR+Irp0DqSG2RJYLf5ZPsQ6OCIn$%NP#au;>!0mEAL-N`5 zYe+fYh97BJXl))`V2I$bkH<|UuHY$7sl_YUF;_c1nldvRp?5tU#CwMv-*VNrz*pf% zStvOTiqZ3WSBjx>Ff3!0FIt~>-EFpHd1ksvSxUBKD%WLC%>=2$TMjOb+hVQ0P?Z20 z+jF3|tz)d>dp@%AX-O1Q*kNH+Yi(Eu0-l_~WlDx>t;W5%uZ+1?lNy6fY#G?FUs(yB z)l)x60q6owblzlypGkYbz}mmSKQm`9a<(Gvd@x_auZiFA(ZVOpW`SJF=1!T+Ha&?W z8(qLY@}jMO4AU-RYl-re=wZloL;pB}xOo=1Vwo8U_8ZME`RWYoP7sRp$LC>cagL+| z8s3ct%W_)sCJR8IErg+lrg%${PV~}_aMRd*8CJ=wwAkK~wj-}syiEZbrU=o{jKIa6kWAPcBMw zKTL&8a~#>QRye+3LTC0F?tWv$7Zj0(E6u&?I^#erkM(Yy@^zCBNbv;}(^{elW9iny0b;$CdA zE+U_YBGr{@dvTmP-u)^zW4FB%)K;E`1YZ}?Lvp2LY6!KXsbo!YM>!6U0ekG>2NAkl z952o}{Dz(4voKG&CaJ?2@0~!@#jD?Cmg07jkn{=`Qd)uVtUUF9h4KMwE4&Hn76ok#S1h-FV!*?h*+U;5|yugbP%M^HV zV~r*7>Dg7)1B6|A^&z~b;+C>ho+F&o;kEKG46fL#-;vVkVq){vfnf<4aPZbyo;FCX zL+1TD)sCecsSUnY+=-;nhxQCH1lB=`{7lzdsA99SU11}|o{q7du0lH&0BUb3rpQ8*03f%1Kan0Bq(2?cbL==!R3X`KG3tN0v``^SNeM z4p7YvDS&a~5%W9zWd+vJml$(efFz}3+~rsJ%%6V1tWnBNx^GYpw&o8W#ZXjIw-=EV#`HsMC^Ds^hyUGon4Ib54= z&fzN1sm1v;m9p@S$z48-(sWoQpFRZb-bOS`e{o-g$k z%gC~Dtw-)5Zefo*{(J3(FAesSB+ha)5*QZdagy8~R`Hq62C_l7o6C&|)gK$017 zl*Ad5M7qO*4q9zDjUVMk(o)(#EfGpH>xKMB6 z{~m3cWbjyOHNWr2-OT$UD1#J~d5dqs+DuBn&g)6DF$*$#5u?FtNoF?C`qDQrBb@l>Lt3#8LfO%RJA!qq)U^>}~A zTD?hlNx*3SgM60=DqIHuSp9l&9@4X*8w;5$lNm^xs2zpZQo;H(JgVW+{ZCxWk?DHM zR$t4l`{#&p*-OY&j!}F3q>#daA>4XRit_du4BSenI2iB5qTvq{SBA?5evSwmHP1N& zww*w|YhwQdwd=1CmkDu_No*|c;H*MhXds;U#E)n)+$^*RI7`9r(Y4iplUOi(5=_%B zo2>EN0R>@Yb+v0vKM^{16EJT0E zj{%%p4G;yeOV|#?G`5@`3bw7jF+;e6FKTgiZamnm9Sc4pOx%y$9)R$$@x(4R9{2?! zaF_HBGEJi&WbpyP0MC9Qj6%S_N;djU!=T^>QjPnUZx8 z37wFz5vcVMGX+vWAtpttY0+uI>;kgNv{Z=2MCc?D)djQr7@$=F@H#sNZv@nR%=}1A zL#R%#)@>kT9Dbe$#&N0*?F`!@Nhhto3;7>u3N`?wcY$=+`KZJw1QH&=wyXtz9^}M% zor7eldYuvoZMOK5?G%HMxlab!*YHwFM*i}g3W(VuY3?XZx{LnOs;u*}+P?~Jf@Aq^FI+}AOn%Y} zB3*Y}DfaXu!?HRfx*q@suM%$U02SCc-!cP@Z>s5J$iaBYXnXF7+X%FnR=*bub+ znBioAZjV};dsj~dW`B9RJ*CmA{Xz3U1>14$Wq%;z)czW1JfBPD6rLoCA!3R0)b=nu ziU%0^THRJHRZkRxP+c*AcvT-?lc}EL&(P|aK)~wv^Q7`$DR81E&!nU~ z5|aU%44y*bef)r4gPj2PegNBju?lz+89X%|v5~|(#e)7LvTNG!#cj!v=+4VG zxqFXBZRtu;C$3Nwx8`&brST{L*4sM*2zFx0q4@2_{nAU={{u4cG`|4OWAM;*SgL)S)=yOn$nz9SA+MHl#wFhf;Sm62&b$LtBDI{ea; znxGC*Y7RyaaeStnnp`_L=0*TvQSeW7-vsEUtJMZIcTAF~pqLd@^Pia;X!R876la<$4W|OLhWpS}&N5WIn>NyK8b0&`dPJasN?C`Tg%Hc|ZA#}qGE-Za zy-d~AzDWAQaJ7T>E2XslXe?2akK=BA+)dd=3ID7@BhSL$h+`{`v=Fk z7-01?(rw(0xIduRwA6IHgXo$9e8Ho|4v0KqJz)G!#dZ?QQRWTeNMSrO?H>*@Ut5V4 z5WuMd`UV_4yckLC0Irq>f-T4%b6dhDNo(|wnC22$4Keg$3kJ{vqmf!t7Rwm}j)R?d z+Dg5RFy2qMZ6w?bRr3iLi#$h}BLavLken$7%j)w8FVCV}C6M6$X^c+)qY4K1&T2>lHFg@V7Sd!eHH-PW5fa7x%`n63fh*^-nJf-)0; zl-sn`HCL(oL+Li+4X&{WGk23j9a69IyUkg?FzyH-H}n~V?4)Zj(zpWnqyXxYbyYzF z@YQdXzOeV(GLn4ef}SzqYuH9^D>#9JfQ3RmI*1l=3bAk0Py`v?Ho^(g+-REhJ9B4s z%viPNF~x1s8-RsE^OUlDqaGS*d5;Y=?^Ww9>Rqt91cG~qX7V)8+d=Y!fGzG@q=gJ( z+OhS3Lvm&T0F*eNEyKHupOS7A*|5 z5>bKrm6V2ENkJwxunDZh8fGP&r(a2gmi26E1G^{37*4PM1hR}<@G#gH#uR|ymA)sP zXgJ~zM{O^_#}|sz35m|pe(g^_)9(b2da~iH3QvJG|6LrIQiJSK_ylbuC`M;9OG|Js zP*sDB6rxo7g2IWYQn$XK=nwNd6utGty?_^?>2TvgiaB~0@47?!DZKm>p>>KBy%*a8^$Qc?IQ` zP^KdhnOVbj5-uvUfRr_ZO<<#mok-Rvb)aRv;U`9Cgv19^oO&V|)2PzgRkTsFlVS~- z2l&lF>Ru)Ta9DMxY~FyDT{AT(3lF0r>XM8Avfc|ke}xtwt-o?1w8hmzJEGSR?*npP z1JpH>YdXL)vSV#}_f<(n2bxMiI3);sImfT3yp4{&bjh%3KG~i8g&08O(EW*}!YqUj z0sVvp07Ckhb?Vx-w1M0RBNl>;C$7=zEq7tE8eSAZ?1-sXkwc7&R9;LH@R?C6Jy@#%DROVe$}*gKVow@Rx3;_ZvhWN1b%fj8z`vdDZsw)i?AJ)$;U|SEb$WM0Xge7lI8z`b<~ncJRyUJ zeB~v-cY$+gm+Jz^J?S~JW42PwlX#UOOQivz?Og1q?*_c#tJwkImL-OG-c*+;^-&@t z!v;{Hpr+@zkd9O30eg8L1S)3pu*1~f^8{$WLWl=7&1?wMH6Vxg{rDToUh5bwm?-LrED$@pr?ZCUASx;|Ccqsxvbf@@hTRc|t z>BxFLr)^wWS4HdVf^?yfrVepBjqlMYHlxYCVFFO&6K>N=$g`~?H>OQf*9TIW)RpXw zcrIaAf37AjF>ypL^zGZQ)SF_xl7Nu_rSeKmLVEf)H1lELzp1~9DEb@hg}(hGwC6q7 zD=5iF{_k(S;+y~Hw_Y8<|MT0|5}E(|67V&I2Oi+wn7x(wy zpZzjBh3paQT>GJ{#BU`Tm=#R(B&99|-$!YKr1x9wBj${gDVB7$Np$v}hv35F^`>4V} z=^UV3hoUkTMOMoQzu?&39}e&y2u&DvZf&*PR~_DQ;*(n#ej1qyvi36+q$UcK(A_w8 zN_76_9!)a{e{C$NwBMG&Z{h|YU&PJyp>zo&K_4EwdMAzh;at;9-vC3$DZf3rEr*MA z1}SwTRs^Ol2(=BwJ$}eo8lC&@EHbEV&dQ`}S=zi{OCDS`<>)-7UEzlVT4top*IN7R z8U6Izqw_=J1{|7Bx0$VCg~6v**aqPdQ-)pGoV#u|6()|nzNh>cNxRGr;IVcLKC#&3t?QTTGnbg*`O1I3LwZ{-wN_)oTNBoIYZN?wOicdf{4IGK@Xmy7 z{q~Nz>!*b#^!^g>U$krFl^q^`uZsP+`(JLDAJV>LKZwuY^$&%bK%LFd27`{_`MBHQ zFQ7ihPBq34J+oGt>686-Lg|-Kv-Hz%+qwKFC0}jKen%VyReW}j3QsEk_DF4;Hx`CF z#@;*C*kw-6Drd!yP}k4Ttm-h~r&}#EeY>yjSo!l0=hwY)c6IXP7f)`3*!>z8)c)zS z@6WF3G#%amZ!J1|`_kLX61Rf86r57!ZCGx9Xcy?_l%>&Jp`J7b8$kc#+20%Q?M1k2<*C?FW!f*5nsl6n+hJb?CO!)pti(@j5{Zm zw1vA@{h{!Kn>MA?_?fs-s&#P9G?cIbe((8Wsio&8s6-9dUj^-$g|&eN?-g$ElNJ`Y zz0dC9cfV+8*Xx6l1CylL9eXzqJUY+R_0qPYokPyQn>L>?PJ{+Nd1-s!k4N1;T;t#C zedqyb>8_XGFaBh__njenewU6Jtb*NhI?f22pS3!x~L+LE>2_6 zZhSH)p#P`v0^NrWz4>X?pD&(%XOc(0`s?>+zdpWsa9VYY)P$zH9|XdfK2+`AW-{P= z2@{`0rofOh!+Q*kZ+`#9JWwK6v3BGW$cFmBRQl$a%D*+FUu;!rKl)y7KK#u*Z2oN_ zsHy$`3&QJ3{{QO>!hh8GzWN(xKFk4$Z?aV`e*2Wsp|DbTm+4kCcPl*mZ;5X&YB`b$ zkA)I2c%HFdTss*BBqAVI7Nn0trKB;?yV8Z|Lt2r>WC0-{nhNuxM6nRqie_ix{+92C zjFAzce=lHqeH=3zT*u_BKsb>P)N>vGF*wxlB(0j-bm-p;w??nQ#jIAV4KryW;0_>f_9x`bx0x<&IhCAhzOa2v^g2-RFMEaT%P>%(PUO4=y z!377vg>g+gAw<$%4^f46v*QKei12X9k5l{ zPDn>xB8OEC;U+3z?`;6Gm90_)?CkB#eGuPxkC`Qgcwyw(3}LBQV|kBA3iMiNCTc7d zVvm4YlH;QOvGsT$8$zZz#2Qm(u8~e+=irMK-vEc-6-NtVD0iJ2U$PvcSt6mX53%2U z0#ajHvOV_^*1D%ij%uP|C32I0K;*=9n|=w2BY(1A(nsxmaOdRRHR~bika$OGtFHl0 z_0aMg_^y2%@jR_)^+SZmbd#CP2fZ$w>!Gr8uf8n+WEX3puEE0rq&2&|7w4k7p7W z%2-dtqVVi^+h*w_^3%-cs2vp<_1_5|4vV7#K+k*>)t*RZV^aL(=fBeTl9to=xUJkR zulIg$`6V2jz8Rx28@gT;1QTjlFNNk3*tn%w0Udc*vNHX^r`E(=rysF=fnfTXzK$v9 zemVC(zHW&CO#^`m;dYeHZ(b^dAy2(+ANwv_)^gM~U-%l?YFRrokPRXl6`sM&a?1c< zr&&Q%mH$eG*^@k1Yfh3n*tn4anemweNR1~_33eb+;ql`(aJJBxnp63)}+|6Ow4AR4IhXfxZ-vtKe}5GNgJ1KU)r+RXWf8KAq3G@L>81 zIoRFM;2-|xxX4z~c+VyM6Ch?jM#m7%N`HiCQ}r2~CA@<`XhA2-9YxJ5kFvP zOGZni^8(78hGX@saHs0o(vh+>Vh!#L^zl>3XSr9gwWhu0FLxaui7j{Wp{EaU7vLK2 zZOh2}3#HZL9J_|lq#VTLV&D-maVZuA^zaL9=kUTUMYxkanHVOy@n7y?6%~fkA+e+w3}o$bVri@O;4C2Gb95iD59= z@W80>=k^)i@vphfd{f^S8&f`0HW?j%=4#cAe$1a*Kc(HlU-mOJsmL}@mq6az?q)Ko zIT1&(Q*NK&AqY^@csywDa#vj*3qrVgC()<3i>ca4^-*z!&)Cm^dH=;>_=DFU2V`k&_u}srv~9O&}jkXE}dC zbXV-IP?AwtvUDT@iCqUo@`Sr9eL`x3AJc)55M7QR+h4*=+)j85LL4}#@{(o&1)^AH z!V)U1P}E#D993IZOEex3%2h*$@v+0_VE1H`FPm(KWN%^%RcHLv9~2bV z0{pA_f$Zsa~|OoLuZ zX0?1NL29uJ6ni}G!tEd9WcL(oqH}@NNK?L-ol}1BthR%yk>gFiMrPO*1aIad25?;36hHSs$oTjm0F(fOwekS)Qv+TGz*)S8F z{@40ECzxYI`x$0rnqBb~&>pQP0yf;D>vQUS({6Hcv}wy)d_1>?IG!bw7kyy!$sFSP z87imNDd}jA$8|V{dr|jTqToU7@#-3X?mZawU}DaIFx=OWk<)C)aR+)5(Wc+4I-b~s zzX81xng_ML>q`7id3QX6e8in8C}Kn0O-x8>mF+flt)QfwBv%{y_)%u+Cp)}I_)@_{ z^>#lS3`NRDj)jX}yo80^mu?$OoWLkfG59q3hH-%(B+FO(DBR=HUm;5}#~e`LEbayl zF{+f9sofkCriSseQlFd|iy8cv`l1r=s9BzO6Sce;AL`3t{!7JCUF}!6zv(_d5|yqs z%=Pokb$r?saP$jMKO#+rjY0T;{>#!HQg{B9%;Lmap$#_uQM}p`p#CfXuPZW>8wy=A z&3wPYM?Se#H3#u#4BFcGfXO3HL0*|uv;GXZ$K9Sj17fUSRLHnTz%@3APm?#4(aEqj z9rpyoPE8`i470RkSVg+$ds8jMD=v@_`}z(;{C~c%8d-WvdHU;kyygAeIP+X3#3O$+ zjP$boXh`5{F&<|wv&X0XmK;x~ zk!@QlOBo{2bnZNOd&wo-IT4~(T-f>KEoQo}sS5Hc=&y-Vt~VZ#*1q`!sk0{$0l#dA z2BqAvco{=)RVZr6%boHcWkhQNL2XQ$iY%_M+c{hMZ{&9`*0 zEn>>5&3KO3i0QWMQNw~j9GCTz-0}jo)eZEo^Rdf_YLlEUvJb*N@N{Y)w3vAn$!`j; z58=8HoW2Vx0Z?Udi)aH@^
kSJhp-Lfsq6yc8FLS^o#?x1y-Rv2MH3Q_DR%q1SG$Yt8}NbBP!(FOK6F|zniPsLzLqq5_q}s z2cTYu$24STUO#VgpT;Scbz2zb8ic2BaHoh7)z+u$o7?BK^@3mv1g0%J3a1MfWUIy& zrR?6p2C*XufmkB_TzEppMzJZTXns6ldYeBZ_c&V~^9STxMpe7G!MaHSra^{cV6lPs zJe0nLLkmpy3~r-oHPKzSI{*xkib%UXyAp?^=Rh{~FtfusAxAwJT_l7dTlgA69=t$ezIxB&b+4B0)Gt@+Z? ztNeNWCW$56z~lnKhbyK<+?>+=?i>T-Cv}AYi*&87)?&t+D4H`BU8Of+tu&g>&n>{U z5K_`*${T4+s;F}e6?oWyg%?&n;rMMgJ6Kz#|R6QX?G*DT*-OMyI7$4r;(xrW=F z7?z0klmmx}q0T>T6@4CuX89_lBDxT_+0cWm!(r~vVGe4fdr1mIslQ`&4us*3UhJBk znKcV|rJu@hO;!{lUCbH%MEwpT)7IA%V)~XkTe8Dq=%b_tJ^hpH%*?0Fpd6^+LYruA zlzJZNu4t&?9=P4Y+ltb;QtU6yINH-049YwWX!quuKBenOEmKE4Puq(x**4I1@P?Dg zhM5$3g|u5#M0a8(Q(Jq>_BC;j9bFOam}so@qe?D@R74xz_7lFuwl}2WJPwurCOxKG z@Rfqc`k974Byl$DeZ=W)Db6nu5cq|dJ`t+0bVnVaI-i0Axm!0rIWegv58~nLByZMy z*|%8@xF!aeFw$K0u{g7l#)q3TY(@GA%M^Pw8IT@{QiA;NPcS@CdUp$BmSS!UX@)B^N8zL8%N(ELj$78+zK0o>>qPl7qa&ykXFB=?9VLGecK@eMHVF8GXTe#Pcm#%5~ap;8Qsw ziU4r79nfj+k!(ut7W!ju8nKq{t6%GW49EtmGa=TlesTZ_?;goh3aNKF-eSkwC#52adN8kQ_wfY07-go>+o3(UL zDj4?!o^{Zv-%fsA@gYo!)3Dj}o;x*Vk(`{-BImFBky__Lv}LocE3S6D-;_}Q#B-6E z2B~S&JgX}15vJYyiewe31jnQ|AJALsSHT=M(()T{Kprx%ew>t6Q6J!0&s2K`GKYcC zY>HhXP3O1dHnA3Z1FbXlk`UqGu5B1yU0_iA6HBH!yd01Hm%)Hml?J$*M1qIvj00>nHpvhfTprLmBMIa2VOi zrf(o=nto`h$PLD$u+H7zxG%)mBdX*vvi$^E+D{Q(W|a9sZw%&!-<@OF?k{|UI9XaD zQDA>W0I`_!7P74Xs9z;VBr)mC9EXMEn*OSvTr)xPG5S$>hb7KdmK?r)TUy7bHJ(9x zzeyP-7VN+lyONmi7?}$!YsRIdKq}G(0}K5}(ta|_*hNEsWV%NrSkf}TE9`>pb19Q; zJCWKj4^+au5)JW?c}+yP%4F5m6ASO?S1IwabcefBjfVqIsB*K@=IN)C=>^%aCQcE~$jWyUsW7msiKpBQrj)LO z-Q@$2DVXQaL;&x4bN5V(P$RFuN`^5LZ6V1+pZ?^GLF~KwSlb)Ier#evbNW@T6E=GE z1a%7u*%rXr3j`!#w$Y_VcR3kuaWhlddRzo&rUGW;w?74AfB<=SHQ~L-UQw$BIDu|DcjSH{L=JQ!3;vr z?5P+7HiR^qH34Wl6d1jU@aVt&ZeBl}H&FL=5c6%&{|waWyneb?0*lChbJVr|AXN2F z9LwvI16R>Q^7#YB>u`|YG^B_;gcQL84q;`~+Cwr`!mUH{z|_bVMR5Lr79w=;+7_Si zakpB0BWFb(Rz@uyaF~oCW2E)E%GS`YfQcf;$qJ z8tgtoXGFPYYP!aqpB2=7DM|}&pW!|noS*ML%Jd%GbW}@?K3@~ke>y!obkL&Q+3e7@ z^|N&&6fNmt8GD}kg!eweeI7pULeotBgj@BW`%ijE`$Saz_S84BS}7>Gq~L+axw%pA z&NP-kr;i&KBz${3;H{z+IBp5*sG*Q7^&`j@O*+~HX^mGVgN zAXVU7;WN7lU&MaaE&fbL`DsJv)ScA{U-bx*g2e?BFrk~dx$be8$`)^{_b zdf!=h*7eu(@6L8wj)Ko6ZeGfr3zgIPizHue=^|rE^sc}zl;gsYE`e!FXQu`cQf}Iw z-s9-Rl>_c%+ZWARRG%JJexd%2MN<@c8O!HhIFb?75VbI~ZPU`lS?!7r<#qjOkFc<7 z`=hd+-EKzh>R}N)O=)f7o4fRE`>A4SkL=2?6{oY4?ye6C>hSakP;I?bERB;+;5j|I z&;|J+>H3=dyyMFC7xKE3X4ijCkp#j z+`ZUqK#fTYY4Pz|c5uVRjLt(=)hx>>-Lm_V!TjMxtvPn@-7|d;9%7dFt4cnV*30Hr zbIovJq9nXe|BN8(4(-?GpyL$d2mCp zkH2|^XXBM2D=Y3@8JbetrCWf$+T3lJ;`fAf*T%RzE20+9P48t3sTkLN*t+_{w@Wu2 zy;E;VSv$MypiLPC**&)GUf-wv$UVE>rnc?AcXh;v_w7DK&9~*tBX*ol?_2hf_1M>C zskfJ1i{F>#b8Zy(^wK+T?s@*4){ptir{Czq)KLHOJ;6h-mk;HZuN<={_~Y=gryakB zk2{~4sE-+{>QY?cQ?&f^j+gQHQ*9e)#~rh&n}tN2L|m(#paK{>F^LAK9Tuo@2`f=y;>4$)o%_n z<|OV~#oX+B{7XHCPvPfW|}*5hX20jvYEPZ=LV#zUB^QQ1m*;~yK8bX z+%?h_+r?==px$$90!rq(XA3RsZ~MfK3_X_`KK_T>b5zl&BqVZn^tW@PmJKt$(ROON zdR`a%xw-0tqn8X!jCp^v*8NNK+>%KPl(G_~bzgMY8^0;Efunx?>#1=;(6K$o)ztcd zr=x($Auy@&*1fOOgm2T|(8qt-dtF^(&Yr?SN%uB?*CF%a@j-97UTyYUB>6e+MBX}n zpD3`Ll!ZUUp%%y+Fxvtj9wEG5`m!6)F&4*q= zI1IvE|Ieq>{}@V1VmfwXd|JaO;Ug6=<>rs6@DNa@yGM@o_`)9rqehH+bHXT?%;zeY z_woOn%za-U4JBI7htp@t5?)W(vT5truTRaIfe{r2jKYi>ttW9-2BL#h-UC=cm7?`D zR#dGg(p0HgS?dXI2u5@V9wXc{1tXTh@%jic04d?1dE32zZx|o4cxXq8Lf!CBBM|NFWAW8Hgr>+aWDcgWkN;I@K+>`%X z-9wfC91K;yJ_~74^ndskjy{s5zHSqFFlvvHqBBCBu@6!(K4>~tAthw4B7`;ACki3O zbodjgI%9cf1qy^e6@cslpe2q(7ze17(TF5Sg#zI;l_C`Bu>pFG_gf-H{wg3{nOn8ScXjLJD$aEQ*9n%5fl+z{!sS*&I0RivzrO4~#-#GLYB8%|w&} zIwBtqftVrOiBqb=ksU*p4}1~#`YzU3oKI#zdxdf?GA7CUgz#VM19wKqyx@_yzkrFQ zHC(I6P4$faySI+{YCk2+8-IY_I`ci8^Z%kH|6?x(GQr&#S!*vU!{Gtp-;++zV+&>f z^KJd7pPqF3@4vL`eWPD@-@ktimw*_u7k)A={@E!PMuE>xo$B}ua$bBD@$veo;IpSr zor-@((6Jrk;a?S;bhhI&><<(s$spJM7t5ed*dLw6IZ5$wto5X4r|>om5qSz9z2%9}Y^;x6%I#Y)WLOOoSHFHwV9ouc2|KHb?{$*0m9#L_n8| zn-NL^#zQ55hS=|r1HMvu1GDTTg)J_568WzF1i3za8V-zyN7`=v*Wa<%osJL43*1CH z{BKGxVLWc-BElj#U%0W7FP((*=|}WzBoq*;B={wh32fvj9%xO`56)(k*)M%NQh8Bj z!Zt)N3~Y^P0^!s)T8FE|FA(=7ZTOq~h)I$XXdR^DIkp7aBfIBC(sz-K*{85syaPRf z33bbu43#$y%nnp0T8f30@?iHkZ-BZqw>9wVS!cP%zAE>{T;>DCAUE5y-12v@m(6L7 z|E70Gs(4FrnRO&CEI;S0lx43V^C|{ltGyjP{&kR-97V1K2Ks34iT(8D)pf2^IsGOT z&NT~d<@5+DQatT#pkhYWSk}sDlcT_51ER-3E}W;>R1Jlc!&wO){8hNR>L|Y&*-tvE z#I6V;T3zwU)_6H2zZBVR^-HRM1G4TYF#}1TfxfN@eo`?vGroQ)rRPt`>KEa#KGRWs z15pmS?7}ix^*gwlG{Z^a+j3;HxycAq5&1c60=W*=J#i*poZJsZQ>Rc;MFFx^=iwMK zzp%!qa;19~8hd(n>m~tMn+Evcbu=rw6nHtU7(XvL<)0iTBq`o)K#|FH|l%Y;%pmHqOcL8 zlhz5`_UeS+dz(Hf_z{m|qNFaGTxI4FZk7;^_}>Yx7IF}Q9UUd`ONp#bGGejh0tJz%Jrp^F!w5xMXy-MVKF#UG zrn~GQ_5)!sGCgI@`VYYapn?HdnS8c-YoCvh>kQ_1%4}!Stv>(7K*zkaT}NY1^fo&D z@Fd3M9*qyUObBShY+q9r*RR-ig^IZNqfmxySG?atc^z{4fdzOSJ^<<04-f{E}VHMloz#YU=u$0Q%|G`3Br-V`6mxp9oc!E-vt3fr4FCAmEebZ^Dx zBp*=!NZOOc!E);XpuEV{GZp1s1T)ewDyEI?bKIty;o}J#Od5P3w(Y?U{1aawbF#G% zX66Jx*RMR9FuJCrlyG@+5~MQPRuNS&b>TwhN7F`wQ%Qfdedqb5W`CvHsYG!xQGVDK z(}(2m$&fAcO*$1NWEWkzr4TGskohNnh{QE2LF{gzg8vwUIx#;M@gL!aY7k$seIkwW zzO)_WLZgaZf<$@=PGBeSr5NJ9MrHz>!ku*v!mh^@5-Sz~sNH?Uswlf<%Wy1!2HA`8 zi7TrIV?+Nyln6og5zc*(CYqCv%7)-4$uG&DnIvY2lz@ty2j%)iaiNUri|dOo3sI;* z2@dmt8K}Sy%2kuecdfDXaPcb|k_}7F$h{r&7k*djDRd^e-?%Smz4atnUH&S9HYg@f<35N!wibJF2Y6;~UvemyN3r5fKkf~0P(HnzKc}NvwWJon%T@Fmt1w)6 zgg8G&Csg`yzN}9DSi^S*BhAp>U;G4dMp_3d0sv89!7(b#BsiMUi$9~IWpt8rQvj!S zuVXgT^K;KN?y1qxZ&>BDnK$`^>>Nz6bq}3W{7}B`TtE!15`KiC$Se_eBD}*3eb5fj z0M^|*ZOx*3OH=<1?ZCH}r)Yig2;j@@?qAiE5`*w097D5>9f*z>`+9%TA^RQNzPkOz zpImE6-ipnCYSfd|Oh;EULC=9sjrEZ>(c>!nIV+HKADhS!b|o+P2wI=LQ;=x=21Q$M z2|H19|1^uDR2Oe&l-cO z1vI=WF6}7JH~5lepT(qTnKtyjTxF3F#b+DoOdtKSil2;gQWT){g~mqZHcI#C^?1 z^ntPSmf?UBiS}vgIwd4tmQ*5FIx-Inskn;wnAiH#Hr8TZPg;iO)T7fnvyH5NfnF8Y z*R93FVlLCtB977<_+Gw3unfghgNxRPFDN>)sH5=(#r8k_0E9;4`LQs(sQ!C>>_Z_H z;JP9=gN+cEDpYn$@rQMP#R4((&`H|D@4d!zBT?z0>5m_ zb;#h)K`qDGFuonu{O-rt#d9eA4?k+2?NJU$R^CLD#IPQ|tB$g9a!AXmaosryTWX#W(772KGcM1=~c zAfetLiFKVF!%RJ>BoVQ0vS1Df0&v3_R@m(=bmGT|8wpk0i$p)Uupc3tFkDq|-BC|` z%JdQsA+EBq9;7spjZ1BK&%2P>xHp(EXD--q=2U}KNU!i)HDA;t?mV-V=VTCmY<`ug zS0z}AlVhg(sXJ0J52*WZ8IO@-EUpyNcB`i-aVJ-mKdu7R`(2oWq!!^F>^=txE^13) z%o8R4iH<;{jGI)>9Y`8Tn~W3voKZ+B1BI24oKgdi)lxN3$xZQh=E@wVv`o>704$Q0 z?TkduXGr=s-3Ur+GK0$iVlQNXT0;w8gr}|6XF58;_)OcPH`_Y{Ov?MBrq@k*Izb#L ztDXiX-hAsQAEif?-A_$o4Vr-F8clgvnDUr?l@oZ2pmgI2KNW?v^*p3|_ zvTS;ji4?CP?tS&UDv-qLM3+3xX)JYvwWEt8D~{oKp-`y;i+e9+D(vlpEF}?bxE@Sz zdQL6D<(@ARmddyu@P@Qia(mb-{1bg^rwl{hNy(WVEA9h{Fl|nSHs?jJa3BW*Obn=5e0%Rd-b}S+oaZ%VB{>hI@hPR27<@ zy@y^4>B@sRs95ne%u3Z1Yp zD#+YUhwMP%N!6adX&w^fy6I!c3}THa;ru=}$Yn=Q#l5u`AA`_yj72GK0ll7}E7J{& z+t~pAk9I%NJo2;YoWZ{QO&_2^1t!*xJ#Mdb4tlHgld)s|BQQQi9go2=}128>PGZRb{k~&ZS1Vpe?1xSJl;&*`7(PbS$6aZ6Cu{3mJ5n9xwcJv zy51G(lY2#2h`3%b71tqQjJ)w(SCY>0>qVLk@|>ef#JT`(6>~~hjD&@%D?4hM83EP` z_s2|_I2WVD%*~b*=LMME=+(4XUdtXe{fjBFM$v7NSYWoXeyFHntwwApc!yDfSgVS7e8g_En#Y+hp!?LyDgupz7l^ zYaso|ZthrGSFPoDDXLG|${~$V6c{-m-Ksz4U&_c_o4n|P=TO0)u&*h~#b(fpwJFsv zR51`_o5^rmXB(uhQERg(jX!1NC@$IwJL*v-z}4SjU@U?elIw=s>6Qf>RRNkWDa~~? zdyrYMVUk{ST}IppFu`CaHJ#u#c_;281h*_b3W@u0OD}ztBRT6M)KZ!USJB|3bz(kM&dfg zDUQHWPdfknr)7We&wa$raz~LZ^lUlu| zyoAkAPoQ-{{^j}LSLrH8o2){NHC#A|Iio(@St8@Vko|rcCFrKAEFkIXy5q|Vz@WX) z*Q@6pCgaBI-=eRR!?`lBj>gNm!BF&)2}|Vsa>U<8hWYKx{Ylp~l64wK`SVtIMTIL! z{8R>h2SZq3W2yR65=}{e4~x|*piLE0WztFgt8{+_T&59m1?A7tz?fcoSoA{0976gK zri2a^K0QWI*T9bjx#w{7eq&Ow??fK>72=yov* zvracS!ht0bY%WFzs8((gEr=h;oTp@Bcf?IdUJBL$HwEr|U&c){cBVo9j;m&F^5Kfo z&O$MPBY+H3bYgLZ99%-h!wU!d4L3(_uZmGAjSEAJeoFFfF0DzfZ|BSo<+8mmXrqkF zhZj^xm2-X4+aOLQrpvgj^k^iG!dxvFDmSq6Th#I#Tgeb!#O(9k4e|Qb$7Et3{L)z!&u@S;)MQ%1&-d`ahn!dssYC}ie5HUV%K?t8J*h<4;e@n-lM(-@>2dYz(_Q~rHRxbpm9s?hF@lpLT z!qRv@eP}}cNxLUu?TPf^=;>8@+kr&fm-)my+Iwz474rd^vcbnt z7LdNi#}FGTPN2Ly(jtK$061;QGF>qh4ba}d|jsPlvO{d@nG@72B3ba%Qm zcWP01%Rbaqr|_ef0~-@=phI1pzmC%ZF&G$2A%Y&THK5RA0#0P&DAXoKcuEc|rHi-%K79v#l3#1uA z(P7}b6CYYDPZOtLYB+^76X84YH1hli#Tob=+HYNZdwR=B^% z9jWQX)KB6c!p0Nk_2sZ_gkw{Y`z#c<74D-@tU&I4BH-f|cs_vTb{`fe6UfG%a)kvV z+wYHzz82?ON@k$=9rE0#tAxpT!&dmwE7Y_Vp8H=&vy7~E*j7^K>)Sh3zP1>r86h!7 zP{Llo)`Q9BfAzjRj_kowZS4)0Em)TflG7gHq0VQC=S z(Y)87c>oD4lr)Mp8+qP~b*W@c2bO_DR#+Np{8Mjk^4r~kNOVPGX)E@CM0Ye!`_S8{ z7JP94KfeAZpJR9kVHTAW}rp;j60yM~sY?b8vWFEBYyi<68-6W;1hH{$a z=4%}UmJohWIZD+3@~1QTmq<#b1~@wrTAP1eV8P3pos=ylkErO#pHfJv<@w@NAISlW zM_G?~4@v_ISLlXJf0+-l{CK5zgL6V0gvA1xW1x^DYr$5T$oRrEbPg!9 z-3#bdq8v-$1o!T0yrW}?x6p}t49QAefVtF&{?4rY0k#W*6N}^p|mF!@NNLf}AtK ztH{YXll=>RE9RnLXNTqP8rbK77yHdXr%uTaSAq;#xKen6%)4ounQm*&Q3111HGPhb z-g`rRCQ|baZ?m%PXsa*<8OlQd#5RDPOWOrlr0lo>$zm=m&F2`iAqtY#w8Inm9UZxM zZb#_jj8nD1lGrq%1VYbaG%3A)87ukVcIw0=rkj}I%l%5XaZV<=-}Pa-CuHV3+#huK zFJAy@d{ZqzCd+ZLm@I2rh$BdmUF$&1@uoFkf^0?`*6AadMOj&B!%lrHu*Br>h?9UJ zPvFu@+M`^$k(7MU!R@0TQ7NA*s8IEOs+6?!<8JH2L=j77n95$rxzkWgS8zKiz4$=E z{m^^^sGPj5x=A-jU+#d2N!(jZDbY{OIbw+q zKZmHCgOawdu`Ozxd>~PcGnhi4YZK<^U_`Kjn2fo?=3L=jB*=-EH^lk~a{)svqqFKq zSbW?u(9ItrHw(p2*u%g~T!1}_hD+jERPeKH5p}_qD_p~l;M@?pt-)g0`<^&2!fY|{ z`*A@c7zf??d5~|QPw#{BV4K8@8Hy}JU@~eCMj^9II4#SZo)d>+=ILj@fo^>7O2vj# zp^f>r5b{IhU~UK{GUkI49tmS*=XZNn7X;^e=$kR02i^@*TSUfMU@YVjJuvN-vNM3h z9qdz}?MTiLrz3qH?T-(lJ}<{LZM*nX_%o)dxcN-Uj5gS%KBiUQOLa~5qdS`Ksev)N zX$F{vC%(IQwyB&pUEB^Tf-6{-M z8g`|TQ7K(eO(sqy|1YNAJs^sz{{uc}b_aIYondESfLYjqSzwS+26to!ca_y$1qB6L z5)u@2Ei^PWP`qElYu>}sG*iQCnwnUeRGN58%^Q}b*+nd$veGm&Q`6q>`aJLNeg9#& z>@K@AXU_Sa&+YrV{Jlwh)B%RvJx4p}`oWLGp9pdbV=r;eS5idINb4Z`+g%;cQS|M7 zxUyh4E*V#nE3S{Cd#?JGS!_X~4H{WaC`{5`Mf0sx7ySn=w1hNSv;|f$76@JS^e~iF zcav3M)5#xUCYay^>c3mG$xLx?8jHw%8q4na{Vqy7iZ6Lz0^R|XpsTEoyu3Ux10evqGMOmlq zR4!oC&F&^;u}SaO+0SGC4V^RLJ23Y!SUYSAu`=t4vTs`Dnn?90R8rbFSa?y_O!Zs& zh5BrhZlG>7yW8n68pNKdLcRAOC(A{W1FyKUAc8hwAzaeAULI1I|JA2FntuwOn|@lX&6`Ef-i(U5{E$qRNaY z`w4v9<-c4?4AV9AVNNG2=xBXIi6oCOT#lID9T_kNE zsvz}nqBNCFXRcY*X%VUK!y7yr<}8NJs(`>iWwVj&;gyj(8#y*pBtV+jQBOh4kk&QA zIfP91pGHzpYouKMCj>G#sS8!ql-+z+A4tj&S2~49&#N;D6m;|(!dHkBqww+)883q7 zAWqL~gtOA_C`XpSfno@p{oKY+2&}QU$N$8P?4mWIz;*boUV^;iv3ArL*o`Z^KcK)y zSf^G=fmNg^YzDhj$$CF#cPUwT6VDN9oINO+uLao5 z*#nRY{i!Dlbf42ti3-~|M_+DGX3M%j;jeF014QDBf)TMg3=|E5PDS7yaQK1rU4X+; z(9?eVqV^J!ezHTCJt*=g(!LZ>G%Y}>kL{wq6s7(F2P>9-MHfB&u=XJ#39jeW3Rx2V zJ65u>Ium12zeY-P)vgH2cc~n(Wj~e%!o*01OM^1%^n+OPz<-+!jk*BXzl~Ch{(H!0 zL%f`)9+eMDkngZu5<_>>zeLh(c{>H*byYX*IHey$RatzJXTXz>_!0E$W_H%KSS!k; zw;N}A1uO1QcSL&Ep6Wdp?n@5sEe{)gialu+Xfu)YSFw!5DVh9IUzlA{ZE19}(%gS#t0AH++WM_+Pr2I<^H?LDnF_ULUN`EVUpPiyFHU!E2bM+?V z`v=DF9;8_l-HGfT=x5s5u`yD_aq>D!dke)Zva-MAWk8oPcrMgQ`fRU$69uQ*TlH~a z+L+WlsI%1NpZn!--j=tQ6klQ>W3}oKhb}%i;FiBC9BxyhN&oZR?b1sVC0O{o+Z9L zT(gA@icblODlnIL_h;T^(6X2M#i)6N4Cgk0L?3CH$hMrlKPmW{xW8J=F|j@A?(PKk zBgm1GV83f<`P1=Aq^2^Vax2{ypz7~%^J81WfbYPyFrmN-gC~S0mUlzWF#6W2?f90z z8!9M@f%&(9(jSrgkIeU^3*w=eO9^^dw44=N{1y^(Y*1GGlaWy|1`YKznxL8xDJevq z?Z?svI6N2OSxN@#sqY$>E+4KgM$BXrlv)c>{U3ZhlNh1Dh&aInBuQTaB0|L(O4&i~ z?|8n8+Qc$TOl5Oa7ltj0P2Y;<`~~WvZF)B5`orVZF=)*S%^vN;a3V;6V>@YPc91I+R144$f$Qw8TCn~aeg0iPtc@g?IP#r5C@w4on zH(mh7s^R1z&=|Rx7CW_YXFW^+s|u6}iS~n&AE33p(B^RLUNC(%f(An3FVQeZE#^Ff zIIYU24n+A+r~Abmp=_*wpRi-5`)y@#oEV$T7CJ>CBc~r*4#9f0y9fX=%7v|t?w$V! z;MTqg_H>~?a+ZyGV=H2Ng8gSnE(T&H0kEpN=W1^uc3kZSw9Jnxr$W(DoP^wyYSYkv z`r_#qQSAhjw-&AKhicm)?qiBMVe-s2Xl>Ej8549L0-t=*a6~1s7mI%}0+y1R@0z)i ztSm;w3&|1iW?n6`;qjY0ns9* zfuhPA1)3W*-9;xqa@2Oi#d}fhx2WLTBDcbNw7pQIxd%>vgs7v?BlGb&RC^AwjgwDf z_^c@F@dm_Js(+!9xZ=5CyqIS+zzNEQtv_XJl z;uAPy{U6n+_^xq8Mx;6)thelp@~b3l<0gM(fGV;7wyxMAEfZTaZ0FeY?o0;;wi-!M zOl2e--?D1&h0DoS=1e5-)QcmTF_DhL43Gla3z6Ckq>YLM0FfCLDQZ!0%QGip;W_Ui zrhVwSUocD){Onm7B?(ZvzJ$1*k<3ko|AHRnTr=sS#KYXQq@y^ULqpYfAm_GANIsHi>Jn^QyE; zP;Ii}p-m81Jq7oUsYvusM$*5yFDn#GL*Or&mfBPbZRVa$NjeHU`J8`O`O8@cX|be7#_&u0FuNnZSW+MT~E_khp4+z83jv1sOok*?GWc_@;++ zTEcbmZ~l5i0+s5yjv8WNqd&=*>k)!}6ZW+FZLO4glgOyz2dnAWGt$WX!)Y+7KWB8e zhYc|N!rj4>27pH}44)(8^PD*F6Lhwo6w{W9T5YB{sK*|qQBBIexB&EDs@w_Le8jhR zVm_Dizte{hj_1=r=A#cI_~g`T*F$^<@1%bB??QSN0UfoTM}cRl9zu#PndOJ=D0=-z8~-3H2tdD=s2InVW^nR_d=9>W3Hh*J~rRF^MXOJ^QksRZd2A;rdKt%T)0r zMw1Nns{w=fme5uk9XssuXw#fqY!~fiWBq#g^Nbi zwCrSiDR*S;7rJE+PJvJX$3*B>#7&CSIshKTb|8}{_m9LmDx~MX(9tL1zGRB+aHQUo z@hK3_IYu>M(6O-(g~QwwiaZRns!zfFLu7i8?1-1SdgS_~J6M-eTubRR=OeWP3EP}K zwi*`ewsGz9D$TYWGo3`%mj|%(1pfi_%gdm;@lDb>b{7>75H0IdPHvJvjcS>QMk+&S zro`?29nEiIKa$uIm$e*k(dS@8v!GdI^qsFG?0zu^@JxMF)vU!Us|8H z4tX+=_hmxgXwha9E{pmq3d|%&@eWTF8vSJ?-bQ5#+no+r80Sp0XE>fUt5*oU@EOI^ zp8F!g?)9`|xSbTB9w#)gAP=&q=4{f^kaIKrr9BOBomHKzZ))|OG$SCXg0o!=PZF@^tk zE7SqV<}wRWshjwb&<{%;h3FjU=9q)d+Gf##OweWMvuW3DPU^{a)Q)5ADZ0!d?zd3q z}FPT?xEiD&32^O)WujkVN^EqsY`fGTZ;9KX17y+1w$vBdGb>h$cI2q zcQ-ym{>40W2DWF53D&Zy+E^U3-;$0s9W|`bZ=uQ$uq#a8ha2~V^hkKqZkS;{!g{SG z$1BRo?7RF@ZjpsAg7~2{NDV5^gGPY3s3X>s&`cXvI%a~D=V<@soiryL;Hm9#quxja zK47n~^GotvR=s>m(LRIvIVyXua)UwX!&M9H6lLl&K?bcqJ#v4kz9d{40uFNzI_c=s`*QVC?q9+E0AhHl3v8!HjM+h*43(`*X5tp4Ms% zJ8n7a_7f=k_DOqm)8}kv^EyXj%4ikY;!W-yj+3b)bR_5M4yYS^3au)`GnhRL|GT~s z`|dg^eG|65LbI1QPe4VfB-}WUe%1R~>Xbrb#vAOcRX>XDWAbk_{8)y(E3u{#lGyYbc$5F8nsgq?iBsHNn4BUAG&>j7QN4I5H#gj=CD+x zK`eGLNAKL>$&c24G3I@Z^;stQah$NkUcKp5PHf>Rs#@C!iW(FH?VZ->qM=c@2Lb|B ztlfzaid))?((`OrB`!*T!3sJM-G=o91Y{7K0Gy7zmMyx@@hy+v*`mC&#c`EY!@0KY z_$L0|_o}`sqW%sqDw9}sGT(N#Cf$UlQQ&&Nln2IVYeFa^8fLivAb{#o8>#s3_-Mvc2Oy9?#jHsS(Hm z(MYrNoU{0$uoAw{UJ7l!K1MKe)gF2B6*#`hwDY9r3Q>9zdk>lDOZ-3LN~$&nhhDFi z!J#LFJ^A_=F+s}M(G>G~S8;ocmSw0P5B2>qV?Bh(g}8!3+f)mHKw7p7@XE|Ne}mF! zg~7Izawd!GEoHANTWM%Kj!Y-dxD8ZiF#okJhC>m$mICwDH%7f%v?KjPIg8%(tYdYOIw$O!7r@1Z zNUup%?s2VFryFL`xyZ>JORgTQwDHP^$$EQ>^KGFRBb zL87ZYAe0%lz#jf#&35HIzMziaGv&K6@}JhSiQexBJrnV{PU#PX z@I61OXg3m~l{Tx;l^!L?-0dtnX4?|vKZ&55!~720 zBY!md&rw1)4Tr`#0P~zS6}Km-P4wcquV5;3^C+y}vDcKb-Q`*nci*z3GkcVki^wqQ zW$FX>Ta&!{=Y+B>4irrVQ#q!4#}Z-31a^^j1mo}2+r8jDW#)a&L6Q&ksd6`Ud^XaW ziKc(}+69ONMVM_uis+_vGEB|H+}jqO;fIQCg_ zhGQnQ88tEMX)48&z%Xk}8r&+I!kAm;&{UqoF?Y>EqT?e6>HO_ z8-C^e{((Qzzt`d;g+H1;f@G*f4Z1nsi72{^9HPlvh-yDULOFySjW4~7L=edhr!e*5 zHpqwUm6PFlnp4kU?RCWc%d<_8;BJ3L`zXx!qj=G*Pc>+kFmZpryx6Swi<4)X)i)6T z73Ytz4_7|1Y2#^aKT>n;YFz|_%#LI6+Bt)5hLAp84y!3E_ue5C+|l(tU`y&8q<>84 zT$-F87oey)jv}+$UG^N6T>3V0bzy-Lrkz6Ha)8r{2v>W(AEEzc2CziEi?j@a``yex zrDqbJ+vb|rl=nL58Vo<#5(o1vyFWJzYLf~VGcgLi{H<3W9<7Ybf%ewy%WM(%h&{1!Gq&kBJ865o7Q6HT}3??gM$94d`l^qkQDDnrFtM) zK1Fk#Db^*w?kcE6Od-RjyNSHHh#APJC&M9T+}V1i@S_{&@b0^3u+#Ona|Y~#x$rnJ zo=n2Yp7=QDMAGTCBj*J2RcvRrn{?jboXRKb%@8JX`%@~}@kvbTHtv%cQh0P;V@XE= zC0u8YwW(#F9&6=9|=S2|Pslf=qGM1C6d_ndEn) znK>rGQ(i@pr8q&|NjhI;?OMPXIzTy2T?BcgUERh@3-}YtcuM^YwY0-2zIHiQ+^?js zdW~>d;l2C5=X>FAm2V>)gW~YB@H+R=rVREaZ|n<>0dcfPyN~L>gRus`c6bHsw%-Re zi1u;#rGNcX!uE_({Jr<_r*R5iVkp##jt|vL_Q1ZYok-dGbSCFju5f; zF_L1P{nXKwHlx|`31ypXzW<{#BM)V1pECD-Fky0k#L$yf;0s28=B0giDMY$Rv05o1 zFN~a%kn_IA5Fp)3&_{q|>+V$zLhVmdWrsYxNsSSio!$9DeJZYc8yJxbsA@~&1?LAD zYn=^~QaGHNA<#S6RC!;7c+CV8D70C*Y@!PS-C1YRDXd>Lt52gMl~6jHVX`TDA)#sQeA&?5`&n)C5-aF%`X( zpHuZbo7x$P8wF7Hu`gCV!%VGp@+H7ckB1efr|%3Rc8qLM8jnuzLUG-!u(bb>D2_H! zHT6|EpGU+{4>PyrO2zz%D`-@*m(`7l~JC)2>(m=g_>ySi^y{w3uD!| z6lnO7&(8C8RN;pC0Tjj!Nz|_LtC7_{8~Yt~z)LbuB#dY%Uxsk^uiR@=!0t}3c9NxP*;Ru3$98t;?L zdJ5es?9ZzDBSM`HTW@Hj`{)%wobW8WJ?{-l%%h-turHal?f6eR=}TY*_AF%!f|_4f z2`1X)*qWfPLppDgzhES*kOe3T7i)q^>im;q0%!>x@N?4qWzHoRMELri||E|y_k-S<2X}Ka-TBQ z_0%a}9AsA(8ij#-PBa8?J8y#($daBX%(hiIdT+v)DJ0_sF^3p+A@aF{GHxf#6b@Fk zkuCV5GA|Nz4$N^1Jyx8NjlK80+VCm=h4xj7kjveTz;l3Sen@}2%UKSg^4E~7Z%ph` z?N#jRP9+pZr_XkFrxS{1kvRSm3yZYWh24Gkf?r0#m$1wV?tw+?6h@(e*)AU0)p?b# z02gA_PVFg__cal?toB4&9CG=w%up)zY||D3*9y);%}k*&jGR~14zz8q^(~HHH2N~9xCe&%26~E*(zz+ zQNR{qsSR84oAuZ0`po%yRp%WuxxOaXN)V4Uq>+wBR*SWQi?P{E-QcUVcOqokDK@3K z9tww)A}cVJ^44hJKL8&t{|z;~Nv*}F^goR@x0PM$zNWM$-}b_eY?*ovmHb%_+0X+k ze?e=zqe>&L84EaYhK>Hqy-B@>o9g_jz=^qzH`V3#C{>B35g>ckdZ9htsMOMBXbQz35mHMNw%eu?%VmY3PicLl}oRbS-NpJ zO0b2HwyOmHIqfoLGrTHdGQ z)M}z_D@^l4kiI^g-wi=Ux`4G|c+$l=nK?!29jWiMX;yhVT~%-Iq#Xw`*)Bdv0*ThL zMCw_==IHmV5XJ1F0VUGcGL0APb3t0W=@eLov@TdbkhtnZpeB$}bO7a4d-oZIeWjm) zMmBYWeT}{ad;HzyL%+ES7fy2M!6z(OOr;e9#U# zmA79UmBIIMfS0yA3JgsD%^qJ;ZjY{#`CkJ?e9%$oSoM$o2rCPElrBN8noBD|lgif? ze;z8n=^l*L&wJd)^6My|vJ2>3=1e?P<};9Tu!}RC_rO?``>!@@v z8r=(lcn5Bfp|%dZcrQs$vb4++nP~lwaAuRqH z1NY8zAhMoGwwz@rs;3Pt=Rhe{fEW`EOFJCzSz&iJKyUlC6gZ(v9OEz70p=#ocu^6g{kjjdV}-5n$tkrPu~Q} zCr>7t^hkG@(DlONZ|7?9Ht80u?+1`{2Luuw&C)%40=+anC_MxX<~?YJ9nxU_gtcY} zqg!>FD~#4blETWN1#k*|qcoSmzlz0idEE@IGXH;&x(V7aIXB&Z6~Bqbcm^1BnOIh4 zpogUQ8XB}H9|ys2Elq6b0s~SCZSuC^;8<98UJ`<1ovPLe1qbkg_wn4|D>(bT^ft#+JQnOsJ385dg6`tc!$o>=-#@Ve>L;+ohE%lr_ONEpX6FR z3B^x(?)d-G{*#`4J~%eiqo)e;6+)2}|4q06G5`PX(f@BWg$P!B5m`r9RXsP>??>&N z9n&lN5l=ER$O0>b>?b|P)|sk;<47muG(ap*DR^8i25^@P^ zi-FayhJ^+&62MJ>=j{gsOy2(yFzGRs=aAqyumMp6(nqt4)nVx56wLM#zCgNr+Jl!d zI|$g{%|HOx3TMvO64H9M&*S}Q=YHVD55y5bA&A1mp(n7KiOzo?GI^{z`QKcQ3*q3A ze#eNMb*(6S@nN>D=o+xVh|Lzh(Z0gK2(jAae~mzRv;BbQXS39yn18YODN)D7QK%G1b zh{|U$nage|dc`oJ9R8pC)u9y_dV;bZVHe7Fk4CN~;}BF6^agc7I2|PnfkI=d1}h9N zIHxy&gcn;vDfV)51j?dr=062c7!}8kEE?cA40*|tK}l5;L2$aFf|m~xobO!5M$;C zfh1Lo^rJH<%jSu=7NiE#5A;LS9IAosdHzE@c`dp*2+@P|cMuy;XXBFm=>x-f2rZwx z4?V7i3#^_ao@8gpKQl;A?@C>P4+!tNUd=S}Ef5F+`l3)ii##Z!7~B7}lXpBvTzpJ0V|1 z9%I!;hr2<;CCy|rwYQDh4RTURDhQ;Xq^n#KwM)jDlWx8B?es2;fuOkPw-XbKvjLs&$k#5Z~MIRZk)?f*-XQQqX4Wl@fQOwvXy|6k+? zNS{IsZW+CRea9b1!2eVA;|S0FUv@-UUgDEI+^b4_Ow#`~tYBux*j|qbNuig=JPDoQ zKM1zNAK0CaBp$dzXRR4@)T5G3$dPAYYx`G2<4!333}n7 zjy6jyxvDr5H?D!w3ItdHgC>U~_k~3$%k?V02WLae3H|aR?>-JGFfNqy6bc5$xl==* zc**I`_$SqF(0@WIN1;yqTlG`?Zlp~$YU7CJIoCe()tyiy z=^xc?M0quq8IIa6JmxQf;TOe$wObP|$7Z zS~$_x%q)$lIZE5v+U9qeAL0W@yhX9H)*F}m*=ch(m9k5`eUaRgBh#LwH@pcN`bpY4 zRFNV795H_?#`DY6!6;*0=>JOH*;N7HGxNG4el)k#WbEEa*euje-i%yd6(2+7BIgP~ zVJ4R%Z51;98@6>r%i-H^Qg2b`wT|JFK0?k>;9?TuP*!;yN;Rs_A$Aw*yFQ(rsr$n7 zos^>XHc)YSH_;l4+!zh$>UIFpBi_)EvMv_B?tdNte$OqWPq%1RllvjkJhxH#Nu~R$j;ZAq7mcp zWLS`%Q4ivx6~@|IST>v2_QypNkg!OI;1`Y$;_`k7*wGc}@n{T1M7hvd;3i-ZpP|+x z`{zQh6)T`~y)X{COD}|rFO=Cw^X7u}@Cd3B1~IP9~790Z7a}{A`D0sWr6#9dKcsPdj{&MWj=gp z4Td{$8A0x3g_GMb+r`r#QJ>cT#Y$>2c5R0&VffXc(0V1-!1hdaq_CrF=!?A09K@sTPAiH-zywx3LlgA@I^X4#e(=fKWd@U^lAI;?$e0@OTPQK80WhmnUFyR^DeAx*50%rtdW@8IRbMVfPWWQq{o1^7u16 z^fNs3GEq7U*@keoFD*J3U4AzTmgWz+^7R;6glg@R$}6J8*67JW3`SUOOSHyDxnB~8 z$QdgO?h*Q;sN(YoP$71+FkGu3h83gTGtgQnc9xVcCtQ#6jzQT|d>6qMmetB%KnJdb z>c4s<)U(BtS3|dk%HwGF(*|S3XUaoS>=}!O796p%2^wc$Zc9w1m9)#l5<>}ej=_oI z5s^%WvOlXcRKU!mcs`F4vt#;ZL;8`}TM9i$ewc)7x%_Ng!Ph#LCgBdDMNKq{xe!*v zoKDg{N6h;+ycpQZv58`P@S*E3#flvyY!_|-3Mj^KIK_Sw#DP*d(XR{X9k;{d|;oR!!af;f!lz)f2=lC!nL%Y|;9>Ez;{g(R?2PVPz0|5d)r za$Dl{F+k1Xkl!InJw!OJNM*A8t4E_#ohExHNl_<9Npm1O4)k46gWhUc=(rk1Jt|oi zXu~P$ADG|4D}kTzHoVlgPHP_)_=FlteUl%HJ3)9HtloLb$W%PZ@o%yU5!NK=hNwY& zUuPIjfzPd<#p+{JcFW^K{J#Lx3Uk3@!rsRz{)aMq7u$n>Qn$HMp5LtQGYAV}`g`(A z)n@Vty_TF8pL1!(yoDoI!j83N8yYLM`!x&-ETgEY|f7CCTQ+ohnxY^Tc@I@PwX zYb%eOt0K8;cHbw0D!v@gs+UHHtE1A}%hOYXw@|0W{Y9q;=0^Ohty%JRF`yZAw%W0s z{+EPv939)KrN}qd@oSfmV!F0b;5(n#!JZfXWmcx5TZ`k_52+5+k9ZoCeTR)&FL3@l zW}9#TG$hLnAn@v=@9F?RmC$F-S0FYyOuZfiudDc45}>?c&XJEAefQ~D2+Z-_0_q@? zkrQ)`qF~QfHke!iQt{;|_a1Ev9e(>?SX@;mFk`ttfDa=JbK|_Q?c4xUwC09l0K&ZO z*`6g&f?--be`38GA^k<4(80oX1YW%tcu$e%Fc4skoAumqxqUKD(1>uU4Ptewuym#5 zOVCDs0|8+Gyn7%crY=*PXQ)35sa1MPOdPg{F=I03- zx5&mHVi&U=<@99VJalbw*O~~ANTBpd^S#+dCWjP*IjKhlC~GT<-wr$DxzcE%`v*JaXF@sySN7`Ys;GFm+;)=T0{5pWRY z~qPQOJ23o9;xC|--tQa{7chkZ0)?0dOU z9qmI~zf6DBHfzsC?MtLR9}cJlX#A*`s2*~;nFL~IRLhQu>=xZd0!TD4Pex=v`-fmV zaa+BXcEz)C%@1vh?02{c5$sgtwrNrDWInUz8vR>cnef-pSOajx-u{GZs^?n-&M{QM zebqjr1gs#CDA}M@V)h24O~7NIojH1RV}Iin`E+E9LH~egJP5ZuOqdZ-;_q~NR^xf_ zvRoJs8Lo}jutLVka(Dv3%RB0exu;XWKd^_h}a)!MKXfWpysy$z#9=147l8fv`u-b)g zl=r+E37dm_1wXjGPwf;lL{(ZE#iqW@c;gh9gByNHG`5qN|N*DSAdLDDz zs@Bl>!~MU43N7Ra9!GZzUXxxQdX5Zv))Q>so6=+OV|!;j#q&9-VuO6i1nV%`UNL$8 zd^}idkMT!%Fr8Rd(y+LsBMYPg?xTK!0}}z_1VlGb0}+UNAq4#3#U2Nm_LQ_aBrcBx zqdDJG_?-HYZ}k_3HGc;~roqAYuQR}qnUld>FyoDo-_rp?+P;ZZyPBaml`?iYzX579Y;bQBWE zUNERrP;n3lCrPnW%zPG9rcyg;2AdGn^j%?rldMDi%pf^cFG%x@61W=RZaHFBcLT!# z^S$h`2VW7omiW{zp^(E$rKbtbe&GAI+x5NncMqI{oP?fa;1CQA5K(Sm#6}Zx7OXeX z-K3|%uyU7#Q(}9=mj7~_iTnmT+-_+mL_$WzNeHg71WUfN9w+BGpxy|T2ctZ-q$7b6 zGkr(j7N*>&(}tVWkHP|-$ZTnnR&NO1IzQNJ?)$N#y^OWf&VoW(?*dLu13L>|N}Y$b zh%ljo=@5}Rzyo`RM(ivD%N=;?LNET{@s?=MmgpM+&myFf#=QJE?pG`A*2|3ARD=2n z1o()(&Bae6G0ZxrnXc5|G-}YDqO$4|u+Z8K9NZ2|1#Cm#fw8p65Znsb$Ty(hG>Cgx z&NKhUO{TTM=!WxLb@;VC51Re;}Ncy?RP3dn+$v4$eM;VobRY&?j6r4sp3_!<6s<4GZ9^eEK$HH2Bt9g%~zPH}5G zrQX+iBJbO*V*$kvv%d=Yd(1Kl%~$)FLF5;ok4w}65!(AECbxHBg#4o&W!H=lqQ0#v z8=XEuNJZJ|2R1Dhc@<>uCvH!{7*xl_^U+<4IutE0a+vw?n)FpIjKf-w+y{ai(2jXfh(PV*l$E=~XiELA(Jq>Qpj~M?0)Nt3X zE`I<}Xv5wh3HLq96Y{13XT?yeE`|1Is*^9gsMJe9CS!r7c1Fvi|g>M@1!s-6@^&IFa`{<)d*jLq*L= ztsW#iyIcW%vI2pk_&0lkRH?HDAIVBVG!!x={?3CytCx&fy?iP>tAEf%@5cMB$0j z0sj#c)1BHnQtloj8nPQE$SR}6n<3~}CZqKUL$&pkxFzyQPS9!)`LdJ5R!YcJ?!^`_ zLIAAT%n?E%q&Ku)LqV?DrY$zW!sj)IX^YHqu321UP9LcHa5_uH2@A!yo~Gi8(g2@e zuLvWQiN26xbaFRL6|=QK!IdM~L{phX<)~mVAna^;ai|7;V*;wpM4FxOPDK#Bw%`Do z?hgTG4qI$tQ2)oM&5M~dU!2%?L><-!8{D}{84EAFPOT#xl{6HMBiIa~xZ-)aDiZ8) zYfO2ALuA4YeIg^)M{##z)*RF;!?n4w>UN~Z;qoddc-ckj76V@&Dn%>CdY+~{ibcun zC@zc2cv>H&Xm=tT{}Rvh;A}38V;kKcRs710j$pfi#-ry&&!~K{j7o1+yXo zDB@%6ti07mx!B64ly5=)XARt7D_iXy6b+f(#)_Xk6R;=|7@Hpl{6ul<8T$n88nQF>_+RoGr__P?G?-&PCX0 zQBlH_+YHRnpjQ|Zw!{MsGs?FkT2!Be57dqd;zP{YBsq)Y#w9_3UT_3XaSY;^M-T@+ z&N-U>DCPl2c2OlB+C20D4(eZ@PQ+=iMA1*#ljU$41ei6@dsu#o7CJ+O5_z0V_m58( zi)d1mM@7X{(0tGO_azH-5pCd4@Jiz?sP{cjp~io(OvQrYw1u{}uivX2XIoeuq^~a- z9Y+~@gmAUsW3=fHdy)ORnpV{^9KC*HS!ARa`9k3I7~PDwUdqU9>fmjk=Gq8$HT^PHA*>F31D8YJ z>))dBmqR9mdfP6RZ-7l4=n=&(Y4ZCPt|9?c7ncdhArV(P1P{uBc4g`5;*aJ_M;)(8 zqal%Vdhu#>yBo0Y>WL(MIiX2Z@k(^-`X(%!g-fxJ~zmb0p<{n$w z&7dLQG#c*7;{>GElyzaAiAUxeUM8GkK6S`n$BH$AXf-?TP+(x=GaX;Ya;K8{l(tEH ziXZ9BBh!FV~No zz-18%GLEucR`h!W{sjUL#t_&blC)q+i$M_ z82mb~A`XXipVLrP0#MkHlE6nW9V0@~WsQh)m{dqQ*n+eV2=#5m^=AX;U>t`E={1U) z0AXb%^PJaQ7qs3ceRxzZv}5+RB}r#}8pPn!SUL~Vlys=8=9Qxxb_TsEycD4oULtTfv@9JLNsUozR&MDnY_K*M(4|1XncL7&>jTO0B{ zyg`X$AO_Vp8E>{{a~sq7VUB?j95&Ysu&p(*vW!`7R}FKJWdqRbnr&aSq?Ye`0L z)1OIIwwau^)sP|6@oX@E7_5lGe#rr$*{X{Ou=G>98`nH5*i#d!QK9qm(&@8KL92k& zSEHCnyKj-pS-0m?l(S1)WW+mQ2G>n^8*CrGN4}RqKV&x4lWOpGVB% z-i7OGmUw#`U}$`X@kN-SHe(F4g{Pe%hA~&ii7tx=tS4WC{2l%pr&~e~vH@A;TLYtW z9QLh-Pcv&;%ao8;#i})C$g!PrcdBtDo89o~q+?>anR;0BAK{_b9ajtudk#k8iD-Vt z`}O~}xc$#K3XjqWzLlCBE`4I}ij(w5;b1Y(vqg%97WUWXJozEbH-RGsB-rUuz!*7f zb#OyKj3NMJz6JJcdXzz5Oz_*q;S%+_wheKg(ICf@7NfR|#nXOQxN!rxlkkdkDES&z$uuQLnl$%SO0d-9XhGzlZIuhb~6)A=+(lDO=o~w!+*l* z9ZKTcaC-ZgpaZ4m**~v8qLowlo;^w3gnYZ;!!AL-_r*IV zbu!M~4b$TYlnWuE;FZqZ3897z=AMIgz<{{tE`);>P9loQc)j6r5w@fckT$~Y$z3!# zZknWb*<{W9R}_I*pxqjTRj&_LsGG$dOEgOH29*w}aVhLd+hD z9n7B$0WO=>`bZQUI!|@Qs_(8~rqD5+6y;o{uLqur6-g}apBeLRJKu~^rRmdL^3BYIBn%&g!HQ%=^qTU5~M!gcDeyI2!kmqBj^@O4AyB~^`(f&YH z7;-{^MXn0>0t{0{Raxy0NZ+f9VnzEy^+F z7`RH98ZZiLg$FLa=54YWVlE0gpqhPD2WGYgP6^LJOW`ZRz2zV>seK*Q{Xlid5ertL zs++#a5+fwx^%*?$c<3kIvM3)2%r%yDQzPUy3!kOc6R<@S4v}3;XZ8}?32eXOI2`!O zXG1+7O<)#E_TkqPTpyRTGDl|TB!ij1 zUxX#2fD9%2s9VD%4cLpp6#lnqFbHe$Z77ZFfpZML1lE_AP!Ogs&ySP^G-?ZHrjzPe zqZBXwG%eq;m{M+Q$^nyLKE60*<9KbT1aRL zEi}+T3+1K-3KVFeg#txD3KYs!=p$%F5Ri-9R79?d0tyNO0*Z1G6crS?gQ$4n`JOEo z@zLk|`TqX<{qf;Nlg;kT?97?7vor5G=Y3+CJ>w^1roGLSvm;G<*9jW*o8ei~1}+zC z=wCc@XwQx?-*DdR$qe&3c;3I1gnq45`QpIT?@pK$9x3k7h-(=xZr?>d-*Y!iewJ9z z^GfMg+VXXYv|WMk%8t-S!)7lk znGF$$-ct%g=~zF9Gk(?f;xKSf2yw>FEW~1J3K_JLtR26}Dwf>mTA!-`dfHPZ=8L9? zNZ9zV&EB(_{*F$l6fBAu+#aHvM3xRhCAI{cu1>S?Bv|t|KX7a9^qF>f5YXb}J4L3= zQ4|ED5Cm)`+U6`#3KskxJb3v&=0MGtn!}L@pB;b??6XoYYr;9UhB=6n7Irgcwag9k7I8m@ zl`3<^4>tE;V{(}?S8s>yLJ^p@jwsyE0JED%A2#KtBBwRh9FG;InAQDGp~5Rr`7J`Z zZh?w8?9S62VYotehX^2s0k~7=N7?!$nTm8&B_6UC!#hjYQ&-tn*gEKWgp%jZL!LWT znn^CS$#%-+Gq7tn{m2~`6G$!~VTf)ZcGHTZ75-{M3K7Pi;!Z{2rDh|3PS|2w?k|8h zgtRfbU@FH?OfGl|^WJX$tEiwmZc+U#yeFj3dfU?SjVq(p{@XI12Oe6-Y~z7w%fM*q zjLKRGi@V%l5;o`=06`DeFgv{G#B8AIO$`1EG4)%gBkL~qsjPTK^%(H~^2}3ZZBo-$ zY|r#8OoA9jqE%5nK;BqrrKlc~(HvakN(Ys!Wt$hb7V~iR9X7eJ4e%WJ>MFOeEra93 z3aqxBxg{f!=B(yaW6kfnx0$+ydkU-fR(g0RTP<19v3%aTu?O&*R-Ogj@$|*V3h)!$ zvQ3w`40dJZE)T?0IhN-{?r#Z~Z^*73VHhlv62M=+@;k<87^lws&6r9tCfLb1wiH(N z)6|9E5Y396!S})BxgeTowdH^#73*y+sU1@^Eh+Sd?QWzL5l(_3t-hI|V2FDtt`Z== zkU1l`i#RaZwv}Qewv%v?*~Rd@psD=Zsf%eMr6twe!# zFeS;+1{}uz8i-a@8UlZ`F47K*uFh~N#m#DO zedwi3uA(50`cb;Bh4VxOm1)SJ6^9 zNJg6V@e2leI*?LD|Ke3yyPAbuVA$m79lRYDtiYPyk;ry+nWhD)DIzWJkvA`z!pP;H z!9wPaN|!;h&ChRQn(K~H`j0g*v@9Qr%}j}=11TPhJik~eS;Nu!qkDeA0{%BFMI4kam)In!Nes49E4X(S4R1?f%-aMB|Av z?N%A*v3Yjnm{ep(Vp=<4HlB)Y-divxJ8t9V>?-{NgLSHA8pUMyjgoCk=2ArSyg^C2 zDvIZYK~ezgUZX(m_J?Vnqm=EG`kWkFA9*pkK@D*U;!)PzNO*H)P*NUac~M{2jdw#- zBVh}KM)J}dm0?l^x>>DhP>VIl^SR87o^vY``~mt~VOe`3MqG(lK>3(w z0J(P>S!#z=1?Ez)bz)Ef)Ca_+{SbCUG8r(WWQ8QO|5XH5G&x{167pu}fguwH6R`2H zcsuH8WI>&OZz6i$4>ZDa~z-Q5jS9hN;m&mw1VRy`-$Wg!GM3`UNhsQhM~JtHcvK zp1qKFLbqulF-BaEu!prABVm+Y53KRW6vUJ8Is&G!PMa=JEs8p!O&1{s!&?wdW%&_w z$H2!Lext=@3Zbv@a*C%_l+ev&i}H8HH-7*t5TP>!N}8r9NQT$UWc4@Ih68MF<)(qS9oHNPZfct`9c?>RQZCvw6vA!3j)K?J zSwOl!0&N;bz$2!nUiaKKm{7}_MxiaSk;&2|M@r*Wo1SKb%FR^C@^M_d{?XVpFOtZ~ zWWgaoGdhy%%$s3$q>E#P5-Kk1N2E(&fw@sShI9hUC-P-@>4_JmUpQ>wzofQReqx*+ zFMb;3=@e#L-^#R>u}w+Xm(2gm+Yyhmb%>KX$_s#h_q_`%mdFGC)TM^*B)k^h#sxPB zblE39CF3xR2CSwi9q?3ikpY;Z3F$G&4uo)rca^0&%`wtD!#@fYTq*w6I01O8mlWB?b_91m=`KFjPIrz3o1wS($qv3~ zFhJBR3?-3>>1TP)fxfls+WQg}O z0M^KFAzwe#)ld$B4k*}dxApgXijeS%v4;$-%Nx3c=T{6yq_}(L*Ex5U4kviZ3BR-Z zz+p?cS7PG3JIV_hGYTWvj=<|9sVP0_=8MEEDz^iW`uKm*Xkdr6Pio&1U#&1Pv$AVr zvR5YUs+_({XCXenQD;4-z*_9j5D1U^fFMs-_LA!K4QK>UzWjt=|m9jHvnvwiTp3h-FiMFK*iqhII#C zvQF4J0r44cfZd7?W~7!84HFQ!55gyP-r`Y@chh+pc%C0fS?CkHyuUcshpwV?l4Acy zh?&u=g8~f1fyB_7z;%%f3W#WGn-i5+hQX3`d>6E6DeBcmky9ZbtmuL!Ek#UizZeB< znyl`vU^+C2U=nHl6nOuROjIzlkMu$Pg81;(!;^pvN1ACeexuo8G4|F{H!VMQ62HdP zhhS`dKlE`pl?TBi?%M^8MN}`ml4;c|fQN39{VDQx#BsL)&VL!vSE12UiiH}i0#8v_KUzwqPPIv z8-N`HKHGORws#UX*GzI|5a8J-c{YGs8b_H0<1mB5}Jv`=E z=2Fs8auVQ0Pey>NM<|pLLA_S|O;#Ky??r{0?4e$OKG}ghgRyusMrt8Im?`QC^|5Rr zEyc-p^^~1iCBBZUuWO!)5@Vu_JEN#l=~@hPf$MMF7^G6q-=b7Og@T1GFXp*WSp?M) z;$Sq1wc%-qB?>{r*tYN#XI4gh4E9pgmX+@s22trgv-di z8VIew?t#XT3T8$qGK}F@?^inrCSz|8bn8{bi~$E*t1tAdA_v@#@~V!8{gDGincNd> z5BCp6{iE6BMO(p?R_p;fU6GCMbq*`-+%ObX5Lnuy9r_Axcoo$&6m1VX{VI}rpoVNz z^(vw-($~1Yf$q!`p$`>MiL2QCOP*KB*zXNT)bORt!k96WCMmdNh$?<~j530;uO1i9 zNWqVl_fDdmlZdGZ?Zc`6W-o*8Fn&>o>5L4Ag6a}Hi6&*^djk<3IH?U@4F>AAdoG;e z!c33Va~0Nty~}XXaFTnPRk`o(UxxP&MDW=UlI^~?42#R~x<3f!>8cNLPFZ+O>Lgt_ zTLL+*4MaIzH#qT_=!t!0oUBSg~s1P z%*&y>*ct^+6*YqyzxT@VFNvHE=-%7mr`~4zgf756#NBAivKPG6@zU^|`=xcLcnyy~ zr`TVrc%!L+$@q;@MdP-9!y~Govb^`o(oy*Sz2QKrLG11d4<3I7Lrwm2=WC^k+)~k~ zSobTcf=Lk%^hNIsQrZenPR9zSG86^+!p&Q{1d9^lI!t*6&b=@XEnTU&HxDg>g9Lnf zeb~JO4EECZ&rC|d8_)G^$z1ooU33jMe5GUaIaPI0(PDJ12O@g(e-%v6={xMKP!36( zd2o+oz5U-qY|BN%L7~`QQfFnb8DeexuBtW|qOEbgz)rom|5;=;6z?8CT*cPF?}7a{ z%012x{NY2yeQTRzz4sx?_z;tT|)eSM;BX_ix9=6g0Je4JsmJQ2<`>V~C8P zPZaK&IDTs_D%yvBjZ@J}tG40ekj9OmGuT_#Mq%qHP_Q1#st7#mwjwn+<_g|hgF>CK ztJG;tOn%@5DJ4>5ip%;ifOk6h^~I%GW!JxC0#hxJ#3mpY`1-R!7G@A!4qpIOm{kL= z3hk_^4}l3zrgwZEDy{mU zvT@TV3fu;%A8e93H?If+_arc9!M3QlHK!W?8#Y_5KdpuqO-JucNB7kDRW)|>3>Ab~ zt$Vi;Fa*AUi@rqnUcm3XfR9g?+x|nMqNo6w)o?EO0>0KY;!;;;(WJ7liWm%q1R+hX zd{6`gNy>Y!Fwqq@K1MDhkX*Lv-Vx=@BM(x&g?@mtAC%;MVFeJqZ6vR~fUPe;f-z0S zBZ!yYSjEY9# zAKAN}(D^u+%g8QtL;(pw;n}zZ@R3RkRFzc_9`$jJ+M$qoK3uvS`%VgS=iZ0F$K#u-hHfw(f~gd)ZPRT+<|Yj*HS`_pBNSOboJ zz^@4gh3Uh~hLw(L^5vCnjjPxlLIhZ~HWA5FE#+A8v-H;}AsXnD!5^T>^Op|7k`Cw; zn{xqf4O=bfuvK<>;TvI!Df9q{?oFXu1QUTQpm%b#rZ$n_7|b{GB47|j-d-({cou18 zFJLNlQhvH;unQnz$8wBH?RIiEOi0k zFNlThFp+VT;cgAYsj7(ewP$+4ie6YiSKfEgbgu*Xlq0DdOjD~;=?8}BfoZ_aE<}Te zupE;d>^ds*0KkM9=)y2~B^{2Kx%>A^|YWIIHfDTpe!4Wf?0en%4a z&4G=RQl)PuV?d+e08CUjBOu3(>zkMZ-peJvPd!f~NE9zeR+);b=U(^Seclu^7?b1^DU9N-O0pJrRATaDxx=Ql_#@L(KXB^PqIR|!fut0Vm$D^D{_YLhQZpE-*fB2PZdc-^KYAn-;-lCY}VmEFE$q;M<@aR(6(?Pe=!e zk_oW;^KXpYMIT|(WwoAa3FHVq2a}iaUYHj2r$dP~8lslgz6nwR*e4b?li-Vm&8vf8 z94*9xQ}0Je>5yQS4%VE@^~7N?l|L+Ba=^aN5$IP?)Jv%^-JD+gY1Tr8OcwDT5>~2oq|-ej1o(w#q9(WY7E_9PA)e zEnW?wc;GIKV>nDE<%#_cY^@;97t}O!ZIzA zwacz5XR){zBF7sxkTq+J8>!s0VB5ceL~gfA0=BJuH+u4kPA zE0Hj1lqzR8Lh1C^)`;;R;OW5dzZ#_n$6#?*n7or+vT+99YdN8|ji;q|)rN1>yw!A- z()FYL_Aupu5?ybVSdA(zI38>gEgDZ-2ttJ$G+)qidwfLgcqW0J1nDe8RLeJFf#`}_TzC?;hg)FX$0|^& zWPG7LV{}{L0YZ*mQEJV4HJg#?2eT1j#(6E%KeLr}=z=|%H!ZupLekyi}95^W` z4^2&BxE(ZgCb-?nKrgoL`moWW1l(7 z&(Lt+NANgTGPN?z>_|q!`p`6mjuEXpLcKAO=m-l16jWyMZ^)V7lXEjFiNIicfZUD^ zB4CLToX{M|G-}^Bs$w9h$ZcS!1`E4BczN?$nlY9^2wKk|5+xj-;^-+e2EpFDXH;0` z7a1A_Z}6|6n9kBT5@P!G(`srWj05;`HAOWJzH#YYCWHjJ_mRVoNsZqt1km)0cSteY}KB)=j()9VwS7q>R4-SXVzNv znW451JXW54sCF=G=9lD+M-Z{cyU=u7MZCqg2XZf8D_lnCtG-6QEJ%o-aEAvv!k)x9 zY}!py<$Ap_fM=cz2wYZG4mRy0sm@#qaH~0dAV4(2i9PGDwxm;FZw>fEx8W( zA8)CtRidHdjmQjNG{j#u4AfwjKc$-(FH^%ls+Vp(?2qN!Ck5Ya-OKT`+JsJ$xN2ID@%&*$A2jbul)jI1%X@9PmBcH;})WC zLCG*C&vP=Igh84`>^X*gU7NxljbgQII2)eeLCN#N+SxOjxJ^a@kwjHh>2P^U*ME3* z=_B$JN7EGl!6E?G1F2bwRn@~w<@wj&GQt!Grh<!~*!?y?ti(g9{Fwr(bze|_o=Sfp zsE3){4^ns@i4uhR_e{`|hc*1~J??mr@lR=h4m{Q^jz`_{r*6Rd;$gQuO#HBF|JdUD zRr~uL{;!!HUi=?!`zYD}n@s*|Ym?#M{d)dCO80+~%VW}ST2wvK5a;9K{Y&fq?5~Ou zqvaLbHG{$2t!NM41?qn|9Izc$zVA6Ng{WO>E+DDz)sD-%bxb7VZa zdjENTSUY(79t@^3r4lTwuamEY!Pn6!Og#t^G-a;X5X|>$1r>EL@$C zKJqJsx!p+}=O@-G2vtl<&)1)nFT}Zq99>o$7NJRKGw#M$7_ug2*K36-N=ld1`FVQ@ zPMMJ0{gtlErx20)ls?->o>xE~`@j$93sb{sgKPN7*Gq6#&-BsXA6-5*BFfli!Y?<@ zhe09jrh%OoR%)~7#KFX|>-Qa>O)gk5jf!p&d@;RN5ttQY4MC~?eY4n>MXx`(XG&nU zKDF2OkvG5IH#^q;{Q=kgjP}BC)wSs?I#|5UqEU3); zkWs$ckd)hyln2#%W8i@Xv)tC>D|7#4f%;Y6`j(Oz7zv}gaJM(5xo%Y0MA^Ive49fy|X9DczqbidK>lhyf)Jr&Tz+ZXAC^vbW_ zpV_>_yaey4i-#K9&j>EbsQv-k`oWPUt;b&bYR}Y&E=$|g-1`35%N;&mn)%dEH_m^u zrprrN(E6LVzx(*5wqVkwkXzAC?n}9seZup?XEFYXvS5X`gSYD2523tgjJ_$*K`T4TGIEva%y|oKh3oK7+D^}jeRtwB#BsYUDyVGv>Gx+w zw;)z^{Pw`VTEN{W{;E{LO_%%YRA!+<{W6ppK(1Agzx3d<)^2N{5p}{7YLH_d)@uvb z7j5hnh_`R-wPomqg9}^sc&*>A@xJM8dT#2!ZheZUwh)+NxolEPv0mz$h|XY=X=wkWpjw0 zF`RSEl{ks`0 z7du9Me{>bdOSq0c#b31HTaUSVddslyU%vZvtw8M^hcxgU;mrY z@7=GoeA+M{TV~y!jsJIM*EB`_&-cQgZv*M!tmf}?#)pIRUlKn&`R7anroRsdZ|6Tv zX#e&m{ok40LwSK@|MI&2-lMLL8clOy2Vz|xVUhosse4P5%`GCktKwYY}|kUTQ^!CVm^jY5|B z#~*(~gbx@|F$lI-nqCjjWBoF0S$zy%4mXZMDp>YEEauPh{;`Vn{n>e@&g^QaJk)ZU zV&5a70Dv;M6WXe5u*?RF~c5jLwTg$?0inkP7)mj}G#wWSTn-b~DvZuhWY~ z+?N+gDcuf7*e7B(jRZ52=WW`FCCwCKsjM@s#bDPiO02pMDcF7Yg#z-ogh&%A3 zNl%&w_?eV$C-DvL#kC}zp7hcJ5Y9+>uYuYQZ6%$~boVqaN9l6)f|6X`V68$aNku)d z(w4dXFA`CHlzi+=w-ej5 z`oMwLMXZo-;c=$rol}r5r&MVJ`RK?^e#N|)2jcx3v1yE{GS99BZl9R#bOk>RA% zo@V|Ex0kdSd4dkWi#^s4vt*BZugjHl6C#b;U7=k{(&e>-h>^3*jr(xFD5dn^9|Y-f zIYM?NnPzvFzMFLsk*+jvog`Poo$e(%!T~frsDUu#&Y%;DuzQ2)VM-}2FF+t?XcJa? zylYea(`B6r?9G5?yWIhgM=xi$2L?hsVyK*Co`yy7D@;m~8(i_AYzLINT?W9zmCE#V zb31TohxU4d?<=5lR>fk``!#Zh?nEd(X~87enN_I=Z zmVg>t&k25hsnVMkT1F_Hp4?ZP#O`pV2YbU-WAIX#(j!?nXDyR+xJ&bK95++xN((N4 z{l2*$;~8MYh#Y#7lH2M^E4waN(CPLB_Cfq`(7?3Nxd>8ndO|-#Y?j|upQ5DqNQJR;bhci;>lQ8JiGM8Wh;}7HteL||8@R;X- zvZd*|%OQqIhg-_~fB-#pT&RJOp+X+5^e5GLI(LwCrlpmFDGjej_M#fK{Ie(`g7kVE zMK3AcEx=C!r4id;m;(WwiX@$`^rEie$Q?XFf;60g&zhoE6YX&&gwjyD?E1}e(?Ox# zA$iPjc=D#hK;`!2eFj=CNuf;yN}stT3&u-Fy1sps+@+E$x6E@?u2OCkC?<%WO2OIQ zkDzNkfrapN{~_yRdZ+oLjC8r|p`jFrJ6Nwql3_skDZtfu9nbh$^5h@ z1rD5EU4>&hG9esox;eji;IM=gvZX~w%7UmaR^Czdt{SpJM|yZc#by< zv{0{CHx12_+grK~L;#8|rF%>NEvNTdW1w0&O~SnknxEz+w&Qxa?;W9?kxHk#OoUp& z5Mb^BhPCZM|D5`{k+?TE1D?H0+vIV_;Z1WvEMep*`WAF2U0+1v-Xipg%cUQv!hN|> zq|5CHoRoV5h86hqxO1;TEIXywSv`;IMY>@Ong-3NhhZem9XhR0rb&7q>9<2`g71Zs zZl_&Wt%WgVGzu+YkhiQe(DFjJ%##}mdLt1>fe8{${6s_Jpzoc|qJXSWu6@n1om&CI zm-4!XX|BaU_`4>7N}f>HFc_*l!ED%XhPNNG=e-l&)Jg8FyHG%S?qpdwo}#C~2|jpH z32#Sx@E4>^cZW2fdJbpam&DxMta=27$-xl}JiWnU0tSULK_~>~X(im?cto!Wz&GUZ zx-}QcEHE^X^r@6T79N1$2)f)IxZO_kVSKDO1P_iYU;*JO zovz>*ExeU2g){`E(07i4p`#Z(due$?V7zfkx&$qr4!crn$!>St-^ln{`_~y#^nXrE zymm*NPM(YWIa6`i?H-t*Tqk$`H~aA{!rB0a+XIM3tcZg*a@xz#jEvO0Cu3bBzxpRkO~%!lKs6bm zdx)x8IsqLww`_g{$XO5YSbrQLtRX;s*}`~Qlj0Yvo>O#}Qb#@cOl=SI9P9q^>?YXRk9 zTgqV06d~PS3^*KMJ^Iw%TZf-A8`XVxj=qHV#kG>55Jfod(S2_{AUOaC%HU(S)d1cM zKJub>D*oJF2Ed(+G`WWXVr1^rru_7qW#7m+&4_bv*Mvm`1@RTY{5nADQ5TOc|0|LP zpywVyu9mhL4~^X{qd-D!$|q}{kzqstT)vC)g{1>rnk>VKO4=Y}qr^ewzz=cfCp7>n zk_9WWXX<3B15Pz@wjSWc`U3pyjoyzTX-Wz%FE9bxm4Qi2B^tkrQA-TC>`3CGnku7?Xzsc(|D z39u6;xqiBGYV%-F%o&0$@+Z z)Gi(dOzq2eWIS5Nn)d>>7?cs;{m^~$WYqPb44neD_T3TaM-8aR51-1QAfRhkPU6Fz zWn}b=T~GadjhE4EfRbA+ZG(H*0bm1Q@y-uWtB=p&M74|)`zFqR9ANw489)yI_!WBm zV}RKHeNTR@0ftr(C3(IClG3M?d|bLev0huU7XV#bccCDuPR6I30LGHxEv6YMv zjS;3vq@c+*N*K1}fAY8`|AR5`ijsX%`Pdj3M?OpxN8V3_kRB!f!&$hxRnhsu5E!OK z5xKA;ou35%vHGYf7op*3K1xCaoQD5#NQ=XgD5Oipqs&Mu{4fn1!0+t_hGk4iWHsL>q8l zYj`#Zl50^Ie8xZ+M|F}GYoQ2JZmt3k)wXMZYj`-Bm>Wl#l{k)g(+>C0;uyq161YV- z)DDj)JL(YLpoWqWp~m4_s0D6Ev_W4x+ym9qFUP@& zL4($Cm5#b{^N4}{U50fhpn*bt%TMZf{ba6RB$Z&6y3G%|- zU&IEv@-9?QyrXnx3tHk|aO(*va_jDk-&t=t+W5GN62Y930i*Bh=vI~f7t(TZ0qE$- z`As_d_imR5g1?_d|EQx~*>;ZxA(-%jiYgwcXq)f{y7h2?0ag5!U~dqAQN@QB|Eh|A zKMQ63p|}ASs!bc7VP<%oVR(Q~d7OAQ=}b<;?yU=wa`TRF%?&lo|8{G6e6C`*#XK_! zquh#kG(0{xPlsRxAd;-PNr|~JVPTL9#X-9dkX+hGC+~Zp@@zjl6#pI;&#ZV-Q%=I@kJlpa3*7DvB z^OIoIQBdghau|^&XE(rsRvyG)T!Y&-hcOIly)p^!hP|b&xw-y|Gw>6?83zR04!z=`MHXg9C{#h?hNCe$dY5sHn4yx-wRsy7@^Z+!KAnhZC;k#F3>VMh-7c zEU7AG?ArE_Aq6Nm>GY)BL5ZVAl$QcHiI?J8>coeyrE z;%V9@Q)6l`Fmua6Q|N1a-2I47xTiW1?85yXB%2~qytc`RoN8j2$4mLaSa;vtnM!H0 zPNd6-NLYVP0Cu*q+#Ko&Dlu4tC<9-X)fy42aE13I8_m_S(f7@`scI^Qtu87?{CIPU za1m_Qvo2uV4VX{OHuC{B)VKx@!W3VMqcXpso=@_E#M%!jsTy8p_EBs`FGR2zS%~-@ z&C4+;xU&%JDfJ-t9WWg5iEwQ0LhP|xnP_4>A3f+OCM0fR;d(wZvlvX~JP?{uQ$s-1 z26Ng_2ND*SWO=GF{)Eeckx$#NBY3tUt`Og$GQo(Ki{q}L{c|UB(Z02DvRMS!FQlqj z5yy+wSmIFWZ*^NBh+Og4@Ih9U4xHJL1Svq^Wfg-*)wQSWWT&zU{642=8hq!7X%Gz@ zcaFILZShsie3=lGVj>fTn{jm66HTFW_@hh|wV%;Ya~KWLLEWLGss^W1RyYBFUlfLl)uBC!g{Lq(u7Oxlqy`DU$?Wctw3=Q5}eam`&5ikFbS#O z@5-eH@eEZ4f5YK#1kVJPf z8%=d%qs%r|gYEPnDF)F!mAQksSR&fIpS9uMRt+1C3#iW_%!)akwXqiF5Eo>0IG-3h z^J8(Hl8#-z(HvcO84ZTmsnT%*Lu6;&1eKVHa8JUMB=&%bN|RrKaLXLeYVy6CdJwKX zA-D(Ji)cZe0gexPS$@_+ni6X_;I4rIRGXOzffq?Jv4`(XaTCh_M6SeK%vCN-| zdd)^ecXl>09soGJjLtyCnzNDOGpPJIR8TS%rBD{|Aw?hm(Q03t1&giEf{K0E_%%__ zMG?oDme$SC*3SEK83FgA-Ul(ZLmf1nT3n6@eb!=ZOr!8!Vkng-Hez(b&`%X7hj#-9 zlf$3svLg>@7G};|f1V(Wyht=BwvzDt5_!5gl-{qVQcIH=BN$IxOI~my%KwLvgsens z&69NQ4Dbv98{7+c3mzw=P>Y*vpUn)h5+_h4GcVV9#hzGbz5Gf>CGxfuyuLq}vqTT- zH**~3s7X{57|#+#;PG#uY)lcQVYd@k2)C7U_okBJe$?ye=d+W6kuz|suA3)|3V01| zs8SvRJp|lV1CelmFpt*PsC+M}#l%pluh+uWvTQ)x~eYSLI6RIP3RPG$N`!I;2k|{k36K zCf-Sya%QTCPS9Jz>)Z?2=6 zM?|6&><~v`oL2ZUTTcxxSjxr{?Wsw=<7^xo05=Kt8)_Y4Rvy6?C*|90I7eP8qUnvV z(3+AjO%7_+JtUskOtcqwhtsXuXkB}T(U@B@G@bWHETO|EQ3Y!zo^S};(8>rwD%YMxO zhn&mADYphpdM6Ef4q02VgEOWh^JxiBiNA+IPh^MNO@= z6shPlzF}sw@g>r>Ach_avb9*qk}u5P+tNu$Tfs8KIL{~`Rv`xnBt!1g=e$3~?mULtKahtqC4B(UiX_{2%JQZH>LO^eoNL=zcuXjAu-@ zNo*FH>1t!BOr{fOHqRz3%7G&+y;ZP}e!mSE^#p)arVjFT+qMR$}d{NmGWzC5`@~fidmPB@LK0iQq8EgaEr2ZzGwe*M0}dcWR)W-=sN-A;mr^P3G$s$mJKkk z)a{HM-wKtU=2zs@!Bc0}qB5};rhdqnh#&(K%s)nTzz3-;99MfCCCxphxk2lu($s=d z@A7syPHZG-?FAQ~So*Q`DmFp#zO4$YcR}rIug$t+K|| zX8wZ|kxTSrD~V{TBO8O;=p_}9Vm(RHFQIN4jRD^Ism=4BF=Wx2*{a%&xC_39YN!;d-W<qTo2 z;b7KeyoVs_*Pa$6Otmhl(G2l(y>+&!hMswijmp=u+Evq74c$%iMKd-A0vT&{_tb&r zj@Vj_sT+;k6U~Kia}WK(D7vOnkz-N_v3!WIXJjMl5QP7ul7)0Uo~n1$QRC@7DAyK@ z6_N-Sdl6?+orp{}E-w@HYl(=ZXhufw7z3k)(1oVC4EEtEFqUL6EzJ#d8nyw=uCe@k zp#%273$>XD!8u$+KNMTEDB{vv<$Y0!)SlO+QoscO(Z3>p_b}ft8q7yz{r%$ zn_o9F38hDnnDs^kTa{6ZO5gosFV*bC%kT^WjlGc`#%c{l62@M35@Dj=GPWlh`6W9D z*8D84r5tyjpzHk2wA2W6%yxk_FPa-ctf$qK%}Y>LcT866nEb2kNm`3?G((%|Kh^)S z{=(Z?GYKL@92LK#*Y>6+*3KoK%X?o(j}#{YpFF#j?ZxVR$;2#nC$WU6XQPQ~p)ac7 zV$3Px2t-T)pQyfkIvdkaiLg0iB=Uw)C;eTp+5r=-0tfMa@v-tGb{gG`)s}T*ulu_8 z{Yrjvh|hFc1~Dp}TGkgR0buI0h@PRF!0E{*b>|c`01jl6P?Q) z9PEmS%B)pDWw16(GlDX|1`Kqt5Tw$;Z&5_0w!4}=x9*hGxlCuN!^Vw2?5kuG>OPRJ zXoy_f01a(gm__$twRAsLTly8J(d>;p+mjBa&aaDwz4^;!$BF5SEGQ$g89l#NO+<&`^^y;|ymt;Rq!Q0=5oDReO>h3k7x z_q=8~W5`yePG)qrm?+cAmStC98_)y&ePOGBo9Ihv=bn)|C?K3YDmf4|UQmG> zDH>te9aTIJiGNfQWyikHRWO?KhwjcUrJ4AvjQ3xf=?U;ybYP=WTe4cJCmTf+a~h!C z*V03!yU1`O5?{+ojbYPqDJ6ggt`euWAR0Y=6s92*>md%K=Voou;HrglbH~hmCI1Ai zA#N~g>KgLvW}2$^(t2PRB05l?S`QIb%1g+SpeDXH!iSO7ET2yIbnK&6GMduZURaJO=PRMZR-ufHD0UTOkX9io z00A?M9xbQi)`~Ge>BPqH8>txnHR7qvHGDjk0>R%sbxPr6<}@K;`I-e&*{^`ATU|O( zykgj^((g8!o}r9`DC1}G*3W^sp5lI{Vk~{MK?$Nkfo~X-3?Y<=^+11QU@1yZ2>50F zZIa1@APa`y<1(T_`KfI7hA}^qII{0oP0OfWT}bw0P83Em^*Kd|DtCN9M_I<`Qh%o^ zym>@F$|JoK2Y|*(JciKl9(FoAg4MCt@IahMWfGmZ>zKC|18c3PlY(&L$!xz+I+9FC z*r%uUnw_ll6TgxlJg|Vo)TSZjotvk z%!4Ed)6#|1<;B<5Q$F4xdJ%o2WE0n#6Nuk*ZPhS2TQ$6LDqU#C!9;}TD#ho--m&{? zO;Y5l%Qh);?fYEf+^($s@KjcN^>Vmr}`Nq^a3 z{{}3`0n&E^8>GMD-a{C~Xo}9o3HUqzPik`t zHWC3KS0g$RdurdQjVWmlbOC}u?bbg_5&l#YZ6T`J@2D2UlSnjFXlw^)+!nnCaeS>^ z#hb|5Ia5IgdEKgQK#tDG(C_iO(iRZ3nAlKUM^A9{rfQ%$W1u-BV9qognpg&ZgW!E7 z&IK`8TcGxq?XB4Z?nMQgGd*-y-9$Z@@o5sZIU>RZ@PH*CdaY*I)NFGT zTTN?CXN|sQnlI@+gJE`0zna0JyYn=gc(69YDhoj#dy)(CmOFN$r+y%r)0PDMi%QOV z3T5=9%~NNl8>Sk#4jJGY99MRjZ_dtO_vrkYsRQ@pX#Z4^&*enYH0JDgn2FMRr&+553SrrJ}vGF_9Y?e12RrPNR zVL|h<&`|JD?awDse(5rn`XTFuk`CC$C5SJg@?(S$`~wAUvh6t&J3sIf7Pul|lpg%7 zxtt;eyFzb?w6>$vTmsj*-`p@-s!i69Aj*gCEZHNIWwW8xh*Hs0`Yo>WQd3lQHlQ1DDQa$lRsmQn`%w{W*zSMi0;jobMI1~Oe!l8 z^DTKF-L2PUT-KpzhJx=(WC5gtsw@kQS9Qjz(NxHo9=&S6sb|cEImA_A#=-v7o+DI= z4x-Mc=szGuC5cURgC>d8eFuOHq7%lfbKwBQe|vX%$QsE-Yb<1HTl%Q4(02w0@CHgU zjV5ux9G2OfurpduI%4!h8ro=xjM2@D5-;G&<7Ew0Gv8My!r18ik<0f`F~z@l0w_Pd zZ(b-7-B}odpf%GF9g1-IA<;^apnPxH6(Bb*c#bS zC=-$GdwphFCPNIsZ7$5?Ii^A>*4y@(>MmH8=!v&0-KmQhFbL3{Q&|p2;^;uRaYiKF z1)i5KEUkCM05;i%?&8^@fJt{gtHn}jYg@~BqCab*2gpC^f#p%wRx;EQ8~BFk=5|<4 z#|)AXF&LPGi1r!(!ZKaOOu{UB5Plm~lxJ#qL*@p@1>aLR-cZJs<jmsT}JmvgPi#VjN#>hDPscf4N64B$N5H@o~kzXP#r z&krG-pkp(bwX8s7bBVaGu$%T$0V;{@OUy98qY)wr4ad`!x^^Y49?&T&frWp+);)M88RI@ zbm$OJP*BjR6H&n{Dw-EmRPs%E&ud0WXt=5B1zDqlc-0r zid#u14T^EB3zwSG<1hJPYp>v<3QY?oc@`k45M@WEk-K6IKH~ll64+1xDy39%G)lW- z_UMGGLeYRo&yfi5l%3(42Jr(1G6$Z^*3Ib!%eElVz*}@i*?DRdw=5U{w-9OSZr~e2 zbQt6X$qTXOc^8QTVCxy9oy+6j@>C$wTOLc2;f3WVJwIBkB~IGzwi<{83-uMkLB;{d z6bNmq+pcbk(gs&=>=}B_c83F--Zwa5ooe}z6TV@R9IWFlfr64}u}6C@qVs*<_i!Vy zxenNU0%|-zj`f4jAqs4LYgafK|3rc$7k^-nF%?70uMQ|Y65;1*Pn>Q3#o@U^$u`$? znZ9d&Xte2LvsSNjCWFB^=>zWdWulP{6l3bXQZlYRTHPbci!jNCp!b=gxm8F0aTqC? zPn@zS_Lt-EN}aYhGCyZ9G>T2VOp;=XGUqQ=Dr5<+@|w%MR&f!|4Gs44}J@Y$SoWm3jYG^s{{Fk|KU2rjQEQ z)e1jD6<#dkEa73jbP&gjo4i3x9|7-IX%xSa4BF8m9>wFu^MnB(1D{0MHXTbt*)j5{ zYhwzPplC90Gbj^%>pN_Pxk&r~rA-}g@W1EiW5B~@V{K2XGur>FoP6_DF~wYGu-eSr z8i8l{0ISzx5uF1(5uMKqY@Tf7?ugyRvP&PyU8dYfN5+U9m$^PVJR9{UQ?%ujPDSf( zzREopYb}b-XbQDs$*SpOo?Vs&yt4KT>*q|DQ3I}o0K{1EXLpJ&Eru9G?+h$$XT7s#6<$Qr^UNu~Ftq~V zO{^S3Gmj829?g$*#bfVIxOTp|>F4tKEYsGD{>O2m^M=G9KhFISFZLu$?VGrz9594^ zByk*6&+h99*e;G0e&<6rm;;dpV!dY&BC(ycZ(0pzJL1JwZKSVfUR&6QFYxq7@{3BGdRhC>RtXK<5fY0~VkBkK`Si%Ez*W+~xTEiyrb`)~U9&&bP@T z;-NvQlPeUJI6D249-xoOh|0fc6qXoTh63IqiJ=+f;(%mQI z8tZX$(>hqA$T#_g==hqpX$tP<@D9O7aGj({m9&J~#V_ICX8>dJ11 z>L~}&AmikHTT`jJ@(a||?zS)cCgh$lUx3A^{s%^Fs_Y01iZD$+xtwTG$!u=|vm`I^mq2By(Z709sZMp(q`3 zU+Qh;9L{3`chn$n#3uQ^OFiiXj|GYQae}-+%SO&&pF?1rN;Q<70b>nL`H~Np(*NL^e0kkS_$B_)s&1UQ48wh_{LNb zBP2%`KB^Hb+Ti#niL7uK;scrd$4&Ph{W_F~7ZMkJta){)zjlYPevV(F>w5wp#E-Ym zNfa{!dz>@aIIwEXMD~Fjzs66~3ZDy)>}qzz8OXQ3W9}v0e(Otc4u0Zr9xgA0AEW%| z^e6R8@k^YATBklM;`xrXV)!c{DA&jU7r=9s?HQ3Q_kM;Wr_qEE6-p zyGTcrw*K(UwwJGI!k66jzoCY0zuFbu*@ojyozYu|;8@ePl+zy*XRxH@dWW3`sM9aG zO+1l=)l=~3qkrP#rb-=bM&Ck!iTW3uzD^!U=k_RdSI3W#VG1n<5##9sPkb(GWS8sq zVTU*f(9Y?Wa|TOeETl-Y5?=#(NZW(uB!Db?)9HC16WGcpYaOY|Hg2aL%AOnV8w1@aww2H3mGXK2$w zTA)DAQn#u7eD48_hx;Ge`kXQfZFSa!Y}TR7cM12jZHf!^6RKF?du3wP8r+vk1xlnz z(F;B5ZagLr<+ZXCz{lbEz>9c~oK2UR`^Dg$Zs;hBpc}hjxt!*L8;cd@K*cQ26t;-Y zEww+>I#gr&u|~@gNv=BS#@&vUp@OUyagcJd-J~86`&qx&D+%c2-7lp=OFU=(gYm|? zGOLozozgktbkZQ`Y<)lvH1OZHM$x@(XTU`HP+2}(6y~%hK$?8JNh*LscsNVZ#*ZMe zxYF@h5l$zoy*m&s<9Co$nk(+KM>tQg3rZ`t`pa70#gm-T_%OB>JT#IiT8aqUJ6o;( z1ifH9b)x%<#za~o5`FesukS-&F}GjWbdHZX@f8zr<;~T6FWdbV$Q>;!km9i(FI&0~ z7eIfo9ErRsC0b0AX83k0G&F^1F4z&{)hgUePK3Dn?05Q0Zk#A)TkjX#4xIOz^|4qb z!3WJaHgs7r^!I$6->%c{iLicGuLJ@~=Fvk;P94wr*Elfa-diG!GFWaHun;;UrwJAR z0vx0GSoKpYqI9Haq$A)F6paw7&GuL>@-!F3Bv(j_Ew8v1sl^*>UxW)1W(0ZAw$v$(Vx#Fz*8LsegWTVbBy%&4(<)f?%VC`w1&IXXIASL zn~v}xtk$089mE#{gKwZXzT!M2#vFEoB!M$6HJXcz#HE2b{ywtWSK+xqiPJT04AE4F zrB`}KU)!shIK_X`9g86F)P>X70X`PgJh>4xTvbh{K`B@x3#6iB7|8s(M#!du*~sb0 zKOI@Jgf53qaPR4D<`c15&)yi%%6IlcXiRWl+j+-5dh7YH>4P$QU$6?NTkek)?ekVjkJt3r~lR;wOxhZp^kkdAhy|MHmL0=#EP-KAVKgM zffIhXAbxD@%KYwmysN zLlcF_Xw!5TIZsM2{Yb*}su&mE>x?1ZoL`jjw9Hg#ut=G;zv9-yPu=oAB)Xv5Mt5+Z zXJ!n>!%w^xSj{Kd|KK?#PI9QfOUC9kpg;P79wK)B@ZCMMal!0-+T^sFztxj*_JCE0 zX3HSs0KcgYYaZB?jx+pI0{bPm_64FUh?MHpa{y+Ou^_vesK{;)V%0tik>x*G8BWBX zL!AimG?Swp*Ww+|GZRs}zG~{Fb@JNiDBFE{Kvt;1SE4B7Bg+eVIlyef!DCY{4Sg_59zF_2vIU(uFND$C+K`^g9MhQP2O zVRBN=0@rg$ZkDH$Jb8_r$EB}v@9x3P84VOn+oGej{(Y04%?uXv&fpN<*!myWlTn(@ zD0D>wp*mgL$B_w2ZugVh>D$^y^3-N%lrl}G7&0VEQ{3ND2Yz=IOE_q{vC7q14_D?3Vp`}YGAOhjo5%~a zGyJ;!0+cFgQ3W7sOqHk8{YQljbPvbUXY zi80{LY$PRe40|?ozmy5u5Jn(&{9jyiqq$?o7w7mx*qG%^aKQTJ!~Jhbq_9e zO^mwr1^m(3^%x#hTVc60kzCN$pzx;h5eTnToSrg(90B_wQ;7@D#}9h|bBxD9`%73U zynGK;3dTj@`?Bi6Wwi=qdsXy7wDGO*Abh`Vw*ll%(b43JWIXIN|E+KC$qcv|@3v;~ zA&bc96qe2=GmcGyN61k-iLZcM`bVRsUMwdRr`VYhyU8?~%}lh-Rvts{1(FFgn>Hcd zuJw)}&W(kHK~kz}0I24|fbNO;C(N%J0PC+k%2gPpIR6dPPMsv$v*9Xli}J>z@fho z0ectomi;;k$4l!TSy7>4*c&yqNr{QwD?Z6(^EbL*#b$&?O2h(0VPfcNcz9weURd*4I$bacfLZS?nRyhU=$ zUyt-@b1H%>wI}aU<6&(}?T8i5Dj7tMLqX+Pw5v?6dQAKhg~J zsI8*dzL8nzBaD%Gwlks++CrLbxo(8CaL$v1oPBvq>*Hlz-Gn_$$?9N5!OWWiU=TN2 z76`Sv0`49VMu3GY@)1v7wbmZRwz?aT5&a*yWO$OHSeJeJvfV?S4My zz#?9-PLaeq*kY$jyXZljY~7GVdMPd-KHR{tb44}`jJ9=nCUlRBEqYmePD~|R%xRpm zl6$6)wkfhUI+zoF0tdwm|DcW~N=eRn{9kaqOq6T1RP1;sHvbS3AKe*1Ct{>^(oFD= zj}zx(7w~Q;tbb7Y15Ttr$~od@_;!$dk5lmr#?Q^gK-8wuAPF&j7pIEj-<%kC>wm)5LopU}55|5fm?xQYo zEX!;YNpj(sbsd+;Bm661G&NXSjE^1on9e#qo@iu{{5e@j2aD^0m8srqK*6~aV@;RR z+WDM+${O<})aaFSNVM%;SsF$M(q!}aZdzE_q-(pMs?r4DE1eH}Uy7ue;TPOLJqX2c zxy`NH()D)hJ}J~#j+a9bk&pGJ+0mo~zfAJc5bdSV2HXq!&hBS9u5#K}*$O3*9@D*>z-{)^f1$78Uo^gM& z2iT2<8G(snUp(<}PJRuLc&cKWW>ESm?dVg-wrCu4+!lyGIyn4`B;VM~%j#y4wf!wQ znqRRsCXmUN9r1KBoR-P3q{B0r3~Lj-W|Nz)26|X`#*$D}DRS((Kk&LRSy!-3VgZQu z@g0N-_5m1oqRaWSjik>1geS@96%oA>d`0T5Y{Em-mwlQWibpq&ul-C)QqAn?^F~sj zet*2tS+%kkYSy>|Flex6wyi3jGbPiDSg*YhDfQ{5p7_f-G5{&`IE) zZt32__9{UNQ%5btSkA3C>_g$*qGpr11TV^nhHsk1@~g46r^&p zul+ma?TXy0;@Su8Ic;;~9I0< zA~HxyCVx1`hE5kfin5MKBOq^_mS(Il4T@(Q<%(MmHgQdvat3Th#{5>42SejHw+YNq z+%FT}1c2{Yvem!Va#}A3<+IXrBn8LdiJ)k<>`cRQ^Bi08TJJzi{B&h$7;!buvN!Rw zWPdll@Dl$$O_46MWd1omMoW#vW8|e7jbf&pRAwVJQQA~Tw(jO=^A^7SH&-=dDV`&O z`xX}R4Ps-Nxx3zr);?fdx!zK%GeKY)XHVxj;dY#@Sr?qbTP%+Y=DEe}7<&oiiUwh+ zo-sO!F&2XDZz4PMkD$unUegIHW|IQVdk+nx?Y2)B-F%NtgP3CHJeEj3 zaGh4T+As?^e&A@3J#)Yx?C+liBIYxuB0bGVn-6=q<B=NYo_E9l`e_m>^Of*0~ZXt|T z4%B`Cg&X2}=t+VE5K9kHMM3)$_w&~_?gy!sYI*72|5VcqRAh{s>& z3!1XUsovobOF}@$zhVB7`O+fzCKsYrh z>`cwe^T_o9wv3dv(PVMqYyleH1@3N(bi6$CF9@iw)R)G;Yr$`iE2G<6!Y!d(A)0Z2r|Oo;5g1MG(wQ4i#B`h{Gl|lQx20 zfV|;Pfu@h#4_R4!y(OTx)H70N+8v`^M!{ZgSf6^r4B!^B6eN+uaA^*r9el1mv1oe) z`birWaeZ#tS51#pm61|8rfa*XksqMNvGKA~O*PRN;XauJOV

3>-1i&p`MQA|5P zdO;2XO5+>=L`rY5nGb7QlW>2O@9^uLd6vIvv*b$GbBoe=3z;HW)NVuxJH(K ze@K$Zb70sq9aiHxpon&JP968MsqR$Zj600fAS8u?0tfbu5mOnE_!4Yjw&;m@c^o`{D) zvfb4xC+QQVopuc30uLOW;BVP8tggy(Q*4eG>=O6dQk<)$F?z_kHF$-%)YhVrgw1ki z0<=RiNyu%8Bn460$CgLU92+Ko24???lRHLp9>6{AV*`VrCO2~?Dub7N+k47%YLRns zIX34_SB`Q8pk&5tKvv%i$9X0r_54Oo4$-+F8g^eo;+Pu;`FjhYykE!)t#vu@x${|V zMlDp_mKGbn0m*OdJzN~hQSOLd?ZFZ118xHbVh*bi@kQ#;-35oU@f_D_;s^f>)Vllh zq8o!`zIiYJ$+Z{UpAe4MsZxO*aaSp6G#Ljqukl=`au#u@nX<@T?B%USWIuY|kyKFo zlSMFeDz-?2Qrwl&@G7%<-i@@5*LPQ@IKOTk_m@(zL&6H1tUV9H40>7|Ub_eFu(hf< z&H87I3i=6knK_m3E^OIMmc;L}r7R;J=z#hHCv=SU7kA@0`hXbAHbQpb2Sg`|%&1H0)Eekz5wUfWDjO79xLy_n$s?H;Js%ljc<<{Z7lSCkhzMoQHn zr4>ut#zRuUiH)L7{T%lc1(^DnFh=gj(Rop>Ol1ARl$XYyDVogV;n!CKaH_snH;!AclSXryIvjWj=_6IM}e1Tv*31g1~}>Bn8EYgq+(h@hZ& zimoI>$zC4p+)lcq=54Qt_yINr)=8HWL9lSItgUol)g^5X@-B>+3Zd|&Cj0pCgBj1O zc{_n487F6mi}9Aa>BLakh(a?vE%Fe)0`DS38>7$HVW|RsC)nSw8H&)jx@|%{mscEk z(cVmwTo2fYV4K4MN<{|}DtowB7`BoxN`}x>(-tPhxwb&J zgA09sn!csY!*hCLSxU#@DD8L4f*9NJ(bhW&>U`{_OFiq*wW_T4j&Dhy12(xR>wp~B zaDZHL`H{Vc=(c8ZqzcCu!rq&-sS!0iMH|rz?5?s={0-2a+Rh2|HVmuozA1AP^~(N0 z9jJg31ss37UET?b`0r~+upgX9#Z~?bWHoi;Xo2g6chehfFChN>8hl2cu3jeVu!JW! z{L1)(;vW1-rUae>gQhwY{uHNqtx#=rU!2`VC9kRIj*u}$P{kLcvs zjO`>=+6N|C;yx1Z8WwpY3e}tX3uJQElId4Cb@wlj%P%g~DQNK3NnRuxDe-BUlWMH|HdhVOk#X zpFyimzun%`axmUBl^uVP8QGeq2hI0Hs}JJ(!@F;N$`Kt138uDxg7wuph&r}i9*%on z8iVs8=Jdau`GnDv5<~k#X(ha1lX>NJSVs$nAvI09O-H@cQS0S7X(ul@QvqtK2j*O3 zFc!vU3Qv1X-wtm+Wtt<<#m;(?pv=D3Khy&kk%56b_Mgi$kwQc;$?G1C4UqkyY0Y;a z-j+8K19s*yBiz`&t(yz4l+E_>kSYY&|7l#}J%ya3<^tjSsNGJpP?PPF;J*``DAe+0 z%fn+}xs77I>ds1B=rky>=bGn_CdJz5c$UMSt_uKK^NH|6bSSSBVpBymmV~iJ`kVTg z$WXO`yUy5ny7H((?X6~R9;L~SWiFM&W|&Ex3(^Rzm!=4DtnDE<*IfjV%V%jBod0_F zeF)&ndEz*}r|cm~d4Gbcqadfi2lrb^!8ZOK$<6?XHhdXlGT zm*R7MiR2{hI^dPoznHvA?%S;{rnpkCfAvU8A z_m9r07dMcZP)6o3qcjV*Ro(|$YAJ_sUIHubJLcwIjx9Rz2O%jM`%Gt}?RRCnd3_v9 z;NImI=K@wJofKq)oG0&=!Zd}X%egBd$mI6q^1E0XP_hPAO^(xZsnPhqYM!<)P8_4` zmxn>R-8GzAG#1IJ^nBU3^053QEWa%KWLLwm{N$dp%FnREpzbtaWL4MT2<<+sJR?r+ zc%F;basSa_pVNxtuf4g=kH|UfwL7JU@K9VW4)@gH$_J7BT1Auig{K}+>PW(1}lDt2zp> zT-#r|8|y45b=N--Ic_d>Wkk1MfDCu#YY3?4q71-bunBTMHdz(`1rR1B+S<)zfu-3@ z=UJj#~i^cjaSxR!+tJg(susII_x>jm%$An5N0F>}B}2 zP0!(Cx{gnw^Wd|7B5^l)uWYwmTFp_*KUZ z&~qiE69%OaeV^HpbyRd@t!+4aK4&R+1Ky!>ZjMreq}Sc4M#dE;&TAr665`lg0P&Qu40Li{u8c7jdoG)2omN z5-~601Ye~f$AajYuakM9U^^;;_jR0p?3#$gJaUG-Pf}bPB1%so{|uiX)k{Uh1x)ob zWs51~ z(a&y|sgKaCvnD2WCObAe0_(-(&Qs8+)iK#=Ivp#eT+j7f1YKMsq|hJAvvdOyUzp#I z5zZL=W9@gErq%8t=B$T9@w{MKZUA26`batZ_>T>5`X+$Y#BkadWcJbuEFE4UIqaWu z5S+Rk(&%RZ<)gh3A$-sAePu~!_vx!VA!Gjf2&-GGnB>_T zVZN%L)D{ukXt|%#2DnXU^G11Aw>)evRL?Lyf&0~ou;rW=X+(2kGM&V1ihC+8=t>|G1=CS<`SAxkKlJ zp{?|kFIT)qKJdBm0FWFEfN^=z>G7H|SYCQ)i@(|no_-nTQ+m@fW7S6M7F`(L8_WZf zOwaKsPNOZWMHh_YEoctWwV@)>db<{TNg~*&F5N16;JO=up?BR5Zja7dX6`(2jez*%14xy=v{UTa5f<}=pD5g=CJ-!P-i9emM2Mq_$rFIJ$}!BM5v+KkO&&@^X=JyBIvXb!3`V9MNz_UWg(?Dojb8*>Gnz*OVv6;>X!0hsK3o^AbKzB^>!gv-^e;5^KizbUE7tL`1=Emp9jom_Z~(Y@{;{ps=!S~bydvcT`!T0m zRw~c&6eEa^CNFB&jp8tIGR$jV69w*jUG3)?d+WxE){IAhqWe`$oRo*?2suT}%$Owd zA%nKa1*mT|>c|4~U7|0K!{lezpE&0=xayTY_GocW{t;Ba57U`SwKQ4EAbW|0uhwb) z2%Gi$^JCuGqQu%t2A-e9%a*0oyfa`P!1G4)OB6&VgFktS&5#9J58%=qII;8Lu@D}M z;jy%CH}_Y!44zggdVi7WWE#tLzn=)T>1uftd69Z$6MY%z!*f~YcJ6LDdrRw@YIjayntcZxvjl@>zZ^8CJH{1$5jYl1%pr6ZPDu zkkQMXZ#NejOyBB&ew$(i$K%^TDCF>V;qz#iIjnW0L!<_8+hr7{n4oMZ>;@vOw_rjE zs6}r#wFu=u_l^O+U8JnRYqe|x{S+OxeK)+rMJG7nMq?q%Sed5q-1QkiJnsg19$PHl z#{%AqIsSfZHW?`?R$CIE47^2UgzME)cpp8dy&b_N0QrRczHVB-ZfPWY7|?xX1RSOJ zvJS~hVeESe{O64TlPr`t&smXvA*BF9f{&jd+5Ss-C7x>^W?IQPjY7YZ`GeEhBp*+9 z6>1zy^)|p@N+^KmgGd)%UWSGCus{k(Uli`=1uNANja6SjiqMQq7bDgDtgZPW=KrtAaALg?Mg{90t&6j8%dRB!d|$u6(k;^X4f4A2;3EruLTcW zTj_4bd8YtDDEuACIe8{&T*>RE+dA^GI7;*6kP~vy?vT9rIh>=7LuGHvv&tf)%u)3R zIMra^4y(gCu4ESgaS15+sj?sX(Hj#A5>WfCqC%ub!8@~F<;!=XyzyYW5e*Kyz@vt! z;`#vQ+vSU5oOB+Z&w?@36XkVCegb6l&W|qj#MA8^?oF0S{ZRkO(?aw9muNgGG;_)@ zh)b>M_Q9&3((Q5eud5Y{jr+f!BBuW{tipN(=2y)4KeMV7$vsv}`JYkNzdlX>FT$Bj zi~%#Qd0|!xg+wVG14L^tvY3>4Ac46SQn6|$m!3fKj&6vEPNGKnLusBkg{CFJ-~H>M z1(NzDpxfLop^$Y}e!sWb7 zc}dj#Y3zy|mldJ%y|llMMK<}mC6YYi`YTerq>XiWQ`{T4W} zLEE3wSrs#{+lLJ%S`$eY=#9Lwm;~utcF+I$oK-?!;Dn@3nCR^dtHA`so|(P`!8VtN zSOY3i`e|iIfr+QXqfak@PfL~u0&;>5e3h!!H(!RCKmW=6l>bZYuIPg1py4GsFDTew zJbl%96Y!)5VUDzDGy=`==lCx&7<{a3cnpn`Dnd&D1$_enD?c|ULFsP zf#x0o7ySpIMrnmKtznoPD|N`_p_$$0D|kcHCEPNui?O3(KpcCu75hlZyhSd zH5V#_<=DV4vM9Y&Iu2zS{*~uzyAYj9cZeyPM4(HRo&v5%-YdpSZKWY3wtN$wopAaGe#E7xbzoH|HS!jm*R&ReB_aP5N;(OGJ8-|60;@=CiuC!+084iDhWRz-taS!s)?TuGomcO&s#;;5gX4`%s1$HFKtS z0b*u&Z;;Bd)c;KOvN79;BG%GL| z0j)SOyLR^A1>sjF4{XHlG03sdpj7~L>mG+#oTm`geZ^#XB)+C5h2Fp*JHwAfY4%%T zT{txN^g`iveOm$;z({r2Ccm9EnkED%3)^(^2s}+aidO^dV>FUoUBRXW{(;zr7kn56 z_)@%oC`l3<@krvf{TMAKxw8?_B#k7qI|vrKh=pXcm?$-?f^!;i`#x)PSZsPC=A=Up z0sb|^#p95`oQNMp;l>SoT+4M=ITjC+dc4H$^-sse_B3ct%ejUaax*7IdX(4}3_;>- z@=VmDXvfd(iAZahFD%eY#`bEL5pmz>H(q7~plWywYN$Fep5b!95Q}nJqMqe7^(GDw z;n4;OkLb5OfZFahU1`gR(ndMs*k@9SFo!}Uh5WfJ!*o}F8X(tw zuT!Hfmm_`{{LIO)@%Fw-Z-Xui}-P8HB63y?%OZUWU zzI&=7N^K}?j?y+cZ#x>Jor{F0bZu7)6A|1@b-mn4$axUIgj2PJk)#Mv=~v(=IbdcO z=fE$sfe#70*p;V^ComqXe%SJ@?;@_rasYk^A;H4!XuK0m;$Glze+?{X-VH7*1Xh2f z@2UrE8Meg~0RFmHJO;LL@XJ=*npZl-6j)cgQMS4!>g0qE%PVtGepDpPD*~VJNwhSM zu3}c_Mv%4oy5Nfvfxq@okOn$u`sPa_?p>D+E&6+v_oIg6fTaa}p-bI0Z~4X??=GV3 zxM64O9iJLJqmbtnC=8fq<1Q&%dWfa^H^X+9wGDP+3)RX#z-Ps8XcAv1U62<%I~AdS z%tvBnpX&<@MMujy^47UM za8x*?{y|6g(%NC682qofr0HeW{9lRw!?wpI?$0 z%>J-(O($Vyt#^B_b}EYcTs(HZY$pdaHWpfsp;5K~ zbawM;I1cAZc1cWO%FEk zvv@B(B0QtV1Hi(#HcCsTjzV;?!gXi zy+8utw@H6|To@r+Ec$MbN6v22{>H@Kus|#%tF%F=?GPyDeg7e|Pm2d0ojVqBgY{rl zh(|UdFM zHWHJ%uL<(NH66~9AAoPvM!GVP++^>iycJF+!!fKYSVx{SbsEFp6&*rKRA*Qv@JsPL z=lY^PsBj;Iy_22%um#T`elBWsA4fW^6&!b^)_W~4Q~$#vR~y48)&2@+?j_z5eo(Ub z|5*ADn|AzVS_@}(I(#3@r{HYFbe|1Y&pBzgUm~5Yt>xJ$RK%65j-e8(1X5+ZmWt?Z zkWuQ*H!bpD_7NH?l&Eq7*3`C)RARSp1EbhFK`*;%sHK6nT_$c(2*1mEvr|AG{Vw)u z{@CqIJh0JXN@Qbz+#37ND?pfQywJV0PHdlXYqtCs0o5P(U84C5gEt8&BijeM%&6s| zrLo-$+~x2Jl58IoUf=Nq8FJ$q#GEwYef3id}iy7EK#`!llFTECN{aI)ImbzZj=}N;>3eSPbOt@1EQvZZH zPOKoy!aP}Q|Bi;)Fy$U_)*6988@}QiNIk?OEQSoM`yM~7_R>Zo0=oBX>`)g1I#Kjo6cNc=xB_4K{eh+vWQAcJ-0YV+=hSx$ z6YArE!#j{nGBO&uOFC;MuVmVr+>?QBRMSYdIE}=TEHPHC1gs+t;L>vYT)doYivrNP zE5d(;O!U>V2gx})(gjvTPGow>dD@HbEd^rzRKeFU;6>JoFX5wZ5W#N-YdIU9PRgRR zaprB&rhgIvvdiBdO_OZX4L(BS-0d-eAtsMrE+px2O_&qJ@F+Zjx@>D>x(y0ynAx>1 zQj}q4`v!OvoleAKv8fci3{J+FSJ+{_CF%5UQj6V|FmrFmEfHYf+J`RjZQ{PuQ;vNF zwz%OEjoQ*)umiNZ%sEg&vt%WH;D`cBr|y2?y8Rjenxx= z1YBexNW(UpPU@s=evkDgh@b#>=?OJ=Jl>D?)D;NLDb@`P@T0&Tl8`e+&7x+QotxO4 z2SYPtrW`A*X7+a32WA`d@pRe`uz%Cru^>^GHsI!RGXg^qYQTq^!eHYNCwDMW0&QE? zmcVEj#8ls}cuTUdpnnohVKI_Ie-7H|_|W@c=YccA9a)<}O`10rj&K&90mbbIawgw| z#OJ`vppZT8eGbBiP-94Xi?m7E;4llK)79XA_JPvzujq;slkiR*7{%P3=ey!)=X{rM z{BSAdW`r0MZuA_8wA`XFl*pMzz$g_R!*l8useqMnsT5p~KmwM7V(QAdas1&TI-w(r z7p-zSID9++#2wtRbOH=OUl+69Wx2R2r+|sjt32l3qa!nei(9ADa~*otSo+mHe2(%a zn}++8HX(RN<=!W|pIo>e`T_DR76SsCA`SH|VaLS5&`?{&{s$86lh2pKBwlGF680pz z7ouljKX#P3)czS$T40WhmVzK@an5p>0D{?x z0_fa8HFf=y9br0@mv4@;g0OEGypI6v002rtD`#YzyWa-K^#;G(3auKmq#_N6PAj^= zFZS_lTz(&9dBjdeYM_}qTiOS8HqmnWlEbZ$Yt)*tz#i!>>_%e_kR8+|k4AkPx7cr4 zlPH-4rGO>B%E%IYJNS>vo?%J0v3%L&y3R0aPinfN5%BO+j-ZL9Z`rW9^E5ZgViR??I4iZ7Ogc^{n~Zwyc^R+hAmG@f z&v*t8L40-B zR`)Sv&9>kiu^st6Vk-BaILE=nj^AA`$o@~ek<_VP7(J?zhvF~IZ|ESGEGW$xPvG3r zrEsu^uw}4WERl`4dxh`ju?DgFyaLNHqw0ZSq(t?LEI%#_fnSd0{v=0{2~=@M76fop zvJ1+}EEk8bC{jZwmSkk7G5aC)1qiP%Yan#K@+UZBT!LjcW?9Os67P zVeol1+INzas?DSk1Y69NuTLX(HP3Yc5kF9JOKFggb@I@=v-xC|{biz=^l_vCR%KQX z3jUt(g8qzNa}+y+=QE-@SJ^((kt*A9-L)Ga*&AwkMb|xZHR+GYwuNoCpm@)xzgp9I zI@#IKHqVly$EkZ#=>hbv?R8#w!4M?uQVGE|(tEfuyo*2RVyN(S#EOcxAim2t*3*W_ z26sQC7K!~73MU+t89T`#lxvaW!PW1Bn5?*K-7^a#_(8C%AB<_IRM<91;=!2As!IQRIMi=`QqR0 zi#+S1x_+$eg>X4pfuF`-+Q)HTATqmC9qwPOV5@0Pvbiuo$i@M`S}Wj=MQ@UYJP zg_)E%mAb~lWrU4WrmF3Q`FdEFQ;E+}rDyx$5CZh!RENtS+M9Vk{IEZ(;d9@7Wx2=$ z^9wVnWE|BiGU({A z9k$W@0z~@d1i}1*(82Cy05Us@2Rct}92Ja&d;c@{5s*ZQp#xh&O;Orcla?#BpIGAc z2PSDd?g@R}EnG?E*O|abUJ(32|L?fcQkSw6v9s*wr~&2~ zxt}DuRg5p)fkaFBazyUK_sS&zZ5AnsbcWZA_$rvHlc&)fb74H+TdY%Wb4&E1*#qm1 zOb7|&Jj?fu(yGlFk^>rus2I8_w6U>92s@Mj_q~4UE^MQH@lpAAk`X-ed)BR6uBS%; z9^my`Jb+mOWG!tWb2oxh7q?FkiaBQvKC(5P^lke~$sx=;4Y`9z%*jb>D5meqgP^<{ z=>Eupk9o3Chk<(tq$d?l&oqP|$Ahq|^B*kOFM%9k8Gg%CgTxo1HTn&P{#;8?5s0}K z;E|G#)Zu&pkXb(FfI*mt2SsV$+9=nw-*&H|QLsb_i%eJwS?acE@q<@0!1#2-z-L}Z6BI&Piui0_wQn6YGlA( zv0BC*zV7&iad#+`%XGM`u#vLR{43~^%YZHapJ+xI%nU+CiALqnE8uQ7CRo?tz8%ztB95 zy1Uhz6#-V+Tv;zHFgM$8M$u5F|9|Ygc~}!?+ctjRAp;r644J?LCXm2H5=oGe3?!N; zNFqT&L4$&Vq6UqMiVBKW>xPPoOBI#6FQ~ZGYQ?SE)>hoLZn#xzZN+L`YOB`T>eFh! zD{7yo?|VGIKfXVI$MJC-FeI7G+;gwjeO>2uo|}o|OVxIa9F z!5ux%8s6I}Bx<*JylXN#3rTH;nGOKyY`YHEGeXBrKeUb(>YJsIq|?PDViX^f?t z0+(%7t{;W)6j{4rDO^SJgmnZF(ev1p9BGRNN3M&cpGCaU|bBKagR@ zRl(?A+!GmzwHt;6`~@k+0E~HPQU`76td$2H{lH*Rc}elGl&G0FkZf1p%~1~AvX_}H zC508;@B^YZyG6AxD9?;UV>D?b$66tnk?##y^&!z#DtvkEOkLY;^~GC&exfBs0}>M~ zKAWZhfPW0}2ejGg#%WYPsA6GHJNkE-0IW@rN8wv^IO74Z{mJz0Zc#L`QZ5QP26 z+)Zy`DUoJjzZppkV=2!-!+BZ!3r0)zFBxh-Bw;sajJ?bg6Hu-2r9VB6ZQOjn))d6> zX0MXb5sPpaAZ!ldqZ|xQ$pdMFZrWNJoK4*rrX19$jMq`;#)gJy?Mvep+9%&~S-ETy z{a3UA!adJWn7WF-_CUD>0;me*0WHp?F9q%&sOy?WzC$xnIU2OhhNIO+pwz83<4_g| z>?#AW8u$$2w3?|@NA4ZmMIVgCEyFY#wkPogl?*<0jR1Ujz$J}ZY1MM1uI z5Y!_i7hA}Pq8W&c5+#@oVPCRJ{kK9-#JxwBmE2VICdnJ>XjQpQwJC63l$e0nI@~#5 zLcrc4nMLbfPO4NtnYgXTjWpmVQ~>qz_4Y?C90Lc7%KU$Q*BE=toKd$zg z_IQ1kQ=^LS4!+z4hJ;A6Sepb98ei@t;FJ4N*j7^B`5DOO{=4sJ_! z%=Nmo?lP(!gqhkxVx2b7NVs{AfN%>Oh9R8HBXHP`L zii{pavJyy;AGFjDLv@DF-@lY?eX&q)DD~Ou|K4yBnx*KuFx>^%i2TE|%7_c&^>c8@0+}ZAvNP zm+Ea|8sMymUiQ04JmyE=>>D4or?oM}p#z&{E@v&MLi2h+mZUfXX}*EvBMbUz-BlSm zfu1dE5;B%{TGG1k*)ebzF&gu*#>2&P+%C*h}IzBn(a;u zAd`r8Ag>b-X&{D9K}w?x*O69^<64R1F{EGX&(H&85FjPyW3{r$0x`E8uxl7A<|A&r zrY-K}3vU)IgA7uYnFfg)U-D@LvB`B|cmdc8uGL&8?H_^SF2wa@M>%eQS4Fd(C?nm% z?{<6+t1?NPVP`Va+h9!&K1v3Yp#4&l^~A7Wj@6zx<15Dv-Jw8rSTGJ%4h}S?K!Vd5 z++P!7`3t-2$H2KCM1lt!m!_ zXGn!p={STvQu;Ny)V9NV1i_R?&E#$XXe<^Q?h`f&(h4CS8sr`A70NMYF`800;$ zsG1W5c_)0I2|%1BZpLIt#r}*CqEx@4bb~z-mDdp_jn?L$as*ofi4w68abIV)Lm7vR z@1WME!j}5)QnoVMZzvyIfzl7+es?}+;^tihSYVk#eMO~wPU=F#s5~l?vg!T`B&*qA z+DQV1V<P$7Cc8>>c3^WGA8go#tc1A=D~QXc24F*k{m;awq)+$l_fUQ zFxXQV3W9JMsPnK7BULgZN2U_QMmhi@mICyXDE>u?fN#lc<-x4{KKRXkN@ z50h3MR=3oY2o(!}1jxlIa;^uEQOXZkuGcbF6Qw&HmZC*f3mZOHAEna|OSwdSL{q3H zq<#WSwgik0?tN{tmg&n@lNC=|83(iG97luNP6(F;B!qKdn?g+)V-2BpC$ASXvNiA8*CMI2SUjO2tI^t`AN)(Y zl|I7T2VU`SXv>%?TX1pY;AO+N{Htc7FT6qyhMSyW6-*&)!HEpvU07{WhPJAd#m67r z%(ujG-ud%J@NvrTDLNwD=j5(Yo^OeF_!20Er$mhBTJw<{P32mqkQu_z0L@RZ-?c)Fr9sOY8X79Q zg8e(ee8cH!M}9yrBWv#~>$Ilca`i)!jaX#{^_>y&JfI9z7c>vPA+O&FyR&YAn!ykd z6XO3=pOgV7q@Ln`AigpNdUp|PASAM=vS)*pbhEV}<|EU0gk7?pAhKsSTjh| z60$Ny+^Qm0fzJki2Fr=Jzs6OvL8F{^jlV{8h4@CX(8CYl_#SnG%DWR5Q36oykXD5g zWCHD{Dl5fz`LP+D9AMw7p9ZoaR#$-W{K@h9-m2AdoLmrrw80dh1GO6hp*OIDQ#vF4 z%Dh3o1%D7M_#p9<<pi>-cEjUy+QS+E4=pa0 za8APQSi^fjm*xY^hRx0cp{?xVuG~!AML9&qRd5=+DB((pC8aGmI}UpvdeAaeTD0ho z?L`Rwa)Y>9ayqZngqrKc0<=8^k;~B}(`emMz2SOmsBvAh=JaWrrK+~TG&VPo2|hCi zz@H;k*FsEfgUN8T(y9qKvrzj{km_IHBCfb>c$Xv=>U0ra7c&YxKvcJeV?HMPsrP4N zPT8#`E`f3rBT%sE!yuxEwk(Kt$*^cB55mejVQdVso-xOVF~Q6d_2Y6Q4d7z#TVKqI0PSTh0(U|F-J)SA^E^Q=U_@aj;^x|8P^lN>6l|DfkAqcM!upUzTY)%6 zvsH*e;u4(Q0oB-mp$QUrmscLjOp)RvsN=-H)H4F9chreN`U+wQ5V17Fo$p9gFBCXj z{{>pAHiWa|G}n|Jf{cYkkktiNbJb#D8q%b(J-3;KM2>W_57;>KhiE6Yl1?{eed$f$ zKcqbjthlmPm{BQZ#ewX+fnUm0yS01(Br!U`4S~l~`w96qf*iqqhK^( zL#anX1_JAtGvhpsmq;aSjwXV}*?biYq; zt#3sLt5hQy!xKF@?HLcCrP`h82Wba6I}i~|>}Z6L3K9Gol>gbI~2jyx!q&B{+T1yy!Py2Ebl4h^Y=5+~V~c|2*OKr2rD@!;t>FWWI0x z8(I4Aci~juX};_K}59r@bu@0WkWDBoW7E&LKRKmUD?zyE)Ii?=V{+~Mtu zw>NnE>h1O4zIuE4x3At_{VnPjFo(XIy#D&XYh~Q)YAt&6JkTzHDs2({`YQiW+x2xI zcnAO}K9U{ugTwh?OiqR)QbeatK@zDwX7gpoH7R`|&jF�} zkqAGk_Mb!YVHpuN*a7=vwJ-r z+H=@9`%1s}rz2aBynUj&*-TnvAN}xZeSbW$#XG;=Yg|7wI4WhrpU;U$QpZ$0HTA>- zzWodZ@0{MTTIZS_ZZ5;NgB=${JA5k7F_}=DodZrT)OTK*;JL6NW04_yW!rJT+$KX~ zyRJ>Ef-i&`yKU^e41dttl>0&VEk#FXvvEDP_ufC1Z=H}2-(2UKql)jfci1((R$lnY z===C+c+0+@Pk15m$340qn#D9rhtdy#GIZNGmrERUcBO3^{wkpuZnZvrp4u|>%7^*- zPHjuR-d+6tv3U`#Mtu9(IKO~wUf2vz)&b5Q^~3qv_A|3r*~=fmBOX7ys?9r(Z#FDy z-eq;$@$j&_2Ax}-%vZFyxM_Y=yGeik`QqtaP|Rpe1ct`KBTki4>ah-0RY+l)hSTT<4lNM`bQLGRut@Kkj8KyM3Z@eTVs4_!Ix*J9nb zTI{Qr4=n(surGe z-eb|T6rMvc+)UkhcT6RW)d5#`cn;6-3`>F$dU&R9ScIFQLm194uECM4oU&J+)ac?BYe>*8xEq?50*!_GlHhi`LM92T%LODG8|1FfSm#P0>FO*yhRtk2Y1i>E# z91w!nXYXS6R7Pj^tPHp$5V||6cL;pY9So{6Pf^jEW`Aw7g*n5J3{=<22-FO+4CTJm z6+)u`HTvk$Y^GGuSev8JF~y^bM~?z08w#iR7++e@o2(!_Dg2EkX@GzYz*@s!n?pim zx(T6TazXeTn~kBOUxUX9k59gxU_;;FfXNWT1f}y4iQ&g2heFdiV7frTusQPOo3PL1 zMS!yB8S)8ti@Sz-_M&{a*E>KTp)rA#yq^mhlYq=SH3>Ya@YzHW>Ai!XIS-vfs#UUvYZ4WrVxL8_dEh(aC+8P8oeQ3sDT!!UxFYOzxSQSiHq?`?c`0WNk)oK34{o6Q1-Y%YyijV(=KnYul)FgE169jU{^X zFKie#7pLY#AYZ1-@Bz6LX`Q%)V7w7B$lkCt5Whn{1f*A_gA5ppT&zqEji1V^@MnrQ zNjCd%EqT`w3p~mhv3xY37$6|%w!hJL*Yn^K>*}zWmxM!BlTT;7WNa0W0C0#SbGu-@ zx0H-QJQV}dJcj&oU*;3*CG~)i{1!*bf)FzA#S1Fb!ci*jnDWTsm1x&HY8(Rbz9;#pUEc@8yvaTEL^dvRKASC7VpD> z$^K*&il?eHZ7j3Bc2^pwwe00WY>TXIQSy$lbADmu|xKz=I$j$g&rkZ$HJ3(fobMNIJoOl=+<8N{y*=A%MP5j}gCG&lE z{eaIh7m-^W|2mM3FOffHa>&@gZ`6n&{G87|CcbWZpBd_jfQ;>G$NtN6k)FB;u8WtB zud3eHZ3?Q12cU}!Z*O>@eG%l?gHtkgb1n3@*fsa>rbJ4}8~B8|HsgDK*O?0$?eH~s zJK!$32HIk{y6!IS0}fA?Yy+8oq!PHqjhno4$O9e)NXvLuU58`}Ed`vau< zRA&B}=$QNyRuEpzqAD{UpEU{hD_-H4TH4DoRp=oh>m8Hb#~}?`WxmuPx0SfvwsumX zdC3xx5p2nSr(bFO%iUfRS6#x6C_m1nGv&m;vNLgA{*x{cuI&NCijB`5>5%gaP#m>~ z&Dvy=OyjqV z8|<;ye#C!HpA3df3b#m^GaE3eu6aQQJF>}_q(V1E=DM$cMMhPO)~=Khk@`R~vbHN< zjhC5zCST9siM6wGrPNS}&%nspMHJ`<;Qab6lp)21%vOFpgYZm`Q^#tQ{ZLqvj!42ATgc?{nl7Gg|1;|t~ z+bQD`WW!UPJn}u~9rO5oEQ7a_%gsL$g|_mFY<50mO%17DLI9WwJm;>i`k|zub{OA| zF!&O(H`Gtn+bT{2c6PlZzv6}6i;Kz3Nm!Xn(jNqlo9Ru`enRU%Cst;h*Qe!<%U9v` zcnZ;#Ne0-_dqOgTIiUC=KZLEo9f~jT(rOy3PL6c6@J+Plg~YaUe`1nO$r$h07T2fa zBq(ko7nA>rzAMM?)H_sXWq7T~OO$ma^Bz^^_`~NdyszCHOhsakF@j|DpYp#|#IYx7 z2UWjRyeDCfR8&;U>nAwM$zBep_dOw2qTig7EO9);KQP9Vw&90W?yvQ>vIi{w(e+(^ zl5W2YM1wk$^+a&?HVLru`T2<>fxL_#osmEMGsG?Azt#37fqEg8-<{E?v7M&hM21u8 z2k-~@Qjq#y?V0CWn|l%*Q_2XK%jltfDI?Um{+QP9oOr#`ueP{Ufn62@!xAHWl5#Bn z6Jt=>LDRteS5=_n4y-SIVFH?w`$t8&=Pp$h^zj@c0a6trS;7I_Xx&bFG~v!Y{{MyMn`W>oG;nB}ZU|b0jjJ z(P|iAJL*~58c3^-dcGk_HMu!A{RzF^pGXD$KMFVm^gPA?g@30@eEI))rF8fJ{ZD(w z>X-4ySS25^WfV>kq!OY9NMW^T`qsT4dz+?fPLu}Vh;2$^G|Y7wcHB4Ljr%s(Onc@0 zUdK!-1Q^Sh`a0M5xZgw(U#j{FU*f)i)^i=hoXTK89D62h!ED>KFKQZc8G~l~8*JydZ6TTBhlCJ?3jGHZ0>*KTzuED4)U5BJT|L zdP)~r?_qvM<7(~)*Inai?;Y(a1*Wn;L7cr{6;a*_J6-AeG*}qwZD)= zt0&ORKunvff!c1a>msX|V4iY6#py--6tjbDHm^3LS#><$gwGqJja^&|g{P7&KY7&K zJ|Y=UDx@@=vi}QZ*M{O_y02;GHusrV>+&#>dFv#O$&TK+B4ql!%Y00(6ZJsS?x?t| z#~%Y(*XdRADqeds*qCbRKTbxE3{-waIxxP$dmS^ZE(+Y=MTBU+tm{eQS(SBoCJ<{j z$DLh2VYX(Gwk2P&1V&bs)y;~NaKmnW9?k>Qp|1Hl-fx|Ppyl}I7<9x9IYR; zXAN*?wld$L!Yx0PZXc3@pyLzYGz?$!-w6NLVYW&Cz$uD8Naj4#2uDx8>;9?okp3LSx)UYPG*{ z$vxRj?l#%N-A2=*{7h|Jqo1c-|2{vx<_O-&PuG@_e0lwLGmpFCl&YSY*(AHt9Kn~S zcR=Ef0QX0{olVVcZ2AZvNbXHe^89xB9=J7-UQz!@GZRkUYnYN8 zrw`T6qwoRhG7-+SV8XSRgMa{9WeNuN92Igznp^N6moMNMbFr&2^D@XH!E!_`vhx07 z9`gLqXO4vYUHgr$Vp--WWVWX-!H&VjBa44^4VyQUKdWK`JvVZPks%cqO5LQ=lg%jg z{UDoU?zVxZ>If=?E3zI<>m)K>1E`Lh;Tgw~a%%-ImqWZi=^@tj=PM?*0sOV;&Q- zhsM)#*OCS7WA8n7P{Rf9Sp1mjkK3`jWdgR>s9X>7GaXIl930D~HkM*@rOlnd=VYW; zbPJ^ok=Q+ z|EtFwhsrTuWmWxBpu z{D9nNptrq+`N8umv&F%Ce-uKnc8(lt*e!%Xzm3dE(P32yjaQg`+tK(e;h@Brk$F{G zY0q32gtu2estsVPbCVnRC+mUoP9V=i()Si|k>t)LGbYaPGe~pBpJohNk7ec$Nj>u+ zLC4R6)G5m>{;4nr5zX^IqJK29`PFJNMt6$DG4?b`ZPkrDSGj#OHdf)^%uo2)>F)#` z&EQwK?`8Z;D^n74x%GIK{?)i*b_*E?&~#U=AFl-w3OudBf|qCq1me)DCVWWPhV<)l zV@{?6rQ@!~cYr`mN{+7G%WIf3xTT{_eV~56rPO>1t1d4Geu|y=a#kY^ylrWCf*$xk zbJy$lurbVFym|~!8n*UsEJ@M(HEq+a4>BHd-#3mf|G{xzn=T_GY8TQOp|A)M9b6V) zWIe>}!ejBqco!@Hmdo=xG98qi74`vAUP9Uc@jfW|DIUZ>!sBr??zF|qY=P-*v;KN% z4Z&5GYWiv&viu7BCEsizIvo4b5$-7dKrgVW^(2|Uy?d@ z5KzC(cD3>}x7^}oDw(XI_{lGNwL7`?DchM?3@L<*JT4{)XS$rsk5#8^^|{|@H_-rw zs$Rev%)RVq5ab3;fi4dqK#L0U9V2Wp4kfWMb0pTs8eicX%qH@LMZ#8){oQMs`LL4< zI#~|6&uI=N*^f}@+m%efiN(YDSrltrW+wRq+)Q^{?mBDqZ64UYo{{cfi5%d}tg$vC zFQb1%YRO%VM!p2JOd;->+!<%Ek;Ew7d%7$rZeN*vfSm|JcPwLX#9RLta~`ie!{C}J^a5_-oVdL8$N6zB1-l>@sBJ$VeY^VJ`WC|u{Wz{lH(sX1jr^ne-aQ~aWMKs^z_i8 z6a1{0btiOlS2oUSHa}Ha6|-o8BSZgw@2Mv>%LeZ}VOTl(*2(7nQ$2yN9AXDKt0cgi2MImY(G4x41ez;zfhIgLa}+ zDe_e@$2$^S`%Z>Bs+cbV>91zux((?-astwckU9^>9FC@})}w zGs+LollIlj=vg$IZ8}xdJK@UG{_`Ch+YeZnWtDhapFWuDeZTOBuz?c>Y`m7bqV&qL zL2ESr1%s1Y|5`CvIxoGTO;F7bq2k6>2HB9{4I5ouK43?lW402xLGd3JURDp8GPkL~ zoA%jb^|1PrGfoX#@@tbauEn2bMzj0!!0VwOH;uX0Y{c!2*N1=h%rIrd7tekP9C=n6 zc3NA`9XxHbk*y-F%N1k0l=kAr_Ew)DMx~dXia*|aRA1Ymj)U98bYp|gad$f>1m4Dl zqqm11UOc*c=b21Ls?>GExsDrnYV_s&v6?ZxuP$E2eO)rhZ>)M*>dDj_O}B51RT~Ff zOuw1M%Z6;6J}5M7?0yicxSi19ZBmdZ&QxY<| zXLOXRHdhbjwk4 z&aD6IxIpAEpd3Wq%gVh39Me6+MtK9^pWNX?hmROL947QxQuaCipA&k(+fT!Z*XP6O z(%rw;|D+lAO@IHN zF+b1nQDePjZ))#DLbcY<@VMfAY*-3^e3kdV3;$m$D3wj>%)SYnL?c8&F(_GE-xK`}?GD*_)FPQlZ%Y@-BQjLlXOUr3E7emPi3->knYKa71Fb zBmBU-L9MX_`}twWj)c5=EK!g+JQ6Y34=bqVQsAFag(E*dMJQ^H?KmzJVLt_2CJ_1I zu5fw`{0_v5aQNJULHZ_%8U~-@1O+5cTCfZy;6B8n@B|2qBq$VED~m)yI6;mS2?(b| z5^xj0aCm1MTy0z^Tq7PMLL$T1k6055#Zw>&4xoae$k=yNz-J&h8m`XvwTJX=3|8t+ z^NxJe8utj*E2-gw8PFPESHd~}7q#_YTS>u&c4j57yD^mf_0QvW&?@gq*l+*YW&duA z$L;>}pK5wQ?As>#=i6|RnYg15Y%)0!e%d9TdwTBl>C=Cn##jz7pMn{3`gGfKr`y7Z z=P(foho`5XCMMzl>FLvie`wpMr%z8jP0%vm$5P5jU>ST)2Fu#PIfXK~6x3L+*mG^4 z!WEw4(=x!J&-YbV;J>S@v-j=L|IAOdz|U}HE>zb>_yg7T_cQ+IzyGht_^Vsw|B=vbiC$QaLPevo&?vF>`A3+MFH*b?GqO|6{lSMT z1B8-ohIx>tS%NPhIO?@Q36VLrGfIqiYm71oUXrnImxd**gRGREP~kMlOF*qeE#kIw%h@@oH3*Fr>_Er{ULQ?OrW;Ak2~<4s6tA#el92)Ef#q_9J)&OzZ3pAcZs!B;z!Dg*`abY%vyQp^W&q5l?*=`xq1o^_gn6 zLogMRldF+gd@4cA#BaFen(YwK$ft0j=Ld~Z^C6VLtidc_U_C7{M=)AQ8Zgs@wk$;A zt{_aqi?F+rFbca-d8uWeyp^%=PW(XoLj(>R`*FnH0fyQb>vd^Xe`_-&W=PmaVmbVMD;Zei#HZGcn195m1vkRKv*F^e z68y8=7fIy<_|L*$kFq=7*3dkD#SM&egnizR1poIz#$Yq$wZZi<;0W7 z`zI6eCeWH2?S1a)&qOiz%RR_^<`8Oa8CH7_Ehx&Bh<7naM~%#FtZTzo@RJ?OebG5y zD*lN03LHs@ifCUvcH5QwLbjtk$ym5tv-m%8*Y4th0A>-?Ec5G`pQ$~tofB7Jyo680 zDn$#ID3X5?ROnvcG)ua?X^Nsh+vyDPw%`1_#JXR z)M$Xx!}Swv$Hcqn==T~eh&(r3LC3N@zR<6ur}zko7o>L3?n-zQ49%@~45B!(0Xh0m z;c_2%ZroOWKg9vim)}Q)p;6*>KmKEillz$Y#>M%XT}PdA94_wT4EC49NbQof%NH50 zbJrb9F$O`Vf_MkxCODQxW&DEALNA&Hb3dcD?*YtOVKjt}w+P}eJLXVwCbbNK`QD;!f^EI#(bFMwDn2}sHXHcg&rEbLnHUdg4DJnWEA5h+*k{+_6{ z`6^|Kp9UpT32~@?iRA|EB^kSMB*y7B#F`znJUTVe&RXINNj%1ev|rLFiP!}*TN+X> zl{0vCI&z*xj@we5Of^+*tAG(`W~qE(tN;G1sI{F3)6HhKgqVCh+^kf-IwBSWKc!7B{wCehXgn=W3(f9{1(sl<1s+?Y(f9|5jA!)Pku=u@S=8CQt)D{vI2`81v zs8f=nn)1|8Ew%Qb;$Gqczw`t!Ur3{2ENSW+bl{M(H%avu-GOugMTKigIhhmxCG)6{ z2cbe;v0S*1kX1Z^QGylr3Crce!7y42G&ta{v&%4Q1>GLm*e=T2K*lO8lG30c5N`d- zHye83xq$bQ)0y7sO%jxpHIwXU7(t3TNV}3u*)0)~ zgmmUFX9`G6YIE|C$VxIhpyUho-;of90k3bpg_(mM3SCzJCf5z8QIS2^4@TV!iAM=s zr?)6JLQIo5PP1z3ODgMZN;p1xjZL(kmeOb8Bdwky9lqgmq3jwmMv?K$dRm90_&%gw ze2m1)Kr>CVGc)>;iQ>;l+kzq^=sy%}k`?*EB|)K`t%FtTR~uZoU=dT z?VJ`^()Y5Pco%0db>{$OJ}UY!mMJLq-trTUcBA znJr)fh|O5D&9}78keID-v`)ctSZjCZJwmpQT1l9tlld3rYW0v<#2lyp74{m{R5t=A zD4R4mh3&?iV}@}F`VR;*a8w%ls(mZTCe6M#$d3Zm1&!*rD7KKY2(O@ z5x`?GB7c5L7}@w8r$bi5A~~dNGG~|`FOHhTAV>w~3Q$txRxYG09$gp#=F^RnEdq5o>t3St3GNE9{vwIkEg@8 z8qZ|kk_cOgb!G`^F<rCI-eAweOHLKwG+~3z|JSDV`xJB43^oBc&i| zoEc&54YbZc>4#)mO_cB{a)iPl*@qkM<0*Z^BfJ=P19r1sSOYxL;=Fa zF%-M*%qvJozE&?%{}8VGDbRWZ13%vvYLS$RegXN_jeE>a+ai;df;5>@LkCUxK+P($DuGogwZP#Ea9h)L6)ci(94mlg1P)7a)F$#C1sg3|YUE;scjo zi57$pz_%>O6URmfA0x*aP#l5&vKZ)X_9N@QfNMY2?QNQD)-kQ>9~uTyz zh>%ald?E87dNu`kPJT3+Z6W3ivN?6Pq#JqH zUKzly&n`#iJ7l(gp6aDCJ05`nSSSlnJySjzBxD6Rmco!uBOLs;h1Svj_zcBa^Zgz5 zz5}5?M8ksnv%w-az1uA3OJ(W$91)p%$_?k0>G013X88c55yb(>S`aLB#Ew&$ZxG3kD!}6s*bhw`N>H>r&B$DM)j$;1@Ioj;SEW zp$z|%A%iK#wh1MPsfY_t`68rG9VRC+OY;Et zGMDZdN1a7Q%5lMP$Gu2=hJgo_yROk|3)IXMPMtT1geFMKl{2lh z@j>i_atHRh#xijri-vK=II#t)9!I<7Y-0UmjE5v4`g$OGOr58{lfC#$U}b&!gcjW} z&_6REJNIs=uF$GGC!?_pkF*+*Fc{H+kl|ulD+4A^?NJ$hEYw~Z-qe{$QMIvKPm{hu zyv{z3DsF8yf_3yDD1JQ2@rSg2a`C1DHWr*<2@sbxH{6r+Z295@%84 z2D#!`v$!3$Su)gG{Rw3q?`N8zsxKxV&~0RF9&GMtSrDrh9wO`WU_%Ep@e?PC9TZBN z3>r5O)8Rqrde(ArGC{8M3}(XKdmbuIk1$jQ>r<(Y;t4;;WGcM06FH7w2Ro&|kfW3d z1LZYwCLXts2XJ#%rB=xZP$f5Edr^TMl?+E8V!`?mW=ovsk$Zjhc&<^qRqvyEx&Wtu zYGfA*X0-vxVSQumtw2g=AQNTnj^#FEq05szD}cs<_I}@Egb921QYAB58bw@4)1&YO;Qb_-+{7 z5CV&Zjw;V$POo#)&<^^ETuh1zd#hkOCU97LB#7LHZ1XxTJMVRYIHcGXr+-GnR>{7f z_U-#kc;I$g{QmVcJ-s9c&r=4)q)!Xh*65sW37Md3P$+kaqfYy$lvSoqlJ*@%B8T5;K0g_4-ZPO|$;a!pJhh-j`P^HS;r zYmLMyzOIqFZTs=^7q7U|lp6~52hntCG+V>9W|x@f+G`?(OVQ>TWYL&PnF7|^7li7n zLiaf>fc%EapdHg5S#={x?Tkci1BsGKxNCiMIYKt zC)Y}}kwGcp2qmev%E|DYgGia6VYYHP;8i*jX=ulgUB+KU!ckT+B2+S8LMrg z$bp6pg0Ko%HZbwbp`2qdQKT24GPsSVY%C%R09Mm7y8@ItOgnJ)WhJnM&|IdS7*BveYQi~Yq0WsHdt}W#t1?I&C@T$rF+yARYW(Fz}jYFUM?2x&>uF$C=;Y z*-j+BgUKHRtwiG#im`JtiKeJW2b#)R(MgHOUwezUm1;XMWQA#t0VLG4tAdsCKuxiA zD=Y3JU~+mz8>Z5RWk%(3QnOz03#13hpcA4I!e4;&k!gF&MF&Q$i&-PDvpEf)(^e;j zEz7b9+bvT^n?8*xwmPu2Q3X>JT^>L-YH7LkbtJfzpNrD|K zUk1X8-x@2Q2bxTz@+(kj6Q#oau~}jX0`)afO1_py@)kaOjjmu z*&|ceB%+WJxxzA_AQ+;#X$xdpiMLSceSH{n!WPOTaZggNNobE&GlILywCOVfG2`(a zv`GD@Rg+;g`Z)xRMtm-@CrW_n$F$#B6cS*qlbT~QW;%vwMw%y(8v0wgMl%J0@pC^bhyWjvvTeAwh7U+`8Zuwg>5yD(iB>HXCu90}u-gXv zHL!AoMOgemYVD2b)DX6d6}+uxYf%uGDVmkmeBX;#nEMNs6eVeRsj!a1dtP$9wnpy$ zF0VJv{nptPEpLsuL9AJLg4FF~nnu&lVVR@RF&A?5M%AXJ3d2>p_8}@du*x{rcsi;PRe zCiQ@5;c6E;S=LaBja(Y%Ve4TJFl9f*_XEP0CYP!rRJk#PvE=VY-Ecs)4}XG{p@De<0)ct+9QOQ}OaQa6 z*$H4|AbxG>SYVUbfy(WMeKHR)+2x&=vcIY(h1j&}n;~Qv*Bs~@D{eANsg|aoa3I`f zR_;Gn6GYifD?&k9UD;AYX9n_BoH?r{#`n*QeUUJX)XKE#i9z;+0MoB=R5zwe-p+QO z#RWkT4u3wBD%M8In2XjcQsN?Is+Cd`!A_}w&cdAM?P!1UWo2uXFdn;eoR=_ZN^ytt z$N8SD)~XE0KXFm8c`<370}=iM8{^j&207zU^>Qk1&vD3@aQva^p7JTGo=3f4oT#NKQ z*hsv-v};Ke{tX;l)=j8x05}b|pt>uZTHK0iPoY2K*E=TAOQQ?VWVEz3Zc6~z{bMs; z!#Gn`O86zP_ZhC>e}GNOFmNJ^-FaabV>lL75e>f7@;*Xa#Q&)&O8ErwCw*I#<(NMQ zTNZJw*5M0E*!yE`PA{s-)5SW15zmKck4KtldBfKrD*CcSxQkr6+6DMMetq&uG8V;V zbr#$BOAChxw@G?Hkj@oEIFua%#m2}if7nTBzmCX$rY20!D#0XoTM3=!s*n!qF?2x` zu~4;>R6YsHUEw)GJO}(@RbT5g?8X4*nhCdZ`_cC!*jL1S;uUa>TN<(8+!*K<;L~Bk zQ{+wn_P$004ru*pe4aG0i}eWfnML+hWir>&si!LaxM+5%6)^F|ztm7p5t#CMY5EqOWih1sG)?jQXzY3$>or+_c%%;6`O?ie=+#we& zig7evt8Y#vi58VORcaU;XgCqPWiya23&&-!*B90h!YYY#KXxy})s||z6uZmFFu{$5 z9Ep1@Ww5w`Wg_=$N^j4>xdUO_engkMhl>V(SZ*a3WnUTSuAq4KiMRobJD9|@jcOAq zR|3t=28q2Rs`uA6S6|E4_GB2Ha2gzlj1Z5q)>7NA^}yovIQ8h_tO(q@`w z+DVzTlQz>%+6+w~1DTR(6KEiT1{!D}ffie6A(gV1rBJZQRsZyx@UUpX-3W_!&8k$xxPhsswbcRm*(s@#WPUms@WvnfCA${ zTVL8!9H7jJx^yi)va*DR9+Byl7Hny5p1jQf`_0XRG@*ZBJT~@6S=1rUeH~!P=AH=m z+`R%B+cd90c*WG7;HN?ZOVn7wHrnBKD zo=eH)+KWHID~%b$nj1Q9ErJO;@<+(j5v&_0;v=DVqr&I|HI!|QYjx8|GS4yS z;vNuS)vDfQ1%60vknhTma3qqG$JPrPdVh|x*fc6u5dCS=2P*uVX&W#0!SZ0%^pX1P zi{K7nuX@fkdO7#1Z^>KM)C~Noae{O=R$`*K?d^rOiQMOcc6!6_;wr>6K>o5TXe~5F z(kkvF6Fb>-OJEb+kj?ys3@y}y0kR&BU}oiM>o}u(BC7JD1rHHS_}Vrz^0;aya-O8e zf)%|(UG*6Tlqnm}-H%KBnC=U(^x!3kE{7NUe#Zb7qnu~+s%pUhF>nc47YKn=)I1+s z<_lMtwS!8^7Qv z!Sry<0ZUTfaKd*Qg_3a90CZDkAZA!ejDk*U?x+$ws^~tU@yI`xpxaIuLNI-s4&su& zh@KF7m)Lj^Pa1$isc0koyAlULSZmPv41*po3X=BqOJZU6Y6=Hg1^A+T}f~rQM zBk=E9)cmWm?$;xOQ1dYqIEI+n-m}D$wM(N^jK6%Hk~W1l#8!rl$EZ8ub`8U&hj9yyY>fszECr zqx`8azRf)u2%`q0be(4OoHCB>8?2uFE!e(Pd6i_k_z?>Itt@`0`5@YT5HSxNwDn1> z|Fj}-232)I;@&7`P}AEuz~JU~*wT*K>pg|VU8s2^f`eq=W?~%n+=iV(bcqZ5j^cm? zG1De|is?@Rol&j}K0$de1wFm24Q?(~RFpCmMHXUdDhj0I-GlKAC=uRfilGY#-3pkF z##@UXW-J<#wEi1{UmSwD9hB4;;kh&-WZ2VTd`nS`84 zOajNz&FDZE1^rLxJA5FMpaX$BXvQ)mev`tv1j`?kKi#y9mz5UT(jic+(4Fb5?WRo= z-{xVA(2S{AZ7J<;ZOGJ(ahTpS>5iL(Jto7(43%E^!GyDzj7WYFGQ>>bSUW(S^{u3z zMQ*QNIKy&X1@hX><75nXtpj^|_+){Fu*X#=LiuIC6hW4m1u&*`DSW3)$HGMG&mBWs zQI&-5G(~QKb8`?A@{S_@>4}))jqNbq&UwjtR-HSp$^(U%<>1_|FxX_(e~7kk>ko~w z*|FHF=_t3&6#r3(T@jf?hszcrp`oMPEJ>mOqiI>ma5CH0n;b)G1CB_yie3zkONH^e z=|k&#$nh{^%;XCwU8eU(TYiRE8147B{eq9dY7`a z7E0a1Tdj4nLpP^2#YmR`4lk8r~YoOXGHm2YhF~fqH=O{ z_UwQFy&GuabTIZ{zhw^aezuh{1Yo1RA7uKePP57_nz3&@K^Y|!Dk$T6caTm;@gc_^ z*$~b9;h@qLkwyMJZINm@&y}?h4aFKuiWgwo3fvi0=?5)l@^Ej5!@ia44ZCWmU)ja- zZv?3S-0+~i35HhxOW=77>w5t6{k$RpICBT=F~VnF;FOx8i=WHN*sU3C+Nc4d$Hk12 z$7nqk?pCq*I~bU@rIVH7g}u@jfDxbLi_;l(+ECtf!z#@N+l zii3>TV>4!W6FcPTWFAS~a9*M-EuuF)Yb!|Oz*6yy&+oQxWO;c!c8T4KjgARgS8gBi z4scPV9oV`p#xzuIJxuEUmG?i#mpuy8{T$bHy!Cw`e<({kiN8VKKhZg{{!a0u&7HAO zew7ffwiC~FuxDZ3_*A+YAG}Rn$aOSBStXrOvd8uhQ2mEp-tSbk+xQf0+;LSO)6ViJ zcn5}QNUx#bEzJ1BDA=Ilm~vky9DGHUnX3ZnzkLK05aV6P2z^uxxxXe)_d^bT0KI6} zastY+bY?r?T#XvpkC>MDt73hmarbUPmq*tOlS%Dza$|6+aH6N_N8^%3)L+?*PkMxI zHqry+`zpy5$Ck-`L}8N?8fiHKj&ql}g>wlZNDgG`21DKmrJ=)0dW*b1M*2K%_7J4| zMMDl}ZN5)iSObaNa}B^Oz8TP1rX(-2w(-en(ffyUTVjDE5grt2XW(%E+U0giZ_4() zjpX##1Gi97EOt(pPr>=yQLr$qweF13ozr}MM5l=vC_Jc49LYCn)f~4#` zd&rWVKc3ZFcX!@}_J57$7VNV2i4zMnn|luXzPNdfOUy!I?>Na8#kQ+|O7`H^d#)C6 zlW95)7%?%d*ZQ7IcTH`qm3PN^zK6^iW|UtAh-4Y|oCTIkf2HR*RB3hCbFhAaJQ{^R z2lh`drTVhl{cwaM zZc5qiYt|b_?|DFQ*d_T(23{b(!LmZxApx6v^V$SZP+Vq*3!f7<);R z3F%{!?KQSFeRIhhreT9vTm2%8=PYGYtclu?3(23O#@ntR)a37hw-ED!+X&=>D(EFh z@@q(L0t@~a#sTA==y{>r$b2`q65hqLAG)Z3Ov}xjfF{`AA}@y=qwGBWzR?|+f{m$% zdHNlFbPPRIcPD0Q2w59q0F5)e7%-s|GF$1Xa!XuYm77m~$n&Oc;(u3d8Y4oEd`>iJ}kk^~R=#}kR{R^A0AVN4<3RyfbH)j4H z&PLt=(3UHpgmE1vfc!Fz|UL0jAAA&{fMA9d<(DW*qnhUWngFQ!ziL^GxWZ2$=FDN zBn^)eZ?%#R#!yb3DXgCRg&@pH=7O4hMkr4PLD|K>pa3f#YJDCH&=h@dl0s=54OpRm zZY;T8N=ykf5TZI}#>OaM+HY2B^wAWxWnle~dMM2IakJ3nKv7k(|T!IngQ&CZ59)Pwu%le7d zT^bu{h53nyE-W+Ar5Fj9|9 z8*3KRiR#DPc^z3Qe4G-pA)zvs?jxSVOrL#T-vG421??P|VqqBBR!qjg3^HVrH?@12 z>D2Uiuve9KtE2@)*(Aajz>m&oE9=&?o$M)O8nR z=k`zt$?qf97Aiq-`XTmlgW_Zw3zt5Iw-2fV&B)fB{W5X^e~e~;b7xlwi9T|{LKNx# zZkXgkRV|VKDt3Mb$7Wv$9R;`J4QtmllS&5+uC7oxO?`k2E4lhT5)~~6XlAK?3rw>bP)R`WLx0yLS!1g1T@p3OL#cKGsY_X zTTtK!VQRsEZsjFtA6)kWT#nFm!a zwL3*EyVNBqYHkln{w#f~lpZIE+Z4<@?$?--kD&r~M0vBZ^d;dR0B^~}FhXf!Syu#+ zb%X0;jW0W0dPS)Fn%b?=^)l(xx!NnH?j~-p1~Vn!Yp4^XC>X)E2V5y$quvLmt>FyE z{gEV(NX0eKYv`=OV`u~QF)K|^#1~LE?w8%t&{$6nWP2kKwIUfZz}|@3!@>GEH-_55 z;pgHz;EU^ff^-v;89yEx+zXNLXDzkBz$L#;{YFwbsgBcJZ5iL-*eJaquSRk2tLay* zTMYY70k}ET@L{TaEt&5~&!OIIW!+xJZ;Ev9#*E;%&_;l8E)D?Ful$)pP#R6$wfIHR zADR4a80g!JPs~3cx+s1%V{+|6oR|it3n@}lDQ8JjaqJ$k6j7hTR3pP;%6fma^cvw= z0EuG~&1Y-bV7vO2C6g@pA?Hc)bd-i7zVRh#Q{y=VTX`2OXcEN9e|*+z2Sba@`)Tfj;?2J!LXUCekp?Qf~jtXZ#OAgx1&2ilB9BBnOJ<@DmPjLvw8aA0ZaJfEh#5j401_$n(pwtA#?Ek32V~w3UvcupY9T4aoDtXv9CmEn7jj0b%|W zRggxL{22;sU>9;NmTf9wr%6T{HYxAf*5}?$h<|15W(ngpo!}(=hjjU^8~fSE(T!V6 zijT_;KoU?j&}A@w2k!oBY8m)REQaKz;D@k^>ZBI3Gs_ej;YQ10XCmiohc=HsxwV<( z#jS+A27B&4xF&Nr{1`|SPcT1%Wv$QCJx%sT@UrnVaWyg04ppQhe{8eu;t$ey1m0yI zD1V6XuIlgPhY0WCuQ0v6OL438+X0R)TAw`M$j4!nUHm{hT6lRRtAIB zzD+)Xzt+M?%geOTH5Mv6A%hm?YOSwO5TLGJH9n2>I9D^UG}%`nIj|T@3z2o1TAHc! zY_cav{}Iv~3F1IxX+=+Rnk7;Vuw2W~3$#>1xr8Jkv<7?(`uf+q;sa-Gaz6rpZZyC=wQX>u)r99A*gV8y zLzFx|24?79>?a*kQawqye`y8P1GbPp>bjA9FD8v%4b6!Tru(ynpXc%2&>OyPuuy%w zT6ctmMB25zZJQiFN;pb-9>uvl zyNKJ@8JBz?g<+_eR7LQIS%ZG}>?wozbwET2R$Gpg*Qvy>Y%&a9x})U=v=S24a-2%w z(nG%^4m!p8B(o04l94NPt!uSb%prh{<1FANB$GdL-|CTUtddTvOav)x)=2x4tOtD3 zdCV{7Mrx#5XbC|j_9+e*LU~b)`AxK8_*x7kF`>AtZ?Dp@LL=I+ykOqdL$ZiXF_)}V zy?hyp4r^A75Uq7fSX(P4;fn1*qle8lXdU$R7}nV>r;Ll-@#>;Fr0WlJrJ>h4D^_cO zjl7tWUxC4XhoGjeHKQ-<%rDxxm(%;7LVL;giz3o&%EX>xcqSfF0)KmfkT+$(ZYD+_i20 zT^Nj>q2Bt7+^h(PX#-trITtRk+oXL;CWXVmWsFfSS?B#xA+8{S`xov|wVUKmXe$dY z+PUCH_Q9-5N_bmqr|+>68$+IuIw0tWZv9D{zQ}<*0hpyBtF_Y#dXruGA+Rrub1R^( zPUcMV^0PGYCPul7#>$O`=?nl(Zx>gmgAqXjaSZuzeYu2BeT?wWHQC z$~uMzhbc%RE85c^$w|?YS0zKY*jv3;hT$5WRk8)I=~6n6E}~a2=_|KUKKhByls-|w z{AOq~?Hj2Ic`h?w*lw_ej#e-)BzP{&qQM2rZ`KJt;>0J6HS3^fi_3ycWgIuRtBH&E z90Wdk$w#d{7Y19Aw-|Zu<2Ka9c&aK@?D3K30ZyT!^G#1vRTFi8be2vb!;w?N<`gf~ z{TEAjp}ym+TT{bXkvsV_H5H<0qa#tQLN{-K5&1%Wb*gisql0IYANH%kc^_a4ZD606 zHcb`3f^g2Xv0hJvx$ySA{!Ap&-GPEFO+&`ZaOK3qW$8@TSGGS}BsD1|x3&hnJ!reU zT5Xuxs_=n$i3r~Gy`z@;A-Ei}^^~nOGZto0m<${f7>iD23u>}{J0!DKBU$nWqL)yj1o@hAl=~7X{fg<%#Yz-U5O!Da~V%}7ydU7Cs6mhuY)U6N}J$poD_wHsQ{nSikicM#ortrtqp z*#IzGoBJcU@##L&cc^(2wrzqF275k?$a$s9Ui>HSK!xjGyy4$Qusz{8sIo~I#+yv) ziO4qMLihu;b`xqU!gO2L7DOKW=T%(NKXSYS?~lQtMd(_jR9gF_TJ83t)@bW35+5l- z3*1VwucePYxr_inglsD=!Aq|ZFfOn?DhZ*IMASSC(K7~rkI3sQ{#C%fq!}U9d=Aat z13R8jhv4n~ZI!TdOVL82=qm#MK+0P>VEW=BP>6_9CxWbYP77T?piam^(069t?o-i$ zacI>ng3g7emue|EGB!^@(gZYnDI#l|PvXHRv3B6Y2Z($?pSTaFsB`l}G#GLrOg=7) zCEyK1N1@m*gQ9=P{0u}^igAjKWdt35JQiAt%`?$b00u@6c4A9HGeJBg2!0YVsB`p*F``=5ljfso~$*ks;h*~cVPl>g&@65h=<+w z45>x~1eSub*}+vVMD~G76i@R5h>-v~lc^E0(b_raVShN4^EaWQ!HC%{&%pNG4-X^N z;cq9PG$3Wkb;QI`*DFK22Er-j}7xu{>2RAR$3OLNvD){jT z`Ty(`62Fq3s0aeU?iB>F`!EdjLhCK1!v9Zw`u|L2Un=}6{-^5vpPy_$n*zuY&n)pZ zPmtYH;Oc^sz*`;^rlV^6l5NzGKf6H{3I?X3At0a7wnF3alvq%sjE5mvtC)HqSXt4M z=^vU|&QjwF23DYE%A?~FttyvmDf5qv9=X2l$tyg+>(1zHEX={ze^O>@1 zxbi>aF?Eim6n=ROL{cLBV;2spRbSJ7`Rj;6%2)ukCbIKwU}Vw>co5zXdFjc>Pm-XN zJcZ)z(DLExF8)tq7;cgqm61GkgVy9JXz@RxGHxl|M)-Y5%;a-OI)!UoND5wJ`+}$v z@2=`Y){Wf^onuwt|Rej5xMZ!9=K9Q7iZC5U`D(Sw1C30NCh@o+^7QJ z3kFzY57UY+0%pzs6_zrY{Aaw3Gb1G1ER6q!{QCh0!@lI|Wxy8peCstK@AL?Kyo^B3 z>g|q2cyVmR>*m4hQaK8%>2hf50HG%dXX0GZjw5PhhZ;FIUs7dwNnAlOong;GbgzGf zF4CCt5EY4$vb8I&U>T$Fu=oKAr>o5Lx8)XO9}gXC{4Mhvve%XcFN1yTuyORx-~}WZ zevbhiZ9{Dvba!(%{8{lTu?TPY&}Og|8Lc%@sH)-^^ImXn;{)q6l5NjegYScSK(`je zB*8{(X2<&j$PWGT!sC!k@Dh-@GLbwU1?$Og`95;ADmX`*Hfj_KzN-qeR;d&>uC^b- zi*n@%ugdnOu!)ooMf?85tmUORw6gBl+1cJjs@SxM#jy`+b^dGXIW3Ge;`c`Msk&da zkcvgxdY21IL8o{<%F~@m690^muBgNmEr>*bFJ7;}Z_xgiD%j#TJnf*6*^QAyT&G0# zN&}Ls4YNL>U9saT!&Ph_Pd5De5%P#O4=fj;O-U5*BKdIi)vE9!+AiHid1+d|d>75y z3Q7N6xXvUnxy#YsL-yh%)qQPy`5u~e0)BN5)qaJp6!g&Y^0H_{N$i|<^{=_0TkHgW zsb{!0$v2o_+1s1QQvMc{=1rh`E!_cyH-8A)B{N?t*xnZxMo0MIJ2fxes&$`hw!Yi2 z0*7h~a2pe=kyoiUw}<{3u&=?nw;S~|)=I^Aeg>%ySRblsBVOxYtmbue`t>E=H<0Hj zTry4UN&SXcOErkna}}svuuwcm00ENWs|V!$$P8jX6)VtIJN=<^w%kEWzE_cgLrj~J z+1UOjlj$0apWFaJH1#bdnTd)N;0sVUDLGwZe~-y$@ACZ$+gII=7IpaMPpGzFS!t7O zRp1|>1;i*kWm`8(^OT%^bCdDJ|abab~kJ`CB%Y; z!ZRKU+gc=762h;ssu?g?dzFjCHvJ3k8uUXU>opg0&)iLv9qkj zad{V*F>(S10b{b<0_Tmn`NW=8zmc8*n%N1?$!oSVJzuXChlxL}8R{DAtk&&verc9leW8j&z(yX#19a>1vIWU@40T*~69i zpv=J_Q9d6|rhb`*{?YjbH9sC149nHb5wTJw8Huw8L@)$SRG@6z>SsliOtHn%WeTrj z#(9+(AhCH0206xOW$xEG@Toj(tL&7{iQm2v5n(?QOgYqelA?0zYq~s zvs|yJ9R!=vD0Bm&K;G}POP;I7-f z#BatKW&;pAB>^376KV-TmKkea!M42l)OuOZFGqjY9l>T?4%N#`YlUZV?&Vk>L`W-v z;w*PYFuTxtk(32w-v~m7cM<-Oxn|!;3IMWhiM4+mnSiQ9*}Iy?Zjg5p`*zE}5%}lA zhw_ICe4QKALf)f{M2peGhhWJ;S|@6pKIs|4Z}3~ZJOKp(uG^e2We*e=^0O4l4OW`Q zY~Ni3XDmv=!}MZFA0-{8P}Zqg!e9-^P}W5Gpi{iY*k3$O@V`Z>udo5ggg2Ft7bL6E z0UJ~jYDpk?6V29Mm2*^lIpBu#RJ{AqCE0-Z2<-U^;W=#@p~jW40@aqn0LMNrg%?k4 z_YEbK_b}2X$w#p?Jnqp)&iS`L(mKWA82_bBO3pWqxQIsryueQQBX&nw+YO29(JzADc(+9(6=dIvrX zhxwn41}lv1JiJwcp9{SCNS~NAl(JbSNaX8CUnJN}2AFJNJU2MLgc3`qP@DFHgeW1ePA7 z^15}bT}$oLQGmm}ud7`LbI6iqAK^I+Uv>+%=O{qB&B$|HWt0<=#Rbuxi*&l_0gam+ zDV`g!Ttg2l?9-(c1WuF4MUq80~_OG}OTbYyjK-6>%P*GpEq_YC^5tFlHk=0{% zFGKl|H;_*O!RPkC3_R)vjb?40hi6i=G~z4}={fF8pTr4Cafbz_qx(pD@Uf~t+<3XM zu6`)^9JskN!77oNF*aJ;GHe!ysiaM$(+--q)ug>Uzn2+ zn_en*h|rE+(=O$I3OgXba9@Z%73=wnU$}f1Zp1letv5~u4>&y&>jh&N_#O+5ldqNv z>+}^_Ix$Jr1!O|+fvHM~bU_nItyUU~@kNs(W4}@rloe5QP^DJ|0e0f+atrBS3(_e| z3eK>i82a~%zp1{|cTFN?W`AV26R(fMtBp3kCnRLca0Wk3Oi<7ZwJB0c6c}cwKrr&8 z@k;>d+^%wsiINwo$7W*JaI=Cg-62Tl(Af!);emR-Z`9e>R2lBS(8cjI2Vo9;Qsl}UoBO{r4XKr(<c=dP69D^=R;igRV4gvCaEcY+P`c*UWbclP8Jmj9>s)*>a8V5Im zL^pR*aC_wGl-LM(*i-v$!#~S6hw~xf4r=h4t$v6vk*mIK<$6OKN}8^~y|qcTTK8;a zBsve&;y?5IM%9{Y?<|I^gg^y8_(FEi~Ih`_R<+fbx=Z6)g?b zvDZ0lpR*@WhAsQ579u*2F)!+Z=@L47HgHrWatm^tw&I3W@(z{MUKde<4QjWd2B~cH z74CRi@pIE5$vKDX#Jv=Gl^F=tMD~9ouj)>vi+xb+d)f6F|)ruMg#OT0O6k!ftC_9cy)7ifQe=7?4!(X!7t*g}1 z1+w@CYNvg#>TPIAKsRF(E*&jOKminC^265Bb5cj-te3xxl9nWaqQYW>W-su-1C7|Y z1iHCQ|IJe9)hMv%@kTnRyRA3lsYc3lL`VIg@paKc#9>X`IxQo>dgd%J|3Tf2fr){m zOh3g-VMLuF>2&L7Enuw%&@lsKIkWYhbam?t!{byY_k0cY9m#a`u8E_rld!(8@&1IU zyCjoo+z8DQZnBonHTDugY4s@yw&hG~V;{PObwh%6rH<0mXtv=K4PF2d<4CNlO&m28 zhWy%rOBq8oX+XHqj!y>C=TnV+slHV_^Tc=#v9wY zpE2}@)Eg~k2NC_LN@PFLEr~DO80@Yx=T@<^nO4C*DvvSfZ-s*8pmY&GVIn<*ownAS zqvd`;o`U7FP|ZgJw*Mu@kF4*uGqLF+tT{R`Qw^WNfTi^gj zqQ*G53Fl${u%pU2o8J#NH&kd%7_fcwSE!q5lFQiBbv4NqjAFB-KQZrSl3lY9?_pBB z-$7pKYDB!Hab0daS4lpq5{k`@i%{RnAB=W+4U*UL@>+!V8=cZR*gz0~NGe|;Jbi#F zD2g$zKNRvsjPDpbxGt)#9n!@R^2Bg|$AK=?qX8KGATs~P7~K0&US_1mtc1i8oxlEQ z*Nm%wi;JT8A^We~WZ{yUsAlCIKZ0L}x*`PfqPcMKfvtD zdz;SitwR1nG;6XK8qC{O7Xf{?Tk*$~h83^0ugIYDeF>cX7H-c=mO=14ep_%hyAk&Y zkE`4md|UX&K-rDxyUKD?PO?_C-1O8!(Xva4--mw785EX5ihNFi*Majuev*7H%5XN8 z-FWz0roDWkg{L2sC%2W6%krN2IoEGV^!(Kp^_Oz7LkLt=Y__>*9hq=g5Sop3wvD8 z2>n}e!=QmLPa!2}dYn{w1V~ZGsihYLx6gJ}(&Z+?=gCocl7L0=f_Tzj`UiPpA63iO zkcR~N<}={F=BZ#ZE=E(A}0hzBt*7qOEO8|)G5aNGDOY2tgf9OYmqV3UA?@tqw*k?MaJUb4({$#~=I>jkGyI;95W##7#5`93Y@Dft{R>vQ67` z(h?&#-lY1QnIhiN)Lw;z^&cc{bbt%G@OhTJAQdpH9#Bxqd3N@;!~mSH0yi_Td&|4v zDYH!*>kk%)dBmJvw81&wdMyJQ-e&Z`B*}z5-}6566M%C|w$gp<%SpABND*|&WU@11 z_)-*55yqwRuV}W8kS?J53{berl-+I}l0wag0ByekFpBv+HBz8MPQfoCu+@Qx{?@6! zweM2TVoaSGX?m1lw+8cN1!|lUx)l{ZgUfDy&6J6cNNJxDtR7VV(N6aSBo0;=b&c8I zgLX5E#fd2VmgfSLS^HccAbWf10HIGc0g@KM2aAjHzQFyl$gVDHg8=lkl*ZcTaqH9M znF?!DNBM44qaX70c~Si9mD^<&?dvWpmHaE#{5T+R@Vy~i!R_7C^kF=BWZYa0-W#1Y zwO@k0&>VDgB`UDR^FHbWQf!X0bQ^YpPi8V)M=@#Q)3J%a`(g|(eB$M8bOw_LbHaHC z&3oRh_<|hBXM@YkrwKfeMcitFbo1@8$zx?ENgu#~two=J?&4%LL8!2U3@e@6cbd=Ro5Gr-=&w3_fLzWomWkZEgc?dq(s?}ar_ zu2OrL9V(_Je?_m;GVAMqupVToF>%U2S$*4>`e|}oC7up!nlcT43@)!$N@+^kqp7Yp zR8Y5{K$0)YmzTmV;fGamm(xJ1_nv&6L|LZmq_9wJoty$3S=M%SpA{DYD}w$=$R({` zrGvqV@I4=T2OJ?HM6!1xM6xO%FFAtI+&0qL3AOVjXGCOF-(bUflI=!6d+D83ML~uV z`Zyw6Plrdq5Zso7Lkdg}37tmncnm*)2irhd1+sPjur8jz=skf&sJdU3Q!&bm3XDs6 z#V9`t%tOJIsKN~djcgoY$9VQ>9l`+`8D@ zUA`aDfxbv9g-&B2*4cZMd2v-5x&yr`uLAz9YQn?&qEW4}`76uRkP$!Z3nYvt6$T;G zs7wU57=a~(b#g?w75IXv-yUoe$U&3f4|XE=05s(bD3{E8M!k(d{O>kkU{a1cgNBbp zqp}g`k=$3%V|bh!A+j~Six*U@1i=!jB8Gh#(x@H|K-vKTA7NfiP7Ez0nhn@yuotZA ztfcLMmU!whG^#6ZI)g^_K+PSny8~W25;b=L7wO0rY+`!g@-J}H1Ke~NpR0kT4>#3D zUYqA@Ch$}OKZa+yNOvZQn-nK+=j3UuHcuK8V;ydr-4s=1L)yM&St^$UH4VYgfj*JA zfyW=gc?Hih>w1RUkx2HHCK|+9DzORHE`^wc0#FI2joOH&L_7cjmysY9$^CT{onY1I z<-cj_A01>X&uKX%)0c#bWNv&{`jU05&QxI^E+XMrEOO9iL=ZRc739}-fLE9nJB7EB z<+K#Q*xR)Y9Yv1U{n?1QKJ^pC&DH8++1%dpbDe8$(Da{NJP3v{<0wNUe-x$7Ft!OnQ+KbUFZX&|X)o3m_!v9^_RNJgBD|hL;X>LH@3o=@QtWVBRv#$v$3+newLl$mnD=Q`drK zYQ;&+*jJUHDi9I$+}J@W_+y`@V`eg_3Sr!Nx@yUIEjQs3Hh#DfG)?o@&c#gDX&9B= z4l%dJI+zmveMSqUc3VstKM08uWrCXeEE%3(iK4ov0O2Yog90d;l?|A> zm~8S0(rhEORSoo=X^7eaTR=If#lS&?oKELTHtpqPjH$m3kV1?Ezyy9?iFADg$j^+A z`0;Ft3%Gm~^>rGv(LT}sP-sY_TA9#Z!wkXZp#~X22`U(Kz@c~zV9A_dmjEe04C`sV zkw3&FfqBCPgn@PsSPXweB(Zhbh)4!9!El(Hk}B=DLY16?583I;B;c6KQ8DW!5FN!xbWYGEt|Hteo&?%#uINGUEmwhTHD- zCPZ0eV}Q?A8fg7Pj(R`TdMm4%qa9;UfaOUw z38Ju-U4$Y619iWW%t78a4r1=%F0+ER*d3!dt_5vu%uYK_%^NU3}}&W%4jL zqcxkx#bm+|qWGGx77#us;Z{`BUwv)Fr_V10jC3?#dELTXT9Uup_e*+Y2Z8x8Z z2t9*7FL*0D_yr%Ma}ZZ2BA6@lx8F{T8VwGMHm&n&>H5Jw!rdRSbHFOin}&n4s|-r< zW9;=Jb`tPmib`f8Ef;tQ;#cTI-2P){&t1JBL(_RDh-9?}*8SsOcCv zwiYyV??KsVGl*+3+n4DQ+Jfk{umD!|L|{Dz1C`1rtwr?6sX9#F46Ij>2I*r|qKm{! zX3x?uRCHh08;D#C4lDkV=pktGeiY{+W>E9n*!DKlXltnY3)`b;N9`&)R$PO$J=lar zpC~WEzAJqJg547O2$j4-kaE)=#I|+qS3&py?z=WeT#aED@V^UGn-3At6fEf5-!L=C zABW+Mm^Ms`c~uDd%8Q}%^f{sBd_##)cT`eF0MP(6qs*?S2bH09sHp}4ryscX&ZErt zYrl+oIu>c4h+P%TOzOEPM#Xbu9hOXKX?#E%rGKCenK9{QAEIoiyR|0qeWXnQS033B zCs*pI1qs#z@$z*>I+@CboVBIuxfnr}+AQ|A&~ zMabK$g!&@E2X)Wt7W6aYIDM|$+E+)dOK^2Xu&zw)EPe$tv=+b}vW{vm!{f<%+}b_0 z9avrT&SLIUuO`q|SDB7lo)D>Md%JYg5+E%DGmCfi;9|N+tjGQtNH;zK?h&yW=|0x8 z0yRyNlwSJ?vdZZN<_YGJ4?#344~1*cl< znBbpBxT`uzBXp)-6~aJ{>tNKrD}Vt@=N5x+a>h2MeW^85t`969g2uil6*JuNWa!>e zU$i0Dv9C^8h5+_#%lvIzZoMZ-dC2#@qItVQ+ODuBBzZcy?qly|V4W*WEnIReAq5hV z{n=5ju!TLAJFYK&&w8_nwb5;)Xkzo$rR@=1j5}SZsDRkn1qF(U72b%JW+qdXLre%F zUw6WvuFOBTwUhaR_(-uNy85X+H$%uta`jV&>J|46kmEzZ(HUi&3MTEh$er%jl{>CO zr88RX`d;Oorz+Z`l;6fMX^#oJ-ee#3C)28({yy0COqIJHl>SnsIuKO2x?<@gY?&f< zQOF{il&z3~&~*pTfUDCaPEctR0!z^2c!jXu>Fi#9i$Iyd4=yTiCZR{xRV3Amwf@~+ zyxZYX98UKHBE@(&l6!~5X@%Onlfz^-Do` z+uro3hn1L9?b6yz{c}Zd-&{@tn*oNp)E8?7K2dz6hM&MBuiZfOcCA;Ker#`^tsm4~ z+zUR_s<&8?zDo{wjMd%kc{7S^gFke2$SpgfkgAdW1JYLnywKI$rzF2l^_9L&2eOB6 z3Zc7g#4B)H$87kh)=iz|QL!&(>CPLWA*tGI9a8jchvx}eVE8Q!XM47}`f6Mc2zg-2 z<|J*l^cdT%G^j(yyN(lM6-tq^&9_O_mJOCC0gDb=lA*qA8Pq$p}yP^t8v27lU1P zbyXdw&DyVFvZJbr7U*H%0+d(p=;qEu&WN5rGb;2a;)ZBch4gLLDhSPtz@1CAC(&+Q zxDD-oR7>v`4y1$opfG;27)DGV&K<8EX$sJ+&3ZkVx|OEu>a%xbXVGs$*>~a9iUvmy z5C@6@%q)e$WSCqrwI8-;!qoIW*S~&2xhEIP^*rOv%czYrwzszHyl+-`6m;Y3Cu+Z} z1FQ@j)d1beTIVeYk)tIkLwJ*7u4&uJxytYeI>?v7{ z&OT5%`D#?Y{H-VB87`}$e_88)Yq*@r zo9~6i8&O8wsr0^yf|*(?a|7IB8fW2a zkWpNRnVZbDU@NATD?2*a64c!QfCtUcBL+jJLMxNb{^XjE*JQzI3Vs6sN5yJiST|*Xa}T}(WW>|ahAg%3y2^TiHkZ>KJsuLT8Y5Z!3B; zoymq^yxeU2NN}I#`*3Ueg-?!$Bu^(xN`p9#4J z17jDEoLSMHmk7=Wdj1&0p-~}wG=G*!w}#>)NZk$G5}4s{BK}8XYS9Q(`yN_WCtw>j zv-|bc(rK-&ggO_?7GV31E=6S+x(NIL7%fz3-QB|ekMIpoJy)Zjv@3%XWwR15f-Ao` z4%fk^UWsQy7f#FaSH@PzLlJ)wEU?dF+Q7Y{x%Ur$4F5`V?puWLQ%pDpRcY_?22azD ztK8Rp$U^)Gr>peCIRgKOGYf#m>H3vGHO2|rR?h3XT(#o{JxSZLbcqaxxRX?RV}Q(I zdZH}h_|mgV*BqtDyd}K_)U}2jNQWZbhcAuig=Eq*%uOkAIiCSApIB+Yqv0m>^&$9Q z0o>4KRR_Nlg0WmyqUCb&pVXpQblv(s2`fTPysH5Fk0aA)y2L|!e)WOzpAhALhJ-I; zpv@dE#66*-wF$BN9sh;{MjJJP6vyJN8QLE1uqylt7~AnzEki8_7gq$aGty-CjL9(E8;?sVKUM9iLT{>e3S`d=6*P4lLzjzlOL;2G(oX#UBgR~!EjC_SO4B5YCOyZiC9r_%@52Q6u@&ZJeBEP5dtN?aTKjgYc`u0fH z-N_JZ9>-UKAng%ttd@Hd20kW#X3c%-EA>TH1O@91!xJMd;r8(TU5)bm2R8<|^gP{> zD7Ql|xePl{g}Qc+@iLw3+o{~Y5in3~Ep1tHl>0s2q74;d;n%*Fy>y;nih+oo$0qS_ zqTee!8!kEI976vfi3Bn(t@~7`Z7Yw$a+bj~S}PP}`hg?+Aq^Kzk=;qQ0V`>(FDYGq zEg9O{=8@V@(bZD+~PJR#Nqf!uUZO{V6xXVT== z$W!Gh(ynv=t9CY2a7>>4{a`F~!=b1>`r;Y|TA)#;PMWffF+1kWdSgeo+7A0W>(sHV zFXCeJLdgmkq?i2L_%04m$(l90^~NM^CVfIYl?-{)>&6qO96Or1PZrAWpsiO;&*Sv% zHC8r_zNE^*KJqQv&U}Wl{6m+B)1&clj@Ni;HO&tDET819%R5GlWWh}l^i5=r=M(sj z-X}cUphBL5Jll;a+#rf9^6Z4~44Q$93P%DcF8@Udb}y0(Yjrq|$pr@5?f;-0JBn`p z#->O|knU^(lMP(~-GKxqMLYyaO#*9>k&@CUqw|~Dvl(N1Ta2Cz_&zs8iZDYM9M;6! zE%t4e*CXlADDIz%nj6#sEmI^OLHu)ilrN}-*Y;8JPcI%3S0er~pk}{EHp%$1`~=N9 z2;3LQhs}ERoC!3-k>te(`FZcfQ^mL zx*OKzad79>8WX zo#fs&TwM(}i(bQR3G9k9S!773tt!2AU+I}izg3WLStzBG>0Ka9GZg48NSL7E zMjGiV_Js7K-jYk3!4jXD3DQxgitR6t#B|dd72PDirj$-4NBH7PP}LBu%ZZ@}a06m2 z@!>TMkLAAzscNuEWfpp+xc??hIbEz(tqT7Uvyr%22ewoDYneLfUji`mt1CGT5@UcN@SzG^9K>g0Z#V9yV~ zP859rz94yPm^t!V;^qW4MShi_R+8vvLsPur$5{C_wKP!m%qD+_eSd1*(}^XmLciq7 zySo5ksBye@nHUuIokkph(>- zU~>uv*1G&yYM@&Chq20Dzv}@9ZpMbdDO`9jlD3N#*l-Aj5L)>Jd=ia==&5}l(C>Nb zI=OhJ)IwW24Ics1L=bmsyMqi;uc8i;aMvzm_$OMU{8R~jNQg{xi2bpEXMw@98BD&u zK;k1Tfi9_4ES&||ym==R2~PlWgM>=@Gi}zZ0JZKywdLrRZ6f!lMuI!D1~LMy;9rM; z3(sDA>C`H{PVim;CjLM6-aNjEYKnKpq2Qrbcb zEi}+VD~kbAD9}R7TBJb5R`yL%%WByK6cq#%1f(FyB8Z40DkumjUKA7oapAtt6v}et zz4yMK_xI25^SOLzlg^y=InUXi<@*RK0^S>ii8$>|(Zpv$(gM(;a8(t{LBG?K^Efh3 z1T{t;5}v~Li#mQB#y^5X7UZy5RNRFA&tWbuxZI&|Y_8~OQ7YHy>9>6G=*&ql0*#UB z)+>|R+Sf`z^b3F#{g|x&Vf6egt<1K?@$oD=$+#=R@?wnbSBvPBok9<0m)qWR^69AF zDzphNu4a5Q!vLFZ(J4U4pO5N4hHDK8?d*e^weCp5zjKk=D!v>Zi;3FT(S-A=rgIRB;1>J1~8`xK6?x|9Pl&7#@Nl z)D|hX@5PMA_P#=}VOhTy^}o|vN~24qc@NPDBU*EXe^JsH0a{1iMl|Zc1fdQ$oDprQ zE|8*9Dvw%XN>_Tn4%6>kcAWt7(>L9O&(w#A#& zKek4(rXsWcoHqL=gzj#Q59^jk(?>`%o(ftPFE>=^A;EQ``m0dsSVOe8)kg{gn@rf) zSMhfDRmVE86V|O`84I@_&m}GF2|SfCtFOxQ%*fjfssECT2Sxn5@U2wcqZZ5tK%A(B z5Sko2msrls)9T3l{&>AdLR%|dD(a;*N8o-$YrKrErW0)&1fxyvIKJs}@C=bjeOq8A z3i^F$>r63Kl#Bf==?!-3#wRQ%D5G9ZP0xu%HOmmM8?cjjChs}K1|fbeeG+a#mSVFg zy5Qz~ww2_cR|oZsKKMGnf(S-}*R(1;sDYjFTWOFo7OCuqr2c<`+1HJh{$Jr--yzKZ z9emUShG3NOpZw_5A`m*}o=Q1_oh2ao3Zhv{$VL?2`Fo)#MBVQ1h6VG80$lBdUO zr^yW-``0r56Vh@@Urh zJing((X=Zn>wzbQ^(=lK92hEW23<}A%JHJI4VF^U7D0ksFsl;rhq9K>K$AP8l`kOA zS$>xULLRY;>~y4eqlC@&_Lo?{w0i9?Vlq1G5V!$juNh4|g-lD7utQAT(}G+A4l|Ze zqxYe&c){ntJ=+2_phc0u z2p{NmEWMAKqj;$VzN4Bn2%cyd0hN zy+NI%ww$6MVuiMc%Jee@zMP@wfbCWzZ6U+N@N1EGqSUxRSv}1>gh>;IV(nA#*n0^H z^TL?o+a<*JU?uI?Py6#v=UV}52W`+VQ0Tivc&|!rS7HSM3x`PFAT^DPfQS;jL0&YC zc^i({L+EYn>*{`#-Ot;;NHVoEo=wzfjpK z;`uHTp+1f;QsIGy6!meXz^H;|IQu%blShL|V2|sR)U-1gvig%Ep7*dgbsUv%19$k~ z)3Avh7C%`00jNy1?d7047tfd#(V#P5i$ZmVmWI`#I@oejaIjY9i`Pw687_dC4Bsc( zlA$oVBJzV3U5obb(lu=wmUoqB;sMBk=8X_iq12=s!$uweaKQn`7Kl(HYnLOY^N+9J z?qqtij6J`$H!4Ny0Xk9<0ArS#iea&+I3MqR3o*%y{!w=eGp@WAm@(w#qqSfb)cM$8 z#H8hcpxJ|I!Se}9F}_0Hxs8)<0}p+2crc<@-1!t00%S>l^!nSF&YpZ8(FuW%(B{7+ z!rCzYs+>O-9#|){%}l6UAO%^Z(W5Ae1FRU(etn`~e#-ku;)|4k?$T(8@$@uxRX5>5 zHo-vVu~N`YZoY{EjcD_15#VIuY-9~_7w9U!T{zil;rrNPGXy&0nM(o1rSe@=2}1A# zMUs`T%fMQ*V=Cy6>p-?tLa3{VVIuE!<4QDq7;YpwBt zDX2*WSvdu<0~{{T#=>skK{pX(-to)3qs42%>1Xa+fE)8ui6pzEatT=GTp9sTFLm*l zw*7P*?an|Gt7UZeN)8uhNvsFin?=(}J$IfS03e0tS!9Qa%OKqF?}Jh0O~f7tkq6U#rv5H=Z;)s-7i|7?7-3hnlx!a790mvm7vOS)5Uy8Om?)KR{DO|=fy`-Zng`=rwPC*dYHEe4y$9iOA+Bg7tqqb$9w=(WJtVYzKt%fxWW55U^(o(_j&0lR4B zyYT%^JWdC`ECM4*K($PA(Ss}D+X&x{AL&l6y82-op#P3i%2=wxGDl5Jd)_G%KHB{&#;p3Z$W zuLB_Zw*mQIuLN5f&)2q5f03ZiwGGp1EYB$ObIAQ{w0e|{&K4#j^>fz3C%kr_m0yJ5 zw-APfJ&CrD+Yo;g-$~$>z)HImXn5T9mJ4QP?0^4l`E86^8uA_0;yN0RuCvCP@+X@>K z`STL?dMF=EizZ<8%r?dycK%jd|0{4{8f*5ig9sD(ZG;}kKN!G=1@cERaLzlz)+GDU z6nwJij^Ri3%tS{zKOLMX=#zLl$jbM%1;=494)B4#u~=5J6QNerPW6N&eQ_$Ej78tK zXY^%h%ia|&l9%J6chvhkgEE}oA_Ggm9=^*6Ol?}_4~o0%B?_j~v19J~YldP)Psz|= zdviEXIGM+S2Nn^1FQg`TQW^A3@jRU<#lUJrcb*XAj7q&5+p}1f5=##3BHVXJZSp%6 z9cXZE^xb%pLzwo+;{!WHaGWd>efx~U7!>D#CdXz$Ambn|1kDk0g3kwXurp8!o&m?3 zTj0q8_|ynoMR$YQu^aJP4BmfPOb_1|@QMdJ0F4;`a13)39+$`=Vy62U>rzJsN@XTP z;6U<4S|8|-9i_;PUv-oU0m$S4dmv_;qmT~D9PXq&Pyxe(J7}%-H2m$pBESTC)_kog z24RSvJuZY8KZM$uTM6MeIayTeCTCPnKl>;NL_X?49-*&*Z)^vY%5|z>`9cW?K~BJP zZ$woza#lx!-*{_@P$*%B_|Bui3G^M^Kb{E zf6VSC2i{_hqOWb!3*5WP1%K6BG%jtA{~nI?njNo zMGJ)eX#WVN6?=f6jP{RX%*+R1CW?6bAX(L~h_89V{{-%c`J4;L@hik~z0CR=pOrm@ zgwJJyQOccNAkQzczRZ0E;(c`2EgE<44N;srDa04Nm`HG0TIm%W@^w zQf@;7M%v6YO?a1O$wX)8#) zooE4iQPATJCu7-4?px2tj?q2~0x6KqF@dxhUJ~+~9FFFfwZqF}AGl9v3iGA;d9|$; z4Ui2A7M;)UCVCp@bd;4|qrb<`8omQ$T+z28`)G<7gp^CTDjY2hehTP~iX9)Q^%u7888T@a8OtTyuo&4*^{=~z_N_ZSk_?N+H{svN)tKjoA z%6t~oKx1Y8323*F3xEv}aw{nW@I0KIV(}Rs6WmbHgq9;N8zd2z2(HU6r~QV4>jJid zrHIRfFM%e}I(@05$DpT5>M?C1hR= zqE+u0#F-%Uz^f?uE81VS>f<8ec?3Es(_Rvf2f;nwWCWCf6bYQ*^jRO^f*vp+;K>Ia zf-Kw-@CO%qH|eTg0^C9=A?c z5CH5i(lhv1QSF88wVEd9F=ny0uhN@{03tKVcPX4Z352*wa3^VlhsK|~gTb``9SZuBnwzxQ?c_V7 zn!jjM$xRf>1`)%P_^41tgjN~2!ZH+k9Z-7h2XOEyXq({$KrIXHGUOT(UM@?7g3 z6lTke3??0og6lhe7tEywK`1vE#~5Xi|3u6CB+BGdq|+6CD^ zi}YVL47N*fleeo3`@c5!lM5dq|0xLZ+8wTh>YGaHiuZ=n`%i4B0wW2C;Uw$#YwnYu zcID5COO2@N<5_k69CH%HwX6x})&m!0NqCAjwurJMYBE1&ynrn0p91ptk0sn<@rv2h z>N$sNBzBi1>mM58cVQ_m9fNPt(I8&*uZCcjxKX^yUDM)yU~BOW@&lSLxWoEyN$dYJmS z>U3uYaKGqrB31yLsKmrQ?IAgnW4BXkmST$OrwwgPS0l97<&2Gf#$fY(AMW37Hn0=C z6Ip*5s4*e_jQ>1%fvmH?1NUg;{|94X-eM;*@Az*qRy}^2@f~g(i2K0)mlNe_K6bu6L&inq z#UYSjb1e;4aSh&0R3uO%2HK=ltZkaYK3BvY_%-bIrHcy;)dpYsIy5!|&~ttxC%Lo6 zc4ln8s1{>=V0X-$q>h;)pmA&2*i5FiVYmHH6v|V>0(=?lLzwqa!kozvsAsSa+`?CU ze1m^C%s(1-6}vQ80@I}pxTnI$(g=Sse8fxrU`H-YQvejeS8$xsYiMCF0w}Gavg)T6 zSiMh4QDNCr)u+?%fUc3J6rA|+yquRt*grK0i)H$uq;0aC|5<5CRKjigW&I(aaUv9E z>KozPqi6Nt82}%VNbuGnd%c8fFnlVk#=#>7gSQOZU%_lyXqqvJgiG8x8Ek-Qm_I7D z-PR%}euv>jdHQk`dJzQtCsF7N=mTgb*9Y6vt&;AHwRxs#QI!z zZ<6XhicU*L1J6v?M@E1cX^8D(N_!>7&@pR@6jX3eV19}OY-pTC&uS}L8QRl_v-|TG zRe2+fhE-;!;%xxL$vsGa!)qj#!L72LwAtfF&it*=0~bIhJxxVWH}gQKQDJ`pr2~d@ zN>(K7>da5VTpVoakn^*!&_Zh38^OM4+tCV+5*Mt~anj-q$lcTY1wCE3t_qGctrGDn zX7wK_&78vUWh}WQ6bPpD%cMAZGk-$j5dd)8{xmjN@)rOeksW8d$mw;2L~AzFok7o$ zb4~PgbpNO@zNr>mYC{A6Ef#04hw_*X0j4Lw3A%GcUWI3_qqXPus27tfk-}Gp7_gi+ z-J*;dxoMaD94sojrtQ0^jlcHTY<-sSC|CHb!$uoL7LNFK>2@?5UObGK8RwIj-|eQ>WkYFUl%;^ zx`bHa=KR+n2+#+{!OHZ>65u;$IJW_&NkGEA43Wq?s`wF-jqg`wYs(Y>+`C?8Peqnk zb>?a&ng5C4HiALKDkZn>Cbl8-ZApcBM;ysA1xz@EDm%q=3 z<($#I%RbD;8JXeWe2GP(T4Q<&fv4dvusn$(pqy9d^SQww52wuosZxH?`#qcM>*=a&uA`;Rk6TV>5c0iS}tW*Jv^ZBaP zrW@4u<7@zo_s$~Ya5*@1LL9a{+dFDN{<3wm3&~P{M+e8BmH692zn>y_fQ7^OPz}AP z_yf_?vHuQKpCr65<*kwSJ{XX)GYEc}8c?Xn8Kr*!va_t;W&K9gg7d=GFwvZd6{O*O zPl<6+3|k3qm6eWI5S8Q(g@w5Z&B#$S%=EjKHEJ6p=pFnC%=0wsXiQ}srAw>~KSR!g zQQ&q4Wb2y5m14W_0){jwksHQj;l_G1tLl5&0?=9OW>e5}6_;r81HSduC%V12R5s=%z#T=A)#uM}hCS=(59uuk)6IDNFj0z(QM*3x7{FSh;u_4Hf9w+KWEe6?uL zh@NwiK{`0nzX{+_(Vfu>sfg_}OmnifXz8sb>)W2w}|xS$oZF%T9BK^(AVhMjc9(0dfc+hyE~AaN*dPhBgugSp900`UWP5;snG z{#pB{VJVC$=Y|Ylhw)!Xj2j)6AyGA{h(5ZEt8(n*FG{#x;{E8diYowjxUWdK;FxR* zt}j?7= zyi_(6`)nhWrZqI4F@H$^6oA{3$SwjNq#!n?Bm!B{Yoo*wq;SYWgM`cuqk=)G-hx z`8oP$?-4kQ=~CoOcl{Z8#czTPGnud@0>bzK&W5HW*^FkT9Xu0239pXVrdu(L(wt{X zYyDE%;G;13t$v3&H8kWVTxem^V2OR352EP=ZEiD2IYo6MsOy6Ywk5s_kF}kYj0YRR zi$U8y3apC0MA|`0xDD<@>Ng-l;$Ks$R@o(Cn|3eC8;qr= zock*$1Dwq~A7l*yA8VQa8_=%SFHPT$xbM7n^j8|361YDxEG=-(Xa97!@YA4Q>x&a4Ggwwi0W3+#`h!-Z*W)PLC2URHfMQ5&z$PM`YP_QK9#GTQ9Ut)75X2S% zFwvVb`U*8g46F^i_5td>pA~+a{b?zFPlWaO3i;cJGi?w7h7fR0uSdZ@;41%$ockVl z>L&z4`4%Cn=V$6?#?c&Lj^cyHTM=+l1GT7U;+ir#8S-X-2G-*_tkZT#g;Mx)3iZj1 zN;sgUT8>6)dn@S)LKhi-U16-ySk9}oe~8<*H5^!m6`sM|%1^%+YB9G0b~*tyEHYk` zgK=5ITwtClm=BAzTvuv6k?Lbw$F`&qj^xw-)L!ib_PwuxP=(jW(a%5tgN>rrBhUjI zTSpRW=+Cp$=m2{-lc&wT0|4U~mESVUj{qak7UfO9g4kSRwz)DFG(Ku)=X@EP4{mcN5@Y#XToTZubnndP!1fyZXn6MZDC9KqRO!mf#!muW^IZ^09Y6-S^+8h_HM2-@EU#xEznE`)`jPlyG(IlE z``26#tBG6>XKE(EgUmpu$1H9S6X?R7xw0ROVWLQ`PY&kN&Ii=16aKM zqSq4QApsOjO$yb4r9QL)<5(D5L-j{+Y7RV`#G94toPrDs^R9cL|Dx+_umK)v%n)Q ze2_zge|V!pHFlOiqDMq>1e~6-i`rP4bg_regSv?eTKQ8cCQcI(gJL zdupU|O9q>R*5}P98~4^KTi9{l zwX9BcDwZF5{AK^XIso4r_092yY2gvZ_LF|Qb`A=S?f8tGHi+)CO;eAGY^-jgNVd|LFQ5Oy_X#K3(;2m@2^G$f6yzyEmEvk|R)lm7gT zxGM8Mji2s#a6Z?mPQ#@?(`A7vb7r)o5_|S^nIG$47?-^;E(e;kdGMiy=58+~2T!cd ze$JA&w0+et7s#lD9xrFifDBRAo@=|+;|-~{f(^aa58OYKY18}lzT2PXQj?1y=gQ1k zx}+zzjW}&Ks`~91a~bcCZaZN2q}!4(+`HG_>2&KXX#HSlL(jFdS?7>rOFh%@spL|q zYE{-8y?gj)uN9fQwlDi)OX;@<=Cn*1d3I-&G(3;9uY;a-hSZ}k9dGFLY~C{O*dL&a z9~@iOZo;*18lQ{rzP$ZJ=eK>oK%xXG@YS5Ch*1lV{Qu-}%U{x;@~F(=m*yjpT}u^Svf-_2ZkEpU2s=*ZgK zB|_Pk+bUqJo_M?b%#Nz-myUk<_QXt@+4BGl-(2X<#l!V5>R)Xi z{oOGbM>Vj>4<|Q5UPHTaS3bu_yDe)s{->{YJ$36RLwgul;QF@9+vDEJOFGZ%ziZ-+ zAD~qqoyD=LbNil+@K?|OqcQ3Hku5M7}2A0~GRyp}i?O8+LLmO{(%ig7|L@X# z|Fi--Ve^jMd|i03c|Z2rdH3Y=zf1GI6X4@1*-X<1hnz<)Blj~kAD|wDig-B3G>;k)dO+L%U7GJlQh9KJ zctDfYO*l#!goCnr1LEeeE2A zMM&=8Q_QUez|3-|@Z#URBLy!O+CV`mZYKoNd6S<6QCppSWX|&#qW3uf+zX6DCi$`; zYf3UP21k1)$sJBU=ZM$@PtH0p%5tP8b8*5psMwS96y%0BW}O4IX|f=II#8bKa^&3v zfE+&AlLx(Wy7?T5MD9vXF}KG{c>uIe^|se(={$?3qiygDR<^t&;X=)#G@Gtg6aP9CIpxdPXrb3bAZ~`EWB)d|%-S{BbcF1_1IO5GhGLI{>4%`fPT^ki^@rx9RCQWMK^NuD)Kv4!c(#2UaFW{-&`F@KAfY4lmG47wZaNAF$>phz6s{16 zlXDcw+>X4JVKRZYnsEgSo(?W|hyYu5xmytS{|>w?=K-*P8Vr>?Fir-v&6_2c@yU4s zkx?C)6Yxkod<8xsz81uaJ%u186jJlPm%(iG1O&P6S5hd3<_p<#(x*cLS59B4+y(8} zMgS`Zei3JbJMb*2yCTP9JTJ6Ng{BL?QOWk-`VMNudYDzY!?4 za33iXoOzR=EvarZ0+xlb1LCD>IIRvZIS>yokh#UiVphAgK=12*AOR1cK zTa*4Rh1|7zJc>UCw!#666o%MYlZ^lL)PcMIw?H;WYG4IbJULv(3x{q(yJtdslXX{B zcqKaqy63p~yx1xsB_#kHEF?Q}-hsiseAQPWHr18$7vNOq)d9f-on8Sb0$ZTlsf7om zK;pa&GPz4g4OA*&!g(TdZmN-6m!$;qX<#ZO*QWZ8igQB9nMD9oxI>fD?XW}^ZdCz0 z7S4i|gC{!US@wSddnRYU2>7{B44`tJ5J{TCulWg95NLGXLIq6l8L2*CU#BZ&jRMc{ zM8o9a&CytAUj@zK3qM!Lg;ZD08epK*8Iy4q+ZV>BP(c7cT`tFVu(yL3x=Ey1veT{m zK<+yMElW-Q7ZaT2=%780FAiHmqx{F1Ga>CvdLN^xixym~^;r=$k1XklHd zjD&S8<>Cnl$^m>+d=_E~7RJedfQ9>`U~%9J8;Lwd1!)|$r4XD4IHhpCLgp30o9dda8gR>>jcz({!J$V+8_8Fky`O$2req3*aZp9O*U^1e{WozCQ(6(qFLkr{#e zdH~_57-o11L>?=kP;#D22^{1M#7co>tw*6(+mLaB)(4CPvn235A#yGf<|WG63tl7`gScR6tc&sN62yMm2tiwF8&s?bCoc%_23o5^1ctLA4GM-RD>lm&^A1Y<&)&1Y+Y0`s6c}MO_N$84g~Tw z5|COaf_4GxQ=?s=QxIjUF``ryCPS36 zPYV+zzMt>GzGTn}eE$t-Fhp&@Z^ST_DEr2;D3Hj{j`rgo$)a$&Nj4gvw=|WgebX9% z64OQbeqodN8RYt)i8!}cl*#rNl_HRjhdLaC4$Nlp`bkZKZK&%_Q5xJ*RF{Y%-x#R% zI0)+J8u0sFn#Ac)`!!Ko+X_@LSc`9JpdB=i-^O20YLc=;u?`TuFKGRDr3C){`$u&W z`5>yjuaiix%~=FW2@sy|KfDN(5+E}tx{5OTp&x^&`h_Ge{#rE%>tD3@2Lbsn7mvKy zR#g6g=H;d2f$z^|n^ZR;kcEr=xvQBFl`M~_CYrQ5|Dv1#y-UUU_h*QG1?|L#^&r(Y zfOg{Kda=`@G<$oK3J8=ahd9}_thA>j>)C|kpSO5O&3%X_Ctmsy_Z7Rqxf776Y^UYmBtHi@FiR=VAh@*== zqaRg5h$AnEv=_Brg@D&NGkV;QUu+%z`J3E7(GqNo1w}+z%aro3-oY=%E)g|HpceQs zb4zEShsUYrv(&^UKChivXiJ(^u{uz{n&Y_|Bl0Vb0 z?$V@wSl8p6s5BHO5a=H)OFwz|DkLc#eD@mk+GyQ1-tu`PT!UVF`R+C7zg~78dpqjE zq;_KzO;@7?nFI;o;ESn<_TuU!{*&GP5bu0n$e8J}hi-Jy^5&P(@_VU}4kbM1DZJe% znR;)*lM)>l#?6Q`M`2>&^KtNBgGuK69*|y2W?M8^iej@fuoRxfVZ%b`UTk)Nn5%)5T7=7p z5RO0rd_dmi#5RaS86}Bg3RI?SDE(t-b^*%9ugIZh@_H{Q33A6mxlv7}Md4_P3|rp+ zLL5`sJr$CyEI1+K?x-FJ(|tu)c76(@`u#~r^Z$Xgj~&!EF*B+gT)@Q(Zy%Wgkr)wV zxD16;a-@MD3_nu%QNfQ4ek7E4Jjs+9jW_yWgA z*Vj9p8hLB1j43IhX@tg)C%R&~BTb9RHWUC^Eb88q*689b6lL#bk`a1Im$AajanQ%1)4@d%M&xCglrnYerzbngyw znx9h@6hOlKRHqX<56Pg8>C>V7{qQ6lYP&~#1oD@Q4>Kr{mlYf|<}QcsQRse^TV6f` z9J=tUCJz1kp#Q(H!ecqK2h;JvvLhE6R3b7cFlPI(CcZ+bc?p80=Qo16Nj$=c%`48M zjQIDbP}ZN4Yc*;aGvcCgIHZiL zkAo645(COEZ;3`gU1D{zE_WBT6Wd^G%!XQ~%1|7_U9S~DPK`_>jew@2?1dM$VU(Q% zgjy0;wj?e)S}KLK8bphojTKj9pi)3wl%ZX)5Ojf6FRrN)4XmRkD0so@IJ_qeS=RmZ zC_@Fn=<6;+T?p5m2)Ath4jAgQOHB;*_rVhx>hDj{V;O2)qmntWLwaA%ck&ye&l}J- zfbnRuMr(rXus21u#SwBaw_+)kXuZU$?;=jH5hA{a!H{^@T<9JuN0+$gaiG*pfWO;v2LGDNPBWtVt|B2{d#d@vhH8PLi`Eb~$eDB`3HuE3Bse;v-rRh93uMhnfEeaT)Zl>^G}qDmid}sAw5A~`KqHe@K7N=M>Jncb@2&x4?e3ABfcp4<;5 zbrTLC#zR~n=gP(mozsRHVxNmKcwW-l+-fMmQ$W7SvF@S7M8J2B!c{W+v|U-b_4&7g zQ7lzDo{k}UZ10Q)@q-Df%ci-ZZNbA^`%oOC!KN|`ABCur;G0A%dx8|Z$nipV96XKx zz_G+o@}@gL9kNd$h)8VOHG&ugW7{*hGqe^O>YI$HP&n=(s|@k&WZ6np3NSMb&KkatBz#Na&_XVW z*yT$^c%UP%_LMc=otG4Emthnt4X3B!Ck$TT4m^XXpc$YayO%awJK{yO77xPR@QbJ% zSRo64QRG2*+ni=11$e}3}a=<)Y3Pq3G0O~zQ?68&~bmTW_us_CQ| zGqkjPh|dVX^Rm)0-1m4syR-2%($6}HCnxqm+9%~?KHeg8;L|?b57`&3CH`O|W(-)c z&s=%77cnf$jmSQJ`hS zL~|v;cc)mB3-*&KvO26=CU^W*Iz+t!pr5nNY@~>{lB;fttE_)lP9!yX^$8IYrVGHY z6uVFphy=L`g)$H4lH@2N=ufVV#<`3Ze`amRwqO_IdG=1Ia52gq1I~01`jBFnO=MRX zHqJvE;1MwiM}`7)G+RTgD|k<>Q}X%Xw?1Qrd2HNf7@WIULd5kMr%c^R^Ksh(IftmI zq}!!pahYG6f9GP!VWnp53R>4>5osu~K(7KCj@I^4Ld@izh{&m_ZX8-Yo(MF&p|4fK zI#5l_BD)(*=>ZM=G#F`Zy058;!f^zVlqb(-x6(c9Uf_Lh9U_UpDSfu zJPdu1^f4{S-;l1Xqlm8<98DgWzb0Z= zP7Lz3#e|c5J6l4oPz6GR6PXzIZ8FB!3E|hX(h;Dm;P!U-^@*%Iy1fu*6@4hE(f)s$ zXKaeEtt7kCk>(fW_Vtn(8%0PJp@-Ddqw0s!?OY#q6_po_u&KT#xC@WPZHak}hxi>* z+$BgfzKK;E3U@Lxh3kSw8Rt@h-{I*hkE0m-hHHYg33Nxh5xCiC~@isqwKNi zun`=+>J89%8C8nYiF#TC00-6yWCNvZumb?D?i!8C$xkRiJS5)cy$I{@V0#C|JyB>z zvIWxZ9c-T}@1y#7=9^9_vsxlY&9O7s;M#bD*4BRnQZia?e**!Gj^3zX49pvl0{&)_ zp}E=6M!ODR-?MZmcL{zCA|D#|F)i4G#H`%4r62XT>YfHbW&jXcJiqz1#1${Hd;;%tlbi|08Hkc+VnM7je(W`Vvh?_$c5+l-=qRhG4r{wr~V&9>c z&K>Z+7zV(lY3f+g-h!Ys);(Mv!beJRsMN!jQmH`j)9;vRSjaZ~3Y>Fb6M z@VdPHNbQUw(g9_vxD1_>6Kw%|mwZc>Udrc0QMxR^bxuR%S+vIZlU(-=#jWIJ7*EU| zB(%Y{Z(6MXr@cOcizCWrY{wan7{A9b!ravkn$*&boefc?!)0wGrmy9k!t{AG?ngH0 zbL8gFZKWE_=~W7YE_bX!OBNbv@yAz;$a-LJJi^*1eY(Q*k^;w(BiKmoRhErVbENu- z7L1k}25bM|1|{yQJ)%S9IbV^2OoH2h1UzVtBDCZ7wD?*yO52RJXN=Jt~d;D}w&7AIs*p*Ck z7gf9#Q9Ju70OVVPv=?FwG|oOW$<83~?IkkZ9N7srr8L--UV(zv*%-WM|0}m&{*h)zn`fAp({8+v7)jHxk&b{fOOg2>gx6~$ zAm#!bLJCyagM+%Wkz6a3NIki$6IqPjvM3-}uj35p#D2qmMsKz=>V8efwW18j4Q#Oj*Xjy{B4xGFVo zBA)YCk+a?1seC*)Qw!{_wdZ1@BXJ?^6@noPV0|Fl!5Ndd90u!Ug>^mA&t8bgmbS&Q zIGLDB6w*J#BGHEIN9%}7cnjf3&uGbM(L1(qx%y3wt_Llm@fJd|4VaD6XaLsdMb@@H@-`CGYkVyVS-|N5zEqc5{2YDRF@!Y=*_o7 zm^DuUok>fw9kI}{2O^};qYJSL{`N4vt)H0>_RmED9u3RHT&*LMp!9E&XhG7>2RL6^ zTlAqY^%S`w+A>R}5@Fn|je%CkxIsm=hSN-?y**+|4XyadNHW^ks9){l!BhRnHc>=8g$&uOy4>PR?nEoUiMK+(bZ1;HwT%I{gp!PH64g(nuf`Z0|}*lbvW4`v9?vLd!1fw z@ZV8q&}t<_+a7cIQ|wX~%^QJvRfoRsW&?CMxt4 z=!d3fo*MfXvm9>?>3^09TQQMw@d(3n_651rY^p+cLXOvGO_XbAMxeBQhQIzGKDNdY zN@B$2Z_F1BU-|@;GZSUj^Piv@v(XS;KdtvDT2CYy)R{DXk31CY19PD}-#`|;Yk0~3 ziL7)GJ1?sg4?7GnA{$HL9Py@m2sVA1d2~OHN{_$*5LaZf77olqjz73>-Q(%5+yCJ7 zOeU%#Ct(eqX&%+^GC4eugQ%FX5@HwO#z&atWIAKP2e1K~W%f~)9jc`7AW#XVLHX)k ziS{>eX;-gQt8Jwuw$OiOHDW(i7964;{LvH6f$hN*vRx^JlPAl#jsOn=CVm;a_CPcZcmH?$c~C3fKWE) zNS+^M*E5~S2w?&ux>kkLxn36nL_5Nj|E!@q`J}fU^3-xeP%!OX@|a(DF$#`XhD3dC zJk5F;C2r9ejyw5BmE|xkz}ugQCYKr|N+A;E-ohQoc%G6$)hughAYEhsX>4J^4P<*F z(a_$fN8YojUp_mEYgN!Xc-gd&+20BRc%e>7A^2W&kI5*1;+5J-Azk*0j@@daBA&R;oUtaa*@61nhS|)9t*0rqZKsmbvNg7K6f=^j<2pD#px#DB>LpHlNXgBk zV$v^S|6tHj!lmpDi0e+I``RFLZ<{B%@d_FD@y9rywjBM;ZKO0rv91G2bu>L`AueRi zMpQflR||CfuhDocU8uk2AU}mY&B0Qa$Ivl2?MI4^)JrHjqWA?wxXC-#->8(dSi+mx zn(oGwlODPS*$&<4=Q3vk2=_5``7j+reZ+qqNmEG-h&tMg%_0UfYWPD#j)gsN9PEMJ z`1TAhpA)=qGYiZr@Y*s!Z=D{twvzl;ceb*X);`N#HRB+od6dxb zD?Z{)Rh!;{@X^d5yw0481u~aO#n#3(xFuFGZZbi<#JS0Q?^z|+03517WAIWjxvzN*h&gEJtuA5g^HAOphMkuOpmjMCqC0*@+p#4v z1@>dDrGp9%;kjp+$aIqg7C>VQIqn(Qg52AP*6da0ZO=|a6f?%SnZ`Z{i>y*Ye9T;~ zbU?7(j=sp>50@4nMg<|mdP|Y=$I3aU1ec6Cz})0NMAkRh_lyG-Y}>#jev_q7_s(INarmGN?TG zvQ~IPN-*YO`=`32N{flZf&&qY2nU|$O-AH2St>yIt81-HZ8l7c9a3dYF4LaaWS^!c zhM7)M{kaFETu%tX{?uo1*C#y|}dNKE9zRg270dzE;O{WBS1pL0tcK^fcFY=uhf zl-a%ddPNAAZ7|m@8qS}iA^0e<1y3@s%G#!E@L3t*5E5MBjT`&J4WY>VC+_0?6A@D& z5QN$whdrR;)$AfXkjS$};%R9LgKYhiT95nkQC z6slFyD1!Ct>7F1E1EA2sGaM*CccA4dxxI=oooZ=lWf>s%*QT?mCgf$2J(p1ra^qI& zReJp-=1>ssEw7T=h64i!DzQO*QXaa5Axf0l%XTz8#cuFU!e>g^IP)y+EQQIg_Cp`fU!pi_rVMe~Ar*QJ=4 zc+FdChDxbvWo34=)S|Mo)UI}?(z4#x+sd+w^?lO&_xXLle+;=y*v{qkdOjbwr|v*_ zR>jMNiHGr*=nc6ig+-7Y;(jsXha_`zl1D_!i;}Y>O%j*&Bt^PAk>%IxQX$C@KXPXv z>+AsjS(4~MZh~n2F_oO-85wT>h-X`!W6eZYQe!(5zJ9GDkn@l!(_-sr2Vy6-kf|a^ zqi`B0!)d%FrLs9<4x3#+R4z-wBei0(M76hGZ+elrPt}w8`WB4$qZxKNlg;1O%d%3C zR+GBJ?67V-V8%_s({OEEpj*VW_={+^bH5p%tqWaC)1-Bv!GXz0>uACBNl3{gMd3q^2bGuc_h*Jh zE<$15n@-vGBDN~U1eP=|-Hm3QDXdydKSXEcYIZ8!Ha*!IFcD&MW4XrW(Dbx{Bstc;J!?TO)pit&*wzqc3na=1(#m$1{rpu zn1B3!{|RZYGNVPRPlYsO@e-@pmc~-c(+D)SY;-cW>y-0eLjs;bg zxQAwmUTJtR9=>vBE)>^!u5`DKl!08nDJ&`hT})UIK;*pGqlBV#c|66}TaO;jp>3g` zX^Q@4XMHt{9&R}YZGlHj@MfXX(@0$`JZ}~MzVRQt5fshNG6S8fE%Q&JChVop;XZ6Q zpQT*JR(CZz@iUo(vzRAI@8j%N9$#WxXJ+TDyUhG8Nj+8uZ=ZZC*;)gV2@kMPYO7GN znJlnQQZOHxFXb{fbmZ`OW24{U=+LQOWvb|kXxNlR4tlyPNmTKQe9(ga*LK(hFRJzxapVIaO(k*`}q^ISL zRCNfNWsMrWgHz<)#+F&WOcbh#8A#TNE~4)L!?Pl@VH#HGF2zLrJY7fR@^y&#q>UoWmfpmQMDcQiU#5GDRcq&nZ)#A5)e$XC$kKg0ClUiWWKhr7_)h z#Kd|;wvbGrw2z0cq`9a@|JWuJn)yqypJ4Wt4oKKR`DK7zEm_a@bB{r>c7)Rx!U?c59dRvE;YD7Pt zM6D=fuS}u5{wiwiWWOwtEhX=>eDxJ*Lu(Q1W53XsuJnK7n(04HA7MNz5T@s9oeo!% zah8z+F0kswknL-U4pK5gxp=rdC_~9&^}d0aq|@z=f#l@2&cv_o)!Oy0h|J`gy0)Bb zME1d)?M2r3B~;FX!V)eN(@*rlrDSnD1A^E`;~bnth@_VGM`u22KBES-#`f#}L82e- ztFhQbs+06h^3&9}If?6PA;*d2K1_H)OM%O=aXr4u=PJJ|=7>eK+gY+_9y;X}C9X03 zR1qFQi{HIkvYxwF!;! zE7`aUc__9D=7+sX*;DcUS`GRy!y_J1L<5#h0}03b{-Mv4^pchCTSKH3SVk$hfK>dD=n?g?swSODFp z3#Tg4iUKGTPiU_E4V04Ui@7~%&PNA2514Ss-K`@#e9lsR7gC=SmtqFn{xFnh zH4EGa$#jWh8_&m5)D1-N-bLVV4#s`d-zA+`L>>2~V_fldGAJ?Jg{WkYl%@H}3ftfm zYOb1Z9hpp5H$Or1e7_l`bbMZTkrw;J0y;e`U+ZPtn2L7++r`Q=mXw9IOqhf4Eh4HaLZ66?j;4>uLd|IWd)enRAftZ zx;?nG4B@K)&8su8sHs#g`Vh($hoSBU(gu=4xR!Dysk9%?qS1hg)G>m6oc}sETfi5C z^{wSNSr3zz*GV&;#d^4VC-EY6oUsK4Anrb^%L&_SK%I#_cpN$AadcAVkV@P`Nh1S_ zzGU~cMe*wR{7=o;W!Yuqu4gF{9_#xYxSsNAkgLjtsd#49N&97kWsoCU7yA}koFt<) z-N>>mEBeALEA<{erwnlWO!vV~qD7iQn(KFp*)CKf_y1zvb;|Ei%pBAUrzJ>A|rE^NS19$590BwYGbzl4iB;{wrEQ@Wu%i2-?S9m1Q zpwPOU;%g+w<|b7{%jKyyyWOIq=tcjNfE>i4r5UKDM|Ea#dh;UksF+9Z3k}E9&|AwI zLVUeHHd~sHdGR_2om|;5lT>ixU~2}=I97l+!fq$*FhY?jR^3>vO5__>ERM_{O07Is zT8%_GFb)FdMNMl5g}AsFIFbOd2YyCmxCTI4_*%<7#6vU15n-S62&JVJFa(4;5~5H0 zcTrO@uL8HlXEn_#OUYB8fGuM-8R_p{`w)^g$`iA(A6wXT;>X*_FtX696-$<)=d`h- zB+T9`eGU1S;-PKN^Ia+q3cpmkr+1RgQj$)bLo>J}X8$u?KAURIN*EzcUFGay5|TNPPUPDra^4=uw zQ^$*D?5jB;W;iBcU*sHHL8f|FAbL_yO2i`+XVsf95u>tbaMj>SAWZv^r}23DN+Slu zGd_rPKQ)V1Sa;C&iS`CP^=o zYt7crI67VUi^@y*&^}RUzyI3jLQb-n;k?TLdsmCmS0NHN1plr~mIP@WUMl`q{YELp zeT%2!LTtk65OvH?&|0)DWFSt)-LWD13t=RazArA}Y7BTLlzds>W+=uh6u6@!R@D+) z&U234@EFN+jUR~2(kWdr#S?gw_U5@!1n6)wRj*Ewr$vMAi?;MAE{Q)w9!knc za6dAw@#)+5heU-Z754uc$UvLjKtHt>8oYp{J@si{GQ-=P2=G-|!{78{=;wy8@4Y`J z#D_J!df3F)>0%PLVW&73f9Fs|^Vq2f|3dmo1#~L86!}?j&L$1|+ns5f=ebeh(2~h` zw{`^Zo4)a*;tdi9Zm9-2{x*#T21=y-IG^S{+pD7q7b zAY9Cxzm-%-N_abOB|9Z6R7AHF)tYMp0n;+HLN@XKTAfd{zF>;w6RY)7a%3dWM?1rm zn_w3)&t7gQt3;Qdf{_yd6KzJq0uvx9+43Y_X@pYSC4o)@{!yW{myY01z0;ATl&?k7 zYf>N5RX>B^IabL)r_&x%h<`+TrRD|lY)v%=9VMGk`%FTxz45;|nYb_wzbfBIts4pl z)iS}r?~Iz_uZg_PE8sSgiGRYB)KQMCf|}LmZJuRb`BLxq>dF|dk5w2zuWY6u=O~?w_<~W8AnTiRQ~IrBm#`@r6b457JA$Np??7JQs_wTj zGr&EC$aX6oD$>vVVZcK&r8!s;CZ~I6Am}jSsbEwqD?=cc5^ZF$8r6?a^Tm;PVA1pL zqgc7Wybn^+W@X~(rKr63o$k9(PeKEx=jG;rAz&JFIx$~=~2 zvMiVdfznuKfu!gxpM=;A{q;rBlm3bB-;iT8Zzi!|i|uAI`Hu946>c#(L`z^7Wxv6Y z6XGpH`XVDwZj~C-qaZQNv_kvALG?7t~DKZN>^5yw!S$9D3xxlyF|z!U`9yGN{9E)B9K;*s=_$@hMpB^Nb$cEFd#lMMT6v{{a~rk3 z^?l@?Mw%aWi(N>c&?0Cy79jSQb7l`Eke@F-2Z&}rgx^Tg&zx`PuBZI|NaVRwZ)~$d z(lM28p5}5H_hH(ZS4mC)CTU+qp?9RK)^9TDd^w5Hko$)ut*oUCdh2^(m{~c@0pnZU zyRr052gk|c?|QWyNv8|>8TM7hB*Q%kiBIE^kyAx)U-<}|f+mua-=F=Vc9#778L7Yn z^zTyigJ%?pPh5O9L;Fi#krea-U=_Kc9R*#N;GytEw9;P2=rZdArtkqcO(W?Nm`uD7 zPTCxJ%!2RqW3!zWaEfVld>1m(;RagTOBV&w8`%MvrMq0uO=MYZCSjGuGe^gZ!Ln)l zTvl)5JLsCCf7pdU*G@7wenZzzbSwJWdCndAuy`f@&H^_qOa|G{^R5BF3*39EfDS)V z35dIilmUk@1Q6As^*>$l13TRX2<`PoD^e`$jM2HM+Bbe=;}1#tw&s1#MCut?#+~B1 z;uK3(iZFOY2d1;&jN+qTP+>RycSR{8@T&d()G$>f#|to#DT@$yCPUNvx+$cZkcJFdkhH8)A$ zA#YZN$^z_CFKe%>D@2Rq6%V9TXL!vhx~Mb_ab62+s~Q5ReHr&~3ON@l#VY}eK$AV+ z@l>q(fo-{w4U^zU6ipUm{#ztQ_QIIv*emE^S3>J5=xF|yKvZiDH;Lw^0yR%Gvn`+~ z#LL93{+9fW@oMppZDZH~%iC-50=+E>+N=TgEwf=OIwp@ZHvvc6>Jz!>kDHy$0VmPP zo1pP=n`ND{wYxRaahl&2rJqzE;L!H<;I%27Xpr&W|TMMvX@vIGRJnUNjgL zsxn-?YkQ&c0u+>lyBu__avFogSWZlB>0<#P74nhtnV89?@~o_VYTYx*eo#w z3)V$FD;>|^KOpRK0=rC0PZX0<;s!32uJtZP@pli0X|~u4pS6s&96QBwqM0HSU5OhqIFlz<DJI(pn(QD9`( zV42)7gEcstE|R3iDLxU&DHLyJPU&7>4akd#Z%dC&5NSW#$tIFYE^@GYle2=ogE2FWs2p37^ zFt?EefYG3W)KmD$pxzHlCom^)Z|y^3AK*;1m+%;9BVGil)!3zpCCO?*+#GqdLl_}O zs#0JSFZn1*pX~Zb7?ZB_iygp6fISV3aJ)pas-G4ABpKk%hnE8LF80W;8t7QYcbJmz z25Npf4oQxNPFTe^+^q=L=^rDhFMVTf7LwZVAn%DJ_PDmn24b7xBAuM1uXb+AxH8rj zq*uzEj~cE#BP=WvYBFtw*81n=pYpE2u#PlV#YGGxU`cee-L^cKM%+pIGGI5f+xRqF zp-vLhEWa4tX4Kr)ybSzj>FS)eMk&K_Qs~sxnP-T62Xd-BAgy7vw(yhDafxKc9~a8I z;Jb;Se$sTvu?|bz)f87F?Ta%PjZmtHBn?nxk}Q?F72?fD+O^0`Ad;UWH4W3?Zkl54 zvEKRv!)?L-*bjpNX5(`W=TOAGHGvKjYq3=vPXahgs^y|-+Hd$B;m2gs$Fn^FuORCI zE*RpNsLa)$%^>Ms4=PH;JNTF=ia%FEu~>kAu^eRXhmqK>#_<^XI5%Ra_M7Fed~Uum z)ES!6Wrx`zARUQ22bkF4)9`u)XTGYGR9y|dg@=n~#ZS|Abv*%CAUe@brs#7pTn_F) z0d*<+$!PE0SXxf3C8Hxj)$jXGCZkKAyN7=7PD*4O_>rT!CiveaBcKyejcBiPcMg|J zX~g&TVoDQ7N0Pf3Nt4UO>cp$R@B!$Om zr*WP>sPma5&YWgRN_DQ0Krd0iA0Xo#fAVH_!^tdEi_hbKBYD8wnL)NRndhZ?&@yim z4}tcC9zoQ*P%k;<_*NGXovq}CzgC3cb|sZ;b_Wr;?EE+jx3C$uH!@?3p!A;#RYDZh zRDL!Ua4xPNKBo0Abs$F&Y7a6OJtj{ywoKjI=UlvH1eWaAj99=~r8iT~45H=t%GDRIFGg!Gg7JEia$iydl98Cwl;ccuJQ<9&96SSft0uXPVONxP7Z)R0@$%! zGE+ZXh=&H3@Y9q+oVC3OiNC6e{7sxf_FVhYTaL&y;4+{^@9bHd6s8r|wB^p@MwT7V zRDYWDmwt;{mYeEtjcvo+tt>XgcZ|eFP!{Z&Hixn+yURB|N$rTEKSKbzVVeTW_iy714D>12$@ifK1o zgaPxeuEWJ;MTo>aAolg~PVrf(2CB5KQa>@BeW52M#ec^;0VOFXcZzAv%Q_JES~svD z^OcW$B}n*qH_%}uCSToPZOkco0}peoL_d12q_ehD0aj*RV>tH%lx@$$_2uJD$9nUo z@NUJ#?aY90OshJ`hWhWo^UKcGGIy9=>F*yvrfNR2(lN`@JDH9|FUTJ<&Y0}JVZ{74 zA@ZC3S0lHSkKNa@AZ{xIqOibzF}amu-7?i^yOzv-N0p55%_u!F&pOx`bOOUn8&Udl z%K+6)qul5eJj_1=5NkSwtmCziSu%5#DTfJpS&_xR;f_323{+V%zFXQQnx*^TX5B5O zDSLoU+Y7>>JyaI=!jqJ}G&9_{Wh!V11{N)*rdeKeV~bemybvNj?UT({U`|c&klKzn z>2-({W4Y~hd!LcGYlnV$dAw(Q4*#s>-DJlc;O&-+R;{4K)T3< z?!0lhg~xZ;ZzfwJSpa?vf$FbEQ&=?9T2U1?@jNHw8?7^w=~MvqJ08LRJxI`bWG?nP zI`i$kjdzn1S^#dkiL{Ux_(K1_69Y&WbukQhe2f+z4$|$ehsAr0 z=G$?-?Mw#TqvSQ==dKrBR~{0XU%{R5gS0~xCSi7I;{+zdP<- za@u`IBF$AV=BGxqgB$?$3Ph@uhYRN*#=u{Yp^j&MY zGJ_*mtB!x|XtcGZwEdN&r`9GXI)=_kb`9oD>H~|UU^}0wotLtFpCWui8!7%s1nn89 zIl)swXT$No14{Ba;IA0Y7I;!HbVD4@RmTQDE#e_mqzR4I`*TfhX#yyat;+{UxxPn{ z<*{UU3u=5yDIj~IBJ@eQ0F;{XOk9JXbdCl=r)4SI+mAix>IAZYG+IsmI{YSkC(s|U zXQ0A=y$j3mje#+X9fLEGaT9?4yOqw~9uLQltxkS7s_B9ajnIMRev-^}~AkP{E zjq+QF_D99r8!otmZz_kzs)l-x=`9mzmn?r+O zn~1UBtG*)XS{x4`qa4Q24J^{Th5Hn}Fp+K&292@QttBHZT`9>z3*{7rJ80r&rs!0~ zsg_%oGZV1Q9%b@KE0Kk}Qm{@Nu}d_!90BKq6!1P~lBCjc$TpA@3uzwc;G{H_mlm-M zDMI$rZ7}&Yg5(!Pd_$C&qy2qu55rlu(<1kWOe{>BGmqGdgKRX@q>XqeKZYr|$T}~N zpUquNb+60d#-+r0@gNTIOVJ`}yH*q)fqQyu&~zulmo0}<*-pNePi6NyW-61VVr{0> zo0{ldN%~b!o;kSGnx8^P*q#zvSGHB~zdAXC|4wnTWgqZ@f+rb9WKT%KJ)5@Rx>$yD zy8!@=9PEU{-guV664}8d4HXJikADRoAe@{XNw*ic@agl1v7|m%^qRF-Zs-8dRo`KK zD_gjpMKxGdM@HYvzbASfTgY@ruKvp~^&xB#r+`8f=KvbAJlzPD)iD*^|FEbc1Y1y8a-Kb)>)dQoK)S z|Hb!k5L#|>kNdq$$>V(1f<cv2WtTBY&EK1f1?L;!HVKiOzltk zQbXrnDw?UU#R?36x2Cd^S6SSdBiNE?eh3PvT$jml0H*rveF-mcyd!rTO$%)wQk<^& zxcO|e%^tXpcNo7T!~v6p2QaEfc3yw%VLA}4H{|n zq}vyi*tex~`6Kbuih>VC3jl+{JDM(fdLq{vD2lf&5I7OP&0WZ){khAz;+k_WND}Gk zyPPCtLtL3200n~Oc-E*OVm5JQQ70x{N8|!Cm(2&sS<$xk7eNq?e`);?PnKlei~P6L z(fWG{juprD;*kPO5q%ShHTEIBLI0)n^Np4^uqm*B&bx?q^5R`j+u7B9v9+^^xfB20fx z()-(AR-@m`^LWQ8#>ii`*Bk;22t7kc@u}zO&kBF65?JTp@y*l?B}NZ87u{_DRL+*T z=+zDg7;f&qo|(O28JVkW+13DnR+Im;wm+?7vKvoYzDU8%Xkcv?7k}ULcc+L3b%C(i z=zWpE;?SQQlM0T-+JDmP6S4DrE`9`0)w5y4`P3)=sLw=Xec)Dtyt5cjCWHO4#?;Ui zHNjVeo6D$=Tg5zQ*U1a=I6=*LC(?WjK}E*nCpx>y&^OYc?|312z5KXy4y^ zEMxar@ExR?TW`=`vS2>=tZ1R#8Va<}VwWA8&=*dY62aQ_nuRz`?#xx~py(g1IE+~->eMkLym?jyxyNYM&XOLmK90;WH3YyLoeC|7>Ai>+5G z$>a_SY&mzzAP+avpfJq9?a33J?0f$QFf|;2g)AuaM9*Clky;H<>FeSH^#d z#7lY9kE>!>EVQLE`s}i2MA_FDu~hLTZq+yD1VU<1C!|KD$O9_;}Fo1b}&EOj;{E4ln5bW3=6<7mGdE`cFU zC!o2z0i_hzU8^|}+S<~Djf<2$tw%B@+*DcTE&t=PV02QfhycLa&wjK6EUL$&52G zGQOdJ0L2uWMHDidHj!5Js8dL8pWv*f0BX06SF+=pvj?TR%|z={0h#oPsli7jlNU7O z{{+5KNE8KYuOv8LE&8i{lr@kX>?W5dtAE3edyl1_n+_Jl$8i&^+T7x#m*c^EB{Dq&tbZbXCRIwjJ}Visb90E0UVI+nrQCr11Z z;q5CWj{_}h5+yYv)C+Vh?oY>Isr_tG4dY|I@Jx_nekT=5%REDovW!aMnTKu4Dm+^4 zak#60C|+G+?;zZJAR6YrrnrlB$b)2*t2n#KOtW)q+N37Bf#%e8@>w^fpvjh=~55enxxFha2l7t1FroDO|9;M*J_+PP+EdsEz(6h??>~cA zEq*qkY%*A-&=mVk@z}5Ddj$vcDV9|lXr7*C9C@JF%Yyk{*lT8(n9l!#-?6{ejm+ag z3<}plF$V*et78Y4rY4a^@`qW9jrI18!bAuA6)W?-!)S}ohinr}jwUum_|#WLi zQ*b&jfP)C42cXZ}K6Vi&kRxd=1HU9!|A%H4sZVwC#)WL^7RrcZ7t^ zE@6n`F{)%o;{g5w{jwFP0Xm?g+Jk6Fm^ZS8K2_>PXso<8x&1D6s(pt+IBSe7*!zRp ztb@m5+#OKrfb}R(zG<*1$$YqdfGE(@0P>Nu*T#rlf<her=_8eyKuHt1q-KA1>1AIr*ZJ82y&P}Y-VVsBss7$$uk^T z*QILpz5Slsl1}ckvpc-`BY0zb(8Fuikc? z7fG4#Xwu;i0xPl8q>#;RIo{P6Wq7K6WS2WJG5Q$1No`!&GOKf=l{^Ttce-B@^hmLeh1=IJffST%g!W&yCx3u*xd}7mLB_U4{3tbSPdAcG zPbiV+{Cgyad^FAWG*7L86^iy?sfMg8OxCXInYDll_AGiIZ$SH zu5jq^C$TqxInT%SR%iy_?eOV*O!oUtoGgUNbwTMf!o@>!Dp=Z&wpS7zP5 zLwH5LHiKja?&Ymdrz?532roz+A#Et{7V-uJsJNNS);8G`78ITo579vHjv_Uy$;OyS0XRI z%N?iqHF3W(*w$#~Ur@5jK0zQe>h69HxgjR!MJRZrmpVSY3S$4`j-&W*?|dXa4tRm` zIJL@Kk}<=_{NLj>DyO|qW$6xnmHTT9f`SU4ZSgZ?5gsK5Fr$4jPSGAw-#t@R|Mg#fp>x8+=#* zJJxMH6m|pte(K3j%l{PG7JkU>oBruy59h}Ie7E>tWHXTejbemkwQS+`+0iRbn*mqb zzu+6^-N--piS3qwI<1|kXB)ltuBco&3HI%fHG`5U)HGQ_7v5c%Y^mehza+_WiP`ye zGSC~PXU@;WMO>d`s17Zwj5PydX+^eBFZ#Yw^V$7mtf&9ZzEA{&Bc z(j)&ty4qI{DkXgcVyfkHk1|7e!jPml%e9jF570>V#WD;7&Q>i)r0`XX9B1R_@Z3L? zi%}(2Hc&9#d;=4%rF35uHT)*_p(=ru7b zcuVB8hn#OqO&e^_rLz!}OHV<6Qeyiq<^No80PFZgA$r_dm(7lVQ{pI;RdZZ7+ds6< zzpjNyB)+AnPwY=RnmZ|44`fi`M78e-VhcUfQ2AI`9H}d%4uUkqL-7^L2i^?aR3W_| zNWdtCkWyhXb3;E+@!kq8V|DE1I?(SfKi8FLmTwvJwJiA;fB-sil1W)Ao^&J% zs#=yUkpT>}C;9{+3AjxbOPX2PPBPIg`76$HZ%Sl=@B(e|isp00ut8lp07gXZ64d(Y zC32zB64@eXcH-5x*TMeTstjT8fHGzoU^ zLRe%^BAgW(zY|ct$@nw&v{89n3f?G;yAc_*Q`VM*GL$>BQG{Nr3|G+ zP?G)iN;Y@NU>RowpN?~ON_lUjWS@C&x(_*A)W-Eq`JDqEq5UDe-dan+tN^pR>0oRv z-NwX2I9q9{1>AWhT&R^gW|{6kcqvVMoSCH)T82E(PznR4Qz7Rdja!$(9TL=aSPV_Y zvhu1D^#ta7sER`!;TO_06=aNUGOmv#hRpzeJDt%0b( zpyi55nxCZ4cW%m&e>PaRam^os9+Ih6cSl#idfJkW{ySN&m==5|Jn4Eyd2(lW9J{+B z7?f7cm00rsxW>v05!9b5W0{Gl<2{5I*08U>Gi($;AHH7gbN2ky#GJ-oa*}BUT+{80~3w8$ryr^=iaJ(Hu zJ8Xwvri$GG7CE(5wAd0%P^{mz{AtwqQ0eSM%?$$3lhD~$jzSlG5aMx4cOy@~PLO7` z6as@f#zjK7RktzkTR{~XVQ?45Fk1bTR>2ZZ$TKD zS_bE=BUNnbG!Txy?k+>(Lf^xPtd&-X$7n_xyf=tpgX3ye=D`VTfOXro(Ey>!(hAx$ zXoN%Hn&nxJvNjZInxkej|B{qXi%AR^Awo~91A4j+W|>p_Gsbfl)Wq?M+l)QU!9wD z7pfB5io+sZ2^et+iB=Oya$rr#RvHLI{40~fzpPFca_aRyLw<} z{OfWvD8GdbMsWze8`WI@-hR#?*%}{p+^1yA|1m;h`!l_1t3N^MC1sBqjZRs>6Xzc# zJ|PWb%iY!v6h$vL5~t@`ux*@6vJN*AvvjBupqPhzKwzw_JJxY+!FzO#r&8TQ6o7Af zj|tHY;K|1ylpRbUL2qk=%z!JjjXc;HfHpe-s5g3zVX0vUSsb@s(6`P5(#laaw2`~h*WW5vG_ z2~FW}%Xd{TM!SSY;0$+V0_LmRF3yx(mrImVzKb-ubbsf_YuW?;hs1noMyVS~S>-cO zWfLL}P!Cj%@+OI^s&0$IjrHDV5~aDSws}5Ikz@dKMo<&~CrZw@U>rQc#-SEM`=N>#^@lCfzCtw+(P)oGDK{56ur zvj<%XaFi>KxkiLDibvvVy$J`G($83d5>$ucd`M*K;#`r+E=$#9Iw+)RZe9?gF8>$y zXL-`p)&j9spTeUT@cZ?|z0#!A zkl%0+&4Mo9(G89UWN?vw|sV1k>Ma_e2DKlnyGl!_apqRsRk4qWqU!P;Z|94j2MX=1s1DY^7AQ zLd`o=%yujnP0<%5uDzd9!p2|xmG*^;SZVm4f~4zTHAxJ#XEFbSWYF=5^MnBclS6e< zA+AuTgDT2Q=QV?@gqur=BR(-ctuf`?rt2q!JVRhQ!uM$1=d2{dEd41fhCG(zaz`9% zPuPblBPU3nuAotSkasH>y_58di-I0gqRU=CvR=u*Mf$*5EY@Ggehp4#Nyi=G7T56= zK&tCf=l`6c)io(~m` z5LVQ#9X^?+3qDvIM=NiWnKUGxC9@3R+TMG^HpD6{=d?UP?A2-b2i5Ed*=BRjEdp`Z z7qoN&?P!lk31kXRo)(!$J_Hf7S*w*C;@bF^x63CI1f1qku2f1`t;HccfL^Zf5#Uy$&Nc&tvKECs?H|BpOc!edp#2OL^=XbYpSwe3MT2VI(Nzc#>EDo7e1l5SYBw-x^Q<=B3UYp^s1C8 zmZ+D(uxLZVX_J&k1`|#A$f&NNwi71+N2ZX99QFSql`J?3^>*svON9 zOGcvlIa5)jak=)D|0|ZtLW^}-lIQIr~{~K~mvv1p2 z))^o1f<)aD>)@VZu*u?!-kAtCFCEX&%Mcau6i%ZcLXrrCuXU8DAGFSEfgOW%1Yr{1 zLeHVKt~o-1(RP=~HbW=rrv#v1$8puvw*qtBg_8Yr8WHNhj9iZWEDmF`Z#r@fIhU;8 zkF*N@D|l+@oImgcKxOfHEzAE69Vy*|6#@aG^Q8(Rl3|{?ooEbhd`NmFL;3yS7#@M7 z6{<1mG;;4s3f^{h&WIN7+DWqKltd0nnISu$)uD)nl2mwu?tOyk+n!`Ou64}{m>fR~ zR>q2GG4jcMDfdIqGhaHswNQg!guV7AIlPsCJSx6~o@a9%hd%8>0_Qc#&W#o~Qc+q) z#(0lnxsW4+^&6OUr)BQ%@<>MMKtz5KdsM9z8uB5$^jhWO*+{tp3B1w;b({*po9Y`G;tR?arHj5C*; zM|}mC#8g}*Wt7$;VOOrCDr5dt-G3;J1djL@i1ap}+6O)Hwjzm2;&!r}-n8}*TPmBg zv~Ix`p@%_!D-DmrJR4edn2zJ#Ho~=W?r_yCNG$DDY~x3fkLlf1QN!X0%r+cF)adwe{;-u{+HOW^V;{>=SB66@aHAKRm8CkD3%; z8Z*>dzY&gK(P8e{!Jj*VGunE#tb)8z$q-7F#B(LkhYC;q8$s6_CTQWlS^)o-d(HsV z!^afTW1ampR(f$ylNYq?<(J)KVf+}?QGM876W``9-ILJrt9-He%nDBtDER2v|^y{3h`?9SjZ1an%N-j)b}Ugp?fd!A3?b0s^yAaq&G3 zG3~I#UAYB?ZJ$^j7q%>$!j?xIU|oPz2MI3$zK+b&-{kO9jw)XRV*Qh5O$pc-Ta35s z;}NM((gm4gT>n(-cvFz`zsE%Xs(AtI8!G^p??Wet3dsrIBM@1N?)`t*d-t#=&h=gReM1H^ z2^pBc1ST+n2_%vTBN@mDQP4qyf}#cq3W^#uD4tPKX~l|)r;3X8glAN2wOWhSw$|Du zR&BLfi-%UNT5W4vTYEsOt=6{t33he;*4}Gh*SG)p{##xb&SWx~Ox}49&*6UV+txv{ zCams*OKch7hG9rSZl}0E}H!jvtZR*?z4cC|6L@qW&ht~E2(&|u)NaFr% z0t~30i20T{N#u$ZouM`jY&BNod=R;(%0h@7x(mL{yu>ivRj`4;Fr_Yc{$9&uu&*O; zDG`cS8>2|TMlAGg@L9b_Tz3JHhR*{P2E{F*XF~{`8muwCAxpGv2XkU}ekt+ssou1M1{HN@3*FET7A$jw1z&mv+Y#7l`DO5w=$A9Pbx#vbZZ zMKqd# z=EMbD3YBDdCpiYQrmNv%Cy@OGcnQ9yds9mfvXtw^Zpbtn)*3!V=-u9(hnt|U>lw*- zK*v?W7^Y9rur{m~1F>;n4#6^)Ar(aZrh=ux+7JAMBz%M%PF$}p%qSyl z^5+MO04PLlT5G+A4hYwKn|m1pI%_XCpK*1kwWrFN5Geb1VTLO!BPw1k@0Smm!g9!b zxDKJnk`c1PeM9bsLx~T}tMrRG?RHKlm0)cL-*(-*0?raXRuH9>Q&q+y-Sv*9+BBR{ zo&d{uA4K@-u4-ozTkNkvD8D!Jgl3pUWJ>i+rWN&-7DkzqAAD-g2k3Db%BKG8n|m)F zg9~ssX}k_>yaOsK0P>Lx@QJH(nust{f3<4|V*{4tQWiCROZM^hvm6fvm0?{K#^YEU zGYx(}H;o$tAn6ioGzJa`<_4+jHyJDp#C%Ayxz8h*DPd%CO+X6wv2~Is5S*$+9ICy; zC9*G*lU6H;5s>#|E2^|1M9gB3IRk~-ZtAUkeRy659dha>O_|f7X!MEB@>ySbqppo) z!%k#cfP{fT>k#Agazil0fR1@9GXU zM{7fBI{Hd7U(k75&}L~{fZ1uBrNOaGUXmH-5rcE@B_xe4QB^n~yYZOl;&`}g5{@Ls z=@qHMS7Fp{Et+4VBsvsd!NeEo!P-}uGffL2)Vr|ZS%6dx4)!zgX^oC!WFID^ZYmQ> zF9P&GsS#L0GT|m5DkGL#_4>E8+63H_n5}=70j932Dsn!M>+b3U6R0-L7HK0klSAm= z$*xH|AvQjrw0d`CEkopabk%rVXPV97&P{7;-+*cVWmSy|R~y2kvaHB?F$C0e*%&m% zmT%?CSKkEsZG#VrfV4W-0MZBl|I}DX(0E_nZ00tX%*JF*0$u{JyW?8T(PbUvPaY9J7|JKiVy za7i_vSxz~$OTz#p18_VC9-6V$8HBMZ`wBK3gQ_On&D@6^X*^kgjvFS#XSAd% zj7!7HgDEDKx}rATQG+-^2{2#1h9noPc{sQBS+WZg0Zdrz`eERAHsjBr3fXW&&1PoA zF%!-E_}>_v<6P#NScYXfW{Us%l_SU~h3O1dp4L zZi)uTlnhYj3PoKn!rv}PIlT;pU3^_3cpQj*u*cWI+q^jI zDg1E_&S751I&5!+u+@}7Ra%WO*RoOHm&CCU_UiIl+fj-qRelBSce#R zYE0&3r9IGmPPZo<=KFTq7<03JKc)Lkl^4=BlB&{i9gIzkc^lV}7(~t|RyE6(R_AOH zQF}Bsg+w>UF#aXFFB#={uWmCoakJA+OgCXtOAioAyJ07@1#2A# zTp!|S4m^XQw(H#D2ICakXM+O!95$qO9>e)ovLWVeu>US|wDJ<}ftMM}gS9T*r+tLZ zN^()s6($ojWiwH+52&cj9U!}|ZOtEy_(z#rkd@1XJkJQ?fv^&hUbLw7XOS?Sc&YpX zp-FFYf0)}jz`K;#;FDmP0aqV{#rafH>u7V$_Y-?5g>2hRx@n-PfWt$szfZ!Xt4kjO zsjUnUg3{$Icg>{3%u(iFXkDY1$ji5)mPoSK?>b^E6zqK%1=CFvF^cSGW~jHr3R94{ z&YuLR%kK!#zG1@ZYDj~(g1W3Rb`1e! zi4_m_8^X}Hy*{!S%qd?nR96yRxs-}`TYBKxfbljT=ECL0pa#TLoy>d|6%P$G7U*cV zBN2Be^hBI}8?l&)$G-v(K)g~gXE%fjGQNI5pQoZU8uJ^LB|7ZRjKB~)GDkx;*K(KA zb=M6uB49>g&YK(93z;rN#E^|_FTRI(2dMd)&TD(%F!s6x1o&?{NDhRVkrN;x9B9mp zC%fZFrkinXNWTok&NVyFHc`nW*T$y1=h|9BIL_0N3uiY2qKYgXomCevG$^y~D1phQ zi){nz+ieo5JN^t*5ffTd%ysqlJP{1&Bi~@CNtrhG!-$$|CZ7t|nv=jzo@X`c`vj9E z!E?Z{YrRE{Qd!<-2|F7?zD9SHMh3yc$mKmlC!T$=aUT>taU^&^xt3r`TWL6^#ho79 z-nGu~>L|*k0YF$b?bx+bcqdT*fy!SpT_oHJB;8Omb`JA7@NS%CGF4(+HCvEa?-nHg#*hLvDHSxi>^R zL>gFRq$e2DqX8~m0n_z(OfIF$ExEU%aVg1LRt_Y#_?BybCw>CY)HoQ}1ic?LDvOVo zk-r04qR4PAv;+$ABnkpa#C-Cj<|O?q6j84fE*WmB8vl`T&NzVCbc{yo9wn{Q4F-~H&xRS*aopTgatSVmu~xHRN1{==a$Ov&E(+wY`{k_^JJh0+^ZHyL4Zi6b z{U7hxf2seieV(2dxdQvaD(z3+k5>8ng})p8{mPHy`PZv|!g&7r+|%3q=Lh|get*gF z{qxXYj}=E|S$p0%s{(li6-+5vSV8Vm{ z608n{$#c?_s;By`d#-EruUrbSe7SoIw*2}dD7Z=};lFDaAQkcM;Q#@JRh`Th^HDIMUZ*l_tY0g=9Ylu9{|PN^da4hs!%a^?r^K_2 z6-Puql^v$Ix1TEM5+C}NaB*hrQ&=S^nuDTu8e~FGs{moima+X+uv7!@vz6z9+mV<9 z+Et2)EkaLhHDI5(1%V08+<;3W5ISUA_;UXr+(=q!azJuGTlBpGv+8aatqL4nJy#fmk2IkDoMA zFco)bKg$*9ubg7F7Mv2=4hkm6ksMxc@164+NWAaCm&sRAI0*Z$1XO_bD!sd1i&g$O zZyO#>%p;ST4uC>!^_(WUJJu2}d(L9Yd^7whkjj;1-6MbD8AtvD@8S~hF>{L?%S8hD zH^blc!!NZLs<&$yoMpXMu@tk}O9MjTprB8(U=tr;9g7Y8n2Kl0m*QE%7#!?3m9nZa z`6AAsJCYeFMqAEDxJwl42D)C@1P(ka0tN{=-x8i(aGvp*(3Y144x#oMX;fs!(-wq$7)vHH{ z=UG!~7PP)YX-LPrRUJ-sTpf%pN&AR5+hno>nZ^#apNan$`20vfyKY})6R^5J=gx91 zLzcWzupigh$E9P3dRW4C=}ll<{!052bH~*kh!?u8zL)bz?&h10BDM3_@jQ`J%#Ux? zTgT_7D6GHmw=0j3iAKHZc2&lD{H_vk&ol6HWeiq^NxhYI5m03HVtuK^=r#ShY}3j8{qCK(XE*mw>l0>H%F4BhFE{j`e$}C@1hPT_s7sgFnEGb!5wYe391kmgZC>JYFa} zMe*7njSEP&0|@Z$B66GKuy$BH`u%I`1Q``o8QXwmNI`sGGvoIu_+#11c7Z1Jd3dHZ z0Ee?>v_5C1alab>lD_Ie^rdfctRo_SW`MgB6r8w&T24dt5O2P=I0i?#KS{r8Jz;N# zfW(>dLgNSusB@WZshLXuthXT;?I zZQpm1FH2C~ouhlY8TeTJfC(K%qu&TjV z9oMYO_yBSp!P&3D%}vBb#Da?3T8SBI&%(E>rULXX_jqvmRQ@hLr_G^W3ZXs^b1lH!XD~Hb(<~Qh|1$zKZD8^zFRX+8q1uqzs83m z^WHhoG3{zc6c7RM!_BPqhWls!naWx+)%CM+X$bzT{E1f$zk1jBnq9QMJlgxqkr()A zxzB1fn=d?6nn|I1Xyfac|2~5p>KzF(AH8scs3vQ_#0weyoqYQ|{B!z4Ztsvwa)Pb( zWgbA4Z?@*+SNV0gI-@^PpE1q)Iqt`8(|@DFjIb<_=z{xmHe!YxOV21L`F$|#7wg~G z$#MJ`*Ji%l`kK+BF>5MW&l%4{djybf@wZ(+;|RwlawP7Vu?epM+1$0}C1sZaa#o93G?DuoVXXCc?K#ABjk+YGLs`~ejl+<2ia4kwab zl32?(8h(p-EFdSy>tiBvI?3HV25*wAa1;}hD;Bjp;kT0$@oeUK9OcNx@$6ap6{tyT z^_Z^_Q|nigYuXlGS3@q04FLiPIf|IvLgUABgDF&#)8NHG3GN-xx)w^aj#@&s1nXH0 z6Z&B*CPF|(l^ka*Rzsyip+iqZDg}*Yd}L!6kfm8)5ev#n>sm+b{ly-fACJtN>l?7v zY#|Tf5GI<;bB`#$Z*PNAHFJ%vRU zow7Lu#a|+46CtK=RW38+M=DQTwPyprU`a);xdRk#e+AX8i1X| z0^G&?Lt~lngjk$iW1{ueKW=%i=i&o;IXIU^)-0-vs(ywS)vV7Ljl){DaA8Efdo(^n zyld@h{=?4WXh#fTHvd7y8$VZrU`@qfVQCN+_@E|?+YW}^?ov~BFbDrger%ruqF<*e z9cwTiQPTr)C(^(h`AYd!(lH z{)#m~cplqEsp@~wnjM$ShkR2htnuENaFS@2I}0a~^*vnc9!6YK0uN2N)``Q2y}S~N zM5$2H{)ybdPMAlwzE7~GdJ0pnbM}v!Vm`y5!L1Li5(Z8M!@((BkUxC!#bT}_{>INR!SHoOwm3@5V43Zh5x zNB$C`RK^VU&{E(JpJeY1JJd*iNZ z`4@RCr4BhYSUGwOQwSz`H~m5t{Q_p0l}<8997hn*mB85He> zc!FUv(yb%&t%~|xc~4q$ft~2o6MitB&OC6PX9CXS>>EY>1g$WvCmWr6o#=-PkKtxtzs4wQo1C5`S z_6{PFOh;++FS%Y+>BA>HU+E7AyT9^1cD(0?0mXN)PHjuzA9}VI#gg^)db0jXIqtt& z->)-fbBHcbXuG;^}Cy+Dj&dpKV4c5{ya z3hvqIaX{B%#9ggt=`h!P+e6Yi)SI#C9cyDv1;^mg_zq5VZ^hw0t9>T^hMR6(ZGQ`l z<|{yJ&Ai=i*{i6Yn^j~_S`OkdMPHO{iff{^F|@(p@X z$)82BEVKF=uAsB{M->}dQs_wXbE7Scb(P%2olKh;7%|t=5hxO$AUd**r|gW8H=Cn# zK)tR_3zk+n?qwd6WAh#@xq70ba0w@M1~HM|lpO6?TXC6xXph8v)hAHwXwFUF4envT ziRjLg!d^<|DDEonZMDl~C#qWN!N89sK5>Vc`(@azqaP-R71%;zoIL=A&pF?)bQ3+Jj1)oMnN?LUu>wZMB!;zK&fpfaZ zU*egrH|#UPhGdun#sM0vU%iC47n)GzHx@oo|9LPqlXU0FwT{R76EP>ghNl(I3~xB; z-OP*t;*0IEAQTg*HEVo6Fg%tqgM}yR%0>K+%9mkfXP+hFsUOvj5sj}=OSSYx{gE)f z6=ts2@1S~B`C#7|a#P88<5mqDmL5>qKrE~mJ=gRDLjXxyIlpEy{tRfF5-Pjk7{~Ce zE&<>@i~RhWmMo49^)U-Z4`Ht`-V z(KE(gN#r@Er%o@Q3OPZ4s>&bIfSlmvFy`~HMCPLqCX@+e0{wB-sDi(ri?4S}h<zJ17PQ)5UhR;@PZL7 zMC7QgErHR~ZekSE6J@DPOS@;0mW^|=)V4iGvoylns7J7Prh5;qbZt%#%6a!_kC4nK zs3#?>>`K}dS)tVBBs43-@|NB_9yXw7&D`*T1Ke3m;n12|MbVgwqxzxKTINLzpF=N* z9J#{1fE~THet}`!tGp{};)tIDqbuIG2XU2`D}szw-!uosRKIyEDCRk&TNFDlG=CAl zFm~l4lR5F&B3zetPZhJGr|DGu^3*v2=GB9zkd}rq_j*wqCZAv2p>~!cH(}e-5lUUi z(yUzTs>Ifw9d>S=U8sXSKe0iN!))qS(9||8*d--jbufjaOj);nodW4y{AcT zNkj{h-whqO)Ls_dBTx*9A2?6MiTAPgOzIcG;-^cAuw`jqtQfc~{p+nSEOUPM>V;)pemoksyeoO8NB@k6*XH#X zRbOsDms#>tfZXkmCvm4K&`GcDelED+oYfLq@R2=``x0e^hNhm*B&`QRdkCpte$*q> z72n#kdcdkY+rolTt*%Jlj@E2V^-*^(qrH1;uh`o7^D1N44>ZMg#;nMZ_1N%9@Zw~9z^=#`4{n78rf&r;# z`HKUFyxP6MJu$K}JfA!>FSkdcxhdS*$9`$mK=RD}qXPpsDi~{zQ7v;4-8H651qB{+ zy~kKmyP6m>xqfxXvM~plK_yilP3mxKg+>@5H(lypTz#|W;L%S{z;vaQFn4@+f>8YT}?Z# zj@^@fY5ll;Enn5d1+=uev`G&_H;jMj?8gIh4_qqybVAkTIYTDCmHukfq$7{?bwmGw zf4NfL(l&5#%>MGibK>l8EY~I|%C6%XEmCoz&amhmU^eg2N$ESCiJZN37@s(d+ zpRsVx+TJtYU)*7x<Wy=bKxrHz&E2Yd1afUGpcKpZ&4qJUy$8 zj2qtjev&I@z=JC@KI{1FiSxv)^|#ly40`xkIU z?3wQdwS-!3%@5D7@0HQJV9c%BQPqt@$|7S|Gc#hMYrG5W729qth@Rei$h;#}zpgUI zWCfNkdh^=$6GJnOnoHGVC#>o|G;ZaX5sT}4PVL_3Gi`_TLEb|;UhMlQAdyl?CONK>gQDt%L@LEQRjqH4vTSpVyA%hC;7 zvE|7*$Y=e(&8Pn{)sV(??F(}=2%Mwn@j)=vdM1vWIBCX2CF~YVsq_)B&GwF;>VxTg zk&?NA|9v_S`s?&aqWvT|dA=h4uNhnM+=@~tg#|((gc`I7Kw3#4UxfR;3N~S6Ub_jYny})ET}he8^BpnI)(+C)iK{cEXm9^j{yY3ZNhZDx{^dUc{~L;Rq68J95_s4UwGl5g2F-%p+i10D-CWs2wqkCJhA>e zw9Gy1e<;eovaL#YPv7LHkK`vpzlgA$d>tOi)g!g3>?cG-u{j}A8 z>IM&InF6fze|tFpeDj|V=cjJ^jX?>2J*l6%{p&ECxDbaw2b<^42=LrfNUS<{<_xXT z;)HW4_s^W^nv#;zErrFA_s={zSA8ah=oAX?cRfc-iRa+W`(5Fjly2v+Lz!|8`v^6u zNj`Jt{u%hxxik2H3R&Lyhre~yf45Fw-(Lg#?Ew7`3d@`$&^jNz-QGI?-|zZAHqWa+ zhcfHtD*G}UmF;b`?k&};OQ7R*PjQ zK&Udb9i+olp;Vy&DaBaeSxRB1p%fqrQ$g;M-H#mH2chkdA7)^z1YiG@(;_*vJ+a6{ zK@|s7UP>rB4c_bJol=Dz(sqQ>IfL^#jFN?SV4ry%rQ+9>-R4e^mRu; zv9Z`)k&y#bi)}E^o4ztbJo{Xm`-$muiBK_tq zBCZAM^8}{wSjpAMVff%EjU*h}UT&Ap!{xr4-uL@fAuH4YSmeJzbo6W}!$QK@c>iaZ+(Ly^B9j0Ib(#M zJ1%c)d-B~jPi6R>B77e4+MkKt*-wegV2b-tniwFBCm-xLJ|@Yp`;9=> zAm$AQ=1g`Uptk8Gb~KXMq_$J^6wBPu{Gl)!&;)PNzN{Gp_q#A6P;Ai%tB~|5O5cN0 z*jJ2c!Ssb;JCHt-0y?TDMKH8<|GZNNhYN273nvtSqL7cfZ%CEeV7UEL+JVH+;KUD` z5x_N6eIc#~QYY-9G$F-tNW7vvSXMK*X*4igSl*;-Zd81Y^D`->y|;Kwp)7H0&)Q?f z50&`1JxF?1i4Rxamb@DOML*Db@O9qg93Cd#3}Bb*x@ou+F~K;qtdd5(%q!!Oy@gTT!M|~LX>uC(`M;<0L%@0 zU7~<05|H=A=OPs09>U@!+_p=bCLP4a$to=;y&KSW5_8^MeWEHW3b%bgvw~3rs0zz3 zYLrg?m^02IX{n!d<{nIU#{xfrDlDgV<4~=wb4cbtfN;c=A7WV_+We(wv^Xb(){8HK zCmhD?cRuz{ML?3Y$1*G2cq-hgg_~k3*d%s^ZFxAIMsMXT%$K4=Axy)>XwX>_jF|a> zp31#k*b~wEVX4^OjrxF++OU6UoKxtQklsQ8l0%mix`Ucb6Fh%~?rlwG9FlG+sO=gl z4gvq_EQPm2%{JWMOF6eG=*Jbeh29vFuSlF7kI5vue=e=eE=KuDh-QX8kDU(@bIv|l zDGXr-i=~Rpbd=sH7fQbN7^}%CYf;O`##&YLZRbR-?Ri%GQ`sW7J$E)T=N11WR~zPO z>4AQwtbCdkM=1OosWpfySJ4LPR$yZ-Y!0Eud8U)0;us_sF$U?VqH(r7jUK4IV()2G zX&%Mc%e23p?P2Mxy2YXwk|_BUHIno`i%Nw=I%h7~qi7$eu6z&K8{$eMg1I!$DmKfu zMI&aRyfS*L(;N)6MB;Kazll#3K12G^8hdAUHcU8dq>c}#?y*2Q>#WB8K15#1wm(X#xS-~i zAkp7tW?S1flzAU4Hk^GGTT(7D1gZV817>T?a4DI&}g zpJ@8!B+fuJ!_cG>AKM4l2zQbFwBctm>mLDlLf#P5 z5`AcUj8^x&-oMr{-}xK#>%7eB9I2NQPvki17o~ife@D+mjmI= zdrCRbNJIduv#bOQV@bPBAuUAwUCzMGH{YhCq`AOR44b=3{zSuYXAYKr3bu?0tNDm^ zNEgwGuB%^lPC$G@jg?+XPhOp10e!nssK0P73Kp-TKXpAh55u>~K-rUN2;(nu(T&~n zpHtwjRSSfv3jPt11?hpJ&49wl*(fbW{I_&RQ=CqS3RE&Vi_4{MQcaduzfXmWx99RVQ zGA2g!20Htx4JU)eF2VZN5V9NSpZbTwtWC}Q&(}eLJj*Cg z#^#P-ez|tLI2y?&$cZTJhWIIX6j>;gDTMCr!)JFAWQ=e2{euQ*NMo`u^#1kaiG65T~Z6CuX1iLmh9%8Q6oozl~d{-;I zO|bnz>IkKut(QzB`YA8zNU5zbSvK#@l|I7!6kA_4bawuG=8|AjfP~0-dV)OBxf8Kx zb@h5}HHbG_YJsGUtIJJ7hoW&3y5am8L2;HHUlq0@=>y;w1DaLo2qCA_M&Vb))9_T& z30?=QW{5_7B?NWOdK*)}u)so*uJC(u7ihhWr-ukP6vd7}lxjF1mK3P1u)L$ne2Yn+ zV|y4$yWHE;XQDLY#|%spwh)yx9~WK@w9HN+o5Vzgu~e_Cilu)QX9P*sV8$-pw+Npg zashn?*g82EcgFbzCVOSRhB6OCrgyZlv8*^owzTD=Ciz)_lb7p0E^7rSo~fs*rviJ;uwh5klrinL#+dovbxq{lnf zgPH@l&Zx6{9n`xCjzB31H#RfBi3b(V4@}~EWE+rPI3E!_{jud{j4d?5{kydXN;mxw z2{wzaj%QvJ0|T5VO_n1jokNc5H9-vd>Bb6w=HTc4X1lWOYWy6m5X` z4r1m4m9Nb#q0(x~DTOwy);*3e?hTjHv2-e+>Q&+%ogzgry1t<>8JUBSeeW&%1J13K ztd1MpdYi6`@eDVtD*`b-F<0T}$mTF9q6SyY+`SSl$w5q<*b~#^#cvQS-=bY*??Go7 z1IR;q`g~4~ttGK=1af|=V9cf&X0W^HSs-deGgC$*b`@wJ_1wG_vtIFQ#a{QeSI{3d zD7yyH`D~+j3fs#eb|JlwES01%te9Gaz*6cyrwa^FC*?!ZH1aMtQ&4MFA&B5#wx{|vir3a8hcBWz4z4;`{ zPDa<6KhC54^KdKN{oGj!2;e@cl3+a3IcvU!+nno0^uV2&m=>4pM0Cge5(ozL>m2~6 z9jHowCICvnh0zMSnu{rgModh9rg$4>Y)iHvI&tSd_|TeRh!y}{{0I2^N6{4UqE2Dk zi)w=>nC@z;CyfEYOw^TXX|B?;w5M^7CN~9TRceYKlhiyCiI%#a%oecQCI{9ZqF>Hg zZQ(5b-t$VZvU>_UD)Z$))Y%rH%FjZ%uVeBV0I8@K%t!RwRTOA}O{u;2%&%xOXn7BP zWetMqdAcEnp%V2}uL$SnC~A|=zihk}PJN=Iqb)D%MX#RPsl#!Y$xe?DMnzC}!xjH!y{#dN+Ql=C_9a|L(>PAFBKum-$`9}xOV32xH$Zo( z=$O;rK8s6m^bltv`(n(95YX}(zcm30u%76cHGl-{tL=4vxlYOXdKxp+?@{UT0)wGx*yHhL|#HKb&@k-ZD<3Y@$`ZwpvC6E~xZ7$OfW zqpVrTy^84MZ!-f1(GDYfOlUyOZn{|5gn&23eY0Nz!owX7&(~lpU5~EZ35jj~zVwE| z{t}2+O4F34K|B-3ekrX&_U9Pu>W#veNS7Ms?d2bL{SiO7;$>{WU(g#Wnrs(4QX*@7 zOEwHLh`Mmg5^GjUfYBHsBqMn(9VrDG@YlxVScsO%9wt&)6M#>FFVsC;j-(Crr;B$< zV`#7#3hw&a|c|%PtGoz7p^V!bASS&s<7(G#9w#N3hUL*r*hBF0HSY+{FgLy8K zV(6@~9+6FqL7Yz%2c~3JM_D$hY$F}`Pj-;-79o3?$*u2`&&#EzJ)D?`rBa1)EMps~ zZTW@mDhgO0$rOUPiPV98^uXMSNfkQ*pDYt4CSxf-lG~IiVwf_F--1p7QzVGk^#*GY z4{-7uXl3q#AP5V}$u%eH8ybsqj#+2cOafLspmVJmF8`SskCH}L1X&8hsnt=ary(|Y z`e#b~y!3V~-m6WO-T@6%TXBrg2r-NLY~czx8%p2`5*H|h6eQ30Y{8qI8YQJmU}B{L zbn6)yjhlwa^Z6`*n-$j|vUjgnTE?f!AEQx8z4>Yzp|*)CVV2eY0cXoPMDnE|Pff;i z&HMysJkpIwG!(|$yomtjvr#`-GyB^3Ibg~jR`ByMNA)GAG-wRF6L11GLM`+p_^EVH z^0=*0%~#SKcO*SZ+@?Z-8DlK>)k2iQK9n^|{gk3DwtmN<*31t=SOd($>PR-Mb}l}` zPLL)j?2W*=lF=ga(d^*bGSFd>W(4`iz-LKn`gN?~pw8;BFw@uT6s| z|31V_1Eu%Cms2sF>+M#Q6%knSTT29+Chfx1hbokRHYLBDkiS{IOCsa>+stzCk^RGW zytdFCBy1ZVEdG=MD|j$FV_Ju zwElM7mbVfY9QxIg9b#OQ48rk_t?m?ltEC5()dA6$Xps21^{IF(z%A($J7&fQ`F}>A zy%iIdiD}BQYEan3lcmoC_!#g8Qm_q{8B9(jkM_c0V~eu)u+iiM}hrCGD5hk1eIC8E1^&N z-55fP=?dGfSm_JI-=M{;_Z9p{{!nY4ir?n9L^*<=1K#s)1^)+hzsCyxit!~gt`pux z{2rK)#EJlZ7Y*Jr;*JGz6# zK~cpd>M{0wP}BEWG=RH>5Je8pbinV(!-x)98H_Ut@q3x1%$Eo`5N<~NErdVIaGu|& z$sx=VIUyTDTbKOyd3?1ND68dwer6=~K{C|Y;4VTesJk<(bX%ZA+M5McP zlU2H)&dy%AaXx3y%)t+Clbu<&F(QQ+!|t#T1wIpVEHMW>Or^tW0zs_BYU%p``7Q+V z-GrRTL}rN)W3dUrVoR`bbZ6%zE$x(E2#`as|1KR1l1UhMpcVUK#Y*Wa;I^Tu+@S78 z8!F}*dIdMWRXj>#{tYJXe8hi+ewwh4{#^W6BaFu4c%^d;&gkbIMfa5!f#+dpR7qQu zd@tx-2Qc5m-^l>651Ubl&&;UwFF-PkZSGB}cerh?N%vj|*I8PE%)>b&bUfbcH~^lt zuZR7db1jxuDjrP+N|jXSBE-8IPbWpt`OP~lmVShb+n>}%TP=8mWk{Uy_wc-lmafC4 z4p8Tzj?RU;nWZBM(KO@z6^z`zIxSuMP_>YwuXHC5E0x#Alj<=t(q}RG2dop4>2JSg@QVLSH=@ z==};j;7!LHlNqCBK(O!~1KLP&x1Y!3tRn3$}&17d9 z@rh=7WLB=xUWDg3jkw9prAx3Wkc=q9Xj-7cgVT+W2W#p@XJy0yp`72#UusyH*ZQ3R z1jt8W{{AIM*4I^z%~V$G&PkH#$`g>h6mLXT^)@c`U`+R{SY|tIgSGrMJ?k`%?m*(P zT~YPRNbJ`O*-{e3-n6{U_*pRI&*X+iGxMGE6M}8hor|kk#B?;gufcfw0kr9BYcs}U zQ;_j^Dr`F-5%AeJ6O<`Vc9R>(`le(f!#rb^%h)#!&Ud2bdFdT&p|)2*dLEAjE`Nu@ zGwhvml>Is?*(w&|q$u_?+jc9pi4tBbpcaN^Z|fk$1|n_K5+R88TJZ~H{H7(KPcyNiGfu?6LV-pX+m1mNR>j*v z!>J8!))J^?QiwwCAQ8%yA<3g{QJ~?5u_WHo*pm;@j|#PF>}%-g38zWUzLwxh_XQC{ ziBn1AK-RV~6NGknrYGPMdpMhMp&8j%Sf69fcrcU8*Wn33>s|yAuC@{8F4DCgnZJ&yIJq+UH{K&>4+@OuM&aJ4nyiS^LHx_e=696S)T?4r0)~%yjP%#$d-vRkHY3)c_e`*vow{Q_%s`ooIjNNAM z1a-Cgt8lTgBC?F{$_y}0)iQ4rr^oh0-1LJxU?~S*;=XNwMkY;{^+K##7Bc>jHilNz zWUQ%&#r(aFBqZ#leu4Pk0Ypsu|i9i zy{jNJlJ~oH2K@)b{;3;G+ZSYlf1F&|^b7yLi2572rt0^99KT+>ft|4(IKwkIgB?5r z4sObk9o@k#nQjRR%8)52C=@6r-X)YMrX=P~np$Y0c!Oc#y_S}ymN#T-n)hjCsbyuU zsqcJyla|r%n(y!b^Y`I{vyE+R=jM7{*YkQlpI54FSBIzFGSeTXd5KFsu5RX!%WwdT zF)p|SNc_^>vmI=)b0Ss6&F42on=i#sdz}TwF7-Lyt%ICRI5}#P^L2L0b_2s@O$~J^ z>D7#{7OTG2z5y3ba4@jl13O^*1U6Ya(EOD_`UgC?K5fduO9B_1=+w)6_Za!AUN&`- zs>A0|_R-J{p)JnlxEj@P1v{!)^f2twIxHMNDw6X1_ApzOg=*jAws@8|t+F({jA2JP z0L;+sU0eQz6pL<>G|c2FQ(NPdUku9RM0SWmk*qfp>2e*S$jUYixooYL-Rd&4t(QSr z0CIs56n25KHB204Qr-g|M6QSSJ$9_J7Rn}K7W)pAd2zWuMdZsiM{6{{D#^Y|>|^jQ zcX2DxV%(by+>e(pGUfRQgE-Em`*R>Sm7DDNHp16~yRNKK)iW-&(uG#Gu-shpLF`X^ z(D~n)!R#!$fTQ4wri{4{Tr&O$Zc<5I)R@gO-!m;-x%RY6U75>>;;AI;ov%{!&!Gxi zq@%Je?s>M!x>2d%9&RhpjY)-^--$6A=}>sm6m9ieBA9tKRP)u>J@JKBD- z9W%Tvwfw7E8U<}f__6>xo4I(^=0`X$ggUhN2Cn>#`gSa`6G*RY#I}O67f%) zYzr6OH_n#7#$_AP{jZ~itsLh#iyK_IW>T_F32X~};sX}5zQ8S9kT-yDzN-RNE?7N? ziIJx623E#tR^&l_6Pu8q;vC$x>}(~%!)4HrNjK)ev&KWTLeWGosv_hGH2ES_SknT9 z?Ff9^>(;*XE3`ie7$4S?D34f%N;4~_oy$|CSrOz3n0}FnZ6m>A%yzy+={QeWFV^FK3{9-`2Uw<1Rm-;TaLlA^*ZN+(qZ|sC zlSo@!Q=N2yG0itDb;x5?%HLXLFSPtKyCS2}h-X;Vm5#G_vU5}4WV!}_0Vy+vsb`%0 zl96sAcGojW!2(EKiw)>*S69q9?M&x_$ELa1XmeZ)96fNKr8^E^<`SL0~zuiXkE?KMDZs;7YQVR0Gpe!zLU zsiB9XHad8PPzR(zguM>kb1RLBbvaOd7}x^GE+g|izTwEV@hYy{l?%B1v`<3t0Db~O z&7J=|sV;}q1XhgDOrWaD$GsE2Pr^+NFP2S?wioOkfmd*8;vI=D#(V^>#d+{xBF=%%cMBrubfe{TO!2c%J3?nHBJCKi#~x;JlsQP*r-~6jLbD_c5Ng^odf&0sWAs zcSIVk)L`ci%5P|^XzXXb!T%6xXUKpMJz=~V=MP$HbyPP&OJ21OW;|K5(P!BJr;W3j z+l)lz$w(=SH=9P$j4aOp(u61HYC~wF{0c%dgB`^Ps!m!>lu<-lL-DZ%ajo5RIgXqRo$Sv=563iPrL0R&%05qd1`#Tyfd=_NX(p13Up-7g@%x^H-9|6)I2 za&6i`zl7XLFZ95zlnzW0=av*>C$sHmp#3 zV?V*RBhs6uMrBoviQHE*cy9^h*g*P7BUhRN6|vGBt+-_<|1c7@B}#3Wd9R?X0OfO# zhC(m^foHM7uW`2G)K(?yX>;M=!lNENnf@33MF;l|H2r49g*-QswF@mR13g1wsXYss zkVz(N7uf#8lZlQ8NlH{0oKF2?-=~U0OLpb=3+dd~W9;Zn&*HFTWMqv+EUNn z$|T^s)!!6;%Xo!(6EXHJgzbl8g2Z){FhcWum>CiNF;JfMM8`bOf5W;5+D@2i>!G`A zI+M%CH3Zawq2+`+4i)7oSQzoeRH9Y&to^McQmcBu|GIpWI8F)1WHURW7$+F zKP+&aZReseV;2iL;Ck~W&ilm|-_v(#v;rBqTMZuj{05 z3`$W%aplthP-2;B{3lP|97z^fD+t4rRZB29Sh(A@_6PsCe={2o*_ zJyLJA^2LdiRgR9&%7`#sQ4qx0t|}|xKZ}%A#A1%8Mu<9B(O6Si9P^AK5T%cc>z3Kf zbQ9EaBEcDsFY)_hN`{EtEmUG*BaH8Wqlz8=PGqv8CZ-pROrtV|RQ!&ujSoo0P24mP z`UfK{vUHAMY_dDtSIThYEq_ZC*5BSAR7|{b7<@Ly;-6-izF(>_w!AdyTO4lhGqV;1 z@LJF{2K%=1%Ub0%Fnz0UF*9qGOik8DDtd(;3;8t~abE;7u;0WqkPMwu9vZ0a*uS*XvvAuRAUoz0o$oNK!}zVl~@KYTad@!y4;B z)12Pq6Xt#;LsuAasB=PaC2&0L9oBl9>c#xU3d(;~z7cXMC=U!F0BDHu-PIGYD@e-o zHCdm)-4kTFcQ3$2<1kWxIGVHv_My^S`d#I;u)KUr3HGE)K6Ac`5VF1)8VkP*mrasB}rSkM%=)u|OBrL~-x6Z_aFdABC`rFm^IjtBxg&xWu(DE+V z5py#6fnGd~8LjOr-R#xuaL@Z7bS=B=jI+OAb&l^iM;se(`aO~P5xvQ6*SVtpT8Vu{ z=?a1R-r`#woiTTLEEAXx;xwaaLj*fo=;b`d9Cvej-o$?4COtb2M+r%j!Ie+v=wS5p zA6tgn8cgOk&PMe0{(6lmSx-OYOc%RS)nyJeaP7uDi!5qisG?}Ny^3`4Y|x@*aw>Lz zMKWH#+l_gVSj91Vj~~kBGowq-1Lk80RY_4{QcYOdyV!G4VtjR>ChZzk*-qTC%9F6N zPploeucdiVcEp;@evK;LigRT;ViyF*K6Adg$lYQC$5st-`p7?Kxd`qyV;dhwmmmJn z^|5mWNw&>#@!brp=v+xe;c`iib1{j-GfJbwgW!CNT(NG&s@&N?l1I(Q{sit&^17Qx^I}x zn@*|&IP@Dk=-#pZ{9(xO8LZ3CC+L7~{=-F z=h&BhseJY-ey+uHK3p8$RhdNzEzpnOyy@)1jemN^uFk%+dLku~V&7Th9+d0Jb2v0n z>7f;#G@N36snrdq#nX~W(9vh?2t>^erC<$cpUrn=TJ-$&G~yK&Nj1c@R_`9T)u=`xjIy{nyCv`84} z{8EVHva^!Zz8ieW+x)+JdbECgfjwC`9KtfIqR5LOEb~iU=$zea8LV#@TRD>(h8N>& z8ZyMuMq>+Gi1e{oM)m+7%Rgk5lfmMv_CAJ`K>w9gO^nXi%2!qSr*RZY4Q_{KO2xj=1kFFXkysHia{7F`82D?5?9a=mO1V2crwN6ns*J?;K$-ejN^CCwA9QlN1DXaPsP);^jLLw zuW1m+7d=b1;YEtZ1^d_KVi`^$ao)WBS<(-4B<||DB49=eYB;wwwWQJGRXH+alwZ`s z#id7ZqKosKwUFt_>~IH?pKXX{`XLUiW!j$MCVKNg9D?&f_)BjWJd`T5R*MQb7z(iH!^v=jtm*&hxdLCpOb#9hWFIQoN^qP9({uyZYk2dNy8K8!o>R&v)T#{TO6tMpwDq)5Qa?O?pUYMc|BE|DRzv{6@(o z&dyA$lAx9wRLF!snV?m~u7>1*>#%$}-cj0trv>NyhJE6^bhL7x2&Ks&?y@@Gv$c+8 z?-wK~YoLr{lP-@_FlF{yog2B8Vx^7RDZK@jH(AUXQ;~v^nI?5m(X5Uv#x2o**7K&WtrJFmqGfr-du7Q%dhywy(_MlW6{3vt1{4oGzJ&>!@kDnS0sw zuJRJdA8;5)=ZP=J@F(-Am%#bY#lS|wV)|HBQg{-mf~@iX;~F;31Zt#q595})65}k{ zr>df|4nx2XY**X8q$6h`FcjJ`zg_`Md83Ok(##Pm$K#ZBg+yMfULB*XKz_1TD#3~+ z5uD~Cw%QaFby%{7Hg3EX54-cp7%6+3a>3?x*I!a@?t?t?>w4ay+B&&BMQ zXo9VnSl(f%Oz_p?$$LC36n%cSeAz$${CpqD9L1!`pA*TdR(1hqev{@YpXuB&qnyNX zI?c3N$Gomw1i_epQaT6n1dSMFfbI(wdz$-=vvE}H*(+Q}WmCA=@M_fxu}E^P9l~3M z?R8w9t-#MkGv!Qbpcr!f+;}hO5fDJy$v8)Ofbmn0vFTc!4r6{r%Jr~0!X2JjAP>gF8)i{cOqFsq5|<+Eugh<%l+$ynLugkMd=W#tETJ?0Neg}S~odrp}F z6*Jg)c_x_r6cwW?U%)PoRHCAPp+k#w1DKSKY)7Okn^seZKVAhIO=f;x&L%3q z>x7xe1GowDH$=Vx!dTWtuFJPoW%|$y59)*(tOGYk%4foxbS8_A?WS-f#0$H}ntyUR zzmz5snbL?2y1PtO6(18RzYGmkv(0RYw3A?t5aYW0dyVf%-` z)M7Q0S9}|c+d2MW9w@uib|W`@>RV(}HmUv^{Atwms^*b!=a?$<7_)X$71+CSPVNiL z*!W;B!8QQLZ#xLgW*kbg5u9z`Qq$`GQd8o&gP8BBn1<>qu)Y_t6K<}HFKtx2OOI3m zb^oVw)t#F-L6AY8zOGC^Mqvn~7XIA7-)ll9Oo1hM1K*U*b&c@*lEdkSMQ z`CDbC^J6jY-2`P$pP*Ot+~H8?WU7i~iWOWm2#1y3cR;@pi`Vh@KwpXlr^osXec55k zQ|z_$x>&j-&Z2b2C_rzBWvpUhl6hmgZG8&eCk7LW@kyA-rxIZcUhgs_3LoHC8!^h< znM?9u*ZnBh-}XZa4ho|?S&&`p@oxsr<7;xKI}TlLf6&+mybUN+Tz|t#Wzz3(vSll5r%5;l$`?`1S>+NeY{mzd>up zfu5hLeH)w$tgCDSnh@_mlx)`m@#YdE)y451)bf z)?#<0;$`1|LRCX5@g11H)$fItN~Cp+LJhz+XmL4p@-1~sSA6k%C} z1g+iiFt3L4Y)RIsy)ogEPG#G_TE3w{T5^78$6&jol4^;4FxvA82(SLr?8q%uc6WAk z%G7>h?e0kFM(eY{wy#TDJWb0umM|plTaY`tMHkqmF$KEJ{#X*8^Wj`ouz50&G~(Nc z6FO)*sr(&HZL9Wj7Orn8D&L(DGvY8o3#cTz!n^Yg?!vJPJAd+RW+e73@|w!NVUo1j zmLGdVng8up-zMUqeA1P4q#~CYt*JR%AO}@wL}yjlkL1~e9@52{>^(>ct!MWLDQqUL z4h7%uT*uFh+}O!+cfjF=)~cF(5a)I(>j)oMJO<0}N%G%e;u@dgS8=h*6XNS=?57Nh z^0BK=APd;{9nK%MgbRNmQRy?ad|u06PZ75ok~<)-)d0RJ4SVF55Kh8WZ6YLpjk_{{ zG5}j9C0&8cG|nQut~P0r+bPcm1VG|&&}t~*`exynvn6shI8tc&AFZ&9an>*Qf2YR7 zCq1K=ixP_#`7&?_cZiMhDHBxU!i4`KgmsLDlH50KKPAbZ1G$XNvNj-BaMk@M+}DVg zXchRDyGF~+gtUf8ayW|;e-{=ZFH!NwDXg>(wvJ$*L20A!EyTX26Wnk(VKuX%z8`y; zayPj7>$*L^ly!g)Jv~)Qt*Rsg$y>tnvPZjbNq_JwUFLWmEB65wc$;aP`a^{I$^^Q-h$zP#xRn8-V27iz4 zopNe~T!JE|gX6W%l(P4chb?S${pmRk(svVyN4a1W3`iJ1pe66~NpzMQgx#TfxCVrM zp{-GMwW;6;is0nOD!k0)zf{OG$^45Qh?t-9-H3~~Og-#ucTWIiN=C7=P<-Ys{*WQx zh&7*OhY>||2#F?@Y&ZWMX^GNTw%-2SU@x&#=IwT0C);&e{!S&`)1zP8dWF@|^FF4A z6$NwlrcsGpDxaPz4yGMh5n1Kn4C6-H;!_agw|o`FUX?W}xsEVzT&(oYh@tjz9lfhi zc5C~F#uPPo%pq8WozSgzZZ0z%ZHyg-u~YrP^x+ofoP@eO@YWFJL$&-!g90;YQRIdF z{@vYE=Sgp<5X|jv*=S^r7LDcd<>e}?$BP;CAT4&417!pYB5p>u65I;jat5OTdi6$E zr^1dGfhrc?>gi5mzAepF^B*(Zg2lBE^s8`US8r4ccc)upsdw9(U{Mn=_0@%{BYyxl zgwd}XPQ0(Hlsc;TK)A9dJ}@4U2uvs3waNwc^f!te$Z~N!JJGva#}yY~lR-t5JNeq? z;5jX#crqqe{vE3TH5z;It98YaF?%}~U6@P8p&q|m$4>a~|EJCWp8$Vc1xoR~(V)R& z#dnbHA%Q*$L;NT(MGBsR=@!#Ro(jJGF;HDcX4p&Sp|e5A z1t6qX|33lJ|Bdw+<~jo@?_sjSG*D zfIFun7($aqIDb?~AigMdp$?4-g0CSl^8YyrOhXc;#SpSRXE{{Cm#85=hs@`JvFc-paw2Q+ek#gYCQJw}#t(+#sBtK}kfkXE z(V$}>3lkZqA!J|RE|fQ+@RF6G+t!4JMcAC*UXGs`1q;zcILcIo1pFm&c*}y-&eKg4 zZl2nu`;QXoKY(g@wkh*@#wiO#z?BO*4;p8hl#8+yc7XO8_C&5h@*``U_1EM__~CxT zJGi+H!Xr%;?28Er##SfGkJP@GTb{uol1cy5m`@7$>X2Azwu+>PO%AQ`N#60QkWm5p zc}G3d|Dv?v7{-(@x~WEQ~X`Qk#>0^^q=l?7c2W`;hC>$T+5Sc!a~_PH>i zzJ}r+jNB*GW&dJ8T@AjDxNfc{20WB!yq$<=Q&|21Wtd7xVJv8UP`gb?3ONfT53yzo zf-y$^R8{6N#%5{I(+>MN*!tx{X1D(`G4gaRxF^&TqnyQ(f|EM*z*jyE_j&SfqJHmV zkdxG?G{v9NCs1Z%2Vsy#e}G=9rX88Rn7N(rGKl)%X^f!hPfRyQ1Tn# zdlmB`MoZqqbMbF2d6%)I=9w2E>>&T7aRvGR=%{4wkRsCjF+I509@?LoN_mpXx0T_T zCsZlsCl+Oa%D0hc^w`?+wc?wpNZb4PX1LjgXO0@rDW{|%MTLq6n+z2G)Hu86zKMS>4M{Q(7KW-7WkXJ`RcP_$HN3{N`K3q@aPHc)gk_X(! z;9Qpnj$=l&m5_c@As^rO+tOi5UxG3;88PY`xa1L(? z4^rF52c7c+r%2@}#x`{e!DwGMpU4@JrWyl-&E=&lj}>DU%j`(aLpXL(;3HtY7{eDc z#aKIy@j%@v;PYtcF6F9RWy}oeJ6MS0zOT*F_3q}`S!BJ_j3y;>LDRcCHz5CAHd~&p z=4MZt%|(~aR^vilZJ9>#u?G1Yt-Mz2?gin{W9NUb%f)Vn%~8H6_+aCJ6)ID(PzEecAYQ|=$0-}G$*tdhS)i}XO} z0{U_Ut5_G?b%az7moi}Ce(Z>63THJpqU9*Pv5v|R4%}X@%+e{R!r6h4-d5>gj7peR zMtc8rV^O8ouIBdIx>^th3`xDm0G_32$BaFL@uG79UlXy1a-6W7jpb4qJ&rDSh092U zSO8<*(8_;+>Df3W@ywgL4%n&J-naFlr7t2;e8MTq2pt#dV5|WtUXS}$nG`ARH5BO^ z22uw&Thm1hg=t!F<*s&&H!GL4cs;qMgVR=y19dZAW{RC#tdk(UN@Mjfo2$D*)^5aY z!O84(w~00@*MjYy>K-r#2ad*}#m`UCq;NX0=Nrq2>v9ny61DG6+LiGYxQaHrqgK>F z&8OtEOmO$DNmI37g62!Gq7D38q4YRm2evOJ)r-j;o|N=5Mo3b}b-N+wZ?$n?eK+LZ zM7r-mdeQ4^*Q;_e0TCKd#csw{kZ9H0er1mV*G|5Azn;0`MJiT##HcaAoU85y8SArN#e7gaO}fqRRe-3G5g} z7+13v;WA__@2G`J5BZDf)%+UBX=-Icm}Q=c2?jQ*ZoI|SQF?rP{1!~vrVl}!tn-$K zD-$WDtL|}~JTe>&Jc6~loZaEf$A!;PtP@2Z7#89!>tpyo7@3XHIPJD8Z29NWw5bEO zebQs-LhOE}er9i^_p?|)Hd3DL(UL@2-j8N7`F}f@e$!b8D*70D8;i7w(H1JRQ6C+` zT=db-?nulwrC9M&z$Q>@GLnxx9V4VSQ?iZJhLQoM+blB*)iI`9dR#ef0DUI`wx`~; zn2@UFsNsY!8MozoimDZkqTF9{f^Y}{pWz*Z1Gq@xwELTSywnbK7S`G#J7J+2D&oc( zcNR{tkln`9nC_F^%-ImjXD>TJ`P4!_HNI$?6@#s7dPhvvw{|8}<)@>a&l1lV;&Ai$ z%n(hsL6SLoio>xa_NmE@xF{A!2hY}u{?|qReF;qk$RF55c|$aL<8TltdRc2Lxxw1k zOjkrQj+F$=k5G`VOOZZN31^AGEZ`=~{ZQRehyu1|D0@Th1Q^Pc=hXBnGZD1u7*m*e z?4hzvoNPR#oK%;61m9Rm}Uu)AQtcgdtnWRp#{N9P}DfLz( zlfWuBYMr0qCROd+&R7Fmh&JBlwfnyY=PYfCBin)*zHfsnKxO`A4CG; z$%}nFAG&X4F5G^=i}Q__e=@zx3+FHd%DJTVZLBq9oL^CtjBI}&W1eOg5(_F@Yf<9p z8i|^3r8ug zH>q$1XtX*^okJP!xP@1@$1Byuv7w{XtRll0r?Ob+(9X#I zLgSn_9gmXAQ^7ckD|g&Y!Mb|;K&1W@KsQkxS&ae|57&%jK@T`n8GmpZRPO?>AA++0 z7gE4-QjSxj-HzvpLHd;7=xiw#@} z?m2lqp>m8f>lTy3R0tM>X(csjEMi-2pW|-Xpl&hY#-a&@gf3f8wGA~dGtvVLa#RF1 zezP8%#NE-Vt_ZW>c;F*+O>G~jAS>i};Hk#|Au zU~geu7MAb3GKX77imyc|-(cmcHA`Ou)y974n?&-cPFw)(C$2Wouf(H*j0+Bgs`0@C z2rB*Q@I;FLc0$>nlwfc!wL0jbF1ewLbFnqap)yJVB-9i-Kthf67dmncZ+e~~&JncU zh!FFy1`qOXo~H-svr?n5p+bMABPgmQw;fF$6qdztW4Kn=DP(dpcD!s&kyK6+cy@!y zLZM$-Z23ll)5%l3^BGeLW$o*^2qp(*P2es|jl|TQ%AdhKM87MlD|Bl3{zBfQuBn9! z_oJ+7a)e1tje3Bj`Fe(r&ilX&xxAlr>c^TV&zRhfc_f?hfDr?=o#i@QA=IYCKaaE&oTxyDe zqsj<$5b#VgTb?(__rm0EHg3-0ax67|L7sP*d;Q(`8x}6xyHb1cup>dwWH48=7~1iP z{#w3qrSfW|%!i=?h4f80x_ODy)0K-|ISxk#pi=`MAMG|Ok0R)w6?+VRP1l~}yT&v5 zF;v(3o&3ru=>(~N57(lDI=L{?@yL>V3ggkwF#9AfW7mK`pF}N$9=0E-+Ity?v`3hJ z$P}6VlWiF#9fR4I5KsLQJo}NS;_9kB!FE@O%CjLFttm{=QRvu%ynP}o-7)t$?p=T%r^l3vP{>H=VV1y+bDNawcIgwmESYA+(3X7 zsFv#(ijw2X9$oGs2f!!cl7HV=wgV%hI;?CbM#d_j_v#S3{~etf9ak;rI)`)s1Rid? zOSV=xm_p?*s92K!GSYAn!HL6$l4*<%X?EFq({no9L1_O`np(+>FX(FAy(fcw47)6! zGxSBB?H7a05lf#K)_QeeRYvx3UnB}nrISFeVZT;>to2z!WSedpIWiW>_i!M0H}PUw zFSn|gJ;wOkmy{jo*@W6pW(TT88-V!$sc&sF~Y^vp2oS(bK=Ja;g~BHvpMBI1Rg9L$4|GQa6)=HT)ClU(-e^?2@wk~bIaPk zXFce)QBnciSIeYt?y3C9_dpveEu(##g~U%ow;!#$iz{YA5|NyC|}y!_jg$y zx=1x8O4HP23(Bpn7TYz3bFl-{nKVrv8qb+6Wj6mm_944cn zV8dY|DSHM_o&r+Vi?O;>r5dQ{%OtX&%!iBh5#3#iPWxSr)bqNri3 z|ILo87{&GCjs?~~Z8Pj1pTducl=>529A0rpB77)+lFJAVrs5QzT6l;Up`aFSv0R8R zFj^5E2U{$~Uz=H;HOJB!8OKVSVk-Hvs`c-SFrJU$r3X|4Rj`CN@q*mN>S%W}mZ(Bpw zYnNq=V}G^XK&ZxY-pE?GI7dro*BmO}{et!_Q%>~wulO@MxfjuuoYI;-=A z^&xV@1@OHutWKpCZgNhq9qO&~qR7O0%^a`G>IIH>Wm5)ge35T9Fite-qxw_dbFXLK zbprDx)9WIYT*Th6Rmvv{`yI{+!1Xyk%y?c1#Ja_Vb@pkJ$PfRnq+XY*M3 zbmih57RL5(H;zX(Itq?>e^k%|MYr+?5Rx?mY&T5YFvl%XT;)WYk7RJ|MWV^qdk3kr zrF^QmFG$NFBbJSr`UM0^f$fPxab;16F6;QBn-l|usLxz36dYn^%ePd{Uy9CDr-1je zs%l`-r8@jN1<_eBRH&Oad)flIpliA}xQ`azb(Z_#=X zTs>538*b!Z(%H?-H<%whPL<+|@K&POrX#D^oy=u4EK?A){SiC)j{TI<1>`N!;w$>h z3)()kC5`=&o6as5{?4*Ph%{ZSW0O3iX?_5$t@I`keybi8=3{8vTD>+Qqlaq+yUy0C z*LKdJ16{zmRC^dX9Hw;)`Oe!J(AUeo*Vdn=l4~}A{1)N2>m9mSzJnpV9FcYbEUz2= z6Oao8!pD;|t~8;3USSo&=9c#u#Dq*&W61++51g4tjb?mejLG(vk=R17Y$w(d?F7kCPWFR z_9V{R1)sZ2mKRXMDesGt@TC0#g5$t^DGJxe{HG2R?_$M$_e&Wi*0?CpsV4v1A-%nH zh_nq038qg1E$A4YH|VL~+VeEQen8W@4DL;7G$s5di*WTTX+VT<9uFtCOzH=G zjEA}zo?Al&d5yO4*7ia&b?A*bISeuiVr)xAN&8ge+w?lbxu|fF= zt02@qEm8?fFeoon2`_}&p&2S60|WR*m2jA`WUY@VSRj3h()y=eUSSX$M_SQwCOH>r zSFeK-qel6CMI~Ps%1J_#nn;y0QbUiAVG}%6PlX>tEc4R%+h)sDrZx+s;yQzTDhyAb zPwy5`UM`k@fuUj>R-(i5N(9Bz2sWrg-DLD(YWh|AgTh`iHx{~|wCC@+_^e}iB$J5| z?IX_jPs$1z9Mjlp8G^CoZj6jJp$pQL{4hBz+?qkfG7pMRh3KN#+D3wQ-A5o^9;%#C z)&JM|twO?33150!clRoH%)6OFKay^|*1<(1eG7WbL098@sLIlzl{3btQOMgc60Z#=S@wo)X^CgR;I7R+DgfbWDg>0!iHcE-yCA_GDpJ=A8U2MDC$N3w&B0Kk* zmIkb?$`B&Vvs%aW2+v=1u``0!(+GY1IjTk41MJ*VEEZ0MsEl<#19OMY>44s#-Y+!P zTb@y2Qa_caw~GHSr94CGlkoBy0Q5Zyw>?z!f2m0am98p!q8)dUS>?s;Z6#LaKo^Kk z8tieI67*~(TET)-?i(c@DrzcL)=;+ZdpmkzNXJLTaZ!%#jAN~CR9A4%cJ!l?e`NPd zR|vgU&sk9OW4fqE=gcLc*Z)Ph`?b0J2bSC`^n)B@gsqY(y65T+ zDD6zD%(IWRohkX(8OF@#Ws!SyHjBE=+~US5E5Usu;Lup#sH|ir2U6kWBUD>(8I0at zFArDwCj%0?dNl1So~QBq0oUTF>bfYs$ z_A07Ttk98k?<}P6`t^yXZ1$-HzQcVwjFTVb+Y!H5(}JOhVm9=Y*zS zrVbH|%%9Ms7;Zi$wiynkB`o(fZm{<}?snU9fs5u+^Ygi{_Z>x&WNAXMBZzY-^cLGb zRz9fOz9lOU5OY7$49$20)3tRFj3?IS$La2wN=e5%Dq>eX90|??b?<=nLhu1(#glbt zi#~ks4D#JbXnp{uLHeqS*l@7{O(qm#FUq0kW_tp=;uq&Q;r zd_)9uT710|bgw=JtCR%?f9n~LdE6mM&eM$W`pBu5|@QVOVcT>!3b`gfnDlECZ0t`^(-G_Qvh zdC|=wgf!%P2(XK6q#R*y_uxPvrGXeIioY9&<8kCk2rb}=MSyTZ*H`Gl4=^?aN zKsnxB0V^heI|lLQUV2veH43{PX-I6^qG78_wsND|FTm6bfK=3lcdYAj62dvpqHoY` zZjZn5*>I*uV+NAc@p5O_6CgmyP^ zx#!@cHrR{!)ceXOn$m~F`PKZoFm_JPB~{=hnE55NPXpsLrY{Pd>b6mT{Rhflf&d4u z9>>>e0s}#N3GW0dp=LJ8IZgsafDEgeAhiDifnQ)P-nPS-+o7GSeVBW(co=b}p87z? z^|UP1d#;6);&swRRbU?AS$*yfFmDHgknw#mjj${K`wG+y1M95dd(i$0G~&JYpk@|0 zN0fF`u|m5^=Qru*-`8Z`W7Y=C$Y-C2Gl4OGgueC7nj*4m8b}9V@wdQjvPKkKkj+L+ zbZ(LI88Gu2w9f+%{>6#VZX%~lWDef8fouHqf99W1vFT&pBj}BoY|n0P4-1dPdfPo{d@=0KC@_wy9<0u(CG9VP^`)8x1ZgdSEzn+0 zrj`@tr6As%79!2#sjQ48-0?|6<)5^yxxJRmuSKeJFj><+12)Zo;MZgkMQ|_QiBw%N zg+5a`eybu_fmVtqnN-&x+5F0VA0 zruW7p@(bbTq%p}g*nyLPbF()KkB6bR=L3)?rpZME5#6H>+GB%F;1OWv0?6 zIF$+Pu;3-g2|~~bTwig4<4zE?L3Ye%=xXkfF2J>9XMyWOX{Ql~a}T)3a^sZ>q`$v*R`JX z963Sds8W;_TAL<^ms6=Ab3;m(sOIcI;9e?H%NYNjOl6Z+=@MpgJDG05_AXK>1jLlk zulh^>3Cq|JLXkD$el+SHCTHj@#TIJ^@gt{Qmfbq!b&2!3dMz;hZuJRZ8qwhwT{$lz znfnUO*$3e@*DtsYmOjs|=l*Wo7K-82D_lv2ch^}%^C@6H3f_UN?;(f{pjMy`)$VgF z$;lcBXq0U&3f96+yjcrbMG%|;)^{E@lbS`){sKrZfb);(H}D(taowxetGKKk`M{(j z0X^$wvTZO?lE{9HgiVXggzI9BaHS(V&Gc0_{!|2i#>i%0e9yEo{c*fy#tW?d!cK7@ zJmT?QG`Q+rf7o7r4t)${(tX%hsNP zKpq(TaOFq7hdV=n8iLXzX%}HS?wv>QS(lYwq^JnJAGeu^rz?`#vo@*NNOEK%*i zm$?Z(i=9(F3QAJj4W!0En&*Uai1rS|)ggEbG7K}XlY$@HmjJt@`Z2Vx1ndYXWLLA!ElCfwNo)CQ>mEmsKs@tOF927rIuTCn-|r?#NSP56=sg!PI0&R z=2*K1DLb#ex~U=|=Uvk#FYFtfv8vnje6Q-Nq+wR-EtWI*ggdG>*m) zeWjcfob`TYXbjN-j5FI;lEo_t|F4-oQ2;+%?&n%M1eB}*eLWX}=!ST@8M~^=a{+o| zfS=o8{1NIq`s-{g)DW!L9I#EcRV7g_dTRi|Q^a1n7SN>uHi2oW8ZLgo(t`qU&G;L= zFhHM~T>W{4NX%$bhn(cbJR!`QFW)N?C~N$@9@N*$Fy6JOb|aO7wUG0}iX!V!MM(^? zockGXILD#fKsYNX4DTH5bYU@%N%4B)05XyOK2KClk=KRb&F&#WCv*GSks*ptzqEI>4=|{~62V+nNW;Sp(f;$pGz4hg?a&T<%z1 z%$!00D8-^8C(u1V3G&~y$I9U#_1W1d)WBwNHp%}8Q+uYXV=U(|nHJB6na`rddhrs--I+1GWSQSh>L&;^Y_O1V6Td&d+z7>7>Wc4v1}?2Wdxq2jQ?rZYpm2#Ky#nQn~;4YydK zGEGkj-I$^>{XGKBLW(BmL=#h>2t!K71WW{d-!>Szj>VIS^Y`Exm1$d|y_Z7~&Bgo%|RSh;)E3!&BcX^B=wVFac+Kv1ED;?4HEgqZf$mp7VY9htMD?W7S3!ovb3{2}F6~SDmW)Kw zhWOG#Aeui+O8Y}>xi7jjmv-^h!QoYDHf^U@4D}m{*Q0Cf5WP$WWVgQtya{<ET8}1fXh^+W6G8z+7W*oz#ys%r+c)1)O^WT}?T1 z?^t;$6;61yaYC}CEsm-7o>$4GY@r!n9cO9=M-=&MwM`%A{YR{ni>2Z5=CSDz2C9iI zoR7^n#(Sn)T;OAtkf-N>*6e69XRS_kyp&KK;BddPKvgrMmXf=&d?>DS0E1X z_mZ91n6B~NxkiZ-t=o(^E3Cpmtd%bxR`k>7j#uOLU&LFIm&yKRH=ZUIM~oUATm8mp zIWw`X�Z=Br>_*c)YVXT#Hokr@xH?~PjRSrgvKQ*P82PcGL z@a2{VOdk9pm%L&Qb>VX`l`>TLT^Nk-qh({v2YUVM44i_lMaLAr{GRd0xU)ULe%O%# zirI_WKW1;MbJbjKX>n^QZbcoV^4VMWcRY9f3$_>i{&R7pcn$MaIyJ<|+phlD@e%l* zh*R)mf~EXvAPH#E3Y*%i*umX_P1PpNM}{-^!^Y$pIE#_KXV9a@p=uno+2UaaW_o%QO|{^dh+luWFEUxYq3#0RIiB>@_9KR@UrC>9YDIk6TBt=Z*P-~!HxFNH$5icb$5;kugcf;{K0CXyt~ zAuhYy@cRPiGu&y~)6-KSyx2{x`Sq-8GuSF$SFta$)nUIM2fFb1Z_ua-k`a559_+gQtIGmp8NY^M{%CL!qW zh7P|5Mw<6`_B6-oy-TsEI4TO97!RBqFCuXrxKxR<=r882gFE(Dge(!g?gC|Iy;Z|^tGN|gr1icuHm!O|=e*N@&VSd2Ai>w(BY zq4mw!`9eu8xGKcWtuQZ*gLR>%tA3+~8zL>8FOSdK&)C2}#mv)Z&6o$%3os7G-xBxTEsQ=)h#=oU|?~FcA!(k4AZ`qWG~_cL=Ug zd&0{aHcNmM>h+FK8S6Sh1}?2*eLyKZf{x!a>Nq=>D_pn>=1DD+Ub@_0h#bFJz?ens&WGdW*yBFr4m-3ZI1)CP^hy-u%71+Uu#~X<{S9eiW*QL9cY$JZ^3a^ zz=bp`M&Zm`d%c&UJuMxlO-0;t%LTP-wVBg799zKw=FzvM<7&@6ur%aHkZS?%=1~Ef zk~c)JuCd)pjBLR-0^sve^|;yfAnwLbl7V66L2%uY&N2B*u=rjsFWv)mv{$9k7>;f& z+Bk>^alCjy{|W8*j&y+6t?(@8cSJOMw*8#OuI11lev?XmJvtEI0+Snwzd^^%PJp)* zxlAQ~3;*L{OxjDts69FIb1D&o zrf5-%$h=D}4FK%UB}++Bfh!&Z#O?w~nNi-T>wNnS1-6(g)zShKSPy<(4}nK5r22?C z^;X+gO2(R4Ce=0Ya0~1RXEI`pL!jPXF=9LfmBZuV#1s4t#rXWUFuhOIh+i>F@bkqx zTwj}8Ot$;f?1yT!@8V{|RZV^cD;ueeP4KoR+J08EuK37ueh@^Y$=TG55{7^2-H>Wq z(arqy97t7RzN+Rt+!w$WV0<+JqNQMgXU(Q7kngQWx-ZP#0 zp`W8neQc3FEw!+PijU&{Ag}nXvNE-0KF4lM(5pDPI|~264YGhWEj3nr9~|K1z6$rW zMXZrtje>ZVRNM%zO5!y@(zUZ8<=Cw2(6McIa}HsLgEO@4az4&`5vcoQT?6&qN7tdU#KnYk|y z7vWF%V9hbk*2*4Rk0xAP@9Ybn__A6z_YJStSn@@*p^uKM7yOpT0zv}W8OQ`r{WOr{ zSfPU*M3w#jNGz^0l^(l89*^bJn4fEHFUK1`PL+-jIVVnd9%cEjBY7jb)vIF{(7MfX z>`*%&*)}}TVBSx?eWL;mP(2ibKMm+OGxLe3;YL{K5GSM6M+({5nutfr)!aztQ;p9T z&?oTFDYk``g17Y-{{Ezg8Evai&%?P!RPA_XHn_ z9m>?z5z`JJ_uf-M47k~Q2%9H&1#Y2Y>?)z=%57-B3)uRkEWF=Mtrcg`elK`?fhVSG z7;x$T1iD5H2S$ncq6Zd2taIFAhJPOj6FDE8_1y?mGTOaj@#^zl*g1ZBzdt3qxhk}- z^&DBu4UiwBf%Uvlw|0y4Dh}-8yl2MJdT{`>c{jMbn8R>}h9F~{;DtAZC-eXcPT-Bo zHhBsPMl4<9z$Ym<0`^rE2!LBk{>|0Ffp8po2?YvJ>58{q2xzBs_n+Bn&uZ*jaXChD z1s%+kAL#~>>$qa|S8yC(V+Q6u@Agj42lI+=xNRWzxD-U=0*12;Z(qX8g%1#5?QTMW z0Dn-r6cgwJ^|9gbJy6SH6sWX3sFi@Oxf0F|fkkM9=M5l$2#$nFc7u3_M|p3c;PA#Y z?i;4!%zQJ^&;9J`Gu%6_sa#L+Tyz4LiICh86h87#Lxo!%aI}05$yF;I3*|;98szvT z-S%UmZCZTWA-z#!cq1iK`YTf}cn_y7{m<|{B{1&qd%)*74Q6Gsk~0&+_;8LA5C&0v z?r9G6R{&oRlvUURDTz2~xxYKab#dL5yYe?cte)S5G!Xa|;Ug#;{)Uh(;eC_?1a?Yd zPG+8u@`cE!xB+f~NVQC<8_KnKD*006^4tj&0p0V;z<(3`+eVvV&34VAd1;Uv7vc#a zdW#Gz+>Dc5-p=I0t`B>7{+V2OYDBg()0qB>+wwr=TYH%_;b6%XB<|Dnarx8yzNp+u zAs^QaS%jCOEN&^bRDs#c2T?=3pS+~%Bj-1ujOv+bopFHB5nxh&5BLmF8ck5SWPU)p z5&&iGjDE~7LBdae2P*o`IrEhOFyS!%*19AgLLf?U&qOF`T=hi0$n^`80%;drH@U$@ zQ&7Ts6uP<+GQ*GrsbJy@5=S^!(0U+IZ%pU@a`~xWm5~7vDy8SJgNT>|gjZ-0RQK zLunBPCZmO&({M%0pRtBGC16OtaNBQY!B(LqGS^yLZVmx?M z#p4B?EDB?ymU9)I&ZS9^`TZekDayr##c0E1>>DVbCyhNzM|Q@#ey~K| zLZs!$G+>XF?rzNI2Kw(I^aI*Wcm=urw_sBmRo);#T8I)qh5#cV!Bx0Idx4Yctjke+ zS$GL5JC!@*T`)DJXs^D$f5Dy`#L!v~UOvsAN*O98SfZM#P-1Q)7ro2Wc;K1U(%0-U z>FlSlV{Cj})h}$AL%oey*+U;N4pILzz>!P`|A5D+DaCJ8OGoj~ar)zo$s^4LZqCjy z+qPhST@+~ZNKBiL|3G?7NmD8SsnW65wi?KtVToZw)4`eiv*Dw~w;}8I7o}h<@%%zA z^KWQZ;$5j^t5CH;5tqP z9OPGNsFwSo%9(089f1=T8D$CqFAbZoM)y>lq(xiQ@)*Qzu@$QGv^abWjCx?+%Oakc zmOlE?e(ZU_1iZK3MXolJ-BO_k-xk*{U_6vSVed0#RQ{$0zQl=OW9FYP=PW}g$?}&* zxn2g!i(XhfVh^+7gyA#5LB>MjNV-p5)Qnuq10Q&9Lp*qOxWt8AeXvVdfUAW|t`#_4 zSYR+Dtax1U^Xyl1WlysA8dU^NSp5{_GT946S`#4I1}CguP2G4EETlyQzlr*n9MFn? z0Jr&@TsRu`{p(O54(2_CCA`ZUS&8w^R$I@?;4F6xS}g+)@J>2<#dJ z?{1`Q9%Nw6g#XDkv0%9oyqmx@1Bdhd5;`{)H)3TAmD<&S$G%$egi)ggvOZa(vsKbF z6V5!1+@}@`m5xN6eu$PCEdw#+kFjNaLFI5c*G-`bqMI2686x3L@cxdbO^st*g(Ym;)K%|X&ULH2 z1xBK8YF_c@#vY!)-m5)4!FWK;u1cuvio%z0G0tIE#2e13i{2%H=kSNvDRhC8C&8ev zP7ZxzONh6caUNcI+g6s1=I+MX=y&D^Gpmu8sPNUAIQc$;&x04xQH)<7wHBOG!p-{& zWD9A09&|r&zv`lFPsITrSqD(LpCsXCvBb2LsVR+;SAo;j3}=+J4{Yb9KG?i2IsXT2 zeJ8hCx*aQ;@IWq?9i#TjF>2U_@rb{~@h|Cm@TaxBj*sDEQoSf+U-VzB1ohPuBXw#2 zRI}6m-qOgOJBEKUBDnwFHRN=%ApFIY@ISkWEKro4BnN*Nr|f6`F3tU~rO9c3@+<(m zf-^6zu3>7#`){Snz{T+A9iD&Q>H7Ol+5Y#Re|_oioB#d<3jW_c;lJMe_r?GF$NfhO zYwOd-O>Ov}Rw~;-WvBReAHe45Uv`OE|Jn)vwQ2v$*A)hZiGTMYYs zruQJEQtQ%yXFN)!NzNRL)$`Pe8H1m=7e~ivQgfzXMp5v2djC~vjZq{nvB$98W3e$O zIcw7CCmN$;+0`t*U1WQK8%IT=H?4sKgW;tf4U9-7_}6$52Y zcx{zSR@a$O7WPY&S0nbx9*GQuw{ zq6ytf9?Kz3yX|FAV*c@EeD{joV~;HiE;l$Uq3D;6FHh<@`Y6;Fz9+*oT;pH8U%=bu zm2N6rVT5Pxp7HUkD^j2(M^|_4w=xx;dV0_Jf2=g&SNfmX)b9Z^JpJaakN@#Nmp;%5 zdi;Y9>cPqQApU4x+2;PMEl{kh?vvM6cZEI(tVs{8Nr#G+?wxRAjTQg$+1r~#586r| z>oxbAPiSIB>BfR)OK@4D{mv}|Tl1TWS{&uuhwT}6{PmXZL!X99lL2dc4BtEH%-+Zw zYn@`ZoAcjpAMmg=`uRDxzPb9w!#&4BGZJjjgX3PgU+BA71B8gLKV(8CPCuR@&;DdF^Ct-zBWc-|+dn z+muG%G5f0z4?~}ul?tB_RW}QB@BZP-4_;m}=<&Syzx)LK@YdtK@A(}?C1yZt?~CCq z1xumV=QqU((6^`C`ob{hL-RKlKqJfcO**qNcz?2I^1EBD<8--qefJqB_7kJ6Ju-_Q z&8pU0q5Z?5qsR^ML(x1>R;vEamg05Z8CTxjcIT5N8+y(E<-6+%AZ>k`;&=y%WI(ef zL%HqnMKMkXx2*SLlWxd1xPlG3@*NdBD}yPSJ1h53zN&QTuF*&C3M}pgJq&{}0Q%#Z zDyYzMVoCmBZ^IYw?Hm#4Ek2kv^4a?9Z||Q1Qu6#9uqWS_I_AX%w|^m;VS&j2G;9OU z?GC@ZIIuwt#fVGK&HD1(p7F1(vJQX|lwp_@ae{JBJ?fhY9ret_(@zBM1IgPrNg4Uh zzJGUX>81+20WV9Qb>sa0Dd%>Je;_!tOslzYpe7}I+J}em!)fc3!I}T-4>yAQdNsu- zNslRGv?4_rqdI&s5R*9b(>K@Ou_QcDa~(uN)Wa5hgfd)YH149F{q?2r#K7>Ig;!2I z*liFD^0(I%$%V#$|2fp?txHGl{_(4hmzQYAyfE+QZ?3=d@@8u{0C?EiG}`CoNCfbIXU zR|BC3uY%=03c)WOydebt2m1Jdd=!uL2*qc_!nFyJ>GhMGnQ#w$^zXZX*nfVO{MR3F zdwj+}*B5+Ri)^oc@~^@aGro3O6~OdPNqPhuAlt=wZ&&X?r61|XvWd?2*f|@K}wx>)&DxZ%W z%qvuAf@mR577Ep_tgNy^r1oZKS@XU1NG)e)TK9Pi;7G&`$rPUO8{jcHWGT*np1RyH`$D7CxPq32n&Au}XQ#2p(PeI97XevhYfrDSW2(czrFi7f@$;vx=s} zF}o|rTkQu5^@<_Bg3%aQ(O5=6q02#a3$5f#5 zxk#ng01xuGioopU%FHfdu`1J3^rA}T@r6q9UWoAq_9t)IWaywAk2M22MwOLquYh6? zs9ZVCgYW_H=Ypa12Gg+wA;jwJOh};#sRH2Xg|DdK5hWjCb#``6$vS9)*K2(Sj?18P za*7J!w9}RCDFl0zOh3VWg-?`zh}?}0U_VrQvVCMYJVk=aWsxO$zrb^IN^U^CJfU=4 z0J(V8(CgNdxKJ3Wma}ro)C?O|w*)uCmvn zlzu6CkSM|lG>m2b<*`UEQ!>2EE^pxytny`(x4`29+A9}zg<~jhPA2Z_2l6WqS&Vt< z7Z9i%mvtB(AzV>=af8r-Bq3CaaDX1y`l3Mj8kR%iXMk1f|!htR=eGq5wEuvs^@YSAp+v*Evt%ByW~vkH&DhK5L;2v z5(O1Ip^PC+DmQ7v{d@~G9@&)>7z9m&4RiLkycN(4x4U8khGtX@jE8>9@f3DbtK4#EH*_vEaocS8CiGQKQ9Dt)+}UN` zIJmdWOQ5IipXZN4!P>mhSS@GziZ-ZW(&rRiiB);B%bL_MF$ASn7V@%V{R-HWzBW(Ak~_+p$dIG~$IcW-Z`l3j+&4DK#ZjzT`Ns8gXS0#1Us zr>RnvnN@TFL)Du%;U1tDG@hIsZ{Q**MRkrVM@+{_0#F*3xT(tJYd(l8h3+t!-0eT% zfHWO-JX8{f4`e$eF;etUQ7^2@_L9DNBcO@d-bj{GJy%w?m4m@oyM1o`=d@Fw$iA`x z;2&0T7lk3Dhj2gPca_^`Uj(7{P?eJLYM>o8uo|2%JAkIGVtJfKmOYte`M@vbDf=cC z6h>q-9wW2?CND!Ol{*u>YeCs%k(n^2ik|Xbe;6m5MxxBJSPBDHv=l_hn*|CKw67sm z2MVYTuK2P`u7fc%a$TGzIiZ5y%%-}$AXM3vQ`V+}PI8sRN5g=YEd!x*SDsfRcSw&{ z`goYKhU**%$7U$SompgIK_SRRCt_hpy+!lY&_~(UzIl}(&h8Uep%;MXro^gT&MdNm zUd<^nYE@al%FKaoaFYYLPWT1%Ld9;7;p~b&8nx_m1?|wOWh3KZ?t1k$HOvC&nr$aR zBiJ*yA4b9P)9`-d0l1CgG$NC(f^=^ zMWPU@n_V_F3dST$->L?mmQz7|S||YN@s)IqHgp5hRY;!!`Xj5T1|H$_Rosk59>d2R zEMV%a9J%5%uqjmR=hR+zmX*hcmBj|s8~LMCx?QfT--9N&uJ(9b5iMRR7$A_fl$hU z3iA6pe3Dc0nnvZ$DH)>!2{OE>&MSbKm$_}MSf;cW8d|1;DV0^`k5>>{rUc`D}+ zHAs=wfg5}^DzCe_1S+H`drwyIHAR)f@rXYP76CUuLJFc20wlx$b$&e&gjXZO(EVuz zxx)SX{wLvo-E_cGn#{pQqvT)qAub>6PX6DA-QT6C{tb8oMCTm<(T^#6c}anjohTB( zdY}_3PQMHgZV77!)P7R|3~7LQ6^N%(UaoPkEaeoW59kik>j4Z^aAYSuTdjav1tb8L zUB)X$00n1(XdRk<>k3iq2JqFc3SgaZ@)6f~1*c9@V37h(r+#>7#>X*$N~bFzS^=Z= z3dB+{=$!99JF{ttVgUFJpl7TOs-vQo01F1^t!2>a-Uq zfV~q$E7k`9!|emWNb}M|ij@Lz`rG@ep&<$){Tr35;=l&f2G3QDFi^HK4xI%6B!0c~ zuC{!|wlM^{w`~99v)jv`0`v@TJ1U@`>%RZ|?2e(k$1445Xa zc-=WdF_(1W^=l^;bi6_7N5Jc6HY%b5wvtY~uGkP1gTbsDU?chf>@kX60uZ}mEE;ie z+Qnx9WS_clu=b-D6f>7%!+NP123L{gR~2D|R$hI*6-N2P!!WSQq#E^XJs4T;RKDAw z2>AO?L#x2rGV{l;E zKT+4|I>Vb;wsT9`vF*#Nf11nBz z?Ue*=FGmnvcAytYgmSe|iNWOr{vphxG@MBu%haKGrB3MP7`SR%)~1Y;>YwHoRZVzK z!Ji{_h!`OK;k%E)NG*b2ss9gp?7xoGZp=>~2pC?$%)?aCh+-5)V^v7SsF4Oxvda6uPE%FEsE z^78H5b+mhVITkYt3TDr)s&c!RZU+watnJ$^7KGgH*4Ejx5u&E_@^YmZj%#hjlQ641 zs0X$TuBzI;9j=v^FKumI3dJH_jLD5n!wL#oTb1IMwk|Cw*uH)C?DBHBM%z}cds@bz!s}f^U;2EiS3>hI7i*C9p9opTh^pV?5b+}gs zv`L2&-0rHXrTAg{5H)lX_QFmTk5$c{EoP?`6zF17ly1VGS^H`@_`%g0rFX=2s1-lL z?W70s$2n;zR_RcvVdvP{9@+7)Vn|8~!{h7!l*6rYkT%(NZ4=1hxs9E2_@6`jzZvlV zDu;vlJ_GrUy+U-ZUbas=Y`JK@ihe-pRA)WyGx+kak#cKs2R`A=h1 zbV8ps{mXFlgsJP&Yu2TQ-acSGaR78a?z0Az0Qbp()t_L^q5k^Nnl%M$(C(Vh-kJ-A zYjjaT_#Mh$gZjXA&}!+;>5#dkKg=K$Dk{TCkE}`$O-ng!r3lJh{RtR-5juKcHC#k# zAt(&Kz2>3xbcE;Nl#H14^usmqFBFAn^-*{Z{H=?Q4p~CFXbQh!pb=X2NeoJk(na@! zVm7B+FW5p*mGsv1H3ej_${xaP!`7ywRq5%i{nIIes;o%|zlkEH$oh;6F|g`G<))5U zgVzj(g3|3Fc>IMJ;1FK}f5UI=n6R(r!rE06)_{tO9-%bex;edOge3%xCMoslYgA~> zz8Wa|-t^TI)~rfLQ&W_Umo2nr)#h}vWCHwA0R6&TSep(-L*2kT<rVxgdJ9!DpUng6dJA{{{nv6`vbz=2_er& zFC%WCZ-oCcqIb|&$WB#$lXKyR9Y zxA8N`6_SKyU{6XPeiWZfeG;S?++8C0=N^jZ%`_>klc^l*YHoE>xnpfeQ0U32mXR__ zfqlKcN18(Wj%Or8-_J}7*M+&{sS~8Mz|^UuQ&3)i6`FxVplkrc_CBX>3D9%@!dp7=r2k=SYiw}Me6=B3Do5tWW=`P6e zK*D(fGEE>UEqCFS#3ZcZgQVK`A$+g83l7jKDuP>EwW^_3RXff4K6uj&e@inrZ9;8R zcWXCs0#))?@K?kx;YeT%)(}tbEG$^J5i@_%c^=<0ZU8FZ4v!@LnA@e>i?$-G8QhNW z3{+h$H!cH?b&#aF^l2QAHxM6wjr7B_=xg|W?qixF_REz8L;Ec0BJ#t5WEviC)uXw1 zJZ6i=Vw?kRX(uwg55$y!L)(6-1K*g2lLAqNMVLBWMU2)n-TDePlRPyf>#8m%1E398 z-wc&&Iuiig)5g(6I>P&Ij3>dMS2qlzJ;)LmPaz3c6E{9a)6FB*IKi6BB=ZCKtPhSd zJE%K+gzzh16M6vrdHhUG>maiDg_q3KrK_mB{c0v z60gOUrnkKbh^g3fCz-)B`uo%z%Z%Z)ov#t_J`|<_|9a_I<~)9YSnV#xpstHdur3#e zhMx|!qH5m~G`IZ(Go}5rKOI8HyG!jN45o@9XWbj1rM-t1SaV0svk z^@d7X>72$MQis;tvl$(;Uz8a=bI=Rx%rs{WlWu%pjmp@}IMf5ndY#5{Sk07^E@1Da z$*NY=S{a;-q{0KpmQSr`EHZWWQkO+0m?34=AbQLC1{sEWP(7q(B_(JmTTQuxrast& zel~u|oH)_``H5@WPTG4>lT?Cvz2OQKbNK{jpOAR?c40ZPjfjKJrW)x1L`Kth=7~$+8JSPw?%0_84N0e0JiT^reb12?OZ8!I#>)(1G|#P*Sv@ zF`ewjYfFEOJYY;5&?;gqHdGFLTm5_AZy#unl%sfun)u5PXzi=6a^964-N zlX^QjJC#lc{#Y_p^wB%K>to18MO<%_Cy8|HM)^UGWA;KsOUVj^=c=TTZ&p*ageVpeSGo05kmAsCO5Lmhy z{vPE_4Bi#kM}pQ8h#i_2+Dre)b0IcHE$*N`>kitJ^ifGCrG{untG4<<5dL^PkL+Q_ z26~x#MkeEl!JNjuIF2TfdXmg$(1;IcX)V@xItet~Xq>|cTt7zJQYhCT9WYHGWKK|r zp5s{Zf+a;4+`_Z8h1c3sJU`O@r9{7)!s<4ZOJ#hX2k(;1zzGTAwUlFL4KBZk4C#R(=LEWr`|1aaT{vyOI_WlFX zJlJy^YUzYyJ&76h5W9fylaNO4Elfd2UMCMm+PJl_;m)z1hjTyX%TW&OBnHyg)fF2; zzr#$Gc|;%eUP0tX(i>-+?&5EfYbS0~NX8h)q(+7o!m&UsY(k{^sPF-Zfzfg| zLrsPrYH2v41*oj;eEwX_WaW;*68VrDN~-V$G!16k%i?JgDCDAvM-CHKrw7$Ri#(1< zM&kkr(jw-e7~{4?$Y5cvO9sI`p~3q0R>SHz{U17NJRY_GBq$`~oH$c=ZmlU{|2vk+ zad5BkyLcG#q>4EZLJpCUCc*R|i5GVAZhtbu4fJuUq*FLNaTfd129E>4C@7w2uj-jUJPUxW9CM|MD*zW&*GG?y;LIyxsf z77q*P@-7m>dy>f|(gQCdzB2}rVn2iX-vFlzeg_2V#Dx}Z6bDoHaA-0}^n+R!&Z%TI*BEShYdZEl_$PA-27 zB(3^-_z#xXvhm6K1wgKghtop8fV}+?Hu2*jE&L zrXu58YN2oN3EbN>4{Mtq-lnN`Lx8(^y;k2s&7oAW1~|_d(|3XQ;J}LCD16JcNC}8M z9x~J4__0)5RE_yc@g*KI+yZxIy-J!}n%{Vh7Y#Vk{w02|L4&&qNv6w^jDoKTSuh;N zz9|qLDmhze0#HLG=Fh|YGN6C&uIKJH%3Vzc}Rg5zH- z27iW_)iDS!RZD64?1dBuQC~eviW^VjbO=SVMq?u_%j<&hDfIi!btEg0^j+)c9kLDTH%GwskISVW9=I-{d&OdJW>A7Z*P^GxZ6Vrm!=hquCd&`;hHtErwSeKzj* z1lnM3&@p2R<%2lqW45CSwv#rTjt82zB?aRR!_<&U#&50Q z?>9d#a2)x?K9Nfx9%MHUkCRWBnx7MWrsTQn&4aZ-JN!p9*9BO|ytgT%7sfCg-erG| z;j9}3{qXmNnSz;bEioZetJDP@3Ge(WvX;!Tce`3b@?hiLs*>Wo7diTm(gW5(w%>WG zHD|=p4&SRl192QvNl5E>C-)QDh1o}v@c|}iSwe-#vF*@0FRZ6HGjtorLE5F7ukykO z_p>LN+BAuTU)Qj zuNf`hCE#m1XEF)*1s}S#9EGJ}8BBj}C^lKYzkUZ}&Kr*SW55ls;@)rU9m(N1u`g@~ z#d+{+MgMRum+g!TaNr*D6lSEnr!Wg_BF7uGB#-X5?-8;@GZ$ehZzOUCrU$;8^f%Ne z1{<1Z;B0HVG!PLl)?W{E#brGZ-r*_Z9QGvOZpD4b`+OEXbC(2hx~4TW3qW8FM4fwWEYU0}5VTBhz6+USN@I%m|3Hdi-%!kJnOt6%my4`xtn-0I*_zHL zkO%GK`9w0?b5`=xrfjssKP^^2lMAf5F_3Nr`I!)U4dmx}$cOoKpgYqI7hzq<&hSi0 z%|?bF?Er*5LF##XlQSJ0qYt7U&2LIqP@qsHjh1#q>+5Ls$HqMrA0+XxVg=UIPiTt# z0?Q{jK4$qu{Jh_fa?@zH*2n22`F2#^Mr6I>9hpfB8;YoQ{gI*y#KN?XimSU10sQ3} zZ@o?DR*#?;&_5iI!J*2wF45X(JCq3F;lo>lQ+TbjnAZh22wKuh*~JXRUFb6Ng$z14 zz>)#^-EEKvIA(GhLR)IIs`0gk)0vGpV1a3J+Qj+3W-N_0#b-_3YB;t2}e0rOt9|fHywW%Ct0VG z_WW}iey{$T#uUlp)nYomhgsDzxbay=8_snkJ8&N+(Z32=Rs$OaSHyFkiw!UGDSRHC zJ$fY4&!!|#{sy+wh;$X+6B~&Oze`d*4{%=bNBa;+Z@|AqTTB)FAu^)uek4>tC>OaC zbWJ{FLFvC5vXWrFFL}u|oG^S!;pYg_L#ZU8cxQNLLs#?Lf_}3$^axIKZ5Q;sY@V91 ztvWml$Kg<@UpQGv;z0o={=j#);6oX)%b$YhAl?~qlaNq+90S2=bV_tn4QZR*0@(~Y1SSCZFyD8vA`?< znZL~CEbR_|JOF!5y9PM#)FT;N1go^@FI{ZE`&gk)8$aNfq@#s!w z5(m)>-H-3Z`LKo?H6UWokcU4isPkbMTtCDm9Mw&R;kZsQ+`CVk{t$BlS0%ND0GPQ1e;(pkKPsRuY!2TRO!fK$_) zyx|8m?5JortFp7SiUvs?jUPc@JDf>$3Cv`RCNaE@dd%iT+Lc|9A+@qNBk!b2pRS>~ z!IZ`qH)NpZbmr~idi$pV4>sc=*6$6Qjr3vQAI3F+TFFBysluBWC3e9*6^(gCP442}qn+%KeCMR=*n8c%vGWnV;rzZ?sSUQ~y)}Kza zRVNjGnaln_QH1u#Q%QMb7c&4#Uu7BY{vG9Tx)AbP*pgr`D&VXFm=cC3msN-53D zA;PPD8tzr|EA6@>mYA9|jt@0v(PNdCq(bD;(t>Cz(SNMF-G zDD3d3Ia~=%dj7)|-HJ@Azz!q@I#3U0zoXVc6HPZ&MTQpib)@AU99Mn+k;y5PSTyp1Qc!9nzov$_j&V=sfSfQ$^36CUx;O0NvGkoGy;s=FFc=U+q=0id&SrJ%?s^ykA zl4LF0X7mD)emt>|b@l=LAzTcUc%K43u-i!Avm;NL`Tm|N@a6PU7g@`PAy1)rdD>-E z{8JNnP3im4qL(43bX_q55|iQ27WTz}e#z_hp5!<3hWxmm`@PBsjvsukD++yLBn+uM zwty{33rYF{ey$5!$^;ZT2m}N*Px=$kw#kiu(8|gk7%-seSE&l-yReQ7ra4TCxF1q1 z;#wimdR(@n@Cx6^$`r(mUGaU$DfpN%ftQB=XyMf~ftg$Uv^b#T55yE%I|5GVnKYy*s>($~6hX@{)HxucP#`$BSEyeoke&f2JN+1M1?Tf7lA(GbI3^W$RDKrVY z=`z}-D1!3rhz=2X{wkBecT@rpZv~3G6|d7qQ#w=8pl5VYF{Xg&y7QU*J5bRjL}o=+ zwb=+eJVV%m&B4#5M3ny&*yn#f1oaRKnQbPEFcsXxfC^knF_N9ciJuet05Lx^=~yYY zf*n|Geka+Kn^%h)JhWB?$z)Gv!y4lFKxAX|wi5lR9jp)+wh>O*>!lzM6~`(t8L zRp@y-9jMTZ{-p>k8TyoXA=&mwTzCo2cZPspr2J(p=B{LW#`CZTH?^>vn35JGCnHk} zPHr5>evphG#JUPF$wq{c`X>{yOp_rzlZ0_1KaAHGzQgjn@I2Rbi5)ONi&$SlUY^0E-N1V+yGpVMbWRhCKQ5H=;^N!IX7<#E0#^_QrZ1G)={ycMs zNgsGn-kQMlHFahBnfD|bPv}A4-V3YoAdU?V=NP7+rHZFMUQ7MCvt1v1QVgw$%sr6T zfsC|1N?!E45%U9BMa;(&@DhI}SVo(MaL=160O{;z5Ak3x4NKQ`B-1d^f+snmIb2Hx zQU$YuIp1jS+;9@7O4@2`Ol5CsEETCthx13)1~AIN?PNr-L0DGo2VAP(&Dl0OX}!gs zO6$zosZ4M9sEn!iPQ*=@tdByT5%0KZm^n(_5e`U|?x6QLPWK}3l1i?L9Hl-kq3j_< zc;d&y$*0t-|AMkZlW2{&jF^ia=npOk3k`FM00Gb>^oWtNkrxA}3LjI^s>ZXtHPl5; zK#?H81;Y^5S#9Xe7)NXH%lh3K%PtBO5hNFA0O(@;r9SAx3#Fz+aDwiRexgcV}lfEreL9<4IZ#vPKNW%my`9qV86upVSD5k7qU#EG$0Bex16v#o=`i# zy1s!u&SE{C8GtRu#lC{y+M8WZ*#^cjNiA4BSyDnQE>%g78B1-L!P6rt^giRAbk8$< zmGvAPbUkL>?A^dIIgu~NeW10BP9ojJt7IYDjWJj$E!5vV&^07@fMcv+k!>F-Xua!j zq=w7!Z^hwnoln*1#2`CZ>(CkTAiOy^`@~*ykC?l z_x3?_8>Cw*R)e>Q98!@&=~+ZL#c;Zs9i*0cgioX4j`Tjx6OQ#X(1LC9iCCsv>1)<+ z8y+g&e|x0}0D0!IvHoWeY;Y&S*Mm>^6A^g~^qgg} zZs$T%&BXhwjroVG4%>7NVZCfI4|99y}gTO*>g-5TPdU_ zwDy6T!%2p#QdF!nG|%Ix=!Jwid1;XD1UQFCDV@uh#*IQuT0jpg>?pRP4#|m8{7_P7 zpDte$lqGCYT{Sj;CeS^?C1Lb93t|QJvCrupTsOfd6#Fg6R!H$J-Upxrd~Qc=0ltk> z7o1U?IQLl4=cx!AWLHk!1H65iT?K+#! zf!%b9(ap9mGmgHK9%^zJnl$aPXkA5J0>9e2fL+H)EM;`!07%Ht_zal{ffVHjnVhS6 zLf4jq-UdL1QU=zy=pjP5{4(s_!N|-P%NJwdEXs5UjNif$Fg&uacV$&-`YM3HH^|DO z1yR_C@3e1`7e~1^b5p<~Uj@fnj3|*ujRgOR5ToX@lPxJkI%X)Ggg!NhWW}kB)G)lkNP^MIGS$FdK`(%OI9Q4lL?^O4T(+1I2P#}>6)V8BjIRHXX$QZxRAy06M%3Z&jj%mG z4{#%S-BeBZJh(WdRKq=l-z2@;lF56%c6_hUAVDtj`Ph~))VfNV%g{SHea*d`Ht>D$ zylo{%S_N&53$kdE({uNex*2EaG*HpgIIU?Km!Q0Nz9tv%ulbmiTUnCpDX8usD*^t{ zZenlTNPD~HQcu|=gx}!3#Nvme=@NVHF$ZKcBx5W|$;@d-h}Jx8(lhBZ4$(5O5@qhc zlN+lBZ-}B_?TnOgHsP0sFO@Y^BRerVX(oria*{O1r#2Zka;^vJ`N24O9LVRC%N;@)c%(c9i$MN}JQTg>!{83p6ByA)gw*6f6Vr;Ojy*JYv z<_0)Xn0TDq1eiZ~QzcazZ&CgiHo&r3Jw*v@7vN!Me+V=nyH|}jT)%D^OmQK4rP$*% zgx29oK<()eyLJ6EXYswp%@ibCa}p#W=2+j1@(dkz5HD_~0V0AWEbJnHaRwJ-Yln|Da{6QqF$MwMx1~aXGuXMR# z5QQYl5Aw3~8Uo>|w(^d`Ac7s)|Ha<>$2C><|Krz%T)K;Ko$VYrgEKgTGu&j89c8j1 zL#9KAf`WpAf{IQZiVBK~hKfpwhCeb>${$&gQles+d6&N`Dl1DXEj24GDl;p}GP|=f zKd;$+-{1H9`}qFx{pb7r>;40U4YsrGoa=hMp0DQ*34+d0kr-BGqmS`lSoE#~;ys1; zxm`$nQ9PS{K1@s!Hw2~M4QSoUL9HVG$^-Z|1pHpafhPXv0FKSW;*pFNuedGooQVxsqG z_miu6k7qWEgi-S=U2c zi(u2?%!e;J9V%h?`uERly0CMW`mUb2Ck`fpEiF|`E3>)yhHCyiydN$oR2sOiU=~WVFH<%zrZ+-BYtWze-{V7kq5i3 z`)m!eua+$1wozWBUrSNW3XL4=wri=x-LGk`C4;dbW#eg5teh=L*4fbVq=MU=~^&3hYpWh9MZPeR0Q z8Lnv!YxsfY&(!Cduu&Oq(8Dfbh2c|dW(@I z;s>1Ypo0xf5{@r`^q=XRWH)~nk-N!!DS~Z=i|4rd28_+^7c?;3e~|ys(k)O(ALe7& zBl1arMW{%V*?Yv}ud%vx+3yaqgdZP*hbs$F)YdwqKv{`GU7usM>S>k$0OcTFPtIA# z85+--;piRgwCR2W>uVmyLIWqZPSn!}M4en{7UF0U-0%$S{wqX1-{5_+n#OX!PlY%w zCDSsA=MQ!8yoD-%;g#xd5hN4M>FV7%K}d_d_NnlB%C$6XV1AOSrn;?$Og{Q-Ab( zL=MKsl~R<@Ujs9gkAOgSRU9Pz!51H~JnB0}Mq3!^t8$o4^8SV-C*DLXfH=Wb_7-@K zlY7Z5zNZT7&`S_st`IRTy9$-L5PiotxnL&3qYYXO-mPB4#E9CmHj?i%hO8f*+M=8Z zHEb}e+TNAVav8^l!9qTivBtqS7cjW|+@q0YWX>53b=IHI+fT);(K{8B7~-S@8eggO z(d|IJ!3NTow8P6}&pwrk*on?EQg3QX_dn4zfF%jz`p7Y4X}FqUy`;epyD};#sCy%s zu(ABg8fZ0t6FG}s(piQ|I$sf;bzl_r!Y9#(*X8s9!Z%xw|LI*B#+FSPjPXD`PhA9F zDmf8h_$kZN0K+DMO>bz9+GMN~xtvUHhsONA4zA+q*ZMG?ecE{s6KtzI0_q&dUgXsjW}bfO5`wu#neSg$TJp==|Xh&2;{8B zChZ_Aa6&rj0)Pt^Zej!il>-SyoX3duVZE}K5dK^$yUn* z>3yur-ykK>L6A!4d=T+v_&(`D>Xr-FcZIh0b?)lXxsrWc6!{B^(xx-TEypF+`T`%P ze0+Ma80B2glks94ENKP@g>qpQjE?9eScE3Psx(p535%(Hjs*u;QPwuDJ=R#6jt6;? zFuCj=31~0vm1O`ZevoCW9E%THHp$UAr6dO_JZkQWn5c2D?0#}^$MM{cxUWpGkqhh- z;W14qB0YTz+*=amX~Im}08vopaq)N{%-ihiBP_9|r4d((Li|iy4*)f~s@?^dw{v?4 ztg5BbP{+&0xe>IOvDS9;WXk%pc$S_uhwPK}&YS~VjkQC>RWkWrNk-Mu zG2e%1uW=FIw$qhy;CI^|n7w_X7o(IvTHT`HPlDFIx!kZwPgFjDOW5lzOQ6S;hlw$b zquK_^`9w?dIJ1a{NrJ(X042eCehht(rplAZdqIQgDSfsF`M3I(@Wb(azIU-`sj{{g z@kyizr;*7SHFQPsX==&_eXm+r735x~re=%r`@U+L#_|bR#~uUC<`hFIZ(EFZxTp1{ zSrcbaD{Sq)qS6_1Z$GfsWCQNQ{8d*uYlxuP7GW6*z+4f{5|TA7-zy`-)k((Bh6mou z=$A2CxlH0)fM_H}T@2>+Mb_h*(D0a(s_>*-yBN>?s5PyN1}vty5z2e%5vc7OM&kW& zxjaW}9sSyjInN=>Kxd1B)0J#Oq;XOvFhLT0O|blbBd#i5OA@64yg~-~Cebaai}?r4 zOR1?TlkZPU4RN}v9nMY!KsOor0L zsg>x1^UpkD7|KrXGS1gQnUO9==6=SEjot09YEIP4di)zLHQ&^*@lZ%l1oq-2*i!?h zp<;;c!A8JtGaPD?y!`m}tH~f&e0yBSaBd=4*8;LytWG0R9{UxaCrco$-9X^f-0psn zaOJeAp#5aqf`%Tj!j(hSKB+2IHgs9s??Y2b8xIX*$%3^}eFIppsJ{_X-kyxCjXtrG zK80g_&vH%;S;q6Z9f4}R85>HE8IEbCzB!x1WAal%0px1rEUFkJ+K%0gQQ*AN%y&(TCy=@KVOHav%#0YT%0aP({&qX$~J5X4kV&D zj{nk=MO=&cL^4`^xEzmn?GdeN4(5L1%T6QvM|yly+K@9Di+jL8-yO7VERUQ0(P*5)y|59VxtQl$hCn<){dehj;UF%*Iz%$JH5s4U%Kicz z!xWKW9#qw41me~Yrq?sQjPId_F^ZNJE>%)JvT`$0=pX}?p%z~hvh7dh_; z6r2TEP67AS;>JkBn=#CfV@&JvWfQ#O&2BlKd9W$Oue`^RO8P4O@UNEd$o;lHmGLaq zaMTV}z&3;yo*r6b!y{}O=Z$bvpwG!TnBe2O90RI!We-7QM{NXIkH-^LeI68fH{VfT zKs3&K2a!?>@;!z-N=70wGiRLKIH+Bl0?^lummY`bJ!;#{Gk3 z-p!n2n)+acIhsi&;sNU`5#Z(d5X7^QUnEm5IEGpfOUo-n&YehklcqTzYZ8}1a>o@! z7G*ntyb1<0ndB?Oa4k9NiNjJe?Bwah$8=IchS`&iOb0al`mD7@qmd$W6*1_IDxU!? zN@Mc(Hq^mVXkt_n{gq&7b2UUiji#?l5*zP55C-MeVZ4cER4%eiCR3b?FkDW-tH|nU zh~**$`%NJTE&)->w@_wRJukZgHvkb4`bI$Eqe!Mj31lIRdgentJD0neV2VmSPS{fW zsGdZy73orB2lMS7(Al1@ch11IJx(0a8{T?r((@{tMA@;0K#~ycT5`J1nJ^a3B$(9Q>GJo{zI7k**b7vWv z!hJZF=piea?KXU(^~^vtp35u_psklnS4+{2K6fuvy42^EdIuzO8}tzX=to&Javxe< z)SQF!0G4p)#M(})N5UOX7u%#Q$1(YyE|(1?fOc8q^4W0HeKOrHmNHZEJHA%SP2a|< z??_KNBUsPPjOk(|)mm(lX9?=N>AqWxejv4RXYd=LrM!PLrd zw$yi#Tmps|+kHBPxbPOzN$$bp=_vD6C-G;G=|=ilmN>rva2a0TFtU>#r9ZGVyp1%$ zLPXeDM81$<7;YpkuH(@cZpn|CDg` zU3+*Wo51gB9OkU(MyllXjzU=obXwQ-s+52FjE!;}tV+R2wzAsZ-hbje;8ZmkG%4~~ zx&f(&zoK8(zC(Ag6~+A^m#W^xTySFb4G9K@DsGaJyLo*nbkF7RitwqN+%WL5n2cC9 z*N4x8vSbCp?_(E3_4Opw>=p;L$*y!VIr!a^jKFR1l9E$9F7(X(@TU2ypO65|o{I4p@ZX z;pm;xMCFUxdYn?4LgP{gSw>5;yEn2BNw#$pGxOhVzQI%|4Eo^xMC-VbHJ4qpHm2c6 zZJ(cZurc``SCx?h+RHn>+s81Ny{9GGqQgLrGibHaN~a4`D<9=xxJwyQ@-=E%&0dFA zY(69leMrUAHt9alz=TXWOo}(B8$)gG6HB6P1aI#wo^k#gG%$eJqjOO!LK}?15LdPR}cp2Bx`|`mdY6iNx#G=@Hzd zDEvWTG54EJ{b&A3LbswyS&o)#Rh?pNrue18r|s<{@f@7%->qKsIHq^hGp^~N`bRi~ zdGN?T?sz=&$%12zX=MbS$Hq1P04tX=$P&k=L)=g)$)Q&0VI~uY@&`#W^w_v#p*2N& ze556o7MOpgWT0Ud3-p!;;|gYyUnJk*f!1+ru+0(ee!h>AXL-|e49WM)Mrp8okj`m% zj#N08r*St0JT+WRwYO;5E%#;o)9uP#Ja^5^bCyEqTFf&C;Y6)5lQrHn?AI~b{;Y~y z@d48nJ$=pcEvz^$u0?I4J zYca?Y)Rn+sgy5NhG@Zqp4kUU-&}+6_V#!iK__8PHt+dwNCUQ_|k*CunV$690+yvC; zpx#!NLMo)RLV68AY$M$ZXqEMQE$})eBkwjQYiKc$_x-UQ^;E^r<0o-ctCpo_uY)0a zIX^MK*G3uV*JTP9s2K164IrXzeE;=7cq%12==hw*U%9Oj^nmE)KI<*_qDe3-G{fk% z0P=^}LtcA0lm#F^qWO&nn)HZa+(;n9Ag26n+7P{JAi}zWv3cCP3GAQ0J{gL_NC6h!7*DH{J#}y z-(1Aj+xrV7-@O*o>MEe!Mv!5_NGLK=UB9!jmwZ`wNao4wcrV~MWQ5Zg24nLX;FXSN zm8P(-e6#SrGvCV#$k1>#&3LXScSL)*zpzs+RIDHK+@TcMH!nv@Pqa({x+*pVAD809 zQKZ5##9t%dE9N##aN2wNt~UA}_{OQuMlg6FXTeeXBEd6Qy_h3DOd9Y{*eWJKE;u|r z?rYO3RWMq!eBO|0>k+tMy#A(|wA{T6HT{sWTpH+n3-hnDG34+A(EJRK%5x%o6?Ied z4maLcxIU;JSA}`0yv&~Ab@{*Xy4+2ouD!%Oh_%$Qaxt0}!VX#_>Twzy3qOsk{{mZy zf&Rch$f^Q<{FQ1TY=%0~jQwN-sLkiF<<9A0ri|BVZ`(UIJJi$IV0oQ{M%Z{$PDU81 z2JZHQcU30rtT%|Lt1#X)Uv1im8}bIn(>yfU_-jPj1s%sb8&ZXT0CdScufe>rM9*bt ziJtp{TF0eI1)x$lFHV)rSQp*6m+b?L_aw$7GhDPGtOgC^iw+&mHEvjA@C zCX!=+PCBA$>K@8T^YDsPk;&$_da)m!O9@F)Kj_ETxQ5a`hdOBuN%z6F>0E(8G~l`d z!Cfz?)rb!C6rh&ZT4w=m)(M1HXVb{M-pIKDi7BFw)P}1s8Yf5iPKuX>WP|O1`)dqp zFRj!sI6-;SxRBNM$E$EXH9OvCmWH0fcaaLO43lC3af$NR^Rb>&-Ov?lz~b9#njC>M zMdo`?WKD1I$&HU2pNt@@C8ObyIA09CmG#rfMxmOMjMVYMn#<4LefMIn_IrKU-1BrZAoBz*ZawIx}(`obKsHq zGaQUw?ntV6#v`0YXMZ9>lH9`)oo_K2CZ^>IO&j=~{BMnChy$c>_rk2_Ydfcrrtm%S z%LK%)cuDYms4n|JBsW<{T-;vj@PSA_9sdZF^-59H4T+?T8am_M)Et8qhNtQunR|;Qw@Rb|* z#1b&1#?XBQW3~7ZfCDcU^){z6-f&L?=S?_X zOvdN`y#8L26!;D|9WpsrggfG3;RiEWASZ0(+ScNcGy`dkw}%LyMhKbwv}yp|wQq|rv3@MdYhf&q*6MJW=g}CC4#DvW#C!1bGV9$ ztL7rvOp5Z)Ny~sW%t~6`Z**sPV4#gnl~_*lOvE|B=TO*;)bpTBlPjsU@pt>Pkro0O zKn+P;SCl(1%x@>}n|(|er-6n=D=&d<%Js9{>4>qul%xF2zpk2lf`R2|L>3tC0j4Ei z46^{)rcOc70##X@laYAP)?X}RI=Mt%&cDoCb1S$vQnGU8OuW&hQO@9OV&L;K5@?;U zBg+1DMBq91$31h;%SnwXkbYt`XiU#VST0yQBMd|Xo7^b4w(r4$9iPUNOv7Vj5L!VsEWq1Cu7<0>TjLowUu)K~wgskR0$G(&LGAobqnp7Iq?isc zmJ8oF%m`Y|||3i3oFhtLf7+?6kcW41?7S zS7IJ73{I)>0$ve}Ch2?uZr!@;V_^E%Be8(CiPtQP+}|LjNP37ZEqO^IH^p}Vj};}- zOM0)tl>5a`i?|;my;CrCt8GXejAw!nWKXy{+&-X>?N8$-gW+Q>w=!9ky1{4pc^06w zu$9I+=btQo>0FlirdD|p8@hUeO-lZ5uD{l|+q6YBQ3+<>fo@r~(lAj?RV9Hhmiu>= zijIr#df^m$TMKgHKTo-y%3g|~R^nz*v6nms-)#8^2nvyOAJ!>B&j}>7@bVkdUsJXt zJjNw}=y--6fKtbGd4zZxlu_U|v)|V4SsDiP-0ji~+)GVImOq%=MJkS?;sIna9!ray zZy{J`s?GIpurG`KOyAW8n1PV{RTfsHoNr=S20P9M1ibDCknM%W-OAf6nY$vSUSd&X z6z&<~F?K9?U>d?LK-gD*jtI5Ao!z0~=%&F(ok3tCT3^i~YfPCbr}x+oLQ@6xE*mH( zHRS=<=%_3hwHosf4&WypTcmD=o!2s4w2(SmE_5!Bxnor_nNxhp=ijx~ zR3S2*J0;BdbC}^-jx6Vp-~0~^DF&b^5#;XMWu0ZQnBoYB3Co+Z$~G%s3fDA5pM4GE z=f%M^$@icbh3~V)10A;&rJE2ne;HZV9H_%-mFELR4VHj6M5OQ%QTR$GF~XLlDxX|v zG8)N40hb)#9Hv$wY_a^z*O0w@8J&CXCf?lK7pCANPR=L2f#$y`dlU3;c@F^eAO_{= zDYH>Q69Nj4N$em?NUQ0V=FIcTtEscaEOQBUIYE++<7{E_K3s6`GE7F`UbYo5hxl3= z6|TBXwb3wW&d30c+ldGu6(@+_iv}g^T+@{`V8v!=37ohi^9^Ed6*C71^NLsw6&G-z zUx&ljO83BJ5nCv#Daf%F7ALWk%*p=|Z&4+bF<3$3x1=&$J!I4?gu_!Cz4$#*XnMgN zjcnanjc5y4AQbkZ>zZDizucfW(P^)SNBIMjMMg1CV=7cX^(% zp4KSR)mWL=fNEGIGsG*wrEF7z^TK z(s!;u+TL^Dhb*_tjL^IkNeOBLxhjKWcXARfKzQkTJyFyg|rT1Q)2psQ_Ds;_7Hj&;QsF1?6 z)^2qph7Tp=5eCj?^uEYyFh`R|VIV?7t^yFi0U^%%%{d(vtwqv)slW7{xZFP@L;$FE3e_2_@`jlVAB*78~T4kIU3Rd)gV|xbTekPU^wxN=+15a5)t6!=!jUSjz<$NIEbGljHRv3$vgUU$ygJVTp_BSg7#F!F~WH zKcwug^_i3jEx`<^I%b3n(4b5Y-Rn%pA%$v;ax2&f->}CuV0=a=qr}E6eaHFbu&@fgsQFb>Jz{ix*+R z(}mgKNHBx~$1lk8rYrGvVhv#?>%6I$ObslCB zZrwnJD{=IN+~>(=G|4e$$3kG8$P&E4Zn>M&hyCZA0&4xvvksFk$to5F&w#a<*3*c@ z=*oPOO`{J#FSUV$RGhLn0a-#>#mDp2Oyp=gY=*&!ZOq?(Xf7bgry=ySV`|HZbKe2a zY%Y%7S_ko^a~v+<`snYPnAyuTko_kioFz?zo~GfUT1HZ&dtg2(2IRfeB25vHMtKkF zYEW!mW=5$JN)BL%5o=y0%sv{jTl~{vyd+)Np27@7R0Lu;f(>)xS$sl*olnM z&5SwX80U}}*EvIU-aEa`#7FRa7B{u+Fm1qb-M=a z>CHeBP?T(t)D|p7QA z8i{j#1EK#ubW5~TtMvu#?Lr#IzGhXpfqasahwy^NaY*%l4lflp%S1dd5Jltbk>*6q}R z=~fDI?;`SKvfH>okC(KsaTO3zUdZ>Y(aLd3yt2XcRHR%%H@4Q*S{v2|vb^W9#g2RB z=aMN{4~>nv2UEhNi4u%e$z*T@n6oJ79!!$N7bwTIhAaSbL4-|+g=S2j_@Q$(a^OmY zbMTj7s<0<3R@s7LFD(teeWuC(REU?Cf0j4lagrQ7&<@Bcyoau1M3O2;59&gnEwI zPyvIvK@|6;29}k%d>oq#m+)MN*&L>;*?(w?;SgnNPI?5Mi$+v!0A7N1paw@|oa5p( z%52=Xa<);?Vaedq6u#o)Lu>u~ws#A&`Pl4T-S`28f4XjwRUuTC6&KfgUPWw)n8x&` zM|6$>UDs1R!A$T3wY-YYf^N&>%>zLU{{rM;%EkN;IgPw7jv<_EqWhhnB6muckC?wOuZ0h{fNi8;tOI5^nH6P!^ufdd+x$%O(${>g2T!c zF&=*?#ib^bYBQ8}GcK;cBRLlb$A+rs_}hvp=aNrLYQ#`M&STS-#xYm$|%eVMD$~i4!e!fNd{b z4F(G2fEp8q`#Ro6gWVs<%3vB*jJe}#i3_j+TQFtko#3g;fbpph@I2~wK zgAJb<&69byLy5)1)C!#XS3{Mh-q#_mh8XGqBJ*HCY~LHnT@;Pib#xglx^|xPg9THg z$dU~sB6zMV0q-UK@?-6nBXCW43$otFVLk87e;T5py%m^jvsCz26<^PNo*&FzNKkE< z#R8^4VpJux)(67Xu&xKW?`VU;WTn@tctc}K%TUa3Z9j28A5${12R3zh*aRsLi&CDc zOQv9LojnqPLD0zqDkj`wO6Gt7QQXbq#0jl~6se>fb#@c(7}Rk{Iwa2Hx8u~@N%)^3 zW#UlaQRdP|&h-(^#`zk5_l^{(1^f?TgAYru;IyET6x5|kRmy9vnYqKsvypwly43zS zmm8-(&NV$RC;4ptKVgs@>?d1EE7XX=eNeeHF4?+^Ev+%pI@pK7xrNLTnIT3GmsH4B zu0nW-Cvl$iZh9yL6UTCQOnI@$elvzNSRUj{6-p-BioqmqnrG$TH5?h_>5pvd$s`CJ zrx3+KuF#p(>FCq2mRN!MC;)lUHW)l7C&6p>_6a9r$Q<0N_Mla7kRmQZ@LlDI21{gl zrQKZ12KgeVScCh0}Dxwcj#jy~G$>I}G)!hribopK&Dmjl}xhE|?F*mR` zL~!&BfzWj+ihs@@21EAxW3<>a4HdnG&>Qwmw5prQ7ioK$=Nj@3-ETUi1M}RXqeM8N z;}T*I{~`|MTC9d|B0{c?2E>-xKZtDnkbDcWR`CCyDh(uiOfORImtN3jn1*ZoHQW;W zAwTTxPF)yD@uU!Oh!_h7bgj-T$Xm)CPmJbi6q>P)`G!Yq)rly30y2!&%l$U;a+FwM zs?nLKxf`{_)1RT-hvG%%dy|ER3JR=)S9kbuqxfpeC}EWbKV#7u+|jL8%T(^uNG06& z0r!WN47gGv_XEpnecloTDdc33#jAXeBgjJ;S=A%Jmxg}nh?3Ir+hB7`@@GOp@IlEp zNE#1GR(jWLfC!~d*6b|DhA5gk0e4j7A=@<5FDh77Ps9<5C0u>VxYcR_#ZbeO!dV)~ z77Zs(=gMMqo11$q(ss<_=Vuzx#GIPvz|4AS=e`V^vXX!#Ik%fZ7hnHC?UNwBkY)UP zUMj(V* ze{qKVre%@yE9C8oJx_yKoiL-1copa-9~iTlGOTf3WmHpjZaG{&AOtpMzf8U05Z>8c z%8*Z~V4)m|Pqz>9ZDXQ193LSPSzmq__z$9s`a!3WcONn?OrV)rKv-9HW~}4-MS#sO z%%PJ&p5u73<7?Q4ZH3Q+J!m8BXOkdRVM0UBCF|!8d zMkn|9cgoVlx$+F|OC}C?GAunTP4qQ-#z#tWVToFcBtK{Cj}&8{2;a&q@yaRsEH?TU z|J0AyTf6j3a9mbqVqxnXVBB+CG`1z78L)aUs{Mc(tIFvn@E;3!QjioNl5;Rtj+%2J z*bbAD+8X~5K-*HQq{SpHV>mkoh zei=83tGoc{%m$L~X5lyuoF|`dv5{@ue3Jq+wcPhbq0VLfgo<+AS!=bP43pPMMjSB( zAYEA+<*tJNs!NSwN*JK-}7-rh)_8Ukct8isRdfX3k|7r&*^@^IRR{mkv6^)qlh z`OS9;_`dn3whZAF3MM99>GBZi1abQx6Ni8VZGB^{?_xnc;yvXvc)1sK8mWbCl zXM@EGo_7rqZ_yEiFVH2P*+?8kO`x9RKc;03?!cp2L*!JNEjp?0%3g0>gfzG##Xt?_zl-HZ@NN z1({5THzShJFkMMPhg17oE19{Nsm1z&L}b{YqrXc7rGwl(nhIDC$`N;1BQBE1;#htU z$pcS@#mane9hfJrrhVu%JlK4L$x*i=nOKnvmAAB0{1`g=oh{Gfja0}uOUKg+iZ`%(Kq0_{CGEds897T^B_iO9xkLLwDa=#@5%s@sz#lZNu z9daYEmG&i>%DToi#zCB1vDJywfFm@CL)u~g~YkL3wa zn!$5q;1P5vC?gvLQ@cJm*BF=Tep6ICko2VIHgaAJ2mjbY?_T7)26L-Z$fcD&gYnL% zfEpX+6q1yC)$&!=LUz?LyLmow!b5GAit#DqD&EMboR2@H(`}D{F^&$@3gK$9{b?;X zTyx?c({^o3H|uJb@idID+c!ghnAP}>`4-q7(QIRh%ANvJ+enGyc4sqA*iOY$rO2*THpx9PSsf)(;HqFNn#1Ik&CeTD)IO6LWAY%=6i6z^bXuc?^Ng=K!8} z-iHEX_{T*>%->i;dWpLTr*x-p^6BBKqx}!C$8NRFsJu@+Yg%GZQfZuez8e_&5Efr| zk?-HpZr;F5Z!zU{nhEP^^(+Yb!s7tBgQ!?=oIEDBksYo<5EJ5}zk*$8Cgs?hr5mI# z#4$N1(3Lh?jHkM$W9FF)XtZ<(LR83FXK@rb(dHYj8x*B{5TY;pz@vi>kY06VkY|aM za|${BNrpEJgB75+Fu_DJ=rvLkuC~@Z;akNrbDiK%d0PnZ!42SINrw?5?kV>(#YF~Q zCvl|*K&~o}qE`F}sH=m(g4u>21lKx9;D{q7;5~g@!}48k;8cr8sSP=mVu*stZDkqK zSrS-v3FC33x11@J!7I)93PN`KgsZ!(vs}vAb8THw=HK-2=}Vm9M5O5@zV-8&yHwUk zEyy)@r{;}Pq91Q$Od_>T#Clj ztYdm>x}Nch9?IgtO@DV~EVeYK2hyNWdQ?jD&1{Os&%+890aCcDcqEBwpC)eOMQJ-E zWUQ5*fDKb@;YGub8YzhPLG4kGq;?W(FQv{Q7+;0qP(Y05UEq|l#5n^M_fXQMnZ)KF zC#Gi?qK+u;4V~o1L-NPkW9)7y+YB+gwjBHKTGY{Na80Yj_6E@uTt_1QJ~`Y~!-?yOXDAyep9`h53#1P&9SWt6)+a zZ5*J*f6(X*JFHAvbsZupbRLZt;f+SlbqHv=)0leNPEGO+l91ZTI5~m#Eq1}x{ifan z2v7?sjxt4e*7RFyVNHz(4LmW&Ub zfLQgXTWL)d2kQPQqoEtYgDaW$0`_LZ^wfVKTot?i$d4hX3M2ZNSM>rsqoHBXJk!79lA1ojy03Do{cU)E%Mb2A=OfPeEa^tJ=9M5s&lduWb z%W>dZVf0-vsGQga&he$n%bxX!nm|FMlPBO=8EO1}?`KG?R{J2rI*xK{dIiFRH|!Jp z5GiY~aT1f~g1S}DwuP&!tSH~7de4W{cKN>2S91$J)6v$#Vr|tv_y}Q>wJHm0b^foQ zxU80?u?fXfnxJSv`U`ky@DnV{vA3_rhSZxEfw3Lk160-s7^IH_>8G@tQ1 z{EM3=HT(n3$@mNFOxvQB-6F$>*@MQz(H0~n3b|1%j_hHPWGlHJ;9hzksJI4LpB>Yo zhv9gF6R^KYjw9kl5Y)Kw9#Tuwq^sGW%z1xt8mb6jz!%5xPs6LuJ^~Zr1-P9yv0k=x zG{SA7WyEy|;K6iTUlwODXrhrM9KZ|8l*P%EgOI`!X!ny7i8@>BCB3hx=C5|NZ=QI znQ{dfk-&%W7?|uYsGJ_07fKhqJ2L)XxBM#;>wn!An&qmY2(l0>;6Hy0!{}+DTdM!} z&3{j&L+Mz5vjI{PLw^px^RM)*U}!uaf-C=DKHl9YkKKiR)z!iO9P+<^2pxl(`0t^NzdYbrpJx|0XH_H%a;Wf0LB|o22~zTaxm-cXt1eB<1d~BF~vu_jj=6 zi$}GF&rf!<{&jUXw*GJkqAlGh`M+C0;{TUh!2e?+==tBV_@pgNoeFuI zurbqx;i{e`vHoOPJcEZH8kkpy7p4ILD+oh*gzn~C5}_wN)!(V2f|`s%KmDCq$$|bp z8A)s!UQL#v`DFRuft4k@LTokqWbEA_OI2ZmNNT}Jqz@6+Vwoi#I8fDzA(r4Y>f;-z z4@gn7*u6LZ^j%`q0{)BWzjtF6NBg_7L!?5|K?b@fAh8Yv?s<`S13619H+{d-nwbpe(t`fb(ng)PGg49PTJIM(|lHBP0+&7y$AE7t1 zxIPGZBfas*R2ru7$G9W4pX`VYP=Rp_aQFOh;b#H3>r??1SMf&ibYg3SP;GtX3{Ztv zB@pQadojV#rQs}6`?=COe1e)^XX0MtKUP{hmKN9t;S2eLxm3c6J+caq1mFs93JdPA z`6bQo7d_Xae5PYoY(c?xzMAlt&?P_})1RosGldWkF}d*TML;)1FEd)y6`DI=<{tMp zpwQKpFUS;kwW@L$$OHXIERc>z)T-^na8G$ZAcC`iXvigeY28c>BOubxWddwcbsXoH zuO~+?JW2Ht_aWc;JTfA;tGpNDe;LF~$|#J_JxvXU4*QriHBqGB)u*w-dK~JOfCk)p zg*-@PZZ-t!xOchBKms@tmD{$ETmsyU^Alk(c-CzUlgPpv1zoSduNLC42d0{H7iQ#c z4IQZ(n!;riT@PaLnimbo5d{q=AP%gh{SQ{5)Elc#P4mu1lt8Cb z6w?}i<#WhM)`1R6&ArK;=NADHnl9MJj#YD3CKZn(_T!Y` z-gN`)v7v5eTK=14n%6a5F8>a9g7U^Rf({O)=+#N)fbj&0(}dSZL*sOF8Xe%4nG-f| zV;8EO3gVGHnOi(N8N;`JsL^$G`K!*63D)R{<`3?H2sb0$$Vd5a=xmF*Z10Pc_!wjmB+pu52404S+|2B?y zcZ02Nd})h5D_TEGUAhYh3NKJ^;5cb9E_dQJIFY zp=sCE+X=>{aaS9AYwmnU*yJ(fz>=&7`$!ADxg>_{L)QTSYj+hBvg>cAjEf@|qSj|3 z_t@x4=2ND_sJ6gkY;Jp{=hWThIkJ@fQN;;tmuo|LteRwRlk_W?f%psQuj&Bh4g0GO zQKsr^Ky|*&UQNXjD{x32OH}CRk@b&g8qUl8ldaT1*re{A2911lPj{>*3e1mie(rMl z7+H z0z1-}sFFX6T3wnSIwS8eZy?GVGpIN@o25vqtFPGZ4pSf6=e?k$JPmm;UwYse59lyMbeh>d($kCKaqMHS5lu-F*jHyj!@ZCaDkxXR+T3;*$hDvZ!6hDeIl>+o&lxl;uLgo zhWwXoYy1@ZEv6{U2t)B-uApIBQs5ET5mSPNC8m~TL@F_!Jb+_-y1*Fxi`~s3!3_oY z2-AFPYPtYHcz==+Izw8>abg>BLcdKXsBnt>C;1^Zu_ZBK z!qiSKqCo-0uhXIUmJLMZAE85d1U+N;ecC>c+*%nflSp7K}Lu|WK4N0emnm(27_~nxHP^6Ws8&KYjofF4tie3-)_HA(u zY?unufk^|#jWqd8fW;OXj9vXLHN7P?CHNCfvCX>r#pKtJtaE^*{240p1}?qRi#V&V zQ#TAC456{&8HN3veg!G~EVt$!f)VQb8uy}X#xK>OC45hUY6kXW2c~ns!JX?Lle=&_ zz&Pn(2Al+T>b=5WHE+lw09swyH=@n0T<_N(VUh~8k?XnwCE;A5cliu&4rX?4-)4`; z7l7)lZaRJ{{Axs+{yCA}Gs>!}z)Wn(rR2Vlj%lx84N-KvmNw9SMX!|4h4m`%gk)T@ zHPLqwmeK`;o^PijsItQ6~p>oeuWo`v#s2;1QK|@opn+AnFoh!OndUGPfZx<>E%jd`cy?#0pw%Kf8;n&&S;cdhnH1( z>(=1(rmsQCa2YmI>DWl-G)~{%4+#0w_=kwhmPb#GM$l}W)?MHpgO^xkasx5Id<1u`C<)ok40*etHUb*d8u?&% zu7Q1`#=kS~1b^lRv^2tMH3}xtjBAtGIqK?GKC3+s`vaTlf z?&W(6oPoHa23H8U%71o^d{jg4)fbRB)kTo0`q$J!g8NFh;n)JIR+m7;346+ahs@+Z ztWEAu9;hKxD~0@?py;QB-aShA($`>##2iFSLoih2yha@*fBdBZ$2~G?L+}b+x$n=WnA967Br&1D^={N($}U!|J-SpO8=&@`K&2YZaITcm5}t z(wGQInRrH}ULy==29|#SJgL6i!XDW7r7(qi#nLs2x({g(p9wqho~AsehDqlX*4kie zdI*^AL85y0)`(N4nLlGPE!0K4j}EM>E|ar}mqOoRC(#iv^%b%|>PVyaK4e8d0Q9^x zpNJV$sXTVe9%I=m&~2ciavVslvVUtDzsq?^LG6QR(jNIoqAGu;P)SA)PY0|C;jX!x zd>5*Fhz13)I#z_v%DGY{Bo&V^)alOLuU*>Y$2*A|kdD%s{Uk2oly9)Aa;d6T8jdOK}g&F2Y z^dbC{wU*3nvIAl7Ve$iN@cA)>i+>C0uCQmK$Ygq~umn`~$Y{{ z2(QZtS9K-yZp)p&z$k_kb5|mf66g->zJB)$)_QtQaGy1UoQquzz=}`LA*}A_Dr?n& z-Q;=UQ^+UiMZY7gE*Of5iRRT!8;KG;0tg86>b+zly_cGgQ|fPfQV>^5e2G(qZ2NYo zxVOp;u3teAhdxgXbqxdK*-P%=$nub7koLNjU8oTZu&6iJ3b}ML{i8LV_zJZ!&jZw?FW#u2I?-vqMa-6x*X>=T&m%2u zq6w)e+H;xUPF{%%{^8uHH-W~OEg=>Q)VJn%#%X9rHjg(QS98h65j6j;k;-!Pi^g`4 z=gKn2Z!K%AcHJj?32zZM`Ba5%hX&|A_H0WHN9O)PjsQ{nGM4^6whetYnvS6(=!kGQ z^;zlcKcLv8iU}3}s;d2;FjYC9p#3*K6-L`2vh^Ez|5ud~o}7)wn(0WDd>E=|M4rwM5hHYq$NSgRvb7b63&1%YmEb*Z>fzRJcF8@Fmy>^HZx*F{cO|doh`Ey#~r5TBt@K-yO}3_6Y9oJ`K`HI zt7(sM_vD#cZ+C8X(#*Lrb?Lj*x&@ivpG;ZO)p9CzdEc^A)>Xqcp0cf-_8~v*oM(T1!_vG~Z@zUTul0oecQtLAPKr^^Jzs8YcJ5c#&*$H}eQti+4^Zrac1O=9 zpNLQBEB6$RCtZyYC#Jr3T0EV3^>jv7=h%grpFQq;Mm&GJOh?Wg_;SAV)tICC?I*u* zFF(D@jMzmTt}f}b$i400_*3qmH^pibetGL?LC2e$ZtJt|3`?G$C7$lmEBp6vUhb9i z=Wq9vot`|r7af~|;+Aw)0xgN$EAGPuawNBWi8o64d`XuN(e2)Jj2v6vb#2eC0iUsS zR=|IM;^!~!%cXhR~e?|GGFZws^e9(PBWyL+C@cb2O<-pMLjDAc${h_wB z`eJqbpqlHxIf*f)M8CYL(Z4;=3~pL}c4dz_47ieCo?S2u?(j=P`KqQR!w&cKpU+;|yLfeZd8wZo zzPe&BGopH6?P+bAy=$oJTlddi)UTgv?APjxZxqW~Z>aUp9eM5@@vGLG8iuc|c)fAO zno--De(yeDR@1pPqjxkLUm3Hz<%^}-Jr}pE?6mL7idQP%yYoe2?)$#`Waik%5t`?l z%Qr^n9PtTBRj<>LE35XLY(86+m7Lafd|djzwZ_&rj;_r*ll}eL;h)O!mm<&Aw!1X) z7*4yGvAuV{OHp5x&MBSr)z}lI8JBAQFuT61-BJgw-Z##RF?s?ZYdy&Lf#8Q#ju zSgCsKZh3Wj_s9E=ru0M+8?-Nj@SwP0JNMlTmGPmPj9}+R%v|1eW+1BizVSJ+ovL|o zCYk#4s+l7f>}r|WuHD0L+pWvIsvP&Y-K_kVe;IarZi?QKpf^1F?OyV%BVE(4%<39= zA-A^Qb1!hSnNj<>Ip!%3gH=uYgLp1C{EOvtdoBEONsx%?y)1w2lIJ$oRoZuXU&7>v zs!Q{h%ft>J8e%_L5JQc04#Eby@!K?yuT=oV_w^kZt)dTmJ*1 zQdd=%PnZa>!9O6?_lvrY>@wi~A-(EHnw5 zQ4ypar-w^9s0r!C#cgn_;=X;0%Y8&6_JP1$5fGQf`QTfbVtfkY4n=SwMLzhp^6(W# z*uJ$msGvgbP>Hq43|9l(1We$#;4u|QdX&m$E>C;)jnvd>L zM)a5@)9+r7o7p;u+xgRy*CXUv3ipZ#TI z;5XFBHt$imWiJ?>AdWGs)`~0yWVt*BUXXkdFXEs(CDg6%%YXYEAVXTf$MWQa1%1#agtj`cn+M>;{m%i(%hGejRFxO|WDxHo5U0zZcP^~O4A4WFh zj6tf-0&@^pIm*dg;u!HE)D`0zl&))TBifUlImzRz$COKU^Po37pqLE1y>yK3{eM8r z_x^zx0V?_z(MBSW!*EH@_%*Oe8wO+P%mlcKaMlrNl6s+-Ond20?0${Y#XJLY?fPe& zBTP45#AfS1AS^uw*K#+2)x13D{FOULTks;U1xce2%FNCI%&2f7Lau@oB+W-i(xu>O zd=s+oK@)uwQTzU>NLqqW2j2FK90iD1-0{e*GZPuieUQvn3GH;LL}LjB-<{hHZ*(Oi zK^RFoA*L-KfVdKqtQGC0tMXI1?l>FURHG~MzE%7S*Tt>Elq4ljge~OIFzyR3e^0uC z+ggRd!QYXafb}YVK+!`a6g`X!w^Fq-w|5vV^&J+S7=J@C|1dw$m3SFt`iFXgHsQJI zF!p;4I3$A4+uxI|x_GF^loPA6MX0S0N0uW&%#bpLT1&4W*~+u%88FGbDkFFB|B3Dzm1sBHRQ6K3L^_3#!1bUeN(!tJ zGRcAVf#zzIv9ua-kLdnVGQ8;$`y=rk#AJFT%x#lja$cbdsXtLBeG`fNO~kzi93}Ek zlwB=kChN|j3_1h3a?T-lnJU9x*%r}7;)kf|K4`YaLBDqvJ=96(&lr;{#Z!>vjxw>N z`%~D0F_c1ZGtl*Q^#7vV6)#V1j|6@ZcGF07(&R9BjAUL#0$v^(C-p~##VRO=5?86@ zkl&B&?~pGBFXUMe8pkUMt;=5ef$oMg4V=AD`M)9Wzoje`8mR^bkj)uFDLDnNeJ}uY z3vq+Im~ulkX~5v_4uXSe&tTU9+>C(rlJqREK}RQuj&Ihn^`aXlZ^KmToG!W$v2t!;pMmZ#kg$ zE(S3T#{u>Asg4!uQ;*Jf#WV2xWV&Y*#xp?l(wjqyEb`VNbE`)^JR#KF!1!%d8c!Mu zJ;Z5bJl}$dcj>du%gpJPp}+@eSfi2JqUKHJwk9e{>Z7=#GN&@H0c~h=3)<)W4Y$>6 zA!NVsYx@CV9Ay??RZ0gH-c5>NB6M%@W(75%coC*p@9PTmmhQcU9mI7iytinscoxZ) zJ01LsQPFGs2g+c(PzD{K=GW_Nke47xFA<_TLbXR>EFg6|{l!WhBkoq<9Z-heOG(9x zS{;6ix-33K@?IFZFCuv>Wsbyx%UQOqCP9Uy8c2Yk& zKMAx(?VWMR?TV8!6sWz0*A(Vp_Br*jwe-tShKz)&d5&ljN;OnM20fzxm2iv)`Nvi? zq#C4XV`r_WP<7@yVGQ-)t8sY#&)fd*5tlY7OCWKD1?hha&`2jQH4@1YCPt8U!09#@;Wb)bKt;Ra5*7Y)Ax1m zz@)%2+hDaUqtVVU@BA#)A?c?`F$sklgg1dFgj-tt<+Ek7lWHqs%XIw5AU#MWNXL|T z47BDL#81PvZ#C>Stv%DdNWw}ajh(|kjUsys83zuc_O^N*<)f_3WYl4}74dm!=41r= z#(7Qz!_uWQSajmMD*0=nHD;wXD)~6YO5Z7hJY`~k);K%a<47Hl_c<=;`Q70U6fx2X z+?)}}0RH5l7Jh$Pcn#%8z!FfBs-)?tJc~*cyD2=cMb}uQTt!|F zB0xC0>PNL!nEQ)u6b^SZNPHc8pV}>5$HzXP53j-ON?O-(Y-uW}a2B(Mq z6SZ?KuQGuGjNqp-_~RI`Fv==^hWU9BXzapWj#$0qP)|*kGH|FHbsX|aLhlGYrGaWK z>@Uxo-XWX+QVj(-C{}U-OFLzL5^q=(Yq=VQr(&z&V~yoX)U)gv!<8sF&GxOfc{bhJ zGKq!_O8ir0yBl-tc{)qaXnBt@cnt)wr4uOBk!JDg>)%Q*ppcigns4xjQSj#i*lzL= zWIO{4^b`XwS64a_SL_;Hp2+YnFTV+08odrB@~`7jD7 z(831LJY5l<#Z9n$p13&;%I!*t6bRJfqf&20m{rec)4ObZlUdkF6dR&qPu253pzs*_ z&Adq3X7s$P%+J>?77H=8NS7qKBB?nzssAr1=)q^?Y&wNm;4%bc@?7Z%{tpz$A+7RO zM;BV#-d;-PWGm_M#^G^LB5?<~g5n$noO0=qr#tLso^2RHq=JgH!97U>RpL^O&8e;J z#Cd2*d=Y~p>}Xsh?!_>fUpL~e_-mXhjZ+B`WLfq^>kyX{!iL7F0ir!^3*X=;`Qw_l zORN%B2@_=6;~}v0+KK)jk)TN+@=67CenL)n1`s&IV0GQMkh_p6EsqFaWRvb3*Hu2^ z=@l8ifY*l!FyQ|y7o{bVeir{8bjCTo; znF6@&(PGFiU||O1ZF^$GLKOUrHu0}xZUW7CCt^d4hHi!D-}s!3)*zR&Lh3-Hjr?OJ z3i5GDP`|=un^PLBd=4QufO6BiNZtWED|R&A@-{_q9n5B++TfDSNn#e}QsA;!#hny9 zULVP9eaxJzUVf)7w$ncXwf-Fm%9?-7b0EVHB-<3_X^ZT%u!ZenaBm4lBb9TDW1}8a zAmmr87CHZ@c%57F;7y=m;AY&}3YApcOL&`kO#M=7v+ZpXx%8uA%nn_i-;NAXTK#nv z7^;_m0rNKV9Ln&&Zs62t*4Rzl4~N$APb_zq1F7DjiCb^Eu5d=&MgNLUp6Y)^34p2# zCrfQq;jwhbxdf+CzMPskpw$)2BgD(5i|?|NlI>AdZ@Xg+4_fg>NK`1q`vBY_N!+Mo z_qJk^*~6631Ptfoyx~q%unFb4AZ#wAOJlKEY~fWAJga3Aavo6yFC*`(dg{`6C-OD& zgR%4ghx=-x^FiqmDX5ZP0`sIxtUR%1p5sKTU>(hfpX1;>*vCerMgkb5JZmCh%bkT9 z73WjQQ8= zZL}VKI6RymI5XG}DDUr3FDwlvkli-Xz;`0?-J3COWs8Q~7g9+NrR-Y1Gdm4R0E+S9lL7$oSG^UpqQ2JU7>vUob?gEe(1yi*7^B z)Em`wDtjY_w#goRl*}eJ7*jP~2NFbz;WkQc2#DKD%T42H+=p96KVrXVZ7}KSY4j#o zvY6K3`q)#%L?ty1JM^CbLj&ldW0C1jO`w|SN%9rkNVIh&@;NcW6T-s1V~+zvimizv ztd`6uz8h+O30F`vnYD#Kpkp!=FX3Mt`(v7Sdy|oPAgTF1Ku881LdQ;F2l2T(g4*VC z9($Lu=kz7?&(Y>q%s9@-_=Esi$=Lkkkg$$)6!yc0{KWhUlbII3QGp6q0((5F?y&eI zf}Nzb{YD-;t8JnW7#r(=K*%g8C>o@;HR@|>Q6<|xiRa_xZ26X1@ZMKknppBNBNY9??@{5g zb^bg%s%jPbma+3dE}w~4VoNoh2ir~;oUVUD?wN`=ADfgXpn8DsuT125Mg3tI?gLr}IS zJnx51a}a$`_*9oxyb4)g;a0*nD)vO@mq5O4r6tP*YGK?6*L87L4B0IFYTHLPdeB_w zuZ|o&e^kYN50jo>rNC9Nsy-mO3$Ut|tGE`knI9O*eQHjW#>8=_V9}VR;tpHB(C|kQ zw;R@k&Bz*pg<=!3PNI{7qWBnbS7;V&bL$+KS%=Z)QdlBBK#hY?lBr0;_KuadBU`#L zTZLDPl*-eDrB~y*T`fMb6mdIXhN`hx9ce4qHeRGfF@(gZ2u6^{FhY1sS%bK*sSw`_ zho|)fr!nYQ*eohk_%2RrY_(@h?XJyZE2Qc*oD%b7JegjX!T(Ia+AKv&3o{ee~a9Hl41(FW9*}Y z)J|F`{F0~#l|5{6?yIk}-6IXxZTi<}ZVkoDR-qc>t!IEAhVNlTA1you?1a(=E%l?} zjE=c#=p65B4K~bGc_|dN^RA`9yDmg}QjzBo4wf=`Ie+0s9XNVYfzr8#EF-q%z6~x) z=x?C3h-Y>HRQq{jl-Z__QuBSRq4QEJBt0L!xt*CSnI%FxX~)7e1Us$tX1XmmEz}yd zGnHs@w~{OT4yAZa?X;O44H|2v^)iSj3E!H(K8(jX*0|j6h3$d<&y#Pc9?xy6-sS0o z$nzN6ZDIj}@DR=PK$*7o@oZ*---^KdpXNcZrf(|FRJd9bzgyc#a}|L<+);x%EAvJw z8kmYH)uW4Z6k=C(_%W!+%U0y*b6p{?*J&LpNF!xS~`4}1VjI!_}7US}3ZLU>i=%E(6A}Mh&&boC1SC zFk2s|>Hj^d`W-$feUFM>#i>{JJF*gs2H>Q!xybXDf}U?&s@vX5$R&>Ak?ikkU9!-V zScj7#Y#|iTEa)0?eOf$ZnfYzPb*Y^r;As3FwK9D#n)IIlZ;o<`^qZj;_^P!ue?!J?uYr@1^gP(rLaATLmkB9t$;6*Kdev*;_L^=vC1v| zih_-MR!X0t;QHXS{QW|+D`*Lj((|HicT&!JTv(yx)jEEhB4-@p%M|?I$o5hcJTKHL zq23u4nLPy?5lR)EiH(5lAOBG^oC4Uz2qoKWYLBBmB*MbD* ztj z^yEXTGn3r1n7&#tQ6X(cGaD7sQZ&9ls+^9TZ!t>^BS{e?au!53jsb;aQI#CF!klLe zY)XoFU*8-{G2#KNH)`P6C9?4k=*uw(&kuW*MB_a;jEHZ%#f~(BBv0c_IOm@OL{l0+ zg?|o5$5f5KP_<*<7B<(E=qnT1SN&W+TTgxCOgO7aV}QD!FVaFx#nR{#JmMLxV_Y`uH$d4d zu;ePncQgfoB`IE?hU*&v5H-JgL z^LZ6bS;ToNcC@Dc2$jFoh4e@DzKzsgDMJaOx3G%v$w)AjoR;1uY%{vHe9brJ3HFw6q~5B=qmDZO0$2o6mPY?PX-=V6!P)~t+~(Hib(Ax3 z%MlkVr=!=hx7o5tzDGQHg5EE@X?EIfrch(;=cSPf$NG3Ci|!{iV{;qG*_A%RmLbNx zLZtsn4RpoJ&6_|*3Su*3!0aTl>CJ<_!g+mA-eo*$3hVaf^#B_OrObRCvul#+?Ri_V zt1S>*3)`6K@>0pC6kemUnO=-UPZQpto!-JIVFM_`NO>w@C2c9akT>C(Tk_KO47P79 zKLK+whqg+Iq;$(D%_s0fVA|6aZH+?d`9JV`)v$2}hc7iz$6OY?MBbqPiwWKFxFWzD z`$cu#Q&GllAus-IIiuJ06O~w)KqZCkBvXX2SI2=V6;7{gSm3>Ys!}P2FHrIkrYeq3 zFIopUNRyJbc^o*HWNjVhZES}nzKyMaFI!@QD+72FB{9-aAI~iXwlQ%4wwyOX4;gY073kj zlDye+Jpl^*bQ|mj(WYRw=>;_{Kpc#Fn;Hh0=G5wLL3@3^sGz9|)+Zq#lT5nHr?1(eTT2WH6Ct;=u4`I?dEg$J& zN{|27A}!qpWin-9j|gTqyE7)|Ho7?0F+LhL4X0ULuNBOpPihA_7fGB#%#8*vJBW}J z3<)n8g)A7tNGeklj*J$!WAT7qT#4*<-Wj%~4sTC}d`59ALH5+O*L4!@;54+6eozG~ zslrgHbV6ZnkImBY$Y4DriAzsWV^la2gM&NZ25+f?JL-SoFT+;fio9$)+QXeu+l%(_ z^OTLS4FXWNc_5YO{}vhgw1UmB8D0Aje5fPn+95bl_(~JHvwa$HxdAmE#DU=hMTnd8 z#3)@=am`>sco6qm6Os;Lt`>eP0I6^fcxfZzK5t$`xhXbBR@n%;u{+wDe}FFHzsC3h z%}Cd1{0H>xI2E!xBA=6TBJf?>6^=0hmyYK?;yWv)I*@IX24GGrTnEJC%5^G1+=IN& zE2NuYp>D7r*3Sz+N|!lXax1a55}wN&(K6?DL#zf|sR4empOV`LPLrdL&UnI6v4cAf z-tsRF%jzhmzvY;g``nw3*l#qnP5Ovfc)esCaf$L@X>dg8xTj&q$flC-o0Is-YVKz$ zaeQes_lUA*Yx90Z+^^U{eLJNslHI64a;x|+5jVfEw~Ctr+s0+b+>T*ea)ho>tV5os z4m=?2SF;Qr1^|`gMLGP>K71}|j3|&yN^zQ!-579xAsN&Vp|v%sEl6FqFPY%$H?Yf6 zY&TLJFQ`G-?m|?3o`yfBC~*oummD__1}|^98hIRwDjPlD8*i>^MO)m-{M*Qzq=aJ{3dW&4zMn$s=GI>~yD9_6 z!9k(w=ycat#!LOg6I$USF2UabDkXdh41O0Jr~B1UB~l8vM%TYAS&(-#1ZS}&CLY%q zUTe$0fV{n+KEfy+SB_eX@nV;Sn*<^c!Fya9o@iWVG;a+QB8gwG%!SG{{saXIjwKr{ zVhkZUevhSsOl!l_C^o`{S9^wHj882V8xWhL)eqp&{4%oZcji_0WK7Q82r7Xpuz$ExWJOZ=wFO=sl+~KdzhTR^UPGI!I_l@+m-I9z~H$xz?1)+XiA-qDXM*Fz?pD zJyDO|kYj04+J!{3o~5appK24SG16Lve1qKBHXt?epay9jUP1iC{xKcD^tR>hp znA2Pa%-&UqQ^EQs&Ba_4&BBm9N%C)~gDyJ7Vbp@`2dBoVwnB~Lr+6-kGBZQ*&IcH6dxz@3nhexwjpG8_(>-wD5ib68JW-eQwLSDCl z$9~VzsGIFXjxkQk>5ss9TlzvAmhz5Y4tAG&sbg|S#*^2Gn7{m8kz<*DJd`7N(7O{+ z_Sf)W_T)`Oeh8>o{PAeg0|Z6fv%8_2pz(A*FB)%zV>eI-G9~D$vczJoSQuFX{#!be z0036#9+l5G5G}*#a12KTQsY8>M-u&Nir3vJk?yE%7PV=FI`_<#1YJAnOOT&Hp7-N* zLe3sU#Sh_A6?>0YRZ#NIKQtb4Fv9 z`1|PEOX1k{BjkA~n-J}Y%qRYmIwA8@!(5G-l~h>&lva5njH|~wtzc4irn7H~uPel> zgu7PGrn*VqC^14|b7)ZJnM=7{A#VLJ$^QvCbv5OyS`7`x^rzZF5`$3sq=b%QM!fGq ziH6L8{UeQ=jOCCsA2(PK5Y}%F#v* zkD@gKaN|D=3v{}{IoqQT0Ub3i>_U`8@^3~+UCm-ghV94M_N%Xr)h(2IM2aOCFrkZ8 z_8k8N>=4==bFc>td=IQ&qK2I^6C3(Q(ZKn+IqR^Q{~DDVrPp8uQIzO?W$cw?@eg3C z1@C#dq{I3$3e1cO#O<{FZ3M&zV$~*3B;>!m2*Xi>4JjHr(LWDacY(w!NK0^b*xldO za1IC%UP6ZPad5nhEED4BWmIx~2ZyCKH;8>Lo&6|Q`cMHz&*S`7`qNtd2bAMzTf>Lh zmPZD;HD%S;#HIcE&CJm>8Vanm~fzMU&^J4XXCyA@0>d|Yd zEX#fqTml4gQvh0^FyAItE?}(Q?=$28&=kOk_7%aAe~f&6fTvb`3JTv$vRlD#K)xVj zrGJIBDD2r>Fs(4+*6dEb80K+LZd&>1m(44A03)Vr1BuiCak@gB9O3V;mp>2(0PGLU zm(&2MGBW(pI8#gyTSqU3T*2NQD#BZqS^Og=zq5GUR9a2TjAJl7S)6}g|Zz{ z6Zfe+eJi!}iK6)_j3*#+_yA1FDjfWgGTr&s-X{1H?1Z;iRY%HLV4yfiln`&L*g;PB z_;L^B@gF6i0hcJH#Y*RK+l;83mV|=pFiMs^!y{n+F1DS_DT&Kls4Oyq;!sh>crUWo z;Bl2bktIWSd=~n#AFu$gDZwj%VI7nAx4_G~g5kK*gvpWifmGKulTanR*P~!D5+6qY zJq8hDsLD0@=LR0Pj&MMOeoupEUWzmpB*6P6FT0-Z6*LuGi3rlBU#n&#Luah?hDxeSVB06yUe-zn zA|bkG)SJWVTGTt&CbS4w9kV0LDYwxyk1pfXU`g=3lwHZ-k zr@V`)v@L%lw^(=^yUOzH3VVfp=aCvzS%Rp1ShR>;lx5@3Xwo=zq!;?T7MR@7>KW2N z!tieN*gvG1AV`^%r^4)#IAJ5HuGxb!7p@=^xFb4EK^mr zu!U+{_%fOV%WlU!9s*nSDlt9+u8A52SG6>JRpVu_?d(3dE++E`R2_}B@1!@c;x6f!lFTA`dn9T1vbP2P~NP$ba~AzMBP39tmA9`)$u<+ z>-hJ97vbN%ezyukZv!FpyZOkM`)(#Gz7clCx|&Gl#wGD5t)4bO46-;*A7^x2O@WA- z{xQX7#=^GOmeK!7!7@D5pnn9Zd!Bc7js*k#Yjjkme!2m62L19GNgH08I#UG;iV|E?=%c6W19QyDoG%G=z)AM|^P)hrX5w;i->2&&g@cY7;?)L#jqcUaT|Tg?`i z3S=<@3(V<`3vD4UKyZ%zB_xQDR+q{p>yjnF4wmZ7Qjsz+AA>-W@y`y-QrFzTB1j4N z#F*2LPAyu5t>%wGb-jKancy$Og3KfXLS8fvRFL=a8MtV!&PKl@S`k+gDAn0RMia>f zN^Cb1YzaN|OU>xknKPHxiYqbx8TOfD2w#P0Oaqo@H$4?Ui!dJ6)U{&o89XI%kfNrK zz(0Y>UPZ`B&w`S9F_GauO=DyO#lmhX_W_IfOXN$o^x?#f$QK80@XAPE3~ZQ(kx$Dc zLO2IRwD6yFGGJ*w3-=^@F81nz!jsj-+&wh-$qO|$*`;f5U&s9!tZ(j_vp1Rh3n#J4 zEOBjQ*sIu(U(D)Fyh4GWgJ0SoiHl)%oR8#u$ikSAADZO>cJ0q19k;YNOWHz(Cc$1X z0L%SMACW-NDks8-9uy(>1Tc0O@@42u;e(j{o|uL?Jq*BF4WqNzyy0Jxr5A5?~KmeA*NNs_lCk0dOG(ZjF?rpTm6;X z?cB*67-I*N+*yb<9l8W$)7SO#VLGjM(_k#^}S-IKULu#b9s{Rr3Nr$o99X&_1Gv{l6Wded28Q3W4cY$g3m3SA(_ar?*feNRmrL54%}9$ z4#NPuUbADGQsdx5Y&DPoIXftlKSG-+=}yC#p-Bb zAFM#)C5NMR40W-gmdQ2S@VA}~5&6k2lWZF`HZ5E6*XkXPYqTM$9dQuO1!@*xCUS#8 zu{8UR^gtt3DyaJpp747J>Lx^?vk-8J(ka{R)QXZh!9UsTeeBB`os;_0Hg&!%N`+dy zfNC#c6`libEKiJsjz*@h&7q~ ztSWvxZr(sIm98N1LZsLaInGu|8sbWG`Ap}FMZYcs9bb2tAB)2qRzkr-EIv?&Od!w~>hIZw z{~z|=JgkYc`yamVBoi`8CS(E=nLq*)NrWIHnUH~`5={gY6f`I()GaD13MeWnZM9;H zyVl)e-KeEiTdmZkb!*jXTeWK4>RKzUcDF87t5)lK2HWR(`ujfL>w4e!ulJ9at2W!r z+}pXAbI#{{&c@&2;CCBBN6z^Bpl8j88$QyljLbcVsOSKA^7qm)fwr`?-0YJ#BVC4qtD;TWoiOz5*cOQPH0l8U<*SX3F)nen zCb`$9%d#~l@2$Hs}h zu~dbbM+Z3qI$v8Etja%QJOHp_zhdrH*eADP;UQ(Yt*-fyIA_jS-)&~ezCn^{sGCOY zs@XVh$6mu}6*xOGlKn$0A4cV{zjLt|-!6yqgSd(=2x3u^!`m>)F zOho~$lHVUzbLZB6y1yrPj|vaWS_mman-F){zX>K%gn~N^rJqv?hp{jb36O<#f=oCL zs4i|bs?U~TA*8CBS-ZymiKeMbU^2jqxm+?jqoazf)i0AYCgJkm|V6XjV%_PYWr*B zS*s&TP3Jj(Vr{e9Xvdt;xE@4D)3m-QCuC4c7i@c&q5>vIagf z#Zz$h6{k%?maXcBcF16IMY_GdXB1#(euxWP+UyZ>w}AoEdhiE8&>@jYM(JQI;5$(b zZJg`KCqkGE$MSb%&5xK9Vh5Sfs1V*ohVnsVKVdmg6w%E!hgP;WlzN!a;(ev?wgR#q zh<%V{9>w$69SiXg$@FwM=8#)Uyok@nfqn|4g_K@@s?i|tV+|dZH;F6@t)SWL#ke9# zqJOVn*+DWHz5_k93G1$F+{NIM0N_~Y7kZ|zzud!>PGd5m7wldmPC(UOJ%;#>+D-Im zai5ZlFdu+C@&0un?EU3l77MGxxF}0UmGHfSiv)#mI`T1?t_X_7FV;pdS#ap_L_+i( z=%M*Fw#FU}2~JBQoWO&w`Z;;;iVfH@DI(7Yp)5Xb;t9LZ8gmo;1SKZh={4*i&_x6E z3bL;!f;mX#pEwNt+*Sx8`h>1gWl=Pge9#Kc!@I7BnrGPMI$gQCb|>`#U24>8;J_F7 z17+tUUP1V4!167GQT{0f@yPM3R#Jt3Ihv7d5;lZ!D`7tb1MLd;SU$swUxoUs6?h&@ zzHTU_flrI%LVv>YBWb^>)or2~Z+2Tb-79z@ajFoT#&!cxHy4+R)BOHg&-pyx3#BcUNW*C9SQE2{F_R8Np6IZe9g>q@1x<~Fr{!*+3(iOu4E_w z&EzehFZ*v$QQ5!Bnm&c$^@DF5AjkYeLg3^L4``RrM!_!vEFQU8*lD!i5gL=|uHs>p zIM!?#*6O@6YyO^BXrFU(_G&p6P)>6B<9NO|<|@I!kqF>fbIgfP$t&DMvpF!FsI4%^ z0iRt4_Y%m?D*(TRmkfn43rnuiCgh!m_mtMs&hc=PTB4_86D`g{v6TT?H?Geb@vecS<(%U0u5CB|HM_S8iNU@S+YH#2-D!D3Yos0m+N7_8%2+ciD zw_)FT(1n@7O$Ruv>99)tMs64u7s|vv zxCHhl(cf|S*_y4P&V&6^wSgxvo?kQAp<_kdN zN~o+wrpGGLtS&3_&!R{2dKn&J^@fA|2_unEtnv@wo?&L*Dh6w-?iUgbnp?w-fNa=h z1F6;gU8Q9$^`Ni!h{>wc3!|_lQQbcoHRV7ua;4t)Iuc+?HH0&j;wKRWLr_jC{|Dly zVs1F(dlCamZZt^j$}c5Bou4tZaP^?U*z>Gqd_>}m2hFhk&QLi|vw~y45yC1Q89kbR zB=$1P0>8-cWjLp;mpfyDRlhxUO5X5zrEnt>pmBVqjExeH;DUn4lC^r|wp37Tp8p}b zSg`2+;556S2(I+Vc>QmeOv^pouV@m8mmKefmV%YQ>@Od;=9T4^Hg+pHgH~u zf~w>jL)OjyzY)z-K%1#W&6A~}_UoF*fiS&+n}=JT)8ey$jcFdR?OQP3U+d9u$XpEh zhN}Jm{N{DT_Y~7Dzbyg)2TryuF`igtDW!6bX3P_}Aa2fyO+vEV4?CLBnFLP;3n==z za{7pUIAz6D@o7VBl(P$;g#bSnC9X$8Vry>#=1S;Av`Ej`F}!ICmFtE@3dnKOiU&wbAv417GPiM@sYsj=dK(xdeUUP=g`I1F zL@TAC4JTmM4a>c3*yrZX`DyQUw>mPLR}!jtY)R+$h+>vWw`_wzL$KZ9)(!CF(+o;2!-%9 zEi6PqeRf!wJH22Z_Vn&wCKJaY`^I*%tSD`kh zQ5xMtm9Ch!uh8&5H$R`Wu5HDqxphCNa3?;;KtD&m3&~u;6anpVPCovWWjbr;v7ReQ;Xe0cY_4G$UbDaPJ)kM z0n+Uv(Okz>t^ManieIj+>Sr=CydgYP6l$#-6>fi!&W^H% z^wJ*UrWRP{Mu<8jIjUe?%DB99}J>9~fh3yVk&UH)srSmXNA+HTkRwXxVmSypV3i4+zK8;1Kkt z7MAEJF(Bv4z$j2J(_PR*9OXW}@Pf{hSNav}bj*wr#_23LW=98|owCe!1{-x3^}g!} z>>A)|#=lAW7WiZyR3Cvb68wN+@fdKe3kMYJ_hOF8GS9%q*}|A2Ks(l614}}A3#MB6 z_??<>9~*0xfmdX}hB#iqdYL5795NC~0g~a&RYTbf^8}We)M>{lohH_>UCPATcFgiwIvRrH+@dd)1|+!iS>hH0%5m738%l1hr74cr z;bs+_>MtR~0X+mS!D~As0R5*SZXh_b7Gdj{d^$FHGD-;M*-O;5-Ln?bNr_-@&Z~iJ z;^2%xHDViswNl)Xqmxwh0ePH3H2;nZc*x&mIL;cC6%~;Zq57%mWtZv@dnKKuA$oJz+Bi~9vTBLf1=u4IBPtV3nRk#9f`&_!h>qhCdaAx zhG9Y3(WZUf$f$92C+KIz-2?jCJne*^iFPHsz0uc@~w#AgWJwnPk5!TG^*Fk(ko)rW`d z_StE0lCe0>(QqiV^w2)Y%eYl~n|WV6O9&q+vOm+*)icisRoK510@x}s?9-4UI%fs> zLqQXA*wx}%T$|05pJ+qoNSbhuNe3L0G&T2xBRKD+f`y5kN^%L1QU80U3+mb=1g)(bRX=qq^>AyG~0Jqx0{qU4V{@>S1eBbdX z4c3-4WO-It_2hIfI{**b#6IIZ6f4JZW(nh>-xMT&+a7kFStkCEoLtUVDNGOK zq9)PRp3hJ^tT3nOK0wf5n@3&*NI-9ZTr)*Tpo&PFXE;DPqUcJ1Vg-DXcQ4R?DGH9u z66pqUIS!fN7_kfkN5pOf=&R&ci;IxxFQT7mAp!7blJi4WxMC{qZL&<;AxuQ3 z7&EGDDhWghW*5L4Yd1V)$k;4SL2$Y?!QruXxkRy_59WcPutbPb#pagMh170m*W$6Z zNG2P206f=m8`OHPtoFssLBO;e2Yek*c|9Z^kM-lgJnHU+Pcun7mYS^)wl4+D(vuTA zbBka_5-JqjGU>Hi&b;*1@dCaY# zt-cEg=ruhbRvc#D z>}mK|3=EV}U@VqSnf*{%y+n#}&<@KXO01r$0+NuL_i#h#NkyG^hD`iejuulPum(;p zp0V$I)(qex*>M+xf{M3eF82b$lW}WcDjCMb0%Zp4b4I27&5aT#5sFZmd_+qWopMqf zuHf#QbCdT~y@Xs#j)9C^Busr(R7bH<2}~Ae6>P`Q3gRQm4Va4S{pj)81HzDtot#z6 zP2;pwUS1ub>c=DT%sX_<@$54NUKC^$TS)Kq1*P2B!2G4!%DLV`IjqeIVd-Lw$@wL9} zSXKXJ#F;$U0qD_qenAHn*Ath6zEIA~)Laql0dr+sZ`cFoVy-tG%`Aa~QwRk(WHa3T zBczl-8SGBj^g`imYbm~ayF3&DD+Bn%kkh}H?NG1|UAxU6A>09Cnd4Uq@|!`oF6rkb z9C($ly_|gk;Qh{ROndN(aPQGe7;ErO6D$G+z2#`Rxt_cA;4qQnp6rYeUCtlF5+lt6h4GFGJ4k==pDI|Q4U1I}-{FOb(6X^b6>=(13e(QP z!LQla(7WOzg5C*hv3Q&a-elvQ^A7c^N}}TItXez@?hU>b0lX@Ae=-DB8IkS|;9C_( z=5B``{2bp3&H7# zJdn>Ldgq`kXxcNVAzK{7uiAKya~?Fo+iT1TbIkqFjMV!;Em!g8gpL0PGwH%SN$n&cSKy;3aphqg2=hbP?6Jn#V2gj!a{9In$8S z^0waoVT8f1sm;Q@vZpGXfYf*M`R})!1ok#u*=mXV#b;lyAi`bIF z)=mv%0pLHDReAiG=1S~jva3W$u35^AV_*Xc+8|lFdl`}9-YHG^2*+hA^ja>Z$oig1rJn<&BrN1Jrvr;IJ)Nk=jklK0 z%nZH-1g+;VA43G!lD6Dci0B8j%$vz}j?U5K*x=h_tlgp&vs&hTsA7+07GO7(9GD?^ zP9_f1-(6`q1dt`+IW;Gv*%taC`+I6&pD^)kkh2lf1P`YL+?PI-DdJgx12H!J;9MlZY|Im)Xie6nIz&fW=Gvp*8X@!eor{! zDD7{w;!Yypr2D#is=KR*4eaRT6S(#Hw_6ConAXn2u-h8F;f&3B65E)Ia3Xb{#r@g& zpguUiCTzOVG5pWb&a;rC{avt-IWH4-W-j1)o!^3&b{?Nh?(5CX_QiwShI!yVOW7eS zYZY>zrxHqDMF(HN)r1e?jt|zc@w!gxNqylwkgc$0QuXKIe-Lv!6RfJbu4=T|o1pd$ zM?o*l036M)l@|)&MO}wKDK$gsMz*^hY(*Bc6aSnqn3<2MyQ+Q7{|k>;=&L?6k$O542e zD#4f=%@0P72}vOkzUC|Z5X4Uhm7IyUI`oia*U(x@vk8l#|2|{J9ZZ8F%&&y* zFs)0rpwOQ<-WJw>D=NKF00HekL5_N-kIZAfvQ?6o&8zDAvxRWbs7r>~;eSOOAggn; z@fk|ToXA=q(p9XrT;*_Aae&-!S-|i=De$Q?WkRCdujgwN6;~koeysg2WoSpzeW^|m zFK?)iXGTDRqZ-cmjzb}MnIJyW6oGNsEp{@XoicTyM`-Fsvf^j)W5RyVDvrh+<*02f zxREoQ3R-6C=^rgcI<{Unn^Y*|#$6U5ywMQm>B%B}siab2dJ;~Lwfsq*mq8S?b#yq( zpw#+&+XizpkkN%Mo6Yn$f%DK#JsbI9#*iVmHEJBSZCa?2u!+;7_%5g-F=r>c&k28Y_>0BJMN;VE324in6w6ZN_h z-ssh%gyclz3CxYCO+lNIcb#~aZ*9j$XxCPm|hA>*i1HUvDc6dTh7-cTF9OTtLns6u00=yYmZ49s0L27l6fo~ z+g8!B5D8V62aCiNWOzmbK{q3vph6Rl{=wb!zt}HIJgzdW(PO42Tvw_xe6Hd%W!!Px z-Sirb<8!{?0VH-IFB!KDt?>?4(_^S;*vIKX#9aRxus!3F;C|fR-pPR5IYzhfrpfSh zY{fycBKV8FN@cqP5efDRRpK9PQeDReifNZS6BP`C(++|3$??J0`CJ*tLF*G_Tpaj7 zAxtu6&q`AnNwPAu=INuqZR$qBZ$mM7O8M!rsk0h<1)U z5aTI@d9mN|ee}YR2)cwnit^Wo@l~+0q5MT*!UE(=Mu$%!_A_CeY|sl~ADLk_N%yWYkZ(&i zl%pFzF!{h=&TldDUm{C`sYY8`Nu>#MajghTTW9HowM8K%H2if)EEg)-1>-gLq3(YmB$nPNhcG*3xI3<2@0zMc}^m(1G7b{zD~x z&~Q$-TJ4*n#EU^nq&UiUGJK5Yz!Ig4<_93W2V0vLfbYX%wOX&L8!BiX&$VwP6K&ip zbR0W6&>3+nahvP!^E1?rY_;wqRgoQmw@>$}%4}y25QPS(D)1sQTvC}+1GySQ5u{XM zj{u_FpeC`M4&fZ(dzpbIC7@1knT{o4w`MC6W8ITF7*criYJpY>la=(U z^Zmt2hOMF<5XsCm4TaS#lU*l#g*F7xaR1d&`auLEV|Wm&}kwxA8a=-#|ApK@aV-7#(vDC*MvbT{sG>xQOBxy7ZO&>gfN1C zqHuVlh3y*QSG9eVdWYUIUSoKZw7efKj#AeSg1NXr3PEH6(Nf#mxkjMEzySjvhaw?X zVfmHzx}s^XSb>@!7eJ`hcGq%4tUsE`7xyc!{Q{f&N67n#&%G~)Bnp;TEx4)<1C~1c z#MG59fh#yCYEKFs1d0Xg#3+Cg@TX#hL)cqwt$*lUM6m3^EpClCA6wU|_(wpusH5M` z?ra3>*`xKqig|aM5F=mE2q5V0o=)t8rBcXI$uPv1$PKr(bc&EEcYGP={Q(uLJkQX3 z$e;M1h=OGl-Hv|FoLdYk9fD##F$>#)&CIcx{ct&;W2Uv2)H;nrM%iQA7`JMS`yv`w z+y78++-7duKf?neD*PgA+6Axtab@kzhOfXu9r!s5j+QWOo}~bS(V+DvA;;ZFu`Ozd z#cjcvs>VQ&7H%<7WLw{Ua|6TX>b}w%%KdrOy8L+7!tTt41KNiWU>jF6KsQip?q

nKxgA0psnRQtk-4qp5T37;+civLeT!c%p7mkeB&Ey6Pffwn9&XS!b zB%xrhq9o*Rum zzS-*OOWz4l5L5Kk1KVdzTjynfxi8rVf>hN5xAwlOsLBF{)lYR*9&8@52~|CV+YEXO zRkf#oVc%h|F{i6Dvw0*;z|M(G8}E2r?U!(oS5b8)(C__}zZ^M7fiMHM(K*gG%iK!> zb5GWN*~&kJ31)NxGaO22dSW+gb>~z>203)97exJxbEp@Q4RnR&W->cY*OfurOrM(Z z2i(1B_f@c-5S!gMs?691s5?m9HPgeiU66p=mb^tc*W%V05nf<(Y#>`@d4(($w*p_G z;+XQpIOC7%DvmflLW!%aBzO$TXPJvttx5aPov73jOd~US9?Ep?vlAL!yb3K$-r;yA z-21X#oWzJW2t_x08{9%$4Y$G^Czi>%rPlp+(@9lgHYZWFje+oLP#r!dxaZ*$Xdl4x zq=yIsZZLei8@UV3`^3fJ_5btsr9|?;QcarF?dqeBH+7jA&Izt=UxANI* zo2vQBZzFLCXL!SvPCYo~$A&vKV8ZAra}r?ihyxMxe@a87iPfQz+@XJhNL@l@+sgF* zi#P|8KRUF$KHh&B=Kfqh04VP$ByPKFcqx``k1Cl)$d)618ELPJYPi2-JSa9~2Vfcc z$g(1`CIxIS=ojGiv<=a0dZ_@`;RFNwc*d zi1!piF}Fj&9|$56o1(a*bT6^JQgkYqnbM zkW0=u&k+eVYlJT-=S3pk+ys*Bzlnjmqp}M54=@RARiGX@w-Y_g)qzCh{20)qPXrBa zehH6}X2dMQ{W;UxBj71+J{xJx%S8v`YAr63>22n@JV!TRDmFQMY)FqF`vV@xN68yE zv9Dc!gRqxOR}wLvaiSjy{h}=+<9774c-d{$+peK>%Mlj5*F1!x-V?{7U@?s6MTFNg z7lbs$j>X=-O8lEJAS_r$_A|dM^n)d;Eq@y6X0Cropm*_Mp^0$Xq-C`~TlZ;%gJJ#|Fjv-x z)t-ep@{&Y841_kQb~otWbr9ER$^Jzbx?}%X1H@*vpIX1th>fUjFKpTem33PnDq}yY zdjl^07#ZG#APqp;c>9~Jk7D>~(R^l%_m?>2w)co|7?T|z58=MDe6JF}PvE`^Eu}5V zT(DQMU#C~0nZTalo+S>_0P#53=jox02lT~Z#k*|p(sN;*Vdui!ETZNHUjqf*yB<5f z?vQ;Cfl=b^7F&K{MZ&&s_Z5b&3RhLQ7<@L#?y_U}7kEP*B+VfK-iR_XBr=u<&bqQ4 zd*;4KEbsrkGSrpH-LnCBphHCxog)5@%Y+AyQkzQBA`xj&eKiNluSgui;6J z^CbX1hsm5ZIEG!%E@93)r;xAVA^bw4v&L)@n!>now&fHz2J9baxle7+vbO&)_&6MN zlC1;HWLC;P9d{7-H7_7sjsY6JE15i=vt{IxKzE;KW>fa%qJmP zV{43#*MvKd>n7^Vo$)73w(}U#mw4j%nw56M^?4O1dI|>t@C-n$1mU5~@q8R8>^+s- z6F3>(BJcv>5J>23ADAMZQTnxxK#H&yfx#w5!V*NYta+H925eO?m2OHbMBN-ibqSW! zZ3F_G$3W6 z2qgwUU(M3^`nIvJQaMr+4a@a(k*HS-5O~rXVhaj-BOQW;K@_p@1r3y%0LjQ}!G$a> zdPN?%Z>jh(1X(8lgwB&A(|3WpzK3!Mh4BHyf(jO+=Hjv8EDoyC1=IFO15 zGZVo*S%QMc7WTwFQNV1$ z&BCoQ!+yYPu<%bHgmKSIhch4zoT1--LxGxyD4l1R=Ss{m?gM0p!gB!This%a-%pr+2dw4O zaqwdXyh~xhkI7iio8S|xnglz*cL=D5zYAU`+c3vqHa4w-JC32?GSb4%7c)`T<=SRQ z$rlaGN+{v3%TmbbHfkW(UH{x)BQ58R{b$JSm1*{QD#u%?x+5y|!Nxqt2eD#X(*I5o z@W20PxdU6LocmU?1|jb936GGf=FY*s{(+J^0=ichgJd~4Ozq}+n;KLCm^^lYn{m7f z?*ZTGJ4(S9Ww{jX>BOZ=(b>n8_?o%IyH6&xA>2QQV6UN$S(a$UMF@YM@y0Eybr|U$ z!{1Rzqx=?Cbp5f=O^JJfNKKP-=DUv?a>Rp(YxWE;!yu4=tvKPz&%bakdr@4c-8;I`1iSvw&lj z427O<&i%0efg@!p!dro>tS7P!r!B$Z&JLD$jP{q)xz6YvQ9xffLlBt-AC@s9hRf&l72Gdwhy`b^*zLVvk14C0-;a;L>t zvHuvA$1lUeQL5lJa&&&d{&JZ2rRfJtfRlns!?j*h&=GbjXr- zuBsdDK0n^@LVUl&kjS%mHsN3v!PWxCY5ta+H)6aPEWq?)>I|TcOJPa|GaJ^^!rYJH z`2tG5#Aex#R>FHH0_!$_NOoGpwT=KV3YakMC*IBI9@v6-5m8$J^jP21Jvh)F2}3Y> zf{kErkS4wc1Jyn^2f5sH&>%x$I0?sCPZ!}?IrAe*P5ur8JP)BbY|Wo2qkt2$f0p9> z;-*{@XHP)md!n3WG|u)R=8|9_7^6dA8fRyGhXw^YV9)7Q9dL<&s8jauxTZqrq67WC zuqrrfz&T0vWFtn@;KI52&*S1rXLhm?K+)!Tp4>8drL3wuSB4InW~p`Ws_j!C)vL~M zkFs7+H*d#DgwbqgpJ9@k59(F}I+TsoQJU)Ox=Q`6j-!c8;Eg^DW>8}fYh2q z9kMj4vOmyT1&vs(1`;PF@0>x_>lTrCKizX^x)v6HaGD_IGR=HL|3_ja$a1v=OK729 z!%O3y<_`oYlawOxKN8yf^T(%Y2><>WHkE(=JhH5E$iHrei6#M?{&__UPzo+d_$y_O z5cf27j_Y55D5=h>0jRiw&~x+NtOBghJRL5st90%q#Qi|xC2() zzkyQHZ~wdrjy(VQBc%E%9rv%MNuV%5292qa?)%RUgGI2V&3{*9!tknKAQ((Q+ibD@GsWX%ENRq?I+&6f^p`ZXhr4>JvUWB8sfXXni7I* z83$auZ-1Sp6+dwA6x?Z=mKESG|Hsq77%=+E7Y&`J>nw2l&E}7%hsSlCf@mu|Li*<% zbYKQ86&ZXzbEd%#&#U_8z|07!RmTO^tXYwcUh8@^4LUfBk!o||^{m-OzV8R4Z+$~Z z4S-u)OGOR&{8i^*C1pw-etKPStyE_Dr4OpURqCKoS3g_Odb-Z+9rw$*romz1P>VZ1 zoLD^v{dKUI;lFg|Bt0#xwO zLR;6RDWUx@=Pa`4El-D<9$M4}YFcZs&5BGcc%xf=pbq+?a6_;4Qk9c>Z|b{aDxop9 zEq-q})cwfPq7yw%jr9 zhc6m>zLmeyJ04m*_WNTipMhc9x2R3`Rqda<^UL`y!=$F)zw_g%w_b_uF!|A=2Xc^! zj?#!r!{C1j`cWF*mX-|p42EvfbRBeys%3x@3${uvf$9#Dx;lGajAxA0pPk{(sZtko zk@_mN?Bp9ci=oGQtuJWIT?)+~_v6XNt{^M>7bo_7v)gjGU~3sPWCir$>Ge?CRqZD| zRH#818=zcUF5J5|TN;O!2hBaX)ef^;{-$2fr_s@jEm1Ox7Nf@D(*ACaiC|}wE11n9cemlqg1YINDTP+Fr z*-g-@U*YH9fBkCL1Q_?1pn1C|-oAQhQQD}>yKAJe>isS>_}(w@`wa_7!cD2=t9_Fm z-nkA%OCoXq?$2l6UESfuKOa5*KTi!|fBhEq_Zzre^LO4w z{6#pj-+uo;g-1DfROL{}DBqH`?^SGEgY7fm0{hABa23eS-;eqC^ZsiUcMfC@aNU?y zPm}YlOnJco<@(2s%P$?4+`YFyIWr~M?RGjN;oE}J^88Vi<|tLF$Bm;f&qqO$ytFhy zAIL@uPdc3MRZh2y2mmpu*6DGjfi+v}7DQM6XfUa#h-vvzNF}6ra%aGcD+d~3+{A*KsJYNi#_Q-tik@alws zrENYa+~pz0dbdF(L}Dy9@?+uVRF~}&A0WM;M(KFAF9oUG=_y1MywQrDG*3Rf3SxR{ z?k=QA_v9YN+Eh=96QA&ngYVN^bn?oK(I~CpGFG@#$k8~HP1dHS2_l{*Ld{&xRNE*h zClafK^fX&Dj$$)aVu~~C9r#u2N=b9#5>C&yRi(O|xlLG==1d3l2QdR@0{6K>NXu;x zH+oW~ju3^^+%fP(S2~oX6;lL}+Z2$#NKen7iWTrRBsp=ViDLG0tVnm;%5h(hLFIP4 zA-9FrnU<1{JBh&WAf^?ZlB?V)uH1Ua>m|BU^N&JB1Ti)HSxEMgV)KbG22SXK{7%pj zf>1D1s;5iLPXONKoU>wUnMx3x1%Dt_YMLwm85v3~S}%vjiMf;v`q`b@PzV;7lG$>F zGtE{HelHkMV8J@V(flMC5{ssTPVP*+4A452%PrdU(DRBkA^&?h6kd>|P^CIuSs#nf z!sFepthb@-*1+3TA@_TQ%I!)iI0XIS@<3&>(m{AsP9eSV9zI&UPnDXIMy!&$Ty&-p zZDAOINltJUeFG4AaurA*$dJn^6tD`F)01-WZJfgPN2xYFo&j{fiqv#+4OA7F*?%OU zNa!Y~d*)G`&6a?8h`9ry!_r*2E;$U7STq7xC?N43jFmgr2VL%Vd9q&zNO8$6tnvr~ zPR2*rE%3-(r3@r9HMcEvPg+{;CIxck*Gp2megiJ&)1V=OtKf)S3F;I24JD-7w;#4Qs5%pXra;B&_kZox-o!r%htNYbXT(r^JXJ*lYc-nGofeGMS}N252U!VCi{5k zy%cxpe2^2U93X}c)(u||D zP&W`9m;=P;K#Bsz7o{r|E+=^vs(BR&CBG_F&Xkl~C{=)IFoJ}Df|5B1h9zAF5BTvX ze3G37po|~z8vX|;$di(L1*=@CX+^sfC^g@#fk#8yD?%ZP>yP4DfEI_^yA5S(UlgQ% z%kLhha;2naEyKy|ad?-SD+#09llupuaJh}cb@&f90Q1qAwL}urRKZ=~pcHQRp-4Q9 zKO(iDC=x7dVoI8>n8f`7HmpcXtJ|5~85IqH2LV?2d)%4b1?l?M8(SWb=FD9TqUB6A zOe0%_*In{hi&EEb^+JyMwETMLqcn*4`kY+>i$+@hi%LbhGk2&=1!9nujw=Cq31V{S zJoI!4tQXcvW7|$S`K92;R=^%%aCTMOLP@<30Js1wglgCSbv?yJu2ugElg%N z2yqm99J=m=UfL;2#{)zcmXZ`$yVkIN=)9DI`_k%=6$gk+g)6nuE;Zbl<}w^n!8=&Y z4ewAe0fxicn`%5rL-ZR=!vkPonOOvrcdG(Y=m17KlkW@Hrj>lDLoV_tPBCXA;ZPX{ zln5#*r(hjREx4qF8J?D(Bt59^13ZrJkMx2^bcF{x&;_3YMQ6!zfC39{Pwf#Otdpsp zf(rm^OD!6&msZ$=Jt3k-E2N4k*<~_CS}HLPa6!mf^h|`pDV977qwFermO}1=`x+CF z@>NRNx3XNvA5Eq;qi=8!Pa3nmcxMH*3n1m=+Cd?-aTm0Nqhi{v>VWRY?t% z^rsc=Yi?g9B}+#pT=18sZj;|!{(mUyT_wG7_=)#Q!Hn?_{amh;RKfjHd6EYBiPT$? z;&)j3@OiyUGIdB6f&bTvx}?v6fu!cPq)H!OmGS&NZenV8Nht#p#iz$5UCgiG_Qc3Y zgJg~Ib6+ZYt+VY?n7x?V3yqQ#Z&1r8{WrZFj3|kcQXUWWE0g*s0Y8b83>j@fdHm6K zSTETd7U4tM3Q$wIXHwIvL8ELj7l2CmqwSi%eVnAqXU;XbM{s$4x=1Q`ix$7qTm4gu zeWo#Yi31yd=q0JQOj6N1eYTB|H0%~VlhDBDra_XfENQ+&p_a2-^k7N-{csIr}cCKlii;qSX_6}avt(NNw;CRj#idCW7s-}H?CSF!4EY2}$p%YHC&`ra zR0qfHwUP=>e2HVn{jcgb*eKpzh2M($OZ&zT(OdqAK7ZW1eh~z{1DGG~{`|c(-cSB~ z{6|=ALZoDxOXyMhNMVQ%HOEYqj9e3M#?>l9Z=(kP{q~YEOq#loqNp>EG5M*S>l&U?%khc6u zYnSu~>)>~C=9v6H*1`V=N$3&!4bS*%8I;LUVHA!;37AA{)P;o`HWWspD6B_hAtGgw zddQnwn1J=`dZ5A$s8Ek7R9J`#dk{Se3DhGV$04c^!TTPl2ij1G;t*X3zRVdth&5`2 zdJrfQktJ{?>d~l9K=MKqg~FdeIdBKIq{CC%VgkYQQg9gRfz?rZC^!tl^CP=R@8nMq z{I3w{f#xX=+iPXx%9bPxYOI0sK2#U2|`b`=% z#a|W^MMY?0=F?%@PZ(Db_IWp8*gpIfuK9n^d;fLRHe+UVH&DwFD8PLb3PfV0C&Ls- zO{tI^{%PS~82ppLKLY-R!=PemB;il@^hFxf+hNRpgHsH><2*;#kX43En_tw`J76Ncb5ra^D zy~_o~?n!`hCQK-_&X|D^P)w%ityXwC-Wv(uZph5U0~8Y`;I=BL77oMl_(Z%FE-fsy zTH$MTq*O3XbCHUnL&*o)%*>%f@q2MndpFFOF<}DnJ88fIPFK)0o=xhs8#X{C4{;&s zk=-Jpm_qpci(W6+D?B&}f5lDE*4Iy%VCx+TWkX+L2Rst4osVNtA@!SdTO?kphc2~R zxiNa^VXGB)<TZIQ?SImG|V!2efy?7?*G#;9AwF+qVPag4*K_WK4M&`)i zu{rNmz>^okcCs`+2bRQ+3*o=L+ZVts(ImRKv|O(sE@n#wMPUufv6Jv0Du+_yQF)|1 z9Br{76Betdm=B&ItqoR8*9AFpl)pENifb1o{SDn`ND)bd`B!xk=% zhuh)FdK?agE?f-tw?loPIH_s%fZT5l@1dx8vOIoAg>-$KRAG3OR6aCshjcsC9O^H< z&&e%VSgx0I&;twOG0Mp`6`vzi6in0s>@5C%GBjBVn^QJn`{5@oGW9>lPm-zs`7QddGBxFU4KwEx z`M=D4dw(Maj)BT`ddh4dIo^g=g9na}gHUTe9BEs~2`uqrN{8@I{c2c8wQZX-G;Zvu ziqdhz%PNQARzoEJUtFkiNL=Npad8p{!Z?Zep)#&)9JcfY-z2y%SHsdLIYc4gwIz7H zbS#dKiK`e@J+_pGKoCH*Q|%ao3J4geq{yeN5Tr>8eg{2NF*sBdC6R@Q5U`NN4ggXX z{rIx6W#a;`BVr>!PXIDPY5`b4v?DiD=E$esLtg}X%BkREkiNx1DlmwBTY4stubDS7 zpHO4W(bOv{e|b4M2F2O-W{!;ujVX~E%t5F|2B)F^U>@(jXa);QFu_z02c?~N*XBcc}L`y>}Rx^&d& z@>1eHu`2I48bv-NG?h_Swd;zpbbgs7J*P{5iV2hiy z96`pg=_<)F$|6*S9WfC7gAn*&asNo*XMm2Rs8FwDNPLgyG1|nK41$=W=o~6*!WjY$ z)a7(6)rSs;Jfat912K}J$a3jZ*(GNnD@g29lnvuD7Rbn6$-@{M(O$|;93<8#UPCk6 zh8kA3%{c{#FNu_+g}MT|(wiu!CURf1CbCnQDGGm|qowFZf$>sbKu6KBTwX&z2`apnGEn8YB{HfcLk5CC%q4<&CSfJ> zZK_&|nu?0KVt$>BY}V$($bexOPa@I-Fr`M18Koq9Rrevot8??l5M#5_XKtceL5A+V zin2;7h6q4n$Jdk1$w_4+X&t0I(-9wy*{z_uO{$=Jms( z_%fm43oz9Us>kp|H*PmTbt9-A!0$xtw*5{P2CvR+25O6yU*WmYP3Qe>>nNH|emS`h zq=q9BD3)sDZpK|o-GTv8_5~#bM^n^H0J_=UA&x<3e&{_3=mjwi5#5M1z<>}y-HGr8 zNC!u(h7tjQ$tExt=mh#OkS|cVu)}h?JhFE6f@9v%z{pMPRPfJjWF^K5oUEHj&U^^d zWt8z!@ZTsrc9X*9XfQVC|*#|p+iwYQSpvShN+2Z<^7UqSd><3 zmUkn=vNE%@`^`R?A1o^?yIbEEeSW|1@A3O%@DMlH-tTi>=XH5r#*xXf+FbK_sw;~| zNPwKfGet32Ov}Xtd|I8QB*nK2Z4f}jl7os3=+)+*sb5BUmvwk0u`BP&iMY)4D#e>< z8P)g{_%CG&O(_`&w5{NfCJzW$TwtCo;L_+4%c;1A?%s!DxIl+;10BW<;UV0}hPh9~h>Yfo0&~U|M%~9_@or|; zvO5Idqd)VRba>t0Ex$VtQnEjOD{LHbrel~W&^~aVi;>0+ZF5AWzNf6P?V_cr(ET`u zbw#=QBc4u=s()S2qybdvZR<$q@%P!LT$8@A3K18nvS#D|;>ut_NG2umhhTGM-o{($Bm+^myk{QoJ)(xbqwh^<`+O*=AVo4!b5!0~no(}IU_!QCky6DvI z)K;Q{#>xn>NnJt0u#O|rv12@xNBk$a1!_yRqO^$1?3JWuw= zYGca|<3LgNx!|pu*Kn0AgimMwrcQ**Qm*=7rDjoD*1l3*!1eeQR;t7%C|#}{5zAQT zpwYUE1-;8DNwey-m5BM25@u8C$T8X<-vy;ZdJZpwW-9f>Mlsk-2eJK{(RB^?cf6&A z^}?6Na1u!x|7u{bx2}Wj9iy7UC3s57UCIXRPcl_T*qH0<27)O>jrKFY9?Tba2Z~p)4o7X)hInFSR}pmsMBsV ztpo3thMT@2F|ZF^U>I!c7|)JyqvJ=}$R@g`g2W)+MO$hco?S9(dZ8`G_~*USStnOeWy~UW9d_lOTE3 z6P^}%T{tA-K}}`649Ro2NC8~n1xQYIi0B1P(g{X>=VwQmterW)#5W#53+yyvzkRkiWdIAWAv{3j<4`Q-?^fV0qPR3$U;&$!TX zF-iU0-vi;T!AM&S&PvqMbKxw{zo@6xx}gcs(1z6TzDKeT4gv_u$OF)cT*bM_HrSjR+^bc+}S$(F*iTC3Np}5PvPd zB}QIn5(!m2jinFwHN_Oj$kg8~n{UuFgQ%JG*VYpaUZQAoV!5Pj+X$FR0j-K>(9bH?ZZS80(Hq{r)BPiHqed#(PjnOL} z(+EAeMN)(>bwGa&ZL+>C^5|c1LRY*7U_$dhCZ6znM}Il8y|2GhrC1>p><7Cvx|F8) z_rs80ew-)BO*}z4z!M`*KuO9c{k337WNM1IQ;m2|bO5Sw7sSwt!|%$aB)R!xZCEFq z=bMQ5BESI;Z9GQ})&yZrdaMK4ezdH8rnRZw)t;`VqVjNpFhcLy6igw-;cWFXV5O%9 z%y*B894`imbXuxOsCEYSWF!AnXca-uN8{;^wW9Pud|(<&iLB&X;W&O)0V`kr4Ss;! z@()LRHId!3JMa`17IJiLP2?*)Jh~E3ln-Xk5VH07U`ua&ju}fHW>WTOChmR-ZpR$Q z7cKYhMQ9Eh@1JEUPC~4heSKTR-RYZmV+tWRsaHw48wp*h57O=4NE4o;vD2n&Cy^?f zn<=;ukg~vcjFa_PY<*iaVLy7#A{+ddQ<#XK2<>EINjjE1U!?xO;#JgTVX49EKb(S1>l%AOnswgdll;&Qvlov+Jjb$3M<%)|K~)nRdWVnXN@q`JVhzr; z-VgpTMll+Asxg`)fig`Aj@JMqJfdO)HuE`hS<$Pw$h8GT>=s*wq>(C|ga^BOA!2sy zz-8hqXfc(sk$mdTLY5!n#25Iq%tFu!AcAKBsV3vfTT$Zyxg_%j86q}P!I}Z*y7yei zmf5bt4LuU^c#yUsk7si})Vw8~q~UeSd2GmU#$*B#?ETc1$8BR1guOZ_Fq+>10cof$ zga$4eOtVG%JPRJiI$Iu0AQK>GnE?42Jfy!w=d%_xTPhH}qcGvB9&!aY|H(8`fbdh^ zp3h9Mu2YYSv&fKGEhAe3g>3VuU2u@@wqzKvB)ufq!v@w1^+k0tEwf#vaFct918GlkPD~)#(jkhfgpvgBagjWPHi1>H z%L$ekna%jC>_ZgS7nc7f2H%t| ztVR5r_JstuuV`qS3dOeYK%#B4$TT<&XTYOBl$3Y?=vt^rdC#)g^gLl~PbntR`)vX{ z;<6O2Bg?Ic(!%!0Ds~e##*rnEIBtSmE3nHnI$oUzDFx{j?A~&om(y;Iw!j7QC5*P! z{;0-$T_^OUm-e@P%|yE3`e#gJv%C_rrYKV7N;F=$8IQUL`)m2}G#Bk~#>wGtYf6J< znHTYCy4uq~PD(W#Si|Oz(+@vD#?U)rf;>!!W}xo40+;|ejh;qtc|YqCIHtYpq;<}( zoE4oFQT-B@U-L?(Grb1?*ys2U9-)EtK%FlOb%PVOOd7AiSaZAD8Ji~w3G$zu@t@yp6T9(mF~|(q2rGv;0W}O*4g($fLBES=0sk zpy%_pG50BK2e0!txHKr#>ELgay%__BFNVZM+D-KG6XQ|@g9lyRUxh@{e<4} zd^InT_tUa5cJR;)C0IMUuHvOKS0AK98OL`jUdYQs_<`J11WkrW`Kd7Xg(`W{Fu9Y9Ax z43iWs3&|s}C+|r_%8Q>s*zJm!o7A1&F$mvPK8)3Bo!{sy|FjkAn9(v?7yZ3$#&x$g zqZ3Pk;9vs;Y&zcL-lC`L#e@LWfd!^BtM`p4Us=D~IVi4eB2QzFaiesSDm~a{o~{b? zC6eM}`s=$usR@_EGF=BcAM8OfJwFAR52lgL@G0J8=isK#s<1!Tr$L+fM|#( zsL46I>!0NokcN_e(b?C;vw0)ewg*9y&zUeYUe0Di&?sR}KiIj0wHIUXWqQh$ANkWf zwsR2Nrpc(#iS4iEKQ3ZW_0K)eKvJ|@`FAlSC52S{t>9-(I z@n`Z}ga24p=@&f?9eewFHO_H9Nu|#z0blxs1$~jU(J~_)IWJj2&uf13@V3^rD>&uY z&+To14ei&iI8dt&r9)^sut51sEG7SML_+QXDEtmw75*6ikrm3aU;*wtla=En3(RwJ zUJc^h;zYI;mQ)T=qB$hT*=Tc~>1@l;k!9AW?FX4Of5Hy6c1tga123!rV&-<=li;!aD6^w!gZ%#+a5%gu!lchhSgGU9wyV&g`h^%)QwCR)M)sNM_U za{OZ6n_IpK`{!eFhTdCC*kJFf1hP%dQcjaSw69`fTi~2Y;Mz}^R5+d{ufZxMlYo01 ziXpC8t=N2)U#xM5C7$5g(((^a6s}V`o>)+KB5FW+{3}*#Vx_`jojp%z8`O3m)ED={ zumI_-Vkos77ymZR*O4BXNI=JGBeplVrdRJHuNB49UtQng zsg@;4pnSW|TrD)7Lfh<}QtHeVJHv=9QrItU!IPnK4MQUsJ|r6| z8k&~k7FKn*g&E-3djrnVMK|_XwlZx)7pOJZ3Sw)2Q(L?lm^1{x$JuhF`l!&RW3xf^ z7UvU>bs+AZQ$Y&JmCRq4HmPVE1HeCH09(>?iLokhUc`N@mRs{6L}!%S%=f`%J%AOG}><&BnysgyKLH2Pm&g&vF$bZl2P?}`UO#J zR}IpYBz&19<;(>0g55f{G}H%cP#3*T$6`r-kdGBso31oa2a^IH%Oc;1ACQx5myBe) z^&=nro#cylei%oTWRRs51-x0l%uT*EsPgSlYd~r_7d#u87=VI9DoH5>D)f&@*{QrT z*c`aYCBA}OV&I@>U2Q4u4CbrKGC<%dO@s=#H>^Xasslv^KF`{lKa82D7N5c?WO#XP zhd@kY2A+iD%~1&(DabG2Vc=Byz7Nz-t+yLM@sJzp8G zUYri5p6}Px{98WbHTZk#s#byf*y14;kHmdcCwPkYrK1gHL1TFZkTwj+( z)}o_MF%^exkFc=CGKQ%uZSN$G-y?L=vGv4_r>l9Ut*NB9b5}vIjdlU-ocBFM|BURn zH6_?4P*NVN{c3+pz;8HGYBBjlp3?Y{b5kE`u|~08n~IqejTMfKwoJC)`w4Kvol$-& z62>G*Uw4MKiPTjey^_-lAIBf(xIuxZJ6R11b@j8*E0rGvX4d^Bl*y6zm=V7dn#4rM zdx}kc6plVS%vgE_{LQVAF7nW#_q|Ez)5l~P>)pEnNg(eLCHXN?;(LiGKXjuvK2DPP zL+~8sAtHyzx7~oEB^Ze$fh+@DMnY2gOuX20o{nnxjtukGb_DqA5F+pp-iZWrqk))h z3%Z!U68TLoo3=3`lP+3u9C&i1pu1sdc^t0aJPSrheB!3Hg`lUk7_px~T_b0F*?L5} zw12UL7An=^c6zZKa>&;U`XP@%rjq;AT-rk1azLC5Nmry?dMU}e1&XhsbR)eJp57Rz zq>|})Zcxt*`5O_)kEL4i6k%ARdJ@zj9zj6lziDJ*!&Y%X(Mm8d1^2hM; z!=V}#k5=Q!D6Ci8sEgbE+i>MWG=gtfZ_ymsc5-iCLR(6=Bi~X)4Vhnunt&uxPRkY7GuOS()6JoYy$}QIS_r{o0wwlMZ4zAC+q1}@@YQr z84uItZ@hm~oDe9K2mzMw2LHv~leX~2r_vq%D1sxLoDl~ z1v6t|T7u{8u8__c@cr(@DUQ*x!;wEQ?$~HN*F2H13 zstfjm1{vO+w+hiLK8=>TOJaDcm06zz2aR}hhR#}z6WiXvvd5i&CKl(AqgbI2;a)}0 zVaDew8*m?->c0SeI(bR zK^&mFX-dI|NQmkqui$Dr3WiKY6;*+k{b97dakod#qd)OHEaP17Pl&4gZsv0kHgd#0 z{G`>*iv(AC(JWjF5v&WILobu5QiqbjIp?0lV@sto4y=H=C7&TXLl^K8+xd9*Q=4B7 zq1j%yxce78LA~Ym4!LedIhB744<^aOERBrTLMU904~kOlbTQ$~O_C6p?TF{M;NS-} zJbaK}1u^yeaZ>YoY7{-bo5-i2{1D>VkX=B2q+Ekh(zX9`E`KaPnGbd3Z|0TpJk7TU zhsWUVuuFIk^=#ylRp)yTxeYP$qu7bZdVj|FDIAh|r^qg`0%=mG$-!ci%i&@(rXsS_ z)XCT=M1A-vag?>fYmDV)ei7(V__(~CJcnP!qi_n(B4$zxQVoqdXixD>zL0p@V}@B= z5xD~s$)VSO#f#4cW(LndmVPa|*ONu)Sdd)W7>5nRp3fA9FZx{v8`JvaEW zJ5;9F%HmiWG~p(=#?*X_r{IU0h$Ubox44gVwq|fC@D=p{G+?%=!(_7Fy}bjPB_vk) zmmztumPLfUaZrl~5c|vdPbrbe*35KyI3%wpO-~qEs_lf!C750`tE~AeGA33NHw|)6 z7z^_WJfz}#Zz{SgL0rSV*v!a5I67^?&fu=9_0!36q;G{TI4O4>`p`8d9Tk1mp7C4% zls|z~|9x2s?Za~!6(ZkTcKC3Tqyr{2*^Nb&n^3(BIO}D(URJr6}q6nCWz{ymVxKhRO%9%hM_+ku!XiB9p%>|2*X5 z1M#`TGwBQXK&(rubGS$O)%&%@1#zj(G=AwV)%q2N&R&&QzWn0*Qb$1mcPZuq?w(WIfNz)vqKSAbV}`e<|P8; z$#JEAUBy7Kl60@?q*^2Qs9HBiIBg%ffF;>>>%fKC_gE)l-94FCz;CerjBAw%)TQkyq5WN(QxU$5~`J zd7$w_sOr0qjOANtA9f0FfELb-PA-EVETAUw;q(#pX*!a6&{pS*eTbKIv9pw;fjN zGB|Tw6&>mU=(GEnz?u$Ep_8DYJsGB|5%^vPS;Lg}tO4#^)OG06vxFCHjwxu1mEQMj zZLxGcj7rI~xPQ~r7yqCKVt>TWQBwm8#T^m(!<{4`8|YLqqwcz#8ad-SDO%ZG+nG4n z`;{=Ct%A=qn;UT^o!{PTTMS!q0erlLfi*y_cr*9YL^jRa9oINKRdQE8fy~4<=S!36 zE8308WPy5-XXDqg!`Badfqb9^JgcT~XDr_ajx_Q-P#okQbufA)=a-6*{~*ph6!pN8)TTM z7uqo0H_a}|knNz`g?&(71yfD5JwgmdEH(F72M0)pn{|RP!sHX;rJXv#X_T%QOph`l zXd=m`w{+YM5`e38ikmpx;Bo;X(9}p>iHRCFa48Q&pZP za%&%uI@Zo25I)|{@=hVJZe{b=er!w91%Cng(760T$b3AJ^l$tUcV*vscTf$QN+Uh1 zNI$Cwf1gdQ1EqZ3efJ~&n&Vl~!whm^UJTAG;rGPn@q^+JzzvuHNMkiGOvYW5*GmIg=T;4wr}9y=J9Ph(IxN3+A{`x&zkxbLhZ71utmt zM|FqfGgZPhaw6zqCf1kI7MaUOSfYH4EH|GOtR47P=(0D7hRoBMPmnCRfO?7+nowNM zvw$ioEV$VPbm_+;TU9)s3@ZGSP~a4;l8=HwH&e1-uKd05(RRFpuLJhIg}4P*fe|== z3M+3FA@%|&iCg0A@M_k5SOv9lgpXL*RX%?x-f%agN<1bAQji7S-J)tXOm$b(vb z!rrxmz!>?av$`s`H!|r=(xv{Jnjxv_2kO(-sW608I3Tg|WM zWex+V{{u?1g<3ag)m&7#xZ|z5e1rLC!MJG(|3a@3jhobh%!*%J5`}wqs zUpZdEvUQy8Rf;0M$;nVxKLqAhB2YGss3ZntvX5Py5&#fa%B2r*TV=MoOMrAI5hfB7>d%X5H9M%{Gk3WD zzBw>V`z9TaBYBXVDa{~gCBH_~$S!E&@UZxZ?d_g|ak=F`2|+Hh&|OgoZp?il(J7e# zo@qpCvm!bUC?bt0qU1IdY&2DulBt{#2)(rQf74cWS~P@pW9D|qoa;%)-7*Pjq@BeC zy4pFElS!tP3xk^`npRn0 zzxQ!|Wy*U1Ig0B}NmqDN9T1M|ciFmi#>etO&8z+*m9j{xKCX;UF2a?HU zZVrD9;M0L(d?1&1Ylvm3Y`?7_j*W)%X$(}$<75HgGjJ5cqtuGYcqp4~+N1HTv-FQm zD&byb4(VNe+WAI2-6lB4v5OiA)>iT#ST5_@tcnaedUO+D{v`Hr?HgpGVg%3Msjwra zD-!NX=P2COx#%t(Qay~!fT6?y27p8QYp$UKu?PPH8AeO)lQGbJ`!oSGA%#KoMpq$| z0*a}jE>A{5oDWsEz7Qs-edByGvTrg-1E|k}Y(3&(13SZ%rwK2Cku74Pa)C+woM@Df z%aV8)OSbt8AGH?cI80CJv7H~u&XW~BketdLgc?49c?BPgN7o&3ZluBySC033^=P?R=4;r<;dkGhcQcoP0Q za1bxZy@!IjoWVk`IO_+B%W_$S_PG3lvZUZ2Bs=gxl;%z9a^qX=>kjzY=w`PGg&*22 zTz7yxHqJIJq_!#nC(uaoN&)OIDlM&gHlrO12Gvi`hR~*QbTXtbVfcw3zWW-lLLQg_ zZfBo<)^Jz(-S-t@R>0)>wsorir0ob1C)%n(tpSFx!MwlM&{Bu5)W-I_Onxo=UeXlMIQn2)SzD2Zrc1cdm@s9 z6LUu;v@S*?%-Aewvhl}GllqVizyL6{4bh*A_D4m zq}~kHx+@TwiXYv)Uk)gf$ZT&d%1*?Ce9Hh^X#TeH?lSi%zTAtnH#s1;R?ze6e6-&y zCYtt9XD*G<`mb^a=<6B*w_mwI$%$$ZHo}!X6qEF)4r!J#33#mbl8*ND4c#dv(7*uq zA*jUYYl_HTQ6%zDU|#k?%a|nf@f;P6x8HD(CFTzeYj-f#@C^*eE*#t3G=dBD|Aju_ zJ$v#TYZo$%u4W_HK)EYk1~3gPxTHX4{8Z&vmkx0cjwsD4a8RzmKa+tb4-04mpf)n0%oQ5zC20yNL;GjdW?2wiJ?Oe@BUgK%BG zR3zXi>=2mM(kw8G)9}0e%2VhG3GgTpNOECYtE{orYhm+!0yr{xJpzoMT6++&>$5l4N$|wC`I?3t?t@ zXG-oo6YfFNBOh1?Yb#>NSko7aEHCSW6Ds;*EpK29F3^4eko6cRBBh{fPj5+^WewnR zx#OR+xlBrbo`^GWU96_&Or~R9lhilt!_z_nA0SVQBppho6%p!h0U-oAdfh9C{|kRYGdp0GsSBW391`d8~%lKXGUVhCr}l%I0|C5i1sbDb)mxZ zQri?1agI)twwNjOeDZrDnrwSnFFd8AndTMx+uQwsmAHNVs@yF)ki3(#zHvwWX7xVH zfdo3uT%*TFHPDZrrN@bUGn*m~7L7ce+{;-E&0e@e%cSf$97mR88UT7&{on;xI00v}GUus&k%?*t@hAk3 zd%%J4v5A4tNUxF)$TVT$jCLwdmKtw$TAmij70#f?vnB_|-`%+&R(TUVSBmgNG8E?g zL*dxi`{5>-2rHEbJSIp(1-hCWa0M-Z!gM&)shy=_nzNHlwRR^d?qn=2H0FNQ13w@f zKPdj#(0=l4gI_WK##`B$H*UJ49Ya0tHM7o{6gm`RMM?eR({11ioCpK^+&^^6Pk6EU zmx@m(u;rEYM2=h~eL_{HS9SDv;l+&&Ut7(azHt1P$*y%!KGrknGY640+@nmbxZ&HBlLG@RUGpJa6F&%!d=)j z+p{{HDED#2$mNg}+mFpq5@ny)jLB@CKr_uPMSp&R(Jg+EP} z=s;}VxosKt(?f21tab4{i?u~DG@WqwMD=GBTlgsN(wc>|+|QhJiF6{){{*4;g;Sf( zliQY-o-ikbrlh5+JFP({Dmw~QdaXkT(I}nQ1^O|u@)Tr-<3j1IGy6>XaWQ%DVnOT8 zx>Ay!YexRlh*YRA;WJ_uKTEa?M|XNWrY0dfNVkFNa=c>6+l(DXIdiRDHo7+37BMyl z20wFPZNKnu=Y=c+*2#RxWZ{8>0DsthrW+0+pFJg!F1I8a)g1c(BTN=?(b{BS60AXN z0AE7`&}97p9Xbjgqf>=C1%3tea@ZW#&zDA$!J&QiSuLCCjDQ!f(h#O*cW1YNlY(wO z9j_yA;zH-4ek8{|L-2X??aEpm%>_(Ua%3?s zr%fgorFQ%~-k=QtfUxkVW~wugK^0T!M&~_%a?x?(%WMFiAX;qiP&yzmGj{?a-J50$ z9}8qYj7pQ>2t9$Hjn&?@uZ~uBH9t&Uzl-ZVd$YatchO2F$x3DX!#869%Go_=$^9`# zwBWU@#43lfYOCmRbVo~^X8R@Eax9+R0(h#`F+!B0iJS$Vv40*mj$aX&kD>WG|Li}>|N5G-W1aTk!%&- zO9%Kh?@6x;u~|x*v{46W{5avb&U8fwrsS@N8nM!k%(UJ-)`|S7?jQ-mi4?4-6KXaC z9XtibSK=^bY2=jcG3HCd$~tn&JsH`)r1%H+IEm-7`~@E0w8UhIcg#VHK777mT|>&H zzbpq0!IDj#tY~{j)(667-(z=S$Y}_5h4xwwHwL@H@ML#}26bPukTwivD6GHqscv^V zOUijW_iSeeksa(;{EPzz7HqLomm=r~s`r@9<&=m$?^-$=AY_@9#&$SOmG|AQ5qn)X z`%tO5)|N%p`#nzJ7|iVi)T%t*%~9=*!|Gqbp4dX)3chju20PN8jaC7AC8~O%+cg}A zf;*jmF_KTaDJJ?AkWi^J&{8@X;W{$eW57U z@?5_$T)JxT{-M$F-h5b%xGy0U9+xY2)~wK<=4A;bpAnBKlUcs%rC40K&eh%UV)b4o z&?M*rNOQb+0r?5cBk%xEb>l+qOcK?ihdnVgj0RkqB{pY-&g&cixv7AV5gMo@1kwVEz4<0FlA?K2Ic*?R|uzmfRcZ;l2VKRi{ z@Jy^zH`-qsNMDN8hPVdZP!C7xC6e$vw)y(OtnAV?e1n+ze-ydpGh4A4ej=B_SRhXB zg~!v)P;2tdG}-+P<_Xf%6z_#WZlfPC@!+p#(Nm#W2ey%(;jGYn%Yfc-4HGWf_;-S% z3q1u`cc(qpXnHDAH@{?%XsY{xyud`@_8OzfvMsM#gtzN_Q*4Jp$WKc(gRI?1lKW{u z0w_G`3>$W|4q7B_tJvxz407uz&-r4 zV(~egTG<&oboZf|uJ?k}&9Nw5oNdh(rJSx}Ld99I?Qlu#x~+o%VPnI^QaTC1FW97Z z0EH$xLpv8!nM8U>d-Q>;mdE;Ii4chYg`O^aJGn*%1(x?vLsw3SI#Dme>+VkncAn}eru+M!=Cv0%IKZ%2`$suUj*EkFAT* zH7J;-j!=f=KMV+L%1+rz<2ZCCoW6zNof&ioFz#vpx|L@s#k67M_a?BBg?j1Jh5>EW zC#vooZ9dN|b(5{X)pe5-Xf=$V!oasc6$2p~tNYdTt*&qms{f_{YBEiJjy^<7xJ7#o zD4$3^0^`=O9X}5ot;h&atx_&=O}EW!k7w&GM7PYPJd1z#p^6JcYWJy*j zG>>BKs|>-8n;&)%bGabRXFO$djNKmJSR@OfJ0t5|x7}}|cK+yS(h8vGT6%bGAuVj@ zLvC4@h1iR@^S(1ui*RU}>m)tR82Qt4QeDB!;YKE? z1=&04pwd=sI>GOju&Hq74s+Hg5gRy?4mj_~5Ps|`maC^Yljg;VLOWTG6oBa+$>z(c z54gE~xxo)JlLzGVi(nO^BNHqR9WA~)gQUs=ISfl>oZz8kp5~<_+y8jXl~z%+{Wpc? zqds{b=GgkjTQ-G-hPd!C+fH6LpUeq9AtwRprNB~{gKU%7p*|qwdFD*v0Hmb1^9Z`* z7cO3a6h+(Dkz|obDkbp$k%qQymtiPz=DJ(~gV{WyJ6K%nO?LkFvQq#~RdjBi{ft z(ju=WPe7X;=d{cs-}pdK=R=&*dIL}zO~vDoZ&8dG5d$NQJ3uEb#<@Q(I?28@Es8ylX4i@tsP9Pi%=@z4w@ z`2E}F#6y2b&n8~8T`Uk&Z=?eKBc~%C{y@nidhe-hxRg|OOVSOPR6SHv_S3J=Ys2k^Nw(Pm?F7e z&rD>!;1^p)PNnnVk3gU6_8Rzi-=bbj%YD+xx&?-kTy1C!dspiqlg8*iUR;-0e+cGo zeb9sEam+n2vF>p5%W&#hF2~6!_IDB>1KI47ld!(-ujYYZ$U{=ilSEoVq+`7{{UjA8 zUiXUq<&luCxJLjQ!G8pW=Utg1yk|bvS6oOM)SRY5JP_-7QPawnu2wDg7~)ICT*&u% z0WOzz$_+$qwf{rIDf!PKah$1#p(F#|U`7l}b#~PAJC=*IrIz*~W5p!lIURb<+1ng# z+57;`@-q{T#?RRLJ7X7YVxz;NAdlrv0@S(V;{*TVWDSN5COCQk^Z2WH&c;{xt@m$-9JUNhCs&%GSiv zE_5)U&7XlO+b&)R`wdTV1AJw#Y|iYS54`;p-z*e1Hg53D!+)#08_O`W%+#yzW6t)J z{Rr4P(|3Bl$oc~LO_|FQVbFMMve<{r3*_T{@@f2Yu%N!&ay?G;U=#Q%&BsdBo*wb5}>yqjEOuVO4gz}0qQwPgwuzwl0W0A z&cV!Uf$T+o9M7ZEz?%K>_Jad&an#`oZZ7PBeWQ@FiB`MLH|rG(A7kC5y*xROP%zf@ ze;cFTiag3kC{yu$Kq@4%&5V1f8-#iLA+gEu%y8W%|Im2T_O#|)FoaxGy`A>~kpC6@ zFk$0s*^r`Al4f};#XTI=&2fH`yE_SIff=LJBVFDCcvTn{NjJMXr^N>w731yOiq!gr z`&@kM>-HR-8oc`&3*31>1jM>__yY@BoI0|ev#0}pFb3A#nE!qEjY0K?L8sPQBK0Z= zEV4DlZ~mGt5q^s&ee6 zZ;AbCdsIBA$kdnS$s(YFm>dgpZxEva$Z3uH;^>@rr|s1a~((f647 zo{3SnMVvU*>}S{*d{yM?A>xcw(K62~q||#ZpEiTNsQVBgAxw#SGNE7)T5=Tyd@Q&2 z3G6NW63NGN5dMjr%|xIZ+k!spgS@{3rq6wCE18K}oaL-yLdm{RLXl5(JNHS!E4J%~ zFvLIr!G||H^DV@!jV12Acr7fYlS$e3#>zpP?x#P%WqJ;>n+N5- z>@5Fm!C#0~aE;D@Pd*bO=`46uIG;$9C8%beTnHw(YfFVEIsO0;;*WrdDg>2Yrr#KLa}!?Lwu|os!}Mjy zwQKX|*S4>nPD(8AbgAoWIj^&n=~<%no-4(4Iby#+MN!z2bsfPxH9WiJSGvR&--~rG zHzR0*ut}tcb#`zV5OZtT6n`7Y9nf!Jg}x6R!p3E+Gjz4RtQ0>%;&M;)a+rmyy|j># zn%bzk%rx1kdWD}uJo2pbmPeYr<0Q;$te$T{uJk4f|O)HLd4}Cgm$8mMTWVi z9xAnpYNV+IYNR;w{*B2uF2iqB4njWRyMV+3wgMd9t<`d&b}862LD@=HdwKxaGpp_m z=YC!DCxJK79M^w0Z`4+k_Goa&Q2~i$_Br_Cc?EtDeAIL*3wyOWdb}32#Sgo*ny3oVr zIa&RE$WBtvWG}D)5{qV=FNo%61gKBSh9h7wd+UD=jBmf*Z{FBMNAMJ-kS;1uN6LN@ zm;Lgl7;%j6ELNt9HplwFC@y&hi);Mbabs?v3cpeRcd(ObH#L>hL!0OxK0;lKv+-=2 zTD0uClOz)rqzC}A1NLj5lYZnA+=ZVAtgz&cf;*!8R(KWCOCIK{xYUpt+)8R&c2vAn z5J0%ik!bD4x6_0rK?F4IRo?tYa4uYlJX7fB;xbRRr&JklwXq(`Ics&SHdBikBu&se zbw=`5^lRU%-$@e%zWv@&s~*nge7vZBd0UGxM2AjQx7wezS6mlzdqf6!VbKh&A6a2j z6#m0VhiyG;9Lg;op=lq@^Zv=82=+{pXUSf!)VJbiiC<2J3kx^4v^OHBE0G>sj8kW^5#F_Uil7WJZizCSVm6|z~%(QN90pFrYN?p0@a|;&Ae} z^0j*yKz;FUY~Y!JbJk=0bFq*%y3(P4t^ydcFFwv&@epjLt$u*gFQsPOO&pKo^Twj= z3392D$TRV1Y@1Pu3SL9FH+@hk0>rgDZz}R{!E&CpBfC=ZP-J539(fGzk~bO_ZLH?8 zf1i%~H*_+0PK*9*AD>{pY4^P+wdb1f=w~5GWShNn5}tLjO0>4q##w*c^aSV;8s$K@ z|7!(QT{EuTCg}h3^=X$G`&U*>NgVR8+?baB|5GH(_@C=gyCj+HN&UZCWNF1-Wc*jY zi+IU2&5iIf2v3E06-p;FjsJ>&0S~QR4~+K%1t}#xc4h^B5vLjdXH(Sw|B(?R=i@;f zEs7tL*TBGIg_s>1t%6jTZNU?8^#8E;{&7u}|NsAWja{;9>>PFmXK)5*a0VM}vgrn! zG6fkrbSUUhP*KdGLs3yt(eO7a8u=5I)bbZ4nw1rr*$=JoS87_B+AAwdDoraZEq_(k z=Q-^4Ky=hEI$n~mjD~B?x1XuC!_=NDU-=vJlQ@Um<#6l z9k?)Kka3_Q$qIJ3s@TN8sbYHE0{{@jK?Y$x&PS6mp##Z_@@Pzdi48&50PN%|SB)7T zm`-decr=cFixXj0E8b%`X*A@aE{i;wL$x738Xb(L<9XO9#Hu@3YGSHmETqi~Zo3Df z5TdORFfxY$!2+?KF@bDd7~Ewtaam9;pD~_X6Li>_Yy@~x?+&P(c_ZE-s(lE=DsqwY zK98UZASzIZ$==5x{9ka&|0|gVi8EM;&}z6ugMFXrt9}SV%ME2xn1-g}kkx>et{hmf zk)%tOvK;!B>K?RcmDe-2cu~EG=aLlKqha>s6jb*TIc>9}s&@ikk_c#^-j1tb!CGb? zKRefl$Z_&CvzKm$DY<2%NAzUl9(MQEzS<5(E3YP^0aR z93V$kcxJE&J&+Qi{Dlm*D6}3w zJY??-am1_xn^TDks>u!j21*B3hi(Gb6kjzV4n0JR(Frh6{{pIldb0o~JN{{IF;pRh z&1#GacNEGDqrLGd&jLT8TF~R4lg4Dv298)LI29|bb$o%DCOlZvO!F!c>DOfPMZ;|S zfG2Wy0KYzO8LE8nDgRpOW60?yQ}R|L+pusns;UXkvo(b=>XRk@V%SdQ*XCJFQYIYA zmBzaB4cwM(;A8+TjRvwy$G)`=Te%4@rSI;~B&E)LCYA6w8PduN#c8B(-bxfgF{N{F zVIZ-CQio@}xswTb0m{~;VYMxQFbwgcyI!GLuC(MR)E!7fM~(t7hV+%UO-#QLCTetP zKrr$41ejTYg3i*9P%txKG7hIOnGELcXO%)<1_~T9LD*F2LY?eAg?d}&Qc#;(hl)I1 zhW>I(*u9e)FE}DGo1lWPW?IBjYpbZaF+tQYhi={=kHV54q|bC3bc`vWcZ+7AcT~dv z3fEZ~$t|w%?PkoX+>l*;fh}J~>tJK9p~x8ID#anN3_b3e3!En6t{X#MbU%)8tdSj+ z35E-|6Xn|x9a(pdDFV$Z)|z)CgJlWz0DmD-zm}3d!xxf6+Rqel(tkj`uQB^}kElCa z{OInXW}mz$SU1RUk!6A*JP{0hq`ZEt|7Ur5rPnmY$2|*37AVdbYnZ8ld9)5@BG&PS#<(>x8 z-_{^wB;;owM3($4mlngNY>rn3nUNfG1_&9U?^t?7;F~0q_BIChKVXhD*OIJbc_Bp2 zvq(%L{SV!xajF#98nh?)Erlg|49UQ+;APSn&6^4)lRk&SUCD}q<1DYxy{crx zBTlAbUOQ8vW2oa3z%)iM?mE%<4-$tXm|pgqoY`igjvS*NWrghqGFjP5cjNBLw_vA1(PkX)XzfIMTv|c8ifVH$jG~OUSkba1&lAlj zLRlN@tJ&RUkj?8!>}GVRGkRNB7!`s6N)rPEbbnIH(Nof0NSACBHD(>??9b^RrPK$g zrUo{WVR+mFtB+MdUnno^g^FEF4tWVZD0|y7n(^*pPRj!`JT6}+h}*aIVb?0iJ1C%; z$&(Ur1A}Vb0ENd5$atCSZGv)gli;k`jtm1Bsxw@OfRBX4GZsL%1eJIy;FLm0rJZ0} z0Jebe9GPjI4%Wx4*{}t%8|hs0^8F`{ebF#6Zyk2*kYxj>H;If05gKL>$L0od2kq3E zBiW)z*AW%g%)4S5#7I5BaswEn3tVbulR;4Pam~4gwUNA*eUr%@C*$?va^6p7-^~5@eV~1426K;^(DYT$!diYzNfz`aqgg{0Oco&9IM+x-*{1fD zYiKTZRF2@!aq9$4;0acvVSm?w3{1B#Huo{4Pva&GL56QRF3mWy;Hs1=JV~G9Ho(f$ zTvOBqRuYC3nytsuHDRC)ICR^Px_?qs~>Cv#fED&wP|6{%(M#w*|JU!#~K-At=l@)|E`(y7CaNlsQ5rWYi#i?7#;e4Y>C zls(7wR~P~~L}oY_X`E>KhGE=>MG)=)ZO2G@5{5$lG?+sY?TE<(&qcF-quMx1+gku! z!uuU4Q7r`P5=b|>ZLq}|K_BJHX`+6YKo&cX2HbFg@eQII>l4}CdTK_qb)V4s`E}9y zU9i?RoKe6C_hP}hl|48e`M!D_uk|G1nZ{VqOXsoej3h8ghW=_^pha0Kz8m;6Np4j; zKh|)JX`98hkoJ{8T)=mDi|=DxLFTA!iGWbVZ}CqtF`)3-r?+iFMMFb8$_=>49R!yu zT6O06z@bg;jeAe#1>Vfn6IT)pWbUuStjWCo_E0>y@g`w-9ps)pz^;B0wC&yPK`iha z@Ilgr%fXEKCa(cedi`Te3m(xnOkO$W*iW=4=J{@o=Q&rq$JypRLpGyI%Tg7bWH)So z#@Mb9yjUpMZwkRyrEtvPE7#+>#aJgP91;eW4?YJ%)T&lsk30ctW&1EZA@^6rr#s4! z(8wjaPa{Y*gN-*`G`88$__DPYmx}!@&bQj}GnBkX&K{wWNw5Np#tLh7NOu_rwynXj zP9Bt+ZA^CIL6V6^oJ=o(b=60!!d<5h;PId z_ziBF=P$=cVOTQkj*x#IrkyJ${);ZD2^g*`f#U}mcAu{VZpsv*z;=(Q+~dCvC2{lg zVYx|wtB2xO5Wjg(cq!!jYl1Wsdo>nc;$wv8gtut}pCmk2o&=5q2yDPl61@B{<5lSe zUQ;^^?D;S#TJqo~@Zu7v>CO+&KZS%Up)`Lzaz}*mKJc)-Qu%_fu=ENNEATc{X4r1C8X%9%yQ~4gieoNssLbKo|1s88;UKWzbPV56)YAQd9 zOm%FHGU@I~%qtbt@t?DL zMCCHw^T{m@`gyT1sWEg_xL44sm%zAK9YLM}mcSPMCo!ZLBD67ahIl15TJ8#(V~j0X zSy};0MiO*4A$}~(kack7N6+iuh;U>R&2(i$FHy*Rt>u@xg`$4ARH#QaeR+`$Q|PB_ z=tQi!&>2@rY2p~c#1{$+9kDV8L@Bi1sGAoA7mn4Mlwhoyv-=L&WBt%GRTw6A@lOvK z+M2ULPd`%34V)s)Y!SnLM~!D7d$3t;zKiNj`qYBY^|M%-So|^*X;>1=sM%D8Waj;B z!806QT>Pf10eKtcwmB9o24|aYvB464qiz_>?J6j(9vWJ}(vc85+|TLB>j3jAg}Gj- zWm5v_Mc?9#baQCuA-5+sV?o1+FGP23XaWxS7bzJ(G7XI zGG=LL+BXqNks-)q@%Z7J^(i2#p~;gcBKF+~jWJPto4M<1#^eQKvC~W&oh>+)R3p_M zl|iW`TCxl)cYEefMWzoT_yF0XJHYTG@$IU60xvy@yEm-k)9?^5$o+#OS8PiG(CE62 z@JoEZ1`x~yzieO0m(s%OcHlO6Olr%+dAo9Re(f= zfd0WWLea27mlKWs^c5|TS!Y|z^X4Jvc*wbv@wA^54T2$Ih@&25&p~FUVm5M?t{sJ> z9W>o>5d{=vjV)Zk&vtA_;(14JRFGhJLqSe>7L-g!=noe#VfJcqj$<+(90v}Dm8@k1 z-|%MBDW;_HBKbRVGK|l<|E=1;_|nHYAz4{)B`}ckF5$Zb_ivU%8xbD zBy?0C8LQ z$GXsn&?{wLbE-eZ{65Fd94x~j5_6h&E6-NNAL>lUgP?dK2xlk5swvj7n9vyjgPR3U z%+7XWQYHlq&#_l-hd3eGuvDfyT}#r)25QW!McEI)pqXcq17WH6$&cyk026{FbBV=0 z$$d1$lpH~p7%u5F<0ERA!QEpraFgN z<8{3_T~}4<7h!aYbeN>tvg9Dyegr%r#!n!wGzq1Fo8PL)eon>(i_bEtxDLiX&r|v1 z#N5TuZ6N1FOVL(Ki3S^LZ;<5|yVfr|Yx7(a;^;&!p5}3^ajQ83r`T>_YPJm0;}Y}9 z#^=FzeP{j?iF@ki?WdoGj@L3VnfcQHtMS=fO_<9dCzUPFiv36_eHGNsFL-wW^FBKV z3AaTHDVEzd-C)_N8uqN}CS+$ULy|QHgZ8L`O%fpAL*lg`#9Azx_P9{)uP4o;aW;rs z_mD_3?ZSv4+I3_xLW*@8Udr&M$(p=jNc@gIQ(`X>odcu$c;o19R6n z9=O9MLO3lbof~wY#^W5rl_=&-eqq)K!@F7{8kgEQ%v!|~9fIyrJ`B!lscXBMLRw$g zMXIcuG)YPb#4x?HFJk^1I11YJk@}KeFsIKeM8?UE?X0n$24Ve~o=g`&&3ofa-p)-2 zK`Gy29!-vxKZ2w`o$+OxX;0Rs#0JXhgYh_u5GGdaR`fc|6Fe#0YSRs^?z|F<+(&$^ zz-wgbK+)3X)gW~KQqa5qVnrJ-umG5OoiJSv#ZyP?YkOe54g;D7m|+)~Q83~D2A0Oz z={6yp_6d#KW@Jv_dcrx;UKP}Q5h32y6vPCs0LN7?2gyeeAhpLvRYnoxrsn~@?0kif zscRPJgHE&`7R;}+f2zO}uMvj3EQlXYV;ps1%u(Z?4k;dd263KMgaw2AGX;5ICmaK# z6n253&`G@DM-g+^%1Dx!j&otP*<5mxFF7f11YEXdm#P{tg%EUQ0m5R6z>>0iGI+_jP9?s?NKnqhKjb(U=tMTRO7L znB07i*$hmnWTS$vBU#8+cr?bX&CtD-QPK;U-iZ)DBtN1FmS!E{3_T*4+4}qlU8@q9 zh8k80bsJu{ba7Fi6QD!kSbMUSN&R-hs$GkOq&kU4*qB3hG{^-mgt3lUQ3`YXYR} zlKCADgRFfXd7K8l#lb=#7j#D%t|zsg9}2w2;h?zzyV{8?4>!z^tcGRHs7(5u*oT&8 zbJ)ELuLVEuDs8PQcOVMRCU?1o&LBD%zeNrq95%UHFxzSi9%j4S68Ve#Sw z+gXYJV@CUm*7&7&E>-JpLNqI6_%Qak@fCFjGmT?gZc)BiE=Dsw3c3_rfB>3l%U!a; zc!8}=wY@55CgFJRT1Z|ohk=q6a`u4DR?>Jh`E4Tondkv>%RH*Nk)1mOkqlI9Ej75} z$uTLD*RYc#&2E4rHn~iQ6uP32x0kyc)<^2=QCl(KR`0`XggNvxouG@P{6fbrh^3IJ zY^ENH3=^FTqFBA_*XOPU?>3k*Kt5sj==kY4&wCD54iI*_U~>`ENQ0vr0rr63+{^R$ z{y`!AVI4IS=*{M2$151W=r$qTgg<_85SzI3s210V?{XglA7Lkk5T0gNPn}!Qut48W zfeU#C0)33xJNN!hru)sE1)sybuO9@6d`F`?)dZg-YsB332{>7_ko*kt~JJ*O19coPM|5>N|` zB?%#`R!Mgx7J)i)KPWh}^Kc+JFu}GbP3USa3G@=9#TQ6r@$1f~>a5shY;@Kb4UUDN z)DTDEmF{Yk>B0|y=`dWkT`9Mnu~aK7C;PXxJyY-u7v+n;U0={x+}aX=HF8e20eNOw zHYtJQovyJdEWacX|L~tfE-vJJAUnZu^}PZpBZDGH>!GP_lRWeACL+17Af}It#hjBYfboUCXvx;$Qc$Lv zxfk%)=mXPwmUi2-8K;|jT6VBdF@ZCFH(hgl=4tYqJAo8<63Q^aOfQ`Pi7bZ(d4GitA;w~n`Gn%C8 ze~%#TS~yXY&^g_5uz73Qv1k78;X*X1--_ zhEC|7Cv(Jue;H?s^<*R|#1pV6yn*B8wn?w=H=Zk4%zn$&9I8(M$JpmkSErt5eVsY) zu~f@=1qsyLq+?((^FidbKm0H7>?UjUZzmjD%A~)pB151g;ACzclcf7DF`yE2AoNw? zf(dIbu;Smf{Lx?RZ58p(jyW&6iC%YQCe(fAxZUYk{)3o;M*Z)U%ms1dwJ47DU50ei zaER5HfR)@C!d8|$o|EZIW4-Q%55YW|wo=aKvYHW5+D)SVxGtb~11q*Hg3}qSp@62| zAJd@1eGF-_qJ@r!m2e&;Sl*yM08tOn{Lme*Al-#k@IKJg=Xf=2khVbK6k~dDx>Vyd zWkr#Ix}(6*@NUKz+rPJ!L5{@J6)W>rCR_Jl$@_lGcFmPgbg5yenKf- z;h|IPS`dxA8-bD%&u&APT*2>Yq;f?&)ULGAwDF zcbZs4HDl8sP?7`?5??d#<29OhDMX)oA~G=)Zp(+dI`JNl*PI`b22}{Ya>d7(?}~eH z;~q)WKJ+IWZ#pi>_Z$pacUGHT;k;iu+jMy>;mu18&p=MV`Z|}I8;mN1%fVybU&szT z*fNS|)>ww5!vNE@)hez5srD~cLGzNy_6s3hvd<%0;w|ORlP9yy2p<6#*ccG8+Qq%h zED-Y(munQr-f0?oqG|@KRDcG#etp0PJtqsQOmW_L2*CK3iRs4vT96A5TzTX{H0|xF zBb{}h#efI724z}g9O0Y+-7adMN(Vwr=Q9d=vMRuT7`xkm*!WA0NGC!@5(?HZS*`$3 z%$*zY>ij8~Svna8ph+-+nhlewg8%?Ai|8BMuZc~^HSN^+yk>^R5f=_a=G$VjsaSbC znplKbIAn(Dnaz{%W>IQCk-rl7dwWiq=X(kOBd{8Cc!+k4LYN8q^%A^=z72g3oH{YW zTkft%5FlG1)RI`;^D#I}m_tgd$GhVZ=W1JC_p~sGxE#MlfGcJ+U{*#wg3E?E%SkV0 zgf=BXdSsLz=}-3okaDe@A0#c}R-syBXAF=xVrPp~I9WPfSndHwrv;CPkTUZ;)s5< z3Z^b=lc7B`)63qEW>&(Cx3CB?_05^2O!GT+>4$>#eY2EXMBFe(O*7U&GH0p#Nyt{2 zOI%x!RNw|1V+wh+^d@094h>wid_na$wB(#8ee!E|sn$>(L0|OPL6ES*a*S$UiXt}c zJ~iHJM4lb4MTq^C!M;2lGE4S7;P@wtN(UoheO@urET_^D%LXxfH&Q(f*`W*5iJfQ7 zqG!rA;-UTaqGeFx%&)>s&$Nfh~&FT)n{qq`NE^H99*0jrg%q;AINJ>LjX z!QCet1>TbgHnoC5u51XBXezWYrOMClO8aSpO5;J_4YJHLh774Uxg;oaq&=7*b|+mb zSHk5f9+4s0L5CgN zn4PR(;w}!sk2=PIx>BrwF>?`stDypdXtFDW!Bi&{aW0)p0b!?u##D1=of(+Tx5yB* z%QS-Z{irKstIA=77+{zX)$lVDr&-T%D%Nb^Q+y{KX)@QI@yuB3efAB-%{h24A%F;j z)nJ&+;LBm3Qu5>BxZ2hr+TEsPX{IHPWtKq3)2aU`f{|cK@CeV)pKH#6-8wQSrUS;Ssn%Er4VVZnZpq7~RTPx?4TNRqg(O|r14r}^^ZpoNqLF?OOt$7Yq6@#ce z$qQ9GYIG%}Q)A%OY(J($MJ?aUUH~bE9vla9{_cEK2m^9!b}?%Wulqq)!ZuIvz2XLG z(m;qJURiI{1RPAZXFvW(jKT#VZ+wPJg^2M{-z}V!Hn z=8=(^V7i?Nlkk}k0*io&42QI89pt;Gz=eG3v7_3%sm8aobCmobmNx^d$CQv9XT(A@YUsm6I8wV0xD7-;0@$gfwk57Z~SxVtF3~&K57%#q^UJ z(qrRzgXqZyzpB5YH=+p+0jx?{(R{QowjCU>UI2?^W|S;Pi(UYZ1=k+j*#0bEgC7fy z5wwPB8sSl_uYV2BCZQSR&yHhq@;l9Ts4}8wRE`TygXjnU1;_v2CDDh41VbHf2$f}g zSVl3VbApP2|9-kdC)81U@qauWk`z7EJ^hcTJIWy1VmD$aZ5RxFYp9rD;=dkr)DZmV zqtI9U`!%RY_#clRe$T%?`1ij3^OGTYR>yw*Pgz!Id;i|uj?es4niYDfV+)Xu_}}vG z|6AVuf6Kf7Z+Z9s_ww#9f71$ObX9*>3hx9X-;`;!59{b|eGs92>$5P^jt^R~>DFUV zZr6oU|9?5a{@1d=2QOp(MBf4YtBQ_t(_5#GkA#u(cyTOfMj@Cuih4PFNNkF2ScvYZ zxf{#)x_3xmK=e2aYHi}2wK3b@R;4IaGws5gXk?)oh4$Lnj0Y%!ff<=q;(m392042_GTz1e ziwo!t=}{*K0cCS;HU=orJU*vG;!D{TO=74i(jtR2kB8I#tw`SGxQ9{D{E@tG z!1oI-GB3r?fsBBzlQv5=9V)KFqzT1XtN$+Sss%L229(Ie`CfLe3hjt-g(@T!CFi-p z&at5nKut=}JvIGutj&A(R`A)VuKRO=?4RW=p0i5?(Jt+bn=uKZl?A}#`M zx}Se~|74uSX)C89!TO=ECi6oNC$~us5f#tEChw!fh*B8izf~E{eOGqjE##5lcF$zO zN{{-!@K0%eTNSDdy(JOpnX&;%A%47;qMEs1~r~iNH0uHzeYXzk4F=OFR*Q zRkmD=qa{z16C__laRIOOO~htAIw-^C-Vc$M*#Ob~-b9BIpl&q34;s}xB(T@sM6+6E z>`up`bkvVe>hU62){mnb&wi7&5&w0?j^dalz{|ot$yLY*f;;0`=Q*J#aCh>$B5}WH zcJ#u&-#l+Qi^w9Vyi7iFG-6GZ0{_N$HV(iV|A+L`wlF>!53FpJzT(VSD}4p>+TAbM z(>((q3R7cTTHFFZIv@9?WhjaHi^kp7*bU zf6j9_U8u-SL15l!LDLM4O7asIW1QznGmmb(#>e0bGeNLCZv3>-Bv?W2;oX4pv5u1# zIOBxmc@28MqSONMQ2TzIY;q~~Uk&C|x6tG65}B`Sb5(&S_zE`OeoB%_KL)mQ1Gs20 z(^yjXEqGCgRx|~>20m_Oe21k~j_!!=sawHp-l?S z4eN{c$^vrZ8=k$k9>_Tna9tH=pY#1Cb%H~?5-Rtla;qAe@RydJ3Mk_6B{V=bj`6D; zny{O>zEAgmMI(ooU3rPT3-pXx0Szu_n<5X6HTKG?G)Lb&Fnmz(XoI${zf^;LHCEi; zp6Xer+n}UBLPpKT2wt5ebKWyQBW2l6VXBp4d9$Rw?y38YkCDutiCi{b;58LnKxh#or-1?et=kfoIYP8n_R^=Ta4tXQg6GPfx>~Wj z)UEEB##+#bJIt3Mq-y^GU!Z!cdh$gOb1k~e!}ppTrNL_bQ7lH?!`mE$)5u(X34+7@w43CL=4V#rfA;Sy}BPZ<_<-! zFSzWAFnx;(59Z@>KjX>^k4QDrzWi@wyRme+>;c)}E>THmVWbW$fga^N_9=jJ3Uud(8tFebMN!%zXh{yUY=%Y?jSwR^oVCOZShL`a|k!n=f(w_?g&2?E4DOm)snqskvs)^LV-M zy+EAJr!*@->!Qck2L=+s50&Z?u(R9~TfL#^w2a(0WJi#nGsB&CsHyQ+YVyvj9DyqW z&63eP#lzJ%`Z+wWU>u3P`4eatXB9)PYZiYNXi^hVbr1gv!4s$ts=cMnZoCdN+`MC# zrDEs?K2IR0X|wr#X}o>C_F}|Yhg(K!xAM2ZF@CH5uz$PInM?3SAeZLrnB)s{sM_1)ctgf^j`uuQ_D!WzIxq5`BjkuQ6%r8U z(g5a082@y=D6^W(0Xz+V;hm1->Uv?`{urJ@ypn?}!Mu4Np5#2P4n+g36DrBYEtyXg zKO#hVhxxu2c;JXGG+LdTw5xO^T1vwoFwyu~@8ZVV;-k*hVmU~(-sFwBpJ35y7_Wrf z<-8-o9+gq1=^DK?5~PSh{|xsl&CN^@?(m%(4?(K>L%i9z6Ih6(7gQiD>=N$#ym~gwgo()A$5F>AVu{q4sZo4DX4&ppT?uszu=s>a5vQU8U8 z%o@vusAI1hzECipQ7KS60rX!c?hl&Hx6tW^Z`I8TaJglu=!LUc;E0=zqzwOfZ1D8S zER>Q=ID*~DNTZv+lL7>w)t0k~`GpC)591!Tp`ECYHL86{!b*P+>8gGJ*R%qheg2%ULyZr`@lM3iu{Ru`IP=BX5tnqwFH6-5oV$6si;>h|q>vFu* zyjrSlC4y%7y@0Yg3a_$j@!ICGqY^s3K8|xtm>8aKMV<^lW4t}D20z+}@yB=teqUpt z{&O%y-X4A)$GVbm<}4E5m}q|#mzrPHuVR6;qKCPWVHKOFM>P8;Cc_GsD?C4D*1-6- z=Y45wjg@>Y#q*lFMY(R&Fp_&{f)ZrkUK!AZtC zl3kR9giSaPAV#)$>~VYG@Sc1+cYsWrs^tE#TZG4)+dN&XllT;8AFQw5k55hn)C?Hw!43EEWY1(5c`-}!G8FAi4$W3DO^5|;ro%Hd>j8I z9@v~vF-CTF3YUHXF0n=r{fvv^7i;e*_ ziuYBH^XT{cd>=P{#l4QLzKYzvGASewU)gx`GJp^k(!*R-;Uh9{wEKdLZqB|ZhZFv} zRyMGKYciW`f6DM(xKrbdt7-83YMU4~JZIEWlfMN^_RgNagdedEpFKNBO7cp68T0&= z_skO6Ms6C~m9PcoChi}cqdfu2NdGdJS@iSVX?2q!HZ{f@FSt;ksELpa-bmO?XLWZH z<8-m=hysPrR2@!Ifcio}(~3U`n%IKG`gN@tMC;sTpH!Tq-=```LAc#65QA$y7$Gd{ zSgBkKv*%95oYZA8wjA``M-;7!~mPigJ|gfHFhWvfmgSL>^Al6@DziMa_^mf%~SPB5&U zGSBk&aFr2hcfHB~DX1PYc~QTN7kdV-R*n{U{&Gm?4dgzbBPq=PxZtXJUx?z?&@-MA z`vt1uZU-s0I*OFAcsWOO{-snm{0vbS2VDyRP&D~_v&0*B3*Bqy8=9i<&Djpg#~f8k#|Cj-yme9uXyywbpp37wt($1z|0Jefe+ z15<2|hXML8&fh|tMbZCAu@WF~#7su>sjlzQ?cd1o`v*|Kv89ugb^#0tfy7LS+X9Qq z&#H5A7pKO{NLE`87!vHmTSrrYFA~lW!97jp=}gyAyz(~~0!zW;V=_jK z`VrU0(G+BvkQ{~gku$|txsN!`GlM**`^*}6P4}sy{U0#pC)e~2rasy+S!tduZNhFT zKX8jRsPsbt0l(>vR8swc)EED1F80iD9>7dyEbc|##g3*&q#n2mYRrPUXelsWbbtr# zspj7H+AFqoB44zAnMtHLZl9pVvq(U%RvK5Cx6-pT?RG0ZD4feajy+lUpk%{uLZ_gs zZ39TtddbVps_nvc_XX_NfnrSKx%Xj7s_uyFL(buoDE_OcH2%X#Ud?ynJB31GaiNgS z!<<8C9X+EX2=nj>TdeAz0shcD0YWK1&|klohryi>Be8M;k|(}{GRbxN#4&vjogs(lg5o>pFU~Y zeELJ0!o2o!L&~;=n#WV0SyPm+DBbu`xLmz?QNBgJz4>vruxG2X^PbmkDbr$)8s1BL z<@~KW>w(K_m)o*_IQ*XM(7js`U1!LX2E-jv4_;x9ieEgyaVqV|fb{o!h81KaWb8eb zIKE#xp!H)4yMCJ(CU?t5H?DGj|MIz2 zJ$`y8YIVu%2@q|3e3b*r;?{}5Fe`Nywgjwxrz(;IrZ|2W5jP$T(6)J4^2 zkY}HK>S9m0w0=!)g#G-Q-jSZ@#yRzAz$-Qu}|DeYdEqQG3ElUn} z@55hcNX+b-^O(Qy?#1gPR^8jaREnD+TaSEZr>}2+`-Sy`Te{|aFnEyHSR6KDKu}%0 zd+dzf#U*9HNt!o2u%kGCMD>NHp^wxww)wXFfwjp7v-*jMogW%L9yYcq`0?=ZEiE5s zOx?WZaF>a#-rgfFzjj+|8Jr;-I&xY~#ywohgBt>!iYuP1-YbmTQhP_RZLc?d zI(|n}#ix~TZ$BMJmZx?vTkq)CscG}g6P~?i z@}45+lZ)dfZNI1;G44S79e?+ckE%Zo?|atKe{x>SxjupZ2fgof-*DZe>Gx*MJ5Qxg z{q^c+Q{K6F=c3p~yTw-@6T;6|?@ZjVdD^73cQ=QhY53;z=r?yapPOEDJ?v7}S)+7m z#`)rZJX!OPz`L?U`;b0Oc}x2>ZkhR6)zPv%%_p)&NqN;N7lw?w{Na{aGv|hHt!Z!A z6&9Ji;;uSrWc>O#&o@~IJ}x_b)&&?mz2c63KW*n(W5PT{N=ia#CwAm$rR@|Ym~Y{rx)$te&in`RjzB77pq@Iqn6Z`)p@m=!c^6S z=#mo~g`xbf{)|-%N4M90J5sSIO_D|rGUOF34J<7lok9|p4r&Qd)33+&{zryEQC$<9 zJ_CZT4|5D}-NxGUBTXw>_hQrb>yV20e;ZH#Yhb=R-*W(r%?M)e@ss4CkovTmAc5Pw zz@+KHaJW-EdE(?LvnIoE{+JwU(f!ZiJpAuhV@b#R;q6Og$$yX7vIRQ`miNgg80`>f zHYi~F;5gNeKKXq_fq_LZj#t2aaP@FP=xw|XPYAs_4~slsh!HlsFskT+&<<=xJ96O( zJI|-~$=?C*>G)@Q|I~jrR;R$^>9c~<9yZkrMEi%#^xO$(sgK@;cR@@2-@E!>n`2O@ zIg}mEk%|xl8)Xzo&M10@epBe5?BNZ9=J=fO+vWe!9I=W}`-T3+Djwb;VsYTfkbt7vRXy4jq8E7a~HJsbWzS=GI6A zUgBMO`ls~@*@A-dd=Kp$#)qL~-UeBlL4G zIGn3w{5$`7cK`Dr{@m-|_q6N7Q~y4;|M@h0#WI|;0B#nfr>B2#`gG4!93DS#Hc6E#~A$qVe`LJ#Qs_th``-W8e*f17 zI{1Dhf9p=z0Di0dVY2Sq@a0BD;>&?hdH|usWYZkPMs9Ao68bIxjPWT z#XI1Bh;D*)p|lt8NKA((I&ytja1|hRhPiC2j8=~fO$9^bm@%RB*TacmM|KV>xzuvT z*uOO?!dS@Qh#@KrA+Qf4L!Ym&v5k7~3ZZGI|f>_O75BjD9Fs5fbc=F#Y1;!MJI` z;ABCvj}fGY=|#Bz2-vUxkdK`rj<=UHCUA@-VPvgYTwtn9XH;S7uZtC&j|5 z>#nQ>eh=W%kSiC%)I47mVhiEJbgabATMJNHS$5V>H>fSNBd&m3uoXy7i}C&;@ef-mH-+726QUb*^j63#_H5zV{fd8Mh;#$#zc zFE}nC>l56p;jwau+1UfvLb3DSs!+1C&REn9$;+k`4D28fJ)?kZY~~yI874NAwRJDW zco!quDsaHZ#W;M}BW3lm-9jD%Q*f%KXeT_a&}VlI2pbr7uK7*A$Cum0A|!L1PTwN}B+C4i=h zAEWZJWGPpSb1g=J$)f051}7^l?UBp+0Cjgx%%4LJ83NykrLGgm@jelX>i-g*tNB;$vwj_Tp{{ z2Pot)h}nw5q}g12 zBWfs?KB{r~zM_IO5zfLzp~9Ft$71BL6H_-uKoT6T-(}KxzQFYqyi~Y1%;@I?$CIcf zoYTPor-`Ql1DC+OZeL{iQ;AB?JTd44-a}_Avuthm- z2n?l;_mJQ$x`4R(>h3U>44JElpyQk;?vdbXhBA!`UL05Txs7@>xLIuwc98d-1P@O?|A38qVv;i|E z7OsLSl+MJiJq^RWtqoK)`jw9HyTPFBhR&aLLJ_O8soogqV z5GgAg;VMM759E%$sP28kc82@S>};RQ$GOhpj+?FM$^xmVHQTDN7ur^ZDPY`L8N)tM zB>#);5VTo&+f}8s$8AA|bxO@Pt!BN_^$69^QVL~;2TF}K!f=jC)ufF5PDu*2_b8m! zpy@F2^H`IT%yn6zgJLT?9ZHi@KMwFSrA>KB$ki7N>yS>=+MYs=d?dXjm~`b4jsSFe z!B7g3z;~d~a{%}E7ogPQxW-SthjC}R1rj_!%*jhbD5K8Zwp8dU)RP>|aurlW=B5S~ zqhG3i!hP8%A&>9)P;0%9CCl6hz+L$Vva@1^2HTHX*JX~cZ#(P#1}_2?`XZXe9Tpty zYZ3hKc%3j6k{h^kmcxm-yV5u`XXWh1la3Q%j^5$6bOkb-w7ROt={Wp=%eNgTfp9nn z?<+jNi#p30wFfQ-u3FCXC4fyUkmnq{_7?TL3s08HJ#RPF*b0z$pP+N>N19(F_;`?a z=iZL67TMo6&0?elsHbhFOnWra#xee>h7#5>CoI%S%+|MCFJxySKGwEV>*(Go4TFJlHTQtKo27whx4pJVetvB+1OE};+8@uaSc@1jTp|E zvdq;7=`N#rcf59)w0}HP>AHML!6cC zBE0099=6nt^f(T7>`Pr!HdN~FOY^=Wt`nW;HlPXX_p&s$uol_6qr%hJmWb?qF80t9 zHHC~ARoa$f%N7blp*^1)>bQkWQ1iseS%F=cI|=J8k+6+Yp%rE1Inm7xAk~JFL63ta zt{39pFIs?#zLL4NQFfIgPbPC|l#VNE#~GQ1GjQ95f4E+g0ga{5A_LlJHw{-**i8nR zAFj*n!&r1f@7t&=Q0l)^y0n-bpftRqMCFz}@$CKxUT~SP!yIOdl_9hCd7$R74`Os0 zCHIEVg?)me8M@s{{b>$hMEFTAmhn~!a4WdZASm7lCt;pidH^>vCA(b7x7rpWb`TUE zalNEw2de;Lw;92$pbK5GmLbP56;vn)P0M=8^h}cNn7XPr%5+|q`e^hlKf})1rxx}_ zu&-4X6~`vAdEXhU{EWzzWYz`pv1lq|HLFyHDz&scFBxeA5Js1t;Ea~cNGQ@FHACei zt!r(j23SXCco3;`X~5Gb@_i zFCa}C>w-7Fh$<>lfY)Rn#k@M|IXq!p3LvJW(QH+e_$0V9#%hK@LEeiCU^f?(RcpTE z%I|3Wvx&)YM+2AP!rL1A$0SY4vz=4;7jdHF{TP%{Sw&xX{d#Z^Zs(k?mqq__P9JEu zrOWG{DLyVFK!ZC5;_6vc${YmHx8iT9sU$JM z^9_o>q0se_T<1EeU}19Y%nGTEt&A$3>wR7`oiDy>KIMNN+rS^Doob=+{`pWt znZGlW=vsxU-(W=7O1Zxt{4CM#|HIU~$3;0GWUD(^qyk6&==Xsvzb1e$*q(Ah;`chGipNJ=Z$ZfM_#1S8cdXi2LXeg&K z@X-rC2VoKBK_Y0SGY_Ac~pT&|ihkzUh_Z{pQ$ak|e8&OhjaaID1Z zoVN&mFX3W&*372(^X>JA#3-K5pJDdRv>*nUrTj=*|pGW0x zv}_Uho2&rcb4-rCXck*Z?xpNloVN;bK5ioIBcHOajV3KKrXqSPDY3PzsURD1&wx&G zen5Sw3v3EEz_)~v$=zU?tB0``aQ`C`L5zLih_hAkF4TGyUNLgylWaFg}&^a zCyuqzWx+I*)d6Mt@(??}>^hxCuLu?*Zo2;!ns$TXBWwz3?1xC@%Z$>e+7W*uo$6x7 zvDqL|R5%W{(HSr>n$Cu^`qjGe1|O;=ar2Sc4anM>GV5pGt|(Vu*GJL-_!9Jv(&1V< zjZXKjS9bsk4EO0XoA2Y-31#o zDoVV5Uzr)pe`?foRH@On(1>c)cRc(>qu$BP1M5rQB_nmqBwmW~oiSz~@c3GcOa-38 zeCyb3q#xq`$|uNSBp3&K5zGpNTK=RF+a+VP?S&NiU*ui(vN+F7y_AR?_RFTgJe$^> zeGx@&)m&*V>D-j!I75I;Azr}#+f=i^%_X*ep%(044{ zi~^J8N1zD2P`?*c1xi9>GhscSE<7U`JnPwkBB)zf%t&qO;&_kLZ`N12szJQchZuz_ z5zvrj<@P*M8l?@${KjP9r~xk%(oUW5D+p9L$yvJsL!tUusuTX9?Y;mnr6@QAYWc#i zyor%OOXw1vpd3KLW_Z#8aQ%ec^((&O5uFI_Ls;Q1YdfF7XJ(f6)UTa&gT+ZdwHIhcEkue z_=`D6(8I5uwkWg3`m3Nl!YSe>si?c{TOv2sH&E-i7!Q9Fj)!dY5voXltY{tbos9Kr z^&2D)On|9x=#cD7(h9%Qm*wi3epf2^KP<#|{NYYsoRz1G`*5jkhD>P6&OM|g|XO9*+HOKM*Xh5Ckr9%`NP zTc}6NX5|bDpD1cnnzVR%U>aS`^(fLSMVRdmQkhP5p$>U&%@EhRA($^TDlu`+nMBJ! zVE8HZ(&6jeAZ4T;QWtjjf~A0h{H4YJ01DD-Y}mmiDfw906~!J7ZIWr_c_h880UKbo zS{Es*zIXq3`hnuXBVIK~zv-msFjnFma2j=6m9U2 z$}7Y?_!p>ktF0X&XrB^;5}7TJCWWj{(g%ntwELrbOUJR2scV}m#YK%cqY2pa=c@zs zV9>~_&uf*>jr>zY{aJntLwr?J5+rm)O7JNUWYmpp4oxnHG2>Zf!Df zne!0kjEV+jeybtc)#T8`2yw#gg07$>T~T3cv0H64lPQ12WoFOU1pkb|4K{l;+~Y2{ zumj9E9G}KW8Aym5k%80=sAem5I@+9>3ZA~#>LL8e>qGMWcJ z@1sj^AxL!({s+11hOkCnBmY461`yCxunKvmi#pDmPxqZMAN^N~>2W7oz{a!ysP0Ao zfrtyjbo-hs8oKlBp_tD2{ypSMaT*AmM;FhSji%W(M9Bf?Ci=(SXOE2lAC-sFKR*t%rxlyhoVD7i!6cX8Z)orAjj1CK6 zTa40!zp_C+=uk2=%28CH!Ja}o2TsqIGk%3^1C$ZfuZ`3ef;p|uCL%Y^9eV}MhX{3P z6cr)>;hp4G$rl)!q zQ=`pHqO`$8J!ytH^cN}WS}tsH^)c1~WN@}p6b84? zMf+ZWIS|^JHyufXyR>W?-w~;2QNw!L?I@?g*P~?>oyr}DIr5ekfXPNt{bJN;P0OoL zAgJIMp*)Oj*~6vh{S1buj;(a-2b>JaMO(miyY*x6F!)YVaO>s5G$d{q)cP%#mSqC5 z?#LG2X4kv#_EtQ)KmelDPOUOXS8`7s6%!muG-ngPH!l+1(R5B59qfn1^)c4{N%R)= z`KZ7yxJWokDbP88Gdhow#5(B`Y6=2Ow}DAg-h){i>y9Mmd1X>m;2dX{<|jx79s7!U zf&ujlFcsnlk!*MVCP7>&7>q$$`O{@*oG;Q>E8u!liR6f(i1Ya80lSIaQn)gTCJcd3)Ss;?&n2)=OCjM2PTi$h@_<;GpcPZVV9#x607wcO>utz zB)_Mpt0z=`PNhYd=(myruE&`qeJ#p z@%&PY!X;5Bjc^(Inc8VsYn@2yc_YL6=44#g0j{pTprIxkXT*ZB1{~-aItIDE znyGcvrKll|Vj%bq3G6EBUy5E)4y4qJ#9I72+3wqc0oG$jTQ6BiS)Ht-o->P-LygAL zJ`KE=vcx%Sw_n8dH{eInJ>?f8HN*_?(Jw~+4=5LvVaVCNSp5=N^UQRCx>;k*F$bV% zqhU6^Qdo0=YG!igT?u(g;yz9mXg;3>rI`E zKz$5?SNIxU4PB;zWLgw6EpT7h$3;x9$d2kLB<<09KeTFTuz{PY6*`h^%Qqw94ba>E7YjW(Z|HZ| zKP@-f>WPntgoYGIuJt_J`m$wh_2eUK9HF9SD4KL`fB7A3rp4e7{5unx|1p!HXU*`V&E zZo)!DXR_ok^%JD5hD!a)`)SQeHk!3u?E}*oAV^{Jc9-)!J%oL1hQB*bdj~)Y2%4?y zz$XigURqoHDJTmPPxTnf{urJN1%jH39rt30Yu)7Dqd0#yNkt zR2FdC#28EaXjHMR1K)*ECTas)U;*sY1=c@&wm}p$FJI;GMFA9?5Q|3|4gb zv?1^$#brwq4Ij=f`dXL{WZZZOYk)494!x&qxFcpI7b1Fyyyxzl>>ovKAY0kr_ZRG1 zF|cZGbM0)V^p;*pH3lb}(z@cEtY1lj^bk-OFnkCU``}E>j8?kE)_#xF)mo)U!~WK= z57it#n-=EJrz!PF-lcccUzYC1(VzP|pzO0+`a6AwV-zE8O%L}L40^|UyHt(ZE>aGH z+@sjE;iqt4fHEMd&ZIf^wDc@$+p3&N*DtZ|i^pq!>p& z=w{Wp^~;qpTI5om)@28@TsPG~1fGPAgdhS#IZk?7tE6b#2;V3z*P~7Up;<7)?|Mf^ zQiZ;!X9sG9&9+}%(xfQ+Z8K~;hqN_AF;}v~9`7R>@Sk)Us&?G!56o5kFEo-EXPr^{ zO;Z!nJN)r1{+8**J}31?;UO?6v11ky()&scOh}-uy+zt3&%6Ii%Sp5*--Ek5JBlSO z+iUAzb{98jijKpVlgo&Byy!Hqmf)i6Bl@FA&+Y|s!`Z5>2Ju6wODAz*45tvLSDz}l~ zfP42Y7E-w+S1a*^kOu0X${KUcb9i$7Q{k72KC4-ZI~2VDOV78}Vkc>&I$pEkznNzb zzoq1$yBf^+ZTQ@$bdmzYZx_LLjl~x~p?N70-^Ib6m~!LG72px()`^G?M&bog4e%fd)KJkL!k-Tut!cnMJ4oW zQV@gwj=YlT=otXcq^y3Dr@teIU@|>+-;+o_1p8K2*>$QdT7?p^Tj;#Fyh6 z2BBf=MIqTWLcEYEy^Nc$sLyIbC3r$f8?VW+Z80)!jiTP|e^MjAMswG@NR@hJ3uae< z?2z1|-wMkrQqC+VGU~>sWmSyF;C>~4PDphX(5IC5!7b@~8q`9B-9)-D)!NT=^Qk5s z!>coix|2jP?xk+h%H?bdG|S{MWU@D?pUnJP@k6L2kO*URN?J0JEuM^V&ahCMqjkr1 zwsiq1gOGki>TyE7fdWtPhY}UDPWdL*d6z|9?MB|!hwovOG6`E@JixFH);_+cgH01x z$68wndaZhb6iOjd3^xY$0Yp=547^6Oe6kg!B4vD*hI0bSz|95hyyCtii-ek^;txouMNP#W@KXfgpTQ=`QG5x`xl!H|Lvxqx=&Ij_Ds5 zAzU9Y@lW|wpS~fg1vYa3mwNt2!iW1G=i2oS{h~tVG&M54U6bBM-~AWQO%9={ejfDD5j5e58b1QVL1E717$Q-k&G9U zX~my{kDYK8i^8~z`{bQOud8pj1(8}bIp9DuMLQw%vD%D<%dvbBJ00;xW~^(Ed>N;T zWjjSQ|})KLd!7w%dzXX`2Nz1y{ClT>Ocd&>d3P$yINF5Kgo|Ws=Z87 zivgD?Ji^2FE`plwRYN3QnmeMCzG0iHnur&0p)gk2p+(ijGXpg)+{y3K;{CXP>r#Dn z;ZCjm7Kk)kPgBqwt?{`(Z`xbn*GGhLN}0TxfPNI-D|pnezdEOUsaalgTI^5A>F_I3~lNk9~JLWU=;h^% z;GGJcjlI3|TnHvflz<**dubxQE!#PVqIM*vCApuczobRy5C)$`7puDLjgfNWrQb~a ziOxv9_-)JUYO|(6DJQ4mqnT^EQR}L>r^NPof z>Z>~S2gH1J@0i|C?dA)*7Qp7$I|~0;_h!p~i!MotQTQ(SXWO{7cyL_^|3jzx8&J&( z+}l^Btyu___5f4OVo+LKqk>G}b2xQx6}Uvy&C|!@dCK@GM}v__W^xqB*`7C|k?vO? z{-W+iEt&ES5C)biG%7YK8MO1PMP1j$dy{{qL2Re>5{ zV8J^UeGLk?s!S;O%dIM5dVpwo5g3rbj z`RkDXdCYDUw{`I^Ml0ccHu~LwOdxk$@DH@dgI115{z6oH6T!pKQTB7FFb~YAUF)3{ zace*gcoy~pjI|Yc?t-`aOVywTTU4En3Pz%k^Z)msuy|R~@?@WqrAF4qBOql$Rp?&9Cgs`ik2LR6e4UMd^c; z_zeCvV`X&dZ&WBir12$Aw&+|w{eg2@Ece!9?5%ms)lp*$fm+hIZaJ_iyO(@cIu3zE zE5DW`ZYt{xN^cZ-oe-%EH}HG=M|QqnG|nq86)KoFnqkuIH;4Lku=Iaj_sCN}K`Kos zhqaL>>amZYr0;>VVr@4=Ri3VcehKeRmriM@+XS7UzM)ayV7vv+!f53QjTrDym1cD| z>_Y@SPSs*-R}=ImZi1t(i2{5tIg~BeLO;S;I6uED2L>9G8GQTYrqx`x%M<&g_#A-;@B%j>v}8GZ;tFKURqDVTiGY9+s(8O>riY4W?4m@b zEoX))D=<|}L7(LXyr4V4bfwrA4HOnSXEEbZ>+pgt4b@DFJd=J`nxykxLEa^bjA8C9xmq(px$Uh=iR4hhtyRooMICEgKY5o@38VQE~!3S3Oub^uH^$4-N(B*4W0a2mTYkA^h37%0OM?DgB<7zVwgom*~=SYf9Dw zn7vB)7E*IQhGbttU3V6P-Gu6xV`dx0NhPg!>5%|AF9&V*U@#l{sx#GH6x(Y-HPz<@ z`Y(1oom2P#$=#?dBRVCnFj0TaW$E*uEFVgNL`` zCW_*{y+RcspL7S=$C?4iv9GrfW2H(Av!vIv@fv8-S3*mrbrP56E5xmZ&_9v(8(N=; zv{t6!)}e6p`Si*}i@1wikgEES@-nt|?ObBHWux$FQ3Tk~K{!UFWxC64XGo8a(<(asEY9N~yEQZ^ z$++%mPEes_x@ctnC~0@xPVyv$E75{ApPH1-+CW<9zOo(#5~2EepaHWTrV!9|l zB?k#RrALr2lh?caI#N*ap)Cz>6b78SUQ`vyLIm?P|i%C_L5mh7f{tGQ>i zedCdSLBgxt6Y3(3`!$py59aUE_q7h?3Gutsv0}s1GW1e+gI8zP3Ai zEe3s`vu!yi(yvT8!h)YJF*hl zHtQ=cettB7Ny0XWmh(_}HhkVOQOZQkxiikq(E#D`-!1d^F4xRA7By02sVNGH`-fG-(q@`Q=~8!-4VU-IKa6Qmb$ z;1xPSnr;ZhLZn(^3@@_($V7YUm0ORKGGtXP zi-3OKhFYGB(5SFf|ln7t?3y_aou>@&hgll(K(RIGNeAepX3viD?K zx+9TNU4Tn~)>~Rf#v{4$@mOdQb-~9O*tRqAaU1xiLk$dKZ=q8Z?FCcRs?}F9EYbV-=c7o4|c3Q$U4Oc3;9iCecE_2RVhK%dSlyR z;0NVYz!cRBFbI(I6rC)e-zh~voJY&vrV`E0wN(4xkjdC{q9I{d2SzuXhR%!xJ?#$w z$yE}x4c`=|B5@`qd=A?&)!%AM=`2-(;0hq3jz!V1K`F-#^`EQ1>d#$O=IX3>C%6U` zbd4A1CoOo=w+xl0Sd@?B>Qfd};%o|2j1-t%t3Z4^j=j4a!YT)#A)R6Fy!vNOv* zoV7~nYYO}exBER!-~x2`^UcC6Xsxf)h83THe8pz*Pdo0VtOnSbUrU4QZNo9X$fCZ1 zz=O!H>_BOU0mz)726YXWfidFC)d?LM$0%En&l7cT%9R1F_voH#9ZI_oX~8Ze3=cXoh zcl3_sKaOu&FHFD_X_oEC4rknvDAIwOWlN>?^-AC5$g^G|)AcXKd%f>-(-6{tm$J7cdogNQz`2h5Z%)Vt(0!eW7czY7&3FLql{A>R=|K(egQ<^ych80w z6#-nDfz8$MhvGuqF{q?k45&Q6H_psCCJa-2SYE5=AyzjgDIfNi*I@>%U=Cnirpr;Z z|L`L;+Mo6gm(;RSJ*CHCxP(fjNq7Wzxq1S%_u_=m;gT-^Jiew4M01IaVWNAamVGs= zcVj>Cp-s-B6Qyz;{#2MwCPBs+AzP><4t-2|l`5>*qt&Mks6*9@cBe&o6-l2H{2*Wn z?d{SE99-x%0&BGyTLY0+N{$YHMzYFLj4uGuW3xe+3p>Sjop27iUQJkf2|0g{@$Z(D zT}bLH=oUw1FU%|Nh{1)FilZf$M%{yjpUZ+$SYsz+b3?phyz&*Vbf8m$)%v`V9iaN+ zKQ^;(h(1@a9MNOg&Y~nMlaTtPQGLds^pE#e^Sh&oEd^_k>*(wSNU4UpP!s5yRjnp# zl)ZX>Q!KlYKNd@D6sJ^6shUt{V9D)Z`#F}@v9Yz#y3C$24%Mck+No$ZP~u>V7(+;; zwtXL1T&llm+IPbiy#d>|Cqaw4Lg^ka4;LS}m0Xj08uLZ5^bsJ;*+ml@t3N>Up3tCz6Toe82gf=G_&CO$QMc~ep~B@ zvovo*;d_yf;o{ir+ON@?Jhb5?DjbBw%eKbl^xzUgeO8yJtESpb%1f4#^nwCZehe26 zM`hnaZS-L*J;G_2EWM2&hP9z%pIT((ysFy-#9=-@8rEq$EMm1QqFylaPmtge+|mI8`9{>@ zfIwb>sP}+1pj;)WHZznhb0A2@C|d~YBx~CenD|g?V^pgdrYL*>>F8Se(L?CNp~FbN zSKPeBH$~g{g}Ba2jWMAg?fGVYG^IXapaz=lzY$7LlkZ2YJVe3|j^PP_5ewhqZ0A9%N&@SgvQ^P1!3DY-ZL+%FdXCRy7UqXpcgD5u< z{R)vEX-(WBtAJ!|JxMyY#n?K<5iU@WaZnb95v+FJv5mrWp?hOv)1)B6i`fp2S1CN5 z=_ky_skTOnQYhs#3X}u%phRiI6W|E_QE^$h+)4Te;~(I}41@6!$motLV>S3PAVV)< ze44gz|G+f}N2W!dh{o;CzZ2GPbU6@$;9w83RNG=@EE4)cWpxY-eV}ta zvrbqE#6cLkiCn&6TGa>Z83#sth5)HuU4rrRuxYox$oPQ1_a|zd1@HSBYJCgh@ea^a zk?!coX^rc=?^2s>{Hj6njNn4x&_Q7+eU0%UejZU7E#1JX)gs(@xK#OD6V8E+!;A1m z*q>^YYiibjFupDoMzN)V!NUSWU9he_ElbC_hrrO@{=lCywlB zW9^;$WxcJO$4WPybF-B%@8e1+dBMM*z8@6#2k0#5PY0a4OyU_6giGG6Z;bmK2r?$E*yZkZXp?ywH^Iu!EyA6yX? z)xowZNliy!^@-CXdX3iIB$FSBsGaOr%=b=0VU8cLcB+$E>W1-BxR(_bm-dW0{Lzc%=0wv*UmnYMqxf z*6U)d1PN;*4qG)8Jf>KySLh3G6N7Oyuwe9RTDJAE3hguQ9!0y{Rc|6 zBajJD#;Zs;#B5b3B4IHMHBh*d3!UQ zPsLa6xa((Ei@SRRzx-Xko0;ugJX+=(DDe8C`$|{Q&IwxwA?{a&qyih{6eUkn3Z7Tf z65R%-%^4&JyVs}c6P>-{-G_+IiYfrSE-lA}Iba3eaZLxz%~s#iDF0Zl_|>BZ_GSM@ z5_oW7oKnE@iu<#~d%1o}vf+bVvi6)NOG43qiS6W>t4Z z6?QaBy|7xZSu+(}qkj4T;I>kAqd~2XYPh^JppMkHZ!G>%o26~}K^q=DJPs8DK;au%zocA(!T)yeMG~?8|ne5Qcs7D0+MlAMYs_#0<0ZifHX@ zF8IzA$@vovxw{tm4lsh#`n^f*0j^9^qnTgT5rzFn%2e2RG1b)!cscZIBXz^J;>$?9 zASz$mnb}laC*V>s%N|7^+D^hy%Da(K6mdu*82v=zQy=^E;;KdJ1cQCM zrBR~{!*~C)9*iUX>LwH3$=Ae7)fjK8S+4wug^>_|7eUb)<^0xReV(M1;L{q%Jpuwj z_zK)`IU1OKj4-zC3sZAPi3?%2WM?|T)^EHUA`+zdOlf{MsO9)gsYF-)LN|5@e?C@T z!P-$KKZamqBRKf8=vEl|xc0A9_epv+JzlwwoqrB-52c;=z1F4y@@mi!1>h@<60lk`D0;70k7oaE5$ZjLxnO_ zAO4Zvs}vf-F2_j|kW38pWst?{!p^gZ~%v0xxuHJ*)iI!ue*sG=WzIarCLRfw#F^HB+3v9#e+G}`@Q zyN}AZUL9$x7cPzxHqlQ1j4nXHPjXI=^95io7&@503;f?*m~p~EfK{^ac;%EPFe;KP z93`lFBbUN1ljb-A?{aC(vItSxRsbB4Hbi|5sT$nUZ|3K^Zc#rFd|@~2x^Xx7T^qm5 zNWqj(wWE(*s2Kpa;*GnW-tt(`Qv4i91@ahbu+ee613WGRn8+@VJT?)Mm|Q%ASs_n= zauf*W@_3?yf4D{-34NKh-~yjE1Q-jy!Z@z=0xi_TC*J}L5H2w8=$Qg^i4evP{EYvo9-zS_Wt2faO(#Vrc4D<5D=7d*B!5pP zs(tnHSC|upuE36#-vLnMGl?1`9|g|IXE0a^JLPGu=OCSouR@}iwqLLVe0&X2A`_X! z`Wjgq7^dfXQ986qcIZcC8DL;d5JOo$2@@HiJ_lA%4`b18`vNnbAJ`L2#!{Tle>7Jy z#09^%E_#N)o8XL(fd>5{6Aa@ihFDt(EVk2?^;+?RtT3g#56vu)Qlr07lJv@Zv3yZi z_O$v@tTSbdR2t;~6+JiTzxH$d+2!#{D0E?0U+B%i>X4mo)5>+I5ctdoB7=r631+%; z!9e6;#N(M@Q4D12{{|sQ>cy;G1<9y*EArjb#QjgLyzBqTJa{5%1sNpS>Hh=`CRTV{ z0C)m(IRU9)c7jrf9F)nVz?d$Gox)E?WUd~j?-}zb56s*S2DOjgAS3}Q=@Czk#{vry zz1|2#EzPDxj6Fc-ecV$F>~ky^(Ojq=!>}lmW&fvQ&afG<)%>3f1)d111)K+YKy(a} zxD;4JDM66S3FB^fF+?-e%?~+3DRhz|Ga~Q7&;q!uaWI0@1^%#KxVE020`U>a_&+*X zS6jh8jFI7U+;9(xs59tq8bOB4qZ6K>LD`^kw3ov$6FKp*rum5TfB@r;^v~==RGUUJ|Ae1~x*lfP!V7_<2P}&mZG`eystMN@bU-ko zC08(Q@MgXY;QfWGVAjps(RUFBAG=B)Yf$%{l_dgrW)47E1N{S041|@pQEvY1#d_c( z;q#>2k`QDxB==ZT!utZgQIj4~l4xEKNT=ES2f1?tkwy$SBSU&sxan8mq@O$=6~2T! zF#D(ub#lkJ`(~RlU=25L*&OM8TsBKR1B1L|uKFdG$~DSNG(M~WIf){d3WLyn9G@5g z)eH26g5gzr<9&`oDwXWT+PwvAw6x&5&bwYoT4tYu=uP>|CT&V7Vjl8}dqzQ0OeXIP|ML3`SXH zSN^{s(0iGAHt(RZ(JE>2@tpu#|BQ}raS%jAY+wQaqR_9O7{Q96)?V<8ycLuvt|6Jc zP!i=wn6<;c6DuIpGk-$G(XL@I45|o^n^^H!@}c$Wm~#3?83RXr4ir&-z=Uscl#mA~)5CpAJ8Fm>+Yv?jChuW4&K6>9vk3?V zfip~+?|l?F3&7%akD97qkOJK)wNBSi%JAH$Fcpxq7H1F%-sAE!-s=vS?%Lb_HTYb9 zGvXf{s;loU+(B%9Z&*0$huZeYNcwL`_^fUw@Dc(Hd`|)^`w3@{XuOEcR4bA2bKx6W z;WC`)1|)n;+iRvQnk}4yhDnP_S*=sg=huvH@7Kp^SnlPaP%`mya)RT z2WIY@?*>4!$GMso7Bb@4o>t*oCOtApc~dWZ4+d%2HI4f*bdvbf?(d0tyLNZ&jya|LcX>35`TM3NKZXI0kVFURUgjUW~G$AY`5 zD@;2cKipUVO#TH`z}RU;$KQe4VJpl+9)CB|q`QcZ!y;8jcOQWP~nZN;7B6urSYryVGgK zyk7VUu7WR!0zRBtoUPBkivn>>=e_+Ruf@C^s0F9^qJxVC}$ir<4V^dp*~QAI|Y*A8U@-~XNQJC`m!$?$@Vv67g^O6 zB-004)LTGMhRr|l1}KccUN1X=rpqGdMAACfgtxm_OshoB;da~|-98NpsKRt_H?Ebq zTw~Oyml9flsiHMCCYlSIl_Xt_nHD6`EG%Nyd;SGf3$%Oth%ZEEyHJgVW`l)B+^1wV z{U@}0X&}YdSebO6fNO?;?15lZVs&-h87FrNVBHEPw26^WrA@H9XBBO8YACP=MbFu* zjlm+E+l&22btYOOa#!~6X&{fZ=;+0mEt|uH=q2ppz%yvuttH}8v((jy=YlLyr9pX- zs$YbMMxsrHA+U%mJm<>&DzM;OA9ps0q|Adwy8uBTs*AlcQon#!l$)BsEO>A&3iO7X z3tE!Ca}S{Ti@LzB53I?lEU?fLgxhQnX{FYeYjJFjZcb9q>mX!1iiOfj#IH`UF1FBb zL}Hr^z326xrFEgZLffnL61<*_TTelS3R6Lc=|n!>?E2W+-x%0c7Ui~wwghho_*2wv zX9i&FzC|hU@ehCsP6WW$1y=Ic% zOO&Q-AU|5LRp`q+L08LtR19Mo>uZc46ejBUhR)fObeQ2%b)&=0D}`KK-*m`1h{x)~ zLCuwqWoQnQ^Z17rb&N)>h@n4r8E~zftj^U42OV{>l361hfDWe*3kP9~gH?AJ4zE0} zncv$fHabAx2_J=zH3=z`wV}%pI9~T(OFa-o3f~+d28*{HkVz>&B*8t*DM~FC9P}R5 zfE63*eZO&8XjH++h`9_{MrUXo*bm17LZiH+qnlNuMgSgt_6F=dAg#vXQqOs{85f7* z4j=Td#UgL=tW!E8z|I!{TJK9YILDce^Gu75E!d;SSVWvEnYv zqLXRoX`bDd{S!=VgIkFm4^SUQ%VQ#Q?$C1;?tnx^>3$?+w_OA?%i5aulD*fL=!=De zu#V}q0CaaEu?yYW`4|4Az23hiR!z}2Me*ZEa7#tqo5xx&JGm0&q*<}**_YavK#~Ea znWE@gPCMh%P>OHJyZ4&?Wm>qPFX%u?jX%bFY3n9}>7kC)1t=!5 zcn<>f_E@a&H=M%TbT|_Z-#<<$!L*u?JJz)aKC5WAMAV4uM>KYKtB{D z6eIpxUkOy;KyM`rc~%ffidKWKaozpf2s#nJxrmnPU~|^7jz~Ia)rn3@g0AX59oGRg zwwgc*yjYK${6s2D;!i>gde)p0s=Og<4{Oa}{)JfIQUfZy$~8UdtJW)sEor&``=Z`s3&}e zMgXq6odvZMDWVBMj4gZ;sJ^JGBOq4F?;7P#9XpLj9fISKbd)OGg@T~_&|h0KM{0!p zSQj~+lK2DToG5_(uqC3xC(aVcy5df#0^Qr!Si*H`TFP&<=l%m;1n0OezOOY>wN9K& ztFItwxUOzARPZf<#?ed%m>N^sT)^m7-@xK`an>#-@a~)-ZA9!Rp2WrtM5k;U2F_R0 zNJ3)T@`jV={QUl)ZbZOPd(omiISqF#E#6XHI?jZ zp>sI>stvYurBr_)1ttvq0hHF48CPSo4T=*;WtT;+CzGoeg0Th--diwh-e9Te4qH5M zX4F57cQ?WwKZRJp98!Qhs%9;B`wIFX^&txVrnd$2v~+-}&3Sb9Ihw~m;*)L3p-#@x z&~NuR-!jn&ur(jXyf+$@ubgHEbt{=irFe2KFik}z9uGa1U48e9?b+<=$R8H2M(|hg zGnin^I!o^mhg)GJLs!<*KgFz`GKC!uuq2&V^#O46!pGo@2k{QlQq|@HtT9Csd5Td=iR0lFTAZ>)n|u1h2a4UU7j^*MF*--?GV68)*rfzD}s(#xtR z%now~D_GMAX1RQa&K2K`6~0GPXZ_n)8Q!d<>XhFt{C2kaw!S9ZE(MT!$>N`2Xy_z$ z@+$ky!G&h}59YYN5916N9VaE{Ju}M8zHZ2#p=&IV4xn?JwkNAcaKUtBz1@RuF5rMD zkDTQmp&PZ0YWmyS$+Y0UV%NC?xFfib5UlK)tZnQMLp>9U)Pqf&jVw4uB zne6MQM~QY5aVtwbu7h^#c`})wpXmEWUw+LKF6ZYZsy(#fCvgj1DDBrUTSQ>}jV|bj zoKsCL>zJwMZqS7XX14c4E&2Cqrqyig<)fPCQfqnGM#(bvBw0BR@SM+NQ7Q~ z1uV2*ld6!sfe`?keAO=XNAh+iooR-5khce&!1AS-cjTRVTS+UQr$Y3R_rQLHx8{5z zbwUfK39AUV;{Z*sVCKp*9)mtXWGJzYZiv@SjuOj6+fG*5rMDe0R=#m%7GG~C68IZDo5HV+4c%7u==h~D zOHHRKyLHdOBzCIJpNE`x38XqNMFZ*NEqZ$4Iz+bv=v}x4J?BQ;4hRH=Z$URLxC699 zdD*laoRBhIt8V{KM5p#2M5lT4xv8u#&lrKVXE3;+Co1xZ)&vHqZ(o z=`vGh_z*Wyesc{RrqaHGOXySsI@1q9r&Oga%5u=EW9)}4&SL;C*l#jk9bqcjAy&sm zqR~*+BR*n+z)kemC(E{%6+B=Bsp0`oU9odtO z3Qs_L52;oSjGig$qLq z|Hqc2%x0_qWd^3!>2f+RbO2~h%&XKMGrzXruac*oea4FKvLG&2wD8?$lvLHG22*z`vT(0))=6^L5i#?Ne*od#g#nmc-9I@ zrTS5{TB4=Sn7IYYia3~9<)5~)CH_J~;Wkv6Ti`)!4x>CcBS2<<5eLU>tUIEK=Y8Wf z`~`~Orj6HBo+U(S5*G8LrFJ04+Z@9rX9^=9BSO+pi9bY&Hplu*y1SgkIX(Xb$D(2h zX6;u^LEP(%Pl8=+I~TWkKXM|1^E01taWFZXHB)>su>EP;#x^I|*>2Ay>`hB((dF07#>?##y4?)EvF`dsIWW1a2LD!e@iGG+Z#q`J# zu3g&yj{eJLTanRyS1OB0J1(=Qu>2NSt`_R)c(@TJA-jntzUH2iIG`aD%z8bSKtooR_2NGeeN9*Nx>Uo< zCe_?j10zW0D2GC8m=v4+%wQ(nzL0!I=mOf$uSj4Slj|4KL$9YSqj_Sq<4P<(#PZT? zMC`iEjL}|=`d${%uuT*uL*^i zH@V|!@VgAu3+Xt)02)chnl+?f_Q!8c-BNo%ypC}>JiEYeHW0AL#W?U9)aNu3UU2Yw zaReYwf!VkSK7x8VAHyeJss&?@w=DBL%6Tze>W`$YSOTJftvIs@3x;(O{GwE`7L7IYcLE)EMk|aqw*;iLT|vz@nm&zz5oo~p^?(i587CHBW6WlO+0*QJIWcz!z^I`I_MW=FjHo~rj*o_bYn8o}=LMuXYYUw7{70!Gv89Xnzi|D3F}tkrR@*PK?0zC1XDZW&sm3x<`DjpWoX?i zxHp-YeKtZ|6uq}#nVL<{e3qc+4B!TGZ!s6WT{GY8;XKfzW*YfO*;SPLLXnjj3Zz9v z33~&OX_tG3s4igyK%k+>Tl??_hFh+Rexj(PwgU`l22qqxm@S_Q%ucVqsQ3Kw;zVUp zz^HU`dm#&Ac8-vP2N>J4;o8jZfb3TtdK)0Udr-r3=0?i76EzNp3AG&^y$H*YP0S-$YAY+`5#4j(Lf z6_3bzi|idDv3lsp2;-iPxZL)(7jFG z@0w_t8fAN)bZp2ea3a^05(6&!K9qx)uI7%3t(TBw{*9V8N2Ysa_&ci*lZzzwqyw?X zHli7TdrD~Ah35CkyoVigI$Swhp=B+l*Gs1te<9857>Fdv3?V}CcyjH!b?8Gm3VJX-(-C@KAi(F~|%!VK_B+ATdj=6YS`ZW7g- zE|BKVn(T%M6QgmKMhdsg^&Nn){ZLVWVBEKAnHO6x)5QkV!J#BeL+d^=-zDuk3y8?6 zhnyNUUS4s7FNB(pg)zn(0ZLx{F(An;u_P>%BdhRZhF4wOh-KZ*ZN#qZ{o~Gkhk15f z0dNn%?7N=2G__ZzN9X8ja#h+L0(PyCiDvFtqB_W=Ue|?P<~cg^B06t3He^!F!w@a( zd^N^d(E*$hQ*YtE=v1MKnJ!Jz0mqSaSDmGl4(squrcmms0Oq~d!9OUTWkK8AVK}R1 zMCMIO__TQR7B#4)XX-D(6~cE?3h!ik%F`%0u^=7C0CN zYXQa1Y;)bS?a)CwvebEu&98e#r^j+ochYb~&9rhqJ3i?R8(^!=t#ycLU{J`* zF*|5mA+7l4vOnpTVa38sl|3H8OyCVPb7il z_d6Lb%_IPda1Kd!4}E~Lds6<(=@m@gx2SL&Sz2KNgJIDRWRmRTO`?s>wBxoRvl~mE zE{>SL&Xx|Iy!F<+{yfpbUC+^0B@M zwoD7T-hd1#Eal9jE;J&xCIj8p7 ztDZIy7j(zc5{2|2(sWlntr$5*l2Qki_$p`KqjsdlwJ7c5kgq=1=FXeCchqgA$|VA^ zskQ!6!8pX8DFJe}j^;fbC(S_xuLCOEcBrG6r7RA(5R(RHvRy5e2HTweTK;%sr~ULCe6nJcBy{;hwm{W#FA1kak=kJJ#h#z66x~EhyngCN)tu^4rfkN%&nT`*!Y%L!eocdAhXr_eo}_F+ioRfAMd@oLexB(AR!;gG_PZtEp_jU9 zi!TsWVBvdKEuOQKmiiyj0O-Mdz(9vtwnW;GoIk4N|2;8MF{bl7ISxcSe;Odvg0e9) z&Ju5OIjB#Hez4ur`OhP9HinQfW|V6%)93z9YY}}Xnn__NmjI;gVT3YGD~*9y%nL23 z(s|3`?5X4qZg=PZ%pCxH+#P1>)MKm7wxb66ekom^=seRYu*bOoQK!gJ;$DSJTh-e@ zg@6)6dXt8vC6~Zu%Ox1%qnuBIF;gK=-O?yyvB7m4X!yjg5S*!z)E&67+aq0FZR3oW zx*FCRnX%#yg?Kj_P?qFpOiAm{j!tap0;Us$oqN*&o$MHFl_segzGR*&+HHT`nWGZl z$EN3_NE?ua`$VZm0huvDRs9^X8vvzrg6ny=-yd+jpU|x%Rj@Rf95>TpHGqvivl$Eo z?18F8t1HBykeL0C&7mKAN zJvY8(fMg~`x7xWKOFyZc128`aSYgYzAn{;N@fsn174NvE-Tt;+Y1^jW{+lb{P#25W z31%gm%zY&0#IPri#yV=WVqAoHi4i9tW+b_(9K^(iY-btq7-p>OPO*Pl(bs_N1Lh$q zFT&73^5>+22*YfWH;cgtX`jv4RIxnN63#Sbwy+ngyf8#F+#yi%Ik{CjEaJ7h^+~Y!zVgnwrI@(#JT{A zw82PSVD~`0d(lx>1k)=MNai~nUWCeep%)e+c3SyhJV`*@g-OXMw~|eKVG?HDRnHvT_62etL+tZ2ASZZ~a?M@^iC==J9;VWEc(GI!DGnqJ)7Q_Y@FGYni{mRB6prsBL}2=F?VkA^nivtY!csNw><08%{)t z33}Tpy)DR*gKY^KM}pd5)iVR702V)>!JA`CDhI~}eM4hD;E+Bw(dXmfDsWuP)|kI# zZL72f9#R$qiwyn106*+QQem8PUbN`~3$fLb_m20FVPP~gw6LDBnJwLiCIEZ4y&9!2 zs{!oJcQb(%8lt?SS*kfROH;~&H9Noqr)pMmAfA5TM)9V88fH89K~XfhiHkLyH&9ub z-yr8NSh}a+OpQH&7s~Oa*4$6Ww1Dl+5gzOZ8vfZFmyJC1uj;nP(5h^xDDo{T+8+X@ z&K(^>RY*)gdBC~0oSr6`on6g7I&~%UmF-KTq*Vlx%xjEbd(yB0Ir?Q7MSoxbe3g$J z?lg4}r-KWrL+kkP7N!8`Y304w4b#*1*SBT?SE7VXtiy4` z1$;_}Y$MckmeVj>hS@u;ndG8eQ^=3LyF~XRQMa1kx9^iORgekBB#tM9iSW32fQ9PS z>!p4W7z5Fb{gDuCIS5t*zjU<2 zExJ~7)+A`9d}YO%>5qeK1!^pv-PxlQwF>d7s^Uz;eyWCwXIgzRxnudMpgq{cSi;UW z7QF*>WcgZimfk*!i`^Z^=G6Xg z`xL>B2r2@04^8S9<|7)anG6eGFq|ugGzp)9yBlI<4n2v!pw=)yIA2V{eO<$(7A$OGf6rb+LKy(3d#Sb! zuYfpW0gN92Y!+UIiu6UUm%y*sKb2;_@-@>zwd%6QxIwUvFdF;WP5FO@f$5fJP+n1E|t)9*_la|s^jxLFSd}luA#yK2%rVI%AElc`x8BE!z zRFnsV#9*~&>tG9LA4$H8gN08j?hvB#mF}*gIi53AQbQ>HSajGG>Kd^fr0OTNQp&eMDB~kF8G_isID72b_z3neF{);_LVD`z5s`Q;S0?4 z1#WR}L zGqxzYM#H`~bRMX3=1$$X)T~s{;mnbKNX~$w=uJ9lH!|JOk_*JgN%Jt0%lFfa_yHob zVFKn&!T`{OY%bH@mHh}cCIFjMX@KRG@^h!m-)X6p1(Je42)be2E)4D(S5l}RQ_aPl zvmVfUc}R5R{GJk3Dz1C&*W{pJ8>;?-ObAZLWWs^n;Fs=bI-{>hrx!<+4bQJFqv>dH zsLjc@zU_P?is(t_=`5eiQRnp6dOQjz`q!1w*-`QX09e7)O1eiBge-{
-bkG zdS)2E%OfXVm^Ro~vn^S7PQ{zZDs5OpL1tP{m2VWVd32y$#2w>zIY2~Dr&6>gl#X&c zE)e&KSgV896si9FS(1L1?p)C}l3GE^^SDryCP6)PU&_wfa9y-ovoKUs63W+vYx;y~ zKB%C(hicyoH(86q!9|u?O;1bn*fj5k>OPVJw6~#ZfNzYU)vdMb5>0u|>B#|aS+TNW znEy2O@u~aHSq^HO{bkM0a8GB@Pb&3|Eu()M4q$+>+N)W@yV@VZ)Dr+$ES$8w4Tuex zAbg`rt4dSV0QF0xCyZ5BRgbD6@%BpuSJYLgv5`DRkLw!&SfL4{G08_*aXP=Hi&AWp zlM_;3rukIm*V9{!!WiirddE!qBIg@=q{|u^4dx#Wq>lekNqK#dXSC$$UakmRWS=n3=1P9MybX{vKkLJKm)m1vc6=L!UQd2ReAT1Je(GiJN=7 zF(6uvMYD6lfGFYA?sSl`f!(Lw^l%X36=6zonodJ$cJmHF`)gS4Yj^Hod)Wb>o@|wK z82}Bn{pmj_+D4WUzz*E1XC|<|&ZpQ^W(<2kqfp}|bqDpiFK)I3P|h zk`L_flC)a~gbP$F^V@2DPd3Fp9nmXVVVO)*ibCGfKm;d;{$hBZ#o4gRf;69Mf!WeW z8i&Pcx<`nraFVApsh0Ur^S&B5atRF(rIS;suQUU~*(dls4|v<^A{CoNR0@3vgJ?%Y z898~!w?vBea5(XeQhaddr;I&>>5*JF)vZ&8=Dq{|e19S_s6dZA3~)T%xew`Q!igQf zYns~tm5~3|P#zg&HQRx{)&|raDaO4A>9y=G9991!&xqVFrdt0iz^?HQGA#v35b7ly zZTf^L*;&Z{HGeC-a4a5+lFR%oe;|}WEx_v zWlY(d#u7c%m5m_9@+-RzmcCAW@wk9KNfK9B7uJ}PSPkxqCF{OXax=9%W3_=;E!H@x z_xTxN&ijPskxJAlasS$`n(9#JN<9^m85&QRQK^*WqpE=<0>4;0i9D-c2GH?u=D&eM zf#-?X5s0M!FICf^_3L>o;Im?m3UUH_dA{?1Ud|BT5|hC@yQkU!y0`@yZUpYy z#BKSyX)2nIAS~=p#40k8jbi89D}c0(C6gE}(LpKhyBDviP-$z(Q-@$n>}}dbL;|-p zpP5A30m6`@cd*e{|HNG&+}DtF>W@4<(vKziMdM2i?heRQzGFN0NXnXCm4(>dweNwC zj)^t-h1=wG?h{5JW;JYP8Fv$)=?H>YD73?`x%(o^Lb5e^uAw-`1VQ+F&cb16@kx{c zl9xSTifNrbh&^Z0V}aFV9K+IP?20G6fHuFVS*Fqfz$=bx&Avdi1(^fE60H3H$$2T7tOl_yBHz@N@Zb}s$7LUBYC~yn zm~c$j9N`B9HS(6%n>m$ujnY1d^3~}LwwSzVMEne_q3I9w1@r;dnniQPR3B`h0i+iZ zM|d&gdQ#X9fhgcqEl#D!u_J~BLQ0zJ64PG%24RaaBU&%8o3Oym05Wh`SAiQa(|~Q) z${vxmrfdD*G&t_*$4fsWq9UURf@;3WO%Y^f0LJV@rc5A%)xU~A#_47Kinfs9LZtE_ z`t7OiUDf%p<~6@9!86Q1#gnwQILa}a4afaCn(FHoim8FpTcBx6KZ-8BL2fIJ1mOyt zpoCc9K^4Im=csnH=eMZHoe(@<%X~@3vNS);{Wzs`0vAs0Wm{o8If{;sW{zYeU?z^3 zME$rZnedu6;SuC7Mx~1QP28(;yvzE@Um;kFFW@Yipip%oOq z(`3iit6rbrsbFH)#OCx1qI|fGW>W+^s1Qcsuf#D_miL7Q&mks)$Q7OfIBlNTBh=Ry zYhEUSt#b-)qm3h(>zqvl5ZX+99e>Ai>~t8ml%&DL6wqfu;Y<`a7564S0ARrhB8ywb zU)B(drB(!p0b436PyUIpiWNcRObk0#ZCA_GMP!~cK}no6rTX5oTeWRfK1>u4 z<3wp@pTyPy(3)fwUe2WbqhkO2@)ofqMc}9f8!5 zmOolpMp|xop7YXccnj2RWZ?F)@|Nr#fPWhx*`Ty)tZ3-$1LBguQRsjT3ls&kC(n`S z|K&oD($T;^V}Rrch*d+G0fv=8LPFKQA#wpIG5A9v<;d_Xe+W)u2A?579|M>>K+9E$ z0fw7rX-a{tiU6*zX5bsbqpHRN1TWAgEoDCY`x&gxP%(NO zw9634y@Enpn&^4S|EcEa>S4p%7+M;oB@^OV?R|!Er4>U0h`T_e{O9XumJMrTcvhXi zp9G+b=O1tRx&|Ng(DV8|Bat!uqiF&c0~sRlJp##0&${ec;ektIeXw^-FW}g`gC;I>r;_q@>IxA3tmYbiO5~KwM+W%Q00b_h-e=WEC+b#p2gpCjEC7%@w z-5V$wAT^MhU>F7<=zkk|AnyclH2^h!MuYUs82@h5XPyHvTQC7=XmB3{GHC$4{;brN zI<@(Cg#(TJ+?oR>60oX&H1haTu<~a$`$voYziq!gp;4bT`}3|1d||M$XKgjkFs>zZ z+0xB{?uN(|Bu%s!e9IN_xk0r7XbBkavjOxUqxeTxwhW%YQv+k>`9KL+KD0#OOGAcF zOAq|#vv8qh*2o0_OlfI(pp65?|6SRZk@oxn|1qhSYPV#Rz;}3V67oOXETar9h8gHC zz}J+G8w(jA&y67P(U!h~4g{lWF~z^TsigoB0F?j#O^$!>+^l~P_5?!S$wfps{r7W_SH!%%{G;(u0)|5+{mzrI@h z*Zlln&SUoT%x>&j2(|#@(C@=rc!zqydeoAg4+~Dq01>rrEmFaj5kx?vC|w}i1&|wD zRA5ySBiu27_<@y_bw?rA!wme7gnAxXgN*uQ^^nm31@XlM_O~!ovu%|kN0}2^68i(I z=~%)*ge%1aNsoql5L1g!vsprjQjDQ8F@>j+#WCZ`h6VP(R2(siD^|frh*>zfcq1ZZ zB#f64fF@=VG#)_CB8r)rWE^|5a3&%X*c(JR3m0-^Kw3E7!DEGu!jY(!O--b93>8Vt zN}^q6JtBJ{9e}Z0QtZi3NZ!uDXR?r~vS=7F3{MSY+(lD;NEa&0O;HCHUoMtt3$bV0 zX@H#P#XLWO;1uF>`MN%e{aHQ*O#;d*zv#Kr&=?99YPq6<=v^9u7?BBpfk-n5X0p%o z(R~Y4a1LUetI_y+<`f~tlDzZLK+wn{k)@Wlr#o4_-WYsnK4$>ACL z&g#Hc(lb{dgbDYn>kAEL{9aI2S!dJu;g=LXEN8F2C=k*;)wsEt+8&K;8aR2wxdJ$jNTs; z&II&WhBvMbCN?#Gh$*h5e*>UrE^om!B%V|?AYm|b1Ggnsoyx4Op0WBHNE+M(g6QCXSPur9{%Vixls#G+UpX4H4 zdG%dSod1n7pA1uy(QT3jWJ;b$v*xvXBqf61+*yS zl)uSV`jd7CQ+mZ1OOjD|8xd3eBLH*6AA{icnm+K0EAun+|K%R2X19~G4mibh#J{X2 z<9UOs_i31F_|yo3CZ_JN5)o`B(WC!X#AK2Q_-H{U0=*^BD!qfFJ;4GvjeIveasESC zOZGjoMflizXZ}#Rvp7Gf-*@7IAizcCMlv0Q1{@`47rg*n(%GU3d9v|fXw?p;&t;W< zFmVWP%+Q{knYicL-az~(wHmQYVXs9p!hpVrWL-2NK zCWiT?L*?gC=vcOca1KU8JYJid0v54j2vBB|6Tl26Y}Bn>vU71X z+1=d+fCZS9zE=pVgkF$DfIXOFL|>XO#xowp>5OEVSl@;xwDk{317sYOz2YBQ2ia!z zkFco}R6+|!E1mBL@n4a|YMjoMpm=Hnv!s71YHUqpvM2F$W{dQrlATT*b_B7d+-&T1 zcrhik7kYTI>yG0A?06=pG*g(zq=NkOEj1CPd0S2XfFnxX*d9peVulqZf|K2ZIfAu+ z&9Jzh;N-=kh~{^djJPpM(>unu2e;FYFMW}@Zc2b;FZ(CNbjOnspfP$+SS{s-7&p+w zDE39XEb|3OkCl=Yj>&itdx$oLu{uY+Jr(m(2yaW*iFvu^&QFaYMQdf=jK!=y_H z2>)Q_VB?tX%v700mXbRP!c*FnX%AtbCZZLvY7FVU0vFxG@s&R^-2tV+zZBuTgNWh8 zTpYuGgehVmISYq-9*Z}%_@=x}92#;e32Q|wn*U9MlW9Y0b~!cO!acWeJpZq-9m{c7 zM&nbR3WLt8{k{Rgu!opy+JWtmhNf-$v+*^8g++|$D6JuY0bvo#vKv`VZ6cok;C&(< z7mIsAKvjxDrR%Yk>44{9>mPG)IBt5NB;pAdUd?oOnE)e&M$n>r<>9$LrQlJFa#R^z!Ea9I;UtWPVmkS2z$OrL?6f{=-h_fIU_PrzxT0; ze-JJWRkHKVha-${$APL?A~_m(A=Y9qF_JXmQH|5c-HRrgY{I*O%<4Qs<#w)^aaayI z*AW0Y7)9imo>pe((()7WDJCY%t6*bs29{)V+192w_ePTKpgXK0>*^-!8?6~ktqu&E zay_{QwJgvlNv>dSm)cmb zr(x7Ypq_XMFJf8~`(a1s5%5#SNY;uPWTE}v9^PU6T%R!ySq6w5(T+sCmKlsQ9EU4= zfkdp!ahOOD=GcA09BgDFPQ6vvR(@nWp^|qQUr}LQ(Ry*V3h)Q3$b5VbN_&;mR%Sx_ z?0^-pU9^776$lZ8v3?`H(b(^2zDQN0!v=OcFy+r;lbCNA#<$Qiy6zU>J@65dAF5T` z!%Q}2JL|zS%Qxb?b|t1j;bUVc+hNy!`E5Qc6d)qov~`n-9yz}vVui5S{}quyw-)Zq zk-Ndy_MAkqIZKt)9HN4642=qaE6c{s|B}2;YA)Y`G@`o0YErlDYdj4II!bdB9-IQe z=q!LNf^h5g`}i}*W~!BgB9c4=k%$s=zCy*V5$~pOd$Kcm4@WpAN&6J;QHbxOIy})5 z3UBT>@H)V<`AI5bq@BeS%%HOK{8u1S&dtT~8Q$8lFy7ITd^bAY*?7u6Lg*#F|QX}kkFY} z&RXg?*l1RfYnVt6H$Z8Th3gMaoEo2bAUHP|C{DRfUJ&Qyj(d8um*8dlMC~TLHyex9axFv%AIIM9pmWp!f%ozfbi!DEJQ;IqSI5?~x zm)=sD#YKvrDDbGtEWMFkQK}$%Vrv~&0P+hUnp`NYM_gB~<6%nbjX~i-$^i*t&TiT* zPRGLX##~4g<7VPBjk!4fZWjQ9c?|rB&|Cx5!#hBZ!x3J8Mg)=<)eSopvExYQyO?ie zD3fFK;qUb~8(UGf{1Oa-BhH3-JjWMVT_S&C()#Y0yN1HTS>DULSl_v5chf6HIW3Y3{==Bcw}tQ6 zp5$on&Wg_vY328*^j6yf%_vg35`r(0Pw*~w29e7+b8qt{q0-BU8*KW(yA+=zo$_pc zE+zcvzrsdn-eo+<`V&YV`VghH*Xmg>i#n&hq?=$<*sIa{(#rsD}<9AMrtIeH{A=7ghW)q-KXE zRaMu`@ujfRJAq||rc>{E^UE(11r|5aommHYhMyZb717glP$;1i{mrn8WYdWRE{zy6 zwTzjCD@i@+C-WVHOL7pE#1E%3Izx80DP}>jNQ|rz^Tvhm@P6GVbO!ph8GLA45x&6zWuOVh7Kn{qN6+NlauZS+v zRi*!3B9>g(u&{b^!)|vRLN;5W>khYrXib*%3lcuzS;lgg&J3+@%4>NYJTz~Qx;L=Exapn@>lT!Z8*`aJAtju@hXvP%SO>2|8ODyD>`yfXBckCwM$%j+<59H6^1LG+|=fZL5bfh#KL&~T@$FM44 z(=mlQ<>s-Vh-^cXGOE|0CL(6Yrl#PyaW|Vn46_Z#RS7Ew9Ve5vZaN;?X8+COVeL*D zPN-8Z4LU)!zrE=MofdI!R(MCm%#O&4@XlsB8|r3jy0$w%JF)kS zAs@yv?#o==#u=K^n#~I{^DG-zZ+_pR-{cPs+41V$(AK*SeffUtfyXp2wb^&B@Fm-u zHD)GjYeag_Av*XXUzrAAcS=%==Gz;2% zyLHQ1_iKBy@;cl;v~Q;Br`4!?T89sk!xcYY8vJqkziw~&IOFNhUoAm@p{S*uf|y=Q z&{2s=67jvB#RYmhnXEq%_-eWK# zUdqd6OQWLdMpgETRtWVg3cK2?yYwtL@MuNKu1-aZLoD|dU3(dOZRu<-Oi#X?m*g!f zVupS+s7T!>SHbq4x_gM}a_~p18%~>Y$8D|G+~{`sql6bKOOMASZH*}CQ!=sWc%Q2? z4rKN{H1B}Ft9Q}k%OOL`Zp;0)udY6o7*ltD89y+)XI7VC^^eGyPxh>!Qg&^sE$lxc zeZST?>cE{VFN|rvyaZRB@$?z+uTQI^i)-#4h#olgx5v?g{G>C+SIdo$DVcBSeWGN~ zi$$~AXEhz`J9zz&iz^4`r3d#L@_QF2S6bh1{F)b6H`T2fntW3;C+72G(xsu3J5?{} zb!W^N#Gn#gzNJ>uNC?Q#F%D{cz9$n}Skbz$a(nf=RNsqeKi zZ_}kgXKi=aX~RbRFsS-?SY|cSwaqGD*+2EwF+Jv+c7k?oSV^~iYpt&z`1-Svdz#JH zM(wv3ynGRn-G&qfyH4EAjI%Uz6XL2)S>|4= z+He14-N>`)Ap^#(>ykPk?^4k)4Rgi2`EteiO?yv;>y=>X9VhmjZyMBT?1k2!;Ju$E zd|JBw`uNY;3+pE+r+o9dam-2FJuTQDeM9bp=^M>IURgbCR2VHL# zCm23GzM;Eef5_Re9X-BWG%0!Mt<}S}uK1FlJp8`&dCu?eL@(`hzd7-XDL)VBwQ=gN ze?&6Vw$?kz9DRZpn#pxyz_cfKoY$s3#pgD*nm$`u)cVgqR&^eJ?fx$dHA6tUi`lsj zhV7JmmS+7^3BVxP7^z%k%kK5xI3|UN-#XWoP4%nCz|D z*%6AMVtBX%n<92*!#^Bc2sGAtTZtZIzH(ZN;OBuHqULk(!;oGaG2HV^MbAT!gl=y{IjCa8!h%Rd)7PaslB;+nTqvrR+fY zfgkhjp`Y1H&V)zwk)c^H+{nxhZ!KQR$LtEM|=^wP* z&nUV7!Ad+Mn0-(Ak0mfh_4mb?zgc>b7ASlF_jjQ^X9Vqe-kw1romPyxW;V@8D31sl zP^cJHsOWOxU^)EfwcF+f$B%2{oEY1fx7clMR>Q-630tTsxRc?#U%Lb-|=^ z6WpUTrcjYY>^5{cf3W;Bv#C=Q?i16=SRNHLvQVFFfGQq?;tXYYfO4q{2Pf<)e>rN@ z%YhnTK4!+&Ky{Z9H_&O~Q&J7pRL9MR${);~zZKsnW6%Num>!~%K7;!=k-Z|y;L3S8 zid#`3PB6gt&kZ!eQd?=DoK6YlK%s12cRJ9w|E3c6W|xk6*0Vo^XjcZCubhOQoddss zO8kFseHZW#Z38*bbkl)VvN$e^b|AHm50 zIHOxV4bm%=;m6?2tjhpObMDxQj>oW~&7<&k;Sq2L`zZWAsX#$E9K}!)3d7OLc2N|q z@;v$&r$lv3`>5mnaBc+ph*7sY*6~;b)_-)Odat{Mu9Cn8ZY9zsMy-i?N3ew9qJ8f-+wEl zwZ!ZGcQ);R3u}Q`6`R;Xtld8eDJ6?ODZs9s7}XMl6Pa!(nM!B_p&B5_fh{(K`fwX! z5}<#PLm!Zcdz~#nDUglr3UF-~Jd04V@yH20Vg0)xluDVH-vc^vdFv2zW!RA;gLsLZ zhT4Op6GY--KzS;l-IcxsjwkFXWm1x5UK{D(VpL8GZi^&mTNKk0P<$Z?WI5Y`k~B&o zI-q1{2lR|SyCe+=Rp$T^6Tm(}z6vxl`adJkb{+BdF-a~?x`n+x3AYfXf*2pZL*A0} z?G862sMv`MWNTL%-hvGFG$Ju`3W5?+5p%~f&6efPL_|0ND&FHE_Sge2Q(i?DN7S>R zp68=yfwQ7KLDcId6&B3;I2B-X`pvW_=nWAq+}FfbY7;WR7)@rEA<1I`Jz+R(Rrc{N zR@x0rXd$G^Tt~_xlDw`8!~s9c-${^a9|*({b3(EI0X!F8 zPBNVRh$S7RGDpa8oLVAR`w*5{!+XVG*i^O8YR4rbK#9?Sz zd&FMls#cy=!2KZDTi_3TN5?ktJSf2|s?k;n#xFq3^shff;&SvIhLESX=u*8VC4V<{VT~#X*>mjn3_4$ z5Fbr8-q?Hy<#%^2yfp*0*ELgtXl~PD{{1j=QPViztuL4$+|CUPtX^(tbmlk49Wm#lW}%mA?uI*ye}an!$4LNq15hT}3gxy}=f7Yool_ zCQ|e4Gy5$>cD!5vl~@W<=zhyH=7dPUAp1|kF3%xqirtAZwSjGe?DikH$lPC*$!?~j za~TYimC&e55V)eYQ}p6+YbDL(o0rp+p!-Q>C%6XUCY=yLSyT`e*St#QSdsAswO&*~ zK$vb7hA}gl*@+}^UNElHO`y2p#=~^sD8zKR+RR1@MJS|PZi)MrLF&KR9U@O?9m+W-g!sQcs1rg=*N}5;7KMiGC!1$i`UW$$Vcd*n1xG706#Qvngke z4r@-(Ojg+q#>6jFp;U*(v5)EFv?C<_7RDw6g&>i^j4Xn2h!%a%`8~zL6ULv}8O@xH z#&1Q~hf1bK(6b{V3@voqk&(*5zCTv!E;1^h-4+_1I)#h{zvntBxMySY{0NllIj3u8 zuuWfy{hH0;_9Wm@vKhF@+D5^EC*Tg|3lZd7B+gCeQc-FlM6)IRT{*kR$ApmdMyb@EI!Vwa+*LksZ1^1Y^Kq~zDIrU9?zmXMzb%L)=uAhc{gtr0%PCUA2H zX$fy$87u5#Y`UAQq*TZ$*nms0AOdT`Ti}eATu68b+RiK4{2Sz15ZaA5snTO0-JD*e z;u47WEa}i!#>pz&nt07M6o;33NeDPQHf(bN_i@pV-#9wnbgZw(LbWNV(YC zjSnMGvhUZrZe&+s;;B8LBD#G}XOv%q+OymIub`Rv71m<1+)MV6Wqn*ub_nkYmB80^ z7YyT*AUOlXSmTvae+m}3ovuly?reMAhbpo`KJqM5&4Mbk?CqbWlyjT3OixDv)r<0* zdxctRVH#(pT}k#Q=HY5^N>$!ODZ29%lgik{?@$rV=%qP`%hOFEnG>i)V{rEKFavbHG?!Z^Q?Vz5#= z8ENhuEk7h=|M#fkKwoa`fdO(K+32o7&^qoiT=NKj0NEceaw~xg#_l@&N5%wNg6LX& z(KPpB;Oiov!aQRUeTeOhQi`TA^NK4FQ$sHctDk~DZHbiYCaNmNA`Kl=wE(JV-c3!a zM;CgboY{!zJZU6i*ISoq4!(*m_>k`cO3|v~+@rADqrkZTXDBBc^*@7{&4pG4a%Nf; z5C=15?JPsg$Y~V{5$Ib|(7UtHh~4PV@n{76*^C@(#aSq4CnA2>&=ooNDj28uE{3a% z$0KIqpAT`yL%g9c`Yaev8i*dw$CF+}=_^6mz6WtPTsK0k8>PzC(SyRM7=EUj48ABf@sTik$yp?agMgrLxa*3%?d~%%G9SY2MX;LMk2apgd`G%yIlVU8APLoo2 zG(Q?9grbumBp-)dy6q&l8l}3rpkywr_bCu@=R(b$q6>aTn@1z(3mRui7_A87_k>C* zVVdP}u*{_(&2BZH84l9y$S&Lf!ol?3sH8A7w7`bNJNUidp;5KqP1Ze*%pHsD{J&^x z0%x2PuHR`xm9gSHOy(9GK-E^h18|%|ES&R_as338GOZbFe^TkU^8Qe;?E-NGI8mo< z2WlVl2Vv%JD$qVIL|?yy@`fS&F-nmf#<~P5nOjHYd>;JgkErBF zL`^A}ji3qZqjvO4za~9|1x=)a_(ERvXhZ|ze_*cObS_eu|BR}8{kNIxw|Z5UH1lQ( z9w?2ECKq@uIki;LoqkoWIpnBQH_4YSg}F%d!a&rC;_7B997#m{hR_ zQ77I4DS*5J7NnsHXJW=ZX*Qx(ab~Xw)Bgoh)vpRkOe$zo&t7m97t)IH!w@_0>%$O7 z{xcH~&BRQ}G80&rrF%hJWE%lM9cG|wOCf~|5)sv19H(Hr%de92zt-VbP9SDOfrQ52 z!JL~3owNt`F`z|H-DOAA{J|7$4#!kCX&_=eYq#Jhu*g)r(hWNwlh1$_#sUp6`CPAg zP-~H-GYJJ_(2o10ZSyC{xde$2QiepuZ!tN>t`Nsy+iLL#g?l*C9cn}FlBOD@E=Y60 z$drI>6y<1k8q(9;De5>_cw6us=CzUJWaB&wQ)(WNWc;|5IXd*fD9)_;O3l6?cEa>c zHOEOO)b!LC<5;bBUKqIq<}~sVMKcer3ll(QeF8RThq+wr_VJKB_6Q7Ty9(LOuS8j= zsd^U#c0k;5XR|`npk{A4Pb%CFixD*YAmi|{O+lMusjz9UAaNN2`*H^-6?R7CI0w`3 zFlz7p$Qg(Ae>gu>xSyIJE=PRI4k>(!oF6M39%qI^)5ctNhAO-fB27o${?odsfG~r3 zw;)`}zEfleZVb^Mf)C$`0%OL;>5(@9p7i``%+9 zdCZ|JRFl-8-ctcLxH1U(PuL9G)4b(~@(71mk9ZQsTzCz$Y13e9 zw}DG??O{EI1z>RINu&`7@0^O_Kk@i-#QvD)$E>?B2?NjTX4|epD`JN{Da7p3!c;h6 zKOBzPA+AG(I$W59>~D$76kOq-iP)A{_y=MpNhu0*Dg}Bp4r%*-n z-uNKPa{6#2jBR>DHj>UGexeHFWt|aqnJY&rJ|q0m5ta18#-=d-1DFF=_C(rvEi3a$ zpi;gPunU7)(bv^zoz9;q-d0-&q|&c&{B6P6(MA{1JR5_?N;}%oVLD?u$cl&39d+)( zp-gXYuQiJ`6AjE%R3i0>scA2*i+5j$2E*h9`6K-|tgUbovL_I3rj|Ja!*3+)D3}y& zc??RHo@m7mXj&x_;bfPqGn#bSv6c{Wim;A}7Q@>}(~N6AFmhmr9k9WS<{M%#Cp$E%4F_B2z%Bpt?@@oKr6ZNpTtZ7v6vbwDIdk-M-myW*8h z#N>mTVOoAZeJY-o+M1IRblN1#61g9a$E5qLS>y!PX8bjS|5qC6^|xUYU>U8P zOzP!nuua*Xq#2oHJg$+)0C9~#HOaF9Ou3P}2I2dHQC4{+ zh|uE~@>E!UjT8HSfHYn84H#R2RpUKNzu~plGlovPpckKrjtTPPv zpbM#!)v)~JBRTi{!N%oeituB7sxuatC4>X|Eq4eoh$?q}>?Dd+p3Va;WerJoqpcuIP1|+sW|ci}3d> zESx)2BpDUL%Y2L^9c(Rp%Wwce6TTgK7Q^0eR=&$V%lHQ4sK}X1F$p;wP$XNw17Co> zKko~3T{b>qT@Q~BK+=NqDT z(HByksX@M0-XARENtdV$!cKmOisS(zrJ|Zimt&WsuV!=%Q_Qa;nZ&CDJX4yMQQh$v z<`qVCeFF=H1WZpIxiU7LO`6)D7|*QFe2jsr$99g3d>q7fgoBiRFZ5y(mux%&A^7TJ zT%~o$GR$?QX%x4o@r?aXeo3S`S|beOCS>$QW=9y&S6<^# zlb=8p=z7q@T$w~ zqJ&<1Jw$E|T{;6fe@|i$nWi$5^AXnFj3XCvlBtt7SUQd5{;*NrgXkAYxPK4w^kHJ1 zjR+3vZB5p15{Z3GigO=wC&ZaM%EW=p2bjDDyPx4~oO=@*u__4eo5EXF(L@95ZA_!e zeR~^ru?FUNB@o=h;H=RdBzc3{n339Y#>m^E#*IvyOtqSt&EIhWM37#mKGlwll@~D? zbP$lujB}pGLTko={o0*sJ}ciii<0N!M0zzFRn_zq_k#qe=*f?%De^E`E|-1=-e@1rxxVk<%%nhQU}OCb`~a)@gduHkI*O1ne&x zqxhm|(gxca8$f9}n{Iq4HyKqJGaMOV;WKLx+Xtl@BeWalAf}GCbU?0M7w`(90u9M{ zw};T%vEH2?B*hWpxS;;+BPw4Ept{5&H%!5mH!v%l72gSxWAP3m&brbKk`U&bohqv> zpZ7N*-!%6SMWZ&yrvRFJIA6YL{*_@YW`S}pQ0OP)Jp+oaj-cPx7A>X*a`OvIko^d| z5)Y78Atn{_uR#=IE4?HfpJzIVW6`t>#N^@`=q2$j0>E@NdAMJZqlg1qm#L$2-_-rY zGSlf^QJ{TSZS~96{$W6G6-kxcDbH<5A|< zNUmWv<_HS%rN&=ySA7C-BTECNeshF1#1NrY|3+pfq*<#1^p(zaOuMQ*x#V)|oJ536 zT;KTh)kWeDunD%G<#uWyx8IMu2)pgenby*8xW+=Xef)$eE_5L8Zs1z&-5bN2`be6H zm@HFY$sMHc%+ykytme4lZiwkaD*y-N7+CZsiK(8fy|*%m-VmlN0u3RJuC7q*Ku9A) z*XZ~w$@X;fZ8dUSEit7tMba!vc*Jnp*VN>0-$*t_I-4Z5xBS)%wLjC$bhPss*MmXV zi8V3lP_|tBJ`}WVBGcghAxK-S&+CHBgS(3Tux`BCF1udMkTE|?Ey>vT1IuN+6zaDz zda)P?!$^2=F?M#>A*cSncms@SjIXw0+r})Mp385)>z~e<|RG3rT%{Cn;bjm zZmYI_;FQ=|X--Zv3?)PhR+om~84|X%g zSG=h5b9@Prx(K!IONJ^Y`wIK180J0LUVKe)zF%`IV5-o8FYJ1d@B=KBJR`gXFN=bN zhm>B-Q_Aty>00Ss)G!iQ`F1$pLk)fOf^#u)_9xtiAaKn%Uqza9(nvBAhlK)8C%qFc z^k8Fib|6iDIBRhB#F~!bFt;s2LQfwB6WQ%bdc97j&{N&f7x+vCMg6Aey^)a9dHL$En<14_V8BlyUTS8Nr!I+KR!+ZCAx6< zz&Ior>;7sK$!-2n zNHY)_ne$sPGwaKGl-D28uc^V$$GxgMuOcxypBqg^OnV*9ovw!{<=!E%?>MfIxwy7B zre2g{G1*fbjbKsc&gl5mFz1dSc{r>rGZoUeO7KF-|Ehk~IZ7e@O1cLs*<@JZd^O&~ z(y}1mYw+Ft$o+#tGovH<)Yl5uleI{i5bkWJG&3rwlcp@(xJf0I2Q?d@(bl78BOB+< zAvZS1vvJO^l+CT+B>^|LDm|%7pqbCT4%g4MMQrEHB-C#&wxGscR{CtXd3fiXf+!I< z>HnP84r$(tG!Bkv$aG7(FC$MiK+~gzEc~f+wZd+K z2#9nId1i4r=9tKW)o`RByI0&pp3PjJN%xU3L;jevbMtaX6!Z-dh`nOr;(SZ|>Z z#_2wx_yRi93?}H#R?@qjx~qMpWF*`H^JuN`eb<-|<5V~bf6Y+%CT31ilArl{!o;?| zvX{Ne^{s}|(m!ze*4w^5L1jUBJXjvrz5(jLsWOUfHISO*Wb-FYJS*qf~|!)pYUD z%)7SzOb_!!#f#y*<;d@Wdwo#X2HW9B;`JW%tI?O6<=O7m0Z$rRYk5;X1`{K6c7nefxZe&x(#{1g zK`Aq|=CWp~wM0hJJ|y49R{Bhgb-$Op$6ohY87p06(Dv<3&hwS%=`}xeqIUk zb;z+G=?&z0j1#bSQX?u&18;hTc`h$Tz9=m5d2kZ9Tm(wUwkV1EuAfs5&~fIu^}Bf2 zdhh{cgm60JYAY8Bl8Ecvo3OJUS>xkj?Y0k?${b^sikHKjXG6HD>{93~Yey9x3L{s3JVg5HIp`zBKACXxIc%H2dE%i}NjhDgg{Umc$nDGgCJu>ISTw-))D*;e^Qz6`-7C?6~Y+s zEWTuwMzZ{gsKeL!5{g`7-eBr?&AO#SjtxR{_6lhWwrc<#x<&~rsC=3_W*JS^N%vF* zrRdZLq>bmIAYj(Onm;ffE}wdsu`!o&w&{$s21AA#Ig@dWc&w`cUrWb=2JGl!eoJN} zb9#k9&P#qlO<3V6q-%fDAAXx(70Fb6my78D~(1?%TO$aQh`=fo8#6Z8P(@u|29Hf~wmWaI8UF7iD%-}iaA z7C`{&y*+4iU$oMK3VH0Lf}GCajPv$IMrjN_vRm^-Zsl51CEX1ws?XR$aNgbtm>9y` z2Ki)$op}@!S=0)8P97QNm;Vp;-af9W^8X*dF4zUTVCQV-z!^JZXYNck*<_O)*n|nl z(4ml^pr~M?Q-`7ga;IY6go#Q<_dRo!OJ1~?b7{Gmue7~zx)ftW@+5d6Ci=&zc3#7 zz_&^5zc?Ze=(xXoJT&B+I}NLz5<)`Ys8Pz zu@|)-Epwmey!qoe`)u&xm2^0!6T>l7q$Vd7b>4B)KoC!6}jK ze+4R{qbB`wYho5x;kCa@oLC<6XakV{A2W+MUqPZ$+VZ(Z7w+4)YEHbc(=1 z<3p@ZM1h||_c4|erZQ|xIl4nKRK3kjc3^#>K6`%F~iz^ogaxP%+_H3Y8Y;LOY zE*oJzaWem)xp!;SshLV-wU{HI?+{4J3kq{j%AnsPe z^wO)8{t2ZPgS9bX)7zny!Ytn@0@&bP%Bui9o^&}b*c%LVFrPDbd2Th|P2Ksi&W+c) zioo^J=M$s+1CV`>mJC?(RoPoy*`__S4`|&RiWp6iIefakOQ2RO-yw{ zRqxlJ5W5GZ1`0qG7#_v0R7)mTP0``N2a@UB2$~#9f`Z^XOQW$~W2R|=`(aP!}WeBG$?PWl=C82uM9_G zwxYoiv9vNvHpPY~b7%T)rLMpn0M1H}3d|G?#^_|K1j3Thc_v*m*fDvfaToBPvA4EC zMcc`!#%dzj*I4A|TbH+jCu2e7IP4Lut-1PQpajPN7`BWtDUjOoHUy^n5dIgJEN)ch zqsHNYU)EpQhc+a@MN)rraES11<1{<~ya}IJAzs>=1r^5ySD}Jo(eC4bXAVo40&$C( z(c(=2_3fF!wafnoH*~1PRv=ib=OKAc?-z0d4i~nd<88ZNK0B}2gE(Mt8(7rcnEjJ0 z+=O#|qc9XQW}PSz>U`#zF1952PsUMsJY~AhdIWfx3(e_RK=`5(nbbgbjyIf^t-`3vPMUx7G5ew)% zKD$ugTSzl^*WW^UD5B$S&&04GnCs;y|Yf~ujA;R!Zci#{+u3L97) zZ3;|f4DL-T@NXq4)iEeTe@7yh%gyu+;>Di=p9QO#5@WvFv&+6g(*X`x#&IM=aM+h> zg%;<|+;$FS8ehuy1rXh??2T2zP<&uh(nu(S8Oh$F_P3}-FN9Y@#eIuF-R=Dstb9MP zes#WG<8WFf`5>@E`PQJ`3+58WrO-ZQ;X3;q&fFnWn^il-9!xZQC_K6i(DTGlYTT)35?Jdg&by*xhN<1SVJ4MOH=VD9#?P&xV-h~=Z2A6Ri zo-jN>rh64~Re}>MCvPH#9drC}B;+{bhB+qMzgbhb61l6eROwDa)s+Z!c4hTWVLzbm z+hX{d468ma^b`2f%v!bJ=*|-yd2htFUkww~_eOO4@W}iuj&2_b|M#dJ*RxMj!EAq* z`kqJaO0f+U97JYEyp4wu9vu&kZRNDVoMPD99ehTp6N3eHs6&k%WQw~T7Y;<84mz-K zdzWW1=XaMPe8juWIw4+gI>)OWON&z$-p z@4XE3i%@VSbz-gadDNG_Np=P=docd_^OD%cxFvq^DiPfs^9;!8KzX6>cEEKa#V&B@77 zA$~T4DdRTMa#>--!Zcic!l2x(H?NcZCMxB)X3<8tyZO>JVou)uQ9li{sz;WB4jU@( zLZ0e!(D@dmDD}8ES9;Ocgq7wv@xHVBC9m(zC|^MgWJ2>vDVtwF>?FVW`W9GW%wAZ% z9QD=`d5dtM+{;V-I#j|`g~Nw#1jAj24_&`xvVS5m??`HkvM-Kj9yE@o?kA!kiOh=t zNCJoes=h?q7nGd!+zh?7uyivj-i$qWY`q^5!RZX6#FsVDUD_1NmrR|E@HCm9+%>zLC1$GEa{8Xy|hHaiX+Fwcj0>$PHfmtY__s z!@;MHiDg^40rpt6b&8Q2xE9(aZ@|#KE|+MoyjXr05}U15C+0XS z7qBmwG?x5Kzp&mjP8ff7oxlo}U`cHoESk4ieT3dR8Z|W_Cw84vkXL*<`=l`J{IiHY zD|}n|qwDOttC4WMFfupCcLaH!c)J!c8-zk%2M*lPvMqi)#r*~uchEu>O}0rT0vxI zN>VSIq&qgyHyZH^v|KXSq3jb0k>s6ui2qT|ncZ3XyzkU_JlE=Z*k^^TQxAb&d^_&Y zETP_blb#!(G%z58i^d6}Ij+C&W(W*%#$(3pPmDZ`1pfN;rAw^N3mV%yOkv+}Iz@iV zni|I)q{&JOWQ}Y%A9!5M@bw`1O`#OrM1lUSq~<>6=6VKIc90O$0~uy^b4RBAlKR*W zoOO8|?n!eOAp1iM_nJ^D{J_sNYwopQ)LPUAXBy@#fNS^P0Nv>qHPPohJgfV%Q2>isbAtVdNiL`COkzYz+#A*-{r ztgw78XWy5cHzkqMjX>wqfG}hyXsq*1-6^NO&_6u=d z=nj0c^teppb2#bYtiTc>l+c{8a1p z%3HWyYu&Dg=xF2p+*r;G&XxwC3DLjHa|63_IcM3!?3WCE5Q<{6xB8YQ-aQQ03CpJ- zeBa?9|NQ#4o0tvO6PmksB4Iy}$lzk`;-wc*;S0!<9-4x_G0w1>S5Y4y71&YsJa?Xc z5qPhA1!pd~hTGk?x^{^(_AdMDe7Orjm~R{6rj@Oum|MvWTCy2sur}>%3kqeRx4J&# zelVYiql57e2Ntjl!!4yUzQk>GUmYDvwZ5xf^6yZU>;{&aQgHS+P}?AG(wAD!Za=T) zUy0*t^Cm{yFUIM|CxETG|6zIy2pAe5^J|+v%5Fa`8E-bxBzHoLI8<=SKj13HC5?wLcR(Y5 zD|wFhDT9#bwE5X2@zcN#^h?POkI}a(8b8As1NZx$iN=p|=CWo-7v5rxXK*&`Y=K92 ze(h^Sy?G#&I@CMwc${xcG;4?h`QCsV%PP5>JujHcU`+2GYcFLgcl-JzuAu#2!W^#C z69xzr`$rTenf*2S$@#ZA0|ooY2{VS2i>9TaEr}r zza_0OIhwCD3eLi2RH&f9j<8+udHXxwhwXJ=+j8e_efV*R$KrhaX=NA1^C9`r6Y4>I zJ)Vob1smhRI6til1%gxW?1Z!5C&8lutuU7F$9vu}f56(!EPtDtEr!=M`ZX}HRzsxCy$Rdi z=kl2yTod~e%V`!BA!ARx-Qo!3AgA$q#+;y2a=l>1Ns$dep9=-_|=%ZTe1aJw5InuDVPuYK2} zTtq=%AX&=cKK9&g&PcT<2^)~)0}N_R*Ofw&?a|8Fw(9mcskkwP;>Su5GgaKt-XERm z>fc_s_qn~R`BXdqT$cWJ1uTIP5C{OTuh&FV0#OlX?@)IMYBynrf2Bvf@%Wg)eVo(3 zAx3@yLQ5Zl37Fz}yz*J65o{HqK->;f-x#BpvYNIx~= zyQ{??L2|R*(~;|}IFenfL9X1h?4(q2m;RY}Z^-k`cz>+t4eG5-F$0OzB;hLgZI4|T ztskN0zO);)?R&P3llxJ(vs}YWgxBi>GtjBfZB4n#kuey*d>WnGB8|4gV8$;)_UbN_Y2A=e zni4htE94wjT&)H5_MVa_Lby~>ar-(y^;wZCllC_jCUf_h4<>A?m>d({SJ;GD6Lah# zTG7rGrlQ)rD5yUT;AnAidTTOxC8GbnRTakMdw(eJRDdH*R z2ITq3{6_BHNo#ZI+EP`Ne!8BsaK+_&abxru720du#G9=Nz5!9)RWJii;@)N8Z(AzS zC4ouiTXe=b6hIz4YU{gPPZ8vEq=F-5ISLrT$2J;84F0+P1IP#1QwO&AeJj=YS$}4X z{7xPl<6a&~SJ_qf7I*qs4SfNUOpFTTz4JJ4$^yVA^ZBM@IUR0z0Lkg*8UfIa$7VT&(H_XFxqA%a zZ%w`1joeES*BSZ<#gshRzLb52wjV;%+{5`J9h`}KkhTT71;3NVnV(j64-b5T9h`_~ z`mREOH-H@L1dA67#ew&gRJ1o8{t29if22Dj090oJEs!<=p0F>&6{Ecw$4|NsqwTM8 zF1ucEoHLsD3m)+uEbY70U-`;CevzncM~0s>MN6kbnXopnHsqH9MbDR+2z0 zC%UAPDEHMd_JwM5vWZ)3K5G--b8c4iZ!lc7??V#E;*5@&bV0xk!Sqv7z;fWwneiivsLG zp>>e5yU^N^>pVUVj|+~LO8mRDjUU4Zci)8N`vdDG>yid#EhrjfARCj!@76I-Sp8aI zzx;|Y(AuAMrFLy3BQ`}B7b5vzLZRr?e<;wBGZ^=04+-5KV+ z^Jq%fSo02b;R@P!&X=MNG{R7_f?8%a1KBYOj2~}G1n7528^(bGL4;^)Afq=y=+~p+ z02i%wU3Yf)EpgykNMIXU0a5I zpMwE83ZC#y6mAC9^eq%_kU!!2n0q`Qn-5v-@0$5hV2pb{WA*^5n0%+u=D!-1w)sdk zJ4h`~({BZ%Xm%KtX)7v(e0eCn0MW@HVqUVpr)THHBW>Nw?OTnpT3;CV+|)k6I#Y1B zY6DI3TrMEk{KYE&QDn@exY?dXxeU*Cutb@s?RPLr2E`*$z5fLXe89;|i^1h2pG0xS zfjQ1GYAA4$6JZ!lSIN4@EY~OWI_0ovA4K!^CWuDodkOe9VZ4$R?S3}e*TRH)8_h*; zKtS*SX8;VR(EfraRp7qAZHRM@llR37nMx@N9lM+&VJ{oPROc>peIh34=YsEDiND)5 zv2Z{XI0Zes!K|vnZM~rSfVO*Mc#rUW9&kgA&G#HEK8lp~94RC3T^!O)9_xW{1sz}6 zYaMl)m|#osyd^xq{Rmm5?sHLxwoCKZmeVFSR|{d3IpblXk8dv*I^BmL)2HeNWPLze zZb9TU%J-@FmCS{99#QT=T*JSgM`;#Uo&~sZ!U|N@{WIYHO4XHGLnsQl3@aaj(fD(L zVFY>O%6FHchX43hfo$nNzKxXD0MvC0oZSosbWOlV`^SkHzn^&JiwGe1Uz^JO?`QlM zC`jbqf3)QN@8{Kr!!v%n>tD|E{rB_!^mu%(3KK8@Tz^7Gpje}0C4Xyk8)GN4_=f*Fc+ZNp$q;z2qLn%a{M>I(JR9v zBG)V5M4-+85L0AiT>0X!g7&~Szg1ygrfK-gRT1Gv;6wlW17!XAcm&`6%Kan4yK=!_ zT8fB2BGoI;0F`TztFCm=e@WCA>C!7r{8f^^zx7jO7G0L;m1h5Xfnxc`_WwKw|G3p3 zL+r{W|8%#%J-{CW;K~F1t(pJrGyMNQW8?-<()|A}0{zP`uly5~1_eTaF-;8(HO;?a z1Ke^)tp2|5v3>ayE2HiAz6BNFfcx-2E9h@??T?+{e^$`{zJUGD3i>BK|AlI`Uo z^L(Vi_H8=QR>0o^x|ry&dkUxHDHY|JIhn}2~zod#FbZt)Sh$? zY4Sm4-99uJh*J|4m!f2P@SQ#v(q*`OKBce|CBjoFz{x(y*MfA4E8CY25CskcZoz{* zyA#u0nZAs{g-4Of>m7d-p39d3z_f6&CtV>Q;YxUj@hGciHCAPM0LogO;msmbWh~yK z&PdM;4g-`)jpEA6Bp>@)5j2+J9qbu@3Gg|l0bW98W`T$!@0{uN<%t+>?#;}?)p_#) z>O(0izy@)zS{a;9?!|lIHlo^-=_~&fs|KeB1$Xdrhrrw5)jqgKrY~JzH%AQuQSOLV z`Lgld1uaOG@%1#Gj z)kvSG`^H13W~Bp+pD*%9mJhFy1=QfJf_LzyXJ=Rc60OQq3JRmzTZ$(`-=qhJ`6fqR z)sscvC@>&ZX0~mT`);Iz&dpMY9`etIt358I{Axhe2cQUi3=c;Q!m-F*2WJHb;zHCQ z8C1UX;z1E1crvqsyYV2d^|F+F@>wjnheM{9hVl3v(ikf49h# zYs#|>HRJ=6Q-NieWw7mAD*FX8Wm~9cY9)qrBpYXj7d#2 zb`{CeldGsPw2rl&UgCUmayYmZ*IAKs&0I%qT*O z*4>*@lnMVQ(8S4GN17rdEGnItqU_K85b5AQAhqg33y1&K#doOm-$&aY_!heO)o@JX(Ey>Pf)9mH6nrAkS{nFh;R7;2u^@+d z=)1_zl}-gY+z~C@75%53*Pzz@b`CPAL4ucm^Z>Z__oMLDQT%n=?}AW)AULbl`rFJ) zjkb{JnwkX*46&9dgF1TCCUD`S=;6aRZPL-ixYT%*C0%Q;~Pux7wtJM&r{- zVw@V;-?{W>QIgWa(DatyWf`M?iP-o246?lWr^~YZdyo8o^wU4e@>(oR93|*3i!xsY zV#6pVB1#a`W%2zk&YUYU_>;&!h!WoW>(o(4UIl*sDzd*Hg;RFoPycc1q-;ttU=Z39 z3<$*%Ykydo1yLD$fVLi8#x%hhu_c$Od#Btn2CuGU|~u|!2wbfSt?Qh zuT5pa=}{(R|7FFhKTR%DS`J>l-z0J^(Z8j#Z*5-%Q|wwe$)NuG3r8gK_oL_^C9>zN zO1ShY%&*_|xpyCn8uuJ@|DU`zmsu{{7Ku-dpe?nye*-I$FEhr7tR~`;64}%Uh}G|0 zgk&Hf>5B|?Mu2Xp=?{KUzzLd5ovBwSAA!n`iBOH+pu0?x2h{Jh*iuwuiLf#@)RVW# z^XZp)^T0b5aWvLrg4)RF%XFf@vyd|PLR90=B%}|P|AmAUx&438km6pn(f0zjEy{f! zH!H`nCgM#|xZhcI6#jRBGWdh6f`3web7VyrMr||60)YuSIF>eYEK?8U_H*Df3qD~~ zV0%gfJd@3~C!v}+hQJtT0cN39K!Gd-@IXf#PNLxGyg*Sj6r-{%qI;v| zVH|=hp>h;Q>n?LJQlkO*+#}4H?t6iYXYLHTM^_gP)i-0KdO%ayrLn!h)T)6b(e^Sq zD1`Ex!j@1?&D`4QE#SzDu(HXCDZi7k0l%m0kn%MVLQon=X{Z6tQA>p7l+ICE7KA=V zwQ_={2;QV4Ddh@%V{Hv^DeR#S1K>AAJ30I@08bcx=Sjtf17D(mBbkA?3+_P8bR}1e zn(-5Gt_-X)of}CnAeEcASMc|=7u5uCiLJc^gw zBr%sdh#$F$pt}r+jSrGsuCez&iNATg@yDD$aE%6LOB+qb@yyV&Z#hSVYl~(_(65wn z$n&On6$-ZxU>*@hF#DPNUBrJ2!YPUe6+DV;@#bsPw$Wu1x-;z6YTIU=+j3QHz5G^1 zpFI5#8(t73hx5En?&{i`WHXRyEG1hwu9o9oAtf>+`k8v_bKJ*lERpG0VJmq(LIeJ0 z?LL|>d=+iDteO@kov@f#LNrgcAf#UzC%>Ya+eR*Gpz0M>d@KJNO!YhCQ6;+wpzH7q z{cg4D*XT~a+kOC@8Y(4SF4V6*qq__Y*;y=E3fDxF0;oa{eiyF5<%~{_16vO8 z=dBTbtgcdVnm9yO3-+N6@s=Y6H%0y%rb&Kcc`0UV+;01mm^ zhQHL!Xsw&qOr{(%c0b4$GTVxdy=iE!odM%{LTG>qb{I=tINV|dt#us!k&HO=3rfS2 z65A{b8tPjPwUMj&RdGGzdJpUG)R5QqK4*hfXInG%-;aA+TS7fR$N@UPRehRC3M zPwhS)btLx8zaW9C&c?q?yVsK>RO|Xxz6*r`*P2&@YIy-GdAAE}+6&5dc|m z!-ZBnk=!Iz`eSf0)V}RUSZ|w1Dm*#<5=dT01&fd>E=qYgkv~S2b-b}L-mHlaRKOxs zyW5_r?Ys>Ijc+7kId~TKe|EK2RB#G2iL-Z5XM8;FPb)h=v6le77pW0g>|uI^L}r1Y zV_M+TS~8Ix&D18Mnd~msQLP^nN3Vx<&i4qio#uLh^kf>xlXdNjQ6U?n?}_X9oahVY zL#CSkcpN!Ii#yh^H^t$r>>fsVw*5!jae*&?189gy4<0FQ7p6GCRbtG#e?nuZ=w_cJ+g&;9Q`r?@yxH~r~H-Wi^O!gIEK=OMtEI6Jd zH9k8cb8MQ@bO;tF?tq;nP_O@7FS}H33&)bxqLz%Re4E_jzKFNC!!vhrjNHkT3f}`R z2*bY56|B{=y9MJT2?70?YxGxfWYBLroUjicc9^*%%+pRqOL&`!Tg5&e7YuP6*~Sjg z<9FSS2;4a{I@&om?)K#)JeckxCg}*N@;!t}|L#>VqqmT*iaj_JnZDc-!Ry&OD}qt@ z<@GqJ{mGv+P(gz^$LEKCrhM2g^7hg=$bqxI%!x@j4v!PV9B$p?KvigvoM3) z9V%unmjFDV$){1JKFB#|{{jfObFm9pCLP9tRO8Nr-sv3tH4UKJ@wV*jw>_4u@z-J8J0)IONIOi?AIEK(|jtnw?wp*Cf#@bG^pdPir2W1Uas@ zKJ2sJp5&?%6WhLFrzVL8=W#7DLYniY)of=nJJon#IGt;&X@4CkL$(6-4U~ch-_ySr zAGi+Z@IH-uF7m&D{XqZOObZ<8fQ3l!&f9|kS!Ec0g7)`?kbfzvzBfwPNrnUdnXep? z6}SNyZ^n=nkpVDLz7`eOr^l6yTzmVuoW`G_pm3zxp$>gRMEA|nMYH4-t{5m6*Ku6% zYk)9M2z&!c9E}@Dj(>GD83vpEFwlb6&I|AAOr-mvB8Ozs1&*TuUGZ!cP2!IwyDNa~ zFK@PpPXQw;zt3R(iD~~T+!y%a4+>TPNY-YBY-dz^ZaPj7GOQmau!C8WEFZHShTN-) zWPoh?vHL^+epc|~5o`yAg{mW!WGdyT>yYgl$OjVElS#ycON1(6Kf7IXD1a7RT-UzA z*{ZSSZu-&j+ai4F~9JFV`kqDg}|LGMp=1Ha2;z~~@ZI8nbpPP`v)A^(CDL97oxhhLzB z9mjzf^>N5N_76kD$#12 z!cU8{sXzrDy|w_g;Y!R(KHJGayi_DCqc_S=Vk>2>PiVODP`5=E(SH-SP)%6rNBIVB zBG$N8i4|B7R*QECW!NH5LgAuS_%57KoPn^Z=(spy?_7BeG;ueX5_n3kDM`a-l8@Tx zX{?jn+@ieyKs^)^ZgZ%;L#TH5PePZtLs^HU8KRY|)wF?r(9tav(rSMlz*K`igA)QD z78FNHFzI=zPACNe+V=wgLHmrc@$!w*qn%~7893S12fG!&!65R&1jwUyu8W{zQVp)M zTGfz^G+iCKPE3^MF@n&HUj`aKshK3#b@3u)njFb66WrgU@-&3k2rj9TuJCRat|s>j z9>`Nupb9sc7JFXfw7ECR%e^lHRo546%RoT9GS?;n&LtG*g!~Vp(q-tdAUzj?EGqxa z2)5dFi;+|!EWt?3cIfkGBdQ@I@_&usg^985OekZinQH8)soFR`CfO{gwB zgMC~FW<_a(rQNTK@J2MVXX4TH+AdUAyUlpkbS^hy9;8|3hnw2Ilt7WZ1vC`alZtyC zUKC>ICaXiu&322xRGjO*+)$H8XO|CZN9U8 z#;p#yjHYYqAj5{8A)y9LQLV9jAil=DOj5bKo%0g565jq7LNtPn9|S%GcD@ERu@5*&uvkVVsqH!4 z*Q@5Xc6!JJhmSu&0x*lhJJ7%5*AN59)$1Rb<TE?{I1wQ?5A|6j4sGY$~zpi*g>)vHA<{5~FqNisla(~)Rq z=u!UQAXP)Fyg(Ihl7G=ZD3G5}+Tq6z>GWnNYUuvL@v5`SgqPHi?J0ngr%LB6$ZL1B4sXSzO+;(!82#zA^mHIx__Z2<_m zK6IwdxQxN|>}gMXthzZ=$66Rv$7k3bn?WhX0P2pK%0o8IH1I4*>qx2l;aE9}Uud%# zG;IUs&c#b?Cv`0i4enbC^L5s-4F6pm*~lJD4!o!AWQ|=35I1CpGy0cUaWGpIM@Cc8 zju}{b`XNY^-d@LUQ?u7;@WAS65KZHa8uC=$Y`}G_za9|_2$SQ(o%9hPiI_oOGe4-2 z4~mU=gzcu#i~eLJ?7*)OiHtjY7U&R3BQaNj+h&xo7CUU;xYr>vOz0n;-ahV3PVQED zx^O)(C|8Q_L0O9^LlE+7i0>Wnl_B9*G9R0&tB`9A?oW=oi*%k??x46*ykE*D7qQMZ zS9unZWUqnibwA>Hx*Ul&*iN_-^s)xZLPD3kGf021JKjNN=bd`v4AVusF{rm*tKTp% z4?Kc1Bt2h9&-Ibu+7H@KF|&MS^w9To#BK-fg`DbYpdW?Oav)D5vy=vG-e$8U;S$oH zW{Y8djm)m4WR80~+#Fpp*0b!VN%q+W^B`H#Bja6cM?MxyDn!mcPX@)-J0%N@+CdSjMl`Wf7Cxrg(y#2>rrc-6>G+3=4qPnPa`_dV z1!IsrS{j41YX{&l!eHpGIpksGYb=_Wkl<%@*(FjPpo0j{270#LR8WM(%)EH)?jI!# zhK)H1Hs;;k%j7$&zd&vws_=6p%p}R&E{0|MbnI2x+^^vD4P&i~Dn1NV7gNLx=Ax#4 zhCAlV{n)Z|R>^#Dz_{O1@kbJ=v15)<1+T+&O9Ooq5y{(qK(51^aJ!U&lZtFmGk0L7 z?aojf87qlWCW#k&gbZML#|3m56~VBiiL)O^;PS|ufTVlL^{9xqdC36K#_4F!BaD`= zXA`u*3PJUJ19SKkEy>%8mn2Zd_;Y-B_TI*AS)i21(}ls&!PoUY@roPa7qSgt3;!s! zl4Qp*JhE;j(FhM>FP=>ZWxdVL?O9}P-y=ea7vj@ zkJY@QAsf(4>y{w^!;MFfNqKEZ-wJGVh)s$w9l~LQKFtEUz(Q1G&*slodDDz0^~Kjo ztMZwv{n?1JF^-cmm;(~eOmOL~!*pb^?R%0zPwHoDnFVKlA-V3)wX_{{Vqo0`0*?;L@q8t+l_l;=N>s~y3fp&b{A zXnrI~N@&fg_yo$JmaG>!g`Se@YQuP@JQ$}0wB|86SRjNL@k~0ZfWxFuGznRGm_bG(QR7-EbKAJ0 zat!dGL^QPD#qKwjB{L89Iusl77ewI!{GIXsEX4f6>BZC1O(educ;_d!J8(9&C?A=G z1ZfpbT)8$%u-YVf1T&;;I$i|O>XYpx+i|@NdF?xWpSbge5D4KZK6@n_QMgOc|4-~4JLj2BP?I>LU9Q#eiPi%&n4K3g~Yhj~> z_Wpn&QCpwJeju>dCh8lrjJAAmvGNy_*%wXfaJZf?^@ktk=eqk&;Ac7(vsD_|#orjD z&tn5Qq?*~lK9#JG8BrHBKAy~eS4d8pM+^KC6Y&DhVSXVQ&%8*!fVImoJ>1j+w_!&N z<)@7RUR1VC(kG2@pU_(;WOufZ3fjhJ76zZhkK$U&^4kS|s@lBO#BM5-Z%%BktDOtQ z48s!ZXIR2*VYVRv7P!9K&sKAWS)tk{x21%gs6Y3Be4oe5M@bGXPGjQ)l_kJl^qXeX z&aa)(8k%dHKzHch49HbYJr#kLFEm`pZJ%}x)Zx$JYLB?bC|c&U>~ zE6zc#@1O=QI|uw88)3}eVtb5C@KvXX&mG@MHvmtl_dTJY$iq%%pd3f?<`S?_q#d}^ zKL_O^2wI6}i-#al0yuZT+;&%@z+*NfuLp|Y9C1F`jIFK$?o%)}bJdIp*g`6|-TkSG zy(+HpVMiawmaOEozHM5Pb!JVVH<-#WU2cXgiQn)mV>Z`Vs2`$ujiBP@C{JJ?PxRMB z@YUoRB0G|(LJmaY7PqzEVQUh$(;HBEuJcTfb)mN7>AXs{^DT)E)z8Q*oZK%onU2mo zg#fUL?8Ye_?Q|2}OT7i7`r$NJRrho5!P;$i7kr+HJ;a!IEy5x2i_uT>>}dBV^j79e zxQEe2yN1$NZ4<0%gUA?_4NrSLlX=0rs-(4dF-dlxMEIdFVQ-A@j5AM9u@!J0>ltlO zO%!3O{8OO6!0F3$WH-1bJMv<%G|-_YeZHv(-|H_$1xupHZBVyLu2#7pbuWwBy|!^J zdEb7o+V(nU3i>M^uAN!8-gcdMikgHk@JuMbBb9MYg>+2JBW3?nwbMEEWnzc((#d=qj)y>65W^jvA4##RKB5z%#<(Sb2!U?6%xI| z1>qin$2rn!!5}-)tGSQYiJlGY(YV}4Q3GGC=cJNcPFsZC(^SDM=PMdoDsgxzSo(mN zwv_|~mJSuPBp3WCW@OK(pURv;G9P^R0C$F&)M!+h^bsX>U!rUbiX#E+^ z>^No~pJ;a*5EQLGmVz6?M{-j|M|*b3YBHV}UTO3|=DzEXor-Y%SqB%Txj zg}ALil7l5sB4=bYatw(t{0!*aeZ%dpIeoc--F9^YQN7|>PGCI z1vrvvyed25Ld$Z;#7HT^XtD-2MSocg$>QsheD{rUjFb}{?<~4t$AcgXF8G48FH=sT z7LSH(!Bd$b0^qNrPuzGQ`&K}ByC?}>T$=oShlg((?d&mdHwiuxrfY@7;KuD^NW5De z{Hb*i($RGOmk_@tp4r$FOSqY#`{Ofjp zwcWb5iYTskjCv~VsUsz(x{XBGwln+Tyn0j}uPOlOu3>pEpbjt$2{}B5c_2W^vBLY1 zMg;~DozgoBPt-TsHDC-aVE6On9@Nb48iS^>?E`H0L^zQ60Xi^0UIr@#4>UnhP^hJL ze%PEj0RkHW{}PutuPNNp(k5R|LhLU({?)7W4-Q~|&I*h+Kgp65+F<~5z*5-I~V%>Va zz2ELFbf@!{LGm(To$vmH1HXc)KAzS=4|xjnyl80{>?L;%lE;v-D)(M~utEQk#d$%eS8@8O32eN~-oe`H z*vSbD7u<+-{2q&x%X_V*B65!h3`2W2ci9UC{3h7t6^?yq9G`Y5lRcOMzWT*jedJal ziH-$?L2S~0VWg6+y1oRl5)*KNqgVRDHv(~5b}DZ^sP--30b^QRhrb5Q9&&E7V_DtT zaO+gX z{-RvE!JmQ1NZX=ztv*@fxByYeq8ebK@Y?o-q|S1*WoP?D@@RU z?P~X_iIu0wu!{Ex+dUop#!Q#-9s?(mCH{0|wV3e*Y$^texH0=$Z08rUID;l}Pq)XC zdMQI*5IO;IHjR`_2Kt^wvpEcsB;~cUxUa+_2#mP!jEZHBDrFBM#mnzNg<}DVx}=-$ zZ`f4M&$a~W*_wXV&-!6o(PW&&K9R)!oCNicttv*gJtSs`A@H#IpE3yNx+_G`x4knl z@I00K8|RBU{-rop&*;yY z!(Z7mHJvZ(=NX)x3{7&ruOox;RQnnS3s~n{%OKCO_9;%O1{C8^;2~?iN8d*Rk%Nl z)<;wSaKyI8;XKz3>_AGg!F~F+c8j(6kSeryd@cgBs5p!OW2z9a*Zuwj0elZhQfX91 zO<*fDN0fBEINtwGwEHJkvK2HSMTssA13L_miWORk%;BW)wJQT? z=L&IkK_Z46vvR5A{6RzxI$m410bGoDRgorpGC00-@5NJmkdbg4zvM8I{?-W^+cqq@ zp)5{kUSwzM`b*XPjs1(dKp}I)bDZ%lHn53H=!q2)O1~n-5`t}$Jm{cO@-fBz0K#qb ze!<+{%x*B^S&D#qHvo)?c$Zj2n#RvS1<8O|N+-~MHRF(I6tj%aLW}PIAiUo5fhg0{ z@=K1h#GdQniYv18vl*xrrUCsPX4~G9?bN+jqb>m4Yw`7##*;ZZ}6DoCl%5IJW zsIY#5+ZnAd&bAJs?vd0x>&$I*gD(No2IUlT7ok#E)H-4QNzdS;wqfo!t|HyGh21uK z3(Q*y_(m2`t@LB@-AFRaHdgpw?7e$f6Ia_lx>m?w7Gwq{Fo6kVWFiSBLL>tTBuX?$ zP>_Q`K|w`>qM`_bqEZzNii)R-r)oV^tlFxzRjXEQwW77Hww|l4_O(@8ZEI^=ZSBcw ze^1c9@B4lG{q4Pf*R}uI*Y$ZBGMQPkX3d&styyb5&wbxPs6sktFPMu+7E{%WYE&-^ zTijPVi?qXVGCMr)Ho|-GczA3$oJ!U90ixxX3LyNcI$<={Vxy~03GmvVO?HNU$uvRJ zI*(TCZie}m3NHnfS25$lRU3mCO3R$>t^I@11vyq=Qjh1Weqb41p*j*F30M>DG#e0C zsp=L48i}qcn)q1lG-|mzI9RPz>V|6Yab&TL6K~9uc8at!O{tkcghCCG;LY8Y4LP09 zhTs~WR>SBzT7`ICNT|{s;K^t%gf0f>e=dCT;FF&)ggMIUmU87TU8<6LQ9MPJfgd=_ z`B$*gujg93Ku|63o!%^HdaJ1tcdPnL2=j?x8IF?;2NV6FZJh+=RJ>P32~;}c9-AEF zh3RC>Xm9Pv@~ZM$;f^l*<`m@8yEGF+hzFgIBiBzp4 z%EE{e^S;HnmWdQCopr65t{VIWLivRBt#bWc_x$m}TbihIAT<0%dB#eEw?s2M3Wm4Svzg(sz8;Aa$5c;& zu*bTIF|a{;t4+@|pRXGf9s?nJQ@p0K{`!GbuY==+BUa6))v6&mdNUrYxj8v>RAt@7 zG0iNjv1`_MV$3zZAIN}MKx~aD_g0qInx*&TLb;CaMsEvPHL^9>Q0P%ET<02 zjRQ1ubMR-(%E|h_=v7Qi4d(Qdm;*{wsrqiRd{QklDT01owQ{m}ka;2ZM1Rn#t;gFT z4yd|z60>j$4gL$8F$JjPrYgh?qey$~Jxec7N9Q#k^kce4G8Ms1$hB3a&e8V-ZXK#L zdsSFgcPbTT_7`SSKs$??{>VEWV8aTR(HRurY6b2{whBaFsi|`F8q?cTsQQ+@WEjgd zWvsdGn#VI)F`5M_<*)P6t>2VybnZYWPWX*q#QAv#5Gn@paJosDt3)H_~P$ z%>-mIfh^JJh>GeYerE=mhgdUD+uGyZ>fi+hT$ofASw_82s@11iZUE6}2hg_h6IIKU z{B26x)Rlq31ygzk;ZDsbNoV0yXyKn^h%Zeeq}ir~(C5pKsjZ>j9$R)edLeyp@(DSs zO%|_}oJJ(xI|ZL6Od2uI0{4QpQlEheRLz`WJ)QNlg~G{ z!;DkC+l5g#dH-Rqrdsb(7uZ4CUhpn6rhliUx~MI)RLg=<6*DhbcOik^Ws=Q>q3k5K zgi0s7*f5fUhMm5oS{o{iW2l$Kk*wPFnzf$gT4Q;sl{Rh7=6)-js1;kE%t-vNKfM^Jy@aQ$JRd1f{{(wUBAUF&FSrurf= ze}}$FphfX9)fsebNH6nrhN)3dH*gAYp&Ux0l9}7)+%>m0!X&*ETh#}GJU{$CHLKdO zvcvh+x!W&Q;9O$i!kjw-sq@!fp?f*+brClhOW0{A)?{^}lCzg5(v`Nd0DMjV7Q3Dd z)ZGBZbKahyrdY~GvoHg@3ZeQ{EJtm1e@PptHNdS%86;TI{lNAz;!C-;`j=JDB&dJ& z&%>!`8?1W|q#E$6WKqrd<`Qg0YivpaZp;Yt0R>(NHtlx7UAQOM{#1DFu+T6Q0^pi* z^=62_AX_0m*ylROd`3>(RrllQBF89>T7u0u)eONB2NDcaZ`Vz#+1iWuc$&?EwW5k9wUdtsa-Na6m#D{EY zuG{C{#W7oYf&W*?ZFMi=HH=LKD=J>w#}vHY1ZObY^o8&jXOhu$Mf$+l8%G6qEVa)l zXT#`2*Je|jiJpC)*YlTELu~cW)2}AHcej#SK{e{rNMYT0YKi_0x=5?1Riqxpot}5% zZBwg49ili{K4A|J+)LcwYzO9VR(U>m3ch?KLGtm zQqLyRA-adkG!tVC(XLxH3y~#!H>yf*c50%O1|k^N68yF?EDwg^<>@iV)IgwyaSs3C zjgKf*i5U?GPAreYUFk5b1-q;{+D+O{wAFP{tbuh%QJZ3&N*nU(v2K4*UMkXtYsEuS=o`F;VK#5^FVoJn2CY+azaGKWePb}I29<6meLb91rq zLMqh}zpnZ{A34a?-;de5mjXFgq1uRs{9#UHuv`#SO5`CWifEwC#2UNx_Hl{enR&hjtR zpAm5rH4YZNg~QCHJ5+adb}&v#@2aF@G=X&OUW9v+Y-+0|(v`Sn$hCo**JyneNm%2> ziTYBx`E3&>Amc4)6n9@>L);O%Hx-oW?iTupkfLO+2hj;!m};^BVULS|E{*O{@wu=( z(h1U2>5jJ{3QCje(yz=4hCGZ{|VZ;O+Em|1nr2Dm~uh z32>vGdnBe9P$;9}7OH`%ru`NG!}FxjfLUn=kU(MlC8-4`PdgqY1_E#3;(naSh)Liw zfs(XyxBS#cRlFDCVAa?<@0c<=$-#od-|4sU*cL-rW{tEtQ5!-Ln zUu%$`ImXp~um4sf{%D};T8QuVZ?r%DCrSN}3Tn8z)*QK$`kU^h)(cOs_UWDYL%E@d z{#Be9-cxx*wfUW6Y2%{%Cx5K$c{HOg8qxCP# z10)yN%Kvw!SK!Ap{ktXkZ{x{h_uqrR9-mb4-!;>|>xnHsX-Iyc#Apbmcl$%dVkT8U zi+}^|5%o_YWYB8-&BC9bzuw~gt-&98;PMevFjA92K>2ZO8y-d?RBf!fAjBfFFOC>&Y$pFaN|uNBP;dyiYri zc>j(1?*ks@6N`sLP?q-g;RlArKyt9Ys(SzPdveU*7d!#ewAaUz{GU|elODj|z@O$1 zzE21!dfH#L-_g^%Y;Pd#=(H#81u72$g#QPP{{M(ZU-#Yoe?zRt;o*>Y}Vb9ZH4CZ11z1#k3HnX-!6!`>w&e=F{LxPsm zAf64XPA=I5-vB{`Snf`xHA)mH9p2_`A^dSG7J~=^v$o=e109 zVGqlZRIxuek>bMJhYd<23$bZ1fu=$MxDyVVTmI8VkD(sICQ*yA^cuFC0w^okFtJ2T zQu^5n+3n;G9?q&sHr@d=#qG#->Nhry`T`qR7T0hF5Y_^xe07zVt-}}bSC(pUkgj(n z0jY1+CVUxuuwkIt>@*H>LPXw3*C5L+eI-uevN;vI)A*sNgFy2&`kS~ftEO(l!bI@{ z&dWQcV~CiLA`&48 zsH9KAWRY5gljVS1w(vZP28USpf8*qAhc0_=H%%44HTT2%W--*_#RDl$yaW>{@sc-@ z4acF*W}Fow-eCa)=ArFX5TrfPnUAt2;Mce=e&{U~$FY8o=SaMcRpWK|Xxb(>h~xmt zfL9*`0a5wDL`{W@8?|X%d{L+jRc#xrwUkfCXU$b8tG_7J93U#(dEabq9R8K^eqmL1ONr*mjUD zKsw4NQoYNysI-yQL$6uO>;9(Dd_~*~4N>b|fr6n1Uq6m5f>5eLl5{YUF z1^0FgiDo}1gZW9LfED%+@(+>>;W_j(Vl#J@+e*66+SveF=|eiXqKeyUUOXS` z>Xl`2U1ZhnvEHR%NpTbh?vwI95T*oCK9ksPSr1%qfbHfIHBM_;jMZEk*mGR#X70Fg zIPS;l0spD?_NsZVrk8j@Sq7+Cu!1|5ig4dDqGm`vQS$@Ptbzuu8>~?M5%f*)L8hjbXmfufr$C~k_#rF~)#Vdg;fb0hxRU@f z#GN=N6`~6x6q5-#L~yfO=Q?_#x)p}sg2`T?l2GYv}>xKD2 zd?bWaL}!jd<$H@pLBu^sLAVo(B!BF^K4Akr%eu~e;Y44ex%4s#F}`KIMO2ptna&33 zZxB7RL1~dQTyVlQeM-$O9H~vJ$gWw0wGjShpf(V_XAagsc%5%9oP%RHcgq?7Qb5&|Q$N)ID#HusL0(()4NonZHF0)ML=@!@iF{E|yZ zn6Q z=T_z2mwRO`!@b1^llat2E3mllRctDEYmN8Pu(5np#fz#(N zdTuP!yQv8jsDR^8I80M>K*qbij!?RU>F%7G?)W==1Qxm1 zyW)qAQXf%xJzCC{L3oE5slQgbR@FhQa`7-tw@}QvhFP9fy`|DNGXogQv+&3ItZ*lI z=dpX=lAh_%$wzSIAS-b`*rK4K6U3}D_qv?$@q_hqz$eRdLzz)QRJ1W0_bX=?zfT5; zJm8bJq1MigabaO*pZ`LGGUg~qu zqzSd&f$q3LOd+d9=otaX`JCz-jpupH;c}8~{Fxm?G2}1O5jR=-5G}XOuE%=ekdo+~ z!;!FBK?JTBj?*usB6U>?iopl*1#(!}r~trYgli`LhKnd)ZP~@EnTG;!7DpdlxpJ%#`>#(N`q*@z&)Nqg6*Ut7!bi0|AbjL#jS+`uU1MHTz|bQN;LqJV5Q8_J zHEaO{09a0LmJ-LUd{dvrXRG6zIAzAvYzWOD) zxvMV!Hal2fFSWs+FHa zC6GEkUi?v7Bg?Xk>Zwq*Da2zSuR9OkHu~K{S|~q^Is!3-Odhdb$y$i#0hz;hBm$2y zn`C4?^zGl!P9xg30~hI1L-``+Q^xV7%)Q!Gqm3+@4Lxa_9T3N9(2^=$uciYX!)ob! zbaEUvOA&~eB|e~_2vv-cB5;LDjF46${Sj>B)MT0zhR78Bg|J9TRKCQt7*%$V@3=M` z|4tIbT&^5PcrW4s97pxUaoV2E!6M<}aCaz{)58#z7zLxzPw|VcHOwIe+=uab@dr4! zpMDR16ULULX!lU;Hf#c?5fS?d(`no%i^g+x+k=JqeEWcK+g*GI;>#(MG!W^RNDL&*3;D_hoRvF*VafMxj_iHlgvF3H9Crr}gC zVYdPdcnrjL?M|a&ag;O$we%xX_zb|_k0CrDctfa;qz@ig9Hw3zuD3(PSGc&DiWEKW zFh0^-BTQ4`2&;6ZKpZ5tnsXTA0^zw(S2o_SeNOy}8mAr-Rk6$bjEqloJ;Uz77hPBJ z>mWvBUZ%01#@*PlTsPN?fL)l`HVgO5`or}sRx<+?%u)hvrsz*1?$9?fwF*H9qWW4p znqO6TS}2`9)kv_Dy#k=WeL;9?%?7+s2Rc9&&mhXeRddU5L_s0)%@TuK62)}=1Mk}$ zCr10m2=6J3?+Xz@*RJ9k@~$9{aIWu=xekd-gm*aB#>WX?glD~Hw?5b@c5IFn4l8WY z2-;DMXSX)S*%($86yjKbgh6D~>xdu2O#|_izD9$#Q_Gx8K!z2%2Z<&@P3Y{*d<<~0 zFkp)4L#D7{lasLK%~;n%Zx(Y-A@nppXrWZz6!TXB-#i1F7iw3!<0Ufmr?d|2_43u+ zXWn1+0a{ZPrv^fc-2?ev_@cWbDmNVtvlYvrLJGre0Ngv`T#h_t;9%4lC-8-GbHcJ` zgS8gn8chvodWQ_ap}J*3?Lh%qLfs}3lAVuns+Cu3g0&->Y?l2*ur4cHN$Fd5d5Xmn z-{6)nA-Gzs#nFO0jEgo~umVQ7V>vlxGR}amuG#S-f)SQK`ueyrhq7P#8akL`+x|NL z8W(}vnhQ$m5qM-bP)V19p^sVx_xuMpLKUN0BY1zbl!)8$3Oqw}dLlqob>EGt_aqRu zAg669Xysp2ruAEjv47k0I~7rAhR`mEEEsQ9L9CM5zOV}V?RWKd%HT|TvR5K8+42>0RzWqBYH&`iuZf3*Js|*Bo=aY#*uqF>3}xt#k-QzSZcN#!5b&hoQo)f?lp)fFpI26{RvvBKLJC zA;fJ|5S2c-1|s=HEvq6Q-}4!F-FT7oGA`PkgP-GH)7Mh3Q8sH|Dp|}?5ysM&Q;QO% zNw>>HjYkbcDlBQHKNJ=as$;et({Vz45DDRpp0r2rc((IlKuLhd$jx2GMk=xkkmXwG z3`7k$e;=NYo80D`Rt}~!3)kx3(rCDosmy7@s+t)f3$dVDa)h89xc*Zif9EfhDXNNBQUC?KA6`|31|= zM=JkzD*2Z=U;*Si^7FUy0N6Mef`euvdCXBH4IWfl+%BB4pNt|Lp;m7IJ$fdKH zZa%gp| zN?+vgMy64D%oj8#ylj5Qc`?i8>lP+nnBVEyo~q{9<^2kp^_}KJ(ViQ=tl6-3!iAF| zGpF7som=NiLB=hsYlBSNMs7T1dS&m;Q(bn&hc1kN{anGqglGQI_-%lyw|>6) zLDwxPOc`}d*(=BL?)3>u>15~Q3!)O@m(ONu62Hh!>Yw_PGU(he*G6)KOVk( zvF+0d7Z;~|J}YcV>K9AGs3Xuzbh;0ZGr=K04R`to)aM%+7bJ zhg|nLXTNnmIOO4v7xTNW`R(S}9y3vRzo3o>T0>+qI-{Q}u&y>Vof!9q_L>=fzF)vm z#qI^YCUlp3GE}^HBBKg|n3KY9^lx!D57|p+@)dj8-rD+~**-tbiM`M#cIC(msCP`w z1x06TK(5lbZSMs!e&3fD`X;&pTwS+}sm(H3PX3$|vq_#DraJOx`f>xlH1eW8f8^0K zxv3;MKkwe=7cb^@fAHnS{GNckNa@8EuJH60%lj5&pLjjIe{jb6aOIIdRsC|`8hP_0 zobNg>kM6rdcF7p%*001FIqt&39fRsFDF&5a>P?r7KT$ZabOu#4sBE#7DW37-@TE(Y zMZSKkibvnuh)QLIi8o%6(1tIOW`ZOiKT|ZZ&-S$At7~pgDS~+$HD+9{R-+NJL=fTTo z#_c*`__T8GrBQ>uZ`@e5wrcH!J)fE;^0S&X6^gdO)khxP<|nj~l<1n}IsMnwlxgR! zi#=)l^JnI@=GU>t%o3`#!@f7XkD-~~OryNMVynf2(zK9J|^M7lajnjV& zJUYO}NuP~fot$(uWcz`dqk{ppGEn)}(Ty1>kxUFS_4(Po$UU~@y@;4Gz6p(8=wy&J zXNE7sruN4=`{&!?A;uLdHvCr2h|lVOI6AxZnV;U7eSE+js#Bk^4sTI?nRPqgE1kCL zz^}sednY@*JN@TNqd%YV+XG$ylC=}0oQCJ+qfY6~Q>D_RKkmNQam=INe|@1Q`6D!Z z)*94H9x%PB?86RSV-x%5_|}QT2L$Zbr>DPlnrjT$*2g{E7buL;HZIFrwy|+v!u!{I z-%kGe`s~ZICb4rq`R$iuD%L4?!?bG*+r&BRo*nE7zc)udSwBlo<#ujeM5{~3Tq%#d zxvclx^mF@4!VH_PHvgLoPEk__^d7L@^TY|a^bS_PUu-yZqB+2DbrvN2KkHBb|Y+uffu9QPp3v3VN6ntlbi?+N2Y!p`cqdKafJKrkjew6*!?!3d(qmfj5dPu%p zmh-g7mUYP3ygfT3BUDCZY{wnK>CG7#zzi%$n{fyVz*J~3{N9WsF`eky3`sLGvNvaE zY|qAN6ooQyNBQ;)HjEF&;fn1Un@LY)cE;vxoCHVG<(szyCZs=APEiUfBLlPYt{HeS z)}!sXFP(~6w3(`>Kobv_0I)HQr|1t6g;#}!%EXKe^HL<=zL^Zg#}eC1w>cb&mysDOO=mytcB&lvd4y$t z9%0}QW-$;#lkWcd_5br%xc?tia$_KO|KB;+BNcxq`mf~M|JS{6zAs?V)5;H+*;9u< z**`vNX&(zPw7D9r3K~EK8ih9RD22|iz3>Km2%I1oFFH&uyXh( zft8;I#va{29&&kq|M*V=V^y=p!=4Lt9|dmSi$g+HsPfafSO^~sS%y>WD7qG9;RakA zx_OuXq(u3J{d8bBTs~Gd9498m7WhlDXFLmEN2w!dKJ}&&HZc_v85+=~r;a*`3l$?j zy$q9<=j0HozJz*BSs68}lH%mJjoO1g1Uq)8xtN7&{O9P4d_HpNA}d&ukRlZ z)2LV|<^g4c&aSpn?zD5hW*+(>0;K!lhV4+Ve4DDRUNnw0d{&W z1Q@FWxj-o3-v|HR`mu+4R)^02VK*fFARuuUd{I4)hT>2Z5P}24gMSM7F(eTO5xJs6 z;!jj$GWAnHC{F7B=g}TV{|xvO>lJ?nd`KyBehm3BASo2nM|;5DfN&g+LNP3O$SWfu zr%>GG#~we1eAoky{uI#T>~YxepFoC#3jl0P9^k)GmJCrOhJ6alirHHU5IZFa8a$iCPMM#S)RTn`-5S_i2mrCjj0`v^&!9Smq9jN{MPUj^E3znM zWFZ`YR9GHb0AHhs0DT6B!hsy2kY;1qB&3_a9S+nH77D;eW;&b8>s3 z-~8|z6u&SD87|!On^zETMS-Dwq}-EJ{3ZU<{9ClluYji2K5;2>pcV-~{a#I+(oUbv z@!?4^`2{hZ>0UAa)N#W>RAiUT!gJi`pr+xgwOT<&}O%CqE(DFP`RiaZ=5& zY{f~)ru8cqM*1bv{Ju@eb{{%MvYGx1C334#GG5&-Vu&@;tdAn%zZft*QgxoZ%c zB9~&e`qd3lswlDT`i6y|Z&(-EE^jFBnJm46{Q8F3B5qeVWY32B71_j0MsCgvKo;{u zj8Y_^LUzd$R+1gQPV0Mu)1^|JN}?r$+}&duw8f$A(O7lA`AqOA+TE?3 z)|UYCkQYI*0g8&G+y(^9kL7vVG^O9UyQbP#20=STYov9ha{&p07+a0vL0l4 zgXP;9Ls1gnSxQ23<4}Hq`FYB>gMCq2j9a!D*REONT!N*y5%(Hz;5L_hh_p%C&9=8O zvPffP$j&7-ZDEhtE@8PvG9Sc}h`|%K+I$sp#VCo>vvH+g`OkRUmLY>PuD}_&Ze%IG ziIVARVOBk{yynXOheGA)l-#W4%C9!5&@%w!DTWt?n z2P#v&tl&rUL8LDzetYPX9py<5F0&?(b+Ywf&i&Zvf)9|kgbfb&s}gQQ#@n8H^IDv6 zOZ6)e3KV3o-q-Hd790I+-SjPR6&+x%DL@v!8~Z|i%$93XALNXOvT{4y4xnSUu54J@}Q^rhmwG*;&t-tegCtw9o1p z@n^ON`xaR5(Z+N%xeU24Fm(#H%m|L3$7P5vo7{+8pPMi1#SVXu;WMbhw4_AjYbj*D2{@(f9GMVn!IS8e(D zckJ3MVVSG31r>BfWq)GqSo0zjW05o-X`O7aZzg&?KF;sgE`Lk<3W;b&EZIPYw7#W{ z$~{7&9l3;EOSIljTD!R#i`@amD{Ug;L?pH(JEz<8T9x`YwQ1*FtWy^kRQP3WKV(^+rM5k%yqgR~xOa01qEB7%d2b=R0|&VB z%&V}AvbuB6(({$Zp*sRjhIvQ)i+@`6T@c720iQ(jzl1vd?(yFrieEV(45NKrg2Y$c z*6j~=S#W~ikM8}{yiw*Ft&Nf*WUh_c=!D-uLirOmy4`tBrt+V1(_JpssNG~cgIqqW zr_`bC&UXDU{D}G!XsHcGrR%+_c;xsKDJ_Y{q1r_4Y~VLR7V!vQq%}ayfTf;9I`g6R zS;p}lr4;|h1U?3;+%l2wXfKg=B5{UyCEhK5#K)0Txp{EiaKow~-@BA#EZ2SkBq23x zQ0jQf^jFY>MR+R76gL?kQlV7+8M>y^17qk^egPX{cQgEHwkVosak?y>FH8x zRVuPxV?u-Ey8;g{0!H-O7;wd>fbZSgjm&FdDIKh!IqqQbysMTKq-yNy03a#z%>Y-L z6pf@8Xk=9vGNci@`~4_YH=ZFHdjU$agc-21?rUn@nke%%ZcoC4F$>+i)AYRnsZ+`JJvb|*34};*n&LNY{Wa^(zbEj3VC8LEx#*nM9bxIr!wv>ln;+J--i0{6udo)kEZm{sAKDDX4H(v4~O}J7oospby~j`86o1 z{$`O@cJM&fZcBKO`;yq3 zA4h*{$rSWFKi0JxwJetWK^&?vp$XHnu-Fe;Oke=SP-*;JrE7TmAzWFv1K!KxxSHeM zMN+3=u^LR+)`Y|oRxlT1jW?S8eN82@99*s%#8~^PwhQFvgjH->z1;LrVM{~OpfK|$ zY~!(YlO@$Tj4r$_g;B7QFP%n)Wukv$KT@xy*~#QPc+x)t^yl6n7}+E&gI`HfDPogU z{gli^g{4qDotp=e+i8gH!<-6219Dd~=Y#yQABJ;5eokvcqu|=W>YVq2{ass)lFau0 z3d4@Ga@SH;i>h=*VNyMEtztVtJc)**fqTZsU>)Yt*CE#%{+n{i+75C8@AK!Wn@GDx za-BFIz?}*!xj0>zlEisFH*6)$Tj6|HXk5Vmt)#x?Mq$Qwo8@e# zUupL@u4L{d?u^z|@Cx#DMUp8jxL^}vjcwh~IL$h)MrnIMx%%yV0H8cqu5)2%arV9% z+bD$+6fNgz&TwosbO+sV6+94`Od8!$=o(?prfdT{7+#J-wtGLD6a0fAZnW((lD1K6 z0-Xm#0HP=XlkPCv4{|BBqqG@DPzrNB;s!S5ShThm0=&}`wzNmD7@Aq{L@=Iw?5&2c zO~`SF`aSYm9JPRU+L{rvllP6M>%-j_JqfJ=+a{2>^5aBVAK|khiU=%3`pb!8l=f@$ZgzFnW9ZAM|&QbbO% zm}{eR_k%*nk2qSlNq}aLe}X?|72xM2Fq!!Q_z%A0rS0l|ESUimDxFN-d9xnI>Adkl z3W)>txs<$rR^^)?yA|Z$qORK#GNhcfT~a2CS(Umvt;5HS6{j!;WPHSxeG?dl{1`GGTz{- z;?{ynPR^CJDyN2h*-?w^GrU_kgL5L{-}C<`a$U5U&AuSYa^f=sL=E%=F3& zewO(L!n?N;`TBx|_Y7cqEB94NhY;gbavIM|WSwfGLUeJhzmFuk`f#ChkTViB4PsX~ zdm!^yR8dbNT;RySmYW8rQhc3%8v+naBUC6^@*>0QjO_s8BdG)4=h(M$!CuH>=`bQ; z{OVCW$^J9anSk=XLfK`AnW69xky~9uJT8LC%4c3ibu-TA!kf&23ihF~4z%GIs`&Bq$vlKue(&IX`m2Ub)SufmvJ$|jiJ zWwIQa@jPEQejCtt^+2YrG1>FXc{OO?0A46ADBv)=Kih$v^P~6yD47`?Qk#!V-^916 z&<2fMA--xz(3y8q(hEAxE^Uzs0eahLZ>_>b%)2_%2O7ScE}Cs^U`@_ES?e@y^xc!B zOt=OfLNHt@BB-@No8oC8sjZD#ZOu}mZEXTJ#?$75$gIGvOL;w>t~tn&j4dnp7*nI5 zi!pGIRBnck*S#2&*9D3FYX;*7X#=U(RDTgN+jfU+(c^M#D;j}d<;ISZbnj|_Xvnif z9Yn_4`OStaAi$xzqIWJshR)i#BLJ%Iie2km`xH{e_THWe=uyRqq} z-vwiW*(b9K5E@q!&DNY?v)Ds5FOo>Zhl%EIC@#TC>8`wJ>eR8;f%wsu_xTLnKn)+Z z{wO=WDjlJe%&UQ*Mv)02qen6$(5e=cnTksCQNso_RBifrsNPh#Qb|`= zH<%u^CK|i8jOGQH7qnFH9c_h%mP$INaGEquZk|N!$4<0q*J!Vrov3MnIZ5sqi7e%Y zN5RfwG^3gnvq|QqGV^96%n0ZE8}=!THeOQ*FAJ`z}@ieAC#dC0IY#63-jB#SR*O}8`}iWAI>@Jd*5a6E_k6z4oV z<1}k!6YQ19$_!QzM{PBNO32g7(s!dw|GnP?Dsac1>BxTM$Zx2?fv&>uBg-aXe!AAN zY&tStaTR1X;JTb*I$M%KZPj@Xr6c|vH-`^fHV5%t{TqHMkH?4!Rg%y7qg)Fg_I*C$ zHozbLDz||Tdv^okyZbkm79g zF(39v5Y8NltW}SJ+GQlNzsw_u1X$gDxuO^<8P=fjST!;>?RdoNpWAN2T3EPiOQg$@~3%n zDtG^xdSuzc$KCo4EPL`P5Orw&vOrW6pUEsiQ10jV$T!ua$=&edJ1F}O+EjyJ185l+ ze1t8wdb__k1s7$k<8g`1Rl?@*6RpXR^<1=RF5)i$5ZJ$cYA&)W;hUX1*@MbunaeQz zT!t;nF3g2eJxO4n=}-Jiq>THxz=Nb^nAc6VB4(CWHPgTxiDc$PW-}VgZKk`r_A^TN zb%b!XQ>Ftwb65_h#b($)P^E?)X-2iZ(c@LXn5SB%`hFE6tF*muuR`|6_v3NF(<9nj zB}TiNkTqhk0$licRVo^S-o9#EvUmFI=mx1-=`z^EKE-H}l znG8OA2ii0QaR;^*;b(>*J3ci6xBup=-<^Qn4+|!utmf~-afv_8WB4<~jvr6J`U$XF z0cu4D_^=HVFfVQC13RS&xY3^sPK4xO#95ue^ujTpFPipjAhoE=g>hLNUWW4>dbunb}-wm=D{da?$ zTZ1e{K3PSn#@5KLw#e>Rpfej}S8Kqii{q>(A&)`0Y!J?DK-SBT8_@O!R7`V!!tOs& z&fU@57{b9-Fos-X^t5;=UMO4k1o3g6^jU9PNeXn-2E|E2s$TGoLlAqYb z1}>m+xPtw71B7Hw&jh+PCEw?lWf+V|nv3i+A4kg4BW3M2#IJd*#G91(i52~Aa<9%s znZsnN%L>0`e~H}sZKDd-1(!qzWR6Bq`ZLKCSn1?4{8)|~ZJ zU9~Z5yRjP0skD=?GUvL%$i>=?X|fCN_khI&CNl*_G&zWANMZhAWBbvz%;PfEM>eLf zl{E>mPO?I{F$7t4U&a>?GIdR3lH4j<%VlaZ`(b=28)=4f{1|2|3@SB6y@brZwiqmq zPnZkS10^hE52qdQrd~E0+l7V<2xr&3V4dQc#bp@iWER=bJDR|1Izif)F8!5bXi+$8 zQ}`cDYdlUpx|e4t8f;pfrFt%fZnV|PTs>%>0V%aI(^k8PwNZjE-T1nzl-6dcNrd!6 zx4c6`%s-_vBPWoQf}6lXM<-YY`4>%7`LNmq#HK$p8r8-jUB8}rlTd>L)y5##JJy`> z(d2Vqh^1UI_0asNbyVqaVJATzws#@IH>bPsy41>@^23rsz8o!J2rM47H}mZ!HW z*?w8SVCe3&@fH^!j*=7B7R^Gex?mdOyFuv+TMH(mhHmYJ+l0iO@ytb?>bGH;Z@b{( zuGd8LGEEx1TSzdNaK6R{!MryT4p$wX@7tu?(p#|R6YC9i+bN-@ugAllcCfZ^mM^8l3a6};o4GWgNXXA$#$3~@`f$TQ-bYX5+82KN%Avh(BWrt)DX zy|?%yjF)vsg#o#hS*SgMz+cjz{CW9Apc> zXL}f9>)y0}41AGWha$@_uB|9u^LtLyTe_S~!wk3Tg*a7%TeD~&IV%1G=obwMg8<#a zJ31lelv|C*O1a226q_6&o%v^VOWiJewh2jjNc@eB)oCkLr_-tTvWtKyjFq;%d3dDD z%W6xGBG(4o37BOqo$^VI%K@l?~Dr z#-Nts3?D_MINwLWl4~l>rKB5w;PK)SyU0&dT}fxFVClirEc}qm8l)94K+*h>!;S~u z@;xv~$|xNR3y5Y#ps{=D6vQ^(2mmo9gT^#Wh$|xL-iSvxY>V@~taD5UlH$cp#dP7y zuB77{4Q>R=LAHT?z#n6V(-5031O#Q8ka|{@txE&v1MT{2zvCq+Q}eMxT*-|0=$r%8 zWkcAutYQ!V)NRWkv7qGWcJcvY3>ys#5=(}H(o##b)TI>SwOc?{7{H8gVpT1iL@zZj9*0ip$F{<3zf6TiC4Xz8K>9)|`!`L$cyYzTZ#}#~I4Do5If-MurYu z;3~&sc`dk14$dvtwhp09Iw`0o3JA*2kHOEgl3^5`dp-LRFgjh`kG-iWXJ{4J1+4PX5z~CNs|KAvJX3WdRP{%2^Ex&7r5B4Ay^E+=-SA-F`&+!`E@)>O zoDR#{+!2&wm`}9J@qB)0dZEW<<)*CeR3}G?%(t6;l)hi)oFX%? zm<>}|dVqLY+8*jSBf~Ma*FsCC)-hK@xMk2Pq+sZ&gq{jYZQlo|H1q4&_*#QoVcbCC z9j|t9rW86(lAjq0i`2BEu!reP zw4tS#)=R^XXF_>^=Li{_zAXTbWpJq=mB^`u?+f9VR5}^4KJfwiG54O}P)SuX*R8uR zp)yA#MMv0bLR}3!ulhnk76QbJ7rfwQ_r^XNCw(Y$RcoWuuZMxVc|Y>T>RQ6g2awwY zj-X29E{ERtHs$)zHJol!n-rb`p|r+e*KC=lU1#Y8)~Zo33^AYVK)(wsGeX`_qA^7q*^nG_kYV%$~bkvnQ-a2`1 zr21^J;AA!B!6Z|~hjN>B>he0z$x+*)* z3RSGdSfEF$_#n$@@ROPIu^Eggl1gLVQnK%F+sM{5ekKFPnTZ%}3XqVh%=@(h;1C&>axZctdWO7XK{08l6 zZgGotn&C|a42iVGyuNlJDj0}rB?Mi`jD4^;a9_c8%ljihTM45HCuxIgYe%czP}ZcM z&tWSJbF}p~ZN={Wq{4rof=z%NEqTuav#iu6uhZ8yBaC56Kn*!|;J?=6iM7my;Fix$ z&xHpZ>kFfU>YQb>urw{uUwzYTGB8ok0P~*#*2`Oc==t8LVF{vt+p|J$)eEs@?4ri@ zJ#3aE8s|kIuBl-=&PziLKcLc=(c#`gkOE`7n+_^kk0#&724x!Up4=6wE{vv4T($PV zl6<7?T9A*@20zY6IA2@s-_byA$UBL-KeP!@;PfHr5R|y)N5T7C zrR}I5*->2)r&}yAzpJSPX2J^dWTe}ez;$6>jN-ba=V+O=YX3lI1!7)MbAo}>W{*P5 zt7^`qJ&@f6F}I^|7jhA>svku#Goo-uU5xgBvG*=uQIviE_?$jZf`WpAf{LN8vIxpSIjC5vsAzafG)+@1Dl9u|S*clJ+1bj>%F2q$ z%8pu^j~)Nt^;A9iKJW9szw7_M{=e&bxI|!Q=AQd}e~+IJOw^lWoOz}t>p7F@tdTOi zW{~DN?TB4&qQ8j8_11jHc-!nwTb_|U7{m3?r1hWO#JFtQf$YzE?Bc%!GB@&}2@kRL zMo8V?J9RR0jJFe0=!tPSovJ9;5_xR0h1nw4foNl(36Xt<6>{?zz~s(<1PQr}hK`Lv z#io$S_+Ya9EOwmK$v@#>1mp6&jRW6-)2Ovy-~;3O1gQeaWsSv6^I2C6c^IW{(An-0 z9KU<5w=flwyd-F%45l|Zsz@$gD~&J? z?n90UjB~CrwsE8(Q0nOH15X6TmnqGG39Si5bE&b+FSgB8Xc+~oJKk0u+cr>W1FpT6 zO+-QP2s4){28X39ftXA!$*sWh@~|^%kXcyguR`*A#JGtn@eO7hperu`$4-uaK7!dc zX#tXkA`~>1I!Y$xb=uDw-|WNOPoO zx%e`z2T;b-vTqv7b@53TpMPLbc@Y%n{xl> zd6TFEkUb-B$_zFZJSXP^$|FEI*LunPu0`%;V4Cg%p9j7LfEDRh6=#yRpspI8mka#e zbsPG7qOd2J`D+*LfVi%LB=U*fH&DlzI#+kDYjci?+eQ^I13W)jg=W`O&fcOCKWeL? zmT+U3dw|_! z7H=Dl@J*=RxGj6Ovg2iP-Rh+zwfPO~9T!p4ZX!oV;&~0(n!VZuSjEX zB$L*W3qK3@pO-uYFUSE;IJIJcx(xjze z0)PYQd*o3*Wa|pZw?|x`CT~Y#Uh_XdV-xc@Be+V${2ps&T#-;xU9#S`yN~_$+=tZ1 zAI%voj4NW8amAUacxj4XMtq0oeFbDadjp$C`ms)a1RK})lLsJa7Iyx^tVJ%q-Fix9 zqrAD?fc)7*WMHNHN(1};@$Zs+}Ezn}oE?xP5r!l5UHQNccf zU|P$PC0Yna>oT6y2#Kx*kXQY=saGq%AB8_*cqm=|08MzDU9DzPJbRSJAxY#c=_oE5 zO&T|M7B{f2&*VnrIt=r~aV!ghkmOfrsUAU}PMV53k9m5L{7#zhG%nfYS&4cG-`mOp z9rK0FK>0EiMzP)Q=Ig+s6Z|;ys~wAAyrnSl{h+pZ!Ogsn@r-n2`Boz*W~qTW};YdC>_gBT(UnEgEZ|*#k={` z!@FP?0{zQv?*b*8_ZG!~Gk73ka(jwVpVj;5Dwh6vQ1&?&sQ9C5|6#n1l)YF!pxAka z|DwB=%5WZLwpbiqPn)uJsOkEl_AJuX+Q}GTv9un67$Jg8?NXWM+zYWGbUX-jlv}6?s84WA2i1E~kbA(iYlO5R3hLNsJU|!3ODD11rSYap`4QQJ=-^Y- zh}<|GI1kO_%K>BOOlcvy{~gy8whX=eUB=E6z^w4WaX*Zc=UdWwid-WDukP%&(ZY85 z#t1pf<4DuwlmW*0OqKj)to#U)SE)Tiao|Itxab4&iBO#BfKh%6vERi)Jj@e_)oV|G zC|!ry=l#&!R3!f+%JDHtoMKYJea33EOuX+=)LIyPSb7J^+9>aGe~t&@d3NS^uVub* zH5Cbt{UfVkBV@Pj)dSA!oKjGGCZn$Jm}zzoiJk4|*H$ixKtsL}HoV{i;LJopD;OLE$8WCQ?z1G_&AmaY`eEw)u^kVMovFuyG@I-}d zrW~q*8F={CJ->?0CsKsLUPxfHXMnrKwKs4bdS3cgrO)11u!juz9>N|$<=csk6&lhj z?vjjfS|-@^-Nb6^}}1caJE9s~!DL`8$B>Xz-~Qd5#j8bLWG6!`}rQxOAk2Oo+hDAst7 z+BzP9HKx80A&N|*|Fqiu8T^S8>A-zf*W6ue zu!~|A)7P?O4ManH^TF(4n}4)KZ{lOv9l(=~v+);ll%n^CaBRd0bmC0d)Bg%Oah~hL z-772d#85L3XU-MQko^juMaCroVyESvEFc%#kriem_%fJ`?k+dbyt(r_{bs*?T2UPR z)?iCP7EalXWlGOi*s5coYk)<*p#c4o%Jq=<8U`X?54?$#<*xhRG4<$7;B?Oq z+yU~(Mn!OpsgF8)w^H28q#L(uTv};2b`S}sk(%6osCW2@)l5;rDriJE@XWYeUAI|X zOghzlAr^`qWCQo4qlj{Rs-`2=sK9uJ7gyVkCuZK%-iNFbhfcL4eW$AB^y)c~Cu}-= z8z&iQCU-BA2T$|%5uS4hasK%RDFr!JB-vEDNx-)71iGHh-j6zRyVg!PzAFtp(y@$_(6LcVT)vBUpuf-qr5;hj%e6bDPl7N4dWI-25VR^f_*T z&`LheT`#{D$&Un^SuFdLHE+4}Hg?`4m*OxF`&r!nCApffC3Qlz?H#Udw>XwN>V6iu zB^@Qe>p_1@;eq_kQUz$)`ER4yzn&LKtNc7z+PYR5hYc5|7v2d{BZQ(3!@>wgV`~^Z z`({YgF95R}RR`5EXNj2bhVt=K$x%mM!X+Dwz zi2gd7X>+XuPz}FT+5%(Cq!TY;iF|fJ3>JL0H91s??6)#&AY{9A#RP>*W>P18f%p*p zBx&5gBlC^|AM-0Ss`MTR5&&SB1qvlle0$3}r(Az7Hx(^7j;y!S3R2u|eY1I3&XU|= z3hrsgE^5*lpNb7P`*c_cA5#3EtWR*rFQ3?{Qz&`lRW!T>j|zsCtmOH zcx>qO5vF3tD$;=`b4?~?G-szbsn}atd-CC%WiygzMmLuuD!mp#vP{QGZdv(@ zzCjQ)NI&NFUT3@~e4Yyv84b|Wp)`H(3%FRCikLapncT#8s}R*8Yuw86&yCYK@m_ji zJPTM13%cH)(6f34eKV7(kd_IiHWFue>+Cx^=CZqjw&!%xr)=PtqBoc!9ov|nZKEh_ zI^Ind3y+cO8F|9toamww(qk!PAZjUuL7#Bl7m6)nfdE>I@os8p@q!ClV#wzDRa|IW z9M8aPnsg)hMJ-=>ib11o(xF=CSEgpYtDKxF_Bs?6+CY0mBz_o1@t#MB@0q@fmgWnt z*O@fSr+RXh_hsv5CYvnF&BE4G;*-oMQxSyM?}aTnP4 zj-nG=!Mm~?omdS&+R=$6T!L>U5{I_l!I|v?iei7A<+0+URUZ4t%JN$ZMAMgLM!(S> z6To0u+e7k!bfeEKyO8(`cp9}hAeE1h!Oy;s6cRjM6flB(KSf0@_nDF=h?ae`j{VH0 zX}z9oEMsJ5k|#;B|w~xN=84z?PsJ52ZMVN$(ToOFVK! zU^kUQZLy~r=>(E8ePrR!TAQd0`Rj=CH+$BZRtV(q;Ej~q#Ot9!k6Si#U<3_(3t@OY zOzRfVzurWxTe*0M9BG3eo=()(34L`N{0N-k%uZ*~kC2}yk5R(mFyFbp{8rx_q>ps! z7m+}FB5pqXy8J9^6=2LXgk0q?wK;8LwB27YK2P{+^S7Smk>VC8y&Z{L#aPH!IOd9- zaJT7M#{Nx9lPOil$iRP%=N+@vKM>P_s>H%FpZ}@wx!AU@e%$x@I7wV-aioqHirCs{=d5 ze)MFDG8e_Vl5MRqroD;Gz}ZuR5WB7sa`R|zD7OppkGO!TTu)5^Iot7FntTgIJyH;d zaph2yxzwTO{Btc38^E07ecL}roP*01HeTP2(z4t2g`2>b$Ik3a{lZ<7={W#azd^2SAk%MgpMl|QA6gc+n*Fv7;cXX;WvwRkn9(4e zz5%?IALKhGt7<3P^*z6V&FFMg56u|wk0n!kvN#?B1bstPT^})~9oLeco*Nm1=RuX$ zV=rH5yvO3`LwZ&t00a^aVX_QA1J?HYkmo6N^N5aLX7}uzFCSBP7}*ra%rJeVA{P|b zl8~$--<&4L;JjjHIH@{T=^0MYl$Nwe&jTTS_i&+m=Re3)dOztAkVB^ucb%T+nS*m8dpc6nTJkzW6VA@kbcDkj^~&FNVa7igV;6ZJQ6LKQe; zc&lYc0wJ+G5m+`F^o8EB`z`TqFs=K#P!OPyK*uRW#KYW+!9F+%zz(ZA<%-UmSgdtAe0Fb7E7;6s-Es^T(4hcsx+HxG#`=_Lm72U8?TPVD(n40BEN zHuyD4ZfC1n`EsOfrLEwAt>9>fjEZ2RVA2x@p0ZOcZ5Nr-Fq7U%av zuyB#NV;;hYf86x2)!XHc2LnMoJ%IK!yk7Z67$QkhyAk_`EL z4s!17V3dPc;Hi)@WkwzlAqpYYBMUM2As3g8-29!$lY3`4MUTG&r9w)f5FicAMDS{K zL+G{zQr@N^cQ$lcx^xEZ^&x8ZqZfn*5R$Mc^=4G?f8@Z*p?{|JJ; zt^@vh^$Wxeaz`SWfuOeSXVJD%7n-=ZI2vT&+F_i%^j-*ra_(Pt4rk9-Tujqzz80nB zJq?RzF%E6v=FPti!EhDtQjjzF;mGCVAPYvGJcqCf?l1CZkgS(ca5HH}x& zEO9Diy%}KPU&yYE*Imf*yx8@#2o<$&-!DlOxb*44WxfLSs!Hg#jj10sG2bB%=zO4~q zCAl4g|MWL3TQHp97qUkuEQZRtQLZzJIW5VU`|NZvtb=#T2IFEGF%zMxt^mj~X%3?* zkc|!%WM4qk9PEMIk_oUAokS{#{o#xk@+4c11h>_G=^3RES5o|?EX%53C&f$qaPSt$ z3`r+IC_@?9H!F%hun$EU8;+n1cXXyQ=QF;ta}UbcywLM=xRXA`5KXTuH$%>4;V>M0 z6Jq)c!YN$Sbh%+z+u(lSXAwiK8rKq6lyvEFMRdNGRiaUbk)J#(LIMneK zavh5#CaAJxAGgW{=a+p(;Tq)ZY*8b3@MTCp<%ef?BV>NA7!`fq)uFr-?TDejSC0%M zf10ON1sg*bQFg*fYc2PQ^RX?QZWc~vBW)Lx`bs**rQuJtVJ?K?ktlFhyoYz#rfXaa zz1#8K%BL0l-6?;-yaGf&H3dJxwL!vaV}!S$+khJj14#d!h8x1XAoRbK5_iT2kqEEh z@wiQR$^J#~1x|qTF!&bkM^41K{^JV4Bn-n%+@tbW3b3)9Y~Aaggg7!AWIse*+|HhVo9sgR(RabNw8W z$~%X7vg`!nG9{QeX)C@*nJQKJ%gX9!FXSrrldmI#{TROE1o=vE5@QS}nFi*9kNQqX zdTWnrc>ZD%Dj;|Es(Oc5y3~-tBQH_Q?~^^}IXB3{^bvLI=S=tMpIljo6{Z!@6COU6 z+!z5CN$Z2cXZclkVSX$VYx*EOzy$oB@wZA#lU)=h|+s{r6ja^6GYzN`D~e5 zkg^Xd_z8|DG{ zr;cs!ph<&iU5o^Z_MMD*!eH>Vb(A~iMx%_Nj``HSjM-t^p)&0S!Kio|7RnuaS>Lb7 z@fFoPEmT8yhs1_$O_X?NLP~QFXYB2T|E5KE**lh{c_2v_P<_Fx^(9s$0THo|F<_^DmLxP zooRo6=yJ*O)eho|)%$z3{^diLFaFEAUcTw7uf2TH{qHs4%I#O$2{pcoSn*%C=HD&h zYWH1v>E$s?g0Fvm`_(IS<-UL2&i_LAx%85-00a`#Ro?ig&s~?^0Cl`HcRhcZVOQ(v zKbPye@&*vkE|mZY_?Lh6{9Ql`=%I`E>-c*1zdc^<;q`e8C-b<%%%(N`Qzrx zzx@~U?B99vzv=hO&HLlsm*08SY5Vv2b(K2&%MvbM{P&x5`H8Dm=<>y@jqa7IfpC4b zc3ye*%GImS;eWHy|88+tyYEU3{tv5qrR;xu*#EZjE+A}Nnb&E5ULsc=fxk@IKac9A zD*W*gEQ`O~eAN~E&x`!;4_$8KpI6zH{)09D_Y$twM!=!Iymmq5FuY8LPqQmHi=a$g zxeWQUS1w$DBDr!UtbJU5Bfz&Uk4X0-TROuKe{)VW=6q_5Vo|w__{c`{y(eAl^(qO=F4m5@hEk`%h*H<=P z#J78QBdNdpp$OZyQ!5p=+kXHEvj6Bj|76Czihg!^o4Tr`aQWhYBdc8&60Y2SWp4kw z;@SVSgsZ*j%1i&F^ZeN;{U4nt^k0bRm$ZaSTl!z5-v4HPU72d|&?N!+@)Q3j>*%V* zUM~2L`u)3$>i?*?tG)J0f&WE^UhSEG*}Ip8r7H#h#TIns(=e*uKiRD=%di*6@IN|F z=s!A74XpFavgLnt9&lg&uSL@rbe^lC{w8xN zBe{qRNaOmk05^^*LbIBxoT)&j?JNv7jSSXJ2k(ZSGyVxE8svQT@3$GQ@)?w;NxB3q zj$e;Pwo`BZS*3`aR$o^M0KXCX*Q53CV*SV1_U@5Y3fmg^FRV>mrNpbg<*F@P+J}2Y zJCeH(5S*c12cqXOP@6zgQ(px9KWOHOs;VfY$UFAUSVy=g2pjJYN@1wQv?KxU%KmEi`2@u85PSf-TSKy;`_ z^<0@D#hK<#O^c&m#fI36{Ybv8f=3`(_)R8H2XF9t3nwF0x+@K@!pV4;D^BIkNWnw! z9A=0Pp7vx+Z9=NFG&e-^sa$SX?mVn=yS@G((m|!%Y3>ww&o|msr|bfV*l>aAvUMfC zgHP7UPFIF&YBy4)dQv8JBc&|ot0Gh>PEW21a%kXTPj(Q8OG)us@9~eoDpzVc@f0?= zMjGJ5w6t`6+0$6*Ny$yYs`M03t`ciq8D94!;Olhdn{c>O($l^Bi~o$PX@LU6UpCCj-+@TjGi zOqSLlVj}*WnGH>sy(#$|hWk=8ys2V2#PP#`xYE4o(6xci6zE!)$L-bmjwqn@Y4W6p z;ia-m1mqcM+Xd`ra6ue-KnoX`PV52hye_~1fg#ET%)j)ssW(KRw9prL7}EgtbEl;dkHXCmNU*f+ zcK9XSA*rr({7QK2rCkw9IkgaCncXSgz*fHm{UCdQ0&W~u$(}U-Ap}KuWf^dflpa_2 zW7!iSKp@+XwX!qamEDU_N>I#y7-`d7sVT*?;LjN!6J@_Bm2OYYIiS9+6SI{m>AAm# ztLpX=PW(FK4A)8aghpL#Kt_809;9`rrh5EPD%_RYmM3K)T&hf$fh<^+mXcnXt^f$e zSQ$nl#SP2*Sta-CKRGXBE-s2c)(Wf*1N-OYb8#48`P?3HM#PsEd6WT}u`a@_Fe?>p z*7A945KEh*%{l{PW_2-!*d)%ZSKR#a ziN!rrQgjA0Z#Ej@%?SoUXEOIOm&W@*{I|Xqei&+1m1bO>dq-@MqIkzxUuWT6hB4-`x)R$LU;KIR zi>R)+xbJ8_i{n9*n(ka|Y5WY|nlh z?(HkQ47I^|LofFC-AeshrETq3(BF@I3HSUD8hq96ej0Q0MskJ={XIpg4)?b<+~3i_ zxd4P6CQgDwe{&dh9RJx1zAcG1*zAk))$Kvmw z!lh&Q)MXA2r2(a2b3_uXLNlSTSQy3(yc*^RMQUYbWo)DwnU&D7Q96YoA_@M2JAiCO zX;zsP2GShnQ&5EeH;@S`ogxeAREm3uj8pRy;EphPNC|um1rmeQSh&rsBrHI?keXUj z5(}K)P^8kVQ0&{sFlm^W8|G6;wO9-hFdz2q8#>gWguxy<6kV7h7w)^^27?M-76m1t zsD1l3hrdby-a0oRXk!f1YU_Rph96y^q}HC-IewUPQ)3ESPLVK~>Fx-gu7@16gm z&#pS0i!e8SBrsxxg@!DpDmmSBny5p(KS45wz}&M{8phSUnH=66utNh~WwaGUtVt zQAUKBFhs!kMW&zx3?$`dg)U0*G?q^dN{BE=!I1s(`|thQ6Z6vGX5#k&;bjDr8xcuS z;k9MYi-qkv1HmQ@>kLLc3RYH>0wcB>o|~6ToT`Ie=#Bp2nG-UCx^n$zcA06 znV~L5D)P~Z7d?LAfJn|kX_LTQ0WQUhR21=HY<VU(5F+o_ji|1x0Q5X_U4?m8s2(&uA^|TY4ta7B zagWvTcSsqSIKV&0`zs{Fhw3NjD_gVxsrL3fG*H^ zXPXcp7*X4O9uymPmWC>_2Ow2rDCC=g!kEecIq($D!PEJ5P>+!w6S^4XC-Cr;KM!fc zi1pNQ{|E$RN9#)aAR)^tl=tOc;eBF`wNr{kToQf)Nei-3V3ze5AfY#5lJLMcLDFu> zn-X@A$8zda&|g%vJ6=eW{( z$S|-z-kSHGHXO)U@BoO|(0Fi%)@m>VxYRRiiP(!#!g)_)VoNhJu?;ld`xBO!y(gjr$ZOV;DXWQ;$AGMj{WYF*I-sD*eOM+3ymXV`ZH zVVm_B*N^7#i3^yCq< z^hqRPa?B-(41WP4QiuYg2Iqx7+0kKV0O}p9Q8Fb7V{wI2y5;_jdv-`CaCc$#TI(qY zQ;#7`(rrqdsFlpcA-qysT{pdvcnh+@si&-oC>fw$mF6bMVyeDn^^ZhC_Hx91NX_%D zif{{Mek3;aeoXFerBL;uoyzK_+-DIq4J75m<@b<-n0!L$dIeS)b;Q1q>L=ZXEQ8gR z+YwP1T8XL;-f7*2);fl0jZbO-U%X)M#rRyjjNPE&Xv(P^7S#Ww2}B@?qhrIY^i9%) z1Ek4$y%eX#UlRG`=E5Bjc}vSnsZHVTtjCjy5zHE55iUe^TnsTR?`LwhP)rO^N#=3E z{V1870vWz|vUMEyE3t%}!o^ZSluKVrWuMYe0+hg~kjt!VxuIk`TC}-C{KiBR!L9l`w8FRCYmOJRfqTVOzS#C@MnZ- zqMVtL??$-9S|g+pd4L7XzNYo8h4wQOi7IP3cM!woB#h?$Cl?NiyIs_S1Jga#_M4L6rE5t!bW{33U>dZ3)ajHwwN>&CDR4!L1B_Rb7g%4ycp)G zIcQ%VJH5F@GLP2Z!Qg9A6)ln~*qQO%q4f>HFe#t8xv?3XsV!jWq5DS{jECuM4q6rX zQB-FXboxvc@dV@EF&{!#_QjoBoKHig@!HPkmYx|n1*i5eQAsJYcmRpbZc z+v0H)#7qLT3JfaE4LhDs1_~Dl`i6tB$y|?rQHE-%cf?O&;suydsL838=>OCSZ$gtgWsIH8PpWP-LhD0>|f8*VK4ZwN=6D27Ij+8k9`d zaBn8p)R-%P{=E+Ni<+DU8o=1oSX~jqG0LWT zfL8q8K7(n@8;1800n0!&W|=QtcUC*luf`WB_7$x~)?PtA*FQ=U2{az;#Tu?y&O^Xx z{Rr{QZ=(@jPLASws4+a_Z$ixdyoJw&4Rj}R--!X~o1ldW%mU!2Fgk%;08W5v99^1% zgwezl>ZR(_y=4KAAAor{QCm?TY9ta`)9JyQh82h_28ACFgr$&$``XL!s^WLh1BIyQ zbu`P?N$MXUO?~w2L{;p?2&eAf@u?RbP-iMlNMcv0Y#))7h;oeU;wY0RAu8u1?tA;> z(0(N87piwIq<^6B@|>Uj5twlKa!|1y5u7!dcnyvczKeMnH?+0T4`>;V@8>v15?>Q# zI1M1Vh%X^<-e`?e0i%y2nR1Gv-FGu0|jn1w{;vRpslHf|WBEFV03pIE<@C>gcey9!j z??U+c)scjj_mH_v4_A|W1_6z|%oLKeKO2*JzA|?!%A6uD!J|q8nA_^i^sU6)&92#G ziYRg{xlJWyVcXZ*uG@_dsckD6(`(w6gAAMV04_mwQVgQEY3Z#R_EQz4>~<*m9Pwo% zrE5*WU$v@)u_xBGKG(LC`(JnQmxodYjwG>_JjKCHCV+=M#0cyI&*D(W0NyQm2A$_d)26t-mcaEgVbN6 zWzTBJcMUmnLUrcqN{T0jntsrT#l+im1KB;o_Y-N1(rPP1p&I%-4Sq>Hr>hIrhAPzOo4lo(lpAUTd#Sg!MKp z6s!p~NXA~Rv0O_(sm9}oM{zMdOHHsU(4h3IwRQ^{*V9gnG#zKKWOXRbmGs&K6m-TB zeN_EwYJ!>ey1Z5F0S&uTtE#MSGPZMYYR#io;T!NmxjKSgLK%P88Y-$AXVo`WvknSh zPk#j~7qYZKC~Ux?f*E9e&L(9`J+VSrS)FrKzaT-|(hu^lj_ct3YzpBdI+cnI)U}wa znjHx=F`|G($wZS#fpo9|-$$KI2-Z|L!ETyIhbY{aiVKX94H3*^;^yFk#P(*t$)?Te zuaxpxn-(xiXdjKttTkHI*xaDklkA#4$_e%Qt&{;ary6r@NQx$@$8nu9&rGkS3y$F} z_9ke~lh~3|Og82`7})P@fFuNLt4_5(oi`;QJGRB%E+f+^N?BEJJxwgYhl$EpUyncm z@?|Z^oAu%t>JdDJ{*j{}(9z2%Ydx9JJQmfneWU3+qS5rcGu8~4D<81SbzM`49XOx< zFjg6=6Z(lotQeh85o(;)P(3wteU$ZmVtCHaoFxr9tv1=*R9`Qd3#+H;L($5*>C|oP z0g*_t&P-@(Zm2WYH#gC(^y(@l95>5p6irMjU(WnUzJSkJ1~cejcB5uzYTI#!>bjNi zPc6_81KPHNz@5@_zZ{F$F1Gnay{v+*K3I=JEKj4l-i}^@E*5Pri|vrwSYQ<2u;wv3 zdU7;S{p`xwOC~ZgZ5#D>=}-6pw&WWFm1{g{Ae)IhZCaj4+i;ili&6{Z&H>mCzCCBC zHG!?CgGPDFkqMfe74n zkN#)sZ>sHM+%Y}QLghpfh~lMkZ?_K;cZOU?%Cv~8gpr{F_jjf2bwL--8j z`4CzA;l%7TL^jsVK!Lv2fp{@i14poi7)5qqlYVb>!x%&gObHX6_xuSrIo9#48MYbW zElYn5Z|2ttu??G0<}x7_7~y{)%vfW8RPKj~1oC_9I%g6|2}1D%luz~rRw-d{-T;0* z8k>y?&nBb!fF2MLW-u7s3J=|;!cgpg<|PUt#g+nB_jisqwpCTwO1 zZwEv5XQE$xo$DaSanY2M)2(JW9aU|ri6g2RiW~tFSQSWM8IEh?vDrSFxrNLU`eFtU zL5W#t4E+cXq(ang+Cx#PyT9k>anArwehl?l*#xBgIKusbDJd=x+94WSv~)bJ3sp=H zHR=bb9UhW+SYK{1?P1Ye(_{nvXNkQS8ETJ|Le--(jhmsHxSP`^h1d3DZAab{SRfVCNFVo#~M z9!GQOwQ=NoM3Zqei8pA?l@0YK!k`Mz`ouWPSxs1*hwU;1Xy6(#WRT3c^))jai6JwtqGZ1LQUrBp}Hn|ze8D9L2MxG_zT;vIJ}sqwbqx7=i=}HV!d*9GrdHE zs!a}q4z{nx5c`9nC!Z8hi?Nx6w7?eJD{s>DMxy$*)2LqTOFf1H_+EBGf4z&>e;KEb zHHP@*=n-&efmir)i3UWwCY;I4ZA|QkvL-9rl!9l>4!Baxge7jHSLM8OXVn4 zGwP>04}+L%ZmY9z0%>b*sCs%;lYWZ&^sV?we8yU8d{#q)ymJkj+x2AvNL~^!E25&V zu#C1P=O$WZgynDFMt8*%KUl99m)Y;r1z`7Y2)<~ZW}Xg7pmRe_f%k%(wjl_)pGWXg z{o~O@DUpkBFmACC6LVfgx#GUOSM>{d;>4?sTH5N&AszRq?8VMkP&Ip!r;9cCd3^Nt z5n2n1$M4W@Q$%*`)X=nGbE7yN|EdHT@C}{0v3h>U^uC4#6@Mx*v+Gs+bmI)Vh|B9Y4o{0Sd#j3QC4rOCz)F~JtmhqjSnJ#NR5(huma zfpF3#L3(%Dhtb4D;xulu+x1V=yh{d#jlN7w^=FR3dLkFVsVtU!o?+UqVGpQGel@?8 zVevS!nqf%~Ik2|X+6P^*R93|PsVrBh&!({Zr&pM0oSOf}_LH z-sz0?>_a)7flr7<+@5@Z`in)7mtSYyE{qY{0~EiQ;IWQ+Z_-o9Ig9Z!I%2S=5z%jx zxS}9|d5(z<^udYtENsue7SCUXoIKOU%wRfghb3={Qrc}yc6Noh2KLtIoUK@m^PFn} z4^lsvGD+^H?wHIPDv4Nts^!ioT;cwhve2FQo^Uejv+Y3wO~=8d;m@% zeS#4Cd^-6Yo=4AB>#Yo!ms%s)r!-_d93&v#zomvG{B|q8nckyjJmeAbQ~Ei5{?Eub z-iSTaa^6ips_M-r%dIZ`P(5K}ZJZw*nz^PkN%Zg0x>;a9t)SZt`sbsGeXw6M(bim0 z>4xJiv@JHVy6Vj266ruWfcjd7n*zfmXeGlG;g zs`pj>dfv2OYu||PCGzok{0MaenQVEAr{AFI0T5}%Mr1$MBzb^17p zeO}APBy}&xrNj_>BoPD?n6|O1er^|~e}TOJL#W>fDv;nAif}T`)1JwoCS?OzA0l2R z%yb8Z!Cp(Io+@pcS@G?#z2YVHXYT2vh|C!mX)#M z@ZJQabl$i=KL1l48XG9f`%b?irt1!EWAm(#K3|vD57hjM7R%>-g8hRE@^Rg?8qoS_ zDn|eC1qC3mIPX<_odE>Sxxt1CR?>;_zEA`mk!*a;jNimx>R&Slw5t>IA4P65wDbP- z)kDaK@$)nKaMDtp(QLx+plZ4`8P(9I#hl;RJl!Yy3es-(6?F}wS zX0x}YQZEtTl5y;4L5f4vLUweVZy6R7@f0K(r_n@zX%KQo1^xL05p}Xvz|Tuw!1nf- zl;mXMmEGHj-KfSSsr3{~B>DA9e0QjvFyTO(amP6#*H?!)7Z&^}$QUGp8o>C#3^9(; z;~ZeGs?H7G);q}a8X`IgmoO15@H)8+jwdmbFz2neuE#rzVdgan<8cyP0aDHPa4DK< z+~;Kn#j#^z-QS^iSD*c6wdJS&uJ81dhlp=-@$7aTM>{{H>{fKWYOiqF+mASIcb7kfU%QRF824)Rdv%dDsJY z;XCXt`UwnGCv6!*^c5fCmJoYM57;0-Aa0iCAtE_P;nEWJ>L3 zd`>!yh&v$yz&8omD^Qu~n07_CyY{KuJvO$>4!#uj2AbuKG_3ty@qv?Vv-CBBRRe+WxbhBBb5z}Y@y0FK-Ice*;sE!4iLQPcvV$> zjWv<}h^KeCW2<1RYN}?f$x=cjn!px&@ZHv&o%QTmo_$4S?5EN{l*YcNR^|s;jjH)2 z!V7wTBfBXM)zP1+tj`0Z7}x;E8sX2m@yfYX`u-;3ZDpu|cpFI{+@|szilWz$bay=7 zW@Q6?=#+TVooaoR8tciE#;5y|+u0jUZDUMUhxincVAV6u9?zjSQILMBKl=)O*pAvd z=?xQSpTW%P0w$*C-OZ6$wC3o7#uOkk(WwLSom4TZ3zdSid3x<%8bf=fjh+$K8tv@FO0VD%5 z`&)=Q`b~DnL82H1sY$x&utA1c-$2L2zJw)blH)-WyI~-?o}Cn}odq)X$(hRFG=1$z zX&M4_88O+BCE?MgPe_lEAjeu>q(N|(R`dz2RGEX*>0>d!JvMOLV*_s|`kE}!J3mo1 zH#E@q_C+n-PqQES^pOC>?>YDYOt!6!8*%iz74)&n8|HyjaS8I6|z!bJ;~kekAd^JY13g6>77=L5kDK z0yyezN%-*Eto&z?q$aC@pz3l4b%A#VWqUe7E}{k^g~s~Uj$e< zW@CnW^+}38*mV8jHlg`7(IW`NFixQIK#&*_Ji%_$;!NolO!y@)(XJsr<#NEOGz9w( z?qkaa*tSM@#W}3JVK4p7JZ!=GjzZ# zgKRnz@#A_|bGP6Or*iKwBn^Q11XE$Im6X>Z>^?~m348__E$u{rtSG4-2I$94=1>JVbIc%Ew#VrECz-N+ z!OGT+`sEb6vnZedw~_RIgeem2sqFTFs~@fVm7+OS`y!7=Ydjrq+LVy6x}rJAR%f&Kn)SQljkm@^Xk4-r1=tRi z@j)l6q!_ULo9PydMp*VLu^x-n?gNttRsQEi@wfoDpmV$bYYLh zL4lHO+3JLCU`;ewT}}ZXX{f#n=ad`5b?Sh5A3yT5^U z*-u2Z57Eb3cU*(xEg2+u*e&ZyLV38q#Y+auD8@Prv`KnI9G}{~97rL_8epwrSK0A! zDxSL;?)Kb_C`rBr@v&T|5X0ZbbD*;Dc}g+B(=l40ks8{*LMS{RZG7 zvLjyr@&#hN^aV0*Aq)0d=R*LlL_9>8$?ffLk)e);e|uo$La8^jyKdqJ}1+CJrWM=DgtIaAWgshNCh;r^dFxw^$|?0*$rP7M|X-z-5IN z*hUYc52$Rv&^w~PnNPI`A_(4;rfQvFU5<@8r}I~_xV!o_ajZjaAzVtS`OuB*{n4hu z^o}MXW`A)Bhj#-aM|Ut7{wH8*(%oat`dk37kL#x$ZRn1!<)A^c!GS})j*y-6N( zu`Z*h!EWVoy0f}aH&B_a~HfLI2iy!@B@tpXLLcnQefQoMPhpPjyomikbN5B zZwXWF--6zSxfI=0V5Q~@KF4f9Nre9S@G6a}4Yhnl)7|5ZVreyqMA>a%fAwlZXJ3Z( z5YJNXcyNxKrAeII&MHq?HPmheNg(6W+uk>o{3C)Ax+>Tlv)l?rAmGgLtz*! zv|b6|qZyOuGgN7Q%3GC!a5T^f<6I~3pvxRJ@8z4!*+Pki%O4Aa zsd}WFYjCUPXh4hP=TOzxaZEpDX^f>Cs#flCD_^18D^wCyhEd~N%&Nxcm>|4S97=Wf zL(%x-$+|h|TwmHeRkgmCYMqE%b<<;%Q}p84A?n`go>`o%2RGI2In4#g**^H5?t6-V z@`M9@`Ro+7ZA_yQ&t=lpO-fJ?>~02OzR-}&oy?h$wN78sg7eB66?Wmm<`&$RmSa97 zKRX*}=7sV!Q(GF-m&vKEyRwd*-$I$}Q|8-83hY4C#;0JmwQ*~e`k;#)h$Gqpq)UQ@ z)vSpUHaFDa?}cdCWLB}Enz!*j{%SS=Sf1xym}Of$+xb*1RKQkPw7r!5F9hu3o(S_M zj0a&#*V84|VY%GaXf!%M1CM97xrgOM>ed8l{sjFoW~DHnCNf`GK%-2(KAzd&bwEOe zDnD&cGc%C!xI6GhVEPs!&nMwF`jrr~|0gXCAA5x#uuA%C0pHb_!6{6 z$6G|Kunn`mfi?ZxVtq@?cc3xZd$jHsNwe~UAkIPD&uStKA!5!-@MvB;su8$vBMbT> z+fX4HI6lQ_6H|vNe-^L7?_@p$BOun03OnfN&H%nTeg=U5alWAOE#nvR5khYqq!|g& zD7cc%%S7^hNX4!$Oca0Da$G2u0zBV==hC;Rb*T7FqVmUJ)s-;&L>Md6lJF0n@v09A z>w(y6lJx~dl6(vCemtcBh?$pq)>tjwr@n*u-=z=uQROWS(GbUqHh$+SK-P7^QjXJ! z_|^260>IOBVXhl~)$)$&F`DS1T5NTpQ=`yA^HgdwQu0#mn3ht&23YgtmS>a&Bxef~ zR&Xc4DWK*`V#noX;D$}osL7w)=OW(7B#ASFH3nfaAOk1|nvFP%bmK*#&^j%EMo3GQ zBNRdt5T$eTI6hujLe8kZ(R*B#JT}YBE7X%ie6l;Exz{B8jV7E63nnkKeE!eCM6WC2 zSVLWJcOJ{PPGQn9&oE{+c*KzT_Frtusa~3KnSfk6!|0?E^B8QOAUofJ^O;V?f7wmw zN(&<-jceQOd^Lc7$9zJLhm>dgUV*s%XbeC_rU1Nc0%(meQI%gyLFIeXa*Z7{YtE$N zIHpY1LuGVn;)O+^hz7C3@i+}f4qbq(Zy>?}t`nAuN#k*Uwi#BhA&e8`Qk=I@a|Pa< zwiq;NHCNFvd!}HF67TpoeX1sv_4j1Y9IF!Lcr>=AK^mocrAnh*a6$Khnq-Mr)NE(i z6DR7Fkz^a}n=BEg^hlD&$F%zp3s8>fk`sHSp{PnQuy!sn0*kq`)a+MShik-D&h?$h z8syt`P+GqKd1XXU7y*hNPfYQv|dmOSw5{0d2h840e*2HG?q#raIl_qW0XRFWnCvwuX?L+xMJDvF!>T>KMRqFwJZ&RSGM~;Qjqch+{Ay zOMeF9cf;nM!~vTuU!L_Y5~fMVo33i^!(CxX?t-&_TG1<`q6-t^@Hp=1_j~)@RK}kub%!NfQP{ z&{K-acqRW+_GnZ+m9arUATCxY_n3W`Anity+_%hMnPA^BzlI0g^>76uBop!!AZ zf=bsc7~our_|IK+$lQV~3MYsTdTA}6OU-14JpyNE;nK01+3cy3{z&5ailjz>#Wakd zIVHDn;Z4Mi9p($-)Cw~M#}8vc8bcoBoW`LpuOew1_gRoQB?y14^oFVPM4W;tsq|z4 z0Yau%Wnr zb}Y_Z1&i{e*T8pK!#y_ufjShn)ve0@7Lh4aKL!PJ^BV#B9u{rVG9UJD-YRf5jO*o$ z7ypJkWrhb}HTjI3fQT0FdY!fHz|r*M>?w%N(|mF2eRN2@F+}xcBKzw-fma#j?q~Th z-Qo~l>24zfoS-0U53BE0`6u%)#%B6GMm3RTRHQ4{Rly7}mqT0%_~3KAgrXHMLkN)cQ$7!%mA+@6S4*ID@~th(THlpTd!4`q8AJy}~v`7vse$8+BOZ0j(Mj~(P2=l+Ea z(X8_e$_P0>V^)YFiPmC-Ym9BuHDMua%tCM`u-9XOwV?63Pv>Go35@20G;g{XEHsb} zK*?$EhVTmJl4))*EllHtB6mPVC#2GB_bK&f7Ij0qe1dOc z=KiU;3C|(5FtYVi%9S|B`k)MrP~IPoeEO5R*QafpoX#z($`_@+NvCLo@rRouWZH?` zD=EyKrcb$9T6Y>TXgs1rfr-8mzacZbvV}zTAd?ht*b}DKhUFBCoxJMp7PBnuW?yr; zMgN6VWy*6=Jv#Y=vULInBO7yj0YC}qa?(q+Nv&EMc5^C|BK~D! ztg0&!{;AloCR+^mPm)~QE)?>+V0YSOF% z?^vVnJTu1nkm0t=xz4fR=Ly0|%;@cZu~w;#DQQZF`PgTC!~}~+I%{Gj4epvb5gd<( z^8{<1wTM2n)o|5`Fybh2anX4*kH~Jc(r~@IZ-?$;QhBo(2jB<(Fh}RoSZ1*%R9$AK zlbHK;#|cPTvx&~PJ446^;OF>+RF8TXTBb2wjbR!UdCs(|7Yu3L=y2S-{3}Y?_2b^* zs!8n$JW-m@m=BvmofA*5L)Jr8=*McZq@H})GhS}p0h-emG> zs{fLtd(QYyySrEKW~P!~8Lg`sHqiWX=6Ov&W;xd6u^UOq=g5M%f>D~^(gP2JC zvc47T!Tqi3|7zcR3lS872%Uj6tf`VeDit36x(1%Hfduk>oo> zlIUD>Jt7HCEnsz-E7n^9rsW*p$F>pX>n(uyZTdmK5>*z?OCd`H7}xn_)aOZeE1kVD zo6I+}p|)lE$v6f(7*Fvr!2XHHN92BsoK}?iETWfqfqljWE7Ey6L(C7cH3{=s_)FN@ zvi$qZCLC?fMySv29oTg3MbWEaL#q|WpIQERNB1=vy8V$xd2^ogFGPkicdbJMxdOIr zko5zk3sYT_nBn+!eWfPZ@)0}O3Mi0x)1&3b>u%waR#e!+kfGV{!(yD7*z}_Ma*WKp zrb%pDu3N$zFB^Npgs_W4y_6p+K;etGz0^!xcEn4L)8<%zjSLY63E_A`>zAaFjVwx4 z)`nZ>VCP}v`W}(qw?pt7%*vb>*iz|;w1o|ka=1APy-gFzUvNFt)>RcQMw%YHHv1&X z0rff1ZrqlghydEgTS1`>1(;JYG2tarM|k)#OoS0RGXZ^_*%=m-axs`M_LUq6P-2CC zymZsNCV+pDor8K_s4o;ZDiq@Y45iczuUsiz!&O}6NP9%BGC%B8p3=aIb+n-q)771> z3M@D64P)Nnp0b8&ec&NAO(+y!OHux66@xt_PvuccGsaM#`sEZZP^omKFqKGqZf#-1 z5#0$ZH<(qcm16&tvb|Z{wc(dE<{|Of-6k>YLz)P)j`Z+rn5V{;sd1Lj$?&$<>Q5c5W_wD3G~{L z!cO3`UR8`p4?{^Xnadn_-3VeRc)F@ZLCl(T;TyoaZ56_#&g^H()NIzHk(`y_ju++$ z+cYWqsm{@$#LRr|%tjDGIO2X_4hphlGu?5C^*iJVO?*rOKdEvQK!gA1?C&#-Kl`jb z#pmCN2BXLO6YttnA0}%3AZ35D1At&h`af<5D*My#0FMW$0qsY&>ofd)I%LUd;gaoF zfa(4*RM~&FKf`CFwx{ngbLYfKfOUIvW5_`QB%eQdL+j7U(3Sz`s6X3I`y|=#F{h_L z%b~3N@x9tJKFZrO6||Fl01JeqzV?-cb~N0$!Z)H^>xa-n`kg~CMT7XHE*FYj5TpeB}nYG1`NihnZ#-IP^&lU0K25SABrtK&BQ#GEP>HoaF(4)rt zYiQDVfAO9axo~{#sL}sgP&;z+aq=RhM*68Z+ppm-832h#m)8M```;ya0xgDYM?dBgRyO_`g0x3C)Bi|N z8~?o){H5_`0Uo#ZB>%0n6Cvc{U#qpZ*JGn`KfY`GQGchxJb8llI{w?x z{G~TXUV>OJwB+OLpvUc$sC{BB|LsV>3IAUiZ#$NM(&+Yk{%!e>8|+C-CO$Fy_C{+j z&3{qOKJH-t1E1JOf4`lM^F0OWHULq0{D@Fz?Z!CqKWxx%XJFoNGcYN?jXrJ_e>DPl z0qS~mc_ri|)qwx=F@Rz0;{*KXJ+}YHChfodx&i$m5KQ85yJYwh$zP~LI9q@Q)+gZwBD3|7F1V|Hgpv{oN)1AQbHYCNjRJ?r{S7ft`$M_ixy+ z^74{E!{LXJLT*P1|2qx+?=<9}HvFCOf2X1LYJgGo?+NRlYpDO7hDMG4|M@iZKk{gN zehc$^bMp8f@L&QF!|rh4UxUDkJ?=DzG8~ zA4j+F_C;F=0K_66FIK`JrxF_@VRD8QmO^kb1qJa)4v-hTk1Z#C@IHlKcZ@#Gq-hKw z*oC{|b&>u3>jZFY8X3LZfDjWN*S-tUwkOdp&4V1F_I1O5(O#G}tVsyN1~ie05BJMh znf2Kc$^>!^kaEs8qNHg^U8qKqR$7B%vw;l*1gT~Tt7PU*pcb7uA7l|x4BHv66^wrJ z3gMFUP;wac;8iqslh$KZQXjevMY4TKlK<^6-e(5d&hWnzClc7T4CnZe3E`(fjzJG^C}cXCdDhKT zu)pdr*-H?9n%u?45`f%1(6=yyEf*l@2V!V@oooG@^UO&B{-nl{d_67~E;zd(OFyO_ zs){(RUdD5wVSm&2zOu&sxSJ+?!RPCL3~lF#$Tc8)8N&?2)e2yfC12yJ& zR5%pn%y0cxv!-D`JO$BPy3jw!(nmQP~#0_(ypofKvauo@A$+!_XeGZTrBWJ1KXFnCo$1j5*aRem8ieG}$| z(f3+On6$+V3DW)XGCqOS;RN&RNFQTOK#v(?m^$lHFrjNpXoaM9m))sgBs`2#yqlQ^ z2A)Y#d5o(o0B@u?nn!L*9JnWk5|uMFkm-(s4PE8_e12wl>0DK;+&ml+CH{gAr(al- zm@jaH&5LI-A6V0I&SCrubwUK>x?eENzD(|NAb&ENgD<0pc#0=t9v|ZQ#y>NkLySs_ zG9L`Y-SJwwkkLcDd?!P(okElkuqQP%oO}tdN^CIpfJ`Qp_aYq%>S<}X4_!kXXZLK? z-Mjhkba~ykawg_{$=L`#{_H_Y9}B#lVrW>)AWDTkIO({8M(H>?rMZa+FF(J6PvG7p z+&K9ixW16qSkH{Xk-EQ#*@Zwh^t&gy>Menl8*>E!i@7T`*2-UV&4_>x4;k10{jO{? ze1gsOwd8rXy?TT@gv@h?P?hkMCXL)PZwz$52eEEq@C`@{z(#K=_X{yZ$Svb_89_Ma zOjrF8aZnI7VhDkVaY3L&RwxD0&gD5=9Ki{9KBWEGa7orEiOUI;?N~6MD^8bVvFMSw zLctrv*Mps#LSx`X(NOomfh;MZLW^9xkY?yI49%6CiFgOnm z$a}2Z2x$snq9hd$ZjROWlU72>asVVY6p`+DF6~5=z`rmTN!8vX%EF+W={c9SZmFI{ z#M(K$Z1yH3UakF=w>I{e9D{^d~*_IBxIroSu_vdh2CzOiW@->OV zX6F0y4>=UJ$AnKXYT_aL_E%w%zrn;aZq`7Tk`SV`_C!Mm%QAD3Wu@i-M}oLEh1fmF z8HMgto{i+zg;(rA&C@j=-3^5hzQ2|7kFuz-FLRgEHlZt1BdVzG3&?%il&Gn3w#zu zGRW7qd5mbA&u6lRYJo9$7y@Z6d@Fw26^$%MNiV_2B?d>MahPXt8LQvrftQJSJth%flcFJWB_YtSf1<#n{Z6%SpAEWKxw>i(& zg-HFqG+Tio~F zOV{S&yBeEO6!!-Mc%kkj3{0UowxMl-9IGXr`BQwW1&>bq)DdUygn)@OL)Q;zWf&EZ zZ;&FXkERHiz66|Q-iFC1?vCPtAfj}8pvY2Jm<5d+eWi2<*5yt`IZts{gXl=leZ0ur zI}j$uzL2uim#I-tvhc2<|^a+NrlnJP+h-}LfTmGz9V_AtZM-4kmz=7v+l&>qkg}Ym~ca$Qn?=$-IcU}O-pEc#GfDq|D+#3Kd`8m^Q zJKTjUm5XbFNHl*K>y^*TaU4B@C+en!GZsfzvzNCFBC&wLg5(%+ytw~mY&Dh9*$YwUT%84DarZ@m&NU82y zO(k1*`#O97@a)I5IZ%%zn0?%rn_sP70CB=qmXB4KNCZbOc;G#4O;RX_5dBA7Uq$s$ z9D8q}JKb6xQ2CWK(cG2Uu7LTf@>O^tyRb^yUwxXqVA-#mq_Q2TcH$kNz6tA3od6`o zydPIs(q7A*Hs1qDr6MR-HaTJ83`n z9@_uTLf?zb27f1Qpcffc_80`?TnDItv6vg$jPdjtgMn|fH5>pqt>N?%_TlYrNzZ$i zV5cXLn*1{}jYD2jZt%w}>is>j`NqrFaU%w|++3^(T(IdGKta z@ivssvO?OK^wsg$Oh)E;87Q0H6UT(K=xwcxu}C38PG*A~h$B1wwijTXA7xBrqN`b0ZIqv|K-Rl64S92Ut&L!# zeiTza^lfB3YiY!t>{pODNzM;Xi>Bc+bG-Wf2v~eJ?zv0V{B358CJ%?!-k1KB^j%}W z=J#-<+8V&awsLXm_4*JMPo)L+cEzuGJTeM9eFkjT5g2 zsnUWn`v)1PpY4wa+K%9<`XlA{ZF6B&V_*(5er`8>61Q%((T&8JRMh&cr9Tnwg>$n8};_)BYbB)@7X3p!bz^2Nocvn9Oi4hF5FUWV02Q9aSchQXBds{ zToC4L-Mq7e@9G~}46VzO;#5OJ_q-=0ni~SzCW`~Z*lyBbi<%9SFpdBuO+@Jl>=9#v z!1Nz6ar)13EZxk%Bf2@%X4kxMEJ{*g?ljoTz%Li~H*M1|O?R^s% zE`HG+P+Jcm+=UFnHp@CZP=Z|CNoO|iajCzN^Ao+F;tE~09Hfzp5fkrRjLZ8quTV`2 z;rhg>jV5V7&%5hkamr^dKuiSx(7q`UUvCa`Z9!{hVS^=2k~^kiwWSW1z>YCi|7pV; zw0mnuEEtFS?(^LTY*WF&R>VX1w68^z0gkiTqH}$Ta1*l)>n+uIu{2)kiQ|Wu?^Cyq z@7jDs60kt7kTJ(i;ZY<`A76v}p4x}g#GgV*n%F65>l7)lF}yljP}K&ClcPzL?LqMsMqqw%@3#~K zSesd?3B&zx1b$N!adTXC1M6Zs>DM+lGv&ez+sAH~)Rpn7epKFC)%=yT_nszck2r}G z)G&K`xRb=g1ZR1c7=PP8)SC)G0%0J3k)}x1%pI@SEFk~udIVEGzaOXirXaU^j#}#KTWpz5@c6q>y3>4)p(Hed>@|Ib7PvS+fmmC!8bd z4b#g|0-mE=h&C@P>t&qr!1u0kY?3z ztPFbT5Z!x;uT1bRN_y?;@3D`Arn2kiDhov6wyH9TenG?wplp?ccvOPy1f- zzBznOmtPh{ZJu(yr}6#nf%#oz(b_XzcJ%GnWcy_2rjGWxE3co9*}QCdll}69kD9uE z@l4o~)GwFyD@gq6#7bk|e{`h8J zNczL0N9U*ig~FF*1X5XFcL&X!zL`Nu$NKi*(&oHtyRaL3vy}N+XX8ipAL&&`jGN`n zKDKhx+3cy`SLcO9*M=|j41MS70%cbJ8)rT3m2=|8PiF%H2921TrET1@IR5#BjHX_t zUG5y~6|Hd><|tNAQsx?qH=fH)-2Vzv-8^ttDXMS!P)u??U6EovbK`VMm-8b(%3pnS z&g|Z)XJ>gkIaUOyKH%AfJ{$<`bXEX-M7xT3JP<^0Ni&LP(uBm20wo{AVYg`T%Qe?U6lANTe2 zE;2Xy&W8?M{|q0Lx2(Bkz~JihEdz(OqE-C5zI4@~5zR%bibu7!tSWhG&-qn@b%&XV zkP|mTKM__RjeBN@Y;i+I$VB}zrnKOqb}k;V>`p(LnbCTj_72}zP&)a_*0W*9uGZ$! zXB9qAml+SFkMf|U28K80wLY62J8mS`bKp0xM1Adw%@goP$ntZwXwKWw7Cw+b8>8o4AHca`ldDM`) zdcI<4_1CS>ZkYPro=-MR`*A<|qWan6@n1~8dw$dx^}p|Fd49&9cRqQ3=8Xp(hfl;c z+9l5fDhHkApaokZm`Uf3;gZAGvm0>Y@T>Zcy3`IrPXDbz*~FB3Zq~6$*JZOuEZcLo z_qxT(3_*VNL#^ubi?5LQ-N$M!sk;B}ZS0gxuV0-Vy6NaMIW#v_stG8(Sk(JMT48Hr zMA_=rxluJ2Tj#~hirh4xY3fzB;OSGNt}jT~_Tu%0VECJS3-%|pF5;Reeb{6C?<4b| z%fGcSG2+&pO?LYq%|V69hVadcQ_c8hbkM?^Ex;!q5C}YI47}SC8UQI@ zY*_eAc)uf8kTJp9ExB1caZGqH_aIBESF}R;l$EcYG#g?osxme4~ zhy!jOuEj;plfzx8HpGxNiUR;r_=89L{Iu@rw2eOqK=sx#0t!NGnkMZ$|ik z5c=O|_;3CxtPv^y`^*0>uJHf-6e{;&z`q&c>oauYKpi1tQ!jWu2XFQ=A!C;>yZmb9 zT3H<3Jq})Hy)tese36;C{MB)5-E;F-TY<0k*Lqw1Xw zhIfC0Cja(FIOhMNDgH-O_z?3m@_2Q-EsTax7M95~7?6DkXXUb=(g{S)*wA*Zhe!|% z(8B*{_z$#6C;|TKSb3Zw1KJq=m@@pmtt0;-^N-&4w|ST{{(kpUy6Qm3geUy@|NIy( z@m^roVfYai@>9r9@Gm48gcuN(MKZsnhoZm`9E@eMa7-egcZI?)W<_8)2DJt`^GhIn z7>lDotfFf&^HWGD4mtXE`qA{GZLYbT;}x*l9RA5dI?BOhk1lSw*@Oc!hVe3Y{)6s{(#`TBk!r^Vh%^kiC!q z-|4cR-l5AXIz*DgQI;-HR)kZ#BVAxPe2VzfI$d&>E(I4Ngyq^ST{4AB$|&|IXoW72 zQOk;SjF{SfSw#I8)ulXrn(zw$buk65=OP`Vhjb~Z2>8BQL!nT~{;;7An?h5bp0Cr9 zP+SOPkO+6g-9w*-<8*i#swOT38D{ts1Tav>n%pr33Wnf@z&VKwKm6slt{}mNI)n<5 zGH+h_lhJx^km`qyhIM~{bv^TYyLG|g@aLZm_5ap>|D$&pTi%>70j< zT{G~prUE|*rP_htev$UyitBhW;8-Iq$#9ztizAPHsW1aOYF$>sF&HWd)97Cz*Xl(qI&O}{#J+iRFsJd_jriGqhTeR~bl39}Z1k?pj zm4no}kVt3JQT8Nc9gbufDVo&WZXhd_oF*&lg=jyCkx7A-0i*q!k^hP;Ya!tKcs~N( z{Gv!X=+2iV_+z%?i?6#MIK6%fe@l4I3qB@0)=%kD{F^V-scRQk$XZ;V+}E>}9+0iO>Qc=ZoO;;Y#)~kQ2;n+65PqGIGbFauZHuh6(2j zIw8wM&=VMBU5%v)zG=8f$QDZQ1t4uM_SI#2UUe^lNbG)vw?)=POM~n#U$xcrg-e4`)5zC<2n8MDQrDSyN$=M> zD9&w{O~4=KR9SZ6*eB8n#qUd-X}UjTo&U}g@r0tXY971OzK6UAaKhCKi~VmRV8B?G z6iaqitJxS~g=Y-EygCx1IxWD%@kgg>bvDF<3sAM5QI#D;PHmveDXRz%G_OF`@Ia|= z_I2bnp)N%w<(#yQw1UDx3AKC*{IO152S}Xq?sjL&4#|#;`ggoLpJB$?YP=rCuz#LC z4tevLIH*nMryaf7R4goF@EqZ)FPop`1$4XlMeua+dT$0eH0;}vH=Qx?XCNEh+Z`xS z?L9$e%iK|p?6%^Yy``6#?hX5ZcD8;A*DN=S$Uc`8^<>f zV=H#=6_SOQXsxgg+3--lBwNDN3YnLr6wfScf)Z((>}qTUu>8nCWCgQjdX9j2DIfWkyVHhgMA3qUd7_UlV$!&a+7r@F| z#{n`x^&*$_HtEuKg$fEkUcgXK+RhDlIiT%?`(^q%P0jupdFuETkbG$p!^KA-g*&tU-_&;sZBV z(i)5_rla~kg^&|Ej0XFTp-J|=GE-s*dCEOrjHcEPWbP{IHq~G!znygd!>F_b`NF7K zeK**vHZ&?ABDHc)I zADmU%pA7^yec(b#$=_J~m-vO8Xpt><4LZ`xH9c62QJTfT4VefUsn(ILdCF8mP|Deq z>{pR_AI5lt7uhmU*IB!f%vfqG&fFhhsmb3(W}p25kL+Lt2E>aE1b`eCxPWOsh;!|lN1IS;{&GWo z5bA3AvBr*QhDMK4te;?Zwxhm$_1XFMxIpU#o`3cAdo$5gNE6O8KGZMar?Yo*-$xrZ;p@GTV*%~qa2KR8H7%I-(7aku z5Ga&ccPH+czUBJx2p*=UIKxb1?z5Z+-5X>8>46 z4kL5P9pG#VpaaT)XJ(uxCbtH|4&(&wgB3)jaoW$JOc2s3Hg6B$`xWdDeD_s2yLb&S z^Y9ht`wPbGvH)`2x(J)!3ZP@pF&KE5gu%kfvLlF2FHFUch5(J z_^8}xqWEb0Vay$bU+hl>a=@G$WuK24jNHL6KE{3q=LUu7LU}%g-nHyRj+P6B>1fyJ z;*ZL;+|6*lFljl|b>|cP5L-cK301GZE9@raCLfDZ3Vmb|H)ieP$VI2;dV;N2E+6@*TrQD&VEo_X2%?xg=zt8Q9Rx zH`8iBh3k-a7qS-(l^keMl0#h=C8i1Fj?{@2a)tw>O8*4xqna7*U)||CNJfohFG7;2 z(TMdCWU!YKkmz^ltXC$Z{8#6{)c|--TglX<;fdr*&wYtm(0* zir`fqMEkZzqA6#Zq!0WU9n)tq-nh(n0_^cfIZNc@q#d-kF5Cdqw6v4PmhMzdk7e7` z-L%}~VH9gle^pDC!FCl{ zq?y%!xryeCCaJokK}M8+1miMlV6G`~5KV$vf0krEO36-xBf;7qdEY}_KYiQOq)?95 zfG}1a{+Hq9cv?Gm5UQL=GYg_%?0t6|l9g^$hik>GAnOCBH5g2>Fu*qwDsPR<9Vo4* z;`S{1o#V&W`GQ_O*G%Ib!?|5SXr}mn%vZaDtd>CEMEZR5VPkjSUaAI4d-p^tkaNV+ zVBjO!<3ugV#p6NN8OZlC753~SDZX!YX9!F(<*UJp?Wp{Uxdzi1OFrtVcFFf#EdEl} zBS>a-n%_ps^_^)qWY?_>s`4OqxZ|_d^T+j;D3h6x@2(dkcB~=Nh`KoMvX4q&jn9@j z4A<1FRl~e}z3PWZ}ag z1ZzJL=-#67c^%}S?@RBCR-jRTfeO}@$Tz5HEA&^-7Cy>qL%tCA8=Cn^rQSx}R~q(n z$8#tp=>fZk)uNQ5{e}JUo|kjB`pZ5Q0r~*DfR{hiIt`I9LrIV!mL=-9mZ982wCjGF zrg;y1KidEOR`gsvkYkxoBU^&F)=FZzx25H4FzIYAM7C!g0?`Ba8~?N`QzO{u%&DK_ zM}H#tH}y~S+zGTW6lZ&IA-u0fY#%eo!p>O|9PrgB#CLOimwg%WiyvtN251AmdIRxm z9_jI0di>lgh;QYl60~MUK**hg+&5gdtphZ2vT<8mvbdA8pWrw>p=uxqv!jmuMnJ)R zn#49J7k46+*ZQ5$!!hFT;UuPQZkyM7EW{FLi0{NywEjgC)T>i@lWh<*?OB&HPr=Oy zW7F~cI~ma17SHma{OiI9X+0`PT5qdh*RuW1DGt+dyZIRm@jL6auO%hlm$CD=_>XTY zE!)*6!0S_@&NtDiti#S{fxZwu_AXct>Keaf7QW>g{II|uTDOa<`K zo9-v-a#+q4W*E+??}xyedk7~u_)f68>#y3JXqwLfLck!wyaDtOvuzya?41-ot+Wxy zBOJgT%akblbao|RCD4_pFtNgEps%s$VHx2VrF#&Jdk9@j`$Ndf%=DU`$WrM(#1t^c zTtlEE<-Uz*nkqgd`+QeJR;aLrUGZEC8aHCiaBfgAny&th8~28N8FpiD4eUUrpLG2b z#f5}ikZwxH`50iU^DX2~U?c2B9o&Nj;o&%UlWB&+oDWhuAZTY+ zc9nhvjf`)|>+U#BG?bC6q#6zVjW}D47N8tO${2{dkDEfQo_Kgb5V3RftrL3D*;y3g>d`$(EJfFgRU;DM0|_xY;=hah?+m$1INp0}LbH5YVP}B|qB)7x;aBpu8Q8zrVi&wz>-^jzT^BT(KWp;g_c)7D9TbDyLKhiDUH#s{cs|qtv zwbJL9M0mCeLCF0kdx>-`ZsRam_33Zmb%Z9|9h>$sUgT!dhX zNVQgHs+)pwtRXPfnCBiz(_M$s-Rm^b#^XSL@)3CeUkFTYfDZ6cl|opnegzi4IgF|mkem#+EYW)}GK z#y{=vmq%#M>(%yGJM8fqc5vk^Q!Rq*6>7HQ-2fPL5 zm4VX76(*Ep)7=S?zIG;|$MRcW`O*8zA9?|ep7hs@WaJ!y+=5>vrm7{svcQ<_PQXTA z{Q7v|XZ}@pDm4jtxklv9#>R$zll!6O?|~2oz#`4JajfeaW4$4BU1v63lKI}VZefr` z{Zgt?GH5x^D*CA-z&RDWzL)8;+_@&)_%kjfS(+mAUl^7SQ+>~3lk}oyFL-#j!5Zs# z>o$}&lZ;SCQ}U@{TauEe_qeUvNM z$Y`c3{nhF~^r~mJWhNeDE(`#-X^$E0Yq$5%CH3+!DVfa2KiLlia|>ZBKn@DAuCc*? ze2fRWo)4%Tth^Qq9a)6=oVLKIds7&%aszqyWEY}2J_G8a{vk-r(2{JDA)VkOt=na8 zq){`kk}gv4*$20e69Gn7!JdyA$~9_Dep@VzR=$9?3ULZ+9Vy@HADy>it}qGeY%Oa2 z77ksD+Tz8nblg$$zH(EL^oyl~>ox%7gSZyL52Gi%4F+?HVRN^f1Jvd0ZY`F)- z3GU^<>tUb9TVbcsM`7+6ATA?ht9zPG41z&T`UAWY8*KQ2i0U4&OLPAW z{rOwgJRlJAJ$z}@>V2B*Ggk+)JBVQZEHH;Bk@yDfEe=t_x>IO=6K2}hS8d_uchS~$ z(C5!G$77&+u2j|5(uKwKWU+YA{`zN9)y-2hg;rVC81BUv0#@uL81zp@@SSwu#sKAp zwX|XX*R=7>6*@=gxors|caWVQZ{HRw6!L2}yo7Q~kiuAsH!L0!I(ME~V<` z+eVMtC|VW_-5p@+D{sC}GSo|Z(G0_n;V88^KnUaJDGZ5n*g0BBFY{8FX?}OB8RW_> ztZ zQ$YS;`g`#!pH`4z*0lkaEM>Pi%X_XYY%LB@dE~ScAO$ddm4xUpU2-r@b^agr-aWpF zYHb@{E6KE3ZDyKDJ835Egd}Z36Plr!wrLY+X#y#n-v)zZr~0uagpYIgVEakK#{^8Z`zN35TDR!&*_~?`T^Xk53#f< z_d4Q=Yzg`S8rqThuJfeS9kGv&9L`Q>_2vi_pRN6k=o78%WKEU<#-|sR#3OE^-O&e3 zSAngly)VjLYU1~6HZYJPl=}*jrbd;22WQ5T^QdYNV$SJNy8fz8zf~noP?^4`bw$g_ zT78O=(AKNGbvsA&t2f#IdtB~l}GF@>&j2?^2`E1b!=f|?6tCWC087u}@-YB`!W z6vYrp`Z_|gP#`$RO>i)(+9bObXcjQzbB zX&OF!+3=Fe^;y`RKz?TD*+10e9>c5`=o~a((y%5ygk1syF!&13bT6*C z%#LtI=e`(WkU>Vz9B2Mj%)e{im^8|R>`#q?xgrS^Kr9K8>#ZpL7!`R3n3zZutayBr zJ-`{J5z>v%ti6WV%=~@WURttZ2CDU;74s3lmmR==jhs6c^0Br5M)_dZbe;7faXUT{ z&Ceg}nN^7MThOWx5SuM6M5~qjqpLngvj!ol6xo*Z6QnE1bt*#oKz{Magb@nq%}8sk z%5^{v#@h3QP8$U|h_9JqZrCW089r_c9*~(}{aobf8-$&N)tlb(_ic9p-g=UtlwC zT6aIdcOSdr@bzKp9S;N`Vc>ceky;Q_~yc88(pgHx~< z7R;6M5FgLi6z@PkM&@o%JTwRue}E2lwvfEd@5p(LQL51}{o}kL%>Z3QT$&iAzK_pP ztt5KJr_?)DK-C9!C|V~KBIc0NFg+Dbuyl}q%uycnTPJFIANp}NVved-P6ZUy<|%OM z|2HqSDqM$Snocug2N-WqBfMl!t_LW1i#VCfYE39N*@8M?2t z=b0%0ODW{yORgONZOsT~aBOHMF`h*nsnnz}tR4?{?LnGShVA0Y!5SaKCb*KZ`O&UI z3m(H-hrKIplc9C`jix2t#8G(dDA<0bG3?DBP8}rwupVYm#)&MVv#wF^c#P-_bCuRs zb?#F@5@MgGVaKu;0ME?v0j%5s;GUIKGHEEyr!~hq^inUi_X4W}3)tyx3F&?8}LC1G_rp!c^DOq@)}P!=!jw z=!SEL>sQ>|4O-oSL*KCphMP*qSyhH@?6W&wyYib<9@*9mb$S$O^P)-L)gN9Gi|5M@ zlj~nepaAcIp>aGi7~#1bL8e)hoF0xm&*+uXNu=MEK##LNoJ_sPm0#XPEWu`;m)4{J z$6Be9Jxxz3dUSQG3l`>nlzCEDgVk+~RB0oX;=!5D8*IoR&(g$G|7Jiz!Y8MBDb!DOV5maYi*%D zKf3M3ngYj1#N%y;sy-%Ak{_h`ZSgY+7*pPQ}SdOvHu zIaot;?9-kBNUV^Rf5YZU?WoA*Z^@T{7nJR4dRsFfnmythBa_|;1A(%eeE=A{1qtcw zp1H8sgb??7ksY?BH(|;0YnbKH>^d-Xu(L+BBEiqYq#sv`*+$PQ8TwrRx}II=_<`&j zwS_vh2&!(g4k1XYY3E}-wTPSQdRVT1m9TH|y-JD^-`DA8AF(etfrWdgGFWatZF9Y( zlumP2pm1EnrAs`P9+F#MQi9oOiQ&UceyF6v?gOMd- z2&_iz(p8I5PN}O2GiOwW4LUIBT)Gd0l@7(LDRXW6+M zV7M8${@_wB!_K&(RYFSUvqBtrus}z3ou!zbWVO@vJobF$D{e*XDqFko;HbxuQ0ZyJ zh8kr}hx2~+nz%r2-;)g6lf5k}l*t5@&VRC>fdakbOaZ@xkK6oDuy3CEO!^uLdJQK@)cuYJCo zeu4_1O3x(XfXk7}JLCskU5rCqYtg_+k~dt|%k4E(TQFI!jqja+ls0^u@eHQb`H zQw-Z;Sx4Y`g~KjgkpufW*NdA}az@7F>e#mpA1c|NflY{%+1jnwoTEw+>~`$PKoaIQ z*-PMfNBdxU)CD}q!AM^#h$sfZG6^3gt}8_Bu38BE$5VzQt`GgBd#`<&Xg;6Vu?LYo zY<=Ks^i2h3htGWnaVcB{==dv^0&w1}EIfTK=9&se%51y5Z$n8;pbGh#kgG~*FcNXQ ztm*(N90aDMXO7CQg01L2t~YmR)U%kg(QV>uGG8px3`s35#9T$kcQW61vV9v7x2P~) zMsVp-6!;Nn^`t`>_od_ME^beUSC;RURUyn>fdh8Efjs`u&zN)#yo%Z@pys6DsazSi zrQ=CF{YhLU;*PE1m$VhLn*$Hyj#QkRirI?57I>JyH^x^##*UB02Z*7NVVms=y&;bw zwboZP)@}@>$bK8ey}~>A365{93!;i$Dxo*?6fgeB=cbbdLsZ9pA=`OT{19=~X9kh( z#Yrmu1eaa>7WGJPRNIV59^T2;&Z@%PvZvlcSBFDpBI|poRmI!5w%QELrxiM7T<;KX z>sng~c2j7A57QH*r)mB{uCjPLVp9%|K(k(ie6aQ=X8IS1dt=lW6sg|$2CDiA`T+t4 zIs&p`0k)|4ER3aRs?e-mm>t|viK_acs#abM=Ib8l|G(F($Zz zRARhmFrwc-dq{q;8?J(T%`)=wzK`SwH=wE{a7vQq;x-vDa`@Wrga7aypJRA|hV0Y@ zjw9~KsA~$g=eob4H&Yc-f5I)h`6Lurg5R8vW-XODsel)6tAx(j^A5^XcdW4RbKjus8t^Fh7}S2n?foYNiinod!w6JSU(- z^rMCqNqS{6=?3Ow-XJp&J)RDEe{dLPEP}zC%Ivor+EgT)spnY(c(9r0dGn7(>4UC} zU*Pn32=D@_T(+^3^a)nWAV@drKU9NCeF02qHQT~YH@v_jT5(^JWVQ?19wW)?`W9G( z#O@rko`!)06gySsx?+-7)XVUx*1Daw>fAuhGjIf`uXu`KbRHz#@Xu2-a{dVfsH7-R zhsG+kI)>dKo<<~8}!aWryqEodNX!0EF}^6vH73Ccz}==X}+)(6GLnv>j>2CBVmJ zNP0X0%!l~oxEB-fsit^#kt5Rij6o+^Sx$3R2!b)gGt|V)9!`EK?ulxOG&Lr+xAvyM z)>~&p!@0w{OGB!kX+)K)uOG6G>Uy|F>TYwuIqKjfbmTbS7`Rj~z5JUfPV$VSyBjz2*23&X6l8TyREAxqb}{Q5OfIewE#X z7o-^oZ!vtTavg=gxJB^fPDR!g#IL#dn;;q*Q!#d|YIw8o9fN;`(957D80YswTw$BN zsa)u>^$n+nIa>zt+3u2gsAY0)U!|0d7C=-~-)1?=n>%3S*;bUR#fBeXctg^<^qg8e zfw(Pp|3HX^p$Tte7WYB}2M)M?wdfhTLK{tk!QnHNMaD|vCAoJzDEpshje3E}l@ahD zJ8S$gMW@6|k<7Qz@XcN%&2xh7s*u_Xm+wWb>u!JeNy^Oux$xyAQ2kNEEpZ=W{3@^$ zzKUF}lzSVb8D><**q&-z!zGBHpthB~-c>`Hwly)Fk^QA+r1hF6_d5i#6R#m)LMqS$ zpN*MqT21Rf>&K6P^1nl|!$%9Y-t793j+I;Jl+~xh!CTucLz>FyEXOcN%Nz|4=d&v} z?LE}=4e)clT*N#tT4k|Ew`kUMH+;0fd{T+OINT0oI}lhmCc-3f1}a}WtoyNd*k>>Q zbog6f0QW)kq6i>BDa@wH+B%J<|9nzlIHY7fC0=E)8}7?lwc92Na4J;-Ntc!S*c=r{ z9kD2}&TiBgJ~p|EFz++Jqx1kEe;4`TZQOJ&gKej#6~SCa&NJSAC_Cp(=B+rcuRbGW zOLeZsKo)OXt=&s9FL=-377`yISoCpTmD7!9Te_1Gq-*{GWLByG3?ReW=)`MAeUI!B z+QU>xfxS50@xJBAOA*^I`iG4n^fv_t&B?Y`J#(x)*x*I z^B5~ESxmOE?{GqJzvh0L7;E-XMsunb$RdI(@i%}*a}YbZi-%WoNlj+$_8w&7(Mgg4 z`FyWH%nG=6fK}+|A_!l4R(cSfZUH_}y=753!ZH36WU2K>)i5J<#xmP@~+r`Sg zlVGfDR5k6e4~o8ANS-kL3ruF^$eRVuvr1U?1wp)q!M+Vns3-G^LototTS^R+$x{2wSzfzb8 z{fKQ3Rh1(BR3(=*ELjsD%^Xw;qn&Z=BE#{3_9636m8j@xFrb)tgOwEz13P`k4CI;- z-c;tEA0Hgww9#df*;OQWLv}EsY1Ea)yN}?4-HPBy$isgj5iqPL*#8|LJ`TSmJapoV zR#NFxBJcp-_;=ALp60awu0z9b<1LhtS2KS(WO-teF*YipuCxL^7?;&cY2vo@9CeCFRu z^W-S}@ufqBFQKMWtke2s3)uqZm_*!1DvTgWt*LAhzgv0?H9f*6ak~p2LCq%suL@WT zP4AJa=2l-4lB!ViXApg_6&?%JprZ4hZb+=d=1?q^%)chBLZ*hI7QW0hDEC2yR2mJu z#kfE2w&T&3E%qT`*;q2cL9HIibZFWF__{F5y_M%eaopII2kj%eYApR*y};*aqUe5e z3(*dP_Y<^7tde^_vp+%8L+DS%IDjjFFd1p0Jof{IG)69!I9(Ok^FSoT!j3vBGyUBH ziLrdL?`cI%I^HFIg>d%Dt~K?P#n+vYPHH`#NIZ{qUC*-hs41lkQ(93&Df_Cp5dqQl z#)eAHp1&-{v~<`nE?8+}{HbJvc%0GZ#}@gdO}Hov_*TWM=)}it=FOjTyXYkevx8cH zpawydMo|Pi)V?gr{JfHz=N`hHVY9`>h^w`_&EO7$^YC-r_u_Mi`b zD|pgF>W6VL`}*;rh!nGH*n)Ny-m?jH1Q82RLgc{QpOEyiydw>>_{-U-Lym27@}T<_ zwnS`H413dlD6iy{?BG${QH2V@sR$;R_9j`!XBb{S_*V$O<_ehI&^`$l8)Yo+*oiIS z^`xNVh-}yqdQjyJcuJh;r5Y@fSIKER(&RO1&W4WJs02cAFgbrRhJrtN9nYYuXOJ_Z zeYPy{nH(b9UPOTxk$57~dLTypn^OO8Xa;FoFbzPimGDklutmvBf0Hl>g7tnhTy7oT z1wMYQrWhLk8ao>NR|&9FyRH-;EmA?j%C&`CPS$M zi*<;7f-LE{AuG7S4h^K>6K$kggv_X;_D#&V!7`9>KD(Q(9(4ns1c?t3zrpkoHUXpw za~O*K7-Sbni&*7BbB99@tO}sO!w5uLC}6V0{VhAOqg~-@R}_t6#}(hitN<+;2RYxE zeBU0F1s(-&;oO0;j#$~!SXoCFhS$z4%x-O;i`VtR$48^U892$=&UZX4D|uK3B+uW0 zh~hw1-CgoUiHh@CXH9gP!QbEUF#71>aCLs3+ebdG4F^sl?nfxh1%+XF)KquT{}M_(Dd+Tq_K46iSXFuSk)NxW}2WCnF0nZNV2-qAZZPEY$SSzx6C2JA7k@fc!ov|(+Zu!sm} z$IR-`9~9U78hb2yvQri#f#E z_i78b7H-+2S*&tCO?TP-hfWsV1zWW7P+4H zfw@sw=4zLie6zvRPdbX20WL6(4o1v*36zw9Nb{a#-qG9j2sS+mj*&&!^K-qyl5HQI zX<5wWN}G@-+XbJuBbV*C{f$h`CKZ?Ifl|h0Fe8)Lf3RC?_8Y2t*msTuw}SIJ>ogyn zZSO95z6O${QNJPapBULZlrMjDwqd5bpr`i*W+lz^i7~&O84hG!$0qp{nQ(BW(s`e_ zB-#5t&Lc^=>wB4sLH~30l)SBc7rToQCm`=;(<*Qg8p(28RIlk0{@^^98Qu<29usj zGV^ZGFoW-7bLKOkD(N$VAMgS{5f8G?b1_doKW-kThHD-Jf;ee>rnV%3O3Gb}oV#xp zi72IT0A#}1--=;A$~HH;NvZEkSc0Ypkk|$x+?im?b0hCW^S7Dgeyh?A)1s&J8MwM6 zD=s_>E^cWRkU#_DrF4GqTnA!ydC+TD{9bH*#^dg7IN};f9I1kX`9T^xxW?%+L#&Lv zWff%i?C43pt;rCQhn*L<=GOFLe$2JMBKY>9nnIj1ED7L;K(Dp>XsV_k7P!UyhD=M% z5Wqn!1T>1!U{eE^R5ch~@|K85jKVI;1IFTgGev+(>W)$z6AkD4iOG56Y=?Ruv5xV0$2KJ5f}AyMGsZi^vE0^8B-nwzu5^6E>%eT2`GI%m4#;FYU}N7S1Ke`WQ$!qq^IwR>g>7!<3Lw-=xtoZWZnM2Ib{ZrE z=B0Uzor!375j_Fwy&e+N?qG=COXstVrMmVEV~heo27t5PrbOW2G)|jHwkn*w20)u5 zIExBW_*#Yf+jydQkSdJc%30V#&VVZw6UzCikUBS2GNC&udVL@oy)&JS52AFR02I{? z!h>N=$ORNv;m~aSETpwn@ILk-I?;7MfQ@1yoD}954EbIBVYaC=>20*@0m!VxchcGV zh414oK>o~O#}Y`|LoOhGypv*>jk18$0&v|>wjl5?i!&hSsl*JAoxugcEm@p|3gURH zvlr2sodLmb)Pc#|`md{CSIhn!pv5KeQ^C>!@{Qahq@<^TvEaxU!`PA#ODhtaxbVfGfgNPH7<>lTbh z&WXAVTW9(ug&lo2<{*^bQ475F9X05o8Z?YQNd5(MBg)_N!=Nz=#xJf9Aum%W)XpOp^jnldKO6AYqi3gRBIlGz{s@y{Y*(pShSJ6T7%~H=!a2~)eggyiGW;e( zde(<{x)E9W3-eCI+vKnk&qG^(<|pHyz^-TWkscl_ci9!mk^WkFI4LSwlKcn1=2 z^+(=!gc_A+1yD0`dTWrrq7GUSo z-a3~{=DS~|n1HogmEJMTzvys=?foTk-+aq|>*8UIe(3W!fm-TF5O1DOM%MUK^g z&AC0eQ1BT(Rd!~?IFVMbf~ZJf6jsKf30pyFTLC#q{i6d{QQ$Qsfaa#og1lXyo6I$PtY9plh z$eS^S(Q0S(>L!%FcPZon@A$@=#2_gE0X{>Q82Iieqs0lXb{{(NIQ{PC5cz79JMubY zfdn?7g7F6*L&wtDhl_9MXu%VRAk}0UgjRz7%B(%oy1c>F(o%4+VM)s}DHZug`~L>{ zZ_=(vlr^lNVKB}&r|W^Lv#38#*3Z^Uz>asFWZ@);1Zz3OckwQ%^x8BnZ_!CBhifb2 zNpjO$o~lTpU*<9H)6o5Me&Q~WVfjuZeJiIQfmRKyg0?=)Pne^T)oXlHcIIfZwpu;&V z!2L0x5u2_Umc?mnm1M1EFV`7JaCC@}V0R=Qe%u?+E;w<{`I+I_xRKwt_S8H|SO|20 ziaZj?L`!z@{ruxw&$0asMOuFL5tuR|NUEyDfHwJ1{T(4@KWuWqzN1{~yY}+miobrQonR7LJ<#%S!d%W2Jg>{fa-puo2+g z8(dpmU0Qb=H|oMFqCLA-W__V~h1`0uX?Z6Q+yCxKx98d)SLHvg33o>B?dPGIp_%oLK(Ky5uxc_K478m75Ab+!EYSStWxBuk49bg6xr0%O-;Y7oANKrl zwU3xsT~%5>`SwzO7Hhx2)(g8~p8tHosC-=)7iS> zP(>g#*)eFi7qD3zk~1wc%v@Ao&uQb*9L}_?Y^()p2xGd#nVA91=Lim)aqypPXDrPr zs;k(M>U4+Xb_L>*(&@^^y~UA84L4?`<0?E~?2Qx|ZXn$mu5zYjy8|PTDl0uRURV%! zTax5Uh0`@50V&fn(#N^rPnxrEE>bx&+;NURe7h-MnVzW~1>nmW=|By24vaMEr90p< zDI2GolKD`$CTVUb*7^D)MYdF^Lr`fc+b!j%b=JZySJ*%a2i{r{#7acuq!kmbX9T zm8de@=@}3r*(pUS10>drR8XHR$^j81)pJ5BXS&Nd4(ghoMoky{fyjfeQzu*n;TEN* zNyRV96)smG4_8fx1Sa1gg{el7?FOb1lut@I}HO%6speo7G)IHg@v7&p5_9^wwJ>Nq`Rp;;>*Z%N#RZ(w^4zzCft%k&sqGq zKdKg%shpYFuKYu?I43+JJ0k!FJ6B0Q^r@4|2YExUr)4(91Hp|#a#`|mcmAqUa!TVq zMv8PP0N15wH6xtQe*j%2rMoOwu#O!U?v3oU!dFqSKXQiBvB>9xEZu3;*xY?EAk(GL za@;-R?)ZiqGbLb8;T~3SOaIHUJ~liNfGPOSR0tQ6rPIJfxHmg)PY0O5^JR&5W^g1{ zUi(?CRLFEPqui)4Qu2s-ho@yHGP=k(Wg{yc zweMW2-8)8%i`VIlyjpKeFeVxW%CPLM?{D6pyZ*hezQ6fkUZRm|9h{P^S=8s*Q)L{z{LE$EV$=lfa*>r#w1qg~fco~nKH^pxGB)DE3!>~2gmI(1T9x;n#{ zDR-?oG5yu^Rk|!W)a(g(uFkFV7<(9d8gq=f^4C5C_99u6E>C`Vd|C?BPUlPMo!Ce1 zH|EFnHTH`uFcup7>jtO?>H_j`weI(|CJt5?DT}S&9Q)(aB`cqFd)fLZN&6gYJ^KbM zTW`K{d)fML3->SAt?^vmA5m^y7$G?wgA}x~C%oqor*GwQv^+UG+^;fuvaO(>EJZ$Erb8RBjDjx~B^L~ksTJd8KraPP?w2T2W4N(j zPno>HTu=rVVr9z182-k=Wkwl}0baj|I2{@0w!z}{Kmkq8h%yqtAyXM$fNIwI^68=4~YChIk!OmhwV@YX@s|bbjrIuq(v!z z@hMz&2wz)yN919+eU`m5m*go_oIEk2UnI;cq>~$!#z^=@Mg^6gp1yi@dwY9alrAz& z4j)tSA$YmMKPVAVrKPJ^o6Y9ciNuJh88iC84?;R*j4(#)klbtr4mu14MjEk^=;U#c z>IkD;K4V6Dx=t?d(;=|ZhRa*E-lqXq(r7fC(6~48FFJp1~NwJ6e*G6IuA>v z)Dh5W9jE`;X;dH|SjBJm+67AcG-dtQDd@E?-tX+S|F&rUvezEO+=v03y0h2v6v}X~ zbwWNz-0mGj!C&aTo&e3-`EytN&`ZzAxb{C!4CS4R{@hFd`6*o1g0C&V(@UKb13C#A zW&LoRED@)Kmp)lGfI5diGr~xg11Pi(Sf$dSyYgh=iIj@f5d#qQ+xldf9@Av<-?|s5 zWjbu6^59>XB5<>O4-LH}{|#me(m|IP5!||GZL$uh$Wo|8lok<(LHIH#GCWz35?il+ z`e(Tp1IFxaxgSz!Hz=%cd;)Sm`EjS*|Fc=)A^D%5qQ8{;y4MxlyKmup+S7ZjvgKPr z$eq6PAh3Cdf|DzN06p|)|G9A}r%Ddnt8QC(C@$mnp(#u-8up`OH-v=e0pWL;_P)NX z9Jt3PmIdqR5kiFy-0(ndUJnFiU2!}ai$s?nkq3YY5a>3t!%lE|7_}JKqh1vzdfr2- zFdZ+I1e{kx@P6Po<%Z)tUI-IIawXIx{snN>kapU!0^)*t^DmR0)C6~G?n}sG6`tUG z@n2KDaWWq(oFhM=s$3KDlq0GSzc4TvVP9!qL|yRYBhMsc=_=m9&U^s$ywAoLs0)@+ zrbO`x7#`pzrOu~x@?(m|P7m?7fT`=%cP!-40)5HJ! z5Sda)SJc~0)AR9UWw?M7G#b-S3-j}nQRs~L ztt>HYdkq^e7kxwb=G3GMeuL6O^Z`8v6<^#V>QM7!Bx0SX0b*JdVw*l*c{?2B%#EAt zHm`@&-A+T zJ*gd+go?+Y2@nV(+RXW{BF+dgK9V-$*b^fJq#WqPEhi&5zP_bHCk{R9B9fJ~6`OLFMOH9$aK>d6yKh40(`csJo+>TS!0d`WF&XevBZ?pwiq)2y*KJ zeXF5Y2>`VZK5%M`QZyDZW1_^Kn7W9j=Jccv7(7v%v$z-4g`W)%J^r%X0za$5uaK#7DxCrJwB z_H0ssi;(mZQ;>|nidazo>7&qG~9t>z6SIe)#6Zc=&O#OmpxpoHon)+IDu z1L(y6h%t`bnFBrq|7Sm9$U{Gt0<)6vM z%3zgoMp?D7439w}a9mRbYGWOkx{r+sEslegpti1>I5J=%30BMqHr5$SL!k;yd<-)` zsx@8}tPD-EJpck4to#Y^2heHl;e%IH955w8v5cwV=k^8e1P&@*7BSA2M!r zqWtm*MW`#p1GwL>ETzZW_VV|6yTzp%XF!}+(Pl+m8S|6c8)NDPL59dn&G3}rxJf{? zVJ!Ebi8D@WsGL?uWwZ{o$Wfi?ASyHc0|mV!bd$@Bb>)*nl1#?D#*pPW3I&0)u$SpP z{)(HXDzB(8y5B|aY{ypm2ka2Rgcad!|K5ki}F!p5@GI7Sz>WZm# zT$U-4I@FvC*mtVrs!7JWvf#9kI7yQgRk_`?-SwipW+3%mXt91s40X&urM$Na9v-yW zZT0wiqH$tHxNqu?HlvBA8O+y8Wf?I09fPfev70?}y57}WHRQW@)lmCUQLsIo278}M#gGMhT9 z^+q}VWjcapSX%v6iGY_4YRQBUp6#z_vWAkDbWIJ`!6>Mx5c6PRD;lV|p{jh%{3z?V zipstFi{E3(efY|;RsP3phfFj5Yc*wY=H42Q86o4PxXtxVw}dW7zmSYbbCAx}N3vZ} z$dIqWeeoO^_9L0W8qtR=$1Y`F@1TA*eF#fZEN?N5pf;FfR6MbhZ>dIwxF__2x|4QY zdmvgHqcXe@9rQrxpLSlXrd5Trtfn|X3e~?94X}cOo9zY^l;I#hQbMJO%Mj@g+k{ZU z3XV}*|6!^k--X;%8jdDoEq;>`i}{BUwzX{o-9W%GWSxGe3jbX2y5B%jDJ?&MIx3YR zP6~FXR$05#l!!TM1|36n$!)>HSJY`@Bzg2mn&GDTzwiM2U!^brknsT+a+!9hsyPp! z68S48mYsuDfUk0yZ*D%ypg2c>OA_9G2E#3!OAwXvPP`PIgQ8*l8AEn_*qU}pUJy2@XW&PPWTtrV%fgTuaIm=K{m!kB143%^_ z4rcmAqJsT4mHSB1XuPytF(Gs`p6O7=8G$ROz6?lH>VYCX6+jFC;c|Xd%cEQUhclR~ z#JdIst&Pzrl@uKXco1)kqN2KW{Y7{4AZ6Ez3iIqJ=6OP&H3_GB>64X;`f4s8`-m1g zak%%}nr!Ez)OqR(^(ksRt=G(oX7b3Q_cu~e3Zs|33^|4?FXbH0WPVdJ8`WqczDTwD zFIWPUU>c&y=8$(0abz*SC{5>3oh6ofMO9H z71o{9QJ4qt%GzML zR>c&EL6ZtppHRWrg7igWycd|~80J_EnrLvVsF|QhCZaNpocJH7W@+wM0hwbj?@2ti z{1#~|d|!cz&0mtX9A&Vgk{L|v{Y+@GcDHhALsa6(>IP$FLtT9^SrMGkx>!+NieF!H zQFBCDc}?F;=%DML3e~h}p{gCzgHPfM)O$_ceUVY2^|%5BxggUoYR={08rXw{zRfu% zqZi`@>M1ivH}kmIU4Rz?E2U+c))!?Nhf^G)7nDec{wF2G&-&Nk{o1ig6>v;coj(xf zVj#K`%ghToiXZp|q}WluGv69E#o>7Wi%l=%8C-v?r@jWn(f$lpUz$sGZ}OQmRG;8E zJiWLNy1W&C!2764HyZchr_0fBOZ9Bt!$vDl( zum5{uOT6}4qItEFiW&HB`E|WcX@5~g4dsNbr$JlEu^*1}{u1oQK1-R&2{xAYYf2OH z`%%n4*#l$Qzbh&#NEj}NJ}%59RpNsPFSqn(=TfIM@2m8^iBM@uL8&?8gFD^#v5z|D z=!w=jiKMcOM?iEtYjDVfy-iyHE0zq>{HSh=0o{`Cns>&?%?paKp55BG<5}+y%=Q?Af^6Qg`61p_v|q5Yu{b9mz*V0n zAF_|(4Z2rh0n4whWqwmrCPlDLOUE-eKX}iYat!vL&bj*0w z;n~V5)e}M%#l$lFmU2c}BksktXi!LBq*0aDR##p*9#*jWYXDH?2s=Ysq*4cs6Uu=t zSQ$EJovmbCs!PAYngnKtRBEu=SQV^q@J=-(tC-##GevW;T4k&c&7=%C1NR*GHr*p7 ztdv&Q8Yh?6R%quyyky9!5fV_UX^Up3Mr9mQUFr8SSCve6CRDmL)|6vPO*Ynm23lTU z9;zclRnw~L>NM}fnp$W<(FiHEQKG}Fxfx6LFmrU8AC-ppRQPkl)_7%keOEk+c_~%_ zs_#5PEl?VRll6yntp_y?MAYEKNukp6D$pjGSY9)Vfi-eFI8_v7)uv@+q4z0MgXsl@ znE2)c=E`^N`83r&XN~DGA;!Pc{E^^4B^c;IoRJ>*;|QP_j-dwfOt9Z(HI?mu8JHi= zQC@(QhV#@F1$}=jLxqPpHCQ43qJKQfzOO6rKpV`gc1aWyWKp@H+FH0UR-@7oo^>mX zA?lgIe>gT zk+9$mz;TyGBD|V>ZMsPP9kdF=_$a+Ac5DiF4hBIZEqM{9IkV?IeBwh}I(L>kK{bnA z&3uFBBBFn$J`#Vx(lo>khJ0{^c)qAZ7fxaT1bXIrymuQA-2B9aQvrl{Y%RFRtOFj- zIFBCjg%fx{|D*a3!=5z6>8S2f77pe$3GA3?fta4&eK&U7^ng` z#17jC1{?thl!2CZJoTj37}Z=)6%lpQI?HO$eB>_U4iYCsgi?=`ui~mrtDu}mT<;<( zQE+2}QXC-Dzo@;)ZT{Z#A$Pq83NmLnvP9EcgPqs&nQVeW%n?ZAiV7d2Dnp_AI#JU` zY93-%XbvCOtCgUi?dlQ-y7i>m5Yt~-ptrslr>ZQUT&9W96eI#&Ru(QmWlVAxv&w`U zFP~smM}a<#a%aVx_j2?}CNGvbmOz1xMDv3ZkBOUD779(Rqo%Uvf)_P&3H2TGQv&`D z8{6Jt<`MG>C1Z(aN>r9z`t@<@(%?i0_Fb)ETDxeE8>kui|4uYS6LVrzTvf1qdPvj` zB6x$=AFb(4$djnLyhZ_sucx|n%p}ZAqIoNdK2`aKg~bn==2M^h-v`0-cJF1Cm?=lO zFFAATWS9Q7cP9=}J#uyEOryWOvk-_aJ09_?i2j5+xKd&w{NpW8;Ars8 z5sD%VUntH;!eHKnr~3J-5@g@28C8TxtNvNNDHe$9R|q{VxGlT+iZwpNF$%|18A2&e zw7f4IwEdmmW2ysMdQYSCEGb-LygNl`vg(=0Mp;`t^?Ga@+zpgkG` zL&c+DTd68oHL-CoU?Hctj$nE{96!3nD9Wc>_Mk>fQrjk~0M#<(b}B@TgH^vkvog^b zgkwl4obno&LyTjs_SqJi~E=dbZxVcP5d%y z?0U_xsMbhkg%Xu(`(>HlUbGE!c0QiDPZ=^>w-EE-Xo&mX9NdFdcz{=JxnKLG601GE zkT4c!3Jwbmq0$XixLg7wNQ z7N<{+Gi1eSVCS6|+g8ufnkW^^_#43J;%5cQpP#~^$@LGtZCKTwtwZqL*|7&wfx2|Ij}B z*BUzCxrIn9qxnJW&Y>Z=JTOB~US<q-+-xFaYNcH6*=d9f;dZ=;T7CE* ze7xmdpgEkt^0x$PEafgbkSicA7d0OH2CKJaA(BdZUTy)}^ai|*nwR@I!g{icbQzdL zWlm^ErcWEHO?^!dV2xOa3VSJq7Iq9hjmtreHXT+6Ak}9b+2)s1kAPxNEwT*5nm`Vs z1QCqSHu4gAir-~0a@1sn_^9Sqn)Zf?`&hF~iGAiLxq?(kSfvul6n&3)CO-=64>uad z#z6aW_#R9`6bPhXn@fu{n^J{--u>WvdV*=8sa2jvNTCsQ<|3`Q3W*#FWsne+1tR-| z?drFC?_*itEmYKwia9`UpZUAR@wlH5Lp=8%fdRyMDjaxSe8v1QP)7B#0M}=OO zH0Z>Kr+=mMIrZgNKqDRkdVH_kl?rN|C61~kKQ3B9j^{cNo-A4sm8E@OPt|FzsWhcA zW}A|lq!80wDY(F!qo7*>3&u4}rGJ*RE+TV6lL3Gm^!uM!_dPS|DAyM`)OeDT4;f|M z5INC?+b}sAGbH zf}*0SjERY*iKjd(l@^u0>9PiEOs>vs=U&+~n+=e@4?cfJ39 zxvpVOd-h&?9qzT(eShxH$Lfp5lbDA$_0(_6f0ME?`bf6Z0zIiR8B>knF65%tEFF z$4hj=b;KAl-Vif=N^;X}K)9Umt#Lvyt@yL5RNX6DT||s-k%c=K%|*v}8gT}y<$p;J zrU9BiR&Qg#2Vmk2J-d_)e!rGceJz7u5$*ex?mtptr--9rv&|>*@ycX(>TUq=6jO0h2Mr5*obZ8a5beI$NFCdqj|s| zBIFCb1fH2edJ9po2;nxUw|%JlvAZ>e!;smcbtK!PktqWAW`=49ChJ{HG4ll7dd>oo z4saZ$kk!!Erbs2^SMs5{Hm~RT8?$s_1}b1H>Fc{kwWdu9d#80Q&+NU&_z&H<$6pYb zh+#)jAok`lVm8gW)7|;7VW!5p87!YsO2x5R7G@BCP)484NeSShBXCn*h% zm$fin*onb7!3zvey3;p;!GY}|x;1pk;h1ejh5?DT&A{C+e4y52Ls3gvnj#`Dz^Ns2;WLkqM0s0#L! z)A*A{-kwQb$qQ2_%&e;A9+4F@CuWr@{PoP2&3Yw71f>Mw{%U4`#8v8t7(I*0Y*Y*f^nmTCgJ~B_^@k&!S!|*6D7>}ASc}-&qUoWUR)Lfcv z&_WvWA82l=a6PYs32eH=Ec9$)24I`%U5n0z6}AzcYmAI9Lnb$lA#QZ*&=a`II8+Os zN0}q>4jrsWZ!uF2CF0S=H*+n~Y>brT$pJS(0kEC1#$2Od`-P8l!N!EkiE&k8{DRvG z{Q6`++NHZ40SThUQKI%OmG;YUNP{$VX!LQdJ4qzT6bHH-h&5Q-s4D?c&VCjMkI85u zL3kc-k(oaxM@xpH!^z+%7;b9!dfC_7W^Rks55)GoB6^+qiS(tBg;S7tx8yV;Q&GO5 zDS1h(%9C0MQNQ1+hASrewF|tuOpZLq$;tRF=2vB-f12S#!Y$S!uQpoA7b%fXyQv&p z_qtM6vUuOiQZrUGlmBXf)nCAcYLpP)sp7f)MlR4j3cU5xr~BI;<aI)VG+yn0oy%4kH-ksVs2fR4hnfC@(fXzadAUnO3Ht5a zR}o|d{RKpOaDQa?*5K*f7FAX^n~zyy{L;&XTbiTX7Z7(-#q{TYRALq84IZnJmAPF( zZ>m@74bF>NzR0Q@reb2545p5{qo&qF0UHUdvtIjduW_i!{&E<{8)4$o|%m2posPvgQ zrfQh(l7J^NndL)94?%|bSbYXm#Xfw>I}Tg}G2&!#2+_GGqZ6aEVnKuA74!1$rm^y) zA-MkN=&X9LR!>d80hja@bH(eXpWLgJWy3=76t++0$h-uPvko(ZrCAk|nQbmU6hB8y z4V3LHgvIL^AXOSExBxi$VD?W4n^CP@i|`C&&+mw`C32gktOa-kt8=Y_F)6GzMUrY^ zH8TWihW;m=1@iAsV;S&@H zJ?7k8+prZ@3bj;gDMK&nnq$o~l;&%iZB3pzWpDKKt=GE_90u2sn7}tG$pcJENlTcq zm#Qoo)g99pGU4K@*&ZMuM9eHQ68QDIYhm({&O?ic`yi=b=N3tZ*qs?_8Ox0!M1zO( zbF@o0X;+ZqaMOAF$8P%sJINqR>C`%FULt-$pV>Z07nb6V zLwAiSD%sh z5{@@-Hh>q~w%tv`aH_BgvxU>Ksi^Mjl1e1x+6N_Z*@@K+$Y!zDrHMO*!7zg5PcdCq zxC=(IDG3+h$Fb5g6@)MtqqdtWdpD{cfnd8JBuRZ7Ui~@xfOJ>i>1ssSkPEV$BfyRK zye=-h^R^(GPecXw;8>3ZRFP|bXDL4?oJ!@pK>oIHxZoW^Q^ZCtS;-6mj)_KCtf9`Y z^LwCe7xSZ0ODKK;xR*NsysYnF^p%~t-GPBitN`jo=Yku9fRnH^DCwH=1>Juebpsf-Y=33|_9v6q-)ak&hLdqpkA=wA>;tTJuqT6jEHpyjEQC->}$C}S;6 zyx|i~6Lug*7UP9WOpNdo?AqXWKp49}i@6~^IxGh<@xv~J3bUkw{3QxzUdBHeFOFbD z`J4ijphX$q!Wu}lW{SvaH)w)dh_o5K#0A22UwbW^Ue;ufS0k7)($5YetR@XKI^PYUR9sh*j3Asp zJw{RW5Pk|UGsblVWDl;BbE-q=$1qM0rB3zvlBoJeMjMD+Jx=oUc)LdL+Lp z+$FQzXO+3LSnl2!ZjV|q-N(H%3czjpuW3Sp@ zJEPIA*8tDh*T8o(ewwbys04_JXM`G%A=MliqD@RP#Kt886;9QRs__s};Enu>b3+cN z`hU?qq{-{X&C%3e^Ld_^T}h@W^6ts2K7LLzmu6IgLpRrMlw{Lv-y8gEF;R^PGpE!} zHytb9U_UNtcf|m_FM0=> z?vYn%s27=X4~U-ZG7M+FHiU)i<`L^l-I+y!XSi>Y`P;)`?}Y1-kAJHScjH=BifIie z-a|gRSq+ewY0Ts5ghu~#as+?R+;gPiLAtY4VP9mv96^rg)@YdTtuqVrPG2zbU$dyd zaCFk)AH`tEO!tKud96SqV8m~N2dIp#%Y9)2GxGF9+^=fGMxNvt8zaaeS27YO2ubV& zc!57RnVB8f))uGps%VofCh#3^RzZ{ztG+j;&uC2WS4lGFK@B8&|x(sR*z$^h5oIb@zvpZA!& zHG12HqyK8|Id>t`qhV|D5+Q;w}@M>-yyrLd{Zdx;6>A4o#Aa2wJ&_eIpOE$}c- zaB7W>eb9d0Z+YC8Tm~z>XqoJaLE7rX5*;$W$eNzQeeD}G&a>Gff>F-I<<@cfQr(xS zgePt>6=%bCpaj@;)`qbC#Giy`b9E?pG!mU4$4oiBBn&HzL*np4JtB*oAGXaDXG-g~ zg&c0etQboN0*Q&$LUBW0b!CkYM5UU*lis!wfs`Wt3rNi+r(CKUSj)QQ}AwOV0S)^&g1&!Wp{A zelSvs9o>xCsrmB}I7z5Ee=5umeay15*?*HTJFHqn0bpbDEz4fg12l zHa{*OL-GR(`)*{hop5v2*#@{KKA`@JGyF4fHkLh~A{EC*XqQjZ<%Dx;wU)DUUnv*-+>`%Q z!+BWmyZlC$H>&ujInJ+<4xh9R;u=`oN4EiDJbK)z+w0|es7ZU9@9<{b0*;?WTnjjq z$KO$->D=||+(s5(V}?t)+8niRVNV;+FY1Xro)OA~i4Eq75n$-~)Slc34Z8^}vVHCY zHlEdUlUcs6s;Z2YZ3)aHQXc*=?+D*)#4n&)?D1XJPVdf}G|I_SW^l`c>yhVhZf$NrP%G8?78!5K!rQ4B~Eu^Y%e#kA3GTo>zfLDjscaA-X!A z>Uk$Id%``#EzM@LVZW2n!|v|^nB;~F5mHR~b?s2qnSLJ9+~WOMYtLdTxzBl~hxUO; z(w_s|fXc2zWUda4mK1sy`F&{tpwVYDxp+3Q8-I=jPB!K}@R{NP`2dg22N3l-`^Sj! z>N@?vD903_Hr;rYd7~EZ@SO5R+8eYuMwi64jnzAh3EKVh_4<-gYS`?w?j?T8q|j41LDO@OBirX~w*(i{zhf%lhHXLmtgLt@ z#}j`znql>Np+$HQASh<$m0_ciWTTZ>ExeSGE{@Vi=||&L<&B_Gq)!#L>Z3BkvfEI} zB1E_AJ;g+*ys^`}UH|Rj9!5T8+k9AkHv={EaQQUS-_Xxym!d{7N6MmC^wDB3kSZ5C zac`j*wm111#|noa#}^9wwX$uYx_iXEG}JgiDcsV&r>YXPA3?aN@FfkFtBUf|kQgVd zVP+F6E^9f4mx)pOr&&QPU>=i!b3d*OP~lFpwae|`S`=J~wMEKL;?mN>6_{D;e1g@K zJ&Y=6>l4@;g&$y|gHTES_efj`+k^pZIu6hKfJWqhh20B70tMtfJka76yVELrB=UKz zH(20}0YUo0_YwE1icECQbB^U?B{(gF?kh$j@hu@eW1ML|xW88;Ig;fcVDYoi@|O@T z4(=tVn+C`SF*A*PlRp&a=Z5POOR9mg7w*}5ns2$}PJ(5W*2?ltafYXfG!|g0*8Nu8 zpVZR~okqzYP}xbrmgNCNO)9o!2(|2Oebdjsy7J!jJrXz;o$Uc!{J06 z&oE{iKVu>?RjjicrfP{(Ut)OFNW_YH_IE>UtZN-_yv~zq&@A!_2jnZEh3_HSWE#q4 z)a#HY?{%u?@2Oe##KSDhZ)T~QdtPZ=JmNl%uDijk03Xas zfH|)Mbk=HtC2PRP(&FAQnDpge?$5kppNmO#_R!u$%bl8?+sHHXwcxy%%mq%cjho&* zoOQT_ZXmNw?*JUf$?axwUGoapgciM#31_)@TpDe46Xrp25x>GhY_NmQ!+V)20`CSLl9HSYWH1m(;2=s;-{GdHP7Lm`Qb`3&%G4I zz``vEiU04Zf_oH0A=uuPqHrH-d>@PaKhefrsT=^!>mn-&B94Q+D)u0b*&qCCttL zAV*2pi~HFSe;xQ2fV%5m5`yT$gdiQrUxof3#ppuTbTJtP`5%Lq^fv}mHUL2l%k?f2 zl!OO@U%=I&D8Z6_)qR{d+_vxjjo(KJgNt}Nl%lI(e_k{Q)PV(Z@N;N8Kq}9M z0(IR$7X&<5TBze7cKfdi2!<4M(%#zTcQ#eFdQ4;4HjfmM%1S@DyF$5Sr}%{r<(-^WXa0eP$d;S*iif z&mhqJ{+a9vke>im6wIdivjS@Xmi`x%zN`HK1rM#-g^>QcO8)MI!P@VtqhP)Lg>4L; z-UrJ7f5Mar!CQd-3t13ZS8+g-+d1YXMsiFZnv(?=_ekVs0E`u z6ef-PMAt!sAEdPoPSz5HR)>#+EZjd+dH;jcG?_Jtk?I7<-X(buv~-3XXQq4cgv%+5iH@&WtrlWL;6C@dqg)=0KsE+`Y# zMYfAgG)j7%M&U$UNF#zNaQ^9e;gn}wc#OwE1ydRPr=YMTU^D2!_x9ul-^EO5sIPCd zYwWKh5{U=dEvPGPmKj9HGc@}O^32E6o#B{*bd7hf$N47=B~jSdS11j$RM`2Gm;12WR1CU-pNH+`~C~tL2&2OK~+*8m0wPzFp%Pl(baSKCRxZ zsJlVDr*(Pt_&v8XtgXB6SP)BtQ-mbhg-M$)j)hGpKF(4pmI(S{r&e!bq9m>CLyR_i zK8D839*Zo`;>AL?&*#}M(B@2hL*VhoLZFZDi;uKM;Us1;@YR?S@p#8=QjC)*kNe~% zp{i&oXA&aXz{A0y-f_td?G}OE_D!h0G+T?vV7!I)@IDP8EKy6xEuIa37);2^Q}HWlG|r&ZN`WOlTx#1D!>Zr8#T{lN1G`6X+)(Vd4Gk zLPR!r-k=+>6W?*vSo-1gE|d~IMACy9J_~R%bu*7#8I2#LTKpisLn9b7^56K9Mw!~A zC!n92px4&Z#bgxx=W&wvB+de!{`?7HRdYS--iJj^S?GrG~$d0uA#U-Uoj83S3+&G)3M_J$B9C7`U^E|}pa zOY_v&EM$5{VA`>ZDZrKRS#L&=<3sMJU71>CkXwu{T*tsD8GdMyZkZFXLB9i(=Csxhrgva0H3hC? zr)Os{pU9(Po-Ad&Ju4mp`T^|}Huzb2f1F;C*p+ltegntCBawfBWx5;QAh^3ROvM1O zrFbLO30bs}F&g@-Fv~npl|XhjbY~2LN0`T&TPe{@NJfV48aCPWJQ}?$RH(rVO=q)w z?T^qVq*8vDNf}O%d_(sy+*kmd7To<&h zHnw-mr}$IB2%+1&dmsT`=VRLr$|{zum4_&*CS$AoV<`EsbYn*kB``#sZfSc1zbdWY zKdZST@F>;_y}-F@Nh<~IdV~*}2A?Sb<+Wnytp?SZ9Y{u&n)4~|~MrZ*=dQ)mXIwxykUAq{G2S~kJmC|_Ph5En` z!l-v15TbFa#dhXprZt0zV-$9C@i@jPY{V(q8_}8JJg4B9$-e%j^Bc> zQvfJB0GM{36w}#TU`?Ha^>M;7;Q$#RoseW^GMvBt`MP0DcQLbKE+dwthvLz>A0SW6 z{^@z$;QyPROixT{rnISjCya6}liv0-rM`m>#&gWtGd%ALkY&Vd$=k^D4Nb&-oksB* z&MeQu?50ZJkB2wVScO+cas9*9_vLF=UEHK5~+k} zoP(sdfr#Y6wtR(u{GG44BP!ibD$51>vitdN0hKBD&I@%rDWwDOXdq4y;+%b8p|Iw{ zV(+V-0j1lG6I7IX!bp;@UEe3~l;<^St(sd}nW6FQ;QDeBCu&c)QLJk>Zrfs6Wa_=Y zKik{+9!@sJkfhRAJDTu5@}MDK6{yb8kU^l}frmgkCxoI*cZdNOmY-zii%&91%v#1w z`w_EqDWfr!bS%PqB(u~47Qe-l7qs|gfKq;@xm-6`jRywo#?#@JH$Ckz$(N95sRMkC zrt`U4pbwJ1?TGgtz)wl%opZSPYQtHTAQ(ubgJ(pO-BJ$m`^pX_*?+ygC5>0`2 zih+67`?xe1#?PDhqte|t-D`q*PmABgNruVMY!Y-v2Bspi6((S!Eqn=Cdf+zdA#DHx zIscI~)RX7CM7A3SD;aHr%AipItonPx%Dc;Z7Nmkn*f>SvwLpB z6Z^YmK7Equl~+z?W2ZbA?XSSr@`ISIm}nRWK~iIu8c!>K8DxYY!F4t6iPvbGRHYls zAU5_SJwY~3R6C5}UL(w>cs1%#y(2`hh*L`{P?kz>F}$t9|FVw?ar75ca6CU%*(&2S;gh-w zytB>YS&LygJ8he%?u|3I#f(x5)vcZyc)-~dXrZ%Q|6s&6!OckQY39X_8H_0P^ir%T z|CrqgS;n_ZE#eq^WjElA`B2~8skzc(dYwtBTd7a6iM2gK#5`%3V+AgiT>7^s=fIPZY>UPkE zHy-8jSnd1azA)iq63NUkzL*Rsl%w~2*7hueKeFs${@hng4`XQr!!dfxN+zP=BVYd- z!d&gFfwaJ*1&*ilMwEA}JL{Wc7$q>qN=$0$9>$Q{7m-B6PQq}IkBi4p58f^GWgcqm zC;t&5vE&xck^dRG=^BnR$bvi)K_GX8ws&|#Ul@FF{68AZG7z^+Wb#%Ylx|CqQ>}}m zo;ZD^$KZLrZUr7ARf(rMmb3k_BX6eTAp0~srXv#Dof-B6m`d~+@-mr%=dL~~NWuWI zlS~&j0JiIqs-2#XbUoBnFVMGzq3o{KXN4GPF?n2i-k?(p@xo(Z2`AyC(p?~k0)wQm z0S9+!&IX)upc@`SXJcJ{1ER~zK0&yG!VT2a`iH}Fj94cOqBFoi%)vI{R^Tg7KOyO` zn`=@BmbC7*ENL^r%6A<$8eUenEC^h~#dswMD*QnXtTYX>tfMm&c5C$lrE{KOuRX66 z?9v=+q3#R@U|Ra^^l&QzT_vqo{oRAb`>QYFGbdOp-VQpCbafcf6vFykEZ-`eg;WLu z>Z#u&tQCJ`2ceYeSy;5un&xCfx+ajNT}d530TS2L8(LQQpnZi9`0jV1tn?UJ9vBVV zxDFp1pId%za`}?@0eQWoc#Hlt^JO3nm)6C{uw7OUM_Xdjj)XUQn@0ra7}7e z+2IqB$)(Q}wUr$`DfFlqHMH@I+;_G1=pNHEE?o&Di%p+(`}+B}o_%6VPE!ccy}j^*$mHhgnCfZDQe)m@OHL&$ zKc;y)KRvEtmcp{)8Sg4<#leM^mD`I4uj*Czk3}n2mTX4tzbLFj*E`3k7VEA&6WLz2 zy`*i&io(Ztl)v!74}Hsz6{YaIMju{s)Vt={*u4|az1R@`fW7k7S$A&V2_K&7dn<}Q z{oOl*+1R5y1|J^#<|mHvC-%)czu;7^Y|yTW4_|ZOZibb! zCVm-k``>w|&+IE-oqzSwo?Bj@d-vC0e(RR{U`(8I^57KX;Ff0titsS`o#)PZ780Rw z#fbMO^N`>Xp>@`!5kLocZn_?<~x#3fY!iUw0<_Sn0`K%VV6T zx3umLw1TDesbpWfaOwNNSyb@XHKj{gSQVou;R+PGUwzzJIsT<@Ae9{ z9UPzkoj+migtt?dc+A_28uVH3eOa(~`{@lgrhfHq`?O~hHqXtPtG!zlvBoe{#OLv^ zk17LY#xjL)vi-#1r2dcTvZ^C*wa8Q9WlJ-V-7X-08QLiLdwVJXjk z80D!O@>c%hXLBAKk$7w2^2d{VY(4k^Uv6Du8#1ysz2AareXs2!bQw=QwIeV@J->%Z zR&77`{P4Zi7f$Z~+O>PkVg7o=u=m)wX9~{)8|714q)Aw9Dyf8dA`|kONF?IZjmCTS`lYfz~o{H2?ym;!s-fQn~ z?f2NO-s`7V{o~ovXNO%FyYPc^FWh-&-1q9ylbpNeC>E@nc{ zkK1CePyTd9?j7HSXMS7}_mcCXVc^h9t#spartY+xamPyozrFNQyX)mca}LsPuU`1< zrzw{XHxJp{cgKhMmY5eW^>uBWRd@M#YtpwnAI|vx>Sz1h^EY=J^wii7YL@T38CE#` z^4Vu!etKS9W5d@UcRcj*>zn3$lXF%ZqDq|j!Q1~5UVGJF`3<+YTBquD@6COWG=IC_ z8+gDl`tGcUzkGK?&L1@K*B?fm+x^6wuV2o$4E=1>l?!mv7Kq}L4Z0J*Ioec^Y3fjA6dMvc5oSOm_68Ht&o1maJ2a$FdKv-e$r2vMF5 zOTZ0EGx5UWuQGLcqIW@JK}Z2yq3;UpQlM4Lx`;LCY*=4xQ-l@4WeVc>rbGf|TZ5B; zcp6;iWJFxbS(gva$TR(v1tAIe6{Nr;6Potn!7G9%!x}|M0rO7<$;GcKYKG%5qV5ZK z!oXJ}S0n;xw`reeFpgEXqJ@dLK)pN>b`jI!qHy=7eI}AX|EY#sT){|C*r(xzx&qCWTgn$3PNqR3~VKI=7 z#&r!Y(CcKd;#LmRO^r}rc-_Ux8v~55L5|)ico^YfhDQQC;^2`84=bxoOzzv&eUQB` z48eungoDig=sACV8S^I_>a85@+HT2zzOncH_s4MHkf?+<*P;IFCSPE(kP-UwF04>WiT#)eWW-05 z#`16`J{`&(EP7V~fn49b{N-TBQi)C!79qwcN{jq|TJ1%U^ViM%;U4H%FYNB>Si$>1 z(4zlto&UE+`>)pK7IcG+|NJ+h?JGw@-@#yV{t`F)chn0a9RHKl_Ae2opo|kvA<_Rq za7z;uvV|o4KUr=Em6QPAeV4Ejnah@Sk=M=^mqmacQ*ttG`dcW~X~9`YCZNd%ftM~- zwz4cl3!;K*Y%XMB)Lj9z57og)lr~urKo?$(vn?TEV<})*jfe& zV~1S;hG_c*WS0@!gmE?netnDZA#yM|D9sWF0^|23X>C#YS`31GD4{+9MY-U@iV%yd zD;&oBfczCoeEUyoSTVQ#s8iV5t*^h+?57I-RfZPiN0Pv3=@thXOQRqY_?H?-n5k}FKi7~zBLG-Uq=5^A90 zF3!7zhP{ozMuq39fvh4Y@@;LKpCw+|T$)y~l$o7nzONyCsNKFW#PvX^{W20xz$HzPMVo{5 zw`jOOOE~6OOtV4yG+Dak_tOu>9n>a&gvLGynXc3+j|Jj0lh%iXbpY|4mx*XTu+_a( z{502%+-Jx&|3=io$aC2};yECuf@{b1IrbbB4Wpk>9Zo1TBg6Mf;|wLoE5+pdfnKdi zrJbPyn&U?yuPnC=dDeiL^oZXE>7H+z!i3={-COSc2Aas($F!h!0Lq<(4g-!EPQ7yv z8R_GJf$c`F7aeWIJ*dvIqbxcoY5aoFBYSu7#UAiBfHS)MYqAyIbqGn$PhF1S7cUAH z{VB_IXC-n-F9nqHd&sFPe`jZ9<5^z~x~My(48}dhGkm86-2pRB|o7;z1gkjpYJFq0~Eaz4wta%@?6kYU84}RdBcV2AnWTnAn5FG zB2OPdbP-bghNE!wJY+S6-)JH`QHFdEbYmf>N`_ehv|rPZO@|x@o^{2-TiG~7jWV1H zYd~3ONAwin^EZ7+!%YJXaYQb}el18B!xI3Sb< zfp_F4+>lVbpViaBu87czPVXj@%}sk3 z#|pjXDo6K4bf9zyZPa}c@m(1^$hI6RMGy_W!9(x6YTT!?9_D=4gc$p^5Z^VB&wN%1 z(HIe`-4#HA*Qnl=65?AP_=vv34s~>EEZ|idYNq{ZlG(1*ZdWN}w~%80T19@4L20%> z|9UutH^XeNe+XAWUvspl~X*IUF5BM$+<(Ew05Xh(yTr1nFgO!}c|y_N~}q zCbD}W<}(S=Nw3!JvabaT;#wJsGFsby`Sj4*)_IPVP?J&iE1}M*;Ceq~EQYnY9N^@! z3Qkhey&!<%8pgow&;7s<3TSN*_8?!e9O^}H*axeCLX=)RwCm7g((QH6$seL^y^W8l z?62Z&F3^R(g?OtH$jY+bX#Q1*b8|t>?pKhrsb#+PBTCchd3UG6QRB#4Xlh5)j0-{CB75Tf!I*rZ$gYbH~O$#{x8=<2nU4N?-rAZ{Bfn{mi~3! zb!Em{k|IkXH$KxlDJbibROBoKa>~dGshL0gpnf2^MevIQQAL2ADDOq3**C&n9n_Xe z@$WNG*$iN@Jdou%j&9F89-_-8wpC=Erxpad6(Q1%uIM>`T5aE=)V&=JG|XDuveNOj z`5LiuG20^PFaX?pra`aj5$f}U!s=7VH5LB40ywX?dZ(?W_x^A2E4*LhICL!(M<4Wt`y;Fubn$u_X&!9EJ5%?fubS*6Mn9qg2 z_Rl~$cn!Fa?+Ax7rodOZqakdwNNPd*YkuIKgGlO>nfAIU!?j5Bxk#Ni!3}}#bMd6X z)14NZGZJ!(5JYE_wCPdy!YCk}3iN=mp~r6RBFPmtLP}OLlMNIl#3v*Nc8kdq4o3w{ zp7(JNe9JmaDs3{~3YWY=+~sAY z=UeYC?Qhv4&4R`#V59@(gXCVQ%`51N|3yk9GXzK8BBJz=D9U!>^d%eOS^Mxx&CBg%>d)XO}I!`Dxgf08Or8?Nasz2$Ns^XrmbZ!Gte zTdiu_!^8s+l{mX8#G~q9psaGY2*W;2h9f&wW8NH%oZ>IYjZ~Y>|lp*wT4G-b3g$r@tJ!W};H>iD=4argL6i0H!#q2k+y)8s|71W>QT_N^s zVa}oSd0J=JW4j02Kfxr1$|ZBKF!{=P;cjsTb!YW8U6(r)#q%(>rHHpt?^dTiihoTh zKdmV3N$~nSv~-zl7U-?AR}giGn^C&?3yofjTp5DLhmM`zy(zr?0(s7ztB~i19bTvJ z?RqK9ek07*kCX)}&)jg_0SWmPhMSyRg?v9i!%jfi?}uI3*QxiM(La^_6Sk$HG*)T< zG9>>++78UQWLGV4layBc2=qfJ&Gn=4<~)KwDo1q#rIV=Mc9PSPAg%+Rln7wTd9lJpQP?~Bv)`{X7xJ0ICT61Q^WIW$ri72lDb{~}9uUXSIvRHb`Q zlU*C?x+RdFJ{^s5^$OK#xGPs>xj2f+?MZ;($URa7=VSeGcn zO1MfeC#g)msKYf5)vO{*DyA9U40jBcixB+*483C!DfGQS>s$|pb|$o~qy~pNzZ#XV zrzurngs7h`L9W(YjbTzN`o-2tJ!q`;+ju#GHO^y&GMpo%Lwstc{Jq-#ZH)GNB{7LH z=Ap?%m+_8#QAx5KVPz%+@toY>LJxVfH)!i^Xq(kxc1aRr7;v={Evb$BfBaXU}vL)2F%>3OzN^EtB%(#Id8U&~LTP6h_? zT;zLt|7hJPmi6Nau!Ju`SM<=N*HGtB-w#5(d60?@FVkGG!M)X+4kNgKjIAVDhmBQ09{5UOa6~pXWsg&cI+W&6iIFCvuXcSA3M&D<>vX96QJ7eE z^rMEAwiDz4tn+l11|s@cFrl7M&yP^r%}BSKl78pMv?r9=4X|8x355B1s4+Z~`+5>$&c+@_S*v+lQY7jM_%nk(~L&`EgC0Td$HX z!U9v+PK#XDh{AkWCz&h5jmsl}EY{dBB4al@vi4~Nc+gURrxGpF>BI3PNH4k1{W@N2 zP6c=pcQwK?!1+7Sh3Sph;k;C;;CDyx(J~nzn@}mkn8ZnPB69r0orr){-tiIBJwt>7 zi%*p1xPU1m57~dgI8(Y)taFr|`4=!c^z#41Y4g;a&Y@|)+>ypGDa<2wy7uWAgxPK>EGzcSEdaB1RlS zWV|_^&wi>~*>NOXIam%NIIh*mQCU`n^wiw<0tL_wZ{$op1pgRzZ{PG6$(ZEAvt;lu38F&G{ zLbd10VVahYGy3D=1>tm{8kd7PKW^Wx32cT1ze}qKoD&RU3v~2ACSWqPLA9Q#LNh-r zTujO?!Ofq^@yPY70uUGejH<$K5puZhL>kuf*`h|Q5ldVzBF9oPUHrpkMp6s-qQzyn z(=rhym#4PYZd-!q>wAg|MS*`>>8%lt3VBzG1HWM}c}h;|Rx%US=ng#3b#i=4Fmv!@ z{Z;p3Seuc@%^9(%S4kO=Z)Z*MH38kyKj|U=cfW(2OMO`p^<~4PnT9-3XZCgcLW(`N zVL4h5BJG4vi;;BGxK_P%J>U&NjK)=kJa>iI8zOP~+%Uo?b@NU0I6%+~OP@yHX$wHGHR}H$oSNl4W`Vj>RDRX`Z6 z1}i1PEv`boA~<>#Dm_m3khSzjce_IH)Tn4uhCW*+;0SPh87OSNLmR}wv@FQYk`D0{ z+iczRaOnq{Z3*=V^f^~3mgXC{L{~2ui`3v^uz1n5qHPzo;Q2ZYc(%v_Fd+8VkiP`b zMP|Q|bz7?v0S8M6W3k6<~~4ptg4$cjX~y+dUYiKO=sx5_bQC5Wib# z2ovQ>>~RR9eSIijtAy_#LB5St=bnhv;HsOl^ar}c)fOVXNBa~{we*nQH=d62EOP;1 z>ACDT7?Kg3#%hbR8x~oeJg#et1|5Sd`CCH$r>NO6B0mXn|J3;1G{rIq?sa+Nch*x$ zo-YNt?lgENdm(Fw*YG1)j4o1f*xW_@Y)86!PnXjBR}#nOgtt^r6d0SCCC3||Vbfr}9`UCr3wI9ROAnX;|O~-4lW}A`Os)CisB=!(3 zGC!f}d`tcY8)^tmDY4?L4V^yvxZtOKVE59YX6or$v6l9-ZvZt8r5MT7a@UmX@8Bt= zo)Hbm`CVB8z)g_W_8m7`3AktD^O44*i5b6RGl}NkS8DqVBJmyuVBg(|*F1-%+cVzN zzDjgaJxNb1#Dd20PpZo@kvt4bI@~~<`7dgj(QMJY5=1MwivoHkOUJD+TQ3v7U2AM3 z_*WdjCgYS+#?IH3TE}ZG*8juayN5SXZU4i2CmEXEW~P~GC(Wcynh8zXgl1@_&9n_| zAe9zcXiEbvv_K_=77D%48&CwaU=fs}poriF%S}L0K}8Tzt5yX?1O!D7Dkv)6@s0}T zT>&}A^E>|D_xHa4z0dRQ^Q4)~bF&Azhh4vs z7lJ)zA-6xnoU2?y;yY&Z(OslUeAjH=b%vP5z0lU~)`~y>Gy_6Z#S>tdaN58k-lW`$ z#LqxW%tH3FT~WN1-PUrWqb6a?<6T-l)ia7sb?u@%Hn>u(_TnxzA8=oSG1|B|4?X1w z) zQoP@8W;5A!;7Ii$HecKXQ}JJop*7siO!tTNYnUT!=PFZ%0<)D}-K0(AN=BjWFY(1< zBA@Jo;WUy@aGcxEFl9ZbBIpmdqY-$uKoZ|DLYTD z3ndAO!f@XfRGTKGJT(D7#m{;wmgGuZSiTeWa#V2v;H_>I$~@Jy(>Dck$vV7-PUP=a znvf?1Z5Dvg#94v!xD3A|l#=Xo8=PLGly}y?k7dB+?R7uDDjxiWuhY^K4*45xeYP-? zKV-fk7)0jfWHRfJuSYG({G((%eyofEF`P!M@6=*81a=gk5=>8F)2r`71+|FW+RL*! zi<^;acZTDDu3#iubTg7iAn_hkVx?Q|6zvx#$3C+YIUhatAauQ-OeI=VLsW4q8Qt|X z4C}8^T|e)dD$A&AE9l9Nh|nU7XfOc&&$O-#n2^Xwem_a%Ae?Y_TtPpd+nj$tJ6?Wf zKo_|D6ikJlG@Ce|fo>C@H9Rna>m7QchfXxTs0*$}^()y4Za2nDa}Yg#o!Ga&|3kLa z@Ngu-$HpLfs^bx2sdg(R;8%AIh-m@@*;08oYFX7%$X2!Vy!alzyaLdSwa&>0Odo4) zkFd%jRp4Wb5bOSqJQLz=3y5Wkmc$1>38e62Jr9z^B8K5zY@x?cvMPG=N1T<=eZ61w zPh(o*q>YRY7JY7L`~XNaePx{MWdepR{uIB?W|!~tzm6;+E5FZs!TebMK0tq|55hY? z80+gmax+ywfgJ}_KcLh$!ZJfZh8&jDlgfT5xdTmZs6K_tKC<7*-to*4%ic^8sfHVHA@4z_Q-IUqcb@#=ik_`5Ixzl~;@#_C%NrHhml zQk%3ow%&2X2N7K+m_&_I9_Rb!b*!-jY2xjD2lx#xMHg2POYi%<1zK32E2L&y+3{s5 z!k76UGAC$u(5g|Om1l(AseAjkLeyIpeJ@+XtQT2bbpWxW#bz|#v`2Sgao%1HD_FJ@ za-VqX(V%=Q7FDdk9w+G{II#+wh*2!%jizn~n1dTx(<+Fll1^e6^O$Cx_kQrSaX&}# z@$O7u5y{qp9(WpA-mrVh9oD4m>yfAIb(r<1#_{9i@tAo*8*uQJolE9S1scdq55vor zCt24tNBtHV=W(74KEu+G=~`O>t6b%tb-(cW7TIL}t%AXgUq9N2r0-FoY@W+U1%F3E zVz3wS$2v;AE6QN-DYNj;@>$4Zt~oXm&v_p4GxF@->J?xHwLXSuv+$B5Z|JE(71twv zCGwho4$cLj^{x-m=$(g7+j~dviltY%lD+a>YDM`T*4)`Zcn#2n<{r9&mY_*!CXy0!Dh%)5StNr`yAA#)DWHrvH7?Y9djRKmPRpyILD(l z!>7@Xn>fi8Te51fbEo(*KibvlAQtf)wvb6PK@t3DcDfo&dE<;{p2UM#L7EjqX7Dec z`9&Ut_}B37d@_@z4Yc4vSO7LfKIo~>>T@G zOH=VMX%GiqsW9}){G;2m(_E)%%aIsTBb7}^n8Zc~y-2=*UCm=HTL_sg z2eV5aMa~Pvy>zO|adPa@?}^Xkva`FYXREmECb+!$O!k!uVH$hv`fQRv5%6#-KFS*Cs0!s;+~0Q#V=k% z>~$rjc=a^Y6hK}@z5}~loU$>3S**2`v+~9Wx!mX)HTYZxD=ULEDBJln`#>-w(Q?`V z1MOR2QIu_z%_{SA$~m?FA-$#2DBR$BJJvBQt|S@p^MQk2IfhEIkh}{E^W+zhcUMUO zRdgbGfZp^(symIbM%ng7`}COMqnNTt%L%RJB>tep*%6jA((uKl!Q zIwSbl$oc0q6{Tph#(x5Vql10iohp5l$xq;p>&jlbP|n_8vI&!NGS(3r1ru}TOI`Mc z#V*K$3e$gYesFE{gxkMV)d9dd=5IU-1Z4BxdF8pCrnIcV2prcRH1rVA!h zpWfi$>0ypH2Py6WUDb4&=>ShWOk*^RfRAVx0FD>f?L=lqMO(`Bkfgz6MZ@5?0QGGL z8@d)Tmte&WT#iheAul_DbRG54jKdn`8f}=I$31D{M_FdYu(|i&7hVbX$e%K<1+zFu zT+6TE#NieWg!PG9%*`7Jw@_iO5q`r=!WJ6HA0QjcXE@&Cx}O0AxdniA+B+0w7yB(g z=k$E;WCO{puvhJK?mC+0;|u6?1QG# zSpKt)Bs&vcYU7hlk41KFu^*@3_kpsB3iC{@^QhSJ3vovmJ9JT@$NN+H9DeHRT-5R_ zb(1_)Q_!htT8ikOkpjFa&ZSL*ku(pnO9Hv*cPTO!g>3IEa;@N`q~U=KW;a*iLL5o8 zjfn}&2h1OEga9Yh?!YYYO`s;*nH;GT1qNX!laX(}Pgus!4a_cr8TNfB@HlH1S`_fA ze#0i&Ryx3Oq1+Qy`M5F}Ag!4#G1NF}gcz-j!|>>Y?(c}v-sPPc7w3b6`%B`4-q zM+*7;z9JW9dLz-t?tfb9;tc0Z^z2hN0JoKRsKy;Oig9s3O@x1wCrXjanA+(?g?b-(-hD z>;ooWEDE5OwJ5{(n--S9a2cfek{J08#FjFrBhhU4X90oxhatT5{VW#00>e_-jK%M< zh1)eyx=}497l{Al?P!|i=wbj$mpwq86yN~*vm$1m_${A`OASX;EsIjfZ-D~dUip*s zAPSU$NuMoZ=CYvFsF~*gC|zg(uSm;QGO_|F)E-75G5z6FeVFA;Og_Llt$yE80rXkj!F@A55Cvmdogx;Qg0 z!B~E;95A|WG2{2yO)MyAUXhQh+0S6wcWyhxY6Sg*Q0E<-M=M=cyYIl*Lt08*^J%b! zSu3+9LypvB3m6{)?OYW)h)%nPCI{}Gyu~oXPo@N}4;*BU`KupS2h!N2;1luU8DN8+ zVJ;x`o)*VkvRz}66w2#2tD(#H0>v78Mm&YK_w2BIL-J|{z>t+X0M^}&N-t~3XGllo zo!mlVIW^GzHAxDugP2YcnCC}{FidQ!h|E zz{D9;e+%#2^_%S*24I?{DqOaP+V1qjgFo0h60u{&Z&0)Hv8Lq-GB$9t<#(>-2Izs0 zwX9R>2lNg1$^eoo7K`b=Qb1&OEF^dx-?{1tn_M|BR3bD$lGM7*REpTezTrLyp6es9 zm~^uuOz)n^4)MU6#H~3fq!%_pFoU!i6-U72be?xqK_?Pi{8R9wletgF?yGzd7TWeh z^o;!u{??KrBy?7+K){}Xx{BMn*Et^7*^VckyW2+V0yq0y$d{KMSOKfl(B&5Ez>^cW zzh)2u2vdGuU?=1i21;nc!-`_ph@y04i6zPu)YXICKr4BvXgunA3%Vq=j$hDqyI^Nl zyJ5cBQ}6uB@}ri_&K8SW5c9jXb~`Q;tW{f3!9D8y!J*jzIOxiO`3SkEbA~M`)prh( z3=4|T!qFv*QDccb3SxA+^ysOIZk2DMs%#CmsH zY9ijmBt&|nT`ftZvg`nM1m2al>B}CY6AYuZBs0*jq<}6GfS348}bRIsaxA{j}xR;QUmR443DtjaSp95>l0>}U&nse#T4n2h~m2gHt#{tv+G8l*p7?p zDv@#)8&1TDQRX$~m+@$TNIr3s{2)3S6>5PQZYJ2CD_c~CXK3GgWd5fIF9lWcfGDC% zhodaN@$z%3fDa~-vGK}?_@0>;mnexzjzjU5hpnJ`ZkFE{UHz@{r075yyNtOjQdvkT z&KP{R=;xTZ8@74w)ET1v*GRnTY zM7+sa37F)s<4_j(9c$5+J-mRLVfj>ir8n9$i)XNMXGiOJ?6_nn zA=Z8J9=wk!c^r9O;KV5QX?G*W%3>sc32BndbCKL(njPxAp5WEP5WTLXqDtqS3>|vN zV78jRpHzw`C;OF&s=zRa1<6LC5#VD!X@7m4a!D)Q|IG z(7uj>$>E(Vn~|>!7vx{r9*^d~f?!5gZt`nQx5xEll8L=Qv!wi>={gA%Z;eAqdN0kJ z@`h73zrp!7NjK3RLOb4wFZkN!;38cD>k5wL=IZ&WuprkvjyG988b-Gos!X2it80-# z$GaJN5}V=h={Ro!ZD*$!I1u-CoY&!*$fjgJQGKIr%M<(&|1c!KhzvDadbJbQ{K)UZ zUVj1R?-%+@HlQ^j$6X6amGH9iFh2h~UoEVfUybGFc}Xh~RU*tjmqu zr8N1F@*!f|nR8mS!*>szSEUB3+2UeS7pj5^JFJ5*lO@7LGJFqcVOiXFQd^cvvO|VT zHA)3ydbO6*@y>0;%QR?NqdW^S8?>zO^-dyl-YDoYClFU31*Ygt$a3CUX0mLqcFlJ? z5{Ee&>28YA5w^m8ed~y@NON3~MrLJ7 z4!y+3g5NZW>Ttxxz^asikAXB-@su#gACV*;kO7%|JR@(X#6QGj@WQ=`n)2N79(kRE zTT8HqI$I~BijE+eXI>QB?vgDMjEe)G`hC{}Btt2T2-Y|{WNAhO ze~{a*=O-H;i6j#P5-g_gK!I6-LiV+mGr>LBd?JiFvRWLI?`6k!yadzrya>{*;&( z3lY2DwIR+tohc_$HLlx(Ts334Sy6x;+#F~4P+&iHto4SrbJhi;da#Bj=B!x5!9U>%L`Alw+bU~ z9gEnnnQk2lD7lQZZ9vx{(_Ec%c>UX5&pvgZQaFGSNnatYJhhL`cH10Z5Zon<_6gksfKWMSLu+K@7r0=QZTv;~IYZTV8Dk=@3B1yhditFOe` zeuI8C^+y$Z4?D@QGs|eB{4>+F2iA`M5k(6M6YZ+LP6p1BLt0CpN!b?75CEKaU2g>P zYlxToggkDd!wXZaWmq%}t3M#`Dqy%UO9caZvV8GTmK%+-8gs+pT=_U+77^dFXrSpV zBY{cmfrCRlpO-v>itViDU^(0)SOR1>FPD6Xa7jtzJ*1d<(b%*C&8$RhytfWz00awo zndx!T3hcT?cd{5syt~d<16ACSYP`9>sNlY^mIGh zEUS#`jF#3&)|&lQbv-7EA300qR~j-)8O)QuLJgt5v^`c6|`De^;@R4I~{A%3`PNT6uHnY%lx zrKk}+G!Weh7LpRDuAYMoxkh$U+1H+sv=`kPfjQSGVCV9o>IEn}0Ft9j$y#Q%7W}15 z^I#vITm%#4_aZFYh}7^L2pQW2k_~e~Ei5lh zlzzEly|yzqXt7&(+}zLRxo**08f}%8U7OJ~(?1y>4DcC4d|fPF?8^wx|9vlzGaWby zEa1Es^DO<$_Y^V$5o=TO0LmA^Dr&Q(!QN^OXAPtKGZ@p6VF6(y-E zZv&piosT)b*IE*_&e;;gW;dc$j~7j+h>tljvMkmyhf`uzEO2RS1Bvv3+&aRUcSG!v z<6WAh0o%UfWuO4C^@v!ujnvt{Rp%$aWaDJh$g=VfHYnNLs349$(t~8dby& zFPu*$;wo-C`@ZW>Pn*tw;J4gcVw7jM-J0R6Z6`wbI3Vs63Stvo=O4;)#8tGR5Yhg_~ z6m=-(oB8X=*zO8)9d~X~@E|hZ&PH{8u30J=0xr{jR^AHe0Fjomk^AO2DtU4PD3=Mg zdbZAuEFT&KZ_%VEp@u!?m=$Yl9kMYGf=EwIazzXT-);580%;JIw;}w=^WqMaf1|BXZv{a0hhXDI~-*Hz?lI1Qld%vUJ zRPq5TuLQR|J3M$jCR^vbJr&d&M%0zNg#aLVYs-SliU zq1h=?z2@Ll*2=y*|27D;g@F49B1lm|4MaQzt2B$iUk#f@yEmiYT(lcd2sWQwFu<7x zBJixLe0EXu08#`6FDaq0yHqF-f={G~jP%t2frv1C(I1-CrRdY|5ZPMw3cma(nm-OGhcZZf7*aP7>b=g)VHvUp88wS74@arb5=@OJ;Z4j@_cH=S?fUti!UN zwTNb73=YO}tbWm(2v%K!tJGv>C1+V_g=Z#6Uqg> z9Lg#yG$(UoVqCALD@!o*W-Lr{Ttkz%mtrkX8RRcH`6~{2EO`T6&661vFAOn^9Ynt< zUt(RKx-9#RWo;GaRHi$IuY_1NpXzSuChR*3&>=2=YH$$C@8a*Q_yU#P0&wxJ&&Nqm zMkyx`RosTiW3Mbiz~;5H=u?&aJp#e<`HR0t*(;SQ73VjUH30N{DR?b$-KdOVZs7OJ~cLqiBJHKLIk?vcxXfc{R zg7lCrfZVZhEsRZM6lj&QMavNVnHhpBq%jV&F}PTBc>!u#fDR!nZd5$}9xr%JSg8i@ z_yFP<|N z&GDVd^g#k7&nVmDEtBKH%AaVnjE~1=mn$B0nq_P}=5Zc#o2a~{WzK8yHrA&6Y_&X} zK&=&C&E?9!joX1PZKp21S90*i+b?3gf{16YWMEsm9 zCq5(7X?6RptsM=u9>`gPG|y!ke&t^igdq+2S9~qIuMINjT3c%y!nl`LAt(Qu)HlrI zvxXrq{(9CGAmeblUVCdj07HBJ^|*9+oOPJ|-&b5gzYJgTx7Yl&wANwi|9$yY80f3l z|3BQp`hR;ooWo~aJ|O(+e+B2b_QDXT^RN9^aWStQ2`4OGyW(1DuD-qepGN>#{Mt1h z$OimZab)Y&)6-$kwIW{Im+>zF%FcgndjGw7MXcA&2(>oUUxA|zYw8J57At0Ti34mvvAjh>G>~F|Hrl0 z+L+?JS}WHsyH*GP-|FT6^qKIo*NXkG&hx*P;BSiytpMH{y2Q21uZlO^hW-z)|5v-a zD%gKNB?E2^S;PN>Mt&8I{F_JC{skz5gc=&gv^F=_wOvi-|Hrxr!^$7AW8*z*)sBz$ zLe};F=+J*R%D*b4|Iwihwg00-Yp?0mf9sq7-Prd3dmZ|>mUc0*_)IK`YG#v~x18@2Z`Ua>J?!Qkn{>?tPUsTGUur2tlXz;f@|5xob zU}|$y9e}8*3~xmn-ou8o*zxvrptzR7zp&!^n>+sPQ~vhNJ}~oNMUCdS0tO4b*SE}q z@Y@Az8%k=YyGzFh+`~O?*(=Mjus6`&Ueeqo81?CC-mI8BBLF|Rvpv~y=D66aG9V>7 zS;=PUcy^>d-7RN&a0k9#;B}tNv@|>!-zIdxZUw??+&Iqc)}&>WT!%CnnUKJ#&B_3R zDb?ZNNk?}SHVWw$3=NykP!UN*wr(!E8mBCV38 zU`Z(m-z_~$fn-T-n&K@v1SQGJsE$`@GrV%a6u@*4XQ51NRJI~LNJIu+Yar$W0eI5V z()`bbulA;=*K|U8Gcv;5>~m2@un&HDGYW14K#Gh!HI9V~vpt!3km#vo;ANBo9%-^N zf~D|~?96I6oR(SSSAj%|IIM@lW@QycsNr#$*%<|!uugVoXXZ=Fgz$~h)6+fGE0M;N zZqJjxK;g5~6#H@j2uGek2M9-O(s;5UzAY6s-(RDbp$hbQX&OytMgicjWM}3r!B7_- zC6ii*-^gB~h2weGX~Htd&aU|gY31y6+zN5%+U$(XKqh{|JPFd_s8*i=Y2>WhJ_WwB z(&~~alnqRYEvVTW-R0Flg|}lPWN~Zc3^5lQ1Su@?%xoEA8Rkevq=Q07`#ynGT{krW zyVwaREmTvqQUg_$ooQ#lGpvL5k!9~wZbsqKrFpxz0;O?PcyAi@AV3xKBR&wh~ZhBj*C!kysSt}As8=p1N;YV@Do zHzJIZrPpdyUBj$^)pLhlHy}Z6)x=V<1FR8NEdVk_s&DJB>6?;fH0ok$D?{BLp~0T- zUWIG8<-=`8*2<~xJUA_{cT9>g*2wD();P6MHvo3Yv4YiPjkhM~%~p$g!;#O_@DQWb zD(Y?4f%+t?-Rek4PD!ykjV}G5*i^mSDj5gs)2tr7tWURQBzUcg`sw$-Ui#9R*~Tnu zcC61j#F}HxRr^2u_Ltu;Es7ngA7%_#^VD#BWD>XBnx9Z$9YJ7o-DpSn@#{vr))bv< z-8V^E`?~$gj@Z#@#p;rWj$d5h-(W1Yjxm<$gO0Pu{;IoF_0z8Et@Q&9TUp1U!=SgG z?YpYC{*MLxw~A{DKYTQ=yP~zyG#G*zkcvcT!k}6#{ySK$jVgZSU-8NQU%_gv!rQLF zYEb|jRcI^x5v$b5S~yxo#TTwlau#N()bBeAjj9xE)!;~dyGoC&RBX-+_@1On(O6YR zKvRmvpnM_|tgtgpm7pPx;g7&=?oBF;Rp~WG4Exnq3KraPQ|#)7c!X}k=F~JQ{G2S6 zQKLtW``!%;_h0Z-jUhnoyD}_1pfP--cC0)B;(hdOIOqSx+x@L{-@-gVQ}d=P@|~fH z49iy^mTv?APht2(!$$=l4SYc6NCzJZJ_JC`qM#3i|Fl=X5cIF_Rs3)NDSiE)2aQ_5 zCc5%xKq&zEcJ=Syd*Sy!{N3I^#jgRSi>=72iUm|EtHw%M2c$$;sVr4&M0l@y*|NGi z;{cEqwnnJett&5&rK~DzBuG{RJL>9|Ei-DZ1N0H_fzz!hAtD71Lfxo(|E!v8_4e;d2$$l&_rg6M!2iOVyHYc%3=HCe zEKtpNrwYqVCqfu={dMZVo1I-;IO~GF1K1SG1Q|s}~7_NpB z;4-Mf0VClA=o1)pC{jbOGpaJk(nDS0w-6Z}-1>=f9Qw%kOIVulk|G{AovR zd_*;4Bed(VuMINjt+kh1Wg$;(hPK`^G!hC>jK(W_8 zqrS-uB#AnBa1*BJD>R8=5NEUK(E`I7b&V%c*JQ14$4`a15;cW&IF1^u10tL@O29$N z5bO!BTT#A*KcKp=pmgbh&&59cPvj}WX~7RA=~2=ZE|)7@ht5t-{ZunUx!HL43x8s2 zO^Uth%o6lu2%qR5jIPpDcx|Yee-I$l@iDtbe}$KjodDo14I~Ps;#-V=veg09^$7sP zZmk7^V`_;}hGraQU)f|Yq;*sROVd64PRhwMehVs|dj&jztRiV(e;x6rF~L7=OnvXK?i2;1z5)En~4szM=uvFOQv8B#s&0+9$+ zSPVSO&w_-vbUub&=$Z4?m!iZs#9Rb#XjXH++Q*l65Ld^)L8&grh zJY%ngyLeXvQSDuxO?(H-Iw$F#g_medP5_?AD`a(awf+i&U9CAK)NqB@FiaWP6;B$j z0Hg>Hi9=GZaL`?$SS%1rV#5TDHMM~~AU)n{yhamvr!GudM?TF76G&P^bLxS}5IA~k zn^qkspV7;;z>kM#0~03I5pH@-VFF9%!$!$k(A+Sqjq-#lYgbc?v)VfvYk(vWIKi#c zYn$3b6T(gLN9-i0^rL`oF%^4JQ^z!DS)q2y7Ta124wg)85QJ0Bq~x zZ2eWX#~*ZI_C`F`9qD{u3-8taJ8-7Y3ANUTY8pDJ+pNGD87Ake?d_H4Xc zA8MP?+}d?f7p8;s)awha&=JUwTA+b+)`%&eWIFV=j7 z%U{6NI6?lLqE_ttyxWfQcm71&EYr7`mO8%2u~a(G9nNYzE+3)9Bq~w7wf33qr>=s) z)$a{AocxJUh0-aC@~*-3I7)$4WBa#IgzG}}iZFnw(L&>q&J0+C(RCLo`Ut5o8|ew* z21NteP_ie{9$~h1jltiuRy>J1sAM7>=dMsPF#jO7m3)n`k@z%)_{4iujeiiP98^#D z+oVg=K0~cr>`^LK?8>lRY^wJ=le&X z-fk#YkjaY7m)0%s+Da_S5kv*;Dm;ahD<8n4D4+I#3UP-cldk0LPYtte8K}rGj)-Ao zBqcQN0@7J(823XYn;s}64P(v7Cf|w}8;|GP&_5m=6 zH~<2kig&&UMA5hAALnnX9);`|DqcraAdIKhwqqEwtNF#$y?8WPFC2ly*y_VbnS;zL zw9-m-VP6=!Comvzs_RkbE08Bur~4NgAu-2ZB^o35IMc(YRmY>?5EPhWsix@?e7K?* z38vs^WPZqh3o^$m5U;`nUq&Us!M=rj!dsca1VV~)6<`JH7|8R&Yy37o!MuYq7mqRY zN5X0ygq64;&z0RQ17^xhAW6J5bW+L8Gz?G0Sk)VDkKGt_uIiYlPqWLrV08%}8<>p|XxfEB14**C~8TyQhu z>*%}O-*E*50u!hWU6GPFO2<(_2P1oAeNd3LiOxkcFirUOOwm-wX z$K*|jAo29~rUU}5{vje!qr0CxW93_!!+Pk{cSE#3Wmrq7W!`Aod489ug0!KKLT928 z%mBT#FM>+bNL3fA6G9EsV8oo>z}+25-B{nfWs73qxEtBrUqJu5y^WQz#O#hPyg2h^ zEM$>dyUTDdBM#>;lR|c_9R{oR%YHy+;a>%k`nB09lAchv1MjuFS-ybyZR{Av$`$rg zp8-EORRG9hJ4$e94}UPXO?VLx%%38puseLKkq<&kXNTi8wxjG6@-BMSv^XKnr5s0=eVk~Z#f4G+(MYJHQ@uf2@BN+i znJ1i@f(_IcHJOM#psYZUO4vyRtf#ND_e0m)vKeZaqEpN-Nt;kGggt|x(F>J0$1h;& z_WAvY%JzDk0U3C)6L5`pCWg3DT0zgbTycd>maI5C1x(n{hG8@dz?pQ}w!lY~d&nTj zr5|+WC>Buad5bhSg3RN-;9Q6F>`e|$93BcG4}x)ibRBK zkkm2z%*V97Wl3$bJPTW%A@(0|$UA%aY;KjFlG%Cuc;aH?a1NE?xg=L1Y6S6gZwP&k z3!OQOe$rqUKgDf@clrRA+1}ARRmvEIec*FQ$1Ow_mT?}zrROk<6Hya?8vC+y*dLg| z(fJRsEE%X<3Z@YdE-Y|75rY>BOd;ZPsl!4v?iQG<+PEbsGz3WZy{2y({rKv!!?jm`u|R z2}UYG%2EM5!y24iFhND%%IxJ$drkNMNSm?0suF>dM@Ce#w^HV{XCA{hJA)mMlHQ`T z>ijA`**!2kVpUVKs0z<)>M@)Sf{d{bK?9}7F_Xly9`Pt$c{GuZ_D+V#KgQYbOJMkD z>L#0or;334EWdj4J)j3EHv!`H@WvAJMQS=^kCA)e#{8@K7fBNP9!V14pc9 zm!_AZT$ws)j~0bY5EGUNV3lMj_i2>bY}*@E0zfoo%U&HB3aB!!2lbX8A{i1TB+~7L znM|b)XD}0^9BDkwi63y)G|9yyq@zf9xWbC~r`b&a;Zk6RbXz>buToRD|1aEIHFqoum`d((YpoTVrHZ+WEICVH!&_IlD{BMwhf_6Za}#u zfIs*`P{xIdluyj*$d21Fw>2m6o8N} z28tpq&&Swgc!$B$A+#9uOxR$5x5|TjvygBzE&{kTDxTC)-d-g?gQ)>DNKC9!8nT^Y zHBzRlnf6bOvVVZ48a5jG-lX(+8GzWDZjTBkpccK^5(HxxV!a^(qkfMZOmfMwiU+|M zlU}|NAdo&Lx3dc5^x@@o7Km8)g{8wyqC98kHF*?v02^U zI`-+v2+NZ?dITE{93Kodf~U712e$f(pPCP<`DjwdN7K`JJypds^k{c;kBj1+adMj) zNqL`X$$F%Bd`Xjq7Ke@``ZKkl$$<56diQYuef0g$*QAp(hp2k#CW0ly2rYPGQpt4J zaYD9Bak?|fuEAQ{S6bd>?!mG7-Bh*jd1OC?+7DNhf6=>_QzgmyYTJ`WU}WUJj`H=W z&-}o>O#@FSwRFqSz$J*uqfFEeKg?fV%Ksg{$TVdurlj7RNg12ve4Kd1Wz?SFbPTY# zpr}U5Pa@pld=^I*?8np+)Af;%i)Ozb<+?tJ1UGNKNVe1OEx*$}j@)V(Pm@gUSQM3H z7(`RM?9(JAYT+O@jtmtU!^mh&eG{Emu?QKuBgKh@=GCAMRtMI@ zMDGZ>lPx1Rqgu<$PC5e>FyGmr5#Sjl0rlht`lq%W7JD2!qUkkj3aLRnLsI!@cs1_* zD9DA`=bT0xsR!J@nl0{M?Nz-Th%F63gU*aV;~AgJ^a))NK!#-AdoMM{K8pQ@y3Jky z`YOqJ9~(pc_c8Bim6!E`9OaH1a0OtrdH4phHot`_D;Oh$4bBmXmv zHN^aypbfRP*}vn4r-;WmAqCGdeC7yD)XoUi8?2&kT5D|^v&}{gvy67>uaKuR?a7AP z6!BgZC>ZA0USxMSuCyni5bM%|S!)f6xu$!Q?IR3#I;baTFG_XJ>fdcy=CGGB-=?53 zhRuVxretc90o>$nCK#z?I}HQ$^@XQ1xN*t)skN=`Au$s*(=1zf$|H!5=~7pd`8m?++$H^$2Mn|Ps zVsxb1HaU_?;2ED8LH2keS;0%B2Ri*6UQgchoIe+Vci?Hxkq6h%nZbk zkqPJlK@}l>CN(f`8~W*T_s52#gt|+*GlCrVFGN%sEL>1o)Ej&U6+@Ev*d8BbYzHc- zlN?YJU83(bz2>BbLjJY=0e=Z14qRehLP~KO3c8+&$NDm!d?6hh#Ka|f?MxRT1GOdf zQ{~cl%3z!X6MYEy;Jz9xbcweajzCa8b7KZy{ga%~G|gJq+}fCW=8V3+c1~^EnG3=& zgEgAb4=US$8>xTTUHF`?p}Bb$!)Uo+Iu}ekfAY*kY_(r!$w)IMLmQmh-oY&%9JVsr zYpF7Bq@)jlyQh^>OaTeipF7Fr4Q5_RgZVx1b+peoQ?74^(417$c1gb74Y2*z=8o=F zsI`khAuf`oj)LX&(>Xn=VQw=U?vc*iWSSXiVk0jdC1z<)1P2Cs?KIQ7TGUF7Oqd3p zYig*Y4M31y)r6YFoyI!w3|OZ&8yXZSgte}o*=tAz*HY88dhkMYgc{DD=}XkMw}zN9 zMb}(stvUCcIGM}IU@APgK+`bI9)0c&gVAeSn`Rj6DV&8u%sn1WsMUa2O=!B|RGQ;W zBF>Ha%!p(^C zXCwSFpJndmpAP~pGtXy|Bi-ZqOx%JeA*ude%Yu0GYl2OR$7D&U(i@MR)K9oNHxV1V zR2nHI_kj5IsmHez3ekqMG@fnQ$p{C*P7IKGmOE_go?6sS3+3V+Cjwx%6>c}vBZ>zD z;P*!R5aOURVO~aMLD=mo>Ldii#@MX~r%`#JS~=-3MSZD}E+5!n&)xN)b7$3g6-*(? zcqAF_W2EsgX@jlr6iNpv*5u0CIgG0T(;5Q=vzI^QuD& zw7w?pL(}P7@>^sF+ozFPg#YREUz~+w1HfcUvVQ8JWy_ve=aljjB!`d2M=c6tDQ5j!74USb~5O1hZ>O z6eRS3v08@j@I6NN5#|)*i$i<^bpvPwa|4}Ne59|+Z$@^srI9k>DB&*q0m^LqUB^Cd zf2C_1E@!vm)cyqpmrT`=r2eBhQ|NBpkJys+zW43J}|WZq;oSiFk?BT2RI1v3X;GL5vU>@X%@JX0SK z`2?GTcP^KoMZUEN+C{yz#>odY3D_~zarp5IO$XPldv5tN%1m_Fz}FO?gDgF2k{xX? z&0XAc7o_H~6GRVX1(g~4%ozpqj7<^LBx<4Dk4P>XgS}KzS8L%cn?EIQEkb`d3gW@- zxw@|$TKMU+phdhSt**AAp?PkqwYjdnw#j}UC2QJ3OuB$N7?%z=k|pQ54SQ+Z-dJWO z-+y*bx!+L4Yg5~2^nTQTf|~0b!pOAY6`f&eE?LBk5`2zqt}O>kv{Sl?r;OE)<(^6A zDhM^_%(x3_)L1;ytxIYJFMDm<)YkeMMn|Kzz+u-nxnLIQrUG9%Q|CvWR0c{FCphk; z;cFQ6CZ29O7)8wu8BK?xn8av&Ni2amgySg#GlOT$-u&^ni|OK-i8=OPsYe{zXz^2x z^rY*RsIEcI9Lt$V`;@#xQKlA-Hrqe#FtQA%M7kys+U;6C%(f(oO{eYvPQPyUOEJhD z(>D!4bW`Khuj>lmqJJ}a6B>VXy=A9{*gfn|VuU$|jbpn*6?6@?O`L|)Ng-q`0K4CB zW*>MEhj^p7p+HMv&Sv6_5RrN+q5&D8VLEe|5&LodCa>WJb4`I{JM+ElNKC=rPgBN)l(CL`u0swaqMgpqE z>5nKA{nqw3z*oh;i(R-@R^dDVb?pqyJM$1>0HO~Y?J3k4*J}nU)i-{C`8Fz%s+6sY zIIJaxPBMG()KL1!nWw2?@<0tU&52DEs9YY99Lc@tcy2kKvd>F( zc}EyBc{X}^h2+J3Hc*cAKu;VUfN6(?{W^S0G8zTBFJo<%D8jqh`fqz?=Fg?3h(^n8 z0Lkr7Lrki+Hm&duzMMS;XmBh)f@RJ1pws8qCct>0P-|J1`VMXsLn~r0Xv9?e0EvpC zZI@oAoPdp*w+j(3x}@+0nznYvSJ3|uH#IhC>I`e`yx9$*`XpbsKYl@< zYMs$MmpM`Z8;#9veYPq2! zsF~c8k>HCqaFODz)D6WuX{YU5WB%bXkxHT@yxq_jWqUA@*&NBdoY-fzO*EorZd@_= z8Et~Lt$sc;P1H0rxOR@jg&N6vcECuf!i45pJ~fI(wRK#V_1p=dez9q5o8~Z^w3cm= zTzZtQ35*ryb)yzm88}8CHuW1rv+}c1qo}6F0$)Pso7gGw;9Eq3WX3T{iGYyNR zK3m*{0$A?ab1olKpldL0{yd6RnxT}33bzvwao8@XgU@@R#GjroZ5P&?TI`%Ht( zQHR(a^Q%O2n>nv&3JUCJ9=7y9YM+Gn;z)>8s>#L$?Yw!hFv(=`PCbj0^4&EcXK3b=n64ww5)y&vIKa05t&rD$^0(7qg2ULX3QCi zv^d1a^#1~2M6t>fsQ7f>G1qm2@%w=Vh7_%BFGHe3sr9?%TyOxenfz($WqUb!+dfBP z2itw7mRPb;8VVc;ok@W(%LRR2z6tRP$!BL!H%;D=|0*6sZg;K$xawbM1OJ@oUi(40 z8F@#DsZ=AN$I|9j=^u!nEpD+V19XakFE&3bSe#Y-KHoG%^2A30flqW8y0!FszDz{T z)JPLe4<}=@H^98i7s@zJY~@xY2FBxf!D%-X0Q$^CLEt~IJ;uWlAyYI46~rU+INt2| ziY~DrehyGiw^GSPkRfkGU6>cEKqtXIvd5(V@ zuc5vJyxZbN%=^v*e74+FWG=rfjDb;l8Ibdmm6VlV2FINR=E3qh zSltlrbZ0Uz64RZs{l;_e*rRcjc?OQQuYfnCoYEm=uJFOyLN&i^OKaH*$B6>-d&pk1 z%FE5xIgabUE~OXNZxd-|fsU&2S=5#vqCv2( z-&vSRMO9Ak4#7G|=c4ZS@hFnsF%#SHK5(Fs`NDXB(iPl~ka{6D?=V&VPpX{^rZ!P? z3YX1iC;_2 z(@19JRj&Rw+tPuiPfWa?v&7_mWAFN%-&p&ms8Ffo-Q~%(uen9u!3>QInDB52hb!C3 z-{9@$xt);j$*f7hd!<4RouG8tfkdsrb*rK4zWk<_OcdQ#)7izV&*0#7+yNcGfw%V#yYg=t= zTiaS|tKApdzE`llpZoXT_aE=?@AuJ9l3_BL<;Ga9z9?Je&{ut3OfD8?3cHwdpVf@uZQ58JmD;`L;X zqLX6U_-OuRW9vaQ&b%nPZc{Z=Y(lL&4W=l4FI|RmZzHtM-tEP4$YS#>LBWFa2lajV z-=Zpy3LChaM&TeoPARGNE>b6_Ac&-n0JWVDRQA=;*e%1IpyD}rorVP939J!zF|Xw8 zLYdI~2scch`XVR)slk%zPyGc_DfHVg%3G-)?+zDyr*Dyub$6rmW+{>To(3aY&w?em zr6<IkI}bNU)u-yTj-9%7eL0m&KnVyw1YVFB|l48CQcisgbV_q)t$&nzrJe4JjeKY|QDL@LB^ zfE|LGCudc+{p^p-9*iJu;aY7JO4 zbQkeTd8wbZ%0mWa%I?Rt8ytLPveqZFU4XKoQFk^acCAf=f7qQ$+$%@)U-NWhR0Q-XBUWKB5I&*;kMm8COYn3TA z<>p^?+Aq^hL1`eWG5%Ukek32dYGo84?+}UGnv7;~nt0PyW_xhnE^OFkTJO84nO>7Pd%E|UuLOz+@8Key+7&vqz;%l3e&O!j z8&j=YQ>B&W3w_w1GON6q+zJD88suh^Bv<*ly<;H@y{-JB=Osn;YorUikekktVb(n5 zjisIkLHEf3kyP*mEaN-7^gWqE!#ltfBp@SAV%urD*a;4j1<)zSVXw?G($orCSnSNa(H zU_?{Pk7|u6OnPPx8#LTv}v6Q;TOtFnc?;+NQ#goh25pYB5%zDI{&=Qt22zmA+!DAnUn5pvCaL}an>z%q5!tBMd1-%eVUqPOIUw$X) zWbhez8WLq@xsc9AF;(Ov%OWPzdw@jgp8`!QK&!q+xNp>LUELW0aZGv8zCMcF_$u-c%_8+Wc}4)F;*k0CNPwls);TVcfG*K`cPqQ)w`%@LX-RQ~P96!=t$0?h54H z{U}K^Y?v%~x!p$X_FV2erJ{U}_TXgmf}VVrq~Q0=?i+`>&4hoC&(TgreYn#-0e-ue z(a|dW7`L!1n$AUL0=npCb?557IJ3Qk@1oLvt#my=d^!AI%B(qrpQZe6?-bqDuBIX0 zy*Kw`6;q8jD{Oe8F&HS+pep6}_oj-qck7HMKWOn9odu!7u4$_w+JFD851RrYf7; zdX_Nz%-y2NDq9R!pecWx`>c1%X>ZyPg^HUedanWX*drrTm1mTloyXk6y{zL1)5qdq zrosRmr}5wRb~R5S>F5Prx$4F%hA*|+kChx!{V|Le65H=_U5xs;tle7bV?N+pl-D60 z0%id^#s`QF(U&yup0rCc)bv5Z2xhyh37cNRy~~rVpC*kvfW)oEUP=1+QkJA=w=-(o zq+O_#I@5gU0i<%UuNpT1nc`tgh)02*rox`BdrxOwMBlr|olmfw(RUV~DCvx9wyU6z z^77;nzJw5fFL}fAXL{`nFO=ekC4;^|@5Y89gOGljxP*9^`FLi~>WN0X$K$2Mln3+P z?e^{=or_T=V!XJhG+ZAolrx8z+hl&JK%$t=FsAJU$@nj1pzg2 zbi-oo0x^)$5Isc9DQ+4e%fa}m;S&h2l`fD^DnK8}wAwO_X&lAt$`0Y9j6p)qpy72^EEG-b3N2OPVb}vg{eVR}pkD~gf_i|C zWX^#el{NI%vL~tvX{v5F)SY^O4ryZ+v5#A0Ct&c8p%lHH|;4kJD-~!NfV59 zYG#TnUP}s09;;i;{;qv4pPALP-=bhf@{ei7;pB%Ng;{`q#I@c5!3oS@@KyL33%VM$HGyLaNQ&WQmP}>#x=tb{EpHZ*Zjv0alH_J> zz<40t$*cgmL6VMVV}D-!P<;HfBc~3N*sN)w>uC=l#*Ee**cewsPky@k#iRVwtX^X( zmcL~zH}y&Q2&9&LqeT8kE$AYY-`u-Fh~osc)uC=^#FaRX8>%$4B(fU)!z?d848uBj z=^w_t@Gxwyf0&801-J|r9D^(sZF}|4Gw zq~l0{d}*_J^1c3`#Uo}~|4`ySPf0PLt(Tb_brpMCv|?v0ACgw(Yz=&k;vvL4wHxBSnRMJU6RE zcOW}BzN#1o+jn1F0iAB0KIT-inbGQID%t+})XEk;<*!lDq$3;c$%tL-T*AzQJoW={ z{5nW))xx<{!}4@^Rb~1ON2!Bnsx6PvXwexsaA^(plv_^6G48zH5#!8ASkJggfe=H# z;BJgE)DL9p?aMmpUuAyrO{9mJ95RGPThhE$%!O%eubi7GxWOB*A4+~^`YY_`b?Z4U zod>JI1_m$Dz8lwiW3+_$t(McpOcK-cv|IbVPM=`llSIGaffRkT*{jOQM#g0-l_Updt*TYx*e@$4})}igHCVsx|+ZY@eBgCi%_$ zoKiHM`CXGZvpi7cyM_(S4PA7yGH-f~?p7&`J59q=(*PL_X|{>er%&Kt(V;}{fn~~? z@+z)ibbdH@Ci%KO%P~fKMODxvH;YG{gYILd66F7a_=P(6PuiT{~gcc6OC zqs$s?g3MZ`n%k*ULgJ3ykolJ}hbup;3{=i4e^^3d8F^YLejJolr7^RD%1_Q_T&llL8AO)D!8NvLqD_a~W#chz1nr7EWutvU0 zf2}*4Uj%(KUck(-oZow%T;+Dw{&Cv&9(|?is9~JRw4^194Z0?AOpd8hKh$@}SELuj z-sS$fBTOow0S4Td21rCE0Pui45MPL9dq`PKB>zMXnh6#mZ*X|MVWG}szFA8@!Ib^o}G2} z34!x`A!(m#8f=t18#-I%>Xm3b_nRTOgx_r8(yX2fn0edQN#UDyswe+d6q&)i3qbS! zG1Kd2)>cm7CZ|a0d`l6NQ@#u^>AG)IxX!7H*^@Y1t`dOI#&3%9zx7-*<7cs(84Xxy z-4d97GaFkNCdK$}A8ELAMypE=f!lhWypGAjKg#vY{uzehiKaZ{W%}`#IxD74)IA=l z1SkWyIaN8avWByc)Ml(O?~!d*gE!4_2LB&!wv@Jx@vAVffjm zG=ATTz;E<<{)$vOojL8+mv`rjI6PMJd>+hIJdUjyiQMj}W-fo95XG-%jc=&POlVrt z1dZuA>+Q}=X7vrG0>TCP5G(HoL2kg>>|b=)8A|*y<Vl8LgAV@Q0A>!T zys~q#bi*UPxUC1{*M0)`{$*zDnDs3$dhRh)C|n3%tv~f^rmY@=e4B7!;2xn_oOC?(A}~ zv}PU@Gr9px<9~P+|DDJ8Ls*D~@$ZT!9a^5l62|VI<%YnI}9;9Lci-EP9)y{ z0gxx|3y1v8ok$EodhGti{g)H#xW3RX{`2_ve-qkWXbJcQA&CBr^64NF)3MLLueM}* z-NZ@%zP_V);~E*jJV5pzFbemDXgaR`?{a{Tzl)*+)gPiNOh|+x3vCVUUt)+&(NVe` z%oo^sP3`n)i9lVrzs0}k5tY*>-Y*jPVF#5V(N|MB-k#VuP*We;^#0F7JOBGW`et=p zXvZnvKi>UQxxd^|y7!;)a@a{tdHFQB?8=GvPaT36p`!es00uB#AO{0a{6E>p@mf663u+W*{x#F^6*VYUj_)3ML{r61x(Btll?{#^_~I$)pmf8Wl3yZ@mk zqeImP$~$yTp^L5@4>tprJ1!&beq9JL6abuYzZAV4+oatuinRNs1r19g1X!S9nVR^| z#`jq$A)wViU%_3eO$;?O_QVk91XiGp`Co$W{}6N^ZEyKEX_N>k>FG7~_i1rQZY#7`-^b?npKJ*?zy3K8 z<6J29f7{RhZ9o6F{rvxP`}yA~ua~i~9VqxuDmw_rk4)K_1P$$A=mx5$*VTq-uMpw~ z7HeXN)jG4If9RmD0#%fxbPMrdL;Y8%eU{jsA$nM`y92Zz&6=3L*pt!Gb=#w0pLwut z07rMb--Uru@ZXCtTfZ5>$upvE%V!*l{XE4S1OKMdEa(4n5 z!}i2xMz90ist41cheiAn6(CFc64d}}CM&oDbK!z5igjwPwD*%!^`hVtC|606~HTrfEqn$_U5G5D9kGkUqqJ=BC z&pBkCf<>Y&*oMFm#4cPT&jf}E(Rd26N^9qJA`5d8uqjvCsPAIxjE6w{3u1N5@3y|o z?@TJDMQh1;JO^Z;odgo;;cL_p*teNRI1Q~I8!AH0*;7)Il1K$VyECV)od2k!=t z03U(G1OyzT1X3V`)K7YMqqtQsGI1K<{FT@4j>b_6yMax>{SNm421Akts)IdNZ&Ziq zgKQR#N1Y+!n8_pySzZ>e$76xCr|*UI#l1pwLDAE;89!D$8gNF!Hq7EI{rhyArh}Dt zHj;Gy*ErmM-bJZ6(HW)znx0+9?t`M8op`E*^aVU?nXd|ef(_DgxLg@RU1qA=o9);u zCXhJCUSTaeFmMzMGa+Uj=LqN*kRnI6;4rn2=V^?>o~-|%-~<*@{nOcs-HDC>j)Am_ zH5H!^9UVpe{K56LB=ME+GIrg|5ahjSN| ze6`Z?o+Gay0QNHqyJ#DQSxw@!a$xz6*8ZeKS^$L>tt40cPXLA@RP2es?Q>qiBOA0# zvc%XABhzHR9UJL%Mnnm;bwZKn`XkzL)q%asT$He{wfTVsS(UQpo_N}MuCy{A|- zqEPz0DM=huK00eK@@nxHB+a>vZXmJ3MzN3Mh`UgDoS4Z*Cfm7^;gmq~TeXAxOeJJv zR;+BB$jGJP3@2tYQ5*8$GbbdFKQxkw_3eXzy>FjCi%ABkUK^up^Mm2cD*HKvjJAWs z;56VA(^w`>XmP!dJm3O7kuim;+g}VPb2eT|n(&!Dt#odOF6o%Dz&|nA6jpW3d5v zOev-@thrgl=D-VbA9NmEuZ2F?Y|lZ>$;9slQ;_ClHbKbs4+Hb;Y+UYKO&oBY2|1aF zP4@RAQDTaC3s)E#m8_Z3%U>hM$E@VdQ&djeUW?-c6lM*VP74Qzrhw1xXLf`{D9^891 z7|`qp;NMI;O=cRUbmLZz;la?E$Cp6PG}U1wn_GW@N=ahD@F&)?7v6iZ4OHX&*uDpo zPoXK3|4qlAzB)DU)Ylfb!CPOcj$r`njVw znla8kR*eGJ_Ton_0q@bxGc%Zr>hXb@_VZ7O4@jkzU_ynmUW=e^W)y_wUupg7ZW5E= zT)~(~y<+-oXLZ)n2;jgNK+ydj$rUU8)7qm05xssbJkEZ?%6a7 zuMx)MSnWv`4>}tl^zJhbM*55B9De}<2j??&6%kQ&uh5LrC`$QTD$6Mv-7wJe3vUW< zeN`W4O2c>U4>IIwDM4?2uL?XYn88xK-ij|u?|OjjGguj%4$x3-Uk>}^Z}Hw+()+Yp z?}Xm=H1#lJxu{rdkwGD=a-uvQ z(3sK)Xb6ecdQppeaB8J~CSHbXi-rQ!CJ77rR3bDdY^(Ol`B6=5-C+_{d@x+hGQO=6 zqxF7K5K19SQ^v zXTwQ;TMKyu2i)t<*Ru(`!^yjJ_T)yy*i9z!_~A#`lAJfO;SIHzu1^-~yd@ji&q=R{oH^B`mt-zRY5ZOz4KwVDA%by`(l9i#^h)z>N{jD>85Ts6 z!g??5Zaf`HB%umh%U25)LoZ4!II;37qp4fYa0Pu4w9Hksbesh>2bmtt6{fuF>5?q; z2{qATNg1F2i*yQi7mL03=y`Col0GHf13KK@4yGyFq~9T5B&fKfF{oVIUk@n+eoO+* zW>ayQ?>6`Y5EuOgoOYOje!=yVN?PW64Ch=@T^r5mBHMQ3&CYKCxY`dVRa{oVRkxO& zU^c^1^WQD;L<&#h2~yt;Z))FE26C#Wm~I91El=xu>#$o8Eb;Ij-8vD|>Icdv2Ch)r zG!Q3MJze=u@ET3Rxq+u(#P%SJ*qTE)x{=;d&{2@FttW)_IJ>2d+Mt;o%r@ba{CW7s zwl1*cL~psVQZgkOXMjau$!R5HW8Q?^tceRmac!h@2MYXniitD)6~%bUq+ho)V(F_4 zXRV23G@%7ti{Cfdq*%N{(2+a%ngLOqwl@bF=`)Pw8>~HV$7z6%>}y|=$V`)drUJ<{ zq{rv@l}s};Qr>|YEY#W5yIj%qJ8?ReSR0i3WU%Et9#tojfz1m2KnVtD6Gv~uLN+@U zw8f(=FWB17${%rfPvbf93{B5N8)dV_jAn1|CkG7W1P+sW(P%tc*|g% zE*vVUfClgURh(qJKxw-(6&IU^8y`z(t}6?Oy~P+~rWzjmZ~ZzkL19nR{Sf-AYhAji z7w(DCcuzyVoLB#Vfvv$0{A>30H!NeG5u{f=CYIPTH z*Yn-66kM5~hIMV~B7nVPv+s#~KlQRH^a&U^n6BZ=q7G}D`!QKe5vk>G#QHxW`Vec~ zL~DqNt!_AG*s3Nvq4#dW93(61cHsfUK$b8W!-w;ho7JNk>%38Hnd4*9Iq)nb*66#; z3}I7XE3**>cOqkg-)sPI;GFZXFqtHgJEeA%3Y~3QpTc`hYJ_1gBQ`$~m~?nNHUD}R zI$H6Nzo%ffZwSwOAK`}$4joMwQ*w$>>HF{{JyCwLu7Jd~K8vHb&BoEeBKxxumIK(b z;RuPA=)98wul85={7eq3G8X}%txj4^AFliYG$4$<3GVJlV7fc?1`UDX#BymXu9kbE z>Z4dJ0dL}wfun*{w-t}PYj({?LK3$_1=b1`Fj*{p&bO`hxDVvc!DGabSV0M&$+Ax;InRV@=#rd%qZT|pyO>MH? zSXxY<#Hs!wJXw%TDS$Xnn)bPB!!2=ADGyWYM9U0ZAno?-3@3L$w?jKt8~D)pp{DZG z-6HQL?|A+&Pmg0^_;Fm9Ct4E=+R(N+*F*el5H!S+IIaeH5bS-E8#-$`Ytci{1u z8lq#N*Bb**YgaWMLxsJm@D7SK9TQ&5KCl@gTA);ykLS8X(?RWF5)V!Hcp4)dw@&Ov zzhd(37m>+;8|;MDFEOvGpKrheR$x@{BrM4{#^l$^ZS74^E5QJ z`Eb&ut}qb+Zj6xG+_%DrAfz$nel99B)Pq#im1yCU=>Jm>wj-s{5e2y)6}hhoHtrw2 zlX82U`k$mpC<6k~hOfyFw?N7bp>t7KwE!s+k0V9Q*yC84yz_XNy8Fk+!!@~y?TVPe zW80ay2|L>(5@vqf-YIcO;t6H)`mrZSWX!@GmG#NvIg$1kP#?8?Cc6*oy1K9r=lS}0 zpQx;RC|8rC_U6*OgkUaTkk+0XUEB-%VoD0VK4HknAfqmu)W*b)nsYrzIc6bU8aIBe zf2lZeXY*3slxNN_jh}v;E=#CA=U=9u{c-a$!vlBDFYCMj@r{X#H6@MGvcz?b#ueQz zG$yUd=9`iW3v=>K8%Hk6H*cBLMpCxLeR4V_A^{boKC<#cxMg>@v2T#acCK4)O?mPe zRhRuozbi10n&ZW3ZLfd#2Fn)?R7M?~n$zEQWM)nODCy&Mk+$c)KJljXV&nBUyDWY3 zyU1?s%5=5kR9vlEKAn0{oqjgsdv*8o{nAsccO_)aMV^9`Ewyqr2YnIG%ZDbz}rs>1F zf6(L><|fl#JLVYQ$USl;+wbGcau>Q|1M8df;v0_p`x@rOtmP6f z=ivz@LsAkSPkyM(T90#55}6;`%is$6eB;f<+D^)^KMfY{esuR`Kxm%3?49-^GjwFl zS>Mo6v#vD^9X)>xUo%uH_|yl>tFVG6hQ@)mXJv7fe7K6QL4wMO;( zp=9cTv$MpCLzgN(s5*LM&(`73-@Uwb`pf&7kuy%PKZjSJ5?>oS<~37rWX&74*RBpc zE8e(TI|S`%xA28)!#U*bbRq2fUlt#C|26{^&a7yYshu2;?ypU7Cx&Hd^OyN!yB7Yu zdWw1EGbhN!(uvpVu9QD^ZOjL|+x7IdnLRem{wNqbI_DFno1wm{v2=U=m~G3pj~;eB zF-LiG@3V#n9`Z+A9(r5)e0%)ShM^xm5aWyeAn*2A;Vs+UZfMMd38xRf&7|*+=^r<0 z4i3*!&HS`DO!<0`&hva1JDs!aZ=6N*ep;2MVt+n%;#BT0Hy#^P-0Sux-GakEJiD0d zei6=oSk?Iz3!>KE?VOGNm_yk|sjI#)HYMWt zV>y=Zp3!`?U@iN~X>ugvmyaW_&3Pr;D*rfiL#YP*j`~hKeCO1nYsb&gjLj1iOZz@D zYJEWpEy$1>P9_eyKEnLTzAgWjo>ErVmDd6YecJs5)wx?(d#KEOXX6&oIlTaREXYs& z-!`iMHJY6v^ePl0IwIK#Q$rfQrPD&<64OFDnZTScXW%mrGK%HUuy0fdABO#(4ST1* zH;-dFHiC^;gysI-Y=_xU3uelkXb|oL6@vSQ7tW`r3E3ZNQ6%fnhxI+&^Lf} ztd%GcVK`v)jzKLrf(TfJ-AdSi>5tV))B;|02(d&#))FV~tY`uKBT!Ba$Fop;)*cl4 zd#Qo|jakVMf;%ZG9I8>X795{ih;CpD903mBaq!Ryz^etB&$az~u}1`^)y^)jxnJnd zG1{dH^CM3|nZL0gwt_PMe_!u^Ez^Hj=!Mh89lEh0%~;Tj{cj4riz0+C|6POm|3bqS zp*v*BF{SZ=Q8*yB2w$T!Xl6hEnBrOIlXgUM|Iz`?z9HH2g z%0wh5!`3+TgIw07P$1eXu?mh?qCnZ}Fc12~upR6=0%mTHD4I``hvDG!<3NrgAI^{3 z;J_wKK2UFj`i3iFE<_|>aM_r;7z>>0)-ZA!Ss0KL5`IENU#VzT;8DpVVlaHy30`VH`cJ2@1dyA3|*ojY&$J`VpiSOoTP7&^m5X+qk}T`^5P)BAYTy?fzj zdf$m+!s6~kb<;r6Vns|y6F3}(U__w_KMv}&j5;H}_nkW@Pr~-S?uGZd7sGT@J7KTb zuekR;$&c%O{Ou^%501vYQ=`5=3ESN39Rp9DG&V}H08s#L8&P_0DWb*-MALI&c{Za| z&~&Us6--<=lx~D|#@VpG0x^7Ybh;5X&4shaM3Ig_6FQkjCFX*wTO)$_3uHvnXXEs^ z*|1-DVWlEH7so1$xooePTx6Wx*ut*CDJV>w>0tz;1$NE$rX(#8XOWSl&JZQ6QO#f z`d2+FEdRT`K1#GFI+-`V0QIQx`Hp(jaWm2XmmBt9E7I$qMhNGw;(rP4e%2Pga|P7= zf9$XRQ*8HNhDVlBdB(qGcZDP*>y!Q^y({QZx?bNQzgrAXeRnn)!+@njf;SKJbc8(Q z1pD~=D!hULxme)0h_ByQ;uTD&2V^Y4&^r+mOAT7|x zcVzX%wbBA5q(Lo1L26eNHQhr#NOU=J3d_|YgDJsbuRziwnh*Bl()_CyjeI?$quETB3YO(e~RccGzI(%Q<&XK za0IjegnaA3XYM1r4WUF5?JkG`Kaf$A*vj!r$d5{TdrcU~xy7KtZ+G8X!n7SRmZgi!{a<#@KfzdQ#yO|Vas30wrf4)ab9rAzbLz#pL-sVBD; zj_&M1@Ji4hg8N7xQ8--GR<;~KGI;vt7bAsbRAwi| z)Vh{Tg~K6#j_Q@DhwC+jy3rrX;*iW5OFjhdGVLdrg_l8b(9tMlh@%A$>L%#r_%K0R zFa-&{79GMhK_v7oc@YW0CpICWHu^(qGL2rrZ)lr)`{!+}*03^a{#g?};PfeIyx< zGV1mhyRq;Vb%JYOPjQf(js<^5jdH9K4S#|%&qzdno_iJr)L=zht!^%YQ~E&W!rNvb z7w%Dd{I-WyLv4OQJ{?AT9UDL$-~?^WQo}A}F*5I2e4zni1;dv5brvIxL4F%qlOM< z@A%^kvxxf)9~FwPJ6R)mxkXj4D_=*u$C?29mOy!Y1m@9>HCd>WXeudEST}$`74=a% z_ddpe?-UKmydu>7*p)@ipwnyU6*YVS0!se!gNXj(eOqx3mked}6SIQtdR2g+cf$wv|bLxEK( z&(H!0!Vr=mF1UySV}&HZ6%-heZY)n`xCb;4?BTk`W;!IVab*m0-&C@_nm===R~HCU z-tQQ>+`pG+(b}xB_!QFX<*^t{ShoDV;Mj`a;10!F2WpYSv4tkUw|pi`hq}kg;aK5t z$}l)gFX~~9j|vPG@|=rZJ|w*n7>=v3E^iugc>J5q>sWa#68Gf4PkR`504pOBIprfN zXxrS|icjOZl4(7VFio(#KEl--k(2L4kgWB@Ne_$)xWJ&FNLYAP=(z$9f)8DhH)hp~*oJ~~2p_|F4KIN(Su`2fML1iz3e=Y)xgb61Az zd!Mex*a9A<=85X%6-a0>+4e}q$-4`1~IBW|(cn;zj+JHVs z1W{hDMx!67H^Yy(bPa~be>BC$*{Wg-BCDO5#-%DD4eDk=8+I&*^j*n%l^_ktf_fvr zn<%$xv@-w{kxA@bF^}N!S9!CI`pD9|=BK!7vGP}QtA@tWbh#1L4`Cm|75ddqFU^87 z8k}hOiX+v>e&WAX8G5OR7at3Vh6*0ay$ATI3Tv`D>E%&~9^xiN^Jk*ulrY-{JgV)PlI3$G zTVJK(V&q)98Tp5BT{UQE=676;*?d<;{~%QXpxiTBvnvIsJKu5rf{mU?IT=YmJKpvb zA|?v70&3+|320P#7je;byK7mz6a|7|^tR_P|_pw5OU}ysLR$$D(4HNTUl?=w8!MLlHSNM*!y%{3~n?o zv67+8GK@DCB04m%7hSPAJcAjU&p)XnthrJPqnBG{k=6!5S}GK~dNEQlog`0;mac=V zx1VWM_-#c$k=2|@1#a|(h!f${1)oGEou!krUXLhw7nMCp&$Q*6rzjeg3~jPqt zjg?f#r4y*5(n)BS<@H$FU;RE%K8GRc05!O}C>#gay@u^NhuYER3RjfZvNEpn6ycUP zLf4(`Tu%$MLK=O5>lbJ1c33xmASgEkU7DOsqUh;Z{rE1VoEDu%?kJLtYI@S}N1{_&Wglp@$>I&Ctgg-DI?(DjX znx;AeEhBHdTLQ`bnW7c-c(1wqA)yj%tE4nL%;HYc31tIrc!WG}ku8UIad$QE7ifaG z`NI>)@9?bzNi4(2csf;VG!JHJ!k-}B(&#-VHfHs}_DM*0Sm{@^HA1s@*ggTBzChT)P;q2M=80Gl;kF_H_#Cu0AO{v3WG1uhA5Hzc9xx=n4BEf0=bQn{`FA^Z=&5 z@@iXc)-hyO@UH%hV=LWmJfSteu5lrQ!JT4F(7UuumKvK2`K#)qWTR)d|;IXk2hS z-A*Xouw);V+LlEU%;eqAG$vh}UTiG1~b!%_f%#-k6OXb>3a*9a|kYm9v)d))o$=rOhLVw9I2gx*jp~E?Fcs zds2~cmInF=X~*bPWLU@>qobsQ*cJzgqY!LX8`LVnFedMt4Cy4bvOB9}vO_uz%F2f4 zcp|l?>Lu4TBz+BhsovCX!S3F|!Pe5^F37IHyT?E-?Jnp}00zo2U$8g_17@I(TNaDP z4S5%H+o)$qIG)S>&Ra7z_B!Nv1E7vRgK2ib56E#5ug|K6=dZnhsWZP818&q&G1$p> z)mR$eOXuat)-XUUnDL0J?NIN!A^#UQG{N_Uo};tE2%gm+(IJ6G^oZ_dKxTw`P46o0 zgC^rI8d|8WiNVR-2EqDRl4C6Mj%ip)4w6f;KE)sD{6iXt*DwR~8Yx*@o#=u-v=CLN zFe&(`yuc!N3b+0im(v$j7g+?HZ(kBtog^Au)52>yhvO~6?|F&gnHDleOmobkPr1{y zzw;K0(PzqoiRuH$F=9Ujy3Hsq4a!(2awIo|<#uod(?{d-zJMXwa? zIq#5pRd6sB4V?+OCmE@(s*;HE*e>R~G(cf0{b`t#08{CSjJMG+g323_cP_Mu@G*<( z;4jzhlomH=xXJcS$XhSO$tj{M(UbQBan!gfkfXNY30mg5gM5zw28(?S zFwl>}zIq|S{t@!c5OkhKB#mutbZl~f0uD5-hA&mH|2tUz9_Z#a*gtXTCSKco)$${~kgdk(tga=O<# zMe8H&bD(2BAOx%*M#)u(79!c~;7`3m`?WQ~ty~0a$~$qf8tQZIxx5DHHmk&=+!d9g zq?2}3bbHXQVr<>W6S^Hyge@C@vvb_YCX+PX;%NB$5yJ<37SJ-&vzDX0DbZO*R1`sq z<;Fyi8xs#z>xr%SxK;ZlM-rtwR7I36d#uwmS*6Ia)BYXGd^dDa&H@{%EQn>)$6sM~>@5W84dDUO-k8$Z?LvoPwNKFoc{<6`28`+)*ZZ;cT{1(o836(sECc|$Q zp+{PfGqFM+29}TSY}tdB4?w=Dc>~bKgBU^uFpDY4#Rc0@o*$Joq3xH#J|BPzJ_)tC zS8>S|^!awQeE^cTBi#q_cA{|9}n{v5wgsqf1I^3wi!xTlwBXo`j#xXv(BX+5sI@u5B- zt|*y+^f}rG4Emn-8Z0oZr}TA9^7&I9QIk+@*fVJg?$NG?ldd`$&v-rTopXxxfA zK6S2Q=w-7FX>Ri+!7w}pn$QX{;hGXT+Db(O=aa-b!_*jH4QIzWe4-PS9;8Juz#O2f z7OAVu$LGchA46^(fSHw;HV~z`NXZ`~+%4)qN{>MC+GJ>5Zt$O~>TlXM(Y5PeW;ZPX{wHlnXOn-`wN zJ;D!x_vtXnmLEZKTevySYxjo<-}qW+p8e4%nJQdQBG9G{%+{aP<+1)p%BuLC93AU1 zBe@wFU*$~UO^4|Kb1yYWnH6auq{8hL4VO43ul`F~PynF4QKG6KB@~VErv*W6V*d-= zezqh-oApuj?F;&}X^+HsMLdG!*;}GTud!#0cf8&PZR-o#f;8mahturCm9Dd4-f)Nq z*TA&lC>?G`?+6kRh-j7Cc7Qa#r zhCZ$pNbC#6>D}*aTPKfIdVhj3pO*1{3?Hv5yl3_=Y~sjr@3U+yNYZ-uvvGN~CPQJ2 zJs-99rg8E<)LLWQ7!AG;!C#=7zmpF>HM&L7dGnCml99j5d4-K8UmRHS=E zcm9};X~+hlqzrMnYBW_BXK}0{BWNiaRSg;@*z-!R^^f?#0%MzsgBh3`sloZ$Q2ng} zbi3~+$TS?6QPH6nS6JOj5ISwo)$8vbCm!z%_=ERF61~g`=0si+L5st239@pZ`8R_9FGvTnj0nwQ-Co_8nVM9$6lxW!q;3CWknAjFL&f73waX5sv zH_q4;;*pYd$UY1U+d@W4I}kWWNT0G(zy)XS476dcY{UREJ?XH4*~jn=5V(Vg87@Pb zv#euW(N@QB^V=ydQ-rqxLs%!PDyO1!vvq`fHMu^d7`t*HxXY~|=nGrkwSm=N5x-Ob zF_~j9+tDXT8IBK0rgx$-K?%^T_E!YJeai2INizh4YY@7wGaTzIe}LQP9F7BRk@kIp z4(7`3AHv5@bg5og#=0Fl>@#`$N`lX@n`svqTGRl#3wOzH$b-RnjTLk)9qqn6;W+dh z=EtnqisqbM%5`J4Cwp)x>Bd0IQ_?LFTu97@xG3YZobM>o>csNS+ntX{D_(IFFIRN7?a&=euy+UASR<&fJlA z;1{LPcwUYozq!u`mbtu0__QDciEYxwhFm<4wBc&)Rx?C5iw~pyW5m}tj3^#}m@&*t zP$N!=J&iG<7!3{n@aXn1)G+EnT_DBxw7lQ!AI3_>Tf=a?d0a334f>F!0H?Usx}_$P zdYab>Ke;MNtK}ya{l5!pm<4#)a)*f zJ-nv$kKpTYVdCTPw&60iNhWcxKiRy2C2rk>%{2yL0ZoL2_EdsP68IMCX0@Ql!h+DR?88LEWpa zJL2Vb<%@qde?e2-in{k`$zABc=^A>;`a&%Kpi*+sjI8kx!pWf1Avr>etf@-LhE`V{ z(RGcy9Yz=B6A`8NlT#r8kAnm8%@x4HJhN=IH9*DE&$FtonfVLOqP1N7m#a$MW)d(iy>T z$)^LXZ^gY-hW7tv)+?o3{A@D}1izwH=1KW~&PJ};=*V*@5Q`eBUN#h|+kJAEFzn98pkDGr`i}PU31L(&av% zp~o1ArjIwU$uyC^Vg6oeeLmKAn9gVaAa3bx7%6|mNavs-j8@1!jlYJO?9|cLK+0`j z5*Eze%&VgEMk^2-+&BnU+qhLEL%1kVU zSG%?#zB;z_I9SiPzDkqtVcr}oI6bYX^|jVH>?+pnM{N!{FV4Orv1O-x4f&tNOgZ{s^X@_=!bfafNwUpA}T)-K+iBTLGD%OxKEYbOX*hD!C#na z{DcGsQuQ?OLO{1YR2bs zKKA{Ks@atwHO`~Pj+RfQu9tH6*a1}7V$gyv z>V9m1`d&0!Un_r~puUdy=M!KE+<{t$9H~{8;?_a%4dkmPc(X;mB`RI<+MwrM&x3V) zouSy=yTFLVrHl@@W^>1LhoX%u$S`h=uL!wU7Lj7knOBSouhnq-J;N|ASOWp!X?w+f ztuJs>^7|k)VwiCM=E1pWwB@H*uEnyFz!v}kXM+c|(ind-_Id2vDZCda?H zd}dO9K9bkUE=e3`TO;Jw#c_SburG0}Jb^m@sg*|<>3Gg6PIh*rP`hZccXFdEo#{4E zJHA6j5zJ??c$wtvZI6YJK{ zMS-52CGAlv1}eaXGaif|>%viNWuPN_)<`XtS>+~fn z4{Q0|+PofAO0};R_?cS%(|Gx)k=|{4%0B@)=V)oS!1#RdUt6LAcLB)`h>|m%zB&~6 zxS|In_c??kYFO)j!S4GydcBralOV^aAz~zm7s>;N@Z!8w6DiT+>h78x!ba z&#Rm`vJQM*-~#Z0Qgerp;!I-!0N2wlxP*J~HesJ{3-%6H^w_b*wi%4k$sj4OokShE zo$T64LRa69UDjSpt-`}#ulLkJnw<~cYavb1(?$5%-?d@auc0$#8v+xWCY0QUJhH^P zwR&H3yt9~dC+OY3#g9|a&pYcuwOy?4M6$rm><#*B!5zE2Zo%kgMECcjA%DnXPXg#B zsd_B8ws{NR7#qm;%q~=rdNVrRASnKrC@!Q9$I1)5l8dQX$Qa|okOqbi8L_FK34a)H zkUTEV*~GA)F^EljR{q*x0f4*vY+GUb8O_@6 zf@!)D+1B9=oNW0CjCpcd@Aa$No$PiUr|uY5pNZ-cSf28Jmh0<$#{jk5Ukdb}d0cGA zzfht(m2Ej5sx15<83dnMTKn)==K7*fu%oGxzfM;cw55br5Yw*ScsO6qo_bbLN*btA z)(GaTk~2X5SZIo8HZP=ilzc+Bi-iE}R`LXs9N48y?ppGc*mczcIG$<*MJfaX|NAx!WuMWJNu!Mn<$JQON76DUQv8b<*;f#U+w zA?P~bCC$f=qZ^ic+@-uKN7S6W=cuhb7{7!Q$d(mChv{)^d2{fsvQ>JR@Aacn&HW$GgM1g z@LxH%^;F(RE!*Yo$*{AxJj96yN70Iw`vlSS>=O60nZ7S&yJ@65KQ@<1lwi9A6uHrh zgAN6}{|s)uo$KnGhqtHDC#2zF%4PccVnD}|Ig|P$;$>E_fVSaNFdt&U@$fpaui%Sr zx{4)rZ;I|nv_ zXA&84)jybr_WSalOth_*Yc29DN>$r&kor!b0AzEmItHGWkmwxdl8;n42gjkTP^j)l z09mCa>z{Kw49XPUQv(n)%K22Hdv$K{LbP@$Yh;w~k^9!9Q00+ywH*hS!X#dS1IO*M z!{3Ka^077ZJdM9QQg>&`+J-8c~M=53$ z#y7J7F;1lgBbPmCvOAX2x9HfSr}@do?dL&8Np&93(UTy)+eY4qZI9RnNY$o%>KVA} z8@5I#fNdD9cMpJuOV#fQY;A{@x!c(nOy=pF) z6-OiYgL=7B;(k%eP|<3jT>Jr`1f?l$&y;=7RJotii#cFx^A^hEh3TNpEkT}T>`z9u zUdw)a{i$rzyN2A4;w(3Er2F?(s74;>1;6k26GQnx%QQe4iEv+`duX`Sea=YK;gouI zbXqnEu9(mw$?80AfE812(-M>9RPO{OxMX4ei;(%x9~bCM=cl^haH*B;mc(iqbrcbM zhCjnSNojVJV-ZLVM3koPVyjkLR?Cnme~W7ma}Z-lNh(Tk4r2IneMuV~%v$-LZglIK>zA(of~UH;1GR@T!U-)zq|azV$qQt-JR za7?vr0G5OXw{=Y}!!=d?n)m2E6)yzU?kd}w)`s^fI( z4FZefJuUJWqY0m*j-STkfPH`@EJDw$}9Q*lTZvLF1s6=$`*U^Q=AK~ir$Hzw`(u0;4g0k5RY>wC4eulgJD>je{ zGiOay;95=uy4bcu;8ggO1l|SFGdou8E zNcZ@MOkkaBLWOto?)z-cbtcaMwFYzZEM016CL^Jz|FGXXs>BGbx?{mFh?{?E6Ps!F z+&3DG)~^gj+?de)sB`(xtX9j82kKL;?;}mic`UOx==tZUX&D{2rMuKk>7G>b6_B`0 zv2O>mGfzeHtggTf$vdeWS%6-4&)W&Bdo#gF6JQik&m%GPwX ze;4aXhWz#sF1PANEe7Dt=9}Va5B`3gFtQ^Jr{aLP1;f(Pqk{59Tt|f< z;r!x8#CFpQ4(X1Dp6xp;S=0 z3+a^mKg5o18cr z=&gDzHd3V|QBZ^@Au^@p9l@FVB&tgUkVm$w*4KebeuJNVUv??^L9pjM0D+r<9jJ6m zxxI+0E2C|dVC|SpZIi$W+=d_&wfx1Ahcuz#Fto<(Cgs)i8L*>D;;-3;wVzom*@YPzP*B8o%JTr&J5aFpP0?!8ZSHW*9eF*XVaX>=^Yuc` z%|dRBQF#%sEfF0cNIO=%hF7g>Z)S(;0yAwR3deQhqe^PVMtX_2>ZD*uQ$5)e?@n~P zdoOh!Y|FXb{jd#Xy3e|6S`q36R>wy#OyOF~#-8r?biOa6Te`^~GCpJ9&<@zHw$U*& zbDHN-uu>>Xv1eVb1Ie-7or}ylHZjdpC3epl?w+a-zsBuUH$tz@&Fp^ z8catOe+@C+bB-g327f2NEyq68;Cnc#^En|=c?Y=7?S3N_Gki}PLV~#eK4aP^k6%n>By=YJYK=UoI0;==Vy0Moo9{2BLyvJ4AF<9-5B%F&DcDUQnrTCuG_$WaPn zlFdT&vOT_Fk?Ysc=-K`=`QY^#W4~1=J9(POCh0;=+;C17?iE`20|u$W^1Y68W%KMy ziM*_ZkV=T;1ey_uz3;5*=Hq`ef@Sva1}TwrnW{cD4BnYMKc*OZe7@t?MZAt#rT)6;cbU5qo&?Yve*nP)bp zML8$y07SRs`Ov4}H5sdG3Mdos>Cb49yk2ac4dxVBfyTSIJH=J*xzznW1y2&4#I6$= zozO1jz0-@!X$m_ z6O3FqfAp8`h5Epk+z{nZOv@Y0L?1`k2Xzn{dlIP+=u`u4T@9?AV7T%FN7a(n4+XCe z;noLQ;yhis5vA{9;r${5=O{H}_qW6SJ;916{}8M0*D4HTEU?`hUHAC*qg7+uzY$*d z^yOBre_FY#iyA`fpB@S5IGOBkIw4$O#h6(y`#1Q)NVvK56cRch-uf1y=e%MhxIx0r z;keksv1oc9fBD<_z2SEgH{bSD^NI4K) z-v@EOxTkA#8r1bTkH=71-y?X{+Udnu8A*hU>8+@63U*`{n$dHskt4sbAo4!00F48G zk++MlkH&vws=PPNeXZB`@epO>J*E0+@8lW?$kU7&5>*3X^?j71Se~AA;sy5`y22%> zFo;GLN58lPxEs!&MD(QN^E!*L!oAow{WRkIJ7c4TDTTf9^iotYFRE^PVJU>Xsz>po z&qSXekC^f2_aJ7E_G~JHq)|GGk=cub+`E50aFRFIv3G&e%A>m>FV#qcFHH{HjMqFfTb+jJlae=PK6%PHdx87@#Btso%l2g%SKR}G``BFY=WU-&eqsYArZ4vdEQ5;|1R&hQ zb`$!+Qecu-*I8D@(ZL{mipnkn{sN@VUKm(2EWTCIwo<=9ROUp*)I?r_HwN^6Tb~opi59+}~Hvvqqmc3f1DDw@1Z8JBB zTgeTQ*`eYvQ8#A{@;p~i#QN4-u4~9!U_KA19+hQl3fChsJ}^vg?dSCi-@^K9ixba| zZa;q;+IbsF+bBNB{>-Bf{aBOMyWp3=R(ZTZ-5M3_wCt$&Su|mRvH0$Z^{qDgc4Lr~ z2S%&EMmaNe!3~@WAu4oxC?9Io9Iak!kk7_84|VL2-|Xr;ib9!9L)94E@iWLTUc_Hx zfb57j(7s5L#3r=w)6hNKGS7gLz9)JGe-H*j0EGKy*l*>z%iVUaZi&kefw7I-mxC7h zh5TCTs+h=!Rr4Wfq%8x#DAjVkx&7IPTa&p8&p@vGXjfpXP|NLxPsf6C%Tv-Uu?#}; z=b%-CASy!K#$~FLAh(O`Zt3(;h|IsBL*iys;h!I~*q2?k>ZET-lx-uZ1fSY$NBr;i zp+)R5P*(DHV(z89(^25BHq)Yz#91PNj2#Q0zLQa?z3fQ^z|_t`{i+~XGa5Jn!czm) zT#f%&j66F*jyE{(rQz>6A06&_RGwpWzGAlB7rch^*iUM?%$h2+Wmf*pD6~=S7v@@^QZRB2N;|CfLhjAUKH9}MI2zbG_-;&7rQ!iXLm+TB9uTCgEfraNqgSueBsEI_|FH%#m#;{kgf!lx?4`W9E3wKW=$DY5)>vN!NZ+1F zVp+=XU%Z#g^g)>y60fhk@B&Qpr3=+7FU+`nA$+=`z(0P^yjp=55kD`L2+G7?Zg~On z{L%>*lHe{qt7^Sifj^!ZTI7mbdw)OvM>~1`bX>h$>q{lU@w8lPebcnC*LC^hzZZJx z_J7n2((x``_vbr!FW=#hlc5>@{p72a_#f-`*ON0{|HqTBR>A++I)A+bJpH8~uU69K z3SDZdODA7h>;JBVtKIH$Nq-c7l^(eC41cqPt8~l7(G?jbm&&^GhQBx8-xxAiFX3{p z{f{O5?R)+8R37sUjO~mUA396Qrw@O?kd~BMIh))`+)b# zb^fX|{K7u)cN^R%a;rL^KE=^1hT9z z5^Y4_sxIB%6RFMRBY(b;Cz8>A`B((~`|?%kaHOBdfB9~|Z|#?Qsn_rG)A##(_T_mR z$(+A@)x{z&U6lR%$$zBTUl3d%h5hmc5om6Bh(8AV|8%4O_zaPpduzXpKZ?EBAQy`L zU3mI0%l%6YU@nvcio*X=TKqw2@ye?kuD}eUz@9R!zP7fq;UbvHgST`sZCe!OT-mlE z+Ihzd07LP=qVEOS{(nW^@Ktw*-$lDC7MP10%B5B1-$b2DlHh+YKl~RZT=l`P_JIGf z7JsvZKW)8#-dO)wGyl{gf1@2PRrqQpTzy}?q!s<4L|m=1zb}?o3eCU&^w+Wex9|Nw zlyI>gf2#e}ioL2#ce!K!sM6mo?(eqHzZVDB{oj1L|4`iDeY(Hfe^)#2a@$?fsQ-4o z{!hZ?rJ4TMyI!?kS1InQ+U9>>+@Izj2pJKEl`D-de-gdk>*KHhY)LoO2gBN z!-7elk*=DgG-VLdcs+O^?y0G*;XLN_G+(;viI-G5-jJTwD=QuM%S@bej%8%$+b~ zr1`SF;|4{pQ*)b9q(E;*FT5A$quLysKEspcEjB}nU8XM+=i_v7x*l$rjZHQpne?8F z3`1I2GUfet;lfN$21Jc(RG*_io`!0r4SKIHv)8y&NUN$@wm0!&F~i_V%gXlIQgMQ~ zM4RdJ;U+v@6f~YJ+U7S!&P#_h%K(Bps+qki5~8%3-d@<_ABeQ+nHl+ukk*@?3Bf)+ z#K-mU=Mo*fmX83R(1UqT6 zRmbD_2~S`6(c{U=hLkioI}^@MK=6QSrWd$X1|Vn~Z&ud0_W=4QleFQbTw|nlRBu-P z!;y^R1EsqFcdK|*ltG1}d$k&IIjSwIh3E3B!AF(*kRFQa1>yN7F-;G}d!UR2sZHa} zY~29_D{wSBn_PoyxgKzHPgaKGMce}#tyPnq9^Qo0!~`hU<4MoEB|6e$ncnPBGgi2< zS~bl#a-at45Tv+HOx0xeBBLN@OzZJ@iOJUk3QkY=+2-I>hy+C5Dgen8N9$EM8lZT9 zq9ARrUY-C2&#Bhy%_tp%G+7yi8#H>jM|#2Q_*$`E>r2lB2P?E=uiSq`N1j5>2p;vd z!Ywk>;T9vINi!CI1O27(dh@izb_-IAYhVQVyoEPIM`Q&NzFDziZB}|F#P(}EYUy#T zRXyp2eY-^3%9BOf{7*n3UXl;Q2u)CKMs{IR6g*f4%=`@+;hukUe#A#6M`RLRm_0CQ zvegVTADLN~e!AF^FpXA3z5n~{?_xzs*cxSxj@CrA3`;TUtTEOu0Nfb0YEUx2c!0eP zezV4!^;X8pTH~S(S`9XReb~xd!jtS{zvq7|4tclj7=#9mjK0JFv zAG2)jYPDKzR=c&EH95L{_5Mlf`XNSV^rqKNH~QO#8Bz=`;$B<0W6YM34;{O1U&Z!o z%&FEit77eGO*eR~sv(1BT9!wST{z{$G~b;ED<6BO=7~gh;q#r>8+w_ujec`)b02e# zIoI6R+|L{^=b8JP2arfvsg~vW_a2#&Dc@ooXdYxPFc(H2I90#vT6Mi~h`GpIY#wSJ zW-Kw6nunW5Xv>^imu$R3HM9^JW z`ceP~odS?5?IPelQP3-qKfp`9@CRLd5(^*TE0%Y&_R_&i;GhVZP|8()g%WDMuKvA; zqi3P$0($`fldfKq3?Hn>96bSkib8i|6unx57F~RM5+kc7nlD&w)I=AoUTM&nqYW5N zF+^LD0aG{;5Mc{e4}voy$Bf9VnGl_h9>&pT^eK*ZK6*=}1utW-R)=mFaIp z0>v7EWYqvnFMFYN0kQS>cWCGLqlAyIgg-U|^zg+$vlfszFZ@N?`LDmip>6o;1f+D)+j>^oD`K3V?~j7s}5ci zI^gL6aJ9zR#h@W&Wf>W`NZU(e#i?Hp!q5@apiAmv&_%!cD#sadYLuCnqs$auIx|Vv znQ<~PK++w2!)6i<1=)>}!vwy@7`vFG;Y5v=I2WwDvZqLKJ}~rN?5e|nj7*$&uZFI= zY1M_U`fH{CLsML}tF9M@4H4K29o0({6X_^zq@yC8(gj}7L47WDM5GZTf6yU^qlBY> z?hx(8W9ZKv^4DMCvA)+j)506wwdUYpkigMui%I?i%Q^t(8C?eZd)EWwKEtu0SEqkGtxDO1PQus2-n7xq<@P*4KQ|cTtO1 zBt>EiBF}}5`Uw9sorO7AG;cCqM0$yMYO^a}T)4`g? zS|*Qt0R(c~V;AZ=t+sZm754!?%HiaJRCp+G&;zq*O=GRF0|*d-V(Ktyb4}EQ8u7Xm zYeNXSrm?CzoQmVL&DI&VpHay18VciyNst(a5MZ-8ZX|wSMdadABJ7#KWgUT@#T9gM z1X8v%4jCg5VU3E|RZ|}h)N*OeU`;`#P#j_FBwM+0_$$L1Mz0xCth9J!4=# zm-y;0IbI*3DxrhL`_xlNsuu0|iK4f~mqfs;tIWsDT&RyXUz~>@4-M2bP9Z0EZ)i0NvVOCxe9$V zU|KnT1isdUVinPGX&Tf_w~|!pZmtwcD=YK5b8kUpM&ZxM79%BzQ&N=cq1qQwk6SSc z1(%tBC;cY(qAAqe;xW`#!nh2p>$^ekp|%&6FWlZQ)T38reQmWh1S7kqqN%<{>6lFl zIt(a;-3N0}Dwoq<)jq){8zTOm)WFy655XGL1=Un7YX8Upyy>;ItLn7Xq2>-Q*o;#5 zJtytL1zI3-SHu{+HT1Pmy}1F^k_zZ_`ha0_EfCMQZH8&#+F@3#7l_H*hv8O(wK^Pb zgx;M@cHy$kwWxc`6efq+rX5||giQxyPd&)I-|`;xc-5*~VIdP7KwwOeWKyCqqHI6{c`yRik1J;5k-Ua~h_Et`AS5 zFQoluOFqXJJh87IstCMko;Jx^6KZT~pN|57qqn3R!l8O= znBHOtL-~!1kC6m=!*&yPMdr&q$Xm2E`gr6hlHwr|cU3F|%+8JzL@k^uuEb4rAWpzf zYhfm<9I{oxKZjlAk$4vql>UKvVWY1GNgJuSyAVQO^K9iUC$U~i#97$9yaUQxUIFN4 z_3FxF~;@diI2K{b)2lKH{_&Qy??(_UJSI7MhYlAqg%eD@;!nO512ocGgH zzsdJedLzeL-qS|Vd28@i;^vs}=8NFiBr$kMh$CS!uH`xB&y)<5Z=0 zS~{uJmkbNa(oI-(d?p#mIC?-bIbzdJlaay^($Drb&D2yiVhgjs5|Z(30H%XOngvm= zRA}*UfR8&=KMCeQ>ob+(8Sf#~$Qtwx!I)}o4mVo& zy$?LF_pEOm|TAs#d@In497M8?Y&U|Ht-E2k}mdX*t%8X8jy`-up zJiV$hR57jDRshsbJy@Adnp6d?0=MvtjjY5bD}y^7XK;{TMwO4WC`2ctDxsfV0qvT9 zTi<4(2hij**QQ=Jqyj-M-f{N1-GkXpy3OAUY4|3l$F5{SUiFj6i~UcvR}Zp06z4E< znWz~L!>o{_Q9faI1L83GYVn6m|E6b3J`cP>hE(keh|4Rru)&i)O1{R?0fOu(Kx_zg z?3iUB(ok0)N+0f?Q0~faNz7vn6mUo0GR;j3fxOvWv`2q`YT0U zBx~AFf!>9?kmFANSX^EQLmGk>Vr3;geOW3kZA9V-oXNJt;$Ap^@p|ze&bJu#0g7I8 z9NY531q5qP-eM8; z`pR&4TFWzzyHV;f$vAOJI6Sq1ggAS!-qc&)+9W?8kFCrC&9E^0S-dv2aZ2YCK|=D# zwT=MEhNX4)LNwg6Gk$v&zMu0P6u1+biM9J;!n09r+xP;2FQMNEZ#suC+L}oX5S2fd zH?u9f4B<(W!wuneAcOd{FwFQYBbs!oU+Y>tmwac6Vd*b0jOlbV!}6P+T^m=nbi1Zt zKTZq?KQ4(KFo1pEvk{nDl1kS&`OHn4zR1PbwgLa821yZ7&vjnhzroQEO^WN#VDZZ}sd} zf!~vmyHGC}a5w$~y_D6SAur(Z;~*w*V|U!ZB&R)m>O;sxn@1lpHEB(523bv;dD7ja z(-sUuqu3P*3Jk$fXq+WYzl6rfFYA}|Kzs?iBn9oeZB?S(;dFy} zO9Aa4? zmWSgt)+#X0cFfd-8Z1tWYg=er+amrSOwy!q!^HZkimexcNd?j)b`kZU{y>!frXxA;|Y0Fcb# z1FhGBVUi(1x=K=o+a+TTU`~no_GLP02tF(XF>{X%uR3EpWjdHiMA8$&amLfjT#_6~8LqW@V-dNcL z!8wW$7v8)3DdOL8lIc@4sC_p1ME-@M8sB{c+Cl71lWj|cVtlVFT8KZGtz;w8=^MuNnv3fVghhp zHej1E6FpODH_aS;Zan*&baq<%Gu};UIA1%Oede2d%XlLvFZf`lVP>xe7- z9$v}($}0wHm9_v;Mt}Fgt{v^p&55pi#OZi(ZUZLDoNEpINO23wK0mR7?u>*~$~ zL}oemp#IKeE1oL$^NWa1Rd+jDo+brkzK61NVgp5-;n;9cc{18ID6b-N%4g8vr^pat zz>bU{(I`9J^;|gxZ2elxEF%kuc49$%)k&P#c2a)T$Qg3)wxl^<4&!l3#52dv%HDKuWc~>q_?~hhZoQn6u=UkNu@-1XOww>zxgI&dP{GUDvQ=! zDkI01{8`a~_~3DzXv-IF0R)@`IxJYoIkztpM&jPWX6nId>TA*Xoa6bT!E3h%RWew( z1zJ~J5_IBX44j&!Cy8Std3Cdtb|8|ldzxV@Q`Cp>m>r1BHVp*OLH}GNe2bIFb2d9+ zq->i+)(eu*3j+VW^I${ER0D|FEOakf2zaV@0sdkmPN#>N0&<5d!*LgCI<8_ym940MfLh+!f#^bMJ^;*-D2N*D!B#k1=sV3U@O%+@MT_Ek$n7Z+@F& zgFa`H?ck>Bw`?i)AGBPxsc&rSX!)J^+>Kq#gF#~h9fu#mCpCho25OL%e+RrsrbVK@ zz&f?Yv_8$!oM3w2ic*8v(S_gJ)xJ$<>0>#2pRXc~Z%V@xP>9{1O7E7tI8O~XRzexI zGh`jlPUqP##lSQ&m7T$3&T*d+1XeJ*R81#yf|p9L1N&&W946-~Uf^HmfVmGR)g+f4QZ@z zvV7DPoEi8msl(mqV7@s;6P&(pIKRyzFETP^QYF7SUTDWJQ&!&yDki&KOK$2I5a_LM zm;y@pNmISKs23~A08vUl2b7k%{CSHIaxB*2V&6>e@i zKxB?p-bFN@EbU~3Zt6cxaPh|3GzWJjpNY9b3$>H+-uLBYDZ;eCEsot}ERGeEyf;8% zcfZv@kkU_iJBAxP^EM>*4zkz)iTJ93{cC|X&J|DFy+hRoRCPi~J=Qf2cUD+S2f(?>kYI{Fe8W(}n?Y^nk*fwT}9Le#`g#?!+ah5(^eAaRG{e zC0K4bX;B9gHZ>hJ(pHas|A*uq*G7}yK=+y))U?aV-)YlMtDVl)+X4BWtxkzpA&!MC zNiZ2^fF9UjdAU1MEX8(ywidgz4WTLk+@5a>?1QGMB}tassjThE>;g^8G9ZPnWCx|- zqvVl}9cUU~ouz54XYE$H#rBeAfCnrfHT(jXe7~J3HBSWjAzahQo=)UfCGhWQfk^sg z{>yYo>kG+rUf=#4tNG4Ordd;bR5ow?eRM-4OD;=~1UGI_#+01lay4)n$>a zAuTh;9c^~?ix6ss@I8(i(7;tR21fn zGb7yKxZhUG9@63I^e0<_t+C|;u;F_6+-9>E=5Ra=1w^FcjTS-^)TK;XABvp<pBByvgNiolxjI=gD&c!X$av5G);|cj<#rm+oJ;o{2pHMIKTAL zov4}(=4z(YV&A@5!hAI=>X$Wf?nS-vG~0au{#?bE^g^|!r+i@Yt*&iolv534W8Q%- zteLVuvcgY}>&dWlAM;OAr2+A8x!7f~awvY1gjt+cWQE_+#e%Z`G1 zY3EFu>{Ihe^N~lHuKe;iJknero)&7Xn$C990%lEt?TgVGl**ss9CdPB5BA5N7}&Y? z&ErPcdg34Gw?JKG3K`gMyP;hN*Rh)t*Y05N)V93ZvT5@txNDo2{ZQZGW(*D$l8V1) zHa`u9nEnFw;{g~XH8wVpctDNMO-E%*@wKD}+rYD*Nm4H0QINqPE&E}Rl~EXPfXX27 z!h0g`x(?q4R?(I?(ReJAe7XD%K3=Qdj%*WooBg_UBz=S*4f3eUy`l#ZcGMD9%E-S7 z(NDO6-m@Uf4q}dzQq#Ly_E|0S!^l?QQ zx{fB0O$7ybx<)A|+Rav}oqC$c>$SEOIKg}ENE5P*XM~9E5f__Xs za`1RHV-(lQZcvQh=wpoeIy z<5SzSG)|E7vm>fD&UC$^uEiwZe-{#AOB4MxZf)YoO(?CP&9AsEc)IWmlPv5eqcw`n z9n&qiT3)Jk_2<~Ol}?4Re5mK7YL^t(V&UTWv4(TwNu{ZKT-q8*qEiH!sRCW&It2(E zr^1J6z!%4a9TFMliZ5`HHfc4*M-^Fd712C%fzBjrbJQn!CC!*26NM^QG zSM{Lt8YAh=e%HM`t91_+i>qVCK`27%+Bf8X>U>i`;gk~S*% z19$)|yW^ykYQMx=M(CQZrDKISrc5xTJp+|5F)it7`IfR@Qs!}APB*eLm@2gdc+%=( zB?|>?9{xKo%lk}Q4D#EoyqmEVottg%!nCO6J8^e*5~Y=ahfBt>M~p2=IA3~hvxOaE zlmyb>w_Jz6q^ayjgYrd&$ta)AKA>fX6qG3RF;}ziQBdcE?%a0VN28o@Kk1=!P|h5-`ssZ-1w~pZ&!IAB&3Yg6!JqC?$#ceG}*{sDzaZ zz+hjbl=9?Nq)Ypj)l!Ed-x14k#M$1L-&%r(|0^$cAX)NA|qHC7X^U(185t0LWBhJX5dC*AI*xwNi)Qn1@7WB}3#gg(IpR|=6*77fO0gBSoZmf{9PlYOTV z%#Q-Roj%PZ=6{J`>a>j}01J>i3(al=d-$_~ezrqcFV1HMHt!=oY+w?DF{|!}5GYZL z2P!~alxVw#D_mqQ@#QSFws%~G@TI;TnsJ!FG&7)ytmCI9%G!0bv!Lqyf zOro8SJ(ySIYP}U~w*zcW{_Qx+4O+1W^AZ_Lov%J&dgE(!ux$+iGGn zjmmWcPN!MEOr-CEpxzg&VELW_UIlq^lBQt_`$ci!Im=po3xF#plZSoNla;mcmg6OX z4GXkJ{@NtVKN5}LIJrJtBlqYZSYvA>t+>e4x100VVYckW21^%#8RT{+^Sj~$@3Wtm z;8T!U|4b}Su)V^@#Nx-~2ZeoyHA8Dml}V_|^0{K#nq*`7x8iLzvbL82e8E+XEN3)* z63?C-!VgMDMeKJ**A()irG+YjF|?cgVhGr-?o5l}j~Ph?f6&O5iSF$~$TJ${aZ9FX5T2&y|K8>|6G)q1FQV&gvt8`FhNLHu{U|qKN?BAcKD`H&R6p?NFN@P!8Bls=% zXys#8I*MbdAI7`it{BKl0lo-vbUwTaVKz+XC9P$(?O;OaW~M6eA>Y>yh|o5~0fE3Y zni|;`(=hr9~XC;+gku(F} zEp8QCX^u}uuz!l7DQq;yZe<8p3c8n1O+_Lfx}RQ0jbZ=~Q!Ge$JNI5hvxTl=FLElc z6fJkLH)+LcI$-%$)J(*17VYnEiO&9qG~{ec{s2U;eDym1 zJDo7D=_n(IZe_RWc0WrCh`4{M{Wd-OODvV;zI=rZF)xx)cn+z>yZHMlSY|5OlAf|z zD@=3D@SYTazr?W|FXOyI8D0r~OFAns3VU0ZDN7I*Xf|F!ZcyTIn-5KMe;vQs#k^nC zC@r?H*KW=OJJpV-#DzzU{9Xa8pgYF%H^ds0&p{LPK1iIxai$(G5MFb2D8ng!oen0) zuxN?(nZk0+V=Jl=<88NsKZUpI@k-Fa=~ApH%TUXClyuIEpK|ps zKR`CPXU1WNqtUs{PBYohlI2ocFw=Ca7N_H8`Nte75!SZ%*nL^_!@AyqXn=vj(;Txo zTVW<*9^>yU0U%O93@>7zXUL)uOAeCZfhBZ~X`~jGw2|^e)zFvSTLWkzhLPF4Xe{}<`UNz7M2v9eYu=gD%3lA15loW*O z%7180a-O1Os(m8U`Y3;|!?ZHN@w0r2`Xv;)8y5CKY5mJ;NCJ7KMI`5ossZ!4CYhvF z=bAdqFy@);yhM~c0Swv7D8$^yPUXNZ{tz0?#+0K}*n=ftWZInzs?=lKb8uf8=J-&L z)~|4C;S?GAV2RR$wO8ou|1j~VVub{GP*PPYNjiJ0FCMk*3r`}+-+yZw5eLX8ef5A{ zFNuK5tiEQ%<7hDi!)A&iZ4jT&vmgMg~TsiB0p4b zU>+*H7C=!LD^uJwDwyZ%L_ssoz+Ym|u@>b>GB+#q+Pokt(=ZF_9Nv>2zyEer0T$6a zg{Ydn;(~ZtA>OfH*)_Z@6ujeyy)Ow>DWeH zZ7)H9FG;0+!7D>%=l+WD5fZ>drR*vW3yx+qMwzPdcI#ZiW+a!piWrhe_0EOyz@>FN z_L8%s_qxv+n5>ff^Iwdow#op)w{p4cB)ut{U*SWx!q6<7C;Ee5krFP+8&&-qu`>d8 z@Qsw3q!aRa2hOJ}z%Fz*8Njs=2D~op<67*YrHqfct}+TUDdh2-R|0cX95wDEMCOVT zw=4S*F^QSV?PB7*JJj#6uuANUuhS?uSd2Q%xa$(hjKCz&fGj=Y1Phtu3i8RcV2BWw88B!rwaH52WF_ zmdRkqD$oND#UN5kJhpcB5$aDuLbm&uWDB8pc0b|L$@8_X?5+p-H)7Q|#G1QtX{KLz zAwHQ@dVcx)0;Xb z8=$~#w&3T1U`{EUZ3Mai2P4O(yB}b2Z}o1h4mRV5$Qgeb$n1IlAA9c}*2LAl4et#Z z$PSsn1ST?pj7%VrL=w$FB1Ab1k|-!hP*kj^s6nxUfuA6`h@HUzCMEMZW6H%j-s=$vt@qx1)D$15RkL6KL&GUMLJg+N)rgTc5 zfo!j+LDj#gOseW*0GTq|4w99Ac#p0dFD76OpApT)vs1ah#0{98%f;B&!FbKaQxhBs z0cjs&p$B&9GQ<}^X&ArNaL_te1#vX>nYi-t>R*+{Xj(N!ZtWYUZkFHslTL7KLQ)a- z*7VN4Zy4TSb@of<68J_s_eb?zrL{7^m2SSRq^6P4%t0oW>BUSUM!#j6rEgT5$&i1M z8K}&iw@kZtcS#uGg zq4*zLK-%lNQF~#r==nTvGor?Fo2p+qTRJ2-a|XI|0#!NAAze>u84jbontGL#Xx)t6 zkW+V<0;mtLSCaJ+)Y%eADFt<_cWZu?W&#P&+v7!klM#w zBr27T)c4ViC*f?o^=c-T$@*@;oSAAl>b2Kc04CnN3Gd{1>c;Zv- zcN1s)hWnz?r4M)gRozXk4=K5eHTA{hzHK;(R{6rX=!V_GZro1)x}y9z%WKanT+yVE zjRItu9hT-RLUBJfDlHkMmK1KKM;2ZZup!$1I<03#W|&xjxi6rMa$k;NGlh6|7zXtt zCUwwYBv_dgfL(os!*G@;B3J<&qQ7K9QzMyj+@mJkToz^Uq$crQ^>kk5(ynwVS1w$<=~ku4xgxwuW_@g}de>5T9n02DkTR)x!|= zM~eCZG-GKGE`tRUvo$uTU9Zzn3E6X0??5G}$6ob#Woo>0HNwphEzAg|%5{nKo4Ssa z3oN%#@WGwvPcJSF$nZB~<@1?&q5JKTEmnsOc_6yvOPsQ2{V}6pd#!`u1|EBi@taLDu{rd&a_F0i|LPtP@gLpY1drj5jYV zu#6Bj#put(`_2vNOTMo^hR2DD0N+IC@p!`0b+tXH6vG464++dM zO|B|;2_8=I&anaXQpiO#T4RvmEXp>^hEozXj6Em)B?t9wowEn0xR~@Fdnj+~)OE3EsY8bh7JBq9p^tcu(tk7d| z6qO4ewxtM^4OOQns9Y7=#iJo}wH$I5liUu3ww3NQPn9pUmo&f_OYJ6{^NT?3kqGZ= zSgS8$Uy4mJ>WH zKe2(O)fs9=m3^$uK$404%M+fjuZljy1UJ}n(pwePUnaURnRR0ia#X%lu)A)*UOeW9E@ z`Lg`iJkUXVpnI9vbT8A<;EG+20X4_fKZNW52sfV9GU0f(kd2D#+^S!#(gRn|Y89of zI#}*1=}YM#U!Nz)nS`qLkjHeg(cW6T7N#n$0$f^M1>v>9(V$K)iUFJ!W-Pvxa4)dg z!XdRYgi7{joo=eVw^-}CEJ^RGv+l!qh0GeI?anNWq6V0{Y0^VY!9?kg%XC^bN!p^n z3~NYc2d&B+h;XBC6i9ea$=MU2TAHX|!12pMsSzNvp3;%tnPbAVmg}QBq>xH&yJ?h2$=cu!LUz>w*wI2v!y`74S}Q>R1&T67`c1XMwx=I=Pl=IX$_ zLM9nr25>?Po|5?{w3+={wZIRvldPH#q?y!M%4BWT$p*97u43Ni0uTsL@&JiCll z8LKj^;fUH|904NG^z?fxaX9E0s_7(Hs?tgN0y(jsnGflZR^)Ii<{mKn z&v5K9lYAh60}14^(f>f$w}F>|r~Mxw`&QgN9H+ty2&RfQhQKofZ;T&?AJdlhZiThO zZhj~oz@`4zsr*oP{|Bvi)s_eMpVRjYia)_uF>!nw0RX<;2AKc%LHvMvzl2b0j=UAp zZjH$VHbc;COo@K0P43L9B`$7?*Z3d72}0;c`HxB-zI=Yeg@F~ z`_li}QvPGK5+D4hhhw*%7moHU<36sc_1^z^Mt|G3p3uKb+o1rS-3qgY&KlzDOyb*Y~S z(%M3hJC6C=hTsO<*dwh*1}$7N?%7vcP4C}^*mfapl2CwS|2JQxjb8$1hXehi%i1)U z{y*#pR^n~#g@3eo>$zIn+zS^B7wvx<{!5enlU&kv`E3-FRt`*zAMzdpX>Grm`zB6= zCl30%^`_c-tu415(?$)k#^n3PgC1q8iTQVgEcYmQ2>ka6ZPt1*tq+lZ8(2b{S+>6T z`@;Ra7H9-`M*O|fc0GP%^S@ihPm2J1goD0N0R_0>d#z`LZhY1PkR31cRaj&CK6`AQ z9r0PB9KPCSx~)%;-|qeQk?`-sw>>LG{;{IXUZIztouZY+(stD_y8RE`^na(DE_tx& zA9T|o=)dt5Rc++2w?CC>wqL}?1y?r(8gFa_`j-R6|Igt5KZ83=t^YH)|IHfwKgV=Mz^@^OSz~iR#8^0J*bE4umGg zNJYp)5CVeqAsovj;T)yk2f@EG5n-)!BxPj2W{kRQY{v(btz^hj>Mq`@1g@kH*qcdV zt=<6D!OxE*@jxZ1W|DCSyh^SFKRp7+$-@!i?AQ=F(NBZ4hC%>>48xUHNJeV_j0)M? zVn&0D@ggP+`|u)sk%=g{h{9TFmVm37Ow>{!;E{l-Hh!{z$pSeKbab}oKRA&i{ZvSB z<48wVkGr(7A4wEvlUdu*SpdlZ7KtMj=?3ajkx`eb95voIk@}7T;)BkN478aG=WKvZ zex7s&qNEN=?EvF^KNgV1Eucx$5Q=o$P~|L?;D$(YE}oor5_AOIo&81C4L_l%0xc3A z8NQR~)FZyGD1uHDrlAr`H}Ai45-=pyy+wsjsJ@y13RqZ-P304^yGoZCHEtjpX*2Y} zVrequNjp%ibemzN3-}7OfdNP0;p}?MQcmxPh-Yr#No>Mk%CJ@rEOk}psvzB{`S_<@a~pf(6EvXm z2rF!%A@2ac;hL!kT~11<&H$fw(Xqk?C~Ef>sle}x7Z5c{w}84S`~;K<(*|6i^AQ%m z!X^mGn6c}d&p0n4Y6LdWy+{wxmBHCLy#lgFVUO-#lurtS7&hQTxRREO)Ko*j6PGCx zQkDA*&G<*DGIzMC7%$hc*he_jA$L;r-(;?$sWP88dkO=P*_gDBP))conT^BO@fi82 z@uQ^~fEB&2i@?(XIhvx26n+=p_qQu<2axIhxLr!VuCpsVCkxqDG5}-q(fj@1VmEt- z|0p3!Xl^=b89K1q(>W>=TTV5cX+ zl2$mJgt@+7H&*?pLYTvb7w%`(!u7^_0Ehxd=)@64AKQXiac+RO2-mYL)j?vcQxP_L@32O0q_szI;bVq1nT6HP7>aO^$>AXF zgKzjDZFBHpUAu)6W_O(v;-I%bEw`2&!X5l)GkApxhIMt|2NI~L-dd>q_7S}ckW2wM zri9W7#298Z>+LFT^e_x z;4ermP~CN=mYz^hm^0(InuZF!uvYgNX-og$3cTBe)xxcu9}zyO%aGbP6a1W36H*_} zPX$N^SAl=$Ym|6hiVnx6{R`Owb?Xg_>6s}Bc&_+kV2L`nN`0De>ZV2*h9>3i32P;JgRf*P$#@I07u-3#<`$^_}x3Ljot$ zgUAN&N5aa+&cYh;+ZU72ly@kzVL#Cp_93CxRY5A9yrnD6 zyQ2aLSNJ9g#m$1OMkD-)k8@E}JEYG&iN9b6WNv~%R%a|aMS9sCxVz`W=H2cJWT>_I zbe(EWm5+ndti(^522!549XhdmIfRsm-PKemgG}Ip!wUryAfjgIA{)*~k}e`!<782G zcc~*(JnIjgdyAb-l}N8!UkS>IM~0qwj8zp#rPg_YNIt$Sg@MN;yRf=*T@IzUtUbM_ z?so{=KZMeSd|nt8=L%bxhNGRMWHli>MC5Y)4%H*~Cnx)5U{G2mzkD zgtdm47Ds*JAb>7y4;(U#6pz>onI+$LJP|}pp4Sgycrg^~xoW2qx#>VxQF)Q|Ma;R}DI z!7mN&Z9NbQ!UYinE$#y>m@M)XG9R+74E z73edRWjD|Qvzis`?U=Q+$=!=GRrK#gk?5gQWrq88=h>-ww-NtG2&v&Va<`du`yUJ= ztdzLh*|tJ}Yj%;@-lfNR_o(XCz&&-te7ciZT}Q0T1ATX(mM4tKm1pOQATAd5;WF%R{DH zu!m!R;Mrr4A$`h6$W4hUXRX7+;KAxzxR?=03UCzSQWvSZ$fa!?d*G?|fz}(cY}O)I z^U(%5eVs6>?$P?@FdN@klrx8DqLqS@?@35UJc?0MqX3Sf8KnfoPMI8l-5Oz~?jyqH zR3S22dX5<_j7#f>$mS+z&0f{#^g^ZJEElLK`&1m)5QSrLzv}xZ=6YjX8_T;u%<&kd zsePqQ249ODSQ$y=dn#;`JEASanPv|tLVxsVx)T{D^21hQ%hz9A{gM`o|UlI@g`oju3dJ=ic*imA=Trm9!1 z=_p%g1vc|uJesM(X?msk6c>}mV?ipb@5)3_ zMJhK7oo>IpSN0KYvIb1=u!o2d%`2ZlLKp14Sz{T;J2wr+kKGRahv-4^#oSgag<#IshP3Jdw3T(Dnf5?G&b~4L$(P( zTbr)C0TZZmjURnXCX(my3!a5kmVs;eOnQWG0BqoETOwV|epsDMPQxzxvvPbIb7VY8 z-@tRbBI=pf)05Jr0 z$v6B-CClRhH6t3ufJ?pX+Ts9q`*N&jN2_#q12MgR4Ei%$dW4t3Oi9|{=klwsU( zb|PNj9*1-$-1KBvW4h|6@KryPaBndiE;vZLatV*|{;GP7luOVK7S}NRydxSzYwioj z7Iz~84%1XUufVycH?M!+^hk=4&Rf4>h_U}&nY7;}R=;7N1a-=u!>Yo>?5|Q+2(Pk3 zXr6t){E+ms?L59#R6wQk&&zQX+YNM$)>E;}`(6thn|e=`(#~_h5An=?o2(X-DX}tG zuvz1RO)bJ7_A(NVO;$s&CW}Bx?%T@AqK34My`0MM{_ zCmT}tfaEoAf_~A=l;3-fXzd{+|KW3hE1YNhh&J*c(!|JSQK9?NDHSN?QSA!Dh^L?) z(NWH!Xeh$=crx5ian+eh3GZ1-shAn2!;UY|!x5C3O{Ujd2Kc7%*K~9gS3wx{D?(gDccZ!pJSE3~fOf}XYG-y3r7NHU zH18_JTx=-OB?C;0M=JJ&bs`05r0U2EriB>D-QmK0(ysm}laHS^g zT?d4RszG$i5WqjBiZL?dPTDJy->Tr~K@KZsrA zzSj)^yDd0Mdt6xHw-9=`{vFm6Rvn*`c#pzP{1fkxQ$JOIXluql1Br1uJ={KndrkF< zk};}!DRW{GNwq7fl^f6C%<|4aaO+MP3^a}_e?-N3sgmF5q0C&sVP?X*NTQ9l&UlA3 zjqgd@mf%R3c5uH7T9Sj)Bzs*P49F3=SJ8z4b1@G z8%jxW-%uXI?DEY*@#)*r$ zY?ey#6PHpZlGj%6l($jAktJ|=!$&Wi=x)q0Y~^y9ddZ!q~eNGQS)y&m2}v*-1eOQQ7BbeqQ8Ev z$ReILRL*0PD;GQB5%-p)l^V{UqDat~j$9*3h{3*vp_p zXc*3ZP&oj8D0 zHvZvN%zJWJo^@AtMqcBVI9$V~Gl^^#<}=d~Yvf;7oULL_tF+fYuKdNiCIZiCx*`_K z#jeQ8$_xS73G8h9PW^a=kgriF`1LWmX!k3~^;Ox1L~4>@3fJ@D3ND<)lTB1VK2N8M zWoL5z#Eu}LmS;d*_d$07Ijr!kr+Vb}hni?pyaQOR>Y}2|7Qvq+*tV(y(|F+Nt>QaD zrgA)5za^w0O6%^@)SWB^T@e0DqItqpuMtxaG1;zCRle<};Zi^5PPL|b0jKp8Vy(Rb z4C;in8*3+mo9H|dgVj75F1%MK23E+DxsZ^{bGpe7vw;Zp@nT`q{ zcm{z7YAOGc(N>=DO`%8m=Rld$zehhDk!`i@1`UX8 zd*+9-+=GOdw9-NKT!N!C33BlB+EKgJkK}xi95>nBLW!Z7nQeEGOo(sHctQH!{GLX- zVBJg$MjXrD&pw>yk!OFO*%(w4V(Qo2w{kVp$gQW$)CtOzHxsL`h5#uu5gP@OyyW>8 zJCN!_s+fp7&{ra~O5kv6K%$YGc+G;mJ=tb}`PQ|Cna*(8WqH|%XyI3b+p~zue(1(3DrrbEUaje`sE^linqXzU zh996Xy@j_nIl+(@fs?2?69%iUXM$Xi<-HWnejWY~1xQE)MEL_pt*q*pR#7Z}vdAu7=8rH<6b!upiH`UBrq&1rdbxz zZ+J5mIqH?>py(H_H3!GcjX5fhTRHqFiQoFlQANVuYez#mACEbvO!{p2F*^CiE5}sb z9$Y&XnjsU8hh;^0k25{v>W`~KJKM6t^SVJW#naQ~QuoRCxFSLZmQ$LdF-=sv-Wi|N zv>P^?nHM>7nP(n1`jxs&?bz3wsi@Sw*XKlyKT@9&UD3O|IXe6k&wSnFYjyMaX>*VC zXg~8$+%pE`l;lE9WQAP6uxI@#{gR|TFUG!PCQ;lAVVUGf{U@19`|%~+b53EYYiMr9;)n?uNm*Iy z1J^!@2>0}>bG7qkWx3nQ>s#F6`A0lG_!)5-n$zFSR`whi9ll%{yr5rTTI}iW1=+?S z56)!AdzUTG>39dJdsz;D{b{exC;Bbwo!HWEMQ)etD_7(t{J8Zv^~T*Jefvb6mKOFo z+3#Low>BXrFkc#S_Y>I*^1@^8RQklcp54OiZjW16)2|@Ma-v_~E-4Qq`gyVe!d_TZ z$@VWQ*~bnTQuUA>=v{bIkub8ZaCOn>`c?h=joo#kf8Xzv=PzcK>F#R=FH2Il>zqqQ z&Ko>qVydg1cEM-tg7A+oRem0rcXRH5p;Pai7%*(+6P6wRLI$&TxK8P)>HhJh8ijY< z_JXw?C(*BDbqno`GkSJx0d8v1rHLR*shc-IWF14k}R4JsP7Jl9?1Tm5A3Y&Iw1 z9tvN>b*~xj`7EF&ajkFL<>C#Mw=R!V}a=)|DE!XeYeLW{?@ug+!^#_^4&&5+&d!oi4 z&i(p}@kgj0%O})CidV{xZ`?L}?1|I~bIVV1bE7*Si+k-#=And>SK6Poi5p@QN;*fj zJLh{4{X$E27hUCrT;J8oOTO2xPP$V0?bXTGYB~%}v(*m3RX5kIIUcmMU-Pjl$Ae`7 zQ*SrE!%thg_uDV0-96D|!SqnuoKw>uG*lEtKcswL&1k^&x|#1&1NzPU{m#i@v;KM# zJY0(v$uZTGb}d##L|fv(~)>Fe@RHezib1MoB*XLUD2iDiL8?m;2 zUR1@SpuxJSmwHmJ>GBc7jhGz~s(0J<3k{$8zFru=ZS8s8&b!w#=Qq~hlK1Hpb|Nci z^!ELqEGj;ALa((POun{w{1IU;)z16E<*NJC90f$zq=ND7$3|>fa=WohY;AEvVQi*j zX_J(5Dyt$^`S%}FMT6jdi=;$^3|X6QOjN; zDRFhras6-fd$N7S=DM`#g`<||EDic_`J?ahJrOwx%{RkZC(`@!`UY|&oz$~E@WJy*`Lg|{Ra58dAUkG!h9ywV3)gYji;nbofs2WTF7jh}tC zIna1~KJ55^H=h32R7Wz~tv4Ign&yZe=a*a%fS9y_t<~W{(sO+OJ(c_f&ZBGBISQ?{7>EE z|M#cx{rLf>{%*dI{NGDZ{_hlO7#4cxzl@Yy}h6>vJ{6Y#J1#`<{owpTIDZFf(4YqRE}V`aj#46uYJjr@ zh2<;qUxvtUbgUNT4+_W!K?2z1$bd5&Vefnee2Vj54#+pod+6_*e=99}vV0TTdggmd zvzjs;yb_pE z2Y*0-7k*|PNr(T=U@EfPne-!}e+B}Q8{QF_65bxeye$0)31fpILht_hOXpDH#yOl! z7MPAToo%7Ne0=QB!1TMvLjOEs4Mg$?3^GUZ^t*vnAfPA*!G2|o`zzawx7O#UX@P8pJtT9|G)e$QqvkGC~LOmr1;m^b!D2ob_GfXknUWpjv z4w4X2SctMb#nkh7G!UdH*dB@)P-uvdF?tLndN8MW6hWSY!&)NXbVelMrDUZHWnqw4 z_3s4FH&KJKqgodyhtpGosUS+|9PGamIJDk>WyWn!{Pv*W>?kOVi)z#cyPwbdTrrr_T{oB03K^8eK!X78fdZHNAsknoX<0aLEPv+{o`5C}E>*vPhg zDyv0FIxT1-j$$Jt5?ia%fOM=FLwY1YA)04(XdNbNGHT7}vLGGf*V-uK`bGLn?D>@{ zH_9r;TR9Z%FVxqXF4p>!#5xgm)@dCegqWh!`t=Z#t&vD9M$!ICf2~>K;?~qLy9e3u zI$4G-r7Jy`d5RM0ryvmXR0dTs+cWw+0q9CVjgUQGVgRiTnXNP32_>_mP!bfE$Pl^J zY$9VXSc^5mS(N3gzUWvQ7wyghZ*H zEpNQT7z;)qG^8firf}F0O0+Kr-PCfr;U{*S(x3Vk7^wH0lQ#j;H!mk5J8tq8FfT%g z1e2a~=A%ikA!I8Zi18*5qT|^gkbUYXI0*iLIqFv6c}J1E9Lc~uJf38XY15=%P?|Hq z-e4Vq%i0Cd%dD?qI=pBzejqCdD4Ds;zv}r%g500+28rnxVn+Hi<*iE~NTyd>y{nxf zLM5d0*|X%PcMIf1BHC6-kf!qP#b!Uh2EPb!U<}9~x<}FrAQ{?c{^M)Xzcs)|gMJTCpel~M&Z_31msZ2`aB)X$HPYzvZ-K5aQ$VsBO zQ6cgnlQt`ODn#i=HyGawkzT3147&&d6d}JDpuebK3d_~D-}Nxvq}X>LaaSh&L9GIH zq2=q;*)cNF$qu%ZFwf-_6VZpra4>xc3VT8b$EBCOh=457dShUfK zn%xnQr;qV@ciChky{esZQ$e-J>LKgn*#}B@qLr5+8#{F0LTUhfR_P{=>S&M-5H|(3 zEN8kp6te2=Y*)z7?b>F26AFuf1{m)n$YyK|K}or#WC>IuDcZX3^TRWkPDLB&6wZol z9`)se4Uuf))g{)Q=(-jF91y2ZnT{Vl>{k7l(W^Fv$;MSa9*9!J+t5+Wnv{8u)BFg7 zwA%6X`>3;+j_mI?dqJM13DFLZitZ~O#K`7Q1*F8>^y*FmLjl=D2ZLj= zZ`0}I*PK)|2Y4a(iFXA0QF|kVE~F2eM0}Z!bo2}qXqsbA5K-t}Fg{#jZEMH@+NSD5 zpp3l_SwF;%Kd|+WKz_S?m1G<)uTe6Ct&0Mj8$yk5TgQ&S0eae1=H!kN5V~ZGvo%jYshhS03%Hr zh^?6c>gh^)A2*!oS+E~D(vd9D$)>AoH3VCtEpg&+h)ahEw^;Z~MQ0=&M?H2?O?6;Q zc%S(rjdTp_I{yuZm4(jC_1d>eUV z#b{(58B~80SU8TesQxyvLd21{I?n(82C5kX?Dnsam;We?J*4O4)Gh0rU;s+^FXt1> z>%gxs-IcvpcvKfAz5ycE3|DR@iNYTJc^Zgn_$gSyCQ9hSYD=6XS19E;F_aUw!gK$+ zO!!WEgKcl??Rf(^N=w&0SF>BCRARB<=MTesSxYZs-9Qt`zY%aMOI|ej#6mr)Yh{B!iUmCI@-dJ!xCbm3zvd!7yv$u zZz_fPnQjVKQkr(iB$ttFA|id9ii|;Nz`}3>ju)vsuOZvqf{4atV-USC-TT~J_Hg_ z?HvP=Z~>b5dzqy-^DEHw%%veUi`UKf=kAh~Yi92*jAgG-M8qa#o`QYpFi<-!bQzd(aij0cXU_H@H+^5hfXQ zQShV`#AE@T{!wnG)(4p!nWU#9okkf{)U3;=za`N|8B5s}cYM;Wn3yEg*xPUV2>OpV^IqU@hWH?7p1A_3> zhoU$a*_PG3o!ZTrhKw(%LAVJnm)YX%ik^JIc1HGfy{IZFmwrccU(UR3e5jgt1TnSM z8?7H9M*%X{M9upQi3N!H%Fzd@j9m8cdEX&xAA~k)$13U<7;6>Q8=Tk>bXKK4sX%4= z14=ICLZ~+x_iI+@&ug)${+a_RQE$8I&#|3rZ(WFRrOf)AeMM3FLOIM^Y2A>@qty(e z*{&$wVgNY}TbLeX-8xabNSY}CntB9G#)hAy4BU)=)y=ft3?X<@He%}Po6%R=AXV-f zkyZ#V(UI9IW`I7z(6oVY!YICLcpEClzPox4j8wOSs;BS!!CH)}cZ2&h2Gz}Afs$&Q zb>L6o5L%+uhBTdojrbcTvZWn4D~+I^po!YF7{cLO>{R!+2yDfH?z~O9uN#88Wa@&s zXmhR}+4*Y1@hDm6WFB$6uA8}?94Ng#koipe+ViAAsOEpB9cNJHY@F)=Rb|ZrV%I#$ zBBO`y1)q#dGBsg5HWBeJMZw<=NK|2Pj}x6-i6?;I3OCX+A;xdzMt4*}Fs^#xLOu68 z>T)^$jUHg~V;jJE4PY0(SAwQqMC`!+qXL+x-eoA@Y(&dgahu#*2Zr)%ptr8Dhqxoa zyS)Ailgxi9XWkM$RQ58aBX2f9)AkYpul3Hu_n2f=-w-rHeMt@H?S^s_xIy(*XqqLc z{uAx6aL+6lmlRm1A#~2IAP|!^PG~O#>MWXe5oV1-NEKprapo}s8Cmco==7AcPe}aL zcL_tKxJ&Vni|P+p-E{LyH2DCYh~H9-x(vZ~;V)8&Zy4rj-VcMm><)4sQVrT+nbq`! z?m;ABn%SVJ-Akf{95D#=Xo*gk&*&DuO(L(O!b91~gcF|z;g5knT0e(%V4Z^rY?`mz zQQFSE1gjP(t$;rq?T$zGpLKGf2)=1K@2D7L47>zx@HB>mv)s>>CRfR$LPD`Sv9 zbyuE-zeZbYf5iRUa7Za5`6=O*(dC&8hi6w$6BU8BC(m?V^?Y>*put?W7fEcYnyNO0 zGZtoN&DNIZNpkAV%w)7`o{>?T-whYVAd+kUs@%iepqAQh%o~W9H!oZu!=#G~JHcw; z>YN6|8KA)RC{-ripnZ_46t#64CPo?=p*rNKoJW4j|JN)!TWqM80S7K~x>twG2$ueutA zZnRdvZyp;~K9`IaV%GJ|?7>NEgmkDe(sS(Dz;)-ue2SXj-90ClLW#y|rTBXwRdvBb z<(K|sJ0(s-Ho4QNLdR3Xcil)^(gE4{n;KJe%HpC(-PVnb>P|$6ql?&G8#mGYw0tz1XyO>znxsQUeVhnV5q8MhNvQbS{K_8r~A zAzouoL(}DG(Ox#A*6GjxrqWZ4-NAN@;)!Wgq<9?W&#VBk(9A$XGCOK3= z4Fjb)mN>e=T^Wdy^e5Fh)3EIjHI~j{#xT8_Tq%2Ru7!2@2yH_s8EWJr43`-LV3qg` z1J{Y_$Ni|i9ZL%J8ikqH@k1F_&+LX^7<1iMsrp0C+;n&mXu^u->*35eW@L&2)&QmI z3MVLin-w;wOZednC~q<9-vha4MnG@XrOZ0K%%xNfQ`rw&5||fY2+(~B$nBwv5l^?{ zcWSazNiC!$CwjMv0|Tp7(oakZ-%i7zS7KgZ12A?=tD*PHk^CYhcM!;gPX zR;`mGH@HUiMcVc>K4)?wAO>bIWGMJrWh0W`pt5p z6^5IQip<+GU9=+wsk$q4I_rlZss_UQ*GT;`{%W+CM%5d@OnWHm2d<)^E7TT6>vYmE zSmJey8NEl~-3nvArlz7gT<5U#%Cw_ZF$F!4^(h8CIt`0)(~Eg&sCa=wx3+Kz>8Xm1 z&fJRF`TA{U>lFn(T5JfE4e6wvOmt)UH(635CGq3Kt+N88;_`UMLoBTm7BdcpXLgH^ zWa_We)q>R<>%57KlT@lfa>EX$5ZK319nrReboG1TUHKA@b!GK>0Ovv7*kV#JK2MF`IwI4Cn)4Seqi)(ZF5k!=A zs?Oe6+_Z@d^|mYj!Xgr`I+q7Gc4d$^&^lVicx+?WrK&%cGcEvw7*nELU7BfT0rNf> zRW0+Ao{8X!um8>#bF~E}i0dKAP@?(sbW0-K(IjyT;+&W3Sk`=u;H5~VO_MV%VqKt6 z1cp(BtxIszA+ks~cJFOVPdIH3jDg^)%wxDaN?5GDXI}yG%GL3($fQ-(b6{fuRXs(o zkpt!2cZ7|Co||2R*=XmtNYzLKU~qyh#&(APy|Xde)*R_dWfC>9gs~YrI3cuQyP!Fs z7!t~?WqLv=;o&xL?S@EdnC0G8F*^Nj79ez*?P(6s6lqXkvuY}v`kEA1olHlOpGy^AB&UBlV{RNK1JPfs# z!ZO^^&uJ9wjV!Wh)*A5nv<&2V**IN6C5q=z>29W@`B-Sf%k?jCol}?K32H@ne<$)> zZl0=shsG|P1VahA1uM(WkGq<$hZ=jzx%OTW&DoWO2dk!~q{Rl){YuSPZ})2AohnhzJ`XFzasaXw=fH$YQl%nGBYCMj1LW$)S-(jtchhmY zajw!z1Pg6l2WuSm<#@&klo4qPvHhW|*y99QjzXlqnhM7FAvpIQhj6vffhG1j^KPpn z#N=h4MoA^{5J$@AUc&g*e8fE0%%WelMdV(SbulG&jd0UB1{0Gkwhxw8f+cJSmKK5y z(JE;MqvdzXNsBa5r`TwV4GS12-^h@D(wv7|tiK@fs}w#vV#WdL0qYbW zB54tf`oALAEEtj=p@t)DwBvWw@E$P!b$>$fQ_WkEs3HlIwfPbAHzm ztMD;nZT>*rFM>o#X-w4Em8fnHvrCtNUt1`izp{UboR_ufzUYqh2k`scY#je535Oqw;Cdl=`wGjP6r?w;`H`f zHCbGaysxoZM=<3b$VPdNl6j8dp}!0 z3zjD9>va&9mnva-RO0^=OrVqd)p!68uZGrK*{7 zL@Z0CN$M3!={RW0)OKX@`FF^=7V~xZ)g{}U<0OTUCm3L$o@G0_&8OWrt z79p*LfW)kVEGjsR1RA|y&Z4hxH_&MpY^cWrIhd2}ymbPnY9tZke+T zc|(}8L6?v(9LJHa?s>R=pe}|RCsf+ItM4jw9qi9rv#@?22=lTA%{I9ySanSSLaIae zBcaZ7!a)JpwZDXAL%QTnsa=xWOiwp@?bXdqmx)d)rR}g7X_iT2>Y4#5B@Kqha$X>A zUR4NlzLdjiYsZthQaV_~W>l{Rp;8ckk|@||4l?{HWa&O{`q7@Y>SzN9Z3_WF5h`k= zI9s&G&3C z?v}yR#)(TPDS+YVDl$<@0^gI!q!Kn#tA?57tUzeq&L0>-eP=l%LSeQ*I9*qb?c`f_29%+R2;)Y!a_5#(B`UbRIrBkvtDe#9HXq|VGr z<_ugHh8zotG7gV&Ck%Xfmp{A09kB^zM-VM>=NleLA2H|aD3}%xZn}Vol^-pydLMkt zC?goV@z#Abb~J*eK_7ECQ5($W-t1}P<&oO6VWgdLN;|3xYxJg8pKo45X`4UY6$VrC zXNEqI1}xOS8OHwsg;LcMKn%A?Q>}Il#Tn%J3oW`X1(m3-zxo3rd<+ySsxLJaPBatf z9Xc1dH$?Do3qD7tFebkCUHDRV!F#Cj zg7Hi*SSvFj%rNVGVQ4zCK0#>2oiBxam0WI}+0o`rNl_E*9RZfOD$o(8p(_qN;Kgvj z&uW#%EaJFsHC_y@eMC~E7n#}OyTQ^V@O%phNi5jbE+zMIBwi=-+nDw?wYg)sPh@*~#;_*amb5YbRRDQ)*eI~L_xmR! z%N6shs(L-zRjTv8WmdP-pEIi}!d9IXdJHuowHU>kz3EOf${f{U-&_dR?&y>An~Z$w zRXO{hhws$@h~C?NsM%kgujys{HFuY*W&74|#C<_Y&oLQEyVVXoaS zC`9f$3|-eQtvhlxgB+^Z6y*AVi{X5DFMHb6!Wr$EIS-KQdQL~=0Lju)L(zyyP?_+; z)s!EtQ9-6#L)NRGCwR8b#$BW)oH$HUoKT}NnTpjVay=n~S{i{Ijyjol7|yaU=I7Jp z>x>CK#i^+7qIaNE4n-pEzftR`x!dv(Q*`}Pbi@G}zOyois#l%XWbm%wX@B_8yC5@9 zMv}Z!gm=wzBk8WpVdsbtwkPD&#QVXrA<^{lmQ#+&6xhTGI)=@2E{#;ZtAI2j*PhN` zR*KUUnp+Ashh1A>LADYIqC(zuBrG_wDH{A!T?!K->_V^7r?DE&|dTBv}?0>gXaMmCyoj!ddSxkVtD+GA;a69?E}z$ zu{&{ps^UROtG}vHNfi3OitMAzo&?5jyJW3JrQa6SR9Fz3Np~4E9%+{=xvya&c8pTP z3@^iuy_7h%pkN%*ysu=vd>E8Lg&SM0O{YCW9d`rqEQlO*Mbbd+Z!|wq4h~TP|F&H0 z6fPBjIVPe(P1!EYh^3p!sAd&>vIbor?Z%&*WQj z30_@?n4UKaRqNX`y=@=CvcA{F&4?Kx{D#Kou9p5#`BcWiL`;dy{nDXFe1xEXOD^qX zvx_qos_S~^BqF`VI`u!u^*=D=XYsuN<5G<)kWDr33$-3a(&;>i(H}=38D&yEiewk! zx7b^JngU8pltIJ_7MtW~N}*^#dbff$W{Oy!tzfos%Sj@;5@vYsOU%2fNsQx6K#I-v zDmD=px5;GlJkh5a4lI&HUl~qwBFv;R>EZm3|9)eW#VT+ z+;Z$;ZM8#*4S>s+ho=>VT4QAFYakqYP6R&NIdgQFp&xU=@dY@wLEL!XHAd7l$;kon z+W@X}lVav_2$AZuwT&U9P&*#tgd{wr{>eJWdBogCNxL>Nm`KLj_U5N$i=aa77L>ge z{Htj^6;*eKXuT7mtA}9mtzxkb8KXrs!rEQ!Xeho62}brCGSOUBWWHtd;ewOIS&){p z-=$>|t>59wy&ejUptjqt8TS*&NvubZC@I*2$x-gbr56D7x#-(~qKMQ}r8}8JP%-lM zC5S<7!AvjT3D8cq-7xtVnQN^1h;>vkGlw8%jC!&B`p?XmT3FRqJdfBcYm{uq6vVtJ zsnBcYqan>q{VsYDnOjfQk5CycS4TAN-uK{M8BBD;IZD)clGST1q@T*FXc4GN^ZPwX zJaf((5vZ-BaV=$sQAisKOUtNGzzR+C4WAC$fbt+vH%axO5k;i6C&sM;DQ1Rh{tBTMa=C(S82ZDyL8X3|XBNjsqlP1;PGX_K~r2GWv33oW$JLJI{_C{S6;zN!%mltrn6 zidwX2l|@icR8-WesHmWzpx}y%iry~Vinn;Xyx)}N!T0ugulM)od;K1+t0bA_%*>fH zXU_S4KMU~nbmaG<+k8Wi?Kd4s!e9GdWNrV}(KPWEIpB5gE8%XdyO&%SYH(^*FL4~y z`GD{94vvC1s?5P-fZ2XYr_KVE(lqPi{QmmZm3w~j9f?)X=m6?4$Cs(I{FY3&2D7=L z{=ICY-mHdoi$_H65{CLdFa(2^8(H;h1S1%;wIGS!9&~~Bd^rkQ_gw4y4f*fvb@EyA z2bbsj1BD!1G7NP?$+j|HeH?-Fo{-GO8GHv2?-GPG{{u)p0$FMQ{aEn&*CBa8=W@>u zJa5Lc?H8-ehPA&v3f+#bD;~i z@Qmg9xaQH&oYTKlWU5J+%ZZ8*zov$CjvwM6KkdwlChgzyEkff8u)0WdL%-;&da5GF zs@X{}-Z(;;RY%i6yxjDKj@r&0mTYL|`RQ%9Q)l>G9W((vF*czCC3Yq5ZyT7=k0QiDfi6#$sOICS$Pfe>I47KstX}i$eVcX!_qpWu0%>6__4d2?2ofMcvnU|zfM;- zv;_!OHS=K_Dlfz3#H0)XGM7*;ua;*<2T)1_#fDI-d*ZH`3#s;Law!DT$Rg6;TMY(w zOk&~S;7s1h2qRs0L+WGl%?R8G_Lnh|`W*6H$G;N~;uMcp!vF*CU4n#$paHE9e1ILJ z;;fB{-i@A*BC}oph*L*Mo{z8~+rV5;eg`uCb&Vm^G7Y=sZykr2&=S)jrfaqLMdA3F zATA^~kQ~!UJub8V%jv%GM(Z1@qG6l#T@OO*hiTrHQlkdII1ri&As}(BL2p^+B)j&e z&~>y#z7e<{0E?0rwSN=+nAh^7WjyGMdM0ra^?HVH*3-|C>PQ_J_*~~0YK3$n_l~?l z0k;UxxADG?czjBZ3P{X6|5a61O)EYN78=t8+W@Eahe9Q_7e387#o=HOET>?b>B$7; zCXM2Nu&Rz*gJ+agn?4qt!ypGKIF`#0lw^5b`+GvxJ{NU)S|Q;W3h$`755OuaH?ZN9 zBPkx7<~;54QR_Y@{^P=2`3~Ptv7U`mIt*Iw3Wtkt$5_CF)#)0!nL95HDe4WH8;6ka zSTN*8Viw3};>Dz&ClF0j{thUHGcy`(&~WMm{1c1|?M!f~U@7+L@M*#7tBl#a<=~xy z!!x7$QAE!PSr;BDYjJGuQ+*b(v-MW{(DodFS^#ehl70sGu)z3JeuWd;W9jXum_f9)&%yRRpVd^l?phgb0@lc^Eb`o)g(g@xHeZJ2{@S`kp|b5DOj0lZfvR zpPp^>ZQl*cOLaLu9OuX$)g={{xb5f-v0) zWJwU2&#e)-deS7=s-Ey|M(Rlv7OF(<11|q$HhHsq5|_!{#bs`OJ9;yx`5tvS z);B=k5{W^pTtDmBBf8(8SU;FKV|gpCdq(#@#ibAT=^VhM`1)(Y;LwUIm2pVPjSYK+ zbXP?jT`KPc;DXQHD;yB4jz_6Upfspl6N^6=9pLaac5{b)6|Ti^mnLG)vw3#+5c`vy z7u>A@CFgk(x1is4-DLT}P-Ukt$=6pIeHhEvTA$W|0j9j9=Ckdq=uml9@Mb|`^0}>b zZeJIPR0TF@#H?VYJw_OXb6OTcp!8bqylYh9>37lUhPD1h`1cQJNKWuf3*O9@)VsDh zWg|}I3Y3?y^Cvn;?yY7Z+h8g`&yR~&vQgD^kQ8`GBaZ>x0Paw-VyX@cCAQ~vV56q& z)qq2B zC}P&-QFOn+N|=tp=t#rwVPsR&h|(Brd}h)X6K<7^p~2 zQES0}6|3?6QP}phVmr?=k01Uw3=koFm@Ypa{>A^K);iTf?Q%C~x7h_>ZzR9Q^>$3q zi%V>i_3}vwiT4*PJCf-<`7<#?91)nQ#pztp{@8>6?&?(z^M7q^KC&LnCmq70_CHh) z@)G4H6dV9EQa|h9H^c>GnD3(k^c-`z36DG-E8#=w6btfQZlWvKs3 zb~HM>Ttbd=KgfN_k9mgiO+Y1D+@h4{iqdMklA{(uVZw?0$k(r?MI}urq7Muah?-2 z3G(6~-kTwx2upY*lVy84o^uJE!cDd$VnNY!fa ztK7Yu&Ho-FjtKtH)Cb?rDecAF%Z|~BFz)m;%a5Ql{;zHBo%A@qrR9{h7YjMDp`4}V z4QjF6k;$#NFi#D+OxJRAz`i2e!cFphO~S+Beyx>N(#v|2MZD4OvusI#L0fn<#G9s} z(|Q=PU4ztlgROBz7Z#FhKD4Sc(P=ki*ghg>a=^-RJZ@a=vKH{s`fyE*NBK1y9cxFs zo=FH&|6JsHTyIS`dUi_#>qi5CrP2RB>dZNJz*nU?a{zko75L1vVbSwrOFq|L_{qT& z?uP>oRCqUW6g7HIa>LcrNID#-My@Pl@nhEgQwq~XBg_SG3}kf&IiwM`^o?o(l5Q@3 z0!)t1?XRHK<51_9@Z#0oWUGz$#Hu-1$<=xv1g{Y3x$5s@xUm2<<{l6xt9NPIGsS)! zBsNW)u|5eqS_a+taYMG-deRRI zUA)m=Dh;)VN>$YL8`p>XqO=bfCL23bxlGS8xbK4a3Mv4as3=Hx6|RAdTh-?%7l4mF zm0B8CWAuf41-}xKBcs%XIzaGQ(TrC5R=8LAO~K}07U%dhj?dP~l8{+v;68=kD(fXi(<#}+V zzZTacO?tVsi}?C0MPEF`)iC?3OI6b{E^X-rozUpXc&;2rbzb@EyL2j7Home33jXho z@V6UZS@?fG+<#ml;Ju^bUdrXGjPe5hQl%FKM=!6=yZR#k_R{{h-FwvGu9Obk1@lMR z=xw{2ReQPcD9--!@~A56mE9oWe`UpAZ*lZ=OQweBOmFT{X#LBjM7auAt^4baQNF`f zD}h3BL5mPxSP!torL- zo*Y;=z~jIAR4#9E`DW)`y4nBLhJDdCJV5=+UYDx!KX$s(ME|y!%g-OQ*1uH8rHjsh zf0r8Q-<-sMwB4R(Ye4Q_&g;_Cb-5fLoX_R&e|JWIQ|6^b`B$DA51cG;asEde_kY*M zed(>vt2mrAJbn7`IkRR>o_mqww)F*KI&u^{UU<4Q#_{tXz-j{i;s126mmdM>i!V3K zzwPoaZ`bqi{iXAa(rNzEC;d>8H?{T@U|7JG1{|>3@4g|4b8JiytaH zg?lb)zhOEDXAzt?ud->1d)TO;d!XtrD9DXoYIW0eaJBFh7Umfl&{3Kxx(%L!yn;lg z1j2$kuh)a?0eGj&&CQ1|vyk57EAZlCoC$$7Sm-HtM>q1}Rk%cfuO4q<`D~;s%u{RK z0RF5t18*g_un^D1Yot$gK#Icm2Ij(!IiAWSr1RzFm0y6(Dg~rfb3mU>>n*6Xq4M zt}s8Z@}H1ftGyZPJ)T@2Bu;f|fmc2b<$MGOFUY}WycZk^$o1@D-g&@lV{?|HH&9mbG zldTj3#}mY_p**z|uCbt?`WDTMCm`9Y^W@~)x8POcD7~uY7L<;{I@Oay z?!v{&zoDcYA2H*B(Hr3L`D)vM^jDjWw1vLv7Oc(Bt^P7b>&Y+s0N*4&rG?Amu-2>E z?<&3*sQ9;{>(bYbl}03ZsIi^~H5?;$H72wFNbu4S)tse(e+--QhO) zq4VVDoGFp7QO5#Fw{0!X5r2ieMSUsK`f}_CajB?i3q1B_EGT1;HZS+!QIIo*%tqe0 zq+Tfh-~&DdF49}c6P?FX0FUJ-F~V0@>jc1~lL+m*68t}|H2eHq)y)6(N$|kl@Fe_z zfB62=W7;dK*I>|THIV^nY4B;#m}AUZ12M-MdKq+PYKSw(oAuz<#F`V#1|t{4w+*zl z4|Nz5%|^3eHW`x4X0vFvn3K&ZX31z z+}}LF5HuGXN@C#fgVRlGjUjWXd60Rqxy(>*9%2}3tT6Wsrp#65YV!#5NOO(3)-cLA z+E8bxH;>Veb^Ln%>W)a$Jn3R5^t0V`!r<6&4mzRx&s^+;{;zBDZ#$$MLAk7oVb*F8 z#r-aeH2_(>=O5g^0m8tmx>d98@+z|qf(kwVOeo`TmcpvEWtT-BzS06%r>(MHh1X9B2QfP#3>zsna0weX!rc<*Xa5VOv3X(O`^ zU-}lUhyPp(E1$q$U8)Fe4qUfcV~8c2G7#j@&As3!=qQ*q z@J*M4h%S%BEL^w{8Ie(ACU886zfPV!IeJvsJccREh&7YJ(LF%m65I69llB5xf&p5h z%jjj$W}xWawk$l?NHU;Q1BT!_P92#;pnPrg&;}?NbQ|Ei9y@;e^XfZ7Doeu?=Uu!d zcN5bIt>fP&#V1!>fmp0$pE3?iqgo%JEEh#2B6qW)p=FzKcx{K`fKf9 zQlUV9ZH5226w2zjQu`W$YHD^szkxE~CZt7g0{lTeV{=T725!KPIAgRDV=h%cEQD_< zC>^#o;vB5ciy=FH{c}82`i@_XuvK58H5(ArH_9P-hMX7!Y?LxQS}Hcg#GoIHF@vKA zgDTI$aXB$?^P#{zSfEFams+=8)$&PY_5A5g7wh>pt?7ELW6gE{#0i*s2-54pxsdS=sL*CaZy*AQjzgGVv7>w;h{T{0YggDcV8w5adRMTeOo%`bZe zDiVRG;>yGYZ^UCj6+Nm;JplgGLDT_{MAf(#xQq=^<{%?1m@-u%H<2mjfV?f6jJw4} zpvuqVEGdcfrw3rWQOZ!nSk0FVM#zu&B{Eb8Za3sGtpQ_QEY`!L@-Xp`_Y@U569AP+ z0`?tfp7Ii~i^;9_y=pQdOSH;Hck6(wGzup6i1-ut6&ZKuZ7DrEZE16xswKo_>VXA6 zj~0m|oHy%0u&sPBXeE#*3kOLNI+q-XTKbAeX+VJ+F*zl8qXgz9bOoNF9K@hwcdeXE zX9&*=$K*G0n!wd|BHWvnz((MgRwuqI)QQhPdzk4zg-A)7qJ=sGW^0o;6zupO;}X&@ z28zaO~5-gP>w*RC58ef0KY(-PHCLaNX=x z-fc{8zzr0JBITG9hj@-tH^)kH>pgxeny-!0^Jy}106VYDuhmpo=r>RqVi~vq0)A^U zk!W7938Y(JB(3hMwl*<^Ta63t4I*E&featF49Sg6*W)Fa=`K2Is{0VCq^vjY6FLUA z0Zn21DS07C&kGS>7g7L7VFBH3=EkNwyXu66E#K8AVDb&g-+o(XTIhWm#GljN!gEzM za+A3?RA5wsq$#vl2X;x}KIThKN1>0K2Z3t&MGI&=bNh)iyp*qldGy(-a`lXUQN0tg zAlJzq@B}rZl*Mr*{Oq8$2@~qka{p3c#KY9I5NjO*MBp@2Z>B` z=byx8`w*@2%+Zl>@@L+&Z*A@q3?2wXY3kG*{Xd$`pMm!jv7ih4IGLjZMmu>7rIDtp zPVh&KnsbVQ5Q^Nq>j+xhSb~HxWJ^Vvhp-EDc)WX^kkz;siFYaG8UU2c|5BEiEkutS z&JK}Nq3)BBjBXo-e2cI+95*O8qBJm~Ls6%WnZd8*6ZY@m$>S33Ys7?$IwN92Xa$#v z0~OaDulFsCWgu0IRZ=4GK)EQJDGG;}2B|k03$U|8hd^vRRC-~voj+IFdg_VtCiABlMF!$jU5ar6EeAH*X3-xvV64!jI?dv!)LQHT% zk}RGXU!-9I5>FPn-ic$XHpS3tApxL0U6jFFmW7kJuB?&!2BfbBu_X!07rp2PFFo&P-!6fmG|m30ADx)(e{ zbR0lp435EZQH)S3UFH`1^0$L*Lf z<=X)mLI$wkQOp!CMCV%RYvLw3Q5c6AavNQO%Sf&DF`aZ9AhAd47pF~{b?^*H#g*hi zuC{)kR$M`E6|==bfuR_zitjEqVfR;{T{a^oxN!0G^+MGR6%SM$Wvo%NmgeMu0WsO` zuMQ5tHyo+}%qg6Biz6cA<%+0<8B~y)i~GsdoPo@BCUJ>4MDm0?$RGfQCpO(h3j`wp zJfNu|9xDF;Kt_ep9=3BBg$B&FCIr4m_E>VQ=rL{8kvqs1NiqGr&kQE$QLw+Ta=qHiQ|d3XUf3B5zZ zB0eF{`c^`4T~x391?!(IUV(d`7EB#_F&%HmDIjdx94Tvd<2HIoSj_FRE=mA_99&(m zqT&mv5xlq`h4Sk25&ntvDQ`i=M%=al=Q)XR*z1P5ZyFh?RRUFs)pr|@*OKdn6QcXj zyOH0DA0)v(`X1GX>n%E6MJihpr+ARKoI48EBX6@UCcKXxmn7j`G7R@-=G*7k`-%-h zH{N6a$SxW3dWq_zZcwtdUj{KYkQjg}K~X zPB86DaJsN@#|ofm}=xW@6!EuANc2fF<_fITr=eYKe6hf=|{dnNxhW%Dh} zE3TO)>Ie?wHsHM^1LuQ{bP`BA`Q{+<5h=!gdVR}O(?VLEkI1tme{wDetXVV(zBO84 zX1BEx5nArIqa)XXzW;d19(=iZl++(g$LGf200rCZ#e?8=0QbD?c_lLnZli(b-KUS? zJHb1CH65X@vOpHrTS_ve%A)H#vhi>s*SXj%VpguZ=8RK#*|e5DoH{Z!;?;q_mciqz>y@Y=u};XTq1D-Ai+ zIJpDSw0&vTy#^Q#6>Syf2`gJ9k+&>N>I!v!LmL@WQ@Us>pNO$_`!m8M@mVsI)E~W0 zxJBG6Op+4kG$Sd)OYuCs);X>y28(4XSr7D@hiQVafqNE2Pu#C@TWw!4xCWQwnOH}w zgRMe4c>$+1)+67Iv0@I{tgb>r7jEp#mT$p&?q1IcB{NAJgca^%I#uB?H(am@FA86f zA$Sn|3JUI1bz|^7?K5b`N!DTB)J;6i16f~!UvHh>x)9V8Uc1Ya%EDkDlaYr%`D^_J)WN12DnuE-8-_U__OB!Fno9_fDD*D2WS z+fFbq&8ho_mXVPFFcg+j3*Z>3QE0ENK+;T7QPdY;BQ-Ak#i1JuE3vVd*8~6tyap>3 zi)zl={wA5dvg3*gnVN*~Q26v6q^1E0%GOxh3ccw! zhCdh29*8q-vGMonZQIgo9CF`MfK#T@H|S9IQ-gLjcJxc;x5POt$$TWvb)5-x+8rT| zy)BOEZSB;9J@#9+Ej;zXJ8Tku!E|q&>#lg3sa&w&Dx%USY~37&K#P8Pf9H2-=ApM~ zLlxURhuIBq0wTaG36E!9g%_JmF*of2GoArvsfkM@yVd73>g~YH^TT6zSbG-P9!`~a z+Nv4T^Ncl#aXKvN47s83QJTW7V4P0CHC=D`2}oNeomy< zxhK?Ik4^OZvW0XBns2#L|Ls5A1z~IW%<)sFmvGhW=LybAG{wR3~{w5Rk(9q>rR_fgo? zo8{NAl7czr9vCVEk58-IvZXve^tf*;+Xf2-|i$|yvkdSUAf;6>r zM6i~5Qz-PFu*cyfdNb(=cv1JHaVhc4bkyPUCCw0A7fek{B?CXjAWWM-x7&=T^Y$6#@pln3pA2#25=;!uZnYw+4m_Yl=a1N-S zvyA(|3S2<|IfFfPKgToG(TT<&)SkmlrS~-~Xzo7TPpoMg#h&KQEcC%FY+Y6VLt)M# zd@TP%UM+CsZR!I@E%rWLIQ7hNa^3Gq2N&7*6saxsmW_l68LuJDkJKRbLA>EH*z=aYRgB{vHrCBi%DbP&W+4H;_Q{hfU+a zreht5c}VrwfTG8I5cdS2wP+NVGDe`^th29`D;Cdkj7akR3}NzELGdp4Wg&5FWFLM_ zIfaZFj~M)!c9p34^$R--ZhZ zFpJ2`CPqiL&!}_S;MP4IE&>CoR|Qfir{a`ge&zlYz|slB=rSN02v+WCJZ_I0&m}o{ z4($(;Iru(+$Q5F2`F6GMP?~)X#A=Hj*k6Z)ow(diQL~yXb1#s+<@adtFnp}C9|C51 zx9>fIGu3y=`m&BO+e;;`*)MT{hhyz`0d|nTF8-uK7x>>GFt8lYv1BaAFoQnK1l;sb zT<_CHdp^g}VSJhyK+EY4GOBBx4xk#Ab2cRvg}<>3&g7Rl4vw+iz+kU!g~u1@MU!=v z%@e`M%i|oVQVld{=XAQe?2r0S5K!^)Q`#?(YRKpwQaKA-H=3C=?X2nD8-4j7!76>aeH+mCj;cQ*T;(svAp57>j~$uGt-a2D zz)y^G9ncfW_Kcp5Fcq%}#(;|4GlVp9f9cZzR|H@nGsvEgvN)@^2B1@l3FA`JP#N9} z$%t9)dR<4>(0Tsvk!0teV(lZibbKC91v0E%lnQDc2*O$*khdl>66X^;9p^lN1?Lp> zkmEQ@IUup%KF#K;TX>l|V&X)(cBU9g4bE0Pl-wjdYS|Z0>c}4YbW>m3ClpVm`Dm6^ zOC8@>UCVU)n@%@y?Ebq&AD}{|V$nv{cl)KpeP@I*+%`a4e+Y2TC@ndSo8ib#kQQ*0 zM2X8+MKoMfUqaHiU}w-f_`aGbaFSMe)3+qH>0`yAX%b=3 zUtGryiq``m=74KLMwiw4XgaNo>dN=`a<0Y!vZ~RBD)u^OnYP4-9>WdJ*@q-jYCj3u zd)edx;=ym$dO+7xw80py3vI1fXxSByZ{(Nqox4OM==c~>(`cj|nmqa87|S5DI0TO; zj|T4(lW-$WEb9=>&F`Zp9k+YGO|%>l?3xBQd4@ZEx?4;Ex?nOLB_!BCKVW4a763TU zw7@C*Q60OfP+6*D%#Itqq=0%#pL-H`?I#g{(q^^25BCl$d&T+l9UA-N>?f7w#CADG# z`ObDUsnzHn$docH4KWOPnA4k9>P5Euc^Drzcs?cLpcjZvH79WFjF|9OWT0|_P*+)> z4_{_hyRSLyKDv{J9AkCeJDEwKAxdt8S2f^g*HNo9pN#hY239>*B==#LWVPhm5yz0B zi=F&0Mlpe@vkuZlo>*L3v5S+Ka!)^h0%Gc5x?G2k;F|Ircf>P}C-&lI6$i9RS?QtF z-zT#6ytWTr4^S!1wt#kFDc#nPR9y_+W8(mHdSKb@oin96$4P?^I=iXkMkA5}8f9FO zau~djV0L5`wu?86v!U_;uufxzk?aPbw#@UK!5>58c0L1EcjAw9QpFF4zA0KS-tYXP zyHqk3VjwG&e}=HXsiYBlpD}nn)T!_?TOTLL;sGHov;xZl@5rzKBU<`^%pirnuZ-d+ zp>w!aOsoxpLlqfT3O)G1`ZR?5IYs4ZBp+#8i*}Yi=2lAM*byo6DRy3>xLkasYzzp* zh*rT%ZVmP;y)FRb^P%>Y&0n>8#HXe7vc%5sE$ehridcgm_Pm4jxE0R6Go`u)1^$WD zw=tf>zs8%)f{mE%-$0+=XkX z(fJGcPVy+8kM9$2m$QWpn5q9-!zGc$zBK~&krJgNir!9=wu&oIn7_$#sJ*|d3lMhlFN?yTbQp}XEj#Vp`pJVpBF#SlNglhj>Bfqoo%5PlVZ-_pb}gwW zufz5gzERj4OXgsSw2wJfofY`P%~*jqYSu#&R&E%Gv&2Axx?Z@3l@xA!3n z>8qQ@;NrsV@|2F1@>ne6i8$9j&=i}7ld22Q`9Z=&ve5f7GhWz)%j80wBTW#!!mq?- zeJ3^A{@a8kVS>Pu{VY7_p5$M{9jPJ$Vi8mN1jahX?)F zLXt--@Y6Jbd)hw~72QcQzzZzFCbH{;^eN#6XA;RXy%2A2fe`Z1SzI3>;8jqC!(wED z)~5`u2j<_&NG&y8c2wp%KfLs_n5Gb2B9wCZ9q)te+Cy4WtXI;Y%My9)F>On1etJ1P zS?=uh@0Tm29EJ`b(T6sH-4s&zc8AnRy4mVf>*y+oKt7EA^chm=ZlyDgU9WR!__j~L z6;FXt*mi-T1-9PSvJ*lA^$Q7*Ww&RBBxx-!!9SpxihyXlJ5)B$x^w`|Dx1lK`3Hs& zhv|(p3@_Y&I3kkMcz!xb71)!bEVspz2byZY4JwB&U^x0E&!s`Qj$aht)d5`~8A(%c zW%&>@^E#>v++t#$an$O`5cOt6UqBg$H6ycmnk|?ByD`n*LCiS9?H`P$v&=B)l+L>zh_l?sZeoKMT=&{6 zStcQsENLFu@g~^*9A-(p^}Jc?jSCUHtl2~RDl>5K4Qlnj9A9=fM9B*$;DT?b+Kf7% z5pBN@Ui|C=o{dSR<3O|G4l)ZAV1?VHWNxJoh=8U!xv24&9&Z;)TzwgOe`sBBhtNAp z4N5t9Ki!7!tZ=9qG1l2}U4zsgSYdSNlv2b7>d&CfdhAg?~WL*E3z^i!o%CMf+@R(tEfU}G2KH{A3V{lcur}j3vD4a^(=`T%Au!u| zbOpyrtt7GZb3_Khu&0@lZT98Bi*%yJzQsuL0+CJfuumkDP)#Xk$dvL#yy=Y5^I)pH7ibhmS(AORyY0kIqif%7n- z8%d{nolLV}px3}Ca~g~?r^A>U&wwv8y+i0sSeVLJ>B{?atxi*WJh{Vqw^bRf>)fyI zjj>>ze*z{0_>$f*Z-h4p-eY-q1aZJXj{eCmO^5gkI04QV&SIzi1A)ii&{iR_8WNKk zr?ZKbs;#>tAK+11rT<~s7qF1zt}T+;_p7!z6&>%2fU_Zv^W;hV{yB%bNHfVQ{fvm$ zOMQfC3#>>QN8<5XnTM)K6u+g3;yr=!C;+3A#}sG`Hqgcr(}2U@cns0GUbA(Ji4NE` z*W}ZSPtZL1Uof_(tZ2o3v1q+X*M5V;K*cQD50_hJCAbWdb(anv#L~hn@lD&8r8o}f zfrRER_4FSksn8rKz$8_ywEdjoTmX_7WS1nmo}jintwfbXDUW@S5w8)R#7QvfCjG=* zVG=bs||1rdzCf9bqg}MboW%HBD35glRwJ#(4ZP zTG?)7kBGv9ywiw1Y(!Tyg_upB>UhQ|CD)blJE->u(G0Ufu}e_d?{&445Vo+Or8VZfU=uvVj9b7pO1%_an6LHf1;xK!^`VtMzVqR8r5gyVyfk}tpzu$6FEDe?3+xN+CmW6I4) zxdD+w9|m!ZPrKJ_K*ATGbuHzRj{@QsgYs*K4&t5^uUTj?7as zO>`rg?(fC$_a(S=j75pJE{&&YuGPcnT)dp?4WYnRF46KS!!{(6oYG7i{eqv6C2cfAGe2Qs2TW~5+b zs)AJ{zBHkLIZ`2kHD^s~@L^Kmln%YjY_g05Tu9qAwv zTTDA17PG1$7N3v!{nYfUt}-7TOTx3NV*_uz07 z2;SO27x%OVvt_ezs*oi%YL!#&K{ySE*-tsSfA?V9PJa7YX9^aDGXCB;Y9{fuxd<9( zidPJXs5_rr%ZP!gsPY$tHweF2&+>Hr!B4;y_cnMPE!#R60wiJ?7bY(j9q?x2o4IW4 zkZa1`kQ8V0E#c}6J^uod)3h>kbzg>Ki+<3V=MTkNPU)rDVkdb- z*oqg4Cvl2a*`=JrVnNxf&Sfx3kPddy6x%ejIErS|R2Xocu>Yifg90AZvXL1e&B7PN zmk7)948N5D`7W^RR?gaR?wQ7LALsA$ucKS-HkdTbN8HJA1>pBd^E+n}Rv78gxNqTx zl>UgwLWozXl8mcNZ^`5l(<5o*M`ZNuv3+4sHphm(43|r(w!0JB*9rEZq5edyS_iXR zoVzPP^zuCR`8e{r`a&|9JQJoHx!wZtvBm{hJkJFzzI3hPb(`HoxFkCR0;?s_pv0<9 z)-)*J)evVY)HTh+h2?{KTRzgUBFn$nR9u22nYT?QBa}&~YoVOcpkoero2BPfodH7a zKAl#~1FUM+*^{D3)@hY=%d6bkn9VUw7AFK70()a>LHjRXyr${T;O$JJI0Vw=@!W5; zfhHaxbU=9y?j9J(!Qy1v9m@6PVfkHB8A(1}T!?&m$W)T--Nj|EZ^O0rae!Ue1$p+M z+JK}(0WjHpXr&KceK>>6-fOkHPKBQIl%?Q({D(-VW2v)W$ z{fVf!5l2+(x=emLWha}dgZ;v6Szfe!B~4jhF5i!fH_a1DLX&pQ720t>;h#OWvScSN za+U#}$NNPvOSG8oDusJoy%5Pd90)WZ<*``iHIgZBEERC=YJ@Xz&Mh5?{YVdzENC{_ zZGF|ydVyp3D#r1>1K^<6{RUFNG4vJa^GbbNFyy|v$RNDa9@iYA{X1KfFTkG{6;({? z{?oB1?qGQ&(7oK!kgQDB`0j}XFUgZ*Y&(*iZwaC>mYTP|tFfE`^&i3C)eKPv+uV3E z*_V!qyU1dFOr$&1S2e;QNcrYcRyagf!a!)(VfGPrMjzVFaF$y+`~>F1pV_kYqBF9d zCh_TUG&|rNA(%vkO){4!A#mr76CZ`(R?@B^G)VaJE#MgoNnrpvyZVmggH)PtnUk-6 zM@j$Vsf6_g+)vO!(yi7rBTd&CLeD|an>`%Qf6tj7H+grEe~qg}XqIJZ39W6;tj|K^ z!AP9?Iuh=Pq>k36c>MA&dB!Pyo^JTnFj&&>*F)uoC zf#~{h?V+z|GS!OyN`+vn9k381k=k z&2z#F`#NZU&QD1x&Zh~|zqtciWvOeZ10?pXYfWWeTc_$;?{$e;{1~07gTeX5&II32 zn)a_ryYqPpnEHx`U1Qi8U1b|2^8sV`ga{~Aq0R-xMQC}EnAZ6{b0_uS8YE6S#`X`||igu^fVQB}Hp} z*NyP5q+`*0mgnQ4J-w&-_Vx~R@LafrN%lTYM5zTj5eNh-Au&$LDu_YdWjv)Aayl*+bH#Y&sR13!vq=AtYZO3IjL#q)=rW z(?Dv#^DB!~g*))g>RYi`pz|GxMzHY3HgTu0p5|$lO{Gq<_;x1UezfTtF?sQ)G?ivb z^6@wl;8@qg6w;XQS{HDR*QnSa9*~S}$NZXP@R%J3;l@aOWR18K-zMf0R+PjW)%`%B zRt6c+VgdvN7>UZe{3DUqvIoYx4PVzUK;rGBy5fG&?M@Mkgz%C{F`bpD*)%+>RVUZM z(Ec;X2;3dn_kF;Oo88RaMdpfZaVYsAdg(fl8FJCJrgw~vX;#ZJy=|$rZ5#i#&>E}c z>$-~Aut=gNwxAxl*VGax{Sm&KEXKF<{h6A@=mW?20{K^4(?E+ib=OJqyZVU2q#gK% z|1l2cHKtky07*}f2LMP0+FYD<1Iri~mESLu6Q*V}bMvk=BI0AXTm2M8G5nI!j6DZRpHeKU?3B_-gIQM?BH^{aU@G+ud6!!Ak{tjw6` z9BeGi!5ZLi9IBRYJ9pmxB}k2?nhuPV%*=WBP5gr?wq}{h3*3ZBlG2Kqop>M_##dH@ zC>8ktVmpr%k>~7h3onHJprawVFzlcjiox~Cs@Gb>!Nt#p9ybj8X@xh=O!+V&Vw1{oN=9TOhd)M z)3Z7Uw?9_6jyzE6K;1>81ZQ@w0}lyi0bibHnU-EKyJ;2>y?a2mQ9d!CdjEz_5sA41 zw2h*9d&s$eWn52do(bUIzif4p_?uP@W>k~1(t0qvS3`O)0&;;OJ^jC32bf3zmR@o> zzQjZBK?(nL@kKar+7LK}thAnDuRhMDwUIqxKzfa zUzduw2;b~E(@VQvVT<>i`G5WDIrS?)FBjH4BAKm^cV@`a3r)-`L+;)_gxkKWOmUU(Ke zc0Yb!jAP>}-~#wi#{WF-m%5SvdEEb>e%$|-t8#ZlBYammRM$s|?O#eFJ(8yp=f%|)4Os*sco`p(&6 z;^Z3;N@lXi2ADMxPOG??)CEHjq>_(`i8>&olpaH#-ehv+7UbczN(yrWb$LG$(o$Hs z+UQ#&xUVcf_y)&U?15Nx@p%pW-z4dx)RDdrrHXQS$Z$>&hl3||A5i0)j4tvk zgMh1C+w>L08<<>AMPXajFMu2|GZ}sLY0%2sn__m7|t2&?A6Yk+;?2f^Es*-h$ zP2sK=@%7u6LWT+;dhLfvUTGQzV7)gDx4`7VQ;$V3(B#I-^@6OAdJ)!`QL4MccP$cn zM+>T1N_t~U8G{pqa5V&TZJrMyyLkYQium+V7KZ%MMdC%MPTdyM{G7Ty#(7KkAux2K zNs)!z2zehXC8yEWg*Xv+0Z6;w=80TC05fg}$bs|Yz!JD05rcme3QZ2a z$JK_`BAa_97^2RaS-8E2C2{Dtt|i_X>Ji*hhWj2L(zG2&5(AvO2zT5<*h-jCiR7?a zr)w&ydV!?N`(y*L$N?a&tpJoVvMBGO;+s&_QuR&L{xkh&`_F`hoW&8`Y#XJcDK#H? z3?vB}$s{Qfu8j;W>TsTd2~cw^HOW74rb9-Y;dw#U!5LOV;v+Z)Pf?91G6h%FJ>UHk zuIiyYcm|Xm#TiH2%MRlVXo!oc2`^RxDDogSN}t$w;Ne_G<9!;k!EcYjRn{}qUa$PB z4IeprWB5z&y5l#HTra?mi`L`**7P`>40e)hXzLC-03QRjI{VRv@I=WdCz7wL8#H7- zslxNPVZjt`SoJGNT-|!?D8dCKxolH#v5xy zh#Mi$zm{vHeCKT(9~=ipSO#2xjkx98Q>GvF00-ts1aAYeGuSsD@*jh(V4`_I=eTlJ!zI_;!EvFQvPE2C%@~dg9+%6@2FsaY zCq9HN)MWibPfRs?i+3VVkn{<@UMSb$J)KOZcn6+Z^*JL6gRw(_N#Kr_Gi}zOA8KMaHHFu5 zrpU(d^H3uWY=rF8p}Ei}Z#HlP!jFN}uK^F|GpN#m%DQo%^*nZ%9;diZ`_Q&RxQ#rM zp#`d6#<}-IXg6X;)dQw~>k1!$?siUX5+%FvJms8*HsU?d@(%8{7E@deL4c)1JZC1N z_p!QXvH5sAX8c>wxm1$u+Ql4QMa*Pa*$d=T0Aa8p8vvYUzOUJrqs-L=-!Fd#wQrjr zLuc9SdLgaqX__XKTfe44hNqO{$T_xwwutb+K;XgjwT^pJkc6;sm@F1b@teiD*t16mG z>;i*#Iy=+Q5&=ZTXz2Sv@N7n(wjtJzM6sSrYx+F$Gky^N8tqPvo-axvT`!dP+}p+RUH4e~GTXmnPf?Dq>7#CsJ5o7|m? z1QEJq`6p7$Pc-9Y!QG5lc5^Lg4FF(w91nK0>oj<(^*X+Kmj=9jP}o&XtB!=%3CrLO zCB3MW3*w7*XUlBtse1G18WqA zavlUX0mnYBa9>@yP2vTrP-g8!YL4%(>`XSR__^90Ed*JvvNv6%oGVKYS&`F!2lQy9VG%!OmZ3A6WXrYA` zQfQ%tA^{4Ny@dir5dsuhm9h#5QWO+Lp(+Y0NP(iLAd9Fdi$y?D5D`#8(eG0bmCyBc zfA{|W`@X)HC6i=kPR^X=InQ~P_qz`_p43$>qQ#P)NuirzN~Ga;eMkIDPrgM>Ir`v@ zX+1V-eb2g|H!xhTUTxlD#KWkY4D)>ik9eM#8y=%(@x4G44KI5VSYOKD!lsG@NQ~?c zr~6+T19Xe_C@{A$LvT8s$fx5rcYyB*C{(hSpz?F|I~>u(y;LQw8aYewSMxqwo}Q+? zSpXa`Wt*vwo6eVwd`p#k9Gwp3`V8BxtNHfmch(6o7fkEOuqRqE!<9D??Mf%(tem%e zf^9CzdR9DGddOJ^Xx2@iRBh$UO^Jr8VGK)zc?;S0TAE3$xq!oNXNyR18y?Qy)J)t!r zwWo277~_kpZJ(nAK7$}KhiQ`y$Jg?g&bgn~WR(iHw53Npr0} zE<$5dPJqaBCJES##}?0H9xGFBu1=K zi?hMd*wWTQ%g+H7HkaqPF-@U3GgCzQ&!Man^aS?WqU_XdhQ!QU5r8C*aNubT0J27}&~q$-8!)^t`oG?l3TBR_Gx4App(9ZD1lHsI9l1b#GUf zP4exiS{V2u_nHcpfaTZ9J2ljhcT8P~a83&=&0E3jl&iwGVax_wwU#7qPXup*@91Tt zU8-a3Tqb6fKTu`{Vq)u8;#ad{k#We;4@ubI*2rHBVJE*Cg*G}omiGeh&o#z4D0MSd z?2j*B#`X)#?8D5PfoHfOA9*<)U{>p^U1YQekyf5KVBXk#DL*~5T&TDXZr6cT*J}?` z$`8Q_Sz0pGPe7{7$mz}$Z(QLjC3XgXZ;d$Ex5;Ol9qu%{S1@EdHgR^l9WwGwW$RFx z`D(mpG6+0NsxA;^oNPW%a6WBq{*qMOVE z0&xtjxJ(Gl+GM!48;iDy;aqyf`n!{qbNEIzsIbG;K`V~HErY*WHfw{ipjWcxtoX5>ET*mfU9Js4k6W3ExXdY3q#HAr@8*)FeW22J6nT}hRc?+Jh+>4{KJs5`O zBcz10Gc)Y{8AtFOgihxK`kTrObUEhuY9fuK zpR~Lh9ynP$b6zaqIF$UVVdmR!;(4@!3?^3c9E585n9>LwRrjuUuBs^pf@@{t<4&&D z8Cc~Wfp9pt1sjXk^Dp8^Xs7{I9J6?Xw{#bc33U#{s1?PP3|{tJuYt3*}nl2w|=fmJ;g3>D*4D z@cH;0^9IeZ0iQBuVsm_(l@rwsr?U~J$+j{bqcFdaY%;5=cW`FWNwpB6h5guE14O|J0M99|SHJ&&4c-vP-I61OV*eTR5}$qDilBiV;t7mS(7n3o!tz23(tbt(~~J7p0R-OHU=k zIt}ith|RQIJMVM*my>q4+Opo(^$(F~ZoF_w%f!(PY{c{3qY=$uqPcWsD-uSq%_M?D zkdz(>Ds^zc7PC#~y3H{KRrP^jMOmZ1Slg6)?Isfi8yI$gp3Y&{YJFC630s6X7F&ST zl0L_jvU_-TaQoaWEfYyM;(Y#D+>zVJW@@=|yfEtueiwAv)Ur^rDQ}&$1^mOJ)3XJ< zwF8*WOequRR%1^wW2wj@<-897Ml!r#7|Qn755!Y8{y<(iQ6jCP)NMy)i%xWeOw@On zUJQ`N`$uEoiSs`}VoQdo{fmj6ZO{eka5s_ zbdGA7+1SFEr5Im?eXBEr@50USbiqz6v1O;6z4gUfG9>IhagSmGkg zoegYUgiRZ6|JlDFPm;57MK5Et{Q#LyOlheo!ET;w@TMYWO*1jy6QoCeBO(@noxX^T z(f%KBbYU(eRfQTI(o>?ZOi$*ebS`|Gv2i)oila{Jf4lHvc1w)f3Qx4-lu5nOwRB|~ zV*0rcAmlRk<)&6Xk0gsyh`3`3mWtsdj7-e5;y}I}#x-e52bedSf`#sUmhEfwjjx!S zGZS`rPqPib;z3rgc{a;YC;aVX zaYq{Ndp?>?O<>x&Om2J!pg;&63B$VSNE5RMX(9&g!P>a>dsK$RFZZa!yTmkTBKiz! zU?PXEZwQH=_+>+A%XF#AzeTSuVq-*~K7mHA-_W{7^MHv>jV-&)pa;SS zFNBMSE(;vsRqJc#SVnC-Iwxw}9{O1Hgd_gPtdo~XDxrGr`ges#ZZy5yYKF!(H*{9G zsk1mGvQlfC7ypVjc2V+=+PKq%Ez=st*qTY*p zW?`ET+8 zIpOi7Z=QYTu=nz7Umfn)ZcmGz9e(_cDu*6u=G2>To225K@)c*V|aL< z#lBE+*^wAs!tDL=2G6szL)g@cBj~qI8h;m4UKfAX?S2z!Hedc4?P{%#c(-fJt|Q&L z*;2&A$+0P23UUTMInk7hH-21`OJ16NAgS&0y}ddoT%qqP!ol`Majf>Qj)Lu+h{z zFQxIL-r-rA!ajGpRUPY-^t`&W!MJGXoTP+l8QJ^`;hBYnMYWZMIj&36VWI1m*EFVn z!DSp%GN!Sx@4#tHQNO{9vWkj_t*t348EM>Z?jN$9I~+fD7o+O@?BW&~y~j7&KOHb_ z;)$}BT_!gzUpesM8k*nzk@E3c)6}`gKJC`_=Jt0Z`xIvBIzM`c>DT9%^ZVwiBN)eL zgV4eyY+$Z-ThM8&^GC+dxmHn_<4y@23t(}@lPyp0k6AJ}Hswa+;F@_u)I%1f{1iE~ zHb>#hp6K(*+_J353VzsJ?c!A-jJWCKu&1gno*e%3j7fb*>>6$Ve8jWMhkaiDeBQ;v zk=2`Dw~U(k;gOPIv%)t#KC1Njk3Y%Dv;U;=_DGaYShp@8q8Yui(ecITHAjoq1YSSA z>GP81O)J)nZMpIF{{7y*xoID}`%cIy{V~nTHRJb*S*M~K`N`3huf`?KtNcLv^r;CS z`6lD zk(WR0`p~qW>=Rl&dh5~~t)}0(^>eGlk8$Ms8P6HJ4GQ+ky4h!Vh%k51Or86^mZ`oSt}~9Ax{vENH!#OC_PxMk5mTpp{#eYMU)GGX z-EME2XJ0*KLv;M>OE=74HYIUz+mM&v8@#}M@kiUjH!q+2LM7>1f3@)W*ZNo&RnHCo z!fUMcFY$eFB6Sa!0!^#zb9bw@HC7o?3bU){j7l3V6q$cuDb-2Uu8{D9husn?_G`U?A03=`$ ziDN>-yL5RWw+o{q;StZi0JwL#0CA~D&r%DTX4LT}Bc-B|P%R)mu&4_e0%?LZQ0%smt(_Lk#ia2PzINPUVs)?BH*TOGd{*8k){|soX-VtfNr=Pcfj4^Gi(^X znYkp+w3t)@CP!;Djmcr+jj0-KE3F;7(q!Z&2+R~T8&VBTcz0Vk)BF#` zz@?784b7eQ7x1IMOWF8)UG{sZ`8~$*$=lFnx8H(m{uhn;uU*-TOY6bu?sjE7LJZbu zGnh~<`XQY_-x$N=!ZVtC5uu0-=*hPk?$m=ldH>}7p8O%*{98!;pWPaf@%Pto;Tct8 z4IKJjzphUIL7krd116B!`vc%B{$|t~Lm4hS64O0lR3F3qwkHC2-4pg3Q5!>vQ3GFw zNBp+uqX>vQHyb_*`|UR-2c>f%sQW5@B&@SFcW-B4x* z&_4X-8ouY?yHB3bOz^-(-PK5&{l6U0s{owFT|X!%L^Sh4WJuQj&3;SV3B_{*BJROw z<6#(}daP}t?>UGojKO>O<=1^9jr ze4dR`XK9?J$`?2<+quNIUcQB!@e;GjNGsFk}%f$}20&MlUZ9J|@2Z7gplHc;ru@ zzI$kiz4>ykuy!{t<|OMJW{mwz!b9BmNO7~Oe8~12i+~C*6Qx`OCYS38E$(Xm!PBxz zjqgz2UrBo5tJHGODJ`EucU{fK6^IlHO^kLoq=MP+<0=$vkk_uKF1#quU8T`({Qr11L7f z3|yG4olsU*MAYJs)D75mqsC~P5r;ehpPR9Pr6e;~<@=FF^J)GDuCvb$jziws_QG_| z>GJ^dQ`KtCkU+|HpAYDUJ6U_shq#_TzxWL>3^u38qc?p>tHihM;Av&jt)G%#fvGfU6|keF{O+5Dc3M^uZL_!hJO4JK zi0_I9qjk(f{(_UMn9qFEjm~B$#K2oH)^q$XSf?`$M%i_Pa1Y&lMJ`7)2k$~n#$BSS z*;Q^@O0GRbt1o>jzQ3zTGj!al$Nh)zdedW(Gm~WdUKO?62=5RT_bRt8%OaX!!6|__ z3-B2o+J5p_-FY-)%=&v?@n@7Kgm+Vmn5Fd7iw$6oR?gypmkI_LVP(~Bd=0`2D$Ce> zy^{o%FMrMb7!!Di!O5PJs3a>d*OC4#70C{!yfxQW^3k@y zXITyqfc|pdY0VXt*{%K4y`FhAL>z97lFbIO&KgapIeW<|I+U33$ErbTc2YdZmTiDQ zX_$lnr=^r*l<2-5;_e1rfQ}}Ur+uRJZRMs;ynb|?Tdxw2bCL51$@hf92GJxstUeS z*J=4X&B%$Y1Ym+M4aA%ySsQ+Lw{7xjgR0dSwIe=q=e#>eoCPcB`u!>?77@H z`@7Q~k=v-mTx+y+j#P`8R;#}av5G0c{5D+W3tFw-nR@qWB)^K}Ng9CKk_{RcK;R}r zt|F2ggIH)S4+f|JyP;x)Oz>E*X4)GHfT2phH)u~qh2>*vNLFort;F)jYOjLCKE4;| zc&X4oTKN%JgsWc9j7P=G8*1fqYG(;ofINjI&|CiZ#h#G2@xHLrcr7ExAs+-5Wv!{6 zP+3u9-x6xEwAPXCzQ-v~KPDFM0+lioiAkjkltNs`W*!bDg}w^lqnw8t9_1{ST}D7O z%>weRk;wFu@oqRnFkaaJh?g`9xahL7Kv=+`3lN_HAXyjSsjGo_Azv4%n|T0{eyCn3 zp5))BTWS2sTIwwI-Uo&6U<7`JU3zhO!LHLe&;8neE5a5NlPa@w) zaXEJ4O4mRGQ(6!V5xtzuG#xxmib3)nto}~^u>~GBX=@1bNL!Gn>Iys0fZk8oB3<=c zoJl2D)LD5{mcLX1(8ew%Pw>8mXo@nGaT_)MiKIq+(*HX|@r&2)LORY;qLBDJaDxF2 z`Z_w-8_O8C7avE--mbb;H*F*JFr6&D4Rl}y5Mh%e`Gb*Xnd4Kv^y8!BQ2krJ3^dn! z7|S#?FpjQJz6c2nwTuaK8p&pH>8^5+=px{ILdoKjFreNx$_d)ysH{HQN68w4SP%U% zTra=LC^e8q&M33c#QW!8SPV_QHcQ{iYC}@M+3o)Vz3xmwYkmbAY#_-ha627C$ zuZYip4CU8u!JUCPuO4DLaPN8T-~ec1-vGs*ZGxE&Tl+-uLHQvKb@BV_veNd$>gD%J zI^=PGp@J1G*3DrQ$nW3MeUy>H@W=ccd~#+uZphs=1}AfIqCwRD8C_B5R-V)Pj!A93 z-4N-J+PXNVu1i*owZG?*#}0D?#zJekE0SdPGm0Ly>@wB#g2osVU(f}IjBJ$jD213}80;j27h%HvOuD4 zj^GU>W4__-jlf&dO1Xedf9POxj6(@ud%AhntUB+yAz01Rbb*C6oIh6zrA0!IXh$It zmbRoe_a2`J|5nLs+$uV93__6H9rgOCs7L5z8D6BGE6cbvG0 zOHMFsOC8^Q(@UMm!ayoy_sVm$vR$1LUo#696KNDF3{>&0_;UbRSJvz3G{|^dL%VtE zWlYU&4NjB$ww_L^-C#Rv#5J_Py;Dd*{NC+(H86sg|w!4 z=P4mi>sjsx()UmhWB#@{9x!Yg{INKiAH~n$#`qnI6WP0QaefD#2>~jKt6A6i!GKc6 zWIImiOczD5n#)bwfxtEmu@AO<4*Wh!mdf*pFvptvHQG297c<-NWMzsvtCEkY>;MKi z|2oo(+eA;gtOQoc4B1Mk3oo?XZYH37M@~fk>A|1SMT?H$7qfO(ea6i5yjnYp1ysgZ zEO9pfFecf344VUCWUg;9LIXL2{Xb;Hols>9l5u*swl>vZQkuV9aoWut=7%Ci&Yi9nHd9LLG?jm z&m4;?+LBh>@mzS*p17>5-7&aKEnSiA*ojcQ$1Xi5M;Nh8p79Q`-|AqT^Za}i_SzSSA zBzXb{kd${ym|{8l1(^v>C5!Sa!RKwa!wzi+cnt86WGCu;uY+F}3kr{YZ`iCRfbsG@ z2l8kW@~su~=?jo!<8PDl&GKJqJIjwc>T>LjftHm#Y_$#zx-!+0ug?@zKw^Hv=!}$y z7>nl%gDl*1Zlvpbo$o1HB%853#|Sz;*Iw}(#Od@FkcEm-WuF6ja$i2rA10RM@j?P+NX_)NYuczBKH-{W~SlahelKB|rj{%Ba z8*Q*u{1AW4Sa6QFLCx1?0lpmH&bEPESYv9XXS$gj1RNEvNv#`(phn|YX;m!QhtIi6 zId_dpTxg9_+J?~+R#CXp5?pqk%~rQ}wrbZOo;p{bw&E7_?Mpvfv*?6^50P;&V4)nU zZ6n_b!3UwCo?(KMPjIkO2CFM3%E#62DHbHK*$fXdU3vM;sr6jRCg z1&rcf3KCI;3MI3jh0%`HBcuiZ;k$CyF<9R)zz_rMb6mHC$v`V!gYt6_eKMdyv4^$= zLfNVM>JauPR%Xie3rVxKvcE#E1>pynK|ZwR!$kH@Wp6Vl3& z&ti>ESWIesRvcZntNajo41dYh_?*1MItM6vmEAh4!@C7Fti<`GW#(4YxDMRauy!;) zV~t7a$TV`>Pt;r6ZvNf!kQU7oIjd(zKBN_INZImVHf)5{)sSX4rPFMM>Fv)esJyvK_(F z;+~3>k7AVoBd)X_U(|~vBKR_Wo!XE z>UEhYKOUuOL4Q=@Sb0_p_xCE7Y?lLSZ<4|FYeeBqm!uE8YEx^K>#DjJ1glnlTcxaV zq2z=ZYoTzlm2($L=Kg^HH(V`ra}r>WnbNjyFt^<8Q7ijh&GgjyYCh5gQ{oK#2CU&_ ztm6sU^nFBKPnxudkxnZkvAo$+5C;*UX~UvsO86BoQqpk6G_!-icAYy^@eMu9*T|nC z&Q~!n4vFRM5+ zL}3CD{NN*4`r>y6f4dh{3UWYRkF%)?dBpd*^4tk%{zU{zOP}nZQNCl4M{9R>Vh`)x z(?XR$)MI|9Yi|W@Pj=*6Y)lh&M#~QaW+w@@y>njJ#uk(yxt&Ia@X}9fex;++dZ3eQ znbv`mz+Zj_rv6i~MklNR*Y|PsNkTtiz7Y-fHt1-iuz-@jY%H;DqHYjd295`%(Q;WU zwQw9T%A>-Z0vYCbRR+p)`zdY=+Zdso2w|rXu9Xx;OYAko=)hVN3gbFR)sPwBobfqV4?S3Bt*n|bZh5b6)iv~KGgBF*kG$Sma6P9%bODU%ShQU*Y(rsd@ zT%r}5{6$KSaF~>fAmm0#LgEC`PCI&&LW>{Hd`l&K3P_U93ONB#0K^;UcjHO+HG@Ou z-FuC$8wT*&Ud8Pw?*LE=pRE^*e*=gd3Atie3PB>qf}}|ED{*o*Dq3NLvA-!l8;#kX za#2*FBbH6R)V=Z&O^J~)eWJA{D(ltwXRB4Jb^64g1OpM$A!}K@4&34u9Q#DLZNEtw zjpP9aK_(8_EF3qG!3~L0tUNlT(7ZMitSB_q@g+GuL0%im6^O(5U9bUee~^^8|`X=HtxwZ1{cCo0#m@~d86h0M8er3sSgiSXp` zUpWtfrmMxSa|XYQ_7EcC9OsP6TAX*AwzHlQ#^}jZ_e`uj1(fKhb|g)u{qi@dxP-Ej zruh{x25EZ10YpdRboBY!PuOQ7*H)OmX|??6+7GeaWi)|c4IBziWz6g+^riVuec*8I zIbyTsC>?~9ZQEbP{qQt)XbY3l5e98BY-;HlajWJkV{T&-NTfSai;r@V?i3C;Qa-^? zhAVTZt+y_FC|=7ekFeMytwBoWP{#JXP&^UVN!JCZ5UM4s>WuUiWv1HlyOy-h&Zj6b zZz+k%UxKU?mFLy$=iIgNXfWisvh`Xhy)O>N!!Eur_Bu44evU5vNR7#06bCQnLjWOxhBOc3$SURnSQM-#ELJxXcCMFo$zRjRjpAXEU}LB z$;@GLlHVsM;wsK$*U_hyqu6xBy#1gIagKvrT$J}3@=fESK}T*{82Hh@c2Sr#Rao4j z_y?t1Xnu*>8A~$@j;ow{zA()glK+h=*Mm~edv_rBFiaMc2}QG2fHEzdbCmX@*SX{C zo=^cIdQw351Sb_nmP?UhZ0vgQ1a9mWNO74tCSzrVyD`N zOP+vfCC@3-H6|^=IIR=fv>ZP=v{@ccw&V!HIxURFcXbVMG_rmJ zT?kt@%NU;Uaw`LD=E-4V2VClEmG^oQH`d=sa^$ zRDJ7?$84x!%uuB@X0^bzE<3O#HJa>)p&XFH2=7=9Ga(_}F9WFLk)~U8?7X?8tJ2?4 zabWN}B)FWUfMBTlR@tYqw&RzVzDwQtZ=x|7+4B*|Y06DnfvAIDWYX~DD9`0?KqQtq zlAnb<$n~A8@-(X6$xl{Z#$%sljE^hpx)nRqnp6ctP*zjkbY(YD<`}Q-u@0&i$zu*< zWWfkDOh=USR;V{By*U{Tc2{a(y|}hm>7h0aHG*j+Uk&T&R<&!i9!T1g)S&;($NVC1 zJeGSBch~HbJ*n%K3fiKV+PfY~@n--HV6GXBd<(;lFtr;{7!J)y101D=C1MF_^z1oHw=$qcK@Ztoq16S>JAlI32rZrmw2Bpjw!`;16UY}J4 zQ?{0#%>-ln2xRQ!cnUI!&>NPRDE7-RM^lu$cT0Ihp7_nMHpq1~%DFGF2HG;>a_l%@1{4HclHYd`4h-%S-7X+kqdRrY1S2 zw8`9#e06v`{yBxo1cmlxu65=o$oC2sXwu;4v9AG)+@8t&%Z}DO8Y@1pbtp$Gq9~m>~ax z&8=kI&pMp$EASu_IH)F2$IJ>OcTpY8mNQU7=*iDfyd-aLJpBqAAC5FHEyi8>^YVI& z>xX{Q+w6~RQ+n{po{Q2xc87&`0_18>@rX;~!f#B3q* zd6xgKZj5k7FKm7@YY3rL|nV&}Thpgi(J@d4!T}!0` z1@n#$0c5`#ulT*BH%Dmc8h1x*_J@P66N#lmrp0=in_!@lpbe{LvpN~SQYHf=C5Bh| z2P98M+^@8WR#)$^$4a30qSFDUvFQj`K-&})Ah`z7QfWHIIm?s)q8{HIbj2N_sk~mo z2)4elfnAw5)L=T^+X0OgUd_c`uC4sL8poRTvUzGG=Lm)dPA~;rm7Ifox4778w_qFu zLh|hhj5^nnNK5NVJcC<)E#2rST8Vt$15KwL!J1rn3&?3Kd>% zj%KsUwcu6sTEaEqd!3x830|fAn9Lks^U?gefkcXjX{7&GVkvn~!|eB-QV~f6yd8No zBQ|mtn0De0&fOGWM|jjL;TT5F_?Qy+YW>w}*V z#^`82#{?=5M$(R8N5mxTpgS{n0MV83nAurmt8PO_376TOop=3Wd%O)Vm;wemKuEKa z0pgvy-Bb{I8!Ja4Crdk|5HOQLwi7z-nqV+JtvJ@|OoL;qw)zeQT*U6m(URQ>7GgXZ zX&M{FCpq?Mt5y*i-vOkQmIG&_+V_l(%q4o?O=~tk7OdO>6>gp1P6sxgfC)5x+nahN z9tA`&N%9Zd+k3JD36K_$Zgr4jT$cG}Rm(=i zK%>~c3d493aBz(iHkshE4g)I?t=l+VlaXk?UTzO57NtV_^8}N^ftQiH2+@GUAi#AQ z^Oqw&9hS5bOV?hOwZtDrdIU}g--Wy1W*X|Y4*}yv;Dy@p<~%~W2c8PPV;pfP*57rN z$-a$FBtB|)Op3@F%>@D1H3fi}=%PaxXkPI*&P|SzXov>I$=@vLOAC73cY_oJYWG0E0H^X4Kd~J{8Wcg9lbg|jQ4Nfle z7c9x!buLTAB`Vj*%?qii#tr`R>O0Iz`W37Kx!-B5y%S16hk4q)7X$>$>Cu~(+m5`k z{@YY>eBw3EAiQ{>XuCmtx1j|UU>9|!cy!G}bkAQQQh_M07VhT#FW1rkYr- zmfdZ#y-3_EGa9ZzhKJ>ZGPmly4Il-<%I$bg=eA?{5X9Da%CbHzNk_1QD?AC2 z3BPz2n0H1^v}>*Mx9w3D6ag zr&6kI1H!;@vmVV}3z<54G&bL`ugXD`FAbT`D@UWa3 zB0i_ILY7Z;Bu(7nZPlDd=v|G)?bbN{b7l=!FE#+m=VyuoiHER*zULSjA$;5iu+RGz zR9FBJRyfUay-OZOSrNb&uILl$n&>=jEYqWxX&RAy!21d;>%y!6SnF2@!U zcr9xhpr@6KH3BknV;t5P#|P1_p<-|%+FLqTRskat<5ske*G1nixi!SHh$j!r!;ySG1aPbUFz!!|hn=JU4vsDUM2Mwp zZ(>KbTkeUEUe7wjMv~N}X%S5R5U`4ze4D&6XFQ@02g1=|3)LO178(fYQI~FMqmx55 zzRto6I`R@}UndGLg+ZpGPZYb;VQFH>t;2Qa>|wMG=_-wxwu*aKQL8njS!14b$LL+> z2tE#u;NL^=rvTvmF#oymrq10H;m>KLG9wfm_7*u6`@R9=VL<2m>?RLs^L6jT!ULYn zgT%Jmwf1$ppX&r3!m?->C*Pw+0+V$k+PKw5v;d1_%8G&I={aP23}R6fCpPtt;i6%n zi*0<#ux0AwXN8n@5Wiqh<)l-&;y5Ub@8^49XoNY283QXcSBaVT`Y#!$fn&WZRN^C4 z(z>O9^dx=fFZEaG$HKVCRS7OrnjFi@A7Xh21B$G&R72+6ic)UL)x(5PA;mIntZV-&2Kyo7{;{fAI zu1R!#q?Z-2WP?rbA(BhCIG&77bJ(d(o``myQnsMnGCZsV<(@?O323zkgKAB^x#ego zh(vGxS1PU?b*MP%ejTMgp=_k`Bu2iVmM1gHMYS@8aoBYgA2}Nx6HOI=&^^Ly>8?U| z+BfR$GvrHZ?+v%4b(DuG#=TzN}T z!Cp+t_+0uLw{*_yI2(!q2TFq;TuSL7CnJ?*8c*BmjcLm@1>>=&4ed$a<^1k^JlKs2 z=Hg)sP)b_LT=4DFMFkI`sjCp}ls_7+?ugc5Rc=enJ(_SObtfn_v{mKr=vaa3vC)@uaMFXy)|0 zZG9R`31@XI4Kv*g=Q7z12F}i{1bnN z?Kn#eGc!j2Hv;dOcGmZjsdX5Ha5yd-a;~{F9{<&ypS#>9HkL&_i*BocJ-sZD?TmwX z(5-Ce7K)vf3K(0ZA4|O$7e5XKgf}V+JyP#xmskK?V#k;`S7n5Gd8E@^k(?HXlw9P$ z&JMTmE8GnBU&A)*D5Wb>K2X_S8N{?NKMDII?>rSZ#r+QQ{-I)WhrO%{zThv#qX3N5 zKg2Ol?=u#b;8Sdc8^p5kftgCh1HcD!G#teIaCdJN>uTfb6=w>>dESuSDvzCMXSbUx zS~%YU41$|XLG@9fgOq!#_*i8kl6$I(H$dQsKcBtRf?4Dop}_l|*lvE=;riC-&t^Kf zyTGOn`Ewu^W1RcTcK%FG@P4nWW94(0)W{>cWOwOm$_W>{;y0|P#3EOxmW~XgZFLlx zn^HvH_qSX%NcfI8Uk4AKg{_Jx9E2a`yK~cMe*O+r`#$IQjY1zqeH=HTd%xfxqd@kR0Z+mflzdWHkOl$W3o-eu4tU zhP+*oyq8V6R0D1b(k@etvns4HMen1UYO8~L4lnhLuKB^gOJ0h}w9@%0KX7#*?cY{8 zRsK##uk)X0-SCcVd8aL0{&L7V6CM0NytUH14fB=P6%55Vl9OzCNHE-Btr7 zA8&^E-&|h~7pdrC&HY)@n!lA+#|o8f^-Er(mU~D!5i0kLEyzNS3>!Ghe2axz4zSjO zXQ;(}9w0J6PG3OE+H}`3ZQ9pJFdH3F6yDH)@-+f8T|qW-lzZiGkjbh8+(hLPGMT_J zEhCi)gU4Fd;D-JIfm-Qvez1Di$H*s*pvF^=lnVPM9@rTD=L3V#w-&R-Wo*7%xnWn< zQs1{iR7==^_`U@dsVG55j}XUg7zS_lvynted7Q!l_oSifxa+)AKZ5E ztT#RyUv2g^Kd;6=z+40RV0r_bxoj`uy^Sh*I`T=wXLc2g#O!(vgz3?<;vwOyvC=Zy zIfreIqLM!aHYUiCA2%`Wh|1NI1Gi*ybi*^WlVVi`Pe6;rGj5$A~vR4A?c12t3da9o}9ntws{m=@F-tODtc-vS882#X%{$_1jwJmi}|V<)vU`fC3C_&C$dLOeAO z1vJ6$soSO|GWcf43Ws>_H(Ft<7LSup>S0((t9@~3Q0i)$?Rvrycn@!2A0@V?7~7)+ zNVsqucR=}ul^z3Ue-4u7lR_@8u$DJz{8t#jj<9u$a9=~xLojbxmA*0Im{!=n?XXl*d>dhxK?AH$d!;PkZB#`x(TZCtNIl0QBLyLN0FF0+?wV2UR5F zG+ggE#F5uh=9}WRxR3E?=VYnLQECltWa629a(6Z9y|YzgQbjd0)A}L~H?1_#A@Ty` z=dyabS0KyF>!8x(H?1E@dJO^b?`vbq7dagXpbG}vwyY+Ze z3j%D5FAF1Er(Onn3YUL7unkTCW8`D8zL%woB-xsSH`~jcZ5{ zWnHZ*_75VCoukPfuC*jLTLU1r$g6yS)1FgX1%9-Wg^mUob7q+8=wKqO{n%TN8isir zaf+HbQ2L4EY^&H_Dct1Kh`u|NxSBU4PRrlg~MROQ&9FUIo4B=_$soKTp| zO_C$+oY`bh#Iej}TqAD|RgPfCVJ&$^-rEXd3*C<+p)JeDh!B0nP03Ny9qzAzU4vTq zZt^h%4wC}d{mhVeVSa|$1ABGj8LO0;rWWQp=!#|!6<6>gTH-~OdjRznC^~bCdS%0> zaKjl=^ z4W*HQ<`bv^-S8)4YqY(lm3FZ&gnQ1q{}80Nu*i1-%cS%UtbOt@B<;ss z(QqWa%h=LJh05M2m*TMPgJj?$4Yr>VyD)J@dy(nMh=hj@=8Wi8gwNPrCbH@rG6J;crh`rd*M`BYy{@J?&?eza8I7Hfj8Ajji~tu=}XEWwg71f7XGrfTsx` zlwlWr$Ou;R;Y4l-ulU4%TN-AqGX9ZWgoLYYs0G|TrtJh584r73P#1JU-lsJwVD!j& zgg@o#sduC#6!b;(5)5?9j4+=C^03J;c8Q+o3dSSliI%`Kk)fNPfN;sWjVOCK+T?Ba zWC(Z0;fr_L2~W~0RmFlvZOV(LMS#jxv52NYh>?E1Kp)AWrTI?CKuQ=7*sVEgwe-&Q_K~9IbY&k>n55VyI9}lrtgtmTiD5 z`z!$q>?rRFQk=qFq%PVGV&hi(k6Mqg0fGkJS);s3lc7t zyZ|S1aU1914BaXDNBczFi;uyDmVu<=*IOgS>%j830#-2S=AHe? zU`y-e=SJYmpNZw@H(1w@)bpR4&ng{8wF#F9JRxyI5rquJ$eFX z<1l%f+BXYSqynq4w`-VBCTjT?k9U@ucCVODy347tavd5R9$R#EsISK2>8QMfeAVFa z*@Beg9a6riX%C@!@Lm(^2sMcBLE!5iO;(Mohp4PZrk%FsXXV>i9L!tXzhU?Ye#kl$ z_`r9=_>M8ff5|pLNLj74QQev%pGNi8tTxuebQ&Gxn!L*1g4>iZg^N%5#y+NDmbI_< zbr|x49r1eaUKMKTT@#w7WdhxU#L|)6Y2_xmUN}2Dh z3WNt0CV(_gu#XZWtUTpnqX+HBPDj-8#i5Ai}qdRtej z79t%z7;Jy8t$IA1EAag+mGTv08}HdruM6V=ILF$LPfvZkxLUM$0(@IMO6U*KZR8!W z8C9@C4;{R34J_8QwX48isIrcC>;Ok4Q=k1Atj@N8!Q&r0TQyY`!uDtdu9Ka__Nh&1 z=8ASZ|D{Sr9;WE$VInndm}qCtSET|D|&Btk{O~WHyNuU7*}$ieekQlL|*qb4$2s zo-?!!`)$+-4mcSt43$4Xn$l-1mAzBDyI+7{4vPQ|r<$~(VUG7&6gpiQc95Pg$S_^)a<-v@aJyB5%3 zQ#>o_s^7|bn@!O{H14A?j2d7uJ{rR^S`<`rL#3`n0oT0TDFk+HAIq~s@lI=Wwm%d+ zj|ys%@9OAB6Uc(#aoAg&1y5fOXo`1GFvGUkAn$@BDBVvZ)8cUVBtXq0V}*_Ft4G}2 zNNbEEF&>$S+TP1l8eJwqMiS(#{R<-W2cgZGQGch~1Mco!5X}3@QBrf#QvBUN6D!LB zVOnLw zF8i0N{G*xvmk*irZ%_7MasO6_e{=!lu07DTcTr&PcWrat+XH9sVWQqY-QiyU{b!#+ z%Qh#({l}QOp9A+_>jNX=?g;v`oIl42v_wK$Ol8&RGSA)enZ;SUHLz_^S}RXXKCcVkmlL^PkfB~ zy(vMj{q=n_UibYI@;@6T@y}m?IrC@tJlJT7e>Ga-UswENK+4U1dH+`)5F^c5l=n|O zn0*O}dVigHV0e1|S+T#zOS35Z>xO%9;P)Rz`R5%ERPgUR?qQqXzat6C`V;iL8BFB< z*U5i>{a|HN{yyni;zSnrM7l)vtP*8HnV57t#`p0Axp z1S&_D{|%4+SCysa7XAx@{htpbHMj8JXa3pulINeN{-c5loNJ!v_uJ>*jrS*b%KfqU zch5XHR8syLDi1u|-{T63|HsqZ|MC0f!}Hv~^lp><^#Fgi`(M}n-OqO$I|C%iKZ=E9 z#pa>@*VTW|`UijD{%x16alxDLf3f!PudpO$&eDTZ-G!FX$2a384J{i#aYO>3CUS7luRa*%y)e+&-*<8zEej}ojYfG-HaRC^nF;j3tN7@44d@x@YF|R^dHyz zuRn2XDt{t&B!3k5{mNGL7!7={Z{fo7@C^H?u|9jT)9!FM@&Lb_m6Pj9fHy0`v&-ks z5#+dRcQ(f)3cSjZn*()Vfm+Jsh=}Z|UHynAcY}|my3&nBHELR@Dzf~?*HY8(J zSx!fZA5O?}=0=V>oLS|GNR^Y7i_hX?LW|0slUrJi0HoHD!tSr0>F7^R(O>`)fd9KoBSm|<^@5WCE zLsbq>uD=!ts^E5Vb1HVgZ^^1Sp-?%q9YBHUhlH}q;dWK{uqr#-T|N+)LTa>F<;=?Q zUnrV{RJrb4JY3=dcdK+dOD{xDcDr<-LtJ$fD|6hS>@_~$4j0SA4Mi;|E-TNeu0J8j z6_KCpuBeGpx^l|r_BEFDBAzRZjdM6W&hlnx3#Y3zO`*zmdEo9<4o9x}4*Z_XU}zAJ zt7N7^nVnnnhyrDoSHOR>$x%FBJgW5Mg%`uEsGLxUwixT=JCXSf`~%Q3svJ4F;Zl%_ zRA#%X+ToXFl@C>-oIo^CrtW~>(0MDIy#PL#+w)ojg_99 zig*mooR^1-@jzjIq@_PsAWwO3E^-En3gH*!R2iaFPL~5_-LWYC>3^qh0%JDe#(4gp;qGxe_1yny24q387`lv; z|D2Bfu(=&Qj8?RUEIju&Ypx0`7y-uGP zrH_lgqkEcDE9gO0RGX|9)kb}aHdQa_P3km#y51aRxw~hYb9=eAe^iDxrn#uILT%OC zv;*{+db?iM57cMr9eSreTb-kKY2ErnqaLh)c8&atG;HJ_^wDU3 z%)hOSdevWV=~aK79HC14&!h0^jBS5*5C+OLEq+mf3b7tV4Y{m9SwI1d^mu*b_#TWb zw|^74*}v(<>O)J4Z`|%0g>Iw5a_~Cb?!W#8=lnnT0sr-OH)4J=@Oby#?{H-d0vvce z1-cY9qe5};h=NByctohxo_ggBR(ev{)alS8DrZDd3?TjP)uw5~YUs;5AYAgR`RX z&P!6OQONouMd!P!^~vclukQE(jNnq<8)Dmy#7Qj7cJn-L~S z^P=>)_{MaJTo-9okxymd$ko%MEc<@?_dX%zC84PcZ*D@js73`#0lb ze-21R6dJ9@8Ii>TXQD!d9%n`A6~$Pq$U>RWTgG^JgwhG#kH{fmM;|L?JJP$!of zp*I7C5oW%+FCK)4(0QPdS^Gc2f#jZKQ26Q-4a7vc_L{zOXjW3O_UU8ysnT$_>RUo=v|IolA|# zW}U}_nF(Bi)z7gQbVePeIDwi$iDs(0k8(~b!zS{yQ-jJah#9W}rA&GhWm1i-!%Qw3 zhQBS;+or=@IGHQY3pPAu_`JF8+X)yEO{y{h8@7nj*eA z&}_|@I5Gp;&woYMAn7+~!a$dtj!1)OQAZ@G7T~5h$muK=^%2@JFtBcrJb|!CgmnyZ z!kn7l#c=#iPA%+UG~#xw5w=N$ZU+MOZSF)QZlgl}n|wAd42_RlI5WHybRZ}h2r$?g zB#qCSUW%Yn#|4r#UFI_Jc5$1ylEgu(wpq!K0KMB`IG$Ac3(-P1Re=8YBR~-YIH#G; z7ZA`x7~nkX96W%IfMe?+^?O3NKxW$qQ^xx`s(u0VW!1QfoSLE}ApS*uDY7E(5>!3` z;Wnk*P@fSOQA}&zSiOW#sH+I8cy0amP%_m}w-IryDm5Ic*OPKO zh!-8>@Eowd8`D9)ph*x9K~hyb$|v3sb<4r0Bx}VTh_~RE03rb@uL4WNx-0x7$JacE zX8@Jv=eQtH#GAOU%7&@?v`9S?AcZan8dOJnnBM?V<(j-`2!ir!{59?32XhzcDOWOn z8{aEf`90Lebi_phx0ZR_ z@8MVR*8%fd_n<=nloK?b*MlfX%BRBYvdyA~&sC!4z~#up$g55>Jkz_tQlVnEyu#QVt8rJ1NJ~VI0eJbMd6A_dFRYpYKO=%ic6xprHIvbGnkfNU;w^ zwQgzJtL|g=lXu{jRFdSlsVNyW8wv%^^VaFHyj9SfzZRXxrcY3sVst=+@W->|8 zss{w$KtWquEbyU)flfi&o2%<$M4#uGk_IGP5tBh#`$0O1-b|AY1o!^~&*Brshj=Y+ z7Y+!Cnraqw^02LWo?MTFX8=S+HXUz0&fd3f0up~p4K*ub?2;hyzkP3JS`n zdYrhlUCF1K{uN8cGe_&r@JYPAWC-%T?cd@Ah)E9;a`7Ed-D&>Wr{`zzX%fhwVvKY1^}CnO1nsfC`t+tHxjL%vMQ}Jh(MiYD9Lg5Q;_Y>Y~=1he0EI;iS1;HZzkVf zGXlBWk@o`yHxrk1F7i%6(D33^ay$2axf@Nq4{?X3Dwt0=hY&i^mu72Ghm#qe+T3@l zq+0DQFfV;`bTfD|_-y~qZYFO3-sA6(j3b|)oy4n&muJhC#0`a2K(2{CeX~kVt!8;1 zoES3x^m+&9)qY>7HlY#L#3|3zCspk7Qo_;&aoQ zL|75ynH{{Ej^yL7UPiJIk<(6PCQ3s{seBQ`kpC1mtb&>}L~7ta4S-xHgTl+~{c*SX zEThJcTURk0vm~y(ZfY1bnQ)$7PA!6MJ+tHyL_a}|mI<_DJh|KQyWaZNQUy+9wC>}I za-dupS)`95nJT#f>vVDH|3f1xbIQ=Gr$sTvX^a!~7uOgATJ}mDQ@{>N2vxJU4yNbV63nU>)o&Q>%P$R-WOX%Kh_DwpyqY0^i~zA?V8~ZBm0W| ziNY8>g*ZBzKtsrlM=IqMLxrmIS(n}zrP1}o(tifsbSz_#f|~6y(iBk(W4380h)m@#VKPg$pdu(k+CmNX=^Z1|_9@-O$a1vRa(*^y#e&@9I(MNPX*QiS!msYPglAVkS~k= z)AurGt$mzJI8YC?L#rr%3!Glm#?d*zUGPW4Ra^sL!Y^4iQB<)*oI;D z(P{PrExTO~oNT=fRsmrL$;XK#wNmXJjPQ)IZ-L?ao#Ssg!Jw&vN(em}+aciLURcP- zVXN>cwgs&;Nz5~^bbf@~W0Kqt#FWU$Jp!1s@j`M=I6+s*PjUD`@|y2GYkzSRHj>f0 zIeO`z=4bigVkW*1Y^|>cSfZ+`Zf7+tK_Kt?+#~c~w z=!aK|)A+>hJ?J6B6&0GQOG@!xW*ga-^>rI*T*n#fPtA8h`F0ghP|}0G*BI}X+4%*$ z3$Ja=r<;MJ)-aNBZ7Fb*+BHm=8ERdH-@y6id!bV5^=Q(K_b>}U)~1-#LO_OS#YI+9 zuz=BY$B9?@1?8PcdeFZcuOSbirIHS_OqNnM*&o$i)ipeCyugGf>F(pmaNQwJGnnaA zmP!z*W8X@REG&y82%5B2bC8f~9H^yj9m^YY#6iG$0Cl~@LiXyOPsaPG78F|NNMrFZI+IFR zU-zZ^Ca~0mB1eei(V@IqC~*NwtK<#@vAaf}XR&vy!Z{7$mjfm#k_DppFHiGd$PDy$=j;B8XilHW2!8Gk2E#x^<(3;d*( zC-GvO=&nUrQw64_TdqaoVv@v95*87C$lTOOTet*JnQSHj++U;7(EhOB{s=T%_X{(q zT};AZ^XDD!VJ2ecyx%qn$NjY*ctj(aLB<|W%&#XYLII5zQ|ZC8$@?ooZ-(5f6R0_s zmKD{~IN&x##&w$RqvURm(=>3@!zI|4ckILi~_aH*@B>wj>GYE-b&Nc6U(? zC>g~-1q3!~)ReSI>4u+F#40V|O|;{?cQjj6%GZ%$3Fo`gc%nT|de}06!RCO?e1#R` z*mqQpNqA{NEjG%rXel*dHOYs1UVaG~%Vksc+$VNWDs;C2nVk0ogWi+>;5BPfjf~Fx zG3*!dn!{9xx9)JgD4i5oW{~45z_LXqz`?_)ilG58Cj(skUw{269K%%kVo5Q|#3?eT z08>Ae3CBrqyb)y2Cy|fmj7|nbD)X#iwYOyf5KLz;oFt+Q*yTkXZ$G5tA$~B6reb*K4c3LA;T^APvdCciH=rCI4PnSfM)3IZh$2K@2*-ZKb` zWGa0cLeF@ab21VJF~7D477gCprIrYHESSB>l`0F-H2-Hk$4!NFDgW0s$7I{ zrqCmtq=n!l73Cr6P+K_}z&}?JKs9$DIu@6C5*e-NET}*wCWKd3Ds_d_^#D%xd_-9O z5nAd6^K6pVp9`yf6_~q0VY_<)%)q_^A99Sr(@@K13P_0pvNGx98cpI;& zp3EnF`ZDg~6Li)XkjC08+)p2-+5BEOPuvT%jrLCh`;5mpYnSf*Sb6}6LHJp8X-B8? zpk0_u105fTT5&D$dB0JJDWa=#3B0rcCm;Wym`#SEI$OH7+=I$zVe*j|Y~T!1f>Xlp zLYTR}d((%=9++|rc~_vyPn_Ga&|dHZ@(w}#4000i&~6x1gEa4%U^#N30kbwlw@(z; zw2x@|C2+E-(lnLRq^a&Vn7AYmJ~8lOtB66Xmd_`qQ<>Uk5d0S-Hl2^hsoW#n>0ow9c^QbVQ(A#Y+5 z2;j1hu%*lOILUmXWS2g?&TQsK)jr8`>6(8f3GvMe(*ZN6 zNUHm6HFst<%_NEJ${3SRO*Ep<_|72fHGCVL?VPWuF2pN*zsY(Y!l?g( zFa;|}hFSxbaE z(vcO6+JBXlFr5EYXjH@TIBIFxfZc{A$%ajZoeEu!NX3XXR1vD71R>Egi4l9kBCZp)!rsta$?1Cx zcXAi7lUYlSVKs;(2=nl1X1(wv&S8on;t@~xSItMbuo`Ki4YP6)*$fQGz`a1|3j4!l zGw>znH;BxZw2Gx-!+2QFNh=DJ>fvmdk2@MbJ_f%iyv<$IQIQ*Z~!26Hv2 zzBWldG>1e}#V0?1-1F_+|1~XjJo7IScW{zR!Hid9L;>Ufp{q!)j0-juSw!ct?)9OBfC4oMA{m6!)$TUI4?e(@J`NwFviIQ%*0VokbN7gTi zc(3>a7Y1(AU4n*hF}IaHNngvaCKJh38m|=AmSZU<_V2+>{e|m$zSy+g@<`-F7=Of>$#m;ZX*Ua${IU z$~fkWHC%jnndM6-GmA4abtqu_#7i7z6F-+tRhc_^4HJ%x`BI!Njpb?}-s0vGNR93V z6^X4XP;oMu>IC!E6&ZSFyU;WpH~AOqhQ|;)ttX{MZ?>2w<)Z0^z1*kIu?YsWL5u0nx<*RZDIY+HYne4r`1+NrQ1yBSy9ivr0N;h+}Z7J>bE_}E>rc)hK=rm=|nbo z(qd%CQm4ZXBNl7QzTnm7KtB&!(jO#` z|A1dyl7zSs#5?6MYB~sds{zOT&e@Xc)mtBMJ7uF&8xB0;uK6|8gHt)j!3@Y z60o(s;l5YfbjF$C=)4U={;WFgQq1Y&LOd7;=2^B|yo?$~P{Du<@&p=c`J{qa@r!5< z+!Ql=(GVre$B`jQ`K;lI*ruPo>o7!v1=lx{PDpg_B{;*86+Xal;Z30*Ikm6aX+qsk zAFy#5o}&;6h=C&EP77#~3zZtIu^&H^joQk)yW6jVNLTST%Zv62yPNP{7=UjpCY+A{saE&OM4{M{10JFouiqhKX!_HpA+QRSd&ejT@88-h(x+)G|P1?4~F+ zEro4E-XhyROJI_n7X>tgLfz{8HT>`f}@=ejQ#(lWAtd4@|u44Z4DCXqrI> z3)LS#+Ok2b^VHl?F_^{d}n#aeimvMjbBeRXAp_+=+5Z= z1!QjSkj+uVrj(}`t!h?C-+qLn{+of)w)4V>g3hP6Uu#>5v5dz`>m|>#ARFVK9vXi`ea0T<7haF8HXACvOy}F*lJoggqqF8HFc8xo!?Fq1iZwthPMQ zmq0}DZC5L)g=@=jtb~bo#wgG+Lq#I~k>uH{jEn{A@sw`4V+AA;JE4Lfm?4})5W59< zSR%qm^O&bNy)aA^NGy~|b8D#qn346!^r9NY!WtL)f75`dTkTdj9VV!;GdX`#0=Wn6<8hzl*0SKHo*_r0XKpDnsQ*_fr$ z^~7*&(-W2<5UKD^QsIR9B-8a+!$}pG9@+57GFBRxf%cK1Crm&1$+>nfbDX`LDHq4l z$Jsq9Qd(;A+LvQbX?Hn(jxo7cA;RMo<~6!*6PfB-&Kw|H%rE1SBn{|+=r`!_vJ!Tn zR#V*HSL@^Qj|2}xj92q=0`Otv#R@tdV{TqXEYJis7Q_$M>Eb!N>GjytyKpyds!L>V zOX!-6vlz8-3UlJAhD#93<1XPuel@SdcL}R;ImoAwRI_yx)H8>ie$##&U+-De=-{%l2d0S^yqlvr#a($M*xB$QJ!!wf5?K&;gA^bq1w%HKmpy?b^v70K7w!0!O9YC-RmqOldIoa?4t`WWus z*30;IfkPSte6vJw&yOZeUM(UAfSUv7(eX4%ULQp@mYFQgEbEol3Q2T;tDD9PDUgj~ ze&e0C+xnBiPD+5N$8{1{dgCxZnu>y_IaWN8|BbbOP(xYQY0@fGffR<3*ntn7Pm;Qs zG2&&cbD1$CJRpn=Dad8Vt5`z_pV+y6&Z~$EyKh5qs&FePo;wHwU%MIoApexWuBF$X zumAG9rcYn*b@rU-%(wii;SP~ReC2AlIfKhG)iZPi^C56;kOK#XmX8e^yI%zp6~hYEs&~=A>Q7u1ZCv1(8(3G_n%#r`TA&5+nfR z)d+8Enp>!nv#@Psp4q%*e`nJ1`ua!b zL@O_@Z6mrdY{YgcY4;vEO%~CEyw-eMlb$q|Or3;FN)rb9f5N$BOwrZ=Df1h+UFJ`^ zG!WJy186%$b<7FqYjJpH4ugiNAWbS@Rn-Tzb9K9c!qI)rx5+5S+QjYSvx{l+nyM2(@67d4C@ zAUm6F&)Jz0?>x%K_lS^G3_?LAGm&Bm1{o znJ4W_TAOKcm!@SFGadN5NWl~<;(PHO&BJ(&=;5{gwxT>$WMeKZsp+?URJ-M>xILg_ z<5^9L_x677Rq-Nl>l0eZu4Jcx4=%cIhVXvr^Gb3j_oygAB83`ZR@{t)?O^nGuh85t z;7c@zu4Ip;30h&5CPVFh8e^aN-qYQ900if3Sk?SFVLW!R&|{^`&sqX@QsXXEuuEz4 zd1IEk#)p_ug3*J#703{dH9VaCs2E2!VFKT z7_2CG5(yR7F(oH~c%|SR25~HYaA`5P5s#fr!w(-f*~b`prkQR(5#HU{)j3y)2ZPOM zXpL=u(5K!0Jk5t_biVDKEHcDg#kI0?saeBubSNZzW;616C9Uh7h+~SJL+LD>Lf)Nt zxSzNV&x8!RS+$I5xRo5li|D}cI5ub~%|i4&@*3YC*BSF`PVT`4XmtrD>;cZbU{dW< zjCl5yCQcNqXX;LgE!83r$3ieL5-+dO992=5z~lAS33v`DTU=9l6Cj9O0Kw&lnS9|v z;eIG)U;23s$PHbMGd{)3Ag}Rk`79*e+o?1Su;95^$Lw;xq6C1mTdQON3ilJZ1=ZpP z+|hD7{q=zf2;%6KtAkZu5!s&*fAm?{3-O#||I^Gvy}4qhR|_ns%;OcH{q_Qy=tH#8 z-~RyT*;@p3tv5lQTDn&rjElCS%4q0BqgViRR+7*7xi#Eg?m$YT!c;Zi0Gt1Dir`zrmPTpg87lbC06=mp?AK4A_YCg=Xpk{M{Jb{6L;vij5fo(BE6K!9YkTKR$ zZZ#gltktZGlM4~k)jFG0`z+0m(GuOSjJ*u_4#2c{jyzf70HIs=g4?X;YqOcLaO)M$ zwNd08xU}I$$5DC{UG8uUGV+aS+E$r+BoYb?S`EfCUtS7IDJnjT&i#D81e71X3 zfUvSWl|(y3 zCBk0(9ptJ@PxLE!30X6!S5C{u)mUe3MW<{|L)l%yXX>(QL*ZQKS5f4XlkTfUM{-&( zm00>oMTRjP4wG-lGJGE)J-_+ytvf_wjh*s44Rj^ierY^g$u)+U$Lm4dm5F1vwS~j+ zmnxV%&PY6vVe@jYOBVu3;GB)L)$v?9y~1TMf%>g>H6CGBgXMgN=4ciJ^*zIE?Xl;p zgvR_@G6fILA5;IjxPuHL3jwf3^SA_a)H`SBc;6!qJ?;X`iHA$1^Uy7Zd^bDJ)3bXPes z&9pZaTo>b!d`+^3f|*Y%_Ma*6A}UR(Ml|KfbYuSkxCNw$xLW z&>VJ_L^Wq3Sr=YRp3^<5YRU4wDqJ>gbNIu7@54O>$x)Cs`57{xS;%*oj9vDYFi_;l zebg)JmMTS_4v^|Ze!qb{Bac z5c}=)598d}y5_FkAehcP1lHWb!+(qW+gi>hS%DAG{JbF?_x4_;QcY+x*jOd{lOHR zMK(vARc$Py^lpyTJf||$akS7BREMx+-!d@|MQGJQfpjojBe zK^#w@S8zj{4FYk#6ph?a(watYVv>P(o|!jg#xk_Cej&Rl&iSI7Jw@MX(!9ci7MYeC zO!p;;KZD$5PZu82=^%fAQyIe-wEx;KIE6 ziRA?_t|wdCt`+*C3ux{Yyd`F7n?>b{@qM5cFRs zMbPCD=7YYf<$phTgPr6*4g=skET;~e9}dsSjC}A<~Kgv2SSfL^`X#H`zk*5-{8MkF#3MzUoUR3O#Dr2(Rc3O zul@wY|8;HztN!t8UJW1%1ufcPEf>{r`H!)Y^aS`#0`{Xz2C1 z^OxQzuej%DrS95uK<0RSUzBCX?GN_VWd8pH_r_TJfBC@uuk|gj{DJxR%b~o5_LU8N zykcRb7ZtSg0_!_BwkRLrXg+Ll;GTHNPS~A4o8`N3sI!p z7K%yu**Em;3kIQ_8`GDCH~Ok!R^6yUA^DKVT}^c0NI_a841WY2==ahBeCbBL37&DI zaD@z!t>{L*3h?g>N0TFqH+@);l6)BfNwJMj|tA)Q-@6tX6_NxQO^60Oj+6&Sy%68FAA{8qzUocxRt(GM%cN zI#<}Gj#O!c#pLwAR%F@C45AXhDpIFG{{gc0l9WZQ+8c|vOV9I?17P5%LD;RYM1tQJ z$t4;b{kgd~1W``Wq2NWZ(d_`1QOX(23miA+B~bHaGU;j$RH!NCbf5usad3+DZZ704 zK~k1=5zykl5nLU37y%A7$~P8kmpv11@!cV6B|`MR&qX~RBHhh}`HTV{`QP-`0qRoP z9XBjAf2rftW!GbBVL>@^Rlx(_w*M9Z()G8*d}=U_%$i{sndAj;~)kC7K~V%4<>=;)eb2hOtg zqhA6O@+PW+)u*`$L@HVp^u5}imfhXD+8&tHu}hcZk)g1djuSv(ZLZH${W+%toZBSO zj|_o!NZlwrC8A~Cv#@Rf?grC!YTflBsH=j_7-HUUBAS7xU5DT?1_Ul1O+7f{+!s~B z7^(w-lLC4e^5%EN2$wls6-;2ASHRXnsbBkm(gb8R;H5m&99}IP=Y+PjQCfaEvR_;|w>|O($qv|@g2lY z7+X2!JGfIqqSQl@N}K@ps)DDa>#uN|@rdrTTsG0W)?&8iZe?W@N$;A#>;XGg?HY(P zJr5cOsIboe5GWTh_?N)>-~`pw&_X;ge-hUv&GsfC$9C+h)S7qt4+F4VXao1~(m4!q6mfy^QQ8q~SZr?frE#3pLinbF#zW!9q>ljGlhHE6sZi2{ zf*@p;p_YSa&Yk#TvVR2ky7h74&4z{2ePn^u$#|LuZHzHH4tuQ&aDPsBb*A(c)U5UQIb=WujFg^^{NZ6sY36nY zHgKT0h~__)(;hjAjNH z5A*ItNa)WEtsK^DsOzOCivXBhLr!>2sOuMZJ=$Uimh|_JpP=cq92)t3F^&H)cp30U zL*v8&-|5LnN0cb>BfA=j)%m%iG0em5>8hoT*u~e)n zLf2OUkOJQw-bLWIWX_6F066(E*C0~hsM?>?wt^<*k0V_BE7hisn6^^)>xwNY;;oL! zWB@T)wPKpFMi3G_Mw23jHhIofjE|Sj1%0HU@jNzgpNoUbzV>H2PWtY~i|IaQ30Kwj z2KM$0YAA+Ch40ng0Z?aEhl~}m1>go7gRem#;`F`T9vN_i^+cQw^LdHCkn`|Q>_6WA zgygP#2s5SYFv+eQL(F_(sE&UIGm@2mpe>dY$P*4Ti6E02oMdXF12##AsZ2%2@Mfu- zT!$Rz7Xa~3vR)?1tV?AojIYx=6VQH^y@$f0{2J_y=bVX1`W~{#x@;{wNM-Db(QKjY zju=2VYF>9w={lqJ9E3f)oAT2A4Bvc*w-kj_qzg|~r;97YlB2PJ5-4h8O z&~^CW&wI2~V*Hj(s>*MLTSj?~X*BL%`nz8O}q z5&L`3eG$m!S6AwVobsF)a-enY#lz-l4fjZt&XR6%mMh5_;|pTflOVg|yXIJWwF^Ii zgXX&(OL?y|zMt`C6>sF15umRvT`z*-`K5cv@%B}mn@UzM zH5oU>fZa3KJjHwthPs*$fF)J-4~Gp#Rb7j8OM_Axvfm3qiMrc>#w0b0W_C-yI|CLt zEB`$7viUsM!rP(b$iRI_4X&Gn4~Y=oz^w`$4*elNi?Fs}AEKYhyfUx|Yl7>krs1Xo z1=Le|6QP1vMlA!4`D$h;e$RjRIXl!*zgry}I#*SPB2!U7mFuvx^b8Z)5g6<{%}LHC zMerjw%iw5ZPYe9`ri#jYA!*&k4T5!hFzlcPx)@g(m&Xx95v1cxsA3Dkxt@tV4b}x* z^_B{2v2d%8^DV)}z70OkagXy41&lHGj(+ank*^pgvGtu`C#fxZ6LFK;kBfWxiPC1r zr({^i2{6S1X5+VN{4GDJ+RTUA#=)jDNmxLp+q4viE#X+m)GvM6xt7-b2u#a~SG^GZ z_g|5+8b;z-y5FhugJ|-iXMaP1gJ>#LthrQjnfnvXR z1LBtAB-bN&Z18I6nCXjHJdM8_?sJ}TO8j)Vsi9H0m|yG!kR2mT;_^ek0iw>?gc|>V zL0?sj92zWvUZZsn}Ar9Hg#NBJvAyJx!9`G0kdcSHy6dro%XoQ-h$1{AlFarG#($8nMbg(46jnAnzuodv59_mbC# z8Z=xlznT<7?CpfMT8GP78EEdI@w-qk0;Rs}tyRLVf$&{A{jJGk}tMUljK+q~yXPIY14SN^&oGnSMt` zxwdt0!?)68b6_Gs`ijXE`TJ;qkniAraMa@(*9ga(*jq6!%DnG-8y&;v3jk0C5|1e) zSw4w^jUCE@OUSr}A;W~p7=-A8Kj6ZmT6FFhzJ=cj%Vb9h0Fj2koa$g;-#`WaS-xa~__=l)`rkN90yx za4pGleFWuFyI_d#XmKS^%=kbqXv;VR?9nr^tQo`5I(S(Ns1;sSj$EJ{xH3g`l(BDrOLbBWM z0TkDyC@ebg-eru0YAWFx*F5b>KhDxRtDy!li-Md_in?C zxT3^l*@oaw3R!nlx>FJ1eoN3BSB$$ zOM%TeeikQ~?_kfXogZQADru{8uSWB8oG-&x&Uij^ye^&g4Q5xfqLn1}?(*qGJ*h0s zL`2U{N#wT%ZiYQ_DdG3yTiKKtaViX^{E)FBZhslbR?;8gO=^*1ou`%LCF5%bZ>G}o zasEyz7Z-KhY+6Hu50t!*h2oC5wy}K1mRv5u^n=RV3gz?u1-!Lkys({^0|R->^x~w> zXSq%I)ynsLi^y!U>d1#UoxDb;3QNp)xvr3LQk|eNW~hrg6gpcB*Q|SuiqDHvuiwX{ ze>YG}>v~m4kRD){#kEb2Y+mq7!}?NsRJv1kUonqg06~~@CdTSpK{pa4OL-sXYQF}Mg$`lZtmz1MgJ1hI@^3X3C*>bJP-vZDyhfdu zkw*}6osTJrM7Q8uklnC_3bH4I3@}>-V{?^n8(sv?<1?a`?&Q9~)}`AVQhPK63f}0v zXlw-Pec`U)p1-pMkyOH)3HQ_g=(nFM|0MK@S%H+P&myIE^0Qc#zUx^w2+OF>Czx!6e~Z4hQ>M16b@yQ-kkRw$@_5EbL`-6-+L~;P$~UG zU91iLgBzaSQ5-cQ>)fh@QH5Ny_NLLnW`6ACwr1V6n8v)_AZz`=i*Ud}vxVam()V;?^7vi#J9f36#N_pgePS*J!j*Ju9Y|6uRk z=pr}}}-cYgL6>lxp z8@709wXJTo)oLqRwOVb}*0$Q()?2H)H?i7XTeatjm%i?I_dVyl|DN;X^MM&=*4)-w zv*uaP^L@VG$e}0g?`JNR$5{5a%!EnY!JcU!b`lrhGu_h)m{0l+J>?iMc=;mXi?JUs z%J_Ol#Nx~=OZzN#ez#%yV%PU?9M0+Z)5x33PVMifg=gKF5%?(Ux2tK#JA8TlAK}^e zfBPj|f_&ASoj<5J(w zg{~jp>(k4_e_hfM9<%d5!g>$|G0i}dGNcK3DkbkrSY3$u<$`fljDGF0s^$SEo+ zE^90*F0H;M?pHgZaZbN=Q(D_X247UI>Ob_ztwU1Rk6l+~j-1iwQ-1hbBDAz}>+a%$ zmN(9QO4J-6`VAa+DyLuB#EYiza@n=k&w4(abEsd&)Vp^+bI%}hy)v70&)LDV>2GHQ zrasrw*gt-rWz~s63n~xyAG#z{)2CpGN7FoPx!&6>Sy?jiJd-kSRztSq+Oegi_1unwRlCj&|DyV>GfTfH?sR=m^q2#8g^$N%M@rUYw9)Zjj(v|F z@n!A%dyn)Q$5}r6bX;wxrJ?FcDQz(kgYJK_X8e+@(6R}YTTK@yd{UIrPSL%(9at5}5+yRDclnfzkw=C39#5x@J->e1ACW#Pp$X}Ib?i<< zgGOD;&S6Hq)#8cy_8;N|{n?EEz7vy1s?(kA6Ht!|+b>7)x`QnTMID=0^fAQBcAQN- zmD)ulp7=t@M$yRGZ!JWXbEOCKf9Q$^}b~2LVi@>;==S#M_ySZDV{rYvGt!L=gf7s?~0clZ~y$I zC4b)A!Y=iE8<$|}V)!PuDOr)*IZZUTf9UwtdR4c6nS8qGya*1agS7A?dnO(9@a#X zL=>c`!(=FpI|ZL6_!F#=;15*9j1YRU7%P8T@vV_co+FAk%PLD=TZ(z;r_bABOOf5BhN~ft)P~s&*%)dgC0H* zte7{x9c;qC2qAr4E5<%*z#l?2R|)fqJ%%+!&D67ft4vpgUH07G+31f1H?>GOi;k%VE}jx zAZd{RzE3Sgn1gX-dI56i^+8rdy$)sQgW^zeLGhA@kPcwl90JpH$SFBZIOUSj;zKDHy->Z>opF zCDc@uK?^7y*V%SGW=n(vIlzoMXuBlMLTafV%t496k`H0wM3hFu!!e1V4=AyeQF9;j zD$eyt6fNFU*dtcNJf>H4AP3oM$$(r&Qaf!Gq8G@6Xp@p9NFd#0F?SXPIes0s^Uh)H zYHG7Q$ie7b=@~DDz@DvM0D5t)TaRaHWJ+P262wx*uS@0-I z?zxU#kV*v^oCf4_BX$uVhk$}0Fqv10Z9DCYBzC?i0XaNME=+6(#I|L+z@b_q&=rlT zCjKjweu_UHd?;ux?u;0yot&t0H{g9SUp?okqFsEs z2-)e6QToG``uT`wO?2O2v^}>Ea2IpUqLLjTNA7w|*a%v8o(fzZByDtiF|=wwco-ij z$ua@cK@L2FLvhXq(1?S@ItV=Tux!yAgy4cQIEQ+~j$t{iRDvT7pa=F>@!hN#kPQ{K zW0dZA4P~+eJm2C9oR&Ku`EKs`5IC4=x945Lg{RQ#^Gs9*vX?|V-iKVnS0Tj&r7v2B zGU<^>AT~*O7rdaG^zI-eU_fA0!EeP|QSEqqOX3$DpM>u`B56D$+`-j#v_ZH=)ILMU zHtB`QVlwt2Q{xYRF*Q2Ascj@JC4|?4?AItp1%wtA;~Q_|@`^P?SGu%lHH0DYh(aDw z=V%_n`_&_b0Z93Vly%Wbz>IVMZT_gZjAJL~IuSQoT>BnC$XY%JDe|^z_Y5S=z!m@S zeM%f)UiO*m9}qA2%4rTNvq}Rxs&-VcvH4Ywz_1lp`;Ki6KoQ8n%*U(NLoH< z_i{5Np3b!P)P}rS9=l#=&6Kh4w)^;L_|jJZ^ZqInW%8Yg`qOHQl;R=X2HMAt>W?A* zRJ7d>nBdx$BT00z;3JeTgL1TB#5p&Cf-(QLEa!7jWd0nr&ZKm%S20^kMRQ+3!}70^ z7rPQ~dM0EYQPfa3OU9dAp7DAcIUG9TA%I43dW@P2Mg}Ae_a7k+77fXHx0zUUlrXzC zi9KU!AUhndm`*)gxs}Ll2;`0lW#i~<&>EkCJdL!e;hEg-$g>#mD3HJ8S&dC?nff2` zdisZ^PM|j|g+ z*~`fUXSC}hRCJn5a>fAiovre1Cu0hWknatY@nbzVJA|tWK^ew0mEaTY$o6b(os{(! zWc+j|sq55ekUs1I99Oj8Fj$pW25~hiZ^(Q^t&9u`7QKx$%Vau(N;oTOIR>KN?_+_5Arkc!r6lQ_d_P&%r490VK3i?>0Cg9$Xl~_G=kvT^}YH zHpUF*5U^APVG>#2&MPCU@L6nxcv@*bsCxt9exY%yoN}twawwac)nPCCZ!aAAq?;EZH1l`4*4Bdkzc`2zf2}{Yq0sY|GE|%mSvDn?5#P3IfRbKn0xj0PyQv}3P z1&+g9kw{l9vrjdD6Yh8xWq_>f4`H<5or-r4C&s$#Lw3he2G%azM!RFFcp()-XK#(v z-w>Kbb{TTghmgHsh^16wk1K03ex#yp!q3Pzqwx>=cV`pV1551bzT=KU?wZ=)f~mpg ziy*tL*y{WMr8#FK#|cQXc$QORdh*%ch-*cPviV+2{Wx^z7Dl5p&4Nhq1+f2n5Q^E`Rtd?Nzx-rl?e)kl{`r$ zAwEBeoVo<>kqjg>SgPo3NYs)yvij*JNl9&1f1y_hO3PbFno)WgS@@o4CA4O{y|ECIidXW-E(02YE#7;8gQG7n)?}wUAY9gPq!#~P@N-0Ko4Jp5r zgF>Y-?AqC4xgObt1|^V0&7{*^FJpEQNOi79*Y45L!s4*@63eT|Ui;hHY9QFuD-yV+ zs9FTRO74Unq`r@o(DPvM5lC%`#V|zbJ7w-KHGdxtFUY+5h2G^M$Wa$k{2eMv+gOO` zvO^Ec@3r6Hab(>S`3U83L6svilz7Q zrzgdVe%x%tnM6&U=#zJ>4DXsNd+j8?cFm#$`iK#)?7{3t#5*?Db^&v!#L1f*NXMO) z!DzqGEnL|GbOU0mgB6I7!1;4=*a?&iZSQ&9hG`l@O%(MV^CDzi;A2!WH4|g^`(R^4 zpr3x6sEm*${DtYM;P#W6Xc-XEodS_zBc}wOV~s|qYmXr9_y~My-Ph!7FuptAKo_dB zWa=qOZU$;I(J3&-35DuQ^B{V~_OUz2#cev;D5-n@H@nma)pS}^Bp4jX;Q`? zc#iiY-W2LfBm9nlYd7*SWK{k&gxyZcu2ys~?umhztuJ3;@+51%q%0eJ-Sok6n(r+0 zb!UviNKsBUo3CK$i~Ms)-C63ZP*|N4QIcYDR?Esl{eb$>K{Zuyult6ui_mcEvMA4q z%2S%9NNp&ow?3j6f6l;Uaf8iBJcE z+Eli%i?H7&4Awc}9J~cz#iLtG+ zP$nwek7`G?oJ61JPLsOaaskKjH$;IP122W>a=>G3mKu(b24&dHn(^*I^q zpp!ji)H;kQKXu0XV^YIxB)6`XDlbQQ_ls;t8-6NDpLe+~314ORkWr=a1ip#SVT)oE z8ls-6vVUOyg(N=3NebWEL6oij1iR5B#&%p%R*m=Mbg+ad1GGX`sKTC^sP_I_n#FqP zq3&9-QZGez&F%y`-rh!SU;_LG;1#6)@TVgCHp81?<4j=by4Q>8Y_K3MFcGFwN#``z z0aP>y-We7?4fVaPDUm3ho;Vrkt`<+^QT1&86=V;c=t6WNOf<|d0cWoM9hAB5ALyrU zDF1yltyge>9m{@hvGZP#gY5g4y8BL+xJ^ot!oJ*(23J z<9g>k(xxnl=U*@xu@qb#U60@NPDFQppmc!$7$60+_2!*FA(ak~AYOIx$UcSUv4vd9 zpF{RjbdvEanR5X%m)+cSmoLR24cw$M{}I7g0i6ytf!jcwKi~d#-t*=c)O;a<8<`7$ zar4hXO}@6f=-PoB%3^7LMhH2j<>#FDl{aLiV@2(NXB%E5#$NSFsbzt%8`~G+a~BU| zhhr85auetUr>>E&u`lD-uo0wXIG1?HTvXc$_v7Xv7`$sc5oUS;za7;@5DAsM^^K%D zKNaixOlI#34wh_JT3FMobR4%yQgned=zkPmf+hpfPrTCc%&6Z1a}Z$H`DzU1GV=&U z(LHiV?s-ggG`qq)>wt=o%y0)Vn65X0CE&~y^XdpZ4Ncd*BQyLfN(cP!*`A95&^R8> z(DW)Q*?db%9lkr!^`{ygQ_Rv$qxr3Pa>p>LM){e{n;nMtSw~rLf_Y^Gc_}|h21MVQ z6cyEG{wD+M16+m#omG4g7{=ajJ`F@f(@!}L>rA67Jw zSBrI}5!BlAM~Piz5ppUvBf-(zIyG9o!03BZP{Dw}_y+=j?EDSlC#oC&yGRH`E1d8; ztK_85yw420T=ZM*BVg#WbBU11#jQlfQ!+q+>w)*#*-v;0xAmhw3NCsWjN$wOu$EG} z$uP}Sx*76iFsikjQS>sk43%El_YeD-q7ELRs&*+?c5O6qfI%;Z$)~4StlVBX5{>!s4P`$n@_?ULxsZ-k_X}3CFPTjTS7Y;>hUpe(NWiI@hsEh<61*dg6%Y_n(-CPHPUU|*DBgpOz zw4YgLfrG60bqUPd)a&)+#^Oe?ei2Y%LNs--NO6W=Cf4UDr4caIb&TG=A8LON@ZeKD z=xp<1D&K~v#Z8fXjnr3isS=&Cx+uf1Qde_0z!3EYYonZ>LxME@wixxqFypJFvRn#O z4glUi9ESVSX2U^+*NikrBIzVyyj&TjP&Z{;LJaRJ$Q;Pe8m=<5Dacssr*a^rx>SvK z0tT(SCQL?FT&jf(VE!hlTNyh42Q#qRAA%h z3fgK($ohEYJ$#tmsNX;d)-GZ7{W%3u;2<`0i%`A?$le?4@kGT<>yHXNS6^p-jcnB7 zbgC3SP*kMerQbx12{hpB-0_Id0(~9FAGL04DhYtO94ZZrD6)i@N#$_2Q1$2Lb|p9n z24d_R|MN6HP7HX*+K|8)wAQ7O#yxnSJ-1DwYG z>r@4Z!LQ&`5w({Mkx&wiRfTJ_3S4#K;^)PDomdy6BFC81NMV4?kq<_6qhWx8bRxTX zs;qgIkRs#S%$RdTnAb~-OYQ1airni+*CULa;oB)dYWYb@csI;oj4UfVCl+#$5Kia! zmOxi}U8-J`QPi#*t|D7NLc|g_6Jc+EUEMulB;x0)ghC8x(6uxi;@ZMGzVrSOQ@;qM zpX=y6-qVjl{e^E{t90C6)e8SE6lUDipVUobF;8xt8z{ls+_z#wD1!N zbFBG`mQshUeQ(3dMwwpShg9Fv?Vdz_Ryz-z7s?nN5TcYI)`oB4WMwL_(M$j+ki8x< zmE-snQTsLuxRayE#`d-38gjel4;rV^7usJ`B+?fRe?~i_=``OVMcO$9-yannSD0Ha zaA!hytWw0X26A0~Ez0@K*9Q-0HalnYnE>$sKVWp*jdP;~;NzXbt;STA`9?>+8#*&n zX`;~0`yGutWTi7gfX_g9FTz(2Rx|&(*y98KYZJPgVz~{Jy6?;AR{mdz>xdThqkb?~ zQ2wrnyNys57Z59RWBeuBzy4zm4aB zB0*+rxaD8xU%B%x?pbekZME6&od1XCq-ivf$=$P%L*OYz>UmPb4F&PSqBo0tR5`y2 z`8>*g3N*jkVN5g&x5C?`61$5r*aKAm{EI*ew?hnr**?&o^BTmLUO^*tb!O}QXfXI* z)lr?zIa+>&*wbc+rwv!lWSZwqO2^%nc(xfq*DejXPv~e!EAqTR>!`2Ek-FPbyVm)# z)fYVv!9|QeN7$+;hxwE`M@)|bv%-!OEEEfSF<>c^Ao%r$Acccm~JN=DQtDBZ1>(>jz%ZDS(L zYr^d1ObkCoLFWYSP;Yy8OG>kl;WhcVVc;1x%eDS)$UHrxup6??VO;($N&1gle^6#y z?9ZtOkt7~fj*$azDr`Uw*4o=;5QSs>VPBMg4rqk;3`FC0f=e#N*Buhm$7LhXQG!P( zO~Vf+qT-2YT@fyvhVnZh<0Wm$voL{qa1ZJ4J(z}=Y5Do+!EboTZ@92KrmH`FR+RrP zTJ{`1yC7%{&;POBFfRrTab1!w@@`*Wc|-Y))Nr%Y_C%7oG?IHjEP962-@Vtkp7OZg zBVCha7vl|Dm~7{_h9c1t-RoKGRyjo6^sA_a9C%ozi6 zrGjLSVGCw(H^cKv>Qm?DYbWSrt4M9wB(*phJHBE1oOURasR}exnY#hZX>PSYo6_@q=jmxCTaKXqdu(!i!(tKGC6aUVL`i2=| z{fsWRA@e2Ds)|_*uBP7lO~F;ef@Gqnn>dD!5NEmnm}2Hh)hlcw2;jHV&R-KPsM$M*(Y8 zEq7Q{_zP;?RBIL9is#>sqIz>}i2DOskDKTb{4P{#LlZZni4Ih15S2SnZV?^=))r(} zsQAcGuv=$?*lTrqO|V#tf90!#*wTvf#h5t19r=!s3&;oWr3 zoP_9E?z0lTYjPuMf4OZEGT(n$`Kn4iQlmK*X~?DTPn2V?_-=O z190-qk_NZr6sc*{mk*RtTH)CwHt0zDPQ*g1`lgZZDR;t(VGl{_l>4coEHuP=QKsBU zf%|JF;!lc&Sr7ltM#{HoaF8`3^-kK*F5?=J>!oC4Aj(`zdEY0TLycMzoJs~iB#!l>j{O==Yt`H+qx5rSQ!_xS5jBh^mFM7JZnac|Sf3n#otyo6Y_{Pw^==;u- zDBZ@|x|sJf{0L0X9R(-Q;2lyblU~5gELp`w!YSz-J`S$}UZPIR-auJVw9App)rslp zQ$^I#jX7x9atK5zz@Ekvdt>_OL|En^#dPNz>cNrpfI}>%T|52g0f+4zJ+mAr; z-yjLhB&OIyFQRb}q#J;0Dn%GCgDUf*aZ}LFKanH84m#dH2pu{WEIPjy zJ(!Q3^KYF;%66IcHLm?Vj0@z2ThX;K#%a=A2jcsL>=@wwI21mVwn8RC`G*Xx(5=@i z<767ITA3VeEh3dSWrkN|H0%C4glRJt$zcv_d|B@3PVYoK^#WuDynxOqUTCj3m_W$X zc#bhF)sc*Hl+18Rso54uYLz2p?R5eVk~cE^4PD7!j$~HS=P8R*vhf^3OBLtX7~MZ3 zghhy}hD;B`GqS=8R8XStrK^zBw!Iy*YUwbx64hGo$z2;FIlCUO#v}FdsK(!{XJ=xI zvRZEKu29xR8oMgk#Z-c^Nv^rn)ABmI5?o~?m??C=QZ5H3%k2gB6=W{3xne!o5DO8v z8EE(A?4N+&&7qfIhdM?<^{gM7^$a#M>EvM;J0Tv>*^`ITx#D;*d#kweR17Mz!MuT5 z`&4~jWb|}1*HfNMWUt});D>BQ_OU>oob3HuqPM>V_e@m(ai5V-W9;sTZPd(xer2{#EOmugNWbF$D=iM(PTUTFn0!HuF4-0HCrNa`r5tq3LtWy zF2j3pnzs+8J5sk{MnoNIn2zo$4jIIx5GTU#>RRQ9;D_VJnj^7> z^E5e?F^V@=!PmwczghTaeqe6OLxi) zhe+?NP$F^rne9WEvqcBI`(*f2Y|xEJExOp!Gv~{S9(0XI2ExiNkByuRoz_Ob2dpH1 z&sMz&PujX3{K}p^elzldGx8|5QcV8GAi<1|oSke(f&|}T>7nlPQqMi0>h?Z^E5u-& z8^7gT)yUogqG6}nFIwJm6snt}aDTFcc`IjGW?UNuB(@!M>ydAhxlzhfp=7Cd3%Ik$ z3J&HMUzsP70X>S{9#R`u+k@=9Y>il0s%1@7fzTrH3~G8?NJpMNl&-RcobK_!*G(h= zZhw&k>cQSD3cSashmrxxV%B$qx2@@2HXdbLQ#_tGZqSuF-z4X+x)74ExNqZzv+U0V zbbn)`%$tMQt~g1vQ+;hVIVLZOu4esAl6SI+?Z?L=UK7HW0jj~?)iQ-0!o)J$@qW6& z)lZ^-1&C?A;M}kfS7~4FBC+>Vlxvohu0^?e31e}=9J$s$U*nTnCh#Xv-MK<50vtO# z-SaY=i*xV?!UfWL8Ibm|h8r@PbAL_3d*f@(xxx)c_7l*1KjfWgk*uU$8BVH41_#Cq zCD4CYtW;7mhJ^(7Gc#SnlJyc58*Jfe8^SIza{4ph;9j*C8 zNpRdW5%)b+TL=@Om*55F2bj$9omyA2oyd;fp&_-S$ynw9Hvk33`Z#QH*ly+}Dnrkh(r%yDid!u>1J#`TDvW|*4ieg%OO;gwy;UKIEi6#zFJd*gtdi&nVh zVs)mHTv99(0|uk%wDP0^VocV{@xGsMe9;f~F679DHctS@m+S_Av+#uopo8j&bTSV- zkaJf!C`y(UmAJd(~mCwBKl_B(sC>h80N zS(q46w#2U!YhIMHG1xutwp#ie)P9y9I-^gyL5f!E4wHuCN@aS4;YF70;^|2lntY_r z)59=?x(>Tu<(H(n86+` z^hP?PV|Pqtq$@6xbktztUG9UER4Z?U?{Jke;3>t}Jx=b8bWWhT2O2T34sQY|W5 z!M+TlFTWimeM{5xsn_DWuo552b4M1DN!=QpV2-M_~R~^5=`rXCCJ95V@P4;{tCd9{+G5jlH z$8|D>dsFJT1pBSKQ~`I<$R-b_%U2`&K_bCxP}<)mKFp0pO%)~;$3pfA{hX=I`K>FI zSUHN!F;Az!9irQsXWwJKAoG4C(?wPYT1=FgezWX?&xPhgIUdWbr7F)KR8Ce9#|R6v zW!^2|nf)oDWU*mxJUQ7=J25v7%uzCdUx$1vjG+dIv$=keGOJ8GiS}`;5nXOL*n#2- zHzV+oVti;9qRuJ@2anB*BR+J z;XBkY4*LB})KCL4_F1Sg!07l!)HsNa5g-zINb0fCah8|t$<|+MOwFE9I@vZGD&ZWs zwQQx$?lzF-E1-0@8R0bT`O*4iT)_x(0DDg#BSc}(Ex^!N#C&m_^SWn!(LMN#vZre` zLI=#AHiXLIGr^u_yDQEs_B*=OX_SY;D9A;GOfxo_o@F;tiH3cJVDA(uLsX_071QkS z0kUMn7n$2Ariarz$BjUcGI~szLD`dFUcSzYr~-BY9~os9n~jySme16DSlhFA`g=5& z`ssP)7c%P?DoOh4P8z$IXU8h(ldW|l(QLZ1fZv(xzlkY{)> zcBKiGdrOgLLeLK7c0w{0J*&abTafo#DZeGdK!(-7Z5YAl6&St)4QHhDO6dj4RZ8W^ zL~a2#On{^&_8j?Teh6-Sli!1!Vf&j(zZe6Ah6qYtaE+cd1b$b$z0?-b&lPkNhx@v-^{# zYBIW|q~TM#kL9$zOLH-OhPG09bPC-Dt{_e#L8Yhk2R;y{6Zmjb?eQ(-W_$=f%O!G- zkrr;y@EyZQ8@0oE&A0-f0lb&_d7D{a`!Nfg#H{fq`Rukp` zr|+X!0_|AN6$O>{U^?_bk{c#$bNX7SZ1ehfAr|YNQBaA#9qwtsk7BLVRz&Id2+5dV zCo<>8Hulv!gzgERLC~>|qP8kn97lXF5%)ln_ZxYMdCq+a^mXA+-EF`=>Ru`!`|}Ty zLCeZ;HDI+Q8QusZUCL_#Ql{@}&2Z-!=vn*)2|vSfW{*DCkgY3fHs2a%JkeDj>F$7v z-$veTC^rM;k45|$R0s~xUQUBkMve|Fav(t^ssMzC5H519?#TRMze|=kcYz7-Tlw!G zw_3DP0NrZCVHH_wju~1qz;uds^QW-72Mw>97^^$dbd2jd;wKT-m*f>|8(uMNR8ZUL zOLafONUvz7ECxHtybm@Iqbn+5A}$?pZUXB$A)Fducq`laoB$Y>%h_3nvX+!{$iH7i z-=qX;PH`u(a(_ZhohAzF)HATPI14=ifv&u|6{YC3S9B zxsy7(_(S{9>kB5+`57C%TWGgm@$*vvl8n<^pW7d5AEq^@u+PG!q|QverFdt zT8e-fWYm7ZS~JZcsGeFXB? z;0I$+4M+iegUWRxojvNzujfwEUFa<(OX-NVZD_V`i(>czr8Pa=a#p!d0rIoTtrTzU zpggL`O+bbcHQ8O+qy)^KS)+o;voa+Nb4nC#9T4tKLduLVD#;7%Jc}uuW8R_ic16lu z1@1~Q`V_-thCHk+Rsif<19302RAt;tDZe0@6lI1^)0Rl)tG^<_n9RRRGjU*Oy%WO& z1^89#D1DI{rB*jv-K2*k%INm2Az-~`o0HVWt&w;Y?PQv%2=!f+KO40-E1itt)I8q_ zJ~Ku)NK56I@6zh;Yb+kKS_OK3^stMklpZBLQW%cGxja*t7UtP*oEoP2j3g)V%QekE zg6ff7cUejD{ChHnH}$560s_?YCd@!`#GY4;wlLl=@~okCFbaC+!=e)9%;CC)Dg1?# zvFllh1;((IN6HstN!gFZlO?+9$lRN1&xrbdRMO06BqdF*I2(Hwgd~hRV_gvJm_kOu z4H|fsdA{zaiUp8DobKI3H*I0!l*4F#F=qb-T=klNMC5g2e-DP=l64;BjYH~0BiY## zqK|VX6@Cb_)QRQ~DdkU5py9svU||lbK1NP2xm%I!sl$tzOg4?Y=__I;sozuJ4mNl0 zf+&({oI;MZ+NAC?3Z}ocbGOz=zlr^NgWiQ!eLS*#m~T`aQvi;VRg)5i)7=ATzno0;Rn1C=>cMp^kpOr1Frs~;zfB?5xs5N{Z!BDc17 zGOVJ3yNA6%MMDVLP~Ovb<^IaDh3+P7ZXabnMe@}m%jaNDt>NYn1|%)*gscO!?Dnmn zE4q2+QSS@$anSTqEN7n8pA}YPn0p&yqKeleDl;EA&gIgH6VT*NXjKEUQTTdsZ=_)T z6?ocF^r0VRy(#Pz4M~qsZ-{7_cgQ7F&XU z90ot#Feb|gGtPln8Y|oOPw+6?xgQ&3(M#L)A%5xyW)#{`6UQ_=;Q!gl{Qf7X0k#%X9eJGVw zNGqitlrFmh{wA(#~+2KNn(sP~CHGC$7hy(FZjb}DndI;ak6z@87+Lu9qzlC+CTDx^H9iT>Y z#iG(`F}}d0LgxyMqVjzLIXh5!s=E+^Tb=_{ZBG=)V3@|&$R0pY#t6eu>pB6Lr!y)N z0EOklb%}~ni`0Jkegg5p^S#2t?xT889n7a0!HIk^>^StbE+SsNRH1x*jPbQ_%|Z7SC!ngKBl}3N>sOnpZpAR2p#dWAdd!2daLT>E3c3B`@k!FhUm=Mdq*_ z!C7O#uwX2g0czqK17@2QA5$H3mx=-)P2H4CnM=o!pq650HEJzMt)Pxmh3CaZ5-Qmurz`*` z0m#vTMd}yjR7YkJe8@(k+A6#nHLdNX)ChsA{ELJqopl7xE7+2Cmi|J6sPUSft9^%B zP$(q2=7b`ZE>vdQYLQV@{0NGlLVAu)y-L-SP7hQK?~?FY>hnJYdU5Fp#-)ZBW44BK zNcdr)d_A@fJ;g1?i z5-ax6hYCt^%TZ3D5=-@csGp%B{=xSH|43jfl5hV!P->k^dp*&*Jt>!J?l!95*Ik>V zeks~ZfL^chvYQ!1TLNxkGCxi#6a+Dt3513mKSX8=WHBj5o79ll9gm==1Pn|{%_h{= zgRy!)khEnovF0ce1q|zp=<%Kv;C;~?mReppQnf>eb)|mflTAI4!+U@^h3KgJnOUU4 zn6B^<2YzhZfJ8bIxjo^`DMf~0CWPA1mPGtk*I$Dii1xIZab)oQEo%Peo zBQGjT?D{UbcSV2z()}c5UJPi^7w}S5zGMUXLGu5~Z_G1dJ1_YW}1#qy0Q6Xn8(@q2~nhyaVHJ6;ZUyhN(UF z6L(MSy-Kd*J=nM0GnXD^nL_3B&k~wQDYcxb17dZMT}CCguLDWydzk@?_hT72umqrh z`Dcpxx-y3VXqT^v{E7V~5D)&k_GW6&@KqTwjRk)GdI;#5&Id~Q3S`f%0Y>RA?p8c! z9HOSO`;hCD-%uy#%R~)cxT{(mNTe9U1vz<>brkfsCzDJd3A~?ML;0S7)Dy&P4r@H(voJx7%>ObJ#v8v*0|A4q*U83y{%hy|>; z&;uJIJoEw^Srk?O3h^h?oo@*@zSYV4Wq#2lCY>&$2N}mG%|FXsFNZ;}1Q?IfYCpC7 z;>m`A;#b6`PzmNj&o!gE*$~-eN`*5u<`P=4iTLs1hPP}bac(+{FT><7!(s12^H?3- zcI~`9C-=J$N;m4e5a%F+lLkiZqjy8y_w?LRL^n}6zGLGcAOVfzM>g&7>8P+2L0rQ+ zemVD}h?Y=atc(@x z{*REB)yi>Fkhp7tTw#mvqhidu(zVyPZe`$N1FP}7t0^@{wCi2R94w+>tj z)I7d|zz}%nym*g8J9U`icU__yo0VPE>Mzt}bihO{F1LzcEO97&@mL?kmA|;#`z&B- zD2CZYwv%&wRvHqGkS{4X%Xd?x#}@~_y)!&%yi|p60E9+3i;Cjt_!23%9Tg?hNlpX; z#_T|!g-&7mQW347DF;Z6OAQYi2f(0Rcm=!}xo&i-L;8PZBl3_(1BtJ1iRpKqPJD&D z>67J0vKH;H$I>Yk6?|(!C{-gwNDf^EzJS5_MQXmZqK)U3A6nezDJs>G5 zX~MY5u~ij(+@q!45@&PAjjOAw2&PQNb>{!`(1+Z=PapYzdyXfk3+5AP7fFJT{4@{A zlly#_kon|98UKD0Ps%@H5`J<-@X?>_d3;Nc9w9BRmp|^wsqBxRi~sACu=a5OlM+u~ z>~9J`b(Kd{$4{;wOlW;_{UA~DlkJYDw?8C^ezHe+YELjDwBoO0GGNbN4Cep-n15x$ z20O>U-+}Y#qn^Hnhe@)3o$pCgKW^Y)+U{Tb{{1%W!8#50mcRA~sbc=CsbT+<=KQO7 z{8jX?ZtT*83x7*cprLg=Y0*Opk+7s7naZ$= zu@gqxfOd|CT~85)z&jNBc%Syk3KS1Zddv)hPlqG()niY;m?1;Q)C>n^fQQryFJR3E zZ2tWyyp!+2pNAYL|8c&*y~TsE^v74y@OC>hCLO|K&0yH#abjux8remzJ8q4DLAkOm+3WGs0)uyCZ| zDA2U(kEITKI=+mfn6Z*{C(#Ad926HEsQ^G(16c@?^i+ZakrSzqnNj!~lJjZlX#f-H zz>JgIGaTu~99&!g5W194O*Qp(w;-wAA^3A)k;a>>pbad^2%3!xP6%!P$L z-C^2^7wS(-GX)-Z1-{Z0$m>Y6e1o-mPU3XrT*Mn7`Xo)arxxbIMN^%8?j9`7grjLB zcVs$L-a{hf@UID8H#7f4ut-`a{uS>8-wmYjYl8L1y&t^${8>;*4%1=m(f=Yzb^3wL zj^`bwshH!&z`dsyPZUcs()?gz+cQ!Nhl?bc8Ky%}cMBv!Cg@C^QKY5z%*;XymZUlgYbBBl!Cyt7^b(`KL@GElb7w>2*agTslcZ;YnB6ywSDNXB z#=}SWJJ9NWrwA%O&F7O@Z`y)OobeL7v(WSKj6&|wU<;)Ju2XJLccua0 zQ<9ll+)peK1XC|a`$SIvCj|7o{7n*Q<_vh__KE3(|IMCN|M!kAWNOvWDuqvV{ZvOP zyb%|1%;Q%v6iaWO2KFCOB-V7aSR~qkpP4Qm$2K zmD+HvN=vEK+6Zl=mR4!BQCh8*(dx9(+L%ba)}W2m#;I7XQ5&yK(3-SnZK5hkYtdS@ z$=VdHP0K}g(57nbT3(x`P1icKf;K~&sdZ{yksY<2v{_oWHe1^{(xdf?4__La8Ka)3 z>Z;Ar=4!iXyGQ0}^R+#+J+%ee!pL6Q-dbOzU)x99S6ielCO-TA&g27dn<<(wcs}#G z^G^>hqRL^929`AmniVSZSD(PZGXMCaf#v^grTy)2lS*?>=%us|NtOPNPH8wj>Z!5u zX}TW~+-mSg^KWEIPqxC2v?p9jqMH~cU@g+({wNh+#jtW!41Xq}NPJxcE2*%u5H^dn z$o#^^;KTn#Jyac-)b-Khzb4YWAu{j$0v`YR1t{~sxR<|u{H2&4+>=&69BaEvmTb1M|v zgik;2!jew#{0Z>jT5+mGi^N8wu_%(zic&*TMXFHf(;-?y75poPA|jkP5OyN?R|FeH zS~vnaI*}yNh7fXyl%z@`LkSKi$;GLJ7AL8YmWY(%m`+d>&Xp1>PD@LB22P7jBPCi< zq%?T`?g*BWlu$SsWZEW(7 z1t6_Et|Bnu5y$5f7XlYYML$-d;Z={cXLt%dZGiGWl9cR@9nAd1ND>@&O_f!IxA4yT19f?g9> zyvS){!*f8fW&)=G>@qBI7t1&9%E!7WpmvPE<8LEojJ>0T+q_7W`ClvuaYIK2#uw-x z(!kg@>Di(Uc(>)fLIVO}drNBVPV5E90@Gd5-_y>FrCVVKHx@Y1W8m5keLDIe9RjD7 z5cZmBD3?W$i>zoTqwy&qLU){#f(2Q)9XT3Neg0q(q?mPUII6cmoe>!vg=2cbD-v`@ z&>gf~TrO}L2CyoRN$LUgT8|~)h*1fTCi`)oswy(5FW3rB{oDsQcaOx@*)iq+V(;DK zqN?7v;k96v&Vt#S*#moE5A1@{DS1RiMI}Wg z#Z#h^VVP&sO7oDKnJJm29ksHuvaeQVrR94MR=;|m@AG*-@4xT+^s!;s?BiN%-|JrY zeP7olZwXLW_=<~5cO7?4hC87}m3M@`f=kdB-w&jN#Ei;&j4tPV0GY-_i$xhTkoN(8 z!JJyXk=F`Ew72bJEWC|xmk$LV#j@}eGB}h)y)rtILNhv7AcCQAic9mb&2dWNlk11GE`vpiab_XHv z4#;F#5{Inw7hfm;{n;d{R=7&Dh%fcIhS% zVxS2(UIkW;9w6`Np!b1nOqx#Y;!&JwETx&Ej?O^&k`E;@qh_DOebjPHUg;>?sX+2` zlx&CF1|~GuMLgoM7*-6!)ofx^R0fI2GtdGwO_8$wL)rwK zn6i>fy!zf0PUB}Vqa!$u__FGe^AIv-Hf^Ha4Ashr#|y-ww5!CNe3out7&?|=$XeTF zjPHXHpdHhPyP@Qrb^zJiB#w0-f;S(8Z@Js#84j?zphKC;L7oILdy)^8ZN=S;`-#(B zP~`Yt{hl5hBgod9fCAiLi8`yML}%3$f^6s* zz}S~eaBd1vEDO}utH2sfo+JY^?uA>+K-uCgrbf6?!fBel06=7R^Cm-ia8`e$YUA4a z=H?gDZ&094JIZSSTSCj2D0Vp%BTmbW!xch=xEOSvlk4_~GQTxzBqEKs-l9>tpBqc$ z^@theK57Y8TB?KjOfed?l0a>qaDAJieSG#jg|xI}7%I(@u#k+iq|qgMj*ysLG_yf2rmnl^+STm0Q)S^vwDU)$Y{1yX?`_(D`K@u z(6;CR>7H{>y87fk(mlsAP7wKA#uX99dKphJKF^1H)}e)tz#!>s+b^W_o1-yxrJ!Tn z*z%*uGdn@1JYOYh=={bi>|sVU)X^e7gmbGVPaK^@cF9eI=~q3U%*}~H>a2;CB}t?J zs8;Arzv}upewn#5KhGSK)vFy~CYhk@kC7u0;ZoXP^mA24=$_+Py{h2FHtsXaPbxmb z{A=xc5+{8{de)5PL(48y&!k~|RtC=;jAWlv;jJJW!*?M$1)toWO~&KS?$M}9Gg*a0 zXwR}=f!VYteH~yFDF`q~#*e%oT2dJpDV*ASpFHOqBMmYs7%~d{msv~*e$XLKgpp=faLaNFyKMPbI4R^=i{wzmCIl%aR=OM9<-hk9(f}JGR0@)P z4aiox4!D|Z8AvZji}{g?^A@yi^2d)w}uIQa0+%OU*`LoKjS(Qcl8=P6%a!}W0QsrcfVE2py-ej zsk19}gCaeBIM&w+a|)~Js}(|Yr&-->UXvIG6J$QjMLifs_ni{t(6jVFz1kgSoE|U_ zt%a$f7N&-tyE+@*Q<8~htevT5QvC|mGzy zbRnRwy_*SPuZNJ}oFbYr4d!;>M)_Ty3rY6?{vkb&twaK96=sWOfez*v)-M9&RDy@Z zE(q6+QjIWC-c&*vWxc`e0Z+sns-ST{Spc?x`W2=oRCCz*nOV zWfr7jc*Lyr@Rsoq2}xe3doq{|H?DOAQntzlrofZywKZp0#M5FdrL+{R|JLRq$7g z2}my8ArB0oj^qKAiC9Z#*FG(MMklNKmyAyGESIwp9jFNvP9alx7I$db2x=fT-#S7O^8`$z zSI*+DWSH6B`U!JfF>xYUB99AXN>NXCu@S}-%*j!(6aOt#&;P>xj$fe@IgQ|unu@Uk zr`gZ)CUTSba5bH5e3ao(h(8IPW3D5gBg`SKK;P->&&&J_nv7~JP%NKdiwn9CeP!6`a~i8w zUO*UAvgY<$!qdu|>)6$lbgTY=<>=AtWQO87WUGp=9w33%IFelOE|LDfr_~Ce>PMCw zSw{2sULf6c@h0aQ#O1ITlf>t>(LrdP?pl~;kkYb>8BHAHi3z8Ve zlZa$we}G6o--WUevbf|y39CyKg@sm4MrU+uAhQ^zsd3oFcfgD>(Tt@8bWxuu^dFTZ zm6{)DK8qmLS`=Ihu+sqY4GkrF+0El_{H~U_ETecJ?K)(8SwXZ$GWa8dWG(E2I7i-h z3j0ffDE+*Ms5PK?A?uD8wx({mj-&LDRD~B2WUlNIu3JPy7sB@COs_9E*sZ zTVVf@Z04Qmor$23_c{)=$75}?+t(a}wPo`_GBM*&dpbtc*3Dr%Dshn}O0W6BZrG;3 z{ZVpdZJK`_9Bxb{^JtN_LDeMbpN`t3&N$f4wO@=j-48eHv*94Q3JbF5lZ+VT^81N!W&*0d40Q**JD!1heDy^Ao!T1mWDhK2L2$cs3NAI`9y(j?9Nv62Ekh0Jwu78WTXl_ZlK8=t&(75z8x2 zvWKGF@c=(HK}yOu9zM$ITvJ5P!DISvqUo#>TUe^MO+;L@@Qjd4p8y~ne}a!J%t!i+ zASVb_U11MOcolT6c$p8+YDL9cP(f7o7WDgT#odq?2e#oJIEnoFtluz@1Fs4Yy9%=h zuMW7ooep!Z4X_96r$tvhhoo=0ZD~`7zlX5wGu39{#l|{5OFaF@S4ixQpWwEO;e(;l z=LW6-@6u8>hjnRP8>$;z6B)Jk04s6_-(sYiX`Vw^Q}u&(c?=*~R%HlCyZ~=0RoT`c zAyj-q;EjuDIm7eQGFzvFM>=x?g%$W!rWb!7>%ppb#ju_;hG>7G&lVz_3zeQUPy9{i4fgZ_D<^cp&svN5 z9Rz|^IJ)=-qC2@SoZ&zQcykY+U~bx$08}pfbp+8R$5y12Q9yPbufd^Z6iT${#F|>NLf1zO6q7ve3H#qdj^Qxe$;_^BpLC^N1)PaMt zj|YIf*l-Z1y+}T{F~Q&{+_ZfYfb&VR?{#4byz$1VfYH*=VU5Fa6z&akOvV~4eL%dn zTBsHzy*C0GZG@95dT;^*fKgQc}NT$qytKMp0|+C z-HoroY9LsE%;RW04b-7Ps8v$RTM$`^7Yk4Dp}IG;zCs$7c9H*;3S>yjNr*tU6FX(- z5Y*fEUmIY&m-Uj$@L`C2A&S|fOVvtzbtEeBeCP_pq4rF?0&6{5!rn+^6Oz!~+;+YI z1Iu`}N(>G^aZdBHLF9ZrlV@o2<+LM=8co)`tQ1o$4vORWO(3?KZV?0=By4uPUqhQP+)2&|1bRakegV|yM*5Z3)fOt<_>ZQO(y+u(8?FCcC&uW1PoR?D z*NJnd;W20u2ui2Y1a^HW@ySvoj@C>MHDY}!tlfNrX>X9J9bVg>^vZd`h10;p);1@~ zi~y^FiRd|GsH5y7=3p=V6}IL9uph=GSHMIMR+U5i;2MHchxL@6qR?ER zIM%_lqq-BP6$&}fR3>|c1b%nx3z~%xi7eG99G%Ca*|k|eo*;|^aFsBe8gVxNnh<*X3H%Dfi#^DD>7`;MlU#GbI8eG=^(g&; zV-7YVYy*8l`X!D`{+3LFC3G3k4qAd!T}IQ#(d1h7(;yM8Qo!Ip*}4Z0WX9qnIMq?> zu>2OC+l)uBpcbd2sSb#3#X7V&c@z+j<1XNz)C8h=bq7rE1@&J@rBA9_P3JVy8*BnK zeMdnTfMX?!7gRo{JrQo4n){Bns*~nJwX}hKAsIMyg%YxY{A^pO5>AhCBA}`%0fKRh z%PSO|xGkFRP1d{-lst%@5Lb^WLUuy-;bFWc9SbgU6oZ}-KZm#9c$SaODh_~Nb7mh# z{bwLtV4NqsN1WOvvE;6{UkCZi01__RgtN3SX-SI`tGG*QC}KuPpQHq8f42EaM<*r6 z=1N?M?vdIM&Cy=4s`B{ylLUD{U|kRA;$#x9kVDEuZf9+tXOCu&swEB><34Byt~68P zlfkbePiOH6O*Y&QhEPMD7RnKhH0C{p($4r@YM2eU(eylxw!Pu^sZaA^{7DFBzXrZ_ za~^QrGzDOui>1r>1raYIj)lb^K=uE1` z-ioJi(F-N*4f{=OhLZW+*$}{7DzyN4sdflBUY_!-L`1w~yZa8VE!k=d4#gkx!$6n) zJv{J=o{ne6R8f*zdPQ4q%9@XS9(g)=VbJTfz@$l5Z3EI;XL26eS?jkcv#IWrEfTnIOx=r1qmIC z(nSHBeAYh@Al|j@7a7{jJQ!KQ^ZqQ#Jg~bOn`Sd1FJmUdYL3^ka z;~LR)4Xb!zRZk?Wc62~O1o^`@6BRy>@I2Z>jHyTm-wD5LOElqA;sXs&@mxFtTg72? z5=q8-8X_E#Mx$BIcY3nNgDnkOUv5TX1Z&favF>k7!rB!%9X5=P9RH!NmK1 zAzqYJCuH0(U+fnF(K>+nEhk?lnV)*9Eahgqqx{u8o8 z8yhSyLUaP&0o0r)sTH}MYt`6f+HS43Yxaj41U0C`IQh_;Dj@_L>b5!a)aeJYkxqbs ztOuMvc6pTj7)^oj_E=tBwm9#5#6)IH!z9bt&sgMszVtHQ%G?4==^O>&3Vu3?={WtL7V{TbU?6nxo?E8vHrnUD-xFrFFU6PILlGBhMOWr@<*-i z@jI0_vkPY-zMD8CTY<%w_!-Xfl*W%b~U16P*#z$Eny8OWg_cIWND=UNI7hx_PksQtr3OaHK z0+l~y|B_VD6+3`f!P?uhD*+;#loiHvr?pGM$X>ZtrRg0!2AFjZlTq0Ph(E=T%@~Ho zA-XSvnEc_#A-yNOB4&@TK~MI=h7=_?h+8Ibd@Q-+y{%gr%9aP&8u9pLNXT~_!(dn~ zD{U7B>hdymw^T=uocc!Wls?x2~}^0NNy7$ zImP$;(G&QK%5)IQ#!Jnvrd2pvl<6kho`5Vp;`%blwnYdJsM#j}(hF|}(Sh5_+;Z=! z+~C~SWS$F24$=SIS-S|V72j%Oh(=G0$jnMy8%c7bR|7ue7x-K&3{6|YNun9dbG zC*BXyf_LdG$8bdM(|ALQRvQ$oS_z4&%GA;eU;!Pb&oZcooPs}cJH z_0QE=#D-V;=jxI(Vr)&WTfOeaW4!S=YhQC69eC z$o3m<_=u#NZMJt6xduL=hMWT5ZD)A(`r{XJ7j!Lyu~g`)1$FN1DIb$d)TLJTwM{5ibs~KtbS0n*X922Af+cnv^ocoSGK%d@TkUo#SMztcn zfwKfuy(}AelS-1Gc8cg%ljb|M$0rsVKG3+z@wPb$$bB)xjL1;@if;iO4UyfskbaLr z*>h1L;6R_yei;fV1P2W$Sx^&X`~$rAU@--URKH{kL-+w5N)FaOGSG? z92zKYM_=hCFrW~dK%O^K-}i>Z;F`HYgogpzO^fh?;1xQ8w>~Xch^V{(P&}ZXoDF2y zbNta}A3$TE=HTVPBQi1Pb;L*E+wv*IFT!@5OE&Ty$Y6#1V%^&~-4Y$l7VyRc>~g-5JGYer zsiw`2*o~8HUja!Y;urGk$ym^0%E;znnw0qdGZCy8zT%>@x}c&Cu<%Rkq(ceT`;dPK z+w~mKtwV_Hbb{@MHv2;aiGQgDJd}VD(rBEGI|J+an|LmtN`F?!*XlOmC{|@=H~QE+ zT3;~}#y%HpZidxE0YnUNYEuw63D;QM_275>7EN|2H?im}XstJ&Y1zz2u)k{LXa%P> zY%w#O_&lQ#R$&g;(jmrTyc8-fm%^UnQW60nBb(Hf9ofV9iu4`u-3>>!yIAal6Cvx( zeE_#-11c6Vz^E0MXOG3wZ1~lA13?*r^cKLXHb`7)(F5T8d)bEg`?b#(^{_qVCvVBU zC8=CH*`sOvReUq80>1!k0sDg7S9Fq1w~1xgvZwUBgFq6HVFMV`LyvSrV3}+#k?E=b zgp!^Rknagz-Z0Y!mg&ifOi#lKhVahW@X>dUmL^e$9nIQHD=5(x9ug7M!3@o6C znrBwVIXoEnUtbqH4Xy^T7 zJ%c`;Z;2yO ziCpO$h4IL3rTu6;uF!p#O#0M*4fQ1KG773e4H<4!d=p9SYowZI$n%C$c>RIP=M0b4 zhRb2K8sQIiCVG%4HX#Iz(R*YNN;(}W zf5)1;gVW>}Tq9QdN!O+FuCQvKiPO!`mVj2W7XONl?uvlaaM{ksD4*7T7_e! z4zMh1c!G;{+L7UU5G3tMdU+=Zcpbw7pt0RWuu!Plp;-piu|N`w7t_w99FG#V^PxgB z*uWtm>@MiIXXN3CpPnZoOaCBRxam!)Pm|E-wKm8m2wy`0|6)@%VKTB1nA&ON1IV;y zfZyWP;wa}zq(9IRmyvAzq)PxQbnYZEi=uJ6_=7zW*dpxo$y^1HK$FvA2XYFlF+|q4 z=s#s)4SXj>=V9D2_^8za{#$92s|SfAgU%^5IVvnrPt!NB#DoYPqZ92y6y0YSqlCp= z@=LTAP15_+kZ`lhbb_(^#O~$-Y%7tBC$iVrr5HlU94t#8ksi`%nlB$ibcwYAQnkjg zBU@k<#s|Bdx+X|EJ0b*@z~7T$^VU^qpEtgn086dhJ|u{5k^gzcb0 zNTMR`EmnzXBv=abQQHG_WCI>1G($#JjFcy!VGf}y9m!{acON}C6E*Ck9U)>^-5W%a z+<)^h z=jWl@rY}dFtJ6JT+>wk*^NPx}NJSF{_f~191v>_*pg<_!S*PJcGy@q+pGmZYk0xC+ z?#!@FZhz~Ret)<$2zSR{YbHeK#~T!K7fV=n?P^1&0pjP{@uF!Sb76O~QoBycFq$=@ zAvJ_-VRXqIAW%4g(E|<~5~+A9t>HAxKzO^W!L{T1>KC)jaO@&+^cJIKriqRl(~Ud> z0_S)cq9^LVQRI zN={@niD#~o!K9Mm$PqG=;e;2hzu;M}j+`2QPJ2NyQ8;kJkJB|tB?T=V*<&3tAbCE3 zWSC>MC#Z%CvBDjwT|0D!dE{$tjoRf!KkDyN7!rA}D0OA})`EN2PG4?$4m)YHUZE%U zTE)4uHTk$lmJW%%XcS-Uk8MR{*^n-n(mLwSTLBW8N->KB_uq+NCo-6pz;3Jfoz4gZ zyRkG}8!_2xp*BNG5Z*2UOF+gC*z#$x+$ZwLBxWkix46K(m`(zTABQNoKd-76Ql%T5 zT^f9&6++Hr9-qu#)klUIEw(Pm?shoA43PuQ4T#p1^c&wE)5YxGAUc$vfEOtW0|zdbC5Ty>ty&)Q$4`)p$01U>|&@c3Vo9N$2#y z(vo@Y+zyq_>tNv-fpd|py_X_Cqre@o zyY^kOH+$LyY)lr};4ovA3|zXuWPFWCIMlqkAh)=trFU{aFe12)??hGtPaqnqOZRHT z@Y$o>3v0WP$bzT9oK;`c4+tX`>(gR-DRy$m1dLFr_`?g@rr9Li(4Z1$!18|=!WKH5 zM)JGh2**YMZ_Aqy1VJ|QVa{hj?6RSgeo`o%n!Jo%8|JJQ$0nU0m`U@hR~bUD-UCf6e%yumd8axMPGV1{R}eeiJFR z9Y)f2X%((2`H%coFpv&2a}BRevo@0yK9>n85*M|iv=rkBp*Oj8H_acR9IM--G))VU z+ha$iR*bX1&JLiS4@Es5sWF9?#GA4+rT7!yLwG(7EYXEV9LYTaD;FV~PU7SErNsuQ z8*6zH4JRA?S%8AABd zYM{GA^qG<$%QKmL<{ozBuEz03u~a%S-!=?YenGN$8A_wv+VUXP*m3gt?3&O`F1F4< zF0(%w_-{+D3K8k3zn08RRgJ*Ue^6cQ*`$*PHTZa|cT?P3MV7i`^^Oipb`9#Hw##&slIsh+;p4 zszndbIu2hgYp$frJ4Edej)d!WJ1lR=q*C*y)p2kY{shUEm^fy){y|VpSC0904g_?k z;%{M@s`15W&QtOu`$&}>N789hP81f+Qm#9bkH=$xJO`Vk?s$sk%MjdQ_6Ink{}LFX zTo*jV=|mTj*lVRZQ}U=D@<$KZ^Gr2=`gZPf%pK`nJSGRc?aV-?1McpuMaA)GFmPnN zqIonq{ekqk=0Y$qwF#ifOhm`ai1Z>Q#Ohd%Nyn^FP#MOIcDz`r1_jR15DNHjsF**n zzgBx%>DZDAKY|y)xRXZ9{u$GN<3LdLuS(?@D1&XQMwVm#S#_38(=8>FZ=nSxc*}7w$uD`fB&f;!-3oGz`tMH4ZyDdxPd?SfUCo${&nkZHwst( z*Y>vOkYkGckMn;!4LoYZ4}pK7q}y8QZ_M;#Ap76H`fu&eGx1#q{7>`m-5{&7`!+`lgD-`aL^|AS8Yd-I?74_)WK zkAFVupBL&`QPS2p|LV#={|2Z3s~sMn+TTBaZE5SUwrl;h<$sQvI=QT*t#kfrlE*jo zcmOdjh?;Zfi<_tD1ZQ2!Rdf^+ufjCgY|1kvr#}Jf2obUf% zhTy-Vn$A4L{MEcZ{Ce7k8{0N#ODtH70WjJ4F-`s={x)mxMgWhBHC50oT#-I0Z#8DRIRmzKS*&(li?7 z2N;2XO<0>%1I&j1cRZGkf^>=sW|Bxz7It&LBH3!ixppf~a4;AN5HRbEtE3@D4OcH! zLbU}`Z;gjQ1dCA=&|Bll^gd2j$PyC+MPX}4mmZ;mD1-l;dg8+$oO$ZYzq%(OELPo9vOZ-IG>RBu1a2v?n3JXG^ zOg^>Pr&}ZVaOv5{qV)FHX{0@rgcM|wt;xF|V^#FbIH4IIHcz5mVpwSH#~`83?yXUP zGe`bu2O^d8JljwRDDkP=phDy{-vu20aHttj`6mP7=g8%?@;GpS5hKna@lqnF2B_O` zCu9tlK{XkNk-BXbhtfdusWr5cDLN6>1}mCoKTAW>-oR$}>s%MU4`XT6^9FAyV<^bL ziNJw}49U*}_3vc!&a`6+*#bh`e1CqkDEE(1WY0udUIOg(Gr6Z4F8TK7790DP-{H*i zr9dvM;jFNM>tXynYc&?;nLCp?VULkTytC$LQyQ!Sb9M)){TQNY*`5G+mfZm*_9l%I za6H^L8t)ozTO2_CP^ut~nMl+~EvS7Q2|KaOxg9_(u5bAMN+4DtO-?iN<8H_bF`TaO ztq`|^WJai%fcxV&l`!?$J3;x|fi|EHz79+51F#%Eh{GhF3#%Fq{;P>6ibvt!fxU_P@He8_$mVRu z0IjM6UT!iT1*d(Ai*a0f&119_l)Lf9uOwFGcWk7|*e>1o<7~|HFegRx96m}?rMG#l z*@nM{$_z6|@V&>BW1eI<*CT3%I!`kTG~!jW7J_I-*O+>Lh8k5WR#MS*^|lIT>U0RC3D9IN>X82M9(sktAHxVJB3EfV6X z&iDu3Ktu4R+HTxcoF|OYJgC7zlOA2_r`9lKO*QsGlFw+H3psOfXa$R}{C*z`$ zOGua8O5;Qj;xvp@GWu+fpB@Y|Iew`&H&_wbCTkW@}j5&exL_(XYE*D-QhKT<`< zi>Z`z2!W-$Tz6YJs*#?Aku#WTZTY0OCM%z4%Yt#HtRpa%# z^@x0n`>xw5oiH6kEH?oZ>IqI@nS3Qn2wS2qT?)8V{5Dv>`qsXpPm!00xQ*-fywc ztfr&Lzyi>ugNbr!x2u*+nP%*4d+wZ|^72oRz`2W6lYbJD%G?L%4F^DeDeKXXwPTVe0x_OcX!j zu11an$yHcbL$dic-Y)nc0%V^9wj^y1zE@v|V_{I7Qw(2+^eG{@GYpx|hGLdk>39b> z*85KIYhZ-EgN^P~{F1%a(_EUF(;Pqr>pLEr8&`UU>qI6py5`CJ&$O6?LC9D0CUuMt zz&kyiNI5VA?#i+3QTe4Wt^n=ormqbr)g|B5J8xaEjG@}rV0=t}iS_Mb(}JrdF08g! zb@}7>R~pKVz}gZX^OoB|0E1IQksP!jp1^fCkAqLBI--Yhp-vx!d73C*peD?5U5!hc zLIKGJLx#j199{i89>R0b8}v+5lg+21yMdpfA2Ij9r@1U40nRZ%OM~$<_G~;;nk_@c zU>II;WHTI4@*CzwbL}Ar;`D`InL3;ZsSKkMUj(5X&8RRbS{x`n#M^lbSn+=8-AfZJ zmxIYjd`>iyFr34L(MOO81w74ZEBtTHY&)Fya(qcHe$C!&4#R0oCC;NfevwOa1>$M^ z7dW2JjOfx`*cgphv36B?ZJbksg96z#euqyNgJTGK-!!65Ot9Wy= zm6St~xp?IzPNR_HcfG}NLa8;2(-|U^q)JGz|3D&~UD_SFL-p2=2+O@tpz%_=n;P8T~LS8wUVT1bAo6NnW$e2`T%?nQ+W_E=^?hVA$YhES)V0FqeUFI_j7S?*)8|+;aw3x z$8W=2R(V($VE8-;sM*JQ-sMK)cOZQ73@IGE4%c_rM5^sMgw4tV@d>K88~JDHIIEJd zvI&#aE8l|EbQ|;B5{+*<<*I^$qAE2v&)Eg>^QhCy5+@lbx5IeQ>_ZJZ#IVv&b7B<5 z0@8{~C#Nv4##8Vc(pTIY`g|e%lwCPLAy9k=e^z-OUf`bkU5qfQ03_w%l>)~H8jOpD z(|rXuSFX2cBpH}#5)|(HV_sEMRde=+aE`-InvZgtN(;wj|A;spzlQxXq-?2q4NBbA zFHID(bDl=lQ%o;+ioP@8JnXNQ_YnpeMo=*NL+C}(z|IVkoH{FIpI7ShbU2hBRv@s4 z=-#>74_WRLTXTCcl4Vr&*O~Cbfyi}IT<&?_`XPSG^hOBsX-|dDPCa*yjZ+#P2Hhwy zEe^Ki1w#VJ63yOW@uyi)ST9m6W$#0->Vo%}tJSJ3VDm{xzQe@vIXJmyYWj-$V@y)| z0Ww*CmuI5+-XwwaA@Say$HXIXs`WoYXgW*!+81aAwKUL?h5L6wfNa{Ef_n-tN@ZYT zw-`=RJW}G#SvZq@pmb@Phq%UR>XohIT%qJQYORgYhXjEY?^rY3dk8Z?bFH^4N%x!< zD@T1v$OX+I-i`|EH_I>qNh{0QmnZdCL)IMXOCO~a_Gk`Cy50QFt5AXsp z9Y@N0gGwu~Mz0ChUJ3Hz>YjDyX=3?4MxcCsKEtznsBf+G1{3PevYZbGkp5w^#T{+@ z**=3n;kbDi;S8~mMdCK$q1FK)pJ{!9b^$4FR_Z7ZLWZ|O;f~~c?Of^nMI4o^##7}n z`1b^9OgZ)ZAlxSLl)uNra$gQ=_YNy>xeIb0f`K=q5^>1)ey(_)- zDehD8xta?53c`BQ=vl(q?cg(PFY*zgpccNxOT2M0iLhJ2rzpbDR()cK4msDp+R9z5 zwYt`UN$FCkMM8#m2Gs!Z`zY55Yn1C@fwTTPTNPg4RQhIFXY6cctJ_^0f>T=WV;v-6 zVvX&wL3(!6!4e1Ouq{OZB9;ClI&h8tccpCtN^2ws`BT_fP>UC591GOopeC<9Rw^$2 zO%em^$b@&Zt2t$_{`3s{UM`_> z1&J;g={>;5`^-`Y63>ofH5avdTM!p7xGJCHBHhu}AEim|XrI~=6^tWFhqyX7)Zy^b zD|j&^Flh3LUYu4s?OG}pn&-Ht7Wg#Z0b#J9VSf$RY>opr`rB(Cm-H{+Due?(akBO2 zrVVbj`7$*(oWpuM)IhpZ8IyMgHbES^N7HZcEfU0`aV)nV$L88`BP6LtW1X>53cB0B z@h)`4d*(8nU>$faR+#S`Q)iFjeRR*Wyv1nA*oXTG`%qZk1_8vPvq-}n6(@+M%Q!r95L!U zhWkPxTr7pUtM%8l!mi>XWK9Yts>aqD!`FA4JazN#va4xR?MKLLN zt@&jAn(P=vzA2wTayci_Ss%bOmOQ2(D!J7fCQiN)%=~CNChC6=qQm)5aFY13^^n_( zH~S`V`(1+!Z!=BFSN6k5%J()9!{8$Udl!;%6?GhdStSj(wvel(88-OB@|6nic^L#2PjW^_YVjN{}_ zkT4JH^yx}G(7qHFZdLG_3y{s6KG=Y)gRp_$Kvy&ll{1jM0kKOWeIEkoqD$?|d?SDq zghnv7my;mVruj_;NpS}tH*N}GUCJAq%xl?$N^TC=Fc38}hGRp0C(tjd z`U$$&jVrRnRQcAcjZVPPQ{2&**~W{YX9!cz%6UD6h+Y2}wWd z3za3KjAiEirLULALUsHVydTf7tq&~NirrWC(oSMNjLt7?Vjzigw}+b>f@57VbR`*L zT?}QE7ljNGx3@D~exGK!vei-+N>b<`^6bG^n3xr;;WlXF5Nnl|lGWOM%MKg|^)8LC#j)%3^ zh+AL!8fu)np7HQV{9PuodL8}I6=r8);4ZPy#4FdZ$S=d0@vHBTyGe6C04 z)oC##`QQ_T_1U>nYbWVR!A{(jyPl_75vO|X9hi_W>=p3ZZpmKV@$fc|msFnZ<)NxQ43`TV-QI%?xb zP?P-&M(^Fk!nE3_v_DB|0QwhxxFa)w>qe}iiyacgz3k6Vy==9(Ys}x!D%`pJcPg?6 zG`gd--lWY6@-39-s}lBtD*d7q5t5`g4lMXKX&&x$Mr<%)Y3mWiP|>E5vsp(8vf%U*7P0y z>08C0TuwoAks{_eQiP2>j+Jp+jt8hZT|XYE?h$iB5!Sh1H3=WNvbtU5luOm^qvxsT zD`Qvon@{7ntehW|xaZRR;10*t3sfnW`Ym8muft!{zP@yV?fTR8Qz4lO>2-CQ+PjeJ z8B@Pd)4OBq!qC2%9O3%+ak=@zp?INY(4hJn?T{(0ZhrVIoE=fT+?6ei*;t*e8~?(I z?8r$I@3xC7A19rSn)a^mtT^L~rnCB4KixPRJx^hHBWB@B?-FTo%qk_fH0flo*r&P% zc;Z&|$?_PV9y;G+T0ilmCw}v+fSiOmOKd^r=5-Z8mX_!C1tsn}JpV-Ep4ScMlMcLF zd|vs|^;OH{SMD6|-Qn2Pk>@)cS6p7u@s!Hd$7+fQJ!yS8X7zI0$R2xDDHl4Y)P!Ap z73X&9*DL>Yr*{X8stbRA;R&VV%a8 zt@1=(m+z;clOg?Hof=^4`^DBb40pEN>C;vJYV5_Xx=Z;h((hkiy&~g*;!a>UF%x!< z`6*?7w?`BAFK3_{^irmRAAQNCG{&vS3bwwxvisPs3NPBUhO6%p>K#z;4)?98&yFmA zx4vg|^|Zdd40UnKgt%Y(t@3owEZ5|iTMn!upS^K%m5}WF;+@_dhsAa8W4q8}b+-N5 zw9vdX+Hqc9m%H!gM^5}D?#;fL^i)vFmn8^N;;(MMC_%^rH4sv=-F3!_0ZYn=L*gbopxow+F^>1YSyX- z^}E|^_>=a1@5h~v`>ZZ=*6oz@>9c>m7p|H|M)n>#pE;xO#e^+d;4{2BHKMrId}xqr zc~zxn)Klr&I%d(q(D};m?*uf4)zi2lS^RF~TchLep1f$g-LJ5*q;A-vB9Ow{a&64U z$}fvLKU1y!AnoVlF(2smb?tO+TxR`yZ+V($kNTi==$5C~$JJCzmon?!P3xVQ+pn9j z>&VZ#iF^5ZXZkAMa730JtUKP2a_Cych7K1KRw*YP5%L#uo?hLraxdR%zBno3)svAU z8~R<@(C*mp?S@V{$@CmrKJkmz)#Xc70~T^CqEhQRJawQ1R33~2H&z^c>tNK>3u*T^ z4!UGiZ4$hwu`kA3~~vgF%G!sm^)GKahK^d2FGkTmXe4{=<`^6~JyUSk;G+jLkImQ2X_Vm9d zSUU4v|00Hrn%Ev}Zo#AplO|7}q=2sjDk@6|{LJ=EoLT}k3rm1u4%m4vh45;=9pA2v z?e@>zBS_m$u=B!zq(3coz+AMlQ4U1PMv82(tq~+Hs717i!N9N6PIQUEd^nUuqS+kN z--Dby;*xkuVo)P(FC;@P6OQQ&NB+;h#zxa`&HrqkcD_kdr*3?S-Q0g|fPQ{f!l1V7Qi1{_2h=GCFd_eq9&>&>ey8FekN;0nN_gzaNx0fVT!z;InI}~QtYTV}YFtD&;U(%d za0VAQl^?EvD!%U(^VZ-r1>E*vq~^L|FBui)zw)9uaSefAaYsoa_f>GIRrsT>*#9U0 z?d0}`hYaXtTEENRpMMj8dV7>idEA@dx7YqbOm}ubZ*GK-e-VKG)vEuSw*KGra^~N? zj1a+!JKacoNabY0cR%}QoHFzAX~QyMpl>Jqp?^}=M*K<57?%0hw>#amd)g=bm(6gN zcLJhn;77>ukcT)>5r%~zG#5kl5|Ec&B*BD>=myj1ogV{9dlV=KA#_TJQ$9Q{5e7>r z5L?s_kB0#wHdsgiz@~j@7!I79X~5^&#YL{{mAMaZP{5b6OcP{4G%F{`8oMs|TRs>VH7Xulk*i%m;;e1># zT8X_;d+OmdwTdL{z}ABEC#+5|s99x5XiJ*L0B3MG#Us}(}Ne=2_{GOgw& zJMxQvsQkhR$t{`xBlYo@CPMmSB@i^t_!TU1QA|cCkbQ&P!3)D|F@GnZbM3%smi7^M z!&Uev5oQsOuXroaq%pr>xodzw_nR&LK%bG_0fUz#uM5btW1*be+ufh12BIc!Hz->^ zAisdUnXsVVEyZSK24KUaB`7;PK&Y^d#?}(Db%>lHxCp%VBn8E3l(ZF1vLT z#N~Yf#+SV#kX1-TDO@7Hlsy1i2R;~cc_B9db>=O${Q+1Oe&xO(hd3tyO>*}jJD;a^ zzyr;Z_XKqEL6s0l^G$^0y`KQHe;Wa2+IDNcm{e&4eN6A^JTr3SBkvoc#ay&$i1!R0 zTYuor*Nv6$8 zJJU|uNi%6D?W80np&6QKGi?G5Ody38T1=sZ76AhkC{mz>0!2ZJ7N`gch=PDp5D*lw za@Zn*qJp4+B7))>0TmRqf(Ja{_XIZkb-(Zaeusa*>+5y3N$0%Qti!XO=YH;6*PcL? z&)kJ7PDY8TYa)fSJ@=6;F$>kKERc_A_>QWd`Q(seiP+9IzZ&`kPo;)!{T%dSx`5_e z7r9kKb!|E+jR$QOGFI-6Bw$Zpg)WZ1xh#?1gH93(-4z8%V}6t(4}V@N-|quJ&o(sA7_*39dV*JnkJL4~p_NO3(6uVyko zxMD%Q6+0*TsQOg$fG|i>sCqyGz#DFksTTmWKeOa%RG+=%8GJ>47uR>?M1CfTaNpOs z#oxs-BuzNV_8fK&1ZLi=Fo2iSC5#8{u<$Q>Pfi9KCzl{8OM~t&&H87+J9MOUwDV|u zR4}2W2)LUMbQ1DpBSx~Ehqk_QCSRBDR5B3zG|J;v>O4*^Zk`(2m*Nw_FsTJ3*_(DuvO(V%|IC^-&`pK$NX79@UtGq|rty~g5aZGG7^ z=M?sJl*`>iUBY`<=PeAxhDbTIk{t+b*viw_$SC(Zcrq}DHfZp6x~n^r>yCsnCOLs#JqQ^TBm)!J-!S-G`7z zq<~2UcmjmzDL+@o@BC3*o(O(HeTP{0Tii@$FNDy{%`Rv2;E)?FZo<$dyZq_JMu(*jmEWL`w4Xjyy z1*1G^5=Qy->&V9~ka=8RQ+l|}kATQO+OEELwCn%;!d}I$l~ZHeo`UE97D=pD8m2)7 zkbo{vL}(aS;yFj&ia2kg6q*;y0JQT1lN>uss1}qk25!Ulf0n)*ElJh^}HxWpR%2ahCZ>RMt((P-D5?crnfx%R#P;T&mN_8IC=A zZ##d?^|Kz7$uMD7$59Q;`s4r~0|c7N%OuhWNNVFMws=~bz*%iu8UFz!o`Edz6p6?9 z5pPs~4SBr7>~9J^m}}9H?~?n;`~y8e2g^TKZ*_3=eCF!}c{hc8(p0VMJR1^);oR4t z$b4{`;IO}AdVo_pqvp@lw?PNMf?L@w6%F+Z<&SXjCa%C$X2gAEpB@5`;pdr2NofAo zl|`p1=Ri4C=jcY5&y0{8Q@4QR;g5wo>idGuX0afMZ^)No)qX;TGEbxS5(MjV&@pZn zK+CZdc)}_*XEwn|@e#$Fkykb&&wOdIMsjE(i($;PVb8eG-sOYkE2wQdXA$ESH&#z@ z>B@pugJ;vKDP$uYU74x%ODcZvs~T+_!qUf@FGYiYcAEbXiaw};FZR! z$p@ZteUsYZX4B*%t>=46@cFhTxPPi`XCH;hWj4yMnuiMNPD7a$7jTa&eCLK-RQ1Jh z8D0LB+BQ5RCfow#zTORFZMYSGTlO|44!N6NUW-i2OjH0(tff6kj%tBjmp33xaic2rYjP+Q10hw=LPy-Qd~l*pL)@2TRnNs<&`q=m9bZDTUuD zF&Y^Z#UEzAWvNQ~I6s82LbZ~vf%uT{6@C&D*B(AGoBasH+Sy0I1}fi$TH@+IBF_kW zyzI2`2>*sgTUfnybG+=QBJ-@@#kn7Ij*85+mNLq_acy;{)+@(j)$`3)*}GXQx52AL z-bfx-L@#5rN=@+I0L`fSc9dK zMuc$*xKewGThZ&Ti+W2^x-wTUT|>4SL8?rL^ri>~Somd8VGQt~`vWny9t3C};pXHJzILP~ywNcy z$@H4uvc^Vt<%bwQ%*5FFCZxG|-i)-POeKWwcoQ13r*eyu|Woiu_)x<%eWwlVHAB{J>-$cFqnGCs?Kg5*wYJeLgf!fFgd=o;rL&?>Ljqg+RE zyuFoG{hN{aAY&z-XUNv&$J|K%7IW9whgivRGy!@1eX%qWdwcM9R-HQuduGb-AY*s2ihuCrAm*}m_eM|c)-B=(kWQ^uIY+= z8G(%KnF1>7z$Br*w(tHZ3cWAW|sW%1%$wig8DOw8E~@dA4{f7oeh zdamWe;E*`t@MRdEisvS|`@pqW8bkzGC#;S*?&KU>2%5;td%(`r}G zrzXlk%&HsIb(1vybfd4Qs~=CDm{lR4h*1X#Y3%o8M%z)FN<$--t707=B^np$IT_OS z&xWO!HFTM0AlRiayI*D>X0zJwB)Ie&~mq79KZasXMB}UVHL1pMvV0&s&Ea_Bjr7N-xq;$`biJod0aDx1QB~^_4Q3b1gKn~-Wy6f}8GVBh z;+dTZj;G_T7dtziiMNnsW?wwhD_;2oiJ(f)<~ynra1IypoWWf%kBdiYaOhYh4(LOk z3cSPk3S49L_)A@-&NMfr)OO6}T!K&1=CGgea*^|T{y~-Y(7Q>_*0F@<7dC}KiM9l0 z;7E72V$sh;QoGW1Qku4{aZQ?(5yO1M2&wXSs4XI-SsMwtTUjEyTGE@&0i$5wI2SfM z2F8)%B0vV`9{4r9VDS(V4?=`<9qtFV$}W+j5Xb-k)CDnRS+})*S00j3}K3 zP4;*BF2tUX>_X=)&(PMHM4qH=9ty@|Tx^?*wX|(j`cgou74)u#9yCN&%sIz;Li1+lAc&PqdGBulW{|I(3_3j|30QEBZXfI56qd z7u7>-xR25k4SzMCiv&I~sZnKe)1f43TPG8hMvm8aIEq>8AEKwXZ#*hk(i6;+%U7gF zkg`Ris`3(aeT|Zg)wO`2MiZ<5m(4$P8pw@{x7mOVB*AsBSe0>byfu&Ju5dm;H+N?r zEB_ujzmNuN1IN&lIy|uivG*V1amnDQ?(OH6cNptPy(M2y<^t=h>mspkiX%c~z0D9W zO`^}vh`bEB+UZ4mk+DY4h3I?PEMJN7j9y$X4CLHwS0Af!Jj+5l$a_103uqEkdU3o{>>smv;aSjnb2wiwxh zB`?}5L3KDoR;W1n=#8s%0vKXmHD(JOU_KRu7zQc z`-gET!}STq1jM@m6)0{}T4O{%2+IN|ihPM!4|S=ED0}HK$s9StbSK16eh7IM1db+_ zxsiJoFvKo;)jlowf*+c!D>xl@{0SEn@9{rlv-a;Q zWg+EB{L`OYCjSZ$Uyl4Ew(&>jy{_JA6+g;Xk*&lNdfB+R3wy78j8ck`XFrogquND& zJlHiZ!}X;NG92AyfkT~6+)G|;D*#V#H*vC(g~MM{c|g#IE4(i@4{fG#Ut#6-^+4G1 z6=`(jCd%2E%96$aqL<2Vuater0}2fZ#uQ7G-Kz|ES#ZgHNGM|C@N)E5VI7`dwZqyk zo9%B}sR!1X=^)`C*I?dGJ?Aa*OrW}zb=BZeoFq=gKLBL}9u~S2d@uF+#JwvSR2}M% z`a2=zX|&`Nu?JSg)xXMFBdg>AF-r(l$+uD-?&F$Q!go*rqcJfO{M3m-9S45Y3kwr669uIcN~ao`wM+&S)~6{0X2sRjH${gR=f&LqD?1$i_Z#T$0O{M z)-`0$L+WD}iUs8e%(G4gWJKss982`ft9o?8vL#LJHERc&xa$o$O@l9iEV84*EZ_>6IB4miA= zj_xD`U>x5L&|kmSM;KA{M@=zko$Q^K4_U8vs-V6Z@58J7S+R~~dGb4`eWv3A6SxL` zP-eb4z#&C6>V~DdvJCwBJ<;To&1rwmAmtTKFTZlNX{Ss&m*}=A`VBu9 z0*Y#-DK>nTS?danLSdjtC^`$W-Hq|aWCvc!DW_sfBvc>mG*SYtC!8a&1px*d=#8?d znppX9WU4V3Kke*plpp0>!EVimgWZwR2OIYjc?7CBE*(L}>)qrmEOA}8lD3- z2oj%by9D~+9?Ps&*THUbxt8t1zYYUSVf_v8h}Ty&=b}aXt})qGaa)VeJ;8CJ^d`wKBXL`}O7!`L zldN#U8Tvv?`%^gAwlqGF4o*mCCUEnI`-dJA7tw9ZC9?wvf^ktHvb5-ZHOz^4G_-Vy z^$HstPAvNbSc_1q1~Rt zZM?0wO`eRzKfxncj_fD7G_f2Ux8P?py_!VsLmun3qyVGJD!M$2&K3QzlJAZWTEVY! z3~dnLV<_H0)cNivyqj(eHy6E<*!+;x9RoFJRi{v``a)qXI|nAp4}sk;{Iog(z2SPD z-g8jh4irU8t^-KPRU6OC%QuUv`YU*KYhyUOI-j*SEiWlU>f=RD#1s&&zxpK3#9Zx0 zQ+}L(3Q{)%zB&bPIa4+2v*Oc2CX>a0sL)E}-6?}b52&#B@S_Ktoby(??4OIfg~=@= zNj>nEI`$joAo3h$7SQPAqAYxeacSK0J=PPX^(tuvegGF!s+Zhh_a!QA*AU~^2JckQ ztFY95(W)|JjCUWXZ4d@>vab;Nh081k9{_+nP)uqzHe&>^0~bImhD} z&E>X7;_7VfQKdVujcL`(6XGRfjJ2w-%*GIrUGC~0hrAt2fe^v^iQZ8qqWp3N0jIFM zE2h4b-Y*@{GzLwoPgzDaazs!>B7Oqke!;s<_F}m;L-`pQPoz4BI*csJb32I{^gf02 z!={3grEE4hK4U6|VYlysv`wjRp=^N*xZ_vv!H%#?S5&zIlkbEAHqP2$-qYZ+X1@ls z;+66^Tyg0}HNw@>W_+V6+EdFf;rgeKzl1#Tm5a2+BYvKSr;S9c^~OWk_YhlN`Cjz< zI_zD?hNn$JH(tagFJiU{+?nndlup!*L)dwUom}=d2=m;SjwVh=^S(xGo9sfr3EFb7 z(61oYb)!l%tco27^wtftP}ypHLxbI#vZ1KqAtdicH(JnVE$GH#T(TGge7ekoHYVcB zhdaj0TlKap2G%NV*DG#gSupnEq*kjdQ0)>^T-VC1C;O1DE>j9j;YZ~|E@>FzrRqm; zr5nxkVdAZ~SI(ixHt9gjVg<2-rhNiTTb01KX>IrskZ#j@p(pg1Err{=HM5_fJSMhx z*%b6qKQ!-Q#5Tg?S5$_ZU?g}4@|nsX1Iu~lEX-zY45KnL9=`>Zbwv&B2++Myg;EuI z!hm0ENATpri~jvOC6Bg^OIY%XqR`ggdboe$Dy?;$y!##PjH}RXyv8t%G&RgNjg}6@ z+g2q|nJxznekEofZC#l_IRn2ika=NhF~USS3p1{{M!A-%olAdLDbp?k11s%$#su|BBqzvxmk^n~2$Jkf6O0L2?Am+l$zRPzBt6WmrOBp%(1QS{M+^ zUxP*Yd*5QVaN}512C_V-QCSEze2TzVc4HEnHwpdNAHVi#v>GbUBg>WiQwu(=IYoO< zmLHB`7AK)Ri`inGp2qC5_!p)+Xuq78!rW=LzL{O5Am(zi^-v+KUYT!`4_vd@Q`rgZ z7T-i>w}tBk%X`Os4iL&Cc{+?2S_gw`q_&$p7`6WZ37I1+3lIPrr2-IqbS>bS6*k*^ z9wJbtVd=(@**4THhQuwnOW;(pSPWzFd|K=yq~Q(0GR$TaVGa4i+S8<(_-A1Jmez@Z zdpUU_vexiaAIsNPd2R}GT#p}u$q*P{tq<^&XnRTTcVcTtI%OA5`m>NHOr=aajcgAQ zl5HDJq~DN#A0Jp@u?;YgUX031C8_HB_&1;s*@X{Q=|oZe9d{`u;tA_2Ly=Z%tTm{g z09R2Ho9%jzR6OM(4)sekW!M&D8}FLZ*<=^^b(Wz9DofquGG>N1Qfb0D>4YJ?Ezk); ze8JO|*=ZIQVTD^5-UV|bBoK+^Vj6b%m*enuoa*>e@b^UFrPwaK4~?~+1Hp)~khE0s zJfCj8GqrYh#THr=#!B6As5va)Ik?t*|#47`8f|FsOvf5$-3;UA}le zmw7z30w~#C%{ef=EQ9H#T?C%YZpW&uPj{F5>(ts4-K8?D)<6IR68zYAq-SW?gpx(0 ziyX+9E3#whIk2ef%2cLv4$sR)S?JU_b~WDxJSJ;l`~hyF7VcR#SDug9T>K((xqFD` zVT>JVuu6Nh%g?%!vYcDR5jf0zEPxmJv+Q6Ns(+K^#oydLNZ-f-aTD%exdx#~Nktc5 zdT8;I5BY3qrG~vXw8|qzCn1S>+m2SbCC@l{8xjSU-y9%^M5cVbUPLVK`HJM?>#W5( zE0b87pSPJiK`f{FY0e_eLCx#LB6c+!X0KGG*>l(#0Z!-mm_(-YcLS+O(-vxgcpp2H zA6R}bI9HXs5ODYaA)o|IJ|BE~zvqm!TW9<#W7qHUIhSoF<7cpX57#fSJy!fE05{(5 z+%BFAz=~rv7B2=ffZteZ>nV1?mX5c`Xz@DWrq9e*I*>|WY1*_JChQa2DU+mPkHOpf z#4h3rWZ+Y~z(la(Q#-i~DGeWd7C+BhAs}UQ6OzII9NdT?5=vbBFR-E%Cq>-+41Nd| zXmL85kk8VCsmcw#r2feF_|wbx4F6RYM0AC}RfGOvG3VCzJMscq(A;DTc4ICPr88DH z)}N~1N_=1)TxP9-u-~!Fad00#18c8Q;Cw5sU+9{`Gb_6w`>e;#ei3{vPGt?9jD|SqtfxMmxXN>Y2 z1m`+7Dy-WPjECVRoX5PPM^9cJ?waWee60aD&7U#yV|Lr7F5K|YD?)c=Vyp_-1f`Q! z$?wjU*IcS!qEuQQW%jDNnEo9Xtm zxsLp-@)w_QvGVGK$SdIfu&m1>f8G41)1KXwKbt}D_1UBJd466O*L^q$L-uDZ1~jnl zO7ob?)p4y8>AQ}Zn}@lEFu?<{>S$cf^21-I)QMsxgf#~38ppnI<`2i#)S@)x8W;TZ zXZudJTG+;a?JCmqwW8@l4cqP0^UipfEfZlv@(hlwM_k={+?z=;?z`Yg{>k8}pgNB? zkzfV>sT%va0pcJ$ogL?^AUh*lK$N5O7!e~EpeHDgX(K10we!1S5LOnsydv`k?fnIN z__x?yg-`GWj4MHzfow6xa57B$HH~-S%~TC`+W;u;0ailGHR3x3rmJm453aW{KAB*r zXLfHC=J7HJ0ZnetJ{H3kJ2HkS1NGt``}9X960i6Jw1F@ZzXJn(2oR%*-`JjIlu1ZD z%caVJn6_<^7lg|85uSn8saF51M&?C>ptOTwKprVCK%VZA$Iu?j>^SSAEEvL(BCA0! zrDM^*XOuLhM)cvgStW27?U~$Cf?pN77&rOYt7R)X?fVYzLtnYCs}D0vS;uNZZs1qJ zjbSv{UPvN#e2lf*2ByGhjz56>^Arhk?N{Zf7QwNriHuWI6)Tc$IyGHMhgB5mq1qv| z>$yTQ&Yl)B`0u54=9J z7J2@x6)&MR?o0LOl%ZPj8}RHutPwu}=iUG;z6UL`7>kGM85tAt0Qe=xAaO6tTWc9| zR@?=9;s5Q{1_st7;?r>ISY%%bTgL&^jIgOnEwWvUXRlbFjH@5FXH{GOnq@FV)WEGz zfU{spU-2s1>~340BIi+%s$)@FvACXn36K!tI=H_Li|clk0P87PYdJTQ{iNz~*BknS zbGe=hWM;n&+_5f8oOm>n!X0L3vUO*6P$Suw!BFt^qO!P&^q*{*)Sr>w%aBhZ=XQ4d z=Jn7xX;_F!TQTa``cq`RaWC8aT>G=o|6agXAX+4YTEmZ#r$gPME2alw92?9oaNT7v z{!BBi5y*OG_QutLdUZn(+4hLwwPEYjbts{99jIr; zD|@bZNHhxJT+*k0v?C+Y(Ujuq>}DF{QI4xI-gnB8lq6m?#`QGLFjkoG2jb^RAKec(8RXtAUYIE;c&$CdflD{%hZ_t_K{}^~Q>KfVecgNKTI- z9|p&1xS(S)9nG65wf-2UU&Ya3bT(pJnK6lyDG7h&8XPY_opQN}$>LX4fHR1pjdr@9bG;KdCUjbsVnLF zF+Gqx6-hmi^iEGP&$gAv{SS^YMUtFJjjxyth4L5io(ejx!wth#f4rF%m^I|$bdoOZ z#%Db_ZIl&J@3zDOq46$T0H*RHJDavx1fpdKu?hL#PVLt$+kRhQDpyO;np;Is> zZA2IHZC^6dJvj6%j5%A7dv--DX!3;Z_Oa?=_mA%JoR@P#F8EX6V3H~9`YjWTd}S^w z{+OOlzl4EmLu!Ii1n5{Sz^uDa8Kg6vOJMi!x#DVRcIZ+Yzz=pH-rk9wtZdRnvSCoX zh}$lTgIU2kB))tqa>lV;+J3ffpFvfJ7~8vg*H>oJ z`@}LT%l{6+H=5sN)08v-7lFy3SlDK7^z%ne+i=dhXK3(A)X_@Kg@L9Z5y&W;HTVve z=R2_9_NAdY0sM0Q4%D0iR%Q9A7_K(>w5>%8SPHmY;5)&3jB^|_hL%M)^ujG(kTCM~ zm48Aly}{7*6+^!hA5%|NyCL;hnh;mC+SF3a3`mrVP#N3?m$sDkK}9BfHsUXQL>XdH zk1cADw`paot!X^-QX-q948!UtC(0pGrhdTk_1DN7TOTI0#$vdHTQ$!gEF0HkK1XD<`$7_$_wQNLl$C;E}E+jfN4O2vBVgvR{?@xaG{CoXRxLNjDv!Wuw* znlsCfI@OKPo}NH$_gY_128>%0L+(L1qTZO5}qGmB#?+AHQNzhj}?S;+#^G3POkV{jE@g9AOoqtfx%BE5Lw zI4CV<+oy-tuw(o&+Jh$CmAV_!KN)HqmtQs>UGAv5a9|udy)_nBF#8g@L8f@4Z)x3K zpzpd#O4J4-T6vDn^AqKl24L6Y^E}@}=mM7CdEEV;Z)v;G4@v_L|KrYb8&9HPhT)`B zpueuZ8iHpl?Eu;s`_9@Qss@OUdA}+0A!j}WIDCMrgV5EZt`WeT z?sz;E=KfRu^#}l=%g0ufa)ZlOAxj182B|UjPIi&&>B*5h(HFvs$U^Trvcda3ULzjH zo&1+f;mJfUsY|YXmb9vK*bBJ7<4sVQE^Mj3gaE)jcl;=aa6WPpnPycw4CbnA&kaDl zU4rqK&*byHM*lB}KLQ{h+#&iPV6X>4s;`iiYhx2vUZx)Xe3;cTkj1hCh zGHf3{MYrUMTYiBhEAcmgdvs1C&o5a?x(#=rC2h0=pK<9eOV$cjSabe@TAqNQx5)pF zpQxDl(^Wca_@C&)AK`LQQ@EIXyrkIrm((;?InFcZ?{UUfcHnT|pX%{M;c;ama_ovX zE?{s6{sIuVN0M@JX3+2QFL#NJ5OT7r{=f}yA5)ut=SQ-m%X*@UcX1E&ise(i)y6Km#Qp%t44x@ZR94y51~%V1fRF-p3W)v= zjaM50ozoAUol5i4!&vP_rzr0OIFRPqYhM$0ehud4dl38%YZN9Hz2|x$?x3FOrMG-;AibM& zJ5I5-IwSk2V$x8Lp4GCF^D*cVv;cTjBL(QvRxO@)AYyCD zFfP>_=VchXIUMKomQxHY%jU-$xi~IUeSy8hX)jR?R3#Zx)Gu9q4F`jE1Pg?%Dt*QA zwk^^i^yD^O%p+aZpZHN+rV>FBh&B$t#*mG{OGv%O7Y?5pANms{K4uPQagDy*fv8#D zduljfjyaBJmmR~N7&6NnBRR2uu955HZ$h3Oq{Q+i;}69(zdl4*tWFDg+QY*;zi zXfa1#;m?Gg4EUn-A0I2-Q22_;biEsW2$69mC z{epMN+~P%IA%Lzyk3ducdK0mT`#B3fA`hn2eJ~Qe25HcGSfwvS>hAU|zZpxLC_E9w z3PPP(KLnzzFV%V5nx1u;^X!>|y2cy&;HNMB!;o0WrGXHt*j;TX9EM*ywwis!x5-!^ z$3Ebh&t?HSX7heFTdqWv9t1GO(O}N6N?|(EV2birX-ysRo(?u-cSjPbK=pEMdn?tc zdB3Z`ARkOQ^Elu^w#I`-Iy(!4OkQx3Rb0ZYT4Xq}mQ<>%ATE96SCS^~kkgRdnxI|< zsBGV4Q1+9b)Z6|d-2N!-)g zq2;{W`!a-zBXztzI2zXvqz`g?&%O`fUiAr3MXQkkdMM4oH4~ys*txjoo5&!()4s*_ zEa^?kF(fUtqy0_LZTSF=3_S`h^lb$+HX1Zio)#jdHN~LkT=cEkvQ;m1^-cn=0q?7g zE`Er*N4hSx{fw_dlvDEK@UIZpcpRPhn4ArN!ETjYh`*D2BHY1sw@f`|He7IW$T=VCk$ zaT$JZjAtInaLm^$A0u&A_*>s3DIZfkhyCE#tv7Cp^W7~zXsl0$Hua$E?TVUR^%knU zaullUhUz=vdUV*eA>J}1$vcLs@;y|S3SO@FjU=Dz9I<$`BpY(#6NEn;IdsVh6p1oO zdFR7YX(@PAq@z)Db1M;hSI)wwH(ekC@-DN>#a(R~19IlL6lVsQST}=Ht7!Ht85tf( zRe%opM52T>++1lrQp@lhYOpYt3UeDHZ+PnQ!{dihzHZ_lASog92gvMje${IK=@{Na zttvd}=y2OlmhDG@TqO62HQ5Qyr!ENN*;VWsSU`tkxo4=F@c{$@D9D_#W;a`dEWiQP zJj)k}N9H>(s#k4RP<%F!RJF6X2C8nk@yr!tClYy|>(bGO{n0VIZ?s7Jk@4#UP9;yn z%3zUguYS0S*!~yq(dGI1{_S0*MM#QA^hhq~n%B)`u)CZ@oeL}pUm2}j99shzvbPL; zHM4@|OqggV%Q6M>uQ3>J@( ze_x!8TK6qv+-w_`?$E2V)P50x&hS4T@7Q6mcfyASH-0-{)PQ=;`ri{8tYCEuLv$hK3BK&Qlv|Cr_yHIB(x6nu(OrQ~qzq z-=bcQ9{(TDxP5Z;F{6;~f4^CjQ1~VT=dJVqU#^hx|F}PzL}fm&jh6W~Z@^97<-eEq z_KsTw(6{%<@MyR9M4#w(k#1E$F6_NcQVgjjHBdLVcI3g1+jP+XenI7Ldv211-aaM& zZ#$xQ`nT(O|J%-6OwPAYEr9f#e^tPLrH-F|iL@#-ZNBQc3y?zYhCXYr1{t?Fav_hV)+t z!!>U=qyi`~+nX4byIZ9SAx@Pj!acNOshc#B?-HM{ z(>-Tk7b*Z^&X*9%t6qh5IeGSBE2@VF_1F*L^N>aC8$Ls$Q#|-O z9s&i?!~U{+H9DVM@(bM2ms3zg<9JW5Hy^Kt$JZ6)l+!qRG7T4>hx7%oVGYvd=TN%> zU7;vBN@WfJ*9t;`06d!~*F#;vW}gdg3yj?Fh)Dv(AgfPkb-8)q|BRPCxv~hfe$q)O zuR<*hMC(0Y$tglQR8TVtXY;LkB{v@`c_*+B>hf~!Pk_!A9FprRSFz43M_-Vfn_H6( z*BA!Z%Yh`(qgbyf-Xadwoen$|eWaYwa$GGOMfvve*v)f#PoA&lAs|$3iC)R;E1Hbp zO7=T&FIWY`;hxI3pal74&uR2tSo#dbQ}|Y$oL|Br_&=va(C7>D6>&LG`_4niN8ES~ zKUnYaVnDsny0Ay;d;b${njfG(62?FW-4{#Q?cwrMs(Klpp+ zfG2{^aU7@pv#Z8p{SOBc^*RuVG;7RSv(8MJW6ZH;y_uK|<~Vb_nbtD%Uq3s!yEQq% zoM>hfjpihCvY9iR5>w3PWZrBsr<&8ug4t?LH)ohdv(22D+{tV=JIq;$oy|_O%iP7B zZFVP1=C0-(v&Sr(bIo~XZ=zz(Hy0%P%zksX#O}$3=770}xu;n*2hF|Az0IM-qQpMQ zea*$@lEi-I{^nA1nR$Tuj>NFJ+&s`c$XubVeD>7%UBkC04^AGUt8)DC;@?LbP3`Dg zBhBhgrrn8-qdQ@wdFh#3BhCNkYWj}@P!1>ECUi0DG!QHNk5nd@oBMYrm%me)0LQ}3 zAJe~4ncUtAyVODdd^MT^WX7N%YsO~yeH4@AwOaVH8XG1b)}kDo2zidlxF>ANf#1&X z8$E6iaxB;vt&4xre$+)~^uARa$2F#-8ppi7P#Z751jqdUc&`6g8ING@uKu8gg^URG z1$Gw#WFI6}hhl-XPYb^q_|?I$f!23V_-DC+73Ag*wBe%~?vUnh(~4Oi9k`=EWfW^E>I2kxu7$;`P732&$|oGHU9rH}RX!^oGvy{wwe% zPVc|@CjMt3|2IYdk8h%9lx9bN^F?In^wAd)Lt=ZPXaz-oZZ|Ke^rto4f`6~{f6}Z# zrQbd*dguSS6|S=skN#(!YqS71ff|oCJ*a17*5+V+U-+s;Ym+rSwSA)vQUldRXPR@M zVP->xc14L;pA7X5%+lD}8_w#B6X8rVG-EUB3>@1ItV3Ezb}*m}Y>9{C5^>*x=)2VR zj5cm<0oG|8hYtUHt(L>8{Z_34gViTm$Nqy*tC!xmS*!oE6#tvD{l{9J_py$9a0mXE zz47{1%?uZ`%;*9il3;I&A=QooX{6#Y8Buj07<_SZPhi)(DftsMo^Q(bU@D_2BhpY4 zU7iNJBHRnx7T?siO1rhp&FF(;%^8zxCV_i^OfmyGUsM!|ngL>0Q8Ea;DR4{f3U3Z9 z2S?C9<*tAc5kw0pK6y7hkvh?vqLVUM`WF8I2%UpECp#~48yLGy?OpPwP?Gcc< zOCY{mL>un=ki;|8d_KVsNqSX@km3*0Io&yi9>*n;LM|csrv8M)C(@+~t)cAx5=?!9 zs_^@g2LmbhR;n+klhOKoaRyV0}3h0c~(1ISAVu<+`smJ&NL}x$< zr?`Q5*`d-TL`6U!nVZxAy6mIu>5)~5H-(vCp5-P|f24uB(oOb5a)GXLA0gcW>4+5Q zr;e*350JHhKP zvsCuR>^Q+nKze(BQHn;eM-#AXZPC9?0)N2Yjv9O5uHuVgcN{MOy*IYnk5HLW@|K$} z0RKS5U&Vc;L7?gy7>JYxEpPP?1xZde`iu~pwHGuTME*hOHx1T<7a~AufSE^LipsRu zzXb7__&mUZh3dtfFyF~LUr2&SrS_4LN;3|H~C>8pGmh)hVyn0t-Iri$BFQC$UF5OEaLm^cojwm{5D6uc=v&G6bV> zg#jd`O$!O6I|L0t3u0&dCS>VMY#9c61eb{Ybc9bfeh|kc+*0|FiVWboW$Sc(A|}7# zNGiyFiqK_}sDZXZ1Kj}P?!aw`gY-*K5U_!%hs07e5jqGx0QF*~#Jg}j<~vn_)EvLj-X#d4FmB)|6K@ZW0$k1siD`GbHhju^;E6F`LTQsac;bi?ZRdIoS)>(O zk_vC1FFg1%2sYl~9mE+;aspS5vT4QG1ggnQZ3njD>>>*)O{HW}gIk^2%`XG2wFh?y zms2Y^BcBH?YJZd>;m`^_W6?8vjn*<2v&}0x){>%Ufnrw=u1e#H1d5J_5jgwe9_f38 z`;y0k*U*Iv)JaN&6jHh_0Qvzblt92eA($~zTEbh2Si|{dirLI5J za(^*Ind(=WUghX7gpfN%=u8d9iDbL?c>p#nM(h--R!AjZvoit3^#vtB<~&u;{mE7c z?GW|^IrZWF5ml>{p-355TIi&@fTnu$B4%-%AW@reBHa}|X&IU9fK;SR@|ML!#4iOA z5FyQpeje=!SNf2zr*S=yM>7w_^Z9&D@qO5Osu<#kFA2k_I2geqR3?b#o^UwcNwQPI zmpFIBcAw}M1#DnF@Y8P<&*XFoXxbXWrDM`Z=w@}_GyseMjh zEidZ@W7|-9bWEKpWKs|ANvCSsL12?*=n*id-U**oLIT4lunCKDPBoG4Tmt<7j0Ig? z1u4|M&U)xU2Ug<&0MT^Krs+P|<`;NsfGL5)-2p>x$Eb=C%v3qt9&p4?b{N}MWSL~4 z29fo;spIPYqUQ!u7&-;q9qWX4Y6POU-l#cM)S6hE4%xH1_yZlL_1K)HyQ z6JX|HRWBA!Sc+WbyrGxQ4^1%oX+&GfiF9tep5@vTlL zrl#G-#|**MC^Fmr50p)9mA=>5QSCf@7?7ZpoCpj|2yvg_OksHBMIiySS0++%DEp#& z)-d|1z(d*^f?m5E&n(dIId6Zd_?j`6FNZSQ#gZ0ZsU8@G@L13<@sayLF-sAK1VTy-t9SGW0Xm}P)K3qM-yrfI5;jo+O8Ck{c1 zH=?=0?&`4TfsLAHl+V3b2pC0IkKpC2w>mRO# zyjZZZggdaM@d|zdvw+Cxizpw?`LmiN^SLmh2kuSgk6^)GFT1RGO8r2J=1QqM?PnYt zxrvhm_Fj;Qp`~q@KT6Fl%S6;9Y`Ks`g4{#)3HsoKMl9-TCtB7dy7i?)PF-npQtwHz zJYF*VC~96SCu3ou(nq9tom3%RNM3WLCfQ_Ng>_33c_FJl!N^hUCI35E7>b{T(Mk~59$Yo-p#}%vL~19F8(D^c+V8HiA*iWD=*?|cAeT5Ld_?HV zMySo@VZ_?FfUuBF^9NAyj8@3StG$UHC`kTM5X^2Xp&JpiqiLS(mPEpOr0gZYG)fmB*= zY~(g@Nx~*Bncobb&%(RdN;Sz<+CUh4p9d*3nEWA+Ov zFVf&YQ7u0afH|tCtRI^D3Sxb}Wa^^-eiYq57=Z!#fcyy}`#_7{n@V+23S%BzhFQhC zsB8xib2L8+>krZ!KtsCkkZWzK{3)vXk(*Wft9shFB@WMEzKsJm&J}`+MQ~q}kS!0z+1@geep~|S&n1AUGJ}WOHKvh*^fJWA$uwqD z9AyWUXfhZT2mj*jCBScCOiO53l7aiMALIQb#2Sb91RZUvncJ)1t6>;V2IcfWN{*Tw*=g$Yt~myET=>n%sfrxFQ&YU-OT9WCJh}#4v~L5I zRCP5_674nWO6swnT+RJY#Xv(8M#D9!19gd}Uk$+2VOLF67TYpf+73ME_C1bbJ%5cq zECG&q4;>mRl_GrJbd;rbO5IcOHnhrBXe8fSS7u&dZReSac>GA@TX!m{Z!y_KM%0A+ z8s{<8M%GyCpq^oqND~SwFwb*nit7o1T4Fum4vpX#YK-5VQlF~+=+Gq6u8LwN}nKDQ}MVP^|7hiiaYBh$?*c)cvN~Jkt+1=2S`VS zv*9V!+SC3AIaWLv&#yIjyAs|wkQLTYcQZe94J4y-K+=Z=C-qSf7~ht`vgQ(*XR9Gx zu4SVUz^imJrRpSZ*k-$ywuWqScT8D>U9l^{SonruqVJ&&0A#^g#u<$cQ|%8_UzkbW zke0_#bHs*Fb5Sc-+FW;@vU{vz0-4;{fgh)8kyND1#ocw%5UXTlzGq#h$;t}{_1Jnq z!;IH&Zef$gKagOIO~XByi>bE9(jXgUoqsggk&M@D+%B?8Z~$GxBg-TSSYhMK>JWY& zkc-p;6PLto2AH>!i0RIX5mq4OI{>dNO+zGyJj!M81Kk&EY=H`7zgoNAzDyioof$7) zwf`^n-aV{|YyB5r3$idPFar~qzyu~RfkYC?Xd;OcC74K%pddlPD{53!R8Ul`T5qVR zct=IWTcv8NZLQ*^t!-_^YQ5E3tG1=ui?+7gwzjpcZFTo@-eB9^y?^`nJm);;zw>;3 z1SXTo%w%TPTJL(_&*hrKgId3k%H5sWJ1QIj?v|6Lna+Yqpf6L$?a}Uzm3*LQf_v6> z77HQ%mmg>o<1|02@cTNqlK)1Zqf~FwnIcHIcmR|k-ozsZcSAT~_m?2CD!5xy`I%tG z;&S9haphzdz$NLERv%?SAPFC#Wf=>JJZuo+X7WRM&QlpB6mcnlGnq<8LBO@pzL!Rp zJ_C`n@C`o|-ww`o{Tz&5@)ac+s*u&KyH_r_wAQD)f6Mo*u2rcv(PPQ7f-ugeM7354 z+8<0=MVEa^Frj&w44}^((J`IXeqG+qSTf4sm!g;=l1_^7^SF=q5zPyF#)fy$)MLj< zjZ!WSF&3IHG1`t@FRb7qiQA~9!0wnv^=p*37wNVunS2;A;pcW3ABpqJR&q(011+JY zwBqWE5NAarW-6b|OoK^TXEH{LA{H5LiR?Il@km1{)7?1&3+dbwL``g*nwEQSbJ4iO zbp~wTsIfSbIEzw|`&a#JCEp3}vJApE(G)hMJsFVsqiHw9G7b&UJFpK`I>4pjP1gd1 zXW|+>2^vubzr^$c`ufgUb}Mu2m}W%84F?wVLYyNO-P@{jMpa$kTaTSZW(6LA^J=PgEj0j4+*(Qo1Q;ss@2LHH)l=Vi}blrstOPv%u1KFgqymVv1b zNzjZ?(w_NW+`eQRNTi$IX2*iCk}imR&Uei0%zaqggO2CVN~g(~7RY$qxnI`^BB9~{ zYzDsE^j65FK$n=|sfeClf!tqdt}EUB$#$A6zTh5@JldZ$+|Tk6bn3U9h!ETb`pR@| zYGjTEHGK%bjN4VR2NjG8xxb}g1JV`p@ZFgG&F+8j2r}L%X8m`ek{<-o?FwrT_g@#>) z-5Pr&HxpmR-jRn8?g*fz8NrSxmU)dli=#&NM*Kq32QmuYla>8Y*?26M^g|@EF2`EM zJuPqzYluwp4M|uLkd-iEVpd-%Urvr7dw4P7GmSWy=*5H;( zL>G=Ul?g=vrnfy2LOiAzv7`ScsIuD^i`%$cycI^p@tDQ?ZRIFqwm6P?OO8e$+Qu!F z$A=oWi;I9i!VZs7Z&!lM*g;V0xuhG*8t0}-K>`R#EI5IRZMs*K(u>?V`Aa0Odl89IMpt*}lWQpZdnrVDfgE#wO`YUQ(Dcyv4GSayQ2|C=%(9Q9! z(%QgQGIVjKnH2GLlogBQ<&ff$KSJ!{%)uWaOK-9obitxT7wPMK1I=ngjy<6cL}_0% zP@BMkrk*3p^c#-5@x?s|&D=%4uGH&|z(VzUm=A@MY@Mux-n@Zv=L%{~YqTZhPG4JW zyQ)&!8ODxCq0u@)>YcM0Igev_m~m(Mu@L?W*UufxY$p48>rp~hDP+6(4zIn!=!zrj zMse%~D;HTYM?WWyTKGuy5yt#{6sgthjRI8q1<;|j6#6cB_z>x1X)A~{l5+Z?Mj6hG zM}suOJK~MYCL&J`vW6=rP6Um_u`OQxTd@SZh8NWD1_1b=2KG#N{`k6G;HRsVRiWx> zO4`9t2fbhINcU8TNrs2w9BTK#lqLsOy3C<2CuV<8c}F`2Dd-^YVR?_5tOxECKLUSA zI(g5)K65~Ypex!Y(}_)1)5`%b$pasu$H(+h;PFg1v7ezGL^G>hqS80ABpo>-aLzrn z?G1nf?&HSUInxtB_Rzn^5}P~-8x&(cL*iSY@Jzd+TJzM*{KM6Yw1H?{D_1dAKSj+X zq9T^6BvCm|*KKnTlv3_G*a=dl{au zChp?6rZ;RVY*?-a%fQiC#d*9V-RqemoOGL#5A!!-KR;30$#((ApY)t1$eDnII=llO zz)Y^M<~(b%pe^|+X0J+*Rb{KOgL&TcylAd|U9v!{u1n2{Lo5x?|IrEE>C>hdlYv&! z2)Z1^8pi>V;?l~Zr$tMk+}RMr47J8`Q9@l%AhjnlXkDwpDo^YJT3=%(B637Nte_XX z+uY^COX6EJh2O(OmRx{zG+28Y?G9luU%@1o_+SDf=GMJ{D$5cz5Z(AaPeVtu!V%$O zyD7~lloi*T3-(oL9`PE!(oRd#&S5lPDTxt+RZVxLIy5#osReyn>`|Xrq2IJWsmc~+ z#O%HAeVb~v?JO{u(O2C+^G5wj$nc{{`fnro80NO%9JI^xC~EMCT1a{9Cj;qL$l~lr z(BbZfFl4`=7WPA@yTvmW@mmAqu%#HShY7M0EljE+9O43;&&&yEzY~}%as<$W8 ze)=QvY8(wIXsof%X@1A?S$bf(;g~ocFluGCPt%#XW{rV;Q&m&XEi4;ED{^834W~Z^lAMhpu3tieA`D>d*euRh>_+;~F0~&axp*;fqs^T% zq*7Ase*$9Li!ks*o*R<^h7iFfost$)^6Y1GfgY69qm~r5PE4FN5Z%WKB5J~0T zzKyd0Q$eoaPTUA#Clg?vATF&khO}Z^-~_K->C(Dla0OjG9++8^G3ZrQY@z+lDIV9H zC_4l!Ah*zwr!SDJ@ae0NID$!cU#1Is*YR?X@;-B($hU~<8$&K+iyH6e#%~iXV%1KZ zZh92v%ANctz0b}hOctl38z5P=j*G-YnKk;247Eb4%Em{*X>luEaf6u+rNi~RGc%UC z-=ve(9XWYLA~U0DE!L~QlN>QlQ7ot3kpY9n3LDIMP`2 z8M^YV^2@;yb(1F!m5$VX4V=T`vI0R$yw4v+m{mhj-Zn(N$L5S&h4?AdVrp-D3DvyB=Ju_*==dQ@ z_?k{`Qi(Ac{S3z-!&q<_F#&F}LFv+A=UHU=f=}ZI;3;UFxet#|*wQ-OdTiVDv;P!1 z-vi^T-0eI1H#zF(Bl8RD^PG_|uIqUnGbC^Ujf4akBu1M<=|uJrHLp%)_z1wQrcn>1 z=>o?|FS~R>2YK7UWRb~q%T!ZQWJBPSn{sNG#u`PxR?k=AaCsJ@7ZeF0`o&69o?~|! z!(tG?=a^fQ8R67PUaM_SnFJb;x8QwOGWU@_Vic2pDVc#$iY|dUaCe@$k>5Ip0sb#D z0GvUasi6%2V(M1jmkd=8??VR3&xhj`CW5968Ca1gy4myffCwn++eeWkl#(^I3cflC>az?>h%$<*}9>^948med;!+m zLro0K9|lMPvOw+}O8iK6$H9C!@RZ@F%qN5rktc;P5ADbHE!2I(cv2PlyW}v1w|n(3 zc!)yorS(Xf*QmRME@ojS5@Xuoh=CL)^nc~u9Xzs_Mc(*oq)wy1J&u{&>L^MCz}lD> zO7Lhd9iMNC5iUY$Qn&<%<1Yh*4VnrB&+qcFLMuH_-{lj9R`|r#mpGl}L|F*FNT!y} z$F1(&hD)g2+_{tPc0y54DP9yz0ni*4{7jFU`Y}%; zS|Y#bwk<{MvIvtx7|2O{xAB?~Z3)A7c0GZ~cJU5Grl2SN8{Y>UZ`oG|MFnxsgS08( zY%0TNgAq(u^%|wONik}Yx$_9k05yTIryv8FQBvT7{dH=UhE!kXR$w)KiURpr@?a4! zHr$d*af$6z7%BAk#s|FP92(?=zVIK~4v}b*IYI#09#W*c&N)9(?!71-;u`sHfTFq- zj8NX-rvgn^(9+-SP}IX-(qmRWa;s^Uuu!9qxki zN=q{)YFZO&ev)*6{6Rb?@Oh3-h>sOJV!gCYtx)+INi^hqR*}IZj?d;}Nxri?N3Ad@ zU=NH3LK)Roya;nIKd8#uWs)d#Bf*#~1B9vlEItS!H0i|`OND_Cik^ruh%~JrF&V$$ ze$_b}2?5)+Y#d8EyQ|1Cm<6bPxinVz)KFoYO3crwA(T5uBkdt%5^6PfqP6MlIZ5|C z=s(>~;?;&Qj@6Be(mt@B5{#em>Jp{%2VQ50rMb`%=IS8~nL+BH2uKS-9D6w*>B>gT zNHZR2DLro>KE#IHSWX?NZR{KljX*c z+pBCvdLl#itCwvK0-XT2^qjZ1c7IyU*N_A3is{~PoCBJy#WF}Qb_1O-Y!uT;PrskC zxB>)Zn^qB%_F@d?)-FKK@6h92k+6_FVu=Lx-2}-DpvPg2c+SzmSzw;cX2m&wigUFf zW|>y0*7i;0Ya!PTASlxVaYn|2~bo7$D2K_96ZQW(cmu`OYrr z!gRx}3l*n+uncq@2YoTuL56lUBkH(DtK)0{)gE(j72+Bur<<)U&#&Xj+~Z^jd3cNEuym&gTR zh*|q`dgqu>{kIaA#Cz;PZwn{#Bq8dw`7r+v@&-vTy<1X*4U;^dB1d-w{RUy=sv&5C zahwp8f;|zg?NJwme**izO|_xxJjZ{c(k%l^??XuJYzU9OH(9 zA(>Cj`ySI_^@4!!gSJ? zU@UyxoR@-g=Q@z#GdOj(yc7ZP4Ng0T&d3<7QM0a@$omAh4ai&J+JS6lo;RS7TeQ8X zW~iF|iPF-R$6?rIFS9ln080$^nosx+_D~xDZY((3a9@z|2ZOUA^8OzgH~He2S7xU%QHS3QQGf0iXYg zL2q{%=3!aB0R>07!c()k$;kI3FG4LchH3DWBlRScJ&QPV#$ulWk0!n75Fcytt4GJ@ z-Nf3f`NU{TL=k`_`dO~(r|+orp3%HaNw_7_F*%f%Su4XIXj*K%8II#2H=e36_qQl! zCTTs9Is+w>KrMwIOX9IlJ`f5m25Q2jw(6z5H@xTMR~=`6yD-3Dwrvsz{pK&CR@ZrK zc$wVAwwb+6dvJ`qkJjDKJHC7c)jU@KKC3zRFfOCyx~P$iy0}TU*~iD(XH4X%*7<11~9}DWHRMgLETzVnao7y^GMW|N3p+i`T>mk>o{!HOjWxLIElpi6uMV9F23=K{;?RK7(#3HgJ6)R%sNMk0UILb}!_8Tvsg0k4EFW83yt^moIxQ?ksLSV-%V}+U{#4 zK1TaB$vCZEW-^dG3C zTV>w>k|dczo?D{*`Dms;^Q}6H^522vU}utILYf>(vt1zdqao?|``|@hZ!S`j7l_%a z#Cs?txN*KFGLp>IEoo1hG|iOc==*lYoj`5`FVbG*AWX*P3VEveYYpzI_nFCroGR=} zbu#UPv*TFuE-t1QO`Yh|NHA}YB58wSwb3f>*L)=tsPXC6XvlDBy}F3f(YM4K9wvva zR*`V^m3YUG9Sul3OT8@-?}4eI?-V0b?njWr*Rs_m-V80Br8 zX(I_$oqVAjt8R{%^E%amLUE$|H0iJXIohzYZm_$gVqxH)y6!QezHGR2G1i}TG$4bdZ#BPnk186xUC>-dZd0Q+_$tWe+ z#`&Gp-ztSj=GUt|rH=U<`4~`(q*L%7_x+V`<7(R2@S5RWX$zUw{NuK#a5~A=UDSZ< zwi{LQ(M1)IexRuUmh7%;i4@DkxAT8z4pOhQ7GQTPaQ?OnIMxyY&hHS1I%#&<4!+LP z5#J|?8Z^SW7EuG5V*D%?>MvR=w|j8uy{1PDsZ5ghOQ1hja%y)e0J+wBueT$)-} zMKTm}nY=NSebrpNpr#!FPS^Rj(PloyNxe<<(559!Y{ngJ>pRz?MX)TT_$ zavfac}6kZ}Da*%Y=PmVN|)0gG1 zYt4^^8^4IWw2ZyW8tfwHEo(is?^zp%+)Ypj$!I!s_N$yRNPjRAybA$2uoE@C0*4nJ zliCI6i3?z!xFjbJ@k>a&r6#bR7x-R|L7{=2#ka6EuRrEH3tsIH;Wj7YC)~5Jqgl*M z0RUa2JGuI<;VB$Rh+xR*EZ$;9@Ey(b7P_La%^TFbS zUs%ikPA&#CDMSYUzU~iTG2ov8U7Pe5FS-r-9H?xAKmTiO+s18(=zrh3jrtnIQ2&4T z0c$G%ef2|H>wn++fBT64+DQ<$-G&_wg1OtiVHI`iVtDJXbNsgt1lK zy?S`If4%&VZU5MD8^rvt&;Ir5kK_FH`r(KFdifBBp7hu2KX&#n+45&H11bx);y;@9zc-P;8r6SvD*w{~!T9)p-vRws_S4O8!OzXt zhyUs!udI2-h#2Up`u~ml^ydi0L76A+A(tr;NY|q$mC=rIZ48{GX*3(KT4HiU&`cWK zIT+YQ+X#Wjb_(9SXn5V$t78t&h-&L+Nh%);#3jgUW#CjGdPm9yh-TnI&;zBh2|=D* z@Y&$TfI%!P0ze0;T`Q4+pa?M)ACh<_Tn@euF@RQefN)5(gr@z;FalmtnMoNlB`|Vi z`80d4s5Y`uhEEw>Ek^{V$pVud0koqeLx8%84eU`wF>eWmDe2o%D`D}kF>L}P8m1es zk^Dr9^o$ly$ty<8ODLW((jK182pO3~{-1ey2q1|!2n(=t{F~oP#r%y@4flW_5fLOl zSxUJWg{)(0|ATJC7~7mtq4Ljg!woN?l*(>MC{)O4Al1r$fhQWyh@H4~fP;}t7e&3* zN%T|tfE6+`8))l><&Zjk%DpH7Q}EPRu! zz#SEG98-=NfUGUSk#<3>C9`RAkW~cBdV3=2K+3V1`>y6ZUO=-2sDB!mIxIoC!c2OK zraYcR1S1#TEp(s@J)jxXg2(5-`q0GN9wB<{1xU+02I-BmCZMWSzli(c!*m+{*}An_ zCeIXo5ehTV~0aRsbta!=9}OsD(-Sn+-$GajsV@Za zz_HAvAgKsaCEwC`|BNvp_?x5PjqnBQzO-(~gEO`(Dn|n`?jg%(w@vtG%cQFfXKgLn zz}GqZ%0mi|VJS?6yOn5=sSm&fsk-G=ew2{aGF4m$cs3Why%|!-vk~3Z@{5>R`w1S` z5-0xZ9*%E{u{hfEExvl@Avwpsn6MdV+}q0hB+k$u50V#SQg`VSpzh(Hi3sYcPZams zeFuQW_wW!>E}bLYP-=cxejwk2-^|4uhG7pL3nwlu1Jr-<8O-zDh1q7W>mJK$JcqMM=QV%TOSHy+QD^dJcx)z*iq z4=On$X}hc&jM5qkR(Tj5`EcIEK}q`Tt*;1mf& zLdzA*WUR*qZzPT#c}!6*aUO0h$po%LbVFm)DEocBjBnq(2h1YBk<6FA=5_TW6+rY` z?Vf}W;5gH2>3jWARhw0HU2hwsFgz)}$(y9_iN>u2$A$~E#$kh`^j!A=5oV-y?b#D5 zejqmEe#KG{*c9U)(nf6QL~#m!PAtIDH5>hvb$jtaxMx1NXLNBM2oQF}1GrgK4Zq>% zA@LFVh>TuxD)NQb&pg$qywyj8PfEi~Di()%zxPhWhQM0s3^g=lTsp|d;;pxTh87Xu zMr@%|Nz{=%c*?4QI5G|Hri7>0Y|1b8xuyN0;0=NLn+14plkqE6U*mZG20sz&-C3gl zY*UrTCPh^1b}!OP6e`xnR%K&h!LINd$8^ttd>sD_UyV)rA1UzA$SL{{p$ne}&8R2; zjcC#>3IiKP4~aFV1NPcih)IE$aCPKp3mEz|og`eq*p zH=8~!7=hs72IwL!!m_Pr2=(Gs{$@eVo5*ZXt%NTHGKLu%{@vYbNyDq9Vxj@N&$AA^ z1+EQ^4LF*3`w6xd5(c(Dq+ti?P`wNK)m@>4(@$3tcF^*&H@pvsa5aVP5;?|*E`<|g zO%6Pb#jn|RA=hvOH9%59PWW0{BH3qD_yKn3zvwl|AbiN>Wh+dl@WyRZAdy}o#z<>P z99ymoI-i5NY!osal+O59U^^XY-L4x#Nr$_HUS(dYd#7p**9qrQ?cJw|*3jOhBHo5Q z$LbsQ*?-2}t~QEheOx$^bR!s1vh76pw)6<7Kxk)XKuT`45ZkOFmfa5e9FEez9f6s= z{iy!=Vl%i*8x-DUpaU`<8+LQ^xZb!?>PJM^R;+$rrBg?^i|roA9%6kJuokuSvU^>T z3y~DE7bm+%NT#ZAygCr+_#)(L58S@`qN&ug5#IGX0WFnvd&AoUl?CKMS)lI8)3N`UbN8}wCu;qlq zMy`wWI^kW{Ft9bHYy7mmGB(K_*!yV!s%U5@XNM5}#s#iNWZ_JJYkwlIMzuA#8-IbQ@ke5}8y{n*811{rN=oO8VKswrnizX_lLQb$`jN=d zR@{Zr<7Ub$!$Der2d$7_g=e5=qVM7p*6yaJDxm&GCQW@^Z#2L!`&*PZt=%efC;Of}m$Xp&z)z#<7t}(fYJC7@COf;K?%5-Q1 z*77}Y@+mDdra7{zFJOnWp{sq4;~G_(QbuRd@=1KVAw%6atZdFy^DYo zdz|*uJ)ud*rCb{TjuP$)J#P6u`M`B__kWro%X@_!wpia?p)V_+;R5lETu6TU)CV zh=$)O%*S!n_qdfL3tB3uy)>n8SNTr-Ag4D(cVBQ$2odHHq2UxX^k3m2sNVQ%qW()| z4Z1t91~q;P-HA;Amvp3iOeq#I8NMj@G^r0$MESh2hzeC(#R5Age2JgZeXPO*iPrQf zjt7iHJnypi#d_Uol{nV)IqXDe)?AftKV_Zk9IRlsDr*<+(^?rCDQ^OnQ^Su;62FbK z5FcD~bp&Clj`;`%(Bh?3%*#d_3<&!3jBHpVcL>4pm+HY#udFY53a;KBC%~~c+smXS z(p-9iCg@g&;{^Uh)z^^Y9SUJ&g4_dDt)Svy4+1k9gRl_4c3ikhQ54_L0_B&i$WJ}CMmdA-LwJ63)3CzP}!q`=>M6#A`BJQ;X=WwD*(- z-l~>2;M<$51L z;MqF~H>@`^3H&GG+F`r>q)SV#xFPk%+l9&QpLC3h(eM?9lLp<< zOZG90rTQrvWlw?KA27Map1Q9zObS1l|3FMb?R8^BV}rnV@^7ZO`UoY!Wq&aFE?pMl zq#8q%b5IzNJ)fm%j#om@9twP>n@VwRtxp8jCj+L;%_(Ko z!ui2Fh!ucfdP@v20k&2y} zE1^+3nJUw^mM#nj&M9YY(kr(3NRz(m>z1?C`|`(g2{cmr4zD+bj%iS!K;yeiMzz?m z2^(~g;b3<^^Cs2W;qucYpM-nq9*tyldZV#qWT+uQ8k6ZSU+ek;n-ZNJ(B5CA`kI4H zVNHqb8+tvbl%EWP-|z@r-Hjzl$((>i<4KhaM3Us%&$0ee&bBH%L$@eRcTgoJ+RqCy zQ&yVzNn$6f2XDH?3x}lYOb=e>ecHWI2QW_#yfF+NZ6Q!a=|^roJi+WsQ5 z(9;LeI9GI-w2%6jB>5?9f3R05%A(xU(9B%HW=4kwN;wye_dEutt@|#j#w|3upPRLn zL6aP$qh*ZgBkLAAqxwpHHH~$CfdDpE$K*GSu0MriT{w(;nY~T9^g7m0h_-gEi9eeG z;3*xjb#!YX6v%<{efqEzgnO6YgPx#q3<~Uhv}VlRi8#i-iabWT0H7??{T`ghyDev} z=LS0wt_m3CIbr3SyPNNRv zpQ2SnSY>eD^+IcAHrG6Djit}XYIJ)pw}|~-b*uvm?K=VRR6w;?hx0!=-e@navNn@= z`&Tx72n#{mZRrYoB?@}kVSa=sRwdP?W2>RT{{|C_1HLZufzLK*nT>M6b>9j)`;UDsSmC(y#O#hlc3c+Sd~ z5~*Plko;DbcA!%NX$&is87g_^*r|la=8?aS+ijOC~nu~c2t{Vfa-f#WmXnJu% z)lR5LPLe-Bw6^L|l7elf8-XrI#?l1O00@7o5KS5MI}rzO0_2gml^DQVgt1EG9cvPp zg87U5n8rKaK>E`x?!k|tdn`*m--m(@Kf6~|I*&Af8+eY%(>%ielhccJ!&H1?NiH7q znc#RGoV{%JkihHKons(hI)CCN8iPFKaroFN>Rm zEqsM*L_7A13Pc19mZfE@xl?2YrfW>0! z1 zJfi|HB8^pN@#KmdrmhkSJP?JvBPix!E)XhK??v-BqyHuq1qtK$U?%Ee#i=dTG&Pu7 zf4D-9i}*7q7R)h0#^@{h! z@lcZa^S7Z5RK1 zF0j-ZCX{We3e%SFX*s2x*y*jXkjj_wX};==wVha)>X)UR$W30=J;awXAlC*{*@07hiJL}0e%82k+Jc4cA1g$8sgEqRsZ6^! z*-n~f?N}QYx_8f%bLM9bkF4vk`{j`3+U7I1aLdzih086^f2@Bk;^;pPhIc&n%Z>9L zk1LW_@MM$ce5aEqi&j|2B`jPKcQ*A-uPWsz@F1NE^9k}zX zanUbL=k4!}-g&`secC4%x_rFo`^8-+EcKjA{bbF$;|aGm?L2S)e8;*~&MyyKUe)cJ zPN;A9@7_pW9`(bOp5dv=_jaDjeC6X&KG%b^1Cd$3D!*Tq_4^+D7KeB1-|C^DDSfht zF#4if*(~+;s4PDydome6L}hcnbk55U8r{>lZRnzUqfmaB>m>@GUh0)pJ370=GfS^T z^2zo6*ZRC$7rmVpu}iTeFa4SREA76dmZIMBF-5;VwhP%@`)xzBFNein9ep{!>#bdv z3%cL?v|sY_UljcdJ&d=%KS!*+qKr=2eWj?6{nnL!g-*>8HNG1QBW+;Es@b1uQErlCP z=R9)b9_~5w_K}UgEYuR)efpZq8;8%snoT1XTHFHzTjJii5=ati;(C}2CGGg14nMxB z*K+GSn?|j6FTU7mpfb5|^xC~vVbpqZGB&Np)*>NyL+Ro{W1M$(wT^LBz0=t9z>Mij zQeXM_dtpS={O9sUr=qCM<961UY%YJ2AUb|P;fb8_nKL#tjDPyt}cs3=AJzN1a2COp-m*^;n#o7d+$cp-;tfB5Q{EyD`0FCJ3);+@xr zOnT*4BR{#tmvVjb$y-HRt4>QBw@x{K>Ig3~qc5qZ4zhoKed=45=xx(>=l9yyZeORL zaz-js3b$1!md3sv@?P1KA56dQzFL@m>>nvPkIXoBt90x~HL<#$H&>30FTB?uyf4Sz z={FyLYDhV6vNk-ja3-|1YcpRDOyy=hyX(mhXSFj-M~`ke{QTlaf0>B4jK8_!2i@%7 z(xM)lz4pSBx~TPJ*Ziny>!)2D^~%SuX{~#f_WVd(e0A(cbAHaOAD+_xinaIby?gYk zvZx{(v~ZzQygBAF3XADwhcTM?AW}>EPy$17?oiF?ZJr{W2GE zykN`8lOHGkZvV%K!bnft;6>`kueL6VDH(U8Hm-7g)8hCk?*&qH&z;;JpK|Y3xU1yn z9amEl-+4{9bYNNaJ1#oE|Hq@7_l_AcJ7wjfWnE`oZ|b)+dRbR}oniBgkr|0Qx}MH0 zzkbNO?7^Kf4K}+3x=)RiPsvos+LwvV8xF%RMw5 zPvquAC$CKf!cs}{s0v@w-J2^S-yWC05*V|6IvLmg`uF;qvZ}gl>a_Anl@BX$pVo$G z<_|YM^^b$0#5)nWEcTyLT}I$V0o-n7A&b;;e(CNP}tAT37}H zKQ12S0_v1v%Z%J1df(c^hIJ{vAqVqe0sdcuWls-SXif3Kbe8AG#H7HEMyzKhq0wAv z%;^jS+sp@aMkO5-ZdM!|beLC#dr?04k6-M6>8^E)^fYQlh_zqetg`gq0 z8SA3f9X6azVa&PlDZcO_w&0n+y`c~6qAtZ}d}?X%#{DH|>CY~k{P4DY-A?lsF&d223Bn)v_dELM zn{j{W4t|@Zd8S?JA1`8h{A)FAcsV3tA^b6Y8=B<_MJaK3-tov^j$e%Yg=q&CPv|wG zB{~p7%o386--l*lowE1wi$G?H2+hjM!ZKE18#A~^3~qNkGBk8v4?V6^q^Q?SbWjwL zo03#P)ID-j)=cbi5T6Z8iBGEUVZ&#!MVSj5su4UO-Rl(D@oRE>ctYTFDeyk=V>O0$ zh$(uUvnUQ?W@5xad@hX7lIKE+4mb?TvthZAR&yxkAI4cD;@3=^pA8>Qg#`+Gg~Pz% z;R_iTuMXZVm0(92-4UT1wf%_?HNvJCFl&vk8g>wo`x{ny*I^jaAI%lrS* zXFRztbWa^MH?3$6V%~99ZFZWg_d|3&EV`{=o9y_?!fPivIPwVxK+r``%!1Sip#@GZ0{k| zS?n9sK;-jLIw*S}8=tSRn?UtVC_^?Tt_TDeuOWU}L@?3?L5g?cg02Nn-y~l<-a*JA zYHcr~q@c|~ThY`7GBRC*vXB6^5w4;PsF?xoSz+x2w+AS_$SVEvP{YwR9yE}_he6Of zUV!&I%Vw;wI_zPFHGE$X%Y$<%L=nMit2h{UKzan;RuggiKXJWtLBNSK;J`qL9-;F6@1=Ls00jt@h0Kc2C4f+!A>UA`5tPU|Z1Kd<*2& z-6Kk1X1SmD2VQd5VT;5^wM`gIJXd5N3}s5I`x?jwe8sR ze=7#dw$_fYHn(UJJP&>g-k!Nk=wmyChOIymK?{)Er-ck$n*rNQUy8VEk`LW7kAbvk z=I3p-+|T@Gc8#)nDwLg4-FBc@r45=1&a62*FgsCMa2;xJNIyoIG5c6cRL}}ys`DpB zv0PutALDO9S_3jxJ4{9Ry}%2>I+`sRABzgmyku1N1wX3(3!)jn9M%7WrpCZMfMT#Q zQ|b9ok@;Lu(($}f{y@Qfjq{aI-z5dsC9RLTwe}@^XM1O|+O|IgBz*iM0#{JU%4L5P zYQ0b2b({K0m0--Q4wEK}qHT*(DhG-@WIp&ybg)zgZcTSnsU!`%*VC~9NkhQA_Yq`! zgW_taAW0L24A1&tW6+#d(i)Uu?_j9nyG8^pGg`N@DXO4Y<5$$Sg{a%9z_M|7u(^o5 z7WNKmh7P03(E@&pAn5F{WA$NbJf_U=N#BBPiUL1#k8)@IBh6`4e@e-v;R#${Ftq76 z^OCt(B>`o2&ZWQ_Hi^++j$ks8>1_Yv6Ag#u#87ux;NTw;j=kiujFbnu75W^I&`K{; z(J4otcmGQ4Bzap4i4r^CKNVEmn^-V13?784NfM7<*>_PljB)K@=0sU1az~BdM9AMM zxZlN${6*F)!irl-HyT9?t%3e&9JgNywlc10k7wBuQ6auSq$rz8OoW2#pS!W-02 zsO0*vz^7mgz8kbftT{(!1zLHlXMxIZB{Sg}%S*w0_tv$Z(MU??Q^^WVo=QH70%n|Y zL&x7FY2*c5!yhi&4?{!wRGmd-a@ACc362Y)HTy(SZpAevTzqw`;}OIzU_Hsm^EIkn zjN5bC%y>s3IG#cRP=@;Q0x)4V#F?@kMaY`N7l~$DKP3HB^*Zh;e9v{81NNixy3oA` z{CBni>)t4+%8ufL(wl<>TrLkljpwV)*pAyv@0zw_YrvJChUH{@ z-VVg)$@f7NCC3!*IET2g<|>LmMnBzoP`|vb8r^y|Fn(KmaNBNLdyfI+uRHtdT-#n! z6E1ziK^~01&hNq7pziN9A?I5PekpWc868L=zg~ZiF`Y7=i1HembX*f}F4~DQOTb>< z<3P3pFk~S9B~LoC9Ya8@~2tvlK(~bos#0bvsmbI;bex${(}KOs4YtIs$;my`CEwN2yy==I@znr zx_DX_2q|fdX<|7ojM*dAAM(@@&~XWXlxY&$O6OA}VT@@R5Gdf%UFRsWGxv=f)a*Q^ z_hYUzUYLgWM=b~yGP(mqn84= zECD?PcifvSjcjTpW91o0cBmx3U~p|{CoQ+>Q2u&4SE_~u#|kRV1~QNCgGlPSdzC)c zR$;##FN2Nghcx9^jch=-Zb-L;io7z6Qkh4P!@ga&L`_$tE+C8cPat0OpoW25HcHQT z81F|&Uw9pOk@S@K3_13z8>JU#7UhBya4m!Tk{+27i6VvE8ru~_FB;FWy1{XrMZS%| z3e3EP!)H*XeUtDA9SJ>yc!n#T`!?b}2#i4oRu0FX8Vfo3Wvm+=!Bpkn5z{ia(v+HN zXCX40l;GZ2l_>TV?#SU>RWj=X^(_@HQGcQWsky3XAP*+{E(@cow^a=$S;7FkfDFh3 zr{+Tc=R%@5mL36nuyEUfutD2EId4qfW-xg)^#Vs*>*1PZkS5Zs<&U+>j}hBRMQgtI zyx7^6qp%GNny*!&u6jwutjmAqekgJjyc)9CYgPDH3*hj(*p3PoN1Ka;DUTq2CVvK{ zb5)yT>RXVI{6MOHj(cgrF{T9W?|4i?!h75oLQ2g1SPz?f&=v ze=@yM=lloe{SmG!M6L^4EC;(>E=8DD9XEaqLS2|HLS=PCkpuZHty4br79-4OjJ z>Qa0k7}Xo*BHMEO{t56fMN{5Ga~lws37tT(<(z~c_oKO+k!hN36Pk0)7KaKBppxOJ z^cTnbp%Ci)8X|v$Y21Q$(9Hg}_d?Z-s_HSvJE7{EoESgnih7G0d=Q^hIVL5cuKWWy zjlCwv%xK-%C>l3-La4b=UsN1QlI)=~pFmwRW^wa5qudkoyB#ah;=Z9^H!q)56l8>s zm(i3BFwR=KVQg*BA9A!1-E3vfS;URBJpp>Pb8>~syouVvOJDubNC#-Y zei#kTex)JEVe&GYb^DcOm!#Vr!GB|H4Ij^hK)=SdlRrh!CQB@s?VwUvo$~Kt+#zn^ zpw<3G%&Yk+w%bZ?3QgiZw5_Bhi5o0v^R9!|!QySyR)pkl(a6UTHxCAGj+d*IcALMy zu%7EEXCuDj_*EftCzQDtcnc-Hkh~&9vqZ@)blk$`Hw@Z2N8PurzHVT|<9rqD?g8?B|ROy)$ zNqg&JIlgyZWfV2viVVDk2O6^EG{p5#=SNZNrPap<*se#>?D0Jlp-ZZG^uCMj!=hu_ zTk*OVqH~7E=+DL2CSi9HxH;PqdnFQo&GmDA6Fu_+u2DC0T!-c((7wWfoyD{W(J*+v z#Q@^q5=+OZGI-ll$72>KzvW%G1LNq?Ds}T8Y z+bR@j=C!taVK#V1e@33ykp87ux;`T}=LCW$;_JNS#GIXoPsqO|vq#j%S)6x&gAG*0 zsq^I&a7D!LVgu3Cb~ew~aIJzgenL#fSarV`)-DKLjbX_-w~;La0RdJrqt4oVO&iq2 z?E&0HoE#F1FLJS-M2-0tYkAzXqe&1GAWW~h1HnBgRW@}LMeBK5T=S7A>iWl0Q5z9y zji}FoKI8Xav!(B=U$DJ^Y{e1guHot<+Nv)c4$SIw5a?`7QFn~sv~mbmTOz;|^%KxR z)Inpp0RfQhzQufxC2v-bbQEHBcU8?L%L%U1+CFD0bxnw7E_2qRfp{-vM)6jzbHQlj z$yMB%nE8QaG?#7cBox&k|0m_`6`h^j3af`=pK1GQ@C%iOqo>VHO0$!n^OCJFPPcU=SqQ z?X7;ceJG=vJ6>j|%f(%u%Tbmrc{t{$fDO%*^(c_(I2}58J+gXiv+*Sx$+5kUGLPA= zf!i?OAlG5OP-lq}WKK2Z0WuHKkMSUW7GLSuiMcC*Rf-S78V5AJP+D65iRBqhHb7S9NlPP27L5C+3|&Q*gLsXYWr z(Iv-G9w_i)I`7~GWSv!g6~9;WzFZI?mt#KzumCD?tqTC$&=HmF#LNZbknrmB+)mB> z44QgL$t37tucB_fk`cAtRW!kIEry#uQ?I+sb05ghVHks^Uq>Kz2K(Qz8nqX3R{|@z>X~&Yu|u5j+`9skl4H< zl)4(`%iU4V8!9w%&Ku5is=ya=uTb?#Rn128G@LPjO2#@X5yFdGtW;M`* zA(S(z+?&P)O2c7YiW(b*bZcdi9a%$exDltl&Fa?1*o@)$XHKw{hTv~F!SyB5U5ElX zS^N>K%R?RAIJ-O#HTCA=bgHO2Gy840{;4?IX2jkMhpu!BDtm>G z$J=z@@w9(g6Q2b1_pT>;LFlX{KZ~nQ12Nq?xoc?W80np_w+* zX4(WAnnDXHw6uj5TCM>K6lk%90!2Z~O^SdNL`6U?QWX>wm75Au6co0wMFj5`P~4)T zqJp;#o;M(<-@VW8ob&H_zImS9=CanBb$!=+`F!a2JgcjZ*I>b(5PL&DO=7lhFC}!MW6EwIYg} z+MLkX8~1QLpbvfx%7PJi3+9S|9Ca)ww%k@c6}7$yQ%YU2(-RyEJ^?57c)Ic&6`Tal z6#$?SoDRzwFk7et7~e^|5*&i_*sqAMyyv?ch}(L(fO3OJ)(iWFJAR~<0#wchOVFup zJ<8tze6?V-__`{865VRIJsPjfjFL{{*V)0ez#j1@MsXw0i>$*@DRO`<%9T~5Bl%r~ zyd__Xhcn~@fTP4(6kgkKO2c}@Ib6txFR~Ya+avg5^JaNoPH;C&+5=JWv9;0aIc@ME z0C8DFS9mDjFeafl=THkZj(tS^ELLoe;Zx4-Wly>F4|gulT-wX@$jC3ax- zJthmy+SOek-*`{4yGr{YYg7#Hrd|&BV5_)S;XgM4zlHi*?@G676FPt?#QA+N&-Ia+ zyhRej7LN(Um!Q2llYBxvL5K8?Q06bjEe7f&I~v@`{4Zi|8d=Q#;Jdd=&pVnc*|m)W zOjnIk5m(O50q_rq!+rvNx1zfISs)>o`ntzNXzYV|200ro=!fZY_mk|y{(Q_G5z|Gs zhcAh{M3*;q!n!WO>c{>l4ME?pnAvfZDU6YSjM?`PDUvA8$yCQEb9zfL5WTGSOps_! zbged-FT2Uu;7Ht^Ip?-LA)6NKO_g%ND%84;&19BK@=k5*dNxUzjz7D!y>)YOcVrIr z;~Wb8Kn33-6R<&#FIa$0RE!{v{u$Y})9iTp z6e8{1Ra24!59QK}W+Q27YdmaHUleRb+cd2^0E)d1yEpD&GaWhU)i0d6Qu~20xwsc{ z*o-YU*RXh8gq+(vIAlI!z|XqU=<+YQOSb29rtdSoV)>7h*#+QJm7F8^Z%+!a3IGcC zco#+XCYdJd@uRGRZ=*tjx26Z?e4}VKo(g!Hz_GeLwY3ICyWRd#+PY^Y=Z>>Qv07V_ zZpEi0TZ$D$qP`p33LymaR90Xgad>qdPYDi_p=Xf;NnaIu=rTZYhe3B254&{cfFlA( zT5alZqmpgz6Vi^=Y>wkKoxgju@}0>$ih770wBtE4NJcI|$Xek` zc|XI^sH1LYmGA)TTQQ_gx(hs2WHGAsMNsUhFQU#EHd*Y;kjjpMo?n#)wD|pkFQbWf z@pcX-c_dbwI9K^z>O;<3@Db{C!Io0~1g$;6KIxfKIo@|DXepe)rn4O|Ip3$qNZy3d z>sB^3e3q$V4t;%OB;%sj2E!BC?x(87Wx;s>W){q2W!oB20Y}N*cxIJFONxUOxL@UU zq}m6#)cD}aKnhZS>K440vvDh$USskoa7$5Vn;TLoA&B>Si-NoHa$utyh~-;QVQN(d zvS*pr0M{SL_}tj8N+p%lCPIfT*elk?09vtERgMAb3OJ@y_m<{qq(?hoQj@;VOCbl! z-+njh)EvOm89~hb`YZkYjvVgNNh|}pAv?yA??l;FjRmUlpSaNmFqFzepoO&l%z9@D zAG7g?&WBFACYifFtbM`5GndVUA3>94$TN}caf|XRZ2!8}pndb+U~dDcU{ji|a+R_r z3FQ_*ko7}&Jy*;<%x*A;h?0WL_Zx|%bR>$?1jj2(XZJuDDOVqQ!1*i&Z zxlYtz+n%5@SX`m!oTEYzZ_-tSn}OVV3}$d_|c?B=Zc^Kr%hp^+r%yo0U z`CJfi57q{`WTh8w?&6YxCUNaxlH$uL_#EWmq0UQygyAUXn>)y$yqcmCqZVof=4^<wQ5;0*6gZK4pD#|kc1jewW#@^ zg~#11Z-aV}h;$!imS%zGC{0HWT-0)cJkZdX#e<4W5n*yJ0)f5_dThLGcO-z7s3JDTazp%GRS5&y-A#k8~6h4JjC)iJJ? z*rNSWj<;FY)q%4VWF1A`9pHN02VwKBS7McqwZRbkiu!_90b-{0NWK&c8wy8;QT?@B zu)*eM0rNIE6?S|hVuN*DqQ6!nFN-W)51k+A`gug?RM83y9D~kX@;Stn7T8h43=A6P z!R%{AEhymYQ2|KkaIgh2oqAtd`3iQfFKO+;ydMv}4mB2Cu}ve^f^mnW)jWs1xy1^a z+l3m(NC(g}aw-KbZ+lY##SrWrd^^CiD!+rd!>+U@<1x$$#^r!8eL%IZm!FC@O^n(3 z@Q$%9t>*GF<`VFRC5lM^l9N|9Lw>(La829I%@tkxJP z#t-rU?0%gGfH6IK+h1obUrPFPz0rJBd^VmWN{!-VlYfbJqHU}+BK$Ab$30DkR=;*; z=DFRhD=>sOURM<_D(@LSjh=G_^|0y}k?Hs&52))T^HL+R;d9u=0A)}CAp-tF5Q=;h zEAS)Dx9CWp@*p0`+o}Q@kf0!*rgD5Rz)pohUaj-nk$5@=7ymNcb##OnuU7!Ovk;kn zh{02-MxX%AP4u-&mQsUmEs=Zcax+xgNH?hvf z;f@Mhuoobs@Y&7`RuQ{sN1?uQCn(0Iw{Aw$1KTKo*{NUSFz7l$h#9rVHQZ2ap~+SL zTkG9=!8`h2rI9h5ZY+NrzO99{X;xh5fM=o5qxx0<1E~CKk{}PI_yG6njx5^k@5u(g zY3(ab;PZHg=OHCQtDL|)7xR5wYvVj`BX#YdbAZiFw{!W#DD>vDJ4P%%AmsW)e+y!t zjr8uLTJ+1dPS=OY3Mesu+4-0{BdYb_j(+L~l=OuZV#SI7*43Jrel*)NNLxPu?)i|> z*JyhzosSE?1NYMhfPNk%sVm_M^pJJ8UMjBL{y8SLEZd?Pi zXs)JlF-fj|L7jn>f9mB_teiqSA5`C{t4o^(sJ^0@w5Xi-+wsOfO zjpWLyEnG6-Wt@797q=az1D-iB84G~5cB+%4d80v)liI>dfz7L&@^1{g25{lT+O>S{ z+I4(RxR~3@K3$^}?X1U)A|Ejp+ZS6X;?E=d#+WW9;l1b7-TtM%R zkb0a37^QdEdhqKs&531)@$WmpfjepR4Akhw$Eg~6J`Adt4C)VYpb1;|6TafQj|OSw zS9u&_>*f7%TRRZnN9Pv7pXnS zD(XVStOkpLIuR?`lUyfl_P$^X*rn#5gMbju6lR8MtBoFTh|5!deHm-KBaCcphaB^W*L7*)(=9 z*bH7ts9VkUbO&IfJ)oqc#=+8)=<%vAnRzEku;cF5I~;)Z3@~*hRry^bhp=^73}6l` z$2H+${?VW~T({Jf%DT6EqLdcRg?X-2mwl6eII?MDz#JrP_xC^rzsHet;W^l49cfe^ zhz`#ck`w`pQ}lGMDr>@%SRenhFVl9H-ZoT^`*TN2oyhYvb_)L}?TM5z(aNb=6_c?0 zICgOhoP*em>Uz^Fr(&(|=*WZhjF{Xn?PEmiy!Q373sucxQsQF>eU>1DsM1|d% z44v>c{i3HsPUwc5j+gZGYp_MEilg>PuL?ut4=7k3EI?>jze)v4)h)!lCuqHuD9f?( zLO1be%U=58%VdgUVG?u&`2#ImtG*SjJf;coUtmACN1EBK$`?`5Y zyY!V8!yZ>Dz#``IZZ_k==VAA2x}>KMsgvlAlQgduM=2v%-vyLSe?%^e+v54p#EpH~ z6!w|YVh#5Y>*d^>)wV6QXk28H<2d(gaxjXkWTzKx25TLct`-wd8Cw9|q=)MJxj zWLx>NVL+?JBLvLRJj-J_=FJ{^pUkAPAEjI}j^!1DxNocHgT&65!t$1G^y^>?!P7>=Q2!7l#kI*GQv21u3SI6hm6 zHTkz1gb;H@P+~IVHqAPQ`a;b?1#ucR895baW-!4oBIQsNvy4_@2X${0vx*i{94`T; zvux`d%X~uw7fgkdj0G;lz#Qmec_~IYi8}KmCIkx&r0M=Xi7UQ!jG}jBISGKhampH8 zKDaXpXo=)vZ2L7<-VK^k+*t%Z@Sv^kEQ8&ZZ%8QYEw@cb9Oz_s2#qV4a)1lu;#V5zPLCJ5WX8sQ5d^hmHx;xJ6tQW`M8q#$;_2Wi6(o7`7I+o zptJ`onv+OsYhPSKnM(&F|I70M$vM;8i=?%8Usq-tZfPw8i25C%vHO~Af%R+|d*1be z9{-4HUCHsl@A{SbJGZhdO^Mg;UBCEEc0S)roiBKz@fhwcWi)CR0P|WcMC~a!H~hHT zpDmvaw0KLMKBp#l3*HK$ly^d;W_v8vBIl=qrIfjg;Qk=X;^EC%%)Nwn@a+l+Y2y=M z5NvkX$iClQA*+3QIUwf&iY~Q!UIsV?wa8QsznTY+u7<_v%s}ByZ$2)iW;O*->sx4E zN!`W4%1;FLPkeFNeAtRBo2cMORuKCnI0pqiFh_}0&@H~6q{Qlisi5ZSv<^~haX8(&OI6d*#UT5!V;d2hRQB)Py^`Q2h>4k0Gc~#U&Cz_FYBSSFY@w~iI}(Vdonl~owW|7 zyATsq^vlnt$9U5Kos8Vzw3Oa;1vOmif`*j_fmoiCPW3zAfk&Nc@>BxK1;6jpBQJTv z{2si`uE*JUzH4?0P;`lXb*+z}7lh9lm-XF>zUx^PN10R5jCunMz zEk@@8Y{|kileofByVcF;%uMW{%={6+nmDtN?@_Q{Jk!P}Ph5*G+($M!?w|{+_5n~r<3)^**)r(@L-2m+O=0BUvR;vBo3U+L-1jc1O=%11Pw&%k~X zTIa;)epZ^1*Y5{b2A$PW6QlkT?U-a@EsY11DY*O}b@~faxkqfxG?;Gvb!j!2hNi1oSrj@WitS>YU}8)*{xf zOpg58ghC~f^O~X6+jHD_fLz?~N2Qs_wfdGNt?1Z&MRPPQ)9X9fslI^txr6-TOJXgo zQn3Wt4Ek_O?WFJ?>n#S>4_-v2WDL;Lc?bE2ns`}Wfq=G#9nBAMbsNZYt`|qLlbif# z^-R$4?4OA${NOfLyd61xb~C$o^j)}p#oY7gqyC70jJkZdKWYMi`Jv>(-2M1LIQDe$ zu*h=QP*IAhl}&XKTOkOPYpsikl^E1%gxROFZPqJCnXc0iN0=iHj$!9IatK7XnWhoe zWgXhH!iCC7*S%<&^+$uanTWsA$hw8~n%g zjFL2e4m1>)J5aKFrTeg2!pJMI{BNCfm)K$5Hj;f7jj}JJOD6_2_*Sm3n8_CHLH32r z2|ZoTyV!K!yRIeqN1`2h4dg`vP}4Oz=;CkQRB1X&w~mSfJ?QsHN)6rybJ}rz5jY0D z&h{+0i22!$;5=>_v%#SJf*VDG18<|M0_6Es{waC29|0~i-(Jv*(`Ng*_giFwS5H9T zw1RVXd6D>{9sc)5^G~5Smqe=guKFR&LY=wZ!e|)fbK3fSLb+Ycu(f<2IHn1J&ZkGb zx;o8UXgXj4TAFf?GiiqxmaLNZ8}3KuToY>p1!8@katIwsRVJW{ueD7Y+^`)SEh=WC z>My|EusdZw5qqL)o5vX)eu?GVM-gl5XRP(e2gIV3WQe*_*&D4&SbQeQ=d|Uw-pVGy<)I-OdkQ#RWwh9d>EA44(uRCyB9Zgz|OJ>pi{c3WgWNR+@+C2#dI zPq8No<@Floah9_vw`i>ousxVKv@Mp9*Oassf@_%y3jRqI$0uM7|azryrwdtU@YMGahk1p?u=)A``J!hPDdwAG3ENilBoE)B4AXhW)5(0joQzHPNq99N z|4vmv%~99rlG^j?sYm9efj8opFn!TW`qkR=q zP$TZ@kKPYZI$@9XnFM;^g?m~9c-oG$MD(l#;;FuEa#Gxcf|6q z+>1dGo-i+>>-{)5RNLKXHpIGC>0m=n{L9Rp~T&D_co=iy<9&UNi$OT);UaCJMPw>KO^3#K90 zM52D73EMn(t6Q*gI=12ra^x}U!zA3>_U{Dc<8I*$(8soc{gq2pm!WX7?RA6F6;t>% zm)MmmzfXlTp&u&CQRgop@U1|d7sCBUy-K%u?sUAaH|6R){Xo4WkJ5x5Wb-R3aAPqw z#LECHa?5R08grkXoll=(Cj=iU*(Q$weQTh^QMv}%zM`87fH?3?Q`C|K{N^y!wGCxC zGR+~-rSnhHF#vb7Z+axzM93ZB}u+D4-_J<7PqjAYj|+%<>n}&hBMCvll+8;s;dSmk079O zj(-!5EJE{Z5SJo(uC4@ug)fBJd|4810F~eFs~&vWgRee<&OQ=RJTDu8eVgeRpycAr z6;u@5`R1FH_f&BC+|lUEJqS?58fvaUQg|hw4XJoDm5WhuWfA6U=ol^o<}vU_irh69 zb2H~&OOoq15pFySSro(nb;#Rm<%mdz6CXj}K&f7aw7-r#ZPjKBDP6@4Wr({UE}0AL zgfQ`KQbxja9p8fv1AX8HY4JD5@m1g_1fr^+(AE2+=7F`s)|x4PX|XXp zwvQt*R;&bF7VZ+a(JGMl9biTOC0cwbMZFUsyjjHxjOLiGx0)k%U^>omhk>~#4qcSt zBW&B*YMW(dh{@D!HZNDmXsMI=&BV+zF>jho^JC?<0R9?qF*Yc+Py#>3w!?&fWqTA@ zGsQ>an8)HB85{sC=QGod7?4%)R`X+Vu>3M}jKHlWA4kmX#$X@pPuuO@;37si}gVZ&i4&rH^CU(0B+|(0jm#3q5bYl;zFAl zR+4A(9L{90CCN)Lm(S1O0-V$K z_7*;_buo&v4zjkt<~BIDNH4R$t9`NbvN#ferBcAwdx*8NtDroGZRv6NEAfsrlB_hQ z`s}SE`5bV;mOkSuJU&wD`HX!hG})7|?s)Jp_ZfSXP4o3EjA7pfJ2>03I-1(S_GH(x zY5w1$q${Azo6ETXQ3IaE^Rx7#sm{svVb468kJy1y6xw!d`9;Naly`zvm4ykz64W-2 zJLV%wUw>VMlyQ{XrP6#Y#^ESo-J@E6!=`Mf-`0pJjRL7%SneDHgWP zSL1p*8D-l_;-E|)xLg*HeC29%LFVI%V|C(#sgTB2J_9L?mk_R^4b2^l<{m=(A4Ky9 zqox$ttRUAJhdf)O9PFX|f{MP=dPLsZI0u-~Mrg&JX})pdFCOA%dNXuPWmDeI=N9eY zKSjVKSTHDd$7BNAvi&CQ#KE%%6;A^*~Lt(1KoQ zmV{at_=d{AcI$Z6Q?DG2Qoz&|3WF7MzjLBkEIR&?)-r|IeElj;L=k({aZHj*N1$2X zpjmZjR&Uf?&;Xp(Zz1|oKJIV<`hGQ6^eOm#`%-S?pud5)c8A9wfR=cylStCm!6Y*~Ef z%>Ii7?5CcZy*`k8!H0x8edaT^42|pbLQOskR&fX-2)w6N;OSOZ%t5@rDGgOFWbWsY;W1Q z^yYUU0)Ty!*&U14)9vCIM)WiMD%WL6X^--}&HBryaPzpywVUx4wx@Lh7yuw<+dE1YkvRjAs`Rsf8=o!BRi7M|0$=NkCNlOk?D=g|DUqGQ3*Lv36@v8 zMOx#p;1W0LAQD%2upFzvIs{ko}D(yVfgiWcK%#{UaLj8ZhtQpGt)S-oWU+2FiP* zgg1i~Z-9K?IFSo?+yn=|h82F}jPI{!{+5_0^RK7=UN%pp%5NfqUys)Oqvt~8s1L^*yXaA+WuH7G*5pHJnXTAOR>~0h= z(ijjW{Qp19^UrbnWfVkYA3k|4-2~c zDQ+b*%VUD$6}8h!d9%@ztK=AInKx@y4=%tipl33AG8Kg_C_uX0?406ZNSBqBU2H}= zPgX7t;`MyJ)}v7O`#GfZ`7$8{TAP(gnSt?4mkD8OPh&I0RO`H+Oh7|^4QaEpsw~Km zo0${mHb7XHE<01H0RBZK8;=gmLOLZ&rQX1^gmYT2w=@lFbFxa`K=4_02iB?JZrp@x zz%Lj)v^^D>2*~NOy?8I^ShU&MRR4m#NSo=Y>W`7nc{Xy;n^oKaP#HNDeX%Y#O9k3K zxFbu&4+pA|HrHzp;sjsNpm`w(v6i%<=-w;%@-cQrbrYSLJ$( z?$zkjOfP^pXtQ#Pk3y_$uJbkjbf}435B>yFcorTcvt}}``WPELIq;}=f#VTn0o-bx z$CFE0Boi2D3?7d+3*Q~EK&^Ol0iLq|wZfR8Fa&q~!Bf9MR|$C9{}`WZ)~M;hD1SbNw|?@~m1tbh1>eQ`AfteVd}Vt^Z@+9T(}` zf9>?X>|Bc}G7|nA2Oj9HFbq!M@80-hV0Mc~Mr_eoqAXe?Wr;R+GwL7!ImV*57%a4f zvBX-87S?F8#Kp%OIg8nn5O1;Y@m5QsB`IEr67PQX(~GwS;**Uj@sh=6Ni}x2*e&4X zZ0TWiT3nW%mUN5TB3m*nnHG;lv1D1YEncH)$uZ_yd`7>em!-Ec&l0fovE*BV@dcK? zmVTB(OOd6&Wk7t$SZo<+8DuH3lv)N`$}Hva6_z2?P}kbx&Z;L)P1#wqt!A6CDt?${ zxTV@sV;JGMXZv5L7fs!S>r=}eb_f`7e6a>%LiMKF&J&}tAMhed&(A2QH7)D7M-@HWC5)4JZVk(z+lU%b@6ZyWwY5JmwpqC(U5C53jn)1p4s!)mZ3_E!sBON zZ<^JV`E#w~=yT9CuRnXOY5w!6|8MHzzcx)imph2N&Uuq^6VojpMPI941mJSlU(hvI zX}Dki3S(!{-8lL8&iS85A&I4U=pT)siAR%R(lDYFs9+1`w6{fBkP+VTa181R&Zpx{ zO$r(czo8~InSht3fvSwc*(ejoK$W54krM_4=PA`_LFsVKP^kW>cr-i;TYJM1NH0kf z9~BSx_r{Jl_Wiv&D?rV6y*j^+G9QQi;qy?P3*ZBK`hONbQl0;K6#dugTzS8i`}q-k zQ>M6cxn}HYc>WvOj_caYl)jV0P1EWqQ}#8z;SJ8a>4L);L4|6-RFCU~Zr5}tz-?%W zko^Jf6Oo0i2*eN`iK?;R@&{`hHL&cOhUreoXehwK-T;-t4_>G6NeMvE!zTCuqM?G_ z00mYziCP}P>B4)2WmJAy19stYBaTFcLr?BZZJT zP(6H#cDs9Z2PmtCl<`1NR7-v@KTCE}A_ThI|5>P)s#vc6AudjsZ-|g4(LV#D_c(<6 zkkKSj$e9BEmG?(T$~SQL1B!QHCYi`3R7dfXIRRXuN<~ENTstE4YH>bx&O$TgY^~s! zTL>W6I1e>Qd-y$+MJv~>SYe2O7Ac?{XX{&}b!?p5*jm|s#Sr07Tzs}J6IFB|ltR4$ z4sbnm0CQ0~KC1e1^>Ta{$)@H;z`?*br6m_YtAsa|1eCXkAI6u$Ux6JQ32rFXMp8!&uZ z=j(ujb&fX^FNY{5QzX$k_x0TAaBNv@2AM?0a`T*(a$w zDl15FhNH?$!5LqlIDTvyjgTN%)Zha^%02m6lkc-A4_2H(O@^5--SY^=qn*pag zw`*rkw*G2BGcd5+1~2UDc*K?yV-D!fZN!!pi7*4Kn8NsVIQ2uo^9Lqv;3_8}ss}&w z(kH-*4K7=b?`fdD@{stBfqeYC76^L~)&jt}Iv2)M@iT}^B#W433|{0kfgdp0Fp3LI>YtGwEsn*&7skgx`Q%sBjgX&D+9jbdDS}mTR0jMfT2#AzMlw>a+pd_Ng ztSviRJ|;$T7F^GuTT*5~K3nNL8JT;AQV(e5cGqyWtvi5G9C{L1YEH*?#)(csC$(Ot z^e66irLgvsSZaNHM=rD?Dq`*?u){iZyG{o0q8i<{vDV*Ms=+ZL^6O*cHUoXFQ(h;N zQ?gB@+I7z8>@To%fncIrc(-7_`sAr?)XUdFLj_G9yl~eMq++rr9fNup0tHxF(9{h6WnZV$3IV zDzQ|(r=@2FDzQY#L-FDn=7)$}f^k~W=NRauK4-FkOiLb!Y89lq$5JQo1I!sB(SW_K zI{ULG`(Ed%ZJGYNVuH`0am+~)Az1eZ&LVs#wb}eRF)v_)zq<}{m3zSOtu3hQSi!Bp z^GCZdeuNrC)c|QT`O+#F*$bF+dKpE>n(+oScAZTcO*fc(n6bK3s?FyZ+-q$%@wOKb zm1R0U;$3(=9bzQ_l&GK9_!Fsy*#zEne>RrtZ(FS=K4_bCRKZv*Mg6HlH`Fknf$Qwx zj@*2jGqGNXBVf8n{X%Ihb69V!(vvr|(NR`I9McllJY8%fq5G($;Pa+WV}mcSCg}`> zI+7~zoUfk)fwQ$a;7a}&DV~dLwK`y_V;O!IzL!*j%hoOg-HU%7K7{=+?3j2x!2JLz z^kE={K3cpIaYsp#@^}=N#0@kZi9vO8O+1@ev{Wmt2SmMr$e)P{{)IVzD;I3@dyskx z72Yo2mVl3wzTtxuGk;-Z1ULg%2O$uO{z=U}(Ej`=^H37P7%dD2QHcgP4&c%R#1a{U+cKu`@Ifohg6T@orM{^VU2BO1OHZjG%&bSQw#C;;g95% zn(%h(uw?tnj^#LpR?1uDp&EH78ugC1flmR{+jxY>nY&x5wSkq$v_Qwt2GHGD0Ea1# z!G(8GuTcVq4vJ$6AE0Bc&*`Xn!7=up{L9n>YzfU!6=W|&4UjDS6p*r0wez-je#VZH ztFiZB@$ZQ0(8_Pf4{+uQI-4ifJUxbst!+m#Z?qmXiW}%c9Y_MjFcv~gSZ^B0$RlE< zjnqH6Nz^dlK#M2AQHjujAadRQFf+qOjWNnCu&&umdb6k#-;1F}O?(B>$q+~4leZ$W z2m+O3#Qlt`z)14YQ?Acgdz@Ixy8E!PZ4D%Wmw{L0}+6k~c2ImHe$# zTVpGg$dAKGg};Z7dmpoZOR{8Z4CihIPE5%rq;m-X{Yj0*N$&m9C)n7wA9G#@t_1H| zbt~dk?BwPfWdVe$qQ~MI7uJ0m_LbjmTNO(ZVfK*E#nrXgGf`hhv!gymnTO9$zi?8> z3B3>eaL42}WPgNZ7iW;EY@B^Cr7Ekj;0laJ;DSOmlM2#m;ysNIO80S` z@G_v(h35GGVWiyD7I=)X2WMil{b_y-PIUH1KRa}ZLE6@4blz>;Rg83dHRc#&L;Xn)`Z)cOSVf;7#(Nqz~D@^RUSy1gh91y%@n zf>TQ^mhVOWL<9m6c*vsi*~)Vo`<>J-w%pbj$7XusaF}f3OyFlrf~HL=B^lJw$_(-o zohU8j3`&)Tns;SAT?l$O%Fi?B--!sI-y1pO`4zm89xblck$V7NVgyH%8X*=}!!r$U zJJw*1;C@s>G5hJ7f9U8tRVShj+n>M+TZ5n3 zk#mX<4x`?X%P>`fr=td68FrE*vI}7|I~1_qh|4rGg-wPoIhy*`yAAipS^k-*)T@5HH0$?qZl198gKlRp#XcpcC<) zQVX(IF>8pBVcVH@=36}9x;_@LLtS?nVB2NAoe_#`MLI!bIyri4#|pZgHWv<3;}HKK z5M16}^lt+YT_tn7;pumKQ-ops{eozHD}j&WOT{`PHNk%9%s7g%iTcj9a(a~O0ZY9L ze~0~@Cs7OaI*t`)6!wMadg(;hyM?hF-|#O4!8l>^aMM>v$|{zS(AS&7pI7hDQf~#H zto^ZgHh9ibtIS(X?z2K+X)Ai59HP4LSn4aaH}<$F{zPZ7vF51Jj$OpP3e%F8uOzWM`>bHk_Y#(~+u32>`GHQv zITs9pk=Gtg#{!NpzlBawo{P2`lUw5ipY7#j%FPK0*S2&NgGUb;|G%Fo0 z+1vFQ6=Ijwt|L{%!XE^b(1)=2j#+6>q!vMRz4It)IG6ALGPA;s@GfUY=vJ~0U9_HI z@KM`t&eRnzKZjiD7HTB^oU%hWDBW=()YjMC*IZZiQAfL)+oXnF8lFJ@bO>%Tgisb2Tq zt|#UEPk4Z|nuJW_Bx;JRr zjulcWKXDxije6NEj9VaO_U`U$#=oq_F zKge`3rm>p%Xsgw)7l&H6?S)ZS`9@R=hUSsG_L zR?*@{-4W)@dhavqj)zyBdxgsA`UY?VQe+KfYSy`bx0msQNwEGNnknv0`FyZMDFRZ3aQIe!X0Zct#{@?KfCTj4@&vb0xXk;h8R56c zTh>{6YCP-_OXnf>Q=ya{=O2WMZJ_0n^d`F*<%u|sIb^)x3USxgtYZ`Hzf%dW8iV;A zeN_@Vw4Wq8PtzX*$GGi`ff|ZC6dr5rp9^jP}HqdjdgW^bXF%ZiADk-5lih;sA&3-|{Eg@oI zWAIlxmP@883ug*qFwh#?Fgi*&P95;y0sBH~c4W7^tK)0XDFo(%TfWcMlE(?u&ej>q zBQ%x8SCClYG4fmS<48J4a%F6!Gtf)c4w?bv!_y5 zLmNSm8iVCQsAvU}@95T6%w^&>d;f~b7}uc(Tr1uewFY{*ng(lTFS?C-mIB^E%7(qDfi;oU?lK7O zwOjeIrqBFpPO?1;r=kYs3&gsDx6>7{F>!L`=Rbml-doNcq;_~FVYBcZuq@Z2;qo!s z7K|;KUszfAZMZzRr63M5wTUntJHlf_<0{vHE(8<}!R=fV?mABUp7sTkhSf&`|m0UG{bo zcH@%!NLu4C;CuE~K3aG?byz!X8lB;q9RobN7df(>N)X>R3)#4WEH6zGP>uheo{sGL z7pZ#MQ2Ux$ z*?=dD=W=UB^G^oqA^TAnvJo7)NkwK9>=DGCUxgBSIyKmOSP?|Lp!Thf9LiGA5fy$l zqR4)7-gVnY)kx6?dThp#dtbbNv+7!@<3TI}D0N}5{$zj?QEM$5U$&$J_aTFRH7Mu7Cx(*7}Z zkfTjIW4T!O728yO?LOC3J)HryoGA{|6-GONIvUtM>48G5bb^gtaUddFul*;T2ddr- z&L}-iX9vE(R4@Amzz-Q?3M4Y0#7Gf`25JPAi7Tl$AzWk2Pq4T4e&uY(y?}0BjXawR4Scdxq59ByUUp+1&Wtw=y}&|nVl0`7TQaIoT4*F4C!c> zb(k(V0X!10>3kmBz3|u$lYEdeO{D{CV{rcYcZ$HsM`(6smVEiE;l^jM2HD+!4jsvZmH@awltYzN*gFP*o(Y zxq_N+{{fXUdy@)?#-(GZ+0^SNQgI$LNskA^_S#HMvL0~D<%qTj6_g1gM~g}k*{B{t z)VHlufStC`zKAhTk+aX4SlaIVOaQeaegMLr3)5J;jY$xH6hNc>;mU|!K;DMV zvACS#*=@BC!i>c~2)YdZA=b=2OtA$W2oQ*b4vM!PiE*=dly@b?6%0nW)_ZKHjk&4| zZ%c0K}H!aA`qA3`{v5XwOQn})E9 zWRpbr0gCn-67Tp?7sy9kGvSrqIPfX5=btYP=GlLg29pU5#fZOyq)Tn;zDi=DhNwI$ zz8?ij5vAVShPY003tr0mgzxYyYz@&AV_iDPABqyP$q@ev1h7T^90WR~k(@Uo=~6?q za;|kjtivOM50JTALMUFak(Oe)kN9~^fr9wiHAB!mBY=tgU+leWd=pjoHoSM5DcNmj z+MRaNPTCBev`L#l2WB8C4Q*-C1GLaW3M~{U5TrnX777$8${|33A|N0jN1>b)1hjIH zgCGS#5s;H0D5!9Yf{KcQih@2Xpx*cMfA0_P^WpvS{vLnWNhXt>nSES)t!rHu&~@B? zEB7pEiANSbSJ7%zp!%aOiC z_8)bm*)!8Xa)5uXTF0IidlI&UHnF1ERhM!j<8)wa(av$$kfpn=<9^oZp9z;&!fa4)dn|Kn&A-Goxh@eETVc+g#7%s^ggJl!~R1 z_&$!hpT>1ekY2_O6{{P8P=@Vnxk#f-Tkzi6@4;=8Z&(-y{ibl}?RQO`gha-7Vj=8x zAz8U}H)Fd_>Rr{rCHz z9G;CII`nKSJ!P3{Y-XOZ;3&1Q-+r5nAroRX~0XAguC6m(y+Z4ELs~EuY)-9 zc$X6~U!jrCp|K4wbEgbw7}whDJY_I^B;=kkjE%)*OrDftj}l5!O;Kbc*VS|GFq6rB zA3`ZRnTBuqMr^||c4J4N?`GM6A3iq*n!A{_pZQ;a8|qyo)sgK~G?tk(SIuZAWJ#PO2k*kMOewRnxvr67 zaAI-je61%nD*un`H;rQUrI zVt9{t5+E1D_%8SjGKhBeZZL8$-~rF5w8e0u~KOevO3Ak_~s3e~iMw0!R+v5PhZS zsny`MDBL)Q;x4BB%s6*Eei`@3*np!gJTM1|*{1wj%2`SqGStJ!IRXHF5A?tftWHDp zyP|C57I9Mv!8e@U5Pb@_wix)LE7 zL}y$C?G4c<`w+_PT6!H6>qR<4eLct&PY1y-=u`61%T?9f2HoTjE&n2)FrjIe7z^$} z?vX^kwDyeI9%?h1mM}(RjS--=v3%#op6&>qmXt6u6Nl3skS1?95Mt?y(@7n_2(-fc zBj$X5Bx%o=l5k&ly%eDig-b|^Qwatw^f^~1<;@9T`BpMlNrR=tx!6 zNtHAZh}@?C9QMHhKgf$?cOeL{q*XRR>?yTq2ZC^_6*i!`z^#HmNNb9}0!1z&W15s;d9Au#a*H`6F_LtB!PwEOMay`QY6&EXxusVR)Ff){1o(@Poi7d~#Ti_(zK7Tyq zP1CLxebsB=Rj(<;>8d`6ALt+6+&_1jF9HOdpT`~OafTJH<0_z45@NBFo#f;*rbD#v zMVu*g!^3DH6N}&FQscS&Ht;A`c@F}ve8=m!AKxCc=C(Q+7*7Us(-PRDq`VaLz9$OX zrTOTQeWai_MT%=9aW8w8^}3bDrc9^d25K;e3dZ-qJ{GtXR%{Xopf}i#=5|JAy8X)p z&KZp_t0R#u3UEiG3ojW~gnF&SZn$P(`f*V*lVG?Wg)gD4_SkS~vv7}#;RKEyPM_8f zixfoTYvJZ?2BuozDz5Y4qzvqUzOerHgH2$6lrlB*N5rIBWXYM^f&9h}(*II~=c*d4 z4vVnFre#W#NU5oa`IsvX$6dwO+AwJ;y=vF;&88eaid~v{3_^}fon!$SDY6yq%Gd#5 zo9X#w%38zQ;d!AE_P7Y&i`y$qhAr1jl=OipQy?mFULAw!Ul3@lvI+?QthLhwLnLDCgR`@4Vz#|*CS03vTvUtBBKBSzSM-DAMGA+rqzm8jf` z%^nePRUznvvxPBbPx(mOX4s=J&7Pl>+QV!%m|1%SPVKEtDd6^m;loTv{EFpsTb@*w znT?B*5gw++8uPp3eBI5QF?R#cF~7>JasCQpOQXJ1?3LY8mcWtT=Z>&_z;<(;JE}~v zj*)=En9XvS$VzCy<BRPJZe z!Lk76a<_B{phr%o7azr^nd+H8NwPV?l#(F7XTlwwJ|y*(TH{oEMnPbO5ycT4^68H! z99zcuL)i%2!Kw-6(jyGZLi7<~MFJ8Za)AG_s1nP`V?m#CKM`V#X%S=~$>r7%Xyn4r zK)4Y{S0xEC<`o=%1OJL4oP%%-c^|j}zz>wEzsfp+X*Yo}5;xOG`h#%WW$-!(6CGi! zBX1{SGY@taGFgW^zl4>xVJ;W?=unc9+u*-M!a>mo$1xpAon@T=9(vjMQC2jWH^Y4&)jW=KwlqcL{|IeY z)P`ZKmcIB;JlJBWywli0UX1BIrmeYcNPEC8KEW+MPAL8FQ1jXNKOu^b(`Es|BtK54 z{u{U$IQs+{`9H4>WKRAAm#luAsSB9J_y9Z-K6(tE4E%X=7mq=a0dV8v!u|qF#{0%r zJXSl6nW_C7l^K9N{*#dU1d{g8TR>e_RR8|$;V~? zbLOwY|9StoqW+!K`B!=WeEe5|0YGJ-PX7A#-*2DX%ir&w6!rJJze@W1?Oz4u4~_r( z%;V>JTycM&3Eb`DUwBfD|D3LT3YsTSi+_I@z$iYh#=q(YN*y=4s^T%mGjN-af9y#i zmE!{^{;nn{ii}@Q}y76B;$ywMvp$i8i`0x4n3DQQoL zF$xPv(=rWF0X%#Bc+&x`EM>MvQBMV+=i`7ZUh4l?8SfT8W9u)y#`1s7mthD|svTLG zGAsbGcfO3V^D(p@fOJ;aK$J5)ig3=yOq4VsV-J9H&q$4QIGJ0}3Zi$&#D16f52C)p z5=p*~0C2nLNh#tbzALty3TnEC1+e=d&aI4tfQJX1l}aX)o$_48M<_lej<3hh5*LkJ zS|Mj3={*$5rjv2f`}Ox58>Fp|VfU;-TRnu&r3T+f|AI^zZQ+oC?H9ny82za-fS|I2 z067jm+s_!mF(`l!wr$1HS~(hi36Oj9Utwas5jp_W=eMyL%fD8%?tLkJ@Fh77%$<0 zK^BMWFk8{P@D`4fA{}GNBhP9~qOskfA(Me>J`x`x(Vo_rxq`F!5l?W+5DgDp!S}xX zwr2#&H^IwZ#4b%$Ua+J~8;v`3c!T8y>2qp{7#Dz`GrM4ylSBggHMU@Bt*MA4;qfd_ zte)49kjz*3K9%fzz$?!lb)TY!#-ocK`eV!<-KMh_Coo*yg$GXG1rSp_*BYFVi*ot+ zrQe9NbGe5vm0OKcR^R!^3@ZBxn-O0U54|$SFfo7sH5~QV-&Z9663|4Ot@n&!wndV z&LtaX5WcS$GS7h3pKk}L8+e1K9U^0R2iGO#`*>ihOqg(E1+iX8^1IM$QwP# zXZSNzoE_SzabId$gQs7KrH0B^UEP8Rk3h{a%>B@Jh&pjM8b!y@DBsqm3DCH+z&lF} zzE}Akz8SclrUA7#kF8bb8ZO8KQNuHh&90?k4TntW5BY=H)Nc8>@fIp}h;%SeG6}JBc6)fGFI46 z^~~m)Hoo_3H*-5fn4apuAf~Mp1!=-&-@Vd<1mX8{uLg@em3j+|sXV^1N*Oi$q}awmi% z9KA@nTY*)nW@_Xm~w(9#ju#rrrE3h||# z_!+tv8`VijycLNBPaVQ8sg?Z;YF%_Iux%KJ?8#Sa(` ze{2hKPcuroiW0n6vEZ+WRf>ke%lj75R?ItccYGohel6`-O*DumrGcje?xi-6mFK>` zOsx*GUBmO)^_9!;Gm8kB4>>L_?z|4b_4z%OOU^@DW=m--veXZKBZg^tcaN#0E=AzA za_bRG7_4Nz0GiE2$d-PsoGCCU?%TL6lgYF}qq#vbQX!5uo?!{!w43GAo}q7I!T%z-?*~#NQ^$Ty3c;Bg zP(VJ{k1XN8!4}H`Ty~uWd#e-sC0$24(CR?hqwqRuK3Ru50jULa91pT0bz+wvIT*cZBl43@CI8zUIg@UiN$Lo z6)BUsZeW{mmDgZ(jFf_;c>s;h50&zq$tZWGCmJ>6Hy#pX&Zt)mwEzIhxJiGPeoQN4 zthrwOcAd8vv-slmqYS29vjx3W>sUnl%?Z zd+YgIm@VpomB|}ifNX0$IbYJ5IL%XZfQHHueqfW8R1!XU5Oe7M6=wvdCz?#~x@zLEqIHr6Q?&V)97KS#&h{N=j-1|3dV=roO0Y8KPowd+r#>393 zIHjaP8cHX6#Mh4gOC5v&cP_p~$Vf=j@E@1XVn{$8w|zVPh)v_KK(3)G;xOsY`d_8k zbM=N;oqxTOf|G1YV?J1}?sTp=YZ!-x7fG!uC_+x)aS4~l%;=H-> zt|CUnzRVNb=$Kj zgT$8Tb2nBLGJ-2Z+xY30y+p*{U;GL8r@I8cIiJpU8{BV@Z0@9Pw^l6+66c2Q{=ViS z^p%t31_&?}!h&62U<83?KM^NTzKH*W)?up%awofaXl$Ebj5i?tQ_4~f5rt3U`ZI zV{G?@;Z?Ys`MTKL0@^scxgWIgdL~BPABx?Mh5UTM&zErD>!1sf4El7NS$9Y+IS;$77knmY$W1OTVG8{BQZ zbC?+GY{GQCIGHi=eX!N?BC$}9Zz2;1!{Y7{rd2^U!hIe4AY7hE-v+|egcIzR`((IM z=s1Mi3VHl?;&SLf%OOnCiLG=1!dDW9M%u1SrX3tNfz?^Cv2zw3HB97~maem?=Gg)H zu+DfUY5)RI$P6g?nX2V)g219<1JgP!jd{WH6}E`4g%C^0FSOVk6H4MsT6r>pYW;8x z*khadyc)@shbnF{&*gUJlK>b~m6?PVEg?z#E_|kOnUC{*ZTy`aTUc`yV5^EfDZ;ry zqrM4ZO%SHUunIs!m_H1~1AHHeYjwG`$CfFrm6mj?;r+0hr$J}x*Z?{rkSbiu)-2=& zi^DY=59o*V^}0n>ya)fwx?G^E)fpJNi&BacbH4y-ioQ#8vFJF)Br(HSYYms*muU&O0MQECi9@@fntzer zBW$SnlVD~d^P)S)dx7m{9!?is5n`m?hVR3rDqoArG2E0$u3ef~uHy|@VT?*TF_s)9 z{T%5q*ZA}0@-cxyz&im!iOZ4vjmZC?69M0+5b*Cjp_~o)G{%n$c(3DO4<^Ti{q0){IP$@J z^ewsf4G?7@bT%A^OhwxG!$=!7=rGnLt~;y=YybJ-popCKW^GijLCuVI&_aK3Y}8>l zgmRHbXP%ekA=cH?JR$aNhdrS%S!ai-r?RqH=hbQ1oa@`e+2NTFQBH&>%$-B?;`}-K zg4WGBkwxh^H>$XsJC`r*@6R=K_+s5LL;vyDk3|of+4zor@H}^(Fm$y)&p2XR^YN&v zy?2A-YTi>?m})QAv=HlV0T+474_;5pDGza%_~~JuF4C;H>0QioTOa9?upnKNpSZZ2 zC*QKH|8yd(NS{8E^p4_4>}AT zzHR|twC!k7$HnQ3yJ)_9DcRXL^Tlzuju}&*Mr^wxqQboA&t_J4xYvVUeOYC42F>&`{PKlTQI0-e zp(Ltg$hlmodxpyyG^Bg>7jG?ElowmG1Y1qlHZ1Ji(jT=rVd1wuXLb2(j(?^wI=%gQ z?T~Js;(Y6xndjTSoxJe8V&DEwaaZ}E_64GxXdhYVxH3MnDDC#H$nF^r?nQRWVl2J% z2f}iDdGk#5y^0G`j`iwU)cE6vT#sB!iEC6h8q%SsZ*g!!uezQ~OPa?t9WCi|ZsF3> z`=gF=$%Sp3OL`BOTrn%EXh^S!KHdB4m-TtdHu%Go$wQiYmKF|OQ(xM5#P(yQ{i+W# zz59dMHeMc_+SWO@vs6B<$5UT+_<6Y}zH*vh8`3acHzdJ(HgCw{!U<=Bm(XeMiWO0V zR-{CZ>T$SYxp(o3p-V^Qg$(;G<{s@5JN##F3aOc;8?xr+;+(Yo!>5(@)z%q$6|VJL zXA9n$%N7jJ_O3sfkXPk2R&H7`!8l?|%7%|eWHb#u(PjHS=QOnVE$i{v;%>~U4o$gH zvqsH-{pj(io##qpjpF2}X;xOs$<6F>dGi9icV=yV&Wil|EVvlYt{nO1mVfo=^L&{; zwEE(yHX7?ZazT?A{BQ;^K zpU8f0;?C8*B9z%Zp89>7XPGrR5fyn(r~Pu(b~ZQZ+W0=V^R5kwY`y-Z_u@r$nWb{C zZ%K5EJ}+OXyj zAI&$D%m)iqvF_%gL7&#$+SGaWq;Gb=GvJw%ZU6P@GjAXMs`S|(Pj?YVHuT&C_6=NgWEGheTO z%9hg3e~|QL;ujGy7i%{zz&!@-@h7fqozpPWWPyq3kHRj#`nUT`lx7viY`Rh#)9X^% z1fj@!-ff&vTAuP$)qB3g2TLwA&Tct9X8oLmAG2@t!=|3=8#bvN23c=BgoxAs$!z*xJ^UT` z^lp6cW3H&UQ2`dHUSn%37&zwnMvbco5DAu4kE{j;7?{fEX!*r1-r}!MW0=R+ z!{swI?f;suHB)o87UUFQ25n`6Sq31y#K;FT2~k^fHs);H$^_8}z~b{Lhm8iLJ4xY# z(PTcvNf4~V@Ezb%A)`Pe6V&M#Hx9-xpd8$zZO+DmK&emuSvP<7pOqEts~-1s#n>lR zwT&@M3$p%k6>4fT{0Y?5|Ge4%S|NjYPd7g7afP(iVg%$_8q$KtNXv$#2Occ&-`{*q zP$$!a`LF+z-YrJ=_lGfmvlxL0a`JyU3+4EO{wB)`lCtz!i?xaHZ%$%#Mw*Eopns{JI9c}8o_XWKEo=|afl+r*2E9#7#3b4u$@WQ)LoS%enT z%kllPG+p36kOg3F+QlH~hY~T*ZjOkDq7h!lyhBd|>5x6HI1jGUB|@G)PG{z5vl2;e zVm$nGgEny?{4zm_DV^d2x4$^>h}MN)1{&=jA~bJK#h52e_D2iDdyIASb!f8pK8I`m z59;#2Hf0aq)r}8%+?2^E(2`lC1=6uP?GK$uL}El%peYfG%7SLx!SKKS@6Gu4hkrNY z51kA%TO|M0rcqh{J`ERsq)GR~VQTophlj%-9zFv{kaP-XBADp7PMv-T>IA2m77?9( z_~~dk_=Xa+XW*?id?abX1mhgcFj^c5N$@`e;UM%79N|$+_XyZmKl}j~-3osgG&ReN zS7{TWJ>dmZs{Zx-!&baPI||MmwpupAi`Vntv%*KCieHC5W7#nfP8a36omCa5Z5Wph8vcU z6ucgi+<|lGDIH5}j3qg60~WZYVvokU<4&MCLj(s3ju2wB-fk6tO;)R07|t@*UALe) zKmF=)bN;`t)BoC@-(F_;Wyk+b_qFF+&AL@k=6~|$KZz;+&Hf(X*?kg#tiYzQKya0h ziwZEfXDNa!{%@}IWIjFW2^%fW!yw)(w1VK=DBLBWrC@4JLn8vThDYc?B#|q2mbOeYhAw?);lH8XS6aRE^PbB|>`2i3~ zae}+0J<@)P^IN%V|4k=mS<2?xPDoZ)0&4x3QS7m8KV-D~JUFe|yKLw$S}}Vd{#lad zE*)w|;PrApg&&`>d@8>jT8YvQh6M=T1q+-NEFj$0Wj>3m|AUFlws6rO z4vTV&vB56CLXlSnDWB1J=f{k4fe|wnJmw=yYf#QG26+L1%lWy=72psk1cfif_(sP$u28yav3)lVK^N6ZCB_|o~nCXsQH zwn52-psA-anvya6pTa@GRh*8z-P||Pu}7}QQPa#^?CnJ3oTC_T1{IwHu{)z?0yT#P zBIWK#x}qS7ks@fD`8y#U)1|gW^hD!psB$u2H-R}L576>wRU<=}(IKdufvg7DTP?(L zvlevSUcm_g>axn-xx6Qf@t(u2(l*G2sHPKS1mskn6gHH!ugUf=E4OQ(@;x}@{TUqO zE1A~J%7PM9(*>(gQxLF4X$^~Q(WsqqrB17~b<~0Q*A1Pd!|4+apo$zXhrec)6nu@m zM%0cU%H1F(-{X$(%?G24L8?wb4j3R=?F>5!cBT1MkXXd*SA3?nosADg4k0wc2_s`^ zVbzn^>H_&`Ep&+(Bd;T6pyytQ`F`$$yz(S8>-ZkE1D-VGNSRuvvBc1k&b^Ggr^#p^ zL)_VaMRfP7>!6Fs)d+QPu0tT5-3YIM(o3r-?D{MFnDujP16Fw-~wlef16+g-Cf@Ypip)rFmMV$boNN#MK^e1WRQZJ-QV-^DWklv zYnArS!I=!zcBAf>SZu8_?P*eOxo`woX=JgFoUQ@pBFwi^{ zP6KrcasYS~d{u&~yh1KWzm%*7N%qE-e60FBn->~n|D0`H%cnZm!lSnZ=3)?_mUPaE zLC*E4B0<~}7C0tSz`A0j6cQz0of?)h4=F?EV@SQ{bJb$(efL-|TCXPIih0!N3c>1D z>?}jpJP=sI(l*})#{lm`+PII&y-S|~UyAxE0;w;p>JoaTbjCQ}ESDg~B^S4_T_~D? z($dtgv7Cm{GWii}JVWN!ktxkD;d|G2g8=mgnm~(>t->DwQeb;Wj0>QTceEUbL~9@g z!#EGL>Ik2ed*tqZx}`FjU`UtX(@}fLuDFGsNGTqQXcKZc>Q=gteJd-2+L{-&7ecvq zI;2lo>8aAt6R3ROpX3%18dqP8@lGPK&2LJl_?~G)h$Jkxbmu!44Gfmc8K7#+?1ilR zbWAU|$oDB6p@6D&NfSV@m9g#t=ndo4FykWX{60u)D;GX-{)QyJWPvfh!A@$LsJB z&^*e};p5a~FAa4LK->yl0jM*FbLQL-Zj%ltL;C-#vOlbm6eJ*sU^PDn`nW9&&DR0b zZeLBBzZ6=6F80W9c`njlC4$BDC@^*PB_Bdc{7!W20`^j4sRrwVLIASv`4k^%bli}N7q%6pNuI21V%m0YyssoRl#UwFwyV$Ix+ zN>1=Cn^uw?B}YiSu!F2jdrKKal7%MuIV27AzDJT_=21)~-Ni+mD@U`b#JvpYzkE!1 zg=T^Wc~?4LWl-BYoy3>Jny#>qtUF_z=R@2x#iyg?(iZM%Vtlw01lL;P-%l?VhlS8x zb!}0*>q#^RdbhQaWs;hQv)=q~`0n=;fW_|IMBfsAh!ZqO+w(4U6bh)34y^h>X@6&J zT00PH(_pDR40SbBakZ-vu&a*TK z`aw1F%{Q5x2T{c=ljvNCDyEq8iTXUMm;|%Y15_~q*u}P@ib{C51=aeL;dFjkj4kPk zH8(V+tMWRP%QVNL`C3pvb@d9$eUVQQX3*ZS7|}&#ui(Y#Ue$~23i+v^$xHJ0lk@HY ztW3wkU6t3o3P~^S{x!qY<=EX{JV*j7Q8_#UqjC2e@oA9Q6d~NSc-7ks18T<| z4`cc1y%8NOMJm5G-m(_(eftw*_h^n1yQ~vZFRpgS;bLqz_X<_#3T_KETZ0Ych}#Ag z)HBqbf=#$co`vMzA?{Q@k)KxZ3WCUh?brpu4nziGhK?j;o^IjaBDf7BL*y_q80vz za}MZ2(}8sFgI&cgR6Hz#?EBIa=roX@F?KJS@FyAzu@3x4f8^|s^eyz>_r1K4ge#ny zhfge(2Wsw=P??-M_`3ue2nu7glG*{HXM8J zoKM|_^j!!wf*82IGaQ`)*5?r#3t5-?9AX}*hg>{KRF3#>QBpLD`6NU5D=J12l$AjT6RvayYD(KQ{}I}>I`;}Ui|okizB5-+$Y2>A!qSXg7gOvTb+A{0PzMd!dy5)@A(i7{wZ!zF6o{&MkP@I2!y3N<*5f5*Lq}j z)R;5F1=+3`0DOhg_Fc5LiZRVYPUpHP;h}j-xaW7I9x%z*5xGPj6n}_Rh&M73^1Fe+ z40`B-4!4*_!%QaI9Iu{?K?C=GgMO`fZsB$T>w* zzXuo!%4Vn+QT;n$D>`0>fVcas|7e_#?FMb&>GxuqX7eS;Etc@9yKi6Mm@od)Z zyc)*2btaQy%MVcnlhvUw2CJh3=o``kdp85VQajf@uOJcWCx`LCd!WM>{ZFJg5_9u) zyxBC$3Gs+uz>ZErxQwr^c<5D?1pU60;!@mD10nyFYQSW6 z2UDHtZhkWDV_hAN+8-K=O49VTp;CXFvmk@(yETEEr4u?7Y(#W(aTcoSh^L~1#`I8J zWOaw{yDGjElfSXnjePQJt)0BKCfk%~YIOEMez$89GPPcFmrSk6D(#0Xxg{gTi8`i6 zI17O?drh*-jyzLPO)HXI{R*mSN3(^gOgcZw=?LqD@Cwl2BWWKb)!YQVherJEV<&<(n zhc|x(M)Z{^Gtg{y)ybqc{#?t(%B}8l(}co7XZJ7Ly+3}_0mZP=(HH(yrE*XKcuP5t#CrC;azha%Yk?&J} z6$q_LE$IaiUzbGuA+2KX(oI%Dhga5Lqjm~AUR$x8g0>$JBBetpx{!)*M611moZ(ix z9D*-X)w#R{{zwUPwj}r?m<29#(l2nx(MZ3-VK`DAfCQ@r*KNf&Ef#7gH=w|TfDmWv zAhgP!Ot?KJ|5(|?NiBUl**LXHBT1$>_9apyC79xFp9i`Mus*Hd#N9a#9J>!-YoVrG zgkHE`BvC{LV>Kou?N|F@)*{lenW;LGjhr$NQ0Ag74*ciA&%h{_ASi zUT%fFp8?fZ1+opN#^O(~_9a6f#@T12ZvQ6#yl+jT&*WOPsCXW-wK2(T5eQWl7au^D zMIwCYz-fgXJ zL(RjfAPx{oJGE;ha&E7le8bY0b_B6>|HmM;9_#Xd2raq}nU96Ahv;+4y5a*qQ8sw3u4ekyY^uMCjW^VSaK)mUunrI>PUPi zp0pK)L;g5G1E=0xuj)n%v5MK)y#-k4E$Y5d>M3kDh zFBp6`P7hKJ6~By>w?L3&aT;=tLe)DE-<_{Tj=Z~gb9Y2WT8qW8pCM;&#Ls14SNGu} zJ?0f&oPGcxr#}usi}R548nVTdDjL4K{2tEoI(|pui%sCSo z=ax{{Z(6>+{9F*XHdGLdr((%)wTo~q+WLr)WUC}R+L38N=LTMBa7N+GPecf5ru6OG z5oB&7oU&H^A`Nx$Ib3Hj_fiP= zg>F7jCO9UsMJx7-pCqu8mW|g^2iT#vwWJ_#a9}qJb(A{5z?AD#exa_qNzSja5M#N` zZGrfJasgUvdr>qlIh46xyFL*Yz=Q3cq~Moa&@PiQ@!cx-W;Dy#mfL;WH8{v9b9_tg zQiy9D-Zvh5E&YJO8izuzHk~UiLF0{fj;rLX2MpGoow#?X;f+qg*EI6h8lD0n%`R;6#? z_*TNzg4dC>+`opA`FOmaUG6<=-;khxD$IA#mCcd{Lv zpXCS0B9D}OBe%s|f9_m6QPPth?$_~sJ~eX*v(Jv#FyHd6T`{=mW7a-326h1HR(*uh zTLtC$x%ynlm`vf*L=ypL%<%yo5zXV4a;Ry3UvW7{{U8z02d0DBK~f1EMq{Z|N{5*~ z9H-sDQ!OrPx2=YznF2FC-3_|7SJ>UB~+%beBitjm*bJ<5@MKS<3)ine(u8kC{k)PIFb-XYUJ znS{m(4Y1ge4fJ=$;xGdnKcoumG47P_q>)U2h$*gdp>m2y=UOwh^hf6;%{ePc5KiL7 zj;9;1_)<+(G*3xW-;T@oQCWCIuE6823wQvAxEn=d9L+Xo+w>bmez`J)9JB-HdL^k) zhAzg5li{@8a zx>P{BFGo0?=G`CQv@_J zfFtCa$BvMLu&$S|_&u~T^PpzM&+2Vc;Q{Gv+NWTRdiQakh)d_-HYM}iZ>aM$`}UB0 z`f=U@TkcTzVC*$*z~SWs({|_~(<7310FgeJ8*xRW(fp%jf@KI`<~~nLeYz$jQVgg6ks1W&dP#MF#A|5q6M+f8Y zV5sP@Z%b(ghTMQ3o!wE*HufcIQX(FNWWr>z9Vzk6CHzaS+r+9+DNop{P&y9Gogz!H zFO)l zKiNEZQQfv#jV-Z*DLrB1&gU0Kp52(pt&OCY*+)7fzq8#wpI2&~PUfNXEm@8qd){fRe5W}z{iVT7qodb?l zxr-Kc+ulo@Dv4JJNd@n}vFRc);)kbw^LIl>xJzR^W3~8edk+hi;CgqpM+hc;{0bk7 z)0|SY?}n5^x3j&^^|W>*6%JrlJxeWRgY`FvsTQ0ggS1WEA)#Ue?C@Ph3_nADA8qO?UBx5uYSWy&=kfJ8NQ`%dXwq(~c|lAc z*Ucb!-rIo=|DC%4*^DWIH(70or5jWzbd&DtoCIqQ;bJ0rg?*DKYR?eh!vWq*I@q~3 zNcxi+Wkaw8RUxhbE=1|J_;IMXgunp%N<7U%gGv7aS6DkFT?U83`^a({u3rJZXtgNZ z`jaRPzDas`qpUA*Y7R=7ORe^w#mpC4sr5+t*|NzWOKbTav>1T4;1WhJ z8h4WUQ~bv=M+dX9Kyp1rP0^G!_(#z;&QQj0I#{8;f!)!t*?5ao8kfss-$hm+=1nSF zU_TX}`A3Xtocsw=e=v)(N${pEq*cZJFj7HL1E}9=IvC1Zka1YJV6%K{ddoRgqn6nP zM}2Rv35dRZZKxnU62}>BQvrr7I?v&X_Kn!|Tz(q8D#u{M6b_zpIr7f0h@hivi)dSW zUV>cLi?+1R37M3Oq0C%brFe>aAj3rhv*L|n2tmG&ILMiC7M>^ARwg_*U>5?b`lfM= zF=Mc^2h(`UH3J*15pjeb;d4S!_vWJciW*{JZ0;B&9k zChH76?B}$3Um}>4Uec(uv_Mk`fsj2KU=$XAZ7sM^d)F3?U@Wl9$8K+rLxb(>L)Bjs ztZWKOWq*fYo7eskZ|To=%YSHl;kuDVt2Q7iVg;~7`(o{iH`y|FLEUo)TS`mlfEp7? z^~>zjz(J|TB%xHZDP}DA3fiXt6}R9R3pS#|dqZfpZ_Zo%G#cwci)SKXUvW1?S{DC+ zCmly$c1P4TRs%5z>)Fm@Aq{f#A+W$ZVVK<$$Ie2`4(eCG2fMwm4?9;&Xz=7l=ZR#b ztl70xU-uw$Q_z}6&c#9c?5L#7@!uX8`TyNTwqiCj)Q-evtV z$9yz$LN0>7RrltOVkGy+XmG`Ret>nQ)VBiDYuBwvZ@k7$9-*EMQQu&#E5nXmFts-( z6I&8@IU?W;*866fOllgZe$%2xvm#wQ8AFCz+ZU@Zf)%Alp{7c2KAT}5)?R%JaYQE$ z4^hDZ1aW^w{vRbTfW=ABT|3fpzp6|idc_PYv4`l16*wg<#qr&2rN3yHLjzP_-BYgWH#Zl z&&84u2wWZ$H_5_pZmI9rIU6t*W)}BBI6qefPf%_#=rrUY^wpY?T$R!Mt-+oo=FgLs`xZN0(cHsC^Rj67 z37TME8f*AjAbIZdI01KnWy>=fNlUPe3XMUwDv~dKtHuZRCB53<{`?a6kB~-VS`pZn zU^jzPuz+j4gB;x*>H6OYZUqs*%r?l1BmE}JYq%XVz)@)vp?a?bOuAR~mN2089z8e< zfe??Jh0w&5Z@gbRLt03mQDfd(t?^!{$J~OAadt)00akD?1x8P4FT^N543oCACg+AA zWer`=HYm&Y9jzEct+bpb<<+&Q=**7A+l+k)RjjWN%MZRWw12?*Zwq;9%Cop5nvwD> zJCYq{yDLp%V{pmcYGU&BG@0mmI2N)d?=wV@ri%v>@_Hd@228kXurv*3wPGas)sb5D zDB=tu5Wnq-ni*)?x6!d+-#9*=K2&;K8!qKp{GcE*SWk)2%4%krpMPHzmqzT_FY%h0b@D2LV*^KcG$9SV+AYI)<<%h_%2&+pGzhJNl|1b95J}jzg z{U2TnX5p-Xy_vmX53>jM$R3!18JI0IFatBn=!^~u3JMAezK)8D3W|!RWra$Kii)NA zTA@+>S~!0qMkhqA7B4n^Em1J=5qI zX^pnL!g4m}8RS`Q=*Bn>L!!n)nX*SAoPk9N!{(#|KZ6#n?YOBkc)e~5o zTBu}yN`wBSr4RI6`T0kf0hV*!Eng;a3X=jdRZKht3NVcN4fnCQkq?*_=JLPB2J#|_ zB@|oq&j>E5;HM~IoGv{TmdOto1f%Iyllv~zconBY;(8mx^}^PABei(9q55NjbTZqT z?Q}=(Q+3pc3*d=^MEZPGpG!wUiZK-#2k22cQ}4Oo_Mo=9y{#S3#=Y^OmQkE%S1EFr z^W~d}6SP{llU1WP!7{4Otrn)_|A-5So0|nnv&BJ=$$!w9*kHN0r!>s#GVfX<*$ef& zsfTsVt~AgQbx+mox=%_Ke+P$&@+o55!b2boS6VLvsl`1HmDW%fPIebZ_@_G#F{#ot zvC%w%97#64tjz${4k2dsC z(?;i8YU4_+c*-aN%g#ABx_Bt8$J?46?nX#baE)<$Y{B5Z zg1q_lWb9`?3ge^bCWfbQ_7%&?&@`||)6Y&*v+PjKz{~P{(dCo&%>&*O%T*e@O*{{jNE&}hpBjempB zhb$MOxvUN8D98Pk#+V;x@v4pUtc8b+udBs+Qw?SQSvrxMW;?3kKaMxLKm%xAz7V4@`l*mr^U!+;?MBY>iJUmPWXjU}NQC>l)kh z{e6B69&`C#-OI6#$yJTWS%ak&?!mZyH-wPGaQm~8(c6wY^Fqr@zXEro4MszplA<-7 zXE>)rgytAq=0eI_2!tBFF$el~22Q_e%!o6NVd;=i6_;_wN|QndxFnMlt9;WfbT}X* z!w8P{4V}QIwr?zN8*Fl`@jf*yCPJhk_viX~>$>?bONq|w#D7IfI=O+a_g{mR?VaKV zOtGM ze53fbFt7f8c=W({Dzr-e4nHgg%v$GSHH<3-=ATPDrEL6^t}2hr;OjZZ$#AA`mGzL} zy_Hg7egS;~W=qyFMTjexKSNRZpUJOErOE*8_!O)S_tV+5*6|@Z37J3RH{D%R9i5zL z_B$iF`jK)CUR!cvs`C(XO~i`pb1nqV2Y_;MXxMKl`YB(-9_9Dtk$(!WIHF0aCk7Uc z9c)`9egzWR?#~b~r%hsiTp>)8)v}6=5?8|j;Ql1SXSx$)TzwJU{3pe6#@&o_IX*d= zF0T3;IynOp`S?TOm~pDEum_}*ABt%h&a!2VA!li%aW7NljUwQTP&7_gKNMCr9lwU6 zkRkt9yhkbl$yM=C%R)fQyvUBOqo0zn!gj?a7aYAZzIWqH5c-+&?6w@h8L9kz_$)d z9Uu>&m@ugp2RXlntOR#{#|Y%q^>~o8!NM4M6JTK1TWocM+Ag9`ZJRW~2Q0isnc7tB zhg{M6V!9CkP{vC;spQabl3}2lN^(T#Eh2der3J0Fwp37O?cr)|Rj`R&u2Hm1YbLA- z-i2C04kVn4`dw%(U}X0Mm1(&K8>_~vygPNSSLHj%j}Vsr04wIsM>W`hKj0R%nv6el zmSAjkKUb;vkhP4`ENi6H_0QG!Bo#@7>^?;`&M3|V%J+z4c;ZoxBVLU2 zDPC@&JC%b`%(#VxEd3*K#t)OP7Z|IuApUf0T!-xYD}OZ3=DCl4_!nZvDmzfYnH;*y znH6vO#bw!&?rV)SUW=1bT=S)Pe@q}pM`wr1O(i;Kw}?;$jM(akF$T%F$V5j@{rDb1 zc1)7EtkUaKoRggU>oE!@HN;kK15R^e=0(~gtIx@=_EI|mWf=qC;7F}nshUyf8hB2IfZ z`0E}Y$9}7^?TT{_Ms4e)Bxibb=WckZLyco$$Ot^CfvK|>dgV2djrU8k`+-Pjv#Ng0 z=&$%otmK0@rTUWcGG^X$EZg^7yIGU&Cns#WEGGtUy?y%THIP4pT*{oQ=orP$=|YPsdKN|zZ?pF2J#mRiPmgd;;igunHG&-mmE%|FC?&+Nn2@| zE7_$3Gazp;qI8`&_vA6I5SF99ND<>YcKR1cONH^Upt2kl-zCQ30Q$Ef7-M)Y(fL87 zGZ-Vz4`wh~?$N38UPdg=wpPo}L0&V>EB}L$j2|1RTmHN8jK=vTZX6Ckgk8w_STApY z<-&Qp#(vP~??wOwGxm(Zdz_0!U5fG%*hz(d+imqbSZWHo5V-Awzp{KC{4(#)ISR z9t;mN;50zJn)dPkT9Aso^WsA)fUR8Ml^=LrrIr?jw4&MM*W&s7sW^x@gKeVSG>L~v zcc{OZ;@hQb{M>0oA<{CAt`7AIKzx`%LP0SFKcTA?y}zUC9Gp(|3Wj5v^l{Y|$?78f z%J_mP>}X>~2tDvJqIdzj6~|<`a)D#(c!o*CCG>q|Y&i0J*6$ zYh`*0?{HsJIhGK2ekLqC^$(>t9>xc0h9!b>S79MS{Eqf;?G#{bz&aMjJ>@clQ#L%8 z9hwN*?;}&C#ELTrCY?!ofiAxtg4wLKfQ_i_BiS%5%1GCe(g&a9f5 z)2p4<8w8K=yYLsB|NVt7<+|`U{^~o)Hx841`!HedhJLT=kJOVeW%<@sIl{z)TL;Ry z{jIK(-=a8oi5}kiLijdsZTQpe{qaDK+XsRR={mt*p5oT6hG{GRb5Ky-`=3$+7Rl`` zw`edoZqWr>Kme~x?6pgR^!7d7q?vSW0e;CJj+P7G3Co~`)kptyS9yQf@aNNnIVrb= zSN~LUS+FHsp|?uo)YyI&*avK|n44@c8k#%f0o+lc5|El)*IM8I{hX=8=r_pmZwhr@qvw+Fr#i# z&Ey+T>w2tv6kA^VCp@bw;7=EY`oE6%mzVhOWMO0UAmIg|4D$%Rq8$}hf-S3_UNWPu zda`}+aKF8u)9!G(v&!@+CO6L+SCWO)t~{Pekb*HDkB0-7Ih8Y~qzc72vz)FH*vpaY zb`*_7s=OScQ~T%4QR#^Hh@AB8ia_|*jJ$9@)+=8Ci?1j? z67J4XJ=_%8D&xGyA!cD)86BKuD(P9-`lc#7q zuo|mA!YW5@1%PgH%f63*>h$Ckyc?;?_EgsdYM>ZAx$u;|94Wm1ACYd{e>QGUo=eX` zGcEZ;d(X*&r{Fy9bMx`*Mo^z*ty&e)h`W7zM6HUC&`0W3dZLfgcZ*l+sa~Uv*2ly% zdR8B+*MfZ>uaAq2*E9v%hS{`2yiT8>)$76FK%b~jiriB2_&+b+(JS7l?XFMO%X*VO zMW3oS>n-{;eY)PNwdphTnR>fc(f811X&ri}Hd~*gcj?{QTzy`=N9)!0)b`Tn>wVhZ z`aXKUKA`U#-%lUZ7ev1C>6JTrnOfrq=nLbE^aJ&S^u_uT{b2nNZK<|QKU6|~OK)Iox( ztB29{ih!aG|J;&jfNGj3O!-4+s8`?Gq*veCIV{ZZ-~WZ9IA6b6NBFP`>9HO~_D+S@ zXCsgnr^D||`27sSe?E+WKYdU-?u9I`UJT#%ZC!)f&>j75-1z1Q-S!B}hhM;rZ-zgh zYw+JE{l8qwU*7m?EQ}i@@LhL40MwB{*&v2?Q=x8*8e}TeC>DM-@T+CiVejRxpIf&K z}!tj?_l!BjQ!? zUllZEl^#?h(!1%Sv?MDE8h6B?@ctN1Wgy;?SC^T)~{ zB?X}gb8ghe5(q(6mK9$^ZLIvNt2X}oM*lCj|ChDVN5~r_+|Wl)Rz-v>BZ_wGbGsql zRE$7S@c)Pqw*R@{Z*BZ@ll<@hLcwpsGjF!Zh$JWtJ<1A~Vg!_Uq#oL2CKz(-b0VRo zmJ=;}N{7P0vHH|VEmY0`Y{lAC*t1V~?+7hcX;B`08TTEeg>T1)OCCeH!x6QSSzrLE zkB{huvm)bh42r<@!=Q8#>rsx00a&Jg6BPOK&`xi>AK|Gitc2xwo6xn zwn(BD7^~H@aZsB)9`v{a-BCBP%yP^P1(9dzCC8Nd%8Kz}Jjw**+=`@= zp2$$U_Xw8K|bVSHXx|Iy_|2=FR(D)#AfVw}R0(2<&RB^wW2>`5;&1%Rd zI9G#16@ZMkXz@$tM)2hHet^*TJ9n7f(xj#Y`fON30(hNct|J_v4q#Umqb^yAzVt-> zVPRdD6M#7lfDFZ*3Ks!Z=Abs$gJ%2F7+w1Z?q87a2v|9q9o!u%Wqd&&72y9{wB(t_ zjM1DR0e}9h5)+CE>(tpbQg`VAcVC1L31dVD;AbTyRbqYTi1L@XVOVG7@Bu+5-R+xz zN>Y(Dl|)Z!LjaF(^`!c6mA!>mi2U`LG=Bb3(%ab)0cPOVHypo+iQGYNRD`QSR$6^H zrT`43%7e0yLpA|GEx&-9EqKIX`60Bvcv8!AfL|2j`7hPhZ$%*=#Ey?;$%7f8=mA8F zgtjn1M~9jw;ejv<@N5wh#1CkLH-x0cT(bROXMtoCN}HB^aQIAc@#d;C+)3>31c~Cn2#9GhURrQefL~-OCpXTupbO3e5+XT9%pM z9D+&);Nnwao>1i&FY@9u^i`EYFR@*20sHPDU?0EZkoBt_C&R4pF`yIxmAvOAF`uT` z|GDF;(3_T!tx%=1>LRHC=iNfEHa$n!@{>TcWpw6v*aX6%?mLjM3J*(Co`#VLvMk{9 zq+1@tvGF%dZiLv{MK?7b<^Vw?cE_D!EG!*yej&bgyr9htlkdSX2;>`P%@@nSW(Q^*~c;XE@p*l;tcag_+7APtRZX2 zDOU&pxw1$25i@(VL`QaRymBI)W^x*5FX-0|2balF$U2+y~d?Ay=Z@ zC-`B01ubqHlM3DOMd+bH+6Kp(r|dH0ByCrYkQfTzSM?7mCsd7F@bLJV)iWSHOQr&H zNFj!%6=2jkMEaNi5UwCk;;mcqO#{?ePduoSt%y|yqn4_evg(PM*i@8=RDl{Wy~eB6 zij0Lzjh!kbnfcl9teRoTG9k&VV+_p4u2lZ1XpX%h6>?@cGmJBmd%=5j0ywiz1ZVbY zM=iLtvrIJ?ODo{jYqq0I+NgMCqV27q2%?5@-hIg(rl# z;;DG40E|x|4%AY4>1jIOIRitRu+D9B!0gM2NOAk%HnsIB=R2snQ>WA5wKxbO&mTGG zA*K^#w~LTU@!0>x{;CxWe2B%rLMa;fXhA&ljhGcyMx9yfA^~_KS(UzEiY7G}`|^yK z--9HAMLIrMVMN#fl>hF#qFn``gdhltE;YgawcUlSFr}32WDV9blhT!c!ZX`4@O-I6x}o!qR^*ZdB0r4b<5-kQu=_ z%$pT+5pxvxcM?lQcUXBmLK|XwZ@E zLJq#K@M*y8qv4GT#2w^C-$LZeM@$DQlXC)RFoALI+Rk5W&qgcPRXZ<24O@uT=;3H0 z$A&(}-(T#{Y#8649Iy+{&gBxA7|cF*g5RxyVbR|}T&~{Ekx1HaJQEE=z%B?kr#<0D z?EBH3gDbL;aG9Gd@+LEPLG3;PIwe{m+p?G!pRcGx@;t6abaP88au8>P5skNe9)q`` zrS|LKxNAE{FWzDO5GS%8wcOSTVj=!X0EDS-ljPb&Fb}-LHyRK>FmlisJYTF4ZN9et=Yw~h3!nDS!V+^>;kYKE&|)(5{ai}64(BXbDJ8ll2=y8 zfYeteSc+~_F%q;VP^`im&8cCP4obFIlO!Eo#j|Rq0z|(%Unb*b@XnmTW2!u*>>$#dj!w2}whZv#!P)Mlp^0eM{sD(#xku{CCm1 zdsw!esY?!rHyKJ#B-T(r$XZD~3nRCr`g$S2F5zN2oF*2^tbyXsgm~cL#;@HEe0k|w z1^khH@F!6kL82{J;*9%^WDDpNnfpmNZ?oC-~ ztmwzd!M~yT#;frp4JSyJ(+T+TqWd92BLz}U0Sg)&(yq}_benJmzCP8A01VDPqGuV) zfpm$`$_DOw;n{CfSDLiZ`38S$?is zV4HRDuoVm1ou}b}8x0oJAqL*mqWv_%-RT0Tpm=p zpGoyhS$H=GP(<^`LaqhkgFe-^#zMK08-%%<@3GG3!)%4o@G1>nVq*LwOrO&r40%T$ zVbb~4Y9>baoZ8)~HC@*7XW}`Qg2gZC2fb3zI5L(zc(XssHQHjqahWBFq3#g4b&q6@ z!Xr94+V+|r?3I+7f?eJ03k!#Bco6GrUp;U{5-roC9S;IlqB5sSMq3WTkQshptuVri z@yuCC5Szt^=^Kn&Y=-SpGi)#3q+1YEG6_}A0>f@Ay(jpTr9vmR(C)#@sHW;is~BSJ zCHEl+V#|&pvGB1cP|XNbSG#`2gYg{t7C-|^WBA{a);@G` zPw+5UGtV?W8cijR6}`B}7?A&}5IokyCr=3pqX(LXb|<~TY?RvDJ78^6TQ0r9|%9x)>=m*f@|3>U}CvvTSPh@>{dWFMVd>UAYNxIq=3Yk6H^z7rD0Z& z925GDvIS)V(^&^L6~EQw&;s``@LHyCK*Uh)-^cEXHLrA@N74@PX9F@OnG5hdYkg4- z@*}mgYd5)`2qEkTIq^zoiH|Uc|{|lRRb=}!$indtJ z#xeKXKH&>^RDCo?Ngi0!@tNu0TElpC)AWKVaR5@75=R7bTB?`R>3fm@oXpy@Lp64!`vhhavn7XAM~C|dfdv0ZI$hG?AweX?vpqFy@{zr$?S4F<=!-aN zLU}E1?EF}~$NVMxCgr%sv(1l#&(e1^PN$A7>PUqUD+RGD!qbc$@nkIZG6{6Kqz`SV zxr-LIOrWlXpvi95hAt6?DI?nO4}H{%SC#d z>*YaVUnbKB8g6f}QSOA{n|Oq^AbchMxKocE!eH~;!c@W*twMAM;M)P>F9rY$jt4`0 z0su&pLGAdoXeJCSj!4G<%dZ;2zyU=l#r|f@ouE0Lzw7a~d^-F{ zKd}c$GLW@G+?mIPINjcunB&!Phrq<-)#KsBi2t&xuXbq35IljEo-wW5Vhj`JS|B1;R zhYKaWcP`RBY{pM?inNGJ@eiuu`8qRR0@Dw6n;T4U3?Yqo5NeF=m;ok(!gsw9pv1FNf?IQS4w2G>F~!;)YTWyeWrvGlMoKwJe# zT>MyYQ_&+TpetYoK;s1$QKf?|Pup36eNrpFzN-?)to;W`A)o!7>d_Jh$oE4iTFoDCB;2--+)s8MGrPe+`;(?KmAwF1S_#gVXgE*VvSqA7yHz z%)nxMz6T!$M5%?j%q)`zThgO_Ly)0_m6n!NpaL*LzanmAih!Tmmz&CMzdpeCHBzQx zad7BcG7m(uJopa(VPXjW+S(1@VXXzd3oh0<35jdD>(m7hN!Jok0KrV)6)gFxSDfiZ zc3`3KImy63O)KgV9qf()298+Fq}hL9*D&Z!WmkOT`&QmO%m1|VN+jjGW^Ek-};Rm6}n#K%tjm58l+5CD;c@P}yetK(XP4Q(~hCM)< z3|R;0M$n=l#|oY<9_!C3}LqQw@-kWHW>ooBp@q48278Sfk%A>K{x@)7wt%9gJt z{fLNXfuJ;D(nRROyr~f`kGuhob?*_elMX379GXu8_&zZ9Xu^|80xoL(k}%j%BapqM zkMnq>xnb7bNSGl!TQU#{5?;(46XJ;j7m|}CMM%O&3m!s#7uR2W9gl)R!WH4ZAA?#L zk*ra;4wQUqe8ajMh=!Od*VKROijs=Sdn#p?;ZAk+TZZ{!;R23tc#3e&<4Cf?n%75y z{|a#`YojEGkbs|qwMl7!>~(jj8QyE5`+|4@Ee{L1NyG3wTz;U5?BqCU80jHZ;1p`7 z2Ju?KqDcE7`OXfNZwYcf6A4%RbTGBX%}$C9#>xlqDQPxcOzeU&@MiRp(O{a{7YNHj z5*b2j=TCs0*VpPD&2#|$n>o1V9i;20Mqk<%JDLr~5e~jUH)e!`W*7{zHHl$#n_@Y( zDM4WQ@8OUAyz!e@Iuru0VI13e7qeQ4L(Ft8j;Vz?Wu0xj7MGjzxfDEt1g(9cS7sh| z4#bYrRI%1G4bY2_vF0xgTl5zP`5+s4k=#ex!oj}Z{1exVIVy8}6^zXZq#Xa#oI&$w zJDI9dUbR?7!Qxtp`NBBIOPFu#BXCXk+P~2K#Bh+%u{*dOWQm10U=uCoWKzO0kZtyR z$4X+XWxv)}hH<6x4Pp)h9Frt~Eu_56JX5ST9o7nQ%n@HPGCs}YheWq^2E;UP^QW@$ z6h(}{$##EWI5LgSWL(XEH=cE=lqrVyXj30|i<-opKH9bjf6ZQx-(e%k`>gx=5^-(F zl&^zeS?t07pm8rim=`MrKTaqZj@V{Fc+A+B!P7xVxwD+$T54n;cI^WbpD7D%#becI%%68ODh8bWYelG{j+_wNO&0k z-gb@Dvmdekzy^sVNK1pK4)nsi#b5ANrhvrwQ+&tO2M&On(VdV4f-x)+3xkP)J;K@k zHG~QvWJrp*4Tb&6D2Aae6NyjaElLLx$H`_#BVo!Xf%0}D7~Ik&yvC?2*XT0&!rrQ1 zk>!!R;P@+vp-tBf@=}rIr%0B&`;a{2sWfm}V;kL~HCQ3WGW|_k5@>aC|Bi|HB~Y+o zArbfq->G)$jdGokMJk{&n7M&NKC)Rg6c-ftW)}G?-E6nu691;1S)EWO$|t6s0(jD= z85etPB<0AH5WM(@NizOEnB+>Lll=l%hUNg^m**$M>k6_V6%TWj_!RdCkl7^Vq3PI1 zONB4x*<`6a-mV1!nuSc^2$F-|8$Fy~sIJVv5PxYro_#F@Q*`q3^(v;XQL^PvAO_`* zC_2=}QOx0YP+duLH@mhxpV;L|GKY^+?~$v)DwQ%r`XJc1A)BlaV`&fb=QzEfr&*UL z!US9J6DOTje?MNLQW%>jk#N{0KOpSII_jZMa?4fW+$~TO_!KqiYuu{@6t-vhb<`MdJCIPBuzx1c)qvtImBwbU1Hacrs0GJDAtGLF94FrImF z^s{uBEORG-jSNEyThU8dh;X_ZKn=Eq>137gi*=k3OIFdKd5iO8G%Dlg^fGx< zL$Rco-<}E#Pw;~+!DGPU*f%bc%pvD+89Ppse-?z{3tR#6P}`FBgCMU1St+#2_JrBa zJ02qgTdqKVe;1j_#WlTEvyJ$bR}tw^upBjBk++cUw4``_+d{O=*r~NVKfrl9sq?ID zjcAC9W#6Shd$)WAqzo7t41AWxKEgl2WaMc&-pn3WLzLfLEp0SMika!Z4Rakz(JCtsS_Sc9L{ zrBLVN)bNaG?3X~Ea(;$P8@0@0#bN`2qXifBMRP#-x`~A>bF_W9u-7%IP2*dPaJ-P= z8A)UCO;q^Ii_R@J_cKbHNKGNEun2MoDV4ezR% z=iq~9ocW%h&9sx^FCm2#2jTlmq`j!823Qx$1mhb9=Oh*5V-D==)qd3Ej_xpnLj{ES zkB}gJsQEooAIO4r9RE)wFZjeP1zkv!()h2aA*d_rKxAa-iaQCJVbzupuLQoF{8^+&!ULw5X|L_@X#4@P&|CxdsCDU+@Kz&1B_?MnU(+jf+g{P`X2_=_!* zajS69);E^8oOa}%1vv8NLAXjPXl)M+WrZzd?9_gUk&C|rUbWCq?q+_y>6uV8J_fxM z(+8X666R_1XrPA+!|-lFq3kY5PZe!=*7Gz6jKG5Xg9-!DnNIg4uB4>{V*gMpX2;TL_HYu z!bs3?N=(2S|M%h}94}86w+lMZTP6>1y!04k6GQkz5-0wRA4~oNT;y7Ffa(z|iCeT9=PvT6*&twQaMKj*MC(c?X)?rD=DbKjIoM}n$p(ZWrnm!z%P1Zl~D#1}4?I4d#!3+Bp@rx^^DFbI|{3OROXE*Hx^ z$?omD@G_Io6r<=7^`UN;b`3nr`;ob{zv^$CR)PPRTqijly>wanvGX7e~ zr5VM=FjGHy8gk^s!X*$tv?pIX3YJ`JkVnB{6Ib0jgE*SML9WFjr`C(u~Bn_ZC!oUr^(n%>gGdkoeI z&7U(CDHkH2?YNe(kgKcH9gY?g#4~hy`3n@3{73;A#y+c|KhXosFy{(FeWci_MHPhjU<zbt>l)OdB#yT|5KZDtFKHUD z7Y#?(o&=7Lkf3vC(z!H-ZoL>KxC#;xz8j=v>}v5jCI@e*C_%zY#yg_P3@3^NkI5PM zeDxggBp!uzMPAfgi6xS4d_e6@h%m1d9;S-FT<(BMbbgj-{m?j5L%-u#!~2YJP6A(( zU?E1`61DMn(5K?qmcw?$-bah$@fz}*C6?12=I~M_S;N%A)F00VqrP!4+r|Nv@{r+c zhibwM+pb~e75)Wsv{5u#ufQB>jq#DRKrRGhO)xjXOz0f@yo-7C+8q8H4cHMr;hKjl zQM^UR;lsAEu{72P-oAyC#5m(josi1+j;2$Dc(dRYB8+w2&2Bt}=IE|6v%r)18=Btn zF8d+OXq2s5T*ePe$>^&hG?`7zDi!?G1Wq?O zO^B?17Y`Qau_4ygz)!`3L=y2Zv zt8Qm{BybUfqo*>@L8b@~qCG-O2`dd!+7M)$rPt-h*#+v7K1f(0NCjJnxuFhpNRCPC z3v!U(>erLyN@I<@9rvXll0gM6V4;z}2GWAqRQWNPRL~z0aLaT8^n%HEh!arA5Kx=@ z`DYrx)^Hs8XYowKs}6iYMW4Ksx3b!=w_85Q7RY=_6otxq0K@C zz*9W-;RjxWYjX|77scs#h+KB;6FdmV3S;)f1%@EUSIX?kWJ^gStUd~h2qP}Wtz0op z3iMFpg|G;jX?sUcuD5+7Hz*HwGrS)wJ%B$cta174#|WI53i>xdRvOCLRmvcDvMD&x z_5yFvsU`l{G>JbMV;MW5rNX#H%>-c>3vjU=pIJUvgB6mI8F*xC!56&jCPNDLCy_VV zA9SE1!PJ64*Lb!tL^c8SofPX#l-vnpHnWKz8E1^Dlpg5#4OQCa#k;prvf8*vFaOK- zRS~u2f7!UpxH8Fff~PKarb(K6?MWj@`M;=!IF%!ZLB7oR01fuSe(Laoptc!r2s|`J zEHy<_oDMLw=@!iZa=NnjeEkp(a zAKPSxHP(~Lm=U3N+fb&xP|~(DmaR#K4QkWwB;B%@J+WXW2!kc_B0n}pR!9Qv6 zGEFjjvV0>zDL|?uW^o0K1I1Ltvk$P1I|Lqb4)J0Y*zE#CdJc&$nS;DAtr|^NQbYZt zfX))f1Li{!4NPJ2%Z*FLB$`=!7sHB1;&q*^ITzesQH=0nNdf1gSUMbVQ`T@#?6BRb zA+uG=;!7he3u8b6g#Vn!JS>&)aQ>-_`!tTF$4f7kucry(%UlUeH~oys{*(Qc;w#PHi}~U&WSl!XiSE6&LCOSi z?3Lxm=~&U|-i(gu#a8ix=#;AKo5_Tt_wb}gP_@pwk>qcD6mTEHZmA!sQ7I-{ub6gf zd@Z_}aIE!52#1onSmUcPh5@zUDZ<6t4Tg?5Cet{LA+rUBN8ma~VQr3?&Bc2ABW9v0 zF@{+TYXyP3yIt5%Ot3h^l(COwL-K`Ip-qMaj(tX*-`6xphxLXF`86#JMioEjGQX9V0|zJ}v#u41uZC*rc}o@sV? z#A`APvkt`mGurn{B+f9$mz|8`riorhw%`(vgM=>K*qG{kzD%ZM9`~zfjC>HCvt7&K zckAo#D!vy`1`~|+LHEqaLbpkQr7plwbr-Z`GC&z#V~kU^Oe|}T_Umn4Eo2^MftS1s zvIW?PKQ%w3TcOs?jAkp%Eq=erwARfphNbM5RK|*dhHM^Txxz7d4$62SDuuzE`5C4M z*Voq2l`tI}0n@S~cpWHc-GdObo&EO^B^wj7w~?cT=-1YDXohq3eaECm0UKI`_Nma? zd2^b?ktr~bvz`JZrN1}FS1$3+LY1FMB1D*zBl(#u3~C17<4DvAI{**!B*4&i3h|9Y z0t2YH2eb~wJw$AE7&gV~9No(|gIvaLvU&7zaV)*Reox?cO@#~L8AaKMThlng>53FH z@q8Q`$V6Mtgw0k`6my~UN@%4sGM@Oz2y(*tJR(U)GKf@tke?W5csN@giaDk`$T`NA z9E)PJ`E{$nuNv(z^p9;bLau5ByDjEo2x~0c*!G!~GfgkDf*ypYAo+S)`0j{CoJ@?q zQ^*RE4Asv-Clsd*-G%N|YAAnEZQHL4aHyqFN-3Nsam80#*M}Es!#Ei*qh>*RxHi>Y zH45^wAGv3vM(o~-@qF_yWH`+UMg>DU@cnY4rk8Q*{x6wb02Vu!Rh5A7!>*0Bys(ty z0O=SqM#@&(6FubzO+O?b!$u-kC+vBQ*aVi0vGq@2dJ4&OlNih9^kaj`0)ONkQET`l z!JPueJLYoS$22CvGaQ$7jwQv41LG`WwEf*n#^e0JHt(!^lGkd47x8H3TlX`lU@IbX zeA_VTHT6A2-c~6mEdAt*V;v8pRE`vVC|dNbK~U_Q z>wgV=*@w<;L!(tnm2XmnAy=ad>KKM8U|2}gw|r1~uk5Y7$DYASv>d7? zj0u9gguIc9t%(ONKAmD(5Y5!U{1xB@OmC~&{Kb(6n3wJS0UP!yNid%zm5MWhzV3tI zavazq&~xZF!}mSdEXMtsu5+i&tM1(X+tbD*78V{WbV?7zUXIa)B=Q`6t7&*}edYJk z1U#$yAI5y@zyk z=hLi18>f@0!sg%{oB;vO7QnOh)Q#ZDGL%^Wzd)Di86)~sp3!OUBWcx*3y<9iI zP?Ug5?-7dVD*0J}HI~x{v4(p<3f1NYrsm@w!d3e!k{RUpbeh0sBFnoF@?TOsnC@`x z%mw>$rdF|{%$pGJ84a+q2q^r&VDCH=@m~z{uDz2BCne9GQCr=G$_|6f0lPVQN*9J4 z-qlU)0+A=z%<1Ai&zO_kMIjG=31HQKqP&N#{JMbGH@@+oo4XFCB$ss^z3XJNZ@|*K zSk`}a!2h|B|2$UsRDZa*|J;1z5&;hszWAED$u~|E{?ecD^8azia1?-Jcim^#Zu+ee zx9Hhjxcl2504Al}W^Ug&*R5?`!2JK&cmu$Dd*7}b`k$>gXrRe}9u1f6&3$iC%)3r` z`$N|$Z+*IP%3Ggqp7Pem|2WLeb98}&Z&&VL)B*t7!#6d3`pxS9L%H2NB7lU$go4|} zdE?0N!2JJ!?Df?C7ym%`j)ImlW7hl|ERdr=t8_0M!j@&vz8Gow?g!w3xKaB5K5PH` ztljKL|KEJp{*s#Y?N3LncDX)CGN=af?h;fi$s~Cf_09OrS0rx6<*C6JfN z2e;5(D23T@o8(iKhPVmg?~p#?qjgV5g3ynnH*N_IqCswfO37fB=l2%=E*1$rxWOD3 z2G;)SIO?5&{E6lNz)8YH@}OBHscT332MK0il306To$GlF$vt`!vnoYkj)f^drJ=%L z{VYyY1GP)A<5k5cU>?-P!4h7=lg0HOIm|#3HsDh79^I%7^M*KPLl?QH>5I@+M~7>W z@GbF~1>#UCsZ8(ucK;AM4w8dPCh$67iNryMN?Ax`vdAQLa&?H=O=4Aw3_KuV0N|s+ z1`U}Rvs@{pluSbbPlUG)?RuZwHFqGY_lZZuVgN3udCQP*6mE?Yy+PJ*Lh;PG=BYTL zP%gdT+E?6LK3)GClOso4ALs0@9~o1D8w)mAKd`x+R10jeSh3KtmFll`gLs^MUrZ zz}*LqE^==DW?X*m2a+yqBP>^KEiK(b@`RU(HA!LN5d)?UtluihaqzxteC2{S7<8aS ztnDJ@m_Out$~IBw?2XKRJXz2Yp8cFEK13&>SXer};dg9Kg#fO4DNesh@@c1gOLG_g z!(vdkwcs-#@o8_8D;!JO4+Fl>x}>5ZD)eHz0}pnrBzf&W7LLVQ*KEuXFhp+cN0Ovw z$Kwa=05du%O6SUdBALQNTmc#5!N8ML7`W2@A?w*LljsWsB)LJ84#j}FqE=1@#V6vy zMPZ+2{EGEQY+<;{82JY^1QyjHYkTKhDa|(sh3~L#Vla`*#lU+53WvN`9gPq-5Xa&w z<#AZjlpec5MDaa_sDLY(2gzz&m>;28J z!eXNdzy+lFzM)98mj6~1hpbtE#SeyH_eRX>DN{Ild$IK|Mw;<)n7+Aiux!7~vxZw3xU)I>S`h{pMsDJLT7aBPjg zK^Ey)C|?aNfQrZQ{zs*>$`6%Gku@are<*wRxF)VOTzIV{16e=ixWMCo*B%09- zWP~V4&>*0oK|w)5qoQI(jY_T78!9T+8!EQ6-tbbj^+vt7^@8=<)>`VltyZnps7hx%K$XpZ8+>hl z)nIou|3J-uMci|1R^k(-Z$hH;YaaAodsnTftDrsW4V3;hA5ZlUV`JG|kj=yv|Fz0C zxOS78z7I*+^C)+oTH8@Q`3?U*Yy9KxQqQ8c9SUuE?s$F*NR<{&XF@MNW&rZ(y}(31y;1nQ@r7=u+8Y4Kc!G%^;qwpPX-O=cl?wYOdaB;t#UKbmulXXpHyA!VWpfaaDIlojXlcWnlz9 zI|TSOsE6|v638xpOeOE?!@(aA9l zXBX;QR#tDMsaViFI`L3DR*kC{tzaTtKQL8yAOZV;|6Z-{q;4$YeQLag(~AcJVJVG) zBB7wH{)t8~x6{2ye}>o+3A0IXiLk@6yg4HEfp{ESofmf+0ph{TaJ@j9XzOv{%>~SQ zOzt=}2uPP%0!*I=Yt}X`BcZq(^VRS{$U1<=X*yPK&iRc{c82i-K)=OvfF{=N4K;P=e+Pk*AHO{W zJ4<>Xccst5v=J`d{Ge_OS;x*1rZ6WQrmEFYu9#_^%yh01>-*i??G9kWef{*$f_yXB zNY756$m+0_(bMPFzqr+#LYXyW3ebRf{QS#=v2vNt&P>$a4vdyDidWI&!Gsr5VN%MU z*6q@)V_pY@kB+%4jAvc&TMvjIGxpxOE$Hj&^-DC>g#gBGQw@0>AT$OEZ|eZzw(X&Y zWW()U`&u=SH#3792ZLbf_e>P7HJl|CTX0&dMKHhAvgAaS-9kj~_l%)%=;Nd__5MUA zURZ0*!J*LNip?H|iFe$CU2m9qIb$ZndFU$9;#p)k6YAUnkB*sl&<3KHHEMnct%_i; zRb@1fbr_o0$_f>K9S9BB&Jt45q2+toHg_&CS8_a8L$$Y~8J>KpiFNP=BN07ZWPx%K zw4TvDv?KEaa81_rWftY`0l^FBc*bgSseN(MFtvW2+I`adS7DX=P0D)aR_DUKVmWge zOuqR`uZAwcvvAU;sFnq+(X1wSwU@QHz<0v%vQFQuuCqb@7-|Z2Htj*RlRCcF-ZpyM zV8Pv4Q=#%rmDC8U3+LtZ=CYYY56>jf zEUY0hq#NL1vH)nhkn5&NsOumnpsGhWlD$NdxI8FBIlk3cstz+<{R1>cc4=J$iMnXS z$;==yb9J!*F>N5R?szb3>~tJc*w)f7w)kC7F@c6$w6!0f7z9AgLrz5M?yNNSQVprF z^o_+S#iQ{z&MCDI*+MAW-f`CzzKeXupFjZB&^pZCcNx>;cVKHTvfFL3CMKFqm!<$_ zxTFnY_SRqw*2#CiCX&7-#|F?UZBciz%@0|t76m!dZeDgaXV1qNR?y7Gr?d01A=EC0=8(=>MX^8?8!ljRmc>2@J z{Q3|m4i^@fuN1tBgb(Yd2};MSp5FlSVD{mu)Fk9Ftni-HM-6DSg{)q$560c_j|diavo1V5N0}Lk^fQBT1}ifAu#RsZMmk{~9Y$WmduTi!%IRq$))yP7p4p90 z!`e+?Sg{?}T?tNy<>j6W1)oax)o348==6f#F3rnp`OCNzt4nQvFwg%5I)gxii+bDn^y7r?XpQEj@_yx_xhiW$0>G)Ne+9Wc`TwUd7P0rsI zl&RQjP{b*Ii^~TYaQ|HWT?JLjmAuVxHYx1_RM(xdo7Uwr%j8-D04>8bEMFDfISC@ z-ofCb4n_=RW9hMm43MDa@5F*K zIvhN?WAzR14J@&5dSCK2R87Dpxig~u^w+hH`tm1_U(-Yv-en4^Q~edz+QvNbuDZcT z^|ey^1|>5Zx-3Zo?nQlqis;1@QvP*y8$r~*reW6$?BjAk1hW9|r!FCab!qQ~P#2tW zAuKr7;{o22Fzsv#jx0z)_z%1d7n_RBd$nK#JbNp8;1SxCAlx1s_`n4GsMHLM5W%WGS6 z{&a8i9`oE0bViH&Qbnic-~DFcL!Xw0S;t@>zk}cuor!=O$!eDd`_HC-g5mNnayXj( z*8G#%ire@fZJI!0?4QBu`b)%E0yv$Up7+F$b?%%Z4#C;NEXQk;7u3F7cnSj5SL<$S ztW69FH6JF2sq5)jjfu^1-eYYoeXH+tiSBRAcH%Zg1jFVikcl{zeTp@HY(C)4V^iyA z;I{1a6K`=d*v(ATrZ@rAv~I4^=F4^Ytln*B437^o>0A;2D1>oTO~UiJc=j2NEX*Z2 zaK}7pAT@6T2qfo(cP%p-@5ZZ1v{!%zp2oub`9Lw?e(o=2ZqPs6Q@Q%ad$cQ5A?KUt zH4Wargo*HG;dWVq!u?6(OZaObEB{gr^Xk-L&>YkqS9{uHS=@=r-}QZa@Qm+J`nO7k z#R>GT{#Hg=_8?h7W-Is;ZtVU5NDp+Vj=$23jUre&m5$S50#m;`1Zwmi1W z^D!if{8QZ<83R{dw}k1!?1MdjIa`KZ&YetG2I`CDJ<@i0K5*^C`k2tFg(+hv{VydC zsH$8EXK#i77pW9vdZSwtZLRbvLByg4*r5aV)sQ@wksdk}nMYNRx7V-ACHaPi}k^nxPVohjokafrw9h<8fWj zZP9hbokUsauD7`4sIL{}bo91!C_ z?Fckh?eU#5zH+pa zJ?x6UL(Z7r7`Fb5W!1!6XA;)UF@2o4amA3J=*`cob8YWzJC@t_jRQXiwQHJh`lQ{S z3qwA!AGmFrBYx2HSdaFHpDTKHI2O{ir{iSI>=5IqZFLK!Pf{?GbT;LekmQ#5xU%bU%&qnnt{oR<_r}(>~pu;ysJ?px=H^d)C!rHtG|6Jj>C)WsCO@`M`Ww$o+V8x}_NFvbh#d**oGn5fIO zZryV{_uQ_HU3-X!RDF6%IZ5Gp&Z|#O<)z%YP@BJYW1D%MJ2lP@?zQ~M?eo1d81seR z-R=~u@OBppvkG$Uo{*@X&N~f7^<#1{Vjd+++fe!lwpqWqLy^+_52i}n2u zPGySv4-p*t;_@`#rQ(2f^(#vvy?gZoDi5Bh%^#bC`wbj_)^jS|RD8-Hf@`O^9u z^{vaMdeiAe6lj) zr4E;_lrA=ZbY<`ox4vQ6@@CJ~{Q6?cx$;$mPoCmdJnZIS?+!dhY}3B?=L~Gzf9WPxUa{kceY;&dg=G2@gFBXX?H2W_R^m3 zzI!$(eV0;)R>Ty%Rr6?z6h;vUz6d z%U>3T2gqNJK2kr3}U+6*&G}4 zr)F4i-{(*7#(MwecCA%jK~XpSiUq^Ip1GufweQ(=){fAaho%;s2ab4zeMw_no&C%s&3!xE(BM0Q@i(e7u?oX?`nPUjLb#89V z%iqtM*L&*sDrd_bwBFLM|Kr}~4{r{AJ+X14ZvFh2iE%vW}sB*ph-(!ArZ)a6QRlE0mqeChkz zp|bRAK=$ctS6a&X$@^$R;g;^jiQDf~4_(~$v%0eU@hfiC4lQ1Fo*VJ;r)*?(p93v9 zi8H=l@tJMnmd0-vch3KO!;&rvuIJKB#qq2m1LEFZ;M%r#NYvzxjY;u26Q5YV?tW^~ z#!nY+2unTl>VpU?8)RAY&WHb1I8*zp$|p>$7(3=)rL&(GDfEYjSoYO_sI=TT1r@gc zfA;kMSPe;GJNIM*{;7n-jBe$PEgbXGn6Z<_sNiAW@m1vv9J73*CzOLZpRZz%;{Vm0 z2mbrzQOrLtf)~$GwEGVw-HfFTs6dHS4TLBeHSlJk255=k0e=vzMhy+PHxRsvBM=*> znzodLuz@V7E4RK_LCT~Ggl9m|rDrrGoDI{@)k)e;kC~t%DHs&mbfsq``m+RU-uuCANN()}PkVX#Igf zm=(aTQvKH;M5+Jt$Eg1h*C9Qy*!}Nk;r-Rhf&U&Hr4lX84ns+`D^&2H03kw94kmpO zJR=CzMxYFn8KL-PCU}5Jh)RdjZ3ri+Hc}>EJ)>5|2yrU-6UbmwSY{DHw;2pV`5R=LZ^1!NE6$Wn62m)t= zkmi8O3!kB?jj%@nX=ErH0z!l9I<$V-FvQft=q$~){IR!nD*q=rrng)9xPMLLkAeCp zjOF?+n8>;C3#bDB_u>4%4D$bFf;0YWf*GuO)P)HQK_~+;7^yYt_^^!D=|w0a1E%;r zhW+}#sa*dvu@M>ndGx4@er90ezvuhEPs2xCRm9AOL+bORp{z2h%Oho%E{{H9sX78O z`dUp~M3+auD7!oom579ez~f(Vib~l9Q}y%b&v6H=3OO439HeI=!f+})!a=QnR6<11 zmQkfByC`SCYB&=RuUnd(@g64e(Q%a->v63rJHB;lL*nW(-s8x?GXdRnOGnS_rhq?0 zFU_902VM~$y>v7a9~Z9+tAyuY1OVpo3xG13aJ(8`O9{#r2@27{M>0Cp0$okn8H^Vh z7#*C;j$w!@h_GEyHXcpADouv*a0Gm$Zs}6XtV6AH81!#$ca^ti`M<5zx|05^yU!0Hs5m0adt-mq) zU-XZx5isyZ^iM5^jfwb|M1<5I#r#{GAW<_wCB@O9@&BRZm#i4XqoHjO*wJubE}07g zWjvY_(W>&0t>CWyS1B0Z_*W&1-AZp6w>tC#QZ$lL|nTdc6Bpq!GvCR<2D^h08l+Rw@1=gItZop4c%K zFHGx+`?K900#J>+0dyIoE-)Bay1k+akj%FD$H<{wE! z5M%eMWM#oZC6sn6v!HaBJ72*jI=*KwIE5s@Ej4u2s z|ALBRZ8y~o1SK`TCX5jlaKjw!jLC90#blYREevBqp3+96Kn@vZ~=B4Wueg_xp zzm&rwN&G`0{iMjb&85gAuwyP47t)GdI(Wx1R})wIQd&HjEi4pzP%iU0^8O05lzxT* z0z`QS%KTH2x|=js)r|R70hj9e&FdjC#{P7B+6BvEwMw#r@*Wo@-3rw7DQrW+nBFbr zP)3uihAzRVWBnH7)Rbr05lYUtw@PyUVRME2Q<*+^(R^gn ztyXgzP>NWoD2_vN_3^NO3fh^C$QJ-_Yeb%>Ty*Q(o}x{M*f@~z+w_-k&5?_{7)As+ zu35GQAxGX3>xgIdD9L^}wMFH$$~pxd$xr<<{VJm@SMI3|B(V{$J`#MOwlT+T_wg%0Nt1wH zpFShBva2Ht$8!fDnIJ6mZNSU89mZ+aG5$VstwNuq#$Nn!UI^RPl1{Y029qJeX6~wM zAS%3yI#y1kJ*2G)?+eaM6QGloCL*apL>(IyfFt-3FBG?7zC%->NB%l0J4RHIuKi%gdAf97HxmHR^vL` z(f+2&T1ul_*Mm4t-WMq7HMyYGBt&Q;9bsgMFS4bd^eU?MQ|@17{wnxt;s6FY_!#zT zPB}w6$@@|DLTa%4$vl(_SQjMcrCpsO_X|Su)%FF`k)zC9Psf6wWzA_CEn0ESK9G!S zi);2463L?zUIu9`JFZzpqorSf1>Y$?f#vb|__QqMDDCW8h=jGJcW9M&4077L7N0V& zEM2cz2rA3-)CHZ8*ast1kg%Al`du79SBxx(W`~ zVq!I|E5OCZ-~3wyCFL|AL6j#d1vhMR_Ge_O&<#$A!Aily#^|gX{a>v7CX%(P+=@`9 zz4!tN+WNd|9R`RB`vUHF$*B6P!L%)mqzREWJ%Qa%91KMLl@u2J&_E(oDGzQyNi9bK zm0}1~b7RCBT$9Ru3`Wy657(rF8n#r6Yr0CYKwOM#vN%3%5$yKT9VpjjdNKVWHNfnt zj>3bOWM?*fu>?R`+jCOyS8qmdEQ-J$ttrxZMp~`2yMdO_^j9bu<-LdFLGE|A0d_L) zkJ?6E>%WR(ybrOF>*5-QyiZA_ahvU@Nbg^o_%y(bp}IW!n=t`|yaYnN6w4HL0_nPw zbw?cQuKrnHgNJbr|7}p>8!ROuae)fWShV2ZNC@4d5be7mawH?X0!+P2L9Fwj(HPQ- zp|E@(EGz}7?JWVq(#QGYYNhl%08|V6z$ES0O(Zl$-U^Cxuv}`9um}!wQFS?Vn&CfN zYY^|#Sos;!>NN0&c}VA0UyKsJLgn{ZLra-GN3a81%WLvDRNf5ctW98zN_szl{_S;| zw8Yj;?dif6&}U;Lq+JnILs=Pbp)Wwwes*;JB(P$Z?2u|7T9!Av6{g{tX~@*r*{$=4 zhJPchVSM!`II$R5vO z&LDNco;7R?;I10|Y>an~rmsNUmo!iE42}_X(GAx;q0PHAj(=3R`{XAh`&;s+5Y&*j zQj@EBm3Z6(K-zpPc9&>4UzGHR(o(OHFDtoj*G5HGIKmh2DEwh-Du z3{tpv*+>Y8wu6tZ2(&nYQrn?q!=g~K%w~>resXY$Ei!u3o5m{nXLK_X?#Ew|`?Ap} z{eh&IK+9A$N|H9A;hQ5IUzFTKEKHPbP}FcIq7zdEl*EmGFB8#yT&^vi0~TM|iN#Bbnm0=md7>c? zkwY3`qT|3Si@h<86DfuYY z3U<%rMtK*$cULpRyOhqbY2))g6>E`6RKpj~0(s*#XaV^4)7f_NZp3$?TF5M{wxyZ$ zH-+@GG5D4tLu3VQG2!or&@opRNrnLEKYX0VCbQdsTYxrdwHnl7Y&7K%yiuMXXnY&& z;-cT#aqIwHOmOr2peddSByjCd=vy8_kzEKfd>zb|=UxPd3#&>m%=#%-H;>I+MQnS5 zU}4c~Iq%#AvNvNJ+pci!pAl^SP2KRe2uOqY;{*!9z=Ar0?RV3J`=!HKFXGRWoG6<^ z4IxwWEnEN{UU(?`O7jEGk`ry)9LIk|h$pizYdS_qoJmRKeP~l6SDsdqyC3O3CV(WB z4j^5ewjcqyrUC~a6KUDT^Sj$J2c25ok}&Au6pin=pjookf0eW|1;jE=ePAr|@l6h! z2Hd}<<+gol-@C?1&hAAZ!rY<~e`U&|kfk|P8mQt*xepzBJFt~i2teaL?JAk+KP1jV zLxA9P398#(-3DbE#%N6Wp>jQ`ejBVvv+Cg}IqkuK6e0t?XJTp1ZZ!*5q`T&{Wtv&l>daYRQ-u z9qz)JT>j9b(g_$)!Jxg`j8UY7@%f1snY>;Vox$QykD z^22-olG`94tM~1~BS=)yF0}WV#+<$e?|q<&S)__b><&R!+~%ZE_q*oPlBdb%bJL)BRN~->)3KY_jm)bSe}JuIxu^} zc0>;vwW)0iK;hcRAE2oZWnH+VJzWLcz>%djSL_DV7!@H5>I=YB~dZ#1KRVyyFGh zB9&_nMq{4Z;Na`vYKL_5gA2IG>hai4x@E>Gd^up%y*1=q^-N=2aa6I_Z!pMo(^=5oLXKI@Ly^%w%d{s%Hbx1P z;pTfsBaDVaa)2-xf6m784|uwS&j=}=1}w4oGd9_7f<#R>NN~_kb+zH{_t*@>!DKo? z8_Lp<>A4_l?h8bAyC4i-WVPjJ%sUGE3!*WxOrNbfq>u8$_Ed3(c@R=?Cs=^ppJuLrt)}9^nsd-$p^o4IhC` z@L-rBlF(ZBf}Ah7T3fDKEnDM?pUeV&%%iq;tGI_@V;iu>m2OlzU3>+ALDUVKedb|q9Mw(=s4-!G8#yN+Nbs^BiiPwffK~BSS!)`W32b_dZ*v9mW&d{%SW)Ij*F8=W5*I&%uR%B zk{;+IRwKuo!$kyCBWtClCYvcz$N=1NZe~_{?Tb)h3veShr|{h(?0xw2-JvmbYZ4Lo z*kCqJ=$T^`zeKvgFko0HS%-CzVb!l=yZMasZHMGk)xF!0%l&)Ev*4{Z++L2&#Ie46V)+?qBDLr{^SPq>h(E$iT1FFa=+iJKz)ZLrO` z+}pnJV|<17*1Cgj_O|}r*qv!%{f*dY9+xv!tVaGhF4)gzBmeZ)bRBdnbUAy-8rB$& zH_+56zaw3}4w8-R3-MV8=@)G&t9w7Vqzkfb?v^=InZC_fa7-!pQ8=cuSI-v9pQub= zOB0Z|1($yyy@$j)Y|}})`f&F<*eZ1<@z&J7})0ln6JRyZJIByG-MK_#JMSmnw&ZxZ*KzorqnO{tIN-wDr@5 z3ZhV_iNBUW>gsNCaZNn|S~gP?m)Z_?!0Ks^<;E{*uD2UsuXR09G@ij5j4pl)+%#l< zL1*Mx;Qkc_q%9Cmi_a8kVUEGBy9!b+uECR2aDL%xM{iwDkkMRGO1cYuouSB=)}YCC zggu)t%~E0us0*^mxzB@bzp>icVB^JG0T5IaM=^WYkDWo{>nhSLs&Vt@XsrH?aAI^Q z0J9mYm4ev;0(N{+^I^qz5WGYFxw|o5-iX}AI0w5XhoEx9^dRvH_J=UGi`yXEAngb! z@G7=;X1Z0b*?yV)*|H0=jIt45TteG4WfS+s&zacNbn#{Mzy)aNp|N~O%A@c) z{PInBdiwMv~H>uNPbDPH--0wWi{jcRh)fJ(<(BZU!c(#<+B0)4%k@I zo2k;_c&Ac6j4}(Al0Up|yTA%t<=Lnz0XmE3;`UjIN@6KGkIU`;K=YWt^0T_)#@A9C zY|n#fTg#kSU7MiCfwY9&p?1qmQhY<2Y7eoNu2bp5jr`S=%&CNOSy#iUfj_CYe(gSP z@Pz{}g?qmyO0w&uL^EIPu!Ij9dc<#9Vl?gtLYRvAVY&`v}c*(T=$Z8v6bG(^r zMOrTO#5uNTyB&z{8k*+YE_2!{g1)mI4!IL-QicN8qK={BD%KrtdZE^CCepSLcRtHM zyCgjibf>cMrdeun7}_4j-e*6sS=-A2JJd3m?dgo03e3-D(1RXuX+hGj*d}#dlvbPSdqf=%D+%X2MLGVC zkr*nE5KYz>;Waz>=ZWGR)OZJ6@zW8$x!`BtV5FTv2M_Wo#GwNeLJzp0_#L(U<6I%gT`S{NRF4*wIpBABA3mwpP!+1UWz+XkiyFK^;8~b=19X)vkdxUNGj1-87&hw;eSGHkO`Sn4-g}Q)t zkcvYs4}$aK5Wa=d43{DtJ6tD%r&&a*_L&WdL^`PO#cQHqy)V0~hJeePGm6yLy#b3 z0(IN~CFEUipvp3OLmbJt+6Nn!MpK*R2FSM}dIpJ)!z=bF*nAq=D(w3!_&^*~ZL z3^o(uUpl*jRVBIDp{}LGjnw5*8^}}{4_~s92mHki0^`d^bc72F(8N)aB6A>D;EAooT1x3TXxXTbj>6!HL*UYtN}|+IE>sdBako{aLO1 zE?$2X=)NON;lcPloUQL0Y5GGCl~~~%hDt1F)_+OJc5gFIFs@*|K-saDu-CMUjpna$ zCnf=ZY%PLI8w}n{T9m5v8$$zWX`9(cbMc4FLkiYVHQL)``6 zb!dpnT8Xj*hMOx1jGB{g7)k~>vxTd+Eil3J8Jov8zM@z-yB38mORGiP1gq=@G~p0udxMa=PL0 z67pn1pGKVB;#g!_$XV*u&XsI3eFiJ>BZxrH>bP9(`5<(!@^STQ?JGf+KtYo$KMdy5 zkW70^Dn;!~O^)VMk|Q)3%QH=kF@}ClQiU@xDATZT22!=hBK1;mW6Itm!a3UJV1(2L z30G*F^p_%_Pw1OgTu{~?z1Tlkch1DNP49)>A+TkD)I*I^;sN?SQTAX@2Z(1{OIW3# zhnQy9jU;SrYJ2Gj)YX{#sU5&a6kc}k!##x`oXOz09TM$|JOfk2O~Iij8mz-DEBI$e zPF&Q!qM?;sIxtgOO1c51=wqY%A=;n!ke^ERdqOl*Z9nRyr%Lxh>X4r(t4~0-ELsV-)V!_>p?Zbb5xtRxuBG*1?-= zkY@_i*k&V76*aibfv_>y_Qqwt8&n*6ZKUu8TO!ZIuD=4HcUeCn*l~a^^X{>%(4^NO z=@b@=6ygv}=h0q}ldf1-FcJ;) z{!`$zdRYv@%wBe$+$Y9>)M-JwdPvm4hXvv45|}{=jsxKc_1o$}P(X9tqkOuPyqcOL zA44@0xbCTmt^_3P^=?WpKunltxHUUW*CI8gD*M>Kp3eP;Jlz8QsiOj(un?g+Ag}9GF z?TNc+8{Z9R0`78ohrU~rgwk{cuOW=nA?h0<%!QiqX6`d%m$K<-`(pD7-yqwoaqivD zU6$}LvaxOiO%=Op`Spa2k+QVfY_-@Aayv?GuA1d1S7llh{y&*vwuAOeE7-A6zE9WE ze&E`QQRK2^f4`zZ3SiGnomd(QfCa~fS-Fa3olwyQoDV&8uW*}7ql-!u$GW4k#VBux zqhazN!Uq?FnifO5|02cSC9T2CX_8r@HvJlI{d&_J_dt+%l2<8oAwiJl6gP&*odO%e zEzcsz*n-iRGdq@>&gd<@sf{U0+uYivm&Of49h*Lw+a19-ojhDxhFu$i#4(J1LTLJ3 z#NY2uSEt2DLlq=F*8;4b3TmN=+=H};g8pc{grs2zCUbSR9E_zcY7wYq-?oNK{}fY^ zu9pij=~i+SrvqtJ&8$DLzITZG626%A6Q+xcKQUFRt8B&bG+f-JhPHwUZONwvVVHhQ z+Hj|(%NX{>>50(yfVe&d(U{tyzowENI)Ej?9_0tKEK zxM&N8r)xe$skCUD%5qMd#;y4PeNl?$zK^E=g!0Y!YJm0|g&rI)F=% z0u^&F;gh2BeIJ6Yzwq^}0!HeNi^f6H(>k%_C&UgK-wyvc3XxH3fH`#Y@T00J$MDMY z=*J4gRLuPX(JlKqcf0~BuF^VG#w&7S%7BM8SDdQ24y~#wsgtEhB|EyLRzbUz zZ9`?Z;9S8ZB*kNP7SvwfcBA~+$nMK3PNSFzbJrkEt}8x(q)Tg+FHWI?Qz(nULpI~A zwkYj;$&ZW9Bbt$RZ!uERj@NTB%`i@qwxbvQa7n+`i#}0s5WV;Vt^5Pg=LNG-SpWuy zZIvNX&>jbkJ*%z6XlNA3m%KucQSr!{@>m#+pjcBDe zgm&%|o9(_6=b~3DBQy>2V3oV8`>e)j$ZwO?gxs%*M{w0=1#J;MBOEO`x~y^H)+^c# zhO50RS3%O+Xw#Qkt$(?1`DPidWuHd7e`eZhM-8c(O1d{@f!w0>r?asK%QtAbiR^*L zA2P$hD?mP*#ZM+kf`i<>C@|)CrwXB^=Jbk$~}V zH`4UAkz~uyrcpBD3Xxo*!QKzGZ>b?1PMT@E-A?*Ip}!SN##+V?p^pyEvu)G5-eHV& zVl38NhxS5w@-+TI5Siz57*aL-7-%I?-V93B}(?TFoHiVEXhJ6Y33;Ff!ENes3W@Tl0EQfTaL$S~VY}^Mq z$g&*2nWuZ@XzX7@K5ES>OakX#EX1ZHLhSiN6yidK1@$SogNwfKN3wCbbQ{%wFRX|yzwvwDcGqkj-vK8mmoCaGO24y0bT>Fg}tT^ z!dz|IsM_~vSKDsec#BfrqQWxGoIW4Zn&zkI6W4<a45oQpLUYcE zhjcaf3bjM|#gXC7w}LWqx+aJ<*?!R1jAR#P4QZ`G(;+COatP^fd3P*lcMX98plzR| z%?f(DU)Q07sU<|Xdgn{=Tq!@L1E~~l(>9i#L_DMx9#WI-&0rbafZrLjIC6lz2=QMN z2qEMw)I5P^rT;;itH2>=C4Lvd1GRM#dPNht#cw1y#&}EDZwN7&daa+*IiE3*IVUx%_<5T8yI!wH(KGVbciscWYd#u(L>+npHmpc>X_eNFS_>XMV z49)ZY3fzPyZVxuCqKh14g)a$$FiL!F+31HIiBq@?Pop)$SvH!V8BSzrIf2yT#=X&o zPbqQuVw;xAZvnhi_=)ng!l8M#PAWqUYl)8^=}7I|+}YefOYC-9Y%_K;1h;Z~I9}0q z)1luCAL)c|wKpS6+uOE$HietZcx+)|mgPF%IwlGBXC};;Bt3{Q+z%G+Fp1!c_*vkcSrl*U7K^u|;Aye8 zZ*-=wqAll){zs|H?Ed_Y2tU*5V(9O+orQjQw=qeZ)Jha9S2F&Qtp(hhjDG@PUYp9u zByY4avG@wqD!p;Ww)j*1sK`tu_K$=lo%s!?D8H<94#xA%R<0|XZydn1U*8IZ@hyA)D4#%$C;2iVuP##FkS>}(nY6`r%=QUpoaF0ek@sUh??3>1jh5)`Bx6oy^eUU7S!%&(hdu|d3ih3t9ymI z1;D}mhW*U1R-o=8hw{fGws(4Xl;zv7vKhcc-uM`uH@v5*%h}q40LvRAw^smnoRqoK z;NMW0Px9OzaH#fUcW2W{4b-u#Z?Xpe1W+3ZVWY)8$PE&((!o%-66nH#xxx7-y`X7y z{A^jQs|jQWL%3^sLYM?FbKZ2P*0OgjfbSe{)_B+v5b#>`yQT3+OhahrqU`NwkXJC(yoS^KVx22o0ChUaQT5tTr>vOfzXF?SxL+geEjYlQwA+Xdo>qw9rBdEwmg{2v8`80tKpa zC|aaq)uL67VwI|>s3@p-qzWo3ZctHSiyKr>P`03(t$6%BX+`V1{ax4l{qgIdc*<*mw;UsuJu{>_?C8*7VM`15}BKj7M>G8eO z$NB*EpG5W>!au(jED$Dw#GY%8+T%ykDbG=Cb~28yX~;S4_?n6a$)O)Tuf$jX+^6a7&T%-uD^=O4a|tO{o|4Bp)^R!PjBD&86T&>`z5bhf z9Tsh#kSdInJmg9v;aE=U_!ib{VTOa)*vlagMAvdD^j7Oy-tq%D)f8no*86lc%QGm} z%OAX3^!rEP;5i5g@nz%AQQ&<5qoi5Z(EH3U$I~sI4&bR5%^#~p4_NObW#Tp7iLha- z`6Y(0)`)&@11vOLuc=qG`zOY)7;m?xv!77&bai0y6uAIjd1KkWiSW^SPm(xk z%BKh@wp{Z&xY>9?dN8P#&LnN4@?k>izf3%hjUEG0V_tK-L)S49j*_e@Q!W9j~G*`vt=he*D;+l zc-F-?!JwvGQg@6ohvJlxsH0F2L)mmDtESMNA*SmKA-S{wG%|iti$?a|h5SFj#q4@7 zR&m8D&&QdZ49#Z0XM{1HchWsAu~oMQ_jM&XDVOWM-Mxeku+NwQ?r2P#z{=!&vpzL(o=YK*5w`997Vx*Oi_-L3KDAi2XlFd=`9yj@Ag z{zqdP_jaBU3XP9YXThce&7;7ZGJsnLsoxK=5c3X;i9nCR4Hj=HhgHc+yv0xFaQD*1 z@@mJ%zzxc!73K$zsxsKxgoiab;cIxG;M10aN$z!(@f9z(7# zW6iC}-tTum>pZuKE%_uvbZ`UhDBks4Us|iiJM(xF`vqCWncsH z{4D~an*6TAU}}(-cwz{Dz1BRMhahI&%|K;r#{2`|EPzhbSb!2BP}D!Fg2RZ5AldD(@g45p-N#r^%1pGM zP16rzgj{ox8X}RM6FO2X6YvUrF27GSIHfyINd5$!Fm{+L=k}2+VPsXXJj(qK&)qR{ zv7E+vceZe!S>?E3e_GYk=#B#`P#K-bv;&S-bvi zn}ENuXUD_-ko%U)gSCZQ$L+AzsZDG=6#R8j&y=zNG0$;1B_^zFMG(kWo`aOx2vsVR zV~t=V=hA|DAXW%{)~#8rzQ1;zrmVcS;VkL4wGy~vC=wZy?7)Sy(OiVp$I6%6pZ z)Y5$=yHvvEljD!CDyc{QMC5-KgWszFSWR;QaR<=Vzu+-Himw7B7X#jD(V|G*AH3GR zagsxwzSJl=NAI(`dA%oQWMnK^RJ*V);R@5iGY-B*8b0WRYQ_X|>U8O#cvaDP^?(KcNcey#Udj0aJ0&+&t zwO7;na|t+ID~cy_=r6S9@~* zo=$gV|9;-pd|fR`=N~6_S6H;Y{(kb+oI+o?+8O>h9n$TcRlp?w|A6EDUwdBcMO8t= zb#-GFEm$yfaSww3r=R=i@BKHnZocouSnE440{$Dw82&pHbq}Ne9g4b(;lD%C@1x8A zdqdG*GAZZ<<0v7fo9`q(BTD)*BeHPGYzOF63h+}ea+4^5%5T3Ju6}^i<1>C^F~LU? zkag|B-UC6O=?mu1tew>}3T(vsd$4uu0T=_$z5-|cWqN;^#h>~KAI6Uop2FR^{3YQ! z9o)A(QdhQMeq@$o^!R{dn9JeJ_2%+$Jg{U*nWWd`xZGTU9;tJ4b4msvRaSOc0BM{# zxrrqUkUHC&#}z7T0kcKsg=p+z(oier`zqq6Yyh70I8i`FaFq{gfuRvHyeQF zYFAb+{s$Oq)wwxYupS*I)~j>8PM};Z=z)f7)Wm^z_0|)T} zh}J?ba>yTqWOF>0F@7bQiWhIk1Hq(#^6(-o!0Jxp%+B**gMSz#>GHbU#h}`mmshqr zO6edxC1t8TxjE(40POXYDM*u@<NPu`Q&&Md&atD4>8lcK@md%H|xLok2a(jbM z`3jLL#~BnMSLs-lom06Bt8=qF_(^$?w9YaM>%ifxak*Ss@^L&-$waDLHxOqka8XX# zcaY7jys{*ub~|10hMcyQxL%nEIrVrvcp!k>k*B;UdM;T~05omx;QLTy>THjf`ZR<8V7!P7{U=PV1UklU7shoJ@A_N#NUJrD(xBu-T2crC9& zXtB!cE?Wn9(em6FRbIBm3JUWJA!~V-lW^8TjnnDO!E157s8{E@^0456I?nc%?TAt3 z=0;w_1Axig(uOO5@l)-|$&z#Z;Ouiboy|VK0SYJEUA{FID%b`1p{WRElT)}sd;?B! z3z?9j)1B4%G+rd?RbFqf0pMcek;>yFhjAuIzNvHE&hP}Rh=t&rDa9zS{KgoSJG&f8 z+nW<533odyp`cvlhk%h`%J3MJYfHy(iF*S-mGH6ZEVsLik5xIdgFoRy@DQn>p4+8~ za3ctZiawqV2PN2)mfZ;1%*ujJcz3L@qc;H!beqKg+4j9T9s?h3_`SLV6gBjQzu}?3 zb(D>3O8&V9C!DQ%XNHxd?vmwop4pcu@Lw`et0T88z0oqK1!=M-j zYO@SZolBc-$T7IJ9&N56&)_xq41)}V4fzJYVTg99A)qZV6dHyZf`%gPaKi{gv7tma z(lE+Usw>ltHjFWZ4CRKghH-`pL#1K7c7mZwQ*C|g{oX@NOzn)G;pN42{XJUi{qMl= z^2n<_!^{7=oc?mu$r6;SY*+?W45Iii8KAJRt~U)kV9#;l8hL(|~Pdl>$WK!%tscp2dHPw-33BN$oFpNJO6 z@4QL#!pn#C6v*2#`gdZipL_@fvJw9Mi8twLCjKv3`^)mU4GYso34He$JOb#XC`Pfg zuL@~;__0tNyeGg*1zcItc_jL$?RkrGWqlDN9Es^QokW?Sdj1S*{M)B!cK-7y{I~~S zon=%6aRl!-L-WOk*l8G=aEuNbaaLa~)}aje6uWNSIxZ6%Vzk5n2c!StR6KB!s=J}b zz!lM}VxcTaG!x+9PtmFkeRW7na0rT4k242jIJXa+2b}}XP-#JC)~_OPi*&U?r9;sq zGl*v}yhpoH->g2`z6PRETi2fMT^ppVC_H^hPj%c$^lz)IPo0G7c;=(->iEwm{l7f_ zUslIZA#aqR?yikgl{#7*eQ4jI=xWVIdwui|N`7mMu<_3&ukQH`8Pr!#kKXw|kHTrU z;Q!G`p*XN1+6eIoc=Sy8mVrR6J_e4*#Qr)p`q2;zUt&|?1t-R4p)9P{#AM+toI5zy zfVJ@55StN`jsUFzHLU%;Z%Rob+P7G*5tPcJgur3zTg5%So>BMMpdW`kuvwtq# za@e%@lx^M859zbxH19#aYDAHcsaI?mh`vk(|Ax}|{t zm(;!W1dW|;(XZ%6I1?v~OI;XQ0EUs?!fb^L>R{H?Lo;yBs+yHsSWF*B6h$;Rn&=? zGZ5I#NoE<80uIRdxuk?64WAv%-_YV>(-YY*3nn4ku7t^7hJ(>a961ewZAj_uKK zam~e`tRW^iT%1Ej89lq})ZyVpjdBVt^Sdxv1LD;52&%$^l?C9KpviJOjsvz3W*<%_ zEfBhleaw14X#3>`MJA+*%r7-a?t=A*)F7qEfXJIjDF98Tfh2+}{I$qdsrm;hI2+^4 z1v2^kVM;;Fy!+vkoS|%uRn4t!8b+Q*nas*<(;>7myi`gdb>5(4bOco85tm1WkB0wE zE_1svXFCc~1B*42;Hg6<%W{K~S_J%z;b4^Q$3bO3XN|AY_dR(=j-qchXHsNBh41i0)n&2doPS9<-VCn$Z#jp zV;w7i>U^P;FBs?-syor4*_tS?m^_XIK-#J6+RSe4sNeW>aibx1QMjh2b_vLWXe1Z@ zvgH~e-EPj!UtRzZm?}%2R8EGg6qNr%uuFJ0xKItdkQO;&vpr7YQ6^4R-iUR~W7h6% zkn`!vo$t{{$ZH2z?i~UG6t@UNNM#Y=E@mQfJ1n(^7iA%Uix^QRSq)M9_$)f)xSQ>x z&L0%jRkE#({)hIhuB%<(cpfSbIL}>1s)m3vy76=q@kZ&jY~MsNf5H#pTrh}}V-X+O zjN{3~gY7;8!j&n?au|=mkQK-Y++jPbT;C^hso_^9y$i^lFd2kr>|SnZEmi^GcsM4R zD&?YhUE~;)33C(eckH`jVj7@k22?as6Nt=gf1>>)t~sk@E0)s8bRftl zn?UooQ@rvOQ?a{U-YH5DWRb#*0v+R2GL(MdPNl(JBk(X~rAjPPen2=M&4=bQ4zT`S zJF|yzIv(Wi+9h!b&36h6n-eb{v9wnq#^-#J0mV>KEHG#Re>fgQM6ZW)Alz`%FJ#bO z4bu$bp$g>Ibrc2t%qNhGM9kzgZ6c#xrLm?PH84!DYc=>GKw2>$021M8=q}87$Gdxn za~Tb9GQ&{0JX!(nLz`Mj9eet2s3USaBq#ohzH>U(-IseEx|67*V^q(^9R4*W46=}s z@T@x5r9P*HowYbllL`cPyA0w$+OK0Q6k+p|WEItS^PiomXnHfSE%HsrOlkzs^w8aT zgn?!dp`-UrA~~eMq*r(AqZPCv@&mYYci=6D-n%eYN`^6}mF58$792g~`a@crB8H9G zY8be%AXI>=d}Yy#$Uh!Jo>Ai*i1F=|ZW6P_TJa-SCe{y2kX&RH)=FC}xd00oO>4=% zf`1|T9m{!8oFI%1G;n>@H$lh^!gYa%nvVea92rkiF(0Jdr-YI2!h=-G1p8Tb=K<5d zSmB;y=h)He_FX%3+s0uB>Bn(9^+G~qdiWU5Rj!LA?oE>;&ygdolbNi23-BCfvY2Zd zA@^l+=?L-z!%KO)zS8g4n0HW;t;cGg5!np>Wh!Xdi*a>Dm!8Ja4zww%CRNIu{K>CH zwI4}xr_rV9YrI!&s#Y`d(R><+wniA0ZLwT7y$hupI~dZX%!!9_23MRu&V1$a^u=G2 zC3IYHAv;Y?-jM%JrU1zWF@n?0R$ctH{&NjpTQDp3upVL^@a)d@AgQ_lxnn{v)3zYt z62;F@tI?FmPKXQtT|bYqdo>(SH-p%eP!m22Vqsp31Y0RQ7<08Bas$eTqWJ@mW@PRB z8A>@80=xHjx!3|;-iAMNl_FahCq-5npO5ESYjZ3nUg9e_IUjy$9$;QX$;!xh??@q}4@xfOZH(@(QeuI7d=zXJikA{nJs43@ZJN z>b-NB^4%@WQIPd^Ag12@xthrrv~-n_U|B4($FGZudA^3CiK{ifa8{{p^75%0$d6 zmJSjU=wMX9diDILae9NE8Ri&8#IS{ovXqhAY}P|J(8t0HNpg`%O9oebDU8LpMuEb& zH3P7f-bSZH8^QZ>CTZb5$7VW$EJ!)DbzN* zl?F};nwHxcV`Qk15=p7rFOL*iW?JY94Rb815g0lho~*JhhkD_=7ruk6H{%U7=y?h$ zFi-pU$B-n&g6Yd7fG5Jlz$uL}^cZ^b!i$}U`LE;j&iLPH9&H!oM<6R*0@ZRRSV!Oj z_w(!}pwSQeMxo&QT_ItJRF9`uBnUE`78wqdB(z0vphjGaSzHKl`QcvLyEN7IM`g(P?>Gr93fje+rOM zc1u0l_C~I?-HXNiDUy-I%fZqa#<$gF0I=XKW{3u^*O3C(UIYj>F_+kJUG0-7S*h*A zz8+tnVa(QW2^X|nLhvJdoxzr~_X{S!eh{4tRqwbwk}MP0T9v4cHory`Vsn#C8SyVX z$IJ=OAjKxXK}ut`LM{6qL$);G6*5GvXk)IdYZ>5+!CZpl*`o=yUqS=(2`qcFhPCsc zi!wB-nC{G{BRLl5+Y$wy4;loPo6K>{WVi(6!0|w4q5mZno@vwV{FEt{CxSBiI81lc zjOfeO#aq?{mUrZbey`Vo5GenG&?XaTHH=m=EBew6~<^`i1HvRw1? zM;4B>Id7G9+$S(MxRMZAgWk3}lA7K+_BdT$5uhnT0)&VqkYzJJkHI%o?Q{*r#7F;a z+eB+uzJ#gOe=Q}YDrMp}B9FT=i@p~+O`3`^q*!Eun$$j7WJ>A zC3_c<5*QMG6QpNGfyO*86@QL=p&t>yv(PyjG`gLn&{kO7#mvCN@Jg_uSr!x(!lK4< z2P-7-JJfU}nN(coABmbP$Vew8X8AZsV)rmr1>eV9$U(!|gXzliF|@7#7%=aH z<-6iGnhfl4s*j1&pHpM4{hZo*1BG@1GFZFx{DYbm4Zy32ODxXz(w)OU1_{vn*;R4k zIAf)rh2cPt7g?U_SlrZ#Mg1F8*ar{|o_&ai38wY}-pYpJ@pBvUQNDd9#lnifV;0a% z#PMQE(I#Y`V-OYp447-^C-_NW8h##^6TMK4(@G!;emnWaIY^#YFg#6OrBV)? zNRJDmTn_!ez8O!$yky6>x4h%?_dPf%v;bShWn#PcIbwFsS`h$jv-4MS1J3mQvk$oo zk0oU)<(*b6Eii9n*jBBr5Xa%tgR}8z!Ud)kFBARb?a&ZX=Qjg+g+5U&$KYFdt6CZ% zO~!Su@u+M$dT|)4+=A*YsIjdAMkPn)> zmAm3Pm0h1ZH;_5r$JsB%jxHX-l=htc@5T!$=IJ6|$8fB%Tz%o8;6E76xm1{Mf(%G- znLeP*u*-X+3ta1PHU7J~knWwJ|F@b8gHnj;LL9L#T1!czO$EHXj?E+>kDwXy7ah+j zPDC#Gp&jifiX|2r6#E&4IXaW>1v83d;7m_@-e-I`u1Q` z4kb%ChW|O@uv8=ruo)`TK+zbabb$$0kJ(M#lAZQH(QdpI+AAV$0cH4@fz%t zFS1Q)s7v}2@#8ef7yNtZ1^gzu6#_xH{w-5?UXQhnv-xK;%0zVKwT=g{`HN!INO6xAc#Z%R9o<5kVE#=>;Anp#i9qeVb%LXzD>VV6TS zxHbGw+bL1kROiwGB^gXCW2=*q^De;42`dY{2m*xjqFG;pN+d*|qDuh(m>@0_B%zTT zG}=%t>$K*U{upT#%DU&I-%0(H7U#tc+0e*!WX3j{VAJ2PDn9H9~gHMBb&ghDx z=D>FhNA}WehTnZsrQ9;}g*g7O+W8zQ^bRTJOvTi8w>6IP|BizxX@tn?Z8D7HET;ZaHJH^H!Y8| z?+~cTaTn8puP2pc5#F+`mMkfG7ok~xSR)px6r<@5ioypES^Vq<^_eBs6!n#A)%395 zt7Bv0Dy;2~7vCyhBwK_Vsogw_!SkC1u)XZ-TU3qqnuV;UsUTW++qqKm5UIryVXM7R z)#i(8(*g#-ghPZhGK+|~fjl8vfpHIl+hHD&wqp7YO=hxP^mw&ZCIANNS~J`c-`EKFeZ!W5GcrxgZ1BOkAXt-U7OQbChVG{}!KB zDNh+c7jVmp$IU{`J%h0;41 zu3-b#iglLP!)8)g{xxW$y6$9YVoec}Hj^iS9135bb8J+8N(tucq7u;m87RA%-6%9XKqo4%+qy*Pu6gX)f!EjDJiFe$r z&rNA+H+`pRp02M;AcJ9;2*D1Bl=_T#*O!*LOqNiGYiJ4a@eP3BWII^EDo}IjVxZ^5 zC*(~0wQIN0%lp4WBwPL$SwQpk28JGE7dY+Xv*-%bNwzl0)S}&WH)~5*VsP^+xrHxd zjo&zxeB891zZfJJ_#YVI0+IZCQ0M`?N_hg|w`_yS^R5Uw^eFpGQ5i&X|D;kLzVwiJ zMhfWjeN$8uLpGNrAzJGbQPns63N=uhnzusTv;Mfy9W75_zUmhc#}%lnJwP7O>-a2g@bl5#(p~TFx>PCy*cX6NC!`rDe80 zXnqSr2D`n|6HZEtif5qP?9Do3qRwR21-I6BMvm7ewa#mp!lPtz1cGbn0vI{nu<6_p zc?Rz#i>R$-AnA|BSSxhQGE+q&|2@wzbU!S}b=xA$Ac+s3Uvn`hFjC5CUI2hrW{!DG zA~PHI=rdshwFma;6(U>v1z5Z$IZn9ylm0;ixm9suI^Vy|XF2c4AlWKKGXBW$-_fFp z+__1$Z_~7jH(>b$6OKI?C#BE=`Iv)i+73~asfkzw(QXIbFD9B5-gKEGw^aDTGa40I zL@op`&&)wbp93!su|JhhU|i4lEG*$i=z;OOVTQOc++mxlZ0Qrxx{m1B*9LYyZ!sS9 zdFFVfVPrW3_=A0`W%8XX@+3WJBm=?`d4T!;!lrR#rtd`r?Fk5N08vV^DuDwa7B)v} z<(e4tONH_Ua=G;Sb7L9C_6@_3Lk$O+E>pak6mkq>=Mp*%1wZ#gBTSLuWRSqp)lepD zVE6$m4Eb!)y3P%T01B@Wf&P<`J^tCfMU0UlT?wWAML) zTyW?j^k!yrnHPZ)E38GxGZwYuYhgB{B^T*j1{fs)lTXJ5USecY7+lS8G=dhlo?=hM zn|~E*Pc%=#hBgv4d$u*L#%A9{m1sLXT3?(93XSpNeEuMVOQ-=z83Y~qmR7+Sx5Nhx zbqNt&d$8!HL0K-oF4Ag~T}=$huv9lm#dnBB_-8zCbZtd6<)BLrm7iJ!ydX23ME<~{*F6Ha>;ipoPu{m zyFVC(@33xHH_s|vw`(NBIzDGuW+C?i$>kXOFf3Gxzh0rm2p{|`lw ztoxwDgGpe99H35E1ecn@bU7B=1B^cpdzJ#nc?!vP4M5_vB*l{8ovhp}Tb~`k-3G>z zO&{S?L9rtN!}ulZY(J6LlzTCr3m_zM695f2Qbu1I$KS8j-xen%6%0pn?m}!O&rXW- z=wlAWbi55Hs{;qM_LOu`?sym#+=}#RES{{g#JJW~1RkaL*&E}qurmcRWidm`nRl@5 zZJZl6?K?xOL8E#sRKXZ7q4+}~0hcn<%%d4P8JhVNsEDah5!2vRwwGs8tJBjQH=L_- zEsux&*R{5r&fQNp`*RS)xLCm%B;QbJL-Hs735eOjH)axzvVt&|nr7lWlc$0_slOh? zUCA%e5^r@ZK?OV~`M@n1vAW%4k9!1D;U0m{7QKrazP8DX+uv7*tI<|_c^cN57pntb z!!ptkcWDjzoBeCAjHLwTxM_-pn)rcLFWdk&y{C5FfEz69iOKe2`zo^ip)ADQh>Gp; z`EG-I4Bb{ziQ1lQd;wdz_sAsj5UAP~Q#Z#uazbY1XGDg$z-;UA3`H`dQWo0B^8A$e z`X?;xrMfeNtzArD3X=$Ks4`Ja^6@728Da91)Q!4~zs3W@Ny~d+xb2$D4+lTBRErJ9 zd$lh-Vtz&-7p#u>j(MhkW{?K@BTU1`O(X)WmHXNNp&-@@#q2BrcKT&JHGv>%!q-ld4X-XZxDjXN${9IRfGKLKN*Q`m zX4aqK==l5vq}o3alVN~cAU^%~l!QS3nRyw1+!>OlG09U-BGS({2Q)nFqitlY zLit`q?<5(1ON>-X>jPhLrBWW3NWVg7jISAMk1K;z{LFa$2l0&5VPtQNdtr=qZ=5s` zdiY30hf>%J8IPs-5>fGEz?9biU^N69@%-v!NhdZJ)gtph^jxx|^I&z+4kTAbhB8^= zP_n9G7#$)u5|d>S)Si??8^j9Q|Al*i5okO*`VKcn%A$b~ViIr`n zWjzgFTQE9~lWMI(!o2pjZ<>eg)0J-KOpylB#Ej(NWx5>}&M<6NfgSC%8ai$jyh@rj z6Qi<4#T5HLjUyS`&Xru~V@X0MPYw#sI6Qzg(_=+ljRM2eU+y9v?jg?^SUuyX@n}9v z{kaOr2B0!05Q=xnLRFT9w6 z&@TLzY5}q?DW>;^9`PNIVQwJzz`ls|Qlgc3w*}amR%_cAceT zfu040^>r*)e&IOQ(h}+tKA=^uW@HM8Vh*m5W`GuJw)K8Scot`#yuCEu)kh_)0N0@+ z)kt@W)1_1(84|7m`e5k30L7N5f-i)x^}UUxxlG3CT~e+vK5#wxI%+~WrBZHM@ftfJ zo-QP22$Je$R z?Xbif(x%6j=A+geEt5dQ{54enDlZLiUBoTCajyh|OD_H+qj6=zu81FyX&=ig%e|+kmIhvZ6I}S*%J7v zfMBd|9#*`Yc~lyapCT-k&+)|!k-+&})ldVBYFw^=AV@t6Zo2w(2z_b?L#oz1JT4Fs z+15S2#c?ar=s<~^$4h+a+Y(>9>dLRh9e6WZ($MGiORdR?dz1L@T)~iJ5^fIEN`|WY zfVS&}RxvfYk;WIv7>=X=#5IJM^2J52tQeTrTooVzUO>PXhCBz55VZbitjftSB;Xf9fcUL1!i|AB-s`+1_gyL>#72FvUHkD%~S zv4ndVs36Of{PA7`ED|c75L2Zg_?|!w%C>)MI<(l@tYNebhhU5OBn)(S$JTno(>Tma?+J1dk_A0T}Wl`3-4C z=X0_Kaj$9$$EpvlZEIOzYCo_R&p1b zyk6*cdWrP52xdLp&-FH9IPo=xlXik9_Fl}3Tgql2X$vgZF3jfdrl2H-L(QMKI@8Iq zDcMLIZ}}P)#lUh_DYX@iM-F~NG0LBei_wbGQv5PA+%*RW+hEaBVPvv>bMU@+<6aS1 z9S4~2(ZK3UIuUgjfh$8u1O`A|(?$9KSon8}eASDv^4%qC$iq|=c16$J1#0de08G-h zj|FLg6qsO`JlSwewtR_QST8h@A?^K(uW{^jUXUGyU&#S$ zgnkPPiyvVHEQ-NCxq4d_BM44ml^>!mZgs!kHBfBATWmA-UOD(6h~@~>nd+`=GB9!q z#{-m3O-3nkQ}Hx1Do}?RnsaCf*@TTGm-h3{Xg%zC9GHzunh=>(@jmU(GCV&_CygXe z(pAjcoZA@Da8A6NF-tkLip%EY`tjs^;4aTzM7EXyw0fQ}l31iU^g6K9nDVj(x7CnM zHmVe-b(-zWyXHc@@hy#UuD*4P$g*)s_AfMS76p4A`pH(JMQrBov=tbGO= zm&4fAB8l5Nq!2rNlr*>bL)a*a<_}=S+wrh8P@F1!wR66djmbt~ipvb{cj+F!Twk1-Tct0Mza~7=B z&XXeax&27;&c3Fh99yVuAJuGX9ZdT(jQJmlR)}dyHQ59@oMZLF$V`Ft zgVN92mPWue&!L}zzkj}cUpc;qeZp*cm$TBf_VfL4u4N7PGdP=bKstOS$GavX2m@dS zup?P|t@);8Je$1i@WWIzi{ZeCDtCo!Ck`Ja+wo#c5_Q*p0#Wjh>&NTMXDMVn(wS(t z>P#vZ1a@irorz7insy}GbJdY^_!t`>uLShWMVCtDdAiTiEET!o+;(AEJrLVV7Tjey zQlDJ$E~i)uIg_xS8;6G)kMY=2YsNz52;^OFEu>fhIzBE!t`S{_ojs zA8=(|4?u1^Gq-)H8ULKSql^tBvH2qVMVM zaA0E7N7fZaasxA^U^KSqk;1-VSBf#7f#ObXry(G#{KiPu(y1JyKan0Prgn~XZ08b6 za|?vzPM5fwj8*iQ$;0p9X(h?%YnVMu?4 zIo^bC(a+KNA$DxED;Zf^So{RHRb0e-ZwFgiZgUxT7e z{jZ|$&yXlGwkNDEb^7e^;z)1Z`fecXZ$H*9PL0AUdms8k4YWt*zWcZCkG+%XxxVMZ zo*yBpZoFl$^Wo5Mp`+3K{C?UZSg8K_tR5(CuVa5?;y-T$VR$`{bM>d+!cn^;M*lO9 zQDM{h-Rh>lJ@fC^|Mq-;y8MqD_hc7BTT^S7L?g)lbkjc)?K!PiA^&Brpd`AVF&Zix zO|RGaJqi4t$)2y#^P{Eor@ZyL=(k7tEw$fM?@r|}vim<0`r~PO-5f51bh=vu+!a!~ z+JJiU^2ZbZZ;J8HW&FprJ@@HBo$ae%dYa+YZ#@9!-?7oZ zg&h~p4lk;!jYJ>0=k#6&W;QHZ)TpHPI?@Ap>wV<6WPXRlbwkhpz~BCM)ADEpb?>0- zo_yBTMa#MO@t!;sMQ_~uaP)MDDEC z_QzT`d;y{I9+dIlA+2|p{C%|e-}J>ldRtHL`|ptU8#dyPVd;NUjDIyMMMug14r#D{ z2>d@A(*6?A^7;o@I8ZoB*sSh`41G4Yt{;qj06FP~eaP|jvb@f@jXZ+4KnjZ>g&QFSTR)TtWSBUUF2#2Pq+keG zcf2<$m56S@LpZ&mXEM{xtNcxG9Y0_EF)|bY;-Q(QfXGGdw8|U^0l^Q1Pm8mI52K`V z2#Qaxzt}ArU-2|C%ER%fZVU*1f(R&;DIr38VUw*n11AOhC|(rk1HObjItx62D21^w zFXGCURg|;*90hySs*6Y9OG2VNm?kN@81jt#t1AOSi9uFGU(LtB!FMs8j?0~AaHH)U zF0b%Wn{!1+LuVa*4}{TYDc9UaaGLX;6u@=NPlaAg^R>{R6q7?CMt6A>)nNh2E+j&@ zy>u;hxi?@&972Fv5F6ZI^+0~3-xfx zB5V=cLz{5@v750F)o;ceo?V*|F7$06%@1OSWS|cGm?VfrU}r7nNex@h{FPH z%=XIuP+z{esCXO}n87&IV(Jh%q3bm%+|rEKRosO0NdLg=+}$(-dm+Xx4KENl$O09@ zvmt;A;wVNRJ+N~S9?fi|T){fjIi}05%)`D{(9S9NCT0|Fp@MY9@)jf5OXq1WKCkd98wi}X&!9KSr2yy|O_T6Y2o5+nNSbB) z0enDodz+;jMX~b{=QDU*c$;XH=d=yVskw^4h(wpo^PcNGfUK>9By&5$10uH&JF)<6 zP&cfCD-~)~ilYc(2F4N>9Va>~>-u)YEY^ z4VjtIgcV;AHWEYoXHA_XLJK?I4ZQ69B2WzbzSEglTY3jSAug~&nGl211NU*dVn61& z%3_=RQ~kC8SDXoqQ~HRb&qCrQN&ytf{ti9R@;kX%J3qIxHn}cDX^yw`c={L-*MR;e1ydp)J^U zY<^JVkHkRt?jO3wHYt!Tc=7s303Q&wm2CN0-pmJ zfF$Oo--GNy-#Ym1u}=0ajc~qmW9QGD*HwlgnDvFd+;n-C5P*+#2!5|*FAjG4PGh3G zyc&4#U_=iM<~GqsYz3U|*i9T)xe0O4!e;wBIubWkyy^NoA{I*uK3Ope@1FbxP6>|; z+*y%g``e|>YKW*8H&#p{j*2v#-u@v?uAhdJ-3v`8!F5y6h>AZ7Ehm=H2AW)6fyDFC z(}nZYj~}<$aZ3GMd`IbdI>A)SP`B?5)5K2!TcxXZUVIogaoS2q&2RM5<2%kqnE~)EqB}!XmtxJjo?DJaD{;-bME} z-LU8$P30@#w8IYv8l2mtFmsSR68KnN%ViURJHZJ7I}vw3Ohn;*u^Af#zr3EATg$cG zj;++qoW1;1@HoIq1|#Sdkp)tcG9>2AVrYv*7aGFp@H04*Ya|BpC{)e{!s4Mohr!@R zi`aIB2$xHx<7hzXS~1Z(^b#Yc>^&|f;n@MLPz3U?#A{PK|)IQ zJ&T<0aoO^AIgVZly(E|}FXj05U+MHxtz`kIA^{lY0KJZN3%kd=zSZG0xTD$hfF7IY z??aJytp#f1L4D;wmFa|=ukTSBRC0g+Qiut|OXVL-`EhX1%N@lZPrjF(7q?qOr3N=n zt{+R23l3nMcIhWPU#bFc(FrUGeqs%VfMFa8wSUM)k}fN_r2IbcYzosMRE#@~(~dRJ z@%7ij??aEyB}wLQ)p)4sKHl_}=Aczre#TAy-lPY7W;h5YS(m#Cj}`nlo#d0WK#b+J zXt3r|Pa%WNqE}j`f-zwk9HK_L9P;xk8PfVIttvC3;+sH4?O}YcSOz*&tn!6z;5# z+-+Zxh*tu*$pi}4uIBqq6XSL!D~D01>gY9?$q(a%%WoA8LX#N zYBcau$@=&(+32eiSr^Vf1yfPTM! zac0ho3PHJ@aM_`wb%+F@52)DQNha;<;Qv=nvy`Yk%k4 zawGGMe1@BV7wxST#&W}p?vKZ5wkje0XekWYvkuO2e&6Ah^6}qg8kmi*$D5mek+YRA zRkgP`uj}|0+fB0d(rnnT?CQElSlakA1lQJZSES^<38Ky&f;q52_RWvC2Jf=8i+Ovs za9|`pXfd}Hn$ByRU+n7B5G>A<4?!dK>tEMgN{~<4H!$M7cBh!gt*(8=>F^aG`928q z#K{#_GLxLaX`o0Yqy?;k+4OO|wAzwUJY3Y1PlB9&1W!IINYud!byesJ&T0CDR$!y@ z0Rnfg=^yb2gD@r%4s^8eTePwzsX+&W+2!32gm2?kkWl^tSQ58KEEmPeIKg}(0l)1o z^)AfMEQw>PUef}HfYRUiAvl6Ik3z1c=+bTSNYm4CHKP!&citp+;_u}y)0YXjzqsCV zM}?)n4@oyYr@M5(wF!xNZS@tOK%{Ix+v7rNTLw;bTk-LuNf6<=ko!Rx0*XT%D7)ZM zmo^Gk=_X(mXhuz~(BbDD4}UfJJK2R3%{6iQuW5%-Dea?Qt?n46yr^#Kz`B#+<}qxH zX7_}Hi|S7ZkAi+wUh(mY0wK+94xQ(W?wv4_4se!6Xi+-Oi-ec-crLmb5TeeT4-9<{Vrkwbl`b>_7KjxS>WRK; z_U>jfY02q>N&Q!Iee^YBvigXTjrFg_k$c+u=;u7rRg^scc|1I&^mS)nso}%=zNW@6 zcK7YK;`>W|Q=8NUL-8z4O(12a)?6g7U9xbUurB@Hb+PL+_m4=sWpGS!`p6M3YRMi~ zbI7uB#=VEEsSDp}>A!t7e^W;3Lg!7wjyr1Jusyir-Z$)z?D^!40goT}W?kl!N6Obb zT0UAcQc3>eiTHspeE&^+R+l8f_Rtr|GShZrMt+v+Up=ztGSkJ9i zYHe$+t+v{;t=>J@lkIcGL+gFtec$(apTFME`}yUg>?SiiyK~K9XRgEdoAG@_T1W5i z4_Qxdd@;;@X3)s`q}HMR4@Hv^BYQg@8uiqY*b(DjKasR)%BPH@<$>=D9b|;^WK6?? zPA47RA4x3?D{UNEz&nQemu7xGW&X+ZFBd#@((}!ZPfvEcda%=5-G5N`e>Cg*g~uNC z{&CYWE+&oW?MU9KIuau6Q}yrr z!O_J1DDR}PtYo(~zCaVR&3)NYw{bm**#G1&tv?myo!aM<)KhXxLxePacZRnd)w z>I>P8OVx8PM!(OG-{^mkTR+7*D11IGTNTJQzZ+V)$nnx3RlWFN-pHj{A~J5Y1O^w_S723Je{L_f}RQ?YtHMNM~&au!5PC>UEr*d zUz`f*`DDFe^_ZucUMlL|+I+uh+$M+gc+}EOKZT@ATMiGt?}Od;lU()Qj^gyu#WfGd zji1u7%sH;_MU#Y9Ce zUhgiet`@7i(t$aBs$P6&QRm(3qaI8;SP`XgoE~4crsk6u-_>cK=@oKBt=qkz|Io8L z@X`V%dHsIX5&rSGfyZ5)S5?-D@2#1v<0=dIi%BmYjp;X+wpT`H|1@+&X!byb(2<{R zp4zggZ0*$d0-gKaZ`5_x-gk(5=6v>IXhK>-vxLhtK}?N@#mw()#`< z9a~p)w5RQAJTQDt{`t!v&-$}4bi`bR_6y~GBh;1q@xT}Tn!>fNx&4QRPr2U*Vc;1{ zm4lC7Tpc}kRI#rc5Tv_Vmi_(4yM+`IsGdBns`i$Mo@Wf7DC{Sfwkz#FErDGB@O1wu zfe~!4zHG!z^?V9K8jSF5WHluqss+Um`~<}i{D2hZg|H8+?vjF0eJ9a)2mIw$J~CYDYH;x?|g(7EoZW=HiQyOq7fm{`WTdLWw0JuDFH2hHZT;WBquVEw*d00 z&>{fE!PprA`9Tesv}m~sl5{9^(MC)lAwtbAiiYGxfYqs~#RPc4;SPGnr4C=D!g{;} zK|Y-h%~_O&M`JzX$1b)9egF|oA0|c92&wh>SrtkoZ7R6+IU|Pq=utNJHmg@b5JW6? z8sSm(C~+Bf+O!x}X-Kb0Bs?Ao&%rb@%^<4r;M~>3nHX_i=wfZ9IR<{umbS7 z_DhckTk$XOJb$mMNw?bYk5I!`jQxXU(1yP@L7x8?vi-kk+unDzErV58doZD33&}-MJk4%ZP3_yMz1;+!Vs_sB}OMSLDJhK7Rw1q z=7b5^5VuB{9tl<)MiTXnW3q8#TvBY~c=){o#^89yg%a5w5G^(m`zc_QXh?MLL?~k$ znXMW>*E}1v9)7fl+0i{byO&~->h`UVg&_L}>w--OQI#k}#~D@rzE!tpsHZ~>&ocIv ztD)((HQ#KypiF~O{eKqRKepYay&>$j_y5L%+qO>GSO(qs4wQb-fOgA`<1YmDAR2nM z2oc^vvl31~Nvt*bZd7ooH;TRm{a)Y^&zVKm!fYO=xn(zLWUp_ z7?ObIJE((5L;ejk33#|4yJg#RZ$YV~pIC+5fLSDlGgsVitHy#)92tbtAn3Rj!LIi6 z;6V=l$z<mlzfj1=h8k>qN45us34_Oj4G712Tb`VDB)xSFSGQppN!yjpkDTv;^{@_P;_d3|6q&8qCCzL>&nqE6g5Gb!%{ z5bK^$d>Or`d0MMd-?A<~+HsZJj4cE12AKQXZK8Q9-j0(rCCKQ;b#R?`W8jJp*Pc?NZ?ZnuZVAge0svlhi})CR;!TXXPB$^; zw1F`4p!fy2EdmW3JW?0jmq`j*BlF!sj5+;tVYIK%hHYtVs`)A0lacf63MAIds@vU2{bKEEK=4;b=YCfcKw?6p9Ic1$bEcBJDWR3?8GwBS1ckf!@5Y=*p9%UYkcm z-vm41w9V>U8R2M(m^>j++dN3$tZs>*@$_Y}+W8O(T(?c6$(lDn9`j&mZrN?`tLC?= zIK`&jt|8J{Bu~Z_EI&ExQ;41A0k}|Bhwyd4W&Mx>xeafGkv%9)?xHlOX)Xac$#Qd? zm`uzl9juL-Kak9p<3AvBRqhtX?``@GLI?Q0z+ci1Xwxa+lAL+3?HOPgdJQ0;`AVQo z*$2N%fcB+%6&TL`U|#b%TrbmBe^TA(oh=%tW+(8KI3U1KcuJ)L>!Vo#Y-4z@rbK>S zA-#;aww7l0iaa&cmnMb^yF*Z#pu+YCiMKJ5GdaVw`Yvj=)HG5@t_CifP5K@HVdX2X zDU_c=!eynr89r1C&up%Q9^kr4Sh3_+a7S<^Mf&%a%2e@Xo*0=qq@)aq-`RSW&duya-SS98WuFb%Okb$AH%P)?Y71#Xgmz5?=nz}R z0%K`g1fVS5XBryDd06MgRoJQR2m?)+{v?qPt6Iil{-#}7eh$W zx}Zwu%t#)KUtCd>1^DNtpRV;GCLuZmKu!Ch_5v!8{hp+?3w$1(H*6N`)3S}ETrA(y zMW3za%jq7rAMoo4K8y}}eK;$e&vtev5S+kg0WCYP0G6LPc~A(SXEs}Y4|lM<%hDJw zrz3tOJugi_VsG&a*LM1Id8RGjJRQ9H_gI=*$zz#S`gLl$&f`VRGZ{O-*nFQax??qM zMsDkTJw#u-pO8aBI2Twr#iQCU3EE_OIy^8$8?Oy~B;6Omp8#E&<^cJOe+y2ekyvU8 zfM7T*j0L~1QuL9ckufw2*w67;*mF{T5|3uw6Zw+K`-q5GCc z{EtxCx}C^dRDm=YHG)m|f|9Y+sma6^Wk(9QptmSt7@L_E6 ?cB2-KKz+JVYkfj3 zk45_5!ht~U{hP;F;Z%s{*KqrDq<*bARc;CAlem6pqGOwb$os-!E`UkF?u&PA10yyk zgeZ|iYLBFO)QQ{^Ub81hHLMjSi1f5?jbu*yCT0CelWT_{KOn2C>;{7;vZLh6cFheT zTEm@cdX3o5Mzkf;SsYmN>t3N*)Q04o8_1c+2IbSVIP-%Q&deUua}e#ztw(9x`q}-E z^Y=LEY=~5-;|8}`9LYsjkYf~GzWM_4x)FuI$$6)dJ5DZdX& zU-DV`1SETIAoKUmhY8ISIWF5N#!(x+kGjnLEB4bmfZwk@s-SYgP*_n~0NZOV;E8Z1 zs~F8id0oi73uS2iv1F6kP;dg3Jr042+s*+x5=wt{4l3)0R?kN43qqZ;w7B3ZEMQ#b z+L6J)36hS|om=D9ZCA2QnY(81LF0Z`u-&G&qj5bEc_Yi6>!#&jy@yD-=QREn;;jeK zp62ZpZ*QKWcsd`|4#NeQmB^+OANgvM0^|HC z2XfKsPn5JZOP)78)N)KM%*3?!@n_Lj$CUK`pI$|d%F1_@e^do=N-!CFvJ);?fY$PV zEW+X?RjM$CTWG2ZFrK9?JA@0;&<0j%dzgA}C<7LJuV2;ad4AolFzTt|Mow?!lK7Do2IA%_cW$wdK_MrcG|rN<*jsS*Gy+ylf>Vyy=EYh+jn{VLw6Og6G~S%3?}%q@+I>cB!yX8w z_wICp8P}tIijzO5fvf<*o$z>gmw4Scb3ZM-(5BTARbGMp>QkVOmkRzZr^(652^ehwufAT<)zVBr&x@aR$_kwP_0&A`^#cZ652CxY8~CjKFOBCB20P+ zX=iq&8Gb99u3etMYKHX!n&yBPT@a3_w3`y09l~D@I4jokXV)fsXIOD8O%ni=aS+=} zTg>sz*j3*GFJIFpanWVE@0Z7Iv$XHWQpsesncTnuI5q%0r1X;ZtOb2&z7z*;GB
WU^7+6l=()Aks}-it!>Kso z3mBp2)}2(Kip%-*9@k2OU&=?K*D@D4KHu$yg-A*;2#Y;~l+3zFuH#iAaoYJ5WxsyUVtE{uOF5Y<>tZsn~tSQh5 zsug&~HyMyEnAGxtI1K}DUJUsrw_a729# zWfrAxZd-4;14*A~r01>nvIscWMiSarZbPz`2&>VdoYIBTc-(pkded4Y<7ns52-_sq zEw6_~hE$8Kn_1^KoorJCFVe?59aBBufh!CK_rxvU?F2kv^6fQM5YX&j+pwDU?RY;= zLRD(_8F3O#viDH~Lg<@&jM1Qzc0KcKF%c0;a;mVYfpE554Soy&BGP>t0;c87%lmP8|ixxy(!0q z)?bo}nfeVU(&X5f`VDO+sh_fC3@kVLp!V-5=f8&>lSlINlN{((r%lin2( zv zKDi=m%ObU7bucl*uri$}z_HFNk(T{BE34x_!aXVH?C&;g(~(#BZ}|DR3+|7rj~%IT zo*g5__rb0pCb!`yAS;&jFXfOS(1nLfS*Ye-z8LvU_OAE==R!ll=Y2d@WNp?->nQ!! z+$YNnn>+k3Kok+9ig{grQAsOc;6qagU@kZPxJi=amKP)8Bnkm?i>nO zR>iO*wTm_2lq$S{E)HO=gWpD%hk;wetMKqs6Uf!emDFO+;Ssy&@_4_*ZNf#?B@vo_ z?rT*Oa5*l(PWfeGKg?fV9vBDUCG0@|GN9A-mqM`Psx9H*-q0)a743Q>cWgpF1fMP! zc4B`&CeC->FfEE3z~=di3bYuY5_&p&MA_GcG2h_L;1)9xvo8Zr@s{5+OV519_L};r z8f?i`OFad^d0)~O_7~uN+h177u|3#iBxzf0jw`hT(8VwaSiWW%lHT?N=^-7`Z~bF44JYqF(jS8TXt;f29LX*j zkHl)6G-)&WO^4 zv9CC9sP*-fz98D@(7G3FCj%eRE^-61f24EVmJr48!98K8BKQTRm5 zUNw1ub~v}{oRuXlH{6A=PctK5v;~JRd6E>hd_^nOM!pL@ z0e-o=SeI234WPI+_bGD(tJ=j6HVargUbQt)f zzu^x0&vijNoA5)e%Yec_KO!2?n}g_`T|EIre`j~>d6N9`;{k9pmwBbw!CLW}V;_5} zk=VvM-Djo4h~Mrzi;puo1tkb2Y1X$z*bhWp4)J}-^>EAjNeQ-eI{z}QE<{U?aw7uy z$TTZdKTi!L<@vFwRvukgqi5{wcfesU=8zbEfk_H?ET{?R;-ywbEYrki&c;(p`|_o{ zKF5x-!pKDF!4T)HNc*-ll4KcbEO{W}Vha#hvA;!UX@6wd8 zi^(GU>tqA^D*B-uE{e6*=xg?DZ*}~pTg39Fj?QG!M3e zBsNgU#@3{e*s1+M!(LkQ12V4^m(V239w+yCTOPH-4pp}FQ{UWOl^C$8K@B=e?Jm$3 z*!K?gu0+~D6Umn)dog!EZ4GLEW&5L%pw_Lr*BvMvLQ6oeW-X2=O2o75hGrw#3UD|* zxoagJytF6UP>hA0O0;N8h*l)py@`W!qYZ1r3WkLNkf?pEI`DW4GWXTa(0C^*nm?^# zut0`ei`1l4jFoCszx;|{(0>*t*Mm~PF+u`x*&np$H0H_d+ZOO{o>4Lj(cFe_wci*4 zs`;UD_n_K*%=t&~M1QIMzyg=%K>OZ7C%ncR2>Oal12C+rzzlKc%%Xb2tnuaT^ zr7RpRw5#R$e&x*f$OFKi0=0xZHoYt`FE&^ z>UlMO5&tSV6m*gKe&?s+*|nrXnt^GBZzy`iq%bfyulhwL95rfpg%xx{mWQ0As^uAK zD>aZi^GULr%EqYlK8>nka!=l%_M;kBUb9{7Cbx%O}oA{>K=*Hxi33Y6dbCN3EF5SoT=t z5lBpiiOn!o$3EzPg0Y*w2W_=~t=En`g~;@-NLrCB8F5uPQwkwDxR_ns@d>eOClTr4 zKK@n`kE(y%49daMt;BBb@H~e~cM>C>XxbY_UM=0qB}l2t(igb|c`GV?9w2)b%i9n? z&teY4ro3~(sd)Ld&ca^CG(??Og>1OuD;O7fpEHM6`F{XBb)si_(fI&nBPf(;tm$QK zTfr>M`dy*S0{@*kS zE^jZ|-hi5-V*7#htd5 zpmyieT6=T6a0Gzkv>?E@1J79;26=W!OB{dI`hmW6C_QG633Fejj?&1YWaOI3^?=Kc3I9@C zM_YaK0ggBCX-rm;&+*9u81Rf5zYj58bzccgSkprDGHV_cl2B8lX?=wM1G22`cWkcP zEc8Ha*Rhoy!A;p&)^=T69_G!CXuGC~ljozIm$8LgP%skhyo8;Z?C4h_4V!fx--=iB zip;*JY*VoWO8WVTdYxjIsjG0hJI;|syV{SdeFZzs+z{TyZJ_A@+Emj=e^Tu;%z0l{)cEAcP~VGzhiLJNtNDTE5@sLm1tz_M zo*}f@eubx>N&S%+TlF~|1_60eAZWovJtll;+QZ2oB3`TEq_32LqZ*?)pM1+}G@SSj z;R0LM-T?lZzy`3tU`DPoE_qT~qme2GO3$FcD`3`q4h3EW^qvf3pbZXhqN+BlE=GO> zRXqj!>ElR0jj*xOCIG;Oqws)24{<=I!mEw}daxhGc{ZZ@v%be&OXD@-bjn^>kaZU?3)g#nnH67xzAS*dY{2Sv%@^I^GjbD=YmOElt>@(0c_Pgw&xvYg!4~g zpBUzT(465m(z&o{7!A-#!dvjt${VYeA5Y?E_>2`Fi7DdunP2YQZWhW5N>UJAq6OcE zB2$vKaIgt<(FdfAQePD<%8MN0+}F$LHhT83&Km>(|CeNDW;g+v?>V}$@DH-lH$=17 zmuBeQnZ)wZ!$wJiQDZDxkKsXE-KxB-oOf}QZ)u86zrchNVue?xi*Qz3| z!%~_CYqoD0fjc<|M-p?}AdOk54)I+B+u=(p(!+O=Cfd7%$#apZJV7IBj@t)B*u1zG zBXfrYt1b}3b%Nm)hyzCgaUPix;9+(A2H?d7x^Rhbl8CBg-}9Viv#W4M`CB(;+oCixWFT2hQ3!{S6s@wJ%C{d6*RIi&#z>!F zNf{v!rSLRkIit;5s;|-b#{%uHFkj*EsDx6~b_mJt&9V#I=XMevM-RG?Yq0!0@@wcw zzf_WpH96qebw6m~Ewx(_wUyPu+3Z7r&gYOhRp1SAWlciZO7hUn5QKwCPiYGxQCtB^)9k0qXcK33|Hwu0KcK4s%h%ED`3>V0 zNVGrI8GsN+m*3y86u(A$UmRx&(XqnRVX!7>GUamG(J??*;!l9`et<|Y&d-Ih#rsZW zjln;lIi`SGdtI&H7MD{`@XxFT)_u>J4L735L+$H=Yn-3e#HO98#y0KgXzR%^r;{W0 z_EJDI<#3~`JK?2aA+Wvp1iuMr!u~bHqkUEl+!l}HK@$|j((d3t##Uh#LX}mQ#NAwt z0p_%UodA36EK?=@K!VO8Ut&v@**PP!LL%$<22TRA999#apKs>nUlBjUY_2IL9=^8e z3V^ZkDJNTuvs2}^v@C6UEYNFG0Siv7SOwNAA3z>MFUuPx&Zi70&9g>jE;%s!%+Ei= zcou<8+;=kTCs&65c=KA*keGDff*vKkx^!DD+N>|WSWouV3tpg@M zz&g$j-0yi2(FJ)gqP17?IQ0IOOIH|@QP@|A5nx9i80Nmu1vs#QA^cdtzfGqP?U`>I z&Gv##x?S24W9SBW)m#Z^@PvF7deW4pvn-DwRpePIJF7gPXVny_pc(ubN_Z({yKPE-eR(0Ke+n1JK^-^C{@8fIPV%i`kaJjZAG?z}Jo$cMi zfDXx9gt*R3k#8m~5o4f>oZwv6*NeHR2G7MaG}|?a;FUhGNgtc7O7pON9p6xVpb*hP zmilmlU%dxer>nUiXU)+TXwf?p=9CWBziA<30&_bMd5ai*4_nkkevJ4Y77ObihEN^f zqdo^6Pc432w+64aeL%Ya8<&H9Kd8D$^BK`^n)kI{wfwI*zm2?!FX2S}moeG}>bzYD ze}_An1{k4x))H=zb%T+|_)~L=b)K4J>*uS<%;wQmKlzTEGprwV#Wnf?-I$F`wn%{M zg8u1y52cxqaop%|bLP*2lrP16IGPc>uBf%Ge5>C3RrkTqNf*hlJhbiE}L;u{0*w%qzD zvL9)?hQVB35O(opYVsG7l4}oX7SZ&)Fl_VCUi1^%*|Q}yFihj;oHRMJLO!KcRjlyb zgXQyxzo*6Kt-^HRo-=?@+!>Vaosp#}4pg98K*u#LgBTb6=4yacC=EyMiylDMv_7MQ zcQEU&8qKHBHlPc_c@t2<3Z%U+Ea*Cxy=fb)O|wx!OlVefdlkwwEekt8reK7FPB64b z9@~8}jx-UAoM(Xm?kZsz%G<$_9sv$F=pT<179djnqd(A@OY$D?8qfeKX9o~`1@hpn zD14+2bOj7sG*LL`(caL)`|*fpJ(32MTPDTYIWvso;o9ai;5q|*W88S_tOP&-&>xHp zWZ*6&j!U-n*2k&IZ(s;A04{HO!CTL2JfI@ewU?paU5R zHfw6CNhXE-PjI{r+J=8Mz0&jv&_(Qy$edTT(kwY&?e0^+1hhc~?^=_*8fkmR+&tQz zwA=`jV=*5GUtza-=ze)NE7irDcj^C#r~PEmcx(jlU(b_>_xQZxAnIxQe9sB}>~MP7 z^(M7jK8$ykdRtrRR8LoAKM;R*5R)P#F=7<#^52vmLH_ytaWug*AAHx9{OA+UNh{61 zdX3SvI*e5L=4gy`9^s_AzLtotz|yea`X~WxRDL8335BA55!7%2^3CU0(1-N1HR5>7 z6}|ALQVugxCup053~ZaEsnV>5`QU2F7(`;Z8J1Kdom>L;b#rYaf&k!U>B#zMRP}PS z4$hNMKn?TMakcxZC4@KAC0feMeHTkRqe}guC^EVw(%(Zmrx0os z^6)UBRsnlt-(+ijc#yp2Con;Mf$Fcrh2v1e&%T3fLTP}!Y8lF}P2~sYKE|ez@5IOT zt=ZLH}R|9$AeF!!P*ec&&>nXglPXfUSFvLUBtv`wWE-I5Mf7=hxkFBpOrVhx3p*+H|iAB zSh5V&T(ZW8bK@*vrpn+-T6^K+8dtT5o$qtZNnlJgcXMajHtL6l(@ByCO?ZFp$Cf}g z?JBIs55h}l6fP2w+EKCF^DmV)Tj!ePsH}IiMPjowMO|;D=0)d-+qV}QDbA$R(8JAd z+NyYgc4^CoZEB(Tn)AzumKV^sn!TnaYP_y3op|tG=dNh_Ac%BtTQ%+`KOKS(TuYKo zC@>L!XfB8CA^p_TTY*1?sLzhyS;^W*EkPXejrLAxgXt00H^lOGyk||g{4OD1OWR`% z10oqOyb9(Tgm4C8I|KDL=i8B3T2aKu(?m}wBYhtRtCH9FHX#*E#0o(jk~6m38HE%w zK}coQmV=d5a>@PA9cZCL8K6tlcavL8g{YVt7#9 z>x_$LrkZ`Sm+|#8o7+@mM&KyyI#;1UyY*7I!$A8SRc-UVW*+ExwB#UiHW_6* zy0PrcHg>YB6O8<$GIWKd7%e=p-B+b`*>WmXz6KNWY7*FCnxSklyU1MF@hME8DM(n1 z(CWgcvDZE)&i}PbA>ON!!7x0!aB|cEGNcSqZnoK}lC6%D-WwY%E!fGaSi=5x| zaXy-%oO2I(qTR3$!9O{4I+vtEg7cG;10BmGf1)P1t7ROe@ zNoFLIq*aEo$xRur9i2Lw}ZSQaTT*0iT?Y^|gb);*wl4j_;J$2}%7Kz6%_M zPs7_g2el<1dTPeWk09AdYHG}hsM@|w4MZQ(&ffO35w;<);GDHv$U*Hn;KWy>&hm28 zr=Dvsp-!*Ebf`Zl7BYa9K1|kO>u-^Gp7U|F<8kRDAlfN-5=j?``ASh2#4qsuNVl1P zam3ZEtj*5FZRW8a53-yHb51qtL)5;10jpF8&0_1ydY~F5e-TY|{v3f9=PbvjcOyU_ zb6x5G4mPca6#ma?tn{kF{|PpqJ#O)Ia_r!T(NDnO2ZKN=G&Of?`;+wE6LsblJS}Uo zT#DLf;s+Q*P9*k!3FLhg`#)miB}HiI1vXxgfVGyhNN!yEDM`r8aQsBR^*r2VSX+p_ zRBw${lQQ=>V0aZ@B#BwwBs(&_9!3|H-fOpX*2D@cQ6)HAKZX3;3<|yJFyW7QL$LqX zaxJXsJQ~f+oZXS_YOuNHfCmI7UI1D$FE?;H(0h+WLOZg=$NENVr$?^MumyG|Pn`+M z?p_wCLd`sVDXAM z?+K}?g3f=B@Di#S=LIO?>1?AcxzC=1pz@u2VE~&k>F*pI)|OYk+xl%ZGZEZtaiO`J z1%+|lT3_RTBi$T3^qCfvR5;q+U~XwCU4sYXt|ku$4pA#ho&;|t1#+4`SDQ{o$>~}j z1cJ+{T2O^>@*-8sIgVpqA&YzkIa)1=^<|rbZ%CgEqq-XTT;MAC5g`M8PWXP0Li&jZ zGv~Xp0GiR7`c>v7;=ST~%^hA_gtP{Udm2`;69G)5u*fdv z4%TvNR_5kU&p^Udgnlm+d>if8)xsr(c8k7lq={FXyLf--=_>%pg8b{kvThIzux}B# z=KJnt`f0N#?aLCDg!m@0iPl6T7!Z6@v9&$VoXZ_yKk?1uKg0qo+RC`-S-;d>`>~Qs z0yr6HlNFOdDC5tL)$dgEXDVkS%duyG*-Sj!aEmkjxn?^xDn6@aE3OorQ!JpQJUd_jrDJjIx{w_~vmR zlxwn*)cO}de!r-sx=_0*!l%mJLFaomgh-zu`x9|=sHhP>Lt{6RMoWZ~yQgV4ln5+| zPQhBxsLIvT^NwaZ$DXgY^$SGMQ({mbGYN=G-QcCK*+ol=_MifwX~m>$^I_z7wS0vR zU(wU8^3PGiMg=`aCi+@uHKR%)E(~n+_Gh9kLrnCO%rxgQ*b)kZko+j}HJPW%{z%^n zm;<&V-zqrtR!L7NV2cVwuEHlsa`kpXB+aYV@uW#~h!V^XzzdlYCO4``+PG8Mj!|M? z=Zt7?A*O>`ctEz-PYk2+a$l@3H-bMMxYxN^*svT$(s}T!NAhJQn1%P(MO9S^*-FO) zurY}SqrLw)Ux&Il{}toaYAp-Ha@L124r@o4W!C`U$!IUs0_Sj7?GcL?_Y6b=uG0;@ z^MS}5=nMxr=Yunl?>(Gics0uYLl|DnzUBM42vBMsW$oIOFta`9!(8px5jcVF5RM|y z9Q4WE4pwOPICDd9h=6xQ0F{YIykFh|K++~){Ih-+4#d%Vzosk+0W+J}%3g3zjL5IZ z{TY@c)>c-Yip0ZgA2!K56+8pA%Sl-o`0DC^jnpi#OEpt9;1=T^XL;HsX4Vvyy{pN9 z(3(3@UBRFyh}v7HWH;U&wFj}EdsKG<#cl&(j{Hx|=pji{YR66*UloiR3nDV!&UYIy z_)e;HGve!Z*3`dl?1mfPebs*elKvHvmU=teEkw<`p5fNr{>qp3Z~5*Z_}+O4_kX6| zf}p;WEdOV65c2U(V)}n2LP*=+$r=Ba{C73}{? zUEYM+sX^)fbsCJ5y9)^d!h&w$K>Ww8ZU%y7i=Mm1`&ZtZa)i45 z<^SC?X23HVpJal4=WaxbJHiz276U{B-mc`$-f$=XP2A%<7X+jJ?j+oT@Vt`}>=_X5 z6pUfK1-yJGA=nje#)<`#0Ftxnuci!kgTGROkxEnkN|Nt>F!x^%c2nfRpt}DmE7&c9 zLjJ3~I}dS3JbxDw9ApW13b}LJJK56z`Ck87+TYo3mKJQMJ0;!`%ik^YcV;-d)z$v~ zNe(_ucIw~P-eRo(0A zH_+$mCAmZ~B_&E@P))1`1V2?qbWsdar=-i+sP;{nB6mgVG`(W&k< z3fLlf++=lns)ShxOi;T;5f8$w^dwTH$&3*oqE&9GU@%f=rpQGN!ANN!9_q<8M2K=) z8a8-qkVFB#nT5prg#E-xLU zl)N4gw?ejptvfl3P(4*< zM!`r0JWJ6*tddh3k^%Dcu*#iLG(ZV;OfRZNs`M0FJ8s~5sxnh@r{X~nfua^OQ*-yi zV*tR6d+;$8^RYJ}D*}))<^z`(S_pvHfD)3`fdgdV$WK~Hb zR2`+0Dc+V~mefqV0UOO5)EQzbH3%C(=&h?j1O~Wyx~&;MZ0>nt19ou+kav2)L}(64 ztP&tYITV%Z_}&BkD8uc}Tc}i}XB2!E0(UDiD^wY&CBHz`GD^}EDlro}$^y{bAu+!L zHnwUpH4R4Li%RyT|JaO11v~%5>c6{xW=6VE4?X?v5s?B&4G6uD<8F`7P^`ZC20|)D zG&U-XN}Vd2F@{8k8r4Q(3^RsDM;J9mtufN5Gg7187^RCgLWEFsOtjI+8BNAmW1Mnr z(KDyNe4u-@#Tai)(D6pAv6C**XfxV%os~(^VGTL0CDD#(XLJ{1atQ-_zJjmm8gDyvNvEmv1bH z?qlq0EQ~HP_A?e6{m~`S{fz^nOO0j5fyP0`a^v8LA@+B6-96bT#*Vr*(OgY5?9kcQ zY=?aM?%PeIcvgjs_!|s=jw+E+k%Urk3VeAs_=^#Mk1hpI5|RDrE5Vxog?Ka} z@IbFyb$?o6cvfNmYEQ84@COi&{yTH?ah%B!VA6OTKk-6Wr>*e}%*s|LVFb=(;@t*gDv6 z6IDh9^jw7zL=>u18Nq?4mkPeAl&Pty4<)OOSQi2rLUlMh1V=?c zG0{v;1Y8)3OLRt+E+hqKXDgI|A!^k@DLO?`hz{i5KTeSnVpQlr>XTI}pcK%-%OqNb zjlH53(FjHkATSvrpHUeRV*jH3?)G4c@&Y5L+-i`ejNxsSefg`@x1Yp`Sd z_pcBx#;QPuiXcju4h{epred?%jK1tG_K$>{eG#ciXg0djAwzBp6)xGYV4wbX+26qv z`}Z#S-@if`>+u73`lJ#SCqqqjieQbQ=5QWt2MiO25@7u!kPaKviXz^q|Gi9!3mKkIFwIbtnUxklcfPNk%jta_fS3z`9~I z6mAr3?r0?l81lfITVdaJn|G6&fI@)~f`J)w{XLCIj(RZEe+fplhR+q@aog2v~wtS7t*n zB##(_cr^tcq`Qf@bB6~n@z&NN0YcQs8vHz&cZUuy4obMGjUz05m#byIXLfTpIq}F8 zGR~8S3V@ijI~xa-c)^@E$yPl6USD1=Ly$4 z0=75RnBny7oM4z7W4g(h2cWu@NGukoXgR~IPgTkInwlF^%X@xmpZd753#eS$0O!tR}tKEY&E>#!HT*S z2(a^M&(w@*%7Gb%F>_>vDt|PN zqcJ6`5avl1_q^l`g0qY(R`N>CE8~U%2LwP6ssZ zD`mw@?i|E0nx~P+0ULzlve=bCKPo23&3Nnv=CGNQH=_h03TD%wUJ!Q}ZxgZ6Nan}e z*j-F~;!V9@LXi9iyYjU_B6>(owXzfGZW7mUnXTiE!Y$n$5ZQNQBT08Ql4;FN>!wN-cmp1DP<5pgX^!K-<5?rb7C7?hS3(^@RD`Ddv17A9Dx zgv$Yy;5c{$4q_v35$|NOWMEk~)_8P)8C6>c^v8{?mU!Tv^WpyjVEn!x<>6f@nK2u0 z6TR77nz3r&PlEW+WFiPWqTc}*Gf9T9RKO&=*p?pf0Z2*^5^C)m^?fX%Y9`4m7oMe|>=LT;%>ds; z^J1LHJuFus_F)pU#RhQSkK*k5;emaO$(kC5%a|D4Y3fC+VLMsM!f>V}DsgwiIf7Hb zz`(`k$gp(7Zn^?Tuz*v}_Cs|{U!W^7O7%$ErZmC;tOLd-J<$k&%)?c!V6wT zvUBhwnpME2a0=%$X6Y-42yt96_rsFI453h#B^nI0PKVc;bM=CafmnCT=`gdQ(6Hht zu!3tf7S%n0u@?XfYapd#hv*Upj)9SODq?K)y_2h6)EG7U4VS{?rceV78=Qn%1U@xL zq2#a-ul151|@6yvzyQ~{BkMd*@S3+&q5e??j)eT5Fq&EfbD%& zZz_s_UM`Pih`ntwZYQ6q`XPf`0}*ce(1=Zay}u%#o%kHQZC{HD__7n2la5C0Pzfj6 z6xL}(2vJ+gwTsfsiKg>m#Hc;39^6e`zXZqEuWQStrI>|C>CSA-R2w&mi~*}{q1xgL zZ@8a3C=XHqeZa8?nvQZA5F&#!$G(SwXoWuPu_>|`Y9&48w+P*#T^(s_gpCUxmur)s z*3e?67Q~uVzsA{1O{3ZKT);hm_Qt))IauQ)X6l&gYVh#7fS0nlSvKw-+{rTmWp&Am z#Q6eKQ5J%Me$>A#!UcnE?Hfx9E&q$Xw~uS8{QrQj3wG(Qv2(UFID<1dgEQDQqcrRD38kQBg5b@!7N#lhjH})5^4x4AaWe%*xVlk(pVUT3OjQ z>;6ou-}kpGw7^YH$>-%l%jKk;nId`@gU!80uMcBEYI z#Tl8wEk80voTg?UEarZ2zn|$VC0z%1`h&7+3H+AwTJ90{s;-z&Is$Z-XBQ}F%(t-b zLIz**F#Q;|`J58?{`3PQV1^s}WJVQDSbw@1XBzISyF~p;nucST>G&3zDBnT=2FYo@6va>A*RI zFOqb5HjjH}af(VOa%Dh=M5c2#GI#K6nC_TsGLs(s8wDUmewItWncsuLgpY)JOaUR z<}K$Y+}_?g!Mrx`Di8>n&+3mVg*51)(~<5VYm`oXpivf0R>Gp@wd4|X!;oEo2S&@9 zrAx0>h3VEt>Q^d31NS8C5nzb$W!oyQ;bztVMAqwus;}@kLWHY47>(wLuxr(?fVO|L z+VeU|5vR*fBKr!QcfGf;;>sz}%a!e!n0pSfJJdjvs0VPyJ4E<^EC;1yd4p~V#^MnS zdeo#8eeDU96GmonrjM+C!)@nWq*4?^&hq5F=d!QujB zTgH+_3OT7@McAR3#^w%zrBp!h{l9eRiubOiYv_{L?T~>ru!{%aWZZb^7hRRS#lkde@&g1%N;_i5;Yt zTf=m_dHgFD<{>C~Q?;Cqj1g*D!6Y<~%#A`dZ{RVU8;}Szo2CJ9^b27dhyv>dseufI z`?q~p)~#^d-!&A?q2FOGKdjMaK4MSDFJrEG45Qcon~Gx{0f_aDeA?c^_CH8<%hH?% zkkfK<+MMNpZp!7ih`n9WWfdS&?Ug?D55f$0fFH~(2`KSiK?ayk2~x;E*>-BhX5YW8 zZyR3KN?yv5I7<^HZaf|X6aYG8!>EgHFs@0UQF8`?^>gN-^|d4>=SiUH0nxSd%x+ye zqrafU&%+kR$%EB_ZxwPU^Xt6BmZLF_2kE;U%e>0|5bb;>OlTKM%&W?hN+l$`B)CK? zH)Cia;^O%N*g{^#8gZaPj<)=+BDakxtYIe$h4wx3MUM6mIjIE6GKWB3%J3Kc8Gws8w}z{XR&^3 zq^o#d%(c_zDo#)kNW@IGOXNdFE!hE` z!s!l*3`3{5L>lKvVf_3pYOKA`c~8^KV?C!Ep=L*mczUqiH;I|Z^S*eIC-34MG#QdV z%-oQnSZR8Z<+hDmg*uzX!Te@(jJ6c&tf_RA9Oy#gpu3Rv!6m{gb#eM(N*q(1iSVO* z2LBSjl(=}lXw`&3S&>#Kw*)u7f+&S?Lc)3h~P z;yC;etu}t8#X6=O#JT%`IqY-3JAInhU=JO{M=}FJ;tf9m`%Jlg&7Q-?*pcXp)>AXy^zlU{O4;aJS9d^!Ze> z;~4Tz=CFchz)>PHA6B;Lz=aCgSGLcREs77A#&BZ1%!Rq55h!9^a>pR^e6N7mtCXH4 zFM9@x>7vneB2jok*FA#C;o?29;t@fH&X)M{bQHpcrz3Yf;-AJbnQ!1%;Jduw1sw|j zsvDhsfztp;3rdEt3Mzht3xUV0NH1hsulds903bdhGekf4Do$nNRnCFPTq)Ycol=pn z1O&LuzoHo109ETWApN=a^d&#(31hvtLQD)4Isq45iLQAd6uW-w>|8nyOq6*3A-W!B zdm*o-3*fdkt`eapL=etD zgnLmxA4$KNHbsdG8^7mW>l z%tnEU4@H^MSh;IBtJ4`a#_$RLEGHjlg#X;lE$Sl zX;!0XGU(N!PS;yyqlu*AP!25z^EeQu3H;5r2gLrl!;#Lz2Hz1IaE0$TF^Uvf!$m#W z(q2hs%U^16zW!Y`853Id{m2Zdg`J>;fSmD|SKa=cWPxXtR{VGpbH-4fP`L!5t(Mj# z($`kO>bmPje6496g=F0zuJTo2LO}QhG?|C)BK6)TrjtBGEqo_^6@6&N=hM;Bh8qXR~uS^7iLTq);z~V$a((xc+#5g%S9KR*T;z2?N=*1cFBWRj! ztkzm;TnAk77QfcqgNwU<3rr-dsXp$T;qRn_;j0cYeH2OT_aY%!bCIUkb-bCZuphOI zq$pUU_9bDH-lVdjlQ-TRLZ;TkSLuAem*#3S(i_-wR( z?_hR{R+!VU%laKwk=Hv2bEoDOzl$Vs7bpwhe_X}ypqbF51)p_WYXIfiC}y~uqy3_`S=S-FN~ol_@t^;1<;f?owo}g71)tbWR<0d8dQ`OjQAbWDu{HgZcb)v8aqv6 z=r39yZdT!LY&s8xQDLn-TLYEA=}aEC28+xn+(fUcfX;oZM0pDU=JvrC)9=_Dkd5RC`DcKFw+*Aby&@eXNfZ9`p3{W$_dKdoMUuDV5f~?s0l-N7 zGJHHzu9QDPBbFr4A!iF5#|>$@<`q0+^@#fzSp-=K_iMQRao6*-9vWImiCIg0*xvZw zwG{KSo`={i>gsi*7=4{PSYcgcSWeduZR|@%=RQX;M`{H-S*4Z}`qk*Vh?Z$;_B_Z8 z8obKKs^~OSj*W2D`JStZBxRv7>Syml`Zs(?dXgvcw`~KPKg87v`IGBkw${FKMR%CJ zH0^K!wzk@D-Qcv=ce$R2p9Ye@3*Ch1&`t|iuStJrJ>-taNog`rl;iApT!! zz*qhTtk0xw-pIhUqKR2Ns{JENkL+I>U*xwZXxHhRy&1Ht>sm!*~|& zWab2(gNjHh87TiAM$2HhQ^3B19z;CwE!qe8fXj=^@ca0*g5^kh15FlU$a8ou`B|Qe z=r5yZquiFTz@X7~6%qRC96tV6t2x53!BV+KM!~f9dp*ltfteGsYt-&rTXE zrn8T$z^}vV$7Gt?I2`xFM&qN}y)J4p?4a0Obb&^jnlxk(P*wH`ZrQ99ms2;lg0iN1 z7SAKg5JLok0a*nDdYfT3rf^7Hg2~!g#Ku*xLu8@Jktok^XK((eQ@XP1mEr zPNON#qw#G&c4UBCmJ7T8gJ=@#F9fx35vT{+Hj1&v9gNGuF4KU-EBy?7a-(P|aP@Io27Am?H6tX`j`z-dLrqc|zZvGW*@If_PYh<&qHm5IPi$O-ortCPa>E`2h-j zVXu(yLbI4nmO5Vnb;0S3&%G3ri@MQj-~=EQxxEpd4wTvC2uaRKCFeOUX@WP64Edwa z)P@DRdA1tgieT6d&4gW-jl{BXv=*W*df;Yj?NxT?qSF2+~<3l`;DX9Y{$Ioewx zKlJE9we_%PQ|D{)dtI3ykXIM(yFJOrkRDiN%uCfRhyZ0){VElD@^14hrOadI;U0}e z&qCZ({-40cnM$Wd(RE zUqqAmCFY4@e|-YOcZXt$4YM?Z>|@K7?I7$!2Qjl4cHA;t{x-@9V-|7)m^+XmZ^20z^cRU+G7)po{d%tg2^($}9nG9#c682?-?AzAo4- z`su^uPxmZ6B$>qD@C`1_+b4{U5grz{xf;btC}KP!y;h!txD8msjp9172ibxX#i)h5 z04ne4=B8N8CqtZX^Tg#lfv13@^cw&b%7nNFpF`M@nMnpHv~hCo-YEA5hV9BY zzr(eNJL>sF_c+ZuN`UCadeV_WPGR%<4*duXjx=0Smd-->Pn_7{0JsQ~ru0s#FST~T zJsDH`!*s@l2`n@Q7um)n>n)W#N{!O4^!x2iyhoPV29x zCat}&D2-ZtZTe~@W2`Ji)qg_1n?wVNksSkjDAw*+ zcM-K1>JlVI-w~6uplAU!(U;=h);LZl8OaLrJrsFJwfYL2#Z4}X7*64Wt&B zDfL%bGD9H;9$OGh@tzCA`Bh_twJj5gn}E>0w2vgyC%I@^=NmxNs++BUc%C7#1?Iw% z?oa|qEhqw-WZPO9FD2=8Y1s!93Kq-*_PF!U;tXnbj!YK!fr{`0BnDn*A)Rz*5=l|? zz;m7lZOdlFZ6W&vu?gCa$w)zLd`r;S|2+Q&?w}7q{$d0~mm?vY;bg}0QA`kAnsF`1 zX#g082f{|zul26n3p0(4|$Rn zWEl{%84rMqcqndPg+4PR#<6F#o)>T_GoC%6HYLRc#xb5}w7U#v)B?)qr}dSULe^8A0&dm=lZNl6HX|Hgsj#Z4p^Lfbbj(w%0gj0{)XM zG}W@X0(ud1NK^v| z5_o}$GB0xVVF0kEdz8cx4VLdU^52rx?m)pyR0M4Ro4knE zwzk@w5m2o%G7p5(h?C&zt7RY77>ccpPW?L^BSJVgKrUVuMjyP%AZuh=!*ncanqhW0hxAi8HcZVrCYo(qfs zaRr%(ZpWz|J#tf#u9q!v)7vc!y5{U|pEmbtR9cM+Kumy2(co1wnZs~8dfUAh*RF6p z4jj(kanXm~VZWrA7y0PMFM%a-TK#C8$8bd{P(mYE@Tq7g5yc}AjS+hCPf~$@6%Q?V2it!riV}Pzo5-Hwp-hKoQu{0+&Lpx@AJ;jW z;hEE3r~q=N7(Vcpef<8H8rQ-c)<;>M?N2{Xg1yk)@Qm3FrF@?q+oDUv z!Q6MmtB_x?eWI~VirD{A(Lpwq5k>PB!7yi?+l}-`RkB?nW^yS|Qq%El0A!iuX^8ft z)2aB_B2KhdoqkZdV2$a>1p5_1^ITy{6z>+e`UG@r?C6?-G*M|A+zxAQt+~lEWH$QfL)i&ffi3 zZY;X;5Y#cB4aXLR{H&!}RntQjqXM0fXf_<8b)#tlY&i|4(Ucki5-~;4)E?*KeGiBU zOsQ^QwEQ&mxw|96Nw%w>^)xf8VK=!T=Og;aW4XjmJ>0v*g=BUgk0v_-Bb(whhZQYB zldt`3Hqm0=YSx>?^aB!UYV{1l?_+zx@-Xi=u{cE`*SY7$wQ7B}XH$vU(h!~XwwBT4 z2BVpebZ?6ABH$&E5o|Aq0U3RzjGFBgVcMj&KhMN6KO0xX00%8Y)8S)hK)v8?v7OO6 zHj^TFtOy>v2$%a1_-%pT!S)U3XUh+$te>#IMFUeP8D>3nY6ETZHcevIc$N^r{9QyRdbeLlaEef3BbX*%`=Rkw|Dgt5)CHn`J%Gf9+D}sU)>(gM}=|syM zm3*!Xebm&hVp6YA=Ywh>do-<5g(SQ7sTeI=ZG*wvYtBtpU;}yHxfcsh;1d#&?+h_k zCU@qOR=~C}rcr9h;`7_N{G>Yq*T6NC&~}dO5WG?gYMeKSGd)anWbN)2G#a>eu`E&(U%M*nx^!OE z*U`3Nr#3M~*omKpJd-WgL@Qu2U6grEOl(@_+3K`o>s5$RCqixpMTsj&wnF{^658wm zZQ$Erw4BM>zE}SnYj_3%XUn_7fvhr~_)hww@o*@bn7rzVE_6$|=T&>S{JS1XO8f9DG!qu)F7tVN zE}2HwFdW{DzoHo;k4s2a?qLEHQe>$@US6wQD?KAkwLburEoBeO07*v>ps^w5v=jp{u&&iAQTW>q2&5K%;m z(~F0pCp)lM=sG1W1n2%K9N~Qfb88gxwStx5rnM2C=fwaXV$E+`og0sA7j!}b`)I_W zH--K*2aD3P>|H%6WjJeJJfGpNu^cDXl$IkG;I{A|;%fZpxE4f=&NYbB2@4^#IZIz8 zk(tKa^$4OQ_b)M|%~}b(Y|iW9z!aU?$Mc)Bai6;m*4#s~m~ffbVta-r1f4TvGHqPB3hV9p^*% zCRgBpf$*+m!urP;=UTD=e|Q|%@%a$EkK_`Vr!ot%Ag0zoDSeLPfLL9MCDCF}eh&zaoRy1*y zp1Jr%`HygbL@i=^^8>I$>`&u;Z zp^@pvr(zUvlNQy2v zPby5=@la}M*dW;XNxt3KD&Gx*xWUdsky3~T?mKY<%&8b7IIybf-ys+hs58VkbHao; zl45>Q@(`A5huwwp*sL?D1W#utT5YKu-25bf${M?xW-yG{aGdQ*h-QXBbs;ol z!u^)x1VAYMuctyC!1qu4&lB#!F=Gyf{oTra@2J1;+-pGor^|a>J%A+Tf9{5m#s72f zKCJWa6aPYf{(bj;YxOz3Sp#L;)|MT2mXWj#3hMv9mdH%U~|IB~x-v0>y z+`a!9{<-_tyB35#_Fp44H8=%$5$=uD-yac13f?0%;oi}Ip*-&$@b}k+1MVIBpU>TY zY1rZZzueUF$HI>P=vwXqFwrT~=G=$5zwog_|NCKV`SRB{!YvC=0niGq8`p?q) zf7v?yul*a}FA3v6F6+;~Mep_0ytoMOHp7Yz8JoXa0-$N&eiH%o4S>xECj8T35Cefi z(tY7x!0b;a2~nYD1X=I)0g{~d(S~R`;u!J_q%vEdmw z7;~TPBbw1`@7Xu}65Skv@bmL&EI)+12o<4^lKxR84dS6O_pM*Db133_3mXNOLKc9b zg(M2gkmM8*I2?F6XAZqaX(A$TC}fT)#^z96Vz)aC+vn5cjz@8idyNCaI>ZB7OZqA1 zzR`?i1X71fX*9PDBrL4znKjdE%EDc}6tb1c79v4!llE~vF4}Sj;!>_Ca2ehq^m>=mk+y>-dr$eb&J-v6F7t@s-(+8i$mk$96DAo{`F zTFe(p$H|XCHJ*njiYstz0t+*6kGKMtXWTPqQSd;Y34v*oYREY028qEo^*!vo^}gD4 za2!BIyHQYHm&<|4*<%%g5L7VHfhUz)Sj#LvVMt z(f(Ev>z}aSg!KwpWJcoyya`$pYUYMs#yt|b4PAh#iyMKnTUv27K4jHmL$MgP=T@N!hiSvq6?(2<$+;zkn}aDm%fI$x^JMWlxBNoae8{l zbG)-b3EFqkZQp^wUNH*4L}Id1QBWv`6%~UIi}`phaOp?l!8lqP2p)0GHrG}V-DrH! z9=gf=2qa#5DzPN@LOCD71Ba)ccgwFROnN1XEvXl~?L8EH4H*I0(DpoiqBYz&SSfn^ zuaJ~rJhq`YrhjW8F;E}>2uczYiu)iwxvn2B1Y}(91L&3K`97e;$q9u-=AU=m=96KO zncuFP0zw6KQ*s+ZZ8o)&GZTH=Ti$4z3&=4}=X17i2MBgea_)^Vs&8FUc7tT%QjUWp z)Vo<-yYO}~rpAlCBERP$&vA$ahSFDY!=a};Z(uGYPAxg;6Uqpv2XHtckj^BK0#HZ_ ze!@ih<_4B9TAav7$rg+=@B<+<_!UabQj&9w0^|YD!uJn;(@+W#xE9X{?hI9wkC@}@ zLlmNiXNGXzmdFU0=~z_O1~dKS{&%sS9|DfDp+?iXwhol!y*UVgt9TtRHDKQnY%;!} zB>DbDm^GikSKz>}TqA(zTfmj)N8u9S)p8=;N6K4HBH#tI1MB)9$M9IrAWzV!W&(ED<4} zs#VCQ=61psZ^R_#&@{p}O$D@!F&TuUTo*TQA_89^e!TZ3^Cr_iW%(ZjdThMX_k_i{ z!7yZJI>fBvM#zhn!u0)%R3GXgq*smdrIrPB4J=+E{pMjjF5Ko>3o}WdXgCS$ErlFu zs1Rdt@7s^moWUtLn)BkhcrX`p_B3GKfAJIHHPUR+SBB;`vo1*>{z6t4m|L5o6XWWOT3)ffXZe5C8Hw zP+5C#D*#9)GGSoWQ^qbB}}flt~1KCIYQr$O2=h&7#_!FP%g^X zSK7mI5~NnxRchm0jeaJFyH)qpThzFO;VFkLd?PN!(>-pk1V_;n=W|G(r4|R!dXQBu zQk~M|>XDGcrTRBQQJ?VQn3^x}H}wTUyVRQ17FP5sBwovqHHbZ6_g?UP#Sg-_hDIa( zvszp!8!^>OMkpyiwf}1SFLGR1dw5wkiK~w@?q)&EE*G_uqAKjToe#;STxh@suW<2cHNF2-0g^E*e*s8Y!Op^~_Q`tpaOLN3l&#AkkeNV`PAWOvbFexMI*9nn8 zLTQ^C$>yk_HzAh41SVo-E^1swm*Wr1p(dH+iscjK-#F4pL)6DYB9L{91@M>YYZXqE z^$IDg`gBkcXe&G5+1A(_^B}8AYyp|G5zez0=DkR##dxo#O}tN2)?^#IrU42y!8mIWwLbx7<2whp~~@K z&2g!``Vi&EZR;XD#cg!X2q*EvPUG`Rpp|!5^X!r!L(cM;;SQ>wKY+74(l-(TRGUFL$Gs$#x!HK59l*<4;Gn3jmVKW^; zDbu*7eP z%i?$dmM3P0CZa=|*s8daKlRBf=?Cc&Z(uKJ>bjG9rhCu;3fI0n^1Luu&z$jSgm0zi zQ&=&x0+`cz)&x>p6=fY*TenoF*9sS0y?~Fs#giX$E~~lMpmI2h&Kz2f{4;QQ*#`d< zSG{u%!tGK9GuCX}pUC&J_rj-*Pc!s1o>r8^rJC9_CG+{2IK^k{ytMx$+p5H?Xg=-9 zd$Gv(27p#?#%%QJvH6vyjIl1%HPVN4gN(jo6t*yzn`}@vrKN&5w-GrQCYc04pBCz; zE(X$u?^2Cige18&PugjnaqX&N{Dk_+e6&Z}Q&={Dj}5tL{0*Lm9y0vO6c375`dPwdBAND*W#*ip>fKqMgMVrf^v=zgTyJSJCrZy^2QlC&kWML@vOgVw z>k|RNFt4tYx?QaoG(@O>fUweQMXf|*K89Or!yL!tNTkz1A%!hg*4m_G=_8V=*T>LQ z=_B}1cP9%-F?p=Zf%^swbO(D=Dg7Y#N3G{uH#jbuEAbLA3X=&BX7Uq^vm6ujx%B+@ zR{88U8tW=4`yMB@9Bj4C`-V9AVOTUTq;KGiI?zcIh7k*>otTYdK%a!fQ7_^6k%VH`oe<=_^}qz}NykuT=IMEy6RU z)gGI1E|o4D=2Gqv#$FEXd$XA&oW;Hu?|1~4RyhEt@JhITy&5EsEQ2&HZF;9l>I;K+ zsL749IDO4boGjOd33_RYu|`?*if1vPDgq<9pFLLZkBE8QVaG|W-=m=AN-`4(xSQw} z1?KLypd~Kf}rwoWs8TTs||QIY>Y! zTKwHJ=+>8v(^XP;FvvBE(qiy(21@`LP*UD>KAskju89cV4jy2v(EXqRFLkhKWr{6d z%kKn;QL1B{=PYlQipdn3)NmEQg_BJEQi^Mdb$l_h@l~cbm4Snkq3>xSwt6<0PB5S+ z(CPSB*;;9z=|cwdH73B+j0+d^?hO-Ji5hOZf#ENPwPNcu#c8n!0^cVjYy z63kyRQX9@T_EQ$<(B^L70S-9z3EtY$tz#k^t_C)RjhvRg+E56CSww+090m^1LU>aP z&@bbu0Dzn7?2DU@c>7}dG%j(CXe+_Xc^$BW>iIFDU}_FfuP-)^W31g^m!)lI87@^Q zxTPZo|Axj*zMDA493c-6BVXf*kietg;tw3|B0JVOc0u_i3*K~j<$IXEERA&O8XgFY ztL~2Ttff#>r-MpoV_3R}76sp--(9QHH&KV3uz}C;Sn}i9??8Ct2+e4%brn<5)el?D z#l#H$Awy!RhotddA_B(_h;-9epy3kd99j*Mdzl{*%YMKf(m1-3xcPjj#ZNda(^U?; zaRw{(Xc~7*%NzLovwA%Ad@UJ(W9j0CuZ&bhW4!=ROLPq6gYw=k+~+ip+@;lI4!6Da z4Su+5A6I6op&UmNX%58#%?16N^sUt4HueRQ%VrP5#Q9Vxd zjlw42Daz(QAY=H%TbDqo)gX-Ga;12oH%Oj2rqX9foRG(DXGJAHA9NlAze&);V<@Ao zJ6g1X%h)2{RMec#S{ErEwJy7r#dIda^gK4BCLeDMzTsgg3zmJX`g zw6e)!beYA(g6`Ozf@lM8sh=+NF+IZxk)#`)Bksa8d|--3--*j|=P zqFs^Ho5_mn>pl}AL3Q_1`?^3ljIFRo_WX4I>+^LDy=7H+#}aTa3usYd=Qz$r%R&0j zzom9Ew+%>vFi3)oFd{b>#%H_wa5_J%*vz8+zia;UR!6}iw!R9H zt*(-}<-@5}gYZ00G#(1-i=2wn83-AlKm9h~ITZft%d2 z&wT*VJVymQ=dCN09G>I&qmGG^QF0pRFj*iCnT}KWOuW@|MyHFE%xCi?m1T$)oK0Pp zw~P6Wra@%-`k8R@;f{&sggsS!A?Q3p-I-ml9KmXYB5XMetvK>ZM0Nfb=_<(rpSbo( zM+(0%prZ|3WI>HWUlt+RrH6z{X>NIW7{rXvDXcTjuBCnb-OLr{R3aRzBdjN!wh>L^ z!OcJ6r41(>2SG!_<{Zkl<^!!(7`fC@5-Zt*k#&DqD;I zfU16FI<=a|37^9I>sgi5A8G>DwfH^TIW^^_-H>T&w6RyzE{)YBrS1QX>ToZ(zUS^a z+AzoXC<8d^B6oL%Z@aZMSX;&e+CPIn#$^zLm~Q>J4$4UWSkkRJ*3p}!1-=p=ytSKn zNv0?c-QBeX6vTP6bv5kncQ%@>0W}kn!!pd105hh0JEF2M46O3o!Z6(5+HAZT>5fBE z1L;+^hY38GyeduqU;oPx?XZaknksQNLzt}mBPl9gkMCn556X7*C zI0Md33uOuKr4S(qBkQ4ik z{`9TlFJc%Kw4Ws$LyD+T$FMSK`>`-}+ULi@wfPC{il~ZF?IdRG_VzAuGd^$cny@(G zb!F1JQLoeFo!ehmr5^nJ^@tvCBpg?#eK6`clkw&D<81a%pC8xcDFO?%eY9nZxxNW4 zi*@~aoLw9_AdhQ|8Z@x1ksmy&rBOd@>eZXz2;t!avTbkgfZ-5#GCR-C+Jg}2!H;CHRVf|y;l|B0#-iVt1h~v$KwJY>*r5^8ZI-RkoOU!$DPb}dI z@)J*|jb7|wxbs88Pq;oF8=kKM#2gSsq(lUi|XzFW>H-vOlS?pWJav*WYof0tWk?3T=t&!i>oHj4M0Om1gfh zw{`#oejj9buRANae4ZbaB*xT7l^4CT^MmsKuJbDg4e;>mD+ZZ8et%_kqrY-!ZHGUp z`f&LPY_1C{t{u#?6wbw4heQt4x3zeTR*(+ zY~n}5XPggyRQ=4(MO{aXTh|#DH|Lt`ogp85*D-kHe8K& zL@qNw`SIv_#|f{yxz*o1=6H6OsfI-!r;aR%8eY|1 znI2cyQ8MY1P1-Y?F&M83K->+{B49}fMZx$lTMUp=<;@q%l6UNk;*{qQfw zk_V5aS8xt3zpdvF4G9-|_W0Z#KkxR1S@HAloZb1^{NHb1{p{gb6tjIni@I=BLl@(( zu?rtKhKDay$tM#A{mb?BcKsJQ%E02fq6udfM^#SfY>bgR@|PHXJ|ry_AN*BXCN0k} zHN9m1mBg4I-PG*vw&SHm)$1yB1D4zNogDp$oORQ*f=hm)aE0^T!o<3x>wayd?@x`~ zGU@F3jQ$x3i_e_Mw`|Jr(r523`BamaoLtz?J#&#RGlfa)Kl!E1S&3Z3+}46IO{Y6z zR&IY~-4jV!-|voDW!;>YxUk#pm|^+dZ(hEp9>ik?w z{0yIAPSTp9mAjX&>G$&PlS|T;NW=PBHVj!4k^fjAVQq=&t1s8?^axkFR0I>Qtn1!T z5L{pBonziWOK{~B(~6sCs_2Q;=8Q$FpSZGNP5;+}8%Jc_G0)v}OF3?n=IEPM4~;gY zS!@&poXd{iKA`Jo*?Q|g%W=xO`rz~#U`+29!oFh4?uAlOLEoW!B^nt6Igh`XGVZg21HdK``gb6#PYS0nTWEAFK=C;L8B{?{SN<9qxM=NU$BjQ-)83w^WDKNyVV z3Vvnye+)*9^6w{O{^tF<$2IrAABFQ9!|rkV-5aC||Mm&~?Rg};N5ytOQB{zk{_Vy7 z?NrG2`?pt+RV5T{qN3m^RmFA^k5nW(rr1x0ZZGtc3ua2UgtdO}Z+PGLOPw10i4( zqfFA~g{B6${y;65KS=m5{?F6%_mh85&&}TY69bvkj)?`Ai^k|^VNycN0@@p`#)YIe7pvZ$v|t_3G^)uY zATUZ&u3o)>DN~qX&yLDZf;%7JB(*xB5wySX4#he|pH?z({G+L%R|&mSAw|fta?uHx zNtNJ2U9>`sqO3mvAH(!#H2MQw^(TnssXt&QPu{&ZlmGVz^1ohQ&)w<5ue|a)>y}i%^mIzcSwatuPQ$yx^^=|5>=M><;9yR z0(~l!3qcqJQfEE>lML@1zRW+2+(Yl{gP?Ti_56ntk551upxrLZ_hdp+Kw=)y+x%PR zS?0bV6M`~F|0NRw3cPptm6iVnB2~xR1%Hc#*#05R6FzcW;}fBnSJKCMI&{#9&_N-w z5JjG&Xd@`Waysoj-u{v;c|ELuv+#$Q@9bgvFh2LORy<^*`y>Z)ghUy(mav)Z6MAody{i090^4wD1*;LJ-JM}I{2h@Gcfi51|bt=;LNf{NS4v} zK%J(pbPi%x2!oBUC*nnd%Vm=Tevgq*x4e5FH@R{hP zAMZSjJ(=7B=S!g*!4X~5irn%XgnBZYk&B-Mx#i7VOZgE*i(vrgvFZ@=X-+aqm#2VO zDzp!9<4cN8OVN7;Yf4M z4@^LNYQ-xLw%bh2st{Db|C5vl$bp*a&T1U6LH{&6Rqa%eRxwvX@>GTATfnHgrzt!) zfwR!aDe1SZGH(ol60ZLyA4To8e4^=NC6u9o+u9U*J>gG@ae=xRXTpEVmx*tdD9WEA zXn=}C1tml@y5Y{loKg7Hxd{ll(`st1jNGU&R4VZ~{wH@YFegy|sn#QRR(m)omhT?| zIBVY(+=_=3>_BBFP)6CDsty?DG4w^0aVW_NK*mX->wVaWEr@$EI5J@8pUhQbj6v2? z>D-0*;#?jtIf$n9LQl0L?j30w%E&sbbUqMTp3ZGbNLgg5)q&l%V@fwP*6zGLS?)yw zkAe7B8VWoLz=u7P@f1k01U7MT`;m22U{$M;_p4_CDlT8X!6_ z9bE24j_ihOibiDF7!d+W1m1MhF6H@s{c{me7ectBY)hziIlFC@lfDm-D_PoZzD=OK$_ z5=G9<<2;x7aqfdyy2UM!cZN&f^D)keYUwM{V1t`;Aj$O=8mduAru8aNxa^$Ol4R^q z((gK_z%!4cE45;*xaG<5XO57xv47a8PG!J zGu$#Zty4U$jIh6%3Jv}c z^rCTc>laQ3kq3u4A5nOQ9C`|R{3Q;MHf8P_?5PG3WA{qb@_(@R?%_>TUEBEHX{KbS zooOb`q?xn{ozSFB+6>LKnYMuj5@?}?77}Q&uBsM>eNDxDM6yJ zkZnqkBd`E~LG)g-TkyiwMbSb#Ho=yrhT~_U1KVcDPUx!8A~@vdO!;DJRA?F3hRcUJ z1nc44Q?3S-;~wSRs=PFc8f}>njhTJVftmM0B(~(%=2xLSKn1pK(y|U)d!40R#fjV; z@-7QR-L}bkesTW}z`uAx4U>K=pDg`?b{ygp0bVHD-v1X$zfo26iu48cjjdUP24CCb z8^appfI`};0ns)+zb!$Tr@O;)ev}-BSmr%hD0`F}hO+H2bhf#k;bUtjpb>ub;w)sg zY56Raapqw(q7d=@B?E@Z?}PBk;2TJ*0UGK_Pwu0%kl1LUcJQhQMpA|IoKo3OU?Fnu6s-lhEZQzA@s-10C_t=KTJis zHL-*32&fOtQR-kX1at_EzXAb4a5rgE4@g1MROmD{V~O%yM2#i5GaX-e4+Z!Q#W@rB z13A-N(?OjcD)x(7>*BhW0-@aVG)}TckFN&WHj?V$BeVx;zJMQ9ybB5U*5o@QjK4+& z)*`uR*`B@?MrLa?uAtrCEG5W3^TBA}S>zJWDx~H({X$btxv^6exILBiUte+<`}_(a z(9EQ=)8=3&H^5bhlN>!*h}jJ6C2^pIIVQ4ItPl_kbSg9-gh2(K=UYpkwhC-y`v4&z z9P_>y*u$k-T187ONE@%hi$L=e-`1AA$|Za5#d!w;4l+-4VR~%9EiR4Rr^^qszpw2H zUJ{~Pfhx|8WDe?bPgO*@O##?mFl}t&Rdc{iNj6su)m?j_jdDmRr!vr)IK6M-fEOrJ zoqQmRw4O9q452_eNox4QG|QLinoJ*OhXYgJ%-Gy9wCFhzVdJBuEKmYNA0Z~Usv*m< zpiS=Xf?r&U%3>Q_+rQ+`*JZDEvSC(GEhXxTSIoV=LR z3LmB8jR+*gFyxciu)gOT4i0Q73SXY(2|XZ9 z`+TrKSD?I3T!Qormh~}?gC=v6!QFrG3wFL-YC`8zxN)HQYFh|rgg{yQK$&X|w1TD) z^3eqC1>&o5Hn6?ey=7PP`n&pglTm|~N}krunE};a4=1I87wdD`{(fMo9)N(W8g1JW zF!M>(Ex<~=isgM{%)>0i>{|;uksOEnKO@=|zO_!fv>p5AU9SevhWMK31eZ)^it80X zpzhn?ik2To(nbZu?B{LBeI3u<9&#O#Hnp;?G?Ese_1u+cn@;LlSx>N!;eO5$tZZwr z0rZ*c1!jr^t@Z?!(r3|*i>&kpC2Tck>e%<}`BFryvVL-|03v@zv{;}x{0_-OnU*hN zZCeCb4?g4a-evEX7pZ(&lkwcQz^w@+nONEm9E!;HrB-&v`clnL#tPFV0Mcs<&}!h` z;>!SX_Sq;e14Qf?qt=AyKsx8l`4(Jt0_%kDl#xWgz_6%|REvGQ0@0n#p}SPIU7mSk{yp3m}jh$CP;@Bi$99U z9a>ZBIvn`u^Z~hrIyb|8((#6RfD_gZ1((e_*{P)`vAsV35i}l3Ypz{~SZnE|@UOjy ztQ7QY+aSbz{dn#h{!g|Yza{v*;*%)M4*KIsGy+uDA^d?ty#m&47oS{u5wSgLr-Bl@ zvIk-V`y((3*<0AW$uFbv-(V65&H;a5eBzG^L{%)yL*LdQQnQb}mxxH3ji*+;#aQ^*~Y6aD^%=A@0Us#Am7;_0Mfm;W~K94Q(I{PGQX+P zp4M2@#6JqzK1-C>B4B`5u8GtGrdDqavzh~R9C5HtN-~=xqivVs*gdX3`A?cGty{w; zXVacIV-{mKGNTFioadZ@sU=bZl2(e$SQ4Hm*CLsDYR(K|POTFOX0}9eZG!VTX=q|G z!Sqke6wdN8I2CBMudu>{md|w33{``|7ESCLTY6?$%DyOXTNGS^0(!3#X}?P(!^}fc zfH?e<#1Uf<2+UD!6kPp)dr)pW?{ovxk|;C?eLS%Wt(Cx7mEcDTfz3y(0u;>$m|_Li zE7UH_%8y{-wc;&h!=>M_c`jiClRv}WBW(f2j;xrz3)gl+?Cje1iqc(xVxxA2#%0Lg zz)pYxw~l0N%-3VKjz8qxhH9TgrS+)l4BNMK2o^ua>q_xp7z5R{TajFV^^GhLkf+zD z>eKb?D{SxbCS?E9(KXfkEVb!9w6i;68`gb;ibG*$UZ;56jY7qLdd2$^LGM33hWRzd zns4%Z@|Db=8ezB$NVVTYpPb6i_BV7qIg3wXo{AH9V0%~J&z>>JWOruj0CVr3#H>8>Q=+b^BPK|~c=WxL#S|(HDSQsNIbRmT)!T%flF;9&mtArY$QQt;{ z!KMUI7f7~rLAxkr&-scSruJ}hOLBeR0Bi1Io$q7wyeR2)#AZSTcedr5hm z(+rdDo>Cxs-fOE+`|d^kjqCZklt}}9hdfs7_)#@&h~viuGSxQ|gMC7DqN=_mrH&E= zKYjzP z*=42*{Jm}U(ZGH#0TNLRXaP(x!Li*|Ka&$|G%$(d`s~1O!fdY(2i_GkBAv^q9Rt#l zG&E8K&fc9-WHviU>ZR`gEv&ruzR+quX(FRGX{YvX$(Ro?`fE=A+tWu;ZJC z%!OJqxGrd#F6YJ=dndsrOmv-)@~}l6&95;ft{rxTh(BWH7d6j|#pcl0U?hpfQXP9W z1<-IeSW;@&N!49@3pWVA~!wav8iEKnq3-^ z$h0RVtEFw~(6>!}=@EgU>(f*EO$iUX-{kF~I@Xw^H&>mcfa=`9{Gc5y% zt1BR4@uD4(V)jhV6>zBrEBkuW5pP~A&;(r?p&A*CqT2i`Eq#auC78BeAgAzE)@WZ3 zI2qv`e$Nj06Hp`unwfHS$$-IcQBnhv-U>%YGrNg}O9mLw#$ngZC)#}CdySh--gS*d zvO8n#>s&q5ES9o)g{7OW~>$M=yZw7NOo|~By zFTRT`EX}2uuGyXLSz2>Aa$!o{r+hEg>nMsjJ?i{woJo3?scU5f&=6Aq9e$Ll0gNw! zouH8g9txdDd#XLSK)cFNGOzI*|B>jXi~C6IZ&-GGNaJ3?Uy!sPQEqM$fc@=5j!Qyl zx^lisf8MlxYt^QLMREzv{b+uS5UcrTqu5z1>WO)#olo?3k23$}IlXJdz3K*y_J@K;!hFlFW-tre2-Yq1WCAEu@zK#a?8{3Iqa%rqILsR^DgqWffp0%sXvlYY{yo^Y;I3i+%6JB3C43Qvy zjBP7jM%(|CIw@+$qIF$RZV%~LD`}ct+=nVBBEY%NS!=E!X7mLrR+3!j_p>mL4YV6v#sR2D#iV9yqj&UyO zU2I%K03VLqpxsVfbLD-Q*+^i-17vd}0USBDb@h?bdl4u_Y--IRjF*0bU5^!us5~Eu zAEDgE%Kjye7h;&l2@I|Kq8v*JJ=_>1`ae9L({0QrqF5OxI+euBydNb9%r1hf9Dx}9 zeziN5Tcxc9@)1(&of*fvCauuUh-Z`x%+Cr(tN|+W5J(eOG_!)BMDuSZ+%AW(PhmVB zI;Mze6NNr^tXDJdwe~J-?)Ojr~ z8XNYUFQOI9|?5`QGhB#5~ zu3@$rTpe7`IjRzTZFDv3h{w1&imN;Mh3$eGWlb8p;y3exDAJ|rGEuMd zqx{!N{*O^8oB2vb$__0;?8(c0P$)v|fTbZ?;c{+Y*`<|UQw3)s?Uyd{p<_s<`-sD) zLfPI_s;H?U!a}F!q$~!Ll(l>Uk`M9n7FH@(O&TDd)&@5r>MAtRwRM>aOTAXQis&As z=*&C?o$H=fQJ4FHoZQOzw2`=_cGywGOZ|+}6tj7yHqJpjG5%rLkO1GGXcjQardAvHM{ozz=29*PX^Arl5;OsQ$R+pk6wrWa8pDqkL2;$zu5dR59D$ z4UAdt!~vgRN@QPOJx1{$aL@E|caX~!l;5_tD$ zyf1=k3Xk#PY3Rjnh!g~8VSYFmyvCnHi+dn2*NpFjiZ|lo3y4jr#jw918^9v>Z68GU z5!>QY*j{V^Mez>>b}86?#plq{q2cNO$Lq-ZIywZuB~#UnhnlOiGonf;Mi!kySNf!Wz9wEg4gh9w(WrD5&JT%$LZx$ zfq3Ci4+OX(4<<7%BiE&Rhx1mB2b<~B6V@s4q2~d;$o-V#b(M51W^o*@ z?Sa-MVXljFxHJXqw8hUOYG^GeTPMR>`U)ehbG%B+$JESW)?~_mPHUEv&|uK%nI;y@ z7GEYx>X?Qz+D0uaNh6{dZyd`rb*<$&k<9wmu)*Gqn0|5Q`>jw7=A|g}91ajn#jiL# zLhgyqGoC|A_H3{Q>o0S;?Qm~nBFDMLzlE76v}ld9(d;+Ozfjdh0H9C0FM$Iyqiq-O z{W7JvueqcTp3V)ByD-AX?8J?4k_pUO0aok}bi!-7(LkRhYz8ITgM?3oiR?WE!(IO1 zek9G-%IU~_wfEK0+E+B5;z(zA7$m0wvVQvs!HyOb0}9*Y#Bh$=%@Amj>>vF`ly+$-EEVTt4EU`z0bv$wK)FhTj8xm!D?~_c^y`lhvHXmJu!g60QBv=~4}7LM18)ujRZCy@vvUyn~iwDbh~d{4%gc zb?mJ*+PFmVc!YeBmKP%Z1I_^BJjA}ZXK?-&T+?$vf`UDvof*pxB1_qU!A_`u@4#|4 zU7C&O{>a4-7>cVtVP_O&fc>YXlXwwvF9BXNcEXbD3+_eikMi>hh{^o`{d#UFvn|2V zGg%ws^pj*tZ+pR}Kb1fpsPi0OfV)Ga9VI)uB;=U2ljyojSh7SV1BzMxPIYrp%MiA` z=|!>xlipSJFw=dvU34MJ>aHd|c&vG`x=(zzj;~a=AHd26LJ#ybrOt zzL(6u)!{nZl8)kPOno+~o6%@xB$bVd0mh1a|b zBW%i8;f3a}h3&X%8U$h6UD6UHeuvSA#`>snN9$)0w{X_tie~}GSvX-CM7In8Od{cc z?|Zhler}8_v1}Lh1!vVSBM>SwE|zuR(YAmp--R4c#0VzTdj3eZgQTJGr!b}k75|B` zLY9YU@P{;S-ligwZ;87tFc0}2cDJQ361Q&(EcrcApq8$-4`#nBbGj4h6xT)&phJNo z+4w*lA1ky$pBukaxzy5XWDLf#lgbJ$hrJL<@i3e3dYaUSZQ;Uxa*QMhz1Re~8VkKa zFEwN1Tx;>;sHDZVDTWLWzDd_G+7&VENcmipu+}+1K8b`iG%vmlczT45lO!EuCqRlc z7->yJ%!~+hEdCgYTy*dqg!;1;-h5;`8w1`w`DoDtHigy~SKo(zwkQ_buRC~Wcw>=S z)UYoX4?=~2jJ(J7HOAil$f1e#wqU?Wm0B=z%%>gQqG3I}z=tgoz76tL8muV-l0U(| z?I!TCC*+{-OY>%4oPg?Dg9I3Ze3QY>zgy*->`P}&?1Qda(5ZfQ1MlD#FoTlEVLw+B z6M7TvK58--GxBmII3ay^wO}>N3|&pCfXQnID_3Q*&o^}8o@eb1?~(%BS9Tci;HH4? zcV1-Y7B!KM_$BbPcnRUv93MVyxQy`W9b04?3%`J0MK8by<&FNgDuu&bYdcGx7Jh@* zEDUsWwcT?-cm_ZqhIoI8kUqhtG;eQY8=|3lGo50%(H_@QTz6gU19|o#Y>pc8-oq zlz&3nI4zv*mxwhLlBf96^=m6C{EO;&Mb|#~u5&Um!KoLd8|T@7H>(X|#U5irc}hlrJZ+ zOW2gM@hEePo}ENg{8;aP!W$j0(QF<&P_&}LAe!IAT|7Y=Wj?1r5=7$7+ zq(hlv3uP2Pin!j6P3rLyDsDyrl`sOeJ*sbd%G^g6%9G#2J{nsr3xzG`$xl8FHtTz9 z9G7)eTWJQ{WQW6Hqhla2KRNbja^g$A#WJ>;+*BSV=ci$Bt+FYb>%^=VU{r1&0+{Y^ zx=gYUvHGT2sH5ZaGA53-S+(pU(%t38NrO4;YEPX7wk5d$wG4(4E-#2^JPu}dX{@sD zK5U`__!oJivTgz#G_Ey2<8kk6T#jLj!*9kfa>%Y@Fz07-g zfwp)kU(3$2{zgRGK((-%3Q?J+{#av@_5`#_6@Juib=Q*xfxc$UNRO$>2$EgaO3pzI zXV!vO8SnBuiTEL*)s)2kFyc6}^%JS%O%{HnZE!mf9+|-tC~%=_qVc;j(&FaX`PO3C zJNE?79bq*Zxne>n(ea~BpB`5d6!Rmz?c3Gl8h_JoTtMd6Wa6-u#uo3aB5kCc2urI{ z>LKl?gT)8qYPymYc&=EDYP#^|x`9%hD%3IX7QVzkMur83HT)_hyAR=v!E3@Brgz{- z(lw^#JM@lmOpN6R+B2UscUPGws@NX3)iv@sr7#d5V|&^ewz=$wye@2iGLE%gO~Z}U zMb^$12U8LI9`1|${ks&bbv&&n2Lm0Q%dH>jKN&!|N`?oz2hQ2H^AJRAXMYRzC-J#Q zS#L!=spG%I&q0i1JJw;!Wfx&w2%s!i>$}uE$#r3V<1I<{TRZsWI&?TU-*(WjV%7Q6 zZtM!0Qp?_A50dGw5_q> zQQf!}adU)eA@iegKsSTXg?fc5G?num`^TQ%YCmFptOK7`=|eTKlZH5Q)wmd?8&j){ z130M*W2}j@N0&W;GChrI^C$GxHV%uq{&Bj$tWyf#fXNNGr*zT$ZgV&2PO^CVL=<=d zf5DEB-&XnJ=?Ba?(R5$O)(0hlNM{){c6+wy7oD#eM0)vb;1SeyEJKB@D6^5VBh(oV zDrN4Zqle2f!p)oO+kvBtd=gLJ+=q;C#0>O)kCDqfELomD&^6lpuDxW6V-Qo8*MGKG zRB*fHbcJ?m44C?tVvjN@xC-e@X!_iPk0O6tK=QX`2@al-j{#_*PCBcQCsY9?2N}av z1edkSkBBJ!3gyn@qADo2SAJ5VouvWYt^W$o)Ma85_B@Zu4Vbk}Ka03cYZJHyG8+Ns zMKj=!IX))0t@jcyJ&ueYGQqZJ`YKf19x)%sz&3SJr=myMg5Xn1n|x385>}kF*V{27 zSgD*;jb|w(&k|qJ7|`Fp4%^7G@(UHyD-m1c>x$ktn$;~cq<{(x!a{;K3DvyI{vx(e z^qat7p*2OFUkdGX3cL!~<;^3Dy=ePS7?0=(D9<9ZT=NbU4sWa~qhUMMv>110=0r0-74t|pk%@n#8W+JvScmxHU zOnx+~H=fe5-5p$%eXMz}8dveZk>$i9Ucr_+wUo`k56+?usx5xC=O;Wro`gI<HVn4}C^X0J}ePzY4d(J8U~*!0cq6#lm@)oR73KSgwozHTL{Iu60f~ zPabj=Q*ov9k+xeLE+k2OH}PlGe1f-fzvBJw@!C+_qNho5=swR2QRXh~&;90WS2By_ z@Utn6c3)JCTUb^>#TD_azm`W`AW#P+MH zVXMOsC6saH=2sHfI-6{%-wx;A^}hSe5&%iv3NCd%if@&+z-3x0SA$*zHtuP zA+C&+hqx}yE&J&BCOHKKR*_S_exVd>J?-&#N4{=2+1RAnHx@SazH*$x`oM^z|3XJ5 zEILVf#R`^$xP!1i=}A&d6Fl&EHBQ5CZal1gP3;;eNvgxEv4g)tRiz52Q2mVciI3N_vAmnIpvNq(x!?-rp)$CHfx#CfFDc4q?9!~rOSO5YA6}3_& zvLzBat7J*gheBm&rSX)(*deB7Al*?mCrZyAZ7%6USvZH-_?#{Xz){isxzO6|9*ZSsARm%vDQ$->0Q_G!!Q8bCxbsNkm9|_JwS#rZ zJ5k*@5V5dkj;-lY){)!6hbnrw|B$<)x-o$##Af6v)$xO*k_hP|0#m(6Bi`#8#pZgUH?X;{tnm-@R`QV+9 zho--S9IN8Nqfc8xyY7=ODa_AJqi5yZ2QDcON5PY()fT)qiyb2mR+wva+>x0jNS~Ti zz4cOSu7mqT{kR%)pbwjDI}qpEN8ZW*vs-{?6IuVHj*hqWtP`s3%IR2=$9rl!D<*qT zkslU~@Apqd)89lZUiDUDaXB(22MS$DIhFaj3SiEmj|AZ~xZRSK-q*2BCg(eGDc*+= z4{^eQdEWQoU{N9ME1srys0?`(O=pT00_F}bz~UkW{bj>%Yo`D*2i<}H2=o#kTC_iK z7~{nrL@yBc6ZQvJ)8u`q#Lu6Q=m;OT8ptoaA&)b46KTS{a{WenMmf)-OedU+*!IU*UpEy6?k6eCDW;@WTgVVY%PWkJ zxJ+faBr#|D`BKv$^C8x?fq&?Hk;&oxM8P|>+oIstbTp~a<~6{PYG+3kU1>!tKBr!H zMR}Xiq(7-yFS~wo{IxI1i1h@?J!6j##q*Uqrtf z7e_HuW0QZLrQGYU)4Cq==8fZ#LDbc1Aes~hhSwHY9LwK z$8}&_S!R{7L{Bu5X!eJO7<|B*XmT=pq5u&DlfGfoU}b2s`A|mSWBKhq#sY7<}&dk zVPAOiRnUW61wtKKV2qg(pbESsSI7q*$G*f^-bBk8Y{MLCD_bbJu`rV5*`LS|p&I5? zA(pODd+INRNC)YMNZZFf7Ih|8;W6_AYPkhTp*--MgC90PU~7SgTaf1>-7w!WVIZHM z-$o6R?syu!*YO3ByJDsdV}3tII)|CnV7LM?1KwFB_W*o!s2%t%R3Yt-XxI}yk3Bo1 z8y@vN0DHJ*t9_+^N;IE!?giUe9WCelDrI8vIi(z_u)N~xKbo3db3Z@PTaEaUBNih` z6;U%)yIB{ITu!#8tj4?|?A7-1WWRz7i5`e^+0;Y9Zm>3*Hh|}Z^e~bZM)CVc@VI;- zax4{Umat8ZMKRjes=%w@2;i_s%W+DRk2+Jb%|8O=T#>ItNP`sQioL-x6Zp-do6eY4 zIde+iK!D+(N3loGw!Fs(CT5x{|H)Rc0~&5{=u&Z8%N9QL46waURY_LVIK#X~1&7eZ zh#DAtT2=oY;9qALA8~m$swTx-s{{tPHA`&WfUuex;xh1A(_U`5j8crxL>uSP!23JJ zwlUh+Nd>mU2s&NftTb+jX2<1x?P$;7aje%1g!GT9rBSG<7#eqss^w#jXXZU1{$XOW zRIEw<0yFBwl2zb^*Z3|t4cv?5y%es7=%ck)IFCFU$wy83+lGJTA)ek(y0)?T7W^BiNePbP{%ePrjKJMVcJU>Y6SKtb+ih~w zm$vt^^S+0{HU{A*z7~_2|Eh2l^6fRHabFdtqP(q(R?_cS*3yBps{?k7Hx0Cnm7tT4 zz;h z0o2XA5!GJ~?>!eH?RIt8*Xuon_60SlYKID+MV5m})PrERTV~ZBNaA{o{}Wlpt8uy@ z;?wmNfisSPYHjAFPW%f0Y*TC&Fzf*-n?CG_Hm9l8@s`b9f<%l#CZHklIc5YUQgtG z$oHm2r4hl$@x>d_9Zz1LZh5cOy_G9|v)47-Hb-T>1Z3S`vW}}g*8a$z_4GuZbPf9j z^n61sRm8mtP)#-+V4V9NF|Dy%*hbq!dD1f|;1!zDMB@vV5Z1QpyacF1V||^#?t7Ry zdBE3=v-;m`v%McPE7l=K;jx_G*ADx^xb6Wyp}JPwu@KF5V4ONf7d?3Wl%M`qzwUU! z1HLM3A=NppV7BX3jhuS(UQB1MZ_kwXoHhtQ>BpI;Y#KV!| zw~;mDn)bPW7Jp8ynJ5XUrGtNb1h)9srZv7Gd;cZX#wRqvK#Z@gc_U38Ea>7(vW#Jl_ayN?Gyb0LX`HTR zLG_G;L+Y^eS6dBULw&~fG7+{g;) zuKSt)a$mlA|5nkYn<+AH=a6Z?{qxq#ZYREd2MY9G-~2zx`ClHoRovTexLswqbF)g& zNw;1Q~z(W`8TEdyR!Vh7V-Z%&%Y@z zh@)G=;5r=pEomU#IqUCg(7ztIflGetiEsezUz6$PtL~f+ci+ENnSbi=>zUn3bY}tn zG3UQceCy)Bea-(>-~V#~|5qdNujahDXxtPeceU0Xqxi=4Th+R=VeUwDN3VuMS1Vw3 zxsk2=jypF{;&0uN;Z7HbTE0amaqD{4try;Ur7QjRi*Ad(?Aw?At-$>69=+MMIk$6z zUc1@MfB*KsTKcZ6Z$JOvP5S>2a{Ze!-_eqH^=bC4%G~ISe=PD}9dUQ(<=m0+-JJ(n zfm#7t$gLi{IhX&oe&M8`f!s=ZYZm`QTi&eSojv?-s&R*i`^W0tS~Ov(^am)6|38z1 z?0)q1JIFyuXynMAwWCK@-gg5TO|x7Ge8v7T|{f9?^dk&bt)KjGN={ zKME)8Bkq*;H{0dT1@^Ys`}exm?PUK^IH67dNin#!Ufz;ce=S8f?)*pLylXh#F{p0; zgt7Urtq7~ne-zIDn;~@fs(Y6x_-pCD^YZO}xLXVQtNrg%PBL%gf3swFJp0e@y(7^b zy?VFK@*jm0Y$X3GkMB~B{&z~#%{g_ak_@eXOPjl^PyeHEj;#1Ega7Z*@${UrJEypg zju({@25}r(F=p&=C$KpHyt(lXkU~(8C zXXDWr_@4omC6gNMH6WFg?kY`(JhR-vu1J~fvL?$sIqfhg=0{(oDSsb>-aH+l~|eM2HzWHMrQDPq{?z-;%9L)fVQbz z?wn#7zN8H5wfwfoe#ZL~igvlAbO7#8=U;&QrOe;}q?9vCPeY@~r3=DU$$Qj49;%XU zjg!YicJ7SAdC)`|>G|J7i=-D8D3orgxFb@gXVsqqPk5CpDN;Mkx)U{?t5gU$~r| zUB47}mihq(+Q!Kc4xr4)F6^yTN>bi4xHCTomkXPK>PoM2yIuL4uu}uHy!Ft4QdV#z zR!Odm(n)}(K-GHYKmjw0SHb{tWx;6>G(rvxE=VX-v%OD2wr*fK87=M%zcRfrOQFn= z@~-)v(8!t85x)TvWE8_qNlp*`3hkfXoQ7BDj)X1n9uQMB38xjqI&SGd|NYYphHeGT=O8B9*L7iRahC^ZPoeZ4~d4_yL z7eiM=fuYdQ&Cp#_WGFWDF!VG83_(LLLvKTgp;XhyaF3xZy4?21kvoNrqH5?3K{L~; ze?eng_c{ogH}>8TH2>oU{9E~x$R%~>l-Griro93hIs7l&%He;|W0hRx9dhzcxYApR z^>@LQ-nt4;XLP!`}*y0wQmEb zR);2bzESa&3jJz@?V)4gioXSE{ud?r+j>8Oxk24I?e&Ux1uS)fQ7h6)i4*{us)i4S zj}kr_TGc-0dSf6Iee)ZduvzK?TpKaIcQ(@DpYXTr?;&tqdp~J2EMF zNu&X%Lvi6U)*?(TO~;T19uJox8t`r2yR&1c;{4E%u{U~VIi>$hY1{n{^vsJVuJ_Ep zR{9^B;%|GVBbWUb%<%P&QIS?1(XD|M`Bx__S8yxu?u46IwNS-d$-{5{*Q=1n0{nf& z&GD&-Ks|N1t0LS^5hZI=;72-&`14sE{4gleBXl?^0-8;chSMS-DRdVg+3KLfQsAS5 zN3Q5@e5GAa)-ilt(HYW&Th|bQ^U@$^=;5xAE&Nx5Qm`sJ+~e^7t`Qpe8y#W$_=CF} zI0y>njRyWDLVr2Jw*NFV@VD<@Z{UBe&_7i3ZyR{^GfHm8MgW?uPPHiKUj^fD$!RRR%Hf22Q9(HEQ%& zvY69SZGpxRET7{0DD5W2b8*#>iZntSZqgF_&jL)=C~AQL3X>QbHIy0-o*4V0p%{}W ziK^Cg0%p%N$^o=%4U}2vjNgR_4*HNYpT1WG^&53B;xls-s4~1t)FFE;UW-P7>O<$@ z$EYZA3BuXRd#i-jxOFsSpOz2Ad5OAJ&|bb#_C)Im`B`iq;(kQ{bxodR<` zG056k8LW^tVEhvjsdZS5(r}V^7~$HK4e)IEz!z{feaT_|)nUWMM668-vqL1_Ab$|r zV2fv?LN+1mKs1)_W{Rh}=3Rz}00!{Xs70P02)@bvIHjUB_|YoGNx3}@H)xp?tDnYi zhzBt6ITlo!T9XpGt#u_%1aFwY0c<91tJWmk*vaV?^7IIZQ*h1f-^XpM4iWanvZ&DsB|@FxALDZyiLXvsws^ zj&(D+4OmBILkGCNz_osxk}6Y*)2cf~hhdL>&2@iP0Xs~^@=$M%MWgfdkasI7Gco}N zqnOyOYE&U8F8-0@st+_5AFl9i)`;t2oGsGl{mRnbHcC9&ng)1uKd>6gMZRKV>;I(O zA!m^SNPknYujYe|7X>M2i7AtsPPt8$g|A~%1|HD3gS3-}heN+Nkv?P%;Jb6<0_gpUU!||YW68da&5xdxSP|0hB5V(CAwRI{XQ(Gm zVB@$YxEdVqXnJyi9?OBBA*_~d#!`-k9t#BV04w~>dSZg8D?d0{_JKTxj?R1A^&@G| zm(d!$SzE2%*WmAsxCOME7hI=Z<2(T5xPZ-x4&zi)OR=AGdj|qk1s;IDuGR|4T!#uH z&W?s`h85fg;LO_ks8A_k>CFYEmJN+-Z*V1(4h74oj`Z(qr(zd|N5R)5knWzqC0kp# z6zVZjLRC`fE`$45yq^0W(*R(+EkQg6^A0dX&6A>(Vj@R3cVwBvPjNBzrI#>quuKSA z%Q9Mxb$hO{y|JEhkkxG5+OGP0)l{ZlSmOOoE4&j7kQpbuW^ito$6h|nI}u$TgiV+x_hm^9Q7>GLT1 zH&c@KcVg=hMRh7UPMhch<5mmiM%J#Re$f9CMW?sS!AX=$Kb}yjO0lr)d9tsjSZ0vD zm19zrH44|V>EPNliPh3)@RWKVN+a%RGHn^v2iU0Pdyuw!l>WUK0D{Dek*Hr7h0>^( zLFD3L2XnK0%+sp}K;vIV#xgRp| zd`9DW(*oR=bO+WxSwix9gcC~hkk^Q~MHF9{k6JFl48Y$=w1)qNZ=^b18B3iL9-%GH z=PKF}Q;xGDqUm?46U>eR!?YQu2c)hD0$;c;_%Q&?653J4cqlNEtspaS+FFbgfFbk% zkV(bi46Y-U#3ZW#U6aekI>r@^wdcPiscx!I z%vHV+K~1Z>5PBPWB1_yI0Y0VNta>-8<#gCTca#0m6;G3R7)Rn4s5xNuqfU-euAI|R zW4sS=q}1fCJ6pUa^3rg?R%IG{Hhfn993SKC$eknYxR|`T978*+lbzMz(D@NwZ%^If zpgM$QpdU2&)@T$TOP8QB;jjph1F3oQx%&ZS4Y>ct0{Z1;F4zu*l=OP)7it5wy+)}o z){ri!7xPUlIHy@Zre?XiGn}4k2RxH6N52gs`%;PXtgW?*Vzp8f+s6Jm7jwbDnlAjr z#b9q;(|AY2rgajhU8p@ zK0PWhw0Wwp8#Sw9*9t_f!RDgHya<*H(;!N?YRH>BE)wE^sL>E~N}VwkatEvl^&MJ@ zD8{{my+rNCt@+0Ve#s=@pEj-YPC)*?2)C#H;Hq(X2$rI!9bd&X4r{0;47l}IjB+>( z745IkawW6Jn>(9wadYSLbV5@R?|nbBR8V6pSVh z>*vwsHY7}C6a+tr#{t+TrK>B#FViMzxk*`p7eqxfG3tVmsMfJp7dn;O0{DVe6)-P> zY$Cj!OapsQUP)*X9nWv9G$LxD^WK)}AnUA!zGl36(TAALTUNjt z)oN3x+(^8yrZZ__%u7kk`Hjc-Cl5x?jo;H^H$S7vd{+vt!8Hw zRidQ#WG0bX17ou@xKsRClrD1Ko@J3NvYG!Izt-2XV?_z+& z9mmhTNOfh$(Tw|vl~a&(1vRd%>kF*4JQ>En#$@WWBglYun9fI&sAq7F2f{95xR7fO zJK2|ss&Z!HM5>$Vr}Eht@8&lO4jex^bp*H95MQIze#W&Q%qD^cK z1}o}M?c@X~3bQsrT84!8wc|BHEY%u6;`~hLN(SW?&`ZH@lWONLN2o%S6u20I|DUN| z??A-SizR2>vEAL{_GcdoT5m-KM^*UsY>Syw8n#+rI?o$`t{R#~miO{Alj!JKF*)nW_Qa{+3m z@5`JdUZl1WGqWaPgPZ4XdH{$Q(BKkF^ZJ2u<*mD z56e_+=kw_b)=UpAQZ>mi-AR&linv>;??>n!VX3+SPq%Bhm#EEkbFmKs^2v0xsrm!} z8dv0#BOx1RbJn?6_t)v$nuG&k*@*>xtGKk|5JHXE) zrgI`*Po9?+qp%zp#un3VQxzUmGDBEmN)VFrrk$U)C7C%FpL@_$0pKmzzGV&71#58r z(h#!tr!oLc7tkQO@rpuJE>UUAV6ip4L6NCk( ztQ4gS2qg)M_!T-)Zgbx-VvIacB_Z+aV%h8p+W3RO)dAxvjju)`kJOF8y z*|eF|v@k-015)9T%Xi#4uM?O2A}(7NMFIuAsL&r%t8 zv`yn%ltX-*q7zV=e{-Dvn1TAarE}du^WJFdpyn?4tGxRT_vPH$ht&S(oa|2KWjn0S zlL0M+3Rc#jrn#?CB$W=41sZ{qTg94{N_xn>w{!AG$k_;~qJen;r1me;D+(+N1X zc*n#(;3Uk+o1#b>O4Q9YYu!|H>&A3 z+8aD;Thm4QJPfKfuX_d;O{V4Mt@OE)cI7bdG{=&Bxt@^6uz{F;zdPuYXs){~lVs*b z(I$vC^m2-r%!C=??8;03B4q-r6FKlBf-nK(I@(d$t->V5-<2HCj=|Ka>z3$bF_{5X z`mjVT1hn~V>tHe@%yKJ;j#^;x`?3Csj-j`0BN%J8^ayDG<_LJcQf3X8)a(eIEl1NZ zc2^@7Yw|$tSyvh(WEjp-Cx@<9Z~=KH(q+Un{{oa`GhwedlW0my5y*V^=0fx-D(;%Z zc4zP+8hfB}!&FkAdy4NXrFo8T?1Wa<6_gV?U+7)?9;|-kIS7wBRfXp=y+{`TwC%Ji_(EVk$6|>IaWU{O+W(s6C2bf9 z(KsL0F^=M)rkB*rFldzFyjJYS$1>gZZ>x1OqrVbQkH{~Zu+Ch==aAu2Z`)fYW^rga zafp5C1$4V=k*>GS^{Pq7lDOtArXn@lImYcyBQfO+pTjPX3N0}%(Re>#V#)5neXJ95 z{nt3FEhAbVNr7=?Vp(@%Cl!c;8~KxYoss(xqDDc+r|3w=FnTm%B;k-R2MG!MlVHa_ zAPMu%NgYj#Slv_=i1+4%7wB%P>`RGUJ%{kXjEp<@W1ucV>}~r_<-V`y=HLOK?Q0W8 z;sk!wscgKK$Y31Dhz^jAc@an9wl#r{X>%|4FhU+t$e@cE8p3dK`$2zJZ(Y zFlLQX9%I{=WZ2JyOwH>HPDJ{4#)ksrQ-`+cH9V3Wqw8^RrJQL=w-?_vJes&Nmtm`Z zF4lyf1u5xbauZ*_zf(`OOgB`(`aSYT5#Tsn#9rfbEa_k08~0``mX0FsK;L9GV9QFc zzRm&!BkZfJm5NgRkwGavj zH+bg?F>rHHV6&#|V`CMnyqEvTRWB=2O>Oiou@148X@0ukcpUSj#P){5YafkYyq=4KX5r z5WHYWA2J=~SCAN^znzHJz?{z=0`vA7!wau73k|PD6P8TI6^>toI8r3N7zoggAp2h7 z?5@bJL|ke8FX3Z+3HUX396cQ-fYCUe)a6ajQpvo+a=^Z8k@26bz9-AEuxJOvvC<+% zldnuOQ+8}?_>S?cyw7AAQTw)#0A29#AJYR?@r4K|M~uvBTZxPZTM2iJ&T-FH;;Gc4 zv#8i-G)$%Ol~}e!Yg@};hxr)SpLE1|mV+|RB&iJxonK^<-PFNPW6oXfPB=en?_p-K z15JduQX!HHwzCi)`w~HXtdF=a`w@h88qQdt*sX5nsTkd8AymN5H?VK2b;@YWv6l^4 zNBUMa>vu(&wBXXX)Ga>>iFi!IO~OocBW5Obpi0~AE~GkpB&yevZ{_v~A0^f96eGD_ zbseYhOUYpBY*m3O^bpo1Wlu#%>Tq{%40v&@lxW{zRYT|zI8*6lt|+?!Bc1$0S962u zjVRs7D4qr8t8XSdcedLyLH{qS_cNH)QY(I80_<~I_hidLTw@3^6cSgS4*ceG0v$`FW5B z7r)|VyphiE@0E)9MDe>RBI26tp9Q`Oxr~#0m{Qd8XNjb5^)LptciH^_FHg|j$%@1}l_u?3u;O=3?v9z!4cx=eRFD^a}AFO4!anABIq+1`Q zl=m8lMR!GQNl=-M(kdxpiyNm|Kf;0(c0QrR8$=nW&RS{uLdYAb5uG@Z&!DVm#2eAU zp(SxGFIr?3v+3*^b2Sqc`pA^6(p`t9X1X(0|5YxEe#x-KZ|82NWg^FvL!h=o)R7Rx zk7yV^RO-ugM-rG`Ko(o@TQ=jiJ*nDo#MoWMJT0aWopml}W(rvqOR9Y<;^>d=*A;N( zJ;akxH#|*#4Yzo?v0!T%rp9QDC5gsqly>G=vfonPiEI<1b>~$=G&7*OhRK1!GMZzU z_9cCk{&V^_qgQ?*iS;hivmIq9lGn&-(WFxUxVEl9e<_+-HG2wTTJtQ3+-$i|BzZeB zcLFPLmi2|ykjBY#4mx_d$lqa&|1#2D+@O;MY2oP*J&1v}2+%|bG((eVwTD`Xhf z%MFOp+Be`@m@6g$)h-!*HF%^|Ou%0AX*NumYjr03;M%u9Ssh!$iE?!`nN{j+lLW^M zs27QujzTenA)DbFj)1n^GLbRQ67Lw1*#OD$AdYSR=LW4q!EeQWlw*8Mqpv9T7no;b z?($E%32cdgbcImAPf~@Ux?k1OaVS~+vQCX-h}-!cVXMr*H8l(67Ru&GG|3d>)Q?rS zYVnu$X3`#O>0*7YTF3UrkIG@PceOZ1SVZ@h`Dyg+d&Vs#?20JN<8o^>r>l#1$Dra? zapLV^{21Z2AA$_tLFRXGhV-j3sAjb6+bTiwj0e6v!6+;bRf^kSI>lDd0^>g>!iJs3!y5ht zk|azf@wq!nryx(gumlgX=8gl0T2u9+^TP-sh`%VAj8UBZBu+N%*R5ojST6&Pkhe+y zNL*PEIM0~ne4EDl{ZG8}IlI`Mt<|=Cge#4V~lmftnAb}>Bl1`eW-ZAO|`ODf$xkm*#k5Qo*Crk2dw zizF^YHvGZqiV~FK63((x=6ix>%oBjI;GZCI#Ye4U%Sy-)=?7FP|11!F-A&WaD)xMA z@nB-)eNrm+N{fiWSfql6B_suJuhd|(`JA(}LKjVG2A#%y>wE?Ag8_)q(N=v7521d3 zwaa2$5d|UDyK9*N&MOdX#U=PASDSqlBqK2A=Vx-8aX!%ffqVS~{)bZj-ZHjO{~`k{ z>W1rr@t~TWsX29)2*%N!ZLX+Ln(hQ;UsjVogU;shX56nR6$K91SFv_#9H-(gp4w$U zh$rGe+bUrj3>TCjZX+9&vZ1P}c9^TTnJd4|$LEz0UVu5KR%#;5kv(`Y_W~6gql|_G z?<(d){54k~{~$QM(EEY+sj5uR6yhQL6z3I^XG7-B!qi{}E)%`%%R2K;xjurwha0@j zfU}9>1)z%~2_-+Hvb#9Pm4=z>q`U*j+zRf}H9QF_kNH8^z;7cApMZhU6HVLX zjKJa6R_97g7P7qVYC?N$W`3>MJ05=Wog*~J|zNE1A&O)>B8el8j z?6e{vay#f)%iPIpA0gPqCxVN_m?k&hCtE~!uZu6@SiaNfeaJOXei0FdEz+t4$Gg)J-)Q7`p_@(3!sLT} z5NB(-W=d7E zELtvg^bF>bfihfN4+IOtEB8CM5+PMwZytQMH(uvD^I)mw%fiGX_T#!JwP*)O6h&NA6-XG+pQ6(kB$!(SPUFh+968&!gQ zD`MU@($RHM*QBj{2Kc{=5ahBF(cRhtpm|dO&rHb}i2k(2@@LX4DuSJ>r9$ITePSHG z3X!f+APK??T&PwqiqBVCHyi_{0kf*pOACG@A!_)oV-zpKSX->?}E(wZ(4#Kj_zP`GdYk6KIsJngya=;LaSV>lNh%{!uZzAQ6r0 z45CO3c^qG3CiI7x_c41<5=Gpntjsn?U%6IK)>aVFje|l4+ab!bO$~elT^zMPTjtyM zCMbQC&Mv+EzXExoA%$j#5tAP3O9FD=2;Fxv`p)TFzNxI#hsu24DoF-kTvXhjeUIW~ zG=*&}2Q7}lh*{~&Nx*ItV;kOkiYHRnSFnJfd{6hZXpY_Sg=MVFEC3g^2)xxIWbSBF z^`sk6p>f|BW-x@vzZPX?2%p4MNC}X}jl;A{W2~%4bOBIlvPRacv3v!qK&-QTrU`vm z8NzDZ-n_eFMNJ}+f{#*GDAX+m4b+NbxSH<_rX>;g^RH@Lh7*NSoPguNpe8z(LoT|9 zZK=x8o;CDVxm6LAHGPud&BVKm8xwI79mDDD-%3->t9+aaXOQm9WHLYeBf}9NB&u~J zpkGy5^lpf(_kG9`eQsX}Z;0c({pkpkoJ=~Af}+}#dBbJ9f;_J)>t}qEvKG#CfHJQ* z3`}&{mfGckI+=HHdi;bf(qUsLbRd@=XD}6cMTqMF)TCjxd0}fi{k_<>xLcfg8SdjT z>1W4Q71@J8gNc8oFH=Y-4ss#VzVV+-DjI{&nXc;BK8?tCZPE+yY&u)h?`I$L~EUOUds z2e$y-B(SbZJjVy{W|DwE=bylgX>nZMIuz)J`^pu1K0w|lMRF2?6lokuHcPkxSK{oO z7x||_+c?={;*v?%@;!nV){2|#t3!P-2rdG@10F{9FgJ+@^W12U880LWq!Yh|u%$(q zG~!-xmb{7AkvV}%xKt^xbxYgrGUN8R(o-07vHXJb9v#Q7$u z7@?p^McjI+5ho%sN^)XxwG&|*m_zdl6_?bdzSlZ0rrB;4JUNsVb zq6t;A4C!$!6CIo*f1{>b#13L1IL$6_nm_Q328Ae`SgkYl@{nZQhk2V@%|w$Vs}pxs z$`@>XRe`m)_5M!!Uk^JzH7RS=TOxV`0W%M%MIU z!n~G_fiO@duO%7tY%SzsxYew}g*q_Oygf`(XfM$KsWMq> zIVzK-6zD+l(zy z5Ahu#TgkCPvhEfW0);Nic8%ec7$7yNLgf3#oqSSuQUn&mKJpSCu%mm`ME#Gd(hP(u zomo0=n7PI|8S$S>$u)g2vndRODZr?F`Rm4aNmu;`D*eGIuwPt|Pv?7%ej220A?4_N z1GVO`FPKJ*#^zHXtH%#CzuvzUaT~cWa>q)^q)hJD36Ixhk88*Y%;VUbDIBXCNHP4t?HK;4Txgn8jd`KyiVCJIG{pNg6FqJe$h%9g0S7qq zdGRN$Z;7?Sb-t^9L#(w!e;1PGF^^L_83`0PZ(%L-ic&scIHYZyBISl(kfw8->lDZ7 zUQ+1;l&SMiV{-8jV=qmhG0%(u2(W_>$eF-9q91A`qYT^ZWJKV7;Qicz#@TXJu+ZI^ z?Xkm3>;_|bF(zCB(KBDwZquY_yvvrUAtC0hw8wCP(j(v&-6-Bs&KI`YqzybrDshJG z#b_ameKkskl}Z>V(J4PdBZrOg&V<4v6yQ z$jnZ>$va*DG_4p%{dPZzmwtd1Rz31Rrpoi9f6gp3i<1@g7Ua zSdfXb(=ad&;^{-d3Frf<+z+gqF-Hyx^Lzp1ej8=?K%>thV!*=-N>PK;dnr8U(iy2s z^;(iedz^X{vkY5B*-t0sM_I>gt9VoNK)l*oD2>Y;p_hO5ak}t9{)tb-B9JXkn5uG6pw! z??K|;*5tlvC-2urOOTji>aFOMp-+M|#Iq3e2h1Y^!|6w@tAs_m(`tMja=fw^v9G92 zH5zCm5cM`dGz*qw&&sV4d`~>kkzgyX$opJ{53}8Jf%AtPF|=ryslpoIfpu|7&g}{y zqZB+$QC=5Rl@4GI2yk>5_ZAv499h5Eu^gEU)v318G!SEbO^oAD>Sj4;5}49qkOYRf zKBqP=OE>O|0^(bCNvv+J)+^8fd^O|*>|7U61R&DDM)$5wj$pzMvyE?6?HK1swOak#w&s zk~_=o#slO(vR&tZpmw~&Q>Evge9iaZvz{lfSYOS} zt(nbt#MQ=#N0jm@+lsNeHPjZZ+3~HY-SIepM7RVwm(&7lY~+!FOonc(v0!utQ=Qk6 zCv9ZLK=+{{TNNY2%@iqB3QN=2Y;C)}Qb24XA6TCSl9Z21B*UB1)~_hT%wK9P(G*!W^* zeBN$_*k0dF#iZ+xB!{QyTNv`B;aDu0>J*VR2{_;r5#CM?`G0mf@w;>zA45js?l-?Q zjmpM=m|0>|+x5*F`Fxa4r7})RHmv1vQR&z2z*Iho?ytB(CWDr(fQU^g&$sNL`pMKb zkYVOjC7a{qbWA(ByXSCb6n4J8u;qLG4>{1qh+QdPw7k%hsWwFF?E=H*&UTHWSNLf2 z9~B>36Zj9TAYb>m zM)y<7jmKc2Lze9*#b-!Q>}aXcSE#7l|B?JPEGPnzbV8}5Ag5uT#sH}Df7|#4(?sX6 zM1!kA?e#CD;Qxs0{~Whr93O(y9*_?_faDkd z>relUOdt}v>!c~O9wNX00l0vz2eIY-rKck-`#u5ew;QGZzk&5%L+N36{eJ^1`G0R< z{g34UKYWMzjXituKd2rQ!~8m<9|t4wFB1S5{D+1)O60X|zoHYh*c|`RGO(gP_TiYt z#VRNt;CfL$zO7oO5DErHKE(Z#Y=9}Y85xqTeE{s|a{$oHKfwEQv560!AOodFJmJ!z zQ1P$g00{6Qtveo(4k*SQi|`qI9dG03)2lcSIOuR1B)rK%+#3Lv#Zhnx6X~nsTFL{w zsRJ(YJNFX5Zv^xRAE#>u-?!HY?W#*_U}Hu?^+A#b9k>Nn@ke3WVge*w!IDQ6^ z_b{sYowMLgz)k4?71wjAylz$RbHfgzC{!?vHm^Iuk zIO7Lo7o3B9jmJoYlktGsMc{{GAC9kHKso@#d}RSkA@n%57I~Spbbdu=$2;SGH z(R|16gdJ)|-ftvelTCz4`2i7+D-%?j#z>itF(jT}hgsK~bmGd#9i(=5ZHra;C-R;@ zPNNGNQDd${iM_55Ajg}J6I~H-)w^yoslo0zwQ+9aSHbRFY|~8+Aho0;q)RH_;FdB8 z08rWnnzdvcN+?!BZiZ?>)~(LYHPSR(fAfr^0(0!|6csNDsBLdSpJ;`~e4} zG%p988jMGAt6-U~Gg&Fg#>2T(JRJtu@JsK7p2-`I=!dLE#Vy4a-`kOJD<$9D-}NP) z2EBEvz~3K2k9oU^JOI2-;RZm-2|_w?6HnfI{jEeRQ1pUHm!I*PI~vK;`3_ ztV8r|Tm-)op!)0|5zQ5cg+I#eP}w1`7lO-6bIc~s;R?tnPv!aCJZp4OUrYr&4j#WA zNc2D9^fcXjPV8^i<5(CRk9b-9F&FE-)9`iZ^1L5!#P^>ONh}*i0Sa9=URCdIF?0EN zNX%;q87rEC$A;D*9M7Bi>HK}M2#L%D z0hp;FIrF~K{G;@0xeA)Z{;KpTAGhlWXbdSQj`I718G(-80Zoqw6kadf;_z^C?IDg2 zC3xp@Fp~&fK=BQ?$0Lj{L{(CtanD7KYDZr*MYm7w*;<=Zx3BtFZ>02uDPI#zfWE#e zFuO@)`WA1bi%L>iYUu91c7h~ZBJ){TX!@8~%F9T!Ya(HVx2tE6IMXJEu)dif(n*aj7C&v? zN8qlI{!K@+*nklO(}IAXE}KWomR83z(+v}crY4p4{p-_q7*MW7RT zLeV-_C}TTE%OIo7LqRZVcwZ@}RmIYkLLbXG72h6N20=n@4sUB(#6XFU^$p%+a%(Rw z_VzH(M`7VN;CxSn3PdZjkdH5W6*zo@TK7og*N!fY6bgmTgNo3N4{8-nMl!hZ;DPSD zwpYJxXT2aotQ`rYuu06t+CTVnEw7l*;grV7-di}O&05douBu=+l|g0)g>v6xPg}w1I=TG1kI3tTqueBFUGkl>Y&GIw;Mx@IVwDi z_ckeMCf}?d&uy58pEAC#qP7t}gwh9f!2I(SR&FiR7pKsDV(QT92=0*BzTs&h#*0pU z*>sd%=KlzdH|LZ1l4n%H2ADVYJG*0$Irnp^;!-?@enkHTz?=)e(8g9xwITeWZl^&m zQR!<`jpt0is<5^G3*5D)5Xbe;1FK_PN;kxtK36kOSC58ZP?B)bl%io$B&G9HR1}Fp zayZyQ7~pvV+s$P(RCZPDAS2a=D62(e1pR{S2{ ztt_8^R+Jr}ge;UnFz^GTld;~Ej>1rQit6Qbq(7*|>CP|ljsc*gW}66d73@+f_g4Te ztv?6V8QwBye?;RN8u*_#aO^-;bzk1-(pPWBmWB&~Ad%%@xPc)j~&92iGF1ZDG&R3KwFvG%AT5GUQkF^mImVc*un z+}D}##xwf6!%#@~jfU9EzGpWXT>XOWupam%u3nWSmRA`iM#ro0A5ib{hupxx$#90D zD2hr_511XE2M2Dq$QSHJxzEpfK{#irqT+sX?!rbfh5w0k@V`ddyAp*GkQ-A$QQ#C{ z9`7KO7)1(c(!|_PkbUJ&aeT=}#MjrANcTud+5GA%NcVYbOk%!qJqS~iG;v*nxp*jF z5=^`~(>R%9EWVEIj8AEpWWE4f&52ZS8A*RUiY_P78^(h{=ikbN z?bd7gidB^J&XNYQduV73yF4bS3T5%l*9F*P;GSw=Ub%VE#F3R=?ZQLzQT8LiNQnIV*Fec5c;R0rb4N! zb0l)Sh=s-)_OJv~PEB7N$Jf-%#nY>6_|4d8?L_OtA2>94pgvoTmlv2-V0m1hhHr)X zf*qTHGySLbe#3sJN0UHue1fL&j`_CWa>S8D{x~s*_u_I$j>4#z4RHD|@m#(DM5v4> z)ukqg6v>Ab!euhl+p+qDUaw&XQ|RkAPj&ZB058H{i`!pl#O-g+!F`RFGQjuTX81R0rI!aJ?qg0a}(>HtaVYN(^jL6UiT4#Fn62cGv7P5`yG zH&pzr>Qp?F-KO&Tu+%&P%qySi+>5wOT*mFenYbk|7?%V)1A1W+S;ybx_5#Le0L^P0 z&gH?g$mi$4<1#;rU#y#rn{+Ofu|-Yw{?oKSDY`U>LIRkilgDXVO|f&j1)7N;M$(|p zY8Yx7gR>SwoyOuVL5CLSZKx&V_-}U1FpbbV=5u=Qp};%dos!5I>NSHpL3wEIP57BD zJ1lmUs{yiqAJx7CvI}EO2`a%Yobc+52`Vv}FLGSQ>Bf;NZ?>zQ;NlB$vJb#)>BcCX z6EF!ciB`~oIU$ttHg8q+Y-caT9l%)!#y}-nP9Ppfo5CubXKZISzQ!}L((C?aV}pu| zXFt`{ZjsJ0vDUM}?J$dasZcZs9njzcybdo7*tm~MKa0Ta`T3xH_N2tkhePJ?+ROn0 zc30;j8I6GIlgFx~@WSSvxh4Hygcv^#-o$m%Nmw*A$q=MYrC10#n~vji`c10F*!#;H zW2IqY4DQfkXMc$@yctEbcpOOB&>tYoYQ?#@AGc3B!*9gDxt_*M`R3b0LLD8=z$@;E z#wO!XN=$YCvTCt*PzmNj0Mt3{^*EnGfcrab0-p4%Y)Esr&U+Z=X1BuuYmtDg(;Q6g z`2GyWhMHf2%$>`@uVMqeDIbd<23QVa)5K?#To~-^0!41`Eu{@_dKa|(K$jU+YI091 zB`eP=!rK8BD-Py84exQBaGJ=6R^C>T5v~HR^Ia85@}2n#j00$8 zQz+l{OPkMg#yC$+#_~&Bel@|HMBielY{dOx@@MgUoj1y1(fc*@H|q$JZi6{j>`m7hj+pE@H6 zsE$XH76$Jz{So6o&X%#@%U;qy5rzLH_lU5T;;tZ5Yz9Dacx`Y6o5AFkHGkX?Rl5qm zL%(;eGG69!Qo&D%PjlSCY5wlC2cBH>Hso=;5wm$VNgX;)VRg3l58cGR;$pLhn~uAQ zN1z+Gr%a}~9XA?FbRm5%ysTyrnB(U+8N6{dKjd{sL~L*qvFK|=%tNQN!>+dVo!}D| z6Ek;`K5y;`YYVr3nQT$`m#H)e83(G^ek#rv3U658I%n+60p9UM!#&>8fbcrUW0muQ z{kZnCz95ake#A3+IC6f1%?f&>R>LLYt$;Hu4QoxaRQ`0Z^SV%P9;R(vIjU@eURYSyS2S+5P0_UZAD7$9y^@=uz~0=0`wXY#t|C+V=Od#< zO;hl6yb|XdpoaLo)QYRD*S+614DfzimXA}&n&RZ9&%t#rlb&no%?-l&xHBCjeQQjP z!iIuDFod|d%m5yAqou9fx(v=?+>yX-<=W$qL3BaKhiNW-XE)#*Y!clKK<6PuZnO5Zc zsAcm4MTB+dK842q>Mcc-<7B4@#`W^>h{(>@*L1_#Umxuj4La7{wZ140aS^IMi@6@j z4N6+nA*6^Y&bqCP4Hh~GUpBBB&@iJKTl7PwwYJ0!Uo4%7AGJPoLKwTf@q}T*%dIC8 z1|Q{?CQdycTq@4E-kNWmUAV7Z(!8HyW4TXuzI~*%a zv1Q#ksb16FbSl;La(=+99yoYVS-_g$U)Q=-Z1{5gNk>b&39H23cM z`@M)h`3k0cAMeQcX<8q(zO3!Wcz)1!=k9u=INd2{gECeqZSa3NWN{F%QpbZmjPp|8 zG^g)Tlon3=uyuLi{xfUeDy&`8?_H#Sd|GMu^c~yZE$VRK^LKl8YDvA=D|5rB{NiI* z`YbK(+`4{U{K)w27fW)A7nSs0-r>`Aj_5CIkM{N;etn+>Q7wh8?k#=S2YX27?xjWc zmVSLFXWfnMH!}X^KK)9I@Aj4Y(K24@Ur|@qe^6CR*?^(e+x);eNV}25_8Yz&&p&K> ze_%rO54!U3rW*aA%HnPB55fcYEl|vJy?nI)z^Zc7M(4yMWWbPtCtV+uPBZh}D^{t( zAJ}$Ysf$w=e7+-2oW6JMo4IptUwUlVBUu0V@I|=$z|azLNxY%ndN97%3fC7Oj$GsC zH;q~sjP$8Clv@_YJQmuxY4nrT?{D%wb^neqwlS3Q(b(-9Mi1(JHF3IO+^$^*4deG7 z`q41Ka{Qn|GxAjb;}c%KH2O*NE1rdeCvK~cWJ9lo?|d}z@ZB#4Yuv+!5AG0iKXP+L z^9||BdF4#Er@Qx)asmqlghp;nA%?FdtyL4No zT`VuCsCmEQgSX>93_o{u`jwi0UY)Vb({AX@#QHIdT=Rz9IX}~|V(Ws`c`eQ;Zg29f zm|3wKK3Fm97&F5-J1Mo{imGMH`NG*>6%YTwRyQQMoym8j$vEfOmGe&(e|w~zW^PTs z?&+y_&h{8K@5dd}ljfrvOBE5CbQpvUL)P?)Xg=F`ZT`Kx|Gf5y38fz&F~okryWsi! zJTzh5dRi>if%Q*B5CE z3Rf+TDIM6FmalAHR5zvdr}Hy2())Cqe6;nM2utRNeTowgw)l!C&sFYdH*E2}){FR^ z8_%3H#l0Wd%q~q{7}5?Lwe0C7*Ji#XE!9sS80D-#etUt@XgYQ*>Cx2ltxL_B!A;?Y z)*tlCq~%$r`o;}oKdn!HcBd(;{r(TPKHBkE{I(St@4kAe#`V#_`tCa(zoTa6+}>cE zvp(wL>E8LR*Vj3=$1YMtG<`TdrHX$>k&nJ53%4b6FCSQ-c;Q~KFuB|1HJ>fqzp}1d zC(F0L|2-R}s;&u7od%}yVLs}I#R~m1!!66cf^^imr{KWDH zXw9bV2o$wu(hNfn`uW9(LCCYCPPi1h6YDR zBB(v5t|`eVam^+;5&X66T=e$eQ+1( z@&5bp*}VXHigXb4P+|l$WD44j$2o2H(DtXT9oqiD?JtbvA6NeE_TyE5?TlAFJP08@ z&|Urix5D1qh{8XcCE}4~seyb&{#s=!!gNRgUKhZIwO)7we|2jL;r}(M0Dtsiigo$A zHE0b4UbO+;8s*wl41O&|YY0uwH^Cd&mzSzbUEcw0Nb<(PB@axLixB%m5NW{fg}n}S_pMfsi5*b3tvMz zZk$rlotujjfP8|Y>$pl8$cLjkL0*HRwY&!vG9JEPlqrzE5P z)Bvr-SICqOYv69%ZoBQ~EUzwadyfBRnG1FgPk#6mzip@gmRO#tYkP`|;h6t}CjMVM z-TZ$)U4#f$-s(!)MIn?A?~#g8rE2pZKDpR@c)B2yFAOjz(TyeUjwQwUqy z`bcusg6;~~lCY)_cGW9WO=~9PZ*6-6upWDCTPMoj&*+r-`*Bw-d_Ug=nWVzhcO%o` z8~HxPDQagDs2z{g<{!iFM&d&40-xe^B+)UcxN9<;rtQSt6__fM8=!;e_|zN?oa@2) z;bd?z$a1Wq?IEfK7mCyh@ycMY@Sj%dsdoCq#PaD1c!*2jKX{1$`_1@2KE>Z}5Pr|; z{~}EL1tZ4%CuGpqTB}|mn`BoRyEHY0EQaS zgCweufI8dfh}*dp0Q*9jQY!Zneq1@elJw+k9t-M>ZPFrfAV5sH4CHW?C^N0R2InD* zz5GEQwg1D6Z&|T7EDmPq!2 zEVc8gQf6ooPRD*R4R;Rb(|Ml#cpiBjxUMXCPWDY;E=}gXcV;2ETLgNAIqLZ8L88;$ zTe)(q)j*fveH9p>PSO|nZN{AqJe5x8TtwbrtPj$yp+j7g@H+62aIfRvl|*5kBQE#m zxKk7bdlb2wvri)TDFr?aH!k2>RrQL88CTaC?-|ZuUu|_oxq)%pwMHJOP=Y9#!x0IU z&Tkz!;2w=omRzQEjsZGXcnl-(&BeQKD)33p(Em8% zjJ}bPz9op9;yO0G!ySbP#Lv(Hx8Ur`X15|GA&5>wX z?zas;+ryqz$IG0Q{W31kuMLpR(x;rvZRVbGc0}^~3UoqT;h+5{DOzh()ufuKweJcW zVCd`r%=TKadqa+NoO=y2?&&1!D)l5mO$>2E{x*9NXb#e)Ah9i)^TUDVzVWPGcD zSnCEsSxhqW@X5&GOm5qC-~x3Ev!Cd^d2tiJ=?dAQXm z??w}+ApY*}M^WBUbf*Tvz;J!+9I9~7Qu{`sL91{edSU}QScHBbfu#}q*Q1HAL;WW9 zc%4flP-mzjI##k!A$r`)BG~6N)sx)yZLgx?$j`cGHKw05&I(eS4nX?PL599@IG^DB z2V7i+{02gfhFwaB%SGx6`CRug_+0A*vDV}8rg1rN_sAzuZS>-7bABifF3yw`iv}vSd{> za?UC+zkYX*En4LzcUQWHqucdjZE&{ZC(mdpi4Wzaq08GznzWKz!A<2#k-N+a*x}nd z@kw-H_7cnuc0P^2*##YTgHvR{jN1B8-6}QL*ZE3>^javN6Z2kF1P6G`D9afe!Inbc zG;bb4nZbF&HuoCHbh3k@`S~lW9EC!Tu2v&Y#YH%R@7sSaQdT6hiCXSUOM|wg3QY8g zi-8Qaqu`3DW&%csIfG2PY(`yq%F9sW z?RESyuA>jJ~wH9L$J7o|w9*u4cECK1(_t1@zyxH^# zV^-)sVcdO@BZAEGJ%(;<;EN4sSobpoIUFmA&$H4!21%>DOK>kKKvwHtWf*I9hf6KL zeBvDpsEa(@Q8r;b!}%lA-;09Ju{IStU)9U#)XTSs_sNR;#z)z}%uugO4Cnw$k%Iy% z?jE01b%?uT0p`UmI{DRkd19XnhHd zsC%6*tep?DT3&e!%yI7Fk)Z>e(U_&7WzDa12ICGDHB`Mr8L;y5r?}t|wg1Y2>+(?) zIu2E?KcXA!`2_N_d)tbpCb2oy~$T2Is?nkyo&D(=eVCuRI zK1;Ar`Ut&yw%|r(^1neA@}ze94SMS!OJ`K*~OpP%0 zR72Ql5|TpR5Aa5hL0*Fez3ws%*k-*IehvtGzt24h^MUOvt=ofKSGj#+)sfYW!^lJ~ zO`d}ALb)>%c9@Eol3mC;5c=K~aG>@+BgTfW;zE8A{6@nPkcjtN+^YMxL+_&>4Y$-6 zn!iypooz>woB|3xY5XqHeNY)%c{kXwftGm9(pAx;dyzxwOtPgY+AQ$}T!>5GRAN3* z`%zm#dB0K_HJryG5|BCqWEq`!Zi=HQ(m75I~&JP04 z!0l=5Wb#JksTik{H5^DFsg`vNn&MW8_y#VjJt-Ho0kSNYS$rF8g0Dj-+&xsWuev8x(ydG7U4&zu4tO!Gb8x|+A$kA=z7CS^+3~r zf(zIWnM|n=+Q4T+MQsmFUs6x|=tL7U;LvJ1Ii$0&BE|FJqTWIdW32``gc%im zQ0Kd}e3CI)kMUD}1Ykx-`5l|A*QMzB{m##@E}rrU*$}(PlpC;nFtQD6?{0x9*C}w~ zk457m<|ktJCzyZM-K;Q;r^VNT&$?m^<5ixJZk&pdxjVefPs`h*u-^n-U_z0zs@}Q> zd6-F-*{tI{mt5dO&fVBLjWd_K%i2RCqSTI{EPEF?%oV?8e*|;3!)cp9{l4mG$8Bze zZ5$I`>e}Ud6!*W4^|Q40hU}GyO%kjg=M%X4C&v)zt7-NH&hIeS5oNNQ;+b@wcgA7I zeE!PB-q7$1dm}kL0&s?yS=?WXxfdD_C|8i1%GP4GtI9N2Wu&Q0ks*rWl3gs5{&D$#!H>v}exGy4zGpf74A*p_-C(T-K||jkr`1gq)WNqUa(=ziHv1> zcO;)v__iu7ZiOqvTjQTG)iRLGSLwTmON6AKjMxe;cW+6{`)Swcb?A z)hK5fXp&jb*Qj#epllWR0!*^7 z$!OQ{McIYX027hFk8Zld<&Qprn(p&9;HFy5&vlYWJjwEeQ8Mc`8Mz*H#nx$--74uF z`AdY|`g|ilE_kv0G2Jx47>dsnfgfI}q*a_{;|s_Fz_1rCaI|rLH&pr$)KrW6pqa&I zP2JVL!4cqRzM%5H3NN3=c=zxIhK;kDr3Q+SI5wJ z?+bjqJehj8z%2g;@~(!Le;{Dd5RAVk(6I4TBEuSYsgc{&+n6sprU?d=(c}|iboDB( z(rsxQVG1C*H5<4LSaRwb;u@7Mk2Q&V)Hx38|IqL@?hCGiWlkbE5n1?MPj3oBT5 zYf6)m1Q{(`yg@lKRJX+W58RZ66E`gk{IWsmtq-ll=6TEIXJQOraMnY!?xW7WkJ|~) z+kQ*3B_wj^s1sHFz`hk@do&i#ARNoqM*y_BJ_i?$h{B;{DT?*RH@@finEvWa zj@tB&=K@XJ)HH9S^rA3WsFlayP!&I4eiVyeJE!W(KX%I+=RzdTkozH9|BTQ}cxFIw zj>e*;rGuCz9v7d{P0)!JajH~SHoc}Acks@!yp&K77oj^FO{{v_#lYz}tMfJ%zpLm- zKfd~==Z(C}8o3PD9Dwpo=LlT=QQhzh!|;1ztu+;Va`RAIgtEeBNVDPZEHhP75_`hv z98ctH5vEcL%n|xN7XA)5*(&J1a}~&lK26&93o8@mU?^Xs#L-q;&*%sV(9WDjPBWG<5!&fce5mM1}V>YQB6Zc`Y14TF5iatNvTn#(nYd+Zqdi6!DlF1l#9*EPFe z_;b^q`{j2ReJf09Q9U18T1JK-&%dx(l)^&qJu=dqno&$*A2p%M#@vw;x^ea|$I;g! zg)nNUNuI@t%6hY0=X>7~$|SZIO?3FBX7Y^`gv|EHcQ8L1MA|pVy>M!i*KE258|3(80=9yKf{DySQ6cUq`XC@Ivl_%E*%g)!T9GGx&C0JW=1F$vE}` zDE&0-THy#B4m?mk=&gC-doVrEWvWTkb6;xsI^?@iB!jp+VOI5x?-F@T@I=dy$6+94 zhi>PNKz;x&_JE#rtWFYpUl6$!MLm%^5ix~6e=4}sEDockwuzpm^AF9FQqsE<& z6W1bDnB4LPe^ZiF9I(ShTk zS_3*H2O8AtP`$TfvUD#amyc5%Sb5OlFXJ-6-?ycGgj*BZ3eM8sxNJ`rFQ1HECoK~- zZh`_xjnh4lU)Kkfm0CNVW%oFINv1OebWud+GRJM|+_5z3LC&uM1304Ry0A_)e9$PR zR_!owcLVH-Qs{{AI0n_{4=Wzjv8Kv{w1-io8=$e-MoveOpy)2@-&vWBw)GVK!ba|4 zPiF(WuSoQ=#~tc@v2B|pZMZ8JzI+pHDQEWS)+~cOzc++OW4a5!a^-x;P!>a_743T? z6=+9k#mPM9<4*6dk-qST+7cr9;IrDA$T`bDrWKJ=*ft@lwXFHY#sxG-^>V(?yzXR9 z)ixn$w*zm|PNPT(tUN(v?)$hj?V>)S!8varZH2WxGyIuZJBXAUS)p3%n-H7l`kc{T zM9!STz?Wwtu5!bfhQq%K1GE6X@P&{n=Y#~@@rsZh+KTF)iM%1C`wv#EM~-ixtT)gf z%++sHFlD=9^hoKhIs<>by=9p)%@WxoxI$x@$X@V1Xq|9mqu}%;8^Jh;+=sicZJh6o z4Em%@B}wk5{L)G8%cY4U8-Apb$X%Sv_XY1-Z={~cd)RYGw}v_&;FMh`@(AY*b_jO~v9olU0+)q0mI zf6G|mfH2Efmw|6a-ve6T=&ss#I^4>L+P4Yveem&hf_gAnY~kN@fuA+#$S`o5JX@@M z56Zd0qZ#A?ZD=sRLtqygB|x6RxPet+bu~wR2K9CvPm;g)O){Tb$B%H*UXX+BVpo-3 zD6^T&qFVW+oP<9h-N7+hz&lk}x306&p~FZ+~g+ zcj6kd2;*r3P)S*muih^AMc?h8X8Tf*9&Isj^@?CCQWB`gvB3mO$*)=Eu-Vzu9MV&{ zkS-1v@w=ZCoXUr|twfa6C(OIoL7g;zV>Z3FwTC(zY3798kI^t{8p)*Ze%za@6hTdG z<=EYiF`2<4Nd4NghsgjSi11z#{$3Y(3BNA((vooaC4zfvM-u}>#Ha>*D($2|484Tp zQO%W1shCB%*fH;N&%1s1J*bXIplU%rwUFqVI_E20G%(UeC!qTrvof8R&AS?zg>g@_ zs0KLo9i8VNQu|5Y6q{2_q=QAj_=azC_xc~WW!mb*$R+6OTe0KCR9d&s?N(r5JdV}= zNuCVTwzqfPa%?lLl%Im-%NkT?h1Yi{s_S&}5O^FTKY<^z5wk-W&Y?D8ZGD<+pf3ba zG(EHqRF66EZox!jq#ydO=OMEzSIg=g@+q$GdwTYpwF(KmaA$p$it}hU<_6EvB43Wl z7YjgsPvv{nQ}(~ijTAi9oU7VjvK&=)2fn_VNyyizX?41g)LmJK90pq6UMdL_TQ)h< z(!3dpl5nIqxNAogb~^N`FedOEr#hEsjogC+kBc(`m2{b>SBlyrp>3$P8vr#O6+6Ic z6*dU{f)5qldUZ)r10HyHl?=-ewfjhk2! zqqP6I=b?BnRL`9|1~~c39mWf=V*6qXlVk^+rF7yOHDKcoI;4%{GQ7FNOW zfjMPfS@ei}e(1wq))@&o@*v zyL}HB%HBtTFD@LJr&ovIntM&Y*=%$u_B7M7eC1+>})?O2xbBxkR?RHo{ct#jSzXuyHzw2Jn`kb@a6p$4a85CP`6LRJYSP zjfI4B^}z(^PNS#X=-$8;1ax##-A$ld(sZoT06w`Vj5N1yB5VLFWzxwKAlGT09K4}m zpsy2$azjrrk|(^E0T9x3z@RdKZUOVl2rd-vORjC-*Y!gJ?ao^bz$c~6VZ~mt>45{` zaY)^!^St1Kf5Z%kq=|OGr~Dkg73Ps+TxNJYMb$|BdLsOBhpG`8H}Z&)|Az8O#*vd#T#Kn9qq-Maoxw580Bbf26VQ3q8KSu< zb;qTAn40QNf(QRGo%5s-PleTKf19!j)$PZ<*qtfDW47lFbbZZ3Tk#4@sOgi zMs|J@S0LW0Oh=&)J9(yLc4P`Y-M5r%FhU519#9wSv{yKwPuYEY@q;K}gMN^Q>DK1w zFP$fABk$wWI461+f=+h_Ea`wF0Znn-XeNDav267oQW=8Oa^D)0cFA^#<$8PenVbO& zZ7nY$p~7!{{R8C{w2S<%a(k!p!DOiVD{v>2S5ddPj0|>-GagC{OrkzdZ#FRAb3Y%O z78p;v`wkkp8ZO`SO$|gE1Jl{_iRid5+r-|;;rYNB6qvzDZNGU-0!^@00YO#C(84=L`-1bsQwGerh({H45tNpYmH^t6QeHpPc47f|{ zI_aB|Qp7GaU?1)UA!9X++g=37ZwM~_hWH@{VUV~FP05aO<2QaSu?Eub8%Os(d=~(i%@ht~-wfvCEFJfr++9Y9Jclztv~EKa0D?b*H4f zkF?M9Ew9lUaJh~2?^nT8dtb+Iv`aTu!}G0;A#PA)Cpxt2l=Bvb8$?TFbM2hK6e`ta zyVfhBbB3qmrXUX=?6+3+|42EO_Do7 zUVZdsba4kKMg-?47Vk*c?TJE{U=)uGhFwz(LZL#5!o>p zOwok87a6-#pmcBDQ=q)YLJ-sDx!(Ym)Cpg0n)4kyGdNfT?pyb1X1cZ?)&1(6Zv&T? z8gO_94P|{}==8#QzHU}u|CHw6X?K|G1K*cltmX=jNMET#kx%E=sxkYqkvpcgkk$fD zyjV}yEeh1VA9(j!B|3f7o}`Fbo44m>q2jG^fItMWQ7 z$8$ppL|rOJYeRL5zrysW*N;bV6Xu^nZH}U;=s*-j-bMW{pI@|R|F-ambfvMAZ#zSu zt9!X4kHq%m@MDrr_0+a@ccv73`daop29yrVfY?pw-`W{ZW-?r|Q3Dt@tKN4iBX)<> zD|!^wy)C8J977l1BP|f~rfY>=bx@5&Gld7$lYks3c4c={NX{55A(d zpC<_&o?Zt2cgE?lkk2c|A}*x-fP_~)-)3?dH|ubK5q6Tf%6CR?0HFRl$2ei8AHHQ8 zA{Qf>{+p(KjnpML`Z!{uK<^961qC9|e+Nd3>FMmFCPH<~g2GQO8 z0c~N=DxhsxVYk+gaxZApsjatxTjLxBf$*7S$OctD`D;$V|4ga?y8v@qM%1(79PL~yI?m7y)$D_z)&Jh5bow~8Gw-uc$xcbo@J{-F6 z`?6_z+h=0=yc?lmNetXx* zhk=`!DMjaXWORT5FSz&PV7qN6gxK z%yAFTg_-HcBrJi>8=7=3wx>Pv1n4xO_2wnObQSrB9Kz|i&z|Mj@2fP39g8wRSLR@k zG;7@SB#qbWYm=8Bce0H3hZVo>C}P#~dVHk$62$iK^R8@R$y4JWw*zOK1pZBG2nC{+I#s$!-w4ag~r&Rqg`{;M4wZxgL%xJ3UbdMq+{j z$fi(3o7$3pXkO`0v^*dSuJ92?JVh?!Q*m4mt`SuGVD6Prksf`)yd5cEZ|UZf4YqrD zQ19nKy+3L7^f6p~DSBE5>hf*erf$*W%MqAAX1ln&iu1ad8Gp{@`+6DhlOz~;X?BWl zpeVnDK4iYR{FpK~0e@0H9q-e66ZvH2M4T3V69sRrIEkeeCY^hvdd`}5$=^6k@VhQ@ zpgIE|v@&SzmjmT2SyGCPt?9u>@x?MX;y0QE556RL*fR{jBDpw4enm(P@6^*Sk&{A~ z!o6BOI(H+?fSZ*^5I6zO-3CYBuD+LjZkgZ|mTOUTZY=-;+rWy)vxVwpt#Hib0y^gfPH7>Iy{Y1Lbu%ueX}S8yBVXo&VW^H3 zz(VP==p!au`xHg?!bC8UM&_=0T)oM}Zs-DIAQ#2%0O!CTD7I|PN7^wI@+3MNnDDoX z5LO|Uy$OcH85CPBq$)3B=c`I^rR#OY6U%hX8X;NT=OPyZ7r2*%V*g?FP3+s!wr^ZT zSXch~g`55B1I64JXN2{9V2fpnpE$ZEaoJ_%*tu>pUTfPB{4-Jj}x9cH_i%7DzTsGz%i7&ST8CAPlVI$oKj_XP~Jsx=~b z!DB9Zf&f)q%G5p26vyQnnc;R&N#{8kWng3s6r-p`kgXeU(^jrhS~x$g}%8=Q9AFci+Bl zq1HrUoH~%oJGq;j+l_RvycHZSqx9-UqE11cn5d3L^1aUA8MOq->p%nDua{SXoYR<& zO)bMfEp^-j-r$$fwhmAxlc3ZJK0Y#R+Zsvcmie~?8ryakd~j}#SjK$C0qVJJ(eb(` zggGIYUXG>!WnOu2+<-=u_Kw`@8R+u#q5OIS--p^>N@}@D{xK9pEsN`#1#k1mtkYcg zk*{C3NILEd?s0Es^L{3E$?D>v5r)eXW{CTRIS~Nm!7IgAC%#fG{~-kMgMjNF85Gan z_!viqKuNM^RTGM7Qf^c>#->ZMdztN@)aJE#&6T62ZUDYdyU|trMapIGdb-x8uGAL{ zQ0@dNHo*|D^n7B9bSRH19S3oRlAtSh0*%l>qncqVcXKW!Q5RWMHv<2{rH2Cvm0#nP z_1Qp5(g?;Nb4JQ$UTg2DQ&HQo^KEaDM}1=%{Ho8w#!>GcmQpUhMrY$soF7qbuD;F) z?&2oxxW109I?C1|!2uabk)v{+v@8T@;@|O$4MI`4owh#_94S?bO4~soN@=@|^pNtn zvls_bxh&U$;bKYTY4m}ko5gX+0PrT^&?>CW!t$MgTIYG-UXa^%?}_KjwuO3QdA+mR z%6;j1%R)Zr*eQL)4HlFi7QoQuE=A^|hk@Ndc@5+9+%9#m9-loW!&)4_j}LQN^Gx9m zVXj<94uIs=`LA>}2%J9#bi~6PeOO?DX+rwa+qf#*A7cGGFfnWt_@U-KAK@2;k*CaY zD{5-oaO;RixWB6&;+rIjZqVqfQ?<1M_p`iHT)qDZ@CZ7dW|_}}zgH|mt_RaeAMs<^ z5lmDE_4Is9ooBnuIf!gokTywIRosTa?IgcPKBB9ok0I%&ZF138h{SX20KgV3e^*I0 z0*~E$rh+@1tqkWL@00%;xqcat%H0}_YA(`MEHx57AZ%&-p%?z8m8=)wdr6qZy}+E7!`Wdzf~QUn~8 z`!zG!T~41-IC8R_Iy!jel77ibuBrW{`WM>1<7&a(5OtF1U;_}`mJhA#gsKU|By=Rx+RfDxf70ejPwqg!o7l1JWtz|+syb?+yRBqq0#7E2X?c!nqAdqh{mz` zlXQgc~P#5^;u7ZT@QZgx(})dV9j+*3gt_PT+?>h-8&h4h+ zAJvR*>KOt=XhNQ2s40NOZikM#`v~1i-veBrsqC4Q+*X%o*sH#ZujB`3D9n*ThaIa>@HAN|I zvycP%{Mzt7&hCQmX+C_`1S6fUg;Xi->yb7*4c4WFi@`<$E}`BK-0P%n4z^$C{IG?t z0z1RGhoO#<%aQLon^vLg_&7LMQ}x@!C>=jMO-P3v{!rCWwZ>4g+{1K49zN96(##ha0%zL!ww*8)9ZzUKp-e=0e_*hX zSFnY@Ko8x(&GnA~8E#bOBVla87-5KzI_{waBp%CmK5lh>!O@1+XMOEF8tvPXd~SvF z>kRFCd+TyJBo&+-#@!_zsy~mvloa6`x~S|ABAo>05q3gIik=!5jUrbm2U;PpJ#^TD zHaiwGj-FP>L52EAitb2ySYMmt_+De~RYvIO4tXUbY1Fzz$?dlovY|8P>N}^rF z9x zV*P8aO7Fn`JmhKtHPohL&Y0FPb#i^cd+k<1xK(;@^*>GkY|!}O|Mi4x=c;h7{ZyxT zi~d?@{nw^k+kOR>^xBSi`OLK)R{#UA?TDAsT-y;xM7_2hs$Bkxr+O8V^xDoK6k?=b zYp3?F2Mfd>?9YOlINIsoZlwKv-`~r9^8UW_uMNrnAG@xg)?RB!!CxB^Ous7W{C_nl z$9r}Ee{1T0IT-GA4dOLky?*T`f$YER_}eoD;$=$LPPz8N|9stXiC=?&{M)Mt#6^B> z&)+W>7y7k5e-}_7_?KOO6;B{8*Ld%{_7bnXscX*+GVq7fr?td;ARPLa*K_q5uN{~7 zujAr<>|amyKQ9N5{I}~}Ywq7K2F<;8)Rn7UJL*5Kmiw>cuCy*bDy}`qHF^GfMEvzp z{(OD^K0iKy|0TTtJU8&~BjE}Dd`JK8y79B2#_j(m)Z7CXU;axeF0Gq9dC;^eQ^rld zTF3eGC1QIJ@*&Qjc{#zeYBdxA{;w)*sQ)+E^fl%1zpC)hvGl*H@S2kQKS34#*D79{ z;20?Au2k9^GdqL299uti#sojmMGCO%FJ;&9()~a8*{}TrhZ{5hETG3H%*b=#mSca> zKb^)*X&Tos{;Kj>k8PW==k=S9C3rT$pDR!R|8c$l+QiS&h0Ugc!jt$)EB9E2#F3aI zGiH?4kN00UG~(~8`n7`GBu3CrX%dr7!F-ixl0_jikei)tg+nXqC&QY>5XjT2?8uNG z)BxWrTPiZ-1oQE9Ao-Y%3^_SLsM5a&h&oLHEjJ&>uw9B7@&egq#}HDB1f(wrRt-Z2 zH8%&}iiasvkv=CtUJl2P&(F=PxCiO;f>qgYfU4nT_#<(zUdt{UiuG!)n+s1zdab}6 z#>ryT5Xe`_d5C5k@^Ur25ev%8(6R!J_#v=k2nN)$OK_>|s=jc89AKa^) z<(52*4Jz;|bl@dQ2QsN@ZXQSvIy|MY6$RL2L_ULBf93akzp?nz0`;yx^g< z0D$OTx%=^OHqr-kt1csbc0m=Z(+5@HHGeXWAD9n~&cgbfJfehKkRdlv0C_br@eh-l ztrkSe<0!3pIc{qlH3IJG{s|8gBZi!Uyt0MxglfF>xHAE_;WwxCy4K$57K1@=)!7s5dONXqvUj!{?9`rUG1^Ub#?D&J zc8i@$;Ft7uwGH%GldM(?l;K*E?RL9pcUV&FsaDDEw5D0oEwbHZ?_%$2ciTPI3`?fn zYxmi^S+f#$RqZ@Aao-4wV(D(rwg#+f!eehu*6uzz!J2Ci+BJKgJ>ODb57~Rzd)f=F zVS6u2Z#xuy+56c0+GF-2dp~=Bd$GO5I>0*6QfePhwn!hS1UBlR`is?*<{w~#+j zxC$GeuGhuEOZ2pJZ*&d2gn-QBKk(uv3se8{+U$mFyX*$t)nl$8m;C2e*r~n#=S$Pw ziIE*|#>lEWp+gqkZ5VacjX(*1m@V)PZu>yu`UGUx&A57iXW?CODf|oNqp|LWzE|b& zPo3=40m6eq_)&y%OOM)F+;$2;z*~y+@HP|~_4e1H+9U$?0OeR*H#bDRL zSRhtI{G4%?POzbq6~5vrQvs$9js#?3JAthUaE{)Nv-FmPZ1`m6#!rJ^gmX-Ao6fih z-A4QNwRg^hy;lZV{O-is+4Jn?zrG$)R#Z1;#?|)&B#qzbJtsE6`+4>5EAQt&AN~JD zApiCK{H>dIioYJiU%TnG9tf{up-%YauLwhS!=Kn8=!}0{s@w*z z0s5<5myPTR*f2RWE;3yf2qB@8+<b3EA-7 zg0itA3&-DRCh89t>`yEMM<6TCf=l;~Um9EDr|CRrxBXq56|iQ$D$cVBw&Mw&kG6m~ zSHU0X?*G~RxH$iFEBdeE-14|y*z^Fvq5Ns5wB4oa`x0SMf-)4FG+jn9)^?3@I&+UIMApaS9^X!G?-Yf5dJXvSGbK#aY7*a4>=tNq8fln$<+QQ=M2!< z7g&^ZV5(szOR3%%U<}2nj${+rfRxY@MCXzvaS92bI-)ANqu`A=x?=DJ+T{P>D$` zi^p-h2}i$Xo}(v37g_FhFfv}DsYqtgVEihuK8L}oAz|-!CSSOhJng;>pxZgfhsQZ~ zB|QoNGFk3YNT(pF)`idoBTdCK2v>R7`#65FcAeZtjz$buYQbfxs7Z&)A_=wS0PFZq zoCr`OxIg}*w*GYJ8<$eP4)F-$5jFSbfFGEh-O3uJhBeW+zSx+ z)4gT595uJ!UlD9&H52LVt2H(9$^nU1Ucn2`&1NT4|0n(*U^T?n3!tp|2(< zF!sW3T(G$g80}64Chquyt}6ZTSO&IA8F01OtIR#5jT;f{%sd740~R42&w+w?Xc%)u zK46*wd{SV!QQ-Hcu}U->*tae8GpHmk*eu^D%)^YBLhptMoiLBfQN|;n`Yr6^y*0WA zz{G?>Oa`#3t<}GZmaL2eg_LYYt+Sba;{Ny-@?=B@_%4u|>g9S|A+;#Io9ij>S~3ot z%CzT_y&b9nTtnwX=rvfxVR`kET4sHqJCPcJQ*BRUUw8?yE>QnfBVPQrSA$l^h6CVP zdp7P>zGPgq&bM zftSXFVhB$YzYzjOed1y$JXG-Ao-L8bfMq)k(+07GvA|Zpez~csJ{+- z_9vc8bU979NNyCTPV0#aRjPUR8}U&0_l_};P)l<;fv;l2>oFccGrY^G2hw^gxl_Qp zCbK<_z~GK^i@NIAO{TgbZ0e2>I}fm933 zEdE_E7w3b3_KOl3!=*A~xl^=?V~LMrm<55+%rv<5Sk6pBkqNk5xj%v4rNPr%OS)i) z^^ws4b_LO;OjMVEouL3?4r>b#xfcgEjX@-^s7qykzZu#XOpr-EfR{|nm!hc*DL$`KrrH}G$;@iG4{F0pkpyCB;7 zL*WxNU0>f6-hj|hw#tgKxN4y{d4Wj4;MFgv+-Ku)_M8l_BYUH&0LIDg z#iWeAnT5_=(t=!jIbrJjB+RJ>m^NKmlsR_MU;iNlR4*`ftk$!O;No`9$D(Wp87c z4^Bx9e~#FPd%Hm{9&@-a`I%myje8g*+rp!Z*?NEzfPrL{RDS+Wzgn>#cF3 zsvY;YraK2&R36ngunkF!i+K{%D^&0DOgqQBPH?~qVFDF(wrlI~NQ5ZSonGO;(#`ZA|=-oC!ho0G{4j?ID$ z9s?Yk+A#`GSNaev?5hoL#nLQo71{z=B8#B1_#zwYMj{Cmb{)3JQG;T@wg;1OUg)5XZtqA|4Lbji z{_;f?LI@9qGL|KG*}@XHu;^POcNvf)IYPKqHB%5?2cD_%G`N4SA=)tBxjK<_Ecp(1 zTXNkMYlv*tD?87;*t(lv$G)`{Cjlk(Zd~OA}daLiUtZmR@~KBWj-uHDPq*mewS6%vUVdpPXG< zJfmh}0+Y3;GobpJOXmre;tD=J31vA(8cww=+9f=(W&^IEUoTn78)@V?$p#yHurfV? z&OmkA0>1Sjq$uAd)_bATA9`Hn5UKNQ=Hv{Q%gXd}Lh*D@nCc7G$aEeEuqOzwP%!(u z26M>`AoIdMzuzIJlm3c`nRVfMJxNwZW2SF>wmgaJsf+s%=AimH^?1=UP?B|MwEQZ# z3i+`P-yJ5hTJ3_|KT0m|1z{!Az-^+VVIm#{vrY-e;FZjP;DXRYm>CX~tvR$pO+rkO zJewR)W@B0rz5$bJZ&mHv;T|?ps#ivM3M?`6ycKNFCoC;>qH4zhPs<20*-=ZicB}0W zq>VeQE=RXCXQj*^H30sdx7yLo2p+RN?Z7>x&~vRXigtG|%P(#a5&$BUtHEVEs;oC62s>cpO@$ubri`e|txsqd6HLyztPDY&@Slhr2n~+G*3F zjlkAXMnfD=X2l_@-kcLeq?&&@)8}GKo7jno${{4I-Tkxw2oU1#4J(~lUlQI<)<{8e zJ>AduXK*IJ)nG~mwcAoyzjw{tSi8VNp-Lk+qjEWYRW9U8B6rF?IEy>^@P`~P=HmNK zN!$q68>U4+6n{#LPDe6PZ4*qmmduBINBjt#-niU0+FZ(zUUC`9z&pvvq5wiY9DZ8; zW#ejjzbN2-HXRkM4NKiQvZZ!C1{QBkx{(RU50kDaD|`zg zljug01q=x8OEnvj+)Z1E@VoAJv}8o8fWKIi#l}E6A$R-sE5%P%PUmg|wxx-90cVNz z#j{Y8kVK>Y3yt66Jg%eRB6BMww(L zE+om*mdxK}0sg0O4EfGdm|?qGBnKWrXNN?@Z_U8t*mpBpbJ)lIlEu40;Kh5S$+(9! zS#rR193-z74wN*!UVe1Z3_KnulHq|i!eEE(Nshi&Rf>SVsQ}F;8a7jL4XDi6Ih+>P zsxqMUW}nu7r1&l zU>X4JdXn^2hnre|$G^FHn3V3Q_~*l&$ey|faeA@D?IKA+Z+RK^ic^IY`n&!tdaEZ; z(_cErOj4iZ4!sv$qTg|V9Vr#bgx}_YMRDwi&ze^EfZV{1CyVLhTvEeR{H+wmHv=pH zi~8*73_*buLab^OB8jK zX`SnbL?-6c8yROHg-(T0TnV?PTFA55K(J8!YkyK$y;HyXdAhU47{ zG{_~9{v=O$POfs_An@c-nh#{x54R45FhQe(l#s_7fFw|_3~`*MsF7U|z%RE|cf^Ro z2xO7Gg3fKYk=f1G(vIyUn~voAb&OI*Akq)~?&1(N8M)Jnx79r?4TrwApyY=HGM`xs z2JmRteMX|W$5&iHW;9D9FJzBy1P)sS7ySNf(M!Tu{B5Z(!1VdvI4e2+fGKY@9J?O(^IA@g!dc9NS{4|CIHNAvk(-EnxgN5((vw{?avT{fFv$xs z)d9WS-HH<(k8m3e%ro*9EElC9G~@X@4fTUBK2#k1@+tQ{j48%>Zn84wkwgdLaK_hW zOi%U*@35v`K2W+anr)!%+HzQMEmHB6V7cujqrAggLMn=&z@Si-5m^W83tYA4v(hZA zg(f0-iC%f8;D&9L!Eze&$J_?S6d6;xmElX@XIQebpqcb=at5gAw~3visc^~^kvClNnF^1VHn59pdjPnSq(IG613e_!9JZfM2M zPIx65?f;Z0w&?~^ykrFSkd1IYx!trE+*!c-#oI!(c9Z-^aj~uHgoLZKK*wf}67x8uMD9(A=DE1MTltsa7#rH|2c|dkPK=?`EVX|+h{~l;w-y4V-g6vP`62A#W_L0+QinQSPf~&0)3MNtSChi9 zn~U~9tieK>*$C5U-Ud3Ya4RfUX}#>Ze2#up25W$d zE9+^p0^iWOQ)-6kyMe>2=ou?{*_= zs@r3k{C9TkCYTAyW!tT$`F>n76uA%J2kAiRejru)qciSPFR~0<;G`GiTS3;s7ufDT z3e(VQ=nLQSl;UO1#~p`Hdzx~HB1qe|ie~Q<nUG>*$*Xjv@DbB1x{1Y2jw|j;@|Ip%)qWx(#m4#TX+FbHMY%y= zf805Y7T?CPOQPTc8wR0s$4mpTFezXiO5tG`(yYJnc90$NK+>+f36co+LU^-#9bV4m zxZW^hfqoT*GOLD$lh_pn$6aOpJk`$OVqp?+4D1E}D)RxqEeQ(d8#xoGjYjQv2OjJh zZjROXYFNe+h{RHmf=4O6^t6v0Al>7>=Kwp{>l|sgEc3VXHfnI(U~u2S`8@sX65r56 z;_&rg;xBqf04|0Dnse*uH#|#23_I3LJiR(Hi2*EMgn8+q1aS# z{mO&G?;1Q(Iv;{w0tNmp@Nh}DU=3Asf@fJy*8t~y8DCPpM{bQe;OqAmT< zrAPdC$duiXqjf1*{1u9PQ~DcNb!YJtfD#+%p?C!; z!Q`x5=KLxJ*D{X@wF=QQsr)Neuw=+kTdoy4Zz|$##^5``QhHQW?z{Qm$> zj<-lYxITRJ2xIehLC+pLS39qAXY++6lO$K^D)uX58MsgO)rhFW+4_c5Hd_ZEYA}eW zNP~rBF<&eV72zL_2|@Wf^`SvxPp`9sm#i1x4`=8|8}`S<=ma$KHYC*m*k&V&_CtU- zFiLIIi$8O~vO3>6EyFW$u&+PmZ#CB3fn5tS#L&46Pl-Vi#o1B?`vt{0)eHn7vcw3z zh4h4V!p$;Ji-VtS{s{DzOhf9^fKx8s;9jQMbhw~k9x%$5by9XDEE-;H`k@HlkNc8d zAx>AgNxF60Ptf7TK6n?ld4o%Oxi^45h}}N!dPMd|8evz{EU1|v-74-zWEAe=Jy2)U zPj2x7;I9+{o9-1c4Ie9d-rx|W!cJl)DZ)VnFG1ed*L_EC|)*Ur2zm>n==ydY@ghYYiHIZX&k6S?h#lW74vA<`;X4;w){g)2i zMih8kWI}ueyokzxL4Mz%ZX`<2a>-C1*7cZx#=xqK&87_tz^!RzPQ{KVuJxGZ#{Aq)B*&rX}nWWlG zw$!@3C;#FwR|2IX`$vYPkg0kl7o7JlyMh0ZliTN6S{jS&sJfSwU3gr$j{Tk!>cy<$ zL0DQoOXPwpphip;bpRpae!sO8mq{sNFQ_N{g>iD;K@3kNf>@aVG>}hKfU9;eK2-d(`UVoO$GzO0m8jm? zmQ*xHFHXeo%g1fy7W@mIKnKc$ak{8LH1Ur1<&Lpdthh%&$(3F?;2+LURREmY%@TWP zC9V*WD=(2a*)}#9!+phMsT7Fh(@P2UFgJQKH35D+0YVOB4KQKiJ zpb}6m)uARVXu<&bK3Fhb!pF9X50CMdk`#H=$zqZU zwG-GyvuH}oZ!k-Mmcu+h-B7mz>fp{Nur5w&$AjrnzTDE>2`3A`;~e25?7&%scvy~1 zhUysRcK5T<5pWtIbdc0Wi_s<47Cvo%@BHRv_4wMrP}k6WUKcpjE%g zw~*t%r0RAKd-w#4X8@o!IY%Wric(w~Ghq2(iF=UnAbx_yH``0fgSRox=yzRlh$*w# zv)G>!!=E8$C72y}P5yy`!Vt|EoNq<4&?dZj22rP5=r9GMlJmUH$Xw zRw&QnkHoMMYM8JZUVz;F$splpJV;thG_=t1jJac3%Zc{Abr0i|x?me50kq6IypHn# zTv-GODGmLFoQ>az1EAD*&l~U-d$R+qG|ot?h7tRdl`H{kO`6KB6+acGL*U}mdJ`TH zXLwg2^{VJjL>foik@5w?56x>2&ZW`7?~GY+a(RckL*klkq|ti@YQJrRjS!R)_6WTr z_o?Mb+ODlc#RpB?XyYNp^9$MbGOV?0OeNY~<7a+Drb zEoipKmXNw*XKV*7O!N_0f_nxSLba&UA=zPGX+w|%H-I{r10nDL-XF3eX%P(xO{AhQ zEd7oj4lWK9VIkNTGtL$ESg*(tS{Le%gdFM|eG@8312_n+_!s7|v`Yb06F<2TBD_r@ zz+nj@<}7I)vh zV1`U!0uxAN0*NF-G$R>Jlt@q_pd1nf1&>itv7SItQBhIxe8P&BTCG@*ty;0Q)>>Qe z)T-5rR;$%oZPnKL>FcpaYxfgu->>`n-s}2Z``_Q*y(~G*WDaX))_T@+-_LzxHm6_? zA_bxp#lBMYr%=K!zu0t_<_<$R5VzSIipHg#5gpAhz?bDC0URl3Rr10gYb{iEP8uK9=L^>Z{zb z%rUywX2utZ45O4%J7gNIgl7TYNXtNuaOx^ZX-oBkoa+!iuX~42BK>jeq-;3R>gjk8 z7WncUD32@${)u=`mJ^4BQuPeAZUglNumhR~sC#NiBEOhzYum5$@C)*j@o{TUzyWQ$ zU6YWo6Q+RAWY|f)$1mo`KP{?lD;)J?AYSBheIFw#4}?Li%4mFkL_f?*K)^+}wYgEu zK($@YJmD?bs$1u|Ijp7W4%LkP03j!UGgs3x?d7rVeCB12;T4*MDBS?ccH*ddS`_Fb zLo_lHtjyYK>pJPu(l>%o9W!e%wpn3nJwpXkPAg6uZhtzlqyp}q(bPj`46z@%^*i+# z_c1ot9B}){byunklHLjE)?0%HB3&Mzz`Y_(L0lyDibj;OrnzXn>lKurhV!X0U{P;m zk;-(y3KMMc8mo2_{R{#j&K=Wi0v6#CJzd+HEkC9<(AIlutE9ZD+2v|Q<~;2G*&TP(GTkI5cl zZ!(SpSf(E!bcJvtMLYvVgDFNA%#_FAdsK+#x9Cc60g^UD`orj^2AP-I-=>FZr$Sa5rXFxF-oom5BIm+@uy1hjW!wjk@8brk8J=tUquoPx2t@9`2NWN%Kjl|DEz_ z*-6q%D)$P`RCSpi3Q6OabrDu5O-|qzgDFiH_Bdx|`h;6#z(>6`|bYUf@H7{lpimj3$H`ZDV8saJqr;0h4 z>FZYjKE}}^Jigu8m~@NjeOh2(-o24cr0e|(;XsO=_P_u+7{(VCoPFpnrh+aMYuuTn z#an?k!~%{A{Ff=zZObpc@f!D2YXlS{LlS?33(&K^xD)k&*vhQ{OO{*4OIT%aN0D58 zZj?ENWyaoQ!!$VzIJ$c1AF7wJp_;=+n5lO&eH^JCoCuvz5_Cetg!xo-(RMj#hpXqs zN^~$eEd|MOnJqePC{MqRCr}}tEe`5?%jX7atuO$MvqzE1)M^OXD2v>>ETtklOgf3Z z>;7oF@5_`hT&(|&S1(m)7RTLsH$RNxt2~s0Y}Igjz%|Lf`Y(-%h6aK1Qlr>Cl*L#G zCvv#Dj8p)jy=WG=5RoLZHAxUwP-50YWZbrR5uy^v0Co`>gk0JXoqm_n9jmz;N~uks zhG>%GNHjArMC{CBmTwC^vzgdUmo@6Op-o#1Pc#~%Qor27MS6BIq$hQksZySP(>$da z^lhxv=&avmP%Zo=)s^bg^csFYYZ}5|vmHsi_M;HvHM#YwCB|0VTJH}RJ~urh#>0GA zc3S>b%E>X#YYOf5X!>*Km$IrKD1mIr>`Z33Y^WhOtsSD5GdDx2K_xlqcDYsfl_CYp zJ|mlHIumBHNd*u)dh8l!7^0`uJ|@HLkP{CiOZ?&RxV(-0rCS~vo83n0GhsK?!)SpC zp&3&i%Ek?+;)DWlZ7!nBFg1xnb)h&St`Dc9H zdJfTt#->-5dK!^&lDfY_U>4wKlHI;0&jh=?bjhE2&9b3ZTH>KujZ5L0(4pD>sZQ z#{we{6&~tF>yn+@kR~)#kfrzYr{IS>HfY0h$9<1+364)#PMUHc@r|JNP2sdiYyuhq4KT;M(a zODXOCtZOQHh0+NL>zBSOnK~J@S&=U#!ql0pfH)3sMQQ%Y)?g{ zjPv7Z00RkT^R1yXkZZjxsh{=%opl|tyXhEqEuTq}@hS5IypGye8ZY!9(WEW?r!ho= z^il_N5I~q$6~5EZx%2HQCj0w)H+P>$R0mHE%FNKs;!jbf^vRMbLZvZ>%Rm)rlO%T( z`j_@n#Mo!1Oq)N1=j#8=T*F6HzhWQ2N0E=|M9n2}7ZXoGYJIzOmn)iiI zr4+RFB}DczjidDqv}Ut{Wlrp|E)An5TV4yxJPSEVw~kfcp&=cmxkm%!GD4c$if7cH zh5=P#2z17SvV-i2LYfez9ucWG^f1=dzst2T+z2;&u_U*K-+N6RlTet~>@q(tF@J3a zs4|*0>$*@@qF1N1#;e@R$w}9T$ozvl2}bchxRbh4x=%q0@*4M99!??KAQaPqWC-cv z?w#CX0|ynmFX}V@bD6+A9AG(4gu2wSvf?rSuJ4Tn0x1ys{>OsAm*f7&k`}|h0ADmV z@Gh~XL>N{I5IbZ2Wl&;0zI@#97D8#u3jcFa)Kl5t1)_mEtAAIEwv^cZ`xCHXfhzm= ziWA5B%O?Hz$G?cQf01olw({5e0BiPdKf=F`8P7}8HcbmM}XUkUp{^}pc^v{ENac+Pm{9jZ2@#yO_|Ex@dMjBsM@q!87 z*eKT=eh-_TGy@@g&o&0z+QQWg(?3h3$;@>5r0X~0A7XnVU0oFeifmKKi(lqT~v`-j(9dJAC67fO?0OxSw zI9CYmF|fs!-kTcCMHYdVa3uC|mH^$JTEMZ`hdF!< zaOj8@!2t&58=-*?m{Qx+FG>ig+|WQjz-}}~Ko*&!vhXvO#giy5P&5NS#EXPMtQo6t z7F!Awq&Hzp((1Qa$sN{2Y0O^<-1qapVpL}@g6Z0?>;{)tsB8f%u9;nv{ zu-YfaPJ*n5+?wb~KmjAjY_9^og@QxW+SC3oI()yVNhKqT%dBlY0Dts`$#HMe7A1^s zi&QO4dR-zrjdB*8M(i{a=P5^y%$!(^Un8ID64*`7-iTkXOGHM`8HivZhIb?5Wks>S z%>8QmAr#BHFvooeWOZ}*>Yj0LfcO>-P8F~*uxDV$1c>q@xnDv>*vHj>s$Fl%&oqIL#mwy$}_4atG4HRCQ zO24H|yG}&Cc&H*ISAgpexnaDXwxy?5wHUOPj4YS1wWu1^9|JeC>QjiLXG1D&)S~{* zeaQYLZniys!E)FBo8?|!4_NNYglo3VJ)wD6G)v@%3Dmt2KELlz}Q5;ws4BCv44v0G3X7+2l0q`N&a}hE2flYeWT8 zpnyAQw5jr~IM(oHI;_+bWvV;BD+zXEjP{`8<8Na|kgV7r`-o+ux zf;+PoinT@&JTB`daBOiKn-w0OL+o5D=;lY5hYK!N!Y1=5+{`BMYDgpk9}GKNDor%6 zDpNL*6nFE$HFyJ_YU{we@Vh#*u@p3Vjc0H@Tgg{|44Ic}!*T^ciy8*Hj%_l#;zjHb zoa1Hye2efwg~MaKM|adL!~bHt;JlKH*vC#K>MXOIIsy2b1*ej&?zXIkYLitfC$)IA z?R(P2Ac3gKn@Q+*r>aDa=T zd}aI;KA;g^;6(ZX1PcJXjqM1Z3lrg&RD5wKU@aD;gyIi5Kk|zkLU43xq3B2IBZTwY z!H3xrPvb7aJLy~DH}0*ACUI863A4>>gxNZ)@p^s8U$^}@T~yUd_fcIq)zp2>EIZiitZo8A*UE0>dE>unilvJOEUr|V1>>kC5k ze=4gCnNf@4YO1-|bPeP-kZIXA&XB*KY73HXy=((0#&OEqk&AS=8t!rfs^HKj87Ju1 zg>fqhv({0uWbmys?JbXPf+8xL;3?mx%xqKT57nEE$NG@~BObZBb5Hbz;JuVe* za?gc<%8R+Q5s18xQ?e)RC^8gsuq2%6HeE1t+ z|Cxo&+;kjSwF$<@)4P(*-;}Cp4(=`9y&kZx?YI$6LQh2kpOD(%DMQe=82n+ljQL!# zD7$I6@HoFp*ov=#Aq`nqKOH)q%j_)kRJV3VR83bt3hyN`o@8{Vu^<_UTKYIv0=mGQ zhx=)5^>5@7QA1YN-0c2^yHOI7_5?<3VY{<4&@6F#Q6?ih-ED30W{LfZ8KQPfRi9Qp z-N@Vyulp67wloUs^<$O7{#zfA>m;=y66-EN2?CW$jBFJ);{Kq4Z8#8Oouj};U8)e| zoGCMZ=1&43<|D&?bq$9fP)o=JMha)gQMRl-2*)=M0hHa1u-$mTKG{6PZ?l!TN4cZ$ zt8n(_cd$l3NQo^wc37Xwst@{I))Z8I7mpaIC?Bbd*l|X%Lhn5aTI@GqSW@Ht1-o`q zqwy?Sg;V$~`XU82!##@q%(0w};~nm8`9I=F0+!9fLGuVENfYp9KNtuv+C%X}I)EbP zJll_4I&Kf{zAph%1#|cl;7UPh^*uC1n;-35EYnZsh-u(JNYG{34m7pL)nIFBoFF(k z4W+JP^7BtT6^`RZ{Q!j!M1n`K2W@X#fFe`!p${lu?N?aG z4T5%mM2vb<2q^s-8l$Rmyk*#cd2$JB^$)eW^+QJ?_RV?|HIMWl)%rCGih;F8~$S_1%ke-RIVKcL!C?a!23cg+(QAHtYE)_vdi)YzU!a?6J7g zxPb87RT7q2M=ld}dMdab?qI5_beo`)Np;3icMAL`%QxYT)NR~d*KUW!wo`bNvU8E4 zX0KC+gjwEZ%A9o9k`sEuFnmWWevyEpb+JJ^$)h;6sN1es?iN{wvaD3 zD8jHah3B^0dNX;9;USH$ms&B;ec<<|zXDSKzAFlBaHry{xVzzFMd@}>1lGSEily@T z05?#j=2OfT#y=TUtx>V&UhKo#9cR6B9Tf0F&)VK~MkD?G5Ph-=N*lvr_403VU3Mka zmpf9@!ALVS!pn@zKvH>k{rKj=Y$iWUu%~ZfqjN6fq{bZ! z(&}5;f9AT4Fez+J{5I|jh$+XB(G3)z1ZH@P-p*Peqj#Ivv%8DWuh;Q?$`A43Momc; z?qvT2(~i#N*U4gWfgB=EH&F6!>W15I<3!_J(l+fI<%x1OjWTAXAigN48Ay&~B|a+3 zT9Lt3Gap8zON@_Y&ug+3$0(9sHO+ffTqmdEsnb+4nBW>w{v_O^wh2ZVis${dgH#s( zsFcGg&5KE#{*&-D4Wdr(J7h}Ikl!0X*_~?S=d$ZH4h8lLG4(wMEmH_3Mo4&b10Anp zkJ_ftzXdevS{)z3y?>*o{G}TU8nQ5-pIz$5g1(ju5Fo#$HtB{pCt^#}4CwiD3WK-} zc%c3;p*sjsTdo&asFG$|ZsyUk+ix9ZC88D5&DD5xO)C<^{Rja5r*JnWfK$J38}>s#R=;8lMgSMVF4M%8_pXmLT!y4uUUL+w)OM=-b#cah!8+PVEr-#Woe z8sq3R=)>N#>Ra($xc=TMF%{tiV_&X~Z8qM=kKz(=B$%Dp`{TK#3D^W}%N4T;5cwt+ zHh{ZI=~XHZM!9>hH$SiX+IpL+j2k!qGL-e0e`d=%>cTyr?o z*57U9mfN;+XR+QMnF8#hDco8d$GOSgQW=}ece6?0uX~9~#@dQur9X=Yf^2K3_Ix9( z$9G{%kNs>lhNur1Z71VdRs-*UiL%bG#Z(PkTz zj;N@8>tH}Drfz^TB$TXanP?^cR38zFcWIt6j6VVZ>?XBsAw1LHITo@9e5d4Y$~Tm% zZ&zGZW#$alsL+5z$7;Y`iyz*#O~4XPqF;t*jmx`y+kAu=aGAb@(0TX|fz4XR7@rXb zpDVW}jUE^Zp!`*xEvrK-HBqp?<3%1`hTmep=d%Tw0Qu<#6+X<4Vk6kEgu8;9jmo^w z4PazR+3kqd+n&{?e_CY@a0&)eJg9Tt`Pu8BGHUl>ro0Kj$!Dd{v8MJ3rma(DSfxIo zupD3oHNLH%%Hj3oGh2e&%ygicZ)*p`#Gr1w^BCD-8T|_@N-qQb}aF^C%YP#_T_q#q? zf%`eM>SiT37@oZ4j=g$GL78+?3kfwzE!GDn_cjZCw=4=>N&O-9oMkJ3I(ufuD8yjVz z$=4f$RNZ5nHOgA+%TA5%u{t!dFQb`Vr%B9d$w<$7oMBSR!8*C^Hy`r058@Qj%uKS z2TZzgEOJPODi{r23Kg!!uapLBOSU(7_%ZL^I37LWDBFWCTUmcBX3}i$0^OABHJ`*x z`>&=Rt$XDSscJnd!HuO%a-3sussi-Ms0fC2Y^R z#ckhiR4++<=d5o@(*EnKmRJuyko8PF6ng!XVc|1bDA%NT+}(UcH8D$bENbG?xKD?# zS}LAue|~9)&r`#fC6DOUjm85Ty>#1)zo@I)`&O3G(&bU%$E1x38$XG@x~F+r$N4`z zJl%d+%pTI_`a<>cPOmTRwluE&$~U?>ZikjK&O6tK%y-_s+LY6I!TXPww|_7^d_|W7 zKZs!|PcOxtO8Mmhu5NR9$jd8Szdty?qHCvTFEgpW7vjE-0i5(K?hx?2gWSEhy7 zzF67qQ5U(lyZYCfPr6Uf>r;~+@~pJRUDancEAS=pC~8ipymMG?p19{p zdh3oUHl?{TsC$Fj-s#rn^Eq9f-aMb1N*TY%>z>UXcaGi+PhNVJ{|j%YXT#2@GH{=6 zzO1BUIh}*Ldt2##>vc1uO|KnZPt4RIn-#*?so&-FE}q@wv2l*4Uod&M&W7iDGwob{ zeqlLRkZgavs%K$|@qEF6@>>`B{yckMNV|RWj2HX8v$Fcrb{{1kUdX+^y7*$@sPvcD zm_|F^(exjCpjO^{U3VxTcwO;wZo7il9%%-Yp0Gy_EN>eA<-n=8wtP8g#?xD04xUY! zE)8*bw|w4xZbs@WmdMS%OZxe`pOlFUjax4becJxwE5kbdGWX0d=jtFnwdU*C!u*%L z1$D(^2hJ}X5mNFVKXQG=PyDDZ)$^AWZ(8OlD%rYze$nVRYxZeh+I8S3?U+}Nny!pV zZJykH?9RpxRr2b~$0_-*d%B+-+k5ztbLhv}dmAm&2F#6?9k}yef777M!~Mq(9U5+)jBTvuJH<#}gH!2lyB2gG)P5(-vH9>VbwW{A97DOw7yfI6P`dM&~=# z@k^&&>a<5ced6}>8>TadS`D7@=xK86%BR)epE4|-y_rdv5HW0Uj}7hN!6e(mdlmk? ztn9ojsj@?8(8l-Q@da(TzV`K*pXcxYX2!Xcqk~8Parx#qvruqC>`NEujO$aVpN0p) zBQPv>)*aO66DPFG>Ey^gzDx28d8M&)h$Z35oKWe9>vK(Cef;@9Fb73xdGW+aklB5K zI(+aithw3G^wXQ42bq4l4dBH8NpJce)6<=}F1@(m7QLmIF###R{BbXh8$V@SKwPO$ z86<|`)#D#Cu^77Yg>vrdKP7!&=dJ!)J&I~s309sb>-1NDEt`c_)~&2VBZ8nz8_DYk z6@==j_JKEH6h%dn5YisgIxUHnMkCxqUROy>@|AT|7}S&ovkID}a)Fi@;tNJNlQPQd z>PRe`&MFdNt1mVTucr5p{)`jRL9XVGG@d0!{T;Bi$zUU08?oT!mKQ zF4!UWts<}E@u8`(OKMqsU^B9e)K!Rw(#QTF^7JZX&sK9sDQlDp51Ty?R{987N2_r! zLgcWY)i|A+kPtYKjj&aB<|Dku7FcAW+)OfWz_iOmUD$KTFyS!^wX)p<^8wtn74cJgcle0ek;vu!KU5E;o^RE z4A%KSX!`$n(I;?uy*Q@jqC*`Dh2;;rQmp`#Nrm?TwK1fC|08Hcd{k=SCO{}A6>fm{ zDDK;Tis=1)*<(`we)piOW_GKDzwU;Aehr(rB8#tvmky1ehdpc51rd5c*9RacmfjfF zwd;e&LGS@ykAyvY@R-1;71Z?^Nl<_;7#38|9;k3O?P2p+Cwf4o;$RRj%T=f#OWIY@ z81@WGoFc;Np^a48qb zDT2F3je%b@dSsMZmxQDFc$^Wl7e|x$=sh)Tv^=8`w1&oznV~0w6O*X&&=8>MP%C5C z$%n_U%xE-W@|LRcqO6X_?<(ljG(0vjurX6$_t7iIm{y+;Tuvo#N5LwnGx7Fg9xK1{M zYsd>6jmt)MAc_X`xcF=&LCr9159&1(w)U~)6Xf8)*^CxE3qf|$oRtJh_mEbe(FK^^dl&;Wv%)*mBVz@Wyt0}C|)K`+Q| zp$=q}EmUr^C&}ctWP5wLWadJQFQoB7{Lws+j|O>s_}wvis!c4G1@!T`VmR2FNGMBd z3m_jqy6fm&hQg5d<{L+o6t}0d=(2U}-Fnl;NEFI*y}G9&iLq;$K5jDfX;@w@9Lk ztn)A(&S$VU%V43d>@s4FzA5l-)qP~10LihA{H^j|r?tndv#b=YO2=##m>1h`Ap5sI zoYNO2ZJ2finW3TP)ByqV)%P&lZqN^ijV<$GPp*vZIHE7gF`zZzp@Neb`>M%;%=ZZY zsuzP=A<^0p1PS_E(d_;MVMr{DLLJ852g`*`IfLcgzG*;9e5vRpF6e>yi!ap5YM-9Y z0LO@3LDV;3EHncQ(6~}$=e`G8dMHjhBF>akMXV3N2$m}wiAb^gH!u(E4%Pgq10PaW zj~wgg_dt#u1%R-oPKp~nwG)XrycM#OyQIOoAH!{ulNAKR-8WDmn*_E#ayE%=SM&+W zaw7io7Iid}MJc{XthsP#$FqM@s2I;I3na z6EG(?1%o6kyVbNj1jfWlW+gF+q3T}Xa%t`hC`5KStjJx72*|g;iZshe%T$ixLx8bv zjSA5VN>a!~hTyGi$FcL+&0-eTBr919vqlMXY_T1(wpF5E=nd`vcf@$R^b*E9JdhL0 z3&joC@Ipro-vOs1W;+e$YJzU$zd_^~03!F#x`otNLxe?;33{QV=BB1lT|99ZCEL~= zc$H}rBAoi9F&~8jG%Q^URe<_F)tZdaRmz9?`Dsi7W7|MRaG#P+#(wMs zYgd_lHA&z*2^}cOw!Cik*E@wT(eZ(E0${K14btc7aocjx@<;%=AJg?v_k8vgZEle* zOIkxL?8_CLf4l1x(oRqXRLhS20ZlFo_@>bj0a5*ASz%ralIvjpjpTySrFk4=u_Q3z zI_CJI!ie+1Hl`2h20klg&H`CBCT%>IF!{pkAt|~X5o~m`W&EVH>&Wec6bz5Q6MvQ0 zAB3FV3xK`klsF01pB!XHWVcN+=EU^h6F+!s3QE*hT1F(8I;`u>65_*7_YY6qt^4bdwJUez7ZefiNPuc2gcwbXZ0 zv!5VQeObved>6w`2Gn(Oh9cVvw+dAyt$3PeEmR2OpkIf6c3&%D2e|DX!NLofvg{R> znh1ZrPMh+Tzg7=Eqadxbu*HGUKUJsIW&2CPhK42nq2N{+LXzInw*{qvFL(K!@sXJe1PX&46fh&Qc znGNoh+(?jSE^bfvk!~XQ+ce*TRhzz3SkGc{0TRyI?v%a>3GJJVX))Qdmld-ciLIzJ zgKXN)3^87A)<0uOl>V}Yk3BY!Es?OyoecJPDS=_`5MyFOT*$Djoa95(srDFxYR7J#OY1&o2xL4xwNto(K5EH6eL47x6b=ax{K9!qresKC9M7t zUd5FtJ2wAKM}cU=ObKH$^XybkvRl*pWq+96*JDKWw*epchHcYa==c>SOVeeB0>ZyF z5D!X1J|cs^Wvq<(Ak@A-O^KZ$*mleniupE1+O`gqfcWp4TwELP0$Z{!;n)$TUdc{_ zc*H7JBJU5VlW>z==&FS-)NY@w8#B-#aPkeII}#p_kkmoe3qkysz>U?94mbTAUNe~e zP=AEu4PvVpYcVqAg^LGUu@BgyMF*gx9?EaFT+*_3eg&)a4M*Z@NNyfz*Gd}{H!guz zc9&NEyDXorCA-D;D(f@^no+(Jh@WQ-mWxds+sQf%gL?SPCx|chR+9Y;U{`0oL!q#~ zJeY58*a7I5O*>J^*P%{g9W?3WIs|9UKJY!ntet(#8x2M3mQmXGxr}@^!j8nDh|9{~ zzy5C7YhZ}F_ZspwAU12&Jdi|0uP#O48Qjj1DCPyt$-)(1_zogpr6%(ZJBLqWmpV2` z8u^HenC-=;4LSpSf8S2zxXZTL03%s~?*KTCkw*T3Z+;*w+OQRUl#9OFipn~o+q=<* zzNjn#IR-f1fkqevs%kPeozcc5jmpu>CHT1=?0tTF3$X*Hg<)tO>lH@SDNv`9DdddF zrvh7IYcjIF6U_8uES4~-Bp8%Q!03H!FtUkD6{b98)@ozrEr-#w4cUWcc0-mOVa~mX zp%nU=L~5-NABBjm6tFIcyV`8CEt?4H=xmnjq76d0E<&B6WanGQK{zHF6#QuMwA`~% zX}0Kxhtf>lVs#9|^bJjUi@xFQQ{ct?=ZfazTHJ~}-^*Lvn+#P#Rr7BMoLp7(KGX6EAOkI=YB z$hR8LITElL<2tK}3keM}d z(Fq95Z0$9D*7acSPs^q@?u+PK`fyS|*2(X$!JcTj;q{oz6w;waOXo3%BUxurBLZ*m z8Eit`x!QCt5uQJvh`jF!Mma-kK321*(NL>4xMVB)G22nkMZy>t^Q%vq9pcg>T*{4J z)*B{Pf`-s2nRYnVJzNZd?3WNIvqpY{;Sa`BgnWVMQk;Not=N(LYWO|FPn^SI7d#12 z1Fb#}!{(0z5HdTaigd8M*7m!1IT{~NH)xWALp81_tAF`~{F>mwv+pMEx z+U1d?xA=+HItJ zJ7}C0Xm)I4z($SJwa+?@Sd+LG-f#E{aqanaIhSR=AJ7J{$Lr7kG^Y#75|B@hvl5U5 zDp!K%jpRSZsF-(V6JEGx9vEJ+;=1^b^km{|> zo)7MP???yb$Y$!M5i5h{w?pM+2l9}8H;Ch1`eO#WKI=K!*XTKg3ansFA--WL{b2HF zh<4Z9LabHy#g_NY^SJJ1j}S>rSuwvs4pEb?JNvR&C}U$e$K(b)t~=WB8S(*zkJEVo zd*e24*n*#X5$9zy4|fF1d+|K7ycd?^MP=RbUT@%<*gZ3E<17~vUy>j1B-`LaWissD zZS>6X1y1>59~t;$PUl}guEM^RXw4~gnsgv8|*JoEEoI-A=b075d0pi1DT_JrU9YUKGrzmF|D4bz*nK< zZaQpZE8nN`7seQlqP0U@Oja193A41d2Ix>`wxQsays?*u_kTT{;YgT8NYX!qS(W-R3t^PcWascEhuE&-`?HRe2jZ3?WifeUx zsI67MZiISz@g6E3DCv>zzIp`@{rbNk<7H&^`~%%S^%C$cH6GFYZWZH^Aof7O=4_-g6Wb0{^U`=g{SR zuDfNwP+x>*Ck<|>W!_Rd_qMTaS3!JekaMKU|7p!r@)?P$_p?!0(oc#cdjD}&udj?E zTK^FUKF4ujC%pK=73)igF(z`ns12@~1D>>Vkbf`KAJ;pdBK>5mEsB)dwmWi#?&#&BY zq~z`v8KE{A20NrY>;%Tz8w&kI&OAuR3+MS9=^@&3jvFm5gdtNJCNGp8ew$wj^ZD{i zqfN+Js^Dik#|8V>aIZ-#@UcX&*{uO-+t&J1opsxcs{unfXB)Zn^C4^q=gJV6e#g*+Ml3ECtZ;oJM_l5UZls;O{ka?!GB-dt0BVntiaF8XQPy3N)1 zxq;GkS=AO{D!WJ1NZ2t4MB@mM(*`s0g-EgmH&<}pr~AbIFnLj@E4UG^6g20zz{oyN z3)F!Qv}kW7oYBR2P3C#RIh{@%ON1|UG3+|x5Wdvsx4zShL*UM@7}FM)+z zkYPbc$`IDz?Ia!wG8qL39IQ`d)&YtG0LpVe*@m(s|LB;$q^d8M#E&g#hrGw|FjO~l zq0G7gRiskoDXp4&X6BCDC=;gZ95CGxhsetsWddmQmRuu~mQ@m3d^bo+PS74pAqm!F zGU*6%AM<`AZba^*aO6%IvrEZ=NZur;j!J)%ZEZb(q$`R+SSDr!rC+uGOFDqkuW~VX zp|lkV-N49OQsexa>|3sBGShk0mfc)Waz4M*sR(j!WPS80xRUb&Hni*AL(v|oBv$+; z$fBYpH*r^TYouR-+yk1rYrP@*0Sr{-SNgToyR^kN44$HQ#l(ORCt6Ftd*hatbuoTM zl!Y|SKsL=Bfse}`;aLWfu~7Nf8zp_owZG87ud~c0pg!MqPO74EK+;xnA4D$c9WVv# zy|0~n9Eh9y@8KWydlj^fd)Mv+JE55fXE|@6iZ2ZJX|}K9by5qmZHQJ1umDb z4%x1O%G83CYudXiXKGN&Ra!`T<{5yB-F~fb87fJif>$TI#2t>@yFMuGOFNTf)#|E|@!SQHJ7cT=K&QaLPM; z$;jA?TMa5_;u>V_fqABm*?8UJvg3I1O>bX&)4XARDdn~^$YZxke4e5sY zzxq$mM}pXrfFgNoOF^| z^(Ggu*_3Vx?}qPiP*H7&&(i#?A#VH#YUrgANE{q)`b2qb3YTJ;843JSCYfMU{brpJ ze`$zPF=jd|9%)8pkT;oeN*u>r&0r!F>T(Sf#g13%qP=^G4pfj>okK3Yft&^5*6(Cm z6N@M74gvkdwt$M%jj)c!>Lbe1!Ol=jb+Y`d($7{`^r>c=7_dfmK?nm)^VkO(MrFus zSQ^t%t>2~uTF064SgF31+o!*xvChHn9x#M^NldBEk>|e3xhtZ`RQ`T?5opZh@ojy5 zP+-dZ_O4oOrBb{eBrcV}B+7ss-yGN}G{?luidSRerzi0Mt|Z`w0hios*JnFX>l;1v$6LXcji=?6xRg z;+5nh$o^RGA^G%RO;RHLMEjT!J1}NIbUUX47p9?PC>CXx>g9?2(m!Uxgfq!BN@WP^ z;2Dabpd5A7$MMVI)y|YF$lb4AgKs`aLu9ObDSOaC8~R4@;TvLc-7LP#wOmAX#C;mplYsyLc}sXE!F^SE2hzLZ!uZT~H@)4@aIWBx+h) z&X@sjwxSfz{F*>i*AQm41=Sk#Z?-Yd!$WO;@iRLcsr zF#QMx#-1_g>vn_YBDP39R>3Xz^hMScNY@ui#<^Z!pT>RBg{0q@{1ElL5LZ#C@Q3g% zWDrY(J&oA-iZB6^hR)}*fiH8fSWXtD|1M;T-BHQQu*Y77m%!|5ax8NH?DQk;l}PRa z@8*>Spo6RdHX(k#4bj{98N8C4AW7KUzP=~gtktW$znHtytF70<*`G;tX>m(WX)b;_}2if#fI$EL>#)hhMHjB6v0UlwU zj1ZswqoGi>OGEa#?{Hdc6Lx>g^J0<3eHD~$q*Fo6mkg_KP9|dnh#MhXbU);xVE7O| zg1hiCcJH%4(Qa3e5#o17OAKk6!gmNbFw1pZj!+_(K@3@EBlj!C4H|)zH z#>69Sv23DgA#n|qNhgr?I!-romC#MI{ls|)_~7WsuD6>W8zSRfXZpM2@wbq?8+r%T z`>C}q5!w2}xVxKw)$(1WYaDGgqGez4;X;A@bJgKbRi4JvR*WR5GI_eE^qqPyt%V3dO}*Qb1^<$i}XG`7O` zxgw8=@X>HgK)FrjgKxMW4>Wj!u-Q5s)KD3m{Ow56rT0lMp+3{v+(j(T-7( zrQ(N?-Wz<5egwyk@{PwNYn&Z%T{kV4u|GjlW00YjQmn%x<{{`6S?+iZA|)Rj30U19 zb@XKy@iF2P0*A5**aLU9zlV`oVi%va5Shmiqc_MgQ2lCzwp*z6DZ^Z0=txP=cS4*WA+6Ck7h}OSC^|y0Kn(vOGSq33vIG^q!`t5!66@Nj_6@+^llGV@&x7M?&IF(!R!pfpfpRd&3%VYwjJd}{f~lWZ(4eKeJAKj z?9OSOku@Fzy=QI=mr18*CsfTwHp{0oU8g9nm+4JN*0C;jwB?r=i#>Y%kH-i%Pybmg z_o+1#Y5H(nqA5iaNEgj9zEc03b6DqdGdm;Jk+Xd7WFjoC1QDt}Gih^c zWjq~NS_0PvV!_`y-0qqdY9GlryxqLKH{+;bya6>Z}k}z@i+E$IpKdglSOh2mXhnRpAAlZeE%ZG~6-!?0P%Oqoc{v#f1v>1L?KY)3<;2NY_b zW~RYSH3_0b?>T>kyr)9!6m{=sTKYA4*;5jAZ+NNW*Aa#~u413(*F4j*NK07ADku6i zbA2Blz`F;Q?IQ=oU&8{IyD3y0fedzq72v+djJ}z11Oq^ki?Z5+jvSk0%QhWo&3i3T zT7z;nuRjhC>KO4y>7hB z@^nkM5CA4W#yLqyw?RKHf^Hi4lpmmLw?5qe9(ufKd8uQKtKF!=UAlorqR&Z@z6jHP zOMn270%klie1aJCTN&PBdBUo{W!RBPBf#@%1<_}aic0Sel4Qyt{P&hoLm^1E{l?eo zo`H0h<%bD+A44XIcL-Rsnp@2riUxHpWquA>wpyGSEV|UD)Nt2nTre}pc!n;}FNh$= z#VE7>{z!hXbV_DgHl|=C8U#;dKg;OQKR6KF68V{iXYKj$vcNzx8T_qGe7^e24rbLF z09q2+o+-TkyL{a|>4B_4&7WjFx()-EU!(Bz)o9vkGr$fVS2m!w^Q~Dd`H)Z%Vef6w-aU<&PPK55;fgpbHAx z$D8Ud4qUkgw8aU|e+JPb|AXYGoKuy$6tZ{bHU#;TIW@>WPG1~hJ|~^%QII7AYN7Zh zqSGB&o(Cb2DH(}#AO*eExjBS+U2QlVAv%Kf&+_c;d{2Up8928TAMBhnflt-XBJ?fB zlSYT|@w)R_oZOdy4y`B<5c8XY-{n-|8*U~|sfViK&+I6vpW|ir75c;SO}_Pk6n!q= zW8aRy+6)F?7sMSKX7(c^Mg{vy(Y24z^BOd+2CXs#TE#Tz5@LItc?(&#lbR?tH>V0q zN_inMJaY1zJw(pORNA3iuv(Ivx3O!b4ngxdzGyP|JfRMwZ}7~-kb;TGTj9Dz)edsN z+}Ql#pap2`E?sM;PJ{Mqvl#7prT9QzuLS?q5z%O<QjWM}|KgPBa;@@kmXtYSLz zdJ?1U$dJ8NqgWnD9ZYvMPypswb5P)2jO5WVk-WZ77-;b^;XF)HI>3X=|eu8F-4<lfL*X3}4{Y{(X1!Xh-<;-#=);bS3=?JdRQih5%_Fo^&tYNAX61ZVU?7*e))|FrxR zV(iEbd@(;^yW(VYFDa2Zq;dvnLFU|aM{8j`%=KvF$83$p>%ggL*9Qun*nx~V!RqWK zIKiSYob+-3u8Woqv*HfM(4Lq$qJA6(8J$|KMmtz)M*ajGPid^bYc+?oWP!f}q!fQa z{*JuP64wLx2jywlA{Z>i(If#S&|~y;f9o7oeVn$f8h7D8b9DyBKe9b^4?yACiw3;H z^fU%vsm|1fbSBSjPjm_V9PO6n#Nu~gAM;!Xk%J>Y!>e*ykpA~%F2Ngv6FmMHP_eR| z0d5R1QZy@K(yYk#0k*ov*uB$mOwoN*Ka0I@@cBg*_IASDG!~}|IL8IU(_1>*5{SIh zt{_mP1z{+y?pW3eY{=JVwL@YRvaJNz1+TWhZ_tH6*k11RZnvxo)o)c~W)(hn@7|(x zWg+*D(~Zz=cM`oQ|B-$N!%h(gq0-2D1rjVpf*3hKr0}vkSOEFSS>oOZ{eEJ7DGEye zrL*$#2;{eRdKqwN+e~a&Ujj;<*7s$GT?76Xd+#3KM76dJua#!etfVu|q@6UAc0wmK zp$TMYrcK(UG&F@2T4Ta;99Jx)}tYJWkL_Y^97A7`WScCS@FG{VzAV(>o=3I=MdJ{JyZfT5wc|L_QNtj715 z^g&q<+|~0eRPh>wm1QEP(EAcbZRW>(S2kKqI;L044hUJ|Ef+hK%(Rb92))O34<57B zYVtcF_H_+8z;($73cCteq1hK$^fR+V^3J#_VP!!y-icfluv=&^q&q&&zk;k4X6(bO*mMmTB_RnPyX&~GtXm50V<vL8}7rB3MvIW9UF0)N@MQ>mz z5}ahH2V1gPuIkL0HF3<-pl(9NIV$z#zQaqZ&_?rl8q7!(T$i+}_f> zO(=W~%g487LJMrpLS8f)xlv0+67itvA45tjNws+zfyh{d%Ht(sc^aJTfYP6eW)q?7W*2# zOJS*GwK`m&3{kl+5>dz#{>i`PzCx zph`bvc$*f2Cw?o#WTMm^=X|q5=@9&E9R}XStP@izJGDm86x#Ti_$k9|CoxrjCS)5- z`jW@V-0=Z4=`Pf~4);e>m#+)Nn%X7?9|5KP6Mf@U%eFXUCoN4=#%REHRts`1%~)-v z?%-@rFkj^$zGns}oOlfUKDBViY7{J!&T>!Eb#8jK8#r_8CvhEpUk1YMl-H3vFZ{D@ z4c8#_gXlxpH$sQq>6#ggHJ{a$pV1ntCwgP4)X4c}m@QX3I~>hw9JGEB>jnJHxm-`@ zMka!Ix)c;)qd4ApFa}HqYhd~74Lf!BR_p-WV`_6NmUh0YeQZycT*LmdpYgRCAJ-j3 zoje!9r1w8%KblhDq3;B*<3|OH`z%dXwvggon&WF>Nd;D{+&ULzYUbGi$(UH#?wZh9 ze=}H)yNu66RYlt4hbk{S@8KI0JmZD^`MdQ@2;xe>|2=d3{m65#ePy=8>^x4H5rf;1 z`>p&5C@=%f$wMt0k*zxZ^t1M#7~|e}?jgf{KyYK<6&rd~Y87(>JN5PZp@GWvsQTx{ z4ztTZude?GJDeZ?E?a*Xr?Q`D_mP?>FFb zh>m?)%yo>6xKglEgK!uh$g^WETX_^!evC6bnGT>hnEDY?S2y^dC;9iPX>Z!o{Y~R@ z=9hJ~dujXT(YSr%o5fcWO7u7dX46NSNJwU{5-m>ggd>`MlxlD-D$$WU@Z)tq(Bbk+ zgj$8=bc}mK)m{ySpb5))W8eh>pu_IZ&()#H^42JJ?RG#jrjS)lI^@NvXo~y3Knk+t z$CQ2VnFSyd7aj)aYpZ7_c)WmK4m_XoY&?Em6#JU4^$cg)@suh6OP+PS1l+tQJ3|nWJWYj`&HlzPOXobz7!qiiPWf@LeMIW%InMVL{uk0e z$QQ0pB17bfKy|=RD7l~7*BpU5mOMaH{G(9GTA)-A+VPgaMipDHlU}5f=Nq8FY*2nd zduLG(zl+4$zAnvzr3^ec-pg}5>^GhQ{KzD3{OM_UIB#QH4VJ4E zB)?%jd)fn))4^WgbzN%tDV~mN+{w51!e0Gfo)Q?+#{Iki zTeUS$iRa9HS$Bm+>#SU6D5~U}j(^T|IX&Mnk>jU>m7;K^T6#=K!#{H$bAyTxsQIuT z_*#5xHi7lC#L8xxyxVdBg5?QNp=OlkBXI=x5a^;XqTGydXY|GO`&t$>yuJTrIyczV z2z(3vCF7CL5SaL$Pldwa%6)Xrz#jo?{79!n{;MV zMRU9$DnH>hESN)!4VJ}S>LFgt`L5rmbLRIb{0c*pIHuH&U+;w`1@Yh#RM(w;SH4EA zEQ*sKN5-yt*PW$vkbOX0a7g7{j$Lk5X=+r#b97yyN)6t;S(rjn1$6M5Fv^GoI_^Qu z_ZaTiR8F(U+PM*SKy1$l)WyknBd#uD%d^_`#a43{*^8tq^R z3wK6-4)ISZ1*(zRsQ6V>-Xr2Me%5@CWFa~p`t}1^4ab5UNA(p4gUQ!~&PwfJfO{ESjbe)=trcOr?EHqU@=U?^Q z;eAl$-`b=cLTz(Os<jbY2R za)Ua2mFtP$kax=AYaC1!u`2vIwzBaF)(3g9NqpP-nGSb8J&k_TWa0{dXv+$8DE_Jw z(U+>dRs^nGcLTPP7Gp+&d>qw$V;u&8z|+KkJ7$!Ow)~VbqxpP!a3X#gXA6&zCRld9 z0FdL7d2GBEl^)N=h4vCbc5CQz+P7qd=#)M=Gr^q*_AgnjawkQWw98CMbL6kADrpuw zRC>TMT{2m8!1~f+k{wWz^o-L@g)A#DyY%U5U99&H(MYAZcVMXM;1RIRTqJB;4Oq-x zFPx765J7mO*omZ-C8LDo!9x&i(!Q{K3c>AVa;SmZl#}e}&Sg3KYFnpr?y`=Yqwt)@ z@)pB&D6PWzCfYiO8}0M@*CD%J+cK>okYf{!NJ%y7R{_O%t%U*@_TZ^z45qxdDxqY1YCtUgO#iP)aBU@mO@ zHgK=P6q_2iuo|rWjs4Lp%=Pc;m0zOp&){46E-KgtVGUi`#&qztw6{#6@Q?#n4@h_0 zJbZ>_2_z~|Ie&k9XCFs!AbOK|%^d6Wzr%YE6a?B4fc>zIbbUyt;nyv{Xt4ztcN(wZ zub3(B7MkrlQ+Ak1rBDN~C%QKW3)OFGjeI|Di@P_MX&;+aG#p}P9^lgHYHGsA!OL<1 zDdA9Mcl%edId$HXdckG!<@?^NJ{hdzXL;Q!v!W|$UpfU;8}l57v*qWx zd8M1t_}+-~$#;T_r3lTDgNoOp`4E!47P$p`t_G^%sVFQ~bACAu74}8N z526(VQK=qtQy_$R!$5R)H!99TU++fDZul=^)f|UGOg5Rf>DaR|W@lVpLrk~;9&6a8 z_blM63=NW{j$!(kXXrt~9D?1rYQ}Iw zGUW!!eK{7W4^7LH0b(ig#e0de;TYHlu1zs}bWAtj7yKvAS%88pAGa#25IdR6zi6cu z>|Sm2NHom0fSTB6wIHxRM)22K!HaJ1GumArI`u+_urMkKPKOaX$v!wec%p8C;uDq zEul@}Z;CFsz5K_#)9s+e&67{JvpmFb{^C7Rc||uYValPXX4!CtDY@dh!uc#oadsVR zcwNuQfj5wSy_S?U?&msL)}+J8ep);THGBy~q}+C?7A9>w!^;{=>dF4jfctwneQ!31%{sUjKCd3&_23A-M9#g8vQBpdTNE z4y&+JRa7*J_Anz0H@j*F#6jSN)3I}nQ+{7KxU|F%q1d!ZNiobHgvFtj<%zT>%b4oE zLc^*zC>uC?TWWojeJOY5w4p)A^pOMH!984p@^JTqd%;`tAv(C%`ho+@Fow?)AXus| z@_wav_DwKg4e#+Hd?=;yihCqCp!6)ZI{O!anXJ@=otNwUUC`dPz5OgS#<5mzBQyFd zb9DgP=I+MbYqc<9cxN*cF71&bhS@`WE9dbQBtx26cZe@I?9@J8eje>gLK$_^%%>6G z{>*cOIlOaP;T=fm$=j8$kSOJ!L}L=jlAc(;15LdfK@1qo@=oRrX(by@>~{e`y|D;l zve|dFuoKBoNoXvwc8>SzqS*PGu=a|Io5<}_vaxdrZ?~9eZVzyFJG8rQq$VHqWvU(f+mB811ueO_I9d?&iiM>-A37mF;nv!I(_D@#QU%AUostW~Wxm`eLO0*p8b4 zvCiFn#v``%xD$UDo@pG@o^Izd?B8pxRtmWL!vS3l7_Y{l`n5P{ng71!kbs7rnIdiB zOv*G20OdkSoug1{=FIuWRb|EUNF>b$U)iq-Qg_~LIo*YhmgWJh>A1?xG+Fp2^ctTZ z35n{Y@uni~d3UY_>8_5pJ;g%w#2{A(n5#|29<=fdSQtAYUIpr1N@zLa*^^Rm{&EPIBzXt^Fc8JP&h+R zjdX(9%2@*Q@cM6U^SDhd10!!#x_3AhW`O6(JBztEidh1_Qm)$l0eC3oiYUvu!ycRb ztx9@_7q~ASmC`9siZU=(IxSgwU%i1_4KV}sWxjJ!HrJ_mTilsT!PRJ7(dx!(b5}zo zWbqIdTh@Wnu+ZB4;w~rPP;EBLVQUsLct5t6x<1aZhzbEF0`MHHN3|*a-z$vKu^tppby!tLLWK<9b1o|Tp(2+ zS^(Zw?gHr~tfe*XDV!L5S?QxvK4+a~uBHsX$ocEbXodS>VhPl>qaEC>qyv5q$T*gD zEsJ;0AvWt3oBR=yX7G!6E09Vwj=?Fe_4vH^V^iZqfD3ut8$wMpBF;P@P)f^dz=n8( z;0jE`hO351TwphB_#j3|#={*JN#hZ%^&RO-{yG>wN)W*A%0001V>(UsH8aH}uh_qB zSf6j`#+IDGY50mX^2)cc3;VvR8!Gvj{f0rdP5tUV%Trf0_ZO0v@1Y}0P6_SnhtlM{ z^WFKg{1WB78bVqOoTmP|FuCp3(kj$8MLH*Rxs=4GO@(Z_8R%!1!!j~PIU6lmfkV^R z&e>+9j{t+u*$(n5BbWm-VX+I25R>HY`tVDUQ0bof@O}uq+J?;ascsIkiZ^2UjTreg z6n?wBeRRzc(5_!aHS739h#06@DSawF;eQG%Ey&qZ16$46S*@XP7C+gof@Z9OIaHr2 z{fgpUzXp4r(s=ci5?6Uos(UGp|Z>40rA?-TX{nv{kpvCeXsi~<`Ce=m4_-awE6=?M=7tPj}o%>;Bt|lKxj)}D5cHpAlD}S@7n|EdWcDM3-RWp8j z)UES>)a;Lpa|6RrpZ)Re_a44&g9xP7t;62iYw!EL_F2D;a^~-? zfY<4dDf35J5diXAWo6!W_y%jktrJ;)ocMFwd~o7-iiAJ)hdb@|Q@38(n?2%o-(G3= zA2Shp`nK}^+|TJT<%tGNs2$@5>)rL z0fj4WmHp?2-0JKbQ|9+Ry48KZ-;?&&2iy`|zjapH|K$Pcx8&sS54kx%{&-2+rXYyluAJZ13-v|6fb{{mMU$>}?%#>+AoNT~N{g{a)yrKQ8!d&;2iA@jop3kEi_J z4}TT|e>A~S4e%!azhTl?_~i)zeu?=F_=SeYjq5jQ!i15NZ=%1PU7;~!{>y)rgIkmQ)@ty_d-*4cb!$TXS2+MJ@NawOwwM1uQIBBRxV2>bS2?($WB=_U zcx(P;M3$4^6pjBX2Y*sX{;M4Pz7PCkw)|H)h-{7j7vn>hU+uH@zMj>XVqD0KoP7-%k&i+ky^lb)6?bqwrAF}_S6mp31)z3H~DxU-mtl;Q<|)0XZb6?nY-JyLtJ z$j(3lc;$Nkq@V{d}+l`!UNqTFRucjtny5Z6x%^8i$@~Qhq!i)+v6?tVT~s% zE&l16i%TVxr^!su1Zxm9z}AMlK&*f|%Y&DNyF6v=(9|(%>b=aEAGB?as@3Vf z(&drP^V%j!X}(DskJl~T?d2m450wUh2*c|xUyL`RYhVHf$5NYTUkzvekl7ov9S|ib5I1pQElhj$!JP2nWEPBv9CHZIwRg}O4KKrM3cqT-jp0K#as0qOerRt$!_XsO4U0|PE#jS zXOk;lHgz$jncVS;DczJ|@|e6)&wg-e>b`RmTBv3UlLW?Ho&>2_>uVj`T_A} zrgGE3_zHccsmgSRX^^Q}J=p%u#@pqSs&>Rp+4PIu2rik=?gQEM?vk6b>HoQB|5jwB z@$xMUT$5S_c&C4d^*WuOdE02-4mYZT@rwKyQR;2@ueXlEiLQfw8%q`GS4Pk^j7<36 zC={=H5^HCrp?H9!>5LaZ{G94j6#~3Xl#Iv0(F(XsjqKMpM|$CR2-Ldp^d2|+;YF44 zMU{Qw1JDo8Z-Q(7gF5|fH{6T)p?!G64Y}P*t%iO;m`1BnG$5a9;S&X)Sop*+ny&gA zEe2rR-~PgcUjRP)+wHq1&8>?}8i3Hf@e}EyzaE8CFX3+<`mK}H1aa_VwOX@OQR(UF zJ>u0}qx5PZ##5V!shue*O>I({qV&=5U1L(GM5k%=Q6@FK2FMg0kK;9|(P=8U5~Zr) z2po?mH_k@IV^b8|8EqnwVn@Q86Q#!{6%?e>tM$>T*rZ8=Z>H$TX=}U+%7;>-di3bA zC|(2qz(eEJID06HhmnH2p&BYU`fE4*A3Eo6$0|31QGAn8Fd6XiVW>1TI`{YCX!l!x!?0{o@vBvTnz^^2iA|bY zqZfJdUyni=_u?mSP2K2zWv$z{{}dmU4E+Edi=(z{lTj`LIzv(bfKdhP;2QxV0r?|n7JFa$Y4UiVz=C+WNv6y;;Jn$x?0d0Rf3-9!sTn7sPGj7%cW$w6fM2k9;Nw&MF?*_-? z8AzxC%CtsD6t&|}3>XhPlUN|abxW1#P6 z5C^$aori_C(E21f`6j0zdEh2quVO&)H*KbT6O$eR#ueA_Y=mQ-ER2_vOKV1Srgz9i zIB5nLtbshZKMn)uI}5=hOjqWV?Woj_B;a>yav@iNR`5N^LBOD3c7jepwueqh#q~pk zzQHKc2X$s7?`W0j31}wleX-kCj*=NB0@4}o!LYzOpG2PH+2B82Do>Y!IeaYcz;ws= zkX-pHX6l#^Tvu@q`ljbcz&4T(3Qyw{ez8kpo+kh1lc>LJGtDa5!T7k?n}EbZXQqI& zFt2j4OeH==ddjCzZB5Nb)t}KJF+V~D>I;d_B;T~FON(8x^<9`rs5JPN;}CFOi3m?B zw4l-l5aS2cMtY3-7H5)WK)S~4P#268o+NRhyZC?Ld=i%Sqw#_%Gy-kku`_vC7}$er z!lTC3JcZNoi$_+7NvFSvfTB`M68yfwO?gQrxPp2Az__A$m^8d? z!}ww#!aB&Q|DiHY)kJ_&<>~0sXZR;<=1&3DrBsD#U1M-6)_cYFXE@EbB>*;5D>NPSP+*?Y8#Nl-3+m2n zRVHI$l~}E=og&;r5(Ym8Oku((8Y>?~ejfxu;FZb|6u5x=kd#%1mbAylSsICuUT!&1 zgCKfE*hF9DHv>s%`~3Y_NTQwnkR!Vv>E-ufjCPh5q;qVofn!5md8TEGJwvnO(#iLl zt|D2`!%S;WdJ8P=15ETqMG42h!^`+rjF&V_4eH6x(phF}@^Cx#MpWCX8CDavzN|ZP zJ{;nVOm8_3HO4U;S}%K7(wcpS=d|J^oKA$IpCM<5-_IvV?a&-%bK{OiRil9kFmYso zki!^v4DmuT%zT~a3$Fv=e~=77+X~&I?t-sQG@sJ?=SFj}hyDdppprdF<$3hto{M)! zHfIGR`8+a|KFF0hmXQIdGoNf-0yw5c+9Mq!{nrr^Zj))h+A#BA0AQ3l;xyamfTzSf zPv*(bBdip@jp$Hys=8>v)kmzmnVProFsZTad9fq080WCYIZU1vHEgU(MwjN<_7yxS zG(`&C6MQv@N�%2#!5j$8fa|aoI5u?pWF;glRqO6)o~3h{nk0(fJnKAL5#t17(Ow zR$f9vys(jp7v@3EvFnFMC8t)fhN4>T6ysc4oDdQKIgEdtPTlpK*i9TwZTtu(cKlFO z=7H&Kh}AL~Wc0bkBafi^&thgIkC@OjP2#XoykCJ`M(yOfU&HN!XMm#g3f~>lVa_Uf zDE|v2G?65%Uy_4@-Efn%2*(tiSiDK-&!2Ggf^8R0D!3omdHON2o{HjisCWblJyIR; zT=m89Bg8nqBYw4T9|HNOMCEl>ll$n42d%Z`SPKLS>`_iMvjZtB>cf3Vr>ma`&0?C+ z-d}(O!C=;i>HabZEWrVJEfPH>5$e}AK$Kl4+B%V)!~=mvI1)nO*+~{iy~$wZJ1nW# zJ7ck>XfHm7V=2)2q5WSOQe%ZdvVwEI=Z6J1Upj`fneoGNQSc~!3kMswgXH3ocMsw_ z+fH11$z8;b(%`wc8;K`VDFtdV1}bv9?n&{&_)OKVx3R^gDXzn3rfR-)RjGP>x{~Z?1~C18*Tb7BY?GHflVkB|dY{I8v3jjiQJ1 zll1aDb#33q#g*~C8fvj#Fn%|RS!=AKdj|?Wddyf&9U&zh3FGig+fjJ+#ex=QWh6*`yj2gi+?%d`<6qv*A=wfwY_$l zPvg#?-oM&kz|57FU^Mb8ak-tK9^Ie$UqyxM#DyHNtq(kN2S&~}O#N?fZm{_->i1&^XztXK5p-jJKcEMI`rf}Jc+8fiz?PD^4O%QzON1vV#fNycuJW61@f zlX;QG@&HH6E#GRWpJR`Qt&v9PV1Xl<&dZ$WS!h)%%t zEmO{-JRrsT1oE+j!^|i#ALz`)FZspXSm#;|)6ZiUT_=7}4xp(65m}3iWI$8}*sIZm@(i0ML1y6?jJWiDoj#v7u}&$rlAk)e9N`W}M-gzNQt7L0ljh*vBlm z4I55h#PvYbx1%Zn1prKFJG^&rJR@n35H^@L+O7+PfD}NGg98;hAO6 zV1|Bf8b3ll3QGN%ONUOtd}+ESa&2uQ*E(J47He3^f&zIwRrI<(uwJw<`LG`MfKMKL za!h#7mRFV-(ZzmjiVrn=b(mK1@rRb8Qp3BD z(n#0fC-F%63CMyEP;6+_kTJF%H0&sI%|-*+A5&20ykbPU7!TQq&bUXaIcPj=!*kX0 zRr^t^L@MnUuQ4mmEwVJmlV#^d1Gd0DGSDtgk`6eZOtfvVEh$@wtu+IA10GB4m{3@Ir%zj-X3F{59FZVG+j4d*D!OukLiE`KDGKAoTHW*=L>d+-qIYy z6nHj-oVdbrOp7^M#u=ndkY-unT-SlbQD;8nqR-GNRVx3>7&30%YUzj}luEYAM=(g4 zyky8$@}{Z8)n#e;gj!x=&NJOWE6rgIDlK-jT)TJ_R0=~iD_Bo#6%3FI!Fnm_4?-QA zj5{?3Z70G1UCN<9qX(E4=-wBE-qnJfagkv?PB%4VR#*tDci{yKgkl@4l{37y8btW&+J1t8z zlw}tQ>e}J9x9V2FGFn9^)nu1k;tQo!OfP4n4lm@6p&77oV+(sCwn=lSf}3pKoCJy9 zKjuwG^ci6U2->E_#g~yo0nln{;zCR;o1WxJevj{oCo2jj?Q6zV&PLZxZ`je( z(mA&21?#V==0uI$ldwy5jp-y&meq%tBST=&lhCDNRLM3-g)y-^Rsi-9lbtVVY!bf# zf2+hqGPh|qO>`HHTF!8=Z-Ljgk4qpc45L8?sEARWSE~$D;UK*ao%L304h{2+EYP76 z_Clw^afw4#OFHVjkC1)8Y->a zYO5<5e?H8!w)H$q50cCV&yQ*Lxdk4pY>DhM5c}`2lS=VT2 zEy#mAplvzJ-}j`D1UUh?7nq03JEImgZwvSlc?mseUZ`PXW9`oyjQZG%8N}RjvCY-G ztkjG^KoWa-KLm`nha}pMnk_%+fOT1zi&ud1XK##^=Ym8O<_X?_8HngvPvVg zr_VP`QYsOCg|8sYxpL#?blTVWl`i}%$;0z#3BY~u`$$>SS)5JxnP1Y75{p~o2M{=! zyy4uT!M&?MMpr<#Cg^hjuvRjhSL_24^J)+PQ6%yTJWO=(0AK^M7>H0id$%BeCE}l_ zoz-%`e3y|sR4~Pv&HH-Wzp@1D+1^(92aS*p!Y7%Z0U+31pU15*0q7te0Eo4D4GGR= zRG8*56x`KxT^Wk`M*)khn!3nvF-XE#FAg;fFkP8kaE@m|JY0Mn$^Ld)OT3nL;aG!1 z<1K8*#95x#>}U;qXfouo$~(x~u2ab|`X=LGXKIM<%3cBOa+?JSYu4OYQiQwXNd~Xk{HDej(pcteLMCUuhFVG*8H@68WHUk&YO-+` zTx0o4D}_S+aRyUw7^9^&#!z$tRuy2qPbd8tiA)DI7gxG6f^QIAJ|J`0T@PV98E6}1 zEQ%*yvhiRp5%3$p(>j-ND{r7G4+{K*$Yn^sHxxqS}i@OJfI?7Y)M3Nlo~&d z!Gmqt#LKNBud&}#=$4K&zp0c0}}q0u;Ej=|H-Q@k$f8 z$({hMM}wSi@xcyPT?L7r-Xz!Y05(I~49zM9^tMF9N-2MWiHg#@p+l`%U^A&V*zNa|0N%OCK8QyQ3#c`y{wwtfQbBTvH*!s{cK0eY%+{Yxtwy~i5 zK?z;R8On^Zv}l56`x%Mu*)a(hTEPyV$s|%Qh~Cw_!||593sS6|hZ7h#sJR~gZF(n& zqS?HjmcrkDAd-qB+xE|h)se|vH5bspF%_Ok9m;+c0Qr)DZ6moKh^y$P$c}xr+z~mt z2cIN;^3Upt64EQzqVNzh0|#Z$&USOlR{d11^v)pt#sV+_Tj> zE{>cE?8Ib>JQNGPxx?fn?EuHTi(5z7JQ}=JdbHH_I95V<(p7;T7C}Dhui*`!) z@m+8obJ}>BIoDjBL>{)ijCIUO^sc;6%lBq=u|^wXAzIs}U{{W_%@b4XkLaxh4CG9h z{AGwN@i(gQKlmoxjfQc8*hLU<|6&+AlO$WxS;7fR{h+`Lt}pOKq7$ld9$i5N^C=71 ziAo7HGew?R* zB={ddMMGi#y&fR6KriY+(}TST%lo8eG|`MZ5wq{wxoY!Kt@T%J-8sm0;}ksD^3PbD zb>=&zBWCBZYI#caV&+}P1<7Gg=M1xXDp)VXoK+oW2-oE# zTgGT`0#U+WaZ}|b2*|xB3KBnwKG*cq;5gbNAENV&vl%k!B8T%pGK>TB9#+)y3#Bu3C)XLGw8ciF zqkrQrt^?^S80?}JK-mRTc%(1Xs8MLZdj zoDzFNIxo8R};kcsyT%2Jv@E#Twau)KS^Qe*OXYFMaOZa%EdxKV< z9K-aJkEJ+EOpL|s<4MF5K|jiAP@>KJ(wyv;`>2;+QMXQ<>QVub2=+#deyMJYjiq)j z4li`!!V+|FE^nni+s}BL?KLFXohjiX*1R}djPGIGgUlA=*m;cg1jmS$kGa|>KqR*``9(GJ8Aul96pmxB#agFmaNotflmrAdt-C-r)9#@52;HF+jtw3V z7x4+3ded1h`A`OEd7eztS@@yR<@KRmci@eNZ#43Oj3r}GaKATD!9Pv&kWx@EB;2t%NjNfjmufK>f)=hBC=^%Ba(jj%s<2SN1F~c3#ocg+xP5o>NU3 zeZzx><2=t6Jj}-$PV#gc*b^s48NV_DRwy%crk&!^j`3DI6~~eH@+JbGqj#g*Fvw`T zF8-T77Mdv<0rqAWSisuRLgLvqgGonu?5s)>1BujRWawV8ANdsrrFWK}C2y!@cR4Er z2k$yY7VvC~(eb0jsKbVW3h_PLOR!lo%<+m`aEs#CfnBBpu9Q{-A_pB~>1-jRV6&A6 zYwW|YDJkSw+7oab@kDHLIQ@$Or9H4E3cpKb<9pgt8zPHBEDnuatOU49wN8=$vEs{=4 zV~2GNUsF{INv@N{))>+aa96_<3_2~&%Cn&GfFt>MTi)y_+CJ|}l=;FCZ1L#0FHv{r zJUt#@AE2)tZK>C{?h-_@LHSfo-q|z{RxA$Bg=AHxzu4h8ZT^Pz=Na327=a@AJj$_5 z1&qq0@EKvYFr@SRW$j2tXfR&r=yCD`vJ{mU6BiicD^LevT9h; zfu9MQ05Cq-K0CJ`h`NZ=n}s~;yey=Y0#H%mt~C4$sfyU}7x9UC6%w9++k;}$js81k z)M)wN_5`0HMQa_Z3!mT_(%^`KxLS;-Q*suD|CM*G zo#&WP0h7%Z%g0@OTU|3=FyP10;vJX0F&b; z{5Z4m{4ZdPdA7X_;BN`&>hg80O6yG0v7b^~12z>rC5-`Rrh(NOjT4i22Rlpaeb%#+T(o^(KPQR#K*g)-~(XE zdY^w0<`w@i{9+cn4*FkE6S1aO&3M}yP*3yMytfdP&uqsd(yr$17}PY{iyw$B!iVG^ z;x@_REMvff(Fy0!o=szd=kYs2KF}jEEG`W1!8xrKxgv?Ul_DhW40dFWiNFZWAHp3h z!!#Gy(s9mQ%6>!vF!_jK$HM)_^T(Cxy0%mhbiEWkV)rtjd+vBi%-Hd;WmN*{4gybx z*Q%2>N^5yDQ1iWUO&ne2Y9%Iojr4LD7Pn*0nqN)CK=OwIqY<=}^mg%C!!T$IG1Ucvl?XK140!nAXi;L#p7CB7%Sp z1c6WvX0WmV;38McqKeppHMYuOqm7Zkf<-mU*BA@x=o5js@zfaEuH8>_Yo1k}K>peS z`WDKT`{sD{>b8^M@e&2gW?0Cr&(mGIVBeU~^i9iolHg5lryf4RX-WY%Oa)FbZ(=Fe zI9psOIQ=lDcVQDh-wQxqiN+;V7?f9stY@@dKrdn;Y@wER=M(r$ve@-O%ig?Y$g%a% zJ(jyuYz{Glw&Ik$<0LQy@ze1c+ckCpbjFEzvFi?hEM6O_|K8lQT(g@*oM(e=bf~+}1c6_mgK5 z3T$Puq=n|}y1?7HXV*-Fjp5|7Tz<7!M3>-sq$B5R8bNk*hQWgnK0svi_V%Ra;!^Un z^8FSiyHC_PTQwz_N-lE5b8&RC)7uIo@( z$*wLLmW19phNEOu3;A+TDe0@hpEo$z8C zA>E%g2WBH|B(re~Sz?<@8<~GLb^^_56mPrJ`Eh1b0_i6Y#Ntz6k%e7B%qDHPyFt;j z8X6v{^p7`oVawxC)0+T9XIng4j6ZoSm@Aq>>&=g`Y-$IkJ^pSwUJ>3W-(#lZY_7&m zxC8%yl8?N@5!Z|9jJpE%3LusFk6|G5C6gUn9BG5cBf2%P2jMo-9q*ziMs-X#WE6%kUD`L!7 zba)Bw4tjZh5&>dY!&$B2+khHYGr--k%(-8SD?C-qRFVzkO|73j zp~VBBBh>Or?>Qa4*E!WdW{CPax3yYF-7p&(avn7A(?a}7vB3IIVA3iEm~r?AG|BwK zEN@BzosE-8C%Fv3Ph4@|4I~LRBi`<)XuA>UEhC67bd1f6VP+TA z9&EJ5oHWe3|9Pc*9fF{$o5&Hhcg+r+B7=@`*Oofj6{v6_uK7{_(=nsA{pczc@Yo5Sc7< zQLsxb1>(|^0$qYOc(<#WoJ|{R3We{(b0L_mi`z>3%dv>vZic|EFW0ou-h6DU53FK+ z`1Vz&)UvJ}c{EhZdr6DqTRxuF8hmN;w}jc;G%C`Ck9a?g5(n0tIj3S;AVP;6CadsN zh&EYqV5DcP~N zEulOY(Nyw?<-CrG;~x^oGl^nvGKh`>Yeq34!LJM78HXV$X*EdxCP zX&f0(cCd%IydMY-ou7M)PuYoFnj;Ki^ubQBBr`9F-?)C} z)8yIFG@C3E-pd(Cllgm?SY`~l?g=tU{6ERR3{$PaxYQXyKaJO ze!*tTLkZ_IY>Dhj8|%^-PimL*&L}nKA4Q}y`Ps5UL$5Y{>>5SP zcBWI4^N`*6MMqmt;}jz`>{b6~7umM2Xmk>6;E5Z-kG>jy4qy0#3<=Xjr z!tbRMZGuE;Y}JdzUxNY*5bVr9*0-Em{0M4vMkRzkwN~;t#W0KtaWoy!e~pu=d<}ME zO-r46o%vgxr5i_UL20VtV)T3XF~rUdv6}q z#MS?g-y1TJ8<-(CFo6jqFo6UT%xFdu0of7-1qBTX3W^#O6{{#HR@`I7x>u}dajUqs zR&BM`rHidpZELG-U8}aXwbrGJt+utbi}v@9w$Ib&IiJrt-|wHlbG|*6Op?i+nR{pM z@_xS-?$tP3KQ+6q=+xx_(jN@&$$S4WZ=Qog)ntUAX{hzcTb%^MZ^5E?IyDebko>a&t_PPDy7Ne9_JRS z{Li+mV(GE(o3?Sksb~D6okINWIJ$wUF2XMg@fk@$OgE6Xou+0y#Kb@pE6nKBLqvzE zAaVROn(TTNL04%#&5R6$5k9IcFw7)R)Ll2#H5xY%W@Z`mU&CpZpanr@1OS2miAr)# z(f=Rt<9L7;2Qa_V->_mJnf(1(0H<6V_|q8gtFMj+XetaC|Fz$!`fAt*(8uusF^2z> zUpy%0zjuVxO?+{nfC<&(fsOlL$AeS&51E$-hYB3?zrP4v$-j#JkDoj^&j(=Shk)r0 z@&85$|MO^oR(^P)|2&h26%_a?u=T(EH2SvUZ`SVvg_-~40RQXVUnlY}>4b-6|LbjC zLrwLhzo58*b_ft+<9qn(8v}11miza+2jtLyefL+ne}DO~*uUTXRqEew9~Ame82R6Y zKdif&N&h->;F=!*ojd%6Gk<_OpZK809v=U{i~08r5vbq?chJM~9`4@jVGI3@7LWf| zA%CCS!{0yn-QOQQINg#5rTy!753dOQKf2Qcy3_mLpZ+Hu6KZdKed9xl!{?tUbw9OZ z%O9Ve4zgU_2_y#>O8$R+K%m?DUmoNDW8wex0ssH$1O7)Q&bv1-|6$MG{3j2YPFp5D zYk|(9|33#3;KV$n)l9CL2wfCBH1QAEHc||0i+sq)VT@>^Ar3{bahVSpGJ%fqLDw4P zi9&cV69Wqq%m`^_7;Z#&1_&Nb>8~Kk_6RWG4SI7>f6bm5Zhw$@@ zY;VS4VnXYsqEO~y$X4+Rwiw=;*0;HKY7_+iw6w|~Fq%dCCzah5W!uzBQ~d<-k@g&VmDk}~Mvp{x9?^UHK~Toojp3}93&I#Wq&q4nxRri{zi0Hs z185kg7{7$qyY?&i7%{{5MO_MD3GVO|7DnT8+g=bu!+J0X;q?}ONa{hPfo z_qMXhx;12K6G&6Db|F`A;2}&CDcn0rJkOkhOqCHdXv2kk#s(blnw2(7D1^msh6NaV zvH=N~Q4;$Sli(b|6fmO;Q;-l*;y@~>8otqx!t^6onS|OanCXx`3*Am2-#`PpM=NVb z@a?#?1iV+j1!C8?uud66Rx$(kdR!WuJ_Sct>;3DP&UjJYr#@x#AG+OyOHfg5^ETTA zQvJJc2~G4ZsXo@e#WqpxAMNi7{EieLKIfy_g;5}Zu#nx7>VyGH;_$T^k>*_v>i4{5|x z>4eI;gT&A@hMNrJuZh(F_v+BXFr4tY@ttrcs`NBo1vYXCToI|*fLnW$o{rCPPyS7u zOFw3k9IXWtTpuH*#M&9B0ZC1)C9!R$27_FRn%!W*D zRXCd2@@(62qlvaH<7N}8!Pz*HlL^Fxwk^ws71?2KC7~U_4xS?Ia^jn5S{ROp>-?k* zw2O7$g$I%=+=XyFQP9HEb*xN$TzVv!8Hpb?UIUW>IR?wkirv%9PUm>(r!emx_wmMe za3@oQ3eb?5IMI9)giQBINeVFQT!xCuh`xA&g89>gICnH2QJG4QLTs2G!4AOPnm39+ z;tjYfULcM!?qlyMDz`3q(+FP5;l+O<%N7;&vKg#)9C?-5Tw>*8~13$Ma&)R7bL~i zS+Vz%w%CjzxOBnp19>>35y6dR>=%lyLQcy>Jc6zzOTdN=8@(Su?!60n8S8xu8}>H$ z;VIa_Y~W(myv{n$k4^7r^S1kX0hqiiqr+8o-!c?}Q84gK0Z)lcCfe(1Jzyc;ey z8@h{vN{A~Ez8$gE=EprBp@O}Tet9O8x!}HRh{V$%9W>eyZH@MyHSpM8C7^8~xCgsh zknqiu7OWFeU=?mY=GHl*#mV?%9&Au>GCSHD;r&XRpqg%9kYmxkBiv8)@4O<1TIiZkn80iI%J-CeR$EW|6x zV<3(1+s&upLBQ!sZEKVcg7EryW-_u_Tumd@08AsK(n=TeCsD z1wi;c1wVpUVu1qci|BB2-9FMc>n4Hzg8K4a_f@rM%kR-d+~h98X~qT>lO|U4Y1D$j z)e}dOH{i}DBO#hU5)~}LhrJ(@!%*W|p?_eg9Vuy%Pz8ls6@CTPxp(7>{CqAn4(3o+cRg_z5Ofx z2i4!$G=$#dJDN5`51E0;sM_y^mKAvQ(FU;^dVwKKJ2cwf5U|wQxBwJXm@nk<3T=$R z?QBlOMdl{V!&Nc7yN>c-Z4^`My5dZtb05Z=+Vp@wo$Br89+Tcf3r~5Ewi9@Yp{sSZ zZ#LXhHDF!%JLB>qZ!uoX=&c$&*0BS}h$C1%xbBnjRxY}k@5rUH~}L6Ltko0R@MSQ)FJ*UhjX7<9}}Nslttj^ZJzD|i$<@lN4Bfp!-b z`&Kws;aA1e%${r>H6`Dc8Jk5Fio=_ZoHYs14(_)h>#-TodYgr%#t)2m21F#?Rd97r zDEQY7ZaLOHYv8sb@TOzFz)Ku)BndB(>_J2qxD(FHFEHdCuiW~b$;Osm)^#;vfutIT z@?4Ipv~c$%ARyrVz8EaF+yEOsuo&I_2Ogcbtl&pxd3G;U5K6(o%i~AB6nYMeCNE38 z6`_izMRkc_fmZJBRGmQF^b%wC7q~%3o##&)fNywJTPz_)07%CeVUA-k{utm|V?6gD z;ndR2{Ta@LS!Y&rC5!@kfDr8sVe}s09W6^QgLm0wcz3=l2bJAYY|< zN0@%jqnOLPj8NQ&3Wk(bVR{@-D%}IwiI)^uQxX>9SAn6P z`QSPn&fnD9Rj$?8_)6rRgP!$RJXDt#$UTKS8T(Xm#I^&s|HOi6Mg*;aq0#7RKp>Ca z0%8^5Ekv4(_b9^^)}r>Y;#m?Om;s)HA*|`>&4Tx7t!WG71Hnj(>1BFL1*7A7rl|Tn z?dsZyODDqEJ1h!JtqWwm!iWU%9M)$%kBnQRm^f#D>Y;<3{b9jz`J`(%@@}W;xUixg zvH`+G;XWgjs-Y_x1JPPd#?y*%&m3dhN1pstS3`XBFMUjS-+Tk_evAm9oK)~sp@fJ) zZ@W2X&fYfvZ6?#*6Zq)Q)ttwrR4Bda%RJjBfYd78J81~f@RPCW@*F%E&%u*hm)oMq zS6973ObUO5j(5Dna&;CXq-MrJVcQPyPNQtrCC`5?dCjq&o&OuG`N+_G$q~n*-fW7h>d~E4&I=Wqj@S`~ZBw1wBet399+f_=btkaDMK2 zBgjYzpW@zPeT+slIgQ6cvA=}Nud{CDECxoR}$|WfFI&zOq}tq#t`Ru40z?m4pViK zb-uyssPfO_y^T|R>%3!YV%zSKd`2^*B?u=~uOJrVurS|mg`<#eWT=0ldq2a8ORe2$ zCW+#+nGc!acuQSRW;}@{Tm4hG^AX;1u|!~&% zz14etNHW@;EKkC_lkqrrFOi7S*%+U3?`CayIJmAH#^=e~IGeZPDEvLnb_9_mZyo=9 zf`@po`C^Ak=oZc+0|=2g}-96vG=GgiK5@gAi#A($Vgzo5dgb;aDb9AqLN z<+|&deKXSFnvIX~ znM@~UvpW>Wa9#~GQ-g*P1+Ui)1IjU+mK943?sQzraDb9JN}rRTQqX6a4txSUmeZ-( zH?HD%NU4kIdQ>4lhRn;o4NM~BMB4LG0KfdcoQ1?I+yb@yi-IYsJJU|Ygo1>oUd~6E zSpRMS{x5fgGBM7Vz&iAC@VykPc$1@v`05NVPXJ8B$l8%Q$ff{w(F_X}@qIZ&d8}R3 zNHGyrI`FdA)umoK3k(J0OqGA0__|O}_4s!&lIZ=fw0sPXZnH%C9`vp0V0nyy#V`J>Yg%TxVuBcpxff%m(?Op98>oP?K|xRt3Ae{F+0M~!mZ`!~ z{9)@_nDcBgyITs`xO@-_NpcW|Gvtvjd_JJ9^AMX%< z4TMXDK-}n|63c(>A076um_GyyAg1yy`RN-_)jBV46k(~K z9}3cRk8f8-_8->HM330e9vln)l_7DnHFH!6%lghCNgI~UQK#(saE=lr54wfP$8)=} zu1{un<1)TI)Ga*w57b@b33GR+`LX`)+QJU)-6M)Kab9FeZ}-vQF8#45tZcA9PggOv zJuhm=Plpai4Vx>@jUK)XcN0dg_2=uy>}Y=rjXQ8VIJPb^{_WUFk=`D<$)EUp7^i;Q z-Xm`2AD6LucBth>9FU+jk)%HpUmkcz4Fwq(2k?} ze;68{c=w0UPVK7BVUDBG6MIL!lep=)d_48a@y;K1PdJf!Cc5vE)N_M7vli8`CzrU^ zj6Gb`<(2R! zPlSB-dFN33uQxV+kp0!Shx+8)|0Aexu7d5}*Bxw_+t;IR-KFWqrYFAHEire6r@OYO zySL*f{YQAaM>*$ua|Cy%P`iHIOQ?sT@u%hv@lD<5D@{vAJmE=M)_-|{Ywg^ULfg&} zVZH1xA355qQ=Rs-RX)+ZUyy`5(l_3Pv2Tl)7ack}YV5zYNe%})(0m2`tUsZ_ekJGe}rmZ~6S zSARI;(OuG7*$N0+|Uq1UAs&*l$aFrmbLC-+eCfM1Va;e&_zd0n@v^i*&6 zidKiNeDjLxbLBHOZrIzsV$9B?WrJ!DG6M#0-zBa}nRxQf+kG3-Zy!mXe5q-`kf}G1 zt{O7q*Syn1XET=b!{+iM&-><^x1O(3IrfzdUz!zMK4N)MetGrE%6URjE5Gr=$h8go zIQ5{mgm>%}Q&xU7YC}`-ij<8fBi|ccz2ou;Si~aQb#qhho2pCGH+SQ1C8t)@Y+ZMb z8MAHMK7GoLy(14{McC*1-Y>L|EY16LE!_R_dm{#AnUAeJHMVd|uD7Fbq}!lz&nH%| zN#5`C52}6T=C$LUbCvCbXl?h?YqACR=N~K9o%kVULObaaTX(c{SXpSU(HvOlwqXzaKbK#exGwxn}=ChfL zZ$DZ-3;+7dXSq+~Czs&qhGn>B0qRa+QrA?=e@IPh>5%M_~Wx19Hs^4)ya95q>WE)e8l$V zgDiPg}R&sXw4^xVI`nOQotYxjsS`i6Swzg7re5LXTks7LGDq9K#WSYtaS#=cY@^@L>Dq+SO(P3N|-R*kzEH6 z0t8fkm|ArqL((3U4~O{cpXK#W|5j>WG&0gnz)MT(DV*!;(>=c3DpX@05s*j#MUU;R8miT(ANsY6{@v71)Rt zV$dQ8)1X-km`)n_aXB(T0CRAzDG!7UOCnJ&5D83X4BJ}RE&@$h1?E+OqfB9=l~%+; zV^Gj}$Td}CyAot5a$=VUeg$6L{;v?7K+S;=6#*vKmSiz#lOFd{!8ZWR*vpgaPnVoB6I)!G3@x6 zV)Q(CVgLB!Q1~CWG?>84p-61~jZy9@fIDYwBGoFj%Vf}EU7%#N$byL~X4zPwr^cdKpiHDWpnW+OnQ$T| zWcY)h@D&|8Krx5%6;Pgb7j6Klp|NNI*{(Ff?V#)#&gP~r>j}q=A#k{{uwgm>ZJ-r_ zX@!C{LbTG`yZWzAY)6Rhb;k1Zb!f%a@CRD)|GXam$7WpmTnPW$cmI|NeEe+C0l1ma z-daa*|64pzFh!<<)_ShPur3-BnE|K; z9tSCrmJa{+&FE|e)kWFR5wc9xr0hZB@-({*V>F354c1JwKojs6nVuE>w`Sms2bzKW zA>_d0+4VxggJkF+em!#Vr6^5Wj|?3_I1t|gN3Z3;6h`sc5hxPOO~BHm!Vcs{Fke)I z-6{Q4>9q2ps0&^p{w6Gg*yvdN#n#>^49>T+b)t}$bqr(nt&OXYcntNo&weoR7N=?+ zhy%*gFc@sF!0s6j1OhwD0{Hn^)5#)~>Qso|@Q$!R;#6Eh&5@Py5Av!r!O9jn4FWJV zVqH)t0jvq`4BCNWPtpr@5iLqb2H%HW?WjgB*AplZN})-p3!j7>;sN*9G==w;bO1|u zd{cQ@QFF_Y4eN?+?$du|PtBf(*->YMIM`r#m}2D(z7uq*t3UD`4X6s{>#*1pe4dMu zSir|PRAdwC0*WMHn%W;Zc{Os4bHVG~${&!U{GP})4KbXduQ+-@yY_BPLaE|3evLz< zozgd<&f}gVdrMXzRB1lU_s*V74Ec@%uLVGLb6%-~4s6{&u|JmmzAlmo^(wr3s5}CRbEyDO zcu}PKumI$zb>3y1YXeMge%29*mrR0s-sALVpnGreA>UF*!nNML;W4KFjW3HnA#w9tN&45n2dZEX)-LF^+Zipy3asTR(FSxSob*~ zVx5x5t9*A2@zOw*`+yz-kVBfwKo#+Md4p)Svke#=@*zeZ7mOPMsXT>;iCY(bqbjIY0hW@aE7Kja|Fx>)|FOQ)zC#OOT7aNQ8zC`}8h8v=wB zpK`=_?y{=D1Lp?7dQNX3>1ypPwr!L7$Je0Wk>GKa_f`<%emvhBoP zqmK2=Q&U0yj%i;-1!;o9zZ9H!SF!%Z;Ci}A)jruIsc)~be%RgsCV8uoFB05y=OAA= zxaU5Gd@R^6&P8V{=_Weg;VzHR1`)o8B~Hb@Xx|BD>>IX}xZkIPgwDm4h|P5^XV824 zOyZjp&|%a*uB98v6tNj%gO@kRyVRz76`O-aR~!~!tGiAu){6XR5%;}{IV(*{?UM;^#i;J`~KGs5x@oU=4{$l<$gm;)HP+NXuXnKT67hb+s6L816 zsP9ijYgsPQ#YC7&)TR9`$JM6ok=n&-?aoMD1A(B?vnqppHU&5k?%Irn0sMjk!;>rk zb=&>2{W3}NSKuV^9`G;x1vJrJD_MxY7kEgIQu>Q&>;o{24m{^Sb9V3#hRj^XPpD}m z5C)^Id8D75kA2vX#Gfskf{??ph3%K!9mB?GAzr>5_#~T+ufGZ#;&S&cyiQmmy@S9! zdZ?~^e!&knKNdQa55%+c1_1N209>hW%DqtCS)UPk=X|R0pK2S!q6mGx=9aw~~&GrQj|;E+mO7y~D6uwxO1J zd6YiqRm!Shp+oT+#7=_#DIZZU_lp``gU3MsohIKH%nG9Di6@5GuX>Pi?sP+p5lAuy zcL&>7y!@CEhVqN-fAe2>J|o>1RBslAaB5C(&r&H0H&L z$7mc~Q1><%p^{Z#=NKWUAjdjw6X8w?)MvL5T%V5gK4Q~``f~se@O5=l>6n+N$s3px z*V^kEcL=W15A`2}(>uRzL@ue4V~b4-VzUo3Zim<#1Zjk+WNpbvq;sl3=d^7^%}kmB z-sFz4z6$h{KAGUcnj^xjV;TG%hmj-+W1*|uJ(xsEUj>0(WFK$=VDw_VH_`f)92qS9 zKqS+Ps-}jfHH^@dNAH46CcW#9LK7;ZxO}SpMP<#T`D88yuoFKKx>Q#kA}RDYoKpNP zhE!TCxk0-4V_+6JvAU!Qoy=#}2#*^F7)`vJoFgwATHU-4Rgy%S& z+BP@LQA^yOtcY1|FOKPP`t-^VmMe@@b@PAltT9saESG-gwAhd?AcYgAp67$_-dNaMK_y z#WFA_U6qnFQj5}dUcBHyscd}Rb<6D-l=iaU7-XPk+C#A0)`O%6?f9$TcF0ga6xC-S zc`QO!)4rG!pILLuTl6dg!oypM` zUEPV^t0N;(XXgdfMc#wb7aDUSfhRUyh#wiIlhSi}g+fPpRgm=n%oC?sc1Fmf z6wXQXIexyy9A5@w-FW2sC{$J}wGK8bO%7Kghklm2a0?=DvI6RqpN_L5l&;B`O-mo` z0g>y)fo2DXW>+liDgVq|8tWPrl(n^PCtHJ3X}$DJu>3pXpOxT(OwJt@moUsUO7d_i zrmcJ_-xoY z_1-K@MV<(BHI;U&6EGgx9hHu+6JetxDxQdp^FuS%W9hin(*@nRovzHfA+AOX^=l*O z2d*PZ8>_abkeB2)ly#2s-r8r>v_!u~P13o}91MypDM~H4<#`Z*xgp^$5Pro&Y_R-X$T& z3!(+>wjI}KKMON`%t>Ondli?)>KBH~YcaPq4F5^vEnyUBon2bOqG(DMt?(?6zbs!wxhz+zOr0hlqcKFZT_h_t;K`a`+uR zhvX%xme+_l-`tKT3#oQq`+f?|LY>dvFX@3CX3>Z0ZJQGuBjlH{ljlZ7ah)}CywMTN z7)`He0M++r!G}fF{4C}qa{>>_qEdeaP?C!iQO0oOmvBeXY*^lf1kcBvJLL6rV%2mR>Q?*z*U#3k4bM^=X`e4!SV&fJgd&2QHE27$ppOAQ} zt}k97oGa*BG7alS8SvXqB~&k`%Mo7Ql`rjN*W1__64pipO~hf9`*fhvNlA1nWtrI*RBkssq1YEDglG z-$p~-ou$Rdl@TK!iAayOtW=Z5V5$zsUR(iw=&N9fN>djeLXH7P?_>?g|5y#JVr2B8 z9kbs@*;UGtb|jeBzl0v_mR{+4NkK1V?coNiELzExrQl9$J$8wFbTgB%D2*>SyZFwo zRD4yz$GSS>qraPOtL5QJ?iH1wmoAwy@~ChJrIx--HXw&3p9dfK?9UVjo5%bT#4nNW z1R;lOOpp|~2zE*OU04U%;=){y!~9214|3&#R&z!zzCGPp&%WSIOyAq&;m_5*M3W8g zHTJ8059KNOK8_oFAK}luX#`+NVn1g1oP{%|I*lUxk$ncYO*c-&R2aBV~GD}0&!4C16PUT?ihYW=5Snw`MPy)?!*IO1x0)tzSeo&DVL zX!%FZO$Iytk(VsLvQn19+Y{eGUljE;4yKN;+2xkp7&;it)7!H927zh%dVGX>3s%$R z<%vz_eYqiM#Oc@?!Zr9` zVDbEpuC@yC!Wh?5bag8Lm!m+_)6osw=6f*f_&ugZjwCsgK=sKqoy&lJr4WhZ-QVFB zaRoPr)oQX)a*@%JXUsbe3G{B*mJt(VY_`~jt2j>*lS<|ZCqZtcTFwfwMR9m}{uh{L z(rj3dH^=&(MlbF>JZ`H?$M|DT?q9N{QDdB$etT7*HYFWnGgF@+_N3|AYl1EPLj8OB zB;yhleNTYsM1}^IXtwU*d%M#|^9Lz~G&zCOjU((wdqVHbvQ@579+=W<4YVX z*}6uB=trFkQCK+TGO#9u#(4343s=7A|L~(#W z#cw0kxI|kf(a%-U^wtsjXn_cqZ{jvXx?Zbx2Ez(Zen#Wkj7VQW;+|2Jwq^83jhlef z`K!U7Va6>>LHNW$j?Sx7u|L7>`UH@)L61*}Xphj!9UvTX5@xC^VfnC_`B9mhYU!9q z-^F-&FSI4bF;#f3@Qu#$@^F5R$f3BRuqCs{Au`LojE&Amp)kw38sz(u73@bzq4c{_ zD*|)e|Er@9j2zrR0_#N>t9C(v4Qg;V)r;%k?i?c(GB{SgfuueRHnlW0a*rEonmX2U?7g@%)VPJ*Z3FgbRDL1%;eL%}liXLA1GQ zexiRl3^N(60fM}R$*g(uPI0?Bfp}bRuBw>v_2~}(1iOUw5oxN(t=G~X$P{wtI zqlV9s%YqzL#F*YK;}jCd_%yf%uQ%9mxUE%RK5ENE-XVNytul0$*C_Pi;mmB$JnTJz zTyh!1RFig-AwFXzvfT&++N~`7m<{Uj)y%tGkP5#~YPf2z7s(eo397o*J*4|2X@O-UlM`L*ICoXGWdRX!3x$jqP#*_|K~YKXP3 zwH2}_oA5AStnGCouA`aKo5-;KldmQ=!)=m1-P**Rt?HShl1L@Pxe|M!KQH8%`$5{Gsq@Se^t6dqv z4}qSfaXFLRzKJcVgXg%gKcYYT@1x(chX-X;I`MDrsp3|6vaTR}4^U)u3YjFQ#TT2R zZ7HniH%EeEgZ>+ps9T_f)ap|2Edqea|JEqO*7fU;sFU+7dj%I^_D zDoR>W`i!zFRPRJ|41H@(88%G{tG|ZsgZM+AYwJ<{9hB`!+Yt)kq33_WP5|0??2e%-i+$VZi8it&zWNj<3$t=s-l^nCkkPU|6AADuE(#(s zt}#ffA+RO`st2#J@)D#~!268FAa5LR(}gp4d1uBZ#FeVu3mk`y zXF|)1R(s)VnU2xybLz&PLK2r~Dd{a**;jz3z>;qER(XIzDLSt%mUX7IY(jqnoF;|y_V!#7DvJZpB1WGtMc;FX5`tAX$7_C ze~V3@viXqza6;`+e)(EdG9E4Wp!87MQJROGtgWjd`x_*6LM2ZIyH4ZsF|MJw;xO8} z5?QhmTqi>0X^gxR*@_LtGa=w$IXpyC2JKu;TOro#tg#*L3`UjwPxe^;!*ybM{Z zp>*;6F=*ZxRJ<5{IvLH#aNQ2(+KF*gsOwXut2S3|Q&=t=U5~?bT%Q(0U$KoMQYN-k zak7Y`k(K z917~344JZi04jbQ32Ozl;Rimnun|}EK{QJ0j+efJX&NYn-#?3&pT&IRcUuv=RlbAx za%cYJu%O~jXr=-er^4#4WG|+&v>oyC!42|Q-my;DvL3K_Nj7(mJCA1E9w$R zZ$1msu2Ud{YzPI?1Fe%ERq{IR>yf6Jkw$eGUuyYM4H35aHD@fp6<)yFA9yZWZ@e33 z{5pa!=D=4ZSDM7}OR~3Vr4?BCv>q}cLn~jE@*%7sf2f2BLl!(KFZMvTek@Gu=dH)I z$thJ#Vbe*)bxaD#ab^kxbHXe7qsdWt;c}SJy+0gf++ei>Oz?Scd6t5We7Qq*M@3nS zVj;-YjY1W((BuS6*V1v4E@)o~;+{@bcFt&gGW&B*OQW63yzTRxe3N5i+;M<&goli+{tup zm035&CgoVT@EBMd9Zu2bT5fYBpQ|u(FU8^{5T#yV(;Z9qUXxoGoiUEeGH)sAguEG? z-i)5fzLLn-an&}9A&I@@>Xb=RG%`=% zpVt<|!9+4jSd77^z%2{r>@Nms%i@H%tPEE(attGn7?MDnPaN)j8td@{{abO~M~nj# zTMec?1ka}~Q|Gw)G=ST4389Fq+|GTNY&&LU_N7M@?F6F^y~F!FYj7P2a`eUq09MsZ zE%?^E9l8=QRlm4AV`UNPXfL_^CRBDC{EqNjkHhThT*P8JenrW#6)#1tT zfD~|dE$EAkuNB#sFg}MzyXRT%b<)mql+O3wFumL{Yq<3aS?2wbPjKN1**dyhzwQo*XkHzD|r>wsYycH^YWccSsf&L`8>u^*^XS!&Dx>_ zhu=`*?bm3~w(Eh&STu4lvixrLe_h%HOgO_m2oAm>J%aS})RtIPO^v?OY}`9*AKf8! zQqL?x<(sAJq1?1YTD;X0xIN$2Z?TGTb@GYcACxLUr~h z9W38-$m#u7vLnMNeWi+&yCH(?`XfmEk?M^@I*?S^VFC4gOL3z7B@(~Wrx;yVkpDf~ z{-hJrNwxnV%tq3Yf4{*XpMsT39C8@z$*;+`cQ{^d9cpUHf^suVIr3Vko{y(5NHaz_Lr)vrRRUFb@a=4kPlS!iQ-M6GjHpkly*&5@}xeF|$Vi3{A}Z%B<`qcWr~ zDt-*{6Sz(U?X%rib6Yrzi%13P_A)L*#h5alavBXPK2|C$X%7d1Y`ICz#J{K2s?qT+T7|R<(!oJ#0ncpi>6-Un2JuF-=l~&RlyuH3>D)x74&-Z~{&f^1-)3 z`?;D=@PvoE7HT{-VU9v(m@rrNA%~YqG~AT8A=7+KHh^?M`E9WASCtrDxJzwoh%{`#%vYIq1%P{>^lrK$tO^= zC%XvM{R!&`-bpwuE$aJ0QYu2 z-hPvQZkj%_yzfZ^dBHN^kxRpDj#!Rpgdy}BVW_jJ^m~4h;~HGSxRRxa_qaA=*=_LL zP}tnoY?Wf+DIjqx4E4`J6wHiDPjt{v57i40&d`lh5w`qw?KR4Fa+J};8FM6%8ubLZ zEv`I;Z>I6}IF}yzKY$R#s9^aOn0|#wmkhR2U3&*wV05QK^5RW}YbKIkSK$318ku)U zawxPrs!0E%k#KV-;-gykUAqSlq{~a!I!3xWJ@Txkq|T$TJtUr7;#*SmJ8=359zojpavpJje|iepJ9c^6M4A z{jB0toH!ho=-{uOHB|cuakdp+R{}k8JNCG?Y2+@*ao(*%1zG2H<9pz@J!3=YS|P#i z;9L2!ycO=T_$i@N>ADh#TtB(xs&Qk4kmVRaZ~>9)k&wHyO)zSOaPGq**D{p-bg*`b zVd`2`JQ&fb+%6UR&R$g5fn#5i9%C#$sCI|e;B0mir%!^o_iUxl4uZL`nDf~hZlNk$ zNRdzE1^YW7Pe0!gVth<%`HG+}znaZA_#Vb*%%rE!?e1*Y&yJ>pT7P4D@`sIODw^E- zt=Y^^a3s*=lI>_rCzWv87o4|?A1utJLtypj_yIR7KVe2HGo){^@I5pBgdJF(;&nFK zIMZY;60fjA+rGLmV8~oG7{-kxvEq%aIZ}|q{uN1veuM0#cWu`=n?Ig8ER{n%ijya+ zAv!KkDH%7L%+degBCJtW3B$=4n7XZ^@!%u>GV<6VCjjm<ojDNUM)w&$d z_Ebxx!L~g$+s@f~W@YzM&}z_6)bg6E-1ea#VB3ev0C#IOb*kbrRa_a7R57~M z#J*5JTx1eGFR9x;#vX30+V-f?cu-HewOz+%&MF$rFb8hCNfS&r3Gjy8_rZX%qAUUV zLSU|yJwf!@AU1X~f4|y03Qocvgbx`U%p&a)HM#zBFK!oiwGod7{m#>52_0c+F9#Qw zx@o?ysF(g15caif>?fs1rS8_ z@krDbhGN;u$TK5g6<*vGxk9w==St&Eni6yE(ImPqy(pUvmg|t?n0A1wO_~1|ZeOQ+ zJ{)EUC&0^;LrbHHa05hl&nppI+E^ z>RyvImz?k&2S}DwO?*cIv2qd1euC2Ndbp!U8ZuqaA?^%kFc?RMlI2_<)$PI3bI4@_ zum#dqt7vC%*D>a)NQGr&)vvR&Qx%rQQ!SBUrsElM8nO*sEw^DAyhQGzz~4<+?x%85 zoKYWZoEs*$A#QdIAlaOMQg>aVaaBsWU#nq#Azs;@23I7(I?R4U%E2%$wAeHjX{&}U zA;s2ty$exs)|(r$`?XxpH=Pcq)&(OkB*>_`M%PL0*~^@BT%S&C>! zV+TMRjG2$xENBBe-|>j+phC*!Xesgfz7bPRojK#waCl_aDcuU`KoR6@p`Xd>qOAN( zU#bzuU0s^pp+AOI)1B_zK)op<0#H=H=4>u+g>2B)gO{YkjJUb<1f*BRwS0{C2Jt$U8%o(t^vCppEl$WN74wqmyb9XLks_`^ zLG~2$_`>Nb(kiCrn~?q8JWP_sl>B7W{2NIWNBh2o%_S0j-S~~z_y_0hwB@~kq~T)W z&)ROtbCL1CjKcI423(#|7N*MzC9i?>NkZj)a5}v}bCtE#Mr8{Ga2#>mx=_zEQSM@# zgAGEC@mdEm+&utB!jGgqVeX;uz`1%NcMUc(Izz3r6LGJqghWHFaZVV-rjDxMLDWe# zEHk*}l=h5DNcP-E+KVbV9-Z7sz{6M%TaNG8c*kHeKiw_GV(m(mkSCa>yGXl11+njp zlMrI{zT?&0+(n)&Kj5x1^mAtbM9Bt9hAHiz0hM=vu!Xq@mT(XUsynxLGt;R)7r8+8 z-;I<%65V`$U1df-BQ;V;8)s%$t6QhIEMXbBmS4Nse$WOox~n4cvsH#|J3CvOWYX8@ zRSV;d?pR`fxszobu~kM;d-D*XhpCfIh=8~?_0*3-!U_m7jmFN2C2e5OQsP5zJ&$Og z`+hJor6urLdM0!b+E0_IY5f``l|kmJVyj~2a7=S%PDAfcfY`wOHE7-%2zq|E5Zf2h zUibH+rF#(_J97q>dMnnaqM~xz@x>32YnyW0je<#+FRy#Xr6Y2RxivpKD4}EvIJ6++ z?}?VO(EpFUcY$uATK|UkZnGh~%}g?rOgb~|q@B=&CN$F~ZPGT-Kne-8&_W9>P-r1Q zfdT~zv``VGXpxJks33TyC?Y5#aJ--*OFPS;A?%w^BazC80>e?Rxqt095rgQX>ytxAU1N5Gcs`&ri9c=yNjH|=%QG6v-f z@euNd0Gb|{hy&x2efM$NP(-hxt1E1nW^f&~90sIKz)7XG8r+QtS;T89fDW`t4 zZMAEG1omnQ!K=%#T(E?jBU?Dg>~qwdqt`x(We* z3Eq&8j(L^4-x-4LX@T$?i()d%+Mecu$IQ;4v9bp}!v1XVPL~@~ftq!FGAFTHn7|0s z$$@TpYXbY30Yv3z$!u$~J!Hfq!3<%K8z7q51^%AuG1U%mS5&L?@pZl1_VHtrwUG(9 z&Pzeo0O8xsY6Czp%woB_;blNW>J)Iw4#mFtJUeA5m#d89lF1G(8puvoZ?G$N<~v%Z zUJGeY+p+KV9{X$^{}A%Dhji*awry752T0uvXMccvdot?&eY6+7+jd2Yd!NB}i^!?o zPmVYHvV~PcAR)Bv;QqdjD7P~Z#q3!YRKN)4KZU=62o8LnuRP=YP^LFmJr+lVs@j7b z>$s)b^*CS?;q3{5`RefYkb7DRE%%OZD+wPNo9KCs>+RfZ<|QH4w{pEV6_nl|z)-3@ zgpZ>1rW}?tvWXULiplq=QF{rsJ5dUvcCWQx{-ViCb! za>~^H7O0SK8-*BtL%1qd#Mwh0Z>%3qV^!XL)CLlh)%0bVNF$tFpr@~eK9jh9!W|_} z9Qlar9TfBI2RVFK=qY4>h6CrqBi86d;+Shs z<+j^rM_%P}glgcUw0%&TKkS8VG-)j#cIY7s5lr=Ge2+;GG^w-Z0?j zrQU%#I?3tStooG8gpuIPy&P%1u@*p(4(3OA4nPBqU-uX@$3@jKoV4zBh%}Gk0N|U7 zYPH&zOY>gKt#rO_=5N>IFCa(n4(Rf7uy1Y8Bn7@j>@R(|0gxkGo&izM0qE>74QM_l zstWRYlyDat*4$2ObJF?~YBpe)Nbchy?K@2^QdP))RL0P3Z;tfUp}q2~kT7L^C+Br8 za{3@~xOal;ufGD8Q(&dwch^@VZlZb&&7RGwzEA1cpKzi7P}3~e0pCeW(RN!3g$%`^ zh`Y9-r83?2ViFxKdx}B%EEJ>(>Tg2OCuDSe%#CE#c% zGt9^))b$mF(#jFLg|2_wcV*JSF36S|hJ$xe=cycrOUTD>1v=5ecf${JYngf8rOtU2 zU}&}p?xqbcJNrcmO#)62@9xMcF33C%OAQG79!I-^+Y)0|-)OtMH8b{XXtphOeT=bI zh(My#{;JQ0v@djBy#eTI-7|Do*e#`>o!xkn_6nP&UL`$r)DgC+mrJg*r|B^NijquX zt4U@`nGEL(oZ|s$Oi`gQ(toQu-EmyX5w3Rh^8u4mA!1tFwy2+=fomPO!k3f84WoPg zk6ByuO3P`gcOR2lu0fLRBTQOg0uB6+6vaF6JcLq9n+G>1Y3i+BTYL zYPc`{Nl0f#atGRq!_SigLZ97t3E5{0A>z+vXezzpy z@Uyyp`jWx6@*FzM_Yb2qR%(INSegG|QuHS5-fb0RfJqvbF1XXOp(orr?ddl|@UhBW-LBx&N zb0vg=sy;<`T#qPrG0T^trPWAlbM3U!THkR&dk|^E%(joN`f2Z`o9W>C&Nx!IS5!3j z6B*nnTIJlT2*x*&e3$Ra6N!kD<7=7$Qt;|0JY$ z?_&dZxPy>4+Qn)&B(N_fv5{o{ifnrW8+f_*$=v|&U}cjGpf|D4v1$P%`$s^F1)^r= zXvsel*+j}GBn$n(uPwT5x3d1l6(Qs`uygh3Hjlw3DuLxD{3!=;>W~r3k2Zl;Y6CH1 zTVSC!{G0uRDNv2@FTfXAqluXPjuDhVromT4Hhs%qPlde7%jpXCaYmiW-5W|}oQwI$ z$6Rl25%8tOJ=&q+NLo*ZvojcB6Fv?0`WRI3&;)Q9dpENu7!;E4mFxb^wbFm8S1Srs z=_uOM7!uEYADThwo9FyqPX|ah`#z`c-&7E2>WL7j%4O=?itK*h15uiWZ#ZA@O}u?7 z9V^}CSg?MZ?<*A0+nmKl>1*$eW%GyZKN;$Qh1tGGOzd+;L9QG|AK01`PsX9PEX$TP z$bCW#sMxki0Z=4gznfLT>=4GodU-y7VXrvO6~Kie$KZ11l)fdXuakQF!~ z;C=FuNqorcdgZ8~jL?Q->Ijb3b-twJD$D4br*?Z+fel@`CJf=P;#EuA^p(Sb?`i7B zL_AU07Vx7P*@^bAxVHYQjPe!Z0;LGxIb2KHqeZUd(7??j|P%C#Ul>@+T8aNp)%zWq#e>XE8Oee$C&F_ zeX^WAjalI=0+ENURSaBmN{)J80<<7KMu2)-SBLhJqk6&oL^IB)&&_J{B);%MKse<1rh<4Z%@id6X+L@DU6He9gj z9(&zbXV~aYH~H<{VxJE4NA=ng6!E3P zXQ8M56#y4fSpr&FURL}BH;d`(?lB6o+QDZ%4GJT}eejdYDB$>eO1O&mCMzy=(smLB zO25yQY_A{I8y}$D?ZL~@aR<4ab4J^cy02EuN9{1Vasf=*H?r_bI z-6y$)(Ik(Iw*JOYPdh7l$l{tq2EfLhS)#}7CqpV~{+>?n>=&{lAQw7yGPV^EsK~?g z2J-WJ&!9ld-pG)n&j?$EpKa1huHkUQHvzI?c7`XEF|TD-gBJ>`~`3L0(9^tRlFGky#IO7Ih_4*Sy@>N<~0HsKGe!ya=8p(D*TUj;|S^T6aMy; z3uouS&5HN+h~L*m(3)8-4RGRx>(pJ`(GAOfVTUhXt9zm8yo>++<-RVx$i-I9VbWh{ zCJ)MNFXG&HgD79v6E8}>xaSxN`Q0_j7oNK)<9sh&S}J|%nMD^nrr=@|Fh4G|miIqeyV&l< zBm9>he96uJwHJ#n+4Gl9gggK90sq>GUhkzh>izQxphLTd_QK8l?VbP6gNpv{j=Kls zLib)e9^Svqo=Y!q={^0W&3J|SpL6uW+`ceLFLY>p?fp3g&X4GY2Z6CWzh?5|hsD>- zg*ktrYyK}*OZ&JkIn!O}zQ zDeB3pLH2b+vMfp1`t|eKzXaJM$sg4A}^Xv7EutbVu~mxZW`vi@zC^qi!7#^ z(nLkHiRog7MYY&Xy~Iq>Av(q0VwTAzy2UEK5Vqa4~vDg$c^|uVLgvAnZpg71B5u=IE|MQzg{p{;3L&Q?COdOgRzwDI2 zt(J1JLL4rRuv8{iZ6D=cU$MB01yg75G&OZlo@$>$k){mDbIA3`0%|z$DUjje^fV})y{+$O{n0-;c{#X9}`4;(8 zSpH?@Us$y9SJg#f{a^Xl{cit%L;n3OdWlt#hY1PY2t&zPaRjC*4RaSv_xL~&f?a=A zgL8A7C0chU;${U2CqNQ8y$r7UVkC>;IY~u*yPRgyag>wrV3W<|2SnIJY_-EHAt85t+^ZNyoDq;R1bF;$OB6|BqCj&zoG@{iwbh1zhJ$$z*|)U zNBO}B(C6nDMS&b5&-GkrG_;)St5}wZiu|*RS!g?;F2@5EtIl6gW{r1IzGE5AhFFfl zoA1jji+66WziK)>d47YxBntJhjn9Tg#9Jw~fSKwOhw)l}v03Zw(soe|P3v$)lVJLLof|`kObc|Y(2;C6*5)YBCh5pKK=mPxf zCy>FHms^NW2cCdI$!mBLj8N!pm?@A8Yw+dg7T^f50?yY3a?1u{ojt1!Rt|0^s<%xDH_Mi#*KyOO}S$=kvpI_!)ow(*@nff<#Ob+Pk%$E4wD< ziYC2DClaxT1(Y6p(}jJY)g=M^p(YP?`MN=v_yr=gaGcST3qU0LSh&b*n<+c~waC zS@II|WjOZO3=1ekrUDUEArVv|3#dY3NbD~T5W7_&(;yL4A#t!c#MG?>iNpR>f5a-& zNXsa(Tk#Rch+|El_!!1Jf4J#V!IaQA<(yD@)M>qjbN+Z82&K=jJSUX?kNfm*WmT@A zT>!KbbqU~B{X3+#DZ=zi1nZ?RVhJ!(@gFP7(qDjf6ZIFi!Vceo^Mjc18AjRoK>!L% z5CPu>Mzjzjno5bWZdHSwPd4+k@R zbE2^F(itx5P3Mk5q8z?3tyB!d@xja*1yhAMA6C5Ua zPm9h3-$i7B?IbTR4~|*5FtaDD0KM1)4kd|jCY*)C*|0ayZb=Xm#U6xYZCtpJv&4J1 zhnScP$3ZiCF+tSlqFiV+e%3-*KnW(=%R;hYR75IwhD4)~AS3*pdQXb+C; zVd`l~plO+~Hvz8R)1Y@AxbxDHA{EitJ?&LL7Y$A3PbheE!{))pS|$E>6^bD zssTdbFyS1XQbzYgMS9wE0P1nRo8vth|B3rU68?(2DC*B6rorQ17`*tE|8pyx-+{+p zn6TL>v3l!>1n72nUJ=j2Nef`IS`xA_^e++<6L-|6;rL+XCXni_J8H9`s}o3CCeBKP zIh~M;3b93xvl1|?%f@(!J~wd;&D1BD5=pHo(Smamaawj}cUxoNa6_W={k#9#nN{H9 zIoFw=BwAlgbbi(eop}@df_eX+H~+tRq`&RV*X|_3=H~zc?!1n2`qhLHtuSNb9wVp& zzUaNkP`GpCNR-b8B&Tx(M1WUJeUg~}R|YFUSvGakR!R0ai6o#ZF|~0LNjg4lJ{Z08 z<~7WsF`6Eyk_57E<|3QqIjAx^xSLTj^E{s)ydnUUjm|YJ01ik@3~d=x=8zMBqe36K zgk}<)q7(HHQFdLH`6o#delFhP>?!m?G0q>9(GX+4KMxj1Woj^G%x-9y;^J^0q-i%H zNG=qvLv5}oHYtlB)=)f6xkV4$j!>B^?8KtO1r-yZuVg_>+P|QK0FMm&&$DG^Fs!ND zIuO`%j8Fm_XTXvSt{2Xsdf}+4+c5yVxz!NR8!ecav4V+=1E%6SbPkryZ#8vu8sY_{ zntr8gT!1+MSt*_Bdj&Z>%m;u7=gDA9^pW!7;8>(iAyvM~NY&{F0zBQ|vvWC&naqTnluQ;d*`CyY_#OLIJvd7WvdZbG(@P76fDx+f?0yc zfwXMC@m6V~aDQ+SQtl^mT`>%)<8yVhIzp(R%?N)~i`2=FYn?+Lw)0uW(&Tl<(mdOB(oCK55yb@Y!Q#qHOS8vrQW zht1?B#_0bdtr{joH=G~ejXIdYG2!necIOICaeT=!XKq+Om<$%!(rm%F_6`{PViN%G z&1=I~(S_wkRQlUdU|_=+*2_WXeH3du0D|VK?VT#nHR?J@iG;a z7YfUn?Yf59%tCU5PP>0+>B$Jbm#J?vx<~8Rt!#XoV|ECEUYnd|~;*9W=LK$=s1oRpLK72{BC2q}*M zYg0eR7C?+>-b>O&04G3baICZ=l7R-ZAL`*%ZqWMaJkOUFzc;q@Q(aYq4;YBgpjn4) zz?yc}nv~@FmdGtPMlxx-l!JQ#2s&Vg!B}@Z?Q@|(WfFkZ`d}$7Jy{2#qlO8-Y8`WD zU_F-nAR?;Nz0`>BXv+@3ylEvlv3GHM=fqB6e~IMpOQaP5@)=R(qAaR#fLt$p$|%Ca zj0q~chmtX?SD=z?1Ud4;6x4=q#VpgbbOPG_FufIWed}XLT?i@d$h80URoCpB*qMwoMrM;8E| z?zM`UUB&?DPC%K2yL8%)=Bu208TWYos)U9`0KONw_uzrf`xz672wa?FExM3)b9yPV zG=mnBDa$jEvL23e{Sp2cuP8aHJM%eH+w=?0acp5yfIh0yP!e|_+b}s@{H>Bp_cVJ- zZr3{=YIaR3KulE0&?Kz1DL>P;zy~n8Qdqe?Jk7OL8C7&I!0`ZEk$nIMk_3+my^Pf> zyn4b^j79Y(91*$0glTkIHyR!HYvZwc54yeb0pAc4A4v+|6i7i1t#k@Z!ba<>Tw|V) zQ#?TN0`LHozp>vK0Yg<%1(r|3gBX)k&2SAXr95S-G>puxnT8<0OZb?|XSGlT0$Ydn z@!iW(bIG-+E*0?b{CDDMxJ);xQ7%pLo$UeY_aLM)V>7JRoB2U{#Zx>D+snD*=~xI2 zLasSV1b`8^9P8ICyPfUq>sy&n??tj?2B9$oUjca(;k#`R3ME+WrPH316U?sZ-nFR2 z5wLGF`JP1fe}EU1{EqL(uA!?qmX1F6VMcStGcJcN z^lT56?4AR2oCblq!0#$^?5Ij6@$Xwf8a|0VYnMvClXsC3(VIDX42CAK6VWL5G|l8U z@qhzIs&v}NfZ6fWRhp34^;O5rGt2EqtcEy@YQqN4^W_XpQA(6C%`%K_GSB zu`(DhYr2CN!tbB-3!|{wnC=^hl!;}lk@im#h2)_rcv0ySFnZFDb%+SW>o{vCN%#(k z@hK;yjUb_cu13Pe_$o4z6yap05E~lNkBJ34eEgRR>PZv1)p;rkn2pe9}pQ?n5f)9lAS&_bbB%$LwgCuq^5ieu#n>) zJ@v%kSLh)B!_;WMm*rZyabdDm#j@*BW(HTs7=2$LX#!&tmPW^*@caDWWOAdsoIAXR zF0Fbf0mPTGkQ|E4WDh1Wi=+)C9jBI7Q6q@u0_k5k<>>XO(JdNjwN6W^TM&8FB|6hg z>V4`m;fE;Hgdeee4e>c(e&}Ght~_BFfW7t(@u+e>&R>!i0HhmM+l3sf@eark-W5OL zPHq#KiU;B87r2ah z{SdnR@IroZa$QlcA~=?*X0>B$u{F`aRKNuG4|dd$9RKv) zQD8~i*l;JuktmeDt8?j0E)y@&YZ*g>kEMbLZBJG;`L?vsp(HfJJwLhQ8LqlAGcnKlt$Y|JvYAOa)U5(eSw-T zKb)kjQue5CMV5g?Vw5yTYGf^^)IWoO_w){?nLSC{-|;nL>CxETb;lbXwLKz9_mah2 zS^Z)}wrUTfr32uy-1V9n)qagF4ZwvO6&McG9H}&(;BAX?5Oq~0>iFTk!GJLGJR}wM7o?~gV~5_;cQF` z8qH4UG$T*n;Kg1z873#4(77GWV+(qbC0Yhzno*Q}E>r%%#2+$Pr}N~6rU*$1Z)Yak z@8-!U|Lef`)OqCCI%_^d52De`mpQYP-bnxE6Kv*J!qPYB+e{k z#*&0v`4|t_5<4?OpCjPtd!{SDEC=#=)5s{7htxpftK47Ju0;UG%HtP2r}#p>GQ7%) z@ey((E+Wlzgv(0HP;K!z$~!wLuX0F}cR;-k8EU;p?|2nut7d*}iapoD^a^ESGKt(s z#zT22DWlb-7z&PwhgntjiUWV3wmOFUp1`D<%;iQ^ubS$Ix0w18&Wu^0uA-(9kuAUl z+SmtuDt{u}zIflga+~o~HEXfPa>x*B-ue02%``_VHMH*!Ovdi12Hd~n7Z6&TzQWUj zd5CQ=@U2$ATs15qdw<@Oh|)N+AwOcz*nRwR927B({j zcBeCTn6*DOjuu4gW_sq5!tAD^c1*{);VYQu})^HRwe8_z@#1Q zU%gshBUa9b_ZnM1nKPD7=2$3VX4ozUte`1?zS3}N7IvK(?*5!1Ji}2ttnk|@_hapvrJWZMupD@Q^M|JW* zhCO2Tzv9{5kb2D$-dgmaNCzEb}|7NF&zb*>fD$TYC?58;?vn6-OcYX;|fO7 z?nXdux=pf3JK(cZvIq|{W@#^gSSx!;s%OQiO@RXBSbO>t4dDL^q!V;*%TvJ78kqr* zF~@VQCTsLEl zN}_AO4^pA7#D^R`u^%&)2~g~e1@GZz05gEia0bJVjI)_8CBMA9fRcVN{AkDfXOUp;}eeJYCX@b05 zQV+?k>_`ze;U`gc{dFj_8C0Z!(_`~yHS!fa@hc`~qr!VC6}}^=nE2y*u&jCHNG|%4 zGCyg;H`5MMN~PD3|ta zs8Ot7Mh*q1GyaWD({~;QaXrt>PE5inTTe0;*Sm^i-wTW#2M&HG6*{?O{%VsXwLKk_ z(Cw4r_G0V}&$ak!!J;exvE9nUuzRFd*sHV>sK3-H3Z3Yv54@sV9YE1Uq85^2?T^xN z>}m;;rCd$unB11;9A?m_C6Rgfgp&Ty7i@O=R0Y{w1?-LKLLLvGX?`sFoH8iEuSva% zrU3vhWZ_Apq+6K)l;{a}1BYP{%56<{H5I5xTSB0J1vNXaQIYVCzb7p^yn}8R%b`K$&(Lzo=dV_Ro7yQJei+4YMa8YhMN|`kIP+ zu~J#qjOu}iEEx)mvD4&jO#7xXHtwgJ$<;`!`rg4d_~i~gE-AYbt9KHp6hd+er#w-4 zU-(mE6CNv04pk=p)({B-o8#41jU%nVVO`<2(KFuw%o_2KrKQ8XFVUq^p4Tqra=h{| zXC~L6>zzL*oqAdRG0Cxz(`U9S&Qo+_7)fNs`<-VO7s#_fhdA#Qzr1F8QwHsFTBX+JcW9 zeX8X?ynO7e-G_ip(2I_-P)A7^L57TFVJbeu&x+8kxzc8$L_W%p|NzHIJy&eypLf2Fke4gte($#6uh^~bQXG5|GvO_3Fi-$d5y zv&>G8BfgF=u zuPIhM7OeZJ`IyLXt{+pT!c(;F1z;POHu+8=`=Eh10}m%bOvxC=6V(!8chXXFgR4Jo z;l87cR+xzM2@z6DAJpB0LSg3_=b5&n5@WRAZ{%Mz7C+z4*nZ3OFF3WS>?wWMDBpY> zH{fFAX>7xT$S&9CUGvexwPyMg^RD`)R-34nx{S^ov2CC8M^L`aKuEj3A7t)c0g=k$ zxibbL;)Hl3EYc_N$8;%U0fUTu252B;G<{!DxYKyFV*~y=Za_su(8g1WvMS1uuoepH zUZD2`BS>}A>#EYxWxJ5jK(c&OQQa8eqH7>KBK9`4whHr+9L7-w)zrWE79{}o5bLKx zed$_9gL0Q#Xyk4|ZJ_`b`g?jyclale6M!FY+mLJnguTW1TGCrhaJ67}?6S3IIIxAa z0?ZBJGK!uklK3|$d%xBFFl~szRd%tl^^qpGjgc1ePo{*|bZm5&Lg51wI{C7HH*w(y zfN4~1U_%0~VrQk0EP66jiE#SbbO4l_$_e(N9Ok44aEIioOVR3(=Xq2l!Oz7aO47o%>WC@>r8w6JGgq>yB{eGF3kL}_pOUMLOm$0)qW zmFZCHK@Fsly&+TWP|VhinTjASQDTf&nWQK%ZzmRYg2wPJe{&{I*Zxo=cLJb*w1k-# z`XwQp7Ve4G%4-b3SUp#IftZyYjzTR9J4Y7ae}h?RIXz0Tv`xb!VR8rG>?sXa7SjCk zg=~SDyGM8fwE;7rvC0Fau94f=cau~P?z7cxzg$n|;uNW*y&hjq(;BDJkHep08)aJ_ z2INfu)||rh4*ms!JXq_^l#*3V121F+#S4^{*wKr&R z0TL!ehad;%Dsq%oUqx7dAy-GksJQhf$(pZszacvM`ree}W@^8OZp{-|8U`Q5gGRyB zAV|j0FeE1=6;G(SyGKyk$~*vHwi zTx{IhWd9!9X_mE`wjTkS<62F2(0^?=eapLk+fSONaiQY@0GM5%Lu zYhU|h?ak~zg=&|r(|EQ9+cZm0#-vU-ewGm&b5~u?@D9x(!E|`pHvtKc3f8XE_Wefw zJF7Y#0^Ms6IF+Wr-YHQ3Doi2Py72>qck3(O08&)W`_RgD25vt$4T|EW0`?e-r*^&> znag?ocDx3(k9r`g7x7pO_~U#|o|cg0dO>*}=d3z`U*KZc;IF{FNEN=4+e>B*MC<0Oxsh zBx*Pl9Eqw^$RIG@fI$A@|0;W$z-80$X#o|<3YknheG*4mWu)H9Ngw44ZNn{ z_A^Q~CC#X$FA|;#Z(?sS2*1#AiWlId;C;*uC0X$mQ7VkVgO$F-rqiyhtak2|l*>*x zc058tMLUI@3L65;7U(wFY2Hpu%Bp{DegX2lW63qE!5chj6(Wn5rX#>=pm|zPo#Skb z!7~MkW_ccESYai0`)5$M@}#y^cN$>xq#vaLibaW#8ggsQaM@s_-OzJh5yJbpH?Sf2 z6(Vn(zK?&|uy!O}IyD<;>*i>v{^Q6x)x1 z+T491<-fkgz zIGM((DYThZu}Npuk{s#i3D0D93Y8v@+=AZ#_oi!uAW4UX+;FzCkhdq{AwXWMl)^>c z@gJA?t`A9n!F+lMt`f|L-vq1RdEpA`kt7&ONjentAxVN?kn=)^fs&aomr$y}+o~l- z(_+bNu~9v24N}$5S&_y*+Lv#Y?O&T526Wgx(dQ_!9rnqa44koHo4{C4n>Zujkvl8= zr>?hmDWqC{)yj-wKo5aW#P(h`Dc~5!4car<=t|>$&{DSRX3fG>+iGGqxF1sp?}!Nf z@Y}8doSE6nKN#(pZ%xk^rm|Nkipb=YEkopJ(>27a-b!+4^G+5ow?3T??hCiC@A{v- zD;?BO1B$%8f?YeWWJ-XU#^Wjgz>yyVf`Veg0Fnz+5ju!s)3gJSP#;){95V$o3#A#8 zw6Hs}p=Ju|s>B84NkE8>{OAghC1u~_JI;_X!gA6F{7hzCkK1XTkV1LooD-l(n?j#RG{coKt-)`rSlhBAUl1N0UA9lcH{;aY{4a4R3s!x0aK zHYU2#mw$usJe{^Ex;3d&Qw?2=JBRN3NlrIG5`M{|B)-guqrMv$Ti7Ixqh;6u&j*Gy zuhY{!x=L!}#tChVDvb`cAV#&%rb3WRRg)b~@|<9fsSQ`eK`?&DP3k=$aWypa7yG4ZMx`P zB0Vb%^{3fxFpwEK?bL4zOaHO^U}PD`Gn?u&M-^Ovu zNX|TO2{?jDL`zC&=a?0M#OJEQ5>ASq*3m|^T+T?YOAQakquSHK0UEAvR081r9j5x& z0W1*hc3y!WjmkhRjm5?kkW=Leo(}e_WV?7pnaXkwU0*#SiPWTb9gef0kVB+>=ByZL5-)H2LOu)QJDV zD!7=>+$e?V8|;?^zV~ZkiS(EIyYY0bK7sLg?mRU>?JV&og)eu^+Vp12{IHb_aiujb z!Hx3UQBrgI6EcPjY0e^Fkb&S$nn}wzULDFj@7@>>7-ZvRP{x552f_&IadHOZO#dXx z6vyzm*kI#^@?4JUBy z94jClEaB_h%*^puxq~n zKXGVX0{(+ehJe_Z~BQxEZINNgS2!HHra17;T%P@uGSyCn%%|;rE!7j)n&`p$Vv|vg3JWFq$K8o)Sp)<4*r^ng>tpIC(On_V(2% z%K;zeS%e4j)9itI6kLp=J`}tR1#=O*M`Cx`!_NdtM$~?V9OXV02TKwFwVXI)4zv}? z{c=Ue%gyp(J7a6!dzge|m78AeX(wERGt>T0uHX9#V> zG|$^-=TPC^hXyeBc&eD*TM^ETY_ZO<;s>|qtHbn@8mDn@>@Sou$hC17)y`AH<@+HN z0|Bc~lE@=q2uC*K`D6zuqaa*A@&XGXeUvlf{s{dx-|=ohN@Vqpu}{+jw(t6oDl(<= zN;qH&SiiRr$9oS0TX=8(EYi0uIUC?+uL9>LtaReKieI8<3wuK-_ifF9>BFc*-9Xxk z>*%*A>b;HHo?YlrDz1^9>_x{kEh zq#~fG@7m(r!;lQXBU6S!=zu=v+l!S>66_f6cpNOYWTpToJJxfiE*tbIt7lkNDSn;= z=~;jq=ig!QeyN<=l{{r@7f@;!ucqFPFRC&S`2o=9ik=JhLlmH|rXE0~63?Q)Q=>GB zcGdz*gCZ2WpHC-)K~*Z&(M=~8I@Z`e=O9{XCaW72&y}pDu=vWrxCE(8ZD)M^%@QqR z=Gp^1H$H!e z@0o7wCX9_zwNs*lI$c}j>MF2DlFj4GpdhpJGcvP+-#cG;zHMJ;{?7n0O zuEp2kKL87;1-$J_RC*t*#drw8(|&3bo5XUOwOijre>j7~N*B0Aeb@WkvuB>5UEx+%_uS{f^tC#H?6I0^+rN!P#ne8Os3e;f9B|ji~LtqL-ZX9osJUVZy zrTs-_zB(10iXUQ<>p00=fe+xmc0Wh$=&_=P3aGd%=3f_l11KKu;}8?7+eTyHFkJP! z(hGk8cw|hYw;Jq5mI41UGm$gWVI0f*DJVlV)9zf z7l`-J$k>CVh-Q{2lSK{VV_hbx8qaEDBqoI|CA-|lkN@CX|{+V9%>nC zU(HhwMBmnfm+9(wa!B}Yk}8)o2cNc%WtrK0A0K%GoQNJ{FD`cAn#~+dxu^8%YmU`>7 z4f1X2>@{Yg7M!Y%J&>Yt14Mq=&&+^NM`SHChvQZa3F~R81l7xQE<}Ild+p#dE}qIS zGXpAes#Fc!6B~TjV;1Q3zBiX#g}H)`6P;1l)BY?j!?8@;kC}rdm5A&FL=Fhb?j%Fh z7YJjYAVd00N|_8eRY=GPb|B`H;LE5uhsmuR#u%e35F;r;ylX1NiA%U@Y+zR5*A9YF zt5i@(3+q7ci4Hy^d0*P8-ioQ?1KZdnqG+Rg>@OoO$f+3)*)r-M^2-Au?~Ih`wEZQ` zJ#9w5Yt_~^-x2-xalY^LFy=dd)$|npGK&;p>*vR>IXMJ^rT4Tx*Q5Sx0^}sF1S>Jg zzx%b)-Q3^7t$8QZ3elD*W=)hLl4$VdqaDgV=T~jySnzP8#VP&^cCkD%pJ$ z;=G=k&@azv){f(K3W1^1lt> z80`R6(W7VFw>~FW9=^+x-;|cf<>5HJze`Cfqu@U z@@0a(+(2(*4`+i5me!pNv3F9wAfFYI_>A5H@2s}+i_B#r;&0EvB0JM!&!K#^*$Qb8 z;6`9MJD26V+rX%$PQ|{p0GrsSbA(#FosPvRfD*`<8a@*W%eoNGa()G#CrECaA$&_k zS)_CvydR<@yQ>^LmCyKiQdKh^-bg_yyRoUU>_I{9z+LE~Mbs zW~@WP&*WY53%Ab~OVU{U>**^{LF?@ z4zdiVFbz;1(Zwu~N`#N`oe*2>sPBoHC?p$X!gCLI{%$z*m^(u+oAlaPfic^#p~FOW za(tM_w{oWNTWmuThya0!MijmvSe?pWkxVL;mEeS{Q3Rn{u}IhX9!wx9bh-77)a=rrPF?)WA3r90SpJlawU7NG400&Uh`>pCQ5H^k9zNo(M@5 zQF!+}E;xya-)e-n&mL-vFti4G7(PrXEb;CSlS?(Mlg3YQBw|x%_nXo3NFR0@E1Y@8WF;7W0do3&6 z94>PV5%`AN+;2~%llY;gvbV6cMN$X*mL>|(Qa}rljlJQGI1JOto?jpY4JO&+fJ9h? z0PiwGCVcBrM80<&b8s5GNS5d{tNdXS>on}2VtvDM@&>SGYzDAqR{5-bAkOW)nevbh z6OvMZ0AwRo=J0nW<6JOnK;tXB8sXfEi4fxk$T!H!5q1zsm;~qAdRXbdh}##I2rpet zUXj+}1hNDy-s$jh(NQi>?>AcmoNr^69N$K&G$s*b>>4_d84zc zTpAKCF5M4vb8ZMI5oCN>a~1@ALXcTubtVUv zVWAm+jOq@HQlzM)b9;Lq>;=`rS-KM2+}9>+>8N}hZ=`{%b?PABIs=Y+O@ygw1{6!Q z`#xF}_`w(*M#=@jGbx6GYZ7Yu6X{c>G};1UOUcE*2EnWIO2X0?Q5B?>j}G=U<7o~X zzJ+OEN1K4{wL*_+k@b|GyN$gc~CWR<#Yp&DHTS@x|C-!AOouSfRtO4flB(JV+y}P zRQ&DVK#oFt6PZ@k4vGx09z*UfxLa*9#30k?9146kcvh8!0D=m_`%g-K&=*KO9l@kZ zGwiSG9miwaB2%NUBK5ML&po*Jnw z@^%;$BVjZ1y|hgDo@uu3%^+7c*1LZ2-HIToHCBq7nYyyaP&kNwlYOIO;kvu1-**Fc zzQk(((vh1;9hIn97>q@9DDlDkqZ#BXTm>%u z0l303CA)D!yzJr}{03C9{7v=Tfy8)y#)WE%Kab9+Xq?=TodG_C^ZEH1v3U*gmY}CI z{;a6DP}PwUFRFu1kyh!4%w7AOvYkvRYL98ko?ujkT_GtQ;mbRXXhzj5gXNU+N|f7V4fllZpo zt6bdDU6Jx9az*@r^H;uj$hngDKaV+grHi}I-^%%k)m^@F@&3>C;<>4O?ld^;FOSqc z$QQQ6Z|2-77q*3@KozeXbj`_>g|E{?|ANrEE&UGpjS^WRJ?)8&p$1g3& z2RSikUfa1MxR3S{>!a^r=l5T{o#=ev9w>tgpsfGO#J>pG|H?#o*0NdXTwQGSE=V<@wn|yB zRg2B9aB}ry9H+^NoW8r%3(|UOp5LPN_c)jBVu+o3T2S^$ngs%z@F~sXK zRW>4*{4dJhJ*V;1vNK?jRMzv{OvmVnZi)stl@h3tR&e3!4`k3Tt32 zbfQhEP{PR+Z^m3YiSaIlT~{>~c;z0RlDi0MdR)qkeaJNhr{pUk?pBIb`KK{0d@G~` zboiik%M_U&(;vc?nq>?$J(Q2DprSn_D_qzQYF0!e>}NH?CZ~*LASP{Ua`Zx3@qjv} z8X+88`VqjVf?l{06=SID6(wTWjt{J7p^%a|nRz1`>-K*wCyJzy%Tw zNN1(bvh9~!22u*oH0#`wjfpjs(eMK{v@Nm4D5+r$1rWQ1AY;VCakdE5(foyT^nWOY zW-1Yt8b9?@j`B<+OQFE@HT^hHqpds~)zt{p%(B2@3`WODx6A)j>q|?DT4nM*3 zfEhGdjM2pr4)oHv{EV4TsKpgGDHY*M`%{d<66<<0^YqBR2t@;h&aqEeC!0r&YdsxaeaKye){LTd zT3eyzl6KtYE|Scq0)LB zX8Rk=2%G@$4Ba+LCo<59DU>n&I1aOx!b}=ax6S(|!+Ne#ocIe^C(~>%2$|JYx@svl zUn$(@Y8t#$^c4ZC^iDs!40G>Oocp8u&D(kwX3q@VRhdb_ARZbAYwg#(C_%lHU zT2VR{V7oPs9MO>B7u%^Fmgl(j174yVGqaEMD zd~WvN3hTy(893IJj6JN7-fB2TUCQ2w6l2F#=ybKL)B230WOpX)ZlZ7Jl~B0%h$pv% z4|xTBD_w|Y7$JaSVX~k36Zc}>yo-J@|4FZQiD5PMG*-JPNXx_6NhBH|+RdtHx9eZ= zKl2E0wDd#(CM}4CS=T;;b>XU@7k&+Z1<5iz4vb$(Bi_boLRBsGK0*SKcj^eaiuncQS`0TDf~gdSo+$sp-{TTPt`~1ov+%V1VC8J2&}c{ zU|@a5z1q5@79zq_OadH2I`t!!L9|yI@C2(9kF1&G+MiWvZ%4PLR!2B5dm`3s-EpY( zmymy4(<`(oMaXC41PMF6n@?rb@uu~yU%2W$N30sI4M&LsNpk#e)Q$!NtEDt}lV>=q zVHSzCAZc!`#S&`;#jCR5D#Jh_WovR z2>{+Otm9LZ(pxm+(2WsmNP5$&q#mcW6_RjvJ~pHe#L;Ub2-xC^P9#V7t1wLb5danA znY}oLS;oC#7n`tOXs^AjV9Q8cmN(&2goy*qy2yF(1uB+$|D0$GrV?HLYQ?pDJ zx*YFAF4#4qG}p7qc@|Fs+neD7e#oHoKht~Sy=@zafeO#^rx-&|TuG^fJEz77 zF02vSAnCQNp}fRjDv$|(@Nq$eXP2i}Q_CqMaC&9wTgHIK-V|pD(J}>;Haj0tW!7Gl zvB?PR>S6@N0x>)egJ^5bOcPHAJ3-#b-@pmYV7;3u)_Lg4jOK&*Hsne*>-^i~{A6WG zBAI-@m$#jo%^kq&480k<`iZ~LM0(&~)4y_U;zHqlom8CzAUsaJTL3qmn78O0&uy}s zU0`EmoIoA79;H;-=MWWEp%s=}UX?YjTeDc@RyHhF0rAkMbcpI_Kjs@)75;>h=(&_9 zeK|R;TBT%Kxk=c=*u4jJe02&Qpq~+?i^?BQ#Tnkg6CO^&n}rLcj_Z-0fG<`oPCvz5 ziLY~gS?~_1?s)qdhEpQ{v5J4ypNwSR5DrnVlhN!>5@_j$iMklDjeV%9HE>mwj{dbK z9*Wv^__GcN;g^EZKD<^%iR@6^Pd9|<3jUDWHzUzVrP6cH6sz*1?Zf>_E_?n0fZ2{f z)n@1~e423W4lv#|4Zzk-g$duSNx{8$OtyPbeVXgMX^9YODrovqwA10%cCi;g7+S}q z3Wy|DXmE73Nb@Z#G0&z_F_v_hz&X!jWBl+PZ32Zkl8eJhm}?Uq#uhQhNSO6c5?Gy$ zZwM85C{rO+h<8;VDre5HtdwId2p?mCdDF9>KH1DMW9cv|go(pBxd7e>qv9I;aR}HK z)nY$u67raDLFr-3DqO|d@n?pY@Byb)kYhaz{G99pwVdry7i4{0qON;4tBCO8W2j|% z2})vT5u@!bCH8>FYGW5rodM5h1nL}v>m;U&0l_hbil*l2#&~iBOvZG4*6@c#R04a# zHSE|zWYor~>-uqK-V~rSH=GnE=>7bt?vBkqszoYhJ+{D`LYc|j;EZXApfiwfrgc{K8FLBrNQU9f>?cB8{_cm5nzM+W4yh9kT6^N_YIA_F zjn&kQz>Ii+(&HYMuLJJB4`2;V`%7?}g@>2?JZ46aX|Sl(y>sQvm|jTJjkK(S1T;0B zR|bNw%dX|;0MK3kK_C~BK8g7*>szOF5)3xNdb+}LBw~YE<(KtsjS?n@gNk>ydHZTO zM#zFDh#~jw`A|&d>7mOPjzj7n5@{v&SmeFJd}+Ff?evFuI(Y}=3|TT&tf*Pm9GW%C z<6iRy3|dKZYhT?C^;bGv0>Tiq@I!h}ZzapN(EL6+y|tq{%Y1M*rf069)^J|;8e|8o z&}G{L5aexpiyECD-P)PoOepP|VDARp3xA%p8GmNV7bqQPYHv-_vFRVCQWQxM)_Av3 zvBJ%YS)@PIEx<-=7}FDW1R7@@qsap2g>|Q=WuJ#_nAp7RhSgv=s9&u-wJ0&RFqCw! z*hkrpy-7!S_mK$e8)%DqPpF>MHV{C*Zv$$R_bN``s>l$I(<(iNGnbEGl4A4T7Vqnv+SDOHgUOLv1FE{ni zJ}4vHu>*!Bo>j~4U{}_4$YO?Kje3d_vpVw*s19$bJaY}?gw)Vd+dzDCz?q(Qz^3(t zWq}O$Jk)n5O}9NCT7J^hho$}|C-?Y^-S`au#2I|6ve3xFfaAJ|uQOQ+OJ{8|T^5hH z@Z2@B^zNpwbf&VwDEk0%<-x3vCV7myVlcxv?+NRKoYZ8r2530-b*kq3Y(#y0!6+Z* zbvoJ^STYcK)ILo5w1&%6{+dgvCD_{!cDS=zJ^br|IDbqE;+=uaIp!~FenTvIeS8LL z2%$}yZGPrPK#=O6_~9)$!M;;|>aBvca+n?lqfRWD;!*KCltx8>H?vgoM0zLH?exH< z2;WoLO_OJ4sQm;-AK8xl10hV{lwska)U@aDN9xX?uMRtb0<5ZVNrTX% zH>oIQ6{ejzLSTA0e=^7#$F8sIeCxh*Xq$nJk>C8MOF3esA0n29xo=u?QwWneGO=S;%za@N zdvE4R4t8{0Fx5<-Ws6=MP2%HKEg|@mim}2+`6k%BEfF&*J<|)Y3R*Ht&_5haY1yPi zU(IU27MfDQ2F&G#6m%*x2aj&+fw$zmo}SMy53%<|iRn1W^_?zB^PXSZuKOGEzgG|P zXV-z;Q{u3a`%azk176?y7QdRIyBn0Ic%aeQ4~xxDuoDlp=HdNThU(kAnGDUnhU&YD zT}W*7|4wv5?CEMS`%UnFkx@blpi@WCuY)D0Jn}`T?w^R?izh5$0sl!Xb!5RH0(6i3 z_M_rohCjbKND&F3rH~OPurhkf30XkG%@gvVw8&OPNZyE6Ds1$YR-f=`H(Pxp=SRM; zj9xwBeG$nwb}`L+ZJ@1 ze1cgRKJ`LFs;=_OnoPdxUTbE=%s-mmkBEDK`b5?Sr1lX;hLtPz^|AYuQOkP#qKt0n zBN4-z!QY$=UN>T8y>a7|i}f+DhIN(2Zk!Kn65CggJZpMm`_{AOT?f87+j(d}sxq$S zBgsF0eu#TX{5v;SF0mYaaB)dg`5(XdcRi?x`lM^`AZI`Ebojs}@gGHR3y7-;+85C6 zqiJnRyM3Axye#3;iIg1cXG7=Z*sf3ffY#oH_xN^2?=W_Wr!O^RM%08{ zRR6VT`^i4hYerwpif!JmPBra1>FyhIDDVBgT~9?{>X&e3^eR5?%lQLyFPz*mFae$W zh6(LSJ{Z{F@l267V78L|a6nqMd$lW5fQrE{qnj_g`&n`RBqp#%U-N;*$ zKgd;=Ur;oR$q$Mjpb>S3&j#OEk-xTZY}1;xMao^L3Wk&&qXrEv=MJ73 zI_=7%#lxnzuUS|8(y(^F;oTnH`h57@9YO0y%wuk6dKTyw4EC*F9({Y|$R*-uS7WHe z$6=#4r5Ue{UY$SYT8WQmZDaffb{{wPo0Ia~vD}Qe0|q~z_1Y=Tu#e_`5cYAJylC9k zYhAUa&5f1X@jG_Bt)0;SxBR{n_8fblo!IT9k0x}VwfEJD2d<3yVv?qP!N6{Z@4h`G z^45dTHcmc{7Y@vwAEN#uVF(oy9(f>O;lPBGB?H{vZc86t>-98jdU*L6(>vi)&n3S8 z@ze{)q`r|oZsjS3wybxqOu6J5v`PGISg1~OweDg6%InpqhD5}&?3-o6*p zfA-TyubXOe1Za)%8IW$uBCl`qHA#OtkYNF_uiZpytM1({Pi^zLuQR>nqnDxb;Hcdp7rgS z+Om&43;EesBNzFEg)N8^>`^x=_qAW%Fmqn)K;M#;&5_?MDp+yIRd2k$>ZAI{Th?z~ z+{pAvb+pbJowNMYyLUcbzVX4;Q6naVpL#WZ|K-d+LfeQt-@g0}dQz|=ha`SioHl-I zPD2J?+G%Ch_^I1h9yxGg^IW|1K=i5{`;+L^@+Nh2l$(#fHo79`$=V^)mZg?V&)+k~ zz`nZCnseWO zUk#&PoDZkZm&N^Sv1N18c4lLFK-%`S?G(X*inQ$(IZ|Y&!OE#fO9Ms(4HW?@TIq}( zrExYYlJ$`wgkH^sDR-u&(KJ*SpftwC7SV)Jl1QBjFxXTm-pJ00-I)y^o%Z6!_~6g~ zZZaQF+0^MJ<^MF;E=sdVZanb^wAY>A|7oxP`-1<+Mj61``>}p6a#gVkjDToZMts@- zk!`uwhyCWi^?d%D6Ye&;|{Du983%27yjr>9Nzl|lIoTATKsfeB%ot2`; z_0gEXfw~VogW*7yrCxznMB}WWe-8+PgN|3>AHfN=DILer@Wzhk;S)$C9E@&wae}hr zqdHFL^Wvl6;Gg%xElyX$r{Y{ZBB)*wy+T2`kQ%#!IzCbcXfr_AMRt5kkjytlPqWG( z*&J{Jw^GLxE28Pe3V3f{Dj8o1f>V?Rx|5#fTLK|L~6Qho1<5HYHpo4iG|uQs9X!W(74F@4?;ZWE?0Aq!zM5*N#ikXHozB zLgU%m>;FwQ?Mf?|@=sU)JFZel)y5+t5lX9*E-N6??OA z9~wA=2nji3#2Xc(adLm z|2g`9x9$Jfw>Qrcc5}1re-SG0y`@<6D?p+DBg6IIq{{yhml93GAi(htzcQ;s60Q3` zIhOmdQK*|P>i^;|HZD%<|7+K^g(cJ9yJK)m$_zS1yWY(rHt1R z>Q4WoIfi-wm+U{3%j_DI2&9FeI~MjryeUOAO=8FYBR&?;q4^PC9rwQ_uOt%&{Y&uf z**`n-<$nN&vrvVx={*o6WBLVk$RXjR-~TJ8jUWHR!^~b0|NajXbG-duCT7;)@+G1F za50k$5dJbc{g`L8IcXVJmjoIK(gB1bMc_1&p!BN51JqL(gsvU%Bnd_$>k?dwwLw`= zl^uEPKmW;Tux|yu(3ukJk;L{uR-v92|D|UZ1s|FV=*Vm*Mxbt%?2ZOp%()dd6L5b{ zr1c=4Jxw8*Sbvbch(|!*s7KwHdu1b$V<=)3iQM{{eV`>> zDns2ZISBP&bJ9yeL~nwuW*OVbHc5sOp=t*dEpuHxOdKde?9d);FLYx*Q zFq=SCHXap>k!96F%3qWfOvR)J_c^ka)d2TI!6tmYFJkkp@76ZU$oPW$2#R58ksIkg zBBPC#K}f|b6{5XGz3e4sBnYm$eJp=~t_1r9W41^X`xBBzS`k~y#z|TXk+X_hr|-wQ zmVu^nHz=0>&axk|nT}GKJI|NNTbYeaZ$O2*BN-K`arSEDup{>epdw;Q9f^SFhZ4>Gx*`Vh}(kTinwyH<32b@!VU|eatO{rTm@8R}t`TS1w2NezxbzKp7Am zOI?D+U5x#=X;jTUZ9>f3m?{V2j$l6%-6u*~-o-?uy zjEp@l4VFFMgumK^6O9GyLCq#<5=^?Rt?rTX+;y_VHSm?ABnH~1cqU>~=y~T2axM*? zoblCibT%7>bcZQ8L7~|Yq*@!SH>n|D%wHp>vC;$3f=6f=l&4zS1Ek;lQMY)}2tmHi zD&{EktJT%W1)~I2l^?K#*?Oy`zk@hCvTAevn6XkTdg!O70#(=i9HWq8LaDl0osk4e zt#s~9;H3dg`YdS+iXRJ8BLUi4RqpRt5e#3f-x0{T%z1unALzY4e4ankg`0$|=FtS2 z0n&|sxQP*!ytvF`a8t)8m*hu zM8Z{nvAXaMdU4flmW1<&!THI>USbw$Hvd6m*i$1iN!lVzT*94b;A>z6b_9j3%*Ob1jsNlfDHT zmH+hGuPyHruo=!ftUpZ(O~d>To+H(%-(s6K7IbeN7A*!Pz;# zEFz^L=8>~ZF-ESrqkI9MaZUlQX5*nw!V@M;+omSD!mpqX{!AlHP&S4jo4|n%ZKO>4 z8*^RxP$ik{^~@aM;ANa$za|7~n3^ECm|58*X?7!IU$@KDy&G^b(0j(NI46l1=xE1d0m zLe_I(QjLO2&X7e=p;Uob%cYo;RE{@&IK#6br@x{a)o%s-PS)HkhHQY;?$=Cs>M?As zWsfkOCw0M?=_l^d)i}e^9>-yPuu_vAVV#7R3u}d1;VWCW@FpuzMOnFYY+-u~dv%6X ztmJnQIvp<4w#%2_OXvtxR-lZm>8>leGDljBYEp$EI#b3UNc_flg9!V8wUL`gR;P0& zFL*pXngmZFESw9Oc*AHUpN2RdM6=?(3-t`ra zB^f2G6k;K|*{&4BjZ2yQ`D`3L8z$x};7Yhw81mQz{>wm+cDEwu5p*zKX&8h&`q6sx zdZl+a$r7|Ut^=Lp9AcT^BXrVrq7Reqf{qFAK;yVK`U^2Q`X3T>1Glz9?m9_rtn7?j zX8?=$IZ&ZHOUY)-85uX3x~Um!5O)|QWy32#c4f2G?;Oq#20+-9YUdxf!WaT;Le70wfVCUqzuBtQ23K?GK09AGzue5AIt{Zh9D^j{?GGcJb z_}yR}EBhj*fIW@fj+5|cZ6?Au&}D6zQVPM+*H|?@M4K9GwZ?yA^{^XSms`8CUBol) zu86rJb;fK@K2J$7s2iBu{hkF25$LeiqwWA7)jgG3Dd{5(KV4;6;$!)NF`f%D=Bsp* zYL2sGv?YYRUbBRmlTqx;XahRXWsS!@@r;(AXi&mo+&PHleKpZ{4yjQUPd z#&jk4SKo_k!IN2n#kC-?#aguE19j!*pZv;(B06zxJvst)r1!bkVfngjdk-@|l*9U- z4hv^uaeri{0;Sn9>FwYr!M2zX_i&uGj#-*iCG`j)Mw4IdUIbM%m=<$C2R(MA`&{~2 z)_T;{WP`gFxUlntl-X_uLn*oDP@ESukC~^^5_x?&%t0NDoDxeM%9+*J;&_Z&A!*v$beuo!r@2kY)0+7>`~?CldppoGk(L{D za?37~!VeC4l3MqG5AmZD4mT5<@pGL!1zA8mc#urS`1xzUq9Nw zF11}oo_suk(ioGJ;1`3XCP`MAr1A)9(9qK3kN|JG|#?ghCT#vWWJBu zYM0c?!u$NRU^3pQ4@o3M%gr~hRF;_WDO}CIpZXF4kdQqyz_MG0J6W#FUCnryHJ4eg ziSUQTwHDItoNm|=*BY!-=lW-brGjhU<4kvEvRJ8pPM`rq%QT!djC6DDU}LQjfOAaW zCG|%FrJkuGnfmtvAPFN_j97m(07~}jzomPNqrs7tB&>fwz#fH?dZ^zEkanUZhja-E zbG&od0lIi5#N0!T#A~Y!o|bB+v!w(xAyl%r8L}4QZs)5=c5JqKXHa!?-PD;vP99~n z?tvm+*I6oBwJyL?sT0Rhy2HUh`{24lX)MbiE5$BtnM;i9GU!5KoX|j`9icL59(nlH z%-@AhP**Lr65ATeaTmG1BvsrG(yJ)_3zrgWv+skk$q-DEuZ(hV?HFf$k=p}l5wXD# zDfYcPpHC$cxTRW(-=O7ER1;}7(NZXP(u|9LkC64SEz;Vb2heZpl z0Wi$cJs;z?fRg!aR|z1EgTnbU5!{N@BxMfG>7gP&X`*d_ysn?VOQ4$hxK< z6j3*PpkEKV_mkd*R{PrxdiAp{z=D~__YPwX*%y(ycVw;tv;AzND3GneWMi%!6--2= zYt?-SGmILa9VGrMrOc@yK75E*1#6$o|0 zCW-)Lx>nshoY^a$ZC>$$XU(X0)BoGm0d)$ha$n9@ffjZo_~$-*BQgn z^GdY55$#E%3EEdE#%Pq*R5ijJ3!3N*iUnUnXflq0Ejot|r7Fm7=!! zAhw}8t7@CC$pnpbVv{NmP!5z`E1Nw8FR-JcSJ8NI((|MyRB#BfKS@VrV(-~U(NB2@ zR<`qb2*{Y2<3$rtdGYMDiL(i*lRTYM3ie{s#LCC!jS0$jY2xbQDS&g$k2Rla1X8INl zlRa0-PpjkwyXDqmU;|+_NW|wdz5x~zBVm{aV75}>O@&2S`1ulaehJzWA*(u$4C`h` zBU4Qxer~5~?bPi!S=GmA&mK%3rw)(-MGKoh{-lgqzvn21a#;h%^i5nLb@!p7GkT)s z&1k$0SxV)f)u89=JO0V~+3zBgJaLHQM_E-0vW|JLE3O)hw!(`eWbj`;LRNJPxs$M| zA$5VgsxSIsl8h*uU^$B5@>U%E|xrw@1qB2>Snm=6`tv?kBZ@@u*3OO zJx*g|ZMBH+V!%Rnw6cnNBPwk%@)bi;zCZ-~isp zI;;;d5JTm4WP49%ycD6TjnTcWOP3}fVL7ji;`Ul@fp5yY!><*qLwSJ{=9;=2LK%r$ zruv~PWhNJ`pK|4D(U3Ji_Xmgid%fx{4d6O#RoO`8Vdy+M1(nb5*#2(O z4^HQT%TtlbjKo@aYJAlt#Kds33mOm;d%iycHIefBaHg~wF|2zDGCTSKD^?*m;-(z8 z2^IKaB62VP2`9pc8;Z)aP}L|5Z!#BWxnuBxDR`4s0~DfZS~`}{?z3|Bl5mhHX@)?U z{fZ)SOTlSO6@fhihlnk{hiH3w3@V?7X4_GDBsz7cWxXwg*H-m5b!i!ASs6f%GLg(! z5O+N|j?dy5gL^Y3*%>2IIs7aggvv-!YXH;5y&RjlsEig=ZbubCx$nW%Teczk{)^v9 zPPnbOcA8>5Z~-;CXS@i`a2cyt=a&f{4kKwT0T>%?gg@8wkKmG zpOO5J77J^EEwFx1x@{8TzXyDzc|(84L7M+LU7Anxzs9pEhes6jMVnp$a`@bheg$S^ zPVs}|#S>8yXV1ghV%45&C@anUvjx`Ml{{vr8Y{cnmSX;(iW?5@@a!Ths<;5}XnebJ zGF9L}YeB~5DoR>syCYY-ySoI1%#!|1ozW9}G-ie|Tg+Yh^KJ*}q|#{CI&muO zi!3mly*YMO+&kl4h^t3G6ThH=?gp`GR53&V=s-m zTmys*Or|puEspQ5JuwDk2L(MH>RLeR1s%;v-}?$$CJYd-_BnD@eJHJK*a86)GZ50? z?!e5X+D{nXc0sPvas1=nK>Vu;CoKnTxeyg4jCR=vq)x5iguV1O+b&%AcHJpvg(+Sf zCGGMrea4uWTz6+AF2_UA#rWmIRpGg@x>r_s!Fw|O)?Vh#N#t{3C)>~bei-3}y%0kf zIzAJGtiUu+8SgfFJVI^e&%^o@wSg9mdhEcRdpxHl95wQRg+NT zA}%A*CN0pjrTq7Vq!eU>YiE2;%sEHOw#lV-&awk(atQgF z3%e!KS^POAiFSTPb2ho3^E}OE$ooR!Ni&uTdg;$iGCu8Ln*}<I?Z(nT zgu2!m@q#YM_9rq{JI?rLZIwPsV%Hg02J%JSiN&%Gxds)nvf@|Kf@`RH*S>UQ`x#lD zDXc4Po8`B>;%?g(xq3<@)5*3~&SwRg)ZBB;)c|9cDe=!;_jA)I%h%{|S!1E3kyPMprn^xONHeO0r?rKKX;^kmg+#}qpf#4J=!jv z_JI&!vP0UEOkQT57v9q61sN-x?FsBuRaKgKw!ahsCvXY2Nx|YnZme;4scE`-NnrL5 zn0ei83>F1uDomt&ZgSE<*dJ?u@E7{wYnHx!TK9_M99(JZeqDIZ*QA0kCv;xc6w-+w zNpL4rrhm7{{w`JlEzVH$bpizcsyu&eB%y`GQr$;Y><@(P?MX*Uez60e3}}&*gpi~B zd)i|+`FScv5S#O-GzOV>I2apfjoUWM==_<>H}pWMgHSo}wv92L1faN#u7f2Gt}P?m z4k4-hSCGi$oWF>e%h@B*^H&i43Nv!^QOtDBUWugNP&to_-bIsE=A$!+C6?!Bn? zx&n$F>#uWV(kF7gHinC|T#&1;hE(@PWfhk#3+3u>Lv+UKD^d)yedcHR(}!Hl8tax* znopDPXxk748IijO<8Inv6QMK{TyIRgmhW)>1(hyPG2CCuq-`yXd3TU4SE-T*^1lY! zJbv1DLkaNWuoEDr@i%k2LvznyuGZKVqo!SqSGs|lc0f>cJCYV-X$ms$4?!c3^^?N= z#jVvpw*5rDR5j-_=gmh#Z#0^lEMp*jHqIExNasKUEu%Lgi!Am4E={-a*gK2UP~{2) z;$C237qh!{bM#A;+1apsRrNx%qfmAU9BwT@l@HKY#fX`6c(pqmf7TxtR?&!v%+iKzR)tze z*kMw4g*uRCJMj^r}1ndzIUzHYuiWW7kn&hwRWYdSMy#6{}!%k8zP4k!bA)}AM@)Su^ z{Wsle=_!si9uIIlLv1s`RskzNqqY5xRQ=)J@*7geDPi1QLAEqTT7tOG90OU)TBYq3 zq<&d-@CRu=5@te{aXMDdRk7g^_gAe_t9GzS>lwY6%70UtxTYO z5hIzN=EnooV?$JHRO~L(1Bg{b+u{-bN3beGiPYw6MSOImWvic%uZjo+Hs+ZEDR6$O z3s?QdlbIv}wv=ERY&}DTmq2dmNrbuzbjVoeUraRE7Gn^^SA-=@w0T7!6cO`$2&GZ+ zjBUHj`5tTwB5ZFW=LcK_x7%VC(m&-4+#aBp6*Z((_m*S?%}!@A?k~KQ8jD=M##Kzd z4^AM(s`4SQ+&Tn5<6WJUgj^cubhKc1GVW`v7c5R5crUd9YMog>BGfW>6ux42BQ91Q z(U6sxKN!I8TUhnoarvS7Jv9ww(zt;9Zjco!_aj5|
I=|kHvSE>aXTggWA zY|}}VrO3RPvyVqc7t4&&e=y57oYMFOaN82sFsj^ihhlsW_L!OmmA*VBJgWDAY!lKB@~SV z%TwA1ev{a_^<${L?##QD(k>tA7h(keCda(VPaURWGNiXxm&WA&X-PNX9I8*e@$$%L^i9rm=7a%$=wV_rg%!`WvRq%nLd80VXb_tz|VRHC*KhpzSjz9Mv zzfN$aOCXohLb4OlMXUcyA`O}og9wA6_38463k!5az7lL%_Nw!UxIyLC#fr9zHbdh zx6h5nj$0GhJMFjC11r?)l~BXHjg5D#eTn&&%65N)#8^uIXt!+?^4RexC@;*E_WRUa z0>)M;#gG5dkL{IFf<3bV*I|3&Q*)Aw5PUTL6YxH(4-aANvFt|>1FdTn&l8j7Bc-jk zg`dw#ugmWa!ppEl@MGSDYq_4A2n8t84;X!t)5cHlD&=Eg-MPYti^*`|qSp&$lun}G z5@@Lnf|8ZrS)HS&a^_>;X}lY_8}>4!rX$yM#M6XS=1a7xIR9us2X#XFQL`qF$+g)1 zS<$c_>f$mc%b-;4E!fGgY;%+-ZJ2}3}Ch$<4!>0bT&aH1gJGt zPJ++5{^d<-8(AA-vVp7vk~yzACm%NF!#)InXPGbEuOf4!GQeCfJvBA(^=O z$~)vWOX9HjYYa&#p)5_2O;Z#knYb2b3Th@3S@USiiw>x*?`0Xz^y?%@%LB z-$$P(-A?yX<+eX%(rpFzZB`w7OKc|@Tns-+N$SNf!5HiVE@km538mH;d`X6QUB^p` zB=G_rS-cF1N9h>da@#@V0;dZvl?0ji70cU`Av={LUZTerjut;R4kXg&kTb40952&f zRKeOUe$nm^=zw=M&X+*|F9wU(DPH&7u&L-8HZy)?u??65H!T#;P>45~(>li3$SA&_4noYG~B}G6X!mwN3A=QR5}!ck`vgjI07j8SHa+-BI{tO{@XRQ7^0u@uvaF&xMA*ULW*+W$%*Xax9V2|AM z39QBQkmn4fwqNzLzRV zBj+5|=k%~0Bvoj_x@AfEiH>9yK7?a&I%^=-VGZ_^GJKq|R@dpeGk<_AvTFoxMQ?6u zRE=RDeapXGb>=N3`uj`KlYNA46=|9T|b}e?E)pe4dp;Idu z9q^eKA^kmI*k(5Y&{mk0pCZL;NsNnP|4Iz6dyT2FK5co`BxjP7q?!$E_jaezPO}!S zq`4`7SC$}2h)F1DLaw)PCTgvo(wv`Yz4hyr)7}{{l(yN*e4*5o>SJE*M|E>o$Z;)u zhKkY6#hH|iIS<0I%qhW({LD91#u1-Rh) z8oy>{unn%G#KgS=)k&^X#H4!%h)$$WWU0VK!3_HpCdP-ioUTb!4E{ZSE?DjPpg8A} z3$AJ_#c=@v9kVsGWT3N_ufhT7@Yk^|0g*9nO0hSd+{1Fmxw((#(-~xWO z#QKZhaXM*hCmL9oC5Wn)b}mIu!rRuGTe0j1tzWshl?&Asel|WTMxwHI657(rCoI#w3XWZUa*5 zBbe2elZ>!~4U@cTX)k}R)wm$su?LwK^c(|M^X3TtjJfFiGLh#m+uMThyV*cdk zapaOTC?K(ax?AhwAga_J;<-YHf{LDWLH;BOwu*m{NnDs=JDp`)f~C@kC;c5`FxS_e zfU~C{SDNY-KjtMqF_3hrOXMR`&`90mx_EF~-a>pugxG9m0>(EYozc;XnX&eb$oVcm zIRe_Vt`J=RpJaCGRolhDx)PU~9>9E1=%apB%`}J)m>Atjlpx*4I?nJtvk8qfxY=am ztIE{H5z;Os9;%zb^mCoc&V@aeP>_q#+uP4EZtm;sJY;@30xtPpr4corXJaAD!`$Qw zA!BD4uDYDVoN~QFaL#8Ck<*p2{xd-b$K4G{J7tZZvepId$UPNpO+nIJ1pA?RT0@{d zCD>L2j0vPYn~mU4>e(sma&?8$8NkL_`d|>`vmkN5GhMNk()8-3e`5n0nf^UvGY4(4 zZ9%FbN;W~8?gupLr~JVdGW@<2w+GwDiCmr~KymIS`^)}Z{jl3nazQ1!O`0B%XcSuzM#guXLdh}Jy?kF=n2&@P*r zZ(h6;dsU8gDEIG8)hCl)<|=hF$d`$*3FlwYxG&<(y%FQ#1{be_@Q!3(<}1F#~gZE66H3mEJEMP-q5) zuz8apPieCv_j-k6vfVurxt4m`(U;~afyVQ}8Nnf%WDTiRjU}p{DnOFVqs@eG9c>}}w%TekEh)IF8dFaDU zrqSwG{JCg6R#PF63)WzDsy`RY9?iau)C2ut_W^SA!a|Q85_@}{G1@$pH~R3tQx{Yt zm5e1{#n*)yuzI>W*MZzQa`a01v*qRhmF2ihS{pcXoH~o;g95zwOdjpaNcu@pV7-K_w&cx&YEoD|RG3nZ$MG zQC-;&8e1B@%r7lJax=_DIaR5MN#lB%uXK5>9)Zkn4$l?MUW+Vi{iFlI+S7qdiFv8g zwiRh-4>b)iE(^Duh(EZ*7(v)UTb=9*?48P{glbJoR^Vo(kFM9 zj6^c_!miQ+3K~m$BMx>ygw;M)F8wK^Ga(GaGFsSoGmXcX1oRiO|_?n^6PH zBpLgW=1tZQ#ivZHIfyqrXgV!k;qn-ZbQRMN*b^BpMbUlS5sNb!e|G`R zzIU1p*==T$NjqsK?WCR1geJ5@Gi}l)(9jebXrYA^T4x&OD_R5;q#*Z; z7Oe^hSQP~nu?i|GDkusHYE@7a6jVH-pzjmV^F8N#&Tp;XpYK|4*UF`n$z}HJz317_ z^SM;?=NjY~6<`S0^@)5j z!S)+#;`j;qISc9#-{38bw!v4PS%_;3x2c!M8qNBSpY7u{28Tu-6kGh8qqRz3v=+Y8 zJXS-yUp~%1#HLe*=Vf+vu91c1gI z39u5SNpk}J=XFcIM&sdZA6#%F`Ury?0A!~DGwytn7d`RQ_-bUsXOx z^$z?y=f_iMZV~z;h=W1A66(@vKMuy5V8a(k_+rmgv?&9vbE~-0YN{e%!18i1hHv+x znG2wX4u@I%h7iAEPNnup%tbSKqva=2{c$1Q&@GlZTsRpi zFGGli7$sPbAQ)%rL1UpF^*5hS=bln{RZS3dBLegCe-A8F`g4JZYoy1d3QUlXVe251 zBYBQwo5y_QvjOCc*tlBbcE+_yxWJxf6p&Yg6=}&#z$sXe`8!mnG0>%eL<{00Q^AOZcFya&Va zMl5`+S7*uM=v!xElv9BHV}BI5Jkk z%-{{k9Nvb*(p>v}Ng*J&W&q7V5(}8jNj;~$v%S*WJi|aptN0V!xe_uBGBUW zy)dt*R4(+jzbLidZOze0BcZZ0LY|B~>8SB(G2J>&A`cnnS%DolOxhx5U7P8#qsFhx z?8q|@H9jQTJGLpigqC>Fd-u@Q#>cHt#cq7P9JDKL@GrFX4GhDXG#SrmtgyJULt`xA z;&XQvQS75Dy|Zb_xl8sd)bOe{(17#EK5y9aei{foY>}x?@^f=v}s5gD!e{4fQap78f&IX@)Kt z-|{T|hkaSB)7q6h3Qnej(zx!*S5#4BbE}Iw&U_s)&+iRuoxpTabmh?^Wu^)!7NLA< zv;6wC_XEp-?p&&CI6&iEp{8navDvMqJ(br~mQz}xuYZ&ZiWcJqAznHt*CJ&bR^Cuq z=2uh!*FT=Fv%hPQ6EJ_$_L6wg^9rteRV9C?cm8R&wTFHIobl0gDBHe>eY-fX2L82v z*hBe@0+N2dVNSfSLc=#H;8@(W)RAjH&{dv60AMu7q_iQ=aLipXF3>U~T82PSITc&$ zGV4S2Iia-xIkl>ct^u4~emq8g8nN$XFpK%tkx97pV~FB=jSih)28Wh8lXC5)HYQD; zjdu4J6N;{NBr-R7h$h76IdGfBe)P=c7cI}lX7*whcookM((%HH4VE2=G`oX8w1XMQ zJy2zCGKmM-&DzjSm`2JV*V{Z8KW~Y!p#(6f%k{XsGQVzYw=~An%sD@}R+Z00>_rVf zC37MTNDQ}B-lvk{coUi;m&c8NN7eEar02iT(edopvDT}4&q~aG8EYA(_fX892E-}Q z?;0P6BP~Ve?|>G&8#O&(JuHCDt>MX7K1uF`4OK4Q?0YdrqEK9_M^ap%#HHgN4-F{a zgPqUh__L7x>I=%}VCf8v>MG#I10LYSVz~B%)(0f?n0a)p@98+}d?r}mr+g7p?{QoY zjPeaa{teZEx?mSDEWuK35V(mi#7I*C9Bu8KU3dTm9`Hf`9l=2UBJc?A&Ixu=Z}~#8 zcW8rM8Q$YAE|F2-k}?+g?Kto=*t&XDxabCCYQ+yqrXx>NXN!|wzyJIvfg^Z`P*D9k z3QbogGQ|)13ed=PQ2i)&%YD#p3N26N0_c;CDh3`jWaejQ>Y&I?(@=KZ7(SCFr#Hw-oL z#c_bGFYkv8ra0Ws^D=To5y3(E5GvhdUqEYJmdX$0fptRPxyKPR#C}18hoE=O7c~36 zHlNeeHG!`nA=#v%Nr6xJq!Xaq5;!59Dy4lUUv^;rv%qY@0(;4XHUMZ zL_9owLwfp*X|;Dwintu9nf}yi4U-~nptYq&)qJBeFcYRlB9noe%5??eWY^?eN9w@x z)bw=DjB00QBD|RTucAfRLw?O~B2K;-$%uw5R~~EhmHFjF_sx=G$7ydAGQn=HzVH(lY(^xIgejA(x1`?fI=-TtYS+)It?K?Rs8$0pZh} zz%8PK@F~vx7aRC_e2V`8->3Y9;EBcK1yX80s{x5%FGZf>?sN|F@-IO-!0PIyM1b83 z9%WIgXgnk({ha~E7dhbsX+jp=O-#D80Cpid*HzxXCjs}y%Q9t<_>by0ckF|~nt+>|*lBTpa&Z!C17;t@c2 zq5Mjq#&W~z%;WodwAy(R4zXp=Tz~KEFSFN*MV6r^LNZP>& zZIyH$az}Z++5GFF&s{vE>g2hYtMt@i_*765-1;WU6`)+M3e&&p^{p`gz6onZ5o*vV zOMV3otEvl9q?bewEb*af8L%H0ACDx67SEF?lDPJ6s8L7a0hT@qM<2khRLTx_4_Ub$ zuEkY@T4uOrWyW!~Gavf@K&8Dn2Ox9?7P$i##4E!5N*9twbiz!MRkAU29A8k~^{J@34d9DkPH|js4 z{>Bwz(uy%OS(Y`s%vFXPk0&IY`uh5c{NtMa+IMlXG)5yg#0M~%!P}-g7W;`(4VB~ zfy>yToWLMv-5|fK0*sOwz&v-u48N7~o29#ija-iZXBD20osci?n)w*-lJ%s$C)7B2 zcg5Y@(_rpa9WxbF0o0pu&=FJra1ryz&tMqD5}+ z^;U!OI1;9FpDY-FG&Sed-iQ9yWRHr$8~&lu-;#=Ndd@}Nvt0Z9*(m%l6c__H@oq-( zsnkd*zUWBxR`6d69%YBx^@ot+xzb6x;b}nXX;b7MJGDtnLH^f;KO!Z8cwaf%50B+s z4$rbiI@IlMOXIt_>&P5i9yl}s?_s9~xxD7_TDHb2*g_f@w-qH@dryO$D$qIaRT-wT ziVFMA;(O>P zu-5O>jU0@NPrBxe3}WLhRsk&(hOXfrbH1wcOabPk;fO}*g(@n_4+8==bD$ijvK)@9 z3L}rN9i#vd_mP~4E5rpoqREHBi1*j5*j9{2*5J?{_I)inVa{aCdaY-yCJJrQ#Cp!g z24>2S>S3%jF1EbFRL<_iS&DaZH@vm1gR#BFIV|NYq+WJKp~a^+9tiy&=EXU&$hE|M zi#RU~MLCaw33eUIp6o^yb<8AXK6Yq@l4;K(uB7a7ysiW}KTGgoR(XR}=3v8j3G|8b zaac?(ABam*k#NO6nbI-aY?xFW)MMxS21wx@-D_DI4>EE`zlH1D1r?lT;EitAUcW?7 zI#g0b88oH2ctvZ;uv5Zs1mDf^MOt&=O7)ADn55WmtSpyubPIk!;P&{764 z>|ZuLi%J$o87vyjF?^!Mv$a$EY0jLvi5@XeiQ^V~A1Y}>M<3>b@_nRT4rTd%?^K&k zC(Sw4aWAicK6`s#u0K@#Shv<%$AfUMvMSDr z-}!|JRB&DI3R%eQdQpg<*&Eq6QFXS%dI$A<1=e|*nZ>C5e#D=zdSa_}K?u$CqgSGr znI-Ua8d9D@au<^lR+(coe1ByOE`9r5G z@PaOX0zKCURX!KJUwH~I@Z*(zP&8x9s^m(w;ZAmK7vJd4EjiH|XKG^m_ib$RNN$<; zv7kx4U>uoxqSeNQZ^=TiZ^Uw81w51Q*FZcsA2~(|-BE66?wMtN=mG`kdMq$Zf{^Ij zfBsC{5kFiiJ$zTgNzOgmpAIPo73rYUD?d?*QssWQTNzT3?yf;fYA0?9{|5Pi?W1w+ z3iXAFNuKM&9Mr9-%e(hfgD_S3M$N1eTH7*L->}@noNuZ

JcAWi;ye0e4{^;Kj#`6-FBD_zkWl zN?*ikSuU;e7-AFP{eY}0LY8d?%tN`p$%Xqx3vs`qCLeF(S3#`os)8EpC5irQ-3nlF zPj@YBun6w}f6B1b)VMvk6pY?N=d7J{&L25zVjRv71f<{1V}Xglv|18VJwDWYIQ%(E zEL~<973VoXB{gSe&jY?&AK1c)@-rkb3&!oqc*zJ{O&>>h2F6d_hQ=5!Tc}CdthXC= zLKha5!UE(xDk_AW&v8`LL;9GzMC)De*^Bkc z>&Se;z}bWSbe5$YXO(q$MZ|8RYk%hM;YV@3p&+kO>dNQ#pEzpPesBLCK+y6 zLUoxob6qm9TXyi~HZygOc}t6wGh2cyI}1Aw4TGQ~*cdei*_bnHKD~hYDbONQxYefEv zc!b;S2(`ymOPD%ZPD*<0a2_%V!z&(ZdA%e?RSme(V{o3u2km{$oMYppx+k#N1hY3i z3^-y}Iu2M4r{S{!yK|SO;~xIQ=H0L)x5;!WG;vOKpet!6-P{Z4Pki_KBXhn8 zFCn>P1s>~<<3Up=M_6ZA8V{vDFDkqfans5_K%q}qs|J0rH6~C!XMp4F!21yFrTQBj+r-G`7h)k$FXtAa-0K^G!qbVVvw_bCaIx)6tPP+f5Co_9L#zVJhebDk^s9Ap z7Fy63<^4p#N$_d71Id>77du`&$B*ka@RH-Ajhq+jHIapu?KAnE6P zofdwMy$b*t>7q&x4cH&IrIJTvH3r?^wk|Xs`klod=a|uE<1NP@pq70pG^P4^?Ai|r za^F(aN~CA0$vX~TaF4alU?C_cH9}X{UZ$(C$y%ThGNk95^KrdIjNfQcI`>V*50ArgGbL^vjNnA*D$F8r10QGKMHySQJ(|!xX&#p< z&1{Twx-|4PZ<^;Ez!%C(xNw83AGp7-(lPfR?`r=|12O$Kh|YwCjw>4gbxc{#|11Eb z(n27I^_1ar7U{O;2>W8C@a%?~jf8v)p>e ze|t~r|6a957csD={D0icZPEU-G0D7EaHCFo!9>H8CJmZ4Wy<*JxAoP&Jwc66J*l!k z*mgF?{@#5c!v*4l|F@sh|Em6FOE3Owt92SXW%Bsi3AdYU12#U4?TcXt``a(TUeI8Ff6V`U z-hcgxOH=rjaRd0L@vUEZL^nDCzOg(qscg#R$b`&+Lj#$8luVbBlNU8LPxpA;dU!oB zV@8>fsd0O_!UUx8y1baj!vu#WSINdau->(KO0I#a6P#Kl%ac>S2oeb%oQMnMy-1^E zW#K9So~v`cI0N%a2E3Sqe=O{cG}#_6#1UGTJ2y92jWn)oH+bg28?y1R;1s0xWS89w zJ1JRZiAdwlbCoPXY9+V457K(vE?wbVObYO)-ZHH#&y$1OJVuy#E5F3ZRrW5{xRhKF z`wM_iv?kY+TlO=2OP-R2P5$mkt7K<;%1p2&$K@_J!SQ&M;C}c9kGrf3Mp*!1nl4^f zXS;||S}PjWS-Ai$c?Ys0MFP$MFLI5`otm!QzZJ9fdZDh%ouIJ^8G4!*;W3M8qP?0ib|cMlyF$1xUvA-xh;AqS>$cJO&$_$ zF;B@8YPC13qzblsU1dG7+Up92u-ctdKAEV!xkaP=_dx4qWw{z{eiH=kJ7mu>IImgd zK1dX}D}zMi%5{}|4zHBG35V@1c@Mtbo7cV{Z}xr%>)VoPDs^5i=>_>dJ%h z^=J&gGv?n%Sp5I)*3g?xx@ceim!1y2`y@{OYuI(hnkz>UQmYcMNo9&LsZGSx$<#SP zW1^;5Q=Ca_Voa<_r`MY}lfe{kN-*(yqbbp3N)SwDQ<5p!B$_Oy6jQ26GFeSsOlc;Y z$!_XuN;f%ToNG&3%Xe2MbW6yH*OB6G{^LCk!x^n#vLeng*Fdrt+BgFV667 zE#Hwa#8hFbG!0b`vww5^UuO?h?YP@B$D3V@AL{I{9D|u-^-H&Bj{kq{^j~L_EMERw z;?<;9ftF>@XiG-_{uU*LQ&Y!J{+AQ;uPUah+xz}6^~}Gw!i( zMuR%TO%FFM++r9_Pu*Wf3v!UR{@`=IQt>aU{;hGM({1z*{9A56xz#xTxfNb~`k(z) zjWv_FXrJvD15Kn(h=G2qzSV;}MSHLwYct?UmP)TSbvDH$U`r~F_G`GsU_%-_f%b!c z)WoDEX`NHC1svya0>V8>AJm!1I4v2}K}{&3a~3YZ6A>YK1)cRIAtoU@G&-A9aNh|V zvtnk=ng!k{(XUiv`?nwc>p380!SL7_w@<=qVmzp}@A&{u!c*_xItl-Ie9@EepIiU? zNhsj+2Jo6&=O7g{-9b^c6YX4p{?hV9f1g2U@1-jK$A6U>HfjFe$)x#vx9B(j=T>O% zd+?&adt(e5^w$)j%EBXJ;KCAZL9AC%jUJjgrVmcVYCW8c(HM7vj+vec(@9LlwS<^d zCO>16%7psie(;6_73sSuCJVt_gVR+B2$~c=Dg*xO3HwAlx(Q|@`=WFI-jwA~54qix zU&R<-i?Of#7@G3nnOjZypFjQo56jF?*;YJe_ zbfSie|FlJ4Mik+$!hI-ei%z?XV2iGu0aoRBJHJR>uX5m9sdG^N0;MqKPa@#%U})pe zn;=V^3R(0_Cr+UzJSqV`7NUEP9%&$Cr`#>Qv2v&i3dk0g?jizsX3lWT=GTx!;qH+p zMEYhvp@9nvv(*t3{k}QiL`In-qEi@wKXaE8CV#3FYYRzJFe4`84EHX)fPWpEvEuj= zd<*XMKMU%Z#1R;c>j@)HmgaHG({CHA-zrvtrkK#*R>1T}bASutC$DlrY7=s75q0r+ zfKyBk7_?EJcCH`CLutf22JAK;!?Tm+H9Ri;w#9VnU`Un*kh*p<;7cDU z)$qMR%et#@N#PB41f^fu8^gqiZhS_vRc(ck+dm#vr=x~XiaMGOa;qkfM|>JAgo|>Dio&1bzCwl2P?W(-{5E)V?O}dU z(RQ3J_JBRM#^dD7PHsDC;C+PU#{|b?#TKI=O#48KK)A-AWoGf&;v*|o%kijs8v@&; zV$doXe?2*K7^#ANgl+%?g2&)RL?81FMEo6m0hBp7zKgisJ%qO(iU$@S{(wX_P6=NV z1`~<-+P4QWMy{8;giaHBGy0bI^pSD$NW4*h{>^6nvhK~=i>E3DHJh$s%=N!&piZ~% zWzB?%a^w;jWJP3PJwp(#Yuas_!Cht^V00vv<}wB{Tq8e@m%Wo5EjvYv zFy?a_$Gyw)skUkz@C5o}H<@1b6-hRxQYN?JPDXEekSfo_h`D$fzS78JZ6Nmi#{^Wx z^ZO!U#s393gK)7?-+%IFtdy)7Wy=)V?q4-$lgIs*!Nj1&IsZ9sS7Mv$x zwfueNE!8D@j>X<)I4h5A21 zSd;?~t-%oEi!-4^J)suB98UVxdL|A8j>7y$FayXhA*zK8l#p=ox6rd}L7Xs(R)z}E z9NQgOM`xFQjk8_rL!WuNA)IZyW^~1ochM22jz-#%ytcDp3x&ShqQ6}Nu4QCiUtB2Y z!LB!zDe&w;#O>RFSOcq2=nm6qDftjvd@j^@5^X9y$eOezlRE`$I0--ltD3`3WI9&)AHpOorsLjN#}uk%VxFN3ug@3hXn+bN6}}qNxUoZx4>Hox ztwQ!8E@G!L=t1W?ip^+4z1`VAZiTb)S}_al ziailgObpL6rcm4C;U1#JYK-GW=~6|F;H1N_$lMe8N-$chH26;ZHOTnnPv)n=)Zabd z*!aj%YU|A&)QH`f1?*`}#cDByzZcxG$Z7NQoS4op!6(a#kvoP9u+w4#GBiQaB;107 zydX~CtFgq-5TwapAa*erc?sFVmzIC9cm!VyUWx8C{0dlnaTF4WuGS=z%?v_r1!T zsG+2Tw3pq5_zgh5=Q8E3i0q;F@F{p?@z61aU@cu1KuZ=Q-pcesy^UWdSl>!$?6YF~ zih0Mr7iJ5aC2C192|3}9Ac;7M?+Ez>gS$F(mh`Cjh|agXON%z0(}T;KuyG_h99B>c~P8egP$Qj z)T9^fUinj23EO+biKw_nv(d5W`nRD?qz&923$JxLr8$cY&RwP0Wye=0>e{vz; z`v{xpay;2T7y!dT2N4TyWxO+2=KmcldbW7$46c;SDRE$3M^n;b0{oyAMW5Uq@6zZ#uXr z9n~toCp(9klpZMmJt3_~Q3{Y}7+SstiNnO6fhANYrV6u*j<6#%`STyD%_`%3Et^7+6 zEEk4|K{7`z|HElX_32f`ZyOdR0@QA`zHJ$PKe$)r)=TTzia4Q=glwa&%NXOdSg9A+ z-Eu=iI>1vffMfAutg-p+XDF^zK<6W?_G9*C&T}U^-&HLi4lZEw`yGW4i^Pc`??9Sr z-k=lnLD8|)ClRwNPB;aqhx5-9AAXeU&+X;(@)#0a6N877-t-Fd!0y8kKjq`W;(DyJ z6>{>DF~}QY!mqWWF};!eNJ@1F5_-bOxVx?Zh3AQi(6{>q zS!L;(CdOMYCNu^?bzSCh2R6yO5FVpWtzws_6&exlE^QF6V!v&)uNgHZ7ghQMgbT&d7;psEQME zXCr#c_ZBmkWWHf3bucU$&1nNec+c*cOtQgbv>OuXXxBBy%R#_t`7(`Wa4fR|{#nWC z$OAk>SHbh4fjAhUjEdPEjh~wEOj|p*j&yO1;o_w^cp5r>{2{iMmD7l|C>Ab!=cQu~ zlC<`OM?rid;2c-v(?a%F$~*DEl0+m1aQDIjbl^(+eB8ylS1bfN8K{sof6d+oiu;eCkP7;9`XZv83J^Lm0$ zhg$uIcGvH4&WguG1CuQpxJG+Xa_a{Na+vJq`71sZb*!fw z>~Rm=`b(Jfz51}>BWj%4jlN%co|pm;lJP}%k@Dg!lNqaVl7Y)0t83!X|SQ42Gy@5aIDD$hlh-*t2XldU*Xg#`9Q98~OW+0o4W;6|EXhG6U_Px?WK{Anh|{)w#*M1H7YQj9 z+2m$DVqd3qHOM$A&bAm&I+`Ol>bd^PQgAYGbi*R?F24_zzQ~>R_VM*cW%q!JS7re} z3&?Y>45bEswD+JT-pqH`Mj%A;nPpDbI&tHn-HWH5D?Y)oEA*VsHtbv)({oIpPRlwA z5M-hddqD>D4{bo@tXjfxauQumr)oXt#6H& zCXz(kr(jZDy<h{arIsJLrj6O$yhqRGJtHuE5`8wGK~B|B>4{zL$G|nkgQ_?@(3zqd+9`;o1x>cLe&LQ5qh1efbn>?<}n(n=tal#Iwqgj zGk)ng>{PaB9P4osiMzbi`KJc2S8qg0OB(xvw&-E;kg;ogsD!cLq4;OH4xe8I>v1=< z0?r72iOIXRFY!MLzrg5<`Ft|F%i#PZmOaWH`vMCkPbYXJbg0d6E|%#5^KW1s^X%12 zY+?dC(}ux~{J^%>7jYu#gB?yf5i_z#lkFz)z@Mw}H1HkIvu5H6uP zTs*no`Lv#U2^RNXVI!GJmU705RUF53F#sJsgEY&hVi=3Kofwqu2-osMxkoW?D@TRq zE?jYp{i`HnyQX%hKN%ShCPnV2UFBpo$s8%7pbrVtpfWBbi+Ln&&WxsYQZ-jlKihH2 z2f;wPe~n0Au{DLe(mYaG`vXm-zHlR>ug}C&;8z^NKqIm(6pZCf2(mbD2`QwA3>KE# zeTl?^^Zc(smS#*YVxF?J>KUCdl=%6fZ3{t!$zou5dwvR8r@Zjp zSjUOTIT(qTF?I$&LDrN+87MD3eHq9z4$;*+YTIX{uI5P^9FZH)`Ld2*JN!47;&l2% zNB3(@;emK~>9^Ec`U_63{gCE^?FcNPaPLU1>qXz&h)V?D(q6RQmxaUwG}U&#u@j>c zCA<|U+4fN|YnF8CiOAZKZ#!4@Tdl^rEw)HBax(k#WM2;znrlT4-{^UJc}^u3uuh@b__g_MSLc4sXFP z3MPIFO{}~t1}D3|s~tv~9eJ(scoeK97PupxI5pm2s|B5wKVYsk>E(lPk+cwfV3^&< z8JhHviuus;v^E;m1?JlmEXHSzyhxsg&BM4JW+~P>AeL6~I$8}^l;Lni83DH%xIJgo znw;@GlV{wVESi{=`75Hyng&U+&34?&RDl`@@!R%>^T{|LOgS$@7iCOfOCa&S5|C|1 ze^`!dt#UWVXT|4?vo*!jM61=vM!E{VmUpQ4yy&x_z{Hgn1Vg;tTQr4w{Ygl9HWp_9 za1ruT4RX(DI;9#3uhH)rtEF7;=h2*38HezDbqNwAcQVsMc!ZcUU)hmyyi<{(hE)c4 zqJ0|C#6n1lV`%K`v zR%h!;B79q`!w*sAV`QlB(ayvVJik}?ZoDCqOULpFktX8`)^MdKx7Rv2mysYWBH(ay z5#uSeA4xLyci0{_E-{l-G;mA-v0YUP2-_ktGh14YO{O<&H3uGLRnABU#KIlFdAcHI zg1WF)X|pm$XNr;ZkPf$fpWl;<2eY@n?6k6AUvuLJyGOGt4Z)B4!unqxMo9hgcTmSS zNOE3?$9n6)sAfD{ROam7g>)13+%9{lOHr(MHQvko=)z16gbHI%?0`t05qm;DmTu<^ zOc|$B%FywGqZ{D@mM0HaG3zz`YbQ$+3_@nbVG3eQ=E^u$rh$^8!e!rBrc+rWxT||% z(GlKV#Cv9B@`XirD6`an%q>L+QaOqCWX-X>;apq^q{Di{xb_)jofX7h{5X*hZMp|l zo<+WV;3dTYTD0~NAA|wRj-3=T@kJ;Jyw3gV1J|%RE)@!CS75=Ph6e*=VKna&#zB23 znGiu@_M`p56pbey6aiz~&KBo)%oIDUd2#$a=gv4eqw|W>#lx+iKw`6~4?YY$frAVBL_cp%jdEUowCUx>tWt`boX#Yv;QgZ|Ny<8U5T7qXg=iB&Pyaj&? zdFZ;j&8T&&&XZi&Q^R_T8b9{&j?JP zyumeyOdx}>jqw(LXdfaQazg$Pa>Od%siM=$yZj(JvS=3bBdDaJ$IZKiz>-tDny)FN z)ZBxx3W@9&4A;IW9G$*)!#TBKWnwfbi=V~6_~KEf+<1m|<;Rl&_x4~bu1~~P_x+q?i|5K1mbW>tr12w2 z-|!9Al)zMv{1dhGhin30?E@~8-RHo>n*V|Sj;QNh@D9+g$0ehX`)wO;I2T9|tBJ^s zupUozB~pv4fzdVmu8viW{5*cyGE8z`4~w5wpLpR{ktt-wF^#6tm} zU6(-b<&v3uAxu*}*Nu^{m4021 zAG5q{ZIqaJ*O;l3m4%(f`eR)>KH)c?`jzwtj7}BkY)dcteqgao%N}|k zUc_MkG}iD970vtJYVFhhE^%$Oj1iF7zoo%fq=k_O>FB|924K*A0VK|V-DZ{_0SkID zUzl75ET!SlXZAy${9!0_+`-?ZLg9Ec|FGglwpWgRMzV1n(|cp56I;pfiW9yqgowNw zV(2@#FCZf;X@&c79@KqvF>^FeFesb~M6|lam+pliF!BS()D|%2h|d027e?3i3GK$Q zktC=nl^H_?*1HX~COm@G#md8Dz;wn;9*8bR2V|~}?2^uM>DFgrF=W<^&2i>?5=chv zPpyrRR1o5!R!EPcr}J6n5j5G%g^dP=(?y=Nmn1NoI14i_vwQ1YcL`I>Br{&H+R2j( zh~X(MEKqvF`S0$!qp=S&305(FC^4pT`;8FVOi*?X7L!R|IkOXUN9J9DSCor!QbtAH zu|Jq6odrfRn%ZR;rH|rfG7hGKc?jgw!X@jyj$Y`JoJ5?JoMAe*_Nsk?j*oAM1(Xt> zXdJ8KyGJe>-vVI>%Yz0>nT64l?TeKpMx=L1JN;ZK^g!S zjSwBS@({m!063jsJr>)%YYfbo>&P@8@CSMeR{Z(Mr_^*dJ5JM@PxivO5!&*h{5FKX zLpRkd7L%n0W-!rOa+A0+`=9;zAp2e%y`S7o$Kifl4pf-Of!f@T_EK4lahx%qiNn2p z9wZFLeel-6`#7lBa0Msz5^|uDnJmpmeoMX%)J}W)uuxQkjlP|oQCN9(*qQRc{rD;O ztF}0NR|zOx&CtMN;{sG`AOSMWQm17n8puq(3*g)V_-4K{4g@3<#c8A@b2^{OW-!NU z{XciIzN5uC_W7}%5W?4ObMQ!qwjvSAds3Wlo=Wdi;L0~!xM2#1+fFf)+{UxE4b5?K`XW2VUEu(?)yN5b`jEQ0QNH25d@ zn&K4c80^_rq)? zb*`-?5?#-QfGhEMl3cDPjv~c+H(xXaU*QcM3AB`tXYv|b@lFfkoex>*omj%X%*S}h zmc4I$CqXm`dBh668`l9D5F6l*x^2z;ZZa6fuXx)YYqs5F(-I;#M3bFMG#^X_^6~t4 zqLhuRHus-}W+V&+_sHScTU~(w1@I)hl_ATS`0;~KP>PZOE`P=(iS?lU@ViQ^#+z(q z;Sga9I}l|5#VY2GKz|HfBs@*&K^POXL&SDr&gaL*qY128XPg(uXVQFMcbE^n6M<14 zUv>d0*G)o(FN^@Dbk<1pbVK1E$OkE|RG~()7(Nl&A2Hh!gd4(R^b(Z;>PPB8kpjmb zyMyT^46@at8|AY_^N_fX1a^Y%&}iX#GF5nj<=7n$3teof_(3t=y%kqgRolhoKkRO;dlMFs^lN2Y2m$&d|)b$NGAcf6}*33DrTo5ATimbUJMJq$l+ zxh|#aVM17LJ;XC1UQf$-9dxB^XC_Mww)0S3&Xsb|WGE(9c}B%siQU;Jo@w!q?@WI+ z`cuw*$H=7}=1VN$$tq!~pB=Op&Pqx@&Md*ml$sxI@Mj^*SHc`;&=ow0?G zxhZqK;z%iak&CBL$MW}?t-*INC_7$+G=>hQgdgP;UV=DHE%Fr4S| zizToPbYCL%IL{d=vsD|LIm`CGVjpv7t)~XJoRwG{h6A{dbg&n^ZMI`P>+OmSY-}tw zuvhc3!Kh}11oIFr&;?G<*qBazu2@D_U8`L?U37c)sDnr1=GH+%5{zWHcfmpLhdi># zwpRL}FjGrXY$F=CQI>yEN+3VTArzdCw*Eu|(k>;&F3%?1F10-D_)l2$okh|Uc>eB2 z;}ptpfgQGM;KYUb$Xc)`2^~GeC0?Hi*B|R-9Wi?5scLuIIu|v-@;nx=at{k<2-ERS zNi7Y=T6q+_tI3EbkUHl8S4e-e& zp&D8OeY!_krpj{(JLcjmB-cSjG34Dq*P_`qeFQns2Z|Yucsv#eVJz-p;u!1a8oHvP z6V>q+$gqB@qMJ%b*pH-9A6H!7hS&wvbGkDHjZ;SFy(YGKpQSm>B8K%&@BpJrSJ)DZ zmk8yst=t*Z&^mq_r2p@5i_$VGax#H5gV;$9D7dWjvfM{((w^uTI*F1I%ej}uXSb?!20#B{FkEfe7(&?0&cS7btb!g zEJ?9cSha8I`J|gi#)PL&7~Y6uTVgu`{x4&2f^Aos z3(+;6Dunmp!M6JxCvhLO{E^w9VLy)#5S+dvg)`XNJ@Lr!MQpp8OEV9leEgh)$F7UL ztP`|wB|7&N#HRp(*#Zz4aht$9FkUGn@Xw0z#?5hJy09OAOrK-2`2Dc2xSuBH&*eQ# zuzA;^1z>{Hfq|K1yV&?D9#uCOS>zO^9Q|Z&=|^=^;Nl_A8jblS7LP7U7Q3^5#$}Ec z-*3A~)rOWc}v?U7<5M3>$J zZB3FAB&6roVG>*as%Ruzl{~~8Y&MX-9K#eq)8xZ#4cv;YB`hg{k!3lMY4C8yvNZZF zd);9Cg#qKy>6!1rI{PFkvz^3W+Ze}(#^XlnLCb>k=A8(U0$48dMb7Ii(}kJa@wsJf z4_deO3R&Rz9hMirgH9DKMx~{nT8l0AnX!dklO1}g8;&(R>GVX>8b#oQHpWFFfH|vb zGWOTNqCU3Vp(cXwg_y`k4KHjQ1;#V)fkvVABqfWQ(`j;91+wg-5TjN=-V>rKvVzO= z{~EJ(HK^8QAaNW{<_|zRaV&7=mc`Yc&Hu@(B0ag?;(Unc<|82+C-K>obzeiD%ad(| zFX51F$4U0>cnCKQ{bPkx{zI7h+pv&nsfZN}`HEOY;{FeN?;aLa_5Ka7HOz)tz}~P1 z_P`#P4SQe)W@JWZ!;H=-$dDkQpo4-zfsTrb3JHp*@-Ql%PpFufCoC!}Q%o%@52RS; zp-AymmQ(Q9es?g-#>I3m$A}PqT^iIRirzf zTo+}$1^O%?G={h0J}hj6p~HkSPis_RhP1RnsBM|>v^I2-_^6T02jPIvWnqXUGaUX- z&c;Mj*stUqil&Yj6Z2 z7Iu*OKw#Y}%~OO;Py=Np5`iRFHy2|zJ;E2VYt*|R1t&x%$r?^{HJ0FvXO)~IxxQ}a zVxTuCjDRenskjT2H81ll-yr1jVG^Vn9UVF{pk^MX?s9wwIVUN*W3=OhW z!;tAM4hpg8;lPpxUQW%-6(-FZgV{>X5XkgV8w1q_jXtJ_q$&^9T_f3@W*rZx&r%qK z!<5#SXF9O=4>=AqdEqMDh4@-Yz4#-wm{i`9J3P8XPD=ErOx4>)P>_DCZG8X zO63MK`s3ylt}bHppJEXCdMeiK8>WAOa06AkWPOf+BL%B<{A6C^8jhx(O$WOQ*udoR zqrePWd}%Ttb$cSY1p7@X-K9a7EKH94BIZv?I&W<2mpEAV?{3{2lhqG#6~uQO_bqxk zhAA|~XrAL7bx3I9-^Wmb;i<4A*E)sVl`kROpnfw;vp6B`bL@>^mRa9Z6!Z(kkK<+P z4-$lzYyomJ0)031g#If#D61dQj9-UmXe?0xW^hH}te?ShNV3H$txe{8A>JN!W#TU( zm^S-0W_ky=jT3vtxdbKKJ#8pXqe>WOJ8huWjJ=X*=*3~K3!1W`q*kS^rrN10sYX9d zh5PgD&3JD0gKg@fqzUcmX-d&SaeYkJ{e@naw0Y zy)1|W1jS5OLKT~eefR}yFKST`JD5wRizf@)Iw1jp6wV__{ z-}p9p|5vKyU+O!t1y9tD9rrg_HP%~G{t)bKjRmCg!=t3wzwqIIp;;fkpa#w|vPl81 z#N}N~&MuDTL#3XsI}bH@{&TPEm9dXJ#1#I|OaFEMA?Emhd&S={>VK4kx`5PwsR{i@ zT1 zpZxGD{Qa{afjv5@>l*y~xxYRYVAlWNBrkow?bCk|M*RVe|3uA-|^y$Vc-P{PTkc^83j{HqO^Ryg`Ca z+SNK;?2#^&ork}(%f|z{b9wCFB$5au7{W)5^G*hwzZlv@A_>=}qY9E1{%|k>?T%yw zcj+GqDJYBuiAgp^1tWRnITw%lTa)h{*dq?yuobZpP} zw{)o%edJ%`Qo{;R$9;mF#cOS9oSwTDz*;=ytc03G_$n(4r`^Tds5I3^tKqn7{A0B{ zEEL9k)o3PxY7E!G3NrzAtZ98vWS4Ty6f39eM$`aIA~W$aIyx9A8>5-g!NB+^r^^@~ zXfR!K66XKX7i02)m9Yo0mxP2a|8_o~)Z#%@BdFj8@>xG&VuGk^MxgRQ{`6^5%| z`fK*@;y=iv{FGzI$-iR|T*B(KJO!MGL6I}uwN#Pwy*Hm9BN>|VtrkLKShb*W%IHkdfD8WAaS}_q`WtM?P7tYdy{c$^ zS;(_3VSDoR*w_pxz^DCG zhgsteZC_1!Umr%e{U;u5YsNNPhAD*^Y0AW-+FvG}_6T_q^1u!SUlGz!yhV1Up^OGU zTmOvth;bTb{7p`H$S}wT9^1@!CUwK`mNYibUc@9BKIOZiXiEm$%{iP<`$!TZ3;@)4E)nY9 zad(5=Uv}nCVlN^@;LA*uXAX4QA>;(H7J9f&Ri1}&x%MJ=671rNYEj!&+8cJR9C6YG zh6VUt_XN05-qX;w4IgJ(oPO1Bv9G#5R_e;!H*QC``k`iQ$Yun78yQMs$g?EYbDNE| zUrx(L)ya$lzb{S893xf-@!BOVq7=jyTb?*EoF)s=hJl_XB$r=ii@^76OQk_z=ynQ6 zxo>r3;4SU53U6TwyBtc5O^G~E^absBXE{0sRbu=K62 z3U97vbdTH|X4gS?E11>g1K2o57zEb6*j5f;|7x&r!)xj~+MflCnPg{T3ddP@sPadl zG1&mCrN8RN+Gm4)aqbpeI7dj)pHj6r4Qnf|)P?Z7c`5542*G%a3@33psmN&glSJ^T z%|(VHTFmdEl*E(ex;>~Hq*oKbB|_I7SwNF2Y^Du~5rnktOm{ELEx^oiD8a8P-pO4K zwNIAT-Zn8>et+$E@N;Vyx^)M~Vw>JeVCGF_42J$N_r8teo?P4Cd}W2b0*Omg`u<|L9p-l7OmTWS+(AHN8}x&0s19KH zVOZ=JOlB88$As`1+HESsPEwwFSqu-V*aka2T{qivq+8J-RDGVEk~J7Hsf8xUcm2VH zmK6sUh7hATjtJXs8cV&sua>NnZ6#Lw%=>Yh!IU7@oh?PzO^4 z-?Or1$Gh}xus!8Feeqm0JL_wv3XG?WkA^Uj^@AOQ5c5uXI&6kK$g5r)%s4%V*l=&3 zrcL#40|0HksSt;hyoKl;Ca!u0eu1eYed&4e&2U`htK;rbmLXe)01~v)i?&0iPB$ryH9ehn4e|umRAjp5E-kc4 z=ShS++k7fQ`qQ1wh5@x{I&7PqMwgmyB?)+nMA zsE@4vfgF|&>jq*oc@iiu6`Nb0J004VlG7bJ3?9p4BmeNU8ko!mkZ?G@<#P;9B0@e~+xSWJ$nhMjM zxA`!GMY=7hZQZ2hEd@DSaUw(t34+G@6E407fMlk^_ZsEhdqMV%Y{sKJ+wiCzC*8w5 z889yLC=a+egS9te4DRg|1diPnIE?{5KU@panGk^VhP4I6%6U+{2H5aP1vcRe)MVn^ ztDuYkYfD8G)Wjnz#QM_CX%SI@mmxHpB49XEWuKp%BTgAtT zxhm^Z3M}cb1Y$v)MnHR#y6_=>BW3|ccM@~^ZZx+GGssKd>4{u=q|8 zv&$*s1gL3!R{sG>_hPC>#`X$WGm|XXXGG;>Vt!s%|d^E6#!_@5+j!#Wcq=K zqC>?l&pYz<>t2=n5@W_u)lb)3rDdk)q-FA3m}Gd5LG`5kmNd2YmiHN2=Qt3+OyjRX za{ih#3ERtWgB})3UxLh_Yl1?ggz1qn!jGA#ha)ZxOdgd)XX&Y)87O8GqTTl!Ogz)! zy)(q)D!eLd8g_Sx?*_}~{p{bE4%M|wkVwbtOlWt)p0)sc729hC*^aTxZuzQ@MxAIH2O5_cM==l)1;qfQlQe zn^OL9OM&T0sW;hs`(W*-lsdO!OZf(FU?A{-_=GG_QGQdJ#Jv<~nFMTRL7hjM}+6J-J!hfX~{VYop{w0{5vp6$e8 z?bC2rt;bizS5ym3o~{Ci7WGB)bX>m@cL#g94#<#~zGySn7T&y%K@%h>h@957zqL%^Z*!HpbrCyHk z6W*%$u|WZPUbU&L!2{uylfZ7k^FEuH*KY}JVQ__{%Xvh2qj)P&L}18Rtc8a&ViEBk zJg!+1+!QSL!z6-B3gIJ4eqcz1Y(}KK>0|L^P?NhAi|-QrvgQhrUZfh+w_UpojV-+J zqG78^TV5*eCcFd&_KeB49hO0ZeH%^ZYnVi^dXi`jBjr{hxTN1vYP%(A#8(6PXz&SI z9fXHB^yU*_*37w)U*oTFvKb|4^QvNjFY&%EFI3R|LK2Rx7+B*~Kwvkf4^mc*E~@ks zA1Cx`M~+viPtdj>)~(fb_(pPjRlYP%O~ke8f<`5+R#yj=Bis}6vd)~^`eZ)B{RXI2 zKMxXobyICC!J&-Nw#(8P>;Y%ykG;{SzviLH*rxA`=B1xpzp z`&CT$ZfS{iFYY`5OUWkn7UDgx*9Mz@#e*Q^Gv!ovU92!^nYnKubF-zwc3pVQa|^#F zUI^rkc^gbKZKJIs7{qwi^V*IF>ZzpmS3cHmqq9k(#|A^tU@gM8$C9|xI))mIZc$p# z9+b*y7kGHE={>qypQfUe@5A8;KpXQP)1=HbEt8~1(+%*Q+R>PC6qiJx9hZUJd?L!- z!+aq`b1%q!4c6d=#L7Jz2s4)YzN+aDF(H^dQ9W65-MvvhsPJ2cYiylX`!?z zs}42za6fnY&hJhnv<`>qin>^Tn5*KM7V&!U@1NS$cSAKjg6h`edr(LG$yT9@5UVue zMwX4@4`&XlUIN_ZX)rk$L=P!5AQIWI5T^Elnad4RiMG~&OPS6b4GyU_GzA!TvC;bW zppFoTtzRVxzT>t(b+H*2U~RR!RZV7+Aviz*U|B{6(j_*1DXqnc?ge9ZL_k;1wAEK< zvc8w}kE$58?O2j9VITwoByMWBf)U1*VTgYyE`dY1ty zTnqMB1xHcKT5N|sf1P)^@J`DISj+!`!*YPW`tlA8|O8t6{ z8%D6v`gUO3JD6WF&z+jXNdx)b8haqP>!hNuDNchLA*jCqEQ06DJ?}C`ZU?~y@&N_Y z4X4s^WVEMrNl0!gZu%WBF(@>5^<;1TDZl^>Gp)+Z1hk6IUe6c}YlxvXNq^hNu=Ut(XGDdHXo1#tuKJiJAjp2v7TUQ;coU+e1B})6D60Jkr__!kQ&t2x zi~$g~Xbn4U14s%0D=Vd0(3<#i-Mq2@e`oLJcghlw=QC45?Ma*>+@*%DkRG#!5YsJa z*bI_S7QiM_ZJ!A1<8RE*^=o0ndX3|V56g}=tH6ke+kZ7(yAFu>&}Vl~RjM(tO?SSJC=O27Ku6)*5>oy|FG z^cq4!fLF7gaq-z~Y%bJS5=A};I#&XHi}ZC2^54BR_o$DnAc(@&e}|W$Y283?Fd>tKzpEQ3R)4 zJ>nPIFSb<~K6FGY6FGWYtAF&AtE~aC3u1k$xYdK_k%Vol=LL4#{o%Zz?ngrB2Pc0x zcs|?nYL5)g_1%$2Led_fexVt`?tU~Y+SgB=o7CDbEWZ!V3@;ey&g6?8_qC~t$F(pK zrPFUSk>15Nf1!K>J|c{JuIadT;@-~VQIn2I??z8K=Y3b#`)d6n@yQ=rGh=2yz}d0$ zf-|zEh0*h}^-Gi9$&OpuN0Af1W?;q%eZ!;Mj~OH}a(AjW4&Kw7&h*=O?=#QGT(c$I;NE zx!ShK$-(l8#Mgq8PxtyUIHf&1nYDL3IysNMIQrSsj!!1;W+JXk|B>z0`K5HG*O%)? zol(x-G(X?<%_~Rqd*6E7Z&05*ryd!UdhgLmA!+w-gso8i_QTm#eg8z^p|J{ffuEZZ zrmU7#hUY%a2)2Lu;Ul@};U1Mbub(GVvtlyMnm+p6{H(Hx$0!$>eYU=TOvj{^{yi`5 z_7h`g^$1lN7L3k!NK4jnvFDbbqdA7gDe7F)j=kyumIFVj2ii`Azc(=I@vt@7DJzDq z&Fk5@Zf$<=+wsRjU;XLJvxCx^eJcj11~dMiYvIjpOtRN|&Xav&?Ye@kNo_-i%EHmS{U;qfUQB4s zsgWa>oPKsg{4Dk2-I1eKIG^v}Tz%Ga0jp=leVESw;>{SnCNGQa6{#!;8@;Y@{j&0> zz3T;bW99zfv72Yy6UH@}jF-p#wA%5Wwz+YtcKnVV`%BcX?E7kC(h8@heM0X^g?M61 zY3#=XM}*p=Doa#DAL|)gyKQ;p>z(VLse0@7`DdOujIVnpy~8eIs@r_t=)9k!d$RUx zgBLtr<5E5Uc=$=%g-w$`a7XAya4Yt#7_44AckL8CNzv7&4UTuK_T3$_xi+?PM0;(Y z4RcGUUapK_!ar#{yLsAYzMntTb}s2D&bZb%?Ni;2<`>FFeB1JLVc)QQ*Dn^HR~Z*P z`F(4|)~9}SW_%Vou48P>xSu-%a^kmq`NG!t-x}mR^5FEkMWWpso-yarxX#b!d^#n0 zQ+3$H)_^(4Kk@2Z9Qx=sUx0qYws}GF#clILw5{j;h@|o^Q0GT3X2Wv&HI2}fhHmQ1 zmn3%9`Mi&QqKPT*@p#WG!DG1q=rG<|ZP~l5Dr)K4)&=t_o@;ezXZ9Of`$F}_CO>hu zYUE=5%EY?R`1RvHU$W=ao#n}iip2g)oddsWvm5&v&#|j#J>pxMS)0-{BGz-^{L;{t z4GX=NHy6LZtjF<3=PpkMb1m(U2X8R;xV$21h4{cT$`N~Q^-)#Nt1xFcCO*sNOz$`P zixppWZg_TO@0x`Xt5ScxacWh%{}O$8sLDCoOhNE`@RWU-qwBNYpEP=iq;Gs~O|rQE zOUtX9{DBaZ?N7XNSVwa3*Vbz4HC#F?(Y5EPVsV!&VHp@G4 za(S1cnv#F%-->GR?E!zkJd%0%B6#rvMbbaYX>-u(#v(tYY$OGKC?f(@)%fSV|BKyU^Vdar zh0%PZFz#9PnV<3UN_f?O`Bne*%t!F)13|ADLB*zr5+et&P84j&L-oF{lkfW1b@E;R z;N0i>gNoF@7P3gyKTk%g{(2F5sNVN~e-xgb>o@7|YvMN}drkaYWo(Wj8^OVXcsQ85 z29P6BDH&^!dRsiuJagb+E+w(6;SPa2YZ!GBiN)FQ@B(1>tKkV6(RYBZQG!tvqCM0h5hsv|@3sJZLljl&}I1}L>b`Zg zCzUvx-L9<6B?DrW61))pD`+3Ini9Y(R-lhS2y8?=d=butFIpH+hCyQRI&A!h;U^fP zoEvWnA|ET~u4BxRitJFVo2!)ED2H9ZSnzt4VQxH*OzJxA_^#821LJ!ex?1x;l8v5z z<&*wu%Lf6PUm4>|YoRUAtby13A6(`C+Qx(Vw1Ir!!!}NY=ETY$`Z573q)I2yXsjwe zH2tr(3r~k8-oo&&{##b`pN0)j|L5q3zM3}z68~=Re?JVL@_{0H9^5>6B;*0_r~1LK zFYiYKLx1$^`@>OPJa54yIvg`cLL%`D9E?JkzPLN`qkWWqeHkO4rurbHFJmBsiE*@_ z-<))4*si8A%-xIOAS$*JTCCllB`6n1p-K{k<5la>M^L0pXDyJRj|$!vKX)C?W(bO6 zJgSfU`(aP;UQ7t>8w#JZdNpwbN3D)ehvq0@J;4U}G)VErCw=6fO}4F`y9a;dACEm~ z57`bjqqBR!8v@dyi@;kEGH%=2)mDN3$ZL8Amj68&Ef3HvWsE;;gtl4_f1s`Yxt9MN z{Xbu>|JqnD9SPu%-~1mv!iKAUyFY@@{73NnziSfyOZ1yDl8C?62@|_KaCk#_mw8h< z*zzPn<@hfI1_*%DY-Q{eW^fY7L;P(xm2AQeBohZaTy~G{A zx@;ptj*@s}t;FEq6#ua7Y+7Z#iojq)kAyaB974__a6=o1KtxyCW;ri~lo~9dw(Tf6 zV-*IoqAOCiWZ;{DrV2(OhcJru1Y@J_b+Qgz0WxF#2 zt*y$jRt3-j_cl;gxrhI%FpG{}NV@r#sGt@Kt>7aheJ90GQ8}T4@qk|K3y55yW<2+y z53P=oo|CN2T8Ee8BFOq2wZPCHRSg77V1DWE0s8=5$*T zFhbY5N3&CfLA0kl9a-W04_M~8+yAG++~fl3K*Q;-N`7;n|CF=scF70X)}Nq&U7ycC z!keUbun9B-XUh}(vMdP9pDcjsT!eCyk#td)T)PH0@^$sw>AN!*A?Yd}%6Es9S2dH9 zXS)u3ze{!{JHz&*^AwnpVq?}-M626|7i56vH%94}gWy}Vn~}EB$lxyFMMpgpH{|1t z^b}a^-cm>-S;0Er&(YIwXJT6_GP3%WnLe2e=h z+RgW5+7o_AuDt-g($>#6AD!6wnDqXCg!)d;FkLF_Cl!FPXN2=@MlLsi^5Zn#>i*dW z1pd1P^o--n0Okx7@v8LoD$qT{CL>g2>1lVF@-xMl1QmIm-$u{0t?g3f>_R%s=z$O6 zWsG=#98_W5GH=xFGS{ozeZW)Xq5fX+n(8e~m5>b*-|n7xKv7G8N$XCh@o9Vg#6BvV zE|lXbb{-DFkJhmhsZ&*WG!r4`D3#@2VF1|WdO=m;fi;=H;YboAthT0thPTZNek3k! z*U=afnN^8wULm$U&IGo>(&L_2@w=%%k$RNKnj6oQ`y`cQDUJizqAm}mZA=eu3r=B1 zJHu(&jNS4$-?j33D4V4puweyIw<^T z_N&@^lBrT{mj`JBt{2!Rgln2@K_s(2iZzTsgc>BeldgA6g#$jJXa=e?yHj*Wh1q14 zy1RirQ+Dh?jP$eR5(j7#_>WlkR;L{aTvty|yr2fsJX?81D@H78`BNP?;vv0rSQR2R1{4LPDnMzN2uYo40j_x)N3*z<$mY?U%bQZAi zp0Qey#Ug}piGk?O%}jS6;}BLl$z=tdUPlJv>ser9y9Ly4zIW*nsxrP6Xbujs=-A>(>EOFv#*Fg6~U%i)&&SO1U(-$eTaU{ z`v^A+8*rKCF%>DW-R4-dZ^Udh?ONBG=RVlyDYn{UgX?zk&cATKj?_oma zcY#6TEoudG`A?mP>V7 zxC%09cIkF8Z?2h#ZjT4+O>ktsJB2q_?Lv2-%CaJ$J4z2g2QbQd8PPQBd4;7F^|apt zGn88R6*uy8AKPU2C3{Chv2+CED zIk9dn~CSDA4{(^dq*#*bO22MW4&|4dOgA5%?5hfP& zLAKQ}EqNRVVo*;{?##E)%zj;}D92Iqy#~a4go3i`sPZGnyI8IZL@6fEVIT{o#*LB?v90n2zga&(2fmZ?233jKOuF+! zx40B*03lFR1)h_JA`oRmyaEYV3V-8!S??+IU2Gl4 z9fe*ANyp+_xgi)HAxXvG=O;l}Bkw{5zhdqvr(Gus86($X80C|MUr~x>G1XenGxpnp zfhK^P0S}I0LQnyyC1vq)Sq#HVQ?rqfBi{o`VM#sgGYcNWr^S*$fBtdnMl{pYbq!PZ z{DSztMZ3DraQIRVXLa{4IijG$8xsKltq%z-on6wQz_{Xj89X+_gd*cXk=B&0Q&hPS z?eppm#m2#ie{9cje5e!&WlP)e%reC9DRL^vGfQtMh^gr1t}Yi_0t&))fAqwuJ^7(U zm%6@d%K1DDo;Jw*JJ9kXXBe7KbbK$43sS!n19c!iQmhElyIB{@a|OYin=r*#Cm-|Y zCWW-zVam;GLg)`hM=(nEUIl_J(_Q}_z`C`iESi$B%xL*m$l-otQJ+-htnbZJf)j3{Pxzngl z_{|C+$S(lgA?SgNBC6Hgo1FC+GVkZb%RxBKb(DyEC>|nQh1!7lJcUtVPL%Wkfl%}G z7WfB(Ral#KG?JH6{Jic2?paFYIsTd_BC%~|G1a_9JmE$2l-6(ksToYWJ!$3y)#g_3 zI>Q+d9J~Qof9i2OiHc9K$1E<0U`xwW~;u%|P@F_eBs2*Cs@ZWijGv zfQNeh%#R3;&?xsG`s@TVC%Erhha>{{$Nh^hSyw2I7Ho-)-_^x8*>%>81Pr>M^s@IW zLjvfuWE;RU{c1@n>S!s5MTYNH=_xJ{y9FzwR!HIBDMeFffiEtrJ8vq5yEBkIja$g( zx}&%iPhiG%6$Ud`t>;wwUJ4eg7iNI@?N?TrerJfXz?d#K;BQ< ztH!(`#E#EG{FkrCXIR0rhsgLeE0|UQlH?m2A@>)XE(wBqQ#T^ZV>sg#!hFlx953se zuGr?tZK&yEuwXbmvph_!5>fcluuMx(me^F(ff#mKQ<7nO+ zB#hu)jxywamtT<98Q?yNb=;C5fY&bOH%t37z|(moav!I0XEavp?*}<9qH+&D2ue1*Le_&NIatqIkK*zQ!B|v@ z%O`hH*mDpVVXrr*5=#&1oOc|~mM)f_2AP#a+N~JEO?e8ozQE-C1mHj!Ih-{#l^Pm< z19>Lxj|8vd|0I_SoXE6|d}ZGbEa3cCId6MicrFAqdFJ{+aIR?-h0Dk$To&sE%VR=! zs~#5?I;`M0yXSEvSZlxy%Pc@tW1OU#dJNU{Mr&%3^&;MQ1tgnca;vFDsgr4@^)9m4 zPJI>A-qyKjVQ(a@psxM!LKoUH1?7)NDAwptw)oJ@{^-z3WbJ{zS&2%(HZ1}bt;S&H z_zLs&)7sud>oVmgFrd1* z`sg4>6_NMaoPKR9_+&>b+c_5k+|#IYdehhDykPnSeb?G206voc4LDHp2^e?6BwHLE zWc(u97Gzo}L>iZb00HnCx;+c7+%Wi5LpJvb(S0VYroH7(R5k*^W6TIoaN6j={I5YP zx&;J;$PGCI>lV`&VSH`uk7j2@tH*>C#tSFuQ_d~0g02b&?BoJ+LeL`lRSWpX_~J=M z!5LgL7SSCuU8p7j)qIR<;NV8r-{uZH+}caDg*bX* zIa+UgS8FU_=|S_r5M-xI%{$n%GVpnHSVFabvd<5NiwW={^K=UFfTlT^e1@DBt$7#U z{2c&+Mk~~ZSQxsASp6F7@&@FcqkHr3V6q&(arOJ}Vfho4%}%Ej3`WkVY9sCLcp0lF zq|&G&Gj2cBHmuWU6I~BbK?ya-#-@E0AP-j1`SKRTKS_I=+_-}FnD-i@hv*}`lh>jY zZwnt$U{TP_f-_yG)CdNuH0MB!?C-bn4kGxY;pqLdUDt1@H8%=oU1MX2I8>(x7J5w( zsHeat;w##8R2QAmO+%yg?}lhnqWQ<0PG!WSjCp8hhe_ugtM)|TG*T!W)f^H?cdma> zK0H|t7S$DT#F2VhJt16|VYY}QN&H65E=*f&=icBQeUamajSGJSWMmwR{p()TN%jHO zuTb5dd;`k3j`ZWz>@IUYs^*ej^Jln%4vd7WdKJ*T3`cWF6>-}qIRJ$7C%5OT7_P`AL!UEnER&!)7CM~ z#21Jsd(c+|t$foTrU<@|SslY%GKYnjwHfZ&QYPK)(qXv-Y3A_MEUpp?HX-oBPBZom zg&>>X`}+oOr7*E_4901Xq0(7^yV_Pg7cx32h~o%)yRrjB)F`12VKD%~yl1IwVu?-L zA<(ajll3P#Yb4f{Ia&id`*@bf^`H?8mc4LujS80c$Qn)vhRJ*YOc_G3(IaHq8gk7U zv8}ggq+=HA^uo^#u+TI6E`${C~z+AfuNwLO^x~uByw!>!5ON)W1P?7WU)37M`=;<`=;8tkVk=yq_@g(q$CJ%BInJhY z%w~MEY}*{UjQd2r2sH3|k@m_fqR$k6e0L-@8($5EH{BkB|3pvhOun`mq*0zo9J;g+==^gwjV}Q}YT_E%|qH~Yb=}hYZq~yg> zxMu45KxPttTv{c6s_?FLH{)zPSJ$kmGuV1seTtp)m=us>>DFJ&&((ZRzy@H4ZJe2P zHW|MuG%6jBk@Ru_>JX#jM!m;I#d(hUIrm2y3@9I5o3qynJJrJj7` zX`amEN>%WpdC0d{ze4Z$208A>I48KD)};Vc4BWozzT=00HAmft&{MXfx_0m|f9|iF zXqBsbkeCo^o)y%3EHmFWpRDyfB3|xmJghF?MJ=?7cIUl?Y0L;)DHy03p9)h~hxty? zZk9?&A2q{u@obVR(ap`u3eaoTf0vf_ThNLCSU}WlQiH|)vNw^WT9aa!UVNhaKoL0Q z4u-G*IOba*-{NkEHN1;%{25MQG>xa#AH~$21{%HlUcCiC1?DB^$miP}#WyjNnLLSY?G=I?W z1352jkzR0rgRO2CB!zB4SNdVbQ($9(yE8XN+K@3b>wKT%9;_01&Gzc|s7~Ii ztUkf$jIH3ALP|XeOkCOrn8Z~dlWyz2z;dD1EkG74-gOvNA7rC45<{vF<5=N2xePhp z^0TMbJ`dIaRr(+f8l}9+^BUG(I>MY%Ll%!_9aKnL?AMvp)@RkECts;f-McAsXXV%&%KxRqd_lVQU2q-%%2^a0Kt11CKuFw2Cq zAU(FDd||;9RL!HF+Eanl0J&Ph08xiUyIqZ6wr$nS<8t1#<sN|g&0y5CK)wzrM@gEHgkM&T()CX1s*qsWzCYng!8 z=1xGgvLFq4Y}0IE3o*AUUCZ|svb z2C_N)JLa8H`qvX7z|Z}%Th0mhIJ&}BuCO||`@EqRrjKCkeiD4JTLa0MozL4=l)Qng zKSs(j&fKIQ86>A*aXwEU`+cdMnD2*V^~2^MAwLrXj1LmE;wL)N=|Z7KPp5dN(?S#IZU{CCm}hB% z?Is-MdrJz#AHD)sLXQs9g89o1R5*rA&2$4OjMlq(Jy&#N>QDq`~WhHNVIuwyEqjQ9qOG=b?1 zYOe&;??DsfmVKcZ$`)xOgWIRE(efwA`+)WmUU8M8b{~nbE<{epU0wNIJcPAo6dO8L z3X&Wc(6&tHc23N%>dGzW2^Q-lTs})TMEC|U)Y1fR6*dbKbwf$H`g@h>PNS_{#!hLB zun+`MjS(y_lXzVNp}Mj9(*@?n@bdR>XA!w*I)YL9N=YUH8EEvSBb&OsG1l+=ZdjIu;W6EZ88-#eS`8R zBJJC1YRaf$W^X{6kKDAcb1zsc-+2BqGTuqz27@FNeO>CH!CSx>e0u0c=v)QH3Hg-vKn6tfEO)BZQxRGU4q(ffGB?=C#jp3+Q!f!o(j<#>-@H@ zsc8aD23v7#O3JsR$}Go}K=l6Ul1{yPekeDM%3E@preRSm47H9`VOj50wN~L1*n)*C z_h_Hrdkc%Wm_TR-r+E;OUC16*c+Z@pX_|>xE5JCs`sS4r!ntc)#%+Y(!^=3E zO1DGfIi22?EFV(qIIrrWh%wM{F;uruX4!Ff&A;0!y`7I(8zxhJ~qaVMacDu2Q| z3vME7AU4h>(qaCPEflBgn?pf&$HvJLNU%tJKS{wX(0pu=J$_zHqm50(`ULhxX6X@# zLiltvPIwPQC431u9y^8iq0r+?2A+~eFyLhVbX{NDhxj9>M(r7BTc1@KYv>S$mu{db z#(f-0IsIi$jd5$B`$lbd@`AA#YCFUR+sV=}N3Vb`eZF1_T{C}$nOOc#!A?Y`nXiV3 zB_QH&twj0Ou9j}qrl?EIjP*vKSQ<#Cx}TNm^-l$6WHOFVQBx|Pq%9AGFf>0khz6yd zL11k{4Tep8@d-$vW<84Fa%UNr0zonh1X{rF-IU+)5F&muLJ1UI-s6w>L z{JZ6R6&PUr@d;Y`3EBgP78uLgCxYxhued_+_F}BH^{TcMoWiJ@hGu{?enq}o0p z6mOpnY{vD#WI7jL^8zZJyzm&-o!jn3x|D_RXXPJWRMd6LF(K%6Z2{4igvjTq@2I#V z5S$5ot$J6SLkjFH^L@g{H0(CLF0bKEX!&m3CxPOqAXqwORR0z?Cj^bMT2)<}+7hi8 zIad5ZbvMX*F+e{t8%kLC=hl08=#`)7$`e(r4!_2JPGY4fnrePNN_|b_7mNK=&{#k! zQcsW0SO+w56_Gis*7}`JtWoizEsLxZt5mc|cwmhr;y@K|ygPsy#vfDc-$QnEZw!si(Uq>{_`D9zt|;k6`kFxVQZGgIsFhwFGebv424;>s83cUEr$n zkY_B{KSfzfG!xC$f$~i3PNIVLekgg=agE+ghgGIne8vt2?LFD9^wI4RBv#l3n;SXY zJTd{&boBcfQ)c}RX*bl9x6qNs=Ag}MVK%cqjp#&qTa>Lo7}=YjrQ&y#eC6wH8z`!Q zVfFqe?sf30Ce(M);uKGX&_x$ z(uv1ULmM;Dp5=%i%1?I;RM|Ss+rzU$F`p>}^3JkBDEE0(+RO1{i0stKk0B!)?(hZ4 zNtXN?3}vubzP03aB#h0P&U9RHe57dl5O&TE)U;R}66~0$L89PQ!Q(9p~?-+OR!kC##Kn}oW&~K<` z6KJfD42)@;XDfBQf?Ydw2L#WzmTA@>kQ|Qd({|4smQyx{PiJ zw2Tokj*Uv!v6uo-=ZVa#U3wS^6CD-s+f5BiRutNz#X7z5Pl*d9LU;N--vgl5n$?7V zj9%xH?9*UjnYB+@nxu{4wa)}Q#szaThYrvtjV$+aFh2C z9_txQmWUm}SO;93xAaScMKDcynDFf!hZo~G-OCOG>a4*AeS2_OG`=rs8u^4RD4!jeTJO`DNc~> z)RRbWw-uJkb0kvQ1Nr!UO8LEDQ9~6!2*0Ue9yQxvU+1t8Kd15Qo!%(@IX0;%5pCEdly6*Qd#5P6JvzCRh z#?{Cj$aabQOwA`-AVeOYjB@rXlU;mIp#cgTP?(xdc0u7V)9E01OMhg(6<*ef=#L7&ONPlF+t`>KxCbwrvnnk4J5*>mS2I9QWY>mVL){+%}5F zK#7nGQ~5TqpW%|)_sDK>QlRje@xDOxU?%oiHzCZcq-C_Bpb8s*?+vK}^A$F8qOaCw zw4H&KZ6&1CtCvZ~(4EtRJI4Xj&bl#1PD-?{AsG`jtt0r1yS;%=+&aE%UHwxhP2=Ot zf=V_ZH{fx&%vf$@tonVKTyuX7Zazs0_f60x&%@50V~9(9ih%I(VfDKzJ=CzCBuu<+ zi)7~wneXATOrMbhv8_8X>c`1yUQ!oDK!js^3N%&4)JV{jvSoqo7PE(W+`1l@D}~+s zQo)M97e2F%BBdDtit-w-3lEXDGufI+5$yAx>*h3a?R6|;Ks^x~d6D)oUJ7yV&-@-Z z$3=Lt_c?6_tm38%U<%^7=beRaXSjlA|`QKynV_|Jh-)GWJDMDu_rEtwpL0-vr$1S6smODGoxkmdt^dZ{C zfnim(69rv;J)Fu2lhE-r1<7_AM5rITQyQn~}0q544G$c9+h^2-acaWCsp!e?AJ zo+0LQN#^B|*N!opxWg5~JHiG2xbz-x9&-c%J#9~Uhx$Y;SuM5VOjfL^M)fEw30YfK zYkwvlW!Y_{StqgsbcY~KBqu7_ByN;W(=3B$aL!oWS^H~j33YItqfN?!XQ9FqYTO%M zV(AL4GFBAhC!Me2U0I`*IG(#o{}+4j9^FK>{|)b*X4CApGwn<}X(sKYowNxgZH8vr zq-`LfDNUiJEi}+d3lstrDAGcKa=#S;ML-2X0l5_@Sg|T9Dk5lA5L8sWqvEj&Djrb~ z@Pdl(Hz?=ldCz&)dfz{vXFXjjO)`6CGW+`d?(gOE+4`cG?dtaL4UNKzm?EBXuZt5m zwKM{voi(2mEBHQ~GhXeFnwRl2W7!Z3h6w37ZY3CChho)lHx~-Q$;kg3K!fvOJrdMr zZRjg0*)%1Ao25=0>HdX=j+?}2FsyV>hIMHO3XSEAYageRRXg#_BBntxfbkNV1V!)$ z=0o;~uCs_v>aK)bCFQHAdWn-f<27n!sg+5zyv}92Q!u|e%KV$&y$gXJCM2tEh@TiG zB;gmr!5c;XquvAD!^N{TWQSyTwiMgLaCXiufNr0^mQ-?=d=)6)0JKBL90$1;dzq2n z871_B;b(s!namMvzPU)Ud0tM2kz-erTHX)_mk{vkTBO0|L#@&Q_UkD0f-%S99qATy zq2WTPa}2F(U1932lRtwn#89>T520_l$?2VY-qM$So(dVbqIeeziJ)tjw6^omQj?G~667xN(ixK>xftAW{ScaVX0Kd)8f>d{k!KKYcBW*dRHeGnfJ!R9BiBFzaJ04Uy1|hmzCR1 zUz@BS^OkYW-M}CCTZC(?t zfJmyrSGbDGZtmNfXUSQi2sWSAv9Y9=9K#LuehbSS6yV#=V$Ta`4(3x?6SOaJ*Y?evEwp@4sCX)vK}ousd)vs+=dJ*mgOW@9(aW zUG;)0D~`)tu61R4(2txxe;qHX zS1{j~dgezM{WC`88b0btc2Do|AjU$v# zFwEePk;`6dp%c^>tiUlKer3PQOn%@7xbv|5gX@llUUUrjh=8nD{$amCg||y^?L=g` zsBFjOYnw*_`lI!iR4_}7ijh~e8@Ops6Bkr2SgZradjt#wsmG7*R?9jdea@_7<#(}# zCZ2g+|08e9h6quM-l!{FC&=euh^661N#+iy#|dm;?b~8Wot>rDiMsk9x-z-3K{pCc z0XkwW8fKi|h>Q71y){i|ig(b9P64o$n#|vDTpP8(mp;~=6z90=WFu|@o*`f_1~0qC zCkkq8g!MWXxCZK>`!$UkVC_Fdv-_iA_Ee6c?}tn(c%&2(GK(qs1wj54Qox<&{t4B4 z#Gd&Rp{2|l4YvNG6*y0vcacPC6UlYmV|uPvWrk@2wI5Bi4~r`v8*hD|u`V84^YN@c zsB@Ziv(7q%sqK$cTZDMcor)`c^cT3pFQ_}Ic{fQaO~+2X`X%DCOeM(`FCox9%%@|R zU0kJjrT$gC>_LFzltQ$>pH%yjqD5$8VSlGrNNeK~?R>AF5xJD}0b9kce2s+>g^hz8#i zfVHkQd87XF;s>7K?f}we_0*H1$M*yV>aT@jJpUbaMmih0k!L2i%d9P$yQ4V|`r+5k zm%|tw=Zg~}#GXKID|+k$(_Jg7cOfpvcMEo(K%CVwock?*IGFjFPoxryhaGF=3Kbsj zDMH*D_E|4_(m0Ya&0*14`{iWT6T=ydXBpem_o&q|KwJcPQ$-!@a1SgUA#L= zj3?K)8QhO_X1Comng#Z504fC^VnYO55srH)L##6`ah3sWf;)DDpmKzD6 zSk|i?vHCya?2Z5|weJDMNx4ppml?E2xsbwYQmpg((?a<$dj>3l?p0d(MM(5l-i$YW z&2S#~&zw9}@K|#g{ft=imKb%X4x(kIlV1d%d95Cpf8-s&jbe%g95=ZW;&~GbG449# z1}!)On@%%gKgSA30lO~OU4Rq|ZtwJfS?pRu`vpnP&ya_^Y`mH*^>ifw0-19b)9Dr5 zy^#N^zpEk$oZ0sEapp5E`EC9Yfz6U%d{!!Kj;}64YsbnL(OP3LNecQBhGb}SKdDa!z5f|N zf6{XY?K33dS*wGRXSovhP+VUCMf*{Gj+q#gCs2Ja!3ew*@-+VhX9stX+h;2G)wsxZ zZ(cbIhQcgb@U+t2FU zcI^M!InQ4PHUa;)!bW#K@?TKKVlH2JvSpd@IkyE*;>tn2cmQN(^9%T6v~_EhxyV-d znhAe_?`fS6Ff_h-SQsJP4-9@Cfbd+r2{{)E#kdW9Ew#1nDh}G&S={MJ<9r?qhnoQs zEgeF+HKAPuUofLenS*{w@#?@mcqEY0>9^6(^hV}HV^m1j~9O% zzU%AUMK;f5K9_;&jlVv}zY{NHa6jP;^ZNKgAj|j}FTqy(6N&U$|3*owoJ6J8L{9Qn zgMqNk4{#-V9C8-{)Q^s)RKFbAHc{*^P1Y+ZbWPh#Y~en`x0XLb<@Wi`ZcC#pfevh* zV!Fa^YPWoaN6|gTb*UZwIQPK^Qk+If12RuNP@euueMy7efV87tZ1Ri+U@%VyV#PUe|2uYJ}rvWKv?p5AsX%0|; z7%E<`n>)b%m62V=Xy1>~&r2}=o~mw0Htw~8D$-(|5o2%l+g*KImvNd2icI>!*dZ-KiSdHpFMsLIatLPD|X@2!t z4Zc1OG2@zI@%!VDA~Udhdu9Zb0g*uXJXl?i>?3-5-iTm-qHMD66TQWE-!+uiX!>@0gaL2!$8)n9A4GHB*|r0nXk5yEk0DiWGi2d*qzu>c7L z;#W(1YK75zR-%XAMind$T5*4jFfMx zWPll|*+?1FBWCdq-`mvvR4h9s#`HCBd|0FJo@g+9&AMTeImI2qD<#S z_s59+E-Wb^QnE3sYrAxfGdtItx-+evjPpBs%=-4mposT>$4`{FXN?D=xN)YBV@qX& zv`KJrxxviV75Zm;AiYNoG_XR zhp)c@Aa%_R@=J&}K9$do;@P@P`=%Vz<#_WEUX9Wm{FKe$g#z=yc>VA3bdf)nguo82 zgpfiUegS+FMfS4={^UX#74AZ9HqPqXIbSt%YfJKrm(PZ{g7fi(LzU^ZikazhCQ04rZ zfc2+nS`nowfO{Clfv0Vt{i=%me@!~QMDKcovq)=fbrgQ0RyxdFE1 z(U2Y;GCD+sF)DdlHdSZ3Y!2;qkBRhuzqXJ1qSk*-Zr~(3lzZ*q$iOQ6Drdvve`yLj z5%+v6qm30N9~7)(D%^{cYVQzC!>BFWx|g@!7ekHKvpW0hJt0q}rtt7~h)F+fO^8y{ zZNgb_8(etUniyrD9|Lhs;vZ^pg!&Avd~?%T_srO?h4e>pntfYL9e6FgfGG~aGQTMU zG4o#W?XX2qhTx?R1ff@4;q)$Ws02M|9r#w-5I1<;Oa$Mi&qTI$@)oWE@_<~;_9OkB z3xLWEVy_`Y9jffBeNr>|KFsYY{wl@(R)%?gSq0H>h4Zd!CND$uIi(l252q0FHH%;f zdfZcn>43ini_Urvx$1RsAxZ)(7pIQ6q z5V_B3=iaK!*9sSFpTs{jASFk8y#duWAa2J;2Qk<0*@2kLeft=;24dCE;?$u<6_yBP zkiKFrqN&^i^WH{a0aU)zmJZNBCy%WC5Kj-M5v=IIr2|lYw&|pCLrjbhI#KI3Sq|;?_eS5yK1QTEF8$jjhqK&N{_v# zQn)G6v>{#@gxPul^sOB19+YpLlfXtK@E!47E?D4&PHVTtw3@ettf8K!ym&4fTnnbF z)V$lqH5k|PoXft;17>i+Z_3coMN-%d4%kxMXk|Sz=jvuPgd>w77FpU=5kNwF@E8H+ zDCpt=C>;9xU%}nC;+rYAH!*?32-7#yXJ<}tm^P(8oKaff^rVKtT>gI64a|7RvF&y9 zw3{im;au9(0`)(y2&1HjFZgelr2fC}qQYGaYqjC$`#V(3-;#j;b^HdJ^v!~B9`MZz z{`|o|@0<L*~Qro0#%peEgeta%TOl;6H!J8SbN-*Zm7I{9hM`o8)HczdwgF z+$uMV{{A4&aGU(AAPn{YKhF|wk??@H*~&L>d9z#9|Js)~M#Rla!YQat|27u>+eLrf z=YNv7!y^mQ#Q)Dk$KSTK`)_z4G&E((km*yWPMGm0Uc%}(BlVB`hOM96)g58IxC65A z0sZ3tPT%kX^?#@D4HAq0O{VXE1%%KG#xg;31HB`;y3;5l}zk#uY zAz%I~Gu-?Dr$_ht3v~s*6^pEoKlJyR)MMP#rU?xb|C~k}v3>`(9`Arjv=08=fROo* z`~BBP+?XnCi3Sb?eB&us$Bm4K-}TR&SuwS#exhUWEq+Il>To*qcqUO2((|(OI4BR+ zPXUTet=n0gfnrqEnT?0z3}rZq$#Lf-FomGx#W-_vb8r9xu(fJd@ie4U-71(Rb-6Az zI2>uST;w<&E*;l7^YXFcy9#&7cI5^SAZ@OT+bRZP)U2%RVm;i(?Q&N1hwHNPi=i|> zyZS)*Chm&uP?nXIQvt+yYIc6{N_cZRT|x1H&Y6=HyauJ&Sy{M9<|PI0S^6>7IkR&t zvEY%@<>k97wj#(-Q7aOWHanYa1F!(74A?1kZf9=kR;0~y20O9N1rOJZYt^wDlwbN9 z{DSHV?$N-Fobn^MD4*5kWxM42{DYJlsHM~P19kwi9&*tGxVKmY&*KhW#yY4;wIKrK z)qbdf-?GF*ni)KzyM6~=B|#=@cEvOB-I-rq0Y6f`P@{D@tKlYDwnRKr`2*GV)#!3_ zbAoH&L7jn(_${Rvo+HZ{Y=^AcicuKaIVY>)SB$c$1Mke&>zujy!8^l^ZbOCe?#vCI zj?lSX+5QZ8s8LYM<-6R|p&_#Zk6}Ui0&48e3i4Q+lVAEe*1A>8>po}<)!Ff=dj&LN zzRMlT10Eu6u3D-O|FR3{F*A|Yl~uh39x12dNQ5@m8TxP@ExusU3b!G?i;Q_KO`|#uHK8&2DM~N;w zKd<6}aFe^qG_Wy+d#kioi(J9MaB5!ZF{oNTDZrb>OWIs_P#^9UwZ019rn~|dW#`mY z0MrOfv(F-gFaHjS0~0MCM(@9k?mTBM#1z7i|NDT?cfvToh|~X?fRO~0{fpgNO>04F zoKB}r&?H0{v<716VTer78K@yDA=(fF)E}%N)(~gl47?%UkYEsil{_)d5GNXph9pC> zK{A-)QX=3ETFvsp1UbQMNQ+B1SPWJ}PeU(*&0vqqFk~7W5z76qotu8RE}?f^mceOI z4cUgA1Q&5XaB{*EXPTb=_`7KG^{Wm?)!6v`TyLI|8?Oh5c0|d-HlZzRjYwKE~KTA z1t{F!;Xm@{TNt@&q%h`hOXc4Yl{9~yq({B}hGup1C=@DB{?&h)dm<3PGb4irUJ@n5Td z4;IFh3H*)v57b75>mN%awJ3(sg%P|EhF2WCw2ZEASaO8_ZdMH1=l8CGO92 zkU@w4`V?-J|2ztX`|-ubzuH9`Zf6eu%)K;*h%9KE1TC}>PS9pWz~~OQR(OnS21Xis z#GyEx6_M4$5RnWe3Ak587KYMDgU+Cdi-dC{b0V?`v~olOA+u-C&W1mffZ&7(EX;&+ zw3!+>Kim(Rgz#O%MQ}GmWELVNI_Lnhn3U%kNM!iJKc6d%-*oKnT|z2~L*r)t*(di9 z{fAoXu@|9Fj(6SYlmD#l|DqB8YoGkvkko~{MDzC{*(3Z+@CVKR954s{d-MN=9RDTAyuRo)cnTS#0l`8d7~E$8XSjp$|> zR07J>#K9NfZ_P-C|8Wrp2+-B#L0@IT)dXGqeZz&}AAwFb z;DIO;>!2^7ry}72uKt0n-@NwkjT~&5Qva7~q19iDu)cg88u{WYHyZgrEA_vq>VIwI z$2y4c;41)<^_R-=;k%lGH85lW?&$_+8F1hzsSNWc-jcw^gm=LL6Na-9d;Q4(BqV94 z*NZ)S{kdmN4KogjbwGq`1Ex*84w%|#G|Hrldi{;XjcEl+du}^k78fRRY64#NqSTTJ zsWYZF)=zB$o_ipei-Cf-g)ngph-t1O(!4HRYJa$Dm9U4Tot&8 zD=Du7G+akK=SPbFOvn{?gB(s7jObLkAf_p`VW!l_vJ7w%>EuvaIO(8SsPyjOl08*O zGLxCK51M&rq-G7J?@9ycmikBW02=F9P`?DYM~i!7@*(cSJ)x-B(~g9+sv10m_=p`c zFTJml6asWSGr8?ylC5x35GG8R$Y|wwPYJ>kO11+Z=l8T^`MnSthyTzvj1#7cJ_T#= zWd_zW|31SFGeD$f(__nLu6^`G4#%z;%f;e?HOz*VxEnkAtu53qq|m8q9O~Kt;e$c4 z1V+$cE|yk6AKhJUJ=yzDrYuVf>5DHDax$NMuT2f&NR-KB9zG0#wE(m28Hj`qfI=Vz zWFeLz;t?C@F{mBcL_A<@orbh`2=0wCqyff#2Z;i(_6i6O4S`5c`V7{wmeI%7MIMP<4 znzzNlNAeNAk6Z}>QA0&F(kiu1EzZKbyKiq>%yEsaz=2Y{e09ee;sDIC#-ozhxKwlj z<3~32-?V z=OE!;;V?}HX!-J2THA#08C&-lcN$jY9*{;R70aeG1JPVOjSQgANp^@8HgZkyJ&|O| z1wb}bOt)0U<7a#x479)w99*fjRCJD29@g?N>0n&|4EZ&}19U1D+dJTyzaYyXMg-^} zxD#9-aU1!HdmE_8Co!A7CNYm$=D6E7r>#XSW6WZoFLf%PU#2Cm>-B@a)D1KODYy}r3A^2yU=>(b8`>M=IQvptYcuu*3c)g zE?5e>HUK6~oqoTr@pWb`WVN`{Bh@5eqXvi9`#LfK&ES7yh^kfQ`F4@kT1!(PLfF$r zIR5Ar$&&v%w+^tR*qT1L(36bt55i0#OcN8xg&-uE2R;7aveMB=+ydxoP1r3VSA$r| z-BVxi%T!UuRhCC4pNS65A-!4(gM78op#=rhdKu^vrFGb@>|^2jz(K#`ImT=^Lwcmc>$#7AC_qD83LKlvQZpC zL_ld>OL`-l0E| zVjai|u9~LH{WzXq#ZfmG&wmz8UgdZ*15^q1`O_R73U>|V_>n&-16Yf$cph^f@lU&R9v(ppE9_4$T{8RN)0Qe=ZCQspOIEvK3 zIlwiunbePkr1L?jqtyZQ8?(jNAh<_vNA>y&O1rqFKyAMm$I9UlBlQ%myX@U1*0N_~)O0L2b6aTD^4-PXq4K@b&D_`O^Oz+08j-sZLmGxS9)hWrsd4`D z(oBq(7ygc6!;0n@yYv-i$0zZ8o+NuxELsF_RkL$vVx9H?`BuReRQ;R&n!T6;+gz_!8f759VH`g;3jrx@{lZlY$;XX#)2^dr)75Gg) zB1ecp7-6Xbgianf=zUrxqBzupTil?PF3WvvoB7o`|G6L#v;7!b*bi+;sZB-X1v+Mh z8F8oRgzhT;WOHH+!|@qW_(2>OT!OGD%@yCGHFTxeNBD(XQs+gD{nbQ*r?}Q(Mw-hF zsRI3R%}0U@%>}rhIQ1cP^2getFiA`HarNF;X}4Bk_utlaxFyqcJUUrLn+!tg)awtqL z)BYP4Y(Mzii2ej&@XQN^709w+!XSiyBPFI^W27r&HUNxxo<$IrWtSvctsB(Pr0z{6 ztJFp$Wy?{*5X`v7;M+kn5sY}E=pw8e#I|zLm>J)-Mf!->#+CqW#mUtwhnUXR**MMm zDfRS4QZwz~R7sQ|HBPw`nd5a(XQ=#|V!E3+Aoh-nKj47e+glMV>-}gF1Xs}n@hf2y z@SDFe!HDSCM!!B)Csty~)~U{oCl$5XNS^Co;`T;jeU%+EAX2qTlzpjLUqo+$3Jy&( z8sbf+WS)(SQ&Itb({40_Bm*cC+Qem-i|P|-)Km=v zy`3B8c@Bw#ffDB@rP5b^;RT?I3{CJu<J%EV?-#0NIiVSClKz$TM8&krqDdD z3^JsdJx&kIxVLbC7UXA=Qjl5OMx7FtaAN@lV43oLG)rgmF!^?8Ia8J^o`tr?e6bml8Ql*}^km1z~4r{9espPe6)!S)zV$nh<;RwEbFo z$7Zu=VZ5*f>3wM$lVX1-k&L#0Yc>%F>60AKxKRyzGy`R}ci6v8Kl+6C_KtQE6ifMb zJ^Qh6?ubrF9l-v>0v5@0*6#aaK>N<5&7k;{)+5+QO{6d7U&NE}e54eAlMXDElVZU2 zm&tgfleXSyj{T~R&lh1y_)*vDX*laUkZHcAV_ZP0zL!t4^1oZmQ+1AE`p@j=vX%Qy z&PpQ6L-|`NJ*ynoIpzpGt4;zD{Cq$_+;9bNCQFt12z!g?q1Ks}iP*>G=#QtF{}~Oa zxI#{tV)VG4a}W!8mR_Stx+gGFm>?$3OEClk7Oj{`J>z*88quRlm!l!Y=6mMgrUgGg0^)#mCApW2tvsFC`49|at z-s*gSR&%U>qG-p1nR-rU>fixJ94MqCg;?gO5C`-z%ZX7rrD00L6MiJJ6>w8&0elvN zc)w+bFdiSkw^NUh$Q)GqA~FM_J+TiDtD^NYLx+i<+$!a*98FFVmFo~&0T#Vq10=VW zFCldeZ{vB6#_}OV!t?Q3G7qPd68aQqU;=v7n4QixGUsNT|AarwvP+`bN7xgM`X6+K zKSUF|F*Bw@LUelfA!@q1nael5!hzt#S@p|-qh}*xZ($%gJCWwVg1ulIKeWR z?l(Ji+%boxwOqQy^mWgQxWwTjjBGwB2*UyIj2AXYw_2}8;ir}L(V~$VCscy?n?|L8 z!>NiMZ0B-8gE8P(VI3^l#a9t?mvvY#*lsd&@q7NkFkwv}OSsYUsMz0`65a>kVd8%J z1~<Z7#xAnPr?kJhMwV>nr8-VhpMW6gJg zD(3v5WhvH^FY9;G*$s&aFHG zx@l4EA{2T}JEdji$E1{dgv`Y8^d6vCW27#pTX5K4XPsH(aNs%Pvzf-lG8fP8U^{wq zDo&#Fnd~(y-E)DeIiLrmEb#(tGY3cs#Z8FpsJ!li-J9dJF;gZZ1t09)pwN8_mQ#e~Ynus1VOC&?!L#2pE9n{1`~i$C!EL zNv$ogy9uP$b88K>KQPY43frYp?>;h-8^o}}bx$SSp`sEop9%}MN~EYo?>-KihvWi` zIFi%ahg!?Em~Z$eO@!nK;%fe4?Fk`A`I#gANN-4>?8>A8DmiH4F{YsUKJwHJCXAGHS zH!;ku63;XNN5WVsj;S`WIx-YYRYPE6m&40b{@n6b`2+HlZDq$G<_iccCj9{Jl;p$u zI+XSGRo>F#d(p4<5Z5-R;eDsE;S|W%RHlrJZ+xA576;!`R0jFSiAhZHsQ|Ha44yz0 zj`x76K;|Ee(O-%IhVe|gQkfo04>^)UOB-LZiOc)5+juhHZcM@zfycOo`YlFneUr#7 z|G7)%5At{tSbu1W6vU5`7jcU?04F+po|a5TUwR0I2Ez22x%RStTNE4?K;V;#u>gdZ zV(c5m&ebdLMVKDeb-Y1LE$@~lBgaTd>6F|&I`?Q{JYrwxx(1L5_QwVHB+wI-JqW9G zuwWAQz^UpUB&eWkg2t`4>hNZGmtOV&?Z$B-QF@);<=w14h%Beu)&Upv+EH17hd@F` z6LWjx{)>n26y{bYiM(XR;{kRTQiI*rd1h_WG5ME=~eX&y`>|XY(m402`1y+aUpAoiQ#|<_!PsnKViH- zj)@OFPbSKDGYRZF(XOFP0xg4RKb!#6=;T77577r&i|9!6YCT>I%31%ZQ(6^4&pjw# zaq&2VG?Ce4hb@N8=t%a|A#4ZfJfXkwTp=m5%@Ws<;gXRKMxAa(-`3OmTKudxdw{!b zO*>?gGkv(&3sGDw`GsSSet5cwDXF@JDFxvTHbi4iNK{ zt;p8uP ztG~>}G>unOqmjz#-WliOEkA;diPnipEeI4_cZV5>VaK4VXW@%7AiR4CxwDbuSGp4T zI^SWNIsZNa*hdVxLNiD-Pz8Dn2>T&_c5U!E#3U8(4Bv%}QU@d9dG#%grxoWPz;{b; zS)w6St97h3$V^I-JWBhLm_b!XDd-XmX@P# z(rr+SQQ@bE8^FwP*o5^`Vj)0`t-}|E?DK`T#f~542vL#S*6O7zI6xk5-Dtz!Kd{Tu zuUJC35Aa(OE~OCIZC8}&VCL-0LIFo-kB-8fDfD1PaNIA%A^pnY5sWGRpof5y7AgvDg9CkGbmk_>9X+hf4E zKCAd`O7_wz?6Zl>t-s&ZI*~0)+<#q4GWWOO*Kso>2AZ=BfmAZue;(&}W+C=9gP17x z#!(RSZra(5vpJXe=U7sUMgyX!kFqq0W5IN|JfiSbmN|SflD~(=o0dm) z^l)DifEgEH|8?eJ(d~b9kH>l@pY0V5lDIcZ9|R?0hP{+!zST~dLZV=AMKS{0xo(_^ zTTqk0({%R5p6p?rJh}!lSm_dpvt%f7$U2!}0{pkp4PRpZ^dEZFAb6_|z;rlshhzjF z!ER|ZNbk_{0eA})g%A`-A!77?EG5yRs`qH@2{T&;9KM`j`O5MUz841Z7_2L|HY=p8 z!k8NPz2iBWPTp9!#J2-c`NYad7-yC8I}kMn4u-A>&4KaUU?#B|fXQkZ3z-P^F=W2bn~4=uJl7DnU3xB@*cU6^Lqa+r2C()HG(6pWop0w0-`4u< zx$H5W{{zmAi|A7vZyX)ZpXRHlX}QDfCpvausXwB92rUV)tv@mAS`P#N_|F+zKZT%i z%OsS0_;P!;cqRZj-qs)WY#qfD>56b8RUC_Oe~3GJVcV%{;EK0$@r)(xq$=Hc3)AMQ zNGJ|OfMu2rq$6Azr4J$!#OAs~1xJP3Va?gJrczC|Fsb%G$Tl48kFxi2=9 zHY%NWVsqCRZxRk5X*;iv5t+x zMF5FmyBE-Yz|QSfBJhb%g;Zt?2%iuDS2O)UrP(LNc6s2v%x%J?(366h`og=1F$Q@F ztCPHQNwL1(fV=BQyA%5`3sDe%28IU;ur?z@6QvxwsN7s1-m>!MC&45j_7oTWUb2dy;4ab*T$L{+I*0u+zm* zF%TWz0(ov6D{dzf=rTcKD|M~U;HMx$M1BN9f`mJS9fB$(Rg6c{E+)nMEVyO7j}teJ z6DG7L?f;3SoS!DF=!#HIYB96s8PljVdk6=q<&ism#EIJs@+-OlUmn8_JoReyyM1_{%TeyP}ob4J%s)WcN@&cZ=p5&Fo{&HvL?YSVZ$kU>tKq$woY z-j^2Mjo5iq>cgedje*rzbSNzl zQsILlAlxRt;WHxXU0ANnEe6p0gm(o&d_TAzN$+#1jbHlD;m7MLgla$^IuLi@sBdpM z&90fx#08PYxRGblq`ksN%tVnZ+zrMZselI6&o%k!zEMcuJKEBQ8muQlDYqt3#RK);kDG5 z0NNM7nOX-#8_S|RHjQcAaP~Du++y!ytY6dAgb!H3W&nVr9_|K!o`^Yjp#C&A}Crg!*MVN<2_}UOT=8nYl1Zr_FP794u_uCy) z?2GL*4|hlc=}AsY!tzWyOVS&0G;H{x;rQ%W$Wg&3!0gK`mLDK3#naP4zig9jSI?0| zGA`s7N9q$3aRM`KC;1ZSv1wc=BC>VP04W`92ab1g}|vv-Ne9 zH+V06j`bBP%J1|XK$cRFVt1F}dRL`1h+G50CvZD)CCqQMKl?~LzSs106k6@vXr7+~ zcBD0LTX=H&$@MU;{i?)U-_(g!!4w4EcpBr2!8Dgit_FCog~~QWe!=I7Am%ay*BZDu zWeIlm@O-5Kg%H3wPNzb;1JIXblMRJ1x%)fXwaRScFR8pYNj!A=KL1wOK)F}Gg!Q~P zO3K0gJ*!dJ{z~qZdl9DUJE6{EYxvdnh1#g$KIE)mVLYUlc(I--wc;_9xLx*T{cZWUo1chG_Aou#A_Jka75;W$?zaAG`BtyMtK>FXIo5ch1!+w;9D4|I5lH4L?uxhd_mN@IsQgS1j0_ zm{kq0lOj`QloX$Db$gL$keb*|qp~i7-(8Jw2kq4Zpl3T^K@!JaGFzYWf_QCGO@fu zT1~fx1$EWXaDV426-b>CfiDrM${qIO^ryFi`EA2KWf0P{RB({7uBpy!h%R7X(*f)G zWkGZuBXxgBp%1hI-T-309$AAKTzws82-L!F_wQY%KDW^d_ot{vAkvcgy&)d z>+J6(GK%m5(;Gxnmg&JndMkMAC42uIvYC9trIS}}7A`)JffQq(Bwin_kH{ci&)XXP z_taS3NT$&;TVLh~e^xPFogq~+4fbaT(z`&KZFQ4Bbo;Lv!_J}3$& zlc$hkdcK6I6541L*j+y<0eDEp<+~SVDQ)oPYvVNL{8{SJSj#T+JF$+{sK3=81PK;o zi_;K4oSEA@G?uzemttu%)Y1?2=k50faX)5*ImOSUSIlIW?*jwM6n!t#s4dKHOA(j^ zhLolt*lFPM!1KZeI?XX0_Fdd?AMEG%L*h9uZCqvqQ0c9Kbpf{uhLU+4Z;7WtE*>wT z!+nbp`HuAC(y2#$2A0?e`%lUKnbvQTOQxH8NS$q9JH2EC72t?*K3D&A)exW&flb>u6OLeH89a^;gkmr40r!QPon{95G~ z_6|ytj7^F5bM(SD67PPTt%gvP;Xw5vO$SXW2a8wV0$zF$_yC}V3-C7c;4*v+3sReS z3n{H$iD**kDg?8DKOBqesR1wG-%e2Dk>!rSdA7gKam+tYeyZJ|Y)m6Vy+25Y@T>LL zEZ-T8dP@oBaSAw9B@f*$_GQ0~FTNjaer;VMFmNh?@+CPVvcxxuE=$di5C$%BbY6 z^H=)cQL|8`zyb|df}Dz@#A)t(HOo(t{%nbE>;}YDGAo43;`_M3@-veb+GKrt%ECIK zue?-TQ`mvXhUVwT>ae>BRm9=e6!JU(IW;$)B(*qE_+6{$jBmx_Huv;c%v)>X>hl90 z{k#GAVpR%G!0(nUP&1JEnK(h;I#G6RfV4c(*OCes`uIf*UR+`{-V;+&C&XXqse(QF zLGf0aQQC+KMP&L(f%OemCehu79M||2I&WXOw7i|fNK4Sv;%6LhEz>dFKQuil5G1~vOuz$w3956dig@g~Zjkyk@&FjLbQ(87TW zcUT6PA4pQ4;4Mky9blhd?yqmY4-144ow&kOebo5?9aNVl|n$u5d7 zSudIV51TG{+=&Qp3w2avBYiRTO-91q@&f#B@E%b08diyG& zNb!?bB9blLYEd00*=;&0iDWbyOMe`TpR6=nd-)d)K`X!y`WBj~|1#>Rr!!T~#~dDy zbtNjk-SvecV`H^}9CLBxAJ|LsxHVuIP8TKt1XHP|hiG=%lz1e(Dom2HgeP%Zy^$MJ zauIC#W+62%tm|93iHKEDc9G8MT=HB(Rdr0&VSh|4!qP^avNh> zBlr@~nMl#rQ5`xcCcO886mPw=7b9%CFSray9R5_EUjly5PQe68yyU=5~K+!M|w6da50K;qBL+|nOW$r04EFq$hI#(P%9nYZ%i6TP|2A##;H zZsuB6E(a4Heb+VJ)#X@(8L9s{yVvmn13jvzr=xN$` zqwS?_>k+$r*FUfwW})`)%RARvZ= zO($3DDL|!0Ot$KGMawJ1plr<8{%7Rjxy=SfdI2qzIn{Sbi@#p!wmg0&K{L#uQ)txLAdvp)nb7cKbC5&n{ezR(`{uOH%GYY$Zhs{;_!Otwcq;fkc2L00ywJUN9Xt zkeAIrC-a{gye*7FNF_(?7Nc#0{o_P=vi)=-fT`}11Q5pd-@jpIn_e}@pIq3^#XHJC za^2xw!1R~+3r8hh8qWQ}IVwSkICI<3BBTe}$q%m9t?DM1RuWz6^{P0R+M9^Xp~@IKKXtOMD4BiM69`LB43kRUD*;>$OSJ;i1G!||f%S&n=g`Z6Vsuh>|g z`z#;^*Kl-2AhT;ZFs@C)OVHCwU+NuWERMq4NVNMx51WUIU9bCwVdFny^bU?Xn0Qek zKAKE7N{jMur%9rl4p{ERZ<9b_3c^Wzl#WT2YRQn&iplk-jrZ{+9Ur#LaMm%2;wm5@ zoGiG?4c-Ucy>za-NP+WZ@^)LSd|Dh&KNGTP?EVng6l`hS(`G5bLhv9?=Bkym$#^}W zO%b>4AMW9Zi?y8<%7M`83RqC&M{O1%nZDWjfhaY;+Im0N#^i!+d@ovFeyG)m-DbVW zbVynLZvw9~N%E|<2blQMJ7Z|Jd3H?25ES-?Rs!A*o?cqbyGJAo6`Rt7th%td17s54TT@H{t7KQ@l<9~FqG{LINf_}~vXmf2O<8zA29 z0;(c~n-N~w%SxV5en(1aP9RP?N-6>7827@RB_sHMQ1`V>ws%m0ah||l7rn88PfH@P zF=Rti*t7@QhB4gv3&1s4>ERLkshI-^dM#j-UX|v6-C;fAR~c~`pmnZ?HA=h>Na$vI z`a#eH5xtdaHfs4C|0w3rQ8k%h9tc|u-o~cE%$khSceQu~H;6FeQZk7QZk<3_Pdw&^ zll+pcruW7He&k31(8bC4V2PKGV)ihsV>~XcA4;-|duqJi+9AkZmw;yp-_aKCX>z`~ z0YHL;9QPmuzgfEwF%zU`fNrvM2$J)K&FrWsJ~0|6+Ik4dC6~3MkvXncLz5%U4E&*b z>eCm+=;LCF4Q%^|dbyDF)yKwm19OpmGDBO;1DQ3u?CDIyK8b4(B#!CtzB9JITZji7 z2ulPQ?)ZhV;Gesl`IU{*ReJqHivzf03}p1U8p7W7g*Xx4V}n3EdfW}J!2~jnv{ENO zB#QN#`8ye{GQqw*6U4a5$yk~N=EPaEE!J4Um>$-H(T2r4YMVF?4Ut+NoF6CizPF*QOot9VSDPBRNT(NY;PQ_C;6J?;YZ&%iGmvMt;E zPpUH_!Es%I6(ucFFwy^qy?2j`qWu4cuWQ+Xy14oRMb^b@lc}TF%P7ehcq$qR9cjpR+>~)T2@+`$5PYEZ)K^eSyuOF)%x}Q zJ>TE!b>Gh)&p*#yzSx#!$9+uW3#ehnpEOhol{@<*gf7^V`IG$ovQ5 z-Aeo)wHE#&V%+Bo+^2w4j|h-0;sT8SfEvSn$_DTU9%?v1zAkVG&^7)|x8Xig|G}>R zeG>>j1P&^CaIWgHBPPcACRE)wj2%-gmAC7sr_1|yj{?GjV2*ED! zFu^l1Ht^@c&E2m6NQ(Ubk>GjgxvzlYsO20e7Kn53k_Em-_#^*Y-cs3Ky+VvEL3XV818#DYfkjaUU99 z@V}bq;k6Sc)JX>3pn>*RXGA*Q7#Uy|N(|57gkl!y@9X|ZkD;y)nz3*=_aRXJHcXaiw7?h5Tpj3H z1UTcse|B0A$asN9=^;_inrTMb%5hZ_sb%^Ag>MpXM@F5U>WbU(ZVM|8$HO_3*oo=F z&WML@;z3_)(&a;n9v2b;Y$*i&eI_8cjCze)#-ypG4mx|}1MVL&lXGlG6b&9ysG6K5 z)mg8i2SmjvkRPOC7+E(yGSK-{RXVZi0iR82$F|>bH|a%8j3`3tt`b$YceA1(-42|K zz%C<3LgkEMV3ro>X%ifad9(KcL(Q^`va`<-% zn?cXgPjWfCJe#t^hDo+hG3@}-6qf_sqr7d{sFp0rhd9p=8}h_pC-o6O(zA)rDeNYd z1ZBDq_cmgg2K)n9AN`EtKvYSdQ`Ju`MYq@B&6)-1sTQGYZ(>c$&CL&;GHA!TUl!6f# zK#vztHb;Aaxt8%xLpL>WR?{h(+o4D**9`0(OQkvlT&`Q;yU}MZ!ZYmF}=7{fR6@#dreTSE!{%ZHiTlkKLOVSfB?_QL>K99q+a(EzC?GUeZF@Q zSIZPLFXLjzE-}A+0fHF^l;d6-plkhijy-`#QK_DH0RIo+0>XRxNj!Q$d~{q6JX&c) zDC&xAS3I$qz}^&4Lh=y+?A>eRAtOBr9{pp!UC36^3*~PODKcV11wru@xybFaG*qSf z53}=d2is&OLMzUu&z z%~apQ0~Ry$E5)&k0o5E;9-;zR_2V$gr)D)&B28)JKKXr8mdW`=eek3aVx37 zKeXLsI67S`f6GL+CVF<`rC!Va7uCK=>`S=GvN>o`Ykmi5a}EV750r+8cA6fQzqufjb} z5WXW@oO3wmE2`6;6m}7_uVEWoQ?d%t1zJymGYc68gf=|0P z$d}@o2rS=mRZobO)C+sQd@@rw1$=r5Nq?YqJ*U$0i%X=ecJl}~g;*5@bc8$=JIBuusdtWhL2ra5Y z>~axV`uh5STkz{a%p}Kf9LHu+FHybNME|!8Lk+iyx)s8sde+SLV;gmL;cE>9OcS{& z+^>#l!$GCa@94@f=}yMLb{z5}5*7JzCY3y`e1~fH`ktotDjksUfe!o!ss1;| zth9~2_$Yp7=OKE6MlePgpV#2c!k>}iCoM0-V`m#F)<5J6omgYbb(j7XTbXsTr&cd zsywB>J`+!(X4?!n9Kc@e7BZ-*BVLSW^F8GWP@-Fy$LR~9%w^J-8cKRV6V?)*S%Dje zQhecXBdu?I1=m{kam9@TVc+Fcyd@3S%HcpSgwn?&PVhK3AJFOX;0XYF^SDxu@)TrM zqv5j&wSwL0`xyWz(<~G{R_pr+GDfqLO%zuf0d&o17PhT6PvW=3=n% zYZ?z=W^UgEMxq9hhNg&o4QyF*5Kni!N0w#|gqj7^ABn&=wmW`2X9NUIjqa!1CTTCm zk+oX_;;QF@F8=EFyW4&kj7!}GjMDN#eQxzytoTonnA&xXqriYJ6MNUg4G~y~VY^fD z)zxsI`7z@1A;#Q&;UW?SC)JDv(8f@4%h(*=rVy5-(_1@FGiRCdDy`VIby3>fyP_ zHy85tvEEPJo!rxEg=*sN$VNa4B?^^ZW+f8gZeglOcX6xKqJr*B$ANi+?KNM%|17o{ zZiVB0>~Qfewr1R|KIK`UoWj-pdfQT-A|FD#4@zv3g?zSMx+4&>6q#Sf3QvT5QCriL1Zt$d%uyZQQ@ z#AYY!gzLv!q0gfVblvi7!gsV`j8^I%Wcy0U4yEXP3#QV{3t%Z@6s32Jfzd~H!;@7X zQe2acqMN<8T~xTaBW&ifTc=Y|vv(q@ogE2TnJhAr3b#1@t)jDfk5~X%72C~B__IJ< zFHObfsT%1NX4wFpnH7KV|J<^`U*Mf%=}LCf&=h^biZz~`;6@F&Req1@+KX71Ta2;M z{0zemZ6b0V3<{c|vbG{7vZeps-Ea>zx0#4xT^T1Z-Uq7cg9-8eid)b2((*##~I4cA@RZ+zMD%)Nu@N3`a72IyCfU9@>C z_pdc8k=X2YS%+$QyHLbH@7PmCn$2Cq0gzQv#Wob`lHFP2JEX1oRWuHtYW##)xt`oA zeD>Hpos}vhUr_zn-zYl$7PkgT@-P?3Etd$tM<`L4s-)Vecx7ME`Pc0`IWn~72irHy zWIP0DrM8mEFysIXN&I!A?w9;>$m{tF@Cg5-LIF+X6}b=@cy|TzWj-1y_(MsS?o>;p z@N@@YqQ7E$Qdi8}q6ABC(m_lTe4%(O{+^h0>E&9LxiSX-@FpgGAwc%1SMez|3d|viv}Gq`G@oV~e||xJ|gAq0Gb! zkZ`8yTkwdS&JD)Xn@1@5>YSCHU1FtmM<|^dDn(Q50EZWwJ>A!I!7sM_CjZLEu-U@Q zF!$-kO?;xca~O_mzK-|Mv%}0qg3wn3%CjZtIs>nvJ1|0BRqok&wQJZc($)2obSZ+gNJA!qTK9NK0aBf%5(1!{?M==;XedJC@_=( z9Lg9W5gkd)HbNQ18rA?@w*E>K${C~dKVkUA=0>fC1n)>Wx zqglaGBIJc(tN(ZWI4kCu8m=%I-k&Uw0;~IKb$=1zHa5oQDxP706zt5#VrDpAn-`Na zfL+hVv71UOai3#daJxA?jB&8J)IhFR<5@P5SxOQ&^+9qG+efaWv4(90t@Gjzm|029 z$=M19K6zeKtH;1aS^C)&_6Z>=j>_ihYx}ac)(R?r&k-uE_AHak^RsLUGcBCvvzDc4&O*}ET@eXBVuQF$EWf(7NuB4Io zSToZCqsMKxDoKW80}0RDN(zY~u*Bt+9wR1DFt9LB88u~oFd`WD@q=shlZIp zGQJZHpEW~%&v-y*PdCsv>5H$~Z|iXPhOgRI0UU0j0a_JqVdk+%oa?dg}#cy%U&ePPZ*N;$zfCtnA&)fln8YiXrcT#L_i^`Vj{eXnqc9Ny1E6ho>&cYU^ zpXHMqU(qG|j5-fpZ(&x!5T-9qu$-l=*Jr`pHJ-XdSxBZ6a8pb8QL<89f*%EK_{vbP z%lk`h2Gx1b5U7>y{#7JVK0?vrba#^Rh`#Y-wwJG%%%P;FEx5o(;0bsOhA zr_`zn-KCq|7Fru>-WTOF11PkYXO7MWNz&-XIn+Vii!!!qiP4cDj<-B7zRj+}15P|a znP{g5UX|)JY%rH=sK;;}YrxA4Q?*6vN*q6NfxCqOlyrCSM(_Ok| zu#9x;4#Zf7i%ZQSM;U0Aum%xt?cdb%KjP!=0{`sVH{Hi=eVB+_Ptfma0Kit8XMCdr z9@4UQ$QwuiqpZbV4@L9kw3Tig>Vx*VaSguP7~Gc2t-;-d{^2l;?}j^C95B+pi}$i- z?-*(syB?U>F}7$D%glh=1qt+kUd9l12FYa3X1vlQH{6C{xz6#DVQD1lG%6`b9>xta zzoaP%1=2pV0^9H|0xl`?Kx%~}g_$TWXUw=4%+qmN`R4)UpQ3iv6+-4y8N#71o;6%0 ze#vr%iSh2f+6!+1jHSM6`GJy>8$s0{(zi6VD~0oV-*#b+p30D4IvjWODas^#9LB8U z_PPfEf6d{jzu!8)0wyB)M0EJr-mGoxnj}XjDz`Qy=V@sI&bTWa)lf?QRIpI2O%|UA z$os+eKbtlwuiHJ{u)_ABI^q@rVh#QmfY9^{wpe;Bg_&$O%LmQDShj3#e(a(Ju*G+u zz3$omO&e2|;tm^<6Gjbkn;Cb@kMtP+*pra`>9714a@x+1XvufaftN0phCMyv=(Avz`wY%!W|p;C{qyR%$ePJ7xq-*x#g!+cgrX%P3!QhWM0h~ zu}xS-FNDdLjRA<%k7Sy#B*OCnDPlkKhfywOH;@m$;7f!b8UOcOFYZ;5yWXT*Z+u)2 z6=QB8KuXv|$_Zm=(%@^N2RqbNmF6wl+=;-Nu9}S}w5k9*!;wMQB!A@yEgitbTuh?c zbTBrXa-tB&I1-z_$7c7n!o9e-x+h%%-J`hOw^$dk{ZnzBxt-u{E!)AC#aLbG+swky z8+h<_t$zRnriU;4SfZGg)g9&iP* zEwSS3tWhk%<5&iR>c2R!@kO!<8{{R{Xu6P!59Fi%&f1-dU@t}dLsk&N|1p7><)rEn zRTJXw$0R5IBVZY={VP8f2yjAt^Lz61cj|}YcA-xob=)DOj(qeG*2Hf-q|&BdI25GM zj%!m#4t%tYimu$)792b2LOt#0*1- zqjSY~$z#hs^SBWk8|RruzjSO~%(z3${Md<~c;@p{E;P;;rvG$oeupQJVL{v+eenWu ze%wJ5_Eyg)f(-Mq5mh;7^EO-Jl6 z>{iX~^x`4I;-obnX7x?pdv11L>9z0Q>f8C?Jyk)Mx3s+qc(mF1G(o3Hc ze=K`&pDa(#kinnj*rI%ug}Jv!?q+)Pb-NGsj%$cN-Y34P@_1fi%jVi6^;d}9H1y!T^` z-c_X|nnBuR)XqJ+p*8z&8Hf1~JEF>JPuE73*Bx#7ynM#3E1y3y>lSk=b+#^dux}ne zZ*awt#J$mvElIyUxa0Diujf~;*qL2g<=4N`hF6u%D;>U;Y2`+wPx`u4T{I(j$jB$J z#}DcFTw}@F>X}=cSDmpsuRtxAZ6AKRDsQK8eysMF2}rY}^`vRg)qT18fiJdgacd3^ z+uMf2BFC@P{BR-SY|_g)DKRyBs;kb{?BiCg8~gh8lk3I}ntS~$cZf%RWWol2Hk6%^mE1SQ*`){!;dF`2t!{490*ncN~ z%JNf>E}imaebk1j@jtbzr+n2o=!@c~2UmPi_ianm>S^D3+sdb3+y1jKvcst?Jf@gld6}QmW^+dy@SxqA^b$OneST;D} ztvQ?OLpD#XUvzcn`xT3eFJHQ}xQk+Z?#Yzn+p?BC?wd1v$%1pI&h(l1N&Q#6@Y0Is z+;2~fFIXCKb>yaQb=x|=xAdg%y~mdQqPHAE!|t9swhYhsxv{F}kf+!5LAN@_P0l$# zsOR#m(5{yYcQB=uwdpgfE;sf$_|)d7^oa>ycIdm~Q00nO+iopaiZV-sS99QuWEMS*5Q-lqj+)9O|fo$}>gc>2+K=^rm^ zTVNU9^M&O1i#+YS2Q1GWw&ZGkk1&1vvD|yhZI7;TzuRomtX{KlefQsIz0;yGudgmE z&f2(Uc;2X83x##-_uO5yPJQrj_%r?^=_51;$Lqs`I()+QUs`@L@A4$;xz(5dkxkY3 zYpW(s0+q)H`P3)3sf<5YTYsK&Imr6$E=arnpS7p|G11kP?OwnJ-%oPIj!_44N)sRj z706ck#!RdVNX2@`jvhO1%2)tlEKswjKx^lda8?h81mBkhf4DW8y1zf{K37%nu*FtA zk)03!?|^^Vo24KSDuP@O2$V=#q|V;#?1A*~eReiCC=2+&ahOui+(8o9afGO|voj4a z+MpK98$=d%*NEo9Bs;w-J4ct`VzX#>8`kyM$(VD+DM*k&dii{xF`v3eE zj-RXQ|9AQH-`0Oe|K&US*M~Ojz(M_UwuiRtfPekB?dU&iNB@>kc3UV#g3u03v<*8# zYe{(Ow$L2-ZhPo0*fq2PvQQM^lD3C>x4~*l;2>(Cwk5Roc?++W`Cg9~9Al ztd;((tAGu?|ClDCK&A8~Apt>S^-n#BK3>x^P%{Wc_JrDbiDFOwd+q$S@vqwXsfTfS zNaDk)0-fuJOFx0T}47*TKR| zd55e}utZz4Fm<^O)OL~#%VAs1LUlZB8*28EWGx)C4iJ1!6i>y+`WEiCz%D~!cIlzw zS%Q0@!8j(e@_253jE(Z>m-p#uuEF!8m-mUW!B62@vPN@!RUfJc9zuC=56vMfoU(h^ zV7LxA(O&ooSg5h?-4Uq0(1*|swWpx!VMDV4Tr?=_7cEeG3*Zmb-v53P{>SQD`AZ19 z^7enJ^e(y=G&P(>DBxT3Po>_!%~)(@O!Py|UM^CJ>sK6?$Xet7^3HMC0I`hH*l3id zi)Iv*%9_-QjST|}E97KNC>4V4OaXGRU@yugOjZzzW4>Vap{|_kzK_)d72rQm3fQ#j zfO*CiAz62g3`c3ji2>Itu(Qg7d{4m5s$%}Xds!iwU5FfOSAzNKLpv+i-*#5%0W+%` zAP0!jxUgJs$8-JdW;OMpn-ws7bn)p?$jMDY%F-+Zc2>Gab3alsv%$~`#c`iLaI~@o zftMBE`!823zBh0dmo7y^dZWPh-ryQreg-pf>HCU%ftA(c|88%!c2&U6>Vdh{Ykyf= zIj$>%gO7vL*pYu&TWw*380BwsD`p;;T>WKlb@4-RqoV&ZxMIGXwiAs7@m;W|m);55 z+0I2gu(tB!oS(qjYKamV^k3Fi0Hdr}N`x25^~KDv|88+*t4x0eIUauzGv7!lC|`>) zzBCLyaJkz0Z!TBy|8HEb!vFVNt^xwk)?s>-D&>R+ysqNV|EAZ~1I=i2ogO(j4uqqv z%k{`fS{I&%9KQKYMt^_q!}dXGz*Pj}D|k+&+mOBk+bgF9f$LQ*nCSx1;i2zU{e9o7 zXs`+jAWO2&7*JQx;{dgebUt8yrIx#p3%21XovlQvxKaatLhQ)<9$2Ugnx9Wbl(drjr=z+thN8M5f*p|?@<{e*Z@K$#|5~6F?BU` zBydjU@5lrV_#}a6^}ZmK!ke@KEX#r5Sh#`v=$4#KsJiYs-*+4*HL=RIpfyL3;_kpI z&b9Emf)t>09r6*@sSSX9){I5zz)3~U#;v78J^kgO(vzr2LQ(^A2IIKDy__;@EF|OIOg>C|#b)0fk2ZNTGsNnS zu&e?3Ot4y=g}|{s&i5tb0i`4C@il7Mo%;{q7tp4{{R;vU)BhlRJ?S44RP$F+669U? zpcK3m_x^VkY|vpYJ<(U3&nM=O|1SY-;P3y;r$F}7$!WxcdAiS;;Ye&}#w|K5fchtV0nCPPyNRfLa!{JTNr9m~HlTLN;)Z$%?)A@_qJ-q3chbRt+ z8nQ7;19IoFrU$4U)}ag_sOyqHUHNLM8?yH^xra2yITxXv4or*!A2Ezc)C1zzJqyyc zw~;rIUCectf7t&XN^xx=#h)YjOoPG>Vy3X(WW(LtnL(jNWhmc)&fDo{5@vy`DxY_zYN&D&KPnZi zVcTU7qw6YuYRW{yZ2V-?tKJp}i z%G?Qw#U6#YO5%~yS%qI0GYrLgd2RZe$k9AWjMsS_i>SG3X(*cl)$o=vGF+{=0N(xx zyIpq^d=~4$FkDipW~Wlp&&WgY81tM^U$WulP~|H%nc|7Xvi&g0w_+l*u(s|)#BuH#Nz++lXqcJ@ERaHUT} zBrU=JESr$|Jo2xDkf1V(_*Vx$KSBN#tmvMazca+Y8XRuF00C6xnIJZq^D+@LrzuV0 z85i*2bS^&~q4c6743e#XYQ$^m=%53O>u~J|0GbsKraeJiKrP$5IxoQ!8h{n~XplFy zhA_%#i?v@^gAZV2-NaArg&L1Z7vm2j6Fqv&&wTsJbg#n`d0+dwj7|&n3nbSQiA6pa z&awZd$4CuHPo|{uCbeOp9-kzRJ=N*i>~o$%$cBKXa84ht$YsR_w^k95azce}BOX={LhjTwhFd6xnmkNi% zp-(Z#*4KyxX{4dSYr19j)G)c^RKquA9l7+{F3i_dr>qLCbP-WzZah1;Y$B3Pt7+Fx zmG}<6#ic4u$apghW8J}`TqH;7yMh^>wWN*;G_RFG>{<4C+|jo|zU99qFAPXH^T7JGS>D4;;fwuE)5LR(4ZY|I3gccIguhj>H!0V`WD8m<)6IUxo z@uOPN9)Ys8JpIG&+?Uawq)gD;c?IpE<=Cu!XwN{&jFbcD1O`voK%pPO@{6ox+Ce1x z{cmz#NLw(IFI`p%hhmV^yVAEYCowYw7enSQjn3B8#xkAm8tyk;R~THv*CWNcPE))X z`R#PG9{Hq4^^QYgz4MO{KgGx6Cv1168|wUlL7dH~(Rn|Sm+{`F9w2}3FXTIAya9s_ z|A3NYB@u~dd@`!Vl4 z?nUBKPn&BlAO*|Pk$iWk@?g7}`4YBdZVr||*Tp)kvHS_Be)7@9x6YH zr8k0=PjSUh2z;$Gvo)|!GkB8LQQ}eeH%td-<6!Mz^;!VeUZJ2E$1 zNW=L2gh{X-)Zun+?9n%w1jQOzeTko8{5H^l?gP;x*+M63xJQ#au#cK+G|DK@Dy84y zv~fLCTv9D!H(@+^D(JTvXV55B>5bThIAEr0IG)I~mVbr#(M%XVfMN>;UytUf+>D^3 zyWIP*p!05`)fI@kWqa=B&Vw_ScYJnWbu9CD+Y5j~osn4ULCL z78ig0W>a?K+r&2W4@gWjevoBBS^ZGc=Zq=qAZj|tn)zDF$3D|=!B>K>Sr+h}u)h6G zay|Xesx)C5jjec&A84H@#d{tEhdgoh3(z5ZKm$vkbyjn=g?pjUfRnNcRP`SGj*eIQ zsyv->Z2C3;=nV5D0d%OW#!Nnhu5I}Nzx1oYlcKW>8HwBuc^qE0{{ZQlF%J5%+V4PeGKh@e3mwct5>UyoukfgbZH4#)SADG5E4W( z%$F`uk*-A{LK+XxQgZ&uASK+!uLAyMDBA%mi4%f=>S}*IwNe-v3iLr8T(5J(=`5?-oBpR&?5@FU-H-_@p2l4A$ z{Y;(oEUMYbMfi5IFEhU|u6dg<|9&Rq(~ck=z(J`g@;HD{OJ5?L3)WoqFMHO@FZa%e+%uD@tV+aS`5C)~#gwQ|eR~yPiAy(X*&dgiAkI-YJM)5el=b+0M_= zAM?LL@Z|Vybzg0N}GrBysL~loI>oSZ@WVr?b3YIJP`(La}n(b z<4yM05@~xFOi|V$rz9J@b|Z_0o(aVr?Dlz1`c-XCI^#>O_4h08gRZ{MC^Ccbs+mY# z*26T3%NXSRSmnBgbxq)s9?Yk^LytC+xO}2wo+F~`7r{ruS7T_Q`~l9c1}nB#w+hL^PCwl zol-uKP9Mz4V^W+>Y?!Dsuh%GX*iZzjKu)#FkYiwDl}v1K8R{X+$+$ePLcHNl41XbW zzaYJVlDoiASqjofehkyn6vlbiWl3ju%OR|?=8v3|=5jU}KbCwQ+rSk2kYZY>!BuS2!Ud=J7_I33B zGdbUi`|%fy9ia2i!YR&yz_)Y`p^Lh6*Gruy8lPGJrRj!^8F0F!tPA1srCu8#J=ot=30|%AF(!gITxiug?ct)& z-Bssp+CaLd$Ja(OHuH%TITp!YIZ#+f#VYlml<|1Ds0K~Nu4;oh+RQN(bAlCbh>)#U zgY@%AXK)CTOW(7bopz;9%SYVure8r+LfKMycLLaTFNL1AGdIuv1cA^RgcFVpH0^Ef zreem6Txd4%kh2l9aA^Vdyxt-!F05SC&|^Yjym~aj)`?!nz>=T-#d}FYtpnOE^Jh`S z>h{~q?B-9RI6+zlV_^`Pg4;Ii=5*igFDc1UW%lc)e2@0#p_=~eX5}t6oC!@2$$U*P zoDT&!xAQk_xD?98p|Os8uHIOAN~?T`+6Exm_@|LKW+po zSJiNb>oXlHZr1Pf+uGSd($C@bYG#~}Phi4+5G!89=wD7NrO0z7rz5iqX5}yo1dS+Azk!k8V>AuNs;3IL>s#2O}Axg6|%86r6| z5q-lT)P;h&mwN>hjb8yp+ng0ZX>vWQKN=%nw4w<6zCP_om~7`tlylPU@VDZ6<}t>* zrj5#%6J$4xdZP3#UYW{FKFy?Fu-8|#)Dv2O^E$YYRhJ&C(4Y+RnG!FOM&{TfKSsvS z8QyjW=qSRN@*2E*4(UfEe5oz{F!PTPg~2AB4*XAi8$b~dkIbsXp1aoJVV1#d1My2# zYVHeQFKUaEx&}%D9RPH3Q=CM{`9jULk&S0asr!${C!A4~`#1a+RzDJE)#~Z2$jn{wiZ0Yz*HPlI_h;wN;dmyqu(&g_E8)%^bh!&9 z&rZko6y4e^l-r2T@67Lqin<{C>)H*c(2m|{=@qmKzDYukmy2(pT!_V|FsrzqkbE)( z-yVim#o}KpQEm@3xudG)*bt+t9Qa^PsXw0FgfqK9IKN^Dns89P#gB4B@UCDLj0jBE z!n)bo#vs324G3^tcO6 zh(qnBwoA!wsfczOY42qEThd;~r4chYQgEzO_+g-A!4hbwUbfiPV`4Ls({sNa$ z;wUH+2mwVg#$FfIa#NVEb-ors5706uWg4RM!{Hs=sHJnmg?c@_VM-oronktD(>B-Y z(_4!e`&(@0e#DG%?nlbpBB6BvH!1U@5YB|;)>&MH;ReHukn|x+Tll6k&IhjB){ z%9U$`2F3oX-Khhaem&dY6^`A*=u5O`nr(@!D!!shuhl)nNJ^QCvkGtPnS|01l$xAn zb8tQG5@MQ1R6+!}e-QS2=TTJhF}A%!MlO8|XN<@^jWU*JzJ*F=ApTV{U+%bcAyRH4 zx=!zS+cdQs3syTRN*7WHiVaVP@`;(-^t6WoK|C7X@QI*8s{R_~a=r27Dl&)VYj?8Gx5zfsdAFA56ZN zNO{P!n=)rEhwmAFdnEbB1He8swtP$np*$n+r{dYjy9rK%OVg*zCFEjx6wZ7>RpLjo z54$g~+G{UM#D!&7$VKjM**EoiDKtu+kF)3=(JrYA-eC#j%Wc{` zhdeEC>9dhMjY{BdLyX^Zo$14L>+c3+~mXz(-mRS71~ zGTnp|q1Hjf_)g4{UAi9W{h+~&EQYzuvubq5v@ROA(T_9S+?-tYsth!C-fFB(g89KA zSw|8xb`TqLJe@K>V> z&1x6kV+e9VUZ{0GFN>R8I7CbpXYf{Yv%N5w%<_EU9*)PGuB6*vD)5}9uh==Wl7l=a zF)OXdQtu%5r}!xoG^NMs(xeK|RilIt!$8q^r86c7!2EZa%FJby@E)x^hD8O%P_&*X4s}WImTr-?L#3GnMPa z41|VBF2-F^$oi?i7c%aV5n`Kr9n9o?*!?{pEA_yQeqEX~JFKaP@kXh$XP8*Wcu&72 z*b_;UIERU^ZH0J|_$1TuKqCzO8r_r;-*YZTjTxi^w?w%fBtTPPVV6QeMb07d{4$8s zi2d9>0P|_5>olgvwek^bv|fDEa);}}K2G&ecrA3FrrJomUt2#LC6tA&r+-glN^A|x z2|kHG12ziyEZ%xmtQdeiPLhzhAk+iQ*7Rl0(a6)2SSy}Fo?cW29^E>LoOkz-pX4uE zcXX1M?_XQBi@O3w_sCg0jqLXQn{?C373?Z}b4f z>^$aqMp5RW3V3Ko1-e}(Cjhuj2$=>l`IG5l$N)wNgDjvQp1eigY&Woq6eQkaQ*DH# zG;77%EYJN!L~e2I$86HE_u0?$+mO-{1$|r}S8h_?Ju=$&seIA2O9Ns*2jTXuq~_%co1e4H_PTFKz%cJ^nf6*a#JvcunKmC@+p9aiuJgQD~KM4+i> zv^if5GN?3cKj-V{%CDf~a{viTlXP|7&BAIEh)oM!tnz1I_2#+AWJ~~#%DEsX!iK?y zrUp}d6j=mwWH@$mB!}0=SXH|f+qBjIoZruc_5QupJ$S_ zx;NMCu^?%Wn#*B(JBpQrpz^K3yakt`_w9WNeOOPA373A?`ufv$4a8>e1o?`=nE||| z>LWoKI0KRfm^bv&Sig@j&e7Y{;@13*NJ#8tzDkR`xx~za$XCV*=1HMaHS$%!HeekJ z6=7tzT|=_$sA@Qn`b^v8%mC{ZX(mEfOqauOKHXe2WK&S`THQ`&gOrS@`Hrvs0%f#+MKdne zCT^04QM150qFct0(?=R&aVt{<#n+el))kbz1L5DXS_(Av zr)Gsyt}I*}LMbZTbb$E`_YxD8(YP2)X06T%xFks<6>8*_?AUa#>nv)~i_fr~GEyOp zq3pI=W3|=uO+8adDomb##o65MwRd&w(ged+V*)0tSwqcYt!a-Gdbi@Atg zP%q6wUEj(=Me~qjoASAeHA-&>W+N4sRr2qXdw^vN&7>k{?kOaN;0^Q8wBE>eGQB9j zP{|p9F$jmTJ4>7xJf?tcU33@Y5gX2+nZ;wPQAwN%NVX-5FpSjmtI=#lB^^h(kjB}D zOh+9XI-?<niNmu?Pz8K*fB9=Tg9{n%=uFNq zVNO^Ph<{8Cvu+}WsbPXfXWFM@GL`4G#-X%sB&skwJLDe^A`#YcVVPx{*82?yQgQn$#9T|ugZ9~?e zWkOXrlx{iZ*Ozw=C0+R z^m>E%w62RZMdgUIuV(#A*9`ads#?nD@{^5EPJ(y(d2qAwFB5-2c^S_cUX-{(VV2S1 zk~c7%*igI)^2Z#Xk4xEHaR&r^^SQ~oB+qkq=i^=MuWWj44{B0IH>)%RY=W43bhFX$ zPJ-A6;+-Fv?yzv~p7U}+GnzhcLI1LUB8rQp3s`x(lXOm9rluA+Y|2k6bA7DT2bqjf zKr~r&28=uV_yXYWxb#5`GxA1zDk;mJU_cSBIv5!Kj1m^8_E17h@f6<4SA5t zYYoK~2L+=+^A8-3=XQgnjQKDZKxgD3c_I~MO_K4ztfUn4HjX5-&p4+b_cc)ix&RP# zFvObt2K=nOP4S07Ms}oOOc+2vW4_*!@TFDFWt{5^xY59^0OlrtS&yaAz4g|6@E zHz~~^yP&q4Q*&5GXMD?`*0GWsCyF!unp&HUqAK~0IJiuwd4H;}4NGOP%eXisb z=Dhs!-K3VMbyojO)_PPaCB6gPq-2iiZ0Bqi`r;_aGausS6{jF(EH|#c1-)4)3316a zzuGR=iwsv|ARLg&IOnVo<=J52n@VeTs724aT<#>sBzGcX-F=g@TelL<-CM`O_51zvtY^9I?AiPMe(%@&_3{ov z6}`ECmObx!=~$|-hwYk?)|A#@=LHDBmZEqXlzzF-_BsW1!P4%SxdZkpxiideg?qE~ z+sW32!B<>K!f!LXA!hD;ZQCp8XGdB(Yl~F`o&Rj6aZWt_T`b)578Pt8wGf8IG}%{W z>6zMe>A;on@WVsdj3t5odEuT1r-L6hBBrg87abq!jbk~w%siq8gx;E4dX@G-ATkmj zgl+5!t|r8UhjVF_OLT2B3LusVHfSl=C7{OPGBLTi15|1wLpeDg{9emHm`E7%!)K2< ziXwGFdgc4bGK8TJKLE}E!w^O&ve_8>O3OYC9H`I$8DrWY~}_j9V+t?8tj}O_AWwAUxr48pXEo9XN>cMc#6Tsl}48|Y0=1yb|p8lEWy>iwlatNAi(q4*1-IKLOyC*-A9y&E;8JE_DUH>a96Y08X& z6fK^_RpOj+S*XM7%|gDDT!Hw2?LeUY?+t2L)0%ww4A|XA-RbSzGvN6sZ>tap=PbYn z<*Nk+@nvfO?Qo%M?Jn9__IFTCkll(wRkj_c2;V{MpyEDQjZCQNEVg~0i`eY7j`Pw;e-7fg7S~NjTV=cISy&O55(Kv;tYxoD3VWNt9s-GM_XP& zFz%Gcku)Lz8RDl^hCT*7Prg$1Tu~zThA_(Z2U~R9eHP8ghQmOy(@=5nDQ=E$x&06~ z2T)zcJsi%F?Y7;pq|4l8I}`6%6nAw4H?+ou`OOfI0nj1$22k;UQ7~P(s6AC%@NK6e z3-k1)3lN)@jn}49SHoMP>xyU&3Dn*?MYOXCCc^@mT3Q=H(lLDht_Nv)>nvcBl8SUR zt#u9nY+g3b*MP)|GERNwU6{OEYccQZiOUM&@cLYm>CpLcR=TgChHO$PNAT;5!By#B9*dR1NDW%sjc#0R9wUNy z9MM#Cc8_JHUU7~<-JWhmiBji8r3xz`X|-p%aM>}QZ3SHn?zqjXbJP`cPRJ2`jifaj>Ijm*O|T$frGPa!~0kRPv1T{ulPqV)K{%DI?9E@0$#Wk;&LH z!Fy`Zv58!eJE3$3&;w`*@J_{l9X?-P=}^(xg?m6_ue_&ffd^GiLfqiS(}=Uq?2Yce zjLJa+d-UBcsIdSwE5Z|_J zH`MozI%)fRBj(d`FIxI;%*5fK%fQ2Wit*75nkb&HEK@fucUhM{jyZ=i5cBiD7>JbN zcqN4B;p_Vsy$ZPa1+b9{g0`gz*tsEpvE%8CIa|c+T+w=C2FO0NXz&Nxvr zf0Jadk$ie4)pm(1=)y?b;}{2wT0;`S{ddQuD%Vs>8l(J%scCV4Y`n;FQ*7@t^lr;L zjC366ass1umcPXTY|Xm{TY`E>*K*IohM(ft5iIOf=3vW4vs*^)`Peczf$!p5C+aI(0E0m+5}? z5+|urq+TX!W_|IN)3SRI3U8NN#Ua2u^{H^)FrVkfu(RUJHga8?$_?*v@*J@Ww2ru3 z_b4RUILMwcR<2H}T0T;tU&>-|g##HJuF=LhN#F>WYjN#?(WRvU?Bw-pP?ia}g zLRVBjZl1dJd)g>&D0mBnZ4gKi#AXPj%xk?$P8S?R(tQaaW}&EBS5ry&%sU3Pv;vRN zIz$5VpOSvES7}3@pcWU9EU}LJloXU1%KLy;kP6MJv*2>pE;W6?<|lZhia4`Tc3)MM zAuwD1P?sSh`I4dHuB#a45a_FhD?IMbuX24rGS@GHXiZrP=~C4f1|<1=*BUH{8MvFZ zur~J88{z(*MNyrJIIs$eU!;yM87yl=$99%DTZ`!3a)YI@t9uoe>()QiY(--nKPCbr z*l+Wj-WSvH-??dpeN=eA*!|L@ zg)bvdyXdTYl5?^(23Ik6Ab)dsJhIoB3PXtc{D+Zugbg2-KFUyjNAg3S=e@@>Ak2{D zEk(h1;g1`Kb)N6sR8{r~w~QO?irG-%$>zE;{ovd92Bd>7O%UScE9hCL^YVD_X#|v& z=HNY2xs8sLGdZd73I@yWXW;A0-vB1CoF$5vhtYc3C5nZ2Avw=QfsVf;hBMDcyc@9mv>-V8SlwrILM=JvN`WxA_lxWqtHaH_tK=?vuly=kEVn2%F+n5TYOKmV z&Ee|z!r#H#eo$vi)^FwwD3%-5P)gSa&8^Qvob*!A$eWaPo(kSs$cTl{;y|L=Jp^yw z?^FChTYm)E+-_G2*XZE7kgwRW8fH^8-da`RPQlVA46H)Jd;&u7(x;i01)4%3+3=<2 z%C)uv-f7$6w=WOwfz@hdTTJj7KH0Kc2J~Yv2u|y9*>Krrd|iTId2lgj<)0)<;p3X- zRa_=}Z1 zI?kew<5S)D#8^~ud54$vP-i}^C&udi+OkJM zH5A9vVq9H7VvGho{zjRpE<40XLLV}O4|#`SaUTSGfp6v`yA34zM)D=W!wVMS4SN3y zt7Blg>j~wfIP+>PUJ82D+4OsGdmaHLgx0Y95V9OShXdiihnFhN-CXz5_aX38MCmBk zeT+!l?iz3J|b%4~Q$ zN>I+*0TB|K=BWV5-oouJJis~_hu8+Ia;0-w2tdmkTGktar;p)=V}j_IM#~HU@ZaKn z7MV8;u@fm?YRWOx(;&rtd_iv?ROTc`_ZF37uDvXqS_2p#dlJU17;OCmFNKAYca$(X z@i@fIcDb#{Tx|g>`v=RHZks=L-#fNcYWPJdTjy> z$0vN@WFSW^-vVeiM`zK#bKcYkB7S81beyKYx?{QKMLp}0h zDZvDb+%haFvV}VLN|ii6iXkb+@*-K`)^Lq3MS3UCwuRy!g>BL#%55v#*0P(M6{tXk z&)F{|o!`YR=Y};dN9A=00G9Au@gwx2v!fx){h~_l;DnMQ`VaXvh|)}N_!Qt_hqxmE zla=4#ghKeUmXo}RD&UDT&rg@nNqzO;Wx9hguu9|Z6$4n=NY5F1yzN*9J!SZo0Ts>T zstfaj{doxoxVv3%Ietu9|10l;93!VA|DiD&g7O2eV8Fd~a-kTdE zzp?8{(BPKaykoMr(vHhpOfyNZ5Yd1CdCFn z<}<-Ogy0Tv0i_8Kz-Sik$y=*8z%+x?$Wx&C@EG439$X9{?>ZEz5p3*qCcj^#087ME zsKV~4$p5R}GTGqDB2VxS8DcnLxW@&{$ga0(b6^W{y#Y&lW!?vnd?j1hs%V7NT{8oCfRTOuZ~F?|Uy$(gyczz;U%?-cN_#lb zl_E7|UHt=fV~=&E+dx6v+dS7eeGot4(y(#Ek+q!9@)g$9BjddcWa5aqky4ByfyfmM zHlmY9^DhVerxS`35^0sW4-5ADyTPiXu6Maq?#J>@stX#fnfnPS7aK+MnbPn$SWWzq z<~IKXUk@w?U5sR)2%}HDex5bqLqRlf7 za$N(xwYK-}gp3^5$MO*M#ZJcGaxNc~&cxEw?k6}YO@M6Bi%8QRTr8$?5@J*7vmtW zan9qY*pIv~BkvfIURy<`^FHa`WDss23T)}&azSu6CECMFafK^9BaI47#? zkL}}20m>O!JQ{=7!-a%!X^a|H_*UK_#GilVVCkAAu8G|64ZW;2jLlWe*`%@rK?#&# z!R#pkN=eA|qdy2z>4!*=_z#76`XO>#j$Nyp0YLu|2%_YWF#lh)HSWi~AT#?f^y0wf zeVx<%wiNAD$VdH;ldcPAD8n-{GNw1yPMsWa*>7cS=Rhh>YA^SHUUFSh;rb>2^`cwX zyWx7%eVw8;yPYTK&k9}762E!ZZhyV&t@Cg2w%@t}GFksD=~lIGR2o37e;&C(;C}0x z+}rQs{qrvHl+hgZKcD*F_lH{FdH`3n0d7?Vh|%GZZ`{sv`~IlD#GgmJx8LqBh5oyw zXfo~eKdo4ZEYyR3wzP}du*M_>DrhD6^ zw?CE3_17!^T2HwDjjZRW9K!9jbmjb|n*VO&>(%@#1OKfjbLHMv*#D?uv~h1;^*^cr znYY*b@a+$9v-$t*iT`eo8A21^}K#ww4dKr?5$4p?;dhn`~S}_a;vug z<)Xjb<@SCB1P%XRR3CY1-xs&><UA;JYJj_Sc)`x*?FZ^NS&i+TEr@p3zEnvr}8PJ&U2H00#HKj&Zc`o zuA)kvlU@EJ(&XlNK-u1j)Q~N62YyTFt?~JC@F6cBEizZ0jeEKKV~xk_EjJ;JJG)z{ z1&ZiaJ_z=8%PvgAYF{^?>R;w=gu3Nb&co_%d4=bp<}R-Xhd>WT?R60aj})$IT%Nq* z`!O7G=inp7eGoDfx>RbPyEq@p%5mYPxE|tM8lTHoYC=%W()+PGw;P#?mkCd+-L6V~ zjK|7VnYa5lJ(U(!|Q6u-R2Oun|c6Dp{SAa*P4t^nTq$5xlZME`v zl_oFOTlxV;IW2eLYCtdo$w~PmaBpAvSy)CVS3ofbc~@)?B*L4?^T}gyqR)qNttUVP zROfd4a!OA^llijSr{HX%4^*Ubvr6O3bK|St1}Mu*d&9GpzopW+UB2=%c$41h&495g z&Vpv}RZf6c=>p#Lx7~}dIxmlW>fHj*=_wr#W#(kd)&gk3ZaFP|y}gmn)va3&d~&;E z_-Ait-GYfW9(wX$dU{^BJd+{X{cr31*{(eJCQjmhH$TSC1ocYQYt*XdUa45~{i}MF zDaNEuAf`_G&L)kX>b0g=lg`8>u=+T?K7lhCO!1}!6R$U#5=|zPpf{V6OvxtEB$-kY zQcbeSV(Ow#Gg(bG^62r4)BSCOG7_}wi`&cfc9X-@)s$&+>Xn2neYVMEa+`AWxh9Xv zYwDJeXY!f+rtYR5rhHSt)YH@}A!sTv^)~fM2$>2^eNFvLMW$j?f71X{iN4e{P(LW4 z%v5d~oG`>xVXD**H4RIsGF9t`t4G)tpS*o!QPqyUF{(UdHLlg$-aZba%8zf}7*+m% zZm|D4*rf7l19PM(fF>YsFQb>Z24ZanN_m2suYw)P`<*mqCC zIsbp${l7lzI?RtAz#FbVY(I5eln_owJF8I)qd{u;=?p(w_`!_k&!*5{Z;0znaaP5@ zrTR-_+&XB|fG+3tf6>PH&%JQyDST_yb~;z>zx#5s`VrfI6zFq6q5k7-)Wsp z3=55<8G$-~dv?{>rJy6r)EbO&T;l9PX4&qLqNM5qvz@_Raa*-vlWw4Bs*R z#;aIOjEB^=htI;Rc;w9WSMi@u`G0u!|N1I=@p=E|OY9VV6EU=NFLbN-++>c6cEBf9 z{HDLQ`mKW|&8^d;cmB`4(CYW&-8cK7iVUi#KpF7d3CN_%h|yzxj0t6{5@Pf!Jx+lC zn_{w6IAM?pL$jlP7@9?8!r7=7&W_2(#y+sA$Jwwe17*iV%P`^STZ=ZN3J*)jj)9V6 zunuK|ez_5sYxFUhxHKCI(5o_IOmM9l*`E0FukBktV{+t1`>s?QzmKu4`yAT$rO&Rn z?|(ke|KTbBYx{0`Le0Pb7*OZkv?A8tr|P#0I_a%A!VPCVm5aMhYA3L|Xp}}^HQ=B^ zh&k=1zGhT0q@M=dY+eUqt!5g!Ni;#G{U0=2bx|TSygs}3c1=z$Bl(szroB@#losX2 zs>cL1k#t}N3xZm&ODRC~Av6^K0dlSk)ZjL4*M&E=U3ICT$4WB2%Mg77Y4i8o;Fa>N z$2|o0rVLyhlJ`1SFn&;X&c4Am^C}~PL~Ril7nR(@@wkMGPq^XE^KpJ)rhDGn+4{H% zDijrDwGL;xI)h}Ql7g5IJaa@po!;wpXtZcV>rY9!P$kodg`0YIBIMcRO#^?Zu`vRI zqZ7i@BGcpvj2$V;UARC(*d8)L#-#;8rb+?2PRc?@aVbJ?-T>4x_^Ld}8>_M|L9KX>pl9wHd2iVV{%Rs%079p-aEG{)d_?~cjdZ2A36qgHfJN$Vp&j41kB0Us zh2EY?)+tL7NVa+QltrZgq1exm((XwHRkqZq0HW2_5{IkwAR#!Vp2}E@b9{wulZi1( zp0;azYiF9nvAR^y3fz$atB}cPeH9+ayZKdk1i-kSZdss#_b33?81wBVf|y>Xn?4ee?0#$~!n3?qfB+nIm+yLvx?q_0zH0*9Zic>J4N~3~K!8hig z3QESUx_qbm5e&Q=Gz*RQO#!VK@>p<*{ID=^@d}UzoB&~Y+c?Jl=Gq8T^x=#q>T6h5 zw3TDqrZZWnoc$$s*C&x>#)+}m0y5@A#J}Szd*9maq51r`eEQ)f@>+fXM9@2?s+ETw z59uz{a9^2U&~m#C4H}Liex4=WxTH0e(DH?wx89&{BAMYG07ug{3spbNpIeb%E)4?%|4MSVkQ=wQOSKI$GS*rWa%(G!MecJgOrgwIfHnP zi?>qJEx4T@L3>1A1p$Bz^n~(d=PUE|*QxGTymtQE0=aYZ&o}fm;VX=?d(j*cC@`bI zC3J8u-@1Mh8R~xpfvox(?)59b0EL+R3W{7<=l3E13yAh;?tS4Ua399`5Pg@MiE52M zYsdkAE^6+HBK9q))@@+PalQa@b^vq%EFhwjEY~Oit4!1}OU#|M_V+Av_YpaWeQK&lMHiw%|b_G zY%?&1t@yQMSleponk2zK=}H#U*PDSn5k8%i>h{BMB2Kjzikx#C2)cjanrKXqjjG58 z00t&DZ>8bZ2WdXXGWlE_*$TH`!HLXL=uOIlAhe0kp?Yw~@Jy#c-bnf>531>S)~s6! z0;~O6uA)rJ0+a<$Vh%dzuV2f}vOGtHj=;0(%j=Y9)hM+9kl){Elw$~}5{eYm+ZIV6 zR)s^%%!<>Y1ph}Xf6F? z$zXIx(+?M#kaF=9Akgt(q!iY&&MnS)bu!K@;wye7r%=-|>JG+}#YOD==ZFjN3)pe+ zLHQ>vD32U!Xke7HIXI)(BO+|n;N<&vK0SH}d6{V6Fo z7G@obptuD4LZw?Lnt!H>Oa<%|vsO%F`d;2k`#_fz@i`K^=9)F*C}0t)W|XwDCu6-yu`l#juEjX+*9PP$2nKRN;Dfb&rR`YmZ$d>n_fIk5 zAKY@x^=|~*5x+>3OtIzknwb7y&>70`D?SJq|?XO%|gzDMv zcy@H0dpkB{YXaY@NDba0Z8MNOq!@lT=AUDX6)H$=;dYn)VP@_P%tUx~D2WVH79z6F z*c8ttTN*S%2{btkFa`>|6Zy5xzekP(crqLuxfpaJTgxspF2nap0C(o?tW~2308vAO z+0n@;vvvw_vCApsgJKyu3k>m`;zKPaIiER8?ziSK99|bW>n0!+hZbJi*Q8=su{#bb zgJNuJG?vkEMn_U@xtQ9KTHgx^slb(G`GBolg!mMtCn8;i2Zg)n7MfDGz#k7S)B-uP zLR%$pjx`5T5N#Efl7Y0ENy3ZSWVU&`7$2D?Ch%h*@@0zgFT(cY>e}hm&mlm@lzxOl z8L$OvKYS%LaFIVW+V(dczl}M>wriUI#l&%5oInUC@CWjHpwA0GBz!thC)S5myrcmM z)&qBmBV4F$w^9L9TKNzOfD$i!DGcMk7vp^+@mfPzV;Mm&WT+P+TcTukYNT#LWEIbr z+>NT(FJv%llY!Y5*!(W)xR2Wx$KD4*C^j0BO+_SYie1YPQmVgy0a(Cj`F! z+hq~=EZgtg>RyA|iq(^62;t|r^!wDLy(t+J>r-RN6{3=Eb~zn9zgxw*3H!XtzH=C(HNaWXkUQ5qFJzCnO7g#f}4iXz*QXrN}Xpw(JFP zz9Ekh;>?Gs^oO?YSM!IO3;h@!)0bflb{)qsgP9~lHRY3;(M&Qk%JDrVcYt|YC34Kj zeSMhaF!_az`SO8I%rf&glwB5!herpIYHYztFrsjb|O zx&qJYRr|SCMM(CX^(GPDdPzXIq!x zelWiYE8xxG?Hw0L7WowineA?K4CwDrEN4Y*VlvrP1Cx9>(iu8=={#H*K&_*BuP0H? zkF2zfp+2D5;d6>Fz$^3TBk>@XW*jDrP%XX@K0>78Fe2%5#vm)@L*k;+e8m3}T+f4& zTH9dgvi6_cb11LBoWgufoA^@q zUC}h(bg?ailas8!d)i6$mG5wB z{v(FJ^KugVeS&BrFL9+6uW4e>c*B6%NjfrLT$GiIy6<9*g_XinuFRNoJdhTp>s^LpVaWL4v7%7R$OZ(2MK zjXb)|1_7W!6+^v=XxA=zgDBWWY78qhMK1zU+&EARllGNZ(2~OOLaESObo;t1Ad=*( zxGD)VSus$!58USu?&AJBow^|0+Qw;jp!J62r>Od+3-Sw*kj*kc&qgb zMT<*n!b|xdgjDNyGv?u+$R->g(b{Ce`dMiSvL^$Fb3gM&lXPz^^GfI$u-lcRCZ{M? zu6d6PEM1Ep`3%XQG3yP#>wM{Qe{r=Rj3~)CKto@gkq($;k&NcM!`t07#*YFb;(I82 z_3}sTP`$D?rKo~4SRb+-NHJf~wmoYIYL#*=(-o|bbnt&zhA)_#KtdoxeyPjI^fpHN z+5o(S?;k5Jx?n#ieCw5>@4He>+}3fy)Pm^<8$+x7NvL@j@v>v7ylL|e5LA!JA4jJ0 zm7;)8y30}U5hbxxEo1yP79F>#QaV1ewCKzycuOS3>XpJqH-ns8Ej2nKf<-0)(*&L< z?q`=L;Wp!DE@&@)O>!Owo=)tAEIyi{W>hu044P_rnQ4jhA7QvSr<#k~)lU-R*{|Zj zpkRh_BHjQk5aE(S2ZdxN!bwcTH4*m5F+JeNi3*I3dfP-3`(3IbH(tq%VVusOrIUsv zhDPCM>?Owj8hSoFn=CC}l1zHopT+sbb7bZ$A5vNo&Ivu{3ZH)}_!a0J%e0jj`PfQ1X>{DKm(2BX;8P}*yu>6q=Q$?Cg}xT`!Ts(X$;?Et z3sWx|09ej3Gr?w_Gh;O~6vm|raJUD9sahs4!P}JhSn`_pR2t5=2gSwA7|`aMuk=9} z2KkaHj(2p-OxrmLXV5BV8D3*VU8D-L*pu71$0+%I)^CLV7ani!MN3M~wDsNbH34Q! z>}X%O;+lOhI_tgL#ylXr&v=e)n9W(p$vc{rIK+PKfcBdU zb6sBX!WiZ*=E{r@$T0eS?O`E<+Yj2MUATDWS^#iwC#Zv#Fd60tY+TWXdF+c_BHQHs z{JjNz5%CpffJvrILFBjS|BhSF$m794_ae+&=K;{VUozXGbL`e#e)ZxvFw{KA!Z^at zbI`xByR_J8>j|__(QY>hv2{A)<3)ZFoB%n4cp~q*^r|0VS@%QoiLi-`a=(w=$;cY8 zf7tf5y(jyk27fAy1R}2D-Wcat=LvU;wgpR2`%ZBNYt|Hgi?NY=3V_kLhv8M$TY=sC z5PrwjBNK8zK(cQkZ*~pvuR!7)&cdyCK9Bp8wXVJBoTI`hM{Kh-!EK@EAd&M6fyMHL z!^eJ${QblxoYJ1QtAywchs+EY`UB>ni4ETXX$(tex6URNJVVOi|AWEkT<4s$YnrQ; zJ!NoxyrU7f(TR|$fGezh!H1aY&qK_MjRi^HApTcLyceRykkhgHQmG_ME)*3N*w6rG0$hLN!_y$FD7o@5PAxth2~4T{Lh&_ z@EP`2Po9i>D#_Os1mlSZ#d@*Y&Pum^+7xwxVac^=*}PHWvm z9-(#AjYA+p^s^&JQ{;5{f+Kx?>$^f6?iu+fpJlgm`8f69WI+yP+9DcSSN0gKgKl39 zl^8&4I0Mt)GdAjtV;8fVPhfKD^JDPc_AcB6CKRZ`c#E}~d`ffdmBKi_3DCdGLGkb@ z>V@A=1AEp#G^Dn@mba6E7hADZc+G|nwR2z>O#$giwesS&qTb95^ImOerSGKE>dK{y zIMy$sx}BUP`~<;Grk;NlnncfpAQF%##DQ@HtD4NyhWajrPpU`q#BQI)-NP(wK8_~> zLl~Y!zgM2c#O4K|`loRpa#lK-Ew091>+|e~nxnr$D;A&l9#12^)r!SiM6e)#?TB|X zGXvoulNk7$$}(P8bOaBob|5@H^g;6&a*^gRS@;WhYeO`lMzX4SXBYY#kQ3s`#*Oj7 zkZf1s*F8UDJ6*%axAoIGA+WOVJ37I2>e6AS#yO4fw4Z1CNEJz`n~{H@{T;F{|7BSU z|AJ@Y5?OCv%re>d2YFUuF)EzpJ$S;HVHLCRXYi$@8n^a?u%-7LBJYs(_z7KNo2R_fXQ21=|aTJyTxJ> zD-WUP*kp#r^G?H98JjF0bGBB$FdFi6wUSvVl$0f@l~!%7{OOtpC-xL~sZuKQLyVgvSt<2?FpCEN8#f zKuE<9ISR3Op)mkNjMGqEg|R$VoQ>c2EpboJBC|X%Qok`Lj=FdB32TUzjZGjqfl;V= zupriL!iL&OG*{Sd@N@-ACi}gpzVLMdGTb2`RcC6JBK&zi__`hpnz531C<5baEkOD` zkdx@eg=*!r_s9H}H{IQIN8=scbk0vi!-cc97a2TTU~BJ^zF-Wl*l{};rv5}VGuiNU zvgDSmpBc~TnWp9zJOjdp)UVD^xsM0V&kyYu58wox@BRs<&q5u(u)v*xm}Y59EbYg! zb=$zi$-JD7?;xu=j+qKu0kDyL1wVKoX0TF4>Ovpl2_(NLwl)s)jNhQ^CHZLn2;7Bk z4V*3J&4C#(BFv2b3IJc`uQT(IlZC{C^L61D@IACJVihh-%tNBX`aB90X4@>g(+m)Q za@Y1B>rdBfFKAY|n&P?U^~qklC&>e z2p?c9`>wXU>X^fT7Z{5^dPT~j8-T972U?9E$Q4aH@+pEUkJ`Y+$-?HGeUy!tdLMQ z6hFi8>z~H2$Ri7vBmQN&ZT`KUso0G3+qa=6X--%FU?lpmSpiP=9^C!X2X41f#jjvq z3QBGBnK*kkHjrgpqPrbcf*R>7OsV4t!wd`U5+{r+L%bQ1z)%x5liqludkOe)*vu`V z44(vP$5gs}A39x!*>WB4mQ-;?gE&@5HJsH2JMl@}zyc$x9S?4uXT`xxDw0@;Lr$4K zavn|OU8L#Km;5|lqE1+GWGmVZ{@ohleV&bgFHoePoLob5wc&Ry?N>CP?}n$L+WD(_ zp>PbaLD8OtBM|>K$fnq zw}d>4r_qekdW=(Q7tu84UU;U0ovPw)=)x0dMA;|q5j#7sV^ zD-e3Kf)1zH=P)LGplByKW4+V&qtxBY{pc>h!T`C6ETF}7IHVd*><%($em5#8N3=n? zoQEs05g2oYk8xYzIZQ^0`8d|_cPp-NA4X`P?OowQo%x*B+F?lr(roIe)RRn6Z~jUn zeLzVH$6VUW#a(=WV~vkeaARhJ12NR%pkx?0cvaBH2f$AW{JhELXh~OP2W19;5i_GW z8P)mCYhsDZKFo3tC6#LBb4N~kcCA#C3LQQUxHIC+`!&ujusFjW-OjL# zBY!h(5jolfo>X0QQEed^f6 z+Izzz_|mcI>^ZFg8Qhtuwz42Vjp4g!P#L98=y`McS=*SSr~W5oV^-S$97v#A)-BqG13j zzYE#c`atL#o~7HkWZE5?zsBa$Q@=DU4u0iuAa>3g&at*22QIe6ybUwXIF}H0wdr_p zb25!4F*MRx4UF8*WMT@ABK@rcajHGN=q1^J9<6IO?9_Qjt0D=(CoCsv=tS5N9s$Ti zW|n*ppN;dwUD<0ISXRs-QzB~XX)ItZh>_3518ngclEamPrH~9j!&0^gQbFBC2w26q zOya}yYbWDMNJIjA;s?&_C}j)Wh#z0=Le}2-nZg^mKYs^h-JmS3d@8M#*m?eO9|3v^ z+uiRW(SwuudWSyTrUuq{??5ExkP<-k41g{64=wvqp7Tk6HpaP;ox~@G$vkvWX;n$@ zX^U2qXDoqOyaD&O4-Vc(QY}B}fNPXDlRfr}hC@19AwOn(Un?yav4I~aO=H2>1N}`e zd(n^YV0e5V9c%qsH1iu^5po^_(uQMlkhq(~GV{2-G@*Ddq5?l!m_vnp16^f36n+vr zz;U734Va0ubYcw$6C4*cpbN0c_DDkek7s)A$k@||NS2VXdA-4<*>TPCTJD-Fb=}vW z#kSyhl0w^7oY^(nAWs4|7Wa+}lBrgx)ZH8&c&)(#%Q?dNt6j_lj~e@-hADU&-%mk(un>BL{gGu>%j-g993-B__bC9T(=QS3 z-LeU2oMFg6A6yX5!8&=ZB`!A+99sFQeuo4CtBbBE^hA$1x03zS%?aAWWQf zBP4@&nrG4VqhV2@KW||2P?3Y50&s_qcpLe_?g!6h1pA2&uPx5*PP{AL#}>DhG!F%R z74pxeGZ5c_XVD!8=8{lE&ess0REs>*j~*9I^l5b2;g6*T&wJ-j3#{P*R)}kvoPYIv ziWt`cW2e~_=P6~z!w^}`>&Z8cJ!U4`qUGoV@bRq_SpQu~%>061;+P5 zdc#Yj3rqC?@+gx2u;jOqN^|$I(rYpp8W$9kip1L=^#BK@VQUg8hxid>R;v%ddk?9_ zLG7+)H33Qj<=#;(ql|BBq-0IUd#p$;pKAjGTJy)@hp=PKv+(MJv#p!Bfrm?jX3k() zKsz49?Vv0}XDV$dkVpA8IGf#|WnBYWX5o5ffcr5dB;ZW@l_+JZiGN+lDj6$g;#ci` z$V%_~1Q5h$cCE5DKrA@3BgoW10I=BlCYI!}HITd}li|dMe>MC)&O6S?=flc;4pEM+ z;}+ro`@S){-V$$qDG|>t+>dSV>F5i-UyCPeAx7qJ(|hAlXeaGW2a2PuWnz{v$9B>r zrd&xVmyo!b9|oX^O>HmHe2rS|Z zBQumA)qFqOM+IOmyvp>qziCWPKQP_?7Dyp;&qIiTE&&NMAo|pG!ux2w|7(PU_zrM5 z=}O@VG6>f2p1^L6G8Gl<&BCRIk9AUy>;m9Z7^fzgv^wxDVOJQhFR!VUSjoiLVu$V< zRHm-gi57Q|cuk14@IZJo{|xv*)?yg^f*W_>F)gSZ$GEq|@P~y)TFVU)$B*fP#PP6* z>6~SlzzVf|6`QUzZe+<-c}-}uU=cp`4@GTX^Zm-<;k&@>SN;#=ei&62BLIFj2utKM z@q5cN0T5=gzETQHdw28ioEXm=EQ9s#ov5USRE+x|#rw=4Vf{Yhe-OMv z5P36>;_g-}j~@M={WMkN_LeJf0T1HkS7N1^5^K}ilfhrI)(5rt5%6_!V$l>@&P#>m zC_e}HE33gezK(_}7#cTm2v7o(QsskGIf3?5rc08u0ZV?J%Ks4J@5Eb9d`YZ0c@DtZ zp65QLEa_3?#tU&FA(Zv1uz%Ba$Of)l6Og9syi?8c95m4^8;!f-!;eUVDQ_5=!Y7op zc2srDP#p0^3ku#Eh||@|L|Y_oGDBKieW3 zd+|66SccXB%5<2ufK=106Pe_j!fZqm>CB>!n!h8VnoJZXFkfthEOf?e_=e|(T6{)E z43u@k?Q_Zy%5;3FmCxFaYndU^MQV7N3ep9Y0`jYErbTwpvW5^71OpuYg4g zqbjppPBn~cA~lK?GcFiyqA@hP)^L}>Jh*$LsZR0L)TCJ^BCL;kTQR6UKi6<{>-_&apkS-$QxIN8f)vLk8loBOi;99>Z#7&5 z>N@>a%LA(U|IK+1KRo!=ZK;`^075yXvFQdz`lV;p#-H|L+YhZ@#n^uP3Q*Esl<~h^ z6FT4jQ@ZAVg`yuigZaPp8NffGxt@6OS^ZSVL_>dm$y27M-uOHi*c%0$^SL)ZJQlX2 z9~(9#+!$X1fNwB@0`fr9jpyY=KTtqLzchC`(qBh)L&%UCkzQEN_YgPHU3d($3tMl3 z!^a?+zAgm{jSgo21G5buWhAvRJZ20m_5*`?mnhOQVoxNQN>||8pnjT42XLd+iiv4p zx`4OO?&J{aCnZhVIw$KL4vFp!JBfQPE6WeYe`#<1QT7SVQ5X8-}e#57iK0#_1x!$M@ zqG$|wYBes0f0Ws?>KV)&G3%P-x5yV z%ySTL+$GBgJu65#bbSNP7-K}{xf(9hZVmKMk-0d+&0V3v4{<)yC1|~Veu!7Pp%sS$ zo1&k~bZ!&|z;SR4$9Ie@`{4$%SoxBimu23{JL)>U=ym}g%a`Obtsuj6J#*8pJ@@(iOY^wPE1}d3~MSbYY4ZU$@X&*#w(r8U{ z@AXS)64ydU7kq)JRq8^?I6g>n4z9oQU6u1p`06Hxzxaj>9AxrY$_KU56)h~o_K>e| zUBjgLcYZofFLI&SQ&)pYfdNoJa630BJ4{h6H;jJ=1qvVE-fFHos_Qd*6Vp~&%9^)oK%Ews6SvU#JXt|E3HGUo|mPoy* z5Pzmh;Q1MbSPdy&k=OjZtAZqV>=TmYO&xbf&d7$^#hjZ@lo^_I`E!~iloI{=Ho^+0 zAt-l&nD!Mlw-x_^@H0UP0!Ce;x1V?UZ{+a#E|!6D+#X_P<21r&!TW)9J2&zv@Liio zPEZG_6rsO?RHE_0*sw$SMYH0C=IyNv_CZpN9*@BZ;e9Zaa3Jo*aW-5GFW(xjnxBZ{ z&lhlA=z3f%0y+$*w_5E_;B@6a6w%`F{JX-dKv2VvAHWF^kgEOXh0!VK&HE2l+4KtUG;g~VJH70;k(9POU+74)5^+H`@OOIzCZW(_xt?u`}**)vxi}4=Q>~S!}Im3@}AmKO&9e= z<{`Qp>Vi)YNiR7?uPd8vdTGJ~Ww9B1GsO3)zcWr^iW5#&&>+v4%7o=dhz9;S{v=SI zsC`A_RsMZdefUh3tD6(Ze|#|(D}UfkYt{n=@TdIJkuxbe+AQgf-w^jgvX38-ds0Pb z`&MUUqoVCdsFYVLApM0qz<8I}9gk|CX7y72?Jl~T0+1C+{^KZh9 z9j|eq@H7L#qdyp7T$GuPXTg?1XcQ1ki5Ac1xs&@5kN4(Okax z20k7b)Nqo1A!8V2(5QtaBn}_iyxV(;a1_Z%L-{|uMj*poH3ZRuq@1*j%I^k}YXKt)49Ambt>5$YJ z*j~Ak=GTDEOFyWoiohLr5(Mg-^o+ge?Fuei}z$ z5mFtbh9lGnz7)@-N@se_C)9M;GcWqP`zSn=TgUYTy}I;{_)cr=qu+6BRTZn$NLLkA zlC(!*Efhw2vQgDU?;j@KU|<6+?FaGrz)154A-L_xeY?dlmBovMH?V2PaGcb3%>-?f z^rBKyW2lh(7brHhi&+H$S@&D;IClZH%DO^GXgOapz`c|eHI|zi%oO!N^k~6o+MoaD zy_H;f!CXXV3O#WqRk>q3=}%b*C%lC194FQ^jN^D|8|XX0=GK^*a%gMe^TYvVHB4jsS zQgfNy8OoItO`_Hu!JD|aGk4&xN~(wi($UqZg_eN1_ZEOYOO}w*+CLy};5B*#o6j`3 z;ep!}XrfNwp$%?qfk@7RTdI1kSrdjQaV2{j@iU%1N?~0=5z5K&eU6LR#f-i!oH&mc z;t2bZ>Wm{P+>Day{RItOwiV!C>;~*9(a|O@58JFfWo@@(hKe+K%`8Jjm1iOI4uhu> zv?}OJ_w95D=toQ#ujSve4P>g5v%&gI&Me~-`2)UbOjkJ@<9E}s@Q$m8zCMc`O?R~A zwqArBpA;BQ^nqte4ahJmq&mv(#dqjH$pgz=wHtXIcwn2oq#JK8-;T{0G$|Vb8ASV= ztLO$8(yBsyaa_jbgW?KWvLtFrSE^W=9b6eEBy$F9K7LlBxXQ);kzAZT33oT2459V7 zJJAb~FzI#Yd^e9@od+==4p_w$i@R=K&H(RJoLBEqs||T-|1nsElyawBYtYRofGX0Q z*h5Up*rIB$=c3&=T9yVH?iB{U6Zd+;k##z5fpEz<+(Je8mf?tEKWeYTLR~jJy(Jz@ zPTe<;tsjSDgy&3Co8!%U*xWA>9zuCYWOf7I)(w9p?#0J&sc=$!rfRzITS-scCG}I# z`STY8Ca)M2phh5U3j~>8W30D@FYy)gakbTFZdG%fIjd6Fa&3JE?`%S*lNb9SX3Yngz$|}EbmRo9tPzCY(#qkhY5Nmlh3cm{WPJ>ke zKXorX9W-#M7)(eCbxyEK@QW6Kdz9+NCUIn_car&#djI#;*UTS5o&(~x-`i;F+`5Sm zzfXJl%2~%3ZvMieQL_isC8KIL(XnJBjy?Yo?pyL2SW7c;Y~?j7h8(H>2^70P9b7zo&NufK(?-2kLoZ~b>DG<3 znfsRNLVZWs%p0_@TCuvdR64}4L-yZj+Dw|+*?K;TjSL|b*jNyNet+*c#aa*371--N zQ+>25%)1`i5S{-6jw?BCjmqw>tl9vh(F!F$s5%M{T0F~ppBRK?cos~VwrwjcFKTSR zsE<_9$Eb6|dSLw=X2=^@D6+mz+r+yR3+~%tR4CUI#-xd!o~Zq*=?(Wfs?{{9KQs)cs3C86HLp{>~$_wPZvNW0|evaW$-vyU5qRBplaOqE;YcZSNW&#C5A|z+eQ*$rda^@%)+_qjV!3SK^>6?R^qlm#Uf+p>FiV#814am<9#W;ps^mp6b3<&`^()|n- zn*+(P;_uXSDw56w&*ZnVL#@9bjvoOO1QO0FTRjeq^)2ZsQ2xSU76535k&jY~g|kOk zux>MvwGZgfHMi&x*AYbP@6QpAre9;s=GkGe(1`Q*w0607-g1q2AX+|}Y{k(y!(PC3 zuBIUfb!@fP9}np#oXsMsv3cY{HFciaiQ{}{m@_cnktqBc2T=W-m)#e0KKCBx^zP@^ zJa22$x?d#wYBLD&_sG$UKbkV`of3P(2!o%YJmyVNT>p|U+b52_E9b193q#z> z{I%p3%c!~Wm3HfRy@lr5A);!j{jaOdq#S3tW190?|AOvcj;L5zjm1*6bQu+8&S79> z;6>22p%UG&+3k|&+pN&5TSK)8KfOT&ZdN%JQlMDw~ zZoJ_Yb!D9SjN0nve(W~65-hD?jDYne1lDlp!nkW;|HYgDi&tca{o)_fYe$OSl*v!d zfAWSaLicaGN{8_jw)H>Kzy6^57Xm>89_#3XNEJTxAXdk2IH=GieSJ_F+B3RM6+U2S z8x=8PLt9YPl&{-@qvuB-Qpc_ydWepDb;BWzap$SI+W3Q^^K^-ESv?r}(wrWw=f{IR zLO`ChXK1#rML}}54n0irVw(@^`y^eRuj-pc>cji@^VM?$hc?t3o|@EN->H1WJu1S# zNDSgD*H#A^tG2cTMULNdFBj7X$-=0~r+f=d(^PX7D(b#(3GO`ek9)z!Gf-DzF+fU=Rtpns9Vp_(52npK2^Nbx$4r~-mZN^ z!6Y^PZi_a4|G|WLiYd`Ud&QRy5EjN;FU>g~e^3?kNy6dq;h%`dVmEyveUj9_E#}iS zWnt23l*qWx44S9We>wE|llIurZ!^i4!>^u9HjYC@Dc6?uC`t`kJDK&|-1;`#{q~+; z4tKws@Jn9W&!1fH-Ff<{>%q+ZbCW|d9*o;CKjW{vpRdUL8-=gTQj!5Hy}`ojmDyVH zo4!5RbX7xllAi?e;C=cv6I>O6X!h0uuBZm8O_}cKeJnQB!iu<^4gy$&VUp2o|&$Km5P`{Q}v&_Cg^pXLQ zeQt!6WYzXNliXAAmn5GZu<4j~cAv?NcA$SvkJ9q-M@j|`u^&1z@Yy*zpMksCy6fP; z_wMRTyUtid<_;QO=PfOh-xmfjSE8hOWuwIGY>je~FQk0NA2kK#a_qGemZ+_@pOueW ze&&VVzRIt&(=Y95t(PxFNB7WC@2|n;__mxw+LX$nC+xHLOzLmxzjtHKVBh$*C7o(! z_B$IH^+`!v%<`1%ffWq{^vf!yUA_NlSl!JtpAIqIbLTug>rpE^G(gJ{{*&P&&-u51 z(K2_?qUDDS+Qs&F&S~osY+1ugQh!?=z2ZSzn3nb$8b>_uD{ZWN@&0h_NX4QJ{YR!$ zy|Zdq{P?M1qsqS!I|WY&G-J7cHTcXQ#rPs6V7JiBh}TW#{ZsQIfyzlgSP*t{sdxc%NC+``OV zG4AaLbCFOoBXDpYOM?q>HzMeF&gkrVoTv*qH1_wRrERNNbJ8*`u@V|$I;WnKB1 z(5-G~8Gf#0b6e3cVPw7G0Pghiqz}o!OL<34U+QX(+ux0vd@}X-s44CF$tLd?C8O4l z`O^Pl#rO;3KdP8^g?68uR=sT13!|0=k|Rf5U7T#LyRo_LDSy=3UTTZ`)Z{C{4~EXU zqPyAtZFc&t#xv(5L*H09pqLjohfhD!`rVc3caL=WYQ}5ctfyzX&wp2fM%P1&TU zC)wS+p>(jY^GKQLyUPo|8uTE2V`uAM_r83k;&CeZWVRVcY?!0e584p;``6lN@WifN znH?{AB}_8uriky?$7bp+kSoc-wp(Ib#3M3DFATz$Axh0XKc7uW?S|>co0@?f)oGm#?$}RzMaCQ z_2Gh^*tVm_br9uBCXAghaoPk`hpD-ywvvKlu7BL*N*K-;skkrj|2doo|LgP!>d8rP z@_a?ozo9j=S2m(Xnp1|tab+VzQSkkAkgAc!3R*{k2tZ;O33BHN=c7Cnt7>dCji&TE zx{;mn=-#_(#EslO2WFO6w;)qjWBtrzcf(c3MxTB7L9i`Io4+>*$5VuzK zUxg8&{`ZFw|Ayb74(84O_g(n=fb!pDA0^3CBjUugD9_YO z&QV3fa~vC`$V01Q=gg1Akx_6|33RlTR;uz9RHRyE&&RTwnWMt7D4*s~63*0x;@NX> zZ{%b+qyiLQ9^@?0q4}#&@hV)4@|cBcD;-VgA~wLqtaDb=W|ff7m?8i3G!+?2M+^B1 zTm^p~i)%5B<};hoD$`J;r_SJ^;F0f*=0my(oLo#2FmSE$8Fbyrs`ESdW@b?J*n_;d z51PaD&=te&K-5wQ$`_P~cPdTid%|1#ci^H`a991{Mpnn#E-mV)#{Uqsd_5~C{Zol| zf(<`Xw!`yoDs6Y?!a4sJMf|^3?ockT52t%lxd{kSSamm(3f3W%1<#Qh&{?63IyOA3 zqk<8N%7RLMgW|qW{vVb6?+^c7$#*jii-P0+RpU`v|MNDScvdlb4jif;-c@G8|Az-Z z3wikP;lU92pP89S({w2M42NSvJHp}fSUj7uV>b>B&Aj`IGLyD_1{mQ(oT{Mlx@pQNa9}miloJGPROi8`dEFwTTeEh-U&KbP9LMOn>Tdr7H%_txF@ke&7FD91)9R9dbpaU^w z>Wz|2MqP&+j|X%f0FpZ#f8RVIP4z}H-w8PFD4AYEJ_pI77j=Nijw|kjI7h`e-95_tn@3QePVZ%%2|;}-u*9>yXha0J2(43Aop?%Aa^868A|vu zBL(aNlzS@%lsmkasO&(wJM~C(e!>gL4bBDm1w5P`bmD$xxIjw(^geja#@p1%VM51P8+KX~`$+dJ^?D1~{Ack#FAw*LXVXNahS@1EAdcSkY>gm>2s$5eqnQ-R8=w$`LK5lg zOTPyAYMpo8q(OKi1!P>Q?}do#%#zMROeYrx>bqf|LK-&8S#0s>k+75gt-SMFvkC~?oc|Hb>uB)MmKWq%uvXZo6)1o9Q1;`WyT38Zt~sqnQ910B%c$f?GIYeT6;i{TnnVt+kfPT&ivMY5EO;-JAAa(%<+e5 zS;+X8KX;cJ{JFLxw2-3fhzg;2$5C3aJ|S}PQXj+;jgU#I{9&|*d|7tNs^aRHUZe~E zxbiwTA=ih>GQfv7mMek1V{th$Kc&UpQT6h-mPgX>rp7Rxn5}e#ATSZt13^#H@~Fnu z2MIACSRm{Iw@z4soWP$uL5P2oxxHTLKW^erAsJq!9C5@h63+# zynFxvr*x$_Rti#yW2x7;ETE?Xi_~7hM>g2$gZ0Pgi8bA?XULYG#T>P;X^E0EO)qjJl3r$9O#5bbD9ssG^I!Lm1I}P3nm&o(I}g zO=TcJCqn}0^7V8S+sIU;fi4)NmPd8C+2k&&tI6s8miH*{i~Spz_wVV610~u5x}ta- zIF6P%~P{Hi?vEOt|Mc*mJa!3PHZ4#)iQ=kQXli!ca+3(gnQ&wwsZ9q8Low?Ue`RvhZ; zrz&g#Y>theOAa5oUJM4R<9@U1ebvp4EqA4*3aNoP|8ny<@HCgu?Z&@onkl1f5XxqR z$|ftkok3_dO@$H{zeuO^1NAY4?30UCQaA%@9?70XRPkcyHbTX{(TjUO z<7+B)J4)`z>-h*28v44H>9{_U)X~JbCDKb+VuPe!h!?A0p~o4U3C-AKy;&LJb4X_Z zr@-4tT=_Lr{6x}hD-wT~e?r9IeVO|c9JHAzp;nDAm3m;t{T(L}x2N zb8}{p0(pi)hG6>M88a2d8&S^8K)COmFCgYT_$#AU;rdSD&gZSfJLFe|IQ_=g&EJx_ zJ}{}-gI$nulad>&C~xSv^!6r1ws~WbdHKQSC)BacJGZ5Qk*T%49O4@%R}QhE_5mcb zdAIbevV8#POo|q|s(gkDrT9;RD2u19g5J^LO+PQ^FBS=s@0Zy6Ymqy(C(IgJ-|J8+ zOP~ak*aaLo$eMbg)Sr-awihCwlo6D|zq@MyGTK>pk0<{6+#XmmQvjxMZ0IDNMO4JI zuXVtON^(GA)B$(50joeCzU8b!iH~K@GB-B;xE3AK>Y)B>7FyzXv_yfoh4%GkP*BI`n}fw zH|Z_^PO&+fb^^kafN~im64sdi0ApjswJs$E;LyarscSf3G|+Xw62TCz3OO3v4rqFuVt-XtkHEa;o06{PyyMgf6hFIQfiw(x|dni7^-hqlLxte z4hJ1n&8#I95OSFs)c@kT5m&KUu zG-VKN;90cF$r-s&^G+~Z3m}~gy(z{Ch3*oEd=tTTIXw!71{O?(k!d)it zD8q2L4*A~$QKu@z3Sn>@gCv^{B^TayBr%}inE~$~2bmAU zlvwgk-Drno!1b!1k>Pwu^+lHfr>|*u*@p>h9Cp2QG|06U!z1u&&XO^ViF-qGD%@?P zj&y1Kkb6XY9g=N8zyrTiiYiA*|7JQORVeVErYO(z3iA}To#87{Qe#&Ar>1NW9ZHn8 zhNiw`0|Y`FXy-wrKeE~PBS<|;XM^^p2bwrhzNzq=NN?xM^qX+xS*==fV1MV9cccK4 zW{225WT^m1=mZd(6G@Elrfd&!T;sfLT%x=g>w6hslAZ-=(+2vAsjs!jyD5DyvpBZ_ z%h|!HNA5if!~HP#Tct-Zb<{Mu>{vk-s=8}(39H0BvIR-Ce-zI^=5#g21;dfA0wvpy zFy&AB#g9AAm>MKj<;hn{7KJBQ1s4nSY8~uaqYCumdDl@R`~o9n3wRF!Rl!OB={?9r zN*5I6ZHm;dLCkoHdjDn5aEc%5>ZOq^L8Up!fDba{F#htlX!nMRU{j>{5+wl3sc(!v6_giDN*#sviNknE!Je1DcK9G`OGM zsWFV!(0lw>bGsrui0Z2UNn`m@@4wGE|Dm(>;$1%E{~Ju$9%_o=9>L4F{D6kH;t90X zm5%~p-j8^IUQMnIRQpk~yHLo^ImsvBd-Nb`x&8zxPDNq^`x}$7gw7qT9Pg4|QwTNY z0B8Q2PW4;zO!78X=!>seJhVPNifoh;6^^YY(m>*DOKE(-s^lh-Vjw({-~0*aX5kF7 zbbJN4@YBT~uEL8=7>oQbF8HmW0cj z6w(A;T`NkmG(lPr8A_HozU*48(U_w3?>on2A;-*!BNxbd`7ed>ZK!;@k8Qsixi4QV zYDNnJ$h@0@_l6YbqdT{Ncw`HWmq5HdKuV?b$c zH0C`uezfF<()j>p;dRfU;x6dub7)qt4)xsJD9m?}7ATt5V=)Te;-fubT^feBzX|Jw zpUY-R87d$PT8kbkYHM7VgXs8mw6ZuGkstWA8x6_^W!oR9-IyNI{x|y`ksGz_&+5H( zjvFran%XfBNQP*bXIocul}0W`=A&w+)R?9t?Y4LI+XmVm$J0aL8krrce`lKW(FNm{ zNcIo4Z6eJ^N5~3>?uD-oaUjD&XZ9J|RFXT0p-atQ(8XO5WU>gvGZ$I5(faRbF2Hg+ zI1v&zuZoad;pHFlE4dOjLB~66#TxoJE9xXOYNzSWY_g8;oXQrAM*2J*Y{#z`bw%PD z`V4=7`jp$J_a^`tu?v2`VxE3x66Bq`z*r=TbxbC=$^*)OQ?Gu7d-FSn+(x;_75cMk z?{SY8K{K^{32n&kD?4kMBH0{__XGW2$mE%Xt51)ys3T8yuA=CbwKqfvu`8tph5wph=t2q-#&TXBOk zm|oU0j_HiQJU#{wOyDf#V^Qna0wDBk=3ZzW%XLkSmkyxK z0pdY@=&gsHc z3pXme$Ti3}6?gN;xKc8G=RlFur1X7?P5g7NkRVvhTFMQj4%q2S4R|>-xoqe4xin9#nY^f2B z5XL%{nRxOv^)(XQ`zN8LnA;_F!b&rlBgD_nZ8D{IkQ6_!7=RAMRf+eW=vO zcB=eaKg@RiRLdd=sj9c!Tzt8U{j`5=L#H*@vTex!Dz>pLk%3p)uW0Fe6*Le*{!ZoJ z#bu%it$!@uNiPz1axvUuXlwpSxfYcDI%-)-cwjOvSG25hMR(}x=6r*z;B$P>(4?W? z%J~Uft+jZB{4>h=#XASb3iH|;+16zJi;Vb3W3_%wEbeCY0)Ljhahjf5HmLpuoIuYR zB7&*Iwp>F=-X#D~8U!qmp42Fyd{-ggLVa{BWMU>v$VBoq1WA2psd1Z@@0IZe%kBtA zqG4-idUS4Bu;+axIm5*p6|kbRr${1fD_I|dR(eX6m4)RFWqI#p+>825_|`I$^`+IW zaE(?v?y~d-2+->RLx>zrRhL5wVZEYyAdW0iWIv0l%LxxQv!bC&E{;3tvZ11uifKCiH? z4B^sCy$bkkw}3wDTCG58$2kDWnfkl5g5U1XWq%P&F)n~eOu;dwQz>s9L~4vneV+W~ zii&Wy;l8FCFaRc$SF3PE#ypsd?FQH&xnKn2j1x5YremJ2<1Qi;Oe2IU%MFyMGsUuf zbyYv=ecIaB1r8$V_^y_1485T{95tGc~3nlM|w)+kRnQ5VlpTv9ZX2eb*dUX#KiQ`00$^827y4V}{yBrCIXz z04(of8VfO8G6>vP^SB4Pc{|VbsO$1?n8}XIxw02qVx44U-7NWc9htN_hE&PFX@zA% z3NhO*YJkZ36xtR~y4pr*XDvdi3d4SV*%a?!LtmO6hkq_8!7VSOP|dc}D9mXzKF`Qy46M-2A4Ssj z0=5k5>Vg=*d*;`T03XL+kqEhu!k=Q9%RnM(;1q0=fGK@ca5B3WSTJJ;ot|Nxu&PAs z*%Bk&i7*s~*mXszsgBFh<^q?v*p{L$-jf0g1#?p&pIv;aJHYWB{bI=@`W@kryEwGbL;}0%S;4!_>=@2ZXDMhGtmG^ZR&wf)Fzl|ZsY+Kbx zHpjpi&iQQ%;_ZV#5s732F7X`?Dtd%W+3CN_dxNE~^?<##Z)V;w-sAabc1DC{I4^0H zQc|qt`%qhIxbJVe9D1iI*H#h+lvR3>C^!y?mYBZ4?I14m#yFFVlEif*Wn^+ytX%a9 zDy@bUl)FK?h8)I7`FSN+3e6uGmw#@TrBFsHMX76Chm~@1qRkST@ouN$w=maQ;6k%5 zpt>RAM??ZzKJz7)Af<+9bVsF?cvlYuqcK@66=3q-iKS>uKa{>xo}$u!p%EX-wJP}( z)E4sqeqtxOVT=R#U$6*Ak#Y_b?aDaU|F3$UqfEsagF#uX#S2YqdIqWE1(8b6G<#^-{;#WFu=&Jj1HW1zB4b?V2M|!afdqJm4^tc1t zK7~JMTQC>9m+#%f&Ejj9tiTiUQSnE}^evYr{~Y9tV}n^$mfKLK^*pa-zPDBDD*Rrr2OU;F7` zMAz9)#1@Z0TM`touwK6A&UHo3^`gJggu&?3IT+-sPbqRzhy`?`w%22lIns|FFToj0 zurr3QPCxqiG;*Cr3#!oL3n=3Pa!*5v?L8e4MdV@#$$qC!MZBXD=Y`lDpCI8IwNW`f8IC z4a>t#UPMj!K!=A-MIYoNYF5+h=iYkGz-}@8hHTYsShg$X@lwI0j0b{SCfsN zU8Eod;?Ux1WSzUJp~I%O?*&v7kB&B>roJ6zV!kDFzmy)JNatCnmFxN<`+_a2RQ$lA z#i;acM2{%eD8B8B*7d<;3*>=YZxPEDA12aB;QIgkb18QA=0{}A2_g%Q?m-I%qdNx? zbMSIC^RZ`<`qn`-_sKg=Yf(-*U6s1|QGeG(#fbr^W-|uh2|aJiIK`WL(5=B}<3Y45 z3d3yzjK3)frSn^gu&WB4cHyQbbf*eYRUb4V{kk~Eu&!vBex#kwm0ss^`|`Ba@}kxD zWrVFRosO{#GT1)pSP$serqSJClWE(a<>MW7;n@`^w~K1b666By;ngpUMqGj`2XXzT zwj(kY*1JuYf%(jJDE#`yOJ7-}eNn|PVb@B$;CCc#&5>gw*b9*rgXN3i(v?VQKBni) zO2X1JNHTG@k~+QArUltwTbrSHEH23^?tw%lKgQCY z%7@i>P-&C0YV5imklwYw`>m6x^m*7FohSpwzpDy!h3=;vp&>K3mqS`urqf=r-jse~ zDJEqmpZrKkf1Fw~s~MTTX40gGDyS|nDN5gCvfDKdansU6X1$J><)*((>7dU>uPC*n za@Z9n!pRio+IS6ja91Y>R*w zw!ETXL{mT0ItdJ+(_Qz`_Rj#Z_*|NrtAcMDy^B?F`KC6gx$p|#o0E`-6p`Eo^u`wT=UQN|(L2?n!AH5wbL54V8Au&pNWcueOdwEw(5_efO zeAB1ULoT9sW+S@waS@(Xgp0O9w^PuY>z@LkwQN^#UE$JG?u=3`9`&Y1#|NB~b`1hu zC({R4W}~7$h#NTMxJT|R>mls+>E(da1$Jt~F@-CFvLg71i@*fQ%l2K+>K z(_(o6lzY=IXoRL^%x&pq%*8P#Q=nLbp;-=sGBl+_!=b;g>8W61O+8F={)|x2vyVJY zwA=xZ4j?Dq>>rdpOTi5W%U1bh%uO&!oYwSralD{mM0qYZ@FL> zkYF$l77Dl6zK_)R?aC#2;tfVK5A#8)`ThRoI;Z)E&W;zm$>)$c)o!aczy}pmGtkU0 zo^_z9UUu$>NNfQi1hVhVQ!t30S^78y-$}vNl*gCR>C5ObfZ%Gk^hS5$6*=*I>lJvJ zT|sl&A^8e6A;H$X07i%%QKX>SV%x`Obc^E0Iu3QVr6i0WbMj5zXuR2`1j2uKp6+4lBeXrJRc_%I( zuhKJSu0%Xj>ZY<+VE#wn-1ANqxt(aB6`!NqJQMd=57O5{H$ki(L0E{Qho#T6*XU@qNfm?Ars7x zG_B;c&(=Y6S@0qHc{JLRf#l2RP`+X#bgR*5V=`j5SyRaSklTx;Va<-|U5Q^Fg~~|H1_W(6Ens&eh5GNBqaq zTvT<7jwyS()ctHer}(u{m^>*i6SU_EG7Pdh<7_?3rFW zKA;b?lX?)7IjbjaWDi(OM#o8?@qJ6v5@b(=#n=2|(+-OiY6`celiBSM=%gQ-2PC?g zw3tIiK3GBhEiUL7(0)`%rr^}m@(BfFC8NREWK*p9I&}~I{sORJ7V2zgCyTgv8nSIl zt3F4%NU;iPAHAS-KBffHU7D_-<@6@@^HhCWTKYVGCh6&_$4pOKXALaUa~!#SJ*Gb9 zv|g63y#klnF1>J^#a{$_%fPq9#@_BN{rm#^S}rl!+Vit}B32727=+K=-Nzm(r-Zoo zTF&+5vbeVlKlhtx<# z3(n%h&9CQjvn`Ys5>Tqfn!-as~FClkfX7eWf>461(27)u2DQ8Lz zkdepOPB19xWD8s->Oq(zXqtm(&%8tCF+b25o)>gO3X!dS8p&PWEQ$b_v_EoPMBcIP z#l>K=>nTh^3C`4(hm42bCHz5nNWCz2Safi;d=oj|1;)Smcu%@JFh9Dx3KbCCIai*9 z`~i~*JnH`W-UXzjdLeme3)2Rwa{Qz#ZYtEm&uDffpz#TiCz*u4Gu9N7TvAPEy1?rD zC+c|gD+S5*A@cl;%T{L}Le8D!N83|supy@Y?D|3RtP{0`qVEbj51E1S?dms~rS>5F zBkVT6#p5Yrk`p}t3mwDsCp|ci2*1A#Ni1V5jyIhGqMm*|q(&T9w?9;#JFIN+XlOg?(n0gDg9pY^7KosKq z!FRU3)?O^!G_IrNhic*GnHi8N;5*Bth$`~J`ObJYpVJYZa6(aakST76geYht{X|@t9=L69ofUs3H}RDrn06S!w=JjfOcCTJIfjq0U!$Kj(M| zPyoiaUkk!rUFc@-Pp~a+$I=}IT-N)O`*YWNP+Lv3<>seOmB(VdRXTzy!?~w$X9yUo z>;x8KISK1WX}M^5H`4FX!o;^2>-TB>6VspLXZTh~L5loQrUZL1>1Mk=Mv{>$O@U4n zriru0KW~50n*z<+t@0*;pG8e4`U|1455TU!Fg|K0OjZ*E@wWHLlhDa3-4fDB0I75=MokS-^Oo4#ZMf& zBEaZ5RFEQ&`=TQ)EayjX>>L0$XSw-CKidSYd{gD@LgInzmOqy}T(C@EHr=s3Og~S< z&MV|Rg4sEl#`fbwGLi9TwW%}6prQK0Pj}RjTTE};>rr?-^Cb*K?TnjzNb}xP3@^W_ zbiJ*BdC7ZA94GZvdXGVuPDHL_a4VGSxB|c9jG@=NKo!I!zlY>t$~LDjyN9GcBQHjt z=TcJNm%|kDt1$67O>XPAsn=Y;>vJQOkZLc0x`8|$Z}xjnI~$oYU$f=2kXn|V&hUkT z!?~6uns$48>1S$51*;lqm`=d(R98G4wG71B=p*9{?f#c=zHC;xR*ja6v3CW&>V{=GVg?Ub8@N?39invD33byoAzTraBlV^$AfS+q?+ zhYKa_V|$IT?KH^sPvbiz)?ymY7KK`7M0g=D7jwgUq2^7TmCKXIqCgRN7Y*!G;_PRi z*1U^1b3I(^Dx2TOF_!vH;7s7g;`Q9F<`d!}{19LhMY(xckf^6{-mnC;cL|l?2iX;Q zIB40(D~5ryTild^I51s3v6$;`7vU=Q*05o7v3Q)aI+jhbPH;zxC)wULh8Uw`^>pzF zZ*u$*C4PWSWrcVGS0R2V#~|=ei-&P+>RJeP0g~-cIL35bibYqShhJKOPZ(;o`Ms|` zFPXp$MCnIrKvd`?(ofLvw(>WSzE0yC$1Pvp&o|oEH%dxT(DAv~z_>_``?QX`#^xe4 zd;FEl7h5jU9xn@>|6DMndzm1#*QR%qv()8d1)K(> z4(NHg_A8{S;kLqXlw@2HMmF+m9|h@$sZ9-du=E=C{0Y)6a*CqnF$e~j2eA@(q;9~) zvl%!T#mamM-VRqoC$=6Z0K$f$>VBvf!_+<&Rkn~wd90##3t1{|7mGa8nC1(lD<6RS ze!oIPw8BhC#D8|I#WPip$LXilR6c6;_}>bQlV4ODDrkDLu&)42tf@O)ySOqTAVQM* z{h{(Aac^#qR$x&*0t;YHh3?Gdj*y9RzBK;($ zs2lR^M8b@~O>ntIng&`U^mEkq1n}5w(7&$*#9xf7JEn*!$?|4c`Q9KZp?C@c$LQ43 zY*g*QOOWH_A@emxTFW{f#Z+&nKlKMyHyX>eG#}V=Cc^)=oPxaPxX$t-l~8DDVC3;Z z-u+ypd5?~spSOn$(V+rBI+C+53>1yBEei8D>6Nr&4 zf>}9%`(vbt<=@fCz2t=LC5`2E8y|L~fEy;yL_&GXN@)fX2EjDhM=6wW5z_wHK)5?o zeiQj`K=TQp%Jae&uK9QY=vF!MZ7}P>)Nmw{yh;|sfHVoNoP8V%-H;DbyMOmQ2y&Rh zT%k(gC?mS!vG-R9?t;Tl?r^Dhht#66Bap5U3%fWo2w@28AX0t7y&>*==11EPI&UlA zn|wzSJgvs76S-*_;9glu!^qLl2Unr3uBpLn%v{S9o8iu+y|;|C4f^S>DfazBzvgIS zmUb(I{-BvAm11KT1KrE~F_+4iPsEVFd82J`4A%}3t7e0>=w$)oS;3wzT*^NVNbR1| z!H(EI&*v&{Bxiw9q&&pa1A8@)8yKbbSdsrNY^6ID{T?jm)wuSk&rivS4T1fwJH<;w zTtpREUG7iwyXTh(S>!R=q&f-qf-&AuA&7h`28K}`6<^2J!?m=6) zUapfsBN`ce^)2Q;oQcPVE4zg+f|6% z(YDD3aOZ;&JLl?2^tSQku-gX7u6ppX9I6w7nFM)<8vo^ZF9gnQn_-H)XQ7+CFPIzD zFbsK@!4ihiN+U(-hA?CiVLF1N;=?X9xx(DkeEg2+d;>`gV zU1+>{x}}%erNx_TVHjkvCwjcCngn+6Zutt5>#2;rMsAD;hR5x&%z1=c*QS3*w)!5_ zz2=>fbJgS`&CssrLFlFLUEwL!ddje3jQN8Y;|d)u8)xfDZEC2cDzPramXl1UnS(Vj zwokNttsV)Bwqb}&%Uv8roNYCd4D-WzD*?=mU73fZTbkD$2dn$J=WIKJkRK zUMaD95U=O^`!c|LIb1ECd2l-S%S1XEY=_*wj3YGZ3*8Ii=!T&rX^DzWP7-ZnGLdVz zf}8!^8^~er@xjyRs?9x1UZIlCXvm=RlQJ|^Q8RW%Kmn%jmLoLHKb;&TM=RKBH7sO) zS2yp6LvO?uhpaD`JFD26AHagVMzMJ=%q#?NUU2oY?@h8oyd-H<`jzhdL1H?D+ECHp z@vxL-JH|LOJ_{Z*21A6q+}BerkQz(EVMm%yKR%g#MxCzYzj@Y!TAG_Lp|^~CqeVNo z6Qpvrqd77_7oWmxx!Uy%ZlBJrl4c_65P8<10waQbsRUrFx34RReMaZ>L z>o4G9GnNGWMM57e;BC;S<3i{j;sDQXrPn|b+5W8IG#F~=b5cAK2YI#V1Lq(JKANl( z4+3JU-1$2;N!?&DF-7^7)2TwAitVuZ5#nIq#LkIv1cwM?Avyvg6ooD(A-@+rO?cYe zMuVtUU24h>?7UCH}C^q24Tq^ zZvko24<@B<;vv_sNC2fUX%r>wg|C1h=`+E5MO?*+N;lJtZ-=b!X`Kc z4quvQcY?rMVL#!`x5Mb!!UwR;Z3KQPi4>or-PShf5v|DDCN{wAt4|{&Qrd&`Wjrx@ z`XM36f0|5WQcFT@(^9RKB-j2CXFD@Db+!LMP9`abRj%WmXJMJ=daOj3Ptt+z>~NAj zQRR$psQ~ihkL!w_qMDO4cB$wd0Y(VIV{k9t2J#Iz8@I7XctVX7pRVU@{zsrx`M~l{n0f9Co?_(x zjdU|SLmU-qzYU-ZNldh(du+gHica0=`W*#qCM$Ol-{js7h(%TeF>3YQ;V3^w^}TQx zsuR;{I#b_=k1lOR^`*SE-DsbOJncS zjx<`z_EYdQ&mA6FWj&x~>Hmykua@0aWu_+qaG-Iy|9vi}XRb zV|E`Hkk*DixbGSpM$e}|&Rsh==e#fo&laXs7|q=hpmArV-*mLIH77x1TY3w(su`0D z4k{7_uhu-m=G3>q-LU2%j&<*Zg|wHu_YzEiame?9IgfTF8cJJmKJYzc2i}`RjnDlK z!$>h4?DEyg;FtImlL<9$z=*o9yF(1MlvdzZ^9Zu_GtquVg`@BaLQzSG{Ap#M=KguaY>pIVY_Z(R~Wc>*K8Hr zRn7F0S`ceigBc3u=`gheVCOTD$Cn7Qjnr(D8@z>;up<}JJ%@D7YLi8d#g%FIT{uHp z4RQvY8Ke<}9Dh7>OMJnXW*HW3OV#DnnwE+tlIVCfB1g|X3odb3H7=*@SL;oKGM0A4 zVjK`*m*P8(8&&gZxjKU6RLzxgf?dxCy9y}tf_Z#&#szNg9fzYZW0oOzY@WlEO`P3%9eP*I%ZPY(T|vcAGX<;WBXHlXT88Y=!Y2^>t;grrpp@o6v-IY0@TbLK{dSg$7z^p@nh}5THN{1qu`d zEl?B$q+A3AD>VgOwXM6c#!<^5RK zDSPWTbsu`NOsrb--h-a(PA;smm8$o)!pnBwRg29Nf5qdvN)&I%^R3FH)wl&QFuVde zzIw^COJ)97JiX__YqmvMWf6dj&r-fX?x)Xevy`QHESSFt`3~3APG(0wH_~>@)DUzz zJ1MC>ly!t}QwtM3A7DNSEI2(UG5@QY{Z#Ef&1~b=ir=05h)Z6!5G(W5;&^UJWk2M~ zV@o$;q0(HR#`Uuu7R3FovRKKd6yvgST)*MVu;Hl2U0hZQ{Y6@39y(E|^zH;>Fizqa*XC8vpukWcnL)sBw5~9G)<~sf*tZ1Jk>BuDQh-w z;cY9lJR8UAG@N@>FS`Quf2`b(>OgLrLo0nNW7s0zC3b=W+14f6O_rUU(}@pGtQX3{ zv;a?4RxoAbMRVOmdaP^$lOnF9KT@l2T8wBlKV%o4s8g7M7Fh@F!nZj_`c!E^Wm~wO z__V7qwxR)grOa>Xa}_TN7V$;;fbe{9d&{$Bu^S|u&A;vDg1lFxVV8**k~yIIKo{Yf z7sENk`Q|r`pfH8OY}gUA)^$57Tf=tNfiBz{^GdbZsHFn}t2oo%XMhrOfH^Q7`nIn$ zw#4`|PjaCX>uD(Pfa!wPe>v9mG0;4Or^EeR*~k@$4Lr>Z0xW)Dmw8E|t6NN9i~I?< zt;E*Mi>GC$XxnffXBWR$wj*aAXA@tu3XN4<19K_TD7 zgs-ob@w5G?8g_ktQqW1l0t3ZFxP zCw&Tfo-6E*0!MLoPV^eYb#9}pRO1*M2NHBeNNfr9MJAi3gqRjnV75f!p-+=qLj%!{ zr^Bmpj+ipegUYhZpW3SOB4cooo3$;boW~NJ+3;NCj6WBZ#B;fpZ^u{M#lGJK5~E%> zcgrV9wqG^=s(6?{mR(`x#HMa|bAbUs2i(?Da7f(fIg8M+-M`@>?0Z(nhid-qtO`e6 zA-2{}h8uxDQo*Xs@f@uKNh{YBu?`qk7QNckm{L5r&IydF5iRppwNkk*jWmnfaF+0L zok-Kz%d{|Mka?b3NL5}zpaldXV>=DQob*=Lff)RzB~5J}{{ges`H=Y{XWM72SU@Kg ztN~GZU&a0_9|UFj2<_p109Lc84|S$ngwZX>0A` zFo|VD1j#dBT{Z}2@3}F7AjLUO2c%MG=u0_^Dr@(bRaPtm=e}$Ff!BJ4n z&w(=Z4)e2oD3H`x>pO_?ZmElV2z~QFiury%%9Xl^w@E?gH{76j6g0$yAQ zv%0zwz88@^6Hq?ekz60x<9sADqim8dOT`7Fs2)Xc?HhOw zssNz?Yf64hkp4&Uu9rt*K?)|YHymSG^x~JbljHSR4DCe_S4V8gFF&)tc(v2aenFP zX9y38;<%7+NUW)fI%eu!&&B{?z)up(Yz=At_Yt?)^A3tElaizp{6o5ZUq?T=VF2kD z1HY0yKcI+5NcQPe^5}3mx4L98fbm=gA%#$;^4O`dd@AAqW#gNJI(X4lC=>GEd?MG$}w-q)$dc-opDR4|;0< zGK{=nSqO0+AXs3D&&w;LfidBP!AQ6t_$6=-H})n0vCnNUQ8|InjdF$GRXKK=H&ek} zkh1~>x+hTT=0oJ7+!qs?dyQ2be8w{rM}=TVR8B*hQ7OG#QVu{cE8c;z=;Lz8WA9P* z%9irIQ-nH<=k!4tDVhG1nf22mt|%@1ABE+Q;3(<*Z$Tqq+D3(o{;K~!>-s;0=C6J2 z`p>U{S`M1?*S^l~AVc4H`gURV5$Wmavu9S%m=?*lUtdVLrT-{RyFh$&_kTR#+ObZ! zLF3b^>k0J#c^lVsnf^Rs$JL`ZaP5mf3-)KRItce2A9DUGWAr+I9nhhYeeGs*uKT7# zPy5<8QF{F~_4^yH?z!%Z8?K%UUqsp4f5}x}J5}CwU)-n=05to*4!N;lQR47lUv&s~ zUpt-CdEHkx7TOuDnrrg;H(tsaeXiHOx}n^_r2qSy|2SW?7J4~-f0g7v-UBG*^$+u} z^LISPYY*R=NB_Ge{Wop-<~orX8lE<7 z(9G%6C(i1SD0%fBwc(59F}C|}|0dS-&X& zly5NzrU61sy9Q5uI_N>636UAICuh1~goUrJliGoH)cMcvjMx5v-Q&|^;s3X^7{8@O zwzqd)-#9yspI$o=WUyllZ)pviuwfgvef1Eu%g5orXuG_2n!nHYk3~G%MOdpDAnXU( zBoNj+qn#0Td?=4hD~(Lb95^(P*~gXX%+1Z_U~6FZY{{U`cDh2{kS5Ow3JBd)(`ywl zC3I$$8Dxk7bFo#*rd8CK_Xx;+We&#qi&(G$_lIiW(N&dtsX8IaoJ z@?e864y&{BocJ&{xIRUyJSR~+he61~m79zE_zXyu<*~*CL<<5$Hy()<2zJ$8*uMy8 z6_mk|dAQ93d%5yL$KW!~96n(z!ICHW~pT}xXUKY-XlJ;_PiUb5V>c)?HI$^cbl^5LN>4h||EN3pR!5PX}tj=?} za3anG=~t9(or4n#)Nm_qoayg_R9=rYgcHR~@D+qrQ?)zGgI@z75|z^v$;E=w1Xs*; z2Oq~qu}baCbC%v6RnVD%9|ylSwL2$AegOAY5~DgEo?Ltz?kJ46ZA*-ap!?kk`OI-j;?Sw2s1Pd^4Q^f zx2sYGA*ZwSe2gkDizu>5apCAw3)WzxB4LzGw!raFmb?JKW1~;l>u%~9RULKaF7N5z z4=K4w=javkJfsZ@+XSI1slwgB#tcgB%92w(plIoBvf>P>Q04SCy$lagotKvzD8Rh{ z_^Nhgxk6i@fX=3Ma9dUC9FG@hqtORABu3?OTgUmDkjj%)Zc`1vS*3P*a!Wsp-ZBZ| z5z0}7a!UJx%tlV-lW;k&lP|1`iPmW7YOE^TS?+}=mg^19#J76WV5j2!9v^JU$%$Nz zzDX``Bn*n>DwpTb5AFAu?G1oCM&9(=zh8K-%MC4bSFG^l^>SFyrV^qJ!~qLA8*v? z86#`d>UBoW$Qu)kdZQ3)xc$($y(1NUqS0s+jV67PF1a27h7lIHjNOe{I;YWP%r=5>lhI?$)#n+#MxU;SG2d8V^c#B` zdl>`9LSt`ZA7jv1r0Z+!rzqXP9?QFO~m+snDI8o|te?FiXJ(`F0XcNUol-2PQvkSu?yJE2Ig%_iD z`1X1NVzM z)6OcS0&M0=T1iTwcVq|`R}c;+kX5* z&7YN_`txng&dvtmY@Ny&t4FaF6%`Zpos2|}jj=h2z#TnPVhUXmkMk0VIwlCjR;PrHsW;HMD!2ANwd^h zvFXu9g5euDFO&iPhM!m?(ZNsjWLa26Y(E~l{?U-qqVV|Hf4+;v@RiE8;$?U?D_h&2 z&41ta|4ec9IphX9s`jf`!`WEdrq`fqUpd@fwf}u9|HBRbW7R%zS|yy_4-$8Oh9K)6iPLV z*@nmheuWFF!Ml(4GJ?Exb?u~Cq?rk4ULhiA1w$6W`fp9tln(2na(;nhu%Jp7SV!T> zc)nfsyCK&@zN2a2ar-VR!@nq75RgVu1~*DLKtk4e&K~3#9mypyz40$3OBsXkztqa_ zsOB4>Y~wHSt5F@m>XDk7>GiV$tLyI9wHtHQ%mY35?1k?nUlVV`iKNKY9XBkdRrM~a zt@{DANs$1p{lcKLGfxgG*O*F)g*kn~b;8cUfGnGR{A;CAan&i;*e zg>MI^m*5Zm`6DoYN+E zq`6Ycac6~#WgZP@lJ@{75f+)0=O2a9?jmns&j zp(hzZvzO1r{m66f`g$*|Cu3-ay>lbZylnrHVKQ?Vws^mD6`n}>4X*@BMYd@g_!>{u zq<|UO&ij}Yu)-`6w8LKp>k9G{-U-nYvkNXQ_7*aP3No8|1U)WRE4Sf#B3IQD5WdIE zx=d|w52LXzO;%ERPY%zVR((2hdy-|~JW@$v_zdMErsmdd= z_+DDXs7WcDRv)km24+&=E3n%ffXFGhpzBNE!Y9WNGHrnu~NI#1Bz%_2)D za^0ATQ7>|?l^F)V;fD@`%J1RdjOlbVxOIfG9y9Y$Uv^A9yxH_a`7n+{8FUr^!f5^R z_zjfYWnBwK<;#}y%)vvAq`LuJu$&qtrGGU~;w$>nNBsuS=0$A{Lzow8lvQyITcSA2 zn}Qre$H0Z)n1HBC1}pV-Gr-e#J)o_z~cI8x^E!Zn$8k<@`S=7c6z+0YmBo6aL!t~fMc6l1*Yv^ z-q)FRoSFPCnwjnUrZWYK4&n7+1VgOWLSSevP-bGLY@8FZgEhWcn7jbb%XJ0O)XaD? zL#^yb2fAjm&A-`MA==v%_Zt34T+P4DGt|rga9-Wc+o|uDSolJCIIyHC1N70zKr73n z(&v_sCU>c3Vb=^z;{ijBhHZD>qE^F1oe><`K%--V;nVo2^BYZ!{%`B10ULtx*e`Yg zmobk?(6IY-IIlxL=?xt}QUgIiDxMESngsH=$A;{;NP4k`3@$kDG9mmxWGwDlxKsm< zYMvb+WQQ6+*+@rQT!7e3(40F5--hkUT8xf%(@uy519i!zY#AUFNuW7f}N&tm-NiMDE31nC>tl0RREkH$Bgw$aGfwq+-OY$410>|JvPbZUC9h^Xgq$U_!wNSc)QT^Qt#pefm`U!k(VORgrA#6AQuZoi3FOeGxN) ztnqw7K&fxXzskCk73A&B!Qo30>E@lp70Ru+AbLhIV4oz6B^f1pWh0`Z`(Y+!Waf?DupNw!MjWp1N#I-ao?9HEm`${N!Fsa@_<=}!4Y$uJm*6<$vwvJDWy zw;W_vWOA3BRgKx|WXDE2PDGYWN|u4dN=b1OUQdl+@^yiKISKCpbLDQrW^RzEK)*z` z;1Xpm66`gDMb6!cWS^NN&k>xkW>>?U>5k`k!H;UTH`S^k{cvRvFpv0xe1ttEa?3g3 zNNQbiI-p>UBZYy9bRI0&4ZbJAYu`gkT-grAs7T{I= z$+1g!r1u5WA#7P3N0SBZkv*bL&IiNkT(u}2x`-71cf-|@WUQf7kPLM4rMjXdRCt~@ z4U8|3y1%2|Y84os1 zq2>qU$v6mvDq&peFKIFK(@e3ZJTf7JI()ZalEG&uMg^LT)??U9f+5gcT8Qzlk*7U7 zV~?C8S5bNRWt34g5Rp#_c=7-}9}fXjN$+$bk9wyNMLT;(W8CHhb4X+V%3#-&Y+w#8 z?@@SyVZVz9U@ZleHLoup2cQBmg92%iMZgl`ctH#r4tNV0lE?* zkOF!KvYC7g%jq{v4xGiV6Td|IvR@=Ly>g`Lya4t$8YR0kU#>syVa!rK067UDJyJZ+|8eoX|}CKu=>+71wa6Yna9o@ zK72o)qP7+;odk)9yOP%tHV@c+u}VRFy?bMzy~xE z7|+N)MUU#w7geYu@6uTfR!=kHSaC1Og4j(`_Cj=puIy3_NOm0G(e@N{YvKv`B)uyn z;y0=R>CS&$|f#qi#%opBzUE_zv6sQcC>R`PWaYDX0w_gtmPw-6uhfkEFyxKf z>6DU4Jf46*CSTJ5K<|70W@;=ts`9S{!#sSI&ce?q!;x^vFCytd09^YwVD^5sbD21i z%&}gvdENvLKL+DZ8 z2M*pUEvL;~GrTH}R&f$j1zlJbbYWF3ci`O6Jnf-QB^Tv>hB4H-ac`@gHLQ=LThPOf z#hJur`znrEp=)q&o>2W?v~Ku$?o2w?qB~ZdSdi^U~`ry;X|a z)LZ0#<}H&bU&`)CV;2afgv8}}93S{nOsyCP^1wnOgxONosG;mPj94s12?CNRm9WQI zNLp;6{c)mwx2P*!35KIml`zw1L{c4li4{U(9Zr;rg?EV$-!9)`Js4hpCe8CSvhG0D z{IYED%U)9dFHk50f4-f81HN^t&_pENNmmIKRO|MWAtgP1EeNk})5YsBFC5r8m$MfYa0Of0Z)G^uCr|X%I5-z4XVx-QE`qr{}U~v>?)5gKw=_hQfx! za)4ls32gLqWHCgW-D%z05E7!Wxz^)1IWMaO6DB8+)|@~eytyO$XbA^YmcMw&lAU? z%9+V>J~!O0!gpG`l$WE-3T{86rO>|RN+wYpVo_M%a0CXks9Lec3(KT|vS9yGI3Sso zl^7Jv{0GrFH=1N<$gE^B1W#qw=Y(hJF_rSo@!Q3tpfVje8eA=PX>c4m1x_mmq@5E@ zh<}_BbHoy#i0bD^{b7zi35j>oaw{oy|6#L?8Uumqg6PxKL%6YJ{#0F+O=_$L! znfSQtF(M^1_ht57UgIgozU`{;t>_oq&2~eOnilh>Q(AL>9Zlxg;$n^s_JMGJwvN;C zix@|af%dcf&d_4W7Mv!f0?!N-bl75gjk3SRlLt(GAGu(N=t-YK@VR@_X;2c#0<_jq ztCxq`#wL;BqL!3%?;Y}R4F90c*2s~ef&?@EjFNg_R*+(m2c+f;+eC}S5@PRaw$*w?m$*l4Z!6Y$o-;NEYht@>7 zz0X8q15Wgv$6^>y2ZeD@E}{z>KgQ|KH^A;0TX3j2-Oxp$g^CVFzVqkUEXFc` znj56*^M;*j_f7n0HF%DuixU4f6FyIDqLK8eIL1;c41#F!yTD^qdtqoTbVpAVK`@w5 z{0t2VleyhwFwWyRrAS9}f-@jtY}u?aSLcw=R7$5ze;de*sri?5a%XliSGSPUHSC0z ze@Dx4Suma9xQ{GP>VUc0j9oC(`dsJ|-Ugjp7grg=-kmdCK15lZ3zMxqC8O|d(R{>k zG6Q$@!sv*T$N-hH+3{q$X}#LqB{ewTX7LA4tCf_YAU{&HCdLq(Y@T3t%u+K&5KRih zg00qWpsIk^qgo*$vPv@#GGdm`)euFW`9P4wi9$knIC+v*2}atlz+LtvO}D)p&t6Og zHZNPsW7%412=ijYC=Hz(_{yND!PNzCw8j{k)G#}Eh&nEI0pcc!K=y%86FplIsUY>x z;LiFU0Sz8^Jhltl!Th^er5qmj0Kp@w5_e2){+^Vv;8>A@6Ua-pZ;U%vn5T-u#sZK& z^nrrWordzH0ta@ue6cQ&6EXvinz^?$A2;`$a|-ivzVbF^PDk(U9WsFqX(6Odf*Mq-Fdw6gLs0lr4xPAHQKu!QBL2wlwvG0W0#B zXcsS%A*N@wWQLeThm;u^t#k+O?tZ`NlHZKP0`Q*LOShEVLUS4yn_lsFrW)m?!XnIo zA7>LzCc}J7(UE6@sWO-V;|zY4M(FK+7T*O+%HCKk3Hh`tnk&A&*l*7Yylpt9_RI(R z3i1^pyqX5_SGafE5om!XaV4CK6{W(%xO@{5yzb7VD=c!=K-?mZ!qZd=gxzY3K`(R5 zUkX&6dBmBDIqach=_!~t{{)DJBFndG;^clK47o@2W1sa7G62^EKPV|>W7UoU90{x~ zMa%yk=`Zzf%wS)0I`zuw0z6WsTsEy?rDMt;2x_D0c59;CS$PPF=~9Y&8##fOnx3O# z?}B8*2b4gpNj=^?m=)j;V8%zklOKSf_W*CvxDwErqe=m?OpEvLL$pZj!uH{%0TTFZ zdM0Bs*}2P-5(i#5GO=H!HS>oc{H8eAjN|blu^1Y4KUDEi@SzLq#1DiNsgJ0aLgYSI z5cwq}6emFtgK%-w9EbsHVCh_5;BUfVH(Z2i!`1#Q6HPf?t9}5D;kAzl1~Op?OHj` z4VKMXnj(x8RzZ?uhrPeD8iqsBEtEjqE|fB&IFMv--9?_GQ{>JSOE4p}anF;xtuM%1 zajF^VF$b};LGY5%u$Hm5avma;V6hN5@~qsN`GMpX4+BK~7k*T{Z)p#FmvEGJb64AW z;gH-W4h5bj$el=edyB|vdp|>Y^s$x^CLPlg-84r4x{6q$Cw_XNl zGhU<&(vmRDN{HWFUMQ^~UbMi`&k-m#O=T@P#>UguN`YrziH9se0)HFD-(m$gp*Vxy z9c+na*&b9W#}y%+t=E}1=zaI=UCHRkt>VpOq@*J!#V)4qCf=53KAwK4(qJ?(Q}Bz} z3-k3XKvy#}GOv;zpeaAs9%uS@d^9h(!IPFFbFNc`@&w{_84zo6H{b>jfMYYg7nY{^+9-u+x3(QQ; z^a2mAdDiBGpgJ~NW?`-)FuMVZLwdT^B$ayIYWZ~WDw^Ssk41%!9o?As%T{M@_Clj8MX$$C+15R$bLw54|V+!WBVx{*D(W$hUAD-xHqf& zwZvs!l8h4hQ5>Yp`E17UW1OLwIwmsw zfH?VOYO>s|9&JR015o)SWYL;RryxNRYRFBrMUX7py5Oy3&TvTjze@{fS8;9o#F?Au z8ij>BIJ0|_$X6ue2u`6RT>ZcR(B2^5>WhgnTaCd#&~&B0o!(zIfU<0pKJo-tL75JRKu(%s5EdMOK8O$T znJS#nB5Zxe`b72M!2OmfeB*eU1^F}(mlBM`>-`l^p-z|{_?%#eiD;H+WLJjqPHL1M zA)(A1_6RUgkv+F=isXic-A7}>)vn2%i9+(}A!$5GDr$?hb~DGZu2HBy9{0yXc05N} zknm7U<(Mwt65g6vG z3rn#1xdeGP%60q@U$WSoNdwOZzK1HsiyC|3lt^#9#oA|i_nHLO8b`{NZ{mu7a=61d zOiH;qQaP7k_R;15ZnRE>rN$t6fa59(IF4HII&x3Zf`L@#SLHeGiYN2=Px2)J|IFS^ zQB2J{h9SDDp(plKPvzK?yV$F0{1PNK4>)%f9ASpaQ!En23xtmY9Aj-Pb0ri(s(60I z7G{8G!narVV2Z6naRH;N&)`a2kD@{|!aYXCxxZWdDdJ{`&0L)@Smc@SJrWMkumsP;VsG+DX4NaA^qi>gFFKg z{uJ*5CS-+cGxlc7nu>Lpk!~WZhQm;|!1)GchtEgiSZEmwon80`N1B>g(-1Yo8dB8^ z({#YHo^A3mrlwhfiQlQU%~A8CsAY$m34%WeDS|%6+js~!pbW_R-oi7Ja0+=4CPGp^ z|4pb+Moa@NE@YUPzWmQ>1H_ao9TVjZx0%C~>CJyU1g5)WP*KAKraS*cfBY7_Y*qo) z)eN_u3*8nIzMK6}7cLXhOm8vxHJH6Zj#VkyMNZ=0_P9W|nrDkS!)bcNz$fTojff_i zmI|H)h=f`KVxr@SS~P&z*@EE9Ku2%=6t9V5akBuQK*Rx+ccAjVh|CK0hDCS+UKh4a z+?nTHx9ExAcEK+1Coi@vc9+S|k(cn0;Ced4UQTli-Q!_+8-`09{`+uY5HaaM1g#A< z#7h=DQ;8rlr|2m}Bl0|QR(TTPBY3h(dCn^lU0oY-2`sJ?nAWudQ*zPqxQ6zXI9eca zpa?}C-keQczNT2{3!ZoMaWW74j@U$ z8KO+ZBv7;!xLGRYEz{$a9TI<1$8Xo-(XHc-{7Pg) zb-af|f%vArjrGLV`r5hAF3l#!PaYP;)|Zw2Dn?hjHim2fE1H3U%`gdOz_AD$gL|k1 z3b?BtAbIp{4~!IRT%W6Hx1u7{a7MbB48?a>pLTt#BFWqs-@91)R3=QJs~*u0=rDP1 zDJTxCh}QNJS3tdN4I(*Avow|@3jGOdDOZ!OSi;LDehoMa(%Vzw4yL%$VnYX^#R7ZG46*3l2}hCuhy&0sCYW~=czDoZt_mrCh#;0w~t z^a|M5xR}mO3z-`UA}an&mErbEic+GBrq$Oy`~Qn z7+Cj(Hn!M4uCy&&%Q*(X_U*OK0r`{USo zM$_ZM5hue1X5zl^ZZkFfnxvu?I;)>NfW68NL`{5p?Wm{l_~64eGnx7F$*`s|k4XSU zs3A>Dq047B6hR~oX#snnxaKCjMR2Sthmre|$bLlq&6`cT z(j331d@`tMrhSGa+dg1gmKAnE{z`K0GmFp_j2JA5EKLLMxCgZ7rz>|rbf>^TJQn5) zDWDoiij{N7-xEQN_rf#ia4rOH3Z-d?3&qAcLU+ST4{M@AV!0X%W@#5QrKWL5 z38a&c2Auw@HYFC9JOfs0>*bBq8<;L7OAGL*rjvoU=zJj6xp!2wfZ~!J$)_Wku3_`U zOy30LO%hYdc#ou(ByN;c@9ggzi6o1)3iM54sdiy^aqPrChy#gsK1VI`Fh3cgQtnhH z#7kxfTCM3)iy%g=?V=Ow^x_3rWS@;|DhrHZxW>1dev$M|{l(mZ2w$5~V#NVz2~M^y zkS#db;u5U0Bm*-B+?%9goZnIpoYV>vcv-Q+n~>7=bjMr>T0uTp@0t)}?H%3pGa3!~ z!}t>)Tly8qmG-Fxnam!t4j;njVBW|{(lNX*I1<7qM!E<0lbu46ln2q#w}Rx{NJ<+X zEzLnii?Lei8{^tkb*|Oo(9(6P?qaI+ZvSze0A$QEFN!gT<2`qHgr1}f0u(NYKeYEIcfw@2dbIE( zlPr8-epHh8!1CoEj7{3X&G(H0%C)Bu5!Stc4ub4M3s)lEYMy7Ic5EHJ9C7EWBxz}Y z4?nKFI!LIo=HQ#L&5gPFc&|#CY8s<%m7f2Z-dRm?lJFrnQcNoA@8VIzLRa-1|4;a@$7z`uK`tQoU{C7- z#8fx~gC$)*#J?WC@F+im16@7-%9pJfB5Qq=bC?nt%dI-YyF8>oiy;M?FS3RqjG#Lo z*R~$dGN_UrF!xSbwac_s3xJ8wEidZGG8CyPVPDKC=qA5a%y{iMwK$0}nacEjJ!0OJ zdV7~hLe)!!RRDbOeuI4+i^~GzGCy=dc#|&<1>l{;-k9-V26K zv4$I`lp~==e2|t4B3GVyls^m(Q8-UN9)&XqJxIuRA;#HMw_rGqZMg|N2Wv~q5hPNv zkI#!Md^Z+DR-w!>G0ku`&ioMtB#Y%}oatb~sL#SLD6huJznTtGJ`TVphPF5+5j=b% zFtS2`1L=||w6EAump~T5^1tJ$Ud%8RSVKP!#?m{AW`b00>v!ZXciQeD;0eqC(8I~` zcr>?0;TK7=hAdG4D?Ni501uo^j~C9l#;EXqNY+{C z*Bhp-I^?))B|ORAYqNY~fT!|G4PvI!J=|2X6HkhCGR)EAB|CO{ya?7yy=0^xbeabH zJczu`x#>-Zs)SR5+w{0WoWyX<9oPlwMm?T_4k`;s{pyLQ zThVCKqGVf z`#*I_PeEp_&i)*r%=&Oc-BTJ576F=|h;x!R3`gVeZ7QA0u)7hBv)yKJ9f*~T*4?77 z$t?FPe-V{;LEKVN0z@$`DeESt%8Te6aiwUMHUJ>O@P%5r7vT%!DJBUdszm*c+g)}v z1=RcB1z~2|pB4%!_>_4P0|U5WX?)8DA+hpDwCc3{b-`>}<2}dd7K5LF%(x;8!#^-O z%L-AN$LO1r0BdFfhy^T!Ne^?Mg5aMWFqYOhApqzH=2f`1~*T!@K6xc}mVN4d5)^1A`d`=49dN#Q8~W=?4b&i;vKj)J9A z+V}nwtKANBj#8eZ`0v^%WIKw~j`Gpr2-r~F&i8L;P^a{5-=zZ>-F~8u&2T2z_3z?! zTrYa28#hPVH`Ly^HF~l3ODie=d7fw){_8A%?cY(n8?Nxr#ren6blh$G9o}$?=;_-} zV>}#tjiVk#$SZ#_Q#&qljauIRD6V~o9t<~M3(w;EO&y%&n?WprHd&qCk0 zWBbwnamK%Qymm|1?R9O_Kb5m%x4&Mv|1N8^I@{|P3UPgXUVET7Z2Rl*>$kQ)D*y=n zFJ_RPU4Q;Mnt3O9h|^~_bkIxg|6XPI_As_BTY5g$_RH%)F!7-D|LaQr>PG*sEBTYx z@qb;(^_|Awz2@~>JGzp8q+PvxON?;WzyZROw4HGH@GZC>P?_6VS5aY|KWSGCNXT@7 z@b+&uRGOHIcmP7DT^oHB1JG)5F2G8R9lff+y|rELMkFn$nl9Bu8B4-M z>{0_gOUkZ1fYh*$cmV07>44KMOJ<<}(c)t+uVd&)fDIk&rv&j;n8MQ!VanSBr)#1& z=IV-c?cK4pJ2wvScm`b1PK^Qw$^u~l;pJ(N1EceClvT114}@f#@UbwE@c3i-N_6th zHRz%pwGq-m*LX@0zoR53S>MiLnq5$DjPjZyN~)&|s&L6$t@CMDl)`i+Y{-V9rx2FW zG#n`5G>{6g%^Z~{G`)FNFwYYNz3bP0Zz$)`3z zLbOFIaMEO}$nl=B22Wo& zzc;ew^1jV2e|&PwiC2lMs5d(CD(xZ!$yBMxoJVO_ws({%QL<7Vir)szxfs}w%+h{g zh_D&3`BxeM*CiggK*m^3s9}-8FRsNs<%gvD;)KGHII_rDcw#5nQFaw2GdoGc$;Y`2 zz-j}yLs)g9sKa>(f2`F$eAlJomzQ!$_p4=&)a5cabC;WvV zkglQer0E+lY=$;AN4gux!iQb;s_Of3LG#H2V>vz;3_#`pzXF=U;K=560FHg2Jnvjp zd9PTSgg1al@6Nb#7otgWMpUqOqIsD{XuuDW%fk!fG*PzD!p{qDMc%mcX|#=fMpG~h zPpn>q@03Kl1w0zT@AzJ381CKV34MZzQQmgp0?2Ihdmp5OLe=Pq!Mrif^imwYT-}Ww z#|W1hGc5GlzjrPa6Y-AVVvkGJbSE7|Ge)0}C3fp{AH4F~%_DFNy!+s3@R(>52U>ry z4h$p^8ypz%o9AoV$qk~frG|_Jgvq1B)6j;2++~su(9$1;6mA-O54+E{`2fzf-LFvr z{WOX8A<50Za%Ex=mLT@9W-XF-hlH+VJncu`YW_r!Ti3!{V1JhLV~65HT;{&vc%8Ty zX2eUd_fi?>InW#DHl5n=WO#F6SMxVjFL1nJVtnHmXtIxqhO(bU16!`<40x>4pG3Mh z-WkxylcBIAEj(OGz$Hx|nEzmLw?KnE)Im9jl>2fJeK91e@I-lCIXCjLq2y+QlPWy}^@R4LF_(e_+o$1ZZTd@s}GlbOOeM`SOF{x-IIr61>6)&VzbdrY!2T*(2 z41oODnpcrT_a?%YDLag)tABDQ0Hzgki{JZ&zi_# zV6d0SPeeO4=(@Hk-WYjX;Sh8vr7_0+2@W)`avre8;(V74ku~LwWM>je&&=6b=yo=+ zY2(7vCctPuX`Jp&$Rma3rj% zJzpVg+^`)lME2cZtST0)ybxzSDfVvC%SV|^Q?u6Tg~icrjg=?HFecn!uM9lBFBw|Z z0tl|=!^m+Z7sfs3PsD1z0BC<$znavVf%g^URWCR(60a8i?X96!?oGlwr#C8A4p` zxu+`AkoopRnnqr?13Ik2O;~HF)#6lBw@|e=8x{%|Ne>o|L3{JX;k#jj=^2*4kpDZ;G4$PpuIha_4yaDuHtT5 zCbQv{EGW&SLkDI=ZC{1EaKuC}2tXbmPp%PB{_76!FJ5QrM`)a+Qb`6b4_ z4Fg#vOyQ~0{N^_sf5d`NUB?lz;Sp#fR?L84k=5FQ6NRhrK2$Z5x?{KryX>pO7JRSk zWi@cp`BpXe(VzaSd8-=Q+oStKOtZ&HEy=0C?V7S~iQO3R{S_;wrT1UVFC*cX3PbOZzPrVe3Q7^mWVdM`;bOKMn+ z@COD6W6Pe$-60|@Yb438jo3Mxn8^21z3T$PH8dGt2&^xgW@y$0)&qB95jFVRVj9zM zzNI;S$Af`^B5xUOalNE1?u+xeiN%*2v*AvAkTNVR{Asy{6YB15Dt2xR-(6INaW{8o zoa*gFlIj$oYxdfaWxb2ooZ!7I6%zNp)o^>garJOmW*Ke2U4BX^Bx8hEh>a8yEB969 znNIlsk@hBVOlwN+bN*DkhNZEIUwtM{RO-}nB0_x|p^|NrOu@k1ut zOlHoR=bZCA-=%Z)#h~m6;NQd-dMs;#UHyH>08?l}LL=r~LBh*;C6--5xoZ)1#C+?~ zQ+FXUj3p!!xEwo~F6>73B@j6pf~3#;`Qsp4Ic`8nudOXJ(9YQ;woMdr($D;7A2To4g^9-CiO=8RU|Ej0=)%XceEO| zo{9ob9VV8z=^#Ku!qs*&QGn>8V)<7YCf2(CY_lpOqYo-xjd zHvakhj-pBE{ek>Z2DAz2Xz3Sov}J;Z3ssBpqbvOQ658D1W{x~5wC+wOKzEaF2J!8+ z@88w`NCUz<^=3BPd(^MsSrZ~?jRp=xIgI_o#bJof5I%7bj!xGX1p*16Ka`s2?I6Ad ztBU+?$mZ5S=32NS5dMl5y4Y?!z|meuS6+DCHMaO0{p`S+@yI*FR+m!~OVV&V+iKby z1EC0;YAm=NkjR!c)nH4`Q`i~X2`>eKg~e;y;`*E0u2VImj_7*?R;`gOYM9c z!h@FVz^Z4MXSY;=Ys|jEgmCdr2opP4JAlCU(o6X;4Ib~kBHWOsP!`I_-(saHw5jzw zI*$xV{Y>l`LQYVf*ldynZCdx(dQ>ddR^+=T@nuHbkn>ddwsg}X-kU<=b2jjO0;wV1 zKj}AxgZuWo9Ld$iizqqyvB9SSn7u3canT1VfSPa5US>SqVbnSATYyQrOmiNJnw}4c zf_~sXG6gk!>e@*j!&q^Nq52hdLDF`?=uzW+h0XG0bnYlrfIlwWzzE6x$Y9n^HZgYB ztP7EzQA|W*XEqJlc7M)TU@;zF=g&GGLGPDGAwEzGq+shEDD*Y#XM4E+L>GRtR?t~F zaXEjq5bGo3*KC{KN7?t7Jw>Mi1eP9v&0>G#p#hnHi|j~VK?}+8*rD7;QlZn1av4nS zkzwZ5u4#OsnT=v=@KL1(k>kMpd6~XJEi5~Z+_|VM7SrAJAra@A3`>cxv#``U)Wr(R zt5&hBYo)$Db8`y_dXIX|w+8A&b-Sw4WuSwb@Q@9AaT%SH%b~_|md!ziX&PX+WYHN7 z^SxVB$8OtV9Ve{0@D3G2Mc7Bcy562A7Bfe6^AwxIUE>?tL$xr(Q-nimV<5EiL4h^h z(n=jSv}C=|i)^_26W>R}wYN{rQ(KCZ{r+%Vi+(XV>1hYG`jl?`%ZNc z^4M50TL3YR&_kDUnCd=g_^WF665GF_jCyLGLXAj1eN&QtH!VySer-FbbQ)3t!|7u; zYg|Kd0#&Y`5uqO@DHY%tg3+5so>Yn{e{hkOi zNeZK*>671Orv|?NjW-kj&R=2xG*w6^lbk{sN9WE&Y#emHWt^Qa(=hWIzNdo##WvRW zJ&4m6aM{#L)DOTZS%w>u)2dzozRV83mZrlWM?*N9O$QhDV&@ht#B>5TjNB1E_bg>% zW<0{Y)GU91sTlf8n7-uut9EQ_V3-p27T1+Ft-c5ccrT|r@7A!_*=~;y(23cb_{5;> zSi^u2{<-$MbT*AVW4cJU46MQOm6l2>d>;lrm$ZeB5xzXf<7vj;I*I>;>YJ+F3{)4K84zLr!2#%%&46UDAyce!*GME$YyI zLt3ctVVhd~BPZTy35cE-{jMfv)sT1TxUHMsrQ`RWpA*>OMDSc);`u&vnNByB&((K+ zcz$kBV8@4k!7dG0eL6zDCrOW(rjvSGkG<-Uyp%`kP|vr0e4%~YgT+(e%jYxM_`O3~ z*#W;SuQT=<)6&Y6P7&S>8!}Hg6+Ud0_Y^mBYtt#yn1eS@MT|cwoQ|A$$$Q#7Q~6&GRjrQ1IfoE#Vot_U83-aveK&y_*~VdXGoB#=R#mW`yrQJBLa* zbfr2_JpAqczz#=$|0%FzizZPgwT61nN}16s=fu1pci?QuS>44Yi63W#)F*w?r*D1o zXG2yp#>SCz-&4+wr#zb+y2mq=|&1ydESbw>sOGQ(AuwWei~KSufUqb78VvCQUy8&)m;uw ze(OD*uJ@T>e`sW>Pf-cL>(HQ@yM7ZC8hRJVlKa zlS=0o4_|xz5I15&?XTQOJl?Q&|(zaY1y=mX4YhT#YVq7<7`8jvQ z(Bwh6nd@0MD! zQ)iBB>OU@J%zGy^8M@!lxNC1^wCFwverXYW&3|FHg;_!`bt^YHvihxmvBzS2pCvx(~`eO~q1hRI*~!pi#Hs_$M_YrWwP z95QqWc`XRK&o$%+Q{=H{C`)dK$wGf8~7bTt#z7f3k+fHDdv>|#(XTPN#8v@nFk((w5 zSYF;Vr%%NjH>QnhqPjbE$`y@idCIL#pDKS*JofU7V#iZ)x0fV+I`VdX%Ga;1TH5)iD?_LLdil({WhrCk4x|gZG+kPj z;m;wY`TgS1Y0t;k&6#KTj&c{>S-3?V9CXAoXSqtBGpym!`RdEM4~JFUY3O0wac4!Z zd!KAw**lZlwyJMI@wU~%m-zG5%ZD^t>ugIGJoqm)NljHv#e|7a2>GWf`RQtvv3Z!S z`6nn!e!Cfpm;Zb5^na|tq_AE7EpHh)rcKeZUv*6d)mHKFj+s!=rWRZ{_Jy(ICXa=1 zzEI7+i~oB#5BS%+;nd%shmX%wwg0zx;H<2jxs0DKYin*6ty5=ZF(JC0SzC7kttkc; z-~MbY(+O4uflMxC0L++5KpM z8u@$2PMBO#{m&KJMH%m@Y$q2z@U#7}5IzML=>Pf)|HrG)hjsR1wSU*3KmoE%Sy4p? zuuxZk6KebSZ;3^?2+t^Xm-@e4g#Rk``Ok+DGX6KQ&wsxPkIz*PyZr0w_|3|&6tvi#pqSHuA2Q>TNM5JmSfEJw>@@S+&_U%R1#zR8ezJ+q=;RsNxs0TeR`0xEe4mBUsYC4?BhqE1`?y&-o z!ei+E!NIEj85YPzzTPpz(025Uww-0Ipx>ivfT5=b_V&zZI8fVORXOxgY9*-V4W|Gp zsE%GvjX?$mYEe0cwjTvQux*VU6Rcw4bTSO?74$>20)InS)1PaCRe{_BP~e0k1gmU+ ztY~Y||EQaKvMR>^)1LPNjC1^LAJs#9{=Ni0^S^Pi|3BLqwKa1F9e^~9M*XlW9UK#y z@lR6)XFxl@PO;zqSK;08e+f*6X8e2WVOQhJ0dfDs%dnTvRDHRfU73J|9osq&UIcw+Zw_EOx2_rky#?9vBG|~t&9G4GRxt)Tf=bXVH-I9O zW-D|v8kCF-fc);tMxa$VK}XxI>nKHy?35CkkqcF_B~%O^6RsXpuphb~v}eJ7Y5^62 z4bh>?;U)OoR;sH8_KhPnnUEdxbP0q*FH-+=MA$&Kg=^cIQOhMG|6nd$?db)u!@q^W z*9RC+P_~V$p&8Gt`nwtbxzPVB*YbaC#}fww*k2y}pK_g>uKDfV4>#7o%|Y5KzyDpb z^FJ06{|MsKOwxb1XknfIR`mRrIm_Rwo}B0Z-J507|IM4_Z_&@(d!S7Xo-FtN7d%;n z<*6J0|J$)3@J;-Ga$^bp+sPv5m;XI87BNYs-it@Qq5HcQzWASlYatQ#6O*p3E?yk( zT?LzMRp8p!D;uQYq6@QAktC!B|5GfVs9f;#PGKW702Xo9BJb3HBtug*P=M#AXuwQ_ z;~=BsT!UPH2|EdR(u^D9{hl-zzkpKkI%0zbMyz-ai91!bU!hL8D|=irkqo%tD(ng% zFSO~1)`4D>{Wu6{i3c$XOgOl0G_29A+Tg#@PmP;|!#L`1QP8G24V(WF1yxRA$Rme= zBl|aMlvug{KSg(J0sRSKmr!KRDqcZNpP^2**6qfB;S?%1IJ!-R)%pNuw03H%w^M0S z7r85_sk(C1T~*3^D(R5qMy1KahZ`4?%muC3agD&hyawgP*)KSs%7 zpbFf{)}usMAnB;A246B_l6z37lh_lflcUK~l)@GwsWv-3*I%59W;&4?yl`gAEN)Se zMv=u$e}UmHi?{vZYLgX@CT|zFT7!tyIm@qhfN%jEb8SfW$2+n~p9FBRvY!Iy>|{nB zfjr$@^=L$|+{5l;5!{lNya6k^BY{{iCg_s~(LIsO%oWS=jA4*70~0~}5oR#`0OQe+x7>|y ztB<2m4?WA}_FCT)@Ohk$y$^}$pKAZ*uZ6v?cL^_bmc-ObJge?7iEo-By-&dHwQxL8 zgvopQ@3m;#n(-=U3xcW`O3a*(sr3o{WWYv$R)cB5p zvr|ueb3_|R;Ja7AtjRZ!jgaRdUny&n^6B}j%h>43(NZN!P0%z(<{VecPA*aE4mu=S zdW4*gq#c4sJyD%ACSgG43o0g@Sxx7;MuE51IV3Cs)t$$5N0cO9fp%nPf$4fVIKRo` z{m5371lkz=Ja5uP@@jv%3yLiLmt?8oAuV4-!c~3{EpuQ43vRGKAmK9Mq!ILNcr+<% zLC(IT_z2lr16zgUZ{^v@&{+qkQH0@M8t*-x5a9HwZ4>D9jsd`{O7?KpnNzSdH+wuY z-8)zcAQ>{HmZxJWj5x%W0LM9PPJ3d7U9wZtEh@PuCa+{$k~`-&AtcFR0jQKqNZ$n8 z&h9F2MQKm+D%mN2jO1m=6Q2AUNtCZ6Hp#sTm)!&6iFFnGI33)j&LEOxwd+e6^C#ve zvZV~nwYmeDE!Tz0XF}gW>MK!;rnJE#+}r(-G%ACvDE5N;ds0OnNmmw8=X&IKMTfZj zlm6y1l*Elf$*Z>$PqEFh8(f)x9fTJ36YnAUH8gb^N*-A77AgQ<7j^>+JqIOnvw^(C zMi-1iQ=8GVi|D~c#9W-Z89n<7KJ%;)p8`2bJaZDd_@wPVsVSGwYf$2-P4q-r@5f2X zN&gZ*Ojr#?0+a|o=OG0EEpk3FDZf+nFzy@a5(sKWA~{1< z4(c5WenO^mTaK>X?2m~X*n!D;5H7TUqZr#Cmw6EQ4(~zCM@##l)NGXUY!jk3fkE)s zuYiqbnOen0uX%t-2X2$XsYvwN-pF1qAHyiRcxLL<2VGR$Yu0sS^RrS!ddx4z#36r! zCKakk;&6DyBA-U~-dsqvQJorI_8um~J~)ip-YDdnpM9)u`1o0>syLNweftz5oi=yG z347U8-vyFg@+TgfqT+gkrI)^F30gA&)0y}cvRXcbxr%4I(9B)nc3N}}6@0CtkHGn` z-TxSY3zj0QzQBZ%_phnJB&&FO-JA6JXKy3sZJ>R?o`%RB@!N+HotYz&*781xoA5yw z6<9Eu`#x({6*mtbjo`~5ay&^uqYtVwH{gU~1%B$_dtGtnC`9^=ego4>iUd?}37(X^ zijrd=TvKIVn-285Z}DNj)TsUQkmCa3ABEeq zP>TGQ!L~b`Z-}LBse4e0CBsOYO6DWFNb10Kl^($KAZ%DszE8y_fCXFv z>Bo(g=drBJ4JNWUALXu4u};G-8=q}d8jMIX4KvY?9F|DKN+U^9RvHb9%>3sO%GWHC zl#no(v8(|b-MQd<8p=%IA}k9aiA_2%2`Fj9X?Wu&bKy;MX!S>wxm+$*AKQy&OntT# zhz`?P^ zYI-Az*rcb~IgG^b73dgc0>w)DPh$?XpmIlId%f1S?`qx(I;XOgW^7Xh{sK+@Onu^5 z8CNlq6e;%*_=TI4?~xoD36YF@TLH#@jh2(CA1pg<;(esw7{hXUwq4$O`mSM;4O}qa zM1~h*JkP|wNPh0G^hWw8R+5M-!Jk{0N}_-tiX{CvX5ViKw-R2KCfE+QORvYN58)5{ znKY5)DKA@KWU-T#xprjrdT+Bu>}EhiIl(EpgK1D~Llo0FVXmWnl#s|rb)b3u&sNgO zyq=9y`BcD`XvW28I>bQ-l0;CA$g}tDF!7P4ZGBKi@C6XIo7nF4P@xzeMmmM zCp+7=+X}8eUJTV3LyW}a3w1Nh_AZ_&d~N$iy{)^A&S?D55~mdtkf@D?kd7oWDF42H zo>5BUmccY(7O-jdeJo{>1bHhWESUwK$#jLjTSw9fEH~*Wcv_Hxp7d+(jl^7>9uC7e z-b~k*^al?`Xl$D)C86r6Qtl@wsl|vSv4h%YRAy668~O7I;swel!tCy2ooh9;-(2Kc z2@jL}e4J}H;qgMHzbe&JVQA_P3Mn5+D^io>BqTZXwKQ69ViWb{iKdt&(>L0LO4GGO zCX(^ekwOQO@;7MBcs&I$e73OEpz>LB93>wod^nV*~Ebbx|iXXM9b_BLT?iD zkJfbxX!<1qSZV->kfiFjNMLO%3<7o|Oc$DJ;ZYf?ZkokKaa+Y%$Urp0F>DtS_037j zhe%p46DqAD^D1Jc@rr+kdw{blv9 zXl6G=iZ`xobGBx))soBx{?P}K5$`@kBvqV^u79NTLHP-2<8n;8c&6J91ffn+qivbq zu`x)N^v21-;#N%h^D%bwK6b!{>CHeFte~~|Zz1+6N+$2UJxEo%YUW@>z7=1^?5wGQ zet?-_Ju_<&{jB;5DjCu?;-%*gLrn3;U+|n^=owaJKt#y>Hj zraU)2XZ2??MES${^HAPLGOKpJ1oI9-OOgMcMkxvD+ zq!Y9I1c5cvZdFSX+`ajc`l?{Z*QxSIvQ#sgMn!NB9a$|qfQBawrst= zk-)htYXCfu-Xko>SuvT5$PDdXF_DcHA(8h3>$+?{fHP3J;R)w4N-f;Z%!Q%3XHjMd zvb<>kNC4fyRYE}eN}P;V|7a^T)7FAHXn!t<;~AapX zQ+K2NReGg2Dy>BB?C0fqIvkcI`T?{hBTP9J>Wy|rsQ7cCL-=N@`d%2M< zs@RP`l>4HDQb};!4F^pPZmqJ$e`*KhNK7>>O_xEL%Hu-nVtHT` z8AoDmO`3{+uG7r4bN6BOyhxmm>i^=HXx?t0Wvr=1+n15j^qIr+Y52&ufJO#x9k zllhoE*AX39P>qc5YpM4n-t;kD6;C?VmQ>uv)$~x1U9m(4J5!N&3=qmEny=CM=6z}@ z(bA$Rs6!Xr=?h}z8eDxEfn{BK2UPM3-Uw!I_R^Ab!|~7m2(5!Lz~_AvUZi4b-qH7n z$bKeVFZ@gRmF-jbhnSBV@~M2Bos$OSjfQ^uB}I-wCcu0&SOE&;=*%b`)i@4tpflKm z4I&p zbbmU1#FiV>!W4dmvy)F-hgi?xMrvk$e^j_U{Y60@hCGM#J{pb6E91{F$~Cnk*oMlF ze(5q>^bDj!Q7YF0)@1w^EDKs* zUV3eaZsr>VHlj2Jmx9C^}i5>3|WkQ@SxK^}6GR75tm|XC1CilmCpgjqA&g0Ko+zgITAK(4+Dh zkAy~Zgt8{EsgW^@`?36s$cKe+*Wi3UR@sj81-AexE}h}JBZco92AMoodYo)~?0g#^SCl5hY zA8z~1rzL%IeuaB@tl~kLz~)FwSXVR~=p_Zy5Z4)g76@`IZtje#2ZClOj8lPzg5@e- z{N<07O#w|O*$CfIzA(t%&No}w&h#f;$g;yPZac!*u5O{TIoq~<@;JmF4kiWSC6)di z1LToN5#GRwq$4-TF)E?u3i?&N;t$zK+ncloSOdoWv6gi@(roO+=oi`yK{cCf?Jf$HxhsumktO6P>*gX%VB;%pFlVRV8Xbz-#OJR$`` zGj+W1qqqpw)9!LqoeX5AlF8`FSJUzKC)?hO?Txq z-u9|%I&qRH@`f!Z$ojdroWx7@Y&`otn46@QLlBr!KgIc{QF%b+4J7?j=gc^$ucyH_ zLwN+2^!ymsy;+?c2*w@y>ADNSl7EhL^KD{sZ^ICjMu9Vcmi2o5xFEwiy~7+t=gaFgj>Jyc43}%k z4a{^Q;YBV^-#5tWPnYeBqL(@D4yB`fGGymWCE+wL>}{LF&d~^mxTwQ@Gr`<`C$u?=*sBeHg7+wLrM|yYX^#!7LxGKw>T^Ox?p3cHiy%z~gHEDYOI5;R&-T6m z=e7@0BW^tYWJUP*Ng%umBprgg{ z7qs+6F5D1pWHTCOkPPk*!|sZvH`(^?BsJVOsd2{HI?|V$=GZZyzzK>10h|+cvMFqd zvn^u3Wf~R)!sR*ibJJbXy%IU<47QyH63e~da0kJqcGyDXNe1B&Stt#q7t66BvKM8p zA4*HUJ)Ut8L*-K%2yU|sTXjTIcKYihG?)G5o@(D&)+7%{CCAj+^I2K!t?|7Hx!I?v zY@a&)cigzo@jPT(N3TN~kltNWEW+qLM&z}w{k4fdIJX&MR4&`psJsm|cC7*#J$<^^?A0V;?E@x8N zRV;$mg{x!#=ttfQ_$@!kFYqC!C`K(F>;X z@SBy<|KT{~FCVQx!dW`f_(7SB3_nL0sl+LqZ4DMz*XvkceHHk=m1 z*>4R;7|xa)(gyZgK%X>!pL-M;;R`_AS*~WqNH+yo{dd+`*X2YAG?Bn0%~(}fk?$VxPk%^NvrT+)KY)7 zkaJxVkDCGdY<4d;Bs{T?_uiDfs=_zu)NBihC%)B3%w8D39&yYN7_guSkR|j)@%3l; zsTxoarjt!2T42~XM<4DgsM!>LcOadBKOqHj2=?uR0>f8+u1RK-!yM+C1TiJrzwJRf zO#AX`;9E5rS1+e?n*8g?v{48CAddPliT528Q9-@=@7Q7ypP@3E0JcfbY8s|G;4K^1)YmKWUrT6=!iY`kuyM|;CTq)Hrv z9#vDP%{`Q{$aNLx>QT7mf&nM8%U!pK#rZYKzD*+8M~W9^|3G5Q3&ht@_G6&AfNPvI zMBgEt9V_obmbnDC19hG**f4_tGpr1MlIOAyw4`SN1iv&jjFOJ-KI|~O9L!2rV?8Ub zzL|XoLG~ch5lNiHUkjo)+5}x|G?$YcOn(pQd*w1?_*L(V!^zau%p^nlZUycoyqZ4LuWB|ES@1|>?xJi~7sROUi}r3+^YGx( zc5)1Y4Hj>bFQ`En+bn0&Rg;KW*@&vf5`N!n^xCS?6mLU;IT3WbnrbR0xdj%AQU=w| zd`q?>)A(?@D0NelZQJXD7xd}Qsjkb}b)J4y2lwDG9999Mda&pfcWKb&b2IP^{Vof8 zgUO;_CpY8+YO$c*zO6ujJn>yOI?WZ`vXl%>9pO3C7IO?^2)TnNniCB%P>#%n@${#YeDZC@uFRK>0ea$}Vk)F1<>{7q#HYDl4sz`*6su@f4))9o|=!VNv>C~g&S z02&I@gPG<%3 zc%cM4LP{BR+EWUp4M!iHr-X?H+}mXKLsvhknQ@f<%*0DwY(_?q(!cX_e@)RI`DZ_% z%Sp3@-_WUqS*CkYaz=nKo(bpM1>4oaNIoqX1}$MIRM-xwi~D_E1O4_HT6ENYt$fUV{jHd@(^Dw>5`2`+kobdg^g zVdEKLiS-)Ok!i*_VWQ~-Ehi%B1EB}{+~i^SKUq1B7Ct1L^DH)wFwzxV=}iYK(?{uc z;%zLR3y^Q&;l}XBEXRW|d_4KGvMW@iRSBW=LYa#$E-+X$o@mI~%G-nGg@~I0Bv4n1 zWw!zHwDRsU2MXq|#?f0GPF=d1n3EiyluR4quB3~Yd&y|&$W-fZ*Fm{37c0NT$vp>% zH^Sr!tgO>I60|7EvN4>gwe{0DMu%GK*=5R7tZYq^gR#6qCHrB=0+YB(Wq3i)j#N%! z!%)3@!om$yU||D+tjSNCSF#x;}Vx3NQ4C{3w)V0(`_bb{0;jD--GBezFYU%@5# z#k7XMxm|x%V-bS&C4rX*$nH?v$x`m1#i_?xmcCkgx)P}7&)aGp%5%NpLMfff4R&nR zLwZ;u>>#BPksm>J+w@Hwvqu_8Pw_30f+2Sx<J(tpSW#`HX5QCq++=!%P9D z7?z76#Yw_GHp{j+P|iX!i4rq$&hzH>AZ~>R6|=@!v|ZbB2cM@bnRjC962&N#x03GC zdK!fIlpgr53SMZtV0ZkaxT|JHYkY=kW)Ow)N%YH(+J&|cD%O2(K3g5}kXh<`$ zYZ`B+FGW+&A;=4Zrqk=!kaSNE2%;}dP1=33^3eb2BxSI_ev6hQDhE}*WPXoPDGqmm zKbY+A=QBW-$*O(7oBd1QNU%BtQkZ_J7P|8Y;5iZ#l`p;yKd#V*3b2&Q}) z;8~hh(>jfGac=h$61+6IL!zXU{6~GC+!fXu_P~+IQZA9xO7^tRNFZJ#HW2+KVmT1R zLpb}g{s-fBea-6zU_V;%IWJ4nxj18yfnMtJhZ#v1P%H!&K;a7^9EkR&rmmiRawCvEK+f@(t#W z_M?(Kkd8#GLhmqNSM3EWDf|U7c^d65{JCegv<4g(E|Qe= zjjAW(k`I#j$|{)e^%C2oybqsz=Q_c!<1L{1J6(^DvnKJ779WGz=hZg0N0iCPxpT2$ zJL8(b#XF|_@p#P{7a2nNH}g#Rt9?e zw{@StP}6+=N~Am=$v-hy*JZy*qy#(txM{BI3VCO$zlvl*&J5^odZGc2euqFE%G?VhwEQtE@#8|G>^OMzP!Vi+ERtvn~>3S zz;5;JAcBq4nSul9cD@5{n0JmuzT+guaVP?msD0aE0-@wU=0c0D*lBJM=j(ji*tQu& z4AQe;I6;--KOlK|GMK)g@2v%}MpMQ~##LBwIZNVdJxa*PzYu?lC&z{47eDl;2@0Qqn9y(wRV`#IKyyE^7~ zwCT449h?5hE_q_`3~?34?F;K&)|N6LnmJB~0rKq#*w<~Zn@N6Gwjz1~T>50h{P^Uo zkb(M{eq)^rkkemV#VM62^K1aP|JHF_qWmXf>?MU&yvoyZ+eI4 zA6G$np$h;i_9Fl=Q@QvkbrYuW;6Lh1Q|UATGq698fk1U2cYAwC`Q?@rLf+ z_r(p!;*H2Dsw$Ez8iQVcDR*LQ<0uAdq*mZ1MmZqZvKYdLl0|+kTdmEhq@lEE0SGRPjP}} zKoEFgH)K=B#lbYyi$$U2GR;gPX& z)pAcH3~cBi%s%8xO{I(6d8(Qpa0>eiJuW-T{!($KB`=na;l@aPtzFHXZF-V_SjE1E zKeyf{JKejGWAz06P8-@bV|k<5wN|NBxzJ3^NlS&|!sHZVK* zF(KYazOP;y>^Nh}oELzPTF#oll!qL&{iU&f0BRU)yzvqZckXZ)>>2{}8}z8eRKW6c zgXmNc4ooM9l{Z4$))=CUe6ekr61Vp{yHPpJd0%BC5?-c#-n+11>Ko~7a8-DArYV;DTIL%&3Gx&6K{Jp z%1YQ7AUbJtJkk~xu<=~qq7KM27<80`(fL{tyi-%*14IU@*QyEQWVA z#tIs;(Fsr3)$AhYd_QY6?u8p{?+5e4H1=T)UvO^QXYAB+l&SI)XsQZ-Wm~F;c)F;J zY}79ch6ygv-SOyG5EH@v4#E5(%a|C8dV5pq z-e^uTGQS0hn5*JK6=Vw2elzsbTheu&MTUJ^aY(Q@DA2QnwpxTh_;oGYgjOen;7YhS zoV9o{L?PcoY~v#%%hn*@OL834`=~nhwyzmBZPP>Sb-q2|(Xs#p-+c$#X0{4d_a+z3 zT?RL(x)vxokUQ+|)#tG&9A+<@H5R+%G}7UWuP zHY+EQYnj;$xTNeQ{QDa4gvy=+%kpGMnu2-iU&_l`Wp|9lImmG>?yf{!iXS$Nk9l-h znS=!X=37!1Ku>x`@MB_aCw0^q^K&Tf$hKp;oI1$Wf(0|wTLC0z`PCq&AN5AV?Xng2$NRA2P=`X-DTl?nC%0)G zl1n{tR+= z=2U2`d{!5ok>q5va4U?{t0M^BoCA0%eLjOegCGi zdqmLksY~9`Fp0_#+KX|xVLWX%k5ypeU#+GhY(Hu6Y3ENGdnjByBSUk}GJVTy-jHcLBgFAoF{h(eyfD5Q(;X2Ex$Ay%K;s1jT&oD-b0JMu5H1Ho%=sWPi;Hw>t4unHHK;xYbQl!GDR+=QO=I4xRQoq| zZP+4zfI!R31O*_uZ;+EUxIVE=Z?DKI-V;Q=6eR^p(qDCQtP7Q=``Nz-VXDJ}9i`ca zY>sz=M70(G72M3%u!k)(sngE7e?ui7W6}>qwv(@=2dZrA66fqx z%V)5hf>P)1{{)lGuIXr~;~Kc76WhCtt76uYI3&gEjqrB77OOV_#=l$U#ruD z#s)*Nn|?6EZypGe^_3n7ej}Q)&??hK8h1Bd)SF%jR({qBWn>Gak{4^);_Pz0 zL6=zsv}nV+K=|6GHoVhw{SF!>COp4D(t3faUYI9j zXsQm|u7e}-MEZR$Jb5iMTKWO@&>j+1cb!ieCV5oy5NxNMhtO0bqRNHDzvzqEqzW z(*QMJ-)1BUSo4{5vf&=>@|U8?xa47#R@;8YRWBB)$d3S(EZ2zFZRsV*^0M>EP->tz z7S`i~NLj&hBt5bgviIC+sAvKL**Ns&jAy1ZQTN|X=x7?rGLcOw@(b9N;=Kc&J9FtY z`I@fysNt(%VV*g4(o#R6ojC!|Ula`IIR;WJYcqW}&^{C7#xoo@;##wenQYz1mRX_X zCv$t-?U1ICkcob3cDN5y^hU4S=|kptM`|eD!COjo&@b!Qw9MFSq|Fy9p!U8_IfX8a zqpao^xLxdN?@+eV9G?lml`6;qj0WCEZXr^v?#6(+yIeM?DDGreRcr@_c-_=-$k5D` zfq~RsZeYo|ApV}gUSadowFb!pQF=+VCAc5E`{q-*(cj=^APH1<7#kAJP%TS~aejb= zyH!0>=RsHDjF5hB{Jbs$R|+%CD*<*=;5XGV7sQG9Lmh|bAkdjAgJtCI@lU#X51|$J z|6{ww<+Nabi_H6WKU}o?EqyiBeRQ zuo<7k=G33$X~;V(xfP#wZ$(n4#yf_g8h0_Gey;dT z@i+q($cFukX^*}+2*75yKpIkUQ#hHtwe~k;&NaWKtTM>ELkog&>P|(iGaU#et5Uzr zRd?Z~umY&fvjsB|7~Qnq=XV+9MAglnFg$&M^hdN1E{~wQq5LyWF7s=B22Th3DNt*k zo_ly4_+N>}SNIe<;{ghfBqDqVBe-B~b^juQv;a284u##;TH>V62e2ch&H>av4=jsN4>W-GL zsVYtrQ}uB__W?w1%PT4SHSu+|c`Z!is+w0*)d0}n(I?>!@$z5moCoPDcX|ZoVhztV z9(C0MQdH7}zw1E;RaL^xa4f$bF;}_TmR{)R^xGQCeT!INxLI)X+q;Jfwpniu#1?&u z0kqsYxUWN(GJaC%$R(C9G@uB@l^Gvc*sf5tg@iRXjDMhI?fiWWV`pE_v?Kk`8e9Ms z<9_m6sL5Isi$n`-0D^c@(|alVtN_ZBsPP zksNY4mg&J^)$xE%e;t{o1z{UI-n>0$eDZVS$jhDv@V5C(Tkr>ld8gx1sBM4_Tt=9{`gM*7J zF@4svzxY-CWX4L~{FyuyU1(`i!HQlul6l0~h6{s|^S03t zy91dY*9D9NicSS-PrnW+!K> zn!xT6-obqchxd7}wyh-2Kyz{hpmQT!E{Q{i<1y@H>um^7kH^vnIfpcfa+TEJ)t3Mk z56NAK`mtOqh-OWa7SaxOgZu#1HRIN{H(^&xT_59k>;hlK)W7zF9p?)EeXaf1#vB7^ z0Un_8EH8CM6-x6mIGJ=XlVZK;p9aB2tqN}f>Ht7?_}gL1+l*tU9z^Bn8n1?5r**I3 zgdpO{JgjABZL1)$WN-t;#o}g5j&3(cY=@5;vJ7Mez)WoUdc)6psDMm{nBR6blAS7L z6OEB6h5=A$wG$CgU$cTZ))5z_9}7|Qm*^C zzK4d3GBH8q(c$6No%j|z7Hd;9(GSTR|{4Regs3QN%11WiqsLzAky&^KI* z*ch8Rlr{@SY&Og?g015_nNUTyP=(wuuXlB*5C_XAs*ttr+eGK2FG4;o*Ujc(VHVc3 zQdrK}^_8?Slarisipsc1LsvTtI*M#4wH*)6e%*DK8){A=;6P>102f@(&-wx3=(V(s z1sP%PVv2cPKR#mY$Ux};jw{Owz>$yvU<0|?$@S8H>f&L$FvZ~N0Jh=M333?RiE@F1 zc7g4{EjJ$SVs}Aj;@sv0l99FtW-Oy?dJ21pgF0nIkx*^G^jJ8Yw8wh{T{Fe?!#&Ik z(wkM%R&%@3D0(bCT5QH?A91P4FZyQV$^Qp??;hSn)wK`r-DX2}nwe(OOqxkMX(#Q3 zCT)i%ZPGT-&;(Lwp@kM&pd14f2vDHV0!0z36f97rKvCo%RS-c@Q4sN55fyw;Q1Ohy zBd91SsCWeZtrR>w@8frU-(TM!zw70?8fGSwIqcc9_S$Q$`@W@pqJw*#Pm5fJ?=Gm4 zW)eLwtDGyaD4nq#9+>EIb-B9^>u0CCDn()9d&$d6oPzz+ZDC7z~q=a8bXMfW0)65Mo~^? z?;norpSpKdlp*F5c8S2mR6T+-k~4kDa~fvUZa$UquyWdH++VA;OaUCx{mi zt$*>z+~Aw}<4f0dgm3+v@a!2i+4et9=7f{|j~{jEJpA#q>@Jk-|2XNNJm+xgw6q(C zOuqjAU-;o1`+uA=`OiK7e)2!ABPVhl&`1CCTDmy0|2l{BuVehf+5SAN`#(CL&72&ba=ioGg^k;=?f52m{CC4g*+ZP~>&Pm&jjVUncNcS5~eI8*!#! z)Hyw#90O=PYMt)fd~Cw~pvFfF8?(#iB2~7V#6ti{ouBV2Q;;e*x2gfD^YWeeK3pW; zr*`G%l^BsWA8L)6gF=Qn&zS{kOlKi=q|V9BgM*E9nc&A+Id~M#5`t={+g;(nDpwx< zm#-gE=VrOfMnPc6nL~oOr#MRO$#EAwfmAte@}qYdoIRWPflXiK&V}{i@P7_)k*6!4 zAeAc%LYQS&;1KTovKXxLc#0lHYG<|w9Gj)eETr<}mQk#B=H$rF<1GbL?as}CsS_Nb zq9F?I-j&VOiG5WbX9XNS*NI0$$!vx?J1-0SLC_rV?BqL7Iy6JRJGTf@TX|*ak;`51?A1DRvOQHm8s;oJ3T>5@SF{hVEZ1FT zj6%7^uL9;7?x*T`tjco-PeB^HI3cw+p*;#lVena^jE~E z3NR6Bow@lg=_oc8D5_jfNm&$JUrubmsw$fnt;)%*Jgy8wD7$Q2lq$zrGaWC9G*oV0 z&3iar=!+K)$nAiG;kMAkE8){>1sH9PJTrbR=cvYs`g@4c9vWb7yv)aCQtdm z0n2v>dx5C&4wO{|jJ-YE8B!sZg;Z{9M2!r`L5iuW@w_8PVdLi-1$4qp2%~~Dp}ZF?acSo z`~uSN4?_pYDqEsbW#v`f4A0V)1Ml3LX#TFhlcB&{0x;(P(be5~CVix%|JD1QS$SE| z`(MSEUb*o)b~k`@xFJdxZBm(tuA8a5No}GgjVZ>Y)iEa46l>DyIFsHKXEK<0lhG7! zFqs6C*_05S$Syy0rrxU)O%_vVm6-;chM3At6{exOVWvt`m1($XgnFdy%{_m&B~jr?*X_vaRO7d?wkLOi z9XY+_x*hrd+(Q3oUJCiVLA<)lwj`^fB3w1mw0j}?gOP|pyGH)O!x_X6`I|vBssH%O zq>j42PZuB2e{Y2^ZR>A5m#9~}Arrn7g>+HlVL=CfPr^#{HVjKcknOp>k-Pqrp{F*q zpx^cT-X3M#7G?YP5xDQI@Bs`x|9v7O&>{WzR`idzy$18+2l4u@`yQauMeaM6c2|K) zw;FYaKP~)4!=H*#_txCFy+3Xf+Ty7w{?VxaXbs(solI){x7PUYt?=a*d}-8;_E6pE zr^p07RY#z=b~8n1!Pt;ROwnlw`fa4|5>xk#=&bJ1{rdH@>Y`vL=+1`jS7WomJ zLk;8CfxovtDJu$1tiRs;U#N@^t86RwLG!PAysP>D`_3ZG|KD5xx%vO2*Qq0|4@6jn zfAU{-yU~Qu(yOERtA8g0GpTPdA)){5cmKT=jya!e766M2?!cy*NRgJ=G;Ju6@`a=ksjj5Z#RwtajM+H(bbKzIJ{ z>yNbOe{cQg_Wa8W?Txx27&d7$uou zi(?t)y2_7Pewt^~Zpf@fD0pyCH6biAG?zi;D2cG|+Af&zv$hIW(t+GpULva~~1AU4al!mr!72{+5B?29f}}ymS+k z$jz2F!l`giU6&9b5PS90b!pH^r}^b_8i>CryosK~0{IPP@b~c6%sSr^gg21I(g<8c z-=a%tj%qzVh5$e~2j30aGbJGb7-C6@Vnm%b%!OmQ3|*HLA7s8pE@5T~ndR@-O@SEG z0n*0jqel5r#)C%sr=Se_nPGO#ESL;K{aPl|p>V^v#k2^IWlB65$d!wyErId?Amo_& z1j55*llT=`;=K!zG}Y*6`(0i9N$1uTXP;Te$B}{~UfvLVs>pykUV(W&c^8C9HfCLi zq=7(_YHrQNrhpl3=`ALb7^y+n$H$5Lc!Ri4F(9sMff|H;AP2h-22EpQ=miqB0cdilYU}s69!>PmN>KlP{~s^sdl{J?%ukI z@Z<%SQn>}XaqD)vSoLdE3v=y>>qz_h81i}XuVOO)jrDtt;W`tUxidy^01t<#bZD?n zm#)kgD~2Y2`cHp zp+C1e8{s9~c*5`t$*yWhyM~!h5a3=xD8`93^aD~zfWusFDf<-R+n7?Kg@zAb zxyDj(K=On#fM;Z{+cY2SH*o!&>yB+IC7EM&T`E~ZY;7An7hdXO1S2Ov#Wn8SIGpO7 z>$@4zdx=-295N?S{I26dOoT+M_yF7ph1h0TRHFuN

n|BlQ<;^Qr-nu3OJJPd{%j1%jJZ6L#E1& zpXPE1BPQYu*ZmlTK_Hx8KFR)2s7Ne|yG7&MpYzFA8dlU6?aU zjF=8d)SX7X+BGf$(H0U)@{qVhI8E*@h-aE)&-u)t*;5jYA9YH^FOGt%rUlX(%qTIj zA&$P}aiWIfu+e)6;r=ZWP7FK%+|C&PF7yWG%K~{x=~N%c&1XPi=?5HWpz!!Tk}4ds z=jfE<(7czQVtK9#l&? z-X=SX4?^glvhd0?0P3gB+JWJjlS)KHo=@EhcCzo((3~0JXF+XTKT3@hMUU_=JAmYw z7{WiQf#yvt0j=%+*5R?_W+4_7V(F8-LS_jp4fDD^``iQRXg)UdVL>%Bolhd8;b{vT z861@OR9sC zZchUtall1UL(`jFcy!p%bQ?*&@?K3kAOCEs?Qt4uzX=HI@rWavEctP?4OFMbKphy{ zL!FsQGZ@bPHC_r`V-3KOgE0Fond4*xx$7#Ia4qM1L2?&8Pb zpWFSI5svtBP{CwA42mXt&=o1h$uRZ8f_w3p{hx(pTpQwn|>7rf~2$f z5J=1EPf=P*WY;RvRo0}eRP*|gQG6V5Rq$j?MFr?2i1(5i1zTus%}hPVkaQfwOm${6 zvH65l*F4!7OWT$4-B5@W?YJE`04DDY|`Y81`1MGI^zs6D~_xQ5p? z_j$I|xIiN$A4_R}+Nfs*oqZ9X#Ej#0tzYswW>(~n9b+H~%93tOZ#0zE$66W;j;V2E zA&P1}9m=*`h$$Y3_4x%gLBGy_L1|D+_c8|KkA}>V?P29F=lv zY`NZF?z)WzJ)lqy*f{fSjbl5l*#fz^wY2s?*-;al%ZJ_|DRl>e>BfsDb6?=TJ#L^Bvgoz z5o7?juHgd^%kHbHr~!13jM2z~4!x0eZVPKTwr(HKF+;ftp!CMLdg9Uz)=LH;o!}XL zn+{~iCz18M{@7idJ{3Nh2)_hHn@5iR?f!I01+>zc>9 z8)z1utWx%xAvYCgI61@eq~>sH)7O9)+NW;m(~?G{j=IU9Wo;4jgfd#tX@Zt1&&0Dy zH8w~Kx{DtP25)?KLEs-C>%iaW2;Se>>`A3~^ZwzOX{u&_NY0$;QIPO~ z;D#Y`|*{r9mniL*jSDEZYHQ=jOIKBKPxdf%N}ii9W+cj z3&nl-5}LKQq$m+dZ~~kN%~pW;%c#b9uZFL2hUMGn60*iQ-S#B!>lbsS0Ds2HR9_Oq zUa{bn^ueMcB%E-4f!zg?D0sMsVZ4*#njfK;6^j8Mc1=Ly8F4Ssxn>~;QfUmhx1kLX)|7yAmEpDoN}irAF~aU4K{ zYYP@VgY|q}U0hi%3dl%Uk2O$)y=de{1~*jZ0`X4JgDvtBQdX`e>41|_Rm=(zhobe* zVvdPnCQF#ey$4i7gv~rv(+5z`{t%h9VHZ-GqU4h$YY=yGOSv))i!O;NmIO&?sSA@| z_$nnGDbZ0na1fP*YcDr1au7}NGa_eRulBNPX}bACHM2|qJC)MT>?B)ps$4?bk9^6v z&x|6~%INM)qPboo14xyzQUid{Y@`q$fy4|tyb&xrxKd~CmiD8*wwDZ`Z`B9X;X!B} zoYl74lT8-KrWnh7E<75GMnGNZP*4{1`A>l+dcg)Lh~Zde5!z87`j!`A0dxS2X&P5L z5|$P9N8&Ofx?aaZK0hJ&1PZ%;GjWLxPI*5>#5k+m()k$A2@|Apzz!s1rs5{-x(A6? z>;!7Y%TEGJ1_wy?;&pZxaFBS6;O4<(g%02zZ|b9e+y>Mc-kr$b$~ncU?l|&_YqunA zL?@IpTqwcu0vCM3_6FBXMV+}-V~y39ZnvbxP#?z{(^%#Ob|BQ(;VU1~w9qS9<61_X zQG6YYJYFWpDONN%e3?n|_+5|#O~w3(g8Nj0oa&5ns- z?z3#Lz_6>o%GeJQfj`J+;i=Z{TAWH1P)HGru!*gpmY=npj-5cMmt^8p|1T}~;z#&+ zz8BSd)}lABDg{72Hl9lwye%Dzw+n!p?seRR7#f^3FrF+XY)+_K6nCgER*S(q!W zmoF>oXu7|W0fn1GMAQK%1_FgHz5X3F$LM>-*-q>Iw+n3Xtz7z^pSjpQWnwJ*YTVwR zNe!6p8nD(i92@zQg+>E-N%Iu08&ev1B!;;s;=8UR4mq3KfoIt5oL=w%V+WW(%9DI@ z2X&o%2nTD%bNeg?4W}c+V8RO?Zf2&3i4xQJF;bqk5=L!qkUb;f7nN8xvYeH_L+k|1 z=&;hU?AtN^Pf_EZeU6`EDi1V|!a1d`8cDP_tSK%BN6WLAhVD)$)YE zU|TLEl@;XuzsVe+({ zNTnPtS`^heja|nVnWOUW$Zx_u$vgIM;F|Pi7EIy$Kaqa}re=R?nTQ;NV)!KKWy>ma zMB!4X5!MM7aR5N;S~cgs+iR41wdEnTkXqRj-^qV0B$M&}!8p0HJGqy{ zi;nlpY*TWD^Rk|OIHu`W@{;j@+J3;ldo{HJ&|6JNl_vuJpjb^FK-ftxt83GR0eaOTzKWchU)+;cRzM@hd8`JyzbI##(1jhzj zZEa@!lB2&wCRkzOut9%GEn4YlUn9noWJCBFV`4-(6eK#oCymOJ2+vUML5{u}xsRnE z4Kf_Fr^Pijinj1^=J|2l=iwFLtQ7ig&m!xPqR%rp?&FyfG+dvPDVoSORN#r#F(cV6 zX)vP5K(W&Y1!F^eK|O251UPnJF|zSpYN z$RngR#4dhUzv!I<*N<8}sjwfqrA4t>DBGo$NO3x&jw#~7@x?+f%C}Nb+jYWFEaXS zt+6TwqA;tD49~o`uCi&d_zdZbb<8l=Pl$-(c$_A`;Rq(sm9AXG1~f)mz$v5{`{)*x z@^#>8%sTzL#B{!zKFn35m_?gjl(ebI_WDv&h8#$LS;p@ePL% z-w2pK4chS_${?A6OW3bL6Z{WK=jCc+a}2G9`lPuXQ>iGYKdjMEc9={B9CQe*(7Ht?Vg5c~?WK<^H_m$Wt;z7qCyZ z7`MkhJBax=q+_XH+Qb*qDV|{{Gb3WbepKR;={U5cs=>H_h*=$bB(~|dV4>~Fcoz6M z!bN$}AZ74SXbENgj}%YCBglR%LYyFBWb^83VRP%v9>HsQsb2jXaE zQn7j&qK+E5k6y zD)$-_+f?dKQz>K2w*v>EYpWHe8^O!xXNrPQC#U*%S6GnoY7$P8eyDgwprdgTK#s8& zN;mnbL?}u}(irw94$mMdC9_SHqiTK>4-?4q6E<)y9%gD@prek(NKjT1Bhs`Nwr23U zmU!!z8md@+(wL#lH;pxDF==1JGGK6T#zX$?SnAhzXWn)c+YyXixSD$RzRz&k$w*VHVVhN&^xaXDy0$&@Ixfzhi1&R1G z=iQ3ILi@-YFXwu91Mwu20Ra}3QX7y2^B`UAFvlRB`JmQ&i;2CbP>G2?e>r69vb6L^ zbU5?3=6dfQ6xI;)#_hn)9v6NPf@B_nY~15C^BIdQ@QPEd(1NGY<&4?Wf&`v#6yh=^ zJQrTuHGvUGTtgEJe(@%v{FeacwO0Q*FgGJ+VY$NTyuhuS9mVcQKw(FW)-p}19*Ag9 zm2!t;xt^@CTs1;ik7M;;XaZ|ZmN$$fA6(XSE;ju3$-!O5DwEgkSnn`vGh0tokTA#4 zf#Azdg@HW}MizL{?L)Y`X`z^cIl$kN*~UWQ@KECvj@ciwFxl2VT44eI7Wh9^5UBgC zdL$~+^6WtEqC-p{?$yw}K1~!!q4TWwu}40^m)j=$RhENk=Vs!};4WiJ0{I=Ryz5y5 zsWyUMaBqi}Cw)O)WJXtn18nwE8_h%sF_t)Oh3^QAix{=X@R`3c!0! zwYVgrYA3I!V;H`S!%RZp7sM|aD7Xv>3I=^9S34WebUwAd;P9{c@5O;X8>U%9zt&c>(rnnKta^cc42&|(Av8P8OgJFB+uYt2vr`k4dK|0R?C+$ z6c+Hd&OtVXhp=JNx#{F%rWDV`zakJ;rGq^R#^qFY%gjNxSc_eHyX2W~1t2X)HI12#G?xQAcPR63&4sI4QeZl&1D#g#pWq+*f>EDclKTV*XUIhNQE z4g|GrBdfPX<6bIdwXLzlIDyHZVg7{W&yi01S=>u0z_mL)n-Cd-pDnlr=UcZbR4Q0X zEP(QPUf(PCHb{VR@>86SKZ%Hw8x=k@axot8-xGiCjgJ5XEAbD zPx}e6gC)MX><7dTQ=BUFk$D41@v?}g_nbQy06b+!Oc&}@{0G?rMl@#RTh3~jQV}@8} z#~17b(oL!Ge1?RM~qRG?tsIQkG?&Hf|HjUx6;IZ{F&OL;8#u0L3z21Sb%S zIFDVXra|)#4L_xlyh5iONH z@Zx8;;876dBV$V-p91vsNv;n{AdkY? zbeHiF16}1?fyV+^xW7tSF{gUz(PP5TNYo??{If^3~g$LN$Xg=3Ye>n zebmjTxH#M!xy`>DLYou~seC1P53yLi2_>Mm`-yceOO#_evGB}DYmUgJ$`PKdEw2*W z$!9$aB7sUsd1uj5-oift`$GXG?{YzI!-$0E;6r>-fk@WN5U@H*S1p(wNDk%tJ` zPzcZGkfF2(?*{yQ;0%JXz*dz?jNF@)b$?ee1OZ^5+o_OP&dXOrlm^2Cd!w}yRNLPx zzKQiF*=DQRmw9SB)9zgfdK5SX_YHpMzmG=R}M9;2g*dt{w~Ug|J=2zCpRwBwNaH?-dq8$`Ghs za9-1Fc3h^VB!)4_ZozL%FtF zlC3Xb7?`|ExcVJ%@6xXLo)A)1<{ zOjBczFB3_>2IqSG1ZsBU2%)UlO5af_&pY0WKa*H{pM}$Ac6Yeq8A;SLxo4bE2yA{# zYY7<5FUE1Pt-~BA3}iGp$}Is!-9Djje3Q1;_kd`I(hP>e(zx6#LDBGgEa;sJakFgDX>oXkumzhE59k7}O z@hKhMh(0Ra-+6{47~i3L3Z<94K-?5-{|Sb?8uqxE>q+%ZU@h6FVy?V-?g@~m_f#UX z2z(OWP0i#x`hfmxiU)H6+X#&%5KD6C!@O*6(l%@1y(;UB66=}r((dhilS&$)|9+zN zV-2^A95NSbi65KkOH#kenUM%SvAch#(+YO*Z$Lql-rqz216OfB5XpKBC47F-KveMy z3JGK@V2$y3Xac`KhM$0$%$Aaekm%vJK(0N@dz9c>-sbKj)g#lj5jFSO?w!BmWhjdI zDCTezs&VZy80(qNxk{e)nCF@sLtat+VH8YrBgk*@nQFWy%@7fC^VDqDLmz6l=)cR;xtOwEgM zn(IDb$Uwpa;H%w>8a+?JB+yoUfv=g^(oyufp3`r6nZ*4(ID~gtpb|wK-Zb0u2*G;y zr#PSXjbt$VlDK6(JVSHe7+`5k7q*BFm|8=sN@2j+vUH$ckbHsQ8@x$M21yZwv znRhJ6uuOnqPwud)QV*+Lvt=?Uun&n`&>NU(E_#Ns=B8L*iR1OmJp5kZj-|{CzKrP7 zHO6CVwp6VJFcxc0*Em+jsPLHez#_bpn&iw1$=oW`{G?_trb0^7Q@8T$P zof(27hrpud(z(n_9dF}rm3nYYnC~V){ZMLP7y{PQQkC-Y$d8Gx{1f}vr5A#+t~W{P z{AUl5iSu5!m#<*bt+)4JN}+u5X68ic-Qc08Vv9XVZ;4^&X_#`ykaB!`CL#ovY(cgky((PSU2Vh#L!MTb1lLCjE=lSByNK+h0~J#Lr5Fi?hsl3KHFL8;=F>xG+E@xLf0<<y5l*8k0J-`Dcl%HsL0Z+b_l9<&csjB>~JgN z1m=kGz!1hHls?H1A^|+m?S)a2;UoF_73RJ2sc+u@NdKvZ&Co*3%mUP?5<5iG^rCmZ zC9{aL3e}*VFk^4}_#>%&uO<|zLOas=Ve8YTI!;^O4%b<0zxLTxRS$-+nD^+QA!ZyfVK_Wz&9 z|J(1N?z!gw>1S}7$f^Ifch`ZscE5g|ruUju>l}ZqMb6O$2K{sAuJX#ie%n>( z{nzS^OBfKE^S49)xpw2Xf39D@`WZ92P67A-M@4h;jlpH|VOf<}_YM4=npqW!(Kdw!M7$aPrPBsEkIQPf^P#ED@tXoGio44(`AVWG)(kP}m-$ix?KM z$b#~58k||t!j%FlgXCmHOg;;1UFZwWbluJ{qCTg~Hbk(o*VUp^rFvo%i-}HBaU;Q# z6bxPP3oai}6m%SCAo*$z&~6;|@^^B!>uS_wnP2Xb9D*?E9%SS$F-GjCX8Z(@h+W4< zRAfO-E?y4n@?pe7YJP%%3=<*-*94rMUG@6*=kYd`k_4%Y$`_%0xVVg@_?97=L4Xjs z4s0kcpjD>YSq*b*lz3MXDrdT&GL@OsJ5ob*D#Z%rn|vGY5!^y;+%2TG=oSP@z)5^? zO*8V!Z|FGpm4Nr`x2H3VGio6dn!5Ex=^IxvS>?_u{AVlNFnBV@hPzy&3xsPozGOOrJFq zRubJ#BFmdd>eyRQq{i)*$VVT~EkIU-Q!+oGpS2x_0Pb8!dB0PhO%nOLDqT2Ur3j_j zn4$Hw5bNZb{(K0r%$H|!M>=#{qHvwFKS|*0+8@O!oXSCzuZyM4iHa-756FTTR)IFkZJ#$h`4?h0z^Zu`(_`Rd^WN0v70n_9(s5Vc-Mx}tz zMc4?GvNcMm5Ab%ZP~#rJIYo@1uo&L&ibK1$r5fPH=sPu1uHT%%w?Xw}i&KhmtwuB+ z$Y<=g1st%1ABYs~^I=*j9Tsn;e94`NT$P4!eQ9MU6tLmvIxYa6&~EvI@^LN`v6?k| z>wpO~Xuo`jOAihx-sFGc@*zH{^5e?c(6`3>AHag(w=~3Hb5(C-DUAVX zGK&1GZ8!eRwOhsA!xdx8`8`N(UCNvJ?FR`N&Gp5v0#{DkE5^Iji#}|sw`|m&NBkIK zt9cm9ZKIlQ$@c+M&_$@;?*ln9A5GlF0jsO$<0cC)tyGpz<2}6<(%5 zu|SYoCd@#g!Od?Q-&Qw$&W)gpg%PBrrq=aabT|OPnD}sd=uSSaCPV*~CZzE3(3-n= zJus3P1AS0&s`4uqHnT2f-l-^T<$C+qb^d10!sd$J2&c$*Vk^Ewvg6+6Z>S(E^OG2l zEs!WTyB5-{8 zE?fY67eJ{;{gs5KF}R0iA%lC^i-Balz$j=#v-o_$j{9(SY_wB6nL8NF!#>wtQS>rO zJT~6(rM6*lXlz|x#m4wSgsStx2EG?PY5({_|4*;xR=EhLq&d^ zay43N!6%zUXf)<6?(yJl;;_(V?r~_bp+qK+<5aG&iHDbN9Y~fG;>40ZkVo;)#O*lM zJ?KpTw%4%07jSQ2$?{2D=R#g;8+&lP2XTfMu2ww{bEYV zuLzJtHqQxEwg9n7G5*-n?adj^4m_}IBJ%%!IY(^8@kM$Skok1JQ zu6N=bql^D?cvkp6dX(Bf;mZ-Zw{IFb}-`pD4b|H8^a{J z^Y>1nCii?A>ooZ1grcN(0KQ@L&PB%#6(^Rf1y}Lz^3vL$r3UH*lBbD`0HV}I(l^XF z8U7C);{<&UbuFbX73Kyq<8dQ#l~-VsTaYi;By_xGxlNB#@*D8Y?&#*3Ctc^ZY`%raOdN;H5zQ@HefT~3pjV%LHcY1C+ekuPG?eS~;TF=Z5K>7M3h^SY z53$4lGFc25v`0uEi`7_{Pxzt(kV~u_L}cSOwQA-hGDO*~sd4z{*YVQcaCb$B4)66v z1~Pmf&@am0H0^_FZ%0c<18-Gkaqgn;R_)^T$3@%XzU-JL<{sQPTWFS;5@I2^C zDc7P1#5uV!fIjE(oVpY|Cp5=3pCR=yJoQ4xFpDSDeMm~7(bCeR~-gBl9|7LECZ4ROsTYVB#l<#Dc@H0403PS!y z|0Z0v)K4-osdl^9jp)mg*|Lu%W3A`oIU|J-uUpt<_w|Ct2aOBY(^!ZHV-SWk?fNmJ z=nP1j@K}M2*IUl7WCz$M4)=g-zYCrZ$S4HMq!+xC5rF51i6(o5`dR)g@HwK#{e{ka zIQD8VdG}FcXlSH{ZZGJ*8?X-7yGx`WlrhL&g~zb(sCS9}dpgHo{z))edc?GSV$P+u znQF?lAD~{yUAE1mNhjNI+TlW`Xs_(;ftrtk>top*3o*OoBOa=k@57(aSbW<4uj&vw zJYNYR?`yb4D?Q~}5f!E-4N<_Oww%vW!xTtN=IJam}zh~Um0TUt94$~JL5~nVrLOVABzKku^Pb4!C?S5!UAl; zc4alTtkH2Df+H{&#Cd_e9uI>0TgzppAcb#)f^tifx&*`p<5WtzS)}tI-PBV$=-*^7 zu-vP0*+}?H@I8t(fm@@%w{TQyM?S>I1#@=X)8xa8PTUl_VtFfuwz;*IN=@ff%la6c zYfYjgE8;dAQuSIZD5l z1};Y(d9EYXvVj^EO{fYw#G}RE)ID#%hs?I?ggYvSu&>4Pn=Bh+*k-MBC_6XCdJ82L z?x9_GM^h}zw1gF8vMM-@P0;fb0Ygg7^nL&spYSFivC}fi3}D5&7j})YR)cm5DBwlh z%6^Q6|ChKE7TxKLjfiwN)mxWoX>3`4n3yz(G`4(@eZTa*e=lHr2tTx_Zw5f zKjnOp6uCptItlauKItE1xkAs|{hwdk=^q>(WBEewe?$n(JoWpi>WI zsk;0wV&WeUJraxqC-re~QY*0U+-G$=nS}OpRHx5UTVgdhM?Y1~2Gy3~YRvEW6<@9M z9BC-Iio$b4A!iR_ZL05_0DT;Pvp1$AaBiag7V8@J8k9QPyb5IRWGYL z?vi^oy`l-CF^&_=}XkWh-9V)<-gD4)br~Henb4EH@YDmCpt?yx?JZDC7t6 zDDONJVhfJeJO>!!O|)f9sAJ2#a9PNrJP{2>=MrPi(Vny6$&4BUd$fw%;4J3GBI zk#h)_A>Ar}Vfi_Z?iZRb|IRu04+WbSu&?vCN$bvw)?bYN0HmqpulL@~XZq(rX!r2V z&RI0aoyOfq;@z{L)bb5XxT4i4_)Nv>i0fI8>OQ2E{zmJ)vG_>D4pmIY8ze+bfrFdaEghVCmVMb{AD!*V+-&dgLBztA|XoD*<# zR&Fsb2unL>S$3r0#YH2d>W;DNwA?K4xmDO%o{vA^?{`f>Ct%tN<385$BD1t1k%-P=&GCU=$TCSw zE&R=7n`|Zh%HzAdN!qx!NQL|AN5@>gTI{NWfqMT#mp4Pne$&4!3uAzrD)euhSa+CD z1Z$r_*K}#{Zdg9C7(NN#vkF`?#bLnoL7)ZUDb8nNLo9Zrz(#y{7LIMDz|Z~U;l37EF=B=(dpv{LEKjBFGj(3mHAD^XLW}3LBe3>w1TiY`8^hZxDOPKWnw>)v~ z@$%*3{L^jAEjL{{u{>!p(%+tZo37$^$(0!BW^GA(Or6p?^~|d&Yx-G_q^=(};fQ?K zq!HugsW!DJv#(|M!m~ zQ%D{dNGV9ydO_yG}@7CVm zsR{=d{P594n)=h(``++<`o%i7&u8o3x}(qUZ{s0_QA|IbjR^I+0JZPa^_`iMdPm<_ z|Jgu4+kl)lmG0H(^4^BZNhgA)n(Zg}1n#Bs{+2~5y-PZlTp<>(`d(Z7;rBz<7Wbf? znuOYIFO`BvdaqD`Gu9t?UWbfS`Rq8mo z?~c;9K1w~3nm6X#!DZepkH!s-^}oGt@V=|6^#k2*-TEPYxk^JxQMm54sQyy>`v1e; zyGJ!~wSV7xCmGEICa?n&GJ!-UKp+7EGmwEqjRqkKN;FYWP_RM4BPb{+S`XNItXjdd zRV$vVwpy`jYmXkPty`FXeM)> zz4z?XbzPsYzwgcp)xbi>ffEBq_GDKM8t5w;R5W_X?M2Ch11nj&wEB3_;K!!kW)l}C z$+Xh2$xUxdfj0i5AtMj?v;(?!pE#$)Y^XnNiO3&tzGUL2m8(j}wVhuzbjE}u?CN2Y z&K5=K8!jEl>$>QRl^>@}yMBD|@R@&7LmrvKc!tR4at*qQg_eUC5*FL9UKsI2wqm}o zm;2!H+!49v68&=DD&kpL(!f7v!@s*lQ^kv9w(`OKw;&+5OvG^MWTnc}H0FU&GFULjSN8z;A} z-Z%E*)x#@( zyZ+YjS#RB4jVAtub(>}%WiCWFZD&V+(WEr*_+n0|l-;FTz46!B$LI6fz+;+KANQwk zt&faOZ9ee6e^QSRf4um3q^Y=dZq(}u1%r3i&kM}c*CZL|8>Zdi7ko1}sbX|7sc#8? zX-#HD>hH^@md;5K0}B@>YG<3`ExTSaJ>e)hxA}>*qf_0BEAf>Ti!=6}i&&C={(?TN zcVX75>Gd4d)NNUzqIsNjdBKRKPTRo|j+3|U^m{VjvT}~k)p19*Y?0!V5Bis7_SBE> zXU{w_u(Hq3!=iK4V>uTx_i;@h=kl-m z6daUyF0D-2*-|!YcV?&MhcnkMPcWbO_Q!_|XUf|8%1M)9=J&qoY(=w7yM2WD^7$X- z=1ucq$N#hX^uJnAve|C^*iQGXCo$uL;JiU~^_4*oohLAUQe}`TT2wQxX2O&jsLmHC z*b5Ki%;55!|K6&j?(Gk|KQ8O@09!UIcUM8~uH3B!xdoJpQ=(mjpj|*mFlf;(HdK+j zmB>*pE+h=vTEK%BTKF!2#LWN|JDAzsY70Y>8Yy<=ItgOJLC=%!<&8q=xm)3c4?gCt zKRldVodPwJrc~D5Pps!C?QFUEkMAL^w!(kGwEEAR{jUi!fOYm`RreAkNrC^SyRo=i z@S%c#!L$kfL3+&T#LiJX)Vw{+^}D|l`VXw&gSGJ8B%k_sI>~$Vl=W;;#Fxb5h4J}4 zP5C`#ec&fJU?@!aOem6J8qKBvYXMW9p+Hh?!8zfuy=T0k2Q^q3E}KRBPz&|Q5X~~Q zEFSjF*DUJ;XVEO{*#bXf8Cr2No#_Dv<~|Io$nV6^k#HH<8K+aUZaG|35wFBnMIQ|{ znBq|%%wr!#E5q|OG>tPDm_b0Xcs^!hLSbJ}C(6gm6|v3Cl5hoFZ6PIBbf@ulIGTHlTus7aE4PlLn*nH+ou%rE)61<_{wPWE>^TuC-nfDJb(U)5}@qX6b z07)Fmy#5ws-HDs9&;LQX{%^7r%J|<|3K@tM%AOS95+ebT7|tl;Z}#{*TY5sCZl>6S z4^uorhVL2#U&13I{{c#v86k&g0Ijy2XC=zp1 z-s2|V^^yTs*aLu6Dymbs4$n9oMu#w+n9houKhZ?_(@%0X0?ApeL6ttM=YD+7Ba2=; ze(U~bNH}_Y{9b(0QxHuPjlxn*MPrRFesA+h*aeIQsgO<4;fFiLM=zsOnRvQSC>(W| z(oi%lDVh#5G!-9i8ISfhV~t|%c&c8J6HV1)Dcn*Wzqg6*gW_?#q5xKf9`=}{!Q$mh zr?>9MN8ob7J+S$YKZ4n%;_RqXIHyzi`c?j2EiLP;T}GMTyaUwlhP|24m6 zpHZ@>e#id+0S|9i?6?SZ(*xf5zwNm9{4av0$_IpU0l?v)0rww#K-Q`dEwuF^NMIZ{ zjJ2YSV(Y&_fou}WGz6LR$S%d8`!*_o#7PE25Exjs2%#*41<3RJ0lLdrAAkeFJsoNZ z2gq^(e;(A*a$*qx=#d~yU`92p2rf)|fS`|nAN6cXkPBE>=>VCYdmQ?EhEgsUwggf1 zAW%JD(NoAD;ns3Cb^|C%k5XjC=1)k;{s(BDWsy=ajO#Z7W?ms=u;7~xj_~&p^&nU^ zOCi`<56Z+IMNg4_otp&Yz?>6+#Lb9h2Z}*Z3d+Vsf&M{Uy<*&$yh9jU6fxM8%a>KzQ?0`ay& zY#%an5yW>NJ&rd1i01r+H|C>vyW)Mr0BmVt&h^1$JlKaD#>%O4fInzJo(4pg%zQ`2 zJVrOoOhp~1v2;3ks;M>+pL>Cw0wSx5R_#VM$ z?Dy!@7UY=V?T$1KrI$m~Y%ugB*&UDKZy$wo<@ero5TgwBKBZo%RDx@jb$;lzA84QL zBSh=SO%N9_|A8vV%{W9(YerqAcb~#&?h7kLHdA8Zmz1io{fTt&`Ubtc0ybwRQqK)j7l$qR zV9ZtWlFf?83?cfpe(|J=B#=ZAtOA2U%X~uxSjoq$-QlDg$}XJ0HVxi@NAjOW+4kWO z8$qfxbzyd^a~LXpQm$cuS-Et)oJu3lixV;PO7}zLRnWf#N5MK=dK$IeWHZ~YLNQ$F z{F-|08-EMd7>Rmgcwr}y9$P!5^l9W&VfN6X?&^eGuZTPwvSy`T*nR+ih55Nj@r1o5*hl);5iAL9?$ zm4cjEs85SvyGZ&@#xGf55om@*(k|l{EUcP?j|}D>H7|^~@8V(V8X@*kLF}UTR0LfH z&JOxXQBrr1o>Q62BQ@7(Zn||h3sY4n+x7?+cd;}ljG8l#?LO)FWc(;K&b>wi*0O^x zwLq8_t(TFKF?>xY2oi_}Zaf66>s8Y`opow*k;%|#^sqtEfG1*mQZ zDt$(_aH&Pw;B#hU@m(nTZI{KnI_DOIuaTdNr=#ZhwO<%N1?^j=o4==w{pM6DVus+S z+1_x!9s3c$)jK92W&+fHCZtT*=J{U6j!CUJq(RxK+bxvvmgk(3j6N~1aiWj9Z@eTPCVWd^Lhs?wX(PIrWPX=Lc6>Oh_P zMFZW~t~4HvkVbS?4+lXkn$-<;UWfZh_vJ#zaqaN|gFF6Q}xB$|5?>Oy`fG5O~qegrr-PvvW1X%aZx05`OR zs1LD(cfD^?|G<(MZU@X?I@i$bB9N^YN)smHN?W8%vyOJNc#NYrPSige;xpc@Lm5Z< z<8){x$4qirpkA%-3f4VTlXDl7(#A`s^iW)CZ=?<_`b$A28Ae+=u~jPzr5;r6H|k6k z+NUoF3;F>i$i=~Oz7OF-gU(2f>NWVVaL^E>7Ee%j4j(fQpCa*&HV~@BACS09|q7s7SP}Ph#z89K*c?%ICFXunB~7W-P9q2yl^2$d-qV zBh6GoQ;GCuf>23y0f;DsCGu5nZ9;D;6yxmT?_{lm@^~WUln0wsPuZ8&4TPVK(3ux; zo+d?OjsdDCCU3d>cOPIl4ia&B_%I}!Zx21o7pJX?H@IeJqdDr z)ULp0&ojY>cV6Q#Yo=12PNUJOid%!L$I=oA4|D1{(c&l>A7$zl1<_;pClHGMQ;olY z*seQj_lMRWUbdhtaxH;;{xe4XZYbFBf5LCxb8xK?p1~u zai1)2EirIywn&_}2}JF4_Mp7yNK(~#l(zx=AKac#kqt1>s~~Wb3u-9`uDD;vDbh?# zC;ENIZ5cSTB6pf3urO zjc~~Mbg24vIGd6h!zQ!0L_4ZIiEkk(^=e+`$uMa(=D#6^#v==xEgShCu&MPcZ%Ihe z+wd-1OGD@!va4je=2R@{Z$1?wr6Ke8k?vgy3Y>u}t`E{iDd9!h24G+To61<`74zPp zEV~0jYk?<%{uLC?gGdv`d?viMnsy6rO3NkSjFm45y+AJh7cl_^x(WSgi=)N^QvjFj z9Gj*er)1NLct@;rHiN8%{LHM#!s+zS_nWuqbO?RKh!CVE#pV89y4@liP@|gevo_oF5@r#K|F|6muw7Jxaq0(kU#?q>SrL zpOm0XeW{Lq&U_<59ENHKY6>FA8lZNIi7*;tg|^Rx{@&SWY$~8m*!Z!JVzS2eC~m(2 zXMYs8ehz1U6mPq1+#M#)fB{&c!IENqCNyCd$&hAY1!!j4&5Q!Jfry{E&Ynj zX({64*m=|VNq^ToY#OfzClLF{pd{MDisi^>s_Z1FY>TjFSqOlt52Uh9nIOu&9hcuQ z9J&P^-@`H_SeLOj2wB<$2XUWy*JFrLpG0YwMw2(B{4U%8wwv?@?w&$I7Jd}edkia_ zO8Rl{h~s3wLnN{L)5z}J3h}P3vTg3>X}-NAZ{AM|McGRIfH2YvRaiHKwD)CoHZN;a zQg@GAavM~XFUB?s*)nCe(Xt~WNcve1J@Uv1<1{@ur8LFEzHO)}E-2}jx`Ou3HG|&x z0+p1gSo>;a3?##Pq&cr9(ZWZ}7(T|dP-Q!WDxuN?3V>+oRHg$_b-T@pHS#dq<1*s+ zacf_o@`S3?C}K8-bp3?Nt0Oj75h__r6}4X^$pREqOQ?Ssv@voJV_d7gNn5Atb3O{! z?oxs6wauB1tUofERdkL*r9Q5zD?OWW2E~VE4497sthHhvsRF9}$MJPzy(E&*Aj_rPpv8s#=s zYs4Qzd_B}4*?J*V{G?~o9sDdriax8DT&LdY_L;HIa$b8f!sf^BSiz5bCHz4r;w)=b z_+3`LOlOb7cJ>wR5g_%EIpnT&SGT|-R5z_aPR-AI47`sAfC2P+_bgXZq#%IbNO2}M z#8b8Oo&3IZtk%P0&R$ zMbj`};A>J}RHAS7d&7)w<(Lbk0F~KF)n}&AF@cfR2DOx@a>wy0q=+{e=YaK@dq(pF zZRqE+qQWTd54tVnVZc4%MQ-jf7lwa(5GmX^Y<} z_=4B6NriK~%4kqBHs(7R2fV`0lQtwO%IfufB23S*VtDA0L##e$mV(u{&7jA-lc9O} zQ$@+b~7}j zd<#i10go{r8T%;dD08e57iq$2+eRfn68o4`Zleu$+6+FZ7W}5(qdME$GP><2m`BLQ zR3=l#w$Z~plW|@=u7prII{eR{xXLSP{=6aExd{Op&5oADfHLnDRA3#b3Ose`2iq+b zh)KuI_}C$2^|&TD!i8#J6%~nlMZX7k)3>EPE)RYyI@oZ-Gl#} zccp$Rby4_ue6*yWaYh#)P;67;K2&n+m$v7^+m2EO2WQKt)Q_rsqww#hi>ibLd9ToE z!ddYp3YaQHbY@;ig2GoA8*KjfKT&5PLwdSOfn(O zICYWW8$`wXMOkxq{wq^hGIU^aiv~fv%b6e?x7mT?)PAMr1+^3>Bhg~D(ica0v6D{{ zjg;^wYXa>K{#SPvZSa4N@`e^gi?SF?KjGS~p9^kNcm(cRRICKs_|EXuBq${}mKa43 zI;(D~MbGJVA;wKnJ5_XdNg2Xs0dL_^CD{daBbeWj$Sf?mW(`+XenRF*m*Vw%a_D9c zmneI|KYBV{~Bwqq~Wra2{52R+F^bbY)3#lYU7(-IbC!-BBUdu6d z(LqgesyGSR4mte?fikN`kLnMGktI@BjCVo1#u^r`Cp+%upVtsi>L^H>&Gk17C;9!T z*;=Bst`1-M#3$|Br~?P^Q%x@!G7nsqtmu54Ssj`4lrpf_=|y@gEq#N}Dq+wm9HGBE z+uso1IzaoE252~eB0Qya26c^2;GFCaXY;{FN$QWz_QMIK3_k0}am<(EVr6A2Sq4Nj z=yMwn#+sRkriO$WIInvH5pPA^%|e;ZRh?}oabZu$^H#g(?c(Yh{hu_cHWx(rcOqjc z-MS04?%rh#Vb6}Rw7ZvB--$#OWjksch@<=jmB8VbS&M$IjqLWm8!vqjZn_vkdVw4S z-a>S0WeB~1egkg>-=;}a>r>`c;V`iXZDAlN$|1hd$qij_DGj?}RAyU<+#jDk0g!3; z2Qcs#kozdn87FG#4~zD(W2iS4#tMUwWdBMNLbJ)FuLs0}!MUf7d_)pWnY|7PO=lB6 zCYjKeYH%RmY`h-D=?^f%GuOXjzPDCsm@mOQ^b-Q!P+{<;hshoOyy>dZ=9WRXofBsv z{vf9hPI~rL@i&^fk_j}(hD(1?Vlp?>w!C z2^0~pXl|s9Zk`zFJ+#hU$Lh``!j>B7&5GDPNdKEfyeW748J#o(>2uWdkh>L4ONur~ zXOL|PC5}V~7Bge$cZ6MsQcLz1G$5fR@HN{+ULgIfV;$5^cT;TvX(&!X{^3X{BN^tA zX%ftVcUNyyBe|27)fNEd{gCmQxWav)d912W28;xMScsK#>8B0Wy%RIX;gh zx<}u-Nq9wr)eW=S zsOkddS2db|QOBL4{Pjm&0}z))4RD__>@W>g3Or2jRqz{9@F2F0LwZRK-e28} zx5Qhnv!#~ae8rj9JkQAu`^6l2>!HBgjN{fa@*X$4$jVq54;0N=5EQo*#!d~036WTD9V+s1 zt@(2EL}uo9=;h(4CJlKJu1QA)uLqaee&tro{C;^bnrX$q4M*IXAHTpYCOq>rs>wqI zJuvf|^(UcjiA?$eG2KDXo{l$v7{S@B8)7zYk<*2E53TZo%>CWu6N6EU3riGk$v`#7 z<;1;6k4bXfR(x`HmrWaws$yiPCds~pO)#JHwBv?jFRZNTg6bdt zaf7U;0u>Q&y&SgHfc0YkW*N40g-C^p8vJq-qAR2dMGK6wWB}hUxQ-Y-y9Hlpfm6Y< zzhiummsoKDwd_KUi_BAO){X0kz7EITd)m#bPzAU~epB!m?r1_%6FQ}k-Cuyy)r>+N zQ5f(Z>sBEv;23W*sb_7WHvg>7=D#BKdJT-_S5*2(GuAT|ja^FI(pd_6#4{sRl)VPy z!h_=Hq4OY@{B_SElHdjIc}~j_0ABKOHG@!5MN2j&1>CWUk7Wtr+~c&WDVV zR1T>t4ae~CHJ_rIY{Xvm?m-PV(U*f!1BFvF#I>jf=v=>nk8yC-9#pdqbsR&kV+fuV z>ca91Xv1!CAuB#%DLH36TbcTZeW|e_k=7Zdp=&+HVV0Wnh%F?QEvd*g4G}xHe#T#} z`N*FaLBCn`D)QS=3*fg()xIc_=KVu%SJoXuEjh@vWT^LDC}jR8I?>NM^6Cl@om#5H zWK_p@Xx?{-jO7mcb1<98Tyew{507Ni8`i=vC=0|;2ZdlH-dKRl8?<$kQHKeqnp#$& z6XQ|KV6aXcn%=PmFWrJWO0cDbT=efl#S3I(s!H~(Jp*rx(fd8lai9~!5nXn7`>uni z?i#WkLmNjT;`4ro>NnT*g?V+l#+!@QrC~B3ET^^$h*&m4`AJ6|Um)rW67au_I$~rm z$H>THuK}~yr)4WhE@0b8Y~4t-Cr?r1Lz`VPDB&}ILp9wHlr1=x9p53tb{VNDUxvp_ z=ZqbVXmcYXYiH6jy0v%=MaRrjQE-`t#R~g|Qn|dQ3gx_otb?Y^l;Mt5XzVIPUMN9^ z&x&U%I+mhumm;!fo`4IvANOHWgM8?NM}sceRd=6?#LW8@H#ELMT2H#P_sx zX;mr`&#(aMBE#yMQQd@KkpY`v_j+lKMg4lZX13SwP@4IP>`T`AX#h7F zVB~VlXJ?x4)Ou0;(te1Gm*DPSf)VD82y5+-vE`OM+tASwr~!B&1Ij-@`4c#!Be1Rn z-I$8kjX>PS-=4(lCZc&CpoV;8n@EX2N4x2DU6J%Hs@jejJ=dZhtpm{50`U&GaJ)WT zPG07QNNR;qmbz{TBK@Zo$|V}Fv!jv|sUe(WUn~X_QSk&+k%f;=2wwHif_;@ZHPe39 z;hi%P(OnN#VmcG{alt;7_*>ZLFJw>u?FCsw6)H*SI3;U1CA%>XRXmCtijdu1Qk%M) zbKu+SAiIB2H2<;=4g;?Hn;n;5k^QdDawv2>TN1>Ai;FAFzSk{1L9rI8DoFooc z=^iXI@`mxK;DGGjUb}W;*a#~O8*F#RiZ3NfV&CGILadqNM0K1LwXE@oahJ(;1RGbH z)*VEo_qsGh%IO9(>C3ITG}Ram*8g=?s2~??2Xvo93;gw{_%2Nv{Taaq7yk(FR#oZ0 zuyMWWx6cvmX#Gq-=NHrfR@6FwAJkEc*VW>NEyzBM`ej`TDqVmZT!>w`kHHOt5c_&Z z3o33w>t>*YuGI*Bz{k+C?sZfOB)RuH=7n14g_31+;-M@f?{q|FbW|u#^g&id%(NM( zqmNANBRjVfrA{k4zNZB--7X8Vb$b!j61>nw8C>Y{VZ{6e1C|D;1XDV8qJ2Bjx)ms4 zjO#ptU+}4b73Yz781x)f(iELWs)(ExtH|*o zh|~}*p>&z$P0iU5I)vLSz8nH3JyJex6>6A-*5v_K2k9paum|)l8KiI12-hjp{S%Za zoeB2;7SU2gig5B-B$(+6z!IXT7ZA3QkT zteUC*eW146K-#1J%)^=Rc&)3%S&j5xX9%1*&NCxQ{jWa$e#qEfW%?{%J)#S)rz`P` z;tHhxmsje7jFWoP`_-vN18|0@uh}Z~_(A?el(P(}Z+Q(?tF|B~8ENGGaSGArypFD% zbeWJ?p}GAYF#Pu0CLs%JT~r`eV@m}cUl1=VaYLw%-l8(MdyM%SP*u8;HS;2F8!S0d zQy=17`0U*@XV@q9L)ylEJaAsS-=YcSm^mLQ%D&Lg>}wuYV7)vzU|~69 z=e`!B_;y$GjsoKX4cH`JiKJELL0&11vX1I&?9rD9R&S)VvY@(wPBOpZ(~K%G?NSCl zkW%^uhJ$UrKqVeGaemE6ADbau^sh-sMJZ9mJp& z8Oxfsn^cVHXc?f$w%riEqihA=4LdYgy|ys#FuTeTPlLx1{kSNhw)pm5#`fj)3jGtI zbQXUejB3Bi`FGgp+8MOu-e>&KEcQqIZWwVbQC!%VqT(s7IBbm zjqgw?Y#?o|I`@5ngo7p#oCjklEo4B200To}| zqL}fQwqzXL+x=$1r2b`W{Y;xS;66q1((z_6nYz#6xSjoA;C@2xzEXRf>jE=l^bC~5 zY-)Te&vT?1kHbsZ=c%dU^AsdN_asGGgFb%<$u;aY9acIyY|9-7Q*^c%?D|HdZ#3MHj-Yqv--s>Y`)|M2zq^oLM3u}Efv zzG9IpQUPWp-!y(SdRHGt8$*jkA_Ldz9fPDUl)J(jQY1afxJMYb4*@)=I}oTM)%p(@ z!Fb39*tt%`Dy#(mr;#Ew&gXa+S~#QMm1X5UW%x3GkxKaU0R0I57pSc6o=+QK!2s2! z5?^6s?q0IL4B8cas2SdGLg_>pV7j=|5I>nf8?Pvtgq+i;*22Zw_6EO<(gEy>lXD-4 zbCJs;H+(3;+-@oZ)0MB_JcGTP`m0fz*-TMv$#ePEx5HjrC~c>j+QHyfg58y*e)j@;qI)EM)!;OLP1A8Dk5rB@SdG>Y z@@-=uqZu?c3p}WHzZGJEzhbwzN|4zWLM66~hWX4{9BkIPKz;N$=LL1FtJQHxnxGo;C0oUV8gx`FTa9;)UenSGK{Y`~3%`*cf zi5Q=P2-;G2F&gZ-ER*aC=Vh6?vxdCOOqW8Nd^xni{a5$bYNybK_G8AQN<0Jz@$Iib zk&x=;t@_}1DQcy_1l5eH9F%lbZC;p}H}^m^$a_dxl%&H~b~T@KW+6Vx`KR1>AvOBU z*Nstmo!R;1huVDeGpy@{&eACaYzuaSGmEk!CG|((HhG(y3YbWkgLwp@?$-XC`Y}yT zdyUwpbTeu<_&=*FLxU4rJ!toQ0%IXl<_yqq=8M4mt!-ACj??ZvB%ypysCycTFMot~ z&n}2Z5Q7K^1~cA)KQcZNV!7hp&KeD4w5=LCzJ0$JwvR!13vm*y^Nh#vVqF|)0(pZaQr?; zy{!Li3`w40q*C191Gu`hXfNKUX_{oogDm(IGS2tA`jxR%E;V^x9+Dmd#Q{{B8&$4{ zFgmUJ9l~#AzNL5BV&sONuD40k3i6k^Db&0RLeIiz|J`DfUP+vWnNU*F5xII~4$3|= z2fOgA){nw06G=}9|Bj;rnkRICBl(;$NKLZZpMb~v2SkS3W+?3YsD%l4Y>5!prZ9D7 z=y|qC1&+2|HZ-f;B{^@PW*QvOR)W=}xfA9M$82#(0*%3o{mmf}(qlH`xNhcmLw0_r zuQ|;pvkNVjTJe*yMc42u&(Jm8bhVYMFU3PaZ)S;(J_fU6xwhfRbd(nRB40Okb{%?F zeXaPvk{f{M}YQSbsc%Kp+=bn%l`dul>dfGj@a52 zO@9;~mZmDj-xT6CY@QV=c2+dqG**W;&DO6EwfxbZL=3iBsJ#oT6YnTBx{%hMq)T(I z(D@c^okwfNGOZqxS-qTOSYK@_cA*l`J}JAdzpOmFpzSsK?2*mJ9ctTIbfnevJtJkH zrsVS}%sRU8$Oil!8OIpd7uhxKPHs3*0UXrjWg{E0WVJDl2GTw z5PZq>X;^DDhJLc?*HB!m`6U$Q=uBUS;S}|yP|bXnUedan^foI)>6q513^Do7($U-2 zlNk0*KnU@@`QO2hXS=3XD2U$O_H8lu3@uWVZq^ma#P-^0aLDjQ2S7^16)iJei_vln zb4LHP8o$Arz_rvq5xIFvptdlQ-i7D2|umLK&4vn)M`69vX#%N4t=R%lqqP3qI zA7bNu9CS#WwMe)F?vgom$fuxtIE-MEglqOFPeQ_2n8v3cVUOo^=O?gM*LL1CSp!ch zJ*qIJM6hucv$4h!;oA*<4*6+C(?40?)HL@caW~>dlYW|+q_`*YwYhI2hjl8eUClf9 z%EfVv`Fn7S&WYd--L!_OUc0F|q{au>QM=cViPUdq$i7l9(k|d=ahg5ExW@{$p8%EX z^`C8DQA`A9HXEb7s}PgM<(Mj)ffQ8zE&KB=D`_!5(uIvX6YYf{`80j`TsCb9G-sqp zXh#w-g^gdCyyeJy4rwAXVOEW>;1S49s~d&toXB_tG!Ptx`j${|^Jb??6J>&O+EQo- zJzX*DDjtN?GA%l%-x()#weaV+54? zqvKdpIoiv7WSp!LCo%Ya=;A(4<9AHY)8bWhWKYv~B>UP0;cb|?r;ZQ{`<*`pIWEKN zHe4V5EWhZ8_1aHbDe^UqMTXyGEw@{9648+99>?P7psR(g!esO+6Q<|v(;D-X z&;mcNH1<$}RKP_#XDM)@{Fd=j0iL@Rq=-9=jS;l2I2Kp02j_ab3@8ikqu7l&$bAP+H$pr4r!<_Cx!0=|jZ77I>|Q(-ek`DP^qn z8<+II8(|KZn1*7HoH5iJT_9#OR1Q9?K&&v!=yb7{oQ?qK5a}fjkkM%`=OFGUuAhIM zoEZ+3aMvc8eT#5FbA_f?TSc3?G;CWRem_Yr*$hq7pL&uv6_4JX^C!6PCP{hcYrx2IQ7FKJPG_j|P`W$)J zPE-52HO4@QUjpcUCsb%Pg_tkJ7z(t5)bwkD!eFr<04#(+d*S6+M-LDfSm^#Xo!YiV z-w<})MaR_sz)xHIx=FjjzB%xNu$fKD8H?KXWABkr_0!IRuRyh2dM~`KkTY1<8xHis zM#t`go#;Scz;BK8T97cFoWT2>+h}1F8^`)=2e4-_#U|SJ<84EWw%JD*-UDahX^>#* zUf~I|_+zFw!i`@wlZ};!EFYV6J-J- zZDk?Wq%g|vnjM^7dJcwFzU}R9bfRoKmD}`@+2+%99|p_=n;rMlV%Vt~W=_R?0@9+ht!Z5;b@@Rx;M4K@DdqW!^h zyo!q2pef6F1r_a~-T1ZAUn!24o(e5$W%yEz{4z<$(Q`qQZIb zOoeW;`>xSpFg9`YyL>VXgL5c8j~MmG)IxUS+2d`*Os0Ag(G?|0BpqOTJdh|2P@A8M z6(>T%X-0>^(0PaeJ$BMgQVSMVw!ev{yP6bL-*n;+x1VwuWb|16P1bm6QvUg(jr?Mq zNJrUfknaMU%-=R7=ai}WpAE5NbqfA#gVnGx2b^HmW}CyKz%hdA1s*joBc8Aa#hh^S zXQ8IaH0#cp*Qxn+XbOB*%gB|lvT@vP7_O~+9k3;qY3$y)huz=uJe!ttj&_6;H9$&q zAH)Vd1P_6bv9HBF3%SZ>skhT*Gv~g-J!5@_HYAWXHpw?17g{Pb2N`<4Zw6;@j#S_e z)Zd2OK6UL++I0_QlGB8I)0 zFXhRV<&?-hE}3DoG#OR7WZIu1V6gs<*%7M#MLG8XKfdZyWC_~&8PSb=IY*|V?+bH` z@3PJrovq(wNWW8Vi!n6Ab~{8LXreL53t9!10gw=<-6it!`B=M^g@eU%u=Y$^cp8RYg>l^@V2!7|027Zj+hI{6JLi+$ zhJyAk$Ult5du?8K(<0C7^4-=Wq{*t~BWxuK_wRw3+UHl8Ca9oW-fDHfg%g9aCTh)` zF#4opCEmcL=eRp@mND_Ru`1{(^o(W8Ju75LG^fPFJegn!3_#0mo(T1-E0>a;hZL!1 z%IvCVKyb&rfyNcom&7h*sQ64ioig5CyYQ67X8b@25qjXFadxzSd#AI*vBCZ_?ti}X z*5fYOjByqvyx-k>SS7t&`Q%}Je zd*9i-G8nU1RbN-v2zw+Y(Qzpm|Ah957HmVJXuB7EIBGOygRVV_b@f8og2hs{33Qx; zA&?MThbKk`F~LKVXp0g;9!ZoE5Vp7sXl<+kKgVQ--y@&0AQK3}?oZPFA>xO-k0515 zrQK3y`w7_|gOCQ`hXiBOAS5UYVjdNB6F?avHXH8uK5+It1PB@q#W?qz6!6~g@G!#H{8q(V$g*{Gkp1yc z@MaLXJ1NM*jvWzj%;pbbOOVrw|CR7Es&u@>KaIa4apCtcY~eLv=^=+lPzGS)7QLwO5) zTi^>~G(j>!48^cuhRB!euqFTj0x;a?X%g*QMt=w~n3iEeITF@3LW0;U@*(zfrHlN@ zO02aKVoso~M42G`VUHrqNq>~hCQ*&#Wl(C9zy-4`HZY~I1oW#0iCd6w7d4#h@xYL1 zFSzd_w03tP=~}Hz9f&L?OUVngo_~d81ok%9(?HE-BcgHdsfSH(RtJP=F? z?yGDzHcC%IxS-{CdgR(`$li2}&62hv@f(@64Yf{WrF+qbmjZ3ImXjp; zObD^UQz-2%WjmWf6zy_xx|dL z=$UcgYwmg2I1@4b9PdzXvv=*kLyem6{{u0-ZOai8(LL_SNaWN%q6~)i048inB0aQq z4s_ptrvtNQ((&XKpKLs(p3jG?>KP43(xmtv^aXADkZ2)#!=SQ#3GJgWnA>LHp7 z)Web0C@>jH-dI#Qx%RU7IT8mdr8!75NZJ0mU@xhs7v1fC++a8zbf`_HtYjOr$oFJ0 zfbOHa-{z&0L!hAnVVg~;{aZ4WOKB)aw+`bqK9}=L)%`H4xDdt2371}nr>(L;wGxym zkdCQvkrEKp{Ciq+s3q4u+z<`k?QR#ue9SY?2r-ROxgYmfkaHe#Pap{(#|}e3_f%{K zy&#YOk3?_>37|83`X-72*yBpE8N4uwZt+`cy+BCEVB$f5gfe^YxYCm$l&!} z33ko8i6A-~vB8T35U-vCFCM6(LPz{n{WFZ|hSHO)aA&UkQ)-}_VBS;;D8Q>YiS3fw zOrB~iLsIJxJjEt^I?JIx@pS}7p%-^|Lxa?QHMnTU36LkZ8CJORk>G>rycC#V7QD2x{6*AU z4AC{Vslke&2w;oR#L&I ze;5k&;CX^^{{O6h7yuA_&<7hHXi+>kDC41R_aW;Kwgj8#;EQ>WCvdM}y?<-aRQ|I* zh;M(ezx43>Ak6xoEm^STflkH!Ci?!Ff{p4w>mR=12aRj+(*FosJh+aK{?K9f+Vp=e zBnZLQ>_Hm-8xL?V#~xhiz7WPgXA36IgH8Wy0tmsh`9}id;Tso%Y4gvP|F{SH!}kDt zKAe01KIq|;6M{(>>3|64CTRFgb-+3vrQ|F>QWj`{w-sh9pMO-IY>`?0cn zK&z0XAkb@M<;2OOQvssP!lsAtRY5}5-`jK#7GU>~Bsu*5ei+8@havNV4G-59okmQk zsTwotenqhcYc~PaY5i@v`J1O;um5_!|9Xq(y08~R{=xlR3wtCIuIR5E@10OnIV!dP zV0UV+m?{WjriRfOv`UARU7$swq9~D^6r^;dXJc0Bo;=y$R%SV}NKcrx3eN!1UVzjC z%UWp{(t#WXn?!KhRAgo1)SS10e!$im-cm|-5#I)Id@TwUvNA<)9#YsP>I>pcc_q&WykAqGK@GwMIl2Xw+%JQ%*;&a*oF$C zJp=3TFfhZ03h6=y-j8*hN12f=c!wgCUL1!N*%I|7Zsh=5EoP_VT&V;gJ?R;g)|rA7 znHdRQ3GO``23z|uYugvRLRJPYap_>>So{UtX1d>nm4aQQ?qCmhK$$5yUBU})&g~)=fGPu!9J6N024S?K9r(Sev0lH)V34)dsVwSfa3 zRWfBpM!M%BR%8hYvq9FO7pxZWL{Q^Ic2I?g;!eVr`tiYQiCGEGV2TJ*@i7c3n3e5y zVx-1^3YnLY1)<|Xzg+qS%!&@I zaHQLh7#>$TAbz(UoZ^&rhXdEaV=FT=(s3GS&y@wQ=gpKs5)^!b6`5ilFlG%46xrzs zKCFev>(>qdj}>LjU5Ra6u0nM9>mdoUG90{Ff=7g8zXK^c1a2=o!|$P#LZ(!F2j!1+ z^@h7BHe*GGoqCZk;$Bo_q2K9;rKZWODixk@7Wi8-hViF)q$zG_n&x$OuI^E{&Fuo@f!FKIC%f#%m3FW{(sne z`?#jcK7RbVaF^~HJBOXa&fpBr;0!j{gd>}7$^>N7p+iB3g5m=@bs`EFDk_>8DkdtK z4`@D>m{e+-m|B^Zm{wL=ruL{McXgL{Sy|b0-M&{A=1w^V4Y`UqY3j2?P5wA+Y` zZn02O-8haj>*0mIvq5){?Ut*8M;zN7-h_4Cp(sgbGbdWOSa)3n9;(eCpx0=Ph4Y;q z0H>+DXQ*&aGF%E&C6OM!vwuGfXQ1dikHE!sc&)leYy@_u#j4QoCGbBhBv%ln>MVlTh%~}$q0GR* zMBi=iSUt`lf-VD^st(8K;jkX2vGio9sxeR-xe*yyhq~dRWPr9?=NUE;$D$0}4eiu} zUqQ4kA{B#|Cnyv4>$-kw*Z0K2_gH^9@!!Q-1c8s+#kx{uc)y$V>tj%?55NPo^S}R$ z&SL%hQ6P~CDkz?a&c3RHKhSAa!VABugq_F#qaXO;vk@aGoa+pJKtShD(Liux?Tmg) zT-N^?pAdU?MbAo%2*O27@6KSEn9=1Z+W8d1#0;nH+>v%#igqdmmQNRXadT(12v!>Z z!&Vf4=e|x~(d7Radx{14ycS~L)tKn&5<|1YK&$OE8r621MAF+{qZ_cA$y3h>hcSym zE&&JR{doFq{XpU%Hli2aq)(`o>D>ZM@_*v$xNm7UDK>LXmuHx5Zc)O2G!ADZq1$3! zG!Yj-%8TQ(zu`t=8{Dt2!|p0-*~W8;Az`<{a{& z=OPlaxQE370{=(IV{%1cX{HW~s){N8ojJEqr(BruFqCwd4gt#{FufydEd%nB5jjd? zsnr!rqez17TcJYS>;dcfY*e9K>6Y(8E$MJCWG!H6T;0hsxH<79Z$4PW6{4v9b?V9C zP+)7)^xZD$wEd3}qszN4da{fxm~2x`3AJ59q2NP- zFFD;iiBy&zW_YQE)L85wBoYm<3*m79<~89L=v~y^{CJLt$VnR^?N$Apl>|Q!TGUy= zb<}|)36QH{z?wSCGF4bg7Wg-N73eN;bOwpXefLw5q;K)? z-~`GPg2KNikVZ13T(Io$R_^(>&Eb8zzS_UnIZK6y7PnBBcqe`Y_XkZPG9L$si3_^! z#M#&|Z6kuL=tP@6XEJI#i0>kkS{|o8gIlUv=s_un&vPSa8qUsk$=n;`y2ri_Jr*KC z4fi%J;-d7o6K6sco|N3>m#1{)x@P~L&0^Ki(?UbL@;L>Jq=pEN|8vHp_EuKXF({FI zgy!&9X@weoigOGiUosVB90ef}+8YINJqVr9Cs6u@fm`@n52D%josm+a{DJLw{mP1N z&_$fNs2%hk5w(i(*iMTXqkPcp(~5f4>~K>P6D@5PUWGufDEkA>c=Ys!vDxrk%7$LD z^W3SbcWI31WLmr*IbVz*ZX8Vrmm>DFX$n4V&vfOAty~GJBOl-b(ic-&0vP2{bWQCS zxFiz*l|mL&c@1WzJ5K7agsA0E#zf1`Lh#5g|%{JJc0kMIuoe zc~iL)Q3oo;sY(nAv_YYXLosjJFHFGw=`L`!;jM4c;+OCRQXe?Nu3<8diYcOLf?x2v zZZ!;-lJIcv4yVvv>_>Ndk4buQiL#ZYW5syM(fWenu$FmQTL`|E=|R%3v4fGShDzQp z@64tJTpO%^KhG)_f zLX3E{unq}F0W8}{NO@3g-LEBSwwL(6410`c7D>5cov_C8vv;JxvzvLtx#%W07-Nu8 zI3qAch?{o=d0D|F9^rC|cXZ?ye_ePH;Q%B*@rZ4`8g-KCu3Dj#I{gD^D!7WAk^2$2XKB2krx)g3 z=|Ps!O2{sj0oGEo(@kU|dS(AtpgNl8jL7@3o9!`YGFF@fg>3ea8*B555RM}UoedHB zhmfZPSqiz)Qhe|g&sRvS!}kP#z}kw_hWib)5gS$%q1qR5FLE!8KWs25V57KSC+cIIrUR z+3tJQN8opamXQ%aisDxAeIjvxR4qi~MmjJ(gPBPS4TGUVtr@pXoRR=MjXX%W=obK{7dM4oKD8m>o{h{(+DTzyAiWi z{sK4HQy9i*m>5aVfphE)JNGRfC?8VPm<)kyK}rmFsCJ{v3-N>Uv+>IB5Ci@(t#L0i zp^BXury3kGe8998pN%GwN_2Olk@X$W;c})VeZrBqNeq2-zYkFFv{a?sGDd2+PrU2) zfb}8y7@{YQ-?4)zv7o7@L9y&82AA`bc?n_~zD<;0!2@6%2cU7p3L{M$HM|Fe4BA*4 zO-#Vy$3p=P3u$27N=~fX1M;Y>b893>YcTr@O^7skvQhr0Na!zaaz2Ieec3L&t+lT! z4$IiUd@?&5d5a2#j&-gigUe!pwP#?2gc4u!aGc@bEYnExBs$dIszS~ z<+M6fNm$`qvX8`a(>!^|^kF1fOvs+Vv3Zy_v(ME-$-JW1uCYtb5P78(X?F{fxRfA>S)Ks8wUb4499E= z?ZW)68FB%&v4Sr1Wo!eh%1MEFd~Bx{Fk2lZimnn8vmYe-@WgZDTxSIZZ|0lSLY&ab z1={_AWtQ)tvyAnY7WG5eVEJ5fl9!zOB4A{peeiI+v0%TaBtm$SEFn)p^RGUHgmZWl ze!R0Q%t!KFT%IsKZx51v-bs0B2(MHrmrXAlS&yMMiQPb91rfGA>P|#FX#C1`1LaTf z#%yDrglfjoV%*EQD1za<55kXHV|xlO7h}nCSh{etl@&UfQ%zG zV4;-f#QD`oJe604=DmO<6X{>D%=jApxI|t-h<&?(O9RWLk@*|2KZp~B@5P7l^EjT2 z7G*isP$WwCh;AX^Z|3(>@*IxDD{7qqlQ!vRY+*QgU{1fRMamreI1E=aXRyh(U=35uk=@~ ziF%=zX!49f!X4cAVjm$+>dje;UPOYV>_>tiE)#wb;)R()9GR<3Lpg6EAEb}_BVi;L zwsZu;Vv{(=bsFaR1RPb8jeO%!QG5h|SO)oH4FA?Pq&Zij#mu}$B$`x8qg5Nt4`Yls zdG-o5|DrbZ0eQ97d?sbT*VLi~NQ_OW^r>s1yNf!>b)5vixp;sDJ_8+!9`&+8DS1;m<$1UDeUkl zq=?bXAR&o(%}++tWkM7)0#+BpH5Zkv#I>wSGoR4(#o>W!V8ZO7CNEqQc zF`0W9WVJe;wtv?X)kzs=CYCgT_=vdPbVDZ?w~XWBW{g16RiYK1m8Zgf_!2jgFzg!O zikaDLY5#SiE577?PGtQjt*@}HRxzpy)&4-Ugs8?J!<8@?U*c&`>)|BaV2NRx!RYT8 z!x3NAn@RvN%R?7BmuOsnbCt*)VSlhG9(3+5>>){Q&+toGLtO$XQYo#*d5k=(c&p>bB;V@0!di6*ZW+3(bJtzE=J{s5i^$eKe? zGpGYNXYdD~6OY3ZL~83?yyVp(=_rvF_X6S7Km=P5DI4?e1R*cx99HB{oIgauE?3^# zGQHVYQzblG<5F_8IeDD~UBN95!871S()+p(pn9)RZ{cw+o(5al)5eeExt-iHIa+v3 zSSeeWBGJ?=lmM^Z#_aPqNqaNb2{pc{2yi@({$wqwb$>}(1I~6NPALLg;VtrkrKL!_ z4W@Ye{n0lnBwk)ku9;TE1g=9Di8Ftr_WYv4SrykzgEa-;LCaF6fR8cViw0VMiNRUS zaOFm{H-cOi=FCEb{hA;p zl1O0^sx&Qd2{C&v0q|5W&Zp7BB(TFfk9Pu|OOUzx@D_ZQdMA8OjEhGAAkQ+zQVb@Y zk<389NQ^=Q86O_t*h5^lB-tnSAtD9>`EXi3ZF9l($&r&X7oZ& z>!)S{8Yb3(@!($Ptm?*UBBh1mHPX*gX*sw5g2jk=CNc9EyO0gVS*A)w#F;%z=*{?~ zMB7Ly%lMH&=&iijUG9UPQLf=5=lD5>%uftk)a>qb`6qyX{Zp9J@(zjjfcuE(4^xv^ zz&ygwqwYJA!$l#Ijw?OG5%9z<7ll$&c5`8?C=^$^*zeE)!Vr7ljx$D^*_0=EZ=B85L~N zZi5-;d!jJ+v|N^#j;OzI9wztX%t!pT$W22LzlW)a5&!Mkjai#A7{wYc6dE2k@6T~Pl=>aSOgp(VKHFhJ@b(zN$>*0Lh#}Q z;HiUrk9V}T0ybsl5!==3A0oLaHp%TpE)vp=d64fzj5NJF_pIG-<*Twny_ zX^s#iH)t-e5cr%M$TJX02}18$lfY+3KmtanClBEGz}G^i^d3o4DX(9+S(j?-X?yGX zVOU(yX!8%Wr2|(mBmCoyJ)K}BzfR>{4AUhkhJ7>L0}{N#Vl$@^p94j082gsy`B8Rc z-d#wNBoB!c@50x}&-69A5V%KpDM?m#p@OH4$K$+9!IylWJzr!tN$I$NzDD9Dmnn@l zXi;?27?ws(7(x2bR%{FolJCPhSF!2kNKg~aj+TsY)hsd#-;YPqN@|7-p~#z?wL&y| zld=P1l`LdFq2Ya6e315%))Qm4UFnV1X$*Y@P_1pX%*I*x!TskYzd7GlKNL3$eSA!$ zZ^V70Dkx)5{Fp6;AK`?0Hhu6YD)(4*r(ginA#u2gY)BKZCi_a zM`1Tk0JywyC@bA-`^w@W=^#D8ACGGOsY>0lQ=UNpEr{?*JkivmGi^xabo^6#K)Oah z3%V20{P;N1mVLjRtWwsyM{;DH{T-b*!D+UT7my;{OES1^G@WCO2Mx(JNw(%oUQFdNPSjHN%n$PHR{jYx*vpmJ}P9 zQLw<7&I}Xuj1QhAGmoQy{nu17)bBg!G1UG>9yctErZ;kn$(J>W*5kJ3O~s| zTR%3^xZp8T1^o6i7cBk<4DT@hovoX#jLu|Fp(_IW>1do!oRCOOUx?%JY9$VgP>{NO zdfMb{G%YKRl+ji0Q#gGfc@;lF@0b0S7TOz}e+T6OaPk2KHsd~|u(d9*0F)$oNHwzxl@?G!LQgl>H%nuRseq`V>>{~$H^Gc9z_mTxciP2LPjA3(VsV~qF-9>c!&n?C4&uQG zpn$&>X*Qg8l{#w!pr^c7-seudcztyJM!M*ABdV8o*!Gn%f=3nDR| zra3NAR(cK}b}ff7zbP})GF(0fhQSHRouhcIoD87=Aaj(UE#s8U$Z#kSzCsGYhjg6S zPi&(Pys!|7W#SHTu%ridZ!M_YA1dgBA2)A{GOdX!?Zu`=@+|cNeNsFGqq#KY_8Mn~ z&a}lm(CZPnGtmxJB*mGcYo^)4*?@C)?#bp)c%{O?^y9 zP275*g%`);bvX|p%jkBWGag);xlv?^^LvO(!6rY>ISI@g+zD8v>~jB0+x{=-yIOv> z+R20HB&^zuha=Gt)8T=#!Tx4HI#Mvv0YVg57E9?Lua|Vpcx6g|>?QvOFHj5q233oC zIwn2Om_zXvn!;~1vZYbD04e+|t?^4uj)pY^Qy?IP^IR91v2>~TaZ5W3HYQUWo-nM^ z*}A*$1Nc6|W58=1hSN;@MH;?jVj|NYSUZPti8J(@fG@3pb5KcstDi6M^Myc@~hY(^(*@ zkTl%izq{f?OQdzDmL}Ef(^r56z{`x@CZL~<{nhpfYT*B!Y3Mj3B`E&x*Oy9?@?#Ho z3_A0S5B4IHwZe?{{+EMfHU3;Gpo4GG@g4C7uHZI948}G@b{C#QQoitT`we+CI}AK}kg&U~CnlfJf9Fj?;5lEIkHD(O zG&@G6OuYI&zeMMpsIEvdujD*Ys9<=_t*ZU7?=0k^WL(v)eFzzf(r(;SxP>@=c7Lj~ zeCHa$zZ!`PNo9T^BGdBsSV3=65QyJ$^y+=Yj^{hetoR)BC7(P1bc%42O-A?SO;#E6 z+59Qp*b_1n1H(vZQ|9-e1(JgEs`eJFns%y(n94q_!Q-qm8SnLi$B4G}OPm5~2aNC} zFxkX>vI!4$4mJ~mFodwhOWgTLSSWr8>UblN5>U~vg??lL&@_a2aTK^&S6o2lh7N}^ zr@!bFM@jllsbmN_vQ%5qMm9i<*NnIv9P1BJyO=2!dJdw@I~>PAKO2UgaTr93Sw|GQ zbMf~b&snFa4O3~&(T@Xmy|&;MY%qXLPdZGi)Gg1_MI2wD4)4Vil>r*M7|5wc8}t!F zy@t65-e?}GsoQUwpdrcB#YN*)o@~rbkk^xQ)Je-pF>yGMl*C0d=TK3{Fk`94zrwIj zps(-Ph&iZ6@`y?~Vqz27=A>Z#;`eTiJb34n19v zLpEfWvM*Aq-!hnA9Sx$aTLwsRaEsH`u+QpCJ`;uz5X(rP%0;o2>c%n7Xp}zB_@x$GXdXoG z63nSOEHlg3eGZKrX2C@$kCjT4w^j7<^v7DcOl?aQ>1Q(pUd9C_FftlQADrathnVY- zOCd4DO$Jz&&%e#k?*`@fl{e?e|FVFac%}iOu*01$sC#-J zXOYVAGR|!NmkB50aVlj;Hb?@MmXh}3a(-d-2`d>X>4x ziCU5eDj_j;!wZr2axHeMltjLzuj#9Jp9v|cCNkeLLU_qMTn7Wt4nzJ?Jrj$HU~yWG z!oTIej6%KWA^$_-CG54dxuQrkaR||u9RhEgto{)aOTDEnXZO!+X(5rJW*^CTM0wQ3>F8MpLw`aL6)Q%uMr) zL{cL$77S_V2SX~Yw@h~Lmh#+48VNE|jXoEkc);{-;o_h6q=)O^N_$j$;+&5nBT$+v zWEN0x-X*PjkYYL`)abV?R<@}c6^Ou< zj%G)|7msZNxtFOIBx}*6f_M4HHQ<$In5p&;Az~=Y{4Dr1PI!+*msaKsKog7=Ptb8x z3%v@mukmD{xQ_OOm7w7}EjuLI`vvVKE(J=7Xyo#pfe5JuduMj&kM+aQIJuD4BM zA8@xOh#C0I7`f86`o46 zTZRRm?hGtv8Vc2gha*GK?_lsA!}l7isl2{1{UlDH4lq#PV*er9+|L&rU9b}ZqB0QjIA*WA)dq`} z2@rYeCoqN=HC$BHLvXg78EaATbz{hCkb`DiO)-0@*&ch-K?d8d+cq(7{`*L!5aF=l zh*}N22$N1riVZzjnwV3CNFk{*M`~#~xYCjDLC>Hh1w4I7v5P{ai1_nX0S%EPg08m3 zqf)locP7yJ!Q{YC9BX+r=Tn3obiHEf0SU6kK6yT@h#xDl7 zU-dnsG4xjF#32(=-&*kNVg9&A>MO;WRwYpru>lUYFah0+BQvSfeN0VPPaBMwMB`@~ zI)u^NiYsIs*hhB=vgD%m zlXoJr5NxS*40Y47?&qwQL^2%MovA?&$(LfY%SnarCTe&^C?w;dqvHp_klvIzPWVD7 zq2}Pb=nLz^W9sJ`l5>*zx*?MO^%i1gN@fW^%ip zn3Oz~p+o1@NgHrA{YDZSsfET> zy}-T~DaF(B;32~tV|t6^U=9R-R(cpA%3~TYlURRRC=D-@_KWARsWDyBGqXre{TX~1 z0(Kepg|VUs6vN%|m^)5a=j>BSh2TIcj>mm0JB55HUaTYogol}^;^$>`bt}qjwCu(@ zv5y>}6NzNF!QvueJvBA|#uZWvL>sLth1w@;LqAqsH9e$mYT}~!r?k#G6|1GNJE`w{ z05+;6*9oDSg#~w*wrVK&tHEr#jflB{b!VJY2={g9rIp>Sm{j2F+Z5|D?ofK z|E9k&i@{#YWa!I0N&2XjUMkXUpO9_Qxb9@nO`|=8_F{yS4fDPwipRXMG(s2 zA_Oyj&Gf7qYXwm#2=)d9SMw478;*XYaB+n4W)f`bJoV3HnltsBg#@rg;BM~62A|wL zGse=}`2{MtgZ2yj#{Z_pR#?F>nps=n`F!6qayJT+fpp~Dv?S#d^OOx*5m5l6lz+| zuzME3CT)<_!ZAHfmo<&sgeXrsYK=K@h{-;Z#N@!TU}1r)WW1XFm!9bd0Uq4p;tahg zGr~7Np1Hr}CW$oFcP60#t;jZT5q1UnCADEuE{dRomi zxzd@F@LPb4)i{(LCK|U(BtiD`FAi?{&QKOjDwI3b%>BM!)x@S!T*l0vp%3!+Ms?hS z<2usv-wCo$@;_EGmcRmtEc-|0=#k+gnKPJ6(_8xBtHw8?#E@V%z3Df66GdgJ6_d$% zGPvOzJdH`Rby9nAwE1`(fM8w`^}@^0(a(a=?_S~6oCc)KBS(I2TIWvbCJdzGL6sOk z6}~sU1%K1}gxNSw@RH>Pqwq`&VOA}m1_sw|!@pvdDe%n2>=cVUiXX;VDgmEln?U02 z2equBr=<}RvUCZJ_s((+Af>ngbUG8gGx+;WkU8MQm+?3zU}$ZWW5jeigN~tXqJxR| zYE5H2Ab~Vdc%Csz@B0Es=rnhDA$ut?iYsw)`mFX9``?i=%pWiCQHW%jQ8L+I57mZf4 zjy)75#tQd}F<67gdyk$IydOcNqVybR*l{n3#^Y2EYC{+S) z1yz^LkMZZ=)1dOS5I4G>Jo}L-F^c0sP6ty<4x6dAqEIe`#GrQL2yp9B){g{?q z!H-G$x{{Ish|Cu<37bC-dhWieV=Ws*+3*YRUqeJ;pZ5X6XWqz3Lp#2e;+SuRWst}e zFW@kfQBr_NHjHC}-aHSML57pmor~`asR0OY^twT=4aWtp(nQxbyw9^0UEYsJDhs@{zwl2Q8Wm0_LM*@BGmT6%Y5pfEF{vC(AE z(^OohQm*8&Dw%#9iI=e!jcLjh`w^yo9m(Zq4uy0RvlP;RPZ)J(X#gX$j|}Y$OH~}z4jq} zaj!rWS4l@$Dkm(lMM{~b1yNjIEQ4$ctwQd4iGq+GKuq7X9D=(^R#u}> zz}CO&E%qtKbjn!&6h1{)^HEy1ueP9?clQUIZZb7&XLstEK*Mm7Pj=$GuwuBz<0W`< z38>|o!7yVGNuSUU%r#GwX`WaZAV@$m(o<+jW}&}(S&p7Py?}{lJ_Hz8Gwheh5UB!h z;|FLUA?!_sd7C_J52sMMcmeaBpv&onm`&iN)Bw@3EGXIj&gy8kOlQdg5uPXUa$6># zKF9>$eR^VW`yxoL*XO-zsW0~8iMA|sSP4+RDav4vZg`bsrmp*hi^n0qw{a za?SM`cP@fFaxOb9Qo0AQKN%m#lZcn9ng3&$XLED~NPF&&xQ z4}=rO&{^p_TW=}cu4q;&_(Kjm0dq&n@DGZ@Z}F?!4}%(0bFOB-vSV= z1_ipyHCQ7U0%}xU@i{oh3b}oOdF|Y0IsD1K-663-1O6 z5Akm94skoA;2sc6=K^^KlpP_Yi!1V{Lqxl%0tpXsCZ{Vx%*JCg-yy84jBE6?MhJ

rI@S`wB7<;E9ZS64eLpY) zi~uoCs?v+kwSCWYaOk?2{SGor|))K~R9&PYMMzY6Avxpn;Na;fay47-W zs7kHv#wf;@g%JtiVaooj1qM6}OWXmj22yRM%eW<;b}MYMg=Y0YkN~nvSe!5})LKJM z1ba28?95~jxACc=`4|kCGeKI5LaVdLcjO7nmFIg zb#yLBV*@`x>5@XG&@k`36l*Hg8{1od;^dv9`Odas!ZQiRIbhPajov+EwU;{$%Rorl zi{%eI?-Ai64KmB(%JE5v3kB{I89=ZM$yNzOMtS*Es6 zq}O7V6{hm;`Zc4FYzck`)*$s`uo^h|3G9AD)z|9x$of8^^DjKlea|N`-#6ui?{TZm zmtgW+j+EPTTx*h;ADd)BTP&WTvQ6Ho{gDU$V z@lwSXvYBSr?c;92*`->Z$ZXvYQShipjG5Q}ZnvMlN-v71Z^DexP4ePm^ye*KO$Cn&u z=t@l#b`61APlewZHT={J5QL_QTmai649ArPNMdnhyJkK>*PoD+Pn~du! zWL(k(Neckns`M6G8v#MpqS_?d7G}X5^zrluk#}O%OF=DKVa?|04NAv&_6hy!Gl0IP zY}cQCmdu9_H9-?RARe3Bq^~VS-90Pg%5FB{wd}LRnA)5vr;r8sA+QcE=ta`;CR@7v z3}Cr#p*9#JKgLvEYA3mu*HaKrId;4{Wv_> zmSKCI{Vv|o-zYmVC$>m!I6R6;vjx>wgfHXY7&HFSe8|kt;KqgG7V~bwZfivQ?SYhmUw#ujFW|&XvmGg1xm z+uKrT&7m{pHzKc&FEKS3#NozO#`g#=nS{!^A!!8WmUwQ`d&*Oenow)tw=UKTN%ZES z38Z%LfqUq2l4l(hb*)ilDv>*QZtU)?6PiuRZQ$#@p=~{Nud^wvNzk1nF*kfOA z)1X5T-|zX@AnVAyw(~ZdLSvdAu%#JaB?a4lv)PLtMS{suRnk7&X|}0?5+@x)WJCnS z4G|c#)qOEV2?l&vc)|?}Otohn58I!oMSQTK9ha;A1QtXfAo?sB2wWHyd*nEh%03)@ zQWXiy^<26zBwkLq@KfEv-~g^;)O$(BfICypc29vF81I*1kT!Nkj?u}H!KiIGT0VQC zfz63?>>%RuzoXhdO06dK18(aoEs-(s) z?uB$*rDS=W>kYzx&-#b(x!mNkY!r+G)24Y)YO zz9kaypKwhM!Dw^`Qh;LE$fv`MyWzO4-nUzPoF6sxG-G;L-}XB0j&nmn)F54`#(5~# zs!ziCY@M}cw6M#`&$PxE16jzl-_AM1i?P%97CFylgcsrr?rZSDhUb%%#`{tD9%D8) zMY=mRd|y!p&`YE6h$1&qzl2ZPRa%Es4+@XxJlt9`+{ZP=a-Pt$nue12#n;uTo6?meB2Z)ZEFvDKrC7Tyav*-sT#lGWlI>|&QD`o2}O zb>S@{}f+4=0j|;Y%SW3iX3ylph*FwVH6TS8x4MFPFQ%HL~3Z^8V_TN1he!DYH}tT1V2v=O>|RzewjqqWRo;T+PZ&p_6KVYr z_&*j&Poaj8QqS-!xCM{{mc?%^bEAe{QOA8ny-;P-_QYuFqs`u@TRO ziDIndsWjyhQW|>0I(AE*zSKtbvf|yGpfsg&G=8KE(wfo=g{tc z@NotOnyjvNJw7MgzB+iP^|&E$k8Yd8CP*Q-cm#AqzzJ2(B?u)#trv}}n2T=R8j;H*^(9 zy7)d_w>;O+>%mLNekciQyzT1V}oSLf(ZUdoQ(FPx&R>`FuHxjzs;$15| z8*)4=t?F5}GS3Y8=}z9NqzX<0nH)UnDCay?>A`)DTBrIAI5xRdVRAAl4{zaqu+HV> zeabQ9DaqVAl4c&dXgXmCzDOfr6z&M|XY%9V%z9|+CeU0T=G|6D8b2xO66qqp1(wS~ z#PzBh#rfQ&7>~(CKoXa%r-yA1Pd|ddwG_F8a65X#Dq6UEOVTaP5r|#cj1P^+<<8k$ z$Iu*L{zP)M(}X|g3J&N9c3X#bMzkcjOLsiUyu07oOzAmJJ*wyOLqEGXt7kdSJLL(k zABpEDzFL7$xGI0;AeYh=dG1VCCd67@+3sZF8zaA8NJ*u3IwSHCcv`4aYD0Zb|6z5c z+@B`lStYo!4Fzow47sCn5vDzj5)+_vfIEC;PgLF+eK`;no>B{$t>?*3aFtEj5+`Iz zum`;tdk-q{I#*KMxW`C?BHN`}OlHxc(*3BgEBFsf`o$laaWtoC+oD5cjxxifypBv4 zi{ZwrfjR_Yj^@zJ>Mh8o6vnllBny6p;Ay!$LSk~tz^>7S(aXQ`YdNHx`;V1=x@NS$sJx0+v zLG>Ru#?{Yks!Reu^ma!0Dq~g);=fnNFzVj&vNNctMiW^BTX@gGB%1FY|5zrb0s0=$ zf>kBXx&;Ux4X#rL!4Sl8$(SY{w@Gc8d>Zj1kl`sKyVh%?t5qtyt+c%X+ zGP3H^n!rpK*cl}s3N&hzQ?MtN_SATOa#nWN3JYyYN1%M3o{mE|Xn@Adnf@$90e2$p zfG#zC35vXf-YG?M52MSKK&e*xfbo}E6R@&m-fY-{#BrP68H>0==@Y#24v>iP6L9rE zX3>0h4n>|uZ%#vzUTFOlWW3~_`c7~3*%fqo8qlY_vjbJ#5-CE?mWUNiAA~=P$C0t< z@>~?DK-1fisZXjyFsb(?JFMwKs~!S>p2*~Gay=6+*+XY-jWw+_(HpGk3A75>xYbrR z(m@ZqEf3ZME10rU7l0=wI<*|JKPUSH>tcd&_-#m+6*?tB$GVXo7+#C`TvjcJ?w!V> z;oh4;e+RClVnFbCY&xPX;=Sl6>)UB;vV|RC@vO6(U$Z*udG_WM>I%&g+3_hbJzMm` zB_0p+?CC(hWaCn3z~#3DW+2v*LYzHD5h4v!h({y7A ze%!MzgY{4SX`m~ErEAEUa;WVWB#<}QB`hpnzI zEL#wVCR+#bxX^ol-|yX7()ZZ)c)GCNK{9YN?Z#&a)z%8Xe1$2rxutz5977A)iD~BU zR)DnV6DC|1`%0SYB`di`WrvPv!wYR0O@pl$ zoMdYF9eO zS7txz0S{7xuWc(gp*4?$#BOwfIzL8)by>aWXiI~S-yFe}4mMZG#)>~_==&YG&Z-v& zSHs?3!o{r+n0*)(&w=Qfmc8Vc;%Qd{wIPBs4aix86VdzD^|s(=RlfxXLZnse)WFt` zywbEO2=SxrjjqbI5OLU$u&ulFf!3_^k}UCq@DE%^J~jshm+{>$)G$rlsN!|%HK08+h$F0WB2wGoSO&cNH%ksY?}=k419JI_^I_IyxB>q?x+^G*lqqzl3IWQzbG zdHE^5tvYJCR4Ty#Ll2O7<#47N7Pd#rx8i;6qjE8rz-Xiq!U~)ao2=}L8k~Mz^nho$ zM@`h#vImx^R#Y1&WCYaPG|dZleyKdmG~ZskgBH|JrLRiqSb4CE>4XsiJ9b#jNpVQ= zeDA08L2G}Z;;y2P3)wz#+(x?Ksx44D#PHqDc7X+=8#0xdARLS9Q~wuW$f95j4Hk_uD3tLp zU@sAXS^-S4aIganJ60IL4g`t8rI^ZK zqWW?S_Zlp&$_p{#Aij(_c;tE4G}iGE3m9NkOoB}j`lj&#Q>VCEx2WO?ozP|fxAL!1_@xNMlfKSes@;xXC4B!Y9m%t+1MIZbG_N;)I@-8@|V)WoE-8M^Eg@PO5 z-%)@{1SjF+KFV*77{6l8NgQweCDE7)d%)DdTXABP0dR9yqfgXuR)~6FPsH)55ZP+# z&2srbdnfAK3+P>BqI|Awp1Jl*blQ95$ftoxNZl|%Ii*4RG7*_Ccx-ia zJ8UVxjogG9ZXugsMFEuYzMBYM(gQ6T?fTRpo<+l~U0K&b@60E})AFd2z4~B{F`s|e zxR86UttYzmw6B#{%Cu^K4J{=-gJC?1`p5C|SbmhCiz~6BOK$-HNN-vnQIN8)BG82V zU77yv4!SlR&2(tz*PD*N1U}m%dBVB)^2HFjpf7?&@euS*4PD%j%MC0O;%q&G3DR&4 zzn{!t3+-U!pIFpaTXVwwCA6pyh3?d}SM7ep7UW;Tcu6q|-GJ~1=()bfkH)Z95-;>O zKb#cWK}gE!j-H2U_#Rx!XKdB_>U?RY9VBSC(Tli{F~4yFBGuAEi0kUB^Bj*`vkjJM-Y~l#@*MBGXaHHQoQo?zh}>@z@9YL3 z=Ai4O3%INk9s>^7Q1!=%1g?fPG@wco1do;Hpw(YNWJ6)O`n8iS*EeLhzCt!B$7uK? zevIJEgsS91MABLfcNnVjuG9&88^C)JbvARbt1N+uqicCk!##FnBHaai6(O#ZV`|Iv zi$FTTf1})_8?MKY(m)5j_&&f!!n#j6|HqdHAz&n{f*48i$#40XRxdGWs8^YX4h;oB zd9rSg2Gdax2}AAQkHWOasF48gt{g<<{qHAX=cEYW*Kx*C)stc>CYID_$r>pIa|1bb z==>N?EE$9VA&0N#fiHUfNYq%3F28|{Z&Z(rA}YGO|8@}3A){(E<2lpOM@sZYt8LCEw<9QTY=hD~2mbxDeGn6)sDj_~Zr zRJd4aL`0eqXEK;*RbVe-59>iUJ**F;^>ch|*_F@=6QywrZv#S!))RcXX|<6~Q(|y1 z%(f-?GpzAR^osN@w*3fB7~8nw5>_>G1I=fnHp*SfKqPpKrg!4$Lw$$Cfm{VLe~wmt zC7iO-r(h3L-4g-RDV=LhN|YG43nq z4wjd;V|HGW_@uGF^bp5gR`&yuW>GG!5}h-}9b8BC22e7=UjgBJXsq>?WV%mH(n_Cd z)y~PvSEw}0ZKYp@iZvwNf3fa3_jHAyWb#jlcY<*&%w^LfP-l9CDd27dK37~;3+kEa zN=mSpEAW<^?gZ>N&=qSoC_9mDAh-rKY3M{?Ns`nVixUnyO(kh$0%%M|zRnrsa>iYu zPFHQBu#W5F{p6;gbc5tP9ZUqTZ*NeO(YXzU= z$tEpJh4B`tBW4F!X!NuF49v~Hp?zn_?bE(x4pJp>vI9HTQoG&uF&!A5!9TTNHY5;b zn`wWz(KIOsExLtIs((ivZze}z%IgkgyO{C+f5XfWSZ-GakewYMrZ zC%fruSLFb*CwN*M!akTp#lB&B>#hXn25|^%(8E81>O7Fn@k~tcRRp@ArVk>Z%az)W ziAT}2aW65zUs`gk+`Ky3^>MO!Hz8}v1`4+B>^%Y)1zI-~rL8V7207Yn>adKqDMLNT zbbA_iFZ&jBRi+!AVtwC2rqsTP9T0ckK}m;jFg;L>sBM{A#?NtZ;nfauQFgup(7FTQP;n#G{P+q3-X8 zy`J64wYuHC@q?rbm_=bTP>gJYRr~YGn%(C2&7`ch3OBJ0DUK;#J)jDkUwBLUI6ZtL z_IU2dlsW+SSOeg}abdP!is!2`-$ZVkFo>ti=w2t!tV6Z_oz^E5((%xY`sb{l*Wn!e zy7{e6WCM4LW2+HhgX!e+AJeJQ_sH~N)K)obZf`^@kM2jR)oHjiujK|~AD3^fnxTzX z+%>Jn0KQj^)wO=i_rMwA26n&0nN3pVm)UMvQYvQNBOSz-aZ%|{p1cnHq^8RFJa^3} zmCI1meD@SG7$3od#rrw23_@Tw)-x4Bfhh+EJAG{2`&>t1Xg$+idIBk{G|F(1J|u5t zOZ5V4!%wkOJ%wQ3;s(=Cv8(B6P?G4!I3sj_2l^rd2}hd2(Iq`SzX&Bj8rMo$iG zTSZf?ohpfK+e&P!ITm;ZZCeLA6@$%>4Iq7#O2PzIGTs=hg`koEHvOKU+7ZlbrY}X{306dGI-UTh)J+D{sRWx?SOPIgrpw~C6mdLcSGL}# zEYj&}rh2;Qi{BKn@-p)NN^DI7h3C8#Yr@k>mhBZPw- zyA2f|P#1rknrsF9w%u?WEKJ?>NcEFVGQ&_;c3h>{P^ATxN+f`kRdoh zYL5xu21awR`on>_!7rs7w1IQF%6b%9VUWheZoJQcI$Iy_Bt%%L1SxDhQV%}hT4!_* zt6EvOyBHvq)V#Rr^hEI&PLUF@xC$ZxzSD}Wpdg)M=~BLrn#))ZC(z8Z6E}S4s4#hU z>Xpk{Px7Fm7_1h=&_T{vaPvS`Xgln*J_5w6s~@`?U`hBGNOL>8dc`xJI7AcR^SNf5 z;c-o#1IeDV9n`g~as+YJ>St*8b6lG88nb&RXi*o@!7aSqRAp*i0wK!g@8h{_xg*BY z-$4tWezfMrH}tfw<;Z$*Gwf;y^5R-}(r-25a=7pN2|y077RGT4 zgkCT$33Fi&$hdwh5UdvBZ68i2sD;}0N@@+iNAjX!KCOMXc+!%s)>H)1wqc`^_umgPf*>S%`Kofosl>foj3J@lJ(B`Ib z8d>>1?KKML!;2q9yqIQ*)AuUeX<11Df_jKoknA4^*y6J*l2^LX!nn{LE%bc zliV91BAg}r+6Fe(7eX~iRT z60PBP(bX?}?g7%R+^d=KO2Gb16#eQi5NyaPpFHU*0M;Z(&Tee18!HXYioPZ{)=wN; zmuDyXj(_FXt8OkX+2^+Ri`aRuuE0*bkVfx-8d#!v_qhQ(zCA6P@DF)Cb!2)JkbZU( zvfVU&DdJ|rM6?z`c%g03tQW!G4jivn|0$mWiXrmxanHhmDX4N#H0stlN&dWSDt14m zlhtpYLS^02W9y@sC66-PQ-24h0Bn?vnrkox{~+%9J3v7Z0p+ z{NMfTe_Q;2RfqrS4*%`>t3&ATP&a-m#%fHYjw`QUhHa5ijMVbMgKV|sfyd z)Bo`f|NSpS1qrw=|3{hh{~cx06Td6~gq`?55q3!J*s=W^CrlVM=?|El6A$XmKRuvv zE&gnQ&h`9Z0NVM#)#k5t^4dUv$?X4DoBvyF{&h|Kzt!gdU#rc(f`g@T_CB2EDvBJN z2MB#=WZlHcqrJIxQzyfQ+{{`31|bL&q~WjAmcM<6>*BJs@b}#WjNeT_u1$*;{%!7! z88Kn}sQR1!n0U8f^OM;17rE`moeYhR?YNdZpxJt4WsT*59 zVSL?9-hP9E-X6JLzpPMW3eV{kB_Hz3^tt(Rc@V|ts`<&rAb&%0j@MV{XQ9G6^N;dgTJ29}mXA(ZPv1 z-rRgY?ha7I(c?Z<1#fM9u2=B^UCaY$LSaBJ`*O=HC|UN(vOgED%ApgJ6|bC^lLLGy z(TfztFS_tNG(mzyd%1kb)q`rD0>-Z)a1g*Ab4yG(S~5SUKpd+|C|>dA`9gPIt&{AF ztiXCz&5bl7eU2hWEJ&~V^UJ!{iJMyMNxdgtZmI6uQ7 zG=cjqS|3#@DBF%9df*uE)#rNiLO(?d4>D~tVckHY?CORzXYr{>^^ zxJBxKk-z*Sj1>Gi%Eg`VU;z8p738&a#U->6ZVE6Ir$M$+;rnG~I}Y*LdRbP=4rs)W zkjzZPJs|j2r{pl5aIutv;G92lmsYRj=P`GJq?;1q$#T?4x&|qnnRWz0IR1_NGIo)?TbE{oR?dv)dEby ze!3|7FC4!cveqK=u|BsTujs3*6;*S~NQ};(Q}#593f`yY20Mt!XoBr4eL;R+krk@v z%`GX=z=v9$8>7pY%hqe#3PDbI2X3Ihf^b1tWouD0*jb<(NpR^}>$=Qh=wOcD6IoY^tNV1gN$(~~eSR{L{B`?uuR}=Fs1&MxbV0HP^hfhzj zbk=qe?)m83^V5@y>|N8kS%UUZa(8==#A17i7JhL))Hk`8rPNZUed}c7-jT`*OCM(6 zsO`}jl|TIcg&9R_E&c5Mlf$u*%>$!{peohy+Xu(&9J8}}tEDn+ko|__D%Xo`f1e69 z^&|h72A_ADPncYHt%7Orle_7x*+X>j8Z#%*P#9= zQDf2Gg^@*@sJR^@rqofoBx78%w#y%1b?6xYC)H>V$Dm}CtnCKh?NAotDDzPw(>=?A zv`dy|^oK(Ov0&F}m*}8ejuz{?Sdc~24K7K<(SuWw>-&vSxn4(F9alTG#~+fttTms| zx;}dlB)bs)0MhFJ`tkl%uuouaVjoxv5v&9^=n?_T6UCBP9Wns6YCOCdc(d?MfVT$T zIsoL2N+|k*M!5O{sn6GPi?x4SO)XLKy{j*a{#vo9)c^A+6nYJxdG$}J>#mQk9zAGo z7p=C!;c(caP{*)iWSKuS!>tZq3P^e3rRHO5DQ8q+WGS-wP0;-E|f6XwP_j)vE$?z zJ5JQv2^>byMiv4kwrm+S$`Zq@SaA!yR;++xnlytp`lE@siw3UIx<1+Z_f})dOKL|< z{-fDGWXx+A*PEN6*`D8Ywb}kt68|sq`PXLa&vpB2JOCanM*3*0K@0s`>%6An-u~y9 z(En@e{O3_9wjQ5pyEZ10(J<(t8O}5eBjS&7ad>$KEGkz=h8>P}#0Ah_1s%8X;AiTfpD^ccS{MWT{>N8yjl` zw)#KtPRVGaNe_&tfCa|wF^YeHC-S*`qkqtK;`)w2nH{A`pFFyL{7up&#Jrvy<>RiO z47&@iZ#>j=JY>Q~sqAgnsqDqGQ7U`&CZwyM+*kvDC%L=fax@+ywP-ISsrR6o3D+6z zOTI$D+4?o!^A9@vng2m&&kxZ{?`X!=1n1cvO}xt1*iaovL;Sqjsc8VAW{(oK);9vQ zE-A64U&V796|y1~k~G=Ey+i?GzI1*XQw=b3Rkd6vX9B8+v@86nv!A$(jIjCfr@?~| zpb!3AzPK0dTo~f2r{(ZVjANL^wwmw*%o4r;f=sbOrr?pb$`T!p0{TV?K#8JQv~qIb zW<+OigsjHZ#t%gW)i2w{m0AA80d~*AW@AnOqT2g2pBu|Cu_*M}gZQ%*(D291aS3knot9BrFkm-+?0@4@`iUXp| zK&88YNvN1H0Z>tBXbkg&?PYEQ;h72blkii49+>OT3>8DcI>yKWo;yz2poPXT-m8SP z!6F^#A5MQ?Tn156;HF`kN}2WtxE|bXTz9;Zxr@J1tfD)C&v60N6N|p-fVFGJ*~^zB zZmzp;aT&gWB;fGy!I-xJ)=ZaZD>G-9dB9S+6riK8ng>G%Q7{%~)=eNC3w!xGtT6Di zm@37I`Lw`F#AI_nGL`7i)?dWZgDJX^6Z&q%<_c3SZ={|c`X~Z25dKUoJ&G;-f{L9u zg_{i&VYXr>j=zz+pIF*|aP8A`$f92kl`x-f}$mV921|C7uIt|lf!Juhfq)kZdr(2H9 zALxyvkK$4b1P}I$Gt%bu5RHk4C=}@dc$pm*rw@)D%k)DXnI2hxKL)--xV0x;UKAH(G5001m)U(s_J7@sf$0z}*FC#lvxsDZBwvZ_J9G z%(i8#(9;#@k#(!c{Wf{uEjAAwLLX?V5Kr5N;Tg94;M;g3L=|%%(!Rw`-Q>}I`-(qd zw(l^e1}BC#BF1{Ex~L5CRGn?$>a0Jqwx4|M;`fV&plM_z&gUaLQ@AFG&R4!cw)MD@ z2I_sa<}~RJ*fRheGk$p7ia*hK>*|yLu!jSyY)J-cu_sFQ;>LPlv1A7rjQK#JJD+zL z|($-c~Y_YW!>)zUGtF1nE(N?=^``*F!dHQ{?=e@4q?|T3J+5%Z7 zGn1LK-S_=j=nIXrNe_6^$zw#8jOz_#Bg(~<9w!6d>LthZbs1@e!GbTd)UHD!FC%*`YhZmKxAI1-V=8H)qR ztcV(&8AI99j}BPA@Q&R`vX zge+rytm}8_CwkKItHAZo$Sye4PH)9%bO9^@}2Pt(ituSHH*{v94;0r z)8s&Ap>6{ONAG(y+cuBU7{&!T7ELoJB94;Cw|~lv4tm2K1^6@Ehrf)wYtuRBW~7kEjJ~643`eptOzAshh*mlykne55dV9Q}sf;xn zmAZGRAymn9ho02k-;>4@Eq#ld1LE-T#EHSu6eLZyqO9htilSouOf~6einA{WGR1<= zX(H{%X_@V8dnJqk9k^(Ih$#X``6pfdJ4(|MfSpiK({`>`-S*1+sQw{!o}g?R!+lKc z&=ERvn#`k|rgAUO=s;;eqkWbpJRiT=cu+;h@)~9+j4+x0Q3ihcuZXRExw@?-x9Ow0 zEw$NF7cv_9b-LZ&HW&)N3z2ytBW)B8$0HERVymd>tm_e3il>lSy30zM>JGDZQ{%38 z4`Y?zFg#7Vj%Lk?W@hO#f*2OQCd@c=2Gc$rsiXQ96}#$k9r{ZuA<=!>`#RH&tf=e( zda-uf=Nf;eX zJMar&8&fYBw<}V-h^$7T-!9YED~+h9i)qD&z*wy1?9r+EkHaEBea$ z#PasB3ACdKgif^LYyZt3ggcX4oX=4R^I)oC@2opE7e|t~ z(PSNsg{zWDqG6HvJ=raW@_WTl(!ZW6VHNKAx(!a#omBh2YW|FI*mno$KZzjIu!C+- zXC$4XQ^3*7CXRc%No`FEVRdR~mJRR|Km7`328g$qfrekTcr%zTLwgZ{u6_1*VDhen z*1GZm5LciXiH+aGuvpNBTH||tYa~1 zw3$=Ib*4x$n7%A>O{eS~0z9C4^tP>q41#q>HpdqEr>EhZrtv*;W#|wb!c5`J%%p4y zz?B8Ow(g1Q^hmr`drK!f33(6J5m%JOP0UAvAPyrzI1S{hmhd6sFnEK#q!wa@ zJbp5b7Xsmuc^ zT$ELMp7!v$lNTfBDy2B=$tm)RLe8Gkp>Z2CwPgY6Zl0~pG}szV`{A|)IJPnw;4;&~ z{OSJF^%e2r2#zXK6zxtxe-i|zuIe+eLCNEUZVdPhp(g2|h- zFZ9gOWJZh=0W8^(d-8`^tRI=9J7|}q2 zj%nBp@%Db$+=(Rx*KLlK$zvH?1fyoCHIM%h;lxv?CjFai? zs)LNnypAIrHSSr0Yd{M86KOLOg^TPk=@t+>hy~%j9MP^yB?VW*#jJo zfjEGvDm%agTU{Nw2{6`Y97Wt1RE}riY&wz8C$sn(V4bEI5T7i+4{Sn(e92H61OnJX zLd9HAMh;ss%Uc4znN7z8t@CXKu)vT?$iph3xQjK2`x19?9+eiy5Ad*sYQritQAXBra9 z*$>03H~^&c!*P*ZhKxHR@c`V%`5e;Khi4Xx&)Gn&@MfdJS1wV^;?WAZ)ABT8vv%B!*{obAovd?Z#`IiHO-`xW(3XG-C}-=OSquEdKkzVqhiCtKB1dz0R2; zHWeLqh9m8-N(lCYpx#77%$OBC$$CU)h+p%oaA)yb!+|)EN811ZTvfrY(b;Z)(8mWa}&^3~*C#|rKyUUq$Tu`MAy1b~O`>n?Wu-+)t(W&Yb2<5bG zIW!hOV|-PNS5&SxM$DGILVHuCOL(;lq?NyjQ;zFnsjZL~n z-%Xs)bDFw&Hk*?{_|nm)rpWy-XpgW$BpuC(%nex1$wB0MZW?r^1`a0EO?@hcp(5R& zU^0QqW@9jGi2^1{qt=^(yOzY>?M7VM9eP;Qsbw``HlY-@P9jG@)E4g~N0XxH2#%9@ zw0=d3ZytUlK0$k{gFH2$;;M9l3}lxo%XSbud54RpV|BkUnd6!Jyn}=h2kl9If=I?A zMWgxh`b6vUpr-JOQx%8s>-ar^+jyz+E#4xAvu|qn@QaK2u!_Cn6e#RkKBbd!EI4ax zg>ig6w(w&Go$jSz{_Vyc;tc#5&BFrBu{c;L83uIY{-a2xEDBUfWrY9H1r$$8;B;Poa+TMYGO7bRq0=q-IGhOO)E?@nu99ZIg3%o za17&~PNkCagjC@O>C9v}iY1$)jX$S@pGT{XEw4iRU#;?TY~?)j&QMU|YA|{~rb+v| z(4?BB+Fh{95M;;%RD|$cr6cicBrjv|GxVaRm_DD}5P)ZxG+Zf!?YOr>j$*%uv^053 zW(YHv4KR6(ZE+^fzxx*MbGt&@#_-4o^V0bzQcD~AKup(&A?o4+xn8~-G-3?<6I0b0 z*5VaZ`jzVI?^<7?I4&^*48g%id4Y3I0O^z173Fp#4%b-kG{T5EBoXVYLa8RD3E6kU zcC=&eYgA(|M~O8ESk7G_7X`I#kk$|%ztpKJqUW3q8D ztr90VMsXS79pV(Ud^9-?Vplt*-`xF--BcABWId?Jj1)W54>$*-ne_==bR=}gb9g-& zOv)PvO2M8%sN}mua9_{K+K0yffygu=7lz2%ll%Y}xfjCd8K;o%SbvUUyQhNkx;9fS zA11YB`gmo^4HXj}zrwgv1>K>F%QAkU###KtyB{@to_Q=e3(?eCJxOBIB2BL~*9i_i zXtK;9Mn>yapfmb|K_JPKuv%Xj?ClC8$RBNuF_^o~_h^6lvi`w9ygkk}m^y9(4w z*DGSECnl5*K!>efJP&=_E>8k6`sgnL3&mgxJc&5IWFU7m{d0 zWE49);=u{)VF({+a{O0bJv%8(x1(dxLtPU?`nXnWP2doMh~(@8=};-PvIk9b*>rhI zau@UzjcL&&LEq33#2JWW)C8kqJE%2$Kn6NKW6qMy#6<|lr|(ATNpI@wS>tHl65$x? zexDziKEpnk6a_LdQU~lZOp76%bia$tIC+u8=Bs?Ue6d#0(8GKvlb|h$g_Kp5t&aO(yM5ZtG>x_6PD3jqvgDA zf*5~lMLh8^YBHBoqsgordK%N)ag=%?(2a)$<``)kiAcHIgTAK!Es?aB7Y9%Sup)4& zB^z(F47~UgvjxK0AWxlzd@c705SN!N=bk*|e z=!;LZpK>F2B5uIdY2<59M?^ds9g$_i>MYzipKrEWsBi+euVAg4s4XXPHA>uvY*UO| zHQbeiSb7B=a;`E}hTBiIS@EMm(4_C?SjfzzV}nlP{uN@RZX8>?gXw|N3~hQ-Bd@{j znU%2e9>r@a9lF~r$+Y(f)SnLJcH!NG`gVa(L{<7dZ;v1PyFY{x<-mL!qF zEQnHHgjt>4NWJ;^c_QJ_rXTMPvgi~!U=gT5_ndEFQfhw#({0wdO1?l|poBH^w?`U! z`_~?1UGnof$HKc0VJY$&{PcBBGB>WrKgb)AajjD1nU)kC!3VI-GzStQG8w{$;3Ctf zyq53EU&po7#D~z6wJo@#=N!SEb>$qWdxMbZG@M}SoMS-p%2@miIlw>5AKpSd)0r2#bkkL42GEo{1w=@dF_{4u7lIt2Atv(Rl-JuiV`!su$rEBBIl7aT?YCer@%gYC$H16Q&!ANW(m3V;m84F)WU^&W{ zC)Oi;T30CIpGeK3`5`2aI_XSXB4u;m05%)H2AATZk*iVmK^#raVw*TAu@U7=LYB7` za)EW8O?!zNSE{s`O6yjJ3HCmMq2p0t6RTUOY>hmME})ZUUGSznw@R0#*7}s5_Y<->XuIj58acYhSwY*$mma~x77Oaq;=&lCfMk3zrBYMiN-?ke2QIGAw$r|;G#9t?B^o<3_4gqr#45vEN!GziuTxu1$q(LxM0CE5u&M3_KGrf8 z)IlbpC7v}Q#{McpeNff7LkG7Li`9JiZ1}N zY%S3E}AB_C>oJJyNyFM6V|@oT!Lh(ByN%w)iN zA{0G332MiarSZY?bSP{Xj%i&l8P8~4?U+Sel=o+#eI||wTrtFG<488o`ZKQVDr!|T zbR=(JhVjA4!;xu&X$jvRr{JsB*AmHm?^*4=bdoB65XiWBiEM{b93F_|dW$EvJt&wa zku;#uk@0*2`2d`}@Om`C`gmCSAj3L~zLSd6toUg}is5w?{kEYUQwFt|ZMi820?;M> zVDap9{bs$%m3&Hp#_H~!7@I>}@qiwznrAyV#xU_9H>ot?wW z(86@d8(BI`8jGU<07(`ptN|YyRqYff$WL3 zLL6A`P<7E9nywwo;jv7_(JqD)m zLLYH%#~>OFB`3a$aN?xH4`4G0J;5|SJw7aQuTSvN6`==ds@U$b$ z*V>dJp8J7h=-oe!FKg-`G#5Q8g>!4*h$VLq6*ZeS@ml*8tSt&k-zg@QYj87t?5Y>r zoBMKPr2B(%?{iSy_=5f|%V6+)bTI>r$NW72(i{oYi4&Bc@qwDQ^#*KVqzWon9({9fAieEvHmNnAb zznVYO-@NkZ2#!kM;65-Zh*k5}?hGy0Ph~vCLzq#SYgjSZUzyJ3@9S(TFkyerJ00hO zW;GF5122}7=S{oCTjVv9SLDe;I$6}=0)^~M7~rLj{x7|eD>noZuZ~Rb= zw-Oy~t{IF?$x19%RQKaLSxYS>-6wF9@CCL8Q2m?Jsu^nAcBzAw8ewK!uf%2xf1SBFW*aKnIidE(>mHbQ+1_G5O zB#2D)b;5NtM39LmX^k<3;>v^#qy@qnmuch8v^{Ea%pC#WFV?ipysa1BVRs;sefK|Z5Qu$`C$xZcX#Ts1eMc)jil3YH3z#P%hRwY*vIbEHG0+RigE17S zgl};({*+!$n8JsXe1+UT^OAQ!W=iF8)5p?qVx!Mi_K@y@Qwi=1j9-hxta~xYdsGnl z3KECM?^z#jpp*SgMR_#B6-;nKiD{>OD5iJxSArng96G}g8iF@L z%>%wzChMzE$UkJq=ngvZq4f3)m-({`nDvRTA|Ymh1wqCzHvt=JviK}_0#1UZXEa$If2Fpa zIE;_?DsI1H=o(7b;84q_OtAiOJFD)f^4xW1jH|5TOW5 zJQp#!>@O)qgIHyp+>3KNyvL=BxtlQ8wDXvkSV0=* z=p2%l9YR^YA4uBgo`%V&GvI0VvR?%2UsjR4N4v7e;d;IsW}JgiZiPiF?0|AU*g;0% zBFLFo$7oX$kgc!~(iPe6pY8^*wMtVntq^$WM}>UBdO2GAsXBLyUK5e+1dAS=3-u*Q zKO5re=HAx#!V0(d$5qLj5c6D$tQGrcL&6|8HB){e0QXnO9g_Q)%vo7DicX%i-Ss|N zfA$+wQqnwkWb-}}k$fM!_7EXqgB*g~IXsu}=;pJKGg5&dJI>70BXJpV@XJ~YBT$6i zqZLOw8$du%*pWEcUsf3c@SRejGZm7T1U5DbX;`*YH9CnubL7gsjT1l)0C#bJJYJ_x zeh>R}w=Gc9SJ8)MFOV{*uj3kfB@zeXNWQzUh@|Sxdif>JH3N)y@IqaD5b4bKWi*bL zP*3wJDC%98d{@ms8N7x`i9Ulo58+7KtM(i*=e0w7x=0Xp@h|GmYV>D#r>l+cJ`Ac5 zgwiCDUts~{nzn$Fo_HtSY+FyKGxwZb5w)e~-2GY#XE z-dd{8&kmB*39kWC|0Tj?3`F89kn>5zdtCRiT8v=kaYN|C+tcli01xPM4q#k%t(xyo ziiH!jgF+6p-cy>6H#}j=_n%Gp!O&Hea)Q$Rj73`#t{*O1w}k2%mDZu-NExl;CS)2$ z7LL%J2%+7?d}bdMtI|v&mrorgFQhQLf;3~>vlk7wDe>4P9V3l6=YG>3jXZ#Wm|ecJ zvD6rBN#72kd7Sb6P>5j~wA#_6LcZUIWM)p$%~XPViuqIR-5;8kCYuqvN$2Xt4blZ` zYG$$9dUzvs`^_sD_w%ksUPmY5G-nvHo|S}n<~!*sPSRM<&CSzF?>7e@}jQvGv=&T!2LN`b??1&&pM#MkC z5$5zlJAR6XJ^c=USM)d@xu^wyij!U!#*=mTZ$= zr)R*BAp|5hOcrPt6pZEk)ufLsA0$PR4QQu$8+JQffp5)8p}Pzbl9v?c4GkR+miK^+ERjl;KQ22&wO|b+Yd=uRT@++J^Ht4)>}2Aw zoU3|{$oMYswYGMzYvzN|EqvZ96K(`kM9LkaDg9& zTntEG|2ux9s~nY8G{)EAudP}E!BeBWrM}jUW&h6L1OKmMJl)6te7zX-F-KMMGpM(^jd|4&Z+zn?wb_um^nW#j+* z%^Bm0ros6Dbg=b{`uFnJW53?QzaLL7^PkCI@BFn3PtoLJum4j|5Ag4&aBlvM|NZ>0 zL-@Z&>sxRQeFgtOeg1Vj2K&#X_4>l4nc|xadL*sa_kY|hz<2(A#MV32y2F28=JM7L z{QV8#c&!gRv>xD}yKKE!aL4|>CjZ#W-!DBqYU?@u^OH}%8;sun%WwMs;5Ys8aM?ep zp3wLwmzF=J75wmtLig!A*!=jbWeW4Q1|SwVQSATr&Hwbz4{P$q| zf7UnuD+A@u@0h>UuOGjbw(_gElLXKdJ+>PK?Vh1(*!90%9{@=nD z(7xTmITUgz;|YB_rQwBi9tsC$s-p|b2>FtWP{>-Q173<<;ZFxgj?t-sxKWICp{)~x#PGm&7#QrQc1$CK zfao$H*w6Ry;qGex1ed#p*Gaz+J;Z~0fX&DEB>ij)Xe3_>Pb}Y)XznEZ6N|8pyA%vhWuCc+e|BubkSr7h zM;gGeY#ut|Fa8k#t9dB=3(mFy!tZ`|(a5#|*yNsxqq&{EtrYjb#g@TXpP%Hn>L^m-_DGW?F@M;);5tVau8Wil?#c}paAwI@5ITMCy0zcO zg=T+|Q;6gjz{MRWR4k>JL3E3Ow(FOo!3Dm}cqUZSynbLV3B5TldkGG$jz}Izxa+us z;}&De?O*ZkegzYWZ~3p?Lhc+B;Rvre`QRKQrQ~DY(sCWI%t%9qo=VcL(1S|uaDzdS zmV2-EdEaLMQU0z9@!5 z4mi9bOAHTg9SXA+ArO3%m9Xxxy+HYJ7Cr|QhNg2=n;3(df0ttr-6^dXXXCYs(#aLW za1~qLaLRkf2 zy+0LgBANyvd2?WG{{B7Qcfp`>dwM-Sia}z~G9|wgf`(+=r6!&D`o=3{CpX7|i zPmmmi9P{l4NIj(8q@+r?%>RqVVIu?%Em=;3k}JQcqDg04sNA~%M+rgTY{21W*wA{l+GTS0zZy}Upq4sF&4F*WV zX^Nva_|fhp-9bLDFg!ro3sCr^#P_iR_oMAkzjoE+5^|->p z1sARK?trRKSE|FA{A6gzRip4!F7EatfG1Q|)Lp&`;`u6w@(JHK2Dlf}0BIEG#lgu5$P^=S zTtfZtfR~{glKWyf?#6F7ST^7(49Bl!g7JqW6voF;T8fWBHhM$yG(@eCdre5^PCjj# zYYk=UysnDMKMfs%FjHy^BvRQG-!PwCHk-=;&~JRa(Id5Z)LbmK_;j4--qm%>O#vqc}avf~NTDW}2d>ki?#l1~Qco!hgO~WnS zaFnaS_Ki0mid%E?U0-J`48&pbKGmL4cxk*JEx1p67{0cd2*2VNFnF2W1cf*+u-L6hCQ*Z&2d6K++k9im$>KU(F2> zR?Bgie(W8~#p0c&SbPiuuc~+)Cm$q`rya-f^j2~b5U%7{=z-!jasYRe?UVi|*iY0v7}ID+rVjmEpZ4mMhaCB0F_^{0>Rlc^z-(ulH4bYlKF6O>Y)A4uai}Df)0b5-6=h5DCyus^NXF4d(#~*&mA2G$l!{Gf?ayKu z8BOIl6wA^|eSZKhNbn57RA-KJ11~w*k4zPUW4Ne>fLozoWH{cpPzi1L9 zw;Vk7+AfmLj(z)8SeLvIHGh`}y6CG&Hv_Qc7;=gJiZ$}4Hciu0o(-gjy*urz18?te zJ*-Kj&wE$%7Vkta*t`37q>KUea$6TyARvG1*fA{kCEJ~K=r6vCJ6&7^GkLTv*?A<8 zu+loRvL(~34#p8CwP7tQM&RjmBOY(O7c3g{YY}&<@!kCPsO7DuJ;~!y{(-i>?(RCW zD)(iOLR~6KZ|(2usZ>=A?{E*8Jb@tynyfvBs^GT7Kvz$a3rW*P+c4Vl?aq1` z68yAp{=ZP!N|Kc;6P6pETjQ;9$$Fd8;8Wrd$DC}D^(jk?lDj_IavMk5-T-CdqiJxj zdrC8io+jh0+!r8gJDZpi4s&BFPG&?SJf^xE9)vGT&yw%+x(4FTTpr|a2Xj9Iu_+IK z8o#xwQ938N@oE^p<6m$w*+$E|Ft0EHWHpY-R;N$QzE)A1{(6#>e;*IMhMh(hMj1;_ zKph}H70f^GB@|M#?G?CK030=`@?%5nz=K#FL<-4P>LLSp17YcGC|GuU^a(Za+lj|b ziSS4d#eRUzamEuW{5nXj~ zOaE-VZo9=h9Jr+(n^Oj85ZZ50nF+Bh5xJtXBBu)t z%2r%IER4O~&UlZ)4EA-yBB6Wk6#x81_mNb%+Wl!qkzd9jdHt%MUPJ#j#MJ ziDfku4D2mCqy|0=pTb=H9o-Xkp(ao|>t5kIVE-sEVT-#gL2qAV#%94)`<3ez674T% zer}t{@%*`x(@7Jht;Q3^yyMu^nL96b$M0KS7I@>MXmWC>rTjgygY*nOMmw;QTKj5b zew|+ET~^nk7Y0!?T}K9+UTXQ#bWbwKyRh=QvpyNwk?NUw~mAtW4kkW1R) zUarBw^BrIL4c6Hw1psAvh{UohmGSFfgMD1MdA%A|%8s6*4NqGdud(R&XW9C@hXMNK zK`t+W<>meZcy7bQggROP{1jL=OR^7DKLAmAeAjh*(lb(O(LGm^-HmnE!b)=V$JwDf z*uCoPPEK#z%E`WgING2LCeb8ZFJ}irPyQKPzbrr74lz4wO_sw=Q%D(pOjvxvm(Mxe zyDc&>1%Pqdj=!0Z2OV0wsgks(eQCAPAc!XL(_!MXEn>W0X1FzEmXLzKH%(()`|nVV zJS~tU@V`2}&}{0yv0a5U>sbWcysL&1b@RiUgwvXy;r3)b4iqyA6Z9o{VtnD(TJT~i z_PnjwldCHSYf-k1YSUUix#d2Na_r&?#A-v&pqyC5XYB_7sj+JaZ$NSS?h(RZfTg|! zkhG4~ZN-j;sU52S;5uMIy6h|9DgpDS`&8317Thy^r8cWL`6__lW|)347z8rTdxYco zIo>1Q`I&3D{oDsa*myf~=NT3RIqgW7sPsTJ{X`!8ig*yuWI6ujJ7JnZ^<_|dO9-IB zj`GIS-j((zfnb^0LGVG$THq_nojMv8*@Ar{a<`+CsJq4AP%mCBjI5F9aL)iF#${)~ z5ZIU2kaO;f2B*qxab2{kR70oOSF`~?hk6MNYIzwJZrlQ4omcPNrT}>ZZ#x=Qy$w9d zPYXO0>&A~%VB5$PEc8zBJi2Z%8@}k26^F`GXb0!U09d)4?r*P>&%kM+Fm*wKfG8;CT-lx&~za=aYX%z_`c`Pt76}5!maTgEaGbNWu zrm#S|2(^UhmSr>=8o9MR`Ad?L-VJa4iDx_ve+Uu## z`HR9GCx>F`4tC)0;+L8}uD+X`qj1FILT#f;Og5crnTd0xNLoxfmasU&aS}%ZC9!?} z=Li*>-?8Bsr~n(*Fv;-yh!Wcz8yOQWqZ_3|@{bT}Rqe8U#5nO2!O6|c`w-F2;8RpP zIcbhzin8V$w9*h5!$bMl>}xnScQ9}8`sVDV$MW|D;3hKsrp~d)ey$tan@iwzZwjt) z^$Tn=NZ@-f$(hI)Pl?&_8_pN*w0w_s#&?y(CM^aaJB|k3u_g9#0YtzT<6nT$$fs&~ z4|me_(6A_k(^0K0m-N1UkEW6Zj$W=_o`Z-+OXXfnq76&6*#a5txQMrd40mGoFqqy{ zezOaR?D^idP9&@$9xiJnO#uU$w`e3_=}0uN@$nYw!iRy02H5~pG-)C!`(Gm_h+3*$ zph}SlE%+|(KYA>(`N&v9Y7j8$#|b^W*T^>SRqjjgc3~^+%%@<{VT4LWPsX%A3L@X< zibm8<%Fc9+p*nBGoF!ODKg~`x87^t$xIkT@X5%yn*|aul{E};CU2pIqj~2UTPTB;1 zfUhzW>x&Yy0FQ2HDC@E#~p zwWTvMJiJ(rWqE4#2To`qd>2_=DNw&ws8z(ir6w;~S)KKp!E-kwDl(t`& zo2Nnsq)JVpg9dq<_#p+gO}gRJZZ?IDT8Jyd$E<2}3xzLLc=Y36ZS+JG1G6Er^aEEP zG4e`DTSIyHstUui_gfaXn~Stdq80?_ERhz!H80J$w8M$C_A7e?q(|G*?9^0q&f9F- z@OV{~`Nb*ct75jy(=LtOzA9xAU$>!DWvw4oTBRx8c|aAn=g1FB!}guhF7EL9ODRDy z4OdG0n)}{Zy-a>neWGv2w;u=e>oiN*S#4`tKKcXOh8^?!+0VQ*Iw>(5}~K1}=;Ie9+XYm>Ub* zf7tETxlw5emJL(c#Jf9RXS;uU>T$DWP5+*l zUpt`lj?RNTsl0D3+efNdVLt!r>d+qE(CwjJU+hqG+R@K(`@+BhZc`0a_H*av=8dS# z&CAa`zz-f#{-`EoRHaF$98+DFJ@n%ZW$Sd~F8-M5m~&u9-KG4A4Yw~1o6=;u9Q(_v z3rpjEd(|G+YuZKA(h)OOaKZMEqt}LxEN=;EGveZ%hIdEKuD##)ndhF6A*0$To#Ea} zVS4!Jarf6;iCr3h`by7f%4zCwa{b5V5i2Uc*q|93YyM!&s;g6a7p%^l-qu$$bo$l7 z2@ifalRjqD^!`bxVfE0+7j}@o9i+4N6+=tj+jh0^rLwQCj#YO-`Qx^&@Z=Z0{Ah}P zyj1t{HOKD86ZsSN9&0mfVsW!GVp7A^b)oTxz1xF(9ocxkf9RBg>KBXOd~oT-$?xE> zm!_Qbr4BC{DZINPZQ{X_$kKB|R=-sGK9jAVdN$$b$Z0LQ3Wsr*jeE1O5%+yC`x&Bq(+F2{dc{>8}7 z?;h8>Bfod|X0kpXG^YQUvKtHZ5%+zeTW0^*GI-0J@av18dG6jmU&V93Ke)VQZo4Nj z*M^}sv0G;cYL^VCXfuCW)O>0^a$}C#xpUKk&v!U8U7Ex(AK31X3JA`BdB~3;3%QIt zm!ApA8B$vrHafOVVc?`SwTpHhFI}(SJs_}e2U^=8Ef#0}A}x`Y&b+xKdfm8f&&6!p znc3lw*$+~eTK8^qk$IEL}Hz z^_N07aowVo#U03pD|>8ykd>1326Xx4KVp~0G@N=b-L83IbQ6E+NZW!{yV6hgkGrCb zzSS;(O)seS7^(_Zo7df3{*PLivZTy6bsA*GpH{>EwJJb&-)r9c!E%N9XfT-np$yyx zrP9^#SEq!7Q3%dbcj0}=1m=u-w2S1CS%4ye_h64Pu|aTLIFkRzeCMlwUg$R7;;A!y zrB5&O8$|ao(EP!daFri^0bBi-ulZjuG1YC9Iohffa%czK0hzo6tOQg=K#h%IvntU_FOf*u*$s} zb{b9E0I{!4lrJ=3E_^KK0Es}sB&|bq`s&bh&}M9IlU9xUg1pSLism*XLD9)b5>Nqr zFbY2xS-o~5YLf<^=|R?!rHbg)_#)_|obHwerwGb+&G7McsjJuGH|St>RcLxM?iq<; zpKv0_IY|M6b=kN%6eR7UO;yYrQJL`iM)=eroUevci2=Ql1EAUy*{@CX5_nmco)hiP zi8gKYf0p+I*-AOGCCBt@c)bK1<`8e?L@smA|(|`^=egtX1u;V?C_jvpf)}uhsYf}V^JwE7ppIAD< zCYr~gup6p@=Yw!Q>WGVRuHvJfP}qAM*zf z-gB^_>R`j6==6x9z7bb5&YLF{#HGW7VH5fedok_BgVpCfhy4Fvx^{j@%z2Ob{FRIs zVf%yCRjJpi;N#JgRv&E8ro%SZRv*OfsPmW1@V~a`Pn@8*bPc!JYEB=vG40EalWuja z-V;9wHaqXhh}f70hk*TPi(*#8PEs>q&p2M~Nj!fE8x%X9;8ltj58^T51#y#hq#jz0 zccN;%Z~*MulMw_WquQ(2{0F(}Ka_db&;I73`b+#@k=+lpKLT{;G`h!a;TD)zK7i)( z!u{6f;=g}T-2FeeN&j`+Socy}{=<9!(K=lAVc_vn7=rzFEdJHDUr=x!BW8p6bL`(5h0`ga_I*2dXry=CvtgT{*jsFot zjBms;IqO-p>9kR>MBMh1^aD_fF{8YhXe8s5Po(jdfDkZp-R{Uxg2gz7C592L=I*r z7oW2WaTk$;%tM{&JV_@UO&+yWQYAXP&Q~IM6t77QaG>IQnVYY9?LLEe=wa->((v;fd{Zh%Z$mw`& zzZ1yVgoWZhIO)TXCC>gDIb8`Q`1H|A~al~V# z@>jT39r4@TsyJF=yNQ>}(X9%JS9{n#uPBZD3#%}V#@{~coQ`bAa6BraaZ0Gc3+uAm z;?Y?02a72mVJ_01fTSkr8zMr9J!@~<2Ytxuq;UBM^q@D5P70F(`K7lrvpbX0ghH$_ z9kKL=bKhJOONT>N?m=Pp=&Kp&`m-6dBmZ&YCu(Ok)$`Go7T>F2r$Vm!Z^ewhI| z%#!_^$V+mqlC$NkMV(JuWcLz zp2CaWQA)pLV%H!RQmAu~7wT`$yHKMAZ_#5*yfggTiF@YDOWL4rP8e6gMo+BPCMo%z z&Xvf!5WM;*_W2#ocO%~f7<0uvhToJnQw~TxnY{CpCM5qq?EQOq6IItfj_;jhAUn-W zv(rwRNt=*_CT#*4nrSm_0}Z6mLJKW4&_XLM1Sn9TKnn%RIbcChkb)qffJO1ZK}AJH z4q6p_5K&Q4@CYg@o*q#VPw00ACJJihPmuite&Tvy2?Gqd;F=e5^f>%PyhQWZv( z!lXbdlETQGil!Xl=@O?Db5!wA*s?!X=;QoAO}hz6ayc$(2A*k5$|@kTqrYG|y)pb< zj>hu|{8S{xU^>-tJUqhbJeG7EVN zHWAjcTJL;FgVIfT8UVs^{t-vlQ>%BmvsQz$8fR2_5Xxkq5_~x?1Qwud*?C_)$`D2Y zEik=5l#5o*M#46fGyIx0>yJvweMWu#WhNeFl4IZ#;^<yb3mcMlUTm1XQYk^%;>Xz8hYg%* zU;c#nwxaY|0M-ycQA`AA(!@&4H=QbE|(?tY``eWSbv*@i?>N%a$XIUU(bFL^m}KN{uFkZmALQ3H^z#PV^H^qAH*fC}Pa zWGmv0a+M7#z?rJa`;bcVt62W2oiia}-SY)$Fr`~&sP%ENwtGCObeV4>?+y%5NfAu@ zGY@zx$XQyr+wIutE2KwgYGXHYw@UKUy9GDx43L`q&BD(#rD_|ZPck+9lb+i_56XsM zXPUu$$sdrvLdEU$?tQG`83B0Z`6=L`L!YQ>Ky*HS0(D-tnyXGSw6g>KvG{>WN>?5o zB*NBlB5eSk_-WZUBkAk~s9V#d6n=_npV=jb8>D8KR#oz!?f6&o;s65`j!u0>QXZZU zL8;!Yq=WP+Q+x=iU6td-5@7eVKhh=tg=F@WIXT3;NFzO~-(&{dyBxc0j!ehT11qSb z5AOhfF^Bt&4sO{(WztXLb6`y0y1yTwVTS!E zr`B)To*=)~&fU!@4Q&^8pFJo>R8peSVl%FzfhS`H6G}gNL5Qm!K&z#>sO4$kmtEg3 z979e1EX|pDHEN++|5HaQSJDZrf7uCKDal8iD(FGWj@L{sdOeRGwzfqHz z*k0;x%J(bS9M4hb_gZ~@3O_(PnJ9Kp%HOlm|0gK7oVP#CN#7v-JUtBRV=$e$K=D`% zp?q2JxdiD)z^DIKWa|}f;;pVOC3D?x>FS2L95DZCV%%HxwiMNRBu`DQ9m)D&@%HtW z595}RcyZli)2}i7;?iI7r~_lEyY?=5n6;$Oyz%k9HF*YLt#gf&Z(%9c}oz8b^Vobf% zOfs5i*GsuNg3nt%A$(u#;|s&Ps9h+4Asc=ce4iIqIZ$vBoPjOm2-)!k`7?YJHVDE* zaXx8180?KZ;YH%jYC2S32a9X=a_Lz$bpx;-E@u4sFJt#XO#w0u?!@=@b#tiL{JC&6 zeWGO=`q2NBTHdIzz1F}Pc4g3yoV`2LyhDt(C--fUYOwS~%ubE-saU)`O1V85*$$eA zz?hJl)s~;T{L-TTftb6>t*RYQdL<##U97eoOC%pV=O%_c=$Fx?OYs-TZZOOQEoV(} zFXTH={}9@ri`MT)2L~fABf8jUsEdrW4`?urz5uJ(x!6@I0$J1T8d^BF69&w~lCNn_ zNe=YTO1Ym6`Fy*nTUg?L$*do!Y1vxmr~ByG(7#dL>XwQ6d$lxBvXfvJo(mZkwfw1i zB1X<^PnMHDrU`L$-Py**)hJ!8QOM&ll6;(VRg$wl&fU_XEZz*h)St@B)vab~I!no; zrUZ84qsTOZl=ro%`2H56CH7xF;dx*ry_G7LxCmPICMJd#c%6#kOvy~X($arOdTs@!k+h`{K25%dAi z1MW|V-L0+4L++L&`2(asr=hL#d%%QM^f5cVt?OLh3ax|b(-{w53kwc2+_@+%>QPwH_Uz*o_7|<)HJ%E6=Yx71VbmP;@ zc41f7Pzv4*pt~dIX25QnO!t3fXO~H33g6_iMeqaP6zYxKd7d&GS}+z>J|M4D`A1rc zXDXyg3irox6=|4snRyhsa>dk+cz5ybU*q`^K11*XhZ9}F>2}4cJwzo)pC!| zxr|uq4X#g7R;gZ6wWqJ^gPP{g&MS>P;uAw_+wrA<=*0VryDRzZalMIr zff4%i-O75Xq!6kcy7MSskljPSLCvkz$V9C_kV(5Zdn6Qth4T*C7z1l3EvQ9LQL0t>H^o{wJ;|217~yQ-oMK(5ay>Zj zOhfX+$iF|f?km6_dtC!?o6g}xJc+o&nz|FfgD$?Lk#clg7oJMoTXFRrHLDf7t4hB0 z9x^A|Cs@t#dG7)Dm&{`Q1fF(~7huZ=Mweh72u?W}a(ArX#2@V;okvndJNz^F!s++$ zG|R8YM`skxqIEu0`rrY%vKEh~{itYp!B!sf4j`X9OQ>`K*TukAqQB7FH(Q9S2Ngf} zFDibX+_KTrPy!g1E|)YNdpqQrBCoNTAOgnqIf%a_1W3|%pjD<{c}tSoG{Zp4oHxZv zvlX!E=O4~XqlG(vAblfuS#C+RtfR!lea@HsF1=xl42Es}T(oSUZ}N@<&N$1yXP8wq zzhp0IjEocK5qc-M;U0G^qIn)Wb%p?{v&Kjzp&WKQ;*S`;XPRX6oR^Ha)yx_pI{Ij9 zA}g?4U`m_K8s+UO+bmXSW{6~))tm#0VWb-@k{@Glf40Q)82>&05yX5Ho9;Al6BD@o zR{Ix*i#WoZm_QceFKI{n_qjluf`7yv^|l0|kN92!{`9i`bdm+h zg$f%lbl?Ws4V5-=5wdkCPDZdQwVnoF3PUbjd>MTTmMIqn3=2Kdkc0Y;NrJWPL3H3b zz{GNlus0762`VCr*5}T|_W_DlpxI`AjU^7orS`i;#F6 zp(&%*m_Y9V$hCg@aU6fg&J-};2JTi%xuAdQ zPuhaTLW_Q03hnP+Xyh{ji(~lPg!gIp&{X80!D&J^JGD3yxtsM>05NpL_A#2ZUBTaX>ka4a3j zJ`T&sR%sCOzR&EU>0Yp=j>|yIc;I3D48i_<9ip|&4=r!dI*1#ffzUSOH?wG^X`Gfj zspb>|xP6_!sU&-Y;OxUC4i=Bw_4jJ*I!!c0*}lgPnu#SDK)r*N;2CEC`UOMR{-jHQ)RjpYkjr9RU(KNdmu}TiK+NOya|{g5|9FY9AJ*K*Z=7VY5Ju<;ES?ijNyhjJP0e#w~MsJt~(%@&@1&4DDXQ&J{WCVNXJ5XIN zpJL18Q*t*cgU2B5XQ(hCw>Jvbm|gBsUBKfU;>9|_?s4u&GM3*ETn<{F{ctS)jZc9% z4p7MifC}M5-gUb_2;a(NkmPz9{nD3_TVBKyS-%@s)3@~#S=V8w-YCsR&HA7fm6*QN z;6W{^{1+`o{tNG$*lt?om7Z34Utz75@q{e$9>(U~-67gTTEHS%YC-&Z`?y$u?e)He zd10S8o$(%K>|n9>?^jAyD);?nrwd`9G@qX;?MLBJyh(fxwZN1sC#X!L3g^y6PFokLxxIYaQGPD+mi=WO zRs{b8Cd+uMJ1tpGgaaL?)#^NNlVY(!;9LcaNMDgxK*)1cWH&tU<>?r;Vk$npuL+&EIG#~3Xt0VrRU96c7XdLNiE>*%@BTZ45$I}C} zKjia640o&gbUU_D=tMox%sF!m%VOEgqC`H!JziG@8^gX~HTuqUC?-;S`j=c?VA)>A zyn3JE&MeoH;qP&G?&)mjY#yhbn{GRv-x29YYWd^{0ieR@I&!uHu~dvf;r&8S!6813 zqPFZK;*SW0#bY_1x5;rZN$zg4Xbi+bFK|vlNDcv;SGIYLSd)M+1e@@F^D5y5Hst;M z#GS$3sxq}o2T`{@WbZ1nnrHzT^kL^{K-HTAh>S5lQg5Uh{Ghl<9iuj7q9;Lan z+z!_roOmxX=OBseYG5yfYLNN0gYaL@0{CzBA2n!N^s}l4$xMp$r_wY}?cI1{iut*~ zhK_>6JUhHu+!iZsR7M_mzZ5G?iRGrM%}Me;rD>Yl^#;l|J*+vgnA=bMIcScX+Yw_K z5G&n|^bf+`Sz3lpzYgpEt?2X{k^OaZoH;hKsWHPcB_?1*^6B)DRt3{bU_W|}RZQnhq}-T1tCQY+ua($d|FZN0W6(htdtC8^GD)LR~FMjve{1xMSo|A6BbA>a``w+r{3=yL;F(2Lbw!X%&Ybhb6FY zyjYIIJL#SLPjEP=|3VFO?4;>|w~+ozHBRD=ayfCfUiODM{f}zu@bg&zl8z<`E#e-m zPZwxMK1u{;ny)E38cM_-HGWX&mGg&vq=3iaXT{eLsVzB^UB3k!mGNNnpFkw*o~UQM zb*pT5n0>ebu$%OidiITVBi#3?BUw%BaRm1hj_VK3#+dEld|O}D7uDXqdwEMWn(6l^ z$$x6xLpiBiyYO;LoLWw57j8QGmFYH0T3X)%)w&-jaJ&FkEN~GH-@fzhZ_bnc;c-;R zl>zrB0pQ7(yhO51;dt+v`~u#-k8_(-9dFT){|SaWoY1n%t7CtnVaq#e0I=Ee1QqdK z_QYs7scKK>d2*;&+=^OWLz44kfbN8T&J?dkMIGclOx_%EJ971}Pg-^aW-II*^byd7KLU#6a%j@{#m#)L^se!m5@Zb7r_F zCy@c(**MkSJBc=uj#Ae+FfFJoLR?A5b+hD%&Sk;FVdbprLCS4A@Xt624u^8@MUhH~ zm0DAO1Vu^&H~*TL(k{{rT7PZ>iYydTD`SCDtx4*Dq??$ttH@*d8cn1O2k10m8zYsz zdTt{`kQ$Xa)PcO$Z%K(C;^vA6}+r3~rZ3=*o9$`O=1QMF7x~bz9=d$MTB|s_}oPKJ+?q zn>GgNC#@e4LFg$bTj@8Bw6jhbELmIKW8zF;m>eAWz?=jK;P%Y`#pg^(belEIG;Rp{hLWuT@yq z>RfX0JKtvM798~X2Gl)4e8CJc8?#yT*~ZtnVMG{4^Jr?e3}+jB?UK>dx$e8w1>T)P z2`t^SP@RdXq8Z;{-dk9ttNh6E8tv-c!gu3G*vmXZ+?JKT3i>APD*Xog2IeH6?tPF? z=eLG(0GrC)6cVP;Tw#OxV|PalAQSjpv^${An)byAn;ZfDsJDATFLUvN6Ub|`4N}SN zdS6`bw{EJuURB2D0SCEKs28|mJ9h9;m%hi)Ol zDL*U7@1s-M4U2)$N&iXA#U0p)-&453MDWQ7>(2l+OFKF!^dYuadx~__5i(-)RIv3s zm&UF8#B#IAl_;*)ucLG7wsiLqZ+E)FsSFBXOIH&ccJC|H;gqd{34{ z*>!HVPl^{hj0>wO9!KV4A*Q%aIqfDits8QC%MU(@9)|1ANO~c<`}$V=f=VNkEq&CU zc_yWnGf}Q5o8K>n`#wfLo^#*JVbPwbjf}w#`*GHJn3GZwm#zzYFoYiANr5aOd*kVQ z_)e;c)s~aDF}H?lwfgxa*ucx+rz3mwg>lH|9BvYL_jK*)6Z{}yDSnYzk`Fj=fu^tC`tEcY@Dd$cLaiH6~51ZxnD40ptn;sx!y>yRJC~KN+*~2fHPSUtVEciowf?7vW zfjg^(&ed9De>etk15GCkq)H}?dx1-O0_k(~d@-)|--o$HdfqCM_QxjVyujY%tu62B zP?=pvpQ7%3zoB}PcMO?9J;gs@IV(||gLk|m#Oa&0;XBPMXqb)^pFwO8B8h_XV+EdD zz~CAYyrtuXIRAJB`h17Qyh=WYTi`IyQ$uScO|tEPcQ~=N&~sIQpdfeD1&+lAzvQ#v zph8Ruf(?hqTk^}ZqHK_sGGw9ra z*xjPVlYMEv<@ghQWGqu={+Rof&Rqe{16&dCYwxg?b?0n5O|#kjG)=>L02d8@8mVBj zj-IEhrEScG02pALwm9D`zh5F#$Pm)AAAj z4;obA5rYqM|FQ*7$>Y;ajat}(yN8=aN5`E3)4kcw*J1$8tfU-|V~XsL*+}M`cIC9; z3q~@}0~3XBEgnZw@jHP{Sg6jK;P}NhL58#Uc?$1#*cW-fv^|A3nZ6MGXK{(ux!YxF z))A9!z`4hZ<`a`Qk1ZL|s=#yXonzSC{M{(H40XRS!yVz=KPFl-O=Lld&fIzRJC1v# z<0_JI^b>PNpnH3W>z@i1JjvA_|L*UITKX6^_uW}Q>bT7WVrC2C>_uv6lU91yZpeut zp>>l=S20sW7Z&#Nm6lm*V5gExvHVec&Ti(WYTVo6;K_h@^^9j@eJ5Awd| z;sHowIy(Kbt$>ZP4L zKz&1z^iupoJMpk=RsLW_52E0e5N0@l}>Jt26foc>ughW%e98L91{x$27jRG zaKsz@vh@LKv4BlvRsP@+_Cb`Ui;tyq{0T{8 z5$#%j;KJ*9uj2-sTL#-pOt!1PL%3~jorvR&=%;jauDb>zO>3WRq+ zKQ3D1RXHcJ7P}?ig!H$YiW5*ne1Ig$Q&7>r;c!C!83UgNKQuCDSC#OUw=>KJ1|cA= zbJLLk2Q0N%`N>;u$p^MlHvyYW9jYIPnwJqAC_q)K(EWoDz$(hxsBfknL1?NNhmXd5 zu=C@W5#X`!AEBVjxo#XvF&!Hooa)R}I}fT0((S#~;mHtidf@|CQg|lt@7DTBM~j!3 z>tPeMBHnU5hIDE@gp0Xh@wwws>njxEx&2QdODZ7=;xM)0{&+IBbq?;!I_)nJ@bol2 zo8et>g1RTrEr*K>;1CR1zF^r&!ag|#9Vmv=&4jAG$o>IKoI+9d@a*Spo0?D9O5vD} zegI=Ng?|H!T$aXk-bURYI8O`s5w_FOm-$X*`BuZnyeFoxSx37&L+bn!Nma{m$u~{w z@LlW}G!f$J>9oU|Ksg4+^&Cc;!q`aY4MbrX;x}*D&+i~Ja__}72Ru&cSB{-KZzj1F z3!^}gbRcdzo}EnFpKOq9HU@G9x*KGj(x5R~DW3 z#a$>0J=(!+MH#stwj13WdEL^pD91u$#6f6d2735G^cY-tP~KxX`{Z|VOSPr1_M3mX z8f355w2w62BF~QDraK|6u8l9t#NzEeN82=r&WF%fl5hIB7;ey|gOPI}D^FH%Beiri zsAetO?6Y;^amAJmEq!ykT3D@jmKai4`Vq3ds!(BWky>Jb0o(noIRLK3hhn&T@E?|L zs`2JRYD>g>QBH(DOkb{g6y-cF>=9Pe?jSPFhz!mdYFc50XYP_;K~!FSGG|87Iy#ZN z*G07zClTLYeoz6tkKLA@gJWUoK}GW;w2!!~xJrX*L2*yj+ziyzlh)4lpz42@z9DRb z&Nl-)3u2r@rb;CY=yN}t9$`<7cg|CDS!(&4*w!@YV+B8uChj3MwjX+)YgAY3z^x!x z6P^W@VQ9*8Zwvf|cb%uT4plf2qF>!k+^*d|nJ^iZLf~D!pYgAr&pVEy`F>jz<|e8bgg(uG>Lmj>On1*zF|S zs}#O-1Znhs20 zW~2#6?Qum871GyziXX=8Sut55R;xXEbd>YwHG;PVgM#)HziwJ4 zVrRLZ2s$Q!gJ@sRd4fHU(KFJ`(IY4tFKiFrhAP~$iSro)Gjfi$ut|~j^4(0>)EZ!I zfsO5GB3PzZ9SxD^Y#-BP;JJj!FARJbfb`IUn=DR3^213&#}oU-O{Q>4Fb$`&JA4C3 zzVman%>;n}bfWhKe{VM)$ZrI*lv^ZP(_#%4aYT54=_XaTmu^Kzm4PZ=T7;-WU!=h! znNnL9{xk4drCH1m!HGh*vKBNKoNG&3e?+#*D(9_gX7z=oC8NM=&i0x7gR*42IW_-Y zr|dy)|V_b`IGVH5)+wTatmvdpGColtrDAsr@1dX^5K@p zfZ2n0ey0Q0r&jb!p5B)5B)^eTmvx zBj{OzhcI1oCNqokP68BodgN0y*EGP2{b3_Jc1JCdN;)zX!cOs|vczIotv5RWGkrws zMEW*c+h8T*oqb77oT+XP_N+U=4gxoB8PzGPZ>s~QT>SpgPheFD!11^(MQ!boVK~sr z6zuAZImb-|Zytc?O}1U=8*u?Pq`c_iNq_HLIQ>x&vv&qI^J`p9(lqS&2!+eEVNzIk ztKW&-e_BXt-C|PRm?~~D)GcL`bJwk@TgF=X-C{3Pw;a#}bDP1PgLPH@D)vVWYiJL= zM(&3j*7F_B{YaH>kQBuw$c`bpJfkba$;Gy;MJINwwVb!-ev6?u575}YgpZBNaH;7D zjZ}ziN8xm-0NGmM0}g3-!N*ROZ3k5qdjxknY^7#vOj6sZT=l5 zMYsEDT~h^J4E{{+;AqRCY(D6`N9|5ZVy3sGnP<^=VHth`+^U-wllSD}bb33+GvQ#a zH(rR)hF3W@Q#_v_tx%eh)sacg3o@w*eihky;F%Blff^Y6$+iqScdy(U%&!Yio}y2D5bdOPU1}S@>)F*ET#5Fz>@Z*eYo&7_CYd@juwk^J8lx)M@E#cm518 zJYe8kXv3A>sHJ~zC>sGKDe7rD9k=W*b_U6@jl|DEPdH4?VsC`@h;uCdrkC>O@BX3a zF~(_+O_Y<7?FBJIQL>861ORahGVIWjB-=qgsr+73SPi%buLE2HFAh=SmHY#?_uxDn z7;0@F^G*nFC_rZ;%tXE;u&2qtCHu;&d+@^o^E?L-q$4{4pn>m@9V2Z(2Xuw-+9q@$ zF*=Hb19D&FokbjhWh%=Lp^`WD&2>*VI4vBX>O8C&G2CQWG#F-*mBKx?DI3-ah1KKv zG+`TUShs5R4@^aNK6BbURDJ+GnKS0@%pXd^if~Zs8wi?khZ{ zpr7S$aWs|MjHIi3i;d67PIT_>P%~IoV!GSVU2B@JC4+MrC0K5InNCsZ3l;5K9eZk+ zu$k{`OK?C}SQB*)wB3Z}&uquIS+zV`8QE(2th2a)Aqyj0_d!<@NQd3O+Zxer?9KQ? z?jd%Z98(lF*kasouz|iDoUZmS-%BzbB72KxTB8lG0Jo)i?d9Lv;hT>bEgc9cvgyx? z^epV5xU;d;QaaSP>eL^69-To`$`=&S3#zm8FgVtGKX(r@;t%r*;1v9Mg6sXro|Pyq zMzlKkEjsSc!txlkEz67PBc#rjT{#xu@@?I~qEXMb%!H4@sP$X38CX=NwtiOf?3s^< zvGq7L%4Zd=ufY)Nhq&!p`)54tUJq;wE;BDV^Q8BfvweK{cD+wy?o952p0x>3Ns9Jn z-=3EfNihfMi?AZ*q1+)TD5K?b?lT;ecHc_MY$x%T;px2H`w0EE{7e4ZXwMIT_=8JE zx*Jo&Kn=vMv@h1sZZu0(xtq0@O!I1a8*icy5L0jk&8XW3pUdjHN;)pMq*N)b;)08K z6WGRs5Xd0)zj&f{z`qa42BocbU6cOPEkHZ5H|I~O4B`EvK1qh{#|yUS=&#h0zXu0( z0375^rfzwq0{yYfVEaPfPtCRKAf-6)5#ADdh2pp2NcSOD3S;~>SRHOc_!u>xP~*k+ z?=-d++|j;^p1Vm(LAD+6A8;~9x&t1T8}H!z(W(#T{PLCl>716=a$z-H2(!pZK(?qe zIhp~_Yqa@m!;c&oy@Mz`pvezMCj7_dMcz+Cw;;Q-Ua*8e2YTd3^+h|SyEv0%A$ME; z)kO{}XjatiqjNA0G=wr`P{#_=9}3gt6cSi>i^boOo(O@1aSdiG7b(pqJsC_Z-F8|U26A$;g`4{vG7OvuLv z4(0*C2hH#gRTPgvg+9d1qbR-bWfd7#)x`x{pXQbFd?l21<0>Q+f+Bp@G?Q4~AW|mb z8VD73JVl;9RZa!VyM&ldRk(+0p!0rH<=smk$^Nmhy~6R7xdaApcm;I29ql;qthO|yYY#V;e4#A2L@4Q{bKYDE#JVe?rYS$L_`WNv1 zYhqokJ-nA9W3N7P5%>P4)YR0e^)&zk?{&51An%IgaUxn3>6^+oe~uPee0 z<-GL7|3S3tGMzZ;N>f91T%5r!SI&*gdi@hua`#@YgzPKza^3LxOTyQ@cJ=bgoB!h& zyejzhq-~X}N{-GpSWVvApZ(KLf3{mWazs<2;09Lqi=PwN;!>y=- z+P0!x~%|H+w6OB`Dn`r=Fp4N+5a=KYbG%1O3(Pu z3tL-;QN8`zC8@3GZFy#0mKOBW%L_!Crh2K3v##WM-5PlHVMxAhQHx?gUadCo)e88l zPIKdR>52q5c)U&A8xEf&Hgs#@# zm3_iBn#EsRI`fJIH>&?DGC|L~runaZsV(3CsZrY6=daCwRqiV(+@J$o5#Z|d`A>U8 zTgI1a0d_Cf)IwYTXv_NA0$ob~YAs%~DqPnF*SG4mDYT{f52~b1$f$A*I8guP`T8Gt zzFxiW_G_>WNqEA90rit6jh=D|R%`A1?G0~jQ#il(2nJCI8nN@Ly}dmC54< z`;ja6t{KxX=5J(y_`h$(+op&crTSlMz|~Fq^}Dre%`Cn_mMP0E?4f@|`xmVS^ zD{tSp(Joc>f3QaUhcvF-{;xHl`i9$?Yp0rj(29QXjF6D8`ks zecfj3A4>9nN&1={+jZ0Vf2{#E7de*yYYm7F!7DxMKg~$jXss8|RoW~~S9jHy*P^TY z*#BAsqNm6I|6>ifA>MNmZ|%n`F2aLz85*z{jH;eIb*v}7dd5^Z6F2at>lsrtS8p4y zxrX;*QZM7c<8&B#vAH==mSBS{%qfqWF7?(zE4GjWs@6&_AcPtS-e9E#MEl#LSr zjd+rIiaOmVgKxfC%F4)Jg5n{?Oi9L50BcZ}=8-ey&~FGZV{Sq^uSd%8;d|IX-Ssf-6n#HEBdhpvr1oY?Ws{LAEekKkd62&<-RDTbi$%yQ zGu?+PWigsVhF2~$BHLYn=9Wh9)q%X}*?FvJxOmU!b)-VPfLiio06Zwu6M6AdvIl9? zJ-%$mTEI)6l=C4VR2M%9xyk8{N3lpZM$=4B2Z72jNqsC%#4Ksg}~b5VUGQ zlfc;od2_caz)K{f*Z?w0xfe6^`mzc)AP_?GX5`BXRfb%6{$d?^Gcs-6)X*T(Mx@Hl zcFYe%OOc(O|CK`J^A=B4s=Zmh5Zud1%Uczw0CCdg!mkx7*;mLTRaREs{orl{l4WP6 zDC-UMG3HvQ*fj(57dlXW*a2&d~>175o8iSnfC4+(Q>07@dP*l0-T}An7HVWn>6w2pv%sdjd~bzSH@wQ2Rac%si8fJq|0+dd#wKMLm;0} zBwcn_;ity5VU2EI(rO5zs3aB4pMW>g!AQqz>Xb4X`{RjXsIoH5p_ zQ#SWWw!>dioHag)R~l|TP``VqXiTsgmFxOB?>#y;LuWE3T9d41rRDaQe)wf}Al_=U zDeZ8>v@Acqqcz#;V4SNCP4#ame&EeBQ~fOijHy}uCDb4Ct zO6&T`cO4mR%~0;D*fIL?6BCSbQYHfu-g)?RG}q|+M!&ABv72&V)gzxnX1eZ5{LFWK zp;+-jYcBJ`smXnk^-Fr$o1qN18uR0O>-y*ltcBLTx_-(dqaTOtHyDep{jCG6CDu^V zK;59E()cptVCxWFxv|1}Q~Xd>rSrb?*UqJino*bL(R)%1pT#-vKMV8d{!cE=qyM-~ zZaA?H;Ipo!43RN36dT*EjWGniUi=5$;a>{=ImI;#!~cpgNLi4(GD*=5VZ;0^`0^M$G6d;xywZr21c+e}1Kb=dld%!?P~e>8 zb;)TcNdd27%*`MOV3U$}*S^;d!T47hfmT8XY1j+m;R&OP4A90Ss|wc-P!=fA6By|f zX~+l?=v4iX3OjGU5UuYk+#I#x8NDvm_!BC_9V+LGzd((D_cJ{6zbN(%EBsN+Pwoe6 zEC7e0Au4T@q(wo1o1;C@aVRfQa-dlF)WDw#{uox>t*sTJT;kDx&>HtC`K`+9T0?i~ z9x|%i9yg#=_1}Mm$KJqgV^alV^8ii4Muibsl}fw4SFco+k%5cRqpj_Aj8)M?sqEFu zZiiZAl2jKT$Wke9xn=rvU3(+3wzH~~)2Aa8uYh5@6_(F9g#0&+Dl4J#B2FdDFIAbWJ zuYfP`mjv85{oqHVA_J+E&ZSGQum2Dz%9rZ@WtHJkmGj9(D?s~ef`^Rizn3*y|9}4# z-LU>Q!qW8JZhS=_ynT;i{#^=~Ag<>ssSZ!QN(N~4n=g`(MEN8V&_!fozYj&}FoeFk z+DQ#ls)>w^QF4Z;C#OV_u0DG95zr%uWW2~?!LAn`CSGQkT!#2KRsAGBpTtAdpxNe7 zCKrshPMK6&4ND^g3fmlLB4%`r)^L3_tx*+>#&PC*f$u(n=>mxQS6DBY3Ty{L001o^ z6;^9_;;1O+LN!D@^g)fb;g|#F6cI?eA2uJ#mY6=Osbkq)Q8o;qryc-t*>oDLSiuPs z*hu{3>Pg^n%6yG)Va5kj%|p%gu38|wP9~g`qQFKngP2Qa2m?~ZB$yd4onJbDJFt3` zXa$sQhP}ioz%)TP6d7WUzeue>9yar~sde!lzW2WS>?AY2AMqrv%H6w9~ zt{S|~reYmnMKcMGN<22;L(2>xCcTTy4Gw0vW0~|qQ}G1W;L!x`K*WUuI5SX-*z?nT zh^ZhG$Z=LigM*{R1dK6@u54j->s=-PiUh?7Tcv*--ve?e2q2YY=mo)#OSIF zP8Ll~c_mPNG&UF#IHpO6)m^lAtb5M&4xrQcDVG;7bYlG%$u?{<+dyMUSIV(nX)N1S zK8Fe-)oJ`WHVee&k1%5#gXu^3aV(*UAn$Cs3NhzN3SY(4t3*w{AMXn>ljFsUz7Y5` zwmCFJ$-W&N&B)>mCEl{Da`kdXVvdBSDj@>kkS$n_t@u^{5fzRw52DU&n3*gkFt{Td z*d@6*q_)f^*6MKmCH5eHPvGtTB_m3qV)(Z@Is$FBR;<5=0M*KtI)_Hk3)%XEYVHs@ zQ&T)15tERPXZiE6V8-+Fa#S@_FFXlI4uD$(k!tDFepEYh*^kDhBOLO#Ao)1ryO|T1 z&mc3%U9WstK5opgM#8Zxv52nZCcPU zPgmDaQ$1CPt)3~w7K}OCjto8$7dgS3*pbjvN3bj#W;u2^{0*D)JQ-=GY=v1*s+M_u zz+P<=>V~m50Yo8wvJCikHVbyDXBP(gBIdB;TjmoHqE31}^e58|=*+12u9AEXA=-?G z3E^P0*NyN`SD2J6lg3y@FCyWH-$A17KU5{YvCOZX03>|kNyTNFpCw8rsdQA)h6n>7 z*172rjLwaT0i=^D)yvif02o++m^{W&1wG%)uf|Ks4kExj^H9DRkN9fALneu%5Yrt{ zkj(&X9WWt?vM?-)k@_H!!vH3+5*4-Qj;f*9?q&%!lI>W>zGU_VHmUOTk!0qc5fHyR zia*12DXqr0S5+Wq76-fC2@E47kZ0ARwU~Q8#@$K|)S36V(#%2F;phsNBcGXh2s_wm zT(?+#Z?)=AW$tY{rsRwvX$n+&eSP%=*CuB&$1Z~1cBHJ>h)Pe&`AFYU4Tv34!l=0m z&@Uz#pb$8~6cVP8aeT6?D4$2d0oao9FGxHxm}0`u!2a2MoKFzm9?^`1w*f88^XIN- zxS;M-2C9*om4f6u1GOOBM4L-@lk%LO&3)Oi;XCk`p_`DmxAY(qCi{y~c&s^2u0Zme zNZ8u4)-gz2%Q%{)29!OLcEywO&I$U^88n*3e4!`ik5Q<26w1*p9gWPQHvsU7I0023 zI+ODh^wq+BNDUC|(s%U0AI|pdnFLER+myj`j`{XK*`}=)B`dLr9cX(oxM#zMrvb!6 z3-fYk*hqFj%p}!w$oT-NS!WreX5MqoB6`2p9ww&sF{Ug+vRU@@@4So62TGzm#6H6& zK(}0FsO0sPgpv4W!O6$zZ)F*$_!c64sh(NEB-1a0 zgGn;glVr5_=nC$Sn8*;-goYiv7=7bxt~F-MG{$)BjD0#QCm>Ys-a;6Y+sE_iKp9^M zh;4vNP>8rkwKe0&tym`nfncY23Xmt`JmCx*FBIUNB+Mq}e~SVF@>y6RFdOag1>2bu z@pF-REt|1cSjhHvf^;%;&_u@vB?}m{AyuomAX?lI!{z-I_;0XVpb z=Y(fj@rF3A#zbS6z0}Me=uTNSX>~ng&Urgp*_HSJuzR#TaHx`*jXIM8aRXCWh?rXD zJbrfOKqU4yy5otIceU{S#A!=WJ|KcuD@D*CX!-bjY2h&HpeSq;)-Hdont>Xgm&W zIe}^nADIs=f*P~G7&}u!fCn%qp7-;~?h38GOf7Z6W;0%aW&Nx;vk_)G{sBO8@U+jn z5YBY{EO$n>juq<=HdZghb-2i}O$&1ST+n2}~f7a2QD- zQKB4zBnk=$3JQuEH7F`5DsAzMii-7I&-H{=TeP@lds`t!TBit*u(^UE6B4 z)gEp8USNAaeV^}s*SDVat@Zu&vdD2}_DuHdeeLV``@wo!0qbo!7wq}QoX31#a*EM1 z$@);?$W&%Z(har`&3(r_l}vGr$>^s6q9Jn_?ebuh?~K5LA`48=BGa4sId_`T8%iEJ+)XMvSXUfLlA7MNK7((O ze%=U_F&yDu)OpzvBy_Oct+!AaUx2z4gkms zQ1iPR4+a&qL6N>8QZI^@z0`kiM}*M*FlG}%_gIlH{zt%SMf%Su(^*EbLVqgauIpp@ zb*?aEoE=NT47M;aORhmAMtqn18gMyb`U#&EZ$&~B)Z2;SxX`dggYOCkp~(C}!|zzK zZv&IR={HdpO-#k%k`coI>nIS9Ir%u$;*}qKs-_H?lY#%70Zd2S|74u;#o)&0g=Q{{ zWZSQEZU?MzjPR~^87iKP1RGxKsz;zJ4B?LAAighlI_DxjBF(In$89>`E38|(XKL-H zCBGWOf?D?qjQ+NUk8Cy~xpb)xIyZtzGak}0qfFz23{H;M0ykbTnJ2KcQPv{%Mi8%M zDl$G+lCEYqk*v0+o6M|IJ2HPt<4BroD=rblIB6JSj-4^+d$Tox%7!rdd&61tPi0YZ zCZa*|eHBikgPF*Z7;3OTL>VPOxyd`I$E@)!#yJ@x!h&ZlljL2B$^kSn-(0{Cjz2=h zsr8%rb=$x(GMM&}E08l2G0|x(jw1Jkso5J4E^o}`SJ7Tdd2K%Ddrfqja&)e6)Pa9) zSgykcz5q&VdA&g|hcg&Bq9U4&i0*e8e|fW4SUu%nQYQ5kUL_w`~k|qHg(5UzSCQG&M{Vji%)~ zUUZfqA;J10P&roh!u@f0ye32tu-YsdS0?eCX_ubUvHi8QlGB~Zz{5G+*%m%T_%mY{ zB6cB)ze>XSpNgG`H#!~2be<)*q*qEa5sA|01`~Jw0QUPJn0cOebO&^JCsxyqo?sGA zaO=*JXvwbZ zsfYJsB}2Vp zgkw&21)KjI375P;iMrt?F;<2u<*@wD>~T%TAkMvk38iVCQ*Iwv=(6>yd>PX){1ixA z14{aV&E`P|g+2$-$9&ElWTwIb`WPYlURp89GhEI^)~xwCh{kcx8FQ`iSF}Vzt1Q7f zqBZu=TGz!t%{2kaEbSt4I;%$1>ORw^eNDa+f~n8AjbjpxpK6$3r<`oOW6T(dtUW|M z-Oz4y6k^VEfE$kc_s)xm~yaB(^5Giijhg^rdZ z5IZN?J5jsBd}iY1Ksk=EJws~%cb{h)e!^B+tu`toCY^m+Y+m0oQy33m@a?0gYu*5K zNLQ}M-{5fZ2|?htVt+oy$$VHP&}7Ac3*YoP zm+=Yl|K#SYuM-E>^1bbLUo@Jw*IeRX0X$l=0iX~6V0cC+Bq934* zVMWDf(sRUE5dawE6+`n5Bir<#`sh&;ZhlF;(qvja@H-(-Si;0~762D3qfK%D- zD%=fwt9Fa=rr;njSBOOFl=8>%n)Mx84X3 z*8+wjz!2~htYrrOnF}M{yvnkL#}b(WoJzffV8gLcKsvFJC6--0nFLTwv<7s58ZH>8 z!*fXcyN<_LfL0_W=2(*M&{qs}f`!+)*^L`$rt?5R@fd{P;hn_Pu6z~H_fa3q3Jv8< zu^Q`FK&+Y2K6$j_VlKwqhGW}auAYG3^u;?5BjVOaMB_A295{KMqUxS<{CKhmoN~c{ zr-2=$#xOII^rNE~9m&e>htcSa9syiu#;GHbVCj)^GEThgZG*KH)f;+iu7v@rr0$gN zOfM2)2wWe6Cis~k{1gBxONTFhKvRXq zP&F?Y#KlBI=bp(DoY@hG_~75;mHQ4<$p_(I+8N1LygDgKOK zuOA*t2J@l9d_E-4g~$cKtk)-WCU5F*n@OcUQ_XcX?K6`rG?LVNyCGC%`BBZ5hM5-V z4OcD3lpt3yVy1A$q+rtvsf-NTT9=G%m_8+?nC5HfeQOir&2XZdYl)LQ4y>{SJgnJo zCE%e(Nv@|1gU&0 z3aFC(Ra^B9RtsGl{}hGQE>R$Z@pjTkM$(WO7r;3fLDB@DumtRRel*F2<#+4=Fin}R zNy}W9LxjoJ>{d<;y_f8mhckhX6{nbI>EEXQaC;XdJ}H*FpVZZ=Nfg%57OWfDb$lW<^7ZU4hW!&{B$-O0#Nl|J{WNk#B0f#F1(5lmAc?a{ z5WgOe6ANp5<1hd|XZKLc12uTY%W+p?#gvey+}aV%zcxJP1W2Pm>>S2>f2K-#)mSEw z-4e6ox%4Z(Yo;f)@Usqo#AZ@{wP2?CShNhGR#odn99~i=gkg0%2%zpJPX~|?p@csS znj`3NXh}1X@|QR&c|H9)f5NR%Ft}e#8b^YJnPfo8>x5-SIPTHDjGiXiAM~2>Rq0G5 zm}rL2B8JL45vc?3^&+^__M_m4Bb@;;O!yRtoCmt+(07HH3;}Q|6v8k-cgu$9!a>}^ zXpBy}#Rco8QOiKRb%&9tckJgF!}k=v+eIxkde%f~y0J)ub-HXSm`Oh_nwe@!)zAz+ zn0XF{c^_U&`U-4Y<~t&gsPcAZhvn6fs%s?2ech<;);zaev6K zrHvjfAByXk4Ah_fpkLk-Y0PK&Z#3)#3!CYShw<68T=$)-`DLc7eppcaI|2M&90o$G%z`#JyxbmX$ z0!!cX%^+Ww)*&3l_s4Un6Oe$rBS!&me9(Z8f|NFVthR?C{*$&ka;!p|cLI4LJVBfz z{cX?OhSLBKpPf;GnBAnvvkSWjk?(Ny##s$!z~94fZ_m@x|siL_M=Geoa5% zmBF{TL!^{m<3h*~{i$H^f{Fczd{I|@2OJ|k%^&!#nuE~>?@Uz4s)#PgKw^}bWo!r)mSWxI&jDPM-zprS&jJX%2;rwvP#MjV+LBB85OEm| z6;@=_!$QJOn;L~20_`epAcoSH0s!Nui{mnB#=%t_HJOssVlU$Z6`w&SV;AG7`-;!G z+0EG#xqAyeYh+~_&{YCBBbk|zM7Z+2bR=wXmZ3cXY?R2J(#(j&yX}(^@IBm;M+Ifn zVaF*e!=*66#Yd2RJbEk(6?+s)fVEBPt@jG?r=%T)_HU%zm&6$J-gX;!z8;(>OB#$9 zD9wfy0vuVuF}f$kbTNc(;X&UOf+3j0xh+Rj?8-zTm?@GDceple@-a-7J7+7f$73O> zj&=I2Op-}=Qk7STm?+eX?OkpNEUM_j+{Md@ro1W&yde3xL;@sTD+_GYbenGisdqgO z-YqbA)a@>@FI4goY+0a@@(J(QxZ`?y-?JvUSZ)4|%ycyPqCIDL9WJkSGq3AQg3jns zjp1~#{&*-erCptxk5`cqz!$%Oj^sibx6~ObhoZ5IK=C7Eu$k16x9HlUSgw}NlO6-- zW)?}|LU1lgGrz}48QsFf%bGvYse5j+&ona4tEI5hcrFO2TR|lzmXKH+tSZ$ z(tjLA!_dDBuf*w$Y{N0=8eO33%x(R1A3qj=T+Dzn4KAW&dJhUhJ&e_f5ciN9AVeCP$()_Ajhx~Q*R`XWq z^W>sV))9QL|B~e@%On}^F-#xuO)Un!G|%@wiPP0v&}jR5J5!iG+;~Xs8AxV0OikyQ z6tR@(yfFum%PeHIIQ9U zUIa|@n*4~ym%#quQ=8|4CL#=?Y0|};8o|o$Q5#+hw|uBOGsloWOkU@`3a1E%Wq-N1e3Ye=?!PBxme&13OdWcC}%u!)U+=V@?fwQgWVNG zkj$n(c}`ca;&dl3@(y99GavCYNmx=W=?NBMS{ZZ2-Gk1z|A7Gk(e{%~Lvv)60vuU# z+HF{9GSUF@+VKTMo+k2rTI)e8ZWmSHp*~8^uUE8FE_cO%(w$BDZ2ms!10LKO-G#me z9OZxB_%ZKfkf*tIu}-FWn?m)!sNzjdDgC4xkAv9Xz_UGE=^QCNQ;l=;u4`~1(?eW< z*U7q0q9sXU@2E@%L}@o3PMz!5BO)se{tZ1+J?(Kxwm@Xgh&yg{DDWTgxAXfLE5;?u-N`nkZpo2{$vP*8ksFkYBfUC|(-=PRxf&R7})LCrIoMm@3g=qhmh$5tv^&?@i`$lX*eH6$}5)ySdZ2% zuKFW;3&Iw8H9+DkcOgrJmg*cUnfd%6x`X*~$pI2eOILsD=E$ttp=1y^WozUR z+}Z5LJ*kZ^B{NZ9!<%s@4_=%b?^hEcZv)kPD6zWoJAv-O7aQ9sOf<0+SAuihDs-=j zL}a!(!o9%O(~un9e75=W&G*Pp5Sr64CF#>hgx;y<=eCX`-PmWsa6!f<%zD9C;Zv0I zFw4Hqo)!1jc$P6tej&s@2Q{2xbk#!`)_lS~J%HvPc^3C{FR@z?=9#f#0yCs+F8hgw zXPIQV9DadW&0BCe>5YGbAa}TDjd=;5fOk97VeNCJAzVb7l9sQI6O)>(*n$8xJb>9( zf0=z(hN$}y!{oRl0py5&m&zXwVV}JK_~#V`Y*or{818V+8+x)c_YL+tQ~7;`p*6_# zGAHEF?j?^^EP|{JV4>kh;ac~za%TyLdhW{rU_DDEcU72blTz4toEpEN$z?w!}x~ApP*k6 zic|bEn>8dHzbzcZ_lm*{TY^X*lIlE*X&fI)J0p#EOQdOeknu>UF0V6tjV*f>M>+?Q z+`Hf^Uup=@;7s@N5%B?lNnP8Omf#4cfK5?Ro{P~t86a|=>54^_7ZBfz@iisj7hquI zJ&p{etP2>r{uR*rj_xKyU*t!)XI=!B9n9)lf`nN6R+N7ds8@tP`79Ynn@{a>p=;52 ziKmZymTLl%)_SI~(ZQGzKM|g^XP~@4F!#Hdg1_~2g_}%dXC!wDKPHUEsk%tbNv-&Iqr#3;ZLo%o-3!MI5#6y1)my%wt1kAb$q(ric+Us5- z$<1F-F@C6uPQej$ER4BgzkzGBE#$ymoc!m857Q`o@vX<`~>0P1f-M#;&{dDVYR` z19YXd*vuN-eMkwN#2lCR#}>`Cfw@ELxG-2`u@%=A#35itwX*i3F>Pzle1apcTrx~j z-!##n_%g}q0{zQ$Nv-=%vX^(VJSBM}(b%r&!FyyK{)idxFK*ib4Udhp?yZ7kyr+G%7cT%@49I);m=kYyPI<8{M0FPBf_1wSP!=*8fHm zxJV|!oq>hCnUVB~jQ*Xu+2F0B5cC2+`D$fu5B6a<-_0ga_VI~Bx8tEbLh%AJ%yQjl+9=Cc zRF>DZVzjB3s@RBbuc_)LI@eo$f+(BGLRp*u@yg;2P4UopDoF z+#kD3YkSKB)xsD@E!foYyc!R)KNA2pDmRo^xea`YWn_vlNjEdzaFxYd?QWG@S?}4g zt7SR-#D9_e)hrf{JV^)ooVw!-F@uWYkI~I8t}YUL`0e@Yfk@)wy|1~vi}o4KcpEs} z$AY(PwthhoOrg5p*wICVBGHW_jp z(gjcwx8lBUg4mf0V>VoQXnu|M<;>(q`MgfdMZJv^YVd9Y1Mx&m3YDM;{m4};bG{wO zvC^C7SE?rRVfA||p2l0+7Uw}U@|XWe*>0yN`C$+~K?}urfIFon?jZb-yklE0wXj`6 z42P}UCHck9?1u2>aN^b9?@vBkGE+Z5wx=mfACKoJ8@YV?i*+ShW>~GR?<@bJ(5<7s z5b$l(uBwUdk>Gc}9P|r`R2y_=HE$1@^D7c;v^6<#qzWQ${EFw(!?R~&k2Yw`LlJ31k$Z{cZUJoWW zO5V#}h^SLJ7nwGPF*9uG*S1+=HB}Q0Tj#R-7^_55<$G!pCyiiPUHkwovC>rOifAx* zMY-80@TRDw6{e#a0!1pyh7)Wsv-+4P;o>R!J;<8K%2ig}N*;p%hQ+J`p4^5M(jQm5 zdBZeDoJ2HWx#4lR&G_Azbc5$JT_y$lovahzf*(NqO8InJe$wNHLDYPK3u*}v*!bW` z@{XmCv?B*h6r*DqGm6&&fihiPH=ije>dRz++<%5==yp)&cEGwjCZjfh47V<9Ic(Ua zvRru75DIwMoq|?o3lc1X&2Q(!&H+%4AqNOdcIT2h4ba$pnu#?ztj{tmK)K6|feq z0`qn?&sZvG)t9THQK+!DK*it?7$%Tp@Qn!GVQJJX5@mNvk^LgsgIvw zX*l3}hkM$#%G+e|y^L$Y3&IQpn@U4soWCYX-BACu%hl)8$G~E>5i>DmCn~;7YO~sF zOz7|{q)-lmnTlj-BD6+r)nrc@9&I+ao~FH>l?3>C|0G7QU@_~BQ)5YC`ff%9Vos6^ zc47*=!HcO2^_F7=HdYO^#>{n)mOJ5x_|`u|(pHSNf)TjnY`kAn6n^~GL&}_rPpN}5uark%@jB*?XMtFO z!<^kiaRJWayPG46{J`w{J71nuEpW!S!9d9`G?qtM?MnH3&d$f(q#V96&y=jmM^<P8G{ZYW5I>J3C=Yw4x98 zER??YZdO!vB9W%LqPqUR&)M~Ao?9QPzo+K~(;)*k;l_#+*o?d2LJ85yM2F?3QHGC0 z_{5b(h&LBqs!s!7#{j{+Vgtapmz)QLUyjAENsG)y(xPUwZkwiEulU11NyrfXB~=l3 zLo(fJ^<$1Yd3|0rGF;%yzu7NM;agUO3%cf?#mC&M+KhbRTwsVn5V5e)lk%WiL{448LIg zJVPTy*2w<&I*!`fGCYYLq2d6OU;6shhNW(iun$xUR_E&Y_WCvlB ziVxrg_VGA+!j$NaG-Vm;F#bc4)GkGP9{PX5^mgQt%hCUpBHj+>)}CbEk@H;xt-&7f zY04PLYKEtdyz%Jv?>o|a|ND_0&HcBX|Jo7K!8;mG{Hw)BiQ(;O=zll$_a4#z*wj%; z-hO#-?tff%``7`uB$pz~q0U=KXcx-y8or2c$|M`fHq4H?I|3k|ihySy^_KpC5#Q!bJ`~OsycmCpve;|kj!hM)9 zss2%s%hvfs|MMAaxqEU2l({?!WiC+U{C{P^KSj#_l?ClH`~NUwJH*ldkFwxDR#wgX z9P{gP`tlo89R-TVCcM-cgvNmXy{>B11pnlY^{K}1eZf2iqzREw&H<$!QznxL zExeT_CI<_Ay7sZE$yHOplFLA0jG3^`EQFGnh=O@Y=p`7TsKpB|(>VGR8PQj6uX2RC zqz*uj$~q9JvJU(@pHqEod(r=+`X!R^s7mP@k;gI>5Tu(SZM%pIY1i@+Apt+s3y+Sq zsyzfuLh(HAd7MRf6ePZgi=l5=sNcwjr!eU&-rZ3} zWc~_*QT9jM}1+_1a*e5h`I$?|JWd$k7 zyRIPNc>@*RR1Amil&cYBkU%GVjvvUKkyV4!XK?gQ++qi`f~wIOR+M`K2}^Ps<;HKC zGJ-}x`OfO|R9yYRLC$VQ?ZrDnjCSN0-(>%$pOB$^G~^R`W>s702fi`fo1RzjIq@d+ zWj!Y0E)GAcswr5Cso?9^{3}`HM%JhH4xwTEZ;(gSa<-$og;e40n8B{b0u;l1{a2w& zJ6CczX_I>(AXsSwPmKEs9BxY|W6b5&?PQ};HZirt$hVNr=?z2IA|VdUf^m?7afgm& z4szqDF>gE~Inr!=idrD7O-}e&C=|h0noZmlDnkMq^C>e4MHOE`@Sc7`COD5N9;_t& z9!&VfiC3H~L-EXDF@iteUVuVJ{JT=6M9XoIJ|uD>N;!@x=D3=E2!%szVkVr#w<>7# z7&)>y5}9o$vy4?LevJ8~YY9SD#>1QWD@680aFLUyse~@V^GZ3E87hP{>ghazSIUXr zIK(e>_{HSf$GHt+DHq}yzV}Uu-yzF(rTKIB{3Qdhx#>=G_KHDRU-d2fo=OEuM#k_! zc^t9U<4k!fqWb0*PT$hfFn}+@V{UDSa>thE?XwVd0~HR9W3Q>0^W=K13r%VoD-|Zq zZhqaC2ln`5wLREWzeH^7nx|Ew{6Xp>#zPU~Pp+Pb z@_0Mfvo1ZqoSN`Kh@3*Q+(CSo52MREW*gA-#NP~;8U!6XkYSf=z%Qpq(gzTgSca{% zIKE7SV_8lm#*%!f(t$0T55YMGLBkoae zY+FlWcjSnJB*r!ee^GT!T30gNX5=|Y-2H&#@e&zwjc;-ic6t`Lk}(ODl8ff)8H$Y6 zFJ3Dn=a>T~eXvrtKt6EZZ%BwQy&l+f)#fH+yk4laFvm*MF(b_YyIn8OMoCWrvx{=1 zPrtvNn?9Ahgbm(mgiXFIJU;y^T2c~eFG2XJgJ6_;OCiM`vXce^X)=DE_D5#sSXzRR zX&2oa=*!d*>pdo5P8%LXK*rZ;I!-eRp6JmLn8Z7We+5BzGx2>mCT+ z2KNdaFV9xcc=s!&jSTYZu@=f2aVU0iv3OKVB_0LY#y?2CaJ+GmnuL0PLuZHC-T+=O zgBr7r?^}JmLE?-RR7&8>{73ztYNvp+WD;Kn5%oyxYMf6^Ye-r1O@}s*0a$fhd_danrV96A{wNaIilF zUzMgXsqPQCYr-(OO+{Qa-ca3!5OY0Auw51lq&$#*rVlCH1&K_RkP5X#ab$XK4?JVi@gNxF_BRw_cd^1I;l14E zrj121G4NZZlWD^mj;_elXQ|vTgG~RL>T%rqKkrQeNly6M{mtKk{K)ND7X|dW(C-60 zgI$Rrr}N+`{Gvp2TH=ciGCVG$dmxve@|kbm347a%PzlAtis$V;kRunHTxXI0 zF&t`uFE^40Y@@18<;iiGVS!^a)nc0aeS9JQuo@VGcrG8NIFk+uc&$a8MGgrx#zE#^ z?#haR4^p7vv@ZM)qP6H4wpMK8hSr&JwBre4^~~qvicWK!JJI^8@hAg&gx8MzUqdjOM6|^+`E?2tVW@C%91UJSi)u>(Xt2=BQ)J#n z4S6bT{YF~0_eJZnh9`|f7_wVhw8Vw)NsAhKFd=5($m6^?)(bUUog3D}@=At*5bBG& z>pN+2k$azReyH^I4s3i`J@hLTk;|_JI{Q%DpPq-NqiQmUpAN;He%rew7BGnRkXO4r;M2@n(QyB+D|xsEMajWPP4vH`U(`Rt-eRtGPUz($N-{miPH#I zFhwcGvg=jG@73%9l^8)Y_fElL$$4V&JW0)M0yaM=*tBQG3?W45+l<9N_g)thu*sTF zYmA4&2rJ|cU5&&%ek1 z63qJu+vv3h?p?P!p5uf{DJ8vxJI`8!_(gmym-&FDwT%<$B=>iXsitssOKC$dJ|y>j z-S)nOips|j_B#BNh znYOwY{OSe9MxpWq5_(JP@Z0!9A)7lxv#S&7nW8TtE#T?w(+DLPR_oGKW_l*%6QOfQIx5EadgF?*S7OeMvh;AnA z{gdvw_zJP_olYb9dajg&9h}bAY4}XxCC6(*h@-!8FWjPRKVpB>?)_YhTfG}c*I4lC zN^IRb8GlCR8(Vo>6A=pDLfl9qW$!@3ddKfhE8^#i@y5?I%{)6s%l<3aI9Sbu@>^}N zZ1OYnrYRcM+Ak?v`*BzHjyba{x6NB zJiI~G%GpQamRtCJK8*YT&pP}x(YHeFksj(3uV3tntOyVeI)4atmK%{<2rkKfH@NPFKKB9cOadM^mwE7N8Fj$`@Y9qT|qmFiunet zmmC?F{guMe-yB(mY_~4tO;XRK$MAR7slKlq ziFqNYs*6+w85rp_%=W8uA+hc?K1R7&!s}!sIU;mBxZ2wV+4NP}CQFdLR>e8ZPdaWE z1=%*@!&SGXef&Axxw#BP7!EbA*KifJ$>#f&pQCzF{5)HyAQo#gdx^hyogZH?J^)q= z$CvmIv8OoJI7^L95dVUKS*pSDVqZMEav4fHg5y?96iTTiTwa|ef5t=QvaOHk;SU?D z)j}j+>`1ui;dCXj9A|s=*7G(iF*3Rsr;H9+~$Jq)Yi7~AZ$LxKFn~HzmA=kdZ%-Q>gPE;AqY9`Wq6LINKh!0js zF8g{&Z8{XD>lFWXg~agrF`GO>0t|G+HJ zCGG>ITQFI{eU<(yxb=;Lt)khX%U%><{D|^PDie^zN~?VnK-}HBQWVB#ith@u>j)(0 znNVw^ZMJ8T)Scs`(S*;Q)+u)r-e9y-oLJNo=xA^4aD5Wsm5K2RTm8_%?w!uva_nTR zOWfukYky!Od~>az@#$^r7!zNK6M%KG=pfe}xOQFdp~m0nSXyTKo$>tOy^TNvjN%)! zV-+PUSc|n}B4!WHh0LpL$Zq40L2B+Z2y4sQ@L+xpIb&Ag@Zz5XS|l5G7@=A!fOO}s z1EuFE?n~0yejPdDVCnVq*$&L<8eg!7D0M%pTd8q}rf7w{L(#;veT&Bno4hJTwnK?y z#9Lf%Zgn1{f{q*;hiqJnw(Sd84Uv=IXsLL{UYbYYD`?CKA=eil3 zU4ckq$pBd3Hk077_i^n>yt@28@RgUWA^n7T(qzvXVz!w8Y9%7wM>37 ziP>2S`@2~^8Rxo}jxybDY(38QxPP^0U}h}J(Pjs^b2x8gLyj&lu{9^8pa=GZ7WZ{~ z_|hQ_9)0=vR!`W_>6{|mJwQ7@eB|;hui#i$J6|0bIeR{-dTwuEgs|}3{D=uhxdoAv z&lR1*NgvgAGS+{!w^Nk={{ zxnoxjNv7u2gG}?n*LM596SHpAHp)Id@qDhhtlRm8owv-^EsA?)dGR9avs+g#ir@Xx z`9%q_uPdHp94CqwB~tg*cOX{|=?bz|E*^6U4nztiQYGUnan6QLvDwVjTA=3V={ zsb9RCaxN$4Z0ZN7{}RWC!&CB{ANSqQbX_+pJDbK$`QmKQoO$<{Zr2v3yl1_!YUF!q zUv2+lj!T``PZj>nxuXTl?L$AXJ?5N_|F%U)R@m=EljssTW6G$nSP@dq~&r z_da;4Fw}SBRN+gArz$sfd|>h)-QN%_XiHWV^^#VvD(++B^ZOU1lac|&`77QVFrb9w zr`p~AizTauuU=hxJ#;@mu%h07V&L#b^QA$%=Vh15{=Mg)Dhn@}s4uT-Ie3PS6Sh-! z{K1=-B2UI0yf}D9pOZOD9B&@w*AD4@X4UadW8d`*taxlk?b?0|qGx|tFnufM9y;~5 zLlHgw_NY?LjJnCQhfTToAZ&O8b%y%_*A*4{_>U&eS9b{yZ1sh6I?afp*qtAZcy4h{ zU+0D1t%F96O8aq;eYwYSc~sr$?|a2Kk6x$#uLr!f)IaXf)%Oys_gu&pW{f$Jj^7zJdei!A>y^W&{}?uA^6k(KW1d;@ zR#ufJdbpwAqC^E%J=?ry!`R(>FKrn2V%^r$Cd2r<>cE#Sn{(BB&p0Eh4_9j*P zcSi89-MjSkgvRir7bY}(IuWjeIO&;u_I2H}2|L z=Hu#96%(%%eR1XS!AHpEA$uENX?$Yx;_r~hSueiQFG<>e)e;$ep90&R@ zaIHBqa_FR+MN=xGQgg1icFNvbSzfg$ahup<*_0Gjh48aS<28)$*E8|n#swcni9^nv zcCI)*CrhDDoY=4O?(=)Ec*E+h&yA(2+IcaWoPEq=jboIjRr8xW4OZT2dF7+2-yZze zXJNfwUmHH*?#a%dPrrZh!&Ni(URm&Y*25bgK0Pxz2xj)jb^EsjK5X2(#=U;{_W_k7 z@3(y(^#}h`)a+&wcXhT>KjvzK%JSURIS((w{98Aw_*~-18}7ilmVK|T{71Y*Ra@tu zJOzMk9z{&%-^cpxWtO*htW;W-UW35O|4g3#M+bH{zDHj^u)}#BIldFf+>)AcH4`4M zQNr5+lfd%|uU_By$$k*$OO^cfe*&|?={xa;vdqC1ha1b1@9tYquMhQnz4B5+A zg_iT<5a1c82&K4F_%I3w!Cu2?F#yU91s}E}y8Rov9{zEvYB^m_V{n0zE+?I^#-&86 z^>F@ANoqGOVxakse|TAL*>LoqeIDqmnfy37VHEmv!TNnfzes8M>UHSwv9)qEBUxgF^ch}xE?SJjv+x`c=`YYk@{1Z0xe*l<>(C>;vf1}+2 zdSlZ8b13TGbO2|W%m~Gv-x&mF$}&~MzfXza89w6h;cH@HqZ+nDIzBw>+qV=Wl!Y)& zd|QE<4p<>@&~$*%Ol28w6h5;KJaXv8iJZTAyK(WQ4C`m#q;g_}l)Q(>cS7(`Xy8WL28@{qA$3OAW z9sjbE{;fdEs$+1+UvGtd{s(vCKaPaum>=Gk*L4hq-Utz_yqifn!F|bs_ecf9LJN;j zctpY@oKeL_XSELu$b`>=!7-;3zYX#S&js^Zn5BVmIe%~b``z74{k%?b|KV%cu{GeO zo$%7>Xy#EZ);xrlhoNxWpsYXnhv2(+gYO1+fPSXHM%b2_j9IJ5tVFt;fzTYVz~@v# zlM;MGBy3h96EWe1aE>Ih50#LsH0TF&jT!Kn_iZx&AlV_6Q%OoA`aB$NM|NhaFiY?E%EUNo8%;3J4;E zLi`lWWZs1AP@B|&;^^&zPzq!1Kyn=a2+5J}i&Djyzp)(oNaS!v{)Okri^!P`Wf3ma zRTLk=I{ph-%X^`2%p=lrl$K#cfbJ-dMoL?;-^);^?3;=hpDmcumPT zz)0k>lwG5FH6X-rc__vC3IY;yID*f2zK84ua9B$AWi)gk;+_W3abj;+0pJ8O<>pY#LeWF}-2xBy* z`ZHT6WD}l2PHDKL6Vp_XbyT~QVyFV-N~H%%3DY|&h<>`4K8k({=T*RN;b=ywd^cpr za~YeRC>wH^@OCgr{0nVrNaMo6F#=|+R0QQ+E@i_&QMC1=0~=h7_!qe2A>@<~0Va1e zmD8pxomLuMlq7$Q@&LEoTCs%K&A7ThHxN~Djc`xLm&HLGwrm;d>Y9#_lc^Qvq13c* zg(UB81l_y4+=Ya-&YcRBLLnipU?y@#Bd#9V9e<#1!d8^ZByncp$>Pn3mKP@>j-NUj zP3nv$O+hmu{uPZ-YI=eFo&u%P3)X!3b%-@`CGwwG?u|=aGORHU+9P8CjIX5w0Bwt# zR&X8jb5U18BfAjSW9s|3v=Yq}iQ_TaYnU3BaD!zX&0o%I1&xnk7XT z=LXN2fcUB2?ny-F`GSww4$OXuZw-zG)se+LTVa}Y@kcxP1JKA*i<@WIL z%_iq7fvv@y!M-r?+BQzG{YcwdU*!xz?I{=*x2E;=dw1=>5EZb9@`Ak*v3Jy*-MKE% zJ&iLs;o~RjjwrMH1?O2P8COF)qmix+UY%o*?oBlp;jBWY18VNhz5Ye#>&vAo&mUX@ z=f~LAHGK`Ifk+y9c1|;ne^ceWhol`H(P&A-P2y@$h5uDzge+P*foJJZ6p|YX9(a`xw z?v0e03jGz8ZXye!<1dg&uf+OF`B+O13#gLyiPCF0hV=xop9IA(WPLsy(H>*M5zZg5 zZxkmAKW;z&TP4$jYv~|fP$mw|2GXZ-cAHeIXgR#nY@fdLza<1kY z5=QdZXsY)M2;QSOX5-;QzMjfA+1#E*A68GKr;zQ|HOiorvp-s}s;z}aBm0AX!qf4! zY9mzv$Odv`4@6hm0LYAcEA6>>A2VVCj8J~#R9G9Gm+y0*VN4G~MmkDicd%n&IvmG% zY-c3)S_ujariGILT3}%D8_2sEZ7xKU;*fVBDxQhR<~Pp6_RYVdH--QXtW#EO&Ov$I z6+$5##8y%aO#w9m+=SGbOn`X|O(>p)ggO{fws}7KL%@=- zc|5XN=Q(ZC-=yk0GVC;$kOb5<}-2z|&b$42Xv@K{OTg zRUwHRF#oth+-&Drc8jX*ji7dDPD@{%^NZk%0mW}3=h03$Y4Zlex!|^1CF!G(XVF(#;}38gU->Snq`L7v6C!n_Fxa3tj?5K1dK3exlHhbHuw1$aZ+` z%Eb!gtjGI$p^PO8akn#Efou)$i$xgS8#m zuoj)lNIBBkv@}@PE!b44HL5vhEOO-{wob)98%)fs!x%q0(ip-4*7#(^)KAOV~`Gh5Adf zjUVrP6S~o2)3Pr|%Gs!NH)zj|` zB}RS#HbJ~gSHIG9k^_(bI>YZgtohZJ@3$hj>@~sSw*5SYf@0D{@mMAEKYC!vicYL<1z* zztc;~$_%q5v5V_RY}ge9`9|HmN}Mr1Fzuk}WO%wSLxxL-3NvTk7z{6QOjE%T?0k*V zy~WcI#!S@V*HCKS6KGB`D$c<6#{z5nJAGL07GNLVsVvE3a=neS{mK;&#G&n3EqkJ~ zZ^K~JpwtITP&ZyZwG_vj#CtKe<*-Wgg?Gx3b!$87YW2>Sao#>8l(kRtsXv1l5-v=Q zM|l$wcW{IWbJ8D|(EnoZ%fp+f+P=@pQZh|4?MXXnCNx7PZ9+3NLucAdn?M8UCM`73 zNDD2rP@wEv%Z^Yj$}V6*R%Iyy0s;yGf(lXVq@_Rpyg!U7o2Dc3ddp)t`>`Vr zq8me0)c4gu6-mWzdLPmr*^M?`S5f%Xa%A+LOg-@7fu@#uXz@Js8;=XxN1@S}Ui!Pe=mY{xwL zQkwXw?q(~;MV-7cmi^k_*<=-UtQ|Z$%r=r#bpvrGnvr&#N9H&5%qjm201X)+U`rmP zb39-G(1tir=kH_?pF%~`P|@;OdX5e___$}=6i#yV?a}B7QBe8x zB^@Ulm~?gkiJN*(AK0Y>f|6pSoX2LEEq-U0@lQ*3>AS68>q=biEZ{3Uv$39HrVdwe z0D75TvV!e~l&w3!v_MV4N0~A)Nfox?#)`lbh@GST@G5}xJCZMzwV2G%4yE3JN(gKN zaxr$dvm-P4m=?p?zQcDTCiT=%bR>XIz!n#K`mP6NlA%Y|B9z(iI2RXFds@7pCGq07 zYWkdsS{Hncik>4}`*wv52e5ztl(*PlY#`XhUgJR9rWl`d<8TW}_DixP~D!fS%uVxeC#a~lQg_;_G7 zO&2?~LK#<*T!rzb2U+41=TmeZB!UbU%~Doo!8F_hnzPFn~rfw=SCH=xrV}KJa!s zy3}Z{%A$(-LenRD`m1)XkiooAppy6pnIy-17V{r&%E9-6y%VZal3MdMj8holgZRVX z1%O6{+m$T>KQJuZ+?g)Ze3#fKifXhjomO%yLiQpL0}41NQSg)rQ~Bw2^A4*3$Fv`89c( zJ?|XJ=QF9rz^+C@j_q7y=S@uK+MA(~NO(P&%`JnK_IUm)RB6?BYBn{mKK!n5 zI-M7A;>9=UQGi3>U8FS{?fO0*5SnK{H>3mn=XeLt9FLm%6IU87T*qjN#eIxy?OuxI zABIlgQ(&>;!!!3ym&HS+wwd=$fY}%tEtO7D1w z>06{SfU$15{)wEZr?U)@w{#?%JC(a@-XOBINkv6Q@5++P}WGd6z~ z$%DZMDHDEHPN-Z9V`{Ggzi*~h(Xm;ky;QS`%o#Qorq*;&4>JaCmeS*OhY=GnUp6vF z4*XCL+*?0rnI4{E3NLF!q|4i%pbXbiN_q#z(5`3JA~JygMU$ur|L%0OxBxy#|L&s3 z1UED<6wX*(7YyQ3I`|^&w9x3&z?R^0tTS3S8lxz}K&Y&@CEFStH)(CMufFISI&5UdvF#$HL%sdo5q$F14RN>|J2X32yKX8F=XZ*= zb%I5lU@#TVEpdey-PC@ly@17{}S5>h8NvBe12$tEb!jIjmw{WY?z?5wTSW^zCPLh#SN}a4`MKFRV zuYOe6(%w0pJaYUjb*Z`qYWg^;{vFyLi(%(repE;00H-*rbe)Uk%nar7ujNaY3eIQ+ z=#!+#K-xB1xd0GF`9n0b#4(VFui%-TS*!d)!OScOoy~r2W*U>|r?G4^z&vAqEvF=o zWJ!Bne!c0P7-^K`BW=TsN}hpd=v3K4VLjOiq&-v%tjD70*X+SeMcbtC}=oV;gfW^HZ%n(Chjg z#FRWwkVlZh^cTL-`()DAwVBFJsgM!L@R8}CRdqtgUE0%*6w3brQcf5Fzj4bDn2l?n zB~OT29MK2CRItK?ZL+ux`D3W2dEV7HQQog^dV=9#Nq2zqe~p@+#x5#B`~vfw_o94U zEw01EYRS)H3TEEqSOalZJcmgUX_fUmSv9hgn+>EHaoKGITLNx zkuKh`VgV{yf(sa4$wMV8a8k}5RmmcVt=&n}qK?$NGW6oZh`$PRqw)y4cn)UEb1d_W zDCjSKPWYTjlH-D2TUr)G@Clq7;#PEN0Why5`<3`hjWUOO8rF(o{GEi zBKLI+nFJJ`6Y$wew;%ApwJwz2P{ci^$NkxD?iXQgol`XwF`=_Rk*BIAKm;v)BnIiN zoAme#*G@yuJY;-q)Ha(td?T^;dF4Z3tJw2t?Mnb8+unv6U;7eH68tv6*3}-wjH^ST zRy4OMLe<>Sa%O7jbJ`64tgzN_e4^B4;jL(?r}IO;nCV?8QO6rofbgN%O4%BDVw3ar zjW%La6ys7LO)h^RbQ4L3!4g_nN6lO6)Fyks2!)XJI*=^M#qg<3axOKW?*@?tO@pqd zu|sX|;DA8K$ktXp7s_2EX3?M;6+qI<=;bAhd-#0E6PrMAHj zpoO(6bDbU+XScWgDdAa55Lv_XNU@GEfSZ zgFVQx#0Mfbo^Qws*{+u7r~uyHCL~v><#qng4$aBHIjJJ3Zpde^!wkvl+?=~&pw%VAx!zzvI0 zy6O0n6<@?Olr*H05yg}=(nafQ#$IeDg6oGEFjdw@(_?h#1LOPE(e$qjjE)5#AUxA% zpEU>BJhf#oxb=|tAu_*usUuluoI}UAkvy=i3?kAE7QN^hYh{debnBc=*l5Ywh=msu zkCS_2W*#i@Y&ZOek??94r3I14wMXd}_0n4A9kOO#E@IY|4MM>ys9V``z3@$f zTWTtAC>1n1p_fknH{Ub@uuoWa^5mVgw6TN_L-xo}5*3jHH7U3`GNv68!Z4f3|6 z2-x5Av8#;%aFauBK0U1MtW~l7p3Cj{S`fmEyqn>N{MPA49JMgjKS~fXnw}$D>tO5#VW;ONH z%0;mDBdg89Xls|@?8M?vzy$gLB4OG^p+m*X91AE@w4M~1J{m+B3)bQMUL;G=se-+T zl^$V~zgIPkfc1~k7YC;TD*~(xX94tzQ>s+K6|mOaKvNmPr5qmviW%~7gCi?NaGJFj zfw}czaGSu&;Wsq1Gii-~hXuh*FKMGRqlRRrwemVLodqPOLNKWCAhqXB>l7M@i-ja( zajH9kpG|s#ZWaG(@H_$UMXT~vg^OStK~ju;;l=yQ?NG@$(`&lmVPn+O)wKP+|4(+TgB8H!8c((Rc4~# z&WPE~H7>z4Qg0fUfZt?Z3?42LBLvXqwFz=6s&=xefex*%+o;Lx8(@74USxAwr}75M zzk=Ip6R20rE6p&-=l>K29QD0=?`Sbdr z+NY~ep*6w*v+FG#HQfENJkC;39u2fkf@G!U*7l-jT5V3YrnHsx85RNuRML54;(|`p z0OEvL|`WLmlr`VO7af+T)`iLXo~Y zd{o!#gOuJX{Iuig1f?~?3;BN$U&#(>$xUop9Yfl3={m4BnCjw~Q2|(JPme8ZO&+v@ z<^&$rMSciL%S;!dNjf)@!8nkCgj2Cxnw`QB>L+9p<*0#-16d~KRL-*qY||t|`)u$z z@*KAx;3?}LL&DUQP!6gBqQcq3tRh*h??FdrB(9~m_5)|VXOYU zx9U1oFj#kXx9Btnmo^>63|qW$TTZ1;o6I}_Lt$_W?qUKW*!PV8c7GDw&T{8_0Ze^p za36^ERj>=#tBepl$_mU9?R3Ve%+|q@OPQmyxd4x1dO}z2XD11-anjqaU1?kV)~6n# zPTKlH3BwfLR_=tPTf+j@H)C0!@-Q5l2v~ydu9w?Ex6MG-^KFFo*7FNDKFJ%MDRt*j zn8V}=huNoqbGp*rbPe~n{V+NQs-f-#V(J8|1r{hncna4AQGE;sZ>_tMpSnXWD%PTH z>IrA)*;MJt3ELdyOi(KiQ#Tj+y_oK!H$4$cov+n)o#IS z*llc>*;Tt47Kb%4OmgkB+T_40x^|7$R`n;Qme#BXwxxdT>7wPxFBxpTMHQA)4Qv5h zftLzt2BAQzvDLQNI?zuUO`iDLIN>wdl@eXqWZDs3bW81hk*&1NqhHXunR)$D$xF0} znlJ&M!#j#Ap=FhP+y{;7=&IH=+0oC|M<{*|`&N00+24+uT;x>q#pYEyDrsvQHLW#H z7{oqQ`edyWr_c+H=8p_K!z4|xLs*<|p$t#~mpZT=Ieze#M6dpHPh9wXY<^!p9go7j zxvrEuO75;^UlqGyxl~hE@P^NvN*y2lSQ9JNPqE z&c&o)57^J#a>=vM&eZ8&+S(1<>@E$C)0Wb=Y}%$Ry;(oAA@~^64yb!TJvz9AN%iv@ zYD#c9kVNU%|+Am24G7Eg8TbVn$Vv4 zDC79UVF|P4>)${p2L*Z~u@>8UuMgvc<>=T>B$uli7Mk{&z=%C@{SM^0Af7T7{tIs0 zZA}v@>Keg;e5QMQk+83=+^dbXBSj78zREirwexGr&h={x^T}DAt*`Qjq2W!N4MNVl z$(Ho98I8M328Wg)@8{qm2d$}+p)-HBEp+dp7Jx7hkXOk$_U4CR?U)@6!B8BR$-YOY z8Xb-pkdbusBGe4-NNstGuuBSjgSZ*7u2~7f%v`vWJXR`BW(VK;Kv-b|VMSM1E)WZm5p>GyE1z>ZBkv2ABScvTFA!52#H~ zP*5F1LyPh207-iy%wh&=SxY@!@ic-qXY2r8&ef-i%2Ao@FuG43RBp93?}(Yu%KweZ z^uy3Puq`#38>3Nr#VE(9( zrg5mP)#0fn4NG7nb)YrZpSatA>4rJNosXqj1C^J!NCP{Ig6~?H^b`#{pxGQS)MDzv zkQWvAbd9xo&p>?Sdt9E2!h6BE(2jozg{}SDGCwMXapG}R@p9uxh*MRz(h+0!Q^2wL zy3z5r#r4BVDi>E`-aM;~V*+hjV|2jW2`u1_w0K9q_`u?JR4Km^r)dl5`TCqmC>B;? zmosuS`kfh60e(vOoRV`mD;H0>UByO@)t7!pD8(|3{zkH6=no2mMisK zE2AqeqxuiVuK-x#Dj_|UxscH}WMbC{M|4*K<56E%g>19fdf^p4_~O>rqqEpD~wRu6t2QP0tj zQzV+wg_ocfzh^b!7WQr*%AcfIb3_jh1bCM6jUK%_YaZ0{sh;h4(_BnXjDPMc}o!WV#`$ZgsG%E zrSnAxuEVZ}N?urj!MqgC)lT2qqF}Ew>nTK5EQ9n*U+)6I`wgUYA8%Gs*++t{ z)^A1^s!_$SYDnOJ0nLh4Ni&E5j`N@UV=}8eHZW9ufyH&;=pR$?unI#&Af>BM!p_G4 zep8O1xX#=zuFFsa-+o-7rm~^D0xnFI-B^OYf>-f_fC7cdMoQPxQ&rb9Qd~3ORjW~5 zUlpA6itgkaC-IR%s+OnFdU)Aks4jrRrvWi}@SN7@lSaYgR;u7d53WPhvLkxcWymnp zN)LRn2fhK{vr$EF{PDC%*5*OlM^w%l$Qm6f8~CxUJMoSB^DfvOcO*r9=c22dk#X~h z-k40HbmjiQm}sz8y2#MQOH>E< z-|_;2p9@#e)O~1iE1dn3rz1RjF{N94T1B-hpS7t!hU-skMzt@nFJx0t{8hcNJE>)| zcKu}SjWN(MZh(<2o6_wViWkSKD*OGsPjzrKs<5dJK7fASgWRP@ic~EJP~ZT%Fb5f1 zNGEu$AsRRWKQb_Ayx1}WduK!{v=APg3ui(4#zz5#alIE+%m9(I#Txa2p+;!jx6jT& zS|8O8E`lH5j0=GHKEAjEUj1XsJX|#o-#8p8Ly#L47KM}(DRicv>yx9X+@>Z8_M-Iy zH+!no&k@yLdAq_@o@^ePLcJZjkp{aR`f@JQpcJ`HbN#f=BRnT?psKkn^n*anB@S5> zjBA*^uF)B!eMPPSQaZxN9*>XY-Q2}(g9UVBD&QYDiTH`5;)t61m=rJeB4>YYYOa4X z$Uvm|W|ed#{VRUMtOV&9$yd#tiomS)RfJG^7e>!^1bxi`Tz6$asfzS4wX_ox+q2tA zv2W38R{*wTt5}b+Q0uR02akUn+tw04_2rQ#wc3l)#e(xl{u1;ru+V=Aw-g*o)O_}` zl7Q%CyoIg~ zLdHSs-$$o1@IfyUgZN-alfY2GZmE|FIbQbq^AI=R3-%4}n3owzt2?qI1u+j8 zwdsV6a0zn2ybpaJQ%)|PNvg064$^t)b^C(JMNf7FdG%krtMkK}?+qdr&eU0AXm z+rTCf=r6-OeiPIke~fIRE-T#8j-gZ)R>bXCyw#1@^R2YWyjtAdtzJ zeOV_^KhV=l{U)oyD=<6pYeKs+;RFr-ai)k%eaPKbE0WbS9z|p!{e7wFS~q54QAaJa zg7njlq$X8?k&<)0kn8$^rmWgr(qrrM2o@-?1@>BFv$+oaRxhpYz&&dKfCxmuTg1(( z>eQgy*v&Pkqj8_N!^Tb|7YO`ae*%pN9Zi#V!AS*@5&VkAFIT2Ef92dn@&c(b^zXf- z;`$;a{Z60BLGd0RcQwQ{8p-!^Vh5nf_JVFBTn_7ix{;b#jHtypb3k)n6L*j)&uYeT7t-RFt+2 zw@1YihQfF)JZv(bUNvmY3{HpF{vyt_66B$aDmp?72W2>Kn+1j(1x#F!> zW~o3OV3zdVg6>R!yBO!9bQ=$m&jRgH7#0;DFejP54r8vURWZ+VPcoqX6>hDXmxZ=U zs?j0D9Ad7B6IId+XD13=S7%4@kEjwmYz@B+*Wr^J`0Hr2e?ye#y0MdM)l;J-itu7vcVQMP5vUZ0(4ie#1NPKGcK$oC6TOFeE@J8(8|YRF^`%W_(Vk#0w1f47W$xGajNiJU?H8a;v-Vo4{Pv;00Y@qI2IofW>NBE zfWNUN;yH4>n*LemwZHo@cg7v&717nC1*x9+cx2eR)43uKP;ne|=f`%Y^ z*7#>|x{}mOajAG63}m~9431ax4Di6zm}qs8IWCT^C_TnIak~lZ^c--LYckx9XGa!4 zBwxbfZXLH-=QKYqe9;EXlB7a#EpcfclLAY&Idr~$eq&r_2rC#T&EnR@BHtEqwl z7cvc_<(=wcK$N;Sg5H(2Dw>Tm<#nTP>e%5{AO*sKAjC6>07}Yt;21Ve=wvjHBI4+a z?m2L-8lkMRYII>TYAkQ~7cvWp<|*&H*2Zz*$>W+_!3n zunRXfRu92Ge!ne4E{Ir{pOUjt$=qSjTc=d|!OlDl45Y9h4QZE=#V$(?U}16*KLm}i z0!IMR%L8z=8vIK8aquW%`4x@FsL9nv!p(h^vII|ql}*tG-`;t6E>Fqw8{NgBQNk6y zybA^2Acc{S9WV@*Qo#oRORxjwzZOg*FH$Q@?5>`~IgjK>(WLG9TlD8Tw9MMiCII@W z7j;eUpmSMcVW^~>+=Du?Mr9tSBNISg^qCRhOIGHY<<3|h6JgH>wjuHr)fl90C*{dl zJ`>N*3_b+>T~zewk>aZ=%uD@CTEaULBbu|BM=P2#Y`P zSGF1!HGBYaeK!XOlu`r#Z_-x+A!9m5PptkZl~{)yed3i3TJJ_Vj2oU{tn!yg8M{fC z6Wj8-6t8`M;nU;$|D zrkFeEs2;WDCFflq8k>ICc3@r`04=D%pAFLFI^#6!RZ99Ca9`WP(_jMCF|!ABLE+hv z7!vf6KTRV~iI(4ra?Ndh^5vCw;R%Z~xps(hRvqk0tky3K)YYJ$u-vN#5TQxiIYyqM zhO%Ix@cGZ7>2yQELjDgjympdwE&MO!THTtwOWL13Zu0B+kI7`V0%q@=X5&l~9gZdd z2L&FIY16^?94bW8C;V(Q$nyzzmX-TN3G36u_7uN?q?Igp&*wKTeMx>C^BWl}`GfNE z&oZrZHe<$GumuO^QdIY*L~zN6&?SMfx(++2%%)BJZ_HTiAQ!xYy&awJL*z=J9TMnh zPolX26+X;KNKc!+rw)MhE2BZVUH8^fWzETgT~kmK&E+Wqi<6 zPR;=wF(5vH&=^tGnh&}jj+0xX;Cp}&9nC#TOMP7XC_p<6MBEE{BAh+syhFO3}L=W!vW#|BVVNEGL4HO@sCdghqLb}Uqxae z0VAX}UM8PHKwo!=bqZ-O=sL@ORxVB%osNtJD1#{o=IiX8)7b*@0V&X>+fx`rXeJ7U z0W}?)2}LrpIBjqrH3WkNKXV@l1_leLc4TQHI5*m(2@+Kj>ho0g{e- z0C`6hOxbU+LySaKq9$00!;zpd?GvJ19jpQ!?Qu0#IWVcpT~*!^=MEf@qQ#SHh#Z7) zp%<7GK5y!$0417+ScI#)=J zNT6kN7s%E-@?k{k_zBGW1)Gq3D&hs+Bxyp=BK~J;d>CT9pAB|0UbbyzzGX()K7|mF z%K#cG0?o+D$ln=h=HPD)##!VRwO<^mf@oB}5N6)tcgS&rGq>!f*x)cJKBq}jIRoO~ zzClh#dX+p*+WKCpIl?qBzmdnJXPoxRM;JE=`>KUvN~@5^$QB~QqLK{N?&aShifvdu zC|u^@i5f-?1Ecb$ntxnas;gzFALT}Dtf#E}V#h-|#fzG~*-r-EQu}NWob+$owA=Ax z^m$#uCrFd--ttp{6=he~_-)+-Q;=_vv)ua)IY=tyPgTM)U0^M836bBd6@Gcs1FI2C zI;avXx9lX+BXJAlZ_mjThA_^P<8B+F0eP?7Yq8OhwE1FTl$D&rR zLFp^kAf?z)JV)zix-cKxIw}Vd`JJwd)-XDmRX4I!1(FKKMdJQ)-lb-yF1R4SsR7G9 z^xI72WhO~=RIjt+%Ax_od zAMJ@|T9;h)yh<-OoLma(n@DOZg$3+L_@dZV$m=?nvb_BI7M|H~)Q(5PPMd6xnQAH~9W<%sOa=YG(R#=Tj z$|y`UPP{n+c^7+C%xJbfbJ@4N;!lq8fLT#U!)5kFrQN>`mfAS;cFRk13~5Q7fO6W;1C_iZh1Z6ipf$=R!x> z40t)?P~hz?7weB>rgsrzdi>V{LM$R z`>pAYTJ$1Ld4lW!$87!2J+V~AmWP+A>R&Z37olFb{v$NHBML3S?3Le2@K;k%%V6vsOdg$j424?Z;+R=g_%hh=I-L0zCV^w; zQOlP&`%7>;XlLEHj?eZrkEGl$%YF2uzxW=0dm!a$Du+m=`55S5f0Wm>qB=tdAf9lA z28^%3V@is4Z9w5kXjc)UHtI%{*ATU-;s_=a*&Fr0M=7_^)L!VTz2G`nvk8w*Lpj~S)a_2#)DP^_ zM+8j#M@FIxoiOzYK$q*~-YTHBduLNeHR;ZF3`?q<0q8`bnv86D1!-TQei-nAss+@l zM@C9;>@g^yc|auBa!gfxj0|ik$4-c?yL<(Jj#C93{tc~yVq2hM_g<(`Q~1Vjh#a~x z2MY&vve!cM4y(q(Y2wIs#}JG1P@MH-0&%%6#%=kLvV_}XIX<=?$OFI=+Nh?6mz!Wp zodM5G6u*mMwuG|?3>4z(MA=QOA2{H6nP7D;J>ycvqpXrbTU*m2t8gn(c@)z}Enw9W zE+v`Xws6jP`8$*Ry$O1cCq~dSrq^vu2eU27__}wPLmB|>e+QNxAc^L8k%OVC4 z0Cr1w;onTS9btCXMpax!C9`E<1$rwbTyh^66 zeVI=!Pg8|!kS9+ZqqZL8Y?IyJlOrhWz>)eHD7%ze0P|BWTE86m)=^!-09{fKhW@W@ zFm;M!5^R=mA#Rz5Mo&Y>5a!nd)=6BC7kHu8i8ugny?~f+18W$u2Rg9}Ne4i37E?Rw z*Q1u#u);jT->%Kk8^m>R`e^$(|0O9L?29USY=(V;|{i|eSd!^ z)2P=4QYdqMId}Va~@Fvp4)fJ1?s?OUEo3Zl(ZH8bX@wDUf$aHYED=yKCTG` zk?oeR!lQ{P02KiCV^6{D|qpo(6oA_1L&{;RMX*l36?G3dNqgl}~%!?0&q=s04= zOdNzl9T3x_Q}0}+$9kjz?4koU5(Pl>p9L5m*hIp2Jl(0Ag^ye4D`$blaVJAln0#F?~T$R;K4ZlrR!ni z#)VD$mX=e8NOtI$+H9q$_hxLvl!tVO;A!LI`>*ZqNcDvlPIBaC+_+XYVh`+y#Xr&U z9^`u|le80mR8fzLs}VEWHJ+!O;u6Gc4*76S4x&1XlK?sm=nN)PeoyT#2ijM^4BXLe zF2l&zYfU2xr6DGNhNxn;OdW*D;DgX9v&0kV);zg80xT=D4qjHco_zfgXcg0eGTZZn zcwOy2N=8D4>hh5MhPqbgIHqf48$Y7(;zmIJase8wSN=$`Q9{)kM7A__MQ4OiR`Op; zK_Hr7eld$H%5Y5c(qHQ6gXx5gwMS?MOvk0$OMjEsN98dxy(7BeELOlJu9o~RPq}Uj z1@T95K4Tj0lk-GmXt@Md6EIDoxmI%qe#n&KoAnV85l6zL!!DrFev`>}?Z}{Pbe*2D zh0I>6EuEGMaNr1mVbws~d<46_1DU;ewYN9@Xe{io;mSRQR2@A*k*4AfEJ(u&RsJbs zP{t@7xG^lj6jNPWT!#aA^yz166*f)oPbq!WtW)Tne%QzK&F1h(?bfB5p(-1BMW!%UZjhJ6IEW5#(<&I?0XX!~<3kDLyWuExvY8-4&yZG$L35Nhm9t+t{q zfmCh5S#4wE(ntBe6ZS0K1fq@nWhPP+L0HRFH;r<7#RSznb$ZqWf8x_K{7+CRH%N*w}SSpi{6bKy%IPdf4iXFRMeQ-4<3F zToPrPFTq%~2d@iGEN<`ak0ieOWE3N?+ncD3)yDSaeCa895MrLtzOVHIbgCneZ*M%e zbCTA}<}uST4mBWKKG8SNN3U=1R?CZCkZ6JeOUx-SF-60M!Z5|O%XwZ6jwjOK2#92W zSTA}Z_*v*ipYM*3p#1Ij#s=fV9-Xkl!k8f@&rFBqE=u^U4bjzZNn-0y(WLDk*CtTGGb{~}I`5|6g#jSv=--;2PUb1 z5Z?L@-`#5er})-=Bto!j_S++*o&S~Qj(S#P13kWO*x1MxKC*+4Z02RyjM-tM`5zbD zmae)lz5O4rynB;~9RPNw|9O+!+9Z*i+`IVyc$>R-^uir2dvuYvy`N$9{h_pZ1jLv!~`#GY_ZQLARqJ=&$nw*KDn+agzYuK?fJL6oVly2713n5 zdpz^DRp8$H`s{xdciO%3{>yk0DS9AQir5hDOMSPTeD{(=_1rCzzg>CX^KYwm-OWJO zeJ5_q?cB?n@4hpCFBmE9PCoAB^>5F+W+T>Hce^jJq$Y+?U<|NOAY& zq>OuM{{D9NJ?wAqBt_~J3@?A_j@?&vQlw7*>&)LO4<7UPbN5xB6sg&J*ZoInD1XoQ z{h5szr2O}q#NF%ezL@v#N$<9gy9IYQ**`Xl`=9B%*Gv9Z7x%S;`!av0_1(R<^j{tO zKU>#7*U`N!|3mV7H~rsL*xejO3_7>Rkh|UJKVR8`^yn%;0f%2p8Yq5^Y}bipur* z4^L`bub%?yJYZ<~pPA|I%=%yR&;QI!18eThKmRi`-J3iAXJ-1_y669+ndu*SLlYT$ zH%4`vZ>U4jvpVY8RF^QE9l8f^Q5OK>2Yv0Tr)B>W;C(HrhC$TGWOsEmN7_jRwgk6 zen2B<;#^$Ln&Tx;W@b7uR z8n9(pVCNJodt^z{rhx!rd^)5^lMCh{T~?-#TqL{Urm|P^74*4%E-fPsp4EqlkQLx- z3FO{Bnvs!(%}P6Dkd!PhE?3?~aFyis!FOz7%XOKuRNz5yiR6`X`k>e}kED2Wj-mK8 zxVJAOoCltkG;OW27HP6%?Jsy18dKTYAf=^e6upadQid-W1!QI#ucS@D6=FWpC_Zfh z9MNT_$q>V#lVx9kV1wlGW@x{_eS9vR1mD)+3Y!_wj7n^Ah&5|`5`N1sAe}cu#&6*= zaVNZ@Pl*&J30fe#Sw3$JFeW;m1^u(mxSb{=Gw=p7qAGznCwFuZ+gK%9C;}zJuPrC@}6>5I_O*VMTRs_M%pkpXcET2 z(F`fQ=rxS{!Yzh_K$p%Zc>{H*x)eBPLHRMwqsWEt0SR5?)|sIn)o_K9mf`Hhr=T&+ zZ%|uMA~Ubx0@ea4GBUO80|`({a>mR@a~^;al!`0}zcP0OL_1eMu1S~p6Hu{ul6D~^ z)A%xLHYf`bN(){snvWa$p!A|Ngs%YT=M2(hra2ejNzy9~1;|^p0m{|m3(ZwQy=7%( z;8TIf5uXzL5}IEhjn`L1)IkW^s38ipK_y+g8d~xg@5`EWPbdx>piQN3Df7PrRhxNw z6PXn$jLfu+D=}p8q^(iygfbf@CeGZz# z(_k&rr1^?=s8QO*TI9v^;MH{L9+{d4mDe|N=QJr)hmd?}w=x@AVVay(eGQx0Ig#cp zXQsml@T!J+^M1N<=&f;gy4Bt81`Rqh!(#e-4}^B=gATYx)#a~Ip_LYOw#Vu;s)o*X ztotzvTU3eaSdCq4kFvM2=+txb98En^;$x!|_3;MK2dC{Z_E{T8wc#{ zooY|8TkNde8s9oG(QdPIv284NJ8ySbk`j|+or$j4w)PaeTP-Xt+EcN;%${oZv=W!U z^V8G=RcRK3dH&mjOrcuP-l zxut7tH+!)<^y~*Wrv=u=c8~9&J~=caa@z8s8j?Ytp0k&!|MlHZ^9~Q#Y3Xe*kFRj; z+kgK^sTwxu&M4X9G_Q|y-FOj3$z_}FjFSJ?<^GSuW`72BXAQT<%rs!g#z+kW;#&A0 z;hDe7FOQ+lBLAS`cc_^4_p|p~bU>AU`=3Sk*B4|)DgSU3&MwFIc;?le7bmCSL>1`K zsnzI(QL*Yo9IuJhf@wEa+ZpJ^uSLE*j%lD*0^wA%T{}t-cSyEi+<96&R*!lGE=h%p z?eM+p;w+8&oU1TaWzi&JyGCn%^4u~=3XN-Va-pls?c~YuocH%yaO5{!gq}$5hF!B> zixl%c2KQ0blk@(Xjx^>O8rPSvKtVqSzko9R|N1@uv7FaoW@tAi{&qq4&=`Qw6~$1k zG${H`QQt21R`5MS@ef??9q&HvZWTb$KdEL`sqdS2ExOphO5CEmTSJke|L;d3*)e=~ zBGzaT!T8$C4o8M67Tci!?HY?#J$P_wX{t6pDi%G0HLPINeh;tp)>QdTCys!;zkz9;;5)s#mU@G%2=K ze3V6N!FE-O){fw=d3hH)Q+lPm4*V}(Dj{i*|{bRlLU^?H^ zV9%sG_%2%%Q*cj=P=W?^X2QkHYmE@MnLGit0%3=n3Uz z$5|@%xhN=$&bR-vtI}?NMq2Na7`l%gDlb-TQDOI6i8#`SAf+lzlY(2pRj5z}_W{!U zr;-cfRqDc=#j%=rl_gSv@Ry^|qJ2=)6Z%tUb+WtAqS8X2DO}to1uBM`oEHz0Nu3u% zM@e3p3{O#IVAp5w{Jqq}U@*K>>bo`Or!}s1Z$YWQdGvOv|MxeHl=^=^ivF?GuU^tH zAML^SmUF-CQsuRU^1f?~xowNH6FMRz%^DLUfTlV?T-oC80Hat(>K#Ma9TIRY(Ej3F z#$@cw#2SOQ;Z#~lTTf_X_XrOp#Tm2Vggv!zuzlQ^Q8nX-4jVlL=W7N}z-hYb(Sz`7 zi4k7>(e`2EK{a4eMF!F)fS`aA&kpzywYAGN)g7&F@Fa}3-@%w+xBV|mw`gY)BaVU! z>s=Ooka{FKP@`5%5#$p;lmXIyp`%>Ok`H&fV}5ivdZYeam>?f zJiCUC=e-af0R9NRL5@T09%_2v6&z8pXQJ@~fNG_+c7(A#?oIswj-0Yps7O%FQ;-ydt0_i%LNjbUJBE6b+K7e~VU?VR zY>W6gl*0VZyg~KUh!=`~)C{bqegYo?zuEnfG5$8Yxy^LjkyZRBV7-hM_*JvIwAvVp zLo<_tXN~crz9A-nZWVtEmyQC-*4sqh+JJVH_MmKs@*MUk{*rngM?<8jc8#WRFq}$c zM&f}pJManE$cznUY0X&5_cqk)#*D7vpQ`papT-|K&A6R&0Ga}Eq@c$MEEJ$G+_298 zl{JNW7VAOUn$l`AQ0cAmJR2ZLUjLaucEhs>d3p~ep(}8CmD%tEH<&j z*m^e14hwN8yS>;3Wlx8N^GMGTae)da1cIvI&(7sRBhY&nutP|(7>8_6;7o|}p2?0{ zi|wJ`Q3#j-YWa<9iETEv(NF4ZKShKaB5eNa;nn4HXzOE0?uoR`wrlKSZNHL})Ee#S zAjP~60o=9>ZK`(%-hlnu@p37~*1|azkDw3_%){D4!0J|k&=lu2^1s-7`?x5o{%`!8 zWe@Jz-I-+;W?>d)VHS2_7Z};qU1gPpMHdA@0R=@xU367cFjRaD6%&=z6rVMpP^q-M zO4HJ^EAgqUEH%x%%8JsitSl|9?7{BOYW3~<-rxK6d)@#1{X&^P#5p!Ooz%{Ac7cB8to~&5Sgw5 zQ-R%yf9X40t*QqY%;rX-5kMlq-_aOL6E61R5-edjf#-~GP|Tn1LOpjDg3eCQM;`N>Lj?;F8RHCMelf|#akfb#M#I87&)SLarK$=Bij*6N2qtaK z*>?UHmzW8r^|Ky=XP?XiBE=5rkM|w6bp~!p97V;Yw~Ld zXLtM))ci>s=7jO)e3jUjH;H}Q-^+bZ0b~&2Ls1|ayug;SWiUSu4=?ME8L7@vF3Lis za6oX2QJHf@Z(e4nl9w!tMZ3!{4s85c|CJgyVKws}chKt8kZ;PavfrwOVrdrVwC%$K zsvCg~Bpm?fjVtfMx-SRs$Es?j)Y-LxPsEdUEJEpVBqJ~r4+Nj-2w^-PDL;$QYkMcM zH`G!wTwebq@?NF_r^o^-158*}lhcU!Cb*mXVU||#`{+1VcwG`M2kRF?+1w;VdXW6q zwa(`-iFN$Ku-1ANDD}}a-|Y5Q@idL(7hQKq@0U+Qq`a&a3}r`@^`N?V&SVvRiK<*Hs5Zbf6dba5u74Bxet1_0VZe7%~DkSr|s0Z}|>yLWc(;Oao zW-~igMKmbkni5Urw~{x-CUO*pw|@9pRLgNBS0yJ5W=}_gxD7B+gRo^9*F#xd%S?od z@Luq(Fl2-0HA#f7sh7bSu~a2zAw!kQvR8gu8OY*zc9tGwto zn`f$Vw+J}_FeYtXKqfi8!LiBx6lO%nCjSzNu!pI=jxx#a9SXwpd-HdZIZ2b@#2(;@ z$qM>Uehll@3M`qz%`+^F;&ti6%G6AJXu4z8`J*Knl%h5mVtA%I+*qC-h$is^$Wkvb zlxVOQ?MH^gd6h~npcYAfvUm)iMV57=-+0Rr?hLXc*T&h^8h}J3IAX~bX%o|f56~-U zC&u7jNHoT) zSw??ntG<(p1;C3Ta1mywns32ey~qt=>Es#mwkUQh*FOdcL*QBeT4eioGnk^|`FaTH zsykNLRXkq}#=Wl&H2|M;1}(#BFy@0?idrEL3%w$xH9wCTyu@@@Z5*g|#4D>u@7``1 z4q`XTW%mNTXSacP<8gtmS8Si~)}%C2}7FmrH^uU|*#bg80sjFx**K z!h&8_CaACA&K+f}O#>DNxU=B{74StdV=h*KO@rqb#RMRO{@`(<%uBF)a=iNA>C5oT z?p@fQ<~)G73eH=w8%b`*U}2~4IrQC??I+_duVQouCo&OD>PFsURkE>07*3Pneyhoc zYkcu*qNgqAezz>u=2nkO%gaGE4tV*FN6ayu}Y@wfZO2 z)pLxW32l0+t+-%%lhMaV&_u9x`&o_)V?WVYk84O3zN`O$F*Zl*TOzQY##?$fjv?tr z1LNWgiV-NynP1n^=Se2+Pq&dtAO^=h#&nh?M4kKys;hqwU&JDlNyf8ImAe(uCY<6g z;Ud7XcM&NcnuQ<&>1p?AC1d_~tdrU&siW>A5Qf^HkN0=78r1&T_Rd-+!tSO10y@o< zO-UJmNInkEl-9L8Y-kZ%PwBO$+(}_H+B+#M*Ne)7h(6|X`2I=G(9P8u%&U#xk`k0g z`Z&J~+t^LKM!M5{?i!h38$>h(n2^ybSx_35YEhN>HSYAIws-X5Y;{Drgz`CH9bcR` zGy%Crfk%fp)YxvyEk@?MTCW4u$CvK`bs8D?@2T?VNNA*^sKlS}0z#&+)`vi5BNy=r zq>ereav~B2%jz>j0V$Qh3~;t7^dnVS7xOze77!UEP2`aXqCdwX+)aNdK`f)YJVV0V zt5E-LA+Tw-1Gt~$6OoVvR66?7D5?SIpJQTky zMuM3T9~2W^SDgouIFD)JMld>Qk?BJT*E7-lhOGwyu!=l>1e{!*Bp&47r!(>onx2nn z+@_yO1D9ZwjA6y(%V|Qn7|)L~JswTtXf6H~U^SeD6PmuJPUw%IEKAn#eBMvt_*oCA zKQ5zlJyao_=F6o$Fe!^hnrWNZ|4xh?hMnOGq0-X}RmRi(pxS~#OV5`?SpJ==>4^P; zvX7~m*TqTlB7{qr2;oUw<&m%mbZOkZ$<2&~RHJ-JQP3MJ<=)0=IyPN})62$l-1Vux z*+g$`(bjOh(WQckx7ECb;#5vwIgpFg+qC&fEZQK>p=Y=et)<2Wov)3~5oNra_ytq$f<(s6P4hgV5Z=c}ao^CSDu}q+<3ZwL zdXPB-wmd>9eI)fR+dNkiH4l~`=Q-Qszzj9hg5#r6D zFd(A(hU-r1&NogNjB+KU-x~$9Zr(w~l?~Ka+JI=Y3`#HQbQ2@;@8-oKevtPYQ0#$Q z?fIIY4dZmBw~*_OSR%s-E^vOM;Kwl2P9pbXVHT5fF1V8khjCZ^Y88KzmXz(L;8;SI zQI}B5oAPd(L25SW_zwlh~!gYP%VrJpMGiBbI0Eu9@-Hm`0p3#k|DNexZq zqnPBz?L;$ovl6$`UiuFsSrktOd)FfHH87HREL%nhtwx_34PU=*VB+vpmq#h;y=1bDwlA%pM37_Dn4Ka(*6W*%DBlDNEY z(GpLr0zWKmg8rQ<2ACnzdjTJ#6F19!jF=H(X_|9}0#7l#$w?ivBC!kWa4smtVS#ZN zbw<1hYs>o~GDLjUOTf&9ZuMRUCNRP^HBmSd>-bWs z`3nLcb&;#6-tNDJo9F;0F|)JxE)plsVNg-r@*-!UxA|_;tNH6ZRj9%u2v{ww#-(&JiE)Cyo?ckZ>BZGtWazIYRva!o z0nS;%6I3V~(D()jUfRZ={MzKQPH-Z!q~a>)#L>>VVa#nYwIiS25tq77;i+OezJztK zzY64e1=Tf^9PG|~9_PRqBk~jbKZ7g}b4B*AI>V6A7b3RF&h;qoCaQ|X!V@@893h$g zM^L)8G?_$L^#VgxY4zE*)wYK7N`6@6(` zQR_mrENaX~l^E}osTh;F#mH-#BCPX3d_3HANL3z>#GLjR`(BNZQGFW6J69rx+uI5^ zo?dty@ZjP`0G^5)iKg~(L?vmPf#~rv8a4JYL=%RtMCo@9e&uVook!Kq119+d0@AfG zla6m%=Imyu>Va;#f?tf7jKD%=t4ioA)?4lvSF@rdej`2IvJPvr?uz>t1W;g#%UXGN z-B$?ilZCKTvE9-Kuf?4+#|Y-N-_W)F6A{iaZBkBw;Xl93<|?TCgd}g#5;^ zD7Jxm-Xp&4_!xko_dYRehVWYJmk&ppOEH99X;_U@F_877uGQ~o0mQa1J)gWsR$cdU@49cJ zwh5LhlEJQ4L%^7RU7E=m$XB3bNgfv?@#dSm2jc`3I^h_Z!00T12RpF=M zZ~h*y0f{G}5-XnOqgR#2i5KbfMe)`BvmVAK+q3RBQn<-VIow{L-Mh}bCz_oDG9Jv+ zo;96pCz%G{<+YF(ft=GA2u)590;2q>CK%VDO)-!x>JjqbT`j-Dz;XI8X#e?b^ z>U}G%>9Izbgf~alWSSQOkprdc%!@RJ*CPd3&K0HBv=TpV^;cJiHNO~WCB3SahG8?_ zZ&Fzs_L59X7w(_9%wpy^aW)qT1T2yn^v`-vzep#)sv#C>K7UUf$wx`+{a-3&!1G)VlrMUR(KGewHquiX0mGiH`dMZ#UY_|b8pkH<%{`q= z?U~KQ0dkY#JE4{LnPq$q8AAR6RE*xzK3;G7HHPOb^R*CIBGY^NlV{7$R;zfOK0Fdu zx4G>0Omf3!^F>HsE9F4e2biyEyY=4k$()WhC=*K9vYfnRMO6%f!N;8ogCSSeKGYK4 zFq$m3P|{8v^Qrq&fZ}1vxL{iPKEx*-hrvDVpbPYTe%$HAu9d63% z1Sk5O?L0F9`^k2|CsZGT5wzLN)VIyv(v|d7%00bP`I@&ncJX&@t&B1FIv=a&8OF$L zG&v}k4zaX1Y0c%|5sKBOOYg|^7kM=21FuEn z0T{XB9G~3yg45+6FbqwQ-%`}{3`7zitk#(Z@$$KBj{*~j@#QnsjaqC^kCD!MWTl~} zc$!cxC_$5S=XGp+EmE8gYBNChNOeXNGP{JM#g-}g>9{NCCqk6JZ#3zb8=)w7py~lx zV%87jxG;w5%0}U0=LBRMjK-PmDe{Yi_AHsg=wKCxe@V}Cj)q`~kX#cYgTOPO>IlmJ zZ1>UfuMsn+ejemn{N=gxkvE8xazl~ReuXb+)a9p;17qVMJ<7Pkh=aeT&(uiW8y_Zn zomFX&2;N6^w)JeehxwWM#ho<80|18w!lk^$D9c<0aoS}NI$hxeJ&!o#U4tMlZ=9U} zn^?@hC`R!|9K}`nh?6XZcn{Bs%fz94EuUh|vN=a$VB^yshIbiDx2iR$|70XaL9dn8!?$HP^y;=K8XITbWeoA^mvPw+8ZKefAxqHt0F< z1Ii4{LtGp=VQ}=+U(ll3RK!sgmPDRSf5~}_8rS!M`_(ax(Wmby8O7wokrjaHeYSI}!uDwHQB3kI9_%Ee>G|q! zz}u+_G)v8l9(TtRP?nu=`P=Lz+11^=Sqezm71CPTP1of<}Vl9zIy1LZ_6nr1iV z7;bU(H4uOLq;F35g7}Mh)91p+A#E~%F2hmjFXjH|w2-_KWCO`Ky3jlb?(N*2J@I%N zrvxJOH^Z-g+wx3%{l=}#I!;WFhhg?>jx929I^$}!lt_%m13m3S8IlcUDNi(0Ywpmp z&l*9g>&WsN^ZY1gwE2=YRLFx0oF7Vhxu}=n`k>5%?5;}vQ<1qKb~OwOR(_GC)b`Ar7iYwA?lh>6^Pbia3?>QtOi}Gp|9QiLO#+0NyB|%tMGYjpb)4{Divt)+Yor@$F<;e(2K*JH)V_pzvU$45d#uP^l->bzW z=V$S7ukHKs*{dJRHzFU>_q;7&Qs>h zV!lWiL)!d5JN@DEQf2Okprd8KqP|;Da=^cWEaLR_XE?5DGpXnF?Han3(=$m13DBBrcL`Iq&SFpeeY5NO=`#L_#ddG`|&#o8(i-5)WaE@tTeutEt>oJuuLSg?h6) z8a4K7X~)UdsTzH4XU;1`3)!rYAx_r!(clcoAVZe0U@^iO{YN33SsFlI0r7i?z*oUX z-K&+vZoH#!K1}q&V)C|ePzs54e~Bz_njKmuA9GDlK`ODCE3D9qMfjdC1{Yzitp)4+ zvw1&x+xeUVRDllZlT_f1#o*p26Hr{Gk?)M(p|_bdeU#erGQ$POIQ6JzwDd7f%1nWo z*o-2CXb7)cgdnGycTJ6GtOXSLITxSfjl9a4X^vnYYI zRIb%ekIZ@;Kht6*X_?P}dQI*lQI^xhDpw(#2g_4jWni?@Pqeexk9JP~wf&N~7st7p z2!o4EkqH;SC^|0o7EThk<*sX+Ad=;-rTxKx)MI#)&#Ok_UQ)z6V1b^19|a<|hu|sK z5%HG3gzzOg2hxdrF*SK>5jYeKWjCa-L%dnNMF-90!3DA8z=#V7482@PEVD$Qo<(4; zOX~;vI*T#ZbF|IjF`a!=l=1TCQSNwkl!k*Vc+Kv)etXvUBSxpyxT&p$c`35onX?*`<# zhe}5wn&sOlmIPjE?i7m4M9Mw##l|voS$69s=kE;Y zZ*fT2(K@7{K;f={UcgTj=FvMtH_up9Uz{x3XficA&xT6|V8^1i?^`6g|yDhvekn=@;N zuE1F4_7H~efgka>ho4l~Kh-zBk7SucdOL{8)tnRcH_WCNqG&G1l5B{Hp_R2t)=LawBoIN!GQ21x%#H zROBPk(q__)78%+jirn}~!)_J7oun$|uk5J?W3nccdF-o!sO}w-&wi(omm((UU5>Di zeA9kgUW*JxEGZ;Cz(a^s8m}gU+9Z9JbR~%pOyE(L3C_KUPJscqS}FIiS4J@BOIT*D z`5MneFc%xkLj@0>Rs^rIQaqh231pXiK7ttymSoadpx6Fb^C8JJM%(QiSJKLE)G&>f zL3O#!0+Y2Mh`@I{pNAU@Z!>m^2;E@O=n2oIk?bCg_f3WM5rcn+sZwvVa;)t!UWeZk z*q~m}F`qb|f?Pk#5;Ibsr&q{-w0nofM~eoFG9 z?P)m?OI_G?UC2864^rko>WG)tH6}yF;w9mxiQJYEi&5#JhPivOHRpSW_v@5C$4$tLcp_Zzl{a-M7sVR=gAUNr%>9ba_wNycLj; zpr6@FJwD_rR_9W{OXvfO(gO&!;)A?x2vmHT^r9=N^qLU9NY- zSEx_k&XHCqa*(Ms*Ombu#dL?XQ+|wr1b8p$U7G0L5gK_+%PH<#b_5X1q&EyI?otH0 z{*&>;TrpV)l4STUT5ew#-&l3<5h+bzZ*((19!pYrmZtGKkfuMgQ~#D(KCfhA^fRN4 zUw5^%@6ORjsCH|KX6&O*{Rd#;VFE)swv~d?jos-WOD*nmkC17$uF(JPIDf_Fo+{}X zUmSJhr=8sBc@mrJ{KR2*&E^V}a*~xb*#;Zei|J(yyBpRtokGhLRL zbmPlY+1KNnT0ueQHke(6rwA8D@rZH;9WFKCIb0uv1h8qVV;1Ij5vyjXUz{$)i zF@*$av1~*1U*2g7n(pfblU)+^6wNGHuHrXzd>d5zrZkSgdHMHR5^jYlvXU{} z-J zh3sLNJ+g{)vG?e~Y-Xv}p34+wM4802hl3piRx?{m<)aDrwK+}C+ zm_Luf-b|UT(DK=NOR?BjzB7rPr>1V1pJdv|z}VuR8;>0TX0l^7Sa6%>Xo(&lpZ~`N`9jYMJ3Y@=Dicp+X0p;mw1P3&uyah z9E-Cub?tgNRu!B9krvIcdsVbn)+4VU*%rDI8%OXA9pLaXcGE&i_rMA;74EAUuri!h znPRMp^ToB{e3*757s-*`n5@S}Vll|}+~ja%b?=QNU9+^62_6GF)4^RQnH)p^&9P@X zak}Qirn!`K=a`~7=IbgV@+_o=hw_n36Kk!}ucw|@eXv%u8QN0BqoiAKg2>x)PP#+` z?oHd#KdqxX(?#yi4EHgCBtd9ZTEswqg<*)S)qjxcu2iS<(rG*(*E)phZa;4K4WXw& z!X5qG;PXc{B(wjBcIr^UG!56kxenT3ZN={}Jc!H?QHO_cy5%~@@5~$UmtzY(1y?Xr zjVin!&Z8^bnPFtS~W^O+4K~Hdx}4hGQ(vX zS?k`S0GaJ&9Q%d_4+?ejZNUaH2&uCJq;s&2f0n7$&r6XD07qoF&Gnyx#Q;ge0|~Jm zVV;7yay0nVk`|@R!G|`UD{hK$#)h#6K@FDl7fj6f<*}qMqorfva;9vlCTU_s;H0}L zyn3gY$UUqC*qPU|6)vb0K(hB6E#=*P6=a16+_hTJ%F;av%uKek#`>0++fVIHK<2G# z_TMUM!fI<@YG0%wg0(@y6G)`>S+(iBTFmDI!dg&6O~a+9=i(9w>&oyLm|6KUaVucW z4nd7cxUq-k(@0^ocQb-L0>*})UnPKxZvA*egVyHN|CZcUh54|uu&UR6QV zINjzG66yBVHS!D5)IbKyU8A9<`kc@YBq-p+aQm{|{Ajars-Vy8ZTD&olalhMvoQK+ zSoieyeFxW>)9+pA+>XU!NOZp@*$87^%HSJ78XC`Cz`S9Vk&gGghg?UgiFN}|>IflQ zUS+mbit89z8YyPw9tr1CYRf~2RNVh$2A)^&C89HDUqE=B{1LXe9SP|xcfaqf$KF`% z1&5@u7+e|vJGDWIz^QpMCXe8FdJ0s`d2hvheg%%>mgmhxOd%O=csJto4t7e6`K0#r z0rOS0za0dlnr%jn&$o}grx(j`U*jHXE9MerpJAqzl7%xGyS9| zU*H4^_QK`QA{b3G^sy?a4;uX4^^yuY2es!x8lam}o@?DC7(Sq;pVTzodQFSh*-u1K z9e{dl@>N9p%CAQO@}$+3jCYaa#(rjt%J6xl7;WmW5>0fL^CgAxBxhmp5LOYBb;M{> zg;K-gKx$LZX)K>OlsG@oiHjhWY=wb#H8$eB~H4qU^)R(KR zsa=KH-dscuiM-EG=Zd_LU6%@Ao)m~HZaF_fq=^I^3V=p-3oWR9W}-1A8nWKRYm6^w zLbchE1v4iburBv?-1sJ0E;dzXl9`ZV!ZYYIY1Pw0vX^7)LC-)282kUg?rBwo)I0u^ z%}l5b2FE;5(wtU3E;vQLFV%7X;eG9#gb*Sd5Y535aQd%L{e3GCSov>CoC$x2U*G@m ze{PTfP;7u;hYs{UHt$bN_J0X>{^uV4+adma^9S(p|Mu{7UOYZ2IT3KfdbN_0lCBPp4{`P}IgNn`n zBa8iilEqf7TK_j~gm7s7$x~)MU}oIBtu%ak0$cy_$ajRw z{QrG3|Bqas{hwq0e4j%8gz7#yZsXMPA;#99hjyRZ1A``KJcMu&;OoFbI>gSQYe*7`1sAGT;e8sRlzApT3Y3Wx zrUsb>5u*dsWD)Ru^MMgUhXTmNz(^{15yyx}kV!P=_CRDU*At*gSs^)Nz9%u}W&yGS z#Y5VAKQ94l!f_2JVq?K(gkyOxcL~>*>qE9U*cwXjzmG=!neB< zkna>Sj`e`I@EF&NVt4Wn+iW}=SpggDnh#5k%SgxACBMXl7RQn9NECP;N27EmTAW@m z2ni?Kdu6D+O7$JH9mQ9<`^nmX|-WR$R zf2s;dT}@~3rhFex38}`B=WHi^10hBd3|tEK(m~kErRC4@dO;za^G4jCN6PyBMe5i% z>r3|HZKY?_S{*_1UuW92U_5F z2mv%_eHpdvn?@}BqQHfc6k_DF9jmc0^!E z*D49Op4!K*P&Q3NF)h8}d|_1zh_(3y5IDAXl;g&i-2fzc=1zVv?coli<&#wI7m(u& z=tL8p>kMHtd$celx~YN9p@hY+`0qGA;|=&-Vk~);8V~m+(6i0y$6 zTi|*ZfV6c!fHZ8xkF+mzEG1r77m~~$B5}S^u18yg&M#2f{cu4GHzu$uNUCosdrZA= z3+_q2Z{2?`=ClGAaeACg4LAi{!1S#Xtce;pKPDP6!t@7P=XoiJMt5xBvrikmvr)4f zzlg8!KjOC>KAx`|;xH_$VyAIqy0IE`P}mE96O@<1#)moA1Eydupdk#nDC$9cMT*I~#(7Y0-iZGp z#!#PBCh|C)3Z9|h6J9VB0f%*{>wQpcxPXuIJlTko#Yy=Coly$g3wVxnFGPFrorYxM z95D*kF)=t>jFIYmZ2)^p#nGN}L=G3guNb^X>}B{}C8dfy8KVDQZR)DQ&(+^+Sr^(t zSu2*>A3nVU8@WNP#r40)-)M}RHMqu>0m!>T&}p2$2m$Nh;u-AWpTsMg-e^C=4+mz! zzZu-4t_nYiolHBtZ~45gxY{bsbNz%5(P*Ep4_TI49y z@|o`yF{bUcf;2cW-z)MYL@F>Z`sinp2C%N>2Gkr8s1|*=9cQDX9C(i1E&Uh zT8F3`KR4}C844n7Bx4iJ)1OhnLsOm~5vysY3N!3# zkiVo|?|claSfA;zim{kJQn@XV_70B3(f(ahIPKE-VN4Ky((oOvT@|7KEHZz9c^l_?mt<$27t(BBUreAnn&5m5jhGz9 zy+$+nCVkeu4t%c!j##x$RML~puWQ)}crYgx;)8|YkRFGR^ZcV2DBGK$m8W{ZRZ_1A& zy^8MZhlj~fOYU_riNptQ(C7Rv{vl#wZd`w?E*&Voj3-klH zzA>g7+U5%LM=b7fuosQvYfI*nr1lYjemIPu!DZm0YZkf#Zv-f6(JloPu#efo$Z^+u ztWK9Z8(`f0OVr1|MB*IDc!H44HNl`dUHMVP(`%<=GoNR=trk;8lqtDX&vpgX zWt!*;?jU30A1X0YYh4Kpg>kk|Kxo|YF^$d5K{(O$S|m*r@6dXFq4O5#xcbL1){>90 z)x1^1#BohH4sa)AhHGY~Pk5c0OTMCmguaeq{3bBdk^<)%%Y6e%vQB>p)+Ku1bm%*z zY&netd{^X9JGwp*VD13MyuKJ*8)#&%59R;d@g?`P{}Z^hG#L^L`M1EHjIMOfLe#de zUfOnfF&oW{n5Ss+Tkc`&xwmkR>tmcx%@_NJPLg1V$R+>zsv7L{u{zY<{UJ1>O3?I15@H7)F{|v9{ zL~G`g{7BqiZ>8*d9aBUi_VsTYzWeQTt#y>f^iq7eCrq@}f}UxC?Ny=T+;c*tFPUsG zy-fk(%)iF17ULVH3Wkdpg-ARa_szfU_yz(a+he8+DqCFHGo+fl*%-_1rWO)s^AV2! zjIi!G$T3HpbFDu}C$m391bRtxOsytUiOQ_d@S9v?S~DD#zQe>whv3-qg<(!F@{J+0 zP(VLdlRw5ZNyqR~9u>GrSP)N03Gg?T-%XNSy-cfhdFK#BBaUatc@oRKE8}qaBSMn+ zai$gxew5X#;Oz4!a_{l;9Mzma9%7uqtB%{e6B5lhm4{eExa}Irxywdz9DR;nfJj2N z8HedOPACyR;^N8%LiwkDM+x%3V(HA~09Lwt1o@>ghv$^lj%a;ZPNo4F7nmj+3`4Y7 zUsnudqEM7l=vT|hC@&KkCR26;d!lUd)+se`19^u8^AU z!1nxTnABqQqbd7H5-4jso+gI+b-p7_Gh3bRe-j*QdlPqo!OT_wkysLbNuG@?`%7R6 zfLGw%wr>GFOASMR?F2x|Jy4x|`}!60xd@`;U&D599P-7yLi7$(h zbT{rN^1&mHvCT%;xIi>{rNeRVN{8djhqUC@TQsW_FdJP@rrS2*0aBj)f}(o3XFtkc z1t7zUG+>|RLoQu<-SYLpipE9QU;riWn3EfTJrd2OTU6Xtj+gEbfxAis*CDuFM_Eqd zkv79QsExP=SvpzDh}U}n**ckKt3W;Bty@uR5A#dOT&0|P#&0*P`B|5ja9;CF70D9p zxwpfmw0$2)k--n7bsTS7*BI$q$7XYwD|x}v$J9dEQc70lM_AM)3vpb*!BG1&R~|7O z(&FZQ-J3^Aui0nC;^%Ecd|HoyT33L?lI34=gh>~3f9S(t4@0=JEXTin*?4rz4yhosYHcgcYWa~^YTlwRN?ONF+c;B0 z1W@3gH+9#s4G{q6G~ZSSexKeGu8`>;D)w+hX(jl1N_`tE`QdoFDOc;>fYzSDiLL3l zC$0p4KDc+W{`V^8sMWrJUmP+S=Pzdbx7Og(! z9T;X>6p0rLM~Ss*0dbc-y|E_X@SlR(k(BHMpfk0V6=TsQVk;TWSlVl)av+ufUZK3@ zBcSfpa^C`AHSi-mOWcC@dwar(g`v2Q{52!0k{$R_IQ zZo$m4ioSwl>t@xr00ndGi%iKw;yTBVd8Nq5bH54>;Q&{JQ|hY36kjDh9I&1{!H?sA z!6_D46O?pF>-Z0FfD?Qjfq~{7`hCEoGgrs&3!4D&o!En6K=oTj5AgAh1U!mg#hZL< zEByMFn!zN!9na=DQU>2a26D4;lwpW^ z-$DzUx!N~2m|B0i?ni3d7(*gPe5`;$un)C5t`OGu99}|i?aQFC5NKZG=bvl$eVOY~ zbTnQ3Mfzf|-ZItK-Nn)$q>=IyO2NR}@Z)^;mc5QqVr26Xsoo9Bb>qhKmvF0ZJ-v9D zA8||}VM``BQvQk=5(_G4rVb4;yW-udu(4CZ>l(3_U*-L%6K7$2>G(pg1sxtkk^>`J zwe2BR^lr6t1vcE(NGs|*(oEY5IS{6Is#&YXwLQq;!un)dh~385w6+a6iQ(|@fCeY= zfR=05WF1Kg<#Yb3GrS+ke;WBWMI%T}ng&6^;6WkbemdhnYXEYL_U|cnSZsbxZ+`_! zHTNY3)$@=t;V4o@jXH`|N!yPqv|T?r8WzzzpNUrtI2&Or3V%lVh5U6A8z)T`!C}&UC-J{W#n6_9w@6IZEk7MDM7;39fHa>j{0~ zptB1j2jp-~Q3H!hn)tz^TAI+%N$vjd0n<88Mvq!3ol=ipS+YnNcVvE^aYDj#;juM` zZiUCmCvG*xO+8z(Se)@m%VN`i%&=(JyWP zTe#;_-j^6R6gyxvxV+BbBBckcX_ ze{kjWy;GtcGxwI{YiC_QIM_b>*2PQ7b5Guk9@R+QF>=E~K2Kv@R5$wVfI7i?s&j_r ziTA5&9E+kWra+Jpuk=5Ws~K}(TJxAAx1B<8ZOffieWpG$x}w{9 zW`4!kO%*xsj4f9ktr&N8<`2U7)OmjE$j07+7C4jov>rsluq`k zyVor?J@L#wW9l;pe^5Ba*5|%wz4z;J&ayEsa^=K8`t5)D($+dUrB=5a9-s7lO%q>p zaLcF<2AZU4E60!72bXZ_hwJ{;$0S{SC%aSgDXwB%Qdd>&;p@{?=9h21_xR*bmfVbe zXhSeB=b=p%2}>S2UXj;7{DfG#x$erez`45DEl++puu5I@tt7gPCbTd?|&$X&& z4%(eJbmop_`xUlNUpYE7?z5KYVY5Ep(oH2T*uH-2>|uLGx!A&E8LF<<47cx6S4}4tlQI+DFVj)`5|u(T1^V);Lq|tVWcnX`Bctt1M}j@=6W1rchfn0Z_Q>x` zrksuITylO>^6Z9^Wn+$CIJqrGK3ld#T2Z2uMt43O)w(e9y-Vt*@w*z2RdhLe36JIV z^BbF@tG;-%v+&ryPYSk7+SRdW<3sN+o;#({Cp=QqfFmb-brg+STtDk4X-Tkkkap&b zE$szMb~ju&7jOOg?%#_&s=E5%)M=nR^`PAI(l6L>b-4B3RjBqX*#aB>Uk|DOV~)N% z-?NYpzn`Cvo74$L+p^k;wUcMmD&gUvDfK}DfAa#9rUs#S{FstI_IC|5ID$@pY#u}I zZv-1JR*d>%&{oV_xsh(%h!Fg&r0^ICAdk0lt_0JUw3Qn-MxbO0``NgWxRq!n)anUC`E8(!ry(gS z*d1`tQz-%BA6X1Py_9q%s2+uO9s2e^eylJ3{`Y1M57bVb5uEa%k@pkBmtoeYeuXwZ z`^$qi{_kh_KepmSd|@Ha-fzY3_q7&7Vt=5s_^0OLUwVt777qP`)|?;CfBJW!%^206 zZ~mv=;{X0Ce13k|!+*4LSS4E7Hx?zGUzY?TiswNaZYBKhJ4`{s(JCB{9w*@$U|oY( z_64$d^8p(r_LzJHJhD)%m&1|D&mkJCEE2d_;)WWC7BmE7mHX0hcz2v*t{E5xn}YUS z4g8jvL0Z`J4&105ri5L`l62@M%OmGwcfeeq4#H zPb}W>cRk3G-ob|+T=Qir!yDn&6O9{`)(_{yHvbpb;s4MVivQLZ2v*+ACY>OAo`VQT z3__oXdLRUu6qf@R68^>HKyNri_zVBp8y>tFm-Al?1Nh?>zCSd3^&0|37RY4DfU>jfPhRf4i z0WYZ!E8qcl7&rIEl#_Q9xiX#jiFQ!moLmKpsCn>}Ik_*u=itBfg%zQG zp#H;cKv_~4{9}MU)yZ%y-1dt3@muuFa+K8?u=|#Q`$AP9;<`QWK94JU6X5Et7;E}T&BR5?-Ahfx5csJ7pzKx@7b@C%vTI~w+#p2UUvTKCX0;dHkF5qbEszeS?5J|nV zM*4e;l{j9m!hYyb2vpg8g}|P5j>k$z7uY|)9;_sx91L!h(6UU7W25^GR5Dwzaw#L$ zDL821yiVX@53ZJ7%U6Iw=&H~!PbI2Ib?(H-;ajBwUlvG{8*|^prC2Lau@_ogXp3ffenq;5_&?SS5Q9cg^{&vSeLU z$c#5yarn{uMd=UPOHq~F7FMKW;_s_B9+ujV23oOrU&C?l9FT7m68H6v3zfG+R%ir( zmu)wdqXW`c^tF~rIJHqLF4|Ya#Nsx&SD5b#sAa^vSA=&&aU#^e_x1%Sb%zm9$D2<3 z(s$C$9crK>^RflWU!kV6bz`JRz81SJ-_RoYE$khk;JZS}92bD~=E-26k}>$6YjmK* zQpJaS=R@wit%sB`x{BDOzqA#D(gyb!QWWn_{6k&wV(${Gn1r|5#?pV&4JB!!?Y_uj zo(*|)3a2|9x#X|IP}kogQTN<}Fw~{4@^W0m&&W|To^GZEb*13c$mjUReho zlLJwA;2LC#+JC+Xy^U)IGv%}5MP+xJIPBgyG$|Xf+tH5g=pL&$#wtKNzC`Gv^Z#P+-Q$}m*8lODG}~s{?6#A3(`?!-+0dj-AWL`K zY@0v}DNUe-7E)=Ug`x$@O$xM>tAG?OH@THNDqvL*5YVci;I(>CQPG16iVBJzydf%h zP*K6(6OeQCbI$km{r>;^n)p3h7i_hpvKt)FnS}d5Hjzd7>}-eu0VUq^Ff`C)Zp3J0*VTjf& z%t6k72uIYD2CchAorgT{TLTp_T!WP#9Ee!!rts-nM28gXC4nB4^Kn_0kZg*#im_?h z)~GP&W)n>d+=J?FgSWd8w;_c~Ole~kLRST@py{37Y?@i!PaK|Fa!I~7X2K$3DUXRE zcJT96e5-@-n5vVyf&+?1$NOtt-C6RWb{V&&w|=UWO@PQ_kQ$DSe8rXuLiH({w!YZr zQbT(FHq(Owe_LQ7hV2YZ#I`iwKwFBq(^C2h@|8pE9Cxn)r0Obj{1u=O>C;vCaiboL zrLrgvlXnX=p%*`<>SN$1)7luOxio}oE&&3%{!Xrc!t@+#C;`mcHt>~Hd|cYo(ulJ_iO)&%_$=-xbKUPkcg}3Ib~E_W`GY7&`Ax`% z7%1CFNc964WE32FO)AFyX`XASg*jka4rJm@{n6g8!dUKYtKJ)9{>^|#dX}>eL5vb| z!p3g3`FF0|jjoY$x?bTVZ{Q|Wn4Q=@v9xQH8bN*3+Wv6Zg&N-`8{0QSfG(OGV2s2q zK9Fd8!Ev9Ueud5)0UzQjcqvSpAtGn*h0CK452P!FaTTkPvYBZ{=%h2a zrF<(!L%h#kI7jax8>Q!|RlU?zdOnH@X}t;XJJ!C5q_@lCFr7A0Mf)C0C+I1)mrgnk zxy(VGRGDeM*FdHg9>VP1iW^1)ky%BH=m?q_aOtFjv>P9(fC`$6N1}G?yV4(U5@(h+ zRwoUoL-$T2hv8k2Pa(AiSKGF4pxJ1e_FR@6iLYK&7;BX0>iEAwJ3gmQL-d?yePaDh zbZKMD3-3!KFa=JTVXA7r>^M1qq(m3wcH)wMb}G!xe6mA&NL@v3prsjB2;X z+w58_$VfY{)^)RWw{4(<>2FAB`&=l(Z4Na7$P<)!f;WT^9qoKhjHI%I{hJ~ugas9A zk?EiO-Q5xFY0=iYt>{z0@`KCWMGR&=p(o5E2$r~MQM}LbSww0{b&fDgF71TwOfF-C zEou2D`A*c{NV_`r8Gxs;eHN8qvJ+@WAV+FbUuVSe3EZA|&+VD=eMlUa z01<%m;53-l$#3Z$tFm0Dlg_Th3$?z{eQw7=;%J2}k)lon8?I+A<6@~auoy++P~Q3W zlcxdTcG&y*g&xPM+|RXtTlIUa^#1xW5V|Ctz^my^7w)A?tDk8dKrZT3EQNWBd;j*{lK=26Y{2muol zK;9$5u$EjT29DsR7fFBVm1k#ak6`IF@liwF3yO*KRF2wuH*{5Y3X6U5Hm~&r480@* z=2YQ!E!O7*fIt>6508k2o#xihXHfx z%x1S3M~N&2fj!q;cb``xq7uXocCavu$uXTY67TFZ>77tjMLxpMGkHoYbY%Gw3XQ?V zI0tu{1&%CZ`_6~D9xQ!=s;p9cL{;vmFSv|qc&u)E8SI)X4zZQYjwhA=A38TWdD^Y$ z;W(fdpij-<Q0_rM^eu7(NLV&up_k)vgSIQp_rvUE?ig{M!8In^ zQzsner6$toc+XHe1v!qTkjLk2fi;p9f_&~oN_FDd^|*=c2a~~$p9%pMwa-Ta{c`;Y zDA$@Vpsb3;sPXdQINO@SCY{5>vx|J6mpgGJ0H?zKY_NcPf#8`!zfnUl%3?dKU-tF0 z75WCy2Abz7&I!a?586z`A&^Z+ilt@p`fn16r6B5}S+9m%yB zsI7e!8s(X+Ml6i|@;PB9AP7D(G9G@pI0NV*0#9P=I98s9q{r}ww5RJa1708>QA&Og z_Z#_acF2V}#MPE2yO3NJ-36mdcT2q558)rp9RY%8Ky44?2E?O6c~2~NK&abPtB(X}x^<_4)I}u526NM% z*2rtb85zqsebqo(r}oiBYiTTsXcACvY9HZsw+u!M>R06tSihh)QGroE3<)HnOG@LzXv3%9r91e zx}BVwe73pGOLkWtD*Om>qIB%Fh0voP?0gHoU_EOQuO?Y-Msij35DP_Cyj(7~dqaPaRKCu6H6# zc-u>zJNW{20aBkxpoOj=5j(n)Te(qrG@ck>q*ZRK?;lL#rybRiT#41h=**_-YMjuA z3k9t|bS0rAa3O4qIrN56&Pb6*$H1!ivN?1X?{rlff*ow=s$B`6YnuU&S!CBMi1dgNN7Cg|sWX3Ec?lKg?;IWfG zwwO3wX$JSZg)j4!5mSvpSQ@qe1LBUaC&Na*h2ZTA`4}*l`HGKkWZl00flQ=qU^Dqy zrBm?nEzpDHE|3u;>*nW@q^f^1hpRi)w`*^6(MU`rot-dhP_(D*-{Ie&~PmtJ7OQ!N2mQ@{^S80rFLPpF0;kF7+*A z#TN;IB?)pROZ*T|bs|@pfHY6PP~G^#Ut&7%2)@UrYoF>RJ+--BNsy-rZGLXG#WTx5 z_DAl;Hjm!mK0>;-b+cZy$RiTkL^e$^ll-<+)}}p)+6>qxJPC5?ZA`#{>WyPVv%Cxmr&uiF}4-*tw;&6A?QQhjPm2C@aveG2rfJuW6PAE!s-_>(r<xS>2A0u<#Qb@qRIO2zqQF@LANxS_hhr`8(eAZuTe^tunFQcehSx zdy@Wm@a6WWg|PLRc$(?@h;*K@Wx5W>hr6NrMRh~Phb*Gs2)BAyy&WmH)c526PS3$d zpSl83Uu*ZeT-w0D2w(U|0vMr~`H1f$e+VAr4G<}MiGS8V1r8OBd>+w7(o%g}tmpFt zF4p9r#G1*G0qUs);k5RG(N)Nccgk#m*rvdu^)~T{qP!udu|i*1@SNbvfjR+`k>x!R zKi)&Fo`(gGm}c5QTCOrzxZhaw4{kETI@1W}B%hdqcI~5M)D@(r*5$e%TBo=HQuTelgk@5$;~hTCFrEa$ZCx@Y&X&3u(-N#eYhOqY}RvLZ(sZdJL4$&;4o!e9z%k@kMbVakXO^K#UNX$*N zm3z){;3o^N2vj1QN2@}?t++e4#W-V9O7IctDI7wBkJ{1!8V(q%ElGH^a7uWE|5V!( zXFYHBZw%Gav9@F2jJYr#tkfNH3*$THS|HHOie>~J-blu-AMrc3W!i9jNn}#zjKr6` z#A~iGdAx%!$;95&A3OY%bhovacf(d=Hp=pLJGG|pB5GM9EfB&Zmmpf^nq;gi91A$H z=cpzYg*-tC<*e9LR$;AM=ln^? zExI2I4@24pysH;pRB%^xHL^-wfay!7Q^xj0pa&V5rGo-|d1M695odl!h39wTo4G=h zqtpOO7Sqpn*rfh2#&@J+N8x)39V||tZB*+}M=TgZal6DX>A--!8mB#@Z@WbEYz^jn zlHIB8s8M7}gmolSX>&c5tg(r%g2Z~axQs}>mnN7(!)X|4j)}=Yl;UgEe$WYCwH_&t zg^ooyJoQv;Kqy*YI&!k)ArxJog#3sA;3<{RD#PNeo-zLzxv-i|D)4qY_3A4B3`&;Ab zAl_3^f#hHeU+cOff##}UyK|RLhvfx-tDFy1P3jBq$1^z*hbok!;5u_srm5Lc`La|O z{EjgP*Qkv;X`EChI2`9}%6Zd9Zo;d=d(PU9Aoa+pI%W#flSaKP^aE233n4QteE;ba z3RQ*RQXu9WOcNvz(pe{D22NoTv{v)LNT5ty``Sis=Nl%o%l#>Y9U6oyo=sUGsSiy^tjL;(rFda)lS6zD2SmuePw~w22V zB}Ky-bvtf+s(u;(96ziM!TED)dLs6!AO@Z2XX_qG9i#VLB&4F<9XtaQPwN!E@+WY}vUS+31VruC-EWNj~Mc@heC z0&07*0C{Uk-N_A19s7gpX%lgwoT6d6!np|x<8f&bLT;apz7?rgVdi#rpmG<@5+BL- zXF8{y*-S4ei8KcmfbSWB5Ib^nFjt9HHo*+n02?PX$LaUo?(a#P%C{pg=W0%$&e5lY z{^T~GL5LsuBBFQWN_2a}74Zif8WkAdIH~4 zLY3A<2KpgZ+TJBoTIPxm$A`xnpru?TxpWB?t?v_MMid`CCc!$%Lo2U#r*@Yf2+zhwzTthAL%I=)%f7 z2EnQjMdlrO73I26zuC(mk+Be;pzcEcnjQBbHHaWgg6@FH^^X`|U5hrXh0PTFDLA4k z&{Y?PAGhn&$PkY98|a}jvYV!Z~WISGtev6XAImL!b!HUg;O6+!q4;F z%>7B=oPifz-bA$s0Z&lINE4MHG6V?n z^Y?>BavFR)u6tp1vPg&9@`E|1Uk!L0UM+3)4yT*idy--5{fPEGv+r;{5FW#F!uIHn zQba59CRA@_k{ee8_?0ZL+uhKkXp!OAcZy2X;5Xvi2JN<(;5O+&I&s1odcd{J*wTki zrz@#z_F_|FeAS?M>Q!$-^q+^X(05u#L%lqsjzl2RwCc>qtPd!W@C@)q7USvYRqq70 zpE?K^jI+u~beJ!`tOv2E=ZwM^rk`2%7Huz)=CXo$Lkj6XHj|N?h)@TV&_z_;joN#Q zEmQ@fsn5Xow+_{vq*mY;t3S#MR&zXg)HKE%8L3@lOe4%R4Fc^})NR*RV*`(VT(^R&vxdc-6~j#pDJR8i`%}F6ugb!8t&Q7C&XQY$anz#0*4TGShW2JcX9_f(Rp96OXWcP&OQD6GUEcaE z-A(`2xWhFeJ~WbUgQe|3Gm}Zz(3fdB(xx}pvn>*xE!+p?22QCx%wD=EoQqW0TLe?H zRyah*tLtG9U|wk%M)RSg%!d&@g!iKA71hBNhkqNjQWxkOXAa7jLcu{mOp_{S7?^w> zP{GnqxI1ILd=TGmg53qlf6Mj|R@hqC0xSJm=x%Nott(u(0?Q3=!`x{EQWD+&w1RuM zr(+1jelV~Yp3xW4a;X;GIqz%Fvxo$cC&vcbV!fuFiGc*t!0CX)dk zNY9W2wJXB!Ls&0=_*3)wH2JewV-Bo*%G!^51JA~}zBFiMAY06;5?}NRqBaN>Wi=Tb z%9KsjMq+7hpXQ*wba90IrrsOf3+V8XVl$+3e z7`FT4+tG=#7u#xzA_-7naf#P_^mpp&N~o2-<<@WEn@gDY7e#m_9Kqydx+MGC2Ae@Z;_G zdpZp>nlo+gLZuJLR}Vzo+ooDea4>cpPV)S2Fd12XU2r(yy7xltqHsIkBiH~=SiZB= zi-Na1e1>mt{{Zx<=%+$AWi^>U`88yEz#z;kob5Gz z$f;eBR--eW;Xv0xi^HbRIl*4DBbmF%h1#*lKSj>N%xk8b6H2~SSEb1oEG-LlhZ()c zlV8A1O*p&)cy=qQMx&~psIjvy0~rHFOrSN6n<>HO#+AD{! zuFIS#bY(3^e|DYaU{!xeAodFup^qq6C{ze|!WLkBrrv|BXQ>4gwyC$G1{L0p9kjKx1N#ik`FL zIfD>?en$&xszCMak&Bu!My=sRyWKU#AiBho4`CZlp*iaJ)fO2jb?jH0;2{ohlAWzy;vSvGq2O2@^+M3@s2G zFi#f;CUCpLwjJ_9D)xykB*D8HbVIOCM%57{=D{{c&2l8l3AkqD3gqaX0FZrHbvRr= z?9ZyC$i)BX2rK{RJ5DLfG8>dm2iF<@}rNe)l;jq$wh(59itA;uha2JM=zsr?Km z6MVmuLi~gEB@?+6d7E^x-Ko|hRp~0fi>xgif0#>5vo5!jTg0yMuKA8*C#fB}WjsWl zD5t5HI^~n7?5S`Ks(^OF*Nj6en%!|*3c`6vJYK}Uz(0K9XV$`Q^?zIVR(JVzR1`vV zCUk|;3IwjN)wRER-cFkRC0P~u+1AySLFHw!jf~B`d70^O8HwzlWY#8H2PcvANXMC4 zVXRP5{e*W0cGuo!9&Y1Zkq00U@_`^I2nU3e)`P?+j#A}q*tSAAK&IOQ z{tNZPIUr@cieGXaH$h{c0G2FrLbWqEV7n4{1XeRmrKs{`1%zY2ZoP7cFdRP&I|lg2 zv50=y@-9lTuJB40tr@8Yap^i;<*nswb!RpfCK)1&r4WRqRV~)ZgW}``I{yzvU!+7@ za6Ny&aI$h&a2ft54dONGMI`DCyd+Eqi969?;4@FIfaR2lHK2ucCfBS)u;qIBJ0_l&uF7Jx?VDr@@TapIsP4fRvD* z(3yT@rLwZI;_YVsE0pbdh8-D3Gy=k>Oqr_clsK4WyanT$xCWe0M4dkenP2MB@I9Vi z4ln~u28|qyg%&=+^+D8k*?ZYaL`$XZh_^n=d!}2>UIQt&dIJPvgg0G&Wcw6bPgT!a z&+xu|=er+FaWtg~$wh5(;0>e|E(5Kd^H>q0Hw$ljo->6@QPXU+=1oM4;Qg^uQ~{7q z_2eC32VVXVtvQIs4n_07hqDjuLtBTUrYx`xwTI;e#?Ci@y-?km(0SBm(}ZO8w*>h; zWNuBKP*J`K6lD}z-W=1AqVCtZHuhHUj5(9(NU(c`v1d{{D?rF-Br|*c=5geJ{3hB` zrX57(A0imGp8FEX&*-7xi)N*Gox;oFs2=2RuJSy9qyYeg4prx3x{msmy^BCa3l_4} z*0cxI)GBgx)V8J*`Mc7*iXjk`{CNUCx&P&xQSF7sS#*y)kK>Gqp5^nZ{{bC9IdVoo zjP)=(z0g{lOfGR*31Ux++GyhTfVypD9mL}gsGCM3)@>|Zdif_jpLYq5k+6{2`Xs#- z=Bz-IZ}yvLH+lprVh9*kMQ`3=jQS<=`A4A=qn4F@ z0)}X7HFI?Y!XxN7?h^wVXHD)Zek^JyaF8f()6?Y5V7!BOf=gjef-V4586n?7Qs;j% zlpuep+ZFX5cY}o+Y|RU`z|IB>3h0a83;65QIf(96GD3f`(Y(Y0T&inc0i zD83(jWEHNrP2d9vB99gyx|`lDZ_r`?+qdUKDQna>Lkh&?256CYXRh#+pOz{<#)P%cLRRvPO+X^G_cLvf&{M2^Y z7>eUp%byPCw0J6XJW0abuSqZ+tBkF=YAc+QAfHCQAHe9BpF=Q4iYgD*AO3-c7n#%g z06nE0!rbzBYK`;*Cdqqg;{df7N8{E6tr(kH=$Ub~Zt6H@yUquvG#?IU za$Pl$KcjST)z#e$B$8&BdYg+VdHdM=f}8uuVw!2BPi;1x8KJ>^{|fD{9*8v`HsBhL zGud7zEqpFa76D?Uq}Ff5A@V93BZ?1+Gw-5hbddT8EKH4MU zgS-H8ebP4Yc$6dc?pQ^;9D89bl={kA-BXd^IS_80!j4kn z+&EB`Igp4F^%EGanC&Q?Xfgr)WsRtUtqg;MParoBx(KvX@RzLkFCda7pPHvl}- z<|7V6V+CDp8Qc@MBXL_TdEdj%^0%^S2T!T9apPe6yyx7gi7%k41}2buJFH;nICjPC zN40w7iZ`i8uqip6HjD4%umjYKMy(nN<=S{`dc;KsX%nzxhpVg$ZBV+XEjrhIxls$m z=*({rQgG2yHncfQFXP;D?WUF-q?!U|OPE_(53t&$F$_A+ZK z3%Ip_Io6-8ejE$2sl+cNd)Cw)p3m<9RJe2~FpQYKb4NC-ed9dOn1bgWuX1GWWyw`) zp#6kRr(Z;o=g&ML9L0-Wn@HgjB$E`9esu{FmY60b`6`uP%fCkrmm~Vd02JkVc?|Zx zDkN*S@ZkcazKzIWAaO2e$*1$mqV2uAFhSjnArpljR5)D6eaq20sjU)ld4&b&^f;s< zoje)&e+NI?6jV3`NnfDRd*!wOZK9L3DaQKVB&}VktEGPPeQYGdKW5j*o|D$Lg^=<9 zh#4ws!?4(_?|?~cxEJ#EH$7wwrqM0(a9za%001c6mLR!6u-T~xLw^UNL+VbT*R7=m z7nYRmp+WP|0JUAXE4&+#lb+3L+Xall_{>tf#pBVQD!;X-fgk1h&FEhVvralxY7@6^ z=AKJ(P!~+!pH#%2Npy`|knG4YanHI;`cfKn{398bmNiU2*BDxqg*raL-KmZHE@}FM zbOC+(uvh90vCAXF`;n5u{n7&C4IL<*2#pa2x{AO%M0zcXPHylP)K8A%QJw0VZ~iWs zRGz8DGo$N)X0H;$8R2FOq7K{;10Ce}oyt>@GyxPszy-(6kEae-qlxU}&KqdDbSaz~ z;w~B(2ly$3J>r)s00ZD&H&Bo8u&25^7YorAVUojr2W?om3(SS-Cs?guv-&J=8_OXg zI4hQ-qUkxEg+LRn_?U^pDrmWmcZ_(A^g6dM#rkoV$S!e>-L;8r$wYtOd-B+zhKugC z!5}ym)}f%*wpe{oAB>>_kW%9#0Pb(=Bn|MyV#gI&#QzL!d3J1YEwy%B0z|@@j`yHH z1=Ah(n$%~J^Jj2hZ$-}Up=D1(&M!L8Dj>D(yG?yAM(9U3(=5+NiPF8TchVt3cPfL+ zqpb_hN0otT312n4E%G~9y@I57=p^+U3~z#*z)Ej=78s9>CgarZE~Kej5o}b!>O=a% z7EwYZB7JSM$xD%R4ullN}lfM0p$P~2_x4pZ z@BnwCkR~Q1s(0a5@Y`u%V5h^Igj-{18lV&$tBRDv%I-*iSNDWqfjj_{f6y$~#>CD$ z`4fQZDLkyB>p%{~^D+g@nX9NAxnAR$t!FmUBS12P-Ot0K!u!0?$N4-R4{ckWh}Z(p z>aRYPrd@cC46ZYWZdO)$hez^V(^)MKZ$7Jy!;$gT8(UuC z=Xu}eN5X3G*_X_{sb^E7QVAAee}^n=b3O2gkWz2rMsoBwpuNT~4nzPdlYT&5toezi z-{Z~k53;rFP#96}v*xl&4H{)i@5**58AaIH4bJW~JNz00x$)}cfic?8xNacLg%5RQ zD+W8Z$DTY1zW|*XmI4#Z$B8dK7%gmZnWHaPJ#n7yz`>s{q^CGGxc=I_+_t zD5X}vQ~148ZHKK{8j8FDvzfAO;HB{wm1WU<7mhEiKq?62%tUTgC4h$7{2XQU#k*z?vixdlMN`FBnolzJdbk`aY_}D7=D6~u2 z7{x+Y`izb&Bc6r(+GeT`pvG>q2Xo&fGkJkAKzL_L&nWrH(?e`OU^_ZascAP~sGA5g8RZi*CSCl>a`uCEOyzk$wT+rss@{i3s;9V{k9_e<}B6^%04 zIh@uCcV6=YGHueTKY93PqpjYCu|LIm!U@3nc2sJjw~L{8xKmT)C>Yd<4;p|AkiiU0olDbBjik{U52N{}lK3|Hd+X;{w=R`O^jeLGUc!I1eh( z4zXH)&BY&N&u~&!R&&#YsgvrJKVsP?)vNG0_CD(ME3R`@{7)|Ee_xhk|E~$$D4LvW zY32Mmtv}!T#vCR(h2rpmbSuzv*SU4JCszaHsYHg24Mo$C3<713h6 zapXEF^Nl0Xg8S1E(1E>iB==88uCtZiI1&v;1cJyY|8A53`o`CqeNe@}3M&7v+4|%3 zzup@*9B!oZ*BeBm8LzWB{)_zj#!dWxJ#>w*^2V`i@s5AG?yq-Kl)qkjjdJy0nOCAk z6m3B_3ga4&_P?9JpIgqKpHs14uZG-zJujSjtsHJt`(G;P-!=SyKIy-t2zmRX1pi02 zw13@J{U5jeO9lMy|B;&iKT^B?aQ;8C1ch`XB?X!&gv|agvG@O#*!yoScmIjl zo77F3G`MNXl(EyU$E3e{HP-yx_t^E(H=FgYMQsp`3|tHUYf=B#qDF_S|Fx+0rs>y4 z?f<`6)c;B^kj~o&^15rBBV2AgSlu!8Q=7+obLwX`!;H+#TmMSG760$UmOuRu*Ck~A zK_!C!o`_sOuKlxNiXA;=^4JOEu3M$u*!&oFEr1hTe_I1*flc~TN`Fc9zvlR&oxhtM z$REPjGJP=VmK3;qu(`P$WG2RW2MrB+i*vk+nwLXai(t-B6~zQ6RMbzh@kS*#HxGBy z%*dFpsmW|NhzuTv^nNwm9T{@+)WV@CCEKg|bG2|0N>aSJehnAl4q>w)PsxUJk|5!n z+;A#Ng0qx7JXP)+y&x|;FCR4NQ&g|2<|<)3hVOE;93My*>vMfYa1LCj5MMe!;=EjQeV^lDyd1~%q+HMMBxwNw;M!%HA6MEVM8PH?b5hIe6< z@63?*M>CO|?=Rhta7dq>7oLD2$9Z{q;Ww`3GcS+n0lRZ>lIF_}e})W-mK`oeM#x&W zdoylFQ~0N%`OJlN%jeiqZPzPG82D5mtJx(4cZcJ}h8%BRDIhb>BCY&OUHKKA-j`i^ zOlQc+*O-s-WZ`bTPc7=NgEVvfrNFhI;FrT=FvM8Sf4z2( z?66%gJ&W=~%i+P0S~msuTNKTLT8tpl_jhDavz77(kUrmE|2hsU$ws)N;(iIpyv>lM z{PJ(HQOQ!t$P{+oKgui{>808)m!p@qee9p?~Wn3=-gm!v|8=i?_q3$48jf}R)Z z5yahVp=e7{vi<(>-Pou?n+drMIXGHg z)@SEP7~kyo8Wm0Phx=kZXcqx#A6(Hj1`1a7`%5zzs0Lqt`7?kaf?5rkAWS6MLUPrr z_*j(9+=Y7x2T=ZzhrlxgIq~`Pa>7$E$_aLa-@wrZny=(RkAD{!WSGD9`DExjf9YKL z{(K9K_P87UEn5G1(8<2mW&B|T;uzRJepRn)>0?ha81yMRdyHLgXPDSKI;ZBRbBkX( zvjC1*40aL|-&)i$EZdS|j9U?Y;0zJdFU;yCu6pG&jC=pnjFXtQ{uvJVH7zYxHxG1K zlIr1zf>KNADVz#HoSd6i2kBm_*LXtHlEhfGEp?AJ&4y4#(Ac-F?&n>ju?NYkK z-qn&}2a)%+N16j$%9Apgtdw|2q+-_)PxOz)WADavH{W%9;{KYwRS%zSIyk~2TY98t z+m#eGJtrnN`t9+FDL#v4&$H*-{Ye3PPX==N-Z{9%$KU<*>y`N_z3qKsI&aB_lw0k6 z?Zx(xJ#6V`>2EKIfg2qhA#Y3?5HrxV_T(h(9!psq|DX?vZF| z>u=EgG}O&1zFyu>>CJ2Ot`iSKc`t-NK>PIn{M7%oydTB<)PXSUA{euV>Gcpw1P>ag zM>m+j;(_%k4t^8imw{g+Yv>h~K8e1fvMA9PRK}+<{6{f=>ctiyH@p6_7;e;Av@-tl zTR7_i{=U~AwV{s^w*h@Ab^NObj~!bKFW{R(b{sQvX64wF*qF*nO7n4&!H(^Q7~qb! zec#B$I2@E_;S?qYxZ9wnl48LC#H1VS4Ad(VvwOG00ethjcjv%s_ijtP-2fk=w~8ih z0g4~HAtg555K{@qQ)0kUAiF->kcDHGR8|(J>$4EtwYWGRY8FzAhg!rfLc81Y;a)~w5j_8#aj8!}RGAC!;njPd)rd>jLv zB@4*UVlu9Er;N=RP@uT^j~;ccH-*<&^ibDmbw(D>g@Y;ZYlr@2hjgH4VFr@uvnC@K z(%O&#m5ips;g~hW(aR97C{D*yZ}iqRdX$YI4E>2`{#xc0FcZIC<~#Iepw9aFDJb)M z;SY4E|9rk^ng8dv=)acvgZDA~?!N(j)*ti5HGkLLatD<5UtKxinz94e1Cy9_O>{=S z#;k?KtZUL^*L9F^V%Bv>QdC8*Z=eVnqY7}KhWBsLH~0XQ^$`@6++*87kXCC&OdZ{L zLvzmnI%gySb?2Sw6DE(F7F9rF))_!R2w%|Kn}t;R4}1<{XaA5dId7acrJ(< zk2m4drQ5J{f#&kQ7b;RqdMhuwRe2Q%zq# z*}Jkv1C3p00Bh`G!Dj%OAf}bnhMG&B0hyzxb=a(L#N-QmR1yc|lIo{PW76#nQ>IU= zm+cY)c}y!%OHU7$>tTlfBb|ck@nsOAu9um&Rp8pFMa*G+^LX}F!G>?amN4usjm!Yw z;U8jgOufWRoPd~t!EvaWZt$!4HpUK7!%RQsZ<8NIq1%{}sCrXtp*syg?>McX2xl`# zNH;tQFEq%v>%7ym>n4q{*Vm1kR1bffiN9p3doFNYwOS3JE9G6mQYPfwis?1vepN3d zSpP*uLp0P>@-E*DdoL7ly>JnD;z4eC02#`QkOyUBum~U%EpPhNP&@YGGtOO5$ECoV z9+p86AcOHY7YuUlBRQI+Bh6s}^Qw?03<4T}@~(*V303)z3vNX}suW2_${uEnO(&2r zOlSZ(8c00k!fRTG_`dOWpt#5#bwBgA`t$CijL=})PMvSSGfz4DLBNEBHd_%C@d(_L zgcKIvER@J*h-wJ0iQyl@1IPzjTMX^%Gq$w*OKBGf_UyCtVRfAjtHPU3CN$9bfz&-b z2r-i(`hPq5oi8AX+Hg=E?I;n_AnKoR+^wYjblER>M|dfU1lji>)}#GXVIlv!1~YZ} zo1-zoJB*`2aBIbjQQa%|BcLdJoxKOd>dW8*JV^UKAuC!~Z?~jG&w;&z^>uK>HUwMC zK~AP?#XwX9T>k*E;LG9rvP)+t0pnD*_97xF{{28o0N}Hc1y2=>Cf$HMo8vb~Gb;-* zYxC0~Aia?XY1SV(!nhbgQen@9^{z!T8h_oqi}4*Pj?$lyOSUf9fBa6Eq)#Z2-mzIO zo#V@*2beHWx|3QqY45$bH)|3Gv$S9_HdX&9Ocie8XGh8DO2$fYwqzj_S17j&Ie0g7 zH;6Pda70+hoG$o)pO1$sbI@#eEl#q9)n8%?=G$6@AZ`NE%V7W*#?$C)*w~_2A2yPg z&}^Zf0MS+`__JdcyS*A%JT!<8oq}s;bU-QKCrTo=$*55~VBGba$H=ujZnCfz`8u;7 zUQ3*wk6B>(HZ5WeNqGzwj(Wd`7;*eFns5D#!%Nyf>)663ZI98Yj=RIq zzL#}`8Z`%MX?9xZZ=@P0?kZ(_l3HUwFt6erl)0U<_!C!uQ_DtyyDl*%B(l?Jz#2%R ziPmsDs^)GpsXaOUgwac{Qg>aD@sfx6RGK9X;bsys*5F)$eV`bYyFJ&`&E!~1jeVy~ z8UtW*b}zFEbtik|E`T#>@Usofw|oQB2TyR8nZF|BV#;HXgWzOyTcW#=a^4*@k@Vmb zTNew7&KSo46ElzJ*b?gk%KBN3%@;|EqzlQEvb|^`+ru{&x*MGY0;83{6I3a z0U!#qr8AF%m1b|%sxb4cvr6h7h+uY)r#OYVg}7vhPJ0lyF=J5o@LYtS!gXSc$@5GS zvrsSJUT}b&sqAEixQ6p=;w8(3ppex0h7Im!0R27lT%JrhR?8H~b7R>a(Efe*bGOpg z-OA&n4nFbiB-FBwJ`P&(8cjCm#~*zcv+@kY6kXvC|9JQ%ZFw>vf|y)6gm9(J5f$rR zeSQ(-B7n#xV@b3!ZZf0my_t+CjO=N1VF&qdvF1}K9t#mv`ea_~)lGixck!f!DDkRm&^H-93%V0Q67cSs`|3CMe0{p76#!8V{x7k9Dpk znLZEGvv4c2x%t(2XXpajE1n>(!>pqpv3^F+?k2{vW!%HUndbvJocKio>CP`Mktcow zvJ%bZGdZR<5JJ<5b0mE9m>`^$Qw?L^Le7V9SF!_iJXp<%ZMNP0s&teek5dMWm|9IOQtV=Ur4rnRR1O$vPl6LJBw%U5q8*eoO1%>5#NtF z9S9@dM$S1i<%?JegP>WBdJfg*F_LMpVC`;LdNa#9cTywQY25V&&L};jZ)hsHNA2L2 zKKE5adoLpl&fRfs6=2>QVJx@941rG)T3V`6_oBs!+_LKqYy{LIR`v3-E5}+RuHgi~ zBXFjj1|iWj3jQ3q$I)QeRSWv=UZCv((e&#=?>*K}X3IhFJzL(cXBN1R^O?@w-j=;V z=2Mcn{sAUaT1af39}MggoG#6_Sz!>`PYT=b<&&{5^a^hxmvIEn1`n3P&VqU6Ys$X0azDY5ODOE}OY!6<&;F^T!EtnvPLQPBJj5BX>bWHZy^Ab#h=F zy>lzCfGB#`;B92}gt)R-3l+qSVHCW_$;leRVS}6*W4+gE?UBT|jtpdyH`j6xnQek+ z4>#fB;ajm&X7#wZ%8CkoNSwghWC-zL{D8f|%|s(<<~ukTxt&V_DaiH>2?*!OQ-u)> z(~t;Mzq}A(*;iAPz~Fw{mr0|A(fCPbAWmmkA)VK&eCik;%gH_QQpHCMtTNQVZHto}^CWMjf(n-S?E zOoxAa3C)E)v9oLV4A#r@tbHiH9q-yZj2lI`ebm+uJLE|^`D|)n9$0d+i_Ud?l6qk# z_nk@q19HSVOu0t!UatPgLD%**`(I%^>U~%`06B}-x7I9Ofd|UV_0Jw=T;-mwV9%Tn zli;ocjx|O+msA=aE{(A>x=*3Sfe>%U!gnzNEognQj2{>WWP66Vm?Nx752EdF^7jMH5t ztFQr`$z*0hHTMKREy^i7R&tx`>R%^|Gg6HM5|0uKPRjmPA&>5Is-? zGo$+H)Z0{&WxhGye9;7wb^V+c@uNiBW_IEt8?H~}K4D82W9Bq#gGOJ6ybqXub{4&g zuor-n>2fYio6%k3A-4Uhb~ctv=b!b89k!*wQ7I48b1(DsAC6RmbyK`K*0QBF>_v{x z68I6FuJ#a5wLS=^o4-haaLD5D&8YCc1lvG-C2$BvM#+GeX`eIvwE9?e2Vy4%DiD7U zU_~{68KpySuEh70FT&Us_ze~8313D0eA}D0f6!UNP@H9x@DhGKPPa|w3nUlb&r{Iu z%MEwKHi;R93bn3)RztFUB7XZu&*$LUn|H>1G2XEzf$1S|y97B2ad#%oJJ=~|PsU&g zRp5MB@Q{tRd`yAqpk>gJp({+xZ9wY4yi~f6C&fiMdh0v`)1(Yux`eq^FZUdI*s{01 z%o_~4g}p)u-*YjQ`0H*~7I7yGcxs8BH;ZID@lcf zND#P_CFJ&_TF-(cc8Ha?IvX6DQtS0XA_Vq-C6ECDo?3IL6~#w~am}vhE~aQE0Os0E zY%%=ySE}ltoyVDFLPfTB!>;2$!+Pp*CfnU=PD*sgS1G9e9g@lXf9$<`R21bOKmI(h z59|Xw!_Kg?FblIV3%jt3tnR|D?kec6F1je_f}nUoR|Q1{Ma4^bLq)|~;vG{H6I07l z%gRa<)6CM+(#o!4Sy@?`T3K4Z_iCR${m%KE^E=;vet-PV&m*vx*_qjyXP$XqUY9N! zYqA&2Zkv)wxz3kC7NcF)UuC9ilXC*6OkfS74E)#*k=^KB}DulN=wng$j7wF;DDuZxRwb;w(d@?Sz=3@0*K!R$si zhzl|6?B}r18832NG!!ye+whp_Yli;lv)R{Z$xP~P9|{NbOJtvoocXA984^7tkhcOg zP6@0MI~uia;8A`6mW>YkLy#D}U9gv3!RmX*m;tM80O^hK*sJ?S5DlhJOxiFl)lrqT zw^Bb_3A9O_J|$O!s(SglF@8KxYffd~WntZw+uyf990Pzkl*7wiS`oNGcy z>wFVe0z`1v*PghxpPeoi$1vZ5BJ#EXgw7Jb`bse!wTubx3Ju&&bU@c&7g-%vK#*>Ub^0C+l zir`1dc*!r=xF2)U;9b{rkP2n*2)f%D++J;URLyRLM@Sv0jBg$@vuG|p9uh3eM21P+cf<1qx83!Eetj$*yFiFyOQeeD_hmxnop+v$WIEvv7(lF93Am;+!z8me^G!isAroi3At{++*5 z-$qrPk~rLnln}d6 zrCq7Yh584KX?B>Dn}C=XAS4r?BwLJAgrnGFepQGSUGgEmHX5`|EZVKn4Mz6SXb_Ts zHW7DLd%6U7#oD}HYNBhDoF%ZG3Ct$fQsti4{lM~%6(s&Tm>0BQ&;~ET?SW(0E$Ff#GY5< zTC8;><30EueqQX0wdO?kEK~@(k15>T*6!3#$7D0>j&Pg}kbJ=G`N$I^8Dm>S?PjA}CWs zZr_N^n(Ma?k02kzSitv_OJ z`P17D1UK)=P<+-~D;JEvoQdg`k?V{mqLK2??ace_YQ&$aZ>!i!jU^k=JpN_>F zOkc$^GdT%&(j_P%PwOAb)0jDizDgQ^u(n80<1D6F(2#+0KI!MpGD%tXXTzKuW3)Sz zjXiNcGRrz6j5I48$n>J#9fem`p)&r7PFIt((=^1du=d~A&GJr~Wf;q!5*wJ(WW+xf zRU;$+dtL+5zR!E((5%z;E{J_Q5kxEun=Fh6C$FF2b)$l>r4HiQTp*91tC@(Xyizub zl$VNO;yF8mE~_a-`33}@+ro#rPa>upUal=tc_a^*lVaZj`|z-$J~;SNQ*YeUZB|Ix z^oIjxNt7N#iwcU{gOZ_jj5!)$l|3b0;!g}oEkuEo5onmj@WlIS6m5lt)v zr8u1!kXFJiIDp(@q|hHeqWeKfH&CBAl1z4wz@i?1+VXjeAFH@OFlXE@Oe2HcAVybW zcvxfqu?N{B%ql6=6^k+EMZsjGp-}aic%kGZo9Fz_A^U^j$epW<9~+4GnLQ0_$7s-W{l9mwpzX zyB9f^gtOoGf|y=x!|#9&pbhDtX30+NL7)7v|5$lG(%lxcE~W2f+=Cw%1>31Zd4X_h zXI2R9P?qRTy!I}*`Xl1UyK};^L%UtYtp`qk^E;3k#OB6dy@E&!cqxJr!O{=vE0UT=&(DpXs(JxowZnDIw zgMZK?9Iv|^ov9J(3}RfP5_i$A7p#*IzDaeVlEw+lk!jpTY{JcSCZ}bGMWIB?C(K#3 zrAC|S=Jw#8^w+il))o!iV)EDz3ZdZ36tS10?w84#VazX{sP+Bij<|?EW0)&|IE|H7 z=oiSAQ~|$DB`C(~-evf1jP@8KW$DTc+IF+I1!1Vf9Jah_33e#!VjSo>W7A`fKF;xE zErh$(wmG2c+nwVwp*ThJIkxpZ(}!_PKY1|Gm45^kbC@LMLeKu{J&a#FS)HR}R+1q5 zo{^{_NX7j?E0aEN$uN?j@w`om@05HDHijd0UAsz4$fp&B2P}KG=%%OPzQpZ*AK`d; z7&?E}^yyIk>8QrT^?9c=q~uwjxo^|JR<9i$j%sU$yQ`=dC$UPUv{al6r23@#v!-5* zwu{o&BBqE#K`6zdT zvSkCM&4C3%2g}ypaw58;o1G-hG$c^d9JQq90{*T}5moKa`!4M4+9DCL9{>v(4c{h> zcKuZJD7tr7O187SSil^^diQ&XiG^rSj1``N2YV2Xl^!>YWu*z$$B~p=2&NBzp;_{3 z`6#)7sqqY&Mf*Y^C))dm*^gtKl9z=_=OED~B#TS&$GCt@#*``5KP3VmYY8g4js#cE z3fyx~p0^jmbxeX6RHVEJWLZE!k1vg#Qip-l&>KnuwUg%b^yUM1!^38tAZhk`B%a|) ztX0VFL&oBkL{e0H6>9RL4IoE&89tZW2U7HnMIS|34$_7r_MIJdVf4m$H&A&WS5_w& z{?c9@W+}=%y;evf-JrObWAHebWrCXKWWHv&8bzFPCjTV^HC}EzuuI7cV14dPPznPK zLzG%aH0f+y4Q(gt7h*|+(}c)TkYFW0>0+sMQM5S?#hH%vV`nS%AH|<`>%NYs7LMIB zhel{ZuQ>i_RDN8jhR$`zLws|X{$x1)nBkcqUuMgb3dq}h zYMDOKDK(G+twx2vEzL#fmTqYRo1nhK@imEUel{$T?Wxo~rZ+aSKT$FkCPw;#JAx-R z!0`C%%5Zh<+aN>P%3IfQSSPOK2gceT4ugmXSNH@_>Dt8VyYl2b@Qj6(cr0G&-vHj% zE-`>*>kdRN%q4id4GJ2#tl=PiSZ;L>Lqdi_%zX_uU<(=^iQ#?~I&%hXEd^&_{)SI( zZ#bv_BgV?1iXwr_naGZd72?GfE{?5>vU;OW>TxHCldBM;u6X;}MTW1MEoBMI8QHj9 z%o4YN6_2om#%2D=zRkL~BjaC&w^-5y5kIkv?m)hf^57EMWIPS7Mddge$1ALz^RB5b zb=QIp;ahkY?dBaCVPyE$C~=y#E21j7yguNI^=!xA<$e)iofKL4d4#C3Jth52K7uNw zE!R3NGWQ82vmohA583yjRh^L>2?2XKR@NoVLX?v0$Eb6DHwaP5f?dDjE;7bij= zDH|66KZYA--GYOi(Nh-8^FON%N0J&d^xr03&*x&Qlen0(UQ45r_JeTUqra0)lOdCz zc)N+|P@p}n^ki721XBkk^77kr4cI;;2a$uu)ZE_aWIMP=L)ob#(iNLQ>j9TtQ$awV z7D)-xJjA6)t?dv2_0*lA}<=JcoCWH>)!edgv(Kk14lPJ$)wu`>K;uI=HbrfC+q_d z!y3w!LMP!F+EMJz8A=x7pXhYKVS14zxxmZ>X$Yw^tIN1HAg4gsN(x+2`q?bEM(D$s zO&`Y;79hdN7SJg}u=Yjn>NxwGs6=mm75j|Kj>MCL3hO7jLs2az>jXl(_;<5^C=F`b z`UoDtPNVtBNbW_Fa=l1c%X^}NgYjTN3*b8TZF-}Ij>bG5;!nf-3gZ!fDGD5VI|@TY zD;=#KKXadI(&wg4gg+F#%66*+LS;0PStusrN*Q5`f0sP~57d*U7~K zQ)~Jt7c`&UZp0dO=jZ7*F@`g2<23i2IA(mU8&HgkwMM(J$3J_|e%{970s0U8md~|} z0jSu)eBbAE6nBpfWcE1iu#!?U;vt;bE6u>8jFT8A{Hau27HBMq}- zjM)Oq?}|4W5{--)LyH3)$UuRiB~V2wg`Yvrr?Fv&y5ZH9Zp)HiWOc%P+RD2R<(hn*&LlSxy z9`%Fil-VV}hkdph(xm;Gk{3-!IbtJoGb2iRFlth1dxbtF6=oXoWRjm>ix`jPP=YYp zHjJjAhP+Dl&eLs~mbX;)!&Hht{BcuKV`hDtCO>f;#o;>?2ULYk10Z(q*XHd7A1_EXkPY}24(B3nRdRm8r zzFDB>&B%!?=Q}i@ZF~MPgl%-ZctK3(PMqhZ6H-TEmZWj5fb0qSyuSz@fiD8pWkKj< z*-CMxb$zAq9UC5FZf#p{y&kCtVQRyteT8^oCDg<1R>h^S*=3yVJm4r7BH=j-E;w9; zakqSgtkRzWKSI(K>IV~{sVHx&_#|%-RGK(D9@Y>;rifi(f_lZV2D-lq?2+_>3vz!6 z_;Olp41Nvka?ytY8ie|8C`A_5z9n9dqor+v-;D0MDHF- zunnx1mXxQ~gIOc0O+^O@*cnCsmE**p+>uo%y5Ea4?qUL;g8~=S=!L zs)m=eUn-egXW<}oIk{!&tf7l_^K@hokmE_V!m83~VqKyuQ$K=ruM1~iSFuNoP%34v zK}&r`^B*k-t6Fdrv?0=@c*6pv{zsK{AwUE?&#ym0c(DSA_*9h#PWM@~mN5u{>Mg87 z$!N?0exk~E8%O7ueP6aoIE%>IVKF&63A^UIjr2BbgEXusFm&ax$J)vX~N z3wW=~GMc5C?9$N9NQZPgW4VO<{l)Z&;iKhj>){SsiNjAStT|4eRKKmC$TAZlEWg3A z4dsVp@NRI@$gsJX3@5mxm>9=rbltvz-k=%qs1i@s9WZ+B7}T^$fA?raH(UP7AX}-C z+s{n0Y>tugZOGgKJqJqQo~^@Q=56$lwyqA?qMp{q$4MXm+Y)DpkA_Zw5C>xYx2d!Q z_oscJ$_w+Vu-(}SnN$?NiM_%UXokQtgK$(K2r|bb;T(wri5S8OgXyHq&#op|ze0HP z`ZUbsgyBAQyQo|E0cVgd);`g6LU3f&34K<8u=SXjofU zqQYb7ClWT7=M*TI;$U}Lhqw{bgOpmX(Td-{Czzgp(#q6x&{3kl%Z01Gh zLzpWeQ*fblPqcAc2u~Uysk%hFKy9XP(J+jU;#%hljJFhJBft}onp{A;2>An%{0_3R zJI7g*!sH3yN^yxT=*REtWX(Wr--lwB4sQ50UttYD&<36_&R-RhXaYUKU8)wLNRRY0 zD5TqU+lC|~%jB5F24wg#hE%dK%=NGB9P)hykaf9eKEk3jOFT#W&_=PVaEF^;o`Z%z zBh17T1HAx8F^d}j{zD!XD(Kn{jsqmCH5{h0!eW@sE0TnYoHuE^!rEFej9VfX;)l%< zkXbeiH4cP7{<@aVIN4gqRLq9xJFh3SWc>4N>8CeqKjU;?O(ZV*inb;W4^dcW2KKi_ zpPo-w5w2_p^C8(I$KwqCchSRA=?=x+Xa=L>8tnpdPL6?!xj54&=iCEaMg@JR;T{$t zDw^tuYH>niDqMwMwr7RiK0@~{>x?Y@7`%|!Jyz-wzH9hOiWh(IE<%oemEWM2EL?!6 z)VzblN^Bup^dngpVfNaTr@v@;&u&AuL);wq9VGN16R@?V#Cie=9&tQwz%epWShMZ~ zd|Pi9oQ=HR|Ll9vS=oKBjLeYKOh0I;43Ky}o7(qgGL=%Q?uF74yqA6%z&I*=gr1i@Un5U&nPJ<=sPQz#zE4H0G0p@)oLltm_{Z@Lhu4; zs|j?Ja}Q!4QhL_YJm(Y8)MFc1)B!*diE!fqNgvWe2H=T6mB;I}UsBR7|8e%@MtK>@ zwM0abZA$C+$W&iP3!tWMo`BzmTyrkkvrJJ`VLyp{Q!TYq4Ua4JYtyI`uO-FOTB>u_ zBdjThO8F;FumqYdOmD>=nY^j6GP*Uf^;MQXqWR{yJ!7%Xe#wWq;Fdimw*?uhxvL{_ zjc!F;>phYQRnpdH+v1?k-#CkQrmE69#D5!CR1Ebu`=d%4OCF_1h57I{X`=JIiHNRV zf9$r$xW#wb-kd3QY}q9DU^W;}a~elic{tIMML6o}3eFV>wCtk~W1DaeW*g~yQs_Q} za&FSExTCweAo`i$l8OpzQQI+8rG0^Q9v=;wKA-~Qehx{Gg6u-cuIlhy2}7-2u4B|7 z=YhIcbL^9>Yb|-7IGBr`=Sa$(JpDTAcaU@_BVcE!2S3z&w9t#hk)jI}Gu9|c4VYR; zxnQ!SWv?nh=Bs2e9wiPG{639r6ZqVjB5{=*!{xAp!1@s~$zNC|KF4=>7fEpHKue>7 zG4&VlY|&9JR zey|dm)<$C&xQvu?b;1xTL#Bjt=rDlt`A9Z-0m4U_eTbq8t%kS9qskYN(A9BL?-A)} zBvkjTzb1hrD(?|wZr9LGjLIU%bf{flr)GM@oDoLZZSew zL(Un^5Ue>?ltZO*6n&P=k`C#9l4u+mO&8N_$1gzH{|hex=WADaE9mj;iE;l4u1fAF z9Jzy$)I>goT*bLOHva-CnLy7Xo_RwU~CsmbwT>?tgLO$n znJ)7WYAtUBz>6@JDPi6h;zrFyP}?rIVMryIL-aA}$J+M+ui`QZjd%xk2^$X#Y%Rdav)PTb&^p=u+)b7GPEqVm4UrGGvx{ zl=~XOW1zbDEGtzIr}1#v^SbY&XurlWbP_soeU53T#(IogYq@Ha)J; zQ1v8l2@0$S1XJ_;qDe?h0_h%hsz!JMu#K4vGahGX)k^syIg4Y#Hj?C9fi9E*H;M#d z8Z6-iAZ8|>uK&wId9jZ6xPFaF;xNMiZQUo-kU7l!Rq%NlmtTs?boZWi4@Pzs0T=Az zs_!KWGtE6Y474$+%XvLg>{;0riQgQ0OVZf7+h31x80jCR3p8d}y$dc@=7eAsd}0l_ z3s(GKtapOE*CA9@-MAWhrInyd^^(*Z3JW>Igoz64*QNwR<5ArOP5T7HJq@3svA-J2 zOKQvN*hT^7Q|ggY8fKV!$c$azluSE9E5C#37pqpHZEKkAcptuDST&E?S>H~ET0c_I zL}b^+QMR|2EK?UY|jpf*DV-HeO|a5(|}p={i!*Cb=FZ4Q@vm zV3{P&&rQP(Rpm5Eu;#TPXook60_{OAx%VJ<6W9=A=EI`i$eD~=(pPS#6X*HZkitp+C?U5A<<1(R^9jWH}0wxN=u>6jQX2=KZUWDJr zcO*}Bz4o~z+Sy`Jk{x8(CAG~)Mv%8@apN004DO&9s&dQ_+=Sos0>((7ZuCLkB&BI; zl<~u>_3J-$eWX7cRrRH0uw0IX$x=#k_Cy8x#se@irrU0;<zOT~#|o}>{#kqR5|VRvjePB3qk zT*6v-v4DJ!Q}BnRP?jZ2i`|kJE9o3V^X?&m7gCM;?VB+!^BlmnytCu@b;#9G2neHt zXRJ99j(40cn|N4Zl?pdTvhQj9YvlHe@9|ry7|&i&>JMe&DraUi!~2)i?s2UHL`)6N z5i=kS=}?ypu1~9>yTtx1@NZ<=hhnie&CN_Pe(z7hUxMTqlY0ZftSCsNm2|NWv*mq? z#Ram4vrF~l4e$u@tM#`ATk|4;Cn}D>uYlO6ma}`#kmtk%Gf%Rxo&xFzpFwX}BGoWs zn%<6KBcepMb%Esu%Q`wkP3&3A>L~5dP!D^U#GjsRNJ^r1eN7V65z>X_91F!1vKegA zEKv}qY|fm^ejNuV9B}j&k}peF2WUl^@oLp-vef#H#01>QdXm;q9DJ1lkg}(V6uZYF z`ku2H6{aI|yfYo)ZV-W}ra&X~fAjvbLiqj%@+F|g@i!F$C=3rCb_nTn{Ee{>F&UBp z3}0c5-xU5Ik&FA!|L>9)|2(U#n=)mV^`EEzS$9p%eNB%0!W;j*8G;p$`|q;w6kwFe zfHj>m>%K}zXtV!)`hWrP&%1wb=%43*Z|R@s4>tAB)4#X%@8_Y76@|759_IgHZTyde z5n9o|mw2!rAuLXZGP6D`|eVA}?U_ap&y-)DGunbQNX%hhR z?Ebu0Gilo2*J_B;>6=njgSGMZuYD`$PDiTH90TqhIhqGVG~8d+J2+()cH#c&`?NKZ z^S7}u8ApZq5LXeHVVniHDidj?q@e>5Bbxu_g7ue7RDhoo_+aP}Qi=V@aX0YQG}*E6 z!O+wnqILmrXgk@0;s7Xu+X0%S@g|`72a{;LH$GIeO9aCZb5&_Jpf%)jP&HJCZYbKK zN`!SN6>KR(^cwS3O-KMMd7AJA+?nClqY3drrcH%*GfHvFNbrLL_B3l6%DaHf$GHm+ z$X_8U7#*$&vBIp$%ut|wlqumQQbz2;Z{VO&H8sz!H zDrkV%5$Q?W98O2I$iOtve1`}Xqd+k=d4U=f2ZEy*5TzohS2}V+WlRAuxE4GZfbb`| zr=disBihnxEbPO16(VZ4-^H3wZp1XBz58zb5;3^ zkYq&(Ou2cO?4|Woy?(K1mp}ErjC70}5?Bvkuc}={`-p>qQPzy?GqCLyEZ0sDUITOv zvr()rNmT*8t0u?o>r=9aNM|Sd)&?{r&9|KX#7zL}OF8ct_8s#67^bSJ8eQRf7e2Oi zSjmsV=(Y^cO_Gkc;+(>v;oy4>S^-3?E$0T4@$R?LffNAo$&aDL%p)Wo?{Iesxuiax z2cez>z%!rYahlk4lO*CVp*+3vHSbo%>FV=8c?6+f{QW4xn#Al25xB$^fldIIEx{>F zO?{uhVq7w7IL+c}%Zj0eu%c;Hh+8Gr%BGV>(dPPj{XmjtE(jft1;l>Cl`Or6_hMz>$kU!T1@!*Oab~n{eq9ABV zIbIC166LfF9XvmC98M#GwGe4{Qu%dZ3QngL${2*iIBLNGOAQqT%WstC1P4n3Qwr=7 z(o+((AJD=D2%b1WKiPs8SWku1z5Y)_QLbX^n%aWLR$M3Brc}Ra_AkGt_fX6 zV}&f-Uw9JAr&*}_gcb}i7hn^V(s6$q)O8Kll(rZ~U^c)$&FzbEz}gLJyjTQV*jAN4 z+;flPnK7^~-@SrIwa-zUrhh?&)2J5r=d}J;p_MOc-4&rP1Y99)X*!~n!DU=!MIF09 zrGzM@@q0L_CmFn)(>&lm*?FXxG6{fsTe(!y1&rb6awD)-6^i=!+bT|IX~2u>?zN1- zlR1v|!Q}vt?nAX~F2iZDAHrib0A@7S;izIEUJLq@M5y=PClHxg?W0WaTVQ1rLXKrY zjb1O5`r|+V81}8`{%`V`eF8G3$q|B<@U_JCAyb?Iz@( zgX2nKaZcknm@lh7!E?BhJ!a3{PXU@;e_j&spiv_7f8_3s=$3r=C9VMVk}gfxkBgyc?!%}SpZvLQ5?rTV!+O^Ka%A~91cXP4 z?!)RK{Gw+oL|eNmsnrNfsWY3&t$Z9GorwB|if z6sYlR z*S`~U@es#(kA~}?V1Y_eSn*B8fQsX_S@tPNOl83)Jew8zRjjR=fs<=pxM%g(^jG;O z>(@j#FiLhvarAfZRLrl9%J)RnmDz!auk{eySbwwpW8f+Y;HRY7K+T+QUy13fFt?r@ z0Ae+T*bTFh3Hj3SV$MW|c@9W*q|w?Lkt3L^e#1XZ=D~}p=GqN7vLA`s155cJ*L<|1 z=+K)~DxuCDG@xu9BWFaE}1$b#Qn zRfRx`hFdN46V?kI+FlBFZ|N?i=^}WWyYwA|-Jb8To2}qsVy@Cv09h@NVkH(S@J-30E?T zWO8%b2i9(ZFCBT*x5M+cbu_{ATefi;?$?*1JpN*S^7~? z<}>2;RxSB~>T-=?Vjh!x{tS%~{Y@LeRBvdw|6p*P&Q7)CXwYMYzlx}qp8A{7!LG)x z=am)%?`;NeEGd+Z|9trmf-LlTQk7g$YmWe>Za;Sa>QhhTd{82IVfr(yR# z3YHHiUgT$~Krc(ZePFK0>HSl#Dw%rZalS zJ%G~$h$%1{oIv?yN-^!gUI179AeV;%(S}9V&5DLaa;-j0iOs=J>i1bXDzzC(TnhJ@ z4#d-jqKHB+_cMNrS3<=HKi>kNR7AUjNzee&m0iF?9JENk zBs%9aUz~rjoFJrN#x>RRq_LlT0q^p-*_|pw248Xs1+8yj+|kfC8U;V?={Nx+=!z6D zdgURKMrPrnUQV`G1Dn3K2NB`8UBn}6n@K`RZ}PivQ7!^lN~&QnQ*$Z>3gO*dg@w%# z!enq8u?b`n&ZkdHef5G;jKv!pxtehixPWeCznAhYkrkqM5~{hLOzd=^VT#T%8IKL# zWQuTI$=IS#Be3?+LCnyRQV+I!wEd8#s@gLXTmwAs1;-mE^V$djcNbzkF4`T;RQgc9 z2M6O3d=`6mgW!O!=kRH!Y%f^cfqK>1SH z2@fTS%o!9k!StC33jR2?_5vQ`?v4UuaKeyW#O(mml3e6J<9QNhJVtJy+cE1{0$q2b zr74-{q)l`5`gbGS|~r|>njKAq!Df5mV-h+k-fz3zP}itS6*?{0q@W)ZHU8K>O%gK+w(D(x!px-r|B z*AARAbkqpfn_O-)qJ0Dt4j5xOk7F#y<##|#aqXY9Sob!I?}3x6fd6V)&56Qb{kt)> z<7p|51E9yfrW?R~Ydl#jEi3P6=d${zqnYuLZul14`S9V|mT{$gINUSx za4J`c3-ZSxI%iZR8qz>cZ?Zp%dytae6d0fBNcddd1e>{ zqU#3>-b)|BgS^WK4>Bv{mHOT)AqRvB(#brWR?8IBHri{qHE)5lTC2dP$zXB5{!&aH z%))c2J}a78TG3lSkr8@kB7X@t8{0{-IGa0$6Y_pV;`_Jjgi#>CQF~BGsc_PX?e7J~ zw#>=zj?U-WKZq=;49+b73N_mF7u3Q$;oJc;rz@!?%Y-yxqL9wj;*$m^mB-y#NSOifzbb?qTMgK;lLB)(9Vcw2G5AH`3lA||jmG_f7FqjqZdB;XykCx`#ZU_Rvh6zBIDpRx87_L7a zLyNf!WHad2Z3=9GIctXPXU`Vfk09qzn~$}EkBlto%%xyoX<3-@xGx5~1tT6P_6Biy z?h(*2F>(j6w(gaBQTT!A=Y!wOW?kUZk+ybO_>~kDrF>b(Wp&#^U|LOw0T0Gsb zTiv8#1bMACQd#qI`1=n#w~aHWlZ4te z5I=oa4t#Jskt7edjaeYH$h)k)nTD@}MKBA)CQ1clYz+?LEcIXMHz}_rOd%%#Nfhi+m9 z5B9JPGtd7*#NbM1h^b?oVQ!SYM~pO5%+SkPl2I~9l5GJZI|e{)?Mlh35RLR9F(t18 z5a1kNr}S*FUZ$;C`p>CxzdVCpWoObG9ohLxp{X`NIyt)Gly-~ZvqZ4+5q`ph05;yA08QcSR7Ij=5)|FI|p3eO$?H*cx3mhKtOWO8K`$sD6wdDKx zGqwapc2tbc8;dPcEG}g~r-r3e5uCPXBYm#qQ|_?wl*`I)QBP^Wu<^`>n$}xK#wEBLw*eb~`d738&KU6iZUBjIWFQxhIIxVIq&ak($H;99A?CMX zLv1IZ-i{I*ksRR~Ho_IVg!Bkz>x-1~+q{`!jZu~y=DvW{1NklJM|~J8 zT#5acf*q8|6aL$edQd(L^*A0hsI2j-|8!CyHnKti^Lu*hI}j{H=v)krnuiq0$B;rZ z@)%a8Za)^L%D#LoT-__VO`#b$vW>)#+1?hBIPG#$-{09axkw=@_>paq79i5^2WeV2`j_ z-yDccn)BO@$mDvZT`8ApM!g{~P2KT^VMX?pH&RyjGMr9b*Ka_hapTA}jV58@aevyj z*&pD*liwNP4&5O_h9lK=De) z2O~%KbuLa^u+;hS%K= zVefRg@kUnvq+1t8zmv6pb=Dg>KVDAhk^B4iuf-(Y`|W0b3Ipa`4}~!1oJVQgxmq1< zyD%Vv%~1q;@ddpCKJD;Z(RpIkb6oFB)4n|4J7vCRjnc5PSCQYebCoDX>j#af z7d8wY-BhxnY;4Q=_v!e34cejAE$yWRliGw2`c84}XEJ{2mbI~S*+|cz;nQ0b$A*7& z`Q(MHS*NFd;C}pW`>OnhTAqs=F=y5*UIxvfmj|NT8t=vt^RV{Agau6A;NW6u@!(O* z+V;nfUg`QJeoT|!S=O;^Wo=AF`M}DulvUlPG-rG_azj+kw%Kc%D|4@pc|Y&b+V`8s zK6X_xWZaIGc|)ppZCyNM{NCD;$HzZ)<`0_^pZ-GP)U&Q%6Q`Z`_g#MCx z${+d`Kd*oI^r4O09{#Z{?y=e7XM2yBGvQL)nK{2*jXXK-$(><&lYXDmo}aO#$H7x` z=X7~@Y200M{;_%U?nRC)eSs(&=1*bzjI4h>e(58f>kdsDnGuov+v!QCPORC!;N!`~ z$BLiazhisXX9heTnH#<1-8F*B`QqkB4dbpfrtjK)Wm$gN z>b8C{2R_`fJblG4pDb5Cx2U)Nw>K6R_1(R5$_MUFuPe8#c>JzybpC?fy+*HeeztV< zD)$e+p+|BySM-g_o$EXCNRJ5fm#a^K+*4DYzA=?oFJ8CvkwYI|IoI=7^Wic5`cb`5ID*a6 zmW|v|+jCP=qxtljjTCJ$8MSOw*Tv3-L8>eZ=Kb? zXT-LsmtfeLKB?dOua2X#wyt98G^l((=sE7)8>T&4WxDk}v>dl>g4X2!*?jsxyIEa? zZvBLa`<<-BiIFhXmefqBnKYwD5$YdJsjDFHH!nDGY6VQ^8x+F({}!`^%}4&dcs#kk z5G=ertk2&wc9;vTZf=gEb1;jBz4Gv>7!wBcjmI=4KFR#YDkSqEW$% zt8t8yP>Lf-f^trCGdB?T#{KL=p#(^0qh?a34y~@4EaO~MNiB-il$u~)aRow5HltKf zgu~S!RtnqMtAbU>kr#0>Y@L#w-J)S*2sZIxo6XIp7nl6|Xh#HVrp~CC^59s5kMN)2 zrZtPUDoigegr)w+cm1EobAaIfuRLgYNFEf^NCE#Nwi`OGp?`2V7eolZEB$QM{9m(fVh@8KN1zQ@6@P3^pEVkPBi1WMF2@mFIy9#G*Q6SU z^8R;IjR_zHsu;>+K7KhoS)ICuL})Z&k*6a%kWM|usKe$pt(%CRh4rPvD(7P#O2s~< z#(x@Y$|6u7+)dGGGLA@3_7@$*O{xB(R3la?Q;kgo8YG=o_gRzbD_YYB-t(Jq8eWv# zBRRBVuse7pB!(7^5%%NJRGbQh{Jx}<+Hdd|@mNUg3x8AnP3yRyRJ?zUhQz?v=tB#W zkv~5MR)FT?Sd|~XDoxaE=%Wq`KMmh1<8;L2P4LBFFX4ZxBfLj1Sb4(yG4Q)NbXdkT zlT^7d8{UN7k4S}sa5@5+_C69i@&8Bx2YOXZ{=2OosXZ5A+TRGL{iCI@%>ThT`JcmK zH5Nwp1H4m63b+qK1S@{(P9jwZ^?=7n3F5zM_|d>mBK*WN%GBf@_s0h^^nfAqLqv%A zB%F&8)NqkT!0!C#&Hp_5sk?SXWcvSj85VpYJberN2|t#Ixu0Tin5I*V8mkdjjEuY) zb0!_Tj&-{memDF~_ha3U-3{+{_h$EFM1{J8hGm*6_GZjYAmh6_#QhWl3*C&l8}m~* zsLv@-II$|TZr%lM5Fv_A$Kc&FF|dle8Y~dL1FR;dQ)nw1OfjcX%tM?Zizt-5p%+nN zbw4-|TviFZ*bDZIHz0UaNkqh96-`uR^@7qtH-@SWi0@g6H9%|6!wQ8V3uH(kE9!_9 z1TJNcL{c>qjnfjdkRc1K+X@arx+v@vc1r~>Yh93XVC+B|-mY-KEg{6P}SLXKcQpNUd z7{&_NJoOwGoHDWMKEmJunBX5zBQWdib=Ocq!!KbRTD+ zQ{TrO2s%y3zNv@JJ_&JMQMyo@`XA#ShgljG{{U??R7gWv@Z-d3+$8P@SBSFVnH{Go zde}h%DC7->Y(gi6!z@HY2mWt=Fz|0w_5fe!%?}L1I3Jz`+VSQcN&qs*1GstSZEAbS z+=wf5#Twm=Ej|R90C+>ryEGeP#wSchcJUVKEJiDwX3<^*_RPkH=>k47A0dBy>VL5k9`HZJc(=ml2FuNWmz!C36WQdw!4&5}G;3fH zjIs4qL6ikXrHUyPo`*s9LbBH)DVK}({DOQdH{oTy{?Wj_pWK8*aGM+O7dVw@MI+8y zUsu1!7KueU-3xO-GTmZN2}8rlP?8nGKtMvBr@|G}ZQW@TU%8_dwj44A zUa5Gw*3L~**pnCMBb#5H4d3AG%I>l;`@e{Vki@OIzrU-agKYqy3w-@UBDb!Iav$8A zNwiN0Ls?ZV^a`?Pg0+FL%r}JVc3=0lXbx)A=NZvIa0p>1a%486DgIxCx4dSAoRCV3 zVg{^IyooxGG9eliW}+^+W+>-OE$Kt=AQuRVC;^Y)>Z!1GnzL5!BODPX+O9Q!d3Zjp zEE<7rw}LtOKJ5DANYJ$%Wm$g@7dzxUY3l_-2Rp%cn_J+SUiMbmRM)Sfz!c6MfViRf z36y3%A6Bn(^sJcbcslSVNv$r}w>PtQ=Dv{pEq_7@{?2WWdX_^n{St7j0{h`8FNHjN zNnoF?2VQO;kG!p6%u}^@=sr(t(+N7Mc?~zzSU@|vn(H2-PVp@{Ua~iDFdswqJ#S!B z`2=Kp-rf}fN7U%0Gx5bL3if>fneAfFiy(8IUC~@ncYwK^9i9=azK>(r_c|y?nbt=I zEHGkJA((`0p!)(=Y%G}q*4Tk;oT3H<->52abil$SI6uLGln@jEGzP3Y6#*lB3KWt& zsh;PsameGS={4diuSQL;dyNPfg!OOY8ft?2dMfl8XsUb~Dk+BkO7mc3vy};{P6;eK zY^5~0>=-zX!o!hZ5pG|F)L_E4BHZMl&5Hs49BLT7!o4b4jfz zQ2sMQ=}aHJISO?Ve65{qE$)vn=d_C$OyRM;Xa@3YV9hUCFN7}FEa7u*ba^}CzDHT@ zU*I}<_K_%Yk+Bchgdc?I-@cXLK4nSb^K-qRUxk~{aoyLTD8(f0?VUnoSfI7 zet;nfCcw!J&ai0JQ1~r*p+3_yOw#MxnA}=iF}ppQ%h275;=VxHKr42&4*&h?Z1!R_ z*PVL>W~Pa-{^`lcH(Svo+f=E}t6_c^g~+Js3y``qT!qrTaW|f|ufXyt-^2gN<<3^& z4vr1ym2F48i+TC1{48ibIcJUAbH&zVTCQYMVn|0kVAclyw`k5fE6cOOcufeFeZ-A| zV=)E=&KetW4*o)Vm2C@u7d+6qZ{sHzhyRXww8skkQZy;| z&v2)ND(+FY3PuiDxmN$N#=Zxg9!NW&&bqHyF#i6|*p=(DGJ|&Tda31H{jf!>tb!b;ur=BgTT@YB{%_8)~n?CRqgAabzp| z%{P(ltF)PHZ)0p;;S^9_EDc0Ue}K4}N8K}o2iP2R4}y@?=>!8O|e3>=8J zq7^MgXpLK6mME?jNUJrLPhjsMrjz~huK;3Gm{>D}@8$W3^!6xxlBbN8`cAeQsE@wt z6e485+!wj;Ed~&+FW`vuIn6ISccKh)RWPm$N{X}ski|TPkCFzMh+G8`eQ{gt=7xYhhdexXaPN0~R~(Qdvtq*R=R*q4i!u2+-iMfXLXRmYBip|M@2~PY)BYv2qz6#@7iViA0hb#X3r~m#n-;<#Mb0?N^%J5o zUj*T7F#I}Cc!mL1o%v;7oN^KAj}j2mehTT|Ai?K6a$Ovq=(`WbmrLZ`())1U`}~_F z57Hv}0HCq>R63(H6_wn;qmX;~C09VNT*0ABVj`h)>0ZZSoBwk)Ua1_m?d}4Z)>@3E z?F}~DJgv~j{%m`)`Hgl*(P#p|5y4w}7n<&f=qQL-72!&V=Y}P~JfTp=+nTWG7^{=N zH?^4gWY=-s?loj5%uXD*hrBEf0vX#55<9n8TWm*wf(kvuJ977;&@NuAUWr17u!E_T z9z=M{*?pm7g2Vs1PRSI2P(t3;_h6v{{mWIs6@tY#Qr6?91%gXD&O38TmNe&gd~ePG zlltpM+T9@~9@tD@Eb~F6P{Rb|Ik4yW8BA3-DQ1K8pAXagi2=7MVrl$o^*#eSv#4n%T=d zZhpS#bEurrIq|dhB1ccVxku+-#P8*{5;Welm3ZrOr&$~P+^x8LPEFRet|foio=G%R z@uX{5d3c&Bg_!CHs`hVE9GdgqF{443PSxmJi$evbER8c@^)Twl&mo z=2tR8NVb1K*NZV4+W*$Q9aMONZ3k^%DZ1u$eqUe%a+Jn^r!7T!1PKo2krv8+!_T12 z@|&pSNoKycRCtei6i6-WDBu$y@B`!&6s1DD-th82 z?BDUd;fX|9q&HwEHA4RG$1n~+B3Lyl1m?&X0&{S$MtqKV+AAdg^D5IzEKL!XGbzFS zp5dM-DAdhz8S)&rqu@ZA?NP(*9w;#9gkkMtk!{m&OI|GgJwm)Up`<50Po}gbHVvqc zC#GPI=+G-5HJ@W0OiPy>@;ICIHN9yc(3%#GGj?k+EfyQ2;n+*V^2)_E6?7y7N6R4u z!V=cGbYjtO;5w{_638Dwq1tWnq|}1i5Auf#7onU8;6uPm?;Y7s|EwlA zIVx!H7{wJNxW*G#xx?8rm;n)Sf;6d%A=yk)N`h6X2rqPLwc@E1;Wgliqr*GnT(_c4 zHcD#nK6B#n`6K~93FEZ5!Z4KSe?hk}7kMTKeO=G%tzE@g zDQ76Et{kLQ7Qwhh<1r;6W;QRzTUq|I&M^YiEdEJSJ8wx)MRNm7(#a zZ*^&YDR0B>7p3cn%ZUMDdid*)fsXDv(tBfQf()}o4@86@Pir5CiM7t*dnj>OpBF>R zB_8Iyro(Yg1H@kXMWM_dPyI?fe5fpqYwCy6%O10uP)z>W2>&B!)itu*NS+KDn)-tq zJs9tw8?pR)$xFT;?djLE{SM^s7hPg>T++}b4J+&^{AviOb?Bp*l$JLsXhG1niVBxT zYb_K;0sT)Njp##6X3KPX_l-5|%cUQhlqN(6EO?Fo)L($ONp|{5)lvj-4fI1%tT>cs z2a>hH7??L9b&H(}`IjQ${vJ~WV@y}0l_pgSkZbZkiDU)wLNr;|{xQs3#-h*{7gqy> zHuN>j%xY?;8A&=`vp}GCyeKkYr6M<0(c~Aa^JklnW z^e7wQ@t*xi`5l$)XGVqgvseAq=$23Z8A*WWsxwt2b5<=kOYdl<`qXq=10VbcpX`X` zp$&zi3hhWQvwUHjowwWGcL239WVy5SeF)xKzZC2cPyYsAFOTd}5m=B_*b^xs6dI20 zuxwk%tl_Ie;{-c*ns*J?gvPPA*`VJ$XydEpr05a|3Sw`0Rmdn4Pnkj%}bSQ_B zQrAV?-gV?Ey#mhJ@^QdHN`{L7Sc7#Bq*l9_1Ya3@sNr7eIB_OZlYA7HoTxc2lnd9u z1Ik}Ie^T6%xa1o0H8t?vn>V3MhsAK^aopgXZ+j!oKLwd{@MCD>{qcRMoO-HnW>V7VtbW*qfMR}mz;e{K54O#1jfEzy=t zIB>?*PYN&VQgF%2GLc_ynw%ldA>>~Dkf;Wo^^Nk)xb#6pu95S&%KsZ9d=Q8bOLwE- zrlWVk9u6h{(Q6K%o^(f^^Jk^_N=!@o`4U;_NKxnu3T~l%0%Cg)K#!Pc`)>K#OslcW^u>XmKk~_Kn}My31;~{ zYDK`GNNRp_Teqeb`662p%e*55&fcx$ATd$H81SP~LzmX&5Iz8Zmhnl_1=KnpcD#U= zH+zb0X6^a@5Z@2o(*DR&37P&ueCu*wPjHOV$`0(=Gra-g{VIE)!dYl}xfd(XMJOjV zzK`wSdOucjKzNd0=v9?2Ro9%c{!Z@m{tgT{`EDJ`W?yq{jMpG8fybQK%cYIy6cdaQp5w zjLXk~@s0nUkSa4KKw8WXcG)lENnj%R;#5EU#V|yt3!l55?Y`+(l--aeI9vKd@=kBN zIEyMZwEal_FEM1N>1rxrv296Q;274Q;`sOd8;PShTK|ET?*pGGH1}b&y@||jA;D(=rl9POI)Blbdh()BDmn;# z!Lg6Pq|MW)e_V4WM#vXqd1xq`_eE9#{cf;t#s)u{UWtNFq1&eDcxwVz8Ew0)ld42( zZ)y$1>$qw{6K(fsAnY4}C|2&OXd^V72Bp_fX$UJ`kHSvwt{B5heaSa1kI_8;Q_=7z zfo}oD+SaEah~l$bYseFx(~h2eU_4&G`~GEIKb9W?>G*W8>_ZAfn=B;HK-2s-%wvqL z5FB5|l#T@eJ!q+zlC|#9C)My}_d-BN#5#0zEns^5z$_Dw#6Y97{$UdI`d|AHTs;p- zza#$B18&&5r#uluN(&W%Xogl)VYLX3u`0h>%~7f01hGmQHJW7Gt^=`Cpk+sv$ps5Y zUV~Z&lx$xlY1K^waYODPwSI;^c*A4iTwu%!G4X}JgDDN`=NcfU%+0QcIir4sNk|qRDR|h4 zs;(R4dKkpci~{?rSfOjksCZjE5k+c|Qnrdat3@&8rz4L)OFY39wDJ6KdMST0(toAN ze>c+fl87-K){x*rn)Ysm$0LKOhM|zXGac+h!}9M*@$t$uMCH&n$TQg{eifyhvRFB4 zTK)l9E?Ji=~nW4vNq7oey+C)tvh?HbP4D^NsJP?NCP#@OpOe2{=ujom1 zFD8O%j-IfNRFi!n^(Y93#!wTUBYs3kp9NjQ280h#%`ln-!MZhTY?4-f3@Jq>*KH%S zjn4$TLrs4^vG7S`&F3v(qp+q1zxT{ym*;<_!gEly=@VY8v??obFqQvK9_DBnjcaH& zeI>sZ!7Yq8&E#5wF6wiA6mOc^&As5-edXPe-mSA$#^NQlLs8xLygT@u-;MmYwZRvl z4WLP9w?O-|&SO%!Ntx2y2oPmQOZjH&YQFo~DnA$;{^0EazxGTIre1ica3TtJKooPz z%ylU5d%^8@YsJbql;T+@yOUd|T06{r&5szq&v3u**+Fj1T8BJO6-r1hN1k15ig$RS z5!YnkZ`o9QO@7M~V748mE7mS+TZRL2pb30I(l!=&> z3kP-{pu=1T%}m9am(52dPy@(pTHK9jcTu!sCH#1Z)FnH{x}z zvI~fDvvwnpvqOc_KvC&!(ofbjt!}Lat88}ID*HU{%Ec3@hAr93CMrox$;08nd`)lr zxBQ&eUW`GiQ7Q9LYY)<`a!2@&U1)^GsO;|IpB8QXk&z^r-CZQDLy4VV48)o>#U#06 zYJu-cvM^rQ&g}OZ7r5F-Ko&+2Gs9f-jdHuHE}7|S9znLC6gsc0JIXYf^<*Pb%to$- zHNB%FMf|r+3^ThFl2`gm(|8e{D3er!z!Zk>G2LRBI`dIR$2M=c7x8EEmvOTeqlV&^ zQ|Op!fY!Q9*{ohZk6dVQ!o6`XXiT#-q+7#O1$x$nOv5mUuvgY;8b+Cu(WItY=Z~bJ zVXPS-53Dr7+E7!Pg7nQXWKhF+t}3Z49x^(wKY^_+a-b{MkdH0GUWj*$lq2n8CZvy4 z{J1Y%5WoX#YQSCjo5l6W^J-{v?h9(qDoDP3Us;K7EX20yAHZx~aUtn}@LYVequ%M* zrPCMcrKE`4#~Ko;(!7k@9*3?1J0_%PIH+ox}HB=x&geH%-d}r(JcQYG%E)|GS9te^3Ijw z$E<&`TKPdxzQYp8VjXZMS>Ln1M2FBUy6#qHJCz2i#2zu!RdH1RPW;Gb`eeQfIYlsq z@w365<_7SuhYM6A(XA!#J8qYR*WNkS{`QCH&oodx6}g(zU{xUl-se~G8uaGudOj5# zauqCZn`so1Tvd54z_z@pFD|18glf{COA@|2ipWuV8c&9{Fturn#6$%fr98D18zD8Q zfON1oWc9<&^P zDE)-Eej4Z_-;RgO-Cbf=G9x%3KN+=_ljPuF7%Xm0 zmZ~+T`z=I~8`XwB(dH#WP~MAz%kbU6E?RqwVi%{=!Z;)qX>-e+Qh`=jC~Wlh3Rco( zf>VAD<&D9hygqX`vSn(SRL4geDTwuH+TdP@B7R7!L?jKRxNH2y27eZET-DQb@gv0t zivj-t7A7cb%7j?`X$!6a9lb5UA1tn>*fa9}z=Oz<86!Sqq&DGx{z1u&xQ|)W5Dt&= zJxL#;chTR#9Mv!~KgKu9WzEd2p}2WZ2wudGMG7b4~*miA<96FF{8Y}4=ZEvGBmD;y+WI$rgFmCrPYbuBWw zCTLKGxK3v-a?I{dPd_yfm9@BLMm26mbgZq-e`^8C7K*p-MQMQz@@0c|`>8Kc z=LS>=&+;OW{-XR-^YCk5VrOji0#)VJ@K@}H&JB3;2Hg1^;-AZ3r@8pJvwyi29uPvh z7Fvj*2X&p-akHa3e7Db%WY^;sU|NNHnq`C|QU1Ho`Jd$@5h6p(#jZ99EXeW;QMS&2 z<1H<;PV&7twU=PI{yee3BTsVJD909!yf@i!m?z1O$JufT(UFZeaLLW4bh;Pj)4aI! zNyL0eJ@Ppc<#DiyWxK5#w0Tczd)j7;eCN96h= zp!kY6ppt-xuc|?(cH+)msCX9wLuzM@TCPz;krqFPJfj+W;SXk_4-~Xvhw9y3;Y0Jy zos-nBOj0i=bW`WN2>#gp-!!IydAF{r^IkObUbKCpsxunD8;#wI3!^ZJt(xAY>MIpJ zS~@M#yIr27;te^6I=3^Mw=-~#d^pDso?e|!oa5~5kIel$r(x%`69L?L1Z_WpJWCq4 zp{kY0^NKe`-lM7lsnferd4I$krr%aIR-(?8$h`8-ese!UqF=|YOmXy$L!sO)E-}x@ zICDqpAliW@Dc2mf45K;8m9EoEMm?*;3v<6V+D6%!B$q>%za9B+7K%rT<*sq2*9CmH zbeFEM2$_~o^86}49y$FHRn81US6yjecm~U#M6M0-G)g(y!?0++JsX8QyQ<$qkQGtn z_&t+-+hO5u?-Lv}_o*(};}9w@4u-~iVgxcDe(t==<~{$v~{- z+e@n>cRwdTr@@b!MwxM|yn|8NkojkjY#@uP0G~8noJ!a<$B40V5jyo6qUX4>Zm7hx zJHz#MvY2OMo0YpA;$z*2nOkl&`^9(d@NSV&yxbK=GI^c#e3{suN_qhS^hv}QN_~^L zHY2Uhf7odAdX+P%GA~&_&cSEMhppUJD;NpqAOKGD0uToEg~T?0w4z{rKX3;?1~#NO zaShg-@<6v_`MDIIK))!_`-U+WJSmXb+njNJg0lsB+FhEuB3dhN$0Zf|b;(}A^9Rjv zt+Xnis~n#aeOt2E=A6p+a{R8*KW2x3{}$fq7;E7glJvb?{2E^uKF#rSraZbkC>F|( zBl!o!FZM0rheHQW75l>gv~@uHZm{zX`3qo>J{ZV*rOGEP;=zQ9`Qj~G!Ca9|6D-hOuf(EfL~|VSiXCK<7tvF~$(*0| z07%6?(0@9Ibmg=fzN^n}wgtCg8@I>dI@S$Ou`%}GZkp^r*+X1t!M$?N>cnOX`1H-{ zjtk}?60GSjhE2ug_${A04()!W>D)GQll^j$7?zE@(OKU71>VMef zFA1|d;;lF2ixI&=-eD+YE2lmQ6gWp`(5>{6-mNKwRF_t>$JZLlZTg^e5|9)t1*4dx@$?hlbP2Y`mo?`fvuTSf!OZdH4CR(uekmI4>1J6u6lt0j zM}FX5GZL-X$O$bYwc_!9q`Tm4`~mzT9y9p2Z9i&O%|JklUo{^I2j~FdE3m9?B|>cD z?_mU`ZKnHRE&>k}c}&P1>7QAM^IOr{_rhT$i%`eYfd|mqOK9dmB-e(=E%_Q!F2~64 zsXHoM4{*xMYI!Z#5Z9!@JHe>`AzEydVZ)AvU_SOmbj-KC7OmWmuFP%w3^KlUX*_)K zS1Rd6ZSfl_fbi#5m`XpvRc-`%{fZmS+JNPIvy=~!xH8ID4lQJ4nAZJ*5L@d;{0lH; zajD09?)Qk&1LMgj1!Dx`foEu@qi4*%*+SaLRYzYf(e0jHoQF(jG_*TddG>(2FR%=G zql76alYM~>6HM?vHUK9&fxezi*MaU6CL845K;94|@(HqmF5Yt9>EDm!W6?|=eo_1-u3?P$J$3k_0&QuIsc|S% zv}+tLU4BV~9)y6aYzvGBMvYwKx0cGiAN;jf?!^GQqnC++gl~936s$&>h6|54E6?s^Vgeob-B|1u9j|F1PrkDX(W=f_IA_+LL#X@%L{|9zsCqzU zz8kD;JpwH6+NE#0k5q~;Yvc!bCQU!1+_0P{-NjcmFym{v$+&<?i05)Clt5OB2g4FY3k`G1xn{lX0gd>)2D%=@lLnF}?$lr#{{+Mdh|g-s z#rb#P-?H|~mB_Y2!*(lgK=M)ze!#hsd`b?Lb$485#j*tQp#yXQe$q1= z@n!qD;sPY3a|ff5*Ob7Eol(jMFs|7aB+BPW&?@?J#hnS{!63(d!_iV}A5-rb{_V2Y z^tCbcuCu#of%tap(b4Tt?Q}cFpwU@h;5Yylfp#P94NEkP*XDs~8}CQcUHc2{2e~Wp zflr4*pyCa%q}3T+vW85v7C;cC;IIqgsFAp;?8~rox4^_$P4}5{n-FVs7Yntl@#`28 zUwI}@*%S#z>6`kA2HFpF7K)tUuNUWzbF^u!9_j;pGMTGPiQ^~e2lr(sh^2jr$Mi!& zNq^rJ+X7CAZE#XIU4LMV?T^G-FSK@;Ul&J_g%z*4wnVL(jQC~zw=fbmc0-L<(JVh| zw4fSS!@-7H@{`;<)=?EB_KxL;`bN4^c>M-KhshgMZEL|>xltwGoUD`~M}5AsK(%cn z9iWU;i5cbOEmw{;ua0Ia6I9@)n^`Hotrva^e2<}P*doN*E860V&U!|8vgBHoYmZpE zSH)PUzqCLVSc~N&>ee@{YtX05-((-I0>5i< z9lxHfh6dO16HH~sqmHZA{(KT0?1?@9nRSM^a${Sq>jzWrOmq7+SUKkY5(!~-4y4)r zn)D1qB>yk&;snyMH#aFMw-ijIcn+30+{^XtWNQIU0RE(PDAdnzb1Hsi#!0ma{A5dd2UyVCWpNllDxsUi3S1_jH58GWD zSSR}=I=i?OH7Sm%v~Uz^7=H9R*Qf!hnP>T3&_U)vd;u7Z>0Q^C!hf=S3ej$^pPk%U zqJN->&MXGg1SSI)wjgs&Ycss@Z z*`~MZfMiq^>Di*s8zzC)a~~89amDh;%uSiL**fQTa*3`srx|#ID>4sO`71?S^NjoBEN~onR7tCAbA$aVxGE zv+__EYj?9*xx!hKuJ2Mn8bT-Lv-0gkYZOG0Wq=j~c=w9C;Op?;34*@^v&3=IzRot* z3}%(~1rRCo4mx{}`8ply>6Kqcnw~Z*(h;U;s%aAE_*HA`gu%NB*ahw=g7*(V4NtUv zi|%s`tEwogc;7HbS9aR^Yu=t4Zv-d8Ft{v{EU^BO5B`KLI2g$!b02BYq@H?1*nhU$XMtSv7%@rA?}4gTA-c(ykcfYjRM6; z2pi)|T%&dRkD}-g((7ne_@eM>lx*rBpThxF-+D$&)zKR8&8*SM`>^#LnxU+Tgg<-S zK{BA_YnTKLK(^oY^lZfzm)q@%GvTv*f8eaQdHh8xu_lIA$rU=`Q}!9qz37(YI23FD zina&J5Ue+H?^lVC`iq^cya0K2Zew8C1g@~L;pmQ*6FHx_tH3k`k!Jm@gHe+-wM&QU z-Z{G{805QhV-1@^!9IMV?T;uBepW{Dwm)L!ofy26 z;D!Q&VbMHys_A!)Yol>NDSn8PqjTb|YW}_8eTB(Lt^-HLK>l(2Z?va(uv~?%zli7N z_KUi*pZ503FoUuk6fm4b-h}io2#^V3s9Xfe1--$-0`5fHmTIP}|6^=>s2T)!7b{OA zFueLc-~=sja<<_N@B|-F3sTK)-W9kTHGS<}0G#Y}W}~!sXpzxzE1nrHKBr;Q_)$(R zttt;Z;8K}G&8WwR{SD5?(SuJTEhX2{f$U# zAG2BP%90mamVheyJ#p4iFAv6L^bL~TvW;F+N>TgQ^bO})B6Dms06GSVr<_D=30P0F z%ZM-k52QD1X+B*=!M5$~Z#CNIu>%DcP4x{_z8UK4z>k+jftO$m1a;{r8QT}IlYqHP zdsaw3RgN%G!Eqt zRDtyo`p;CZbOp5)MT61&WE6QIxX53I)(rM{N5Pr!%eCGB{*~Zzm{W_@v1gA2AIE8? zWmJAWD!A302x5!kTn=Ydy@1ZPhh5~mkk8C7IC~1bo2Al7eD*XwGOG-Q-YxTi$AR|I z4`-bZ-oCvpx8)stn|3cg0rtXTSYcgiSJ3&9m-qqaC$hbYUH~)wP93r0x8XT!jwDtH zg1RQFisJ zHXW3KtKUm+(==}^C@!n@^bJNsu+bHZwU>1?$*7DX4U1WOPIvZsb`fiF+{NQ{{Gx_N z)*(D6T~h&P4IH%jIlji&ED33qHKiO)vq&L#K&{}oUyGZJd zXn)6$1n9Fem(E5)FPMKmt6bDHyb7H{%C)IVktP@pn|VYNJkJXB4Cx;{>H0xqn5_XS z)G>2{G7kk0!|1UH%#bSauHN!<>2hs`vR2nV#9XNyLvlZ>P-;J9_KHu$kmE;(iO&-V zPCHr*@xY7GSs!3VmX?&b-mtq_-IBWPn7OP48*)5w^Rmh`K;jd6zJ!@F#>9>(x;-PzQR*YkQ-H zU$>QTYf@={U>M<5MMyt3uK075dl5(twik9647p!-f+3kDt(We9n5$93k#kVCYn>oalvUV4R!+7rmyr0 zf)L9-WHxku^YTvNOahL3+o#d|XmAN;I!@YJ{;27Vvq_5C=iCf+JrR^`OMcT|&*OP_dw!-_p6`qDsusi5^oUaY3_Rdb|9HLM-F$r z5glBRm*V`W;6v|7$P00x8ZU1*O?JW^Jt(|#@tCV5D!AW17!NITi`Aks5|yOl?zsj- z$qd#kcIwE&k{~u$#Q8hGgbZO-;fL2B#H0s)(wSQKBdJ#s8UB5HWzAez!7JUFvPCfK z^E(+nnauaz>rY{Fx3Y2)gFkm@xO|VQBbND^`A1=Qu)=2ViyyLPYSU4{E2$@Y-9^;-b(zo4fbVpO7|)7*X)=}a@GirYwTlNQGB z+fmC|vRM2_Z$~T_Xo&GWW}DR&q7dm*(4*J6y2gj6JI*|@E|IL3dw8TCI_V`U+7g6E z1MkKZUqJjOF+PSga(!nIEl7?DmGlc?die!ZQcuSbJYfu))eq&k#a=8amXl=pVI;pL zm7YVvzGcZLza`~u8%lDN=NZ|UARbI>o~Bq*L+eP1v;mBU3m!L*({FdO>Etj(%DfD@ zV~!(M`3F_oCEF)f`MOHp5o0^L!Icpc_(|pZKEb;V_+Zikq#RNy^}QU`+7d#}*z(r- zd=+C!SFmM!d(c79=sm)K%6+I}jr1x~U_?3Pk%l123(jQK(bv8ADru@f)C1xltm8PR zKv<4{OyL>Cznqr|6Q+?~?iX{!KCNMWAs3?o1z2fuq_Ro7`=UAZ##^SGII?p0$Hh*h z3`T7q`)8wDXGu~0erQQC;HbUqXq_s=1-3wL0xy9B>!p}{XmwvgDEFUZT8Nb)Ok*}N z|0=kYn@EHp^4`8Ym|ldoGtJxqYv8^ZaXREhh)p_YrmcZ6NmUDwZ3peL z=Ye(Et^6l!tFsV$?nP~IiaC$_n7FcJ+c*me2)iNI!Wt5_nw%OJ7+Vec0C7SlNt51| z4AOW27*Up2I&w8Ng;upW+oypzgw%oNY3sSd*%4AJYWPBklh4r|AH$OSZN&BfL!D_U z!S7G_966Tr{O8X3v&yh}x4m5K9p&SsH?h(cqmof1;5Et{^4OXTKhU40WEn*1XdjEIM$IiuEWhA10u zhsK6YzC;7lS6K|!3a8%m@Kke%IR6jn(>~ai@1rqF) zIY8DWv-!u#Y!7nm1(Pv#ZIKLzH7C!L0yOEyNk*qXN46HDorS_g>%cWJ)&WkHeg#X* z<(;yvuUY5|hU(&KjD(lmHLis6?PZAw0{~ABfeuPg6 zfVpCY-cc15de44>&-DF5tBMsg3n0;uC<$tL(5Yc)`aP)aHmY?kGrPJI$AS2Q zHg;ZpADH=l5-0u;*EGetHI!s_yQU{dLs84QS{DM4v2B*o;Qv;h9no?X_viWqY@Csq zVc?9e*c|07b-bmw8u-2;b+q zY%@Xtv~WYr7%jCR+XaqKtNaQO(S<3<@N=&so#!B*V*U^unBi=#%#jnUFYQxv9SQtz zC1YgBo_>u0Woi>dxO_lvccBkj|B-t>rX-s+S7)nyaS*!?ILKYN3NkJ|w;^vbSCX*j zA56LM4;V!}H%ZsP)ubD_!35kXjCaj06r#hU^~Iza4gtSEEEYC3K}+_iEFrtjw3>s`o=P;aq&H-Kj< zQARlt%V~nGzSQ+=Jn-dc8a?5<`iSk5=!HO94)|V`n^dMaQdNLlJ+dLSQrR5|X%fm; zsHz#U4!%unNzBP~T}qJmA@f?Y&k?cP@$t@WZ-pjLjC1djPxR07A@bv5Z*I1-ho zf$tW4xTK8R(7>lx3b=4P0_i1?v+*4GC11dNA8_^G?$@~j6|aEQ%0`$@V`tLBOURtM zc{d`%oiq8?Su@n$A+AH73I%2>L*XNr+@Kp525yccWi+!&y6D#qz6|FMnkL zPHAkKSR*^bIo&CsGCQrYZpy?OPlhv`QI3-|@P>^;G9MS=fjn_Y7H4{}@R;#NqzGLh zMJ%clWc4OOP}C$O(+wz-pMf%ki7VzJzJKKbL_<}-BlcI6&d*UgQ0FL6iIY}h*rj?R z;wM$IxU(5eXh!_KAH0VL-AQTp|4V%XvYuR|*Vgp>wW(^!T--mUwJ4?w1ac4NAoT&hF=Qy0FPlW6(e;%$g zBct?fq{&S8lp2vn&dh|kj2Gc_S(y-s96n%1dN$6>eFsIzS@xmWDC9+ZWH~cG7Dp={ zpAW<&P7A3hqu?;+r7I{RGow&ZMR+svEJ`XQ&_u`?crx5dg$}ORn`JM@2B9)qc4wv+ z&c|>TSz&JBtVgg! zm%w>^S$R7!FZ2oDY*t=Kc@$}~Gc$t)a3iVV^B4ET(Qpz^u@PCw=E&#h$IHlxhE6UuI=i%k1xKn;iD&Pcb9 zhIatAxmo^bM1(h!*^4D zGdA41CQtgSeT5%yk5M0PTz`E8S1BtBw74Cr#D8`JU9jedLpn`_N{16w7PT(I!dN0L zT`U?MQEM0E?jDwEFh*ITEv$vJ#8`Cd*2R5ot#>8sVl8pZn!;_>u))J`U76cHI^AfD z6D%fUf+f*nwuqJ_wMD0igF_gt7MuF9GvmYi8Ivt`qeK0~dtcAbZ5yO>T3nXyaWGF) zOK_0Jm#Y%fEa^IrT3$au*?6+nm=Tw$^D^*u`b!rly>Q{$!q+>d7_%)ti$AW1uBRo( z7*HQh!Y}_Yyd|!8V$hOn>7(nLm=~9C>8HMHEF8q~P+Xya)=9VqV(%&{!PVC#0@qM(Un=snGdhtSbDU2_xXv+(`P5_bNt-? z_fAq(H}=mCa*o5WF4nQ(5Ok0qKl^6~`9H3K|JY;x7i1j{BkR<6kad5d>Qqp1;UB2| z4Jv-w-wA;K3p^S^%ki#%R=!$|9!wqpkgz!zeyLYIUvE@z!5Cl&C>;aYEqQ%1q|9S` zL^j5emO)sJECsrVS4mpW)yYO2r`BO+6m8Q@IWMr@4G!A9X-;J}WpZ-$HYU+lN~&^>+sEZBt+hRbTl+9Ob~uf7i3{4Z|q zKbGq*%ug8rV`P~9HY`FLE?6Du5`k1edQ-!z3%oGA7TL_lLjP_kIp1wQT) zM=UCJMn*>8MEC;gG$X@iGpgc<4lz$X1)pcY<)YpZaSUuuj9A^5QVMz@;p@=CHL2kw zNC#hAB6MmUF~Yk+P|Ycb>DxEFFL2mao%(ydF~#|zG1LC6xQ`gaR>skJ94hXIV|Oa< ze_TTUvEl~tz5mT{)P(CTGF)#^S3SdJ8UFcOo7k`7U-_?XLi6V~|404&_fKK7jrfNR ze>IAp@Q~_M7StO8U+J{Mc4$SB+!UEjSS`*s&qKE`rZBYaj;=B95N0w zaPT`PHAbYvG4|B!kmHZ{{%fI^!b<&vM{Hq+ z6)w@hYFE~w=rHk)9fNI&0EL-q0ooj?Va5ur#7D~FEMvxprq+O@9Gj5%*D_pAM|XH= zB(1UpnLh-le?&novrrhG7+z>wLX*bA*_lQh$1pU#whYCEg*zutve(!n=wQ@LKEj3O z#W)67rOg%)Rb}QQ32&tN#h)NPGfWPvbB?kvVlT|S2h)v(cOg3)F>O3~geffXvLoHu zjpu+F3A0W6=XjJf6Kou;#Mqr5<*kH^@EUSvv2Op1*lY#iEKt+)4FP5LKSFi&BvX8j$@hTIk9 zdy)O7IYR?05q~C1{uAdNh72;b3ovEbsUT%Lg>uaBJJN+#Gvq|Ez*ArwX(BrrmEccN zD&dU(l$Fix9LH#fld@Ukkf6;&{Dv3g=cm;T}*?DLv{st7Z*iT0W z;daQxylmwV4lOcIV1_^vANx377`{P}wy_6Lan6sS0pLLq!eBe)Gj*sU0_-C(le7_` zj@GTr{9wrJv2Rd5L+~I>%v%I8r6sdTVJHCVP>0EI_`MlP%ylL)=MB&`H{p#a6(pQ3 zh^f*@mWuXhxQxPQfGNu?#zV*)sGXe#JVPTrf{!1I7!#6{BXxJQ@Q%~a#fYgjtr;kE zatmX%2DYtedQo>r!4>Az2bpG62bo$R+mjW+S288cUDsSf0)E6g0DzaFlh@X~j^phQ zFe9bMBJeZrm-uzeb0i}I#2RcF7UFp3RsJawKWhYH0B8x{m=AaSvhxxt;BVx{ zVDlKJyG5D}oyZ;5<7)dQ%HlR8@mx{tKjree*WbF4+R26kCd`J_<4i=fhM7o0X@bBE3NKk=bPD>`l%fuw~w|j&PK>#C}w;yAi{td4D zHIlgslIZvq`>)eq!>v^%50lryVMFpEpK7phgmINku@3PkBL5IbBL^j$jkt{ICp6eI zAVHj81}PGth7tuUkwTc+!fhEqZk(^fUxCye3z+?9nH$_(;%wrx@oIRnyb0GML(wc< zn50-E9YXAoUQ5HaW<|CF$TO=J*j16SxnZyv7XnEipHeJUm#wfk`}HL}KdI{vzZz;&2n%g8V&^ zc?ozK`5dMNQs!K&rsc^SmF?d;9wG{dO#3vpg~V`%>@FjzVTp5js9OF^!_8ztR`ZMF zgE|`h=a2?^7G}J?qGNh~I?~^S0&l7j-zPO)cK~#XDW&U}KGtoNGF?d-jkVLjLBu^o zaCYE%giDy}3Z8%7{tJ5{8mw=8{mO9Pmh-LsxgGytqRa^kHWY4CGe)+JJI{JA;!36| zcmuQCuTfur$BbZh;6#Q4oEbJcqBW3m2Z_{H!>S>Wy$spf$`=?P7AE4o^i|Z%Jc?t; zvxW~ySW7z9K23U=e0|!~O+zl&A~`&g$ph0UYX=gNJ;8cJS%paPiqDWCEk>Uo%`U}_ z&F_;!`Uzu(mdm`Qla9et35>#^3+D>d_CORLTh_$uD;@?xz-*&rDTZz|l_o{hO{y12 z5asHNIi6<@>H2`?ajLykDo~Sj=ojsoX+RP8Bg2oH_M>aQ3?5-A-cj%!OZBI8 zpk7Go&6%dTr0B<*OLznmPv+OvkP)UTJ@=g!w}?X_6G<3}X;7@Q>@YH*jO8lQn&cQJ zfkbNnk}39$;!>jUQvm^)2eJuE3|yhsoKARdAjCtIu0d?Rc^!WrGm-62M@w;tjv{eF zl|P7Tha(u%qHc$hBu)n#e-Zpq{ts`#gproV(q3wOkpA{87(%OKSNJ#zSv2?18bQ%5#{Ap)s7+@ba1f zuzQQGF*{d-LTJQ{dF7PyQ4T)t- z!~>e0{o6it#nO&xtVwwe>%ZpwQ<2~_k7GKRjiA7JA5^ccrxo(3idh70p!G@hxI^Duzdm?Y9rvzp6^ZN5(D>z|KdCQ*Iv6G-ru%(Grab>wlp zr+5NlhDAtIm3fiaz2xP#D=iNOSGRmxHyG<%>W(kr4zRpah_5>b>70i&FvRl)DGhbh zl@|afgU@IYm}U^$>rJ3Tzw%`+;A5=|hFd2JL2^I-;>IjCR#?Qpz?$+GA$V8_b2{);up@5-ZV*g?F-W*#{fLfYSg+z43bHrmM{&;b zawa;kA!51|S+tYRg0Ro2h`;RCvD239ZJ9SI54F9Icd(P$o=hy{gTK$XAcu7olkDqG z?yorq;}K|!0kHzJOu6$P#2q26F^y(P4Es>QdvKAH|HW>VlaNoYEy%l&WACI0kw@``kLblzeoPHC?BRjTT$*e$YWrN z@D$!A3}QdTKY&+KJWB%4KpreDN|e5X9s+p4IK#f-%vgQ7_4=woE(81;=BFK>oAz&L`BBPjW!vir4%p{m(*Cfr? zS<&lYy5maKkY-0oVjVTpuanG_eG{_nD?oxWdTM>BQQ48m9u>F#KkU70R1;VGH@r7w zV|K_)GJy$9U?LMpG!aGBeg_?y&NC&o z97`*q?XKW7%mjFigI5VVhL#M~PtegkX*!7leiT^@WtR8gPS$~3f2I;zty4Nu52!R| zo|s0u0I7sb^Pc7k@O?l~kiiQ1pd1EbM*zo);x)S2)b?vQjWhkA!S9JiuSV1|IUv!P zi#(5+YkZ78h3a1r0hLR`(bnQ4h{@zm$El@yd_dkBKo7dU4#1&St0_oX@}mDN@=33n zKyFl(0c=^n02$pq!RDdHkt&j3PuLzDk~xM5!@g;o?D$sz9n6=~fv$IvxeOm8r1T{U z!&DYL>Y``wrsLpo@>iUcbSu5rxKT_chhgvXTZm6VJ(KSQlEvQ7@dkiRlEtXeu!>a{ zm-uu;*%C)v7mi~V%OS{`s6hV+J-je9kG01v0c>Ye&k(C1Df8XA;c(us+7Kh zVPL+_%bC{kcnjl1`Rrlc?aJ%bSn>_=)>vMo$%|1@1bs$~qR-^41T{h<@W*TZ@KjRP z@O`ki!bMbkACOUJY|lg5n#(4lAtZcVB6iUZ@;2lgHs&S*CH++f8>5ilG;nIcgCneQ zwY~Ww94_6qZUR6_?d^=tC@0!2Ak$AO-53V6DMqu-Lw!5`Re~{bUxe z;M{}(LEp|uI49lA`Pt25(2D{6O7K6fA6lw4{t#?@JEmlpex{1~wPug5eMIfuYzgV} z!^Fgvk?zx~tm-%~iN!O?C~}e;rYNcK{g(G8ndRATm~1AA^m$^}T~O=J*w$Sov*Z5c zziK`iXA^i*ln9_zUkrM`@+R9|>DrF7-Y0^z6>oKgK)d9*N-UNvz4z1XaKuj1i|Mv! z0Z@fR!TUSkTNH#oo+$AxyquQ6ZRLC8aKk)Su+p2*8{%l;yin$O)AdFy*5%p|?kaBp za;8HF5D$QP8t2jkk=Fnto`gX;i5_KNG5~oKx8_A)wU|X-;^qj~p@DSWKqT7`%e58K zJu^8x=vumreTtyh9 zvK1;kQYm-DwxjL!dR1bKcNmfr3HeBOnnI68^vO4o?k5!h+v#%Di=Egd`;MuJX*>(H zsTRrz0YMPM_1L6p@{H6#UNi`5F^WmRCURAdM5G6dWOchV=4{eE?HE!#0w9#moGQn$ z#06tG@(jG`TuPgd-Sdg4%b6kS$g{&gj$uaS{lqLZk8|u*o=HXh*(#lVw9Ujaqi&BD z!)ZPG!~*dp&a{)WUWvH~y}{TS)=EdXi@uKuh8*-6^oL=WGHnHIU1mt*O$jQ&dgdq-b+i?N z0C5rC4RQ=(TxQGe_v6kO1}KGesXzYQyRq@67-4D(H#P`>2*R<9HvcFBa0zc>9Ax8C zfDS~94Xy9w?mlV^9H(IsER;$Z=}rDMi6l)Mp>9N)Xi^MR==@>?-8Z3~h^Fc|O*<6}9Yw5OD;yh{-tDoWX7h zX`7b>F-JU$enHsFt6k5cvsWO$Cg>MyiQOwm6*$tb0QU?M*WylGg1S0t^h9z3PAZHH zf}z)77_W5)x&H3v*z!yG?&b4fYKjM7eMSYe>hy+dH)1K3%IiN%3awcS^DOHknEeux zjK|VGlI*yG$bBJ_PjEMJ3i$)WB^&k>%`5pa%Z_)NVl3E_9fnF$h48`ygxziN6p^7g zhQAEYHvH@qS1BgEcq;7^Oi~o`N5xHs+wF}7ES{zRit-_G)rQjs!&J5YnvwQk7*|JB z>u>=4Demz-#xCmc947J6Lc?>xyq5NYro+o?Z`C^=+*%a6>j`%wX5 znaGTbI>w~`E|?6weTxFIgqWbFABS2%X6n64?imXg!k*LFFOWjKhh&pIqzBOG@iD7O zF&3MAQE}0UOV~xh#?REcgAB*izXlJE3S2D#WC^vJ9;=xV(qOiS)^=UZ^h8DM`9yzI3Fhyl1$QH9{@BF!I2*|_kAoSZ zgy*9Qm_Tn-$n$0==~Gpeoyn-`PUbHy2UKL~;2kOw>0YeD2l2?;e}S+MR$GMi_anb2)i!9$n=<)9KiPlQ*wZCIR7=?iVBAeGivxDdg~j#mvgC`e*$ z#Ci+h(4bqM%!hLSV!L^=e`4uR;wkcr<1`{^w2(Uu^g;)@V7TWb=WmZA8HFd16zz!+ z2bP*hZ-tyw>{c*UhLE1#wS0r&^$=*qdN(M%%6e_-Ery}#48y$6uuR(iA4yN>{nFvy zY=C=H2lu5{vM-R7S^LvJm~NoQiW|*#k}2B}X-MvjJoB#?lQ9Z8%rKYHt93RdYkJ&K zcV5M@>;+}ccZQ?EOd_iZX7_7pG5e945iEmQF5USnXysZy4`#Z622g?$Ct|>)lefeo z;AiPR4`aT;xi(JC^i6glVN(7|gsb#<1f7l-pk*Kj{l&(X#R({LE8)#~01#)~n>55x=T zL>wj#gu$aq_*$@&aK~W8=}6nK*YU%WM9+BBRlX#^SmOi`Vfi!=A=%H86rT|<#053g znDc^bCU3_Oj0=GH+MuH6J)?1^BNn-pn6JhKFo+P|;PWBs!B4>n#D|Yz##MvifG6E^ z5J_xP`u;RZJh#TOCSk^MWMAmWMUF`Wfq}*5`LW zYwDwF`oLJE%G%AbZX1G0d?X!nc|6Hzoz5h18j`>>XrivAJ*UYpR(N)L_Ts~m%DlDC z&7`=#48U&?J5F>B4|`q`AZSu$+AaG$#~Cg zb35A|CHbAi+BeZ;(#(fQH*Di#`5X2nBtr`vR!D*OzkAl?)sUWs^^r8il&{sjMhn*I zJfIhe-MfH87m`MOPaQ{Cxdt zxNCBv+L{TD85@;sZg|=QdV4>BljpX>oM}^-DTEqVQ|i>+;6VUZ_kB1Urc5&c6`$sd zD7O$@&V>N4;eh}M<%}00xk0B3Ci170lopMyUc@iJ0Pq+6=c?p<;GmN`bR~Bh=jcOJ zB!>^n*p2A8l6TrZg1b3FTH<*K;R^PH;F=GcXJJE29_d8d=jc8YVA!hw_I|zb_4Xwp!m%PrEaA&#f-!XvJ6i#=ks3RRwm1cpDZ?sJ;@7LONT)-S$T}4tnx5y_+9=Bh8eCWxByU&Lx9nd``tpqKdN9YqT`m`W`S^-l4k!K4bjcPu_+t@iEfN9Ba z#gu|@Mp6kg*J#yKiJZGtWk|7He|tWqMA@3@k6ayqEO0F3~ShG6~SE5+98J zNMcnS-;bogNBTgwDkNiMfO!%&`C}gwV0eGeLW=YyA!LX`K4crG#_sBD=0@c>rV*~Y zP}F#KbD9!l8Lp074_cWJGSxJFEW|NA*v>Y9DKi#NKIxltL2P9PCQrabuANK{01le@ z3W8~plGq`}0*!i~?C)eI+-6jhdg8T*lEM}pREJg8gCH!?LS5d@*a@Z+YOIDB(VrR5 zb~y41`!7vhZ>+L)(lz}^4Z0kSk=OX=@h+dnyRK$DV2Hq@r46)>1P; zZdz~sK9$fL-*CqwAsdVQLc-uoc6tW+&|#0ZyrNaey)4sgT>LYG~0V@asIiPqn-y+RFX%KhM+tTeR*-|la`7|eE2Gm_~u%H-FWcE{Nss+gfk zs}0*VW`=g={-72VZ4rU>`)L}`m)0Lytz-pXfX8OI?8K&!_Z1ff z)00M`GRNC`#pqVBd2i7j9IG>{1b-~R7PcE9ODm|gh@MeM^x~MyAgMl?}%UV4&^F&dz>4_$7m8a_3b8OsX zPUCy@>+O;mTm*B2(@4d@8aX=^`cD`&kiPWKf)~kLRBIR+K1K@GZB>cw<+s#2FKhc* zDRf}Eu~(z+Uxx@5{gVA%Ma-s1H9LmIJHVwLIPeST_|XWO1NIV3#&Ed&3SzWb`53?h z8Pien3B>-+h;wuqDw6CFh5?@mzi(ny3`{(y+sYXHs}RmFW9ym3fSifaMJ&)fVWPL1 zT^B5d0C@lVcAnQwoFCq|5>7zHQ(qx#;OSic=!a&y3SYuyjlZu6|;sNH0Db-=tLJG4_auE#8 zfB~tWQWUpB=q0HY^6cyC`r!L^(w}1_i^WPATSG9haSUXQfqu_yUU!dJ=qdfzeEy_% zXsqFsrggQHLdui-qJt?ASLzMfhyIfYD%7OZhNA9jJe2JOrP<#KW52 zG6)pZ8gzT9|M7NK$bBuR!tj>Cv&gLv3c8YE-oEV6@!nvom!{dSfL$e(>|2{I=BHpW z6AyyveAD;dXQeSX1_FP^5s~_pJk#D}(B(garscz&&#;X$XZXI>q-0gLwF8=O8_I$3 z_kDF^5_^FwL3QW!C~|i&RqJQQP@`^|hKi7_?p?o>iEq5ijtwo}$A#%yV#I7~r<#R) zF5TO4(p0%C8dAvk)~ZbVUO1?bl|KxV|_Nf(=hQlY&IbX)Co3%3yK zgxTQ!A{bqp5q1k}lYx#ETd@u0#vuMPNKfu#m&Qw70VKn{$A<}f<<-d1EZs|&qHN~&muh49^TMRU*lt^Qsco0GL@`N`%RJ{ohaR5dNt=@t;Fh+x|?={oeh(% zNO~L0AMyY%orKQ5?@ESg#p)E))H``6$}dHNElH8_6T&y-oy7JPM*m!WH2;HSv19YoZwikn;I?c2%v>pn1{>LP?08Oz+nWe&y`zs+;s|y~u;m=f_1ixIYq_qN2Mz6oII9ou6JNI1 z`X{6v$+11M*p)tG-q1K%G=L(%v7!UNfgi`~aE5*v&9SuZq4tbrVd7J>{8NZi(0C6eq$w+(+ zCpH3TOMa&q^IR^7g`j`keP8%c_)<4O=P6@94>sI4WWAspVzM2hLNfnsO`>UvNV||4 zNkKIQJ&Zk~$fUSB@TDy^d_ISqt1V}{sIZDjbLS!F#^fx-3&JjL03_4E!a#I6df=9$ zyA6-e$d@s5YU4=PDS)szy5aG!BGYR+r%Fi2!*qWtd2{7D^CX2VWrXXQbNQDPOe8ty zAz~>LVR)qUXB;-^pVOEZ7aNi8HzupEI3$e^n9%|0;#vF~6z#Nq0Sw1~h_%k|g*kKu z7_EqN0Z;OUoPcuPC~e^fQ-`nK^OJveC8S`Z?nHQEcR?&L(4o1}i1!bbI^uIBR(T*v z>xLc8NGQQc+;OZH3}V^%;m8|!HV>y3et~IPVoc7+wm04XM&xkTaFAe-JFBmDfLzD| zZm$?7KyWD879YxfWHzMIlCMpJY1^dIu1tFa9zo;xV?84qb*N#OvPt3W^l*g zUyM^T@ou?@(L?Nz8w_Li?#u+z0>d%llRm~9$)~idev}HB9G@w?)%uG(2;ZDx4+WFi z{!HB?v_XDFt?L|R+^i_>amK@HeFS7-boYWSwqTlNY^F?>?OjTe$wlzpq#wgr zWk52E0b|mgdh?=M=XmFH8@PusXyZdN>Y*_vy|@{=k5zNB03{<0VbV;ic_xBgo|t{5 z7c(Eir=VEKBpo52>MoiZSJf@mk5^m2Wh;WOpCtb>oGT#Rv*C$NB$354I>(jXB^d$g zf^3Mhc($73d?%S?9BOVNo2|od<*;|7ArUR753AP4s^v3A9fT^cvy9|^0kLIz^AUas z(~Y@{DjYAeOuBDvQV&K?904CeT!i;K0=%)WrNy-5CBOGlZMq(9S(wTxK33n?PUJ~t7k>7FqTXp=Gcm&qd zToBv7o<_^fbDQ6zn%x)u*|Fn%JRrWN3lLRygUZ#qMT&OG;TnS@su)sNgSf|Af=rGY|-afi`l|5I(nZxu6p*c+>EcAmU5Y9cj+&L?pZq4sk`D z&NlGd+$#_*lU%$hw+I2EPxOkjmUqf7CW*~L04YyyC+U(D^z4G46~=hFuUYkUJ}NTgt!VkPcHRC-%7-E zh}6s_vXDuhb&L(j`+z#KUM7zr)F!0iIR%R`!<`bJ7i7G~0XCmU07#3EKmZ@|%@?pR zJ_m_29bX4F8q&H1fSCqX&E5^whgPk!QHtGTx%fA`7 z1~Iw%ks4ek>zNvx-U5lPY*(a9LTTL*YaD1=%dii^IL5F_Yg*8rhz_Ws`D4r}q_fmm zGOYS1wvE9HbU$l!S2~yywEEQ?G3ho>;Cd!Y$WWVtGh~-GF3dKKB|5s0JH?DnJ`8~v z>8Fl^svOm>{!(4r+gy=^ip=`I+*05T}rJi*aflFZbN!RfILap|* zmZJb`90kb6zd*@;Sa#GCBXl_`t#oXxpL98P+<#g4WHbM=*r+Gi?@1*Sf!qGi&9lZt zJ%xWi@n(l(`8~fY{BKXd-~NOC*P}n-Y)AdCTmKC&e|l>F`;PplA%~yC|Dl9Gxvq+e zrw0Z|DIDjoZ+?gqfV=Ni;b3&s5pANjwo-;W-S`WsgNpD#~#_xHD_=lb`zzxMR^ z*S~g?>&J9PJvlI(cxlDhDNpXwUn~3XmZN0EWBCm zZ*QPSC7cw^b>l7ILe0}(KnG8UJ5W71b?G6A`7%)1EI1Uq<;8wTsUE&8hM(NzH{4zB zi?mOgC9;L8hL_ncRVp1XepG+)dA2mC*&R4__9{FT>6xiCm6_(9$2)=Nf}Ng4YJZE0 zyJWdMBRQS467=4F`HRQV0U+$Xd5*JqdV{}P=_8oTck(k^N`Hb>%~LfKf1i3NZwhS{ zzxPu(3i2h&d{-0B-*N3zU`Jjz9O3+#6q~q6mAt;kWnjr7-=+JrNC7x>aJV1gWeYNQOormbV@qpi!hv_xWcX5} z;`rSx)^Stn=HPo=46cR3*^z?~ZPnz-)pGdY=m1~u$~{)2bFds0#HILjmfn;=%Go%c z;z<o4vzn3>&HRC~*v2g86P^f*4}1&aMVNM&4o=;dt;JVz6Ih0M%K#P7*)^INsd9 z;RjwX*rl}xpYg1a*76+g2oa8ffXyZYrAcrLlxZE2Hy!uK>uRR`hmpoVVt72B^fdNX z;c(}mf*%^K++%F2lCjXh82~a};=4Pcqz7Nw{6)=pKa8c)F5+-^Jj#p45&UvkEMsNm zQ8F4w$_s%8n=_Yb;CmKypaOpcs4qs44Q+skScVsoaL}GM&$i3>B>zR*rPfJU$S43K zAp2X`?0Hw09z1v(Nsgqg3A8s(F}LMiA&0QuxzyeVW?MOO5avWR@DM7zS^yBZ3j@ix zYR&~W;3OOQY8C{BCrBbFc-3(@?49a}^W9 zy;)g|!#3vNC3(fbC>W2UNhvmQWAF#en93jM5+Q+Wqv7UWt_WN^FT;U-MUx%4=K1|I z=`bsswKir7G_I2;mz2rooQr6({yQyyo_m(JHmDdYl&+jU_rDOrrL?SZm0g&~%j2ll z3E(>@Cf)Hhu7H~ZNn!3MJ~DYAYK2M5+1+$4m%>zeP1aDVt2#wBT#|WlYdi4D0q$9c zxC~wxlZjCz(}@}3NdV^)-=7V(Qi$ssyJ;z~I-vcDr$E4mhTad-f6eoW?=41yV@hwa zFDV(GIziBq@^~`0(CPx!YP~@PHD?JOSrfsG#8qYyPvvr7?xE z5Eby_gB~!@#hctTiT!{WJyk@(Gn1`sOf8|;{h_J1#SZ2cN%^3T=mQ|H_3XP)GlPlQeAC*Ih{o9}M>!_u3=e`xek6e67l3&50(Tm! zoC+o}2hH)u+e%KKnA4CWy;DAf#^2wH1u|M(ntv%EQSG_JMLWJnLbS(i{|XSA23njP zfyCK3Lhed-e^ImY2{KtJ;A=%iAa%IAxMn9G=5b37XysCx`rxs=zP22iH(u{h6QXzQ z4XXPY?{rupqw27sGtIaZ{(vaCo^QY}wnRE!MDTpaffPS2z*ZiDWNB8E-GKCUY7lhY zeGk9IkEb>~=04bo1FysSDn0|P_-R4^C=!}LT(77YeQP%t+c+0&C+H`jA8sr9RTHM{KgDVq5K0BYF9#1(Et)`zWI#jN@vG-|(!_C8uF z*i9BC6T{cBQ#53W7|ShZV)M&@`$c-zO`!Hiov8*~HmNZF6I3_ZxK1sWG0Qz~dpH}f z@^YR%vL%@CjcY`!XS(%%>xh;;j&K6)lJhGnI=eI_o9)=Ve+qk$H6<#Ex#fBRe1EM2#5!h2c|;)!4>Wh~W@bYY0_9TCiv z<;{rQ96WfvAN?}JUJCIX16>CYzx&OH;=XWw9DoJ>hw4O@SMqZqeqkn~%}qGG_BnhQ zGk8>8WTne70s-j*YOJ;1GuzQ08I(~Fa%^L`-^fhzHvJu9&JD2cvx(p38SrzaDy981 z(z&3*{B1!6wmV~u?}k{%4SorO>TO;tz)K_Pt6&myw7g^>-m#|~AF&oR3ztvc3Ugcu z+Wn~`1X=sBHqN~x5CFC%V)&UIm=|a4zIOCZJ~UC|0RGcmdI5*#{Gvmq<~vH}JHpF;lLOmNcu4`~NBP03Hgjn+9yirc%4 z6V%8I-Yj+PV&71KPS@<8hF0Dqy$uVNO4Cc8RP1T?en-E z;*WHOv(R^>>XPpU-vb+*8}@%sObyS&9Xui7lFjy)p^?in8Fy%i!89oRSD*7kBJtB3 z%%XMpH3b{O6uymkFL)A9e)I?aT=>NjYwI0kPmx$oOvSua(3C*xumgBRnzPsiZNNyxmnrpuO_Bv1Mj9xhZLCM{b) z00CZLXX?Jg3p_WQ{_Tk(#~a6EecST86KhLahi5%2?aBJN?Rcf0iA)O%z%j-q6%$j! z&@?iym{$>Ni3@yxsv@i6!S>0xn#+KoT0gu#ttODP2M$8R(Tr@Aw~t;ZxGyDc)H5RY zC!bL@6huas%bI|!sUA(z*OZrTm>c!mBc$K!p7TfDMzAL|cv$N&p)(!^kJURUxf3d~ z$(_*El7c_*AiB-bBaqsfpUIo$EislUeRmR@8}B83o42&aQLqd~1RIa7WBqhVJnrr> zdZgiYO$Hury()#;f5nD^H0a}Nu&MPoaV&53THdrFHiovY69+(tUHWz2Yhnb*!@ef) zd{58VgMw})z5EF{I`7Hb<+&$q@g^Z(%Vl*bpPRNpuYE?F|b@NyX4?URP^VWq*)bkZHf^LQSb7MV!H|YG zW+USEsC{w3rvLfYz)HOkhRaAq-mi`q6uKCe+{yaY{tTX&eG=DHLH7f430p{}G`)2z z89+x{yV4Db`Hm^1v@h4g1vu?fG%9U>J5K@~F2pNjn_-;#k;I<`?b6+%ENzx@@WuU} zhH561sR5Ru>E&>KNKuH?UOKtXay#1(*gS6kL>xiFJ$d4?tnM7|dCyd2F=lYWY3m}Z zntNU$cZySq9h~aKH~7xkbFt%byX-+heBa9k7`5_Waz*&C=RDlH5BS9FC5Zc+PX&zV zXTk>u@9-TAqgA?ZRrV9Oj0r!}!&qV9T^^ne#cxkmV7P;op~4d31E&I>zUfc3FQ>>X zxDINty=&T~Kmu)3 z?D(+(cuMjG)GCu?Ia-m_KJRB5W7rvOzs&Q#P3&F@pbgK&{T+BY3&VRD_R7m9Am1z#Z^2Pw_IJz=TC#fxYD%;Oa$myS~jKU`46csU%fpjKx zBmvL`rNG(DhH24^!HuwyeFn&FSKs5Ij^h#oxK2s90R)|;z^wSn zsK!}U&7LvF`4kIaYUr`rZZcA*+I_a_aP1R;QwV~862jjI`G-ajg#9A?(V-{dj;E2I zr_rIO@sDuz-;rT|3$Uup3tN!q?6k8P~S-|Gp6yRu20vtlOg@m8|Q^G*Drvkxm&hU!9gIEsC6mb-mcHf4%eL zk!u*owXzdA-9Dccn494HB~NlN!hkSmkLa1};!5%?|_ADyip*G_~{Q`JP&DOlx|m z@WSx`zGz1a9uhN!%lL5g!zEn|RipE=EL#@lXWRCi%nM0#@*GtJHw`7gw_ z4CtSmL<$Dv=XfDzKtop*3@i`O6&7**>Ix5iXS%HZw5%z3ptkDPI`xQ>5cQxn3kzxk zi|Yw4YBye6ot+4&vprVR#BfgZE2^K9{tAAYpA!VWc{%9?Z#XR zUEgQSveIdnV|>r;6UMHYy0c+yWYvHV$8wqdvtrbJ@TP!GLiC_<3-6i?=|@9jn3xxs zzz+urkXV=jbl*%Fi;zN_g}nEU3gHw+UN9N4)a;kNqAYZLahoSI+u zdh4R>^0}X6^b!x_c=2*QDu^mggdt#Qv=_nq=|J{}bq(KUAAhj!!a(E71M z{_yIF+1@26GBqf)>W!f>WN3|-Kh~vN{*;fBre7;ud2hbA>yWiw3-qa; zuq{(PQS;Mv7jfG4Q4^XAw^V)X+puNY*JbYwn?ADo(JI53M?VFq)j6Zj8;(?W_$c9v znnPP6+9c=uZ202`1IIim?!M}q0jY21ROSV~Ke8=yqPgU9!=Mkkz*BfP(^DTD9}}|Z znXeiKK41OP?ol6Af7A4$G2zbskDs6ULvz>{x(8=_wVyEi(%3I%pTB%1GLsqi<;UKV zv#a`ySy#4T#GKzCDroxs{`619)g7mKERTPE@x8gP;_z+r0(FDFjOrbp8N_`axg@Fw zol`k~ez4<{Z3{GM;XaKnH`CXjAN-88NZ7l*ZBgX3Z`u||E$Vn zd(-~W(ztzx`@yI_YSqZNpq_kB%ie$gGmE0EtSXr@72;M;^C+MEiS@gNSx$WmX_Q6V zVa5Nm_VmAo@DunRefXd!;rqxkzr5Rk$q?^`zZt%=DJAXTLqWxa3Xrja=KMJYfAXJ_ zVsQ9&e=Q9sPu7RkR|E|BtHln;*^!?968z6j-|CWT^0HXqD|@JeNNdOB94 zY$iGs*3kxp(Oj^`RG=MLK!G6o6@tsTaAo?AbitquPEV&rAixo;u%`npO7?G?wh3Wi zM533-0!8``Kzk*iU zRpqOgGQDK-(_4I;=)ViJ+^pHIuq=l+{~i9{FY&+L#(w_WsCsf6J0iqj$e}C!ihBQ1 zX8VV7-uxi`w|{C?{vQbXAygCSS0D3th=F`6in*{JrJBk&DNx-3D@6$Y*BvmEph%Ec z>r{8Zt0KCNz$MCpqp!*wVj@9kHN43Yxu7@0dKdHrw%ciiBg7!2fJ1L2G1^Epx9$LbMhyqVcwr1is}Nq5 z3Hy}iK!*=o?S$jU=vFb$;f2aoKx=+R;SC^(9bt301nR#EY*SxY4>US8h`t4BgHT-n z;z~(9DDJr!I13X9E^6USVaJqg1T~7a{VP{0 zIhX|hRl{al1Q!MO#`4{A|C9fZ$YNf4$)u;x{rh(M3qh6#i{QC$g17(AB8!vw+&(<} zq&y@bxTlJHDWsheDN`v3&q2}9!YiCn#zdyVg}}eiRH$EH5`Nb|71_gKUH`wx)W1L7 zOVR%l)bYRk3~SvB=&=F*kRLT#-0gVE@e?V>X@K&?AAw>(%pZQeJ#YMvntNE{1oR{|F6U`YLeSPf&ONmgN7R z1nS?Yh<~W^C!79v*+Jfh9FuK-OAqpKD4vOn^=DQ8PQ210GDuj(JCI9sgaXb2@}qnN z>gtMkDoiLeBPS!$n!l6?Gr)7Go6Ca!C-pN5CAgyg5+w9yzl2aC2q`CZ1~KMvdzU9h z0J)2?6hi+6o>ld+iT{zikGC=u*XJ|C{e=pJclD zJ4!qF6d2V0>;^_Q1MDM864}x$vY5d&YupSzyLx4exkWpF|jIXm#=5igeN`?)yGhR zT#n_f2(WpMDx@9emnZa&lUFKyL%DGGp#UGax`O$*!fuyKK(RZjBf-{B6!tDj=i;iW z#~@cm2v|2HKJxYEC(DCjH3zN4c+*&9f5x#2@tZ*yx%!E^Va-NagOR;46I`nnz$V-R zrUon`t|NQmZ2of)g%-!J2CI)(;iBC6Z2|cm(XpivZ$t5%TbKrSEmsJIYYol)1i?o; z+&jBN#Q8SF->W{wcig!R%sIe6N*n@LnRvxf5{T^e_j%9cPq1(fb(Q-g*Jk+1L5XWM zI=3he&Jfd=TS_dSL4iv9d9_RZezMAX`a;-=ANlUl9Kg)mQa|-M6^&JX( ze64ClRG=dhb8|}m&CO|D&(AG<7L&Pr34Rf zI)OjPu<4LE0COPZ+Nkr5L{{6rV87zx`>Lmki;iZ>UIrpsFy!WqcU8#eI!ys1->td7 z%Msi>Kyrb4W#aqv#iCs(p8Nrp_V21_e_@&~N{w;03sq*7yytO&Lis_PBbfBlodGlR zCsuM&J^CZ3%hLq>4eKhJ>d+{K(_RJFCC5hXo?e`gCs2db>92hJ=t_u{uOvfXv^8CG(JLAW{r_ z?x^K2B}O$i_pMr7NoWWD83@-`Dv2Hv0$urRpUSscnoA76N%cL!jO-{_t$w+&vMCWX z5r+bSEPdFs_kX+ExtVi5Af3m59KhaITGR5gpqkYrIG542EFdBCg!eer&O-2iX*+|S zkK1M(psH)3&r1z3SOw^VB~UBX8i%VK0+OmZ!Pr*?E|AY~hSs;Kp{8R0M*tpeob|-I zsv(Wrl3b>W`!sQD%SCQ3{mS0W{kEblk+bpxa{(AUx+sN=ZtDhE|CccPy7qZEjqRR+ zkizI5bfmL)T)`u0ujd%iLtgN(wM;r9#8iy}mn7*#WsjOU5a&%)QmH%D@LZBr;4&5+ay0C zhV04C2xB4~Lr`T5jx5^RG_R`6FpRhFv{_hWxAalga$qH!ZA%X}v3l1B5IBCKn)qRu z&7?Mr(Neo5ls8pS(6w{zMTS=>w->5(ys!sow|ki0zCI3fFzTj{)6fOTRa9Mc-xkH7 zuH~=8^*IJtq4}AR8lsN%2yDrVmEo=cj1s|eZ~Uad!7n1w0WwrcAItl&?s2H}J6W8O zgN=bam=#4OWjfY_Hv$GkZc-Go=Y2$@P{qNCj=iXIJT(u$1i4HQzp!qp5|O>_Ld`%4 zd;Tc6NZdznx)K7D=LOWKesb%Zs!n*F2P$}YG zb!;SsQ_%h^jY(#;wPR8(<;)z{Q?3a(yU=o;OWq&!#E=TP_-fm-;2CazeY*-xHlJnF zGmZhMa4~3cI4*-LFt&%+PGRlT(~&rnB8Zmpa@UG`AuhjZvLdys{JR!a6gPl zwbSjLfVgSeZqQZl0M;!2fL*4vC8_=Lj+VobZIdy$OWSr(?tAM(*MY#srM6+B@0F@y ze%M6&v+wY4^PAki1XL}-bIe2OB>BSt_LkDtpYrkCcD|%wl4ByWhZa1<6Yvgt0(|wR zqMUE8W|uBR@z&EMjbDOU@)mf0_eR`WwnB;Yal4FeHTcExN}D~xRU0C$HP)*$UQ|Lo z?9Y;5&g7KANx60e*V$O0<2z*+VOxO`DuWckrDi{;n3IO$CJF02?<&3xOmk5D{+?Rv z_`G9B!mdw{OrB4%SUpYugO;Xv-U6Op)w9&xItKSLHL3xS;!xA0OI#h)8&B7c<)-ub z?rFeqU~vq4Rb>LkI6${_e?|cZn|&CW7K?5UHj~ zL60?9J{(}*KnIHBrJ5?xWxKC~<=|ClND??_Ot&!fXE#ZZzGamA|6N zy8bamsgUr7#Gy6md|D^;|FHMw@l8}~-1s?3rp;+O)10)EcG6}@(k5+EGIXZRw23s3 z(ga#)p@jlvDF!J}mO|MgN^DN(QRXG)c0C)s>EiWiGh`C56FNTU0JF+&C zyZIy0yQ;>LbllkfyF3ypyH!_-+1_jWYj`Z{pI%Ii;Vq3N2r~Lw_OyL!t#N38a+aL0 zd=Qma-dw+zp%LC2dWiK9hLb_|pHF?+flj?jMElob|8&_7OW%j~Fxy{zGMWCSY|^+Y zI?+0s?OLLD>wy%DRxQ2)V}CLX->UZkP=#Gko)*vNAfKEHtdqIKK8x)ptiL(fyn}&r zjxMs_p|k5Q_4QQg$x*hqw1RVek;Yt=@{#nm#y$@u*!p z!Dvq^qD!nZV3t2eXhod-;_c z^s7TJc=ja&N|;y5F~81?4D-vKB2865EFB|E0;Nu~5Y0QG~S=k(nn?ZAAF=beQ5 zXXrAuR0G=EISukR&8WSA3fM_xC0F5M6Zi(@Aye_|>ST@B<|IL73I--&#fbTOX>~m5 zF~o|k3P}6@yYFjnQbuT`C5-wGgvvpwpNVY?9VdAhmC?WP7G;kn`Z8~6f0n#_J`9S- zy(qewPw#N6&*EqX-$~tuxRVKdx_ARnYDW9D+(VpB4)9lLVbvYyirVI)>z2pOau!TX zX%JSQMzL3`#y$vOrM=zh{M!5Rd{eTX-WmLvQ*u$$i`%bu%%!R<^HI|yMsF5hIIqOh zMxzyIPsLy{iz~sH3S<+QkbXaT-I8l1X%iRFWwTEn%42?Ei-GerG~>`k%T6O19GYd# zpwMxlIWnglMxj~urSzq$wRF?LTsxtwAzDv4hTKolD)u)RSxX@dOy0*_vG1dW><4s_ z^c1dxVbrH>DLPfLkGo240#oLj(a4W}4jqVvLY-o_F5XI5;ls~HN-Byz#_lAYL+2pj z!HbFA-T@y1FIuI!sCI*WKH5;RNIszs*M%lii~1(QYpDhAn+RQHPoP${K!bNtOJG}U zBLdWt?`uP2*DP1YqEG{Tdk%(%PU(l0pLO_obqg{j8TlG$b<^=AK11CB@2TP}g90Dc z0i9zxz%QrJPJzicSsOo>W@u2@3iaJyD-=qtVl~7e-mXOhEDsoPH|tm2Pf5}phS2axCQ>e9`Z@6CNI&Uz z%W^(lwEgqQaHOuq_9ub$)zP0b=NieN&}p2*Y0Of0>^tV09J)X~_}dLNp^KozN(ngh zci7JDK%p6q=b`Ww>Zv|~!arjNcQ2jsDyom8x&9k&S`WItuv&WGR?pH*emQ`= z+6Pr_5Z(lLy}Jc8zZudj{Z2i#)INXxkz*=eV1LGQHi;Z{DGA|R?m9pu7YnqRHb8`J z)dar5KG51geUJdl`ywwV)Ez@~3?PHo-H!z2{3Of!kh%@2!*d=5S?a1{K^2HBd>T#Z zhL&_7`ntUyHF-8PzY-4Mfxh4PyoP5m4t|b2aS5(F*>O%3 zOvnIyeQ^ZKUo>AddG`v-7rTKycs%mh6HvkQPSxK7Hjrn(GDAU?k0TnM5kP!4%ICgM zA9onJdYR|!LklJemeF~YJyH29f9Pjz(#bf^n@|$g(s#|XL?){_PI+EYdY=`LeLT(uvoD$NskVzcYOTZ=fB$5PcZ`UH7oT4Eb~RB=woZ#iQIg;v^pZ{w2L&8es7-7ZQ^I@ZSCx=FQ zMj8}rl6a5mdN@UV!0gt$YO;j{RLD-Kea3SoaQ$}s6n=p+9=F-)!^(+7#mq>n-R?)^ z#L5H6cPZSJ)+v6Y<*`(tXLtp%ANZ3ZeG`B%+Uw%yp#oSki8p44SbcmnKHi3ab&^aF zBII3ve&ssN4F^^o;2EE@6#Lc=UvsrfjEa(-O?%FHMdKX;dA!1HG@-JeX8x~;cKx*( z(VnO8!yc5Z_GMHdcjK36v7>Am_PzQDYTcvm00S~{#3w8LbtV@9Nq&?uWs#c!b*s85 zm@%cp!9XM87A5c*f&Pf21Q4xH`F5V8-&AJBNog3Svl}RMl^t={a*2-)s$}CU9+B>k zTLKo9>N$5IPhF|Ek@_P`QPU~%9x7OS2l%o<3%HH0mfl9bWC+W?B1Pj%boj;~#15jD z>B{Qu*fgG;`l8B31C=Q{brYVmPfNYD>bP46(y;be)2Fo3btFMp1a;<)BvgH15%i!v zwqeWL9QE=Oy^mH$u(~UbEun$PM2#bQiEro0gW#( z2y7i3QN4c0uten%OnZiBa_bFiwnQGodsZVlm^(nwV#_1K{(kB`0=M4;&GZ1r;Z%Nw z+d;hr;~?UqQ2C&{WFjZ?quDVu4-xWk$D)z*R1qiG%g1aXNb zNhfoagNce{1|DU#GG4ioDV^3dJwe))zDSO5S!I1dywHi{E4vcgZ9*^qe9}dki%2q< zK&sXY8J>$K$AO3-+MjSd=1|%&=QN2O4z*0nrJGI#U>!GorH|%OzYGb-uFnnA1)3|* zf*O7bn-8T1hc410c_6`40?1n=48}Lm*A_X$@^vS=h?IqP(1wY<39#Kumr!tP-0WP_ zwWN+#+N~ve)EpL%cdB@sjBY7~qrg|~ zh2(LC#im?%R}EOrWq}64p8eC$s!1<0z1h{S>(D-+oZa24zHr4w*Q6vSm#(EFXtr9; z>xMU185 zIfbCBHC2-2P!|X%d0%=NF?-ew4iyX8u1A7yh^B(yz`<}>5QRkmOckz%GoenN$GV1x z*{|Rnz}|Wa5f3b!tFQdcb*F_}RIvR94%*N0qnO^y$B@&NL3Gk6RGB}Mmv`W*Vu%Sj zP=VTowxQ_M@D{E<4f@$!l17GA-OFS-h8EnUu`x*n5btIII%Z5@r_N9D2v(&hTX8!x z{Lnelt?E5S{Aips4MpFzPvVw!3UqQ*9fI8Tx-9ioUDb=&4$!HSYSx8btfE-(YwI6y z>TsI#Bl1jZcN3q0H)4knK#g)SKm+;%M9=%9Ku9pHd7x>pTGcF!wZ8>`bFbn$^Zo(| zumWT7{kV1~E?`~{fLs~_NKsWK$Nabr2W!mEurt}c71s5X>M-KA>P?>zT4r4&gyusm z)vBl$xuh$4ZoPH-f|k2{XRFTO!;Xhx`0vK_jfQ0U?s4{T-UATnb*+OscA-}${w|hKONyP`Ztnzk-nH?{ zVN31Z;V-F--w+)J(%0^$qI!FrJ;$=l09|d*WYd(pk+OvqPBC`_v3eBQJ*=Rv(sxXT zy*3bHD>dfpFEC@QKKzwB5FHz3b*RhHv7L^4^?^z@)C6#34`-tWzeFGun%_r@l`)9sJ3EE$VlTNjLC2OY zn1ZUN^VJ>CqT?0QR=lTfP4uiulMQ5|5@OV90OeM9YeNr+lUVXRDGx2DX>yoYLd(S^ ziD1tRErZ7xh1y&p13gJpd7wDg?Ej`CBzVQjY_P69Q_?h03SoJp^Avq0&>Q*R6sLg2 zh>STm&(kl#Gt35TJl+lTl+qQsP*U^Sn*L<8upk_fgMof%_Mw`O>1p`}T;E@rhvc|W zHD4DgKoE%r@IRsV=vv5E!DM2cAJI}E=A3I8UoKx)3zN+MOd*xxnL6PpDzK#U)FzLt zWj@j~pV86k5T$16YZkR9^5-*@dQzKp?px)_;TkN+Ekf z8jKYQ&#r}iu@XItO3dGN^)u`j6T13ae3`iklxn zYP!ZMA$di=+6|s*_OO$kr)Fumr(h4HWNMT>L>LgcgsU&3ahI_5>FV21@GH!2P@ln{ zjRA&^>5Qp!!WCJ08;czQ`5n)<`q5{wXCV+MSi3mS(n-p@IB6LR45KN)YSrld zx#?FbOBEV2YvQ_ULF@WfUvZW8EFK;CMl(>SX}qi{e#P%syKCfx4%N3h_%Q;G5#TRoivAdRjcVJ@=RjIjR_C~?jTm{k-_nmL25@WV_-k0$7+vmp0_ylw8ko! zUN`WS>aS?U2J&_JtHGMhu5O)&&q4(iDL^O{?5yLPmFI9^kFKd;9w!dTq+6yxuIxrN zZ_q9fCx{fsZwASvD?3x(1py$;+AeU&)8A5^VHmd_N!R5mT~RSp4!)dLTw=mAKr-*e zD>BACjhOFVYC*9LUcX@Nn3q-}XQVoc__sX$6UTjk>dH{v%Gg%4_G7iHF7Qfde}QWr zD<-nujogtO)=-_Oc!uf2+#y~;WKMmwtRi2$JT#$m)Bc0LX2urK}} z$(nF-`3SV+FziNjs$Orpmhh8Sjn{L(CZKxDcm2e|B=v2BM&}fa zfk{3!)A9sBsj#^gn(VUD;c?a$RJOKNK2V< zAT%c+Nr%;$$TiYV1}UWoRvcPt`XQ0ql>+o-KD!`3YbLlXx9(m z&55g}7OT9}>M*s5?gn#IB-8Axm_A&-=rD=^-rd#-%&c5vk?&V-631r-jAC>&pW#?7 z3axyYTgOG*NLqrLzvdl7-a^ekgRynJ$iE4Lnk(a|gDbR~1Jup69D+^%Zb&NRDn&L^ z9)?F+TOhZyooaPq4kFsSMZPZoBaG zP0uMZs+!tRZdsJcboJFJM=@x!W$5HP*KTWmRo4=)YAAb*l-b7x59?qZI3QY*cRmC1 zupkxofInsnQ&7R~ncy8ixJ5J@bxp8zyC{#xhDzRta^^{q$n{ z^VI3O$0V6GN)NsGf#N?adXh;P6*{gZR%YWG*bqfNLypD$BO_6@7g2uYBqVI3g^~rA zlxsXMB}{2Yp&exCj=l)I&x$=q`PwA(JNCqt&1j^lzn)CB92My)m!hv3rhE(5Q#~mL zXn(MQ`qSuCwX>%AGPOvZHR|5Jj&4b=&3v#IhP}tNh!>GvNR}?JLJ|LkkUZ{LEI5%5 z@{5I3@cMY37zo<{H6=x;QV!xPo7mIMliMb*xPRhH^6S^Gftk@oXGH)id_vR5bOOz8 zRb8)?lKU#pXs15`ccxWyrfSP!%N3B`)l8freXHFFXl;FuFGlp2)6Z$o9c!wfiU_k+4?9~b-)4f8nGFJ;m z${#JAloej_d?JaSU*hPKN#+xw39_lgyHn+HLX%I&cWz{`?~tRrfiIk$2R6d{Fdb`DlHf^`+oabS|4&+FS>*-jCCjuFk1S5g7iRo0{*i_7KkO2qW4L zA3_rFE>8P^hU1d$t2PxluEkh@pd2^Cu6&EUnz=9H3%c=xVOj%Dn3tL`|` zH*}UylX7TiGl*)y7JV4H{$Uil3SB=Rh1={O(oXa_d8n%wY5ocgwmh!4Kg6x=6MD;Y zcb+`}8*k;o3VRTCU#39{`A1^Dd-xCRFu4>^`tVTkp)l8qz*h&gr^6eUOKhP z_B5q$KpC4#D(K~FBb0*(9ObSfvZsjzbM>`9dnRQIPTHiXM(JHFUkG=d_nZ0&j{Y5V zllL^yFRfMuX`)|)Iaa4p>MhC^;1S2tVwP{0j2ia|Wit30=Je1ES%NoqLqoRVf!&Zg zEEFizDFa4H-y<~<*L{YlOTM!3y%=lR!q;N2L*{A#6JE*Hw(pbol77Id@MJ8GMp}FG z6>Jk}^jD<}sGeO@(rJz~3iH{AD(f#f`f=(H8q=5hw%3<`xSXLwrPpl4%bez?*k5r8Xjei2f=RB2va|mF~5$<>O%$~mT#wb)d3Vr?&lqYNshG5RbjD^!X3xylM zLN}U_)C6ve8}H!acW8g%oNC1G1VP;RGa^Mw3AWe5<>^BI1#r=}<3Gba>VOXG0gPW- zg}^*p{h8**d^B=CqP06H_B>>~GKw5^`~>80N;@XW{;sZ14XlNAxU%#P+u%yrULO!L z=KqSV2gInJ%o$?m#NO$|DT~77pw$Y=##faSahH113i={MT?r$hU50H8>&Q%~#hn|+ zK&tei*}-x&e;J}rKX(yrY(p=NKvWjqnXhQ3F!NxHnskl40B*%J(@UU+icRsb;gCyIi<~*9o)uel#%i`ivtm#!(-94H! zsMViPelKdyg}{|Jfum=QLS2rY>EauAk?ZmX*WFpBCj_dxMoge?SA%JL9(4#xv!{#oTyh*5B}z+uz0WqU36InV?PerX@<;~)ko)?y}u30DQKV>uJ7xaElJ zWJa@xzaMzQD)uR3D|Rj+?7^3OgK@FHnPfY@GlHFpiVM5?*Eu#jW;b~f4BLzFH*B4y zP9SyDT`1}~++W>~nsR_WDn5fmn(QPqx?D21He~>>g;pE2HAk#l8(wL=g1BEzmdzRX z`FTgoGpw*Tc;w_W^SfZP-2%aJmftMk@>`d^u?AI54vvVIe#55U6A$b{!XW5Y-jZYU zRHW@*L7TcDGmhb0ez_QR0Qz)$n;QHY|F5C^h5~V23q<` zt6B&qJx409E=E;_*5$OT{1o6&xb}wGyQ#}HJGo^%UG5E2m;WiJjb9U-hHA&Oj0$bH zZsG5wgOsfZq&7Gh?P(LMX;EmoJ5*hQTK_02PQ@zOpTRhGt`IL>?cSJ-l2 zp#md)X@{M8i|_7xji0yxw7QC89&Q(~);943Z(ND2{iq?d7tLATN1UF>e#H*-j9}TL zL^!#Hu!;`5UQQjIqf;#Q=Ij+AuyQCbvEqkaT|ggL56+kQY;zB4k-g-JW-y0=JuFo`-zrfcx1>I=yKxVa}hH1SXAf|S*0-cfZG z=59||@lRzAHVsaI$vzaD{+UJ7)nVAA&k%RAYCqKBguPiWjkvmqyyIcAfQ*zC{FCaF zXrDkc>ZpyLmoKp6o2Ch2pg@rx#qt<3Ykoa;4N?N*ft<-o29Rn`bvk|(owW2!Xqq25 zg+^9tIl|I{h=sF!%ZlBNWKMJ}*yY}4?J6snTL{UEhH0uLl@LfSg8bqnakvNpsYPqP zROTgCy=T{1M|(DMoQq}e3LMZ#eKCN~T>CcA6H6O+s$d6ubAK)1Q`_r9edPu@zN%kj z7G>V7nlF#$ySRSruDqZt8H7-t<;4WgCpM;*tJTwG@`o_x#sP&3Tjt72{AnB*-?t;r z!wDO~rG1jS&g$|QRU;~2Gtyg{%NNKCO5ZrwAU$)HKF*nl+J-|1W2zHwj`^m)U`EDi zhkpx{cIvkp{<1WQkYixb&2T&+2+5vV2Iuwa4$+K#kP1)4@1o-IBsaHY=8(F{Ax_Ww7-R(vFzZ*K?Dp0zjXRTxj86g!O~B9Nvy6iq-pzA? z3d0;*c>D#Q>$sNUP`a2?Ok`HuhkR~{r;9xmz+;sHjBj9TV2Y{yL1ga^;@Z43h1|!z zqoprZs{GY_9TsfS@&rtx$S*w?DuE9dvJDj6L0p*7Tn~QuxvQ z=_8?EPp#&qgOEa)#Eig;qy-vsAFsIbsA(e4Jwli@frA?N@8FzW54(~Taf`1?zV5DM zFdWPYf_E0^9`Yux4t^5H_V8pIqy}Adj`&=H(x9_EW+OpvFDGmL1&(7=gpaPT2VnT2 z>JvKq4=aXA%aQ#Hu)=~db_xv0^_=A~LN_ASm%?v!ACVc>A?$EqoE>}vs}3ww!Dr@3^IcK3rGwid+UV*C|~xA;>m zC-e$uh$=qfY0Q9#+qA&FNzzshLIE1WGuY858{~ibT_#7Oy@qv@8F07v0eXb~t$s{% zDeI%q+CY{~OYs&|1q_>SwC7772=*kPh3lDa&R6$ev0Jf=q)I=BP01EM=gM)$+1Jq~Z+#ix^d1%0al=)PyEy+Tju2inEW?h>m<`?~CKC|?7xNr{td^SDS%De^iYeJ54lEj?8F%WhVV{{lMj(g7;g+gN1i9>18;x(`OxW* z1A+zn+taO`cIWVy`M%71?F`$;VKr2DK>#VooUx9PKY-D54v4o^E|@VtCM=}9sBie-|eu0Pgv{uKe`S-z>!m5LT8C0Vq@x z?JWML$3E3*XgdueL`7{K;!}DU_HFIdQsE`dZM(%rL0OLiyHZ^1AQI5x@#X+idE1M0 zFz#qNL}qM15V}HFukgrU!|WLM*maZku=xwbec8fS!6Nm1+ji09TSB3mTcz! z=sbGR3*rT=8qc97>*7-=-}PfF&~o4@MTp%g48%Lp;q_If-BA(^ji(3fD}ge@8k!71 zTg&Iehe_~3JZT`JG+jg9C27)B4fKj7vCuu-xZ7xXJt3H4n4^>(6_2ai~U5Pmo;59&^|!8CLSpFpT%9!i-EIP zT8~cIeT&Rb8R*>ypI+Fe0c%WETgSFz=``wI34{KwIxvUyz(@XlQ-G4r&Q>Na^}RwO2~?KReTyq$NcAtH^tJ!YiZ+@UAijXoZ+3~ zGK9?0XYf?qdk7fQj=PFDdw-NW@TA6(&x`lwno7BvJF2oPOR&jW<1A6ZRpi54tpybu z=ND?(Z0RwL+$mCl!~vv=DH~_a@pqDz;U-_T8>uHyTP;3epHR20Cz~PdL!4Jn3kL$S z$39b`9wI;0dywM`mPxg~ExhR4WxB{#*+`!6am~w=f8fvy zCnw>I-QT;3eU&u>LMtrwR+6Kh($M_Ck$AJu0KwWrQUJk@SPuT~`7ME4uBQWmOU<%} zFYk&RW7dhkBq%%d(Q9CZ*&nZz+QjE=;Bd6x!v{)WK#^ zr)WwHoO-Ze)JYhdkPl7&Vhjh=&Mf;f@}3qMU>A=n|w(LTnEIlK8l>u^lP*A~0ft zYct?!4mNznHKYU=(-9eEObiSjb%D^?%f1xC?AA6903)F=k2bTTQ1J6^+Rk(nJ`4^@a92ssA)(KuwPwG_^z;}F!m-dH z<}h9*HCV~e+63qCp&~#Z?1#HlJs1)3hB3z`HGd7W;QCI8_?ZISv{iGj_iRo^-$pXP^e6r?YJd}S;`WAVJ1RQt@cLpde$|2jQbJOP=j@R@QPV(WxLt!Wv>F#w!9w9 zp6W7W-_%iqCu2)VUle&wt8VG!S&|!FhW1!S+Ht=P^I9G!J3Pmd*zYQqS-apL=6{eb z{89pnx`R1oy;B(Jdr!`0a)V1CCIYa=tQN?_ct+W)DT!*8yEMWRnHrj7r<2M#T3KznBQ0v*+K5=t9$K za_VP(;qb4ZgKLJ&MSO+p4)C&(g2%zqzuJBrIXsbVkZ3d9r&Q@C?!cJ=l&Fs2q}RGg zwj}ZEOxM$yE6U_!k}RcK_g{px5ygelg~)^;_@sF_7Lysz4V>=)0A*2S0Kk{Q=%gE~;}grJ4CD7^>`C46vw5|4dOG&u7Qc1kYpN|Nb|4lY4o8A zyU+`t)D30Lj}%w{?dJnr)}0)gJ;*iOL>p@tIr^{h_xF61gq!F%byJ!&4glA#TxJ)r z9sc{}J(c&Nnq%!B(=hc)rx5QIsv!yJLo{wR+6ZcH&J@^F9fnrt<^av~nd@oC!Ll=n zZaLkAT!V(H?b^^U6*H7HT}K{xN>g{L(4!;9r}N@UG`bGMF#&n!Zioas~PteG;0x215Kuvebde z-E=6#zX@x^=_2(Cmg;nkIwY3E1JtFY-hA zIRr4Ne4ogiM4&JLe*j$=34j7vZNmrPy`l(mbZy?CZOZfs^)loDLAv^B9sk~6aSQ+} zVXx-TbmdzRKY!r2|0Pq|)?E(R{*3{2EAdzwnv;_=ZAt@R*vtPar2tB?LEh(oULC_= zzIpk7{lT9#^u>PrAEn%agO8Q-zx`qC(QMuG|EEH4!tno5>i_oVKDX`vyMR9{sX|$4 z`);<_UvZEA+F1WO9>cx=^MnFb{PV=WA@u(|3r698oxO!H{^uF+McMuWqy1-#+-i3p zoct3yKZd^a=a0ZN@$ch*tp(`s|2pwUr`)yCfc z{Lj|@cmB8ntp<7a{|}r0{{ox;{dL>^0(e5A6DIVVGHKH2skfjEHlK|*ztF64Em*Qm z=i2xXfEoP1nOy(>X7Ysk|37B(f5pPc;B9?)%}w+at{?$s`>6WK)5d!9>t{`ab;rzG z{u5I!;oqmz{_+`qXUO>jEC;`pgj`>4`|C7_yJJ%0=!P-3=D_3F{1kS5zZGV{0eFec zfWO@7KkoWpYy6Fk-^KRfpTjpReZY8o3X~q2Hm!0}WBnL!-$5a7X}(v^m;Drc_U6vA zx5(!=!6nu86L{VTr}F#^5WCXc6!@$ZDWGHM6<=Yw8R_#1@`DqRG0*ESDh%={MfMgJ z79_I^&?M_#y^`+(Z0!`qD;KCfT%ztpx*|VV`{9;8xu7}@>kEryJXrc5_B&ZA^jEha zoxcG17GebzD8A~UNUs*;<21YhZun}V?8_^{5j71Z%3i;MCA=62gY-p;jF$$}klv>j z;Vx=8Rvkt5Rjz>qMaXc411WGIzsMhn+^kHIl1I17SKz9Axxo1WvzC6{sEr3?=4!3yPeRfv4eQ zti60HwAT=7julZ@P<r zbOkCi1m7nNv3JuI=G$|C(<^qU2LO}8-Bq=qd@w5Orw&HZ1IX_?MjwtfSD{=O`4mNe zZFobSjP!C|QTTmqMw5y;Jv3zb9vu6nPlmKMc*gwvd?roZdh=smQOR33+q0--t`;g> zkndxbs6CMVW0co28K()K>->c!k`9_&$*cAO?1$VE4uk+wrM&%S!z#YKP#pHclNsS@ z)WVWD4cw+s_SIv1F?|?f((+{c%Q1Lhe*~&*E-686Z&jvf^|D_r@o1a(p?v2^wGkfC zU%nSQQIP>e=|j3V)-*-i?^nCS(-h_nJgU?A>n%CTNp67CB%RX)hnhad&z zDApAgF>l&KXcGS>?xHJHD|4ZWN>RxHE!f>i|MEYnoXIeS{$rM@g+*zm*wp)T;@xcUe3)#{Xns`j9|9rXh>X~#v1x5O z8^gpMJwLf9gIlE4GK8!8{Ycx6`Cv`$8w&2Dora0+hG zYkT!hxUx^0%b1;!V{~ghaJTB+15k&fp@?DX--db;G(|X!^rIp#rZM`%4XitvbcWGL1Q$}A~KP^-?R=ll$+5qjDar?*ZAF?}Tpm7j0 zxU>0TxbEBp^$9p^8=5%Gb>ZM&g{P)r)Gfhz!)1OY+4bc<5S;6G+!CDs$3602C22oC z@Gm4a!2TovrAFd;+*Jb|82bY#v73J|8eY}#Z~PUH?*9r%Z9D#M_8((G8ygFEW5iUi z1T->~g3`48;K(ebEnA6-kandGrJ?xK2PS@SpbUg|N^Iolj5tke#NClmqx~Qb&Km)X zE(3m(rMvY#4{PDt0yy3s?o+ZdO{ZP?^hBf92H!LY=MA=@*dZO-g`tEj+!bC|XB7d> zN#|Gru`fp48M#is7;E=`L6%L7&MLjt@&|NgX!LtufR{bb!!`dGPyb&V{z=SF?gNV} zf@%-eCB#}@N8)uc6g#Aa|9JRMg#Q?_T@w5Qf>>AMADsb&I)8S`E-n9*_Al#mn*Ps= z()9R`%giX}zZ`{=XYqIQ{^%54cVxRcL77sJrTH~AHJuroE+wwB))o(Q7Nx~$;V^?B4t*D7pqGdZYh%B&;WPwyL#VVgO=pBEr7=)0V9`MD#VV4afv=_D zlhe+e8LI?T3-9ip!WiSBSSYErwA7|a)Ve-B{?~3~DkIT5rrqktUm5ce#qh9de}NJHIhSA#K?2go|C~dApv$5E?5_XyD0J6y z{9TVfx=VXI>W))1Mc9T?v@tlj+o9n)W9Xb)vj^rC!1ra{oIP4-TlD0_Sa)>COxD4P zn0-)d)MX%J42ligw57NRJ{z^u;9CyNm#1R$22Vz~Vgj@~9(HpIO@L_{yG;sAUoFgA z$ewxp_5W<-YA{yZYUG7F^RHUhvJ=qAPrh=qk^k2RijB(u^(gwUjr`5i41fPg{BMo# zeZU`u;SEp~H{sc0J7pWoCITeTD4zWT(Tt0Mk_qWKw|2!bXs~)*`d3!M&bM~Owq8-7 z`oXuc<^Lw)V}LQp7-Q0E#EkJKg&+GTVWBlA>lOi4j7^aAM4g#H+8>;Oz%soDMexUw zR0PRjOhq7yNVmk^4UMBDppAy0uIg?`A8j1vP62{W=JQ)5h9qC7)A$bq%Diuj9t;fZ z2Jag=w@e^6_viNU?yo3!i&Ias^^CgjW0QRAa0QY1Wbb>tksSg5J%9q2ABDrfmi{Zf z)7#m;l_@}-S!eM!c7l38w$E`^LLBS{GDtUVY(*wc75rX?p^VA`50X#}To*f>%UH^^ zf(wIjLDx6ZZ1y$vF)+pP4?7ly-8EOeI6fyJh9Efp$>m(?!<$-n0IQtz<3!0uDhw4{!p_w^xRCGZ*MYG@Gxm?@y_M zaTsdcc@gKfTsRkDlm0*l8&u!ex&C7F_pr%+j z;4pR)s9A&D?_v^fS6H8z~1KK__mpu&d6nL+5@$hVBqOU)86!$;R;r5I% zQ|jv*rKf?a_ZA3O@sGxv9B>n#A&K^7WlsaH0>%)qb+KOOQC-6{Aq~PoYrbKu zOnay=;i@dOy!JuH7PuQY+#%R%jeTM~*$ZwLI;!NDhEza4BHN!=*Q7#{89$zg{O4>E zU(B2(1MCdjiC>A&GXj&NleT)FO$4%?DS|UG#x7SsBjpz2_|6#s(KQqAs|d9L=?ts@ zUibdk5$5lBHroYF*|`y@no?pQXx@v!(VJH_4R7GfafB&EvzauURGyC@1{@&h3z+ec z&Go4=9$BU(ID0a0^S8kjTX7N&Lo6JC{NOCoh(|Cx_`?w768I4@)3@K*6jm1?@&(=+ zjb_Bi=vIM16kkZdDJ`QVikiP`eHmw(rs&mVr0NXy9}D*7g|voQxp*&Aj%?v8Xe$2{ z(?>TLIkXAZsrzp;b=P}F8%!m7MZho=fMJ4jmY)dYAAnAHkiO=(6DLD+J1Y3pe*ySZ z>;!17;wg~~G(A_XM0_fQ4PYmJtYZYZoiX{}{%j3i1ynr|K9%+r_D0eHr=BY{;GTTm z^5@8OPz<7YlCQ$K(Ygj(-8HD;&=eYG3ZvVZY~eL(t7;=Q_C72F{eiiB9){VEvxEpf ztD7*rVH9rUM}WVIx9|h;dgjsQ4DvBm&;MOIi*PQ!9ay1Z=TfiiW_*E=z5NN{I_?Ps z=MY0*G8^#+fU)cXaIC7-u9pUBFLkp03klN{qnHJdy^F=g|4>U2<)npxrvmsyA~c-^Qo5g!Qc-ic&%#4I z4VeU?4}7Mul1%nq=iW%FHeu&m_5(sS&}j_vePqqH_A8kH837<5>F~taAXk{TaR=_h z$N)~u5Keeb7*(?rACVoSLSY7S~WkW#T)C>k%@^fg4XLo|te*G$BO_@TZ z&WecJI!x$C)|J>1)7O`}_0MBB%E<~3xMqDL?WTh$~Ht)VIXU))%eGZ1SaTA z(hH`pHwA*BtrwO1(f$#P9hcHYzPs6n@#gZTvK_nPK{ken5Qivm|FpR+SP0rAAeg{mF zn5*_gg6Vfosza9E38;!2#7AB*@pI`m<|RmLF#&VRIBH^+qcN^~%$AJ_a)?cG3{GjQ zGJnJ2&$zYvl2!(=4BJS9TXyEn(h}*{@z2fja?f z_2pw{q00FFoi$9R(6xS+)#AVj!njHiof#^OuHSWHwzY;aSSRDVh>uuCPDXU3@+Oja zCL+=C7#_W6LVJ_Df^jnJGG8GlYrADsd-fW=SUJ#*uLVO0tu;ub=)fn zPG!w&#MP{8=>G1UQ-vPE>XWErHA!W{Pje?)iAD{VGi8 zsrU)!5OchNe1^srNAS!H=?~w8X(8Lvul=gR0%-?L$90}A6j;oP`!I#R#)*e{BMIA=)?**c*yd5(UR{dpTdad2aKZ?o7|aKFpmPt| zWgUhm=%fMO$)-xaZ6V|92=FG$H4;ogfinX4z5z{&?!oIL9A?8RL{?=3GmMpgvEfc; zBhG`tune1-d=QdkwtSZ$F@u?K+trCbFg))i6TJ&KW2ctsK<6R3F)LO$A)KIkIso&I zl7?+4Fn8!32NLRkvuv?C8{1o;Rhf5OzliL;j*+CHluu#?@Z7|h&Q=U@67n3e+`u@< zNt(=t%@2^z6w8aeuHg=D0)(@G!KR^+<>^HoD47OHM(nHB`J~bQE1ifRboQo{Ic0IC z<0(=Vvgaf|0*l-JWarx+j~UC>B({?}R|7=b)6Q&)MuJ^HVd7oZZ?GKEGkCM^PGsJf zTq9v#E!Boz4roE4R>_^s>l_0(@inWb zM9<77vb98fT!;<|r&}{Xxp*VGgEhMDPKXpE0ltUQtzCuZ@m^*KYMAi=GQUiLt7iaT zQ1UgR%dL&V{d}WU#6wJtS<92yr`S~N*?BLU=BQ7Q2H=V%!2lLAg`U}>@Rv~z;2!D>#$(vT2az8doy+IWdnS_ZJnpAe4a%F(p zi#kfEXgNq|((-vUsp3lW2*x69WXNc5|J{EF0yLHh@PFI+4|c+yd_?L^zd1nPV#b=k zurP-5%}K2{qF#10!w1$PcQKl2`GT`|INnHer6o4UFy)3)PE}r;-i&ku_a~$TUtE zN`9=j$_MzF_Pbi{IYz~?4qCdf05Kt7{P33Y%_w{{x`~b$2u!z~YVw)uYlou-KDbK5 z+|SIVy_NeA-{8*0*2QlAao$0@%jFd>&<|ZBG64et&4!#2YiXz_KNI}rbb+!I)9L=_ zPF?1^pw!C+kf-b!kVe*)JrYPqpM4})`0oMZi5CJg3SHv}7fr-NVdY-@q|pD&lO1dD zA*lxCSpbIfqW52L<(E4 z^Bs{VQ^^3l1sZ z`so7G-MvWtDLxTc29ReGz2s8!S;v=&<{m~o2*~7)+P~u|_lYsA@FocUJe63#&eSXI z$~#W8`$YLz#3X|t<&^?Gs`WXYEgu@mh3f`J?8H6g6K*Qno+e zu(`fQdO$lpa_S(H4@yVW#LY;Lq#*7|(kwAG^NyGFK-Ok9qhbj6yMFc!Cc|CuSs(7r ztnetQ3j&H$XJ+&;2~NC>P0qX6RH2^P4WM~z5=lu&WbTqpjDnL%6-f#%LU0_AQG{Z0 zhkyG@J!bmC-gqvk*zS#}ai=x(QTTP{2!IkNkm-O(rFmvcDnEfi1_dnz~_k=vY8 zNF5I7q$|sFJ%`wu1a4YR!$nx)e|isMd)_oy(>(u!y>E|;qWb?n2ROI~c7~mWS(t@c zn1x-~1x9yuS9S$t7ZzC*6ciLxbkS8&QBm=lDJm-75);c?MS-b#!&_NdVp&>RX5Ua&Xlnt84|tqvUrTSVZg`MUr4JF+H^3Y?Fjlu|WkvziQ4)f-M+yn2JJ{ei>gxR0gl1=Va3X{BYKN4r#yuwq$ zr@|Y>{c-x+{8@JjasG^~b%08CMCrB3A@Z#JJ3-pAurgVYajZYplPJbCeB(W`M{wn` zzc6MoOaSX>5Ug-Iz(ntM9!?X+!rWTy!NP>YTX3@ElBXgvPu_*pOBj3txbQLTR)tlK z7GzQ*KL+n0W3rz_GzG_-Qk~-w-XaRtp+SO8DDxzu8tXYgK>1Uh6CqEH$P&=g6qeC_ zqyW{JYkT2USVI$>vx0?e=>T}q?HR4^9;UIGwM!KtvO)ViCmtRtlg-lf@_6KLhD$8_ zs5lc0u0a~WD~Oc~TEPnW1c+6(5IUNVP@<*L9NO-7qTQS8rX5s_{ z+rZKESACm;hZieeXs1z>r0T0oEt1Z13slE+sbO*~F83jP(q(rY#Y)>E zFrL&};2_)$C>btB^|F)oaLh$aQ4Bz-T5?-9ga#WOcU{ARqdyfyBxESeB?Yi}=px#%U2sE9`@`<3XAh zkC*!*_38*%Hq?HGFBtY}dPnZD-zWs#U9u}geoR{>UQLo`2Wg&F)eIzY-fBCC)MLYZ z>xjN#`<^2GILh{;LJVlH%Cms>b=AHA$-TfFFTaGqV@{Q1PfNNGC6&O60Uu!mpk(i( z*O=J+T11{Kx_RSQS6ivYoS%xsckv|KPRhaybXkbJ-?+@0en&qnPF)^u{36`YtnaN- zA5eMpe58k=bNDDBnN6U+Wae$(^ByC$G!A2fBA7-`Y5wjMszZa!>(orUcAZ+gKv`GB zh;>CYTiwB_yfo5E=^N^6A)Nt+L6+D##Ho5`d~x5@wvnX zv%ogY7FaS|h+uxVB+xV%7W`ZUGp;Oy=?_D&enb@ROP|(FiDG(XTY^b6H3PDnnUtM^ zNVFjmUx4U{)rFy%=8QDY&m}`VPV);%z8|s0@N&(b!q3(9WlVQEH4x8LfW|;R?aWy4 zwt9%FsV~-EoD4lv_7a?;{Usb<6|(GmwOq3PAuY#2v>_$x4uoTkkqr}PlkiQWb#aR8 z^{td9ob5{+`AEM9JTF_G#FL~XTA)pe#!Gpc&r*XdseRO+Yl4o5)0f+IqU|+19Sj0;UyRj9PbP;3^n*XD>9>wF*6~Ed@t% zeuw&!(wmQC(m`VLr=@4V^E`}G&54S@`k+J@4d18|kDY5_qJ;6}2Re?46Km=P$VP}6 zB)ohHqOrdB>krb%Y(E;Q6l0m$mTGfHAChmqg`IDMKqpNVfj?lKrNe(1Ryi(%t2>g=M$Kn z>D70};US)@c$!H*y@b4$EhFLq#I8C`Tll7yJ)p{VBeqTH8oCHFgE5 zH(a-*K`3XTtGH+bhuzK#q3N;N7Ola8c8v@^J=5|&O@QconsKFuT)FK7M(z6XX(Ux$-+UuNdqp8yvWt;uAp@|=5_Qu}XVZAiA%&qA zHj_zAM0O?e3}CUcNaY&sQIQrt8_floUX@9koq=d~m)GOeuI&RpPaOA1$#4$pZgh`f z>bx=pz=T}L)rOH)Sm5soL*Hu$o1M>eGenpUl5lK+Xn_i9b+$q(llbD*FU&A8+-!JdBp)K))!gEnEy%?t8TQnnE+J*{LZ$AKGG37W#I+utbL#4Lc+mxH+N z%MpG{8&H`|+%}&oZ==exs zFCQtjA(gfVXFe9K-)(Lm0J)(^UZ0~7(nTHXXLS#xknYFY^+wZ`q1DCkk;Hh&z-s{% zE}-Hv#6J%yMvfKBjo*r71Fz@ZF!5=N6}*9dB`v-&nHQ?EQPv5KN=Y4PuE~JCe4h0i z>@cuKM5Be&q6j;=a81?fMLUr7S_9J(c9+bOsC2?hw)r(zT@``aka0R zS0$ZJ6gehQpU9p*4zrN1c@&)oO+5gWs?WyU*+uzu=ba|(Aa}@Ud_(t?#uab-lJ8O0 zd}AM9#(zQT12ZJY_v7{WG_Bzx^BtksP9EYC$*oc#kg-H}^E>jC<~{{LM~KN|?{O@>C`g)=SaVJ|9 zt^%sA`8O?&};!SVqUk)=@qqog#*xp1I5OKi5` zD)l(l_+F%Gj11|Gw>fnU%SUJ)4ToX*CG)RJI#vIxl9>z%r&^dB9-veBNMwctHA1!;pHO>DbiMEEtKwk5x zm~?$z&3yKxhGdOf9U_m8#l}1T;O9aR0qZ7lB3{i*f@Tz7&_9{bG+8at>NO$!eURpd zob@2~nu`6Fc76`&IW?Hr)B%RcdMy{+0S@B9VqrOy0bXcP!)(5bG($W!b+&Uc@)%i= z3y2LwguKU!UC%B=$Oo(MjwTW23FX^r*vFhj(n(8R825b4; z_RBPegbPn;--&c>rdpwxydnttk79w4^OT&4=saO4pUDWm+Q#L0kPx-Tf_c&;xWFmy z0Jsj%GMOhr08weZjcqNYH-0AlhxS9LYJ(Sz1+!Ng>vGE6JP?*{dBO zw95@6*ikWM$7oOft4$MecW=kC{fPeuEr$OQwuk88WiHHr(YysaAosqGJOu>Q1gi_{ z8p3(ol$Ho6*NVMdKT6$OAAodvW1jq?qHc<746JfMuNHIu8B}8v=`+?HNSse~)pP7}Wm2rf!7)Gwi_zgF#w{&79+eU?E;YB73#~05)IEEj{ue@rvz7LWI zdoqEGq86vIQ5+P|9>keqDv7KH{=`P=(LS#bPQa?x@qw7wQRwN@e1B^S@@odE)bO5( zI81h+GLu*&JcXaN4o0?AvHKp`d?g7aVn&-o^!(@C4!%qpvetsqw``n;D&_A5 z=!p#(nnxqH-L%JJuF;T&H~aF$S6Y6tpNjN-geO~$^8FweGz%M=7GYj`p=OHMAHAo& ztP&z|Y2!IpyEI93ocs~TT)p1nFvjSFeEXRoGAJuZ_j|l!xAutGytFI>e-6A?hxPGp zVyy5HpH-6JI>lBhEJ^ZU9l7RS0YC+q&f~2&FxHy#@pus3g}M;)UZn+rNCe;#3qiY+ z#L{uZRJ=gxd}xYF_xui0~v7x>ehS@;1+`LdRUJl^g3 zOgTKHBY!$sE(k(ZMRnl0j|SyFlIespPt@EB{xj+jZjjL zkQ#9ic9@Pzv-sZNQ9X(5g=Ym)q#eAIQ8|jlTDKipQ-ZwTLfu;El^u@d3yAMs+@1P1 zNRL*11?7pL{4Wtdp2Tto8J67`X8(r8elp!et#-`!mqu|n^ar>=^0~4$XfEG6(DWEt z=v~sPV^1?cwRYY1t-~B%MfD_I$P@;VbznyriJj_K08Z5;x<$nH7;tk3UT|?Jna90G zSqakv>MBM0AL_l)LWbz$vtgY*IzJa3jw2cJ!a^a3zm9hc>jcU6iWq4s0hbWTo{0=4 zWLRrEeZ%&qA++cWWhe+6WDO=syj7Uv9D?|t1wCG?-XjRFt(%pnU+mgYEMw>&IDs6?;WXjSmXgp8lC=`_PGenI-SIk!FVMh-Y?Z#1@eQqNa!i@ zVz#K^r*mf@BBn#gbdfg>RxrHZVt)$JG59ImPu|^)?qQ=D&GvZuxcNjpiA9pJAPG;^ z*H7!b11pgOOrw7iAFKX2-nh}^j6mtB`VTd9jDB}KBg3@QU2l$+lVb5l?bU{P6({w3 zhD#y%h-t6phghaW-ZGpd;xv91t|TVvw8kKM6Qwu|h9%Cokp9g$qt24vUNb@dJq#zA z4mBh1N9=9CUVVs?7IJUOOJ!S50b);<_l1MLbwYOIZcz9&6zaNwkI z83=VR-NBj)+HZF5Gk*lG4II&)o?bbULhRJ=rM`e;?2dk&r3^1l*tCxJCv%7${E-B; zF*2G){q!;&Cc9DP7-T(+&E3OjiEEL4K@N>EywmU_ji49KJ`bKJ_z!GqA0{r5 z^0Y%(dqFlG10`YMA94?T(+PcT3KCq>d)0lBa4bs+q41)bJ;fgei?yctmOjN3fn_M# zEu5na0zB|j60^aEtU6#Kzgd8J9mCw1cKYK4`iqID4sE|E1jT_|7P_}Or+mkj= zgCdD<{kZ8y@@W1M)R5v@jfZ0w->whN(B1Z8v!|qKGqctDSrFF?NM4O!o?hfSsQGY& zSRf|gMeYPtyQ)(SGpKO>a0f{TO`J$vM%M|EJGU2?2UFL`2l1g0`F-uhF!oNEFCZ>#W~%(vO;zd+D$BtT3ODH7&xdq=L|vo@ zHtcx|*V8EbL1cXygFS_zux5+tKJRf~qHAS)gEb4$X0A7X#s7^|&RnpJ<|iAR*0CXc ztW-^U*q;c7e#+bcy=dM}KPMT5--Ykq{ z?0HJ-G$gefk_8Pk@$-VtR0+AXv521XodS;r$=LdfL4mbS0PRc+k?Tu7)Qr-NOn03+ zmaZFS^j4`OlttmSt6VR}y3(FGA}&HG;?<-Gk_>l@CzMQ) z-Vx3e^Qucf!)>o7$@l{_MTh|_p-tgnh}WIZ#y83xNIjuSy&5-*Nipn=C>&#ov%iALw>UZLYf?_6Ut&acy$L3$ zH+C);^@rbXe~bzcagF!C)|x?MaR0fdskME(Fh$o9O)RB)ggx2o5cOm?Bl~CAvC#u7 z3DPE}Vu7~HSs}&GL^VIg&%u_%sm{eQ^of?$G$P-RO&#I`5M6489K!N*NwH@yw_)dd z!dm{E6HpWLd}wuGAxs%yWlEB8aLUL!~7T9mGS*~xYerUjm1^;$y_r}m#G zpFr%qlfDD_`YGn0t-epl0gyOgok}uM{#i}i)Kj^_Q3RLZxn!%{BM9H1e!sr8CmEg% zRwSdytGH0y0xBEqEv|BeAA{@$8J51CAHt}311{G;y%;Vm#&Lrj%-$WzxZ7nu?(FWY z@5oVWOc2u|CNX)=6W!IHDq*$2)##Uo+24{ySjy|9EgOoj;3+ci;6*72C3}b&*7A7DE5qcHgK%xh~Qg-rWAMP8$ZEMD}*eWLb z9C*tZ8q8Z*@)2mf==}=%C2xZvb~&B58019?ch1+fD77;5M%U|-e0!7d0{e0l8&2I#2>q)2z|MY`jPvR)LgHsz&BKtG!BjU~f#V^IuNl#k zJgj+LLwjcLM`{(7{g^BOF)W-3Y6*C{A;-EO*F_mZ+DB{3c{0}2#CY}HDDk3Ac1;y5 z56Lof1I2@_ZPfIEs5gv~RluYV14A;ydZ_29=TUM>bdY5FqNt$_9#&oI;7^e5>UI}M z4wJQzkIRrjaPpaK5M^lcK+%j=mpO1QX}5wFfR}DJ`AM$n`>LuKXg~5C55lS-kzjJ` zuB5YN{BN(RpJconx>7#p{-E)D*qY;PgtBupmne_urkc_%r z38niqlQj*j?+={isU(S4=czCA;yF`4Fl3v|31_X)BrV=0csBQ|@nf~65bB%SuQ_46 z_AyR3S5Xwr6+`HrT3UwOIwXu@?^8+SaHJK8{}iV1lV$Mm@g>5q(7oMOUyRZ>Q_d`T z@aBTnVcr>Rj=_+t>t@d{gL?sxu@e@XQeYSOlf;!Ao6zU@}@c1(}-I^#y;y_UhM*HM&Jx!ohkf%w5 zTs=7UPT&*N8ijtTKxFw%1s!qqFfr*Sk2KE?OIN5Hqo8umoY3q@5qpp^o>;j%HZ5Y* zOd_5|@}Y!An_+l%7h}UUlxsY;fZPBtMh)NBQUpoLK9E;mKr{GArGKpay4)}1*oaNH zJ0Edva8=gidU8k%XB0(UdV;UY5MNx5$Y#6G0MXu~zTt#jP{Gw0d_b=w*0YV25#PYa z{b8D!VUjowBrPX{dD*_B=jr7$%u^Sk32; zdkArQehbezzO%XUKQYtre#bILGovAecJ-3ZC%H$Q1=zV63HAI6OD~?|CV+^A9u)5% zWWiJGhSoPLu$&H4?`6~rT$=ex^Yh`pIJRMkmdO{jO#;fU&5*){4)tlluZ2CoK-%ZR zd_|COJD^WcI&!kKP$l|_FjrI6Cz%^_C@(A^!<+-KZmkLz$Y*4dX3Jijhqh$_fGq#3 zU}=T6S`Fs~p&apgz8k?4Fr0Ztv>L(;Ke$#BR?jo}keG6aOR*DX_deL`%*1>gP333O z2>g%y4Z(abNbdB6bj4~Amr6C?_IjFhPZZP)fT zT3-gq(Xu;Pq#R0jpZjvuuPWptp>(Wy&QP3YILz%Q6HOG7*!j-Mxb7|K7FkPs9@`gU z53)A+$rEneP2@ZWi&rTi)Ap-12}bqXdNPh_1 z=3~itt1f6~hxiaPKva8f&7DoHbrTrT_C3=Vt||f0*~|v=fsTn+BZWrCpWI=bE)usX zo4G(=LEFv4MEz=2V>3?IrYlcB%Wl%T3S4sMK1PLC8@5`FD1DxoLKZ^{(8YYx(W{zK zAUAEkMY}3Rpmp(6%48hTO zFqwi^(_AXjGIt$vbff7clYLu(cZq8uGo(pYrw^X4!JTTcsT}0r^o=&+r=OZ#Kv*Ro z2`8ALg})@NgF5UrX5R#?2qGey9 zx*$%h5smi22rqW-MmX1?*C~u-6g6;>e3FiaVW0RD7rpZ#fGqi#x#wDMs*A#n+eLOj zIEhiGMdCEj={$%$ZcjR?qMHoQ`0fXMO@ZBx8Xv=A`o_jQtOETj_8Wz3t-BmywcCZr z9)q=Hi1j=wh1~E@5Fg;@o8HE;VlQ71`4+S?$&0jyZUoZ`5C}1rY{mj9VIqWyhN)S} zRxJ{G<1*nq8B(H=H4-tr$?@17VoP3iiq_xAqVlm6Yw{$vIPs5@zYUd=TBR1i!_@J;t8{Q0VP+stQyq;Taie+2)fA`%e%xF;IYCFXJOw*XV&U%%XKqQBnu=UD?hrY_P`;3$9n5)dZ2 z+d%iW1e9Cuz20@)zh3&Y6}o6ofg|00z||4FdA_xrz^ zXU5c8e-{fSaGJm|yKdFL+Noydy-xy-`5$|C9pr8o__w_(pqq_P>$+lit!B#j8C^G| zt406&2!C~^|32NHmkaEzyO;ED$NATl|J7Fa6kqOM%3quB-X}N${P6D=@@Lb!ySn?m z%e%W3YRvybiT?kfM6cMp{oiC&Lg7K1I(_b4zTvf3iDvD`*tmDg_7LOGXMu4DiW2`b zj@=un`v1>3Ha9TR{LeTBQ)ggS{Qnxq{+6PKN* zGnoe_7v=*MC;>%7LZ*w!N++v;+A7CG2+vP~TI6J$D7o=uyu*QFx-El6yA5 zgB6Ooqj(SBj-7!s2rH4u42DD_{?5_^OSl!RgMY$W=0{c61Y#8+%*O*bD_#c4f9Fl) z$#pIGlWm$xD_rTev%rz_%qh8|>YCz+ms3me*ys`fr$`654sjZ)2A`cOlIiP?llf&t z?Mvg;IAv}KmrV!ZIf_7}F(0R>y4a=mcR}P1o47uL3D4tNX$p!>-~A`sbWL0r+jOR! zXpKktb=>^~lA~T~zl`c@iJ8w} z7Nida8dMzfJrgTTryM^l>28o0V4&8$3N_lfmGFftqiazNQ;r3(S5$zbDkq3>wr&6* zQjjF>2CR-Y;F--QNi3g(pCNs5qD2W+J*_E^ykz^Fi1|5iaiwht7m~3wN&XZC$f|oT z(719a&=`pew{v}o1uDziaa{B7q%D1K;7&~$+bFj_#%UYlEHdrS^e{CwRN)?cY{+y! z_0)ap`?>uMY(D!wj=IZJKY0q)aNHf98^8m;jN`3)LO|9i{HJX=qG2Jd3;mz9PG;(e z$`aN&aPHvFU3Dd`@7P|oRo`Qp+Q!3`#GA(92-|0vDa->5cFXUWnLCsp#VsT8{PO0D zd~)45AdW8M6HroZ6u=$(VUwo^pMsK^6pjV)MQ6X$1({Yo10d5&A zEhzaIC+9CkSaUtfH4iUxJ;)wbl=ns*?Zv&3=i`nm{C@l-eJkl6PthB!EfAhGKFV;(7k}fphF*jRTUIjjYNBimtV_S(Hq$Dw98q&hAq3(eS{ow%F-deDLNVJcjb_5=5i%Ehf$MlI6!nM*mh=^HO~b zOXAn>38^1Ga%5dRH&h-SBqpQOqQiW0{eI87?1MpEx!|TL-e))uUoIwtG!w9d3``^W zW{L?lf9RJ0C_EPk2}MGrCC_w5_kfaHP;XRE#0u#+prM%=-vnj+YR zD!_)-jKT*+p;|^>6@E^Xt9BvjZD%SnESF(jpM)25KE*yBAp56}zz&hW?$Q6w89!x6 zj57@xMu8|8iD`IB944hmelb!i0k`@gYCNUvwU*v&9OFESOuyGn1MgyEHN_daLM2YT z+N%btG~6m<5~CiZ*15v@Xxv6)-B#q?Qg@JA`4@Ft!b!CL289lEnXV)%kN@yRcq+b- z%Yx`_sgzGSoooe0o>6Msa~{e|-W9G(B?oabJu6KRGijQ&R zQb{a#;t1=VB%i{%sY=(BGRnD+?!6d_Q|?rY3A%ORT1}WQjE)EYk)4dlPr%0OFnvmX z{2OC{b~CLh`A~?KkYNX~2V#pKLg(f%iTu36Yv^__;iAypw}Riv%@$4kd^$nj5h2O$ znTSc^E{XlP@3>XgzKCBcSojHaFiAAc5|b-r;6rbX(eaJ@!Jl%j}8VZ@4B;M=(yY81SU5CtG!;%MeNOe2Ejearh-$BR5KzZ+$t4{}L}O zTob`3h&dfIgh;7hO}DxPyfl3)6`WIoDUam^OQdT%r#NM#na6_BCYU;L&VJ}{O!I6! zg7Cg-;CR!Og}JEx1>6KRK*Be?*)ff9I$qP+=+V~vdU{SvERASL}R+u@cI zSl{W=mxgQlhU12_F7FHSql6}Ae~wJUU^v%24Jf;FhfKxT34PN}HD-;rb181QXry{j z9?{UH4Q9Czb=F;dm45?|(hQ;ayk&x6aEad+-muJM-FY750C1eGmtl@yNevy%grz!~ z=lTcdrea|JHdx-FhU`YvJOxxYa&fY_tnNHD)~Zd1q_Bop`B)k)Ewn}>&k@(JAn^x% z%Fx95B&8u(xZVuOLHv-Q<=)5I#ylG9ZEY!l(CjiXiyv5?pq;Kmw4aoz+a%IBn+~)! z+&D=`6gyW!LefQSowrbwxuN9a=mGoEpjqPZpMK&i;Gx`vLe~>xq_?X6*^Z*}i z-%+la$$-J5W-8Y#z`oaqp1T6jr4^W1*~?qirFvqS+f++?Pz`36)Pq-;D-S5NskHx#RO+CITGrpxYbKujZvXHyLmbzkZ7 z$D)cPur1)tWi_1I@XwB+q{>xk&Ze%Qx^EqAf|q?zQ8&B%utIGQw|ox;JIk9yultM> z{kBY?7uO9IP3fEJ24lbN8+#bWvHZ~H7@7!{B#E7yOwDXzcwJAD}qG9xrFw?{INHOJ80!iV*lO{Irkij%Ex*9P8%I6lOa4Ve$(l0t!3g_&WcUPv3vANiqaQi*@Ee$?lHY-vxizGppb#y0j z++}!Q4mJomQ$*r=>6}_@wi- zxTbEjT=yQyh9Yhc{9Va4u7~Sm&FXN_uCeXGDK?1Ju|Ke8-GuZ#jD{EJL~NSg8{2LW zbM{H3eqB-bCg8E_@h&28JBe_y2(v9&wn_N*sB50p%Q>M(`fKtq8$(bY2fi&r)-ESIcSF%CSCWD*850B_e&E2#eWPY0Vg?G z_xp95bj0yqv(>lyri(tW>#me;Gs5*sZUDAyqpqZm6i*Q}ap|2P;T1i&#f*bkspUuC zE6q(-JrWA>a_(){AnP)uyP@Kyl1fuJ9$u#>8TDJpr~bEb68Aev!kdJ?=N9r+e6H{) z?p<7o)lVsJ&*xoaKK0@E+;f7wuY+B-?pvknHE$nZ8mD3JC`-oU#dEiLxXPbU-4(+d zwhyE^o3wHyK$Gjgr?%2PxMK!QEUyO#Qu>(vEEVpjItj7kAt01)d7iXO{9z7mXHWU{ z2vbkrmNnVNkZ^`GRA>+PkO#8r2+O#J2)w&2lY3P%c_K}hYpxhR#1P8WPQ!I|%c&7- z=~msh;l=4eTvYvRJfv)`ryPi0DY~BNu+U5AJGt0;4<3Sb^dui&wL!9czv+=O9do%X z6C|jF$OZMLGaR68_%D5}>OD!s90=TrBth z*7+RX%1RV(X@90OXXKR5?j`TFE*$BpDJtQy$S)#BLnt-qjwzXwd1d zucvg3wtNTXnlE<*RaJteXiE{`Y}_^dOHZJR17xlKD+S-z)J#Q)21v7a$sz>B#8s+GcA$&J_^xb z`$yesKE3KF21^|a@ABo(L{*hR_7~APp1U6&Q(ZR&pC}DBrJA1NKjQV^lO_CA--~7n z(|nT;`yd`uTbYizVvK)7=hWL3E_UYw?%@jIz}4rt?{E<;A``tSY;%UL6XXoMyXbB1 znysBkyr<#27=)G0W4Mx%AFmGs5EOQi`+%5|W}`R(Uj>|% zlr4WAqIpSCTpD6%tXhSL2>w*ueRzjyt>t+DmHCcXw1Ii#WgOS>0v~6K?+`ex&BJjg zCpd4QIy0Yi`-0l4;B@M>)Uc5DZS0sQ2jO1)Ytnczhs3cbmAdC*G+UJH`wEy{`gBg= zI0+M8+G_kwDNi)$bb>~!yxI>|nl!p|4tqj>^X()J2J{2iF4hjkZGt?qw5!@S)5S!g|tE_(l1vugm=6E zx zMaz_X^)SfheMP_fGUQK{#IS`ZB;hy;i5h(zE0P{N9;EE`@$q0)UP5O`)R57gBxdYm zouP3vKkn?7uoU*wug-B(f!q1u`q9ig$c zGq1i9JMCrZ)wr1#eEpQOKW<*Gn}6%v^7w^F?*`S%gi{HIbvXsnvbe9bE|u< z%M30`JvU5$*6{YAw^yWJ9OOG|OBg-FZGXRq>a6{PnKM@Q{s^JsjBBfNiyfbBT~h4) z$L^Pk`+WU;@W9M(&g2fv`d&FBBKxN=4o39-?Zdw<$5}*?UcSeW~M4l!LMJ3 z!kQinvh7Wa3d-Hx>(jS#!_uZPc_js0bKdg<+EyjeK|`87(Y_5_&z%oHb}m1z{?l{) z5*m}v7bLZeJ@5VJ@rKeu^Vx&y{^>`*dp)9iXVilOdY+4N71h2sbFlZ=j>UtEoi{J2 z24*>~MSA*Xp&^6ZjAuhX&&X?wO8Pk#4JkEUc;Z5-VcnopiuWeGq#CT~)xL7@2brX- zcleS=Zcdn(#CM^jS9ajswJ1%)Lv*_ z^WOB0p5d+6PlVU(JggaBd-RTGMBQmy^vJY}{&z?A`Ir<`&8y!Z%`9-Iodh>&P0TwNe2v~E!>U&vI~+4+ zjpLouDG#_bn{?}oG(%FKPAld7eapsO@~cK~tSHK>IUUGbjjnIj%o|`hq?^BR!4miU&yS8T zpS$b%SKrFLb+X$7_c6W)7rP@KzNHGk6gReM{+k4&-YE9;qL}Nluem5W$NrH zFr04<;h+6?!CN?ew?AKvAzk~!?rVec{v5G`y5;SHzj+|@Y$qtml-E|6*S4!LZx`*R zYRk*pRS4^WXc7`q*oJLL!m&_K2qbVzqjv3TYs+gR;mk;dr>#xUp+b_SgahpoLqhWM zXaQ;?L3|vjyG=#i$WSGmKop9xp0ZH*h$rV%$$^9Oh0G$9N7B*?+X@5!x=wBU@yUO0 z-%#I_8MFP<@3!u7qPZ4q{JISqcO!fWH12Sw&dJr@Ue3HxCYvJ>~4{Z==3~c;tU*NXiQvxr^ z^G~~b(|_-#ITLF9c_-ZT&F}@3!2kDV|3BP}zwHdbi!2|&tGaqa4%`zQqRJs4Asxji zLT>e?Q08P*NC6VyF^nQ90rm*|iOYd*u`ZNf2}-YTMZmj5`B1o$yDui>{PokVzM8gf zDSxvWc3csh@(g?<5fLg7kd{MG2G{r3;9rmTJ>FM^`QtD3#bL_heKS?W*h@SPF9d%Z zaqCt@k8gwdJ|SFB5*d}5slpMrXi!27X3q3I{?bb?Q3r^23vyhs|5Avo`94~Du_7#QYO4BB6wkrzV>{6(E0o%5}FdU{*X8JQekXDZ4wE- zl{q#w@RFJyI{)x{=kt%8H`b2U*Fx`#r3L5n3(tohf-PfHz2`#<+CU8VQ1hN7@A-Tq zY)ne1Jx@Z1!MCxg&2W_C-C>hAc3r`iL*BL|@ZU&MY&>)x*Q=TrCDkq>p_w_U&4G&u zOP=k(R~a}@evt9dGl6arCfHD@ zN{9(5836SEAkAA5n*9pRqHe|=2cVlA>gehw|MxfNZ~MvSwov}(3;z)i7a1JV(uai|v`2Y$c_G!pgXBSU(dcp$)n)e|@I zu7>tRWTmCqeLzv4nMh-hjRCnYeh})(ByepqD9ssQli@#X>Et1ZX^=laOl0xjy3-+x z5dO-?fBDlnzP(%gw0(zq3PM1ryF!V22{Fn*<+|blWb+!ptS)L~7f``<5iIMFo#va| zsJAUCU|WYWcrCI!vIEX_$N`sQEjA!7`A_3I_&nAzcpf;{)q!&z*vQ>q2j+Ds1B~GU zUUgNl_uqKe-48Z$xBj2J>mJ7cPu_L&x{?2*GamTb`Brqf)uG;^7QE_EhA7+xKj`g> zgn*Y<7nI`aC9tiF`P0BleD3cSIp8?#l-p>~7x-vGkBX z$Eq%WH+_>LU}C3fP;|N2Ssx4`f4SJ94DIJ(|K($cGOYhZT|Rbj5dHD6fR&xBL_Hym zn$y!k{_ouE?59E$Bg?UU6v%E@yoM~sFTw&S5X&$Vhpa-}U3f#;AFM6B3(4X7JsoV? zS$jAqC<8@L*H2U%6>v=J=c}=RRU@*?1A^_FgHeVzfx6+kina)!+k=DganQ&0U8*uDk@D32+lIC-%0l)?=3K`>bY?Y1xSi@Hid$#545j+FZWL^*X z%zQ85MgA>$36jvaYA>rJ=qRIx`E6;!^$z1!=Iq667Lv zWq2?oA|945b}r}2YPFVBWaS@2VDxe&f#&n3!47>(XG!1p-4_X^}QT z!EKW3xDeAwlFF31X$XxmQ-yF5^}?CbVqsFfLF^53sg@PqTSa^6K1hZ{ka@sZiU+rA z(ZhvH?;%IlU}cw__{AlZo#V^F2zZd$W2Sp1N^WH!dLK)ZO5>uShJaP^cw4XUZ6 zc~UCK-)PT+3Y_mdz@6KpyGcnPeOA;$`}lt3#JV9=+o=$>=9}u)kH9AsVkR);Tg05! zZsmQu?GGUQT1%_$R2ZFsPu*E;AKwk1ly30xfcRkVk1VVSQ?c%GQ2g@>X zlgrn-hu7ajZ~$Cl17{3?OKy$?S#A6nmt0>6OkioETaVlYNSXy@?LNM!vjn8ip_^C zQnhp$7h|pXK92Ag(ZNPXc+C=df4AZj7+MP4*yp%XPgWFy2>fAkf5|v`5mFzHm^Bh{ z6Ry4;(l@x~V>~J09@2xo1u7t6(i{1!sT2zW)zDXqexdhS{NfPfvkLJfl}olu!|p;o ziry5mZ4Z^~%T7h^A;@|l=;A5dNZtZFD(kC3*tGLKcO@!0!wK>MpfK{g-ERlQz=IM% zA_;orkYi!Y(Q1{}H?jIKYcitVKtH^>k6-2b8d8b&RoERFEM24@6oz7`;yS`Xrq3z` z3*M?KRI=x2q}rlz_6riWaBqA5VZ!#qO40|f7j43FvA6LLmQ1gER7flA#3+TEq0b1j zE72Wi#$92qUY7Cm(Ei{)@LEH9I{DsAJ5Xe;u0r|^ZBPGA zn-gXa4U>MgY=mJ)>ZOkhYu#)|p%y1oZkc9@tgsm(xiK&i3CD3VDldP#8*~dNAC3=K z-%nbH)xUyIVlyD}3gkM9PrzfB{*-B2^E~31yV$>;uWFu64Eoh{lgyi%XWC8ZN(!z2 zU+leocoRj}2RxHzA(Ldc*|eKx({7qgo6v-2X|~O_2{e#G3oW#eLMts4NFl`{EfgqH z1ffdRA_zr_pn#Sy1w}!J;t z-PxHlALq=ObAG?pS=@>}06mS)u7xDIwYY|xVQthBN8?&l6zv&=cTWSICMvY*R2V?ip*5_vRuv^F79W4P*b-$RQYW$^2-x-{w45z4JazbT0NmR@syCAzX2+ zYG+&G*_GUY{3l?kU|u?Q5cfj~juN(L=|0jWerLajktZPWL(bAVNx4xi9_3OY1td~#pPOK6 zOC$}EK_S8}4$e?Reg^bbFSf`WQAT!=Vw6W8bq0CrF3zu%Q(dRHWC+^ndY7{V4iP4c4*llc$d2;b&#!8m z22>&wikwLP4nYo=-$IpoEkS`;QyBkYl;b(-Mv8km>nG(iap$}{ff)Hl z{;K>5?mYdeNX1vdDwVau&=U54QS2_88Atyh0U-Z6J(8XCbf~uNX?SUo_*zVi~rgE zI0Lom3nr*%2A|jVQ}+g8WnD8y*q1lN=l6vB>(c zhPVSy_e5SgB&X=uhYnc7H*(8@Z7LWnQV^~;>yC_&w?pP*n=C(pthw5-k>3c`e1x^k zs6s$USpG0_rSP>uS7x~ntyqAHO3;d2WPj7%2`3922Z~n==`s``f~llX{3pHg*bmQ$Yb~T<|<$KV)C8`k8vcas%tFW1Z*U+5EOQGiJu7Vs}L^ z*HpID{%e{uLBHcW@|qhvWeaXv(@r7TzN#1hCOc7vgyLN4gfD}Cn)Q{hMqJSOS=NTl zh;4D?bZ_G3gF0Ei0CB@nPUlpiFRL5p#ljM>GYm*R^PQb1%DWV^nC5oL`&3LjAZ!9k zSfs9NBRA^YkDdT`!vPCd1i`KT=V0OfhVLCc3d3b2phy=4sG0rWgLd3)UQ55NqbQ6fu0Jh)`L}B>iHf= z-GZ^Uj%N>pgzN<=z*J*m1wLdSkidRusx=FvP0xrfHU2c@z-_e4`B?&SdG8ElsX|0h zm`I|jR)KoeKvb}Icj)WrO+tQURwC$wp@^;Q-h|$^3?Nnq8y-&=NIURud)on4R#H^} zn~D@}igmi1R9a`yy9X6?sks2kS<{a#EE)@SZSt3uBeswH4D!a6k4JN5)UX+-8I;$I zfiAb#wZreCWPP01$p2JuS|jYFTj6B(5I5QSnUPGkP#OTFn#?~{w?bDk3iF=5cH9aG zMGDr)tqT7J$~o#HPmSA)`Ky#nb8}iTusI?y|(#Ph+1pzM3MPf%3##I5&|7UXQcb}%r!h)TQJBd&H!Gb8Pa(qop1)E zIPN}W5i0V<$(>1MzBspo31-I?+>e5N;>55Ckh1Ov8X9UXP>r@BuZv5Se~L3Uq=*KR z3g|$3V4Z%_@)*P*#arVOOQ$%`G767E7He6Oyc&rghkj;9&_czJ6%QHv>nvs_;6S^h zlp~VN4yR9n9kKzo)gKv+YY9E6Ab_MgbmnnBfeJ8VX|}~qYw2s(PfTz>uQBR0^lcE7 z$%OiN)A%;-b)aw`4o+i>thXN2DD^$Xz2XwqifSz%>goNyKx-@7SgLV@WjS5zUYtUT z$>5OI9-^%ad6FE~Ti=PVcNTq)@IrnNoS!#c0_q53MWxD;)~p7-@LLs zl>d%=-37gUYOQ)ej?m$i37`P7S+XhZrW#bbl6Qp$pn0BqBk!38*^0)irO$O>uQ~ej zxyL89r4@WnQ6}da+WJ5a)eNDQC-EraVYawswNkK2t<-3C93jCqo0Lgt$GgNSJfZYL z-3vo!T$P9a4x#6@}wf|7~Fp-ryR z4P>OOC-Q31nVKjsLgH0y39OUy5uNjKU2rcgM^Sih;lJ3cKv%&o)S?vVPfUkDYt<(v zb*?tm$CIyNKP>H2fxBhP0X>@yA)u#bzzyFb_W&1v{S*k*l?rdymjy(=LO>l^ez>6VDzS;9u1GhMA= zo{^iM3+)`|LQ;n&v^S7}#x>KzEKOrHYWczgu9yy9aLqp^xl!maHJcfm!NQ+K2~RuF_g)jca6RGfrW8`I(8#DJMw|Z4r_KV^z#cHo+=a#HxKWmH%pM5vK?b z;=TTrVnfJ<$5%SAOI6{o*ct6b)oMOcF;wU?WJ55H; zeGn`af8qe(c5XPn4`bIHzRsR%Ij><(>(R57CspDzQmI-TOihsk67#%6`V^O_;>IoQ z5&02^nR{t>4b4yR?GJw(a3f_`kMIZBVOMjg(Ym28OxW-eoOyamV7-rB%|8t>(9M7p zaV=H9l=a!TeN85+P5KJSTjQJJ0Hu9DzR{S@lvJV3eenY%N8CAo#^#qnI|Q2Jyl;>o zt|$8eiQYROxGBOV4kXSmnG{!a0Ff~$qjatHP4U>Br;_DI(c!zkY(t4Eu@lFMIt6&rDmU>{x8z-beo=rt}*KhNWfa0#W9j6P$C96=ydI+CZW+Csj z*mQjudFKW*k=%vE=J1OmE03aFUmg>!KWl)(heu3ux@Alnf8759P{?P{0VmfB;H0d5 z3CgiJO=Pm*sRl%rd6v8S1@bZZ5&$xWA+FKA!r@Mfw<2rFPIOaWq;b`l4@cdP>Kcxb z_DF~I1FiC2Ql!=T2?76w_=~tr7}@a=yP3b!*jppGtv9koZe%=8vrWM;Iv=3IY%c&r z=6g|PpepCFAHiz%yZ1}?c&Cxmu(d@wh@TY9LE^8%G`qx=eTCec;$;tJm%AGro9|+m z1JDblO{|@DCGj_umKZ*_tVqaDwIDgr;7J)1yo#80x0 zn7=X&;r(n{>#{ws;%*`N>|!z|G+z)7-$qhG3!u}2lZS@h2!JtArj|oiXLkaV8PEBh z8d^DmATZaod%5*H&h#T8_l2Itx4_^B-kNV{umE>GMLf>rVluSwTYgx(jSc^Oq zg$qLa)fH-GST3qv_qlwar}N#M;8=A2LwB(bkF|fRk$d4#lT}BgvL2yHoLPxj>X*CT zXeqJQmJ{$Fsaec^xTURh=cKAOE#yNmX(&kG$5$dbx)ij*~(&w^*63wbrG3 z-EtGMOeaDm>`-U&eTveNy^jsZ1to7E*zGWXh;7rozq6@qRK8wSyCGG161mFf8|+uZ@v0f4HkASrD5BHOdFqUO}M)|<2-wY}Z9vF3s*Rd-v=*Vu--Ygnt) ztO`64S6)G#xWhSA@0Qao#d`0xE#aE$lzb!~RYkh38}tf~58TmR?k#VqWv8s^*xbn; zgFcrJL*`QK?_&rUE!f%QD^PG7;??s`{gfje$RF~6zH5{#v0qblOcYA0x?+j*I zH-7{PgW_K4-nhcOyxngPT#XLsLZ3p8mZ=Q%==bNpZ?oYXIFsLC-9ZBly|IbG9`Zeq zY|JqB)4SeL*1PJppu{r(*AH|`Ux1MhuaDjZC}nfq88pUavk)7wevw2lagUn_puNP^ z@_NCd<|%n0*he8rOYX<`yL%NwxYi>Iga@@Wlwg&_&Dnrn(T>;Rg9{N z(~4Oaka{qcEM7w`=5wfc$H(j!u|e=5YFo|^EcpO|WVZk+W%-*X_b`q7ggL~b6w5lD zMNW`&*IJo}_RJ&3%o;7nh%A=@roF|;PtjBqTb{u0J!BN0)-vB9e)F}R|=qR?ret(|3 zKx;)guI27Qe)n$%_mhUr6_LU0DJ6pJ`KGF00n@VhX?D3^i@Xt$zELX0-qC?AXnq;M zc5!{S%tB?iqRPR@olGjy*`R;H{DXyhfJXLa0&o-Dz(g#Lp`(j`<)50OT~L`(HmF z&9))e0yrX!ES*5`?-Rit$DU*+X;Hw_X*KJ-MtZ7e6>IhE^j*UZby?iZAZrPnbjEz7 z#|PpY3#YTS9p&I&%|mRN9rq0ZhJCU|4Dz8AY(b)2m zatEc9q7%7Xsnu*DSIa*pIo~J6@2kB5Zau4b=kW)q-W+rv+Y2ea8@xPwEu4_duujzy za~T>YuS!)ur})9XIzEA|W>@kS7V`gc&6n8(JyJs$Gln*BO2ejP-p{i?V+>Ds} zwPkJu*#6Eh;v+33u;acBG0$lE44+s4ZlhPUki^8#=t9g%E$Db|bV&s^{-BM(hMBiX zgRmpPctGzO=-x*P-^W0ZAa-u82`g)QhRlLHeskJsQGLhfb0NNDsTB!LvE}nW%mY5 zJ=Vx5XZs;KZ)tg8c^q3rPx5}k7wtGnig>fQ5?oEEG{E>4-BC--_5!c(J>{t$tc{-> zd@G5!9KCJ#%;3n3vhR_nC%7D89&EJq5kos$GFy(y=h7{;iOg_^^YvsV&RtMMVQ$S} zSV%$(z~fQe*&k=m-^7326-4JPo3!{|II(!qbd$?9NxBDdVq3q0dk`MvUgic~$-CGH z|B(_xk#sg4mS=%e(orOnN{0Ik#g6zYg22OC- zX-s=LGA;zb%B>U27ogApR7QIk<|M z=X6b*uLo`PiH5x)UnTb0RTqNH5Rh?xoYcQJ!*Hw}xOzHg;b3q*E}Y2veReoRDxAWm z2^#?N*SnedGKo2(lkLQ~I}3mSt>X%ic)#?6S|}4twGzL4k zWe2Lcw5AAUI-ie68V~g{Hdr`GT!cFS3akMXyZ1}tz$K=dUQpsQO}CRBe2J8fny#bM zLyt)ho6oM~Qx!}#B~t77T51({#QL7y`<{DOvRh7Q{et?54CCJjlp=2@xM>MYSaEgW zCDoB4w%vIfInXFJlS;9ttTM|__q2{+*}=81q449zr;T8O1Q#P^AaWi|2~||6yub$L zIw=GFcB7-X*=e$#occ6I7wq#uE{z-=)mqwU-Tm3WeRBqEb8h?T(1O_5+J(W6c5b}bDj6V&Y z7BLcT#}?cW=!##LeBf^UG}RkYa>I`bvav;rW&AIpO-k#><=Tt&&S~++-I}xIyb@f6 zxqK4br!Oo<3;hJ41>HU@$ zHICi>TO@bS4z{b@{&+v*UH0}*xfd$#?XVQq2AaU{Qc=bA6|TcRx8LCZZtI7ZKmZPx z$5>v|fwny2rQGj0MT74s)t5VDU6=*9`mqCZa3n{%TEJCzm;sE01|fPWJlorzV{P0|)!0EW~rIK3c?jeN(3TJ|5fiQBScI1cfPB}uho zFdV4{Zb3VWshXn2Xjc)j@k=i#F)}uPu5_nfyed3R?C-mW8sj+Y-Q<0{O(hb#ib>H~ z!usY;=R!?eyCNZLd^{^THzrsI@MNZQ9c{dc)RfHUk4|QHkbdlMUHt>Karisj5qce` z$SO^EC{@PS@J+riLnFKaK9$ct^kdy85PwM?^sC&t*SV7y%5Jg2LpJz-9XB1x-zRzE zt*^sb>+BoQnj}aKZQ#!qron%Qpm2Ws6qI9nU_KsM)D0zUfD^)M{5hItS*^AFXqSQZ z(&&C8iFrt?ST!ND^=<2!mq=SE(f%^{Nlsou8RT++2SHMBa2-J34L`!dA zt>Is+{!wcZ4{T%CiS1R($=gnowR;fX0>-u5M<~w;6}?yi?)Bv;T!aUL|NjkaN~6gd z@%74nSbWodkT=ch<+c=w?}}+$KkqoU(=W7rg%5C3|0GT}`N_IAWg=|JfY9%_)_tA}Jq%PZ*;tU@>8T{B3kX(pYWpxE z>9DL)iw0(c(OH!c-eldJS+%MA2~;C3#%1r^=v|Df)-ARYyRXjMVYllJy%u>~P%(;M>zZ}x zh^aLP?c5%;n_ZJ{iAP~n5T$NqAnr0K&H1Go(-i5X7$(sftc6jk~C`TCX1sISGBam@h z?+sE+!L#k%KzCv>(cx0-JS|-%jTjtCmcCJk*83`;Bz?B4reA}hsowcA-5Tf|j%#rm z=316wPg}<3<(wz<1LxWG@#g7VI&1*aoh^yvwMZi;?20N;6bS+3kBP5qA5R8HO87Lq z-SmhSCQy6C59!u-^Y2-65&&1%6S)zf3GkQ_4UWv^rRswy+7=j1RXo8S4C|Vm_^Pfp zJeM3L=P!tz9nd{d9!>eyv!8>^2f`jEvr{llWcuxl(n09?j=LzkmNqXw5?)g zICu?}LLAO~6v~Bre)LsjdK&50vItfZFguuaJDW8|UMGAh&!k`j^Ci`b?QE^>C}zv8 zherxOTl-{y)syV3?e9EaxOKWyX@pE>wy-Lh8w7_!1M|=LY-~{e358#9Z1BbvWFuLP z!Ij&6jnDu{+H+^2qwVD@5%nUw5|RR|??PO4xec6dXv+3;rGu4|s;)0--g~O}WYe76UCmo)~IA@}}`)-Jzq_wfb|d zp+!J3SLb*aXFr9(WGHbB0Cus~B%Ha?ab|r$~7EVihQMbAB z!j0X%ac`C%$KnHiIB#(|eG`p8>*P#Sz5{y~bJqnX$J-C4a$;o=D??o^i=tluj7@bP zY&?@1nTb866PkRkF84=3f)H1vRX2rzEINGHcs*h3gxh=}Ht0_3)s#&ZJKgRGAN>rE zAR)1!>&rDc96Lq#Aa#^{YNbebG4J zr4BeD%e>S1Cg*kE-v|IHhBfxncK0ykLzCZx963(mo=x8NA$!F%zpl&v5 zQ^?oO`fA8G_C7Cl+isS(>+dfzno!w!@x#^RXT7z)}P>d8y6*lTVN(C{=)mLGy>V*Av|Q_TgAT7 z)9iHji`ud>79vt9P*!tTdNsTF43bX4{Aj;Fn}bDJ(dr)`l?<++wrSpd6)c0LK` zB=jM+N}7p$MZg2lYaG04PV|&;YveXm8<>TK)Zz}Zw)HsRjLF|Kt*;3}fYC`SvAhAv z19btX4z``rAxzBdSxLs+r)T#=!}nD82hu=NdF_47TT+ ztw$6130!t#BL)C4sR{EX?hmy*mw%nSi#lWxgM23VZ(Xs&n;*TsYgV_-WnQBLLm*fs zAsnD?f;Ye@oXBJ_==zdpDEVErx1G7g5`4K=;9V8Byz8riCT#Dgk+!L0R@d{EuRYf7 zj1;n2;#3cL+zTAa$Jkibha0DC>S-Sx z-@t|A*hYDFT=O;T23T&aNr55@$}e=>SF<8G9G(9Xqb-rFJjyV)A(%8wRB#K%`w0_OoM&G2|V}kLUKo0e?*r% zzb0+39C?rXoY@h7s3*aXgb_W7|16Y(sQkO6$*ADV9^PUQHFz?|=zK}O0nx+Wc!*o6 z@|O8fK^NM*zKp`{HaIy^3-f^)VApVfXW_C#o6w2hz7e0Tx=!{8;q{n<<6L7%ThOJV zOyXnmaavlfB6fQ}ExxMIL*A+~$h9i$1dUgG4%BTfvL4lR=b&`Uk7nzTfv#@i!|#Fx zd6w{zMwTz?(t(+B6$Rl@)|=y{C}N6f&RqN=iOTo%w7$6fx6DEv8<5wjPHYAz?i1+5 zCO8Oq0x>=~K7qf+UZ!0H&OeNtiMK$C@qrByn^#X;!=G4}n9_RXu=R=+zv1%5BP`_DfeI zsTzl_6H?CVN!6KO3ElEeu&!qrc#qD2Q~i2~3GQ_uU0ACOQAH5M9*ovhXX_$euwH}{ z$qB~8ojbUB4!F?%V9h(mgVBbd=Ic=eRlOvXT3_x*Ldbh$n_Hjcec#*5dAwlF1NPO{ zm|xtlkx${k0`SggyliS;UTjh{QqCMC|xR0o0!~B}-*LDA3O{9SO=!jCUI^D&;u( zp)lEBDIY=NDrT?-yQ_mLlGXI``I(XL(A16jx7PQAqj0>Af=UZ#`~cE_O%s#Zk?b+A);We)tBmAbzdhK%mOqMi zJYc+@<`#Q0*{MZ`jm$b7y47>NbukGIQL?ePz#4MKf_@j`57>U;@$3xeag8xu!xjcs zBmec*hgg@IH#=6r0>~Bs;TRmvy0vEKbTfojxqDbdweeOhJ66R0dm*qmh+sbxw4(Ey zyglVZ$a}xNDuK6l9|NqwWszabt8~$>IG|oP4x_=ZX(}@frP(Fz1IoL&NV51Sj!=U( ze{9;7h7IM<)69%`M=PhS(UG~JBd%vZcK1psL{?)weusaO+Ct3+6)^~9UQU9_g)9ol zp8E&r^VL)=nd&dN0f;~cTo&oij4H@M`P-Klft@dZEniHynl+;yfWotF7yo*%$i4c9 z#{n7q^5fYTAJ53R^x&lek@g7hqAxWc+U>TvC zPme)kFAD9iR{wu5>HqXbA9R5Es3tZvuLQfeJZ>)K`CY6OROM2tA5`yeg1WN0SKI`B zd%4gHpzoJUm9O|B2Ah2OI&6*qeBkfHKj&{_>(5u@U8={Wk@n~H+<&Xzl{NqKrpph* zn7%Yr|EFeLZgyU5v|et}<$-!hHdj{gZ{=LfGrWvNf4Qm3-vtPDxg=WXkjo!0OpeQF z%6}7J9@OK{FD}FLUoINrUH|;@O6kV({4PKAcj7n|5Xya{6dmpOc0mWl8eQ9A^7O8ul^(mxZE0VY_R&3=FfRVA$wdx;KWpOqdry0>eBpnV z`XB4oKfd{&p1V>Qe;=Fh%8Lv7<=(&i_2uUMt@o~w=|%l?`L4g${KEXdEW`h-4@jp5 za+3c`O7Q=Kl;Dwvw_X9hK_XM9j+ilRTHVZxIpEJ7=wW*B2khLmY^&P2=t;-|2ZV_K z8X1?TCuE#o{`g-bV`}to;VVnG~Hq>uOJSbj~c;otrqz z705QAHno3!ZNB0&Jg3XJgl~jji$~74Ub#{u_n0`Xv95mdMRmLln;yZ=j}C(}-UPp5 z%J_2x!_6)x&Rca{gl_?^6phy>7d?tJ zxpFqXB{&f2y>f0&(HLaN^5kVHco6O*{DkrxY4A!8-XrH`D@6s!;PohQTN6sm@?_`c z$$*Vh$nOI5kWYYhbufau`SZNE4{qoC#44SYm0Q#YiuUB?P)Pv(tIzf*{u01yfr@)` zvWmvV3iK*+$>vyr-fVA9(d^hwa;}5No4q_#CR@%cX}-{mJYNoE8mfK1a)U}OXE|O5 z$~{f4H?PE@(&Q)#fCo*haUdnC#v#cB?aT2}X2pd;G~S%tydoox)kw+CX2n?V1sh^b_ImTi>EnNYb;SL~->uH^*KdVWH50BvIn=rU z0BL7uw{arSVW6DqMNp7jJ~vL2?aLP51@|014SIc=Z#8(^{pAHnohP@Ak=DjuB>VCT z#;EmK9$$9Z8*#BW`*WgC<0k$^wLi=84X)yEYCVCnAfF{s&H`*(L=~WE+)k)ej+`sr zhX?Uh8fZk>UaZdc7G$Ynwe{sX-o$soZQz@R@|1$lR3JltZppg1(5>p+EW94y4Br;Q z#XPxioRSoie|A>3Pwd2I{xN7LHCAbl^?*;#^}@K*`24w%M8y;99ogqCX$NU~a*JM7 zLA|}Xq!8aMJr)~4K5B6Rq=)BKXCbv$F8Kg!a{bw2LU038E8fC9JeK_h3RSYbKvj!P z{9-e7wqKSF1*)EFD%b*XBvJ~u;AyO>dkgZGwBpc2nIpb;TKI?IUp#by>XQ6{80*3hbO8|l zu8q4wx0*EoF?Zny&hIXLG69(2e_n+zU&P-Wy3_^gzs)(Er?&MNfNVVyDVr*8&>*|r z4B~^HQBR07^aMOdmK`+6tfsOD!B2K}c4C|j$5m9suJwbPphxU>gc1>zom~<8$xew& zQNt~_+=4*NHt52dG7%1qPQesRDge%#q%y0sV25Tjk-Fr|vI zA2nhsu?6Vju8CqTt`91g*y^xAXX+;cy;UvfT_}W#sApXrsJu+*3qc=$sKzCb>w^uiZ8eIr+L`a+I$hBP0>&cLfJ^!g<7lE}i&5o;EEm!D_;_5Z0e3CW7H0AB^e8q+m+A*cX0+f^9Hhfi0)hlu zmM#FM?*a|@PRT&v6=KLcF;;F=9-++uo)#lHb$o^AklsM-9_)dsh-(cR=r6=Fy-fog ztHgma$ponik>62a!x9ZZdqpF}6kQqv^U8nF^Lb=T&P?F@n=vCg)ph~iyLfi&E22;t zH8$2Gr>O)#$pQ%$uS6}>_YT*%PvfF(KzXLaEm%|hI^MaaTmdr{+~tjvqLy}f_DqO9 zAnz#~5FKCj0;CZfM+#8!T}`?2d50`)SAf18<)znuX<0xzyU9+4Oi;qNLv~jz$s}uaCLkdFCSLm!Bg6uYnF+0(iSMXh8JCKDFTjr6TmBb*;! zi(kt(L>n{(FnEhG6);G)f~n2&1WaC!)oCjQR14f5;%vQ+dR!WfsHrvILyhS4?j88~ z6H}`06lZ}Ki@}Z-Z1B;zNTOs|ID#_to^Ktm-^$YS$Eh5Ci*afgtJRh`S3i9W<(;V|YG7gf+1ReZIcqEja!4;oKH5I2GglCx z7UCa4BZ}5`&ju_&knI8`0XdQaiKtEC{eYxmu@RsHVHvV}>se|FDdSSPC(8sBOF@OG zC~gmIEFAr*JK>M8A2w0k^Bl(=q8FDw2$X}(V(TFrN#b(YqKclx=6H{N z5_Sv^dAQ!)cQ93C{)Q>#2({p4REUfTM^K9x#SAf18{MDl#9ZJwct_s?3s3EIm2k82 zI2QUty(orzPHsd6eXy6Vzf&ZE+Yt3N9#21wwl1w^1dZA@sYzg)H2_ywjAOq^U)MY= zmGh{rnYTbo&#FQn;X>{a$f)3wgb)aPHsWrB6r00Lo0d%D5{*-}!2HOKB{NHJCRvVn z@+MyIJxS5N+qpdNDOgH4UsVz{R^Ez*t0}>IAI%7L!~*pET>OjDh)5!{jJW!8gNYw@7Z9Ae69ci~5d4sw zi*eTcL+)1zbt8l<0*PMgiTmvF1d<3TEB6KLF@1$pG9DB?NJHv1cYo^y*gGx2$?QTx z;}=5PAOW-tC}>KlYar3p^C;)7(z<+<2VY0xaaN!f34GvNHFuI~3x9X#SWMl|`RI7L z9H}MtOcOP}=3TO){?1?u+Oa{fLiMFDR1Di+ks$_`0p0_he|fT61)|$ zO3;AuF^i%T20Lm_4`3&=Cc>Q~cVn$m%K7$WVXOM>yhlv)`5-E_B>>K|OB!cCAzA_Tn1a$TbR zK?YU}$?b`!MGf$Lv)_@yILsQU&qx)UK&?|tMGYI7uZgrCN9WbwOeH%w-kn z@5Js%EWNuXyY&&KHUV-i`}&yn8O9!o4xdyGET*gxa@fIWDQDA+Jxz*&_*=R4_z-b$ z33x5&h=J3lR(@?1ukJo4l@Y$E@VTxV@bay#)B{BW66mGkIja92J9UHl81gk9UhSE; z8Q?Bh#`~&kH8qt>**>MZ+~m5C73fMZ6^h|sNpL?$JC*l=SHy8ErHBc~N06&gdeu;> zPt~x(&+NZ*(HoI;^!Ly{N(|JRu$jCn4#!#;3w@|cRJh*gXlgJ1#e*GRUj7<&rJ zEU+Rxhu%lorHa^uwBh>qr9@1)sEuDg^4_znj4E{=qN2A}OVQ#&J z>}y(3@8jYfE7=tK&CX}qev)40jX-3VO7)Z8;i&?BsP=uA=3|a(mU!yR4>y5*12XB`GUF+L^MU}3o6tg<-;(r=INpnIoeo~ z#4=siubD{CW`*t7K@WVz#_xHK(wV-}3eS-#!8lA+6gq%YQ;#dN5VaBld~xpKjY0#x zPUHcL5d{55-OY#!07@-2LoGdJY0xo!6YTws#&M*63^un8Wd^53MzIFRc!6EBleRlN z{Gb+Fpa$7*j2Fz5j$dYfJCT?bHAfP;A}Z6<Yq6RDf!Vr1D!_};i0#{=soPHqoUL)d1T@vUBeT@0#-@sif9z)r@K z$^2U8RZT~(SIc>DfG%>cPlP3$j+b(fgJI_u55ny z=Pck+fu305NuylpTgBMCaAy|tiQTAvpdk2{)qyZzfnYEX! zMxLt^`0t76$sFq(wgzY|(M0H2T#d=@^?qd<5?~R7V+$_LJ^SmQ7^W5Zs&i zXiMw*qp$Oco=jmNKcQd{GFlS19v~_7*U^m-<%hpRjTV7~s=)=x*U?KN{kux&_`o&L z*=%VvW5rzLV@O5u$mlRBp!URBhz=hM`Vo*(dWMlsyo>UI;+!sT0qujoXr3?G%(Q~4 zcb^S)BFQ;~S$YRudE!?qV_py)|`=N5PAv7J*-#7R7-A}>WDsqCd#+D`G8_ZK^fV*HGG60&Iz!0Ecrmy>ch>Ro(x1#CvZc8QA9@L?DA#m zx;sriiEO8bFdovr!r0G^7t)sNZ$O+4BqV$Rz11+=@hbaF@m6*HEWT7UsHL926^7$2 zW`1dd5YMo#(%;(ds#t!gykeQF4{Y9wB?E9;AK6RtS;pelNLws~<){bJ3~LoAQC6gAF!F!MBch|8f&GOfFwC1 zl|^1;9dvmYu~uu{y$R(FmZ|Z>4mabqiPD?N9e%$(}m`$6PtU6pRB;neKg(2T0&EO?04(wtX4(_=Tuv4 zYcdQ{#i_FM8;LEnc4!5;h)QyZxLkgL7Vbsi_s)xkX2p5vdnbaIsUlef`BmYdU$^^p!G z+g&Ch)zVHMdPy)J>$JwZVDED1WI;YUz8ga5!C(&|<}l~JHie%~Cg4>Yd?Kt$iT0u|XI-jz-Un%AHW#YW9aDmloiPE=OJ<@;C|qL9dCh!3J1C9h}X3(F+^x|NY1sk5z*Z$5ABNERHNXk5fn zPAL_UYFUPz6J!0#?mD!>f$(kB&rt_Hc5v)MyA)5$_}R@Zuxso>lw7nHZ_V+(WYy)U zr3YtxsWy7K_PqQS`&tWgE*_7p&OrH}FyVNZHEp?E0hLCzS@kFsEzqxP^{&ih(Z8_o(!4Cd$ z*fPXRO~^f%mOGL4jx?NWoWcq|X@m9@9V1S$;S_E(u5 z4h$5Ofmc+N;Cj_%pl(+Vx%i4eKB`=bxNmM)0(%m1i30_fAgU2tAzM}usvtSGx)uju z({x5Hy*!)BJ1Xsnoks9i!+iC;L-eB>MW@JMyix@KwcJeGZ8FB zl)CvEyoB_(Jme&KR82Y9%@$z;HPzGAT1XlkgWCF0y|IqIx}%bg_fu4L;iHk;NN0Y& zD0BTVT^2wcs{$#Azl{pxApo>nE=})4+SPjO{D0Vc_pqp{_HTSGn1!=u*qhk{dteXj zfjuw-Gr-mvnNdbT1_1#D9RySqb5K-FR8%x96;w=AOjI;YO$`t9+uEH62{v1d6l8roSi6oRPo?xM zzeg5#=(*|JkI*!!59xyvbkAw!bgcb_!x9~ka*o(@Qps8feMll{;9kT}NGeW4Qt1jV zSZE~ufI&BYG13U@i$4rA5ePg{lQZ&_#gK=zWA2Fgn&hn9a zY>o}9K(wC?QyaE~Q%l!y!$dXJHn{P0!-*hwDR`5sX|(Mm6I2;#nvEf&$Ap^}K-i8i zo3e2PAu>?1qcE9E#(T!6z$?a0gi){_4js$;Pv4EQCz|<|eqU~G{B_7txaBr>YNt{D6;c2qfv#1^@icx`tRQ`80d6D) z@5}7HejR^6N|~QQEaV7u`{H2XlndgekHHm){v&?`!Ydg=^+DHsRWYs-kE6C z{k+a9gQzBLB~t}xuJ2bc3C45!#9w)hHlCVeqiBV(e;|9>z%ihoTOC72k-J<>^A?`V zspwiq)P@Bi_cxO)$7=m2DstQrrSn%3H?e>S$ke)KPE+>}>VVKIneI2^>I# zu}?Tt!E0y*AEd2STDQy0qkI%ISbI?~GnfvLy2Bt6qWkG6i+w52a5^I8TUv&e-OgZt z;Ho3d$$D|@D&6TDRqQ6V1;q4lHOTGJSJ|a` z#V;64H+6#<(jte0{in9onPMk#S)GW;^5ZBmS(?>yMNG%9Ddf)^ooo{;zv_SEp3EWL z6*YTXS^k;+HSj;^T2wI&XKBAwdUHuc-9YVlD`UgP>MuYf&W0m|K}6)cIwlGcWF*(y zx}`g755kkAE7)$oraZahXtB3$n06tXb%8mrPouq5f)+H|kMxl|OoDcolCER4IhWm| zaRRg-nM+BEv?B8{e36OOu_}F>3K*1hDLyC8sCb4Mj%Scgc_w7gvhooOb%cFbb$2Lf zZCFV`pVwd&*aJbu-Me*8mv*)kkjLG2Vo&L!vG_FD?y{nXboZQQB8~f0QmxcK?+mHn z6Rl5#8gyY?f;fg&abDROk`8&M6KI0Y5MADr9EaC15!0N1;yylc>sMfy-k>Lmi72%e z@k51EWEaS}itm#_FgYG;MCbVNm{~*<@Ha<~VVii~xJi?>1VRb=5j2LLt>+MW%kV;w zyNIt~dn&bY6yPJe^MRsXde$(MlK7TY=J_l;iIUK|o1kykAF<6eB?odb{EAco?LCIa zV8Dyy+~u@F6|SYP(E$)CO^HAbf2P-iMRuJBo#IKg$hd{#80jCh;PxT!u#^yd%`=KH z*x}5@r%o_0*wh{h539Dol{W(XZ+5n98-3jmQMu z&m%BHq1E=)Nca`^t4!`J#P9GeB+~H;NVrjvcY%t(>5G&#E)NoF@j6ghvSVe%8~C}D zse@AJ;0VFjZ(;^2D?wMSDL47QhN!f(SD-@BjT5HQo!ga zXD?1PcB8jG!abo4pF(@GdOkN4Idh>-?cD+zg&fy$S?pIAr#(RNM6N#sX?*y-jdmO2 z2c*0x+`tz`yw0`=^*h7_`l4vUDL4q6)a6aPBzsuojj!qHbkNDo6!G(-;3(COq@zWY zInyPggI&;8i;TACq+k;W%FBtE~m%4D-Gq zCWP<7f6NGC1Ee)cYvTJ_naaHplbZ=urny z9={5L9kPOrS3*$R2T5;`_i!X;i~~c#CJHo~NDpv+ve|H!v{T%a%wt1+m9Mr?!u4k_ zP>Zv2gUMDNO5M)(n5D?6m8rtMzPP`8URYX!Uo4 z(%*?9dvxEh+70U5Yl%#>eKO9UBr$O;6G*1WN7TPeVEYE4gklLX?Wv%zkY{`$kZeaX zXqnx*Wc)LfXB^g2pCLX452C95zuAuT*_>;KDo63ilZAZDF{`N%5I|T$=o=!a< z2>di90$^<757PS>6@NEsDWdF?(5(~*KnjbSS{Rk_F0=;ijLZlXSjtfs@EWx4?6*4g?Ph zfwE^0{E}-p@*Z`T_0)wk_TN!O2&r-&Q$wUP0p_?>uF1%Eup4j($x0r>r9vP(TF?q6 zoaA~0B}aqUf2!p<_X2#DuN305DuEzx3027FoWCb|dt@H4Zc;WpEpnD}kt6dUyQBN3 zQq<}*)VmtUSmXL|QhlQbBrFRIiz5jm?@XP$h_{nWmU8S@O3Phio0 zSM>1}eL;g}-awAM%o=&MahewEDwu{5jAqjktS#HD#G#B0kYa>G&rS=o1Tj*p20EYpPR#l)cp`1Cnt(dasg}bZ2L=y=sV5wDrEj7PZ%<~ zHxi7vjM-+pD~R@f$UWR!{Jb3%vG|3=!u;nU;wM+IMqUi?;@g|FNh^;r? zYAogaqPwf1gDvqiBCmJ(EqRlQ>0!F&>>t4QmhNRuML5(1R_k~ZyNT+JLAX0PD=dU} zz#6Hh3mntwRyxGgxA?PITt@bCn=1#KUd+lvPDHA|B2SY3_HPhf4Z?jr^)SK$xtr7) zY%j&kn^5P1KtF+|kd544A%}`spp)=*S2|Y6N_~*pUFxRmD7#k8uQ?Jame#h~;1!}B< zUc&b(=C~4=+HT42RQ+)Y9J+C-n!dxEp*Xb#(re ztmiWI{?*jP@R?J{NQQ%PMlQoK#@uhv^k4ky7GaQYp&t4)b+Y-?5Xox|9FmRK1|$Y? z2DVNqh`Q$)UeuptAiY>=3^Gv{bDT+LSf)4p>t*;<$*hDD2mGVOzBBu@+@*n>JD01NT%CJ$8k6e`#rSQLju>1zOh>0WM>8#~7`wS|PJSt}#Dh>PnW515 z8DmE`T-4FgB&)1HW_yG)7G|q`av+RgGP$6Neb7g^Qa7l1P2MlI6=XAfUBU%fK7&)9 z2xmKS`aqscwyfe_p@q&vSd6WfXk6+j4B#54eBF;6%`ZgWM4W_&&rM+7@+L?}-bH<^_DE$AF*XH(8v zIS{UQeN7D>NhVh>V@AU8Y7`vdHeN$2VE{HH+PN5$0!xbHGBZG$OOoVySd1Wj3?sv> zp9Pa7kb8=`_Xc!heYAxvnv#FrpI*>UE+W&xA4`8gb?|pG#B?<=37^Uu?C1Oq;qiPD z*<0X5XtALy*?3H6{Yj%;qSqav`e2ncKqZP$+-g_p#(~hd$;_^zGzu!qx+yrA5FyO1 z46K2)h~xdtVN5*25|7nFPm7o)<9=~_|P0N z-gO$`NXud|hQEwnu@>1ox<>brGhgxiT={9$UD_MaJxAB~)&(nh!_mDwYuUlMm|@L- zXd_`D=6i~L|7Z@!k{xiXiz^+LarPadmSxPCIvFZV14~GET~i=EV9ie>3(M!&!f>=@ zDh!&J;zE}yl9^H;0R?To2OgLeUVtOf7lvnpMu_YnhJ8QSz2B9|vG0WBv|^PtMq`N0 z%gM(5@rrk#cv1v#aY>dj6VdCY9Waq$t3Y{hW@dp zE%rSiMhqr2d4C@W%1Gn#B^d`YRIH}xZtq84LENXK)MDE7x_Dn>o z0AW!rYMC0NN=;@%^{pBn)gk5=lkfslGINYPVu@w6jJvK_>&hc`=YA!)AK)lo&3UO@ z9!ds5iJ^&k2d6>uLK`EF#ly8fE7>6hbsqzo1oa&4&ysJLPV%wiAeo#s2^+1-8y{GQ zscziQtl^_O0_Z8|alaE!5U2bqVurb{i#V5zO1XeTOdG@yNRZ8dSd9G`6k&UJW~CVT zm34QajQX^8vr^2a{JkjCjugMdG<@yMZV%-IYTs_eK(yM&m0g4R;GFM;U~?wVR7p=_lY9(3BcSyXU!DJ16@pd;Cb}0V?8xsJ)Om9 za%Us5k_-U1kqJ;&lmGFEFKM<}zgow>suLYdq15WqBf|wTClrhPZg|A_u&kcw)OjI8 zpQRGG`w^~TNYpz=AQC4ZMfs74Z`SUx;_I}Rp(>m%;J`_hm|*~AKL$ELhTT35d3U92 z8;0Ht!Y8#<%nv}ltQ}9XC)qab-ey{eMrfUl2Ne}Rpekp1Buy}!Qd5@CY0FRDq-ZJe z8tjMt3^4|Bg3ITuoCc4^C(V}(V1ekp!VEShgtaL^77j9>k8>XEEx*ojJ9e{Nh#aS2 z2IWsc79QWYDiE-h5qV;zQ$?LPQY$Nqk0VrJew0eDZb$Z`f&8J4D~>vxPd0IpU}m)$ z)bUEP1K2(=%t*}&;2tNvX*3s%%WkWr9-PtfG=1y-ysO2yFTZ9vU zwDS{~g{gD>Xk6xez4!#6B&fsS6?YiytNeu!cVopr!jgEs*0c zYgTYFeukf6=aH^LjhFJF!g9KaKFUX)Q;=B_&&TO+gwtNRdy#2y-B^fJz^k1?3CC`qVxS@04?}~V42^j_ zbF=LV{s&+j_u}F7xz0jnv9?l~^&v&hM;JuUXr4Sg0M9f1&b5ij0BI`L zZGhk*>(g{rl}vM`VaS*HZrdVrQw3ZXV;1jF*vlDm-t2&Z>I#);@FR&$eaTw(wl z6a}XRRYKvm#Bpn4>u*d7ff zRZ-GcD4klwt}u(*ieA+d>Flamj9U!CsoGf@xx=4%#`rD8nQ|0}gE3K%#$dcyPcrRb z9Xix~q4`DAUdw=nt$1=n7?ft+DC7Z38`7`;iC^@F-@gg?JW%ZLVZ3JoGW>zhun!yV z`}P6K``^BO2>ynzru?_1LEHnt#}g*XQGj=TIQb_MI0``B4?JwA{40?B?_K=0t(yP! zau0Xvoigr$Act?q5BC0WjRyeW2Rrp0aYB@D{$Ka}K*QsI^XzLqzw3`}6nJoH4bs92lQ}pZbGG#rNyqm+s;1`EytBbp6X350>-Y&xhOp_Z#}> z(F~hdF%xd*gR}hC`}ya2{`&?WZpXL92W$W5WAHtg57z$I%{{zM5GMZ*lkWeQN%!kJ zFa3+gM*!Tisncs75?6lsU7_33iOn}(c}Zcu{3B3ToG9*p+L-@E3;I88jIYi3f3c1E zk1VY>?qj|-e-OWcKAD#zzK94g3bMz7J21DI6!On1fwMK~u|MfrkhlLK z3urFYNXJy;nB=fHpoqyV913uy$h$sb(S(WQng$3^z>L~tis=oVErb_;F|NwFu&{?M zGY7V*09T9L0OQ0TA>Vrh2ty^ z6p_gNcQ#aa;Q7p!V<4UHC?S^2Kpcm{nK)lSXxc&3x#FS_Kz*e<&hfD*v>*$G0Ksay z94UqawVy;o9+^qGhM(n9NjTrn?Z+QNA&i$qqlyZhR4O^V1M!=X$R)v5qq#S5m~FYI z9m3i#Tr5VAGvi~Jsg_T<(V4H2R@x80>$ZxGxLUe{1jd6~O;1xhNhcjeh8!y2_M=)n zf;Zt|4~b61!iPQ}O=ao)d0ka1PR%JrfpVe0qI_KDHl}YIhs9=!-<)3oW*g3EmR95pm-khz_p12Z+fO`77Y@ z+N%-y8u#Wd;9eFl)=6hfFOlnYT+<7JuH`wb_k0e#m+g-MH6UlGbj>~<(a`j{$Ydy( z3*l_ZWs*6)Je#a-4kT=6lDyI{eTD+4I!u(t$3rUTYYA%#hC&mqtvXiSn|Ejf@n07m@$MEOg5Q>@^29qkfBZA;l|Nm zQhyBWez@bl4e`f_5dc{1UhW|)Cnc)u^{%Jfm$luMI|h`$@43P_;6}GuJXZvryR>fO znGQz3f1jnr^BWWC$is1&ztPxTuyNry-t35@5q!FhOo>5|cZ}i2K`mCFlSqpBaqM*^ zU*>8>XXe4X=cbnxvY4lVbSPIVP3Pug$+3+|@hqc3QnmDmX{Bv@m4=9QXKky=2Z@Io z&Tz|^e7=(FuaHg5%K$*TYa7a2^5>%ZvsKM7ysjgnL8}BeA$PpZ&xg9ci6cC5d_+2+ z>23nFrGBR6U3!ww#&Q;D`;T^1kywX>+3HJ}5z@(|%w0H)U&4846kSRrWJw&$OZ@5m zKXMU{e7Me0V(#ci@eMJ*1rwoaUBevmHZ9D2+Yw76`Hduwd_iNKS%@513LkM|mLX8> zszg%rvQ_)!Recz-AjKLwg^DwPls-#blpILjnP9gHhqCVn;xq;bVm?ylUc~Sufe2Zk&M{#kn7+d2x!1%2H|DxFKOo2! zhpUpev#aUd4REp`gopL)A&v25U|lcwRgS9&W%C&&ME;TyzfYdTy_gVc!q=emV4}Qe zwu}O;U8uE9$9+L^`bpzPhG?Z%Q7)v(Zi$;LEv}o0nDCQaH8r~f z?bF$Y0+4pL;G>ZKAItMnsZx!Q%`6>|PNg_-aNSu*yV!AmeyY0~V8}4ZF?PBPZ*{M$ zp*Ly`W9hlE=YkF8kPOa$+>f}WC_LPq$@b&e3{6uU4&jHm%j#peM^pPCa@p_%rL%B> z)Z0>i_c11-&Xcp7a;9X*kDY315Fbplq=UP*0a0fr`<+TCYFJ>1QQ?TL3}|g~9^18! zn1vfQ5PE5Thp_1*QHei+BxW3OI^GcLq`U4CX*QhK2I*ea8K5t|YN(|+%Q!&Aexokv ziA+arI+};qS}L(KHQzsHZ0SthRwZuBtH(MT5Hg#h-!g}8jOy$8DxpX zni3J`C~YFP;0aV`Xww38q?Nk~faOVhpUn}#lO$LgLPMn!d8BidyN!=qzYBDtZ$;qs zvd)i!4;L4Q%V?@tCd9()Oouj|wv^dpal~Ixelr`)nE3k!BO}J287>4v{+}Jd7HOG6 zV?IMQZLe_WXuI8rw|AtMVj60v0W3KyK{0^B zvz&ZM#zPmsl$eQ_uE50?5i|%n!q(<@?H7??r8A7L=o}L)AJZDPOKCXFl?*^avay~e zC3F%UAja$}C7(H{V+!eGyrvR*yH`qA8j20OSymBo?+NX3j)x91*9-KphcY&tan>i;^0$#NxscO-}%N?&G=u&sAwJ_;TYZjc)x2fB5Jc6D*OdP7G5JWJXfUlUF?I6H8;kvW6B=94sYgRq~NP4ltIrfvDa z92rP@R_kyC|1-c2Q)vvh004j`z(f;0{UH_ZCT20++20R80(h*h9H2&eq!Lpuyf}O> zDhRzy@7#FXVAUjpb~(w=9^j+`PG>3rF>(&a7Vzlk%iL93$A5yCl51|Yqkre4g4s|> zrG-r)*al_fe`1y#_XL2=5Z+=OslqK%Ap5eC+nX~4GPVtK#-9kt9EpcZ6Y*?m0^vQs zmBO((wm7j z##Jg|TmGAfk0k}?+=3&S*bY&vQRb7oxv8ZaT?8C0eLfmP;b9_w{dJRF3_6-$ssQbek(cO2&;+3 z=Aynhyl6a*F$I(8yW4Rzgj_GQI496TJTJ5>BuL8%}B~{~%TX zVy48hdjdUyxCh@-)MI;h$3kp!rJ*W+9L}ea7*jMJdv`bFhHVP`c99bs9qB}G6KMm` za5csN4Fomw5fj@K24QBFC9$O*um_Ln17oV5f#Bomh9kBSY_r<1JIo*jdUYm;W&hqB zU=)xjhruzLkGuOK$4yB<+!9jA?Bym-N<+B2BcG3RKIiWVyq}$Uo1V9%6a_+^Yk?G_ zeTSa$7N;RWS3SbsrXY`II_Suv-WV=8T_R>1s)FF?9wG50TeLQ1N*9Pk2eoW1I0VW< zBojyPT1VFlk2-JqaVvz`qpiqx1it}qi6sTbWg+}Y;C>ZVf55D89Pv(;`;l8N?h`i_ zM%d^3bJ68l!B+4angYauGUQpE z)r7<`Y_rxQiOXyoz{ZI`b5|y*O%%u)UZL|V!(Ou(<#?UAZONjitq z{%JhtaQp*~4D;UfiZ2YWQc=*ptAcpJ^}Ju*>0PC`JO8$4k+(ay9!qU`bUhAliLxF6 zt`goMhUnr|m^aJ{!Y|ekHjd z*}M>D`>n4f=^Vy!^eyZ$7&Y{?<8CF4v0GNxHQ_!aho1>Tiak_rcgs^L@4A1jUyBnO z=R?8%`WdsOm$jO5jr@6zlc)JpC!fhjC(Dcxuf_+Vt#~_UxvRS-^@M-%t$?Q9G!I_s z`#8e#Lj6m&RV3U|%%zd&rq_MrXqt*`JfvgN0qPj-9fU8EXnlsVe)ruQ(4hB~!ZPQP z6ayPf-*wGJoJicMVYn{yjMNa}Hb7&2mFnv3aPLjuyFT<6N9BBM2%}x|%=PN7x!gBc z&)jY}+`>uS7{Og{dmINl(0Uyn%rzACf?HjOqpHFZqe`-nAz#Uu#Sf^~6b`KO|0DIhXwvs<$-`whJ@JH^oOr}l2Yh&5LV4cil}y^ z2pQ9kl`&h|{Q{G&xBF`{qB;~Ig=0EM*tjhn0TDB=cXW$d6m>`$vu4a88ke?mfhvCI z=>_WU?V5#wJx>o=$n?5io6fpgclrmBAFdw`N>fNjG#Me@BV2Y&%MoqApW8En^ZVk= zkb-Ab9zLC#*Q1tB^TwH< zcE)a5WPC5KbxqlOmTj$Dm#Sadd3I_1tL-q9kAK&$PTYHO`at6wpBwAsH}9NX*8Pp& z52<>{is-}sE0jG0ZAZgq1ll{}#-8vy0fJmTPi0>}+0&C2+?e#?kfDu^3u9&+QmMv0 zcgp$B^+S2_S0DSH>Ah@G^!vS6M5N~@e-WtdOuo8h^$OQlJ3m~}=iBz+r}}<>dgxOr z!>=qHoce3wYeD_)zniwO-_FnP1oc~pLRO~vSN9*{4iFcecK&u}^~!X$?W2`xDES9X z#+S!VczyLW`F9@Nv6HZ;|7X=ZSK@~u6=gHwL_A$W-UQuIed zu4?!u#gdrm*^Inr$QsW8sd-JoK-;-BLlu4bcP&FQP3H;=i>lKTUmRY|7mMYYMMX*FYspUws_txi{6W%5FUn|Po67&4UvgM91E{exMiX1Skugi=_b>_IQwaBA~9Ak z@DDgNrl?mpW89Dhs();0PTsG%@m}JJ!lcrE;Hy`hbV4)!gx|@SpHGdpetvGt!l3kv zTo{*oaY3!>{nt(`3Mro0Rlji4A}Rj<>9lq7$<_~-byqrPs%wQwZ(LZcnRc18cIG__umor5X0&txW?~)s9=0D_`obtgpVvuQtE7 z^W}f34Jxau%V*4lI>f{3;DJ?sy5(cd?>+Of!uP%w#@ ztbnGraC&t)fxlVa$ur8k!9>xNN2g4kJq7R&TNM1ee*fN_cl-0#F!Eq|SbU{l-#=Sy zKX2=cxf$?3?nVQmS~FhEXnipQ<`sw-2?=b?ZOtIPaR6%Nf@y>jWE`2)kk*V0Pzc0C z5uSl%C9F#_P%G_*dtp%-+?v7I7*I+gy%Z#a1S+}KRyi7h0!j=aN-?7q7orT@NuI(% zA+T}S6gWC7Lo;5)pWp%0)i|b#J zwsrEyYqLA|RW>MM-h1bbZMVSyE5iuxV~{XK%p_gM|&E4?5v~# zv}XjYnx?J%crEtyg~?04t-x9sHkX5kp%|}z@I+;zqj{m|Da!czo341f_T3rF!{TG-@Y15+WTp6aQoqY?S~Kl?*F?_uNI_K z5%+x%PKfxuU4!}G{lCX)$~!?luwGE0U~JUfftj8{2nr=3cw*o0KZx*&+y-f|y8ZX> z@0`Re7Z(^B^!**|8U@k89sl`h@NDeCaL3PP#b{5P3yhT{NU^d3``;qgRuT`em>t-2E`ij^Bqp34s5ByYV#Fa)SZB;f}pB=t(B7CO3hR3af z>6o(tuw8TTm{@I^8FteNdt&_4_BQNkYFLvUzCI?$h{wUUvA+UW!o$XpAiQ1)TcxoH zBcJiD4LfPb+CzY7md!M*fmvAI6n@DZekWGDGTXf6nC}@;2@VvX5yBLnLFIooxhs^q zUjxh=+I=nVI}e_b|NT4jADfByPIcqY-o}4RiQf3af2B{|>@TCZf0Gma+fWG1e6aZM z%AyH;w8Czo(SOQ|rYp)S1Tni##cJ8p1@&*kn5KZ`Z2|3sfIXnE>QB*ls05k3%x z4=!dmVOP{cZBRjyEZ{{L=mQ+#+q5kLd{Q3>h2l96g+lpJ$RX-+jjv$MM<6GtZ(YWk zUOqz-+Y^f9D4@Oe=6^svrT*MB=Sv_TE*3glQH0OU%7?7Nt$3+(8wiT`0MSf&JCsMmtwNb_Gu_+b3Exg)$A4N3{!ac<{+WFA3dxXXTcVvE|w`#N! z)I`@SrBR%amrF||@R5b#d(kRtkfs)W=-ENTrDQ%FEGz9we_ZG+^;d#jn2;>L>|Yhb zJ>@aj=AoYax0%O;xe;(LAE3-kv*>2zccD(N^zHdK~x)5_hpbrAp(MESj<2k*r48MN@>REA_nvu=^DB^8_K1dk`*$8Q^ zEzLd;NzGs_34dlkEYr6<0>Y}&OMJL(EUjpH#bJd@HCfo(@(Qn)HaZJY+pFH`+;>ch zZ3414F50gypUl0L7{$rS?NY6bu%&@<hA$zL=4|ly-jgN)r{1>02H0>vub;gK za1&FV{>WCXwx=R)bHzY?9Oa*J^}u4rf_xylAZN$hinJtM9py(j(ky*JJ7I*N;`30? zy_nz9Ho`&i; zVLBX7-Uqa_ds%HiYoa2{4`E`KLK9C>Jaz$=!Z?i zwd{ITIHl{s5|)Qx>qhf_$tgQ^0kDg6@L6)I$;zY7b~)Z+J0=6R0-e^B%X za~BwQZAn$~!_@Pa{)*38GtVSLpQO z&ycN)iAl$PwojQTp#q;Px^4d)Gx2z!c5IOCMU>26?fh9kB@hy-CFDc+33O^~pXZov zuO&&sr_3gbEzD@Z8w}PSQQlon2N$nK7;ha400cIYQMCK(A~@-F+#;{`w~*u^`b2GN zEZX!9U6{Jn&)G@r&-tb1Q~PE=>uffC9BNudTR}w>Kg;j&tjdZ-=>^EO-ml{e`Dj4a z8b9X+du3uO)K27K;Yw`rO~35}b4*5Bs}ovpTS z2+)TGS~qH}FVn2=0#e_>S#90KTdAv&ba>Z78c~xV-mZGlz71K+L%4X{s4r4t?0C%c z4RRD;MP^AO=b$DN#+!2ySJ85_dM{se&dX^V^Dus|3~`k$t5K^pPuXDF`zy!=mRBC- zz?hbu7ij<5ud3tdC8&;V45S&}L$>`iy0nJWktWIYFVz*iTv0n6Ll7d@J|&4-q_k>b1^ByBLf z8sr?-O?t|p4{;_T+fuH#Z5wynJSbROL#4S~yy0L_emrUn5K=8~Dtfy3RKpw|+>_Np zB6zKD8f_0nsaBM78aa$!enS&-%#q8GeJVyzUj3LoPvz(ROdswyRPw|OKC@P#p_w;B z|I(j~XwF>fjs;#a*wjid0@k2#{4#VGz-6uh0WCenEHhL@p5V8;?ga>E>}GW44%sF* z!C9g+Kc$0KL<>Lj%s;8GCgw79y9Zir&d>bL{Y;}uE}?VZrJ9ke5g7-wG_C~Wb30%@ zH6KZ{n(jzqZXzz)oAbbITHDHVQ)CbB z+H-1vAZve#fGZURO(u6kH(0ITtY-Qgy|4W-g5v4m&wW)WZMh(yM>yXYAB^$z!H8ck z%|lBQV;;aUqVy+}T$*{gj(LO%9pQ$3yge$cZkkcjIVbzqjg_V_6}NxQssJhxV`8ea zOo**j@(avg@^tfvuQQ3Xml+~hvxY(oxc^FWh1IN+5;I?7265LYrgMbk#h|Tm4zpnl z>hD~EonNcnJDIu8mEG*o0Vs(XVcr;G3Sg2wU391PDkIp!sUYoOgu64TP}h9-Bp6n= z{FBq$L;PC4dtktA9~@%15@D@Ull@#D(79^)1zfGSqLv>}vU30iO1CtC>r=6ie(XMH z+#hQAPzl{|oIwqiesV7)#g|?*99C1%T^ zQ{>HlKFSN8)faIC@Dpg6HBr0imCEH@_WIh~9|`oNo|eZu8S}D0d1kOwBF31%0TC{# z6eu!KLUgZyzn1wl#l1>2{BljML+;H5;GKM2O$Qs+D47q0p8(C`ei~A`sZcS-^R+|6 zXqxe`^2SYQOpSXO(1LJZD2YW-F>!YRZzJ{9VB;Aj|9pBuknL$u@pJZ77~fSw=31M& z3Q0@7F?en1P?sVg>kZ!h6q=m(RMqav-j+4UCW~s<{cfDiIa9GCp=$P}1Z$H1#v@!m zxxi1-@nL$KT>}_1dO0R=EdpeC4qD>94~UZKBDlqp7KlWiC9|9>*Wi` ztB{`MKHlZwc0=fC{WKC%`SvEHTP|`#ZSZu_&p^q(sWw%KVaKzr$loyRq;^%}0PaeD|ntM;xqCNGWK}rC(`D7ckI%Uh7_%e-4e+hfKSx2b5hKoIoVL?JX zb9%qI>2u392n>oo$dAKC<3W3i8#gZ%?^>h%ieZD)!e?2(VT=K%OF{Y27bm$6oO+I*-?5G8 z(-COFF2t3*IM*+E+lCT6V)-}Yk$eIvEu}d-R_fOTIhO>qECvB_P)=E7c!6`)5qU$v zrO2c8@Hmb`E$cYF>)8MhdAL+RqPpTKz;N0MwOv8nFz3rExfq#GXj0q#AQdpd?S2d7ILJ>2wDaS>&sTZxYhESfL6zxhf&}i$#cg zq$CIbqX~}lkL!rJUQ_)1ODJbf!EOxi-qz%7Ym(afnA+M;ee7xcDG1298NiJZtuBpn zyUmqq`yT(Qe{!)vT!@Z8|_ThN+V$gfx)aXyNV2DNiy zAh-npq_w4&aYm4#o~0AnlPW%3UJ+z}A;`G^x*3JxD}Mc)(hkc(1wb)&({Z+RdzQcT zqaakKJ)-8!P&>{Ev8kLkH0K#Z<}3VxfI*j4KLut zkP*+~9~AeHZX|1XDyq>y+pH&)jo;BQ@8gYX=z_d+s*Zzjj<<#rcIoIq?_;*v;584k z`lc$HWRQY6L*?hTAoHVvXQH@X9uGT@McMk!5cb_b_EH2po3Zaf_&zV9DP@`{{cu({ zjyHeH;GxDMofL)#GA4FoP^X)&mkiLzI#pPT5u=3Vpj0IF5Y5)&XuyZtQgA#L@CxU0 zh2b4Ta`w^w*v51i&#_da4QA*GA<10|O2hb`{ggt8?+AeCXDnGW-iyp*dKA2XY@gO& zu50Fprf9@{o}{hAP-W&XYwP}rhB~|S_H@oY!1%7-IWxfBw)M(G;b4l)XUtUa!h143t(pdUOs{w(uUT$ zHY%I}3TXs03y|m1u#)N6+tB2+<y`#*{KNzYR(A+#AJv{6Z=JV6Anc*1Zk=+_?VkHP3nG zqQX+j>zyxS_aZLI8RsvlD`y#&DQTX2DkIoKl=!Ra74}XH5`KDTEpq3AwwpE}hE8-3 zsA{uUAa^fLFifMgXQo|pb02b%SsA2l5y^)Ra%E zI=1s}+b{@34i(e@d6ijbZqrJ?qZ5h08y=&2Go>EsH%_p>8X*133I88^?;hSnxwebH zZ<=ZICYfm_?WCEsGh_luo6ro+v`L#l11TiXLJN(wP@shX1qzhXN@Z5u9EAePwrEC#0 zjnb3Pn3D|AwzeS0dgk=cq(G5VqG7}b%Da((CCU(5KBR}0vC1+n)%9*K(;!0Jie7MR z(uB7NxeBFHsxtT~j_g$LJnvcMx1`b;{1jB+E{37Awk80pm;W5{Iw~~AX%1n((xD11 zf~}6BZX~$suK>s(sPraj@|nA~Ik>bx@q`HG?0pLf(r?OG}2M zsEk;yX#(O`v)zC$j9aVJC;OIRIR_c98Oa@>yip0Ki{gD}NDtrmOfKkqQKx*bLVmJ} z?#U?~*DmDyiq)`5Rpz1K9!Z&l%Kv6Mr-L<3o{+%4;we@xBnXQd?`N}=MwRIkdiIO# zerSXbl%dGi4(0k_YLq{Mailvce5@vl*lK2?9>V)hL}jEk@qV7^s$Bp$4=e`-TUy3NHBrY`|s-ZPIZX8IH94f+yk^lUl^ zq^`_y4Vz_&lyI)*CMbyYgl#}o&=Wr*uA$*}mdy>Lc8VLy)Fh+4lfN>5Xn~zxUMDN- zGb5AZlsdjkl=M)b6xjypfUQG$Fdca!Lxt1dkjvtowwWDAkJZ#6({DQ4LRxt)(P1OC z_d>0SOV&d(A3ib8g#ryI+(7v1DbhISCoYU(~)vqjXeHO zf@{>5Dc9Hhb{jjUkOB!u<9E7}t|)Ln3T89YwK(Wz1X*5;Z^?{FX5^baJr~J~@^1*% zN$G6tbM}|2pHWun!&MKp{U|$;1qfc8zBWu;bZev%0KIjOaYJZ#%?`{>IJj|1k?V}7 zXe3w>b(4IXQTzM_FAKk;(Uyi(wqCx4me=tqZFN*3{haIZRJND$8G`!X)RH3bP`Td9 zw}?Gx+^#$P0X{^}X`TdY@zrFE-MFS7V(*A$qk)#5DZfuuh5(gNC`Yh%9Ps4R6S+I2 zk?KsfNjBr1GiS)VvDgKwVVo60wyndjj~5pi=YozQD%nWM5f#8Vks)cApU+r%KNy?lV z)O(N{_|#kq@A`G8#4<=pwWhuOkR3!DQ^0=gvjk z@`yEw>rrz*Vt;}x^M${lrSP*kZc8Q4?VKh#o7c514?Llooi7)1(gmzU~Be- zRAL&fEM=t|ux=hsl->ug>_@#)rt|Z70jG$w81j;ISqz%uIO8RF6Q~;BV&7!vdD;Vm zD0Y``R1&`t%4DA6w%C zj5r60i*t~#LKR-)DG6p{2Q40*6*}Y@0w}`LvM}R1!X6*v+R=-Ba7Qmx{xow+i$1Ve z3~iBso32eOI;_Ta$21Gn*@Rwai#NXSv%^MRVn;Vb=g9WQDWG>rl8yS%SzJQwO;4$V zt9+sNz$3Su(2`d1DGjx%rWK8TN+Umvl*cr_?wG1R#8l0l(pAqxppxDL^nBtoI`38B zv1i;@8#|Og667`NM%hV8C)wQcH$l$lNXK7sZy^f*z$%f;#;6yS@2vQN z?d9GJ+tlh-s0JDkn}e2H0{W2Z@XMi2MJ9{|=}8Ar5!6|J(3uYE9mna1iC7ar}5e(b`iTB#=$GmJQO;><%w^nG>te zt5J<7GS6!9h#!AHnM%6r!NKcw z@@H({xj0B^@QscxfRL7VkbW}<9G`D#)^mf3W)ts17Zw(rYD)o|g#D6WAYk&mR+4btW&A zdod?H1$c>At^`|?_`54w%Xf-=MG2OJ~E`H**w@mM`Jm)$?*13*y zHMbCTw~+7OcC-!ZX#4k_Gh-6;!iPsuVXtrN#L`DfU3CE;CQ^#lFwb! zJ^Xr%R~Dh^;Z%GaeHge)r}Rlw?(E`t$lzE^*q>&8X1m`2xuq{sg)5Dx`jgj7U)dBz z4nZfb(UQKQy%jabHxORgqY_(blCG@nW;0CcSEQ@I|n#zNeaR=Bt zZWnAtsRHX-! zuX)8EY5LXBGVXcbBk*x$xvH`Qv1{lu{)J(ykZX!BFcWtyyK=tq0naS<+nGo04W7RN zKJB{RiORZi7n{v~0P|}f>BbK&rieyt(U2kH z1s%4RFzMpVVq14|WhJvw18y6dQu$NH;g{L$z|NGmr-6XCN*n4bWVrR@ap^^%1&0ZB z?mi-2Stv+BmzqttE!4(Y>0XDF+@FI7Q0iAq%%v$5k!Nw>rL$W0RhZln-Whk?_ZK zIXeZGqHJX_nBK-D!KpoLon z-x7$$=$UqP+y!;d6ywHK>7sRzy*Jj#siEQ zG&=@N2VhyUjq@N!o7S0VS!(drBGY_W{Y%Cnw(;l~+!1I*!9oOD4N4&b;lmKrn_Nxx zEUYO+Y(M5h9rD(n5DzFf-0TYzk0*e}O@0-{`q|p>(RQcl>!!#SgqMbou!A@ko4xKW z<-HVsOXLR?|A#BeM$TnKGm&j%Z(iKKfj++c1!(wh`AlK*0>AVqdtTm#S}!0^FL@u@ zl!pK@n?XklFt91D7T(w~DsH9>nf*6o_tep6HI1)dpUbqAD62ZfPKNr2PJ(C$HbnO& zH1{GEw#Tg?1m<76eM93u>@fLRlU_rGsRqFm?VLuc=K5N0alU)-l^8&x@&u}*gv&VC7laC~EX59H zzP6fzlEN!%Sx3!YbY%9#qXRE$eMgb#)Z%&kqmsp|_3Z_#V)iI^KVXA9f_$(a zO@%m(vIcva=uF#D9bRjEBt?;t$3)9sUa=$3BHCWGD9w0^mI`PIPb$9PJA$O0H4_s^ zWBKz+H_demsO^!7wYkpCuH&^u^9|m~!RM*Q`|*hC0K1G`0Un!BDlUXn4sZhY^;cd> zz|*`N#d~>o4(uftkkH>!#a0!IySjlvP`GdBZqruyCYPBd)ijh%r;GPzxEv1QVNRe=53DcxrjC zwoZ{1nAtchbP0>mvA7~1_T#`J6b=Awr5R69n%LkC3Z%R|kI-S^E%{*_IF-Wud{_C( zt=n;AG-#c~SJQhc!x1fFFE-v`7=ZovTr&TCmRjPI6v?iCdY({ ziV7FEOV1Yehk%i*ODZ+?^h*KoclT10*$xnTJiUs$if2||79Iop-;7V@I||d80 z77q}P78}^U$irODV(FSyh~3=0GXU}b%@7Z3h4s7whzOY^8<3+_p`spfFY4o6u%%3t zYS1;yB1!yKFYX5Uq>h;794-Hr}3+o+1^zr zjJ+AIs~F3G5zAcCpgUbYjlZw!`_#kRe>{e7N^_X+HAQpP_zx)J!`r~gKi8kBuvJgw zXK)kRAHlPQWhE}86ljDBaRlw`dzz+9H{UNAgifbIs7=o4cG^g~1Qu#e>p4M6@~JiY z9A|Y8_l(j=ppJKR802198b#-n_ayHFcE$T1RY`qaVQ(CRFA&lpl|t$!?n;rpND?ZB zDrb?D0=Uj8B(VT&LYPb=Sd?v@uBC832=ZLfqFa`^#_&`WvwhaD%-ID-!jEQg8>wiP zMuB)jb$L-Yh^$fFLT?^gz~9FWlNNJbxwaA~lGboeVK#WYN+{{z+ii!a-s}@C4gq_C3$ z{!BL4r%h__i}6G+66bWGI~x~e(t57Swc6l%#w9%nv|<lVaUXe{Hp$lZ`-0C?RcIbe#g zSLn_FxK$(89mb6-xC19A5lr{va$QY~qH~FUBb_rB^fKqg(oo{%$JvF&8FZPYSkGpN zV+A6{4tTRR_G|y~+=SRs?1X6YHn8+!Ct-p*?lFLWS#o*_R|3J<34;|Fo-Pdllfq`m zf;c=O*hyu1i79XQ&$Be8B`rs+kBeVs)tyl3q z)f>y^BVa%;Nt-L-{;|9Zh3x0HP_G4-0->k;Dj2OAaXL^M zBja6~P%}H3{gB<{|NiNuft8}HQHA>oR-Xae9@pZL z!f6ovQ+8|lt;2fZ@=XT~3$9XgQOq|kY`?+g_|qZ0v?o!y2ba&-UK{!zR|%`-R}ei4 ze7Kbe#C>od35QCShryN^rL03F#l@wFHw<7?3fu@+R<5nOQ&V>|>~mB$9RacLo{#Z! zm2aqEds^H28WNr<{(F3<+I1E+^+S8FAkWrtPqBLn{xW(sjww90>pJ4bR^185l$`$w zf#Y#80b&WEU(h1UJ#6RzQ^Axz>oU;dO2SM`b^Kj}vsZt#ugLUHs$78qrRpdSh4RlYS?=jc&qnC+HXtO zM4D0CVDUqHyaenG03se?NVenU3jRUYR6WYu=qDa1x@m+ec~JyRc3K)C2?1sj7R;(*SL{**HGT;`bG%$(kpjjG9z*y zq}ze0Cd={Tt7otqSUcb_D|aHYO45P5?4?U)0g_F$j-jdY3UJ#??3fhDvyl81azphZ zj9TdBNXrowT^gB%NpSRh)WqRvJ0j(B0yaKljHDs2rDOyyn}N7xuh!vV0}-3%A9HR7 zpAx->*g)%a%x3WeqhBF5bJIYy@}i2Z7S5S~AXCv>HUsbqlF(}^LO2+Qwrm^VO zOCTnocyRHXe9En{sBA2H@f@O8)i$s_TB52ci!nctXk#;89D+*HFe&xzK+zehHOmqp z>Q3v0b9OyR+oZ+6J_U#(RXIOsIvnX1UKz;+d1FqxNo7nv(`v};RfNji1 z@_I}}|DKWz3>pW?Se}63Y<%M;4=!m$qfa7w>8(bzqY;%YMUY!Z9*8F6=taavTRLHT z@%n5ev~xPgda^!@Zndi-?W!F!;k*<3;WcyBY=e9+Rw5X{5^omrkS?UPWfkVUUthrX z3#8%JF;&?yl_#;~1X|By@@UkLzlPmQ&F+fUpj&IPXDvD0{yckUi-5hKt(mF%dMu*G zvTLJS9G!rHpEd`%PqY1ReT3kD(MRaTb?Da5XztI5ZI{E?do$XKSfynIzO@uLEye77 z$ZPrpinH%(Ig4)b_*Wj6{e*5kfWCeJQ4g@I&veJGb@k##Tisd4EsBGUzF{1*G{X{1 zRem>GK1he5(7WW~a@UB?uJtzKVIzHq?$t-lnWJf4i^3~B6|HXM zy%lZHZHl0ZD!FOL*1J)YUELZ%^w*nqA>mspux1VBe8BncFm?6atz!Nrlrp{+mGPh; z^45US#8jFg@$`Ex@O)T)QtbjW~h~}$VF9Fa*mcbO}9az|;Gq^)Dg_F4-HR7UUgnTtU;n$-BVbS5BZq?~AY5=^n}(T`IHG zOa4yhEZn9dP@<}IQ_*2Q)p05W^s7rhLhK~29>z!IQoOYXnqG~Jp9rU~_zoo*PX?KV zqFAW)+|5S!t%)Q<(p=$W?>nw+ZLkOC`*Pp$DNV3av^R}M{3^EFj`6ypdR+Dvdi5D} zYY7?$%E`l`JCT0?;DzDCtnE}bez6B?3c)_$e0kHoh6 zU)W}O+2%}QJbL|x43@Ff!b&Ybq(Yjl;gy)i&lDLm)0PD)|qUw=nRBzY;lb1 zA*R_O7Q2vd{rwp0hFmBcyF4;1{;_xcwC#&>pt0f?xzc9x+{6ti+JM+)O-0DBW4rNB z6}}Xmg_;z!(hle+`x3ufNm5x}*KCDUiy^m8ApQiHg&k4gF(_kC@%JFbRI4SO__Wp- zCOOPx9jgVHYN0O^uipWyWONA%-`!+GO~1nO=~0i{jaXN7A%dLFb&01rXOd-m3YbN8 z4v&UdY9OwCbeOLf#UvS_0$PzM@n|vooTJOo!sADe*{Tb`>FxLp@Vn>Kwu{}^mXqq} zWOTibb$K}GjPIiB(BXC0Vr&81#*Q(LoC=;zZ*)UAD8hG9%2W#n$DPxF<(<5*w2+GM zlZ%{}f^?d1AO1a{WF|5mH|-G{T%?5An+NG#g@k8jo5Z=fz&>-h5x~J&h?$rNG1pqe z$O`-(he9#ioIJ=#E+0egGrA$)#Cx~PIM+yNxc&i_mU28_LheuC!Bj_jim|0DtN1=e zMlQmpE4A3Djld~X*!X>aHXTTUq$snO<_?jq<)y9>jIp9Cmr2ix$I#Zg(HoXqdG5=! z+g-G-uP>bo^%P?jWFhf{da`EbM6ObXLcKlj`?_Mej|#G~l+S%)-5fbJL3~V0?qMF< zL~Fgj9s0)h@+iP7zX^c)gW(g^bJ-xh^nP1#7zeFF&x zeNI&@dw;I44u`LB8OkIaysF~9S9?5P^>(E;yE5{`k4#k~0TCUU80mx@qnoFf!R9** zmK=#~f!L9Jene=K{G7`8gxPEHeXRdql;_D$LIwcp_zu$XP0^)! z>~resSLwMGT>`a9k`Kbce5d7$Jb6``+6eQG!j(i^I1a*SyrVgP-4|d=?yQN!fYJc; z9sN4KSvbJ`^`^W{D+`G<{>R0SzR?$3ZNQ`QB%HIxs#P%1l(|!PT89qSye55Zy+0)3%#M+ z8(pm4ev=(12dU8)Sa~r8#Vvl-wQ202#!KuR$L}+g>quUuX>TUEzSSD;rS__dW9wYP zB?znUW*y==%{qv1rUl)|*q|p1Dr?Z8N2J&HCyT>UNe>y4%U{7tn`T8l;z!pXB{6VE z_AT`_;A`W>54FlvYTAZElJ&0n+CW*7G8>4`k^?a;I`rk=c>0$&I+}R)y7TFE>R=^~KAaG=qiA!&z5#Gw zWu4TVn_bK9TbQk8$3ytuS^ zqkrH~vIYvxnNz*w2a^~se6HK+3d}i{gk%(olqb?>f$6$Dk@={XWqzpq1@>l@c(@E5 zJ!!M#G0J}Aq}hVV=Xm1>xIf!R>_NyH{0?0WTybf@H;{Jn8;EAT3NXW>E*-DB`h~%7 z8}=FnJTB~!vR{ev3i91RHmZx`9mmFdfw2Gn#*O6Fjt2!nc@+B|qHI;V3uDFibfkaf zBBUgb_ch^;r+{32I^O;?pt8!{fD^gD1C|Br%{1T5q(cMRm8cW5KF>maknL#lpSxbs zrm1L64r*G6w)RGAoXE(K!a2T=RK`Tk_9ZJ{QHci_*yuL7z8vCsyLa>hD!h}c^gW_7 z{>=ze-KB~(Fq^gY%Sw;1pGIl5>-0GG0-GZ|WV}o>Iz5Pjtb{rA9w>`g`X=)q9kp@K zbDN`$h%OWs0Jh2;q`9I-9T#GZ5=ZlQwM@ZPhv5Tn?SS0o9WA?VM~h#x;35&*lvfG! zh0fg|U&HbSO3|thZSuTMPIPRlehJW-kjJ*27T>2qw&l16*8Sd0hqHQo@sFMvk^MIN zv-IoqN8pe%B>bJQ1JH0svzBsJ-^)G(7ke%`7m3?7#%20Ym~Ll(WLGlZXjpw~F=7X| z0U?AX(JZ{ot|x1xH^tSu#-0%OJmZ}hIg6!fXAy}lrcJ<2a(^I#KW^QbjaBU>O(My+w*nwqKZmFL(tz>~>^jE}G!!}(on(p_14 z*NAT6jqF3>8#)$ywy=w8%Fy!1_!*&b=w|(8rjOS2Te5BW0OPByEvyY$u-!7v;CjeF z<#Sn~tV+ne9E944kQI1G+s0s#%A*9iuB?rPI*&cuo!YikUIhHYTn3XKhcE zivF?0Y&_eS40n8_4SRsTe``RmMn3QTM+b#Y@ZAc7!q{>iLdTx-#nqOAex$i*7l!p} zcMVt{0!>3hLmv;g+ZjCdWB{4@q;GKSajF78*;gi+3Pqom`z6xp9KUNT@S zTMd+ebDCquHwfS^K?xfp2B54o$>|h3Ex_biUAQ z`)GC)1f~w=;!Lqq$5$KhCyhMe$}D5*J#+X6 z7u?5HL$EgRjJoY!HhSY@E^2Gg161DbjlM3jJs1#qdls0ZAX?UTn4Lv`0fRArAtZ$k zXgkDxQ`8SFT!KIx8J+%JwR3ss3#B|wIulFcI~C1UL7HIj11yM+v3%p*%@?I_1Q(ie z?m1|<*apEh<)~UYVkqhA0!VoPTYEDJ1is&&Om1>JSHHpKF*#<}>ePLs6)RM6>GzG` zY<@G)Np_5gQOY*7?)&mq-z*)n1?w9&zF1rj1Xoo&7JV!9vBz*DCDxqaV+XO_I5dS{ zNk(~2vVw0Er2J8$|2l5)juVe*pf)Ga2`lrhj(6#{ozzCs&3{f@RtZ&G-qW-^Y$fvS zhbjd8F!!vqPfDX5;Rw1j+}8*7adYEQih=0px8)dHKx2InDo?O|XLLL-*%s5d9pA$j z;{L8n#IaI}XJqB77re$r{lCKUbZb|txr)i_QP`?su%|B-Ad&-Cw+?h1Eeb8+?2Q}HEJmQm5ym`NjQ zHqo>p$2CRk>!UFxm`NE-UHHiNS{h$kWJ>48yHX8yLD->;0JvDl za3+$ceShR|!vI=)&n)jiqwNUP&IG$}mf7dgC=ri*0Xc_y&dcjSU(xY6&t}%Np~icU z7RUsbPIl@-`vsvLRv%w`QfYS82JtnHxS8XS`_8X)=`7$;9FX5fqlckr9GGbt4@Q5@ zs{p1&PQ}rd3_j+na5^rTyrcO`kRHKW`C(983zbN|HWY!u+84PVu`16d_y(stZZNe6 zPjB({w9ZR}eB1=rDJx+9U)et!k5tGajL zQeBlkh+7l9lmK9Pqw7b39nr`T+%gJCQOkCuvmXp=MoR-|G-Qwu7bHceasrA-HrLEU zt^H6u-}B$>k&cA&6pHHC#6;71ch|JS~jv zv9(jDO>pPd-Zc$Y7!zmt3ylNxllDK}Hvi>0d`_434<--%Rx)yIJ@(fjkT|Ac%DB4m zfA;?_Y(=L|BJK!+dE!m<>u1^xM%R~n_g-dkqTE2O`BE*nj_=g1BZm% zeRAEN98W$rYofK2eP)#E_2d|Vz`_jM6Y^3r@UNM3+ zzCI|`<5qlLA2$1zqSPF>H_z{d=Q;7`xk^DUo`%irR)fc#Ti`7@fYeGpb-*_qrNTA6 z`JSMRQWdwSAg3T`ihsi6$;k;eAVaR(>&*jhy7}?96(!$~pY%1v4^Z+8a$rWG;`IT~E?5q^QN0S~ zmIYMtv-rH!t>7m}pO=$U5Z#6}IRzfv?2|FvhcD0P84g!->vP=&p5QG6zdZ%vfUoKH zo%_7`Z0~X#9O&`nQrCi0k=m=2xuKPyd3s|v+dF)!e@7S;8Nfq%g%qB{>Tww5Ea)X~ir-T~LG+MHlbfedKS@VCdUyqdwqIArd)4Fj zhrEy*r-v(e%a$c*pj*nqP$m!g)fcfw@#I9mi{F@isP9dr@#N)}87Sz61y#Omq|PfS zn}pTgobVSA$7+ycDgf_Ttjajqz#r&q)?l-ey(CKc;>X*8E_^ z28~(;PLe8N-r-TbtOku)ZKVu}35#C7G6()N5UbXzGwTzUM;^X1wIIXHn3E~^h;d23 zF2*H&Z0!Ra87YQT1D9$_O*5OVe1c_p7iRVJ^doOyp9Y`#^!uB$iaIg|S<4Mk!yVSasTI~r>k#Wu zYn5i0Jj z?=Qqnzk<5RU)itze-Ss${&vyGs;OdIG5r063O;F0 zFrXy(1EDU(D^U+*#ZP0TQ8_-o5^vCdu^`pQ?&|YrlYWw5I-lV9_^8_>fs;NJv<`7@<@I zFCw$bjLk_DLN@p}V}>CqVca-`%xJLMnsoa#sT!)H!e)cBp$i}V!YE5;_PL>Sk>d7t^Suz+NI*Q{^zOi4`! zz${T2)K-)O*T{ndd#NmS;6pe;0op8>TQw}lQ-6o<2bS+#D;_&eibbL>MJkZi;AP&W0# zf6+bs5OfdmDf2%>;HY}Mg*u$^r|MhXG|W1)aOk!SA{EV+;~L0uPZ$`CFbH^49!i&! z{il-PpTc(3DH5e;svD-*S5RH`aUnZOBy;pY@j8?8q{dlYt$n4MLR) z1;7;uPPU-XX25xb9zgstNr&XXi#V=nV1L2>B=r#1(d)4;bQfm;Max=s@i=T_-9V{-0Z#-q zV~VwUGjIfpTsZVvs7xp#e-Bks>$zNF4g&)(l?xvqM}4S)CZL^ulXEgoC#y-Z8G0I6 zn`$W^yAY?!CJZE8_A|IY2%tQJHKcFZcGYYv_BvA_q3r-gQ_qnMsT(z~>>yJ7h<_$l zCDch0DTRD_NR6s^+v)cJA_JBAhDeg-q%ZLm3czWs_m@KsEhL+jZ(;h*01r z`*8Vv99f8{k&b0(qNu>Z7$|vuW$0-b7HZQ?2_QEQ>1;xvQ<4 z`6;jpROYEcy}m$MqLL?}acdH4maFPl2s*K-U2b>|^ZAgUnBNPyG~ z)9dc6n|6JGu$9t5_sW2$>E$(u>P9BfLdSDg_T$TZio4dwq2-MN$M24x2f`%6UhY+T zq>xVE7Yk8MvR)sy={XpJje99uHK7i8ubY-@jc0Wz+xcNpDQX-AI= z4GB$!rRW}rSktZXL3C&B)!L2RLdrqz;8Lkdd=;Ou9MV(sO!v~o%Wzd&J;mb<;+KTf z*8W1aQ)3MBez;cs3`eG3VDaRc+f9{>(5dtcZCtR{AX|Zv%-Egg%UO`)7Lu7tCa?~( z$3;* z^bEBbWrOZ;Geb@BKD*~}`_OO-o<;6B*NqyCdRxX2{cV*rT|%8u*T+|@HZ9V{rem$c zLTdYgaBvRsld#4L3|&WbwRfK^FCIpDmqciHc=(k^X~WF30IOdiJ%Qy5=Nn_1B}bX( z3`#v@rg2$CQ0zAnQC~2n1h1!Pn^6m83TE7aNiA?lvv)%Nw%Dp6vRs_tdlGq}#BiK| z@hT|9z!`jZilO#9?`m3&rQf(_Omja=cf*P`NG(&AM-29a%ZH5hq?o4CmwzG{aX+$T z|I>lz6EUO`26!ZZY7#^}Xm-Kld?8=&t3bS268RiQZ>=yHca}d!eE*;Yac3x=uML)> z=y*^;i54rzLxA$(i8X%xPSO_R3{HL;#}$La6i%oreI*2I`}{W+0p1F z48K6?2oFPbicy2_iM);$T&DU1bt@N+tpz2nQKYy-*-25Gj$ft90<|FIg8M=(HfREq zmq7-3DoOSQuv-4Kk^D$mR zzJ{OhtO5z-YI`^8L98uaOOhd{rt~X3NU+k^J!jBN>K&X+TY!@z@;%}oz!^dT){zJ3 z(GXUyN}_5*gUH`-f9FNMGg~L8pu@vZE!9jW3UXu$B8#YrKqMt4RXyu%E&a)~g9bR9 z>%4L};$P+p{9{1k#Za~yt=`Ywiyxt6;X}4mPDT7Qdtc=XMBP~f_QXu_xl~+)hXZ{{ z*+j%{Q_F8hzDT(I>$M@VeZoO+kjla}Ooh3wO31Vv^78624Rq0!&2;ye zhjhnW1O%Atd53MXhA)S_Q?d(EuV^oXvA7%9d_j;PrxHIw`awvKn+`dWmIpw5ufz&T z_r*V8DKHd)YEySfU0P1*Bap&d?EMncu^Q73y-?0i;`i|RLaJ@4MkwS~2wB{nAOnZ*2A_}IM0|d&(zb|C5pKx6p$3&J2bMXzmdYwSkAy?PcTss) z_C#|#m50l4F4p*eq|%-Ga9Lrdf4lHBbd!R^b4wAL;rcnPZl3KuQ{50Q*%+dQWXNAO zP1XphUsZ}hhJ=7drx(iv{YH{)JCJOARb$`Yam08^BX!3P{EqmG-q?ddvayyy*}yRH ztA-Zc-CDy4!i?0sl6u6{5^7jU6LJ>CSC3CIOZu=kL7xjq_X_VOM)@TXBA@jgsEU~* zT5?5Kk=a>IzkK*c~ykV}vu?!KA64)^+ z!8$~7;hPeL#|CB~sy^rgak6F&WytSIl*jY;WqBG#&5< z9yk2>m2)C9l-+Z@2qx|md^$IX8s~ntcq>1bE5@%W9eVu0f|<(KW;VxL1SzwV5is}2 zTh+v~t^!Y>XG3n&IMTnP4|Z^!A_Ea5wBwxc1f1oogJ>y&$W%)!G7T`)?h5oo{s@TI zyh0C#tTN9f&|$!z>dmlXi)&Jh6H-|^_LJjGO88zr+1NRab=99|lZ)@?k{67JDb|^f zypT!{oxOuH$|{O1f#Ni+ILmDR#3V4(0c@pOK(U(|fMn*74ccdl9~wZ0A0-A^fGf0r zPt~%tdk>pTUp0nPVaKbz4m(0o-FO&BHNdsEhwjOGLXXNEWwceJh0oz2{)r6mT}9GV)ZqHiOg-tDbNEijN zR;YhUNbdN%Ba^^o>C-?|HIPfD2XO{V2McyVOg11q+Ll46-8_RPGrMi@ZZ*6C4}0&5 z!UfvU3sk0*6W7~^;7(AIfq$Z(HGbo;Y}HWyB@?O98riCH1bE|pnHGw7 zzd|$8M#wlibTEbZ_T|v|(8hD&(cN2&Uz}a(PUkw2;c%r9V3w@r8B-1omz?bOlrEs` z_8e-m)6+bT+~-pe)l4Z=Id)U|bwj8KlEn$>u^B~?gcvaU#yhva{RdD?nMIA~jO4Le zI|o`LsnCUBE?XW*7aHuzcnbBD@nPO))AG~Z=P4)EOtaJis)=SvuKqJ{Qn-24THgzZ zN+AVYX6XKf4pjQPp+5wVWQH0*56cfu8T~HEKRNsJDUP#56jM0awuQi~a`iWY z4Mp_6#}S_zuYu*Cf(>Oq&j|-$Q#mLha)wUl4#JVbL6T8FZo&P+9dvPcKJ&VkHcan{ z0wN0QP@U_Sbl}7(qbS%LkCM^h-O5EqvJr2vKMDZH&5wwhg%48GmZXaFOT945WuC(Oh0pilE<$tirQZAA?X31l0 z#*$5zH?xd$K_{+stZS%-j2Bp{C%6ekf{_lNosX4x?u(r&X4@DfYW?z&Tbvo`g#d=hWis?c_(-V}M_(Yo`P^AmawzNi6iDUZXQe zciR;i&kuA~$z^sJc@HDkRb;x>GwXbxnkU;zs6AvVvq0(8u^22Ubf3Y@65F^gFQ!bZM7)(T_6 zN&&uLFQ&|aamaGq01~!8h(D(CRg!8!XV^j=god?ww-Iz=>P^b?D!&`Qvmm4R*^`~1 zCP8@w5qH~oDIMQcHVU!#)n+Jt*p_1m^wqX<;{)eapw99IkS-SWrvd@QJ;;7v)*nG4 z&qvBA!JbZ?4rHJjD+U7Dx+!R#UlO= zb}y(h90kDJ6hj#)ASDOpx2FL5L8_f*HOsmOu6USKU z8P2eTaLM6;JQH}%u$N&Y~9wW?>8H8HHgR%Am&rNgTBXgL*@8GHC?WSy5=F zhFTs^v;08|qLhgS%KbtM&K}O!lRnZ%wM&5}PD}T;f6Is(lIhrhW1G|y$0N>lbeCMbYSgH(mD*GY-SRly&(n_|LYT=a_VhS|Wtd8%fslK~u z$lfi1cXGW?<3-qnpDvk-P;K2tg=g^hRKG$l^i0PjbhFy*8kxm3>$fk&J;*WUZn5J* zaAg)apXQv5j$U^h6km#qiH=Xc8=@LTCfkrupC^u~Oz9$gL z@qLB3)bLw!55!*#pT#$bo9DS5K_1ad>NOp^gd>y?&fWgAeKnwg5%2MZ6^QEYd_>yc zSc&yQI_bv^!D8TLBs?mKu6w!_&848)jE^X9BN+B2SN3o%@*WrE0d-1YU#KVjhA;;| z%N@m?XRdBLKqdzcXwhq>zZ(lo!f0c4R|#D5)jXHRjOogmaF=2pr-AcwM1vpjjZx7? zD2w%H@+B5qy70i13{=rZ=W`Fioyr>#oz1sW@4LU)`5NC3#g00*p9ro`BEU)Soaft{ zM<#kt0c(QvI>h!RyZv>OQD=864a8ViIMioIIhHUvd4WF(V4CjzcQIF(%_~|gU3i%U;5kjndtk#%&amV25Lzo8qZuZ*op|L z1Gb*fFF!89cS}9(Ydk&0{+*$Ow3Mue)fe_F4isy$a2iF?8IE@?Y=Q3^jpaFwJI%RyBG4AH1P_H8(jkEHPQx#NZreut z7Q7p$WAAkfmC<~dF!XCuC00ljRPqKxwb$%jc#Qp*VN(&cjQ>N1adWTY&EQIR8YHQv z7b4r*R`A()z6_yvKlKC_@#sJlxqqhmOJ{I1?po`m{DncaJbvTs;&tt_rQYji88_&a zd^M3b`iMthOMelJkqBCDEWbf2SO!0DqO&2qm<{^ES`8=wIy7iBGcFqtJ_+Fhua((L zz-6K%o{vqvQ|MyX+r989Vvnpq_`&+QE^u2FvKMP%r6WJ1#E8Y{eyr|cU!UZ<-;Do* zy*H0*;%fWG&j~q@Lox#sn7{-kFo8sZ5=|r#q9BO`O%xOq6cjaRP*g-z+^SYoRNQf` zTNRg9t+vH#U0PeI`_`(ht=ej9A8l)^-nFf@i?#0+w7vU0@BMy0zxVIot3YOw$t-8i zoaMT{%Nd3DcQH`U=E__!D%c$A{@qasZov9Sq0WO=1xPsYe!dmEn?4*VY^O7=BH|}w zjr9?Ppz4p1^;pf1$}2*=Xe~nGsXQBelXTENh{2V>&@ug7{U`r9c{sLbFuxi!$+Lw8 z0F=eC6`$f-KnM>;j@76(7R<62Kx7m1*6zsD5&rP)a0d3&`wcZh78V~=*VvB_9la2V zFN47OU{WY1NUQF#YdD7PadbjbqP{ZJeoZChN=ooeHM0Y_McqxraZyGd;Z&*4#owe3?eL3jlx6i&nC zaL2g8nhgryX1*7MXWqc!Pz4JBPuki~%?n^G;#z>5S2iR=>_a$bJ&d%;3gJya#!M2e zIE>7N=-NFTCh7ocoX!ZhS&m#^J}r2y(Qs!90;PSAUUEz^h+Vddmduu;(YQ|Wq~G7A=vOshEL5~ z3F#y)pmF~0nkEG^J>?L|DB>AvYn&uGNq(`(U5R7KP7^58crqaQVa<6LW%R%U$tK(r zGun*`VTZ8|3z|LAv7{XsA&_3suuLT{3ii!yFgd^tAiW(wAfXS8wJo&}Qwz91vW2It zXK;xZK{U|S1)&4lv;xx4cI3fYV?V*XOy=4mYt)p^!()vfWbqFD3Z=IQW!!@C3q1YH z1N7J;polC8fvb{kQE)Ox*Z1>L{050S+9PoT)ul{qPO1IqX0YLadSo;)VQ-r(T->&> z78@Ej@>#+t+Lr5OU5oTNVIvZeepA~#7h(^o$W&hBmu0N~wHW6~MJe-bEt zIzIlxe3}s|_Lnm1q75)`g|lh2E=DBA^B`vcXn`xtS_Mqh#g3M^f&BrTjAy6BY8R9e zH;yumDk#Fzui9lQy3GHx^>u}$Cpp4#xj8O>zr-~DpdQ!J>E+aGdU5KT*G)e_Dq$4l zK>Q2Dh?N%`dy;t-&3q*<={}Sk@yLJPG*{66^?V$J=L3Gp!P@q8JB)KS(sKN{D6CxV zfN{hNRC{kO#IZ$W0ofb#1|q2qkN6n%e<@S$Y2p=PE-95BXt2WkEr6>XuLeXBtRUVe zm$X2D+s}XywDV^%BA|LARodLZ2ak z*lD(g4lR?3%>dT})3cxS}}C1&Cy52e^P4Vef!w zak7DD_Tg==-Z0Ry+U2GrYJ=93TJa+@Rb8I|65-T|<|I$CR>Y=!Oc~qr+Mjq`Z4%8O zYq81P4>8I1Oia!gGK&kh`J@cG869`j$W0GcD)0?mwa%A6ZJC;lu2@dAg}0%VoR%!c z5G5Xr*U_$g1V4_d^Md7I$2uO*1QjcBJdIhTzzkO-DJ#C>G*Tg8!oc!4*&NN@uFn|b z7>5iK*}kFhu=QTmSaF$M+qYlXp6DZZEf;1tv3!|Q*)==$`wR} z_?_OZWt^a6R-#p(Rhkt8{DWyC@73Omtu?{;aA{DTLxb7?36XTwj_eAh>Vmk^Dw5(D zkFZJJ4JRMUVk#OEDn5qDr>x$}x|JKgTGS(Bn(jlrVIt{9r>?Y`JosNlJ&<}s8*fky zv&B9VXa>@kWGgOrzh%0IzosMDB8V+{+Pe;!Nw)iq{7L%BT_Njn&oKni_UKciI_~`8 zoPrSDz?fR4))xm+`ii0I@7n3cnZzdYP3BsJ+ZQYWYk}ii0!ewRNsZ^^XpyTTn7)rb zG=EO?XOx=nq#f=273`8w&2Ty*2I+XEn6@Fxm5%gXLWu$2cetRb6q0nMVR#uG%IKTx z*q<~2)ywVIyqjB(+c?|P*3gca!a=dwH(V^`t&oqd%t@j9Qt&Sy|p^8~VO-Swe#V#?3WkMj5OA1%6qy>(YzUj|X2sR4SyVDdk7 zEA}mBW;HGWeux+gH@qFp<3Y4~P>vx!-FCPKei2VK{6Np)Om|mE5lGjhk02|Oif$*# z%^LG1iM_%2JOoOa@%PgN<~k$TPzs<=2Xifu%9}y(-$x!jcgjgR__-F5=Fd{73r+5@Vsq5bN>Q zTggyVn%;)AwFRflOp!607?yO0DVYEJKp=F5c#A2ps}b8*gm7VrUKh%&fOcp&{FcM- z(3V&w8&#CAcLT{VK%uJINyL2I*mmKlY1)-V{5j1NcEe{87|Dv zrc@DCb-|9E5O$2g(@B%|`TXQ`$_&-KGae)=m<94tqey5D1pgtYc~hGg!#;?9*jw%9 z)N%z56{6Ky0^3bNqKtD?Bs#@=@MEnkf7^WBK8SAH8%auIUS}kj0N7a*f=7bbJ8z-G zPnW8I2_fk|r^aDCpQZ^@(EIGNNM3+!xyXX)LA@l$DdsaF`~cdP_QTfPOE~qxT1Y_T zEYgTYG{^b_0!fJR{BOydSW=wPm%oM&rT1rVho8R(s9-u%Y$rW}!OQgdn^5yTcPOp` zLlUl5>}viLtv!sUFG4t8n@eq*_~(pocEF?2o4E#GsK>z`A11wt)%tP@>Ax;1TGM^^ z74<_69c{7~#iD#7>TK)$UOb-Uv)w|~FXZEZ2DTr87J-|I%>e@!ArJH(Kr~`Hx5Ydf z<-q8=iq@BAGGnAx{+0TEr8${cwDZ0A=L^A?iYXa5R>mh4juFO6C%JshI=XFuSnF!W z)4L+lhu?3iBZvI*5ToH3~96Z632i^)(ceZ>4DjcHyNef!2e4hEBm@^A< zgG3ZNG@5c^Lu~Izo9*w*q}@3dIGLY?ZsuihA+|rrY+;n4 z&Zoy#-XM7Fq1X;)I^7|4mHU{c>T~$&1V-1xYId-EcNK%O5d#B zm2s!9ZDEYTy9$d9 zmSAQKKi7O$=532?FVgzrcU;|N-VBt{k?Qy?E}Y-1TO^WUa`TQ{eKJ<$o~!r4h~1Om z>;NyvTjMC_USpAhO@}Ja_Mv=jL+HwTSXXms-vRLTVTE|!o)ZK2osVhUrcY4tnv4{Z zR~pV(ibGPS;g6)=cqmr5`+*8L*WcX$#LraEtN5nn0%7nlc4~jttn`9HOB=nQ0GyHr zvVP9rxGCvU#@gKTf`OSNMdD0yLeOPI8@hwrNaF*ppd2V?ea-j5u?oTFe0!W!+zNV( zSiVti-kJzJ(>J4H^v<*pqUM^pO4}ChQ>bw7n*b zONlNr78(+CV0FJ1G*18sQ2^82ZV+TJ^hDEKZ(;5AFjA7?A>q2K9Ddc`he^TVbT7kc zpQrYvgY=Lu?yFf84m@NvNK5w;Tl>~(%ERq_kuXh65o)3K7|Iw<^fPMg6PDJtwQZy+ z(k5)+Pn$N=m0BqVhI7G=f>~vB3woG*Hr$>aYTrxrr&Y(}>!#En-`2YE)_LE)J;a(h zT;|R*^@oX_(1sKm<_eE^4-sioaJ`0bis1yFFE-Kbaa;Oi8mvRWHB0NXDneX6+LDrL2$#i_JRRg+ij!T#u>pt!K)0>9KJO`*btfD7Kmglj7 z;k&B80SrXW5hRLa1Ia1Qw_V^bV9+PxwVT%?>|kE810Y39UW3^rSx$a|S@%R|8(nA- z7nvR^w3}=NF(Auo-2M1r>qRW&GP`OA+aI+jKhUmt77Y`JN#&r){(c*>?9N8hEL!9l z2hU%9ZFBu|?j4N4o>5Rc>1v}zu=Aa`fr(Q`D#Xq>);bK^-AXbry@O*a;!DYV<79o~;hhRQ%X8-_#3G=ZiIe)UEr+gU-| zWWF7RK1|*ws$&%T9IBbjagg?o(f$^1o~BU0!>X@Zb$#@=N16Lltv|-{%ER9HYf@l8 z*_)iu{0`#^?+*%mkL=bA(Tig_ExM|m$goG$D;>Z!udv`4-vu^N)%YzFzKuehOcSLL z6HI+X?(!s@y@rKMW=-e7beo+l*F*j`DI1UA6M!BHGzjqk3{8c@FftR~gFpO9o)^yL z)T5f$t1plQ`z9Hl?p#=xJ>>(&cSVO?IXOl=AA9-r{vEYbePu3?RBO%D@D5NFvn`U| ztX@YLV|1i85`xuWsldnKQS~!2D^bp7)NJs-tPKhSa07=sVg>UqqXXM3RWHca>&s$O zez8x&=I?_wl^SV&MIlJVE95Z9asmjEY?c<(DaGaNTil(H+J3HH$Wsbg!1`(UN7~j> zMK@r-f1de#D>92D@pl86WbMIhx@yA(I6yY&I^r7Mh1Wxri8Mg0?s{_l8r|;JA#AvrcOA(t-L0mc;TbOwX7PA)W2#!{{PtZ6?61YHUr?HY3P? z4mHU&zf-0|N)u$xOAQ&M&TK*0DK`(@T?Q^8t{bu)P7-U>D5_hDVofh~qJj$cS``GP zqFps|F%4!pH=RA1$Bi9nv@lmF;2MM@qz$ctY3_L3MN$+%e{%+<^sIdmr`2o7Al#+$ zy3Z>OH*90)QM_KLu6c;6G#5Ju5>@;%PU3g@+u>Fq=foxPV{o2M#^N;c0;e&2s zZ)@m6OrX-OmJ}2+Q@l+Y!(Su2h(oZ_Tck;DUSoVMfjY&*J4|LZTI3KDwSrPqlU=U6 zZFIGu^qA}6UnVwsfxZX|Bho3T5F%z~tNXY1whpBylCKRX?F=$*Hn~D8xd<}DFb?LK zx;Q&sNz#dtOH;E-kS`!j04sPDL5j`qA|ZS92n3$t=2x^5n>ciH3e< zk$9gBeh+<`jSz1M^Fx2vo2<8u#$ELa1^&sB3<5~3RnVWyB;%yzIMh1`IY67qM@BOq>k@>! zdu|6bof+KLIKh+=Dx{LndB1+SV5uN+q{_(>R?IN`*G&}`2_qD{79rbl$jMm&HC^fp zvi8R$*II&X6CkIYW!OoRomkzJj=s)a!roUohd6#=eNmoPj5O^hMqTq74);wq4bYt8 zgiiQ)krvh51X*jU0`Wsg@U8+Z#2SI;*9#Hu19UYYBKE2`GQPo#R@fWB67D6!qIkyM zG(CMBBRF~@7)oCDICV^_Wkv47J1Suh=nnj3jvhv%bw5~%T{Dei{sid({Y#YVD(v98 zWkOH%^609W>(%lM$3^g9-xI^*_KxDCSW|1G-x4a=}WeGVY zSxRyciLZFm4(=iB==+FII!pSd;_$)KVQX8<95z3zON2h34%+i#}MC$R$ky{lQk2?ggMc_{hKl zvcs^&{sR`=5O`kWk)W65Z$mQ_n_;@xn9~-KNu(`gRYS=;Oc;r?uSRlntK<#b%{OaT z=<7JjB#%{LJ=;f-d@ZVCSZ?yoyoQNnJGPjY5zQVJYi=9Zi7>Y_qc8$l*5_P23P@tr zs_R}-f2z>uQNsf94Z{$!P~>qf9LgyQWSZu8jq6V}8j|z7T>G6OcevvVxjs(e6(G9{ zfn@6}z|}S`EDY1dQ;_F1Fbgy%)zFtXKu82eOMgH%OCwCq>yO-XJZVtW8A}TE$WY_F z0zuUGs0U9lOtZa{;;!6{qbUme`0kh~7>!6SK8E#qM$8ox zDaR_u9a7f1OhH0VY~&U~oVgwYO@!2fs+l#THQ_0J1?~Ho z4OO{x2$UJc2KG4>zXOuHIRM1yTz%4!0md$Z)eDc~8l3DqE*>M@g?8$lY~?0RQYgO` z&$rcKrXqnIDuHL28&&M0rNn0D67T}U_fCi)iZ-lsmjG~^dYp+Qp;9;biI8Xg6Jj=i z66(NTFpt0kn*nCWy_;SR0#&RfRC}iqlzD}LVCB6Zz?E|h)u+=8p_(Ms@w`PBO>Rr2 zL5p)~)aY+fMjv5{x{E`%G?EPCnA4bJJ%4hn`V7M}noB$Ys2{iG!Zdp$^?&lTNY7~4 z2sZ>Ex^ZE-Yj6(;zB9dUKENx?My$yWlakVZ*I$XNUC;E^4b9Q$Bgwlw_0{%jt4T! zzxM&8lK=K`fR*ykkN8uhjsn=-+ECd;j<9Gg6VOs_gIGJX?OYmuG8Fck*l{aF65vS`M7;Ki43t z^4Dk2b{?Rh{Jr-Pn3Z@oj)Is_)Ke0s5bg(7=XeS!R*fiyxAe-q7RAA&r(<{v1(Z*4usHf@ z3oI~c&*+^NrcmV@ZW=qi5cwh97pj?CDHI7+Gk^~L5eJn##Vour)3QjzsM90uoZls}xenhqsUzi4kz7iIm6X=3YTm(|m(zT^Ef% zWx{bse+}Lv)cEFJoU^9TlObK4)&aXrJ2^{$c9_o-Pjy6i%h1Z-&T}a69{GfynAZ!N zBAlln95a?)m3Tf%GU5}Ka+)CJig!&D0k`xSz6-1s4)S310Gtx=0}J<)WL(Dav`iWg z=i7-6K?#c#Ej+%-_f&x<^iHvuDimR8m8lMU?&a!1sta}z0uT`cJ{uFj+;2(OyMHhsfjS1m`m=r9cM!tr_&3y z`;acBhUD4Iz-8Lei1iJhkX=Fst+07X*6ky7fOBWlVdo9Le`B=4up^2)fD?f^oQX&6 z8;4_ZIwO)`DI?RFpTKwlX9)dp(v*Ji9(M>c1E-?=Y+Nr6!D0HY3UW(uN}1#_?q~ZK zprR8E*~CCH{Jov6iBb2mqPjInDDQ+UZ_!qGx@iyz7n=WO(fRl9IE#$AQKqkiGO0V+ zkoXr}&K%1m*T3SIQ$Nt=9HDY^BA~5or+|myWslXL4vLBAJ^V5%!1R+D!!-)Y zu5l>;F(BM~SZfeytmbAU@RMCVQNGO!BE1oEbL(aKh;Lhc*Hj8m^_>rN8YSCa!7q_+ z7L-R)}T*;)pg{Bao?_6%@%jipyzdT*xoMQ4hVmMt_a+uvemSJr23! zlLm>SDer27Xf6JR`nGpRLAFbWgSOK@ZwEu%{SSWnyaxo;yRvvdw<)y-tHFDh) zC7^1vJJZ}nIN6A@iQsU{>Tp2a{ zUeqx?cAr>~#0ymHBVpoUPvjs12+I5-(f$3T8?&k} z%~1#8DE)bGdpSKzbaF?C$UCp@z|jvIGH*lZ{kStwePYhP0-29*X}F2K10=~FSn zt#Q6({zhilk9o`Y5;)*W=Q!ST2m*?x#@b4AS->R@M85m7(hV_D%iY$he`HTHP*uwyi;$~ z^`&AKbImj~e?0jqCko@JeLKYLecuX^w&B(bgzZh;MWX4VR)`?2=+9DpEy8E@j})dS zx;834su&djPEn>KN@~YTX$1+dd+y>l0hIywF+i~o!jaB-T;z`J&gMmTv4K|9o?!U8 z1->w76AdI1ci%UJsPSFUFuk)HKrT^ibr^)<=F)2E2R;`M*_MlxMpdM5rS5iUMr9pm zBJ9gd^&L^4n?M@zNomo|Q}9gDNbiAg0>YGH8`FN@K8WD#phEQ+T$26*UJjI6ZQ)9s z;O-9IZ&ze=fcIgL_(=F}#1mx5^Zpiu=b19auK6E<<qWDU64@mi}0;bg}35ZsB74|qw7!Qu9n5&Bk&FGW9q2i1DX@r%=0!t=; zY$v3V!pemp!~TKAa+;w#&(X;_$7R%5v?l}~cYjL_+%e!y9z)fwG7v!eE3c7B`#vYE zFh{pb+uVlFp@Vp*Pz-9@s06-y7s;$$kRug zpp%Y^-GOS`liLpboNa}JNVL9A;VI#b!bBqQlL^aBt}X{v_e>Bdevx;WHgcV46hFye zbVuQT>4xy+6&mY_lw1u-nsgDT2|#!$$19 zcYfQJ>P;}_Ifpxvv)FNQJ6ozYBnX9khFKm1mVXa|X(PZUsCwm6@XaQ}NG(3YzfIfY zcPoxr=3|3!xSFG8>+eCQf0ld=gPr5lI~2`Bl0B;1-vKmiVz6O;?Q1;WeEX(~=kzmF zxYzZKq@%^_;q_KFhGJ^p-6r&v>~+CR9)`YV}l zz=#AVS)zC3wTw7E4Xkm!Xc>DaluK%Sui-u4AnVsi*D4e!E`1Es8^&Kv7t(w^^Si=$ zK(yS!Qo&e+1xqn_Y}$7P>07hbM;gr(1veR=0bqb*ET;C$Y3Ar4?loZ;pMeKnjz%dX z+Oq;c3-bHo93oXT;wRjvzJdNi8gq01$~pC?GIi);4%IEPx=-*wX!M$jKGh4rJ|&6t zajyqJPapg|*V|;_I+G;932Jds{CU#(p+I9H*FJ;UO-l++A^(khEpg_IM~yqmzo-7+ zxB=-4@zmz`n!dDak@H_zXIVu~H@3}KHQEx6TN`=`eIG8C{$Lqx@>Y0+@B|!XNf4t> zU#xwl)&{Xwv3ds+NwV3n1PiG0dB4HV@xYI8r&)hSrQ2%{G<;@I^Zj5%@BmP=*1{km z0e7^qI5CB_Y}0?BV5cfj73(tS)GV*{PDZ3C|3%(JCYbhdk$SC`OK2#`uk3{=>B>6m3H(b}RekHq^6J3!ky z#(B;1n2W?$aCCkL$nRaefi-$7^a*Ak#=u1S<3-Zfa14J2ssx_PH($OtqkePkelhv< zS!}#`*1au2gUi4jd?GMDzA~ii7E{98;@ledYqz(!fN$H&GM*%md|hh^pS6w%^bB-G zek2(!≫eVYfG98{d9wfo= z(nQ0s&SRzFwsSPBEC)dsmQ#hU&Vz=nxEIrN(G=g$j(Nx*4~hNs{44f!q$vosE|9HU zM>;r%>dMuoan5{wT)4-9BU0u_uQztaX)x5fn)!LCXCbuONw||+sNP?9m0#MtxvE83XW2e5^JKbOvnh`Ar*eJI3R0%YAn9 zqcww?L%7eNH>t!4bzm;)J*c$laD2YoxJMy)EC!qeW@5}1(*@sbpajha0q>>-g)iZa zrZQoC$w(RP51?A!#ed5+ik|9ixqJD$T!!47qSko^}-;ktFhq zb4_`KoP5k3)~rz429hwo6Z98{5aCvS0^P(6@+A;`gySQfUc%z*o?vbY>r|2UrcuOb z>wv+mkQhlZ+gjDo1Xi;@0)`?6*tU4Aw50x!B@D8zX@t{vRT1{rWu_svv4G)uL03e< z3Y3O{J~GMVM=-{Re^6cZi;Rx^M!x`=2{`;oL@l=QG)xMrYshb3IFdhBJ*74VC07@vB#iWMYxeY5TYPZ-rAzyMw z>b|B2W=EzRY#NPFj9ywxOG4oM|^Rz6tFX4VJsYvJmxgw5%KfJuG>rjsvv z7LZi^H3l$3v-B4!OpUV;U+VxYH()-}=|E?HT~e5JjSQ|L4s%CoFJX4wAAs`d-Xzdr zB$f^*93RKHVf5%!HQr+4^go1oGi09S*y6~L-OdHc*8EGF!zy@%1ohR^nPxDwD`8XbgFCK=vzC)Pj zw&P5{_d$Z&kTG7pO4*dey_$a2{)J46#>cTuT2mo_vT4Oj>}Cd#u)Ekf3ifk_Zg(g@ z+;knrNRExj@m?^uk-lB{D;S>T@q_Rf5G>#pLDud0C?#SeJX#~!>>0?g1NW8B3DePej9iwd4+Qf za(qQ<@ZGdDR9|qEU_PBhuk4K-FsYnDV|A5k9Gf#4(M0Y&Ya+6|Llc?~;Dnku8pB;@ zhlZ97K_#bA-Bd$9&NMubg4Xn}Zih9#b^6m$x(Ef+I(;JL^i82KOn<@AOdAr?cMGkB z4fM|FD+;bJO}0dcMTOtju(}vVG}s!so_xyaGiG5s-&VJ$oj8CPJzBn1{#P6~q844; zFBZV)Y042Q|cRm`|TJCnL`b46=rVhFDZS$T@JIPGrW{edzP;kd}nn22w_mVl{=5?3rCYf zIL333#E#CBac;qPdpACk_P2!ivw#`muSD=)M*Ks~5MtCqAg=aw%YUS9U{-66ZV4Ry zl@ft)(Ovq}cL5zkbRi6fK9A(_N02;n@DZ#?+;l{yO8w$UP6hl@t(5XvG}7Z*@a%Sm=0eooyB(i{=%%V&WM{G zo~3eTb2+iK*=lc_=In^PPS_n;(8KBGiw4vZMcmNF;~MXni*-?hW^i+&hb+yXBMjTr zFh^Uqt2rlT^xHTjy84tQM69_|9ip53O;bqRv|k>C#MdgU3aKu7tRiw=;^tHOg{fbj zN?4k$Kb^Ru&$8Ku)q|JS8`q7wM8jU3D)T1wou@yZv>?e9%4V%7J7a3tw9ISRx$8Y| z>sL{)Gp&OFYuIM>V7=1N^V|=iDf_OBJ(hA{o~*n1(Cd4Y32*;2c79v&v8+eC_f%ba zSWd*w>Y+HD^u|2>*>*$R?cb08L6tfL*Vr4`QW zeJbtNiXn>=Ru3M_I$nX34`pxph3t3%1b7gbih4;A-8C*9e-1YdU_H~jiDJa|Y%J#9{Q)um`3oe!ISZ)V4 zL!PhVJgJ!bv}I-K6?dbx`8Up_e>l(@$C6xu7W4(K3-hL3#%US4KoUr1Q{-a*mzCOxccdoQ! zIk)KhD8HM*usG41a=cIP=s&)n9dO20j z|C7>5x3_&Va4Pp<-=yh(kbZ+_7PpV~9Ywug@GXfw5mZ)RvGqzCHPmLOEZ{FIhb&6} zIeKWS+bGygJx<8{D~l%p9G__@Hm-GAJgvG5k$DO0s&mdHFG#vn+!;^KSzvngNWs}* zoAB{IuGoy5J%(?--L9nd)|KVjsFxexY>wWshjr!rY5K` z-&~L#m)7~`)SJ`4i2rm{+TFpY+?~?e=cR0_A9E~4yqM$W-KjHYJNH>^DE-ar<%{|q zxczbMX!F#;pNt;){l_tujC(gftvW)6tsHZd>l-`pggAG=*fS4qyQ9up_IDlke#Xgb zstbmdeaHK1ZL7wAnBR9p2YvBGaROPmV#9<_t3yupo%qGY4HHwQeN84s&px@fdqsT* z-Q>F~hTWL_&9;|sOu4&n|BO^;;Sckl``3oCim9^F$cFw^cy58^i2cK+weoErQxEVM!Exwi{U))eTztH-5?dkY#%C((u(nV8`ioiNIWNpkP@k|iMts}rhxrPnw;(bta&fQ5x~QU@-b16OH)PG3 zHN4xUIk6LdSw8pBRE1LWTATK0-bP=fo_{$$;aJkCV}0k(o4cr688xh(^kvMIeuk5- zq?fjTIls-D-)y#(?{-JWv>g$$Wu)a${1(f}bK4_AKfBPcV3GaCydjGn_pd}P$r$m; z`*U1;O+)L~4s>v}mCnr#P3v|lq~2Wg>n{mQJ;ZctX|^VPQA5{{hlGW8Gw#^h{|MQi zxIA~l7q^!8DnFXNqVwb{LA>$xx10Wv@KaRR_{WV8MEYf#3t^f~%Ve7G%Z%qx6fFRWQ5lo->7l^5LhT2J#uu_#L)m@RIoSqP}h?hHuIKED+fb`rT_=hm$_l40drcTz1;L}zDj z-RaHtVnt+jwl{mH7l$J+36^JXg(xpZTY>B^M>{#ADtoJUD@jJ#TnVU8Zq3F)^6bty z1oAM+KqHo8qT0H3Yc|z_w2)ba@DUV*iNdmVE19c;1AB$pcrwn#QE5BjWd8lT)i~$9 ze-?GHZ}hl{{;^LBdJoY&4l;iE4wUnJ_!B7S|9PqZu{a0wt{%Lqr8wKkW$3AhEQkVP zCbZLELdt>C4g7-=oe|7G`KO9@wBoN1qyN%VMH&!S{omh(@6QMt^{i(M>YAmm%+h-< z1t+dc^r#anv-WtF;ozjoWr>x`6LaB>SzH*(BE0HIJI^Jo?v)E490~SZO7z4m?H03i z)C;f>PgOIz!5)_F#lFD%qZWXCaw;tJ2$%JSzwni;nYdFl9BRg1Tu&0wIvm_-@GRK& zbtio3)4-PoIr%73gBGcaG&gAZ@16p`!M()1kYNZuph%72f_cNozETZ^!R9CIUFmoHWGH6e&ihHM0w)T z&hV{sVUIuPEKES)z=|Tcr0=_^f}V#eGqiQ(P`w9LbdSmM!o7nUv~_R8?!9=~-iCVk zn^=iVfuF7N#CP}N-SE-uhD*Uq12;>Lhw5=>sCIaUd}%#y_d)|~aVfZ4%nRMnnr<@^ zVZZQ$Pq)Qz3}o`mNQ6)4ESrr>R9oem={k1qu(N~mB%!Qn!*JiiA>4Yf4KFDNv# zLyRZRK}ETAwxyy3?i@n@ybu4U+w&i5%7qJ*e|xj+Z*k=9-^gF!f)NTh^gK;ewxD-f z1d{*u=ZWuG0LCVXoXFvdmYb_V&dAp=F^N0n!;EE8i1rmByog*eW@uAyoj}#IHp*^Yh@iiD)$U zV~e>GYR?;5+?6b=K}KdFLZj1R@Ae%iyd}HN??4@BgXxYuHJ&Pv1st2K%t9Ist2xWy z1c5W0!WsVIwIuusqMA?Lmfrl^Z3$U~Qz&)xtLT~8(%83<&bX2UR-BWub{x8=hI)zR^>HHx7kMb<5 z@DJam4uAPBp;XBs&uTCH+k6S7@p;7${)hk4*aF#8=OvY?^fo%pM?XUoI7=<>(%-=1 z@VY3;M^+e~@TIm`w?R4~rko$brwA*6hho`1E>f<^ES({pGg?#MW_SgC4w7!y3b=oRMHM0>ZeiB?{*hAvZG#{5C9=bQBz`<`YvlSShFR0iEfT`%q_K zbu=}k8>Dr@CsI}IO(3m1R?CW$Q3v-ixz$11n)G4`eI8?GJ8%mZrA~Wf=Ys49AT1*| z_s6-D<7f6l)tc}$D3pbj8U-K@)LiI}iOkx7(^Yg+d+A(21R{-vyVBr!_19 z#>4L~Iz{V!rC_~w4*7aHTl3#3071bX4lS6AQ0cZ5zP0w7P}tqDfqP+HNHsNq#dv$D zZw5slBnS z4rFwkuM2I!QO0)x%oMG`LB0>+)w77!HKqz;(euRD)t7>k9G}UzHPn4ddm?*^!)RA* z({i9JeY!&TRj8!_>V+Nb*cPi9AOjMg*@X!Q7IJ*5+M{f`h_`13oX|$RjPgU-xe9Tr zkRv?D9Rvw-*D-|JS8u?l>`Mc})l6q|I!5s?H6iY8JYIeadp0CH!|i{_oiFMVRSoS- z(az;f7WvpJb0*;GopQ18V!DM9-ZHqjGOiof%J>}Xj^V0u-{6eU(0q7%J7?rxgFvF& zDm@W5^L@Csprhxi#y2bYHzDqA-H$9)*7YbooU5`P2PaEui}f27D28#4fuj*{>d}`e z-{^S7`J<*Y(ye=s?IxA`s9J+;=)7S3y*B|lJjfZt83Xzuah!N?08n6^tvLNNjq6VK ze<5dk$fs%`o9|eNoKBoXqs&(jap->yb?1wwn?u!?SW~S2YZcQCj+f_@0o3N=*Nn?D zh;a#zL8P5^gfT`-8Dq>q<^-(1s}e_xtsI{qsmfU?rreyP*~RCN1DE$Pa(U@+?db5P zqmI@=@K6^2WKIOEkY>%}<7|yVyDFUCSG6~lhUb1!$+!S&G+K;h4${ufkHuK~Cb{Hc zM0-7!=7G&@bcl0*0I{MjV_fr))D6rVdm-m*qE=nQ(M`^+McLT73fvFX*gcoi;yU{l z}rc%Mc=_Gv=#uONpa27+Y=Ur4oD-EGq5w$oCRw$ef3K z+r(I~W(WDy?VKoVwbmkEQ%(YMrt@2UhqwfAOC1~u1>rxA4cKAsjX_V_-;`%W<__5Z z77%;)JF1aoAgL}}jVyynM)?cKQs!!f@IV{2mIOh=ow}WVI|JCd!H#vlHb`Hr`e0&Z`+;^5ZZl zsA<8R((XXcAM+y%#%PhXI8MEQb;dD=Gs>x2+yge7t~0^u55)B8bCJAsf%Y-Qv(j6c z*T}6ug{F)Ull8U;wTAI84?uMatGr8tcxz*K;72q`;t)1PnYmA>-pr0 z_`(i$+V(lui9hAthOAXVLcEYlAETs7Rvgl}QQwu~EmLM-t_w=LTxbUodN-R9i6-oR zq|4{*Yn0{>qO6CpvpiFbt~lXL610#SWTz^VS1X;P`8azo;^cIzlu#g`10!gcD(NVv z9$LJ2!<}mV^9+cwIVlg$q>MWRRCgPVXOy(s{0N)P@j`UnAZ`Unut2ZzoUSsF_7$S- zSLCR}Zmapf;>`7I=3tb(QiW2jo6wrm_Q@cvP7bigRovUT6ywZoFgnn6Q3x*>PYPgy zjoQxvC+x40>o?@wtq!7GqjLcCcsTPpRInY{X6Y10_>uz^>_a0Q=*9O?^%S-}3%Wnm z;nh>Pb9ABax#W*|`wf|Iy7`z)oyX8L-}BC+d|aiaA=0rW91tX}wK@gHTrSt-aE72( z$-CLw26%*cmGzYJ{9(2!bf32VD>@jTYV2s8YHTL z&Qyr6uA%#ob>DrVHaSWOGHp4*SWMwcID>AdAe87==!7L)*;pHb=iMt#%yA*Etx%qv z5I1%y5 zgLb*_=ks|cnKhL!=r2P(lkd0Y%LfLO{XiQu?_anaJWpLE!;pC1zKEdqv=9B%oPn&- zh*`L1yE-kjfj18pSUu&V?I&7`v+W7MmIB>u>tdWfOP8XcJ5(J^r8jpUe~@3cRxaeL z=ZA9b>^q6|GB#d_FeWF^N$@l^+_CnK1#9Pvn5)V4Sau6Nw{7H%4|)VlR1pm-TIh@lUW2g1c`WglvX`D{?+Y_EE^v_ofo9PPv`j zLt(Cz-Q1$vud#n3ySZMkP+DC|X}QH{sh~%lZ?V%9Vx^~$+fy8E^~ylC(`b~!4e8vd z{4sEFe8+HDoXiD`YF`A`c1xn#tcIb;?t(JJS=|-v!U)c89`V!|8&5T#)=ru~~ zYV6YpT1{3fI!e7n176}^B6XbxMjP)T^%Qu`zs2;y&Axm-K4nz?FjrX|46=nbQW*D; zx1jcyzp-~h<~1^TutxJnsMZpzb*Y%;P&>Hj{9jvbwO9( zuucIN#Rt*$=a6LNwA=%_l9j^2s`zKn33h4 zM3%{0bvHs8z5a&P=#8~+2u2p;7gl3dtnf}57O^Fld z5Bva?v_<@Yk}lWKoPu^p(_F~L;kab#+{m;k(0BX(PYD#cWO0ao80(yT@ zRM6ry#6M?C9+(m|A`eXf*KmjRa$u2*F|S8CWhk93iwxpCH4}2!P;-BoO(s~ZAhOkK z`YB`%m)XaY+oAiY`3C}{p=w28>*D*m_DcE@`?kP^QiZs$bUSCabslSyf#<;#II}qZ z^>l}~4$&R>EiP@s5;PX%F1zqbTl18ovNPWxe&|>yezFJU>_Ob5Rb`kn?;#<{ca>jV zM+Ki@e#wh#@R=;k4^6*p-$4EtOSg&1-nbyX*Y)xIyTT@`Ab)2lV&++oDy(y`SjV)P za!Dqv@lFcj^NI?{{B+E@?$42N*?R!TVY@#WO>yBTlLJ3fCS!~2+x0<#bGddyW=+8< z#ZbabQA}VR?jAhf`lE3&i zW{RzU;(c^j$;3m*y3I++fC>CB&P&7zQ zRLo0Wur#&Q%(T3|BeSy9vfgUeTg}SKEKSYsH@m*ONWa&jc=_b#^8M@g&zpz1?97>& zGw1rcKA&VyB(0wRQI1P9p!I^(8aU3x$YBjNxP(~yI{N5oXxGER}6=vhM(<51Bll1)oYK@1}oB0eB`q zfc4Qm5`b|--lQ@x2@oM7KdCan@&@2I+f)WaykbSlPL%<`T&-noVa1k}3W}H6EIgek zPQeBLC^kd>wtFrh=DA0?yLzgX2Bhrq!Im;3k>8ztFQ6>QW7Li=wi6ea9qr|+vhr_U z`n?P>eZ)^yB`?dXxE)_xWAN{}1vpfQj9ayAM(&UB8U_2sW>k6*Z#c^q=Fi8>taqz0 zsN?HmwtONib1H(`Ig#A<+Xun{9ce=8)boz9I^o9z=8?7;oXyqlfW4jZc+DR@3!8fr z*u1K^$6dWC#sdRQ2Yf4_v%2d02~pAH^aE$43|ZD3_<-T$BC~u>EjA%QlMWq0j$is2 z*8!loyjRU+iKDP`JDT|u;;NNJ$@HB9^QQ8FM*i8toj7rj+$@~3aI1xBF2+*78dbuM z{(a~Y%yFiiv)f7r=L7tiJ9Jz{ZXW}t!YafTt_W4UQvV1ncTb-|A<)(fm(N8YSgg4p zF?CE&Z>l_4J-ZM)wpv3kBHKoh8|e>WE|PwROYqvz+}gebi;$RYk3N6NA%)oK0&F8GAxSb1!Y2%vdHTC z#3Rg#<7Use=(Rf^=Ikh=vFps+kn0k>6`~2Ppm!=sTEj2VOoH4+>-!>Fn&nze`Lk2` z1e>FXk2kEfGvmZs>^l?9jxBpsu5tN3MDhpG{6w158ye%Yw^8ScpDHcJxi1W2d#;8g zeI1)n3ONn?4SD0~_U_DI#Tj64{6VQeRJ>Q^x2lw$DE~ghZ3~T20R|H{F4#lEC(T@l z*gLp6<+Mr?xDeZW<{;eu1FHQ2g&xGSUyUpQW6j&WG(ounK1T^<{5ZpX+Wad`ugU>5 z(JWhCYAtKM{?AnWy|15?l=K#_g6bp$!|De0FzXHr}*7-x-M+cAUS>=40?g7C_z6 zrW_!8Gx84v>j3SHD(r#8$pFb^hK&EoUOS1`vyh5+PlwOia!hg^QXY2;%VS-?CFPxCdqdgkFWCfngw{HoGt2Ve>JMx$^#po^ z>eu0DF#@}qSt&-=VEB3WBh=$kkKe}lo8slIxcG~_#nK$D8MVUN+9-?9x%K)ct9{n3Of=3At&@1ZOqQ}1{w+AvQCNH8v*6^EgK z54-4P+4NU~#FymoB0kYQgM9B&EzUxo2wI-B6dySLbWU&J@n`q*sP07J$5YMBO})%&gnIN08UWi1WJ1`-lyX zu?q{rR55HrO3x&@fR>`YJ(QkC`ml)%1&^Zar^xrEuYzwPcSHVI)S*%>zZa2P!Nkq< z3ARF-e)fk0U>{2qH1`PQlo^Q>g8c``{-!QGf_XDm!h`6eXZg_N^8*&WyTspCzVsUo%FKI~Zp zyZ6kcNIG~?6p|SwpgFJt?1?ATC+9Hyf?t^W-xjv4qyN-0PGJwp^w{?n*sGbf2cM@k zBp)!G&VyAZcHV8soyCPWyoDB;U+ZSh(8<4dkxwUjkK0{Tn(zG>huWuntfA$YbK5CJ z=oiQQ#SO;~z)6>LB1kfyLMWdk7`ExG0_E|~)6uVW4~+xan~64l+eee(V+Oi5>6&gs zC1YQhh?u5;T{BIqj1>xs$v@~NI^kC;e;Nh@+@dJ?_o&7+l%YJWW@r2ByKu5=jnh7X zsZ~D3=CwNVAKWniOd>Q4*?(h(DJG44kcVh`TU~Edf@)ugb4=BP_bgKln-lOGEWXseh?X7ErBCJXg?92lLu+Zx zeZ_->Bid6TuxHddYDw>csx2zcz53U&539J4?Zd9HV=!BQ^CO={g%6^9JDM@AegoqE z2=+xKm)4y|jZ?*gsI(t)RdkbnW#$S?;Pyhum)js+9Z!|2?1Fos7V z`Pmp)gT5k0H5-`>>R(d0wdZ6nO{Ij{r|ruP^e zKgDrQ!`up6Nqk@>n9f{c92umWV!(I`TOu82SkJM80^5B(kZoJM;zEHXl`aH^(!e?h zCppg@=1#LS=(Rf7{FG@($YY5jS`4>5N`6j1PO~|cpjEfg*g@RxzYQ67m;g0e8EKLx zk$$ckFJq4wJX$W_lUw)`GURDte*{A{z>JhtO-0t4@OyX=Hx6I$om0!@g!vJcm$-L{ zNd_U&StUN!g~}qj@#%oVn1zl)jT+)s*zpc$QN{ChwT^=f=-PF+H+;|Kq1uvD#A;&h zW>7=RXdI2|f#^)=MJne>u`&S+c)lNqfZg_2JWQ#eF1)by5drI+<>5x_UN&>}bEMUa z$zPD{D$Cdtrc!syu$X|ym8)UqgLK}9b-6BToo$tUGXPYSo5SgXwS zs0}}$n0-IsH(Z-5jB`u?WVj!9Yd!%!0{jd!yX>^s2L*;;n=gffw9itoZ}q93=<&A> z#{qk_`D}%2d}VVP(~s{4PRX|YgpscmcfcQHGC!bh2l-sv5%6bZVIqrtVfPzk%Gw;V z-|nNVMXA7%55XKw6g0?NuH?m01ttGg6W#anPcpR6r29-Jv@`Sawc zyaCQM$5wg+MWjQNI2g+27e6DE^l>!C7+6d3i^L=Te}c+I*2#~f;zn48>Y0!o85oLr zhh8#DiJ3^>dmA}Qeg`q5j6J)ebYtf9fZ*E}u^9H52Uu!D!@E$LkBk6qlLNwbVU1R} zK$B+qyundsH{9+3ulfc$>~?ML;r@dRmcMDV%Y23~TT6Pv`8+T0LGl5Eprswn`pU7i zx5$n=>G)1}{PBByi3P|x5uoZ79bY;}TlAYTG#I@aXpGU55 z6YHm=b-9R5Vc*UUb8oQSr%LG1I>eR*XCdIbs_%hXsw-j?RxN*QlJ{eS(^o)96IS2r zKW<=bW&M=L02PUSVrmvFw)|Kg!4A%GKVilKCEd=KDaRZ2VW&R zQRFzr31tSda?fHg{_vF%9DjGQTC}Uig7*J4lUeRlEr%Bw$ci(zDT7pUGM2vEk;L=^ zPxvg?L#d6IoOU@%wfKH8e2KrO6wP5ra$g_pdG2tDt7rv;i<|*Sa^?sf&>2q0vAMwVzPV?iD)%{TN8fBkz%ClDYt=o2o_Wnw$(H^PNkCF!p%V4puEI1 z?}HsC6r~B@3pAFlH3k5~4lf=9uA56tcnx+fUM-VE^LI=l+Y0vc@)q@mj|nfmHO@Ag z_S$Wi^KDTX`bDg1D#|Z3&!mR)r8HcyA zPI()W)?r)rLqTvhuZJBCpx~^lo0IW6t}i#;IY0C#a?Y^6<(UC`1z1=Mbk*Mhz-><& ze5Lu_n6ic+U174}C!B@G;j2Oh9#Y!gqS-eEL-_sjCDOt&2wU3wm7dnZumg z+KAY>{=T|}^APh=-~xKW+>&ICqJxZUv_WALq}B-7ajPhBF@34Y@Uye#%PR-vK_B6LKIUL=NhW5d>?aznZ>`ng4aRyYuk4N zf-_V6Eu+d~g0G<26^OCEbsXj2t#aK@%8e>z8l9U-_<3#VJ(?o#iY35f${d$JRI!rn zqr02>A~v5(sT!)uUxD04E6V+uxU_-c)6$+R|cEVi6@9n6$Qamq-=?jpTNeE z`FINFwa#~@c}@pk(1;(P&5vqGg()jd$IfK2e-x0mGDCxsy5yv=#6*rFo@27s^;72# zL`-1bS$zHj*q+)SM@t?@%=qQ~LDgFLC;I4^&~AX;Vqj>3h83nhi%sD5#Wgi<%iV5v1s3JHz!u+>WbcH19GCaCZFm?hqUYrT+ULQf9GoivrF2} z3|bz7+qX|gxzo|qGL%08PfbHgeYCrP{aqf9Hkh@3&3Ve(%0XzJS#d%O2Q#dkCBh^ZL>JM1=y zS>P<~`_U`=5p(v?bjTgHPpwe$JIlFvB)R*vOYWqP%9VDOdFV~R9 z&Ct1TDpgUg1lqZX*|+c>f}GQygM&GkY58SW6#HWk;K)ZU{5;a^Z({eG(2`BCp||Vs zSfHag>>sIO8{5Aj*384yJgzqX-Z< z^=LT<$>;gXY6K<;yp9-?{jwkI4BG|SXv|GF!W!t=?M@S(e1I5PDq*FMkv}GuV#R)& zBd3S;GE%$NB@uVoHe`Yt)3iR5=xMFsf0Yg}iLy3X+QabpN98-C^c-Qc?Xw8lEYBI~ z6{0);GazY5hZzo^G`<6T?d)Lb2;1HN11}u|lB&=#4F4;qk>?oOjr~}@A9>zlQ}}bB z>sTkWCI>}W{gfAziYgp`B!%~(r^J0~*v+1>SN^VQURV7&*Tc5UBKKG0jf69Ng6+ny zCYL}$cK6(ao?;^->>$Zr#WBtM*f6)s^GR;BO8hVaoZK@vP6hP2;`imb2`b)coZ5|i zvhI84PyCsD1m#(!3u!Wd9df$yG~V5_ea!YH4ZMg=fhxAZaeFS?e_R zS%K}0psd5pFN{F!UAa9$?5VQZx)c3Zs1?ZQ(-O)2m$3C%^~Gs~i+(cM9s~?{+m;yR zTeT+K#rV0+oGmJs-1rMuODa&&ThD?h@=|KYhk(tE3aHNC0F0|ppp_wD^+9?iP^<6` zeIMljlJ89v7Ko1e9uB9K9LJgYHFS?;Fc@fXxZ3tpp9wF41U(c&B@(gO>XM!d0sKpb z9E%-uyMuwkKQbxw1&UBm=0c3ysc2VzPPQ?B16t=p`QuUOB!pi&Bngb=Tt8=B`Om0* zB?_)Yn}?z?J%%E$_?-%(SzL>UD-%>LyKKv3VTee!x3q!aI!PrkI-ovWM!AN!N+&R8 zht_T3Q?gf;7NF{7&07~way$}44P#5`MOyJTjo*dj49$$Wji${Uqk<#%Jz z$-wHyysjWzHV0PR*SMv!R?XfPcn!T^J{K$Omz4=x$LB*J65-rP&kw={iEKDmDU8oA zz8i$qp4#vTW-OBx%Eq>WV!s2)U9qNOrn$d|W=MLPmafps$D{Bo;O+vz1F{t#ViW1b zI^z_|@Pfxy6)l&0${vJZQ`?(89MiKdZ6wFJ?oZ|VezcPQgy!zIO(H?UG(VyxLvlaF z_jb)E6+en#Q-2FcG%2!IM>ARovJ{<|j@NR$*JZ8uIEA-$tL+T) z61UKnQNhKz{uLj7tmPk`=-inYOeFIV2w!s{l7;Ne&6@oHYMs-39Hp8ch^>1UTx{VP zyC0J;#Dwo*&0rX9?qmIf<;Nh6v9_mJu>w^YE`ZyVe0z0j_7EkD5aK}e1!xWG+t?6xjPP_www&{%dL>6h5GT0$ZQgQ7mZQfBPU+PKb z3rv|~X_nmuKCUO2q4^*rEo0K%KVV!r3fTtcdVAT&F}Iz_h3|cl>)tFupEhO_;@#FI z_IH>GN4+G5K+V#pQJsO_NTOo*d2^N47Za^a4&-0Jg4Zig>LQ(|hU|EO`P6&1r6-dM zspY=+ao9@@D(eXzeda@Z8dH&<5gDgohM*^sOcwYNu(P_-2ivu^1pTWj-*7PB(9a+| zV>tQ1i61vTYnvKpjP1|bt;=^;g53IE8r(BHv(SM6yve$iO(7mOmS_Q*86XS5KiSn0 z7bhGu;-}fiEty0p)^u zxWSMdLv@#m*zVbC(86KAp!RrYP(6y5I$}&MygVP}zXwz0w^ysX1}*`GzywFnc<7&( zV|t}L0$Zg^87srudvXSLLqq8l@mfm327k}lO zuVoIA4={Gydb_xG8GpbJ-i}&}bsc(T!WLlY8tycNH!)qsqb9ksNcav!)RIljA>gO9 zV{0F(ctSl{Q!#PFVdVg>n2dSmIO#jE#PzCP+>ZhyBL-X)7{K$mOum2uEx^qJFhF^A zyj9r+@YO3SAkORHxZ+sxA4ndq!pjt}H;hyX-)o(kK$Rf*-IYL1XuL#`qBvAlYC?uP zNUA_-Q?2c%TteBWlt;1kgY53gYhA1#z^?Ny@_m3I)YJDNKGBUl@7s%&R%HF{WTUS; zR<^De0YK0RWKeb&8&p0*c^X*jKSX&1e4IvkT8Ih)zc~3p$ALN6XIC75GSy32k3!=W zv$OA$*w&GbjVZzwK=$WM_AY!bvzp1>Q;zRPTNl^0{;VXaAug5sXY&>o4BYC#15BY( zjROxtf3*^U2a3-aeor8e2Nt)5K}`=VU^wsu1?JLQwA4VLTKdUxKu_#tz*~vDeF+Es zFD>Kp<}pKHMKkv`>}jyirQgvqIc^7u$qP*ZlsgnzccLu!PO$pZm%9OZBkkuQ@a}*M z;Qd*yn>e_e^-0#|$TYyLv9?)@+3v>SG1W-YIIJXj$*hZu#GulKm#rZM2?I%Iy?H=1 zPREn#l3>I3K$v<6Alv73cU3ah-Y8_=O5ziao>s5L_;Pe^9;RQjc<$t~*c531PNBUq zhPw>p4(n~W7AJ_`#N=l z-%q|R&cf#IESDl)1Xq#tqo8K@95VEx@N_F*HrtnpN|LMxs#|e7U+-DNc$s>63o5Rr z+oG!<0t5;9vZX|%21S=Rvmp?3yxDk!Y;I>q10^J?&; zxEl6vr;8tYs(0R3fEk#)+>grN)H8dtVQVLMiic3e+h6=x*AINB;=ff5{n*ikzhLqe z;!}+4??!B;V+%X81u@I4GFrdy486S{yQDg=dcFW;Z}$~**zNfSbnb?&#y|U+MJ?G! z{xiY5uQ|@XkIJBX#V8?N-EzvRxTEV96Z6Rzjmhz%wV-YVX=lF>Eb(FwRJWS!k^4|e zT{W9@sgC@_{H7J9P_eEpiOLyTntyrv?z7|_o2dNPQH!o_D(T8Sj)<;#w~;F#gzXed zq(BTM!9aMkEiDH*a76Y2487iK$&N^0QD4)gu? zN_1+*zRMrcgGlj9z0?(6J~shx=nbEuGv-pS@GSq`TIUFe76#Irr7E#fUAGfESKQX7 z|Cz7*2g7ka#DS=8YrX>+KhTm7*R`>Z*`_YpUx^cu+@#KSv)@}2HYvy;wEF8(L5Qb zp4iJoD8C(T2Gwv>_*c!sBrux@?XiIW_b>B8%`a=3(&_O#N`I4-O7O>`L3nmzoCRCa?>S zhJ2wNm>oY;g=@jbSJhsN-L*~Qfvh>>D@JrMLCbT5>bx2`b*8Ud?!apc5 zy}Ylw2`bQMa|>yCla&)1Sof6O?ux{qH!~dLGd!>4}b!oFiZ7tlbPG8f}IiF+ycG0NOW%C2TcsO~X zhBa>Pi2*-vJaf>ybLS2n*`MnTV~=8TR@H0Zup*u90qhObmLqmr z`zyHi72MPeO9z& z$ceZycqihf!w8tvJ`eHp*y)93m~Cp0$B)J1rX^69Y#qC)-H9J_;$TEvZ!e`POQ`~p z`|V7$r%OwLc>CDsDQbvP`eOZ z3!zBpLRDwzf@h@MTSGp`6#{@%&zU>AkhyFYH7sE=)S-EhETbSt%(~ z>T4#AuTHmgeBNFyT}vUAosd*|<*dZ&H0c(~z;}mK(R4045fV*1a!#4tU={+p3bwCC za#B^0D;ifn46$Jrf&;mE@~ep4vt}3~-QuUHawmWo6~Z8Yu%nCH$D<`MB}cRS+8@CA z4`2v-W7!u9uyY&SBuCt#0(_^V@HCl=E_@Vo!@yh5l|#Ff$+ICgv=B;{7ybw)we~j= z_2!ky{S-WNPWwefT@1qMiSl+e>w+tsuUEpXF3m&pPOD*BvBTs~@L|-k-Qp$jr?Q68D%2|V68+D;w>Gyhv~rFZOVXeIg$?oQm!O3W^eaG zzCG~+l7aj}3+U89vw_KZV3cuB=i*Q%k&DvhTyzCr8Aw1w2UJK7f#V>(BZqQ^JN-(A zYIq9%s(3TG#+pg+$rGn_(mRknJZ08gY`cOz3|M(!>}Qj$18{QkRdNczw$6tn&r+O% z7qQ?n<-cz1f+VY%N#oW5dxtFl&;?agcYy@LGVw=HTbN%ZhXR-r6?yx(Y{*^#MFwbY z@6c3i&2Ek)wQ` zvPSE1R)9|)5|{&Tk`T)ZklEZ0U=M-}RtKK)x<|9mr7I3j~!|nwo zTQ@!T(d*1i#?=^Z`Hpw(IZJNkT-E!09Kkk+%1~VvUV_@)3op6FJ%p8JOl?kP=5Hf9 z5?j4?3D{_NJkI!-ne6jS52+TUNN}NMUCiBZn8|W4V!om;k`SKjz>#ljVDs_cF_ zjkuOtRniAZ#sw7l2qc8(5k~^AV}JO9!Js7_feg@l9#LCUdH(1z(%b5#hPqFXiLIGb zV$h?(361yWzK&WI+#Sq!iw(IB)Y_Zj^c|cY)ibp)AaY-hYR$`s@d)f6xe+H+>shv^ z&xcoxkC-TP@QR5b)XVv}dAxlTq-x0nF|>9I{3V7We=TIK-rF^!!ezg~Tq_WY??F;% zx(cPA8{6DN`Zq+;vVBTMpmZP7gUh4%2yr_e%5FZ{$`~%craS_fS-&mTbmU%cCVh9} zb2~MXk4tio%HM{k(+(KVcIZma%--FhIpW)g{Otln&h?J+~N zg8%?%C@|r#w!MoXn*&v_9Q6yyh2Ljn>T}Ss2Nfno2lA+{KvW%mgEF=LMfMLTwVor- zktWE*Gl7>byyN6LQAXiaps=RH;*nOci!4WytyiqqYCpkdOPi^*fC(}}-$m8aAcoL_ z0gEC*`6;r_$jcB)D>;KCpITkM4b@SbTG`RQ`O((;z%gk*Gbg`MMf8)#gCc;kAVL$B z7UhL!cjPXHW~$wp=HptTyJL%X#%3}lP{j_~{dn%1UlO0HXZe-zk=?T|0=FqRJLh*4}~;4z@*S+Q41L4gb4uq^M2 z5B9Qtg5CH6KFS=CKHsx`K`Eq`fD?Oy6Ju#v@d)tuZPG7z9gqcjA)yC}aei;)3e)l& z#8jdTuCjSOT3b}^iq}#&g=o)2=b2X0qpaYC0L3NY(TG= zi>afB+*Rbzz#|oVlwn%HRQQGv#>P2nU~TpNL_oS%p&mB_@N(N`@?KbKA)4vgychU~ zggb!kKCI$-sXNJU$QRx)KzdR~jugs-zaWaD25smb9>-5`XV*=*)XM!aCPvrL3)E%h z7;Su4$5e1B2R=s|+=n*F*MP|n63T9DeG5F!8%`SgF@|4acfZ>_3p~J%Z*&`0vaaT3 zgzKCS7BH!cbFy_=B&vTIvbM6q$yhKeoY)Nr-6PS75>`0yi+L4G&bDsBqgk7?faFi? z1!%+B_ziFzEQ=zYKku~qFUEPNy0%0+-ZEM@p>0QF@M8La!4=(=Tr92YpdqOInvouY zF*SuU&M}e!Y2n4YD|3;w9Q3l+g?L(o)9c9|bef^+oFVrpvQ7(I_-~JX4651AJzkWt z*i9a4{OaPPI6yX+%_8*KHLbH6U$E90hB3I0wKkZIf(uc@pJR5YFMo1yBXD~!&ktgv zE3t(cAKHf6mVYtP+^WUT=B~$L#M=tFlI#GvnOkrM7Q#`OnIX%ORQZA~N*NQF;7VYM zchGb7{-4#wo2W$Pr^p8{4p9|93`~;c3symrso1q)sTr&zN04l0X>j%)y7UEO;eJL^ zSs7&JrvOq#^q5}AG0&9!XOjf z&K8N!QRO?4`Pmo<5ZWX89>)NMF^p_Fwaq_79o&!EDG&tu^c#42e^d^Le7#+%F{Mk< z&P-f)7eqU|i<~*(0&#Q%)}kNwzaQH?mCH0w*E;J@yvrpibJPdlf;4UMKD8l154jRb ze-dI7FOwDNyW6Oy#)I!;vyZbLt2=D0>*m@FO7)xIG%8HY#S2C&(pO zEIbXW2C8`8_)=U&f@eCvfGNfmfPJtCT$cU{^}Jqa$G=?meTbOP zf?#p#kAkZs{c}$JTalxOPTWXdI^~v&iuqLEtS*;E^EOvYf)Ye^lOV>c0rF*k9&u?d zV9E=61M3P`1)@opZL5};mmeQZy)Vp3Bt7^Y@qkYFIvSGXp4ZSrbzFVP^uj|(=o&*7 zur7ckXmgP%#EZrTZLSOLW*Ku+e{9HO@eVf4V>2A)?KWbXr+7Cs1k4|w3g;g;@y`@$ z@un`2u+OLYW+Lm1HkljX&4zsF6zN~cQ~dRw{wJ~cDmszPKpv3Rfc3V$agIH7unnTA zitVj-vVgN=y!mZh zd_*n)l&Ft<+#8NWo#U{sLX^D(mDha#;(DgPYc07Dn&C0n1J;vF|I!xN8Xb3ceYPW` z>T_2(F8lG4Z|plR-fcJ(SMp`?>wJdoRWrCpOOZxN)@(TH8?Fi`8HXl2KPdc5y`Z1r zXbPFU;R9bk^s|w^9LMgjdotA1puB|Ymg64mdF~f>2w+^KxUwj6wUAC?zH~XN9)3Zja@|GVTQ|XRe@nvraVI%odjps&PH^pPR_S0xTKxeMQ-1Drh}rU^F;a;1^0^n3#zc&Z>et>U!8GP@x5}~ zbL}{&%^eDHr^bB!3P57&yjTLHnrlzH!phe9xQrVgcm1|-oB#c`5mcaSx4o*$URB&Z zH{SN9I&~)OpbjS^RF7V>rT#f=sF--}%94`YX0BW z0p?;H>v{D+-GLXvL0uX42`ZfM!`o93%>ix#}0MbaY^ z>FRTCo<}g+I_BXm+Tn^t=D*G)snb;R_qilR>^2cAPUO^0vq`#XxAdk32C-}Hq}*74Dg9bI-1<%(4FRU5YpcqYY1laqJXhNp8u#k5*g1f%w2$Z7 z?XOR~|8}5WFMNI3yJ<{asd?wKuip`hUwPc$t8vT1e?NGOI{m%S4b$#_tl;%mztugi zwbcLh)vnLF8{hcWw}J80xrcRjduJV_t8H|>>Nn2_=@wme!;tD22%ST!b4pyh_w@k^ zmw+u&_FWs-odf2UWjm+o^-6V)pIaBd#nJzv>uws-@Ornn`i3{WsXuO*n4Rm_|8{+3 zZ34i@^{T|HP^?|B_9qbkwHlQkTU6>f2S(;t^jed~Lg=H^_q}><7JSu{7M&&96r*08 zzwz9ptV9!SiY4F@!-D?Fh6R0Xtpgp2ar$^Y8*hy7YBE_kwRv&=u2bU`OJX9Rzw49K za7&GW|1$7r1V*q+Z$6K=`@73SKY&-z}my@7Fh$|9`p-ti_!j*TJLRIlTWP zO4eSR>af-QN0f|UA72-~uKsmvLFwk9dE>(RA5k)5-B50{B>YE|tp5K&l)NP>cp_^V z$f`Qvn_#3W^PPr25hg!CkeX>hXM6z3fg;m-4$JeVSXzN`pV*)7_FcBffArm>NB4 zGVbZ0g5tfISq8w*pTaHBO6eJd5xaRKI8%uQ*oY>w&*>$%*OLi}STT~4&g7RNO@`Os z1I4GgC0X&7?m`+_&NrcW*)64eWq*FhL!>MT*Wq={GjO#eW%}93QQ7O&ySp*27$}-$ zO;V=g7&s`~6@OQ7$tw10r7OaHA=t;nl;ggIXCu$ZP&^Voi`{6VXHcZ}8JS-E3^s9j z+H@rY@Bp;w-t_$2A|*Xpp7h``q?No9&I1VDNNJCpUT8$xOv#gf2h<-fFCg$bG?9N+ zyO>s8!=KkL>krsvv%a=(xi<1Uy)W(6sSE^*_&yP0SHETq4YE_ zQ3|CZ*QTd~*986mk8yIx76qBLAOjSuoPMbSO!{(^uhQ+#Nd>8c=W~-PY#VNdX7)tzj3`%)r`Kn zR@sa@8OJAY!&>$1;VWy^|G80bxp)m`a|W`yj+HA#qmFR6s7PSzz?AkHg$q=t;|Kcm zaTUAfMp7J;wv*?@bQ6Wk-;cr_mgA4F_Ncm}N0)1m2_>pC;8(po8TUr&WD@D2uPsQg zij>Id_*)I-1`|>G+u^8%&><6%nqq=8dKHoE1iq62L-kNnz5Kys3yxPW1ITstNEEL& zVfHQnLCJuxQ{YNHc&Okb9udi_;W5au`AnpNuMwh52;bfJN)s>B7=KYa?mrDp{L}|f z=KtXxZ`s0+LPZ9$@f}S(Sfjg2lcNF75N)KHkp_Odz;6uv>Y>?H&{UBh`pQRyIp=c~ z`~A($uD^QHq=ksOjvpg1=luOBoO%X-zw2tdYdYH9W&@fOln9Mw(WGDt0?Q4;zgawNtY^F&0Y12$yOxUDRj~N3LAR2v_ z9D@^v267cI(Z((K+^S?v1}6MF>55eG+7#6r70SRTgz3RwoxY5}{49 z;1>ozAd^8is4Z8g1oQ$7?<}0CQCoc1aFw`}UCpVF|;Zo=2ZrPZrc{cnTDjl@4ioCISU>gyXt z3lp0XAtsn2UWow}B7vN>qq*2CF{)f_@)ZNE1-J%CkpjMnh`Ytn~7DBM?|egW%y;3O1i)q zOsv9QqAz^u3Bh~h)KpkLP{e^-RUNLkx~Wne*MC&_CTbFh;uHx}2Sb4gWx+|&QZU9c zdE$g>5Cqx07)!WzH1_HnEw$CvgpRC^nQ~WkEhbPSnTMkZF0%InJ^Z}eAc}-or_4ik z;8~_7vZ+;1Bko~{IV4wudA*1IiK7yH9;7K4V;w^b zawlPZUN3^>ds>HAjN{D_s2~rfyfJ=AvwYQ>#ipS~!i{6GPj;wsfjz`QuA%;ggU$2# zmHa(Wx_Fy7MNRc8`>FZKg06hOc&Il78566BdWhukzk|5R)bI&bAB0&?#sS`A-&=SO z0))KmnzbWwuI7DJ4RZr3zkd`^M3f51dderDEBp{Or?{jIsoB3UnRumFgB?Ym!$bL= ziV5)}xd*Ath7k>WLEuWmd;z?FWdX__%stJG_1@3NN7^tFy)4gF1*&{csfZVGfLh3p z^G4x6i$@U@KMyk86`J4_oWN$zFmszq*P=j=s$U6Q0*S-iB5Q!zj2ih<_S2#F5w|ep zMG)7GpFB4d-)-+#P=yt2svb-5{KjM$Mi&r5U>~wB4zEZQuf}p;oYI0Kpd7-vc0;BX zrCM2ZXY=@&n%X-jSARkDM4^kTSRfpW$sONNE%el)DI9Mf=IKLlcs?cX_Tvqyh8EwDWtAGV6jYwWvITs zdVGPV`MZ*Y`~>t(kV~bkk+1+2` zaje9CPBapq6TPxGutQl-$yV0DR+uYDmb3R^cXB@5o?C_*2AC^j?3b7c1+?`^rW*IP z<}S8xx)TOu{xF2iEq?AHoat`ebrKvgG-luuAe1sMcT z1!544^@RYBuExG0Xv_wb4ve>4ZJYoYv-e+I+)zRPM8m?$^ux9G6l&Oto|K-tlU|`a7j!kT)U&}U2ol{3 zG*j*ZJQwR<<|$fSf_oAl;Z%MHe#E#)7n!`N_6z`WCVs@LiG?9E!Y%wR`_%aLu(1Vd zU4vQqTgtp!2PjDNx>#?G;TM*RC0ec|fmkO~JgcXAi+W_em(?4Zqmjtzzft3pRxa

r4786U|4-kI5k|-se#sEz{WGL#2QgKEp0AD@9=8?;4=I)6DU?=cfs$+by+Nhg)oAT8L9EV#U`8@uG$jY-d@b zPoN?EB*iyB0}~NHZLH{OFJt(IFY#hRVMchnv6WQu?i5OodmUL10oc$zBoI8w#}L`q z2h0o#ae}QQXx~yq^upg+hxihaKNhU5%kxU)XVgW5{J*N`*J+}~dTNGS)~I1)BP!X4i;Pq_@DwfqwxjCAn)P^8 z^_?1VR{jW0Yb`N+_i17|5)E(0iiL>$de4UDXNW`0Uxqsjn(A6czsF9D5C;Ivdg*y& zU5j@U^W^W5;bjvyiv*NCsu?R*NQk0X_Sr@T20qn0Z?zv_^RjReSw%P~Bk_9PE~yt$ zhXIn1_b_pIAn9`*Vo2ua?#{;@yYy6&KN<6t?4AvK0FIaFL%vv_f{r{!L}J?mA*Szc z0mEpA#0266K+B=OkMnLNZC1OtU+YoIVC_bXK(RZj=*`;jss(FmR&N=N%|54w)M~&o z6`KoeStb_|!_2TY<00%ys)r8}huZ6L%TlGap|Om5%~a4XE$#0$^k?_ zM@wCZRQwCx0ultboSWiV%E#qi#C#&ZhuPvA6X7taX|vh_%dA!8OWYy=ieA7n{5Zau z`@*r076I$5Nl%UkX@aOhHLiQ&Aklf4HE4S~hO71+Kw=5v76bv}>MMN5*nS8%asf>9 z)sk^6@Yp~^XpMZAfCp>D$>w3!Fvngn?v8Egk4<%wY(NGx&|hI2cfto@*WXe+M?`bA zEdnkiO-e0d<2SuW&L-ozDZT*Wru={GeS2IJ*Vgvlkd4`p8JNHXCNO~sB#;0ji6lal zNVr5nK|n!4QKLr1J1Q#PqoShKinmtl4KKA=ZKYLPZEeL%)vEQMLjpypd3L4p6t5;;B#kboC*n5MMb1#;t-;>-^S!yTa&qOY+(wLRK>}N%(ET{0A9Az?zl`4 zNIGA{gxXe%JA}KmQ_(vN%UJmW`DPSJBTsoo5*B#6zpX7|#G)Tbr*^YPCCmi^05Fmy z6FObgzx)$>Kf*@}#RXp&-XtN|+VHgai+7sl!(cv#`<>^qJ_Z=}72p->LE=ff6v69r z@=?x6+iG>rQ)}1uw#_eoscMpVwZg85fZ{MDvgevv8?lpe9f$ebrKAO+%Jl z(3K_BBCVyh`dMLR?{h@9Ev2vXzss*7eu#U!#7C1Ny2mpLnn*En)Brda zYoCm8>alzlh+UBbG=Zkj1*uHk^LVTdBY`sRhBZcsS`YUz5!WxOnd-2gm zBP8Ua*;RsogN5OEHt9hk_ujLs(ZdDAAdClA3b2VM^8>g<(LrKTr?*j|FL7Ivjca4L zJllM1ujLIh)P~UF6neXj?a6`CZ2M%O z_s2fG4d?vah^i&im%5kLhOb~tuy|OsU|rUBY$7`s^$Ea-D$5MZu#+E&8PZcwJH{dF z14LW^boM3sI+&gmx)?Goo6n4?0f8rTXARz@Pt*YEgL$Qv>YOiyAUC_)qD_e2In(&G zhFVfPlNf2V`g$~ZuC2S_7rMUXOKQ`U7)iQNqCOu1{VI3DSZvk55^?f8S?shRqIJ$g z*dx~>`UP+U$-Bs;%qV`R`Dh?TPJqbiE zoQ<$pvykd%d$~U3GihV~c4@N-s5+A2jR&PXpwgg)0gRBTRp0UMXG|ynGCLuAK?ldHlnV^FNTI$=-=rm;DaTi+< zaYz?zk@$kCTv&h2)*&Ey5C|24cS_-0fZ32&9MOCUukD|46;c~^ral= z)#7N9cBg~up|PtHzb5UeYb7UfsJBeM7(vHcL2$Q_!71L*hK5GS%Qz zGLN%bYf#k!#8flyaG{oHzK=$t(gs#mzSIi@x3E}-x4>flI4Q$-q&8-*`W*{%nTzD- z@G00WYXh8TQQ`3bQe>G<+3L3p57bTZ^4Si)2;H~fTr6tAQTZ1*o-I(qLywz!XQ7;g z91X}aHHX38pZM!sj?Zd;3mtYL>B5YB)cn)^%hGH*NwXoCJe9K-k#FDykCmcnw(X7e z;jD`?lJQKidbg}lDYR`?;~H(&i|px;)QLbWR?wcKM>%g|AuH4E+hrG!d5}^RDi@Zm zKtgQQax^<0=IUV3izMMfu`r*0?1)7WsUgwgNN^HSRlUhjZQ5?*sfRHW36|0Q!MwEe zS3hBvvYB*o7EF{!28((oz4W8?v*n|z=GEd-p`vsa?W})Ql|O~QZ9#2l74+0k>jQdtJVTRB3@je%G6kwpsXEuFz~+l zBCXpni7(zyY(O;mj6Fa+FkiD#wZ5!+PGJ}WU1JMa09;t=8=4Mm!}nGpDE}WoLdm`q zQ+kpx{1Q6GkmO3CuYvtyF*7^p(t5lIvUB7{dQ zz4d#AwkIdXlbf&{JktX@EE|%-EoDw}p-dT6OmCi{y~I#laNq({$cNE4`B0{c4|7h% zWRN^FlCiL#sz?ZQB~vgeWiJ+h`-Oo46dynfst@h`Qdg{j#XoC!`N&sij0fIfx^mw$ zG8bz2z`KD{8%V)gE}StGt;2JG6`fARx5z-C3&6?c@8BfAUw8eu*qTp#XIX2ANAEfb z3$UA{n(SsbDfy1#i;xw(p5`KG+r$x8`DDURrtU%l1pwik0-2A6rIa4 z*?>W8CkWdo4FOpcesJ+-gmovUlU`YUgrjJU)}~~CP=7SD`3m_NM@i#!J47a|sGk(W zsB2D%T&9!Jk9(Vox1|6_k-3HCqa0&8sPohyMH2-&Y)qKAkx>g98P5MFZp3PSBOEAh zBvGlS+osr~QRZ~~i?bir?os1Weji7<1v6qFLvY1-gxy6-xnmS|am8o8qu+`7CWnxv zdnz4LmB}`ct{Gjv0)J;qzzevsFh*!CM%PZ<&;BmLkp-J^4ymd67I#M1Az2d*Qy2AU zUE02^VI?>M!o4k=q+vsJ)hgWaWR$_4AtMel|@E1&xFaq=xSdC2yZi<0z_eivMV7_@G9rrov&JHOp zG`q=Q`!@mDXNuH27-l4sPe#kb5y^Li1T&q;2Jm#=!Q#^--?r9cZv7cg%fBbD3M4)7 zL-!|$jz&}LD7f*QxrLfOf~5%Q4bOOIt!7nxGHYHw)bMTqV)zC=m2{wPSH z@L`5N0*ikZyD|g$IA$PpE%^rW^znUr+UR$3iNe)f6fZ4BIAO&qk%<#j283P~J z26HfYCCWGx4s+ZMHR}+vFui-?;Tm&BJ17w))=TwxSZ4GX_N>>#`;4t20=mTVE z>=21xY1M!$yX`)o%I8*S5TA>G5OdjrlGM9Z(-pecBDiFHA8!Ub6!Y|3{EmAtn2FZa zB{;`68#7JcD&$S$^4W92SaYUWicnXF4ei5Yed`5ijGo1`CO7%<_$%Q;< zJQ|ob&n4lm3c1Q0$bs;#_&d$K|10_O{$?ur4a}J#hHiAWV?~I3IaeJH92R^fGsEe| z{O_hbGQ>J7gk;DMf|z(`0Z@O@DYU0FOY>BA;o)2=I`dFvZ<;Grl5=zww!vxycT~tb z?Lz|YtksPT(VkXW?l3yDIRZF$;_(#IG*s4pL#_`tY-IK~qk;xBQqxD~GE9LD(JYgQ zBMrF<`P})-#+b0#N3Smin*4i8+?mK(sbX{Kqj@((z#2mQIcX#fC zK$Eb_d*0Bj?Ght?g`=oP%7xY>xE1me%SG*ZwHM!Z;;#3%8QQMs@H^@^Sm}L@(}Z77 z?W5L*r;cyD4Zc~rrAG9yhH5F97P6DV^bf;@NT5L@=`JhvXm>;z_ulY zxpV|G|Nbl7Jy5U2zthh0OCj>Bn6A$OZ=DSW%xZ3t5|l-($0H@;%#YE^VGUePzC!bH zh^dRdFsxxP(K0U=YLPP?xppsqiG8MAdxRyIG&U8sxWU}h80PcY_zS}#={*$$R#xi1 zp!HKz7ZiA0lWkUZK4l^y1|>uaU8#r@VH`hfogSb&6$5Y}AxUb$11jV3ymkZ8B9ECU zabmdvy7ep8iAX3U>u^u&qJBif_aJQjP-`Kw1qt7Po>U1MJu!e(+sB~7zQ}zN@7%{7 zF0{hKiW{sak(4FI92!ejOA(;D#W``5;dyEnGKFHtK9o68dI1lx#$q8u7=TUu`|J%B zdO~+DxpK{c35FrQo5dp14`x6YLm*<5&{Awif^KI(!8Osz@8h$8fA(3?hNC=V)zGvK zF`VHl?Jua=iP2m_8LU~7`B}nBp$7y}*0W<+UISsPZFs%7ghucwB*z*U$lt(y^WV1S zg~=g zWlDwILlz?0+gff7(}fFd`;G46)#?<=vFf5wo?#JdTw)_9&9@`SDE@0)#f*a}-e^9Q zj)4hotiaN7d>AfaCK>;xQBTUy8mG{;=b zY663Gl+{jGa-o{3DtQb`rkZE6j79geiWb8(y25zd=tx1!S8%DRv0%f^w8^C26$b=? zkVQX*iB^mpr5hP#woqmXj#s~`2ZKvO%rf;2Dn}t;DNr}@Hi+EH6B22K&&wac&$w=( z@j^II41K4)V`tAR>*lp@Yxz44mK&qhZ>eZB3GtjD8?7in-W=_m+)s=lIgW`6XDp%z zeB%fxYNPgpz;kJ~#!z`@vE7$I1cf}-o+zjbLac)WOgh;UFix+#pk+F7pfjjdlHeW<7k(B}^Ib<>}W@dcAB+Lh}3*LWSX)Kn>Z8PToagOhEK!qpG#AvgqwmW$=$~RN&ca&t{b2TY2BJI5 ze{mfX${awD&Ts2Y1dpk86b+>Z}m0W zu0}CIzV7!PwL^sM4Y4EX!^OL4+?%24;ebR7b0;Cp1}_nr{i*I7_f_o z8DcW&W?d0#zNXuGU0#ixnFxO z-wyPA!N9&ebU4V3;6Vjn^XjYx!ZZ+^EQ3<&C1gk(Tg#Db{C3qXjAQ5$EV*wYlAZar zt|RYicCBn*PIK+wDY+{Oxzv6uEdPqxmyGlHT}~86D@6@8!zkE8HIn5r)*X-WbGCRggPyI~h@Y$i-(jTS(47tw zGRPK%Ty5Mp%Gc2vug(G1R)NiOH#`AO%R9sLr$T8bJ`}eyHZ{%FzQmf>a*WQH6e`}= z_6|+Wm5$);vJ>GU#9}LKtC7cmYqqJsW}Y+@0-EPD0q|^kx!@MMg5mHiCM z=*Aa>>%v@eQLJW*)#}L!l@3yY!*Wu=%Y8r>$k zAS8<;nQairgyk&=zL6CU2cmY=*E~+!-qom1&);obNAi=7yb8jQdc>sb%7Tf7WBl$8 zIu2&$UwFooV9W{Gdydl?dc!hUJvUT;PeTe}-sx(O#)NmkQ0=yZulglJp7fKwF@WUV z-bNE0r!jh{{YNnSqN;v@evz`FfyDUM>3r@4aZ44*JT}!_%L3lCk&9^aq1P&4vxV?Z9 zbK|vEz@{W(tMB)&9v;wY9^BpOJ#H?V(4U! zg*k{Bpr@c72adD>V0Ns7>d*4@$E$PtvW(MN16=V^4IV4kV4SB-cgZhcl|LsPpsN1? zgMXU%QH=kDHT{dS;Sux9pPT>1J>v&;O_Cq&ee~A<4gcByf^B@nE9spa2YAMRofyE5 z|Gwcb+&GU<wi1Rf4j_oxpV*5|I1Z|Pk?Ixf#u`d zesunSUF{FJX54?f&_B;p??;k8`nn$u_t#SR%UAv^$NzSF|Me07!~H=4KW3!)f1UiF zxAd<<|I01>>yi8g__)L$BPan2`$ygUxfKXhAJx|5l6t)PFL(OS$N9I%{SW*9Jn=uj z@c$~t|JsoLZJs0G#k2BqUJpj}P$! z2mb;Ne!LapcmKae9oacoflKfk0G{}O$a7Sy}|4+({#=g(2Uls!s4v zR?|k+O!3M<)ExFG^?{fkQ^t0|raxv2$QR-@6(H21K`JpR%s=dfiD9r_i~wy`9D#>$ z5kf2Y3u!CF*69Z4b@Z4@ny-E6Gxb(+<(qp~?@r)kVTDu@5im+%01qmg5TaX?RTIUQzSPw!8D3%#$e+uzk z!~7`|Q9z1}wI*W7q?ibU?Xu%p;Y60KPq>WXVTajFP`J`_!^Zko#9a5k{C#N@X8FNRYgQWCBeFj z6F3aI?s5@?$UPlIeyEHZR}{*K3b?ju7tS-}`fhSOO~e<)Blx2Ib)**vNBuG5Cz8@I1{#;c~wqoJ1qRDeO-|af6M|k zMPYuR{S@+K^P8>=u(|>4VHU%24z8)4|CqnLTI=dkJDgdZ{WNac5QjYytUJ0QMj~vwF~3M4}F)(;P^m7OJ``ZgGU-r4x3rKl&Y1onUO3>u1 zN>B5VlC*PTsX`nI6-%Qn?bK$|G_Rv~SwYzfj&Tyre1T&ubF9Ax>xcN=+U=*@Zv{ZB zZWz^+g!kM&=$iwhM9nzg1772M$2WuLYVXTE7+189Y}${*_ zl-@M$cmxu!yN#nkA&ta0oyUwZhC!1wUR9}qh`dX8kYNm54h@V70g_zUS4Bsg&vP*vCv03EY_b|~dt zcdUZ~)Vo7G6Pe_KuYkgwYH%6oFL!~0 z=p%K668GSEY=Cr~oe0Rs6QF$061UH!|4!MsL|3WIY@*-km=Go^=M&uCxpfGD*ni03 z&JM0v*Uh$+ouhp9m%bkQ&c+)|4r959B9H{!5Yu-hL0_Y?oSb}tzCe7 zF0#kswyjD(9C}c&=O=s&5@=g+MEgMSrk<(Ml~PyQkqC9C zFbK=A!kZ+?(8u+ZMN19KpWo^KudN?U!W44!a_H~0Fa3dVYX!m<&q72v@E&2gIrMM% zp6dr8x;?fufNFA9!&BF}ZC`sjHTARYhG^X13}GaVAI6&u7Wxqv;rz#%LfJlSZ4)sGE^Y*l=eDuK zB2t%YhOxTum9%TiHkiElJ~*wsA6H6JtbLI6NmP5BBsMQF<&aQ)v=Ub`jouEHvp5R> zET^N|%W9R%ItJ;U3I+uFF2lk671&aD2%4jTJ6GPzqUSiW+0)Ej$PaiJh)Z}o6`4z} z&)MHYJa@2>MB$#?aGuxEkfvx(Fm1H{h?s#?duc97`)M8b`jxpP&L&`!A&O5Lk*k1c zbumJJq5rZ|tR6Z5|!?T|DV`H`K$I-Q8xI`?N zE;J1*xIs#3OW~^_;47BgHF_P(@;cC((fz986G5OxoT9rM%y&Fw7mdiQy`toeJmer5 zR*G`YZnU#!&NpbpZbZ_Y6{yw4FI;}sP+tmaUnHAOUCqkS%osy6J;i>_-+K!N&jShUwBXuk#sHr8b(A}>8piRl0J$DR zh5KLN8APORJd9hy#)Q~TJF}4`nq-qR)WrQCT~y zyVm~FysvOG63xvU0m^JHQn9IY{PUswXJQZCg%BYe5bm{?L2?C;()G}idA1(ps-aP^ z>N`-d{`96IF}^8|#Ph}cJ{-w^o9ZfWs?}nHyaMB}%rpA9Fr4Y@m;buu3!EZ%MRfSu zSQp%7dY}4qy+g1FtT3!0R5vJsSYSwwwyKr4ySMMTw?Jc2`IhRA z8_D7JXF1MRf;0564)GuHGE%cz_MBnAYQKO|wlo znSyQ@=gQ@Cr7kcZr<0YA=a6S5{#A_ByraatZl+S=)N_@9P8Q81g8i9V!rA%|DIPG+ zw--u1EeixSm!auHv4d0N$?oT|AyKNZt%Eg-VUBbYP&%2;A&4%4n=#zPw`4GcuHai- zFL2{8w0?j!SEC?pJQ62amj}>^m$1E`g2r4rVUI!hCXLf&sl_;bWBAFOTAwJ@<&>I; zi7#Zko7Q@S&UHhH1hLiHtt7f)Fw$*P3Z;c6bfCX|91>Qv|H{Uy+V*0`H%ek`y8r~~ zdYk_pUv+OlLai<~0%T`TDFxmeguR}UD|VO+c;4Ia)=n>LRyJ*gHG#JNbWWFmg3mot zc^7Y`>qRh@A3$Q#(}DRPm|xbqrn(kumou7Y#hfXKM!K#tNnUHtBxIRFNZ0O<@VTb0_@Pq3DUMNED_W}$Dh zIL`3uy&plBuB&c12UGg*(4syPW=V^2KPJZY6#(M+lkDdqHcQ)b?j-wGFy2NB*xPDd zi3)4oCt)EcJ%h*KaWyN-KvlGW~)<>m)~X7u-v#tAzHSibYT zWoc?3An3V)reytDB{8ghoe}T7+t6e*F^o=^%YuPBA1BJ+;?k+qCUr90ZyF{r7$`R&(JE&G)VzDBw8B(QvTv8M;#;EwnyC3N~2}5W`GQ4_I6S%~Ch(1x3p| zoT{r(;ssRWiQDv=COsG@%P;s1wt1XJP`CD`>e{&LSF>VWpXr`tG`&K~!!n2c)VcN} znq1jm(CZelRL>WcR|{syd^PjE@Tz+r8V#vGI3Bc<4|!l#yZ@o}{lG#Wl14Qw(VQ@8 z9t4j+q%6!smTH`LNGX1HX)--4#N!iy?kniiG)2>e#h@Taqv;*<5;<&TsN38kurv$p=#D&6K_BDp6a zcQjZ!o+b2m=?(595)JlrLcR{iTZUN?B%PqzERxUf#%#GxSRq}*KWpAla$RsW?n^fe z>Vo)zY`U^=N(kR3AI01-!}C~6hvQuCHyT|nWOlW9g>Yd6w%8JDH#mDCDObk?(-{6) zYc|paQkt-QzLf^BtCTP?92J`QQ&{4w?b`x!J_$V8qbeHXm&=|+C*P~RC-?wKz7{*! zvf%2^$Z&J;^ z?pes2-Xg}0ADz+a zvD`>LRvbelOPr%1fJ?g%geSJqaK78KO;B)EwB@%`fKn5{B~c_@4o~BCxkAB;^4VR5qA_RB8D8r%7m>)161iZ zjs}M1#kDCS`VMI$QNy>k1;tFc(bgeuVcaog!kQt+Xwr_Y$AVM#-#8YMb|UV$D*e47 z$C-?qTaU9{zrS%jG+QB^2+Kny3%TxbO$*gM(=IIx@14yxMD!^sZQ%P2X(C+ksCzl= z0A*W#WcH}G+|bOb=PVaM@+xjd`dU# zdshyf^Q-5mrZc*n9S34wfl@=%B&EJFV(XHCWoeg}#6Ov>ZcJERQr2jAYRIZa<1-U4 zHzsbGr(T-0y{~JjYT%klOH64S=NFoHzrHUxdGD*=2B*LyoCsqS)@)O^69G$7UcOki zEcKNetCq>HEo|%A@r{AshNQJA-#wOgB4XG%%fz_VPgu{Uz57I`VJq*Q3%{5bU)1s4 zl0M6A?+;nM-2S(T?=J8B@x1UA8K17~vm)ZNjSJYY+t0mw*74Q;ODnp3b2Pj+`Sx6H zZ|(hSlS4Cqyt(~?v-jQY-MjtvYak#)TH`NfEBN6TUA^Mgtjr0qytgtp)D_W`7hc-8 zDL-CzN;k^Q5EeTp4-PW0*Re7Ij#a#`VhvgGrp7raw)HO$+q)Gc~@rbfiA zT~ijC(m?y1iu&#-DayPb(YLg~#+R2@Hk>N&@7;N&V&IY7KK%yGCKdgMF3+#19I>gP zqN?S&0~H$i^Wx_*DO z-{3h9Nq_UGod=Fq&Gu1ylqa$MWVUCKxTycorERTI!B!>wok7V93^>7DVfAG-R?gg0^I#)-$d2YqYb za!rkybjI|`hc%;idixETX?cGj+i}#vVDqx~466n-WKI)CTyVX=E-d*9zp3VOQDk7@ zRPxq`gWfBjwqnE={a+#Gj!#S#r(UmlMVv;S8WHeBe@poGCpum3zkT`i52s(79mPV|TQY@PB4vE`+@~utZmkJ;GVAAzcb{C2 zg&ixOZY+DMd))c*KxP3`vtDJ+v{q~K-tm4=)9G}WLN#F2hz9gxlJc0GA62@eY2Up` z39EYbU3YWZ4U=%Wx~KK}j@9K)TwV~F$DXO|-tpC&@5jlfZJQSKK74;kk9V5iiW^ii zXVJjiZf?`9HGQw{7b456THX%XbmWtSDVm{NqsNiDv>dE4;>I^IlOHH|~RoCPXU#2jl5~jM`-IU3>9Ck0LfPAms_Ml1X)5 z0{`8fv6H=K;w<4pj4N@i@#L=>tp@LqAT$i-5)fA2r>8( z^IZV&tNEYb|Kl%C{|^-1ydeIwzsfBA4+!`WniqK2{YRMw^4a=vWdW#hjRK{i#{C8$ zR&3l~6pRus2l+pSp?;0~YeP^1TG?X&TpwP6doK)j5qRGO(W4&lxd2YE9}?gaAQ}hf zTMA5suqj)Q`Hai!65z&RBkaArPCOg7mP*`!d8|k2gBBMYb_n7`LAu8M73=oRQhNkdr5P$98o5JIrQQ80G zo4ngiv$aDKeBJ-^*Uj*8bzsJE_!ow4M?=qbJKF8;1x)gO4g59mT(@73b~}2!+ugu0 z47H$0pxy3a`w9lpcB6$W~*X`L{q2<+zXlKzcuW#F$7{saam zw3<*Ll==v)Tazfl^PC7Z)EpTr3{-$~R@w_$rap3U%2j;CAJ8#XJ z?0_BxAqlAzm0b=f3+Ztts0WFPL6_YDWiR0ZtR~T6F9lpah)HzX*m?U8z|m)d(A(|+ z+%s(rf>sFI;FOTTnwSRrXq-1S&X5pih_*w!Ph~>W#?4!U%B}`nz8WxZe-rJe%)Y#e zP@sVfQYd=R%)SY6<5J_s8R85y+W!v2Md5VDw|4s*L9k#$L6GO5DD4F~Nsk)A4yESx zAmdj%pb;#E7ia|jqW<^7{=e11e{2Pdju3wHYyYAEJpT89dE4RM{fcJ)P6PNS4?f7R zX~P}`#d&RvU&qXEKI8Pqtbn{0brQ9YnE`oi#A8heW&kKiKh^+%{8sDZpgC`i0>$Jw z2(#0X_Gf_R3^GUm&`7qU&Jg7R^~+Hx9o!7X_6rDQ$en<*7f1&>`E_h3d4IfE!92`Sy*IsWPyVcr;fJH#$*7u+X^Db zd{rGpt&ug;?Ys{xzI?W|1n8uYon(Vhd3J#f;{yHsY{Z<0eSIQ8v!J>i)$EG#uOfy* zVB0gza)b8wJdbtR5R?CFfPeUe`eM(19RG;BFdiv}dFtQy9C790L^28@{Y(Kw+`3wS z1&!f2$$~rKsvIjSPDeSnkd&c#EkL;CIEDN~gLNOv|3HtK1~<*-KE>VqoP7|8T|XCp zh(UkUwBD4Z1Rj4r`Vs5kcVUlM2Qy=Q%Yk1MhzAGC*~qsXD&-ORAiocF=Bi=4SS_!| zC_~ggLJ_!M!zdHT7aYx~ApkFy7FR349c*zyKdqT;Jp&xY@IFRZW_oB!f%iRVKe+~3 zpT(BGOk!0LlFCbKrS+L}Xi<6A^|Yp7=1F9$Gl6>KEYN5kjp-4tV7&o#T3!ZP*tVk8 zl^?)O^k$CPlDVFsxt`KohC=T2#Pbt|{tHcT8O^S-EUYl0>aQ(LqUkZaU_k;<1X-T; zzM3^bEV8VDQ)5f{3sMt4hU0~NYdo~ImTFT*rs7sA*9F*T4)b2f;+FbZT}qh^tPHiz zM{;Q3)X~TrQR=~YavCy4TP~pV@&ey-{%vuA4N&C+czfksmx9`@w*$-U=z0^ew`NOq z@l52TxZId^c5pLYHBCoCaG?nzvCb<2YRQ||g$I>VH-4(GO1E@@Ab2O-AInSQEl zNaMyjOVIj>qy&;cUP6060Y%4mAw|HVq+Jx995P5Ep9SwX&aUL9wGAUSbAUD&WpP3O75%7orYObIiCXh^T1ien+r!$ zh1F!E>h-}=CErckK?#rCVG*eDR`?E~oT3*zL7r)HLEs~1LeCPW|HEa_MwnM3 z`jet??@nB@_7~SFfQys^kK-Yl)7&iO2>SJN2fd&$sX*VE*gVIKV2xp}lKUE2GTo*I z=yDGCIGDnx<{+`ZqPkjpjE>u(t5Q*ylvz98x}Hj%ZKv(3AW4?OxQs{Y%u(`MfPb~I`SUiZwSZAHX*KtT#%mO#`!hZ z!DWw`+W9XcuGDixSj7KO+<-QPTQe~<&Wy?&Lzu6Lzu|lieeFTi!%f4-&;sXNMI#JT zE)Tzi`Gjh%Lj#)D(&*Bmd}iY%?iFOwMh0ho;L1UlioWpdYTy4D&GWN*YKXd?`BOB# z?k6CPPg@%eqURt5J&+pr1bcULPTy1+*ujsBG1C0=JpI&HF2jpIfyS(Erg$@Nv5DaA*MVhdgo**>RFo-aVgNAHD9c4_ zA6!}`z1uJnFOe=9yRcja49}@G8(Js$kr}C_>A>B?jX<5)5|!s&JVHJVg6kBUp7Lis z=H#pZiBbN>j9F-{sSI!>15rW6Q59gNOHUiG1p~r@qx22WMEseUaD6~oXooU0x|LAp zDm^78=l3aCXstk{S1OW`y&o#Qj$M_r1P4E_^aF5xE>yQF>Alh|T#R*IpzZ|~CwiK7 z{nWHu9Y8FylI2M%CfPQR?VuKt!9lG*9ZHOHA}%aLP1(*A1T=t_c_cE+tl6nzHcK&P4x9fgU+`|%H;+~X*PEcM&tG0bMkkJ+I)5y=WGa6fiT~1=ND?nQtPAuT+Kx3 zCa6qXt%HM%_t=JK7>l+GrD>>Bi<2@aJ@sYdB35@}aJN zvQ=1MOg``(?Kx;A;v006gCWuDuC6>--hzA|gJyh8X(spJdPctNY2lK&SD^iSVYagj z@kHIiTt?9teyF)Vc#sR!%-MP{;m^1FF(fA!+OJcO!u(Pw3aAN<^rWZ>kf@<`ZcfvYB5E zYcqj{GE9dPjNzh(X(P)%+jxf3Ai%O~n0v0^A0C9a?(P-YC=B6xb86$PP6I!~6 zR!J$FGD?9yz!J|m*v}~^fs*|Ld=0&pdW2hO-=P5hK&@jDP&))=j?X{K%(nML+y<_< zqn-%sbP)o#&svS-ZkQXzt>-L8OBh)p{mRv)4u#=2O`Zlh`0LZSK7$q_?#Yw=m62 zCiV7b49>qP1fy#hzmTipiZW+6{EcsNOhK91WD1|?oC+DxWUBNd_ZweUHWOJ&$zT93 z44RaV@ECMDwZS)(tqD1V*G8KLN==->{kj4Ko}a-9w2RY3q|Fe_wT}p7bxM02Vt%33 ztU)Qp3N7;e5Vj+LarhQF0qJ&AG0EK;W^_?QmDD7r9m%0pmQhA~Bs`MkS!t5jA@(wE zRB`#nbrFktBd*G`1|7^gXMB>$GVAP|eod(53fsWStJH#%Pquu><%#`(5iCji?9y$a zyBj#j?(oMOzLf-AVqJkW@u6-jvi4GAqijc9%lVHA@`dr{MLbKDLcOdCD4UEdlYJ*_ z=gA!Nu276ePe$fiMmmf@JCDV`c^2tUgsUfn+6G!)#PKk&I=Tf~nnCw{NQktC8&IEN z9|(?f+|5`T3WC?rEOZyx%svJVk0N&AWKFz@t!<|9IVX{4qmZNdP-j-@**8OkSmCTZ z6zMvu=}>r=fb_nQVgMm#=G*DZC{wFa8BJ`>DeZ{}(oq~m!brDLXR!-0eb*bMEM%SC z#;ypKklB`K`MvZ59A|wstTd1;$egD!1=I7ckXj(hJfP>w$zd+V{$&7j4*+r=GLd9* z-(A00{SR-u?ulUDt^Phz(-1*hC@x%pxE085{6^`?LTk0lg6~|imj_Adk8m{Ytn*-q zelw$OQ*x8dw*`9<@+3%Ed?puL2I3*r9Tl46u`aKtpD$LfkHQTN%~0`P9xktUswawTz1A)I%+vYbbCu<+_QE-Eb3W{2{ zCp;k@@WA&3-TQUFzx}(e_x<<#zFb#m$V_HtouB7f&wbw+g-xJh@B2>Y=y27qgVp+& z1x4gqmiF_oCEbM1mfdO2ed1U{N_=}B9$T~>3=*2Bj7JMUugb(^p)yHhLzbg&0V{qbyhA@}Jdg&ZL)NaG zj~%vn(gLZW!A1R%XF0o)L5KXeVXu)Lo_PMaXTG$Rw?R=H3QsP4#;&B~I~;KIjRWoY zNN<=F(ibXF@87P(ys(`9=sfi88e$8GT8lHD6MZLRznw}fLTAy($l{47nc{9pQGice zp*Rez7$rBJ&k~1oNue?H!^4JPvE0Fub>6Lwmzcb+A4rBIxO!R|3%D7zu*v%%pBWvO z1F)xqELb_!xFU|rsdRaEQJ23R!5^{UE_|3TlJ@MKjs+YtKTXSTC~s?x?&RPEP7a^r z6c1{&w|%j980jOd6W<2AX9hGXcT2~EkPOnnT2?19&w?fTgn40n(ORABD;}(N=>asz zvN_jxJx;n$%HpOo!#$afjzq%|Ez`1VG?%gI`BpD5Wcy1|%a5eAqmY}+RdBD*bE3>%TkddLMMQ>3@JZIGh4Xb0j#f%&Lx0IFStK*0u;ceQbM z`6MyOT4pnsCvuZKiD*o?FGEw5L{<6MG$oLz;w%8{6eEE)QMeR5uY3(2Eq{yS0Ofyk zwXjW7JVcnb6Ab!Fyc!)fzsN?u|E%ZbeKqYGX(Dzuz9ApckirculX?*VK}riFO}L6g zIUu;nhu^W>ZYvNk=OgcGAk1+6mRMzvalXr)@(+#`Z>5<qs zPH%E~InL&$jR&_slUXW!X<3rWZT6h38xQ-}%L@t6Z`87lTKp)J(te57T8wdw*s;^M7#Y5# zVqf1@oy8M}``VrLll@zfZ8KzZ$}b`Oz1Lxz-Xole@QW1pq>3t#THcC7nP2b z%7b>_4ZOEEu@syyxTktM%2syTE?m6aE0hMw-Ttrfen=T8{5+6}%HM;^Ccp(Q++BW% z$vl6f&ez?u>_ya=#P}M0N~}=+4U-{0R#t(6-|v6E%%&Fj&fH?PavVGR37PV(h_;D- zFy)>1RIUb&k-a%ZB%=bU;W3pCBn)OAlU8{OEgqI$5Np{VwIMTop>~{#KO*0U{1;Ho zBsJ&Y``2L1AB71GO0uW+Q^Z|0^p9unNbmzSqo4bYUsACfoy~-UbC>K!B{@j8Vt)I= zAHz9l(M4q6VVN6mKi4!c^h0={n*Y>wv1je~pbBKU>|}lco{Qo|`><=TIC~IUZo%vB zMtA1m@)UMFMen=jY1!v3wsn;GvLV}eoP}I6|CbuuVz3o9e9`(;`*>o;#jE#u1`59$ zXHau$8tvshe=wB@ZB<}8b02kFM9(uHS!(pGpZZ$k@h7%r7T+Qce`u*51WEAtP2225 z`Dty(1^hK%G5!n0zQFUffChGW<1t`>{VyPS7BHTga}t#|E%^p-Daazb(VeTw{QsYr9I^CuLt#6>a+zUIN zjNB9Y!I;Fhe%v$?F94;A&1xJhdXE7&$M5h_u&<>xu=T^^pgdb8wezXA<7VRwo6`hg z9orSZcuWSU^G?wr+zAtp^rUF7n2DsnK}G~VT+qwn$i^-ynIBAdww2N63hs_TTB!T( z_Ml~R5|^cL$x)w)l_zp?AC=VBJ}R=zveivTNVf+IxhBq1S-9cjPS3)sfD4t3B0!0< z7WzYzT#3rJ@Ke}_SqPK{3K9Iv6bgx?@bYdzKzwI;HJ;*)OOgBzk=LNwVMthNJ7g0Q zQSQ&fkGjxe^T&q5Qs3)1G8<@t>>B9{kcjw_o>vwpI6l$`MkQIU4Fvc869^mx{(&t| zB+~K9>9UGJ5N^QEXKC+><(cy07~{@3>SpJLm^i-EMf*p3$w0GrgR~k8(>*unuvVrq z!PksiRh$`s>^@Tl$}Vm84<&pb`5N*iu#T@v9dBj?-bCCIV6{7e#S~Yn_XM)pwD4cU z%M72Y3{n{c7TiLhU4Iw;@9T$cCmC){>5_Jj{0?%y!I^6caO2ca3*Y3gLV<5e*n^bM zayIglk=LO%JHE~JPsTu`@|~%@hws5y+PJ&yR^mf49d7sM)*%X}4vNbx55OBDo( zJ-F>zuHB7jSPE7f`1<)?~tx@0myHj^=WGJw|@2_qZ6x z_w_;Ws8Tv@F@?dKa2?Rwp3||dydzI*Rx_fLwKMW;uHzT~5X6p6kRLEfKZVngZyye- z{22(+8IAjU6^DZyaj{K(K_?-Y#EW9k_8!N-TMp#Ce44{V@mQCUD&G-DBpEvj`vC2f z-}5M>yO!SO*v&eg1yTh15pZaG4=V|=B?FP?QFpQj9N6Y6kPUArTdh-JuSAnW!_%OM5GK>`G#new>2eeWyjx*bYat$gBshs zel4p?e6ZzF)x)@L0OG@rPm*1hRNoINfJoec>s#JWB|n0Et?KcC9LpCOv{87*k`_lzB~N0@ zNP&BxVixA#<|cD;l?&5`>KnpDKL54eD&vLH_HK{B-Ewef+uHV{4Go;b;f$+(gFXRW zv-(He4Asat^Fz6EWp0!$pIcHsl~Ww266DnYcl7mEVK-mEXVkW6a2EuSyTDpzPZx5f zwa*~#xFI8sJHGcI#%_6kRqY8xGaajRflUM#ajTcVgGz=Xdg zgd8O^#V{DY1aP5GljJ{)Bp3S*E!;?tm+!1j@y)_?ALpokb?*XLEBD~WDdbe^cyTUQ z&J`#v2)G-4?KRvRP|o$B0j01@2Q8{V+?e36sLuSN&f;Zk_cFGt0yn|f%FyJ%Fg8M@ zDlTlB$pY9SP=Y+~a_&tBy!m3aAamLB4a8pr6^}gTNr-Nts*0WAMduwXRw7xjSyNvF3wgM38F7|2Jc1I#)Ew@hRB%w>T zCA2njHhv;}!zSr~hX?pVBLOV=I4tk?w$3b%!>@{W8r~k~$!Q7JO^&4EYJABxr56mL z8&UrJk@k-x7OuBf;2L0Zi-s>F3>sJX5PQLZS1F(Aj>h5XY@X<7l3=sOI4He%s;w}| z^CV4n)h9u0$l-a~*4E2=Kh5Wz(h*M$+3Gly#JfDT)$N8J)Kg0{@tdau;E|;P`!Jwg z$6=<>I{`2AUr)Tbxx!Afqn~`c64=xF_Oslbij=Zz8%>caEMFMSwR$Q@At{v;-TOTW zjvdKB)+i(M;92>Xi!8usVm#@P@=&DsCCR9&V{F}~{k*^j4t%NpO3 z68REuxyMLnSFf(y4GGJm!|EaOafY44n8#+)Ugy_yja@&{Nr060WVe3ZnS-0SJn*#t z>?s}lkv9Ag)74D}Nb@ZxS)~$7&5Kg@bCO&=6mRjIk5d{zQ_uR_8)>bxShVUaFdNtOLvj0?A-}4D1lUL z-C)$Vzx}wd8|45$EDY6n37Bo~t@q84{z|PkiHj!1~sR*_wJ$>+8w9S0Xju#2D z0zr*0h|9p?H0nG9#mw4wHDdav4`fLDE(MY@!P&OPyAifm#Npn-;Llt3>w?<-PKZOZ z2Xwd@r?bzp@?8S!;KWoPqh&KWFlprvGT6iv&Qkj#GI%-8&Oa}lQ~+buBjRO&KaojqYx(l>U{Xlyyz6OQ z`7uYeQTa(Fj20W|M;M2vqb}ajk7e6*;^Kn)gi++_ij}BwFnOV)Mk4fOz<95nKOpKN zqGPKsUCj2)(zL#9*&la$F88CWxD2{;>oMsmvC+ z8hUd-m%SI`3hJOXr~3OK_HrEEtlWx zK6BF7l@(^oN3tUfWL;c7cL()%Ooe&)6K&+}n-+)9q>_H)M0t)unPTMb0HgaQ`&K^R zoEuN?Xoam4U%jfM#2W&Oxnm$N0Dl&c6Qw9`p-xdqi5e_=+_6|mL%!9h?Q7mD|AIP8 z1+#Jy&PM51dRTTRnDq(t_ed)zL|0U^w4F1Dx2KKSC7ZGD{w(j}%a21^g>Nc4`kMt@ z@~ucYlIB{GYJZJWd{rvt?QxceCD+Pi$8vY$TaFbH%56U(X4_6vF)4JOTkJc9lys}( zd}`;9aQ?$F=AmiZ)*#mt3;dts%N^VV-yZCnuacj@q23)sJf8s<-0BOT+K+Oz(HLz% zY`E0|ivz;#<)oyep1aip!SnL@g8TFc#Yc>*8LnSBsDG|2LPeEGdPDA4#r_g^?N#=H zIL9Ha`MYGy%SY^n_5|J$>2tY^7}?EQXAa%kdR&@=B{I-;(M~+w`)F3dlJgxnkMxl9 zkt4$x-I*!FpIrM4e^k*D9pTZv@5l-?di9vCdf!5WyXoBV}5)Fuvj7 zu50Y+oFdyuYs9uLQC@{Reg*Sy5$gD@{M+cC-(i<)66!e0nfx!N03Q8nA*Cx&rkgtU zYVDoe2`I5VBGxxmeQ>I)T}w*%Oa6B4&ne0ljjs{4yi0~e4#>xlu|@}L$ZHT90mSrJ z{!9Q|{=XwJhr8rStNj20Hr}%UaR16nQOY*?=aXDZQ(9Y@6xarjR5Akh72VD@(@MARTb0sR4UZ51 zf^Q@DRlD2i6gi;wO-6D*H9ixrrk)QWTz%pqc->#36PLIY-vf{_kyb6S>p8~|>RW;& zn{6`19sU_e0z+7N5J|zv4c>wS?o;I-fpM5v>pIypi0hj90{39v%id#ij;!g2d=IN2 z6+sy60Y`-C4_sqhwWJ`k`5(;D&E`=lf%*F2W0KmJjshAWDL~{pP{7My#xhSqx8?3R zL8F%WZ09|&>(U1~=a?ra3#W0v(gcd9_D6@8wOY{TE9to1-yCb~q2~r0PbJ`Vo2D;%5hsVHb3@Jgsq_mL82D z@apAzQEM`v!QX1QLu+_02$oxG7Hk`NlH`%7Er##uYEGk@TSxI0Tbw~YjJh9;dTn>3 zwsPJ+egtNl7}A3TgjvAR=2<{9#39lI@4OAY`DRzFvMHwWdiNs`W(F?d&d z#xi&Cbw5AaG?qRaZWY8y-8a|*E#5%0?Oz#vigO8cnMc5mYkWNt>VC9h0CHCG54XO+ zGs0J{PSKT}#qJT2W#I#kyu|QM&~9khDY|S<9es^vn%(&jXG_@huSV55|vMB&GL^yjpw-(<5o&r8c#E+yL!`<$P0TJqg6^|)lRdljrM_g!D`2d_dX&Um(0{5qUkn~mMAmJe?nSKDf4vUdk#KkxDg{DzM zitNTgsFL78j%gtg8s1qn44wUz^w_kGZfn%TenC6imP@YLXE1KK87kL0clK8joWfC`UDm5I@{TMqT_y>(6pZmF5sNqt>Zt74c=AaLh^DF zyqly)4X&q3nvf+|3qpNzF|t%pEETb+%(#2#EBLH9Vq?+=BzcFT!N{kMagvRVngSmUZ^S0qJ_-dU}j2usyWE(I=tq zGAS_Dt@o`}J2H}*{zkHVKTQj@!hm;GO+w{A)vXD`^7Uc!qhQM`=XH3EcP7`5?G@s5 z&F#pwh3)u+Y;o`G8bR@zi@>lO`2a1w66~60Ijf~5k@Hnc(}Gi#5wXh9n8@+{@B3a- zMUDmsGP5inFx)Ip!2T+CTVMm-blpEpWV`{D$Lxi>psb*o~Te-e%Xkyy8c$$F>wt zqo>Rl(Qv$!%|=D!Di<(3?CZ>!j!c^^vr z`|<$@ApGCU>Q=Ubz3_xzVnQtdb7Fb~4zdo~_8|Ejap>v>^ zTqOsGOG`sM<8lv&CpZa_AkRVe!vuLTaW}xKA5Ggh`gfFSw(Iu}VFq$R?U)C(#^I5( zW0|eIl^05vQNdqebbOGobr#BP_#Cd`tNljB?SXU#xf+@0TY$x5O%Y#YnFUq{og?%z z?Cwo@u$|`*MV_}S`XJlMTZEa{hoadtQN?J4oCS}qe1LwbFhn_wgzWYQsS?=%SqsC| z%JZ3)c#Ck=QpYd@n_ob|t>*`z@vbtHe^?Lqk3Tcts^}yG8NkF>YkyO5y*%YYv3I|a zI2*R!ixy2m&6#L+Gg{IcHA|>%>bLhPuc$lXAfo?@+P6XL2!-J3k2ptJPP8~I+Lo!* zRxqGKt)cdkw+B?7DjS8Gze3IRsJRbXHy6q0P}vFrFAHXwOq4ef`x3(qL*qLk^%s&rhoL|s z3cRC%>?v+t#XKbVA>XKSsZg`ik7n1P);Bc=iSc2ruRo>T%B5bG`WnX#HZTS|KBBff zx9mm^$eUgkK-d4N=*x)k!ZyuWg8Pi6(k^p=Fj zquCJ97U$1JWjzqnC>LTTv1}RIR)oO2E7TS|AWzUJo3zR)WV>UPPFzF~@7 zu@GK*1G8@=@hOe3(P8YXNtP2mlzf$;X9BEKxv1@~n^vFU5^M7sd?5bY2!Z(yi2Ie! z@eF`OpG=>)6C#g7f`0_5%18VNWjt=*Uj0x-CgPemrEO3u?nFC7AgYJNdx7jh_Nsip z4u_;X*Erz)$3cI`o1TNTf?w9c8gzQ^uF{EoX4QD?yBH%+#$|mmM2Vu|ygPv!r4HhE zToCH1y9awYkvmmhN^z-U(EwDi7_xk`|4cNWUgv=%T7WJ52inyRbu_&_nu`4|Zp?r2 zeEucP{ol{{Z*-XQKTnKi!2cIE6s{8`d;8}>Ncw}E^Z$0Qzu-szd4KppX6BsP^|Pke zDgP=!Gz-|;Px-(9`X)E%&7c0qAODeYKfNxRd~WTR^WU!XefXp#P&w{;S+Ma4FODXcPSvR{PH?^}v1pN-z4)@1yPTCu`e3X>tE~ zDB24DqVtPB(@oORe;$P$M?g^gf1PRcvG1Sx3xJPCrcWO>d*;kZxBh`U`QaonZhRR# z-ucHf8pp=R0C@snv;Th>)lCOQzW)n>@&BmL|G#V){YQvVDsLUat8N0#*j&gNMic91 z&6(oPshc+kre`B>{&%2#+@*ll* zH#RyH)p`>iLH^-~s5Ai^5KOE1=R?0>r ztuHqR9w2&Jz7q9}v^fxFn~iJGO#T_Y$E^Tcf(#6Bv!nO-6p&xBQIO%@IeB=t&xn%X z46ipYd;n>@+4i?2Cs(b_apx7M_=-^U8FI6|U2vssI;aV6_!Xq{dAzw{U_Vvza(vi` zYlN9vkK!vCsM30T*+AfOKT1-d4t@E76L6BdKq>j|=7l`D_Vu_wlyQ$HzaUf#QXudU z`T2G$P8POk3Opq|s+j`W^h#cSnOddE_0`>rt0DJK=gH0UNxOU|6g-Ox>arv|JkHb7 zVok0`GC;XHpjvYCJif9fr1ANP8;=p(T2FSay)O_Y!Y#Z772APNzZgrn7!lN}m{jc^+osy-*%Yu^NSkv5_1k|4NKnrvUN3ug

m z>u~g&{G6i2nn;aC$;JC{7MkfD8ZCW(=NX*riGK9v5FY=)@lf9UoRarqGzGaO$tvh7 z9#4KQ2&)wdGqfJJuWU`MCeKrs>B~Z`$2H#k#_x0gZ6M{tH1NHK|NXDvQW&y{Ftq+{ z#QA(4lOZ|`|2YV=;h}T$VQd~!eP4k8oE&0Pk-D{?)vDKOOe&Mwsxc93j5SuR9bju8 zl$n$oXN@Pin5Ac@qR>R$*zt!hh zb5p%mpFYo;uRb_hei&|Q@~i)LamGs@eLK(8M_*_SB=t4*vj(k2`u=Jt+Q=;9DpSZB zR!2|hV{1O}S_S5!R8`>eL#?&U+62 zW${R%|VUh`P<=)|4pO($BA_qpZ_o9Iq;+S0LqP-gg$`mzWD+K z@68wVhu2j6fxklb{}*UygdWBt|LhEE=nQ}me*`1-$_(5G?lzGT=8R zq*reN1pT;s^5Jj>;6(J$<@6{?lZv48!T*Ncd;&e(Mz0=?9KUXgR`tK|-3^g>1OBM& zLmK0q8pn$pp|Zc*0O$NKO8g(|8s?2zLtuH0qLfF%6H$x^jnyDEqeZds*1#LXI|1Ht z@QxAy0B!Znm+sHM&=8NQ`JL*&tk5Q{{?CIZEi~WFml0+Dhi~D~oA{1D8v?3B&2cu{ ze+|hDwc2KzJJ%Fz#q^sYlO|bX21RQQm=n+>cyXLnrH_TN3ty5u?#Rip*#PDYm2Xm; zwAR?zO*zq5W%QMks)oBvnq-QB6X(JUPu>GJ%gM2-Q)AV;qf8CRs!ENq#$~HA5!`k6 zZd05-)~ZTUn_~N^^jhxD?J70=4lbnE!ZWCnNUkVW#a5LSVeRvS zR3@y>IM`rP>!BU2P^$zEB5QHJ3Wkm<_Mwbo7$WZ;C{9(W-*pt5R5)!Md|^^&s?^0# zHY7niS&O$|b#zRc$kZg0DjQ`1mL9q%p0F%ml?5CC(Cq3#(YnXc7Kok+V+ZS1{nV){ z$4@)|z49xXrq}&Z`Oj;NyETs84?^X?w&P~y|DOeo_S66KTl60*|I%>{zwL1V#{X#r ze%+z!HyEn>PuKG%6S$RObWv(?p812looD|9u(MHsdS=!id{Wjh5TQhb3J{C|C7H}W z*xmmC&CCCil+l8J3PGR0ippq%)2EYel!enWL2ILa#^hV0YA0O41Uf8HWfUUdb`t~} zqCy{JQ)*O?V}=zJ&`nM!8iB9KVT9*oy#tLK^~$4|bJ8=aW@%M8WUm9BXU(*FiNIgx z7da6n-6XP?@eVWx5X4&GIVU?nw1xz*0nGqyqdVzj(CbrpR1v&MN{;O%eUavXin-M1 zU)bwE1x9eTE=uE0zl@^LL6z`Nj(7^vxk-Nj-9;aFuQ1XF%w5gy>J?C1(|kWGyamv3k?<5e@1f>WP2qiTbH*D^LE(JFj*DwuffqB`!DhBF z4&>%G1jYcCGz`ely@5O=ril3yJTp*U~@#K@VaG;+4Xm=@cwIwpKT~J-T~F^7X|icCci%Nj(mSSvCz%7 zIh6F1>hOx9d6ZcVlZr5bwBmjsQkq1n0}#R=6;nJLPXJlUJ?29!=qnuc*CObc6<9!7 zc2;hPVLDJz$py;g;AThzAV)LhwJ^*55&H{mm42WCvWiBs26VwgtH=vt55m*^q7mQ1 zJkT&H)LU97dWs|VZe+L;=bEZx!#d;Z)VyBXaaOcKW&ntAvMY49F0GJt(hDLMXJW9v zqAtpsT3Z%Iy!bC1K8=t^;5q+J_E2ET1TI>R70NBc8OH)zG#xn`Iu^m^sN99jDO5;| zDhUiUIw?P-qAylX;P7h*(yco@fK_0YOSkYf{PeS{Vc)RInY(wdAe*0x3oR+I@>MjC zyM?k$4lRX26sSXFuvCIu`Qk!_ZxfTe?PLP!FRY#~XxxegV;GovHE?FpbGl4`r{j!DLR~(PE#$aZC;>V--$( z)h?A@KRpy5B18BA7fL%iwemFNfNbg`UBt3Y-}c+ZZ;i1!KNKaGOadYMt$1?XBPUCN zuivDV<5j{;lIOTvyKhVD#wd*TRq<@3H)X7;$Yjr&{+0%zk=3pm1sw@dzI{F?N zxE9r#x7M^`V(}+qW|mJuu)B*$8n9Q>=b)E?fG*c%kQht7w9uwH}@L6c486)^BW0$$X-d!d{>72=5Sg^GV`kG)Z{e zKOgar6O;QB=xb!O{dwPZj#jpXj3=~AV-@7cW&&^^0Ah**K*N0#nZ6-|Zg$OKq&>k) zXJ7K=Bb;n#NaT~lpCYl8Oy_fjJwW2V3<2>z?+Xk?{yYRq)g3*_er3J^zvAgBhGy?Y zP#EPSq&p7drG4s27snQZ%$~go)|L+1bMF%dGb4!PnZrjI{benQH@FQz#|@Gyw85~# zY(5%qKWZGnFbg7|qbxEXCXBXcv_Nuh`z58T#T;R2HN%|P&F%0095jCmjh4MBw6bU- z!N*97+=^&#^o%9l=r}Kwc=h&&BD=&Mkc>`;*^i>Z zK7G?H$3QA9tekWC8L>gI6;JKFD>NO)i)qGw31~dq!xT)Erx9jx!x0=2mf)x4)oO1~ zobI21a6;{|z9!HC?88Cfp zZ_16=wLnPMFkef?;^Z;~*`M%eVBUV5WQp6k3J?JZyKrDFB6CZAMpBHJDooMHZ0WPu z);ia6GAYX0LpRZ~n^G9XLvfrPl6%RLU<%t7pk`<^AU9!@p=ez_f(d7;y>Pr;&7YIf z8-EaGGKl^I+qhoF8*yFtHUN)nfXBRt`4&%*ZfGQ|T-S%Xw6ZnK_LfkVaR8M;hXrOk zu~S!KL#?TRFL>Xui~`#awSdM>9O$NWHmsb;j3NdAY0!o4#1me8f;>qt8C$fZ$-9}) zB#psg#0szxQcrK=N^RC8a+gLfUNh6C+#X}xNKdcsxJH_Ni)}U#w6xNTN+JLjejCjc z@#)f$^Doh?v*+n57{YhK5FW@Sz$X5c#nB;}#%*?Hb6#dZU=_w~_6Z>9(M)~LdvOxE z4*;i0DUqRL&YR0=>lkcqRDqt-*p(X@$^JM@^bK0k%lw@)v?PN#F@Spn7=oRsZ4Vwo z&G3OYh#O(t-3RacVeD=3Pe#HPA~bwb;zjm_M}MKI9UmGRQrq3YJm1Wfho2_WL@pnw zH^?ZB47mdt*dfK(9@Q~iAz=*mU+sMuE;L_)g`CyIn}1`Bw;Ai6H41Tb7<#O<_k}m` zLZ$!@Hkd3`zr+x$p~>J#ju!@P$Yv9@!1K&%tp%~L)P&B_L6A~YIGomj^w3bO2TGVc zWZMxhtirCgvvM;g!y)0p-R!vvzJanIQ8pNV`AWk+|0jsl0!@Ab`*@t?UPF1B_({cH zBz%FFX=IaUj}#XBbjNx3@b%c>dp73s2hKy-L~1`%3j(z7XatPRIe_u|xwsnFlEjuN zAUG}vd`IXjc`U+3bSzCVR|v{xEDXYO!AOv;_zD%dQ`s#kVC1#44ev30WQ5R{;aBIo zU#ZLBgVf#CC?CdPz+To0V`gL{945WUTzMR-KMN`@)Q)Rgmos~XdXYbxfJfU4z$;*H zO#+JsPsJJb!CaN|P4uIyHtD4G%AC^=f&^!5NtV$c}r+pQn+J$Hz87g9^dPx2QoYAn27 zuvsJLxvp~NPvR`GTxflgY^|u9m}Nf4+P;sAEY-;GyXuAdYRm6{*OYs!BbTEKi^o4k zZ5$jA(!FgvxOFt_{`6=^)IOhH$B=*&+eVB(=)4x`Q%1qVi3cyMh1C07Nk(KE$3<$} z{M64SGgkpbf)|lO(PId3>=rj(Vccw#og5y^3}H14wu8bu`7~rL>6H#R!44inG*2~CdnPU;W|ks+wgq4w*FZ%c`7t^WnqAN zF<+BPNU|J3^Z)=1yOXQ0J0_d*LP)zmY0SRW#1}{tz$?3i8Qb%T@Ca=~$yR>=38Nt4;A9ZZaLc~mQQfye@o#7Ya@nk)T@EstvGR4K~>d#hySo$tHKz=1HxF6}wtF`RI@yx2?5PK2E%88vg zh%>3x{v;lILKl3@xLQYg8o!LUJj6=XRD`FQ$)Cdv_!~whjl5$lW`oQ9ZP%Lxhw;=?eohaIEmY*t28@WGENRu*V+KdBxq3aoJz`pkpvfGAGft z=j0nY$1>f)2K=g}E|q%B*LB7DVA8*9xK&3}xH8~bDN92_At|MW#0dflGg1*Z6&!D& zs?354Z9bGZ%K-#1+3uVcoJ~WH!h|dB<~wyQj~R?Q!x9$9({SkR;5;mc zUq-W6AUe#>E?^m;rA-jwNkb6o}i_iM(SiUbQybTq%kSo5uYB>*i z?j&zZ^XPbcIYf?Z*iyfXriVvjjeNn;*V?h(woW+lB#^=wXBatFI>|G2V>t7bh2}bg zd3=J!F3_>C>W+g|Hv*!{_<5jKla{@QcIGFqPe)EJ>z|R=} z!2?1}Dw7)#85SDMogqu3-Gcd!t=5t!Q5HAQX6K04cqx$?&!^Cpuy0i@IzM8zM!s*D z6Z(}*q)Y0~8jAGa?hJf^?c-Qefs9mj0rF=1aCcMV6{ErxFNZEA_tKNzWCiN)Q}q%z zie|F7rPZT@( zBs+3XZ%QFUNgur3HZZP!D5xPmP6hrEDzImJ7JZY5C!vGp=NX%cr9ZOiS}`$jwJ%xq zSvzqYoYnOO-%p;%h@OjiqQc(6SYFnW{y=ZPOV%TCF);m4#CK6Asq_s&d?H^a7=&wJ z!khsiJAS%BX7E3#BA%r=$`K5k#RPGvFo5>KX-X-=93O@(-a?E0 za4>)`dQBWR9s*A?z?44#O@!LOLXb_I@hSp5pO=8`vjfpYaV9yfoWr6h8SO__J|aC0 zyN1qJJwJ+mI)(I+uG0kmcll$aEI@_(q~zdG2u#$s`Za5pW)`^6;DWxt_RVc$;dHFz(993vy% zpleX6V_v-Ru{i%RJvSMA_|A9j6HdPD+y(v_B*CL!e519-arC$ML*qq#_c);$yfxa_ zQpu4%Jk!Ao1;$I1xA;dO@(h1^|KDKEe4Ug@Jvv{sEOZe?>|zIKgX6?Ru%HW|-&F^I zzvsQ8o``q{4K&ERK1 zf^w}g9r53gUBYY&wu2kWDv9~!b<{bJ za-3sZyx1eOs6rL*E@#g%D~H=s;~BF##lVauyzmkz?KCkHicF+6lX{AG;Vkl2l?w&q znRH;_VrucjB);g0c&C|t1=O$9AhBA_HVy{8RJ#wYkT1p;-B0WR>0W6S*&_|*xXySm zse+?L@5Npruxv?uXq<5ehlhfnBl>6x#D_=8M-W7d0$9wa6QppYoU(y*wUA6+jzX({ zqg!d8@@^)fFq7^8C<8>seaikEQdYdgps?(m1m!#m=ZRplPvg%Krs%t9tobTQ6M8fA zKow6sLDI-5h@^rR%PrIn97&c9rjxIUw_ppY;MY`jq51?#tC62^#A@vq&Ak&1)AY6x ziN&v8`~=uu(naIxt)ii*0GZ46FgJ1aum(PXAl!mS0Wk{UlpfKH>$_^tn33_M=^o%c?k1p^-gsM_prFrV(=FNa21VtCre_!%!B(=aC73{C&I`@}(i zzQ&x9K;KzuX!tuSb`2X)$@A;%?WNqxB^?XQLyh=|T!E?|X3tT+7pb>T!Ub(#(Iw=$ z@Gi()Ca=ig*h`y+;bBLYy33poY^o)FHS(UqMZ12ttVr%mg7DaD0!yZHPWvSxm5#JM z91j|N`{5ss4UHFiGXBc-^lmYnrX#ay`KCtMJ+d@n6%Ho4$E)RUyhS)fA8?LI~bNCWYcP{XaL4ao;jR)W= zLk(+uNJnzf;W3xG#*`l*dm2(m7RNA|AiVbU!RKI^AYra2`R4F!rnh%(!yCMw&V^Ep z;`L;-z@GdBO40y1^^I4F=;tuAC^(vIlIt)t#xT2Qk%*Z405M3){NsUX*0nuIdIKZz zJhHh-DIHc;hU^w}ubif{-NPDQV&r}Cwo8&h6^9!Q;CiNmv11$_Z&@$aq@ki(WIhxx z_d>4HICg3rm|7!+T@e1~AGO@p!|-+-xQD0P{YJ$1CX1pD?*VG2p9l+zQhbjXQa~WF&@Upb>nrXvg=$3R2C#?N7wY6y$D$Fy7rZ&Wo#84qDCb z|J$yG!JiF}Yvt!iYb{NK;EFxs9LT@WcIdOsIHHli^4&MM^f%Xc@ui=iy`oG;r9XjS zYt8#rU{YMcqA&*2KvA10XTaw;fjnujOCltgoo z&T&4jV^K+VFUvMcMv@mGSb_JU8GK^hWocevu5`ClOI@Ns8(Ec3eh%Bu&{J3f+GTlg ztoe6+C5I>BY_jOI27(~-T{#pK`7-Gm(MiW3$Lg(>=}kp-v;9ZZ!K0R91Fx9BP7e1( zPLaK+2M}3lT>u_oE#y!&Rr-??ffr-Ur(o*D3&F++x02RVyL=u(BT^1{!NThhn|u}G zBPVGRO!wehi7yIi4QC?#L@TY5K5E@gSuu_4i!E&(t|3|&UbY$;X1}AEOGM;Ug^>r z$WNl4_V!*6^g?wwpu=FUp7cJ#jFh4i;vt4Pk0mL#a3fi&>wwTM_Y~74Y+%*0z#4zi zm6U1F45OL_U+I3!!PL`(@NF=^_%y5a$~zp6(0+Uq8E#-lT=|J~+Z-%S^S;%(Szwu- zp6}Zp;aSokBrwH}r#ZrfikTMNmu_V^rpT>7`k^^nM;+cBbb}A{b8AEE`OL_ez;_tB zsBIw-1=kNIV&NHD&;HZ{0_nd(ycoM_9`4cgp;+j4`yNKv>t77a8t4(ZB-Ze_>02wn zzY{|HgoK8E-uEM08HG>sHLF4e7tb;Brr+zQfI-YIa~R*u5kFuC8SkkUP4ozm@kyuK}w48d{#4}0$(7e)E^4`0`^1AD>Fu(L1=voH&@uq(UD$`0%*E1-)U+*Qy; zK|w*+1jPgeMMDKc#XRHz6H`kQ6H`l5N>lq*VyS7FVOm*QX=+(n9`jJz@3UBby?^)j zdA*+d^}L?{?vg#s%+BGOYp%oR^FB~(?5|Kcw{WHFgVg@{8aP0W(46UP@^D&_9|1pE2pds^8Izp4IQ)53aYrmPBDueC4^D0IqZmE3HEzE z^rwQb2;j;5(J2U5S);KsUWR)%u4TE*<&2lsc8h|C+|dWoUG065a7@gUTTW`Tv%nsD zYf-dJ_qLX6Z)p;8gg?bH60CPBaS22dA%BP^ilXB9NGcPi0b+llg#(%)S%g)z9XX9Z zM7o4y1tMqqgJvtL)20M_f00{$Fb1hA>ddbx$WRa+87^>*ZwaaeNw>O?%xirY_tqsS zuxD{P7m~RfW|RpH7HYi(D@c)gMP$>sQr^*+46;;(nNAqb){36ICGlc+_fSNCBQ5ar z#SX&Afbt!}S0G!5_fQL{b=8}bu?v$H!VME9S!wKp&J&bX?`OKC7N;Tqgl95)3 z@gNv`EP~lINyO8zr{JKMIjumJW3#B=UHw7iq!M8d#IYzN>YZAOMdMyYW+fl&qAWIa=M7zyvxIBHUlrK1B^qcLz{8IbVZSqh(A0Nuw_|{NZUL7mTHWEiaIC zY70m((ii4sB5JMpEKC(}Fo zZ&+SyUZ*$Hy>T+-lcOY|d-p*S#|}-vmduTYLE17k04-S|83!AtYqY_p+rj{xc%%zo z!43mhhc3BiJw(jjF=)M6?H4IJZvrZ9a>pQpvgV+(AK#mb#5VdX`Y${aYlJ-#1Z1Ph zFJQAx2lG*QJJc3_##AGQ+J&E`DE-WQ9E~+(G)TO96wKUit~E@8vJj?EeAd}+p!r}Z z-|~t0JszX`gE{yc_etXtP$o0X<Zj6x zm}}WVZ3!!xfbe}hz)&u1poSZ&Ak-X%KXp8V^tZxNNwR|Jm8<-%kcDDTwg#Ksz0voxg)l@2YQ8dQy_pH-Hrz6ALirq;uS zw5K@Z$w)p-Jtxq@a#TtQ$OQ&soI>sAhndvsC`J0ZuH1CmXs@m0}QBT-28$$ikE%oJkFqTTI29a+Jm;N@fm-0)v>G!nufQv0j3# zXE8XMPNHJ*t@aVl!3{4uPeK~rda;rFcV#?si|(pLkG_ z8R4;pRAxRggpfqKJF|g6e^Y~;r^zDs3x&?V%Gabr`f@@R_RA5{Wq#D+T0dV{fiE76 zKO=*5!P@wjIf*QY*T&z?e1R0%?lq1iZSY7gm*LXfY?PUg)5Wm(yT0`8a6<`p+nTu< zcv4!v4EMu&VK}v0`)nHAwS03@2)WCwP?)dNWVpcM*@orPUM)#6{D39*J!naD-mwqB zFjF~84R`E8t}|#)rB{VZm>WTst;qW+%p0lkFkFjQ>ta<@opD?r%2T*6wJV-Trg?@_63)NRrgAPBj-4UF&= z6^|@wDSBK)YeBV%;<#ogsqx%L)HrlF`CnAawgVM!&`c@gsK-^!R2KBX_o4my8T#aW z)v_OrH?`Qu-p>!PAWC@+K}Q{T|ZT(&RiZz zCFqNJZ}+on9Koo<@8D&fwVe7((>sv9>Rs0u1!G-$8jb{cjYz;KnU4liV@)ph2w7l` z>dJb}--bZYXf#y;F;pr~JRqA5n5)=4l#^XToVnrn4%wT8$kvE4&0LgI(MPNX0VU1=0#Mg^lk4=Y$mzJ+kWHl%Rs2(SHPS6o_~|}YnO1wh#j!YS!7<4t=Urmd#X70Dr@;t{R>Et5vmsNN znLZJOmcd{SEGaX@V0Pld6y#jYCGfjU!H&~@MH>)r7gghvAZa&^8&AJS#RFL7I%sO_ z0?lqqlT4FXuq6{PdzX}zV=QMZu2AzDHH3zoAyjw$s4!ij8D@oEIrSnJ&0JICz1K=; zRf|G=w!F8%i6eLp57Mj+g@ndEol0eoK)8kii<_KusN@SabVH4e$DY@V8vGPsN=h)9 zHx21^(fG&Aaq7At&TWX#*{a>o=v#xQno;Ubd<9$RrA!Fhz6y0;{J`laSUj(Z=W&E~ zLzHPc%{r14w^mTELx*!*7@}L)m1L69AQRkNMn_0f5Fd(n!#F+U@(?_Q=D5XNK3fmB zfZGb0F5)Ina?$1C4Gvu42tzxoxG?d6>!qw`5Fg2w$Ddcn2GQkOx{Gv4PP&^ul6b^U zs|g_Pv~tKtHi)#_Hg4N$IxKaccrE8gN-0FJHQ19moDyxb$NoYwA_BM+c@1m%Bf>Ctg4}Xew=$BkDjE{?(}F0q{RHLegU8og z0z=d={f@xQJZy4}@#Ns+T(A6WtkHEu5C>KZGx$<=51*BFTP7q^Le8Rw3fnfEmn;DA zZ`EiU!kDQ3afU-XuW+rPq+i3Sw@yd8QC7T^ zb74At9HQoV2IMH&0|g)!U~!GATmum-<~f=jfNI4FxR!UB^&e7gbg6gBWFIUx`XN#FztK~D)YSjB&ATU7?GeiKu^au^)?+3{`}n?{yZrYdEa6|s9;X&R z;u$|Isee|L)l^s4S{|)@SZ4pM>@+~LJkB`oEcnM5$p3wdPFQd!9<$U(QGR$dKxcM- z`+Maho^t2z9({Yb?W3=MpW37E56|twM(=+cz0&H3&v9oH`M-_cqt?yxPcQNR zZ=?4g8ASVk!rWZf0Pc*UlY_UuW`vJk_o$8TWDxlXV%c88cJ@*};SgE~r3|3p!eRq( zYX`87@UhjUrIi*nfa{0`r#`gN!c%Y>egfe4;SZba5X%b)cOhZe#HDpIk|-0W=1q8) z&p;5DDxo#6bjP9ahlHeH%Q$cx#v2})QQ|(4osBn#z^oE5dDI;g4I0-E?dKvweQc8G zDKtbEd2kvEePWzb? zh#|rx)I#+a;@xY&wuWDWjPyX>#t){tQiJh2WXLijY6=;^_mNxTvrK5}CdAJ5!LO&A zVOm5F2lK6Uq|P+d7QsKu4}?8^3?zF&=-D)jTgV~3SozgizH!~{F*;byZ01hOl@z#59v0!8aA?;W; zQ~`Z5{o>c*D%Mw99 zNsN?0GANc?NHO58L-E`M>OHvCKs3mb{w;CoV)1*O8fGg$l+XfT=IJ6C#w=@9XE9JaHK4kH`km7}_q za-eGX&UbbT0-g=X+qybH%$D%Y;mG^WX7;uUj7u$=cn1atPpqxELVm+LO0Rf+!Qt;D z;zX;{G$>Q!8e?)g)c*Nf^V5K+K9bJJ(UrD%1S*%ZlM>vc<2H#b7>=yvBo@NJhS#jU zI1XPH54z6)$H5xLuXpWZ&ys#zgF)ZA6>suvrc?1<@;+g?VsS+7J%qynH~Zu*4UXid zVFNeSIv6q!cX3n8%Rc9+)+SXa1BSY-pGyqN%+{8twfhyVh2j89A(a`?QV9t$!&_Lx zj=`RX#23)XCF+*j^b=sVnj%c&MuUGENVe{y9fVDrjLPYjPq~*!2tG_Z0PDty;3S*O zoeIPz(@kee=)T`rE_gAG!V7>~wgB&JtcF>!GZ>2cM;v1N)w|d5YvXtM zS&!%>IK}z4u7YskoD-nIq|e=(`LA;EjzbiRU7QSpUO7!8$>OHjTpZr!xqzSNz8c!8S;9uXbn54Pmi z*MhO)uJ~(HzMzA{rS(M(%ZqzC=aqKz4idsk-vT&1&_WwM;zDwq!`aM>M)4;5^eruD)@Aj<(%?#6|9Cyx~0lr2~AN{ zMHYZIsMyk1{0P1_n`^`51mA#n()s7;0a6Go><|w7zec zkTz0AapD%%=-LXeYH>3(z;U|GN}|Sbthyi$70$K9`C8>c`8(4Wq9X&G{s1Qn!8Mk( z$kiR^uo{;I_sXv%JMdrkV@RBXLmGkhGPIfRWjzY_hVG?16f7Q6>xijt_4iV5nV=WX zL#uB1B0Uv#4CDtDl2abs-;*ntATAH~CzbbtshOE=d~f~wKt2TjZhEq60w6vcR_km* z;Jo70wwhWFrDhmzv>Xybxo$c!sFRVffgI~(Bs5BnB-B2-!3BW{+}s4h+TO2;OS>ts zVmEnx(?ovp5_~pCD24YOt<9 zZ(1czhB_-BtwFx1eyM`(w&e<-%ru4|aCu_m2*4Y)gA{z}+T#Gf2h58l^sj;#?pJFFFQ1|r!Fpt>=(a;YnW6T2&wzb8_p@Z{q*HY_)k3!!l|xO zz=jVGAmhb@fE1?+beBRTmtU&3V>0zw%`f_cDrS3_=M<(J`;l8XnCp#4a%s&IaQ>}# z0Z$P@_tt+FQTPLsADNYf1hcgPPsC;E{gJLZ2#eJq;5|fPp8~4$4dX3yx&x_CC|L&?#4Wat!!L73@Uy#yp6Qg_qyWF0wxD9wO@Rwh5Xs8B{N>lnvd#76P!=~1Zh zj_3KJIS7B~Fes=3%kO^7uAtFhqaz0HZ0iQ0Jf>IeCtot-rmr})8GTEDgO))gx$sA6#SHQAOJW~71AL2!AMq% zY3q7YymPx@N?}gZW`Jhi2bUBLufVHepOab!FwX{g4&zYw0a@+0+;qtd4SlJL-+Sv6 z9uE!xTn|}xS%WMTlo>K?`mU}#*r+5e0LpToP#XtKvOHeRJ;LqH{Gi`LoLpF4>`M*>_;w* zwY10y1RC8*X!pcO(<@X7JDWt>Hd~#L(0k801}TqE_gFOjeUL7nw4cU$i+l^ReT!4A*)6Ef%WW+VH9+(hr+K1wWJ+okR3b5b@pe zLcEopj=3$HnLN@_N-e_!cRgq50sV*<(D3iGtW&~?tO{u5@523@03EK2JxLYe<-V~u z%#uo2_`^40TyB7Ix|?goEOz@q=WcA|Kv)uQfsBR56DW3t@lwg<831WC4Z$baUO3Kl z>|C&AFgDA>On>CJ>i!6Fc4^Kfv33`TSvwci%rZ>&yba^|xs;V!F;9P2A~~h)vLk5g?g-zs1UlvmX#cWOFc?#O)&je!H%ht5odc z=@1R3A3*_2gYu&x2h57MS@uYYE=uKi8gYl4UUx)8O`#U$KMf76b~h;eJKQqI^bqof zb41M{S7Z8i84Qlh`3E%-EWQe3rJ2qbK%jgX%It%eS{!~0!qPN|FXx^ko5V!6Hw;$F zI0K&1(CR%^VWOsbPthtIW2LSpLkYv2gIs<+;n(K)d znr{1;QfeJmFxQ#1`7+&GwB#3f>QBIsT=kZLcXy)-&xDS=UhInZ2w^yct;1<`IaE;- z!jU!0D8t22=;k)zSSq4?ad}q957-RKSj4Cs=hE4QdrOLd8jeic=;XmX&%us~VRW zUNzk@KNqBnRq`Q1oM^PIPlH*O;L#8vf0kV%v!2J2I*pKdR1%j?37k_uhQL#~g!av4 z%lLP=Pbo7X8YT$(ssyUYqL&G=y8U7B^uLffq;`0b3~c`Jg3-+~YOXDsVl)n#?6y1; zN(7r|90gn~2CJOyOdL}+oLQde>?VY}mRF^cyqZ^Vzm}Ca!Mk7gQK0o*=5!D>mApu$ z>7Q3z{DB6z2eG^%7kXfmZ4MsmJ^`a#u$hk)`jBbX8Z5Yd4M$!gDLvd2i_6Q30Yi{G z5-g6C?6*{3@rp@ky93v{Nw+F0ow97t29Y;^5@k_n8SK{gfZ25l^n|wZMqG z>h>xcxXZnvY8^S+kO#!V>EiEFo*cHOLWMG5O~v6|_yD_G_m>(Uu`SfyV?-0KTv7T^eFYVG`5O@f|gG>?Fv-4kATQC{) z$*IW|FNwXXu`BWw%t0R3#WDYfPhj?CJR zXoIdvgAM#&+$deP5=Vhp9@nMAN%AYrVDB#GyC)%CJi$@iB!j{50U6c&4*RrqROT<~ zb=Vf}P4K*py_qvib>e~ibQs^&Q3k3GDt>oN+l!E=JEi4%TVC^H*N8b>Gy6e)4phNY z%nb$G1|T!D>Hvw`xc)$(|Bg>*2X)`CnxjnobkH2S z$9K!-FuksRIwu%BdFHD6syuVq?C7SsYOz~;Mo4Z7&J4{P;LPL-Ml@tWI}h;VHntqnPI&X&p@>Nzh=(Jmob(*NbHIsqmLL?joEO-_~MlFN4l(^t3MjIamDDPrbX)y z^f8a!+!ok%+n(!z-F6O({;1oVPYqfW|JHZ2vn~66IS}Ok&Yir&-S^95K2G>xT;8+R z!x;?&q@&&5ACUM-O33_Zb1ce9I?(U^IbA**GC?76|D^i{FP+3O#N%vBBfbg*1K`l@GX>h15ITblMql1vfqz54$A znEQ8b1oy!tNd;)KDXMg0dQ;VxUVMHTsY|%7%3xhd9b#zyn2yZw(v2Niku@31vZES8 zm-mZl8nWEw$KE{dio3FWxx4Gmlgs;;{7XJK?unFY_kfUX(Vq=S`*g^2IX%v;7@Xp` zGB;qL`PPLH0F51-)5S?_p`J|s;&D&V%qkS4qMja-=jPg0#0;=qJUO`T4sO;S%P{13 z^;|o5a_}Huw>5uIesfrXvzjX?EZ@ZqO`LMESvRtQ(?onZ-=--n-8p7u*Rf6KLyMl= zcq<@!(3XZdMNjTLwQ~5XF}E}$s*c#gifc|&9|TV;c7~PIUgqW~yInarbY%T~$|-+( zZ^)Nj>t;KfkB-{#tjrxZ@3q+lT@Ca54D&7spBmn~f!`54dcoQaU-n4Xa7?hvzB;x`LP20@bKxPk_`Kn$F8d@2p#v`T;o^c zHa2VKM{jEJ9!TtxwDDm1{N{$^she9j%^P2SYv+*Eock@O#ux7N=d>Tc>F-EgxUnPLhsEb#tp29k;WNFDCEt#m(&6eMO#Wuj;h{A_!=?#SPnUSaa!{8SD0ked~AqSoX-e-_Jhtl3)6TSH7+P^VV4Z znC3?7h(I?d8=-k{|M@Scy_XrfAog_Q&i!fo)^a)gs@3O;C!sa@uBZh$`qL9~oY!9( zT;RGmGHu&1D4h2)=dQ`a4*hpe%a?nLw6o9#{~@z`a`T4_+S2l6fBi{2N*jCm^HBV? zDW*@}jtQ@P9X2X7jx=l;U^ogTp8w%Q<>u?dWGli)M~4RddV5V&0)I%*ZffmVF?h4H zakdti$IlEQ=U@JAwlc3{{hZ+R@RqqZPxTP(p#@Jd#hTf_e_kIP{>6dD@UqS4=0#5Z z@!T`fCqg#N?=z^Uet}`lQyYTgHf`Q8ziZpDL5qxMzIgkwY?`8~rgZWY(BpcTPdo4z z)+{SA-aPQO-1zZbNW1;d+SC6S_V3B14B-4bL;jHye2Rucs(~^D?^)gnlS>2OLw@Cx zl@q5`0)%0u{J(0p!Qlh`UK>tzZV#I;k|q7!V#}g3Hg0vhF{Q}Z=#~Od0 zVJeisCwB&=3XOmdTelLqVq?Zu0s{*iN5w08ZQSS!UdcCZ#eNtpr;!_vrYV#mD1D0( zak|n9zoJA55V(tB%OaFP4U}))O4ZXFP%n}|8>tHURyX#8&FTJ_qkc|tZ-oDS=kxcU zamU%mOWNOCIeA)X^}}-B2aI(;QQ$#3lV(0T25m3_BI@K*Es4 zk&mfG-lMoXkE@6N53~~zx-a|k@ACEY>jS(4Kdz4+@84a~N59~tf2WAZS_VIy00OPa=u7M$D#8!G zoJS>smR$tkjw6ta3Ql<%wDRzRH({?85zG4FHYzwlj=tXQg)i_A?V!}%LZd_dcsL#` zeF2o!@B&~qC!`Cs~zRs=zD)P`SDoq#>h#bt8EZtSl_ zZ50uu9#4$L3qnW1G2vA4a}a|cicW~yNW35;5O(CEPDCGo%W8x35e-h2?~;#De~p8S zNAPclZ?Vc(Mp)%X!Rvm1WL$I6cheuqS$Z-`Cq2C7mjW~&`WrWV3%C5lH?YnB;FkQy zs;~@mqXuy5&gZHh=qzKoq7MaXhzO)BRqz){D->6I!*a;=s30Aph}HLjhX?+P?gLNS z!T{hnJ~nU)|62!8-{+rCS9@!2`p5l;#juNme#17wo6vjzpMHP7-+O;=c=JmERYHX2 z%77ckdt*fceND@*yHN^S%PbCnq?tVHrz zDt%%`28;9=tlkDv3d+zj_?Dl6wUPO-C_f_u;gC>xNBPrec=lEKWw1F`g~JbEeIjMY zT4hE?2FBphqt8&mVnp#&DvYPiFwIUvdYTcYP{}Bt0PUIzP{5A>YR*y5;dq#KEAR}g zClW$LBvI5eDmZ5Jd@^5NmVp`Hq1a$dB7N#s=|vEOrbNRq}-Y&1&ZqVZbraksbl z$&*ZW9qLTk^1D?wQ}H4!oF4Ii<*^^4$$WxeKcG$-%b0&;EIA{4m4y8*WSKPpHBioZ zqLwzt0)EN|H3R5X!w(+0)Qrh-IziaP|4VKe&N)^mB3q^jEKI0Mz8mOpV{CdB@={HD z)Pw4W64U#kvW2j4st2(n@J4w~xM``McVy*VC0+8e?27{To;Jy6| z_Y_Jj{23+jL8xb4SZ-H@Y&okjelP-2Baoe+xe^2ntq=B~^gU=ReC#S7P(^1}msh60 zjh$D(V5d01@tZ$Nw5>0kHF`ako&-)O5?%m5Y-Hj$Jxqz$?1S1DrI0qG_9T6!!k#5( zCMvu~JaZfa{fkpcTaJYbM|L_KEXK6bSF$PrB`z_5kc0FUQWq08-!c$e0QwqEr8dN{ zA8z@MbpXTu1phS(LD>&4JugP<%a#uH9p)N2!yzAh2kkvZix! z(T^xM3~^I8-9pvbNLu211Z`(McfdFBbnXmcQ`O*`g=Eq zg%3`k(I-&nZjyWDz5qv(0nQuh0y$X!Fz(8EtSML-nvATI`QLwS32G_iDAHcrr$}Py3j5s^(Sxp?IpE z*El}oA(`PgsMW6GDI3=5=0}h*%sefl*DycxWE?;$v?W?fGQYtaRiJW6N!lws{{q!l zNJ<`{d5PElzymwtJTC%M2%eHvz&6&6*Px!vcMM}@@pcT><76S-w;rtA2B`;!-~s8& z0GqKd7cn2Q$e4Ok0XPeBlIDsAvTY}zOWvijXmVoi2G!?h_X$D3JXBlr~ngz2_ zg-_UiG9k}jxZV77gy$V%sG>*;sIme+#Azc&uM$tnGJ>%HVixg293#c5f9FURvy_L% z6kNAZj|D49SJYEGL}xMjk!YJ+e>BPncz&y{G76}66_@C@lP#9-5b8-rkeLNVs3aTo z-!ZdHFMOXm%`y?G*Xj$pAfRZeU)4jxKg_ZYTF~a7)qC~4$#(;e$<^=brD#-DLf^EW zC*{H(fXs{ES8XAYxKevVu&!Obv2itcnma#s0H-`8rhLXWnk-Ix1DH7wZ3Py$6s8nNM6G+a5)`^y(_c>x+s14k>qyod>@=d z-6slYn&O&HJ1lXLet9g!EWJ;H4Hisy??qlI%z7KQmeJevwPEC3vhv_H_9cfAypCg` zrQ(c^Dr5}PQ&rq<2l$@%uy`qRQLF1{_4Kf=6(UJfaO-z|MG+hDnhY$x0~m``UN?xA@4Qp`H)=gUBn`B$r(gyTc3 z8*)u7x9&5j^e`yFWn>a~*5#EUQZ&6gCWhny=@w>(zPk=N1|l{a$UCHV`Z@%AIfmJ| z<(p+}ytEWCn+SOhU=f6SAj7#b%+B8g#@*5;7|BZy#-Q9W&@Y3Uu&MilFR<;4Jow6e zatc+aAoDxHs7K`l08?#$&!3yVW~1yLtnB?D7Eh1GMLqoX`OB)eA$v0}szTN2NE+{N z$yP|^7UsTEuO_;vAaM4}O3*nKlA2Lx=}9~|zL7u+?|169ZVT)4x3nZt<6+ErdAgrm zNVi-=7K%l7%Py4LEQ1jxTU+FjK|gA++(T|!=G!v8Xe^SBA?c+==_D(qA$jp$?b?LD z;YsQ{jAfV7w2<)$_kd^wGawkO7%wr*pkU?|l_2I6vd4@cFzQ}3fKKM?js*e+3^G4x zz4k#cb6RCy-Q9<>(KKcnHN>lJEzn~l?7 zQGqmYe>S3I3u5wAY%I3{Zk>X2z=kenR7=@w3S?=5rgb}(*BEF z+-b|wZ4M_k6&RH@vzo&!Ta*QMs#@tKKWU+S@7wlO!Pll4O~Ljy`mP%#=4`y1hk7P^ z>TNLK@Uz;pY{>c^KgPW_xOy5IpN@*=BJ)tQl<8;xOU3QdsU_1oX$u0q3wWBUFhGkq zL;Mhar1^OQk8?*r?yGow5#q*hvF44!c(^xjgp#w>RXzj7)C~LgL_02t4B{{8cB)Bu zZjsEC1GUc5j!AU&1q6!3Tzq8>*7Xa7XZTJ1&9vm33*%AQn*hMfyCAclLvHw1grqkS zd!+4mBuzwZ=?D}CZCv2=`Lg63=#Z+P!7Cjo*MT`lr68-`f_JAQ@GLZ?6upbNksGox z8CdiYJ_J6L(0L^q7X(+QWA{Zoy$W;FD&r9F$aA}3X%pfKbIoY&H-J&BT!hR&h3s{I zG6t<%kJdEH4h-}q3AxPe0}%)uE-yScy$qP*(>LI+CgZcabiD&f3v(?Hj9l%TiF7tN zH$b*!H=SMIjtb(@^r-i`K&R>$WNn<$??LJwWg^R=;&G`%;tkWk>d?%XxH6( zHQo*&lWvtRoEMGxUej+Q`!je$52RiYTXo&uMyWxPJi-orZ%>21K(rsH)JX;|($N#O z`!jE=*r9AMeurC+%ctgSndg?5bVv26@-mn;uA7}k>E;C=BsOZBo69zatJEGdGmYiC zHEo0Qy8*H<@lir(VUO|M(cNE}&767@%T*tn!mT^^1V`7;MBH`9WdGTj2qufx9?W*N z{C%QX%`$UCnJ+o>~=hQX1MDw z>)qT#AQ7p1o#o@%K zk`FYNlP;Y*jMG)9O*_=-VKC2wxv}F}GgA^S{ld3qNxhLhMb_G%k4BZY>lPO4+&T2} z(@L*ZNVDDaZT^zX$b>Z|lYHIqZpQBe-3JNjDgkNz8Ynw^LTWFY&lq8HM^Ae9IdotK zVqdiv;;QA+_nLB}Nr8Hr&kNHN{J0#@D6X$Zm;5nX^k6NjT#MK->wds&LdgXD(-54y z60;M*d3N^b)pF}q_sf_RNq1y0(|Z7YXBnHdJOZ=vZKn~_5`nCmYXi;=N0p8WIXmR; zt&&ml)~@Pf5%CemKFZebna>mrr*PT*_65&#W4VJ;6|&B6-OUWrvM$Frau|Nq&vPMm zNK@;EIVk>*vN`hEaDOi@*ZaZrg@1?qWyA{m_yG1+T8C^mbe@$^+JhFR`+@IufL0l; z`zc7fA(Cw~-myp(0nB>BO7^$_twYN$(Q^uJrTznrLl>YEBBchz949b(i%DQMC2v=ckDu+-e@ZWiZGAzO4jAM3xmh3Xyq7(w6Duj+g=PnYD~E$dQd9obxIc z-B88-{KOpat==v|Bm5R^9nQvc52)?J1M7ss8tH4AFC}N#?uE}t!8BE(3GO8|Beuus zc6A8rtzb78p3m!r@>0>xY2x)$`}rySHGIH*6m;GCzQ6pbIAgXlnaQb= zwh<=cN54f21_}c^b`g9u4|$4El5J^G6HbFU^KW2{5sc-h2PTw+fc{)(3JTfk(~B_K@}3H_TBneP}Gptp!QcK9g@}~W={mCt4b!7 zOrDyHuuMYg9JMZAA>|@#1ou@Ta2B!Ww_?k_@iGdU$F zYw^gYt?!t1H)%RvdoQ&`?Z{M!d)YoP(Xs!4#CM=Qd|NIa5QLpEqza%qg8gkIe#i>v zh922(Z$siIZ0z0-?6F8Z30NJCgw0E*N(p|BCuElUvMjI6{2i@?uw44$SMZzWHgfrOp)30@_27(> zqCi)C6|LUW&G^2GFVXWsc#pM$SW+t}Ry`hsX^ecJrdXkk=mYcZ zfM48-V^SNXSY*A9ISXh9tm0hGAFzuuq+h{J07Bvy!8oaDgd-LzBpN+jj+3}W?GC)C z=1;r9-||U!+!Jq)?~(N#_8QU6x_Qj?47ed_7CBR((1nI-8nPT7WW1no8FQYb<11!h zZ2jD$G@dEtLNteiwBK~6({=qAKx+3zMPVq-jLbI(^J*Zf&zY;69Ba?U#%hJ#9^kCe z85P>~L1diwMe|c6UQZ&OPkAj%Rj|W^bOSi!&kAvB+BRg>dy@GL;uSP3 zextELX>Zb5R`q1vbJ0>lTDiJ7HHo2$I`8!OoiX`*AT)AFafZ{CZHFL00WRo?Mk2=J?$>HF*T` z>T<_(?LM8ST}9w-(npEkr(&4^PzhIxV|P6*Zb{#UJm>61N+4OS=M%8EHHd&$rY=fR z+fOrHq5YQvq>n7$LS-OXmZ^yLoW9$r#AomVM;=9b7c`=sx#wbbJ&!Z^V~(YWE{dV7NN2v$E!@v)u8C2C>W-UGXn=tZu)gR)1+z;&1 ztA5oiQ<~2QSvE4>pFEkks%9b{TpUsu*b;l|IiOqBR(%g=@d9YEClAt^3I3B!S)2l< z_o;~O*YY`fH$MB?0O)4t^I~5%JnQAaYhxg&CB}2%ma%@K2(2Q~kk%H(DFeh!ylcSP z+=dz+h?CfL+{ugj zlvW|@JoRD1_TeXUX`D%~>BfhM2hiawHA zV~T&{hZlcp9IU_#K^?9a-wl_>pMq)NOOhQ~1H`T9{rjiOCxO6ld#iJ&@^#cax;NXW_Xk^iw|@ z$lHb0)Yjq(W0JZx6(_O(5+B5$V@DgiB%mby&~Vdz(Aj0*an8!$&kZe}MV+FSyM zKi%wZ&<9UM>~v5|nVKiZ5ScZO(z0DjE`r;;p)XSzEM`+@ELTwS3>4=+ge-3aa31p? zD)TC9T5DIBBT?D8qtNUjsNycQso*VSnt_t3CursD0;Ew!(iY0`)mnsBUKyf2$ZkWV zu%!XI)7KRZJLqtGqehAiG6pLS+G%UfJz&}Gf^{D%8eXQubz>F8+VC9B>yCoyPD7*a zLst3#HB5nA$3fIE28M=*kZzxi6qzBR_aU1k9YN|6CG@QyA@vA&w;x05Y2h&8IgXfa zN;FoRSf|qmJ5rHLMlji`J8xJ$Q-9vThd>JLqp}2)Uu%!l88`O0c8l&SXm$M+MBBcb zJ!4l92{h5(3pRF9s$WsC4*N}{Emc8{F4eiUe44&^aACc46eZhXwqDggZ!KzSE*gp| zQ&4&cy=gmo7d|JTg7=a6btb{gxx6fzIE{3KeXMGB!29_1I5_@3@6ZCyl)TmI13Gt7&$eQIz!;-XCPr02PtQX*#`iq4$} zlaN!y!Dtj*gmoB+XzC{%x-u{8DXfkTcRYnj3l#F86k}#FrQ@NYI&UqQsZMBF>(K#SNU!h-vkfK>ZuExSccTzX`Pr zRNrcjcNnWw=HWr58m^x^Nl8-0``E}luV$_XTfWta-wTnZHqwK+Kww1v17dz8ELdHL z3ETyB1_Ln8Khi->>kN^ikYy%Pe+RnvsA3^`QGJoXz-gR)4zi9TbGXfxa%^8|H$NY! zJ51A6+YTkqZ|u&`Nv*ffMPhx!CEOKjQv++V_yTn^&2{D4sCM-XhF;1`>fS+E62DC+ zn0vyQsnIpj5M~8Q?!?-3^GcvDvc}V2j5naXG`u$FUFe+1#ucwHMUwuGn|_i?Zn@=GITqz1xjIwDebS7@R$-BQ7iy-d^yx+n z5shYpUfJ8|an!6y&qbE!adTf{OyjBM6cQ!uxAe!3Gh^(l-|!X zK=%Y>;qhnB>hCCx2|?z80~?E)7ZkoJd}WG4ap2UYDd)tGia#(!u6aU!E3!22^*K!`a4*@4dUwQe|X z2hz||Rn5lJyHV1%Tcnf|Pv_dV^)b)S(#1p;P5|lXBLldhRul6{2*(k^FD?;r`T)e{ znoo^KJ$2vF>y{xlLw7lie+JpU>5uG75$m<(^P>-3MtQC1ffo^PHK=&KjE_d*171{Z zMK$qKrL69E>4e|8?Nz)b*YDgqE?hbhD5?79UXWQ9%Qk%?BX<5P?r`278E|{^?&Ix`x%eL*m;Za!y58{|mY8NLXOM>#s(EOqJs7ZC1~g=I-~`$`yiLw?hLD z>3g|75&fcc$6xcc-rgTUFqdt(mlL1_P(YGoRbTUmCht}B0OsGbEO!(z)|sqk{!pmL zG5XnhT`B`X;;jlCt65Eq7lI%K$AJA*tnO%o~ zPAt_WeJ0#$_G$JjGh#Gfg=pW5cclBs7EeKMmWhPn^5QGnlLUXHWku;{Bt5A#4h_=X z$+jLgW(J$9f=a&?3Z-$hbTR@WIGP?o^kPO9ibgwD#?(l1c5G z!;Cf$vxzry{||fb9^FK>_5tsmWJ-3LnP#S)w3BwyOlSfL&CpDnX%lE@3MsVELJBQV zC>WqXfdT~z6uDTma#4^XAmwV+qJW@?2q>skQBhGrQ2|j=QBhGjUOC>rCmIf*U0A0{3KmeG;j6-tU4%?BP+9f#^wi&e__B zZJ&1wDuLWhSM_&wLoMBCsLFF1I@x-Uh1}LOix!kywV}Mj9ebk07h*+G@uQGlOp9i! zGf-$2cn>BeM{M-nILJy~ORFh#88y{a0i#FoN5rP69SEqwEqGi|(XweppJ}arz4}Kd ziM79;tWHMw1fQz7u`*R}{lw{%C2oS558!R``^a)M&9%xsUC-Ul@~ZqEVtR6dpgg0q z=jhpA*blt3oR>{CQ@j-Y2J0ODrnCY4say?VyISLjxIef^Tb6)Je*iU$iPy)LzXN;= zJ6So1>Yt&uM4w^5-NQp<$q>G~`x)B)HQRWq$r$*kXXG)q*!fM7{2Z2V)2P{+=zMk~ z&@DuJf=ci_wmg|aW;&5R9JW7Y0gF)dAzn~#L7~0i`YT9hwkPqa5hv^|Zqld`6lk_v z`x@MX5~ZTyUe8Np7`H8{;vkG$Zcj?bAbyS49Kp^fnk>yg3U*_(eqS?LZJIG^(J z-r=|8KUCQhK|l%cX>x0`eVqf(V6{RoOm{rn^oI9m&-3g?|Cj1!TwB9BL4fK{rt$_H zY|@IW6%8a*>eym)uk9AI>MR`u>C*!5Xe0M%`As>#tUXu5@%E^Q6W!R|*{ zaxWRv*4eib)^#-(bws7PY=zKHddWFDPaNB=PJnH5Cg}4upG%$CT;K`7v-1$!`v_uI zv21VrQr&!lXY@l=-*t1pHc0u{%FhX{K^2zK);)siA<`_?Lf$3Iq*)jH(GQXosScFe zVs!2pd-l>RB%Apq9;67)-~L+b>xRa1hmQ@w0@Jn+#+FgT+)OIEsY}qdn~6QHTDYUe zzz(X~b5GE9UOtH(=ZkT;by`WQf;P!FR{gH)iddup@{h=3q-#OnQWOF3f`E#=4;Yd1r ziLLa%6?_eq7b8$)nUMx|cW?=E_Vpddy3)!0?egF3PNP(rT zpFhxj9lETWFZfDFI>L^yJX~4XjP3v$gfBNx574z=anLM816u)OTTch zO04fe7foGi3oWwtBJ?q$hAv9O#G!kB^je+$ndSn~J^oYusoCX4h&|;#oZ{%o-X9!} zN=7G$OK1qRBPW%|kT}K3r9t#kJQU8z?5|i3u6D0Z zIQS=f=lH&`xXqZ1_&q?*LLKrBJ$06ydiy_-mkQm+^)#@h!@Iy;t&a^vY*nZdNtV0g zEhmYEizgM3p{Y16q4%usvTO@cBd6$cE5LGI_OA>#vVBgz!-j!F@BGbRym^{q2M_P* z=HgwsfyesNAA&t?5@H+NOQXy}J({&b+cavAy)_C>;iGe!&+qdW?xgmeP`e_jMj3`W z?hk)T?v-kTHblQfBx!n3LY^`rDNnKXVP@x#iJ?w~g-HEGcc}~idtqh2!p@zJe0g-f zdI?<;DYL(5&x7n(U$OdD+`f0cvkS8jS7nd@W+gBX|2T=aDy2AJ=@cB@={%!A_*+-Z zO^t_mk;tE}JM2%n$in=LqL+{nLMJ;crY!4TBBy9Vd2EXEJPLVXXQ-t^Zq_p1uCcxy zf6!FZpY^L3wIQK!Gey1*aiG`dfle%n^>33v$ZqY3SIz(>3EYj}c3&_Z!)u8%z zq=)7dZUrZl`mtO2775wPJrF;rQ6~b{IX}@lh$a({YzuYC*V9A2C;Truo?>4OIyG`D zWywomyLnq+(9DrN2)1J-%tJ@224oE$Fwsuijh0QI8VpM?VaV7NX+3jdACK8^Zj)1BVeFv;+6aLO1o7aqEY+l zopBarIL$iPHn?AT9f?aJ>O|?Hv!2!qE&iV5c=;sc-v<;lz3dMT6%yHU(k(Q4%Zo6n zz~h7EE0O(Y540#d308+Ma4gEOFGMfSyB}2zLG0FrOVOlCOzr9QUEg{)%2{6guvJ^=p!r`9t59w_={<5yGxjzSTC~9Se$r zo%*BWccWPR%0%|P;ZgSp#W^O43>5%DSvFzdCaZ$j4whd%4UsyzRtpOUNf#2g>_MSP z!JdeJxoRM~SnqjY7Yk)CR<_~eoHOEQe~Q)oJSTC4v20mSWPaoaN3)U5SvLkx0y?;D}t=W|f?=)wz!M!Ejem2LwlHoo{ z9F{80*}K4u-$^6(w`>#(ZcD7y*X59-8e1sq;;f$ zEMU^&`Aw=x6Z)1y^z~mygf%e_Adh_9=%d0lg;*=d-zTe+rzo zVsAEHI)r9h97g8DB&IIkc|62?R$+gHmpI%R^UO)!tTl6iG(JO0jX8c87*OH|Ih`i23}k)LY7HPp6p3HHa>Rxbet}&>7TdsYpEb4E!>>Wm;+#Y}vwk(K^6P@&n8OR@UlW{v903-yX3@5NK1pQ; zCW@&ouM^R7$Utc40ut(JpJ-5)p^lHOO$PP2uH&2)tOWtgyldhGnCSu|G>nO5tuQ5? z+~$$#r9~I9R3(3c#a+lcT|7Qe{uD=_$^W$UHZm^MW8bUCvq)-4jlK&rj@9cEj<ac%SU0C>j!fJz8UqO(P(gc41tey<|#%pv8cl6c!S+g zx`fUY2g@y3S!nQEgYz}zlM(x7_%?R7cO#j@G#Tn|KiWi6loVI6tAY2*E8?S1fck$L zMc2bZ_=XmgOFJ0Qb`!^|psOa~hBw)_$&-;fztg%Qle{gYsQcvB-N9juptuhu2OVg} z&6r)xZkho@{T?XoUI;)0)v>ylrv}irgwItq%{fV5{w*ru?_`viDDCULo8X=ebSxQhk&MhD@d^#`|eMAMfhYv;o4hiug|8nT}G^%)RtnTsmLh z@d@uhQ|;f)79Qi>Q9oeG72tL1RMhbSP#%0hrj?YSsK2deS$BXX<~Hid7yjpK-fFV~ z7qL^^O+nI>cZZyZj*a#2YhT?lmhWG*4lDa1HLVD;8mdsstxcD$>Q+3F+1{Ty*iTu* zwGGAK^);8eT&nrzVlqSeTJ4UR(bBTz?03VDhUWXal3`>H_iF;5WjDryzmh%7BWGuSxrGMQ$;Mwz9tgY*VwhH~ZRU zGYpk!fxAHi4%^6+!Vlp}u?<|-&QF2f2>^%QDEc0H7KsA)hquDD!Lp|Sj35HoX~6`- z4x$d}3UbVOw^AY13e)|4ps^2SjF4mH`R(MiVt{#(egXGNng{_6-@yDnyOZ=ac#*Bv zM-1K<{NCElZef`70}}+(*WDU8fu-^6Waljg@WuSGr387C7{JmWJ>Je5R73$*H&}B6 zYvYD*D~@f|g>K;OB@e{r{pO}}>NGz#7KJgR2l8|khF1jnvX1e7kGHd+Sbj(@69DTS zLdV(XLL*Qw7;O;)`?S3;qmIU*5z=T&g)#V$b~wW0Y96B9rB6Y1$12?ryP@U-TJcxX z-jYnp{a$ZZv2%}6epKVltO8K);evs`TOAARQqgqlM>XyWqjadWi0lj9mQ1wI1L%)eUKc&C}PQouWJNP zWqas3adO?uBu&w#%U=@}!ZEj+-89J!{Zkwa>|V@dy(mU%6?u1uBS-=XH_2ThMe!D znHTX$ao)egvkK(>xUdjho8JI%Q}wy%<(i)CeSX+32LovNKqPm@DBdz^aA}3S28RaI z$?BZAkU$H2o*}n4^)LGXEA1w$I>lMwQhPJjKi&Q^Yk2~xasKXROWaAOvz=hye$?44 z*vXWlTVs=hy=yi6E37KYg*e995bD$$@$+T_YY8TO#jb}l`Q=4mj>1!WAbv6YV_law z{DgaH%IXENklabPA@Wox=AB{Y>9Cky(oI8puZ%!;?x+ZIPa0eI8>v?G$;#atuA~>J zPbpT?nWWUGwq6PraN=F6Rzr=7JXq;O>=f2H;~oq_m8uk*(yG`O*)i;!@>klmTiVyP zl#MTnQ(n_6PFH!l4x%UgwH4d*(}K^Z3v%V3ScP!ov&t^)(m-&r7Z@_Z@bqy{RJj{f z-v@3MriJ&;z2qbFmDN0iXpvuuvn*aiZ0skHQ$>PuUmdHmdG`&*Mg5WZjrw?;-D5s> zg8c_O%Q;7H|HDAL>)wMJPKQx&sV3;sf*swQrFWX?(vx7ds76668osamIhcnll7v-E ztsd0}#u&jb^SO^P>8)K%@}GLLnBn!-70FhC5DR!QRI0@x966U2hp0r4ef+I^zb;kMI- zpE3=lP~(uuTa;35D3!NRpSaDX(c5@YwZ~cBjIYmh{=~TV8$+jrg8Dm)?+zs&AEUIO zkdYPes`~XL*D;e#hqXSo`2@mk*pj3uQ@riJfD>|$PFHnx^+pR>&i3L$G|a^T;gtwy?hwOLTy^2h0qiH)6q)notY$!b&8s)daWb zA|Yimk{dM2hng9)H17NKU;(v`=o{%#5}$7WB-j0dPr8{qz_AZ_MnirUY&S2gnAmit zso6c*Vt3!|nu;Ieod-4Y`;>G9cWye%Y!KyhSbB*~6M}f=z5?mZqRtROlPbLfsA9my zEq%Z`4v&@lA?Z`9v)QmH_<1bY&970p_{%@m6hO)ace<+wrrPDK)%j{_U_Ux_n|k&u zr890%V*3N)sr%#CPb~p+T5vk@P6OlG9$Ak&nyE>2x^O^kLDE#ln@p`W7mv7jFfz~i zEzSJ`tX&YXPy`uxS^2~4PZG+fi_Q{#j8m2Q*l*oNnq zOtFUk;e8Ny5&ww~Ir@>hqMdP&U@_{*SInSzb{5koo$C()Xha6WgOlmO2NIRR=y)I3 z4{n21IN=%y>mra~mpTPUkwfEtTJLsbhq|J4%Y9||qtNVpPsJQ^OT>+xPE#f<0KYrj zy%IRi!j6!7DEGxjy5Mqq9|O5ehRPm|*jo5VDB>fJL9u0zF4BW`246tR7}mX@SJ8`l z=PoNGeCkxv8Sf*BMv@_tkrO`40q%s{3Y@0bta< zC%5dona^|`;(FN0p?&iL(7MJr?=yVo;U9v<#rq7v5eHk5^g{jnq1;NdrXI`NvBgZ6 zK>TOoX2GehMQX!MO1uuwhaoXM;n>dR0EB!9Su$gZ<;$-jeq)Eta-Xqjq#U9>fpYSMP z?3W9AxSzL0s`#+Gm(Vf4;t<;x(28d;n7ud8=W^LRLEDUmDK$Be?)u*;E`HF(a+hP6 zKi9Yw{>2P&Bele}oaS6ew7uc_f1|~?cAfX%uY-)%7zx3(^WY4<@i}n*3N6943&4)_ z9~WG~mA-aC&eiPdSu<*R@>o?yZO7FGSxPJOZIeD)&#`W_zO39mZ!`uHRqyMZ1NHnFRQ>@!vhm-nS zw}_SV+VLB@L#%|?PF#g4zb437*{+?rp;k9^knF!Y$n_-rn(SErxOU@JdW~z3jETDU z#ORDEwO7bA{@!n69pZ1NZoDrxIR19>3hl-928?x(YxEp9R4vvMuAR8?mMg9LFO2uU z%jqv{for|~TKCVn-uIUSD*U7ug2fXeuezx zTEDn52Co<6-`XnHGXSRG?;YS;?XJB!@5TyUYxIA=44VB~Yh0;#ffBghLH??HSNQv@ zqJO{mugd$c-+!f(7i9nI{;PfYUpE6j#lQY@{Wh=bzdh+%p%fT7fTQt$)GYtss9Aox z<>|kHNs;K3DT8KAn>K#tRmhtcR_o38wP>6tK0d5-zWpuWmjKSu|EhW>B8zP{@I-+Fyz3vhix|DP89|68wNF8TL``2SDq^?yaQO5<$9Zz!vTNqff(@gYxBLy{43;0mzfPz8?Kj*P-}NulJN#w>a_-pl_mwSf?6j%l zYbRV?)^=d?W7zrl#;0}8UpBy1|1VGduO;4M<4+q0@K4|?g}%!)jDxqA*Gwq`F2D(% zfkQ){KG_~`9!r~rB)#9S7V*fKo0pwLyU{ec0A*zRy@_x~Xx1zx1?h9L^UAv;z0cPY{nnTA*A=JCVC%`Iw&e|P*(^? zO<5k*pI34e!4I$BAG|I0!=LRf>w}CrzU&-`o;E?La#aTdJOHtuS-B-CC`o~<6$PMH zrupiOaI2R!3$Gi!IeFOtjSTNpa=h92pLm9lsmsoi=1Unur7_!+?RDH8Oa=h1Eb29& zsfAZ%=X$BfRd}G+qvZLr0l$2PFbXe6c|}`eb@Y~u)#&nkCHEqe*OQx*RaAjvug>%4 z1glUIlm=cCd=$f@bF&=ptB)f5$lf6A-HO$U-{1Aj1d2_OTB}+hR z*?C0_)@OUvvP(Etsca=Y9#^w7;gQ+d{)ED(HGmqh5lWz_)JAMZ)2h20m0UGfGJ+vc z@AdgHk3GU$QljJT($=Hkw+qZc5ZI@35_l%t9hUtj+Ni*ZBBr$GR@Z$c_nA~PcV#w zSH)j)lLmRqH)!=fZ(f;BgYqg@z`GQxUR@TGJJ>vZp+AGrL9&&c!nqoh1+jd&l|WWg zRQLwc<@!qMG057Rou}Y_5IUsG@gMQx6#ssml2zgzUll0UUN#RuWYF$rWVC9mo5Y@|{}fjf~t%bOG3iDwD->9TVRf5D-9svdepExWC-ZBW-FLv!JtVVUNXc*+=e>+y*>7Urc-F3l~lrI~DO z5~scU=s4VEP)d?^ZAtqWxG=?ROSYwSY8~LbAIsmpwxVe7Dd3`Emb`UgRv<+*SyR$& zHk)L#n>uSVxMf4!YfDlbHfK^7TUVRQ=GN{!Iq3*I#^$lfDcw6|!He&J|F0k5g!d@$ zq>aZXrsYuks&w+*JCR8_kwp(y(% z!JASlZ9{FtY{N}e&X*tk`*f(O9rxE%=rn)LIp5m>Q{nrYuTF*k>&E!6bK`V=zyO}P zGBM@>E;j(2QUpLPaSY%TX=u{(8pvrJG-m7%dc?gNe!b>zvwVvF+R1BBmI#?q*Z*=9 z?q7x1UjsWG2T-Iol!gnC7G`9i-(LNAU23sr5YnEBLn#0*nlTJ@I^!&c!)Guz-K0s; z6(AdBLfX|j^e~3YoW;YCc4J0yk_LCzr$EuWPcJ|w%}A6)r68Nu2ET!VjG|V*{Y2fF z(`j+oow*dlBVsRDkCAiD6EP`Y2M?`_&h2wm&JXL%x9FU|JqB`K1OEVc=>NKk|5eP7 zVt)DnSR4^lbePT%le6|OIU^&0hw9+Nz$XDd6nr|-`ktnkxZzK8^(!X%)mnay_6Esc zyC_AE|GF$D`Tsl$Cy(Nr{*t_|53*sC24oK+vgs&5$i&~(vup|mWXe8$D#nio5;vPR zDNZ|QPIh*R7QXuQNzvK#Hq>eS_*VF{+q1KG>_{<~a7vtw6c|i;ZFV*bM0H7eTkJZm z)^2B68|tYy!9drtZ0vq&&YY|F!UYBsffv`jiBq(27@_gw=gb*|QnWT*MqHBChM^8| z(13=5IBLg^@$k2FX$rhPRs>U=^R~l(Z#Sx}C^~l5)rR|sGT%ozzdHa8_woKK4fmh2 z_#Y(nUmI=^U+^ygV12CJ;$rOv0Kh%3waYcZL;F0Y;UBtjWc&r^if(M5|2zuq(~4n5 zy8?`_jkQk}8j16u18Y-JMjD`@YBLB*q2eBb9-rYVhT~TTiAkG+K`ihw;n=X4f(oz} zkaA3Zcs{Q&2+ zAofrVAR@i@+>Meh2j9R|NpI1aZ__y+eFh}`_S07+{hzgpN%}vJ0^AF)18HeuUD^a+ zFstbJSJqJc>gWH3l-mA^X2@AM7c+Rr$OK}Pnpao^Y&@6qH*+z7(-9#F{sp#efSJt` zlGEVIE2NbQhhiX-Q^yf51{NXo;3L=^JA1_dAasq9j9-U<5{dvSg3jSnV|?Q|#p7)= zr`6TO*rLI_PLAPn{0^FmDZ=n?#puT`>t;=)AtN#co))9cl*b^TA-C&+Ng8LH8g0N5 z?HGv}s^J^#K1=03y(rIj`38Cj$C>L{aSi14X{FOV}Tj76kj2Gj2r}CBIpSB7cat`&uW?x z9W$o3^jA~ew1$~AfJPMq6(!lkl6H+zn{=jL5rGF0xI@$+5-oBAB1Xtcq>9O0YBZTv ze3~CZEaDJatxGUnVKWsz14^FZgcF$~Yz=U++E1y=8xbCFn1E%A*8g1)@s+wo=Jcueynsopq^yyk=YtWC+c6cBw7u5bW zYO{u^t~A_nC-5*E1LVavnC)X zpE89Ttxw9d#gGc6_YT$qg_5aoN<&R1_B6jQq_qv?x7HHtECXq-)lq$nFtB<IL0=#ZBL_w%hTH|RHE-$X(p8%GK+=SDF}795H|XU=;jM?N<$y$B_^|egTWx=n3w5m zE?3XeR{J<=tj9B+F<)@9swKPq4i2+1X(WI;92tI*yV@0~&bj9(& zSMUsb%i5(>cX_pzp0aE?bJVaol}rMx8w1L${Xw)*rFz*moH@Y&7Yw~e*T0raX4bw- zcSl2|B$OGPf|>@IcE~ zFXAN9MdYc0l$#$YbmbGJu6R4;YMCJ)MpzP-@XzA@I+>RZS~P{JWMTH`IPZ|hfr;3*J2n@OC5LMw$=gClQmBo%WKAE z(oXRiDbt}xr&Uf*CCO>n5rn$oXBDX6)A@sNb=_N{xwKykNBXghV**c`hwGt^{?ffQ zr+mLqm%v9a?EraP&;mnPDw-kDRW=m739()5ir$q5xf0l{EJ5Tj{BoEa4@uSyJ{SPJ z&v%Y|N0pm9AZvf^b3i+11tP%3@kd`^TzY+B?S!CF6U_@k@YZAecJlAhCUJ;$DZxL{ zR_Bv6OlduVCNY&{26tnKbIL}IR2ELa`N2%&=w>O_%l9YZiEP8DjXGf|gk8f>5zmnO z#Q_kwngH0$F*+`DRXi?dZ=vYmKn&Rx7(c zwuiHk&dKS+=PV|D^E<3Dw9Q^YxEG8(Q@bnaD*iYgM)eVxBaiY46!dbshpunbJdDue zK`i2&ODE`MRCV>0E5G9U`P53s0GMv+X^>1x&4SSHD5L^WMJ9PDj0NAwwYTvcS;i+|iK-A! zoo^9=nAuUvt7MX3atw3N)MLfbZvRzJ=I{yhOc)OE!69lU=q2nTJs=% z=q-7ip>hVI?xhA$JzzqoCOEp3EJTiSGK*@~$={p;I`TcQ*X(Lcr|N|S$CpY13VmKb zg6_Gt)iD&>*jn*9WrgqCL7s@QJ>6c#fX$ z`IEVabYz)-PI0_>^b=};Z!rz@%2bqUb1k?3WGDxe+a|tC`vQDgH>S3XYjC&Em77tJ{ORtThsO}l9F{*x+a>DmR*zI|CM9jISVdthp? z`fes$;aD3KZ={q;1>{04o#_GIz?eeS-LZ>prOrvS&{RH=de`%_{HE5bA+_Z~fA&S{ zB>>exm|Z1yRUuYLi}Ghs^y2=X?Xz zkJ$n2aizml9~z#NLVAK*E~LdJkm z)0!;_sm_n%ft^}r z=68&Z5I4j<0_HJXR~XXyPDn3>PCNd{={p|BMfpe=%?`x7*)`G;KE-#*dvCFxzZdA+y?JnAcKp4YwhlD`BDuyqW2e0z>i0A-OYZjvVYG=<#`ah7WLJF0#@MR5>_f;d zzytZq04!C5Pf`D*Mghe1_Kd=H2yka{A=Sl0<6Eh6+GHQ6r%m&gBK#(GvwSDQyz~KJ z-TuI3jJZw;5E@sz)!wNqv&Lz;5bydeI-coExGxgI(y_+1orOV_Hq^|As%XD58qrDa zw^;~3Q{KUiLuucN^=tyWP5uozXh*bdn(v_0m+ulBh5(>iNSESkmZDk(sNFwOb|Cs= zs!e%a65i*F*(Uyx$|t7elH$R+kCf{TTy9$ z$mLb$+36xCNC5g#Nb>xnaGaJIWD7n8*PV>N4sh)6VZYUKAo9iha5Yay;zG!)12@u&58$UPJ9e=!cO5?mj+w;op7nR z6IOiBYd`*i*SH>soknE@K_wuUFT#kmLVvtHk_5`OSmNma&IF(dEFX)^#rl*96CqCs zXirupcJx)=2bRT|<`E{okNJW4+TTzS^IB(lccSNUeeY>glvFeKPLfXEv*Mw1N27N# zGrQaG&ID}RsK6Ok~#0>Apo=v3G6Z#&CQka9(Yvn;ISi zX4&5z&nso5X$iB7qx$oAq1vriAlb^-9< z<@1i8Ll>xws1WGygrwTC3kdh~#GU&VCx{0eo#aVKs!;DoSoKtt-G_uE{7~_#{562n z9C!;+t=``LYGJBBLr4N~Yn8)>0%K2lpQC?tvGuclXu~SLVLW%|1v2Tm?Fl2|RqY-wkV5~jCyl2^} z$CE?7sqY<3O#yzUsvp9=K>j!r@^<-M`0W+H$)E5zxqhiLnc@5Lw={0S3SCTfjiq@F zAgSsTNNGjO9zhe#)Af#md=9gYuE5YUpI_gyQH>&Yy}PH36=1#aaX1xd7{pSX#+DJ9 zf0X?=AY;@Nsatzk9zp>bcEv2`1GFGtsAf#W{)`@X!P5Y=r!LTO2HT3C#JTKxiq6mG zS1Dg3{D#w-0Q{AgOG5P-ShUzjnv?>S{rwZ(AEletMwG6z(P4&J^To$MVF{# zDM)oV4&zNO&(S1Y=?qJSCHeGW&aYDSGT`?N03E$AGprxVB<>a_ekE(=0|LiqP@n1K0*fv2@aR)-m|snhmW%2BL*?nH zC@YTC2Kyp6Am2%NF#b8Tmt<2MUx7E_lVXe51zTMMgP?Cu6<#F)svDjavVvMx^M?d{ z&P7WQ-U3G4pokZIE~E;JYrYS`!~?dR$66Q0e3wAqcZ>gk+azpt1(!58xA^ z^HO4!WOpQpZwV@y*3{7+uw=R+7ljQ}AmZ_x@J#Ap^)F55*h_Nn_`p}det{>sjHFuV z0c&DH(Rk1$Nsdq+yM}B($@QTD1nPW$ z>Q+1tdii+A9gu9wO)Ze;!~rPm;EQR|Fe#u}?kyV0+&v=nq3#f-KrOcXUQlu<4o{#v zcYJ)LuiP7nX)%Lj`;(CRh1clh`R+4`+t1h=tw#^@2@W0m*!huiDLOVo1=m2fBa8>Q zPl zhNFnsb>H4V0TO2si{&&!4N!bY!r>w?<1BE-)BCch6;ukfiN6!<)?)29SREfll&tndC1Vgk=Bf2~ zS3IyAgwUu7$ohi5qy{mAh~-xzZ%hF^Q=t+UfC=MkRMXlXO|gHK9jY%ryTXClnp1q| zTA%Y#4h&6^`_<<;`(yF6x2bdUTKR|g+V41v-Er2uIkEJ6#jUa4YL@!rSyUzYz}#vS zeC$%{0ObXOzcVC<=Y(f)n?%dY5w$0ro^PUfYM995SI7vOrxu#zFF*;k9-_Hd3_M*k zlVzyaod=D(Hm<#lx8bP!bz^(EXrc>)IhZP;9(LHseJ(GF1i_@SUUnjSB1{VW!xTq4 zv(Hc?xqayX*jNn@$sV3Vy7Sid2ZV%OFS9*e{h%!uSi(%@4h#@uNVh8Beo zl8@8Qs44IS*Y>JtwGIqACE$N(E;>g5 zecx;*Q4jsoMXk8dUxQ~il~P;5+t6xdcrh2~^Q3tocDe>h?hYqoFvvsWq=%V(ymA<~ zFZ0jh?l-tr!j9^9?BaiJPZ!d_6#Oh<6p2w@wo|rI{Slr(&M6bJaPp{Zgx|*VmlfB% z0hq?6SPXuM&_?&Cq-~t~a5lG>tAC*Qv(jNeg!3DP)A0mrB)#q}wez6n>C}DhIzfC; zG~+=!d5Am0)mg3X0NLDfp?%=t*~>l;J{xx>iwlfD>q5c6E(<*e+CrFTezAyLWbfLQ z+4LL<*|}7*Jva-2^=TH~Nd~x{;Ir5fg2Zz48g6)Rxf_Mu;Z$oOM^4u`*hFeH3e=@p zPNtW(6<-vRirHwUkhJz?F|qX(g@=C2)m;!$@DS?f&}t!>I)RhIkH)rA>m~A)``vWh z&-`r?wW#QsbeB^j)9>d73faWxG%c^4wwV~Qd9J!pCk)s0x)AQ&4>ls&eEY9J z@_^Zeuw!b%(kZ;afe2%6*4J$l|Jc5&qc63Kf01lsU!)VTmHg`XK_~Zf4~uV}j6dD8 z%{Po?8|r|7W}=qrfd*TCARPzoHoeuy7hlGyR)2Reli�!>P%k#W=fqgE|OyX~J}F zg%#)VsdkD`snxgf0^iN&0gBX@gZW6j8{fwUoT1KaZ%4WJ5im)JIZT+1L;=yJ%e*cC z4#Um>i>ITc^hv&RsFX9a)RxX}-C%n_upkC%jBcVr_5$YV1vC`gF93uLJnoo}JoD zHa|8d7btL4u(6bddAaXUGSAVV)}du$5R~2L<@-^26nneTW7Qszi;sH>mEv9VfRE1a z^8$PlpN7ZqFT*gj(5k*ths+0SoVm36wJZw4&h4F=m2w+uFDkU5!XCOpJ1Toc6C97k z3~>V3MxVMojZbve=}BVMQdHj)!UeN=v+#%TJ=x56=7*25Bk}Oc3?!bT;>BjRf!s>0 zRijYwC7tk!%Tytegz-fvau5FnnX@*fJEVIkGw1tQ8(e<`3rEu3X7D26ZqWyn9q$=8E2)-l@Xq$_U{s? z6^-N2Fjgxf%vA;dW=8EARVCDCT? zd%`B!R~wl|Bi>r8-#!)lng`UrRii7npqic}Hl!zqb<{*Y5pd_`lcb`Bhy(k-L=6VV z9vs{vbZJ;0=miZ;Sv=n|;}|iO43pkzsvwM%Kz@=a$9@b3DZY+!J3a-1<`Z&JqF@GW zFD$g*LFZJ(VR2Vg0dfv9QVXa%LTcb6g!i$}xy!o*IV^lnm5JFM>%!{zyOAeYvNHiq za}$F@0fIVE0o_7U-380fH#NWMyeEZ-?tj2EK^|%uNh?k6+HCiCY)r|qDrK*kWBoM+2>RQytfr#k~MQ+w1rQ ze7>o{u3FrKd7zu%gqTqixij3i{s~s5cgru*cvD#z$njAAA2^#YDSsSMovD^(7adlh z^})F$4Zuu|Vl9=+Z=n+a`a~ImisOMhu?hF01MKH?0!$?r5iVhBQ-uL|HV)A}+5UkN ztdrlg{MHknlo}vvEA$L&syIxu=f{GUxXdkPm%eH#Gtjw!3b=_)!Xx?hEKdi6@4IoP zqeti|dI-J)o7BCU*tYYOg`_w)8vx5qOqLw3ljbH1eo0I}In9!vK-mD~cxVDZ=vtAr zCZ42`BB3W3Lxj77fO+3t2;n=(2tG}I0n0qHbknP^X_>jiS9m#09&${pUnQ*LE9xQw zD`b!mUnO+5uQZV-#g)7T0IX<}^+KXf{=svWF()oyYv#F(*uoDCq#zkEp1NXF#V0iD z=@v55T=Q#S&52G1`bIY+PK5@%4{J{ZFOy`-lwsO}9vD|Ew2!D3XAUj^uA`EpT)H7*?wXa*({D?W(sS+SjO zjee>Aib`^D=wkrt8k3FnWwm3Ou~|}qyi!k1Wcm>RpJrwl-8=QvO-SQDK+L!6?X78+ zU3$y5&QyOIAb7#>rP8Ui&s~~8PK#{YAmv>vU1%SaKt@~cA9n6>ai8TTQfgov@z(KE zUGsl@frQm>tau)_E2e4q6f#-nk=FgPStC8~*e#|vXj_KBoNj&7M1+u7T`QEpE=mPp zBL*V7`8B-AuZA#N-X7h`722W=VC}6K%Jb)6KRODQJc4x)0fMEch?ro52X=!oa`Ph;}az6tcE`m4{?-c45wPtW=6uMlv+-^NVyV6;v?rAn* z1zrJR0oIw`Ix)VPN#!**6N}X$+K(o>0I+yp73__VvepW{3mYD z_G+!OWxae1JNu4Z)?xihVxA<LK$BYbiCb53uv{&Ii?5-;5p}N!m)nC^U{*1#|KxbI3{GF5itw7wqLX;n(p9 zlCLBq7X?7SI0=w|VEugoCsX4q-k`q&qPa|jKD&4;bC@`HvCK_+EMM5L{SLFAT@X0` z1WBvEJ7zq~0#(;6*ZEe-Nn_8`1 zv~_E%Rr+3F+q?JgxqqL}`@Vlawh5ETWR^2$&T?JfCF@gmk)w|a=hT`&P@KGuSLKc( zVpsgfxOfd@f~&G2&U(dEB%@OKD?&ztrRHJc6OGj^;4+Eln?57PdG;eXim~yUn%?Q> zz|srm7wKrqN(Y1|bhiDBk7oe~Ayh)RE6;bJ5HlsTD_blEbB}1aVIxw`ldm1;FdkQ) zsl?;Z!jvTDX`B62cN)BF3xs{wi@|t34K^M>r(v_(G)G#5ADAloc}LKgR8cP8gYSOv z39DuAF+%HMCOd1dc0@Qc0e}R|N@Fzh3iwg6mkQwA{mC$Pp-#-8vkYf+mDU-&tAGR@c%*q841@#uTl*%P0}M0}k7!+|k0k(u!#WLsySk{E zqOBgJTMhBulrx0TYbspb6SwU@aNNUUC6nNKzic6vk4SuffWfR@J_t!?m_odSJ8Cp8j%B>AzMz}ufz%da44}vCvk!6>k?psz$bPyqhr;YJ_MegKG_~d!K!iNpwhlW`+D6 zak1 zOLAu+{!8Y7Ql*e5)ztKthii0|oMj(5vJ;$%nBAh`RJ%iiE_`FSq`I8Pb4;4RK~e@( zNty1Dsb33e@YN6l9t3O8MnG?Zms!gU%v7_PU(A-uyuwgdB+UZTBjboHfvwf7$N-qt zacmxt#C?Z4Ua#V5~=301VX*BLdzURY@$Bfa!*RAC>bC@&oF=8KE zn+k&6)b1RFoQ(+gaxQ|+=Qxm5lAVD`t~^zs+m+VWaw@nA(V!)*le4Bnd#X(d1SRw3 zDr^ysLMtMKr}jfKYC;OT11*<#KqO%<(9b1(E zCKMh6HdGkR3`jL7oAT@%_z~W2NV7^6|C#+MX;OX>X1Tl|O%Js^5p+?Qe_^+4Im1>$ z*kOjVOu_eLFYxnOH8{MDWK#IaJShGFuBaP+t~wx&FZ&laN5vcY`{J1RmhY6<0t1&WqUH#+ zq&SAp!Rv)E!-uT?xp;9hghdSco2=j>l0(8dZmx$Ga*UpI>qrC6O4`D3mZt-ZQ^j0x z$>S5XgF}rUVXG@C{U=1{fle(snD4<3sg?r~`dM-!rde~2BHSOGi^MGP5QKdo6gcM& zn(`RA&5UszLaAe6^!=vpOfWYph=0%5Crbe_zlmKmr9rwMBA_DCg*cACEG)vMjz|5B z>#Lu5@Cj4Gen42k2?8@KAH^6PcOzl6g*TRu5*W?uSCLk__cn>HZZcO6(8ZDlvo+dvWsF^WR1JY~TWN3I89ftE(pe4rgNZJ|wGhou z2W#e{%q-M&34L&*-Sn;FtrXvqw+y0A=qW~R8DfYCyu4!9cN6=fbP46Ap*uTj67UUi z8|^7Akkn*04C*AM_AP-ERnR0$DgfDFpZp9jU&PtpBI7k@d`J>Fy)>opGsS+)@5Y-4 z%omb${j%{XoUG{^W>**oLcpyrDqL($H3_}><;;^=Pnz}M@{mN}2?Tj?!6@9$Yy(jv zh~?5@jBU{)2pejTij%|~_lxL#&&S-S{JBHYFHDFqH~!IV9n!qaW$}#B+5!@NknbMr zD#jN`0@QYekpLbRFTp2C34gy}GNh}>9gu>S28y_K#U~uP2S9>qi_f_#B|ES z^Z!cRyyVF5V?bFryxdblM=?gIx&l3s)Cr4G}Y!AZ8dIl=UsG zVeN(s#5g#00g^WG@^`A%CMFhFSRAeJ%k^3 za1tIK2Qb?m3-ER6*nfW6x&QDret#+4be_~-A37CT{uaM^h%^5C<3mM-P7H7-Pov{% z+?8eJ9UuPO^skQ(FCw#SYPqlD+lRaT`{SP*|NZ$PT|KC29|CPn|^L@;(%pJsUC7oQ)*XB>q!sFY~ zivPu7E1x>!&yGRI>W2L#cGkf%o8HkX04R36m9qK{eirT>-r0a#C6NaLTPev^cQCw4 znZ)qUZo(QY8awE09i2dkBLqQ@AC@^51p#`G?}(8A4i^ccpzdVLkv$K&Uj>^GV*;j) z5rwho42Pd&03#3HjS+Yopa+6F8my$Q%q=_+7>HfL8`UlWSu50fayC@TVZv>L*l@GW_8AKt|Iq?6uc!O498_LfI+lFPu0`SOS^@zJ z>?KJk(h-T$lM#w$qs%|rpE0gtZZkqv6gvjM2TLRe(z9;7mG5VFV1qLO2X%C&{HsC0 zl`2nt3sbLjmiGceimb;rdj>YZBD+fZ4TA7%ks3}kz2 zeFkP7)rh{r==eEsZks*p8N;fDzV0?Xei<&=toOtKYQyc#PE&Re&0vV$6Nh?EGok#t z(m3PiINbgip2tL_s9gs`|71}`*WJaNL_TM-vV1HgEz}(}su{T;8z5wkK&x)R8>A`W zi(UJ(m%~ciB@jjZL|Ot${1NsLYcsZ8IAY8%aviZqN&IlhMhYU%1LDp{BXY{YOHXN z!r}Z(AZJBnjlze+IjF`!F>;Skck0&}zkSFpq941C;aC+65|~(ZXFtfqs(_kAjUZkh z%O^A2q&2+8^(>>kumM22eSAZK?_(xm__jE{c0V3RUolT}o#;rkGO-8s8R5XLX?#hDu-a z6cY2ySyy)&YMh3R)`RH6P)TDQuV8YeYfg(2s?%DhfQ*xH5fH8L4*iG3cdX&QMx`qK zp=o&iRUB<9Q(+w~)Ad#D(!oibnJa`d*EOR8^|w@PBsW-9=fs}2^Q_3%V-vrYrh^{@ zNdS_Y$oIwjnZB%19~MM{$xlKpGVHm|>iNuZT8y6((puKCX?uSZ6382A1Qgm7ZgG*B>yLt;>c~ zVqGu}sVXLQcr>l!bNCoM#yvm1iOGtQJ*ciX_EfB_ilw7*o)qfaOhZXFeiv@BiD*H& zlpF@j`OYP?vvUa_vyX9%ho_2ENO0Y}u^pZ}bs_gr|;YtFHogZ9|h+lgs)>;Vb$J zT)|=`)2)FpTIFKJv=OQeP+4e#;hmL-(ZrC@CX_f?{JJBnqC`AB}04N={h zC`zFfdJeVpgluoF{%kqhHMrT(y|9qql9@cvh0KAJiccFDI z!%X#sQ9je`m%iJNP}kE_it%fNciAmtRajs~x2Dn23=c%z(zDdX$tvH~iqXESz7bT- zNcthFvY0~KKlle#(QLF`@+^>M+KN@cw05q=dN&LCqCV2g#^GS9J`@{_RY|8nM?Qj2 z0TyIxMIT?Q0gP>)<6j4N&c5_jHin-MlmJpB%=fGz79pKKNCbX-QZFW&WU(<7N5zpky=teYeh6oYt;*t-*jhRW@Hsi?glc!(3lXj6h|k))#ONfp$alzN-Fbl4GCVD#GkGJpXOz z{*p2DyqS-n(%zm=>(?_L^Da`Ow3=3(B*EDL%j#qQ0PfzxBfserLz8~T5qPtiyAdu% z?OP`R=)D`eTnG_Xx7-mTA^kbA2Xd`3_7;0q{LY=CILhn~lKq|&SZAL@E3stz9!u_# zLNXVjk{1WqR|6~6OlTQ5D8!lt$};vbjHLS}&@{i;p2hDoKhOyK8s8J*UOuYn zE!U!acT;`a8lIQl#zOsTkc(PN9{7#}4v|FK`#?%#J&y4-k{Cl#Sc^=;_&ycY*h!zQ z>HFQI(3bGeLbtk8yP9}gQR~2TU`_XI-7EQvS?*I6GSr^O<&O|21&B_`cw-ab&Wv-7 zD(14i9UHO7JfL{HE!5b~&$VBWLOsjDq!SV~sU3G4Phb`^(Y6;cTLK>SNO*#AlRY?T z-$Buk^PCi@A4$OA_C3gDYpPX-34z8(xfQA#ceFQEz7ndDeh{?Qe+6k@3k0A(pNE&b z(yX&p&D1&;X$v?!7WmKbe8y2A@Y@7QnUqo=%So#G(TpKJr0i}%H4Gt)TXCxXqHa$e zBc{x3akE|R7nwNVz0b=3jEyZz)P;tDf3*>7YoGB{)L61T0HP_Gg$lpGV9W>4%Rr|Q zRV){twEt?WDSJ{{uPlqoEK-GI zX$k~8Wqvrg7DQ(llmycBG$umM068o+o2=-hz3lH(q57yu0cr(bCci zY}d79XZdwfScu08Z*pod2I2Rc9t-4t3bfusO-m|tOiH!R@@WX8!*6HZ!ogJ$bPaB~;lf$8TKW-6FiHA>`-=74mCKZ8&Lw@F`pA?oq56pl*@ z_OwXz)4x|37rI`^|GxGZ@TH&&*ZA#59HJ7`ocB`ljw|Xj!OlCEbEe z?kDPlG(4f#7@e(w=!EYKuLpSg6Dc3)?8e7=vwmF=r8Uo*?HUNlkKur#GpN3e#Ek>Q z$>M!W8LQwv(1-f&NKOl)Q^{c4Pt-xO$N^$-oZ<|bED>8y^L^7lg%+J(Ln(meX(#{& z-FdFmn&srQ{;Yw%?cJ;3bSi!p^P=#Sy_GRmc!{yuWCj;X=pt<;1CXZ-aMHVdM$Z6I zS1=y<)Vf)$Xtob!WcMsE6Fe3SM(r)7DNq)DwMOYB}2#CLXA;+Id&B(ZqLU%CES(4g^4~y}R5UNg-m}@;pAB zG@>G`Ia*)LLbZ>s9*g_fO^lI=B;PS2Ed?cqR(Oxr7qU!r)i5R^cM~=S*fue}QZ`|= zQ48ij#*^te%&xeUA!e;}2qwI9I@6qx?m?s*PSZc7k~SE65*QzlxlOkWfW&WE91 zUlP{pZaHnfj9;S~ehok@w0&3zdxvqGS^bYenXf90v4%n9&RW;}tbQ|3V&kKFSE$&x z@SeZ}qyLI%aQ|fZN~J#r0tYi3cQ9kBeZ9D>{tax;pMdAq#xV)}7Y-KMKWUE3j?=hg zf~%lc%in^-@}DHK)KK9yPm%8HR|a91v9aVBTcOmhXR9X38EW@=rnUK}(tqJ*X)?5n z1A{6|OblS_=Hj=c2OgvGOWf2so`XPoKE4E_d)>)EJ`5hD+Xs5AvCG2XAVthgM>jc3+S!1p>&%?#O(q z1`u;4!VVg_@0zRVEx-8BZ8^Z&%4A}h?^#pDqa>KS5ooq?_CT7>MnbwAoAgJ){fQY( zGKeO149dA`Cat|)UEmHxy85|f(3*QAU!)U&4zohv6ol*a(ZRMT!IYF-=5Bcao!w~H zmVThQp&2Fh{h zh@YH;8hglnkgpF6>nfOy5Cz8BX^BH+lno@s{MDoyAxJTj`+j!}vstm?fHMXOJ zu=OF)-c-ai%>*2L^o{2Mj$K6FAfo3S5&4BYbw232Oyl>@JUlByYYktG5`X<#NZdyRO#3sfFsN%@{Bb?}H_?{!N!-MjnEEHhc+U_a#QX*M$zD~iizsCI z9{T;9Io^4VL=>aXP;Y%WfxlRdT(l{kP?hAt%`Ptf#wkJS)wJ3M1AKE*JMEiL&{M=#yjrn%9IeJ)FQbU zPD-oQ(wUj7mBtKuUsE0=KEP_bOHAhH=~GqsJb1>%0YhXZma;V(J_~e9j$*TZY>1f6 zo0+YQMe0%&AniB&q+(vx=Lg_ep)Wr{7;)z?&d_}pICN+%&Ci z3G=97bywHFoTv+DRY9t6-)ilx;0r@U3*lRBBJYDqc=j;FjSOfd6+22ZZak9pZu3a; zX?{-Bz|+(V*P7@WgGaX49}}vy`--I ziN<25G`sW-Jq7SW@k(4l3!&(SLH8aF-TUX<>HtPZeqvVgpJ6dO4R{;2*$fBsXq%Sk zvRw$*(B`7C2*1f+HqI!v)o`BIl zwJ1Y!5^pF&Jp*hEpFgaE(f0aeZLN0rw6@x?kqhb4@G)yWONH^<>NA51o^A1unDW{U z|Hz8t(xFKI$TX$c{S)6YarQS&$Mkb=UpUrvI?^nQnyI!e3s@35`na?#X8Uo&*q$FP zi(Zqasf$^k=dCk7K5AW^X><2?vSPQ+O=mRQ66-VLRxFbP%*{_!E)RWn$M*LuPd(q7 z-K`+wVqG^)(9MAEEyv}+_?{P>OeX^%rJ>+EA(d3FC`NY|6 zC*>(Ur)MXePWH>`_0gbyIre$Orn8Q76K=id_oY<;L+jmPz6~CgZpyoD{xvhcsgLSPkavK0*^GAw#O(2|%ZhE< zur9mXfpw~Z@ds{e2H8%$o7*R$ZRp26ThGo2$vyea?K-~x>MJ3Zzhqaqo;Ws|()kIS+kUHNdx2Jj#qd7UkDwsB>?B z!nC60ond2EyNA{p*Gypw$KISxPnZ(2_MaYm?QBM2>Bi!v=ZYH3_6y^e&22i)8yfMk z>@E4<9L?A&w&d&Hd-1}O(8wu2H%4u{z!&9gzYx7L=jr-!%iPV4GtZBEwt45K!slB2 z2T$62WK5{{h1R3}ySAjjEqv)z=I|+>ot^nFvG~H#!R4=?dMRS+TeaSXeD1q%hL7(3 zZYvpFeCS2KTWBFYp?w=LRMVD|-XjtkC!{}_bVQgHS$V?T<-^L8_@gJMUrv5(+2}1> z-p$N@>Up34j0?*`Tr(^K#;+3Z4(h+9I3x1wHr1KJ{t$3)&xaiHg7hiKC(&+ZF}Nvj;A=B@Ou46PzC2 zv?Rnktf}^F@iO1ivY=TFOIIv=Da5iyYH89&&P-hT7`?IK?9iKo79DvkYU%8!mR(qO zcyRfbD+i2z#JFj;VYzwtfU_ek1D**a>gQ*#no{%br=P02@4tF+MbD$*fVa~0yrgiY z47jASpPxM@xmQ|f|8DhjU37KB%+bM*og6Y~jPsXIzKJ+od~vJ>mB$4~ zJ`#2KNc7T<+h{tusP!MIGgU=Z>GT;8K7W`zyIHT$J~77h%{9oKz48>~*#5t@r~fr| zlE^0y;{7|*CXti7KvSDvKB;`_tnv;8(xH`ArJzlTGJTUlIS=vMl>FEK6k3GCclmSk zaHex3*m$j?=btUMLRi~Kkf213ET?X41O-vd#0ia!q_GhpLK+2=5~Lj?lsv%#RVqm% zj){b=!WvN{;loH*_)-Ae!N5jwfSRDSYu93bq6}IKU*q8jF*(EuDu<112HhDBdnE7= zdl7>pgVcyNV)zaa)q}B4DH76`_yY>HE9fnEWmfd`>pYo1-%Kwp`)85+`^u-!Dy@82 z;O{cpWlGbc+E%4$_Y&CZzg+NtEz~r=*C1ZiS*TG6u^54}>)*Y$ zn@0wa?n;apT~OXV24ONG?;Z|CU0@M4cU2>EK5B-gk?@-Z{zMfN48OpT<6?49A!}EM zLisANoMvqPigX++59KlHynEviQQ>ht34F@C*9gZ{Bf>lz2}cb@AsFKw6Ho)3BJ8v) z>|2dQH~{<%_6^3&{SRF<6Y1&5Dlo(hEp7Z8j{XiUfTbestYmET|8ag+YmjP+!c zPW$tjV6@LNrX9=S7JX6&+k~tBXJKhU5c7Yo{qKU9YcW4+5U{B_G-C%qEyK#6`!ZdE z5K4n(qym*#HM~OM6%MZ`RuvPO)^RsMwj&Mh=)x}lsoVV5eKe%~we)je?bwvXa*#RqVpMX zfFWTVEW#O6!#Ma$!5WedRYxZvje+fneJUwo7AQGZ!^KiO3H*l*fC2B1IVCLQq68)j z85o!oVOga~$Y3f!K-bKSBO*Huat5=gHxgTo_|3QvIJO1+jbY$6EZcAP1k z1$>(@&h*;j9knAsup@u95U%tLD*dy?e359c`3?>ogILn1~Yi zMARE6D$`^#9Vd4PI#!lS{V*ouz~7EmBN@A-%Q%I9!3MdR;rv|K9bH(4s3uk)X#6~GpE>z_2>rgPd{ZKcx@SNw>Kb2D_ zbSkIjkM+DwjQ`e7wU%}R!$40P>0t$*$f2Gy=|<#iLY}Wlm^BwMPJV~y8)gOBoU=i! z@?0WDag$>Zk}oQxRB3q5)T}AUW`6-CxC1O?sGDaFnjPp8PK%6SP*slzeiEb};fz9*eYPP*HfH8=hSkWt4cxM>0^ zYaHpAs0e+SaQD4KK6i{!NYmmoNY~Lr6xK$ivzsFSSxL#fV2wwfK!{^kI)*WxJT@vN z#>m>EfKNdOnZ-1GrVCx zn@)d$82i>m9k$MR9a>mi;d=LuzC*F}F7`~thJ6bFml-63)fQiU;9hA=6KLC(eCFpG z-c}D}%Oz#^Z6Kk#vpveDO9K0acO2H^aWXi!F8EmkhBu&P_N}R z$hs3NH(~81@@HP5~ZMyw7hkL-+_q z4+sDo+YX1*vR%qvPVfzFs{!+BP@)>*epH!e2M(LAOCZ=RLw$^bC?n1Uh;cqj6arB% zcqIsdY6slZ@+}7L@c`>lKkGV1YW77kG3i$W+Ey@nr_+yYukpuez85Suf^GZuwvERz z2l|q z&aQZ;aBI^J_h}HQOL$NW7j(c1sP6@V;1XfKnw2u;26bOMM5lAkKpM0NSfv|XQNkv> zmY%|R(>6rCzJtossycN?^1qe^r{2d@u5mQHQ?9f|NyeO71iPdt!AAIEji8QHzo}N``km@-w2^ngz4$x-Y#(An4m^8c9m(*51VXIs zCohOkBo~=6f2MshDw&MHY1or^`FaP|z}MBaM2PN@)T~|UMn$D%Z2nGtS3%t$|3qB7`?h7hU_cNG` z$~}&iV1;R=r)|HQ#s;8Xd+#Z%fMajll#beGD)MKxSEJ?C==5TRXSD{aaz>`k!lu+9 z;Q4zJZCk*qdXTfbLi@Xh#v+^HTXpsB<^~QEPi)Q}pyikqxi|cZccf>a0?0LH3ahnW z2PhMqg=d5xpzPM|&PBGdnJ+Lq-N^oVK>}DyH@^acomK1V<1wy$17T_AP7MAK!k2tt z>R6`W6$AmX-2s?xZl1)g2(a^omoRP*!`s6!zbqT5_peSkgGK1hBHqu%6OVzT@iY+FVIl$et$N||%9DCW)s z|8S61(Ek!--J(Q^WVOA@^q3luK;kI}n6oFXPD4fuoe#RBxx@X*Hh#VR{nX*ayAjvk zq?4!Q@dM>AQOY(5edn*F-BBVxD|3bd7|iwhE!Es+P?OYUs<=RnP7&hhgIh~m!yOXR zoz!Ld3-__N`GjcInN;*8WZTC=FF>Di`!%sZWV)NWj#=6tT8!G|&Rmr9L-q!=Xe*+R zaPAQFeP#-luPUWvI>%zw86F7czD*otS;M$A;#h=1xYM?Xjp5$bS>KO@(1tP0I6y4u z?A<`V^jtb_li$QbDVZtv4hO=CEtGpn#Z-a1aOKv%=<*WrmF+cX)l%VP>HD5cvH+A3 zv}rKOGcWOe03(+J+k7vg?D*@tiomROq_6ZH8&($v>BaLj44i+ymZXna0ZrFcg%g=u z+Cj^hsS0jL-IV&gXVS>D;WhV;aHK+`MpaU^#|))iR(4C|#p@`x*tPjr|R z$Z_HW5{G)TFBG=7EuvAjI`27TYj<4~ra9WNE8B1(Ku*Hf3duyJ&Bm@cx6$b2`#1#b zcJh&_1z1*cShV)Wn*E`W^8vC9G>*_yBS#xFlTtAs<(Q2*E3ZtXSzB&wcOF321y~;e zeAqy16pXm+3zC|)6zcPcZHIntNMk+fZOWr_(hE46NgwGREv?_(A&(PCSno1y zSrf$#=3tm%<=dBc?P#kTo{>*5){&?>9XaG&Mb#K&6Q)DS8Ent%8v;!c;i$LmCt!in zG|^~zRV>Ir;z>u0pCc`(UVwfo&hwi&jlL{I=|2b{QEmM!9|!0k1Q7|@Ouz%^g8?fi zTKUc5FP5P}sm~x=3_PCTe+17;{G73f_NF7ma)|INoE8RN7BwjzV;z*b{WxsI-YHXpcpCXj4}O&6}4koCn=lA>PcKcPVOtuucO; zS0ge-?7C^Q;$|VT?o!Y!?+*Ole%QLOQFf#J!DrNhIdilEh$t(t^&JJBoYL3v83qx+ zuGuA+x?Lt3By1S{7NXs}i8%8;;0f*?f!ePsW?og$cT&2xr{dkIAUe{%Oj)~(=Byim zX}okJT~f3wFkhVi-2>(590hqyI9QOT_;dteqUR~RmS7dZ)0d~X}UOb?@)z>2FjlYaUXE{EoxYBqz7BS_SdR|=-R?!`52-`8oPWU zHZ2Hp=vd9#V7kK*!6KV{i}OB@Es^ZoQPoO#7JkkWAU^{HHQu!RCBGEL z=~T;s8Y_V4UZJ~7%8_MG1ausY0hMHmj~HgI$%RDdwG?62VF#w%@3 z!Zq4vU|8Xs@?RZZ{GI7cx8+LGP^NqlOR!MEP6L4mqhUVkVgT@z+F18Td7dl2lI zM-G{t+S;Iq)F_N;4&80pVK!>Hcr8uLyoNxEbBh&dRD4nK zeC}$fGLO*?)aX9t=?1cv>l4ZfjwX%7+2%T)(nxCPk`MW9IlTq(!pWP`=PE2IV#(AIz?Zn5n41~gxg1G z!+2^6vLpbnqy>(feoZUcsh-tj^tCp^B1gRQz$C|Y z9$Je)P{Fldr}4Iztvk@@B1Gfcy4*dEz{4|!rRMw&< zmErhGe^dnLcVy{CRI+awm5_dhoba>8G0;MjJcE;$?4LmwRG+X6C`@ zMi=T;y=nIV;36_hXuWj^;^&-Si#{5PQW7020u7s0biepiidzKs9Uo|MsM-Yj47Bsb zE3F~;G>E&5f|&`w7KSZDPC`EwcVWBoIdZ7NF{+D6r?L&56G`~|q?Ftxh>tZ)>zO_G8#~jE?Y{ zaeFsKPB%IhaM+Y@H{)D0_MSoqD-ioYNGy6;VgK^xKIXu3s|jBmfr?->s(cUnmp;}P zaeE}TMHa#S!mNAIFJ{2AJCDGJb_dP{X_pb8L7ehgdq14iZz(jk2GpL1bB7|wR}d9z zFUHnlY}pW~pBF&KJEnqyR0NHX>jL#x0yJ$J{f5Bw9ApY6`qAAnu8SD$2=op|`bzWR%wd9#Uv}9;Mve{2bY{=Jw|UBUcL?<^3!9$G{BbBi?5IuDA-X4x~HBEEoe|I zPek%~B)$(=+?k+d`y`!WY79iO>veA%D)6FIb9n0498|E>K3)h0&9zFHAFE%_^1H-u z3-%*w;rq!hWmYL1F0QCMwoX8x58gf!WsgKxjv@B&xFWptDk?YO+>xkY5Bde93otv` zItlZeH7kP(`Y4w6L44-*E(&*-_TLd`nW)UgZ|j_Pi>0@7*bt71aDbf4f(UaD-AxT) z^($0K{WSh6M;ek(#&CrjcgGn*HIz(0Ko1uvx3Vwr*(-HXz8l4KS zCj*>YG1p6i!J}gf=A06YAKT*0sa%!`ccm+Zov2*DIA8l!BI%(S83i#8`(!{oa&Pkm z05LgipR9>7$!3&(u1Iq&ifai4Oi3!};LdZ>{hC2evi)2i&C5|-YcxPlE!YR$=>@Uk zJ=0PShLJZu)*g528guzf!{YqxlMsSoR~lxL5>T@lCtX5~^Xl}9!E%6~XA>`W;Jy0x z_FSNnR*=}0x;2mRk#c*1XE)WSkMTp-bdMSJqmtxTd*j)*umZwVvXv5iZF3aKDd8-Qaa8nMlKdB1?-G)`_~IDGh^!iiU13n%fOoXDPYQ!^N1? z6{y9+mRtJu&7Ovu5?wWb^E=xV%-+-dG~DJZR7sA8X*faj(OzB$@&sw>P11+V42Tvc zsmV*VS1?RgX_95E+fv+}ONHtit^F6oxQScH*E~JKK1yES?e1Ipycl{wKVN0ia+Wp~ zNMe9iejojZTFW912I%3$l5V!#&fi^(=y*BG&t}+PhW2!ex23Q5_k1iw)z3CJ%E}o1 z^NC4A^t?pk8@-joF*L3Umb;*OBe@ zD6<~XqRIp4=v5>MiuPC0##doxkyLnZ69Z$}pmsBp zYG&wjpsvq{pDDJS2|Qiwk8#0a)IJIElPX^!{5U5xY2oePA^DhseD7@tTKc#G4p#t2 zEGTUF^12_*Zco6D1PEl)qI+It`xty>3>1+0e)~3(y^X-N6}KNzY&@dC(~{QFfa||t z<1d;=)E2BZsRla~YUgNbIj9DE4|%6Hcd<(Qg)YfS0*X|Asc^3`v3=U0D9=N-A;OCN zasI1Epo=eH?GJgzNv0iCJ4S72ruug@#FYBAhI?5fUFG$1s#gDf7||Cp&N0a0O5NA2 z$D*yDbx0tH6Vce+?_x8=4Q+o=x3F~i3wT_A^wK7r3p4$--ur0zW+Y$2^F}%sVaG+Q z^#LLc=C0P$h=k91s&nL?`?{a~J>cMI4uGSu`tZw#qE%mf<^bc;6z^Mg{|{N8i^Iz-eWDIt<&!Xj%om7-k&Wg!I)N!GJ@HMq*k&(~L6DsAl#=mbC#p zU&igFh$)@_CC)8HHf2$*U&<`L+sr>uc`2ITgycThe57Cr2Va(h97Q2=#gO>jA1iVz z(MQR6s~xphp!5nfe;zJ}_hjT8h0P`NhbaDB4J|CJ-h-SMk?m-Ex*{ii{_CiHJ}Q}y z-aCfm6)65Y(?E-5yE?ZVKit1>2i@{ZPybvH-z_04b|1npo+4@Udn@2qGv^~%D435n zzK)zfbrelf`x>0P2D3$H%1dr*_N87Zf|fQZr_lQwbsP@R_gBr?r4UA3F(^ETcBi9) z7W`foYCniyItX>Gy$(xt@;*d7JBKTAta|9;o8gO?bSUUN zgD%-b4mgd*)co1bS3>|^>-d#sh8p#~SW@D!W=vUN(wa0Sv0T1}J*xfJEX!e|zDmPJ znTBc7zeV~Q4Hc{@n55eKj7zgP&B*Jr$f;P9X2GretW*Qe{KP^oYZ}IxjhYR8K?1;$ z)lD;NF!Y&8fvNjYN1yt6@gUQD6P_cdn>`tzcd!30mTd9#1z@~)Ogwyc5QT1d8X1ag z`fF@qfKS0(0F9n>izPJ%nUZ3)GpdPC|6Zt=<9xE3#Cb-FahCZSs~72}xJhsRkm*jA z#-)~;xchTb-F}`5Hqzn4`K7F09**-zv7#d%=Z|3Z4lB-o1nZOHgdeMDehIeN&ADbI zZw<4w^r||6(^L8ZW>VUszZoJ#70pI1ubM7($CJRG?^Jg~W{#u54+a-cTSi&9ALD!* zxtq1tmlu25aa2-QE_k6`@H_zCREGQ{ZgEmkR)@7DQqdY8-(qJXtB-4snzKerF|J&o zO4X0!n>?+6i8x{f_c8(2z!<{Q%*3S}28W*f=fTV*Js0I4pgO59_y`5b=HlnA&tULR zNMSWgLilfO&oNq@tu5_g?hZ)YJR+qG)hJhZ+|H>={lOl@ekZ-Nl?61!<`_7IY+WmtY5nGP6b7=w9hr|DZlr9LMLF86^7y$DiBnhSsz@Qz28 z1eV(!hMt)+8y}kYhS*L90r{jcX_X+`&q;5Bs7qe)ArOHY&LUGuw^n1$Aw zXf*7apMG)=D-7kIqT%ue1ztl1{pY<&FLZz}M(9k_u{uI?HAXku!e0TT==Z{0U*j0R_<2KUY9$=0%jU2|@ z(QhiS-a)==ydZBuM|RQ#xeXoJNOjJIDBevLTH2DB8kf};%}(}~V{N`bEp#+o>M-wS zj7KA#eDl^2IqDh|4trV3f`l;;I5sq4{>#Oz$>qh+6q+{l0`9JM)p9x9pMKADgIR)W0pGvw8OwtJ*CKEesXY>(?yALI z&AqG>F(}sCGT2yy%kJF+;czzI`2up+i_;6zFgGp`5*jHPpj9tTaIM82X>|(nY>*i> z$v5`rkGMx_KIsiwgh{BU&cjyMX!-}Xon^mf`f7`1Jgiyf`%K%Iw9VxUvZ5gF{SNn?-k4Q0ZPehx;gvyi%wUGo>)&NO1hB8Y`5r>uI5P zFtQvd(6KgxKw!c4yX#Ww*C^#hV6@oEAt$p4@k1;+71uWa z?a}QlZhKu0^Oq;uxgrx8V@hM?*R}eOyTUHau-gEmFtHnA{-B%W54-pdLW35}wqEAL z9f?lisfm>cs*UxPbilpqWEDg$a_@ef5(?t3hFv`9EipeB45WS)8KDD}aZEzIAm$CT zU$g0YsP&CZ&x+;!5t;dt4UswC5y&z(rgR*C(|QDR-BnGSZ6|iUN*BxX6{fI2TLO*M zOQF@*Y?wS%_<;bkax`xVgj3RCuLHcjQ0{V^SqG`-?fsE(o(6d5B6$qXx3fY?t%1P2uS4~C)0}y zQt^rPTVXGsmGpt^7q>VCeWUwUt-q;~84MaS5c?F%UIITG=%E( zXM;dJ^nO65z3=6BiNy5@vW<{|%lBRY{KUff?(3gr&99Mxj$VBAApH^(BuXq<#!5ch zdM$`E1yO-pPaHoX4J>wbJc%@$f@p*z5L{A&YF@Ef$eW%4CeWyRoc``GBDozai+%A| zHD9VA^LF<)>maRklaIC}1%aK-g?JppSFio@cA%cCv;?SuAVju-PCPRD->B2;Vfula)!~Zm-=ZBp3GN``EUE zO0`X``6|#p0`JjYWz7(4?cg$|a03JETktR9e11LiHpVlvAR-|(p){SI?(6ORIo$d! z)8eHimQNpbT=J8qR2-9aN?l9MRJy1hS^7;*Kf~A_kv|}Et%^UN_1gc#-rL7DRsa9P z@AtL?dyk#N&ftul!5Q0RlTCJH2R0ZAx^bhROg9AuMIDNY3JMB&6B-)cm6fKIW~L^Z zrIsa{rInSYmVHtyHM_I4va+6Cf|unZ_cjQ2;F=k0ELvPw@b1GR9Ub-?RutyAl%gCv!gqyp zZQT;Jm4rObFiP{k*m3LtSGKek+49Cx!`Kw>j{T!r-(v?D_G@5{nIaBErI-0Qn=}xp z$deoe8b@&#IOw&VVCS+=&W7c^elSE?1Rh6$ROEhnox-&iRCz=ZHd}B&eBn%Y_9gok zf*IBbefb!ps*<`2OoFb1nuY=4U2yalMK#QUuDsodN8Yddn!Z}ZgI0;`d?*;1Rs z$2ksmrTRj+q|VwOe8!H~b>Zb_7FoVavg9kZ6XUc6N~(u{ijtH3gHd=F&@vH=V{1(K zWpM1H`pQ88=Diqfw`@x)uC#Ar-j9J3zQIHjBlA&AYYND<)UbQB;GgS$C3;;qL*)k6 zVf#AH1-_G#$nZNf)nF;5GVLMVc_ll9YK8s*_JlI)yZ9*En}5)1d42#2e~)Bap8+wB zUZf)0>@JLg==>*KXN3&g0%CY7fjENIf&&k>D?#9EUo?=BI>xF&SSjeoK7K36oo(go z%AN~~l*IJp#fPJU;{nfAL>>k4M_91dQUHr7sYAw|2Fh2m76hreRoZW8TtP(UN3$4M z#uPA;5gihoBaF2M00UHFO9q4c;@d&u4T5Ha;t^u#kwAuxxP;&+{D`A)Q-j}Y#P5?m z7;`UIeCU6II=`x}P$(XIHw?B_m584XyQd_>2mIC<#xrqr3H;Yan~t85CMbNLS~e*! zfIhN*1ib z*mF{2%Mx3YA!tf^P=@zGw4fdG(XfV^pS#sJtL$fKntXqKZ4-8LR{u`9BT6ORCl7^OPM=4a@XPjYM_}_v1qj62~8a>9h3P+(R%Y_Nh|Yx zD~)wd6qZT;Oh73&0Fco#=JO}-u4Dzo>5yN zG^Fl57%;1)ZphW8CZTl&?J;)Mz>@4mY(e-9G|@TEc#siK%gp0Az4WTw0q&HakU7j| zc>2eit5=LO{!Ej{&11MkbB$9@jPTCrsRzIV+sF=a)p&L)tTk*mF&%)Ru<4*bv`Od?u_(jyw zk<@nGIkjULeY8?A=3d-Ch^xre7VSk^ldAP7)txip#_+Sj>IT~Ov$l0C+GluPiF-0m z4(xdo=zUqxz27sQGRr%7rD;5#{#}v909k zKH{Sa<0{?m&BikHZ43>)Vm3a+l@2YLi^TOZ=2Mu1W*|qAsC_l2^%H)BsEYD@IMnUR3-N(yIT#S! zd0dJ#UdHK)#(_pd3Gkq1Iqon=JO!a$GP_w6UUJOE!0tyadX37C9D^$T@U+091@`qhW0dUjuEc3;W16OH>T=oXU1gslCiu zepdqJAoepclI2<~c50uFhvk<`Gv=tIG^Aavp`0KJsx_+E%DmGmW(MGP0AFH^kHKSg zdsVqyQ@s@stXGfct@yvF!PV6^>&p)2cDfiZ>2c z8I}?I7`4k@wXuU_nZ+EGyWKZPkyCqy;G)9b8Q(iKn6@teEjJ-d$LMGji|p zFGpsBua)KbmvrBDAzzdwf@ve z?LHmgTl`MgmG9lL^d#&jkMDdL8HdL(?XmtD$bKKY5iB%1N(~~Hx%ZH3u&^yhx;V8| zgxr4DZteT=a0M*phnQIm1Z0O{#esK@v(QI~|9KfnctoyaQ^?eH<6JM}0WdNTGbD>z zPr4l)<~^o;nHcABB)#G;G8Xpry%3nJwD~l9qG>4^LM?zjUH=HsrJP3U^1BnOH)T82 z8ZX_R?5;Gs@n+b_x4px4TN)*F3q;AtiR}r3vuZ|_n{;0q4NguFd)mH&I)txEi=)E_ z@KG?xy%TkG3Nem-30GTX2`HowiNijXY(WJCdjwV0|(lY3LxXs<)bFMcftq5})HE z)-zwX?|TcS_uR>uM_(Fr>8|3t&83#nES#!+@8NCS;L=&_=8}O5t{Z3`T%V>JzSzHo z$<=e&#tUFsYmV$I&dfoRor2|K?fy4OZ?m4&8x2~RpA)!Q^s|vy{5wo70{ffoT}Hb> z%N3B@SetEjY+=`R4V=SpN(okiM)qyTPImKV@x8m5<*?CEa^tk!q~; zxj6t1a*G21+q+S#<1VsquH|41lc3T*98>sN(`fUc)-5>AP^I$Z>&=e?;qmzkX<+ZauYyo&D_KH7AV;`%o}t=)x_?);yBp7YzJ`0c5rj4{B!S< zFKi7PfgUT^Aa9|rc(8CR^yY}ci*Ej9`ozI$6LI~Dxv;(WQI(#`H*%lWSMkV4AgTDN}(ZE`g< z54n0UqX>5ozZX2bhI|cwJ9W5qIr|m}FTgx2EkexqUbgh;8Wxiy{A|lf4tAk&G|FZk z==S2BXkTyC#qnx_?;FROnBcc$v2SqjbtYA#E$T)RePv*UkfOZ43IK;YMrp*IiW#eb zA8Tm`r4!ep+I?i6p$9`~X6q_g6JAeo42tvg8OHnw7M&s&D#ec9G8~6l99%WVn z5VI9qTN{S7J<@tGIJN3+I|pu#wgg*oY+DkW{b9(ux_ygXF#gf6iWg-%Vijk~W){or z73@QEgSZH6I0vcS)D!hDAkb1~F2))@c7(4~?1HhoKXSM&*JDzWn`V2H`~C+Ms6hC* zp=&BWp8J~Xcc|fIVhj#|iR{ymT~;v#A~=t1i~{HH`YT!kTnhR+#N$hDMB6wk?mE5Nq72f1d_f~Z%z zCb5ZzagP+sTvb?r$?}hQ&(p|N2|YrKb&QS_yG9Z#_ba$mb4DxuLA`b~ZJt3244*KP z0_U_U!>b*+D$9FX&gZ#+j3@3V&)9~l8=h@=5_y`|2IBRk3e~%vu*Zt5ohJ>$Ql!I3 zdP6RKs@Pg;>#1ywhuyFkEeqz61!k+*KgE+}qK8Yf6gk6@*c%6{xnZ7OIPzU{U9xcp zZQP}Hg>0h_8-d#2fIAEyIz$!reFs?L1IUnKaNTG8(r}7#^!Cg4Ojm5lxf0=lyb;Lu zq*DSQ?A$2rVn)cP!Q^g#X+Fe{3^3nQ8SmKJPs)&&F5CU<%DnAcI+}fb!$Sq9-=+1H z;gr_n!ZZ*L3Is0#Ly5l``HFD}j7CF{_y+O~1&)S}=#m!XtAzzS4=Tj%w-vaw532LL z;3Sv(7D*=L*rO_0h|1RBOx`2{0PYvZZgtL7BeLb_6;hVm{OM9x>9FD<=C@$(DV3XF z1Ec63xp_xjUw}@VHy9CXOw^LGW-wxU+|dT5vtg)rjAL1>?;M4e~2;g<1??n$K_sHq)s(%Q-v19k=@`Dc~|YYl5CmrTyr)G_AYs7i{oy(xfD(YEw9^_?Y%Pc zEy&NXpB_aMijc!BzO@6buS8(&1%J=ily3~iCUTg(P0ypBA_ulhm5tW4p_ZRLOQJkO;>z1)w)*~_ZBfQdn=`K58zs8&6EDfBEcPQ$ zl#HG%t(AMaqm3u!AWb6G$=H_icx=2!X)H9dV&(0KO9X-3U!&oag;HBrWV|tf{ zFJOgQDQ!n2j^B`X1P2ZvP}(-HMH$jsEKW!4&Jm{(YbtsVg~rLoc1IG0*9-wx2oL|I z;kFnS+f%OXMR`TYc0msb8H+GJb_|tFiY#g84IeYci(1AVi>k$og2S!HNluEaWG2$A zSDd6`CeRi{OPe&(K-%ybAf%-MP!WKCW7g4J5U|DdNU8^oWdK^wOkr|puBQhiNnT)$ z8lRhCu^OD;qu!B5b zBlDMnLHJ5Kku2V(CA-*5(r$F=75p1FWcx7kniQ}ZK~ucYzkvvY{R8B@bLKs$BnLS* z$9rn9??dD9IM0*15qo7)V|*319uB5@K+54FOg#V_xAGPHXwN((Eyri} zvL6=T?aHxfS!x&HSLd=_ZJCKEGl$3|ACj7oOCBU_f1AcN!|gpz-jqIv#tVsv8_f6n zaEFai^U0PdCHpo1C|fFBK%|BLoPPqupppW!5N{+iQHJgOD-HLv#Y|fYr*`+ZEF345 zAlC%rDka%O{A>a5n!6J511{X_GM2VuERIIBn#-Qsj);q2mUmF|?emC!zGO_KjVZ%; zo{_kmPm**^T`cc&XIdk`eA^$KmeFyxGmEi}(lJ|-JZI!*mWJza7rK}^Z8`M5>!Fn& z>VgJCMk=3vE?}IG*LFc}UB@_XVs0$K*Xj@m`AxU?Lmue2)g>4%%|j*gkaiY0ov#f?{^7{{ zit*F|^M0nA-Zqji8N8m%4Sqv)x4f3@$>bY6R7&-oCd$aX&g)VoPd;MqR^kW1X<2Zz zh0F)v0iW#HpKP4NH?3ygS7BIiAQBGG!t9h-}QVo8TJI zEKPSo$X92uCXoJ`I;nlHa{yP@K(yJgR02mpI;E4f7C2EOA(vc=9z$uYa0YpstkD<;$3;P}XJpnHc+z02af=HCwiumhc zrq?NKt@AtSb=_Mvu1JyD3MA11{t1QK9tj1=q)iaHIT~gh_($SOBKTK$bttmz5VTZ= z#?FDupb9$yf(J9`YH%|QL76TZxw$wf{G+Tp@F1f57QKU5cL)SU1a1-p&23o*RwI8= z69xlL@gnmmHcJEv%vYbU!)!@_!`yo%5eqN5Z|0qdeh~PtUSn?$Tt#%&GpBIn23!xO zpU*zujRBM7$7B7Ntq!DOZr|ra;EMOL5RD^Nr;WgT$_?;6UTpc?fCJwndYWXARonwX zC+?KSlW6_ZDA0=N^W20PS6x}(k3?+Ys>krJlMq|Kv412AK^z`+J^1Y1D$wPG;MsAF zH4qCdpbW7xDgYZ06Jl4*4#}i@k*+~$Uym}u^AIRP#Kevlr(ow<@f%src+?pQ%DoSv zLM7xju)Ca_1iAeYl@+0EfWD%7CYO*hW&yd**vdGGqPo^`J7Gt&H4xqwg7~A?Au=Hj zNo*W%)AEEH2D@Now!KQ=VdlLTnY_@Q`i2`DXXM?B0BlU|BRkyXRqSjac13g2O?LLWs-b5O9-_Pomdg(ODhfDJJmh*fZVLJ*%t%Y*4`U`9YIsJWjF zGh*1TP?q4={LZ7fW!-5qgZAV?Qm(|@hmEmHx(7<(|Tti+~@fIY!1l z%5`_`@q8qw?=4EiTz2RSIh$Sa!>TEW8^Y(5SizxQ-h#N~2jrMOYhJ%9CxV5c3(e1Q zh2m?-r47+k{eH{^Lf@d4WG==#k?T2oF=E&7sleS93SdAZ_m6VY6Fjo=dYP?ARSt97 zXC&5Sh}#GelFh$k;KYiV{V{goH804xiYJnAXbj?t*X+XIHXzc#O?_fGW;9AL z4cO{cm*K=OR!7t4ZSSc(??9Yb%Lk2Fs3cKd+Y4n;{$;a}P*52wU)2ZE@ABJGX4nFw zX*th_PQ;WyD-(ApjR#e5JRXElm3C9SEm3XwK@Co?d}Lf1&oC-QSXQ($UVE94eoRx$ zh#m3F5QbZ5Y#}5Ix;dPPfte}TgBVdpo)LK#sibmRoEjq?r6Yp|`XdBQ{j3H8^hvh0 zG?NB`yVQK)eI_}<7N-(mOF)Zrkg8()Sc|*;BJKwr2#o} zVpt2?xU#$Fn99`x(HX0dqRJFLkb8jd&bq)N7);jQ$uRK=LJvE*E$l}+ozP~DB8ZD? zn6DCU2Cp+47!n|TeG{-L^)GZ$x)}+q3pB}Gb}X`jV{-zWQa;g3>yTY7<)BDlwxL1K z=K#_lpvO~iKBycYY-uBJMV9y&lm#T3L9irw&%x%s7X%8#yJ2EIpzxN(1JOFn>P{EK z8Qf0rn_AGHH0xmN4+8ypMCRO+FAr~Fli++!^U`QQnSh@nXAEMh7}jd}l$ZLT@Xw%F zm{Wwp9e@P!@|Plf^4y!@ABx~A-2IHR{uv?sE(=4&5S2*P@IU4hpqe+iLhiVDH>x=f zX@XRvYc$ap-G^MGXcNCongkx4)?Rpu^H3x_lc_cYk08&Hx2`;fGJH$1i~1Te_u;+8 z3mwm@d{eVkX@V5imO29xCwW3ELw4uTE=gVps}gV z9`I&06KCjs3`Pr_Cw`t>ED!!mnu$F>%N+(2HL0yIkd5jNpscbdm_y3TFXCT>ek`D+ ziq+yg6zGQ5!Zd$V&73CnlfT%*hA%_f@Hew<{+C@^At#zaibV7h_eoQB_N3WEl z4DT>rWZywv|2Da$-3lhYNEFF>iIE$Cv2+3K64rUn$hb#^SB(>tpgXyg_Z!bD*=L0w z)x~lc{m+pgH#PJ&^0Xi!3uQZbexYMH3#VM_}PTro%w+OFSi>R!3Rf8iczB(Hqg}h0cY8mgjs8IKH`kcE({^k&lKU12D9Ury^k9G==oEqu|HaN z64~D@6nfGz8#htUl%l{FpzZg7UEcg5dc?wh2&3pdSKo?@<@YIw z$lLf5VsL*TwaWSN>!)Mx&A@F@{8wKs!LL-K7uVwl!sv|I*;DL7+`ol(0bm&7T)v%z zD+fXp;kAj_JaJ996ZgQDsO7E+&`ZnGj@4qea*avOrq8rdY*z@LX=19ktG%GQ%|y`cr&rNF7P9T`(6a>(V);E z+`fjL6SAOHO}McDxkY@Y(SZW>Nch#8LEZ_Rl3hEF{Krvc4I*=|9Yg#vmmVVhUer7dg*G9eAgG*#z6#*4 zK1C4968H)gFI%~Hgb&bRB#k?D_*Ez=DPlLz2h>eE-*f$36slHKv;ur8K{gg9t)(s2 z=3P;k!(J^{$7+j?b^M_e=nr+tqt34juSeMl;~;5bY(~*c?2|oRiOO=CN@2++7WdI<|(5mpVv+`fk~}^ z*M6SNCgub&Q(o z_8uz=TRtvutmrcKQ;T5bdsv=NF^|XPxVK1mF-}V3?B)a5t}RZP3A9J=htiP09GTzb z9hNiJ&f}TZYsC+8^MDo9$rkzN$;@Z+%*eb)`oY2cYy{x0eT{t;bJYmvFT6yz#!3Co z-K+K3d;=vgD!gW$PVHy2P%2x!)q5qsP=uWW-^6~a-D@R}@!s$X57?-VrsPdW#t*tc zA8G%3UmBRVBv%Ad2Ed-jJEq|NyjM8vJOb{%2wuo{6+Izdl>s19+a`K`k+;sGngQRO z<3eO&@GD?j*PayJ?|43!<@N{jXYdTA^ZtNmN#A2KGx#78Z9m$GG58*D%*&U6CVM<* z%UKx>aoic$%8+itYxviyB3nT>8=u17pL+)zWBWWM^Lt~v|-~DfMMUxjLAfqrQ0G@CPfFW zzRh3&k5~EDynE640eQ`LKW8w$C4s|h0hmbVsC=1R;?X_CBbC~0vDw;e)uo{#OMwcw z-qV5B^}9R;AW!RxI*qCw*)A2EtQa_vkqxn7=S>(jxDp9(jZ+Q+_HNk6$UeTA(v_y-lO89nmF#Z zU=%00es{PS&sD5#S35;erIr4`T-bFLet!^h^M1raqGe3J5Z}hO7CQxgG*`nd;d^s& zR4;diyOQf!o{8CytPQOp&JX7Rm;r1ZO!MRj$^~`^|0uP065rs&y1sn}V@ZV7^(H6Q zbwdr9WWY+35i!lctNW(4=BAD2)|Wv{=;pU!XVq!Jxp^11#kcNe{55UYpK0H+1WAzR zzkmC>73X>$fd1j%Zh|&b#K?0ai&gshF_EJEm8y?_&26@^t2z8k-_r@h>%S zBL_D=mVNVMFh>5?5&o9IjkG!+dZU~-I>L>#pge!}u3L3>t4aT%l>axMzM1B&q@WzP zvhhz(f@1cTZq>)F?A=K0Z-u@7@LQ$4mD3v^zjg1Q9)0U>#6WB6opI~QH-_YmgtBi~ zrD1&i4|%v*#Ed_i<9ar)r*I>^TaW%9Gj^lKB6GE=cjm1;{@F?YG?zy*_P@*IzgHtn zd5>DM2`QJ==|SFbgn-8DllfM|76T0;YpJQHcp;AcItIf)r03$ zy5(=kY&-YAs<16w3B;MeeEZ)8{njegIiKEG4FA3i{C7c*?Bs4$)ql>Zx9 z!Jf7ZJ-oif5&ToSpuU*Pp%&e z;;}N_+p)SQusS~`Js#-}?oU6QM)5NXn#?(7Uo#8s@Q zaXBTon-cSeA+^h$F5%&#i1g{stn@55ORr-KG#O5}LWZ4O?EGbta&msOAa7q1`uc52}}|22yc-J$3wZK3@-#=HlWGeaL9I6 zMrKj>$P+TtU72}1Bbjz(XS-r^qGXB;XNestrOfP-`!E#1<#JJn@qE`Tc$PN{l(#rY z<6%X*vlw9=-%XL}v05-Eb_4ceZ)Q4xD>Uv*Z?>i=Uq<;oS)D1QXIS^(N_Mh3-I)7i`L2%?)0V;XtIz7-^4#bttm6IvalZ~ zus^}$+?ge-k$E;s_rHvNV$o#;IrC|b#XBG? zZQB6U z2*hPg<_<#wQpV;3d3vOT1}hmVk32U6sIDneNOc2_7+0A6ePuEi#lZu07snQm{>m+)L@p6sj=U1!&G zr+Z;a_+7!>N&S6Nh=Wn~x6udvT(6A`$r}T*v$+ALgI<&+{W(oUW95%7jF3W>gypi< z-syUElty8q)1j~yMKos`6wV)YsmE7vZ9(Ea{4 zeVjaA)fU=3*rDe%I{AZdoSVCERJw_m84&S!OW@Doct`Y;?@riXy?tn! z?yh$ybX0CFhyQmEPZCYt_33(-Nit=aGUaf6EIiVbrO7sVO*u(DOg&AxraV(GQ*XV` z=k9^_7`dymgNmaI!EB-pQ%4)}4pH_Et)!i9yJ9h7Dpw-X{pMYug|8cwg z<2*Zx>)oGIcTTeDpcCbRwgR>?Bm=b#1+--3C!${x`GIcnri|P6SNRgX^2W^@VgLw5 zq$2+FDtvzxb)6^r4+~r*{^E$OK4goVFE1QXgQ1hfXpnG%|Q+QbbZRQFj7I zzdVwx22?umTrxcKnK}*JiKMQPCn4Lmha**eQy8NzJiXx0Gn_)VSYf;4A*k#P55i~u zUzGMA>l%3V#`ovqJ1cvjA{HQnNKK*@NCh$&Aa4StR-$P5g~~??XaG&5*5M~2VIKK` z2G}F#p8mVs$&C-`mC$sZKamFb&#Q3jBYb06DzLII3nLO#ATm0KBWR=-=oM7-L+O;9 z9Xr;NBr`?pqfAP9L4n1hmqEL+Y$}##WGq~0Qpm@S#axmpTE1{$L4k>Q^?F4-1^1}p z{1zOta8AYNgTff|m*g6l30&&bHQEh!qB1nZ&MO-d7$9%Elzj--pYM5B(>roCGGySd3_+F4qe=0ylwuo+jF;%s52O@71H%U=!5uxy zhVhUJqysRlG_u>}ktCs=VAPo8*)q^jQD8=$g!D4J&=fC+feT~FL@{X^S$gO2)Sx7p zZO`L>Z-fvSO|Lh?n+o0Y3fo5;pb_T69~ejfS>Q+`{O8qw7MR)joq~JwIec?>czTzt z;8W=RK&c-AlwLpQngD?naY~r3gFS1oF#^o;u;@Cv5g3(dpWp_DC3VD@3#gj38Spwz zyv~x1$I<1ShVt`FCy-GP>4BO~v?0zT?OZHf%4z6zD1_l_BsbMGrDigm*iGTa8a7$! zn>2~UfVYWMnu^DorcSP_nOyIVQ=7u|V`x!5ZG25VrqB$kls=^>9_tEHORx#mvs%83 zP)53f`*bQvS4iA$b1IXQYWqJNqcHiJqUt45!|;uD>?;f^2Z zvp|!+xs;Ce)G4@fak*mM@=3|r&JxW(=XRtTz5B>zjsro z$Gvtn`vht%jz#qxi|0@ySPK~$Zeq3NnFx*BYL8&1%~PqY;yzd#f#j90n$gRrEnL$v z1O#d53@U-o zWc4GX*kzO#-^sE)TwcWHt{erKeggC*@k-O28mX@OSRRc1Pn*vSn?h8L5}tL zsIgF;(+fRpTI&Ol{l@;X6T_R>O&D5_ECF4tdnd(A@gJ)sy3&Q zL`b5{#8m`cRDhZTD(cykj(o@_P#>Zr7oPIHFMcK4|Nf#jDzWL+JRUmoR8qWKZy2QX zXc2j?qi5?PW{R3)FBb@-s2Fht!i&ielE|%q&q^y0Ns}HxT-^B-Y5^C|Kgq>$TZoq1 zN~Rlj5Ey-hqguyIq{;Ml|N{Ad1mpZJny- z2lH53v-J;nIGL?qbn8G=DklF-D&)RgMYxu3!t$rTaGGn-`2>O!*bkD``MI;v| zhhIEnDr^VxP^{5@q6B7`p<-`T^=eZ;+`Fb**(TKP;g5)}tdpp(BpM&XP)cY0+WVFNfLLmrribANcNvLyKzaNDxLX7%V zsCc7YY3^gqWLfiIBy!BT*?erBlT9mKwj!P?<``1K#kTF;o5Q#nF*YLF%+_-m^ki6A zrXUD2WME|xMTsII=T&WE4E_->ux8_G%5R^&XesrqqlyqS%#-J=a+1NuO{hiIQ)C$Z zqELmirQxXc3MH|XPOJDFMV3)EH^IdUaottde>ef3LM%}a#x{$7d>~03}9P0k? z^Ld$IEm+e3{EG6IsH+p8yE%Mnd^ftyu!-Pd(qSddTGlCnu=94cR;%O=a$ETXtnvVU zQ%g3O<*e4~CjlysABWfT-MDd{1mviXqxjM=)1U+)6t`2?Q)A`YGtEud*|gvKX4^A( zF;-CzNf51KSTurq*0YgF(SxAd-ER3>T~mp3sWdScXp_u(d=J4l`5;;bD2r;LYanOY~MSoLcLm z`+VpPWg)!C^#N8Fr)VcIxnVtZfKA?}6h7T~nuA0p#GKWuODFI6@0G^-B6>cBG5!SlUqiltPdAkIYh*y^s$hER@TEbWs4_AFTO9sedtuJMY$Ch&KWLB1J6JpV7!J7*-y zO9l!N{x+fi_9jpg58tb8*Gb=?;tn)U_X0t+k5owgWF#miBgnZVK*l+v@kp^1 zQDsX1q$d1;>rgv-U5RG4IH`w%8BnaZReC%*{GAbi~Fh$Xd;8wbW4nqt^k@-E9z zYo#;-?2$c9bZ(W&4UuwS{IwEBOcGZx%q_e8=#;M*vy!L@|tT0qMaR`B3TVwtKh)-`(wt_$8oCRCu89 z8|k|!a>Va2U{N8SEmD$_nS?1*Za&GMJ@phhcqqa99D5RYt&WsQ@o4TK=yKGZmAS|R zYG(|8AIMU17AXXTHGEUG7vp<3xdGrxm` za<(YB9}JY1tQDU@+yP@RHQmL$&p0p{m+=XU@}*5ESH^F~9@vZ?pbHD1=aYpzVqV`H zt*IVYx!2KT^5gb z?PajpJ#DuYCzxNi{GrpiwDuFNYiO3aCvK66W{V#XEN8ZG8tyKm7{fPW2#V#O)PAGI z11U52B+QN==0v3$?xOjpSslL}w*Sv?T37^l01*41L)4tQBb3Gbslyyg#amv9F((y@ zVW41_4kC2Ixs~~YrFZX7qkb;-SvBXYwH;bBOANG2n?iC9$smdyw;X+&jFfsRmORGU zT8gMzpb>zvO|tPPl;~Kirk<82BHJD{{=RM`8e{y7rz)uuY;VUVgS8 z<##*594;hLo2h9JEsVNSiL0Lpk}2?*`mEwG0ZW8 z(+(P36}|G#v1NHAUm-Rca#MiiNBjwQDi#`s5Gpa;wSA?p7pq<5f(^zi_FVF6z<}~9 zP;R-9NcHwK0VI+iEr?VM{M(JpCW%4~-eY|}FhE0jy^oSuergGD6jy@4n(ivIDBbyh z#jG+H6AiH$Y zoCIae!F*dbpGi$rh#QyeI`tFYxoDU#?At}ZZhyV)S79aTL#4sO6WK#@JHkv}HX;w= z4$^bC(y>*8y-j^cs%s6JK|)xApMVKRQd5@u87W4FD~0>nUYPhu!fb=N*LZ=iS!CHPbe!I8{ z>$%nNL18uFb2oZGzh@@4^8=~l28)t11k1u_e9!^;{&=u z@80ksE{PMJSz@z-OLE76tZeUPARy5@P=#hbi1;4Xc~~O?4IecEHrqnmM%v{b0FkZ5 z(OgHq(0Q;Gr3BrbN;^dKQj?0mET-$Kwyi~!7Y#HlCx<@5>sE~5;#Lme;+d&Wt+=VT5B-=YlIU0eVs5KqHe&SOvIvPo>-MEuCBLL#2cc`-fWDTuIy zJ*K0lu6USnsGd+S=G6Q9i<4I5i8up0aw@vvIzxsoF~>UrH8I^(e){;P)|STMx78x+ryPlA?BWZJVo% zSYXDWCX+i@E2yE0bz5)uWUBF2>qp`DJc*!66pt&w_<`rcG;9}#K!`TXp=5sdelIw&gs(w7_0kcxfor2b6sFefcKu8mh2iEDx`Qi#ZsiN_ zgq`MkGIHzygrCG&+C~i@REMX*dN!JPPhWZ6s8HG0!a&=Ecn^1b*e4v~E!5jN>tx(u z?j)z>Kjia)p^P_knQW2nZPmWR5cCcQA=WL7Hyq^p$&sBb_D3W+=)lDpBK-n`Fg1r;y&hbAv%?99);o9%4R4; zWD8mLji}`ejpjoy)3k1`l4a~IbfWfCC9O8}RML!Lo5uK?nT%i=JO!p0Ej z9@Sk_(kpxiaG`irNyec&igJ{vhO~NWf5$+Rg{L!P)vi}p4k+=;#8qH^xp0U7InY*G zGOzWx1?Z(l)2um#)9`DUb#dSk*4C>DkGt4>YU6`6*r3YZHyl&rSyaw$J5!*?2~-c< zUfhq5vusr3wdT2aFKMI7d9(4Qcw8-o<@T2iSFLyy?o+qM@LRm63OTQ>Yry>Zlcc`x zVT&FNt9SrJ9uSJ6ome2b)W={raLe&iyq98_9HKoND=c!p%sJph>&Fb0Q9ca8=ToTg z1PRd%{*RD!3Xdp8if%H?x?bU!75!?JOC@b}jMO664vBTd(AsJ>#Aed|r6f|x5HDA^ z)be5svm=(J!>5=zF}7kFYw0Phl^zIn{WScJ3}2+O#qCklB$(;&I5Gn?;0J+`jh^Zl z-<8r@7qDO8UiO*LLX$lPnb|;j*ajkLHg>9{LYsXF3&v@A_MU+Vm!<5%l# z*45`mlE9%g?Wa&5W>epiab0~Wl-ai&4-@xBSs(LHL`Ex%dwA?>QA4<=Yb}K-Ts#E= zx^_GPxHPG3-Q`&JxFy8m&4xC%WU-e(#H{T{rSr?+W5jg%D>{~Y1m8{lWQQlXCZ3edeiGqk`}VqX^n|8k z)MO7>seqjU+oj*fN8z@YLF ztIugb3UP#ZD(y_O@rAV7G8ockmeG2&wl(?tonZDD?nqM7=@Bc{=>$Pbdm7eJcLQ`sjkS4PujZCp3qGd9Osh87h5T4`%v`V$3M(*uU-eFa#{Xfvvp*7>O? zu>pp1CbH|%)73^@ZD8q?_DtJZCH**inW}+FBB=vY0+?8az=3Kg9IOs6iCM9bc}7)O z;9shss?6P~v_)q~0T@+Oq5-%_v^_*!qDJuGF=ek&`m#;F7nv5W2Az*87ZLSVpgWxV zi>lyMM|H<5fdHE-HpXOAON7%%vT-qFfx#Qwwx+6sE)=xqMoG~z)I9IW%Wc4`Tpo-r zd`n2u&9zxLJ-HWh)5>Xt5zwbb@{CSZ%xSPhKL&z0F**BX%xMNEQ6CuM^eu^k-_W6i zr%tEw(e*1$=q8&CfcaSc^Ogae;x8ht(fnEYsjt(&+k{p3t z>i=Tz&BL0w`oH0GAO~_1X2Jv}Fo7AFKmv&pO&}3amY_jFL4pJYMGcA;#RV0&)&&(6 z>jGL@amS@qTiar_)mj%+v|5*HYpZQ-U20ovZMD|k+V%OO-plWL?)SRh=X(En|9JEw znJqKP%vrzR&vKf~v`uHmO3O76>Hujm;}mF1V{tUPe`gQtufo^NuU&hUXiZzR&9`su zU_a38`5K#qu$@OB5?fOSFL){`!`Xt*nS+FI5XTe3rH3k^ujx+~JosP>M2k%LExv(p zLYc6F2tqGG;5@jOaEsTa^+mb4<@?2anR>Da;~2{2q?i=YCAvebpZCEV1rK3`10`Sr zH;Hs6%j|F2v`L(PoD#pucj5ABB8+B0s-;v}p=OeKz0ivLHs^qL6km!ZvZSa3l2?@h zt4@U2i8(A8;j0R3OYT2dO*lVRJAupXr#lRM^)XZ_u5#FNHkx}+O z$o!-JfwpF~jQ9*|f{wc*U&NLCdgA35!dQJW%nRzN#Q%dUw7DQy%N6LjpzSO9-q_2> z6K~olNZup#kYa;KN4}Toww8pG9^6;#q+m9pKkF#44#x%<72JSZl8ROCcNq=NU_BDL zn7fC)pdksm+F)IpI=cc#;Lb40A#dAx)c7r9G%BGv*B@nFcX15A(U*!Fp&fH1S?41f z#4Y5f2w~zVhUa@r`+_r%W5#StXEdn+xW(}?(*f@_$AIyVn9Ouq04bewc%)F2)(v6l zf&bF`OsH`z?qR;n=#sac(X*qJ4km3VVuJaow2P>$31vTYo$#*0HCY7PhGHqVm)*hQ za8Q#W{cUeDe{tE?2mZ`K+cWfqY&F_%S)8ifua@>OTF}W~tupquYmxRZ3Wj?mL%Oci z3PD07(@|O(#0-HhXAu0wTU-0FW(zsYZPa?H!s;EnswOA3uyszwP%Jd(v#+tfQZ5)( zve&&L$24%-M@E>@qy=k;4M*d0u_qT&JrBxf(bfb!mV}E%5RO~{ff0xh*}lSNezIAg zwz`8?0?Kz`xHF;)t|eCAGvLVD7t40fIvga{la9t0`DA7!$#bpdpEHUiJ8c`nsamr# zxdSd9(gTqR_MRxmir~Vdry_n|X_^f8J+~MS#utliM7w9BktJE$Y+W`71<`qJVM+*U z>u3BOL~D0IP!ctctvFN=f!g-KGO6D_9d9p*0O~g_6&Gejf>$5eMf(#|rXJ<)Ywjb~ z(N4y_@_4FoWLh&q9lsQ0BF_TqawcP3LWqe~fhse@JyDpR? zJ)||U)I=P*{lWA-u&5-7bSiacAJhKO+nR=GnAQ=J6^2-|8E|0uiozOXGI7^t)^et6 znPh|I%Q!mBG%Xlhh(%4#kz7)4+NWiP8BS_xCNzc<_+b5_D3opS@6VT;HNp}o)_2m3 zSMUz&9WbuWv|}bbtqR{HIZeB_D#<8VhK5KAbFu+WjLTBV8-V5Sqwrgh73o^Vv?f&R6$M(V&~z+MA`; z3mjvN?@;5ge(jIPkd1VXAx;a1W!2r%z(TH%R@W5iao6qdmZ>|`$8D{sqjqqP+CIDaVUtPpH2xwwaZdMQD!=FssaG7h_~Ki zgtbLc2(N_#!+%FkiMO1UeqdkYiED=BS-?OQ|%CYcom|)4w-+BY_bnQ!a+QpKR_7Vm424I zhOekda)s7pmlQ&wZ*L~^1|WL|f_W0ZT6|u3&k25muQ-XG43S?TpAP8?0vN(f+6{eY z+HI1%jO?+@_s~rNT z1#D#px>a1Fr4TbCu|Ov!osd;fyE za4|;^NOzd!rbVDeJ02hhj5HwPD~N_^qS&@`x%N{PsH@XuhVyEwIrGRI4st803j9ua zn(t%6@cW2~gv$YZDKX-UbQP&AxA^wc)!=qRyF2%~r*uVR1RJX4UnEQEMEf#845f@m z03JvtBjmuk82$((x}A6&aR^7OL$x{k5cI;H1~lFCndy|>FiFQgqsiVNh|(z?6;dVy z3vv9qW-HsnDIg>J z99MvYO8*eud@+tL02}XpXgy3-a*W&FPQW00XkUQDAvqvoIU*2D>uqh$ho~R|E392} zXZk|;6}m4pxx;kHL$}^&j=OnOTnpgYv`8d*B4`egK>G&_5ObV}USKb4_<7W54NLo>4xXf4HINY3;90cc@X*VgPTGY;Tww9N+P+!hDQInG(gMojNWnKKaI7ot=O zE9bfEd^bSqDzLNkGm`{U_Hf)mtl@jwHz7#aci}(A41c$zJA%j=FpzKS)0!eus?nW( z7H~|c;`5>6n+96*41QuNUqUA0zIX{%y2k=km>6{L(zG{FjuI3zteIdxD|feLix;^8 zzCdvc3=OfAxfWSVU=FZx$d6{Nhs``{mexe*e+vRn6nAeixIN{ej|nk^F~lyg?1C^s zgKB0R+f$vBiI^_c5t2q zkD*waj~iq2!a7mPQKI}0%mHxHDy7HnNU zGg;e_sr!{gTpR}Nf#n^g_Lz!|QnH)X%?DXI4kE2C+>aLHSTP+MfDzVZV0aBaKi60- zsC1O_A!lv~p`c`!T9I}erONkeNwt{3AHjQV`GkQE)!0zeh%Mp*`l{Rn6Mk0gE@P}O zPh>h+tC8Vduw>A`%IZJhv^AQPpY?bo-^r=;6T*FykTvrIJ%QxR-_A4InnJr?&YeAT zNp=y$g|O zewy)p^1S?varbtfzOFO(B!jIj{>)5gKSX$vPrG>?GuC(9D zy&9bHXgwszA|VZ>!Gi==f0O4r8E5mCwpQ9}AeBVjOa#*ta3eiRk1;jgEHXe~o!Sz*oAKT@&3GM*#b7ZB~bt-2zXM$#bMg&flF zR}*_<6BFav4G%5~TfsXrM`@Z9lF|)j|8x@+A`n}sv_GpPuj7d@=OYoi>h|=Xu^j=G z_H4UBZ<>hQYaG3tb0H4^6Se^*S%}QpdB=L2BjJwDgcaX5hr-;3ih>sm2zNp9zfD2D zKL0DJcdkcxq`5zx1KFmTEA$ssReiI^RfUbVD{A-hW+rRT7Wc_3evFlms-3{IOtmFD z*4K?5=bD&;W}f5%A|U2~PBaj;bTmnfCR3f0{F{^Ho8$&$DIrb)u>q>3`&b7RMbjcyo35;5#3)0@ za90H0G7FM`*V4=gMmzgWXDDQ1W($+)d>WNC8x_St$SM0>z=k;|;@SzuiN?Jo5vu`8 zrZFynh6Mjk2a`tKwkTsQnAU-W^BMoD=~crm;T^;+U`IE)2kTN9USpYO*_@wn!bt2-o_hp%cb`t zX*vWEy1{Ir(<2MJmg8AmSuR*&HH?doVKU>t(T1z#Ddz9UJ>BMLQc@F)>#Z4T#s!eJ z!8vPFNv_hW_sc2Dw+ z9YFs8cBaAl&|2rD$2(Rq0CaIRQu+5gE^fk(oO1MyrBC& zh-ra*adb)~l8c=>P7W^rA$0=zCR=dAwEcS5Oh9GrFTY@$FMHufX=x1Vz4MidJoh}- zq@MXoZDqv~X>VxVw;X#wMYG6sDVy$#r6Rdp+a_h&`QGk-kO=I+Dn63*XDuw_&S^wk zF`r1X=sw2D`Gn}q&quN4VbK1A2##o?LlxGa3cfNfRmlbWx{GUBkH+jN=z!SU%FGT( zd`^sF_vY<4x z^IC&3Nyrz!#^bUEAP_=XgCR_i85c&^h<#)Y*C$o!>dg0n$bpDUQhq>I4@&MKxP;K; zlT&&@A0)V7*IdYDEy6zuA>jK;uA~@{tqg~gk>Gty#pc|!m4U9qG{HGW#_N^V18Bu8 zrPii4c}(Ro(qG1{6AY%HYu{S>2jQ8brun!j*G+m!E0t}7jDjn*<^<^Hj~+=x+O~C= z>7g3Edj=VQw0s-V(pa$!WG>KCicOgEfY(k|`u2Krcu1OhbeHri0|9%3T0 zHX-;3DFsU={*b-JFQo=&FLk|vmx~`7)iCe{ddV253~7uec?rxes(9(H(6!s)s zyI-CKs1ToSil(-nU%sAW56mxFxi)-?()SXYsidYBsNJwv9F#-e)X9PArU7T8_ESjX(J zt!9jn5;2?{z-i+XISu*S^ah8!#8+ERc!(Bn0!V2RHZzsZ5t!7|PO16KDCUox-!WTA z-Al4Nl8Hk)`W3{1ls8^WT-1`HM`lghVgy;uwKxsO&{Vpd9%A2JZcEY*Q%NC8oZ!nd z!Bo{Hu*OhRnM&v^jZ%@k2S=IC*N#G3Z-yT&wvOQNbh3}naP;N1x-u20^p{7`8@vgx za({*`HHRGAaKVsB45-q)tQ?6>)h_9R2U_2U{uLEmDcl#^_TlzFYd#T#rN^89#KN9# zVmRpzaqByqOlyO2Z-xi?K**x#sl^e|DuN!KIrrLrno@D42&Mod2m^Go}K-O#gG!V^}$$ zyxXOVqaMSdC$&SrqaJ@cyw&fYtoFxn*nh1&KJ`D>0E!N0{pZ@qYS6L$_v({N{&VMJ zl=8oKK1HcN#kxPf#M9-cXL-8z*JZ2IeZo5HkY2XHc+DDMAOh5tWRh5t%J zdU3HI|DLBW#C#r8k)E%`lR2m~PwO|R6h}Q#C}Lpa<9dt3g4$cHEE7_UdWP`fPwPI3 zL*s!W9AfQ;n1c2_1_1H5a1rOc*VkqMHGe5Q*C5W$7$@ zl0OW@lpVqh?g%lW4ooI^lSU)%2KN!(57^fdg*BGx$;%^eA{4=Nq$yxSWmAx4xdD%P z2VqQCn0}4GY)JQ(`h8q0ZyOU znf(^`4T%eWtY#0+C7gAR-xGp}`#^4k{6ztevUi}MnFhe6Kpu$RPZ9m$=Bov#&xJIC z29L)fq3uMyUcQPE!H*TPNH)+1Opm!DAov#4-azuVY`Lz%=5*OsQtH>v>&X5+7?>W` zsCYM@i6z>D3sG3(z^L6j497dO{E;J9-B}wV|q*vxfImii+EQv zp)#bBP>k4#&o%z+1jXUwID>ScUmIh&o`4N;XMKU>FRZU9NDWtPv*KNNy{~K9CB=4K z)qVVY&RaRb>>ROL{pDe4&r8>tKo-bU($R(Vj9PXQpld?nb z43Wooso?2^t$e=wu=^{(u-BQz?sXI8zn>_{;}Iuc1BU|hpE%^f=hT$>Rv--nQ`aX{ zlq?G*EMSd}$}EH>xhKB`-#0$Q8N3cq&}v8-nB_x&rQW`)>iK_D6pX9QEl64#Cq^23 z)djXQ5|ZZwphw;%2n`*u;FxdwSjfLvFNDZ5@oQD*Ab!c6;)aP*<|u@li@rkUyIxm2 zWuY1m%66gXtcR%4BUD|?7DBjQtuIB z8A;%e+v>0`?HQas(RLWG%7lbyvCWHRnHMI>dk@^NXvVx{KHYbc;j_>Fxp9y zsD7Q=QDofZ*46|zUd3YZRlx2VKgXvSp?tfi8i(@BTAs(dpaeVcbrhN9M}QC| z|AG@}J&w$7XnBbV=f~qC$Y|QrWYXDjk_w2`Z74Jyq)S;kBZl^4;kOzJg0<4 zo$xhFrC1f_n`huqs~N$|6qH?AW8znnZiZ*MrC(AGuWww0`n{QUSwIg23%&E@b*E0Av%tZJ2^})jsl#0gU@H zTV~@<+#K`3mNKxzeF<}+jfCTb+gvTDcl0Ntt(&Q=ZkSN9Uif}ydcy?HBaCT##yDW< z1SwPnJPJr?T1bUs2VqBhknMu7oaC673H-!26vE47oTG`bRHFHWE1%~2l(6#Zif%*t z5Gd6}5h%NFRg91e1={gDdtBueT(J+5Fq5paT_}rIL(q!bhD%fL;O;dAX`dk|Befj? zBT-)I*~q^Oxokb4&Z)k7c-ko3GKI!A|70G?Dpgg(X(ZnR8{I}6Q*=`WpYndlx>cl_ z4kUf6Q?bYoG%86kH8vo^k}1F%DfkU($0%(sc8qdqg8U(Owt@ WOyi?9Q%)(Z~bkz_ef{soL z!HzOdEkO2D>%R1)k^REVJaZax0Z@bGk}EDtWuQ## zVBIC|L|o~};a$dI+;>fj@!)b3H^BLUKWQRGWPJ5K(IqdW`!N8!O{0HM;*KPjSgNWp zLn~-6SB7UZL;}7Rmf@K5)5vQ0MxHuq#5J@W7hlYEwSrFd`CRc{4!DEmN$wyz#xOu7 zr0^4PXQ3BvH0toh^H&8YiK2T*$(}9pcaB4nUl7N;D%g}DKHvT*&`_#m@s1#b>8dqU@#Nya29U|K&_ce0ZH0dAY{0mH!uB|tgvmTorIpk zc&_W7ejLa3)@@XApYxLA6sHAefK){1R6nYoBR4e9^t??4hmN~V!Wt#QwnI@l2XzMn zy`^w~UW0d0fnC9h0zT0?NDP4ha2T7R6vK48)xasE z0@$QOwT9P0V>f7$<*%n8~bZP zx{o;ApW8%J@D><0%%D1)&*|J-0cEFqkpV9}sw>(?NRM%S*?SwCQmadakP2ZBGDiw}B-vhPsCwf2ofC<9Nr9Co~##^KCyV-U7%x5D;`V*|=x;4Shg zwnT{=mv(gxZrP2)s+T}o$#p?Yu8VP1ioE=@d%gsi)qZlQ@KM8i(5o$tuX+nG_jL_C zzRfLaei0vWGYz?^IfiC+i@@V8_l(QaO zQmk1>_YIZ01&hn#htjCLIRGZAnJn$(NCUQ{gcIFos+wn81lN)5&(n0kpmfdBALnq# zy01L5_=68D!rS}}&t9BPk4hzKKHYKJ^AJp^M+${FDrK3UEt@?>`2{RM8?ReG=Q$rS z;4kD4+Q|@Fi&}QV@CLs_1kbjc*}_|mi8o&`e4!#N*sH#Yhc~Jrpi4A>%6-rvNVYLCuZU$sW#pM!s?WC47nMta0e%x8Rz%5a-x`gSWeN$N1}X7dl8PGmtE@JwK&%k?$>;5rM%ppQNKJ1Y&q# za<=(5gqxQ0IEwG#`>{5UkCS{Mc(gZ^ms;*a5YWvn;!U0<5XjzYj_`cV>oeWRwRChW z;#-<;f}+yLSZ}uD2&sVME2IP^^eo>$?7rEg-Q$G0#4Tn& zR_&SF_MC%(QeyXFXjb%&vFr_%G(!V);O9Z}JG$y1jpoycX3s;yW@R7}mXe85-a*`V zq$7F9xAc5I)$yxLJyifnmKmZqzeEzt56Brs!j{Xk1G$GZzo6nBz&5ziSUYf9#1MktGk&y$iUQkM^B(r-7&K z&)9IF07r12;E3GUYB$*?rW^_62jB*Ny>YnkoU~X;Vz@79i~~lMp1$$@0YBBCWkfu~ ze4ccxIo^_KJk$L5(oaci^Xp8oJjUHiewA}z-rOX=Ds7-tn-+(3@yg~6_IRZ(kjo51 zx8B1&xguOi;~!Vm=52rhAg%a1#}f$hwwxs#-Uk@rp*D|sY)S&Qd8k;bGmEbG`E1C!%@>LdmQWg^kP_9+P7XCHTE znUdQdxce~h^!sMN0J8%rpW6TSEAQ{x-`w;3DtA-EZH~u)Eo(Sue?KrK!_PJc#~6dH zb8y2;SS*_j!V^m4goaPH9+SI*`Lv$sss!=|Bzw4eBH`Dp^=MBCi~_(PhE*%MS3y<% zwYDbrY8-A#r>3!%2mPBjNT-G74SY|snfBzn8Y(DEVeah{5p?!gV0+W9O&LMBm z2*FnLA|f5rUPN49A(bAa{qZ-%j$`md3Psj_QbM_ zY3j{lC%E$(_{C7>dx;j02h#qsxsV+YEbR=!5so`zH!eyDv1RLaQ0^5mDy0lny(t=U zUPpL|Ei%u791=EjABtvnJ7vSvsFQvOFGld=_@093_yP1GdPF+J%vY@)?6oDQ346op>CbbnYOM5=-0`ktrxjinv92X z{kWlUn}^=&0I5Io#iCZfHp7sgl?Q6rL*n@fn3?WhbH!`3|HU>0V#9e;^H|5TZm;_i zxcOGrlwo7_aGYk_hXpv9CcQt+@#`lFdOK{0lgipIp$0 zh|RbdpD+K540N5d^%iuV=9Ydi;Q2l|jtGuiDA}=|QzXo=O9_q4a~_-hiqidd^Jk@B zlTe=;vam3>;@9hU1o0b;eT^sDCbVqDj3rx1o!&7-;(M?Ylq8cexsJ-ofE?V-YOkB6 z4jeV+Kxyb~m`Q8_m+LxuVtl8k|2Tk`D zSNEFJ4ey#2SX=zOFC1&Rn7X^N7xv_22V$K|G`}LNe6Lm&J*YK&Vr*E?bZNC${Kj>3 zm;haGNP(NE^8GIMaJfqI{HBLNpYFnT<4x+r8dx$Hzm?)b@&Nn~Vr0MIP=%=>g@jh; z;p^pjIE?=rGbDmeFYY_>Y+&*7R)6_f`=5Tbomw_H(ra6oQ2>MbOgh12#{hXQTmGwg z-nuIJC#^qQQ|FD--J*DbwbGyVw{3F2lzhbKEBM-vyljjkF`lpCwEv*3zASE#>+g1A zCaD0D20#c(XiUqc+_{eJDRYtSIvxd`1^rvvs3O^UDTo&G2U%lK^(N>Ab>r1UE5O(1XnFpjDLe5S~M?VrjqyuiT!`W7Y#cKAuwn4<0tao-tIeMIZ z9e~SS+QWE{qk9nSXiuD63gNGZ{7*T!h{As*PTHkqCO)$o&|!zMGG^mpzo5jchy8itLpgXhjZ1P4+qZ+O878;9@BNsoE~h-4~Khb(*8g_gENC%J-MvN znx0xVeB&`~-^6RjLh^gcZJ~vQzBYc~h~_rk;K|q8!iLS4kB5(V!50ubYGcC!{g^l9 z9uec-!@VLWo_6&Tr+iVq0d1;k^^g9EIWisQIB~@5_r~Hob3Hl6d|7==z?9 zlQAXv1$D-khOMYGt(kD4E_TBl?c%to;Hn-BSXP~qw!Bbw%Din(eGV9n>{4|cu>1O{ zj&B|_e9&q4$7LVH@BMny2iEs~x&A@t!-`3DU5*C#Ut&8EwQ`C5gDxK}Nm$d}KR5As z?*ztiap2L+fKP|5%oRVYJeu3}%jf*_k}fSuV3TjIn#88u3g3J-<%iw#PTPKb&%a;y zpHKJb7xUoKBu(0*@7~g+{~2@jT)GBrIqZiY81fbV-0t44+u@UgGpTuVet`PVIsQGE z@B;s1f_v8uR*BCOrr(^kjQa6&8BSFM0=-Z@pMFxZ1IJz|a~#W1u(VTFn5l&Y>#~ zZ*(sT9a%F$Hy~qUOWQpB z^jmvAE!N$0&sPr1KL66t*?7}Jj!9Oa4iMg5HEizW#BkrtT473fSsk-wRs8d|PgV_I z?$R}lSm`NhDt}2lrWn~&QFM0Xt+-Z!teZY1jN4H2cJVXg-jhFjrpueIk_v51?TUn# zTd$q0*tT`#!qL}XJN}t@C;qTz%uL0v`bxiT+9QQ6*)cCvzIA@&Df1rp&D8b4{-9xzSXOA}euq5c-o0~t(D;LY1`M8Xgy}W7>UeAO3laLU#{$t#@s-wq z_l;p(uLAmO&BWn*b`8$2?eb})?(EW^{Yx^6cb^)1&h>5K2Chka3fbJ$Cz zF`tcnN0@qL-Pc#9Ce(~75&Ay2yP)@k3MdlSl0Td??MB1Yl|eU~rb;tzZGY#Z89(gl z73%u&KwyUv_fB^GD(IJsqrRH?@a8K+h2Li$8#;UNqlKST=J&kE4@~{|?uO90L3r34 zKeqSPQI4+<=hrNFIBZy9;P*Ad=BljQgn3NL!(kP_XM{J;4|yGmY-mvuo80@k;j%NV z?BTI~g_CPPsoXq`%*~(q(1QXa-Ym#iFmu}0=BV`V^4k`qR~er#si?Ztys$$V+B8}& zGF(@LF4-GdM<$?5rM@!XP-7b6tDV!9f8=c6V{60D*y83Imf6fZ_8Oj#*IvE;d>1x+ z_?#^-Y+Ag8f0Vd6BQaoJ=F-Z`)1sFJ9BYU+Zo0eW#U7*O-GZHyV5GB~w&m{10v`pPVo3HojE) z@{OCevT45>SD7w-ar{4$Z_29b@=23Hx$8;#ZPf-p-TNa=cTXHwnCgFpEFEOu{tw#I z|C$m?;=A|d10JV?A}c|64|&Ip88?3FxONrC!im-8?UIaHzRF4E(44=h;7|RhE*)Gx z@af^<pSIY39Z-D}MfLUdlqxCHsfpG%p?ccX6pUab9jS(WO-%?9t%9Ri zt!zS+C_x%8iWn6gC=RE(pr)q!dJqsGiY7`;%3Run1ttX5<8lS97g%8LvY;V>`)4Y^ z>WNvc?9tSOb2vp%eG@F~$GveZoU$IESSypBd=uLKUE05sY1{Sxyw3r?ag(N&PkeHh z-zB=A{Y}fhf}8yImvGd7`IZ0mPG<03`tp#}fDBla0=G+Ib_eaX$N$=INc%syhpQF* z_x}IUC59{ix$}QYVgB!1;qy!XeQ!ewy&E<8-a-fjDc^_1f^ZzMQRCg%+v_I36?(~U z8@)tTNPa`!a(D^F{u_q|<3Qvsf@6a*EyU@C8<*z?!*)$L<_b4!wvGpBfZ7UaW*;2f~>L!QWu-#zXKK zjn})ejD~gT7mUrYLVlYEe|SeIyn<*1PDY5Ph8B7Yi#86$1{W!eSNxgHysYV={Il{yora?51&4oe)tdn(|;V*bO)VLgcZRw{jR19rlFeq zn!8=@0~|FtQM|9|0&C~s!1TlEBs#9o{k!L2>2UfVN8t+}hOJbkxU1p)pr)l#1=8S7 z;jj~Y75~8M33vSyf^moL?U(UCt@*>h`)OGApPgYCi%<*>NUZN215alkrWC<8;vbG- zB_s1~9HFR3I3OIwZDC@x6vtxCw5Wy%6tjXssz?4A2Hbv%dQ{ibuP)I~dkfd?CjMP| z`mKQV-544IXFX1iQdRiF>FP#+Ze-91f9*aJ8?K0f6K-N~fI>^De^Spu>X?{~^%;hS zIlK43Su=-4Y(%Pm_`@0CVlnl-17qq@`*n6>)4TWD3y12dorc2G7fh!gD~W#}sQV$n zbnG@1jPz`u6=-|~@r_W3_I5t_+%N2;e8^#5s<0Nz8K&`#Io z!{XY#DV`?Jabmloq!1bU#4L-+=ma9~|8ffgg5(pWN#27JAz}jdX2=2W;BSVUDG^9H zzIvRn7cmD;CKdhq@ca{#C>}mvdL|{#~BSS*7B*R`junB{S4ebPr{3E z_NfCJ>;{<)=ZW^?-dAMUyrY?MHXhj=mH#wCL$>$?u*l}^a6}?MmAlbyhlXrJ{)7uA zI{pId*#F%P4Y1S?#88xgk0>(ij{j#zG$ok+2v0rHl6!(B8s4e66o#(zs*^0BV>`M#Ma6kt-m(ZBc~_!K;!;V*U@#FmmZ5?Zp?fZxjyA% zA0q;aPNJGu!7V*A9~8@(pV34k#b>PF`=cblXo?f$UXI`z3m(S}Ngig8MYTx~^=Z$; z1mN0q5Dpb5(=Ggz+J3$pxC^dG?#f#{{ZO)ZcKJbUr!hhzcR*ns#5++E{3Xfx?RkQ<0!O>CEu`Ii#rh;la=7Te$V<2$wgQqu7$zG0weCK-tPWj_Es zs{LobY5@e#JU^0Tpcia#4)yn(0xgP4JA`oFr^cd6j!31#a7Rkm)F+(h-R$&@i8nR*a^HNkWp!e zH^l!u6WqD|yl;SNrD-uF8(be54+}X!YxZckA=VLo5Dm9|!^iPexYTR6eb2`VQ{Y~^ zO61OXJ^q%@qmzr0F|qO`GZ`*)<}0Xcb#3_-{0wIjUjX?4=zEf^g$leC9*%FFHkWeE z$ae8t``5soYdphMWZeS4N})xOWacwmodNYfFYCj=x$_aXoZYKJF}bta(GKO$gY|rI z7uR$y+`dKOddLZn1v>ZLbPeb9kKHo`y{iNacIW!L`c}o+x2Rodi~v8<)fwLUpqj2# z4fb8ACXm;cUlYHp>CHKDWX0iN%wVUGEK|#|$@A`~i1ed?vS!%K}bR5A~x6*HjdDW-m93bJ8-G z#qtZ|e5iI=g8*nT&S$eXVmaFPD_6*fT%GWSYdau!y}!^|!b7~{=0kBQw*#CnyPzt@ z_~Eq&pqAPI{@vXX*9*Uj++z!CM%H|5U8`t&ZBLY(#G4u)K-dRF9^1p&&NTsY4+!bS z>*;I0NwC12qoQvLELb1-`KI%c4+c74LcaMphUl!<5&oIK=4%j4{B=8YKFRhnf8@xW zo&1-3r{GTW$K{{fJ0Ls3<>TO8ad`cPlM*Kb=tKLH+PYT(2BpbZ8pTd$97#+!=WiO%0710Ws=!mRbj8?v zX~}H7)7n4S33SYryrX7o7OODCYpiFH>vdkRAI0Fb`yEL7I}GG1Z@0gVU9G&{*_*ib z)>QKyxP!KN;MeRkWCih^T3+WmnIeMiPSn8YAOip`mdh3dbvkE355(oUwCGy=i!N=< zzjQ5u=&IHRP+&Z_14gPB$nA_7-2r9leNV7hqy!+6{zkhZj(ip8J{Gwg52`mp5nL~lp#+nf8vo=DknJ89-&hN^o*QeLM&@gRO{wlbIJ>hxNPe$c3!o+Y6o303B+us)suXlmtAUSb*UBwUcZLTDYvgD# z0pd&m#c$*I{>~qvblVe2@?!E6*lONIZHAfzn}&JWL(cCqxk6#*Y?>8?*jJQNHS6lq zJpW>M-Tff5D4)kN`-9rM7apsrNbO?r8f?T_Q1V(Rw_X|_lAPh|hI&{wD{*OiacseW znXc)Way1MvS6xfaF|Ki3G=Hh}x6B9yz+!xMtDnn<(>XEoa{`6b`5JarfWqB+Yaw=3 z@zMNxs{ygWLA=3oUTcj(?sD4SS}2o;=^Mjrds0w{bV`eh#ZQ14 z`wXZ*TDt~lFRSuCLSl~@ZnSiVvkjpEXO>Gx)G1^AO|ss(OyPRlGD;1V-IZ$3P(nzp z)hkca9}G%M!Om~}j46yo4|!f(QEKl9h1a)+vvaF#dSuTj(IDI9m9?v`{m50d-Nl%h zFc-{rYg?a1C#`?b_WZywKb@Md?kkUyzo22JAf>rZk3&tfW<4}`EyF18{A#2Mz zBD0t8p@;`X%W6(Wxd z(lIIhkvuyq#6RsX|FpTvg3k~gy|ppE1Uai|d0)}V@6U7~(<&v~FSvS+aHBLDTCg!_ z=Nrg2{R7{k+6|y+*e7oxm?f|GqN?wpA*)`x=X|jJ-N2e{J0q-X{d}{f61qKs&Tw(^ zi(Eo(OGD-KALM~3)ww;&ISm|_Ri>@f7|fLFFHkz&{&NUQ*s~`&2RZirf)efDQykB2 z1Yg_K7*4I7sA6VI16Vo-KYEPPxoJO%T)*2a&cFO!w>UlY?D{?oEq1;a$lIL50_}oa zd_dx4?kiw3aUZ+<`2o(0sAi*KnA$lJ>AzERC6*DqsAK%s5 zeOw0r#wHhXj4$vZ*?|V@K~CXadre@?yI?4MkgYku>6w=*Dt&F7z}=<#k}3`P#=@(C zpy#^^isJK8>mgADvK!k?DMotE(#7`GF{o?&FU1Y)0u^MHohQ)Pw`q>xASVom)b=)1 z{tDO(A4A$gB_C-&inP6yuzm!kEQ&#P=Gc{ANgJQ$Jlfu(JdZ^O)H7#BsMf2j8EgBJ zTj5zM{lr{u#`DqJRzEfSu!D9-h^||RzLqifaaG>jgpGz@G%#LqRrArNpEWeYe$G(* zQ`?VL2fCL}ovnj-35_#646#o|uG*X!B%O{lJfyCAP_0X~ev9x0-so!Ljk-_N+8mKC zx3BhVT3}oS14`$g8tEGqnJ%8jQa(Nr8Z99Cx^s5+t@83gjG$S1uS<{egbie^s#i95ubTl?V}#?0>0ST`A}4ly0X z2U(L*)rm~Vz`n^(w5O;{VXOTTmT^ke{5YH=6TZz zSzmuZt7_*2%d<&GhXM))do-SpP9fOaN-{D}h1p^_$$keJ`f$3~EXFiOwjMTrFQA(vW*0=NEuEIm|B4 z&nCvy=ba{0RcjvWx@Y~|ziJUkFf4cWL=7eFZ8>o^?x@;EO=1IX=1t`_o+%)s^nx@? z<>@XxV=P8&32RIulg0VChkKfNwF#-5-6HK>D9xeUwoa``CxgVk2Ey1U_>l#)dy|3N zcO``VS((zsKY5rihD!lL8$EsbByx^^Nd@y$))WlGB(j}U;O)u7!Mxlz3j~)ihY@2cd{b)(U#FT-&X=@NGDZOfOL~$^)0#5y&eJpDDN&BJF_8EwCTts#4 z4(~k?*N^>NP$UFc^7X7)Q)94%D{Tw-NNbwHwvZF!ZFH71U6ZSV5#P-64tr?Y7M0ux z!w1hnI>`Q;0@{lanv)qcy5S#WjiD(F#t`-mFhjPg{g+0OZtG4!BiEw6v)O9L_H!I) zy}@}N8js=6xo%cZ`=neqo2ADrKZmD%mpC1$(k2rt7`<=VKSikzIWnAQ0hs~($k=Q7Y=G=egl z@VfaPpDvx|Q(r=f%<%X(*)u$NQ7k}?v7D8M>+%sOp(RZWozfX`?unxjT}oDQUFL@P z2~)X*g5l`wF2s5MnvcZ!T>pYC=;aSkbJzIzSqc7DFXCp+b)YF$jPdGO5REX+4V!x( zy}lmpn1|TsDLVG&F@2F5=zz=z&RPC>yJgD^5WSxstNp>;Y+#BTBczp@#>|F!oM4Ss z&{V!78>GDV4UMpN59D0dKk3Z1XE-Kl-6DVtIgxC7@C!FgIGvS(ydT(SpqA}7JKy`A zrpgng1Hd9PPhHR(as68tqsf+3#_+MqxiY|ff|jOyq?EVvPP-IfTg^+>9OHX10q%SUoqa=e2EUXM1)Brl)5%*>7cT92|izwX++lN zku+9GjfM*xz*}{W7*Ioyl9jY$!RBD+3yf5%vYcb33WoNim#p2ebR*apG~_aRaD|%q zJ@Q!X0xcQh$a%1scINk4zd(i%C5=hTQTgV{OR0pPfnM4=9)nC?)i(LNjL{HB;JB}PE0Peoksnt1f0{!B1;#|~x!0a*8zL`&?uWE1Kt{cdSO2i`;TKfks&V(41A)bnv$ZYB&OT8m$A9=swoye9hz^nA*BkZ6p_YasW zVh#&vm?tvHK<5hdArAtcCV3Ki*1*<3*LqL(Tx37Y`LAO zzpmywn|@SEX+d<95T4zru&3}7`An{7!6cL%deXHb9+67NG--qc=X(*^$6#j}vhPRS z!qz+GgKSCGQnX?%Dwv2?q#)-_tSB}8IT<8?GBaq9xl|o!S*NkD36?5@&0)TC%_U+? z(NJRl%D>p4-588r*ZQJyrq>yM(#1euu4@*K7dqhgP?^>d4F9LsECJZwVBtj}wIGdp zmU8*_*O2XF?E%)cI%OFWj+`6><dQj#rOZ?%##xh)Wu&@f zG2(|yAL-$~W|#Qm3qUt006{L&YX`zM_1oLf1s`HJYEYu?Y-ma)PI3Ezg41URl$7`* zC{a*@2v6YXj>xo-=T2t!z@yVpS_R^ImR!bsGhn`FBqHN+sCRJ4UsKR%*wBUw9-*uq zi2Se~B(R>tS^e7gESrMXzm5(*hu058p9SCf?g*7>leNC4+m6$)h zr>U`Co~UzZE}mjnk*Pkdg+*;M04pk`iVifV^f34z({{+ z_<`I8sL&^n;Nm;u?KzVI#Xq?0KXas&v}vQZF(_pVGEE7yEfl&un#)BN6r%G=)HV6l zAuk1ryX-L3!sfhLWk`2~;x_Jn>Q$g+tlom9QUWV9(!7z+{ z6KT_exd^~Ke2ds;L016TKSJ96!JGuRxRl>}NSDlMaTczd^9s@?!GX@N5Ni!aN0;*P z2=8)!6XhFk$=5)nM}Awnt6@?svR2;jn<1uggFJ($chP>QVwb8!EB8A5sH1j>v~+h3 zMz1j^Tvv)uSw2wN*C_DE#L^s~!&-4K{sc?a#-^(?E~s%oAs$+nW+v-40^bv>wKW8$ zd$`ta_Tx6eaEA5cHsA=;t7`UKWaBUL415H-0Otzr|6=dmqnoJqzVW@&?2?^yrkQCc z&7_?)6PnP3W@x5O+5{R%poJD%XrYBxDFkVuK!E}U3UVn>?x00LKt-!^7Zd>%1ru|IT+sUosRQxwyO@c7Hs7uUZ4N1y{)F?!zkp*Ij z^&c7dEn!1ldw2p?7F6_s+ zX*8J?ye~GDzHp?-CaImjDR<$*%-Agg=#W z;+9>eW;3M7M4ey?l`0iGuJeZ>9}GY5>&FcAejnJ@Dx;&9-nW8#i^MLDIIb;NiZ)IrrJNH0Ys4<3RCvlefKJ`` zjjTEziu<99_Z{VL*UedKTAbK?24W5u)0CEFI1lu&7Re!%fek*q7=qHf+B5Ww z%eM~z@=+fDK(b{5WmXFzYUDR0PKltvlHFTrprfE*u;=e(3lSHtOpuN%pC)3wyf3o< zTob&2K?|aA-s z#Xcw(b~);C_U~RXn1Isl)hdrdR3qYk4qp@=@O(h0s;UcCWfwa)io`0v)zZ=5Tj$?H z)x@#@bB zEpHa$XBt{}0K$7^*(!uw;;hno>HwM3)_XSQ;!ST(3w_N_XY=;2?$`fA2% zw;t->uz!)Z`V%*`J9A8Q6ACoGCVCEUE9@n-`A1;(PJ@tIYNLbwvPZ18KCh$BiWW!% z=<2vcY5ioI-a+AwCVPLnC zEg)x9_7M(nebw&}-61B0rXj_E7kkj0FT}w>S24#D83+JB7$88ErAX-G{#g%{wgXYY zkBugfM7}}l1IV8eS34b<4w{>`mS6Hlm8Vb)e0P+Qu7eof+S`$Gix&OI@`PYH!gxNX z13I!8v*|RYDQq9Z;XT|TDzQO>Bw1HxP^onj#qX2`86}UQD4+>_> zq#W9KZl7dvC%P^@#&z)~LMnoNe1>0-*{}=DC703p`-QZkr_uR`!GI1ZYy3mJU;{am zzhD+E>IaCuXb%0@iL;j%RR{U$I`APnST57OmUn2QKNoB(`gP?VF>EMqB6iyEagmzAbQ87@`apiW0oGo<2xJQtPW z-D*h^ojGMq-l>+Ly7Zz96zPxZx`Ih2Br~AJ)ny7&%{!E={U4qqO z)VW@1+6^Bv_0$?J6l?6AO-i0U`dIl`TIeIROVJ=~oucO~6>lN$n8Kmn?*XQsBo?mY z`d4SW&*+?66S*#Pryy>Q>eY~m0YVbV98Z>8qX$eoVVJ*)p}|-0g_SL=L5JK;$?O{` z?uYDP|BbBHV5fa;c62ZQqZIU@at-!ap7*MDjb$$DigVu1My0|aldoixlf$@FHC?zv)_2^_iV-p(uJw+u~rx1pf4ajSH)XIeA zTTDAe8u4Cic_I8yr1v~;UCN_T%59vROY+z1TSNZKI=9Hn4KVPZrE-I{Uaw3*@@QBg zJ~oGA>(>AzPqXp~{s)je0lr?uay`72p>ylBGjt{cC%@WZ8UEV2g^}YLoWX9g75L;- zt|v}az;y+9*#7-6%{l3ZTCnb^6O*gI6IY{mgB173h4GD^y zc8qCQpxP7cTN1?w+fE82rH7P4B)1;;N3ap$#QUx&KWbDy&hjzqtPG=E032+Nx327= zZb9wuwe{P372mGtHFQ4+NWZA7Vtgg@LsJbE4+@kv zvdYGZEPfEaxe)&WwT`EbgH8c-d)EZD0@EaQE0lu#zM0OAN!-%S$MEtJB-HQu052bg zm<;hW%5`><7lbscM+^iou%(_9^i0LXLwGGzbGue^)T1uSXa!tA1NAdP}PuI_O97}Ob3ugUnWAb2(|uj z88--X*}YVZ0vm>Dj$UwDr|W2ccsrU41W)46P~v(;7Di`aL%o;&NBf1%d^2X?(%LeXW29ge$kVOmXOJh4f5Zu z_hy2f6;HQX3;5p0`I*< zOXT0TJFe9yqy`JT z>eNJWph-;DdI7wV%PYchq^s)3)*lnOEcM$I_xMm~2&%TQhZ4no@^biW4fGfHg&4*D zBo#Z`7sw*8UvYcHw2Cn}vJDr072O|vNeku!>qd`IAtpHvMrR21ZOl|a_Kr|fVMM2e1(+q0X;~TGx$9^u^V&La}O==*aI7g zzc9(Vm(t0RCAHR_l%|VU0mrmss(70`)$}b5w2OP$GHV&cS(GDw7mbd@Zm~$Zh1}^b z;+;QnzzC90I*-c%3{A$qOef}v{}ShsNlhQZ2(MmadV%L0kXji%x$> zdN3b5A6;DfDaL4;C9vFkn>#dV%Zsf~F(ZFi0#g9Q?SX8z9-XwjV>o=--#cCg@lh?- zLav}sr~YDYT`pMET-4gd`n>@>SFLtX;n&8i4Q}URoderB3X5p;7x_V90UhLh5E$_a zx#sr0us{2KuF#9|&@kSzQ!fItcsVy1jB^0Z&b5I$w>^c+W>Ko^I7l!;(D_^{btoH9 z<*!qMG2*E)+*G9x5*pkc@~mlSYhScV@hRMoTtvyj72!0sypymi+KlciJ=MCL|2W;P zCYg%T>G$FH%Q8^=Zt4twDmX(&jev(4)7&-TF9hi@12&cLe_$Ipm@aMeFGMFVVFw5i zdu4p))PnH0Tt8_%L?QUUiQ#v%@bh$7(WV6v>URBC0VnY50I<<6nuk4Cvl4C5NR*)usobRry=YPEk$1q3X_jL>02ccn8sD(O zZXmRm*OZ{L_YB(MHY;Sk3@`ABn=yW27~-C1@3)}`hbKfo0;59dZc}=)Z(X?#XN0jk ztD^luwo$LdVMsNU-;tYOrdq%1ER1h|inwa;MC}K`rW_f7+MfYP)Th+%+uENX)`F3d zzVHiu3l|^DcFk_zCt9uRDYdQJ$_-PT7~d}Zw5|g(vFHdf%R5uZ@@1*7X}vRxV6eq#NeXJDWCvZ|xNXOo^GyH=uRb)&0=aNPNOJ%r;tGE(okB-`dd$eK~yV5iIuM z_5@N^5z=L2JdJvDK+s&B;D5^mnV6<=|o z=mH$xb%ngEk8&$>Y&11HMFZdfKS=M#?%3xZR&7 z^DKS`_aAq`G<&k4wgPd(**-dSK)I|rH2{wSHr4V=Y>T6IPCR|7{738_ZWU^v=dXHy z23qH#{w|Kw$7%<4a&G`Vj4o61P~=K{^b5!9c-Fd15Cp)Q2;S%(h1}O`#X#B1F`El~ z->d9L!Z>;Bl@4i~@T9jJ#ovuX<*CIlA)o0Lr|bwES0v6H zxYC0!Wq09J>j{CI=WGsI!Tw@VvkNzlaBOhr8kOw0j&)M1zlQ6$3#79psAGlwt3)8^ z>bPALl@rd6iGsy4jH6EV_hU{jr#_LK6pA6i(|OQCGFv|uvbc}nQDy;DdE?xJ zrNzS)%`)pco?BNNUI!3v<@>?{vRS_1y`Lyy-1@fy9XFLe)(UVZW`8}`zMUIvPiAPK z+StZ(eYjfgWXpTL5LeDk0?+>t1Y8M)hPEayUj%p3^dNXJ@Em}#3mkdveDA}v0C?}f zLy!jTJase{yc7^J+-LMah(g!PyiS%zb0CWbL9Av z)!+}IOVoS_JiD0UPG^0^Tr<=z3>lc=qkty<&qBP$bVL{0pB)yzJ|x&Z1804Lgl-#0 zR;Y+;KfjYZD-`U8z8d!)au+0lU4D+mKJLCwfNKjrk)nhGtB_2atVwsZoUw)lYO_8K zOoG-!nbhX|*5|w4CEi*t9>)wZ&|=mM(u^v z?gLI5A+Ph-f+@ShG)=v=Q^h9`fEMKTSr>!@L+l^+2A!Poad{QHFm0Vxg8c8Iy;EuT z)=kp8$~)TDb}6;|3!1MAr4?@?<~iD}VyOnqcZU(cH*UThdtJOnQ#1o94p|)#=g+Zo zpE-%Hd>0*zy!PV3&dxKMx_Ms`GpfHXsmpAA(K$KA|GcK-W&4U0|5nYGLl6f5*@Cv! zpvYJ~Y%In3cN|)U5dSqk%)#SF-4%8)paB1P^x- z>PsUuAjfm_xc5L1d<;TI24VGZj#@#*(bfhl?XTV^sU1jE%V$v)R%_2>#e>;;J(#w4 zqt=aJ`+fw#!=275#&L@A`r*rN?ZL@>G4wHfX&ZNTkAD;5-xZpZ0VdtgYt^5zpVJ0A z&^f98pvL;I-tI1g{arO|8tbZ4&myZ=AASrX;{?UBFoPhu>k@)%Qd&8X+f#56fV@O`d4yz_`s11I zACp^taxnNj23f^@M;dJ)dED1AQQ9d@^c7h%1(lqM?@UY}4QT znOuj5vv@zDx60Pi3;vNr?OV{=1k)_nx_VvU+bfSAJYwfv8;`p0=lOX?W@c%BdTZ-a z#_acZI_Cq^|NCH8xbmZabzJK(Fp~^Kt+xuPiYp!kObI%=+B({>vA^R7A>bc?d4YyY zfi-AVd3;$uW(TG@FLb8M;7;?)RCHpRG7bZGeUAP8o!mN#9|v6aTh)EwY|1XZCA`gD zA=uwZ2YGa6Cf~$HRv622P~C03-UgB1^6}u9n3KUB=t^IYK2ekj4titw+lmatPjk?I z;j2I<<$Ol)--E&%V}VvBzaa55pXSImF$W)0`f%aIFMe`yJ8FsL}Ea#ck|%&OR^2(bH%5K1@s@ zh)uZ7`_PUmvDmbSqZu)$=(H1xb#SusPXd7AW-#ix>$1aOX4Zu3xIF(sdS9%9{G0A&)bMRAGQ||8(ZT8{lT{SFOC_p>haSntW6%yR{rI| zZ1+JYpTq#Z_I*}$5(f<5$2xO0&J#LutJ_rP?r>SZ;h~Ej5LNg2peWS#Mg9iPf1gHO zs0o;@HY1(6U_bJIg2Xk8w?U{qs_4Mppg0slRh*lBs!F0+O*8z(nrIe0N0CO&igP|~ z8@_tB`T=&ksW4Ot+FJP(>#^Q9&hrkpD+ydMI+==jGo*WW~z3mR1nf zPEWE%ee}zgTk5(1z(iBKcLX=iJxBJv=bl^X|2$drfU~Qd=RDl4qT{|DQ^v$t3dDht zG7Q%E-g!;1Yr0tRiJIGyaHNF|T{Bj4KZ(I9FQTojXi8tScy&zwxaht@Ess+6P1b!R zjb(LglAf`;U)5XpbhfAJ*)%`{;sAr!KtqC?-A>u*47eNIALMZFT3;@44ouuK0*Du+ zH9|e0!Omts)@yrm&S`z!IRh|iHma8aUPW?C2O%nw z-K8g8*^e7So6^`JiGn1qSHnnsEyTU8T=JyYp@*x5IJ{=y!l7fvZ5pTY`J?ck>=&AisS86`fxi`E48kr*xMG zSpx}8$=3PF8`J&HPHcdul_0~!0K5y?fwrDBhJZ`&y^4UI4 z&g`@s>`#P#`PTidE;JX_mLsQ^ep!x4IrlKo^7<050v5vvr61l}i!5(;Ews!rf=2Ol z_V97)Xv~jKb$z9F#l*Y-HeDyG0T}5`XpVw+O6&ZUK!nI0dDeZWz#OnlW!3SpLk|yF z7pHJ1tIv$0aXb5<+Vr?_5VE{X$;C|e=2sEdTMc6O5}*1Rj;sJ0qc{Nn4tVE|L8@O9 z>4&}?gP1WDt!S$lSF{$bejjno$^-a2Fq?OZJH4_wo@<)>1O^=XxpOe5aJ6cdX4V@h z)C27SzhQ~EaY5tr{6EVvF3l2$@^vNL&du+}2}hmNdjMqcy0|%}FNYyAtadMYd$4xY zb7=7xq?|)SU;717{Y5LJhae6Zw4eEbyQ^O7a=kH7<0u;QwUgDPGC-(=+DpY}q; zBO-slnvKh{as7I%J|9QsyOz%NYd`omdTBYDyGHxLax|(1UroZ#CgB&Bp{qQuW~dXv8*{LECm3*;kD4 zej$Z@(rA4&RRIV0?WvsEsu$>E?43qyWFR{_k$o*uIjLBGQwjr-#k^XY zYJJ#A}%D40b~pjd`q&~ z=aFZsE);^#^CEU+{mAG6j2B^IC>7gNcnD?k$6-4#>vj(4z`box;su~$_PbGn&oz9o zpo`q7?NkK>|e3D(BB1HgV53lcotRs2cj>=c9wE{*c!SWEx+0H;nAP@Eh z{6M<~JJdOMq%+IP?k7~s9Spalcn$2C_T?t(#1q2rfkAti3_o-va2XLs3s6lGSYlTq zWw6}z4&Y}7$D*c>NEcz1QjD73Blgf81x>F(q|E)K=?F=4KF{)9?aiMyA0;VO3sCb* zP!g^di@jC!Tx|+&KEZUU_y#o}3jx$xt2os=n&|>QA@!tycNfIFMl}ry@^SL}0AN12 z{Y@e3hZEti>RPckTvk+%IluFy1-PG^g3-$;Svju(U%s=m!`i=!pX?W|s>5aL8`;j~ zyuHed`-i3z?;}ha`=))_$_6>QmAnOKOK-s@+awbcjw)f~-AJW?$y64mb>%O= zUGs4Gr;Z%Fl6DDv;;jy>UUtH=Z;a5*G8dvx=u9B6@XmLfF&! z>|OLh7jhThO917h3~?LSUS_m?cg5j{{ZCQ(QR|zusEVB0;nC9;`8nXZvWB)>PmgiH za0(^HiJ9RkXcF^?tc!A?77gAdr74eUE7zLpUJ7dCO=oy|$k{Iq--BLbrWT}!-{9V$ zIe2Ce=pjn%c&@h(IJRUrXTjB%z$9`c#)9OZhr`cvR{t~ls0`ci37p_}4R5t<(s6Rk zsBp}>(x5I!svSFr8)dub1%sqj*3swicU+ktVvJ5(ryF9Bl+Qw+-iM-ZT{#M|NU|Y3 znVV?omeBN4b&<6s6=Z8*Axeo8$9Z&|dQeM#Y2}4=!VK_q0SF5U23M1fM~_+#ERov_ z-yD}k}w*w(&jA)Jb}EH+f5XNZeNLSfmkH0BcJa!(tKb{5qgL6($wL|`}nzD!B&Fz1fS>w zP<~LFP+^^Frki4p!&a2_XZE0LIOL-KtOb<(8*))0fq7aiN%2qQjTlsS44nIx%xO~^ zCQqpI+6GqGGJpS)^G7zK*9EzPH(hlNt^4{_v7E-6j>e#ZuOEb&Xns)_yX}pb9@mfF zbi+T>AK}xriu`v~{H{N0<%`wodZ9O0=*Gv$wf**Ne?Cs`@1_6td+r|(?ERzYoImgK z-zQ(M)Q#2s>nm@lAEdqf+04Hsd|q$!8?L?issC>``17d&rFqQQKbjh%tNv(@-|(BS zH?!}?2Klog{Qskw|FQv~#s4gJYGZWDv_Ed>zp+^F@9hi?_Ina56n9fE-uOKKA17aL z-y7@sN10H@@7?ytPuE80?>V(G1n!#~B@b$U^FhGlzuqqSHy^zD=>j*`KL3v!{!xd# zKYqGahrZD%E!WZSuiwF&4Y#;{;HE+9g>dyhj@*1_Z)`^O@&<3Lcnk^WmdxvIb7N(0 zDCYN3cKs~4`Srel5e-GEHx>EE+1Jm%snnaUy#55&hZR)h`tZH!9@j6rHfSI(_r@pq z{pqh?mTYbXzgYRNFVWZA_kZ_{8&}-_-823Yz#~nt4G=Wf&|TPEJ?tx^>n2Yd z>&dB`ISr&{lVG`7X4e0C*nGohxXzFnL+1fZI{Zc=az4B8*bPf-{B4sa)&qj#H4KuS z*z`DdzOvvLu%*CDY*oFXq?=0p%NoCyEM_>VwQ) zuNR0S0Z*L!J6x8Z3u#+&BFZP<<3iDs;PrcRa1&5|K=D4mHyc;u`$Yf{%*zJECILmfOWorTJ-a^`sd`A^~AbdUoKWqSY4xuRU|hjP~^tC zfKSB_`aQ@9kDHerI*;HE-at;F4IHcIb!tv7&`X(60yJQ5$=z6+o9h^d-B9Ph!3AD_ zj^k1PU?|z2Tk=Y*2yd=8(qEGdwav}W0bs{IvEl-`YLNlQj^^Y=jv0f`=LrXdAWJ`7RYqOw`c>o5a$9Xc=O9HW2A<+qg;6&ASdg5st+%hU4aH& zuGa^aMy;9?AsRSS%`Q5At<&@6$NKqshqYNSL{Hw@CH zwf^inBfgcpFZLMTl6wJuCa)r(H3s}%BRbZV3+r+`d66X~c9oiav;dEXvR;mT^Lp!? z*ephny74e4#QHuzKRYx`6YEdaceEad#p+mVW#^Q=iBWFDPJav52GqiHP`%bSi=@!U3r3SUg}_C3 z9UHA~9N@g`*x1}OOLD3$joeqZ?US!(_PGD`&*C(#z05Y7Y_{7vn=@<*AtF zN31?=ku4QF)|SA_5cfKG+g+8`m1I@zIyLS<&F=MoKR@MgZCW>Dw%Kb_0ih_@=(G8g z^KALHKyuL5-PXfaU<;AwKKyqlcszLASoO_eTg2Gg*2h+8D>C*q_Olh6OX8p){NQop z09&c8EbjHszM*ZA4)dTmc+}Wk%@wx6ad7{d-Br8HmFB9rcRs(e{OG8?=3xod&W|?S zxS(npM*p^$u5p^aN^(B21{Tw=7X7xE{y+EBU#_l$gxmpw{@T)-2`Hl!BQ5QuMH)uO z;WS_mz4iw~od$a?o2$&hhO5+02D{~9!5<+WYn5bTn0rWkueVIjQPl{v0?2nY(o^TDPD8u z!|;-U0Y5&qc+JC@YK>Z)F(Da_8?{4_4X?$BoGDrZCFH{|BV%}U5nP4_kz0pA!E3a? z-w;UAp%U>3oQkh(j)>O){s7ZAjWeV9LnuPmM-OBH?-UHHRevXYkg&l?_{@wgVoljPknuTRy;wZ z+gAh8(lnisnsqiWQHC^WXp zEM02U!TCCH6~xYn!*}+{$8j@ez(9=k1(8_zZU2En4exg__|M#!xFI)N5kF~-ZPXO-R?_%JV zy_(4t(7rL#D_{g&BPaU}Mfo?vN?VbLe&d4?#Tc*`^~Ojsr2$fE{*>sbQ4P~#wyJAP zXY_Z1%S!+>Tx4XSYsV2`Zge1Paf{vl+c7TOmZX;Fm& zxt5OpIMcCxK|Z40a3EIu7Dsoi2XYxb>B}Tae-C|%g43{A;Q+X5oP%|w9JNShhbi<1 zawJuBLu8f?*g2Wb$&>3Qfl<7$s4zZl9*jL;SE`eHo3D|xDK;QZ{X$JdVZXMxUXV#P zd4|imhI~ez1qRh5vI!|<0nJYSjo_0kAl2(c}S07IYh>m#}&^% zQobeg*hsR#H4=zt>n4a6xWS1v2{D|%k`xpyz81NWEtn-h6IIrtEz`q41Cg*anxw)| zX}Fbmh$LW*$XYD;JVkUYl+j<7tI7C^AG z@Uc8dKGVwJ1mY{0jzuyQK=6-yKEm@x^+%Os)SWt^ykt9aSk>(aH^q3#9*jOmevu+% z4>sb>z>4(>>5He+SMWRBCo~lt(4uJzQO+XhLu|vhIe6y_)Nx-VAL+m&LuTq=CYipW zqx=XTAbs#;+Kt;A))c{P^EA(+iN47J6Aoo6FTeuun|XW7Yv$i+SS3F5H+!-z2JMDh z@j;Q@ae_;`_=fSC!I^YD0suYKtpjRDn#PP3jKOrol(0|fh+BQ199aoO;ChtB4mJRj z5iJ?M5L%A@&EXGcdo7ky1G~n68^|5Bx3&tr%M2WQJ66L>;mBo`LNI!(MP^_g;W=U|{;GVH zm<=?E;=^JJZI#E7I+R5ULU-yTqY$1`191+0)0AeIk6oC(mGxD-8RsbtPsJJv26R9ER3Ld?rbCGG$xx?otl z@MqLb_#Z?^jbst}NU%JCwnIh8;}d!O0Ubt@g=*aDSjmoJ>{a?B#qyUh1H}d!XfiU1 z=e{i3pjT@l4h-VO*XL4>r0a2O_vSD zNhCwK6tSQqzie6F+KXfXSmvZ@riTnt@6gBuno0+iEkbwz#Hb33;4F0!@N~wOaR44I zeMd}o-huwvpm5E!&`DS9&t_f{_^m|JhsS@T`8_XLJD;@my<^sr$yXB@x&=6$@gTJsBhi zc&@#!G}D7Dvl8D%mO!751Lrzc3y*U@;T1q#$%8+Wq)<0tg#{B7TmJ?iL>JDxLJ8ww zj00z3ac7PVKgn-4p6-T|$fG*NHq`RAQ5eXWr8mhxmA4St2*34Zck!^4g>o^zqpcp# z0P>(yh}1e{Zm-mtOTs~B`V=7QDh0MK9B|26TM>JeLOw2I4#CJ8D?COH*DIm9c-V< zIz;Ok9;UHkt7a2Su$&&K2&3jIx{v%QBp0`a<FGl1!JK1a!)ifM2U~<@!!Iwup($ zrr)S2<#KsnVVtwkz^K+q25e`Ba7j#|DT^x*U4`-pG8hnBrJ~sGQ;fZi9b64*pdVd( z!lqCH=IXU|6FuyLEEE<|ft`w4|CeZL*3a$G&pua_QYInlmOXSW#HXW7&HW5|OS12{$S zK$Kt`4tSJ%G-7`;3W9lmL3o6`R_WkyviE+eYtbA8Gf>ENo)sW{6H?$wGh0S+qiBKb zyV>joovP&uF9sMKBv}=G(U#Fpq8D!yfWB^;as(AQv2Qw1qFY4TcDE(M;B+BN076L2 zs4YmVthbzHEd7!?Cb>RiILC37M;)2L<46|I|JXc($%`g9a!P*g#4prgnPe#zEm5_~ zX-gc#EFbZWv^NOiX}?15dY2H`W1p&|B6JHM^d5-Ot)4BtnFh%mM$Wv2gdSKJ(J;VTOVOe~L!{u^M_ zAPqnCeT=CyDf`Is)w&iY13F6u?@g+wSk35es0`xei6Ah&#kA zfWujJMFW8$70)11me%9p&Y;joV0v0WJitnGT z9m`(e+MH&yIIQLnT3y< zz~%pDCEz;ARVVUK6dOOA~tX%%71Ek55j?frnP~l zK@{j65}C*ip)8r|ABLr!0B^$8&|uiie`79Ys4yM!-ghEl1@pA0Jyah*?rnF8dU4tPA$uImd|vSR-JuiB4cE?>rhs6Tj)_8i)nO(a!wbntUDmQ zWU69ga>o$bVLHR%thxoJp%yX?;1GGU7+h+>zT($B?+PPvH^*Br^cRI1k$0K@GiW6t zsZuNO9!P0JxJ`*7+64l`w^8;Uc6foMiAGzo#l9`Yv0g}FTUgVYM9$@Z4wDoB`?>}3 zc}AQKG?+C)3Yjey6Ekz1O{W5643+l+8dPSrWmzJ%OK(G>r%G9f4X-44oN!#$9Es=0 zCqVR-m?)$waVAkhnWp$Cp*qa#vMfB_*-0WNP5;xAU~# zx}0aqL7ylS7}vX8BGa#OG_zSSk{$xfC?C7PZAG1WD&3(kI2U|Z8#;}Dxu3K- zHjzE@1HYJ=529Cy0g%B-HtaX$tjVRA5veF7!ttV!am-7ytn@&nPOBI!$1+%t1^+#I zzCp+F%T@g~!W81ZW5DjR}BeO$wzZJf98$6{IX52`kGaz^@Kf zAxQLr3>sF>ER2_vVekbCz|vYcA=DKWRKeoBmwe!Ory`^||FgUVbT1Fq4pstN>bC4>yQOWS--4`K!VT zxzzKy@=y{^DIXha&|6?RkXoT9%NSN@Ad7?{jFs)KXMfdcZ$tLfG*eV}sy9h@rX;af zbe2-;&K5~7X*oH|{+@~Bw#-8T{~2dn=oiXVOMKx;tCNNBcIOCoRd?kwL5j$Fw#Rn! z5E)J$hNv$W$MK~7$m|4A)v{RZ`EDlhKK zy+})GGA>$nfAb8I4<3+5gk;Y{E&avqBz(9O0O9e@E$49;DHXUC8?d8)bY%D-nIiOb zd(?{Vi0qdXYf4vFp|si8MQ+3s0&lUeI{@?cF;g4P>rXWovJ&G***A|^H_ z3F&kUd(~t;pFXD-?H`?nyI7tyNj7GALT_L*x4dF60zp4Snt@-DR^#a~C`lJ}Fjn`t z@uGsE(Whv?;l^`6u?zWw&*Lth&d}h#S~A{o**lpWr}Vj9KpZIyJ`q>P!s;sZ17hD%bvy9LpczF}u*w5S8pcy^>n*&ZBcqjJymuk<1nq@O7!E{~AJIgP+h}K@X0}&neu&Lpn8ets-bKT`4kNU4AQv~{PpHG!UmV1|OgM5slohbg zOO%pvsaBbCb{65*T{JCA6cQbwy~GhGra8tJd`S)o57MDRA~Vc>S|T1;60J~}m?Rt$ z9AsrEg283DPUz;kleyP%CwrWBJP#Hp*-9TgtH&Hb4t+`w^~hi>)a!CY>fqgXX?IM z_TIXOqW{Lsy4m(iIxYl+ej+WvJLO3Lg_!`L4%oD1Dj6zG!#RG;hi= zcVQ-0!EQD}@cU~K|Glzo^Qvxa6IcIOLXyVM6!?ZuOg$9OXokh}k-{;!ugHKZ)0oYrUrM`j52+Ga9_T0&V_GZB zi^PWIqLI0^bn}VbIM*Q&Yf!@EX(TrOot>Oy?~&L-u>Rn}y4!G(X}7*1Gx(I=VlYJS zCI;#|_BULn&exD~nnpb_5#mA6L8WXwK4Z&cW^M)eIEeGPq6UZgybXwBvw?-ge` z4mfrdT%oDNDeq#&T7Y`B!ndAgcwUBmOd_}XUZY*@kV?A}I||d-5juRU`mIK|1$V(K z<%m24cPpGoawAm;)SRKMKiLl^$f-1_+^yhS0q(ni2VjIHp&V3HjDV7zP7_Yx_q<(j zf)pi>2&KSuJuA2YSwBrK>xS@LWU>0w>=PrwD%#cww?-FQO&)BNW&+u0H`-xwJA+B+ z#0wjTJCD+;zDOF2_lB$FhdR=wRIvxJpCna|qMOQZJ9dIub9ja{jCwuGzye*2LwGsX zIo=|Slq1e0yTjW6ckEwsFRqP|zJ7(|PCtjZpzvJqsbb+vaXI&bl7ysvkN`Fe3|&S@ zVP1>49o%3r0xMDzR|+yc8LH-K3z~%|R0(oDr{n=Uhcw6Y7+fc2`Y$1XeUCICG~Lq7 zvQtc^XA|hN_RsYoHa-oL#pPlXX!sIwi*3g?6N|dg0BgS5Cl0%4rTjIn6nSn85JJ}D zX0c8*OZCv*?;|l6Xnj8b4N~|I_0os9cA6~CCZ2--@X4&J3P&sRi_b=S>bT)jCW&Ap z37Z%_&R5oSvJ~l0tf6bIS?RbtA&i*}qH99Ck@zxXv%;d%kM>rxG&h|2rAXy}TQJCx6&paj9lQw0xhGc7%ajQyT z=Tb{Lp(t!k`gIEpv%)lg4!z4MaiS}R9 z8H+drBvxSt5gXqqtmUS=I;$gk(W+*v(2ZOYvV~i~&M#PHSH}g&dBeh~S(p)Ds3=1K z<>>(kFPcj$Og|)&UBMSnpcj+P^iy{sbv*)nI#Ld#6L>L5EoC^3Nfdiv4=9A~Z)z3A zX-FzO=&oZ6A8@lWXXCdNxOXHDf6H_}wF+Fc1546SDbH@DF}0@Dk)p0JG!$5rglGW_ zfikd{I;@eEaomrzkUVTn?J4bIKE%U`p=7g!?}9a>=>bqL6db>IUPCsPqKDg#c5G(2 zQbFR$G0|5&rl=hG{_RhN#aUSm#8n1J%#^Gj8t8Z-MVwregM`T>^%9TaT%lk1Sa`O; z0p>8aY|)D8vczU20OHz#+xX4=`4QLvBFIO0%&f%-$a+U%h0bP@J(H!G!cO53bD}s~ z{u`txWCXNcYxzv_`7&nM8Vt^ZbY~-8F;db>csP7B>d`6BDsN*vzgZ_;-f}+NLc~ZH14(UN4W^gw6#O%0_OQ-x zC}+3p?QLL{#8=5kIuOfhcfdq59X3b{$UUC#kCl@$*G_zUpz`8)5IL_pcF7-5zciSR z7V>E#!1j>>`2wzlTJ0~bCkaw6EesApLO>o$28(w}J@9A}JhpK4VFbZD`>a+my(@>LW)SM z@DDm=T{j}(E)MVv?j9X3493LO9Y%aF*|Dso)TBO)rbCu*e>7?gs(1iR?2f#13iTZw zjt7KY{ zRkuzhd!*z8Z%fH-@+cQNofRI&e&HZv9jB<@^(ihQf2#p6(;Mt?k&L6cI9XT|6QK{a z?gs?gW+{*6@C%J4KlCP6w9ayyj{Qm(OwxdOtB&br{}Ffu?Aa8ikGxPU;{lkejB_YH z#yY5*kTwyt&PnY^-dqwyu!iYsz&{T{y#|djRTyzD4!hrD&?I-Q0jGLD_Px@vPdtb_ z3-e$_N#%B{Ae4^-CWzpUvhvIFceuV5(CF_Jy%sK8oQ+=!cRku0r(iws=`e-cNhYAR zK!SeovSHlz&dtY)nh{>XeMT7H>45E*0Y^_Po$CJtY;2wVr1gJ8NK#IEi10CIbZWXotvJKag9iesTg9M-OXb5a&B5e`}k-H(ij+D{~pf0^2 z4y0nBXjLOk5wb~1;q3pz-kXOvQT6@9=QKHOPLfGFX(#QZP1;GDv+U)Ki^we-%IQ)%DHCaH*qo9$bu4s`6>Iv z2Iin^8e79>FlMgG@)}OS!^nn`EyQ5ElHU_?IuPJL1T1~w6~mM2mah!%yvBBB1$)`P zwHV|p*9Yy?|-^gA*XXxR#;3#+wkws!BJV-=i{>FSg* z9U=bj$ZD8bQ0MAu-<3*q^d@Vec|tl!;&x<`?AH~{R9!_5^oJ~1xKx zol$j-MCDy61f);G{2hXyS(XPJRZ{`3Q}(jSs>0LZ)?*(UNxRgHWwdyB^(TLHMYwC* zPCCZ;7+@L=H#%^KK$*x$(?L1X-4#2dsLgW-iuT4~ww{`}ME7bUOyN3+C1!F^E*=}* zZ`{Ow=IdZ2ZvWm;y`3|G2%6bM6F6;Alje;mF)OUvj}LGKB#Q3mqJ1yxwiXx;o$u=hcksC-cXjd9U5lENiPbX;dVGx;*^qa2fa;Bx3^H={Ef5Vs#L3wF(}a}5 zOHt(gym=Xu^dLF~M9biZ_^3rgcL#>Kvl!!xmROuD?MBsqAg=hDLSIb5gB>diu2)xF zJcZ+_x){kW?rERZa;6>90?jH#;1y_}6c0k*{Y+-Iy+K{fIFbRmOM>B)!Z*;ek)OnS zh#fl4%Rq4=AdW}EbC}hAoX*U#<>7<;9P>^EKimBca>j#PdR8+R!xe~5M}jB2;{M=B%CA05%*(Znt+DSp?$$_LBpE_u1vxpFV2*`g^RPNf=!B8py8kA zON`Okm3ZS@FwOJXg}Xul9sibbEc>-FD(?-%-8EXcI?GYxruNBVy9&?1dCX?EkA9Zc z@-2$Wx5;W>H$SHGtuZdBectq)VuT&deF>C;SPkE&=0|=keT=g=WO)1K8_;gf-;Hy+ zQb7C2En;7TbE);Nmg}A=vEL5vg9^Wf6utN(bl$;@H|Fu9*k|~ZtZ>c`$JW@B9pbBR ze#SV+70+6@aYl>j?Q{GxwpSx-K(coZ@gaLY4i7`AGN1;-eRK-Pxq zF>$ClC9@dX@ui+?s5(zBPBD1Y4Wl)m(1Pg<>&t-aU2|D+Q_1VEuhn&l@ji=l{OiuN z!R(n=CgV(+12K+&^Ysh|Grf+VRu_k-;TYHVL|-%;uV4lSzz_`^_(HPOmQYR$ei>ws^(rE9fVj@i)Rfe4!^Jx{6F!3XOD;3V7$(plnuM%2ibM5|lf4(x8smQDP?P}ePEd4B%y+BJ`Qn4%)WV^91ka)&PJo-cz$bf(Z z&W>2k0S~Yj`hi)V;tq~G|X+mW=j&y zbftq6u}3r1X42_yrg60m;U(*7CttZPP9qKs!&6+N%9^2Jfv`Jy6}a*}MKnZ$5deeJfqEZ#^@Y zKjg_qt~X3)6nK-T4+16kZp?u5Bk)|VfgcML0%+i}J-LM?G0bT4Y4KAy%ZxsDw-A3V zJb2wTp9SYwwR)J`<9+vdBZOXcbFKB6_ztfLOy;$;yfK|AZ~cOH<+OlKA~Rqvv_Qp!G#B};df<@i~hWW5_6HxB#XhZ4UgHWAbp|eq-(d59#A2% z%?Tw{qfEYuKur+em&i2pn^}5MePbdGm`_Aet%)iMiwQFeoAFh#nlR&}YqFYBOIh_} zdkWR!-ha0z&d}wbRNN!%I=@mnxXo7fCW7?|%IpuY|p?3nQST4c=+Kn@L zWW-}axY2({6Q|<3G_)9B$c{twPpGDG&llDqE?&n+(oCW%KZ0o7x|_Q2Na0zB6#9Of z=9)6pXUue)h%c+zh?{BInWwmqn_D=+5l+6v`ZJeEHzp4F4MC%80$1v5vgT9WG516> zcCv3kb8L8it(Ls(eUa&mdl)+zqBQI`cr%gkDQ-#L7{teM2MQVh88|6;ThLoZ;WB1B zJH_&XTx_&IJFUL^#bp17*OLMPZe*Y@ME5bYvibz=;Yj6Du%0yJbw))m1lJQ){!cQ} zC4V*=-5=?Qia6P~Nq4e<)#-*P=^;Qar0cc~Hf@h1ZT0D-$81Q*x#f>D&VS6!uM0BALSQ7|<&-XJD^f>}bE8QZUri(%CoH zy1w&wyG@tXp)kf{M0H8f$Eo<19cok9nIhWPP}+%_Tvk3udLMdj+*QLcg<(`};jr;1 zKPv4dx0F_k%xTMuZN0^PGFv3-Jh8X#NuxL)*Z=8OL|C7QX)hz@N(brgdTIA%_o#5| z$3Bt;a+4J^oWGX2Io3PZ)MYlk&3wd>dhuZ_S(_KjX4OBJex}YFuS>$;J<*Vd*(67|-yT~xPIISp6 zlO3&_#AWZ3c}-lu8Llu>PBgy1^G{}Vtjz3^8z3vGq?F)CMmodOblI=Z@-`k z@5Xmnx3jnxs!Zn#SsUM#4D}^foHHL$ah=L8fDTGBt(^EAmjLp^!&m2`!UYHqrQO_V za#E&$5NVneqburr@2lX-#;*LJtSFMl4dGs5k9t^ao5OXg%{T2)lVXzQuO=FCA{6p) z0@1i~hy#$XP^|6HxSiPXa^?muvY2>73jjTyoV&~S^~BXA1EMl%v~08<nr*H# z2lT1R>@;Ye3$@rq@_c_xN<+lTcByymeBD&2L~-`B8a&VuX}68kTvL(m&VFP7na%3J ztHFC!6I8Sv)SMfD=L4|8Wv--*Tk}ybQq)(!75}xdP!Z-+@#RG9-Huwic9m%N9|t#9CV0WykeJo&%Aw)txl!L%7Qjx*A}1qhNCR-^fKHL$K|? z+wP%dAF_QD0eJlI8Q4`aPX=A-3>n;eWgl5(fDvLG`bn`o|J~tt509LVNTGf&K6({Jkt3(tp1FXvY9@H*NC7 z0Pwm(dk}grO-+pi%RGDPjK~P{NknJ^N3NEu7xTQ)fM*Tm12ZT)*N3w%+;ttlawRE+AaE zQR@G_%Kqzu{{P`s_P_FEZa=`>A4Pq*?ernJ?B#hAV&HNNO}7tuF%Re3|IDZcCa&}J z>M?<-f755!4stP)F+C)#q(?uTMg=CCO7KR2_Kh4l);}#kx<&$FMdTR^&U{2vq2+)( z%fm)4msm+IwV)^_k7)4R=!ZlVk$szs!EaMYUP29|JxC9n3hX2X1dS??xp$vJD2_=2 z*i(G*8AKBb-$vOgoCnzT3n=!{B+D|7P`%d+*=A&D7FHWqgeV}cK=dOn5PiosIyyv6 z5n~++CZXsJI;_NEj8_1$#8qyLQNRHsaVQ>qG!(#Haa^JuC^a1TZtGZ`W!2vJ{PlB!jDn1U8CjVqZ|eKJwdunp7ZRGm2)+A)1O1 zkEdCh{fWXWY^=~)vWP!W4i?iTxSRAO8eM_wnUaoVPw43Doi9jzkwsZPL(YCelWMld zhKMJL0ly=I#>X>oHXc$gCInRYXLU$42eX1I7#=KTEs+n|8J4u@N7tb*joAF7g6+oG z`bL2NX@p)l{n1Ui7 zGCkn5K)1eFoCW|1yqArp>CPrgk+Vy|zPl@ET&)S1F4gfQ#`Aty({O5PUa5e4J*mK- z;n$@7Yr<&LIr&mB~IMsd)qa@{X>{@ElIAO>o2KVi#0=N{XX$ZIA%y({aD<0 zp%)R0G)0Do8olLh2wO;y9$;zzb_EK6WNa_k1PWmk1z=mT!brLN%U^ z`>I2C;=q0gsi0pcmJh|a8`NLt!?YlM`Wk}({<#` zGu}R2l!f;*yv_uf0Z{#Jz_mg2;Hpslvv(u7GSHad>Y7Zl36Er1x)C0Acv-m~Rd)lU zaXz4cJHIdjqTx0GEtOIZLU69SpT~+QXSD8|kEco3QOlLQ9}pcS@tBt2+(r&J&;vpQ ztFJ!*0_RkZpJY?XEZoYnka%*QVkDn5ilm5T7;4g+{(}75ZDa6hE(-UfGjR!EP`g3> zC$!kh;#g#TO2xL=!lgN={!sQ^RA@uCj_n=&vqM<5rq?xH)yUZJE9Ud=%dr5z;?ay! z0`R3}10eiknqRCriF*eE^;@t{oR1iv%`!L*g}!NCsK9->r^%qe5u9YIqngePm(=z> zG2>b6aBL>s=vtg*+Cp(0vo=u0e!#@y56a(!fzoslZ@UtOE8DXy3HskDsbFiEXh^GL zy-ylD+IVgn^@heYyP4tJr?{Roc9aK3WqJXseoUqNOle8bY*RWDa1yXw>sG>lf7q* zoUn-U`64>M;Nm#kA%8*mnI4`j7=U1EPjfx9_ zP^X}aaTAQ&qm=V<_vYgm-9ZX-41KY=Ki7eeGWPfOQ>YLE?ufRz7C>ji=}gU+Y9>?n z6|D*2e@i0?Ko30InIj;YUX>yzDZV;ltpNw-Ovw!rn<{@INjCqkZM*`C9488_joHND zS_0h;0Xo9fySQ?8RlBaLEApn{t~hz(Dg9x^JvXco^DU3p#JU?$NtDpDWE@@Q*{T*k znyd1T!LLfMVmcSwxfmNjjl#}UW_?DQ0hdvbSJ?^IvOoO?u#7+Tt#&#!4QeQ^e@ZU9 zrCy9zjF5AsQO>10M7)jH?|uK@qOVGfC=8UCEmTy#ds@d zoaq(DeH&$OMJ3_H>aBp`x-Je>8dqm`MKzO1SGVK;}w)L0%$jDoUyJ~ zS(fysHEdLEz)i*iUEI&t z?7ePIR1{p-L@}mm>bmEJ>2p&^G`kg#Xnm8;Ww(Nh$8)&d(wkbG4MfA|;WSq_7>_rd zqeybiHJXeoZP|cFUPz6c7hB09Vqq6z2FeY&P$*wW;<;Ql7&0>m~5pWo|s zl4!gdY6XPTT+pzbKA;3qX`jnGm`(A`Yn$6T5QtqVM|>^e>{;^Knen!sg4w+*R*=(p z;uv8*mC&?_~Mf|R?r=;3z=9c)+I7@%uXz2>UYxCxJ@4Z=XcR^e6qR^V%(NppghtrKT!?{2_dU7L5t zkX)OSu&&KSQ#=+C{z?Y!pYKDp+2DWSJaiJZ-h{g9(GjF;R!xapn8*8_`*60m4JLN8IhQqkueQI* za+_O~IES4}j{~u49`p?~Khd2dX?)PJPbBe%?=`kXre7K9I62&moq>(G6|SG`n*mdk z%9oGz!m*vjgC`;Rn6a)!)WvE&Z74w2Ou*@`DnpjR>~3&u(ezOu+X%hJx72r> zO>2CjkTk|laol;2b^E|^x*kBN5;sO=7SPV-CA zOmgODlyzaM6>4m5kXn{bhusyKH1iW`8d)|g_$9X%3_vYz#^T(IE&MvX-?@g`@N9jb z$eO!Y$_I#sCwRd;SRo9kP740&-4-09Y1M01DH}fr5KWOY!_^9Bn}uL>kk@Sb5nNNMpTJZPvc)fIZSUh$NSto#fnN?bG{Y5Ks^$ag44h0Y z&c(uOUdDS-_~qV$lBY1|+I%sb^fkvSN|QkD+1XPPP%z(;PkliK&xQGHeoZIb)zMmi zw{fPC_w_YBP)T+komse5Vy!5Ew&X40I9#ozYRnn?6jTZop-jQ*)*1PNk~)VzG7Pt(1B@m3fv|xb6BeIbR&x`M%dLQN-`6zDyOd6a zIOtni$i3#?6^199a_DEH4|#cHtT^bVNyUcsh|JAZT|t+` zqqd$xy7_Jt?qFHjcH!bA!1}kW!$nRnPA8n{GIg9R+zQEQ4eyn4NzU{Bw_I|FeLuDh zz*(hjGLmcw!%5COm|WIDm{(Dnjll3HizErGV1+2?KuH)xK0n&dvp+!>HIy5P$~Q(B;ZDKsiI^W z!wJSSYibgVbBpiE+`z!^iaHvQ#u)D!#;xX!+!4GOT)xPA;~2GRmfBciaw_;JVU}$u zxcZ45#_d4PoyJauzeoBUd4s?ZR;a#`6U+%kGdq9}Ak^S^b_EyjqGXisrg6o(AFaPR zaiDJ7=vQ&zo09z?wcS3Vd9Z1<8pt)JVh6c(o)!dej_%xxJ4#+n-K)Sn^1Max_~3S~ zd+QER;0Bg07`X58fWvH1PwZ&EqsU~v<899}$u)PVHgg2FS^Rh~nbkUwobV@m zPN3?~%f?DqrTcHt>axuIk1*c>cQ+qZ_;em}84)#hk^}U_7QUEY zOAUj+1Q#l<*14Hf;kCBMiPlnfaeaZ$^oEtq-T0^F3DYjhC2~JBr)KVHd>^~~a$m8q z-@lOKO!HLi3?McZ&=xkp%^->SQxVvFO&**Ijefb9+AxfDP3ni7SzJeP0%2P@qjw)Y zOsX53V10)(&k-9tIy99S^GEMNc(SF2_3I9+#1GWLV>OKDa|OSsKsovvE-BpvS!FfM zP;Ma|uP_;7*nL^wl2lh0(j&98R|jaCeIi$Q&tvKpA`f}T*2g)=w_Uc#Y~$!WX9sL_ z?aF@~nI=)<0z4Z#t)CL)G3+<(WQPX70 zH~&k?irh$=$ORhrdY{N2iCRA(39wRz&nxM`jdR{5DK{m$ofAwsN+OgmLw5&|B{S`_zL)PL7hj0=_H9@X6*3cWnit$Fx{ z7_0uf6A@}|KuP5`{ps6~;8I9wQ8^#U6OST!^zfrtk-X(-m^$s#qq4{ziEZ-e0mIu! z?5Hhm;qlWyZHq`;oOn!;ymt68n!0VvF=fYtpB__nK9P7_opyQnai+tk@8)V`xAw}k zS-;$oMS2xZ;Gf6V$aMv&`{bxkTKkD8K3DKYmk#etxUxYtL|-v>ABm}a>@JD*FBOi( zj#}$~iyynK`7OhQgY9pT$w%2I;-|e^5}}{*(M6f5@QdbCrpJG3kBFat0{2QBq>vOs zU2N$|VQKQ#)8-Ya7ndeI*#j3OukMpqU|BzOVS!cIW6K%qv(rC2ld@&8`E2U8wIj~j zc5K^v*1qfDzZP`Zb5ysyfw0fL0F&8qZLsLBaTP* zU*SBJm?Z0PCiTEMZc*g1K3y6zeq5n@w?|S##C!b?^mM&HbWxG}g9*paTW&n|-0}2J z7bm@w@x}1cm6=~{S+mlkAG%l5^}9oh&Ud|YBI!c6pDvHQkoC(K&t1rVu;RTZbN)op zt8y3g>k{cDJ7tT#5yIM4c`E1SRo%7T6BlCHf;84wH{jqqCVgcZ+UnFtz4H*}$r~b-7_<7jWwbjchE_8%Jk-eh%P-H9aCPZz(GqJnlx1vhwl! zuB;z2xs7{j=(=+^X=Uy8z@^H^Zq_cUnsfKcQ^V#r%LXa$$gS6gFXl#H^GlUq^emdY zv|`Pm_-hl6H;!2De1A}fm096UX^jQtg`E@nzhVD zQ&Tg^ks$UvV%+my z-@YPh?@4{V`|6o*v;rlHgPI`97u?rd6Lt%YV z_TI7PPFC*t*P6+1;;U==uI{Ic?|3x&%Vkp*GCiNwp0tG5C%t7nrJ0&LVO@N}oYdz( zm>TGua%u_wGFMN$Er(g2$&{kzZFT1W1~)%%s&n&P$y*TUB#(3|7 z2c6r?qsuqEKj2{5fFb&_vd0$JRa7qZFEQj>P9~ggyL)_bpRA}&WxhkN2wkoo`cW2n zwq_}l;NF?M$$P5#a`O`j3kMw=r?g!5b{CE%ZLLjO{mUk>TNwLUed_idpDpWn>C#q* z_=aNS3Mv1oHH*7^aF=a(?aGc%7wQ^Decm8^w&A(jcLLi#U-{$3=RaN8RQ;v?$*f<0 zNm}Jq76i4ifzHW|zHG~dZkz5MzcMM`RR6_rlw4g>?mIf>N}1U5+{Ls5ZP9h|iqqSZ z`PYBipS(ubFum`Z;{4|>tm&6u(Q`!UO8w%+*2^Eg{f{=6qNX-5Z93GMA2qtZZw%8f z8)?0L>TS98?0x8mL7(gYU_Sj{dnOrNw?16>!+uHpgb0{w%O;JVG@=d6TLNmV$1H>NaB*<{0nt`v=E(qMTNpyT1EWQf90R_D* z*f@|>GNYL|UJbuMsYy}UTx z#^L@+(`E*yK03mOi2fT;ZuenLpQ-9C` z`Ze(OGh5-J4#c$zD4mxpPtG;lFsxBe;LO&CA>1oA z3^pPa&Q9kvc#ps~z$&AWwgBfL3vk(V@(;rC97QzpQ$b!BhP9}`6OI(1MTv*=7hq6m z@iqCS^)MFJFp`_TMN!;E8AqA|viE#3QFq+Z}boG); zbq|-)2OjPzvM%{1bkhGLZ&}hKFy+xHza61J9d2F!1)TCXK8I!g4^GGbIusUQZcraC z^5GSg3tNrlcXCLC8V)EtM+z7hAZiKiCk2XS6v>IONa$aDE{u$K3HR%N9~qB6Ow9dT zX7o;u{@IAszjOot`8F(gE9~+0@F(Gc?7;)sIqkWeqwq|2E)_@I(RPl+kw}(vPP7O;PXPnrkhy+cPp;(U2 zfr_Fr`6#@7Jm)C<1juB}C+yy%T3H7;0lE9}rTj2>%-!D#gCu!NuQ-$(M|;K5WZkM> z4wP)5$#JVN*YQ$#a%d@Y>w<%gI1|1Zi7M-Rge`+%Do-AwO2#Rq%TOKdm21XlV1;2Y z_Ap&FA@^Wo?*7BD6Jg1h!c$?bA8K)lLI>5*Y7(A$DICGCB(LfPKjEHm=KV1EPgkKc zKg(cT!)iho!NV~KDO|S+$uNY%Q(>E6TXYCn-}+Z*d?}F=HOF&L$#!_cV0`>#&;zZRzgyCOcdq|q zTLR7@g~@+uJ95cLGA2LNckJm-0;z81Z|5PD##sNS(j!-mT+p=zr7h%U{`Mj26CE;1 z$#vQ=wI>5!AQZNP)d=&T+keUFKk{;6V*vyli}R5L*-6Nth!nGr42s})hk!?UC1Mw# zE@Uj~B92A)C3VQ3hKxYdExQ!yiK$%Ahn7W1VrJ$)bSz?5L`z`p(F$7C4;$_c3TU_s z-6$ktjzu7AJE?52WsECW;wJh>QjtX-`KZa6|3Y1Ck73LXW|zVbod?Z!ly0#*uHpHQ zy7BHcVb1Z$$+>OArPKI7dXbigp1Jh`ixTrTVn-y!>t9EpR{lCl6TifzZ@^@;6{z|< z@J;#a$aYu_jr9QjTpjAD&x(fDu%V=qjuCbn4O!p%KM**5k z{8|XU@ocG|Mc+;W=Mug9L7lyPS(tks zYRI8eOB!J8ITp~Ql4bD3eK{=T{nl5^mGM7ZX_XqoYI;DSX?#dH($g4GlMfKrKfuU( z0(acs%1?%B26qMw=I$2J?`ld&a^)fUNWZrqO|B^hD>io_s_7eQ(i_)98++F0HGQzz zINse8)f9$C#X}WI2kERUqf&na=HBVFlS?DMi2~E1Sd&Z&&%9NbhLKZvp{5y+2MM=} zN3D8Ab@BOs;g3LK@<34;>qM^BHK3qTljm(mdp&B!?`O&DWis4?FSV~XTIyOji!%;e z;MbWS0sSz!eW~qwNudP3ci@}d11GtvV4q96Lt)>&9F^qZdE!1KZc&uvhPHkpEJCc% z$!k1F-*tBj<9-rHgDw+kt{4t0EU3bRTzNhQL?#{fR3)9_ohMhy^%07{Py%&7Jc14I zKDn(DM$o`<*s$^9=FR^sObhLQLjLY1IkRE&gIL6Y$4(9oiN z*&k5`*H7-WoloJT%m`$cX5tw(XzY^x5e`l?wu1=(rsd)n$dSxPS(2TXxgG3G=^_$0%5@u5#u@H*20WIX z3_sqrm5)N{6+3h-DlnToiDs`rtp%mK5cx#&o65MWXaZPz3z(h!!3pHFv?WT_zH?lX zeClLzt6B{PTKAdH9)cro6hu%zzF|6|c6X-YEjftK;Wh1(SaQ;RcNw>aK25%TBgE zN8<05N;yd2@CeM|9O)!(KF%4zoRp2U?7K4Ec?y8R0qET|e*khu`oU*V^G!b4a~9oQ z4t;ea_+&P}$9LoE@EUH%&6QpRB{m&@32Sxlsht_l%Yk<6#J$O5mSH8XBN-^;JCWwi z>Qy(3%j2H$fM0^MbCLY;HurWl%-e|-$)2EW#CgP*lJm{);wLfC2=J$tF!n>f`bfTa z1IfmnjM+fT$wq)}$SSU%&W@6-IBy!Z-R7?W?GAXpA0Re|Jm+5me$8FV^ANkJY9})G zV-K=js$NFoLWEuheym`${!Vq>Rk}*Gp3zop5qHaKZ+k2#_z}KN24t^M)|_LF&C}ei znwpEmTzFYqaHQrEeZ2TJgmbyWH8+?}+-s5r)qKoYvR?y(Mm_-$3=^zP(V?ecHy-#% zh~)+8jNDwQViNh^K#)ZRED>2Gr{|1>0rcMxYYJIEq4dybI=d1)D1l#8YP?V;-vlWkvLi zBR+(jX?u@-l36ak8-_;MZ$%0*_&(zX!HfBvpS;8*J3aYUgj_;&S*rB|4PBfWpY=@G=m}dY%oke_!rRThy1%?(5E*ABHjH_TRNCaX29eP z#C|Z9tU=A4y&c)(rf)U*T5Opjw6h(uvgnb_t|+6)XntA4rsGYfD#&D~W~0_+rB%pp zK@+#XrL{N53yWRj*j03yP*+g_=o@KEL}*s&Z3lHPi(sy0q>Y?mvPx5^w`!FS;WyWm z(pJiU9H`MuP+|`^M9f5Zi*OKI@B+iOn5tVcA(`vQFQ>bmx5R#m^UK*`x>B`15X+{O zxKr8RGk!~Jz$E#P)ESukKVRT|^f<|-~8XIDGK zLvhVxxFq8$&|5LpX~?$0y^zTpYl8_lvr(8wMr1=D<|CKKyhB5+#(MEK(mbze@&m+Z zt5#TTi6gl>2TPY(hbnbFDE<~_W;3`E7al^w`Mgz#?QFfQZZ+X+LVb;v?SRsyp)#_J z>;`WY`$pC@Ld*7a55eLdSvDw91=()W#|UBsAr^m~AB*ATH;C+NNFU>g)^m(g(;btx-62ti%+8Dsgc))bKsu*9}9wuRAhiOV2-# zq&NCPVota6LFrxe$05WX!gzZ%x^xMNt!l|1)|~J9PC6Zq(rw=tZ@{kE`Y}qm(^GQI zgjB5S{=2%(ipt&Dc2u#P*tsK_^cQ3t$*Sy68iOX0$9a2@WWcPK?8)kzcL0fQ#2nzGbY*JS$h>X{jHhjB zz>xoe8bpwc2b-W3sEca_8gcU|#WW|gmo!AieT~u_U&8%ULQ;cFEJw^bKB~$mhgr7- z?<=G@ezyP&@}$%)Rm|A0?Hc>;q`t#;}^c0;EKSfsrOrVUMA@w-we4)ZkDN zJ%B64cWC=zT$uMvEU*Oov>$KI1r1n(y+uL$HukqRGWrb)gJ=bUOPmU0+cK#$VsGhE zl>Sxx6iua4?@^K7x+=I>Waqd45|fhPNOLjm;PD}mm$^n(S6#$U2d_vgsaHI^CKFmBfO@Ep0#ZIS%Ys?U*otH=4jQ6BmnbF1Na2?$rV|O~_8ky-O16XhI zPo3Spk^Z#a*{{S=mda`e%~#eLn`}+(Yg^@d-td_-gSQl=QXF26bQK8=T*U< zAZFI&bNVzzwJo?AlneCZbTr=d8cQm!b3pi!UT0h9hawOIaQ$K+mBf|Y+onw{6Iy}k zfs!_wnpn^Tx*#1@0NSOdTm;eK(qi!~mYz8;cJy8J-BalrA&NRl>yV zfpXq{b1yduB=7m(>*nz(a329JSH2_Z@8863hgarV@sRy~S<_=~lfQ?13^MJ9*EEx_ z2G+bLk{YL1J0HHjhtl)`b$$%gY$0+}-OQAJL)jHbT#a--6*#EJpsEUl&e?Ysa_b}|$LXa!9 z*E4XLvqPk(urp$14r0Bb+1P8(&{p+9?pIZ&?s|Gg8mAI}NBS8GcFy2Ch_$dOOFl=u z#HPLcK9XFz#vkb05>i8|MyFGYX+<*sFh5{d4L*U~J~Y(<;V^vV3zR(!ZStU#<12p> z!xh0{pmSn)G0R4!m(=1=3(+A6zP< z$Lwyt>en!Oj>Sy6^%>=jL+g9W*f-s?!rYx0=_$kqx6ei8FQ({rQFej*ZOB%oNRpM4 z-HJ#2hWKgj1Mp6}^4>dcj~qE0Kop7jq{6v!D7L?$5D$gHXC7{bXEpL(X=e?uDV)p7 zvRZlF_ngy-Mi{zBGtcwZlWDA#ZRd)tbJI*iv|QY*F4Ekv%)6Xjnur#@Lb9Sgtq8Ij zW6H!n+?3Hb!a>rXT@JUzR>bv`CL^}v`V^V{f-md z#JFIZV=@6M#a`4rp{STpQ4Fv1s^%cJyD2V~>4ehkSCk98q2@PHqy2QE=9oh>m>Pzt znf`{^9BXtYP?PDb5~O)1nXgIzL3ct++yA!a2wTue2aJV}T&yB3thYxZdP zU&TF1HBBJQdRkI+^|zM)y^8L4Wsr8Gp-uI(P6anRpAir^~o}9m?iz z)lLKQ`f}+MsvW~6NT*S4fJ^YiDV#lNqS%Oy=b%{98!(fWY<^d$Tr|o#tW54PkH`UxP)-X1K z@`9?oI@ViiUP#4fk++EB-3zd{K=U*OV4z`|x^_<9H~P9$TnYOv+Znmtp8^Dfe#}~} z=a{+z-U=!``I}=+uf*82)-$mn=F%90UqlgwyCO{580r&_1YKT%2?c)f(7u*vyid;3bGExfJ#kn^F-a{>;#Mpe*G4#_o>gC8qPj z{h0M>#+seevJWHcOPU!+$ilL0lyQFO+;5uqXO@7wz~P(O9{|h{OD9nUf-yj5i6~9&?hhc zfF0&9VjI^%irgH0fRpm(Dg7a5~o&F50kXw2Dgx(7N*gEj0XLbUPJb=y30Qnu<5j(s&xCEt5FG|$j4e&S>_LT8D#o%dd2Vl>B9?h2FlQtJ*$9_GEk z8S-X?a|Vdo+a5DH)A2;ma~DFQ>k}ZXYIYWt`C{92{fH?ChxcT`YRXg5%w2+T7O<>sfc|#eL z2=O>Hf8wTQ&G~Lp0ri5Wye7()9hK}A*!ZS0@wD9AL72{3TjN`bT8tnCyVtrVN_T?_ zy>K`DG(W;L%vS0`jdR+oL2V)zgO`$L3S`>0Mwr1vRR!Hwv6`2A<09O!dxB{mkQ%lY zBeudTqK=M5yOo|-!raeCx~Is5VEK?pVOCiW(Jb>nC#>d-7dttNuFG5t0pJBJoo^)( zaHGNLmN{G|dl@qMuE=~xSvmv>^=Q1Kv#>(Ae$QmO9)165!{r!k%`Q*~-PpYB1S{Ap z#JkT61vA+r`tKBOGs+91wpy+ryDf|sf>?f%y>C=rAJiO)Z7k3KA~vDsxN-odzvwbF z+n{7$z7cX?blR{;W1p(aGs}(fCPq&`7DgM5Qac&pFi-k1%zO0ii|+AAn7|sOu}B*2 zv)&q@Kj)&)Teqw2C$)A@oc;U!>=8ulippO9U?>V?vL|Yq*sc0gP`)r6*3`TV^DVZA zIudrrZU_~7*X#t@(&~e(f7WfrZJ(=<;6`2K?u7OJEViie6?TuEM87-`u@kfHra!L2 ztjTWtehngPxB_ku>hgVDSW(>fTM*p>v(=NkyPh8}^5M-LK~HCp%zvEWrGYZ{o3gx9 z3f&kjlToz0pum5OjkP~vqelNp#%TIgLHXtsvqmW%Ld`KepWQ(N1Mo5m{t2_vCKUV^ zA9wK(U94j@T)KM;$cJd!E4W05ql7UJVeN)EAsOi$YnoSTjvCB%PTEU^O(5#Rfy&9r zPP%;R<~70rkiOGjPc^;F(04B0BzoFguh-yFS8T#d_$uz3XGet9MQCXM`v){bl;$@m zN%=hhC1fY6`AE>Ca)-WD9VRe0${N~fDgLc-hWibS@0c4ErXdVqY;PLN*lx}@t%ss? zcXV7qNjRHYD8t5bb|xzpe;jpWouJeeP-Az#X1fnL2Mg=bdxptzPK%U{g~2du$H=7b zWY$lkNi*k!0Nyi3Ho5@|Q`rnBXIl{rV-4(WY6!|$!^KV1poVtbPUfn2ho)I&9;XJb zqJFH}S66lwe~mkMZ;KDY;L5~D0cETAwz+2_Z|R75S=BYQ=3gpP6pM$V5oW`%ysc__ zgMAT#i<3%wF3WDgadqnIHoiZ12fqj?)w2zo=tyCu1m(TQ6~Y=m!P<){9E*f)dp$qK9-!WcOBehMEhV#h1u9Hch1T&7UYABRPTjC+p$zn{;s_|mDqp#EoaV}MR z6PwE?xz*UMv|BGk{y*%!dwdhs_BOtEnoYCY%rrCYq?xoc&4ea2p&6QKleU2tQb?hN z7FuYbK!E@S3batJf`Sw*Hz`<@I|$WNj>tto5K&R9BBFw#prW7$6%`Q$6&0_)6%>!Y z=e(cq`_J#cFCTi#-1hA2+H0-nd3b=$=8-Py8yIkX$ZO3`qHnk#PiU2;9=_%NeB`}K zYXpZHud_cb(9{A!XMbFvHt{np1m;eI6E7-0g-{xEwCbGjf-<)HG!E9->31+Ks@GA~ zaBjGJs7wBahfaH?LzzA_iET6jnaOS7OaOln_>qBbF54x#a+@t&t_IBSfx?}-(OY0t zg?6z9D{kN(YOugm<{7aQf%Fj?cK%L#YaHv~&0WXSqQ(;M8{ph#Tl%3XwQk{4VWctu zjkMksCszyFXEAs%%~_)dds`eTh?2LQy~6pyqmH3HK4^~LLSFe3ySsm^yeW=;guLwb6dJoB)m=?F)jLgoFWLDRV;?0Hk44jf z+gloX8!BDgneOm!)|akEpd8^(q5f7CaEI=9Myn6tribh=$M~<}rhf>@{%`P_O(h(+ zl>6Sf%u+K}Cw*{=^M*dQISrZdlaxy)XgDsgTzxn}C-Tx(_;Ib%>2D zyOaq`qTw1TN$XC-KM7mVC;pUvfmfnb2#}S#J`BD!b0APU1y3t0>vreY z+s{75PKrHC^4CXIT`GJgT1 z6!)uoA9lwjf>%KJXSK;c7njPod@z7N7r%$c!LP$np1fx`Vn2*SS@z?7Tb6KuScGlF zp3kxHw!Fnf@x)proqe|!sXCpy3)7joU+|qRUs`oV*3!d(aX^Bry2?>m>Oqff(S5lH zIi~))2&wS@G^q^h%1`MWv91UApVDzZm%^X5h+O-+7Qu@1tosbl4vBXolRSmBPm8&5 zgFR@#X}}++ZeuR|C?yYlJz`Pf+_G2blWcdE3&8yFAy+UDX{%#UuJvx}?w6K-n974P z<~UK7+)e>hY<-U6P4*rX&XV7W;Y76)&flJZUlq~{w%;Lt5F^;dZ(xvG=jOTWrLQ37 zkkDIr3bG#jQL(OhXNu|Y8;m_RUKpf&%m>U36>^u@ykP#?=*o?lnXF#!A}>|B;iVT* zVGgpdPK9CGZnQ2a6^>LM*TIa|Tn@JQUCv8!+_neKqVisdEByKs*p1jP8uBOUeCIG; z`zaDCN@wX$ev3fy?pF*H=h$luK8BW9i{j-&yml|!cu>BY3ebke{cMYo^XI=GJICsn z%JqU!?1oXe6RNS!j8``DwuI^>+7`C%S(57h#v-q?xQcceih?e-&CKrY1sRq|Iz@C{ztIfDUo}~ZWY`+68*0m z`7=#Ym*8R7Kxc`deT;-3HQ>?PnC9<>S~>z>TQ#~EG@opm8k{%bmLt4y&S(4e%g&m{%qZa zM=o>|QslUf+>g#0siuULVukd=De(~I@xXQipX1BpgLr6xs)*Qy3+>ws#P42}c(@DC$8#C(M;LG4 zIeD%a>jWby!x?M|ZGHeO)!k)D?hoCE2}~xPAq>#9vLCW?lrDu4ofGGRtkGE`k?S=6 zffnRVrFa(j{ywNJw60xBi;HJq$lrlzR<*JTO|BaZsvK`f4{-x_NRp!53nRqA4T2~; zQzq|*Abm0T>btfPcDPxZv}Q8|9lD`9Ts5a=qtw^_I&5x<+|eJFkmmcL2hgm=zc z%4(+kp*pVGx++$aR?2t8**hDHNP8m|K6v#Z)Q+1iNld=-iId;<|(Zb0xU)S+(UscYKZ)H%oyZr0wg2L<pPT@$#@c)~U3O=B0Ri5gw1~ zO-BBLsoXFKPZ1yHud>BEQP_tk5>?pA2U%g4tP{vZT5Jx);YPv9ein<1sngf7^2}m( z(FzCz`37i1QD9}Kg0B(3zl&IkLv$NHBW&Xh9l^jouO35WznJD7Nz;4@{(F&k9Cf%^ zo2!ZcEiY`r4LBh7;p)L=>kNM3;6~9a9wTG7Jmr)+9=!l)kHJ%BM464QtKhEdKSVRYAud+ftUI9NFf8$;R znHt5!S^Yn<3eQ=uY@#JZQXD;ZfS5D)- zqTO8)M>1=kpnY@Y;-?7=^7$-YN&H+p(1$i`b5|<4skM{1V$-1yg7~3Gjx-(M)i>50V8)nfW z>xra!fc(fqIx&OpYv6BGLGIxKi*ve#Jr@fJW6GOu#Bzns(OrSJrlQ-aXI#;u2a<*w zOpX0!RxwkZiH7ad5UqnHc8Ie)nOYYvLB$0T%P-sgWqj`34XrZmDxZ(7XenMAb$1bW>&7`yWM;xd^@ZUC|0vI&f&UW}(o znFoUt3Cx@_E4D+|emDlU#AS(Wqq!todzdPpDIvz@A8OdQ2}@$*vUT*qeH*d8qCfD> zx25c!v<>q&% zRW3HlfF?9oxgo7+Ak1Z8luUw@67CFmC%=$gMcSF@!<&LDg$$4yzz4XZU{@I9%J;$* zoC2P`;C?~!-xV8-Q)2wjg3mrcA9mInj!xz7l8?uDUl(5>oxr~8%uVMyJB!m{IGr7D zo|3|K5n*$}u9oOpQE+dvFI%k73*rlCH3&Jf@{%sZg7Nt(`j2$!FWS3)CWi#;aR9`cLUaYq=9cR;&1+rpL6L z>+Ib&_g$2?E%zMlH8+5K_li%wSb)CVj$Z7B%7^2PAPMl*(D}Gpk-HgOy|tIpa?|BA zHtHy|16jN4^^IFm-b>ujji4lb7CAT8sU=a3@0>DTd!DxYGeWuVl$J)Z?Upl}o4=-o zY<)IXbTblJ%kMd*+|ROyT?ufQgwdC zB>G0>i0%{jV2JDa_DaLpG=unu-Y8+@GvcJZJPji#=@5F%tL<)0jy*uVCs@W+_fw!sZ zL(+nI+&uYqurcXj?M~FN!tt%NTs%;|0&&?#Ibj`0vw;g9Moz%4Q~!zPPlLQ6azL0@ zT7X8}i9kO9xzyV&tYeRT9nU|RIIWDqUD%(D+CnAhV;2~$r;Vi0{C>PVFy8)%5h(RL z+fN%I3K|?3aX3TP3`i4|%Vi)TYac7nRf3D1ZGcdk^%(De6>_W$K;z}DD=KG;3_$&% zdZXF34A4~zm$au4e}=D2L;Qml;VFKy0fMTDqm7uq%^-GK{touuLx%`n*%24$iTQCB zaa0lISBG4Qe43$=imASp-fjFALFiJpe&&l}K-ntKNNZ5e_i$G+_N|2b9Gh9~6{9AmN0GD9aRO6JN608=8i3}*^2fV0r~ z(?RD#p4#MWMO=L28nuJ`(}KQYd}J{=h?scQhtv;ao8x^uVOfw9tejmeDsDk=nCY(; zVkTbf6QoG?>K zP@UhHx!M}yHGu!8dWkb3iOi^Y6Zdax!--7s{C*J63%-e(J@#u}|C>5@-|Vun+=osv z=h`Z2^}k^hCOfFSONeC1UNyn`=4~R7Su+M{HO8|S^B;-@#{l=OwiNkaOlVKw8X$1d z`ke9&CwqG*5c@zZXAMk1M!&22y7eJ8sJ5SSYB5cjbE?cjoNLqJ zfkC#o8!A{IrTiAzQ;1{nG+_)rFQ&4ucB~!}WJPJsaS((nks4Z^TMX`fF-KR6C0ho7 z3pkjLo!nS)7I{&4JebqI3#SvSGu%KKQDn_=ASFT&lTrYP^gs@`ctDNY65;Y!&dRm8?UJic3r8L)gr#pu_9Tz#L zL$-Pi^hx>G!EU*z;x5i_-4lrr`qUA~eo?3_M&6IZRY(cUP9ZC`5{D6ROP&%MZVGpw zQ<8sYT-~gi4UOBZwmAA=FcJ5pz70__=fuO-WClAbCD<$UU-p%^tm->QS;K==owtn{ z0uF*@-l#3#ggQ0MrM=4Up^-p)ANM`LS{Ez7@PgcK3{-S*pR{>i;?}#p)+6tFja+}m z=QTL57}^ede2NHEiF zo_yQ1nUiaL00II`-!>vVME-*I1Vrhu9)BRc{(}U1SlWzfwNoe8Ky?8sD`1OoCH(EA zKiNwGrS<2zx1Jb*9a&CANACV7j{>kB{~J7J>tAkz>;AY`)@3g14E`anD zTLg|3x#A|{<)5zuW7bv(*y!*r;^#k)WdHRYa{nxOR;0LpUJ)Ub{PT*OzaF_s*ZJq6 z+`k_B+q-x(;83KQZq@d!3;%1S{kx`ay~eH60Acq>pUM8C_W#F5`Y%`fzqZ)Fp9Q7= zqbdH+fSizdhGOA>(5U9Ur)Z-$$Mn}`G|j)__Heq8PN z-zT$&v3WmszV$6kWgFpJWGeg1o&I*$|61aYZNe_5pYQ~}S?K+yI}+fz!5K43L3d-k zr~lxfr&p%Oo0S6^@(7jJOfKcjCe7o^%7q+Oqu1w)XFO<%6f)#$nYat?B_<|hc)Xbz zTB!vYd|D>yoxcJZw5%L_H%{d4PRR6R`7(GA{M7q$u^AlPMsJ2c2b=Ly5%{{a98#dB zqXe(Vo0FA=H-q5Q0r(>`6aMIhEnF|Sx#sm|mfk>y?3`S@A8>t!?Ck7(0YRa>S{4rC z!QvECrpM>cDojWEY_B65(uv6?y3{S46;d;DYtcTxovH;4A;3BUt z$8iN>W08CLvK?cw#Tyg(Ju}k*MMP67q9QMs>&++}fKevSKskk$$jyA&{^Hwo`m9_> zJN}WIj(h5TKHL*>%mHYud9eknXo_%m@J)Sg2L83cf>3V3w8--^GqRO>MxnkMx?i^e*`BCsXhyZi+F(%390!91 zaTD&P&&)0bMgebScgPP4*#PqZhvCwL`QJl@=agpa^cmUUVFZE%3mi<)pf)r7<$JIp z+na?g{tVQZhqQvuSUCsm3+MbQGGuzPOJj9VoGfp4P2c=3&|qFIw^YT3T%S*QRk3)t znxMJ7zTz2h$fIeF8&IlnDatDNH7fG-+=5plb)@BHmUae2Xz@m5fYWMw`;Vi>!6+Lj z2Mj)cX7Rtkwb>rh7d_jUeJ2_ZTGS#Yv0Au39*YaEc45M$|(9Bnh$s4d16 zYcfVPFMj^Q)STo5))r?mnK%n?ink?1ttoCBy>CdmEzx8#iNxAm_~_Zm{!J&wMb5QI zHaTkRYoA8x8hco535v~b>1a!hYAfF{R@>0e;!N%ol{Ux?cPLMA+1yb(&rCcD_p-o# zI6<{_v1Qo27A+w&D$Ckj3CAoxn?LH%dsiaGu;e7U<>_^&hQD4|zB2)ctlJIc^UA&QZXM(dHDF>sLn z46PUW7a`k<{DZFWj!roFSFSCK;nqRRAM`&6nNiw*`4q0-g|GJeqa#G!>)cAsZ&|bwFruodw(ABZ}_AC<;EwLQzQwcgTTH za^N;SkWFU+A}^e*2Z?R7DIIQ@PGWK_a7~dj0h3|xJ?24(I&!)p6Wqz9x9K1tVAA27 zZfTKobjdd#Xwn;zbMHNo%Kwv;sV;n5uivZxwBEc&@BDBDRR2Qw2Bb{?&u{-aK{wO61?ICqtv`jS_Z6{bg~s z7)-yPgDi$yZ5U~k|NInAdk0@F|D#d#2?$imby1m_90$WxZzHx28PO&~6cD1J1Z0c0 z5YTba+i=wE*}Zz%h$#x#n|cAwRT>~@pR0(A#WL&=dRKm4%CV2pA;zV5GWNJz zVb9+O(5-Rv_qO`aPvH*h@jbW3PdZADG*uB$I>4B*!Iw#Aib{o_Fn)-Bhz*Vvtj>U{ zfi_yL2LiSB8x5=N2T6uQ(YfCNZ0S?kg{O;b#zZEXgcdmK!%s5gJ<>W z0|UdR>w!#BH=lxSx&$;p7a52q)DK3l6UMA_^_IU^b~%`wzgPBVy?MFb`SAv*?4|Gx zM$CV{SfsN5^Hac=3VNt8U1ZuZ!4H^!^upBzL^yW@SgQW8`5u2(H{=W)y5;M-DKezm zZj#Z&rQUR=*>1|-uy;hrTW#eve-mr_-E(wPuWlOTo-uu~)d1&dSqS)vsdiIP4-LkP zB62iNV?>foSWAW)ZJ@;ly#Hb24A68FIFi-lWhh_7Ejl_3%4{{^@sr6%AvqTi)}K&Q_HvPCu1@d_h|^35&){nqI<6D9OJUsRymO(_&*t~42Rk88yD zfSO5``lu-={SRTen`(Rl5RrnQc6m9%FQR%ZB}cf2BIy4=r#V0vi&&g$^hikPZI5dikR7R7-W%g$j})pu>tOuRz}`t@68l2l`T zP0iSueWd=PznF8ZO-5l4q)2B2KRI+S=_4Uge66qu z35V$Bypy6|D5^Qum<8&cOFjR>U%~T~xi~F!m?RXAN4PhhfxDc!A_#@^5Gcc!SR*u0 zzr3t`!0}g}07>$h#t3z>XO8Kn!k9D?cXJH~F8VC)qjCvJWn7xNmPjci7Jpnj8*irZ zLu(P0j`lCw$c8mhhiiEvyhM70;+F3!i|Q3%&_AJUMx$z>8Y z(UkU|kM6EZr|a?(X(!@W?}kp6tiA{<7WjX0;qho>W7wwMXU@>k&@m+WU<{LU=7qK# zF{0P3pH$nvNKi>%fjxT4aliI_G#&^FOL@X8wP!(+rajDkb$B^+USU5zN$uPVcnH+3 zm3lrd{8p^P2|;ir zl==*m?02m!XH%?XBK?u7@`w(QI+lE3fM5VApf-+eJ|V>^$GEuNpL+W<9xjgTofxlU z<|qp3T-XsaqXavkz?o$2H(jI;CAyZmdXQm`XZ+trL>+)O#LT+@{mwwqb6+IeX=mTN z%pg?7K5SI)LqZT0LO~(sU$cwdMxood?nmEP7g6`N*frJ&C)tjlBHwRpzaDJA1T-x@ zXlBjj-u-U@0tM)lK(@C8mh?!w7}PaGQnQm)$RHM>Z8>vit55OCB6d`Oy3 zQUrh5KMblJJ5x+`fqhNpk+B6K-K8V&UJ-$lDke~}0SyG59JN*#+)z}fx0U1S!bwqu zc0~FC{3Y~)HVwm_nNCVQIYd|0-d^d2DGGWT^K(H-6zQ*5{nn|JZ=-n?rkj#+b;%^z zp2uFu#iK6iYGVNx*aP7#V5evwY@WffGG)BZw784?0jfH!0g*0JcRIz>jUB>Buh4X* zfIrC)D=@u+Y(>#-+6ljJt}p=0L0~t)X3!jIAPH6M#LGZ-w@mUyrWrw8RS3Db&5(7& zKF0^kl`jCpCTgTq$YkP39sR(ykmQAr(Ku;Opa)`XY$64q)kUlEIp{{Gc3irfWBDW# zQiV8ceH~YAjA@$~T16@Q`o9iL%o5aFwhD(UoQGfW}hWOBChe54JtNn0xK>#^= zxi?VqB^~A+k8>Oc(a-LXaB;I-E))#|UEXJ)&z48Z)%1!O=g5UGlU)}}YIgT$T<(sL zMI`Y|Do`tt9s&#G?QzUM1rr1HZXiR|cTF@Med~NUmJDS!?moe==DsluL#M-6h+}sQ z3}^sTLLPu17f*U8M~{5uex*18dFo30RaW_-#K5YEmA9vUlNSy&$} zb#-)AS4IKRZqunBoMRJ9C?3Cjty1|^BP;>hmWoYyx z(6yU~=8efqV@?&1!s7m+YY+$}1Cj8`KmjU@#=&(sv0y6}d(j%bnp?7r&5cE4<$V_5 z-g9iUR&v3`>?jVf4E+7EShP>(>|J6nK2fv@rs`7Hw}LNVL6H9E1DY&67xZxQ#?U0s zofny4RQr&SjB5P@nOqb8!u%oUXjHlnU5!W|Y~vmj*Hg{=0TYKSc`nKQaDudNRu*a; z5SXaG=qko+5mxAAkS@Rfb26<*F99jiQr7s=}w z%#j?<-1=RpgVRE#b+p+r>iALqib1db>KNtYta4C(ifi08*5_~wf zs2NX&1mOT>aW<7g_mouQr7-=%H1Kpq4Ne7N^L~1DS>b1K?(Q+l7;Rg;@-{ddTX({@ zx^JZr|B%6X%1C?4^C|5iSH;p~j`b%a*AqYpSQ(s*)6~r|w6LfTel9Xz)3u3M`9wc? zrh|8kxs)u8Ah!Vr1nxq5!umB;DMz4aPO?a9c)hZb8z1(|6;y?pY`s1yYFSJ88~ZfA zX=kVjC)yn`!L^vHa{FEApiNA~G2)PY^>jE%#?>$fk=OlZRQEWZL0lCjcs~BA6kq@g zfjg38Nj-lx=6pRKQ1l*|ps4%wVvxH zBvvd5`Ef3_giWCbw0Kl^UQGC98VP#3hQEiT;fmSf$jEH_g7`Jix*e2Xjp3@43jCHo zWB_55k7~P<-o7QE36+Ik!)nuICQ zA4~yA4<}X(lg7em{0WdcR&Y~LOKab2>jj>FjMGxliDhDfxCn@Hghj;SdAjy?Jh@$N z%z(iJ1SYON<|@k6X}~@OaH0ZXGJT@r5{(mNyd2%`&r4#)oSKQ(x!>s6ewX{CmGNAV z9m~{bI|OH(_!la`=iEQonM7DV-Ge3eN<4YmK2b7%605JN7kRT8cEabc5&=4DFYb#= zqv<}6H{7}531DNzd&u)Z8KYnj$yfygQa&$``Q|AJYgAvds7oAR%5lAS6f! z)C9zqN_bo3cbXs`An(uvQ27VoT4g#7#y$O_^>_XH$FvszcvM(In^WdsnYrl`-NQWb$FTQxp34w8tI90kCu z7q|oY-vZll&1>>f-rvtfW(5k7XDHV_|0)ui{GgVl)~fU4S|{u~&3|oN#+Eg5@gYm? z8P~U=DD!ZZFNiedCwY&SN zy`tM62tO>Wa&Is}qYMOenAEv;^U;$eP3VgMp=ABCx~5dU3z2oe9Yu!g)k=4isV*#+ zaZH?0OT8fEYA26@;yfQtrV}_GZzVprWFRlnPS+1H^{AYmW++^1KxO>lWZ+YtNQS7j z2={mL8O%WFa`yTp?4zmjswDA@v<)91Z|CLY??CJbN?wvr@cEk&dbDL0JD#8ClFdx* z{p|gm3ix(e{a%L)$Yt(9dzBH;JK=B+Q0p|{F*DZ-%9_-=Q`W^axQFwgIk*-G_0z5CSk4yJENDiY(&|4H@L?tyCL-gGLMR3k5T1|$_&Vy zMWT1d4)n-8uI2;hN=d9N%g21sBc`_1SU*gLZAyjxa4b_UzZ8q@w1;Q$(KnTm#N`-8 z3Y3CtC$v1s(+(XcUfR`hbeZp#sY#v)zNO@rogpJHjUh|TOje;8u~XxruK+*jYRAGn z6aEs&d<14##9SBkwPWZBubXtFxm-LRi+AbO4D0S#$2%3}Y$0=Ld$`g6dNjkEQw)Hs zCS@9rn)Fh<{bd7ChRkaaM3#*c?!hx@Z=6_H04s>H8oo)}m@IKC!%6qU2vo#EVRd(AvC{b z9MhePHnYl*r>!cUnj_3i1knttd z@hjxmqI_#kihDt9#btB55IAoXWb2%id>g8s8rk3WQ%-~$U^V53s)z<~h9d(nV&Ww) zKX=eamZk+L00xG&=?6{zq_X%3PSq|w6m;+7~3D$RsI?;U|zsfc_~ zoQs$TxktsWxO^k3lk@lv3LF>Kb1}`2Tv&dwwN}Jk^V!%ML{bZr z&=HlLnP{#_lNXtk`PBmbs`>`KxjhMuc0Q2memRF)NGqA7p?Roe z1@6K%S1H6S<PPT_sWpDwVW&>a6$8Nm5g#h5_t{30zYAAm_k@Phaw?jHID2>J=E zGJschd>!~4DtwO7!_vXmQUtChvv`5pwd~5alBm2)MWwVSJhPM zx{~NO3X(*21!UwM{qQ!FNAjzY^kT&GP=hY-UM^+kea;__3A`6|cnmu=7S@h4Vrc+@ z81kw(+`V-`!K2B?*KjG!3^NEy3Z6!ZZyjrWoP*$PZ}k)sKdn6hJwrIeJ*eiPLJ0|P z;65{7Ix(Cqas0%8W0Zk=cM-@pPlzh0PXz3wqYVe=4~UEb)KR_6l3qL7g!h61zAMlN zgS2E@@MCg^KO2ym$g#kmgXHfRZ#7K~A{Iz|0F=iorKAQlokJi;oGVGfA|Y8=Qk;W? zWRk5uulF+;zwg=wIdjE*IGq-9N!qiMmRMn}RIv5efYEM7cPDzs5Ry zCxD|bj`hchEP0d5wdS#~>AcPPDyvK<6Xa)E%mHXU9x+pec>abR?9!>QUz`g2!>J|T z_>$P(=HT2w5oXka?m1*CxMthqT%N!`;@B5sxY^+fXIvWdv~n9fdW?~}nQg(L$_Jp% zH`0i=f$HINZ6C8ej38fMf}eIDH;~Z{ll_V#a)kncaGDBW(@{h)( zNC`s%{3<%wH;y?AObno(jf0SW0RG6ayv*T|H7({9@t!(m8S%iz{|R^=h{{A3C~wzV@%hC9^yW@c9c*vVtgXZ{FQ9 zxmGuC3$P7<;d-d?Jb*fD?rhoOf3^hQu64NS{AnofiBJ`PXAfybX%Eyi96TxH=$fhc zK?zW~C_#>jb>7FezR8{_Vl^WgWA0v3dq&`$T|0`|r7|+7v!YdGK z9quA47;8nZ&u~$hI#)7FzXZoJ0*%dk2=2~9+j-#|>9{8pA=SGJL z`R}OD3V;@6Sx8dfP9<$x6>>c#xYa1&xWR?O9rWG084N2(>WctX7`nm4)ZkA1lT_#> zzU)wOZ)Px83}UQA0?lk3ID>>yw1fW7+lc64ATvs=zU{{ly%l*uDg z>s4Y`GZC?R7LW%eKlOkr`+Jlv0PgKXHkC8qZYTum(PWzLFGJEZ_(0hxCSCk)&e_m; z4M--x2@FQ!OeGcIb)p2{HjG!-A#-Zi&`DA%b}wut;y!xi#koivA#M?SO9>zL0f?`$ljZEUG4729 zQd+wLW|m}BvptZ3$Rsq;s_(3&W3m<6L`efuobuVa22ve~ap!Ze#F1`f*bIKeTUszV>Z!EKC}tcCp- zSz41Kxm;tEpGt?J)+#2O|D=oh5F#1Qf*5v>RhfISOJfP)uU7@{f{+v6+lbZh`}P?| z+?A?0vAF`QNXK=O%La^Kp#VujO`X_fUXnPGq>9DDUT`T1`=~|u+Ov0ugW2y|u<)cs zc$yAWRun#~_X15#@cE)g0ZSnCRdR$(%=nhkuYs?Gdj!ud+=IkExGU$W=tI92MwY&S zAUqZn))5x;0aS>wT%y_P+xGH#%rFa>^q?2Pv<8 zm&D&laZWWgjx>9WSlhA9pMa!7#x=JODlgD;)9|?6J}{pXZ~Q`Q=pi9RoQ_`x%R*}4 z@~rzrp@-~A3h9DB3RZCr9*UEXCQ(*yX0%-Z*`oDAmN~)T$?*5l5kYc63K%dm>eb!z zOveKi?h;*DzxFRgiBwj7r*(UM+4XE+*UMNdoC6EvX!c znm&MjhkNrI25}RF^`3Y}i7aiG#_hxSr`!jc)zS7iW;{^X(jLCa?iz#nt4?kvhN*Ub zDYSKP553n>=`|@LAD@U?(zHXvREs2=T|SsLjTp=3PLTgi1JvR2BcLGv36X zW%xwb!8nqLe%iOh z@Ch`3s+Aeh{K-+j@+2PY*p3$lXN97VyW1)q8-&@|UQnPXX*5@Gkt@nn+zgZRcrx?& zPUe~Xm58*FFkVGAOZSLA?sHcPIjMlwIN6+wKQVELWy}7dxug;GL`X=(x!&%6j%qSNBXJ&ka z%nsj6So=vMd0e{#MNCeOUvAiNqfkTa_pH-0Qgb8P1J4GLjA6Jbkb*@Ccg9D#Y^^m( zz0MRDqGHg2&=7Y755xHp<8&sm`tL!$?s$tYAG`EwvwKFR^4Od!O}oUnOCx6fT+_LQ z?q;~Sl5Y;KW4a0^(hWA%vlRC%p2=4~CnTO+02_>+6%v^J>;d`w5|Zb81hDMnUQ&*) z(>|aS%&cyt!6d04Ga4vk+ZQWW{fi-z;!cfc%H1#fX`^F9gazDUeJPoJD&GB!f$eXo zeF}>u6(VQcur@s#6I zAyIe?Pow*VWT}G6b-yX^1iE0?h_DB{!3rS{@#PhH=XPXD{pJ4PA|b>%+{>-XAFLxM zr3|tftoKF094Q@F-U!9uU6>)+=8F_RNpglJqtG42$%uOZCzI8rICmIlBg0!iRf5ue zoQ)f0ewb>WC^1#q>lkMJI0nDsdo>?cS*~CLCb`let}Cxv-F=O~`YQ1khG{nEg<&<5 zG&5>yl(LWB4x~%XJ}LFe@@rd|J0OlT2VywWpchXO81okiV5rx^*EoJ%9JsU2L^EB@ z&pIxy1A2PK;@&otG&-IHe=H@{MI4t%##ZRbAmttcp4UJQGLNNXWFa)ts8)uorW2u* zU0MecXYu%CS5GjdM}p%A7RpUR8yN&?rERTCYeKXE$CGR{%&!#@pK~}zE;+R{@aNZh zZQ$1*!*O$TVE^=F?hp5ttBoX=6p#&PM&VwS|1>(1t*w%k%h~e4i9)3#nF%!p4el*k zrmKCP8I%939wwciS{Us`L{ji`P5o#wIfmxA#~JybW9MZudr$p~r1(2Un=57W(=pN| z{#m1WKMy7oWORVGGMNNhR&q1(=6m}k~OyuaYeX6@lnuIK!8>iL}zWR zFa`FW)3HODMV1GKBJtJ2Ao9P0{Lwn)G9DDlvVU9Qt>x~@->P$*332!}aAeNULxC>H zy0|iM9!=Yh#-$_SvSWAITa@+n;aXuAlw=?oW^WRzr|+^a7>HRLhQTwH4y0UOemg}M zoohO~zVm}ax6#q%{L+K-`H6Ah87LP>dj4EMk8)?1{lEnIdkYJm)R*3a0t+!aAeHIm zWXw2+PO$zYU>|?PaRh==+CL3U?-p}NW;1MH5O_JZ=`QE#GY0gBeb0^jHKSAVh&cxUl6oDmx1dLQ?_ zI09&9ra9$V@zNnCg?kh{HRxrah;h8+TSV_2+JZyp1c`uY(xi7DHqgN`BhkSy5(3vJ z(R9dj@d$CAMp(xe3vu}+h*>Jw9B1;gqwuuA5X_9{msnxOtyFU{)0>|OEaQD5* zh<$w7=F>6Gjhr*kx#f1r@3#|ZuJQ@U;ZZjXme;9sYte{LK@5sMRyhrk$02~kcDNmM zgi5a>_B(@rkuCop2*@MBj0U5(utS7b_#kdm9)Sp^uugfIdr59%_39bxD62RZCkF?+ zuCSHym@ldX$sjV-^_zK#Og+>ncF|I>brL5ma`SOCC-69u#!6e1vJ1nd`0J0s_yw{d zwxAnG1W7Wz0}tYd3-i}P53u^rV!(#u2N;tysdyRkF2x#IFslnHxF69RX$n_nP+QQn z_0wD*?t6lNH^!c0xi~{$Po&5;wupk4Aa~lQm^~LSe^H=UN9T`ZpnizL+YH+pC<@)aOJ85Aj zn8QPxg(o4{HxN?2igA_urvU^6)vTj)&X1zo)$=9fvUi-aj85ZtQhj6XQANBRT7Nn2 z?&v3V#0f_yxaWe#EbV%IFf$>tdtY8Zk!Dt6>T*uYrhF?a-4jio%S2 zvPWiM1{j$QGcuzb_9!SQ=%ApekfVa4qJrXCb4*Ok6P^;wlEPBc($vz@JX==gp|rFt zDd}u!>7$m`dk>cRJm2U0em=kV&-e2yb!PTy?Y;I|_gd?|ulu^jsWKr_%NdV?9Lv@q zHcg(-ms`ubj!%MhE1oFNUoZ=qt_HbhA}$&i(l4ZusCYBkYBger&CC^x!MOvl8TH(b z{?3tuT!{$c=y2`e5ImZBf!1-I#dlG#ZlK=MA(($pJ0nQDGFUHKhCpWzmo+5CS{B4R zNG@yOM}T?&^@!+XF&@lCE^;Bh6B%!}HW%mbLn5D7mtTq20exFB=dSby&-9X0Trrpo#mPpUbt(b^l@g%UHgGaT_)JV#Nfu&fCHF6S9r1(M z4vog8F$QJZp}qi^CnpO7j3={-oP{n{TXw4 zjXIy#25PkP61l|LpXhZ=u$aP4<23vXz~{{(8h%_WV#W~uLb{7b`g%rJo&DV1thq#OX|G>n+Se91aExejw@1 zbt9pC$J_u6m?z>iBjb#cKTxwP{u{6PISJ5fxq^tT_KYP@F_LkX3yd{uaWPL~1D+maF zKtIDcyJ`fEO5O$TiDRD>Tkj|eS7=*^5Nf6;V}=1n*J`xEdqxgFDxgZict7g zq`EB_XVVnmeHu%$IK9*YBQ!D&f_9ZVEdW;;qxnjjL%I&D)TT+=gxVsR95*{1uf<1k?v!kTa8gr?``TzoV~$ z>qG9aw#;70enmLT8&mYfJ`JkSTB9`sLYbX7m>snG2{LMUKP2YbCgJK!$GI(BEV%a# z-Z0llYfi$bI}El8Q<_7*GI@tHoV1h%m*-}-~q-aeOKmL zBawe(y8<~+7RYWhu&@Vd^hGCYG%=mrmsm25iE+OffNCu@3mJpMs|518pA8WzrnC5= zI#7#`Gt}Ur?!k!D)#sAI#E5hGL3~780W*Y+;JO1`SjQCbpD_1C3!4f=r`)Hc5G$H6~nAeHa61pI}NiI6JHA{fJlhjftYVLXE5t>?0got zn9&2@>O}!=H8@^|I(z+o$(~b0HWC69aq59a&uE@F_<;2R<@HBlI zuqU4Q+$_0{BOz{(W&-h)W!56YPilE7V`0YPU?3J!RXhuU;b)oo#h*)EFuhvYgp4nM zzwyLL2SgzfW~@bN(*f~3ITn!DpldtI3P}9_k_+}(pdb0(jx_djUfc)W|J$Z^@Vm90 zH{`)#e?jm6?Ks#re&l}~HyySCaQ~m<+Hv#kx8%n-*FL;!QU&1OC&SJBk3CbWCRI)T zAN$%5`}cc(u<4|&2lxCx_B?dYf9-o1 z{O`Z*_Hz6WJU+H+a_m2av|rhutq?nDLUl!Zu7LmW_DAyPF8GiB_i`UxK+vJ&&8ku;o$c6`rzz`p5T9ZU;eJ~cl|$f^!w_Qn6E7b8{3~PTZ!#Om9*J!)=iv>1mG$tZzsh^C zscJ-p^#LPJdwGBF`m4OZfBse8e>N{Dv%O~E)CUy`HT>7nxplR*(_wqn_)(K$y|opw z?av2Z-T#|h`u`!h^xChd9!f3^goZbvcKZE%t+i_z?b37Dbmg;Ckm&dfWNbN5!v8h! ze+^3aJL*4HV!+=+%|o{Lude^ku79^451amnOu+wQF#fNB|GS3&!zBM-1K)0N|2Fsk ze>L#`H3#&4(D&HWs}J{)sy%V~g}NRrj0FBH&j(XEs;4R#$#^cLJrmS~xv+L}AP}fx zDAIsG^L`#C6CdKQLfj4V{3tFU@hV8K=0*?zCFnIcA<91zhQO9?IBcN+h4_0lq-(}L z)N>zXd{$Uv!2c4C8*o2TiQ?E;><;lKWHQkzFahO|LXzPB;vS7qG}{YE`-}roBmh&G zXcWOlSN;bS&0`n~9^x5QzeDK77LAzHOP)va`0@C_mEtWfyIX6=2 zom|=za%wieyniU|1x?Phd8e19z4Wnl5wtH($Zuf^pF}8;eSJKra>taX1~@_k=n?$G z>R^42SmK-MJ$>@3c>*9w`HB)8O(M_zP}mhSNp&wU>ifxpR}=M9i+Um^v0)4p26+#5 zt5_)K2-{V83i%e~Lgc`+=T>*dTov$Yqr7_g5NmN$RMZFY9QX`3zVCVlDaVhjxXqU1 zg^UUKNxRm(!O^-D9M5(&Kbi>;&{wRJVUg*ny`Q~T*0#If<|${w*mx}DeNH+Gzo^)b z1+l(8c%dxtI;`C>i^~=A@CW~|d%mgk3|CODA;J_=m z#HeJf_MVV;{2rNv!;C-fc=LYxwsG+eBzNVtGy!Y#cFGoD6RN4Js+gSf3^-sCz$Y|? z&?4dJc~yJhm2G;yG!4VAamnbgPWS+d`1ayuc_Y z$C<{2AanA0KHOPrECC3Rdv^jP4|)hKt^&Vap8ZY27l)D1$x3U& zm>m%GE8LFs{XBEpZU|$8$PgR@Oy0Lc_$YCfX1faM*+jEGlO=oYc2)}>@caYL*U|$AIcrWHPqgivEG;Sg$sHD98MU~2&kL5>w zl~+U6Csj4?vf*N994Wu0x0uW2AK?*`2!G}pUd?Y4;#646y@Xl3g*Y4c(%V?a4@B|F z3@6xCLZFK3R?nc+Y{{ETBkaYL^8M&btv+FZ%3N$HQBnKuzUt-><8o42f1qYBq?&GH zjKbSL~->X-!HOsNb*nzAQM~NMTm%tSvpXE0}&{GWLkQE{!HB&As%TIBa9GIP7{C=i}Eq;rRM~cz`v&1H-iz zP|mnbd9^EAdp)_xgtJF#jGb9Tb}(VaGI{UDB6)*mFDGsQ7c%}++#~j}Mxl)bjo;Jm5Ha9u%Hf2! z?IDm*rzFf$-soG%{9suXB=@pk-dur~1GsD&hR7W<@Ak6rp^ahz(2`e;i>%8!R2**{ zzFNLFmN_m&1;gNT%(;U)?Mbct?sJC@&=HuoCpP|$McYa&Zd+ii@U9bAvQbRLjy%UQ z1QMu~FE9XYr>p4!ayBmu4_*B(p3S|+-@9$uW`l(G<_UN`jl=7S7AJTX=e+}5grH9rL3UY`kznMM7J5lHA!hgib8miR*Ly3wNi+_2=F}3R@}TNfRtX8 z98*!{T8o%A_f)jwP}vRhH{xCSG|LmN*$(bWXrdb*fwnXUM>amiX5~zB^+$Q%<@*o- z?Jr`texKSv8n57J`>}IfumP~VhED!8+gTxo@fv3z`(x^{5&B8yp~V-$;!bBQIhojL zr))elaB|OkKumxjFjut=CF?qb>6dY5j#U8%{Wks}Zo$7MpH&}>wnYLcJqGca!X^#- zG&dIKWsX6fEI!Mbe}=P1fSK!GW0tSqiQ}FaY(`Riz)d6H#nFQ87wMz+jg%oyV^VT)i;P00-v<^Rg6l}6AB8os zb?Ma$B+h4LDeqJTBSblT0K!D3$RHqI_bv6#z7ANwh7VlBQNvW<-b**y-WEduQQ_V= z9J2k2^v~j{xR3q_)5lfk57p<9cqr_gr(>lzO?@2xm%l!uDJuXDXoJ>(40GUn*-o$Lnd+MAZHKWrFl%< zcw0W-90MT=;1!aia^5k07p_IBnp>FXw(_I!HuoW>ZN2P~K4wTi=@TYzrtLfRTcM`W z#GM<&&1w9^x5ifGiVk2hKzl$qD zNvkOlzkMbSvxS++c+5TqMxJ=$uH$BL4^+`yy)+hJ|pwxCYKb zqjR>d{#w?Yn55oEg#}?=qr8uc*M6mvzlOfxB9Y#3>cU#muX$=DgPfCd^ZH z7XK)H7r@N6UG_Gyv&_-HIXH*qjW=8oz-$F(F2SkuR(T9qm%9ZTrdV~ZMLjZz7UZO^ z9%*$1_-1nj0t&*NZ_dF6sJ3W25b)4=pd2M}xZ#JI%;v(`2Z|eP4%=|?{rYDh;fuN0 z7*4y}su?|XK*|u)cgK0i4Y<`f782UKxv1*9ixAr45y)Uqgb(BALW_!9AeZEQCvL-C zWXg3^{~4(Zw(9n SnTrE_=EY3Vo&eqS!$(Fy?N05Cut7aa~(hiL%@&H5(CN3@G z`*r5b_a@~Z?11C>n^csJDm+thtv^o~Wqg!;llP@zwWn<$8mMuh`QnUm1B$CT2%3l_ti4yP$&$vIPyA@ql}5>JDSf_ zt7l?;z6Y2Lgzh2O2+UD2kin@IN0~=B@~E^-Q8NJ-Uij8qAY3J+4-8H|vEohf3+{c$ zQT~#2O)g<{@R_o@Gh;qRK$%UBbl>uWT6}#if=XVt`LeK7b?7XptJ;3WQ5D9#(T6s8 zWJp(QBhet4O&3;o)w^KX^(Y%_Pl3eT*(8BJii`R8vAS*!U~6_PBeG`>YdZHR5!{Wq zVnJiR{64pC$1&sL;@68hA^Bf)FBa1ua?Jb{u>2&P`!f6?ay;;7NB`rTedzeV!Y%C% zA-^NZ@B0C7%8%s65AF1Fr$cejqevNh5Gf;u9mJ}*4F?q=X_pTMg!PC$q>LCa><|+* za>Jp(n8}w9b%>oGdsr2>YS>|t(6ZrhP|~i;hl5j&#vTbt`)Jq^HvP(mBkFE9E(de~ zy~z1t-NQWdY0uck`I_D-XXb~qDc6({o?bSFD;`wCXiG=$U?R(=;iHkm=8MOpMy~Q6 z=SR0RAJ>iB)p|U7;!*MKn8_b`-_}pN()_kC>qhI_9p@?y^J7VfyO+2i<`>5BXw-^@ zh9^?aF4QmWrpSw1(Z`)RNANK3N#QyOWUxDM|xFZE!KA#m(nEvJB53#dt?IgA9yG=XQU9ax>Ro(6S zJE@@=n_7yNW!&2O3(CCKXZfx< z_nmV4#>)I`#`sY`Ygq9rPfv06M_F$r?2hPP;Jg_zz>{Y$?lPd*csy#spt_^QgEo4p zZukwcPf6kJ=EktW)yIkl4ukdBz(-K?k%48tie7^T=NRV=>asZJd~wyPoAsri4>O)G z?G@uI89c_kLpvm++m*KmH0^3TKV;%Dm3M@hi`NF!-y5E2DbA z^FQWvC(xzgcvj0N!x!7X{$#}R9Mgr7tIiB)s_1z8h*r_*^a>i-xoiPHKpgqn0v$6E zs<-OGh6|NPV`|s*e7f#yKIB=S_F|9cmYC$Emb#*KRpaQ+4MhvFp@4#?=UN46^CVrw7#X-!g8{OOwbAA9ue+)%NbuWb?= zpRVnB2`c8j)?-5_eQ+W|H9T5$Jkg;o<@(d0zjUj>+b8?=;>m{wwUpwvSXt{lTQK$H z1hxq(KYJGRmybMk#dYVINtY(ohZ%}hh92`{Gz%`IxXX8kUB^=@?>v97{7}VbNG=* zlkVL5LV=3HH_Q#t+%EIQOol2BtbP7-X9w-!Wiym)4>uT?xx?nEc3*zCCdj(BL)VaB z&Te?@r)~?w=G#8`wW;&1`P%0B;f|i(`V*zo#0C7AO(z%pG*Q*Ztq=OD)pU5a>N%6R z=-ba0#;qCsWkd3YwFbB8MABp1~2OU0O1FJV(rl~)A3WMm8S0(z=8i~ z_Vm9x^wYU+eYn7OXMW5$rQgk7TUX)dH_i2qn^e&Oz7&riJAT5{@qj;Br{sQlm_HMW z@9@{&D5m{*IDCm>Byd+Eu-J;omM!@`;7`kz9zF8&;WM8J4haLQQOZQgJ+{FAJ+K)o zqu>zW4$X&zNhub-!~d{>%|rRPdkmcA=N0XNU8*nzM_FZl55g(8v~Z6At%?);(8>@v zrG=)DgotP;rX?TOD&e{s<(4gE9NL0&LgL{Hq?YVw5^xWz5&>N5tdi@&G^N3Xp)k0~ zd^oL#>4onfuKPgm_(@YMYVX(lTa0!cP-%V*6~7q%@mKtRKKXyG-F{s9Km4Qt$N`Ka zm<{dbC)D)+=dW-7e^9q`1OJ`pIZE~S&VMKO{hwRm{J8zz|2g>X-+0gw*RTt(SQWrG4U@RU%9#WYi#Nm>aX`o} zoNvIsK~VHTCES*=VOL&0JkN4?j9x`6fEK+;8EeFD)$(3NbR`Z|rX=G)C91-KXaghS z5h}PVAW+Ux1@tU?Nx8hf}wAv2=tOtPIO$I;haKETRIY+AxSfsSsjSaZ%a+ zwt!GfHnfKYf!x-IMWX(01u@xwf4i2Y{V^~BPQ8E5KbztAV*$Nhgbyy@?!l~Ur{2%H z8xRJ}&d^tw(9j4rbSRT`Edm=49?3fRe%8TLr|zB#y&C}EvPfb`hijoJBuE)>kf;*E zP{&_GuZ3Pam30s+RH1i4J2)W}wwyY0Br6ODFliwyoXKRxCEpFW3x#yM8^9{iuUMW2 zyXm!1IPd)-3P-Nam-w_^Fc^~*KOalp0AvulNI`-o4?5f@pcp##z!eVeSm>hp*1Ded)U)!6E|E2g}l+xWg{1hJz8u3y~W$`p39eh9=O z@nC915@!T1Y9k#5V0@GcKT@$#nJw`kk4F0;8<(iGo4H_S2+CnUjkyoY8@(ta{ zFyEEGSbOKPvxv_3HKW5?tr?aj{vWe$a zP!r8=QYc4p(T*xqOz5@yvFG~VNVlfj6{ETBbhzzpl$N{?+3ln1ecaT{LGbWg0y9Xw z!Vlf{$M~T@1&eYP`L1z2A@>@SQ-v?0!rsV}gx4!=_&bgKO?$}sp0rjecRuu$J~nwL zJyd!Hb+MjNumuJAaLPuhGe~?k_hv5ZM>*>;uFXJf8$Sd&m_;b9Y6!c?IUVD}{SbXg z{7vYo!Y@bpW6lt2&A+V_yK)AoQO6(*zBxS_e3k(MJqVcWBfGqHke%u1$9Si4LVIXB zcRAyoo8JjNh+fwn@h;^Oij;xgCxO(|ork>7%tmWjp<^b42rTeBmz&;GHoWB%b+R-;iSrE8c zY7d;hw4;G+6*qxXZz72ln|HstEt}}XC!r0bBJl}u**iuearU{H(l!P;^3Ls8$M1oc z6C6@$MB94t=^NK_;~bA8aW@wYgueGyqI5Exv?8ZrkBT3tUxpmOKm|>I_ZVfmc}`cP zG?(%7tU#;owEB>v2w5tFk%RsD&dXpCmdxpn$!E{F5Zl>_k)4JEX|MGIgeFM^qz_B@p=%0%$NruLK}YACW&2QC(Q#}ttLS7< zn(m3#aSFb#HCEwD$I`P1m1$~%3KH#~)8C~I3R-6Tft6f`Fp}!(i(E+h0QkI+bQ(+5 zsPR*7Jl#-~3bqg51EF8qrRpbw%|nV{@J{n}pEDTIwQYCR_8?kOI)&grKo!1g8%W+jTO+sl7M9n{z-4M``Phz`S0P2{jD?MN-d8+_#m91c`E2W;z3v$4zZCI`7|~|zyr8HQ9|+}=PNmt!0P1WlQMw} z9Gj0pnA8@N^O5*+c`o7yYla464Ad2LFy4Sb2w5Y%5$Vt?#nC4ZIIaYU!^Ch_pQ#Iw zP9Q10gKJ#Coj^eU)8~-g^|b<$8LocIhs!y%Q9jc&wdg5KN1{}AWO7>ZZha7!H2ZZa zFsf=X?*>gAi0#w)pld8%N$zJ`0DKB1Y!K%tS?V7(mO?v|(D()D&=yoy5SCM|HqqG; z_c0Z@^#M%0Aw;X*9jalqn$GIFD%pkykRE z+rGJe5}46Qo^K-M1yc~w$=T5EmTKixNPWp9Y2qK(mqYs#uT!15fk<*c8s+GNY=6)( zK5siqvKQ3YO>eTAP!-^EJWtX@;j1WTO-?+WRalOk-{5j|KDp_noPUP9?o6xe{1Nu{9| zh7cF81L0{dh?dbWp#9_*A^t<%PBj@azEP2^lbW%-j7F(f#7N&#?|xQqn@uW#O^$b5 zR>@mx4uUbTtK~+hxyNvMOgKuD24KsJ!H#Nd{UOAsBFfrJM>!Zgk^badfqalOkyXU?er;Sw^&a1q8a59OsdR53Pd>YFoRlf&DE@b-N zjP1xVy*A^f`UtU(MV6N%^T#3IIp2ExG~W^09eLIAiAq|Gq_N0UM%;E}+8JaG(qjBU zD-sG-&B=w2z<|Vm#2iKmGbSME6w>wy(v(p!(whNQz%3Ny5Q2$WipO+E$xiIZg3f)o zJF;}+%AmIdp;YZQy)!r?He)l!&w-UH)0_%-ITV&N(FE7_MJRSr9I`w0=hSyq%nY*6 zF$EZ?)q7dEzIw|dY#Og7_^=GU^Ouhi`darP5eKRFgcO$=1#EGKc;a2=rg?< zP#8#apNQ7zLsn1rsQ}BT#SAuv&A3mu5fyA$0|UY*J235sBXUn@Y3jQWRA#AbZ2 zev-8+v1XCRo@o0T`!ou*c^$Bso93C+=YqvT^)fM|4<5wzw6!v206@t63fpRMrr1>g zVz(O8(4dBL-8ePVxp+HFVzryqSSw9u0P$j@VikHmnF^jbH>ZXHq#PJ>q5Jd;(PahY zzK#rrn7!|jca=65*V~g~1{6g7EILt;RCEO2PXiL-I-01P(h(}KKj={vOy?`bFbxQ! zXF2C%yuyv##mICj8tfp5sY7Am{1$nS@=Ij7qjKpr)|Cp+Yx2svxpeR51323KbQtL* zZxffv=a|YnXMke-$l!kk;336}akq^bIA2<#fIIdqkweg4osSi^sB8X3o&kQ{ldQBw zAurd*B;O|K1uF>a8l}{yN#VgL&3Y$DxEZ0QJpj%(;@YX zX=6b>Xt#fkz6+&OxkQ?5orbt_l*T z1`}~4I%_$oZM7Ss;-#S~?=c^QnbaRgSWhH+kI|T>=cFv;dyaN0`AQ{pCb&z}65O|b ziMtC?4}vsTCIwi1Nnye6iQHE>a^pnuv}v%x@VuIPguA9)s`5-St<~gQZ7l+t>s`4M5G`OP6}gee z)b=dSqp3xp;*H50*2mFR^WFpX+hB;`Jh{&zyBfxjL5OY_Q;=B~OYrLw!sot#q+Rzl zf|Km!j!wuG5a8$*Sfd19JhyoRIpFz{bjr*L@NDLU#-B-sr-5{|ycPtY7WtH?0+#VV zK}Ir3$o&@k0?^~uWNZcUq8xji9RnwHF3hMj#t`x>{gXypJyP9W(nVNLh||Vly*G$# zb4)|FXdG8J9}0GK#P&nhRf4FOftf&j)Orv#76Likm8hD}dA*bxUGW(|m_KfvgW5uQ zBlkAYM~A>-c}DURmW3)v4YceHmquanF~ePxbWADw4C5pHL*S#bq@U2Nw6%CTo5ls# zm*&12Xg+C*Bo$wClMDN!CJocyx0MbwH({JV5Lw#->U&WKt`NLhx<`8wXC0P3#o9XL>88DsWiJI5Qymk+t+qYK z4gl>9$JbcK@+>aXF;pot5^T_^YaS(;O+^)(>7Z46Wn}MmBynN;9k`=6G1_*lS@-I~h_k32UAucos9(tx~uK2cP^#Kg)5`Kg8%~ z=!1(pm(-*D9OOwwHsQ3z^fN&YbwN1&{y5BpT^2w8D}t|ccA?r>G;abb@Y**yq61vd zFxrh;>+dnm9_d?fla+yH!4|t2jPi0G-U^9O5tAUgVdp<>NKRJ#e4v?3{4vEJjK;eVh+ zwjG~a7RO{>&@YAb`S7O8d`|7VXhAI=GZ?YapD)C0)(3EpAEA7ZpRk2xnH4aIzy=~ptA+L)4+F4cfR6u4SqSN@~{5}Ev5Zc+en2j9VJ-{wl#!=00 ziA|fE`1(7V<1Ao>$z^V4p*@hRHjRy8^A>GY3YkPxq~V`gz1+PXna(D*eXhO@ecAk} zpSl*a%L>21B-&IEG`&C372SaEm3Fjk-js;STm1G(IO5O<_$7)jxo?w>&p$S@j zN0KX)1nWU>$YAX1cpV9s)cVAHa{!R7e60q-%^=KY*h7VzYLet%sec1pt7=ZLeu)ev z1R~pS@LrPKsP&kUsiP3k#60o0k4$4OJkou3M-fFchXo&xNt|D1mjA z4%ok|eg&5)6sXBqnTL5?R419rH@J?v-@}W>!F+&^7dEmq!4}OwZH)HDazlhu(eS8E zMGj<()D%L3dpIW-R%)RxX`woTMMX<8gdcgwp8?+C!h&d!nv$|HJUCR3_=6HxRx2D0Nv|0(=W}FU4a|?xRYg{@WY@pUd*g0G|^Ak7FJvvH!9tH=gU!b@NTquo^ zWaPO7ywos|K(4Z5Yl!eAvFwBqRu>pVJSFEr&Ck>!h<3JZL0xn?Dhn5E_(^c?^TqIQ z&pu#%3CUUb2lcyLT`j&?_t}|M*x>!lnx}P4rou&H*%vKd;f7_tfgKlPoNubFQ7~5& zUREVrJ!-a5g3U_;Ghz)}gIR~;L+nZogK7Q7TebxI4JiQ|Ko)R##&~cy${F5Qa38F5 z7ogfJ7+%m%IxnfIcUY8Sw8g0fQZLCIAbk^p%HZ-+xzZc2_ndjjyvQ4WW(W}e;;&)e z1L_*@3%}}tZcc6xd3wQi(-v0R(YRQ@I@5xzKQj$6w1;#PH9pStrP~0xVoD5Q;^`ao zCt7Oagv}=F`~uy&D45Q5k={jg0Z_JD&!OBd$oetTccEX>C(5rNsS44bb1RW_9l;x- zcb%Q+B;KR>76j>fM8bP67lvdzD;z~p^w!2VyexYo^P>)>!8sFHQ%#kv zOxTcGI#KKk(-L}uN*B6q+>;^G3)E6t$!xVDAf|x91?4P9O z7k!3oSvfQH`;$*_`wa0K=^CP$8mCI1$$vy;paGFuQRXYCs1?x~<`u7n{n0rNhI%-v zk8!DfzjI9Ceq<*L!ZG#A-O<776~~SuuVGE-%}AX&mb{_+nuXb07e%=Ypxk7`JeBt( zP^#P;1}qWYFQ6CIt7}zKN0s*rPG8vrd9UJlfXwHb&yZu@>v}=o6Hn$|tNsH#$a2MC z?`OC>wz<=>ZA+8Mcpm6g8|`D9b1dT{oD~9VCG+`yK*Y88fN5VGk)|K8-0CbV{1lvx zyf0tnpSI)y5vDyz=pCJV4O!N9%QPbEHk6+ak5c{yvMs2a>^g?Z2g8xI?;&omvj<&l zorYm%6_^SO`@wC9%kWd+RWAAk(R<=yn74fqs@@RJ*_mn;J8z68_fdj zUNEUl$CB`#*(&!~b^ZZm=Ed;F-Hx8fJdVt6d;@H;t}KYeNkd}PW{dqr{zF58+Om-? zTU`H4?iu8WRP4a|#bBb%oaDu@l5iEG{hg&mB#ct)i}i^OckFwGAYeee#Xl_5DjtSErENnuy4+)Sm;0*qtYf0dYVkACYvlI8S zrXW&v$s$E5bR#J-0{aLMlGu?`5Mb(3H&b{#x^|+%3iM=`fW?oU=&Zpw?=<+{=#-{O zj-!lNW9c1>abYehk3wt`5OXvR_HyV$U19{@={#wjrLdOJW~a-7_IfQp#O6mU&&>mx z=i-6Im-z&tlq;4zgPIo@j+=|-+C4)skV{KnP`LoVt&eqd*VgQ2MaME_%{@(<%A(Nm z$GDv}rva}9ORl;T^tyEbm=0u{!

^@GyXLeT4e!`cnLLPIvt#5aFs8m^gc}3MAyT zA<5v!ux|w#szjk*8ePRLu+3*WC)YbFfY=v%O5OvS3Ot+1J7+tN?=d^IXU(`T9J7@^ zt52{(=eowlbIZV+XFCP{H){bho@v}FyEA6tt?MUGe^P5z>2}%yoJA)<=re)+1N>Sw zXVpn6!(RG%Bf^aAUf}>aFtaN(!Mk)2%GNl z*3Yo_eVQlC2qh!D^Qq2eB|0fyEzHoGQbTgC3F#C_JL)JBbu`6lT-ZAanJj#&F6U2hd1o^y*<@=L%k z;`xSI=S|e7bCYMdkl{R)j`&@MOHqh(Q4?Z2>S)8_i>u#+UE*eO zS@K=iD9o4PCgUj9?6k0tbD#K){U;5pn#%AwYkv5;9F+VPKSEpt9;M_^b{%_!6v=O~ zQMs>o5JpEz5^_;o^OWtp)Ri&SRc6Mc(qZxj^hokq&+|}lelJAc68F%JFplAko>}0> z@s``a2ZbZwAK=4JSNiTj4Xs1!X)0OIbxgL{Sn$bT2A8$vx@Yq(c-r@+B;<+AE3qaN zIrHF6g4R{8I08*f9-&SQQg4XW7**QdMEA0a^bxE5@Of}t38SE)5pfnaQ(oN?oDbAF zi-0M6PrUkbk_>cJ;xbVN?Vmiu8sg|GI#LxC<8T)kPN>~BA3A(>M?So6DwogArpt88 z$TNMBZL;_Vl67OW)n4;2IsjkJzah{eSPj>Z5nPfTPT1^eiexkXXl-}pX2Ug%V8 z58*3wVWm<9zI`O0XD3^~Q$8~VEVO2PN4D3FbI=j0ig-*j41G0w zZ6=_4!YcrV-`B$A3N2cSzsy4hz90X5&hBDUVFoUrg6VCeU74L`crVB^hT`vEM%GQi zj^)^PanX8MRH>UI(8dw~!Y8OT6D!G9Z$Ix*^#teeBN13{`X(v=M5uQp&E?J7D|Gc8 z-!5vLathq|5C(MhLx+Z8aM0?fX@@(>!u9LPPTP7l_b^v?kQsM;M2IfPm< zMe2F5+&0bfVBcAs>|BDE8D>V3d!_-ZoZo?<$sWQD z^NiusbFSlbIiR>JO}I1D^%YDz!r3QG6Rerz)D8>w9N}Iyj~lZMJm8s=ttEpI^HK8~ z_>+umZUi53@+f-*Ql;pN-Z4yGvS^=I6o;vUy9C;y(=ry;0zK{_yx$d#%l9CsXqgsk ztzy{A(yI#nOEj4I@zA4q79>u&XQ0}H2(-~*_VuN1N%+Yn(zhz#vuxCk?POc)bxWoi zW?{Z%hS7D0MH`&0>PlkG#xN#b7|Zm}s44_faVs;>E;|CT=~5W; zzO5I`4NU=h#^`;4J#CxFy+0*NowHTHCo>C~evg&jLbiM+3q*su(=Bw~0{_Gxzc0+2 zAcSgaSt@J`v9+4!Qr$TN;pJ}~y)cQA-J)3ze?FARgnWkP#=;O9>Sj3&+Y9+!XwC}5I;ih^`&IsI@3l>lc=91WrwN>9?6P5p&JkpH^q4EBT_?dE_UQYI?Vz`a4@c z^{~#MJpP$OM)Vi;5`tc2e-SgpP3j}bu9Qf9Gzho8S8UP7_pl~mX?c|MD_mpki)!XT zv^iBjPDo>kKEw|3z=EH4=ytqBMDba}F4nyXiF;{!=GRJRyzvbhPv;gD;=Ed#cvA~X zuNIxLVYX$)H1-7oi!a-H$%%GHOIs05Y%W7fb$TMo>NPs!3G3p{Vl1aO^bV@hky*CW zOcrO*{!EFX<~Q|6q(q%!KdRj^mHm=rs{0c>kBzC$CNbay!!c@CIP?d#i?|J_K5_MB z;TcF|T7Maz=HeXdSZ=IUg*B~Fcq~)S$HCIoRnK}IQZ*L)$dhqTe9hjMT~ch8CI?sR zAx@Ql08z=*kyI4=WLOps!jC7{a@Jy(l#V>EhWR?h0H%9xI!qkR8y6HHI*56yU`375 zA!19XXo)C9r-L$NmOPV2f#juBAI-NpqRItL>K&iEhYF_M6rkzMDLO}(A5PZFuwdNr zBLrSPq&mS$U^M**sMH!_FAZ;OwV&i#gw-tRC#ci+Rta50X>6_=t$(CE85PY?l7$dLL#rB7YpL7hZT-tST=KlDMDq*(2^^1I!@5Wgw75k9px+sIE_Z3#yxD- zm?{YC=<{<^0!WSc2aczk@rpA=#L#$#GnmE`vS9VD#!om4|EzZxm(chbm!Mw{owWW6 zsOPod9Q_;|S~P};uYz<_L1ikkHYk>y<5sEl8rS@E)1PuxfbM|Er8;@;DNi-bavJ9_ zo22tf%c~Kv9Nyj^!g$~fgPDgeo@+cMm`FBG?m}3&wmBD)>Z{6!t7>_NlYfO(oY+_9&GR+|8M14_P9=F+{fKiW& zk(98QP=N=c3>$i=JVx^w&p~U1LR+aO?+DBJ>GL714Pl|ouQ45Ce!mbV$784tguv>O z!D(eIc#)rKc|}w4lBc`vGIgDSpgA|xwwL@Md@z@fMQN^PB+XI~JD*Go;C>qw5XrWZ zY;baRVyV+HU7?K*v7fW`f%MtN;YO8jC!fCC2sgeD;2eB6_GPI>0T%ja-KVVWyzLRT zk7XW_Rw+O>(6LA5dsSB%?s!SjnrXq|aD1yxulM^IWbPMrYD8|Q4u>|fby%cBZGB5i z)caY~!v1>beC8fOv(0@o3I7S+V(mST=0-4Q5<~nyE-hpn@I4B@$XjwhiJG3+yiqul zW7wf~RAJDj_Q3SSPH#3X&P%u6iZ$R65Lxl0)o+(4awAGN&2fTql~{wWWYnnlgjftC zN=M=ML|`f}y+}LJA~D)wRu{DFDF{3?0OTj3A4A!$TF!yb|< z4e1~~hSa@+>ehfKSJ)Thi4%V6ytf-lZ(M5XkP7c(4TI9{6ZtOpUPWCB-Dq&nC)#A; zQ>_%GcKwj0jtVEY_nV|T)Vvp_+WZ~1u=aao37<3X9I|Ey+Ro83Nrg>c&4O8;<4vS2 zOVH79`G#5-?448nClK4t4rcUV;OBAH6JhdmI9r`YGkvn$B8KBwrn{*jm~^KHnl5>h z>JBq$2B6JOEwZDUcQiX=d~5M!yo$@h1)4QbMdS+@ka+i1VBm-B8#FmNsmAC|z~DdF zN5qccKe!Pn>Y*Jj3a}mwX#AeMBGm^AyF#04H@-)U98&@$TMyH)(E6LZ4}m0!&&)+z zHz4n=|A)P|4{xGa|HfyM3}n*mCcEvX-L#u#0|`waOS5g#CbWT+rqBWf3Iz(ZkYa%X zr4%Rv3Rs{(K@?O(P>`aaps0u-D5$8QsGz8*_>PE*9#mA0iXy)|APDF1J?A{%-}BFN zU8mPo8nU}HJ8$>gZ}a(xqP0d(TVub#bf1g(7Yz}kVE1MCUN1QxU~?GcwB|7K8?4(> zo!mj~t@R&r?KX&G1xK5=`C9p9Ae9;i=kNoigZ=5@H>N*$1h2^${*ga15O%A(;;sr)&zKaihO%zH*Qh0g*G{Q_o#5j&XF+J z8OVg(Mg4~zKIoE7&9~wkN+I=V6Bm}IZfK+CAitg~mbOd5W*z%F#rb$7SV3oc4*CUc zO|%&WZnHW<%L!`%RTjJJq@96&8g4rByDI4Hs<>M8%~H3gqtW)a1g2hb=xnL1>lm}# z12mZ*bJPIK{8rCf6y!7afanib=%jnqY^sKPaBFAW?3+jL5Z7`Z1vojjg3H&pU3^ge z2yHGvvwuLo*Y-`2&arnJ0+ZVu<0M&`+NMJqH%Ltu#8Ud@tn!{ar!cMa-TjrH$5Juqvo z?VyIXm>Jhe{SxK>TJ-|*)D0SX4(*7dxrtc4S>v+>nl=08La=3?X5SP+ zRGTy*k5PFIslTB?>yYb_guq-4|6?}S5V%Rh{+O*>KrFjPR&EF^(XhJ{Y+_8-BkV{$m{iRCzFa*i8wjo7HNz zJ(vh0`@`f~cWd*W^$pXg)Vj#_mQ z^ka|5~;Z_dR|UvcM1jXbz@&MI?gk48}^v7%!52K zLyz0Ko3O&ZZUXZ942&MSH`9_&McX#BVgg3KYMEe|%?!m&?9I?At}?S!+d#^*7NP(HHab=~xkyR(=?Q z(yNRAK&oSb-?pwD$oEc&%i$#&^D`rDih;(x4_qNQf!fpwvu-SS2>~eUS{jQyzPu7> zZmfWI>#_y=9rcqvTyXht>Wvk1R{87j6FM%w)p5iMtn==$n7zmW4M{?u;wj&IhDY@+2?T@i5%iY^=qsSFuT4=vyDurVISifZ*~o&+^@C?mY~n` zGxg}~;8XyYEqhK+4cyp@ah{*J1(2MyM0~)J8hYeT1b{A_aP~e#zf!=LSfOl3{^Q@C zNAx^50tANP<67kT#n&*9JLFk!1;?1nqpJ4grB&SBGea6$1v-LZ<6_Je#N!Cay2Uuu zu9*xD=Dzy@s6AIK;0(&$Xl@(L>b2<2;V6Ii@{M$d8nc%EhUlHtyI`88qFvw@!(QGt z%B;Sk+iQjvy`r-YPJ~2^IY7(3g1UURs(w082Up-MVi(gR8`L|1IRkVb^-dJ{@;c8i z+*Uo^?Alr7Do@#U9n&5K%K6Ft2m}Nf=b+X_v-41SXGgCQM_0VFOeenOU-z{FitP3GBjHg6;{_cw z`CkTJhd|(|h0LpE1k*KwW9~d8)dgNB>_ldlBe1|28r)DeNCVlO>SisoX6XGonp?IL zln&P!gR6~&DObi}@m!e)`&+=j)Ex|zvPDq6I!HHh7ZQ5xcu;5gV63f;(Kny#Q@ViC zX8MZqgn{92dkO&?((lRyN~^i~Aj;s3{dIa!M<-$!F|I4PABCKW;{m0dpUcp17QC!i z?l3vl>9;Ngm-8~cd@E92)xqGcfGgmgtnSfUmSorx=$02?gtkL&Qz;l~+t}yL=ohPj zV@GnHPeP7SiF_BC*YfIk&iamQ4J6ufljt0_(hOiy66tDrixaCH#XQR=vd2xp2|Lj- zGLhE#_=*PpX_MTQ%c|Z4`x{*b2^rk)>?>w8#@e03y~VZcK|XMTGN;(~E-a~E(xIo2 z$4$&aDuBT}=AeTo2hc7%sr5}` zLh2dSw@JMR`NrGQY@8Fotg0Zzd=?U&ea_)C%p#>)V|lXaDw#u0kx|(X%6XS0kl@XxqfQP3(q5+kI*3 zOB!|>04XRnh;3vdtGP6G4}bcYPlaXnbtD5Ft}CxPodTNSG8;Ytlg8r`@mG+fc^Kip z`6LJq;&1$I!0U{^0p}Z>Yy6hGKQt-nsDr&eQE+k7A(S+=HKy#2dxId`qMxuL)By!Y zk`A#&T&t3AaeoHGz2$c?aYH!2H$as`{DJ8Tre0TJBRIK~O^^o!|I23+1R>I2Xj2A|E*(GUIeOG|lR)aom`zm}+UvZQ35$+5#$G34;QS=MH2IAeWs6k#;!*XR}M@TzU4r6g-OFX=K zNF9l|EQ>Y;^N&k)$wnxq!S{`*Yt&0s5)4&bzxk08^S|TpwJN6QlQn) zMgZ+fRT6PzQTYq%aLi8Mbs@KzpO+?BL9-8a=PLH^{UUnWdlQ%Ao1zxu%5mWgv3H82oEh33O|v8U8#JoVZw(KtfJ1PO z6PG5_8S%fWlSIzLEIN!^^FvmKmP8&B#JE2j!j3_rCQ~?ZaQHFWAO7Gnbr*`TU;jzAYInu-4c5l?wF#VJdp9&=adb8}BQzYjR&X;A zsfs)zR$Cr}TpO=+>bzQm`cICS0tUU@mHt5SZBfLGa?SU!brQNKRNszyo%WB6IlLjz zrEO$vf1A5Aq-Bl~Qs@aPR*%(0dUGm%7YLn|W=){5ZKPH{&fVL`>f0U~VBlO_At+w= zpD2{?=QEY}TsI$5R|X`RNp2o>&$A6u065z_NF{nLqq+ zQD;>Ax^++ij)_@ZHFzyNH;eu$+!Ub|sNOL58pwzUs!I@Gkk11d;j=^WV9&>9ajhj{ za@=nQBqi`54L8{awgWbX!QdGyQi{!Do#2i2l)U16P%C1?a3^lEGS2L76YBxi$K-w} zc3YfYc(<@ottbfgiR`Rd0|@6^tEQo%Q&_$QW<~xmVL?#{om|srxO4-AKP`NF9vCtE z`=jIWemdo;9;gw{je7bDaip4&;tKg0*RK#(biXJT1`aXYLoPpG`X-vY1c^PsDj2(T z>XAnS5Tp5}$u6XaBXrfl#&3j9t?65i!}|FUR4Q(9lnA+p=Kx!mA2ly&y;TSvTmU){ z?Bp}ut5LRRR-WxcU@=$=c=y+reTG_>pu4;i4tFgYk0HvUp*J>_a@ND|z;O`B3_rY& zTCHCjDPxNnD~33?aH0P57;oUCEcGdRY_aEUqkJr|4>k3Z=*ztaa}Pt{w%<)N^jeUOtg?^dGn> zY3VA)J5H~4Xsv2cV`*cMZY|Oo#LPk9a$VN+KKjafMwR+op3-xBHZ?<{I8BSpk#guF znrao|8HOB4;YPKmNw6qS>6Y&vv@vaCH{_By&u{vwt|;&o3e3}-u9S&uVn@EI@J!p7 z&BuIH3w~4eW0U#`Qua`FCvwjrJt8+M_uyC~o+3zndb=mb%0a>@>u_LOpdzz$A+}Z9 zT%U7}eg&Q%C6CqT>D@B`Czpa8^!Qp#yg z>1t%nFjV~wxu2qVbQCRsdQalYi24|cO+GdaAB`;ad=T{who+3Poy&&xK1oyUf-Oz6 z+}*qjH@c@-GE1!=jT`q9veYKwT)YKM3_&U-rXYcV+MSzf`yuYg=}@&7jmtt+hmcs~ zoenHi7Lj9{?UE|j3LL_=Tw|fDC9vI-1pc&x5AcbOM+anY1 zoQyno8rii|T+Kf2m0fH@0j+R#mc{4Se1o!A7-(m3OZUkShHWh}#)~_nJ(b)Y+#~83 z1Ua~(Cx7~FEpb*?$036VFj8@|2%@oPQC+2P=jjcl?C)2qA;LApsmv8R1>%%xEAN59~txs01~NKKdxM z1UGz1lEoEVrEr&{m!G-|?nJ(RG(AWmxsV^#0pA4~0Ywv$JmmB=&PEzRz}u$K{_{M& z=%yE}rxJu5=^VWUjMMgkJhXM^2Jx^V(jpabgAQ(noH(hNOJJw6=(u$%YrRzrbWM#3 z9zO%gOci$dekoObSrbcy*k|#6HkBF>IdFi@b8583u52g+GM)U<*w8mkw? z(AY-!c7i3)7exAS~~e z(gOt~?#O@CbDN%3f(kEK>Jw+2*|HRlF6?#LoUhJo`vMGB+oyn)bA#mZ`fOzxw9NBTk+{c`Vy*^!5}$3Q*VE%R&uMOAF52Gh=t|Fn z$DkGFpa>6=SmmDO{v2eNU)SwIvSt(eV${andlZ0j?euAe;^Ls2sa zV<=+%V9eg3kDjC7hqJVylR|J*qhH8XWnw$dc{Q%NOhb?nZHDBENv@mBOglx?SPwIb zg1m1F3zbUkc8_RNM{2is6zqXf@Q2zPM=Ok`+C%t4v1u^PuWW$SV)dRR@u*E^y`(Ir zRbJOAqwiHztWd3Mo++jY9YX!p;Bm6oR+50#0tl98FPN_lgp;@Lb{n`JhmL5Cxo&sm zwaF+x6XM5H<7YQ7;JI8riF)~nYW(14M#j|1wUZ{)sFy$a?H9iZxG$YX&2nG)h^->q{^Dn(s{E+NbmoFV@z4%t~BeVZ_8AvBCJq>3~ufBW% zHvIBsSX@_J{_8~QMY!Bcg#@l_<5lgs^6AT9=2t(QbLGR(UEZ*La^r*=KMd0qRbK(N zbM@o7S3d6htMcqWJN{BP`?4+%m@n&cE!XaHIQe?9?h94@(>w@XRb}R%!+%BHR}Z=` z^NO0U`1o&L;u?iqZcFx`b>?0!118_)tN*Tf*C_eoT)EIkmy5YpC70{FcE??#i?^+%9 z4>w$H?UfVtaw`K@&%3{t+eLh-OUuo7Y0+MMt;_4`AMWyBRrkN2{ugh*{D#+T&E>2A z!yNmkDlb29t>P{>{HodXpS{QbqTs6r`wD^b5B+wPH1l1O?l2cFiKd+YbJ221MqI0q zf7z0MyQ=?H$^ZXW^}j0l-@Ws{yneYOuO9Y4-}cHbf)VTHyK+nZr@4N)qJNTzARDh( zoR^02%1!#p>%PA_`kG7gA4|Jb?_W1x-Iyz?ju(CD_W#3O=+caf>nv9Ys=oxo1qlGV z^6JiMUHS+uzw+%akI_H9T;}CRF6{2z)GLSf8VmA@ ze!JH2UYszn(f_G3{NuX3=9vGxhyH_!@b8N7U!F^U_1x97ytTuEe*&OINPmVdL86r7IVBl`cJ!edXf%Ye}o|sdDLo zIP=J*`{Rn{rSC70MO?lTxZ=vykTF+jj=n#edsUZLUZ$10>g6u%`5(t|J6+X zul;vvgS~pszx3@@zKScw{sqJLvKDbI1K>){=vvn=Z|zrYpO?SAu$x?EzgSz z_TPk>|H=LFAE=9$6`Oxu#zpn!f9p;7&)(x-&a2Ba;7VE@bB|KF|ZYgGrD(SPkf7>xhge}B%7zZ{EBsV|F!?(fr|gye{luw z|6TjIn(0#^wq+5lSF;uv{<@rU#b&Wv zW&DN-xgLJ&N~5XGsQQVc0eAHRMC@j4c^tcTy!n>Sb@nja1@_VvC0$kOHQ)FNSy;#P z7IxzcFa5rG5)ZYP)l4X@pI9@-+jnrpTbShy1d`y}$keHlB`MRZX8Bc45jz=u{_IS^ z3{fPDK07BDSgVqJUSDRe55AiubuwlJe2JxS;4d5amKKU$V^)r8VmgUJ!Abs|0@z8!S$A^EwcLnwFDsueUMJXsL%j@$8bK;*ey;-@L{%~XbQ+B4BRdfIf z&IyDCWb}EnvLT()nC;8VEPWE`q2$tq$mq|_%n1)i#w@Qthunid_l3+*h~GzEkvpLJ zN{!JM%v5oA2y~jEg}Fg^MwgrId@fvw^f_6%Mct83^_6VFdNn%$Dg63iFcTkxeh!qo`iksfU`N({x#xB`@MwYv~lNF5rs>!i$jJ2mSU%pdnsbb}+YQL?H9R zM}KZf&-f?=va&NH?Qy2~2MnFR6q@eOEz8#Gf08NsRZO8pv@@!bPYaQg9HY{y@j)jmoJ4y+*7<_+&Oi~`+k}GA zZQ)Fqq?!Jbw{;g9bGJs9o7sFF9v)l(OF&g2xmK5zL(XGw-j$06IDE2T(XS`M<|`4m zVSy(8*EU;5u~`+*z`rY|}tb zlAyIL**AIDaK)T#Pe~HftoBrG8oThVlT$-x8@c!OFSVMcZg#Ui$5GH>rl zyDv%AZaX@m=)S{aQ?l)Td%&J!&LvRy18<$0_Ox{COUF-7Ps+3BCxz`@wNPmaG$bWr zFEDo}g^uO%a-n!=*wU0DE!?{ZzD((9FSeJY^|JRi_em=?_f6|(?yrT0h1QflkTM`` zpuL>HYs}mOuQefX_rcNI%oX;bNyCzcCsn#$`|3)0s;Ry1qAWez!SZdQYu#rcOFw@5 zqAdN7hw7Tbb)-<(8xF)m!Y0bpX#u<*X=q!Z3Sjgc&btJ;A7@2~|G->%P$Mk6k_jP2 zf9c{Syl;doDB~L6!t;0F>;9Z7S}j`Ez8f-YZo)|WLD6kVFj@4yQ*>sH9i?cJkoGnm zNMW4KdB8&^QIL2rQ72@{?FgSZGXeV|Lk!XT*Pq~7N({fvST~I)W^!plZaib z9Xr>jA;ajs-%W)1z60Bcsc{xJx9ZAxs!AU*ss#VutZzjY62w4af7Q$FzyB5l8 zYi~nVt>WOPyd1bB^=-4V%Hd~G{3k07SKbA+q9m*>EX>ME(Sl593$lTb(W9ZBtgNgg zEnIEe6W&LF_7L{|Imxq9N2zBx4-x;^zm`k z#>chI6=MjX^%s6%44=@z!ntY;|70&fSC8R8e+wn7#yziGHFlH3y-sJD z4~!u{Lr*V)e_#pybF1P#{m?K2d$1l&!~{-AbjJxe1u1|BE>+S6x~XHSpD{^xK=TF&GOh_bm280FgtxKB zCf9h?(0+t!$aBo20C6hpQ@6x1*xdncV(2ImcSmZ4d&&H8Pvp+wPK{oLoErg0z4*bv zUZAq}FLdVM9I`|l1Bh*cB}I83rc7j_dwqBEuL@z4RSS*T}@e*hiXhTvaNf2Kad@vA?!$3Iu(IGTRTpa3#N){ukiX!>Catd$) zxaYK%%iTmjiH6T=nzrIjbrXOq-BeJGZc0+zf~%iOf4~CCBuhmrFm98@ zI7=RLM31-C zQcXSB)HNR(}$r4PoSuimR1alY|FyS1UaFi_LzM#E0mI--#Z+HaHA<1r=u68Qs zNOv>Tdg@t7!#xpe>5w!zR$W~?byIC@O!4)q8AZ0iianWu2V!-` z1L9nDUUrQuf<+8aYrG- zGb0le81Fr}7k&@x4}|2;nMYen0zV*mcX2Q26FfBZ1HzRw!@ZXK*|yRU8jPF-fWf!{ zG+fk0<6T1r;~Qv()I+=%jtG%Ls7=~ND@W%dak!8lOd*Ryc_;|D*)#|5WXywhA>GFs zi;oPDv_y(VpNv5Iux*B3U5=z&@*^|QvQXc|bKTJl=Ui+e zZb&YNVY>+jiK|YH+F?r+;Y^LMT^PUIvC+6E$>YZC0Ha$rd*jBxF zj*xVsuPal3k&8n#F}AoM83_c~W^NMk;k(d8ArZe2eixlMNIQVI^p-G7luBgL>ZRT! z*HUCKLR7pHnd6ydkkUy4tQfKyOh90+o#!3Qb~1}6Y^jti0w6?A4&k%TUpYa{^_SY7 zWCacfrKxa8C{MQyFMSZ;uqUtiTcmN;Basr%Eyg3CI=j)^%kFK12LZ-+U{^mlLU`PA zg6`W^)Em{@4NLHjy6NFQ2ycZHZbDhd4Im#N^;=B?%3->Iya}1&;x@o3J@TozNthHn zPO<{^NPbsH9oh|HnZAZgY30cpfTy3;`a@jC6{MjJHNb;<;9)V_j{`cRVxRX+9%Le5=TqaLHxQGycikCAOcED~Nztvi0p|K~VF_a` zx*vt%`6r@+|49H~^S>!i^B>0TL|@HL+!eR?&M`_LrV2JQp;oPEZXTgm>}7mmlH(|E zDPvTN7GwEnJ8Ca792o&tHL;%hd3+TosPeCDyL}|LC6NSka zncmV-7NgT?p<4$KU~Ffju69)ECrJFgBv->uG;wRhdb)yZ5MPr$=%FHWf`3eHRqP?L z5wDIegj3FBw)-_HQ(RaEM>%d0)3HHZ0BdSEu{BL%t9ZPC<1C+>K#t5T>yE^kKm@BU zfY%_`$$ytm5GJtKJmmSJFruqbebMvWiBD^X97r$LN@e1AksqRR znGFr?3e3(4G$wS5J+I8yFy_{+GzL%?)1iGfIu3H{#l!-CTd}8b6Qf9X4;_Uh2gz4& z0=Qu$H%6z0CZVb<#LV|U#+apY-%!0%gNKj@)JfWz zaF}2mmnYrh>l4{Ti{(QRBphOr)l!Tz_f07R0W>M}GO~Umk|8B~5o~?Z#_EAcT)}KC zIgY4Rr!*aO@XZ`vTJv)249c(4UM8d|{yc0$`xd|nR>vn)vU1&(ceDg}&xG_-_K*e6 zy_RMnfWxRK3Am5&w#YkPHwcL{RtbsnX*gq?7-Xb*;Z(%!2kv)aZ9y&)tYQvKJ^3+a z$R5Nwq8%fv!!r@7#Ma{ZLT1yeUhe=K4buh+8nDx&ve4PrOu@A$a*Nj zbH+ep637##R<^5Lst~V3Nv(B<3-}%=FLSAn&s71>_y#lb1R_wcN>z ze(7%NmRC!FM~O?F-$*HRGaAeacBP1;r_mFhdLBoB>7m-1O0#_Rq}f%*(~zw@XKrY$ zt(oeXkj8l964N0(#AVg4V;864UVu#NoH?-zVkQQLV&~^>Hu`IT=WSo|q>Hl`$IES{ zJT94Q_Pn1)9+Vg0EL!ZGCDh{-@vIc0UapHjp)`m}#t6nSW0ggo^D?DcA#jZdX^!x;Iy+1hQikuQPi`~ z8*Fug`1i=y(Geh^Pn-fGY@1aNauF!EMp7UbK5;0PgyF0v9DkPH<{wDF+2lqkFj_=x z{Fv>kX(1JfVxS3-MMuv=iWPC=xdQz2jNb%{IG(5~(XvmN_!&vXUj~!8j`HI|i8PBo z*uNiT!GnrJ#ovb|z(EKN(}*`xA0DnQ({Q-}$^5DjKZ0sJpHqHHh8}3q_(K-nCAu>7 zC%-&$>#25ZOUL*$%EkqBELVgxHu=2~_JkoW|Ep-nBP;hkWEpNH#hxKnCRG~0#>P#c z_pyuhWH;!50XTt&2m8A*i}6}K-#N{)htlG}RwPXlww7j~NC|dGeaS64Wmw&I*2*i1 z8sECwX&mbcCi6QJ0Kq>5=;lz<*7Nvh=2ZuqEYCVV|SAD`nH{Wk9{~HayMtj3*Chr@AK;>OdwL#2R43q2W6m+$t?nu_RaYz zqB~N#bT-*fJFXav@6jnmOFOef@A$w}Tz)JA8|2@cSB3;#V;9?i&e$8eS)&d>_y$6V zM;bgdpu=~Nk7E=wbD!4;^##vq9Nz-&>4Hs2{iID%H+pPMoD9wKbYkoWz88ZZuDM@m zD6!!9M9x_ncHR?6!D@dLtx^6+_sy3(IJ044D%Q+EIjVaXFg$$o{Aaj<{(gwD=A`kf z47j4KMFaX)DIq8I&Y-XgKtkNH-X-6(soB~mz+{qWr~)SD=pm?7Mb;t-^5u`3nw2PLlXok7WBO5ke~D1W3cQ~ z6`KYQPS3~(UJt_5?99ZZxDpd<)`pe*#dAedUCIr5g37h3qu%O zvu?ve5(L}50s!yut89B)43m!F7-+7MJ($Bjtf!0d5mqo6!G7E9-PE|SrB~}gA+h-p zc`z8hQHT40;A#FWl!WTq*UhnfL*=)}F~qgs^J`BMwCuLyWy~OICk)`rkjE=t1*?|W z3hqFjFe8`24ECDBZh)WOw3|ERzl}^F$<_}gx!gU+^_0PhNmi>j&>iDM_d`Mo?yge? zoth)>jWU* zw^((Sx-V^qSenLMSN_#Lsd?7ETj)K--w3|Lha?9FU=fy4Ca{LLXh~H{O zAEDw(DZS~_6Gf2)5ICZ@hfL&b*D z3b;cUA|F$KLJZgZ5FLkkF$83P*cK8rzOMo%Ep|7Ul%GS99_ZDjtvu&;%ri9aqw~Qj z@SyGSb{toe7if?2A7syZB4-bSb|`&J62(t|R7(0lN`-xB6E39lsR-y60xxZbo#-KO z8a)i3x4>@nNO%U49-*n>$y(CvUI^ME08^2n{-K40CCbZ z04^v|QSGaPe-jLRZrIT9O%<<`%sbQF}en)i%Rur>mu3&&c^`O{L(3eOUTNq4}kD-}&-I!Mya zd^D)sz?{_j#pm-B5qXk2-_|JuPPYEGl#s#nCs!BGCSQ!)(Bsc zARRA&rx&pvHi_KmS;Vt-2`9JuD)9=W_=gkwUVmU2f}J_=2k;%Q>K4;6PvdzY3upsS z_u=cE6}Xt+kN^;Ku0dYUX;Td^_m?|BaE*P~s0aujLW`|0W`q>IWvs0QxPY6UcO29+ z9GPJ2tdHFiyO(AiTR&^bu~oza)6llqAWC}#!B1~4>xYU`QD6WpCnX;_w(125?`|r= zuc-nO4-3h=P8RiykKA4KU7^d0FUSe`ZCVIaRirU^-o~-~Kok3u9Q`o*T~o(Ue@v&7 zFt#zKL8EnyRB|V%dD5NYd$_*h6vT8*OfRyc|99{(cGWCLGi)hlA_;6Lo9)^5Gz1Q#2F}Ff zdEF;J3+zd=6w%2UNFG3BH%C>nXIi;RZ$?7~?bMxI8#_?CK^LrZp2Qv0EjYRz-zxRQ zGP{p=ZxBaf1CXT+B|+a8wZ9Xm7#5~+E>Jdy7NsFEH?Pl zJfeVm3gujn$lBPmMJwBi1932N$A)p?XOdI~uh>UUW1mo~K88qo;0=VmHRmjDTKt;w zES6W(EHZ^zP8soG;XUr_DgYpxhr}Yu73qtPS~VSn(dxlO#e&#}^r6+7y>+}#j#a@X zR5q%ucR9OS4_XwXwCWwjcC|obyV1b?4s?S6l{Pv9b;6UCQbZ>hr^DJ={&MIi-Iktk zG=D3{@Xr`L9TS>2IVufINHCKw>_SSap(uON%@7|Wd2wgRuvu@OVz}?z-;_8JnGjX! zfB-mVSAeo7ZjfAn4Pad(Iy043$g4xZOwkd1k7R~)5K7^dc8K)WDU9_H%YV;SHl93E zT+Dg|DHV65B6Y$jcs&OeocoH&bhbHAxo=|QMCy|(d78pyNCmdDNs-x1Dea8LSXwCv zXmT7U)qKkNq`vgksz(w2rQus_Tt#uNIE1iu+R$rA%mTycFh~@}@mxY=#jy{S&ys5Q z1HNx)F2+6iMw2=Uh2|hzVG?;MQ0VZ6$?eL`7=^5ZguOS&!`KB0cztYt$?IvYFW^1G zjJ>D95i@+lZq}7RU0g3^u?Fx#j&jU&oJ4jwI|DFdI7^wCz-9D_;K3wIi7}Q=MsIZV zUFa6zNOIyDzE?Lg6e!>1HnOZ!7P{_tMQ5px7Q2rufA(N)<5$+NO@T*IQ#)B3-Pa|tdhsYPYGko<5gFYXCQW^(00 zB*FS&-~8vX3(qdC)Zj|zsFI%%$wv2|%3`DXSw9y4((;^TQHCTP8-Kz@U6BKkLE)Pa zPLi&Vf%lCGgcTIth=k5$j!yZ+Gg_3ZNLO1=BYuT^!*Nazu5KOMgN69j_kQIgzRT++G2l+s)m3XXoN$dgl4o@GQnn~P1WZG#Jzu)z z-89ekTOyu|N23Byr=;d$+aW&Ev-(Au-pF-yR=7U*kRCo4?E#`=HD?M1k#o2ETb!d# z)XER(>=o?#LExs5$C5mdrUk&ORlyXOyzgO_duMK4+4^wwB+hsDI1;Lf=#*}|hRLTL z0Ta2iWGpEkD6jGiGSPg&7EK9OP@AP*$p3Lmv8P=&9z?eKYHt;VI6~ zCM88Dah#ZKZD%H92|&-{LhIfL*{wVP;4SjQq-Q}YL`<#snOt9`HXX;KT7HJf%`cz@ zB63`xys3SG9qsAsaGIncQo0gBr;dw2j{^Wv-Do{{$HP64V}OZ_m-7m`p$#)VdzkP@ zMD0Q``vpUK3Wq~7vUTYIj&Ras>B5c%FZQ$G;Ukl14jD^-V$%Fcq^zzey4m+C-ppGK zLPy#qbbv@}faWZx=w~#$8x%$(>|+%CJJm&7kg!I6EtZIb*ywn|5IrMV`rHawE@jst z+&S|1(@St4CMPD4gaSc}j(oJ1Z(>~UB(^>ixS{RQr)#Rg9UI#EI|&I))5n_{Nr$Z# z=aVNh$lam!nC+2(L-d`KFKzfW{C7<9fu4`#I9_(z))}dV|5UHEF}F?*%|wo_sicd) zg|O_i`r+LGRr{f|VvNFam}0 zQD_)?DvS!M5cyEur;-IlZz1_hBb@Z2*2SinPUr)|iG31aL)cw*{$?H+jDd|i6}v-U zqoy|kFJQ7IHbLknw#PRJJ1~Q{M(zp?Lcv)=H1-~<_4tGML$Mc%DPQZj?CNraUl#KT zE8TBpdg2#I>d>VK+qrR4dx(#$BCNj~*SUHX;$$%*@Q#g%;l}~Bm1e3A4Hx83>1{tI zoIGNa^^uM)Kih0-`hZUW(cZE`xsMW=nQfgwn|IM!j!~3!V0#P(Yo;FJfMh5+=Xi*9 zxDo{ZHYZ}u2~EIF$CeqH-cFH^Jc$;gNN4GDD2fwfEz{BmT6 z<$Hm2KJW$cfnB)F3`uS=dRC@=!Eb}zD*+1&a_U{<7A&*J#NahdzA&y}y`I9Dga{wH1dWiE!mB^zTKukWI5wCN0(Navq}ImhflZPP--@Zt zzxH6UU@qQ&F??6^dHzABs?RcS5-toGFf+#beJX!I%>NksPORqMboTjmG!x#wiA1CY ztxZf;U@;=W&=LqahF=06(pa8sAEcs)05Pkl%X>Mk5K80EImx5os+AtAdNGw`>y$sN z=M!f9?wV&{mm6B#r8Z>Um(es!N@qt{Bfo>BcFrqFL0%=~L#wLF79cTw&_cB8@wksU zUFr&Hgy+P!>GpsP0jQ4xdmUKN{49#!#7jj*Hix#T>N!)Nceb`? zDmW9ZfGw#DXtQ0adBWIvuZ3Sr(M0t(E%Si4#}*%M@M{iqIapWlbQ|2!+0WCFAuSkhy&D|Hn&T3$|^^?~hJ2bxIJ zE60e@p)!gbR8t|iM^mL!70)nZ8=iEpZs}lsk!Ku$)h+lyT?N}xn$oySw2M(GNywnn z)pxP@q~wd;?a-L;QKAd>^nB6ScFQ>8&ZPDw)IoRWJ`>~-sBx#6A~$mHlRfqrKz zD$|G~_`59b*Q_%W$N*S~yh0;Y*fHpP14);EmxhVQrF6#~7Vy}U7W~190r`i-hs7-4 zVkHsvKZ4H_0v;kU$}ciXBZTF&$+xt4ZO!}Y^H?mFZsGh;v3rA>hw{6~C0xL@tw9_B zPLzY4B_CdZO;xa)+by$`0`DM5glLhU&?&`0cH=#7vnIBz2)$^wzG?Q_4!4bV;20*C zGwmWA&sQ7pi}A=H(~qBHRE|+5CGNfSkSYLmB>loUxS<2v&LCyaco8&}6A;UW)B~jv z9h*0?FVu#MqvMMecNf&?N=jt@&ix3p+18WWSL;fa7#o|C05lZuo0v4qd>6k~Z#l)` z=a?RS-Xc;&C0R8Y*vXYyc37*k1@s7QnMew zMpA9Y46>F!9aX~HQOQlHECZ2pI*D$^E;Q77i(^KSa#G`nnSmEOR%UxDq1JK4NHTN< zwJN~kRiR}}6+0l=)-AQ=z1V9Y9Ag78S8Uo~wLCFa3=kvluGFfxs@!u_%n zoE+rnF7IGzt(Eg~J@bj$9Z^<#l}u9m;lO$<%z|*oIRg@kKG&aaip(eL2+!UKa}`o= z-d`0EX4l@!jG{BZiz2EdQshO!a{)(QDL~}TCXz5pSx4k%YGW*zceZ7cg~Ex?Bl3%L zXo74DxnE^V z%vi1Y26zByO5OGJBm}_T;yx_a`z5@+|C~yRyDO9fK|UcE$p^b>Z9Chld@^S=pyQ6h z5$6z*SJomD;jWVtJYVFJ>2=41401gXB}16cQc!_h{q+8)ybrg&s*LSTej_bl4_c<_ zo1S%egve~+PWcIjEBaBxCmY;baQj``%VnHgxkXH|3>(DuOJKTDjt|+g$jFKE+DZZc9h-~6 z>=$Q{mZ&XwDn4{#h?;;nlUX2k5i9VRhAvVTDTMGPDAfTZEG&W)p|4w?n+8ceS~3Y| zI={w=;A%|qe!uj?79{ScT}xg@&Q-o9(Coe+Bi{~jTKvfg^c051Uuy;E)Fmt_kf-zyWOf-U()82VNtn=L#SqjFsOnkSAnV|OGgZxu) zW@C524i0~YSZfx$fh8$(i;$Akw(MsJ+MIYBeeXJDYT0W&&w79Mq}yq_#6hf5ZMD~Q z2=nNeA_bTVTeoB;i!J%MeJ0@bK!2w3j`)l0_U7JLTGpT)l*{8;E`#01#B>9&5eq*tg7 znUdP0M?p3>(W7n(=|EM{!pw@|t`~O53$M5>G?K+_npHp_}lzw`_xyv4&3z=I| zmghdE)PwlZHg4mL)m%r&Kk=`Iyo>q5O0EP)6eH&3ng_XV1*0*xHV+Uo6=1QwV|f+8 zK^F`|>I~#<5$gfE9TM}ErvkUMuW`B>(ixMZA-y@&*yS1{S3o6=Z!wD z;$f1l`CZ{2XXoH)a-A_h1I{0U6@u>z+Sd^hOngLkkWS=M}K(Xa>Zz^UqM4EQt4#CF@ca2}||2GIAY z5f6>>>`8-|$R0A%VPcXri4lY;{Ef*{fi#7r_Nll0nqck9*Sry!o?q4p;U$7ss-W|o ze`~!7Bj~i$> zv(tUu zFx4z_Je5WUZF!9kTLmkVvptVa0fpELX3u>1ZHBzIzKB`KKb=}~R?GD5Q^p#Zy8E4d ziA^qt(AAqvtcfA_lq9z!IS~Gbus@s6;6Y5#I?%vbj=fjDLJ-gdR%`(}Mly)3l)nH{ zM973&FItZE1gF)AHLti?SW^qzyX$T3qywEfcIhu$&r=B&p0s@_DCvvn5byQ$>6#C% zv(rwNdaoy<+|GHB9Cr?*@70!)H{q}bt^wa98EXxNm^8;tHO!QKT41CgQ!SeO(hd^Y zWK08tgZqW7c2ydzRPS%g%mX^pV`;#r=2pUBgAaG21M{Pz8_^bUll*_|y?ay>SKBwd zH)J3?VFo5JfeB<_0tqBSGy{nw3KAqJD3qX};4vyHDkvzPwMIq7GghpJ+Dfa|bEOqq z+iFGYv9&E$t=4MQYOSqWZMD_bw%-+Od-s0sdwt*f{&@d+*W+?A$z*2F%$}KjxUS!U z>g)N1iZNRd8RC>-1t{%P{iz=88R`g0V?(i(iW{|xQX7@NOut-1w62ErQ&dY;Ep7k} zEt$*%mVmh_=aMk1pPn9ynEGJOVE8tK8_o1qY3GU!^g0u};p70xiCgcR<0HI#lddplb6O(WvS&84!CQ+xL*PSgh9}#}gXl93P z{m`joRo=BZa#pp(3f1qq;FH%~;g9R30~iZs2cdpUQtuc>Pu7Za##07cfZal+0 z8=~z*_YiB)5azSlIL&;TqSDR7du;lOoac(DS-2}s7xv0;OuMy`icy&u>U(&Jsb|z7 zHpVU2TB&yWKJ-siJ2I74QGN4*DTkA#PV2W*w~6J%xA-M8hUlpj@(QU$1?D0CWi!g3 zS4|G`WHF3#eS&zWya(nDT~vI8@RJI!CC}n+oElI%s@>s0_<`=do_N3s1?JS;BYr4# z6s#c~A0U!abhHw3LJ(<8Ruu(l3)rt@<~mzus3${Ggd5cY4;Ea|az=rGEs0_oTNH9_ zVIx&FazhT$-!XVtV%N=NnJ76+Gsji5*>P*MPPfSPOEB=l*eu;t4%+hyxoQMEpqk#~ z>DZPR#$z>9HcUfJ-Ca~a*KM`}uf$i4&p{)pPe(!KXNYEbP)>`p5Ua|GYcm_VwZQon zrMj?-xgV=-r+Y#}4rjnxUV{}d;9x_`-XegxnqWwiK|C>9`8=q*b{~k+p8rL4+4Wg1n0~AL0rC7mU(yI>#Br zNmK@C)${A9ZQxqYrQ#?DxUw4L<_tYNt=+dyc1^QgYRjSd;zS(G)E$E`Ku?moQlC4B zo-xDw0MSRhNp60GbnDlY^*kYXo;9zLYfjLaDAH4|zT%TZEmor=2k1ez*VjN^?jw|` z9@YhCkS3aKy-5dCODh2p>=eJEE!5{QTwwx2&=XB|h8@lolt z+AVq$!aV)}$MN+$f2NLeTm+=$zN(?F*9FLbqS{{N=c0ige3=6|T3 zJ;i{>_+*v-eeF|GkN;TrAA3I)Z;bg9`QL_&_fdmk_sU^D{J#%k?)x@kq>qVE8B;#N z_w%270V-rzqVM2;Lh5~h|F#|e?f14X|8tABGX_ll-(~wC`G4=<_UnI~Q`>R=J_p~4 zJ*|%ax#3?2{Cm^3t1JA40#al(s$p`u67m|N8ppzW=k*+KTvRE&RW3=c~514gR@D+sQ+@f1ehtc>4R_ zYo4A9`d@D4{~2!O+>g%wL*Od_9?`MYQ=XES?rosdTUxQ<_jk|A3|~9}`jQPL{BP^> zuNLorTbKV^T9^Mywma}U=1%7K6<-K~IQ#+OL2?{V-A!0t^asG>kGc&m$a*LIEXAR{N$kF%XF2 z9KfL&U1kl%8#D7T?p+OkMA4VP+=FXmWy2uN#^HxRv}j|iB~syNERdVj^d|8m80S6? zfon7iv<4?EU5L^!QPnZq!krK@zdp0F#i4i< z9hx&%oB~nhIKtun+;WI$LxA-;pd&ealf~J1v#gs3P&(V>K-LC;UJuvHat27*hLARX zAC&-}P~-t1&RG0R(QVk9ehn{VYp`0s5u&Rd$Ova6pwE*CpI!n%LGu=r<8i7SPDE9T zO(AW4kGR3^8jz-sE=`fO(IVHB)TcNnmYAZR61B_;dDCh$OHT5ciGS0&%FG%dVyq!l zXPH?CRwOlHIKHfv7*Hf_AkR`lc@c?5vEYZ`Grf(cth@nVrpAzg`aNmM#s^guq;o}Y z5?R%oe}H3PTJR;r9wyjLUT{*!_!sg8Non{|tm8iC_E5{4-P$==N4k?(wnZE3BYFCU z49#P_9R0bcpL3}wZ(~s5h#a?Nk*zy&zVGT^Ok>gs#V5V0?Zma(Sv*!|)@QdvZHz1W zG!HO>q--PNdQ+1Aa|jG);yawlF%z*z@S?PO99#pj)*(*R^bJ3mEHTzMe&dyy2Vl{u zU*i1<^LT@$@qPy!mb(Yx0`?6YOFbf^@n-#%hHzYNTqa%tPuh?+_FZjd{iQV!W#S#I z3Ku-(Ky6B3)zk;r!?HLYxE*TqBt*)jcVr|K5TInb1b?Q8$>u`T_+w);8%66N<@F^(7-2a)bZacz9v9*6RD1UiRD15{!j70q)lbx}xAfkcW%yBnleopSmVQ_K zG=G)9Dp4*?^vgNUysRin!yl7y=MM8-cDyE~BWOV`W1NQ{2Bzos3_0?xs{=lgv zGkk2L=5|>=w!g5vVlR-DcL1`(cn1$Px?d}e(LxUtb4n-*a0kp4&rSCW+61Z1~a_wk|TBQkut z@}ivj&9#uv;CkVW``J<*qPmjbwL04_<&>_*-vwZ8F#Hu9Pc2c8RtO`N0K2E2qv9#P zp(kbC_sZYgoLaAmW9q!#_nPC?XBfv;nL3tk^a#`CM1|u4zr~qNjB`rkIH9Bb>?xLY zeob+W7DywJp586&c-#&bG_KX{W-v#N;ul#bQ9(cifFJREy7y6L0pgA9w5RkH>H<9X zbuFLo{~0eLdjU*5tb9ji86x3eil>(gz2%K}YtEo*bu3e3fx0d+da7K04n5#i;lde# z#>>1hE}OTQEUS-WBIqS^^s(+kq`h-p&J8N0;VW#bIbNouR^xH?a>~M=r-Hf9pawFV zo}jq&H_QK>Z_OWP56qi?g$l6fXjJSi(H(1rPGY%7=1GO#tRcq0Z( zImxD8CS^67JyJ!VoRc1{k4teD+D#nKshuaC_c`|ddm!zz=^=P&QY?hzT#K=RUZ7S7 z;RQt(@DMJ(YAUyYV_S|fs$l6mKWYNb2i|JVTyGb;1_IBa@|N?3W(-S8%$?@z_Ni0^+RyrXRgva82#uA}aNvZK2vXXlyGk_u; z1r@1HhB&~;QITlt!%XOU)(Y`3|eJxYPBHTytC>kq@!gA~V zGY9*%JT#tS&Jp(|ZV=ZKuJ0O-_w*I}<4TP@0`Jy_vft+derzr~5<9bpB6cQNwBj!8 zQQReWsUJI#?amK{#_4F4jEfges|w%r+uGaqY#^{oTvKZdp7Hrh1D3A#Ww(lMnOCE7 z>!ofvleKJ4jPvNu2jU#UHHNcXwA*Pnt8fel`FfUv$PoORdLt>81?oR*FM7#H^*rW^6N$McCkcg$=8{54PE( z@vQO^tY+f@Gw5!e?A)dwVO(0Jc^H!ZijqonodTr4p>$4gLnvnwV&!xZ79EpNeL$uT zc_J*^X{~h!^aIa9s{8`2$5CV$VVggJ*Vg50&vr;#{Bb@v%6*#s(%m;ltonu%^bTne z67CRE%`c)%)Ci(!?uZxH=96yt`xeW?3FV(iq3BizXS*d^$cs(ia4+J|`C^L;f^17k zBx~kkSQbV@cvUOL85Naea{dB;qG6Mr^-?lwO~F02i}46|0Zu7mq=LZv2e_?VJif0V z<_!gFK@cpsM@6!0xUTRvsCx$q^Jy3idOV&Nga;Zfikn0Ho> zS(amsm(8gtFZF&n3FhbOyHUSkyS0G{Vff#!T3Q!kO;SVcDDSeyIy$2E78vqT5tewm zmhP6b-SP#V@0fV8Vqd|He+73kg;|mps&(+Pguf~GuU8$gJuTE*%zI6*9XuqR=q)j zvkxG5JN2i*nU_%28WNqf2{OQo@XvS>^mdE91+7P@LoL6uEcYG$jOEmE47g8GdC-RG zuS4FGVsT!>Eh^O+$g6~&Ay>z>e(zbxBq${V0{_#&mhseJoX_sWc?6ymHlA0Dp=mEt z8BO<$PEf#NE-42t^KV#0b+&$!bTaKb>=Jf?K_6F6#k)Sh2KP+bkni%j@%e`eU^Tu-7@cu;AS#U^AVT+4VDoJExvCv+Hzvuc1 zNlGkM?XZ0yW0zT1;AkM$p4R`t#SgrW%9;c#SW^P1;uSVjcRqq;D=U!OAe}))7ud|Q z+u}L=PEG@)@wm=<6W3~Cxz6?1sCfLn<26(@n~KTohOpYY67tULNv1fy38<*qXIZDS zK2Tk(^kzJ)_m1>V)(j;#VlyYp)C-C8v-+2uRqB-?crdHJ^?4&lKLcH6n)^6b=X{vn z3$nWAUg*RMV4QAU#+VfAj|(paX+vF!-aKs>o(c()jpC_O8Y9@m1U49_5X zVGUa!jAI8nkZ^)faZ}O(<1-DK7X3$*URa{EE47DsuBa<{g*#r)YEAf*<-VA0oDCv; zUG8Y}=WdK(RaUjL!H1t|z-djV>o(vt?NGv*`X`BU?+bKX-A$0@$hnOBS7}K%ORt?x z-U;qRI+S`1>M=hY;VHu1AbpIu3U|P~&?P9XDrryEL+mMP&87YDVg2{&2%0px>zpz! zO?}d6 z{d5;#$cwlL7{H?jbJJ0<-i8NOsn-y8NV{26uu@=2!*@$B;cS)@FPSM`h zFc>qtsCH#~&eXIMCO_py2Of1lkrTKc=HB#(a1a`#F z_-4UZxWSHD2)8smt3H=({8-pZXwFkkEvYZ{?%-~@cI#7edNd_sy|fS4!`OvOH^*ak z5Y?TJ_~X3$dM<{0t!#n*I8JCv$GdW411CQAgJV|?lfhr^9yc%P z&Zf1@MY--~s5(uKLp271zr%kx4icBj8L#WkutwaODNOT$EmhZAArS9-iV^ zA{5Fq56Y+%!5vm}mwVtXrTRN>WWFQQr;=B2jOVi3;hgDea-MWF``0D2A2GX>An4GG zs;1Vur&0Qv3z#XI2KPRrbr)7s^`8Ei78NSD9M?m;fVWY6RX@s1Eg%94>0pv!1tbi%KoWpH2DLS4kr>&1h>+O9|%^1EJTN z0S@x|<3g$uymKjyJDq5XI_Wd@Cn>&Y4#iMU691`q<rQPk`WM|x=kK@=M#uSp9EvYvq%oa*yUNe6LBkh4>=(|KX^r*Vcj?>D}GtT)f4d>=ITx+)GRMtXnb{oH`kQ3 z<@H?ojy=~-w%h%_?t{cVXJ-51;`7x?^S%^7$i4gE+6V0q%3_1i;gDX7En7BL2T3Oq z-Uv!QmHJ~)N^AFI+IqI{c-nU1i~F-}d&V556UR?@V`0b4>7m{ZSLSy0rhc`&*HZh< z4WSv1Z+E0DndPAt~)z; z@yr4RgH{;5%+9>;`S3XVebYGUAnr6KI=`$Iwkd*~p z*`k&1*fBUS{I%uFPr1A6H}$sUB_8SBD?bfbH>0~-xuV~n#FC7nk{YgfQQs8}%H1QI zi-P(W6?W}2a0XS}cSuRq!M>LkWEC6BZglOY9lpMHnR;l=D?z2@TbtE=BeI;Teie1E zFA11Yxu5FOzxtFbym!ron(%=gZfyE&VAGjoO0nsa*bhvf-s6e}&HRn(J9sv23-i?S z6C;My8TUpEm063`C40_P=Y}sWYw;VDFf4XON^9qUl0d`N@x6u(d?1ztbi3NPxGSCa zQ+>NKx8YdS^rGPx%03u8d|~2)aaWEduDRu$Wm{Wuv}DAKuH~mjY&iRJ?#TAt4Vv6n z^16OLtoce+VZg^LhkstaWz*)h&h1U-)^^&pKOnMw_z}a!PNPnJ9Z~Vc!E1E8<}<@D zR=icVVqN95JLON44|6$oV;LekOM^=~(~qi5(`)9`@1t zpI%6gnlSi6_kJ5rQxlHWsn<^k?b&TW%{e@7K*;&B`Aa4)tazTCbZN@Z+R0Z>#ay0z zop!%CW!($&UmS32YoD`IZ#Un(Jni0*_%EkFINNRYjGwQDXU!ac>&@tAZ12G3TQj}M;1q{}^Xi*qJZ{g&oMoKiQsA34XbwCp*Q`Q$;b z#@fkw)t-!B`_A^vn@7Ja+DyZmJf&lhr0+&dhnPUGI?xUl^b8V*Set_pUxlCvMpJNL*BZ z;X!@3Q!kvm*3Mk{++yju`iX1GM|iLwNwKDWGU9`nsc=9x@>)5>0jQ~btj#_V2hjGFMtF~P9-z`1|q0OeIRW#cD+ z{MOSf;KAqo)aQm8Hf}v9Gwl5wl7;{O+SC7uQ5!dAWq~v%rsP!C zHXKL=@l>1^)@{qp+PE#3P*ecg2&)|^5CC}{T$M`C4IEbO;!BhHs?+eQZfv{fdD zeXu@CnU$5ByD>M5%0?6kM3FcQkCtRemX%AzQP0UrvZ&$sS+osU*c*upL~uHzEC><> zP-SQvuE#3&L;Pl9+mW-NJosSv=I}pjJHS&peo|TW)4D!Nseku396AV9{q1|O)qlCx z|5~2~THw;8FvCUUXJZhKo11NZ_rrl9+3bALm}9mu{#Nt zrLakd3SX(a^QZtU#He;Bh2i$=WN~D$Y@H1E?$FOy2$VmvbVXc0JXbcR7xsoF`ikC7 zWy(5KQJK^(8Dely$nrQi7uE%5LOKK)@VZslEmL*CUeY&_}0_w;t(4pbiuFkC(Yw|gP{0d>&-tadf1gZ}5*|E>-?j)QC^)Am}WB1B!Mx|nDD1W z=|5LPDZl&0ZGnYJa&3@Du+JyBvi7ho1nm1N8Isa_WgcHpN6I z2mg34_};x>;wS46L-h;_{P1uWEFjP*4hzAdum|xA3c>!JVHPSweW-y!P)28($h#cu zLghzve&QeeWAHsZ^WFvDF`oSRaTot*GgfquT;Bcqs_u1fRn)y-LH0G)ovF;x)o1AH z`>lZWadlahbt~g~kB+a~)0~r8Spn;HODc2~z7H$n3RiS*+rU>szjeOQ?&JUthHx3hW2_`U?ElmXXWjaFeLq2&PY>69*t+gHnTFHn48CGh_SR+X ztxKtFJH+y&<=x>N$eK76iG#wgoiormz7m)3T<<$D6b)2c!|P{!&y0e%qJR)SLgwyS z_GfdvP_AAZXqf#GJTt3LwLLR`-OK;)+x1`Dj#YOF_x^gnza?cC{VdxO9)QqaCf@(b zb^k3Z`PR+` z|n}{QeXdfXLgio;o6MZWtI-M+sN9t z&6~ZWzszC*dKXIOQmgEF)ySG>FBylDlR6h3Lb;%N_Zo&Et26*MlQIPa_Uv$a=`o;0 z4^006dNve^J{!H>?v4*dKP468#imCY<7e?iV-r4gDpO_(-PdYTk1`r z0s0m6eD)SE@roQf@ZMVQR}H0OS6NYr&t5F^x4Ax;LHcn_3dC_&XM> z7AnW)kcl(2QR!aHM*4(tPyLva1&QCq{%dORyMSfzAs%i4xe|$6aDS$sobPXY6N#@u zbS&FfGIyah4QKN@FabdJCE=9X-W3G8;3h$^KRp&Bi)AS3>U{{pU=2T$82)2v7_yWT zJ--W(8BG|n$>vV5kq0@CiBaNDd`}-7zF$$}C4wwV-gCbW1?9bgY(-m8NAt13x;q#f zze631-h|uENv550l-infv;ggUA0_j%X98CBb@7+APZ$h$qx@V)e$_=4$$P57iGWt z+YZZZc}kgafDTe@SJ*N#2>&5mk%NwK&Id#zCYvCs+Dal(ie&NU7Bw{xz5R-zn;cn7 z&e>j3@JaisOebkzwYjqmKM~Y1^PC@W?<)5%lI9{PRJx92V`>b?iNwe^k3gW>WgCMT zgFLP9DZb$0Z%nj2qz%L2d_}55Ot_rWNEb0f!_syD@aJ+a$~GFQ{9x(G^p|di7z%@s zRcu$4X%6y37U_D3?Qk#}z)8}ZNEIPxdpg!3fsv;ruoo;p7T&_rB+P!wN@lO0`5iy= z7(Zysq|Ntm)dIa}Ei&rZ{Qc)`alR%YuX(?}?KaqcSajRu(h|&0^8A6eSNw5R{x2=y zO|q?TmM{0pL5&+#>P{(C!g2P6 z7_}U61zhJ#HYPem7eweD#SLg?Hv|eSvLJG67rtc|LSlx3@~@_WfwzCGZFUG$fUnIQ z;qSI-^RUi*DxhkUHkLmDB>$XYRc{m;5$HYLi9rdp-H@q*M*XhIO(UC7qcGeiD8(^> z0!}+7b1AZQ7BKHsq&`dIna=$63z{aWQw1Gmo+WGQk0Vj#*{M=*zvcoQH_#=^i)sA? zC|)tx{E=U?o6={#q^?r4f_WEe&ZD$b7o(=q^h6{rM&=UAenh* z&i+1x`BKhB+omy%?+cJIY(oz}9%MSfpz*fmVB=0Q&3@4}g2_^{@1)l=4Zqi1(zTCd zli4|No`XT7YQ5HQlg;+0syidlZc*J-u+uf26z)CD9EJ_5&Oz&6R$WxF1r{s8t3E>P z1+gbut$7ft3RLr zXP_oaOLgXcXTGFuzafm%F*ap{nw}38Z=iM+2k^JdUZT$jd2Y5RdD{_()Wx**khq!6 zW&Gr6EuPQWNZd?@0T=+rT#$^jdO6_(cIai-XNy16NUL z(}7YD5)?`jK0FxyVme%MA)cvmDW6W->`$GXQbCJ0f>Eue>kBavsy51!Y>cK{eQ zX23kkV0qt=8lqneYItKOY1;#_l(pG^*>qU^1*Y;I)qqe)>B; zOn{p(F$b}|@ly14@iKgNpslli(lWkUtjwvU$D0?+1&torrD{YSvO!+RNwQF~l!ds? zC`HqtfB{19v&*!-?ON#|l9Dxisp}81uQszJ0mhBeo0L`0rxvY9KTM$^x$lJFQqd{& zk075*`ziiJ?l9DJ2y!h=xhB+j1obifqT^%DkEpGw+~M52m@g}jAg@agv0;Y3CRSU? zI~^4WzE1H&DM=5ZRU0i0MDF9>KIsRsX(j{mww_z!w-wXTkhE2ni*)49=g2k7M>vW< z%%8WW+<$>w7B2w>&2o_!q;`RpPv~gA+^r1|A;MZ)C-OUaszDD^_D z5TJqDBBsP}(;QNrjQE%5Nr+u)`wXRh!zxRw5t}hE-ft9Sv#v1XBYjPUp;$2eq4+IT z+X^F}tpp!(A`rFNIWqesmK1(1Keg_)e`S7*iBt8BlGK}T;;kbr$)&FXkB*IBSc=OR zd)f_{L-w)RQVAv<$o2sb39Efqn(oJf4&0CqeufR9czJrEKOD;mn(J=Es6v13diIR; z5{R}5*Aij<=pj20J4w3F!`M%ngxDzq-$iV}rfB9esehdIyu*#Qf#}>o5Pkj0^enA1 zM5aHMwe|oZzO#SByqYtdpW;^mRjAreID_yhAqE{C1Q5Zd@7Q7HZv!Yh_e|3-oGHDl zqUjG#TIGQHsWj^YS_62kG?o^Y(Ok6DH9)u2w>%zDn=B3{(e^sq zainXYA*sw>uy)d|p^2$90_)b&06oio28pBUKc!Zh_hKr2J-cSH3Sdp=*}}?>$S^Go z-XXgRgg^wdVC$$rB<~lYN^jndogab}PD`-!J(_2< zv|8Ib#<_;psv8)R;)xw73wCY<#^F}mQ3RWbwx!6iS#IdAQjJk+JKDA&*L#l34B75_ zo7b2}V%IJ%GJ7j>ZRBEXy|8O742_n6e4TR%fK0BV1hxU$ngj89RIBMp3)NwGk>)Z@ zAF)MqsyB>8<4j~bvcrjHK$7hpB<>g5sX@xk8PD=TKC;TyEYj2QininfQ&|W;VOX4C z8;_jbM3xy6UBMDMkA;?hzmrHE)qUuENVkvQd`Nn(&1*Ek|8OthxZIKBt$owLDjZL zan3?E4jP}XEMV#I=dAv>C+4bHdU&tc@$p zMefnqBsCy1)-urWiNcvCTSyrnWm-|wDdQ>Wf>k&XZ+efE`LkK+_rffBxB(h6M;K-9 zhSPuSVD5s`J#x)49eK%oF~o6GA)FQYpJ%)+Y>k5J%`N-_P0d1@WlH)>_hwRHc?WB= zO@Sm%vs7bgEcp!PsZ(oqsMabhQIVim2Q+Y&-pCHyycuP_jiy+% zd93oIcTxUO-;88|CQ9jyVvaHPZ@0crug+tjM^imf>V^k3O#s1B;kJ^CZ<=}4l0JlL znhE2t0HyPNYNK>A9K^Bef5Y(uZmKVYkPktQAeTB|zK2w<2olHiRTjn})7*|sKP4ac z_`JD0YS5DkUZ1%SHMEEK@mG*Y0E)plzcM>na+v~0u z?nLkF@^FK=D81N^?PwUHU^H@+rzs$sO~lrL3WNBEPgQzRxNtwlxWhSFSgg<-RuJAf zN(Z(mHPKy zTY<=Ey2?nKk(g8S8Fas54ySRzBGU!CB>sNL;H_e```?h_0xs7QdTvzh}wAqDV+tz09US@z& zH<0t*Z%za#6W18PzGKAFNZFc8jfbhe+0RjcHO;N3yfd8F*+q{hs)K{Lt5OTnf1I6+ z*a@1`3bIvlAWMKMnH7s!7xNjh?GGrNinJN5(m4q3Y=9i+t9mPOfn^Ij-!L?bixq-Y z*<+BtyR#YOtu-uxkybG~f5zoZXHdQ#31@@p?hkJjCZQX*q=m?EJa&Z>ypk;AxIfSk zl_8q@%~TQx;!~zq;{~U{&)~9)?|_qOwgd55w1P`a>uuVib#?}g<2gb1g`_pC)3DQ& z{fG#M(g0`e0mba5{v^MpbHm%34TNY~I&&IxaX^cm=cPxTug><2WB1W+OZuAMH@(NM zfd0&|Ku#IB(E_Jt^9{}@F~#*UJDFX@w#(Nm((aW7vr9o&fjQaUr~*mL85;Fw7`5}S zZU$CC9(97P1NpLfix6mvpn2;%GTVYw%?kA|#`PbNi%m;e9$Yuf@6q|!6y_*D%`rLm z3s;|BiJb<|kB&7U4$5|!lGqT-HA17_QEf{>(s-1kW=BHR7nUPSmTP8xG2WspYDX}H zsyfU#;<$^@b7>13UeffE)7j=arJ+V;m>*5zrD`QRSrs3IuXFuc#y~hm$`33#3J=O; zIq5HKl=H*VzolTdNv!!v$Wp{dN#TxM2h#Lpxr0@6$T07I=}Tm5CodJ^ui63L*jhx2 zgRI5@-=;k;UReq)KtlSX#3~L)nF<(l#}M{?=GWlL5vXw)zKs*KJ={O((n;fboWKkw z+JbT=x!U+D8=JX+Y22#SN{juNM4FANoQs%_G)`dGLrB9sgB6}cb4J5_A|;^AS{a|9 zevOa|s_t}shKPM_m-m9``2bDU{2JV}1vH=WG|kT;wi$ln7s9L%c!9*zxR$ovFJ`CP z=F8BMJFQ}S(~og!Z%bEEMTpjvJ|-ML52WVweLQXi5|iC%Hu||IXvgwKzyiB#oZo2Q zfuZk9?&%;50aP3JY#f{Z4lL*>+dh8)rD*vrxwWWhvJHNQ<#=be^kLXFQp}{aw)vn2 z8HR<43n1WzO*7mOh*fP1c0Pm0@gHWlNAAJ<2B`MSaYuX;v=G@2rVnGV1?8E4&Scan zx^(TPTI-3TML13r;l(LmAQcDLMlzM1vU8e&R} zt?EJLm@_Ecz9_o!0y`J;CD~M})_Y+{O#x*wZC23RbS8zqz3u1Vnn$=ZHPCVsbbN&| z3RPo}5T?Y*ATY?k41LE8AH&GaRA!-~B};_IL7EUSc+hAda7S3a(Bup@RVnoh+rxGX z+yw5Q%AO$8l`{ZS^H%GGP^pihdFJ*}m9UqJBzr1x+|K*#s4cSf<7 zhEI^!F62Ie!It5;l1ktz;ghrjse91uv=hD%tP~= zoX>Ih@-he}8wOUu0MBLRCcC37&AVDK5YuvV7omYi5WnbFm(OP)wi|;Mm45QO`cjpPvYA5Vo6xXov*YF?~^HMp#XF=6X_gL#UL~bMQXEi233@Zx&{ts@`=<&B(aS9*D4dm~E{p zKx{v;3>9i#3a&4&TS2;e8o7w{7yVhj)k2cRUs;WCgd-ZyT8$;dJPb+QjoE@$@G41` z;rm{NxdAGt9HvgYk>>-Lq-Y~NEi?~7Pw8fmRDpi`%+?cm-W8_lq?xE}CyXT8-7>9BV(#U8W=ct#N{Q}ZE`IG0IW3WexmQkZ>W55-}Ig?E^1cd`Fq)CUl zi5+C*S!WUMMRnkNmtP{W&Ord>+g^GCwTd7Lmv62NaC(4p#m9r9musxkjuW9>2(6pS z4ym<}jfS=IoIuSq54M}e1Y?}r0a+f@Zo=bOk52^*1m;I&BGt)o=UkjEp0+<=dsEHs zPt9+l!Y`vtBa%#8?auWmNfW8SquBoVw$#C(nNE|}4PPm3%VokX!-dIZ3xS9zWhva} zL0MSSPDv`pfpa>~MDo7@zS%fbl41q!EUqnck5y^!95eCpK?(D zqK?iHFum!;YjY=|>P)m^E@CUVTwYN##k6a1?oq^Na#>o((llHMu0tHJ(Dvb!x%EEL zJH5V7VK^fDd6P5@n;YX!+$Qa%Um;@84Y$4N|M-)1r9Ur0Xx5uz_>8fA;MYRw089Fz zpQgw{R!M!3dY8`q4cVWKvF&wa&@j{zHf>2No1VQIA|VcUust7j%>Dzb9xB*=^@YQM z16E`pU*(_nGdKIsPV@usp0U+i!9~nEv3@Dr$zD-Ar=^uk1efn5lvmAX=mDXguENZe z4Dy7Rq-FlL(+IG$nWGSOy5)DSvI!zY*~3xIl-aeY#y|aYnY0|04o6^D;F#l&UjHqJ zc}8u17^qtlM6z_Zh!0w6K-i|E6)oXcJCRPHywzgReJO_@OrVQXsI^=)clFbZP|&5Q z(vTslc4%2?%J3owUXIHQ8`=i;k_Q5IB;9NRpD$n^258RE^dOC1PH?pcaoy~nLe@}Q z$tsyG1T9G0tNEIM*qFG@I!Jx5JB;#fs@P$VQ`uQ$7ayTd*E{G8^5Oi}^u; z4r|s#YvwZbL+K(LpO`0-C{JS3c3~$C?|yVcw#^mJI27VV(~~gcFBV*KS}(C4v0bx+ z9d4;>sYjdXW8wqmU8Si#TRy(#IzEF9nQusHeGnOdFJV3DJYzbE#@FyMZS0iOBt_LO zh&8j@8p}`%y-nB{lIKU-;q|zL)mqXm(e`8b;gM3doi!Q+w%FO~aFs0C!F9BNJS01p zO|qTmS+yq_WmX(wXGj`9d_>r&z8^{YiG6g}f?EfZNU@jYE_7(_6n2a=i0zzx8;L{t zVeDmg7|1uKb4xS3;C&s_0$mMa7e3X;F5XRW?ih$J&6qCMp)k$H5aFS^?rV}Ey10nC z1B4f|Sl(vDVpmo}e@v34cY~%35xNkIOPH3&>r9;t;!oVbCLI~XycuG7$9xzuYZY9C zZ`lw6d%|)-2sD3Xh?xevQf+W=_l*j@G=4v@l2vn66@+WzTMDROox`b=6S^UQ|%R|*n; zDvemEbXF$0FPI1pEX-%{r~6c@KG4 zlhcmS`zF-(2U*!m8^vAC z&4OSI#10&5kyNWjwua+Ya?8c-VWd#%4YLxfhN!_UFbN4M5`=jyo4{nRK;1Dc_aG{J z#P`*AAV~mKc76s~DaUt6XEcxq?R09fb(-$DhEA{!l_nyw)_DU@<=+)|R0L&z@5gAA zR0p~wvlX$)$YPEPtqacCW}w2(Ucs~I0_L(hyQak46IrjMUsOmXsP$CKp&LQAVF-Fp zOjZvpLtGExm~Tv!JP_iYGsGleKtF+(+ag$RD63Hi%1Nnn2#{8_l+z@ujSbAG5N%%-(nA+f ziY)FN$;2zza_Dt45ZePULgO`GD_@T&_>0$}&w_>CcuAobHQ|_e5+Tyb47o^>Yud_=Y&eQ^Iw* zaRZ4EpV29qoI-f|vw7)L#5`NoXj9yL@gU`4pd5q+er&3;0N0TrD&ydZ1ZH!3Yr&&D9AMPOEOzB z@;2(;CK`X>`Fa~+5PF6%FDVN@#>{d#&jS_BR@BZkr&DbemtwnxRLQ$;+)*d&6zL*#e0!ev(i{K z#@x$)Kz^0g_?BmkC5&0cnCJL89o%|gKR`Y{j~!KUj(yYcM4|eH$s3j)ji;1)6s+O? z0JbME_`l+pImUymDK%bP4VH_AY;W@hl=-bn|2+2-xSauOf=&YlPntO-&{9FLas13@ zk>!kQ2)8gF>}#gza%%Zd6AGhpnbk#>F#BQ%tb^A2M*Tb7#^OGRe{S|>1ihpz!)l5j zT=D{s$=-7?D;m{eM6nfi({;u+lX%j#S~o{#N%fTd3ss(4Yqf<@o_?N8tyn(Qz45{; zLTU)9%)UkRbF|${j9?p_TbAjG)S556P0WUS8a~ye4}olaryxG5@Ofkz##-4g%zE4$ zS3MS0JJ8hWNb^R7_JQVIh(^5l5R8`jeZtKscFkr59-a%yEPlAEOdytl(ICssC-ZBn zpFvYoaBd&p@MN6kL&B6PY%enI@$3@y3I>9Dl3Cs|F}oXbFDBhQvC#AwJ`XmpRkkbz zp=eV;u(>guxgf_T2;MPQoaW+aEt2F0A32it_r!NRD>16VRLD~!1YId3SsWbH` zFTy;Y0#lVF_teMluFoul+J%mdcU(GJcmP2bNrKn*z}n5out*TH=GlWxO5MCVG-?sz zU;MlqV*8&4vBw&n`jH|hMS3ToupctHXxj~c=}uV5bYcBqGC2QZte&P~Ke3M<5W%`Q zedQ!SQ2niDt%V<>))o5AVZ69(kp5@q%?!ix%ap->`U6RQ0Pbg$V#(#$~V8ChW#GIWm;h6j<=&a-SU^G3#b z8rsF4+|_Tj8dKN*hrKtCZ=&k^hR;bdC8y0yGt*3(Njo74O=v16k=oXC3&dB2JA?6m)o;D5mad|WV~-5Pm5YH0+w zuHXbcsbw*M3-tFb^R-*&Y8I{y!A(VoE8uw>GcZ+Z)I_{Mu_29!UFefcXc>0QS=fg+ z`I?HhBliw!gZNWXT9kQZ1s)}ssUu`#{a|@DcHC>rfRy7YK%8R#SJQ>>A_VBwTzFjW zUZp&G09^~ANfU(a;uQI6W~&aLBYl0H_#owFFL>)w{eJ68oiNbysvEq(u5}>jXFA8x zmnJYHdDTH$zpixOIBy{pxd!AEcg4znwJ<*SMalG{S{?`LH$?TYKbhvG*!Pm72Io(y z+m^6fyk}zM+3KRfbNDUfeHgwlclL64VSvcj zvGYpos$xLYzprP}ZsfR5T#Ke5`_MS=X}xig%syQ?Rl)Td4CPM^zm2>!;Bv5|ny)Dv zwDKS%KIJ{vO@5du8ihy;*@H4Y8;ZVA^3C?wIFc1^#E|f}UqvRcpTd(^v28A(kV*#- z+plOe;*ZHHYXAM{z1xwn9ZF{^0}5gSTonGW`!2c%w?$%CSHeq}J2~v?vI!B> zw3kucL#Xo-sn7 zftf{|1`Cl%XJ&_n8u~$$VAyfL{RaS5MSSywp2{L18s3L1|Ap$dpwcEJEspoDS97g# z*2Ropi|IC@!(hS5&3L&=^(j zIV3e=b}u`w(s0hO4K^KG6yf*s>L&vLV3rH{4lPuR4r zdlUfJ9qs4*s>f0NB-4XnpC?zOFy?zAZ{SN}F0x@h_0?hM>=URFIxwi>BU_K4^J7q> z7v)|c4JXRa@`0uua;cI*3@8eMf8TuAYByE&MegfN68F{JbB%Y;Exbe;TAGGe@B_m5I~hhiE&hD;>pNj%)85 zb|T>|?#_5JM?RysuZtJb#G_;umE-;xNVnV%af7v%kMLr#zStV&R(Su={<=X*KsQa3J@G z)M-naw26~0V4*LBqCDqbDfg1}udrme_!?ef>u}7oS6d>tp|@QVOe1XGzSshp`}O}I zAxo)|>j@&2_X)`Po4ybWe7|;%CTek-55`+jC$sWLA2on8C~j+e@26h zJ(65@pk=hY!?t-ng5@1kOQN?q4$RJ+0493NrIuEDBB*#m`HaYW{7mNkL=e<^UC6Wf z*w%cRwb^$vT$Y`^A6A2Mni>uSI`p&v<5Y-Ipz{tD!-mYgOvEyG=EcWBs%4gTM-NDEq@##+*Fzg?z&;Te-Tt(3VTwZ{ z?*zu+q}E5R{n90no@)X_aZftPo?-{G8v;e9$}zY%^FuoLatl6JP$KB}fcCi@wfDfu zq0=ht(;w11SLBn$noNjubPh670}oy|%}YOL095RsV6?p6&1=Hoa4bTW6ubc}e|rMB zmA@;p4#0I7U!t>{&^`x3fD2cWPudseT9CIVZeIpOnDTgH!bX0VT~L#;#zpajZVEcbNdkcvbuMuZSPfqTWe*s*S^@3%(^?QcR3eAn`S5afU zd|t^H*E|GYw^ksw8g!2oXIcNiczczP3@h#qj*~`Zu>ss8C7R-REP@>Hk=n6@jD|1P z+3`S2R~#RBk=d=*UjhiLVwz6gHIO6+G{wIJcaerYdMXxTVj3RtzFy#5*j)V(J4U#; zuZFZ(Lux!&x)gP>$%D+!(-Ed7j;eyFwd3+7WW7yIx(oLJ<*B=p*qY*`7UaG?HwAI` z4WUn3#?_Cs?5I7@9q(ITY%im^duUrSibyN&qwc641Q8di)TW}qGUAVhW9_Dvu;ZOZ z9a!w9#Cvmb@rPUtO|6Jp%NF4f1b=2!H{%Q{Wts;GKTw`kgYk{vx3I(2{esy2o*RD1 zty*pix@lpK^NrrEXQHESfbU0F0mkcF0VUrOLLXH9(9N6KZB_b(H-&q)Mb0&?$}#Et zc^4~J?xvo(CnLIk`i+?9-mJ6WZXClLCP&ecA zj4?|qPo^wygSC4*w!GwQ^~xS(=@64)4W-vtrYAVZ8A4xj_Md2HnE`xl-kpWsO^N`5 zfVg)O$SQfdMIMi2eY5vBFd#_NIa9fgj5uD%n!vYmd;zS+1JA zDbvE@z*Yb}<|fj`QJE_%w*)wLFgv=1;h%N~!Q8tR8FOj&lR$f+30CYUrF2wu0*LJC z1K|k>qU9n+wxM`B!J!!lqUhPYc8GG@_;pL!!9k|`$eNxJp#{QqDpquh^t3FJA^7-p za`gfBlKn?*bSgWrIreqV{t@&`buf&Ywh4EFD|n=a78QRhp} zz$3z-+GO&=@qh4lcn1p76Do*}m(zOKclSb>!8=KCt5R&so8q1;e~ToFlCPuO&sEm; zIl=-l64Jz2Urw7AQq38Fifux}rC}%|v{oe#N5OWLV_`0x;qu9kBj*|mETdnu6^oDr zofntDEz-H~@_voMZESs{JF2SY=*@wJpq~Ngc8|!k;8=O|YN zxWnp_jiilrmwyTqWu{^pQRdynk64w%mK60tQWLg!q)BrTzn9xi++%V_BkPMA-+BKw zeNnnnniI`t@bnJ0kE)5Te6ivC9y zSfT}`*IdKyF`Oy-9>6eLL=jEWD1np9^WK*BK4 z+d1RyYSZxUayoT6`0MT7ZUMTNdneoTr(>3CxGB>kN&0I@zb|?Bxx?lsr_T2p(2qD4X z4c1~~MeCcyKL#1W(*C8ewYVGb(3;-vOAPksfzrwIt#f&t>4^$AUf0+8tQU+D!Z^T0 zu-e;%k(YL}v+9D#dfy%3xd=5Q>KLG)uU&;g*{EU|nzIQRzqbbT&b{&e_pxytam18A zzVP`#5ojq?L-3qa8V>q-0@4@HwhMRRYuzH7?}&4F34ce1(vZ zTY&^)^g~Ot&ExvXlTEZ-3QfKdGQAp=VBi*LERc67Jpr)bVv+rZF7NKkIoNM`n)zIx zH_JVr@uZUlK>HbuUhzMGg)HKM=rV{vV_kv`d6@B9;=gICDH0V+W+A6}@R3{a92WxN@N<}SFQ+dBLgN&nAZmyl2_oV3@axK;UqK#| zx|}`>gaq*Zgq{IN^Qf1nZrU3NJV4A{u@Kh5Z~AH&5-zUojhi>YnBg}G32l9G-Xa*1 zxd_8Ke$$b@ScY>K-|LH^E8vQ%3D>|7(K%C*H*WtULt~Mr zu5&C3jzzv_`Im)+&X*DWvQQlT7=|8H2tBz?bnUO<9+3C7wSVllqtW`|ii=|ro8|k& zvj(nrW66y}^~kfevmQ0pBi{x7Lpb~)D*6x!mC?`PdXzu8MF;YgyYV1;^gabVj~cuF zens6R)TqOquOssM*0JcT*Ae~tk}cSMuKY9J14RgmB0&*q0_$UE6I$DZHoc@U-A%Lm zK8#bc0ilWiR!De$B5oXr@(!>~zOv4bvE}2lO$hG2uk%|}_bu|3MX$MeGyiRK6Ij!Q zo>#tvao>0f*{-*K9JZ*-Ukz0tsQLQ+s;y0^u@CP292Ix~ko!4W@+NkBn|#p< zh2K!H{>}<9`^dhtsDD2L9G+m!hEkYg*9Ag(X7NcrKs13u{HtcRYy9jCp zC*T6#+~~#M8x;IoK(#ElVZjQ@8uw8Olil64z)-*#-JdXx{IvHd>u%mYbO1>g{LM#I zpw+W;e5bkW1X5lxF6P)E)VUTQ&A2x1tF?%%6$gE?7Wq2AO~c{e&xlt}0LdDhII$Kv zb_Ujms}wMd8{{L(f;$u>9W>E~d!pmzhdE`cwp#;p&NUR4anW}Me&?ev4a7DiqiC)J>xiGmOhuhZlF_!m$&~$hq2K|CZF- z9vzKNJkxDAjL9_LdCxK^!o=w3MRQR8(=9){3x(Xq*U-g_3K&LI z{i`1;>i&m;R7{!%bdBr^#rz6I2u4fh%|Wq=SI)mf&Azp%80F0Z!X+3YgTHUXFp3~3 z#5cFopa>ciU4uwi*QvoO(2QDEriScV-k|BqtQC+f3OCa>c_Yf$KGkcc(K69hV zv_j&|d>sBT$`%CgQ^@Rtvp1oehsgagh#nC2;vEJNoR&sD%UcOYWN_(0W}8a`S-AY$ zkTyZX*900>&UM4K9*rA(YNmAepc5w!)co&ytG8kQIgbHt#Z= z?1qRr$ZGYw+uU0B70AV1jC_2NE(6j>Ehzt7auma-3Nm>tEs*vK0!p~>=V%UN-p}5x z7;;v4K@&yK_Iwq%!OGe$rU8%>Zzuwb*+;-R_z+^hLmqorjl8Y{80U9X$jDdB4}yfv zLADDT2;;58U&#khWE2>w4BiALN-IHY3Y?l>_JB?Vjqtq>NVD zsEJ}Culp@f=2_zIMed8NvDC98T<;d&-qeCT7A>DAyu}W3M=>2zEmPTWSH5l_>cn#a zBQ=|iGO6sSXFNOiPUsuw@VLsTW2=3>YO~VeYIr;|no|eJMXl z^bQ33nl_3+UVS0Yk_Ry2@-xba6{u{amKdm;V2bA97HmZkAQg({*uv}j+fk$sYsXvU zPh*Y`W<{a8>?E+SE^zzq4<<#vviY?u7WUIi*^CQ6+83w;KUB}c^`TcF;I?@Hs?V!E1r1UG?D2O%3UB1?u8fdC zit167|6!%27*a=DBuGzk=T8Pq#u=pPSCn<`60zEk#G!1{WoCj4U3*VDrlu3>Jjk6R zq{uzH!4~B@V|fl=mcNPd&LDJ-eHyubjJ)5jAhFU_E zy@ot;Gb-L@->x=CQV-e9XK2OA!Ah#L*sriR-Cbj9d?|J%G+nLGzzc zOn48udC8CICr^BV);$5D5oG4QU~JuCe1`Vgl=7phrW%x8D6r3l`YAX1%Q4#E4+PGevFvO#>XuIu?1!e>wW1Ec%o^SzZ4l z`=B*7Ug%NM1Egawf<^gl7&rV0SbxqqUt~F;*4rVMC}5K9L}7?{?MF*xAgF=r3Ksb* z_J3)L2RJAI1lUFQ5-x6hkM+8f!a10X2u(y_WB>=@$EaqH0)k=adxRHI2Afc{7C~A> z(GWDvjl?J94Ol*)U?`2}y7!QRE902X*uppS53|$5pDT^s1;@L{ zR?*+e*OdM$#P{Q`m0nPA@5ItC+qW<^k0UakH8+FA3yzK6MLjV8xbsOCc9CfA>GUE$ zaxwB}Dk4b{Ozwk2$(z7mdY~d7w~YkbDgB`DFvQD}^__ToJM>q zKS`da=*+^9klT0;^DPDC3P(N4po08<*J5cK4kjRPoqE+T(q6?8;CQRr+M)RBc0}LK z58$7xco_2zdRwy*B1j=vjfX%&_FtV}D~i89@+jh43lbFs=Zi%hQRaYiN9E@*9z^n9 zU8p?rI@;QZ`7)29;s;#wGz5(YW3l&)%A(+>0-7s4va?LtR;C0I4Wu)AZ5@w255k^M z%Q`y;DBz!WfC3g*^S5tdX)ZApFzj{t{nRdkLRH~B`=Z#e zS0fH!&KZ#GJZH$wAd5z5q*F+cqT_wag<<6Va1V{}3ZD&1$&vwR8l-3T$NSl7&2^Yx zvHm6W)ks7}vcYh@hF?)#N?w)kRPdJ2Ui5r9ng+HbOy(5@ap7t?hK3z{8@M9a)MI6+ zc@HAHcC;{!A0qz6iso))%A+r$y6>Us!C>53q$nw3i^CUT3~jAL%?B_$ymK;wB-y$# z*wNA2n;i%_JB8mIzGsdS;zKGl6gA5%$9my9xYw#6Zyh(IzPbh&-(#(8;VXL{`rb;RBYc(XVHl?)tt{_ps-SWVgYJi zu5eRD0la%MSPl=JMxC2+a5E-zI}a=1U+A#HeP?*Q!V@!j9Nj^`^5~{$b^3+HOk2`-3S%!CSoo@)4JqsuV}>O^9pXey;RI$}Dj>Jd zoHG!~^AM0@q5`AR_B;4QX=|#OECb&1`=&)b4KQT?hx+h?||lc9%9H?qEtFKgZ8* z3k^`%PP=rDrsM- z%lnQ^&E1cFy^VU3Nz~@3`6Fyu`TNexvD6Z`E(l@IJPsd4@BvUB!1>KQmm;=HpJ8xP z$(7)z7|QHUL6?kg_G)-Hng#orLROniM>u=E&h)X7Of#L1^PRA7hsZeCtn6o2murxG z7-C`0D09?SYy+vo|Gm{TizBNd*QIxmtm_f^ju-9s+oQSk_RYOp5T62>D#nwk5DwcC z%lA0C9dIvN^cehVma*Q)P)joSj=j$%n?6gW`U;P?FFm)mh2w+bLbz<9De?*AL!L#x zZI1r1ZrT_3q?VLB1+NfW&>t1g~KUGU2?Es742WIf34`$!>KCdvI5+MT9fm}U=8YkhL8?zu7^+R^1esC(r zZ2+9#0yzQvlg^Kw+y#eaJv~*jN=16y_yQ8<6!k?F^I$7)*@%w2o(ZIOv94UXR{A`K z_q^^3-Gy+e?IbuS>X$(>wgcxZS@mVnNW?i3iUh=;;rjX}RH8Bdj-m2av;00*NSKT-Yn4LzxTcTx8BKuQE;=#L8<*i|NY}* z6o%)IXZ*Fkzw3d2lEU43de)ye{Jpue|5mL(p5Tr?;Sb)nn*?*W%8II!x9H@$$n9>O zaHs#}%-@^K9c|)UH~qZ^?r0-}uK4HUZk@l?2EM;n3zW1!uf5sCe_Z)TyZ!B+TTR&2 zZlKBidHbze{yFJ<|Jx#Nl@`@z0kG?gBKdbDy>3|jUjwmLtx}j3W~EkTrpz(sZf3Qz zb)dCtYuM4Hm7{+{2t= zwwdkJV{cqt5R5)Db`2C|aOj-fcAlHiQMIouO~3Tqgo72kO5ywA(aDl>&s$$m_Z+{& z?AFQ3CofD2J$z=oA=B(Jd(BzeYzm(J*c;axpB7iV^wIU1y1wQdU9P#G5*})R7cm6P zLGAxHTy_t&UI5TE&F`RTBr<8z@M%+~)J(sLw)gQpvHJB-D(qkW>ur^N{&~Po`@gI1 zU$=<=yXxNBLjShB{ohshkL~FH->dF_L_bXC%|m%b7i1=r84D}(*y^b>#=A1AXU+gI zP0t(uf|Ux(MeLua4S)Fz_r<0DzM$jRvF?UX>tEnA#a~ax!_4~2?$odN^ zd*?d1>i?nC|5)R%y7O<-LxFOytI|Kj&(guu12bk6O{uFM=NdLL;2N0Wa(lrN3&+FN zlZphrCM(m!(Jp~kyEC&Wy%#v&-0A6F9Khv5nkLJgkwBNCDPo-}I|IlObm=bH?Q`P| zxC|1^z$jB>h#t%EW%=+JJPqOs)Y(}wZpDMxR;}!EXJum^r?I>?1MZXY`w*<7gBr-0 zUOW=(q1*#1uS^{PcpZ(~eys+4v#cOVGoG?)2;e0H;rPWu<4~MY+9^%9lY&5H=Zo32%DA z0<6yTy0IP)WH;fL^V@(#JNizZba(Elu4^)V_yA;$YTRykCMZ; zE@7d@?ajzceM)+Ow**hyuN}?1w7cD;V$?o+JJ7zQ@2cjE}Wr;A_^v8c%C~W zi@JgjqA5A=L^n%2dZ(1od!wUhb$ALIR68X*JcOp87k(^4xUl8 zoIo=50S=%k{6o=axuHq1fvt7CL zTUm6pc@izX@l(L7qJnp}f)6Brt~U)q6L`{rSLh%+1p|&_K^czrLY5nt24G-hxE-Z< zAdJ+F>g@E4z-pW*j6$9Q9|d(S3{>ZCLK<%dI5_|;R|RZTe_s+3qI2x8a}VZ;fs0Pa zThkFqko%M|_Z**^oy-`zDM1=sH8_RSk*M@%*68SD z#vE_Z8dx1?NHFWnf5>=-M6E#yG9UfA>uQ+Fq8xp2O;&Q6uai8uz4^lbs9>|Bb8m%sd>`=;oiS4tcu#P zHy73AcKtk^{oNg~sDAj+%|-S9b-(<_RdzV<|0|+4!AM2A@whMe>bicQ@49|qOdL}1 zkN*{*{Qm&O8KDh$@GVH~vB-?gNZF=B1}Y{~hjhyRNQe6(gK`0;5>P4?Gu(huKt)iZ zl_>^nP%6W1069H_G7e2gT9pA&DTgNmcCZ#HffF^865cL@Px);+)g4fVR@EQM*D955 z2PVVc6oOLWrWtT%G|+JYQg^V;0GB9J^6TtR9EvvbAAr@9BQpoyZ04=1C_eduC!v{l z?}uyt4_@^@w(?%gPaO)oEP@J`!Fxe7Ye+X0>IOj7@$gH*Zxpl|!*4A7Drj}zTVUA0 z_S*FWJ+NEJ?@<0_RvOgW-%lFUw>nA>INJaHC|vdyzNLz(uzCw?z@uS4DhGo7(SVdJ zYqjbWI;y`y7n6*#DOk5+3>fAsMO$Cic1y)Ng_Z)~`jQfa?z+p+4LZeo@4feecBSYK z%$Z87m4y-wFDF8k)r9qZPu(~;C}py?^hsM`*>{@&>r`5#?<_}`o5e`u`#*oVXU{(sJtm}nQOqg|+kuDaFswU1NAQ+glO+`;V{>%ED3pLAZ@@PP^h%5k$bfb5i$%hJ zldpUy2D(uP*yL2({VDkh_>!!EtCT70qEiTIVf|IYnG_5|KRWYJf2>n!p+wdCBiWSIwy zk4&3XTaCH2oA!~LMhsD_4osRvT>Zf>Tw6D8x;Zi}>K+C@W-3Vs7uJnU!`%R<7??i| zUB()77~h7{sNR4;NzYd0*GRxRC2PzPu(9b7RjG~om+L@A(nKvQI7c&m%H(Ql4cm)O8h%y>S?JWKT zq=}kAA(O4kz3=CccFGKJSxY?;P*j6!8z*-0To+C5V%W}Ii0}$wBi>1BV6xVdVPZR< z$gf~IeksNB6G&M0V?LR3+BQI)r~_nU9R!pn7r>ta{~2sik>Oahy#?olSwK4^w;^gU zn&Ey*PC`@&7{Nw(rhpyYQ77ESr+9wA$y7!8bbb{4KPtb@@+%IaI$%5s;OSHVkEY}T za4;nYA>_Ls?oLsJ0n>ioW7;v$O9PrZ0!O4?%Di`E4h5>J({xf4NvsYJrfqC|YBVNb zhSX*I!X|12OaIOsdy?g-8~}Jrz;{}@wORp;S?;5vgDoSeTFIcIlTpwsBQgZqnQzA| znZ`az`{eBkcrL_0I5xHpk$WLlM!m-0jTBnTX&wzv#x5Ql`(cyIMF z4GfH?ZRhY;QZGbZsa=R&?HhpKbnFz{hxOSwna!u@!u5cb(x3(=(tI{Z|1bw6+1ly0 z=cxYqCAC`Al-q{L@R}Bs3y2=W%b(Cqt)2oAJ~l3|H`@1;XV;Kx0}2~xCh*-&-tVR| zoIqz3Z{Obh-Pme{R*HtO)J~%6-M(}00H^1{{B-&@XdNLRmysU)XnOPPY$}`B*_DEA z-NiHKh?7jGQzM6{IFv@dlw8Wmc|c?x2YH7sq3~Ys1r&&3O6F zkFu^GGe;(kg<(8yQnmbAl#Q%*f!Mv|;o{sYSA>3rbAs8Z3uWFYs`-)XJ0mlIcvJ|H zT!7gIf;gNMUV>fn3`On}dXm;1Tm?PzNOHjxPPD*eZF3asekS>zzL%9Z=`wMoy zLtvCHmk@VH?A4Lm-(ji=!0>L|M{f!^FPGBsqQxSuQ=^E}5vy8>4qx|9ixM|uHc*|@ zDDaU5uFHf!_%^F$(&8H4Z(q)yq_*R7K;NJI`L+qxiE+qP_}cLT=m~KyC#da1)Z4zw zxpA(55?n6aB!Cmz9Sdx5GG?emYNw?izKb71x!vW!|7pX{>g6n7y^9*yG8#8Ra_Gs~ zmaq_{#tM%(o~4H16_jZVz+?j1_B_g5uqZ|-rmVtuK#dzu7f`kA0dYL!X%j{?kwt(b zkISwGi0H|pPqDk}ME-HnAiOAe znFM%H;vzX{Nx=bUTw=^X}T91A9-AU85J+V&w~cBr}o0K?~I9RCQVE1&T)i$ zP_1tvSB}9@qg=TVZMWAy9+7qQxacwrEN~^{4$5yjsuu4d1iHc`KLqNS0%sW=ruKSmTTmLACq1aCC`I^)?FIauRE%&9 zorz1R*HIcC4bbP{_Y4|;)0HN{(yZ@btR+0oW`MRv+Oljh^FXZUsV>j<SV@&Fjtzz`tH=Oq zyAT%Ug(M6ySvWIq7ykn_oLVFdliCrrL`Vw0fgpz>T_|K;jU{gYKZbu8D%gmGN&F)i zcteemSUlBqLc{-q<}K^_2(9aw2JcR>dRz6?t=LmL;@8dIJT(lgpaoGQNq|Z-wHd^L z3rh>djdnYh`(#srQL#OC}Qj6RzPom8Tpw44q=^adM)DJacD>WjoAO8zZBt?;9(M*{As_HtyfH$e7 zOr`$m_>SL7_E<+~z*aC>Z26cHLI*YZZ!>%npk`2Wwx?6sP9@Xj5;nf2VeA@yK29Yv zlmoe7`KyFffFi>_?@Cx3N@pReOqkgt$C0qSK-6bUS1}=6j z$%jP^P%eBLL9#r~hA3KGZEMRdKtO+-4`z}8xeLbvzW-}fcYSB9B^S6h#AK?L?+eHh zNmz^9RMO1)Z0k-2pN-7l=E>^>i3C5~xLpBgsTayjI}9Y33$x;5LQSa|<*~5H`U?At zy_mCV=H*x+Wm+?`ZFA-DABZ`knQvx~QeqDEOdh4CT!sKVwE%>O|IK!2ON7o zyImI<%(JaISeI{ttMFsYsn`;cl!>!S9`P>a**w1wxn@!eQLTK3o^==8i$Z;f z3c(5xb&yVTY-1Vjq}nMO^ZPMA%~gZ##MObSv1839L#5e;JUEZhMCB3icngShHfK%$_wO1C4M zRxQ1P>_>r`UJWRUD6M+Ae2_3RElxwy$q|9cfPaAdkqFDxo~0g_hal#%m0YCOh9)DM zUL%=@)G{|XDy5)5;@;LcpNJ(R(f39*6G**0rgew@c>KmkO?#8P3CPh$N~5SBWEQZp zK&oY4kL44rk|x-Q@~(wI$VnA;<7Z&SH_8uFf=;}T=EVrf%k8G{)+pxpMi$obCaM*; zkjZ|V%6ga(6Y)mAp|u`8zfKhWtthWd>>hc*c}0MP&SDbruRyL0ssJ)K@EC3&gDaS) zG@)E*89r5PubhI2JHmN?RgrX3Ain8I_h^~9WZ{2XM@~y zJHoxlV8|`{9PtUQ?f5;CApDrSxl53_0|{%1aq>*2D9*AwaHso(lpl*-mWxqA8Ninp zAaS^0p>hNDT!F@R4a3T7>K7O8E|h#Nw4-tQeXJz`!ar=7$_lg!8}R$bSHe1R!kdgZ zI!-+1_((WpnGUFU5tvpXYATj&eT$kW?>5HAC=J{+dt`Gq|}eZ2B|N|3^jKl+AQ~13c7$qHVeAh z`vm^l*~mniui6uRJ?cHcp%+g}U!uaA?E`=!xHvCvdvAIT#eIYe#0CmtZ&x;^bT{VFApBf1 zdAoNYmd-!JG9<#slZC9f>jyTT9uL3OUb;7~B$q-kV7b<0Ycp5fvo(Rt@xrdHvt{QF zN5m)U>C?G2FnEcJ)X+~^K4OzgCehzU^_)+DJqWn567Xu3G}buSz#Qe8Mlp=K@CU|Z zxml?RdNdPASnG*NDrTr*y77wU2pjG1lJY<@9yRd~x5~yAz3%jVF zfe7AZ!6kyz6?Qd8l778H?OwG3)@;#2=i!#8VDV}rx2vQJ#-R-U6tB(uC!Wi)k-l^b zpJ;zTZ91bRFH@O<$Su){#&dIX1$1;`K`|0dqK|ciOA(bSzlL}&uaY`V60Gw$Q)3$L z0JuMKE=h9TTRR?D7;LT5wPY+?W}8}R+wF1yot(v|G}a;CX#O|P`#i_5#r>du*K1b8Wkw_=VPH~s05K-!b=4YBdTBRd2C{z5Hf*_8E(Eojn_(B zVYRjXm}a}1XC}|#wH;Z`k_3Gp&OX=}>DEy#>UQn3E-=yqQIHv7rus`))pUJ(;_;vJ za`oF1L?ac9%Bq8GwGhdaV3~>P1RcGJd6-4{&Q2FqVGHoN3nK-&$Yu%_C(|E7QUVDC z0{m@cT%M2DxzZq#m;3+_iR5;aVSGr#OxA}!!L>^lUI-jTlbC+qmR3-9XM^6)oMlCB z-GAxV6QN&8Z|jLf$|}mZhPa8batjEL{P5ycqz~{o9~bvXiAZ=7_A^%=@Z2W~ukr`^ zWMLDv(mw}s%|bo|{MO&d?JA*!A8+Z5{KT_D3e|)~PNx>E!apc$-W&FyMlj(P>JB-_ z8%WB#1C%Ur5<9o55K$AUBD|Y0#!qO>ZCe9v*qs^zk*sg?^99j<2QQ~%zL?z%Y0eYr zyQ#57zaVNpwMSn-Y`>9Q0578qY7pS$4?TtD4K3AYc&2s&yPX-J2BfZ0FqJCfY9sU+ zfb+F{*YEra8)cU=sFS8S8j=S` zLNJ#GvGM-F$k?GaRoh7c%eZpkVEJEvU76c1SSl%x!>iwvQbN&{$K$BJq3twXr5|af z!Y6wH^VdXVX|C^Xx?r(gbH@Sa^L=1F$>7;-75IKw>l=`*1q&o3uAl%&E{1wjCH2qw znR&2}=`BrOqQ4RO+Zf!EKSDjNdaTheh>eBQb0H|TT#A7a$=*$Iqz9WoZNTrc$=02k zLauSAhFcUb_ONZSjb|gmT9za4%{hjEPcz@RF^)MBw{EHRy)2x#rmj?vjGx4H48Xme zV+hDUpw9{gFt;i)5$PG2df_Oo6V{lDJ+vSW(QhTxx-QL~`loEgawl@UuswxgZ-+H%C1AqwJITW8Q2S&O&zoR;ctK~#+!g|dA^4ymmR~qcnFK$HH=YxK)t+y4 z<+m@B#%nC^^3TvId?r<{lGKHT$4@zXFqi8ci$RH!cHI_d%BtvM`_6S&TKP%YG5H`s9XRF>O*1>o)yydNNA7P0J) zJdT%9WhB$uhhPKkyE;(3mukGGVwQI=*dXJ6bWc>yl_rY)$h+zRQzpr?d7^g}(A%&M zug-Jom9f+ZD(RsdzwJTxOUtC6j^q9UgYUP^S=Q3ABIge+1!? zq?Nno6mL*ZTs}+P88jkqC!%KhMTn|Bl4IK+1Mef*2YzQRk@yo)%X_W! z#W`fVa9FsVET+xNddWH@46guW1B+M>L(W0v<{$uvC@2NF!HJ2xrH#o=!QT;1m2s8=m9Xv!#xpaj@Y$l+%aID~$i2d+#>k8WM zMLw6Uf-09s#xiYI{9fhc9(XueBbYoTFX?aFW-yO z^e+%;yqXTs4;#l5?kb@+T3(_au##9j*b_siQ{yVq5j7MrxHpTq1CNloLc!VcGChjo zNw3g7fbdTZvkYZfZgDJNm4i4!o?<@g9-QfMseE>dmFyTtIGe>}V41;$gn5p0Gc04{ zoMjr4X1z;;`x)cocpcct;^|;jVjMdGSCG$PDJ(~Wchw(WP&lr2fS5SDf_c$Mo0%s~ zC)b0ZZCfQKllQi98+m6*`$&t8b7e;uc{$}WfF5S$*7B!K?5BiB)+1;jSyJCFBN$Cu5Nr{ zi`22(b~rc)G;*&Vg@FfX5O$GIVUDyu4_H%z*X;-74apJ%I1~J^@*i7 zYWkAoZ5ZsP!XV4nKng$&pcd;tV5!4^AK?XPf&!x)ruyPG(g(+GA4(Neeu0qQY00wv z6ILpFkF4UCO_^ESpAA0S&&b7kJs79)3uA9;qp*E`~xl|D^AX?-eW8&G1<~6&>}1a9zS?e^C%DXK0g7ZQ?TRvEX(kAKxoJF zTV-qv-CjY=_-pWcX}}H*Z@%5CmL!F}$>-=@oJThs*Z4>gOycE8;^Q5yd_1nC-VqY6 znXFG}$VB)mlc_?&!smr}xR-6@b@W|e!<+%X4VD~gpEOy4htuiUO!bmMU!3du{@N_O z)wY}RId&|Z*ph;asT$j-`~uKw$1Gd`ppHUscNr-Ud;?-}3hB!xIQj--1Ogf7PPQjF z3;F;d7JiA^#ukSf5k7=_l3X^Gx=$rtePur5j0<#7@0~=WEeOk}7{)q0rbl1tmW!iwL>3!R`Y!Y`j5t8Yq(yvp)gLQ27!(Q*VJsQ|T&%s;Z3)KfQbg%cQNk=XB zVEeBOcB!Rb(cw+5k*2wE^k*Iu-OOvL{zAOtH9<=k@xAF`*7thR!=QKi!*BZK7pkY7 z{M7kUES?96&vdqi2O@I z2bwI<2bguSVyNXM{Y!CS0hvx(MA;r@s)q)rpoYDs42y6K>=JuwmkFgL1m*%ULM3^D zg(Trxcl;ccz_;KXHbZzk!X~mfcO0@>;zWUp!!6K5lSu;alB$v1iEUfN33zq&Iyxwv z2SJfdB)ugz1|Pxtn(4@L9#vm`QSu>oo3IlPqN>1ETj-Wxxp-M&tPVmz8TAn!O23i! z!Ql;_6w8)1UYG>N?=A3`-36S7Lpgf_zL7J88d@+OiI*>H1#4Zh0{5gQ&>g}ge2+>x zbE(HN@0r-z7x&$mJlwP*Zt~1EVY)l7UFPPs%>8P*xKO)mF_llfp7$-kXZr_XSZ^H` zB~=4<(pL@!-lZhi4W`*%p*g&f8e(g{l+ri>xzknPnRb}`noDZ22X(q48IjduHq}He zryr&^11JeTU~7<1Au<)@iGDpTALd*)ZRR#U;2fw17#EfS6CfT&-S4)Fxj30D2|PeC z)`EC;C`@7AM5TdX?2la4f2bXk#=F^JHU?+%EZ+mbKzXzNIhTCOIBm9>M14J>guOOw|CX;5b+=s`+@j76#e`SfKGl_%O+(J~$g!=b5SD z4qCrnO)ZN&iJMRwZ?+C~CFtAE= z#~P-GhWPlQB?2~ImrCNvWg!dl!-`SIlXYPv^kJug!eXDMw`3jswsoi!*4z3ztMsI| z$O3E5l_{b%_jL?T?pH}M)DI@Zww`0kxf_f=#QNvO!S3OaMpF=s_G|3XX;e?!kETcB z0+tE=5+TRFSNk%0B)=>2r1*r5@FMLB+{A;!ZTa)M z^Y^v%3g}q&WK&)l=z|_~&={v>N_qcm6+>cMT!9wXew<)@n6c;f1typBPhq>9?mZL_ zo{Zhc2jsuP-%We*(-AWrKjtjX!AV>uG5UK0WsR^vaN$CV5kxZD-xtwgszuUSslL=d z`2v4_3^{r7kh3NrOvM92b;wr1P7z#|mHZU2LR+y)T5cLiGb%C1%$~RGq>?Y~1tSO1 zfUN>ct#5{s(VA4Mj5b>^SCfn<2|DU5xX<$D$vm?9RR{4*9uvX1?)|B zUwRGd*!ajK|Tt+kb^ZLO^ptF^Xj z#cHcnd(>*RgQwa$)Yi7|6YS|d=iYOFzt8==|Gl3}OC)5o$F-id*7JOaX;A0#NnxGM zfIMN8Jq4O$zkAT^jE6lJ@TY)7s1qvqDD9*vA~J%Qx=gPzes5o(Dzu=~Z}9}$#kGpC z{H{XCFMc_Aqc$IY4^uZhrgXYiV+kZ*;6=2DV?5Fdsa9ys4Xjp2KChyLr6;5&>kK&! zH;iX&!Ca}(jaP9=x$H^iNxN=6ce1~(GgD?`KM&7&!Jj+N zjtRW~q(*GKjr;S9H8`-;n@Aa3Zee34wqYGCdvW;P{wkz}Disp}b)l1X@)iI=NQo%# zO^Sa5(LY9lDhlc2n2Q9X=1MRueGf1k?nS-&nOgPr9Q6C?w@e`+d7mjtLHj@TO;tiP zmDGP%TF=NKA6zJ8nLD9_uR(>Xk~+2JAPvB=+F`^>Q%M7u7V@F$Nb21PTQ)MT#OWuO z2rp8zG}yBc(!?qJ3Vj)Og2Fh!77X4GPV84 zD7krcj!cGMwJL@szsW^;GL56PQM#@igv>K{Uy;hd?TZ;8q+I{_$x0!QmJm^stFWtp z+)A}7JVCuPs4x@pYsHQ#(5SD!BTfx&_)wRm5R&nis&oqR)q0A$5PrxHAfLEXu%_7# z>F=J5I{QT=Ph4j`pvZqw@78S}*Z4lvOFgs*=3Rs1hU7dJ#9rtz3H z&X1cxKe2w&krX)Il}+zQAl)z7Xb4xJnkI;2gS@X_3Q_$Kd_hZ__z-=T5JLCzBK}Nu zhP_EB9mpT?}jSFAo6hr1A?v!{vhn(AQlY0|Wu|AiTVcRPv^-D2Jsg=f0VAbY{C zXUIxk&3M?Q2>=hlBb-yAutL*xu^Ji=_A%nsg~n(!=gBhs8{KJHL0OZdKj!dYL;Lnn zQG5-To~+fD(#ZVomUf!%67C8*OZ)6QluVNJgT4c_qaxg~w8(f6!~@7+X(TL`agj3{ zlUxw|%3fH8}6#sYCTU##Pr_k zLA0z{vrshN#$b)5uN7kIn{bc3a8N-;Wm|*=&`*WM{5ERipW`EFD%ANk6XNl17)YfI z{pUoqRuIp@ZwA14nP?7dPo^cl4Dx`hkiHq_3NthxDzGvSe0%uHhy71qNiH*MQ0jO{ zEV?3$<&au*bQka3N%(?k$edLf{_&-^IRBV6{q{nR6?KOarg-lbNQSjIW|S z(ldq3HfLkK5%o53Zp{FdxQHk1_>Yb6FcX*75KEDzb~;{*s?5vt^l}S_Md7-gh0&4! zUH_F3LdI#88XC;HlQw0La(ovcT(DvvVn2dT`qjL_{;aaUE+;+g9Z?=EJ4Pe3c)7IY zn08sgWJKO_jD?~Uev_=!9MEfXxg`(%aT$4ySK*Cvb64|KPWJ(=A@2s$30h8*7{;mU zV-9L-Kj9093y2@>kpOLxmz|5>6GDYsQ02PA@Io<} zOBL5?!aAvQ>j$}=Arv*?Tt^dv>Nj1Cx6^^V z$mRQv{W>mz*pot-j3WU=&0Bak+AI#Hx&@tZ*P7w@D`^1cYIf2~njOsXbgCi)`B!i! ze&^{(u+YF8^@k1prt=B-O=bXyEfU^9C@upQgx#0)BSaW(KEvWAf(1`-ZO}e{pqpxE zU_pnF@}pDokg0-A?N@5&%7q1j4w-XuLZx82`M{nJ*dN*A`^F$?8x()?-^tS;+fO74 z=mJ~Abde#DnSp5liOR{63GVt(+&~>dN9?5S8BKv1sozkr-zc=1!ejm=CR5OWwu zGhY;P_|{|@nTwVBNUH*qNOeIdGZAD|A%Dynawft$Jj9Tq+>@vo60F)pIY#q1h>0X8 znBYB=!IR3@(f&$@ch!XiGAYo%I>2{Fc5)ydU@Z?+{}!*B8VtZUR~>)>%g^XLlHQVM z&vG`R1HOzNfSzRTTv2BLz)A?PCm1@Hiz0&!1?`wC;tGbzg}$2$eb^z+4rT@nwu2T= zx#JLGcC(xGg{=|BVAb6S9Au8eq?f`REOU+?l6aH0)3V-QOgE!hImcXwVwN2S6$cmy zE)M2?WwN;t)h~+VEGAJmo>5H?&Kb%`GLj&^Xi%*V)XZyJJ$8n9_e2tBe}4=~E9yeh zr78OL*J#6(XrY9naH%~X(B1J*Mk?(MnH+Zt#{#`;?Q_?&(?duh#M zV>dc8<0pvQfV^bpN@Kii-WRdVL_x=l(N*d6tZ_PN4-%HRuj+)|y;NUndR2{AXhWEG zrqMhZq94a)9#{nlGC7O4;CyqPA4##vuTSge_D>}F?O<}p8xwBH>Mr6qeg->T<4Wf^ zas+oYgsW@T;LZ3g(-$EinLFHE6sKCJwf(N|LCT@%=K_6KPCK3tlQtWd;ttv0l|`$b z=ZV{z76!$_*K?Cy*J*a5l4RMz7}rE*1CD4GxGM9Zpl>UK`?DJ9qhMIz3{?v`1K$U~ zXb;5rfaG!jAmpmtyl-YT)?XTra|M=67edrOt6CS;w1=5x2`KCbNrUq<2v2t69&|%d z53by|a_MP~l+kf0Tk{&D*{Be&w9{8;M|noz{!+0qG)3hbUvoK`v@XpO6REo4vfL+S$P0I0dF8koSk@S#yBfmw2v#3spycx%t9o5YBiq`Od45Q(!}MGb z9@e_u)HQ@;7hR-w>jG2&Lwda<2|4?q?84etT=n`C+Qaoand15o^fBqo!dxUI@f*!& zk^MFrwH}$1kfv0@d4=JOp!!~c!}T)eb?qj-9KC3Mv%~4@#!axCQRRAB@DNp%b>dZq z?Mlca2^z!q!M-#W7}-MZ-$o+^JJs0l`mv9qvi+MF+#Uz!BmlGk=it~jD1nwtvQ6~5 z9Z@JdfQ-{`2PAh0M+IMxo1(V)XP=JDfcx-^a zt9ojXAl=#kP`bh*w8utzN(%MaAe}l0Ps~ZgvsQf*L(=}wxd78^!i%ZKb@uTx%eK~f4@C2E!v*m zGvIpLp4u)R_$>d+2mHV016J2v{wK)?e|T6EDyKhV+PyP+s#=3ms#S?*iiT;YjzP8X7 z5QE{j5ZG~8SlcKZ>NKGAwo%0#0-yYYSeBslg>Fu8-~t+t7;_rJhW0*1g1&#MwPFWJ zP{1a58IAy=)`ammBI22VP6Pv0Iv{+FeWp)JLgeOX$hHE@sFWVZdLb5tn`05stzf69 z9aLfXGCfQL z@pqgOhy!7+c3c>-xw1J9>k03QGA{)|)d^M4jV39aI{Of4$I*`zz)s~0sS1ivZ33?u zR}kE9ZQ|lEA8)E`vP(2hj-3P=P?eRX!f_y5LLmOS$B<$Bn~$oGSpw z+>!z%Q5#NLr4nrzP9PEPUvOr|+cH#1b{D;aV~d_JQQTZ+Egpd9aufJd`GClE-bCh( za;_&G2*kB*T)1|G=W9y`#@t5nN-UH*pjf61+xUwlw$#F{_~YrZYZJ%`iz zcj!z!2DV-e_A5dk-)6o+FZ*|44j8%>3MwdxCh9$}ChGMqj+b#8H7c=8>ElJ|5??k} zCGUaq!X9jprn`>FM|iRYdZ_M8SmjnzA;*m5<42a5(YwKrDVb8%fTuQ3#gRqbNG!j; z`3vSqe(TA7TvYV%fAFzR-Z=gkB``m0qxj*?7lo*j9;kMH(Ou+8O$WzPq|cdz$SHbH zTW(oxg$zjoc}%~Po25$7)YR7ndOV3yHSZviNyQQT&krko59h)*peDRPU&4`&8*<{V z`v|lR``%yRRo_46{Roevg{(?p`xZxn@d=4RYGxmfIiMgKNI+@$RBk%aRmd@;eV*>I zO(Y`F1-F_fV#{r68x@b5OPP54Ze+R4XaQi3=T*6IE93!PXMnC@b244cXD~Mjr<(U* ztgM=j^ZBLH^82C1Gspwu8Z22V?Uks-gW?jGXuI+syMLkff|q2+DSeL7n=c1E(|883 zqmQOk`g*n}uZ+OGB*|P{*(GSIyJlez7f)3O@b32O5vWYt4W|V!TSgFhb(%? z(+(<;hjEyBJd&~<{m`xy%g3rK)EOF3;WFCYe#e>S1kxpA3C8NGZGe-FY2zSe-^Sq$ zci0O-IMVnMhMpdi_>h^EQ3`|$xjD)nhlFfke?)>9ZqX{Ho%FKE1b*|#nji4ZmX==u zS3yluA(tYpQ2iVXuDTpgIO!K~*&%8?4cOx9BgL0xwp5s*pU;GY5h> zu@XDBqK670Pk+;M9OvN(TV~!e1GbagtNUao@5{h@AD`vtSL&7+K031*dPEQ z2=65)@kVhPh0vE+pN6w8OylEmJL3ov4JCR$8e9mfh|#@VvXMw__V_0X(muP0bZfnn zs#t12uC!d@m%|ZjuQsl;e&|O!WPIsY_5xJ-VQEs7RQAAgidVAFjD$1zZHyvhz`c@;dnnmA7B@`Ly~0g5+tFpx=hF*x4!qSR4B>Z8>C1yS3YT6<~Y z6#ewz2acN`(IjDba}5(g?8aMERn#78O*OzK{)%d<4$=@j+#=6;0S$kEpt}|gC><(H z)XfVn&aP5|18f{UBJc;-T7PHpi=G{>-qQ25;`&51f$bgCO!;t7NR7OIRKIrmAOVo& z2F(|g=xhgZg1(d1BnB{0HBR7vAQ8~Paa6`l)X!fAt*w%Ft2isnVeX|)gYdSDKS;Z^ zJe92EOR)p3yGvq(t~K|ybL)<2pTk2k&VsWm?RDUu(AhSU>iAchA8Sn+H*nc}6rb4S zaG~Naw3&r#{Z-Y}9S=p(P!c)nXE|wS+2@#pfH4$a6kXmw<2IrO%S>&J?lBd@#?+x( z!^QU$q_5zj&+`Bk+S9TtFmE<0cpY1^g_XElV;naF&{?IGaJMVBs+t+W(R4`j8m%pJ z?S&d)AIi5(F>PeApmqo535b5prUz=fc~e^am{5HNR*F|y9NqXijJ(5Z)ANQSx*G4& zt{!eiRIv17T|u@9p4Gshy<>b^D#bJDNcR+MFDj@9o)^Sbed*D%Eo89m6;=o-O@ta= zHsyyx#2x1Os)kT~h4Apl;yp0t4FQ7XSdvZjt#9*LAltB*NXx!f5Tiv!Hs zzd@8NSs=^)Jo~Y^LhWe~HPqsu$(u#7PPDvH-=&*dtM1oz7{&@F)pm;8oaj6xd0BE-BFBCKAC%I zdE&3)SgJpny!H4%{Wc+`YAx+5^dKn*jErczE7~bFG&czS={VyfL9I&wjdRPlwU;Yg zq(4+zD)usq$f=BBNYqf8&cEuaCO^|u$X)pWM19TRWL~I-<}jH!4orukqa8r=U9FxM zU9H}!;%0^mgGr3>GwCUAzf06~Zdak=c?_OHuA^2nB7-Wbz$=SrT6I(djqO7Sg`Eit z(nj%mB@wC~<9BR>S~`$e@7MKiV2cxhmL^W&v?Sk^K}8Z`11NwnM3~EDiy@T8>lT7o zedF&H8S3xV(txX(Wv@vMTE6rPcny=rkO*lWa5UA&mEJWE7tjHCHXmAg7+zJluXGs4 z)tmV^^T9y<0qGXND{Eh}V3meSGmVg-6R)vE%-N0^Ltds_7aGXKjGw5wf0;?ZJHgv6 z#QjcQn4Dk1x$urE=mA(m&tg^w#;=Uv#1FG8ad^>X%;a{UF1k#}G%Qu(bZaaGi?S1* z7uYuq6$QLn{~p#z7w~-^US08klpr1CWzQY2fu>RWT?ViT9$1dhfgl66kNiX;3j6p% zXVnRD5*5-9;Oo`g%fF4zeNXJhky0VG<}sPY72Beq5!uwssizzMyLPZXsp28oB32g*+%zu??PL4>;9Uqx3-G&!q`VF9?U7FL(sD3 za$yamUbe=80Ks$Q7IzkRCGX*`FpGHX8Vno6)zn}f_^O1*ze;1Xf6MX74N11^_vnA88YdsnwAFapSS(Ib(GEcNG?H8z z?=~^<>cB9#Rvi-}M37^u<~VbXjPy27NB4izD{YT5jvy`$SikXABj_{$=$7fF#nLdE zhTqT}G?}+x{S{ZCW_K_?s^8B>1ae_)h{AL@7H#I^>48F76dVP4f#nt*l2E!r5%QD+PUL-8i1T7Egs%}yrz z=9nQssEyFQq7a_PpV8%1*BpS0qz|Pb`tA3JlepY;+69~V&Y<@`+z%Usal)L^_10iT z?s@4!#r;c>a3*W08oE=iKdhGGQSA#@ZMMp&lkFCqKb@v(IjYO+;(PA(T@HLZb1MG! z;T+5~jxZ*09pq-C<`K_v$)Ay2{pVa14;Hs7vD*L<18!9*ZVObWk$4sb<$ z@}RmU5P}-_iz|ZRjLQQtTh$dBYps2^tY8r;eO#AKQpIAW*c8OSlQH`PrcmMqSM#awsu&%A~odT=gomcvE<<&%!QAXQx)jRJWAN01(TIt2f8)qT z?0H7)NvWyqO*+Ezt&O`i!VkF63kQp5&2!FjK%y;uDC@ zaR6#Ba$*Kdf~!e;{Si5S{h?~PqQU?WQjJOlZr@x7*E`1tRUC(@UyFs|y5|7VpoouQ z?@(Pfi-(nMF&q4;irvZX`31*$GCczTiiG)!b*fcCFpQbW0Wl?zdtuW6lBi1wBR8+W6Xxg06+FO}4^Q(8oW|Y^GS8)++?Er% zRjgEr^)stUm}jmuU-J@Ew%fvDo?lw0^>*TQkb8(h?3W>RPj>|gu{L<9-Z1Sf_B(~e z;B@=doE0Yq^ICqh>!jYqMdrLCFKXap@a%^dclGeTWwEJO1WG#dAFAy8zBP^dyAZaJ zu~bX5L_`x2Ka(npdifwv*;@V`s~6h~WbPIEYN;sqHtlVjMMRq(bXD~C3$3FNEHY~= zI+E_?KT12qv10b(3p`DNE&*UU+Z3^p(rA7YH=U1f-42DPIPMr9XMyQC_fqZat_QB+ z-u0l;&s|``T83p0soR4iT)mBjuo$?9Bl*SL>i}`}BQ~zluXS8uSA?bJR9uF)^DA64 z@H==I7D!X;dcuQHqi$#ze?|!9v%o>GCh)=@_If+MxM8l){oywJX|fTYvPQ^MM-;|v z?{^lcn ze{21lWRJfwH(Vl9V?F;X!;E)nEFYD64*jW!!tYZ&*IB zd0U@JH+w$tL~k-%17x0GwH+Aa9QN@siMkYyKq*}rG?x=E#f+7Gq8HAk@js2x2k zr$DCgd-~uz(0)VcYzPjVjpWfskUVVI5v+*aazqxKbnS?rGAp`89@ckQ3yB!HrNuvL z^0k(L=y}mc6|t*_9i{Qxw;T;@zyI3NppM6)-w#eYKkR*`%grtCvnda*y&sY;myRj3 z!aT>g?y-%>R6Ucf9}DfBCDjD=>FuuJ`wy$DQ4gHhS`$8W4mUp{eu*nb7`4%x<6pM3 z**~)Ut^58_6(3pxv{e_m7VWf~jVDCaz19WoK!2xuban7bEY(D8%?wx&y>g*$amRBD zW0t3@YGYURF3i%e88rMDmlfvCHLM?Z^rU{%wCYUu#W}L9_^nGaJ_>2NIP4?i&h1-2 zGQG0@#zzTzkLf;czyJL3Ao-iuRxUOlx_9p5(8EuE^y`>({$6g!MkJl;cr0v0PwB)R zxcm=ex1F+{N{X4^>63VzpLDM0KGg1f-w~&67e{V8ZND=4tJ9sY&5JqH<>u-UXOi=` ztXk&yF8%$2u77{WuUE>Cr!qeYeR$FDMC#;gle|$AqCP!oeR5}COTe%9Vos2W55D>& z4f3jI)8+igv#x}T)x9$U6OZ-IWK-p>9a0fjmnG|Y%#R5x8rhm1(Ksn1M^i2j=%%W= z$r&HD|H&t?uSN7#JM3tt(x#WYmNQdmF498(W1gn`io$jNZC5r=)Dhg_Wnvb~fd# z8?(Flv-JTl9DJl1x8;~&V1O;c8fo5tVbtaFw{Gp&5TX43gMky;|NO=WQSagKjT7JJ z`fse@%S)GcJ0bP&-v4~;OHmU(wtT*E(yHJGgM!Xx$6cL#KD*zhs?R-ZH%-YKH&r?H z>Tfr$PW8?S-<)N+etvyG^^u&s)Emd`;()li{+p-YZd@zszunV0{Q0{FKR@>Tz2gDi z7k;{xGj!&~kt5obJx;9|I_sCaCx*_R`~7O{zc6fTi+?J)QIfUr3(Yy?facluyxz2BMLk2hn|D$nTezXl(R{PD*-e~Jn z_mOGI6*t5EyXxM5-{Sc3; zh>~K0f-oyb4VaHsB7Fm0L07Dx-LM(U842qZ2tmRiDxskP!G8^)6IDY-A;ffM7)1l3 zB$12)rA;jWd^!tq$kxF@Dds`zlF$H>AaB=z8HC6@+FK5P+!-fygq^@qpS`RwoUi@o zd+zTUKWS=d<+D3}l&BZU4O{15ksCg$fvx_{76042`Y#%>GB_KA+caW*cgFYSySu(G zxT$me`T75>8~i^IPDN;r-^f32wjaMRHka>YX~1af85GgoGeE=>`sT1 zs)dj21@Ob1)hO~U+({m(g!3Di(Ve(EW-EcQxL5z|0`LTdDz}hipzb6iJxmr(_ttpf z7|Pt0tFuuc%IAhG;j8VP`6YC8PfCT1H3LbeL{j$jnAI@rYb6_pN+ z_c681auDH*S$3L>VWt^-~98h;j^2v_&WF}?MT|akf(lF7IrG_$WuR1 z=aE1C35P}>NqhQJh!TWQv0O=i3b~htX;w^H$|=|?zEpekrFyPQ9OYMuKNwPM==NB zPhiVL_&tg}=N}t;1TH0ZyF4})VgHDcK`RP_Vn<@XEL6K6!~ZlLY#L#Yc~EYal-uPf z_8^IfHey7P@7QEPFfxL-)`S$_kN=m6dtwGWObqp*ozN|5h-WwGes z0pE#GWZ1FZ*HQxiG!c=zdxE-*Ono*)eJ4OYKfthNHMEp1tJ+!$oFjbw^K;MG(R&WZiM3OoDHZYC@GeXJL%chWO z=_$r&d4M|GKoidug)O8Q;PfHpB{H}HR%FFi*HYfjFXwICXdq9bXyeP;Fw}|k0QXR# zhu{T(KL#EbvV!V{`$zm4YRTU+vmy5hlW*VeCoQ*M@N*SvQz|A?r!=o|&%Bfx#M5?M!Lu9Dn#{lHB@!}mCIb|Td2prmhdeZkrJ8gOgO zvc87631GaLg=e6k{NtW+z9RR*k!?VMU8SJb+IWWcab4gNs@D7^2U}F(dKVkoBw-D{ z&3Vc7E0+ENZ&+tuB5y8W#8IP>>k_yOc!k4&-2gGN=Ha~gLaccMYRPeZj0Z>@)bNrA z8s*8?j{l5}_#1d@dmE4>ooti6Wif{Id{XTZvu12yyub7 zv%YiTI1pt;{`n!A`3ieucNyYqG>;%2%o%2_|tEczd6u(jde`~(mN*Hl{T zigaz$nyQ8rZKVlyT5SScto=3Y>IoW{&%|NRQQ%&=SZr!jh}{5gwQzpvJD0J^pS~ue~0(3VZB+MdKHB%TP3%|s117$-L0qP?k5m|ewJIjOmu-NfQv*Ej659>4CZN- znp9SrczTKTdBkmC(}PTYLFO+4xXp=QJgfp_58i6|96x8s55mRA=h0OMZ>x7I63^Q~ z%x4UNDOf=lWO>26jQ@gP$5&RSAnC255Zp<-ANu%=9OT}^*Rwbfok*QBz0iEf&zy=a z^Ry4wS?crpfC`EJcokP>(7N6iKrj^9u#gXlSD91)h~y@i|xqD_Qqp|GyeAfM!4cEvOy z7&!O#Q;dC%pY%qX^y_-=Pao|cQ784U3h)kp*RVL)^sN#!u404fHI(%5P+=lcg#>cr znhO~R*evVp)O-j@x5WZ#-;AWsIgQmUmri?bb7g=5Ie}C^DL8}k?+R-R5;j^=xB}F< ze4wFUP}zPt7*Cf7oj98?2qjf)Fn=02WGY5UtcK=*hvqU|bpu(ZbVG?#s`ui$56EYh z35MB$+_HiIoT0%Nu39FWyCW`dRurZOlRH3Ayt6q2UC*F7!nl4}_{<>0lx!`=Ge)8v zdwc=5Vrvw(S%g5_y;QLB1#4bUX#iILq6gqI0v*VH@(CMmx==4EvQ@w>9YG9~bgkybt$e98_CF6wax^ErPi#vQ7>J z0#O2e2PNlkG<>aab_x}M%T$pFM!|_-6wLKP9gA4h2~hf)HEKO#KU2eKU~TcgKGX`S zBN!M`n3j{g?wObAOoby8w|vGMbln0$6-V5z@bP3h+)vdj0`Ev(V~1?RZD&{i!a%Gw zC(4+rA~_)cQL_1E+|P~Fh9D+Kw_Ihs;!LI)Su$rLNSDf31J$Ps!>oBSXF8j6Ok+K$ zHdJsP1#s$Z8?1l$#-Lkly~6gsGY;3yFRoK12eY{fK1t^c1%5TgiALMHcaL6w7X@n~ zL+>BUc*^M3s6dt1^&YQry(9Kg(FvYIe7l@;R2-qUj>YV!loxy#R){1cC!$GKMTAEt zW%3hoDpO){9(-F>t>P27JT4wt%dcMgkX14KbaizgmzaE4%GIypi#Ze5zOWcsvnh8K zA65XQkKGxJv9UMki*TLQHLP#cn*x04%`<&GF%*-pbPZ<9ltnArurr%t%h%!8 z6qn{&S^Jhf9l5|SmZ*hN^BS)C294R1X|0jDtU`81hUn@fv=bJYOOZQOh|jo>EIG;Z zRC|L3Yt?01%ymSa@_QO$H9)qjc$@!Rw=fvu4b!vu!4{N1j>l`H%Y)lz} zpl*{p%{mdeq1u2-O?oAsWt^!xuc8i@)_^Grm2bW+*o>rc@O$1z!JsRK!U`xNcUE_9W-^l(iXlQ=ip8p^aDRXtLZ?vSQ!G& zyJMjAYq2zi^B#OCA~Kk#GlnlULmC6@F~~D=R~3D}LWQ?F7h=l}CTfpA?Q;Ju9QCA1d{HcV z#j;!Vo;p<~)bk0_Ug;HQ0x~AjDehlMtn)r{KjgI54B~!Fv}2l4l^-z<9+dYws^Vba zGVeoGN=sD6Td3#5g%1RS~bBaTrMzRZ?;H)E!*j;77U1k!4$`dO2U!T1d~w1I~0E_uUDui3q_9~?pBXb)_;a9=3kY` zv&nWoHKSGOs)i<$Q6q!qL;psbo7Z}5xWA>8iq>UB{YsGObda@AoY)~axj(XL#)Z=! zs8iJfE6k18s@_xbO}aON9a?PtgltL%^aD({vv9*S=l;-weTc8iNd%wYAyAP1xb!3Z zFDWU#Pd>W1cE8FT ztI%Zx3eooYMAtcxkv2WC_K|}^_N;iz-(Qt*%l2F2y$5l>yio|;n!j>B4X=Df2G`2D zXRVcie0f76&PfU2^6Z^u{lTc1 zapkwd*$oP9_tZa(N^<(uK8PFA@-lj%pO!UU2ukc&@rSVpps-GVR$Kz|CWfUtYd&Jd zAbhFNgv7KEI!)ZE&?cbqy5BU`B4pjK(4G(+59hJ1!FUc%$0y8pSnF7Y@sR4JFuL5@ zm4(9gek5kHL=7Z0P;;uO`h&(f3vktMd^^q6Kw7Iav$S1uS>6vYC~3CEFb-sEK4;h$ zr5hFKEI{_xk!2}02!DX;lvK+e36h2j%kXvMXqdRv8g4KUp@F?sat?8+{PCg-f}NlN%6q0oSFzmiU9e}gw!L<{^$Wx$YiEh?#5iXmmH7Xti1HlCCLe$w%66l-*>ROl^;?yH+FtqLLm&Cye`*EauNd;Ri8}b2y z>LU71bCz>;1I62nFF05^iw|H1P$2{Ap0%5w^%MVwB*%W-JeA*Nn_(Y_3e+478I~_- zqi>QuM$;ioGe6Saf;=}%h9}@F;%-%rPP(21K}+q<6ONZ=XoqqyaHe8)QzlH1&qWF* z-GM-@S*R{7L6+aha#s&+S9YR0aW9yWcM&F<#PDg^ z1sYl$cn+2y6hd>ipib5qUAadTBzKYffW)AN^7m_&TkGT5NA!snz@#|FuqqHBNUo8% z8(S8w6DW)mt};&NT&i)EV@Ly-+Xv%Het~N`ujfYspx0Fmcl_ZJqfTs3NqNS*22n>r z^z*LzLmdd#CW6rH0Gw$#MWb~Wf(6O)G9y_E1<6q*3x>SQQ}aevn&H?Wa#>uIx6+=2 zEUSqQ`mco*of=!QWxXRFsVpL|w`?PNT_v^0BFk11YbsM@fRo-%P>-?qLY7@z+K{QJ z{D+FEm*RDo)24Sj&Pnf*u?AP9SlSh@!ec{iC1;WMCwfI1EHUfL-zWp4KUxK~gY-2=|r6+v+#E|jy(ID=>PLXAxtxt>3*4^mgh@t<%Ls<(h#YU{hu zOpg4%2U!B7-_f-_n;hvzuFMpeW1l6rx@DlLZz{+zyr3^xfXx7`vr+oI*PJn1OCw8u zPRNerJ9&4C#gumTcIMmJ*9BO0A&&9!d?))B91BM&`+Dc<+OH{3{*(ZaH7>4 z-h7d0FWplWvj?cOmCvXTHXoFl&jIJXJ4oGhlQ!UPRFB4wTIqkkh8p>bile-{c`heN z0xVY!EP#ZQ70BSXV8UT>1|=Ua+$10K2X$+eyotZ%TUbxei9=Q} zg{f1LF;bxB%^>&LOM^j1bI4hc_n1oO(JK?-IUr4n>9t zgY`w!Ol!IpcT%4UQ!Q3QZ1DEmikK*K1+xoVLJHqP1)YIg9bkJ|IK}ma$qOfz+(66L zq8XV;VH~_uGgF!82~GsAHVD2k-jwXR=Em}I2TX8T}RjlN@Yl0{jmpor; zl@AS6KjJlaLYO{u5`Kw^u+Q_ee(s+$Hj>O{l5>tDMz9T%f$SUQb!Z%Ryw_G9Dw-T0)&mmJ)S2SGJr@OJIb$=4f1jdL%La6>pkyswa&8d(C zhe@8TstyxRaMq*PzAvEMZTK|IF2t~JX8G(!cGv9UM%k4zYhPvIZe&=LV&`NngSo!& zG_7lO!akIgxWTy#iKD}SFktD(e4pIW5EDpa1kIQpGIJfaQEu+ajW}Z+;_SX@!w6vy z*P*ZZ>cP~ zj@(DMO&H`e`>8NzffZTmddE|lHJ_M5h2nk8_`(svf`LC#5{mhCU{xgyv>$+}82mKl zDVlLrHp7XA)cBB323&-O-%{|8`91dE{GU8>{^mbxW`J&ZlBJm&Yw!l}Q;u^yX$K=h@=0P|EC6}am8l1x6h zR+GwUo=`fODMm&EiO{?hNCofrVuZpf5iuZ0lp+`{w>){ac>~T7QR)CwMari2O%|@y z`G!&$#bySnrYN}t`X$VIPgZQuPGTo0d29367>`Lps@arH3+2YBz*;~b) z4&oAe3(GOy+8c2LJ)O*@CG5CR6HJ`8DT^}Q3vsM-r^Y=LMAZHsS~ioebZ^DI4Kup)Oo6>{%{Wzig&`$Y(C3pDP{faf}7ZbI(KFbBweIoTq9 z8$l!JJ@wFVNO`HA3v?MF4&k9fFG~&+uR9tcZWCZ8$^F43f~f%H5bO}Y)`T*#(n!FR zN_76(pWHaE9kecja`*hWbpQ!_I4Lr4q9*qz9|#j^-q)*R(@S)92<=BgJ2^Wh-L z%xhY0be!u|J`%86l3mdF_Dln$K&yzvn+n?BG|_{%_uR^y=M}_lIjXh0#9N zzoCr!0BH@^nbF#o@*`DsN>J458_dN&ak60!{eG@cNZ=CToMFW5!Vj~QL34fIIvjDf z+D}b`ZJ=#CYl3gli;@gmZIS?rsx40HrcgkFgxB{%TACbF05VKimq~52TXt_xjyINd*IgwtnEH``( z^Y?;qWwvlVhchvcp}|f}p2r7~C$31YGd`Nw0}{Wf$Z($H3r+V1dLb82)L^_e$@H;a zmn`jK4^GwGRu?3oTT6M9x6)CB*cBR81w;2+zXuO3S5bijnLm+R>v>ZTRk78S5+qIu zp;M5Bt+6pdHXc$5IbWe61p%r4?Bod3b&spR<9F0}_oUly#MW(L;$Ed8nzb)xweOlD zEG1wq)q8j*(iZTE_8=@|CaQCl#nH)rwqL|r1(V=R#empn+9ikQ^*~OWLP)e{VVzw; z!p(ye1x3icfhHDx2WNX-D}6{494#^xqkyMr_LJ$V6f{LR1n5&&M{hYU5TeZ|k+Fj+ zF(~h_EW_$2Ovr$I@km1u@1^8<+CDjy9MVqax)yi1<@R12^)?dDk~|cjcLZs|!x~6a z2i%8QX@h025fv^$?!7hHja_h-;KkirMSkJc`?EkRVrb(7L``ejvEfWnckzBCeW}@s zWB3nfq2jgh#Jn(g5qLU~3P?RS!KrL$%|9gEN6F=ktvK)pk=je^hz2&YD;cxE8md_jf zRXc-|=iyGbUgfNghkmf`F{W?{hB<;-tJ2(RN1AYP{&!pl&s^hI;1lJ}tbdVDPh1R5 zy^D1t;<}V_b%ds*789-nTq!%V4$5!l-KMv~OqE@|3?!5NgG};v%uQ~K;YgtUR)m*` zS82{SX5Haf;5D#62DWt2PB8os#8p}X@Rp`+TC;9vV9qUM%2pfSwHLJK4pW>r4nfwz zCS{F@_KAgF(wt#MM_3}rxk#F}bR)N)Y8(4Q+=;@TNxEu=xkHmAJFrDw#Mb-rhHo&0 z7CcW}&rr8#Iq$a5N5P$qgO8gxBp{E@I-+U-&B7-=J+!*PO_~|;G(qA>g62+wdAtHY zf{dCwggWpqyx6c?m|VXIe+p%e+6vy_9SXTxKQ6Bqf(0zxkVV!nly@H+W^_Vb1}9CQ z>fEBvnSnr>zZFO|Q|_ZyGt++jY2-}u7us9XhFH!qg+tEZ;~AdgL+;<38<|2Q#@AGdiig&o+la zK?rY9x#PHe^?9nRh&N0KHc#X0n)!|P|HIz9$2U=>|KsN*IVGp*Ofu6>nn^n$Nl9oz zGc?m?+6Ed(AcYoMXrYCcixgi{k~Jz{J3Am6L@X1InBsbx}M-> zaQ8=5fGiGp@Amrx?q%_gNxJVk0k*02Y>Il2IQB6jFpSmXrx?qL3$P#CW6E23*89&f zwjL=o&~~#VsW-nZZ`6huPHD89Wl;MSQ1= zcToT)(gg#z(pKs8=6XU85N?e8K%DwOT3HmC-$?)%oDCfzy~IsWw}Okw>MRQNN75VK z=c#S7Ta?9k&+`?Z#WdDX6pcQFO8=$|Lf-h!s;oJw7T@cChikBn^cGk;Ge?Cp%6<*k z!XGz|dc^Y_H_EolacX(Z%F<_5A5wN|+~r*w7ji?(JIUk1g`Mbb_hi4&t*K+w?9kh3 zoGj15{@28xZL2$rlS3Pj+#3bb=PxdpgSZG3rrh8jU0kpfaY6i@m_YBT_#Q2)MEN(h z+Cx=H{t#8n#bb{k{(Udq^3LO^BUn;5hud0qLPMujcCvk#BnE`|z+>K1Nhqh3LKwOF z#)Qy=8t+YGnFR{bHugTdc7E^n8(_>lJ}rc{zS?o3{!C*j{M&0I#DlM~d0lKA(!A~QAO>v{7-Dwk z*hnUyYf~ok+zu)WUx5pbP1568G%b==%8GiWGg4eeo0k#t)r-h!V;~y*AHej=r!uy0 zsbigWMQ7&5(jK;^@oJwq)ZjZ|n>$p#4FeW59?qp&?=^6x8{(n|Ik)XGBM8K^`sVdq zH#F9I%m9E)XAEaqPT3GC$VT2me#6tT&C&?e^rRSHegX1vJ5s7U32Xd2gb9oKA>F81 z*0rvS9ZK;6#|+y->YG~lZg@HD`vz;R`37#$z6H{`7Ng@R7YU|n03*;nOwaaWY+fpi zSuML0sQUL#>{DhTBQOAH;#j2n1k@csTU1o*y7xWjfj%eIn!5d14l--KF4;WBZ<=&-#MPeOnxblkUHWn*m zG}iYFbn%8R(IDq%exY5$t(;iWssWQ)k!!Hv2dyY@fqJYP7;rz!Nu1g`f^!ut(^BgJ zJ(sQ8jBVSUqmqCP*LoyG!`{*y7Z$RVb4b03k+R7bVs;3~iFnriP+~~$lS=b{*&0L?3m}kQFb1GpcXV?>+>dS*d!Ol;W;?( z@QY}CWZWY80~20`GtA?7JYjV^eF!Yn%}1m(??)yY@OGFgi_H3XYe1yw=PsHhj@(W1 z8eas{Kx6;qRjMVCeNo?j2xQm8T);ax!8?)(SD_AT;`GuT=Xly%xm|0^kvB-u8ZKAe zs5M8x$HWu~D@GM6>tIX8WUf0>7DV2Q2A7d*k-x!?7dgv`K6I4h0B2Rh(3v^nIeCh~ ze^1$Zq`Z!VZvp#(F53M*^1r};the?_P){JXH2%UdWf@lMbpRYjo7KrWc7~IC+pV${ z$B^sd%)cnN>Z&Sq;aX9V@5lVe`04@vTbV)JDtSCs?V7UH8ovi9VNL!HZs;i^^wSad z+tlNffg5ZdwG=EgU5YSHc{u=9!A>`dxZ7eL+YZ|7@ms`AT&|pgt7_1q8V!AmD=Qg- zg$K)~An{T|Ux=Mle$>)=9zWjpEYMxdqkXHMMK2Bm7LfeoNWg3k#PwUALG6UITJL+2a-5^*m+(lE^ z{U^;20@2HO={-i+|?+o$a*!8a?$#_NkT+eMz zyNh-fq9tD<)a4_a5mtE08m zi)=eg>OES=N9$&@t*lyxsy~A54`fc<3IwMC!cG9AMNpVtdY?bl9cK7FEIWj9_i{H2 z-A;}K0p>4=dK{a%-u^zI6Th`Ig1BNw6>?Y&oZ~CU`}u$Ox;xV{ z4M^Ca3RE}h`}!wsiCyXaw70rfdu(pyGpz z^`F2x+sU@sAZ~Fj=7Q?qvE4|M2b zkZM07{wNRXqV#jn-p3{tNRN z14)u3mzxeG!J2BdB+^y2BQ#+0No!D+Atk5*9art4fo%u;4St?vwI|X$6tl+sB|}Ab z1`|Eyct$$KP1&V@tu@-RNb+*?Ij?+BN2h`k)fdS=g1#xf&DNDsBU*2qPXV9QkDSu+ zEw`M$@95xcyADxnIC*BO0-k=zG7No>1yQ{bIlgoB6guOT*15^tB}nOXKV=95F-7rL zZLhL#rG_4jqdV}g*m_hV#k~bazXRU6CjN{;8q7Z9l`Y=zQo!<7Yjw?w0oTLU z5KotcZXS_{%lQZxwMsBNkOBq;0vdJ9> z9)iVaGFkwD1W}+0Fnb$~?jTbGZ`L^TcaIM+Ehx~DlC8EvU zWDu)_Le@;hn5U7^kE){gw$7x}qz!=SbK*8ml$uGtFz>{AayoJdooE$o5m1Akq&Bbu zk41-C!nfjXMQgySU6W7GHs)2%uUl-5b|&4WdJaOmOC_NEF10qli1yV_!*}G}?tU#1 zALB;})?`ZW_P;49)^%pZf{UUWrmOOfwzN09fhn=0(qz0?+-Q@N#U+7PY-T<2JNLyG zc~EJ8;&CfQ^lWJlu!OBPly)bQ!)4yW7L7-xJ&5<@EO`^Fh#E11TbnM>J5IgYyd3qM z|CaKAA=sojHXEk_D_WU6|9%d2nSAnEI(;do;L>HckmyF&aMYg;on1c^3 zilA9zk;A|*8^pEM!GiD$jKs0r@$fImTfgw^d^X#3s!+b8YxPPYZ9}^AfPuNY{Szys zYtEvnyIx{aZSTiJ5KTS40ZS*h;M*<^-t|N*jN@ihJr)-%e^opT5~jLQ>?$6UzeX1n z0P|l9UYH9X($N)NkTR?je%iZ`FP-7sY~C=y_J-3V*(N4Kyl~qy))tC~1>2zQY0t7z zs2tlyvfRqDiKtX&AED?~>#`(AFWY&F-&9`(FIp^yfvKv){XUO^_*>GbdK_&XuB^d*aCSetNTIP`>(K;M5$QS z66dJo{B>W^?$rX*Kk@{yGe9U07^ zU@KDQB4nwzI8W%6C$Tq8p;56Z2)2Gvc?B!mk@C3~r1|33jkK401#hcL^cT2~QtxA3 z)i{k(sXNe5xKAB~6~CkmN8Y=wHiqHWn{SyGa50m)d-I0yU8(;L&j8L9EYk`1LTEu{ zW!S>MpciIwU{|IalqOVKY96VVx2*H606Tw7emO>>dhY`RI<~SmGUj=#Z0{6y9Y{a0 zCG<8MzE4WEy`4Z8hkcxM@)QQd1brKjgP*(CJ=$pI`_KZ%=S5v&Vc>1ui_*}!6GFYU zK1wSt4xazG>s_&b=u4yy(1WBa}H>EL6Uam}mWS z#9r!6cH4~SvEs7!` zC`&9KbyiprGqb72`&AC`*VSKeq&c1sU4kGGadyp2+}#zf+)j*MpGi)_9?A_|`U^5A zP~XbD$0#R_S6GaXSR?V&Bi=(zBu{7&Uw59Gu6D<6YZux}93*}Lp@Wka4MzFz=|=55 z-^tOR@57Z(pP#gD<_0A;KLGdPlYT7NX$A!Z4ZRyhW6HoKkWs zDQ1v;0G&8bx?VIz;L8Pw;C(2LbtT~2=m@a@`vS~~V~i`*7oB)X>>L~u7kqT|hIaWP z3cVC3x|LNZ^lF^gHF61^e4DdMJ{a`X;G-&n&B;9Ep9V_{P(f!oM<(Fm;iwl&%+P}2 z+K3_Oex06K0~X$W6^a|Jt_jXZ+|xCui#LlC_%C_<7(G65FFK>=BS})gy*!2c$X)KL zerQ7@s^*XBx213y?tzJ*DYOP!cH??SfxHDNr$C_xi^BN}!3!)N$o0fe1Fs4Hz0cFN z_BI4K5Nl^HFC53M@Y<_H!)S;ZI?wjkquJIw80&M4YK&`sg%Pbw6X^El=fF=JH6G~A zi1ZxIw6?+`L^)+k0(YB}=-nR1^%_&Ec4ewFY};7y5jMAi*0~oouLe2u1ZrLcd+Z6Q zdA>7=0iCjC4oI0&)Y1SSLr}}OjtKL%t<2;4EOvlc+4#xesKjGjMnv zfMjo=Md3RHixTvI`I21Hjr~+mC!uhPcS<*P3JTj)33-1= z3_B#r)}N!>bUz$?FIG$>Xt+{(vztbR)y9i`o80uxDopze4{@9R>wK+ubf;E zof%#(s|ZLkPHiD$0=U)0Re7g%<%jF5=P-|{%aP!(pYDDw;bM~brtP1Gm<_VRgPC%$ zKf1q~Dn8B?i0R(>J;?L z)LOl_P2F{}aU6F#&*A#$!ne@fz`D?tYvDF?C3%0@$_i^?X*u;QNe{C7MqH~X!Kkp zhY@UPQ@LGR}qL3l9=Hhu*1cPm0X9(kjo!eBz zT?pIJ->uV<8vhxYk6}l9J6Gkt5Z`zQ5Q3f2pLnsUTg`E9i1Jtpz?+G|cl7dISh+;S z7XR(Eh5bs;4J;&eOO#uLK zzX|1Dz+$weF-*a=$vqDNP7s@4d+E-S$IQ2PNXNtND1)bUQ zCzW1LSM@Oz{2^D&CVNiqP$ytMC zf*R0?Rn{A1uqb~O;)b`5V;@XF;r*-dFq|D(6bC$=62u>Ihk;stDpzOTDiX>4k;otE z9xyoG7H)v`f42>6;ngL8sAHCI7VrpRfKsK++rRa1Vn`ehaFR-mmi-`H+R65Lw5iEC zze*hMeL?DYBk&|1C;fzt`A?RNKx`ScW=L3;&m-~+>GkYA$b1Lq(2=1LEhHRz_Li(e z#~v#C8nrb-Icp4fEW0#C-mWpXn(4?!n{{!r`lLQQu>5QD1Ifk9xv!LGsd^%LzJ!|< zH zS1;Q2U@%1XueP-&aC=8rcWoWVmDRs1Y+`QTFeZEkjq#oL{$N~QO&jnsDFxtHBx%=l z8su)39H0q`%WcCcP{BZ|n6p41vLfYvt$UJwVpkOS*!{ZkP?@yl#8AH?E_b#<%wYNP zvhFD3N-E*xnjA1ye+;ii@j zCRX38$R;rm;%ha9bU^#nduIJsB;{J&E*I(Qb-!h6UMaS6<-$L!8YE<1_w=h@vpiR? z_^sa89{YP!UUy~S_nTzJ+U05?VsOq^3m?lPz54qVaQ~}EvadUG1vLBWk-+s8{=K45 zhRY3cxv&1Mi?1sewCC?Ny7u+@%l|K`clC~!hteO|3a%C#GFRmplD;!0i|v#MP(eU4PTuYxjwz;Qn5U>$}LG2}fd6 z>1sb+8_NGW`qgVaaOKFK4#ukub@_o;+v92nU#(xxwQ^l<&ucZgg6Q-66u!P4{!p*q zror#W1OHOCKh*qcnX-R7=}Pf)uMO`%JsF1g6`^spU4Adz)oT3dwD{vg{MR1xrzihw zvHz?||I<5ME!Cgh<63+FVV+#yq_KkjZ}0FQmi~W#+v~^b)eQ7&rTe|p|1deOROafl za{pw6Tx*2i1>LpNuO0hC16}*|_bdL>v2%6IT^5bKVad2Q$bX*Pq>iGUB>!x%&0r zmA?P&9sa9JO|JQ$^zf^#{9j#a8p!0!y40V-L8S`zfe;^tc!b#Oc+j`T*G!#pqc5vw z&J3`!m<8(}F;?S$KWw?~J6vZ-{|znR|B(okDB;flWTFgEYT?$=&; zPv^b^{=~G6>+bZ2yZ&j3cRGbN>_FilzFg?_+)yYw1k%hXshQv#G%W1v>-YJyb5(5C zm(@%b%$7`_lAD>!0qcn=%NI}-+zpJvNm)L>KMR0#)i5$;tJ(e}Cajy%z)eX~e2S8( z07!7E;#0G869G-FkLZI-)hrbdPGT2k29yd5(&gsi6<~YRX9coLMj>5RZUyM8dGxp( zMM;^y>`XNmPX|Bz6ybOh6e%+|5IPaax&qc5&m>I z#h;gn_WwG9t_P$>w0} zmYFp|1WJ>YlZ8iO87luotn#^;*`e_m9+d0PF7ZL(vNQAW&tPS+Pg^p=ZjHwYorV(G(mWf--BK05_Fh z%~BvfwGnE47#@(P1_~a-CItpbPT2^pP6-rs)j%`&Ri&t3tUnZgc0|?28aX#QRD~?~ zCs8h(qR;YWdp=RSqu8anfyhW`311dn4gut`tF!$@H)_KXlv#ER!?00YKjHp)Tl4`% zCBH)K-IV-jf|?u1a=eNyqO8vb-Uc&72X9?p6f2+-aNLW-VkI<;qDGcp9*Hn=Lk*WZ zFpzmx#(l&k`aou0%YDEY52xkikqywP$bTTN$N-`7;e%xth)&6>m=gy*7kx(_g{nKD z+>%u~U6#M(18B~i$Op07sX3WN2l0XGlDJs&XDNA+v2o$?D6eE0(kVGDe*Ab(;LH4N zxD(gG@0yN5}%r= zO)A=2wr!|4Nzj^C9-6jqq-;q}vLuNXt0~2ls@+ub;74$QrLz{EkQCn%u{caldz!tA z-DP*%yV}!D9=q4n%>p*(RN2y9n`uda+l)=}Yn2T!gO1fEW!bZ}d#c)NA3HVKltZ8d zcO5+&d(4AxoSR_@+Iyt-r29ud`sufq=7lyN|KX>9E_m+!uR1|3dfQEwg!q=Eh`o=g zuO(_PF!i(d?{s*)0)<_7)V22T_}J~?uE9;IC8>k#gYBhSs7Me>Y#Cx2YAQEXn1*SG zXP9GWSt{*S@M`cqLnSjZg+h#IlQBV7kj92nq78RKP;R_IZriT!~WjE%o(gjcV}cl}=g zULy1e{<`;7EK(R5g)z`k7!`$)+wHoZ8oM@0(_2g6zb^agEn1UquvU9`Z+((hi+0xc z)>?FSxI}}nf8g%eVboh|*NlPF?AmnQP+*Se3uhMYuFuv2PNl{Ihf_7!j5Ed%3b>wy z4H>aJz-4w#D&Sbo(`vimNqRdnku|xy>vOe)BJ}*;`gE;HPVhFtJ09K%@Ycc` zGy0z7N?#!02)z7)PI*r&yr#WweYXJc=9QO44_$frWk%_L@+%zr3P1l_pXi`ZI7p4X z+$nwgmY17IrY;p`YLea_XV(#q>kF@}taL3-9FrQS&6+)Xc2Xy;)0vfJ(I%lJy`_^$ zXTm)b;D0^olVKqytzBowc4F^@`o$aCKIBc@hDH-P+ouxb#khj-ISFd&Ir!W9ZgjKD^wm|8e{M57Vjl z@6#zR)~f*RtBb+5_PjckVoe@O#?o+t+j{)a1tQ zr%TtwrX!3C6uV0Lf z)6Xs7g^4jgQ=jQFoirw<%QVrxI9*|FfRY!m9W@Av4h>lc7&mw&8BS)>EZvM7nc+B_ zIb8(->`tH;3P`t;5+nzKaee@)$2kBm(}?ixAxJhDBm^B7akey-1bQEYfpQss^(v{Q z>sdURTp}r5YO1H%XVp!wn=u_ny4bH#iW1uuK0vuM5{syV>z-f-CI%YDr4YHH2i#UJ zMZCqaPdKXwGFJLD^E|l?cc#S&-9g%v?zP8!QuY`vYB<{EGJq*?eovlEzOq1F>l!9Z zk76=}rT}Y32IV0_QxA?Y;UN+fhTxkLfc$#~Al>vQ;{Z@L92Um9&gx}*1k_yDa8n7~ zIfKrT8xct@&Jh}Mg@bXdBSYl*h<+8yLU^r^P2P)SBOq5mX#TBXyRuq~`zRa|ZdO36 zomAJ{=?dDafow*y0FaQr37j)}r>h+3HzM?2j+b(nQ}wTrZVm$}pn>uou(p>q)tY7AqkLgf)fx~Ug&alK^dfv#eRjXI|@`sx^9}f+v+MV zW1-fIzu}wKl|>}fI1U&3uBv{;kpRqCXAL1U3TJpeECI&62Ou;zU*HxL zr_{aRnBplF=7rbl>Sl=Vxjt9cLRM9@KnxHUEo5%g&BUYM>J+WL^vR)qq7guvH2N01 zQ>$mZ?IksarV}K$@j)gvw6;^*E52it3^SJ%ydlZcQh%k8MHBZ3*bX+6nT$=j|xfKzLJv0 zZa@GDyAVk~hV~#Sg~@Te64l64^~*mg{$+VPbJFuHGJpC02;7Nu6`W#w7zTzkA@!G&mf?G5Pmut{$HI>#&F{sdJ zS^Y4mdM#%JE=(B6ta&r#QlqN`rf#}qWQ*v!y$~>FB0WXcV*sK$W5|k0Uyl`M;tRGt z@yvp-nM-v(8BZobo5}4AEpn|zecWdm<|ow8y2&7fJvuTH)!K{6{wt_8@)v=})< zm85lObB+6LL-{_gGYQc)F7fO)k$Vuc81A%dB_2TY+V3H`ct4&FF}2uhet~igC8rSk zsG(+nc|w9GA+!;brLK*%dtg1OqBS^pY^OAsv>=k_ZmY!J=x5BqL*GD>N5~0qEDCUk zjo=!vZN;cerj&IPL}y-bx1P@$p%=#aLXyB zuO+QWdYYRRT!D+6h^$9-N<9;vD2%}je%Jz0A)kOuJ24hNb!y|*vnK}w4V$rUxnOiW z>Ybd(*BB%dpB68fe2FJE(UBZWN5H!Zrb{JEmHRn{se$n_J_c57KF5&^RLS0w1k$Qp z9-*Vt+g``<1$IEuj7{D__;F7uq-wzTi@WeZn&z)&o-+-oYZ#w_TML#TG=#m4my?kP zkz|nI%K!qSctm@vxN*-K64i}HZUft9KfBvGGy(Hli@dKeZObo}F_{kc;a>ai@i-uy z{%HgITw-_(z$!K`;dq)ZCSE~X-O1LxBXo1V5f8Y9O$MA*eB3dWj$}BXedd~;!?yyR zm!+TriCX~XSJ)yZ15nN-ux*L80A^D%0m7((h>8(Xg=Hi~)oUEa78>mY$anGNW=v(d z6VD4$NSTfn^hLA`kMSJgHm!Rwyk0EBzX}T}uvmp&Lc#|C&?2OU0HBUi)#s6pVwE9pV^}ZVoz5u_38}F9NWxz(hpi$mhNyqngEIKjHh}& zgtA9^>FS?BWo&kWZJT+18{GvoO`d`j71HpJP{WcR!A%xK@8zKIOmvQ=4WKJc~h1}C z=I#K(#yA!k0OG0^o1(LU*!eM6n0?zq)-xw*H}f;`WL6PCZG0VmlQu?YE>KYESej1q zbn>YEV{Bve))t$uoiiSOfMY!)885SyGe%E)>*JZ>&h7C`B}mVKBHI?0LQKiJG{){) zTlRvP@vF~k$P7={@`Gef`_AUH`Q4blk$-4OKi+AKNy$vm#MpvVsW1H@L4ornIq zj)9C)qZO#9ZKPCS9Df(PF`GD>=dg#v9{FPpQ*&k{B->vS7?-20C6AQK1&Cxfv}hcm zQH#lEzJ=wdNC&W%GA}t);;OroPS&kKd1_%(rM>$5a@N-h$kaF+#8CAjB)4S1mnvYl zPL@Nca5@rO7eH+JP+M~^a*o9YV8)aaSUpgsyRus-&2B5G-h&f`tb*PtSauCk(vedm zaFxxu>}l#<$U?RpW>B4ZP^t&5englHlY)p7*MdwYx8UM}JCNB&6QJ79df!d(beAjj z#bZOwdO*17LYy+p7cCvYLtZ>BR=|s{Z7JYOu%#Bj^pIr*h2rW0`#zXV1AL*T$dZs6~ zhf)yPualEjN4+!on(^kR7`~8c9xQcU*BR2n@CT?ybg@H?QofkoGP~L48WMvn&uVSP z3G5PHmJ=%=x40i_VdMqYu?x|HpwAV z=;Ij$nTzILMpC ziH}4B0A}@<$|0y>bs?mglU|<0ir%QG4$=F|7YdVvZm#{wSu^$iEU zNJRYbq1^&s`G%B143Lr1!&5@V;_W0#d9eW0Qt6*GW%YvxMt~-=E)J*T@vNMHKdf<~ zCJewCq;p^i$p{Fxd-QZ&AVgf!a?)AoL)g))5S8eKML=h{y_?(-hYy@fj?RaSKR5@>B%kQ(k%8>Ewlciz23`P=EGx3t8=1I@W zLw$ptQRJuwGJOkubql2tKog)^ki%92QSXd+zhgW5o+)@Ynh&&Y2fh##+yOP7VLWMj%ur<<(0$Tsg zt{0fGjxOXh-7QsccL5!|+661`qQZ@PbMU(NxQ*h?fV{Dxqw+$({2r zl)u!Hp1yaJuqIqv)xoK7ZsCOIb=fvA~B`X-Ao zLCHkiUGu%=Kd{4$(v2Yfz%Ez0QH#6o`$9-3cVX{7A%B>2q2L-u7J#HsU6AT2 zEW$VXbIgsBIWE3ptrpA5w^*KrfVH%eJX|pYk(A&p#Jm=1PrUGu;|IJz7~|NUvx4>9DTJ$lNex0AjnE z!wz65T}o0~y>MAS7H{|OCyX$Oiw2s{O^Dc0pbzI4{wh|&D2={foEjVgX%4~~#w1K9 zzf=Gn=*x~*RIiH(!`hf{lG8BVt&=Ynf6jiNAdf}nV0^RzMj^LN zvNeB#CbP?f;d@D@DjK=O4pGfP*3R)lE_;rt%L^?+qP3_QHJuLSz&AKX(&cYZ31q9c zYdI%m;^24a>w*msHb6@je+5CZnY5OV2`<$Onb9vC?+SciUa<)W^D;o>WfDT!!b-L* zNm7D)^{9z{jDvIoD6M@_6L}09A+2&Z3Iegm5xkwWaI-Pb6h&XhCIDh%-oiG3G3ODv&$9s?4tnEp*deM4!vTdrsKSrbPxrfBC_S`7`g1=xlbWFUp z$zt7=O(rTeEU9GUEFI-QfXpn#DUhiS2x-q_BDiL-fIy`=_t@4uNsA1m4KJfNS9fY- zytVO;eTDDgc>EzAA@Nd1%jxQumsb@GB{YYz*=A6nq$zcRVL}>k-*GK}SP!EO3-lOzp?ws;DY5V?HZ$0~ zi6qWH*qVe>X#ya*V|g1kA4oXc`|zcSDTww5+{5yESfU5y-7h9JEewrD(r!4wHCfju zP$SqaJXx$;kBg*bp$1$X=W3XyO^767r5}=>WNvNw5HDa%ARj9_BTsIqcdSQWE70g# zWSXNMMr3e7CW;K#IARbF>Nf0m`92XQOLvz{2Ac@1Nx9`IXvhBI@XwpP^?h4c!W?DW zzXx6K0LPXrBSI=0W!zbvnHuL($_y7wv=Vf^?$wuI>3v;GyYa7gEl7rRF-`SO{vWw! z6AL;hEp{#99>OKASsa&tR!C$Y74Ryu*Y<|D;1*r5UmPB>{2nfstlpC(+8r~1bsZeS zaRp^LtU~!2@ztMsA55g5Eq4cD6T38+iQIz>)_n=Y&Mvf#Dg+?_Dc0a@o_!8-QE4K( zB|%6mt4I7Sy;Lvmr7seD$BYiyu>cPug0oJ5{LjxSdZPJ$=`b+}!}C%hEx0UnJArH% zyd>J&7EF*1(TsH!)ac<4WEbDfehko+;*Zg#%{!$;=_S{6ZWK)Pc9`fBl(k5Dx$3A; zxZJjhAvI)RFZh07W1)+TprSH`$*G~msGHO=M?bz^7g>7&8XH2<%=s%ScYyTE3#xQ9;u zS=?3gqdPC12eyz3X0EWJ`1ah9Tl}Jqtqp zG5k7e5R=GT!Cw*SLDPj_=_EjU3sCl!gqb^CUtsUy`|CbCyrX#p8_%jYV5iAIMvJ}p zc2)(@p4T)bjTW*$+(xI7lDaSP*7CbCQ@y)+I>1vqG>!K;hlm~ffvBWH=m)kUn=n4u zjGXr*;c4u$c=4XqKjhycrUpvzNMZ@GIQR}?M#!+6-V_9c+Dg(J+ags6PZy4hmErHz zg&1h0XqeQIf9&$%)9jcOZoapb$1kHhy}lL>}4m813J_o8~eMa8|OQ z^0`X93ZN6NdzP_>`p0c+Qu|}lBN)VVnY^ec<|*Khlc(5(?#z8Y-Kb{bjFC&3yeNEL_+g=uHrF57JI&)w_!U`+ zC*AmpJa%Y5vKFKgSwMp%)jDh#nI0UPBJ6fJ=zQqneyFZ&zs3_epE7D5cY?gsyi-jD zK0r{j!g3!Ctw-+^yb-iLo6ypCL$f1MWci^65#({>_lGusj!+DS36MYE(P6MK!2-pE z;N2_qCI-x~U$<`BWzfkH?~@E!XWgA(?wr7_Wo9($=YB!`~Hq?E2QUrHspWJln8l1RGBx$L9}t=1=nDW!Rbc%} zCVp6|LXjqnQf)#{8+agUlGq{xt4-Pi$+i?bW2b;{k=I^k=^dU>R zBxOPpxt+6usf(SP=#R4fsWcZ4bHvru!tN+uTnb3}QV!kaTaSknJf%rME=(T_8>dTsV`^hW5)x|lsF z)|GryNM4~~p7p6SkCS9q3#oKu?fS?ghWy~p1-V7fpebG-B}MMD`kIfyNfvhB##evp zT&3SuYul)2`os8uH{A>adMVtvrkNpzR-hZ8y$=OR8gw)>$@{nn)A5HBFO#RFG-s)W zb1--KBE{SAY}Ztwd-NAJoWOhy3EfhY;2}G8@|OAw)djr8V4iO@KW8-0GT;=s*2I|B zrC?L_oPr>r^BAfszz^!IcCkYDmJkfa24`Oz#|u*lCpHQ_=;J_M2TC4}(rHW%r0#-o zBbIyrAY$a&^{{iHg}(b{MgvD>DLqDktZ|M^t$TU(K;IV(8&29Vv+YSntUtrBo*y`t zUrQBYrenQb%}lMt(}@7>*Z`(Db4k3!Gqd15*KHY2ZVYdBex(=Fq+F@1WTtDyVluVH z$^1YD0`3FZ<7){G(@HfnGntdBf*dlLAdL|eQoyfC0NbgxK4DW2ZXweKWX%H@4lFwZ z14gEqJ>Zb~ktUs-U;om9zg;SwiK_2Ee^cQ_{;;X68(?A1WN|5Y=LAt0N&V+TFg%MI zk-2LUTW4pzdLekIH@JG7iF#72PRGRO5nU5)M^fm+)_Dva0bagTEN`7pS>Z6Wf&8TP zmL%^6X45{~n|k_y)I}&5>qPk5>ecvyl!ue++*ss7@(d&b^OVptsa;47ViO`E|ndmDhSXC zoI~hQ_9FsTPN|F98?hVX1zvLJ2>?AWc5$WP0iY=s3)LkvaKSsU6uzf+B(xMMZ<4dW zDm-FmGvMGZUcGOi3Lsru&vz4XW0n$Ngrd>&H@J(!cm1AcmkSX$TL?Xnm z90b*m<4HLUz@2jVGnEC$5#XBL%Qgl^dCW8P%RA!~W&;#z-F$X{Ud~7S8#&GMVfe|h z0qgFU4BLFzrj&t}O@3s*G@c*AF6A8QTOSEO1G~w2Snta7c69^Vdmpfw%9ZhpfaXYN z=;#4Ex=1$W`Z3cTLHzK{M!EtgM+PGCcKo%FWnPx7RA?MpQFgR(W2EnJlx%M{F|+d; zalqFL9O$?Q&LM>BZ2Oyq3@us?82duN`>vDT1b8c8q?EW7^0qYG#{G@!Dt?FWgN{m?gB}4`5pdv*Eso=-P+&njxo1Z^wJQi^sfv{huBO#x9+sv8s=_QE?@vwLJWk7l0Z(&oR)C8{_sa2LLT-etZoo(ZylNn%o*uZT>9 zy`#vw&_oK%9s`xYKb~hYe`9y>&Za~m(X6G_xk94&x|qmz@^5%Vu+ST!uSRQNA=!xs z$|n$=61iZY8_fABI4!o2_95dOKMQkVMdJ$x3(3^S?id9lU3{)R+m+!+Bn{yz+(j(+ z+>Ddx4`{o$zumFIeK^^=J;Amqna@rTZP5fS)%PlA$@nAJqpoqbi>aj9a|3Jxa?#htLppwtv$X0l>OAHzwVfY~je+_P+pO8GZ?WS|<=Turg1_ z^=f+T;#VYVYjR;Rc^gf?Fo&&;7rI?I^8c~-{&7)MegE(|%MR?>-5HpLS(t@gnT1{0 z#U0s!U161#ML>Fm88vy4t;_HS z8E5(!rm~ckrCauZEp>upbdA94RMT#Z(}QwI2p!%2JZ{pZP3_M4VJ0nf&DAY7>h<)p zBbT&|A6_-(}yhwpwk*}vl3iY_f^c^YEeoXdOK>CNuvUF5`E%Zj&*^Bzrt6WKP zpV}Nr@FdT0OL0jQ>iz=)(`FB(Ln{qPdq+h@dlpm6bKCeud@o>iSr(4_@Dm_&VGU5~ zb>QegIPW>4t2scXlTe2lPZ3H;@{XrTY|&n1>TEKQSlg>u(-KL-SB^o3$3r0Xf>&D- zsKfaR-xvB;FpH1Jv{aM=|v;o?>2*OE2 z48=;?0Or{?`!j9t;$*>X7;2=)JKryF`l9PY>;4F;f~4xTyu0fut_r7{cDMY@|0=Ac z*6SW|Qqs1gcgGKJRQB4T#+o``w;LWmeWaN5+SZCo=|>5j+LRqiyb zotWBG1kq%RaE+Y?9JN=XEHpK)a$%6W72$UvA3v^~wk2v-#fwNrBG55&R+?@fZL@$% zse6J@ucTiDiwqLtTnN5EXVgXGP*WJoQs0qz7@slj|YWLJRZxnLv$@@Iay{*Lnms76t%s(-B>?(N)GoOYM%WRqOa%H)m6 zxvz@ZIUxH11?m@PLR{XM+<^Aquu{wqYBK3E#O^$>u$hqx6mE!D0b!DUpXNZYFNNas zzpfTpP5aw=jqxX%y`zt^?pAQ6%r_w*sairL7XW&OBCMBQS7MfXjL))dFY-au8+6^* z_`yCPJk5y3h)Cp3fZ1&ljtB!FdM!+Mawsi=yuIRnZVuN@CKPAto$Q#bg-wWMf%6fM z!r(zG2$L4UO4PuH&3dCSF6#jHVVYYH&vpu{Bftj)$_iq|tB9YfH`3ReR6w2^tXs(9 z(AImo^Q1(qe~nJTgTy~0*c&7l`#4PoSW&UzhHRx~jlwuwN#+_VgGm(2RM)Z0&C2^` zO^${S)^>3hbFJfzRo_zYu!Hb8{Hk@@Vk+17)0HIgvjA$L)zj1zDw$M2q;TbQuyL|I z>m6LCi7cSr&(2n8l1ar!9GGg^?}k&QtEUpz*UG9?={j!zO85IJA=7$~Y$eoCM zgN$b)s0665qEhlI5G1nzbomlwIDi>C)RG9+Nti>%y$;LWBawb9l~nK=Zq5}~29Ye? z*bq#!&sWKO9T0Z?hymXb zG>cT$--2;i^BjFx)ne^YH7?4_Y`{+1oFApTtfDyTM;t?KB43zqtD0{YK*$cnUBQlH z*K5|B^RS&hRxkv#Wd$29q!wxyvNjEPJ=C9+1i_k3fZ4_2IA09K{7A=Y zY$D}cC@v=;mhM-sN;jAbG(X6yKlZSmZu)-H0?^z|G+Z_0Etk=~?UUG$;#cq(*M~BG zDSpbIv^7suaVeh5bQM>O6Sx#w@7tiwFs|qWZJGfO+En&}ehS}#Td)pn;bM4p`& zQ1WxY=^@n`@$kr!w zf3*cW-$u+_6~BPn2W*`%ZQ*!QYkEOHOyA<6`Gt_k523#V-aJZAyte6VDjT9VvX21E z==l67_5(Idh{ds%bZp6c49{7NdJ{`>O3fcSr*>U*H& z{^Rs4_JixA{rl>H*8`^9zvkiLN&&_{@h>ELv~Nb$Lvpd`3^={sJ)8V}-NVy?LjY*^ zzhBD39sjq*4>ukR7xmwE@sMlGfBOIPRQ)IP@JwMFe+9zBojyF<|GMmmOR|5LDF6;M z`rjXVTJ&F^pgh5UjDPVi`Prua{Q+S5044nQ$A=B^uPy89tE*=I*UG>4^KZ_YzgGYI z^Iz)$(cg2*|Iar2YXg5f^#0dX`CpRuao(o z4cXIn{#*WVk5&FEg8#bX|8wh}o&3G2{cQy`692b!@&CKh#W&ym=5Jgzf$*G6o6+#F zv}gHhO8f0`Y+k$b8@c(+Ehz4R3e*2PSoAy||Mk%S-@&5l;o}b(?w+Cf|5t;>f2=V( zbPaPK<_zJEDS9e8H`jxd>Ltvv0Ki->#?U6#NpdslQQE+;o{20Zb(k=K z3X7uQ5dLB=Aq~*lQ!T*&>o!vyV)W*ap5fUv#GfM3;u);gj|rz{upu~~4YQrYq10HU z;-A4WplcGNfZ`$QB|0>ury#B%1Vmv`nDZpY;}tL+k&K?YEa@6JQLy`E_!`SuE_j?! zmK8^|LJF(R+5}<*ERLhNyuC6q0E^`(EbcrJ<*pQK5OoZ%Eq$ae2F1ClL0T>~jS${^SYag0BKfTuB;4^jAQ3Ek)c&fZ?0!&=fWmD@NIz8FGLl5H zH7)DF4y40bi3`W?5eZ+%&vTJgq2AsQkh4=d_D$TL4N=lH+;A$^zvWM@-vd$mPk=n$ z77Tmg>GQ;-fQr4AOGIBX7Xdd0dmZ4b>6qC&kjm$q_N|5*C^1rc98iB^Gius)c5d!@ zA=6)3oGDy&54dFaoJg33KC@rqm7lGgRgwMehcd0$k zu`It2PzF@I?{R%0N$~toGb2kO1koY5u4#}yhFa%Kguh{UG`k3=P@Irnmj%%{3uF|l zuHduuaNZ2?%zk=v?ss^I-dx0?78)6Bf80N^EiX491d4aWUbN9)#8aB(uRmafvh0mZV<1JexD5UAm06zIi`1Q8%rop~;@k#VUv&YL#B%x3sa3O#+ z;6g)+f|||TQ+Q@O4s>-lZK<2*iFEvaJ4~Zc*|$MGpVo4Z%_}a4O#KLOL7S}d+VNaH z9t~XY&kJkuN)Y7U6h!54PxMsUWG%trTq+=ZhnWD8u-}~;AzqTVGzqQt2mlK3`ZT;B zRQI4bvlzo&oC{IHmXpF|2=4eUOYdOb>i8JXA>sHWM27JI%2ZFL$v3MeP)#Jd&gaiJ14`H#V6W`N^;uGKi7wW^0WC%0$9M${E_G}TA zXVVZE$<1aKsa=DR>FJAs`UooQ)Igk7Ji2*CR=Ix%#UJ7r&#c_P*$!w6kp=DR-evz6OnMq3Y`KtU&t2G7-)Lj^2+_oC6fr1 zP*twC8iuowamZI^cv0;nVrW$J1C0ySe5i*uEi;T#L*59wVz1VL$6L4v?^YZEV?%a3 zLZdjY2z%4q!r!{QKErR>VL__#Pr2JJ(x zv`>Qwg5|bnO0h@{^lTOXq_i6qhCoKQGX!7Ecn#ym_WIk;;CW5s*(>@(Oqr6Tx0lxr z#@K2aj4g%}487PP;U_s0JFUGNyU8TJ@hqWUD#=78dvMD@y9&ZYd^(;&7C|F(r`s-Z z6S+8Qz+?+@^;Wgs0E~V%`J4*jc4^-aE`3!2)0x8oC2%c{WXj|W2;n@Sx8oMhaVKC% z*mj@THeeor>T9dQDUb!B7&d+D z(#{u&j!GfND0a?a)Sghchf1U_k#rno_?^J@ZM1uFOhzDPULxL^!nS(O@wHFoauwM>%5Dd zr)t?k>KJ*I4b6I6G$^;u_nZ`Klv^vn?%Wrns~BY-5E z;cEpbd&KblniHvhl*sj`%*NT;IxDNiukzh^DyuWqc?+NtqYuTmo}zf}J$@06FgB3d1@jmEOJ#YNhNgl-`jC#@R8l zP|84AHDFsTf2y9D$^YdtB$cxmA;ji-pML-$RT+YMK*$@Mi1V! zeGEH>=pDzXEYmV65{v5}8l_b`9pHRV$xp*`;-*5`5eA)3*4B{$D ztoJ%}1XsQgr&R_9*$YKbV-6MgU2IAJ8 zsr;1cu8dNIY?C_?07-!%aXvhj z^VTaV-uMZj7|Z%)*(kM(O5r+Sgy~?)h%dFPgWu1LAz0fPk56pt&HUI4`c?mnZ#(0H zj8o(Mvv_aAPs+4c9d-QA?Wfx|W12*P;%&dGgWR~5u#$rT)Cq%D#e3{Bs#jA1m#>)z zwY`Qv$dOe18>{ima|^g-2UIBHyEw;gZ>esY%T47&+qRM%*IhYz900iefTrPPW?vgu$F?I)Wl3GxV0+yM3x ziM0oU=7uy5fhO8DXFFnbRGMRfK%ENM+sVxru4TnFG;<;!ng`W5gJcb(nJ1sz(hdRrpTL`q(y0oSi?Y-zDZu__TKfNEIDzhvGCvmIsD-x1Z zhsh0okfXiX&b#Y^xq&PT`dP@L(J(fe4@bnrv%yRlH;@8WLZurCm6FTQr=BSRzuquqg2D~>3x zGVdZVfaj}P8%ZSRF@0SHBVk)3#iZ_~f;GDpV7lb`*ejla+;H!@raMIfvd_XoXYL9Q z?z|$m6C5FJ0F4iCBtM%SQB`bDq~79V+nOoUDT*6{d*u%EDJD#T;J(R;<1(@lw~MNp z07WDgD(-fQFc`e3x+h(r1nI_)w=OJ;L6onR=5BHmaE76Q-~{Rd)Qx(%=P1Vev=kpi zbX*ZTUb9YVh*SyZwL6ub-@q8wOjg+kWqSj%SbJd0jB}lQA1+21SiG_!27iy|_{NfK z-J_x2sT_y5w;SyoFi_-K!tr3JT-KLOM+S8S|3U@GEDB`kiow+r>|cXc@|$EiW#21E zzazn1{33H)W3O)>#x$u}R(ptMvekw)YLmSAD2`{fT757c48o+AQ#iF%hf~Q=`)O)( zdGQZ-?#}hvQg!uXD3@asXEC_d_Dz1XWj@rgl!5j~GTCom!#NypbB~fFx0&{6m?J7{ zDos@zA{9+9r>*nlIo^ho!$Jvp(3F-_??|;M>kX=wi}$__ zb7m}Hv&GMlaS^fUe1p89LS0pt7%$T{gj&x!gf#oBo(}3MGNZY_@e5_w5&jAlN9_kO zIEpEN)cXL(Z(8}`j$(1sP1E&NB^8P%f(>Fr}#O; zk74*ZZXPbnD&lJaLECbcc`n3z#p4!6Cxee&*WmrO>~zcR?^z=MU*T zOq@Jq=Xn^?@t1oy~{^meH zNM>}GJZ$*bE-GUDrmn!Kncs8;MK6keUlF@@?E56XW7GS}-g~}zUzK<$`k>m7nLdzq zp5G;7Qm^g`2u}O;RzQeHVVAR65p{A+Zan+GW=QhIL!pJ4!osj&g%`29xUjH^8!@(( zV#?CLStuWs)6~rs7aqt82mSdERKBJ5K)z~SU7)V|rOv>}nm2C;M%6_`AC8)N#&=jh z``h-zhPihx9`2RA3FSmDRA=M}i=!6i7^wrBmTFUaU+M}PlX!Y*jJ*HqF2$-$<6$+&l5&8iI5-mb!dOq$%Aso9srW^tu^x|QKns3Lpi__YhI zY|ia;wXWuncaWh`UX){8pQy<-t)HpMvuxXQI?6lA*d^~>bsOnz`#KH{PV7FkbVyRZ zT^$=WGhLnEeV}MqbT9STPx4c)bbM0K|L(V+3{9s@X9_bpsw=jjzc0)>_{NN|qFl?~ zuwnVBcf*EzbE!kaho}CmG(8(K>_~6t?_Idh!Qoi}=BGzGjueMYT2Ne4R@0pu*Vr-r zY}<%2ZL*S)m84^-;=uAODzIo3H>6ZrpS8d;`qrtVrH^fDTax|qY(W)M?dd$4J$c7# z+EF$8?rKNZmBxNHdgj@?Ysw$J*qm80CpYX=#oW8~iw4Z|#(p}c1e=#@W}QD(G{Bz9`A#jAF1;4Nkb@jeCxR)+b`*~2^nan}@ zw&Ax1k4vokX5qNp*q_(oJ-^C68oRb*Z>DWn`s;ZKtrYAaH#VlUat&Cip`R6&tgm|7 zXI4`Iijz-_72i4VzHxoGW?*s5=#Fy}o~!@v+{8zl?#aU1Tb#P;t?Os$CePDnpAvKYE|WC1>+%;8mK$oeDQqp$DTpwg`BK7ect^1 zLFM%&_Ipd~`StbsS>5N>Y?$?;X|Mj#uNr>Q&%UUSHB7(U`q|Ki?>6*(-}t2ZyPWK0 z?Z3!vhi0$(ddRhg*9?!{-1m!N?(I76v$CI#59*cDFll(NUd!4iKCfPrvO6!qvT60# zh7hy{_ioyoyd)}o#is7wzg(P1F~wJcKIf8hU|9L*l@SA}-)?{Q{Cxd`piKjZXKJFu zWEBT90|PW8H#G$ruZ~$*7oT!?VR2!R$Eq&-raSzJ^Cxo_%>A}+E~Z_-MlWLLnDxUg zH={2u3M-i;#O-)x^SS1Tm94%Y9rK#7L|?o3>B1$#cS6#MMn&aPuNoL0^D;ZIT%MUpG4kyl*r*7RQ6xy= z%gn^lC=)DTg7R?RsJzVWc^&W%Dt6?U!9oF?SO=v=9XN^ZMJd$JZ$vWDeY>xdGmH?^P}5ftN(D-|FLBY{Vl8PY1w#$Xy8c% zl1m`J{5SKczqS28(6S2yxqI@zO_TpC=Fz5rH~*R<1Lmi%M(HT_^iw(M#u{J-NjFww z6sv(HfpDPM(^`a9<&4^c14l>tw~Fmq2IQdfbPa}Y8hMOgmU4(3?zl20D}_ZO|S=G@M_rubO(9snHG2*Xva?r8-7zL5FYUjKdnHyf%qvugUoyZ(*rzXw1r2YF!a#{&l3x|R4deBsuuV7)Bl7Q6=FI!Fm!6PK-^yHxft6fh8pn`ltrBSi5Jznc4-U|5y~egU&e;h~OiF9S)WiRR+M{ z1#9uLFb&EftM=fWhM)g8ck4g)nXlgu z;;!ELFIvx6F9ys#=6|aHuBhkFy#8AT22=-mwO`+AJIehnGAZE ze3YN?b1-t~!xetcPr!om{KKp(*BI;9bbFY?1qua}0+oc)Uf_#|*M}saT(R7q2&AFn z7GUfa6c6b@Gj97oD7i>!n*R;WMLx`fLbV4lmO)VkEYv7KiVX_Z2eUg-y!}~uQnan3 zKWIbP+|hpS|0K{++KMbE6aCJ?ztg*>c$_VLisY7ZVjk&F^8U?X_*asb+kr3Rp?^_& zS`j~%>y7W=-fY%GTF()XpNUh0DBr65hWtSaNd5vD&9myBobNQXKNXt#B3>>;u?E`= zJMfE0YOMB4DstAShiINr@fcfNk`382BYH&L(v$cUKYiyM&WEBGr$cB2Nz`Cy*uh>o z#`NQ_4@GPlO2%dO0LvMSe;STL{E};%Y-=kj0)%z?C|e`_s53nP2s;};^87=e;#p=_ zlQd7?hvc2N{fe|StHUYw!z86CmNhuD1DZ@83lK)VV*e2Jt#O0c?{Ekwuu^M1nPN^#4Xz>Ne^V-FHye7~G4UBz7S3I=8jk3)GM}zqvX$rh7z&fTU-G?Blp; zsM_*c{ttAH{YA(nwm4{$eKBX6(1}CrAdyp@zi?ra!g&;^>p|D3ejrM&PxPGO2A}#4 zidrwTRbnUfV-cnysm6@#Tv5|eF2y+@5IIB_te{=z6mq-88I9_01EXu*53G$f6||tr zN;JcPSbf=}$Q(gHJKPs@vmjedwXPI%0Kg3T%X5k6nDKdq^DwRo63d{PihUiWIEwsZA$sjKL&MMt@-kae zTHqXuyhE8)ME(!?efPfzLUq3=T{kJ6Ue%LXcO_!a*!GQ-!FWjt#V4LATKhf9z`QoRL_ymF_QYNlSkftDS z75$X`n#BW)jK2~(+J1vXmo($5biRr+IT>7)&zsA`q@B2`v?vY%#8&vtHv#vC8E5~^ zKkWU)F9U66Dhnsr6>M)%VaR@fHPvc7mN>ItLws7X86~lkEmC6|XDgW~)9#{iEp?*) z83+sRqYGBc$jiVo!!;CLM)WV{oM4Sd!5mcK<=jxmD2(&Cjla^Kj~b|h%nYBIZPWa1cSKZUp`bZ}UK;`^C%|wo?IY(2!LAk#EP)!1KgGJDF$}+3*1w1=s_?vT!B*a_0@;buvv%+oj1?!RFI}Mu>In{hm9SCg&b2JB7IH^#ji;&RO8OFv__uiHj-J;`QEGQ4vTV$1Pb6s8*#rgPEGb~Q{B z#)B&02KJ3$7vG#>+0W#veADRyD0+Af6z;iEkibt>;7wV-(L+(CW)=%)Pz$&Y_N?X; z1;Z+62Ph5CN5s~gRa32!Dl)Lvlt|{lNS~t)*>X!I|H=uDVQgSd3uC6I#fP>8q*%mR%umg zy_Go_rd=3exS%mUul78GNBSWkq8IuqXZ0+~v!aY5#N>uRIJrUBr6gM}HfP5m$i*^W zso1#eM^$7nGdv_O7D1Kh#l8RxSjzA!sa|$5mDB4dOCvC&j|6_Pj49|!Dz?IeGF`eF za5o*BQ>Wl~_l$6ZN3r2>)q9XJ((mO9HFmWnuHk`Zo(j8#pRCtu6i-`?AFKEzV4_Z% zHyN3ggqnP@64&xii4$dZBefm2Sjab6DU~5g!J4FrsLpow1fBu$`(avw^VFE{XPBno zLhtXMQ;+goNNp+qQ&GLwP@{BWnRtO{HY?a?txpmt{`Aee+p*&dk}Q3qLMile^AXyR zOo+`Ktua4ofXvZl9+B!&BD z6}=NiuN8GggL#8eD{XX$BFKB1%u>1&*y%eqUw zA!4aqvoVzAowsG0HK8!{-{}a8z(*j>{5lgYZh`RwP#1Z1BBa*LbP!++6?b4NZ;-s$oyQoYhtAG0A`z#d7i#~V}*>pRr(A{!I?}b zVXZfh!l-zdn~qZ0yXFvL{6@hJsQUxN*)x#gCxzxy!sgcfO7QAjTwt7m^Fqopmq8lEwOWP6-7j0N-dUWOU1A0?TQVGGSXYJSMLyMY#`sig|7RD+}p zN*arFztXtaIG-1XBgv}VpO~d|Xt;jX4JvX+e1mrH()oZ-T{lZ5)nTWVtNF-mP-^1U zY=5)F;17+BjNv^RkKto7HX|mOuz9H?AvkXQkj8_#8_pP@17pYHe@Lg%l}WgoGxBXv z81H!*08kZABSYU{u86mYhp2{5xmK;$Q^YFY#J;H&Y$x~$f9&& zU5RlnE3K1p@zzi!5CBWNWv$DlBqV+)OC7=9(j+kSeB&M^zpH6Bb(c-V_v*P_e1vzpc)Bz>T{U69^VHGRF}x8r@tS&yBLaK1!5g7p}~S`Rn-#UC|c~=3j!H<*q-g6*{5Z@9z zFV2ujQD3CxkUksZ^(4B;>g=j{BLawHNUO)p0ux% z`eMiRtbLAI&bMTmC)MCCz9Vz>4>QaU6=!4dX;d%;L;d@*3S0&m)!U%a;{_s5(Hxxz zwAZ6q5in11UeXj+x*ni;jP5#aUZl|6QnIDiH+4p+@lLRhhTp#Uh3+E#;-jZ=!9!zD^ z9DV$=X&%b>7;oqWQ**5iRi)U?hU*&3%&yt2E*FsqQBWC*3DG$}(&~@ot|O+RCsFDQ z?*L+xMg^J|GFh|O=L}~RAd3Kwb}!chECFO@qM}U=*+M2rm9bDph67b=FgwGjAfy+6 z4H(_Hth!?Rm;8a;pRE(byq{!_0sD`ecKQ<7W&Ajd^PWU?ob_ZZZbXmi`hu>M5&%@p zaU}y66c?b24Ka2GTai;f&S$Pl7E%PgYcO&Ff9LTadHM6YTDzf8!5(J2q=tU3MFD_E zak`LnI+TCJ^tAOy+WERn${}J0&VAkft~3CcpA5Ucr|(w!!UNtzqVo95j@Y!fi}U$ie}-R26VsnK(TJ;QHjZKXFh z9L^YvY(T#)RU)>{w8|%N>&03$4=liJ{1`f>V`B~PhU<1Q7GM$x1Sm(T0CYO3F!6cb zW%=w{iq*L`$*f1Bod!w*dYC1t7ff?ntL=&cCSkc#?DWO zQF5DiC=4GeNUq$TWYs8+Z?NtOlU|lrFM>JSew?3PI>?zs**`Nq&Al(J!>*5d6+MNd zCy;fOg1c3*0BtZj7ej%_w(ZYRn4l56wUK<7I4pwu$dL!2 zBlCS7#*@Rbphg9{A&LiT>4Px*hdwHQ1S!VX;PovMh0ntk175+EBx_&i5|Hy?03%a4 zu1m8~`+QC(&FXo9nM7JZIb#B)Cd#}j*ff?afbsc)^C!7Eff0t41Z$gj8Z27rW7PZ# ztMk8X2fyiKq*)oMj}*U=OXmXJb98L7>m-sA)L#vyPWiq}d&TZOUP z@9<33n`hJ^&paUkC-STGW&Xjv@u)an2|oU)niibK3|F^}*L-Yko}hWTFZT?0LEEJ6 zoI!rKkD>MU-9&F6i}mLBqMQ}TK2fu>_lCoUlWJ~>eGp~g3&1hA=ept%XiNwh0;WvV z{cTE7qJ2jSVv#cs87B2&mwLuaIWo;>8k_?r!+tOss@}p@pzo&rgJ0DLyxH*{E-}69 zk3TudFwRE(Oo@WbF<#TV7e9L6Ma#+NI3Q)t?kz_r#is&%BaNq0H2naiOT|ufoDEpQ?TX*1s+aW^~0$4#y<=bjON=K!}qGr5y0TDyQ&gx zfRm9vR1|-}Z^+l{o+WrK6pr8gj;%3|P;C1NN!s^xK%Ux~#U(l31m0}JWTKg%VRjLK zoO?Gw0Ig$Q9-0N1O(QDbKVbjd4R390r0cxjK}qb~!S#y_X9)D;;`@A}YpKk8&uK)` z40&fK*k8J9ELrD00q>+m0i8MUDn1eF*#-D(WBF1TUpoh1G&+zesd*9aso&Q*0^APJ zZcIdbCjfs6^<>33)OHgmWn7orm(hC3jrS_xB?W8jL#eVen7u@n!R!ES%`#`%M8!y%*6^J8?{*HCNSfP*otm%As6g}A(Y2%$tb{- z#rKpb8)DC5_0AVn_JOQH+AX*Dhfh;Ac8M}DRmzs-Fnb90raLZ}QxBrL_o?`XgAfRl z;)3lJ(r-c4V_jJ&qXt#|13v{7?oAjV`}Ss%knyV=(Z|o`zX4WU8cy^-s9EY6DIYm(fs{g0;W6m0;(smGJhd=nLz6A$2 z2JK7r{ONobmG0o0Q%@R*-lA{FW@?FZ5GtJqG=|c31bm!3hT%Bem^Yjf^}vOJU5}vD z*?0)`W6?px4K!a($UBL|iPYY`j&Jw(%31=m4_IE-*Dc_aaz5t?EH7WS;}gSqKD(GR ze9Spzk?jWzAF`Sc748{w;{hI6W@3rwTTd$c2wUoKbFXy2&o0pCu+~xy^G%%8p`%wp z7`hfXrfxa`8V`QUDybT=Q~2JEaxx1gnYq%=QDA;IAp1W(XVFI2C8BvjxveC>iXEQ2 z0&|`Zq_J3dw&^^j*Jp@a(5bK^ubsQ@ozb>e*n#tDi~CFZl)(3@^O9`<&5YKs#2dK@ zr%a%AF-iNff($yP2P@1zl^6{d2oTMKnCR9!p4l)`@2Id}HUGqDGc7Cn&<7gsu#>8m zk;lzhA)xhR|3-5?*kf}pK;(OjH)bQ&TV+7$x|lq6Ro*zveYqiO@heC_fmOBtjKWtW z8m>i2b7U72S~+;AJgXrhyDe6Cs~5Ya;gmbaAnaoYx?Tew8`KiWTHWPXN`SbFufepQ zb<$@DwmemlirCDqbEv=;+4{MmSVuC1D7%9^O(KM-*2~UD%GY81J$%JUlI&{}ST=K*4GjN>tdHO*;c&0j682goZ zC!|~0Q|6y&{6WbuM4sRt>&zvOxi2uCgE)h|(h}G?fb?3wReA$;W)f3cZ}?(o4mh{2 zT}UdR!0Yb=Fz5Zc`)R&-QwSLXIY&s zlnjxUMj@yEc~NaFjWcAKNSZmbx4oT27`Damg{UuGXfIlS#d_S6+CT>J1HQTmgaLW% zRP#4_>opr|BZU{gAo% zaWpR8-x&-Ef@%zo1luRoSu_jlUE)~LIXz(OAI3|xG$X*Zs?T~$^8qdyvIZL9T|BKY z7)fp|``W%ynl@Ei3f;iQxu&A_*VsbN%J!Cqq4lrZ=g){k?wA0!iiIpt?%1LUh#90p zr^PQ6&eOb@8*GFyVhjkafq(pAI6tj@!Ieo6i_>LjN&ogj=0}A-)||r{CWVlMb|00% zG)7r@0w6&{w}LX8zhKEg!yyH$&#nsKeA@4cwb1CR<_r}b$nds;DPti0!e21f5+G;s zQoW6{b-1iDOxN`^m!!+|iOaCj5=ITTRw{tY-xwGMc5JS+9vg$gNGyI@ON9vi`EL6( z7|?MOZx&|zM&Wl-RUmLfmw4~Ec;M3#ei5FMvZeK(mrlbLJ#Zyh%gMfO%}g~O1@%&+ zchs{>%vq{tm+u5l#9yUp03KgyJ&+`Qi0UqDT2+Q@LJcX{iP%NU3J_b0PoZHt8KdiT z>FVg*Kbn>DO7SYG-eCh_Oi^~F%IB{yA?%810Yq-Hcl;B1C5Nk)6@H^V=9D!X=1X{~&y3RmT3M3z0KSg3Oo2X5PG&RF?1^VF&kZ|>oU^VUia-~y!yQpx(95XXaHVD zACPg`C~cDlRhGXjoDkOY0ySt`xb}-Mc0*o}0z2`drim*K7J+^LPkf-wj8pUWLmdY^ zwBV&7{a{w*OF(bvE^!8vrp8V@QmkCsh|L?dUGv2#g#Waf%?TZkNxBIGYopj zLP~3qeNEK|Yz=#gm7Ed5)tmKm+;2uOm64WlP+ZAPaTWw%8#}4u8N_bAQo(NJZn19X z3y4jo&UIa7Q`|dI_m>MZA^w9OH+&Q8osqF!2_r>2C2p0``z>bO?;N3Bnjm&?=K|K$ zsF0Fno;Po5Aw=qVjfRXIl6K0>ql0~$*+if$^1MptI_DtIPN?`31G09Uoe1|`(_6_! zxl+KI@LaLWkALcT#nEQ^mYxfih51=RnYbx7KtKaq=Wk3E;d-|f<_#qQ-rZ@0p-6&GNd;H%mr%q zs9p`Ht=rOglVdISb;%uM+^OY0u|7c?*91F;OZp7Z;s7FTR9l;zDD~5bN09agnFkU9 zQ&71)Z#QygN~wkB-eHzU;pRJ%!8Kotyk*+Fa9y&If3l(kvm?wSiRMpM5@h;s>|3o2 z!=FaUwgKd1-3oC|5OACq{RA;(FgJ6#^CcOwDrb8M-mCu!)t1O)&`C?BJIJ1Xaq-qE zt^&lY4AF)^O7JYdC0hKoeqGv7UTgA#X$nOp-=RS31C{PN&xB~Kr&O(<@CIjZaQQR_ zD`yT<8McReV?m5!L{#^AA(^jnb_aEtGold?<>-Env>b7)yD2a2+13NE*SVbbeoldED1xchIRaqHpN$9Dq+%5OeuaAk;oJ9wg6KU@FD2 zLYf@t{HJ2uIFjyu0W-idc^wW1??fedW#acpBPn?Uf7SU6(xfT*IQTDcms=ErIm7y|IM*|Y{#NG;^l*tNx!?_0yfu^g zUX_}YH%A7RVjd_qASYL8hS~3>d1G*G1{hEL^@TI>>Y?ap3w~xK;(!Q!;g_=8$BZ9E zibFB@#Il=944ZXQjjC%J%Nx4F$jeQs#;QmV%ptmqmZo8Biova6-!Z?T(1tURkmeE$ z<7wy=`QX2@N3{}xSbYlfqy?h9sS1K;^hdU-d>J#6LAAP(jOQ(|V=~^Rgb*B~(MGs` zh!;XReffR9@T^On1la(3hCR-8DOh~ZquWQ=Pt9+q;a{C;fkLBk9wVjnWDGc6tza0a zmEHjBh2$iXVckTV>m+MM1ox_@SUe9_C_pJvkcHeq6 zsAqc{tLMeB^*T^|e23Vm4$uVEI1PJm1I(aWO>kEm=Ag2tvz(xjI~L1ZoRf|Osixxk z#41DCt;qkCubX(QX^`H%MKlMKG~B0P?1!!CWeq@y&A3xF#negV8kqj3J_)*|!13af zuX=V&Yq`wr*x7@5pM6aa79)$s@upZ6$35Z;xE`dt=fOPpGuIB~PZ|XB^3J=j{=j$P zK7xjLcy4SYnh&!m$1|;%y9%c&U?TA3d3Mzyh|{``7VWsJ_0YaYThFUD4REN0?=_y$ z`Fv}W@Sw83C|{x{1)o%o_Fi6Yd!OfIuD$DmIlLm_WKZQx++j0xii@eVoXv%$!}~oI zLjA!+-JICG2o{+ksm+UE`dkBAG_A50H7}}CVOX>*294P$WcpW3_1lOXZzlSJ!D|}z zS_1zBth_bDozL@Qf|)4rOa`h79>AWyX`wFGedfaTW?w)hSlYMqnv##Dy`e>1uI;+c zeb9A>(ZnWmh0LVN2d@n^eZt8LXiO>t750u_gyaPw&pniR7|a(-(TtrCSX@ynBnNg9 zq*-m!dw1V{ zs64+O0D65JE^0!9{UZCLK0I9G*Vl$)3Xr;wgSW+-O0wWB?j^&}=2K|a-N=We=g}c~ zb37YzIv%pqb)jDmA7U5S&)h@PrK32V{h&Zzoe1&Ju6`-f>kw`xrQ%}mP+GjS3D`!( z3NGK|=D2L`xlkO6SYONBfx(K24>6X)J2Z@?atQ5@AA`je)Cvy?f~TuNnPFI4=lp(W zF$e9@k3w(6sxsVUH+86kkwC9k_c}1M;LMUFqp=7jkmf)RS0Q2xw=m zWey*6X(%mg&b5^?)}M9Ih5aC}48Y3yESo7u?oHL{xNP#EN&5j3&$o3g=jf;cCl!52 zE<~QuEbI@I$1JuEX`YAJP%r*+`8qmSJ);eG8SGlk)2wO0p}VZZS8cJ4U6PAHcZ+L&RtoF)jE3<?6v#bP!`-ZA;qHr?6*|}+JpZ8=+F;i9tN4w-n4|`r}3z4_N*2V*Lnsf*Aj@(w0{EXQ`-6*ShoR z!&vsEIA#uV-I_A;8Ljx3azv||smr2wbz-?`RHqz6{&9dE!9SRPAMDe|cSL-F@5hB7 zqMe*+wqE>FUQ5(Q78rxwWBBIqHvP)i*(;#4(0a4;=$9Upwu^nR9m`K+Fpq>^;PdJVo$32T(Wb7|1(Mpx30UnL7x|U! zzBfEaSIuhO0XZ=~0*ls9Gq1&s?}?!6KWCjUu(KI}GLSqU+4dySw!!B;5ace@1-ByG6G?n0bsJ%4(U=-K z#JfYbT}d?P*jXiSK&Ho%Y_G8(tudECNUX38)UhX7(>@+7_O5)9bTvI~0UTMbklmz1 z*F4iWPkX!PSEI)u(38G5#SZ?}U_Q02V#Z5mL`;KsW>lS8lW5^u+5-@s5HgmD3qYdqJ34bDFM! zC9(LhSQBp1!uAt-^aLQOMe0>F-lMTCN#cI-oHi9myrJOhmUqSV>O5WZaZ$8gk-U_) zQl?@P0@F0NzIGX^_M-fG$_NehauLB9Ijb2N>zCtKpc~FdVIC>1$n$WTGF+pCtgaGT z+}TzmsBJVXiEZ09;Hy7#ZJO%1^}>+iA6u_*?R>|%cCHDAn1FO&a1<|q-<_+CDDXi8 zZhe=Vw(}NH+jN{Y9r5$_aok>E;zDqsd6hk+Lwh`Pz$a$#xu48$Sb%)Nwp)i?u7W)J zwCw>MlP*8V**56dnHDet$kJdq4rZXhEM%LdC%1r2ip>WXLxYw}nf zeyXe&@(m2X6~{i7C)Xj@867j6>u57tTz4^5v&9GUdx9L$8`{LTKbncMXWgbZk12u> z*F&z?b*`tW47R4@YLY=v{at+T5O?9qLB2QGJ2D3L#$LYA_ZrS{oHCS+M81=1CX#n# z$gf}_B%EiwzLje~-txV)01uGnf{kP8R_Fj%R%7g|@-6*kfahhqW4H~lc3Xg*(>)oi zjOEC4s3ZHS)74~f!!`o87~+H4fky`Bnm$g1na4BCz(kJuDPz;!5o~J*%TjlKLt!bZ z>_;Tc+^wKG}LC> z&XBYU;6}{!R@ttmdJb@Psmk5R-rdf1u4X6d9%ToDRb-%#Ba z*UZtL)wl6oJh$sSw>ppRW#95})#AV0AjEw$1e_TU-;XYOws_79_^5hL<6XmvN`_uq zgtv0y&}vuHL_+9n!ZMQv;+ljyx{n=+~wHk?}w%~{zDWiEJ@Gx+oPEy`A`WU=z? zNbVGGOR>8eldkooyKCnnT3i9-NlT3&CYSdVwnATM{?xR`OY4<1jnFZe&sL1aej_Bu zZIZ7ezJtfzvjRL)JJljwU4nv_fbB^Glk=C2x7)V1E1VJsTY>qB?l#ehoYhtW+e77J z9NwTW&H&@h_PFy0VMFj>-1)sQFu!2VKXKzn8J*;+GDJ&IALbj|C)rAATyp~#QQtxM z8{4qVPzSXP$992zW}Ib#e=&!cpQmmK4{LsmWH^5AX{#G2f0YPm48Q}IYBNw$vfy3$ z8IAWEv7L&-7DuYa1KGC{c?owo^`SJV(1GNx$Ocf>yn#P<)MJ`e3HbdsJq365imS-+ znGSodey#LCHgM^79R5nadW$20GNSrERx*hzF{$-l`nmb(yOpQ34p3oOByS1GmHssTVpAdXSHpvuAA9AO*)tCbDaRORzo!Rgk@IiM<1 z+TzL@UhJAW3WWS z`)$i~Tu)^iy0W`9+4Q-o?sMgC%++vRKrP_+yvUL+xD&sw>I3F`m5 z0z1Mww8Z+R@8lVCLZWw?=jV<}7HKwfKJ{I#ax9_ZHNATe9pdVr81|rn-saaG@20?N zsf?wrQ>pp)(_6zIF`j*TNy`sZ4<P%vqrUUCa^^Um$)&4rY4q_*LMM@Y&I{oz72A$Om{tOhz!+oSH_efewFFvoG~6$;l#q5 z(DhHq$$E#`c;+Qnd%A5D-57nOwNg~hzXC(45|mNV{UA@veGOON5$P896};4xIMle$9^52X4;{Txd`;9y(7c)(e1bwenz|(s4_CW_pd!>y2{}!+8a+P^J6Y= z>YPmVc8;UkE#RwOUgD&6Bldr>#rrY*{s zRO%)9xLii$zH;r-9kugC!J*ozXH7c|U>}bN?IKl(d!FWbswUV}7R+%JW*s5Wcv-Nu zn$U}0&U01VIfRzupF}bGLZKfA>_}Ozk3MT#%Br)IqB}Y3iS~3tbknIiH3zBF^Z0Yl zDSWni7)7_jhWuU>-DooKwwdPV7~j*v+R#Ly9oIdaiAuka z+jRk=LQJO#RSsi5*h_)Yx4rje>$NQP4HP=-YrHg)R!je~bE=f6DpsC;SQu z26l?DZB=}&JLG>yW-O{5T&4r_q+v&T9pg%ckTf+H*^LZXrPnU zAJND^Xw(N#^*K#&kH)pc6rF-jS(lhvKe!fh)g*4&ceR()7kom@o;cS0ybY|1H%yF! z$`P0sUAAmS>_vv~J*8;q73c!4fk~Ai;YI494<_&9j%KcvOag5`HqGFc)@ z=6*VEennR^YZF072j;`ZN1-biL7r_Ylpd}t6emx54OFx-t-U0nHL|E@-{CynsnW$H zznq*unKnrtX*CJ4F1`E>=Q~ftilHnmlK#aP$!&F>!*@nYaRw`=h+A=O)h*Hc!AHGv zFrOKn%4G%z(C9!eo!_O@Bc;KAZSfWx4wQd4XbY-)05p|#@|Va_oC3^c&cauaqaC1@ z$x{)~`uyl9O@Y9!>!wH2+zT8%QefsQJw44} zT95WGUUl-&=bNs|I8A8r$)Vu%5n8~(EJ3@6ZikJ1C?0>d`xIm*bgN)B?-LGw ztIc%>Z`s=T86A%g&Uk+31^_5Oj36cpKj&DZm!HJ=xz_X(Z_%`s3nyIxO`i~Qzs0%s z<(=jG>#abE^CHN=Y1@Ejp;O^|XvSasl+Q+ddi3~K|m4v&>>$Np| zO24pnn2K-79}W!P{;D5cZqaj8fAtvu$e3oBH!2RJrYz+N5xE@?j9uwbZ`YbXGSObP z_L;7>M$<%z4>Y|%<>s|8lvxrj60F;Rz${&Q7S!bGF1=!8g+RG_*dzHY7cVn-|do;fh}Uv3ET2?*y~81nOO)ZL8Kz!3#c*4S|atv?!#Y+ zXN8yeJ<>4FBlIY91DgVNhvrT0jZSU=YE@YJP6E1Yu)F=#a&Sb7YELa<#BJ}Ct~fQH zOIOClsc-jlHF7P3xHI{hz%+d7KJaolS*GyJeBVr_y-+3pij{}rrLAlk&+Mvte$r{> zK~!)D9R@5wGx!CRW&oGBdl3g5K-yzGsHw}*(rB}4O4UpL@Bo0v1g^poIg0p_o%h1d zBX7_cAXMJ61~$)lYRzUTzdVC$QsVBaoeBF-+Zr2fVLEbU3t=y|sd+GZc}K<4OUxRk zKl?+H=cDendLtP3Yjn;p*%}?!?ec!Gef8j`R8;7=+@1IGLnAX{E^1sq{2FSt=9Qil zl??>Hb|Ox_mnd<uO@b8OA3+6{o%{@^?D5wr?0OqCdCBLkmqq)L5tV$F0{6?|Tvmiy?ktyZ@T1T&f$)I177tK_DK&{REUZqB(tj=*gQW|*_ z+4=MZ(hiM$2Z85iJ`%Tz z!y|8^CBqT?Qw@LbM%RaNdbRZG=v;6q@&ZmMci(IyTKPhN0uP_LC-TM=xKY95LV zLmpKIexX6<(9*AA*?(bqEFrNN>OX;q z0J7)?g!LbR)DU-S&&-@SzG2+xx<8|o6-e;!PXW5~@IS(@W6`RAK4t&y>FhtU<8%N0 z`pxv={O?iFIe+H;KX1Ny``@zjk5B&BOx{4ezFD;Fzh>gEum0Ql-!rfLku@mBjl%tZ zz9(D$398ZmUPn=kuY6XpJKzxrRADDU@d{8?{* z>FlwA`Uii<&9M8MgYVBPe;aHNC;rDHzv0Z^%u()NJIz17_s=K)UU7Ml<{wlbe@`_3 zub2M*lrIae0lL8-t?_$4Z+4Y`tk=K1=(pOud3XL_sxX$W@@Kj?YbFyuHyiJ_-#;4{ z>i73cf24C`*6Nb|XF4}ab~BZ1=mIy7|0%Qol;X{Pk@H{L`9GhB?)LvO`Tt!;|0pul z$N$Yc-2(x(<9`TK{@)R%tb6mrzo1&t=;+bC#*ZCaKjAm5ojK$5N5uK!J{|Crh0M#$x{Hs1$PQYe=WfLjN^W4T%W zG9!lcvcttFMe!(7I6aCp)Id~BM)yJn~d2^I} zU(k$FAOn6SE4&%OIbXIf7t%=ad3||)RjN@JqC~};t(JWfOC`sbTR0(hQOU{m2j^k9 zlTg7|Hk^U9OU%HZQtVk--<@xf$_aXdmlkK`$2H*Vryj^!!ar}|ugE+5k7Z0AdOFt<5YJ6YNJ!OgKtzTEJuvHJCa&vv)~L#m1| zmlWXzT&)r6$)8j4bez_oT{d28ft&KxY~$iRT#+u@tF*Mo{m@vM!`dugS(8?$X6FQd z)x@%$<6H%P!HG&%RvvB#;M`C>`MJ5_bI5JLYgGu+%q@IX6U%>I-j)aPW8#r;I&OUc zWtV-9W38E+SN1qcRMouv@Z(6EleJ|r9)rdfh!AsoP^*Kiw+zEC3LWsmmM_#)RJ^aO z14{IH)%-GzCf48b)D|{a0tj6dmr3j;{#g5JvvW#Y@f*G_P$)(9lV2cPv5N6mf27f> zIfd)v;LX`NzLrY7k*jI_1o@mtW38v=mF*+3PNd{yS2O}FimxJ1t5tku!B_*SO7SrK zGUV+EoljLFFJo_2umhlJ<@;g4&mo}x`TLMJ#m3NI$5y^#F~!E)&Cv#>hf0IN_M9gD z_c%Q{?@}5?cj#D&ovvG45yHRJ<+DUr69Wa!&nx)+`OcrX_TMYI@J7Zzv?tbyZ z*j*MQflChfE2}d>v$rAerWAckA*7LGT^u&HwPzTec9;DYduEE;=&`r6w6}YWa@=EY ze@?XzvtvaL{9)e0y!WC1~$# z>|zPo3kkduim>45=944fHO8>LBo6+M; z@A@l}twk4uyp4Ts0&5~z}Tn()(8S=z>`4g0Dnv0*po?q zJAEg{0M^qDZm`28cj<84Fx;q3hlg_DoJG^+_vAC-l_Rk0)A_NQ{sYalF?w6k?`xFS zyin`f)AEtl_5K{V=l@4}|FNzg$Nab+u$m%Rllp1(vC2-kS=otzWNQ2k>K4VpZxVd9 z0DF70hFPe>*awjsF2Awg%9%qL%Q#3H(AvtK#wIt1GK|pPS3%>5n0Vkj(0j|Ya z;_W&+?tr-NuxKqhOM*S#P7>-Ci=Zv{EWFW{|5-i%O{M)~TlV6+ z{DD)f)y0}JKGu}bbe(RFn44_@O?F(vzwq~w^E>z~jGUXd#oqp(XQ5@b;IB(>j-2)g z0Aiv0Kx^SnXb3E0aqq(2hJOu8d{o30#a3wAi#VrGb;_`9u(+GH`fC_Dl>w-we zzQ!9vFIMrH$o2KgzgK(&WYym)evj6?S?k)q3@ZNBr8g@6KMVQa6#XA7e%IGpe$D}a zcl}-TTf0}&Ydh58O{MOQtz-nGuQ%ft~k=!CJAjxlxx+}QSb3$l}J;{-d9 zN7ME?*T_6(;gZ(ez{9hm7$+hi zYmNuDb72Vq93w177_W3(J8=ZJ-}oEx=Vsyo`ii@p?M1gRD_oDjXQ@MFI=)K(r7f+; z7N#0r3B-;jGzJqUmCO*Yh5E?38eHM+s{9KD=EF2gnt2O(CH$5KuXE~SWS>9@VgPnZ zvo|}?8L0z+J4HT@c$<4{pcBHi{3k-kP;Y*wGZCjV2NU0e?mg*9j8_r}@~VKE?}&7Y z=jz-zgvJOdp?9GsBRFWWkEFJ7d4}bX=nK$qfpLG zp}nXL{ME|8t`LzpQfQ-m5T|s|Y8xg-8qwk*bX<4|3f3fFIiK!D6$=e%Yct2P=X45n5*OkqSEr#O*Dy_87N1CSbXUj_i<$$E?7qU z9gU|QN+&~b$mA6$JQL~U+PF(aF;tfYpO((s@nGnUfEAIsrIpyqf5NqcH$;1~Pw6<5 zctq?wekdWGY8^;y#*WZZ@Y?c%J0a%%39;uPtbQ8ynr_wM7)fa787rw}_b*VqZ9iQc z4y2!V;xfoFwS=d^p8~?KD1`S6AM-jsT#XtcZFSOJ#c82gm^r%JeInd9Ry6tzR|!># ziyB&`9)3M>;&i$%@UCWLZ{&{f8)=g2#>!Ph8tBvRw!t5O+z+6QT}6^;(HWfKQzd<$6wln!tA>S z)V_s-@Qy{+K)Pz>P(hG%%@0PW10(JYdx{j*%MhHW!yTKK?;Le_wzgqdc}PvrZu!ESKucUriMYgRR5s|wD+on}kMU-pI(pe@ z<(BMz9G{?OpwHXzL3k{}x!cnDJm}r>Q>f62tzHg~HhsZ}A6kHKvl}#*HOxsa7oZFL zlsNT`;t@-2^c2UI9^;dk{HbEyXl+SUZsIt0K?=tfXF9zQvq1Op$&713sdKlvkYjFB z0A&RFRfl3@)p_$K$~@KT$FIxX5na9D7ZMBgaq3$t#Tm35l^itTKCTF}AYtdL?qrT7 zLxpzCOZ?ZgBcDXq!y9GCD=eJ?2Llf0$ymGC&Zqb5Y z&OqTPVxA=VCtp1%k_!Msc8*CL3TWM|S6BKiOx|OyFkLXr1yT8Y8sOvcqTn+o_9w;4xiiqH+vpVtZ9h=-OkY3E%qfw=Bugj6xg z@WS(^1Bv){m=p@9BVl#Wj|3~Tdc*C)C|oJcB!se8d!V{YUCX*4=!rszj1mWvmEu%) zEgIvzLME6~=(ZtZrqBxRPLGC00*Bfrba+B>s{FmyTR*E7(RrkE@!Qe-)(6!2$O1qXSdSo1fJr$B=(D82HyED+cah*h9!+qS>#VO(Yk%FAw>aiRlu09V zn8c$#KGXE0;hNySJ)kDoI_XH5W0-tt1fE*hC@{BTJ9$Vxo*;Hg1ZkvwSVGJpTtM1G z|5yty)#NT%aruW=jtLw<7cr1WlV0YJ8DRZp#-j+n8+v3qa`M_ck-5Ym-52YyPc)ok zOwQ|y37Iw;szS$xSjQQhzxpiZZ2e-&eZTJT6S<=T@z?qx`PeNn(WL|CB%WgE-`Uw0cJi)nvzmD@j_#7i7lYM}}L7Sq# z@cG0Q22fk@|0uK0U@oG|&y>QP={&RLU&OSphiP?U>kq`@5rCqO4Kf}#&>_<@ET|7? zuu14oJq6E-VeDCYCz=XfMpkTv#sZG@kX*Lks5~08*&K0KeKeDy9ff&Cd z-Xi{lZ*vymw!k5{LG<~iQ-|1D$j|{itD_fN$0=Iv;f3V6CP(R|oqI`ItQl=2L??5; zorx!2(>9E;UT1JEE%%Bm-)wa_O}K5Tg}h{rXEBebpreDT)9QM=JZU5(BuSeD);UT@ z+VPrgcG}{v4g!NN<2;!LaM}zrolA#r5)LwbP+?1N0xr+ zEHV#DViuh{O>TF0=a!L!vAlePH

QEk4SOC7a3yrMUY9U&M55=v`b5WUbZtFOmGj zlOTmvddYOxI%9b!&Ss6*Ioc-6c%yTKkVMLOvF^#1?g#HC zh5m!#uj6UN`z`ybo^8^xPbT}mCe`k*x14M~Q>;ZYn@VFup`*y1K0cJ?m`ypJDFD4G zc5&m$9W8FY$?F2wW-<#sXD-!%TQ{3qk#XH6I;w+NreVOm> zxmSm)$c*#-fbP`0PuSDUqxD)VxM0j)+EPsAzJ|6pgYDf`H_C4y8YGNE|SXuM_O-ewJU#ZnKcV*c=_p z{+NNsGDdMMHq}g1VAiWQe{LWaD{YHg#WWmpK2FU#?&e&=Cs!p2CU&Qx^p!emI1(RrjqI3+ynP9lqx*92S<@FRDdvi67+fs1ZrD8f$?FYbZYx%YdE@C4yC{IxGc ztiC63Sp3MZItOFX+iU1jL@LNP_#VRgi`@@v<+JioO;AKFo7G&@vQZSIsTZ#u?oZks z>??ZdSYc>54OzSMbO6&qTCgo1P^0;C2N_eOv7KHa=OL zLR0tw_}_9DR6uCj;{1k@{t-0n+^p71Lv0qj_)XY`zN6IJBi?C|+Cc#iD zV-W}8T{vyvbbc3=Ao^dy}+1x7ymGR(ZPB!(~!Sl z4ejrK0+>=4gKQ!mb**U^vY4(Wt800Z%y-8%bQl;f00@sZK}@WW7fwe&Slx$72ehpe zBt8Mq^J2QtgIfmCrx4dS8bor$HX7(G-Ykxw+XL6JFW>ni?&5z=3;^r|(V2=3a_>Z( z8|aI+i1J663{m@OxN15+N_dkv-EC9$#rfaG>ENwhKo~KfeudNUj-3zUD`1Y`d-Jo) z3gYn4z^6#*j8TKqS%YOh?0>>^($R9K`EF+0QxK5O-_^Kc$NIu5gvNN*Gdo19pf|mt z^Sn#VA8@9ZDKV5CO<}T4#!TC+Tg1nmzi8ziwj7I4;abK4M@M zMoJ}qUpGgnr}HyND(wu;!Olex!#FrR z+#6^Epu1Hr{1(nYmtFI%ruR8lwc!5M*3N|MXS`>%n62wAU``r@85_P}Q*6%k1ue9D zFbC&H-7e}X{J9OjCHzwxrpc3%MovhItB=jON-LlCBq!Cej&E7(VAiHd!lwjLYR{+D ztrwEictZE>NTx#>hDI2MR5FQ7$nim%X|A4QnbonimuJ{}laD$%6K*P=#&MHI0LALu zPyj%JQecbIU{yclyUP7yThgH}&vV(x*wr2w_D5xomyC2a zNDgJZkts8+PAMx*Cq2A<>N+*|BRS4~c%T$9ZEt^URdIsS)*v+i;wf{jx*B4Bb(eo2 z6>0(|Q~6}zvQ_yMvb(01d@KJu4lmWp-+H>}d{?bIg2b1<&g9oY2F5$S&tOjQ)5!o( z; z0~X|9jJDSVc0|f7CpubIcnk78trsOWg=bIc*uGp#3!WwN+h&TqcNb@JoY4!f(rLIz zoG`5o;1&}Dx1!-C+z9yX!YZ2T+QUZ>{Ti z?M-2~^R&_lDKJOm)cwE%XL{XE<<~eVmG=r=DV~Ote=9WD;nfB!^<|VooC3;zYH69lIGU@fp5t8Lhh;Ag=m4)VtHd|&K?FpEt zBsbUtl?73KCOZEjo>iSelL-;NgFXFTvJ}9}`81qbk&6;R@7nUqd7Q;E ziC6c7IA+la$@=ghmiC^b+>?u7dpC?-C+w z&^^|WxnZ$mMzXEYxb0gio~V$X*|Lwzz(VmY#Rhz5=u^HsEvP)tB)P$kvW!oJVt}D(c9Y>3JHy#5N;~vt;ZO1nAcoW2Dd+taly#YdrzfcCK2KRJUaAek;1ZTtf0dZa5E)!{ zKjurr&`tVR^gw8CK-3oRpL)IgizcyER72jI^z=cdZ9 zW1GmeAolhkZDGx$-=d%kAS`Osk69(&4TAesE{T@rk1js$pGK=;5O;FCY%uTF!%+{D zftQWg^qf`dh4n)dlCVSyt;0C6Fn<|HJ+PB*WpndjQ6nYJD&-U8F5;4bWOD1kSIAE% zm(%w+kXu}jbHoh+L~f2%-Dt~QT$=N`P;7oAagu?SGzqi>=8uxf_sI;NF?CGjSgOLj zHZCR=nNZz=Go0h_9d#y-V^*B|688qR+v0Mq^r-1>1<#hJV`0j`lXw~#>A2U(lmy#r z$mga9%%EkXYtVLUInTZ!?wrVOPGpSE*JTco9-?&lJ<(L2Y5L3vGu++;+N)VCJj*-h zNE$RW!geD8^b7Z>`Q=Pz2KM7N5JF0(6+bE~nBBy;#DzQINKB@ahFl!B;5;cNwXHvc zGX$v>c{PZ*c6fW)#4=|MK2C;M^V`mNjFfBT$7b}8UOVI1@$KRrp<#~EM(Sp)pw?|9C3IIqLqsgqlU%}np+(i8cluX(zG z!p;VvQ%8yq2yC?e+;yg0?w!%{I_SW18!Y7^G8XSH{-L;tUqkcEuN%lTxfYQ|>fmch z5oq>n*k5}9(jJ*xmXB@k33M0}46a4A!Pbx%$U*KnRAwEK*xI8o-=I_z_r0yf06743 z_9`%scpbg;9-qyWX~e+W!;b{PF$BD{vAEo@k{Fzv8NLTLe9fOlCL?T}amo1rdq9~{ zLsGoG*|P@m4M~>z)|FV-8%P@mSh<7AUV4Ce8m6{crh|g5SDS$2=dQY*1gHiZu#{%#)yAjATwNRZrzyZRVIZD1en~#7rBh8)sBHF zY^x+Fj?p~qb3JERLBM)tJK{LuVa}vHf;e8>!6l22l4SfK;Prk-Ec`>U9q~g%SUmsO zL%b&M2LQ^XbQU%eD`@tKhZxp> z0N|*52Iis@ubgyoZ;Q*AiKL%28W$IfuI%J874cVTy6A82?_MO<;f(|1_zuhq)q0EI zmutZUW;^Yyi)T}G%skM(*S5ozpD;Q8Ik=vG$JwZrzi@pnZD}~uM`|aqi$$2K6sVHs z6YoM4`6z}n->yG8S+?tOrujq5&L|J? zpF{JkLA~oqVL?atf#QEhWot8A`UvKfj#wyY=;9rbzaD~l2Rd7}(2-0wX+5=*dEfeF zTcJ3_N*wkS?*~}_<_ETPFP5A7vFoXP)m-zHSgST8_Y>kS;Z4aTcpE39?m2`3opuF=ZaChQmMmDE-_m=u*x!n<3SiVTA^}8EZ6;HsH!);HE!WhPBvC(;m@WN4HvbP^y6?|GFrrJta&=!07s}ON1 zJSL36OGAu&N})ymM*(|lrf0aG{y>#=0r;?BJ+AM7 zm`{ZJ@frSO+Pi8}C9C8!|siL6)zpDcwF3Z01W!Z)1-GMulj_ z#ZvnP_v1!l8Z##jG$pqb=-7`cac43BM~(?%ir~ea0&8$nio0Ci)eq-lGvJ)zbT>n% z1Qz1_k@?Y>x~46nCCc#LL%Sehme7`ViI#~e@)ypUA%JL)Rnu;R&p7lkB)wUdimF^TK94J)ofA{m5FS+twZ8Ez7-orF2P$?=K!gcG54%n@TqX zHl}XHJ-1~RQ~@qu*-S)K=>xu-cpH8HL~DhFq~-WoC4_`}2$fDJgm{H?uBX{#IQG87 zXmBr30B3bIqJ0&OmXDwbo<43|kS733x%3F^y4oPH;<_3euYZ5!5-fZfy8-`bQ zX{StmedM1#gF~x)Q>Z-f(_f z>Lz_*4k&H`WAj?_2+f7<#kAlMBy@s>0fBmZTfa%i*`zJZZOrUw> zb+g|n0g-~|tG@0JY#xF9;+kQ*yfHW&7yf`uE&vr4Y;h%AKS?0vbP1PAj)yvt+sY<+ z@ksu3@g%7Y`=&Ky0~>C{{V#d~wxawJJQuf>vyt^Np0)bq0~(r&PFpvK=RVw^b-b!G zIdU9&gW%n^>hQ9C?Ss&{XEOM-8FuCe5#NV#&Bz@iBVjnN1j>+BUKJj%cP!JJMlt90 zVz=|RI6n?sP$*KCilj#8w}m3w*UXQUGL&JkCIs$H0JWYnfDf`p)^ow)UjxH=_XhGP zh{xXwp9x~KrFns167~hN5Z50-WQJxSdQZr(s{v)y%(A0!EYtTyzr-(BXo#;VEGS_Tt*=U7(!tA9Rilr=qe-qymb&B#%IR zj|$iVucQZfo1@s^djQ}Dtc_;CAeRj6qU1m-DlmobLZV1VH2RLsE;x^ERSkq`d|$d- zdaLvqpb^dG-Y$+t6Nm)F5};w|B)ulyQwT`PoY0w+R}Q9Z{!-;Q@+#yxc`b)0l8`(+ ziL~HU+=lE|80xIUZ9pQfeH<$@Q5mo%F67pd7D?hi=4(ihq&uHgY7y7DIj(iI>d}$F zf`eS&z-x$n4x}HXhZ#)qk=id2=}%VjwTQZAy3N%(8=q>e(kpFKb+b|7ag=&OdUn2;-O>jI3 zzEj~l!<&0~CArh-$8QtAJKu5I0PZMFtjR#a@&yCEJ&^&y(>BjdALm%pJnDZ>EHll> z1Oljkv9y20R%m570gN7Curmr90gqDL2vG6Qkuma-I69#G_<~$99}n@J z#fgD;k@Ov|FmFiqe&>IKRs^#V?s;hudpWW4GPxgoT%<~Ln`;5r(pTx6uw@lwbJ3L}v~%5Awn?G~0pv`m=Wk)^;Q*g?K2Ek{ zuk-SPwcMRvC!nu5%NQfcHuuz#0rJy`i9zL37wO8c!rQd+cmOeD@|j^r`}x;i8qTGM zvouVnf=i4dnvVY4Q_qtXqA_Skkam@Z`0?{-j0|#VBb1{ii7cb;s9D{V^S*`qL{^Z7y-pM2j;3|O!u*KMTG_ zEqA#*ZJn2Sk!;~SOdV_l>TE&E^o0ZX(!Q__?ptWWG^6~Umh5QH=KGo-B{SWF7VM)P zq{8SRdAOEZYoBfls~7gdEJywqdv6}r#MS=|pA#~W1I)k#CNO~vOdx>-8O=aOiGlBC)7^kOa(-FCU4jNB-8(64ESu)VJRACSq4QY;|$_O$LfDHg{C`*Ar zT3Xr!OvOo+m~_e1W({mZN%|bfrJu~92Rboj%t}GDQCFCZ59D-2r?-hlNdT}(Hq{aj zNSuKuiPoa=VW2lHG$fQoB<{w_l%3Rj8?Kl2$vC9S%$N47GdEZ|+sCpdy42mi;S)M| z-uDm}KRz;NqnVCM+lAqlcP*Jhe=4e|Bw=S#>U#1GHd3$WXf*T_tyZC8Gdd!*pUT){ zICF&-U#?V9lQ|~wj<7F?mtYi~J&e<87lv^Rv_ot!HpJBJ@t%IXAO1vCOEj~(()%pdp4in3S2U4s#k_P`EW3=ADQvq3x-aJAv5y2z}z#&Wc zx4AI>9ROJD1(?E?v=U@*FAPf{qCPSj#D7je2lNcno1qwn=$Ku?;u!ryf3Px%r6e>Z z%|9HcsHHCY;lbAS;oK)*O@+1NLhkJ#;_!RW&k$=kI!txH!;oW zsd3t{Kp`p^B>b^VKg7fIz5#}XDb-ZB*&x?47`fks#xd0l0J8@0?skkq@>@vU&Fl%~ zWcx;*M)s6nS0^XzhE%jgKU5pVRvmXjK!-BuKOZofWS6M zPK=}4ByL6{$yll#8F{yqT6;2zonsUO=iOv7+EUrN5JEXYRujbBNyX*0PTE?gp*qvc z%1&dM`or)eQs$5f!L6Z(SWEobq_j|ki!wMweIx4-?c$p7Or9Z`oPk~h zS|Ks_YHQlHpo~Ig}Pd|#!}Y)OU0bjF;pL2FMrCCwI8E*ttV2+ zRl(_B^_lt2wwXFMLf@4@9oG&bG4Pi-7=rm-ARY(NFmF`M`$u&KUFLNFou>^iu3e6Xlu5HdP#dM0A5sjOH}~nGT7+Xpai|^Z-}BDAd}9& zPNk7e1q`W2YxP?+Osgp4JnOkj87x|PQ9D|s%Zoq8t*E{AFG-;PJgFv9TTV>5P4!;A z>c=5?Rl^|1mPpFkGzu3}`MRu+5ro@u8{v6)iC#ZZgNGzW zfn7>}%qf+K+RlFm+2KTM(+|Rs){YdcmbCgRjiV!{eWcO3H2@;Y*d8MufCoAsF${;_ z!Si>urds2-^nn`f+Z+xiX#iWKB8^9M*hJeO_J?LN38ktj1ND986e<@7(7gQ>5>G{O zW8~h*ew$bwDTwK)%Nq~_GTWRoLS35i9&(g`UTIn%Y)BDb5wBA}HO(&OVW<^lSVNtK z9d*(Lb;hTSIu2ed1~cgOLlwI=HL|$Wyfp~gs

9E2=xk%v;VzWJZs8%a>|Z`@43s z=A@BoD=0x5Hd1Y>KF8yAH#7!;-io8$1fWnoO%a0*QmswUcM=V`%fwQ8u`ZDqawt1# zpaNioLv6HPpm75=#KsWWbeIiE>}G9Wf#0KI&fUaa)Ka_$MBc13hb8{x-i5>UmG-i; zy2B;9b^ff8nc!cdGqk4ySzCG-_O)kP69kqmJ&j>a)1-UcFJvf%bh@&Mh=H$igY-yWPOB$pChPl8AnhW z2t`ZY!P^vlWPr5aSG;P9#0{9XyQn>CsZU-jmF`o)as?;LUtpTO`>|;UNR{`68goM> zycB>;Zfgn`f2DatTPi|+iVX(3_2Q>&kn{z{Pc4h^Hs}{;W#i`Y#4attORABnL^oc8 zGeM#|V;bVxNdH2Rm$vuApfi_o5?g!#O{$A$P2rB?2s^b!8pAT6ZY4hA5<$s0XEb6q zM^PK;=UyoAlG4Ws#;_>UBWn{w-pLC?i=R1Tls0JBOaR+)yX7SISsP^zk~b2FEqVr% zI#7fi0@-H+n~IYSd%3Xc6vP>+_vGJHhQs`1(=DgY5W;olCPSj%%xMcIWsagA7p1Y*?=a7Vn+W zBAyez&F3Ffz88J{&xBWy<)0})7@NPla7%4Iyc)`vMQ0|=y(ccR3@reP=q(C)!4%qM$0x(6+rPN7IzrXz5*9EMRiNZ!-!NnhYj zMv6;AUo<9E$X`@1_Ai#vD_n@PGYP|~Tv+xD{63H)tRzgfqTrTV6GW6>u*Nd$IA>(b z3khsHUWW+ILSrZQD>uqfdESwI;xO&$KqKED1 z=~Pg`YZSvzWRFr|YRNKm;|tY6N_;xCeC-_h9R5QebRKmS78;Ml5na-;?KYhl@@;9M+whc?_)M#SFqB zVbGj{E&JALhPfxKeAC(RTYszvpK=^iQxXVdm0-4rj6e2HV-_8XH&Nk@IvkEOOJ?FM zZWMCom1?l@+{>~N)$MhUkp?4tgB}bb=6ouAr1%u3f@%09M=EgT$k+IcWexW`OpE2z zP44x=QZ%9*!=zN>pLx+40E`#i7EQK6d?L?L)tR_3hSfL;#{$xkb9Uu8(i03d!NoXp zE55*1ux(L*c~$_StU=XX0eC!cYjzsu=})0Ee673DLc+aWCLZxO;I=+@7l- z79b44rRQ_$)H(PB_=CMa++OXu!WIV0f$f1nUn#d=pdu=rjkl;6!7t$0i0uB^GblmW z6F>wmqyH?*j4!wk5;HSdqumq8)&TNMW?r) zLd8P#@>;nQdd<`b>MFaP>On<$_h0dnJ-Q93k&@1>_V|$4X0TJB^?n@8?&0K2Z$@r|V z5QG@AumjWhB|OqYQK4DwAXr@7R6FZ#QPuJdgNiR!4XjPU192=H3<1L8;U-xMMRg)O zq-Gwz4X=C$Q(RS7HuY{Mn0Zkz<2behABUeN=AMkt8H$N?E)h%ikh(Buf-4lqSZDeJ z+;c_fUlb36KN;h+2x%JpspW0a#_H;i!Y9=9I8^#bLw$*dKwaOk$l2de324zoJXsz^ zQ99>XgM>$73wR}ycidXJqqiW;F{G2zm=lK=KXqPbzGrR2IZn_A7z;I0tzYHG%@b=! zQteZR<6vWRK=jbRxfRx0*7=EAGBrAR(f*0x0-z6yqb$KZr=2S1w; zRI)>QSw*0Tr>2y26JrgW7?Y9@45tW9&Ue^U3gf)&k8=i~lq2$G>|XC2ZQKx|nO=k9`IVhLu;s!KAe z?()W4Zz-{;a7d^Z%{n*$55Rk5oeByw$8ilW<09Liz^MP=Ze4vCTtV5~htuv3&l-*a zIG#x{aG&%=>B#t*rkKcGC?nC435Df8wxhJED9)c+Zfxctt3Azf8$$(`P?*LHzAFUFE4 zGLHM2YHPSbM?D-sg7|5abzVoJFHQyuqG`MEZU~9Z4kR<1XBYekVT8A~7rIVTdTI=$ z(!Qe%^mo+Q+6Ia@D8>OgFxN1}x_`p&Qx4p#S(_&ziWj9(J?5fWziuX9s;!H*PkeIXT0 z0UTIkdfI$6F&M9*Lh)~gP)j`6OD+rKtW6xt>E0sv0!(>dywr(2%f@9M#5pXhdxt=j zh3N2ZHXaWVUrDnfT^|}x0G`LIP&-)qV%_7mIN#(Wr6P*Oap&%1GfBm9iPr21_*I&P z+H$hNM2?Eh@_0mYMIUw;`4Hzh%k=FvREpx~FGoO~JS89<(oh}jsqoAOi)Hgx2$g}H zgDT3NOi4v6C@P++CULGfE?bx&H0@hSwvUuU(8-sbGdMHeNWz>=wKsTORVJ5MOn}#( ztvXQE_%8JWj(hCHJ&!G_n!VvHJlSFFl$u{~hjV>!d+4u#5Wmhw>s0}`b@p-3*O)(c z(NfB20-V3NS22TwnqSsl59G3SzlZbLVkb#L&)%k6m2}T>B52PZ8=R&nR}Gzk%c*cj z8AL!e!Y+TDP-&&kXNEFi!8mWmM>x;)2A=8#|Md_DK{Jva-&DZrj)mhmuvhF^gYl~c zLF7vzI6xd#8R%MfaWKn@<6zw^+vfVY)Y+8H?9VtN?`MSEW_v7Hoy0eWVY8?br{ip9 z36WR=J%><+3xdbB@;VOVx>IXRqu5a?cc9+`(ZqdCDNgLD#{CCC;4J%)v&O*R-3ndN zw}jLH)5pTxFkp&qtkdIJ4?m$|o72fU98?HBMiX_NiWMFN0HA%?!?xHh1Z%Lw8~J%S zd>^<>;vr-n?#OP!`ugvP{_?B%F~x|hGUvGl5?w)&&JuVr68aH)Y=6?`b7zP-@j<3W zPyqpKs1pHGIBgEHt;QF)Dq9lix9^D@i$r9aD)PdsG&W-1!qXj{L5GsEQ|gl&jagc> zeZ{$P);${2PEv#?Kl~JkCGXoh@@?$^f--cX>mR;`!5)cYN3mvHSfTv^a3bBld7#bhlwa^442kns<~hwyExW>G&h1qkmF zg9V7^g4*8@oz)iOWhn>Y*%=N{5w0*CQLMITsYv)03AjuXwFMqaAZzmF&D=?T16R$5 z;IqZ?Y$@)=XY!-PAa(~S1t``|9Lc5wL{PjzZKveQywq#*UdnzovA86nuv~@8e|t&U zi?~X*hy5eq9bBRhLJyTY$VKy4*%0L;P4;pL6JS*Wj@O@w)>Qd6PAK;CHsaZbHspjL zW<0^&gzm%?TmJ#e-hG@lmJppMPJCJPC%01`R_s+NKjL%4wQID-UfP=X5Atag-K*tK)Eki(wg}T;(ws*2RAXdwrhS}#I zuB?hR-q7IF+|SVEe>fb7gnHoYFd5@~$OdtH<rF9akhtgJ z8t$-jKOf~Wa8cYLcsm+#mau_9?vWbH#d|VEzr<4Qm;RoI4R4ZUey*^D5Ch$|YUe`} z;f-|~b{=<#M04-*D=5BCs6TJAwByRyB7Pjnx;S6D8_j1Ge*@5XnqTI;ZZZN(>gb`Z zmdo`kX>NO&_{?~XfwM|rt(#~kav!SSC55VVvjYsSlfCM1vvImo|FjgOn;s-C_M-Xt zrV5Ei%pt~hNgJTelr5iUer}_oJ4QF2ppq)9phqLO^8pL2f{oar4D`9!6JEy7&gGnb z!!Fkq99@vXHW=bPAAoK|*KB=l7LI^O0f})RsISB^^_BA40L*di3KB_*z!MycBP>Hm zB)Aeqa_M%S#FiU;b8aK{6DrlEcIj*2awgSSFnePsdeD}1eyUD&l4Fk)c;YU_dr zxJ^(uio&EYkEtq!sv)~d@Ix2H zTrXhB)OZDt-1XW#ANxY@fX<)vp+>@ZgJJD8)6cCU5g9sMwaXQxOAk&HRisPRZPz$? z2_pT#@ZH6e2)kAK3VXIDzF)G{C1FmMRNPZ2*?cKg#ErobT&XLb#MGa0TA}hZkn>q{ z5Y!(9Yw~*_=NiFBgGJLjmiecz)W$>owuF5`$4a-6+!nLjaBAWc_Z8ucKj{e7PHi-; z&ria1B-@jzZ|j*(M`RsGwz0HGchIVcE02!g#*^T*<%o9No#JSZxZmmao(LnS;lxAQ zoNL;4!@SBg{}VTYgvA#j+}9!hreOtv&i3e5ej}sl{WVy?eWlas7tZAJYlr4rhiHO~+Z`Ll-%-_z~-?vh<~IG*z=@ z`ycv7dWPUxk>k%k>|~gDt;#QS%6`{;VcG+aGiv4^xNG$6z>Kb9b>!@>#s#g8bd6ck zL6sf5yn9BrY1P2l+2*xlj%3GejDJAlCk3(#;$K^qzrgbPrsWH)J9nR7knpd=+J)MJ z6Y?h!dp{f6E%Kck%NI)TJvhIx^#>@VTbquWq{D4Ghl)po)78%Iw&Rg=x+fNniSE|Q z6Z@85RM+^|j>@N!Zw3Z^njUhRKi|DmuKn|Y!%jtg(QnyeB^osWQb>-%T9*r`ZFcPvB^+wqyJmkD3u0Aw9XU5qhON7Z|Hl5E= zuRp4_CmxvlQMWei5GIp4`c0K@?-R)(xnh6RBUi~?elEA&tt}VwIy|0G)1%`#pWXq^ zUFl1Dc4|!T?fNWyUiXCEk+(h$?P@xf?vs;vi|v)0@;J1&E8ET$lnr-rT%SSn3i=e* zZPDg-pRk+jd+*MSoolb|H>|c`6*FSPygr2; zw(a|z|4?(5!4r1x>po!OwdT(UoS#lz>N@QKdnvKcpkwO9ig~ps2Tr(Hd}+|+vK6a~ z_TRH-wz=K&Xy5F@$HiT^na`+xLuNlt4tLM18P+dgzNq94U65$*M;2{3yJlGb4!)QB zcG*9BZg=sRDt-9!+^qh^>-tUPN0bzAy*y%l$4cMWcl*ld-PF9EWA>cR8bFE{ugogjT07)w+5TH2s$(rr_AM-bZ(k)nwqT6A zi8{3F!zDsa*PB;6_euZU8O7mEXU5*{+1YR0$%8mQvZ=SdmtkuTD&&yC^zz& z$JaS`;Fyz^cOu81PWd%*!ntPC@$mDxT?SQtK4|`+iC4--8YXoMJa@e_x>xMo{e>>} zFQ>HmC~m6e(FR}ZDXM5_bIt1OlfPLx^2;fA<}KSewRqP@LejCle(R@2jTv$gMt;Bg zM&|FnP&Cjmx$UW8hj#hAnj-d}^>JTn$g!-x-}O{y#y>picd6^72?Z|8Bllx67HFv!gyZ#Ih7Tr-3on7^{kx3koKek8{|zd$NZKR@8(V00wDZ+Pa4*#Se3 z51GTH^$RfvFNg^btIT{kEJ2&s)jdyFwB}rHuar6N>Jd-2G*?Fs<&g5(!QmGR48{}r z5tk-+ofQ%_JA7zAPk<=fi_FrA*(%+s!RAwM-&ULNd=Ckz|Fin^za|yhd6gl3 zTM`P9WBj1bEhrydK6X;M+M5!ns4Vs>6K1)`j4y`je65;0`|tX8aCpDJRu2cuEm#Rw zUaV^KSB#-X5mZ+Pgr~YX9Hd6e=y2$M1khn<86`xLI#fsM$TC((vat;z zVuVOhA@QdoQ5`iBnW(X#`3rjh?l1^fQt?=)Ms+xxEI~e?r$r$aCz5DXM;kSS5HpnMmye%RT=C*Yzfb9&_?W*t z4flCDe0cBk|NBD!>&^TRnN9qU%qA#2qW?u^bG9#cP5p0e|iwqzbR}5JapV}&=$;A!8Ry;d3wO|V08>E1FbYJgN#U@c&8FRihqXEn%Ky6 zC@Sz@csi7;pD2KK{Ku>CVqs+Z--@dbI_ehr#cTf8*)ZofRjV!VMGkj7+%XhD?|$JA zg4zUwkS0-g<{kvWKc7cIZIXhqc(}tKe}Fm($QK0r!R&BO!b;bm4uAOk0ow*+^2diA zPlaO(fRIo}N)-czpV)U>paloa*@CLC_x`2A%p48#Sl?2nF<4F0byY!9LT{ zjb-pZTDB~4S=WeVW3X>5iaqZeJ0PHQ2-s^6Iqw@Efx1S3u;{X`uq1sCPFKZhQM{HC zG+Gi%BH|-pyXdmSWn*HOQGwWZKdRY_Px{72kk|{p=;R2Wlbuy?fLVKRjk;@k#ueB@ zO=lIXQ#0HLKGX4n_}W=}YtxMwrVus1^Lbz7JttM{a=)(YXgF3Z4vO4U8;pWZW~qoz ztADnJ#GiRnv-kb*=k3Thm=9OGx)=Xdp#nE3W-WF>bjt_ldrA3=tfvLq`=2&(M zZ__}wmuroZq}CuU?frpUd-HA76iEDyfyK#S_{AfSJQX23>Bde+$y_cNI&uNj{1?g7 zjPnR7q$BwXwdFnpf3Yls3(5RIwaqd!1ECZy110fo!6r^^8N_b{qd3$SMhzNBET=3$ z?ZC1XDg1tJjNwhxPJRvjV;Hy9AERV?B*;O5SzM|LjL^2u1d%4oDhg+9MCXSiFhDEq zfVmA|hn5=n`~<=$cEHR81iM+T0%tgsl0C)VCC}si?al6v998+d+SZ0RODa%1t|L+$ zX{r{-IMi-RH`u+`GVWEcWt@E*5JOY9q2#k zMFxHVUuC}pPIBB#kO1fhx1z;M4$1f)w-e0dQqDr~%8)7@@h)jGlvAfC@t5=~HTJ&z z=R7#dJ@Z$xRMxjNU@Mo=Vk?JiA`;%zc#Y+1uDmdod+z&RjO9N2+gMH+gKazi_ttXi z^yL2A{+qSjj{mWivwiCI&I4BBT zB>bEWm(zlrU$Z=Wn~c|hVK=7_^nwe-OGM9<1hdKPEuwd>W%Yqx2m)UvcMewDqe*Ks z#mey-=>T%pgE6nN2?~ex$6)1qjDQ0LoDwJxU}XCqg7+kbEmaP}5BXgd#Ng@o&1>ki z8^PpD`E{cFET(_Ph|(o*{dD9PRj5lpBYK$Kuo)`b1*(S9v@p%ea)h6^Lyoi<%;k z`P_4?)DqvnQ22&sdq`_=fgTVisk7^`Z53$^2k)}LtYcE>^lRIjN&qm7{Mvud^uZ|s5CReRcD&;4e>I96lnRFFyqWm2%++YX>@a7EoQ zaPLsEeK5Os53Fm?AFrA{5LKih>!AR(-SXvrwC6lN5{Y*lMimKYwgr>5drqTYJYdRu zrAc+X8zx^Dy{+nhf2$flOP)OhKmQT2>7V=gRR4k4A?KGuas)W2NLlXl{1rU&6>QOM zeSnd@Dcfe*+7>+*aH)XV#n0cyv){&767cg)X!9oYQwe(h1>W%mKEEB)n|}HRc(^Jk zq@0h=5X^KYUOb3Y$O_|vEsunLw8Ml1vxb-$dk~ugrB7HyNTkq_21AFE@yuGrdO1RH z(AZ$L1^{A~$qd3p%re#s4AP}(A^NBNKns$sLJD1&h?M<^$qix)^{ce{uKwg8(<_LL zHi|8WH0}x%?gdbD`3>+`$vUY}i)=O%X+@7!vKj4!Anf5{b*FinGWPN{{&)GWi)8=Tsp>7d8NZD);qvt?)Eh(1nl;H`9Vu5oahfS@BCz!?x4!4q}g( zqe5`8HaCQ|3X@na;qg7$j@Sl9%W4k>u<25paCR#T*V?p)=4SVWXP&V;Qo9z=WC>CC23G}7@9EA2z1hnV?6rwB-V`~t<|43-^g_k1Zx zm2nGmbG3_TF4NIgW&SY;@08oBz$+EwG$TB9a~7lhO3U=uxg^dFuH-4mW(F7bgDjU0 zx#7xCf>&iCX8{t@mg|%b;epVF2v1yGb=wPB5&LGuB4U6rBsRzsu(*Uuf#23l)+^<@ zowKcC&E|w~V)o2QnPl2nyMtanBZ&L~;CorYAO%AS}z zo+Rnc*Xi)A&8pf)G}Ma1M1L+^dNZym5`1X?P!F}oSto^o6ir8PG*KSvxGRF)>p_0X zoEo9@2Pkv{PP6%t_RVJj*OId*uK6U(L+}%&=&H4(qdAf(E@y4EwZwF*+I`h#rhB?N z$R8jyh~Lg;vGFpZ(IBqOHi3;Z2ZWiwKR}USj43kp8hg% zdV?&e3IS*KEU4vU{OxY}eZ++MbNVtPNp^1m`{W)-|9cp8lqGP}zQgtpvc?2&h(>w2AXmrtuL?8c#u;!Lt{UXdkq?|USOlkrYrq$E_l@d6MU)nhFnt( zU60t2C6Cof4*qriH&{|W6BHuym^y#;O_ez=s0I6DcF|t#TJtZ_%`Y{7i@9fauxw0V zgpC^T&K9->lJ)wIVpf0(Ddjvij}ooZW8jA9AMw<5V<@9cLxr>W8EQu;^-olqyc^0l=H7_dw1N)QaQ_aWyskzi;c!RT$ z>sz;7J%H-}t(?NPG-}#nHc=+MTtDIjY}9=(81EU0Nq(RrH>^vdn#%DJ+|SUISzHj( zG=($qC5j2TW>Y%z)EMv+&vsS8KxVPETC4971;;#yYzK~AA3G!8oD}KOR?8?ip3LRX z$lDRK%^&|{>CT^_?A)iqL@jOBchlx4X!#gVclvAnG7b9yvQ1Hgqz=80?$WnF zduzLE$hb~R$EEmyJc8{p%u&=>`>M9KjkCt65A{MYGv8v{1}~+aXEb8gCO<^Fmo(Yo@;8W7 zCf1ZF#UFB6vR$P!YWV504RJ}J(pWn;?F?0DLK(FvqgtaZN9bvfk? zYe4v|FX<6dy4pRD4ih>NlBcJF35{g^Bmdu4XMRSf2#>U+mHcNA|E7@25L5q0X#sHfmiFW-c-8~+F8e?v`w|~17o!{p(pUz~ z*OO59vigJ2I_7Xb27?mExb^VWi3cNZDa^Oopi`%?+oc&QSoyiWBJ^+MR2P4h=LPVk*8z z>^n$yElwfLt9fnwLSfuEHtk+nlp*DQyO@f2jsnrh7Ls)b_AkAbvcs|zlCl6+h%Ji4NsPB zli!G{Qt1KQ%%UF1dc3tVgi@|*q^`*Pr1irIAgcYDMtXvTr5X|^cSp608|K)4RNDF0 zpK-80%4Ect8NjJXZ>pG54V>khDlL3RC`(m>KSSP-7lxR}Xxy1f0~9*iJ(BHX%e8H{ zz8SLpXX|JU`zbuj$%=$v)WRGHV2jJb`QfR*5AEcwfHxCVe*eeXd`BQg7W4ahLeB17gyVP2fNjL@woLjL+p7K#sy;)x`c9ndo}*4xl0bIwDYD?BtMg}LrYu$( zQDI*yEigbHj$C^AoJPv`Y3k12Rt_LpQXg1M9bjb`qllZ}!Ve(*Of9)lmz4$!ha>p_ zGIIXXyGXps@o+-Q^YF{Fse@c{*=Vxb^oWa)zChZyVtKtXOmQnt3m45kbtTk|P5Tik zYmoE+p|SUOGe2mU8yYZbcOL^GJ?Sd}F9)GQ=@aDs7^daZ$Qb~9WF^$cy_OSDx$#R` zx=CcoH)SG9J}o7d^v4Yf*W0*I2NL;mdzCpg2!MBv!U}(<2%Xsqe`bbOn-oaqDWd9O zh4nox(>4H<&K67YL%J8?{E zB(x05E^M|1G9MW;FW}d4Qq}_Gx`x^T>GS%U;-P>VozA^#InTBo^qc(zZf)2JQUXGJ z@a19i&Nh4S7;38_4F~IE!!1Ad*^WHp@lPmcqT(kVrBGY?mjk1eo2>Q2DB21`nbFo? zN#?W0Hu9&w@|1x5&gi$J@=>)c`aYbLa;51Fu0o0Pa~80Rq%$gK4i_#rW=TI#$~P)+ zncb;p=!aTGL{%SHpA+S_U)2YXR{_Yr>QMb?wt#I{(APe~G=R%wu8_1=s4hq3(1`m@ z&hE^KSYt_8W^e82FsUhw8LMFvjEM|n%yBa-I;N=cSB4074QLsEZ7@hRSOk?{rJY*b z${JAlzO~YFB)*A_%t9^qmQHIX)8t1XNU`Tseu`5ZpCBfku)U#Hb*w=9VsHwuTwjsK zBV~2KhR)hThAlMB(Io`KbCFFx8}dDi3Uu-x(Vj<{MrSS_DLw)X8@A)+UDT@D3Y?U& z7P_jIJdmpa83Rwr47O9 ztlr&P`N7v(>n~Lz=bNlu8Hb#^^y`D=9OT?ahs%!xoEwc!0$m&TXiksUf^bZ8Gbc#v zkaHc+%RqLoTNw%ZmX77B1I<+?-mdJ%Vh3jqeVHwHIUDEq4>5hhZKQMA)`R|4Je}KN z8_HSujRk9gHr!`LvT0U=E#gl%AJCv z2*5uqy`>}fFW+e5juS2ULOj%$8~B=ZSjL^9HT<6nE8io=WCBQi2n(50H1sGUpl zCm^vi^}20wemWATY9UVC87J{~EfFm-6qlAcLDasGrVL&yLL#fczPc=jv?*`xtcB;M_dW^~r)KH7#s4)I4xxwWc`_UwhS)`Fy(4Glg z6x3YC0W^v31K$HdT_ts$4E4g5aA^v>9#PRR!Z+i;{m6?o|Kv6FpvA#NJ`0}MRmA5c?} zA#>$DL#MnZASx6Vvhd{t+h*=Y9G!+5V1GK2QqEP~~Y$ zDj=HWa#VSS{ajjulze2H%vsacp~|b05y=jw@(a#rI81ifHS%>Iycdt7^IR`axmf8# zSq*(~@QmruQm(sI>4fG77dt1bEYc!%33Fo_-hXx+|qBazN zfXj9bXUohp`^Y|+-Q8S8U86c0X0V4-wRzv>Syzg0lZCa2*mxMQdff1co00_Wd!!Wn`hBeqKUkl?4O%o*ta@6^wdc%FA&A-e*-eS)Jcy2ljM5l7L zAmHXG9^4qi#Yoktv4}UwZZ6Pn8T5Hx15zepJnvx>mz_AxHPF#R>(O(q*~!of{{e;C zHKq80>m;A5O*0WZF%_|0n=YUv{p*4HUjmg6L-1!pW@N?+EF29fJ4?ok-3l%Xjgcfm zoFj^K>CgzQ-K}8>5VkC+nYaN17MQ$Qy$8F-YJ)Yo|H{2ZI>{&W$i`fZBH<{7UT5taFev4gi|!%6 ztpY(RwiyOd%1bI~2H4ffvsBqn*@4neG4{8YJG}XV))MG>PcYm$wuinWA5bxq{ONFM zze>pz>{H*@jO+;UO*T~Hq@Ui&th zJpfGPW=4%m9kUFcL( zMlLla0)mkHB%Tu85Cr3<-*137?ki;`qC=%$uwxvut$-2Cf_7++s9HV&<@;cJh44u{ z#`Nbi6L9%)1O`;BO&W)1uSQ}mN=m5}e$Wt1?*MggI#hlIb4w+-)<1+La6xn$R67&% zQGPQnhx=kf6Ne*d33@&N0i`2<2`Y!lMW_%gY0GD3s5Xy6`T2-Tll*<9R}m-9Y{pv$ zqa&@ovZ~M9;qrF4j|Xl28f|pq=dfxzdcFrsdvN|EWSc6@QI}Vu{HrL8hPDf8?qI?kV>b=LK&hG|ZP{2FcQHh>=aGnR}Z$ru>lpllg zK0#btCSHqXI#!sJ{2=S75PccBJ4Y@JN{Q3faKa}c3a=abEJPPYNMEB*BBZmpd||ML zPLy_Z5j0^Wf>{}942xA1#MDFz2mR#>h?xeVE@@dH^Nclag0LQDHrb$)JsW8UL~@Z3 zG1cZqGL}H@HM+)jL}pm)(ypMwY8GCLRI8LF+ z--Rk^VO<1khRV_-&zt71gDGRYK^C4m8WW>u5Vc4Xf8I7xTrSWMA zKJGl*V9qE^71_}THuCf7{oL3z5(~tThv`|6(p`?ZDtEOf2g1o^$a=n&^dt-@Cdw-a z^vZI>Z0q3xl-?9!b*{UxQb+J+2%RouUe$pw)5pmV_3~Dq`V5vAxwO?WFdhV@}3qIWNVxaT>Tp|%Q&)PU+$Fc#Q?s(v*X&7jl`=5EUBQmRn}F%;o@hMkuhgjA zlb|+$5RdoEh1`|GdqE)ht{tcm|KuFD1l#!j8!XUww0_>lQ^dAn>TQ-7@7QD`M&BfE z)UWlIld-r4f@X)2xLUBsNu_G%K{lM-PiBcPv3jLD5~p$ZrCcOW#PS*>S7K!p5-W`- z0_11G;shwvbCA7~-AtF;x|j!Rv~@vTmVO6;h z#g0zMcBe`}-|Igv@Kj5sSiA!v{d%K#hvn%bmQSU-Sjs`tw-`o4;%!?|%NJCE7D|3< zN`Xp8%e9evM=8C6^xd_*V??sQ@#a`yR9nBv5`q}=yI$?I%{OmntV@kquSM|#tj9D^ zqgXel$qt;kp>{oJ;L2%!QU~m~-QLUxnbK;fNc-`vo*XavsBYE3HNS+!&){nz7R*kY z$?6KXml;B{f3Vg>lhbUPc^s&+*`9lTW8=Ymp6mIzwZ)(L7sYjSZaQpv^oeSo&C!VP<@h0o&pm-gUhR9BQc*rvJ1a ziWF=*Smc2q7dJxQf~?PDvXb!7bhQ16ZH%-7%`C^#_u!p;{}OYOFf-dTM_8#x8%sL* zMEFx@{x(E77{pcxH)5t_8&{h^URSTv(&J9=VTWr|VhAl{C8c!o3?$KcW4*?l*>`El z5rO2(ZJKIR)yfk;Z`b#>^_MnGZl-m8KT^~jS+$PJ)D0X(X4oS8e^gm)XvKOs$;?OC zcVE|P5Bm$@LG;+ft~nWKc6S5=JFG!d^_Sba3iXFH{B6kZ9QS8@Gkx`(B{>U@8!8xzWY&Ns5T z@@3>oIrd}jo7uH&YwOSPz|CS)&c%~o`9ukF_=)g{xL8Gp`H{*gY~RH?r5Mn(GQS=| zUd?ZV*WsgxPKkL!-}jjS>zK`IJxna40RGkj+&ygbeTdUH>y= zwqy_-iaOUdg)v=bQ4 z4n|z2#|l5?qA`e_?Xf(?j^II2+g) zVh!+;d8sT_*D;)oZn_HGd1Gw^9;E%QvotrGc|RC(gT@;nQUP)<1*LI(%zA`4S2@kV z);Pf&(8$jNT+iyJiB75wcP_&VkFb~P7HISfDzV$D>PXH&dHlm^`sM`%m@i54cS!u@^crO})2zV+wKYzo&9TJ#8p(VGnnUZoBH@?dt^JT01v{=H_tVBlic6&p zV*elZ-aWdBs{0>4r_E_|lFT%dX3|dD2}#<7CNx7cZPF&tKmrYIp@kM&Xt@R`P@zCe z5ekA7DNqol2q?&{ASfazC@Ly95fv2`6crT}1r-$qAH3l8w*zwfKEChz{qg?uuJ!F& zZPJ-Jm)YmG&pvy9KCl$sg>_mka-aJ@JAdTbfOJQCCW{>A?7lU+Ct2|a*vB~YZD)6I z_XnmUXHrIJc*35kzB>dx9ML4iA$R>ZVt=a&025LEkkB(o7-3qbtW%Z`Lq}gLIaLOp zH`FU<;kN7oXTDbVQaAWNN8DfjL#$^cpk**!!5Qqqn6`dGSJ2t#5>8)T5IveGG%ikU zm)obE=)+FwaJUcqe$e`~xtZfS!S1`=Ag0J4#WtlGVDth`IG4h`(zbeMk*PE-BiXqg@+J|~0s7yA#P*A-9xp~GO zIx@1%Czv5Ttt?0E5Y^dCF_v;mDU;?|Ve2s;$I6*x2%+Fw@@03PKtaCwD^b=ef*NpNBH+ZyPP7m zA?pI2JQM9)tV1fch!v{X3!R7SbaFj?*FJSr)TLk_m`8>=-_h7l*hU%@rt^BkVtq+RrjALK zzl|08SFFUJS(Z57AG!~SxgyV7G&lD>^@1sMdX^`m?_!ui}H6iJm0?U|h11PI3>%-I~7lc1P}k)~_{F zfAD4?OMgo;h;51Cg~4>vPPIP`an<~jZO3RvxlG)9@pF#(@$L;q0ZO&?Ns^7L~B()cEu1otPkP_MqWmzho(2h|2f5Q ziKS&_&Tv+OQ$xOFTzg4oQ=%IF*mf``LB1xQ|m0H3$)16-8C>X8UzI({SfnHk1cIj6m#FGnJ%`GG($&(p z$iW<;HDw1e@5?2>*k*+WpkcFPoKsrME^uA(r?NTTm~EtU?FwT-qU8_}f=a)jviBi= z@(+A~|F!HhKBM|iB!3ZOvB3;42l%3o_)42y9sryKdyXFdrR*!-FD&H}&+aSlhRX6P z8;Rc^1N*)zxdn+~PJJ*3O)~DHCMO5Bu#@^=jj1oKTo+@VW@zKMCTEvyIAhd+U+5^~ zSjr6^sZoK$Ty6|*vo5fC2ch6M&5!XNOr>nNKW4wBwq-&l7=6k!!TrHhm;yG}(0OIS zYt4oHXy!|b-5t3h&iz`sV@}{Tt?#(?F|Uy5+-qvrpv$fgjd!d45Iym;&cy2=La)*D zp2?x2Deh5BncG9frj8XCxs1?6l?<832A9}mz+`Q8*RlK5oMu=zz*5G4f=AKl@;8k5 zPtZ8RG2lvP^vdzvpPZ@W0d9GCkHr(u$;Ove(3aV78Y&$IrUR~<>CdP)%oSf1KT2@v z+K2x+aqS_gyV87eo%=G{CQ< z?&xkoE>P9J21|b@Fdr31$63&Z-mN_Bv98d_soL7bwA|EB?*~R0Q2MQmw|%u?NCNe` zJHZ%&xye61#-a}QMzxb@vAd60e3?oRR^Mt_7q}N)e3eTL-KjLqQ(;TxaCGrrR%AoH zjda_^MUeQ^&otxgBK$Kj19nACoP3q-Op!P z%AmaZ512WYhKg6KH2Eg3`_SXgc?RnrjF>OHTDz%j>Ym@({whyE=nQa)c1gFQ-EzC- zjHP5Gjd!-)ajv^D85mbQkAo!Pv2pp{UDpnx4f1>SZS^9i@P?K6{w+AmVmHY;7q@+wBP0*Lq2u>9`vF2dpODKoSE z$VjUi{H%uJgIyS(_dE*r1x4f~Jn>>I6MKms?b}uxgI!OB-jbn(p*<*8Ra${D;ot+?TaA7uaMi?_@rOHRDOyg)Zik z)2CA-E3H> zFW(v$$+67Fy_gA3iPAcEH{WFTfEox3_`%#F=Wr@`S(6e74VJPmQo}|y7qM6C4PPn) z)+AWc0gQST=LdtNG#1;o<5S$~(odrcg*>bfasBzreBa97;s2H82u>c$hH7+oGWmB& zA12DT$69;2?dVUV9QqiqdrFX8b?GcB8y;HsS zFYl{y!3@x<1SR!Hk2xxg&n29<8iyp(4!8<7^LYqYSU=Lq8*y+3Zv^_4=C!+PB@-EW zEdI#-&^GrX@6_jmDizwAqGx^cYahX19KQ#H*(zsWZI;h=tt1WxI2L&2bCMA zP}d#qB3k0Dj&){hBGruSO;JUvplAOT8yPg~G}s~9pM}2MA4Pch7@(?4qL2Ig$Ao4A zes=qFFs4dT`<^R9Yx6Vg(@NgFHSFH9XQHK25vw*FsBx*i-zoAdy`arknkF&zo#|7S zfiN(0kY!N$AVGdY;WvWc5_kz%YT@!zai=-XxTJzUAb*}Ya#@_+ESmZY0Io83h<#Hg zO#?@SvS+!l`;KEj+P~E~tDW9;3g^2+jE97B58C_?_oL$+T`EuV`YyFqQJbkF6@CrO z^vIns{{i?Kejs#ro@GJM<2hHk6E{ppE-Z`*0L6yUnlxNU1fVvs1wXwK2^A=NqaQW= zf{HuiD{GPiH=IT@CZO5pku$EN_q|yEnO+r2?{QMPHRjkbdR*#`M}qVDVPWj4*`_rT z?dN>HXK{KAKa%r6Pw-U_hRE;0NjT;yKZKUGBkqIpJCO6Rf!jeJ#b0oK=?-+y1vCSe zx`A)DAyE3{_hLK)N z4VNOXiZcnLxd)x=Tuu!Q6vdUsxkvVnQ@B0+rdG8YM}O3kPsooV%Lhn1=V@x9r2 zwc~A=b*B7W->9-!YWBS(Soe13O5BA2o3))062sudnQLko zVt<1v-nTq|wJ`0u5Gr1d?EBN|BJ?twt#NIZi*&}c(8TG;^QZ|XdQ2;;IO}S!bP1J% zBhmQM*D>#Yxi2dH4S&-Ye7<9j4?)}?RRzFmCM2FJnjMdQ=aK)}VwkG6000Sfdqu1QEO7h+sbH_b&k;=I*x6gRuP4SA1;JdAjW|YmItDqGVLumH>iuob5>oLVdaHl^Z zHz=rENSymKk%hvY?{kCg&UDi+;1@whH%+fx9BZmn>0U{iHKS|*HyW6VHm{*0OzRSb zdF(rM>LYb=T)28=?9ev?AETiQ$tHHD*hYlR86%K<7O}wQ8LE06aynl95P&tf_IdpZ z#n2y(?-@;UXa9Qk*llzU1if_rPTK83SjcztYx&i|wa`z;hxj5VyfFOXgF+_xZ37T&8N#;XGIl zSZw-i8ojT+&RM`(S}NXxBN>an?3_FqS+v3Ke50Fl|KQxh*G%QYp$t^j6K9};5{7k{ z*gx&zmpYm@R@1j4JfF#S=-?b{4Vt6-d%H529<9)?2>$|~!AyA(#=vKZq*NTN;ZtGp ze$N7K{y~|yS$p~c=pz^a&H+Q1VoL|B-OQd;!fw^%8Vwq~ZLi?+dvU=WKmwIhaKUYI z2P6wvw?zp)9f9_41uqL}J}bDyS>^>tLKLcTB*tY8_K8Y1J`wdWPD;hyoEI}a;|(=w z-hvo*NGIMRcsw;_Wri=(COT1Y7`Imjbo?&PVEUfh@b1kafa}O%FQgm$_JM=mZ9BU- zlkC=29M{Eq*~yNx=qBU}(?QRHz351Gj2e}>dTk%a0h-;ay!sEI!JHNt`MPIq?ydey zsLiS%sQwGCoHLajsQU8s2t@@owCg!ZejnjG!TeZCq93(A9mlLw6TyjNyhfPj zH0zzI8tWmo;3y3+T$Ny#!6*HI>hcQ}KMC%ZW86OPDpk;D%A&Fg2i=ehe7ImMHaf+R@nc`a z^aRg6CJ|s)oE?UH58z1M&LuK@fGd@J5TE^-%kjR5{gX0~7d%Uy9a%U7U6$aSpban3 zGOsxAR5^XNz<;oPKvC6e-pp7sr_3sJmJ=P0rOQ@=K8cnAVe3qxVda}Kk|(vgD}o@v zy@070%1s=~d0E29)L@k8$pQ@NKhDxBy8TvD6x~3m9IX zurrBYet;whFIxCoDdN8q){X2Pv+{d1yBu-7!1rqCRPPq8|D+yti&f*iYZSUqG;Ov1 zuj0M$>&tyHwLgLp*$PW<{$!u|p_M zHI_5-8!S7Va;erg8H3=bM@?raw&9`9hdLX&v+hRU%XqnMJXtv%heiUW#hvq$F~ z8w|a}uv-!g;OmQ-^;NT~dm{IQpa&&52Xp@VEZs=0^()q$jcv{rmNvR`NVddb>4Pje z?+PgC>zzrS6DQd77`CI@<|S$QZMq6KIPT67zA<&{z#Ba*@G`h#om)D{4?#?Uvn~sK z5$0B+TAk$w+Pk8dB#>`k-h_1dY6wj9f+!P}tEzmkk zZ5q=%0-dE>rU7@yV^7jtZmtBF$&<0)V>i9qVO2HQfnP_G6(8L?27Gb)#DFgjw_Pg2 z`TM{b85q>vtGTfKC+0{E%*m;Dm(0P~72wC_x9fJ=JbiE5qzC-n@zxDoTU1G`1-kP3 z)UA(5$6xV10Gdx1b zrt|9Gl2~x!OD7FNv%#dK$K^3;!og*Ba@Z$~uy?7XgV{nZI)QVPoskG%+@H{V`F$-I z^dGi;EaZZl=4I(!B)^?yTGv7NxV|r~wX0PycE_NyWXo$}{ZIAMWHj|xyvp?|_h!AS zsoj4Fyee#)&mN+y>a@c|fLhS59R36d9k*T)O>UI(_H*5HA7j=xQS$mPSi(wdkMizzOC36-^>JbUj< znCN)3X+Jp1%R11?_isVeHANO>0cseY1hzhuA=2ARRU9d?C-diiXE z2Sn_M13F9Na;5zjRn3uly`?1oL9PYkUHyR^D<}7QsJYhxA%y?RMKLuR#C`+b36QR@ zfR0~}WH_^_zq0qq$zYaRq?>S_;VT1}z0(P+hwYHqsl{Z_WvJ{MT>Xk`vgTuHU%%g>r9} zg6FzaJy9uKqrkYzJ8`Y-yqi*e`o99Seyu!r)=hVA5uH2QZr9S>EIapALjNiPbQa8q6&!K+>3CgJ_h z4s_G4>pkeEYgbAJx@`h1xE%}w#xZVm^W`t`3 zxk_yfxwRi$%Ov`$=zke(3e*2TVX#^F=hrtOjnT-2 z3H=%-O&T-hDlpRbYn6rvR>#=qe)6@#e&KU~z5xuZ|6SlG+)zFKcY!xIOr213W&XJ~ z8~*PCf6GF3%Y^p73q16eTPOA#3)iiR(XDGp6k6%V!f{O@yRqQjEaiW+n;Vz@cY*)^ z+XDZuuxY8hxep(61y_&FQGpULx@L0YI9GPf^hVf=8hGPP=y|YEsczg(zUe!pQ)m2x zn~2{|K=!4p&fT;I#*LaZaZK&ls|(*_l&=<1p6l6@W>kWwn#9AgkWDROghNEvKw1dKJM+nbG( z0#!)k_ImY94`H(2?UJ+eDLOTR$M z>?}9DI=odbxIXs8N!)9YjW;`|7(fl-jeTu1AWzycQ!6+i0>} z*}27+VnAwMPr=JL6RP@|LYB#7ZxV$5;H2I2dezk@!}8=;MFoZ}UyEYet-?Ab*r@#T_DBN=KBCPS|_;LaV zqunAWFAs+BLkfP!&1k4F+!FuiXo0Sktb^fEdTjtf^`Nm~TrG>a#NmGic6>5241KaHcJbkn2S;QjCu_`%nT@^ol`k$%?`}@jnmMyBInk`w z0yx&Sf_Kg}`n96ol-eQI4B4q#LT0NrEjC@( zI>5Q2*lgE!G-sqbV&VJl>g|=*ei>V!bb#7ao zZn#Hh-|#TZZ7;6AI=B5_3;SOuyMDaC53jm1(`5i&JH-gocpi6+f(S={Vy=EfIc&GY z@GEb|5KdNJd*~Y0DKG(|jDNWbdEAF{uEE~U!$^yhiDE$PG6hOTu>e~;2>vcZU6DB! zV&Jvd+!&h<(Hw9w1TeN)C{|ar4E`2bi_DM|7@fMN_Cv`EGfKu-)AJ0VhQfo8LJxP% zkO?qb8d+OnScSZL& zGl9m+o(4Z-qEDHXvDw)imxaynpfc9}{j)bW87U1%Mm1h-vjfEN0I|RO6tvlUPhM%W z{}#vpgOL8U&HC}(Zwv@!w8`S4O%`pUYchw5U-^M1Iv&Hnck7t=2k95x+C=|-6>`{$ z^P*Y3oq%KWP#>&~fkAO$dF)4V(NXcy%JgIm9kyuM(o}^Rn^7L%0>>`vxhz?sjg5{O zJxrFdABC?DkipB+vv3yNG2>KtN`bT>`9W7wJXMzisUe4GF3=UCchg~L42q_Q?|J~7 zzH$#`VFH-T<;&9bkRW<1E1K-;n7Od;)&?ktEy2|W*rzb;QrK5N4-K&IxhoCu-!B_& zfd9UV{R`7jq+ZAGv8eZi`DB8PEkT?aV*yHBZN=s zSZ>fQOyU_p4LxO2T}_m2TRwn<=^Arn;%HmtRa$XPBamxjBIx)Fz$~tXjK(uTa!B3N=xdak}^>mT^E$aSVW-} zSAbH5=aNCWH3O+@-3*+Czaa!Q(PFFxw-whL*q;h-bA?zHr-yP7P%)%HEtwZ6LXl&cX!zdg(lbOHg+pJ?&`w+BI4eg#$N? zr3`lke7K}LqoZ3iw?Vga_qFV!MV!tx{|cAZbUcQPZO_p=rTTm1^~Vz0Q60G5wB%REvxYYX%42JpudDam_F`v z^tQ5ru70Q&yHg8Mj|}jA)Q$?i>e<93$=0}Ij~7I0)wZRMZ!GsPbMX!kdo8j(Dx{!H z!oj>np9nM{S{Qr>M{s%+*y$+x%NS&%Xt?~QBR?@Z>=8J7P^mkwK063IF7MYw$%)SY zg$1jgfd~XXN$iZRVkDY?jv&bzK){_s52Koz1XLrKNe{f&a)xFDV&HbZ4;27LE*aq| zHQgfX*v$YVV_2`mCoE;{k714H1KXS443-RcE%$~IUC3oK38xR#%-!CA=K~$10m4XLnh^*v0M}9NT*9MYNq#lFgp&$#p z!D%j>5{q~8A=Kn;Vev#ESPJep0M4F?@(*&aDx?zQeVW>PLd`Kkl8z(<$MK1_k3B{{ z$vIMuALEnDOt4MG13jPfok%ry04H8D>2Z2u{jzN5XvdB43 zO z1m{!$Q*4t*?tz>}9{vJqvDkxhwzK3;fbRu3JN8G8OA`C@$)U3d0u+o$S^z7k@du8c zf}Z#$xZP5X)CcopnG_+97`Klym;4a*>R?8=w+G6R-xu|L zqhmwaxFD=4$w_+3}i4S7TFRt?5Ynk;>o`#}w5L6l}&F@m!{6^ONo@ zM(-VsI773`u!F@aNf}SFNR>E;tiZPsLbqZcu#uBy+t?GmNJlic&ViSoc!zyfS!;*x zZQZ8ay3N2OTNyQ@WwvZSO09JcPFMAuc&DpAg8bg=y9>F9(@*}%e1Fhrjj3AbTyg{D! z81V+$hfky*D`p`3&pg#xmn0frO*E}ZtXqQ55Qn5p6dEl1t&5d4#|e<}(PqPkN;(w1 zV^`^$$J$Tn+4-!qR6JK}O4dVc5Yr$H;(;VjhkvxsH&_PPbn*sd>0+t1KFrfK%n;XD z{!P3Q0{iJ?-8PP-8(a{Yj7A^LaGqffJ|QP*fj9sU*(!?3);^kp^YIL0ySinPm|^`< zUGr`8-5|~aQ=7(cR!ura=HpfJoo}iy`4Nb&rY9HojLtxTMWPFU4u0l8@ ze1cVnmodFUppf@aNGjL3wnWPv?lzGX((cf3WGnB6l0+={~}W! z+5+v*{vn`D%1B;BO31?9nWl0j))B(*CLf4*k-<_a!uu7{z31E53hGRtwtE~&*vO5M zb%>s|oM6&wnmKLgF6{4*Cdx514YUdDaK)@Ft=z9KMe!MA%}JzS2YlZP2sBo&Y`tK-EKqAso#nfq`6FD$*g2O8in-4lDAfUUYbrLD@Cg@MORzyO-56D z_>&N+3lySZ1!}SD&|!8UPQI68g~tUitp#`5axTi+y+53Z#K(A-@aV`fNPH9`yIk8g z?-d^7t4h8AhE?MVh&OdlLr=S&y4bsRI6cDY<>B!Mzpu5_EEk+Bo-W=RPded7GD5e* zXqnC@l`NL^NSH=D@+0tEd>s1yoqq5JZ}uOH xS84DvM9kWX3NFERMa_(I7di`) z$sH@E6qg_&#}BYa9@P91>q@k|WU+|3#tX(k03nBQuJPcH*2NmOqtcaVD*(P3Z ze8J|gLIqv?Ww_MPNoc;f#Cn91mjiPV86?d^B$w237m3a`9p2KzC2qY}b04VK)+uQ= z2hY+~d_wzsfP0`n?B&zQ69U^hn%4q|_apMNlnjvGMmVg=gNe^%OCT$GrlkwVGNZTz z!xIViCQ4nX(Da^7_lpwr%g&*vY)mDnt+1ykww3WE#73Xt_2f~~7lyDrbX@D_fuoq* zMZ>l2#`hCYNcWejf-;7=0fZk`NP(j{_6nu+qe@pIw0~LI0YzH3?i0;Z-!9EZKRs!B zBe5LtEBjM%@aaTjXJ=>{Vin3G<4Xad$t2XX-HoB8NSH`R0&0b~Ct{yVWIy378Q3UP z=(=hwJ3|A}und5aBNlw2#={R5UX`{Y<6ZVapHO>|6ASvbJwgU> z3=`%OqQ4~1)yPg)nT#BL3V>qRoDQ_^;2F|Alx|>ZyhVucHW7EjC1jw%WuV_W`#9My zO3N~CHMY1>sepr?tmeg^Zm;eUGebtgW`1H&73t4&!ZOQ7VF^wK@~kAKbU(7co}=5Ww0k&5 z-{6ZEt55uO&{E*{p2|jJ&);cUor61;+~snfz0-22bs=DB+E#qrTHtt6@epddS`}nn=&-#`Y>}!!MA)=%Y(Km+L;-3_GeP`(V&`~h4j90fl0TZiwMZ= zZ0oxLBhnpoRHh(Dl9*~)8~HkjN#Py>g2i<>6Ca}iPM7~0EL`1jUz$nUaJRExNwCgJ zfL%wKy%$Gg`}Wwp_b; zzr7pHKR_yR_K{ec@Kbld!DS58CG9fNIzQ<2Gh1E>ONfTWZN7Q1R+Qon7H-Vfh?q*d zAmO~<1d-P@lxtT=mC{Esx|2-pW7bA>q`$RZ9oz(4t#?hw8OIq=(C-Izeb@*jCW9_- zEYobg56{A!FstSzE{UIRNuu{+X(WVo-X`|rf8ta53Nn64XFL$_Hyi^kJAtrz2t>lM zjx;GPu5PPb6(fyAxJS`qOA#$(7y4y4axI~m=LGg=RY8vLvarFDP_{6i!6R#A+QTs_ zP>X817w04V70Kr=36tDi6w-dFI!5|Amb8hBO8#ScHIRbphvHPyanHB>I8pTU2}9fy zplu`S5GqLx?a!nD>N=AM;ck^50`!wGo|e!F08$M`RUVc2ElNI#2l`omArf1-ajuV9 zSAuBbOWkitQco8v`isl-rXxwWk3*z)L9q_AAO{#WzuMh707}1*20xVojEkwehdOb2 z>vQxr?k%nZw`XccpwZ!ZNtk0BfZD^Uf~l9*wz%{=HB4KcEiEC-LD8GvI->(}KSD=D z_69pyf73IZ%ZSHdUDHaTQ3&#@0ln<>w|J=7ha~cy`A50D&?{)DoA;8Qo|S~HTn}6m z`5lOxSGG~D{0Lqr+R3w(!;r0v2iTh%4$)~8wP8O}T0 zNWJ_q+8H!K(tzIuK?*bZ6SR}yv#;u93Ust|;LW;Brv7uw2{wV@wDt>>TgMqa6Ffee zVpyEFwwQ87-C%#ktxXVg>{=z4F3c==HQEs?4M=(zM!E0};9xT*{G;JLH6F?E;Ti-u zGg-nLJU}7Q(6E;wBH8sCo~@gyJ@SNL25sPejSNe^6ZFgBT6rU;?8BPxkBnvPwtesR8|1emK_fEgMKPShuMTs+%M*0jA(2GSd%xy0-$4 zBOKwg==()3-NGd2P9Ds*`KU%`vtW}Sn7Agg`;=H^9Mw5ch9KfTO&uw#T2|Ir+YWlb zr*zGd^{$5EL#U_~P-%ssczo~;+e#DIvG|>%2s5=GH~Y3y^r#Pko&{`kP5j-DHXzqd zFkRUQK%4+unQ$REA9oIJ;hu3;1vgh4D^-?6pO;$!kn1{#OX^nNBm6z`G;yuPdokW% z`x@;j5!nfhb#0=1mtmr^JqC9;wnx;SFkti9a)U{2T;qgj)}FWwAng8N!IcBtNo1rZ zomTuNR8&re0R5k{r^5zDUXqPbLJN%+HmtAu<(E26esD zOHLEf@+KSUE4>p3=GFU;{xj%)-aMvX)z@8bZSwPb%ij|gqg6#f@*;R2hXp#hq1#p9vCX}ZP<_dSwyTE zdKe$(D==fcJ<;#N{5WPh$*x`3vJrSMtrNAlQR<|?cL305tN4(uQ=k{J48bnjM*lo0 zJ>puYYu1Rx);Ve-@Lp&!%N{nCffJVuZgaH2R;TCaYj zUZhXCzb4ZJ(YB>(1RdxWm?AELbua)BOgowK)9GAzJ)hyyKxZDqBs(WmkU6&JA%4)i z0n;I_OGY0b2>qK=21aTJKA6UxLS1eQMV$n@T8&v6JkMUe*P@lXH zB3w>ZgT-VeA%+VYIsld0@3&Eo{|mo~BnyyB$P4=H?8tUjx?-@Cj4hbvAB)IL`aHRJ z_EV^|Cvt@SA0wkx3(!iqt!BKqnSA13gGg5-*;)+`R*P$yXYGS+gd<-Wt8HRAqa%;7 zi-+uefas;Iq^2BNu5MD7D|TiU)^`C# ziG^bTmgxrP+wI%AmsS z$8WkX@kOM4*cf1&pgER8njrpKyb*~ei_P*9U_BUmj?!&o`1!QR|4i;?$^Re{hvOV> zMCq3ZFa_$Yi?vG_k|!48bf9#}3Z@6P*l_ox`n)`KUvkc<;gEqM`k z0Dhijeh*BhOY$mH1-72*>P8%_kYbdKwmuggoV#+MXMWjP`OA>&Vv%9r` zme~!=f#fG#wq-Tq`jQF$z5w)xc>8yhJYoj~z~950{CG}iM11=JAO}sMSkE~WH51)O z3}33GxBWN+cctsBUv%Qnv+vTHod#R}`Hrq;A_P~GB%7bSOiK(vbzKY#5?)9;<2z}7 z{aei+X~28^Pp2gZOZF8S(pgBrAx9tU4CcriR^Vxa-OeCZfZc+9y9VGjd=zKt^i;6; zArmVz#pgZ?dm*OY@69D=Bmicw@=FS`6g5^E4R_P2<+gI36>h8B?%3tKR4}XM4nBuW zv(4dwMu9l#W?*-qbE1YB1Kv2&fkM#HZr1^~F1^#n@Z*G64yM(82u;49vF}dcyD~4B z7S=(M;?9VS$7N_@DbNL%op)cJ6}&H!b}maymSzz4%S`qI+CFygAwi-6e+SgQSrB%A z$`yIHsc=_uib1WU0bGcsl9jkS05b8y3xdAobOCRfH1$=IU0jDT>k%z?8U42-GQhEO z>k;|!7~e2%4DT*(hv9SQspnf>w071nS#m6#;WlTR%ih~VUBq8gcVsHRSVsgknz9V-cP>t|3!z_W6f`tp`NasbS zD%^l@m!f<}Wa!L`+Ya*hZ-5lwHaq|BNXL*zI1m3fO%=WDoxGe7gGZ0)j7%T)raMcf zz(`{Z;MvIS zVwXr^^IxPVXvYe(x!Dl-za+udzIF1^aje|2n6E781d;^eIP#hF8IH(03uE|65J%A@=d4uH z=uk=bYtch1mBp_2E{+TyFOtE=a~MMIk>!H@2L^jxy#k*i{|UrQ0%}2$?;z61Qu|wK zXEICfpcnZ2YO;WbkyPsb78GO08B&G(LYfn3MPvgVTJ*E~DQ>)I;S$MT=g;tZHmnNn z=DF5RbTIhUcu_a!f>cA3#{KfS72qZl(mkf+bG8Bb*V1t?oMnflRSW4@97T)+Fm+5LyNP zFYPqqrjVLQKZk*Sb6g58-!goSV5X0P;Y9FrW##3Tu*c&G6D+S(LS=+rpk+WmLC#)-fR$uDef zGz>R`-wmm;q+xaoDX?byZd@D##{uWUU8CokeF-VYFL-Tw}r zKRO2Mp=T_jIVUEOLAG_GOdVjV8bG#TnRGqU$mFuUH00xurY~bL{2%t-Jg$kW?;AcR zWFRMG1|~3p2_!Os1QKL41Bns^Ndz<~Xi!kBpg~YkQKO=w)ruAs>xPQER$OYeT8mq& ztyWrX>)LAFms)LYtF5in+SXR>^9#1uecjJ}z3=CJ{(L{5rwd6YlUdF=bC%!lyHpTM zU-YQnBA+Fh|d?2?ApK>#lSHFFx&MSO@Udo=tSk{EAqb-elOb>&dGV(%pBoYFQ zXLF*FF$y4qt5WhtqK0Qs&E~|0PSiHsqI=c2p=K!v=$7b?2s^N#3p>3VM;H%KX*5T9 zgpu1q`99do_Jk0|iu!XpuW_~XNjR@_KsIgCn}9c4#ut)|?C+59i#Lfs=L!on_S2XZ zd~XP{=Es5bsn|DAhybA0TukR}hXJ6MXBJZ%!yB&DJ1dx>oaw6&oapY!nn0ZJ8i&8~ zUe@iv*-3jV)~#Ap-ckGOK#1P5xIOncrw3xMTk6#8H2gESmcM{&SUW}Ik>*jLC*%V) zI{c7_+%pJJPh=nJ0j~Okufe~%Hmh+cmx_1cwa_W!3>@VcgV;B4bcGdn2JM+n{Z7jS zo3s_|L@gQ{NO=5;>=L4DbDA(UDeWe^QX#&LEVo8vJ#?f6aUt5zRb1%KDlW9{Q|KFR zZJEKT)p@jQLPydejj9-`U8jLuhart-K2vS!hbG%6(e&b{AzRLv9w@ZK7{lmjDvJ-H zGq_#gflKRA5z}R6ju6PcPTkCj0eq7*B#>bhqBl?t0I03K;W<^ChU$`VrS?OGy(6Y> zX9eQkjucEwOtcz27N~C_bw;H*dy?M1*=?(1yyMDahK(yP9}N+;|HNcCE&K1P7=SNq zg+~2%*^5@OjQ_r=6)q{p0Av&(k}-Z9(zqBvQMR7TziIS;-|lD8{g0jfhxJ2D|NE}3 zNB)001YjatFR*P495LoO8nE>ypI_qN2v$GV6E4PoC#}c#!zTaxVV{>w>s9#=*?J}a zcC_b3_CGK9@8bCnSNHrEkvC-jQ1<;G-G3>0JjYo6>*L4@5DNL%r@xExIqb6a!vEg= z-?p?~>A!vU<1r_+mgqm{1NI@5q`x%(+0uHH=a>4=rvLicKS1AM{(@@V{Cv-f3H}ZL zDwx)zw*A)*{{o^uzdI$xTO&0EXR;68`U# z-`Y6;?~^}n!v8Ox{Qt6X=7er1Q=O! zAeV$f>7=Cb;jN>VmJUy7r7pB`877e3Dj+w2W*O0Qzf$qW&Tt8tm?qJrD`l69CNQw! zGTHU~LAe-1Tlg@QpVpA%`kU}z`--x4pU0dq$in*FA!S%gDdI$c?$7tzABKLjgko1&BOhh{N1U zbs1eoeE^1BZ3*9~*74X0f5RY|8=+7ks24wD!Sx~}0)<*fCuCgbScXDdM_9_)xIh6c z0%sfJ2rJGCqBL;5^me39>X+MT=liS`0z4Acv)%w4g>tX-zN~2wt#@t1)J$#=Oe4Dj zMPU_3qFj*Cjumpm+vxN_b`^1OE6Kclvxwf+A3*@ig9lKIRRyx+oYmtCK#@rf9GN~E zd9DF(sp9xaH_yJul~!D{&Q_HI)c{-F51YnJYZ-6=ur2g_Dx>HrpUU^drCc^nOpm5U z_oN`a+j4+>jtv!4bkkZ6fad0%zUk9Z{bs1CSkeoE*b7>SkmT)VT>wciVLOhtE&yce zEi2-a>_8=en{< z$lVqXZe<?bbHpJEQoZDYP{|#UmzPn8;rs(Q zJIhfc0dfad7wRWXOc0CF@t1JC_%0&xLNco%U-{fjma_PFKc@deG!@mb-5b5-cN~j{ zIv=#c|BpRU`RBP+XE+Ub)M}A`N6KAMj&oW-(6ew9@*N?CSKh$sO-TgoPOy>NaW;qg z^!{bzkh5VV4X2P5ROr4d(86EPcc7^VZY?!XFc23G$)Aj}j=0jW@yq)61wy|@iR}A0 z5;`#2i=VJOu4E-+Wy`|Hr(mgWO*xyV`-2TLsFf_Mi{lIBqGk4_K%F?03KCL{yVx-! z1|SZ+%DsO%7uuBGSJ-uYLh3Q$2M~nyl(RFfl6Ql?Ez#vzzEa?-f*!iqq@y+Wt=pkI zjN5&+S-GsFQLAbW+3L$N{8^*cD6C|D;3E#(CJBk6ji97y7 zJCY8Sud>eL+o`)T>_`&9EnzQG-EB6C!O`LvFo7g4dVE%-?*r0-xy%m(<~&KF znW41j4Xovss+TB@MjWd@qojI}Xg;Gv$=E>|@_^|_MdMu|yM7=k=4Rq8qz0hwTsq#2 zd3rj$we^7?ccz|EX;cAs1VThBNCwe?Kb6|oIwpF8A4P^lpiS1O=MmV zt(iq^W()*|5a|RyTSiCee9ZCCk};Tyr$8^lx|_~SO~E?P99n1VfK8lBKZm7_)F9~t zRKkP-BcL1U^k|o$fF{HK4EWeCQU!9HLa9CQDJGrN{DM0%=R=vkil*zrIfy@7+F&B_)BWzcoSJN3IcwioZB%tj*{Ej>b18=xL`_g$jOxY^QhtUp1sz0$iP zUjh_AHJqA*BaM#@$tq1d6}Y%?VZuXa4~{kFz+-7oMaN^D61WW=>i{8EQ)4hMGDj4Q zNvYoxjE89=6zLjN^qXT;czGH#LZy9GMTO$ibSU`({<6@Ian3#B2o>|80-JTE5W4Bb z0!1U;frKa=u5(b=tvfC4h#^HGJjiiH+J0^E;spJuu)7K1%E=EZ_=H%vN}Zu8fDhw6 z`*NWJ4bz#kx)tqWdw4f<4O}MQ(O9^y!u*wB#hi1A_o(nvOMfanyAMEMt1>XXDhe|N zPsuYbW6P^q&l;!u3}ECu!cbyF&Y0S6~ zb~sVH%*gyxb7j>Zqz~TAg?U$&+W-`uUq0Fey`~0?+8$CJ^~1sLqe#z(7Ys3`rmin| z+xe$wPT>_9B%{W_BiP-zCaW988~#-IpGVjfS+EQOIq5x+pm1uP-#aC9f8SP0Q&8D5 z)Va_z(z)a0+q9o)BpNONR>v%#G_KFvXO)7YX8se!9vAgHw!->7HdxP52HOu!{$y5Db% zf#j8A+Zt~$7Xc9XcVS3N0FMU1V*KLjjRr&@avlIOz&ALdzp22(p(8QEP?I2SMEC|~ z+1RS_9IN?A2Z3^Gyfd&S*BOY)O?M4AtUz8pKwC@Wt3Y-Q!JVn0O?T-CF2hGir1T0F zI^j1@e_M17o`jvoi{69cM+B~IL6|qg0eHv-xX{`{u|h|dCBt+2BJ&W)!qz@>rqfFb z{4mRT<~jA5)kM%z8ADG8Y%}V|D$Rye$G)pD52%)=%C^0N-|{@9Hi#@TcEQc8L73n? zD%}nOKH4Qm59|!bZFLb9NkSgyggjQBle?8D-Ih1>7dJDWa4CQ?L3%1*KawF&-E-C$=`bExP+xQwM%3S^0|#c}-`0)N)nRQ&74Yg;3nbKfO4Kl1~mxCAB%_h!P6EZQ7tS*MFB3 zTRzQ|hu913H|5_F6X|Hv2{vww^$)hgz9(S3u(@t*^Qaq3h3dOX@3%Vs?y4MsPx9Uu zbfU36Q$_Ug3ci2yPpszd9!F=iWuLE8s*Qb{YEvjE)aw*O9WWjgI?$c(Ti*?xqR@Py z)K5|9_T;}JV~5!mH@~6;l491gi26H(ARhUvmE~#NNtF~3Cq1rk+Lx_hR>7B+qnuq%krL|F> zo7lj9Px_S~H+RR$-1o4sbHc)|8)a%b@_b>32kYZlDmurBa9lknT@3^~V(T_6T=`r+ zy3EF5-nNa}IUogDX0;VwvJJzp7EFh}?hSTs(bBw+WZX1o{~UPf6;)UOgPKZ|mCC2ZF;dW^6AC?xeTwp7CtwyWtq-OC`G= z7}-hKY4ns!-{YOfJmomrm4@gzeg9w_2Uvi~RuNC8BWk~9$B=XZnOEXh8Y{)-0A^Jb z+y2-)Hx@9T2eV~VG+iz%X&{;-!8lCnhSvQFE2@$Wgc?;opE6oYabE!3&ep%E!tvQA zj5Wtb>sQhX20^vTar$d7nfiqjwIPtCqdi(oIV*@HG+m|>ih}W&eV4)K zD;vjCS(It?m*I8`(w~l_UgUf64XL=QjU#JLYV87D%TO-dWcE}428aLFd3EeCc-uVsP7w3rErsgH&iK7w za*bnggyyKy+YK0jR3Jy4f0KZ zd5whkJ0G2$=AQ4|2hC)9b+Y(wpgRJ$gP38Go*`w#{T*_ggL0dfMSJ{$ zHOiNeJmv_JhYvo26>%Gm$W$p`9tjA|jA@pK_Z{3!MV4)74ve1gWphyQjL?~i*u|k4 z#I$yXOKI70#1$;Qhq|hyQyE=p`}G-J8OIMtx`w1bL7Aa0l{1sgj;_g6=d^9k45K=> z$iqF|trS<#-$!YRhBr|W(u7;bA_l+gt%)46*fX0SwxNEucEFD2?5NT2;cn66PC2{j zCSI=z)K`Dk6x62Rms=mVnK7^>J7%WJ)m@k!J+r%EUfU14$1dzFbH^>|>2e#F51i>X zt$~SMJNDi_k@(h8!^yUL&zGJ|dgtqn zC&jV{w~s{}`u*qN_RWeR&Fznd4>@K1ByQ6w=~PO9EOJQ4dzeoB_kMLoD1R^DQ)Qpt?4r&O zKiia@Ht~1wr)j@`z3J2RC%=64DcFRn7iR>peHS}}8ldbI1qQdPO~T&LuC*z9KjxV< zxhGSdo9W5Y6!)DGCLg@4K3iECPP*v|KIocscJ5bayTvRBUDDkcopLTNuAwZyQ#?O& zNhfn^S+-D!HlE9ATU3^(AGtSfUXOOo;Y)iapY0o#VZZTmpFGF?qf51EJ3aNiy5L7W z70!xtpKD!oR$ouHuC{M}PSUZyeSYn@?_8hWr`d+SeNMNZ9n`np)6luFm;&HpS$S>Y z*ij9&%7MAwZv9H8*(k0b+L+yI?6Q`RdkwBNE|+I6$kJq%7nNNs8ouSx!T}?j3KrNd z@4a*Jg|Q@T#lR~GAD$d2eO9odc+#zg6@k;H+&|WD(DbKNWMWNA%*v2i?Ea%Ewfw~X zWUleG%cb*e-&`KDILmaUBzecV6J^T^hVltd2F@-Ty1J@~AGWUg*DLmRGhX{Z*;x1M znc*WgQ+=~GHw>LqF?ikV0VB5W{Aj?)u)&*;s^2{Ht9(?`@r&K_tS*zuR*0nrsRB`r4QyHQ{T=e#ow9PB_L-iXL~|{Px;}zL0nhb*waSUjhA;??H2KAU*G>f0NWzO0R3Pt5a!LWHkVCwQvU ztY!L1WBYoSR2SZYHea4HL7!vP&D3|k%jef}_f~CKmh-*mNJ-@V1Hb8CZ1I_HzPRd> zj6owG>4x2$wqx%H83DiF*?M#OlSkj)d}%1|-@R*}-c7|b%%o$?bi z&8YkdvaF7gLtno&`<0#_d*|q7BE?XA_AN_~cT=7o)=8Hu}JU!h8peZ8@C(ILf<&`4v%runaLv2QY`Tpa#YNXYrp z^9zDC-0koow^nY_-dkKdr(oK$s)mIF?@tcuo2&a|Q{Bc#-)$mfwdspR4QSg@bx(QG zn#JpBcUgV*xPZ^?lQt}!GoafEc-m`Kich%E3r@DE`}V5ko(Zak<%>2Q3fov@Trlht z!EHJ4`I4UYRm};y?w`Hj+e#idyXU2o@@4sX?(&AhlDhKc12hkg4!ZkElW~RV>b>v( zEoZ3kRh5sQ;7>isG@pfNW~`QJW|o_NzVN-=bh#FG{6FhY|6{(UBiFen7ucGsi5}(G zp6ffVs+@w?Z11S?pV0*a?fqYxQ-->$>w)U5#|DS(U{h$<|QQXh}u3ib)+UNU#fZN}1T15^2 z=T`XkFInc_r5n&E!_fWOes_j};J}pKm22d2*G#xBuJW46jY;PIO3)uvFCKO6HTc{8 zv;CD9?XScF@J#ITtNU@Fe92xMh(4fH*b~075{`9*3JG1jw{p#193sz<;nZmI z`RLGqEcFJgLdS89YB=nJi_u=9rYe9*9HJnyQFs*EOuB@Y!THZoeIxVVf-A|min~N( z*!kT4iZ$?CFR2QJt2hVeY!6a$>cxuCfFSi^`Da+&b5v+RANUTgbIDt9sTxO_+@!rI9xM$vj-wKbx2+phu12Iyi$-9``y=YcM>?f;u@S! z9yiy24dIvlW#hlA41+r~z_jppf6f0(g3*&%KK6ON{}H4)7ie1hGt~QgEwIo3L4Ewk z_Ar*q>&Y>#?E#pW6twdU3grBvX@&ej7Xng&bSP5Lin!2>=d~S~0gd9+|7aA?zl_fK zr%^oUqS+jj@OKOO_sy{5H?qOY;Uzfa0sI?^W1j?ce)8dmT~2j5@+1JuLOX*NF5=~( z1intjA)T!u4?~^=oCUbAfS7_U_ximx^Dxci*{encD0=m%aa7c23lloG8-$h2ZY+rYyL7EHtfz z%FVHr=dfO}|J+3^C}2N2Kz>n%1LWCodWFfo8GACCcE(kbvc$^Gd-uV4;Sx*-XZ!%I zLdn}uU??9c_w+3PyRW?(r1>Jy^wA&CDy~0nZ599DE95^mi?5dka^IZ#FOk8Y>jFM| zAGA*Y@j?236&n1PMGe?#IFkM)ImjC1k~z=tx9%Vphmrx$_gs4rKBQ#FJ=Y&xAuk)l zk3}{*;lCsZWBoF3c3r~IFG2EGXM!c517s9BLMC{AY6tFJlu9SCu)F|YD7m$LdaE%M zvRWr{9!>;nC}b6;$}_C4GdN8{+Q}0V%%|m23{hnKm!CtQ-yrLVH6Po^Gdr> zGUrAq6uk0oAaVWe7==1;L-8&|7k((S8T>+mMb%a}=AKIl=6;uR3=6r=dw;750#mrN z?R(FOztihNJO2%jF5_aHA6b{;R3LFs1LWchsf(n`NH>i;1;9b;M<_Wdg71Pl7^fwD z#HX|-=qvSP7xm(}ZeTfvY&c(FsH5Cs%t&D3_p;n>24G@GoaRyGFG4&==dEr)^dBgN z8|j=RzlTK$3TW}l(2`LSRG3JZq1>S6o4XNx4I95k`lcH)}WiX zr>qOY9}S@dFL5K+K+rMg_Yx7pevYO&m0EOtlf7H9)W24s`Q%d%qGVs!?ysb$w`&bk`+;+! zHJ-F_hTt}JLvf6Yllf}+SoU|)m4CC`2{z93{OrRRzh|7UYyap6YG>_WdI*ZicOt8z zriZZ)?n!m#d%z)`ATYBYaHWNzRw%JsX(g-v5Dh`Csrss7Yo#vHbsmv9*2y|cD{w)R zLclxFyAofSU^`i(ii0MYAHR~ZA)W;H`z)9RA{YXMg z+ynk9XVF&@C=jVDX2uZDc&rs8vEesmaWt6MHD&d|cgbKlV)}F$JQtMl(*?ndk| zZ+kR|ex!h$e%=qruMt=)+LeLM{Qx=DAIKmz_CyM`Km9;hx+?8{GqH;OFdu6lEKgO* zQ_NyM=#SM-wvOVvr5V`Ksj^%ppM|V+F-mYH!Q-8mgqpW%Q-b+%qpxF>A|4OoC!v)5 zV#L0Vl1m%VfL^F@2b$drc73)U+1L9wOka<{mOje9LYAH+L!agL@zgM{lJq#l={)Pr zPo3|zX7-&wf<9TJ7h0h|-(OQqk{kOy&+{jvQcK5>Mh_baAl=5i)+~N92;ns5ik$<9 z$1}Rx0anEi$t*rn-BH25UT}?=9?$Y#XCWIO{6RNV zve17^?`X>uP4ncVs)}Yd#()Itq+sV6nm;|uT;#Tgqto$lIG_&Qs4Z z1kS%CDZqIWj7DEVkfQ)U)f#l`DbVIepgX@*b$}jHkb%uEC_rYiu(c926$J&@;_6!9 zO)wYjn1=+$`x>|1I?3~k>3Hz1)yQmr4?AiRGOwC19Yn$*-wFE`IZ#YqN~*6~VLmF_ z19bx-Vza3_z)-88d(*R7GqM``1xo{vFR{)fPj;~B{P5SD2r%FC8!Cv)Ir}+A zhG|EH(K`A~@P8rCFfkwPn z3mKQ`p#ak=AAf8v95The|KYCGzh;hSHk{xx6xglST!2JMj8K7bvv1*F=Kt zCi&R(m9nr|UieCo=A@d;v$YX-qVmQ3VlEEK;8FQ%=f~JAGzn3fYbw&ylTox?{UO2a z$cxPM;B6pbCVhrX4hEN`bAAJKN*s)GT8Q)$65FZrtB~hpRRq5)`%4%v$je}ys>@`9 z@gL}s_L2hUo9?KJUQkb^vj*yAs?<^RFxY`KrYjWIwI)4d4u5f;y3V<=A@9 z8LUl9hwAd!p(nVWl_*@`%J4~jLpa$6rNFgQ(;5)bLZcf#W?hy)7?jGTqGabu;2^UW zU0VKD7+nuMlV%}tl`MM-Q{-TWQ%l$<^9sNa_*Moo-Os>}s{Tk4%xye}czwE3=96&- z`?uJ6-g=meJv*6w`!PJG+OL)DboNc#NiI`=SxH+K3^u(ItUn%{SBAKLL%S=bN+mS) z>@?N(0e=r?uM7EGa1>XJwn`xCfTz67M@q-A`$*DQ~aTjnVI5P=ua@%5yS zwL9>QH1|VnvDV($RDGSegf7l2IJ){c2$iCgyYJBL=r@bz8+$<61VjOWx~c6gRXV&( zrK8<@$=D_rj?%rVZqE@zQzj^8z67nUDa-X57QaQ{(fkRRSUOH1Ly3a;)3bV6Fj=hb zui(4$`+${gokAi@Z{xGgbUfc1tUrZ8^-kfW3#KUv?5hP+8j^r@NL?yN^jS_)zZ1e= z8(M}Ayup=Ig(A>BSrK%vY{32g1@v1@?=fi0fp|ML;_NcoVHm8jC7Z5B*gGNL zQAST1g86I%Pj7dlD?dqFK+U5j3jKJf96%^n?vtrizt!tV1iq}@r8Hlz(Rh;SSoM#J zx@P;;HbrtgGfPeO!Jp}5>^?M^4@!$L7m--yx{0@%!>VLPc`;Xz!q6B5tCa$Ou60@e6<5A&|l)hq*L zVaqu}#ves;> z{lZh^6;mNdjvf(z!w99M9_UdpIF!12B9v;D%w446@``J?K)1`4fgUBY+SDWBq@YLU z?0AGrQ@<7G$?tslg-@jU{~ zk)GvQH3NAI8l$-wZY|3@6Sl6@c%`P4b7p4+J&qOOsIzWJ_$qplzH0a`f?muXG(83R zN6xtvoTfhysG%E2v3hGFcbj{qc{f^cf2a0(xMU9#`q7bQ4{5+tEmI8A-XJ_p-@q|t z3_FcDm_()iA)nNd@HJ&Df0~EaLU426%hVjg_vp=Z9WZo^`^4QyJzL8rm_{+e;w(Mu zfqA$k)!{gXv(&VW{TW)!M*~uk_6?P(hz3^G(WLsu<)(3=rgDbqqfj4H>p!5$5TUvx z8R=ItFa!(f4hfZf$LQuVQFQuT>`ZXvAj9Y3bzR72;V+!f*cErze8`e$r;LqWH{HGm zIT?UBX>eBdUkY7?%{F zu*+=~Kc`82$r;36aW-!G0BB27jl1hQ+iyZYXNheyU>f2IQAa6&BMxi)yd{WT$MkHA zjx6Y*{~@7OhnWdt$W3qZ=@+FC${RpON+YOd3mvJSA5Gl$?qS?aV;kCPe?jh@*|N?) zLFElL7>Io+az1V>q4PbzS))vYg!0AA4nkYlQWz1Nq_(g$%c^EJ61symiS?T2P4rI< z(x+)e4i^WP%!O_nMg^g8o!0O}us$x>rKGNm^nQ^4n6d*))FKyta9(s6P<{-fi!&)1 z*9xGDIr33?V?{exJLH6cn&tTx7%(3?qogF1{%&}ahRaLORy1irD9ipM+7cm^gHlq? zQj{Ib=zau*taqaGrZfbZ`V-G=WYs<)MV-9E(1XgmIE^uqee%K&$l2w9s8wP-m+gk5 znY~1uuDCxOcao1T*C!`#*teZ)q>tK*a;@U`u zn|>s#3H=s0Q74pI{u*>n4wys`C1NsPX@o!n~YYFnNX zxMOY)ERcKX-jzs*m`z~$3SzTG=Pb=i=&*GnTgKZ_hsRx6yU&&n4ZxLs7ESDcSiNp) zP7`8Hg;U}E@{dufm+NTa!Kxcju&orol8KUPXFUkM2_amurJ1uCx`o(JiR^6 zKZo8Nh3Mgy6nf?a1orRR^F;qlAwD4b*OYX$bdS{w!F04;snVZN!T58H(a%<59mpI= zOQ9Y_49Hq6Ep$jfqx@wU=3~+*#++d)VGV3J-eCD!DK#SfvS7@a`YAQ%LWxHj9tDcB zNj|ERW2{o$IhgrN$?3#JfElA%y;P6YZD;^R*_UF&cmtbeZ@`9;2C7Z!3h{H8``XOi z$gQF)_9Z5e5FqXI&&b62a!sL%nv&*|rXuN$PB#{z6uOLFmUKoZpboUa)pFH`_ORKk zQ9O#EYK-hiHYq;;HhG`$m2A2aJ4Y3Ch71Z^J2x(t^(mid&{Z-|1G z*@_Tme+d4SjRv)6_QzG&evxM8MZlrf@+Qj*hC{uI`!Y2QSLv(F9*xw0a?Gy`yV6t; z1{U_#K=Vhi@_;7$V;K0w??MId=6{NeZ?X%`0|*}17jdf?V>mjjouV^rk;FPIG;(~> zZ1x3I%xk5!q0OVY6lP^8`y)wh-o~{ddkEiL$Me$Ku;w{jlyw8Kt2&sA&uaUI>tE*5 zp`(oy8!4$>sA+eMpysT0h!!1Sd)RA1u*&c)Ck;i?Y|6AClp4xOb|4D;0Bf(|i20TE zMzFI@WjeEJRi3`M1Bv8sdKdF0=^2P`L@ADW6tWe}F%1q~ci*DWvs2*Kr}KsCH^31OiwMIyP8^TCEXZ3($B>>W=MZWop;FiAY#eGtkis z`Zgs>s63!|a90)?YJ-!o-53A>@AAobu#kZVI4%W1tJa1oO{)}J%rHCFN5-*>Ob(s2 zR6~{WE#_o41?bUrvq46p<;^W|Kn|a5tM$dOy`k%1i);GIM+a)Y*XV^fvz08-h5$$% zI?E3Fw}V-q{${%aGK-PR23~oGE9B52$$=pL#IGoA7X*+F`wYr7H!0r-j{vtk={No- z!@Dm2%Oy6%<=awq-(|gIopAO~bA=Qv zthF^0*qQprgq>x&9X1ml+X9rLtx=do>|*mSZba-(wm+MfcHVNEd<2rYy%8JvY(HZ6 zv%RNmMAA1h+xt^&$TE^ijlT-F-{INs{%}RU)<8F(W6p=%x+s1@>AOJhXI~JYw<>8} zWwyIO{|kWYO%J)Z5)G>j={Q-@N z>|Z0jTM6?p=`PY|DE*^%9aFOxM(@;6%?{Qq8QLkioK#i<&5C7QLYi7KBVmL7AhFNI zB;M0aUqYtss+}b5L%MRd+H#_e=|ffHAy}6>LWeFk)}N6e;4hhrL$zV*7KeQS#(x-o z41ws6|MAoxq|HUnSA-z04Jws((x$#j{I2>E%~{UAW3@aUB-v3DVvdq6J2@v{T@LJi zts7$Vg}La(q;O%8@Uhyc(s%^Tu9T`gA%-;>=F!065X=z9m`w{7U9^;}61N99POHTA z0hTxQB; z!a3AOd!mzeYd9o&p3WkX+H5uS6Rc?#3z;f_XchJi}E3`zXSvwzlGVX zI8Nr7HnRe)ccZ6I`3Y~HL%ZQa5)!UUzqS`22YQ3`T{!6q_9|H3K3wh%(rGQK?p}HQ z&vnzxe>s11F35G#HTg#nDuz*E0_dr$Uj=cebS6Zcgf-KHvonxoM_A1yF$$;mLaUxp z7A821uGa4fhfBM|Po1|;Cf$y5IMDRn$n&;3D%5gD;+K;8yknGQJ)ycVN;*%e+b!Vp37& zarcK1S{fE$T0TIG3-$8T&bvqC`?dB(v~#`K6V!N+ zFw2mt6xSoEJu9Bd&{q^9tLb}{<>P3*R$cWcs8^^j^&uaw&O&t3fzHTkc`s3#hJCN( z%tN{?u7U4t3NelQ6wS;+IWM3?H*;2i@J5LMSZIFd#e9_GMyr2CoWrph1~z_;*pA{g z6Pr+40Ua#d`y&G3L6j`cc#K-TPK(cq($iow>FB4WHpb7CXs~q~i{DkWZY9xW)5s%F}*NzlMti^`2m6 zL9i#t_98n<`V)~0sW;gBFagQt5ZE_~8ihF23 z6lReUr#wMbTlJB|+@=)NJ6H1k>?@G|JB9kPs_J|2(nMCqXJFmBTSXt6Y|5Nf3bJuT zYqbsCg3wIM4-w2IyX%l%6R$Fasr0|9V1cC=U0$xeVYj?g$P5T((p1=DSRMx5Cvz;A z6|gJ+a5z&NOc@~zE6Tzh%Mr6Em^E=9;J)e(0%Yv;`&GD4`nAZ$KCIjIlZu%i4DiO@ z;vytoLbtZ+O#GjgFY=gMDhPDrH^^U-3F5u9PiIOSE}e@ID)Bq&-_r|7!HR~qxRGuP zk!%nxdjZl*p0k?IS*Jwu0}Z?t(FUZJiYqI-c^CltJ7 zRi_())|f{=@N5B^EP02^1zU)Cr?NJiboET8qD@yAhYNWo1NX_5)DyP#WOeq=A)Z`H z&wKG$uFm8tApN38ib^p06diR!@E2T26GDO24WpKyCcLah)bBZ z49q}EmLX6yCG$|~)0bzC0dIoj^ifL4yi9)?0RWoWEZBF+s|90AakyBH=Iuo0Hz5Es zZv&DS?|3@a`Mn6HCVRB?cXw{l?hPgr>Td#Fbo9`eHa>6!DQK{4)sfu#yVzv;R0s1v zUoC_`T|JO@wsRwMF)F<*s{SV&&F?+lfz;LC#|Cbf5ZlnF{sBZb-*C-E4K1uzH%`2a z8h+stxXGZoT>G%TM36Ju49#q}?{exN>an~)(dO#S86zl5~w$esUz91vwmY8(n6%&9Bi7VWZq&>j#$*zKiSO4d79vPor+Ft@C_lqdUivh z*PXK6^6aM4Ob()Zm-O=NB?-2D;6>nh8?rBe`1ia`y6}^zj@(*LGi`Ew8t6F$AnT>B zO5{08n@c5}eN<*}D@iAARrW_RP&dpv0wJ*lSny<;J&$&BvD^p39)6T{3YVa3PG5@ws zn08x#E>H!w&`a{)3G9}pH*t(4|5xo=}Zs8iQ6%!3L^J(+gy{7JLa}M=2M9;MeDoA+_ zVwXubX$#QTs!+~-Bvr$*)N+c&_fbE~Ai?=nQM|{|@EUG`WgV~kp6qb~kA*Yxp1N__ zKpW`LNt;uGUoQBC&8qz(KNYbTjRRck{N!ot9%wsTQaNc8m)0N8+86Jbg&+~lE@u7+ zhG^EzU|>8Lz6{q7N@>38D#6&|P$-4|_&SJNze;(%Y}AdX`ZYbs!+H^q#nUuR;i89b zdI_8y!C0$l4i(q@K$8P8RDF~J`o0VDrn!{9bSr9_PfY^DxqS;^s)CDBb3EIK(UFVy z%>;Su-gw_jyk0s)_DzAr(T#EYCX<+g6JjNHq&iK#wc7%;w`%a`umtr?H{GMDWG5zL zQ&+HwmX#fx%NnMW_G$C+So`pRYD>um76j`u5&4E-cOHZ==S%rt4;7Z%7Q zWYPn*`xQD%Dk8Byhc4E(6dx)`@pbn;(T$N{R@)87ISOQ8(HA8}1^7AwVs08=&&`td z*-~#eT$M7Avf84aQJWD?zTsO1uO^83_lmU?q zqz$=J(=Rb>opchhT*-RGZgZ+ol%px=!uE=3q}CU8TGB=s77`5W)GHwVuJ* z+%VFi*24B?U)9Vd_m5*6^Mz8~6B-n7jM&t=)!IiKotj$=agNT2?FO;uM9Tw}dNMsN zRJt5opT?}Exf`&+u_jQ4f(2xrp!b^DXuCN;sx+7u(ZXR^X3$@eKJ{JMKIT*sUEdW( zy(uB$o2aFRnMLa!VyU6DJ^{yZ58)xJZ-Wi|a48nm8a-N^0LlI_cjcZ>^g{8C>(Vy? zbO(K~3POA07r5#*+GU+gusNx48q#I6!NOvs)gFn~FOHFxVrLx8`a@`EG^@1>3Ta)O zX|$?5N+(&870vxD2UOA$%E{@X?K>s=E{p3Wxw>DlE)5o)&UX4Q+5-Z^|9d7Q*m})8 z@K^xb#vX>9o#0Sm*#5O?)nj8go2>6F(!-@R6Y~vEB2CLvi(i;{FOQ@`l+)vr<|9u; zNiW10RC24sb}Y%x_R#00n`}g_;n^?pdw9TetJ5=oM{0m4oKHZMkjwSbybvw1QxdZ#ilf^n2nTu7e z|H~g0(4#N4%24gs?WJx(H99&n>4w=@6QzI95yTLhQ#c-;X-6j8_!Tt3qJWwhxUYo) zHG2JIR%{pOz2SU=wbSp|l-$>i4d|>xM$t*+v^2uPchpZXvibGXRz0xn4ds*Ab`WZ) zF?gm7a3IUmgvzmGrBH5tbXHEZ62umIlXRUwi@_~qG89}t={+o+3(ETuxj$Te3)x|Y zCiF6y6{w?crKrK6EU90o5f27bo`&Y0mSJB;N&74!jma=`&-~R$ecnc5@@o-TM_5_0 zlgu_I-JJk)H~N$qj&-Me-;p`qPW5}F!?M=po=GNt6R4dMMtU}XHu zeIm;HGtoX7CbBsr2{nb0tJr>(-JzO>4Cs$&UC~)n3Qb4lk4AYN{jr2$+CbILM)n%u zugoT@w{!y66gGC`?dq+>I)`7QKB&NVXbUP;_iqFJcInyd^l80ekmhin1WAp`g)AOd zjH*U~;H+A`cti#=%K zaMoG>TDby=ag;qvAsQ+DSf1oH8VxtBu#$7Q`}tm8^{K$~ok6l-OAgoHev;bKlZ&>8 z;4QiJh0-FV2F*yV#A5X>cy-M2>->65$tY zHRhNb)Vo((e>ZJZ+<`- zNJPvZ1m!1vuYaHvH(=rB{oll$jPN-f(KL*d*Ic>~47fdM0d4w4X}_2Bzu0@%@FuFZ zZFsFTt7NsEX=d6cfZ}ue9>@FV`~G}SkE4*zOx9Yn_UpRN z>pTN_73SB3Qg=6X{m()Q9Leji2x4hBx}*LRUomrxD|Kw1r?=jLoTh}k=&M{;c4x$r z??jH-_%Qm_yHaaL<*2 zSLtZ^2_gH;Ad0`UQk6k$Z^#6G0fP&dzTdZW&DNXq46L(@@h#T)cUPp*Ia49hu#gsd4~n^0qUGWu z8`}3Xo$FK)m?n>s-?=>RBgl6|N?rFTE%iOkN$02P`e}rFeeFQAvI>uOKdgd}2I|7b zrZPI#_o%xw0@-T+7rp?vhsWf1wf1-XqU3hcP2)MeZCKK_foJrb#p%S3A4M~4&>puu zOKl$%x!;Hvdlko#rz|5=l%=uU66a79EVR2|o$Yt=OL~|49i;mzNw$e0psR6YpstJ; zmOJiXcrAz_+$KNfSO;m%F3Uk7+4P`>ewX zE*rRs>D#c!Jvy=<;s#$>fTHYW=YQv4jRPP{VBe$r(}24=_slfsi_s2+aWkobcMx7^ z*27`!kYFpTfigjY{*xoT zB#bv7=hDST9RsZ<%*jzLUyUS6{(_Amz*We;$_TK?T zT`BKHGmFEa=!O{6rMSj3XF&%Mn}LpZ2#ei<#W4$z{bKz_&xh#RGv>L1O_+ys79A8b z*d1{sqi`vroaD+q&mL#ZQ-vCsv3}MHlN<{Hx#mc>?$^I(!kJQ`G!OdK9U}vXE5&!C zdi{qwyy?8^klRqpa%J?IWb^drQUB%#Ifp8d^2f%=Yif*3Pj-#TuU1P#M3Z zE9wS17tT`}(OA`jN_~}cL)GPTr2^aI;B&Hm2zFNeD#20|d-0RfCGH~7j*SHvWq(xK z(EJHHpudMbGp2Sg4TdhCR0S%Dsb8Ej68kEfrwfvI01@A;8KQQ2#O};O=u=C;k<9_6 z7RqQkc;+H(44jt?VqwE1AwwB9B$NZDL@#BQ=(faAX5Jg*DChKzwlAe!Lk=*I?%76D zod+cGKFe3hG~Ia{;(luQ#R;VJXS;{`c?^iZrl(~QZ&tfK%khQtT&(;BCtkKtk8I%d z_$z&uhD!3Kh^4hSu3iI^M}bOCE3R}dN4O1;iOW#vS4MBzy!Tix=p-fJ5e~tK-WWlIBi}-hvLp_)mz-_s1pdrU#>DR@# z*igdR=IU|2=W%3vb_^K**7cArP)Z!UOoKaDQkK1bF9H+>64?iqep?Uj$TW_MR;W-whl`r7v5jg*S^v;Srz% z2}AHCa<4#+sq~Bxblfgn^9ar(7ups9sn>13(Wa+p>6fNKHMX4_>iqOI%kN#Chl^&F zj8s4`-aN^UghuCKRQGUEBPVWxi9l<4CCNP|iVNCaiUUNk{{0wvt}N9K=QdjGd_$HT za4drJh;u2@xnl*zbu1Xog`9)2aPbBI!>h;yu&wM?R}*n%m%w<(?Fl z8%|i9xhmH*!`EH79?Jr%m4L(&u+Zb!s*+itA2~7`@9GDW+^I@jdZ%*_0#~ooVc;Hj zma4eEt=VnQ$PWibt2mxt4~DM?4uZYvkbXm~UZ=UNqrTRqmouE_G_CcV=y@r|rqL*i zHLbOr)7_KQUoJbKX&o$x?kyHNrssW zqxAME2*{*`d3KN+m_8pBRSX10H$bCoi0x0kuf>BqmNhWN@6o4y`2bII&r|vQ5g$cLEJ*$}X8`Y=sYV0l z&E{UXE898y$~)xCkpmLg`(o=q$L@;GSk$%MM&GwMX!(0U6);zP4jeP3kHC;@$^i1> zgV=u=4-|doW!3ivmZ6d&R2OL8g}nOhS~83!>Ec7b^{2y1quHb6?f!EPq=O8>%)D1b5hw6Z}++24x}3Z=lrQW@p^n0KDwZ9Xovrm>6;gwZZ<5q@8i_TNEA_+ky8YTOnce|W_Y_$mAWBsUp_z7if*#$x9S$eo4i zUK9q?oYGlZ^q1k zJM!;D$r0}14oc;lPdNVP6W95FZ{E&?+XW8K-xIkW<37A=*RC_C*G!unzBTYA63B7$ zy3=~=8~i;D;6+saO2KKoo>JzY-+=FSq;xZ_Tl4tyA-MRrhyIq~&AcPA6Uk@Pk&3!C z#Qx?Rc7&e5tK4{(ze?b;!i)UlKO9W@eGlmOr!U;2wmxy!rfJcRH9mZ{CR1 z@y(L`z4o)62@2A!5GyHP_#7Ua!#WS-Ed*h3r2I=ZqBYmh@(H&^F&p54w6s zQ{OB~M`Y10ZFFnR{5_rj`DFHu)`S|o(Sx%hITtwpYJrG5U$5WMHU*h~72;+e{41SX-|@!x|FM}PHHrS0{drK=e`bIF=EB#vL~_&6+OqNv2txedne2aOvcIOe|DDNTO}%yQ{C|BW`^TW& zRKYkvP<6y|vsp1P+l>oPn>o>*8J;^6HX}Mg|95hmn7?i(-|`v07u)ql*gifTk1V^s zyLE1e9y@i)_?ijVCx*RP2h^aCU507lhi~C2m=2In2V~MZI!tWpu{2cBm^e@^$ z9OUksIkO}@!9H-P&)z4~o|TgWP>Qtd>?|Jcm4zn@w!{p3W+u=!>68MLoMCr?eM?(d zfiyYUiA;fd>J)A=JmGLVoh8XAF3aJ{#mTrz%t*|%I~+Ngpsf^_m7C@A9z;~n1d$(8K@nooSc+L=)%V~rc4?vn9UG&R2_&Xt?t28L5jR!%n7VTF4F zN}83G<-kAVlVTr8G&iFx328Djv+#7Ug5n(RYzHW=Xfy2Y47d4t_e`X5W#$wv#gRA6 z%67;@L5n!fVRz=5C%XltcIOs3RPc0`JG1bJ3PSoO75)@?O@}+v{4NO2z%7?Mr(_9M zXJ`0>_^QJb$uqa;6BWF-GsjtY9)XllRtXSZ_by$orgRf8SauFz$X#Vkw^*L8S*$Fc~xg+gwt^ncP~`1JJXfH?MG9EX>m@wJIlK< z3bM_im$6Umrp~mt+=&IQ0xr307|**<){LT)I4&#Ol^wV(l8*3=avP*yazU+jW|~(3 zvz*3ZcUSy~p}Mk*p6z%`r?cT2KA_a0vKi_~nV_I-{P`QaTLLe*S|% zWrnBM>~Z&rRCZ>D3*waR@ZfOxE8CG7Xv3OpC@&H|Cc@j~@3TY#47m~zMEP?-!WWYH zTgT}2o(O~UJJq+|8xu#TRAj_as``SA~I;x?tc{F@9b|RWSrgi<&_{PY8T@zDd zw6VrGBV%NZ@kFap(`1x}yL>x9%NrAniBTJiTE^@j);(Dlbo+Z2A_&Rd+iFYGeuX*XCEAx-t{~Eq?kg->Cfzf9yH1^i^A#G#!Pt4Lc z1;_*6deQoT3K_IRk{4j`_JOu$#F-QW-PxdB6qH@pB7R%&RKl#I1xo z$(oxtZ?b}*4yu^{z6vSr!cX4lI#GEjDrgECkro>fX+I34C;(>Cs+Is%P4GaiF{%Lm zSD|DQy}2KJTHh~CMc{cLkO8t5xX~S+O^ixb6~O;6bE*;%)}2m7$&hX`JW#kkSq+V-uzFP^^en0#Jv@HMqmO9k+AFiT*to0or?>j(9?5OrZ>P~<1^bkgaV&FFp zezou$55Ha(MGI|h9>KjNb)eAV@y_e?PQE5 z97i&qC*?w3Js@$$!5h0gpyHWw6T+xMqyD4MZ*MV zP0O4!XHH@#BTbI(#Bq_FB87z#YK)z_M_E4Hcx#K2l0aze%J)Pn`A=L#u8R!PcIfY5g65G28E0G}s5#tJa>Gp|KnH=Oo0Xyr_d*;Ou{Amu zV5T<0-63xA{tJ-_?rLOB2f;`o7xW_2xc*EP{Goh-r9G&3C12JJiL)h}T!wG+K8U1Y zYB*8!!#*I(;A?i zts!f@6G4$L@B;=_%fUFe+?sotW}}aqdZ&UIjd4aeJOj^6yiQVDb1mbh`jBxfs1yZ2 zywwKe9$bd7wlyeJat1uU;Z>0bnwha7_p)dOXw^?^W=;%avnbMru%;y<6d5awY#8mi zpe7djZG=;Uese4+bta<=Wn_^xo=VigUE>+nAr+#OB5?w(0GU{68rFkKqljF3DVfCL z`&u&rKA%v$4nIm0#VVJIib9pL7dcC!oIQ~|+4>rOOvon#%4t~dk&x>&>4u+ZtTVqF ze3%|Wy|#@G=dY^`JqZ=VHoW7^))4z|o2^M_g2W&&{4*5v#49=WI@8d(4P+OnAkI1K zAb`vv!-RNR34+a4f|eOjzkxvbwwmbl|9!@=e`(7S{0Q-*?pUi##Ejy!Mgg;eHKzKF zDe36)PW<@FECf_Y0HtT1Ie&ok!{yxTcMxeiIBschjELN0fLmT!f;6B}MHdhe^1gUl;)Pd1KIavP z(+?OCXd_Fz-3A20&wb4)WFlTi8wHCu1=ObTHfty0ejybE><1TLz3{D=gHz0(T{uJ- zF;%|9Zy9;06CR9ngqe_RWewo!JWU9ck%`#TRSLa8#!JXpU%UG-66(b59nmQBLq+NRij}EQ3es*Dl-9tIt7pS>zV-ATR zSM>Q^jb4c=)~I1N*%GM6B+*tP1(1A*#Kb>#G#uQcjRto9-%$Cgs=B`ry_FI zTqvta5zX224Sm(?LPws#E}W)hAv#HYR8_c9CEsp+(ljNea-n3nK`0h%Dw9#&cF_MY z|4hdMeMKlrTnwxMARnN z?{*HSA=$Q&Cq~m&K3p#uAnt@z3HH#`@J>+i?#te%Q=-*Oklhx8`xK=h`-ldQyn?h@ z3u?a6^^H{<1MF9Ez_Cvh;ORhR{9fuL3CxC~5X7Up2dWKQIJ}FvfSSiF!Y~ytv57JA zcTR*!3q33(V-MPEGqGf%J2O#E%-z4Qzu?1;&mBSnu*dPUUl+Qw zm6{4Y+E@o+tu)TL69KRGZZT2ZD<%s2qy$#Q&`r>&2U}tQDy|m~di6*+NJJ1FIw(O{ zsr(YEvAGkNB*&Ya)>DhX{SB=}N?R-C2SvAcD8dFYhZ@3h%X%Ve2mYo{xSsmAV)m{? zE(aY!8d((Q&BFMw-ErBDXY+Sa@sxKh67_Tx0l^&5^6KB>t$7v~Nbdt(kK!tOEjC(Cn4EOR0FB(u`<1k$^Lcae40sT{K$Lew6e=4_eN|HvI^Zz+j_Nbh$~kD!yrN zq;;+J%`K0bpArf{0DB0XU1 zHkITeert*^g-H2o($hN#<*M)?b2^0im1QHKQP0NNcqVAolTYK|9D@w=`3px(55{pW z{T&)bqk`_bt7hNzX?a|=hJ2r+5p^u?wZD|^^%9N{PLN=?em~CNFRKJoo z8xm7UZ+I{wb3Gr=ZZ|MmKnJOn=|^4&s~4^Fk91ctq)Ykx_3uKv4`mmu~`R-=3 zfk`9XU8x4PJYPiN!5W2Ed1j{S zow~NSyqPK{6^DhC@QY3@Cc~6?OfwWC@CNddcHhce6E?!m$57f#M{z9k5EoA_T8?Vy zd`@D5z5`e+x+9K`a0h|F*dLVklL^*|l8!vVjf4P7dm2uGE(=2#kkxxu81fC~tNO=z zITq)V&r5%kWV~I!DGo+6>CsZ`>PHgD2_b=7t&{@V25oeIuc{yCd>xbiP98BY<+F5) z#NkS(7S%iZD8R>%Ue?#n5{{alfd z$8kV)CabvZf-DpR=U7V|St?E=E<90J$#dCiW%l_#_8$x%$5=n$*rqk*mDVLf{Jt)A zjjd055)k8SI(>Px?Femum(Jc~L8#=y5O;bsyVPoXB^Gqb%ghE~`4PzlN?+OLK>$F+{b6sPq92{emPkG$)%lN;1lJk%a4ZgJjS-R0 z;va|!R^r!mi#1Yy^#RFEV#P`bpS$=SU_@yb(`HSmL`bM-ae)xeVw`Q(aSt8I>IL9LC_>r&Kmtl~=`rgjX{Yyi44g;p zWPBkope~_(>7!mV78+pp)SD2_ZaNT)I_dA1BIgS%oa`^3vJMxlQsSW{hO3F8doC6U zJ!qX0){%iO=;wg87LMbUwl9nj>o>5xVEF4?&tqLL(e!40sV~EUHBK&iaSBor2f-62hI$9+FYL4mQpsun#o-IwS8$MDCU@ zVYfI;SV%%Rm6oZM0q#dM{CJHaH{H2Cp`}hYQsd7kDyA5KzxuHnyj{ARU#ATYB(buZ z?h6c5mA6rwqc>%Rc2Z5+@onaxP|ddA0z;AOG7VM@MUMNFa#S=EOkU<~Ro5_CCm+E< z!FNVSdm-=1UF>5T;R^pF7rG1U+zTk?&Bv`C(?kvF!TyUACgw`OF6mqnjoo7gBQ8%I z#vSKd?6^hf;;ew>5M4Y-9~6?L>7+>idAwlsCJ>Nw{QA{>g^feprAVGz{0k7BS>vou z^N5kTNRBNPa2)eGE!JhT?N>q1%k`vijO!zCMVm0*>^GsB`8$xg9gedA?PS)%k(O+D zZUDj`k|n+eK;LAdV?B_`z%gnG&cSVgKY-E?cb41Xxw3;;@ZiPF8$~vZ4Z>i|2s!v6 zw4rHA+a-BFJ2u<58Dx-dzwkn^p3~`pr^<@h_87@*IThP7PttGf3j(>-OQjSzMBWS3 zJlh4GE|tZNLW20HkRUxKB#QfKf_MObLiba>Z~&f`4$u_mJ1Qp}6&{eUV5~`GUc$0-S&G9DA0~YQ?6XZ6YLiKFh2i{%nP>J)4NYRN z=H~y1`<7V|eqQ)YS`t)X*9ZaV%nsN|?*!4Uq#oW9@5E&_UZaa#zo1-R8K;F)gvC4dd zMIb9=w4n;x%y7aEtQD7dwZvvYfB(-VJI@m8Zr;R1ItY}(q1=K;KX-G!uW+C z-z9#p+>45PwyqWnNJdMv?@_{%t-1r$?38jGVQg<%Hs#Csl4Zzzp-qPQB8JX%-+}aT z@oFVEKnc5+@~aZYe1Z+*W9+M7vdNuk_$?OVu5dqWHf^He37ig3g?=CURveg{@9YMS zcfTZl66frV z#O=a2LZ-NlEU31MZa5FUYyMgPNe1o$1d4fB;~zvA;c!_g%C(4YDbWzE0DH9UJ{C{5 z2DmlW1oz8Px;I(!2Nq4eVm!%ck7 z|FxvkqcC-h5q6W?z#J$fY#Rq#zh^xK$R%=<`Nc8y1^6AgQ(Gtd>!3rqN*S!yt)k*Y zI=3Oty-+T!0oIkmk9aIp+=qaXO)yH6@ljAbx{G{Yyu`a3tZ~JsNSx@V0j^b;9QXkV zDb&f8P}W&uqXua-p5{3d>BiiE+yT_@IMBSKZDb_y#4q)b z1sX3Ii|#~T*h;_FG8Ompei6|dmB!Io08Pflf&zvJkAnB-k)86^q8x+=da_ae?=XqE zK;BrboH0B>eOXsBNH6Sa{;k?mBqQ>R)P?lib51ufSxP+{XttB-+y|05S6f(sgvG6& zknPg#tW#6Gj+Q_RT4@t#k|vWZ+$}f^uc8S+dQ6vMMP3Aw5Q*X*P)$um5TGWeTzr5H zXj==F-{a|R#g|zrM$E!5;h)3POyB1~*U~X7(Ob5AdbRzbpRMK3#G2Ag`b!d%%J0-# zcFU%*)Fd0i4X~5TgTsNq>lSLmQJk4B#1~+fI0;0ZJO@?vZ7kA;nwZ<^KwSYtcc9(2 zOeXw@?b9sgeeQNy5%hSIX;J0c;gMBz>(5p4}T{OrrjE!L#tL;UIP?I>mEl$!}hnOne z%w|K-&TQu5nJMr)6@L56;5pLgb-(zKF1rgeu<($FY_zQO;Y0GBaNK#DozLK5WV%v@ zn8$D`*;bh6BP**WsQi0_!$I>l-QJ(%P!r79n}~_~mTOW2Nq#~^`MlcwtDf1JKZ}`S zDov=|ESZBt$WBS;Ux$`e4+~D>T0(AS8uJ9^={@ooOSy)1u_&x7OaM99NmkbWkZprZ zn?mN&jgpH?aP1}=l--!v1ND(9dLAN$wcGtU%5Ef_02*!UCRioD>t^q(;Bewqs&+v-PV$e$eZYLN0JINe@tr;(B z!T!U{Yb!0^M&OSw)QO)?_)Q zbuheiz8l_yNpZi3!hLb8|9M^S6rAgdi_5(mk&s$AAK`cDeL~vC z&9n}tHKh+0GTFD{*(1Fy{v;tqJV7sdUzT(G;Jd8PH&+QhQ5JmepFsrM&nWM8p-b+u$%TNqr~Gx;&3FfqLSu@=q*pYe)leqZ(yR9z=)aa?I_-Ev z;Vjpl7uQ2Hf~ z6sYr6PWP53be6YhiyPhBV?s^jdEZgO*t+q`)4-@27_0J*rNUNcK0p}2$g!FHjAs#c z%xnZ4wes?!cI1EY;*3y5`uqh`5vKR!a3&~1Bm z){gB9Faw3D^4{aXmeq`9~XLVopy3ETo(aVj1v&c-1)CynMMs%NS1f$@fz zuxQIS@om7HV97VNr05rCD)Xai)}rCcHr1gO4LvVv@$1}+5|1CVdOh7x`9$Ch$169! zdSMh+#0j_>>|@D7-sOAF#7k+0Uo~zxg?=oI5sL6bg$-!mPr^6iayafmD>8;NMm$AI zXuTt1FvJV3X<~>gEdk!wR56zpm6x^OB|J$D_=C1p^%<~8j8S_JQ zx4FT;VGjcW1>z0}Ta}792rhmP++v1paeJ~kmiNb5zGQ=|1p}WRV>%i~Jz)Iq3BH#+ zLF>*(dm1Ezb&qYb5E@H=;eZPbYh6 zv9+GbYF$HW^f`k0ON4ZDvCSWm zJ9T?Bq_?6ccquUgw+8Jh|3Q|5gXI_9E(VXYI>?xHAtRm<1}X}rC= z5R|{Z5ZDj=BEosxDqoS-7JkJEX=s4qan8i1-nabiGmndW46Nmtg54 zo}LKHxX}(YcS7pl3k zO*|1ung17CRS|8#I{pXFH4+x?7la(CVV1EBjH`l>oxelK#&vjvzBJ!p%936dO+Xw+ z?{ua>7$yDCT2&JMxd!EIJeKk9EDmu;p+0!B+>T0{V>5nS3vt3cseDLX0=0 z!gmJV(lG_&VRJTEf2fasc}l**7`R?wj;4E#oW@#n;l5L(r!|k^$u+RJq(~Ep-quGC zEm7)cl890u9 zI7-=%`1OoN*?Ed8{!|kSjC6T#k zorO3lb$LaMzhlj@&)?lBseelnVqTKWnMdmu*a%Z%d;OxVW}tDeSICzE3L z_k_5t@#Vw9Ip+ShMH*6T9%${N2r7CSRk8^Km8nSV$2|xK)*4_MA@$x`C_Jf^oWc(O zBWSLELp-}Io$V55O<||9A|Kj@dA6_C^bO0e)Z$`(3!`gdv21d(yiqF5M(k;ZxP{LA z+YBku=~=!zk8_AuJN7oAHZr-h-!)s{w*4e!U3a`!^|gOkmTN`8xq3|R32uCOJ|9x9a}HriO{=n5UiV- zcp}!3iKNalOTp zUy@#LrfHT%0_jRNmEL9AEHK^7d;>tW4%35ZT#oY<0o;ynpmb-kF^!B z#Ge;>8)oUqexV;7?)^B*aGRBQ<%RwzkUe|>YHr+r7J>8)e!(K1Ac~VuvRkF#jRYt;TNlGFOx33Rmv)#;Yq8|qAjk80YDf$%#Vqo z&q%uh-I3B4;ZfYTN;rzHQ*to1;nhIwd5TN|*V1R6QJ8ct?12@PAD5WBx5voGTYmHe z(Ur+?BsD9Sknj+*lobW{3|K#`r#W_CWIKxmMt6-$@$3!_7q5RO)-(c6rT{#c02A)S z%PrKvv4Cn|=5mIHbC!FPn7J2b5WSKVOP=LT7N-tO{~E>#iqC;SJY93_6Yuk?nje`h zZrE<-neQfBtnK{781`+-EU=kUpfhARg5-CcX*n8;hp3e~w%mBWOPmSOi}kkW6MT$y zvEeLCCV>Lgg$boz|5!RFIF}ak-z9RXmN-q>;Z9_Hpf|D`YkbYv^oNetkZf37ND|o& zbvhJbpRPrNW9-k8QM%tXW~~m?5_I+~?`lNfb424(05Ve-nq&)7QeC=Ao&+l7&zv-i zPh%7D(~9yK>h}CDkZgX=RG8AHa18A%#Pc70*mb6KC3;a#2qWmd{N9G-!N#3`mK0 z7QLhdpdUfsD!hhF5d_OUakLNMPmVpy42GycaXixQwZ`h=(fdx)11P(k^CCSH79j=j8JJXutR zL`lfRrLf{DLhxhOm)ER~OmRaYIgjbu=H1+v5YiA-c?fWJ)w3Bd2ZKvQJ7d~y+ z5@<=FGXH!Z#i$`QZM}e8uz0w8IRc{d3x_@c7vgKM>)$6N(BtMOghYDPBSyp8u)<;+ zpNRLO2R%RxUuWJ~)0ZD3S3hieaxTl~h{@}KjG=rs|0EwOCRqTEDu%V?!Z|pE%=(cL zq*a&~X9z>tKe$pSUBd96r{VdS1AVgPV%MU%u@JOfvLE3=QnLH^$jN4-_?n>etU$%F zdk)u3*RPo>$AkU?j(V2L@j08@V%< zYW@R?-r3Gax;XQYFavDh>oMb6gr5RO)If6fNIz)-2tzyowL!~NR> za3vY{PzIsET7-8w4j4XZTp1> zACk8AJJUmn)FH&<+mEH{pG<&#M~TSlF2@Pl7Q5tSCO6v*i@Wg4YE747=^{Wqb^{_n zW`H+3iX@pkrTWnZ?`ll;Ia0jGW>R6oRRkTt_N3| z(um|Vw$7u^)rSyy-_kV}C+urC1es8^#S`1|22$t>WjkW}dG7?rnpq&S(uAbj+Sle2 z>$B)5y({*@_RynzTbKQ*mR7*bFAg2Ywt3ykw{j`hR{C}n?n7`W>3;FBFd86!@@n#L zy97jx_UgHw zmXUFEwfvKqxaW3vA_|`&PvBq0?zjLa(8*#llhIm7VhexCr(rNJbk1X6<`-q*p=u?| zGI4BkHFfU$ij-RpS^fXo{~wYMJIZVT0OX*yi?;4E=?CjPP(3Cv1%lS=LpZa|ES0x) z`)waiqdTvhrY*3hjF%070(>!!?9n}+N=)7%af)7Lc#yJRYVbm`!*xhU1u_UvBWIKn z;4vkGge%}^9SD|*({wP5_BY|sA=$3PQN3;d5+a9tIUXX*$!z5^CNse5m;wz9Kb}+FkgYlk37db4lk?k zBb0I8VyWfVZIe;l%>$#++LU3>BVs$6`7WXjZ{{z&hDhAd)ETY>jqm9K(bWdxmV(4z%?^%bx5R{W5gwV50Focu>jx=dGA&!f2hgQ_G@D@ zk(B0K1csH|6@}vwJ3@;lj)Fl8XJLFAy}8J&XVY`j4?mdvOGAJUujKOwCMV&5Y|j z2_38je_gwdwEp{ZfF_(vE*w_E@{SGj7kq=q&+B-t>jj0kj#T2U z5ca<^x+R6{Spg*ddL{jjw63?qf8_~JLv~Xl|6I@WACrz$(*Jnw#!GY{$8jXEiW zCYTnU3URp|Z*rZz0E~_Q8>3cW{QoRQZREn2D$kX{DL?Weu!4BvCp@ zX3Kghv8o%yu>dHyBc_K4Qo;3Dh?3{9HAZ;`(QXCFP{JX9i^s`Jz8=t&T9%6NgR}(M z0mvWM5h7qp?m+(=XM$FbT1kt<=>UE{JOdnH@=K*PcJl9SqlLSVDwral;Ce;0 zq-)#|_fpdrkh2~f*1$?ezQqE4GdUKrhme`lkK~y^HcJKqxvUV<$X{_Xd`P~X zTTb_aW(N;vw59ksrz3TE89;;5{qcAivlonaX6~wB#{GflF#`xF?@YT+niPp`u`f=$ z8SA207!$|kzDX4GBgCs#tSfDZ3y|%;8q!l9CG&D*UlvY8W@cFRhVo$@;Va}$EkMtd zF3@g(_hU|r`R2I}61!i^Ap&MZc*@GI-ExN}4Bae8Kv8=r`C@ zub?(xSMGkw%kM$)yPDH+`ntR5Ae=5eL_M_$2#Vk*EvvrN+*Qk$?@Qvy>7@P?0Y9NgqI| zd=o-V@*@gFweH2qNMr_*?*8{BP$z&>n@~$E{(9^>)C)7n*zf}_)Iv&%5rnFV8PGCm zrC*W)VA7t|YyT>aqy5C%GCc-dF?UAjOegbtaB|iG zVVtjCUW3!Y&01WKB&niIh<3Dfp!eMJ3;vBEzf^*g>xYM?N=Z1uv99q>p&3sh=j#U} zJ+mC_txsEJqILBqtXP;k5%<14n3~1jvT0G1uB*oDi-M}~MVg< zt@BZgQkedX`OxoFJ8KkIE(V~Ptv@hU$K%r7@D|LYbqn07NH)^f>J~^wF9eUKGrOfO z<%n`KUEa&WL*^+c;+Sh19~^}TXIcVMITgK4(xC! z99R(Z`KHjWGtbf?A(glnJaCMaeVB5aTIYs%PD@S~<{;=xIYJ19Yc2_+YAzKVt`3c2~T5iX$aOs5GKiAQ!u9;9iqPP$oP^LJn zH>{4q_CTe|ce}D#b)-MmR~(GeozhgKBI{1WD9yYyvYwS<*Oh?F3evXrLft357&VI( z^GYtoiO)-2 zAtZs(wddLKcs5>9`tY6~6&?i#V;7f3T)r}abBqUm+u^f%9YkK&%&_+# z`B}8DTgzzh&hCGa<^{S%)eJBHiKhED>{*O^+umXEMf_^@IGlhF3m@QSL9m9N9GMmlFDkw1Lb7;f-Dki-9us$zKx_fSSH04ACa!8ilxbC zC)0RysWqN*T;`ymce-~9ctvKi=JwRjhxfONBR070=>E){fE51zyI zqC7Uc#saY4jEmd50GT8Z(w89mC>Wn-L}pv_X6{#hpw{yYrZeSxh2?lw@CyEe%g2A< zJo&i}EcCna;q&8*iMf+0j>lQ9=gO~`9Gaq$l%E=FJ%PPsvEwjqA&U*+7;OYa92P^K zE-KFAUc!WO!wZV7+$%I5&clmI^_Vp(p)XD6Cc{u&4>B8udWa~6#o|glhF}JK$@;Kk zDW?xx>-x|crcE&ydO3#C6jwc@jJp^*$I~u?m&9*;g0O)CurCW{5dJVfYaT_-TnjdP z!sznv5N7wS|54vo-wZ(?{1qo1n(s0 z`CfMK9^d*<=z083W*oobphPd&lz5gV;98d zQ?9G9QUkG);Pz}SaH&zq*2Dk;_f_15d)YG*q8LLn1xUzM2+4IR{TcK@4#};$H>iUG z|1~>bvo0uzMWZ4>YJA*(XHbpj*KNfqg4gi@2jU*c^(h|J{I$HNZi#glsHExeY5(zc zgM-JVwS)_w`fb3TIiZgvA^06DQb{1y%{w4)Knt-SpU=Vjo$nF94ER5on_uz_jrzQ^ zGC7*^bq6gU#>g*+8m5r=%9xhd{~yZUJuZs!eII|GWe0Y4cLtt?S(t?xnFUsNbq8i( zM?par0R;tJ5)>116+9&>C@Po-JRj0R#Y3ivXDw4KQ#_<-mZnyoQtNGnW!k~=SXpV` zn|gmvzt`uF-^Uj+v%9m)?96kxpZmJ*>l&1!lSYa!vBD6~TYNTn`B3JTp;V;vK8_lD zD1z#kb%`&Fi;%vg^6Zfz(lmKR5WXdcV&^7oIllpBsNuxo4gGtvfp*gYPx5uQ3I@>= zrta2V?kVgOpJVvYn|@~y?q4|HcTHbJvDub*@k3x>u{j!VRta zDjWEL?WIu?UDsVS3za>9+xV2e0!#J=+-_G&)(sLtoLG+A+KNBWhwA?h*U&IlYKj(4_ChPCjff{humd}!7Nr$>){?`-{3LE)KcS<*u`zbh; z1yJpr`8bQ5B+KwG_(sl>%DedM0ChBFJ;vSTPPm>0t(NcDAcHT5gxR7ba)t?~e`gz5@tApT7>o#nN)bPZCfwsh z2ngDLx2kbJ4BtbrMSR3s4F>Fg;-xv<{(K_g!8P_JVjP$feGMI*2lHi;?M$ zpQXFgggd1|TFpUa)D@9B{5|HuDouK-^vn7zWfJ~wiMLGoR4QqS5ep2!v7LLU@KZ49 zxB@B120FH~3dcS&`OCSB5GACEvy8yFyNDTTAbp80R#pNPKRsnSYWkXr(`KOaWmF`W zuFgc2?@*P4ViC9jzkhiFrBuI$BlC7k1;CnvO5w|Reqk$>4mFQTHb{GKrjxu!Nxqth zM#cNbh&yT8!g6HVa=g@Qvxk~60h_+de|S3QExvbx4o(ioXX74QhSR<-n8^Z@798vu zh#5Y;8aQkFSU9t1>2$h!Zgk_Dbg<-NR}jU)TfOgNoAO~?y5|m8g~O|7bB}>ts*dUC)`5mm7OZ z?Tdw$&R|1WvU+Y<({p$tSw|`49lj^rFFLWVC(!A8(@+p%Tg+gmHHj7nn5Yu&Jx8O# znP7*?=F5CXDJ<(bFr%@UL1~-!kqpl=supKE2QfXR7<-2>ygSb1w{lj$6<^{YUWU@+ znGoaBKU6Mv%{GfyBE@4SD0QX!wazF?L2+lq!*nkAS3(eQI9o)c9($%c9yqG6@L_RG zy^0&YyVDZBPRk1QWm>UH154L+sCd*oF@a^@^ z;67<(D)U?8ExT#wLvN=BGma`;NX2D6N5%T?DKi`0vLC>M44M3D4Sx{*V#s78KRt30iXWvXb7+*@&q-*}~apbvkS#*Xz!1+q* zxwu3A5%M6N^%m{f20ZM?sTFIQ-ojCyQKF7zVk?2(JL(DjHv5XHbVuNtSnTkAL0z+! z#bmvSFXJ#~Aimp}th5uteZN7;ezs?#^{R>F;YggzzGKvvm)Wly0H9yNA0khf(H^AS z#?AG8m{@KS9m4g%lOg0}V&$0_jB!X5-H~sHr~0-5RG|&PmC)n3XK^>EiFaETZu6Bh z6Yb8p#_3{-SxTQ9Ej7cvX}kD0oQ1_FE;D30tZ~Yy0@vH^+NiUu!7*gD{Wk4S%6=Pt z7YK70bDNG5uNj$sj!_2eYugh%hp}UBIYb2IdhR9v{i1SxWtZV#j9H4L@qQTS@WJvE zzEeP^HCQ~~A-`n-E#>XFp2zr#i+Jf;M#@KGf-? zpYeN1AHmK&ll1SUIjrT|7OjvBzZ%Nj2>oy3K9D@KwJr7kSs#P@U)hAVB+);QFxoNFO%j7&gRiIHofveRV7#Bs022AJ%_J3l&ke zp(QYC;#Vy}(Q`s(8e(4VH;WE>b!LXq^~SLblYAKUFsoIyC7+^SUU)?s4C&P!# zk=~CeTj777AGx{lecPBW=QAS59>yP7Do-gvLiN?kAhG6lQ&78UzugOpt~00xX>LT7 zA!I@9tUCMRgbNE|V!G*aVwd&F$cfDB(lpQ3@bZw;ajVOQ9uIkC%<-J|>tDEgI(ow# z`-dGiuNeBFlislGLo#;zUSmhc+c!Q8-JO7Xcd9rg^^RTKNin(iZLVDC-oJUK$<%!N z{t4>P-Qy<$kNkGul+a@6p|kHd_voX%AGLf@uzrISpq}pVmO1go`Kvk47~*aW zR@vm6t0%B2-)(=3?Rw|H1Gd|}Q=1Hd4o&vZ+< z^WMee)W;7)`*~?km@kX34lBrUavvA;@l?;D-EX&EdZynNe;>22@vbkjpgEzZqtC=7 zF1UYFzsvH@F&6{uMc(_f<=}Pj@W7sg_X>Axx1Wvd)ul&hQSqqDCyS;HuD*GBz>v9x z4S1+hU)OUOKXjI{Y}$LcfBBkf>!49P_F12;XntfJTzT3vpeStMCR69jNp^ineka8X z@ufenaC@%|z)Sy3=v%U4&(Jd=H?B6A;wQH@tSX&ae`3IM)1OcShsRXrK#GvPNUzz*DQO^DzlyS zIe|PHyGLEqqjI}FKv+>Y{95O*l9ltt)l2NT!>dQV!;e@Hb>md_@-Pch)>VY~EZYo; zm+d#AiK&yhOTY(_xl^=adS8cx*n*uy7%eYaYtJcS4!(HQ~w&%^632m&+WVB_?K{q z+27}x_qd+8^Of|BKFWUcgZ{Wfx5^hQ_qW14+d5cV; z^_S=MKNWXnRn-~t!QcrWr3RHuypVUxQhm92vM@=PSr$IVR5lX%lbF#Qem0b4HGSLuxSXO^TT{Vt!a%j`@qcq|YXQwF|ymYfao2Q@&}KUs$wj z&9>7ux3_FtKkf&A;b;pp(y%!<6UXW^H$%l+2jWAUL9%Nnm1~A~=HfVg z?q({Z?G2+)00-He%uINm_<$(U6XoLYkPuxEyjTK`l`5njAr-x-%jVqNO!!PVx4-{8 zR-XCqmpsrvcEaTHs(&u{0m`~a@A&2exZW?queR&`|NX}Q>s9?98fv&rLrvGFp%wrd zYX70P2bb#ae{fxA1#+MKclrJQgD4+DbpZqaeZ2!h)9wC%oMq{DY{*#_%QJL8iH1k@ zVfq>Ax|y+btOdOcN@o;}mQjJ|WgLifRAAIhcy3vG#xmNaFG!~(eF#XXn(Y|nP{EXo zi5!?SE4G&ofeah$!24g;N5hA|+zb1Vg&B^Zq#kp6luiPvU=)qD5ZyxkvS_?K1dfT8 zs9@X;^}>OA+>46TZ?4A{L&(d8)Lc}DM})wK_0nN0y#e3T`;9md68$@3;dGGQc8BLd&MqW23Jz)e7o83*;WowH{hux2 zKVJL~Y0A6ZtqX!W{98{hI{m+%h65k!V%NhawfnK|$Iem#VcqWr-@O}5>+}iTF&h<} z5Q0OH=>g`(gy5XBCr)(x^Vpvc;0V|W_%oo}pC?Xqe-Qj9)fENc_7QM!aJOz}fuhuv z=*?j`;7?*s08u^^32*th`>_*e@pR4>5rRz#!NCu>lzwI$Fk`{n^>lQ7>>6arSw`=v zFSFy|!StG5k?_QtG43_Uo#Q}j#+2!L!4K8GpW|4zV`iqKAa7ahnwRMuN15*BG98wZ zV$(r*#ZhLjDAT=NmVw*H#@hG6hr$QMLeuP3X0K;l26)VL!^vS~_P@&PZ&S&JoLHK& zMD5x4_s5R`aoKvF^mQu4Xyo?WeeY~KlbUenR?`S<@2_t zVdOn1FociL`}#mBp3eG7uyujKdOOgu{W3I-y_f!O8vptiBB>oNBwPAn%;e+vy=|Y>6h9LX{)PbF4oAt)ufL`a2zacx$7Tsp_@DEHF zX#f@npM;WRsHz!*qT9S2{t^50piz82(m+cMd_*Gt?a3fiP+h}aQ?|8!L7?36+E z_;2*_S+2cai>7}f82OJ@UeodsUR8Y!)SLZVxk$WV)M9#`|6iP-J%juws$Gx-LS5v& z0UA)5l7U{Y9Y&yLyd;!-PCw(BUlD^;&r2xLTSDCUK>baUSX>-;kb5J)Q`=G8KXKCe3V9@B?Mss`BD#QWFzS7D0vaN`}`SAgMvwt)9{$k6foiUDQ_) zr+}OxJyNPCePLZGwUP*6Ye_o+>DH?(ge;a|SeUWDeI0ycuOsP?~93kz=RA8H- zByckBinc#5$VeHH$zkY0~BwRBb$YiHr$R=$XsxrrYgBkWWLZTKddwx1J0 zL94$SJKGMFUq$?2ZgSn9;K`@G3dUC?j<0MJ8e2nR2d%)UOU{8&r;(C;2Pt{yK{hQ_ zhf1ja)MzRA&SBaKq|+)+tOPBA5|P)jpp^;W{Pl~}JR^s~+%)Wc|yV)piWyj`6NCoX;S=!7~AUQ7a|1-+u$Tn40E z3rC5}O?nYLPOd{*QBMpkV|KTZ=~lcJsmW8)Kqq{=HV59WUJX)TKy;-tcj$1GDyEFV zNTW0Iw<7CkrZR;rCu8{YC-+b5M1~SqazA#t>1Ko=^8-P^q2x_ea`FeEtNSC;1tq19 zS0^GNlbApc&v>pztqO9}ZC@)~J{{0fz{E4t=mc*$6G1+q`MRFaz)^sD5f^`>Rq1@o zn~%k1Fg|v+LCmD-vFbUTor>aiFsa%#s?9v9R%5aHC6aipb#)Mw9)8XBuuWx1`{bFH zXN>GYnsg)!Fs8SHMEjCNJ`{CH83FSbgK>5@RQMuZs}BqKF0i$v4g8je8ZwfAkV!iH zO-{(7E%CHv9}S9r)=sE_rXDw3W02%c)-tkinLAlbC-546Pt85R0Vd+*p)x z5XcLVxlg6{(s}x_agHYhpvYK&{MJ!lK-4O}X`uRMcSIR8(8-D1V8AG}*BJJ)nG=NX zvwH#%iCx6Tzfd|4D{paX?u+>3P8F&p9%V~yt#}!iC+w0;j}Ak_SnY3zi+~wD+4)!Y z?>g_itlv2|b&j5iQ`NJU;`>M|K5da0_9ZjdLwLp64Cb9o000tAoBc1MW3IJkhu4Tt zsSEVVGIpJ*?L4B8@`8WB-x`J&_&iU1C1X8c%s7PTebO}L8C>8#y|6(kYTna00gbS6 zA-ifD_iLRf{4OKZkE1JWw~S=K;|VCSzLpP_ZGmWl?S(KpTU`Y;$ONx#xMe%T(hB~j z32D8N*Js~iP?HcO-fU2H?!O=w}u_Qti2VpoA13 zr8-QyM}eHpu6ulF++=Q~aujOy`pBaZlgfuuseVNnd+%eIT{8GFo?rM-SDw)ykMeAJ zjK8kr|weU(|@ZCbyu2CQF=*{85R(dpVuCx3|&*JQdvO=%58 zPC!D>WTvzy%D#=JUC%gzyicX{x;|?XQbMqwCUN!~Y({V7=dgoLt?MM#8l0c|Z9+6Z z7V7lRuV%7@L&-}#wf92F;_Qj&5yi#ulXHD2`%a)xM=$55oxBCv=1Y8^WQh+undhYB zE7-kLn(8Sk@F4XOwq6LKmw;woh%l;V%E=$`7LT4Ao1r1s4Jdr6>x8@VtK>2aUT;@W z{Sk2$skDL65Fcmz!3@nje>1|kYCPhKkY?}1PM-#jp!jEW-L~53n#8ETQgxYNF8rmg z&SU@H$L4>R!KwEeX`d8Rth z{1v>7J#JM?c$oYkEO6`~mfsCr7x_ozulI+h#*xj+0>?X{FlTP2-vYCBW!23CLSJzp zOZtL@i(>|n&mq$B@l?qFel8S~KcJ_+tnP%s0E+O)7L>$&SOqhi(s-I44E*T|lduX6 zwcQusu&!^eLfl5wS=jh=Ga|oO4nzpA$4$(7Oylo&Bl&2+)7^;d_O}9=c%4zaMX0y5 zhdMb+C#Q;zxc(i)bx=Z6- zA!?L`j+7q4tYce4Xrb`|5gc0#k2ZpQ%tH%I1-WIW9d9YS^@@jyak)9<$zN-N&?-6E zYhPeG-UBgHuPp}S?b`QyBeGh&9ST*{&qOg3rVl~3EL!>;1~A%^@;p}i28nON6jk$8 zT|ZA#_L~Oh9`!*){$b>tLc1MR;YH(+@5o%*+mYUz)~sut3l&l7VI6>Ae42VpXV;tf zX!$*zNgE|ki70A9xP+k>lp|jeM9&bR8_&#%zqwjldWx zaD{hJ(&*8s@MqM8iDP;d>iAVcL4Lj&#vri8u8(8CGa{Y)sqIrve9y?tkgG)Zw@|L% z!RTe|iCh{RoYL38bztupJ@KRuska~l*D-CXiGL<;zVwLel<^~miOrM6bJG?{f#^%y zh6r(g2pVcx$I`D!l=!ttc$XFw14&K`!pTeR8?B@x|7CV^Kp0q&}@j=UchL{I@ke&=AIEOYgYO~j4yxB zC_U*p><Y)tMBdwjFC1En=L}@wvrv+2r5rLrRlkEY95WjOSh3FcWF-2#XZIwK%8p z5&nMMmbBq0Srfw}=JV!1U$hcI8tK2BgSXZhHPi9EPpb?lGpB)nb=bh3XqtbIzTJvmm zf?IJ8X`BQVj-wdsL8EqCC*`A zWz{BBcT{M{zin09(Vy0RD8%tE14ofPVgqLJAv!wt-S7qU&d3QEG;2U0ZA&%DI6$fcsb;a7o+UonO z9Rj>BB#j-Cuqs7?OXDMuZDjXkYyl;KpnH@d5B%!gxCd4 z&xKXW0P-OW6f?3Rc+5n;t!ZW0e@D3D*5DNTm+rt0otTk`)Nhb5#X8EZ*!U0O6e|8+ zDSNH@X2zOl+Z6%IN$K83@Ic09i($iWKicdS9s1<8-ld@a9)(EB&K)E2eSvZ>+lAu35nT7eh)Z2VxhIk+ zc|7t|Lsj=gti}X2IMYrbtwirS8>d@9K#JRSvLb-`Z%fK~(W5JLfyPfh2h$OBV;p&jM z@fY;wW|Z3rsSkscPci5U&0j zhVNj3O$O=T33fS{PGR3+v0xvWkiE4FKgC`fVFr)XDBGNHaYCr($GD!@R42wuz{31M zFu$nK4Wo=y0t=Cj7OCXkXf`_>0v)LoQb!d?oKMJN+)bHQnX>P4;S|do!Q3KJKoXh* z*-61Dz~-__CG5H`$;E6sZ*irV+o+Do{UsachLho5g3OqY6LE(1*Dlr(;hxpXM^vTj zXI>i(<$$;kSiY||l=~-AtDqoQ8pg|PWk>m~aA_E@0JS~=(n!9YunceH_KV>*x?XUk zK>z%~n>@~fLh*1qp1(llQkOsydc0+TNl@Tw8bV_Nt7FQ3c`5IihBN;pt{}Go)d*~7vg%^UrgxF%Li$gZsBpzq^&r;u( z98~U*DDC+G<$WTm2ZEHhh|sF2vkksZ0KJSY7aMacXVHh0>r`CzIfx0AYgBA%ndU&s zdCE%NmRANUZ*ZdeIuhRrqgUiEQ|g4cEG}Jh;e8LdXtfjGcb{t~$?`(%8%s;cGJaTH zWN(P49iDiIE0i^KTxx>W9<|NCpDbBx>thjbN4WzbIMXXBM5w=7_dUZ0MfCQPZ^Tn{3PfP9S>)@KcX$4E z%1_yE(2z8hMoTed%vlSZnB`ye>=|>7$$B-I*(|EhxTb_u z?-lYIzh3u5y5Goab|i=Cq(4*aXj(rIRP>suj%+1!exEWmCo1yNJXs) z0!_vGyWmbPp9!ijOz9q&n}?d(rMcQDyr~n|clzV6fePFk?*q|cZIMwK#R&3U)Nm0; zRl(*eyb-kOm1l8m=}v6<5xDf^Z0eiNG}OU2&_31VXm4y?jV7g(=_^0UTk0CpN&W#z zfdziOd`5?~Y7UR$6Xdgj-see<`avLm3JI(g$UA`8Kwrn3C7J5=quO~;(Gt{roxbN7 zDLR(gXq);Gs{E<^75N)I->;ws$z2fIT;$OEvuv9jbd5Ae`m*?kk`ilons!PJ;HO^F zMOB098TL4BzhtD`mP^LASgsa#O52ws9mNxvDETEUwU9^$jKL=xdPtu@p-G#@^yfGR z$mVk(eOUQ37X^WK<#$xOss*U}H>x89tT*Z0x6s@`?-&qChz2psOxIy^%5)v*(A!5V zC?(Crsc~Dht|sSG`E2N@d9|~2DWC}qYEavC=#`<{b()Q`Jz!FUlQYEuX3rzv8wI~J zd=D<6un7oM#ZA)3S$i^`Lp}w^+Y#A8oN{3^yx{dc{*i81cm#H-;m%6gi+t}iuD87v zvapi&R(fzdyp8teUPHd4*qNM=>qLbgk~{o06;w7BaP8CH4#+y&?2n*rPN?>Q~mQ*^>h@*`AOOKr|rj0z`n?NWA9z*CP-j#SH#I^OYkmt`6w#nY+w ze3o1()=M*dBU6rp(uZ%1)`_Nu60jSw%rX(TYlI-1W1T%&v5+=`++ouw*Sj`Xf0m_K z%X0?&IeybIgCo`R1|n8Fyjkk3(;=$};qdeVc*&CcZ`Mkgu zm`l=O;HjKOS@Dmy^kDi`Z?tld>eV>eO0pCt`B}>}7O$rJ2orGEC$I2{_=2Z`?p!>V z3IWZQF(|dkzL4do%3D!>H{=QnQC~#LC|9*ucNZDg-Nk3*iP$QJd#WV`FQD4nzojj9 z^G!{KqVq-!VS<93iDx(zlCzAEeULL5kVUs=-UXQ=_6x4_}0L+LoA zbk1mx)Js_EUa3mha}^IzcVgcfZE#TB3phFX9cXvky61JJK3r6WTs6G+JXOw|n%9V2 zR)SMe*^*hdiJ|JKAn!#8t-Y-GUC3Y;2!4g(#ZTJhP|`S&<5f}To%#<36JUfwvM6mN zupXt=L=<<0DJ3uvJi*`0T|qiBH{gz}h2B}8WL?F&UhhR9D+y~|+xO9OVk~mnzq5&h zgSBk|(rA0<(Cjgo945Eu8B&G)O1w6~AdQowF&V2wKmM)pZB%3XPA0FqW9Z>{E#XsM z0Y5{AZqNS&jyy!wVmRCN5Hjy^Cr4PAtG!~s+{^JN<9H^7Wb#oixBLCRh(3wy^NUeo z`0wk{{lUnUW6_uZ^#U!2U_sSfMt^a|HuXnryB|-sIl|%{k-@4Cdm=2yoJ@hX4%rUI zJBQRffAbcj020$O-c=>28&JzAAxb_OBJShK;pPP?e+5DRt-MUH7x(+~d!UL-u5W@J zx7yQb;4O(Ih` zoEJvl%xyF=yuT|kaXZp(qq^nwHs=v#41g~SVOUkq>zZEM@@Zao#Y2?G#c>@Nhc*rs zFBIbw>BI7E9Z1jc>gawt$H)N)wh=>A|Gg7HEe2{TvuE z`Q#$EOy^ zs3_xr%j&Rx7EV5NJPpII#Z4yQSz=!zkVHtUE4|nuCVel;`d6CLP2Eq_su+F>l)5QC zt8 zi$^~#Lv4@OpmJqhrF9ceZ)68rgh=fM2F*for$s%?$=`%(v-RSsP#@29=3dX`agLjQ z$szQIh(rB3IPW+qb@+m__6t{i8#ouUz_H1Ul2pLkOU=mR83jRAZko=ut)DoLh0*2n zH+v$!iZ^nVY8L}%jk~Grs(*+43`w{44ZV~`z9VtxZ^lBpb2sk>E7jPxx{=z{@eL4gv$#b%U2>6#>`GsGLjdOMTum$(A>LZ zKz3k&RAGrX0Mh&k*QvU>#+edKqY7Ivoz_wB43+lS`Wdx=K<~%7qXTG7-isl?Z(Akq z$!kX{<$f5C6N+rHbxB1+Nm?hITNEJ3wp2TW)-RPj zBqq!BcK$peg?bS*-*8oTwB!o^V%>a0bb6B7buKP=#KEO_24TC8@WmxTc3&7TUccE` zjGoA*_UxHxc9+w2zms&JA-!40{?LA3oOBEWO9rPaGwCDJQE+t8zPCz8IT2bjXTpoQ zA^rydIEwr2T!%V@JJ=4J>{A8NpQIL|x=_JA=yOyT4QoND46joFRphg0AgLYq#$1=0 zfYR1c&a}A|MI8`*i!V^-bFCGgb>ugT$i?ZyEtsL#Yq<*a1Em!D=n@RFis2E5qQLEetZJkr@`&z^?j#*_9< zL6FR9;nB*pRaC<{%WrX(@9jCidwNw~jT_UD=O4z!;4dUM6_YkF7PoRj%>$5}!aug% zDt>v>ka~q1-&C)~BRn|21vO<*GS`CN;C!kvFr#*M(?!bLa!TzIpK^vO@}qs@oF%*? z<6mfB3**A$ z`;jBst9EqLc9RzSn$#t<*AFR;FN~v#rC?&Kw9__ke^`TLVDBgPUunql;~$_~jX>Ti z=q)3W`Z!wjhB&$l;#V%Z0d=wMruk?~fy6y4??B#So>${Dy%!-5<9Z`ijF#x}j%ULi zwIQ@Ee<#{EGR=(&_M@hT)9sPs_^HBIUq4&>4x^__W*2;9O34o4%3MDu*L}dHYFh!> zA_KH7u-Ua*E~C6=;KA&3i>`;F8WpJigvBYPjz!UsNc2lAq?P9*Z%@d*T)@&D!IpX+ zf)nj7np-5*l1I$zN{yP1lRbF#x%EI;*d%Tk?lfdSBHAZ9c1hq|r4td&Ops`%Np+ej~FdW^bHGvfEg;@t8(LRVcqG_9olGNw4XM;{&twJSQtg z-xuPTDu>%z=oI!h>4@fvdIax~PU~PMH~8tKXZ}0L-p*X0 z!=%hYO#TC;B&P~y-B<6IATqLUAWF^qs%f@%kMh5F-tT&!_8x39f>vD1wl!m{dlhC6 z`y~q*25y8H7pl0`P1qi~fGi;nbs2Vi8V5=5Yi#+@n`y%yqi3SaCZu(yYU2@7v*+miJGkxSeQt+mbHQ}fkVkGi`$JOo?Mdlq z-92$IWH6U?Lq%thyh?}4Y;+C8!=%K;JBw#FH7lt2fwn&`SyjzJ-WmwkPt)UVU$p~J zxd`#Sn{Lr@whJ;@lsr>CKaBnWE`%nZK^_JK%E+_O!40XbUEB#Jh;YE-km|I7tJHoeZL9s9OSjtUcOTeG3gu8OefeE7$qjY%-;^ z6p>Lk=W*pJR(-y)ldC2KP|^>PXJ^57L{gkOJYxMG*nzm(l@K!hSCrL}{nW_)QJes` zW{s!4@Qb=lr<{TFPMThe;1WV)I?ncXh*-e*y3l#-Eweq^B=0w~ZUc9SO)+U*5c`JF ze%GuHH-x|x|4yKFbqCwGMlHfbpQop@E8}P*JC7ws+EBm-q&mdGMp`b)Map}Q?!l>o zD~bMT0HOxCz6~oKfE@o~wBsgKje;Q(cx8M<)Y^vE8 zu5Q7$Gz0C(jq!jFGE!W?(G?rFI!rP=H~b!WuX_StwN$TZ%x7}?9^!cYwav^qAg#D z>^#vvQE2soSr_|20NKjH35{Ec%l?A^DV4^ru!M)uw{?LB$fpO;ernB*uxCA z3*%e}Pmdo&@WsJa!$A zjJB6T^A=Qu(&_9i1FZDFHRO1Fo5j`r3z|&j6PYZnB3L>rHi>GlAn6sz;w6F#U{N|P z?S%0-Q!gF}W#-m*ta=x@Mnt+TB;L`>7`IrSh_WsLXTbhK1lNh54SJrg$>aFvr#;N^ z0>;kgyVpXeZRS%J^+i5b+KF;2K5QDOZZ>*@y?2QKjFvyl^hC#LCXV-h!#SyPR?MxF0z|FU=quLU9}N-9&6bV29)T| zFMk7aYL0_(X}NaWp*U-Yp4AuRy*-=a=oCJeN>tlX(neg#xLhmjbiZsLc4Aw$fVVrk zJ0Okw2Xd`7)_EJ2GL@|Cw1zU=XcuOaKL9&#rL*@-AXB}-Xm3QObo1j|f>byx_f4cP zVV8U(h2yU-4+puE)5-K9@Kc1F8kci&M2d`TmpQt|QDMk>m1KJ^L4CdQJ6RUYjn)gvL&<36A{t)>tmOs+ve~szr{Et!Ur)>%S`TQDt{5UW^De|CN z5fe{-J#xSL%49S;1J%w!sjI~1FrU>m*Q$=yv&Q!J#4vT7-u5_{EOp!uZiweYw+!Wa zY5{snRU2VG12UrlC$MD zDT2JPrJ-Z%J+771=SP9!L-N9VB+hlT=bB+mee%_Ug?h$Ov>%->z8TK;qQP_~u8oM* zBYCf@Z!r7FaPn(D*^(Lq!A~-R86S1FjW>$B#T11&`f%2RCc0R<4O-5u*Pw3DwRpuJ zty+wZ-OflWK`XwqGR{#Em9{5G5wf|vu<1t21GB3OaXlYT?~(TKPFR;Qoim(BI*gsR4~&k*B*TTIk%Eiw zPc5-0o25y(JxOP88f6tr(^Y`UC(v`aTxqH5Laql!Z6azzIkV)i%#c?!m@8fcmO75& z57`t89ix~qN4+D@Gn1#3F!U`%o=^^cM9MX!1W*pgQnTyrG2{G)g-mUqu2-kQPW;OX+1s8kBY}=4fc}wg$tNE*jM?!M4mA*&PP?v_rf?lYJ zuG_JN#?MISxGT(C5CMF$wE*Ity4O(uiV@dC9nr55A@>g2&8&IHRNBk3u`W=zG|qqVemh~;A=?oGOtu0qlfKP*|1 z@B(wvcg~e(@}5B5Y#p7`rfN@2R)wLztm&M#HH5bz6}kthfShOHU#?5Wxqk^$nO34nT{446CKWA?Mge8 zyzh+Tp(dOnZl$NN!2ZOQ{VXCfkQ7IwF7>0XRg&$*t-({)s+EX*ExiKH%>eFCFE|fs z7yMCmAKt}pg>b6h-r0zF3T~nGFGCI6D;Q5NMDoizH7Q8lNo3$dtqu?ub#XMC9fj^m zjR@RGl!(+kR{&4?(*s#L+Jo1uid6A>{++<@rUAJo}N2srNxociEa-9_uN1j zA@j4^=#S)RYHaBeV22YWSrNLb&*9v$h(5-5&9BjOon056v9Q7RzYOvKN;So(bFd{M zp1fJQApnE|+7B9px#c3C3^|pvv_XDD$Hi;y1Gq6{Y-)1pM9lThuSL1NP-z_&ddaT_ zXzv=>R}G$WZK=h!DwO_FJAg_)(pCmq<{DbhTt7gH$RV{L$SOc?b4gbiMrwf(AOU zL)aBYDGt(@%N2WZv8B|&{>ubBbGW4ROclQTRqLiu*Iz^B1Be^(1eIn3L4?&96zq1g z+h}$r!(KO8bppLe>VTuzQlq0|r0YH_b;Q5nIPB%(tg?x$b~qV4iTaDEX?_!2iD~@n z6&oC{nx$J=@uU|FGj2krV!SdJ7Hm=(>g9TIB);H^jFJ6j#fD?j943h)Fe~=(_JFiY zjn11b2NzhDNKTli64j@XGNl4h695NpX-&GHqL`bk|Xm1*rU-g=sKW{Eq^BvKwh zv@@WdLRtSbGamI*qj=pv>T`ZXF?D3TbVxo3M00GP!!QffLD(M6V4=9D z9FFZa2FD~1PEAhvc&WHA1&B|BNBxErYt&ZhWX3F9=`OepjW_^}Exbd|;k)ui=YRq? z&PWYNx!ATQ>CWcFw}s?`d|)SpH0UINgsioC3miXNv=m*Q#J4*aPsTbw<=crzEp)Vc zS}X36#oEd?U#HY(5v~QCw?9<;H2o#x0MP7q98GdOjdTq*iyoWjB~OH17wI@>Nc+p& ze9*PA6v#VVUKLChFUWlnmqI2wd*Y9>Ok!6U5ixOWq(8smF`7T|B5YeB*%HO`2?o$?uzoyt#|`>)-CEpfS1^vX-3`6ISR7`sZw_TYr9nGJ zTZr4zqTdRyv-84n2W=^4p5Q7Xxj)K&g4Am?k#mm0-8z=s>B%8ADuSda^Z(&H-!hgy zgXCLKdkS>{yM6`{hJos`LEzmgRf^9>$xW|4km_cXtn{N%B;ezyIc1#w7z+W!N!&c9TjTE&=84WWLn#j@t1FSNw(HWQA0N_eS!KFg)Q`Bw`UtM9*V1i0q) z#ei`3t7osTul(!JTvHSuoViL=d;Rmea^PH%>#w@JT-3j{>=Y!2l01G-XIO;-uwy$sq%A!3ex8|^K#uj_^!_Nc<~A#k!;YqoVmF$Z3F^1 zZLZVh&MWDQv^maPx0}2IpgvVkZ*XMnOiy1Ft0dtOhUe`ROVE}uMAdI8PwY=&~UeJ+<@L7E(=*9R08 zCz#j`JE3T-ehSx*eyuiZJYj`1jyg`W|mjsSiHRWx*5rd_g{Tnaf-8AyRpI zmfRMHasoA^ABd+y5uw!h13Vob(+}0}&dtg9FO8Ma>&@2|{1y)n>~>*0X#1%0T(TGb zM)o65i6I_R^yPafn!&fIz{fu>4(g&OY=hVP#~@II^T3V1oX~!V^5A0?;qmyJVzrd# z@%6+8P@2}bay~UheHT@3E^hZi+vhm*eYt^FsowWK$}RbnsC@aP2;0$& z>ai+Ue#Kyws;8@>FKU_SU5o<9QGSVxV;Q+ij+59Ex;(l5A#qS}muu9|fEFGOKyH^e z7(&tyWuuYW?a7tD_x^@r9oglsSRSwT=HwJl!D^@_`}-gc7q|uG?RXZC&HHQIxN?0i z81-8Se=oUy+$YBd*o^6aT?*U3MqO-VT{#pRLp?n(+>XV46S-^(y6S;WNgrp7*Q?@N zg6-pTj2dkhZPzq){E8*P_92;ieS#%XuZeFhzUS=B{4^tLNz!V`x&hs+@X@X4=iWTX zW=v-E2`v@7hB*wk9&R`=1_&0r+;(IlPW|SSdtRHIXM%fQo94aqXw75qLK0~f(PGx7 z$6FxrgqEOQvREw{mTvJoDt1kT)U>wv``-90mbWoeYd1RdS@GG1TTe{cKg#GdD%u|L zP(sLNg3+aQ>vOevT2Gp{>l3HWFMT0aK6cp)=Nb-dDT5>$^##UW#@^(aZLfav-7oX} zXTJXFw~Gt(ed3EOS}5RRZ6GaZ>1*t#4_S&W{j~#(VM~c+VEiE4ZSO*1jir_{%V6yg zOSz@OIFt-?w2j(5{6Q!N6lAw{xPF9Xq_#>s$}(C%##pTyYkU3IYprQq?Ziu#bV;V+ z^JLpY--9Ln^xu~(>Hl&&{jF&o!siWwpgE*NC=)0vuTXwr26o!gu8@8~2YDrqfAm@s zwf_yaDTH?7Z;Gz4eGNcHtVi+dRY;4pacL+%6~seO{HZP|AHIWrba;Kg^+uI8UK>Ya zUt(n#u)Z5eI66=xQ(%b)N-rZ^naw1qjWHEl)gTajMqP!OQhC2r#OB_%M0mGYZ+rsazCD*Ep+}Q6@JwK^3EL7RP`W@UC3 z7{?j01!+~JrlueKR8|@Z;ov;S<>ney`mS1)1zQNPYIW@fwQ9lfbLQmcYUAU9!4B@! zs*PRsad0g5#i%k83)RNyRlP~qIdiPBpV-y8`go(-h)C>3jv!|}fxBagq;<`QLRhFp zttCceiO*EUa_G#ltC5oB%i-e6*oFEyxCC0$LiLb`3fmrEc5Pddvf{`Mjh7npS7LaH z*uGu#oyzuQGhFn)QFH&pm?`>e%&22++2smN-j(*c(jd@o&&Kipynf_dra}8J?e^b~ zLe*@?-)y@wa`KQKBuSu!fPqenvr#;Z+0M3v(PIk_h$C>kb8s*)5MVrYvtJrL(@s5( z)6g(n1eV#-Ir5A!Nb=yDF;0u~Aw{Uico<;_>J-PrZ7?q3O0eN^7L*g04_9WwnIR}2 zlh}A%+pS;cEij1UU=ZEkdVR%LfV1rKyiaAgTV?xj1yuY}_yraJ-ybs8W&it8^tTm% z_n#_$`Ex)+c6lcF+H-NszlJKmj#Udtd_lh^dWoPnMzCZ7_1ZLWK6QGDfRN)$u zd`Y`cz>jJgL2V6_8bBphpicd_#>utQC*dz*>ES{(c)^$@#s7-kCFY7>URLx2{&kvy zrVEon&+q6}J-_cj&ySW!pSe3V{l2)Y>4y~DzqC>SO+OT&kCKga4mhT#;vkSSjlzMe zntm$f*W&Nu_%Uf$RD8liBwMT&I=R;bU5xog>4~WTxNl1|;yfYGi1Y^E`^oZ`c)oH2 z)RA0l*HH+xL$%?3_(Qp$`)8zy3B{40Rke-6Kzz46m9LRc#lCDKqYDNj+%v4L$w%ZZ zw>Ay{q2x~f1_+uRj13jjP_O}$!+~^uo>GFbDa`Qcu`4bvJ%q}u`2xI|ekz@nQ{8hB zejS*+NfkC$zs|o0fVLHVViBhdZ!LHgHXks5lE00#K%Ur3?+}{E@}=KnU{K+Q1gD^E zHnF=*wZ}+~@MVRcaj;km|p^F7mfGF2J5X5cqj;fRN5Z{l8 zqMxM0K2p#SFZAK+@F~`zUPs-{@qtpB>-_cqq~qYV-?sk@C3J%bgWb<7LKi51%mA# za^`NAM7&~7U%Z$WFbv~hSjMjDA8D8?I5@V&47!p@Oo4l5T=PM8cLMo{Y~bHm_o*5L zlZbWe+qHdA-?O7d1L*@tMl^p9ahD{56w(7^MCB55Y>04gkRD_$^D%jmZe(=3Mxe^p zBdQxB(b^pkMBV_om&a>g>;xez$5b(y5#R{?VcJ;Wc==lKpz0xfPfe#o{>R;m@fwD& z{5YKk19R_MGgJxI(;kMnt$VP-f>++O6_!%yEmQ~bi7NQYJ&jBi`P zIEGgu;UAt3bBUVC=l9dk`2HaSAoU`3!_R8yK(fAKuL=-9{3>z*FJ>0-t-PC9!@ap0 zO$F#&N-ygAX{=_o^d6`fqo*f44kY@HDe4`6h}snoh+OGWFOZ~wcN?^R8V;#I_=@yc z_Xd-#8W3TdY5O)^S`z4`FN7voplG2R@LHw}>eM?P*^9YZbXeID9B3kasjJq@H2QOp z(p4Q$)3?#k_D_ei1fU2#K>7j#so6}Xq&`7frwM_j-EF4_8RqQm?zz}rShxk0r65)d zkr`_6@avwSs;RY72&7t5QMgEdncDG5ngxo^<4KNNhjtwUZC@trjZefKa+A1?6xvPD z1ENqaeg^>R3b@DdZ`8}_ga#PApr78$oq|Ytv@Z5%b@WAU1lb4rHagskWQdQ_8q!@f zNIjSe?Lbh_%;p|%dd&X`qWuFKl{!R6ayqdxP=r^bY{qx-70HsOjD@}o+>N?t)#qAb zojHlzqzpyjo~1vc8HR7wuqj8@;HIcRSH%qZT%CoXUc9_r&|lKJ6b0QtwK-2MnweId zPbUJ0ktF}m$S2+th<2AI0@H&q%H_bn0VZ*{u(%~( zt-OSM6XaPugy(Yo$P{1#DCEp^AfH6qg`|+)Gzp>rDNI~P2fx7bAiStV6UU5~rjwgs zaOeP!MMkNVNvHG4cOYfM^ecCtKN0*>6<7@;sfrz)+B_@;xZ1JHs@sCw6-oYB*c7>nA=P_Y~H; zSZp9ZG7ZF|#8r{rNK8E4)Rnw+XoAO{>D9u@4IheTcY260~_Jagn69+-qWY*H|2*0t^h6)#k zpCV(CQhReyqhiGQ+3lMSZ*rwOpRV{3;oDS7)@d*KcJr#?cdC8}vd^dmR(exR3Y0S2 zt<0{RAhAEwZQqU#mr*H#C<7BIIL2}d2c1sdH3_!IkT{Xc}CQcFfe?z{vu|`%Ym`4 z^g(l1HSNc-Ob;%J$*$z-POuI4@>)6w{+3=g4?;3758HSf;{`X589Gu;L3SM5Clx|b z8%pM>>1NgI*zlOa@M&_p4=m$~I^6`0haSPs=6HQ=AJA+rHM?PqzX7sVO;P1T%w&1r zk0;qp?>GNIf8DJ6Y)wrm0-zXwHyykq>NXUZ{2SYn2e62zpd0hz>5E z2ZSE5^-b#llqB8a1zonAEA}FgE1Uqre(20;dvtO6?tmuvfr=Ab0z6}{HK$SO*3ChP z$x0*nJOkm-&DuJb=3if03j}R0R2V@Sow;aKFfLt6q@?*1c@v54(N2g-r%%!mHj2sGYi<2&b$6doa))F48+ zs|UKl0KD1v?6PCddY4|;ZrnkDhf&64oS*|BInHGt5DbI$G15n>7=F=PJtkdzItZp4 z+aFPGQ;`t7$wCtSsd+sJBeiJufPHKl>Rla=e`}r0TfI5hw4dT8+38xYl*Qv>GSWGb z$)j1W3Gzj}ZT>QtFOb^M&ZaZUIK=M+s)A&kDfHn}m=93+;`qpTyov8d%g7vF|C!>3 z#uy9uDcmTY^cNz-h9t*1HL10_G@a5Pc(8q;Y9F$lH#HBjO<PRhbMQeyF0WWCLt9JyW=}fW4MQPJU~fE z)Jj%bD)LM@jE72i5eBP}Jg+Q1p`be-(+e6$&x=E`$^KA5E*RBd4^}(7%Wp7@16`{^)MfKzo0LIC_@iu+&G=?6BtkSmm+-Q4!$rESMD$aB^LK#NU!{C z(GASRVR$Lk$MlWZBz164e7GKF%v+hmB%n+}1*4$Yqt9shc3e90~GO#w1o zV9_-8F_;}3JpooI%qK;UfXRK7*Vf&s+b?3D@*S|LyFb9J9u^_??bg|v+P!oGywikH zSYlJvz*3lDZ{(AK`(tQ(Fc3^Pe3Jks^q+CGgo^g< z1v(T$Lcm+4qWS!N?4wd}C#q9$wX6pfQawLTOg_+`;qgeiU-zU%3<@T4E6kO=h1A~@ ziK$G!|2+0=E6umQ$+<^cTXV=>{7YyW9qKd4jR51@tX7U;>q5Of*;J?wMQn|%&}hDy zDUpC%G?#E#xUfMUvs)8tmq7@PR zJs!gu_+1=VyB{qzsr2qctgc^jcs)rB)6##Lx45Xu`YKC|%qvH3jMSSU_IP48Ob@n5 z3urdqpNRB0`#ejNti#mBQ3RMeIUiPMcz_&$x6D+q?_>8O;EQt4LFItt6vmOK3qC=` zJyGqB=0V8syuW-js)r3TypeA z(-~t)xq&Y7x)_p6iycmeSqMgVQfwB)Dhs-h)+2Y|VNi_24-5y*uBj^Jg|WZtBb7Gz z1zpfN(EOVoHwog7bmg4-u-f`>H7$V`;=oHUM(Fa)7p@7qCN?Q_~T&|Qvaqz;+ASIzxICSX9`OJsn3h8iLxbSG_IyP0{O-N=$eWg`odQAIZ{ z113`BBR&UZlZ_yoNM|AObd=S)b}RG{!`LryES=7zMh0;jvWaI)Z}#S6DWSe&*9|0q zcao@b7ov;3MKDj12jZ535=5TU9nW&?O(Hx$u0Gx`A>F2gU^Ak}(JoUu+rF>)G23i4 z*4e7m))GBzW3+B&SE<>1^lcjojEIh6H`q9bFlq+}Q<*$bAhVp(u9NQD^sQg9>rz@4 zzl*&~k$nIx5S6)I$kYNa64v9F08hjJDJn0yUhIetvHv!-~ z-E{){$ZB5*ukj?(H1VrIcQnxZc9+l_Hb+8q+PZgIT99HM98)4R#z&^CSWC`88Wuy?7%cl`7?|=}~Iir~5OsH!_zRZDOCLvOxBUythKCYy3cH&< z>*2avAITRvQ<%bXDFUp5VjC5lYXf%+dANxOoxp<4Nc6Z(Nbulld_S|%bRSC$yc<{X zH6RuE?t}=6yf067Z`6bQ7#iO~sts{$H>oy}*yXGWWwkB_}&y=)%e@S=69p)G(3jK39Ui7S{pLYv&r z=2AhWoG1;1YCN->ZXg^#pb#Fs%M`zCnPt%c#i zzNFKIIa~!XpsjI&&irx$)(P`yX=}(n&s~c=&fumPnA2t8d$>cWZ3K-3ok$!bYakfc z`w;S+!Ux1O{FeMqU=e1fHzQ#vb~K-L+>wZbx~xQqU58jrt{>loN0K#SRY4bA5=0dT z5zHD!l1f)^cna_9D0mY>ZKK4mbrj-3SS!GArUS6qdcuIaONn?akgK)x&*Pq=5x`bd10Gr| zySPGu*xI%WM0Sf?i$}!?pW{q-66T$96;2nGf@kB!HOyka5tC53kI<-6a&1|<^DjH5 z=nXln$VpEbiW$EF>3-JOZf6@!hslv_eOeDhroDXpxkfhM zUNSTf=ir-5p77HY$G9}H!&R^Qhepi6(?Y8_2_klx$AXo8K%H=UTrG_>hI08}7_dC6Z6a~}6}Eb9Xgkj1gb*yDKJ zF5SYf_kN3%>^S#!!kvY6`-GCjI8#b8&VW5_numIsnmG1^y1bBt+tUPI_e-kbf2*C2#7}mJt;{p`=vbEhqS({Ln+dcFz4=Vi+ps`~a}A60y!D8EMSXs@u&rcY zYy_8(o$g}9E>$~EF#E9*-9nvvo?LNM_ku>PC~;%|0R-{3SlAZxNd-<=^=y8V_Abw(z2Ggoh)bf2;qOyk6UG_9Ku(7OffeapkcpVO z>bI$l{fC-sBnM;G95;kuYYM;S%|LeSU4)1YkH#X{)sb<5j>z5ET=IyKc}P0g3OF`9`yG`#4Hcr zwY&LkQl@+=vo;1)gA@;NPnkzCTnIbMwu5YCqu9nhRXhm!PJ>heew8d51xqALSrclX z!sX%z+8+))Np5tD$a-S}ex9WIQit1-e2}C`?_wHS$K(?;P|v1omEN#)du@Skx!RVW z5O`N$I9Ed8%(;F!CIp* z@)b#iDM=sY_O8ry-S#x{CWziM_v^k?%r0|ijNwo|ldgP|Mb_-!##F;ns$;({+oFU4 zBPRdSTuCCKWL51AwK$Nb{26E3&m3v>7R5(4o!ip#C%de_W3P1`NGZhQQe0a<##+x5 zJm$CGh{BF(InZ2_lr!kUzj!^}f!;IK10PwO?igj`v|#>qMHB`*KhOP59DbEu-jh59 z&iUE72tNU=({n$7FVX-yBoHQIh7T_MmxoE)A57>p;t>axM3ktg& z&?^stE>xfu2DG;ZR4Mlp^YE}Rnt8akrwO1#$HE*vAY;EUh+oD3!s`?x26lz9MaZ4fwfGGr^u#TsL3z-| z-BeJA_~o31FIe%E27G1)$B*5diIF)lne>p-m)w719P(aJk)9<_Bn6Jtb|nMM>V#17 zuJ?Dm?1xMSEBlaXE{pGG!d!;+c+aCP{(*?}PzE9<6A#4OlvRk5Sk|#rNnF60_Xn=X`Kspwt%jteA zCMk*)Gb7Hg<e6-R?@9CKH5IUWjoT5{r!E#ht>OWQ;}vE!-k&Hc%0(|I36Wl0T4t(ZCX zX^H!^<$}%3*^lz(v!j_2=1L7-Ya6D)64RHHaI*bT@Z^W}oQ|2qCE;9VQe`Hc3{@M2 zmB<7zljGq3@lfm4!GS3>T1~-AJIZBc29^Day-&x}C5}OQvQIw9eI}0MlI7I^_QSW6 zo|2K=QZNOPs*s&4rnW$LPS-XX%q5UlBgf{SOIvMweT1XaTUp$C{z2VzMg?06W8$dU z`y6PXG_iocC}jA|=n8U@y`S#RiJl{;tAF8h$&3{uuG#Z-v7Q))jTVihtj=W~Zw#g* zG+Zf&hn0P*w_G3_=Vp^v+kTSYcJ^gVW)M;-=2&SXQ^F-X&%je!yI6X!wk%O2&ia`OGnXp0xNxMspN<3ZJN4|PhNq4ulMx*VHNot+i{KKoIk2U9jHOWy$W-^0-f<*d*-*GfTrUT^JkFE64 zwgbA`K!W>18PO3?QE&U2WEAGZ`Pv;(TNbtodXJ z=|kidsPTCq8+DTRIOhtJ7!KdZpW^g*3c7RMb133IkP)5LEI^GHWr>_zutH`sqDg|T zYN~q>a=)jgO5o?V@zM48T~Ls>n4Z;<$H+45nR^19?>b>@aawmWYDGET>k1GiGRHbc ziHycprZMs)fD;Q&B2%V_Z{gO-4`J}kNDJ6aNmw81Mug(sz%wxYK_sThRm?5S9=Qb% zpp&qn#DxMc`A4g87WqUOLhu*Zz)uwlAdWG;WtQ+Nw+WJ^cLWam|IpDO_dA~D*{N3E zMYf=DZbs9l)-(0@g-slL?wpW)cp;Y-Z4%O=SnlQgKY+d3ip+-%(y-90xI6XuOm%rQ zg&)n=abu}vHUI}FgKTAKTx~RHLAb59oo@uWBJ_>z;Lz5M=2;0H369}I1EUQdCiJ56 zj-K)9dN3$EnhxY#&Fg8Qe@zAn(_seKSUO~QlE>cC8Sb;lKFZu~vdu`TZBs4;$yoZQ zRjnqIR7#wqSY4ZLy@zS(<#6*%x;36ZrxPtqj#mt7~TKlgew_`D<6{lG589*z+XW$5VurDYf@?+_8 z(>N+OhsW)hw(bC+&%pa{VspV(p_1 zpLEZp90O=%mT5F?rr|`6Ee$z*de|i7NK0EcX7;*VSoSevD(_*Oyf*R?b;Di>^9ZkJ z+H@+du3Q(rXnhSTre(eoP%%d5;+9bXKd!frT+y4EuJ}|WqkS{Km^?+jaLfDPH@Xp= z9rBwl1B}aZPA4y+L&Rha*lzE|`B-1(CnubX6K?!|hcAGg>vW@_k=m*?eA3m*Z+DWQcc6J`7y+HLAOtR-J4 z(rwWMf&j%WbmQ*3)?&eZ0$le&Q3N8;{4beIH>(Grk?YXPc{z z)VD3ETetZxn4WKKh7A#&?1wps{Vq|rSp%=v&|@6udXCXDZgyo%LTDvtfe<5XQjv`vG1;UIVE$_Hl1vBU2=1@wM#c8KT3}f)AIc5{8?p zQWk9X7#{QR;YKATE{iPp>Z+v{2Yi zov$(+N!+^H^i+N$Kg)fTUlDC{ z+~1#CK|6g5kQwjilBrh;<6R~rTR4RL?A?g)5*o5@R>LYRL>t8-JUn!}Cr;Xf+jx$h zkN}Y@gCWu>#qL0Q^L!udbSU%Uc5NXk=G6voGMYaMmhqEC+veo6Tcd*mZ?(I1Q&J=2 z8Lq<#i)MpakFAlr_&W@38kz-tXb@sJc^S>1J+O`83#S6LyzG%1@Dn(J3~5@-48)?L zM>2UcwrE=>EixaW?lUTE2zA@4OejH;$dmx5?|6PAa2jo(J3`#qE$oj8?AvNn|6K3; z;CcocinW~9{V)O-na2enfo4$rh%pLoMBK~Vl!_rJD55|$aAlUS;Rd6*IE>elEKKQf z?Bksvo5s(T#tTRG+$OC-uZ)_&hVI`zGumqF%9cJ>|0`p*dbsEzfsJB5$#k58rJE$M zwG2%0Mw|O_bP&g`Xy8~9hE1^i(tTD?87Q)MHLxr*qiv>{k%`N&Stn*Ne(S9)Y4G2G z$`_G*Wg23BfoKkrBA+GufL==;V4IvSIGnfRsq&kQmIPEvifKhcIbZXj>fD7De&Ve9 zr|E&z<_!T~q{>ur_u-;K)Pl8iZT(_8*D@a9Ib;21O!?ucpf#1rQ#%# z$UMY`G&m==@v|UV&%xr#2+4_tn8{gt8JNNe#b~k=@xL_ zdd<6h7hjBcklnG4|7@$0Lz#jf-g2DM17LYud^AJ%Yi-bg%DPraw>$2Lv9QSHqMq%i z#`oePelc%{FpcgjcKd-;z=>-~hIbisB!2_!D;KXqY@8mgEp$3>GDo^OO`iQS3kKb} zCz+J;tn&lmIG)PAe7+Rx$xEb!ZaW7`2nj3d4)jt!#>^&%FP|UCttJa`8SD!tixsrK z+Dm#^Yiwk^l8*2=@+^OmX2_?(fJbz_^e9_$g4+hz*|T!#Qc$a-E70j*@;Z3yO3jh= zyVsCDd@8#s0hVMDrn~$bZ>meGFNQfR8{5Pu;Oq(n=Dy1G_ne^vV0Camd`6z_LiUYK z9?E`@rQ~8Js(aTNi>eCAYuwwA9p>D0ab54y`X;5ahPeU!Dfp4lCh`MzM*c7j*D~|L zu-#D16fi?E@G+L0N1EtFrEPu_w%Ob!ZoKK2TUyq8o{fHIUs?Vc^>Zw&TY^e5s(jw@ zazbcI!D)nlg{ZX~l_n4up=r1bUah!^N%w}qQ4u=pX<+P9I-XwgQzmoP2KIr&LF@VM zxPke^(K`zp@G#g`4ibMz5iiE(NcD=h z=7d>%CO5AFUe}@&48LOf4Ny<++mO^AT}Y-2shr|DrK?O7*Wj&ZGtGr8ooU`^^!Bom z-%6kH4?xmFJRs;scoe+@Xdl#o(VxrhWESYAnHUeBD!eHNfxEMC8J|;M4)28^H!tud zJtCxe1IT@j2JS|`7k7yET=V$^{BLn>$sK95!IvOp$U%t{lWm18n&DWoQk29xz>JtM z?-yOteSbueJBoytp%0HUG$n!{-V|M*ZsL8ys<98pw$?h_3-N?}33>4s-SCBwRu!%0Xne3Vx5GqC}O=2Ort zv>&58+n`b+7ke{9xn1YyS=ZAJ9j9ksTUjz2kzKlhsjPep8KS(`g-P#te`!oCf?3p5jPMq$ae?fr@|_aY$IhvGO{eWd#V;arWY}OyCsg?EX$y1vC1=osgsPjSMekRDU^5fi}+$*#}w<@yA_UR z9`vq8WUsUr&%`U_hilz(9eT~QO6WLl-NEDb;d{o)7myO1hoG_`0IA6^FxUI}Sa~rp zgOfo88xX!vMg_a$yaO<`anr#&4x@Ll?L&>zS+JL-0du^bZ1Ic>bc8qn6p;{D`h`5;704Z->D)Sh6I4gq5+ISkIZDJ3vS*95G% zm>%+egzQ1~sIohgd6;1h1qlqpF3|8A!=41jRC>}i3*zQjd^73AaZK;F!;Ig3FJ|=0 zA1ZPOIm#DQN5Slj4HUsX_yP`A=ftDa6ySSfduC%z&R)fD^<~Vsk|Y*e5wizd$sF@5 z9^E@?!=t=J$=(nXQ4uk62g$YHX@Kpa?I8B_4n9b&d@?OXm5%2M#HBd++I}*bwlG%5 z?;40&8D;)O6LP4OB8RUJE-U_5*Mi&P%oV!Ib>waGBL3>=cEZd50**7Xs=MAJ>DQrj0f zswt3K7;XnbmiF!D!I_MSPI z&IW8T?Smaz`w)Ks2edE7|C@Xv8dXaX=bdXJ#sSYRUzjzOj`6G=t=R7j!ZLKBcVaKFLe zVwZ<7bKfof7x)IienDlblzEQdG#x8yZ`*SL>vnXp)g-p8J~5T{Fpo^!9RTNXNX;jO z+$LR$a&s5j@0|6p!}@R<6&wrvz=N4$j?<8OyPiuHAJcUtf;cHT=+44m#fQ^d42zOX z_jCgWm91pH9Qn-6yzd{33POna0SDMdDi-NGBhjJq`M&|5y&fNn>F*5C@8pdDnuShE zjZUJBtA{U#V_$!1El^Bce;EY+!@B7DW0x|w#Ddf;mx4PxBf>9V3ZdV#X4FLi{T9o; z^IA(}`ovDv@K`xw;?UD$zvf00-TuSar3V$8H{503+-C3Zkd0&6)rOZ3I z8Z2%T2=EUEueKbNjEE>~S)6p3+0{1}zxq87>YKiNPTzbYUw_VQW%GYbMxylf7DW9uf zFF)!2*C!q;)zx0tnf>23X{_5_N#)X2u~Bm62&8-It}6$w zwhQ1i{(~9){~R;=)JNZ6L(b6!dc}-}xtEYwZ*Cxlf4qrpJCA*@vi-aouvmb>|BsQq zY~cT6WWk1BHc(f_>VJ%E?A3pbwfw)&$o?&c@|$Cre>gCR|Fvr;82QOb!(tfRVK6}f ztYqwwVKBf(Gw&=;-N?kG2o9V^_5qlQZwBp2eP>5YtMMUy=QK@V zEK(|2M-P&h`Ptc5(2J0FBemf7kdEm^vhf;H?;649>7lp)Nff34@(Xtm5v9YPfyhtc zbSkC0KLdH%ApF^W8=r+FKS0_x_^c|$4%D6e5WqJEHv(V0P$cvS-U7U`(lGvClAHTC zgn&)w`pEq~YYB_f>@!J{O6kTtMp#(KKMGt28BC`5FuxqarUnbi8VjH(OXCDSQ%QnK zyaYWA%?>mK?h})xf8mr!t(cbCSu)xdKc485MbVJ+uwk%T+6$-{6ZRcyc^BdB8 zA*QA&v>j=IgCjJ*{(0fMz|3oOmSsfBY@inXE}5~86Z{#NceD$%K&9^f#{K=BQ}Nhs%mD3s}e zmx)gaetC2IDq=;oyN1W&SH0h(%7^I#Mh!e(4CvQG-V;bn~j;AqjEC%+&Hu;MJ z8wwYL54KlT3+(X?f*np<_)x(hMEQ2iHQ?UHOV))Im(xtwtCv7~H^j$4dreDdnrC$I zjrj6=X{Iwj`~}`3Rq&~imC8~?H#Of55s63QBgtx*3x$7x& z9o&3K?1L-t1SXke;4*D7AUI=SkildkaQTLsajP2OVxC;c?jM|<$hZJ@&Ic17|H|>< z^>_|!A$O++K%>yNK_+rItRc&=-xVKz9d`2R1Uv-ty3uzB6lakCMI>hf;bwR#EQ6>) z;$3fRViQPG1}V;l6w83kq;q-?M>{0J_T_i*v%icD<0rh=bGH@arVcg_WAG9 z3ni#)Ok?@{sVr9`^BCLe9b!iaj2`buC6by2l;G0T_Y`Icp8ZjS(mGX8h$$- z>i6OBv7jID%J}BOgbE(nZ^D5XVj#QO#@|jI{(G@t=ZommQZCTIQ4b%LBLJuHP| zm>H=*mCf}O^PViTU(HUWD#f7OMom67?ak`cxSU<1@dRR5hRQu%=srB3PnHDNaDkWJ z#)r-EYPlD9xj5XDhn+VZRq)pwkE^TCfirCP{P*x6`)oYRnJ+x3%tD^MmCxfs@<_W) ziql^rl9bHheKp=BYAJu#_D%u>_rHizoio6Lfg4CVS0I42O>rwkdDp-%i-h@aq!xc8 zCVXI-=OIrrpWn0~a0>bmooHUDWuDOenrLun*ux3Z7OB5=Q34(;9V(v(@*?aeEuI7r zbYd_cNTNBF$H@#`I)kUXv=kzF>8*4tABv4sp>La?k)>{UA(pK*T)Ve)ApVEE2k!!T zz1m*b;WmH*=|p)sNN)BrkKtN2C}X(^8g2an;;zgltWD3vYB|+oHxJU{4DLgkfj>r3 z!x%OGiRbaBSa97$1-{(74k5Ahy=GSs0!JG=R^oBsXl^j;lW;Phr<tRso3euzl2XquES3zxR9;tuCl(A! z8ub}2FQ7%7jEg2j5hs(}vhGNF&y|25!RJ8pgxg62?mN3k!=*oQv*)7uH!aQKH{lU- zZ#)wydimd_5z=eQ1K9paK*Je!oyM8vX6a`TR4_b119{br&EIefECB6kumE4}MEZ5} zdN_59QF`{W>YH)Wshz4Z*qFn8g_48DwH3uUgG#Vq?k7~cE)c_EhmE5k5N`3})S z#tO%gtyLphL6jVf)pGo+81lY~Bo|*)m||U$!r$hH7<+5^IuPRkRptiy{lF;9NZKPG zaQ6~}?*LAcKgI6A3jhz3KV7$tNtW`ZKVSPAgi^Dxk&X{!i~ZUgO8Oz3!u7+W11Ieb zf#+Qtu*s7JRrnofl#+#fM*S&lb$^NqTX9X0>8HX6Ga?j5+HC7UT#|;0&oC5gTp_BlsD9*oBTV@_+g8Zfn2{~ zseCb(n$^%%D=Toa$L)C@d$DM)t1`+3_pVS$;0#adL+Z<)Y|O! z^?MfDr=4vwZKC!p_7=)zM52M7{2+UsAxB+O2UH5c=={#P$II6-K?wUX7K}o4XUQl8 zpsdOZ(jckXTCS$=2EKq^I8)apky~yao+6ErMwu~dukS$!wW$*uutvc{TQH_&ces+Yst4h7+&%#@2TZw?|F;;?i zkAunDpNFQ^bzSa?a`o?b!CvdOYvK2Y4%- z^u1v9s#$xodp!31+jS?&D8HN4t8v6v!kO>{!F2XBZW}i7KjRF#4H(adTT#SEtdWX> z=h0ygHxjSnNAg}gGO&aDFl2(?TwpkPvpgN&<$3+c?uswtU2oD1?q^r4G%oA_2X-b- z!42WDTq>TWOGxky*mH&-QeZ*uq49HjG#PP}rbw^Wcb$7Lyi_yEpRUn?!sgY11oK6; zZA$_`c>X-w(e}A$$Nk{lOvi9X@fgo&A=~-_#TL&Ce8l!LYyKq3RGl~-rsN+*La>jp z3LkgPWQss`wB!pk{|0dhXJ`8HONbKMMNO4Dp*OB)v(=Ha?p-*{;>WgrZGR|uN)`J4 zwNaJk$bhOs^G{4*B;VeY%z2875ww1>*^tEL;OC?_@C#fsRM9+8+7WEf*_Qgcb7|H* zmgB@_Tr$5(eicB9_eajS-Xdw%=O6;5=>V9RC1y#D4a57W+@Q34A;BF{aaP=HzMtYD z%2tH6C+wJU1$R_(Pv8;0xww0DRdqt>psN9>;5?G+JILoNJSMaWKd2O=k|!}&jH8u4 zsH^}truZmrI)NwFRMPr4u&r$-IPuBHW}3+9*A7Ue_WbUIs5Qiaw#5T&ZYbql1{6!We-?UegMQf z_QzAE%t?ZYwfk=5J&4-gjsawDLbg}be7lfb^$xztx-r@M92M@VhjvHVrZ;pDM9aS{ zh`+3M4<@42Hs0XprBk{*8W>txgAMiz{;qLhF=C0#k`A)(8`-VtTot3oeTh-oK}x?5 z7l5=$D7*)B-^uoJJs#_MWo|_JevcZE5lM0X4|{JO*2LBS4WE+*G9)wM1ST?p3?#xp zqKRZMgNYIi0u~fBQBY9SP|;%Dz!j}p+&8SCR?)g(r50Q&txIid>r&UMl~!%FwUxHk zF4}5aTWwvQZ|rTC-*Z3jd%f57{`n{{$(&iw`dvRC@80sW`eRzp$Dme#|ED`-clF9l z@#TrQK8;;oo*F=< zH z)J!B(MRnWwY?WN4OB!%sW7X`?aPt$ZyVcK{s}4yXc6Mh~_fTzYw>jaCSs7GBVxP@@ znrCII+jJQE?lQ;hEIK-M+*fCtXZO&?ax)NR9;T`>o0i0QYco#hgj}gpr7U653QNDH z0sCqdJ@vMJd&YhH#Z~p{=_gu(s%{sj%anz;PPuvX2i*XfveYWxN zyJw;tLl1p=aCzc_^=bY)znu8+;OyAgnMkRNEbYUl&z%)jTdwk%Gb_)uFFChh@rynB zb-PY&4)Mn))e63*Vc91Vdexm--J*CX(?s)^-!5$=}fHzH6>^ zWmEpPqRZv^-?7_zG!HwyDgV6-+tsgEe0yo)qBaqorw+LN({1&Dm*Pi83LBe3Mtn4{VEne?57XzV6T8OjEdB7p zmmy94K6yRi)t1wrq>gKaEU+FsUf4H&#q;$&CudxCPx|C_(|Fyn=b9%S`?T!9Pt4#h zl|O%T{#%v#$2_i^R3Ph}r#f8;{>&v#nZxlLn>7B2W%-ea?N-V4LdjvLle_gwPon6+Mw z`S>z(kJ|QyEnj7?$XLC(-@e+?o~t?pj((LmUO2r*8tXY!*Eg|#UCoqVf4Lj+RG+kl zIqOG?9V1#c(J@hJi#j%b(9mnGdwQ6&>0IOVep?40Qk<}^wDxZH0X=#0uqC z-!WSgro1|7?yckB_xB7L9^Tk`>{zf~O3%iHj9Ry|Wbu-O@6RvZ+PT;DD<^($tf8M< zGuUQ%`q%5JyUNbz4d}VhcE0qROK(h9r#?Mshd1nC?PAqh^Um=-KG@#5&&JDdPU%pv zWKI7c2fy9%kKgZque~|o)hgx8^ZS-Bt3H??N0#=SoqeUtkO{1$xsv?FyNlYSjJbZN z{G$^8OTV=4tY^PE?yJc8HN|zM-^rEF&2vA!@0D}!^;=tV=AM1?*9+FVCJ+ARZpt@j z=MCLijYX@|Xzi`QUqV|=*z$Lb6(v3@dv=?^P zJW+G(la0#;U9}qac5e1o^nB?9>&_o8zeWA}>;32{<67nOBSK$pzN2;?eQs}e`>+LO z%L%&d$yb$&e!6;UtvcsW0~q6a=)XOoU)a+7+VDJm$XzwPnqyu2;jg+guRx?lR8 z{J3<)M{lP|zm1o_Ic>{t#xC=2D&9?8@0^i7n9H6})>`>>+q>qg{R4;hRS#SOStUK6 z&y#lE{n^*@+s~^8-=F%c6WyTBeU=lMv?y%hkuTf6I!tN^zr5$?@lQ>7V(6jB@(v+y zSUdDT@mkqyiOW`4R_EM5wI}nVh>e#%|E+=Q`u2gU?5po@88UPA{XY_JUHj;r4G;Sa z7T!93`yUPzRr$oy@e{xz^rs8u7f7aitDo?}?%N9C*&?hPHdN6Y{(-s zY|N-2&Sk%fiKR-|W(7u#FAaqc`D30QGj{SAm`!UH?63bs5rmtE{--ob`RI5!e4#A) zKU1bGadT5nhEmZ!V{=nRMovz~=A6wrN{v#F`N++H`6!cPWyj7LO`9{IxT$IL=FJ&O zHD$*lrO*K6W0TTMREo_R*r|bIXDZ#)uqe15{A7?6v>8h(I0nze$*2ieso)mMMJPwv z9!lb1PbkHr46yE`C@I(@U>#AQ3^q*Bl%sr6k)y=J;hLdvW4LwjLq_nz!mcy_tox9_ znDLWKEB>tcJxcw00OLFf75_Z^30D07eE0uazuj1CFIM%ae&b**0h~rmg|ay2F-Rj+ z>kXu6FR8#fjWX)MwV|5q_a?Q&AJ9!q>d92DWNNQv>B$Fs`ZT_P7_}up;e5IO-hy z=ELvANLkn08=D$$kK59O3npxPbQw5*1C+f{q-_HmxZUlIaI-!y;^?7`x6jr$-Co&r z8;*eoSr;j@++NiLPeW3}H#FTo&`3>8+Iaf~c%<#{Z5w`46E1Vy#wVk?y#iOceUn}j z)6moiS4-ZE*LGu@iZ&L(Eu8Qhyd)ByJs)f(1?NN|;arr$mr*+I&o=r-sc%vWFPw!o zy6`?66ZK!J?Eg@a|F!L&#cV+@HvCcJbwfyr6_MSPp(=Ejq8wK*_H8CzSEyhK%d>_|wg<`maKg{?oqy+zpp_C>!)5Y-ssC`Msaz;aGjD zYnOZSM-Z7xMVHu9T@Q3Ua2WQSI`#hHu3Ab@@hBd!aw9ite}?}zZ)(GV%&Y4G?Y;NA z9*Dsm?sdH<|M`8m7VNpHP40SAdk<@fQxk)^1NceBJ-JebBI$lN2ZVM_hEvMmW?*U#f3-r!qcK)yLrX3(aPo67Y>gC+RqE^)AvkD-#yd38=kG3a%dcZ z!*x3ohCPkPw=aP+74g9vtwq9TmxJ9U?62<93qX?|F-5Fb>6e8HhdzSta^}LL?h}gH`0IYFY|s4Wxu=kH#F$%Kja4{!a#pa&GQcj)+49X-|(Q1d1@S%VvqH2pinj* zSd-&}V4*p^5K0-Dg#N?}W&NllZGD6pI`$D}C>w*EV0#PVhH^1T3VsBvPc{{$8l(S% zA9~#-W37>$9?`MbQ2W0rT10>dd&E_QTw((H8(Op?p*W`;Mg51A#{6%3z`h*9`bQA@Zvix>` z0fIUgB8ROP{p_D!2iEADh>by1(A=>JFR<~xa#G}4rUG{!WD+JLUspCc2qlz;sb75S zSiuxiJknPWcr-Gy2i?Kn6R08 zB`*ung}~xmnBC2Glk_kN*%^UQ|S-cJ_*EV)dU@D)MjY3(sxXqjrKo%YRUoZSztFMyC>4d&VM@A=+0Bq(8^x^ zVifL#%eNF5!V30UEB+vzzIO|L1A=Ihb!&>(LD(ytlE@klg+vN@G z!BX!ujwOXG(7`$CDXVcDzQH9{z3Ke|=co0~N=E(z*s>e@M~VnJo!7iWl_RN@=?)n? z42f(?rXkP{*DK3%Bt$v^S9-aK(-q@F%dQ2zVWnSHU(T*KSqWD@k22)GNzs+!K`$!; zEFVhAzCnxCGq^MGEW)BB*-a3 zPIijRfl?}~l~d>}X)^NOe1zzkJ_UKN5U$xoH6fS15&?ZYI~8?euNkL8YsWg;piYy3 zXxv%%eo=1(bcpOKDICD*lkKa~tf!D6l5$kv@RBVkg*}Bt_d%2=lK~Aa@eS6>e1;?4 zNVQ`eNkb{=lVpzmmRgiD2?*+d%{%WfDk(t~P6*UykB|HVBgdn=ES-ZY%29DzQBCk( zZuS}Cop)9Sf!XD6fHO_Zm!sl_ zdGxEE2{NGO8zsJl$Z$Y^o0W)X^hS88BE?OXddetnDHm3>8X`ZD?ew7bNCxYt0S|`biFU^bAzDo+Ht~Y0W&Z!p1+{ou5*QCj)mC zypN{h&2P|PjBZWjda!NNZB%P2mt?)CvgaaR8}=XPkMIu7EK}(Y(8`78BC0h4_oF*N zuQG2@TOPLd!f~V;n1kxvhviriHIseb+$M}|SM&oCxiH&irVAsC z(on}P-qYzR`~kp_6|l2>BleADPHPlXlxx;f_B5F{&WdS8Ntv)jYnTP3o|Vbgv6{*o zBvE)9ILqrIMKM^_kWej7qP!!FOQoY2IUCnn?BWO{`j93VL&J>IQc2<~l>JFe<-&Yq zDf%4DBPhivHeE-}`x4F>KUuF0qqa~lUVa%lOj#{s0II@}6h`567b;nafmNFn0Y6|V zAN1|&_lDibq)V7T)NHhP4woV}TKW)rK<+R)(=|sY3kRsYv=0@IjusZ!(p|2L(nuM1 zo=b7;m&PDsg=~6wVD34$9#{Rs+@<**VPzR)gz%asu-Pt`mCYwf+&%si4Kaw{%Zx7z zXH|}TA{JZR*;v=2V-o=#*#S_L+;fsB1Nac~y>BYKl1uy%k?ooHef`KBcAhYU@;r_5 zv7;~B5y&Cg5n0uWl4FRhNm#*Pimc~GvZDrXM1YNkzBfG387=^vs9bm$CVr&%OjFvm zZCaPFvmZR{JevXubFyDzz5t=ki2th@*AA{a*T?pZis_8A3TnbYWm2Hsd@~#_&Ix>xFGGT@d zmG&mn>_@TJPyWECfe+H#*Azosw9!8im3>XD!WoUCps=!UMP?{Mc>Z!aTkSs&0{35146jvZuxZ^0~ZF-@2x;)4$thMcHiS@at&h;u_ zG=3M^UzhQ1)Ko{`Zqli`7dcaD)e(yMERtBsI%w2hkk{+meKpPt#eq)Qa-el|gDg_e z2HAax3Hb-IeB^T?_zq@)YhI}k-CR3E zlFHu>kC!+gX6I#he z>3O-g7rgBA@~R1jvnuII2s2nkbK-R*j-thK<$jHQxPppu6hX4n8vvpr?L*9O+Jk4w zezKYL7Qw1m6)8g0dxGyFjGFlLQU$U2Cm`QBN`lFdZL+Ub%y1);$xKqAp4Gj|d&2x~ z&sM-%S3iVwB+pQvnC_eVP^iRuPYc*eoVZG1y3ZQwZH_6F|6rVZuNs)BUxEF8#Mr`E zLl$hsFfkUne?!a&6B}o#p(=ECD3R_W#u|niY`yodm8OT7{6Oe>U1sVB^seRD)ZbAq zK|bC941-)O#L`XhE@NpN6a+$y0LbGTXdkSwA7jWGl2o}S`&DQTdjaC?Bv~AQd@oa- zQHt0Zk<-M*)J74_V33&lFp(7c%+^>PDy3pm1I^j*W79?e0==Lxy}-w-4SA~U4yLt) zBR7CndrkfmcE}yQr2yXV9+c3YPSCI}X)iLp4$~B@ELypvGqq4u%cYM{X{eW?Z<9lg zr|z!%wib!zU)s>qS&MmF82H=m%kb5+^ivisNi$udw$AH;h~FfjpKeqY9~IjwOjnID zzAwnrmxu6+)rF_M>Gm`vEx=x_vB*YKgC0h7mpxsZ^B7^kT(x{2mp!a?!GE5!luPAqb`IQRl1>q$-(pupaMj(kP7`?m9+XsxY8f;-+K4&>m60NS;Q zZ>GrFiJqc|$o@S>yQ)8CzHg&HZc6_&O7!D>?NKLjuuP~|>As=F-bmaXB7$i{tllXk zQGB-u>Qv<+zF(4SiWRcnosI;1b#U#6$%JL;)S|J-(5|i1!H6oUS?w_+DN||i=&7p! zE^jYt3oE0$zYN5?V!2#j#`y{x6_gK8CsE=R*})o+Th>u2-n+zLKO9mulZ_IYaPb+1 z>p&^fa#)PORh!|JqBvlR0jbKJbVz>!XG#IrI#uk z@#M2+`^E01r`e|ZiELwls}!b%<<;--RW#XT zIcu6^h*t$RiJ2h*jjz2l2?sPLf%Lt-O6c@ z!qU8zIYx9pt4KHUEzEZ}<^`E$nd7u3u3JYpEFxbZj8FDOWH5yKD857s*B=aJdf1>+ z9nnB$Uk6^Z6R}KqlKB(fv;mug@h%YN)Pd@1+5{PRT~Qzw;DP%IN81DTtWdQS~a<*3+?Fa9S>)uT3Zvk+10g-j+`s&^_)ZJ;Z=<@F~4WrXm)tCiA`M3U*2KvqsO>9|_#C}% zyI_r^7F)ex))T7IYsMmPs`v>ql^Els&rz$xXtaNcio{Ummp}k7UITeC)cEQVy)m_! zXFm~dXr#+BcfGnW!gM3kV;hg}k2N;%FKoMVJOUN35 zGDqQdRAa?*lo>F#Pd|w>hf5|T9md|L=ZZLiTZ(hseM8obI5<`D6s_N&svc=yF83~l zrmU13lv<3lm(=aE&H*SV;akohhZUW2?ZvmC6+-a4q&UHJ6;=1zC} zirbO(owg8OB`!4a5P%|CVCr3Y{14%jSHESS=bX#Gv*%)UmfoM0o zw~d$@0^_|d4yd_S4nV2WGc-!(bLqmU^k-;c6%7wx$df0W3icf#l|l|Dod*h`sY0R$3ERTm&m#Ww802CL_I*sv%iE!{8SX8b}Us8GG z82IQc_sIIZ^9XX(T*>85;^v1KxIxk$P8cXv3`2lYgQ`1a+EEL`GiTohb`1JaEHJ%I~Vh6Ef0eUvJ_7QOxSm1iNKtU)L+&5r*I?M22 zbu{L!>PXcwc{HS->o2p)k@{VXel=rmqh*R|E{R>staawCLCh+`bzt7_YJDZ1SxN&) z9OUHk#&D`8y-Le(&{7+4oNWyCK66)t2Xe9SF6NC|V{Dd8XY7VQw`lFURC8`P-GdX9 zyPX|9uWQrh!LsZaME5o(y89rL>);D`lQP^`aK1k*Z`=FGB~fnpM(xP9$A=oeqVCGY z_My_osPanVH|4v?K-UECS-Tb8olNcEtU9-vdjwLet`SQy4l(&n)3pOPX< zW$%Lk^?ybmnRP2IY83VN0Nqlg6^6H>s7m3gZr>Hx$8@|r8f$^h;KU%&PS1Ik^hl&%h zE=)sGBns>9sY$f^JYw8x#z*;HCwn~;W%g|{>OK16`VBJ5N&4p$$+8|vorJB(RJxNA zPhOLgbTU?KMn@$@LQ8&(p25B|VgV{u>F*^57o`~|sVc!~WcZZ=| zZPAL?L-;9St~tC}L&`-Drqc7kK-Xb#U%bc-@jUisnely^9|O%c9gmrV$N_Gscw4r9 zAU8V%{nnfbk1 zYGi93j%QFib9OjjcLt`Cw$wb``7Ts9CQD0<+%Wy3aLU{|6q}X##&~-ZVmeT*b8r%b z-{r8%RNe4!s<*3HeqVuVEaQNw$H;pFx-*f2X7fID2~ zKZ;&jfyf5sH-I*=p`rlIdl7+hh{hSb5jmT}Eu+1|_{GFNN$D-RMM)zmZyylDB*L@5 zu~oWAE6Hq8ki^P$x_)7%uZf>)M{HoZAy<^0$dJ>^VE|pU4@IN*a1jlD(+M)(*mddz zlyCL}RzM-Dv`sLzNWBDdk=kUMri^EpBs9h>CfWbco95xR%;uRPBOS|dl5wn6 zXah7I7wsV-)g=%_3)bO)^-dz`#NE=jqeidh+E;hcO&S8Xye6h1$6J{{nW~2GK^7H- zC*>fLANU%*ygy%gq3$*Na|*{ZRf|{V<78)l@go&1_IHmuK!RdtS-TLRI`8Qe zYj200QCtEnpJf+1VaE@d-5p8BQc(lN^x4UbwOv}U~0TzXzMyNaV%ZpOc#fuoQE-} z#NI*gm`i7-`+3iu7|%B;x{Ki^1_1qgVcnJRpd8v8>%I;*np}R!-8Zdl-3+nLhMc~* z+$3~lCi>_N9E7Y|U!<~rkL7C^(qGzuEo+1xI-nCapNY5c!a1o(V=3MlqVJ`}pUhqF zJaxiBJ?+@4G^aO0$_e4cA7#xmiE&{()xSK6jS+L*ViUui5LTP1%za&isfp5P1^cOM zHt?94KErLt=vCrWo2$}8wB|1(xL3s27(<*2k90nT?@wGI-H7Dx&>(RFe@J%^kuz@t z!%Y2B>4Ao~CDU$c6rNa(c~_$N0xDfr9*Pb2P`SnDdqrG?knG$lls1=(C>St0>xxXF&k^%7nqNgp|y+7mqCVHQ;Qx90JwOPId~0z!xc2ilei{L(2Dq* zeWk`ckQN_c-QAJYw)1as)<&asB{_eHi?_w&EMQ)oN-a-#rXR<1YGf0@rYH@#&EuP0;v! zKX*KGzmCoWZAwWacFdy_gZ`ZsecnyVc+v9%#a*^Pk99v&=a0D7uIo&7KuNab$~SfU zGzVwk9{>;5QkQ#V%lXONu(T{rUo< z$mrWYk#;sEw97YQd(>QFc@?Dym0oTkh@C;>oi`3`GE_paZMvvcyCII_sNU3I{wdm& zL*`RerWYMO#e7utv^xj0cK`r8+hj)L4OVS#miRnve}yW1Mi)v!qF5cEa~7NXaMB$Q zZl;~~COLj3?Ka?)8-7tcE>`xlj*k*1s!1Yf%5$ve;$Zrc4016fR=mw|<+_y-#+SsO zz)+?UtBpV!ASKDg%W6<|#gl@Rf$QHh&Icb>LzVA)n0Oi{fUNZvY8c_`VSffU33dLBqMKn$K59`#-+wTJc_plMP5MElDGJa=j(ovxWcx6OI*3Wg z&{+$N6`3dSZDWD$Gw?PXU<<7~8DUD;$OKgNYl6`@gda{QJTeWLMVfn7_+0CM4>|hW zjsx^T=(Wj)jY-YVN|AEwhD@7`dZB&_STt&t>kdKHh(unv!t`~`Pre1zlkSTOzOQCq ziS-)e`-O4~n+)Ll@~q?YN@;5wTkTlnm<1qmTR81+*7t z5?D{g@wlFXO&)3pVWZuB zv8`j^<)a*oXu9C;8KG6+B2lW4AN|EdWNmB@1YafU5Z`WJN8yQHAZ-<=1c`DEaOVoA zcs`Rs;PaXZ2tx9$o!i^r#m)u(oroQs_bLirgX=NrI^gW*B!?>2A0|M7RLwl87Of~}8Nw~BgE^uV;gI!Vy6It-n%396Z+qeqAgEbldGw`S2OwN*!E{pQ^0u_=y$ZUv8h$TP4_-^2)nr~#dYoeKBYTRGh1-#^76~?uB zsCxHBw|6mGo}0^;X!xz+lwYh?@hcJqMVKU)*F9Ua4Y0N+c4D@e*sXcPN;Mqb=T8VyKa*j^2?)(;+pfrZbEe<{Aa#3XD=;Q{Z$yLp`N~579tX zuDijQ=cbE&knRY@M%zQM?neg90zV*KuShUUjYcMQAk3i!_iqy2=-+{@movfeDeN!; zxsQIZiJj}{MuyveNH_mzgiz(?Lazx$7^X3<#_69_wSuXvmhpB6pdxF>Hr^~#C>tyM z3Ycu8P29?Wsq`Y-@w|`yD5(9PT*#r6%cZvKFc2prV>(eYQCc+J@Jd9LZg;<;he{DN z`%%{Qb4>Ao^h2+vYQ^^@7lY5BMB8fIjp?sHVrz^e<92T{ZNW)|+usYA&Zsf?In!!j z#5B)wlQi9AJ#jc9u3k^CR34;q!SM(bSfrb7Q<7;TtY6F)9ugmlV==DCLg@;bX&aih zy@;PI`o;p2s}cW7`1B5Pw!t)+P2_j!@@K-Pjt8euDf!Oor>vQ3>+7`rSa?=3I=`M9 zCmnT>r!0Q!^s*W-98|1C`pB^L(-8D0M_TUN6s{PK*hZnfZvA*fzO357PF=VPTvwBk zH6z89S^$>)j$U}Zy7~-n;(E2*m~=NgX0YOp(XEy(?gD+0h5?(jTTowU-R$*@&+b!x)m6!gy{0_y5#}&O z^|2Vt%4;5?oE+rRWkpf82+5+7VzkbmYtlU15PybHQT|V{)!x>B94X@*?fr8xRqT55 z>LmJY31qi7!Fg2tfpjH`pC4~+r}b3GjM4e$jgc_d@L`NGKL2C*+zF9eLdTr^OCa~! zuQKAB5lm&6d4@{-O~y=pxI+Syj3z+&bTj{=q`wO3e5OKs&vL}qjsoI^^Jqf0>@rYeoKrQz%`$X1hB zjp&w1ks2_*@{tah(V@6P{*Y^r2f0@W( z;0h0ZgDOVG@cUx<`6}vZ!{rVzmhpdzjmq3Ks6`Zul%0#XFfCu!mCH{}Hs ze!f520oU}~XCw9l>#Hoc$GU-f@Drkc+OZ>8QgI0Z7H^9#FfG@SS1GqY05z10@E;3` zTT=}S8Gc@jAxcYDn)73%$qJ?kH~_65XnhYM$Ge)P`f@c@P@9Hv!b}s9xx&fvUa+_FPZL>br z%-Vo5r&*qcBZ0=^Jyc@_3Qk7O7%vPTtq`vu(mj8Vv3oYu*~u-SKqR|G87et)h|2LM z`*QgCTFT(vNeoOxI5|e~%=AdGIW2^J@AG3K#F;X2rdo&$(|xHW4qPV92mfann5f0j zFlJXI*sH`va>f$|AEbjww<(guN{0|r95%69JdC7z{(iOc2-^|%Nf#o;14ufg65mE8 zZy7V6WS^GaK)O$Y7WiAplmk?Vj=l7ytnPAr8ud0@*KO}yKF;!`*NJmzqdOa2ESJ)0 zE=qYgAkbdY2u9wLa;?yhVk6RhM%Ew<)vysdZYJv zs}7)vhV7L5SxmBprBAg$nw))s++m>%fswX!R5Ja;z*_KLCL@3;<0YMK7nSWbfZ+6& zERaDAffuB;C@>S=9N29FJsxdQ>9f2!%Ki=lnU&@2Z?W#Z8oOF84boU!6Rd?vra5dO zC`F|U$ONEP13DsZ;>9vcX2C?1`8`Bz#9{Zg*uvMYMw5D_0BaGQ99_wLt7mp~u)f~LzNAgn1)wrG5Tk6bI~ZfFZbOX=)RAPN#7@No)kzLca1sAu}2~ z-1%5J&)SU>&V}oiF+?;TC4YLCpaK&nbEsqdO(*0TH9H}--Ze?Hx|05-qQGu=I6iNc1(MIn=HrBA8$^uFGH8!z+ zELoM+9x+2G-2)XM*?uc$?LY+Lim`6cdi$f%h70PUxsQfVKWFt8{0zGulQAmiz)f%17GB9RO&N3QJZTX z;C6-&V#Hr?%~9YId>7RKwjH+#=pq~1dpSt7OXR+%5?#lrWq=BMNWWD@MY*oQo7;bs zWm?HofN@{maKz$*G2#cSVFgH%9+!IFOhgt{=}?c+mE~DCc0muALbzLNVW8)Nd@>h% zvkAu^S5YZqv#oAbMQ;tsXPj8D_av<6@*vy=l%9m*_c7xAQ=O?7AC@-xCK zgeeH)!xx<%BPA$JZ}9gtr=8Sk)ArqW#B{morK)~(pMx2rJCJ7!mo~i3_V5iMNp-#O z%fNNop1-4k;Zh5B75hy&=OmxPXmO$w7a>-Ia{)N?5|DwqBC9_FcvRS3ILoPq12WO{ zmrV(XyOF@#RMJxl(@P-hDMCzJ%##cf03E&z3PUfs{ZplDKtdFo0=ikCi2t4zwX#4@ zm_Mpez)1{_H5OgKYBX3=G-B5*L7`TzaXtmupQQ$fe|T4>dk4a`q;*KQUkxsy4M;a! z%f|TjP;b^YM?1DTCi!kva#9OQPePT4umugwHC9~`zUo}HLqA4s7;dHO4JB!qwJ%re zkEyA6ucXXn>e}x<#|>OL*_)ANLHeF)YyvYQj7@00ML!Q_v5mc`Dc($MWk#s2b`AI~ zATmjCrzU#)8ly*#hLN9djIj?5Z61fG80*E=llYSvRJA=3WgSPEg?JQDciD&I%qQ!u zfOwpR&(Zs`qGSyeP(E$7ei%lql@V9>F)u_Cd%TPLWhZk_LHpS;~W_H=(~hrFm+kzl7C(qXxGB*(1_c)^V$ zU6hOK&6UscnH2RtU#%0$b^LY8QEyjc=Wvoq66|_xP^t6$D6a!z`&k?FKs=nsiHC5Y zjWI?XhXYZ!9!Q^Kew~@jwocS~PGI7N^x;x7i0+?TGD_R*9_)qyP8l0>zYpEH>S+kJ zkrHK6|0wASb~mNCW+!+8Thav5pF9+P4bL1;E&{fQBw(Q`i7X<$t=3M3(X8>JAU%!C zcTvsKdrvxgKoztH1&wqroyz>KGG6B(eri%0B2VDi5Z4)_soG)ZBTg?cZx7pl%Py%~ zmas|t>Y=t_us2lwz?@`Ys#vZiE^AtZE1d~vb_4aGF^zf>I`dsnamWv1TOFQ`zc+lD z47SYRg-tWiWy6YCeEeXQafu$z?FkQ?=ECCbDGoQYDco2~dF{yaoieCxqHB;>Z)UMlGo7xT(HQ#0z{Nj9b}&d* zY1=`KIjAri%Q0nSo>Y0u$a9$=l3xpB=c)p8=_F_utFUn{aCX_P82M~g(-_mc{tso; zN|OsG<{Xk)PE(1d9{4RV9{SB5iagIP(Y*o5*EUjP)u3e-~6BG4az zzagW_J$Dw)pf~5nKMFmw-;QImtRC9x0_<~?0}G6ytrqA%9laTl3M;hwSHq}-WOi9q z;79Wr9Um8N{~B5*n&`Bh31a z;_Q|DDLo3I*7_ zxPvkAMxUgL^gaQA1C~xynPHomw1Sa{ncjxaV=2-4yBB;8fedz}cnj4_WVW~u)r&Cm z>_N;kVdhsTsP;dld?(T^qP>Y}wDT18uFGF)BhwvovKX9DNfLoSPYlJ`mBy)-(NMqB zkZ+n)g7f}RrafmWLFu{0Rj$^79=(E$S~y2(w#G(Nd|(9IO^;N%3j-p`9%#~rJBlJ>VwCRWQ zH}M_U7;4M?k@mQ!AhXt(OVm|AphUyWt<|^09rCITbd-GqHUUd@)(b#PE$znM_ArM- z)I(cyhsZLEWs$fi${d@?edrOw`K<%2Q4l!TeGK>rrU{>hTMep7-BDI&Bp|aO%siQa zvI^0x6<`l@h-LCXp0h-{A12=ES>VOGUqD1HwSkHw!lcC9fY1@mJ@O zdqsjUQ>FX};;LXlDX40I7>C=ALSv63A62apA~97q=C4?Di6+9>eEkYsqMFx zgVk5RPD8c5RZF!sj**t5+v}8VYyoSnsfFJg?{=@MLdBya`5gxLe6`fgPmWSU@I&)EYGA3LqRGRY z3^iq{E8)Ae@kAkKlre+R=*cxYdF2MX9~r*@9})~I>k73=JNG?fg%1P)x`HjXTVI|r zAFg6BSBYOSR-e~apV1<^s12W&|)I)Co22ppJcksmG6ZsHI zHwZ#)@=*PNmIa1Zn(7EO%1Mp#`i%S|FhuKJfx~12>6CR?uImv2P%}wLXdtMgxKzeP z=|H{dRx^w|#g8=zYr=KK0(sxl0cFK>&HmW#?dcc^D~t)ke|@E;i^(_uHt<8pc^6c* zg}q`cg}{zyko8u?jJ1f2WJ+m8WSD-!FvDjW=}k)5suTB7-ZDB_%99yNC8|Lv3gdfr zprXinFmo*6RpE{U!UdI>AYWLQ1%ls)(PSh^fcz46lxWT%e$s*8npXF!IH?bt$&ILW zBZ!7_^%F0Vz(QNU#+??Mp;1TC{td_+!8cb@?ZsXUf4Lj?aZ3g{Aa4K5U%CnJfK&BB zuj!0a82qK=b$>c8*Gi*hKlBF3u^Cs8>kTPgCHiCSWjK2WwVI1+IZH+5C19%48aZyV zp{lOtIh5#9Fg&y|C4MbqBGnKEc1#x zna|Z%k2MGFLur+ zFGDxo*0d1&A$EUu(-R2tNyM#rh8-GejquYnx1Mrd@I4@N@**V9E?H3l8vL?sY6q10 z0@H(HR}>~pdLFSAS<5lFN-O5$sa+88GB9%~_RX57C~TX{pHf+)+DZWxNn%^>RzlZ} zy|qy~gZNuDR%UOkE776QNq(~|&U~gpiE~ z;;~PuDZaVZLxW3u76HEoVV%3D`7T)Q17mGeptIro7!!-eIA@aOx@|Eq+4ZWWD-iZCdNx^ZSFPLFgw;e zsyLfVnRwXSo9U>-=eSs*geRA%3qrpzytILFyO1lA%M+i)Vt3?VGD$sh=ON=;1iV=} z)riZ<=^SbOLo^*hvu#H|ircZACf-xD|s#D%!^TPYTqs!ijaM+~1wlQc5hI{}?A zWF$*qe6tRxWZ$+>0zWIvI;vB}T?L)=Oaw#7ber*o*u=|jBYoC2i7|WN|k+Zf< z)MAm3%v%af-(=_dO61ximQ&u}$$ZH!7yCujX`5Tgvw20B{W=SxG*a^}A~tm$l?Sz+ zvHlO_>j{)JX{3Cp8MQqoh2g-?FKHovo7ycw6tRv1>%QcX=`a# z&0sdD(&q~dn6B=xqT_f;8HfwqD2d<#2b*NgkWyje-CwpFh1oV!gVf^4(Y-Ys?p~H&kG#5;vI&0-hj4i2SQuZU7N=>XEn)0;y2Y^uz}{~rruRr2aXT>`p}Ce{ zNS*PetV_|&qbb|Ir@`Upc$U~4QT`Gz)w}X*!DZoJGZ|HMK;|k6VtHnyql!4xdOZJ> z_&yfF2KuYP+U)Y)x1WQBL08U6=P@uynL`=rBh0)?iRa|d)pdKR!1>%rcQ48{BG4Bg z@#^*+wjAfLsD+-!!EQQlkSyN~!2vVMuAcCO$F!@bZox|i>s2q`)} z^Z($dtEsGm*Sw#QPURiR58UvEN%ox~Er7I0wfNlH(~J(NjPlc8o`db)tbvy!96^?;9J7Inv<$r;hMRAlq;cki?`AT~Ed#xYXi3 zEF~bv=mIuWh+#JRa?X+z5??9C4P(9MeC7D)u4_kkts8yto zm@C&WPjl8=SEZ2-{tx5n{r0WcJTpvi#**&#`-n{xcge|5MD(}8Ga%n5?aT+5@1maD zl{u((^l*c@3{&^T9+-610VC;gHR+!{d_kO(p zPg0A=CE`Cy{$|8@T-xy;rR9%UIv$rm{?6a54?rF9_k;ZNJzRg)x+B;H9wW^MZ}jiS zkp4&MBc_eV_W~pRzfS#E=jrr63jc(ietha9JcY-%{r4NV;KaYUI{w{Kj(@&`R4gPGL$G!OP!5VxSg#IrpN7VoCtQ=q8`t2W}QdD5ns6G{A#||I=ClJc1#VY;l zwKC!DPk&PgJ3a>}6hJrnzccRRjt|rGDL4GQrV*u+Pye-{H(Jawc)W**{fCNpd=zu5NiD z6=~g0SBViN66-x)tF&aJhI#TAst5 zp9f;W^a(K~4NA@{5`ZDBtMIrUz7!Qgde?dB}Neh-x4augMKK{|HPER*a^-!dN88T6KEkf)|~=I6@~`cnXP8ES}ydlUYwA!LPUmhexR=!5yl3lL7JK-jmLvs}sMC`C#Q&?0RjM2J1 z-O48cfsr#*8|!-w>h?&q&p3c?0$KLbW=h4DaEEYKyN-Hp}F4t#RGWAND&61_hw%9E>`Yx8-6i2Lj*Q;0O zJ~PsiXL0IXv4<{9DTks`3Sy6JJv|=2C3!5}EQOY$&fXoBkH2?$_R$Zfp7`X-tv$?Z z&wqJ!Zc1@V33=|rZ+`qGdL#Oq-dT!YUlt4ZFeKNwG9?fT<>9WYl6vd=Sb}LGOJ7UB zq>7YEOMlCNq^h*)l!2B(mKsZ~Ww3UL?YF!BY64^G$K5o4%N65W2HVr?!Tdega?||% zzpeHEY7Pf5Z$B1y!xm=$g?O@u1{x{)_ZI@n{V{C+UwJ)Kw14iD@;3s?|J(}YY{uWt z`J=&OZ!|ct;$#NbXDTNjYewB%&Yb+=>2q-&jL20q;Fnl@KkODB{6iq37 zjzKBN5*xc-gY@vO$339yOh+l2=pm)>Ir>WqiUpHC>&D)NC{L3I+qsk>aBLEMnvZfd z(IYIerBH$v+0N{U*7LtpPn*pDUM zsOkZl&QXrfSlU^G5^gd>A|1TP!M_InV>oS(D7$L(58r%4(TGPZyYKH5p!z?4Owsx-KexheXYjYD|7ZbCA4CPKH9sFAU`d6)nwpv<8#+eXuR$B+-SW2tdswn zn)Rs<3de84-){W- zNa_3rjFF%X#!Ii50!?-d3HsM(QW!Iqn8IjRj){G*6VzI^rZgrNS%QTzv6=Q@X-pdY zu7_=T(E)-&)o4SV(oaAf}B zr=8y)GiW~4^q;Yyf6H@PK)x#bW|ZMZs0AyTH#9kUdk%qQKDGgDc@O^q`# zA?;=u$}$)mvw_{ce(HpoQGr~pSBh`S6bsN|f*6V>IG)YNQ*}{!Q6`W^eUt`%Drk-z z=MMR!62d8eNRg6ee1zN;)e_c&*lztSEJ~rMnlSOu$Ny9lCL@tbd{Lz`wG`5zQyzo1 z23kWroeDY&keMlKZg6yp{7oiE5m*bH8@Ve&0%vyK#q~f#A-_16=BE6i$f_)&^&B`` z!FW=oFl@Gu(ZR*dAx=69ZSs0!^f$sQ;w~K!U5*oZ&5Ve|aXB>s<)ykBZa=fgE4Tu< zznblGy-!#5F!A8s2yRV2gj8JMx`IhxYPVk^UXtyaiEs(c0=*GV)m20A4yV_gpjXg9 zxf9A2dN4@=aW(lxNUPy~a?A^i@KG`czvq7t$#G}~o}*PQK>7?60b-i26q>NA9QP|; zri)7Vi3vlG30;XyuS$t6iS;|V_v(6z0eO5ysdERn5l!F*)s#5`+|Qhwgvd`^HzkZB za(=~J(Diu(*3eqCY^*X9Zo&f~jgi8;xRR{EZn%qNH-+COfZvVml2REuPw z%OpYRE@tSXibXT=&?HO4w5FL6QH*kj(v&E-rZkWxd%L2WWT+)hgu7R}5GnTc!taas z(&XyC=nu|A>Cq^)5Z&iDAyV#2L+l8EP?(4x1hy=xg&P1@Rg{H~DpQob8ki83s2;@K z<-9EDi>8yAU`me+v3K4V(cg%v30$BtO|{&l5he4LUsVB-)h^Iw>n|11fs#-@80~d! z>C;vtB~br?N2w(6bUjGQuN4yLDtNyY&IZ`-Ta*y@8_u(PIf0DSeF6PTdJZdqA*1)4 zt-BZi9r|3@x%o)f$nC=2v`ceuJOJh5KI(It<1==*2$k4Lo)LuR8s$epAS+kL9VsC} zQivx~=iV>yTJ%uEJ4wJ93HpW&L;p?98r+Lh0b%M`7VZEwy`D^8(*cPvbsu{q5HA7X`Z%w zfU%2~J|3o&4$|+3h#5zu9RR4g z8!qY6onAY_kcNME5CBT!*6RZNWT}!|Qarvq9CQe&*2MNk){9 zwj_eWS#;iY9UwOf%*V@>bD;0o6+cOgK;nk; z)Nc?7o0MV>&jQXE5TvVcTQutQpW=3>p8Kuk^=Gc(Zz~Q;My^0I?ECCM3nxcSiYEo1 zTv4R=9W~`qu+~oojvlc8SUy)(B z0BC^7KQ(HwvDNZ#wM`XJIH08&{8>tO;aGr9hJUQg1G=Sf9?W)>Eci^fmAH_tkXGJ> zo_Um|NB36GAaNm7Qo8F50{W;EoFMJx4AL%a5Vuv1L((=i9aR(<6SN>QQx#}-U5+E? zM#41>R=#r;A;{aT^)#T!9$$BQhr_Twh|~^^4oXcmAJTem#b}1%$$0xL{(jvNxM<}w zYTXiPU3z5>wFx}F*Y~!$hBn{F`A_R{;@$ybimRhD`%-z2d}X|fs6r6b{SjoPDeO8a&EAVBC$Ioe1XXC&+C6#_~g=)Ubw^7e%mqLNpjwCb|+)@S2z?P8N3BM+>}qE|v`OrX#Vm(hPYR zT)JaS{fr$>k{+2GE}*=W&ekd%P&@!7pES+yM4<}gEkWX|{$dmwik225zJsFr9VhT; z{5kR?*bvL2Y}R;%~*2)b)443#kiIytgb4b zOC>||WgyylQXAX~?IPn59swE4lGIFO`bH}xa)WMAtiGF!d()wSH~LMBR8ddHGc$H_ z?JSAAh3UCj@ZVJNUUTt*!Sc}KbB$Z$=^Z(MT=FW5g?12}@(2d9o?mA4&xnJh$=L`^ zy|j-Ury=WX4)^7L2LmcTZ|xN~`wb-S!+pfPY?M7k^CU8!#tGouN-J_-k}V%rI-wl z#&7J*g-IqkZ1n>-whXL_rpn};BAvaP+)3Jtb4l-x04}TRz5BdYj75e^Eaxn3v3g3d zeU6j~{7jNq)Xh19_KzE<*+v&c&rTP5B4ZJqz@5)goyn zE^0{JQp3vBOf9~+!;F^&CFu+oQWKGX8)kLY{jdm7Is-GP@5Yp$L}H73bK?tW4*d-4 z@kIr-Zx+LHntVS_wmYRX_Bg(#@nF~bPS|}R)G(cY!JwXGb6)#k4_Fx+=rZ-EOC)9( zn}F2%e}I$ovpNzr&q-1(mGxsI=2y}TvDCOh!d3PXkZGb`|B_VC2uvzu3ux!?@ptry6h3;^`Rpy*xg| zl1a}6bNKUAGo>kTA@CTqdlz{t=ks(y9jhBQdEoKm@|Ggbq$j55PG?s8spw1 zhlPJ2QJ$$$%gU9`)-tV9EWfoQfY;j+5+pI_pw>Dh!Iqh5b;aW>@=NPKD%L{dino@h zLLNkdVKk*qIm~Lzzw5BR zv2R!wHY&TwU|`Y`hp@>sQ+}N#N)uQTeXXPwVIy$f7*Cn_p&5p*R%?$85+Qq8mGTAc z0Y>DWjxBf?^t}P<*3O*OSgggFkoiCc0y(DViuTee^&TzFg2@I~n{!O7#O7>GlLtx( z7n`h^X}ecSX0AW8a24!x09q%I3XyMn$2ipnbJbkhzx)e${1Fudj=A}A8G&>)LF)%G8Q$7q4JY}yoSFDdY{aRsdy zfR}KEH3JooKR%9puTdwPZcWfdlN}7PiXcm>%&d6>X>Q7De!Xz+6n z$O?LQBAiJktRKYTt4~g4<3bz2Mcdbyb3{vg!XqQ^LbQ@i6!h+fiWYvQUOMd_+x)F^ zoJcsH%oZLO?dQgxJ7Vg`^KVo97^H&?B+UH+Yb+mz#Ov}a8uhn|!*~#1thJ{Yeq+J( z_GN61xl;;R!!OnnJ6>(>#(XbCLi7{bAJ?%vFlU-h>%VjqP>**B61%ZU;WL0vQL4FV z(BqZl`hN;}w66vxV#jHAv<-hVDXF$)T6|CVHanKHiektF+_(NsDZ{-$3`%C}C-E(D zR0Lg_YT63Pu~Z&26w!3|j;b#BfEq^DfL1w3-E3{`OeCg9IVM|mzFUFZjIYzV&x7K2 zp>)})pSYOPp&yfZpl5mT|1 zBq_NKUrUE;e&SNu6(Ux=68;TT7{z&bj8sVj4M7v_ACf*tNrm}7%x7b0p_hPF&` zI)E;8pz&!#*i5f1d~FXwKJ)i=FNa9OY~`buWm*N^wGqu@s&varCw_KC#!RI5e-e6rf;O@ z9WO#ot7xSIP_PkuAa=-vG}*y_kMsp72pkfF2ZO$>WZdl7xFS z>YcWGGmkG;cjO41!ABWy=niZQraR*~k7+pt9XwJcaP^rms|mmarO;N=1*gM`$uPd8 zD_<2yW~vQwpyP}uM@qS3@;ng#o&3GJ63`yr!I)2rL-odsCelFrT{asY$$}?2J57Al zDtx3+{#Tv)IJmO-cI=00#m{NfPaE%S W`=$EvM5J55)gV20FBCH5N{<1Be-JY^ zj*v#dAiYZiespqMJt$I|lxcy}ct1;}$R>XM8-%GZcskvKH@D}{tR1>8Xu2uGf#3uvNBUPE>b^<@z2hO)Xle? zWSKHWFofO8btV|j$R&3ofK+};nSoBh^R&r$fzL@!#3g9fljF$Q*3F8~naZ6I z652cao-X>0h6M}s0b@ymcQ-Um^?fL3OFn6G9m4olJc)XRsn|%a!iuCnW%aj z62tHm;=eL-*~Y@c;!?6}_G}cYMAU=yCAZ=QJ=!a+rGmZQ^C|W{gzqW-B(SGs6$&kc zX}I-s0TdY3*AT2DrJ`Jt3$!<2Ovkbv@=!9Du3;%GhyPt$u>~h7YwVjN^W9^~XXs~j zNT-(7D=rvnSh$uq8KsoHi?L{)sm&R~6St$=#$shYY4L8-wVTL#Fc<1+3c{j4gl~lu zW1OO_AnR<$C;??g89m5H<0~e6~0H53HHVJo$bI3@L&Mt)cuoMsqHR_-_h5&DSE~$Bs#P8m- z_h03!W3~P%P38rXBoTiFSFslNR_2|f0Dw3Au5E9SdehD7`x)3k%B@qFy@h8GE>;A(5>bwe9*#iq>rEjtgv)Q}8H}U#&C6 zl+fVWR1z>f7iWq~=6EA#RKGWp+#F3Z9WM#oaLK?04(RFqFgQ2E;OxR*V(K+S6~pU_ zX|C4KuzWn+qlz;uDGq*iDWBWypAf^%1XR>xIp#|V@|qSmei(C({kXs8TTr6*1xGbZzZh~&kEQ92 zmYgqBTJ|pJeDx{wuv956a6uiSA$>wtG}0Vv_`1Xk#0BTH9wT6-@Ha|J{cOC6H0Xih z4I$x#tg-IrgS`1!-n5Mxu1LyMRO&HGI&QNeKW;?^c(Zqt*K;-{xWLPL7c(+eqgLfS(UY7r{~SltSpqjJrz}2T zflSi^&uO&!cX?1?E2*Z=jcuHZdzJ9&dl>f!=F+KkeMqIdhyyZ}aOV(;A!RTdms@cj z`3P?&yMj*6*|wJSmli5rut;ZkO$ZGzjZO{U+0^!S_gAQ$cwVsEH7}ELFa$g^_2_@Wopo?&Il?oLy!B!I%?!UQ8Hv3&Ia+)R#>U zBpP5|9Pq8#3$E|!M|?JxB#*aWgy5}m7%l^M@qB_CIuSf3 z0R$7Iej<4cWmf%Un=clhB}dh5$oj2O%%kb1=6I|uH@arT<{V09 zUwBsnB~jpg{59QW{zxWj^E|+SpA##|tpT@bt-bO9!m=U-Gw}m_JcaqR=ddl%!}?Yn zu`)jRiTT^OeRl~7CA~V)?&tD2HD|Va=*vPG9!(z*40KIhk$GI6!#S888+d->I1uAVT0t{pG}sL9|X1NPLc-vNpR*)&}rw}UzU!9=V4h& zT%3!G-ysV%s;&IqSh3BJm*|@P^ugRB?H zfY5@gG!~pewhrI!8H>bLnARs0e>@)KQ@W9A`9$kHt-1=?3PsVCE~|LhkKK5^+zAQ2$L;J$EnD5!;+ zzH+pA{K$sot?9UQpYoJ~ZZi>8Y>Z%l^?_b+(5w<<2WZRLtkES@}=n_f4wlR-X<62hv=&2LI@~2aRb&Vl}|@-P3Uq zNe#&4d@aO|mytA_7aMfAcjMMF-qY)?-FbqXsD zfn;eoz^lsdLH52vcjYttZr3A7?7+zy^+M|^tDpy>X8tO*FO$qcxiT5mTDYq@FoR%b zbBf^80x9%FM1*21dzdaG=`7SZoTkwsm2aUE69Pgmu?d1|u$nQnWFunMq0iy>VfCWe z3E`m=zz*%Ys43roYRthH@30u#;UsrA>I{4@CPC<96;ey$I|p7HIT8sTJh-Jh8(^>Z z7J{h`f6lrt{Rx5M#$@O*5Wp?>C27=Yw!5_ryG+Z>E8gNbvOMR>LavK7&tU9JS%OKX zOz(IJRq-Q7tHT5?n}16mN=A-1`Q!ZMS&=6zg9f?}Vy!rdILSg;(~@aC700!=-$e$5 z?yBK-plapzoQ(!G1&s&qXc&p8-I2XF`rZ3tB0o;d0d(@=I7z@Ki|3O(_wbH!)Ws4_ z$Kae^pv`c32cpY`%!Mwe1jIqi=KrjOhlQh2*%&i z>lm5b^nAsk%3g@tQ9t#|AtVc6nztkYRTRZAom*dbD$q{myL(Al5Zswt-(qM8fXcc0 z0wN#y9s~cw;tA#u%hJ`5Gbeve))m(Ueo;nB+lz*wDLfjhc8MY9NFHmq9!+8fi0(hC zQP1QwFvt7mTP0#?eVI;Nea;0dd(&;7a1Mv{Xcjrb-m-q8BU8xzco=?t_d8(x1*fqh zgX9^rti)v;F5^X^r_1R){;iSb*_?074$PIgJK;XIz8S^{XKu7|xk3U&2I&y?DVNLi z?vY|5-7fDHw&Q9A3j+4wp>_^d$LLnI-fsMb3(sUtq$L`g3e59ugN3t7OneaVx$q)h zNV+;cmG5%@wtF4Sr3b}xS%JGnlkuAbE)5TK{O;^c#t0l&3+AP-l)%HnN&*+uR7Wbu z#&Wm%-|WhzC^0Zv1M1VUob0(f7XPA*AZGi(rbco-u*2M~bjNA(A(<*usDkhw^lpwp zrd?`(x7c?ytsswq@!M4QHVM_d)vy+V?x1`MaW6er>6}0+U?p?l9ND`cbMT<#>eZDR z;#5LxTKP&17s&yA-Aq8h4I}mP;^FEva~$;~OrY9YO2@7a4CO>0B3(WMq6q`@x4?F|$BhTjK)=0ogxoFSIrRI*ekY4BrxdmrPqP~!;_5KoJ}agB>$=?grT6ydROlK$;A z_&Ov&JqAeyDgGLSxBIezAxLZ?BiK^H%dzgM8g;qpp9&r-c3b^~uaLxxE3HR!%B2d! zHZWzdrd5IG!g}svJRx)*k%&fp;<6?Qx}56{Th-c^N(a2_;^9pr ztS==oiCb8QDIZ)O5w%(<<&&zHh!FCVGJ5#S^F6U=Z!_KSGfu+woQ7ZSYUYwHns=46~;u*U>C3yFsEI8A(v^_@nd zw_c3*@F+Y%Oyk})>vhI1@d9sJ8E4**(DF0mz_>3-fi>M1%s2>iXM%IUd$Gr6f2-kovEcY=T z=b4-j;C|Onh-~ujLy-Yaz4RbGia){<<;(j+>JPWMPs>br40{QYCYpPYQkIGS2_WOB~%b{(Wj<(8x)ZUIimW$I+aEzddF9U`Zf zZMV*Cn~vVHePtk4+d>l_DDo|7V#4aB)>X#c|H=s_H?QLcxYM{yrf*)EbInkhkGRVj1?AvEMKDox+cS`2IGYU@YN+z%Ey_~ zQocz?T1bkN&qUJ0x2?G|z-|q`a=yFP3t@mw_zJa)-;qJ43o4l|rqV9EpJ=P63DR2J z)msw_j8eFe5R!`zK)!}9wyj6oSDqm$@^-cmbM9MV9U~3$1(pD9eG(ZUbIN6$YXBDS zGHZ|zy#z)KQc-%)pB-mag*n;M7(SyX@g6Glzs$Drlgql#rgRA z$XRq%otDeGn`xr?+f-i{5(qQ}zk!J})#0l&4Hok^`HZ}m2NGbmHfMHswQme|TTjPf zljP)M*`+5|ui4~4{=p%b9X5{zy0|{3XXC4upgHD;x|0`hi*VUF04y=y4&R}LmGdpAxUF8~0iO#}g$OY|WXBQHz481St!o1^Ocs!z-x<%( zrLb%ac|L7-<09__gncECVv+^Rff58g3B;NN)7{!g|43`_SM$^^mrf8fWMJ(N_aTNY zy+U14%{5RLhxMffgez!0grpky8L4;*IBje(I4<>lN^(&!1D?oi6P@L_RMHPA1)53hgG2Ep(hnSBm*=vN8CbQeNbZ)#I zRE+OHv%4e60_#gALVA!F_&cUSPaskU_1{}$MfW!l6y4ND9#n$5c@HMsNfJJ zGUdD<;A z`r)#0Z+b5?N_~VqEDeZn$JQk>k#*TU(Xd&It8g6t#wEr$@^M<=fgCOqNQ&=~ZMc{F zeOIrTVnseL+>!^0u@fxyGc7j&-!Llw3!GM=6@#wxCtcx`?j0p0G2-z zqX7&QJxTP~XcF~J@cfM|>gdayXvX!;D@bXJ{WG`wM*jA{zeG{s|E2(l<}&}!w;Rc` z|NiZd6GKY%jWa@;wdIe`H&eg={PsuQciF`7j4AauuP(apU%uZw%U?G9QS@K7{87lC z0R5YF^XIpl*Y)SOKhFo3ZkZmL1|ZKHcYSlG@}?Ox=HyzUXZ-7r|Gg6HC;T5Z_s4G4 zkdytl!~ZztjYRh7Z@Ctz)4!H~^A7)yHiBKEO?0ES{*M#gED#ck{};FQ|AgE6`s<(m z3SEU>K5fRFn;?mgzt$M9y?|}+cKoEV{qPXLBmlhnzk}?LQTV@u42J3i^}pj`-v1|N zn}Yq=yV@K0u}7Ll=wLMV4$qkLr?HE|n4=~K>-$8(F*ipn2ODo9VUlqc5&&0#vjNJQ z0ImluLWvNxz|oAe@hIt*iS@H0Dqf|F8eSoSZ33X{s12_Yb|u|-MCiSTkQQJuo|Q;{ z!$goQP_Tkhd8xbp1^|c5a_aG{o9Gpw6ug0EQIOCAxrhw!2j+bG72YoxL3=dsW?RR@ z)q#l?e#Kk0Q2>nYCT69)FX%g}c0>)XWti51n4q1<4-2Dld#w?bgKJ{IC2Btqy1?UW zY&YO7{%l0Yt6yM{r>kUzc(rm~E);eV0gn;{J)CR8L{cOeaA8oM4$$2ju#g$yF=Ogy zSpfJkGivLiPeb5UOpAg#fc&3_3;^#0Q* zXp_HTJ;_FYPXvk0JyGypd9-jBgs1JJk(qlNKg7;zBjH)(tZqysJVWtIAhn4{ONnv@ zPHu~llI?@4M&U535BjKxq^Wa}>_8Sy#!JQRQAmS*Do!qW6OrGL3@ahJv4DmE8LEeI zIo=#-Kljt0Mb4z|>O_s|)U;OT(KvMhE$}ANZXbV10z1Z@$E`P-Jg{pck)uAB)BIn!S+N zXRovO${q7Rh=Vlevn)}*fNOx0Kbf<5{V0klC^`naRv*LgdgJ5n7;X)DmPi;_lFAbz2nT|cvabx^W5t$;(=SDMJU%2E_qM-NM-XH#0A0xh!hZS~nCvBL%^?X|D*nlA%4Q`JnH4yBWF$Sy2_CER>Il*tC-HFwhqbgPi^aB(F&(ygw$U zt>J(YsSjWKK-2OmR0nxpO1|`iaISqme$$W@*Yuz!JPR^Wd_)}onf6L&=eVmo1wndT zNIY&dKSxhiLfWoyO1!1LM94lF26-Z25v4|7NctFy1}80nc0b)X9Dg>a_8Bzt3N>t_ zjWJ@L{qg$F%{^Ps3*UJ9V)vZAJLrZgJDt;4Zclq;84S+L2i;0*UmSGu&v z6kGV(c(WT6Ys3=wSezlug}}DSe!Zi=FqfFvJfRp{!`b*Xxt)70lC6G@+y}6;b{%48 za7Lqp%x-C?>mj{-18!vNSx>pElfzaC0_dSfP~c_xLHv?DX5&%6KUS)!o98TPs%Ji@ z#&^V#R=-_66Jvc&D-CQis*W+8d~fpAERuo{a5)ncEy50*hgGQpF#M zXGUY2fafe|H^%C4w)G_*Xz%9&gsO@r;~Z9fX#l(?;vAX`GGVmX4=)Sx2Gf%|+>`z+ zyEwKYfqy^;FtmS3viL4o6JXHA9_O46SaWxsN3<^I9RsWetp~HwFR~W^7^8_^Zee|i zL2e04H}jc~@x<6T9>O-&^rATh(!^>8Rkf33>$h=)4^9u>NdyoJxgHPW)Y8(aaXVy$ zk0aTECrDOnh|6luqJd^kcz}~wFKi=aSZRESQ*avfQ=#c0nh*+r?O}a3+Qblfu<=!9 zDPN1YkaG_1CY9rT=3rv;&#bg45kzm^gu^9zR+#HfAz{|r`79TxVl<)oL;euw8{_L@ z92sXiZ#0h*@O0MS`Z!Oz90|aXD)LoEE(`Udsky%O2uQD<-AuZ;e}x~?=;tKC4Z8@_ z>pwp5dh=y`KkX)u3XjMC2<*b{6%g(LS==XI?-*{z6uQ}xC-+<5;fU-u3$IA_vlYaC zy0XP(PKy(Bh4k?ES6={$akh&bXqqHhxly}6buJN4oOW+~;$9%`() zND_d3y)@3Ag-@xQIBMh}Njdwt0#1_>l1Hf!%wX7NJ!xtm5q>tOUz~e6pF;&ZJVz_p zbO_@alc~H7n1NqP5p$XYdG1xxY5MF z9bYmV8Mjh=%ygMT>~V&mhq7prtml%b8?q)^UctWt6}8r zrF-V_KzH+dv~i;NQOBCyBQb$Ns< zRi`{#V$#8Sx$=w)+^pYV4BN-apGSvsGQgUZiMX_QpieI!VWqwu-Xoao!U|VNSKv`q z`{W&aclnMvPeA6ALC7|KpaUN(6MONJE34#l#l25%J2D8H-H(ziC{FivYreAJR{XSaAm`g7iIf$)>}lBMD8t<;lhd6XHIxj+ zdy8-}XnB+bDxd3l#j7&xX6G7h-TyxVw(@aed8P55cNGdLU>QAcb{oG z1tawS$jXs0);9CffB>UU;_fvg0Ev;^A(O*a>C@3ezOSPe@|3oj`zL@oy2p7h zmZxsEu&>0~=fI?>ryz-@wNkQzMX7K%Hn?&$icYyC<{Q3@7vA9hdHhuKGiN&jXS_41 z3^^yJcwm&kSbuQ0qbAbmP}^B zIK+iuS=f5nj8}tqJk@B;fCkB@6NGlbi1Q5hY0XP0TNLRVoQj`1FdI))7Ko|sd9Fza zoF?~5bs{*7?o0d^@p3BdjT1ITorO~?3Y__H^g(J8HV~884?oga;yMFvG;r{Yn$3K(j!dO{_nPVKEo5=s*Xj~{JL+VoM z+1t3(1rjxkx!#%NM8}@6@&aXK}ZF( z;9|I<)W&sW`p{90Q*cIWE-tBA)I5N^Oo}!_B)w!Dx?(0_-JKH1tz1o?JB*voJR>)qTa-x)b)JTB4(f%y{f z?aD@B3zs85k5_;fne5IBn*xp4?|uztbfyIb<|QeH89K4F#VPt4Ib6A80#2yD+6iwq zhqPFcW|R7w3@|vi;2pzeLmq|nMAa@bvZfUCFvd7>c$FU;BV}?E=H$`#*;gJAjPe*@ zqd$cLedtQVzqIBL5=b}qVqznwhys#&oT#`qqDBMhQ_-sYYR?s~I1OF?v^-yV&@-B`p%+fi zSkn2x%Vc@g!o4fO!A)z$G|jOvINE7(r6Tg88CVniMY94=Dc7Xk!hA6iM`*b1{FN!j zMG5Awwa$^1b*SYl_nY834vc&v9AZYfKQUGHg*5zJp}yu7YVm&(%d!t#;-_iH+fZY* z(2cdVf79l|J;5~6ZJ?(Th!xIY$IzcUwpB^k#Fpko=`a2#=z-WfiR|OVzcYE62mL$r zADtb~x)~&y32~koGa^&elpA59KSNItQu&I0|0R&jAoO|yj=K$MEYBlN(&*>0Hgo6m zF}i}+7sV!&>YFu*0|qpcr`nO7yr)mSU%;`oyYhd-+y#0As-1#^kw?0B|>jY>k>oXJlKm`UheE9Mm9HgGS%;qkC|-GKVP0Y^=aHYZN@1`!ZLe3y>mGZ* zs*mRJk7g{lJ~?aWtLoF=f83XU4kfP2JNAWNXK@T^EOWk8+ITAN<;>fcyI#$Eb5%ay zBetU8jecbn?zczWUg7Dp$FtFoCteFWVKYej1q376#-&otT_}AD0r7>Ku0lrRBffm?;k~&FWXCKy=@dcm0 zUbbshOjWPFI{9ot;_(HhKZ8>dUM zvwN$Px~wie7Po!>_eisF^qt2z$BuEn(6(Pcexq;R@o~%gH7$20R=6+BN~}Ek>3su3 zj>|75<|oX5YeWAN4^KCQQm_AC?7e$f6lMQEe&4%0u(RweI}5Wg3%l+tu(B&VG6OrX zC@YJAf`Tpz3W~ZaDh4Pho>CJPQ_B(!O;ZySPi1*7GfOH=%|n`+W|~x%)?=BerI~%- zi-+ua`u)D2&vkwOe7LUN9cJ#i=bra{eji@1zC>@&ybl+5Os6ut88eug1zzv?@uB(I zww-;E8^3>2m+ShazI)%;eKY&?!WYxH-X*$*zJ02;kp*FWoihvAQTvV;^e=5XRXDKb z(y4w!>WJC>ht(G>DdH1rP6s{JzqYV=n!NKYk{Z3a<#gwY-8c0Es}4HDN@~v5gbkW} zWoOvnX|>Hy52nUn-#566FQZO2qsS`{sO6fnRcvc|ZC)SLl%CI!Qn+t*=!i4XPjk0s z1<$j6dvxft=RfUljx6up3?dp^oBiD88!s{~(F_`1Uuxd(UX+_vRH`jH{i1fMZ^^O| zcgpt{ja)_i%#Lbow0u5lZNrGq%QiHv`+W3kJHIXN^2XIm%JQuTrPJj*e0>HCPd+o} zgNjwL_`u-o->T1v;hm%QA?_1&GBC9aoekZeR=Y1V`r?w8D);<+Izrg{+pUPPwM6?B z$U`kXq0lA1qVBslw;{+9G&OBt#-BF|R#bh&B?U;EW4aZfg}HR*@Pv(hGi7rIiZ4}v zT)#G8+`z=|z8H5rt$pwDCvv-$)D(?6o*8wzWPRj>vt<*{PngX4)Dvy3CycVPX|r|W zQ#W6jn-CX2{;;Y~q}U+fxJ!#CcAD0{XZ%w$){;zI$)b=+t@B16pY%<`#QBrI+c|U4 zloNgX_UZop<{cLTX56g_ee&I%0PFYV`Pt`k_N@3u-3wl3){};@ebeG|ejbsjurZ5Y z$e(uuTFB&g0tZjMex%#rX}8WlJ$U-dwd=l|e)r~gUp|G_>4uaoAArnYF^#jY>c?lRAM<%QF$X9cH+H_i^p@6V}E6^;6`E-bcs?v%)$ z=ED`q${C+_j51#&yDb~_RS(^}zVLh^SH09%Y^WUN&4`@Pzy9g|Yk%S9Y7a?T-;Y>K z*F}~z)CP3JF$2f6o4mIB+}63>k0wVg>c3`Q`!&hk=O4)FDDyV#-a?Hd^u;;$0U~W8)K?WrVd~h|KXiE>tpOp=HFlfuTjJ2C` z*5<%>Mh^UCWMD0!P;6R@naB*SEO71Gj7^wSdonUMk&$RERw{Bbuw1z*CkF>B*5()^ z2_4p>94ZQ;wYwsM%mHvaHOjz&(IJo}+?}y$(}Vm_4|Xn5jz?hNjzF96I-*FCvlb7< zk&3mOa1qfJ zdglxXe+_*3h5zrb{*U4v!esPhz}*T=De(%79)i5dDJ6{`0V4Xv?f>&TvIM|x@v(U` zT>0?g-vJT-^DNw7D;K36L@rdhZHyDHMQ zRYdH>$K&7 z4hIKXxjfBMK?InwR!*J?h|ZsZxybz4fLtPGU{aylfddq1 z3w%W^B+2OVbGv-!cHwynL=9DG-Pxbt24T{+g03MFwZ7?awdUxKe)W5Tc|E;wF`Bd)=Jkc>!7yc-HP(Ou%< zdhoS)?8G!y(u&UVUt-}r(dC*MQ`drnf5BbDQ{h4Tx?IDFiVuSElc9Hi3BJ3p3njZY zK<;lT6$hbl?W#DpD@M0FCVx-NqP;OEpk)R`-`Z8N4=x3C|7J<|Z{Xj6?zfgi`wyU^ zppF-o&lo-iZjV@fCSu_kXa*+&qE82u&pTNO=l2D`C~{&6c6C0nQ}FrYg$ zSb6`25$3a0gt=nIjWIK#D(*iYL}}f1)!$-NtP=%j*>HuoCxH6N^q&Olmnij10<8alVU3ScZ?dAAkt~ut)A&RT)#H zpP-@5wA;y#9>|27{j?1C&AKemutfUFF8roo%-*-m0s@iKXt)n_$QU3%%Aod}gV|A$ zN%#37VyVq>e=#;B+L)k7Kc|YHet~IYY5~gN4(L8r3jz!mB;h_l<#?a0h5ez8s|5+T zhcZn}VIT6f7%!?JhXmt&!j`>2*g|J<5sE7aAd11t%e_E%BR$+bzoj=bLJ1x-uEpGK zn!Rr?c5dc=2kMwyfSvFU0(Ng+bAFPk z{UC=$C;01r!(aJi5)J_9kPYXrA*lz#*9vk|{w2$Pi+rUhA+tZQL|;Rkiiz;82hcDf zSO9B{pe+hQqNf@V9h6`wF1=32xe^u0HgY4-bH9rCELr9U^i=v^K*961I33Z+#E+g2 z>12EwTvzb~@U6@Ce1ul#enj`Ir~+=^Q~18Qx!`sFG_JZvCUR#yLujwGLdHv9d#eIFsB>xJcFb0Kz6j$9Vvlk1XM+Oj^yr& z*8qH4gxK|Rq!8k%_79;9{{Tpzv+a=}6aj-0F{3~Ohow}kv%Q!Lj7Pv7h_A6dgfW!W z*qj1(eIW7Jx?t(%*&+MS&aOHKxnBKjEe3AnrFH zf}W4KYj6@EjjkAt(glM1reXf(<_Z;e1|R~*pqL{!r|}H|G4Fx!e}jN!Xc4zi%tmnR zyn(poj6pgL;NZX$^45ZC;{}NR11d!@%7VnWy~lsPa*h1eGk^|t=DYnVL`hkZ`vCGZ`x&LW$UH6ZD`m+%hy27+ z*Ky`?khn99e+^}x7u%y$1S)rKTJvh`aIBGF) zfiO{;rbG$+0nAojX+?s)No6%CZ8uN?^$MGa5>l#_tU)2!a)4%yQ1Pijj`6@IHx%7$ zfc8}(Bu*cL0O%s~70o+Jr|$Oe7%!QIfDN+{2@sN<2S{HXm7>j@_ZDKzpgGU8A!-H- znX{ddNSg{*p+j&IuqF?1+1R2V#by#MBb{+3CFy9qR&0TGopMHb@$X z@+5TcEuauR1cwR8sR!&apk;mA{)*}^Bt=7HSCR4XK2?jg1$w3ACCX7R#X!MNXGo>Ls zNGjEOK*h-a3pame|A5rYRUcnRuGW04G;-kV?#VJ5vtA-iJ4xUN1|N86%Rqe`%55_i zm=c489Vl@@&)v&2C$uV!l8Mv60CNx=EQD>E)f#Ys?aJT6)zkbKAweD)`jgL9`~|dF zrqL&B{EiMa8g8|xqtWjEMaI1b?7*Tehk2y_NnNOO__X>48_tSLu!LqkbnTZwM7A+Z4Kv?$ex1Dams4*x7Xo>}(}*r4IvB+8 z^mH};iRPpn8NHt{S>=@Ra?NV|Z0a6pyVd$>H&tAH^{3NvPS+1o%bWgB#tJkqDd3GN=Pe6^!^JNb}uO) z7{SgBz^^fOwh*x9y!RN}w62mJ`LOUhVF11ex{HDzkkb=$9%n7tY40kr6Uv&0#Zryt z2^C7%SWYK#^R8^6J0qw4>j>9zm@R}aJYIBh!3q1v%G%$godMihXvt`}SE9x1EJ{8ykv-Bf0sL7EIpL(6I|Xp6Qa$1h(kAH=s(sh*W{@|= zST})*#BYGQw{|P|$)s?YBVgdU0yB}o8z_5!b*7U|5HF&p&P=3q0U<%OhThzcT+UyR zWH}pbb3j5S0y#}RHF-Sp4wlv;Z+3ns{~W-slSX5>p%qKBkhs<~s1o^93L%A`Aag8a z)-x}8zCqpiA|-f^lsd(LK+gw&re{B(v>O>UtgWU~JxYF-RtMNGwF7=_4`CXnH#yX{ z*}g&e7;O?hrH@$OQG4zv<^hdgDBfZXQWf`AfX%M~LP*j{z!U@Ei``QFn4LrMcFc2m zD~}$`Cu_v{GN6lJ2y2(UbSHKwdx#mnbw3`?+R~pvzMtscBlZXSekH6k_3GNd96L&% zgnT#YSoUSUqpVH>$CA!s2VBzMvQ5d@paZA$lW{M5qH!-*oajZmFcpe*OfO1w0&|~n z3xEk)_k?&x6BV3bZ6xWzIm;>j9pt@3ceEFVS)K~Uho};^BP~FnYW;{N1}8C3WF0`X zN2*42I&u2v3_LB*1Ei0GW+T99M%}aAfkT58RiBl$6OOOUuGiDGQj0>Dp)~TQ7#c>Z zJ^-+H6)f|_@5U}!0CpW`zZ`0N10{&%gdrl7S#Pga@);;^780Osxt|VzMW~?pP{#}~ zhA~0*LVc!AqY5*gHPu4|mLvRhBZ5fSN!E*8-pitlp6pp#X$l6 zEYBtZ5hX9d3!@y`*(E6~no zuFf}3-#Ha(o*j%UPBA+tz^udH@vndMU6teyrc{;nQ)Q_Vf2Fwv_%eWVx3eCM?)>+t zX)&G6Wo0#yw8?3gO3_tIL7wS$Sm8Sg%|RtVZiBuZ* zhVihp>&wJDRXHUnYltd6NyV+H2Um=hKLaImsa4Q5jACY|o}@d9J1EZqyFxDlWi0tCX(V(YyaH-M4fCUQL;=t)_1D!vgpTy`Fk?*Uz3r4W;K67jK^%6EklC+W`alRy~5oMeU3 zCs7XEAcg2zQoz9L$^&!)+>6=iqcPT4)xt{e79cjw+*E`WCBX)DP|lekGS~N>(J0iA zMzI%{b;xM_A&TtCUa<7y*pSj#<7nX(x|8@;tn|Kofu6Q|`P!GPK`|A5$r#@aYfOxt z4f0)QS#h+=cOBk;6++3j>*PR`#MEZK0Xv=@u;k|xko79*9&LrCv3M3Wya-<{uQCz* z=cwfs)*zlkmx61LGMk0V-WKG_ZDcnI=gFJMRpZIuhG+-fi|tmRVneFIJ12e0NCd>M z)#K6h6h9AcW{b1b8$&19$Eq_U8rLumZ#xL8>aYdAH!p*I zE*)syziC5AJ4&A=dSThxl?BU0QS!3~4? zMgk-0D6t)qK9&oW5VdUR5K=IgI?3AtV3fJy_zkD%#!}XD4gH-SVuM1o?jN-D5`)rg z|5Jr~Sk?zY1kMo4FDlDC73pGZ8Uy8VVh0&9^nm7U*QTF69xPGogjDFKA3?wIa{l1w zr1T14+0a!-3TgT2h&x~UA~?-X%bEn7&l6@N`uXfFC{aH<685~}LWJ>}d_Bk1=0Ez23 zB^&4LX%U0Le~N9=JOTe!u0xtFO4e@IX>3bOS;1r@vmX|ECQq>2j`*cWSE3XSU_)^} zavm$*XCpcp3ba|52mluL?(m&MH&-_LLfx|!Ub4)>KacY^$|$ST59iF?r7z>rnYp&l z$)vhq+puL+Yii5_GMe9QCQF2HHo^CdxJ{ArJcuJ}B-;EQ+pXbUyqW0=s4TDMPeH;! zzA7FZcY)Gq3~&eAV<_Kth?TQ{!wGQ5l24G)rzm+k^>)!70D3*%yXHHunr8Pt$EGuU zJ;U(EJrI{Do^wc|lEz z{h)6CwF%v_V3vc>zev%2OdUvA5dj*!2325TlBtJ@-cj3$RD-j(G)eB-mJ*2z7r+2E!O%zF zq}L3M*s0YuDtErU^)eByF{nzkTTj!GVyLY3Yo^3~EX;ESlv#Xt+H`;<3U8K6OOW`b zOw-Tcj>XfCl~&>k0)o4hcqntlbKbOAiCOUdCsJC>9F;B}L1=eEt)wCDf_oQxLQQNbHU@qLzNaHk0mx7dwc(yXUV&^pMhAdIRjb@p^#ISJBn;w<3NZLTBya zA({$p%3;D#q9R9H@2RRNGMpVpyzZM!^^lCDXQR>RxJhP+E|T@ueQ8Xr|D1Gs4giXh zZci3z^lNuE8=BRIc1p*0WIJCz6`uV$IQ_1z%9Y+l;u>TP3|salsJd>F&e3%ZbU#qk zG=Ijh?y)`aMcT+WA0ZKY6c2YIUYp>ABDZe59xQqh@i#5Eb;RjeY zlJ7wV^p4Dz@o%&*cbHJ50TwGYBiZ{=QhMNSdMnJc6J{cMf$bfX$bRSug8EHgIeX6Y z$PlY!ZHA}o>lCG#XvwM#q@FjN)msvSfihde@I8>w;`^Q$XK4u`igXpB zbk|Gg=|KX^twRH)Vwod?wATh%PO}?_Ll8qF%kqDO(l0P3$}3zo{a|&awp?R6x-OEV zA;3VF+|ILzN#qOUqa{S&$_`c}q_CcXl`zbfMCHTiGMEnXy^X#%G-{>5Kyp1dgbC-f zFvM}N)Jjr>Rdv<~t9v}L>;=oPNbnF@#f(^h$q~i-Ozz;IycvkO%Q}Ptc1qy_&?CjH zrtf*R0 z{ctT@O_2ePSS}+tV2yYgi?=!Ib=qeCfS!znjz^MRM*Fw0-KBf5?F%np`mNHAjaurR z+`iBRCi8m{HH!_&Y~M&xZsrr117Pr;huk6TsYSYGeaj;L{eVW?{H~^bIAKXS8BW$V zYOu96!7`CPf0nd1Pob@b!>m{;1MW)N><%)L=^k&E1*Mmv+CsX$ai_jdIGIyBBqs`4 z029+{q9RD}W#)5Gt$=gf(I|Zh()|K{@U$U@;MKi!RZ*a6as`SFm>cUWf)=XzI6}Ol zDaz1vQ=%3_H)Yj=+&SbG?z`L}S&gcdl`vy+pH$s3wd2TM+#$T0F4weE)0QgtG)RK7zQ&#hNzJ9`LRp?Z3IDw~*h7^TOm=Gl-a1*br2s-CT2 zRS*F;5f$(zD?>Z-VMH_LHKX(#0ANGO_O-$JeG%FI#}^R2WdC6Qj(OG90ksO<7Fq}X zb-$?i8>BA|M>o0*hg4#M%-4}N+iO+0&rZqbs(%%;%gV{o^ntUlXf`X+TH_i^czZD` zh+e^%Qpmu~Czy7gXmKyX%kW-k)~3x$+iKqjuy{5pNV1(@_cr4EU~3l(Phn!PQzPv{ z*3?LTiiIqpn+;=wz*`+4VenzW9~1}VFX>I)$pO~Is+wH(TZ@g#4At2vKuCZou^ZYt zqjkLQPm;~gO)>Nh60Y&zhXNeEF^3LnwxElfPpurDu9cZOsHi8%^@b1J=Yt}*A_NKdJuxVUQG*h5yok)0cc6NqgMbx#kw$eTzeUL^X(9r*w8suFj407eS z(oBOxq^%_?QxD9Jwj~MMh z0Nnbk%S4~ayMvfA>+Bf1|}T+SQ;pAv`-6yAz>>^xzJF4eLQwWL&yWTM;1%G;Z3P|k?nuz!@xMZ3GA^Gm>NRQn1ZgFiak$JDN)1f$hr6%*%@ zxn?shrVToxaOhN|JE+25VkA2q56Jo?z*eBU&9I5?;q8Q5WPbW!hj1Mbw?^rEl6V8N zSC_75hdHO`Tt>QlJ=?+fJvbk#!CX^Y_>S!6VPP^qD1_e0_A$N<3q1M{O@NC10-*c9 z@*c;w$}drCdwc=M8o%JjBkvoU(G0hMf5D(JQn(8!UVkIKlPTjyx9uA*L`$&;^mA0C z#XBE@rsjGD2ZFT9))=oGXuZ0Ek2$UBQ zXg?f%DWZ88?#9igCJEV4$J#mB==htOep+;7^Sh?^Y3cyg1KF(QI=YNBc;?ax;-+9v zFPMf7U{4n&T+Gb%fK^pDlp#ySQwr%ff)OQoh~LDtwxaMzs(6XOpPa7&TCn136@XJ1 z6Qw|mPaBQR9Zg+B$Pc(+h{lkVf%u;Pw<^Hr658P*QY!YPfYP)G`CO*wmEsj-conv~ zmmHsuC7Y)tb;QIu~S9E)*gR}So!n1>k z-Yqi)gzh}xTg1ffRn8khzUX-lN7tqmgPP?89p&yG=Xs5eWasmnk!Lfu)Lw@0RzPfz zq~G2>k$C;mB{-isKon4OU!7V-9`$_XHX~`4tU1Cn(rrbCN>$caneJea$RqbNT7O$op06h)7o^Ti8%gwS%xTPk7HW?W^XKvy0=fZvp-m z?5OE^sOC0hXV*ZClTb?=*r_>3QOiU;i{aD18*b^N22L93b!-VyGf_@9Z#?4W)wIv) zEu*uh#h;(tY$vum)RuP*q!vafYgtO^2z;50!QYnMsL!%bjjG#)T1sKKmi9>`O7E2;{MQvn@Ev3zF;H9+1I605TGqe3aU%t7VsFF(i74B zYVD>o6AhzP^&e5`*1pywm1KCWmJ;X>VB@)>y|s(FvBlaa6jbH4!Issb;+!B)4VY%5 zf(!*gLY1|z&fXm9zK9`g+n~^~A(s-F3Mo!ro96k0x=zohr}0;@c$RUFqUQ_Iq|(*S zdMgBAR!1L0Y!{SF9|L^5V@Oy_Z)1PumZ52e4@rA-5Z|Z-=*tMiYl97A)O3ILddaV) zD~uj7Th{D!PT(gXQ7@BT4|3eKbui5~xLpdSK+KnMhZqBxk^Hb5NCdlK=p6sD&fPPbqrr+I2QH`5NUbL^(a6y0gs!gMgb8=e)5T3%pc zT|Rm|-MH~dK4on7deB+LA^XTNY`y(CP0Od;IA#+5ICl-k`CgRw4zd_bgJ2c&p05?H zHgpLxeW90n$+^L_fqI5~dhaC%)Q4}!<{(fs`Lu2ryJ>J|rz4@X{^p zdzHII<yfJ^pW(}bVut?rkLNjPpBf+PRHdBKtgY_i}i>|?}X{<^b`-O z2%h|YqXkWJtTi1B76E+om4XC%D_PDpfr0*cAdfP2w;C=4!>Vxu%(h@@_xnloME?K8 z<%nD7Y=)DK@k~U?WwNd@gfW38F`_Al`yHe`i5AxEy&7|iJH|NDUzS_@s4SUr)@&Ml zUOzNAs9c?RRd(bna(PkK&nM_bt|RB~K$po1m)T#|)xAZ{l)#1IAjNXs$ctpXhc!lc z7r^>#1!dH`f*=m{1Z%=t_H&r0KU8Wuv?G)9zXIK*5Xg43%&z%o@up{HR-kS)xY zz_NpWW%$#Gk5c99WY(o!&`>^B2QhyZPzH}y-=0k_w|4Gmd8acBS;kS)Sefsos;kmf zRJz<4Vf<-OuHYL2%GT8|sA+tc>HLbx!hCxW<<61wU!a{Ym8RDQ(Y>>8!AzqA+^zIb zQ20AuDx84;4dF?|b^?uRL8Ed0x=yHi0BE}vM@YS~^yi~!Xi1k^I~^{q3T#fN4O`1> zk+qXyb+ZRIcZHug%BMZGkgr9}T^UxIiE1~30(cf`&V--Y$g>`P>X5iW#@8WfoeT-} z_w2!A-J{`X@}5&}SlUnPCZWI-TOueJq{}0%(9@^{_g9w5zgXX;&X-?OdT&dg$YD#_ z5X@HsU9;^+7*}A{eX>x*H8b6_6onm8)f9+LS{5Tk%5)oa^cncIH0ZqZ>0g=Gjm!9` zKJHiqt4o?@D!pTvUIiUphvCgRN7vgO#gUkqJGvvv*JINJ6`jmH!_F*P!iG-hh?q$Dt_$(YU;2BY^sLe&Dg2MWbc?u|m#X-JacKyDKI1k@jQ ze;Np59kq@P(J)#?-yr>Q((Vkm|7_Cz5(9%Z(Bm0nhXxo8?r`h#2B{m;+#rqJbf--E zW9_6^WXJ;3zpcGBAk6+z_q}I9j|Krw-T4EET*MrdF1oFIgJWK0Jt=Dlz&!#F~qUl-amAHt6gSYg&Sk;2MAG4>rUyQ?n)=CV>2{xVjgzk^HUh(_fOo zVcUrK47zs}!Gh|ip*op&_MO)tC?@|f`f(s42GWCm+>glpYjV*38DOlk9iO=#wd^P3 zP7C<;kI<$U(aepQo;3ZAjA&iuK>09Qzp6OTyS)lScZM!s7E#!YMb59iqtge~V=4vu z!~XGz?lm((X5|a$g#3*tX7Yq$+46&ESCWh=pjXX2j;iDQcCr1>bw~90d>!Upn6@n` zKx=rUdp1;471}DxZp@#nq`jhB&MyuuxqNA@?hnqU6kn6U5NgQ3g{&bex@P_jqG-K#K&6ujQ1C>OZqnFN3r*=;bA^W9VLjrBXv#2yz zNE`GkqIY`;bk=a)Y}g$}-XqI3-GZnv6Vj2araeQkQbnjn3^MJC0L_6Wnt>jDQs@6Q zNIj7zhDkYSAg61hK-p*-qb4I#fQj-7ViTcDYuc-rUhXKBt(GcbdKGOV4fZmP`{_`o zSW3sb@2p@dzl|*FaK|wE>#Wn5+s9@Z)|pXP83$~Ux%fS#Jn9nM=CENp98>e88x59hx@elz}*%}QKoKNp+z zCOUG@7|qslftJ0&0<8Nj-`ZfG5z8B8Y>ympl(69u{N_OZ5Hg5bXssh}*V&iz7HfOf zRM!*#0pu22K$BY4j<8g3LY`++&SBFTvvA&eUC*6lr|1DrInPLUV4H{zKVReevvY96 zrBUF*;Y0PWYUI&u`Dix+_#4rUYFBZw_$m8Loy`X7iYdjlXu(F-#7#l344p3HE9E&; zWp2Xd9;nWPmH08s)4HN^+`INYQ<#A~UNzb*_BcKk)$iA2C7g;fZFaG#HQRQEV8J~T*WaQdv+{7= zZM@WI0qmTnRW)wp<6mAWK8w6pOiS}`dw>4U_I#c~#-CB5B+CMI{%-8$J?jfUEzKEM)Cf`z;&L@uYvN05#%zlvw3sL&V}}@(whx zm)Q1TG;l^jxtIzrlwXHLtyOxOshDTIqt;1k<5$2#>)GQ`2$GvnS?7^%!C@lOSc~{2 zm`&5aDe!jBcOgrMUa(r`m+jMar;G>PuOjvr`qi8%*lMkP_NYYm_gO)vXw8GHu1Kt zWIwhP5G8%$5&5BV|Hi(D;e&3QCsLo$qpWXaf_by?eba_uaTY6jqt4E%V`#zqJ2|}Z zb67fcqcq@#%}P;J>vhv@3r~}cR#5&vsct<1E2=k;Aug4iZ~aq4yaCG526X9l5d9K# zX``hj7*OjERY@kKVM(V<`W*W_e54XoU|CDB z?%N zyG1F;n&08w6l8iQh<(vM)jWDCvaQhDy;Jrf=O%lOw%U%lyVv`oDXHk54>-vNO~Uuy zN6h=vU&i;!kg@FZ9%xBN8ElUdG#72qf;7t_#oe;J1esI@#068n!+D@Maqt)9M;hn_ zu*sL6)o4a2>%%M>t(2lLyiLId)?42+^a6ml!(6^gp+AsDW{IjOzFMZA6GX=3*<_?y zuv&L1?XIw&RdkH0gOzohe-mu&)%XhS+I0}~x6sa~`5WM7!iwDpaf+JPU}w3zM4cCb zK?n8iX(U|L9anndY@fMNW^qrI>0P63P~JQ&-36v?%sdG}tisFr4rBsPI808M(gBYi ziRdzD&UsT2o=bP%)mxT2g$~M6VS2#5nTmNcnKE5&koY6kW73wdQ>vjl#dkw>l$td+ z6!VnabcZAJC%{=i3vR`qYYyFV8DV@%n`Dl|Yd0avA-+}CJ@A(FCxq7(bd?a$?zmZ`}S%{xJ+nqY}# z#BfUbJkS(Q87t{R;hgnXjn1PqMWupb`_o8Z#a*niF3U@KTEkj(>A{*5$~c*E&;=rx zn4^glx{f}Au@GRifzh{r%vxh5P-RR9EZ6P`ePNhrFnk^?@Z@xU6{d~>lF&+er?gxH zKL+WThFf7-BS~7Frk-RXG^rZ!Ptn|^Edw=D3ex;Z!zOBKm%28|9T^QX0$6w}^Ooz)%zy}(|;inog~rsb4v z$FkpvkxUxE^Rn%Uk)Bi3S4LxufljU9lwB88 zdl+R*zbK<#l|ByiT%1;7x)V-L^n49Yey_po=<#bmx_H1ni=8S3((9Jc*qULZ9^3>|XDo`4ckQ2lX5Yqrui#03!3|c5e;SEHYYROtA9k z9JI~Whl(7Ol5E>_f??VZ`bESwp?wKMQQKM6QD>!o|Xtl+1ncyS` zxsv#qD6<~I;k$9KrWZ!LF4aAWV~JbV3zWB0%1cBeg?U_zh|dxSMaJ=v3e9#3VCfG+BH@5`X~7El#cx)*OH zk^x1hntB0aSUQx=G*oxM39jxsq}ENf!fxO#X!5zB;Md(!F-wRZ=}S@8QY^h0K=<@8 z=wtVC?EJ~ZSS)8ckd4Ad;^eeQ0L0-ogIzeR_yqQy6iyJm0UZQuVhm)B>qJa{W6_8= zkPvXz9@E)-4iEKc()R?4<-jIpS{_Un@lYF zlpcngJU!&>uT#3A5tT@K4+);aeOTYUn#4j^S_GFr%WfUSZ!jG|$pcIigX+<`zG(VO zFfUX`BWBY|$5%Vy_)w*Pf*otv*3Q?pu^s=l!t`yQQ##LK#^yP|Pd8cG#R`?nNXvc) z8)8q;*R^N*?Y^D<6smoXi3MP-_Q+%*L5=$ou+B=>zm5Ts z8w+2G6Xbe#2qD@(ivt`uH`b(>7xF#NMzKJ{GY5W_CRX{cI zny%Ue?sqRa0W6JLwY(Tn+g)+ZPIT9xP@0Zu>20=GeWhT5IubydS}%i=_-la8uzVei zT|iCb)0-kFsS0WK`&VY~1bCKPjs;7HwVoF|Hu_mym3=D9fUCUZ`S~)^R~ZdruvmZ(XBWwG5#WW~93_(nM~DnX3wUhiVim^e=-` zY5I&aDRpEL48jKbLokfpwZ9&G)lNooUxF>nJ+|6oGXA8C9Ym&Ze>yLTlN9s+#Pmi} zHk0=P)`uy{3e!=&Ye!Q%(1u52m$|^k?p&Dxi9`@3>{M~(w5{SY)pKNTDgfB{7?W^Q1Yohrw7iORe+sGyHn zhv+_~F`l>Be%8il*e}+DkyNvUM4KJE-QUW|bZ%40?uzF?Myo+amiKDNc3cA>13D5& zuC@VoPD=x7|5blDeXC;YpLiUgupi%M>^J#1IiZM*`HUV;PZyp8&!HI4g}O4j169q~ zotuGaQ5fD(N_S!F*TJ4W7jH++j;-7un#@G-UpVr#?yRnc;r94Fy*%8NJwia4!gO89 z&yfQuZWKPmQLfA6 z4ANp)M3GdA7vpzvO2c^iWAQvDtkTh4z#i|L2d4G(9>{kTVoBa1Uj$klW8}u=WQ1=U z9bx=Rm$(Hw*=;pmJK_*B{h`+EG^OUIuSdFjYFveFnt@^ZXSC!KmMA?o8lTHMmIA0I z&+}W5ZjA#ErKjSN;s*-dhHx-m8q1A$bW6P8kIz=|ivd2W>J`pv%p=-+*IF~#(y_Q$ z>WH$Rq&p%>+$L+1;{<%$)e7@cD&G+qLMZDLWnK93?KmA(HteEnVDF!U;>-@Wxw@vj zRD{?$2=n|01nni*AL#cNmc|1pZ2s{`zrS6*kEs3dvOn}{x5|3JSeRIr49d{^cU z3vKw(4=*I#4=TL>9Or}Q36GxVv^@wqd|0AKR}yUhkod8uv_WJ)d`jZuPk}ohz0Kcq z|EK5wL*hr`d35cc3-i}w9xK=1Yr*+=!Tx&f1b;x~0|0V}+I%ENu!lZ8eIJ+n;R}NC z@Zp8~;JptoBtQND>4C_S9u*t{IeX=sp~4@?7yf@B8z{oV!$f~+9>XtxyhN_QU;10! z3h|FWTzJ@;T#qvT_uBpI$|HgPb;|i~rTDubA@{Zyx!;ifx~ol+kCpxJ(h-|E+Q#l=fjlA^y=r;URx(EB{!b|B(7&R*%c@K|}oO z6x8m+m-CM?W(W>`*q|S@sef*y4>J1eecGByTEe5dAHC22{Qk!a0wLW0g{}X;!Pb9q z+O%z#w?Ke_&6iI19@b-*S27O+zQ{L*^uct4*-erb6gFbIuw^y=qvWF$CTE*j2y z#*fcqLzT`X(aj*O=nw@7r-5&yR!EQ%L#Z^r5UGV^DH(hm)d`NIctHQ2MOUcf9nM5j z&liEQ&>_UbQ5*_Qa0o&|GPpqM(HLWkTJVElkHO(|u{OcsOin6vKwuxSLUJIbAc)uj zqzJ`Y!68Z_u>*&*#Y!PQ3HS_@$??vtI;4=2h;2BH?eBk7JQ`KmuaFe9?B#3lYOHz_H zcL+N`;f&AGVdP5B$4~~a+2_3vnL6!gTxaj&}HfRe^17e<52c0x=acRZ9W zLBJ*MFodN16s$~0N(Lb1XZUEW7KFrvtOZCL?-0a<%-+%<6dLbH6r^|@pAMStWLqoT zu68CQi+Pn;DJCZ2y||lT2!;0-TvEOt7o#i*^Xy)K4o)%siX2MrOd(4O33tqfk+`bJlUROINYUBBnreyhybsBRS_T0?Zyr?hIz-|6p|9$8U9QX z#RT_J30z*{}?HfrP7J6@Tyfy8rBA;W~c@dw4T636KHwx*f6`3HZTa5Ezck zI9z6yn-$@NJYZJy*yKo!HqfjzlV+7U$gI{7^qR z_MESL^W4=5ds_V^eEI`Oydn>B8lUpuyz%*u;OU{A!&9|xa~E@(*%O{_?kdl))c23m zKNFfM&+-?}QXkqqJlmW@e0-_;puaHI#s2KIdD>p)-tyxc+KL&PukEAlYc7x%{%~{3 z-l1C~`~o^GP}2gBDpTRGE@#I{Qg9{;fZZG z!`p_oJrFX|Wy?Clu>x6tTj3Y^BS^Rk-=vKDLf@kBLj!JG215VhMM(3%c=LZ0`WDQL z?FkdAU+Vo8TEEogWS{~mC?!(C2g64VpFsEo!$(FbI};#8|DWdmj~_|!IXSaL{#efp zS85+z3|Bs^H-Clv=UGVh5x%znL4_#7Q8G5mlI8M@42wl8GZSWP4uF0d(AGP#nUE(W zz$h3Hj?IB)S$F_cSRhEQpkTxZNEZm{<>o-Bq7m@74E|tLPADia6Iv7t*~AA#Lh49D zi{;Cf6%@dMoER~}U(yjHVj)kh9EJdFMvyO-Pn=j#5K72L(6l8~mK*>N&dBh$46Xm- zCdfAwYA{|dACZt?iIka@+5iP%{r;85D~`y^@(mk*zvh5%d@W%;`7+ep{#9)?_n*S} z{}9nX)?9BU?ccgffWP7Z&F`Oj%sVpXoxk^(haKhb74)BHK{%`MwVH=L#y@f<%Rod} zer`#$7Ah+Z1ZI|LaheQ}84=VOeB{tO{NrmfoRvr0;5Zfyk&$pm_O^;_=+SA5AhA3a zZs`f1NVtW7D{ws$2Lg_yKcOW%UPcyXBtvEkp(C16vMgNg?}d0yTr@l{UM8Oxo!whz zJ+blcGS3H<_I;UeQ0QL-0Mm6K^S7JYWd5J;=a>0^p8aPQvlGt~%(nLd4e!A+@5)EA z@+f#4zmD6F%H?O5dW?_DOoz9@T99FWv?DeQAbBXqBh)Sm0;(p0L!A=t%x@#o41Yjp z$?{q_sxCDGqb6T~fKSs;>&4GSZH$`!RDO*TIo40A2?6PkI5qvCbX3>JSv8~oqDW+c zUQ<1O6vQhNKtvA|o3RPo~X8N1}?>5z*u*I)unn0+A!d zM~@#>RylHfsuZ&xys>00bt${ht!qkGQeU{0-PW@gqY2hFo}M+K(dCk z6LZwOxkp({5HpsT?;eA2CoTaGBA<-0lG#LSET0IayRTr4(Ptl`zq}74m}-3hA-IP7 z6Ch}aQlg(<0F#Nk)GO3;RQoniLFyo5!!Ksf<1*CnusE`F_ye9vB9}E2&w&#Gxfyli z_MkX|f-rD`2fE@S;!QAv#W?UdVw0c6wgd5%paA^X?Wht+g}Q{#hT`}U1991NbUe`~ zH4%S9+zsc=03-w;ha$OKGDF-(%;x(5iDZ>%!?rCc62duz)P@KMSYbqtk~jCk5h#xI zr4|7s5pb<4^U8*aiJ0)YpYn6LtS=3>-NOgLMVWYq*uVv2ONtXYEJ~>J)B-}Fv;;>w zDIL*Q$^VGNeKP7)$%&YK5PYITM2}FuO$E#?pb~&1IKIJyaXY>=e?!`{2cHF2$N z!)pOcvmi5MLMAYQ2}~ftL^7ISB1Az01Pmt)3JMlAXjD{GR6L`iqN25mt%p`^MaAv8 z)vDEQZN*co)wZ5mt+kc5+S=AuTWxE#?RTTy``gd=Jl`Mh`}gDT2a=gdGP7pQz3$U> zUBRS}H?qb`Qp$c0Cgamz4kAB$sz^5&5#s%jCWlNz+G>TeP4sSCPh&ggx&6DSd(Wh% zInB}3F6Glg(5c22>}+FEv`4igeM02W>+djb->aU8)LI%IlH+d}$s{q&yBg|~$ts5( zzv!I^b6zL|T!fg!jW;F%SK`_r+q!#W$qZc4b|blXE)VHtLuTZv88|uDSU>!^|x}GM%a9NT0h8T1D3z5rBq@-d{Hlku14Vd;F zh2a?r!PQ{H63R!Ie^s9erJCFtM7OJeNHH+cmwjx@-GVI`&in&sz7g`H25?sU0LZ zqC}hL6{^GC@pSdWF!;>uz#w-j=?FVKButFP7V=qL$IHK{mr$cNq;itWis=12Nc{#| z5CT$aHGnKL_V$+3xyDfy*~mTwQxo%xy$Ypu0QrJ`5~w?fF}YtM;U91r4*em9JaVal z_(9rAWjvCwFb}Nv(Iwmc(#_(pPvpR?Uy4%0pXPI7Wa(*WkcxHZmH9wqqWXJL7IXL) zieeFvKH>bdv~(936uArqcDrk+t_<2O4z?^!KY=_6>VGQmYdDnrf~oN(G);^W-w}&I z6tbMo_t8PW1`C}9pXk7`IGh%S$ldg>C}4q+0_+89_F(S8ZdiV37k3{a)-Zze{6eGH z-&AQP!G=R|g}NbBDk7ZNQJv3$(sp5n4(Wz-cnJHtnvLab&y?(h$IF&P4F0JK5a%S_ zYC@!a`>)gKoWtyA>q3d_*HDT7jU4AXQPz=6KEc3s2o@}pwT4+@L$enll5GAC`cnah zv9??gJ4w5^MKB3AKx2`I{Il*ae7ocjf{B+)lGAMwmB(>(!ERCm#K42lF3a~}r$v)H zj7?XY4gq;!s6Hi(p5s_`Mi|dX*Mt-%$FPT?z4&nI1tXR#uryCrA@-3*U#+CwIhJ{w zgUz~+!t~MX$#z6)nXvL)~_N7j_`WE>~cK#mv-SX45oeF4)%$ zs6M-H1mOa_m^#ZJ<9^!vY(_LvPgBttwVSbbZ9`sjagYY^H&57%m=g776_|TAy%d?l zozTE>4S!qkC;pMF3Xx~-N;xvjJ}CGQ+f-e7SxBP#z)ju>%YwLokE{DoTIiUH_rO@L zBe5%M@gy8Qs2FX_P`|*_9`fn1<_2-@^^3x0VM*>7glCXdFFu=IjIc8u`VP8EmBw28 z(GYz*1qdjv!zuDw6c}hs1Wr}Y0bGSSenHb&=PaByh$tO-=O2lWxFI0RH5Yndi_%|1 z|47TdI1lr$aNa$yaNY)Lc7Do*X+A$D^w<~DHgOTWeANd*5gS!kgOc>}6&V4Ufw zYGz$FOkLZSG)*PeVuRI#Ph;NmG3f^cx1>w!h$26#dc)W+Z5MvY)enh!*&a+w_#dTp zazB)@D@gj*?g`?%;Ynl{ZpDci-H{B`PLdT%2eE_fC4gtppXH=i5VCLzoNQ7lwx#G* zk=9_` z65gc#oHo4gnF9xjvq%_pcfn)nore2>X4W}=B#koHvX5hgq&>gU!?c6Aoes1fXAda& zXTa(nJ{eBB;4qpMQ26)bE+mHk-T25KFP*Rs20L1~?bOmObEhC$@0g8-)Jke4qo1$! z+|bE7A}~ttc!u#znCuCL6_W1@YGw!Q0pvOCc_@d_s`;kNI>ON&%q-l;?!b~xcSB>i z6lxsRdX&m63MJ53LXXH35t*<3o?Oi2etrNwJJ;rH|QdNQ-7Vm1Fne`oVICAf~JOp(r0k#=HCtaJuMb zr5)TX{S`nJ!o%H-W2%nVT}jjH?uE9UbqA8=xx%^lo#2-^@JdjQ?1MDUOWD{vJSX^7{xUJ8O|yf%3Aqs%t;dp3yYqP^Ek% z#4?!H*D?mNClK*je{24;BpVs4UH+`n4C`SfFnZ^g7FskeM6sqWyB&_Jg#pMyV@&4NjF-x z?G<(V2%2wrCmwj5gg!2SpB$ul6qtkaH8Vj%~ z8X=A<>4HRwxeh2gXxEb7R*PDG33oX#wpH}D@^QixzPmdq@Vjnp7?}p@MsIi~wdT=C zaW1`BJe`J%am40YgqShZ3E=)h0JgnB%b^Wz3D_tagrl7d7VfwfB5{k5KnBCL3pKX< z?WL%|&*h1m#F36#i)Egq7*UgC& zd)m(hEv;!->6#N<^mALLWsBny%_cWWw~-~4pV2tHTKxv)RQzJQE|}3$*;yJydxglu zP2D0+{==}4>J}?3>y(~{_79cXpVVUf%@d+Zm#7fcO#k#Ph|Dw|BFX$7+a+xuO48)D zN?HdzdRQxGAkx=RZ=|E^vG#@%cXEx#a0{3*{%3B^hiOw{1BME0<0>krvZGmcax{8N z=VsXNbmigf5ccMaII6fE2s>N%@tw*e4b@6C)amI6ur^qHg$h7x^HbA-h2#jC$aYoo z7JehvLK~-_Xt!$FdrBNH?le4zNsmJ8RSWJ+7ZjN=6AcZEg2p)Cc(x8yi|qqJ5>I{> z;YkHha0vd(`6k8!pO5}j&j1)?`HoREubH)+V-f(9WT3RUmC<+E`=(*ou zg6%(Rtj7N+nu3U)t`d8>$GXGW$w_zsr@DDdSQJ#QkvimSB zYsP&L+47(2*Yge^?aIfI&&XrgoBj_4K4trScm~2>*zPc<^o!VD3b)2wCe#WUqQ-s; z)%x{H1vlAL7)idiOTl&7D8QdW)AYY<(B zP4A7!nChlnOAznT4dPf{>r`U>C{>_d_eo^o4Md*jw;MO(F7zX^5dSQG1VEhke@EtI z^MVk0W!0Z`wPcRBJ^P&6`wkXx(xKn5n%_qn$rfia%9T*#0sqRD{d_!`O0w#f!xcr+ zW$E3Js}Z4b@&}y(5luE`=OFy5#b@BB!wqf8#d}FqSw5l@@v0+8;MKV*dPU&RUB&|$ zUMwfi74%hK0&^`Tf{SWW#^aYfN$%IFoYoENd52>nPRClQ;jQivAeE&dJit6gnCd=G zSW^tYbQaN)-n5IAvSTTBFyZ`uVj(*ByqYs4TbMSgJI1A+(=-iLT5g(gPpqBQ0~L-7 z!zspL8GDgX;?7Awk3GRO&3Rh|`S@=wf~Ex?Gd`2_ynxqR{->bZ2``tJ-E6ed0E zw}Psxo0*OQaVFzn!B#nsPtfHs*;?d@hjxB2U{b61usj0U2`-FBMz!-k=2sVA5sL5* zsi$$dy&Tov=H2dFMc0CO0~rbo10)AWiZ!mtkfw=u4vam7w9|CnM*DW)EdsQH|2D67 z+!r3hEj9`fLL#3^E?^U{Ug^|-A1d@DeGgedea)I_j5L4F45CE&=1EmH>yv`PBh>xl|rq4?7Z$&cC(r$(xQB>r^ z&)u|t4w{3Zk_$>mn@(;68^X;*{n=a2+@^$LnP2a|L$hJcj6}e^_zWLOuOY2|akw_N zgA*&$yiMixRyI789VeMvTe1tIkXojKU;tX99H@ATGWOv=ga(kJK2D2BCm_k-BXUh> zJxGrUZ}ZE*eQ=Fe^4kYRA>2HC0gwflXE{j-DYSDzd?knrzKbg5gig{ws`Jxc2AYo9 zNVqBO#a{QHSSjdefa~L&i9+PdmUm;!CHKP5UFO1debtt$YBP|-`YUS^slGb1(!qh4 zD7e#QHJQ}Khck!;35R7JWUh2x2s^25B7$x+U z_Mm2+CXBtKJYvuN743scb2QS?2&s%R^yn*c2x1XgJ@mal@NAP%LS?K@fb!SrjqX%~;LWe-8pm75(& zY{nr}^|q@7(U}Dm@>(r-Kq#Rdg#nzQcnrr0YiV*ZbXAv^lX$IU&Aytx^ab&s*|QN$ zddCc=yr?H4G2HJA>)v8t972tJA5Y(+Ld0L=?r671;6h_u?s-g~$(@0vZ@C=ClxD;8 z(a+hZCDE`n$nUU(D49>an_v~ujtv9axK^RCGrF7(ka2Z`GNUs}-CF{XzhRtK9VSX7 z3`Bv2(X@g}_RBDrg%9E9JwAdzC8*h4MjniW!zHtkco=dEdedkQCj z_=wUje1vW?>yP3!>UN>7KOqT8|FFnu4T#BPKkqW=kP(RF&$fQ6YgTyYF&v$M>lv>2 zAg3xl0Q#YW>|~v#&_vQ;s@ox-M29)w0M%Ubk%b9!?7;oC`LQHX^iv(kevpkg?c^(F z9cf_OD}e*RjX+C4PH;wNVxv7du0U()z}QBcf^s~=fH|8!BRi40UTL|N$z(f!2@}GZ zzI-gxgZWV#7HNk9#{~LFdz_TA2>ojFA~Ua=%8G z@tKx4Lq~m?i=*vhu>4+o&u4O=17B`j%qE6`MGnS&(Q#cn_RxKC06R4jx4<;s^)t8_ zO~0~RSo(#Sa&e78;gIxZ8E@MJ)DPEE@6#8;e#nP! zg6wEs%OreSH!|O|OfDisA`2k+7zeQg?h|qVTOMfDN@|GIy225(CWzYg3d4p7`ip*d zg!L4BViNm?EN)w9T{BCpFNS5MaC!B9~cK z@oG(|Z+8JaPNbY;3Y<0z6OMZ6Q6WhZ*wfpzH#->}-ZEmcfPx2Ph?8C4VP=KpRl7sv zUX;3K7hrZ?sPqZe%R!jTO}F8?5kw~SfJwkT^wGKEt}<8+!G|AhTCemf^_`XM@YDvq zs5Y;t`I_2Y4}yzRsGbj(KC3Nd%558|m1C{1=~8<`hU`2_9ch0aP;4>~5}yz{GVhRq zkfc-NuG!CHbql2(yw5R5*%dx;ooQt4XZ&QE#$9a74EML}j9?4ZrpZOE>)FdurpB1& z->}E%A|6uUMx%Y641zEHq#9rQa!HM-Bk*ilrx0W8k`avWv9 zqGWY3x{AokV1}z7XIG>8E`qvrfF2xWmw1Up=~ji}XuVO(eMNXV8wp=Copd7^YjX2h z*JT7eIp8D+h4{W0V^oT3(h{-7dVwhUmvN&56u-qjx!<6cV&028Exl#T1O(&l$L!Cl zv0o$mOjMSPvUefpY$NyERarcVn@M2X*VaD)E5uC!YJ+NUKK=xjB(*dA-ko!`T=;45 zGfs1Sc;HKWI08O(tFea(cos(J5HIHl!$xRb+8Ys}#~ znEhXwh2}f{x0t${9W4Ph)4)cDlGoeZg=FhwCV(}be3FU>*Ei`FtKlJQD+O%Fhp34^ z!h8y;H(G1F&%aLIF=Q*z2>Zwg(wWAP=f#UO8r@tvgMB8?6vuid*G+duBJHQq4TVG} z^=5@IzN5*=IWv)ca*)u8k5o6ZRB&Gwazp{9&1PH&Q(8d$bZ`LVw-AkP>Zjkq^XjI< z@&Lqd7OH8ku!NrgiY$?siQu!z$eX#-E($;5VbUianX-oc;beG0__qFZBrN}}BF-Vh zS|@_e@EmEduP2C$yhOK?u7zt6IYhh3e~Qzgid4JjWx@z|_$Btkh>UbCK(5V*_<%%> zl<^-E){#Peh?l<$ksdT|IQJSCuI0mYL&AueQ3CA0>UiTjRrA2?^aZ2l0z1}iNs!w3Z zAlDkKUlUJjPA{-3ndahcxIj)sOmFRGmMn&NoY6~AxoJzvUQG8xzF4k6q?kT}TmiAt z82n=H-o)lZx(y3!E{GJ{vz9oPu* zdn)-4aQusJ8&_KThZCo$qGfz1&)Z_G^>ckQ%M`+(q=7v;Cx!z%>VwhDbeM^q;AgZ{ zLl)>#;>shkQ#c$w zX)>6*_tFZNZ! zk(P!+u$pcjSl*wRV||7Qb>s2df%l0MfT9bNm?H2UNUx0@Q0uE1Wsr!FZA2TZF}&#| zogJGOZ%5lsq33jkF{am}9)90?YMVjSTmDpvajdt*v^%`1fs3dD&(5?xN+^a$&ts@m z6zLIoy@vjo{DWNylG!}kvqrD!I^2e&TxlX8+3<4@-y_qp3h;WlhmcT=A3&&Df`lmH zeUxYkSK#+d;R@@QdX>Wa8OM6Aam>vxTi}0^!!z3LT9~{g`&apIS}d`2 zIItU!;8ig5Sth@#gY`|qOC3%gzAe&M(#7`lCDh}{IXVkidOB+BfS{5sqjG+T`fO<3XcE^}1|Fd;8(xZeZupb_OGzw+oDY4Ljq%E4Qi02 zTTGy?moc7E@eW2+KNEP(AyfPg6Av-#3tGG7!AvNXcQ+jjcSWnDAT)+OP=znSFnxsZ zdeT$;h-)MCxB|6Sbanl2bfqq_%70sp!c2^Y*rtO+6Js)H#B6<+a2%n%5VrqVLr*~k zE+o?rY9wLcsNq8LIl0dbqlxZQ;B5^x&*LKK@Tw!8C}|)y16uh6WpOBQs^hK|*2Zz174> z^SFqn4&^&6?}h0$gi5PP3eYEs1{}a3p~N~mpt1JXRJ4ht1%}975ffvrY>IWRQ|+Hs z+1?4&jx?hYPsd61HQFErZX`R&Fa8Qk$&(A>FO5_7((<$an{23<|~*ySPOAo5nLeJsRov^X^q7rlk{v zfDq6vN%taPcmb{EsZY^X!p*a<3&IuI z`!(tx6ia_@$b}T8og3nAXR#O47-s&cmyqGC!v0J!E`?SJVKTWxkGemk;pK-(nx(@; z<9VHelJ^ARK`KLRAQCY5pWus^yvnW5+ zx{s{DdA75+8|-%Mg7C1`oPslejzQeRzNI^~p)ODEiJD((6N&7`IVaa5$Zd(WRz0^z z8hU#(6|$!zCkt;t#FjRtX}kSIwHPB*Nh^@^+$>Y38mF1NxmgI~)yqP?-JJsB#tw=> zp6%IvP{HTmz_>b)jD9F>di`_?VZ0L}s0i^OuQ6}LGa!E7BB&phP>rxI6~iqzZ3;KN z5FrL?O2`T0YM^>5_)NDkl+=30ss9RfZONm{J((nyU8hQ22reuz7$P zE{yL|I2@S^S*4)2YmBKp(~!TX$F4WQsE>g~_pAVsmonV&W)vwESo3pj-e6ke58eY{ z{h=OI6r^nGR2NM4ltkbb7wInVQj*TbPWCr|%9)E`c9u*MtQtHB@7Iq9)(3{^p?$8W z7-g2wILj^Oq?enF3r$PHPxcnV%?J6Uy8B?FK~m}J3138AKeo&*+1(>aIlW&zht5Vm z_MPdl%xB6Fnd-}5vS+u){R~SKd=b_%Yn`cxoC69D;(eDfLn;6QzJfHDaDn>@FDD;x z90*8!6)54f1oS$7)tOS*6sAVslo9w0Dl!+hy~9Vf3>TyHGnGxta56kBm?t2P@Zw04 z&pg)tNrf1kMRv}bY~m|{gzlIfYHmEq;noNhcoy1ic_T;aVwoCaEv_CBm}FR?0xi75 zNc&kBuDo}p47B3bOE2IW5ZECaHbGhKmSdrf0j;xqsrGC&olsYm>hG%q*Qd2(thPs| z6F9bDFf{ip5RP!ZdeJzv&B)TX!N?9!_fM^UY`mu3q9K{}L!j$vI=I0=(v$@(T$zYW z(vIQ4I*@!ah&xU4=peWO#`@X08zFHFVLcg7e&I4Cy|EC;gUz$SnV78b$6C%Q)LoT< zJ}~9fpLY~=rsE31jzeW2Qa?oU2#5xWc|=#E<88zs+JPebWDo==TWeg91?Y{-&2Gwl@MK}_NfQ*3+IdNet22VEC>bW-N}*?T znsCgd+Yz@1DyQ(Q(?a|{emgaVh)@sXU8EN-w#S5%WSqCnNW-0n(F7kNSMXvoIDH91 z4Z1V>rZB?{lm2(B*Nda;-iEcVA(BlAWjOCeUd_J)rE!iG2AyPZFQC*J1dK<>Um%Wv z5IS&#&f+5t!$bACy6n*?cV#0716PKQI%N=Ky8SUI*g5I{Mc zcmNuFXN+;XzAnOe9T#)j$^ix894}cKUT%rG`A?ZBaBS-r>S(uqPw3J+x*fD}|Fk{Y z4?}SuVv$D@;@3Uwf|9bkAz^X#3cdt}_mVWV?9E`)ONG`^P)(gCh2P5&MrX7@&W`&D zTaC>e*E$xGryT8qX8-ZK)J@$-wf{@2u;-_fAq_ug%tK5^DT^e^S-9Zp$uj^XA)XNV zy7Sh&%2}4%I_RlVBV#lKp!i42eg(~fK#S=Nk;NnJsZhCl5D@WL7rB2b+Ze_4hS*Gg z0g-;@3Y2N8?nxTZm+Pm$xJo^hsr;CP;jz+OtGBKzjk2c(1GQ3b1{5`nU#okE>3Xt( z z7>N;5Xt=xw*;A1IC$(@2=K__t%f>U|B|cKFTh|B34o@I5;ZMB2kK@oYGRXb*@c7n`O> z*6%aiW2`Aaea0j?gM-K{d}^tH-=o=2y_Bw`WU(C;mLZZ2+*kOE3ZQne>mC==erY$z z($gQ~11QN{QwHIU6(Tq5MoV*~v=P*qT5a8Mq;Wd>TK9*7wS^gsDOSsazu3nL_r(VX zwZCd_Z*ZSd4{ad7k}ld(_S{+=2ljz=hGz^%q%%~7h^(GyqVeJ|T$-H=6#n!s-A1~G z$j8bqcJ$uX8+FDN~q4*H$zP_T9l6exm7lEcd65uW7X?buVBVoo71lWiHd)XbkKqsX@mx{$^rVlNp1 zl~V)#qS@g{BH-~w=z`6<;y=Z zxTgyU$c7-ki~gVh&WTVdUw@k6KfL+kO^$ z(e$B_a#K8MfePYL`*9Ul9wKM1IvQE^gWk{J8q+N1WR?&f*dT=KmQvYBjfYOt`eSup z;=Zzgmb51sw%%{yIWQ+S1(ZdPhf4S7rf4{pxQX32Z?lFWXEZ74~{$i z4Hyq-`kY1*1`R`E6f~#sE#!H7J{FQmnftO?avmmBul-cX{u*b`Lb^N!mnQU;(u|X! zd4XXp#tqR zR>Dhis&x3M*{EPOpTl?Dz8t%G-p%+xo6zAT_l?u!Djrv%T2my|tqaw!;_kHQyM$KV zf3Td1wVHK(6qP0JF7R+pG^|xH{yHTDEw3ny{VV6tZWe7ADIwRmb^7N+ITh_qTA^_| z8#>cgFdIO$yNGt?UoNtNJQI#5R&7N%(*d6%Ir`V5#68$aX6R-lG+ifM!Ozs1i%@rG zK@mx`RD|Mg4RvG!xvhRV-g(zjpX_`V6DO_azk=}RO(Kr!g$x%$Ni}w(v4RE?PRHyI z+j`RIK=P+0C)_kRROCqyVoBQsiN|XG4VII#G(#}CcA0dlnh=-sCI z19cxjSOc>rO6Zf#<3UTnkH@9M_lh*Zc@z!bfuvD^Rq&WH!dBuP4(*ZfG|w$G@fL6$a<0DN9EwhMz{3nPI&yI!6L)hI9u0L0oJlKreF?N{uC0n| zebe3tjXjF^{=!K*NhdLq8fqh+F!x;C!8sM-NN)x1nl=M>bbWwb#VGBub(S4S=RSwJ zo@+Sb&rUBut``yM?VUnq@I8bYt_+?|LBg#dK|B~Yk);5re5-h({YxZv<;KBdFHkWC zkE(#_nd*NPPvW`4aTrUuH&nGn0qx8V7VQ*4XE%$S}?Bd z$hO}7|GK4(FXz8*dcu71UpGB%^Z&2gp0M`Bd56bM99IvT+GtDuZo2=Eol&0z{fmU;$%+2!#Z%Ime>3?^fcpHuUp!?i ziOca%nAUazf4_XvcHj2;$+7?MtEV`IQh*?|o!-B&2~Usuk2CwvT~FTv&FugAhQH4U zF8*KV2w(K{g8#MQ=_vj^JWoFG?;G%Be4Y%{lL4xn^zZZhZwI%HQrl=g!CyT6_@{?I z{qX;G9sfU@pOC~rUh{wPkpH)M$i0vL{7)1)+_-TQrac85ZCOvW%Rj`X-|zexV%oR^ zAV*Hr;eQ`HctrpAu>;fkKcmX7{EGSA`T0=3c>=@yeny`*WMDrq)qwhHvjs62sHf0XBeK~$-o~+(M;CAv1X*FFcif@3uyL8 zqyj9O9LXf&4^>a_YC;CmG10sqRno0dPYrVnXwyP51Vu1$xRgm%fIZ_6v|-r9J>1X) zIUG(e8vrnV=%uTSX(KvlvvXK24UBpU4g*aKV?9n(07i^Ygf29tnAnD{lBKsno*Qcr zD<)7U&X-MyY860<06dA%3A>2jg9~wYz`4;^@i0CS3UnRhVd!s=*lS$6)Crq775+o@ z#IQSo(k~Hztoa-Gg@|9O<0s=Ny7qq zMr}Af^G&`dK2W!*T*Cb_KrfWT2l+P5Gz#g@)OKxu%*c2jniJh|{0cL~5`Y7wT5RS^ zyz4XiBKi=o6yKsfaIxHgpQ7DJhS(AB@=L(6PRC-NuPd`4dI_(wTaYlXh0(NOrz$5& zZ`TFw`Bl(jXc9+JyEIPdC@0cJ;PIz3++t$~s;;{PV5!Q^_)~WzXTYPNYu|~4olkBR z+?$s$h)ip!$)ChcC^o^}1RUBV&O|S9cUw+gkJYr{qU2bs5;KMC+9~~$WPyoSwZWqT z(8hvABmrgZU0bW|s=D1GFD27gp&?c#y>2V9m)nh_%fN zhvE~z{9a!ucf5rSF4tHFI%RPbcH+rb|?#7daA^Lk%jBE4v zt~(-xG2)lFD!XHd_o%NKniA7&ry#L+SB}DUtEyF4;trg2=qp04*V<0jtfi{rzFsH$ zRw#{i#|?TV7@Leci7|Z(NHbS2qyq|0-rmgFgy@#*wvPp^yr~`jk=JR5(?Jy|Wb7~p zQ`?hv;b!1NcqMJ*X2{(!?c6v6@^RZ6_mfV!y+W|n`D~D6OY7elaJtbG;8f*~x}DW4 z=mSr8nt>hDR^*NhazAf;8OksT)#C)<8V6nzK15CeDIoqDhNcmrbMZf*M3P7cJk_b5 zzy$MsX~&v3g~FP<)%}QN@=DbDh1)_q@)>)cr;*toBNCOJhP=VmTctwW*S*?b?TaR9 zSZJNh?G)eT$EDuDd5%`h&=@%5){FRzJ0A)g6S&3fWTwiOt!)Pt&s^M{cUX=w#KFA{ z#K?t&Z}f0H{+{ZqM4vH$b?br{!ZhILdE(N8u)V$IU zLS!QYs^~zJjnl{u_c3W&+w9-r^D{i&Eu4T_+RH_UadVjQ4?y2I=W|5oeI&fRzaySl zjG=Vq5iNUGV)IE@3$^YBcr2)~^HF^&zA)`qr5 zxgy&lJe+ruGUHy7G6-a9w)jrid!oikSaQ9C0=2p2B*3vZSg8loBz5pRs_ISi*y=m( zi(t0{jEUE9pWx%dwHH5-y5uT@8ag?>%*w3|Cu)C$6w@2xtd<^ib=($u&>aotaWmDn zdJK=kA$nyuw~N;5Uxf(w8Hw@zCF)#n zV0{^*@5T$GOYfRn8$-3@6nqYs$}gaCpdUO4`ZVFy2_4J<7|1(lpBm-}Ie?CJ@)USxrzsW#6i7NtMa&L&S#%c7L_n*aQL?hoy zWaB>=tA9EEiiY!xxSK*GKY!0?CYlu4=OBG21tSfgiS({8n=q;)a)t$GPeQ{}aD5^7 zL0W|E16yD72mCHyD2aS9iMd$(ve3s+!w_3G5aNE7Ta9n_ZF$!9mxjFAq&RY!XzG4p zG}>f^|3{D^)E4ui#k)}vh7i}SZny2My=!~!QOir&u|f4Yc(>bWsR}1iwvjk0t+};M z|AqobJBE`4&oUgZ|2+(d$q(`7THe(9a;_J_wAk1NO8n0K7TKsjti;2}Ec-u$_-5Ex z_zaTNEfx3?o^2RNi&BvACVM@6PkCuFyFo!`HH_O+E*kh7`u7yn!p$cvULc)q9gkn+ zdC!3J+hI6EiSB$D)fq;GlJFWWVFxWl)!kg6U;UfZ8CgdiB*r@9U&4LQIsC5V=T`xL zc>oIzLCD1MV~y=>nV<|Dj7grk5$EdHVM+b0CE z-POiO?3z{#rwv`Xn?Wn3s7en>eP|V|NJk|<1Yv)5Cn&G3hE}?}@a*abLC?t>VR$%s zOfzv8&*`OS+-tN;L-mVk>Neq-#&!F9`{r|;JQQ&nz6d&X`;bQCXf9@@i{q+?aPLC? z9PjtfY^rnb1HA_Jolsu|^ylbrYH~X%$a1s9B^&Z6yzQ;x4qWtpF|9i`x{A=)hY`4w zkrOhDo4FCvLRVi@_q_f)72j%0Zjfru86Q;-rZL57_IKIyoGSqtjbt;)wGD#~QIW3q zpDG#>+!#je{9;@nG&mCwH;g2RL!l|-ABcaCj^Hv~ieM_XZZoWA+^Ok(FbJT6n{e`d zR?QfeGbG-<*cGPGE@QAy6tq2=mM-!ETv>;;?)NKi0VDTrvM03ze~ZfYuMuE^mM~)V zZYd=DXAHN@Rf(z}k;wf#+~ycMvTmR4X8^s8;CkZtdrM0eA#9L$V}Ar4?AnMR5i}Iv z^{l}ew$2qsL^klJnMB)bBwpfEg{;p%>-yuS`K z#er*~$GtqdIrV*_BKf$hdxfDJZv%R7M`G$p&Y zAaJ1H593Wx^N+NT2_e0uhXA}JT6V9JoI(EjZuRf`DzSz?E#JlbJ1`rYrkl6gX^{5a zFl}T6FN1dp_1|jy)x*|;kP#z`8?nP-@rD(R#M~>ccmyM*wuc7#;2n*{Vl9!Fb8rsD zEu=4g3BTEV+MSo?pzq6HBYrO)rB4l~y&OJwKk}R~m%k>o`2#PIp2n+sE=p@+@pCW$ zn~Yc7f1TgNbLZ1e&U70LpGLr}$b%--TzVBm7b8!<;?9RI3kxYqZ)o!*M{rYxG~mCc z!*K^rd-^Iq&bi124CDgz5#DRR6h!l}i;wibk2?U?d|Gcla#{*EtYIYn9=_~5@Q;V` zS~ge#EjP3xV;Vp>^b)r}#xRyP4AE=!ge^_h-%@a0i#M@X6~2wyfNIYynjvp(=lUtw zSXSM)Y!~Ba&l~)WwPyAJ<)U%A3nUx)VE!xIW#usWeI<7Tvh^-dnWCTYM;m&30wA@} zJfYH#54u;vYS77>q93oqdztdURdgoHH;PXw86tt!CXKpu%VP0k5Rq9uU;ZrO7+p@G96%YE;aP@tKJP_%>q+}qUWzbPN zXHX2?GYKFh%fM~tpb~NuR@AN)`n1&yx6itJ9&EU*+)7Mn^~W&mH&NwOcV? z?w;WD;7VA1Uvf{9uj4j)4NuaZ3U9D`w0?y`x*8bh?#uCBH{{o8D*S4A?1p|uoJX}j z+VXLM!v0qfj;gI|sl{IV*dTso@#> zQtkgv?1n2L=(-DaT=I5fnsNKe{tq37;xHl=e_S}Bz2kxXioqBmJ=p)H?y?SFbflU; zz!#x2Fz|si1ys?@3GC~k;Brg$2f?m`A=TIG4)Vv0*R>7>yV11gCQe9gk9Bp;>wm#- z+h$`>>vCrp3#HjI4>%hlIAZKCgkZL22l)7}G|t3YzQ27vYFfdK$3nrW%1tFpLtOWf zG)~@)jN_yomQTZYO?ev8NRgrje`|{rBTtW%j?4Fh&Bp;M_ydMXHV3ct*RdZeSy8s7 z-(2UO(a^`g(s2;l&?qj}VjVFz~teluAh@I7DTe z!4<)sE+04$dtmA&iZDY<5v~#notHG5)}q@AaeMmE&n{t9FnAOWPrt?_0xU zGdlyJdO?FvIC^C)MEYn2NPv{nd9=497K_Y4PZ~FnCKe7t_yqR_POtB6e+K#PT@MzG zUXyJhVZqJ*5mYCrz<);E##kbpOnI=-{7GG|FW7zM^v|{&e;M)69r)C&<}k2XWW?oH zyt7&+`8L#jkEcMuKZTl_O85qH8<`_hS6{>BPXzBvszZ)a>&CfNHr*mr0`=U!X?k90WE$hIiZN zBHwDfOo$hTk?u9ei_Rdt(8rJ*DQ@mNh+9DY+(LH&zfIp5X7I3$xpouiBe+Z4ilzlv z(m#r;=Ez!kMKA!h>)X}+?3-5qvpbLDZcnsL!Ii>~l^NXArlls^^YCTg;!IBwPO#59o^yCZfB*0b?t=}X6NTjt*>-PAuO6qS}6e=~IPV#r$|BA5^2cSJ^ z7yi`K*m&JN8t|0YjOE07`E|k$Pei_Wn#evwj{50lr*kH@Lxpy2g?}bR%6=IWKSy^lPf1yPJ)yeY3 zJ-z=OP|G3oVK@$*jY8s%q7coHqgau!;b@Su%Z;PKs;sz{5KX@!EhK8#hL(0QlWt(5 zoQaN+@cD7a6bUa3IYv8d-f%25Y2S@wVVygx=C!w>u-C$Lx zkd`^BOqFlGBK+AQA*!6X#`)^JZ;oa~6n4iRO;#@(;fn`U6K(0pJtVSx>OB(WUu0`1 z1lCly(^YQW(=NK|;JtP+)$iKci#1oO+v}%&v!{J*?Qi$m$JHt93TdpS;$3M`!p2_F zOFCaz6u+#ex*_5DK1B`2)kD6>G2xMWY2x~+KhX|ND(Ou7P0Q^b^OkjUb1kNI%Y#C< z@3d!XcJ4bC#O^*El$W&kY(}2-z^8Nb3DvJ)m^?koBUzc&@=X?A#vxrsQY}GrMx`g_;E+Wm+AoN->Cnt3ev z^EvafQoeXLvoQ76x_O1JZ+9Lq?DoUq;NIPTI-A)$?UzsI^-ll&`{TWP{P{SzPtP-o zeP?=_*7Z~=iI8y2og4SU@{BOsSDs9^^=DNU=k3CYn&M%NL6QC!8ndJ8kNa};=YQgQ zN$!LT8N+TAo$Zyda@YlLhvv-}a<{&ALfPfJeP3P3>wGfdV*cX~PdwM%adlEeVfwxm zeKoE-@Bu^aUb>i_PJWK)<2KG)(kGKEzNE=sdGxp=M=~z&^3nL^F9hdWPxkBkLCOP7 zKcCmZckXxIx3ajuf91-Ofh&&}_y2lo^N0QayrGF0@WPLJwp0FGvQ>H$nu)2HLEkG-mE#BIsMMb{)20~K70^4q>ip?ac)=M zI%b}4EMDVZC{*K$2J?XdnpB%eKa_FtVGopkW#siQr8_m8gOF619yG3-rl*hga%?tZkEyhZLskDox^sUNQ# zP;zB_HP?ULK#%bCiHLXj`Ri0%!jyHTXRPmNCuYw1aNWeNY5kc=*(+7ohhC_eczn|7 z0_j|rOAg=qnveaf*H6Ay{dL)t&+yL+V?M8Yjr*+q$S>6cRbW2%qus)DDH z{c2Bm%2(qTkNU^T#PuC+ISvdkr(PYepMHDW8!vl{U;9`e_e0e^eV-SPM#icQ_a;%( zPv>%8@l0Oid!_c*@_wOkm2+Y>+OOKL8~6L2cLvY?^N;pJ<^-9##MN!N+V{qYcKSs_ z=7xT9V1r*8c_V7x^SMP*gjIceYQTJThEwAEypVBbQqzzd zN9~%DE62@CyhB^-qlRy7T@W+*;ESE~89zyjq%%`qUKGFL%97#6po%XNEZC@>cjei* zD-Bz%lgp-Y8{fsFp`-bPKgYcK3%zCcyA?|k+I{@;l1{@fwSU%jW^0T>GdWJL=o!=e z>4fZF6H9$r)-@OVppee-OW#y(>Y39$>J(C*KiRWn>9bd+#y^+(?Kc$&@6a9%?9yF->ADMi8jwlykdSO)uIfnv<{Ihsa;#x}^W)(ThsalZ}u zs_|>{{9!BBnhzyBZ(4loum7l3DXMD%6DL86_HRnUXM?nd{iY4){|Yg^KOYYKKQyTS zBQIeJ-#wpi_oR{$Gp3D}v)_c8KpSObwtvjTKzsP3c2JS&I@15&EBzlwb36})A@<2=ri29jo1PPBIXU1* zWoY+yFhXtr{zb|OqdKP@fA>FWa-$UgI_ST$qyG1;@HumWv;H3K;E6pAmDdh6WD9;Uc>EBFW3>}hF=?p;C4y_zIK2{lXf(^ zv!Uu5916$ng+obM)LwXBLepN{4_zQ-q&rCtF;wx&khLL1uYjXyWrzWo2vHEJ8DOBA z;9&LgF{)q=eqS@;hJ>nXrYcNR=8w6yph~^G7ob~#XjP395*+H~mwtiw2T_nX+K3ZX zrw>%EIDqvr@NMwzM-Px!VDl{1ocUF26Y#o_jD5Hr-H2A;t*94yjCyf1l<}XKpfxT8 zeM0LxY^l0%pbB1JGgacnXdf;N>8X}9=tDYWfWfN@W?+|hdOj@e|qbmRcNoYGyQM}Zv6uI1(dD-ec-h~Liyjf{?FyYIhZfW=T%SUL{GT!I7HQx z0Q0AYQH0#>L7{fYsM=^iQ4FI9{>Al#iSaGr7m@$)pZ+x+;{G4@-aRgg>i-`< zXD_&CVFu2^tjx*|>;eP3%IJ*j;I6W|2q-A4tb&4qE{ckZ3WbTc#L~PQ-twM!D=kYj zEiEldtt>T7D@!ZuZDpxtX=QJv-)lAB_5OT*zsL9Y`2GFs!tTz@&dxb==A75%`FcKk zJb3q0ck`?^sejR7{&O>&;+7^IIFV3zaFfESbyhE=s2!B z)Z0&rWqyh5*8QhQ{73}(rBio3!6|Xt$Plq8a|&1XeM|dj4|{b|LiN^{8t1>%IP0Z` z`M?C8FzY2eAO6eMU@q!NUOUnoYh#}5y)0d`3r0dC44WQ$HyVkqyue^?4HGy03ZvxtTlYpu=(dG!-2eIB{NK(T zA6z8dk}aD5aFu>{UH5DbJlYQgy+-_RzS93l2Z8tvO}tNCY7eD-IeW}~l_I8N9LOTw zQvkwlIAn-TAEogPOZlctk9Ssf4PPPu21EKkC@)+L#fbg}{!wIQW6*j7YA zC@qvywT_kta`uo?8f+cNrT(Rqrt2XW6ojtH4^=;f@yMMYuTeVwC6>l@M2ZidZiQ6X z;zELHdCx;}GD;xPD4oj!@_hIo666z#PKHF&NCrqmXCNhzj|wm2r*v_+D({|;fu9Ox zsYj1-pN@gP3sIw5bQM+ggKbBn?kCDSN8QV;bDeF6Z3VQj;9Z$RGVqmgWi*?nAcac- zYV<#JiiayC^WcZBD*;45LoU4vzpwH^kkIrXnuDjIjI@LYDR07@0TsKW_w&ClqQIl@ z$e5~!OIqY4c?c6Iy^CB`^baz14HVw$uffTACoqBLONd@VGCUETt?ueEz(m>w8eH5K zLDeQL_3cJW(z=FH;l32rsmsiuyMUlH1IGa^>pehK$y8g{`&n~5Agv2=H*mgsX5u~C z(x$m`QAtW(9Q+b>-piX4CsY*C4|VB|cia1uQT1+qqz!(|Rtg-E@74_Ae3|`u(AReN zN9lYxl9?IghjI_{KY{4$wyU}qHC5NjPSCqdiOx|bS&_P5V_R$WKpCmSN_zohJL*1% z>5J-kWZMnWkyWVa<&s;{ANr=9oJIbMJbZ~1@#+HYB@LkLpU|}Y%30Jo=;#$+f9o$y zH@T&LHtL)Ps^IQZNOm8|iJ?EsUaB1U!M1~6$^1!E&Og?4=;%P}CJ@){C~Zcr6>y_= z(UfwKA3dfYPY=5E)T_LTXlMPkAf_4C^)ua&lE#l9&T@rVzsc>Svs!~ysN&*I-R(rP=6ZyXh*Ma1_Cja4^jlvgy;)5y23=rpJcAa_*&M&noT47e;C zEU0tSQ&~2&A=j46k5rE%|78t1BX7MuKlu#zygY}dsvDqS&wE8n&V|E_PH^$~tM=>OFt+Mm3wOZNc9mHZy)Liz!`NVoAPQ0Ksx z$T}LdgFn>S(2n=nFCzW|4>XOChH4@}U@v&>F<~*G-;(9QxSFS{KO%h7_pTzvf`UAN z2d>Oi3sA6MQ%5>ZUPJ&mz_Ur~=UvZkw2&gzj;zije!8MnkcB&q!>W2^^e* zr0q-|3V}Hnaw)J~;WQ0fxj2xL%!!aPn1)?|n_U9}(oJpn)KH$?QXc7?%`|+$C*p(JdNWZiZu^aWF7l&yoyVwwr$DEuQ%PZT+bQu#;a zZ*tcA9>E#5ui;0z=P~AXTV;@ww9lD9yXDs)jHhNJ+E2fb_HjoiC+egjIIpw?Q6Ez4 z%}tr8c(EN1NdFsl5CSGxZbmrM@CdYc-SiPT{&mrapD8Tk5Igr6MY}bjleb< zkCh@MKP7%>XbN+!(s!F7W9%3JRhK7vtXY!WuO$K!DQ6LRmf%%=kz8pjMOQ%y7MI@3 z`d25ZD>Z2Yd?oHPxU)-ya8#nTm;5W;0IVCh%oc8d3C)>pQoy7cop+P?O5=3uD5MHH zJ`Ydkb~m(BKEjF&Wew+luS~Qx=*Qv?-u4X2aFt%Ew)CM~rxROY43@#wq}}49Z5v&; zxNNy2TuLt_|J1S?oxa$nC{<{mq$`>gz%wL_E5`I=Gw)oQO_tt4oIxi%l>M%AK1 ztzMkbfm}r{^CTl-+-af|K`cm>ZXp>}F60`l+g1jO+Cd5Y9NwwMVUz)s4^R=2_q9HA z2FV|TPEXU9SgUYXZt>~aBzbZnI=Zyz9Csd~>KwOifdk<31&^+IBJa_HxA=5xo_?u5 z8>LPFQQMiQv+y=ep3TjXzQzQPU52cE;juV}+-2w3t1)QgjbVm|Dl2n`wJB`I&KQVP z0RlzbVJ`d;$Jw9YDrdNs6dq&kT;?LBR9AQeb9kiGNef(?R-f6Zg_`Bk6S= z-VMX2K`_N~u0~hN(Vn)c_+|cA>JT%Gb6&*`{cF}uI4b!%*@9f$5Y#34e1Vf0cA#CL z0?CIUlUb%bg=mH{8vf|F-iV@Iq4Ibplo;jVS!hK;rVt(B`GQFQ(w=90lR2e%g@gAE z6Lv=^c}Aa`@=Be?CsE!!FoNWlUe)PaxlW3)t*?vKa<{~nW=~__>?@lY#QQ}m~Pb?_kL%g31w0=9On6 z+S@0g((0KFwHLX4(}SPyn}&bGj)uzHE1}%iVbfp-_VRu69VocM)*d+Xig#q^%$7Tr zw9VOR>qsSMGPC0_jO07OwL@Z;Wjc?P{F@QsFQ>@&U*u4q_Zf zQM&kiyIU?>>1CBa8;HR4Bb32j0B+^YFzI?=P@i-C0;Qw1^+-91s&m{^*hvO7rL6o? zVy2snB6|x5<3v^x0NSv)9f>dW<9N?@L~OoX+j_-@eA9~>80Eml<5^K>DjOj z6vd}lNnF!MK-C>6_M)cGIXk;4TxyAGx&#ZS@}#BdU+}sknoKeEH3A09b6Rit&ZuAQ z;-UI_+Z#2*Z9?u;gOaQ(VKaB)VS#!>lUVm876JU___DAEyU0S$iG>E|t=OthEe8aB zzO(~v&q0OfgI7?gr8M$%wekqIb)|gsWU|Ru?OCb^=8H;(7aldko1xBR^XYlS>KhE& z>|bEtAZt6IYAd}Ek^IoDOX@h}8^g6bT}S5nMse+65zndgC2|RA4tX+iSAUASDCHPU zo$;wsq_rKcd&D-nsHJQ`o|UY()j*)yG(DWlx6S0lx;Meux6S90ymPg-`Jq;yG}sn~ z%!U%IEW-7j8ZN;tRDUqrmU07~?}STtkZm=b0CeAzx8M|g+w$Jn{;wE-`l-vYJc*>Z z`alhU=_2GyudD=)3&&p5S0OQN_1~ZmPxu7uU3DR{J>mnbzc0t?&~Mx@+5JdRtNU7S z{y4VgE$K_f_b`o>CTj8T)o*}N=__H{7ThNPLg~_oaPeWIuqGCzGAYQF-&RCjZhwO^ z`0$*L%vg1!Rv8l^&M|tI#!7Qg-6E4YnkiP#YeCw#1yvtCFcY~f*J89%&yCfXW;;&q3T>NH*%)J4PiX#{64SD9DlU%T z#I)Pu7e>=wLv=ks3!r@73}C21HMhZRnHeZWHQvh4*;qn*$XNt0%R;XAmG2R)fU+ET zKC~$S-omXTq2RKt)6Aa`UBj-AfOb_HXsggEo>_q$qSmA~w^3efU!T5hHdIu#3sas- za)0eTXIAnNeU=?(Z^!dY_LxvaxHOPiUBWC?T^?|5tlmBx2U^t zTgemwNHZ+bS;QUWlfj6)gy_{v)A$YY!(hY#Y3y(OyQak*pufI>nS>5Y?&G`8W$<5t z<=qw0T)a)^4>Kniif3XAaNA)rz#Xryh@b;*-=bIDo7wB|fS=Q{NCA<^Vi zGfBZ>jA?s1uXrOuU9KI6uPM1Bwa(`vo$n{i`Pmnso5frc$>Yx!rjb}+r)qA3L&WXL zIICQr6HZsvgau~c6K!GRWFSL#c~n^P`imQ2{vqA{p8fEHW7+3e@g^tjVa;#a z?afi_Mgwpfww3lp^4$TMwVt)6ISrBdX^7p!Htn;@_Pf#GaTVR&HH`o1Qj+ef?n)Bw z#b=05m`yKI(>$}lcjjKC7pxif-ciDV$eL_(BDFfjPoqg9KIM5Fc^f!3kAMj`l&mr5 zih?$t*P8=$*^K3?CIYhm*V0A1}f+Va2hd$|mDJpp=c?pJj_68=rO`QDpI_#Mh& zGk;e5Ap0E(1!aTa$k*w1mZn>*RFN79k2z&anp5;}Q5*QtDlg?Hx=c z-ukY88j_D^r6JErP}HV?{Q6XVzujrG=`p6p=;~AaZ$$G^m+A;4i%{!7Ho|&|>p=t3 zT$5zSHyY`X3gGbD9h_{f5;w;L;OQKecVWphn2s@J5+Su6J*G@Vw5FKFYHws&)t2j> z`IWp6Zqbg}0}w5D9JWB3upCAo!N-D#j<-!kV=PgzzV}Mj+1gsJMv`HT7k0hE-ia~2 z7D0sO9o+6YovIr7qLp&vg}fiR3jh}ogIwX;d=5xDaI$=$@$-TBa3R@hIyY#+ZI)tflJLsHNWaLmFa^$sdUy z8uhOR-(np1JeIBSwS7vnIa^UVIc>W{lgb{KR>uY%`b0G^)02m6pHY#kmU^KZZ{uE^&69&{J7^BO zT##D2-S~pt8_V?o){q-tV4F7+-8v1|cGil8%rL2;z5Pwzn}nRFgj=h~#}x;#9AHwi zb|JYhpP=rFQr_Zif99VHD++A;88FNT%KDJ9IivHygB5ogbIt%PKG{DU)i>#bK^4n* ziIjzt1&o=Iu%JjcHI+T6uXuZ?e{&Hn#IK_-XXG6E!a79SpsDF=b=o%=^`}hB!zBgD zTdj(BlCfr%nur<&@?Om>Ym$9X#EmP&sZ7+bnTM|?yRBLJJy+sE_^sw~U$`&bdAdW* zG}_MJ*T%#tN3GIiEzEa|ZcVJ4tzRb1!+uyRo+N3mg~F#!z>e4Xp*$~HpZqdRKJx3t z<%z&`S2=;TCW013DHVIpuP1cBnDH9V)co+Ll9Ce%frQ?;pWvbmNQOHO}hrG!aTnlF@3F{%;zk}jHDocA9TUN zVg!aMIxyp34fV;>@_tu;5$-x&&z2;F%(+I~9{~G1XwgT_$FXEPth7&RL@hsC*LixP zniW9nTBGlnlOsJIR=5wh2VK0H7J!&fuxF~CYIGw91I3C%@&L)fSsQQdD=kEIr{Jb; zyWu!ncTAr&Y9gweNS?r-smc1v>R=Ub6E>QevGP3L=26=deYR*h_}M@q90S+1=T&vtWEyIvC1Q*vNv%FJ{~2id)EscZ8^)oBEH6X|gWFlUF(fMpCX^Cp3_i{A zVE#2eP1N9b)G9p^;S;!6B`pp>`4%-j!e^uwIfaZ0R$0Ce-(@AS!J$knUMn@AU?JF6 z{ZY=JjG%5rm6ePo^fJV^gAs5|ny+x3JvvJ4VDRbC4$J3OU-#R*7zh_eMy~wYRs==L zY_l<|wWn<_;IDjAqK2>H2HD<)x!e1-$+pjHL+Wt7?U2`w)FIe*RI#IaCy;j7&f5k; z+sdxcPl3Jpm{hOcI!&cD*}`ug1?J2b*W{Zl(KqJt9c(t+g2L!%sm(&cz4mS4+y$S}yo~{)0X+JD$JExKCLX;8zgL5?xeh_^*scgHyZiI+T-H^IpeE`WS>u@F$jMRAs2YC@Kv066no!8 z!AvkG3)+&+P3-^{+&`-;Y7!JE^6rMV>6Lh-{!6Fgc2>mf$RruTZjD{QPg6dO5k5>4TVlko?4-ANEzOyf z>uq$3Uo)A4Nnq(?%B#BIYUt9%7}PWugRwe2FbKKV(iGuCCsJLbo%<}-#^e|26txm` zJxM+J#or&P3COpCbSRC-(gNgkBrEf==e3NIoS7)6 zmVEAg1M}0zUd92fR{y*_kUmFifI?XEVd)c0VyWVvhFyJ4KZkR73f$C_*(3Qoc9((c zP%smE>SaYjjjP>Z_7Ve^1y~;7&_=XGoS!FT!Xvja2jzc-oP$L+m!Ky+AGWbCG;iB+ zUMoBl1p#3`(flIAC9zu!{uN=;fiQJ>*!hc|KB!>>-v>=7|1+{-2TmbgehmXhKVn=clec#8i=2(MFO7&riHLQTa(`prClKV(S&_lGDp#afze2ej)2*2 zrnxVR@q$fAnXe<+t{+qnL=}`h0`p#=i`F^TC46Tf3)oVn_7rM-SII&KN7+YrhdJ*= zWnNY%g*AR+?cnCg!p4uFbChF|g`dEy#-vxIu?#hDlw{`BIUeJ z>}M1{GLThbjM?-B1Dr3WnP#&br4B`nhxBHt4D+j33O8T~d&}_3MlN0{!7Jy&OA%f< zm5Y}O@ydxnM^u1UP9h2JJg^*1%Oh>^q(i0!)>hjyjiZRnLk)=35}8|TbgXywX=~en zo-X**vWHV&F!|nQcy&yKzRwMo021h+0tSg@%S!NUX4q#3=!aQbCeWW z2XC87yDLZWrL(XDR-;}p|9^~>iyD-^xI*ksyt?$jGSpZD9sN}x1vG7&7eQrslOIfx z_j(F%#gJag2yE|_Q8--|dC{a8=yzrlfhl1b5~nNPzOYie&guKI{h0!m_M?UTWc5#M zUe7Tu`E!Ev&!OfSo-Z*vZ<)viQ{S}(e{_CLe9u4?|GTrvh~_G;s}ipBJqk0RDscsm zlYAj28gdNgLoCb#2igWJ)M3ank0o-1%TczpdKP}1HAHw{u$68wp>(Al-C*3Gh*d^1 zR(#&z9A>0B@-Zl#DYy$nEf%MN*{-~c7Ds_-4f&Hvm!SOXvvktAJb?LSLPj)w-aXR! z1wB2NOZFc_g`;?g((@CPWT4bSlgA?u!HN=gN4<>7ydrN&Z`7W5rV;X_ZNgbxi%0zQET3=A#(gwe>TGfa! z+cc}yGYzXNkbq5OMN6(d&ZO2Nc0v^77*e(DR|Z&h79jSt0b&{Bkm;nMh369Jv+~E{ z=;%4MkeTQp_o2WkZs(&Q9#PXaxq#)PIA7XbxP||oorNY>AT~J)mgmv&bACfX=S}LI z5<#k)FJiIjcQoGlab@#oOx!gYSS^2}HjuqLcruE5>>jSxI*mZ^^Sj*kr z?L8RVCvygR&f${1jh&RzFw(&H$DImiQThBfQ+fgp+5)+y=)B4Fc6h^n;GEfD*1vE1 zB*H%ooe1Y^8-~s~O!FW!1op&qUbgSe)s`PF;$+qD}>} z=!?D7NwOEXFRo_2)54WANXRf${=oI6J97(AmSE(v zAogm$Wz6l4>R#lZ7B3qeKtzvR;(P?g*q-t)0gWMc*;AN?^nRE<%i=BA)>NI5!7UAS(s*e(jj|E@qfDz5^P z-r27p`XtcBr9Hz(2g>pGI7~~qDP$>{OrSk_jKcSgA3cpYT=-j}MsI?DH>!W;y zAW8v;RQ!m5`?l4i$@OSj;fR{4y;12DEo}Q}D&D+S+d2~kW}>OU&Ou;7`O1>lS-5FL z6`q?Mt5U39` z7qQbpN{D#oBhka^=L;aKFdxA*Jq;pkjtF{|Pd256yZFK)3QK#@y5t|&U961cZ0M@f zC6AzV|8}jjSHL^a0<#{S&T|0|f?id6;hDV$82N@MzSjz>&Ncp!RtIptY;0pUOX9DJNr*OSGX%uh+eQ0;J6oS>-j!hT#X+Jh2(w{# zX?KF^M84Wkgs6(c%elg)-Nh+L?T37eftSzB_oef={=RikblL$|vEk9OrS5Z!LQ0%X zPV{Q^GVEa&M?1f@n;SbiHp?YA5oU4{Cug%g6>m?M>|x?Sz*4EPmRvOri^5MbF13pm z=&!7C(WIRMd@PXzve$7DYrkn_zsM0Nz;Z~um6dz zR7_!|Nk(Cbk<`~bFS1m~Hp;65laUu}=`>LIq=7Je=BPR0 zWqA<2Z3K#J?iKJkGl!|)hFK1^CG&;BN$!3s;78u;DD6dDEls0Om2|hqPle@zruiSo zX=S5aA*KPEzid4UOhn7Fklg-!3_n+W7@v-C$I>8wMjfIfLwSMsFcxl0;9+FfaefHZ zO@~w~Qv;2M+WN=&smih5`VOYq+gCxWYdtVcHk>0)clt$#dpCd- zQjmWFhUGK=8oC!|4_rpI$1&|!lB&+roV=iMw4J+Ib8;wz2Iu-Qbp~Sa_MN!47y2Vi zGj}MewWIu_$T6*HBa8vIC|8L$a_0PA5UT}Uzp)UyRg*QuQPQ*IE@R33ffudW8yr(# z&`hP6S;)Us+YgbACAP(H(~+%iJlBosSblc^N<^NmxTK@GXLchx)bvX4Sf=dC2E&w zpyk^v;E-)?U8i|rou+m*3Y^*$geJi1ICqp zg3G@^q`cIHTH9*_?X`5r^)pC+W>0TSzH`_3?`pxky|};i1#R#JX5RioKuIfSoGI1P zOcxr;1-7Bqa4poq(s7?&MYMbAPPA+yc2t*U zp--1+>1y~u8l)5rjB}VWbGDMU%c{U^ARSvL;_oM7xn1jHsNyk1gKML)gSP&OzyA{+ zFEVEj)T@m&sb-!%6AON@qHD{pje}Y5*JyTKoINE@*AZ4mKtk~C^1QoUO9NEvs*uUS=k3)*)Q6gISEch;jQHxGe{ zS)7j=zQrpUzh4QB!Zow|Bk5@^TDG>ly>QY_MzH4-g(C@;{mF!9KT5Q`EJ|lJ!FQRq z5V{M#&cvz@w+X(~{K@GIQW4w<#_CEG+yn;gC=^@;Lw7V1J}{CYqA^n)(gr?NZaQ~X zsX~?OS*JmcqZ0~GiyuKPJM(YhrBo`4_N1I+^i?RbyqhTo4Ee{A{G+~rJK$Z1?pEs8 zU%F1;=BLsv;JGP~sCYpbqrwHRRH3Rf#{E!kNjx9t{5alzLf{3p(vbT+3VG$bP;fB4 z47XwGw}?69)`Kj4!n9{zK5#}@QbZGSv#|3K!`w9FG&80rMLOU8IjQ0syqmi4C$06P zk^wYjzhbNE;+5Tmdzn}4NjHg&;*Wsk_uU5Wx}D3?R|>rpN&)(bnO zq1qiGN|(=RUvUWou{|)mJ;W#udf44B^Obzy=<8BG9W6N=n#FPh`_b5kF;Oc3NWpA; z4}lbu)5-=mqWpol6c&(O$AY*NtnaqcD%3gwJ0{RlcLpp@fXHY-8+?4PRjW{1yqbml zBN1O>?ZAcSZ`Qzx%Yl#2Uxm1VfBXrnN9%4hb2nNA@uDUBBk-HBRMk|iqYte)qRgTb z#$dh|F$TNSex+|Bu3vt*hU6?;g_ig+APs@?dj*==RkwYxp8j0w!*6cDw7&$5kS|ca zv^Zi;lT#~q$``yRuD4PZHTo&x*c?*Pe z3z5m#7G4h`dw5$HXPHOk_i`_2MK+qO^0&uXdo(5*O+WICK)L6}>LqTE{0v<#YV8Ue zZ73Vq#{7awaGFOwXPSEsmApBlS>R0McYwtZBmac6#o$h%uYixL3`0&KN$sVvL`Bp5 z`t#0QCUx6E2Z#cjsTmbxI41GqI4B@%*}-dA{Op$sY^I2Cds` zamEZ*ZsOom);RSKjpbYhJk5RUuPG38egZZBYPu3<9U7VVy)5PJn z!VJ!in?U>FwFKvv1c)G{fr(0j!ICu!;^)hG?+&gQETvnfy&U(6^gR}u+7)_BpF`f? zL$PpflzI_WJggT+0bNpNmh`)sSWB0Hr3!gI`sRXlNQuz6+Nws)zTt(3)1HDs_=iRo z$iAtEv|!8T&E2h~3LOTf*Hb!YXESI4Vd4dMS$$6@3pp;@TJsp#sry5*-BK`eL%SD3 z-jS?$_!|Nypp{2D>R;av@O} zL9fy7Cf5qW2trT(Exe0vhrn-p_E*9j7G|Xoe(FuqyjZUCKZGnl82GuSLk4DoqlS!c zSwh~r5tZ1aa!tPC|Hj1(FLV=?GN{$2UC5 zQDhaq1lGYS)D#D^z$&DUWkk_<`Dw7~pF&L?xmZg|A(`0>isfL-oaaEhZWKB_XU;FQ zMEwb=YpLR3fxp78rRo;!8xGS?BsQgW;Nqk&kSVnTX931y+wi7U@>4QuG>FfJLySrJ z2`j%KZafVCzB*auQj-_4Ul_R#e0_081bRToc_thZ}iwl+Ca4^oAAhlp6#dx4s?)ofCS^_IT5j=XCb zG*N!Eya1V>94Yrk6(+tTO$Q{C_<0_4g^K4dn_daG{;K*zCYUnxQLmrP9kd9g+ov}&6jlP9kPq2j` zme2>uvA#>Fv!#(({tVCin)LED!ejbq8{fPQLd~y4y%b^V&3FnJ+01{Kqgr!4E5qEs zs<%4uvB`6TA2VZbgd$E0L9deDa`gdB$7R4gWFVSl`vB#qWi$>TxwOZD5exvxZSAPs zQl)M)+KQ>54#1wr!*JKew@68_Qs~hM3$R?WeGM?;vwpMOx~8sf!yad0B?Cwj&?Z^{ ziD&xV;zL{lZloU+wULImMGm{|Al*(olFxnfgck{L)e*s#fhW;!lWR1-PSh#Pf(MWE z4ak}~-r#iF1qjwdRTfgZ2K`u&9z0@6PhfV@>|MQp+2Iigjt$k#nOehhq$w{w}8A=$Qb2Ny|Ty*N~#~>C74{ z{z5;^`lWDMrBfVty&^InREx3ZQh#NQ-gc84SH9QX;LpFupVKe^*d(@tc??=s4P|_) z*E{P{5rj6D;cvLJ4PziX?HP+2>LA0}7K{!E-py&SrrvrdZA^n-jYroOG6^*!n9<%d z$aIyl_9#6Y0!Z~G;_z5ym&WlkQ^n^cKjacjDXg`oegyo6Z9&ZqeY^Zbj8f@05Uf0S zd7gE+ugEl^8`nXMji`Ll+5sl1G@AAppKh5Ot_*auTO%wBSA!1ExU}ie;8}hT5;LQf z#i(XxaNNpXbO=3$@vjhd7|s2uACZ3-M&!@q5OYUj!ohRAd7_KbY+y!m+z@m6i?rp0Z)kI4y09n)zycG&@0qI$-tx_7X48zqIKi9lKE7=; zeU$d49mRJT_C+I?LO+3EK=O9F*1Q^$WRM$s@90(EV(yV-mO9wW`Q%###6F10&q&b* z{$E@cmuBkeV+xAi;p3gJMLBzB+oI95wBLg@?CY6XrSomA*t$3?_mkDqey{D{*0kWa z%B)ylx^2HT>EbRj;__+op8K$af#`VZj5tE|Zn>S(70Cml;lWVQrz3z$opBsNa{33Z+*f?XPgSD6pSE!c(0cZX1eMgNuvTXC*{Hh%;{^c`f*S z$j#3nNx_!^flxj?EcgycoMuixns;td@Kf9YXb2|hJDJ##{3R~^+#3L%Tq-3*sdw8r zUp`6Ry>W}nRAhYXDx^Lg_|^}Q`jm+G@N=%#;0)_`Zjb*9R5O@VicdurDQ;s#x})r% zC6V*b(Fad)v03Z2jXN60ITG+p=={%-(qLF~TR1^$7O$D_9Fgq%QyPSvzohy~X^l`D z2@}OBs=$_4ZPF&}^V_#4g1C&*Ay&9R6{A%e2=B2^+1DzK)#RiBlye@+Nrh!>8XG*= zWX@b|+B;S5E=-PFb9T;r+EKPcHZWz*Ph2a2%lRMlsdR&!O#Auk9qOMQOt)BJaDI1XOw%{?v%+~WCj|L4duomNqtUd5a6bV9o%A!Zgb~RUZQbVXQ2Y#P zK9cNdG09%34tyBIJm%aTj$2UkwPiIJh*L;w@GuuEP0?7|JBcWm+VU5K<1sXWt`+R@ z?w-yrk<`VdalhI#V{*ZuNrN&3`ZJdg06^qe6D9l^MVh4soq8**QC$As{ zN>3f2SFMiw?^&TVjgTDU2TV3J_TsbDf6)?h&eZe17cty zu_l^(Mv+__(;xw5YW{f-$&;(yl?@Vlk7<(A6t4!asmoCBAlz7ZLHa<4=h|mRgY3C& z1#aTTDPNiSr;g&_b?TtKpm(l9jK1b!dk!Z;){$q3 z%lGpBEP{1qULNi|XrY%0-t#DOT{sO|?>k|}JQrchMUPqFMkNOGog*XI;z%)#ScDLZ znd#+fF4@(TQVqGes7w@s=aa zV5dc(0f3wgR5oN?Wo=_?&QN>HYnDt>)9rSB%Lw!+Gsyc?IBB8-s32@6#eLD`pK1H7 z7sHe(sIV_v8IG$r9CYr#lcQitGt9*L$7JGNL)~~hZ&Vg$afW1 z^g`tOhHEEi45YvBGg}8P-rU1j*cQ^(y0VdX_XbbgwwrE7-CAP%*7v#I?EAt;JU`(R zvq|Dgvvf$SwAf1?W*=qrd-)1}9_c|3`-5ilvz@?EAB0XkFCJop#g#^2xBZEGM!)~= z5cZ{PM}P21>XN(S%B9iaX@Ov#KXTnDA5F9_cmNrP~$icgT=Aqloem{2Y^ zD!gg~lj!7QUtEb6T*j#yNCTK z<)ghI>vjqkyu-Wb?b@-3T5DNMlLODgyTBgoJ%GR<+0zA}SePyfoJ8Iz3>)Cho-9;* z5>h86$LXv7RcMu4J0S}dSl8OL6Y`ON5t6?lCxa?%o3IFuqCG$Y^+UX%z1EsFp&l*E zN94=;3QPYy(sttkoclE*J$4QP9htyMoI4E3eFL0U{}yQoB%p7g!?LvSxArg|I|xna zfWNM9uWZ6a*8g)!G(K=A)S&yt59bSAbNa9lsPV3hmYbj^JyyR!c(`_eZWP zBj%SOg~>T!gyB#0pg@6-%uE z0Y}m;E&TPvW1X<}DuT$V|6}C7d7pBddp`->$b_C_g0c4ADi-6~!IsTqB_w`AkjpP2bq%^#A6)V_>{ZqQY$+`gxw%=W zGqa9)4W$Kl2w|oB1=g-fI$2f@BGidFh~$!y!m~!^)tYTqd*kJnjf*R_ zJ;gB~yf!rzXX>`Utx?bD(L>4r0=4Zb`1N@Pz=oABNLRyT(!Zz81)o&5|_K5wJ` zyG^PLhSoC8y=s0tHG1;f02VOB4zKDAo{RVTYQo5KClWft-MUwR&Q=*iCGuid1C$?G zkZxR+H66L&oifn?Hy^4gb20mtAtEH5ku?U2RU92obh_ae4F;sxUZo!O6>M-j%3xle zfa2s%aM~WSM^Xv%d13AOwemZ;aHbbbyu5EV0B)v4>YJS}5V{snIo1~W98Ga+PzFwc zGJE9&k|9m)=*llDei}uI*zywpIB=12Z@LRrA9wLm0YA zEMlCG$KdDc6?F+x9*O|?;$+|?Fgiw~bXOiqKak)YZa}WZp{%E}IUB74>T!4`5d8_c zHg81Ix7xx5E*q1I1P)~6xaxYnH=j)dOc)~4kS zOMl+hgRv~F)V&+&_ KqOy`tZ!Go?#_a2cP*ML{-bp(^S*Nhwpg!M5one^UC(QI# zI6X+mfGJ8RiFp9zfanpIvLHjR2d9qA0wBuNRe)T^?p<`NRHV&cp{0w+f;}ag%nO2p zaCNSL1g2f0usVj+nQoXk510JumpZ7-7)4sk5m$cvn$EPC0Gt5oe7^{~Q0F>VsI1yC zxYVU}t%F;DWIX8H626EGxV{l5Z}d#ma3|GknA-y7AzX)IQ<(mMu1C5n>P8;Lq$O|@ z&DaCqIvP2)2Wl$S#c9o7MzE30z)-1m0u*}RXOMdcSpRElE63YcMzTLf+$$+pQw{7d z5uv)mhDghEQH2F!1>@YrqI6pemvx^koPj=Obi!8p5rW=vmhRhi> zpx-QCQMRJfOHK2ma8KIV|1Su`1m?nGt-syS2i$+iLT)TVbU5Cr3mB>r?#UM<4>fg& zswz@yd0|u>fAhu^k|x$i3cbwrFR53I*G7>H9(?2*ZNQ76=fNwW+_H&?R7+cd&BYa| z?$UzC^$m=I+<=0F6 z$!OjoO~X5TA=-X3B${M?YQ+|K|3UA3P$h%Xk(j7&c1 zP8cN<@rrUd45m667IO@_Ho98cgNmY#e$&`j_#uWYw0s*)m|VY3trw)7TA~DwYQRuh z!6)ZGsjY>EWP$g>eGWBp%kDLX>rnRD3=0iKv;Ie0R)yN(H{vsXos^DgIm|iD&t*PT z>jP8YF=GKVp!Qw^_CV`g0TnAfG&7E=FPhjJq-Lt;3Xxj03SEAbu}wTqAcn}+#6qNL zur(X7?RH1F5D3@X*-WGJl0kr4!Z;<5xAo_Sz;IF1^+LCBy{C8`AO*v{iO9NMkizwe zt|aM8q{!j6d^m`1FYJue>eb?zX!aALf0dC7Q>h}<8O3AFwwECgrT|n8xGYdc-6RnB zLlZ5@R?8uiFu9%kQb_p24^4Tj1mnI09vcR zA<%c~v1xcXHy-AmlJE4XtRb2XxYix|dLQ`wX-oNN)63Dct84?LcsFG7Msi!SrXaX4 z%oJc9p2Bs@tw+4m{%Rb2s%NK1&;#xXu%5h%n%5*h$t{3HGK7y8AqncU;}(}WuUXYp zO~YV&c|5x&UX9fIru%wXdstSJ!o(6N;A@&>by&K^0_;7x+LvTaD?AT3QszsP^tKko zWbFzm76`!jkem?Zf@R2^mQeG7Q)UHyBrQ-@&klxzC}b58S&VkArE7rq=W0 zvz8(Npw;7?#S+Pu)2J$)ha6*=trH#(pd?(vojLsl=dkmpVht>5vc$N*%op#*XKZ=7 zeIdcT`7uNs*3D3^`jk9z`c75wUn1wh?)3Z4#(h_#bHe>s`5%tS z|K0w3-pD;?MG0B)|8@F%Vm}Yg4xstiuYg<2^B+q;#ANzlFEFwEXZw8-vIl$avo-zY z06k!A8ea+T{>wE=|HpOy=k5PINCsc(ezX2QJma3fb*}~R5Zot(3Z4ER7X+F?|GCi4 z|Llan&jQ_a?{fa?wEyGp{N37n0zm&cJ=ntkL-XxHKS2NeLwV{SSET;ej(f6h555!f zaKO0zPtX1}R{nPcMg9e}3}bt?r@x-Ang{pN53o?*BFH zpwSOD{@s4K=m+Bl9*6&jVF{h||MHvv`>^{lfqP^0|9k=e=$gM9{otJc)jba``d$w_ z==A^H`oF*Pk2d_h@xNN{CvP1=-ZXwoKa0}Z5Y3Jq-`g#s;$q!6I&g_cFFP^3r^kg}+(QU#$33Mwih zN;Lch;$I;@lX+7aA9W2Fmd#PYoH8Lit6{P|J3PMu)Mg0y`y2Kv2tn0fhxLE^ z4cEn{|BeBS&%{B7&gs9)*O>7$XH2Y{)Gb`^!@7sCb@PiLTHiedXZ=6i^)E5p+&!jtTSNBHc;*>;C3D?dUw>1${Zb&6~b$P(3gj{JCrSInFt z^jGKP)npyCK+Tn7$A#+|24h^^Tgj+@lPP@~Y=YV%_m1U%M zIP$V^3D!F%XtL}sXD(^LIzfitIazr?0Hn;$%8?cVsb-|8`8mKImH>swb>^4oQKaIs z968<6qGv$DtIeWXW8@I{!&~hj8r)D!Wy7O zpIIDLU&s$xI$l-uclT^@;~XBIT% z{B0Oy<>bR4-m2ht{a6#7KY28gQ&Yp!WgKhjSKD2uzBNH}7 znW8lcJ&BIFxpP)tGOO=lQYO%3l_}PwHZjrcEl01+?`zb@=`|)UTH9Le+)!rK$D0!L zyh&$DjMl4T)}EZ;)C(GeDan*<5=};O*Xa+Uqni7hG|B{3OQBxUm`y3ssoK_IkVay% zn$k4s2{u!Psh25JV~>{ac>e13hsNrACuEr%#CdL-d()|j4@bVbCMV>WTqbw)V{d-8 z^yr0IrhJVj`r!E)$KSg$U(+}G(AWn*`1*$%^Nw`lu+UDN+6>xS?-WxVQ|pi2i55{eO~0NWiEfpSld0Od#i zpo#B{;urrN6ko6WlO ziUinULU=sVgK!&`r9lK9g3#(@g$Y?d{~%JGf8wA|56v&`uFxe4-AmEdPcK1*ZiWxQ zLI39){FnFo*ZSOs`N?H`!nFz=qEJUFv`3^uRRDdif&XaukAr^&{1Zmm7ef&vf03d_ z{-CNCNAt_0|28S=m74BjNU!|k^hlBZxff3B#9to%y{;9%k0pR9*GI;e*{p|wm4Ki^ zqD=}DiO$aExGbC=0~>IL37KM|i;E*?LG2RQ8Dqkv3aAK*iziOh$7qNtDtg{Lvl)&= zX-I;yKgm)=FI!ez40R93l98VFkAX8LPK>k-+-lh}jS{vw4sNbUfPWK?+&39IK!OsU zfukdL*DIg|QScxx@>d)wo%My!|K41rq9ioFp}V~f1C=?k9{CvB>&cIw5Bqy-glzcmV!hZ3UuqtQ4sGC*q7F$h>1^*J!IqM%XWc`%Z&b=5cj zS;3VMqR?HzD-^n~qOIS585t1p0R!TnFB7TYfA0NvVt^A*D)<-f$A79*+qXt7YJz%* zm=_~VO4oc*|LNY6O`MnxtHB7kcZ6lh$^Y&<7PJ7v9;P-m*s;T85PX5MWxD3&su+(T zvUCDJj=LG+z$4BGI;cWKxX5D!lFE`G!kg%lk|AiuVZ=8I$7qA1bRzj!Dh66pwJ9`X z0!hN@ZjeEVXa*2%3Y%#_$H&^kT(mzPgEFa02Gu8G*EI$4B&QDHD|i&QGD6NrYd8*X<*f@MPClZu z1OWoElX`4}>;?d3f_=1ucjM~iE7jHfTr*xl;C`#RU}0+`Pa$` zkyf1o0Ab=1pjG?2@G*qXt$ZDvspLjK$$!T=7g=s-Rycula1mfDo^4!@tx!DtoOF{D zNAW+1*{H5y5>VliI|L^l&X1?baJasj`I!#q!x5G{hBpwK2V(z4oWW0l3<~I#*Q~rV z9LTrTk-`VaB%HXThs9xgo*ecJMq*Df4+C2rKO6|=`;Pfk5e_jUcOaulDeFmaa-?74 z)1hE#nBjnFpu7=l#N~W``+?g9#BxgeYT^P2TBi-t$cfF_faN8Ksq}4Cf+7{k2mwg^ z1=N5C;^VICa1IpcUDs}REtNjumdIrYhn?lfy%{+NBRCm_$gSb)(E?ixz78)2S89O? zBFj<{Xh_J^4aVvX>-d=Tiw(|jG z%agY$$RdUO7U1`TH@oAJ`U1%Em>YhazDo=R4~t0=W(6?^+h{h{^BrOqi3Ptbz)%3$ z^oECh*>3RCyuD!@`xe!1jJ0d9lS#l<|2nh)sN`5WO)r}&KtyCp*PA9yHq8ppgw?Ts zymq=$9Oy~F!9D5)rU^4IKW#AxBe9B^<=c1Rf@OkONt_+!^t<3CCQdZjhKha5ujjMn z&!Qy=gV~5xx<;jW3DrhZA+G!$@7>f;tvVIF=00?*m_gk<1Kc(w3vu3_h#AfIW-5Tp zu>DPxX_!R)FYEj&#;h!y)+mit)XiWLnNqt*vhYGO%VyHONaQ;&0g;|?u;#c zoQn1dz)Wd*Hng9&H0`Ge)x9c4AnTn zRyXUMvAA$G#C`H!X8Do-I2jC>IQ?N$DS74op@M$=z_@o$7ym)_#mqxEM)abi;b+GATL8WF3bAdJnu zxRzh>FQ*1=k}*#v-a)tLo-M zxGJ!V*&A@7;2HXQa)h=cESrXE*T#!oc$`KyRRZ%lkKDtM%`TlIyFAw+IzV~~t0L0p zafN*NR4_E^YC8Ka(~*u7*-WKwr?PzxP8Kr4PnIO29VN7oWF2S~4QGGdU#=a>;={yE z`}4r;+_A30kDAwMN2&2DB0=sUUP^})CIQfa+!MJ}{JS)l*GF)n7bB?;`?kf&@IsH?4g&KZtqt z!Uima=Lp8Y-AJhO4n)m6_=}JlZh6~z7I}O07?Z+zJg1PWQ>wDx}6wsjbhX0k5H!ufQPJCx=PwVvMp^!V=Vrw86lbO$MdcKUzOX6uVg!70uTM{8hD%d5;WFXd%0Seh;Sf03E;Tq0V zgjBrf6gUubmi}OKGHl}liKybZ#&0a$z}HyoV=GpnjM=ebPZBE}=gMde6`jWsAJ0D{ zXjgUcjtO!I36EDSgoIn6XL-{{RVDqA^pJLv`ofPo7p-w3`c$wd6E}7aT2KKWK!|&< zXdx37a#_Y_s@6_pNMPpPPJOA=F#lgVBjyb)+c2a(Z9mLFU+XJaep?VOMnFnxxIT4YaI5(n{8Gm8INcSyI%E|6dpx>2#G=I$KI+Wx=TN8du_96Tx zk_+8B>OlPqrZDdquUFQM9kaDXa6iic;gn7O6#M(|`^r10wf$Gp(^h?qI*oc%!mf}Y zM@@SwmVGbQ{cMyln2~VVn3MiyFGv=iERjj|_)h0#zR)Uluff8tgBbM)cwd4*+^~HYj zrnI|J>pEMfB@dv@pS{j{<8`N$C$}-0)|r<#F+T)QJyHbu0PEz>^h*plq~C|rqT^V7=9&BkP9%h=EvOH|WoVnrj^a3V+? zW{~$2d|^9&gP+0Qj}O8GGrbr4l~x>I*B>w`$#@x768AuUBkl`{iuD&PDzc8#3QkT- zs`1aQb>^>Q>z-BL4xP84lms&_=*iBE63Up|r2_s5w7C1l!7b}_=VA?=lwSxFZH2OE z<}@IHNur79YTG93i^lVdy6$bYh^bdMb-sk#bg5j6Q%r+2(=THRQ&5wVeSo7TtO7dd zHWGHPM#L(N7v_t8p=Y2k5^n^&a89mRitv0op10NnkoP5}VKC<}YYy`Lg`Ic|2&Rbo zFLGHed!0U1|2be{i<|BpjSi?e05){}NJipBGJ>oDa<7N;t8r$_PlAZsU_DAkxO1Xt zzViz-yC~9$fyk1O8Qd9#yx2O^7=F_53LAREolUj8rfG&@s#4Sz=AgP!`z>Ug@e0HA z>ba`SKhu6g*K2qO%y`Tc z(0LpK$p`+G_UaBjXgr*Tu0Tu9*W+QgLM=1i6$+z88E3_}|EG+M|cX`|!v z2a+PkTx#Q3I+bHRd1%jlU0*TvTpVM+X&fd^T7OUZNDR?=52Vpeog>L;LuLH=@0m7i zmSRyR9w3_#$vv5j&w=Q97(_W4kNOrYV}_2oz_0|OrrKR&iIxV0Ae1che-&6*v&dl6$wDkfzFczy06tIs_JlbH?5wk&3iC*>$rO8^qF0@oTh_v67D5-Tt;6>*6#354w>_ z^ftlEIqz1iAMc(3c`u&c=z1kCY{8zHDhWWL)P}y)@Qfy0Y5`QRtLda?QZggQs?4>ANUgS_|8SfyV5XE2xky>`r`0x z=YA!bOtxb{JaGb1h{0yHH9@#Ho=e7oA~ly<^KawMD&(Cj3A>pY^8m@RJ%Okqb!H(^FFK`O;`Qb`<6xmVe>fZ|LH3X6W4NERct;L?2y^0MzLNMW7b9vY zSps5jVi^(*0Q~yQ$Ynz z@AV`q49gj74@!#Ya;9qfuFi+Gr-aMx;5{iUM#M?ZGe!H$7|n$rs$M2{OAoZOzUOJb z@Ohhvub|&D+Vr7?W)~$O6J!0qW^7?E*L}2x+%Gdd7%x6gat(Wxzsx7uT3ftw(&WsN zmwWhYaX( z2?0Q}am-Bx+qf?j)27i(P;uxe#2ALBW}IWT%=xIRId!-R?Y9HAJ=@8$$C5mKkULfo zhm};t(4n{)yZLgCGeGL%I1<052CQEkE58Oov2-HP-{9flTRQh+1{4?G5n9VjkmiWR zlau*u;S)TZjPLxY@niA^&8xc@E+~Oi@;tn-Ig9Tt-W-7F&o}tnS_a{xy!LGJ^sRKG z@L0YV=V=uh5PT&idl5Mva3Wza$-%ecgYxr8NFiVGDdHJ1g?~v*D9{Ucd%hr+1qyla zXWw1mbx*2FQyC3gs0`f#%kHYJjHPw0e+#3fqurH&JVai?mGp7j*Cgm%i0eJ1HyH=M zHp#%u?sT|ROad8!3fV>zS7`2^P}7crVQ)KXc^N*ioy?)fT)ogP`%uekW|vaiptf0v zAZIHGS6v0VulaqQD1e$f78ip0F4(4fw5a3O=3?IBzZW3FIIS}%c6#M|)mulG-J&x+Mi>kpA1Ta8QuyGf~iQVFbj z`LWDMw_6~*ze_w%0(6w9W0n=JNhU?+hgBWc{V_IuMFS#FKx!&t4LKTiEVtoCZ46Tv z3ySfx#vd{{j!tR50p{)FP;u>Z-CATn$>&wS;%!7@8pI^1^ZW3PG(-jYKE!K<`}ufr zH=iKvq4B~d??jk0X;RarvpuoFHn&+z*tRDjT3(n$=K-#ext|)Z!>qq2Sg6K;V5@NY zk$Wy;ibxuuv(b=Wh1bzIVG-W021qz$re(qJkgRZY%{B77x~6S@iMzz=~`wPUAhtL^M8zZ7a*-2Cy2w1)&ziuC=*8U^;GYM z^wnuBoVG{TGm%_)=dyEyIFob|i7&~*aqTiiTe&@x`*Q9G7sHds@D5|azRYOT%D z-5$pqnT1!!(itF`X7UhhD zds|O3cR8PnvfpRvk~c?14A*NdN1aEaNC{Z$?vV!Dx^x4TIDy=!kT2}HA>%pP+@x*M zHY=M`O1ZinoCeL*-r;cWK-MUgSYCBlOvqTwmK=*R-x7ki&emGr zjP)gR?3M*O4MU71Hh&o|B`d0TZrDpR@rLGQu&8gu9;_#?@j9*vAkAFgb0+G+BX}*J zO6okI9!?G3034(JJXuIM#sNkZuopHCEw2oJA&deBDmP)7TY%DpUrC zFL|(AAs?LBN&Jb{OMGek{&&h>F`7)xW2_@gx*t?rGE)jFSgAROX}LEe#>({OP2McT zT;I5h-T;j_7#gpivk^C+YCa@Q^;cS7P-?$Z2i6c~Zs9S42YA}?*fd4QJo+GOR$-Ol z=S08S`x9|Rk(Vh9QMwwvWIe&QM4L~tw5R-@!miwMb>$U)D4FDL#q433H!+{WBPv}} z7!!OivBnsPL{AtV7MMBqEqf-AJ89bf8fKc5OG`3#Co+=@AM1a4E-0Zw8}S1__zWSz zo(o{Y)Yg3K*}?pBvasV6NefJqgjZc^GKo~m@ksl#LtcgG^Xh1D9oEY}%Yy1t22N~$ zUJ#j$oJh6`M$2#^j!wxx)!E97bzNYBks|RLoWqRZ6PS_R{unFKNyTUepU6y?UV^xf z=xAngq#z?;m3tfY^D~)+_NT)GLJ{9aue!Om3;;ib71Vk%Th2mwZOLoVbc9cjR|B|t z4q{&Nh7omjMG`Rpcjrgk9H>;$0MZ}Y+)-&99ZOAo94--9|5R&rER%WV4MVdAl=eQL zIrl*poe&@=$7IuWu3H%yzeWZIuI7j-U|70}nXz6kCQr*=NMl3pLU3xGQ{d%zd*JTq zwj@U|^nvsmr{T7O=FZ3akNSc41COQ~LG+Hm^T;U~>|VjbV!yAD3>6Ov!$qD9G1RCW zBM(LK1KE*uPYF(-Th|}NqqGk*>;Y=^$I7oVtjKGhpzJ#g+e@j_nzd8GCd?*r74OGV zBbYKw2;45#F+jVKQOMHFu)uz;q;clAC|PcplR}fcFPfP|VI`!w;sruE^+^|pgOe&z zJ5ELOy!TUlK$ukE;SR~ef@GTIRmZ9bJ6kq>0N1s=3V=`K8E!mfjqxhC1 zi9TW0jL}IuoR8_ux5pa1AT9!{QV5V7@kP#?arHnH(!CZ}@mj37%(0ta=nML%hGMYa zyfqD&v89&sFv;Um_yV#4Otyw660q0$omzV|j(b%|q}jZ%phy(h_u{6%K{LQSKZf*S zxbiMM5o?8s(vOffs1jbmW^!Dd0aB%uf1K)#PsD3^;t^qJ9TrY7bpV;$S=*sK&O$<^|ah5y}@(hO>}55fr(qc8PE

|;g;Ixv{~j@u-TqXS{lIv)3;KhcGNoiPbn1Zo6&>QL_scQ>CVPHyH| zmR4Xroz7^a46yvP`xWx>Uskq=SDNfUaB&~$<@eQw48Rjnlm4;>v55iz&NC&QS`w>G zw4+JRT7em%^<>JkV+^mx<386qRZEUSzP{_KCh)r}pT!?7Wxf*U z(Pfr^^Bqj|W0wPi6qhaC7n;BtJZM$<#!l2(T6gNo$kO%GH;FexHnOg-zzTZzE>agQ z^Jx8#cs9NRKn%F+@KAi8^da?um)6~>ykNvb-Nz6PS&n3w)%0auxu!)e*TpjX%1_`b z@h9rB+@Tee5MdE3Y_?1$qT#jipdxe9L{~c=`GbZT!S&%Zdrp8$09VvpM8cAd`N%hx z+}FNOnuJ-4T^J%@nt+hs0_T1qz^2u3i-C+8r_0P+SReX zAS~8O*itp-gw1BF3Mb+@wv?JgG(GcLe&T{wgNNnxr7s)DSHg0sUW^QIKi@$0(yhj; z90lhl-;1;fMI@bmKn-HH@tG1T1U^At0Wsy}XFBdQ9#HwC*oW1Yb<2NA#hE_0^LVOc z;C%TxUdRFO!&!yLYJlDB4FG;5zs;yY1sQC182}|7s7Et(d#5;k#OEQ~Ix{h2>>n!+ z)0cPn63iF$rR&UxlW1Hz;D#OlYnh43;1(*ExC!zh~(qQ7QEvcmIBo08)Pfd4%558H`f$iL*1^Pu$J%nq7C9f2 zN{h#OLRqKN4pEukildk0Wkzn0JP=EbWI7vLXx^20;YstOiG~d-PNX9_R{Nq#$g~{J z*qvm*z3K(VWGqXgbzqOH0pmiAyh_9!HY*>bg*sR4`5Z8UR~bk!M9fF*y|MT>z*{j%<%SCz_V;Yl7?x&9^AzCS-aWA9bL^i%`<0Gh z-f*jWlL7$i-l`7w!5NUjMQzFXp#5rDD0pwFI`^i z0nEW%c8C&Um7nMCwvjv?kfN#GKScJ4`3W;3ez|PMBXZ3+VF=#b0K*ZyD%EzevD|F=$I=lyJQZ9 zqnuh4u7nSt!O5Za>)>Ph>?Lx0G;avfa*-?v3p2e7Xd`pF2V6&s#cxq8+c z7F!US#+KDKgL+%ouaub39ANtc?BoNCWeRucvltxIWvk2!1n`uW{5XnLQl=)NMi0TC zv^>d$)-QyZr94|tITx{rGk#bH46Q9^0=^vVz|;JXx4nTm(!_B*{Nr4{X~BoKn@Atf z3uK<(#Jo`V_0r!d9`^hEiXgWx}8%9D-VvLz0v$V`!e=w zt)rOco*mP$$~qDj(9~#9Yk+04?m?T%GCcGd<;^=8GR7hZBDfXGk92;!zJv~7KZRjJo|pjb0s&6EL6o`ctuG}? zmiuy%u}dN+AxucPY=6w|K(e)$ zhL)Aq;BWDoP+w6iJcIj+g1I39561HW4+86TYnAdO0LB(h<9T#AV>ov^Td5RyZ43CD z`9=6{&mzRQfqi%}kN^#d$BfVq?}X`}mL4Y-Pb2tVZp@e$yQ9NAH&$1xHZF;6i4w#e z9}9766>?3%qV`Ae ztb7kM$k9S(oAb>$$TKu=&s$6`!8DLK4V6jmi(ZGlD@k|vMqek#?{!;?0 zJ8Oo;+4x_c!hOLrkS!03VM5lgdlSy`fOv@1*ak8>x~mXisoE4^f@6BKA-?MiSdg=% z&bms8_h2t?A`KbPzoe>}jJe#~8Rwf}_-#J!Esdj(9-GOQC6YGweI;2at1vOR%g}`v zEwQ*9S0A_x7N8=3gL^HaX*_7yORdNzvZ(G-euK*Efm<_11Go0aK(X@sT?D@B3tqb-W_!ZSZlmr{&PUaaAr{B&GPhdNEj*gydXluWiev}|wu zEV&&|2^YKL(aGWN1Ox$29)3I30@vw8?F%*`>{5AeLcHK{pu&AGu-uOq}H`mwOwuZREDtfo=`-hUjIOG`3u*j`9|Nq$Cov8kwyCWgB-C?-@R+?*}nEyE34QucZ zc$)49b|3tY*Z6bSpYQP3p1)q;@B98J{h#~(R`l+Df0g@>s{8xn|5on54wp{+E3DV_ z&+ARUhxwYI?2tkoDZ+obqPqmwPKOUu_vU|lm}w?{_K_@k76E7!H#%KAs5{=ikc z7M1(QMt3LqW9#==;6FC6!8ZJf84!u3h5+ChGs2Nq`y(Fs_swpwwn)S(ErsM!l5=Uyw%pIhAp`g60p2!C#N-|5fI-=A922)D|-7VQ0d3}+-T`OhLk z$TB=5^Y^&r?jX-=C;aicaKg1h{r%$ZTZ1$HfB8lKl3%p?ktKgiPmh7FH*@xa?hJtK zrxm(~p2F5M?MsOD?W+(3=0@rN6J3+Sv#&{nKg4hMXz!L0lP3RN=ydPp;j2`}^GSX9qL{4A%e{86z@zjY$9d%p(p` z$SF)}awPu-5^Cl^XluF~=<0YQmkg*14D^y4CPq>z*qV))%pmM+A(L%$u#2j!}B|_YvFoz@~BQtz>62`Bh zL@@1*q6&W-oq&~GI!$%h!$CMX z{vP55)2U9WhH~gMk%>qnYOob2!11LxLEk+=FydxQHE<%+3}qZb!1REJq6E+y@$hR| zG~_XEsx3M&9F<%|v=JFfB%I*}t05_5Hqj}<6ZpX-!8O>@KnD9al)M_{ycLnuiUNeITs^3D{d^MV z>H)Vba`YgHuCMT5AywEO$sKX+CaIntH*BoM5y|K{_B@_-(%vkBM}}s0PUm#~mBFXv50vVN-ogtI&^#TF!gsVC zpu&a&MB}O+Fh+n{G)_)19jBiOhC0B^h zry`9Oi_&Tzh*V?g6I_`KY^UqvNZjzD7|-iE!ws;+(D$gPzLl^6JJ@D5)KJ}WiQQ08A57qZ3fZ?={|Y=X_$rV`@u3Exc} zUm|NoDH2u+xx>p;cnkk1UncjAnOz0|pfsI+C`ARWV@t8%*)K|JD5UON>hK9^v%21`{^37J}eueX|}Hqlj?6^GbjTdU6LTJ0GxNi`zkoTE{wqd3AJ@Amj+&Q zD=K~63t<%J@n)_sKIDM-?sG5NZU}aeTtl~44Wr55O$HUN=G=WeV{fr6z$ z!LH|5+dc$q5zuS$L0(t2R}LZo;+QY2Vk_gMB0e7vmiD&Kh1Sz_J;eUNY;mweWfbDs zeJZvW<2e}(+{*qf zZqoY4+v*@N<7&$U$P{&uR(cATjeS{RX==_E>u`|hQjy2E*6E}VMWOUTUs-(uxV?14i%~>epV3azoLdMep2mC%878ZRE}VL0 zn>LwsT<>pj*r0cGYOo7_B=I%IR1T*EZ>A~2ou^hAe@mb}`9hp-nZ~3!j3*basN1>+5jm`|<)luDGz+$P#w zlz&$c`MFY(d=aL}9m~!((tCX)s+M%#;yVPvGP`{{d9Ab=x=y}fqml*!k4Jf#XkC#K zdxFoAK`=9OcwC(ky70yw$JjI_GaFKsAHbIVdH88xnMW6`dr{fB{{2&z@H@4}pDR2q#>Ao!K0i1qndg1h$f1hqwI_2W!f>HE zC-d2LDu%DPGnyo1{Gw?lp(Z9959H$44{sIljK))7l-(dgQ_>~keUuZ|w+zEl+pzGt z=GQq+w@lr<4|1<((WQ7dpV->BFayy}7ZQH}4z3&$8S~>$wDeCJqX9B!komqs=+7fcZMJ zbCvI<(8kaHNTIvfo7t|_d`~b$;$p0dpA=Hwp zj6KTM#m(=V&nodN+{7!Tc#?m)@f-so0!_)7-Ef>;-P2XorN_FOXL?9F%Tbc*a20Ne zfw^NYVM`_d+M=mDf>1p_%{60m1?n&=pDJDzOHZmS}YVM zVc$&0NMIj7fRpMU&?%`Dq^Cm9)%S;Vwo#xEF;;P$Wp>cR^yK{{J%597opK^beS_;J z=*|0VH;sK51#Q4zGanvW0ao!bF0tK!uiBD`yQ&xDF&DwuI!i5Acv!Q1MT@Ye@l85C z^je69B;&GJoJNLHH?{dojTR+wvM;9lN}-Ff%jty<$feX(D%lB2<5*o?JHY;yZVEkS zd__sd2Ny}~{?~o!!9`eby=$DqfoG(BC_TL;&+)4hL|cZX4Aibtr4WDe3tEY%8RL73 zW`5ld2AmO$0T5|`$PECl?It=$DB!Pm9)s18m{H#-#7n={o#JLVOAvRP;ILe2_Tcmj zfeX(WKczUK<|^u(WX@OlyscXRN=i2>*73&K)4q4<4Vq^?J zCNgxrM0)a%a)o>vsFWNw(*U{AmB*V3A^1Dpk;)@mJm;-#ZPc%}rhTb8tq@y>e!j2m2OQ5A z(AtQv#EOUTR{Vx8R^4pN06`+qtP9a?L$R)91i(Ja%?B<-fv2cfV;)PCuE#BDRm(}T z>*syn(^N;bN7;jl#@Vr0z(4&fnOQd)*owLLgqVqR}q$2rvlwak8koX<)(5xo+=eyDUqtGzWiYY_YEXSrRP5sTFspcamG?x z<;Ez`YIg?vLx;%6kTYPsq~va_xD#PlV=}&;jIsSnlDV;X@2Q-RI)gW0tLHgnTpWvY zTFveZd>IG(v#(3$fS;00n8` zGmMohrg79HtR1US3j^>0M*&l8uhtHwo$vWx5R=#`RDKyXF2;j`DNGjsczrWY1)b&` zX%+VFJI3^5me(!x*c72kZUzn%PDQj>`*y7R2*RGO&pqi1|18UOxZ_F|wUA`t{(Up3 z=ptKc+jfH}PQ%v$!G@{u7{cj}ED;pQeO+SGg5zYP`9+WnLI_6sM?xR-7pls^fY8mo zgr$nFP<<3O*`K_;nXP4{C3K1LwM_1itwSD%>qD+ElM-5GTg;n-%VG44B@O#dK+IX) zyb1$qEvYYu7|P~OYIN*nR=RfM+bx5raCQk_Qk#KF#zvEa!(*a#xv{}@beiS3P21c) z_KRr$L0COnjs2*(KnW_qt@1$t$C$(?@|kogcQ=s3l`$~ju`ARaG#TxUYv6flByUbWEec5uUc^02e zS4bXEQ*Ba;Y}4=|BQNTHhy~R{i*q5>rF1Kv$FHRE_#xv-4SgGHjSv%%iZ_9>J)U3A zrO|vKMb(lNyvg}80!1dxpf>301)SzQ5>3+fExJ6{wZ-_c%5w7RLa1Cz^;#mh_BOiA zZMkFDN1xOgztr$~{4GF)+BTEVFyBl$Ex()NgmUf`{PF%CIgrrNg@CJz6nULNh3>iDu^2VStR{nfxN zQ4m&qD>fs$flZnVD{f=e<3hYV6bU+4QfGsw5w+jdPH~b!!GabS@0u>T!!HF!ASi#4 zWi|k(7mKrnjP)=_Kzi(A?QJ&W2Wrt&^{|lOdb4ybzSkCn2+e(`!7lJT!l_0DLsMH0 zP#@u{?jWpqoi9*z2Ng@kA!2br@`jMw#^IZB8BNNQY4H!jFqX|4o9hT-aQQ~5{8ZIB>D;4I%AR>-tFvRT4Fk)OkFqb z2u8W+iB%W1TPbFJjzpEh=I?pB@GW@y}UN8lTdk;Qab}g|;+(pCZ0I z?}{QJIM6}(s*%!Re&mGqW4h4|7mg*4TOvKHPg@;aDoonewzS8T-JK;#mdCHeB-i(s zjwd&~5;`uCwUceoej-mxD;Lk36NkR1p)+tm)w+!jhGy zrsO3<3S-kB(G)Rf-#t^L@uzkbCsa-7^6SIjw3Z}YJrYc~^9Afvv?vti1B_$Pu>mG- z*uefz{j9AtY7fVkXPZ|ll%-344z4Lp6W1KErSI7OQXtd*(wag4hrKTkYvS7fJ|_$2 z02w%eiA*445@96K1Tv6;M2I8;3JRJiC@9pZ;8Ia>$GV~7t}SjYS{K@4tJbY9b!ok# zb*ZgZZEb6Z)J;V|1doB7r&Nvn+Tbjzm6us+P zHDGqMFVDO?x|jBk_m}tT;bB+w?&T|5QPd|;TU1u}(hWvezJ=OtCE`U~1KReP1PF0J-`yC-(ko3~c>>7V#VNdM7ONm^X>=v|i!1}Qwv z^~#u@S-rdZ6#mtYqsH|!s`DpRe@agzy!`2yx%Q8q?{hk{Rmiv(vyU$uH}MadM=>^B zwzR|h3E5@i7bgF-eEdfnXO>OaJnZ#LmQTlj{dE5&lYU);KdjT{Yc%cFo$GvvS?E-+jlQnBMo+#FM~v z&90vz*YsUq+vz%~1*U&Fq`sVXlk(F%Y?5LkQ2kNw69XV7tVSa63j_&5oclhYu zk$%3O)ts6W=Wp9}F7LkF%~yZnrqO4ZbD}Y)d!FHodGTNQUzp#nc;*)!%y(PD+nn0l zD{N%Q`45@6>%W|f%6KjM%CZG?=q}U3ExW$?Vqw#BvO$Z)(_IIt9cu>+@|+o${X*A6 zk>f7s9Qn8;G;({aag5I-Aj*4Y_9riW?EcE$lsJe1#Iea|0vBRhof!tUb z4Kd`I5RGbp2o@gj(z2Cd0O;gIt*|9BJ3CS)XO*hf*_-fq#inf1AsTLjC$YRj`I0gT z<&XrmnX^i#z=(vh)r(0DHfF#Zvh%ZFx_5K%LpZthQ9*_TMvk3WG3LG)_bau#NY;{3^iIDY`gNWq*1RS*6IMHl=5am@^2e|!|u zG)DCx@o~J%|GWzK*UGd15~G~UG8qr;smd~8Wr)If0f&bx5AUhM5s9(^7w5p`sz^Dd z#>lGJXS$vM3me7&O&W-lcOzBdje3Y(26luv+@XpdWHn+kve+>Z82-ZM0g1nIR@t!Ic>Y$kc zl?vAD9DXf1SaB#2e4_1D!W(;n4gV0P)0bT_`hK(DZKXXEBD}jDn*IB2kmrBV9Dmy# zW?^x%&n3%bP@O7_dgyTyaV z2i@YwPTJ>MCH{quXvq5aWypA47PA(^pUr3#0t zGX9VgS=_sE0NW|=6p2Gn3J$@FNI8V=w;cvwAX^kSp!GG{2IOpj|z#u3jgoHZ0eUG&wLwvb`{(J-Aq!T23)GhKBpcOnGJ<%z~KtR1*qd8 zuow)>J~uM#P{^*E(Bp#7uHT|S!siErJtFik8U=-~JH(OQL&BY@(ta2s+};a4VgYEhSkO<^oLFz~_G3rr@UVqP0UJCkVhq@iE0eqhTLXuif zj{-5$JuCbOls5bxGm;slyUl2_3W% z;7$Un)3@)lCjqh8cs#%Lz0-q76QqNzdDHU=<)GRlYW8_*DOVeJpVD)@H}FyPeQ$x> zUZ^%105mhhgU6Mc>4B>%a2crhRvd={-%<{z-FF>e#|8cwh@vaQgRTRZ&(&ijdY<&` zrR^c~30rqM@{w558`+iViWC={9>h_~X(6e=y*eig`Gy5LDtgJyHJ%$m<9VI}F<&w5QxPZUi`#H!F=>s2;5Ui);QO+siVpq;3B~uv`oAqQ+G?L8%4% zo74*#w{bRh5-_D1SDI6dy8u4ZsXnjYyJJ3SV{A=U+B%~h{Ybq20JvB*m3Z{Hs(1ue zW@VlRQpi^mex=SBIHm>tAZ@>4l*U?+H2yQ+crFe(An-4R3){UMuW+C6G{u?YAlmx|jE?Tylu^S1QE z^ZcM;#$%SCITc7TP$u<}2mJuv6^FM{f9O&Xa}=o^?*R3L@ut{XIesC)XO5}Z$BoZ} zOSa3%R*I^-91Uc)vc;q7Om94LomJV+%k^{wq-q`Z|*(>Ol#?d)yR3Eun74QMU7m4j@-hyav)-JHhxi7W%)jo%d2iG+=BGo z3c<8qcI>KT?Cd#RR9W3xy}>sWDrq!JcS4H>LNsLmu=$rH4=NgN+b;)BdLMWkaPw`2 zGT)ecZWpy)I;n_o0Fa8m?NC@67F1AvHncRLY0 zVG63%K`T|nRHoz<06(tHJQ+l{e0%QHv-TsPtZHnkz0nCz!{7v8wnq|>{nR~}%X~oX z%(I^YjpDa}EN?%h)RuQe^;zzOAlhZ~fxI=w3-%O}DC`Zdj*~iI<(H(r{))PprU)N| zAxCXReFu`}{Q%m8JPnu%^$~%S=(6<%ej5=NDvj$XC)z@d%P5z-Hk9i4-wBxoWP^@y z?nIN7ieSODO#-4@fXx!6P*lc>{DM$2*tm*z=ewzh4y6G(>Eekf|Kn66Ht&q*NhZ1 zTix21XWd=IM>FHw8E*zglSKDfh4FWhN47I^Ad0NS>`c!vh;9-$MOHVEF%2rvONbg7 zlB~x{U~VzRhnjELzY#`qCH?*OaeifRf#Qp>!fT^`%*d zMpho9K$3b2p%kmmc2f@CN&bV#@=T;bR@)i1 zdT{9m%oYL3qKN+ml-Y0Cen$J!)ZnESjiP3{;Bw8oB+>cF%OIM<6v!_0tOKiloa#TQl56Rm3E>_f)v zNAsU?Od0M5L{Dv{TDLZgb@{g{pml#0JE8i*rUQKEFgBl?O`|M*33A$2%Gf-V=9DbA z7`ItocvSvV4`eT$)=f626}D?~cOrephRHI$gYCCA9&_huD3@*7s6pw@u_$#@Y# z7FvWD!$YqT%T=oRjcC?t_&#BIIsD2{eJTvS+|8uc3WJ0>83kA**Wc6&C5LQ3hw+7B z#b#tljJSS)$yU3Y70eQXm#gD!^HKdB99#06bQ1xM=(Py^gN8-}?9yZcmRY-CjdErM z7b!cPM{KTcNVAD>-7zmVu{=XaW~MDuso6ugZ0@YH)9zn^S2&)O3`Qwiwiitk4wJI! znzoUJPl5?0$OO2O>`rK{#Sw+|5FogtJ7*|AhS+uE19hkIGUF-z2#6p`7WQd`Ig#2g zD6fg27NIvWrH7IeA_FLdQUcJCny4BtbiT@c*yN|f#AT>{LDN^t(=cUKDlqLV0_k|? zgqL>wlbeDM1?ssUp*2pFFGRGLW_`GFB}^)|!I&#oe?l9k`4Dp;S`lW_vf=mKW1e>% z4hJ$o%GvhGYrU3%F}4+Q@q$cfr*eNRa{_PWzHT|$`o0jiDRyLR00$)_^cR7IBRf}` zGg4n_pJtvU`oe)Bdl)wmrK$%KD@r}D0|aGi1p^TTsDyJ-_jo|Z3_;v-AhiXAV3*97 z1C}7sA3(>pBH9BuX}MbJ_csQ4eQN@9RtNbBZS7=y&j@p+Sgz)K5U!VWT92FsU4+dM z{Hi!oAS?_kiI^Hj3kv0UU@5#!_%jTpQ)}+a!8dPoRv^b57@{!q<`)ef{xR`43EWzZpsIV3lPJmpedmx%o zz8R5?0NZ&^rjF;PS>{HfbbOT#zMF>&^YF3$s1SmJj&O|$O<;FhxlYFA!8QoHbMVyP zmBWa^=^698Y=3|B)loEasLByOW*Q8)+!kaV!~G&TWW-)LQATuu!SoX@J2PDxgo&fD z2h6wNJgLusF1*n>Va(SGy8N{a48*B#!^$ZyG$Zw=T!sV%NI{OhGl5do&E0)d4urAr zTCP9Q?FVS7$=t`8m$?44ovjgBMiIXoW&U&WyFkra;?!pp$I57me=@S|1)F(!e>BE` zChtY&G5crB09>;hF0zzP#WdA+4HbZE7Z8QkR9_p0AV6@MKM%PlAagXg(ti##)%qsC z9hHSN9U3zq`G*B%aS)(qwyb>#mk*PXF3#*P&LR3i`LN&{loQCpYv+*iT*)9<=B0y} zjN^6{z9a{*685-L92l+S=KHPau1+>kC$kUVIswsCXJ}^P(qk&>y*nWYYD0@{vvJYS z`WNqdWM6n>*RJ5k7imjr4Q9WW&MGFnE~C9m7h<*B*$Xh{)RXi#_do?#aZ^e|f>Qee zinhnmUAiKtPkv~_)V%--*ZzLt?!JV#zJ#F`cX!|=J20)iR)noZ=0CVRsVn~Qpd7kb z-)rw+>pOS9NBZx%=SseRGk)O45b`dUDjDR2cY2ZZ)qFYESn9-|yePM4`-{=tpYYnB zFs*ZTT`~m&=jZ_ZMF^$^2WKIg?$5&Fb-A=&Yg^8Vp9cToT@+zA+&}=nc=rVIpFm^2K^r1)@vq1s^FzP;!b8W@ zp*g&acJh~Dza^G!5dLgOb6l@u+S-3fc5O8xtLYQ|11SG}8Np_kKNaPSpvAB4M$#J! zX;*vZYoleoUW#lleknk-Sha?1D_@L+589)F7Pko&XvvK%+3C^&IoHWHN~wu5@$1`5 z+hFMy0aSIRWsN~|s0~wL)QxCEp0;;)bvLTx`B`yP01)NpIGe^`qzm|zHZ)265Rqru zSfQV(Y>39vhWT7j&!88fl4pxPojP85k=F6$ZQ##TAtq&fl0F)xx?xdGLKAi%E@MI> znlK5?%s>;2NORRl|8(yR9&I=`oO~Qz`5%e315TPS3Zl0X?lMD6*6q$I>cTf&<@+(8 ztjEVtH&u^gzz*Y-)HA=$H?0I~*453~=fCpr&)-I+WR?d_JPf1JNkUHOpnHPGYo@5FzLm zSeTF7dcU?9GnpH0vB+g<`zDY}#!0z=_L`Ky4&v2J1Pm)am7x+DDpG~R039QMlQQg_2@V&*Dvqdz|wRhSVKc5eh zu_w|TkZm4tgwxkFM+GCeMz8n|&JgLyI-V=8^`H+dwhjqZnQ!EDD7pUaKgl2=oG6bw zZWmp?@4P4^x{bD6;O`C~V>%mec{!7g(H16=65GoNzs_zDN3^rdQW?KhmaDVajiMVI zrD69hZAA5J)B<_NPdb?^p(F7)tPanvdDG>lZlR_t{)Y}ui{nj zE1Jgzmf%T7uWcguf@$8jn1zz_MK)~8oTc2S7m=M$ONKpkF~2>P^itRz)f2cfYO-57 zUFK4^AN#++WN_{jL`&!Vit{_8s-ep7JfHg3(IR9A2WbmqCH6I)j2Q_X0N}j-Y{H1z zv&I)l4jNhXi!xH3GqVe#e$P;}&61OKeN;&v?PK;dUcpn@#PX-p0V90lN5oUV9|9%C zO4s%2fC_QvkmnWfak4)}D(ly<*}@c?bOwo=qmaF3!_ki7U}VWlk~*XMqe?BT=TD8_ zRDT-w=;?UHyD)kr?BWUYno3N?xh#>+I$c+ixo?_3R(``yg!RtlQaHPK|B33{Mv>%a zCgrwA(m&c4E#{}Hiw<(HSUzW3a#62>oqYccF)d`v4;be$d>(5P!mCb;jq+-?=`!sn z%F|n(hm*@4mFFYMNvpBvJxdSDzaLIkc~0^=A`U~IW=QCXTKtVobR^Js+Z}~hk@N%Q z*AObg5dzLK6Wt|k6JXjEsGTeArs zlY!KA+#jAkitG^WKSSvm^?Z_7`#Zd-TrO2;)TI|T^WD?bU4)sD?1z_5Rn*fV_F2Sb z8!VGH$i-*u0G%d?QE;FVZnd1J)9@LNbJMR@~0?nIP5PN$0^-8}2B?}Y_$EA_17m-(-E zCZf1j79@cIy5{66rWpKuMizY{W~=aMQ_n8CPY5^KbA$SIud3|X&PAH|P&S*cqKU$t zupBF!Xsd?}nvd1QlYoIv5k67TKH_xPP5^NMKqc;=sSv~f-ZTe2N9c$WCrpg1OGlzD zJvqMO0$U55?bBw1=a=$`Dl65+xCUZ%YrW2^4o*nmyUrS6u0QQON| z%oR0l>pjXc-Y}}?26}HIep)2hY%I$03GJcd@pB^CWX1#U8|V5b;+M7|SNU&w;T4tp zF0rNIg2^^3(j`W*5U^p3z@{sa;LQe@@|vrWfj{kSED_W}Nv-5!4RfI;A=`3N1t`{mmq7^YP(Y*C0}p(F z8gJ?ibg})Ia642v(^wB&?o|Zd!~h&x@#`|c+39@2i}A`FWM9L~Wl-NWA2InojbGE= zq|i9RlS6q?j*SOxdQf4Kj`hox9bwss(b_8Y^(&NZZECsYmA=MCT*1iNaJjCDF(Qqu z`7Y-;%{2Yl6OS~tVvWbCNk5ZM$S3dAf2h>vCgA#`qz%_(JB~~~mL%w(6rV;b#*-Fq zw=#|0BaTyG4_LTzJYSDeH^1b3(38pmVC|m^8D-E`~w>|FzI%A0=Kz@S` zv_KpHp+que26=K|CIUo0F%!5f*s0D5W|w<%4BOEX8D{xLQ_+YE$dbv0sC+r1>u@3Z zz;#Q(uTj~f#6i)um+Rfc80gR63l({4_g`z3B%$@Z%{Lxo$; zijH(x^#$5aD2T4j%?Y8C$Z{yfc4v)cTDT@Zlzs*v4B~8L_vaijUZ+F3Wf)HwfoP6$ z3!PZ#LFG>&fN({{x>v*BoSS`2NL_`x`uGiTwz}q+Z(NTg{ncN zdq<^DGL34>e5lflCc4wH=6FwE7dY9OwLMkd0YHHSc)n})izUcYi`!$CtJBn|lykiO z(T)pBJ2#tqhyAK$F58c@c>QR{yGpb@w^x)ioWPgIQC(F+TWwYu;K=re}_FxacXsbiO`S>MQqTRR3(- zk31b{j5G^*VyRA?fjn}`HSV|?OFm4vPWk%&>R6*dW2Lp|%83;ku^rar8`)TC1TqS2 zEFdig`mk}Xk;tg_tN<9p&wUGBMuVbAxoU<^-G%%hHZ%MF^yKe8D87e0v>?a!0v1n& z2_F#tA3C~=f5IpXQd`<;-AD97A0y`zPiu;9T@mO?TS&ZdfI3D>ml?~{oCpj%AG8rC zBGcGtzD`w?{^k}zH^YyNuyFBW z09!tY6@Nt{m5V=OSO}%xQAK2Rdnu!pE7ef^EGVQ+J5|#2Kvu+`R=LI^Y}F1pJW%tq7T zci8UKBPKl-iNaSy?3)4oE1|VnB|eAGZq2!76GEM@yx>LZF9o+6rMd(>b2ehX;j zRjBA*zC$Ev4$_fjpROGA5~Z5`ZD=w5kl@_Dh?Ok+^o`rlPu5~aPBit5=C(@vNvQ63 z6)n(CW-u!x64l6x3hnR1G-ABz7BN<1zqSu!>y7YWww-Y*I4@>0dx>qgx@Eg@m1snc zab(557ROpH2|rKXRu0e|CHYQd_tkCTvT{RVC!d>z3hr==fZs(&qLov$?}w4aRyY^t z79zl+qz%T6#SQ3W0rI4wGnqG;P0^;`LXD}KUqdzTM>sax&)^R3rG1%=#OT0rnJJ(u zxBm;=06SL?wPW%*X(Mb6*G^(deDhd5)Km~|IZ#YYOo2)?A$;0A9stalW1+qh!1$;A zb2^ZsnmGw`;EXjG0wN~1rte@3ad`HlIpsdB`&*P>gT(iqU~?@r@=|4O1xm7nMlioc zX>u8IS2@yg%Dw|9m_~H48L|BuR2>LXQOdVU@&muKzvY@rdDWPRv&*yqN)u?wZ;L?9 zV!vq|tv{!=MX9G3WP)z}3~Ypr*YU96%|j4#D4e!+x5$_y;rh76v&a<94u~eue`A}D zGzSQdSB?cGqUIRk1kmSb{u$22mybsF5;9sZ*rs9T2tjKWx6(Bd+cc#oLEW0~sUkml z^lA>QVS&qmK5G4iuSvQvh0&Z3R}1{{Sd^$1Y~RZA20^2E(Vcd-60~I@muq=`un9m~ zHmGzRiF%1{S2ze|EFw{Wp@hmR&QiB#C>)ZBMQlI-RtDd_ku6z)I$9gAebdK ziu5qPX!$gvem&6}UxqL)sU7j88xPZwm20pjHB|j8&9)!Oe*#k<1eId4WZ-R-P(sr= zD9QvEvUh5!L!53iN4uI|pjkp`gf2-#IHQ}|DbR|EHxzulMd%;Shrl=&ehNhryWDav z^k@McB7TI8b6}G`LeUsTIsOMiMu;c5%8ixw7eE0)@_`7V=`bB7$ra+72-|0<`ZdzM za6YnyVPO&@&cKZe`3Vfb8aB>@4K~6}bBfN3Ujbkos}qN!rfN18P%E2;!dD$?DuXF6 z1~>Mq@X!skjiW|LOl?xKU427Yv;9R&r=%Q_nXY0byAr19vBhw%{M52M#drxVv4o`w zS6SP-5azouucRt&k1U5&WI-Ued6Pbgx!gumClFKZd^o2|AF9RoH2ZpLu7}7PDOeENQ^MvjOAlh<)VxhYFi91sq56vQPDr;@W%RgzMf_G3Y(=i4(tdLGx>CAx z&ig$IxB&o;vz@`tMUD>xy~~pj9>JO`1~uy;+9nTww(mo;#a5188sHkXDFn~de+*~79ssnY4X2%LUmY})1p!oA;d(?2_U&tzp}c8yp14$E7N|0-rA>-0Me3JN4dSjc z(+PSh^Gr^K>3q0`r49Ynbr7g4gq-aPk>Df8uYfs5Ou_t$Zrq~gYs$BkIVOh@#yY(U zrnyZxh26-^Bt}Z&UF#r12{?g9s`%Lq%kPlPo*l2lw(1+$Y46xV64(=9j}u=}60^~7 z{n)1$PstT!1(~ljT(iuj+LU%=lYI+gYRA38r8%tj{q;TdJ@ajdVO04~gm43Cm%3-k z!kRBNg@lPC#{d%vawBhQ)&j$k=XEfU^_F?ILT4UrAHW8Gd;gRkd4;a#aQIX-LV{+s0+^dC+GDhyX~{sOsN~zyug43OH^Ua z28L_HeJ?hG>P4!@S2xzI<9|-^O)6}_z%q7qC)uCrm8Kx$=G`AMuTC+^RG4}5ox%yh z^CiC2u%%wQij5vRKy578Oy3g&8f}P5ZRT4?0cUyLYiA49Hg9Y+S5mewFrzNQ_^jGh z7@;W5MAo4kU;6}FtUIc~y&(Q6TYQgIUs9Tw>*0);XBinGo|9*8w`HU13yeC{u`%I` zq94Qp**@?19k`?SInEP;4?+~{YM94x8~rM6MjSi2dZ+RkZk_EAlD5mebCI-JUY;c9 z-(Ntc7Y{?@0fjE`tL+EV_h9{ImJ2Du z!5)GTW?|HxiR1fvr=f(IQ{T|{t#IjgX1?cXD0U#=FR31-9;tT{jk4p0lc;76>Et}Y z9mM!;zy9!K9rk>Srd$p1dX{gmQg^rX)k;P#FpJkki%GJ;B+3Q!;#W#=2iHr(Vc*CP z@ZvOBQ36HKsBnA;bfa-QLdcr|FW8CSj0THGCe;NEx}xcGBEEqt5@8ZPh@}2`!oKK| z`kXne+t!RKJkYl{q6(O5T$_#pGT&8wEj@=M94C( zr?2E^qnU+>PYm_UKppOAg?x2woir7n(lqvA&G!13uPoM{d z&QT69Sqr<>+&b})9Qc#y#kve*D(=ELZOzdT7liYkEzd`^$e4@{S(9}W)b_c=V-zfJ zgc)D4e-EddJw-hvu-I7CCH!g?OtP+9$CVe^9I#E7OjIU%CaV3`GcesR2A6!VRfWIj zD!my9HWlg&2;R#uPNkFKGz_GL1h1Td>=SdM*z2VQh?{1*ID?C_Tr%JS;0Ey|SMTHP z9DP<%mTA4>$z&+qcb$)jH07&|KSR7HcV~viPFb_@_h4jkjSAx5<9!O8h`GR%Tju*z z-1+&fb=RgTZR5-6Vlh!Jx{%l(8#m*zG>ywsZc*m~8Hv6t4f9NbmHYJUIUj~dNebNr zmOjZ_yK)CCw=Bk!Y#_J0oIX`;G+)w<4W)sapG;@la3k>Brm*(bxg=L7z$ute!9v)s z0;?{n=c0}-;VawgD#A&A%agDo$6@g_C;W>6MghQ~$1Sy{T~xBSYMBYWU?}3h>u8S` zzHQ%N7w2MrQ3SOMuS7u1e`!aA%$8YHdIMd##=amO#nQD_;wYq>`-Hi>#iVyUt6z}t z`HH?`3zni)Qpez@YY*b1RlaHJVtZ`iSsC3$<0mhdc}FU9y3^78FA@F%WYyES!o_I( zG0O~9(|f*w?f?>R%hUn$H1S1Qy&jwt?0soHKQ9KByre>v4$i>j$(j=X2s!M#`XF14 z%=Hp3{!u1i{LIt-P1lr z#a)9HvZ?BOQolu`uG`wY+t;)D6WC|uP5T_XuA{;A|#O<;c!-_=P z4m2&OPIOH&DtMLle2R`I{QH#L1&~cOM~4IaUY5$zKUA8e5O?W>8{u_d=pEAHP)5z{ z9$3AIRGn%eYN4auxwo1um#8>MQHNUnGs`<`jK>Xd8ds%bZ| z0_$7oW||1+tLj2Bc1}75yZi-k3AuoDx7BoL;d}=89e^eTEVlVa7+43%ZajpJh1rsQ z75)PKqNUh8rwh_WYo_*hR?;%upnkD<5#X-~X{~97Z6*SfZjd=*;-2@B^HY06Dd=HA zIq4QhVpf}%3@#GMvih;Khix0e;p(GocF^R!Pgl$=; zXs=_nd;-zE5K8*!PWL71+}7=dlrUlvZibq2;{~9s%8sO!QY)%k7~#%A?!j^(8FgV^hWNy@D$aiNPij9qnn2j73Z_dv5l^Xv`HV&nYG_GEfK`X;c6>}K znQPh`)0u@D$$=TSN^FCqzDPRHNQZ(-QnsVij5H7h7AL`(mDeGxJ0Hs{8PONX_(EYY zZb1xiOX*;av`mPRYKgI;Sc+n9F)&k?g_%>tp0<*wj%q;hJslYbLw@*r01%BK26~bnd*U^7THCML8|frrY-GYpwhO&O6D@6@R4!z2DD6$h(hkhUQRa4HIil|* zR4^rKn#GOS;006|yciwPoo8uJiO15}j&uZFAN;L2tihfTXZeY^e?r_hbuZiWcnj>Y z$T+bW(c_Iv&?d`MTFc%T%aJ(kbb)r!&M`2NdZ9_n?}0OC;A`eHP+b~epZ-fC*I%5b zg~_xN5D)>k!SX?N_&+dd9Q#Q)oU9qTK_R(T%E2XJf>#Lr0Sr$OL z)>?Bm0NwmfTkBRP5zg})$64AB^ZcUbcsMVLq6Zjm#nb4@b^08vf{TTlDtrsgRNpdo zUGt))suN$qmprrOHBg^V(O6UvGONdZ;K-6d)7ZqIO7o05OB(-NqLAUln%hRZ<0IOP+rlt89$I)8 zlQG%@tHhJ2U>GnaEkW9up%Am%Ng2=FwrIagBl4dCSIF$jQJ%2I7leWEtAfIpG=N!q7fWcQqgMMo z=+}p5pr+@UKMBslO-7e~;xuq5ogJ8ul5}Ika5vYVNW0ctB-WQ;p?QjERQh_5R8Zgr zqHOPA%QxX9C38*9?+FR@7Lo|qDQ;_!x0+t5D79PF*`5WkC#!!8yd6fDcSf|(coj@L zJ)(CUv9WSv0vqEsVVHq$ka5O1K>Fg}4Fhi2WCgz<3APH)C_mF@+7_Ya-9aYxr%_<4 zUN0?0)ircGT~<`0dnMX+NTKiPUK}H|Q@giO{|CrEszs55=>o3r7;xDFHqK{xh;PT% z0XDF1r{#Kd(>5T^#jK97e6$;Ah}Z5!V3goX3j*tlWvVO9{ta@|1Okq9)vqeG!nV-5 zTbj9H!}^*Ho;B6`h@CCwo}T( za5DGxB;Sj?;=<61G@MSWacS*OrxHkJtsDp}rKeQ&;n*Uz$7FZrANw-vp2ecA7CBxe z(>a?qDO~py5ObpXoiKfZed%1|irtsNY0Ykh5(VdaV+P97B^Kkur+&~@hSJVguWRS; z6k}P~-^Lk#%WJRQt|D&nok+mNrPXMpKvkBBP5c;OHRMbcD~q=I{Kn1Whx5OvNv-`i z+%|8FdG)0`e=xEXn&}OkZkonKsG;(pqsH`VB5rSdA+z6(Tl~UKwoP&^Fut!6 zp6e>c$ZV@+>=WD;I*+Yn?M<_k&xoHkndLM|cqWpG3v{Rm_HyZnM5`CARE*yl}DJa!ClC!d*;JL7}yJc;(D;5u*f&3=S zmV0NS1xeWMQqH~}W(4A+9`v|v{lb|G5L?2xWS9@TK=;uv^XY+YG2PU%8|CUs!ukEA zdAd{@!gL5T#l?Dal%`k#@EKYt^R$WO!n6JjZ_o2piG&o?h|TMDjg>C?jNNzwq^ypYb5UW`383m%Xo zJVnZWvE(Ku^x!{^v34V_=H;OBTN6ff%?n@(1@+_+KEdhu)jFAUZ(b?>inZsQ_TR*R zAZLVnBNd#*318FaUERS|*YS4!1)AmmF51}0?bZ!|UDCdOD-PT1Sqt!~yoG$-m1%UN zHw8g6>r>wL!_=5rz88t$Z8*tifudxI#}IYoXaW|x)|L*AYo(2_UURR~)CF6SZ8pSv z=wBEBJmuuyrbvAmU&UPD2{&S&jrP-bG7?Y zg5QC*ZbbIcWZ1QlIAJ9C-)`NDGK;r3$l;bz)umEfP2+Fi8UsNDI)h-JUmhm2_^r~} zkW)O(YM5ra(*)2^!&E}HN}7jCXL3!wcw44uQ|MkE2t_$5)W@&AE7!b7=>BP-K6(48 zX;$P`%IRTo8)hb`VY9alYsRWuy!Kt^3&?l=+cHh8NDa=`<-ivE{*@DSsQptr8>AQw zAbxLH%^Gm&r7rQ1lB}!*ULIYM1jq@c@TP7cY!b^k#X9Wek+fJ=(2pK0*>xe6JaH>Q zED5n#X1cSn*g>Wp9A&>*Er;AsfV-6a#R_H1L7MK0knKMq!*z;O7hABS0aEMs_e5n? z<^MqRB=Zj8kC`mrvQl*@Gd$dLM{jhk!$MqW&OyCdH$B{bf-`Gw6J}7j-fB}4^=)>O z?GrBUg3)fiKz*o)Wu`%1N<)| zds)Kg(qwREj%s{Tug@Q;)bmmo?EXaK%~SBts>nYoGDz5%?I;jxS`r4vD(MTDmHB^g zmb|otb^JTQOPYizFx5@R(xH5DMqBYy<-QyCndA(DQykwxu&*wK=Gaqug zCS%XgTH?D!-(x4}1GdBH!j#%JsHeppqnWO^urZny(E=N7%R$Z%W>$=5Sd`N3u1#R} zMlidhlzP(`0e~3;FX4D#cGl0r>FmtFF7U8tzANIMi1|LkllK)Lra+|*sN79+M!bvFS1+SHaaQ!Yg1ba5<_4b!YPtPhalTMO(R_f!# zE1{m{`nc*Nq{y?7e=1ZOg_zwjU?lB{8c#yM2MTgW7;hqCKkPc9wB_)?qy=DODv31c z+!1$vdcNDd?2avF6p_1HM8{+CUTFqm=u;1!n=1)|5F^x)jCu$&SG! zpL|{WhP{A42k{S{a6E%bl&3TI4azxBa~Kb+ew$kMbv^oXEklcdqL3zwrKp~ej{bA= z$aWh_Di5xMwZ-U3oliL1&!tfbk%OUc8twF;G)-o-o7%LN;$*PxF29g0e4|@D50KoZ z*KUQqvluJ%XmdUZKMi*6PxW9x#H+C||BlNa68IS4J&n?6gqfyTvI3^l#cZaJ5GldKlc3^ElhH&_XMH$fs}oOq?q+BYMGRutjek z?x+eb}Fb| zduyxTk$zWN{Ayhszhr?IRMr*yOFcFO}u1m3xlG?Nq*|xAb7s4Z?CzawG40kNBpB*gu zBXv#D=J)-xu_iOB@CX7JO?`vJhlp=Q=LS-w%|r;K6b_a-T+~6I5Bj1%e{0|vH~@Q> zjzZ@4pcJB=#24`n$?{|roejW4E`JRs?QC~sY|(yDGY(nX7;Jq%rtHj*<=zd5x?DX# zJ@MHcM6#HP&DGmkmMm}O% z!M8L6F{fZyi!(!+qlCtIWs5!2P2&vUljkanFmY2atOWI_TO5xxX%Sp3?9ru5$a4{b ze8kI0lM)IV5Pkz=j@9Huum;<*P}ixcHP2~`luHpmOwnwO2srEqiQngG;FUSnZg2{P zV@INlzw`<3V{EG;M6br#tzrqtUyVyUX*6#{Q@gYed;C;qoJ=;GJ9>)2AQyr?eaA0# zry);&prTAio+pf%Y#a4Kdne(IC_XieEZ}04@35V8c{H~Z(zFU?su;FC{S}5$5i+G2 z!Shh6Q2_4|Ug-hTk8yi_1fx(}z;t9|H2JJ%m0CPu(NRV(dSg1)cEiO?vPFByVrl)A z@tw)u!~(=8$3Bcz#@5Dw4mBpYVjP`w96#RYe&*p<%PULFyAyk561CL*t58l zc$+&zYf72qXg2tkO3?tY#g^IDqN4}7Orwgd*QRHZTFsvK zBK=|>wwkPC`-8uWJsUg^bFnn%C8<*fts;|qOP{SQT9a119ceY8Fo9XDA#lD*D!h(# z`cO-6RYeQKhhivs$2Tox&-8m-77ucOW8vTB0C@NZIY5i^A35&xTs+7j z{m&f#rjU5NK52#?enVp7xG}>So&UZ?!N?XhG1v_(SJ~1@Miqa^hYFSPx-&pGuS5{fAHgi zv_EK#`!D{t82_VsAiPJP^oY3rGpqDyY0@4F{eD<=BK-Vadpu|w5sDns5EAUMk0K~N z6a^IH!S(;>nGX`~!<;|3<#FK{?!Wv$i}hEb9(EV$VZoudJX*Sk@4v_8@!%~%Nj`Z0 zJywqg2|>Xtnuzz<_yZOExAIj_RihjS;kKXji>+W-YJb2w>gW=KI zJ^q@%E6Bt8-y1j&h)*7qe{h^UNO-LN!GZB0;qm(48x#+@Pl7mE4~lwkKs-!&>^=9! z!o#G;n!p~MeI6z~R)~8Y{bADMa=F*Fv+S;irF@Y5Q1Ho**Z<*j9`v(^8SQ^H(IZn$ zus<8JMAyFy_CN@ajD)|v@4>TDAHF>}oZ*=NUj~=IVQ^Xg&fG`PhDcz*Bu`;o#2Y z|DSd7Z&8fmSVMPKb`RHzNezXyb8yAzaYL;s6_dunSxL+49!K;H{daQABfrCaVTpf1 znBg-KNVxXpql-<*piv_$0m}9s5Yr~CeGLo0U50h$4fqJIGmkv!v8VoRiBIU+=fbzL-jtyf&rO9h$~p;+ z($}F>b13!#J+wkf#yh3f!8)d-IMTq0Mj<8_j)l*((ls)a?i~W86ewBQ4>SnjDON|C zzg7+pmJ*J*lc3DbboUV)o(#n-gfP2g(Y0tIJRZlMYUsr<^D3+<93;&N<*CcSGc0YlOoI9Z>oNOdZ| zmY}^Qr*a<%sdKQiI7Q_?H#DdtJ=MQasYp#vut{BlQm{LuWMe;&-vX3cI1a&kq;z}! zNd6>X7o^1y71JWftDWRVmWb6T$&NKA4i0oIg+=e7Ka7KT!!qR{nxJL$!xM zJEq%{Bdb2pk4jjIe+17Jm0e29*Mz`h>auWO&I97k*^j-c4?6t4o|Fy)c9nvC;ZeLf z7+g`%w;vfBDOTt?F`D3jd2n~IJ<=o?MT=!|e+}YRSoI5pE2|W;NE|7Pmdh2gTG&&D z#weph46O_*12Kd~hZ(}zQj$tFUhSr7{0~e`_i#5bW z>f?Ar8@VA;6&+gVjR9|t$hL;~xCFVd?Co)`HH9(l;t~yJgC(xLyn}Y(`Qf`uBdv1V zN8jC;+&myIImRv*8@fxYPgO>yM5Y=X2FZ{XnQm}KyW|HhjXZw&`lOhQxJJ?TmRMl zIqd&g%zrzn^<=ZUgB2KQ5K4R;Zt@}6B(%@HA86&@F#8#PWMYm{DgH`)fNF=37A5}8 zRme7_|6gq^m!oImp?OiXOpXkBpJQdK__weu29K6Sq70=XPM&AV%aUctv1#0Ma9u7R zytHeo%m8;7WCpnba;3`T@#ef#r5kkz5XTrcBx`#WP5 zDf_+oGgDI~#pZh&>gNL6Amy5VJE>twIs-uNC~0 z!M||$ht;Zwf_(tV34&cBXK%_L6Kv!|!Q#Ju3kvo>uR`K+{9}*5L>t7hrZf`A%j793 z+1W9Q=%C1y24o0{Ze@@Igy+0@F{(I_Vsxvx5RfG>&P2*!Sjm$^;;d>jEsHkY(CMFuD7T#N0QfX;gT54HZl37~bmR5FST3T6JS()A1?}gU; z^ZtB3@6Ug~KfjNM;Kt6jb9Y_W>*jfr7LL0U7LU6VORXpFz3<;H5-sruM^3wQm5x!v z9~$cif8kYn=hp43^uG`O|2QT8@hbhdJ3XxZB6av%SheThij3r+Gu=L)h2g*dc0vBx zC|>)|X6@hpzyFFCWEp%v^MBmy?NeFGKDO!0po?79F08kD@g_@h1^4 zNccx!x>@V^h||2WA1c#41i zLnEHw5C4jhUVbI4H^vdbqyYlY4HR^&T;T5rCrWNEB$&9-f{q)b^-h>TFQomOwJvtn zX>XE2$Es$+`XzP2UGbyNaS)#39*XJ{oH7%1Nw@1%?Ij?zhp=nWKv`6j@~EUBDqaeS zSPH&vvMdUB{1>~5elbhbqasl^F*d5bE=E6~4fqWOC@Kklt(w$Fc|^q^3E#-N(Salb zqE)m3FQyL&pKDQVllDWX2#B;3TaDN(TZ}q5jBYIs(dm_=?T>P%JBEMdb_mfNSO2hf z-#_0@=!g)U82r(3{heLu9~u8{@~j-P{6RlKudS}^tfqDvbOh0c;$5T`D}Qp#{9B7s<3Z4Vk^g zXs!!ieZpRe`VB`-@nZ^9zPdS& zGqO(Q4>4QdspfEWrk^HtVtoWT)F8>+p!)f2kifV9aGjiAGLxv|ri;KQzX9&q!n4s8C;0fxi;Og^=P)gER1!t%JNCwdiQ9Xe$iZ zJaVdZzcNC41!?io5brpE_VTRR@d{x)A_N>r0-OW`=}TlL%>W&BBL+$y1#5%9lWE1_ zmO%*RmM@S4#g5xvlWJemuEl8ki%Q&sEjJ5dvh$a zyBOELEoye5|9k;R$YVkj&L;eMloP~9glGwgm(m7T9T7LMxN0-*F$}aU^m>$L&q0jm zh@*ti9tyheNeQsLWO5i-hjC$$DD zS|D|z4@oDLF`&!KC)82+s%tNiQIBEu{EqG zcd3@}1{4Xahx6~glEkJEInw6?cgDjx=)CyUtn$z7m8Q#-Oc9&rQR-P1|)=DL-# zS88)_Axua6+a_s71`Ropr~6tSV+q-P?BQ$@`av%BeX3ds_k!c|Flh<=h6u9)`ne+t zq)hr0Eeu_$e9`qX0TXhpMo$dOF{3P&`z#4+Pz4Y1JsQ<xh^?(QwPlr2(8by{wO-hOc6nP%4Y5y zZdY7IO<=UOGM#gS@(svbHwSv5CKley4J_{_e8q|bJ#A^q7TO1m3KelFSAcBUXfcU) z7IQe&zn#!jVL5WVd;?$%jlqd)`jB>^U)v^8 zb)O`3Nzjq=tvCl_-CYP|)SjkCVT5IZrf@VE)n|x!mf0G3`E=t@{=6_{GSKWLUlQ|E zdc$3U)ue;-a)Wyvd1x$vj~%s_Y1CEzec=tCuaDx-MAgdjLi`?MgVy~-J5;>+H>sP_ zL{Vx`^0Nv&5NyaR!PWy(r(q}}_|oAs^gGWu0z)P)AvDSHArbWQLK;Iyv6Ju<7}HN|K}yagc?HcElSAEtZTvmDoJW-9;u3T^ zsg(MmB!;9w=fHA^vLC>yQ#?bbL*lS1l6gNO;ZKm6a##CZ!XcD5eiD8D{)A}D1jj*~ zeVp+^8=1-CY1dcEh_uvlE;HuJW&V-ahAYaq?Hao9fu<4+-$o_=(*aai%NXeDjwcXn zNphg(&E*Kg3(3eBWidwD zC&p+o8sG~gDYf!mn9jB_RWiDc5JWgA)b8u%eM;%!w3@OaMAvEzTcuHKURB^OkjrB! zCuKt)WD|Nu!o-0@%%8H0uTAN7adtG%gz7=_b$cXR`z3arg} z7A(Hf%9Gj0Ko)rTRGA5_?k~XKgFwi#-t35g$K2hBBatwN@+G9B$OzJK;j^4^MURrU zT>dR)!S!oe$=#?vV0KQIhC_rjgT4;AG!C^o1idtk z>dS+{v+x<~ovFnUD4u}@!6c<8M4^dsp>q%@1c)utE53J$T6K49-l zIV|WDqEyuARy4PUS6zcpyNp8b%CXopR-bF1WjRiTmp3A-8%2*a!jKc-5B!*6K5LAYNVftbiIT( zXxVDwmkC?N?iWq4M|un+!@3mH0464QwvjsT;USXD>g-1aUD4ab`Tj#Sqy`Inwe3dO znSC4^Nl6b9xFUX9?xlG}j}X~UlgkfQgh61hJ-n{C>Z`lz_hil`V=kUPdc9%1X?lb- zH#i}4vS%YM3QbPd*|Q1U`-$vvM&~IYHd7UX+)(;8e!ip#+k}27(Bd2?B+&_|dt>U7 zK)+!l;40IJ_vMWtDMv6KyQ5&PFO4#Oo5W9IG}7%4oU7ToNM%&n*&b_)8IT3-n`l3}9wq07I`hl8OFtEe%03j_ZEcD1yK)5?`uU z3r?;U=fhktH?k>wkewQ4CKz0>ssk&6ROVqdwH{)%FS_8PFFB=f~l z6)3q?DRwTjqIy~8+j6R~R@sX_gNY(v!7JU|x@fw^wwyD2ulUYOhCP4Q?`8?glI#S3 zA`!dkS8*4W+SgrpE5u3#?o85fy(JF0r_9r|+R(yW9r3cmG+Q<-#=0nc$M0n9UC}5# zNNe1v%sN?oR_r0mN@L&wx2*#mWZO+@)n5{5Y4K~UtK<9RvJB##&PwGu;)9zXlaifl z#%)Bgv^K4JDaxBdOASYLwrrB;`Y^3{0HT-VbzT?Ehn2u_7u+_;Zgfv0%C6!~%QD#S zdA2YZD%K(?4fqN@$=@}?deYSJr|^gSM-Y>wEL7a9yH7mQIKWvaR7fjCeHpGg9_XDN zA~p-~%*7Yv)X>^fg)pfRqW!(`O0p=L{t zP|vL1{eO8={7IAh7U34T6>o1YjBg8IrcfG?pnUm(Cv);a~Q((I%H;i_~ z71je>abEE#DFtRaegu0z*%??tGorR&u4j6(vvD;ObeVcVXDDUXcQP&$^M#CMPh*uZ zSBt5`5X^6eiqW2GvTUusR|cjmCY42S9r@%4Iuo)R3;ELeVa;i zt@G@hPFw_?%}NF*!wfitt8s>CoS0F(luF(%)K0%?Q&^UvH;18$uoX&>M2JSp*%oJG zy;w>=wxu1tibkp5+awF2KUOJ3!dep5q)LlFET$Sx`+=6e&tPpRQ*BzHmfx`qdRjd_2x}6OfS_p#Lxoi4O~#!8^UguA^B*zqc=$V;6nR<-Dn?2HzFm{ z0fC7e?;J_9#ftQBMqO3Nk8CEten|T|9E5#C#uz?{_kDByZp`6ge7*5nu11|ql;#t& z<(-z%)gNUO3{okVT}Br>o+n~0ri-a?>KM`VGQ_ zv)f{`S={4iUx&}R(PAufxzYVrbPp#m+b|-AnbQ3+q4)FF z#886^jk)Jqj?stF5YehJ@-OgmFmnkViFJ!gT<~aL`kLbxw5}CmU}zDtfR}39+|ZF0 zFjr_;>#q=RP_(3a#{itSl_mP^{N)-!e_XiOKw~ODwQfPPRDM{BF_?pkhLuer}bm32ua@_)cj;PdGh6!n6 z-mayE$1{JBz2dwg2QluAlCIC2N8n4CLf=M)UxAdzEX*nh945(hh`)+CCvZbOPl(b$S|hHi znh)8R5bmxMYcy)%fv18qLeCs1Zt7`mimF{>IK`=5qYOtAh`#QbqcPsACT*gmxBieI z#?C#&V&O@fa~C*95MS=lwS;t00VESRYOE4ghSzk%nE=ull| z1j-^^ob1asbcwz^)ljbW{fg5bjO3C~vqpAtkC3v=Y2s)!kL{yX_kwkQ4y-mllXGP^ z$1U@6yy3joPN-AhIGdmg9T7PCwY8hT=9%ANw2$di#^z#?C%bq9f09?vGdk5aB~LO)3kOoYA`$k@Ah=Y@1B{d`m8BlyNIyGR!KP+Y1@i z!_fWMmybTs*mk>B{kWlHB=<2}XusRiL<&rs@|9mR18j43=J9T%jCW_yD7^jU*PzbW zskiLO>E<^O?i`hrSK06&&Ui|%dX%z5TN`J1^9^>0%t~Jqqv##2QBaA68g7XB4Rj*5 ziaaZ`UW=rq=HDZYM+I&EqzSNNW*?TXnJ^((tN%U;1IxTosKZU;{Q014JpQ!@>8!lc z8I!+dY8HT4)t$g(%v&y1WfRXwNNL1(ijy(fP9&4kdvUOU8O(j6ET2od;#_@5RE^=_ z<~ngd)qO_oY)8W|+nM$?D`bx|?T?Z_6Jk)|R}X$mtRTQb`U;FgU%WWZt%S3|8!fI$ zz&%eZFKfl;%Fr;Rk}kk;Mt>n{>+@uc<0Zx0LjE#tllZd{W_$GEYldrD8kzpS&NMWl z?JG2fbwR%HG?#e8EOawnjk=CFCm5n>t5e; z1q{^9debvo57B(XX>EHMH-jxydvxFw{lP-xCxvv7A)3)ry2ZPNN|_ep&6vv`c`_`i zA4EH24d|-d#q2u0yGYJp)5z|e1=Mpoz&eV$x})jqII7CgY^5wTHI>{IBd27(EbF;i zdovv^aBL*r(IW(%y~g-Q$|jo18w*NT;^v zo6ap(9PK>EqBzD(Qbk!%m`l)`_n}*+84s5 z&@`_OW8u^D8INwgIc%7UVl5vy9wg{7B9vqGJeiHLn6?^~m&jo2TF#&d^=pES)@~e2 z)T1QYR!!Z@QGIJCjxt;*vAofI9l8C_5>u;8x4=N8LLbfG6|6Pa-6Qvh9eJ1;Zl?YC zD&{H0x(0Rem5f$npaeZ=z<4}LLVsv1rkU+ASRH?lPQ`fKJWnf%{H{py-ZI8dF*zE; zL9qIwE$eD6d`}632Io<|RYnJ<&K{4z3NQayfsW(}Qn4w%BL)rf8fKJh#YVr8xJodx zl}l-)qR*?*NPmbUS*G-?N$kkt@?EqJ6rfW{`kum?eFVA)FF=&EjQtsUyYUJ-HsQhfuM$(oNFg11 zvjOIt9mSz6-c<}*bXl+lQZf&l5Am5kb40Z9vNqU6JDC=+^vh9ss93frLR@TE5Fc!0 z85l!WHqVgz>GL?E8cwjHcw$^tN|#_<3PYMQ^Rjtl1e*7y@z%o93oo^kF0=H69D$KaP8#8yyt zTe*6R(yktKc+RMxP+Wn98Cs{J3Bq9c27JJhWs#0AsdV$PQhH=rTV-RoaNZKfN`x4? z(6BB7RLeV87H~$-9)jv~74$t;V!LV?OeU(6g|;K+tU4}8(Q5xfUlR!RwgLYQmK-r$!qd7Wmw5NbzXy1!e;rw`t)}w0${6?n~ zy{v_8nXR6rINDdEKD@r#tFCs|&0bc@-sd>|y-}hK`xl9g$1?xmRAgh`)SuF}t+&Jn zf2DEseX!6$DhFIu>tvd4Dl^dB!ZFaDOXXPvcCWZL&s2cRYKWlST8I{^`Goy!9T`W@ zp|j;DoJUHgTj{%;86J~A1mWNfY)H0eozDz%s-j< z(;Pe_hp@vj$(-1w1Zg&P1S`O|P-f;0t$#Yfa$F>AYkHDCEygIHhlXL-2VOQzm63kq zSRN)F9)D6?nXD~Mb|^V+J^zTK5BEZ=z?8!1bi51Dcz=ycTI<+F5rlb0@4 zU*cgB%@A9WyM`;t3apF93$SLf@Y|i3$4Fy+Vdh zCveSi*6ECMn-{UB333w65lx&2S5g$*va>T{Dx05|7|Y@uIbr5Kk%|YBSW)4T)(Mtb zVkPLAS&X5ro)pHt*Sd!5>RvAq(Z5z>4iogR_E#a+L_bWH^J`Qf-)B~nw2dbIDz0$*#L+Eg7le6*Gu6IOe9BV=9=f9d)^bN6m zpca;3&h>g-nAjrc_$!I@k!%lb9abN1I+l*E?2gw6c$-pg+(kV3F*1KnoUrEIVtbaFcgN;s2>>zGfRP!S)Q#Oq9_$7fhDo|@^?_g5~$yg^ynXm zJDbSQE9bn&vDoT+Lc9(w;#M}#GF0Ipk;^hPYsr(wzhZ=vi$=ClK*=^)FF)wu!!E9E zUTr!nGACALX82Bddm#j>u>tj}(b=hqo?HKv+$i>`3wI$M^}6l6m?kSlRY)lo?UroU z>M)@_J~6fFx%*4DU=tUWMf2q;MGufR2dOnAM^!Aq+sS>A$TKXDIQoVuzc&B0HA2qB zE*{=WQXOPqk&S|!6G&PSYey56i^IZofsADC_kuQ z8}FUN&y)5=AHG+JvrSya7c^F^^7dU)@`22hmY%Lvffp5bDH`wolF zDDYQ54rzD^+;fQ-aOleDX?czC`Wlst9!cmr@cDlwMI*^Ll{i!3Y2kvkhiEwjW9f5b zrvLFwRNZrcZLi!_nrpd{!%<`N78Ie*Vm$I@v&qTg$*o!9p3Tn}VpCK29dnr1wE8mz zzM+u5XN438h|$|OP0;(kM;lMQH1M+C`z(zY2a0j@Q96+Cp#>YJ-+7Qdy%#`+Vq`sN zhW9O2XcT(cU*rtVj_qJLbnE4@q_jC_8H}|pWkW*WV^!X73RizXSr+#nS&+}}VS~8m z=#e&mFeJ@Z9j?d_^q^qodRpHIQprs4k0Q`Scxozm4B8?9mlwLw@TXo{2Qe z+nv=quVE9Ci}t5^>+SGeq4@q_|WoBm=#)0?IdQgMu+JDgs9h-Q>;)ISp~ zn|!Nry6VYyi^h7?(_y}^4Uus)($qWI2gVYEeoFkZW0)47VMWSWND@E6{Ek~jP8$10 z@jS~}qJKQH@Q;f>C^8?EyuStaV7cpUKwF{gE}&Sdl^rlR&#ZC0nS)YCo!YNh_S19- zE%w@5Q-$JyPOa54)%4x?^nn~oc)>*Wf!wj;R{~GUMyU(Sg(6s99HuZDv#;8eW}tC$ z5f=S-LT_8Yx_)rCw2P$(-*P(FDB}1Du&8SJ&9E~9Mo9$_68&_Pb98x6`k{~~t)M4q zi^EcYAXV-yI#{^Cx_WUw#txc$9>JIiT%lDCr0?t5cJU~E*n17eP|n;z2W2!4eiL44 zToHxPjs4cIV->48+IUztU5+=djyL`oe|VIb7#eLAMAqGOBQ`iwN(>d49!qd=gd31~ zqWCHm>AQ43d&zpY5?rmXPAQU;xYg;REES85e2)|;#f&NjTZ%z$F*;<6re;Qf$-bseS2q_-hE1M3#0F~HY+0@>hY{ew+G5r5= z8Y8W6)et;a@pX?Yk&=;m9l7D=nbuI(;2?AZ8U+r^;XtNyKBRGd4MiN?3i+W^?hhk0 z>iG0Mo!I5Nar_o$_+CiAD=E`>qbC<#T&Io+lX|%-!(kNNgoTNBscY9Cc~DdACtqgC0S{9cJ*q)&Zu{8lvj^#aDe126Z{%xPY#d4Ty67sMZM)9u8Ow zIhDR4tJY_2PQe>tin<|%KRH;8hGc!SR_;by($8xlg&TsX>Xgj;x4yzxYa653v7R z*^XXxB)hODms^xRErs>~wB0G0Ojz&qizeFH&iOHLc>;|Tu!if?s7m_xQR%_x%j?#E zq^xTj(fCC0I7A!fMag>GEK$E+au<{JqhtvO+XB+`5Da6+x^y<2VN1h}eas+ckn_uH zlxJ*1TrbAbiqMe8Hr6>O27YNgJaI@*NZFN&v5wN!^oMB?N@pITYuK}`Q<={FJMnx* zf(fANZA|K0#)D-qJ*Pg}?l(lLts)COntn(de8xIGr7pJNk}}>@kY))OHbw0jm|bhU zOAz;(*7j&Vz}Fh&+~ybaZW20A%_ID2mWP6v{cMTjwga5A#L>Ev3UYik2Hk?ZnA5ZG z^)u{>-v2fsKh`{}3B9m>h2oC098EVko^a5O2ez^NJ;%98SU#Uz99(vY zT5S5&hv+Oa; z($2x^nx5f~U&CQC-4D;Ji!`lSN5`le!8mDzy}8^d2>w%0l}w0!{rmKlx@U~ifWdV34D^ewf;q%KE}0S>QtLX}+ls&s88i%`5Pk4*PK~15^B=K^L{P zTQfaO#-zWT&Z(v!wXC+hujSd+w92iVJ@mOcgcy1--jr__yf?1}T>ua2M8P zunW8af8p?7ndv~!jxG(9Q`J^Ya_?auebeo$k}M*P)|*{rAi4a2)S+JzMOPgu<@ zF{bfx-V6HkiRO;cYUfxm@oQroQ~)9Ucx*`*V*VtCrojdps*QK&5_Jh-QPNU#i^xgm z?uCaq5&O?a*htP;vzTNSHb3sjC9qw;HIj|@PCy|c(-RS58vV==Xcv#G^T1W1$nt5> z1ETn_X>L0Ay!}lfdh~GOUB=p+FIV*@c@s#{R-*KjY^GXkRe)qW%$3%LBor!vtKRqb z{I0*6zbpe}_W|NAKo2)dy!v4$dv{+lYI=x|aIe5U$_!4Ihx%BHP$S0zoVZf{lys=; zXB@~ci}fx-(U2|rO>*I)&81?oMBM5Tk#VM+bFoQZb zj23$yf#SlvHMDhM+X)d>#o2uj&F=Q?^W|Bc*$}PY!NVKb@$@_-(uFh|XT}DaU^@*3 zftRtw_cYxn-k`j5YW+UD3q9g;Y$@DevprepMvH|ZqRAV=Qd~!k8kIh~T8VLNxJ#K~ z+7zLm%M6a_%P48Wy1VLdw9<##4!~qfkE5rU{qn=c(|K~q#p4#gFzbpQt!VTJ3e_8z zM7kCd)I!IuaT;Hay=oOxJ?uArZ0r`XIWPS&J#R>9QmB;o7*us6&Iw|Y@k?3n)HY7$ zqP;8NSvCqw3aiC*C@n07#TIKI7W+B!O?nuj{aL83tkqu|Y2P?KgIIo1(3nnZ^bWu~ zSwLO~%lv9wUsC=md{wzgEV5*}-Ui;pmZTHfkgdpFd9%O^5yZLUw{sk-Vg?Il}vKn7nIgG7AK=v z48kiXJDg~(4Zlhu@qSReQLI~aFOXP3niMEjV~7K8Z*kYKg&BLC^eAp&r zQqFr1CYr_rF=#I+Wy!m__sruMU5u5)erVtpO03#L4AbwkfTvfbMtwDX0qXZ_O{h}y zR&4smv28zC`wPZM**sj(Kf$acVp*~2c&xr7!!A=1=9H*(cQ-GVr5|Oqt9;SKr8*;Q z54Oge8%D!IBvx_HtIOkPvZYu&%56te9Vu;dJ`Y-{M0kt3E&FgP{}{Tq$C=y(b+O*K zL$J?ceducJ(cNR3P?aOnZ}|};8h7!8-I!LVa5+#fo( zHMr+FtfQLVcCZ$Z#UG`2B>DRNl3tqa>4K7i2qmjYA#epxyk(c8O(QNBOMI_*>qNbn zq7Ea)WBE^c*i*-posi>OZ+%m>Op_h1Y>@5nEjH=qI(A^i#5oC4=@?}Ww-8&#;tS%@ zUZz10Ys7O2Q;D6Jo z&V{w3ng2oZCACYCpsWi5)!UKj|MTy+(dz%}h1)U>NeGX>jdssSx{b8|H=O((C7Gm3 zoIJ+-hga`Fm4*rLa`LDfbfAk+VxWn}RPe<0i z2knsj|8->eP5;`B|8_3^>&x2To6&yG{{4XOd{z9Wuz#*VJC^@nVj#EA&woArn}P7p zrho4y(iYlJ1cLgLZom2O=XWk;yDR8WCH&W? zwr|*eR{!H?-Z>D&f&D*n-v1=$z4%`9zbRUDz;QTf%FMsHW%pCVnYY3E)tk-KdT9xg zYFs4k{|(`(w`ZRJH-!K1;r3sn^#AuE{2#em_boz(TWLS>2)oT&TzD@Gjl#kH&#YEE zGNd9Wl(f^XsE~q_&YfusRS$FV$sMH}9ye&86)`Z?Cvy1YHm6FTaeKjt!RPI?Dm}QP zZ!^7U+8yU>u(i{p=m=3jDv7Ao5h95!8%iB%gvG%g#~2b-gVPlqEgG~qL(x<;Po}Bx zrkG0iLVw)q4i_s;_~Z^{jOy(W)jlOMgdf41%%FI%*Gp$88G?v;;B*8#^t?kTqodjx zRhAI$Q;GdKj5D~AN``pYw%ZXySdYA3z~YoJVHW!^&xX6=7(nijqG-A}6CP|gJ6i?& zF|1I&QX+)UeG9=V3iu(mdz6m$dq8Ak;bke{ZJQjAN8Y|>-zFRVn;sW3l2j2BE$Q9H^BQAmB6O6Q`YT?I`h5|<2IbkfMN!Ko-|O%z0>h+b+% z;m18NU)~LYDlfsO-ZB*U4#A(qz%|1tILI!kMgo)Uag{GA#gK(H-r^1=erV{9;sOPQ z&XUd~6hJU|XRew}A<^8HcJ2^NvAj!SIi$6Pf>Wr7yXecdyJ)=hF6cC>iOYfl=X6N1 zWVLVX{0YpKbejMP_7X@Cb7+d_5#EDjWC+QKPr@VtA4%?j08f@6@+Mx~h}dlp+W@>q zP2+;MX+RZTk`$aUDk&5kgM`EkDW+r!p+)6yP`+>ko8Ha`68A9K8C$ssEcX5F&y^=F zm+kwxSmk9JUq3~DDA*EwjU;dv5l4f&TgVG;c0V}1y3Lv8f-?-;a*4$1uOL-#lJa%z zO@v7#bG_Jf^ai1lMzwIM@&aFXTajd#@&K}yeB+dgmSOOKWiso>CX+;Na&+CK1{5C5 zW*z?~@HjJ>PT>{RF$TBk2P%WBW|xULGjNmUUCe3^ zAdcR0o5e(bXG6<5mI@}v1tLsf9rMN$&eztnaU8SaRoZ%^zL^=&--pH>zJLPjwy>&K zNcKz26S#$$_pIhG0;ycQI7iB5M*ls8<+il?XpW&exa&KXT$gJ3)&61Q%h>^%=KN49 z6nb3TX8(m|;HL?zVX*j){RZt?evI;vXgf}I&Ic(!ERT@X;%d27oB+ptJ+b%r2j%zq zS})pvN8p-w*ON5Pc}X6>=W8ieqo#~oL4;c{&E6vQP=>UR%!;lZ)E?yYK)DB8wdKIj zmgld}y8OWC0!lkxH_PR|d!&kqT`BEksYAiqR^|7LA=X=}D!&d2M(OD^U$&_m!!~{k z=QL_k<~WCsPz&|blt2@3MdJwUDEbu(uxRRHo)`+FoutXT9-)(IBI^Uu;Ldy>j${?%+djZv}d`4Eq=B#akMD(%u_Wm)4ueWGlguXLyR$f6_iQTxcrYoir~U z)*a2JO=(Q6AijI-*=PriO=H>KD9Yto^^Xh2a#0ZG8ikmKj+<92*5GvEAyI^RAlU~Q z*F|8CTgrPv;Z$@r-gP5FoZVt#qs2Gtv5#oq&C+I`=Ql+LenGTEZ?O29A;n~1z5;9y zr9#5#?ZSkrJYxTh=7~qaE6i5}ah~^nI*+b#YQ>PW5CYDLz$puqio?qTy`Wm0F8Iv@ zBD{ZIf6=~=i-n@X3H+n{#qFG=9J3GN-I2|^GvhVEY0ih~O8*B$T!;e1=fbo&lp8K$ z1vY^7?0^EC#mO4QVF86Ejax)o&biVEx*NCjFA`eb|b4s^i3)6 z0A)7@37@D_K!`0bab_S)9{45F|6!Wf~3g9)Z+*XcV6*! z5@tcFe+YotVF@cg0$s#eh~>&@2?GPxR_*uDWMQN0BgCW%Mo3jMgMwj8L{T5WdTmuB zxFVr`6ih_&icn`i3H6#OlVDKbis7XQHR`TrbKnY>RNi{oX=!3yh?O zoVETY)4>yp*lZ1a$3|dP&mN{;A)9|NUDa|!omT~$MztBA)Cxig3fm?+e-i|ot~rI( zIJ4cmi14G}HfLas0dCNp!JlI9P#_NfZg7Z5D-#tHlMpv)>x$B)w;vTw$47`8GITe% z`w%8xT8!gr^q zi#af;zEj%+*bD30(jScCO2i6Zp9-C&WN|OVVYd%&8Yj#WRsu2~lus|$DYe3Oya1Vp z>+3HrXt-KlVWLs)d0{j6is|+~EZsPTFHA#EOX+ETsJ09pFp`_}U>15h29fd)T-4Iri^pPtiQH zGsIgT*75Hc{QJo1$7x6OG#@R@7gMo9-w9C-H`a@(`u)1Xd*M00w`BS;;V8uxvY_Yv zkxH}>t$1zG{EL!c(C_6MhhZ3yN<}Or)IR1Z!TKhYm>UwH0ZK3q=?`M-pQ308H|A|O z;>w>+*hsh^m$i-fTaWE71EiUv6L7stL+Ts8H_f!t$Qod`pcnhYhhh$Y5kC(-EvW&) zPED&!W?kb`InOtR_I%E_GRJrtc;D?Jye*=>D)Vv|G@uaYZE@qy> zzR)Z1CzI!)|4ne3goGCow9YZ$beABFynYpnbG?`mxvwHvXK7nM1!tyO7;`qta5c{I zmzoC+8xZ_*w1@IJ3!dJLLh5UjF5*tdkVHdGY)cvCv!lRkS-~30UVs*k_7DrHy$JbG zR^fii)6qD4KUsA@QRW~iJ1aYwO>70hCM8Hym65hMWqA5_=KIQftA3c`H5g4`P~G7y zHyA4#f<4r!;plXiX~LTAt#Gs*#z4vndmYW;7|Jb0%Q}{e%0jh2K#P#E-XQ1=Z$;Se z=D%a1NwyiAH^Lev8xr{|ye2g2tPC*WzWyhv7rXiEKiB4ffX?N*VkIVM@4mN z6!T0>3ue>EM4?!+`o|I_4%%o5yry50(1JdXo}Y+$y`k-vzglau@&0*)7Sbwv8)OnZRo>TtbhwFzvr1qYOY_FMy`-(3|Mg}0MMo!%Xn?9KCgF1JN?wf1L~HNkm;)i$Hi!4gNR+Sl1OWY1$5pmTniSox9?%3+Bn4a$qGR>0Df#8O<7!_CiV zRlG`qbcZgh%qmLsRPNd^-dfo{~m z@3v~BaFzsKhpvSh<&FAm{UM$5mmsj@qLdDWqo8LX*B2%`c~I>4`{q?7lfc{18yanC=!yZxykUerUSA52 zm)Btpn{Gz-X#!4_mDldfI$Yf|B#? zxt5Shh3Zy1seYzyjq^R_*HAf)uXrRZ=#x_d-Caxd_8!62w4d@Di1wdEQJD==)qI_` zBEl;Lj(Eq4d(ceiG^PX8Sa=liwiQL;^=Z^>I-dd_F)02ZT{4f2Vn>iDJ;h>@GaO}6 z)GV)34%(kqqI^N+U~$RTPr<76Ltm!8mc#b0R21)ZzFs@OrG{SV6PO-=QhXE}(VB`Z$=&#fO&GJ0O1bP26qA4ITGp#bV+s zDjNjeUAA~SsLU0PX<80V_KXPgEgF4-M`}{N6N*ZH1~ktIxNJmRBBq@_g;U1_c0yF@ zFH^-goGIQBtqtD0Xrkdgo$;g{4C!XASE;B1T4s^?G_5_6>#_APpP|J;HyVmfPibjv z`7KjCLqQ1h_a>f;+7;vL56?B;1*L(jOe*h$?2|1KEWx}b!sQ^v4M)=g(?tgYvY)bR zu;cpzpEgZ|V|%WBtpQg2m~90WHT_np9y|!EVtM8d>V* zmChFpKSX$65@Y=Dlg(d9n}qj#9fa2~a7-2t(H;%q!DqzRSVDa`&7IjFuYY+fO>1gl zZ$i2_19Qb5t6!j&T^Z+wP=)o8#63${G4#$$CZ@bJmh7L5iK$X-xnezQXw2S~3vp#5 ziK8W4GSeyLH5f$BKm9ZPuDpiL+#1Wj9$|Ve!gdYxrcboBk3u%K*Kb|c?<)5C8uzps z#MjmFQb6ZjQE!0<<<}8`IvOMBT6gPM8Pfw?V^*1Z>cF7y8s)u?_t|EZf0$ucNhq=r z+6HH3FD-|hWzVtMfN>~wd6ptSOX<^)MGFD5IK!WkZQ`zG5dGc4lq{qzJ7?Q>!yn#W z7xUCu!k)$j_$9y~q>X#Wb}@Zi6bmq3L#h-5&nn9dzeVr5hnsrfTgjnO zJB=Hz6m1~8R>FooD=gKgE2W{ra%H=H9duF>Y-`vROwCz&A z4~K$co#kP33MW1w|%e{w$F1J44MQLD{p$`n0gbUZ0eU!mbnm1#P3*uCZ8Uz=rnU}=(^O$wR{Je9A2;?f&AO_Dcbxmn^}CW9wGOS)6hB34 zZcckno4l<1l-H6U>}@`pvT9(>QOm3mE1InjPkyI4HD^v(QQBi^jtJZ4b&nmfJ@v$6 zZ>4YF{n=ZccD`Tv+k8;iao(+Rg`l`604Po3?9|{c!x$D96#X=cBqF z@BU*{!l~Ye!ufal(Z(GXrE?z?-)5R;4@S&40Mxfd;6sX=WBsJrqFevKxvL$+9kPVRKG&) zy4|{7siFC0Md^(@^?h&czVuGF&KJpmevae42NciyVE2jQ?kx+B*|V?gj_IG{z3^`T zTxwaR<_nht0l(Zdu&gNa@W25j&9Q9*N`02I0|%Ce&Xy0ZT)nztNWHUs(6G5@SLKXo zI@>sSWJ|drZ*<+M2YQW>SG5(gO{>>bb=q;bLMuLXX3daEZQ|OYQ%{$#t?qqga@?@N zmo~pYEd2X&-9X(}pPwCMw)?!p^}jd|4o?Qd2XPCyErP1B9zwr<_~;n>Qg!ylIJ zID4Tg{@FG|$%N;Q`-kZEaG{Ut9=rHPMdk8ks~;|ZU{BUVgI~J#GnMw=_~N5U2kFfR zCwJu5YU>Y6Gd4^-Vp+UC`mM}2hfX~anEFwVlPzJNOgLTm{_$yN%D*h*-yS^UqaL${ z4m#BL#E7-k&JXL}+}P)nnP0v;<3dyF`MWP2z7WwV?(WiI;b99y=fl2iUHiza((P{! zoBi#9yN1t+J{os;&QD%T6?AC&;_RRsbvIVby?Jr%r>@_wz1cDQ&tGqzHvR=K=FJb| zj|?7Jp5sp%rHS2L(Kxha)QI7CEm=HbL4>+)O@~o|!$~7Jcfqj%y1ZWoFHGI)%qzmd zdU2si`}!v6SX!`pZ1{Z3soV{jm(LCwU0i-K-|))x*090Bf)R@}u}=gSPOKZ7)Zxi` zt+&5C>+Xx*xf_4ZT{Jj|u$hNZ_^2qcHabo8xjFfXzBTR&TpvG=Q*;Iznl0*{&Kf_#>dNh{ycWc|Ht0jhecJb|HEs|%!XMr>v)Ybo0% z8jZl+~1#<@Le_{Ljh?Qz&HyR>N6YjFDk*7gbghDC=lcO-+neb|Mss3sDn}S9v$% zppdLA__|bO%fbd6s)oPP`XkgtBaoNr6fzS2rW=`P$Rgi`HGDVK<}4;mh`+ygNLg%$X_|>vGR#`EA=%9v?{GDk3ya9eHZqEI{o+C`pc@D!1wOW zb8S_ZiV%wfl$>q!oJ#mq0X^q^TFxM-mcT!#!r4LmxrfZKf95IzUoK*TfQA(i$+=9(V6?L5pj9Xg^;z_C zJRG{{Wk~Ih`xtmdg2IB}F9s9U>W)lMXXpTN1rdS6Gc0U(I5ayXHwa}ggvpGs!GXC7 z+AU5G2diM00u^?}1kMu__wj0GNZ3}mKsbFosyqh1TOEhZDt$Z-QUxLA%@`bk#w>cd zijZe|#-c?}A+!=+J=f_lyaTslh-wu$JynAwSXfRZ&mhd0(I7ZM&p}KGie^l)JGE#w zoVBQ&Jgdr8Fi)b@Of3$=nITXPYU@mbm~YS`CZuzqIIH6V?^}`e=T8D{{(!gDmsLLD zZi_Ef>)#Htu09SezUvt5^MBC_f7ugeV}4+7KCG=PWFW*~)wS+SFhoH!U>m|>Y7_jLo>;A+B}T&kgQ)k5BXAuVKfP%AWh-Blss} zXc#6Rbbq6JfDIS=y}JExN-Tt23%&LsWEo=-LHiv5|>(eEs8Nm zXy5ov`I{1W1`1>NH-3Bbr_gJm%s5Pm3TI*s(&7>9BRDK18cxkj$2qDGVwea>+))8f z73`^;1=SoAp#>Xti3x#&|xMy40p?!bEnbg^;p7Ey^FQEdJc z4DiH{;&I%{mC-9#CaetfNH{Pfb5BNQW!o_=8I~3}c>?SZ=7o11?1tuk69mYtjP~%$ zO1SK1RorlG+&4jRXK|Ksfu5AHCmLdeVerFd6+m@+#`R5rt`HPgphcuc#V%zgbcV~2 zeSwQXS*?4&4D=9<;6y=TLX^tayZqij`-WP7GswF46!eh8C);|+|NCb7%Pw+oBjLBM zP&{BXefA^OjBX0(ArFfn1+X;_^l?DyO9=3r3V_Zv3U?#ld{R_E00(00nY|E77NYKP zodSP=AOKPh$?#Ph-iCLe6hQz#LPTnt_7D52DkYY@+4&Fg1IZ@1LISaP;W%6sB%dBVdf{A4&+!WhYb95D3MQQZmKdI#X6emC_xSh)YuN7+>E=ie6uYr6hNG% zv2BrmLr7rx;C$Q6ssoXKgZw#y{JdJe9}vjl)STH+SaYKqBzFWm&E-26h6#H>bCN$4 z;RN}d6ig0P_h!toiBma*5L4lBd z`8w9j`Ehy>PgoY}?Cb368KnAApVk#i-Bh_l zXj*YSl3la2$I|g~xDrXUJN2L>=lduL*teFYf1*mVtp=vX6kBEv@^Jiec>y+`EL7ohfO&ip;UG{a`J~ziWq@u0=p2v&?+OV>ViQOwbxLeU{%7HPsV8-S{|0AtyaLF1B zN0lv8ltcnr7EQZ=TiYwowO5)wep3~GMvqo@of5ocur${S;Sl%Q0@ZZ&BtdxEej!edBseU6e?&~+y{LK$S} zry({FC76pyPmn3h@28N@F==XCv|IGN$3M`>m-XZl@BZ|2Wp1r~hzXW?{_N;k1*F!-%^_eWl+y&8p^3syN23*V9!D@;?OPPEt_L9QtY z=*T*YKGL*8=jbpk9T;yS)EP->g2#=N#vMj&$t#FI>c=i?p=a;D|E3AGvHrg2_6}ApItAU82}TM?G z$bdFzLKGF$fC%LPI4*IW;4cXL7^Kco;;v|JTL?`;lcZhIVuvUY4d*Nx(>_6JK)P5B zsPe8wx?c^TCZ3OUzZnWo%Q7-6ftUJYq`PC_W26iN45MmpR}`&cO^#ON*f;!8lxn=F z|65d4z+D3H9&Uv}J_UJ4OhdP-gS5!nRgIF0rwZ}3!>y&I8%rc$BDWp3ey_IEsP+Fi zpe_TI3|p!A4U$G)()c9pwd)XFVn6>xmEX z8plq~#g-4F3~va;A@0TEW?_jCpZom~!vw?DGYpzG-RrVtFC)WneEz3i^Qp_!nf^HG({&A2an*^O609X6ejJaSVil346jUhHwIocMoc$04aWts z3W{5I7kDAxFCMv5E9o4PVQPK230nQ!|1(8jX z(Ygs$ZbFWrrs<0O^GbqSUqJaUAn{mmfYI6evD&gXmVPjQ0=8DF$xHM9rWPbRVz-2$ z8mQ;g0438j*m-Nr*m8mbLz<$o-M_&+mwjZ6V`bS|7M`V2JOyNwzbT;FR={m zf^7%HEu>Ji#}H{Z2-qy|qp-ijSB}RewMf`aw$+&lSF#!N8_VLreQx@!J(QzREXB)$ ziEyu$`q2*^r|0J@_*YxMMD$Cjg86Oz=Xy;RmPRRBYw(DgKp(D0P~;jgLDm+>(h0k} zsag{h-UJ2Q-tL7^Wj40SsBG<_fL9Z|`!KvN`7qtzva=hiE&b`5ma{@B?cGE?B- zM@#l-s&`00^Qhl{RcX)EPI(d6EJrYTk;8S*5pMpE(8Exwpe;KVEvI2JRJ^EIwg_r$ zIvN3WGlX9DjoQ6k(RvekZwA_Tf1rJB+L|#~+M{UQg4b>dRM;j2<=*YX(Det**aYTuXFG|2H$-pjG^x|?Z%5&XbR8DwLt=I?V!l+&{l8r zln3W2*(p2ia0?OQ)gWik{@;U5zi3;lf^Sv94Q@hLHz9Tt{JQ9P{oRTigMSm>0mje1LfywV!kQ<^TCI;Ei0!kxN{J-LyQOqTnNPF!&! zU@8kx0!@?nM9!ZmrXf+=lN;OxAOeyljT@E7o2+Nd;-`p17Cr!QG;ECnUP#HDUc4L0 z+&~tm1rU*<1LHR>FDFPZ_5#bWLm1X-GV$hH(=j60^d(j-{6LK~(zh`>BJvQW2q7(1< z)=aJAiX8k9VXN&MngSDU!g}k0BvWb*e0Fyh9L3J9l_`j?>|qFp2+0N{3!6PO=ecju&Ljw-zHdu>@M! zG{2|f>TcwSEr7EYHvylmk588}6+-N^rAlM>x&nSsYlE_;LFt`=Y)i|UFu&HA#%pDD z(Dgg^%#img6nxbjE#|9Q-@-+2;nqdSxCm^AVncWlm#%)8qJBAP!=_qS5bj1Aq`Lw< zNuHi+TAX6+1Dm41z;@bnToVAJisO+WTa+5pK@GM;4=5+Sb$YYz>lC>WnLgCugf_sZ z{>9ERMEtb`WVPb#F?#QGWcpIWWaQ68UIIwswt zNVai{YM7tvRfIYwWFxt7tgdT_>6#j!c0COP^JL)Ns*2P_Xiev%gpWX<`=W+c>UV@r z>4j(!H=CeZgF78xyNhA9?Xf)>)*upS5)yG<#nhon5$Ov2ZcxZHvul#v39Cx>Rxr5jS;u8RsUq8<=g>P zpJJo=$=o-+Gf~xfY%6&em4D@Via9^=ePpTTfZs(whS)ro861go|A;KJIKG{D1D3pU zc>2k~Rt34^%-$yKo2bURm%8V7M$)UuyrSxqD-XW~tX(P6Fokt7SGtzkQA%}D;T-c4 zVMly$c@JB6NWLV4nD+S~_UaH8TGb#;F~2LWy2`KNNBYLlw=8D|@yRGv9HGJ=RU;;w z`H;F{1x~9iV7?7LPEjJI>4OI`ltQ424jCN3K5ErZXcP@UgQia zq>C@XIze}6FY`}k$WRBeE5aG+`a;=^rQcv)W8boN4?nxt{m(GzDdgKF1u22cL4kLV zTS-4J1Mc*`Im<)JfZltKKhbpD?+JeZ!8IS<-j%(`?F>Z@VEl!+siAWgzlkqK4#Tf3 z+x;XJENPFbGiM?9?0hK=S#w2kIogK{>QD}kjB{Px*1m*l`T!lnvI}6yF7px0juB;C zvjt6zMa5J24pSVkD46pOnv#J$htbpn6S&X1)Ni_wFt1U!R8#*<-H*6)%MC!Ic*c8H z;P%|D5c{M4TGkkyc{8MW8t#f~7xi__;pa8?^N%c>kD5C&aX_;oL8kC1`5n|eA3$ZW zbWatGlE%*+VDYznyF6E3lEcEc3$W7L?ZdVt3*AdDF_upWtUIllU9jcRC~7b!FzL=> zT{EfcWS+<6YPkJF$+^Ncg+FhZi2vpo38+yd%OYyt$V_t`q|aO+wshwVyUt=sC41BC}H(S{J80m?U^ru+Do}P`8kI@{gkSB4dv@o45 z^PQ$Hl*BJ|fU`v$hrIEKb`Xxr(-8grLIfI{K0tTTVDF~Zr&02i<5A8=>j7In?^fw5 zl2~^z`}@%olyz@YkNNYNQ6#T1w`w%wv)DNN(##-N67bbmb;s7Cc>xP)IKbK+79B@V zoCR*DY4FvQM-Twdo>KK>tS@WLy-!Br&l?8k9m5v)Wrd@JjWH(})~o4!{V+8fE1p%G zd)C&{Xvxc*ut5^(C22L1Is_Fm>dNx+qj#h(isn<;BU}VpM3hp|-M16T&JLDq!>kQ# z^&+N^TZd27P@@!z57qd(;V+z!eoSYXj<8b)@sqK<^UJy-Dw}>O6h|xN&rtqAWN-@k zKwVfojldKTkGb7}6@ z{646$qd|;d5(?Kj-k{F>vxxt8Up?)z_B&LN31oo6iB11Pbs@TFU0n%ty08Ir@ht@- zQN#FY*AYKv#O!>7e<&UGb~xSzXyp+%o!F7VU7%=+eWh0ayxN&%xx;UdXzrV4MJK9T z9&a8@I=V-xPVC@KvWICdBQu1hOc#Dw^GMdpy&R@HG>&X<9%eL2trpXAEx1(dq1t9G z8(WMmnmbDzwtS}L zy(QO?iN?WXRAC<$X8$e5I=967eb|LPCo{?WqJ$kKzVpVk`b+$?>7#Q}(N3%VnL@6b zvm8+~4&ee>EOk@`5L0&U5~&|eWV4q`RhvEnYj%o&`M$OLQIDN zrWnn_IJSZ>kQZo$sQ8S=JH{LztW z9V88aHl$;X`78<-#~3PuY*)@ParGDVYy{aTeH~(LOp3qb|0k1{c|s-cP$S7V$I1}< zu_)7UEA-pR;z%^DD-z#8_IXjHC%`B+OE|1Kks5tHNY~~>#sp95FKW?%o0GT^tgbmk z4{%|r{z-X)P1=w3d0L$AcH`z8HpcW$IB94}Wld6HbPKRS2z!8NeT&uqi1VQH7q(;F zL;&f^XYiaREL}ngvmv|RniN;nOfB9=k(hw&ZxVc+f7iAZDn6MW1*m>i7pp3C!xSW> z;abC{2&oo1b1_~Gt}m-(Q98yz@!QpaX2jb3z5$ns-+o$cDAA#zc0)uR2lMGvg+x@v z?^%zB=)W3N`>otdX#&z6^Nk)S_E+1hc9?q>?+4|Wsy(;^pQrDtv$e0ctPtp?HN$L(XHI|1_eT^sIX3+Xkmb*o-mwS!o`A9lc_BOO5NSKN=b~ zI9_&bPH0aBp_9;^PcV5y_yo5j#y`I0ymf@d6)Et#i-bMHzgc~PADWr1gfr-WR~rV0 z3Z0>A(V@&j=a;}9;ut7x!Nz{(9r_{*bh`JE{S;R=5Yb`W$7*y~d=+ykg#WdiEm{>} zu8RL2J7DH5bkXIxA2B8-N8dr6dxFF{KJ~nA_o~y|k&a>6m}z=UOSbzfsljwZ3$CuOgM@cI0`My?4>A90`C*Lc4VI3zN3JW&th)B@ zGjM%ab>SDr5W5LQ* zlW0@9uHY$Rg*5*JdQh}uC$gup+1dPB`8M{P0$16uSlXr)p0vhj$U?Av-~lyV)fw+d zH3nIY^N(ZxH0YZmr&Db#mEOk2uE5YEzoI}c@EsWHZ69R-pkhu%3<#;2HOjdF-yz)5$ey)dQ~^j)`FWsc=t=|c)eA(}n2 zPvdPgUrb_w>h)`#<1CqFjy`k=8?7s2^fNTXVs4*fLAnbX%V)$a(l{7D#)pYH$SgA! zK;Vh-YPkn$Ttnlz0b%yD?Dd;C!=0>YG|&{|Te=G(dCT-o2zCn=c_uRTVsV`DEhC(d z1!D(}vnW~MI@{s+nJlr~3E^WCzF^xqdhzYjUc`=E5-S`N$6@hv-X~fQ=G&k%E_`?bIf?gZK%FYP1T~ zvgK*`C0m@g1%93e32p7fD7?J|b~S>h22@O7%vmfhR>DnLO&VrPwYPeuer1^aZE*Dx z-e?!1d_dyh8Uz&GzH}T{{0%IaGS5|zE7k$(^}{UjTG@wmCpz(;Nd1Y>!`Bhx(Zi7a zT+iAQ>7S=rRCPf>U1StJhB~;OtDPt->o9ZBwGk|UdIgEoPYX$(TYU#^c@*=wQ#Vg_ zD9f`&?utpJ@9)Jmmd`oHD{NpYbj2awEL=80DL5h2QPun6Mf@C-Xgp50P`B%3X$+Sa zW_0I_S5P;^$Uxi@C?c}UFR;QA%LiE4SH&c1!Aw4U+L zHVsvCuXBb2q2w|DY-*HWQ9>e_L4IFz=sJAdnQ-WueYOCkr=IVOG17eGxonJ)9|`e% zZ91uze?;6G3+$DQvOj@n-9c3Nj0 zGSBDR(Fv}({(-QzNJm3;IcmCcYC-l!zNc(O);CG^Ox_B*obTjQLI+;& zTXtty`RAUqyvq?n@WigDI#pO?9MsqaT@s&maa!8w%#ZB|cTlM|kMU1oOby5FC&K8) zihrglbvUK|hCc{$6yn?viBlV69NkFiu?$CbvDb1?EriD}q+ZJ`KJ!K7&xC9S!D`Xz z64W|-IEdu=2NXGwX6v{31pT`;V2!6n zRTpf1ujAz%&VHmoeziw^1UxQ}YS<3e%etAL#?Li(6$VMWI#xCF?c|S?__*M9y>Yz< znJ)bvE}Vm8IY<#X6=vLqe>Xl_*aW>?8lo|}3l}h5%(8SN=mG_uD^u?C?6PIEVVyzS zR~>}&=yBCj($1xi&#r%?dI>NIo&y_CIuHIo(?EUk4pU+**=PSvEmq({{ZJ8b-1vn5 zNRdml?~6>^g*=I#^FUk~4H}coJ1o%|5@%cA&>0?hg6J@S zLn)J7_jKl4h@s3|{5*cDWtZMH-TEp|yOezaB9%pHh<00i4S9Pa?iH=!L^N|SXN&?o zadT=u1QR1?wgMjYm>L*3j|<=1GsAq181LzWY7Q%`m7%n@30%!fif*F!`XHJ#2c8mJ z)8AlgR~V+rr~Ha(CVaaT(e8^oW7_G=JFr!ghM{pf7=pDXqgs|jxM;PZVwNnRMw4li zULF;EA-6G=`q0pl@{l7Z*}*VgxY{vsbR_qR`osocHa(~1KGDwmo<2@jW1Rc*)Z_LP z^^q`|Ec!!6gVUu$D18-#0HoJZ^Lxxl_G-=uRFH(25w$oXu1yFino81wc(kc~~e2X|PJ`CU?PAPWM41 zBuVGFN*<(aYO3VQ1>h0d{1$$LN}ZX3_aM=QGgUcpN_*c|G3%$y)i$L3++opp3(HyZmp+7UzT zEz5{-aRK56al9Zy@UECMuYs{{oMYnDUHUU&V(~`y6KJnFP(P0NEotV7{BZoE=@48z zCmp5FErU4Lqn0y4_oJ-3S zK8A?xxRk{nJ&U&G8}rI8yUZ| zh8gh*Zn@5oqyu{-8_~YzIObzgZwaD8z2lRDlc0T&Ub|=_O4bj~!khU1%&_A%dT8|Dg`q}Sb{gGfw4Zxl$_q8%DGGNU}7 z(!LH*-y##mjVJ+#@ttqG7iysPi?TqtD(&}Z{s-X+QfqxQUfPR%xh*^Bn~tAgy`OAg2VxP2dqM83{c?x`N~Z*s#Pynt?tL_{!v^3^z6^y}i5w zbEBh7OG3n@*u9x8yd1xrO41UL{$b@sFqF$JL6*#}4KDYi*#3_=6Jq3QC3#ga0kHua zSF#v*#ewS6u2wrN`3sQP$`zC&X^_J0MW*i}tR36C-C^SM3U(_jCE=;o+80_ud%|)- zqnjjTUeMt7&_nlW?B5z4S$a+bl%8@g#Qmx@skD|a3E;vwSQ^6gEi~u{X~=}yTFHvI zTuGcA%6-5}W+WVtS0nDM8rvXgwufUZsqnuewL{Vf~&q7mh7GS_`I&b>e=4a$2i~D*f2qNnB_JT?2;-FC;{S}3Y1r2 zp9(DBlv~cyo`oYN$YR24`=IN;a{a^jBCe<9;$(vN_d*v6(36I1tYM!{nq)F>sM{dT zU@lCc0_Zq-{>lBsviTP@W3^TxRcyzxuS7uhE(AP7A=6D=N!RHX&$w{q)5_dk^8b)G>u#@gI2`@8Bg z5M+%5yBCPf%*`~ey1)L5&Jc!s8fOpf(XMW_u9+J;7S*jIR-satmQO0{>eIk{|2*(j zys;i&S#_Io;*oKDeG~Aug4S=^HdW@xZu6cs_h3@evA7CZ&WI!)1gC~}af~N%C0`;- zj2cfeHxw&C5cb0LF1OyE_Z3bdKMr-F!rQfRK)<_+-@{}aczpeDjGEXlzWXI3o{oKWf`kSCw)Q6ZKp+$5BRBVC-i{y*8=_twibTV`X zaQmf$AKVO)Ttl*H*;!dDSX(36x5z+qM>f&)qJ{{PRcrc%+}eRBP-uF!w1pLZ%3jS@ zz*AMb#Nh<*XKf8M<;$pcG8MKTCNI?jEeW)2?O*_ZeT(K506yb=G%uTv7DuCb-Nh^g zo9cT6hNv~nFJhE}-hpDh5|}7H(uI(~7kgk8|4S$hDGMwC%{x_=ApNBd_U~BfVDo!4MfL;`C6t6{Mz8VIxb3tQZ?icBP04xiR?GD&Ar-LR19@@vP^GV*yBY`jO9{dJXn78X zfNPlvJ8b4TDy{CQ)%1SMvCnNrDK3aBYDXfiJ2dOxHI1;b?dx9?66}Y~Fa&?&O0`d8 zg*5L-v^EWSCnKRTKMRRQ?C3~$-TfwiG`bTl{*L%5TW=s>py7Lf+?w6}y6FWCIeFo< zPuT_lIuk5yM^g_1*5E>6-4F8X+6#pM`Kb?+)uDJnpEDLsk>S}mJO@#i@g?~(CTAwDMBXfzPVi`Gx30nvi>u#3J*K^ezK5u} z6_C|&@>l3!38INLHxcc)VK;0A9t(bG6dv(4rd@0LLO>Z`?TbiXK>E@7twGowgh5RE z;0Q!6NnfeO4!HiB`~f1eVDm<(tZP`IgZydCS@qpxHX=BpEC}Bmi|J~S;+l>a#*z^o z@$tb(K8{-99bS78-EjLi1??evaA6Plo_4C4i0nUvNSld!3THD(#~Ayem&!9p`=J|E zbGjh;5aLk??=%`ivf7?iWCojV~Y|73`~1LxX6j%Il#lAaHYymXsTwzxApq7K3EzhMI+ z6=q9*F)EGXwU!xL;Y5BHJhANu5SyOaU6^y{)`l~I+Njx! z!jv=^rJpRw2fQDa1~GsItm%QIH*oC$lx+P-s2_j>_yuKTE`3VJVPum{C0^JUY0#>Jw z?D{39qZEqd5kU`oAB=j|9?{(PXw$X`;^wqb>}G6~7wEYb18bD~S-Dus3iAFS>9GtD z6am(il9vOBRiM}g0&P|4QNz4UZm&^iF>${c<>#sSGR)ZHCXpLlCmqb$RaZ$n(>Nn! z%O@OmtQXenZyKcRM6R`qVQ6GQB5H8My~Nn(n&p;(@={DcHpW?AG;v=)l38a4il49B z*&AZ>7SiWjFWAo+vX7Vv9&Wvsg(^*tj}b-yZGQW3UUF(}gFG%iMtB4HP4Catj*0L*`KPY!b+(aWRarJn=VNxV{RriztW%fJdpNX!< zD8%7W`uB>xUn9#(BTf`z@#DU9GF4iG^&QOd%ZxwUq8vw02RjdvPh3?H0QWek!yc{G zPm8KKu8CTipX}T0Ot%WFdZ8i)hGgZ>KSjms9r@$po=KA~4TzMShkF)%7n$bUQ5&y*P);CvaCn5^g7C z)AG}ga4Lh-a^(kV&Hn`-9bqe-|4(dx^0Tx#NQ}f{epFn`!G2*Rdm6AOWV* z=xKEs)4HKK8v?e2kRUySz^L-?WuLF|LX>x-wK0sBN9&Z%k8`|8SR!`Ed|_#kd$m$X zD?5VdNB-3a83x9sl`2~CiU-Xwd zkRCpjtm$a)LL9fbUTUD^cKm#KyfI#Q%Nb=p;*G>cCz)CIzVvF)q5=3cUhdq?Jg!T$ z70AfZu~9T&k@IT8w%bS6ZU6v z&vXVSLFEFi_@l~|z}2f!w8*O1JSka8FH+;qak&Ehj4@`OP?I=%(!AVyli25X0Rpg7 z<`yd8Q?OPU)P=-Wy%x|>jwj}-H+YC|;b)!YwY_|$_^Hw&+BLfa0nd)dz-+?K%)!W4 z2rRo@G+>pao7q)V20y`U|N5!t6Y5x~8nRkSM7~!WzdW)7$hf=aR|QP1z#0-SLBAM6 zhV%WnmJq|ibduwaRmkhuGP6Q|%t11JX6~wE-xvA?T4M3VU`ykt-be)--K-?3zHm^m z2*D&y8Y;L30t~^|0cVtUV4ul9fW->st+!D!8y@0ckcz=qo=1m{p-3 zSh(q8A?ECPOYTR42_A>C$%vK+vBqz5dLUt#T#GjKKof09?vE;gs28?7p?TkMKSVfR zE$wf9e~W=&veIR%Ie-ger-BQB^Z?7nZ9?`EEx@z^6kc-!YAU}!DqDw6^+ywBRC67d zY(q`3-3dvh0WXxvJ}aENOA!Aw7EnSU{}&(1FUR*U<%+Kb<6 zfvaE{6IMQuylnk6hTBM(XMj^;J#xHneT=h4ax?}|s=kZ%_ML%c+VF{vjL5tMUMlZe z;4=`npi*$Zjdr2SLk;2KWQO%g7Vfm0bRHCYYtBH5!VORmBfV;pk#3@KLsxv^1yp0O zg&2%s26ZGE=Z~~p2^D+m{NdnGnHc5Qa+B43JMU*&>rWAlJJDSGyR6^iJgE0gE1r|E z1;?d7NB$;%E$p0ZJ*vUqWiKH8OJ5bOO8T0=H*4emM)b2n9fd+6SE>QuBZy6rBAQf; zavga)*kNNfb;OZP~P7+h0RW<;AYN11+f^#7<#a#cVf`c_3h0wz#Fzv;{iTx zIaO=UFANg%P$THW%LgMQzkv(aIUYHE*fQ87gdeyO@8?U!mlcgY;pZmQnBjSuzH4fV zpfg=R#ZQM(1_*CfF&)j{(tbO^Gh|x}BV*Csr^F^h<`l$)9eUD{pg0YbHLBYFQ9+JWAM9jgwk^XPi9QFR@%qu zq#uKgD*+kfX~sFW(1t~}1mDZpA~fO-bgAQ7Lsoq==?6>lCo}Q(JFge#ZAtaK3wpjn zS78R@$*)Fv&j|}X`Ah*>nD&~Ae&w5CFVHZDJYV7!Bz^Q^M3+h*0w7Em)qnIDfYBhk z!L7LxBkfdp2C`97a7Iy98x7KB z`BSOI{i&*Dw!XZo?kI6JPhySIB!$0|u~0r2-aM9dIa)}O=WUv1{U}7*jXWPw@O!wE z7?R`p0=LJh!Y_ITLUf*syv6+s%KjGUneMC})opclOX##6re{+=?txCX+7w zU0mO`6(@WHIveI5!1>0H0g?*9VFVWdw4+jZolqc4i6U2?LRN6dw&fRQcFS z2X@_*^|9i|n#@;b_!m0gksn3=+2T9+L>xqolFcSzOWqLL!8%2M9flclxa=k5c-`~5 zQ0%Tnz{M(FLKV-`TI&Ke(+3vS6m}x3BydVD$jMPqu#=|%!F?82P9TC>9)V=v49HP@ zn3SCVG0FkOfOI+LiflkJ(*3l(dF-AhOO0aRi=H^Kk&Wn1!}5Di+_P;Gfy`Wt!2QH31* zG?io%*P`P6;C_ul?CxTHww7N5Q8~zqDwA{IgUx{>cr)&S+SQ!F{7BFZ4ON-X_?89` zf7yk$=gnu z;x`nYGY}Gf9%X-NG|4*vdTOT4{b1ySjc|a%O$cm6z+{=HfDOHGR9atTj-t_No8jY7 zGA*RP`Jfh(ofm4)spcq-#?vlo`6!UJ*_JbERN)g-O)&J}*UpyVQ$-sQJ_$lofrP2; z^||dEV)1%@hQmOQG<5N7;m3g9mHZtlFQWe#cLG+vQ&FAhw3XL8)R|q8v<&GF zRxcaL%_ZCnOAauQF%^N6l5IVaTIYD;`)<3G!%w@6H zKg@fdTs1#^AWUA3<<)BGrmD7`G1d1pDXg_rjfMHF_GW!G&}G)%fWFlS9n#iTfd<>W z9gd{p3CtQu?UR%7a@p2-}QYBYo20d{P%o?8?a*)Xjwa`k*;v= z8I5xi*77G&?A9fSZr_r}ul5$g8H|O(D*h`W93@Zfh6`0e%A+IvZzT?WK$9E`=?7jm ztPRR-?WXk%WI9Cw$7^i4f3iM_6a(EhfYME4PHA+JA^zdv6V#5S%-ARYGWe*6Eyx~{2QL5#yI`Q?93zFXKG_C@P#s% z`%3NSj5d-hT?WsgmirLe#qb0NE^c8R`9jy1&AsM{A)3GpKKRHY<73Vj)RW4~<9Cwp z!AOOtD}`B!lDsQn@ua9?kfZd)0$5U}6mNrk$U&8jC~YXB!{`5k97_LwG+}37T)}-3 znqEWx<@*gAOP91^^NT-dEXA2e<~qGxS(vSt{fjW)5~fpOF|-RbJqkL#XWk`#q+3s` zG)!^kJE*FXG2w=a0{L;|`-F)%UI7fB?=yECf@rMgbKJz}r|Gb6vKI16@tEqzbbu=q zotXePu6~2e;^Tnu)^Uc!XG&NXA0kwggks&V+N#5VJ({QSJtcjwP?d6qGIG60+O5W` zVNOa5_LRfJ7#Y&o1<$3XE4OHksU_6vg}gui;MyKkGJO;RVd-BAoTw`8P}Y&3X~xMb z@OXF-?OnSF#m$`G7^{Yv#1a(&i7Q;Gj`TMJ*qw>19tEq>qmPPqWKPJjBhRh!RbnRu z`m>z^2`HYR%Xi3xs{U;Bg*gd>VM$qJj7`wM=M@}_XH-<I}yZ{XkN}` zEiA+Y(9S8HQM6Z`o-F@eX&9kBZ8z(r@yf!E)*xc_=>fFv>rh}vy6t-Br@j){1zJ}bl0=q4H05`|xtJGKEfALD z3${^^Krz}{8pgTR@zusIB_AW2&L1f}$-Gsyn{4vGYWepitG)rmgODxqjTye>A z%+>L19(0XcF{4*26Hryj)Pi!B*#eYd=Bx`ZkDknPHEPmD1}6E1{E(@&x-}tHFX0YS z3D%imRh&Bxq*713UvbkQv&~-M-5<>4Jwe}C+iY5_zz6=1|iKpHD=;iG%*cHlac*>qnwWY=NuY&8#676-1h!qz z6(_fA{4_vuJ~2l3a~K)X_ysi=J&H^wVt&RxhKOZ{GP~>O_zv=5qR(&PeX3p!Eh*p{0%PqL7i@*8M!!J z@n}BVAQEbA5Sr(ZgF+N@oqIw<7g#tgM1lD8NKUH^f~nfk*pf;IoAIryfB|2D> z1;H{T@b51Q^q*foR0bd&X)Ex9o&HZn{@;HOtV?1cOn<7{r%^c ze=g+z`g_uYn|QF>|9(Q}|K|(ZN~2yRf$sA#E8>H0^XEF19^B|d_w+}Z?>3nfd-oH* zzt@+bF7Iz91*-M_mG0`Y+`m>}g?Im#`yJu_nMz~tlH0ebRJASe?)8u4y9K=1D=KZrMSQI z{kD9#eE;K_|8nR1U;Yo5`SZ>Gxmr^mF7Tg@|5Gir5&Ar+1>mH4xcdIw9Kci4#-J0> z@_M)}9ElHK%JJ}6^3V}~Y6{rtk8}OGAso`5&X#zu!W_x}WA*;&ihs5HL)W@LINj|L zj-)?b>wdF4{%Eka;UGX86u9X>S1^?5k9+uYO~DE74!igJ_5EAC-=2 z-{+6t{`}D0E&3n7{>72^&i+3}-RC*8d8<$^S0&ws`rnhgcnnf9%-46UUDqG3hQJ-Ks-GKj%e-_0ua$ z8SBDxz&8dQg#R@h#+Ltk=W{$5)c+X49(wZr&oge|ng6fh@F!#Jk5THOn*6Wf02cSd zL*0Y%@Q2MWuU7*WF`H1Ui+`%aL<^O0ygXY zx&QuT_Fu!H{Evsat%m;pVL1FHai+w}y?Ip|wW=^g1IESh@(GhiB_x$UJ~_ZneD5z< zd&lsxf959E{IO?L@V#v~f=j+fqKkiK(U%xo5AS$*ZVnnYzH$U`M=JCmh3enH`ggJQ zgTF0fthbwBFPN79@~nSZ@@tX&L3M9_A#N-DFWP|t8BEXQ$@%3Y6Z#DBBxEHeIFgc6 zBUrs^e5Ele#3eZ>8ztyNWTzu6lSe9-!#e<}oleQCN9v>`7cNv6l#ewQMz~zb;XpIX zi*w*-$%!)o#RiD4)MTtrJAzbl3g20L1iaziH-W-3#fdAi2mHJ0B!>)eO0^?3#XBB8 zl2d`gKebf(}1GHf^?J%pE!!Um9o@Us2?Vej4JqN>`z;k96v%!1jQ*#m2sJ+Oz_12Zxs zY?*->VU&?U1_kA)kY`0jB}GLcHS>T^tmg1Se2GmBw&>%E$>VS zO0!z=;;eBfHP9QJzZ;-f=}uYeTMwXL@)ML+)h&~>1xuZt<}8DAoo+G>as%LRl@1RR zHv*$+dRpE=tm>8#hy&%C-LT756c(a(Wn>oZfO~n0x@` zPlN8i`VcfEbgTz(+>L%6hSe9FfTB4>i_IbCP_xQR%$>|(W_2_*hnpkfG-l4snr*Il-K0u$pb=&gLYuJ@ugB)6H(P$I#83Va_yr&E3sC;b5C=&*>A`(^s>!=@%HyCqjDgq3sc@i{Ovy`kx^8b|2R7HUnW$-`r(T z-#l24lKx>UTp{tk8+D5>hN3uJhqU-3g3NdmhF`lv;Fkdzuof2#2jJ>!_k^l=z~~25cYNI0s9REI%S9%^-!gT zm^(#dlL}6AsMKbhXbv@C*cl4PM<@3PUS9>rs|;bb^#^XRVp5b>IlAt89q&@k&W}uO9N{3@4Z45@*4)thUE)B*HkSwH-J{?Lk z$=m{|TC#ciBfQRAhA>b~K-$|^WCXPeQ7kbBm@Jco7{hf>nl&pA*CK_PJM^DLo>YsG z8rU^SGLhfGv;~tHx1NU)^;+QKC6NW$ad~tRsL8ujC98` zn#7`{DKs~$hICac<~yuU>U`Jfef`!f)09X`3KO*75J2PAu?qf z+w9XKZc&h9+jTOOX*sheBNUW!Pn2g?Gr$idlLwWvm@B{*ymM-62=HE)TX{i{?iQlB zfu7BXWLjTgEx6t~g?&V<{;o_XjbPF8j{NTEnb}9No|e`A=X$Qn?0u+e_A3-Rb?GOq zT8@)14f~eHxu3@4AoxTEF}Z1s_!M`q_)6eoxgLirD>3KrWMDke8ig0jJ@(dc6Cj(O zFs~iqJGF|rsCqPHtE8xayONBP7vS?a!`l~$ZuUKUl<9B}X)!a%4m4$5IY`3(;9hL~ z&rC0kE4>3R+cO0}A@Vd%9N&6Q_^@$s!xWrO-=29DuhN+NR!?e~uBx8Y9K>r=F(nQ# z#d#)7i|NzySf~w+>s`=_tJ{js8%T>{My+vBl$?q60G(|jNqI*QQGjGOCDUI4Jms#L z2w(1@qyx$O4FX>?q*Ca!)SA&C!i{UpH#CqGGq#WjYjVpa?hj*udiU_E{bJ9Kw24Q# zF0`?9JH+m--#}Co)d{mfhoS=VGj}hGx}^aqc2Klo)(GCRafTcnF$F4a8-yV?WSHHi%?nQ_f(7 zrvcp}e};PIVK|-o$zbwR`{ya!tbK&pXeKC*MUqMA&e9B2dG?t=v>)Kf`IjVNnI!1M zmKy@s`J-``dlIN1Q;j@X93)0pZN-DRs9=Jc^A1$W4d#sEbVxO1(}`I4N&Uz8F8nJb zMvDPj;qJz|k_#-A4Jqr2m)k1Am4^b;`;dNW!>%lt;T@W3|!rolJ zn$wpXur||J2%^4hqhufv!k`^@;#6voc6vWkd8-h6OFxw3@(YL6RC!j0R&H)xt3cZR z6yzI#_?OgR2e6)e?M$=olE>m}Yg~8}(bFTDHE@Rr)U>QV z11Ptxqw#R@H8M*Jl%EIz=LX+dO>!G%*XQY4BFJIgA8J}s_#D29dh>1#N@mg(qn{&k z`(->tDGIARnl}N-jsCN^``$Nc4NGIs=w67RD_Jy|3MCQ++|8Q^BBSTO7TyK*->qPn z^7wV(aGizBM7`+z>@ZMuuG{+gtvGJAAn>9&@YtNaA@+K2E4D`2RUbq^<%>h?$MDt6 zJ#4LfHBcFBjX}aD(4o}?<-5Gc0qEqf08#`SBBzG^1Wme{yokF~ekusIKLK*?6UJ^t zkl>q=19=cr4_cu5t5UrIVB`?SGG{>xQYlY6_G`|LxXIAfn>Y61OarumXM?X7SWLI3 z{7tra*|b0*y+>!E4fR|vctYUOnt28F%DD%@e=J2D>0ymBjpXnwOLVxvxZRGYwYW3U zlPuvatOxKw3>oV?hIF5V6Ca7k#|iP(5@8`I4(oCrM~!=Z<3YhtzKqucY2 zF-q=X8^x33Vq{~AFrTXxBCUdLpN32lBe{GhBl!Zyc}=qgu!e^TSf|dI+oqa05f?Yl zc0}r$9@dmqjY%dEkZ?$fRZ97&&$ZktVRPeEM@S^Sdv~rc9swgAGjm0rcMx%V-$C?2 zuyEGy)c6kODyu}CZ``Q`E$tjU8%+}Qjm1z?LL?bt6*&)C0~r&0&Yk~S zCq=HgLU*5Er__gW27HlhE{H>@Ojbh{HnHc;i{xT(U;6yP7xhxKl|x4})AC>7-m^Yq zDb`vaa1~*0(1!EY3`kbyJf`VdPOhE8YRBvP%phimfG7TJ;~9}Rg=4bvWU2#n-1dt9bLL2YY6vd&D~%gLO@zH;3e5~s@?^> z+tPfi3kY=pFevF^K)K5}j#rPWs&s{GgUL(!i)tcXdDRnxN*|RRKzyw4Mz2$sQe$wx z*vkuRxaw*7cj$5;^_iB##eF)|;N!1xY% zO=}+iGzDvNzi$T;Ux&>7bZ#LQ!5H*{R1#M<4$Q_A!1lhWkI`|xf#S9CcdY_zOf+mo zQ$I-v9CLxtXp@w1c7vit4PUy_knRhO?Nl_)X&ym(3LIntHC}Tp)zgiZucB$b7-{$yT8|e%~Rg=J~FK%|AnIK0R()9~IYzmflsn;% z=gkPZPs2h%5V9k&Qdt{@rYg_HKuzgnp=lvDTJDK1eZXr*CIWBDnKl0IqHfR&z8L^+ zlkT8aTwA?Lm#o7FNuqeaZoFFd_$+8moY#w(fsUdrv|QY6{6bA*V3K<;O%K#HbmJn0 zKVVHqxJ-99l7mfjnd^D%{T-2^$^$xiUYm;>NQ!AQ`Pfwwe61{^M*kisDdc!n9)5-J zMXiW?-wT9-TdA4!vGwD{cskJQL(4vI@&;a2j)ye9;5m$ZC8+Y8{sE2YCyi?&7Q2>3 zVO&X9Nx9k}*Dk8v+!D$b@B<>6R|!X&nwDjOi6u^BxM{DsW~W1r!Y=X(AoBqsq^o`$ zRFzA(*`$DEk{rl;#>b5%CTVt4i*yee1XKEn!FItW90*Bv>CtuZFi*Ov%=yG)Mg6ldbfOt2&_iz3n>9|pnZpV+MlWDoY(=t=BKpF%NnwuLa zNL+bJ+Xoj-KXKJ3Nr`Tbs0>w+AANVr+)-aCA~EtNPpF~tJF-9-h-lmF8hI|eA6UR( z1YpNtpks8ba0aF=qspsXXHmm%fJfVeXgXS}{7chvC;y3Dxl5N2Zo3?A+GVKzR=+i} zptaM~&IlLbmw`Y^NCyT;P$HkkY_ofkMc#OHW(gl3=h_4re@Cve-nAc!uqNRK4(^4B z$vQBF0|Cva8Lxo2u zNU{Pz4*JELmt2w$$B7RT-g1=+{Qv~POeDFyobdjo`pZILLHoDNDHP{*#Vmp3u>s6k z`*=|W0vmheIbNj(Qi$Ofk+Qp!P~*x(Y@J{#*nn6fUIOqHe?Q)-6Hd@a8f&GagC4|w z;Oc!2Yl)~*4x1j*pi0L#5xVSf`!CpFTufa8O1Zz`i|QlXgVZWUok_JV0Ek{)F+d7+PIX-R}QR#0d)m4Nz!Mu{J= zojwtX1zCs04DxpQmz2lV_K~JKzM(6NYdEg|PXzhY^>{ceTENVY=cwEF1F8T=0wli$ zD!9Yt3DVy31N57gR=kPwoD=JS#KHZg=^SrOmC749$mCrUp{ouj&*BJfV6C2u90kq3 z#0krntn=(iW+qkCQmOThK^_yT+U^>TQXU8WpTR>B@fDO3p!>s|R4?>ZDLUJla9m@V z9{)2;WQN%5H_`>)y46S0WrjE$&KMmrg}<8z(V{9 zm`!XIVAcfR^Lax!77N~qr9(YSW!%O3sniCmz@31v&?EA^FkGn*Pf5hFWMOdq-Pib2 zS^@9}4It-D31;26aK|i3?~4P89nv*mboU`qL-f7znMl5ju1l?-b?_jGGcDD@ zpm}B|;O8Ia3;d|)!%#8;h_mM6T5lXO&DN2BJG)B#aT>kS@EB+cr2%X6?pN6Kwst1) zeyT6&y5lucEY%1OfKRY%L<#ir9wk_W1DykaMu*rAMSh=*hA%~yBQfZhu{+4SDFY+K z5BR-meuwGjCvmcO4HhM3iB$D7yad)e;hj|qFfM1mQ-0ET40s2U?QAEUE?0BpJ-pAl zSl`6S@44p!n~(4-D`J9FMn;kTC~;&djX=C#8tn*kECn<;Cpgn41S1@ z5pW)FFtE;IElt7QL=#)029EJ zqu7|J!52lNSXw?0%dX8xeyQ~thB+^!^wsN_eQS4{KOI47BEi zz#x&iL!~f>kka(1X&kLtEJW5Eb2uUz;T7YYwb%Gz5w_%>x)IcPcaozYt$wYMlAcgw zbcL>0IOz=ExaAFgk^%F< zGKgmRJ`0)SM*atU>8JqMSR0Vt1hgEr7484hU)J(jNv`#wo+w;(AF6ic#}>^*@@Rc0 zN=(9hSO&7bVzRZ(wGsouhq~~ywA^(~?TSJ8jVcF@u|G}IvhK$^a7-I7gaD3h8WS%l? zE_H=r-TP{QA?V^X@-Q7AzWaUsvbd(c#8{my34?z2^g@J-S0i_Q2g9 zL}r5oz+}RS7oa;Wb-j$pc<;RkpkSmF5NhBP>c_^j&9oGSI%?EaOD%JB)zmUobM`$p zN67am&GOaG<7*>&er^Nxl!0Bf=7s7C4~MD0k`+11LYD$+&YrY`8I; zGGQ>uq0b0Ww43sE)(3XeKCZe%;3c``XUOsvKi^Z|TlUOWv2*rdu^Omwa5|_CY z0Lox56LTI$FkRW_OU7fj0)I_+JdU-nabwGou{fMO9w=iz$GZ-pk4hP5dpYgGMdMeI zXTP;&s;y(ZSHgtIz%fU;nj~8$=(#(Xw*4C^g&S|lwbOXzPP=ZjnjT~}t~~2XX?JS( zhG}(Y)O=}1-luBU+%zek91O0c~W0n2#47gFlZo_bW-0%UR^Q!CD##E*~GlT1DS*;eL*DWDE$w#uI;kOMF9Q}k1 zg?VWR2u<+Vs&+D0isPfzt_i4JRj*{9S>mD%N?Ga$=nPK-KpFow!*T9Vn>u2?E~Q@*>F2 zh~8xgdk7IN?o!eP8hsuao!1!328tWUc7r$3ZX^F$o{lOTO)nM0f(z%us#O{Z@pXPd z%$Z&&vL+FG$za`dNtqoYyX}{S#538j@P0EWC0MmVvdw(UbWy_;?|O~owr1La&lsGs zo~Mx*Ew;huSutALEi&nOuxWc_L^p7;Y)_66NqcBq;hBSdrT*aI`ccr{)f2&Z7?9&>P_DKiEOdYf98uSTQz zTscs#OrxBfv%$<63R7Bmxj(AbAJ^f*v_ROeAHk8iy7$rxR>?$Cl~uVeQJi1+o6aA> zAIia14o7%(F3=c?i2K7aKZWeFPK8L0v{i^{n2h#&3cCSLZIQurcZ9##c2-k;2+)i( zZI2o72nMu`mVpu6c&3HL4TM0xBM#uLqVvIChUe6Erv(5Z)@6lTb#g_)4j_&vb%4qw zcbA_|xkhbZ$noOxVe@kkR>*y1B*Z4j2p?eGUM2C~G~_Qu``&c(zw(w*k=0+coWwDF zdzAi74c5U@#i1J)nHPhMkB2ky=L?eY%J3_z4}O7L$=I!%n2ktB{6IkkGd5j6E%36) ziVNZAXh}{i5-OE=$cd}5Ri7l9_Gi<nP4Ak(Af+%~S0fZ@!`jXQa~98a<$hfD-nx-^C|##J z9L}!}Z=A+H;eyWfkBVMX(Wx!{sp;cGTp^AlOY+9($$eW3Ns8h__%7cPL{jln*0UGp z>7u%#nMw)fqr{I-?g%%ft4aLH`*b~{AkNoo^29MY>Ug@qsLeUwU;31qJi{=V;B7(D zD3Fh{XF_zTz0LnQkJR2gRMZvGN!Uroc)=Id=F16c2&dtRwLjSl*a@ctGGmejfu#!q znXgh#I#&9uhi&O<+{5s_{g1@nw;R_c0L zO+Ex`Tp0|qLB#I`<6*PyvRw3W=#hJ+#5Fr>|H!c*rK*#ZiDLq9ADkoj6zEbZ;N@p^ zqb$f)z=2=2uwm5~1r3Zh7dWhyWUi#MbTwfqki#8hTV!1hN zEa|UOez^2HzpMDorlxG78?=kh)liXtLo6=@v4$AqQ&HejkVnF=HNW6|u@XSYqQNs0 zewDs14z)2JD6U{bI&>}kENdo$I0^`CM6tIh3Z=NWc%JEf{g6u+B9_Q>w+(ad5kf(L zx4G27@ex?5^v%PY#8LunHMl=w(_nhL+{dSo#uj7QqX-+Tda_Y6)2&dmOyM4>9rvp& z!2?-5TZT>KzKVDxuO-8ZVlkF*h7M8i=zOM99#nn|VUvunN1jP)+*kBXBoK5Z6f9B? zjz>8_WFDa!lPLTI#rd}Z)LZ1)8+-8l-6k0G4=Ou+mRx+Wy3*p&mFL(*Zqm)M4UFj(ZZroSD zkgGhSj39g^P!zZJgAfhRqG&u!Cajf390pFjN|o~OJQr^?S!k*0Uhd!wTQ*M?SZ7}9 zrmxppqaX&J-kwHHj!gc8yDAHfAE{wtlxv{^cP9=UTmXWzxui7&PWj!2pn3Mj( zXhBF(;k%?LlZuh3@;Ro~KDs$(?4qwJ-yt7Jo*xpXamxH+RB#$`-KBq#YNI8h%!KO4 za3(%WqaSJZ`3__x=z=FzaK!In9;3vkg3e4D6ZglBzNagv>dcf5^6kY|( zDy`BM8t4h`zOiJH|A;P<(zxoG)(xbtx<2I?ynaSykms|=!MkCdAXa+eW%_~4KJgvl zq)b^N>*St9Vi^T5VE25IL(*M-#BF7rOBdlm^EV>pPKnDW582bK8&S`i7jcO=R$TV+ zJd$ABr9PpqUQLpUV7=r4V@8J9M;GNFaio|jB(=Ory<`%tU=n~X3nN-WVTtQ`5nH;c zS-v$v-ph2#N1Y(7^04?V9!_FdYF-XrS266g8#$l{<1as%=nhbtPQ$zM!|5h zN)oIK1?|Dp`P*1#VAuU3aK|V4vxyu0<5m&J0i!mtTUA1=0+JhLwfR!4D+An)1+WxX zELdFN5i0Qg!opz8r^>pkpaIfrYL8-#v>tpL)=qc?K){O-G1@1=8aFXmo8lgRe@5YF z{yU{RNjFdeP*9k^MLIUF5IR4~2xDFo}UXG4%4sSn26QY~fMVg;AS$s@fS}+meS=P5~+XKFG=-f?1 zfQY`HepYi#T2eb&oK4o_jEdgK_+lNdAy(mDe~f1imV2fQCmMHO)8>eR$DxhLe0mg@ zRryP|7L3CUU*}mur2uYns-c48#D%VpCh9h8EeB(CFQ-~2cB>9IZr4&f$DQAy%rG~m zIu@Hj{z69F5Glc^#6WD}4$pHK&$Nypsq8cRIWk>$YTQ)YtgLc;5~A~Dkg>XeJnmYr z20dKRoQS5m5~JS(Z3l0mj>Q62^t)n$6PLxlOW2C&Aj>dHH=x&y>$%KB%12l~JN%$o zlCMwhs1sK1JYpyUX;EM0H|4&Au>)N-)q>=QW$CC1t4mW#hlO7+C)M zU(me~0VI_$jJZz6;FaP)$-&i?Po)(g+eHD-FNnRyc1PmMHM6B?XV02bbf(*C*O3gE z_dvK&-_SWz#l6N977!=4cHP8@-@X&_W^Rx{-G1Wr??KL%>lgj&nK$+V zC~|7mnCln2vFXpNb&yT{Wgn2N{L{s5Ui#0Q-CmGed*Nmsgj9cpX8+^;Zk==Mj<*%& z?>lea?q>Gjq$=~Dm%Vj(-T10W9h_OWw)}a}|9FM#tXq(L7d(4r$E7>2bEC#?UHAHN zH|rD%1AG2N_Wyaazg+JIr`O-wDR}br;$A=e&(m)fUoqeIyw~q~>!g{%w&=Kj$Ju{5 z^zT=??X+N~Wd~IL_KV*t++Rxm=RIzg=+<>^JQNh_I_~BlFLvv!|JRzmo&fsyOWo=n z|J4$=wbAv*H~buOGwZY?%knnxR4}&_-hf~NGPoE_4q~QnWS-uZ zkJ@``Rn??qb4OO?-}nAk0|jq&tB(HiP{BLge)`{<0ID*0|6o-Gk=Xxrm47{VS==F~SEzM4BJAHOJu|0PL5~4jQ>Hpg6Kdr|N%QE10BX{eK{2zDz zkJk2g;?k5~9FD-|qpurr(g%S!xdq&mjH|7)*<_V4dT_LlL#)iD3pUU#?$ z|Nm;Q{}Ie_|3%D}6!c>k)g8d1rWw}}i<4lg1-&K+<>&xkC>%`tH9^`@+*uRE-U^+~ zFbs?vukZ*m5#w5+AlZiM3=uHO1W^>rI%q^A#YpTCqOQ|*;zYVb4UkAN z3MbJRyq-C%TD)G=1=INTIX%&JKGAzv3XMVn@Lkez_%W7bhugcGgmFkCWyu?Wx~l^Z zVm-hL@pnj@bq)8$(f9*l#0`qlg+ZJ|ekOg;KU59FUtnqnD`_w@1Q!s7`wEPHnUjcv zl&AUYSS1vi>47jBa9TJi{~0-v#n=;b94OzeG$YaOj>7%HgZvqbQG;oMb#HzdPAV*` zF2XZeCN3#TLMf?SCXgvElXokJL##*fE`f<-*hS6JtK3ak2w8#TLAje0B|L@VrKZ7!2*pSV(sn!^nYma9f_1Rc zf_php_=Y9|-~cl2%H|^YqIAJX&yA5w@F2Sb4;JQNBYPPqkbB6K#wVp81FMmRD+2w*H?!ENfEMRQe3f(M+F&mgXI`Ej_Km>5Jb*dODp?jS3kbP|7G zK0|z`(pI@a9!|6I3+=fmaqueSn~d^!Y_}m3myK)Kah8QwD3#bPV9}Xx{|=|y*ZHeU zBmC7+Iow2HA;;uxjSPtL3}SC`M|lE{%Y$S*5V_}GBYaK{8vJqyt{!&PtyUJQ{52#I zzw1_meMJW2Mt2a;}U zIKs>4>f`u~@XD*$4NqU4TDk<{@ba6rmBKXa!iMH%>I}+d967O@S^-=Xd*+boF?B<| zzd`vXEI$M51smQ+_5KG1eVz{KN2$RXs6VRq>5=|)c*EeE7=ow>+QrKd9gmrCH(uE| zQ7(~slIWINDVhLx={S-t#Z>!&9g#Nk?bOLtHQ^bi_ajI@er5#D5Nvdpl7R^DcMAzD z1JK3?5gCQMgKtofyTA+I-Hvgcpr@|@Ej-=tQmJT^9JMA1m(duP1JT!UmGB(o+g3q> zb9Z?8UJIu_|6oBc*Wn^Tt3MtgW7iVo>x}4!u7?oy;-SVD!doL{52vLv9s)T4Pf#Y= z=-ZHLDY9X4v^#c43`j8b`u3%|kyFoF4l3hqRK+Dp%NQ;UFmVey~%PPz@P^^Un7mk-@KSwjDzI5U*hODqt=Re=?#YtK`?|S0@bh1S7jUv}n~uyky{93p;skPj zOA=0Qz0*Nbq7_wc~VXHU70h89HTb>6UvoN`Q7nxR!k}(iM^5GLeTmUaG`&y{mH5}w=@sLv1}Acta=qc+SY&*-rR0AHN5KCf=P@} zLpKPns#qZw7f2UyRmBEeohf|Al}W&K9yn2BI)A+Kj@difyW*#$DEU_iV~5aM4c1ns z3fiJX5Z9zYjw?i)o>l`<`gfjKvgSwA0?o;zg5XTo{SaPT3-LlCB5TT3Cc0nsKVg04 zyvEs+*|9l4gvzB039o>b-k$P>)WoW+_mZ*1HugzAn7aQhBr(O)WjL~Ip1S(coaMau zI`ImJ*w=;Isn1F1A+fulSUy$be&SbbFUi;)MXX?L@=pmvguc~1>3auXbv_B5V#v%Y zA#=?XV!yH=Cmsocn1G$T<5|3WyXhx2>0DGAQnknQD}@l+$AQ;%_p6&jAXUeI#dI$t z269}wDvT#m%6(+KAhIX0#CJ9d#V!$<#zi>Cw$3VQ$HJ@DC&>WQ3M0s;G_K6)A0oZh zu%@=1HM`4*J@7kBfBH0>2G@C*(2e!M=7L^`C7DJ?&@X{a8P}ZH#?Fyr!tb=ZT;|Ml zR?yV)3SxK1;)gi**1Ai-Q4hqEgmXe05Y__rqK#O;X&EjEEyMB4il5UTqPQD?e*T4L zgT*=wbP)j1`k`eJ{K1u%c2>2pZ-r;-6G*&!VT)GCbm@j(o0BUpNE9xWL`9l$< z9|VU4r1AY0(z3$T64N@h{Y6@RTb`$72_qJFPuzvvZahw}tpuM1p&I2%XE|Nc?Tkxy?(YR;L zqYw;!Jpzj?oi44t7pJnxRX>p__(1JdoWS)z*qcw*;4;q8@GXwAtP}KQ8vkX*pgHoQ z%MOX-xP|q=C#qFmKc;WWd!$)9LW3a&1Elj<&w9&|eg`c8iBz#*FlyZ2Rxe|BkJ5{> z*LkkBe)o?$quPD0;UkuHsnocUYeO_L(5Weu_A*^nlMyVpJegWS|FXRuWqMmv+OjoNH$iP*aVE8Pd;2vh zHn4a1Y6a4ttk%sWv28Wxtb4^FZDUBRdsF5an5MCZVK!j|-1d`$&xK+enMHc?&+Ab_oq3P zpE{?5XUm^C11Fk5C_WLSVM=>j9t#%)+DEJro`U@RTxu4gD>`Ec9=(H`O>5P1L1q;; z)_x0f>9=4m-Ghy3=q-=OL1yflLH-k%k*}Fv*tNA)EI-j3EAFc>12EEeG0)z{++ZK7 zScuE-fTYPqU=n&~K7kEqhdU@olMRq; zZX=|uE6rOZ#o7RoT^m$z|HWwZ~o zu^ocn@U53}0U=f=VPYxDU`GA-jsdv=eUI7&o{8t0s+c7m(rj z54&AB%*y$<)c8jl53`=#4j9y*Ha$wg+&#{3klXiC9~&l^p+6_$w7h3S**IJn_=Ml4 zZr+X4ffc%OU_+NP(InC0(Tts?7YTB_j-N35bm|?Tdgh@deq?IJ@G@MAlc>$@=_6NVO-m{Z`%UVl&c%H0*PImB{0TH{QcB)B^>y-1A3Se z00qI?;7adcLTL&SWjyK;1ids_`bK=D^kdSc{@tWMWh#Op)zeYz^Qha{YQRM=23-;z z?uU+b=#B6v_$Xk6yFCa5&Wms9qTbLt*`sM$+B^t z?x=<)nU5wt_SnjNyJqdwaL3kXHiai`d*+=bU9>Ofge2Qe%lXMW)yIz}8=uMPoATV+ zsS(PaiJO;(y>#)NrCnb|QTL@D(DuL2`MP=4eXh3T(P3$x!yDa_P zlKzFRQ$rUNdOn;u?FjF?wvP+>c*YN0M$W>7<)L-=J=(|e<=T;9X=m3?he)=I2ye5|# zvqNiomH0bJ3rljcH7&;-3zJ_f>BVQMN^^CExupU9u!W_0#+uiJcxmQkP=Ibqe<%I) z$^m8RwhaSx1@^7GbbV9yT-Nn-9@%xMU;3KRXsbh~TK=>Y|{Zf92aS7Lf>IwE_U z_AgO)zx3X!V$i5uU83Ov(fNV$(aoj3~Sq? zPW5$eb)Pa$Xgm2p%%r{K{n*+g?)M`wz7}3g^X${f7GA}OZKqQ_Vl|NMz7c%GN`CI#qzD!X?d5(?9^V4$EVm9kqwy#7L4PM?+y{__iRGldY(Ss z&l;8t8rrMVp-*kx9XfdY=4E+&Vo&yzb24W97S-mB3Q+m3i* zYj%HdSL~z@zO>yxsdD0_g3!0?ppjlWcz@rF@Jo5+;m?=M&ky4-U+vc|G`g-t3jg_P z>=arXwSLM0;g0na4oQoKPCc6PdR+E4cjpDu!mjBl8k;q)DPatU05=gmMV+?dp3q~1 znlE2nZ`riEHDbz%pDQTpRPEXq`S3)us_>E3Cl@DC$?|dCd*$Oku0LJ%_#o4VHLnkw z{)zCtG$W?*{iQQp%X)v(`)pI?Co>neeBIEQyp}o-ElG4O;2xR1@{zm0NvR7neO>*v zFzZ57#eiP_*&7z0d+EsYMdlw)yk0W9bMu%HWj~(jyaavq<&Q|UcIE3&=b}#0pH1nj&M-H;$i|!R39}q7ogZ(1VPtPUaA4$uZBpKH+VaLoeoP8F z^I7QQ$4h&4d8@}^ys&=H@zBV+pQjuTkIsD|G)L!f%5$Sfm9{hvZQAu(qhYM!!F%UV zOd^Y(sb5@{KXJwjxxGG|t=?QJFIjwg@veh;qnd1wEFQJQ@zh~U#oMpVTVRVkH?_|k zp2zb>Yj>afd}->Tq%ZDEKQ;b~Wwy`1TX9>wQ(aqMHLVT+`qv|#D;q=f_m8ms{^1H@ zJH8SQ{6Dd#{}?sMU_EZ~WW`MkQZklLnlK4+uY!DI1E$tj5%`-|IdNJQnDVDo?48@` zvf$=nHx4(Dj)UOf2Saji*z1rmv~nF?w@!;frxFw`tXl{F1+88cOpw&D9mm3$q9*V~ zFw9-I4#7W3<>3)CN@Ju576Z<<3TK&cS--THnLfIKXyHSVn&F=K^nFmK;_W!6MU@T57fk3 z6?-G}wn6Prx-i2{?k!l!Cf%Z@`*SOte_zNmH)}|Xq}IriUs_SgFBCp{_*B5B3O*P< z@Z_+YL|yDr4gVvkb)yzVw2q*t^^Y*rIs(|AT1UVR_zL?bL%w0_T-X=c8mUEdTQ^3u z#v|B;5m6Z;TSs(4txscK)d_O_RFf%Id0mP-aAD6=MQIyk|yQ5tZw^--tQBNB%PsB)*1Xr#jfqtkMcC2cVQLO;?2XBglj zpu{BL8LmF?*3*%yv~rT6w&di}3=HC2kTPgS7CfF)AqyD*LgG`@)5z z$HSq|ECtr3+toGxB&)lrdvTitg4c+mgEAP|PO-<0a3?5@FmK{b`sWP06wm|->?ELu zVzy{tcm|$r!6yP582dWJ4i{aI80O?91M{ez6(bKGTn&y+a-ogxo z#nE3)C&mRe5`v*x|5;ZS2qsEFolMltA3N-`TElHpnI4eSG=Ns7_y9;{g7#c*yhH`s zj_nTyEy_aQHRtUT4 zbm&R%s+?Z2hwl$GvlgWhP^XlV)sSZ>e~2+Hg6k_U!kdEsV4Luwj!-YGiZB4zgo5ax z{7s0e`r%;2w$D9A(YNqXiC`u1OU9J_srsq zoCP4hS-Zp-*Le*5JWz`MgVRw_HKNX>?Hj74c1 zyn_Njveg}N--v@67ORY*O`R@Hz8*#2%{BZ0uFZ+u7CKIOH4G@~etxC$3&HJ4B$c1H zP1Cz6EogrO#C)fc%4us-KnbyODl_7TAQ>EGD1)&A(Y{RZZW}+PbfMarYM=e9Ck!L! zj!4e2XG2x?8n)vQv+0Y%xetU%muiqFWrfYEZk#QiJQ2keqttRDKQGohM+pNZ=yd@F zx`?oV^%s(X7r1mH8OK&Q1pw0B4-tB+j(Nll!ZhH95j^xsXs{=hNl5U{*#U@MGC#9k z2Ob7YUwEVs%w3V+_-Z&;?62O@?|-rPF3?R>>)-I+X$G>B%(Of0q@A=gO+piz&_a z3rE5C2{-W^|L^&)_xr!!`o6VJ*J_(&c4qcGv-h)~{ak)OG9VJerg&fP6!GmC61@SD z3a;Bp|454T7E%7LioS=Bp*|#h11X85a?3UR#1u$uxRerO7^{bvYj#QV+K=$}0GcqN zha239g%9(0KoAXlG?nkzmQe?NfDRJ68vaJgJ%KGq(P>fjf$em#(5(zu>EaC!Yxt26 zTEGq+FjY|x%Bc-F>$DI|oHrFgO$aiW>a^+CMbwRVak>8#Qr|r@Sb<%Pk-JrkMmd4M zy2|o_U}5^A8K9J5lbe6SzggX^g*yLeaNYAbeJxta{5;BXGt^hS7tuzz{GgitK-V1X zg^tt>XDY!hfmg|2Ah()LR{F$PV#J)*S~4dRq2i_RyF<841Aq&q$f@JEq1Ax=JFKIs>ETa=tf%Z6HO9S8l;Lws6BVnt< zT>Ucg@}pV?gV3;4a;T_t&(_)%VGa)y9%7zU z4q#;|az7@$6-P%Xi@?2oV7=0c_)|1jxdYMMAX`3;X{~BU^FoM*J6=*BK*q;()<$i? z2o8zN-Ytub@)D@iJK7Bi91;<%jFt zR1mt!%T@K>zyu7Ujr6pnS`P80l^z;jm`h$gmg0B=CYd+?GEiUWDNr88z$g2=r?;{g ziT%mrpe6euI@t0iGP=s7Ic#8H=c@tquc`D!EUmWhj`uEAyWMnfb2_z#hNx)iR?=BC0|wJ;Wn+;1zN(O?{rDLNix3@x z??Hx=1gQ(l4t30Fo&nT@#n|#2y-nK0k!;Jw-3d^;Vz~%ptR7_folllt0?T;~13Yz55cxM@So@u*%ho<+M`DAs>O+HD(S_&&lLBqBUY&f7nrbPAj>Lm7hHneD7ClU*!Cu8xkI)F&9@A`RPj zc{W&X)gZDb)j$aB4r_rJSj-`70u)H;l_`&rvvv4#M6DjkABFVOD3(uxSCpV|_`nf~Ko zJ7w}GFAg=lfdG?15rwShr!%P0qY7wH0E}yM*x$BE{2H^F|;gKgK%_88#-7E!+Ve710!r z-ZI}xW4SkU;I#JY0nt8F?jN(3Y&79~rn~$$Rz@TL_om9*;86;_Jl}W&$o(Cu%fp+2^0N?-HhBNqOd1(=FQRq3 zPvd%v8E=M~9$H-U2m(H1^`{zOJN?Mx^=su_D(OBGX!hRHPCfZ7)W8&eAdc{UNP>X8 zb7&hG0LE(*^1UXd68d@RYQ(PxFn<8iadU<*bm9v6U~KT0D2aMECitBw0^#-h>B~PS z?;>UEY2i)fycUMl@(<{j((SQpy~sQEOBliI_$JwT#vb6YVTy)quuj$pU?mA-KRO%e zgX|wALcslkRCX((pOt~l^s3OR{EVDWcagValSx172x^VvElrzXP}e)X6e-+4tYSB! zD|4XolKc#mEf`xyNnhx_=_=C-y<1;a16wI={w_FPbt|$LNfMJlUNgL@w=NaEzsGR> zG<>qst^(Ep<^Gt;cWaA;?9iER9b>J7V!cBUq`V~iH=)S*j$!T~yTzSVYK@WaN2PoW zKn>@Y7vH8*G%-~FMD{9I$rB-RVsX!Z^_zl%#(w1KepC2>+cB}w**6e-I= zl8{?^j%;XQia~g8&&|u0PMV)QsBJ)4AE~snv8MG$Acu-$kRo9r6$n$w{V+)nK00T@M9bR1*00N8RX z3RM7yp&Z3EZ*ji&*m3qpxau{6y;WEB1i-`rCKqDWuEdQn9|DUX;9JYzMCznxeMnnue=F1fWa35#RM;d zJOl@F_b3}5BaRB#8Jc_S!j5EWsyK}WJ587WfjsN0lP_I&R04K?tn@-0muyNh+ZX^a z;S7V~=&-U*m=393alF7&TJU~!hxydJ0WhVHThIX0QIpfpaou#@&yu)#I;n56a#Kuj zx#biU!^`Q>J!8mz=ijoVis-ubWOPIK;Nefopj6UUTV^rS#rBAX9qt^?Rsj}M$=S@i zfthxdjvE_??4~?PdMDNNW-=+U^aJDjXiW5RKz(86N05pipyy!35x-0cb0p9w71hHu$mKK+EQcK?0PcI77I z?nJvPTakCLWXR)bx-(W+zMNktlvi{|1rt@gUw~Ri$2!PC5c7a7_b?i6y1^ZJm%HEY zoRWa1dsjPyImLElcr)$CSDn2GY4P>+J{m_C)_Ukr>$BaW36X~G8Qy9XTtvGS?C2C+ zB8shQvM9KMifebnq7+;UJ9+OdNIIl}Y`x9K1iKNk9qNLMaX-c{ylbmsj>;|+Tqn48 z-wl<`g%1>`A+peO(~mpJEaPKFLuwwm^W@{fuW*0M-|d4)c#5(WzjA>uF}ba@oBb(W z^EBYs7Keq}Qk3DyeZe3CzB4~I7l=sJ%+@-R9C*3$*;CK zZsYsz-Cy$#n0eepJ!(C4to1JCsZNnH2q=nMH_^%VLPMLAI$J;CyV)P)`1#I>36ax$ zUU98j%r@Q03h_35a&(%p+y9QTVJK<^x_c716x>2MV_Z zr(0t161m9(c}G|D4)bCj{~R~_V&TY1+mQgR_BxPtx-_elbxsufU`~_X|+|JgALm_ zFh8@9@&Je2!ZXZwfPnWDGBj{B8Q?(yr=mGl{u?sfBeD_)ur87Zm1*$ur*#%4D02X3OABMT3Sr1jYBoejn=8e@;V;QJBx1z zONe(%3$?tPyPw!Dl8?FJ+MozFE!PxHDh+?;-fqw53YWls8h_}0428VN(q`R7_}lpo z&Z@Je((gf*8->}{34$GCQtY0_Bmyw%L;PJQx8WhgQLqNN2a(hY7e4tQ zpoQ8(Q;=m?{aGq8jnRjZS%1?7eQkQd6EWfi$1|Ym)_C(!y~Gu8jZcB9Dxk~jE>^T4 zv54xphFCQK5UW#64{E*VGI>!^`bEN#Lm5!&{Ux=3sUErBd5>il3^E&|^Irr+V z2UCQsjTgkFiVd5}bnfQ_@1hCF8_>!9HA=mX+Z8u)2eR*GA%pl$!`gm?m+wTL(b5A( zcp6=ibtmBWd%NP$4@fi%YcM`ogZPb$4j@1~lbQ{5hV%O(c@&nuNu~$pK96#wr!-=M zeRT@-VuYBQ|Fvk$k5#&M_V~pN=V+Tj(O9RadEY`CTcvyTN_>pJBTec^b)M5V8Cme3 zm^KjSX;b+{K>7861?kzWoI$iwNEPN5=ON$pwXT`B!NQM#j_c+-k#k(w+ns?m`-@cZ zwT(yI3%$k6sA(Mcu7=N6da2=ni>bN;8z!ZBp1Ao700e~PrD{B$*c}xYBBc!H2mD)9 zXJ;L6*fG(f2We$Ve{hks@=cRL2J+1zS(=heKzDo zw$DZ9*#v<3T+6r`XbM={o<@Q9HejVo=Qc-RKk`N;Zb|h_se2Jjopim)pC?mj4Q0ok;?Y7%z}B6z-X=RCOvCfXmdK>aZc28(5lc1!;&RuDp8@$v5)H5?ege<8=1^`B!Gri{x}ARpAY~XV zXCb+`hX4uehH-IZy1g?&*@q}VhYryAGK7${huMiyg8Nr^Ae>?PyzGfPd){^F)=+3%R{5->{B%?px{i5fi z@Jg z)A33h7~jlG!4Wi9o{Z-C5iPV-p%i&n;18$R~Pf&+rDi|I`t8}CXZj^GIJ z^1`CoSLD7E+MK4gIJ(n*ldjB(8;@{vjQj&i7zH=to3Pb?I3);xGT>Ph@`cy=I{-y1 z9ejcgnc(2F#a86}YM?YmVEWh}&U2(nuO(4YQ3zL22@mcD!vrho1xUY;Aul#tpHE_H zee;UHL)I6P{N0c;1G$I6S|QIsmdNg{C{jE?#kgjFjbBL=dph6L&>m7dYqwj^_oit# z_g8HlAooG+++bdLjc}VhzLQiU+sm{EdU@J>^%l427p4{-Y97sdl&=tdS$3m}U8uP; z?t`BcX1VKN|DH3u7_rsP9DPSM>Sx;1Px@G=}GZ@(95@VZZE(=Vnbu3xeIV2)U0R_z~|UbA%AYUC+=x@?2EV zq%zLdqby_2P)K+Lv|P5Q?8EmiDosW54n&^?e!5>w>6KD%HhhNs8eB(B^~J;#yxlrH z!8?ZwMuIBpvp=XOJ%lH0`JA56ZW5mWN)8sCJ%wE@E}CoXuLIX`E~35hZ|EHRo8>vn z3}+Rkg~oMbM2o*~r{dQkU8n7-a11bC6ugKFU&2Sl0%<7tu<0FizhP?T`YH&1G#>{@ z?h7pU*Z}KKT6rNgog#ds?Cnm0&zZ4OEI#6`L)N#tlVb&sdjMR>e}jLQ zI=GxqX<9FzMy)?E>#aH-ylvb^8om(5#}<3@FF1{BG6>@#<$1?i#^{@go2<8TQg6sK zL-I-_6>DWmEZyOq0iGU6KlrTrK%fAhdBpQ9n6HWqO~r+yM~l6GXTDZK=E%yZPG++^9+0 z9AZ|Jw6Seq)x;QwlH%78{Sg+CH&7`PQ#BujiU4pARTQJvIqacQ1%nn{d-EXFI^9x^ zvQ2%BQnA)c^c`bOaS5&8kue>$($)m;RDI;VjxjV$rM7MS`~w-Z5Io#nD>Lw>150VQ z!{5S5Rz&yV9~Y`DKAKBkxa429KBFtELhTQuuq!v%t>b>sWdq}-N@J6?L`MZNLr&3J z21EO@wnTTl&krDG>1*Gik+}u-X4W?4_}ftK=Bz9xx53yGU{mQHY&2?|I>HgH@zD&p zCD_;hs;LPhI)eL|plPPtbtN;T1`Qcz>B|aU9kKYNsT#S6fe2@k^p%G6?-)i+;U?JQ z53=SHxde3-@`86Q?4TSZ2#&zRg$wvBQ@w`Rl=%+(qAr#gLGhkM9aYvt`AP{oP#W~P zL{39NaCbil(5&)-h~3{t`T*AWE}9Psy)=t? zJ~)p(?SL?fqvGc2XzK`XzZjHW(m=m2d5azF?CCMS3h}Mr49^G3eVv1iya{{|(SJLP zWS}xr)%poZ4$kuY0>l>FE)8!2!clIsMi7*_VI`#UPC(^--6UXD`Cclt@~_cR?q{Xj zc;!XxJlhKrHSC>uW>|2rFv9SAHgte19f4d&g{e!vl1EP$W?=k8e-xgF?}Z@AkB2`r z<))BuFoO!T9_FbG`u039wnmHrgfs z25`1DKM9VHf~QgQi?Cwmlbw!7<>mV3H=wxm6MQf8G1T2PADGw;70gF1@AK}!Z^`X4 zFN$A<`XYBZY>6MLS%lrYc%^t5wm!o0HvD7Ag00(FK3&{usVa9E_OQ(r{Cfrcwf0Ij zvcF{*?_v&-1?*5*?1n)kJN$|w#NaIXZsY*#aVDgp4CFr2qEAgHO?(@E!I+vx3f;>9 z_wDW+Dw=N45P$eLDjt50Na3HUv|}v%Kg&q=Svuny*0Vs#&qi+R5Any^rDqia;U3OD zlGWMQY3^;J-FH09J(flF@~7&p4-0*qQ`3-#TdE_qa#qw_A499&2MUKVa=MC*F9vOo z+02=9JAtEy&F2pyuW+iSKQ=96Z7+oS#nG_w*;vLlcdY+Q47wo%!R&oR)m9@|yxUZ5Rjj3Q2R>H5-9JQ;4kXIJBY4#1NL8SGaUtN&y8`S? zPp!8RdDkdHPi`Ek{h95VKi?Zf%Gem>EsqKOoN%#9RaxaPbH87S>Tjr86eGUOZPy^T zab^vSZV zh|vhqhl)v9{3-yXkK;i`K%tRg+f3iW-?w%pc+D;7?A(*Diz{jdA>kI-Uadj$AcVB0 zBT3>=@0-~FHTHI4EniEkIb|ec+F&K0p0Adcn%!>;rVFu#E*z~;Ze)TMD!6~3qbn=r z5*_!kR@#*cScu#^TI=FipiWV+!P&L1?JZcNOHs!_h#B6E0+aprvRLcF-a@>Q=>};k zGGylrb7xgPrljMjzEY~NF9j^vJ@*(UYxx%gjmVz5z`frwOL!*mAtPo5KE#og)zg3{ z8A96f=csNd7$a%!clpiq7v(StpSC&M6>(<$Yh*fCYoWb`NuK+Kc;}N@hCDZ260M#q zs#=DQj4LxE<`Z?VY$ZljG8xXbUASF|w^dmXp!j)T1is>SC+g+=f#ZCM*4L9dPTJcv zra}$2a(9`~RHJP$8P^y%g^ zc#eF72l7tq0glN6m`mj|)SRoh5hrrSl0?!jjnp#ZNl3YqCHCed+_%7v=n~%$=~XA` z=1Bx_9OLeFOxm$=M@GP><(F& zit3u<(O}c##Taqm=i$kcz{aWQ?wzZatqAY#Q@$!*#pvBzX4RbX9?zjNr{(dA3 z6tsM)b3Ju-?P2MIO8o0$!U>KQmXK7VRk*lFRd_bQ6#3s+klHdxX+-Xk%y5A4UtbKJKCdiY*@RXaM7p~12K z?&!xeAAL+*!P!ubRUT0E`5Jk+~72vqOO@ z!ed9-*4yKu-fsr-lr2KxLA4u$NBj)7*Cax8>BD&~h}eZW_WM|X8hNlN!4*A$9d06Zi&_l zye&_8KStIedVVtR0I#s2T;K66{+ubqPZcC-O1kX{*j2S;ll?u7^((D?gR^OWV^40{ zY>_2}$97%##@SWpd|Tni3fb~l#19uzQ7$)9!zW1(Efvfc0se45dyI$t4C{<3LOi^$ z7>k;96(&R;xVQkB(&LI;l`n=TZLA;@%f`Zrk;rxtR#aGU(b=LWn&vQb#fkEKm2*`h z(=~Y5`H+sCH65#@*!bw$HE%Q8ah3~eYD?U4`CZ6C=1EWc^u-WkXP#b+3}2DMO&*O@ zsbx#vUlcQCKhDpZ{Q>f1Nm>!M>mJMcCak2Z=iQHfszJd~DBGBBa#UHf2@@MQj^B>Q z9;tYaMv2E4YY?ruI1lH~+xaZ|$5LEBi<>~ulcv)NQc!OK?(6rR>y}8ba>T^7Yotf@ zkj2HV)==SWJjpWkD~Ewe*EU;kFrIfg|1qg0l@0+2RPJd_)ibf&HVDp216k6zMv(7Oo8f!Q)&0`o4- z3%rZC_;hlM;GXy{DxQGA(Y9kK{W6;0h+)v9z&tb&Z9SGm-^@-$#{x2C@96q+K>d>tpdOXPJ>h6 zv%qdz3tg#z3L6#lyM zCW9fa*bUhNC%2L%(lle!O|@U*eD45^=ZLxX?jm33%|y}}CmAQ)VErYYjxOH~xmWZE zY)D#{ZhQ~0dHc{D%NQxsNO18@2%Oux_Q%lY@&bWpUta$;kpr^2{xJY=F7BfALBT;v4(1!BGgFved_(<4dP2x#Mj7f; zln82E#w(r^;HYo4@LdD*#p=|VPkTm)GN{Z90{H}`<@i9A=$xWmPuzbz=xJ3douVnk$KX@EV_c){fE_- zFdaxC-;~q?@en;{n60gPISbghsGC{YT*Z38Vk!gn2p>c~8=msr8(Fi+ao{O29RXS&5&my@5`_(6jPKhqGj2Gt?BW~I@IdG*4n>MmM7WV#wykhnQ~u1E_TjP4V_uwQ593{v=hJYIbDH6S1-Yx%;qP8wZzd zMQ%Uq@^430wT4Zt=!Jj$jJ4Kq48eY=J`lMX$ro1EoJJd; zFX$J;$oBrEAf{8e6BCesK`vp#D}O3(X3Ub~Vt+9gU8eOb%ZXG+4rX zdKE16^TK|nKnSz5AYEoI%rND54B+e8bgJPLf#8$-LFH#iWwM;N&PZ^aPE?x7_7ALbGJCzvBMBFb( zi#YpKT}S6558;_*wlIKVl(UdF>)vm8KxZ3)BHm*&*}Lf7rQp*qEL!K>(o6mv^F?>} zN2WyvZwyAyn~uoL!{Bv==--Z6M{?vkRiIeqAFGOPcAxZ*Q%UEvM3g6}?BB)}%tgv1 zi`3^fr{87Yl0t?`k9jM*S#Qw5{hPkk;NPs{2($?wgh*po>{v`1gRfeO`SgOMJn1&@ zLkd4Y_LA~LOX+KfeUk6XKMP0#hG(?xYJ3MiVIP%So?SlqWCM2aLoA;gw0i2Y7F+C} z%V#TSmx{ZwLn_Nb)K_{Eg>u1i886?0xE?0ceO7+&TqjLvDWcQLUPm6*{sm7n?>~mh zU?&>-{uF8*t{BzyBg-~ZGsH<94fDQ0e7U?{q}$#&hpNEyGWa6KZtT_vpOC-YVqcQh z6yK3ta6rvv2kbv?^vwcjS+>F4KoF4w}{KF2lbXJLw8Piw@i=e zQNyoeFuorKB%nul;&yieFU0gFq`ZNaPxH;QYzHT1;qD4-eu~yFx zatZd6vCf{!wq|h(Pxg$z?pb=v#36q-itQdy>G3Ejs)@{@C4Rw!oZ^dm^| zBky~%cM<+^bU4*@#y#@H13mlj0-R(NkM-)+qGd+Wt6e$z z$K@{F%(Z6TKR3IEL;EjR%em6<>VYUw_Mc$auUV z+ABT1Vfut=lWX0I_??mu2Cf4sbQl|R07{Z+1A=a0j=j{m!tyz;az-`HPY|Np(a{J(kqD?{tD za`N-mhK#uO95>v3;${pB~U(2oSA24k|4q5*shs&Ds zIwAb`dvdK)Ac-r&xiaMcB%1#RC;T6rLI19Y*Cg<#zW>GWyZTuFtc5_b+1E?Op3INcwwuJ6!QxxtCA zzJ%qq8cO5;zstUGv3b>XXe1;udGes?Q>TudaT&?sw-cR=KV87~4ezxw_QeYU4FDiP z{$tEeubq5tp#R611%vuO#w^(H|Hgj)A6$yBsh59q$*W52Py3xqCi`C>`EM`QSJm5J zULUmTU+qo*W6WOK<^9K)y*Bp#jh%jNl*1Z)$>jMToI(F&q5ZMSU)j=L>*Jq}{I}=F ze~j5nWBoc~>(9pib^7B!#_Z(U|34YCe+l1YC&Shb7N|!HH>#1LFD7ynYq3M)(EvedUv+hjgtaZ@XC|zE1iziz8olF)hIp%Hv(((ZF;vm z*NY4BQa}~f3y&tQ@G+7>+6c z-$ltPO9G6g+-#sepAL8gYEM?hQ&BjFLVq9=sl8t2O`Is~(YTcy=6-xZFzT~?xp5_D z1zw$#ZCQYO%8L;6*bVXdZklY5f_XqH2XGP`1O)IPoX%Ius365>4pwJoS6DGzJPS_) zBA^zv&r@?z1sQycu?sL}kk_$4kQlvXpJJI801>)9N?G4aA}oGarOEVqppH z6tyRlsShndD64h@5VV|xTKKBHD oSF3Y;#pwXc;4a>Z;XyGxL=w~AYLeM(FSW_w)Mg!B}L*=g=(&WLlFWpnqWOtU*hF=v^x zQ#@vGLXJ7t>@)k#Jtvi1MKQee^9SN! z6r}NAKZQoF$F8cJnC~{La02=e<1{o9UckE~)BsqB@5bO>fLmrpUqe>GTl=E7d=2fe zE;6gn<(pomGTyDS|MV=}^b_z0&<_9gdjCZ){_>s|V1C#DKJL;@_fiAqBStZ#vl?{< zY(o|NYT;K6sFkso?i3-wLA>+>;#jQWmt8;Tk~DEw4kl@?f?P(s@~@vlvxWG(yelG! zi9xrg{W0KrsbR=rvnru8{AE&9W(4om=FVyG8GNEn=$r(vlCT{bsLbjl-04#$sdHTP zC=;hj=#&yO633}~p(OZbN=z?RUgsfj#Ejv*fLv&fxqMzT3~n{HZ+P)~IWwi9$moX4 zg5IPy-mJFY(E);9|NJFE|LcAH7kBrUg3jdStH`KHY7NLauM>zN`V$pH^d~xxF~9G6 zNYo^a=JGN0=P~xLpF*<{-wnSaQB@2o&%k*wnxZ4>4vbP%BjH5?io+v8@|Oh(A{+)E zm_baygM(2o7>8y&E7}g^9Bpq#+3=eHzh(>oDZjk@XIYiOF7&dj7RDGC$Jn1f2(tR_ zz$IDzYX_sU`qxjFAv z%rmCe)i#WuFlF3j9%}W320;G!ajd^&bm0-lvh6#(Lf3+=-04IVkkODUq3_Cr}bly+I^& zDzl!+k%uDOmyIjii5pW-b740!+JSoLV+hF8vZypnM5v5*J0WAVqfL zZ4{EwEDs1~eKZ~`aLmFC*&Lia`7#Az1~H^xN6pCeW=4V7_@PV&d4^78?{LMVspLs9 zUEcs?&deaPGJ5n4OmQlj!W-B%Vj5$B>;`6pMmC2ndgU>Mk0VEZ9((sCKuQ-=3m?g<6uBensD|>YOuY_jH3ou6`sw+3k|{&$eS&MWMz6ko)tc&Y>HtfIL5({ z5Xa$}p4F#k@wGUGWHt9@IH)ux#r`ZLJjpK!4tQl0{s|Yfm<6Z2AJt7I3qG39mxj%P zLA2w$f&PwvQ5Z}5%)5X}Hvq6x>o-iDC4t}IUxA={h!L!%m5Ax*dq^x4pL7+K0u#hI zZ=r^+R?7!NvpS#O5Je{}8X9HRt0>n5S4ZFCbCwPw$6e+M?2AyO=`F|J;&u(cN!Smm zQQ|s)CZy-i?k#NZG~SbyNSh#Ov{fMeOk{b&sVlbiO3(dJjcfymTSER)R8Oukg&IO zDDsW)g6KG*jcFj2yr}3IpqAn9QUI)YU0@RC+BB|rLXVCx&2LKozmDbR`OnMu7G~S1axqS_MRdbyD-zy#=rE!5^{U$z|u!q{xc^?O=G8 z6z#??VTCB;LGnlxNJhb)+%Fo^myyf*Atu*8Owa7JbpsTYeA0#A1sY8lI)!2IE0rns zd$ksb3@}Z`eR0e*zeOd~G7{4t_aGcT<6ff}5gtDZYL9NjtAUU~&z~UWEf-+i#J0Vr zw8pSTrk`?3g~L2BJm3c%t$`pie63|N(1edJFf&Izi!3dCw$;c%zRv+$SstPb=p*^{ zK>hbE!x5QtYn3V*@E~_jW^4XNe3p5e5Boc?T3+bvueV_Pt*mjgR%&BUpD~Tq8~SUh z-mr>g*@Ur;z|1XEjuf!Trc=5oa;xD7mg!Ad;($*lQ4Vs73_G;;6D(UVJ;buE>F;B1 zeH=HKLzUbZOPHv7jQe%)v{VWYC_~@>w`L` z+B28$E^Y@TuO&z`VO$0?Pp(JP3lKAXiI<;&`|EdsQg1x~mV?~(j$x3NCNDR)zCfIm zW1JKo(d_M*Pj&R>W10Q}cRGfTV@Ft)G0E^amdLf#)o7SYLHp#;QcF?R!xi0d9_M?6#L`IxXMjKWM9hoSj$RaB$A~Ijfi71%Fyv7UwHaFsq>mB8O4~b|=z!Jmc zhFUrmdGWH)5L97Au16XNXa2e zkIz#U>8ao>O7hnNDcHG1Ls$;s*-Pq8)#6D-N1~OUuOLQ6c~!izpFhQ=!cmGZxIv~ z>XlD{jWu|}Wo6Gn?l)}rIW)7*&wVP&Z?ib1a2O+;DFXe@d?vya*mw)50=jcY)h&Rqz`j9a-O2o5<4V2d?nukd0mxg1#WHZ6#Nz!-89rm_VCPF3 z2?i!VkLPiSoUC{aQUq1Z822o~d8=`$R*X`U?UU+ax&B>5#X2FD5$s1y?I)Rd>qOQt zIvyu-qo`Pb?M1g@!L-IeD93Z66SQ~I+C1)gu>HYhV@br6pD&DqR7ECGeVQMNGs}}1 z)_WWB6c(i#wK};NiQSo=CF4*N9*y$>>_Sucq+rAu0P@bS!cW0e)bk%$a^3Hc6}5LL zA;i1Hko;&2;7|bVrn{gOO|Vqo4_|iSo3YP0SZj+l?2)`9CF@xtrIUOxGlZ8Unot4J-x$>scMMkmtxmK9(KIP1fSUa+Z$Cb@q;vsx|yLn1oD|qdzs`5R#$92h`0Z zIgAWy9W&AUx`wOlAE#$*7NvxJ!K%#7AR#ZFAp(`Lc>FQ+6J9@DYIMT4u>y`yDUezCt2v%MN0 zs9nr+tYokx7C(*Z+v;v%Wcht$>FS7Q+Kh%os8(B6=n5qwiws5+u5-lr4`SwoZ37C6Ze2-FCck|)8C3Wa-lzy+Mu~7n2yB z{dvs+JFW#hh4yt3AbbvE5{>)h^nN1gp>&*3IAL8}yD` z$;<*@%#Gv`TQSs|K^=cce z(iWRE-pJ+xsxcD*UUtT38wKFfgP5LClJ@Tn-|$eQ!la*Gj;&xlFq4oRdJqa`Q77j< z6VwQg&=|((D0?yo$${O%l1%oa`u*0lG%o?(u86!X1nHg&slW5wiyYMpG=pBiS z3rKKQM~%GLYV6CkOoJT@sx_tqmSypMh$&Oc^S9RS{dMnKhPT<~gJLRokQxvlNQh%+pGutkjDQNCM+^I4t= zSFRTZL(%B~&_H)e>8WCbsZ_e~g6NOHBEAi_Om_$sq*v%mDAH3kPP5&EUA52KhR*J* zDN94PSosKOQ|4E2DYK;yBegu*Ii4%3lE!oGlkJ%%<{9ZB6V&4{9fGrNHqEFDOOe=S zFtT87^`Ii#!?`+{G2jj!Wj#>*?y#jZG631=MIXgNar*tH3w zuXGy{QVaLA>+rz*UU)n8Gb~;ZOwW%M-n8u4n(ODW7dCYYh%D~5_yoZ9DhrX?@%E~& zrY5Lrjf*ro!*O++t-ojrTLrFgC1~~=qvm2{CDTv-urr%s%1Q%f;8cLE&CiYQZh242 znQ#9Wd+#0>MfLxWp96bv&$2V@EX=|z?8>a{!mcp7BfGL(78YF;6l76QP|QV9F;P+R zenUmWTjDLzG_kZSZ)jH9P4ZruX<2EOVp*A4TKUf2W&K`@UF`jNfByLW_xb>-Bs+pLhXEvK?2}%|D3gnHJQ5Oy`xRZf|L z+gsl#>=Uoit6qaHCd{12T;aRoN?@rcqxE$h6JvVG!0gSQZAwaOo(PjtCT9mi@8=lh z@)Oz)>Z;qNKjJgwdH-!g6;S${Bp7;`zSA%Z0y)a=zR0#m5Ax)o za+-$o=m4rOOG8O(Q!fQWV)ON!Vn5!IWD zy23+_y8^oqDbPrZ!EpQDHSgjXe>~56U?T185S*XMxhf9|iA?kDPsj*ZB=zQ4##NgI zn#p0zsO7LQm3|MV%^4khvboM_(E!Cwb=?@8rjJq<^-=Tl`5f?wOFOg4=+DtC?uhubiw`T7^*io zA#JcL87!F;=J%PK4NZm=nv3tY&4IP%8`2#{h$JV0OyR=YG~M?*6PA%cx5^oi(LtT^ zpm0*4AI?JVS<<=#Nw_)n2_h_ozHd|&vPJX{uJjOk5!g)49Orfv^~Q; zE2-D^JI&@(h@;_0CW-%r(FoJ=+0^ zOmDJ~(KeGbW4dh~wQ!SCOVQf>JZaQlqujfyFLgkGQx2MiN~LyaY7Wc9;j2iBfL7^r_E5C?R+@nI{gl5 zmga;IuRhw4^LPkefd@D~26fQfVtryNHW~Jsy1>%F8k1kdq>>+SyqDEkL&;h)oPU8l z1`3`Le1m-)9)Wq9!0AYuLNZrO3(dctdK)v_PnF2sL#jIRZ^NRIGtX`pnzvTdN4dyj z&$qrqrlCZ>(>N4@=b)zdzi`L?*ul%kP(*hp{lZ`{kx${o2(;aLk4Mpja>wH2q(PncN#puG@V zAbpMbhA+k6na&7U5(a=+Xjh%73+cr!)6nz6bL0f=?yTXpPc!3G7_^XAR3OntYnToG zMB)M-i%G&6e97)1di#EyXiXuJ4yXAcY)C33g9?5Cf5f&8Ia82zsY1%Mjo|%9Eb)$Q zej!X3D@Y2xxklTYv31tdo(8V+l0ma=S?WHtd?tCep@y-rf-JceYd<2fu(TzkP*K4R z6>|`h=*eXX(*NHACX$wLe3Pryv5^7W*;66CoYAA)dFlD)o3#Zk%yZ_nK!=#}>+8#=}_1IW8HOw=GacTQfh~<(g`p+2l zLuX#I1!pqxs8st?nk`5}FID=pVf}uc*@kU+b^TIZ1|?S%(j@0*vw3*=8Fpu6>Tk%r zU;BQnX^E1#%;@#3s@#Z=GG!T)n)}HU@%cmCL=g2oWS#^nq;#I5avb;vz2LP=vZT&I zcr3}OnS(h3!sa~u$+MAoi}bJShUa)}*hG47y2I3is&$?_7=(z=q68@|p?XsBes3s} zroU`nq+O6FeTaxI=?i|N*Cs)9U`y>g<{uy%y?&3@l}hSCMwax^FLDGH1=GYE;Z_RyPrpNo#-QJ*{?z1UGJgSmtAw|)+>RhLMy9`={>|J@>j6ADq^bmwL^6b z=}MAD+%HuVg^s3?D)J5_jq}lbUszMGsmrzQ z(&y;OCW*nM5GRSp^bf`5wSdP5w@^>XZbV~pzC|R%&hUGv1mS>dZzWw9Q{69MAo(ya zAVYULZY&xu%N|p5{MD3wjF1@B~9;}Hwa;sk50d%T^H6EOpbF*^+o7s`|k{6 zMnaz&1%F-rkqr+YaMSr%z;lc**ec(D<%Ss#CyR3q zKt-G9ahLH@+Jn=UfnstbwZXI&gZh$==}a2wQL7t$TK$&oZe+Qhy~S0XF~sTysfr>| z{j2^j4P8=0*$N{P#d`>mH4;6*`~x z2^JR;L4LFwr{yOR4rCk*v1Ew5yV7}trXC0uc3W@wpN3_}6ZuQPwIOzDv0}AhslnTr zO**lkvN|!!(BF_keqaXZ-c`1(<9eX!=J_~`SiKh;U*gKJaa*Fa!zeroEIyubq(=O= zA)Tzj8al?b-^X?mnupf=#FL!%TKC)`B)l}S@ruE4pmN*g0s-ZL2Xgfe798EgYpB8V z=m57K6{H}3S%Co=Cc8_(cjE+dOjb+)J$Er4I=L$YR&>QbK{sbJL+RUmB;P_lb)UuC zn$72~RfvnRiY8%IzM*X`4UI}*y%DHTlUO@}|lbk}yw$+On4^dF06 z#HkyC8TM39(~qIV>a=1q5Fe0U!CRJI5W=-Tv$RQV&)Uiu@{oDLrhLMa zLO$2)^QQ2#40c>Bt|11TXxN1x*J)VoO|zH`TvagGHPKqbMv%9v2c7b4h1AWsC&RQj z)^bSOoLiMrU_{zWG`k}zz2e_zNOAv;-La^6lecPQM`Qq)_NFc(FnlC8MN31#LB^$QYv`m&J5p^c?@sg0g4{ja7BDV^lvCcxJzmb$*aY} zB4G+ntE6C!=sUtMcpnaYXG`$Apq; zB*WM%f)zAcAlS;_B59`ocAW#fN27_SZV-vWbLtP73veM&wDr?Bg@PZYAw{pz0I3#9 z&G8|++A|GyE#xmT$=L_H;LbD#J(BZXsL7`C4{&b9UUgM}wue$;LZ>^39;W;37+Or_ zD82MysMZt(P^N(EmB{()9C`Q#{>kHX^mJAteM6YxC?89P`v!s|-q48S%r$MpL0>x4 z(4Y4blV?jsQLy|9L_M6nO07Zib>wV8_*TA6cQMiWHE-rUc%R`ZUSyX>lj#r{7G5-u z)lOHF-Bqk~KA1!r?BpjPBI!?ab-N1x*X(mxK*U~)in z;$jXGXX7I26_}6I^)T^?b>qEfn^wazBZF(@`5bW2gG;h2o`HXpFQU|uNCs>FFHrQF zBreyh2jU1}kK-s#$I-Ylbs*B4CF0wm4enG>8Ix;1-4-$-2GOrLa_$Ld}5r`0X^s+n5=1sWw zwQqo7dSvQC1Z~GVQ{PiI{O0b1$Yf!!aE7iTXCz5cFc0A>Pd+b!OBPr^a2Mm;uFeS- zGC5U3LSHg7buTLT1>tu{o;w{@gfG1MboJ|ciF%&(=QFzEoj9U)6<#U~&0T^;_W)c3 zon{r)(^KrsFjHj&A3hs0w_$efzd~9_fAAvm;f9ZBgu|Aai43n2{qiwvWw;@l_H4dW zFcgc#Yr_VZdRLPa^En(%&q=>31RYTFV_`=TO)d+;hFxV@$g)c&xnyZ;&(tdjAK>1w z6{Neh*b}s41}T8_@5Zp99<@2d?l$QL;(VM9&zF+kqKP=hP^FMg*rI)86u6Lg_2j~I z(ZF-A)}9Unmov$-RjZjE23T#e(Q5D*e%`CThi(vM24-&w)h{vNG!hD4|+ zef|Y1@EWX3J$vW)H?F_Cni}qC&Hqv@h>A69l zs=Fx72qjYPa5|oJ#cSyiM-w$-J)Od6@}?rPlJpX$f?y%dl`<`4fYul~ z#amq_EN09!&g{n6bu)Wac4@dqzlP{x!FW+SThK1agjS%DwySBjXv$5XtCD^u6Yv!X z&b8STDo1xP4E`nYh)%65GGBqv|BgrSJmXx08IvSVD_Vp`PG{!O*qUdNzy8p{L72O6 z(EM0sZ>%a^*<1;0ur8$DGlhP-DTyTG*Q6YR%SjqBdPjptgD=A!QwJlQ*6=Ofj!XT$ zuo^q59(Tu)gpe4B&rgKe-=ihP2tuH#C5Wt$A5l9S5MkxRz;_G$bf&^&ITvX!Cl-wk z5`*NtAXf(nXKSn6{~H~}iIi*j!Ytx_rS%vVScTUyhI#@I*j zJn8)cI;{6C%Vd$tzQg(dUaJnc6KD&}`OBRz1cQg6PkpjBmTFsTP18huECtM^*G7NB zM}^M%I6WCmEsT~v11woaKh>Gp){^?w*=s0`+_ajXLMyrVNTEVH=Nez1>KIBMlk-$b zV{NG_?Rc{-EQ9u!`(yUG3GU$-rh!GK3#Oz6@L{24LNpQSiKIkkQc_aunZW90J&o61 zi(>bLGGp1#Db2YT!HhP43NvPHdT3yM+z7mB17LL=k<{He9|6JlZPPuLUqa^UHbj$n z<4U`sQTV{2CZk9ZKz_W7r4_J5LO=45Y9bzEnflo*@T2nc$wu6lZV=9Z;OEfO z$TF9F^aJ?lc*z!RQfaT}kVh;;kat+z!2s1DOO27k=o5)HTudn1;6F;A=Y9K|WZ zSKL}0ty5B7E12CMs$rFp-GJ~*`~cyM`75-~<~7#;ZYh)TQ4(j0(eCQKYd(!(nB@XY z7iHb?jw zU7-3I8WLaLUspUncM^#?pTyX)skn*`AZ^~G$S+-vVpM;VSMe z^O)(3+r;02PqKO|yCf7v&fZKo(@+a`=BjN~l-(C$TpFtH9qKvU&|vyexngAy?PiKp zGu?1L3^3)CsT%rpuj)IJI9t29o9)Hf^rCws;1@v0sfJ%(wE-kY_i$pStx={T_E|nu z=~ou=T;(g)=lF=`goYg4rSe@JEZ9DCZw;)ldRBccuBBdgXN0#(Hbmw+0j=W#BuXQ5 zN}LK8T!Sh46NlKQM{^x$S;3@&m{H%~^0CZ1updzbHo@*wg+owjEzK?vHc-wdt=C{JkXr z;JaU{zqUP4g8SS4F2Nt*%)o8k-}P4s{>PpG7IE@FAf34*|He-S3J9f%1%zd6)#TX! zxI!%8`^E)c{-C}2dw2U)rPzO*>hHbnh4{}O|5e2Q_S*+adH;s~DA1pcbN^&e!Uqog z<5vGshJRkX66){X{nyvP&;P)i{$pDJ+&NkLn>pa`%lt(q@W*xj`u?|Ee4v~CS-$p@ z-*1aQH~oDsUu{+8WY`J7;7PImiNJVtzw8BoaZS8muK#84gPZ@jeE`D(R`$Ui_t^~E zVX}c^{>!d^^hIdg_Fuqp@DxGw!iE6cniJ9))BDEmi(&B9YTfQb`kvx<9bRfRYaLHHF+H zCYJWmv`+@DR^bVSlmN`sJOm`jBZfq78Blt2M0VzywGt%6joAg1}$3->c z#C<65UW}+;%Ehz*XGnWc!8DY81XVF8BI(1w(n>^yn1*ajR5_DFf;mTRaC=@!c^eLc zI6jjHPW7HmukhZ+YaD0D6&CSLyam=N1_|ky*}Mea6)^`Ah>E`jKfO337b6RkBJ|0F zxYxP0m-yb~VpS;@p^y?+^n-|5?VFq@Bb3yROC&Axxb(HR;GFqfIPc>);ajesVRPec zAzU1oyT5T^AUWj1e8E~gp*=gqAx^CP$-V=pG*?bw z&i4^qYy4z7y2T3_xT6gaYQkd9c+fX2T94Eq#5LkrEMCuz6&xg1_?R0DRIrl}&MPxw zfDrH_WXQO!^j}ZHY24HIGf}{+Iaio;=M**Zb^Kd~&ZuM3G9jGA)BYq&A@NM7;=DjE zSm1%?1yhAmT+>>1b{ZA%R9Z+hYjuRp+l)xmoxS`N{)BkVyo!s?0nx%qe4G&};ie&6 z3OW%rVSJ)zAryRDujV&A8_9Mom_vx%7OzjftJAv0Fy-UlAK1FwG@Ta64J3OD%$du==a1H(=ZLi@J zvN+&P%Wu18+@{pD=UH>7e73*v;um0Q{$GPUS}80iII!3nc(~ zcjMt4hs`t%xPA zzRdUGmj_DX01AB^Z4JgTo)F&wZwUVWe!j$hQCT{ji}wN;i;E|m_!8V*3gP|X9IyLD z<$ee%z_W!*AQ_6PQD)EmoC|J=1=JiOLDHy*+lbSvf+3~82o6+260MLyFUsLa_lOFo z*JOf1#$~VqX`+JDI?`+VL+@bviG+(U@x$@#O@_aSGlgkfv7qI?w^XP(t#_-q0*cUw z@HR73KSG?cNk<~E3#1oagok%toFpb2TsR!37{aX|f)u#*HF2=C9tnWjsfx$_0LHMG z9G3badKX&f3k>bDIgr4RdxZ8A2Lo`pkY?gYKs;C*a0%$kIWBQe;cVJj>;aIX);ZZF zD0dcqjjygW;?Z^Gr=D)D58Sy4!o*}w5$-_r#^G9kQ*F@@4)U0mPatelEJ?U`0|`t# zdrs9fQa4re^J9?bg|{=mK~Fuettdx~$N94I&K*#A>A*Z>E#+RKal%2%Q%d%+aPvG- zf{dfb#cbnZr8^DP{Y-vfw}!U-%$RY^4xV!S#}JyDhpog*h4VKdwy{9$Xx`va;>Qiq zZKG~?B>MrAHVv=k4vDIqw+QX+xJ|OmVbsHP^w~&9y_Z&vysgAT4Jp`a;z2q?m|dDc z^`_4lIG5kLm;0b~k)fP@m>M0SIGX=JT1MslsMy%L+1ML0p@6m+%#u&6Bqm)~B^XI3 z=!Fvc4A8ZkHY;&n$yjuI4L0RHp*jWR@(5h>MlKBh!Yrg?*Giy05zt+{unk^lB(CJ9=8mr`g)hP^{v(}D zDT8cPxMyd?eF(Yf2FR+42e{GVGS4d@pP7@10oHnzOT}&1Z{S({qcq&NUDu#mtM)GQ zKHW^tE~RD?llu%d7&}EkeqMG>M_XiQOB-O>EJB_UM;T%RiB1!54>KfGze#?reN(pxE;rJl`@-0})blEjZNPfGYFp>OhjDy;nhUn<** zSgbT`^^AuYQSNx|-*iw?1gN?JLAK!}|;A zSaES}A&#V7>pJq0+va#W+LngycuHOoOvAGwbRG#j7ViWXPm;b;LA!nl?OJustwTA- z6%bD0fj`@`v*vPJS4Y44VDpmcm8KS@5H8pqhgvV@eFvcB+$;=FUSkdc#aTt2U;FI$`+!P3+PrVt;jAWntbW1)iGSjHEY^W4!M* zF~hhh)G&9gM~Eo?96w_2OvgZi;>S2zScvs)wI*K43Zb4iIquYT&(gZyY>QHNi3SFn z1DG#5fIK%KmCn}NfRmG~IFhsBO?a5W#)OMwaAeJOKoHlG8|Jt1yJu_ghypWCtw!SE z#+Pt6zT|u?F6K8TA$~)aT}1u#Ns|pEv%yxiIF}-9#73@cw%m( zID^w!PXKye(7Cp<%Q~@lV_SRUePm+wapMJLMUw_6LG5CuvKxJlI7~ZL#Nc?Owv?J% zo&a$3hG6U*x(GFOCl>oe=yiv$4K}V;5*|X`7(_u3DW->s!MK^y4UIo)6Gfw%Lh9a= z7;E?xcCyM-OZ#j0D9tMpX zG14tu^`-rLM$Q?8$Pv4au`q+o6X87?ucW`SnW{z=_6kF81Gvqn!mk@LXo2@?<72v! z)N@s?AlDB1RgJsoM>v7gdVZ)nMzIYG%(cLz>>AeR zLBN0f)Z*vx(6xEeGGuy7gC*loC6@R?DHe>Ei+v~y|(e9oTyzOUSyqpny>Z1KC>jiwq>LHyg76oztq88u7-b6{a9vVxjxhLd{8c|D24u9ceS>87*dEPFVPHFWV5wJo;oQ)8*^ zx>4X-JQ&i)Z77amUdGTyAW@sI%Y2m9}N|Ivw zKt%=!IXK?jfpe`rz;V{jxo^`x^ZR2m!i((B;2#gpmA3_%-?t}NMgg<`wV~@0X>0DC zYqCgwE+lc>!^wlhY>PxgeBzS+EoNXV^x{l4Tw#DgT3Y+AOmrc_l_KDM$TUpI2+RcdiY8SD=rep;|o5A z;m92aSyw!hu)^Hi4!pJ)(w&4(xSpI4%J~VjfPdIv@~27P5YO+;0{}o{{51j880xcH z=iCm{&1O9d0KtcUVK*xckpT7>}&yHPuf9XjDJSeY2Mn(r! z-R0Ik!VmTctmo_P4xA>QzzgsIW4YDWgd=zd9t5*fr~NrRusH!tUoMtjM*LQ>2xc3M zo!)F*E*pbsv~g=x?%r3606c;^kOZ=W#v9kFXpW2@phOY zW!PcPUgSpPZ&U=mULM=mx*E@ATKE3|foyGIheN}7i?$EMZ+##Wq3sjJHn`+DtV@HQJb|zcJYu4FpK^PZ}LC6ENWL|;Fyock+ucT8;5bjhCY&h^9 z!)JoFRu&hB?SdJ^HzbI>W(u$R;_&d(uUmh#e?SHq99Ux>W-ri94NJYNv_6E(Z47ly z1CZ5qop@Y7B#I6&aJn2#Ng)DjPYRhdT&bHv4Vk(g8Uz`5PJfjlj6Foz7c_>Ru#|XO z?ihr5pV6~Yl-WM2DT9>mcx5qIZ~Nmcq~+-`>sSDiYh*mwg2po5P?8nGcP!4r3EoWq z6ZS6vBXiF9Ok~YZt(y;2bGF)x*vOZ+jN>hKy=+190@OH_>xLKPW{Ruo&f|3U7SL3T zs`c?n4oGt{A1JTQeWzTVYv70I?BU{tmg%0Wc!CJI3XOHRGk={w0%Jrc%;d$PI!n!0 zq|-Juy}ssXNd;>7+?N0vUjKsPW#dek``|B%TXk_^qN?j(ahrf=2I8%hmj&;*kP=U+j2NaoqXkR zu%>5ht0H2+uvQW^VoPgC%;YPr9by;8zM+g;GwcnTFlgm`Rp-6$&JXQ!ShGOg?cKr! zO!q4*7qDr!-dzxu2|0k89va_5u2*d1LT#U}XBUR2q+@SHQD2W26%VQ*y3*11!@41p z+m1yJTPWs)4`1n9B#heP$)@p7H6PcHeZK8@^n|10iI~an`%f6AecpV+IP1r@6CLL% zOebR(MpP(Oi(^+kVp=-(aPLklp1G}zYwRsk{h9$4r_Ad|Y|T||oN%ro-n8WwO=vzU zzM1gUu)-yD{oX?o$`Y^`E2iQjN|;E zNsRNt=+9c6m$sZ+-u?2t@PhcO%X$>JzIc2=U8fDR=CK_tPjy?7^7SjLPN#nJ{Acf^ zU7OX7O<#Ys)0y-i-#?;^``4uf{oK93+8>sA@9qzeYID)#qb$B7zMG}sN4)D%nxA?% zTkZJ#-5wfm+}WPD3I{ZLBmHrCu5~Zn&dD*1PJS~druOr*=^g7LR`u@GIAB$7eDj)B zc|kjqnLcaAzQ4*Domk=Ntgqg;s85&Hh}C_&oqfJ2-*jQXiTspnPrX-QTKN6(&gpj) zOH?O| z=COef&ACSg4couo{L!#snv(VYazlu^;>VO#Q7Y(}A61MgT%)qC-f}y9_~QfKk0LAV zTi@wC>h6HtxUuOWrJcU*={yy)v(VHOw>r0HY2~`|eqrR}wK*Z-o4t30(ajA`J=3Fc-GG#9YeK@jzkPMB9&O*GTh;rSZQIKVo@@D_ zOt<^hkild3oz59t{er*vt?Gg+>!KqLEuXNcpW&vn7m0W~JkRoqy?G&e{`?0U$G?sv zAD?hU^bDyvZde>+jqe-Rm>wDT^reYwcKA1-LG}(MlitbbP(JzS>9~`5=kj}%*M3mG z_>?HX?|bP&ec{wkXZPxpbftcv#((vm-8lVP(^TV(>pNaF&TKvK<)<@m z9fKY5Csz*{v0>Jh|r!eRd_(;r***_8zucaeXgwjgC;Rz%6@wtB@2SBlam zJkx(|aZ=Thyu$TaZ^SOjNIJRNyE5Ui=0(v(i+sL_nv=a38$S(xYjNy$O+|ufMenT@ z`g!|~`$oqNG)-F6^iolN{PxMrlHJ>$xw<5=;_TL?U0&-+mR&q{cj2;b#ts$wF*_Ss zYo~VyJ-K}NCm#i`7`b!GuobDlX+B+X;PywoE$MgO|11sKtS0Ch1gNt|g~&BjYHC98x3Y;Ms={o6 z0vtM=BFBa_E1Q~{C?5;&w5f@+XquWdDA)-X3m1$Ckx;&)G8A?!hjlL^IFjKI08ojG zTZxsp2XfJL99E`4^iZ||S$@3tV2y?N$4#1AIq`mdy+L$Kf-P_S0@d~PzwcMqf0p>a z)=FWZR#fc)n*@XyjPQNZzII|gxJmRUH6YZ={1ASL;(-C~LEgZ?p@DxoplJK^CsBWL zwFP$61*iN`TfuV?iaWPG4u{0)P{Z?$q3~@T38Nv35J-7N>qv;=1tnI~B*nS}tWFGp zW6Tu6t5t>J2+S+iDR79wV#OgeUZEpcjgvIE;rV(swlPj%#ZyP&EK_xEP#iNdDg?nt zjD!$HSrAsECZdhF7z9`Ei3`XR%Gu|1I7SUeP|{J6t6;*^Xl3ugq&v`wL?Isu93P^{ zG6C05G~n)UD}bKBiB=I{-D5%mKg%Od4g6x`8p3OUWMO4*NEZttS`s2dCdUAWm;x~$ zD1A`iH3>dj?k-&WASa`*XXS+Z?e}d5-Bn`w_IGH%b@1{JPR2m>1^)dnb^Bl2b>4%V zjDen|xRpsd0P|uNd`3!WzW|EKf@c1l@LvS~qnYpTjLrJ9L2qU1 zeho?ZqjewL3rCdYFgXZm&SW0WJS^}LXJW7hX?R6U=UFmJ@~^LmbhJ`ke3n3avy1G2I&!ZBGr$H9krana@eyJ@Bdt~Ndl zC!=gSDegD8KKzG!wLG;f(5foIfkHGwl)~4y@((MvP^tTrSYBDYmROE2f@A)yzz6H> zf2+#>+N>)Ub>QD_`lou#~O{PskghIADy8wAlKrj$K z1C4~HJ+R8pLynxd`*F0qpMZmQT)S!@>dtkB%T9E8A-alEq`1GR68Uw=1q>5v2;)c*!aM_xcmur|#ADt&x9au%=p zQ%VqSW=y-3VE%9IQi9yqo{HJ;VU6J#lma^10Xe~Ls9jDFb;Dy7S#tJzKx|KsZ&QmU?juHds8m^9uO6m-u-85Jl6|EoDIASpQKCIa>$rgY?gXbL(+N4*g4 zzJ(N7-Lk*HwQteCLTInl+|Cneyr`01386{sH_E(6lm-Xwb#FAX%dMzD>R{_eK`e0$P?6Y!k=^^yt|fGg zIuMsH_yi35#J&i{7BAra$mzPO35fkXo;1FFAqC6J29-F16V!pYIKD$Ci2c>=!S-%} zIEG`L=;ov3uR|4}cPJ^SYIavvCGiM!$sj5J}@^{QuhKf&fPcQ?xTS%5} zAym#=xSm|RD^gUO4{<(qAT$rT6qr5>O>5t)Eu-RINLfE>)j|Q&QQj7el3iOoYLuC} z1v?jGvALZBauN426l#muQ7~w;)!bcINA1^2_6lWeNe3|I^0*r)#km1-ayu=gN8pF> z=OHk{XCL^I#Q1OEdn~_7<%s}QrJl7Uvc{46XGEDciI$N zG8}^z^Yk6y$oE4=WP7+?nu&x8ezw0e-}ycjr1=$Vv|kG(ZTWYp!QU4?*oRP~zZ~fP5x%epWlXx=!q2Yzp0w63=I5%rRthOd(?Ra?<5}udW2Go}e zB@g2I8t=BtWzKPk)XDzXcLi;&`p>2kRe+0%gEAYF-5D<;GAV@g1g*{@d2?{LtQ`n{^g zl)VBtklYuw_JzDrvT9Mcsw}#`6ckg#1&6E&7uSoOX-DCQ?2QOHfNv2wmydBxbAy+} z&X_FktK~r<&U|FQC%*`a*1*$_x-(@>6M=5cp&9uoDsrG1Q<1(?s8tUltj9FjdLaCk zPJ^9hpa<}Woe89<0clV0)QkW{wM9XKiPE7e5`iV?YH>^cY^Zv5eagltAmltxgXP$(hls5MZn(P zJ=ieX=#V8RsgTBUj5>=>eXb$!txwBrN5VtQF1Mz~wo zU8C>K^QlF<72v#F3D}s%0`@&s&VdfXLay9!47sFrL3}Ri?mC3J386JN?KK6*g1_$v zD(G|i1TE@-?b@9E$dI1@@tjx%O8)IU=(cm0U89HY2$HrV{_UY_vD#YxbkNU>AOS3A zjmqc9eFDdsHfViKwA1ayxDyN#+WoA2H_RADacpTR5P{yF%4$L(KH#(<_a3!#J1g&1 z53NFtH%O^E08?UG*f(Rer(*E@1483n3gCZGCpW&JhJf-kxkSZ|j5dBpsnv2?>G&LV z%^zxclvZu7{z}Xu&**$Hq}S}nU<50bit+4Yq1-S~1FoFG>E&Bk`@WIWJ0WZIq>+nu{sjHnIY?dd7_w}Na6XQ;9~+JH zBT^?J@ob&R_qf$!FDY%+c3_j*xQ(2ppdOkL&z}}Vlem6GcW|yj`Z8#V1Mx+Uee!of zKng#{oRf+)|@&;%o+)cvaA`{daW z8>#f%2804hlP-ifN-Mt zrbT{zA8P;B$;Ux_;S<`A9m@jGoYK{1yFl&VfCJZod|3x=8Sl&4=w6iklR}Q_AooI+ z3sJ`1QOvv;5FxtHwmDv|4`E-Ryx#c}sylNZLXzz4hgzFCeT_h?z}@fB+H;w){EvCv za2cR)wm6L##;NH^;oM-b4tAtFBydlr)`P8aERd6tPm{Y<(JhtFwCngWLKci4na(|k zD`rPiv{>&9Kf8{3%!YJ*&$5O*;`9W+k#uud^jFrtI(;J%L%v!iU;E z44>me(xBk{Mr(*uN5So!duz^Alxjgay|C@FKIc}XF$d0eFxR$91tg7J6`0_c^QsZD zpFO<AmtRU$blY~7Drg!&P!a^p3-!1Z@MLOM6LR#$VDgY%{{)@||`1viCV!)g~PxhZ@<&IivI zOkTM8zA>DP9BUhago#ggrUl_7-o?ksO~Jg5ZB}aUD!E<2@yY&X$8)6R zAdG_2{9}kFSiG$J41vh`@UO&|Ksv@P}g`pqBtlSNx2OtyGoowGWGUy<4mm7KzSKY2a!9j+rNCG|C&`c5RW zTAtBVe`s}xuNlKt&UaO89~uAv>29c!9;3-@U%Ki7t}o(yau3;EQkP)Q683ap zvxn;0B`RJo#VOfRwIIls&182N49HIaPEC9`1~r$3UW zd!}-6w%4uB=aH;tj4=_@55r8!Mrl#OJ?uUbmNyXrLF$t>(=8r?b{5iLcum*KM8`N! zLIfl;N7x7ioPwuAv#`jnYP|b|4RCT3(2?LwG~1umUEB_7luV2u^*)|E4YC z4Fy9FAp2`fKSMku?$&whY=EfSYl9s~bcO1CKxs*z-E?r2^lVKv3<3&YZbogXh z>eV1LSn6j@txJ}VVAYAvxu|v-V>;W3X4ag+2D7!{ z!_-a4y*Jo!0{`f+xL*o3BuKNc`(UtbD^J($-WOccfE#e0HPv_T!cXkuN^=Fhl+zhZ z$H9fL-VI3D$I%nq(15Lq`1wrbS8Zp+)6By{Cgrp*>8A8VMI(c$8y^zC%wIrpQcBTE zpc7cW&hRx09;$KreH8CA=VZKCa5<91!KA{J8%AfzB-r$Rq||1tr2ssTh9lgsIJ@RC z9B28>NGoa^9ztKS^G{{vEa~g zr!n5J1#v~K&!ZUqr&Rw8TeY9*Ej_BW%%#V+b6u{7(XO7UOjI>Tqde87>!C?1s`m`% z^)Nhm{DK~WzK+Gz@1gbu&en3 zXLb)j$d&&!K&l5gVs#f8uGln(xAoMeo`{fsH%T8LuC1y!4D$RnZHb%roAT)NEL($y z8_RWZsgRxhUYXR$kIhR(Oeb4M3QV!%Qc>At1lmF+y^!s$zBrC^yXM-4cl4_3COKYB zN-S_9!?~gPNLqkV&(o`n7Oh+y%zi;R!P%m(QyXVQ02yW-<0o8qqhG^42P+cGR*i9- zhKo1uVuUW+UgahM!Hs2>(wxY}bI)@nLVTs#GlzR7Cnu~33`?5!MI|>1xZtZ$b*V6m zyeXdHvZPsPb2gHJ-x`#H`F!JQ6^C=L3v*0U1tHu9&c+leD@ZU+aiG@GNH{(Ezm?7?iv($v+re|FWC}OzaAQ@do~-CG->*|kzEz0PyytX^dE-v{?k5KJ8q;(U2$7tIByW$x#Q3y}3Q(pBu(_!h=v z79(9FlYfBE$X=MgrmfsG6J%(iDY`Y9TD|-&~*Kqy1czsHkF-k?p`J)(t zIZvbN%9to)Lnwsv=c(Y5+`*;yLTz7(($AE8(bWaO3jB+(0<;Y6*m8oIu2U+3Nw^3B z{7C+?11gvLbYHI|zQXC*^~PPUOrN2H0lwbXSKKJskuT=zVP?!fk7# zY+=;fY_lkxmvP--gTZ%)-l;1#7-SSw*Uu2+R0KJHiMO26xNcDY&#UFL*e>y(yI$Si zBdBZ%Oqt6jB5rcoQ@A7(oJm1OvzC7Dyb~WF%l(o`D7yyf#r<2(1vMk7l%Zu3P#nfP4Z*fYBb+}3&3H6I zdRqal!H*g9bFf^kXjxF%Y+9kR_u=nYI@9xC?waNs4b}B;=?TOSvs?sVEgvKA1SPs0 z84W#%xT9Jwls~#F6^>c&Jcc+2`ME8PcS+|EzY9iWLpm2qX0dx%zE|UNAPlNUhFs`+ zCN(P1KN@P3P247?z!vM!l}6C0wy2R)8P-ktLj9u=G{v>X9Le?2n^ktkrPh{E_D3bx zkGFA&GN3;%knUW$(ayqk7s-Q9)7hhE?&7=WqlS75zN{ig@&W z&-=c=e@{Oj8k)V$JTp7$FIYDKA`AlrZAk=`s<=iqDlp#8n!*P8O>FrAcC&ak zT2;E3EFyD^jcUT09#4<}KXw}<7_B!rghX42*2)V|&OWEcKIo=MAZH1ETkY zahJ00;K|`8u%xWajF`pIAU)uI5)^2^u)F*=ArX1#+xw12??l6lc`1IUGLX(h2ZHeB zR3=&upGP*3&GPke!cB*H*fizg{h}W543=dv(Y`o?E4OUv8u`1D+_Jj@JMrIJmXXwG zFAAj$k|RFa8(yUcP&7nE(4dOCu0OjM62&QXmK{OXW!>5q%zO#yC#V6nC^PVt#oF8r zi^3i9OBQ!E?#j2qqGlN$eGiWV?2mQm$ZnM33Q3=l<@-TL_z^eSYY*d*uGS(i&5`wS zbuZAY0)aM{c~Phi;jcTMH2Mjw>abUN!iVBU!Nk7-UI@rPr`??+6J~Vack$h2@1i+? z<67ySfpO7^rH`Viz0rzxB)+YzE;6&r_8XI>e`YiT@5Zq=$oOWhHB$>|xXmg-kWQns5fXH+ z)}Bt}a{;TQMa!po_o3R0(GBz+c5-PZ7~E@_8vZ3(Lo<9I)wXiK5I&1e<+H4zRN0G4 z(UxQFI{*sojt4@B7URcIS#hynR=N5$+$U4{Y!8wnFORRtvR9b&;Zj3W1>}``EHLD@ z8uu=_UJ-l}rrV<^xZg7*rnl`c7mdY)d=cCqOm)Yb+H~%v^4%zML`O61QEIuRFpUna zOa->Ya^!x#9z-X2=&l#2|)X8|J=ASm6LwfFJYiCe5$ zsr(PY>%o)a-42*B{bj&s(F)8L&KWMK^=c~yJh)2fb_A47ZIyy;CP3$pCBfey53NzU z4oTml@&m@-G_pojbiSqtF^}qt5~hZcdqG{eEFt08E`p0bE?bSnK~!TofsPno*Q_d( z?okBW`4nkQymwBQ5W=gzC%149j3(-^HNkmI1$}m>n$DH1hbWh6qxQo0as)XoiSkEE z`9-GW7G#PiWY?x9WPf;oJf4Z(;_eMBBbD-sIC&bYe=LDsD5=7pr|mgvGVIo=Lw>nW|PX-@rXG>5yr zjC@s5fC@ghE5q)3*rN-OtFO?y=2hC-D8jN)wEZ?jHw0&)8tL9HerFfG>^-ri`MoWh zusv{Rm!f2{!uJywr-BJ%&~l`^ytxaP!Bw>CaKi^J-a8NnmdzcE!8tbpd-;85M-iJi z2vX`yM+hE_1+j$j9iB^`6gp6D>u)5bk+Z*HEaWw1fOeDXYC z51S@{UHV43Luj=BD8mXB9yJjWlW;Jc+qdj9BrJ-Akjha#&bUdycjE7*rPy#&u4iZI z4cvyVb`O!?vznApjAq}NY&)snnJg7`EgeV3Ip@+Up_gri~UdcJY1U9IIFwF~{}dYa*!r(2`urw7Wx0_E%pjsk$z zmrmir9KNqnG=SRfvl|lZHsYM1avosyFF3drB0tz2!1&%F$Z59SauCs@&Ny3CgSb{p zY4MrO?9%GTOrsMZZ+08aq0fN*cFgh|HTj?EV!DuRU#yK5)V@aL;*BsThL+_b`ucJX z<=9nWm=>ivaG%oRpbKqw>6^`M+UD!@5uUVKl4z=Rh{3R#Cl-JvvVaw9AKe}7REw2b zVhet9AO*01__6R+^mGU!17lJ28*JekcyX-rVomfN%T_25`W$d@+&xdO4)(BZV{#1I zG45ZW5x>P8rXw7m8hH-)wB}@z+X-~f&cH|_n5NbW}r z4ppdC=iW`c*ep>++s)wTwDKP^rH6}2-Gz(zd0P>ibMnV=U=if0Jjf8d!-VD_h14HeMCYsh-J?N@6*8bEy;1vi^Ox>& z$3>7}KB9fw02kCaDT{`Wy-7p9+e|;Hh|!q9xt-xP)cX?5K!3kD(YX6#5;eNAXw>&x zWQQc5${vTdxOS% z7%=(EVC9o*_0EXXvsPST`^cK8mpib2eLCEzC)Te{hxg|()OKA*ap?uN!abcT;Eis>^ote`HDrj@iJ>G` z4poE2(8J!uLyJbhwnGw|D$6Ftv34LFl$sQN(DnbJ@V<}a=?b!>x>7pCu%cb;QL#c% zQi!DcQD7GKmLk_|_kaqhWh!^R%-Wx~!Mz?@@II;-fTa7H6o?Qgxgxp|UFEg>vtu zx?}I~-hv!(0*WE32{xnUuAK6W#;Ihl#m%Rhj_CoVKNkoti?JJWDu4*&Ug-#4Zlgo! zy2D2-WYyX_I4~Po z^YzSl{ap!Qg3Z8|8YAgJY9n4$Ru5jk!bE&O1oZ9awBUZFetoOXata5?eCq^Igh+w> zDWU~VsMj2TSfh8sDz#>R(m4ZQeafF4J(L%sVoU>zV*BoGZ@wp`Tx7 ze{`U|TCh+j=Vb+pq04>+RtdX zFH|kB^9`jFK+o>Kv=J5DO6Sp?3l<<4Zl#vkXI0vXU3x5@drl1fEQ*2HqLn`xBVb;z0KV&INwnDo-6OV!vQ8m&#Dhm>7%aErdg@Z z_Y=HeQe_dmz&}ONJT2IbO_e`ko2QFuz!C(dz%&&#l+TxkDO!Typ}&wGIfsC~0cYZ% zWX3Ss`bSN?&3?|}ifc45eXSk9_R$EHbaPgs_Cx#)VwSuTf;LHQA{74}!?Rr>_W|Uc zA9U}fX)BWB0y(HELD5i)7N;pzy}qRqA1l@dOf=>mSmzoA)dWS;Y*Q__8h`0l@e4ZA z8_)9=W5EkBenT+-WQj??q8d-_6H|hDN5$DVNT;gcv3t^}BINQG#8)r2404XvwvBZx zE(3$LS0)f*VdCB?;)VfeyA3z=N5@@Q-&-5Zu_Q|#rLVx|D)rZ#LxvJ4Ar|~ohk(88 z3YX2o5MQk8PVw{e@Zw^$y%{eagpM!8az#urTV)()vXyWrGdR~kiFmjn6dY0Ep_DhF zh7%)9=eYB>-Dj9F)`1E74>-Qt?sJgJ6&i?k|DEYRzdq!Ef?B+h87JNi^+z+#4u+W; zDnVyQ5(ocWCs9M2pVHSSTSm&INUk4uel6eClgpg*ES5KP;avqj+N1G#XMek1$9lKY_Wk-b z-DnTz(k$sWwe&7?Z*U=yBLTaHDEv1?CaTxDfcwWK8 zFYl!J#S{4&=jr58F@=h&PeD7Rwei+n9(#oiaI)8j>f51C%=9Two~qc9(72U!+nptr zgsGBbp4cPYTXkA_VsFewyAN3owN>Gdg?|Y7{P&gyNFq+g@m3XCpHngCj>8%HH8DVd4Q;J*V`&nl(+N~ zCgQ_8rj$PAEFK%&5O5>mEoKVrFpioF0{~y6j_E4q2u-k+8T%$8?~KG5YjHpFi*xKS zx~+{y=AgzA`qe4kE%Bg;?jg*2X2}C3kQahKG==AzdRUF6N#xdOoAcwe)-;k9z1?yX z^)0*fG=rXt>R-&im}U?I63EFvX=85df+RH6Y9WrX;NG!-o< zKy-kmKiYBTC(9R=X_hm^Yv{9~n-tLv^87eUC9rV3rExx|m$Ty5oWZuheRRz!EY4Uf z6}yhUKtDeD@cAEv#KMJm6*tEv-UijD+UOeG4Q~MgAZZ4m4FqKjfHL^VIeLrlQ!dX$ zdf=BVPRIli?q?i9zaQ4Ohat1bz0%$8d^B0VUhOYLepm)^IE3nd7M}9tF;6utNAe4h z^TaF<-tBKiO+PuVBlu3R{6+?Mql?wMxtsLX4i_0tOC1XV*}7Iy`Zt{Bx5CC&dS5Wl zx?2Lk65|L@Bmi~Gf#r8u%G66kjVFoo zRK|%xc$mKlmHCi;dLqyeEhP_uERV^{K*6dUY}%U!f2CD{+rf`q&s!Y!DFfh(qR4C{ zB$^^I*I|#DvytRS_@_IqZowP55OF@5BC%;@lW^%L3;JJPbXH|WN1wk-8m*9P)9vvr zWN+lK&e`3?ZMDyOuR~?08Gep8DXp;=Nw3T~`>kVzd@^&81UkpfB=Mh6-7TbUye;$#Z+ zN;NC-qsQqN+2H4gQDi|GysBtb+!uo5-BE8pJ*vaT4)9O7H}ChHoNZ*F+4Qo1*8 zlOORD?X8*KLvi%yvc<@9d+RCYneapfs77nR2mu>`B!(9$VxnC@F@04S?z~4|`WnWM z4MqzNDvBBu!Zh<; zm^-}}_%ST;&Hg*p)_ir_8U3o>t40_3&Sr3x1kxYD)U{q@iG@4JwKs|u>9+W`;WWKw zK4Tip;(nqHC>>4P)XUZ3Cy?O`A#09(PO`WRvozCsHprX2OqWpKF2KO#?b^jTNk`_4 zO6wwRLRL}FbbwbKJPMYc$5s=k<$lAoKE&bv!P_(0%W2MUV){bD!**`ajYRG3jdrir zA5!gJXt|4z*z%bOZC-IHy=FH>b;T{FcXg6m5gY=kocV%92Zmc%N7{p1oMUvR!#ok? zL!=Ql5&kyjbFlytyn@pJZdJY&1;e7~U5$eMEKkv0^mez~bVR>CHLwhs&PY_=chJ5~ zOFGKlMDEG@L2B-a1iC^PL95DEB8Y*DpEqX0Ff5eTBR(%2P%U@>(Z-;;a2DMS3&*BM zkOU^*1*4%y^U}g6LDQ-WHztxJ!8zDwSl3G`)iHV2-_*fn0CNM2WAIKfqj{-wW7?{7 zOfDlrfi9fbi#HkHNF>{XbD<)n!TMm5cPlDg0<{cp?)94NI+9ZR3c1cck1O=UsY{HT zlH4ueX1t;BsbHmU>Kp*ivQagptGyMPo+LJ?VES=~tM!vTJ zi+2m1HRE$yCN%+HB>-Bqbf+srJ(1iBX{}p6q3c39NV*HL4UqEE05}gjgkK>irbf8i ze!<7jcP`|bE&Q^QA|%Y_iy#5J2yxx==!s$-gh1B{Jt5-mb_SQCzkhImn^D+4K+22{ zE{i^k)9e;?@R!g#O3d$zyM!L4|EET>hl87fOTuM{*uzPR!f}ApK1%v6iTq#+^=O|*?8nmE(`|afjK+)K?67$os-gqTb=D0&IwsX6O3~n!Q}C3J%I6LafG{i$^jR-Mawu;{&BX?d?P4^sM@XH&t{ zK**5x)j-3Yi`tj*#`;4fw|zcuY^)%u+*;P(HI4{eIlzGfs=0m$8(by69VpiL=G*qt zmn{mwVs2W(Wb#`}AdkXZK84Amn@ciL;0-st*BxuaQ#7EJl)lljGWZ66gJEI@!EQTn zV$V}jL$IgPq%u73cJ=Vijc?8bSNk{|%y*vF`12KpMS8NtAH<@^^inTym`yBpD@m&S zgTdaj+WunF{G}#8PyE=mO2AsyAi)Nyb*@hYP!0$kc||NAS9qUL$X)s^1=ir7yb&Bl z)~|ECV^CB9=FZ*NB=#fURtC1kE8Tvn1sk5>z;AIBG6SuJNhB=4fZe&lK23? zmmqVj5WcDs(8qO%^;M@!S|lw*9`x&cEX~Iyuc7DbP)Qj5dK{I36QB;&2*@$|!vV2v zAkjEPYZ{%{=p-YYU17f`FazMTia-#A8=dd+yP)=y~O&CwjL!s#!4su4Gdy!*p&S6@qnaXdOOo1Z5sSCGO%k&F8 z!~(mdh~%Lf%K-Q^D%9j<%Ru4lioz!BO1P|^#eT^ z1>V_ho?9$FNLBlQ7P#?6>jKVrqJZ22ru{>MeL1Gr4ZNk)ERRQ}Sie$(ci?G((O3_d zd7?ZTL&^o~hfjS2uyIQ8_f46s&kLV(GO@`wT8_hDaGZnO64TUV=eMc)rIar6+z9>^ z%S+M0xH|yIH6XXYbX`*o1VV)e9G}v>hNh$N3iFChCIYK@RDTYYoCR zd_R6QIMxL7>Mocsu|NL6ib_BlbPSLTN`4(=DiUebOw14G`^xV@fH+c#_?{(CVWCo1 z#qqg(<*Sp?oG=p1--69K529a2PvrubX?6yGnI(Vu7ah_ zv~+;t+dXJ1+_7@I1*-J<0y(4*%yU-8iM>~S#b5X9`nUz_<0A8rW96vrn7>Q(^BS)z z{_I8P%k-r>1>d+>gZai^58;YK_}Aq~Tn_VVI0R>+uX1NnFMMEn+-F@uxDPY{;wEr? zh#XJ2&1zGPinj@+{+U*fU2e+2OV*Up!m2luohjM+S2X~!W54eOa5fB)XQNW1!KE^~ zGVqPoo+kf|$TN@c>1{!@lw%W>vz3No-jvCD^{l0Y8u7MJ1cP7yM=g1l`&?uETnj-o z?qdy`;*F}gQyNwhct+mx0PW3D4j&}Ux-eu_Ceh5sga#3HRDVQrC!Q9I{P^^I#<@YJL z$*gGcrYlB$%Li|R(oSzTh5mi5ILtfSp#MM{eW!FaO{b@uSlG0S8z5R>w@=pvT2bjb z>a6+#>mkt4O*(^1p2yr4m2gL(*>x6nbdGU6{{%Svwh|AGp>21ca?y!6ZXH1v$ccpP3S@chM$Rlmfw?z!y ztlVP`!yqFuH7^QkA^W6q-zhw3%QoWhjQ}K?Y-}CpM)n4daa*3j9^mA$_Yxxz-?`ED z4DRJ`M1cYXj#g0mEVuJPdv^%DgWh+^mRgFYx|X^>lq1-(#QKvNq%xy|UJrSt2JjdP zmS)pusbNp5WrMXOF|at!+f`w!;j=26*c;Y72XRvRVeOZE0bK?OJiU3R)78he4shjs zXJOe1`;c&>pe`AKoZo`)6g9bKnx-Vlbmemw&J|ja-Ea`Z#@>aEn7& z37n8g=HR1!E5BviIxQr5!w_V{HOa4ITQz36XgTtV#J+S0Rz~? zMh*EH@@eICbnG}u@2HW1qG2SGZxZoHZvoO5Ch-C9OQ_@hU=97Ebdmd5WsQE7nx1DD zQo9_9zuO)tLH1AVwL9BNuegBS$C!MN!|^icD&1p=7&%2BIM-GQ-USnp)EA*C^@p5m zRP<3YKR9T2pspEG{QB=sUo{FMMEx!EFFAVGR(`0j=|&6bEZTkjVw=fQ5xX^nhKC{g z5tC1^pTC~|O~@#FuS@L*beh;3cC)>G%kDs0H&j_cQRrWg46I7%tUA05&VH!^Z>)5+ z%eKyKnt!2^wKqb z5=l9e9tFHa)+i~rcS0DB7`}-Fyhz&{3wcYvC zRExFl>NEaLcP_W{&-3qpeuvH{{VpXaZS9nP=XCzx-|pYd;NJ(LvjP8$q4@85{eQS! z=OzDE1f3`TFPhqU$^S+ko!9(v`Rp7M*d#jt3$MvvOw|8gI{%+H@4WnfAgj((|Bv11 zy!_uu&QYE6oHDj2UkfeOxi>)7|JCoW@`rRDj4h9y7hQ%`?>rLQN&i5E(s>{k4qPQX z`NIz8x%NoxQJ0{~udcIw@jvz? zw)@4lfX;qiLMnh(bxQa5RUb61-#dM!Yn^BPzQ9~kQLc96U+?z&ixI1jH^R;Zpb4p*j?&|$xC}FX-c3$#_`*&V)d5eHGwewNGU)6ctAKKq}-8Ji6>=poNu@R?T zL2K!PRsXnEr&20XaFQY|&a5;u=6G`#v&u}&>LiU>Yi83pa{>T(P_sTMQI}-q%?5LF zQc8+oHm0PS)6Ak7V)!X$v&C#p>8k5ywwdj^?nxPG4ztsoY0lEQ%#yiBO19aZCYy82 zxoIA=H!07YZ}yq}=APzW<^ppdskgaLQqUYS_cix37b?T{Wp}N;hIfTTCruhMb@JqK z(=LOlyuPc8;f|FG`)7Z@ld+#`1>g+;@cECrdRa}sy32N|J(pL>|ER0~QCBC`{?P>M zTp#|UuGZ#UTE+jPu3lp|bZ#lXZ$a2!A9WS{hW{gV^)Hdq47_m=uebzksL6=IJ&vuNGJU)&2Yi`u z=o)yt7`Ee;V=0~gfzve^R}^6UdIGY4@!YlgX8f4R4dZ|nLScA4!LSY+He>s*2iF42 zAN-1`nw_`#{eFMh#APY`In^M31z^+Z5n7@h2^q2|IDLA_vreEUqE?rU6Nb&P=tU6 zLh13*OldEip9|ISs$7o`Hv~R{b8~z-w6EBp^yHQ-f$#HkpiWqopO*_ENmVY~96sFn z9=r)Jml~m58)CmIubdZ#j~s7)Sr$@eyCX-CGAF0v2c(p901i#%@py4R|3;*e^SpSe zcNJFoWKYRb_&Zz1S%8iPXXFC2w<UqC8fuDjx4sE1=-z{8~m=n34^QUbl6tjfvF$6;)M z{AK7+9y~(j_T@#w@K=rp8@!Lf-?^T$Hic5owIu-9#l?l?=FCPQ+H0d8H4yEH^RX@n;H)n`{>-hTpe2enrNsk z@j7ESD!ViGa5;DiXGu92%5S`uSvXl7uFTGk#A8*SPmW}Q-0~vkI8{!bTs93W9AR$yJYAkT{84iz|b>;p_g{a(9?mTm!?lk zG$$p2p_i6yPSJs(XTECanZeN0S?I*z0_OOg>+FOH9&#JuwRw%FM(C{(q8HlLb@xTAcB8j{;O+IaZ^;C2UAq|%4xBt z{P|lrIQxk!LWmm)JvJ+n;>-#&O1a`tNb8aoZ^nZZX$(jst`{;hFbjJr!P9`vs1JtJ z2>3MPtZW2dDS-r!F)RBh7*4A&<1}m-0hjerfL8+diCxj957NQSld%1rcdr#IQxcAj znSNQWw_8eW9aX!tsITI?`LJSMVdPW@42Wiuw# zUfJp540p!ae|aB7wiSNCRQz)j|BHtIrO4jhsN}!D2f$3P?0`FNQH&i36X`M!)Fr0o z%f2%6B_zj$%fzYuqf?tOn|6s*PBQn$T~QX{#+#?qP6mC!9OFP96C;egL|S|~Xc(hh zFN+bbck&QVZeVV@LXHe1#CWmp68kV_P!ltr8HFV5{+);&=b#24WBHwmT_>4CbvImL zV;9?$Q)}7lmD9(wYnk$Hk`0=F$!BMAUm|QY^Bl1Vy3i_=beW`?`BWQYedMPxDR>9~ zJ%7Or!t=B-vSgg9yX3HBWPZve?yW4IUgm)$9zKZ~%H-n@_z7Yr8GQ*Ml4S5b@%;d& z$edLcjT5>tYXR$t8JPwcZ|D*kQT!%OvaJG)(Gv>hv!pb*d$6HS z!ER+a*Fu`$=&LlB*4pRaXj_Cr7E$C~pP=EkU&AR#I}o@IBi}1nuL|TPqn3W;nGQusH<{gS~Glc(vq_RJgsJj%-D}jQhA=2AOI760~bVInpRt>Yn zp#rUjcemfeTOvyk77srm*lg!}h&M(?p@Mh$ zgQYEk9v)qk3dPsL35Um;D^~t(y&a%7eUmqz6P7Pr)-qZ($==%L+xTJ*1E^Lg$1zz(O~M zY!O0`qT2cm5W9%eiP3eC83fhQo_NN=G)WV1-EQeYg+&#*i22;$hp`d@W(J=FoHHM} zUJs2!jE%_w(FnV+!Se>m6~DwL+Xr|F!)jv$w6;8^l}TYXGL?Y3#WCWx`Pe%y3KP%^ z$gMRf(hqqXac~zuA1L9lg<;4H-X3F>eIZhdj_hSd!JR8W)D^f7mTi!IS9V^e-(K4K_g3vnP9GH;ngXp}1u{hgPh*?O#Kl*c3FH}+ux&&$>*I^wl_Bjov}%4jk5Z$)%GVf#$VY>C~!am)*{@gG zb}=QeSl3D}%(m2T<3E70IEABRI(hf#B30kXlW=liA_@#Z%=J=lgzp2|UgKU(48qkr zP0`XI8;~~Uvp$oIQ((5ZZfRc2(({wBZhdBLJne4(mGH^Y0zneTV?oG{T}IY=laZLs zXoMGeH%XEAAU@GHnv5Vx!U~vOkrhz8F9^&Vt~t%$13Hdle(;}w&+B0dYaa@}h4a|$ zIIC6_DN~A>%)y2%1h`wbYU*~H#^}OE6n(LNx8;U4H{nNi>}3Q2czbY!d5}%`63Zu$ zAmc&%T->*bwU5P0DPeGYzI?oy_Gj1_{z3^9?~1Zgp|@9C9XJa%tL=> z0ltTK?+z7R2Lwk?`g4&W0NXLs-5yZE9I8D~207T>R3z_$J35C?Ds+)MXg#j{GQRw5 zI2AEL7-dL-<#VkTg5R;+OGeC3#sZnj4ENkhIKGc5O86?zx5Qz6nJ`a?qa7UIL)!$X zr-#LG2r_X!Pg))-w!nmZ5Err2=wj4_=VJ~_@vQQ{7Fy3A|(Ye!dU&B6p~IkGLCX*o}~$1A0o48 z8ao>ntH1>0=!W`+rV3n&n(;_cm3v-$PwVw6W+~}!s8BI^N~yYFsA(#13>X;MS5CH5 zQLj+(Ead(PPUE;FtDCSRcpY2G>zF|TM~dP9CDtv3H8Ve<+L9#();*uDIzWE2?$9x_ z^{=R5ztKt;bZo!SuLgEMJTn_H1O4?p`2pQFE{Y8Sz3`Ro3I0dY+g@qVzb}|>Fz8Pc zB>8w^@_q-eU&}{K1pi>eh9=5(Si+13pnTbNv3+qeKM?Zu$xxce^fy3(N@LiQVjB#v z%V@wt$Je(k;V&{blF@t;8%1GmNSXmE6Khye+OHu?TdMhfj(qf+*RHkAo*o{6!`@;APGWrcX{M4)o>9!6^R7kA+qfHQ06Z7mSLo6FfKjVqR(7n$){1!hPf1v5Qt6Y!mmHqT3JD=Gt*L7XgCv?8}Bflt}?VxW^H{oliWTP9}T|3j3IA-*~Cbe?aW>Y)};;Dh-$c@ zW~LPeg~|53%-2~6onZP0OD3>xT*fSg0nwmmdIH(gbFJkifje zi+VLZ`LYeWr;!0LulrMu3G=KWMMV?XVV;dlIcSUn9NXrzjIC_8XsZWpR7N*&&!u}0 zn3!eUKTV-Q$aTK;08{ArdPWJmg4?dbUrQmx^iWF6!o*;`S8Jjg!)>gyGRdgZp6(9B zA>JM=XW+QO+NyG3*a$-rU6XV$Nmxjx^4<6;kXl_}pDn*&Ym^S*wmvg%FYThYr9qW}UTFZv z&Vl07OggY+mEDRsFAbZq^|-pZrf?GbxT%Vb3_`HUSy!;kLL9P8(8bWKk*TaJm#LaT zL;DqNg)pSvg+a4Z{ChE&L@|$CUzN^0IU3k?#GcqpE=iBC#zr~C!ynowFcUtf?iP&n% zIDlSAXE^sO{?Ulti8J&M+xRJfH$Yv%1laL`3y&;j?!i+@f^l||e=2gmoyv>_FwME* z0j5uE!MzIsV8tX-$eZvPz@-wWViW8Keugc-zw}K2B6%6^f(?$LQ*TF1#AOg)V3MmM z2#vVF6+dEpDWmQim;rU)twkk0 zhpaC;qvK$Ld?KxkvlSjW2i~)~`5e87d`U))W|yp%f$loaQ$IqOoNWQx#dsIzrA_ ziI|dp^nxYdk%8Eg57_pZW)p|QI+taZg`Ak(8C}fv6}X=>ZKqLP(-U&{ByToq`JAk) zEgQ8h4&RKe^$Ms^m^f;27G!9lr~qdWWP7{*RlCD!4W)mLVuTz z=kzzKd2Y*B-iz@9$3-QUW22@sI>!ntS_|p zOl6BK`gR|iKp((KdcWqb_cehLsAd+jXl%#4r!~w+u03o1ZV57Nazm!@K3_y1^Us6| zFARK|Us*N@4~Lr&RFyCb881NFR75d0wV0ulugZ(X>kQU(;seIcRL2Vc%c$UeyaK@A z*7BdTeiW4kD7mkQvn+Y}vnR%%E&_g4OR+Id)wZMXM?9$%=&_r|G(OElNOzh@Cbehd zA-1=^+{$EyXQF)#Ujp$h=@$?bct~&`wlX)9CXz>Tpth?tY*%5AVW~=g+ykv3$$j;+Sp$CeFi0=HCtr*z$;cBF^`!NY>=zyV%KP%!mg|F2p7H>fi$zN>W$h&sgH83ki>rjSe5Ca0r5Ds4ud&O+E+h`< zSZ`UlBPyN@{Qy=f`%uGXB7V)7rCHJI`)WcdSO3Z7_0b#r_h`Fw? z!~0P@KNg>7`r@(85&yRc&v7o`*(@OnHF^v9&&UY60BBDS-T6=q4~5Ca4>GUgh;#=6 zO}5Oe(Uq?{6A}`vX>^T@iD%^8Sn z*?P4)BqNK0-zc2G&D6`V*he-}$riNSho1s;)$fF!z!2IiuoanpO2FSVf2dC&bhdO* zqCWgE-sqo#z(P#*Pe$}XoK{zgd*K3K{ zPAQqCVZ9EYwKi*uPf9w(9o3>r?wx$;SQi-cHTuOWrX!e*SK+V9-!%kOI8lF56V5}2 zM~%uyr++%y*ptDd%`Eq#mb_D&A6>#axLL$@cc>#>KR|80RRA*S zT#oFCyBopP5-eP1yujf{ zVO6AN=zhl~fnwBSC|2-(bZ@LE5@cyK*CqWzw>XK1#VQrJZ&Jp$T~=b*Ev zTAxN7&m8@H%O0GmZ&z6yLYB{j=koh8>ryGD zw~W0Br_r&WvO8em8n0khvw&MRORV$@$a*)i-=X(HE6$N3*q;Z&{wx%m-j@9-NSsfM z1+)2Pux0_5O3W39FdB>A@nON*f^yUBMB)MpCO9j~80Uxh9I~afgK$tz<$1#Joa(f) zJSqAeurbhn_LnV|X5Y^SYf@Wx8Hyp7OA>O{lA3)8X9H%1R%mtb!W=nI0g6ia8)W)k zpw8$@GSu{`9w#yko5CNm0RjER9n-npvZ0rX+m{o)o_kp<-HG+L=VGD$8{rURtd%zd6-3|HNsSqlW#WP(t@>bRXL#( z0cwaN0MELB-UkuNu!#7{WVvf=^H_F@rF-o(>q9x=0MzL6L->WZQ_yztQi^F?w0!B#ocdZaZMwV61(|dR?-f)uPGzwOoN3b{4}VBR=9f$XSSfx7uLV zFq%MxmehF%Aa5Q(r`n%4id$=^*rtd)9zt$}-+P!t-tmYzOaS$#c zaD`r#a8Pib>>!%5fAFP{mdhUpp=?*%@AgO0ObG+Q( zSH?4s8IoA(GbGuO_x>!>h~9E8Pq2XdoqySNCw7Tc=7 zC<77`t}6NoZv&GBIQ9i%95I*W0V(PSO&E3S2Q(VxmUGMu;X;Dzo&J-7m_JJn2z>*j4{{yqGxZL-u) z%}nxqM`Xi1&C_L2T4tD`U$CDMwlPu9gMzWKNt1O$bfZyiE5vr@40)`Gw=3dm4cQ8fF zRAB(N___eXmKyffD#q7%eUT3csssE?YKK_Cli@TZMu@GtpqnNdX$$kLn8I8i}2ucx8 z_QnJFa@s$r=BAS~qYHWn!?15}lCihblOY4bcBz(m1vl_@@-D=rdtXP`Rhw*3YK@N& zfOwfoa+qoCD!}l0h<}HEHEJ+wxDg3q(GE6&uV=7<>q2MD!b0H^ONOw*3W&MMyo)ig zZ>@QbIl~<1x@eduRt@%r_qv1 z=QfYCYSmm{mi*Jhf@PT%t;H+`W{}2)*fPgbV|F&H;x-|L$+QKIclambJYviLy zcmm%XE%t8B;P!avr*%c#{U*6DqHVN0;B!G2jDDUesyw7$z!xR3&o`ZEeox@*_lvv` z#^o`pyH`W0sK5l1RBnxhH#%AJAX--xleayi}ek$`9=K$I{V08%qbxOTiIcz2?=arXrG5! zsb8D`w%s!dG3-2%fZettTE*1ik7F(<>}MMT%P}2S*Vj@V`nj?;h*L>cv>P*{^dFT^ zife5O08v;cu}w^=8J2d*b!)+#%S!Xv9%u&AnIDMsr=Y)_ok4ho5kA8q*FH*AMtJ zN-v1rO*iV8-ZHFFtH~_U!~MY5W;5=)Hww9y&B6XyB)@o~beexSV!K;@lL6XtpD=>i z%2yFC^fqEsJZWS?U4TL<*SMN@-sGq>gg@&5U}63KO{=Y|*{2EIVD_1wW;U zwZ}z!$)YYymLQlWvcwyx#`I+zL$5AbkJths)eEo-94>b#gbF^*^EL$-S~7?4=0AzS zDH0s8YB#t<))$!hRN-NAtMNi2Z}w&4n}b~$ro;jT{z2!7AD9`1HVNxpuEJTN9ChL3 z>Q?@r{GCj`Xa#s}rVsc~7%!lG<2U^h@=?&=#Yyg(`bp$V;3mX9^yQjBG4fABYqFZ} zmcgB{o)4EB0HD{vZUBEC_ii#C)RA3l!4k6~+z(;c5_USDAV)kBm#V+PZhAiz4nq)aM6S{wJlydCV|MOLF?^aLWjXO0@`Vs$p7g#L zVdmLP0D=vHAh8cEZ!xk4Cpz z5+J_cPyc*!`{`PkhH1NH`&|1BbJ3pVfTW6tvtNYLP~c0ZZHU;DPv7=1lfLZ;TdtQ0 zlT7C0l#(Pwo`$&JK%8OO=TAh1d%<(aH$d zeF5Rz7Ax6+^CP(^;KYC;)W8oDpTp@S0amShTc-DHtQ>(45SP!+;zGACZtF72-t5sWVYinz**lKH!-xF;6_P5{n z+t=Rz?d#fK4`edutmCtu=YH-RTzgdpW8~6hXFhDH)b3TK^wTAlzYLTuDT%HU@OJV2 z9Q#pTEJz|ac|KWZX2%rgAmL^AP#jcs8RgX>#}H)gj91uoN^3JZ>z>Q}p|)%W#sNWsPSx>zU&f}1a1zdt{nd^1oxM!&i;bZJx zoz3`2|Aqy}9jvB|IMLkCxfaJ9yjQadM+%F$NaF#lDH8>qT19lBTxWYP=%UBc^iC@m z$!%*57r(>IXu=J{`=}obUZOq`VBH3>=`R}oz*g(mhC2*fjHB3Wif)=}xoN?D9vVTS zE1Pv$1Ar#Dd<2!jOb%cZTq_XiZ~M+whu9SA8N+iCOhq6b1WFX>_|o_6-6-Q=;Q+)K zzu2@C%bO!~yfc_SM=UhUWD=Q0$7mdDPXP9G=SL|IfnDJStOcl=lsfKJ5}}`wO7ch; z&NBb#u%atbcp6Z2@JTolV%3!GS$k`6QHgyZ(xtF6HBY-Xm~3Saa8^E|Bu6*gdY!Y_ z`$Wqp5Z@q7aL4K-e1(!%uhNzUFo`5{bvloX$FYX`2*8s`a!G)56W8k1GA!0YNA$$OC#0|zd?(C^YM9UkI)Ixk)pB*VU@C<4r%cbaSdCU(i z?#i(^g=!$(xCoMpDzYvqZMXMY>XsL!8-7zwk4Ac@%F!Lo{88rw%X~UNvBB$zM!>O3 zBDvKC5ILy!O};^;(-0jaUsm#AWo`HqK1@9|kR0H-lW)o#Dt;N!HZF#`A$J4TSn)2( zy{nlV44znbrd`7a(a(UWBk)!bv5u!^i9nV#898$7XC@U4LXP>!wH1NkHYKB?A0lg= zx9w+bB!arjzmfkQsjpsU?lkphI4h7O>fQh>ZUa9F&;$CP(zA|*q7If1(|2~NJg<40 zWtsZitjBKeyE_M{RT`>MGbA?q8I)~WT)6u*-l+dTTHT#x>%$!^zT^f&r~=h7C%%T#Z6S6;K?=4Z@pjqz^wN5qu|6hlN{bErY` zHidBW-~-Yd56%k1#$~oJ97l%INlZnArh#pVr=v|qfoX^U{@S2Y zW0O~_-_1U2TViV z$|jbNw>FV&wh?Bkk#_*E$rh?g=bPAW@W=R6p*K+YAC+n;4}U0aCPbGTxUJN5r3k_` z@j9DE2xjtC_FqEqoNOE5rzNVCXmP4;9YA?PO`kFbbA-=Llt~5Z60rqzG|4Zfl@bqB zLfnJBI~)+|w~}$fWc%^XBtq(1kcEJy%Y^bcMOwU&Obrx1#n6}W;o|22=>&uOJ@%Jk z5ed%|5sytO2HZ~!kY7AO_yH{Pzd)FeDSX(hzra_%vwaDz?Z`eKh_18mD?s*Se{-8gLqWxyR7yZW#%BJ`ZwnHEzPWb(m?EIwMDk|DR zl|Dw1f2Ux#ANo7b_|Llm)ylumc#>ls;{#s$?)?|?^3Sh-9)&{x$HUs+?62?b7d-iS zf9>+A%eNQ1?U))c-W;y{pZ99N?oYgD$>=AI;vZj9*H6R^T| z6#svEbBwR5|4(oJ|8sBtuR!?C%M{!LPhaj9#Oxpw?7aneGz0zquaV`+6bT1VI}TnQ z|M!R?(z^Jt_OYJTvA83}VH2B5vGAAWOz~lG#h+MuwuH0lB76YziqX_Ewh6n4Mm&rn zo=|gyIF_Rj->eV}F~oMHL08op7ba!oA8hwye|p|}>eW8tZ@?0101<-m0C zVbrrs5V%c`R+yIygSds*19#qns1l*4ZVTzCg0vKl!&`t=K6?XhqEiVAOv^-rJE~x6 z$sESL!m@Z{N;g(x{uK8E$Z>(3p)jWNrz_J9YZnU@Iv5he}X)x_CfefowLf%xESZpTt)JQtvZffAz0`Y znTtW+dV(Km)4fhuT*@xTc~tl1(NO$8`{h5d|3pCMqL6i~y6ObyQ+I!z`)Q<)hBDfe+>9V=28Jp(r}R0iu1iN-<81 zLEHr{2PpShHm7sDJIFxy2he{X*C~WL(x$vq=m|`nI!(Dz4BaWm4L)I|7)i(J`dJG~ zRv>|nW)sXWlhte(w-Q(L*F9G-3a9%+OuMeH7YjcG`7Ag*Z}$?UVI^AQtOmBZ#Xdmf zKCfQnz-Q%Mn_h&n-2iwdTG*ntc{}<(_-c%I<_7?(I`^XxxP=%YzKznZ;HbJmc(5@8 z7GqR1gg3$p1|Vr8?#aidOvBx(lPDt6O;<~d+153yaPGIF;wtSWszGB(ymV#-tSF<{u)MO3+N5e`{B zt{uPa!G-TDMU(YgSSEjCoLRC-XJLVdnG(nY-*KCSBXcqlj&0nAV*!dQi3jI%F?^`x z$iCg2q>BN)b@r^zFk}frM*0VEj`(ok=*5`)pNA#6r0RQ&I68CFx04G=JkTIw-iE|YF#D+m&D18mG+3P;Yyuo#L&GHv+ zWPi%VfdaX_EI>0x#XJX?>H6+XEda4=r8LlwsZ-EsD2;HMOV{)!uIbQ~g+hl+$~rgg z)WL!hm$xIlSJQZPRyopi4Rl9^v=fOKJDF8J%ysowB+Ay`Js-#77oGD-EYv41P>vaE z^OA7RA&fCDa<j!=N5&R6_jUcWWt{zRhZ{a$; zfjq{~HrC?AtYZkz6%Mn<=(@^U+^_tL%#SO-z!BV6)GqD-9!n>h-_h#N2l?MOn~4CCTF$Khny@V2*&W4d^LxVRVQ@@CuHgaP zbp7)xp~~F_-+Fit^X|Erw`K}zX&N~Xe4^}E+$yfpA!B{-K+=;lv1{23+sh;#XOhqG z7Vl>5#USU5lFc~Ghhc^#8@IP%<|!Orw$1yFo@YumD7&jOO6-hwp2Zb_*>Ad0w}myA zF^rpDEql9y%ao;Rw81RLnaK$D;q-Q3FBF{F(2?nnT6AI{mo5yFU^rhLKKJz_oZ4~GZm&c zS#GrPlw%Yk9Z_uha80zv3rT8`Vg~brH&M_Qtt}?izSu6V?iEo9}sZaU%4PodxWd z9M9e5YnoO_U3A+YuER0jEdAB6>`UGiFjF)T4XCzj@*U6yU?%mx%5u&>oExDij5sWP zBqDdjg~)tIAIhE?OI|^^u2jdYuE>3zMCaHs;1h29+Y)hwVYZ5F z0M6)O6%{Al1=SBb0Vf_Oh3PMnLN414~Xv?bfR#%Z2u2Oo$#k->M&J~_FFr}4# zbqq$$;nYTbY#@nS-9Sa@ezUP=|;4M z%pl317{q;k1utWEBHMNNIR#l(WZ6kMA{2M*a(0J1u{hrC5p-0Va}&#DzT|wW?U5#i z2=6>h0H0Yr&ST@jC6tHL*gR5=)m$1C=jsQ85sq(;Bh$Qn0LkNpfsjfSvjTU=;Z$}p zQQ!Po-b>1?cm`mFiAM0_tW6v7bP+HLVR$qfw);hW&oJ|^UWNJ2mC^Z^=-B*}O0i`| zWvFVDcZ#D|kYOdG^iJWsG2?t-#EqOtr>2NEfm5w)1KC>tMhY=!`f`vn)Wg zp!yH>GehX-pxSfSmF@{n`GX|c0!c7`YV|^Waxg8p24K!C<--`(7rc%+oB#lE+RWyV zU~<5`ov1n3;(NPppezA5tgO@Be2sR(%^F(mDixJSo>Gqu*P8=(&dsX^6r%ecF^wCe zO25Sp8G&%el6{oBCV)Y_&Dol+`C6s#K&UvJK~7dU5twYH)LW8@>PJNZ{+t~F+I4v1 zYBhMcwsIq=B*TUPfQpU9WV_*oK>RsiV`|-9*I$7W<41YlrcQv`WDhn866RtWYq%I& zA3TZgExn6vfVp2>ceHr~IB>gj3veuK#o|Jej)RAs!Pv;x>Q4mXJFura^re$HnyWLd zP;v3{0z}1-Y`k4Mk5_@`4u^bk^I>@1!kZm#KH9XU;aSXSUk||Xcjn%d8n1$o)(NG$ zhsxWe%f+cw1anlyP3QCUw2I{2JO_h;qdTP=?GA;yzFJdze5%j1O?4^St(|*8OU| zMt8>fsvbfeQQUld&sc)v*!lE;%tH1O9VT?6BBUue0%w{NaaO^12*+_{?CypOkU!MD z(hHY7qJj-$RgP2W8KwAV-Ei<-w{9Wohvv=UuzGkBmOYUh^bDcZy@9~y%$sf z$ZvzK1bNk-72Xc9*rPPgY@W z51u4xk5?)yMjMC<7!o2iF)DTq9#pjJeMB1@myuv0*n31OR@@VBXa>PxRpf@#q+nzMahTGRuc>H8tJ3!g*31bO)#< zY@E;&Rwip@yV94D)YDE6jb(;7weCO;3+V3kD&7iTRFk%GNzCl zEp5fWD5!X&m+IK6rL&wRBvY8x{5`F+jfEcB0~=wsp^Z3-xCm|7@P9jv0g_^kf7AfTjANuZtVeYl+tFz(ZBHp9#5!k-{r%MA#mevTy2||&@A=3dRzLmNrP#qOre<+V zVHjQ9+D2mar(w##)3ZNvr-B`r%05Mf`^ZDaj9uLuPcc;n;oVXbl?D(TqwzB;qMDah zq}^_sDjly=>LOV&e;=O39X8&fMsx9OZ-8~hWz%?U&T@Qab>)$k1m|Xw$o8r}0)xS9 z91l9&%@x#X>wPkk)v_J{0BG5jcqr)dhzbSu4OxXx>)#E;N!&79m9S>fX$J3<0lViU zqhUp`UVdAJYx9qarNQpmSm0iRwweAK0<0@@M^!l*2CYlfW9Waeu>DiZfiE_AXl&ak zE(gn-a+BNG)Ak*XwAR)i1+jQKqU;FUQlFC|3sdy5Dj3jCoV-PRedJ{CI#Y>;8p527 zaqD@FowU_mpP?#SNucBkJ3;`qv=!}lXI7jV)Ioe1_B ziDbvB&jx0WB&DR&kUltn0d11@;SW<@rVfbvuzpntfv!NxA()j(2J*eQaw=JUQl+O@ zjWL8dser16XOFlLG+3QS$PodDKpb zfY0-n7Gjq}8@#%sSf#M1Bge-9Ok)r}>U|2^ol4;{OzpO^>}R=g^b3s?(dQ&15}&?8 zA$>vXtJeVD|2EY>-%WSKdb8Q6g{|nUEVOf{z6@e2C3eyS2Uib;xhDhuhTAYi9_B*w z?mSALH3!iq=OAGi3?1=IZjftn2VA4u?Eaj#19+oZO-;8>-~F95oYHcu+_-Jz$xiy8 z1BH7fj~Km<<%B=nV=Mq)gdD_1p1ovz5ln1|ZsMU-LUSMbJ=c0f$%fECUF8r9lA<$d z{E4|688HXqymrn+J*rsP0OSd_Z(p-u=TIv-UoHw!7R z-t4Te4dlkIp2YVpT**{w)`u}Ks@M!@aX+2Z8~b_H)enbc!PG5%fN7B>ID{*OqAFD< z6TY-kPZ>3f2n^NLdZ=Jd{asLVj%5tUfk+7eKOSw~j9o{*7RLtg-wC0WEr7MtLW)5o zI~k`hb)MPhK4{%;=%t?xH>aH&j#Qy+deQd$SfIS zZZRFjjt8C13ThA=uDj}-;a*RRX?ggtRMrqwSO`)1=jB~~IM&!k$pxi>-hNb23X^ z-ey7SxEf}-KZwBIA?>9HyTxg_A--1Y_qjvjIcb}r#ThE zP(k{kLFQL+SLmEwg|~s=s%)s3i0rh#V;^d{e`&3HjVfiOw<`0vY($vOi9=Ls=5*%e z0Lth(>JK){$7GE?3uh{GtC%3&kQqu?(5y$~YQEe429h2Ew*=pZ;#Uu%n4OtqS=}64 zN62X`vyZ1-j}+ui&ZQ2jF=N5&!+jLW-3t8&Q4aY1wLT}T(uLVd)E6G0225|E)Ge!nVqY1ap;xW?Wx zF|Hn5MNI3*?k625UubRUxMj9_QT+CgoH^#0b+=BKJ8a!Qo8G;3>mt<)`!1eUzI0U4 zr}O@Eu0B@tM^%C1!PHMP#JM52TCA@f-+xwg+`kwYaJYB>xm`MJeGr&nQO2H2cx#8k zsXQ4m_qentX62F&XXEz;C6ax!`zF4d`u*9U3wMkACcKjndcH$U@9!7M@An@-D=!b5 zn`^&1;mzFS8^@bYCx1FG78EciWaOpX-Z(eU@%4*u=5@Pw)URLagL6IJ3w`*}i2?Il?bQg-KF~lj5g@xQO{ce_fF6^9wza@A|b;;?d3Ue(H;Lcy2e`{EM zeu3xHrUeBHC)iYi{#voKONVtQ@>9N90f2YwYy}wG*d43= z=l0xHH$^*c_wGk?to9e@2aI2Ep!5WJ3(7!>-*LRI*YB@B(q@F+Nthe7@1*JD2?s8f zt}8#BSwFPmwQo-i9ewQaqsU2#RL5(R7PEskR?gEcxHk5T`S8b8=WJhIn|vX&JO!{!sv`@}pef-UaWPQysu3&S`msI`m>0j?XJ$%N!+(*M* z2QK-Kc-r%J@(AY-m&SY&`s3;gIa1uPRRL1uJgy~Lx3GRht@_TFXFGi`_`o~0*89^` zS$@YaZke^+_G9#H91wqHwo)_p)7V#ZABD~#mRDou(sNF2p8I{8%A3zlpA$&i_({lO z`)S3J4zC?JbT(R@7avyN)-tH6emXbp=In^l=Y`_Ps*jrb>1$QR3k?dXc-YDoXK_Qz z`lk$w2Jd+O)}qdbzPhz|O&K+6i99_yc4_scv7b##z7=scYWnBTfA-Aa-EWOr_TZ)yn!l+v}LAdq*)o}V>V@+MT z)W68iq9*uw&IVRhmr(GT<()9O#7C5vUopO7;ZjQ~W;%^A3L=jiB1khtr=? zbp3O{R`5M{?8)ibQ|FIE!gloR8KMAuas=PA=N|Y^RHC39IF2J#RL`EcL(nML3DG1I zz;KnQC#0hJFi174(Wl$MWBeD?RVc{n!V_sCFbv~m^`hd z>PdMWr!))wOcxex08+2{a26ET|Mi9cYoYY#lKOH1?ZLNrCH9ebDSVu0ezc0kQGb!a zL4nNi=N2jdQ6LejzYa$HMTON)1NWbMp`hyg2L4%4ezP(R5N=RTp!^YnL-Qtl>>sD5Ix1cJu{8wF+xjXd$b~bJ z7st_-5V#pWj=3=B2XIvw)hFZtTs#uTDSL)se-cCzP#6`VoL5doASdNdRpCTsOdt*k zIRF<5lqU#>_$9KCOGnhiA6>wcRNlztc&##HA6`q|M~K>w2nA6{>Q&U63PP9)iU{#b z%P^Qv0AU_((fLyYNflj+U`SEI;@ltLwQ42)C|!->d=EJ8`@NLu*X6$2`ba}ZJuX|L1_iEgQn2f*b_|H-0 z!vKr1ixne_C&CwWr2^X{I+gqOKY&^@;~*t6(-vjVUnmYPRb&6C^%LNBa4qodFl3&2WB+l8+7>8d6dA4h{ zkWG^p;uEjfY%TExeNu zxS)g6pwpF)ASo(PIst!jln->_)6=>Fe$LJ}(B}RS8j3x?>Ezs|2i7n=iQUDDb#dfrc?5EQUjKmZ&X;j%Ts%suX{M&OU9?uf z?d zS0^te&VE@2poSnHp`?Z=LKl9sGt-g!Cw<*v7euUWBnw_32PN5_KURqB;wzY!q4_7t zwWuhV4TP*Zs0C_^;7tD!Iot5-Y?QstH$c^p=b(U#xHiiE1W+*KE<#=D84@L4z$v$F z&!LoYT@aqYnUzvP`C>?(&&D?zhe{T4I41A0+TlI1UBr+XjFN2~kPOnMvVf%q=QV1V z%@5wa<|*?KdAA=bstFzX0|eB#v@VS9I`4UHOjosS5IvP%$5vAA<0> zslFSW48jrnHvtS4 z*b)NFGIq}Y@gQi4jbtgW1ww>F`Bsn}ZYAs^(T3dT0C{dHCYEo=$u%t##g|aw_36D( zX$7+X3rS8*ErH5|OrGl#YbTiviP&ii-b$L-nUM5@IJGTK=6{2d;0rW_BdnuIe);5Gp|Fe zuxSoB0`q?(J6d0$MgfdMTde|`mDVl5r}qMQ2<*@L6$0nJb$(?Nv}ilY^#!vq(L zE7;t2q=lK%bW!n=?JfOof-OFnM5!4$2Q)v8t;S(w5YXH)cLJqhk8kfBeo!IrMOi9J zOh($~0MK*3;p~T}15`r$yNVxhes6XmpFHzwNrJSRPsuy&E4CbDJL(yScK?Ku_AcTd zafhWY1V0*w+>zO*pqW<-#*}m7L{wW2CPA$Ujf+9YW;@h@$~I)06r>-m$~&xZj~3(5 z(reKEr(fwW7b`>=>AR|+f4mI!pF5HdmGugsgVNq+2wszoq?Jw;FuGj~wR8=(KV-eT z4H;qf-x%)(eOE>g{2+6@i`zjHXEY!I-gI4XaRVK#D$~ya*|Ji0@SU`ifOm_Gg={7E zLt7_ql>W^i7{0n8HjBAWlrH~5wGR)GF8GmbLGV77g(p0CR~86n)`zcZ(|2YikpMV#u96r*1pKkei*eGa2%iIyXC=+Z3a6u_bk*F zOKDPih`rDkfK6##03pG**OT0RuszZ%unbm}9!Bx!XYV9T-O4sGtjk%1h zq!3+|_y}?G)Ko=Pe>CI-s_5)zY|^I?^G3!Y1^> z6BahGu8ZwqJE(-=1IX~kFXUL%_VvN4#&56*RUEu(&q0k}+vAX{4{E$irI`i>LARTt zZVYlIAi3Nh*=^sdZ>hX7q_^X%z}B&xPCq!1JZ$w9^Hr*KB)f#))eh~Vo-1>Zyi0^j z0FJVbsC9)861TuM;nG^poOLEzIMf+F?~>_bS_gaon{?A4g)#z2&K z@JC1vsk|lwcqGdZ!{nU9FzSi(ha$FA_zYdiJ*B^?)gC6KkKoVp+MVF*b-oN6djeo% zhxWM$IR`mc(-Cqux;X_tdL!pZIzl@ykc@N|(h*q$6qauT!Rc`lu5TU^?5X) z+?uImwemrfxt!J7A1l<$RBR+*3I#vd`vFqds9^VHq?GKU+W-0+DDmcQXOoq-4_BbB z@@H856|pb57h1AI)FT7g1<+gIOr4vo;GBiWAuq`}L|qr0HVraIu=%`wCUUPKAA{8P zm{@ih#?w;~+Y8S{W3+by-7o0h(9u0CtMpO?(GCd>MM;id5lTA$ug6wPR9LzdCOq0| zIv$>u0CYIgNMz$$Eh%A;iO%<6~7sW2n{}2VHlg2M^K86X=npcA%xe`Rj-$%A-C~=4tiC-a?73FzQ z&Js)(uvQVa;2q4C(m4AWMH6S>g6(Ia49F;RfaNktuT&U11(@ytBbI_>qZE3Ji6!G6 zD_{z>d1tn5epdm(tf|wG2>G6e6(~hkVv~c@s{+UeViH9pX`P&mZQo=bu}!tVrZ}0; zMcI!+Ki0k!OQw3B!ekZ^^2TET2`(Crhjc+=8{#gz?{UA%T`*ZGKEh-eD+0j;ydq5c zrgXJK!i-zh@}6P1+T6kxTGj_LE$qpmTqkKHZ!N5>dEZ{C&|Hq?dQ?K-g?xdeMVY8| zJX0Bp${f9keVd;+-d}%6O~&HK`5+%|$q8?&=Xl^8VRBUZrcn6^&^Lkf{0E^-f5P2^ z{K2|3VS4j8wyP~q{u1#k)8o+Wx;7OsFf7b(9B29m4?(;G2k7}#)UlC$<*lzvM9h@2+|c{OSNY?`MV zfH8C;+YbtCfM+~LUCTS?LZxzot11xJxAixWJ(f}43?$Ym(6`#R zjEy#S4#{!O)@KLFDRkYpP z#%XT=eTLjK(7J)mk|To}+N7x5+0g6XmZP!z6*X3|iTrSOqz6(>FX2XCt1FXNBev{j z+)i^oBVB`%>xQfv)470_&FG`0ZSq8x^pYO$ID1!Z^P8@Lj246oB(q_Ilv#JEyN2b z&xA?L=0;>#F1ih5K674Wz3bjh_@<)Ol6px5iP&2NFUS^V*ua2E3&_05d1TBozp8Xv z^#++Ovh<@!-Vd$5$X=oTC7I=|3iSdltIey&)#KAQPDZ5t*nj(V=L4=+_EnO_{LDbdK41_>`oT0S+d{8+ z;qiZfolwd1vAPxNFI4U_`2q57XL-2|hW7+VjbD`)>7!t!NWOv7W)_~hWby1ko*qb= z#LMzRzua}aUiX7>KKrp)j~x%yp65~h6zOOncr_h_%RaF061w(M+}<`))yR z1u5s9%~qYA4djiw(tpBmJ5{u!U?!OUrn7GMaejU+@E)Jlzx|vaoadQ8cH& zBFBZ!&!QW0ufw{0;)X>i-#^Q)yto!sQgt@8Mcb-oCdK5vX3_gao8F4nejTf`YVTV0 zM?%T9mPSWDGCZ(~sWB~(JID+Z3`H?6Sn+gZO&$PfTd}}8#M_!5tZQdKW;|gRPJIN{_f((JFNC1m+FqRRMN^ZC7Hb+d^lylQt48X|^vr4XC!?1EBj={2AN5b$Q-6WErmET?P5Tv)s~M zKiMf{sXt5r^VXinLhM(k;bYUjRqrz9->7_=(ui3S@cnf3&Ja?8c6DO)Y&JgY8Zv&3 zB{B?jS=gk)@pWU3({Wd7C_fHART97^rzBW9=*&m8-y{*&%z99I2MAgkFhpXsQrl$R zyEfOK%`g?D%BR(Wr)?Ja9i*OgUg<1F^$WCx9s%$CG`q`k*g`!9%C?ahkAvvy5*lcY z7iSe=FpeLtO_`~S`E6S@MX#(;{$7k!MP@%!r0C?<_sATre%2Jy4#H$6_F(^LI81eM zhRAOP3$HjU39P+cy-Z--pVW0a=y$9KF}E&Yd9eWD`PD;R%lxZ{l4YFP)!={rhW#93 zvN+ttJw=<`p=2}jNl>~8nYWRcmbYa9{oj#~BK1ol1@WllA$L^$yb+tJ@Zun>=7ac- zmm*6)!r%lL%t>u7M-Qwv2k|4biRBemJvylID>A_LjO4DLYc^T>2GoDsk|+;HmNNt_ zqRLa%o%uA^S)eK>czP~k2j2`umg#RP@xAix+C!09Tm5iv*0_2pJ&!9VCz0%0?#$|k zEJJx?GCj+^4H`-jVlTD){>5-QS&UInpMY|XDL3tJa-ykAhw5>-+(O+PU^qlutz>td zlhaxsLNdWtUJGkf?@L9Mz=R(yVdAKZXzeYRqdFA~9utuFAj?Y{(zlK?bPI-|u8we8 zJ*J7RQ(1?_Gm7&ZnK`>X#lRpb*5SxW+$LHDTO)eOQcO?U>OL1*(T>Ox0B%X z83@Lt>OrPcOl2m2%X1KobD+&9Q04pH>1cv>I8zQQ8u4cqnN7cC%WVpInxFlc!uwSI zNAd%Oce3-cep4W=V;?z=D!87NZZ_W3D+Irh*_nOfT+Bx>l=34<8@$r1Kwrcr?rh*z z7T#yadcYg8lpd_UO#pCKXo(3sram~Hy~^)otA<}iKzGh|huMF#6Zll~ATi^eJYaK} zRSIsD^SP6nzqWT*I41)_>X13fIfd0$PJ%L@oco5}PY0`jDw?-njcNLf=Ea$$=_VU4 zKOZ31M5C@t!`2_PpI4%;m+q~%r(eT->Gf4DRyg|?B=0Z-alPqv!O;sdTch>Uq5&QW z#*=G^zgbdu2=MNZ%A^j`UHz2s!rIIi*l|)R*9CI4cV1!RU4xK5qN^p(LKU_IuuG(C zV8y*`T_iq(=+N}547gOd-maY}^W8%pR9VVAP0$JL9m4bsFl|tqjt3}5c};zSKx--9 zhpGiX&iU))Y3EHU3eXxj%HE2dpTh_;IFK*mD-GWVIv?c$f6>KIFV@AS&vbZ+E?WHD zX>fGsCNaOOoJlZBegy00Z8lPsPuuKrc?eF_dD$fJs7li^bA=D6DdNslbBwwZEEvH- zH67`CvVqJD0SVSq?g}wNDIBsCn9d&|!-PYZc>4feI3V!s09Ky`c_$Zi#g4myg`eU* zGUrDxfq7v$f7ddCbv|cIU>5^b6`l(Gtso`x`QD?#H1jxTH%39uG_g6FAA)&Rg2hmal1&Be-;yqK>Xk$o+`r@p@omc0YimlxgJo{0rK>F=US3L)Q04N!p76(kWA* zm5;NO(FRW#ujgHCPd*CCcZQLfK#pr$X!+V;C=B4u>fI_Kk^3sm=D368%l>mtBj(2d zBxzntCcW3!vlB|D<-CrvUxDSf;YKj&OF8m@P3A|G{U+{3Y@Ux{7RZ{5j(wKWIc=Am zk74QjSB#nFx=}97j&_Y1MY}f~yl|8^FysTHOg`K!{ul>?(;= z3DXJ)OpPj38)o*DAXu=rJ|I&}tGiPn)D?K2>-|8=_&b+LPSd5v9H3S?4}@4u&CABgQU*4;MncK3qoowx@8&w~wg}3Z zGu1a^_C&fN%A!!K3kZ(H$^Jqj&*y#s?WPl~L@fS6QZyIcmL{pQ9tC8!0d6))`%*Bx zOC|Ju_N-<+EcPwcS=#jh;E4hdcCJv0KC_1FC#uplSbIB2drU<}3ZZlaT}vW_5IREd zgvI{N2bLsaPYA4Q(*MqYIa9ZajR3>5u|YS06{P8=nH`NX+gth=L=`&e4R-?APNt`W zKx|HXGzgp+eGRV?Hp40tZ0-PrCV5VjvJR+FWRRC|AL@r%iqIPELC&!mk!c^|eQs<89r=`zH zq;nS+DXXw^JJ@smk#=qXlwg*0+HyHiKB$tey9axEs$ilP-xck#A(esBzu1fHFpmRU zb|h&#sn{<3V*OjH^h;=U3tPoOdxv;JN*Mb)DXg+0Ai8_1<}-F2IB>b*bUKtbS|*XQ zdzP9JzyZRJsDgOPbDUb#-GI0o5Ql_RT&=5r9{C z@g}~)(k-v4Feet-4%jd z0kqA}ef*>oxOW7#v&p0|!S72Di_y{ne5k#j9{_6kX=ZD?FP2@?G7}Biw9)ZXUy@rn zh#|pZE!JGlC2^I5TsJAvh`fWPZB(u;g(RmrOr^o<7Fw`Ta@ud>l90KRR?Y!H>m*oN z?TUi7c2H7TYyr%opiBOIsvB07Q-QanpzZ*g=QyA=SPazJyx-!aKEh{~Z-U8Wc?njJ zjlC01cCUU~7-vfY0yIZ3XRaJ-EV?ux+fAw(Pg4eFbDU;EBGEOzL1u}73hly`HlCn6 z<|wgPg;v+mT|8@1<9#|VeLXl6**5W61g4JU=FD6L@cq=EcOMlta2?r{qGP59wEnqh zvuLW1tY>UZIU$&Qs2gbdgmxBCsU&ViIufTwS?QFO%6~sSAwhm0xqm8~ zrA>qctf{x5ZB#vlxZ(P)Iygxl4oQs51@Lz-y{+X!?5_toDa(mq=Gh2s-yq`kuGG(u zYRDuJ-Z6&LJht2Wg?NjcNo+UMk|?%2yX~aAt{KE8sUY7%wJW|_zZd@2(-3%^nugfk z!hW>QYS7PO?L~|b%WB0)R)}OH*n{j8lgiMXPP9UV{s6GFqPlW83Lj&+2stdYZm2Mt zohQv{yO-sljY({-`CZnUUJmgh6VkI&;k{3JhCm^iTP+!SwhZGnP)&V=jmni_nx385 z+t$z6Y|B@+$0?5FU~PX@&E@pXjQ)UZIu~g1=YUsDl1&ut=*w^~xF3=i<D{l$FskST7|POyogqzz1x-TF7?|vgO&9rju^F0meA}bQw-DiD;pyz#mTtcrINQ0 z`#c$=*=L4q!sA?syu|d5BLTzrV=2ZtvDu_e2_q@;<4AF^J$H!Zuuznuepk5=rAP@^ezjLA@M}P*-??BL29mF=9*At2Ux{s@u*J?7KS$N6 zL+0Z}{SdxMHj9ObOR+zTWSf!aJ z1uWgfIxAf%!S-d!x@SmTl|@xQ^87Q6BiKXulgBovXSru!t zKZPxq0){x1lz~f2i9|`BYJ~taSEkvMzugJ#?h|`0qQk&t3RHyBO8ZsC{H{nYQh44# zHmm6yh8@I?Je22WHG9gD$Aj33AUU)v)Ayrw9-+~4GE;v~1u^qEvK7-|U{G--knqKo z=%0b#L#K=JK0YH)Ij(?mk5V7UDEuDGHrE~rGiZo!fO{|={Spx^gnaXm zo?YmfJp8B@ZA(Y&g{$|Ja2`F@W5S+6`1eY*Ed%{ri#%fyH*kNY($fb?uZjy5d#cgz zl{l{w!!ihDZalFl?;XS?Gx2J4N1Lc&&PFf`Vwm0$+9LtqR%i=#jLe(bqQD#K(BKs9 z=?Kd%E$(AT)iRGmaYsY%2*Y%qq;O^?Ak4>EW+jouXLWJ_Ww{Zf85pDAtAT=lK~6xe zSD92@0mSiY)yH^gFgWn!@lkkY)^t70ck>XtOjxc?nk#^349Sq7fww^o6yZHcbexT{ zE!02KlY(cy$9PM6dXn@Njskm{Or^%8mU8uAijKz=TKh(J| zlacAo3Z_1SuT4LWfOHBRy!u5E^kPj10wK3rl$}W?0|Dq`@dG5EO>PwUYhZkjB4n5e z^62b&pCjR{?s>zUXmJu!*Xb(z2+K7K^y-P7B_|-^)IW#uKLdB+#S)6FKfm(OgG9&wSjhX8MQYCSZgHwG7u=3S%gl z%62Q-B;E!lDuw)fANLZdCg}(DP_4WXxXs8Wc=5NPp43}e_dH>jP?K{I}>WGLx(sJ4%U#pQt;zabGB9yhZDyw!Vr%FTGVqm&AVDV4CZsP(HBOxkoAKhHoPit z12QcqT!m$nb!U^?56{%SW(M3y7O0uzq3c6PY19%ds+u)XYXK2Ul6Wr{FsVW4>Oh}i`|rs*P3$qEQ6kqMKblj z*n9V|sH**cd@YzIvtagyJ+Ow^1ACl3FatBfmKm54Mj4$^P*Bi8!8c}XoyEiE%E%S)P6lvY+Av(x2hQJGm;T3Kmj-}hj8JfCyE-{i^3lc6;#aBS!Ywef=85N#FgL(jBfX_vLx0@L(3 z9qClFmkb5A{jabx?GE9Bz`}~lIRf}{fkCu07u8H9^Kxd|Jgq5EV<1o#2=dbEImM`a zedr~kqN7ic?T29I)+y($z5D1vU@pC-p+{;eMN{M7si|f>XA;NZnXIyAB4-ubU;wVE z=B(wr!i+uCt{9$|vP zxG$d0_j$}6GuuwMKd|^Rjn`n2jeIGB0cS&<@fii9y9W7U8pn{4&Qx^kgY zZZ19QOoKE_LzDew3*L5m17r%ksPM}OdrJfVjv5V5Un;aYg@|D(<#{oJ!)w!+SELG$ z(Pnvz+)3!-D9G=Gy|LCqzuL!f+K;I?QM*?o^tHxO-#E)mX6HVES>r~>B=3@F`CbsK z-Uo#YiTnWGffDR%)otteR!a8Lp1vr-JK(b!fNi>q`H3_0X43q^ZdkTAI(1v?5p>Frw&mXDu9e|SsP zJ_I(_ZD(`$^It`~mdnd<17^5~aDy&|j>G7FP!+g9jKj`E1TMg0-+nxrPN*p>NSR%4 zJbNF0l^yWt!e@`dmCWjq!bPip9;!(Z#QX)wITV$C!7@r!V4I;`sFp|OgVM}J_Cy5_ zYBPLwl>canxwnf2ygy*aekO}QyB|XG#+n8AT<&okt^Gu8+icZSt&eM4hWB8rRL)Mr zW8|Q~LG64^;3jo}=Lwz(BV9p@3GKPOz!R^gzPbiQo1t8D`hHfXc6OE$xtAa*{lk6V zn`PRtkWP^MG12n;yn5eOB%94jXrfsr+WO<#AXNqA8v~ znE9LzKV-8AZ+GFLbRJ<;{0kU<+DKZRy1`&1}s{`|q(ZUy}8IAuz_r#{SAC-tmO zcfN+@&pjz<&YuxdfZ1E8vUR>NJgD_YVWxpmo7M+@+bF7AC(QR#Qk0`Y? zFpNvA-bYs$KI=p|V?1wNtZjRqEXLigJ3Wx79|skA{~5N!GbxO{>9?W4OhFVo6;F%= zXoKfr6j;V=_9K*D58My%E9XMutPjH%*-NPLOvw3d z!Vq1z1ddlGPMo_8j}K- z$QIzX4OjcW3?s?*Zv{aA1lqjGNKs?=?@m|W+O=S4_^_PH%2wq zaz^I&k4H5cc%{dTmq!Eh$_NlMBJhXaY7!t^qH|}I<5w=xcr?z|M{a3;8B5|zK_}Z1h{P`TQ-2y(QEFX0GC4B{#hGs_+j;Awee5X_DVWx_Oe-5Sc##EB#e9oumx5 zw6Vd}T9XACKUlBy;cK$%9%03ziw&sh1tL9=>8mNmR&L6wt+oV6800t)MwqQJthQz( z>+HWjOflh_a;AV`Xl-(+J@G2{b6tmikT>7gP4OUbG^6K@KzFd%PpAveBj@;VmStBc zJr~$0uJ-wAHS$C$3ziblO+6HvF=#6m1kQS(V$A((l1Uzvlfhx>n+`Ba_eAnIWHjWf z%@<=YP}(CHCg>aNRPVcNzBg8JAm4c=%1^rm&UY4YPH!ao-Z0iB80U1M)xK8&43veO zGebc|@zQL2TDEmWEG;qqgSYmGvTe4%;};e~A-RxaW&J*v9ZfOvae=-iHAv`YIpNa@ zJq$5|kjtMMC}^e?pshc)>V*Lg7leV{M#5IPA3CXU(M_&R$4Ko$egywzg9*leyI1MKKyTmn3-}`11+L322a$Ze#)LAo`Y?kubw}n&D z{!w(Z)B*;8pjZ???G>~?oa>aoh$vq%`)65s`|qf;EHhe^-EUEI21s;F z7O~kI?M*`#yX$E)Xhf&v`U?S{Ul={~pyZ}~v~Q{d;{(_0wE(_bEDvq?s^)(Cai_7b zm-cl25D(!8d(TKA&pLut>=&m<=0rKc-HHrf!P=9qE(Zf6nE3tX8Fa7m z_YS_FPEP<_cikRAJY6JA*A*QSjMaJhH<0TA!QN&J3@m}L;`5eevI=UFu@u72bY;#s z`)adYFVyWp5r(q~hA+IQCITbnk{)zs zhnx3Cmvlnb{N(%+==N|oAh@5eLZip@Q{KZylbT*1_8#`-mM$tdNHf}|1U5VShqaXh zOlAajmP8n@PrP1|W1^$YCnhKwyP-rWhQv;H>yjw*)$}hHA&`17-~2 z3ui!Wd}6rmh%!o39!kZZTw$;}aG#ub@eRi(hlfH)%I8MkdLPC17;5OD<&LKBaPNu3 zoBfYsoFw(O#50ThsGJUZP*ng&ult-Cp^p`q@~KpJITY@#MEo0kC=@Iez#?D;Z_zlF zF#9BfW4LlNEIo`4Do8f`R!NU;3KYZ}w2>_1+E!sC^a6V;#n^%{!z_vQQZ|Nd>y6S( z>0Z;c+DR3ez(fGn&5khkWY}G-8(?l-#UV0B2=abMArDkyLvpou^EpCXjsJSgEs{iP zYU+$>RZ}NbIPNewobY9)9?pM1qg}`lt{eLI?n2D0bu$0`I_=_~w=VPFz0mD~ z2vIWh+f<=vzMB+%_p{#K9+GOjy*)%>xg!~Scj1JHEO&N<$P4Y_k9W=kR>MDc-;$cW zeMuMWx~)BVOCk669`{{){`H(Lrv4?S+mGzNQ{e9Qf`V6c`_^x%@rFw1R+&2gt!zW( z(Eg5YpK|*a{`qeH<4L#6(G@!X_PMv8`M-JYt@;7)_4fHdd#Pxz7Jt$6Gw1XKQFbwi37B?9)1;{?mwVW9 znB@`0eE?}3uIy~Q9P6CVBb74?FLw_|>a2{+e1_CHSzRFP<&r*Mbv9Qi?aIy{`C{RFqu1?JXi$}+fmmV@+izkyU)8DuMF3LNC@lAS*lsk0r~ zcql9z)Q(Jd;m9y`X0}r<1`S&vpmqWZ6U=*ucss#fS4K%CMlPcBD#&&e>vD=i7cFZJ zQ@b1)vd0V8c4rLpV3j+wxHH^>+lAxt4DekK-ThPHYKJ=$U+_+cD`mJ#-U-PmE6O|Y z2*qE90b^<^UM8ifoS6g+ca*Kb`D!?dhXP^<-d5fbFZ_0QDdbe@oQzEQBY2{zu)!g7 za4eKdc9t{0AWW5+RW=^0Gqaq2>;elino88DbLR z5>1lH7}wEcijz%dQ<5n;&SJ8fQcS5aHj_Q3lOATYCdJg*lwoq1oQat+Stgg>ZR(Pk zZOSouOkGXgOt~hnzI$8`lh5Qg^)&U;=UE?IwdJlsGpuUttycI*qV7A5^`nL@#QOL` zI09PXfBTXDW8*Zj3Ph%6JGHaaSjDH}n4X!McB8-rwE|S4n&F zukyuP!jK6s#PHvVFcgPpz|Te%d|DscG%NH8BkPSdp(nmW|E~_t>UHax*M#XdhFP~i z0MGo{YB=Wq;wJv%Bd@{io_*(;5kU4s;UP_jNDu(fz>f-kLSg{XoEk{ZxBi9w z^&3j${xG)a?pmi;$NaTZufBbFs7(HSD;!pTr_!mgIzzZs;qF2Da1+KVO{nH!?HW^9 zTn7^bYvE%DQciu3Oc<~#joDdf5bVyv z1Hw!o$dHY@-Gh6;8Hp$ZN)#@H7Gn4hK$zLc`rJeRT52V*KD||Hd%|^F!mZzKgi_lG z|3U5i_q+Vx-1~nlwax2P?ALAh&UksMA#BDKs8{U-?~pUj%&O^CGp7GjDc*z)iGXZ1 zO|GaIOZ6bb3vN9z)l+JxSA-mUOdu55L*TV%u%jS@&&nh~B>lHI*d=M`F4b`h=jGqkFJ|jS%pZggI0ATLZ zAIyC~LGCVdAK|@QVgz>#ehA+UE_utkzzk0olKmG;`5Iy zI78ywsm?_7jl(xUIvL2#MHTY<#o3|1kI)1DU#tN zg}7|{gll9Y9))`Y#IORScSINb0Tkx@feXRzb95}c4+#lXqjPf#*C27Ou)X*v@H@~e zz#l@s$>|I0c*fNa7xk+SNCzx*G5{_&^#sY>l&>L)J(=#n*=E&2r|0^)?8iJa{T&nlF(*~YY$bV5u@I8%Q5J} zMsBQX(j=Hqiilfrc};!}3V9r7TC>#^9TJtlWJh++l|5knSGTx&yOe@;RnhEK&Qh}n zGIf6!v|Kd`)MY8pBd!mAf%Ga&MAcWCzlYc5``Yy=nr+caJ@Jf1eguWo3xRdOQXC2F zV|obbkD9SL=S%Xu7@hv`-Xsd%X4r8Z+*pmYs~~y0qL}u`f|zDIwP_n&-?W!g@VlfB zN~4pMsZ>g8x3A;M(`Q#!5!!;*IO9l&LqA_r6KMFk>R4R>m=?anR3{{3kroNH@^`E+ z&8^);qYnu}KFI~Zlq^*9W21KdA|@Qz4(HDhw|O1#SC(}!WlH1+5KSEtF6j$&PDd;G!X5Tp9u~v_af3P zt_Jo$amukW;W~Pb;=*}|j4FH-vx59x;7SWPS(IkD9u;D*E14a3w_LD+`*49f2Kf{a z8oIg)XNBYh4A-et1kYU6?j%6-09d%7)$V*WV&^w*EfVLm9K%XpOcfV-Dp4*ahU(+N zzET1OxdJLzQ{FicVSU~aoG%`cit#(puL!-MB6Y`Z;&6Pudn@?@N?bLmmMCN_wAqKS zo36}@s4?LxtZ+{$kf>fMP9&dV7_^-|k=>z&fNmlFQE*^2Sxu5izpA$_MkiqIx_~Qj zG0{j>q>ETeqn*Hc9E1v%i4T!F+#TH0FLKdRmG>g#toi+*?~P|-AJnX(AFikt@ zx`TS}&9e=l_Svp55QwScI9Uw_J3!N;BZb)3QeAU26vUv2lTW#IVK|QZwM~)Q#W8q} z8%X8%k@L9W!d#qTIa*MI^_L1;ZbGk{=Bo$t8&2|{RvDk+d@`1CFTk9UEX@MwGwd2l zb~rj2exTQu`CdedIh-2qi2+CDoPD^KBzXYTuFp@52pY6L0SMjPLVTSLv1dnW%^Jw5 zpbGCaOe|<9uNI&SC;h;UP><**&|xTvk@RIb5B0PTi6lP2vg){}-0KlOi@o?~+HdHy zfjG3>P^0Ew9Pyy!+T7thcQeQ(K;E zu(FiUvDRWW>4QJQUfKnl@;4)_<4>ryzsKPxIN_WPSW;6NjAJ3KeCJyN2$d$7|DiTc zP(yCFq1fLX$E^X3^@%ugihc*a$LGwRNK0?#U>C_+k4BKM`-tNg+jIUW!Ot7{E5ghp z<8arC9e7YnPrA@4VLHTFr2}#h7yx#p*=*h zCYfMYzzDhCGdk)aw2ae3h1hdC-04BUB`&oUm3{=8t%1?QAqhd#K|H4EIZs}A)l@*&`yxa? zKCbk^uB2j5I7xR7K%+M!(uw^@%20}83Ac7&wICd-wuO_g6kmR!1}vWX@E%i95}L~qhABjPJrRb??#`M0tHI+f(-BkZ8y%j z0!e$^ClDy1Um(3K#-V?A0yTUDoenE;z~N-eWhB3H1_D4}z7_SZ3rZ zl^BG_vlwmy{7gc9j59e}4)EQM-VvC@+a9(J;s&FEe7881#yYyJ#ERg!Nfp+iQT2@{Yo(6nT+^kXn0@UjZCTWX4TTbtO8FTY^J`IJ z8Xbxy^Jf$nae`%t6q9ZhwAO&SIDpur(ozytxg3GbD*Ff3JGUbi%XUz0<$B~bAyQtn zxPF_|Eo9C9VL$e+co`e>mO*uMRg%2YL3B(ppkBsFL)Mxush2-QNZV= zT30n~**qSDUyQ?1q6TYiT`wa)SmRsD3u5q(DlgwZ#(qw1Zs6oW=6a3)nP{C+V|Z2T zdUMsBiYk1+rOv&NL1d_YqIRpgeiy6aFI$Q}!DXcbajVc7n*BwzVc0Ig!qad0AJk%B z=uSNQRQx%s<9b~d5xg@f7Ww%U<_6eCr+N)Yng(Lg?|U*4)5B{wZ;52HAlOFA#2w(z zE{f6+u&bRWW`dN<4;)_}DX$XyU?t}PXgw0~Ij>;%2LK(nmKgAHz^2$=k0kwTB1V=1 z45lwnSd0-qt-tnLMB9gk>^`5n5KTYTh)2gpga_|DLe0i{03Pr z>UaKw>E~@_Vz5K)JPek~^}B=^F@WzWSc_AehQjDs`z@J@-xN)Cnnq8v8jr>RjibSN zPdg1L=Kx+uh68YoS`J$a;Eww>AsIF)AO7gl`yv<}PZ+j&zIE5&-xAcP7G z$2uK&rC^8liblDl;o|w2$oBbG+kEm(%M^D3V(VCZOAXvkI?gvfDm9%-KX_?y<7pU* zx*E1|<~L%ClKF=@WgX(;(;aLcNaN2zc_;8c@F|EXC@3HeCUPIkIRO~ zdGlsDm@RPHGK2M1`9g+MousvM_O>VxvzJj@7np)_Q=}}e!q}>zJq4cj5O}iH{HX@) zAfmZps01L>E+`%tciDUV-_^d=!WUS!&4M{|?Vv)^BF0x2oH##uBd%1hbR?`=r-@9g<>H#|lkSBoHM2e+KS1^39@>-6f?F#lS?Q0pU16`tv5mubAK)IB z(pf$&6*_a#-k-wpC~-Z_^l9pbP`>FGaOu&zmmx&WR{xcw0aD!FAKodIC1(`GKqwFIzl zACSc=VyhJC)UT>BQ?wQ4ooA4uRkZfcY4ZpEi!}H+zrij~)_OQL5$53z=ucf*FmaQm zfz+sV#z{I{we!m&fqRgQcRejIn3U7By7$^X0q_m?CN`3&{FOHB$HR3dnOKxOM9!*| z8Ez6w51tF`EOyp*pxFQp-8=7WF8Q4CbRfLy0CfEQSq!jTPQ{ov#F3GV=ZaZO>sgW4 z{lLS{5uqRVvRHYNd@YxpT&k*=92#!B`A)a)@MYoeY;T=>hwSrgi^DrXx}}$z>uUfb zJg07EX5C?PqR#dfXW%~Oc+6|gdXJXfhs1H;`tW6Qh}(G z)6%`ZMlwcuID)*V`%xw}m)^z$3%25}U}q-IcaDT{iO!(A$PheDyD}a~fi@LN%B`en zhOAD(MD1V(Q_dL5MVB^^493eJAZ4h>6OG6wP)FfGg*=TGg7df~hJIbOESGTi;#QIZ zYjCnynL>T<+K_OPHrTBeAqWr3KBCEZG^qwI8MqxPO@=4~LCNzrsajLTtIiEy)In~A|83$1u#JS+fW;~-VtOZv;my9{rhr$Cf%Et(y15f3B zM3#X+SUrB539T`-46M(uM+LW_$xake5B3+vDh*8jMn{l-WU3<+E}(82)V>(U>mxav z|K1EbJ2;C>Qtm+&->4L9?UtA~$5|G^eQ(^y(IR7>WLO-9M?lv$0#WCKmTvrPKKPD#sHXA3P&1abFGS(}K!Tv1@d$B<2%3$gnM~#MP5%A=ke6Pl z2GI_%^h&WptK|Bg;_)%EUU!b;M%Goe#BU2hk(6vq?Rd2u!QLhlpwfTkfrWoZe`k!U>~k0{wxsEf zP`S2fZuLsr<4#8hm@t2j*yG$1^oj8k4h5yE)<1mpZGD(iN!I~I^Jihb-wsk+U_yo2 zP7g7({7io;D@Uarol$o9b{Mgz2F7Cz07YTCopa9aPM{yc`oJ%I0`e8G)-J0=aw*I| zJuc)#;m%9g--v)ffIsm9wQ!eQ1EXPQ`3;m|e8u-_sp@(x7~o$ICp1H%TnFv8r(TQ8c#hs-bzlQrdhOtqbZZr?zUlmA(GEvoX1~~pG z*}8+~8HSG0Hbt3b-twOH1FQTYk@?@F|2T&AWJqb}(Ozxo0I56vSbJQX?^f#uMjGFZ z#AAVhf@g8ZwZr3wC8E76_^}$9vFKGrP|_3Or+-7okp|k^mqpA_+qr34uMMT;cSLlw=3eL) z*mqn#Fgb4`5=2VXd1+D6D7+Z2f7Sws=ln=)QzoQo>|NXO?7`@w>i~Jv~AI(`{n11-E*+s_g$S@v|DfT+BbAmG;ZcSVg#Pb5{xga zJx;`4#zRR0Am?!hHn`PvtLkGrx|v~Ro^c}7wym$ z6wI4j(Z}!uq>bU_)a*l5g{}?|zS<)MNxG$@pv6h_d6*QfFN!#w7W9%FFvfA7%_f7- zZl!6`OSUT2`^Yn;(C{%`b)4hLC~#?9RlC2s<)U*w*tiNExo-Be(PR^T90J=Ge6?XO z&Q+##fJ=8CI?Nam<=Y6v{Qd&c*3FRra@1$OS14=6Fk`EMuWooC2Pe!IjPpI@}j`_m4%zr%>?arv2m<98I2* zYRI5VrH&EaCCJ?k@`V=qj!M~l^m27v^+(mKIsSrV9h=$ql*k7otb?MO=Z4nXO<~l- zqDfbgr`^grW^fPZZZ(I;%Zm3B;<c0&jUw6ZTA_PZ$9;~+ zlO2Vrj4U+#5~oZ;crIN^@}P0x7tys;3A zfUAmsvcBTOq|rGdJof>Xp;UiRJz`OhHFEEII%CrQ0x1kgbEcXsqJPs> zQf@|FG#brcjKqT#mzo>mz9bW7Stp$%g>*Q?>6Yv6jUvl*XVj!;{aF6jjwk1uzth_E z#WRp)r5{HA4u&nMd^j_w^Fy_cH>&cn#oSYqpMZ+e#WdeL=8O8e$FMK3NKCPZtKFcQ zz|+Qp5!y=(5@Zrv3kRCH6hOIx&FgGgq+RDVutBWS(mmK461*b~=4c?~bZ1Xtm*pI; z$Oq0)mEjq6-8Pnaa#o93sBrkL*1jZm^V6vHeb%oWG(jAAlJpkqToQ%lOX4X02@Q7| zWN)|h);-eCVxSjGj|jQaT!`gvK(pO1U~x50R@P&ox8+OQ1O8Va3@y)4Df=!j**QR& ziwwh}eLZ36QUNxr6|DtlS&HSbXgy^1gHh8?DG>(3l_->hqKVFx5POhTvN*PqYQ>eI z16BfS#!z4He*jrFxyN|vn7mZCh>8aw&;3B4&Hb~u3z9mzr=aUMz{%A+4*B}KdkUnI zE(l(t(Tj=^orjAtEIZO4#9D2H9s;Zti+m5;0>T)Q=U#_se@B70H{yd1!@;Q5&p3@C z4uVCk2MfRGlNXb2u709*7@e%0ujYqGaovl7Yx2{{1Nu3wrGQ6B2zW}||bgZUpWn<}QEJ?^yDT4iHQ?R4%A6_p_hj)tmg$fSU+DMIemh_^=?7U`SQ@p(hF$Wm=5PJIux8?WPTD8R0Gh;@gx zbiK=USlV3TL{w3Qg;^sKb@xRZe@(zHD@$xB5)#Q-<3ouw0aiML@lWPAG&&t+(S~3Q zi-GZOlChl8<j2d` z*|}emuPn#K{`EUr*5hl%z_0kR5Yh#m^Vag~{hmc2<3gr+mmz$fEG0&~s3P5F#BRBy zZJF^gJxR6il;|w;2!7}u{Oz?rv6YVW59fi)cwq=P9%k<12wwzwl1;wQ19ZmXxEy~O zZ}~H-S`{t}@kMgyak(GXkWj3gH$@5$}wusk^q!`~a;V zc=AWxxj5hJq?;Tq52>>s7(%m2bMrbH&5S#{<6mIRhOU41yfl`{)e0rb8VyZwE=P^e z$aXwP$~N{^lXXr|JzQ`p7eFUjT(oBe(hZ>A79^iWD-G|dtw(fXH*!OsP%I(s5eYiK z=H0H0!;#K;cu!{0<;XcA{W*|1tW{{mnIBVxrnkE|a z1DLx+or;)RT#0hhV4%l400NK-v!RZjceuO`P963(Aoe%lX(k!Q#_&55g8g9uQ}IGU zt@aT%`-XPA!S_l-sbs)5Pc|0!fJ@zOe2VaVAIdMI9-!w;L|7r&coufH-0(P%Sb>kr zSAZUX<3>8_9`JzD#&VWYx*R{|Nk`%~ERo6Vw3wKlD9jSKV;4Bm7rpjiI${sO8XMPf zG2#TvW%A$-*%%y2!lk2;xc|?>ibn;6A?wd)$cp%o=ntLE_V0*k0N`Lm` zs`8JKbBl#mSoY~EBS()?8A_{fdXeO1uL}#Lcg*Md>Xy)|U&sf#C&j9FK}X-woekL3 zk6g@$yU#D|jBFFv7UQ}j>}2kA@nxLU&x8Rrf9DWD!6|) zZ?S2g<_l|NZVO0`lbN<1J8yz?-1BaOM7(*&bBiReq@z!1!_r5;>ozzQOEHik$!`^T zj#r45%$Bsm4I!5FQ7Kx(>{v*>6gPK}-TutZ(+}MlLhHsyp?{1MP(KOU`8eT682UO(;<8#{jr@Xk^`g;^7blMqClYIWjO*b zEqKPA2bLj%Puz-I#h&fq^&KO5Zyuo^0f~h@6KJ&2hh(Ae`o#wYE{703r=12k{Tbk-16@&i5fBC`x#|u(>Dxg?wdb zN*sL<5sSr{PRr`mGgeoo-ZAXgL<<-JHe9m8|`S6sus;9UAr!4@uN)hCi!ss*+D zTF6vL@y)*oJ;Zq12|9^toC`phP|RSxIfFBXfCobHdBnM-1WQuUB7+pkSE}U~EZ-~P z5`J0g1j)!Dfv%9t-vV^-8(J}ersesXpT$e0@0`byu?ugq5$S#`R*lA0!cwd$>x<+a z%1g*gu;`}S*g!b-hWvZrt6b28^xXvGG{~$7J2^>uS^AOKC0GXzOT$zWhU(sn%Dal| zEpG`)Vzuy?V~#WlFBf*gDD#p$r0_@N`xVjCyTLwoaY|mc?*`6s9uLhshXB*Cy!z#$KC~<+0ephXN}h?AfyXOW3R#{f5ZuTK$Pz>M zEqY}iUX6#qsyAC0N>*VLC`c!hOdzH6t{#w+x<|e|`a8sYLZ)o5(*l4Z{RGW$mI8nZ zWRr?G?NxOl2sgx%M81hxe=vX}`^h-tNCSx#FR>u;`%14}Fn*KJx@=-Rex z|K#w`I8x4Xy@Q>ut@J_P55&Qrj)qK#a|yB^P4WmG@I8l?1q$IEf8kq%XQgkHIyv%5 z1I#VUK_AX}hm;m_z5EXtPAbv!`b zOd(Dg?5vtRt{n>34%7QrNZ%dw->nN(wSQrVLt^p+f9dXXZ}Fi_w=bL4ep`1R&`zB* z{r7LPo$wYqe)^Q^iuRif-Awx}haiTbr?~s3?p*#~4!>0hq2uAE|Lt)7uCUv@n08>` zoev>y)*YtSEu`U{kGFtqCO{pw7k&s(c>C}6)BgH!i(7Vk7u*N9nEsO%_t)OrT)11W zK++C$-?apf*FkFw_3)!ZXl=O3e==+Z&Y%go8xunepm-FSW27^H&nl?H z)Q+hRwOx{~QuH83856>DPZtxB2_~k@cgsSHSYiOdtr)oEzYyLdsUOcwR5hK)}!HZ}lEpNsC9_0&$a6A(y7&{?e&i0AR9QNCEan$ZWdE5`kw3jCMf@>3ve~ z5VNOOfN6u!Q7#h`gml+y>d^f!!Mgf=M61n*}nIza=W%rocX%1-%X(o|}eH*44H{KEmcEC?2L&3IVv=tjzgiYRsgn4pDWi}`fxcUnM z9&dRO9*u2+vMZ3m$#Ds{2|My$MDdbdx)}5ZO-25K2;YZ)VV9@V!RlCq#8_NP<1y&A z;!VCPCg4oIjvHxMLMF0d3myXE!uy=V+XZB+8-GqdB1@aRJ~5kHCsHrQGOUk zBG;F6!J$`*QaFi?_y36m13M@PfFKd#%Ff`{mwfm6!syc>K;$J~$?1}vFZpaB5J|e7 z8<@Aed8*)!X$LoxazX3Mr#b~pKMQacAo zU@4BTC?GofOx;510URrT03Yb1KokRLoDR=%NM$}1+zec}2Oc1J@DU_{mlU%0BcrJPCE=uH(!?NIN6}h<_GSw)+YoF{oB95C-Ay@V15k=q(=D3g1aXD3eo! zH}Pd}32JC-ewLM-9Or?^G&C!pHw3!%l~(D>GI{Mvb;UBpABJ;?p}-e+Yi8W^0ydVO z1{#Bpv*IJbr-;T2<>E%asFStWP~&$Skflxb1EPS$@9)m9)`$%UytKe_95nqhn%)Ur zzD%V8Wa)KJSN&P9&Xy2inZ!u|OY<>D6Q1bC9bS z?cxZME{A5|F^e8VyEi$;5MCDQ9~T~AI=qG$j5Q$4QL)e#NrY=t37?}Osg`;ova^Ku z9zta`VE`WVLj}Fz`nG&LWXXv{_u`mg<5A8F#Nt>W4+PAUzj;@15|MmG#v@usnIP^S zZ(OCOKeGekG$Ojrl3e_YG_Cmw;}}g)Q@8U#6JD_UW*uSiy0;?vrBO;shdL2Iw*R`A z8%z?$!ku#^9)?c-fX7|aL0{Jh2$SwK-U*^h_u&DcM%3PYp3G_QKJj4)q}5OL_CTu1 zV~NfAV}$v+SV3pof&)-NUx11eP&!AT3f({^#e#l+GnF9os;yJEJ>^;s8QxzdyUo~m zFb{1_Odfp)0b0u3&4f72_ffHPU=`l)-b6Rerrm`5@Q~8A#seCfR1;2koLI01dVxH` zgOrw0ijkVxB-}XfgR6~nK-2dv9|2}If%*17PU36FN)uV07-xQp6Jy1Ia1+niPo>n$ zrN&{}k{pb?3bND{e{0Lda-+9p=BnI+ZNB8X!JJ5$L)>{C@1O;|66bi8Cb&f51Wtkm zTyR)u!;>~m;vaxqZ3IrTJcZ4|XSiF*OvFY)l!th@XWc0lj6~}Rs482anma9*Y zB=K)JnU&H+KhU3&9Wi7>QRfS5-4BP$lztB@`I(r5z|hs6fXTm*V)=s1Y8HK~sMRotdKM_8`wVV1v zKUa#|1_Wkchs6$*tf4G3?;0MbJI1-ksUQoUAXG4?Eh>}=NpN%(oxl}gpD@;@U=aW+ zBFg(5T>7ZNb$sX)B5FTZ|1pAe#Rsk}!V?;PfoS#B?`3=2C6=OF5##s3Kpu<{JfLHm zF5L&2q%-_4YBm@P4z0Wv3NL-AdwWFFWkX+n*kj@Q&qLRS|4M-Hfdd4L3` zq=tDHgsfNdR_u?!CtPc45S?5*1B^O-2P>WqS{jdFGZqUT=DL@SQ9)nZ19TVt^~-T0 z02!s4CFb{I=c%w`!i6|uC*z6Du^o&_66yGYS;FgHBg6uSy^cKhAjcPEKu*A81u157 zo=S8XsVeCnuALF-S7WaY3k&E_*Sk2yq9S_NPp+-_-qb1-26;V zIE4r25FXHJdCrZR23PYLPe)b5@;cctiPK%ASTH}L$CE%1N)Xn-F!Caf3+@1bpza3_ z06Uf?&?h$@p_B1BK`RtNa@00k_{sfbIR2@zLgw?kg*mR8Juz+{VjTs@NleH`!ZKWK z{Z?I9bnWvJeIz!^OC4{TnFikSTwxWY&vA<9D6#1QGI-G0Iilt%$gNBkMl&OPe>Xsa zPQY)SO=;OtI>Pq3|49t}kR25)0^F0%7UPR$gDyCH!1~RL;}_}u-BH0yxVy15rl16O zhwjG<-Osy47ctWfPzM`4EIjWA-$5?j#@jC>weOF&eMR=VY zRh^0F$o++Qml^k$pBF^)M@b$%=K2gBh8^5OmL-gKt_$aTL|rxWUqrF@jPIy}zrmDA zW?QfbEUbYL_lmP|p`K(S?utcQ5zMu)0le@+EjOeQejWv_V`&*+#mxI1xTkvoXd{D3 zo^TC!Ex85>E#If|J$R7uQ(j2t;(Yz9tdQQR@9%3;W_8%K3IL!m-B3R45So3glBwXl zqM|c>SzNNXA~1WXo~$;$tP$fe z4wG-_01Qz1gk7+Sp@jQg}={42z*Y%#_~`rnvq- z=z4&du1*4wW^a7Fs(;O5HhSJt?KO~f1)Itxq?6@oYOldCmrlVei51T`FQ(K&dfJ{K zLahll_bN3AOWngGE=`tKI$sRex}uu9dAO*Cqrq<^k@kYAMAZQ2>k%~9F^%7$zQEH~ z_Hf+@pB|fxqjkXcY3+3N1eYpr0N2M zvQNlrN)v>f4W}mvhT1>zj?z?dAiskemqghRV?nfRaC56wW4*w9V=G7b*)ydwpZ%j ztF72-t6i;HYZqH>wY9DG_lb&2AD`#B-|z3A-|zLheO<0eX6EeY%x8VSZ!;Qt0>56C z0!j{-0$)-zehOpmu=BV_zxIM8_4 z#46|l?kYH~N0BR#bs_jMUhh9a1R9Kt+uUY0bnwDb@D>}7LmKf3YzJr2340Q{83ns9 zN}x(pTLq=MlYzj!*+gNDFM%`c`I;%2i{;FD+*0bRbT7sE9LJ=I`9Cm@f~>DiOBJl( zI3@l}EV(K2(oouq0W3M|Tp;OLW6UFhzLy~MQ5$n0vrVJ}IB{^+_E-zRrVP>qs;=7% zk(o!4alUvcs}(;9w}U*(e4D2oIx~?soaqO0(nu}=RR14A&<(Rj;qc-wl-OLJ1EDc1 zRgg5A&X3(?m)=$h1%w$hA_L?8!g8f`27mmfczLv#uJKp%vtiq}QsOX3EQ@B2GEtRg zSY#^qCs~I@Bg5k)@)ZtP^d}Hs&@UMC_H@?Fx6@!HIOXwa@(ebB-nF}GuW!3LYsb>< z<%g-$=h)<%`j|&&FIH@?ArX!k?b`}-Y}T#RY_xI+i6{nhN30>cGAMNzaPiUo1z{xC z!Elk=e}DwKJ?SG*t%|d49=fqD-OU{4v-mqqbis@evS46Vgt=P1NC!KqIF z;)9r&oMSvEx5v&s#Qek`b@ey2s-3_Gkyui|WHL8wpDJ}h0oOg%!`bh$?g&ejG*nZo z%WZ|2P;jswZn*bJ=&i;*vwy|)`zq&SQ$Zt~^Tp;evp@N~`sdmm*unK+qRlrzk!;(z zk~XZk;kj)=GNk>gOL8F)q#xaf6GRVl3$WaIF0JxytlJe{+!r>aW{=Xn3!62+ z2l!r8W*k(0hz4!+c7@ELs^#C;X?80rexyTg12MV}q%3H*n9KiEU>*`=DD8DRSRp8WEi`~fJ2 z@_8hWJb>iE&m6#t=rspq>ZC6Z_yx9)Y?KFgf2NTM?Z2kcKYY}ejV&UlN4}$oe)*Yq zWHD>zPgSJoP%+HYbJT$*X*Q@hApN@t4xeEHJK83BXV z)gRFh-Fe|i*mH-BN5e;bSbEej?o$0xVd5_rjz&z8n~p_J4=y`qER1|7%hWM;heACk zNve)|DMLFe+SWNU$L#G1sKa%Gc958r<8F}H`k9i_+OSl6z`9{i?QGjWww<2ca_a%@ zi>+QimH%Sg?k^X-Xy5nK=@;YwiGt=N91QHH4&g!;R5yDn+BKArYb?Coz}4~V}o^I(^@cmIq+8JHvmx*2}d`)-AK-Kk79 z{cwJ}0C#Y0`ylU5WlOGT6wT%r)l+?#E1z^QG=ACCA+jNGLC4SLjOxTjFY3P_FsA-c z*Ie73ZQ4$8dw~=$v$>{|9*~m)CvZX>;?^2VF84^M_rl0t<4y#YrRbI({5F zx_eMZu2CMEW8D?pZD#D5V8`S?n`*l~lkjsBnKtO>?vAcm<}=;97nCpR+M|?f(iaWh z#r620&6!0#`c`v`d-ijU3^t$Xc~If#zo`6d_P~0xo2gmXaJG2puFE>z@J4P)?~zRf zOZtqxuxLq1)%S;c^o_ZFGvt|S;tVaV;S1j{oix+D{^K$#o?Y5+O8aRUv~TpKyFt`fl!VGAa z4SL1AD|qnAMgDUKb3@&QMMHPpJTcfqZ+vW=zyGJHV%eHE6zar@i)KvS$>1RW z;)uN0!-h||`SmBm4=^#GK6mJ3w-uE~&sDFeXt^!2rpVH9TlW#~R-b)`du8Re@R287 zzlM)$%1Jhi9{l~KgSIo5`+qii@iR+SMxFQ8cUGSp`q43>T6dt&*v}`mC>hs!nECT@ zm*NUb$k$AzFn-WF_sZ<6jbdl}x0|Of%sJ*=e0KczaU;7=xb{|yh^p(ykM;@wIWD{J zq+6fG$R;b}$?{CB^+u=M%As=huO`Qm{!%R3f!{_^EPy=FEtQ?Py4)G0^D z8Bb4<>tgeIoSb-JW!CaR1HP>OVb8Q@rVfbR@WoW6`0<))0h!10rfWSjRW;oDUwTc- z>>2uD&6rQCOJ}^3@#=*c;bT5t_(J_eMcGW#ypCnFEURXkMqAf+_}pe&wcGS!+ z_3fUhmwIkI`^rn}l75Mr?^a%2UDj?y*1C3CUoTzMw+&wv-8cQt^!^KSOLj&t%=_v} zw4qBTU*0DF{0A3aE;!k)d{N=={X;wTD61>)UR+TZw4~4Pmo6`P=Dn!COUvfv45%Bh zYSw^d&u%$BV7cYS-c^se4;7W8%SVm^Kg)dw;(IG)y7>bvvl~_cfYb-zXZ$}qPoL`c zN#WXb=KSxue8PwNVD}0thExn6Tj4{_>ONw0IRpP@mku3S4#)WlIrlAo@;Gnt;Pz1F z-c4}xJXu0BjFB77uOlULUut9vj|BzR)deEITn4F0T^(Zl*oe@uy1Mywb#*udfQmrm zV7w3ykK9}+fQZyF7I|G=#dH*k;Ep;3xt;?+$|-v;;#l(i)!eB&mj z3;ep8gsQi~MI3?FkpT1sR*!;vy1?Jo;-9>mihtS&e+BRtEc0Ww2FeJN%6O3P?%NI(e6R zND!M49sysr!d+xM+DKZUpGhqGg8c`xI})l7sE1~3gk-(-N!{TVUtzvxOhT654*90y zA^e%Qefe|uC*mhY_lw-}?g5yH>F|F5F!f)@<-ZxNr%uom%=PTd1>Re`83-|0{!?3~ zg&Ls@_>2?}z|Vr=-%wT&9SOJi{tM55iTjh`et&Y}?q7_|Xr8#A+UlmXh3gEdUKLFe?!X>{ye-8NReKwts02sAM zMy`nXDZnm63b>4mQ49`7f8sPMM+div@F8Qzb}YbytY0X6Sqs;gIP6ad8iv(q z2cwSNSv#dY+*mth#~mDpdtfit%6IN!hN|cK>Qo~DYeH)oXR95x8KygMUq;d!EN+qH zt8mzq9oKzTn1)&Qobb)Bl6N5gKt5FN?F>1lGTo^F-3o>724mTO6z2EHk$dy|?+@xz zCwRy77Tn^`A0dd~Fwm;O77STl~Z2oTBG{0LAi3IJ-N^@9k00oB?s8GcQFspz968x$IPl!yWFK_1X!z5ICg$@hW0O2K zmi*dEdI;X?v;x8n*{6m$n_gTilnj3k+)ADykzQnau+NV^xStV7A&3t(97X!*>j51T zB?2Cj7!Op-NeDUeff?wXKp${;aNJJ{aDn563h;>Ig`}hLqQVC*wgl|O#&h@a#U${? z4Rvibo-}5%9yVNTgG6pT0K%Q1y}JWR)4E>-(%F8I>HCCI#b4 zZboS^?oU@6V(p(Ilrl`s#c(f40M+j*1H!F5Bo`AV&BAY{O~kKdG2~!Tx4{v^`a$j{ zUCg+$(}BCs^+(RgVdX%4{xKxeZe>3rICl=pEt3VNz|iIA0op`GMY*vy=L4F7AT{4U z)6e(~6>H~1ihVb#SNlS!_UeqchsgkwCD7pm_!ea-d2WA{!fk=Y;*3O`jWeaSLQ?5r z+TXqnxqGsq_ag?RJQ>T&M-1QCiX1~J(pY34hC&|zjvHG!J0o|e+UdZSmX!`15RmaI zmTsY8&Z#ij#&QUJ9!`Nw5xJa8kb4N%%G!^!IZ~t~XxchT$>3U!dp)-7ZXZ43s zWL{zE#xo`K0P*7AaYV(3GN!d-vylQ2MP`QFJvrBeAXt8kdj|M3ZXfiaRQ>P(ZtPiW zKFM}>#o3(Uq(p@3wZ^@?i7%(u%5T$nF;!aBg4%$Ftsd}~S_1%sd5ZBpJcUV`WjWrG z_F$@k4I>xPf|?h=xs|~$F*9#=LG|IlBXqSk-kIcQpW=s-xEHcEQBl7|K^ol#;2)@x zyE&={r>rGR;Z{}tX$Udi7Kq}9e~>ccO(1;-DE}YX&g@YX%Q}(6xgSwCtkSwN=Bv_w zQJdQ5wukf=OlAR0>}C;I=>|CN0vWG`fKLEHMiDRyt%%#gew}^7?}2OnaC=GPXRI@X zYa9w^3S(T8YDBfqldZ;$^gU;5WPELVIxfoGhJnLuD-w4Y#sCHIZp$wOIJUXxX&sG8 z{T$o(;5Y_qJqkHxl|2Xl?4#o@<7dGDq#~MyUy)-!U4+v6E&Dui*AInmW@2F8(&yPo zqH!_h>B~ev<|Qm{6m294IqmQJxk%P#n4ss8@fEoHd89cOht~@vw>+eSrV}LRr+Pc&5h10*!T?> z<}_ea7ln96tf%9OZkQK?;qVTPMIvuq^cw9>N77a>HD`H8dO3FAfyo=XJ`;&icrI!) zx1n+4@!ui7K;JU3X^+XHFt*}j_3x|gA2X$4*a$ZEXwi|QERDW?HFY>*0xol;r6ojt zIk(yhx$!Y25eiZ6v!nl*Rc~zL>42CX%w$+UQxW7%sf@SeQU0^CaQAzG0x62?U(-B& z4h5T*F~pOMX_(YQWt3)lrr%EK zGaV&MI=LKZWJIwFme1TSu<_?kdKp4m;=;&U@OEAQ&g!cEm_K0jvrSM`e*)PfQX1Bj zs?#G-T3hWvAS-cY+QV>76fht&LBQySB>P3Vu$Z-!D^L>P6r*HE+0>!9paT4=cdN0v z+WP@OtYrkb3$^wDokB%^6u(7DabN76qzMl&TX9NSjQOMTUe+dfH>CFAfeI4{8HssQ zjtrbbOQ(9VXEKtiWzX(I_Qgo^WuWknz`-Ay)&lK205fMp&a#;LCMpcY)_}BDd@>z) z`ey_f%lHF*3dJ9!5%EtbZNbz}5nYvUl@&cFzD?uT`(rAtEk#tkn}8h&tEM5~)_CrR zf%h=deo|fEZS8!aNT?_F&*c}o-iv-{;51uQkfPZbR{9z(NbjtWsu!^OT8mQws0^6rQ(3eu+1l?=;tUC~5 zpe1pm>^s$;wYHDO&c8Iqv8Iz`*cr&5A0Zf7=P^!mQDvNC7zW&h-|0we{;h`oG@I?~ zU2fSEpjoTtEEZEJ$php1Rr7g66$PF(h?1U!(o*>{x;c9my#Az8oD)dj2J+y^smKn) zH9MxT7>s+tWa|6~3u&Z2 z;EoC+=rxxEu^UHe_AAV{NN-`E0*3+R$1`CNlp`Ea_yR0EYjr>!ESyl_miYi;^qv9( ziLpwzTu)v!9Z>+IRV>kdr^bh|z;6QFI3$YM528CtG;p$uUD+5@7v2}8qa7UrZ-22b z8>jhT4e*ab7H~IqZ{xLV#UjIS^~q>Iymqv6KcryC48FnF~WF!dmoF;&*)j( zP@TDuKPo6#kN~~|(tpj99B-QD3||n$c(XX?806LAxHzyA$-Mml zR>)}WNCvw_JdcJ;E>t<6F%*8TudHPjq=iCuZ{=(f%^cC0R7O8jH@5sG?|x>4YXA=D zQ-Z*~RPZ+GUANi0fA70Fq57#x63=}AZeKXXOq&!^2J!}9ZP5QtNGIbshUX0YrLGO1*sOej$k3qU!vwm13VagJqDhHTO; zh>`KmU^>A>r@juHPO?6J09xg(ghK-im<8N??I&O6|DVW~6G^jatmQ+}IFcJCj-oM^iJ_JMqf`qeL!f#F{tmUM#=^_9%T@&Is5}N-hw&j`g z0X;8LY?WW*Lv|Wn<7D4<&LbM9a`bvs_L&!?oG}Dv#v_!F z-3=9d3^+RUdfjU%Q9LFkBl`+Q-zS)yY;48-Ed46eoL6#s=WUr&6a)`%sD$SJAuCSA zWLka-a-6n|4k*sS^Rm#Y80^UdmO1S7_tUVmPp`TIHEa1P=ozY;A7}`^MZvnEE#Crq0zDio9%@J60J`V zXrl$GZO?^hHmK8ckm(ZDVUFY(e@v}}xLaV!yikN~nzw>Yz-76?^m1V7Gq9r7T2j$? z#1NjNB4L_DwIR&8%db&I4e&k)2mv70Mm@C_A4A#{HTdto81XOEkPU6OyRjBSs!#e2 zRI?taDD5}ld`sFGV)aALf<>0SD%&!Bc`n~+gaX%m?Ez(B9|HH#_t*+Zl!r(|em_}G zPq%-cWz=@gQ7{$T_}9#%wJ!ydU!-pl>BU5Ofb>Qz`Y!$JfElfE<;&bsZlHGvJtUkU zmT0ARi?*?a(TY!vMobp-K24XJ5FOpn3a2p%`2m<_0v3n7D6A z1$T)%ay(G~v5r0H`Yb;IiC8LvXfexNt!}Iykn|X!*fnHQmBy(+`|Q6mn%v~vs$k*~ zyD=8-lKHb;-No)q^rW#QQ_P{l;J1Jdw}WvW6V9K}mj#jN?K^-4VFTp$a?`3?;T#}r zgG|ruN8s6$QV!aF!U+m@2VnEl!keXN7ew<~96EAz*EtAMamVgD$watR(n_@JJxHr} zu12Y6n8I(6wnk}`m^OHebV!Xv{d|pgiSw4y+bMgN!WLw+eXB!GOAD=Lv|@BB{)}IP z&(v(Tik6*<@>BqpNXTxZw|uK+N;sP<8!$Y2J6}Z`&*A6G<|0dsCVi?#LNbx(b}$8i zMqwLk;9dtTjSDizH2px8<)5mW5PS{58pd-;uCVmbV5c9Zd+Uds=}dYQWH15dEUvEy z0+u_K2NY}kjUjCAs?Lb^F!n-O1HLhAoSc&>?U%#St0VSug|tupSt8`J*EZHyok?U` zX)hT-%dSnwE#ZBao#=1e%!b=rFtrzP7{9@NE%SmLN10kH?GsS#r;X<{R|v=xQa_YG zK?#J6&J}@0F6%LUYb!2c{?PG)wL(0|Cm9;+0%4>1W@MaQnbqJ?6^qev3TcqVZL}X1r^=DBS%EdEkF= zePVHYzwuCc+x0bgd_J1dRX*O0rY=Ob8ilZ$=De&Ag7>(`!sx~+Xe2i?x2McdLmXTj zr_cYMc^1;rGv^IQ+3TPHLp7(8<|Hhbj@EZUa%&&^#duw#o~+h(FOmi=mrfs*&vuSbGar43XI>3Zoe z1TcUgA{;}{wlzTMT%vu9N*k{=4G#l$dd-?3P+5bq_E3n1XN7lF)_vk_!Ky3jijoRa zY4qfyDr?FZnA6Ul`F@TZ=clTQ9w6F!vi(?BNrUn$_%iD5LBt*;GcUMdT=)62S_dzk z^W${u<1y)qhtk8YE%}Y|cl#r**kJ{G4(FYkr6#ZOZ9Ma3o+W|Om=+}Kt{c1D{AWPH z!~Jyk9bEAa9$yVZ?ih6UBYfl|OsC(C^aHH)F8LSz?qb=uSjH_)8^WoIpC{Q487Db! z`=9H^Ch-I83O{c8?0JZ5#r3%xCVMYTmOsNc^FQ3(=2x}NT3LM^+PK`08A z@y{{ycxohb9~#vNExx%i!e9-ZZKXOjQN}SP*_Bol54nY#cQqD1I5)Ae{_H5 z?_Tmdd&!Sm1qCd)HdK~1)Ha#b-%!%w9=lREM{T`pU*yMXxh0Yn69?_#iI%e&_HW5- zFqGww-{4Pj*|i1-ZR@E;6~_^u%Vl!$lNT^#4zPDmH)L|E{4zo^VNda;#A;8LbA8`l zhiQR*xcqKkBms^|sh!1a*|K7pClkg^`qPi>UDgAUIC~bpyGLQ!qp+Uh_HH_e_@wML zfJr&xGWJy=b&;1`Mr8Q1HuyZuMlxGrpM<$Bxt}3+1(#vpECYlaw*+`^x)D7PfY9>A z&_B;w-~2%uFW2+#Da4+-w=oSzxM_DUBlfZfE)JJo^W$uAtM%Oy*o}o*sN|N6OXigT z$j9lVjxwhzNVpnI3-UV#S=wp^97N;O-#3{OwdpJOFzB5-Tbwt`v}X^%!qEs?$rM_XEES+jb>7vW9}Z3XIB zL4tOMu{4ku9UHi_aQ=T_uSEslOB0ZHR=HK^YqBO7SLBov{BAcyOWaq`NLxco%|){% z-fXPX+Re;3*Ao527~KyhTT!$#1{v#&8q*Z7!N#=aypCQ;M5Rcp9i*Ww;j3C#%lg(r5m1Y5A2Hf=-)B( zMk%mtZ-1$aowe)3ZDP>vTOd8tmp7i)E9`7$wO{5rreIqMn8@?9_PJ#SPr+Vmg&}Wk z52UGxN55@eZu^pFuK|RUt%VZ^FX{{~=RCW6j=|8>h4gUOoO#yD6J8n+4l;%;D}@sw zkfuHlMDaDKeiIy0t5E%V_-6&GAIF7VKS)+JJO{W|_C2Vf3~qV>H57B<&PjS*rJ5}% zQe?H~6P@Wf#x(eGKhiGIbK$9PA)~ESk+zr|EI3#E944<*izPG=Ec^+qv<-XTV*XX% zWEe}mw3}3goG##~N`-JrdKxr*2f$>lS5D4{P}OP|`c~f}K{yyj`_LlO;Wkza#A&Kx zT`J)h31YYjC=5}!uE{n~Pt)jILX6VlG1!V!eExuVs;?&db)^45!v{%QF+Bph;3eLg`yBRF zS?GL4E?sP&{TE8_lR9}K8r|T0+pqqQ>hCK*%~Oh+I;UnYsaZ{JbPGK87ib`Ht@)tp z9PMcZnC;6<2UyQAGGCiC|+i!FhbJt%Ni^2)LFpD=eL0p}-ktlYel4&dkJ4@RPcS?2!GkfJ}M zfvaNx6pv3eMQidS5uS&R>2vaIZ>Xf#N%c-cxU(-dE-)CRD~$7d!o6(HG$e^`dem~K zlXD1yqzw#g-O?b1<;`G?&`IoJ>8-F~f>JEm1SRt-iv_60qNdW&{83rIHGKz%vK z&-z#oR;?wX=hM~JSFusJ%V2Fx6X4R&P! zSD;M>09G(kavq(rHS4Z62s1bcrgu32e9^&|6u5CW+eD?dp%@^08h2@bRRC2>DW6Eo zvK=6MQVEdVN4n0kBVa^NhI1Bj?F71Ibf^ix7&f3Bwnu~*}%QC zTXFdYNz|NC++#&AjWw+yfK*r-38$?SRff>|)JgvQ6?1ELGy8=&#Bxhf?x3r|H)QGP zv)O}QZ;4YdmE0Std1&txCXb7OBs@684>6t#ZRpjx{oyrJ4B+PCALVCgQ)VK9D0v_W z;c7Dh<7puR?^-pYL#i)=v5eGTAmYf9@rZiMtz3=AgY2pnB`+f%P58-`p1RN3FG#)n zYUN!%O87xR_wB`{spgkU-{VC+K=5PQlg_eD?7S$IcMTZA7*foqjYFKHQ2``YjTwvR zTuZz%{}V)GOzuGbwk0L;?Nns>f&(Gkc7*UloWH}%to~i0TiCD#!I-dxV>XBu~ofNeyj9-HlGZGU1bA% zGrgrzhnfFi9iaL_6Tmmq0Z&A?_3sAMddO*T{v38jVPm=wR|M2W#@5CN=LqZ#=Wmst z#kZ)ns&_t+1noe~Z7#*MNHIPIWnS|yZHvCtcjqB>c|Cgp7=sjFk_v zg%jg&Zb)iZOuH`zou-5ETOdubtt!sRCA@og!8Ktn1*Ec+PJ-aF?CWU@3H>2ZE&MkzBs2a1Kfv;H<`) zd4}57_9nqW_dVR3QOf>cYTUr<0U=}RrEohV}D-cWqS%J1+Lr8*Apb3`5&R|=KFoX*YT4HeD z#RknzmU+g`2aqTYVri6STmTww?-kY}lmvE~I6?6J&>*m_8pVfuntUGozkjW1k2ME=xHHkB@dG^TBMhc$}nZX3s2Qq|h$ zRai_d!08gQ3}v-$$dEA{srmk_>xqa-ZO~(kBS8AoU@{@P_ma%G{1<`$8kAWaOx=z>?b$(Omms z1ZtAK0HFx|epc9`oa?c6C_MzL;j$dO>w0GwztY#-!>Levm97%J@pT`V&w}?gQTPgM zkYpCX0J5K)>uw%ojHVrTWnuhA4tPYXucQ8PQTi}-rU|p5O-IOJqmkud(u|QTzkMo^ zs*k0v^Cx_DJ;!TIoOW+G39mj+!{OwrejVQULi$W>ztTdpJjm82l>G`S8UQY2@HU!< z(=z%#c+gT&+o4f``Rv(znqP zXWCBZNu0J5jB=9nr%w3Y$)6RBN)l&TX0@+IX#GFJzKOdoNinr70#akvy`}aFAwC;|mMm^gS=X z@S^v7DMfbqhkHl!u`o+60KNjVMt(}e5XQ6x>GAyw#QrjJ}RK!YW(2QehaWCYJPOs8b?{;m>>(9j& zF2mB$e$oQuX^ST>XMFjUZc7)@^s9>g%bN#8Cn|dr0yb6G^L87OfR`yxf17Fs65G}i z%P^&`p0Jhr>(TjEq}#=rCaCHcl@%aCq2%oPe*}orz(i$}bCCZBjy>-cOASZ1*%OeV zLscK=rU1S}_BY73FD&yd1SbyuPBTd9a-|013pc3QG&n4?6RQ3bU?0;oZzu&<06ASR zGeq(g_E&Me+F&;9bM1AEuNQC}eKC6!YKQ?qb$)EF7d5m7Y(7IZ`Iwv3&{=a$ffM-7 zE+Zdo1JaC-aNH*21VlIF_ zYWI>+)tUNOrL(d{bv!KPn7|9&gwhaw2R-Q|9U|w9TF3y+TI6L)STpHO zqb)D662amdG)7vXk(4d?Teh)g?aV-K7qBu|Y$4!VTdJ_Gb5iW>;q)MJHeHTf*}wan zr<9Imf99*HLkjarc;a;-R}EWer6k8BsHj6#9MMZ~P>#vB$>?N0lg1bK!p~0hxrJ%u z_*uxVBc9IhA4` zu64fVs(uFoQk(cQpH`pdteQQobU$%95!GkGbL?G91i`CdW^2wy+dm2waun163G1x| zw}KIFZ*U$$Lbd|T&yWWS*O*vP1?2Hy;F5aw_ZC_H4AKr!ao_P-nZr=cNidi9wO3<^ zlM-u4%glg@+8zqr2{a`S!Y3UK+8r#UcG|4L)_m=&e0mg;7GUk$$q>WCUt!h)hO`u} zt!s;7=|IaJ6>^sP1LNgrudS|=Gayno&W7jWZy-%G!1jrv=&y!2NZ^Sp+RW9sP6@RN ztD&mDW<(I!(u*diPV_Op;2rwDgK!L<)N~ofcc4>3wS`(U3pjeNakw+{WBx(JwHqL* zZCc4}68aK{#a62m;ojWs$TmS;b{x?U8@~r`$qAOZpE~;mTAcKUYoxNe!Uo`ToV>c? z<~#s%sD2g>l^S{VATA87ht>T}Uk8HE@@#N*Ptd;-QFSg{z8)-P$OTWxx&G$MTx+L> ztx41%V)&gN7Jn4kaQ=~FZ<445BgA}!CFQN&i3!#9P~%F&;jNiIeV}CWvyWh$vsF?z?A2%8ERDit##5Fq3NL_} za&cNewfkK|oDi=D&TTrt?E>x_m!pFwJY2sGf-Jx~@*Ltb^-Br=B}DCfIesE4IFm2K zrSHRlzdaGJZrE(Uh=nfUWR>>>iAjGE*AIj>)=Hs2s-?Mx&$LM_8!A+W@>}V5oDs!x zDlQ9v2}oCJ5yp_c5N2iMDk4x}52WWQ_owv^SzI}U_`F^krL!%r1iyKCsB@P<@+wC% zY4*98Nm-OA4GI7o^P(h@k-i>R=5s<5MTT@dKVG+Z$NQ1O;eH>!`0MS z9d3la%B+811#4AQH4bA#oaN#ARv_q;O8Yj#PUnMA%EoJSKhK+T3w&Q_ zTmGQUpSN3sv)ikykFi@fCVEDoVc)W`V~8sEU1a%EZCM&=^|SmdiGR=zT7%%Pt`l%-jvhVoCljq`sm-xiHH&FHsv}Ft0(h6By+56x{ z{5@_EyXiVMde7S8m! z((*;1(~5-G)tvRMwN4un@(H8M2A{o~n~d0EI-K&-Fs`&O<;iU#mgWijdDy6>PL5A~W=yHYq}57Afu%v5UMLAA&uU84 zfCiZ_?M0eCYGIer`5n?s-wG~_wMg4pP4)HAZm;SDHX=0JKq3-pib5%2nh;kfWPx?V4|G0SaCmfxVv8G?6 z!0Oca9qxAFJ?iq@*7=G zj`2DCOAxS?zXGAjcEsqKUe&ZxNJr$A%QW8`?6XzcURk1?d_8xzWvdD&6%>>%6;H6k zOy|JpM}LvP-y6r@V7tQ`*$LaX!Bcw{C+1a`0~Y(3bl7KEnZjH(lT)w>YvRBbx3(*y zz3RuKb!k&KPU89s`K-eYViy2~7`Mh{(<#NYFBpMVHGu8RxB*>D z+feluE)r6J7*brPIWZLr&R^tBZ=1zQvDogoVtfVf6a7kJQT;QOT_GNCxZnvErMguB zhR}m)S=EJk(L8`O@{&`{Xq2<7&hgIdXOUJH1_GolBT9Rm;0u6sI~%fuWDl5 zn}!qduXDF^E^TH|`ZP3qDH3l~1EfjZ4Z%;PU#cdB#w+@XoHS8kydbm)(7mDr-T6b) zLUrj*VJt@?#DCG&>04D*v&=_n4D7bw_!z4N{6gXz6((I;$>`;@U%FRTIxTxRa%LiX zHkR*H>2^ECY~5WYxuxIjq+NvP+um+#Yeg-wdeX*tktp#3R>_UG%~ab`LqQ<2o$29x z$Ip0>ZUK|Gew(A;(c#-yffipRH;YOInlrFXP8vtw{nKP#Q@q3+teyO?bT{vCqH|A9YHs!Ue zfJu!@tX(XH%7$IZkHKr(Bd*`%B+Tc>?a&O;a_RZ?X#5QLI;I1<)A9Tuly=RzKrU=@ zaUT$3?}nw}GW-jPDoMa3etZ)m?Epe!d@^`Livj#(BI(2YgA+Hc#v}_Ou|HpcE$w?q z{TXddfUrWBT91W^0ZsX=i>|R(w4iU&aC-CH*+qw?uoi+%akwoVRQvvjJhZa$yh+k?VOF6P%D zX*vY|gR_+ePhN@i2z>hG#G8(7W7AWLQdS*XFRFiFEk>Iq9L_u8~_6=1gHEy~M} zN8$$EG>zUC$PTQFfcNJ-D%oxm(@W+2?DD0;NlLqF13FUt4xA5F8j!q~+OO+0Vt}nT z)r|lz2$VBtJ+87I57Zv3~{VClyL10$O(|CYGXF-t0tKp(d`C7XPX|_Wc zx@MEk@TxruH3A$+>UyL(t%ATRt;#vsC7cJL%+WG^$DrHM=enEjbOW1aTrz$gRXFtE z{OmECskNw-yv6 z=^t!i7>-jw{Ab$ToBQy$_@DOo5gArF)-|GhC>C)K!(Yw>WLu(Q#LAD1F9WT?XzdA_ zvjd5@*8x;dW%_Yp*j3y)H5_#8wVlvrr{!!&>95GCe^bC;8SfZ2Yo`UfzKScsW?ftE z@H#TN5^(>yS9HJXICtf0ZFCUOTi9R0mG#7I`YV`OtWAvu?YVLbiMLJQ?A=l2woEfh ztw)t_kq}V#0CVrSW?6tSo_Uch*UyORGqiFf0B|gWG?DVECefH~?6rBkwb$PDmsb@O z4c;ge1;8<%fV>@ZUiNl`*m-c>!!hr3m}*`NhE|TxF{<3l(-rXrAl_*G1iFco7KmWJ zx3%T$3+3K;yv4}rPl%+gHwGKhdJle?M0vwXcc<3My_5}eu4lad5Z1gKY~|Qsxy3<@ zwfI}A3H8yNe>OTG3M*$!LHVvRBsBdX+Vvb8VVDacwqh1*89#|(Eya*I7R=&3*^s2O z2TSFQ^9xLtqu99mqI23SYFzBpVxZ=W7iy?2O_lW#bs0W0`%#zWj3(3Vm*&)O?VH!e z6rq$Fko~TV85^erXRfwiYmyH@k)s!*QfZ`|-tink+^QLHM!gOPq)J7-vsWUTW?R_* z+6c714LVn~T-@zWx|4TzYYx$8=dcmj!}u3&+32P0Ef7$ikyaosFZ(!CvJugp+V*N`6mqnq zGs-X1y@lhD@J$eOf6Zi|U3zKs*Tzoxb(;oqlcFJ+WGgI05IHF&;R(GFY7KcBk}K*-oy32|M36#I8@u*0>}x3jIw+6 zJ*{iaw>hnmfA6^C|N6<~hfn^!%p~i*ru^5RAGQ~I-rOc%{#@wJ5Z`=01S1EC-G>v| z+_C$mNe?;z&3-WWj}`T36q;{t9=}9r(EZ;MA3i8PYQtkA`9yIrJ;uO$BO?S0S%Xzhb8_~P&%R&)4^ann-`9l@UT5F?9DUq==SFRiwVtJ1;+Z}QfvP0zbWLg zRzBG|sP$0?p6r?^KGB7zw)1a&`S+XlM5XtRvimax!*OqT9(;RxfluD?aA3p-gW!5N zE>CQqzZLx0V~;*QeDc5DgO3{i69L-w`mZ_wRXXGoNzzzume=&pv$Q z>67+v)&IYg@$mBFOZ(yQJvQ)OP#K+Izr#A3mF;Aa`M*NOYL9{cy|Zf@WI<*@ymEqU0Mr}psaV*}IB zOu+HPaV|O@yYjaQa>6B_oYnkBdGKI!^^d=8n_J#|t+{27-fD37{n2^i)!2Oc-g|vC z*YkHt?x}@6c7RC_SH}O5DDcE9sk!UT9Y}f5T9B$93WE1LdA}Da59@s59r)h^i~;1hCB^He=(O~S*DKpBsUd-&|r&yOcc zd~5|ZALtJYdNh6yrSK;OfhT14OzhqXVcb|KH}w*?)P>V<1%O8`lo2B;$GVOmfOIQX^3|sSi{=on}bz=W-XXHPc zvG(SI~cpQGykKbqxJ zVLEl3zB4Dg2g9n0^+5>tFMn>-ptwZv5yGX%;Bi5ZYw_S(X!8fST^0KP2N$0TK$cr8 z>mO4N{re5C7yuk+_W(whVjZOQ%z+y$XIH>oPc84MP5dg9JEiE%&B6Ctxn13rLcRIr zLp|jK4$F)z4b4reE4k;XoDe#Y4N=neOZRNu&csIcNKmfNoQ51s!3Pzsd%nw0| zM28db+9F-9U?|8vYLs(0k|(7wS?Qs`HIXDi6ow*Ebmgu=a;MV+h<1`QA-fflyBy3+ zqf`17;A5OjX!=Z~5FN=(77lfp6;hH5Uj#OHwdhPp!8@~iL5a!PGoi+0t{p&T$fab@ zyGW7jNXRcnilhVwM1w05lSMqj2^F}c6xlYprzGZfk*<{!uMl!V;r7&^>c!h85ig~R3Wtb_tx`F}tS z$tlL8&UR3oA608KD|rEex&o;YY&0<+UO6)TdYBs?5g$IA5(whcl7>ku4$>kt9?ZsftvG zvf-M*fZ)JL8mSEqiVP0rB6X1=p`qb?q&_q(GCa}{DFjDEMn)PVO~FyY(UImzOJGc7 zY`8Vj7Tz+lRb<@%!`_$2HFd20&p-w5`?zY9H)wZ^3rE0xaajDu?Tdnri?%GvbTWxD^+uPgwdxF~Ky?uYn zf4@IoJ|B{tedd`tGtWHB_iK`)I+;3~944o!i>a&0WpbOkX}ZUznmnc+v1z7sQ--Oh zDbwUNWtn=JvXwsT%TNFDJqsxtckdm0Ay)U4%DQ3~yklD)yZ4U$Usm`pU%bw|`~Y5D z4@?derv-tj0q z0^ee!5BUWHWx*5_i$4m5k0l|<`s{PTI{yYuUGATieXrJ!hUgv-vA(?rYP|wJ0Gj$g zpZ4FB;V-Mb3iG3ZqpN+i>7!6Vy-_&rpg;-$qwa7Ym>R=(D5FeMw~GOxko(^tkWC@{ z>X1K)BuIoC{L?D||G51xSe*ad3x}5D(f4Hn0!JJNeGZwR*Tv#Y1y=3_5~5HO){|JQ z35yDaZiu6ZDO8V4itb@>qCyXQOd(z2oXpTD91FcPOaqt1DsXlJ+y;I|bueM<0ZA8O z)x?mLFxabz4GVT_I2!y$(6KuxVWe*Tqqs>yj(=?RJ$av1=vFDLKkoy1|FXAT-v3#Z z|E7X}DepgZv#?+{dw{Pkx<>DQ0o&1K~(R(&@QU~EMHJm|G5|arKswjQt&@N{yV64U318s z>CpFrAvx`U+P{&wJOFi;O?+$+?K&6$W zT^YqKlIH?PEX@ZZ|8Qo+mb2<9Z0O()BJDT=b{R4W;T zbC?x4!Z(l8@T<6Ome1-9p1zn~zy@a~a;>sl!EwMY>+=q#?=T0j5mn&F$hxwH06#4_ zv(_W-9bOo^3X#QhnEWs7v|~OSe_W|241a-a!?8g=<+t)*_4lvY(azs(`vga~qyZj* zWtkH+kKlqQ|0eEOo8j&WqY$v$g$oryfD1Z=L_YvLXX>~}cYUxO0pgii$MN?FwZ%eV zgS!mz8%VT0zy5t!2mF?+FEB{;#pOQETY{O?2~A6}gU{&)s{4Yhbk!6ZF%iRYFwJlfd0AIil2mPUV8yFH z!#|69X-(rpfsT?vItJCY+Xmw}*O!hQA!d0&ejGOds**bbYq+j}{q)ATl;ji1OXV}gu5^|oTQ;EL=E^tt^^To_7Uwk1DA|dmNaB{ygjsq4Cq|s>L;9g} z2Ie2dy#<4N74(#9T4;Mlxb7)Mqy~Upal`3TE_qBQ8aWTuzsNU9>Xvm*1`8g1#=(lK zxSr$pBLKYm8ZI1KfSkia(2@L4{R!fP8{=|U;h0-zfw^GBRvce5H6smuT4XDbV}kv6 zXb>u%mI{$pD^RYB(-@wg-rxw5Y>LxKjB^}jUyDFxdo*q?q$ma9rLITBQaahQ1YbPL zJKWn5BbMXc5vtn$;Psjs0rhF;?*v<=LDxHv9LSk!LRpnD_rtewk77#!@RJM4B zkYs)?fC}+~oQ;SDP#l19w;7M3d#G@yH7N6dV5d_75e(S3+>8jItQiIbC>DjI@jn?^ zhEVEA&uWza{S8@*M*_scIQ|CdRQxzzIdUi($|{9u zdaSc-Du6-JG%YX{!WOj$X~TZ;h^;gJI{@T=j&cCe>l}#@T`U)_eMf`h^WRd8^*i6k z4Ub7{u-=&zX8RUL^CPYTs3L^;%3&A|m&XEiDU{7n8^QQtFXm1k zQns@q#NGwR=CgdV<%D50mGZH0!+yt)H{Dks8-zKpmQ90)>XD`w z1fiwS;mD+2M5&wfMlvx%UN*B3myrmRLPtU5ICB`sYbQkkbQWEv*olSDbq_~ymm%Nd zW0EPTnYF55m>K^a$1t%$XzO%M`cLqd(Gjj%-6%%fL*~GJa%aaV2yhhPW3vY$$P&Vx ze8adqLLN{G#?vBBYkAlGDkMW$#raPymsT^zg2kUyB$#b6o0(dE;d|k^_y33u2 zNIoP&YJ$W9)#;s33h~G;OrJ$L{+b-fJMagO`w{J_>Klw<1?sdUUx=}XI#?Or@`xqM zlZ(h_sFa-NbfwPpKLPi2* zpE!kyOCOaXA`7qs5(AD99^O}yM6}$dj4Vu^5FLP+t(~E6X~Q}oip1YzDZg51s5%13 zLz_GZFFMydFBQ5L?vq!A05`_SJf2m^q1=33TLaFc6FyD6HVQ|(_LS(5F`IIoETOcw zGX|i}W(s*30vg&C(T?1i+>T6?(0u1>7%KW|TL8*{L_njG*Yby){=)q$vUSmQV#m82E&CPJ@5v}olBkI$i zsoVin+^oAOIO}OwssWH+m;i7M_0xd6FbH6ubzbXA41}L7+S3=IYq#;^c zq)@_b^9&3r*o1sTq)ozjF_Fs!ERCDaUa8g|9 z`|RtU&{0Yzgu=p?t14KD-r0|YH#}Zo3E`?CAwUBONeCrPQGIFz{pVqo?ns2JMY{3I zoKlr`Z#XJq115Ma`p9jeWw$`5%F0FbG1SZYjmq+lQZ@}_kEu`!E|z;E_oeWLa{L7z zNpp9kLoT5d&TKX^8D<1T1VFm3 zvadN?{l>DJPylAD@e|+|@fjPQ<3^0D+rMNnnk-C(5U6}=;H`WMSth)+92z*}N6;#j}6>LMeheF2ID=Nz? zdfAi%+*p1o6|dGV0P1Jb2dY)d{vblF7x|{1e~$(1*DPJGxp)xanU_ck9Y{oE=WT&tzy6 zqy}d*jl_jDBfFy1>C$z6nK3d}n1p?#I7m{R#*+rAv#o(GSL&kC93 z0CU4Dp;3mp0r>?Zsq?|^v= zRY7{0{VdZNs8!RmB9&~s#kh^T^%$p?^wyi4ugbbL3eOf;ntbsJlWZq`EsT53w`lXZ zQF}IO;Z3%O?G$VQvKAU}Aj}H1&OH{9{!)bRI2}tjK_7N+MbyIWWv0S!{-0u=gFW|m zbY)+_pHuva_8&}ZPwU6wawIw&N74$91n&T>uGY6G?`PYXq?tP0mpXuKdzCvHwOL!Y z;6yx!y`zKyM(b7KRX9PIL-XyEaxXc{kgcD4ry;_w5j-mvGuQ79YDPNA|f^rALe zxqOa$G3GC(hL8nVV~KGpF^SRrQ^`!rnTJ5v0hI6;xM>Qx)##?kUqnJJ>!d-4?=V$a zH^XzCVP``0p3fyH?On|qaTnP@`ng_fn>dN>cHOgSZYM;-4ihB z^lY%;OoLZbVD{v`;H@|IS{gu-QB@1N8hQi01N<%n^7=fSC6s4{*fZW_vRneZXtmZQ;KwJQ_ zY7r7A;bn9kJDL$*GQMiSI!Hd%ZHV`NCUoP+1FDNSfgfNb0t;9>0GOVUgl?Gtp(F;6 zv~6ly?o@|xyy(QwR^EZt=u@PLn*geV(}j><_jx!OfTkuT$6`S!fP6MKmO01eK^oZ2 zXq++Lfwu1Q$MZ>`mM_N|Nz9n4AXQlOJpnVY<>zvJ{T9~+X>9%D4Xcf_MEnd7aEp8= zM=aL@nitmxTj(w@5@&r0$cNt9iZ79MwyyCF^9wBgr@-#<2c}&6Qa+#wY;v*9xxhcO zZf7dF)EHX!DCtLffD%bYAlZ;Dk-j=Nznm+oLwGcq=d4uIDlU?gDdY}Gy%QRaD`b-= z-6E>%&l|RzX$GigSC6ix^IB(cCyZvDFFG}srgQ7^zKF*PS z9k7!=TmK@=Fw7$9Te2Tsb@yCE9F|nP+14pg%Fb4uP9hD!Cd8jbPq<(1K-W1mc$0OJ zU~7YJwpkDj$l!W{_Tbfw92`(HEjvgnSA<97L#Tq+(iMP{NUZfe$Urcf+@doi4-Pjh z&?mj9q=i}0k=P#S(=^&#mJm4V8HHediU*Qa^kRVnX}{Nti%3$&G|-JnF1ZeCcj+{` zvUR_9WQ3!8ei^4;?kIkqr0}f8jbuTChYBo{CV4?w%m}q#$FU^Bm=-nHk6+~9CVD9k zUg+lmEb*P)8oC^*y^xPwp96Pm9sXIXsr#LuAhoeZoLb$(7)CQ1{{t@h|{=8 z%VWAYC5aR&ah)i@BGr)J$)@I4;#gb6HQ;)N5qnHdA57L+`oPSas+}Ls56bI?#1+^` zGH@kfgi2CZIGwVt#!1JKbQu?rp3cPxN5dEs>)Hp|aKdKtlzTIBPC^xs<-RRm=#x9g z`F*Hut58EO;t%93kN}W!ct+uzWeAVwaz(q)*PSQfoeKGR_ZotGIdho6!`4iF%d3G; z+!tAn^|=MPY{lK?b0G4;23k8YvLcs&gkY&(|%L!EUfCr?1m-Ju2X z$kN~al9r!TYstEaPET`=KuIUGyjS{Arm46dmk4Gu7N%g}m5v^N21$Aps98xIx?~kU ziz|`VYyBEPKE{inyR?Mzy?*)|%6E@{;x@1m8&A5*7zEASIx& zOG|3&!M?AyogyFX{D@YyZY1m27n730BLFx`CX+>7ON+HWgXN4PeA;-a@g#|7Pw;&-~HC; zefj>o_-*Gmh?@)cR{E0f17M23W3zrmFty}kwOBp08F|VP2aHc;3xpR)mftEwN*!8qadg&WSjeUU zg`6H!)x&Vf6ZeC@^MU0`{dJ);xEXf zz6er9zq^qH5Ih+Ugkf!hNH^VzNHSe}+p4YWceglL?TDODBdl|%y&p{TjU!m&yObu- z&hodRf;))nH8w*6z)>m8-mhNfqaX1gA)c=C^<#&Hw~WgB8?trxmgkK}n|h(j7x=8K z9~9W{J1Ea1Tqgj`k(cQ=ZAP{4Ndi_oYjA!Zq^{H9*v=fVbjO-U(oyPV>>yrP5g0ec zj=YPQIrf1`7rGS;0W5CvSdmZR_^F}^w|&rf7oD}5j3(}B^PqhrSLnhX=7&F16LOo8$BXeNVGlkGf1cZg~>E`n1t6YalvW-5G+ z#&YI8cxAW`$zaQ7<~A|YE{v90moXgl6JVsB3!CHFSrOV(y1Zo>q&q-qTyT*`8n1H; zo8Kj4U?emwQ?d)S-Wu)Ri28hvvybE>NBC+tVk1nYIiib?zWOj8)_9W_{WEemfi^2n zr$%Qt4CH>6beq%p4as;I4ebR`ua1v|?p#dG>RfG(gvbJC67jTwQG*cjy3`pz?HPjD zQHG@Fdz;%-LEN9aO6z-?B6wBHQ5wFv_gI=>Gc@x4z{xN({nsaMjNBRwE=c!#%2yEX%4TZc3!P} zRmH0_(oy-uj4hy_TJjs#;?vrm96qI(Qe#L17Yg1fPgfH_jnu7-^L?o6+rzARTEhsS2hgex%GJ!=!Ll;-tUj)gs)x<|*fFk>yFM!f@ zBEbBC4UUO*yD^z;ag!0!gwsOVL6U8JU72pDe@CAio>#J|2`zoS-Pw92qp=jp9AfIl z_=adsb9K6|V}y`)^$M7i&2?HBVW|pmhG7O<2Uhcq0?%&|BJFCtkKu&_+60Se5Dvhp z`~f1|s$m8gpNVoU;RIOj1MXw}D?7iw)*|Fv*4n>47ccB*tl$SI6RFjN``G~ZX{Y)GLp-#g<;)cPe^C64!&lau%-%y6qcPLxrIxcPz}Sc3BM z7>vGfe;HDSEZ<=F#k+#moT`J-yu?ry#dj$t+CXaBqFaEh+JqqKiD_i zyOP9vwjmmYH|xHP08^v5kQnmI@lAd-?PclYsLlBvEbd_Vcg{eThOA6P>PR%b0+>m* zDeOqmIV6PND0Y$0V)+~*>jfu%n;%PKD;JZ$;l}|WA^?zpnBfh?M!H$oQC`GJ{3Of_ zeI^6~D6WO$1-LUWkO??idp6wSu)Ru-d+LxFCw9k!sG2XK>8MNoS8Qlft&zPOk-Hp+ zTVK+XUQ_@#Vi)#?&HV&6f3GLmt_aZdCUf2KHWHK7h8$7E$QOfcp#+(?$2sK?VG7A2 zU37yYbk8W~gEew<$xOhw&!j%paR@p;v_tS$p zp6x>~#^Kk&wCKr1Ofv2$^b*fYK85^DQW|9+Ra!qzvJEo2BG@05=1!Ex7?yE+N<318 zxpz1%=GASzlh|Z!JtJ!91l@EMiItBlX~pj`D8W5Ywy|F{dtH=| zQH~?l)7eCO_^|I$(a@YJ3f@T2)qI>bsho0=hEiqQbD%I!#QTmg#5)?_ z6~>Nu3CM}X7|~6vMVo?76wyT@Qajk+(4ABoa<#Ti?j=_GffFblBI%%}fr4I=@>;2G z2MhR^H?je)Vi6U;rRTYkh0%r(C4ESg@oryvy_Xsk z8i|W(YkjK>ScbF6tIo$z?i%MvEcOFGPCpyMJ;`Q9EH1`7mGVkdu(FTwoI3wq&kG8( zhGpXF`vu)t#*2(k(p5*$J)kRx!&<2xRvc`j4o&cXU@p+LyoqjBzH1$0Oe)lCbK?9{ z#JK$BWs<0GtJ0M!E#tCGC_S}caIn{9dX~irQ|Txi=Ujyt&Ypr_#9CoBs0kdh&P5^4r#g7F3fC*1uux$Zo#^|JL^wO6#-9YM_dE7S10KNI!o`V}ZJeGjaO#lrLMZNe_y=%Wt_O|+Ynb5| zrTn2rUSlLc&xP&$d^|D0nmti1Szyrz-B6b1@OFqngV&{WQZ*tmINSHA?p4aXp>@W} ze0a<5${zS(ezdfgSxSUdyBmzJHr_2AL+<==++RL{4Z}Gh7uzid%tze<{Kume1E|pY_TLe0n94aO|fxL zBKMs_o|<$@&wkBld#kMHKwHuY>RXR!Zx4{)48a~IS^VJ2M0X>uSz)}*uwO>wA32To zeHAe9L<%Fo>6GJiBfOBjROCTyE~P_qzGmFdBU0+#kFcMDbzo zj~Of`F3&V%nWkH-$6bKHL+X+NCWhy^wt_;GABHz!Z`Cm;3RvUg%YHU)j3A}fZ)0(; z#~ZWfaFQz(XVLe$9BG{Hl*ZkF$w-=fr6^rVa?|@VG2&!07pGZQrqb>B2Qo76lmQRU z=nuGWv=84%bKU!pIISuXSx&g4L&*w-T%J>{Y8%9=jOQjNeX6v|RQrK)k_nxAF-t-l z-v*K%vomtcA?Uxt24GK|j*sH6GNO=lC+UPnum`rW9jF-T{|6ui3O@~&5??ISEWy=?!^J1P`EMBTz`Oq>6*+@cni(t+$Wa0dvl(@d~S z00%HPN|-73E8Gvt@vS4C!6>&CP0)3-%GbL(`-ad$8K@UlVx2e!Xra7C*rJVAxuzF= zh=eni)x4WNjw*EX1BO%{4|aZ$>|5TngBrJX_id2-YDg!~(`M>s)6$JAx>?@Rt<#kM z-DwFi9~>ur&W)uv%}9m&d-@=@w;H@qy6ckr6;0z1fP5dUYy6103&s{z*(8R&H6tn3 zPEyP@9P<*dIbCJh!$;ytw&{H2wF8zMGAgeoj2SHTIr=WnBg4g&ILguyyd4=px1mF9 z4WsR;%$e7Lof;>-#dfEFM0f#pH$a2Th{oa-yvTM57rF|`jhEa;qz#WG z1F=5oT~-iqxHp^}!gF~}yTAf#%yTX9Avx)2&TZ)|Mvi|95vLHxe?;{BKQcZ-aJAco zu8bl#q}Gz22>cX3s))C|GaJe9v!u>`=chC96F8hc+|(-fw&V4_{>BvyaQg{PXC8uS zU2MkrVpp~_MFK9ixzmkPsNu`9+!6A&5Lg`^2q{}GYIEEukZt`s9M5RpduvqFF(%oZ z#WNc3&)TO-NWEOFAo=#m4F|k40Fd-6-Hn*Q& z9i`n!OtF>e&1-y!?BMzmv!xW~;dEgQ7YWWWfU`!nardp)}GtbGa@ z06g5axm%dKJAaf%Bb=y^ukL$i#P0MUzXdVHs zfvrC93W!EAm9rI}(E~2K$I@ z8Tenli0vMp#K|)%P);rIoU&hq=K%2PT;I-?4~pY(MLl*$>LG4tj}!a?X0nCES_;T8 zoJ3eaoX;snG+8*4w;hr3xg%k{_6(4Kl^|a0UIF&?SU1lFCK$iu0{h6xqchEiG-A~G zsqW%leqDo8!l(k+upQUMEbnx3272_oELh?UuDQZJ#W!;t9zb4{-rjRnddqQS_YT~T zCe>$=m*oir??TTS#;aK-fsKq}t^WF@eo%c$khh$TAKyCz}S`3 z9hF5m`vM1@idzkilIDyNNHF9KN8-K=F!sfW-C^c_714S0Q7RhK44x>o=MesZCW?N} zw>(rjnq@@3Wd9H#Jd=>r?D&j}6Mi69fxMJUD>dsnMTo8>CK?2lq%|qYlQ@E##r5Mf zsjOH)+-2u&DrNw~HV-2+@IbDBA4$7GfW~K%8Pw4p@>s<8z{bKs;#wT(3`CO=xEoW> zd+D6E`Jtrul!nhEjU$zT>*ffHE`l20 zS2ijQHs26wWTB5NtL52uW!Vt~1>W@PMewzkmT- ztq2Aa2BUNWL1ZBCAIj}GT=(`ssNZx`HJtE!eBtk>2V>)^|LX9AlY=*GN8)O~;~)3l z!|(a??%$r({^)z9`0biMJnR19-{TA0gY@nfHon+An3wPwP^KU^?ws;OdXwdwzOU9ir7xU9YG?GO6j7X7!n{$9fW-Ic*o{8{*a zc;s(I{Ld%eZ<9Zq41#Yj-Gc(i`YoXkGOIx;mw!vMzSouy4&BSR`VCX6{mcgdQ};uP zAo{1OHrNXwG&CTae%rivqu(~~_l7@iL%hxJr{8~40f;rl)V=}b4F)d-Lr3qm62uZf zJmiFw;8uI%|JTFNvJVP=uUUhA`mn-|r3gB0+<-D4THatg`B0rS2E& z{)6w|oG{{E@O|-!V3fWvIBE(6#K{`Qi5c8i6I8s^Oca(O z%8EpyNH-MfI8G{T#Yv?XgBKJ#u)*~lj<T_* zg~Np=XDLDkpinC&{wI(*!-%rpLfGouibga9vy+%C{FIPEES8Npp>P~Y;On@<{3|3b z3%Hp(qK?cYj+>N>DkE)9z6vjEnpIMcu(@eg{U&D*G`7po>@NIrb9SJL(jT3=Y@Hw%M>pfv6 zPI9aPLR*QR1$o$4_d`Nv^Fi({zq@`EceI|(TY!(J9T`=-iFhrY&jwlq;c$-d)b_sPf-TT%H#D zxqUA&BZF4T)|Z&bmNXn)ISWUppTxdO9gZ0a2-CHp%*%?Zsgmnr3iBk0)aEZ5h%BP- z5}tv?{8YvxuBF=Mcc~f=!>`eq7hl28bJg6^_7M3`lg@S77e=G`k193(W5pWi69ZI1 zHL19asmt;ps^^z-X;S%}&0G{jMCl8YiC+AcY;k=D=DVq+qs2|FO~dFsU}C_T{A7qg z{JLml2sHwM3CX_m0=2e%fXaSa!1MThe;fBc6qp8s{mo9y@Fv?BoVvLkWc3 zn;{@ReKYp)Gb(@Nzrsdgtm8vIE@vWYndvC!J2GvJ!!O!+qt7Po}iJeLrwLFiO)NxbFM6DhQ*;_3_5*Sr|Ydj9s*{iImfNJJU27Vz%4!)Uy&1)djcO zl_l5`bn-IT<$YN^NO{~OC!^graT%wh+w05Z!-)Hkvo@~8W5M3{p;pCUUYtdf^eT7& z=&cRoVI4S{F2tKSGpt{`<4sD?(<}ppL{7^jf55k8l@uufhXlu=yrBlr&LFQbM@8cSu8o^a!KDqby@3 z9bZGNcqFgIiA3jw2r&=Tg6QyD+#-@Ho#HsY0D__JMX0;eFg=BPiU%kU^lO$h+>y=E z>}2pA|8k>-QocE?>0f}yop`GcyjIEnlMOSun7b-)A;dREbCIpn=`5V>k&v-QO(lLK zn20M7SjTJ-s*^`FSH31}UT*|;qjK&sAncHu-Pza)p{)hdFzIDWjqyz-Kh)SqX-uLp zy6hg}bpvmT)~4hhI(HNIA<;&&Mt4)?O0tLKlaSRxH0sq{Yf$nZ4TL9_1unc@yb0EenV-C90iP-RIyw4Ki=mhSjGY-AI z6aSo7@_8k_@fgHfVS#>0y9j%O(d<1f+MG<}-iyd1uA1}z4%~FqzynVay`zQElM{I< zP^Fd(={%F-f7#L9x=AIOef5>s#F$_t_^l@dULmKHUjr}TU2w>MFNolRPt6h&D~2HK z01EQTABA4FYTIT(R~5;oLRh}>IVFTBSfmAIGf~o{5X?VSc{b-$g=C>S`2=G(4*sS| z&l_hm;tB{Lt?&7-5AdGGDlZX*YoFFjVkAz%(IvgwJ5aUQ8Ju?25G0gM^lfQ({FwI* zyOw5LrNook-sUt!!fxmQ?hGCU5YXik4qN3)L>56fL*Sp7JO8sST2g4*!>S#VZ~Q1h zn8FQH79_PrU+cyvk#Y5-1T6##Q5~Mm>+rwuKAr0!|4kg^aMow2;=|~RUkWSu1vVa+vymDjc&8S)lJhc=w-BFft234= z{U$IDeq9y@8FK8V}*?jIU{~rFvg5?hoIcAr-(&4psNIZXJ-@3iPlL4n2Be#+g8cZ!ilWWP_Ho`KL}i>Ul~{g(N-{bOJi~0JQhEsl ziKoLTP@F?LnHOs?TVsbbxe?kP>VT5Xp^{k~LKozfBPtX=j~9_Xx$AK*{EBg%gDG-~ z>npjR#`P71PgbeKNIV~_>zpyxbalwRrW`YE*73P?xPS5dUuv#Ej6ZTs2V&2 zcpz}RI6E*TeM*GlqOa^Z5Aj9)ZY~7idrZEX+fDa|7I2{3zDhE;{s5ZWhp9 zB^Q4KiGcC0w{djqE>II<=rOwB$_p^d1o$k*TG-QVMZ$+zUtEWugM(!x_S#ITjSj#c zH*7GDVm)0DwF2=EkPK}h!{lP@KjPV|*c~C2$PvU=;{UhUiSk~*$QS!tmcn47i`U>+ zoR4a3Cvb@~8hO8S8tCp$km9j>3HXzhG9|!PS4%rkE+3-aohlJLK0BN!)rXw8Hqr!FGG-W zH~c8~G9-yT3UgU1eD1}G0SR~Hc-j&7ho0WC>>WIV(^=9WqL}cIA4rS*UvX);$bSW2 zZBC*c;a0-CGFXgt_yDJC46x%_UW)>{gDj`vs_;IDQo=S|y>&W{#HWH2(K}hsW8Kkc z?^+S^^63uzy*wYW`6^t_e@`>1OC6~hjBLjE* z18QC%J!;Z0OD4-D==4SWcL-s@n}|?(68E5ivXfXde<{Qx7ToVZ^}i z#B6I9oV8JG8cyOJM$m(X*o?;faH3=9hSTS;x;5EdjIagbW}_{}^p9-s`BitCv;%>n z*!8k>)6r}_!_>b*=a?(0akN#mw7%K&BZR~kahxtwIkX7z7Jh)WLdnItKH)gY<(ugE z#3>--WsPw}gxG2jBS>1sdn|WZ=wUucg-GoI>iIkJ-*$~66Qo96MTlh$y?JdmS4v!Y zhcHfXY`QjA>`9gto3RL^8?{u9!xk|Mk1(%S%34Yi0%{yz`8U!J`d{H=)Q~q1Jm}mQ z_s7WD19R6&Jeg}VL+6Vhx(z`@93-FwE&!SRcU(nnD5)lQXqH*4qiV5`a=;l3d7A%h z?n4Fb=7^SoR4t`9Zgc&}KMpA)t<-LQLn|h@#zH>L_!Bzab!A})9fp^9@A%#`woxYL zbT*7ij#NhC7pA&|ZRVZPVYKit*(E=Z3zyT;)Is ztzrDv!ZfjeWenfR9K~1OWmfEw9}b|Rf!OgL(>KeCOCTtHBxU2NQ4?POJ-b|K{#=PsbY5)x61R#>Q89-soCf{1X?m z^NfEi9*lE*SN1LEczl8g4m%NWer`Ng*X)6wl!slCi+hdeg|7U3V{QyF@lWA9zQ_4Q zZVpV`Nc!&m1cig}hoa!CKByf?}rf~f%GjVq@fkeUas2kg`g>&OPNiPo#5v)u% zVqu@OcuzUkBQ%vgV}Lcr0P>QgltoMy<734)=~!IDM-mVAgN8Vh^uT^*X_*^7IczEO z`@1>^D$C4xAPk)F5)R}JfQr!3`(gR7>_)4iYyv5RxvN0aTwQpV;qiPr*?8H)WEXEY z_Kl!=^KvyT6cUQhu+{3O+t^%7vEj~1-Cq4pd)ZJd?%ND`xx{H@eK9f5}oaPJn_xWPP5}8%9kCL~12W!JLO4%H?nxZ* zs-#0S-YkP=Mx)30(LNXLC~Yd(fowR>hj4vie`+y)D{sApV1Qwe~aC~ z@l(7}77jc4p0El@q0f?7Bc?c(?@25|rb9<6fghF#KTKG6!tldDFv*!H~=C8t? zn^eVJMceqE>eIa|CkReyP}u_RJG#WRGW8-mmT6rN+AgW1PhkT$oAxAbDiV(WOq?x# zNfV4+qrLy&>s-|!<+IK!3h&RAk${c!hExGK2QnUz^@bMne1I%Xe+RN)1`;DZPdHa^ z!V=)m^-nIWrLn-pxrl`sas!RWn?T1Xe*K17u7*UIrWW%>%9pxKxTDb&4kSY46uFKQ z*|UPwMw;bQ8$=9U%V}`Fd#gp+vayZ@Bqmv=_Iw)rRNhsB8>Aa!rXlk6U(k%}MU-oWg+ioraQdo7;&S3uLue7BL$M5U{v`o69 zXdDmB+9V#YF+4>lEevhEY(%QLR{LYrhgcm)fCV8$McrySae#JXJ?hEEyzu-$gOm@Kb~_BtbN|h6%p<0xsKsQL3TOV?*Iy zSZJpgCJ3d)iLf3VF7)z`ada#D#J{)l6RErIc@~zsWjA5s@j&Xbc{CGflAeWKga^0c zr|*et8t2|g0X^+%@dj!syxx4GCKq>WUC77TXBA>zFFs6CjgKZlD0e+cvb;xZ+!JJ_ zVCA1A7W`{l1PqT0$gkYkkwDh`P|hBNN7#;%wANd&EL;d{C|7dX#Vnw-I>*HEw{bc7 zhMlJJ55VUbi&VhwQ#UOTqP;2-)5MU4B%i*B3ykY1jV-A{MYYOnuW?J+Q_P;@{%^Ty z0F`irR**3b*`3>0EydxJd;!mZ@Vn{o4<10UPRM%I120O@(E>~O zujuz*20?Vt8)_Ur4=GH?ks@mJajZ;u{CJ3}>qo~!HQA;%Mbx0tZA3rr@wTwo>W|tw zm=>B&C==F>K0y-p+wUVRQ?B9Y5wq?Pef~n}W&OCd{zcq`$D0-zChxtt zC}!$$ZgK4NHwqVvGe2rtY<%cYTkp7sf5ClB^Ho`Wq(!mw`om zxt4Xq=jU2CO*xU<@zFUUd5PPWRpqcd){c3_wrj_>SCTY)FFlg{+;Q#Fl>CK`2z%?> zRecS42Q&-yhi!Esu@{fy&m!kdeoukLN@*X2T5XnxmA z{d(oQ-Wt9j-@SI?^Gvt*6R)4|_R+%l3*A3iJN82A7dy6J@O*XPV>bGm<73;%owMK7 ztG^qa*+2b<_nr^S`00!1`^QW(o$TN9*N^U~GcoO|@e-k0lSOR@G`*PAg>UrI_!2H= zcPJdxP4XHT}9=9JD6C+qJc83VPhRyrzFo%Liz|-mnRDgNvM#;F`D^>-+FGLq z=I4JrsP6}9qcQ5^EYthEA&8s~c8+_^xhv<+;;s!>he5#pyqNG4}O7W3L33 z#E-w)aB0NLgXRw&Ir~=gg3fd9e!5;Y@7jDi`fq>J42fT?4C`ZBz~v|h&u!Sbmd~3h zl$`UAFKZYw<`MhLL&mO158FtZO3hctt*sfbF|gjhPKex8{_<7D*4iHg+v9iVFDp%< z&a-(d(zNePII_gOsnchxN;Z`}S-NoOq^Ix;hMv#VgbtiM0;qze=jQgJQ}&&EK{u@J zwVYw)^z9ij6^C1Q4of_8=dI0C%MammQ;(C5&2cA~!F*+1)P(mc&sx^6u6osR;=O6L zT{|>RZy5L8mLYHWX7(;!d`qI;hB;Ob5--^-=d1hQSyVLWa#`{FU6v1-xpmUpftkYi ztceH3neW&BL!5Q3v752>(~UEYvv2I~{l@ICTK}G{_i3(u@X+nk9plQsyEyox}EW19Mzs0euV1cgtkEVs38D2Q;59s*9u>*#*G^8r0 z`;!Bsf6Q8Bs8C)*u`|B7wz#5h$%pB4Rz+PG%|@5G(bqiD+;!NMfYuqmb;%gx*`~xd zOJ9i!Ip1w%_Q(A!b9d~z{>a9CZ*N=L>4bj!vMv?gvGP}!m2XvD>Ni;HnEX-b@+GIQ z?z+4@CI3lgMe6La+gF_VYNFnh78boGE`5Js7?<&@GQs10>eFqjdT9?|$NySJ-s*c= zKYe>oJDFKL_|2%F&gAxZ(Z8jscTscH>K_+Q?3YoWP_)w6dv^1<>X&V0TL&#nbG@JY zEUvoTt*`UyCl43g{2^g&VP2}Gx%iOX8rc#?SF8yDl2OO)2qRyaL>{D!KM)1M*-`K*S8bv z>R-Vh`~NbU{-txLJD>Id9xirD5IVBBVsgdQnH387IjE{85JX|i@lTl^fT8>e1^>ez z;k)4B9qykFX29S{aPpdv&iBXbkZ81VBf<*hs*RLaXf|%tpinnKDgpK~Nmv;R->Wum zgo74k%*KsO7SllqJ4ghW{=2!;;a+?SsND*P_eUF9x%Lae(^`yh50L{&kR)EliVvr_h_hf$7dk8*FJ@_{-W%EDWB1Nc0XR# z?)d7A5QOmuLE}R11IGo06#RPtRR=Pv3*%o@{9(HLBaYp@lM&MW2}|$6UihvH?S5Z& zp+L2qaA{ov4%36LZB?IPtA()GVA7zu+^@i4D3_=dt3$8~y-BnHNS6RKykW=!|6w?$ zb1p)S2XNy70%sSIE^xA41NV6M1w0hRU`b)2aH5Tb0mL4_?C58oW0!`L3W{aH+vqy9&eB~E-Z!Y)Hn<7GVTxh#|$C+Pqlg-rO3l=smCqu^W5C=+7gl;EE!6Po`E!e0;l zQ}aJKsJ{;nce|%Y_!W3Xttt=8bs z zo9gz%XKP*dJ8)Lrfq!N02i;wBH8ZO`lSm1f`uE)=E_^oqiMf%_xf5~c1PV!in-wCVSE z+S~O1UXXv;s6V`>o00N6JB`c6 zcz+`+Rb)DBm!v*f;}JI$xgoOJ#Q^E=4h^`SHHu}(d%^TnE9l=$1W*U_TKc)|ZNPt=wWT+f)VZ2B7n6ms{InLb`EY09@yjnpf;e)4S=YNjQ%HWjYt;a z9j^jdNZhgws@+R8_Il1vD6_0N*v6ZIoTaN=#>of8=)qoD-KaDwl@1_sgzL$1V<~IC4{wzut8_^RN{avJ^ zNGkE5v^|rX(x`Q8S+*Y6#zTxO00Z7QR7F| zJ~ZvAtu$2zeIjeQ-_(-P*7HUTa_+oN>%|0IEh4r*N-b(a8Lm8(R^UeTn|QVR4OG|% zp|bknSoVm(-AuNZHi3J3Y$eVr>j)IdnW(nN8?7FX8;Y8SHJj%TGaYe#P6KYEXhF4K zaW>Pl0S(KST*h6vq}uA(uH+AtNhLW{`ku>m4pLrMyV_UIX?Y#jh@h8FNH|B5^dX4`6R41aBYa za|NgCBi#!Tegof$&zfHYogEJW57L{t!}Ilm@A^-cri;V)eki%I5V2+62h|m>ik6T| z$DBv~#=t9{B;t>T%*Hox?Nlrjec~=d@;9MkI2M~j`FNBr$3uF$S)}1j`xHrgyeNZq zNO4xIRj1lkx{+-i9_j0WkhAs!ejvQRQ&A0soTM+yM!rTw?E@^cl`X-*>e9Yw`dYMg zlj)p&GI4*7krPrx8%mniR+f;?-ht|hDr-AZdyY5gW5aC)fsbLQ(oUJIG6XcVv1rPs z$4C$45?3SFfq-6wfb6qi?9(-CT1reR_i!Xtmh1s6=*l-PAyUGoitnn#XFyN&JvDrP z&%=b*7lrfDU^#Yv3x8Zju9T1VltO5C@Cy^65r<-DhHcAUKc8kOBep$!{LZ!D>IYVN zolt<%R~U1qY=6@98WW?*nJUdfX_FGwD9ybJ^XX)r*b@V$o|AR(7UXPPs9xqq1%hh9 zRFJ`isYr0|n2KEc_Wgz+x#uh#?-R#`RLGd0D!7+TMY+-5!or)Fv@4;{d8OY-`{Ha= zA9ytz;JXSx49V7D-yFneb94CUyhEt)4k`{IOE|o~FYsO0nQ>!Z#GhT+`Q9;Ku?$QC za|G<)f>+V&2j``A%0nD|j7#0p-AgYdgzFAG(70 zuE9df;M79QpLN1XsNs)lf>#bfJ*`Em`y!@`*7j;)RVd1MwJB_4U$ks(Xl>Y%fr#zo zTHypl$eZEVHyk-@?hHrS!;$L^(9`HUhY@|4_Xocg!b4N>NxHT4o$jif?$?H(HT_g) zha)!K^|f;a6qT?jVP7qBuD?@@Ce8SVm{zJLlYAig~Ky|5PLj%|vOth_X7Cpz|l z`toqJ<`GrRhiFm^zVjjArmP>1e)tg4A1-(bOSL86a!#m#R~7IoUjuUL?=+y54QTB< zD#H|--F_h=g!S?b+%-P>z-Tgjed8>3&#=$V#E-*DI0h&b3Y$fN@)|2p3Cj znrfor;o6~<$o9PVqrwCgXm7pzYDnH%L{f_TqWalEwflAYAoa2~wVQqg70UQn4?gdC zw0;QUc5f`kjYD7!`0g;=dd!bIG#=;tUN`~e&i^3>mj=t+fj>iB_|AB2887cf{19$8 zAH8-wKn`u_1t;b4cvi3&{1A$R4(BF=(t$HIH(2fvoO&O-a1oqrt>}Jz!K*i+y4GTA zhaje}E>}}HFHBb$4#{WsF%IiBQft{b1RZ)kY#ZofC)dZ$#ZbwA>SGD|Pko$QizFML zrlWM#wW_l%s%ur~*jg2^&$HYfZ=f`)Zqs`M%3C-Pt)3?y9TZkVW z{62R&%6+Zrrj*ZnCVha;o>hSoQMJb|sA~QPHS&{&?yY)Vs+v`*@`0|T-BXFRT*$1U z8us*BKgyX3IH8~*y?$ASL5Jj^zTAmdWyh;pRfu1GM~l~M@jWHF_iLwi+g#*(K&AUw z6IAT4P>yBOh{DGsN)tnTBN4RzSQ-UNI;jE!yv%epUOyedmpV0GpixQv8XgHYX|5@R z?OF1{*MbT(d#1Ahdb%8a3~BG5I{|6~zQcc~75)@1N0Z7?Wk25@499zL;U0Wqc~G}o zi?}wn7Vo1f>%(0wEJyO5d)h6VLp8Rtm+XDAbYFC_UrsP@NIOz%80n&t%wyfHac#^f zH~1&Uxs(nF&@v4Vx+sfzpNDu26S`1|=4no)5*a3S30{RSPp4B|sy{}CE$JkgJB^2! z18&2M>7)b9*=~o|5S2yRaXaPiNY|2XkIBd!31Gxy+zDAI&8+2huXGWzi=Rh2Ll$_0 z0I5-$V^i=)s6sbfvCV~5!92d5_-R-8GK+3k`V%tEHq6N|(c*Q4qwIGT`KTtgDIJ^f zqx$E2p=A0o>-z4V=fQLj?_jx=^;$2uP^x>eL9WL7usFFhVn%1_Q+lzF*;2uAo(^kW z!~0$3KJ6%X-YxJ=P4WSD2&_1Aro9r3r4#$3*ljM-yY?mA9x|)n=^p!VCNU#fe9N_G zpzgCwZ%^!Yer{jnAs)Yvnc)$F;IpRbq`f~6Fe;yTxv1+fdCtNp{n)` zoFH5fnrioA^N4p*?c44v#_VTN{b6ilVzR_BeW0u3u^=qbZO*er);|SkLrcXMQT=1= zR6J7Vvg_A!W?_tQv;J8wnXeU>Bhv%5&zY={29;Dh1-Xi5m$ZXh37vDNu$^Ju(YfHH zTfd+ebXE^}U}I;lzO7r^)lidV>Vj&DjyTJJ?reuj@Aal{Q`i_P8QFF!86}_kl*JcWMHn8+?!|jlHz?|1EGT#*Nb1N*1f~VD>7;t z5sVA;#f7YUD-b6QlsxQR>!Ds3udxr4Nvs9Q*{NznSU>v3ddXFg={i4vD|LLr4Hm00 zZ!LMBRPaf)5{YkYM3v7=vcDZW1w=nZ*C(q<2XpKU)*&Zjzp!ERI+u{43n?I&JYDKW zj{dyC8>Jph$F9l=h8Q+~A#Up>8w;&8k)l9MwI$ypg&onb6{R;!qW00%@-V9O6%8!T zP7yK!IRR(EbDaQfi8HmOCz~S;6^{dqAYaHPi30#YL;Muc(XOIHAnWS77R2v^Dw)Q| z5O>P{wC~tj*vDM1MQU4_^ixYX$v;0ZUpsa^iEmm+$18Pe{iiun=jnG)!@uOwDx`=T zDC@J`{iE4(>&!?yit_hnE!J!z4-O?2Q0)moam!EP8}#b-Z2!hiXyr$^F$d`mCRNuW z{Yz ziIPTG4&m0aqOzOHTroOLB-gA@jcD0yzconrV>oj$f_)DHelU4NhVZgzdAXXJ$qvo~ zSlbnzP7JSy>0c>D!Q*HqNz4DJ&nN67uu%oPFy$sP?9l31n%SY1C}#>(@>AZKAfhAJ z$JeOMbHhjuiyByn@JWS6ybC__mBVUv*<}60I_Ae1-Ai#yB`sc!VMayqg86u~;mc@w zt&UH&C-s9sLuOC}wzE90lTXJmfe0`<7-lfGhnZg@0YC}B<=^I3FzP6XCK4W1>`4Bq zq+x!ppwAgf$pzh!e~fi9t@B3%j*a=b0j&lR-LnHEWOv0|E9lC%Ak~%oGA{%1+jTER z1y16wWIL{nE%C!%w_qn4dx1YZ->jch*z8opZkPGD4*wvVkoggw6bL_~th`3_y#esp zK_bd`#kEh0Fc}?0wQJy5o*pWPhu+BW3}(eMVVUC%uV|zzFbX9W|BOuQm7iNNl=Yf{ zu2J<@PzD)l>n9IEZs01YF~6t>Pk-t613i0+ky83Pa*sx3YKTAwWfWgRu6~~S_`-g$ z`&ru$$L@~3vYlUAUJPIt@?)wIUm(A;`GBpNKVeuOP2!O<_R$+Bt^bN4=E7@;&4K18 zmCwbsUsWpGw+XNZC|0T9T#5WM$P)s)u3QxgtWyjy@dgE4^qG)X-dRQP%0bBVHEORn zB-m2~#S*@5k02P9C(;$-O4XhjxI}a!14|PpeUkt5IEFbZBF6QhH54YPjL2 z1XPi;oje&ZbMazH!uiWAFMGnSe8hJ1cWPExiTPrLTo`tKmnb0rKH@vS!?4eYyFjM@ z`4?D&vN(k45fNC-8ps(b%lc&G1|w@J${|yEYvsf1e5{@R6=P2)WIrrWH@utJbbP?k zo8Y=kRNqUU4~$LBLlLOG;|+bP&UfLD*y0UOf+fnmPiH#BwNo;2%e!1V!$F;tRr2bF zw@rGklj9sbiO&Gvb8JUGdj6ZxaR|!UTrdXdjNHm%Bqm|B`6$hJ!q1H{Kb>TFo*|{) z-@qtmUa!>`j3YKvHf599I^7(tc{wrl<~ndaVLcd7L5}}C%U1CnOF+dNL}M5vukfP+ z;TQr;__O>E+_He4w{y#>X`BTDPf6eMdQ?#sM6Z$IsL;O4E`4jgs)_wttFK@H*KHOu zZ`A5Wk-~0Bx?TC1w;W&PT?$0iVcT(eHWGTU5#qe)#>puElD#MfrCNzL@EWz;l3aHV z9UF;azwY4v3G6Ch##*bwU>{A>14jj}^P=gISgJ5>M-_`t;r&c6wq`;kZ8WGO$($Qw zEmi(Jy3@{!(qLFL0nmTT{4ey^!s+bo5NGO}hzfF$cpjNwh@$(Uii`CGFDpPB!q&b4 zAT?|Rb2uDz&_58Jml4j+vCcLcW`+}e({F~zxGRM4O;=d{cq*Lu@+#$Mg5%FXPx>JJ zB_liy`whx|W1{>{ILyjiZ=l_1`iY@6!uQ9o`h2)~I(vxT!diWwSPs6)?)MZS`6ZP7 zY=j|S4?q2~5XJCo?#ZW7b-d}fSNNjmD zn>YVBWw!rTLkwOiaEvv`Uxa#{pqy3j6PGt#PDFC&27O_B(h$?m}^*t7% zdzx^=tmUkD4qY9>Y>BZC67jL?k{qu))9Z{(HX_NN&A(tz3Aen07vpO4T8%sk$zQU? z1<1Alcek#JB-5|HNGG-&Cc?#y>@-G`Dv!bDd=YnbCBb@JS0DyPVIS6uBDVSKbDi4^ zzeSN|Up#9ljb@E(w##ep61`y?Hysf7*)IIF%I}XGJwU+`B@fdC(|$V0FXOVCAd;8) z^rD$1ChOZe;wXgUgb_|8S0MK5V%S!_vTQQ?tT$paN}s{AJ_Kv_ELbL0OuvZMO}e^Q zSuOh?1_c```!HaRPr%MD{vA+5(wd#PIvWAz@%nQ}I=W^Vx&t_BgV>ynpW?b_(e%EE zHO{((U0N6vPS{Vyn|_7S^-2tLEp6w^hD$Vz@3E5-ILqfg$8Cx39LY9OAn9X&0 zHbizgQp@v*KL_RBqfoh#z%6#N)7L8Cj}$ab>M*wbVV;Atf7W7B#6=netSBUYE zC{X@%NXsc|wrPMIIkn}OYn@`JnZ*%?1BA+Mu;IwEPG@%Hbd=u3R>4U|QRxzrT`;}o zGFLWJJ?vExKr_;PI>bQrTUU-YJ5uawT5iyq>_QNO$YgU9ig>{Nl>0XL773&qyjss$M#8JOm9*a< z3Hy*0=Vx$wh|@gZ!0|u|baA5j2OEItU99F30UY{b zc~f|1@ztZ!>5`c_mn6)7%_g}9QU79-Ag27xUeEjl-fQo{L4u^b5&KK1N1eQMi(PGh zf>WL)uEoudI?Vur)2*Rj<+EIp)Wq2uK3sRWauc`06~=Y8&X{xi9nZfJFgVHoM%+WL z`P^U_bpW+y6{onYlVG9r5@(gaM(mKv)TShEsCX4|T?-#Yg+E{}wR{|68%?)Rv3P@* zH}djbtA3Y;GJ8G>-%l95h86TZqpN;vD&+)wMOEg*~ybS!&+En%!#Lyg^93QbW6>C-Gn>2Gn))?FignSRcER&^@IMh5<>+EuFL; z8_Khh>G^dj)Mh}+K4oKl{+Hwi9Q#Owrx3{(vXHd;M&;9n;RHV*&O@{lz%6ST;?)O; zDctF>X$b7)WpKfGVR=}JD1Ep1y~o5!bL|V`@7a2xq%%G`-(HK+TvUH(lvKA(<}#hQ$KbX2ipnuqy+Seh>bm{Ft6F!9(%SE zF9QTMu(y+Uf=P032YVcES`V9QC;#!8<&yn}ApkbJ{}}pBKO(|#BJ+4R^0Jq(da0D? zz2Smh2Xcom`r}4vH{k;tXkIQ-1)jX#&+!nE11mVaG83(H14_Hl#Ec};a)9k`It;s` zeX8dD-Z$8jY&&UO$!g2vTq96sBm*eYQ-k?Pe1{q)tK7Myl5PJXbFb1i5r9 zY(RiHyUO}I6BvpX%({hZkNMA%F{WEmFD6Y3W4Gz9*`dJ(xh@P6b4OveL<)C}@;<@M z1Vk6RHA}NXE$yXYbSB#&LBRpe3CmEn3$%(I&3Ce2;mIUe$#7i?R$>u$9AIKzXIg^3 z&|lHmcSHc<`9W8doD(MhkZhe7p)~R+m7c*Hso$jYa&n02EtdD6Cv!}1uzF>JO+FX` zV0ij)1M$i~CZe*ElR!}wIOnxyMtBy7xk`2KGVBV6EWK)YAz{x{&#&RGDD$+w;3X-@ z!Hz+&MrC%zBYD#2$?_Y>9|{YPmZre0Eay`A4f!T?Jt1k=hrB2U~mPR=zfr( z3cEvlevA~;(uX{@Zak|uglmXCuzBZLzz_~>g0Z74M1HUxO4ltill+Fq&98%P)_%fx z@B~+8dxK=3e-VmoMztr|!z~{Fi>?{#w7d_JC;4Sma$pqOfAQOJ^QB-}$X<$@?{ZtS zyCQKEqPqh6eOK{ql~lnU%N#g;E~@2C1JSvBBQsaagwjktE$34**RwWR9Hp%~V?%~d z60NLu^&NJz7ZVZO;@?<1Xfl5`m-e)O7KJh-9&nlTJk9R)9Z`w@LXJsfruThLus&_n z!>ioEdz$ND4x#1tX#ae!y?rDtTab4XwqVXQTzM9Gw}6{|dpViIJP^(q_~-DoY&nt| zDl|hebA32h;5mU@8`vp+NA4{Ba2qwkdLxQg_;ASOV0$0T^&aKs3ES~t{p)e0`?VAm z$Tl?p{Oz;K7b;|v*Gsi`$kcTjLw+30Y_cZS|4YMU-6ooKDc=E;0jpLC7!y$m9MP<$Uf@e^Q!7mc!i+n)I}0&U6<_fE3^tD|{Rg5kY{`T^bq zKn-O~mf(87I@D{0P-CySP|sI!15ICp&C~Ouy=5ZTFMDNzHwO^wlslnb33mFhHaTg` z19bczvW)Eh1a?8?YTJCn+CC-M!Gw~H%o{wgcCYa~=G3hHs>eYk9`{#uz75sx@=VRgvW=D<`Y~Ui`j*`Aw3o(qrhbJsQz){dYVV_L zJUxdLd*{Od5~)&Z%&;4XGau6cM3Z;6;cJZ&O?juRSfIbHCDXkVIKBKR@;(4VP%*0? z7fZ5XL%O)=#utV|@x)}1HTD>d)dEun_^DZu#Nl%jKLMjMoB{ z>yge$aTh&TV*z$pnGn&mgEN>d5y~6LuquKP_*0h+%})dSuH0V_KD4Hdcnt29eF-%` zCm7(Rk-yV(&zkzVo|hI-%lJ*#my4WYKCOpk^I5Drr}tjKE3rpRQssseHsaWK4A_Y; z*~>K47+tBRAOjuMStBA>#OA?rdIrV-qJA3}^hUL41H%mF*<$80i7ifN@c}@~9TNB! z_1AAR;|J_#HJM@Nn;qCuu~!pFocJp(exQ&}`iD7~)}zm~$O9s|N9@xgnod%W(xdH* zX)s6xb~^6>|DzL;o|fZzix4b-tVfw_ClXIY#14yMF~I6d)%NrRxUYQVZX2YH~p@ND?i1@$?M7_MCuqVTmbI6D;UQ01%{vFp_^W$`@9>* z2Y~PEG#aY^h_Pox%FjhL?u#~T4VQ`x(PONqBF(d8KDx4pP-`emAo~|DB6LANq>N_` z20~Jr%7jwG-AE!ZI*lMG;b9C5p9Xt4aYMcdur-~(FHx{7tJ3#kgCHUex zBWGlvlZMMb#9ZRIPEv2S6H{N$F7Z#>`(gby&g-}hjm?0a4y2;OtHq8reUB(HE_@GI zX3YMms)5!z%~nq6bgsW)UL@Dq@D#vni@Gr2&~$iB)86IhfK}C-f;+Kwf!~zd*z1H* zq^=+G`btGaUgtK-n`|-)MP)gOFj#CapM?Ar@6}zPA$TowFc-8}0uJ?Wp@Ij{DsF`G z(-pTFK6mv*MHBcT_LxZBQVnxj>%N3!RTe1HdA^786!IUi&R_~+F{B;xJ+-hghPW}e zzQ0-Nqmrwsg1rgW_;Rr`BX_0@EjfF}T)jlTw|+ode~GmJq+uQGrGmLgua59lpgM3w z2&E4q;a_rQO6ers{ykF8b^|#dc*#+2aK{o}?w$w^KI@yh?U}Ij*=9&%l|E?fTJ|Ft z6TZ5AT34yfzH26>`*{%eU=;i?oYfHJAa8ivtbhya5X~mIi&ctIWq2;ee%B5TE<*%8 z%6d&}E&@`C=I-nmaXzqcD_gPQBn!ED?fehWqnK1eN0by)FHx25MRa%Y5lT;$g8j6e z^Ub_zh%N`V6-hMV8bCzGbe5Qk*d2U~`LO}V4xu}%P~9rTmDO2-=8a3Jv=b`sh3%(o z3a>_zoRwf-7ftISJ79364sMwCUuVA%%&g}xz=CaX< z8(_*X3^y=4G|Za@W{U<@xU1R&nVkZ`hR91Y!K zBg6Hth67;jCv3F5GhFP3vInY6J90MT+3Z$(m$=$Qa3Ew4LV;?uPX9o)VMo0FBc7aM z0QTlHjna>iFNRsCMNyk*$<~ha0>EJzMOa^G=a@z$Z(Q*pR@cLxIZ$H2onxe>aLdL1r5$llr{NX}~-Z>26GfAPmyRZsDybRxC`gCMpGp?{Bs{RByHy65) z@SHHb@FZF?9Kk^`{9TG5kOU%q;EV1Bp=h#lIYi&Fq^ModiD~VW@gc__&z+&%9du)# z^=pPCmpofI4B7RNaE{8)q1tBN&3&+5tFr$)vZg00oQ*PnT+X81J4w3qhY+ z{H{8nB{Vpg*pkzJWH(W^Lij zvytY`I^9-=#4{@+%|8T}@xMeelV~O;k{!wR-9FjMM&{gu2=A6h;%t_O9N%NB}pwT!NE7(?z~!E=bcRk#ivOm}q5 zR$;KL(Ga~wy>>o~eZ#f|?Ck(FZbjlcUEMA;cOcFi5_Ai4&%=vJuxB1J$ECVt`(+(U zoA%Mo4X7wgcYt-wEqENcCYi_9@X>qYa4%G)f6KW27yVidd(nC_%Fq%6dyl1TYChOJ zWdrNd=@P~lE z98T)i{Z7YAI%xOj@z&$f;$F3~hx1mSDwBH%-s&Q~G6H$4y&OH;pDOuX-{6}T;Jsrj zVEo$-2;Gtd@X)XYWz+pf*#J!7thU?>euFb%q*mmx{gt@6JrPV}xnZ&M+A(i%%-J5E zyE*#DjC4YN9ne1=5z-}@2qpk$Kk^w#Xfm@2)+w>(@g`!?_u&X#yUc3hug+qPu4(pp z{=JFzt(``6L9U+m=fWG^NP0=hk)%!KvruL+swuzOULP6D1y(PWi;-b?xGlW&EyP;5 z{KAWQ@*pHUZPq&6&tUzncBHXn?2RLk9lj4c%{~X(@g82*3zc%1>w5c(;-zR?I+lKy zi;yGVmgN~9B4@?fjlzbj0UMt#&kWiBjnWP&vqOM>)P%%&Av(bKg%dp~cV|;c>IRkI zZa5fwte5Rq^Ru1lH%cx6*O~koB~)(sT&OH+1~{2@->ut)ZHu2_4?1^>u8=Cg+85(g z0G^b}e{X-stou0}S7pPtm(@8F$l#jhcKi@!g!)L4Fw`|LdnmHbPlhp}Y#KREmS8dO zUkLmIWxK7%6G($=Dv6>lv3^`eMwTx`++a^x$lNZ-a3sR@yr(ORd$0>D24mq*tf zab%di+Mvurfh@d@ip_fw0n8WEjqoBjSzH#v^dz`Fg_APt%p&LVWuSYQ1TC4=AAxxm)TL2@)PHHoUdL|&oudU8S8={yK z;p{_&yrk6P#R|FN zPJdvfzZ8$N7J62gxF>ahL-Ht9FMg9oe&+2LozgCPAoDn*Br{B74-e2DmYEpm1e}vO z0nf^*C;&(@jc#rLNsZo-==kE}=C4^a#{Td}`VAe~an?tort#pHn;*)!lgVd=4pg~{ z9j$+aVLMyjV9T8hU|Kibc0Wavyr!#$-y#*vG@Uc+B4t=9ej9F$)mu(*viuln`i9dR zmg-4U(`Q@)OcX0lN+GPPumZbS*ybgbOw4<>i}Q1N1Lk6Rpmm$O1N%GYJm#3-*@N~p zHvhogJ${vY)$o$Xidn;V3|VSemUR1aaB)y|uj437wmOXc>d4%tSMV%&c!7=B%L>XFZD2F(?hMx=ND06hP+j@;coDZw zKY=cqe51_X$X|aKVx`{!-0#3KZXwrR0ZOb-d=_-IhU_vgp{cQZPrD(SXeJmF-33UR zMS03Yv3p%tS0`Y_l$KC&*;}xCOGm>Gk@h2uxBhyesT)L(l?1jW5T9E!cs-A%H3fL8!-ae_lSnGKzmkdz_n|sl}$6a z_v;^nQP?d0iVX9#F6H2grU!6$vbkuL=Tii`CU(uNV#Gef#A#qZ*h1_bGPb`*o?#Xe zLrR>oHpKhp&TT;P=6%WhI0sPZ=Z`VVh%g>i$PdJw`6(xY3tSlr^Gr`hH-t4+3;pRO zU>H5bUN`S?@m01hO4t-`94t6{fJ+CrsKL>{h_iYX@nCxF@@{Nt?oz?-p}nTDUX9S+ z+BG8Q=1!eyy1OGPyC6K`DrPjnOR>P8 z%d0>TedNd->n{0q=MOkn_&qNV88VU~3N7E-TVv1W8h&S!3MV268-!S&v+e~*8H`U! zRGes073@I%aN^jMFUmutyTn-63%ixj#*SEjI1UmPI?9Wqx!YBJ4)C+wAB1>A`CG!l z+Ll?ONG-efdQf59MG?bo}D2P5~- z%4?4<>Q>at9aHiIjcKm=l^n4g)po|F>ra!nx3{Ac#Jafc46`RvcqR8q;@KVsk!p<) zh_GFYO`c?Gdjy~k)|dzCVTEUSA>0y%vkU_WnXcO$Ui%Qe|9UKGFF%cQi}5&a3sow5 z$<``YdC^x?N8IdwKg?>1(}~Rajiz_;$oYHRF+E^a>Q9xU2;CiW(J}dWdUpsIz%58q z)+GB8-P;ix+c7TlAu&s}eW_u5Ds{#kX2Cz(+B?f&p!JTDo~Or@4IuW~P1bhdfo!Uj zPUQx(3o>8h73OCGunZ6TzR_9ZB5mV66=@|)*wwzrAfm-$8fiWl&aNr=9L7uAgYs6C z`2rik-QfBb{|;wX79taelJq3PP^e=d%I010cC|JXv>~&G2;#DbGM`cT-37Z%0RaZG_K` z4QX2N89D5pXHau4D| z2*#5KvHaIh`8XAfD-btyepk>s-cSU~Lo%vy3UY20e~Nz>aAJP;rlWkv&-(9l`gSx~ z8sMcQ_m9{f*Ofj@QoY}q%}ijlvM+SIj;`@Qbns8IO9i)eB{9os`530(l(>RK&fZOz zOJ_cUcjz|+BUe6}n*-k9rUU3J{ljtl6YWEY`If#|>T8&+5#-ys2n1rnSNUqr6A!IDRIJSwLHgqL0 zn=V&|!~jwV-$5)@8?pdKM0r_o4|~vs^0p!K0h%u09n^Q+$L75>o$Rs|fQhIy+kxEh zIgm~^TXY2jklzcz74H7XG-KUl(>A(e*{Ird`&M01IW6*M32R@hk&B}9tB8evjYJ6$ zX&YCySiefce~F*UZx5D=B(Own9c@1r)9eX+g1-@ZJF|s(uq7`-wcq0B(Fw&x(N6=9 z{m;F{Csl!2+XsLR(94*Sak;MPmY?V~ z^abY&&c&5E!bZ0ZxkV-bh(T;{Ja-k&Ldtb)oz#)N&Msrz39NQ{E@B6Ge@78wj|3Dj zSKZw6R_wQ0vflKsa)%mlE==D8>_{=g=kX7m(wT1gY)Jok9GU11W!u}Quz-Q&jl>;b zvC%_AiMp*F@*2^p2rA9}dsOxgyLpn)9?;p%#6Bb`CyHBy2XzV}X}6{9O-zTJy&%*? z5Rx^BNYM&V+jcbr7#v!$I5`2ig5QH+-F%l|R8u?D3vdMgz{tOkLd)ku#$0hn)Cxd5 zRxQcEF|VFbSzUloY9R!|<-@xK>}FA|kQU?#@F+ljYnd@ia$5}iF5x{>sur4->~M6F zZAOR3SXV!$Qnt}UgY}sPK$;Fd0v<9amyA-`WSlpm1R|``IGHMioV@H6NO&9f5m!Q* zDLWZUNaYVIyKpX*(|9I-_vQ>Rbxy)4II^e!&A z2Rm63AKb&~TO)BxioMbw;k>}S>g^y1_malA0bT>x7r}+(w3R{ZM{B~G>0DKcH#Ha^ zTbXOSPT~WVY`ivzS!-GcTe=ExjrBo+2kzk);_I+)s~qBeOxOtdXo0EHusm5MbRwWC zq*(-b4=STrvgH8Db{C}uOdzz9nJi56>}LOqY6AW(kCca`3QJ$WYLAU_8`$JN?$VY!%! zj%1fTDm>eG4&}WraBQTR)p&5AV1>BR6_~5uXRT=RZRX2M6)( zG8tfwM>5$)V59YF8bbZ~-YwUBRs^)%Ex*voML&@-E#E=R+eeVV zCf*4_8Dr-+=utWVx8|!QC*2-K9%n9+0C!ZELWJ`!5tiFq(`!o6;sW}0zNdomc0wm* zJ}8buJ6SN>z|(S1qB7SK_o?OP!wi*WYB2PPpg)qn<&1`-klZI-AVy)grwWV{JP2a-Q^C=1(GAD*BeIl5R8hCx+ zxwbG|g7|9)R=v)o_6joMzs`z2HVDA{%)I6t*!mbcw9?H>xXa$MZ60!HQ5o87PCe!K4R zgS6EYoP~mox?k=u?fQGk^m{4g6YHwRkEu+%FSb+=TW}ux=dQI?k(_+*cd7S(7Zms3 z?;IRI{s*=dm>U16zL+dZwe*4!( z8~?K(Qfqao|6JXl-G_$!g9!eqwzlct2^Ggb8WvQ&zv5oCJ-DFOwVnT)ZUoh=?LsRy z{C%Bhow(YXA>9{b>yv;vyLA~9gw|@iMNrGy&Ic24Cf>gi)UNy7Efs%VR|WOy{*}MA zE4bjgf93DWn(3>|8QtlUMeF%T89LQwadg1!(eg7^H zsNtUOw#n;{uKc%*GJ;RJtyEj%+ltBm@EHHvVAo){BNcB--&KaCCuP$Q^WrcC%S(`%!=i}rL1a2L5oNZLIV!396xcC zBNcW~aOp1~XF)8zKd!~MeSzW;$$x;^;SVE`b^Wt{ovT8JjjI_^HS*p>^(c;g3R`z? z+(=nx!Jk%azW=K4ADj4QJogCc1D3zmRz9U25(D@3PMlaUuBLLNqwhekqerSka!DD* z@kk@5Mdzg;txIz0=r|!qlj2G*%t7jOiOSIwR*sSDktQu8r2sO?Q>7FL%}~2ii=Rf? zbUBU9UW7ERj8rJDNtawW-m?&CrIa)U(h%bL<1uoY9EFgZ1503D4b+k@6}$@{uJk-B z)=16_JlZsyAFWoD!uD9>OiuxH5RL52$csgq6e$hIDsMq`sp;tjk0Eu2liGnDXk3{_ z<4R4>dmO1{myZJ*93*uN@_3zvA~4870UC{3IUK7~Qj6Uf8g5~53V%$UnqGJc zYh*bkuK-&*0Js^5N=hwoW5Aw*a!Q89?Kuo5or+xW1=1+8R1gOZ0x`wmc@XJ@lu9iw z<3EEE&eQ@&@SaY*6Za4t>a?`tqiQ7ETo7TW&X6pO0)3FuoXzJU?ehs}Y8pVSJ0Kcb zou1ZQibY`_%AkG)=&4Rfoti?ugu4r!)M+V&-$Ohb36|^ueRoxUj|ZpxsV`|68KC0N zskj$ae^>Ho(2~DtmMbkaUKdoiKYt8eO#>Z#1pj;aAKD)lgA#F!DlsHRZKUEujbVuz zBQb^>BaB)jZDbN7jZyKeQD=-c#u&N8SYupNypcER;}eXDMj_r1)y`-%nv7;+dt(Qq z#b`Aq8IxmdiT0?D#!iV2qiF1GOfgC^vN6?|W^_g=#`MGtqbuGW(F{M@})@c+2C|M+Gaxek3eb?a*x z)io%I;6L@f4+P>(;nMyh+;~mfrFczS;UHq;f1iaK;)k@2D-)3sXMl7+3_(%&p>SmV zes{2U_aP$31}68o*S~LZ?7y+~^;e*Ow{}69{|7hx$L;}c=FmQzuC;%?)ZvI=6h*?+ zCaZ>DtzbASG4sAN2kq6*u><$`!AH@uT%$JfL~r`xos0f1ibGbMU`C ze@H-`f?{x@Dkj9J&cKP3QDqFxQW?XHp@}NcHDnCS3N@;L-c1t)C5%)?s1d=fLXEgX zu&5CkDWe95c8Uo}L{SuIX7Dgu9TP$s$A|S%88z`CF`@8tb?|3!lhzv~suDx3`}X}+ z&{TmhFl^#IN$*m}&QV);zXp58;WjV-6WsEbpKz}!ph$n;P#f9E4y_bxq7m>!uyBuS zkYidI^nl(yh+Z)fSgL)0xNlrBt-Ng_9~C69)&QWpV4&;Oxg)rF7@PqUfpeMD(S;hI zx+VFj6Y0=leC0S;Q5%847qABajIk!IJVYQ>Vdd~nlq(+O7-Ry@IY2$> zSV+auFXycH{$4p;T{V%4qaFci^QG7nNaRN2_5frVO-~2XOSqCreM%sqm7McPDA*_n z6r+?JA+Uve4Pr=uKwwm^ii(hLBlfto3^!7b0P9#i%i4yh8*!0B6}f&4`ipX^6&<22 z^vT5~6i1$4;cq$}B^nE=hRFw2xQOVLY?O1-vd-;AN)qBe#=Qza%#@0L0*|wV&wmks zp4gPJF4Ettp;@N_{CAUWuKEReohjN3EoaloAZiK?_(oBXtA$Vt%DJihi2N(KxlX~9 zl9S4Lv_Up*>Qz=pHG{lsxM&m5V0fz>?SL)9%9T+I)PPhv)QFIco;O>?zJ~0TPs-z?K zW8O~!?hM2&V8^i;;N!r*bDdEGuE0#T4eiz*86`YVP*Yuyk8y^JJwj+_>`X%WArkD;h2{wqBt_#T5N1Qk8qqkAITe? zpqd(!)7e*|rXC>G)Bt$Rs0@;*izL}5WbtUf24PCxBdb`3+%#lF0C7lU(?j;;2&y-4 zpjUBX^BlprA#i3h86vfi!BDD{W#|$%l6o52TFFMz!_AQzsuL=K40PYR2r_|jh2wCa z5z&3bSsMIuRgO}DKp&i5;9zVo^{3y+Pgh=|un3Lp&s^7vhp-KF8itF9d(^dB#*fDoL$N2#9jNJ_Uo9Em0SXg{7vCCD!VdlBl%Oo+^m4famF ziHQ6BFx1_i$QZm4LJYHpSbmTPgs`^y{!|jviC7*yKf_!b0T~EYRC`qEXpTJ`0nwRt z2=~r@0qbsS)ccXOF>32PLt_+m>IR`+VG|wi*Pf@{o`ewYL%OqjjEdb?|Dt1?t8MtZ^cM4mxw^an_gQC9vTEcQ)u{#Q`wW+P#f?-A-6gFYYq4@5VdPyy-@^ETSj zo_)nO+gzZbeWpc#uYu>9M`~y*r%=@n4e__q-|E|kV>j-{JV&rrS&wj>cYbUgfto9Q zjcXD0P`-h=zyfdpoUvt56Jf}LoVTfzo1HH_TgI=V{ zC&2rx`$X$`9OV@NdKKv>F2w90_qP}tGk;H`1Vp<+IjSOSaxXgI$+{+%PC~p%P@Ew` z4Ev-;d_omFgl_epE*jtPxj(rm~ z0OM68ZIcH84-+re=LSg|<&LOy1|nzA8<~+BE|(r_s^?dz#YuLDX44P1yP6{8ObzzS zEIN9|kQIKh%6>J1q+E}qMf<=wN@vNqT8ek$$z(SW@>sT@LS{G-Rbljmt!Er>-1R~si$6}ab{flnhjh^my=aTE>HsjJAxWwp>@~7$wDFl`KdApdEcjuqJ&5VW7EKF z%Y{=zsA&*LOETGL?4&vbzT(DFpTSCE6+#Ef*66*opP|RH1HGNC&uU#QtdaIW5F9p< zRG9yB%30R3b2`Azd`8G=E|MO{MNy?3-YTk`{VJlhwRMG&dhcCT%YTG2-d!>f@;NWcXvl5oAkiX zkkqU%!QC)|>{iOVQ%`GevbMIY64QtftIGCL*%FSy1I%SGsQm)(Ix+cE*eDLOmao?(%45O@7v4?p1u2{s@M&gQ3=gcdW)JaZ4Lhz~proo`ydGdr+`P z9Yd-)884yL;82&S{gxv!ZkyVAFh88ot;QC^Ts2zMpib zr|Xj2)U+Q-fa!VGA*DRf6cSBm>h=iud6Ho0BQpKDSmR6g29d`%MSu>^1~DJ*o8UYY z!}rBzx~yUf{|OnCHKe(l@df%7w744WXf1J=Eigl}8D-`;vC?!#!`w6-*Wp?qDW-!{ z+0bkNO8<%^-4539XGrn+vQYW;0K@SR_S0Zo$veTF)ex)Z29bAt-N{Xos$CMyNk)sg zli8KpW7k?&I&wXOKn=)z)4m3$uR&yr?>4`n;tJ+9XF^>*q>_I`7JDSHS@eH#Qo6vL zoy5gd_%7^jz6^s`G7O`Z!eZJL!o+u>zNWxP`k~hT8=>=o~oTsb#2Vhkuj~OMPk{S|+D+#FH z@ET*Npb;u}{fY(BS2*p8Li99nZn_CsWL)6_X^3zH|CF`IlLvuJA`EwlNQfbW3Tr9r z7)_F~w{0f$Lz8hRjR(g?Jcp|@{l=1hzz(N3^E6pOdLK)=;czmO3FRBfPJ1o_^cSBj z9x#qAS(S|BeTXp01!QSaxj$+uXF`E6LXxBvw5w1=UN5Z#J4Hk-f{WxT<+tWOEZ@Rh zsk@N7nkkz+^qs)0H&|d<^^+eGB9yNt#qIo&pBhRG-e8{7k2D-92L);Uh{)zrwp*}L zPJ!60EzDnTwkb4uk1;pgJ3j?we$_~qC6wb$$j&o&p=4}EIqTHL8bi1T-l~bjF z#>Sb1!$V;Z&dh~A>7n~=B)6he3tPy*xWHe9_0rH@YASzDe8TCtCXc&c$lxdBF8Sx!T^CrC@x1)_1fWt6cMk1Lx3 z+>U9W)Z1O`O{b*Bif_|yQmOG(0)h$PhE9zsOc(sAHY7NG5OVEBybH}12SKPix#c*7 z`(DwZ95coEgRnX~1%4WdDNPSOUG2GQ&r5=xDGcP22e7nI_b02sIKt`@s z4OgvsFBpy1%?+^>goz_aZ}WLkVtRXy=EtC%uP&5}`9cOwta+?3mc)}b2o((ALn!pJ zyvc$3Imv(=a*-LeZY;Zi5789n%bH%sQZI$6<(9nFL`_=F8)$|*jY!keZ(^|xd)+;e zx&K@Zev<9mm3ch<7miP_dp>&)Bec4nMKsj82HF2a014|O)Op^;`}u{?9WjT2)ha9p zV)_Lz#{0sq#sFk~p5%Cb5|=w)MOa@KE_NO}S&=$=+BXQyI`R?=CiriHN)A()Koa+= zX{}a&B1HG3-P$6CveW5bE@?E#s_wevM({{!*F-&(T#F8Hk z1JnUfYBC3L;dHU+Btt;%f*i?rBF!c>>c+3-A-P`;BVfQ^H`Wma&VE z@n-TXP)V`Cyv{mx@)?!pW3{WBKqsKjKttumtlyXFz2Rp=L7)o1+I#>cUnQ*7f=SL- zwFxZH>2hgG{d|U<`x=oOR}glq#Em5-HcoVNu^=I@(HDf^jht)f1|)w)_%wb!uMuaF z%Mcg-#2c6@%s0pII={j2Mt360hoPZ@v*j9aZWY>_rj(cJUkfgHHBJ*^lrFN(YA%6r z>~xdij9N&gqVA@uJqc!WCAY=jnFKI;NDq>7g)F?HCId&B`#WRM@qXfDeOicjswpE} zbc6m=&ii7f@V=xGthyD!xD(cj1@xf>u&RrAFivzOsx}DKj=CdFYNs$xLl72|}02u-t^(R{TH=FhI z*tUsC)@7R8cx^^F6IJ^e^nunkB1n1KpBX9txaZuf?Di1t_(sG;Yf(x22I&iXu_~Q|RE}kv%8EqI-Z_T5I!J$nf{(f5 z*7I1BqXQXzdz&^_Wqjvc8~H%nB@{mcWD-1**xY9o;OqMYfi`~m)lo1>KL@k*&e&Oz za;;O_S!pA?jI(s>#Pm>)8!umWrgJbHI#PS$bs*w|_d>ud?UwDxst_}+iQX16+VE8b zsn-0Y2G7<4{X~&4pi{6eCTF+N1nBH6c3lMbW63;bjb(Q%K52A`W2l$sa(;9lRESUH zJS$WI>eBOibp-RX{0d@r(sKT&U~X+8hkdIdi?b6alGQYs&cZyNj%3en=c)jh2-j!# z3*BowyY~3?3qk1uf>k7Tf@(r1qzh!OMTw8?ay5@HNJC<*>_IF?b0Y(p`B;B#mUNR$ zWw_P{ASEXm$~udY;>CNP6?8)G1|+^v;DRrRy-0|7&i$9fe@)F<7h9Ln(93R8LIimZ zIyW9NJ_hSVzC9}y48>Vh4P=`1pn2~|AB4pX<==Y>v&=fWT+F|>DLKkSzC8as!I`Az|%ssL;TJ}TyTuP|2_!iz#7 zOcSOcXig+HZz|20vz(hAIA-9jwkk;5tQ4l1=Qc-x_)v4-)ChM1D*X-{ zm*`lsgBUxv7AfVv*^>$1MLQ;#-Ye_RedZ18N+)zvRFjtb3-vj0L4!~uC zS4@+aBdQiw!g^8_Bb?>gA32fdFA1ZW?xU6>doH%8A%~YvWY0v}t;jhdz&SMm%s%$2 zq;6cU-J#&0(m&CiIoLRo2}?D*Mxfly3Z^Fr^rcTiu3VH=-87Il>-VUKdQq~yF>0PQ zpj>USsc^NVFPudux%whU3c2K;Vn1U`%JQ?L_-(Yn;g7a%i0O1hItb2whQ?&~58#hV zDLEetHgNnHALeNhJJtLM16rM!8;vw^U9zK)F)e)}V&7!WPSo6FT#3jLDn3_m3k%zr zQP{-akk242)P&oAR0-otc(M|A=k;P=dp+x&?utdiC!zorZ41ru)(5Pl;>Y3PSv{r8 zn2{=tMWQT}2rpq0E!_HWs8nvcz%c(k(kX(+{{qLOzLtq=7I{8phd; z*ThR;Vj{i7a%!+Rkqi*SGu0+34o8zx5W=^{kRGWE*^4S1X7=Inctp-Ix?lAzLYm*Z z)kL>UijZS7ASJB(qEFic?TJv`Ar=*D=K8PF`YlW+`onZ$Ufn85&F^3;afB_Fi_jbh z0k`#c7)!-U_9KRq4C5I5jkY3`n6h7myqQuy=FSPz?G0rqYq+T;={&3biRa9;kD-R6 zNzTbcwP^Qt+&eG1F8GH?U zmW5n&xRBWT5wp~|+PjI)p*N(NSk!&MWrJF&gr>2-_r*P6UPhiU{t9=8j`a_L=2mhn z{arWBLRW{Lz~+b6bGr8;8I~3^jIj@=mNbrb&G=B$CldZnU}>iQa2Uzr8JZ1)b{|7O z4eiT^(&ypvn3POj%FdOTQrEF;rcBe>BbQ^6Wi01blQeTVjN^-(a}LO@Ga6F8 zcz;%*IE1$|bMZMmx?*8T7iJKaByH|3qy}HtW%^D`)A&uRTR&hMM93f;%u$yo;&{z? zX6x6upON=`Rk!7c5{vkh=KTZ#E>TIei&y>|=k()0lt0rvFdV4=X+Nj$b0 z^)5RiPbuXsx^H#2$_%4}nJ|*9eL5Isl~4I5VvWh5F{nduq~Sdkjs+v6ku;B8p|WfY z)fB4nAROiVDgbM6miCa!`z(|eD@-AS$y9zdZ}i1OTZK@bj~0CV^4u609j)Ki<#K!Q zw1!M;0?3(=jr0wC-u5bCYJ6;ai0%!RpXJCPskkTU4wg=qeJnWwSOzdB6OyIvWH8@Q zn8bfT+Om4dN>=KE`wF}GRs3P+SZr?q_jy{y%h@oNY{u{F`@~C$tX5q!$7ANx#U94( zb~wm162q+W>BU68pU-mnLYWtbHm~4~V)BH+P)(QtL@hcY8+IRC+XuqDys>FB?j)S$ zI^pPxPoW7OB-FY;Mv%c4K>SnMz;1Ed4KKTv2fKTyf z-)T3}i<>Fs0uegFlI`KfiQNplXx3S>4u{~bSY@=IT}q08jVCO_8@#V$HR)UaDt!iq zI47jnbQ3_n@g8yyz#tSmb}C}VioM+g<27^-J}RF^hYE0Kyo$@?H!)Z1Ph};bQ}Vjt zxo0#bw5EdH6wD7L5*}FcB{pjQ)Z&?RGei?2$8xjS*bql(^SbO_2$!`@H(Ubs>tIhP z^{ePoyJsD?}DdnAgdD;!E#!BU1D2;Y{5RS;I zgiPVL>D*~L(A-{-9ZYt*1|riPO6U9Yzh(Ml72i%4k$4DnvXQJ`Jb>*IB7?J#-o2r} zFOg5jTYwfx8kBPO-qEc=g|c*@IUfg0#q|^HHx<=(y;h5@4s33>4+1i4A(u0a{UXG= zm?jj*l_9_@`s z8=mLN({(2Q(urn&oaw3XysE-enjsn&kB2^Hsr!ntX%untt%wSnuMIEIZ!F20FL&Y5 zBGX}Gxz(_U(|n>bG_z$VvxCA(Pq{e&n*9v+F=}~?Bj&nY?AlJEuI+VDvHWo`^QwJE z1jpz;WLy(9)~-EK4Pa>XEV7S{|$DIl9s9-Xyf=uE<80~wGLCyHAiZ$!(x z;?_NK0>KI55H>fW@qsYg^%Z({D@vUqpY2?WAXyK2zfUnMmf5t=E=8z3J1`LqH|+>- z&5&+@?K@Y0@{lqI=y}>D#iXUKrL4P-837@`{adV$%Ap_SgyM<5oVr?4Cig+i63BXE zyYX0UcaWp8ShSFAg_<^riPd;AD{hD{V*?pv90q+yBv`KZ0IwnLMaaJhQFxnDK3gBi zqL9LjYo78yU`z4^_G=Z6E;eU_`1D6AA)k)~V-7rBdfa>sf_{zQ(?o>uQG7NZ$qf)r zXGbF~4xuag9uT&hLUwy z1Rf#(GRbrF05+|pl)un@E1JGwHL!)~{pGxiQDJ3mJlVDatp2b835s z=x+sQ!z?-F0rTw?;sML91?_iKSS%Q%Rx6T{U&GjLlT7Ubo7OYmGK-12TGqM^B**{s1k@C)*9 zn7In!U{dxX1unx^G;?{UVsMUwq|(<*#xXJ0CAtKTjHXX%rbcL{^w1oMcfu%{3j9&t zh8svuVK~U7J&U{4EYPKMIGZI;@MGzsiJ4_H=50J4D#6SoSJ@j%MN+6ShuueNa zoE&W0n`;l09A&x2CejS4s-Bu-g_hHz@rwOrk*tCQiw*^gPHT!GAXNIsvbc}&bzaQ7 z0MW?+c;uNb(%LP2D9M8W=1-rVB<0Q?%(Q|^j4b~az|4U(wm)tm1C{b5=TizYFZGjj zP=RzNSNMA8Ow=(k(n@`mitEDhqs+*5g-ONn>8Yp<_}U%?VH8q`^vOpU`(5 zA%^q)aB)7^I=~8FrTiBoBthHsZKi{nm~-FRBanD7y*~nj)BfDrBCu4`+b1EYbJE9j zA+Ht3)7@F2(v2Ht+~4?2)W zd9FcrWsX^2v6WOOe*|};7^f0OOlD?PuVKP;Yg1eYP@$DyM3S5>2#EL-Fj1N>!}O~Q#YK47uEum*2&q%bFI#TqGyU{0 z2cP?%3pJ0_H&95PGp(%m_Q+Hm^#$G8YbGyBb)JTI{8nMv>Ms zBzRY5>I+0lPYCj_1)U@7vRLl3L(jlk&}?Z9&XWgWlH&dl6JyqQjt@+YT#eECknlJz z>!Q{aZIs2Wq`zl3w}N~|9UP2YcpH8t^)`MPtW?T7M z&1Ds!Xp9+<$QS=)u1M33uaRgRB5X)OLlikwmv`-qJNIIsT# z%4|~jVIY6g0XtwHkI0!FWM{d9f7tQ1gS^~vI6t}Hk6!xsxBj`;|IRRs{TFzt1E=F( zr~Y5qpMEq`YH+A&izx%)ZfE=}4@i!364;1=0&FT@l>)(F@FzY|t9#OFVz3m?WC;!iN?CM85 z`TzKP*GZFN;qcvJI}RKBA1GMtzrI`ypcvTfM{xafYsV=87V4j$btpB&0f&eY5CA0(1y!i2y5NITT z5dFKQhYF#7tRM+Tj1V662tmpT9FC)Wj0Se~cP=;wYoj{asmzMnq(^Nn95!Zy_=?YI zMtBw<8P?HNkODp&59$D&l2zPz!hybbhjSWD<~rjfss;3-;DaZs#qnxC9~N(?F8nd4 zaSjA$1L^|V`64Yc3;6cmC{TNt|FXkUyWw#-0@riT&}3;Y03}Q@9X%=_uYn_yC>>P$ z`z(A4ChATehQlh#;}VCj16xYo0Pin4-Jf6?fWL!Z59{c*$dbH%Bp+V@Xk!(Lz;%2T z*20n{FAqR~v6y83mg5PBZ!iOlzn2`vcclWR6MhVb zfQSU`C9WgS;C{?-oNMeRxw(GjU9r>a!Vj^N3&V+U0j~lojr4QFP5Tn>=FDU$8{#Nlrqm4@ilPL z0-G3AZtjqZnLMWUr{uw~_*PLgbSiRsvGfWgqOw#-%Pb-5ae?%{@f)OrnYdJHRuW5A z^w#Q}Rd}@DFOu&|wVs^~<2-9TPr$`b#u1*6I2XO??vDg59K;yuIl{SXqtkVPbwyAp zWh*?_xMaM7@UR4G3j(_Vx>WD53UlJJO@M`KV$wJr&az*({j5aI?+{(MuB{_ zAccb}=u}Xdn94^QU&KS;xaOL7u^Zyep^-?Er6^H`VlR@zQSCRNF$v#T;3&rBstANY zMHp`^n}#QV%S#I01GV4$trge6q!#d{4=NSOT_EFH&GV7il@8*J>wQmq592QGBn4fG zKZ7zq<2zk5pyqYB!8uPMu|B~M?%DK9!;&VT9>FqcnQ!m9h(|ELqRWI!W#Xh1Sd!k4 zKM=zuH;!~Y4XI0MEhyLl3kV~-xHsqm4PYr!*;)F;$KNwaTNrzN+jj zMEY)#Xxn%uns3D8`OEN?nUxvD*bqZ5r*`A2NfhAKY$qIZi-w}gZP3{al@@ZnNCcm# zj}7L$N;x{u0O=dPlP%xfjvNE=h(nKYiKLVEZ3@x&&Z{>y<5f+Q?iIE_4?yR+6lBl% zNKc=pWS+zEy9TtDUpNYu17X-Gts3lCZX)uf=d$?G_dEe;u79 zongO)s1bj_P@yABz@;k(k0cl?;um9N1dWrpf^!ng$~l`7~lGYokWc`ebn_ zO>aGaho#YcI=2uqqL*u~;L&Wp#`r1w1jRf#Qt^zDugr%zgnJ#b@wAKSf*Mz%_=*X~ z!}(3_zKGk(Ei;~&_NNMu;^q;jFc*g^Wj!~~9!X>lb8d+vYs>?%Ez9Utkd-yl=Dur; zlTx8egodqar}$k_$hng1Z$2}E^8PY99~Hv<)go&x$q4gl6;;-7xBzH+XO9F$SU ze~E-1S_P+^(U3|a4^0Pr2CM>e&yne_8}LG7vcE>O3_255FyXt#t0c;BmD2vrSK%`9 zpTKoVdM22-g&u64%Jwll)!gO6JP};P){iySA?!C)j38av{aWcySfM>TqvkEcJ1Ual zDe{>hCp(FIPC42K*l6;Y5;&cad^cLCZ;ilm_5e(*V;eB?nYx7%3(y{MoTS0eVPH2* z*8jhq{;^i?_HnVRx-4WH7Z6=h^GL{l*wn`hs-Z`myoyu(p!ObP>_2WYT6Qq})4d7m4Ix&ZuVw{@;grpl! z>f@;y?gC7mTS{F9QCQ%o3WwcWO%u4r^;zpWAUkiXr4Ot%Wfn4vEq&lT}W z+FSoXCH6KBvCcDH<0g-Xl}Sg0_icdd%e23-FR9hfRO8Q$I^QOlN7}Gpd|>V}lNS0b z?MaH$3388aFy|OgHzS;2kj~T&UJTWP($vs zn76cM;sqRsCy+(9;j)16A|i4Nc~Pt-RiKJ(fCY1EDU7n`sFT0t(hK&WU44qu5u_-( z^69oAWHue0W5;u!xL7W4wZ zH-8R%SHGtjdpqmf!PqJH3Cx&0ze^9WDg8qg!{duN7aJBaLRK(5M_?-qVeD(v+K)sv zd@r2MJq{9g^jVx%P=m@Y>Nl!HZ~G+*_BH`D2mdCY3D_0QIw{B31>idsC;4`^jdBr9 zUK|JAqw(74xqp6pNgjrTgl*8UP_b3##0fW9gud6dxS(96;;d={7GeyMO__2e%IH-)a#*D!?5e@h`ODh#3B z#81UIWL?`9DB9Aqg3XI6f1{J+>x!beLB^flzW`OY(a@xl06}zbQBxR>F2909`5C?< z!-7ui1isOUb$qe@7AwA&`*W0I3)?fKVV;m646tp+@%m?j#dy9!h?url$lZo2f5-3J z3OxmSNEk)EHXd<@#f`R|5I1AiFq0Kz*&IkZbI(eXtbf$5@J5KenhKR=WA5eEtr6dV zK*Dr2f)O3Baj!^IygU=f%qahoi@~cM?@)7fI6$O}5fi6R*U?a+OYU~;)fWI1{MY=k z3UGa^+1olxg8U~vTiJ=JD{2j}mElFj!BSuSiz=|Tr5KDKce&iC@&2aw9X3aB`Z&}+ zQR7tcCjlavhE1B~D&Sw8gn|0hwfl!$zWeF0E^e?boctWZ@!sp#p5#Z<`IF}o?mKE3 zYgK36=Ee}Kbfy)X-)+P?E(>9k?Bs9zZj6(_&BB3D4#c{F!r}P=r>YBPO#%f^$-4j z$W2omuXBz;6Z-o&Ze^j2T`pO{ zeT<{|gCwr(1}>2&Da2X6&72#iP;L@O+_TfaN3-d#+T@EQmz?t-ptF}TA11@oqK&j9Hga~r_FAoU0{7!&Eu z82v$8&OVxrN4A`2^n7;lWo)wb!{zvCA+6HNq*?El^=%o&M3Vx5S7{vganaD(h&8h{ zIk>ZaV5Gi#aMSRduC%Ciw!T!wejO|f#s`hzju!4PiNCxZ7w{VZrM%I8fmD78BI>Zl z%a?LX2$cTVC5XgBJ{vY?fFaBsWkFLQPO5GtZ#OMttA)yG0G#HxkRu`HEO=frp03m_W(k(-uzTe zUt14o{3*C|Rx~!WL=_nj|A#FdPaT?zzxv6PY`EtAW3C zm=5Hf7O$##x0Eh-)oP=Hr3o;1j>j7P2Lhewn_+2DY3fw1jJ}R*x|h`-_tK|mnuh^{ zg67#|&rmr>VaW@r?7_X0TL=pCjyHr}sgxMJM_~~+yL}*zYTSew8sq8**cH!VBKd$p zH}23ET!c~Sj{)-dV*su7;%?K@!$`NR`CRYh?xr&gF^L7J+k^m3;dvnq+(mK%(?irW zQo51)yZL?g9If7>&5pVdmbJ3+NK;K^Mp3Df|ElE_@!*%}XE<~o@YmwFahOT|M*n&U zKd$9#yb6{&mscrpiSs6^egWU~w&O0@ixJiq=HLa_qS>i@Q6jRRQhFCKiDeU|7d`90 zO~Lt~AAenl^lT#0`r)h)UEW}u18a^6G{&Z7Vh(k27pg!PJsw2SX;khalrzZvloFIL~ALi(8diQ&!Fm~NxicG^wcSIpmLH2Fjgx9zb}iDz=(zWp`&Y}j8-;_J&a*|{P}&35 zMYAr_UWS9=TypY6w*}#S9vviMPLeiTDHGZAKPhRLNa=uf+Oi-$*z&@O^bq+N!s^IVu_x6%FO59OBz?L4 zB%5;g^OK=zO6gQsW`ysQ!W>hRsmblunyHBBe|~ZJfHbZ)V$eWuEk9&rL#=k$)C;xY zrE_q0)Tou7Y+>vxVT-it;kH&`{LZG+x`+c8mPAh(jQYgzZ?>L@o_?a0h=G@UOSSz@ zT{|Vt`m*Vae$L%%XF4rV8s3au95L!mX<6KkHw`O$UVpRmnoPslxb=faoi#o=X2)66 zma6M#yKG-fhrHbw+>N>6k_R z?QeBE*+1dklz_aReBT7dkv*ryXY*bm#RY|&vQ{F!Mdp~o1rMjM)9OI@cP41UF zcV5hW^T4IG{eoYacBUUWaVjlf;;Fbb{Rh4CWoTa9`hn~660faam*4BorF8>(V}AX> z46bm!w~y4gzM!A&^7=soJY>M&*?rqC3?5uqcDeAemZ=MA@e#Dh8ah6!t;kl{+88-E zd`rs`U5U3$L8r~CZj2sLo)*G{-%xmzBlqseeJuKw*m~=z`f6HSwy9b>wDr=u4MQik zT;4EjN-Mu{_{KGk$dc;z>d4ajU+(&_bk04#am0MAeRAX?E^vUaO341ex6JtLl~F4l zU!Cc+DmAb@w87E2ea!m8u`A1#4qqaqyfY@7&qK=dSwZIeZ>$>IZRF={PkrVI67y8$ zSJ~r2%f4(Mx4qW1IqsQ;qM-&5feWS2N7+2ELx+40ktxHQEZ)^T~@SvM5 zK{-#HJ~HmjC&&rqXZ;=RaVOB7volYPEgac$BEo#%K7vM`?{ZQdxR`&#aj$*tilAT0 zcAe7Xy)yl2@wXe#eKzmD`2N%LNBzp#FgNw?JSxOsQq>&v^n{LS?hJx<4eVNbZ&H@Duo zw&|m^nA7$}>Z(tceSx=}!wW--T5Cx6NmYl0aX$=R^ae@(py`?Dk>AfktA{Q)uw3AV z-(C>1`~1acR;OJqdUw*9Yj-=Br3IdCSYz7$&h!6R8d6nOmrbvN%=)9np(S++?YpHQ zZ}L1bUAzTrNdG6j>3>}lNa9oeR^5o1r2Vb3F)nj=ZsyM2nVCXh1iXR&I7khD?k-g#rZW=+ z3=b8`1lNT?k`|Vk8KwxpBy2ux&jhA3(=8tqR)+H3Fyn&r$^_~O!!mJ7(01s=Fjz%7 z!~r&3?f(VS@(cgGX@S1U(`S}VdvwbV5bc@()5Uk;j{R{C_WCa;{a2c_&ExEnq|jNAWHHRus&SlgLnM_ z``w3ch6Mx!?+Oc;AAAG$nE($ehgsm|fsl&+z)=y`;e9ZejNp9bvWHYs{q%4@@gL_Q z>5KN$G>Gz)O5;O19o?W7T#DB6lOo{I;kAE|jp!aOSP*Rd{bBHpumAy0GWg#9fji)M z{zo7@OmL!qn4bL5Ukv|NbjW+@k+lI14ae)SnOQ zD4jHf2v$a<5m4ocVN}Z7y(tLMFkvVRWO-DKDlQ84@c)ZVgTh)9$Upd>h4uHwzl-H| zZ|!e^@&78h*tGwA3_C6hh~Ez{L812p!Z5)kuHXHD`zL#!=zTj>Rv?B)Cx{~EcIfRW zP>~5EP|Il-kltZ9z7$S{+z+6zJVA4DAngMZ^CA*)r1JjHxEikn?$7gKIOs%g6fi%{ zP!Shf(al@|Z>+J0;$o|JTH%wulMEGO;1e_aX9C0EGixjfjDkNU*vbTiSz{}VW*Vo4 z-49W(${M>Dd%-))qB0*^fJ<;Pjt+}Gw7_}@4^f-11jxZV*02Z z3izul9R>XV{kHzs68^L?kbm;be}ry+TpqAs2ne(MQ$qO>9^r3oU=UH}bzvQgmb|XR zMZm9plkhL?8zJJ6VltDa>KPkPFwIvwVyUXzf7Eutq9Ghy8NjH33kQw*aAi;M5>PtK z!mLNKIWtjDA*y5fQaFhmf?vx#)~}Gzz+v`%ne4`^}5-nSZUAX1!q_hdhyDjC}&~=)@T38AXTL z!*bACm%qo!UN^j(Zto8=_23JH68YDa31-j|K|QUxLM*Z|v4sqOSud+h*=#t{gPkH#k?oj?8%>)_oq?&*FwC_%b)Hz>4hW zk@Y%f0||Tv?h8M>Hp7=<3$T3x<|)4vIbp@X__Z&I^CW{(&t|{156t#Z@-Exa3?yOY zc&5B!?|Q!mPUE}2iA<#ZG6pvcKwmSJd?Ruc4^ukLj(GrgLOnhC%m^E$13;y|E0G(J zuklcbvnTSc=c7B^Erc`3$?d15?OEXF69uK{UoX!3I8|wX5tQijB93g6()lF25m&qn z0{63KZ??}u4kH}eXyl%3-b?d+)BJ0Y*)3qp(S!a7&D_=y1)Baj0lcB`E^;!TBirom ze`QqGfFY$zupwv5B{5=i7UEwh?s4yOX};fDF*V2@9|-myD%?H_CGL%4&QyMbY{lRf z&ln0mMTIxHzPyQl-98aBo`YjeReHD%#Tcv=nO`xG2Ue9dk!fGyY; zuE^bqfc)ni6@+Z{3mAu-ip@Xsixyr+C8_q~Ackj8P!)~AbP`jGoXHLH8szYxo=kWC zsd;)#OZo2nTl1m=08IzAhR@&d3@WNZ+p^FMSco?%UB?ki)Yg#&&jvV3;cqT~;c_%X zLg}yKeH+odVMt!6kUt~H)_U{M=gymOX|3P$G0yMd&AD6FMEgT*8Nm$w1QWxIgCPEA z9m4qbsWDT^k1QN1_aKf-_UTHRB38}FLInerrX8u7&_5ijD4-8Ft7w5e3(T7dKx*0ep?eK;_GpUSF(L_XJEuuNr1P`B5^ z_wMAwz58K;5`$^4I{<_4lKDQjZQcZw+@sRLxlj^wUlC#QpmCIpkBDLc<#J;NTzI*?`In%~^HfiCZqN^7jz?Sp}DJ zWB_L?=z=V6HGJDHgk&E^$%CD1v1_q%nux&_Oo})C6jr?w>`DN4{hRNuvJl%RG2CI! zQ+&)1$j~>iU;=$LtP%uHoV^fhW42z@eXg;MOg^dErv@iD(;<$I5=@|hc&nI4qcow= zeqe46mFWw6Z^Yf*L-nD!v;>tYr${&!qSYI4!?-wM!s*n;AP57+fcr^0gD&Uw8|a_O|ESkpTI!l3F~mZ(K;gAMB0m8ui>Jc3ly3lEf;O~D4fr6+S3u-H<3KPe>*CK8ji~)Lg7*xK)3&){?HK=hyZPcADawtZ&Ya2NM%!5!*b20yz;S`rV zm;cmqRO8;F0B31_i0P-uf@_L`c$D|aj^&64Hx14u%z#lUUx+a62}RD-bXyqwVS`~I z%PwLtKbl;Cp55+m>XzrJvkaD8IleQ)M^ch=ayEU;0Gk{cRK@}8_=DawnQ$!;%7dus2*#!hE%MF4m*rK+ZS{5 z${up_E^OfE7Y#&YJ|8Df#NLmS59)(BzI)L{#GDiQx7}rX&^w>iMR9$Qy?8GFw*9TZ z=`7BgW6(F_P%LfiSh`rb-C{HO0+~qMJrK$5=w2d zUsgEZrp~=+*KqTE`$i;271bcI!g)o3Y&9Nlm|U#1&!o;f3QbWY*Argv9HTo;Q={Z% z#J&%q9*raH-=UJTL%Smx;dB| z01VC@-6TP16_Nig;<7++@6$}Qqz-YD?G}`~1w#ca*oZibd;(4IB0w@s8;G{;Ks(^Q z8Hr7!p47DtU}py3`MzGk-A;Z-vyigisW{8tm!P{i!%sDs)uv*NrgyNsPgVHYDt;NPzTvew$nlpKQV1HO%kFF$6KW4(U0Xse54+Ty(MLpB^XPguh;o8{ z52ZR5#Pf9e^C9p~7jy5T^S)9#0;T3e+f*ujV#x1D*cQzpuY3o|dxPvBfEq>6gcU)B zgABt$HXS$dZ1UPWC&eT#ME`Z9C|im`X5@igm8HLEI>l~Vi;AEN)Bf@_nvjhwZ$!QO z6525oO)#T{BOh@U4_Xk@vS9%F=``9g8f`G6A~!Bs2F`OXbzJ*1 z&KmR3V_0)7n0vD51;ynY&dYVr-GQAK14v2E4a=HfFa|4Go_;i}Xc1wGimNs!p$W&3 zy%wcTan=XwMV{6ay@T4T?wq5tt1YA`IZ$?BcC3c>0<{;tM`gMjOJ!%Ef{94(mfjuZ zz8*JJ6F|1vvYg}K!jJAjMRU+=d1yip<#o!5f$Zk|jhEFn)v%!BW#ERU5cmo)x zHpkA}gmo|Smbl;x?cBsoC8(#fH){aKjf|_u^v>wdOY~ zGfdmVw0$CARFUT*A)gy4G+WjS+%V3Vy%X7wV$0wjm0v?|xyjywXt=P`eGccJM!60o zZAS_Ab_CX++{>jO19dI?15_|hF}6DlMtB=A@Q#5s?J=aA8Ny+6+=JuDosCS@e)C3s zHpUk(qTES-&)|}UGn{iH^hGARku7J2I?e1vhP}*+DKIQwiLvcUPUP-zgD)7$N?nlw z?2iWRrC`1<)X)OxfGZ`YB-e^c`f2+`IS(ivxwGk($1+)biDgjd{Gl+S%S#dOaGOJR z3_#9i=mo~YRKs5U-GgliZ+m+^P*v2^BwK)6dQ8n9f%>R(Dd*7(dG1BygJ=lV?4Zj&_V%dFa zNv^qfkaMuZjV?U~S8wi$CMg_NG?NXzyI`C<0aRbO5UCSdn%XJuANaJd{-ZxPIuY}njW&PH!r7pKv`$#f&jcH>ke?@5+%Dyt;+oc?A&(U2QH#x3%B05&3kOg zG|VMFaz<;*_rokTH@XO$nL+cwL2`xXHW~@KbbizszG`2t@ILzplm^(zX<6ITXJHzd zx)Y#^CeL9>&%bX-?Lw1yb4_baCAN~S$>0>n-7?(|*RUbJ2RIQ{?>+zmhxsKKk8BZj zy>w5+GpUYO@nY8)Tv^p{ zNCoWEKM1I~*(071C0cHt?YSefNxbx&SfnqfoGce1T|lr9 zUfW_OU3l5N*^|Yuxzm$Idoq0^xn$Qvw5ic~8M!av-+#MY!WEd7 zv$nxNE~zv*)^JJg(MZ-WT+;*eHXZ#v@}n2f_Qijk`m-b1ugXUE}qo98`(|o zbcbnKS3?40cOY+0wJccbS{8Nv?_F+g&DPKZk@j{I4$~?N^kWLB9v7TdRF0 z^6Ko@0FVOBGQnPoxP;~caDH_ZN(b`tDV~vvxW1kr(C%}foJmcfGa3`(Z=i;`)blK{ zu-afl0PO$_vPw#4cn;t=_DeO``3|%T!}+|X-q=if%UzM*A28qZ61eo5AxJzFLXtF3 zP&#||#oC26Fkb-r3sWZRoH{qKu_-2N|V_oVP3EOi4HGQl)&y{aesW0 zEn#$Xy2Gq%;Ji#E?E~A+45jOKkUTmJKTV4ZW-7>aZ*#+Su7~NV9Q`FVREZZYdTKus zC^d^Qo^@6mO{p0v#yUZ0<(EM4ysw!hJ>+)lUr^a*+do0VVfU{@7Ks_;3l5#M_d~WL zThACziEn_|KO}w}wS}JfqHNpE%`%Z>V2F#ea%#j3;qtTomWPj{s*0Ps&lBzAv9Fzp z;;xtvOFuJ${XH!G$VCCjj|WCpO@LuUFw{9ukbbucYNtnOK>rVW?;hSnwYCqhm1dQ! zHZ$o=J838FOf!LmCMDBm+N4dOp(&)$mKIuQp&SYU0u(9GaNsxnr76AoC zMFqtpMNtt^(G7}yYLb6suIIjotrX3bj9dYF5^+1osO6N!Q*5(EZNFC?m@%c*R~3J*CJq0&hnb-6P~zQq<24$^b6S`BeQjAx*0? zXq7bZb2m=&u_O{Fr_c+FXf*U8C&GLh`T&+C6)1FWjz=4W*tZe|OZ6o>nT52obae{i z-%3=z;F`G4JX0J)*kj#d;(T0|W0Aqx3G;*4OB_}M7UNzLiBt$t=Uo(Y$2k?{Il$%N zk$0NJWy&SA%JOq%==rWn+cJYZF-ACyxbC0MO6))WxA)Q;w`-XuC!d|CPepDnLOQRkdbE!QLhHrX*xX}J-*d}`Z9GMyYybk3XU zNYKE1N04Cs6j~!n{!DW%rJ>Mf+=D#jzXRB;f!VD`$x_T;&x%%Y3fbi4`48NoPjI$! z(ti`3?%}tdJ|+R%Qn|Q;>~{@H(C)&=2V);_$gB~)fVr$b9gV|5k}DN+yJ1N(2XR5( zY7~Rw-^o$wA(*;P7;4H;I2u_cR?aCR+sGh{Juh%KjM+D4KwC1%G~Yn9$Mun=%8mm; zpjf`(--yf39}t}8yDH#yULBidZ?T`?@@$)!nz8U|hksJyxPk-K6i;nJE+)tR3R{uM zh1rO~@gAjkX9ePJWgjx440o05J1QSGa6??B0-kr^0L^TBQ)!lpy%p5vFXI=vC8ztb z(!Mx+eaBCdTYcIXtVd&P-WgJF^$@JN=Z28Ss(h(0Cgz`lp-w%dgm$Ku4deQ)e1l16 zUZWXGI#ad?yPL!x|i_e zz%95~JOb_oAAmmJQSU(qZUZ{PNm?;xR}aNYs4Pxafq(JYJO^9ob&|{CVp17n7oJER z(nLr-{kzEbOcCvMb1|QrQe{VhW~9uI2=Ksm7LBUCU@@jSmYC#8na*u&qnSxi*XgQn z-CfU(758&D3X=rSvWvt6&`HVTjN@_~yJ%ZF$ssj0oyhh~Pca&J2D#ScYY*cRU@VPJ zeIAK@$qR7EOWLnG?j`Q!stH(Ffbs(yP0MFu?oc2di-!PbQDei>K%Y5jO%B$UqRv`R zJiLNu*OnES4;51*IM5*D?=4CT1O35+>0j##+g;Z&F3r-h4&6~YG5%x^I=SoMllPZ| ziIj0+HZAOcza1Z6OrZ)pB2iu!(*%#~gw)Hz($pkQK6Ndv=}3vZ#mUUQ9*Z2`8~MD| zVKwvsr(NvJ~js`-T}SFixU=V@Ln zA0Be@JJJ(Pl;f>elxBG~Y4;?-eUZ@qU?||eLQiEMzK-d+s1BWal*!pU&NZC@FZ1BT z-}<(rP(1D#Q|s1lMV@c5lbKnRL3;DgCAgP+A3S&`<7F2n#d4zGHhO;*a_n6|d|Knz zk!e~z2AA1=N@qAK7AtGb16bxHNafxM1Tbfpo2Mo~7?`eR4%-fbt$9m1s(vy;P`zb< z8QXAe&*~dGReKekA^L>b)dkp9djrYS z+AtknU4-5K>AqvA`fl9ARhm|Q9STiS(n)dELR6lQWFWQ6hvIxcAo*G<$cm^H6Mi9W zds%FicAt8Meu;eANnG26&-ypRM3;lAyG8lx(c-H(R6B%b^7TX2HgFkKr#65h>qySEv()Y5D&)En$KMh{ zV}v`dqu-CIu>`zOUFT%bP zi2G80r@wX@Nwb3B+b?YR40-mE{cWk-rRp#jVxv4~-0>UY#&o5l+fQC+*)D>=p-pB) z`GUpSv+@Zjm-CNx?M!#!M2*I2OX55C2G?LZ%u-a!z3VU;q!C>~p>O398U(r75xz61 zvlXiR2GaVB^He#IL4Jm5*??q+5o2zZr&&9UDz~a*QK-xD$q42Z@IOqzwwoufzY)ZH zm3M_tK>S?xXcfRq1E{344P+3zFR_y42A9r7zTdEUb0Xtyod$MQ22`o0Cx&&_8cTPk zYZZHdy4n+Df4XgtA@m^5GW$%9pBOs5^KYl$c zyNybB+?#XZh-J6|syY$a;koZ%z!dsQ3&|QXA68D~ko6puwRK3U=Aw@Q4bLa2LEV5I zOB19qsxHT~k!|3DE2(FLX2}tUdf!yG;NzCun1yzqRNf1*(+!?y0im{;_9fpqOIjD< zH@!!2fh!hX0fi*bWG&6e^e+0o*$z$`u}_IXA8C@yTur^3x6x%v_4>|sJHVT&WWDK> z6O624C50IRWMp#d^03B@=K67+^@q#ubF_?LmUGT35AXUh$$5?Al}vHU9+)DE@hVj1 zdp2Gh8?W?o*%E*TN6C>g+=4S%@kkkf-IGG&L3g~LzO&U&$f2DEZGdLP)>C2k0CnVpgr0a08OJ~RWkdLq2%Xy;39SLok>D=$O&t# zbH9LL8!DKTjX=1)?NQQ8o8%JL3D<`#g0t&$er^K27)pZ#T}{KG3|J9`>U?!1>=3&9 zartt@A2k8$4c1`%eyiY6dqM`HL3q=K)9s+!9stqu>q)9(Ryy{HgOvFlACm>bG=EO@ z4-n-#;ON25L4iKVHadf}s_z+W9c*0{sy=tDDq_R+aEZyuXc3; zi%Ew$vpE}Q2n)rBYvZ-4?BT`s8@bU!v9=X84+M1PQ>Z+On(IimV^vDyx;fRH?E6@p z6Xr6tk5RO!{FttGrStJ>+w!A2?*w=P9T4QS^hiAXu479d@U(FAv=LalPFMZ8-|L?) zrc{2!4W7Rq3FGA^it&p(5VtpEMDcY!;%Y6nSB-Sa9Q&fZq&Yium+fTg!cWz2asprJ zF3h6M?B5L4_mjSjhqZo~y3`?Yk}J@On)}k!CAXs5XPMlq- ztlrV!Sc+6sf6X{)nPqPRy{6u_tc$Hq^vJ@kG#DO5z3j9?ng9`;>Tc}X1YqU$`%{2! z-aKDyzNYjpo$DsfHZTQ9sI_}B*PrcVIAhH%$hF+eH&8shp#ufRBW}dA;%c<2{91~4ZFWy01rL$1Xp=USF z`GNSn-2t76-Q~6KEgaPG-RbT4llpdeVfvtEPun7dUAvMyK86W7Sd+-^5Rk_#Pi7R$ z#>A0tA|-)wPTG>B-I>6sC-YzkID%YackLgD2{ac|+yX1=?gszxHXm}e`z$~3%t~&c zEu5;|ZPMN`fsce6$ZZDq)D|Y<8=MCE;j zp$!3~b)b<;^xF#?Jx=$0pFVufy}H>*{aSp=`oUXg1P3wNeoRY1!j1c?VJE&1PB7zD zFyOv~r!PRmxBRrz36>ZPvu)v=&X@FlYBVd-zL8)(4s0k_7%p>kHh=i!1f6I z-h$@WcX~Oo{Y!d#rw`imW1VkMch`EQ_3*j(!ru!6PHHs5FG=9ieIu}MVRwxu^b%8| zp3J6VZBSiN z__^EQZFK!Q^i+b7wYB&_qcc+8RvYXTi2KZXYhJn*Rv)uHf#5!DPa| zmAGav;%?YC5NW{6J$!IuE>~lFM{r#VN7KA#s(%%Xmsr`ei8ET74m<9+h*MEW`liXM{OY{PxEnMO9m zV8z^;hNc69q`D%76)0P7#7?2yb~MSiK3kirn1ji5bm^BSbq!`YlQyoe?MV~Y%s-M` zeLwIBdpg*;Y}l>c9dnO^1td1WvV0Kxo)NWJp2`NSW?*-!qtLLD2Lj4wSF*hSAkEM= zCprQKV2YOVo3~T1vH+&~Wr!WhNs_t}vEy0DkFiV&(^~BvLvxY(7~cB?b+eax!GQNL z^0<~YNK<`nI?I~_X>s#7ap2Yw)FxVN7c0eNeovC^ec9I&16wHg9SoT7W)dx>dkiq$ zxo$P{naP{xYA@ix`Eg>0{Y4?)*MWSWck?}uFMUxtm6=|B;c_8~2nV>ZkR=aG_~kqP zj7hk;I$qE`|2TJ(?|6cGa0xUnq$>y!&oA)vtyC2J4om6YOHzvc`?d_XBu)^bLc3TD z1bThFdESvipSpa^y=!moyk00#7o(kFY_ z?AzOjbAnzoFz5SFoHir5^|x?7x42|x{3#7L;hW9#EanLUUEB5$?#qS+*N2kXEz<67 zJ7A$a9_7jkqT#`dws>JsWg0+PZ7Gi0u+!Ecd=fxB222`30u_=jKe$ zKhy$z;TaVImy3m6;;RrJ=5rYBHY8@L&!AmeX`cza;Mq*yXyMPUmx-jt}_I zBHwakFLQSJyvQ+w>2gMI$4`e+qk0H(kxx0|$faEWG683d37cCoY_lvLFHOZ^ZXGRERm}9L|GRIr zuC=CiJ)`+20B0O9vauC{wnisLX@C31>YpJ8%99c*w~xRV#g-j?k^OyTGxh9gL+wT4 zOUicdd8VqU%@YT1n2Fr8F4+~huOFIL^d4!21?5C^9F8Tpi0ajq40Gk0RAJ#t1;8XXqY(=dv$YhXGRX9Cgd!?Ewssr_lb7 z<`JZ{6a=U6+*qO$-iR(+nwHsYR6a;)KV>rhOvtq8`Rbip3(2iQPs_7RX-~AbN_~5* zydnYCGjq6|u05vkqxffWqHS{Km5HtLDe-~OQ>b!GQ`;VIrEO(j_sCUqBbQ?5tuaSdXejyG~d%+b|!1vk#TY+ zoxq-=wE^GC4E7bOT*uUKg`PtB2BX7AcmKdm<{)eb4hk;HhdyWOMHknrW)$)ap?w_* z9_}Fcf6vShp~_3X<$82uQ-XS%LD^}WU{oK^R_>HFsbm)}s-yYb;( z*TUVz^*lSx4gfuygK@@-@7uQ(%@UkkjRq+RQ;84!t$R5Q%t}s+zN_5E`J~20ehAUx zx%#SjbDb2d)X_IBJ?db5=fs;_PupD=(;Sbn+%j0+-PtOJf4L5~3(JF-F}Fh=#nN_* z%3nFOzHSF9KiyKS=IbK_pum~KT4rDS4EJyHxIRP?6Kpj2T)OA zdkc395MJAw(l}Xt7}W~COQ<^A@i$nW(SucQBf--!0CikInt#ClCfHUxawFoNr1tsq zA$tmGdQ6MOXlGt@K=t?_*0V=!J94qSD~(3M*EatE^7O8pdUW}lpAn6mo*oeN&!#nz*FMDHq@7LhJe)zR!w8M+oF)TWC;ayfpaLjkQ z1}C^O5}aq`_Y(NQM!tkGS94;}wmX51H{g1%zcd`;TUn6e&~ZQRB@QT6QR(-(WjrZh z?^0n(Hh(RGb$2|&a;u0PD!2poYBaHRz3WhSrH|Ok#wVKl0(ZSLtEK?is6lwRM&=v( zp!J1ai&4=1m}Luvp^jNfuUGDtGGtQ%m6UC0pj>iC;O=f6mteja)WiimgX+iHh8l&6 z(uWgb5yB((Zh{v-UNS1arV!yDk6|Dhacq#GCA(_+q9?0Eeo*(yz4s$F_;C|8I9p1#3G2Aaw&{i^Y5hPTV;djviOQJ>o%A~n; zWQ0@?Dostp-*E`sk7pGGN5N|5U~OV~gME3a{4i4S$Y3kze_u0#HntNhF8ki$t z=5#%rbzn60pVvk}-+LgSnjoU1$u!vxKB9P6!syR7xI*aAq%Ik(gID6b#WuW4e}-z;^hT6!G*M9KhP z#aMivOLuHBuwNK#y=kO{>s~j8My>-yX+cS|Au=8+r(u2MHu$^#2D&}6RFK6T<~!49 z_sA;ftUI8y$`cdFc9$mugxKax#1%@3l!XiVk0@=Hk9Kc0g`bDCaToq={ekLZj!!b9 z+aduWM?3>jjVbV+mgMV%lB#=P3ZwS}agZ1;0ov7L$Ykm2>3Yghy#YL%10{(AP6^+a z1}1X$a`2;WV8R7mVzNC;nkx5a>D17AFbnf_mU{+sF78|WzT>sj_Pp9UZG&L#4y66P=jGPu1tHJ(Fglq>N2&F?Kt;Up@^(bdI$mYLge(uA0h{nG z#QPZ00`5_pixKvFKB?X6J}2(;oTJw|ej8fzAaq(Fj~!48k#0z8=1S&IMlFzdG#f1n zT*{t1Q|$x?&maBn8Fa*6P!i0kXxtMW-H(iX6YtF|GbzjT8oXcpG_VD4pQz&5%0Jrx26JhbnN~W<`=JX&pHTjDH-yYL*<)|zO8X> zL`^lgl-$VArIvGx zdmDiLs)Gs^^|o$pKMSI78*2MXSubP;pV0{))m{{{`Le-qjfcP!s7g4zO(^id6nw>S z4!w^Q_XJPQ#c{MmTc=}=fy;G5?LIKPl_>sI$ei?^LVg26g7DOKozTm<3Odv}?u@IC zIs8@VCZWLJP#T4tZo~}^y$Y!|D2cr*+fmDIucbFCT3gQkk*;quO0tpCPs+AcXW@pr z?_HsrBn{&5S|neY@3SJ`HazkPCUOla}1pH=fZ z|8@V>>;Drm<8%HW4)*?8Y~G(oK<)l|Uw;yg{!Sox^`5kUx#pi|z?H`Qc}9$r^y=}k z2X+-QJ}X8N`sbefzwEg}@b~8)?_aOs`L}w*v-wNAc>b))f2{Y_ga2%te=81}@xQk0 z|LCMYOZ;miTy4RBFX6vE{C{*0|F;tU+x?!{1G>r+`_~5)Lr7iS{;v1wCCT3ErKhh6DOu^0C0p})Toe;)YfMMHn?5jNsZu^h1q2T{k!hgR%){p?5`~NI+?YmFy`wKjoMy5?0(lTSlq*=ei z0Kd66-u&>p*zw6-`-o%T`v3$4xb6QA>{oluKc}Go9oT<22mW_p2b<_G^XUH$?0*cS z|Nk7=|0C4dELa8!x+_@r#H<+O!o=vz*;CwkU?#(^zYq(=s0;qsmv;3F9G;l<2ZI29 z)r1^(oc`+o9Y0~l^hrR|bOofn1)J}{jzfQgvH5!Vb%hGy-^%-sxA<0?@Rnf^P%B@# z%l*b{Ik;|3bXrw(vU~9Gkh_1LJHN0H7;sT&_Ux(|)5TPS$6HXBh73L+U=8D3Q8ngk zUY-eyg3+V-3nBTy;PWIi+3HMyFH{YOG{FLI&230ukW2dG;~*ERFZ7b-!BnL8=Hup| z85s(_TKPlBkmvD3oDopBaNH$O%r^K6{E&OC_xS4qSf860yJ((PfJ<>lQIR39Kr1c6 z`n+8GLLcNQ=M@M)NW}&S+2G>X|NcCXyL~~*)_Z(pE6!HmMR0cozA6UmwcNT};CH^= z4(X#PudWZ)=X=WEha1h;YA#|!Zf*fi3yy*lJcR|2{bcYKXjQ4m;PK@t$-ZCVzO|b3 zPz#Nm#J$uMY{<*Y$19;iMvpH)uLkZi-=B+T;luuBy*H111i1{OV}<4Al~bL;>+@kV zo+b7(dc5Aks=vpM_QdL)Ux1fGwwAs?vwx2Tpd~~3jbnmoP!(_8_t;R7pIh@2w3V;0 zd=)a}=6fLFR_`eYL(pG5Z}9qat3HHt{WZJdpn_GW0B|(&Wk7Y29m);jOt_ZcTh$CV zom+Pf>RwRuK&&0`<-jOp(0u;V8!(hr^MYRQ_3tk9l_0%VSa&@%dSUr#oxZ?R0}sIO zsg<>FF){mqnTwKGvd)ptY~HI3r{&vGz;rZwx!u{Qa-5ovv}>@2}i* z8Ri#^j-&6vEBD-)-(R`^an=9ho0u!8SNU4ffEbJ7J~7gk*e6EX68k`d4-snq(%fl= ztGoV5yI}@Cl7HU{XJ=h)Y~4+9$clkU3x9!W|A+Oc5I=#hY{}4Baew6a=A&4R|0Mfp zid@_Ok6}h<-lB8tIuCVz>q9u^|HbwHW0luoVcZ~rzcTa;)OUkAqXY_MA929%p@$zM z{KU9EOpKw=ReBa+in#KD##pBlw*0mCr5S)8!7)aH6H%QY2B@6_I9AS07^J~6bWlv}5CBWTe+Y`g(5vIDx-`A9o8!zEe{FG6RT`Nv z`}Zb)N^ibJ?|AA{X!0YUTxs%uug(9Vj{mXA|D~51V!bT>kCuuxM(hI(dp8#L{gnJg?NW^UAggXP{KVR52=upM=uwRGQ3@`OZHzT9 z#_3b6umO(HrNmlNHx2)YQ3hTB|3IqTwu}GTLN#Dr{oX>~>CE5h9AAG4Ewl%IL8tup z+lsZ&zi&nVv4y@_q8IMi{7-(8!)>|+YoOP~OngAl{0H?I6`ti)l-qxdnu88y)01uDTd;B3*1A{0T3W>`& zf~I4FT8V@cnAej);APr0+&_2nl)q?3a0jGX>1Q`%03jP(hFa+r5g+~RDcnpz=#wK# zJvJ+okgASASJJ)der7n=n@dWAdjr0aDBLElqFyg66bSqkc^~|vGP%40fx6Fb5NIud zV^j}z{{WIkILKU;_}MPpPpk2MBAW0C zk^QIkj4+I2n3&Wl{E)&i-5~Fa+JsKj>Mbm*AjPN`E>try69wi?P-wj#WQ}SN{X8bC zv?@jxLV9uAumS;M{&#j5x}1zcz37NBZ;+SuHBm@US0WkJa9bToM%Zy`IKZ!?~@o@B7J$exWw+7hs!v{bl!jIQR_q~CULW9>I3(lV`)@XoJ6VHKie^e!pI zy;{s zmxk6yhkIXuBxQmcckg3LAzz$kg$l?#a4M7PlRh%ZIaArdqz5YznW*+d%Btw2ZUZT# z3d55;(w$8(kjeNY2yJf`X3zq9(mn>w8?&A^R^J}^4ygi5{w|uxC!#4@h*WMZ4KTMc ze&7>xjsZ4siHmNQl9+2Guut1)+mY>yxL$3)N~!d$yOD*&XPd#v9$dqWP`h+$75DNa()8na)POBJaB@WS~CQdK#Fv^ zHXK#20 zv1$^#nE@GM^ATEUjy_?xI)9TYxw)Wc;JVXDx3rHyGN+dzFcq__+q9`;1MLRW4nuZvwP`l~Ipon~TqM(eVU7S;$ zjjA${FpCbNF9=0S*!h<71u2$Nv@fynqfli3+_#V?Zvs;>5aU2T@e4d%S2`R8KE^^Z z-QMnHSYe~`5?PB!Vy5PM3|ZCqXB7REMUB!5W;3aTTz2kz&=qN3A$VZe<ljHixB9${6H(jQ4s!2CogbG(l(;iNid!>qg5F*7Vc|Ei<}CS zC+UKhF$M2M2HJ&jdZu)(jy&c}b*^RBIreapt+IAx1t?0{3y4)6hMe!A)BarY22+I# zyuFoA1SUF!aWI=jR&g+FSXbVR)z?kzK|$+|$Zp4nBG~{0EH`s3@WHcW69}dchv{b} z+dIki6-SHf&Tw>UT~o4h^wVdhO0pQ$gx-a_U|Q9$be6&d?pE@Zb0e3`cq9Gsit32e zB-uzJ>F&Fbp%kK{mNWw->$;w$dzXJY8>d@<7LQx>f|PVcqY3C7_{S4Lg&9V6AUuJ= z#gUdM_PLZE7#8d9?gzx|Qearhr}IP``Bj-z(j5lQMCB0ul_@+sCRl@@cfU-1+zYt! zSVABbmF@*eqv-cti-iy*@ojDUT+2l4?DPX+Y&kZIWRos)wTap4J0z*Yu`q%z$9178 zAa5!>EVEP`E{8cFM@kp!C@V<#_{EEa5iEdz)^jyVJBo^LIXbC*#mOXgC6&Hnj=6hT zTBsI=G}BC_0H4=pApdl-TDVIHx2TY@?6IkzAvI(rV*ooXuSf((%&j28N#4b4@KC*4 z>fTgoJ=(+-nJg zVgz-{m4)n?909{8YPWmtNrx z(4g2TzDK7At;lPjB6(-!(7FIBkH=&|<-x|a;ubNic${xZDV8L@h#;?v4)ZSQgx<^gq2Jn7+|X&(}N2wj>8lZHATm-a$Mi}A{3 zm$(JuE&fn+?BQ>!x+7e?>?LWm6haM-KCHQt4g7<#E#)j`1Do2t+$Jz`+X%MEq&|-$ zH<{lwm84xnJlkxIk>)xnf#Ul_VX`b#pMI46ag z0!0X%YVt=gQ~7>0&<0Y48qF7bt^C2BqP>NK2QjI{9l<3?`G8b|3M(^rJ5rM|9NdB6 zVpTP_BRqj#UzvgVWgjxBLIe3UkcNE{XwI3(&`R~fdC~`u2WxmYZl$T>yTU!9ROD@` z!MJy1XYf426~M<}^F08j$6gC-WFL@iYgjv5b_Y&7e6!6#KJn8oGNRFa52$F|Uigp{_2p}K)dapEv;vYLy^pF!HoI&ZE*!{d~L7`P+J zO%0k3yJBJq)#4hh8HmS90;ubx<*?)MBf?;^T)c*w1bI;tqB)_F_&pe-R&hl*<9vo- zvA2;j5-E4M#&P=x)O#CI8f62m@m^w$8UrdA9 zKVRLLciHklk%(T4_FA4bI;st- zSubx)0HNgigJQ3;N4x{J4gnf~qD-+ruCY&6&H)o~g-)pyRbf2Hh4Z4F+$S|vtwCZ) z+$r_r>gM#uD_rv^XB7rG7peNV0LYfV%^h@&vWtr#QC=aePAi9P@1i?gH}Yh*T$9

rjMJ|0BQw+ZPKI4}(HbIXim3((3C=ih3eQx1UjQ6E1Dn}byLuC^i- zRw8{J^&gL04NZd*pBd8R!V*;-juz9*{z2Ci>POfn_SD zp31X5&d3i7OuLkaTj+OO58P=Rli_n}OkegH2r{bn3T%Z%yHz1?78@gU+(iWbb(4l3p!KrD3F6c0unXC=bRPyCSj46#?Nm5y-iW?W3ajqM zsJBHju$_tK+gNsKz%tS(3UYS^UniPzcF7uve=S8=v;R&0I~E7+kL+C>NiWYryg47_ z%t#;ev?QEYVk=~QiycOz!WQgIH~Rg8fbiJcafyMW-zLv)O{g$nf*t zO*UG%z5Dul78|5gl0~=R68@r4+9(HhATlVh3E>Ap+@jRgjXKDlnw3a3rtiP?mq#r> zbMnBYSh&Ca9hp9nAz()zI znkP+FeUOxCekOJAPm#B_9}?<8Vl0@4q$(k=iIXm3zVs9T$G|ZFs~yGb`~i0{DW#>L zMJlZnzAsHjWLMK?$6uBTnVbW;lEr@@OxT+eXi!~?!j})&f!F}c{41;^ll|HTRJ453 z1`wbjYw#>;QhOuiQSu@XW;3<{21setIuXhB#ie>YxKw#S+U^&yylgEj)r65;Kfh1@ zCV|hOhsXJL#g`VKBA>JXht&<;@E&p;Vo=VW2K6k`oW7N4`^V9<+S`fCUT}PnKsDP8 zGb7s$C6pZ!OjOn8VRt*;73Mx&+}14!`ISY$ZMXa9y~W_Tc_5Koi>A1C8bK5la#jC9 z<+h$0gJ?FF&h|8lU!AuKUy=fFTP$<+>P-Ux1@R{`XD*B(`S!zDrSIBaV#rwja$(1c zbD59>$&N}4>Ff{Tu)h<`T2*CsYKOx_$0*xRl4tblN(-MTAM=JUcP>bbo2czQ%VwuyqHuv^IoAv@YT~TFh$D)Dyh4i`Y^Z7= zk|yH^Xoz#-@7Shxnt|q3wrxk=FZF~>G)eLh0E0gxtu$^76-+T6hYgCU_DGu z<9t#J?@I6i6xtqnL&(*)S}ltQ;uo>pw~xd{vz#)k&5jRV!@crt;^=gxFp3}tgk;P0*HndFcvAm)~1mMxfNmob;Cd|+{DQX&rG_p8(ku0L(;zU$TC$H4P=Ytk&}$A zB^N*B4u^Y|m&M@)QbF6=u1~>|7h=Mg6Ulmy!JKDY--Zv@Mc$jQ7xs=?9l zI_(xz+gtTD}tFb&;u& z_29a}=H2s;H)7>nHDmGBATk+TZ=@Y(3GJAtb|KmOqQJ9Z16c=pu?2KBR$=kNK0#G~ zZ)~*{*`q(XZcHRepjk*=4nsapqVp{C@{Z+@ry-b2?NZ8aBd7p}jj;sXdU|qIak|*1 zZb0@&7*2{ZJdTL#B7=7Ku79xP5(a`Vx{06WHE+x#1$$d)2H%y36Txjj??jh;Q%y?w z{O$}n3`lzAxLS*knKd4rEH7#e&vtaO^xBImGvT7*7LMOB<|H%4veZYsY9?YPl+>iq zcC_EM+{8pqJwwVJzYSFU;I5g&-4@=$F_s4b7iv!v7<0YDcCCq-EhI5>gd{pwFfpT? z`l2p!J>PD^o|tq)b5~Ovk@Crw_BfInnm}^G6Ua4Xzm-LpdoWCFd|WC&C(U*#gRH0< zik6vZ8LVRlpcb~EjGH2ar70^13Kl#TU2w$PNT9w5|KvC$@gE3Vudj@6%7id|B4%Xs zMkf#m$%s~fQ}ygRdWJemmP#NBl|G1RcHNvxPC6acz3h|p>X*PuOR}`OIA+koy8Z8Q z1DQM+<#KC>(ZhnNG0h*ao1`Rq>fl+XN_mA$QLl?*Zp0bb7i-ZusGfhk_rjNOPrZ7- zqaxcGcOab^B7H^&NF3vl_>LjU*JIMz!3iFg@j$5)g!lGlib;$WzuvZg?^LOiu~xb* zcQJTRbQq~}p63S`*jWZq^UXn^(VUErLVRnwn2fIvJ{*rzXwM=YnM+*4U@;4HW3%vH z;_RFkd=gBF!^GqFDsS$-*;7!N+nn6=fzPRn^b>fdT1X;`!LdF@keCME zRI3K!sMnoQxq#H$M;}j+e@ToK(p+|P@v)V@noKbMZoqSE^fDE^= z1SWkh7%E^6emYsb2ay`Rx=}vE+6eEm8Er!=MTuR)^7qR8ODquU?(Rv_Sj}RaVuVGv z#6FZ{zQ)LkikN1b&WNcv!8aFiy!}Snha`)&!eLPKtOZ71%cV@BSk7fTSFpW!&`0~s z{cEE|sKg(#mp~#J8^uK=$d5GO48k(wH$6uOF=pH|dZH!|*DXTg378M3N-63d1R|eS zvI;u6b_59`>FIkKiSLLL$?#Bwz9e>67*)jOXOK8n91=^AQ1378mg#Cv^>#_cmWfGa zoCJJ*KuIo0^1-CQ8#+}mm9ueDCKy>toOGYqPPgMsp|u5OfLbKY1j=667XW)``UX^L zL*N@vAO8S?)i~(=NgGMJ_Np$Zi!1VS?$BdkZ-XAP9JFz;panFfA&*M2Q*594s3wU$&4(0Vr7ZH63LiO5EmK zIs7y|PKLl-6C8)|04F&6m|ZN*mWI=N_;HNIIaZSBY*(2bbL1iUA4#|`$mH_T-pVE1 ztNd^wwxW}z#K+rGd&^7B{O*iJpdfpA#D&|PD=4T>l14&d|c%w3(4guY7@fMouAco)+M6KiZAeuSyZWNrR z!|i3=RF0@EK+gisayohUptj>6wt3Kg1|W*yl*ak|-Bfs2vx!H-K`d6|a6Mp<$%np35ulhL80!o8R& z?G6Nydi8e8Lq>jYg4%s{DfKW#iMQZ%KMxAS5}8#y7f%Gs#q+TGQ7Q3?L#b)%BM7LnX)n(m z(}6neh^0$WmR0#69NO|U;;y0D>T2NV0Llv7$`c;H4dLqk+)&qK@6*@HM zCE3t5ahvU>VmwVKC;|F!6SftbNUh!MOvF{n4CgMIqWDW?ys1sC7(t!}OeNmQ4hx0P zsSgg2t1|(09e5nnMa8tze02INFDA{MQGq{=?_9>idi8qN^N~V0e1g4%z(D}quwi5;# z#^b7%A&`_#FlayGm~N^2Sm@KH)y^kE3y8v4%u5rsGQ_-$vw4yL^OgqG_!6n}-KHzq z>lSt?-MC%l1PcRwV^QFMPVg&WY2tT5HTGK_-VO_Lag^GQl*iZ}GOh^zii&mt#@XX> z&lVQq@pvGO2pwbwo)WUbMQSo}(O%j=__iJmbWJn01Mv?_PB^YJ9h>NypT;jQy?C$X zE)z`2y=^Cw>R`T#2)BS2g&Pl?-S~5DD6TuAW6Ww5!VTu_Ch%tTH<6maYnV35Qo&vu z{ZJj3##N{N6jywFb0htyUhhTlljio7KLm-4EjY5)zuJ9gWPbEU%b^fFI z*c_Hz2QpX9EzQFm9YdL3B`wLvt(9AFE0A19pTMo8Sd^3>#VGrurD^;mux)ejJJ>{l zr38hK;!Ie`iAU}A(pc_`wuZSE6NQ=OQ}8Wc!DNpolTGxndKAOb>=$`jg7*5Hz2ieG zaYA4wDtm;8%qzgEnM-(-AlVLnDv1yXo6IlI!i#8H$93j!6Yv~b;e1<|4#5QCsez$9 ztQcWH39d)J`*E8C7ux%~Ze++VDI1TYyOoOi!oW5pX~MPGQ_BINEmuH4;RZ7%;Rnz< zlH8&+1`P2$aKsXD_O+5RB`0*2gSp|`g$UloEw}Yj<&P5ZL~Q^P7QskH7|Rc?I-r{$ zC`}R;mfnqoi2Y(o5OZ6JU#Njnf5S8MYQXhYrsWMrE@Y35;mz!^6*f2fY0&apkIs$i zOYs*ryVmp|HsyW5_R(9oWMG=)mE!k+G-tYE7rNy7VFsB9y{yyF{v-hn7AAWfxfJB zzl}4JgLn30YIR)=JUK|_8d8yZ=R4U?GLF+jj{NU@KuZsGqG2*Kc{^ddFg)|3?R5u< zst;3ydf(h8VTR8gfLdQAIcz24z+9b75z1c&^2#DEjc-S~dB@^*P|`!dDa?@}Bve@+ zqH=`nO!eh~{VgipWQbJ)TYbT*GQF7VA8(viWZQ(8tM-NbRkE9%2p-xr2AGbI8b6L1 z_kQtD;5AS=!$oAuJzKRykqm1AkqtAYvZ2myNOLh^46&F#+Ldags#`W9EnOR#rw(UmMbw$R| z;W9{)1AN2Yi}5 z%2(lknI7w%=zF^TS>n)t9QpKg|FQF*I|7>P>4`i1dBzF8@sNo4^mPBR$KUW?fJB3w zD*r{`+JC!k|K@*P=5O2mcm7{?e|B5`C;FeKd3xdhcAlq~joK9OS8A6($Le2sULz;^ zd=>xx`X>vO8WCMP^q?f7f$>9PN_2|jx|@N@j1fv!HiX2;*M&H~|C#!sC74A{B5 zUaG#f1siuS+`$;{`~=WW8%q4Y{q*nM{r~pUfA{kLGyCa(g&<%29Hk6z#|{U$F(kh~gC<*a3S-P)neU_>n#9D?h&~o29Q#*R>$CLPFkXf8 zpQ3aXd_=_4xqP2qhDgHM#KFX>Awn&b$R0eYf%49Vnjw?6!x?g zgQ5Ys>9i}SdMcQxGnqU%CrQc_ z;T&rpb^@+b7;!}Q7cLLmo`ma?=&;NxcuvUqN&vuu0-izPBfn>yz~q=?2@vdy@bU#t zghdaVvkU_-FA_~fErzz-;r4=I#-624~ILCyt7veK~KCZ@{n*FYwMoZ2e%tQg_>cKh@$+UA!H})U~$rLrA?FnBC1wky?=~_k&A0YZ&Zg(SnohVPC({ z%8ewfN0Hz{dIn0Lh@(+EaL%%6IG%+yqaqIP0yxl^yLE~;k&frtZrI3lQy5SzV9Q|{ zYuSuwnIay%qg(0Mcy?A9!Y3WwkhMV9v7j4*(8d=3O=Lc&n}WTtLNsg< zeNfX6C*dJD%CN~g;$MKzEiIYpuJr&sE!KTj-X6f25cEna#AiXe3u4FYJ@{(M2Y@X; zWopmOlmg>;1~8T~Kl3JGFc)qaL-1H+RP^Tc>`EiBoS9MlXfyIN*(M^q4%p@C3^53E zleqe-JT6?2xw@)OlA0;F&r_j}%y`p% z+M+!Y?9Rqa=X^wZtUFlYWd=^rDs*84EpX_>ewSIJ}89 z2b8%)Kbeq)*bMG@DT#EMJ)CbS@c)@QxMt8q;(%8b*UvwwIdG!h5e$MIBOyq%6dYX( zSyk(3ZwCMv;RxKtb45Lr;Gyu;CFqS_%U??l-Dj#xE2NC6E|DZw zdRneeA5gg$SJb;5@qwhfHe8m~9dYAurj{pcBGazCf#hgM5msN-N|%^A0!z8~3CUFO z${BK9CEn?6R)&Tv8^VOnY>BmsRJ&q5zxgs;Lny^r46D20u>y;&-DL#*7~R)`m7Sni z!t?~NK;7I7Gd>hgc9cDlG3_f_aULIx%sWMPhjj+1ZS*yNN$4gBt0tJ{KGj%aH}U!` zh{%~ePOQj@N3`CsM0b%%)FzYr9r%$JAJ*-_$%bUCF+8Vr6DEgUZBM~b`W?Z15u@k7 zLG4SEapo1L72ns=bAWW`%JSdOK7;pc`^6zh72lE=&re+PwvP*v5s9fes*B;0eTMrp zp{v|rqJ`~>XsaV%PdMu;SV8v)FF$@T=yi8TY3Iso+Oc+S7B10>O8-y%w6rbt+r%D-oyD8#Cqr~-fv*4Uhm|M6 z>%}eMx>QZZE7^B-EV+lg`{9+zv_Dt2YEyenC&ic^|t<~-bM_%izc~cCzL1vYP9(wxC&^F>VIS2;-=Vx7|z*2 zqI#8R`zw@TVOG8=gPkP8fRG~OgH8^UV9m$T))j(;#JPIv@?iwrD=iHSM6u*sHY2$`%m7M&F+y&O=@;O{WaDOORw{x`eID z;1I14Qr@MtD>z7hAZleC%$L3{uIHh}Cgic`n6oB$TqSGDcz_C1rvEy6y$qV;W8Ojs zaN+#-LKQoJH(D=(%e{cLXh+H@W#UZEnnj*#Y`ZJ~F(-Hm8fWJg)NF8-E5dc0Yn*Ts zN3wm`ySPu~IR3DrKkBe^1F!M-F+S@m!lSsWWzB)=$H6YlA6YQcGY20ooTIr!^(&Q` zkva*h(jk(e>%c~4&&)6*AVMAMSgZh^=kCZTQEIn_Fx9S`ltQ~YZ)sB2<+%>?qcU%M zL$z`_(+^WJu{lgmx++UDy-GA7u1E zW|i(lYd3We3uAcZmprRW+jhqFD$kWK_J;7R!h$N)E82m(@?D`Tp1`iL4{f~*{a4>1 z6mzbNxZjx(s&|wvmlY9s78B+Af$so=JLJMQD>`O}158BRfp8ML!``F$h~<6|bKF#i zqjeo-9Z<)q@P|ALA$}7oABtDe`?HNbf<=n(1fsTP66F?)>`(llq^l1zSGj5feW6}7U zR_Y;<>@@lwGm33vlsLw605x4B89T4lHEaKXn#*h=cBXw@HhxWeSc|vTB!kb}m4l-^ zSC|e)ptTNt*o47NjSaq$I5KlSWEy7Arw4HyJwP;-PZ$j#Q}=s&!KY}*)QM-t0{~NO zCuQ~64$k2?0KSo75cT}t50=qxkYN)ytF8-MU6}|YUo>A#U7$5|h%qqfIGL@vUn)d5 zSJy9wy6N09t&kwgPM7mDQX?jS%3Gz#DJCl-) zg~@_D=)Q+C-{$VyMYdPQlmK1FmOa$yH|HAk8kJ)da)Ve+6KRk2yKN2x7u2?U9h%_ryOK60Qu8S>C|-PJQ;7=kkZtuVZd{zEBwU^inn` zv|S?MF#KpL!*A$QWtQ*=psCj4 zV7k)P|3*pW3qaJ}R6#zkY9^srOP<3`esL?LYq?S9iN+=TJ0v?ZT4W^prG!;)+2=ZK z-cQOGwBFau4I|WLzJF|+6{|d{*=|>=zK<+B6&Hi`zrXPxu9qQ+|JVjRnR=MDxRl+& z{Dk{@j$k*FP}7_9FII>e7ANYYQ0xR`#Gd9k5FAZ690V+TUIsD|?Y+ni{WC^Ml<~pZ zt_nVJdN^n`-H+sB*uzHcUgxb>$W44#-}1(xD~!#hEKU#U!>z6Y8+GF?Cb#~t0ZcF zkac&S6%z}M_N5E`Ac>NR&H-NRD})oW<^*J}bZxV23}o2mzDovMKfC|yu?utqV`=F@ zG_J9xEz0Snsf5H>?_q;s2#(jbBP8B1jdQgehsn~#7}*R#D)u1kh%{*qE5Qk5JfEoT z9}H0-;ViSrx&i_tFG38r1-b6=!&Fm3*cOIoKgDwamSzz8GX@+(igBp5KbSi%gd?k> zu>!P>Nr^T%l+m)YGi@bvkP+0?tVMGWEZ1F3yl{Y-%#FlnIYZ@9Vt|$E9VRS)GVbS@ zw5`SUu6F@6`DlNtZ07a**tPG}wdPk_>QBW9C5BUcRZXa;sV3hV4XLZ|Fk;oohd<$1 zvJZFHFOebdhQ4sK-LYP%0rtnHv$Vh(gN+xU3iFl)sM2NiNz6{p0RgONwDYaoU!cUD zGV0A~Lp1uveqA+QtJx7ri(uN`$<#iCN&TTaXIy~crggFqsv1Emm*MWL-j*W~rr=IY zw5gsSb-xVAL{cHW17`w+qK+G$J7g z7Zica>3lv%+bdF8M=aj~IYn?~?U^ao_k2a})*x|&1b^lL(%daLn*Bk@Bn6cS20%j< zECyD&!02M*$?gkj*l=hb$q-fnZlZdLLCTqCEp=zmdW+#{+3#1my}hYa~; z4ixs(Ck_#h%i-+x@V_xffG0KD?@xM0Y&fNSQu*X(#EDNgSfb>AdF}l^dhpnMPab>+ zq!b8!8j6FTN7C5CNE$KhFqXw{IxLYVUppKS)+4rA8Zls4GZQspQ*&U<Jl=l(g@jL@u1{6rivU8}^|h<(o|(DpMc4;0km;K|R7U zdXN(`omJygq`I%@6Y)V+W0BJfGr#i>Oblb`DuFZq&Htk?@sdict1)?xb{=JCH~&0wU(4`mi3Ov z{r*UA^`SMbA9Xw|jr+LM(TL$63n$}W{a94RxIRMrI(?WEw`=UDa&yq;>mPUiv`5^T z2hsO+}V`sCoZ@BX3RvTtf{>jdvX%8=V z|1fRO$=DEQ+P!5r`piggL`K$IGdHz#VBaeZ35>2hU*EG`O~mqEarFb1XD2kS%ShsKko6F-g>3SN4cA>jp*&ppEIo9-Sz(Y z6@9y5c4fcm^2`CAEWU1lBipnmqJOR~d|A315|IZ??Q?$Ffc~ERRrv$$wHL&~{mCl| zcBU?u^*J#1hLjFj^4Y3^L-z+13@TmnFsuLNmE8*p<2vYEiL(azMii($Kw8Drw30sX1FwD@&(_e z;%PSw^Glw)f8nK}&tvtPVY6w$8t**a#mv%$Nyi8AOYD!LM$~89INz$s=Gf|*u>rB0P(+!br6CDA$kDNxn>Q^C*wV?hE~uNd#WgPd z^3C~)@18nROOsxJEt_z2|!GzWS+Ze9o=f{PDXV zUt7oSoVi7nMB+7JoVY7k*mnf=iJd6UuGc={FjtYG>Tu_OAB1yZgV* zcC7!t$HMT9!X%bR-ixdm9~xFeXOe4SFVFnB<=u$>53fvZSN+(qtMZuPn!)C8q_Tk3aCsQ9@%Uk)Y zPBw?;r0D9{7e}<#rFz#i&b`ULr5idwUgCn`=Wu#}YfUN8_N+OkQ|{~3z5hH}{ID++ z+~R8irhi7t(b>g_W@(6<0P4;uo5>_sa7b zpVaRBTVP67S>>BFxqN)Zv(VJ#8i{&wiE-r*5ShBS86sH!|Hjk*>hw=xQ~%=si5crB z3(Kz9Pjnoq2yRwm@&iq^Z7%&kF55 zM!hV+_*UIcU=NxDd;OQ2{;vho&tEXXPf3Cj5mI1;ff7gpltBLZ$p6n@LjHeHFtvf~ z5$WINxhUCRKSuq<|AN#&2J^peh2v`iI{i7t1tg(my`q_bn8B+Nd>XtG2S!9Al&&9# zL(y_BRO*oeVH#zk(P>8B=`(~Dyu*Z{pat(_hG2P&Aq+jg;GJ?6mWSa5@0dWKL7FMY zfyltf5g@vv2BY|Mt4#>D#KYfKUd}9(u2V5dNP?@7hY6JXFAiC3iMW$gZNP!jt*|cv zwK5`S0!cjD%M?k~nZSy(mDs}I(guo`Ni#7H48w4T3z%Y*!(5hzWHUiB_|CjJ2<|Na zb_+wof_ExI;ObjD_@9cd4THCJ@8CdFf^_gJjGXC<7BIa~HY4wMMG7a*4fa17(55i( ze6Xu=>r#L1{)-vP)5AC6S>65+q+T0n{AK~v?P7QV5}yCHg#S0?{$K0-1;};o!-hSr z^mK$6EWOu_34)MLI(&Z02^9s6Kn8yi3R!#%?Bf3yn+{Fj8-`u}Kbyc`KmOGO?sZeo z2}=C4J;bK}do%3#lO%CHyahaohsO?Mq%!7kH$r4_@G6ns3sp!^6r-c2uz~kN?|q_( zLx&lI{7Jx*pE(stBY`9jJFp=t0JcP66NyImzzwWM0lbN{8}cOJd8iI#8ke4tldj*B zp0O9j?Mc^P!J*QOy-Z+Kj(>~k4=j&`AM>ujzUfS~6lIgn{+}w)l?tqt>h~}S*eye^ zeh#fGV{f{Czk-Cp`7XCX^~3j!3Wh-S%cVK#xU+0;dN0L9ybSm5u{S*tu9%&kF(qBU z6K()qVQg}^P9j9mV7nq6r*(o$UO`trPtV9t&yX0~R{QHZn6sk5FfK~!=>y2|r(}b3 zWa@>1#yj;;*AJFGt?U2q1^izt`>Uft?BcKf&A9aD^?-fRz_|1mYxw_$b?GmrXaVSk zal+pTm`Z>EP&A3{|3t8JD79b(42+VHxES}g^T3T+O1iImqFbK(Yk=jfo zN{~xC$CB~L%If*1EKoM+f|A*eNZ_u4qKMQ~%)Mmtka8rF7l6EZ{6JM%G!_q3qET&o5#3As&3FZgQOup^F~-}X4nTpt-u5e!n~J;RQxl)Yvz-xAWvvY4OXddb zd_d;7RVI=pLy1<` zP6k2oZ98o|X)e||6ce@uTbHuyP_la_rohX>!k-u_<)ZNCb#01~^boYAS0VFQpjMxv zi|`Pr`2A8xbOpw%ArE;c+L<)ZAHvQ&EB6PqZS(P;5pRZ1`kj>M76KLz+&fA6q@8XN zfXu~R!5~k`>pZ84Q@6`gDPG6mG;g|$Cy6V-5f#D@Ec}5K+TVauxr1r7aL3Y(IMM?Y z6It`Bvyg%ytk#VXy9IFdTQd;N#cxC6b(kX8tay=pDc%nT9)$+(5lU_ti8^y3ASsk* zTNt3bsT~pm8rQm35S_6}bcd)0uHLA7Q1w1&HR`T_Do8&hTvGg;8zyuUuOeeuFkk@o zm;0`>qk*c%ew0a2-jOS&xW+Yo2Bpy=&O*X#h6e&JNI~LK1n~rRZGqh{a46bQ<7T$1 zY%^0b1H|nzL%2F16m#7brj;y2mTV+lBE8+Az9gx_lxo{0VN+Be1yjKfs5V{-aV@4? zWfSQQ?;6`giDqgj-IEm?G>al(=LNXzAj@i$@mA2YKFHQIJs{o1_vHKkaNY{Gj7HXw z%TwF}KH= z!sJ3HQ!!K&Kyi@(4&vF+WfY)wW!IU_#Qqj7-tf@4QZ9ajK%1f$vaLe4RM^pRh?Eo} zwO-+wk4jYw!`M@bla}WLY!#Sm)xQ-AGBn7vr*T{+EwZohInt&&YEfQqOy*p4V!yQB zY9z*EF`UrV?!%A;j=ESkZ<{Oa?C@OhSiq8b*MhOzh3e~-K7vMSew1m4fZ9CCQBDnR z>VE%q@V`E{hqaxQ)y&jS4sP6I1MsRsIV~7^=Re_Zqwjla@Vp?z7slXY$6liC=@PcR zewhsD=jg~S{{U&Gbjw=^BvIBN&cg+>{miGsX7#J#rM&~TJt?jSiW*xt2|YodH)4fJ zAW`BFmGM&*N)b;;w3AhZSxw_eCbH%lPzrkthKF>7x+r3e_I{KyU0B){<#(A9lic+#R z5W+Pld0w>jz{fgx(~5ggz31NJ{+VCUY*cEiW{fX~qm;%RCmKe z&{&SyK(;m6VDeS~<4o6TNWAO`y{@v7d25r0ZuK=SMl?z9odHE54&+=m%s=Ji z`bqyu6uIPbQGaL>aT=|6+E%{Dn%S30 zDLcLD6l-=hh}Dv+v&`_ESfrcfd6^8g52FJ!$C>6IIW;#)qZPLRPVX5WX@bV~q8yO5-GnhSE3uLm1% z1>3H~6zrr0?;_#$v6%w7A3`g+@~jL=brhyvR}SlS{)#M_NMltBIm*}MrjIbr9wNHo zN8fVKM38XCB-t_;C#8!eK!!`x?Gl)CVANlL??|)b)KW#`*>Ufzx>mQP;U5bE$ne6v z`f0*!?fnqr(9l^bFkJ9n+SSu>!yMG5A;KI-%}&{N&_5e#_nM!R?JY-|yZR)d^ms5A z>*-~3ibYcGG-~f}Qz(@#2trL9jH#905D_Fd+h$X#BkFj~ABe8-v&}6W<|hnL{dpjkghujHaD=tK@TElE8He;8F#JtG@an zfabJy#oc1*JRm;_I-FQ>sjJi>-YsI%i! zrSWW}O%kTuqcSIkJtJ6aPgco;B1_i)~SY zeKtx~tTMF&QUtn_Xo_A&)Ig8B4+L0Gn_mo9OX4&at=Vb(dki(d9R<|i|Tl$MHi-*T#MS{Yy~|(g*~@0?^kO3Fj(7DHe;KF8*)=G@f_ZsfeM=N>1@>Y zK7Q+cXmf1~ux^342NBQK!BSi&m>z{m0Lwx9e|0;6rbDaES%IoM29)IbTW}t<;QSx% zN^ z$8kQraHeXffz32Nl+&K|U*WB)vu2t{C%{uAiTR+;r!Q8}6b^dB6sYw~JPWNziqqN* zw%U%mcnxn;_BCkw8cB)r^#ocC+lfX1@iE+0`?csv<}NZH(QHL2NKBR`;vJ$1YfqWj z_Nyd*3+H>)YewaZO3>rJ4W;vLEex8uYG;@<*}>-8u0t`N?vH4Rj-vjWAbZj*+jEJQ z)mU9&Cl&fCn-BqbC-zH@{o|0?k&zdRjAO;mhafkQFa2a5lv-PkHfEzA&H;VcTktUn z)kT@V5X7H4c~i8#62&W6c{>s;+1sX{m7C1G##}8ZXQ;KmIKf2xLL{PcvbyHO+#*Fy z-eIIqPoa~uj7T*$Lebl~JiwAIQO8HXTGjl3_^zi#J7LJY6tF<9n67=22Bmg`d(Ip$ z<5=5ciK?u(8?@uzkY#z0`(26ZWPAP)w}Pb47$Rl5)okRu=fZ%xwg;;ET5ON&2fCh< z&gIl4<|Ml%N+R|(Yd^Lc4KkxSiYzfsZ;z~6b^9_fS4EA%?}q470qSFmEho_XP;fnr zGl_Xx3hKNTI6Wof63COCqliM>f--xPC~Z$O_rRH`E?I||OnNwPAq*AnB3LqWF$FJU zAbsS%zdMJ-iP7!B+O)lfgzM8sn1^!v&yxX0wZr`t%5Q@BHf_xtipkI!bI?Ti!XIxy zz;N*e?J;8xo^lIi^+m#PZeU(!z!YGE!(_1gI!bbJrFudCXaH_gVS|ch=KY4b%WVnx z^8^r;bq~aCE3k6~=I+|J=Y1Q{HXW5sM{Q-;S|+5-IF0VCg~G}H`Sb`xU%q$=Q|Gzq zXl)vr`wd>3joibrJ@u#i_{tE=s8CILrfEGLW+|7R8ct*Bi5ZJPpc2STHwKX$Aix5% zvq)NPMIwC6d22Jun~L7b0o?G#nSrKG@bp4`;d|BN14$0tw%g6%q`q8!UTGlBA-x=> zSkQ1is-H-g_eD4FA+ojTIBwg8W(-6(VL9EfajSoL*f2*JThS4@8A)N6v^=Psg)XP7a_9jr}7?j;g#?^nJ6f`9rA(ZfH@$L9BCVtEhc z%y3OM)$UNyoq9*O_7^qbG#V!~fn`|rAe2Pqb;L~U#?VGOw4djij7Sg*CAMj}Cs}V`bZ!ZqU3b*Aa1O?1y*8YUD z2B#~=c)#+b*^Yy#gK}`BvU_Cl460|R8%M|4hPzM-{fN`4-5ROr0E|@jn=rO4Z!sVnltnNJ3^O53P zK0y@_b^Qd8!?(>u%*@k}dG`vere48ItWbcffYXnEl$Rh$D`G>Of)uWK_AMkF;s(J9 zc2&QE+CISc584)>DGSge4F(ze7)?x1CFl`;o^1~3ncE2)7fvZtX2#Hb=NEmH zZ@0rSf3j;%Lh32KOs^=%#pD@~V-0H5R5rOo%p z>b_~S{k)jQ#F08dw;dEk0G`%0e}b+D+uod#?0KFw=>}kv;rki+$kmwF0c8{*&kv+v zRfnhRH=hx<=yf zSPOg9uz@+oe5oo;CU))c5ypD|dC3Rc_L+;vxqcEBaq-57 z22x?{CpT0&BA6?KQ6lYRERwU!%^&LV2H!tGZ8Nt58urv$u&RF4eS#KgWQKaa9HBvi0 zYtT^xI0yA?d!gaVaaHd`w!+~-#-oJsa0$>-IUw_Ej^%5#k2*lh-HGTvpkNw_vh0W} zH_r`c>@F2QdBLaP#+iuBBSP$QaOBaIJ~t#>I}4FzIpPZ;rG#~F7>x^2O|ITEL-km; zAjh|&;o_12)f!n@0&=C|J|yAsYLmp(O@v|>16#`3uG-2Fpuj%{E&{DiM%uM3BF+ZQ zg3TnpWhL{u~}3Mk%U&C&=gpdtV#ADiSI z%RNlnK+LdWpQ`Q3Hu&mpc%|4`)1MtdL4OrQ+MP&qm2#e%zL@}x^m}4z3ErEFEMG}b zh}lb(2}ATiRaR?Vy11MaJ*FmQ5Mf~%5e?q2}8&PPXlWN z54mR@tK$yYRznuH@J%mVlT`%j_o4*j61jsH<&nk zUw*FVGh?-E%kQ3##ByYs3x!*ba+}RXqm-LM@{d5)^hgnKQW(r3&(SS^c%yKEzB-uT z1HDo6d)j2hnci7@gS1(l#5GdaFEt%0e`P41{5xo~SQkSYFF zExgYG?OL7-yotK2C|A=>rE>vp_fV?1Amq%v(eDxZqxuFBuJZjjU;d+-FkPBs4$4am zpx-IagVwOIdjBK=+mqgpX#pZM|gs?gf7k7;4EAtlN(W|Za?Iop9=gS(kwv7m87j3eab z>%gbUxtu2gklox$s-ezU?^`H)T$yl6+$*z10n0hr?TXSC^U7%<(DPj}>|I+2d8-p( zz7s8JVEh#(`+BfB&PT}D*baZ}8_RYer{NM!AOI``WEEoDQmBt9-M|LJ+t3V6ldMT1 z+yr2EUwF1~tm~ugs}`3^#GXK(gLGN!cS0l? z{$XZIG9T%V(6`A5n%c0a?jT!PzK$C6N|EUZ9SCH_%IBlV2}o@bo;RFg$JXoNUaam3 zXxvDVlc+;vbhhBHk6yL&kUlCR?=@t}<2QPcB9Z+LS!awuu7&K8tYAF%2+FF2tPIYR z0^_Y|%FoE@kXW}^ig87xM6nFAloa8GFXIQO-(m=oVcFRRCG`PUXpU87^if-f^M)-Qlx`V+@%{%ejg|T- z`i+H-ypND@L;rIKx5_&aY0NR4)&z$Vu#Xh6!tAW^NZV+4zKY1tnojK$S+-$;Gg>&I zP*J$*XYS(-x5PyfMMc(OoYMorpjo^?`@E6;F~@;y)kv7cIVylHXbQ?1g7{c-ZC8|R z{@hTe#(XO3?1pXoj=)Q59=yzK8-gG{5+8=yX+^lXk ziK6PLX_oP9SowV$GSlra+IK>guihBnxP(8+)U){q3#~5uO-?Zq;;tI8=2)D1b#o<&k=_l*+@Auj2ijz5VBED2*Ytp)GZ&FG^$Bq zRGT*f>t_NsnbkYyA=NY%_asreN4ak*MnWDBz>zI8u|8d^Fz}y>5J}q%VG`wpAxE}g zSS?vZ_$CU|&AmIiZut)3?+S7yoLY6CkbgRM1eZAxnM*%00!U*z?&4CWMUj*IXjtW_ z$3^J&@ttkMkvTY)8BxA$10otxSaXFK%N3wHP`4hU z@qPGX*y6J-$p(hpLdaS%u2WW7#nD?`d* zO8tURF;O~hy6}A27zNu+oQxWiTZi!1j0_#;2d6}Kq@i1(PuRt^wQf=lOT^BuGNbxs3Qs?(2-s2!c>zXQWigv`G=1e-s>7;&-07 zwxD`Vm`r<1rg)yX9Ir@Fso7_6ZK5+lej3(|KUWx|BaOFJAiW?=p?(8(Yx|q+XHc>x zK~DB4R}vD;dD0HkB#fajfLw?ep&!HZ#Bk*W8HgU_61Uc)iK!^ZK6S=51l?(3EK)tD z!WvI|Dr%SMz^=Fb5T<^8;Bo=4N>~er%+4EzowGyozjqc&w7b%#d+dG4yY5K=x$QuL zVds)cB`U3Z53Z19u?DaQIkq_3*U~tK_U7Kk_;_D5WjxaT1O1?J$mm4dJ4(lD2Ix?W z_Vi(nec7;t2ic5AA)t8|8U-!Eqt%Dn#vo-Z#I}IlyD?SUjsrrf`@hjE&T6T>=EkS| zDyJD42ZefG_PkK|yR%9{cRKr^h5}{^JwSh;g+?qhxRrB4=t=D^fGe1~h^Nv0O4SR& z{DrJ8$Z`qsU7U+$B~aPrV1`4!t#}_n^p`%d$K?U`JK5058$(k-7NOc-`#Lqs(tJpj znQ~Q`(O4R%dM#4FBGmNe%u%SX+`yp&{GOIvWG!X4>jOh@G9HHqfU^>OQ_sm%y`mdmadbqguE|et z-4h{h3Sh?Q=X6FD+D$h4dFBHcmBHK|tQ-)6y5){?bw3z-Y9URqTt-{^(0B0#=lbC3iw&i8HGNWf z`pO3H25!C(OcTK*sa^oXgz@#k3TUZhJCLn{6PM2AO6ah>WW*Jb8^%f9U~s8+Fj61$vy zP0LDjR%X4isS7;V@Vu8$29SDo%b0{{)x;i13)t|p z(DD_?QH0Pj&1%Ogrv6*S3T3-sB$(?=&Mny5k-UaPzP;v@3S*ip3;_arbsn+YGO7PT zo&h-eHqS@EWE|Y|wxSxS>8|Ej3Z<@Q^I;cEZEgd?LsYm z$v8!2nCg0;wio=-n`_{jt6XZxcfCVXgaYCZoB#}BkheS9rRij-yy`fI%q!R10W#CIg(a)}CSNE$GObEUQr>?+Y;iLgz=n)j!}IXzzjj|?EwjNe@}`taIkSpj zHzWq9Dt3vRCE#uAta(wU*>7`{NDh4}u8`F17V1T6uGwAm3Tf@v_=#e)CPu;j#BTQ) zY4QGg@@2yb)tZpT2a0}*c~AoFA(U+o(mgljgN-GAL=m2W-ppDq%j$|t-we`q<9Y41 z_GF*tG!JTAi;sOHMB2t8T@lp?0_mn~Q{*Ql>4~OsHLJPbkwhyWDXd2;$CK#B(QI_m z5u#~5$!ctMsO}5hZ~V`SRH4m&$*CY@PdtcdXXdW!ZQ*Nvef86uor+p*cLE&G2O6izg?^^X zjyEKVnIy)0H!T^con5PVUOAPD-KDN|?71ywlJ9DOXgd6`1}4lcNPJ16t&)?z;u?v~ zhTLl;n!UloAZ>E!l{n=Qg)>P)CqfBL$xA`PlDbx1OIka+mYcpc7ib4`H;^X_G?I$3 z?puC}?biUucbKkFocl5a3|-x~T4zX78n^#kFc7%mZ2!G8o)jwFST*E_Gg z&1uXYL8oTN-|s|nH0gyel)7N)>1|VgBLgqETT)9?8@8T-F3+AbU^&!ipqfgc0KUfB_Q8(d8PD%ahkR; zvT#*}5JA841YPM`H$q?(pHO4NLfcn?_HW2|?JvRnyUxKu?ogcD4|oriA_3<#yN|7> zE5!ZClfrDQxj}#A8sXNr6hXJId#rR_K#!Jut}2euzpgP3k5E4_(?ROt?fFFI6Sd_) zvTGx_;GEJPt}T!&n%_ZxI)dx3U!ZoqO%s(rMynU~)LgKUde?h2PT$Bv##$qb^_ayA zMS#Kq1cUTT+k}#Zj)fZYVzXf$B&XW!0j+jc%e`mmgI%AoaqN3JK{&q^Te#SwuGo|2 zI3RVTA}53!ZQ665!Z=^DUshrl`4pUSX*l;w>=2&Ic!`JtFvW@$U`(`QdK4r{z~gcl zyM66z-VFw*;RH}@rMacIn=U#lFE7RQ?%<5A^!@71(yE|qO)9)gboQ^g_R6{+kE zM9YpTNb{nK+%PW)b)J$HSDI_0RHc!05&uQb669M9n%s_MNL8eQjKruJ!B{m`1+0sf z`MC6q=zbkFr7CKyUVoC}=P-f(4l5+xdF5z=U)9YuZi%n_t?=ND4|!A7gQWGwZ#}^O zZdO!h6(F;uGdoa`#J?ee)Xu_4BZ*0^( zpm}#6QM2)@|A)PI4~wem|3KG*SvqT&y5m&?7 zqU^&V=uu~?>>X}uimFnCRl<*;i>iQ1Vy^9}c#KxjB$f3|ENFF&kM)J@6Vn81Sz9lt^e{u(Ct9MZIm9{ik3`WSZ5G&i2kQLX z_dd7Jvp>Rpy6RzWAOIYHe#-TDv}L&7aEq3%H#BO+?7+Ptfm`i80%i)ROO9GS^=!W9NIP*mE6M(4TE)CCX!(2@`a70{(?G{0rIW+Ov4 zwZ2F1&^urk<~xgLO2&e_=z8D#lCdM5N`_}C&N;K#%?dvmSO%v^yYp?xw1RqiBi9)O zQ+X0E55R8~Orm$1=2Nh51DLOA4y8RTE~ao3vOh^vYrjIKg_QPQ^bL}4Zs;#hqIPk0 z-i*2hwksN!S>-KZ^l<}ep|G1o>p68=kA?efzp^dW+NysIG|`A!VMtN4LzML{GdIeJ8N7J=lpLyD+-mw4R&GJK=ZH;V*fMzyBo zM}fdnx18vddo z^A0>w`UOV^a=9rKK;Ve|MqRKJJOaJ~|5no9etz3sNH>tmDl*a^iQ&~WZySk<0&Q2& zHvNZU{x1S8X}jHUTdd(Z5CZl2FTLjK!Tb6fCRkkQYG0;Y39-z+cKyOlz6(O-*~@gP zxkC3vQyL@PB$jaL4hR`pVYOF$n9GDH8d%ys(_rSdT%U*Gg=p@QPxaeb z$Agh_n-AQI$0WC0vZl!o1OX98de`3~KY@FZ9H~Gzl%+%D=W$Oi$MPf(mRm#Xeil;L z-U2KKxEfWR2u9fzo#=d%FB{a8E}FKe!8cPkbt2tvAMJjz>NG4~Rk->fi;IS0NgriD zGPK5X6$^im?}4oq6OrY(hD>a+;^XWO8Kw=gwTfNpV>BgN+Z&vzL&Kf*M`P|e$6VDa zSiV}oMn!|@`6dgVWQkMDb-Fz|>i}-2wR>R-YIveVSJWg~&yHt7{n=KuPO|-Q5<-hb zEm)9;I?^;nt2n80c?2ih*U-0o^UcWhb%yc_lw^&3%yL+OREx(9NCO>(Lx)Y5DehrO z0hG`U93AO zOTj%TSRM)3UGW?a1>UqK8{Uk!mGX|tNN+7t-VX;5f(u_aHTGKgNc|_W)v-5{+gI9% z>IxfIc1GE2#1o$N2rL@x%J-?up`n`W=X9IMyrU=E zpz=M%y~0TLUmVXNOYRY77iV#=;}g`}UEuWzQ@S4vA8WZ>$8Kc*wn`TE>EDau9Alo# zTNduVpBHRgs^btqR7e)L3xYnN=r3jHZinvGdamLL|aQmzBgcg_GG8qRG~ zVD^5xtSuZU0>PFwdl3wU(G30mx9Z+(_>s?zr%#6rQexTw7^NAxBvf10m#MeW4BJ7S z?O84`jLWyJVoj0pG$+&>TWI`&L&~vkj`%psC-JSn!+g?kMoTMe#@L65xwa?Nfez`G zT|@cL+%({LnPJfY8gGk9vz4Wy%$(iUji|Qd zRj{HloTAiRaT*ovf|)9WOgE_8K5DzeH|+c-(@m6kY_i&w9jUutLkr{#y`m}JA3;;e zaB)06&86oQ*QZds|{t{%H?cK4y{q-W`~E$K6N)y2hoXGI_^glr0vB8Yx+b+FGXba46HV zCB?Kn3b1Gs5jW9ZZ+!td#ajDl4g-8HY}9@e`LnxJUQ9hF@ z)LnPq*qX_~QnF+sL>}ceFa<12U{<&u9Orr|M*m9+lsv^f*e0>hj5VY&jKZ&0Gg{#U zm`S#`wh|Zg85ykME30LQ##<EL^Kh^YZS$bu3{-pu!2O#SLB5HDtaW8Spx-y5 z!i{L>NTl@b>#9z2G)IF6mhHa5u9^t`J!)FVUwVN4&Ns#jNv>HDhMU)M`)vyaTe-o0 z3Ii##WssDTv#B%>Ro&KhXY(xXvan1jy&!L$0AVA?mB=M4FTKhYE5-pA?>KTy0D~e3mpZ^nEDN<}*x%=-S!#F%tmkqJhdFu( zr*ZCzNX*UWFQ}btM}Nq{p{^Lrx!Q%!1MWn90N}TbM^J7Zpz8dDdkkW!fr&YlV483~ zg&SHi19Qh*2#;9-2OSaDJJgZF0N)XGQU5Z4Y}6K~_}fWlsIOT6ybNp6o^cv+Zr~wy zl_q~I;!g@tn<}_B&K=Z^(CR0tU2~DLCBmNWScte`+1XaBG0kh7T|cABX$9ibKk8(E zfv>aj{;rjMBONc-?lImVR|=H7E{#th$)%*som~z3*7iT|<$!w`a~*#_p-Z{qhU1O@ zc;@v4ySgrt@%M{#Nt=c*^5@C_rw6sVIM?^g z0q)gYcdR>-lkY&o%1d-?Jt&{8TsSQHRAiu3yag*Ij>2gX^z5|C)?2Z4t<3 zS4FdLykz!Yc7(;Xuip$fd;dA*+MBtSSfD5w!>{{>WL|%^>zVHS^Idm6(4Y7I`*GQS zJuX}({yg^j^Zn;l-gva}YGT}fUf|F2@aF}tDrx_xK)InLTuI(0E-a<$o*p^&0q}Dtx`* zUETA)mHY3N_Wxg%`yct~Izc~Fi0INHh)M}7b4;q5HFs)S2K11y>jt$6s6ySZ?Mt}+ z1rCq8uET*}jYgKe8*Z$Z-6qbgoea{2UCjDTSa%P$9QxNo#BwWqbSY%~*Y*A}iO(ho zJLyni9jH?92;Hrn1)r$6YDQtzl(b=^d}#wS((H~b7YAE?bLUDrwKF3lC?IvVD--7e z0ZwaoW;%ksk=Bu!9?MKu&8!t`z)sAC{Xh@ZraQ9YU?DhvrZegyjgX{NPjJM6L+ z4-^%ZJCocAc-Azyo+}Hd!nRbk!|o`22@;p#h7AK?L$))kFcqm>>BWn&Dl-d&wg)JX z0(Z8%_!xp`vEu}9AGmCWJ)^K5soYul=@H0T+z+drS&rf|q)K<1`@s-Po$YqQxKfqj zD$9sKndBA!e%NORu|VWDH{$f1F(^B~7S3`wi+_ga%q(sL4u9boI3pu4(e)ABBGciN z&v|qRWt*qs&B{Yq<;pUj!>NF1RApxuM@6Wz-TA*qsO;IrpcvsuFFP70$K!3d$!$_Y z{^1|Jw;;eG{}icmyUB;Hfk>5^UR(yy?tsA$DRpI31-uFH@b+vtDPG*B%1$pGh}3ph zR_Hh^`oK%b$ixFsu|r4Hjw~m{c2#y~qubRRj&Y`>m5L#;7E15@TeI(Z(1fXXK5s#yF#pq%+1F6Ou$Qqfay@8KoG5G1+J|%0`p1 zM?%jSv(aMgWlTx38f|gClTwXo2}(jAV|s$!=rCp&GmTE8%a|3DZFCzw#=gdW#+*2> zvA;3b=u7Y$2N(y&1uSpfdt;>pUgOmYxiLw%lCj)%H&n>etye4L|K&&i$9ifMdJYv- zU6nNEpY&_|LhyzhzEMRboO$7Yy1%H`T;B>i1_%Z*~Z>b3_7CIFS8*qrOps`uffUHNJLOI642l z6?WeA&Eji0p)#U4C}YM*V}ubKBXc7X;4?{;1lU7kw_FTcBjH>3q;AH@e%<0gZN~^o zIdEJzD3dq=#lTs)5pc9R9loU_qbfTB&WeOJed7sl%DvjdssP z*I(H6jD-x{iQ)fWN|qX3{gmA(Ia7>B^-4PSpR9)PKyRm3vge#_jme&hhz;5jPEmLKL2#{>fFp>POV& zClvNn0;|b5aPI+&oqRp&a&_t&26h=yl_D%(^Sc-uch&BP&J3#$XU25-3o#8^fAy49 zW<=aoCnqVXaw}5Jom#vE(bv_m3%od)Tebf1&EnBDBPTF{qDxRJO#v?iV|Y$x900}@ zUIE1&f*0VcrEh`&3lqHRnZX^4n>)3-cFG)bEG8_9Qbns_uRH>H$Ev)^=3XR2-bC!? zWobjLP1;&x^<12s0O};*l{5;MDpNpFT3uK@5v*Cw55y_PF<`?XFBKNkgoIU)EudIJ zO6_l{6eGi5)x2S71*1XN1*eMt+)rd*v+8V7*_43~UaRuot2>o0`h6$)_~FR`pBKW%(^_*mp|ifEGZL0)0`HqrWQd z>I~E0tjg;KEL&Vh_5jv%0=>_fSn5RnDWtd;BCAO`ZgaVD<7I7e)udF$l5+^J!FQ+? zCF1CautYrmnm~inIf>!q+Z-IKo`X#(K>Vq_>hv-PFT@UNBjTCOLT?}hO)s{gm@f5B zX+U|hR6$C_4~P@T5YaIki&H%S!zu)Idy*)u#626Q;?ww;wVSjVl1<_SYu;|FSL!9M zm4}JXg8O0&PH;Sfz!9R!@hqaOV|Z9YC2b}iNuERtNh+Y{JOFK%CgD3mi`l+vtTm6y zUxuU)R7WH89JWTaR1}t)$Rnl6*K`@E9NwS+EhJq`X3oIlSl9YWu&?f3B?fht0${XJ zp*(m!&qu<;RF8*?xirpQ@7;l@F>Jii0q)i1B*!3{?DNnullO59sJ}Opq(VS|?H2B^syVPD3^pTovjgZW zlORP%yU;jkX8!BQTZ4SJv70sJ!*Hx`J8(XNeImp{sX=(p_lxQWRDA-}JopWoCAJ0@ z{6fuPt&VD6mt#Z22>;9Ex=CAAsJTCJF#AnV0w>UoFiIvR&VE!8@`yw;CK;dc%ORlT zlr$V?S8KQKKHsRjTP^4$FRmr;7k#JlhXGM4l;rxx_lkIObWs%{z$@Dk7fp8^^z3UMxN!pd=iUqv_B>NR+ot}j)VNAb^6q?m5f1Z2~* z8rsJ&h~c+KSsEDrYmFFPHOBB@RFzM6R!avO4r=^h&5}1+xCz@DM;K@nsgtd!R*1!i znMeIku;l5qPBK*DclQm z26lmnQ(-O->m}XQBnN0#0ymR2$ndF|=>Vp~JVfE$(FY_1^lV zsW^7mI{v1pjz?YHalwQ3ZeP6wE1KjOaW|$lREnj{P;jO60-|s8G(3;wv`oABC5WM$ z`vj2msG{n&#z0(C5U6|;Qje?gTcDgI+C9^exYFMNZN-5s@d>D=mErM49h0-7U+Us%TK3HyR_%$>PCzHX{73d?+#|hP$pjYw~ zV;V>swV`;CXUA%)RW#1xp*$M}PiD&3NZ_0)FC)9~Sb?v3#}S8w2EhXLE^gN=l1FSM z?QodT3YN#VWHpoIf_~^8bH2H+VOSJhb@*wLfN#PYDG>US_5#WUS3r9cPjwPa1NK9* zbPq8GqVZU=R~$e@Zo4{GA+a%d2j2vC^~nt9#bQjAE8iWXLntOD z*`mxvq=#iJBTRL!1H8Xbz+DpFBzb~MdV`3imk_atPGKlbkTUVWk{I5pp(o4#DB_tM z@)ZTcUHp@2l?ZRDWqiSJv>4oDX@>7K@s%Widx!9?{7m3gRW*nLU8dIEAiG@2RW2_fkf-&$x57%7Pi@bpE6Gm-vqlw#JDX5r8l|Eq{DbHyY1 zYc$T5&K&Ik48!3R{eJ!7GQ-*^2ZL%p;*w5enU2SUH)%8(DX!=sPKS%x6In(bK^M#P5%4Iwa+n1oM9Pz^YAtU>$x#X+fbv zQ#3D*q?0hXPZ?H4Nhh(<^|}i4`M~bljBO3PbchTQ(|z~LcXX~Z9|s$;0eH0ewoo%> zj@H}!$<$6hrWv%HIF*=Kyw)=rNlt7CP;UmJd3Y)5p}ZU8DMXGxpd5i~ZdUO$>}XI) z>+q-CbMDCw1?hqeR7>{}>cjiNsC|{WE^x;CN(7#QUDklThE$93wVxyDh`30loYm{& zSR3nFg?#(4P9D?vi^P>Xcp&^jTm zu^(7Eh_`rrNN6GnAO;E+y;o6HS3=Pc&-l&VRw$W*M0k zh7P`(2rQIa&d$a1Rncn2ID#Ew@;@8tVY@S_F!;n9$=kws;jH1~Xx*u3RLL&uNjgB9 ztqjKTPm)qHK9H2=311-d{3bG7w5B)j8T*lwCnJkI6}rOkXiYGvo!N7}z+%Dhp$(Hsc3LFyCfO z``$GN(LugCWp{*b5=Rwa;_mg}eAsCOMf94pB%RoK{YlRU&}F;q~&RpsV-iIeEk0!LML zP6U<$9-K`W;275e!rwa)*N#Mjo0JHiU@qgnmDou3!r#+MfoCEVm?bY52k))5qmWgs z#OZXP97#tAmG*JwB=ddrTb$jAGn^NEnG`)v%ZL5U5 zWv#2Lb_&~TJ`P5yTth+rkX_A@bwN9-{-E(T46_Ek$k=|1FJ6QoI{5b1ax$6blPCpf zbPE|YyVzjH!@chz$K$xEli7=k*eHvCl}IJ@fxbXve^Z{rM5vP(so)G1(zS`WEWmw|SqB0Pv@8 zH@My03hXTNS3(AKI+@OAy~|X@K>I6)sACaYI3K!6^QORF$5G0q2lEjLfuDijj=3U1 zgyBemc$rxW?ur#GZVvIAwT@Xh=XPld?UOgp(Fe`jfI!PrrJT|aG+72R;*-87(QKXG zq!Xg@20Q!Pw#174DHv+CzCeQ>EtcM)M%kMuGBKqCF{7hOxXm66=YOXpD(o7yZ5`jx zDMssGQX3k%n!EH5^34zJb65Wg=FZ888ER_ffh!lotZ_Vy4c()J6LK|ugrA{T?$*#{ z?AMf(L61rogY?)~dO@GF)!t#flNi`f)TaB@gwIck2w)I49L1*>nX{H6Y~cJlMc?*KX7w1ea=|F~#?Pb}hI6Cp|^nsKH|`Kn^DiO*qdc}ifr z6r-27xR1FGU-NY62*oF0|uS(y6el0|N7bB(lCIL(={ zBQR0qVHP6hItJp&Ly^>6)(-)MQ_2jkL%}D2Rv~}RS7^`}eNQzg3xu*SjFaMRcT@hj zaDFlWQxD->Sv+c=FZOA=TjEMWVof248&-fU8)CBsp;?@V4*2B=JT6Dip&TfjJ(2mINFP7;bpT zvlIc8&8txtg0#yp(`pNLn^!uZw+5ExCom;#z(M5%=oP|=@>!M@)kCUl9UEilG_3`? zEK{=f#2YSMM5l?&Z+nxkGYC^I?!^hTzyq!`!vF%sSiOe6(!lfY5{q)CJH*bK4Cmr) zoci!RM<4KKAsDot0<%QV9jJN{`$b>=)xItpzBnIc1y6RfZC1yQ4JX!u>hjinoCt9!R!$??Xc9oIv*h zK>pS&BzFgaD*UR|L5sJ{K+N1{pUAg~%WxtGQpflu{1Z;2g`}rYK*l*%p|r;YJCuYp%%(X>8eW_>5IDY)*!K96 zeZq&NvFJ$ojNp2}X+j*_$wUL&1zaHucCtDVq-f1Q;&}ZK0Rk26^)UNuykF!)tE}ho z0WrZjNQ}oC0J%Z2TTT0sSh0k^CBb(GNf1g%e43a4M(a9_{1-7hL2WfE_X~KW`7z55 z!I=nR8mpAYl7VNa{0j;5agHEjr!b^o0Ga2r5h<7wLE@Elh}gyZ>aLL4j&o=pNH_IH z!o6}K2Oh%w3-n2g0#C^sL>|plF7@^R0lV0rk4az886-S~9c`Z~i!sdI z2M6y(4kiNHbeb*CqJvW8o;P??w9D#y>)?X7j>~cu<6Nv0`^$gOn}{SH!1}6txn$-kvK_mG z$)y!2@E}gXyK#x2}AT{*3w7G_~ZHA$Nd7oHJYQkEM52};_`qwj=?}XF( z3TM@$N-ED)>TmH^9o7YT^0Jc=hm!=cMHF?%qr7Yc?So(Erqh19etH~7vr%zF0iYyt zV&hzIF?3L13Pr4z$y(_pqSwF8x*kL@WO-gp;Ofx?TSX7PI?8aTNQUV*i$r9!Z4*t) zdzdE+tZurNv+}i!c@#GS_r^r@zJ!mZxgTE9xae+9K8t60!$eP9a9t8G=I9RxuQKUP| zCL+m1avWkL0Qd4Z$4tZQ48*K#AHIZ_N|X(#b|DIVj{S15xIe;%#$0Ix__oruC7o3- z!%{5uLs4AhMB+0-Kj|*J9`C1l@=2H*oMhr1&qBSWNBssQ&hi{Vda5C#^E;7$1d?`E zjznTBv)cS(@$CkX>G?s;PN$b{%DbCitXZ9c)DA{x*PFFx-Ntf!+Y%}av!^G6c z?o-2%J@mA|>mN}Ulr=o=3L&$DpU<)ZmMA#de6#I|7&6>B7Y_pM9sIpnPlB=&Yw{iF z`~uTB)6z8L*@?Iisb%tj|Be@2`~sBA2?K$?{7n3Um`UCjs{C^kNHUq}dl`a*Ip$+^ zcf-hbj33m*596NVFj9VMv~w&efZjz&q>avaV)Nni|5hpf-zJ-12bS(Gw_!@Ee4A}x zDwRwh#mTMZs1#J`b6}BZwc#-3Cso^NZz-A@UWW&-Vnq;3slQ`CugsL9p z5}6}hG+phip>F$PkQ8R{QATm)Ne$!ad(z7;1;~1)Lu!FzU*%xx!o(l$qwCZ#?Q#u_ zjgt_bssBO>!WuP%%f}+~3YZ{oz~|{6sMBUI`Wkd7E3wmZjAP%3+O_(?CsK0ApdcL1>(P?V#x>wU>f{2FGjV!&jHk)g4HiHzh?1X+##ik z_j*@DphsH092oL*5}Q?l6lET=jEfJ|IqvE%B{d#(NC>a0-%m^JmsaJYw)>=teWGh8 zl0L?@!BL3l02ojNMpr8*4?%J?H^j9Rq!2EQp*=+jmrW}|?g7F&Db9U#-XJKwq7MwS zmP6%VjlULSK{%A0gHevX5+{(!N`FKp|BNidW0ah6jiPv)N?CpG#XT4?lRXOUXrTNv1L z5BfKHn0;QbQ`kf6$Z+$c+^b{-t>j|KGF>%mPW&pjs$|#e#7Rv|rRhBrZ9=zBUWb`} zdUG`G1Is0Mn~K%V+hEMy4}Q`+$CAAK7R+CcIWf`TA0!{Ft+a1n6h}X~;fM zrBvH?i8=_L&a`U{CxB2w|By{!(Xc<7ea5=v72SH;V22PI^!D3T%0i|Fujh_7B{xzS zs%P2W((=D(KvoFsY&x((*sOa}%bPU(1|2AM<6BkA`}*f~=f}y9TJ=Q{p34yyy_)}` z4>gb|%V*%jE^IY-^JXEkQyxM+^}WFhB*AqoL0p@5n2t1!PUMW>9X$$G#e0%!Pb*5> z3lX0>;J5boq$BZHPNsbwvr)s@;45}vtoR{z5tg~dQ-cHtdD3IYg5+vK%7KA(H{ppY zWs^rO(Z z4Qkw|yok)nDy0wt9%mcmr>h&y&s;D_21iRbDWP)>&C=ZwN8NY;&S=b|u{62-6){jI zBOGufB5?*yOk3Ob;zA2E^*{@oA6GAh5My$IwuzpQU@}s6A!$x)u4ohk5a>#w3!E2S z`;laqzq`=EJ&9R*mt=80ha9C4UXs%79E`fb3L6a6J6rW-TJuYS-_|6E6M%(lh|sWW zVp=QMNtEMj=7Qnz(v~9YzdKL=rhtKw2<r9zL$K$Qs{j2i;K;rIB)q< zgg+%#{4%EIKa~BYSahUE)ZUDI$CRg8->;;(sjvKa$&V0ro)bI@qYh_&(2B@yp^tD; z@HWIu1Sh{w=yH4#7AQX@{Yix=k+E&}fVf+>a|SccYr^74QYmaG`yIPK#uIV0P^nU8 z*M%$%oPP)Mt(T0xk^J3^S46fMe9K1CH}tep0%FjN9~%unP**I1usgOCu2e}5sR5Q* zX$zjBdqaaa>(;A7zZ%}j68OfuXc>(w8;kUFv|_DdMa{-lruu_& zNzaRiq$XxUem~?o5=q_eeqfQZiHVjrm}ihtE^~qSDHLv{A9B7Y`19;G6GK}hXAW`5 z0≈h8&a+OAQzD`+^%Xon^-mTm&)W8DOnb&4i%hg>W#7Oa{v9XLD=LN=%1+g=(Tw3mYO7&tiZ~N=vr>-dDLv!l z^%}*2zFG|Zo?#x(a+Ln2zlCQ^cqUHL9Sch986)p-k-e_!KJ;H`yKPf!^)m(wk1tqE z0xZ5shxMF|sWvsnGOt4mZ8W?aMaOU~$#>t(>!O8dCLgxuo73{&i6uk7no!-{v@F`U z9+zAFy04;&L6u=i6pZ=8J;l$Zr6}+cEue2eQpBIgGi0Gl1H4!vj;xXoW54}=@~m#G zfLl~bui$1z@X5bfDi|`aD(BQM)gDw!*EalY4$@Wp6YBF{@Euy+kQhANUS2+oF{RP- zBlRKhl_c}=u&TRsm(;o^v_Rz~gFx{ROq&Nw^JQIls5{03bE>oQd6jb8!avM?>-vCT z9!p2n{yh)&RN50?nw*RR}`EGvdP*~l5w|cqx)dNj5SN1Y5;YaCkh6{WQ zYY(EEJYhOD*?O9Bl3P?W>e<6a{)u=~?*ztJ3Q9yL%`wVq6|RxvsM$G09IiZ$fUl0- zoqI_+W5#i~K&9L{ZG8-XL|}>L=U05Mk}aNi^z$!*lRXz_S{}{cXVRr=a6~7DY2qya%CNnqt~ywLu=BhFEYVtj%P2H=*B{X4 zSRE78BpHlc$wgHto!pFyT@z(v$wONSw7MEd_60%(kw0rUgOy4yQDzj;Ul|Qcmlisyf{RB1puvgJ( zh)tz?UyZ~}hC`Bj>|abDF@U!5z6#BaF* zB^HT?g|~!q$>Ua==SUBUdch|=21BJ`uE!AWbe@*-r>#Z0zUts75KfWR+!L-;4CL2> zHB#?O#gpGe0FHQ#XhY4W-P&m{L;@v9d>0Snb`u7KHC0N&sdzRn&b3p=rYG6nrokRI z(~lH_|C5%!9~VYbyhePMCp2k0n&yN2*9xbeF!CEPap$8MJov&Rj)}+_2l(V9h?_nl z=jH7Ad^n5TuP>+Wfd+|Dv;2OCCqrsAvOx&0uNw0+Mwffl2>41 zh5@@Ak|PWu7X1%emEtZgBm7KF)6yjmmz3b)FeN?LH*mSlkF9t*e^->i2`|a{c#~Ac zjPmUkXL^RQAm#{=S7{Z0T1$tAjs@q1>v0s`9a=>J_~Tp3pV5Fi8GcF!%a+@a<4lBj z5T7(J)4fj3tbU*xZ}HvCuZq#{P~$l12<~tGsO^@#kD-%s{j0Z`1>t&6KCGWf37pe6 z5Z8)NSqXVskmwQ*07nXmzu}yMd&uc@fb#^7t~%-5(veN(!Lq5tM3gmJJQKX#+aMey z*5cbq4>8ui5W?f&ss1Qsfvhd$s+0`_GF)dn(H^kT{V(hx?K-(rg?@ zMoV#GHduTg;{74R8wu63I9B&>Y6!+KtZ8U0|28kMFjXL9#bo_D2=KD0EBJ5X(GzA+iN-7RGtz87L^HXQWu))W@Ucqp=e~>qTvo~u-38(dIL4f#&*4a4*@?7J=riCzj3aXR`ZBKJ@q-DNdJ}I*N*E%tp<_JUeAH@0dIEiC? zhKo^j2FKDFrp0Z1+0G!02*vAHI1}O{1dFHlO6oM3YZ$bJzJ`)(0 P&VCr}{5g4r9h^OIRXFOhCxfhAO$Pf_QBZczk`0{xx+p5Ro+deG&s1Q`u zq*BmJ`C8ZctaSp)IX3wsgVFZ*| z)s5cHUBtYrzR$qR>mqX*0rMC}GIpT~!v=X>BoE`_x!=2&St4Y6pr>S5p4+-rCQ@%QT{d=PP+=-35W zz5d7Ss!56waHQeub?vzJy^D=`eMi@O`}44CfYNIRc7a;El70P>;Zv`s==zqfn}jix z#;$XXSHZT%(CjMXe@?&gdRI^XOH!^Cdmu1eOKR84gDd~}@Lh;r(%&8s63QHPu)N(BB(RzLs8q2H&_fd=xlH{=b|!aqQEFZ(tdA zgTgp-_QI<`?)#rp=??D0mKV=FOe||20VuZ%rTlN>bgfbSug2$Z)%3si|5+yg=VteB zm-tV8{Yypv-^S^B8}z@8)Bm%^=^yzPZ>@?Dz8N-Dc${{ze;! z-czP3NySM>4ZRMm5+rnWJW9`CE=s7as+t5{zXQmHN@_6WDpH$F(}v4545UyGm}si2 zLUaA2Py*OO14W{ip3*|c6C=ft!{INi6qj(dW#uIvTc{2(u-Fk(4Lk@ALJw-_=!l>c zB5S0#5CI-8rfbjxwk=ml7UcOZ^VZwR1YF-`bxXJeI3?V=lRFtRbzw^vBf?=p_)bm$ z6OTK=>$!mH@I|JOa=4J;VDj1z(KnSzD9;bVvS8m1K>iS3XU)fb?Hh4XOjoY~%jEzG zUBg+m;lYdFbIp|(m5DKTAC1OH@X9f^-hy}>Qm`j9X} z8}2cPS>S0laDosB@8C;R^ffE6Zc?mtMBo^?x6%{QHhHo=f$}IWScL+8>fVJBBJc~s zEP|SzVG07-9J)-BP<8bTau~(el!v!fEvX)bd#RLUDKXd4BM;uA!ll3*<8x zk_tXzsrm@kw)f$irN>B8sV@vV^%d_#Vio=k>6j)wsUbu^hR{2nX^&s1mhFJMsh(4? zLw+Bqhka00tNfHAqP*8Z&NT3jZw>Cllv9u&V|G4sCwYnP4YLW%KjWsu0H6b75q^@J#rVdn&I_{Qly`dX5VC*$Q`1IKdd0p!dytjJb=1XKS1K0R^Me|v#SR}dgczg6HC^q)Q3!rfv~{= zh&r9a@f7!Nl38+$_7(@QyVZe_R9v{-x}f?LGBOab5e^C-8tPbudpdhEB}Hp|)`Hcb z#g9c{%;t+>zQDqxm=Vomrr?CuCd}Z8N0%12MTp~lZQMJK<;YWxiss;+B++^&?w|iQ z%5!%9-0+ytqNyG2Sz0vu&4gvReiq6@1QPD;cBB$v_9JB8VW?;pAQ^yKC zMi&u>F`eWX|<4zIb0!dAwL$_615=Eyig+m_)}9hOMBTgh;eL~F!z8^1v~x4yJ3sr4grdrJ@k7yD7?YmV-b)_3J^)qtlze2d&> zeFbF8@)G^&k${S#KJO?*(|lP%jc-5bkLOkRW^ujfPX7`Fiv&OuV ze6jj#`&Ts4`ESDn(AXnOamnGyxa6pZ8zsc!Q8e)qOs&1Nd)bigxL2SOwA}85(sL&w z@hT;;#zuB2D+!3GUUWQ(K$ zpa!j$WSv-I?Q<%Rj0XTk*>+48nET-Qm44KD|8hUV=9azq0JAl)ol7{eSN4$vu)0ei z>#Qc++|tSn$@{gXJNeyT9f5UF02sUy0@)#^V~K8rI^;C{#)7c(qk^tF8L!^66SOM5 zV21$#vbIhsm3*X*LWqm&{J=8|RbM=Rn{YRj#=>)?^?vjF94?h{a5`#cI@UXEva z;wNyHJS*)U-_iW#U`QdqnXiv^E;$871fP?})7JAT5(J-s6H#vz?*Sx)+=jEracGO0 zrz3OC15&1c4ZyMM$HTL==aoTY*n3R?i6N(x4lxx(D^Ew%w^v^&x(}*sTL&liw(B}q z3SKPQ4?zuk2M9>^Dq7C|N+E^9FhMX+fiGYeB(jS%R@!;&)W2zxP=n1)ah`*Wa6c9o zeT;CAmIq<&s6<=@(Tk#?I488$hj0#a!Jg=QR@lpB%KhvmST5g)#W&( z^a9UPWi@I?crSb>Z(~dI-lKm17s#Dp0BNqZ(3P!&$}$f=!*xqiX5kktP*)*lR1*E-JMMc7A{Ux&1)gKww zaNG=W6;7!x2yf(wUpR{Ob!%l#c;0hdZC49bcwF^JTvYNqX5<{X)O^v9M{&6@j|&F6 z+xPQVqC9V7Xj@*^aXoP9MWUpji>ZDexL3((be2`Fs0&#^t2FQ?^#QCCx67t4vxigAM z+wifI0ng5n!M%|!W+4yc#X)NwbR9~UbWb6oy#B-TvZtAbMNKi$o_pPT-}71;l&j+0fjlS;l}`$Rd-yeZaD5r_4{ zA6x@5`SRLcgQll6(B1bIlo33gh^KaP3Kn%q>beU=FLdT`9iI_dSl4n%vR=x6*KvdAaU`S6)sOtXj{%CGnK++VKsOr=p$@< zd3=+zg{J!A=uY+y)`xw|nI!#5wk}T8`2ad$n4)I%cr`8HpVXRav`ljFVFVngueJ5S zcd}n3Hql>nthOg==|*~TlfoUHav$O*g(@p{Ap1GGx^*ReyEO^mX57v47;YJsh4W0# z`Do}yf6z8Wx1B4x9YW9l;)?L0)&MqPS4*I!4^9xKu?LuzgII(n3CmD(>PKJ`M6K~| zEAbf`vre_sc%dF&?zln|h57d9a1X=nEZDv@o~kM*qL459{euzh!To}JIPb+1i#ka! z{DiESr*;gadcjGe+fDduJRE-o`BC;U5g$DDob!_PW85Fl)h*H3*Klcablz>Sq&r!V z{g(iGYj2^^cryP8Yi|K)=Ms|Wc_h-ghxT?h)9A_tXwCha_SmAIFaw67pWu4B5)Vgo7OWl zTKb%Fm7{RoYfLYLsD}H#Q5~}F)dF_={8R9o&5e?Jm_K8G1YiauWcyC(cLU#qo5RH7 zUkLOrI3edwc6(eathAQPo8j~9&5*I8^-cPQ>9Ph(fUmSDMc7cOrkNlK{j((8CdOLZ zpy|F1rA_M{Mb44MVy-X(?=XKwhf1cp!D6iZkla7uQF>xh>Gz?cagwie8akESysB}3 z*@z@(u<2mk006Kg(v>u+`1@|yY>uKmi&Qwb)k+f$O-$$7{B1DUu7gg{o*dX#G>`PJ zd8ci>G8^G$`UtjEe22`L@j|_?INxf&iO3c9o`1g?Ppna z6sHq&xM4VlyvrVA4bSTcCwIck3TX9YzHM|g9oBXd#(TxGV1KFMMcYJ5zA0Ue1GCKn z&TQRQKHWa|!a**8)7&S3*je-%FMc*$_(m$AF&l(JIgC4d zv;1YX3m5}`3c!2rRW&LysPWxrLjiMMZM`B~WO2JZ8;;g><)SQiai4-}_ib^s50~mX ziM4{pmuB<&jA2Ogqx%FiZ1@70*;%{7hlAn#<&`jE@m~l;O5+r?+lWLdlc|&96VE16 zJ85SaLW8-+B0q8*Ds935!!DRS4B@$XYy<$l=a6Vu8#cOt;5#KsDJUd=#^~vJHjNoX z&hZDWA24s_EJ5lH%@aun@(b)TuaY<7@W$l|Pdm#G?40u(8s>{<`G#W+KXBaH^%!7C zxNpeyP@D&9u{dO&5$73q5W;zea;f)yaI%;#XF@>C{ZuWE2I2iuF2wwooYX2xd~44$ zzhTNnc~X#VHyXY9y(SkR#D&eiqfg3N{TJNtxLYFP5*B4%mc zFCa{++$J9qN_6xWMu86v55Xf_GSnj(2hjp$EHt@77n(I2!ya#|JA_c;?58Q1&|TMT zvD6OZzuoI#EGq^ximb=7=51VN)gQo&I?ZXVy_gtX3^BT=iQCcemClX0E$0-PgxdYE z@OLgFFNJ!-3}C)8^rL3(qx@;OVWZ0zWb+5lZ#9j)~doPL^kyoBQ{v0#a(5#7xSr*cIebR>B*#h(VPSjZ`V@pIlF1-kpZ^gq zZ^LMt!CDU1oymgEx1<3TRB)}Dd$lE&lQ_5_#5wX#g|IcSvFgqRN)1Duix0o;9v0GF zi95ge(LEA(=ID!K<%_VL;aXznT}W55k1l_nx6QQV^0KBg*wIH!J%q-P-b2Ln4!s_`ec$kej?3 z#N7@0578M2|A%?QfdAyTUdvYeXJRtc|KGVCZ(J6_Wsk@&Kgy)=ZA|;0O8hOK#7bG~)v;2A{kvV#faKqwN&}s8i;Sj+mdli~$cB%VJ>&0u9Mn5a zb1JxRU-v1l-{6K*Ap^$WIn{RHEX{1?pe3%^{LuQ^*{YGdS~8fjL%3Ub#pWf)!pBb? zo1&h0!_!Te{OEYMcGa&uIKm?r<(isr2Y#ZN`|*;w+6A!}F6*5; zPq%8|(s}wGqfTT-ZI~*_ir%*w`a%5dPi)uLNi!qA+q`M9?t1SEzcxS4J(1Jt z$suX4&at1w1th(u7~DVW3uIvM_hkM(Udn=?~= zYjy{AW$nKNrqRrJn$8uBry2b44_f5m6TWTf7Eu#I}@sehU?AdW$j~6HV_PI4_)7(D28f2Wtm1*Vj@(Lz!`31xG z<|zhDxPSSLfi=1-{RXcXa-|?J)01CV^X=HV8pH98R|-ebnHOB658quGH|DtRRPd&c zbzcn_f0;`c2VR}fwz%^9y=~vDs(SgN?Z6^Ne|6ySzr=D?B0BT^p0Fs^N`w6IFd~ z|L#li)GZpB0H+iUuy|F*i@CzVqhR&AL4E@n|wPv;nlEvU(A>^{Y-Yks>F(cj`FE{0%o#F z(I;jGW(+%{9@!l(74-7KCpKk8yv9}=e|k~3U`3yXVJ8dv9kaA8S$(HaRW^yAqnR{-y0vIxXEr}=-qX5C+WCg2{n`aidHK4Ire6c6 zFDN}M-=w;eyt}^3tG-J=kNn}|==Rxh7y4~llwg~4Z^5Vo-Fq+o`}_Uv-<}g%vHY#% zKYqVA)sB1y_jUSiOJCCO_|=7RU6lo!YrAPH-9?!jJ?mUq<}(E`0}c&4zw}7#naz>D z9ljhaF?_IcLAMW6?jB2M8}HMn=lAtN_j;_{|LtH>)%mPsxyu-FfB8{YLF0-yO6nR{ z>L1)_{*P>`ynMotapNI4|4%;k`dUfItHJu#GtG?thuq{hw z|LU>u=xr&&u<0 zmyLUCNX0)@_c0T)PO4vb3u^A;oA9mwgnwjSo3{dJ<%`{*?_2n*?|92tn*fw z_YW#(h7UJe_8(*2e@gfL^QHeS-S_Wz;n5?V{;x`tPD@!DdBG=g-Um2SJ33`)_ppe} zOt`O)#6HAd7NNubXbGc~?IPGe6lvjWOP6CC%4GmV$(m3$d>ji@2qoMLvRF_EAWB&T z3*TK53EP{#9Q(*pma;zV99a2J-;9;P(``EVfC<1vHXZgMJGP4nW8#n>m(m>$J&2K{qFGETKRi5kxVLx_SbyU?@7en=X+l@pkg@-q zyC-czt~2^8_u$;kfV=-8P5AFR4EZ0Ti2r^UjLN-Qi=4!Jf&$?I&XkM;X~N?Fk|som z!Lq;qxD!9SPa7{ekH|{K&bRr z!Hmuy)Ce&)Ib=vKeHsc1H{s-1mt*i-6K)gu>LfhH-8dNv2G%U?iNe?j+_CquF0yHe zYUAJ^rBN|24IcBjK!8t%hr*k2z0)YjplajNXdHa5jmx9j*gO*JkMgL917)a`1Y&=A zUMVGzWd$v=_P7HMmBpoz&Jf5C_J=LRy?zH#koFUCcYoNZ2(0~4v52>&)sB4izk!*e0}E~62Qf3WxX0(!G{gn)SuhX;pP>OExm(?5FZZ3n)* z75N16p)yy`A^+s;dMLkejixY|53&NUp4=KHiXX?67Ixb|1Avo z?rGVs?_q=g7P$YP+3MGDoPX<~TV9Kv=R~3K*Z4V573U0z|5geAM|)h%iAQpn$TD%c zRzy<}Op(F5IpuYBdFU`UwK@$n_XE8u^C#HHa+vut_hc1A@JF`0h=%)n6W1D)F%Th< zseA1pAqNFNV$6jz?E&H11h9}u2z;F{FF6gGtp-RsKmg>lEM8{V^Ez?8RSv0Y{&b)i z(JMEC&Ovb;{02{DW7(bLS2;-0bDdqD0b<=#ibvm&F;NZwHy#2%k=5yeDjYMvPr5ujqH?Zk350G*-mLc#e-aH4H3XqNK?C6KVkP@VJIiRla zek&qJzm+i?nGYg$0T7;xK?9hT%uB4j3pVYy+>fb>zC~0KUOn*FS$+2^kABB**S+Upl2zB-uE`;E=9CExmalTG03-MflV}C4?eq8lKOL- zf8hjDW7;@r`3?~j7yZ3>fo;dlMQt=cnpa@QA*p@-{UY@we=l_4c!nh&>f?m&1Fj6v zrzqYQjWl!A`KTnxBRA)xY&9RGo32iF=9*%-mG)1~laOU}&3+o8efWXUsQ=(~mMxW^sOJ=lpl3=d51dB{{F}ylBF4(CFGM&C zh9Wcg4?CI1$H++Yr^ps6FFcH>4!)dTnX_*f%IS&jzVaFqKYmHx@#rw- zVr@rX6i*fs3s^#tQ23>=`w7bEf_C3Q5dU%In^#G!e=V-W1}*UU#=sdP!^s`@U1%Yq^6E0hR&g`LFifUBSv^ zu%g+Gb-UphGFwkb@=mb5M*j@E2{t>K2|C+%ZG`8fHC9?4YnjkG1?5liR^B(C2QcuE z(z+3qZA2EIrYVw~TT*bBc^~DxkId)WcoihGF345;6|h;)?6JW1ki#=^_I5chUJx-< z26bL}113IVPehKE=R*1aMq($~caLk`Hb&|l|_$jpNN;=**7nx^D{*j~1$oEq$ zqKY{IifTW_7`C7Z97vQ4LNeB47e`cu-7wW{d4_nA#_xtqJMeQcsh=Gw&FcxOjnHEx zh<$O137f|ux{54n{aKRvGwqubjn6ldF*o~2p@K8$UOJ}mXW%RwNkDP4gt}=T^ADIk zLBpUz!Gj&P_!U%NPOQ($BsBY1c)c&y+;%5mx}&KYZ%D(R_D4C_u-EgdRVvMwO4$J`eu7F1 zHY=FD`FHdExm1*}p;~Hjw$4TK=X#Ihx9T)$aih1|Pk^gndD9_D>mhXa5K_Gi7w!;a zF{iyt=of|4v11PdM+&vle|M_%b>-h&AhAK!o-P4HjpMXG@J|xUw<0 z(1Sp0Zfh-o`U^K>uD&>u;WXxl5jjP8(cAyDEYgR5L8s2nk#HZi-azyQly&y&=JBk0 zHx`FUTB~tswYQP3Kv2+XApWl@h@fM4cb2u9zc+q}sim#mByekjdl!b= z0~e+Tn^xn4du7l*kt7|xZl7t=`Ds#i_@Wa~_~4s|+O&Qq&HYSjIoY}b9a#aTG0@M0 zeBiSbsD~?ukR_?6xb8c>YDdyl-qCA0D?xNz$WU*IAA9NR5=8xWnkJGxHN4tIxr|+dyi#wY<&C zawzCV^kgGqH^Qg$K40-q<&DHYkA!0(3z{6#oTpHIq(|!&bnuGTGj49 z8>bF8mspUE-NyD2>Nlw-x$;1fV}@EhQN2z`tu z>o0^XmcFDXps!RWT}}+r^bwl1_gcM8_?KbP5Vv57RCjkSvP{PdI2}`vTwV8#4no5? zmft{1)nZ*5ic{_lP#HQi1?K187JV5^6)hHJY`o!2 zlUn97k$HjsUfg1OpgBc~;`A{JG8YcIqPR#gdKFUy^`l*31GU;aj9|PU2!f58!&>eDsr(W@Oo^ti-AN=7KWBon{j%Pkgf@$bbFr;#& zrZ1%xc_F%VU65fDSTB#HNkzUMdEQq^a}e*WhHJe*(W47$U6d~@O4R%!u8MPh4)8u9 zH-T(%mJ7cmn6o6F46WS`3c=24!h4J_2mu?5unPi{~?I}F9ihGOp2B*QdKwCJ| zmrLNUKxZ3R+zHVP{8aW!o3s5?13KH5V@)f|ix=&h-`P+!PHgG2=mME`VC|51jH425 zZ^)d%YPAJo^3JxFgW@ct?PMa+`cqwufZd!$9kyYeJzFgsY;PmQpK@?xu7C+?W*G=W zTVk!$8?nc9h%$~Inq(_DM&%Wj5;~hW|nBfeX}=MuG2E%xwG;Yf$9t& z>En{c!xCDfd=*o)-Efo^p?K5p`r43FU*=6$_DiECahIfkmQSZqx$AId8?qZEZhRY< z!_e)SCt>!OQI#r~68TYODaaaKHB&!I%cl|FqA`cxN462O5kIx=TdSscwA6AazW^mq zsg2-E$yQN|jhX58$t9nnBr|dpqWK@7hKKqOQu$4^M{bLR?6*_BuZ5^)Jdl7zuXon< zQsQ`5qVQ3Y0lAFSGE3=0s#12miSc{~YWy5@Lq>m7?t+V@%NhmdmYCNB(Nt?8r#Jr2 zqJ-QqOm8)gSKqR~Pl_~p`esEm76YZW$+-C(#(X~YC2~-`r0bKM40xUYK@`hq%ODubU{p-}kC!2bD{}iI#pkT-q)*5hU(Jb-X90@0 zmG>)1p=K12%g~q*S9j9Rb((b6ZwwTUQlb}c`Ra@P?my&bV91++p!V+E>VBzt%7mFaARTbin2f+S!rR24LKeNRyl^WH zIVra+%{_=rOU%6_i*1PZEv!W1MQnYeTjQSr>wiOuIfs$Ip=ho2+8M>!w#x2g9tpVdq$3w>?%NU@LNQy|A<2?m#O?MM|9108>%*@qEURGJSX?Nt>3du>ZlV-r`K zJUJ-}S*n<}{8+IWS*DUmbx-WMc3e~00)B}2M%@X+dZ@*4f921F+o*_dE9~ye#+Yxn z5#MI4i!5*AGV>%Ku~lNe=A%CpUT#pAinAE79z_?my6TmKo>zh-V>xp}&YL5aM_+~%SQS*lou7s7m<_QHE z6VPYRqQ}HitlpimE0>hJCuke9O^=C6)x9lY^-lxSwVY_ah}>lyFP!zGT~HApW}8Qb z*qs|KDfAY-@N$Xn6O+|aO7;2?a%H8Tr30+Z#dcV|+%Sq}L*KgNiM}>S=t#+z@M7;} zQH3q#%8!U5NzU%%FVR8bE<_WUJJzoJA!^NC4Q8i~ak=vw5v|n4E9S9Wm3cSXFb#3N zpaUO6)Sakbu?4FaQa?=~`p!H^t^X@v#h98uvR*OHYo4>}c8rgx!MT^zO(hM~} zoa&^OvF_Tk$Zw6+0Dg2HI|-7wJp`-+fyNxprUb{t5TMW!gtHBSNBV48+mQxO|w3 z+l+~y`TgWt2mgFBoa261QgT%Rr>-TIp6g*lyiDtn3x&F>f zdG7AoNx^_Sac6KU&qLcx&fT4BSN@!Acc%yg)nYbrCvaZr>ZDxcj;Dg{ z66cO_4&^{dl`XXR=`YC}EnE!EqR~R9LUD>*Um6Y#e2yq5W5M^qoa0V9GHgxP6A=1o~#56~FxG5PoW9w7G!}Jxc9}wfzFAO5KM^=KE?2op&{Y>6oUGy;)wb zKgy;*gb4In{3)DOWSg*yF)O;Vpk*|joIMC!?tt{+Fi41>ll24nFf z0@H7|rYA@oKF&2LYYTvfo^gW_ry^9A*G~DT|Aa_)d%)i-cPi#JfeTvgOc+}qLzGfn zNFm1anG0r~zBW;vFh;?%1jw8{4E1moc+RzP=l`}%{hF*xS+?|M<^Y?DDcg4|c=1thwVPGX|gv2WSX|A*+z#$6tZhS zWXn^q_dT9zF>FadtpXk)V7jPvAD*!fUys49^=M-~`gu5Ny^5Qz;tSg_TmLhJ`)VYx zrX8mGQwj4yLAZcVH+T2rEEcLyS119hDSZ2~2)MBQ7=60CwqtWJB z7$nAv-@?XA5f1QoFEnPH#>Eti=aIF@@dW~ITgZEC_Ef%wUKIaC^vwzL*#r;{#hJs3 z!KJ;cyAq8ZUFrT(IV5;}eeDM;Ce{AP7!)r!^XbW|Wa!b!H2XaiCoJ&ggAR|){#`9XIrohwB3-ozX!z_YZp<8#WIRjS)H*Z zh<~h%2>=xv(P+@n7_$RsKL$bj_wB#n)bm})*PwuFD&>Q;KdW#KNOM*RV^lD7W}tGV zLZW7}xwY14s$@6he2uc|5gTOhpb$f3e%g>7+~|Wsd6gzI1|%jcDkXf1T<9GlQ2l;w+=w;0NTx-ZhK2gBka!Bqu74*^D0c2+__|!XAey- zvOU1Wz~3`ROQ_3y2eB4D2>LlP+!>bh2AUwT4Z_4aaRcH7b!TLO%8*t(l+oq8J7a3K zvxQia1L9^k_|CRWoD+wvx)~7DbMUR7Vu_*Z;BHJO^H&RlF)21TprRMK4wQUr@@JUV zG=)iM9O%yHjK#$R5Y5buK$G_)L-4^_5?XHV0eH?rILLT#`kqlMp;nlMGs7z~(FLG< z*-vbjRLnz#oiJoAWO(0x2^|k=z1H`44wpFQp}T+j(51P%CCGwrk&&=nW+I7rase?H zuD!_Zfgr^PBagMx{1LWRIwndi!Qf)qs*;qbB%gzSe0=T(yz~gBsXHIRi&A(;3w?og zjO`qT{(5JSbhlH&n|8iLnLjpcqWcP^n0sXFFJV(S!FJ2L99xQ5hrQ1hsP;+fU-?bYg^*2Mi}eWNwE=zuEc1DxOiwa*kTrGuf?Mh3vumeNAU`> zb;QQrkyR3QmV2_4nJDBiIaf#(4CnI7xZ z&3xyH(P-i%G@~<`s6mQM4fnTW4>tbY6Kw5Q92Rc)nmUMM5XYTy_<+i%yCk)zf=rOSKN)ZwA!vo6;V3pb1FEFCfa{U@9LaPW9;26 zRgifFxi+1ICTgqn84_IV1VjVqUw@cCB1ZeS(Kxj|>vmkVaxwaV80|xy#;DLl(hP+z zQuV}0ax50C<5P?)BY95Q+Md|#Uu%($E76YZCS30^ITbnE=;i?z6bK}=gqdsE3?>2Q zept6TsSnblbWoK&hjI@~jH;f-X|bLI=$tAxHKP=XA2Cp&JV;?hx2F6 z9;6zdbRdUY5=gs(^B@M^VkZ^(_uzqzJbqe4zAXuC1V0@A#+^Flbe&>ja1Z6icvq%) zE1+OD+mSD1E~X#J1&Zgl4c%+zX$CRz{9SfET;Ue68mR%U=836U#`nr!23dlQeGn~% z^^8wfb~I!d*+)@RkswhDWvSk;JtCt1EYc?Ao0o{0g_v+aYR^ zYdq#s*CE$vswP1kBmrMtPD)TLr z^sO}OCX_fM9VQ(9wrhcOsAf0%tZKuld0LKTDwOFxjBQymwmhD(Sn0eAsc&IMhsv~* z;*<2qG9B(9yavgTcbRBrZOGmXAo-RKfzLvG-!=Ju~+p!1P-jz1TbEEO*yNQx5zmg+f9($g!vk>`a#h!C7G#7?1{Y~a@^nK$rhOX)tPf%H_@$(q zCol=Z=5M|MS4^EQyjjKfT{+r+oP_l&dbFWf)fEc%~`ZF`~x=@Qrx zwxx_{_tn4O)*eRO<{HH1D^Ia(zA%|39drHS^oJF~S3EK4e-xo1bEO$3H-(-404p~7LnQM1z30E6za8K_1uK#k`Ez>HOa1zg#z&(o zp(_=w_-xLKTGavq`}#Du5S2TI+-w+0Q!J?j!`#zaApQUyu;L4UrHQ2_wds&D9*mg5 zMX}XS5v@}s1fVyJMWc-O0*&YB*=gFp<#*(YDRQ+*ZUop$TyYwcgB=D5vU@I z-8z|hN%3}xs0>q`@KZM#5dmz9fP57#g?D~8KIVnJzHC_b2jsHg>x;wfGJcFTJ|oB% z!dn958(v|LN+&0!LVz#ZjvsD5frK+^5@#G3W*x(JNtR@7L&Euy<;%sPQdfeoH4H|| zvHEwyjPEP|+ME#w=n2df0!D={wta=@+p{ZR$qTF0l>lY9t+>}0YCv(|ZR1SdRw5!Fo`AGi(U|_J|s?+(ADItl32-Ei$;T&IC7=1C#P78ESE;)O4aM>CGj1^rRlRr zbJ6w@`8_1}J00Je@gag_8g&&PLiEi2B1L{E?VY>|I_4&C|Acp}{l=Zk291-%?P=j4yg2yc2D|pT1HUqrlU1 zl2OilWZmPKG*n!LELW8!EWa@|2lLzLsNC(aGSXHN+z0QgZ~<+{oQb&}70(pKpCRC_ zqm=CTg)PK(3p?M-o$eMN%Jsj`KG5eIoz6isvV}~U^HXhPxcGM)=TT0jz=49pm)M3StWI1<`_7e$)8IdJ8H4Z>w z7;IVT3V3Q;iJ*|~H`ER0?_gSC=vllK=48jely#vYGlP$-^*j9UtWFAOt1|hjBlU~J zRfj|9L}12(C9PtRT)T&LPe_`Cj2Z%7Chj?)EPu0|-WEnG+zU80zfy#&pk3gw(3rUrA#_6~Rp_mNGhv-@Q|K(=-|^~0PF2-KC=LV5}^e(I`*6wiFT zh0jpW!Cj17iE-KZ+Bov4ZqTW7Kp*a;>Fv5venHqFUK=4a!OB~4tt0UTJkf-#VlxtF zqVl(>iB_3^$JwhhAXRQ!e@VP-t8?qCJMh8ApZp!wsMv)L%zNTOj4SsLvIew*Y1NzN z?s!Wv8vSd!swz;sT30l}-dng7ni(v{VDUC57GV&f0KRJ>;3?LiDl=|Uudoe5A-jq5 zNB)HKnf@WMEXsW@Azv2R^?6DXHlIj|VQCsFZYLc9X|bbbFkFlktCiepap~P4|5J+b2+iNbR`y#Ntx-HkE?C6n?Iq`^HKFu+0FT=q!PCV;Uhu# z1S~(5xLApIuERjqGhyq3*&q34mbUhl!E`MB2wiP1leMlwg{x50eoR+F3JG4pjbGJj z!nr04Va1_Ir**<8KhrCHfZWn9<1)85TfZbwInP15=ENdvzHy0O$p#7i+Y0xUY}b-j zx1xp$vy`?MabhREAX4*ZK3UyDNSVqP>@f+=X$T!1eqe_9DYDx}q#}zecRdou1QbHB ztTSTQ@{hDS=Zu}`2)vF(`6p5GMBBGmbr0feBj6;4fw_{>sB-z+>>-MmO2rE3wp~Vg zGS6v`{v~CP)<<-71U=){~!as0)Gi`>iw{y*iFwm8NT6vS_ZdevT zist)bdz5aR`JU7gK;snSQw#$jQrY~f=7Pz`-hn2Is{w#+TZ8SLs5Pe%nH1(F(j-C3 zcPBgf{k(7S2}IW@-sj74(%m5K#dfGn_;I7~cC7YtTj%B^8`56tXs*||)03h>30I@) zA4ZP2dqIv5SBCs<3Hc+Q7!*ZvY*3uEa%HJ&kq{b+^@YG)Bv^ROq?0BM5-sSHs z#IrPU#_mQk$+cbo)YsXGi3Px|Y!y_ZrabH==mO5w3uDt(b5OKi90Fys?f~YQ}Pg+IdV!>Xk%8if5K9h?(S! z3%RSO7xfBX@uh?@YhT*wBIQ&b7EJVsVYaF;o+g0U)($qK8W!VyG)`nujcgRa&104y zd8mmO4*8j$6JAW#Rqhew;Y25lzg;;R#jED~k_ed4@hO5djGo|=#6>!Ax+Cd1YD?Az z7NV|!9avwhkGjw?4cSj3vDUuwJ(OB1qc7<-AnZa2bU8BX5SL^I@6u}!dv)hVffa%6 zDAt%ZBq4j!WDy-v;mPpn<1HSrkp%KHas6zA*u@n;p_%C4B!a3#=9~IY^aYl~w8Vt6 z+F|Zqu@&WXla2rcG%{yOxQ_F|i=i#Kp9|9ll%COya;Bn*&ylfvfY4t~suWXvE!%8+ z0s(3ve4?SV3R&sA0nld*%lQFYJFXwzc%RlLO=U@6(i^T_5=v_)k3bFx9w!vKCFadY z59!SXa&N)%r^@eqtL-Jflcty?R~sDFenN#@-5y5c z4tls?$V0_sIqroA<4n*WBZ4~w3&d)?C+GWfb%K^n15X)u7uYN`_DNo=cEnnkE$82Od2PSz&X3?~aO2D}^ zPqk;`Uzo=@D`$%@`Bn21=vtlC?^G~Hl*$0`wog?AXm2Tm%e};oftEyWpb-#yGg4y% z?8PD+&lgX`Cd6F^dVq)m@GGvKZz26My5aO=Q1(Q;Obhq50|VC%Ix||n;M~SQYyYrLg6Y&N4&nOhWR^W7R6|MiPNnxcJ62iCTe#Zp*a>3;LcyPm#3OJ38ah9 zaB9~n%d(`8u_lh|&@vMm=L|4228fh$E#d6+67*-CkT#Nd5mE04q3T7wg>S+{rBoA3 zdDSE(8B^FVFnt@?`o2pDeV zr#zXN5rNzh{EDOrsOlED$sD##MA}nZ)v>lo0A&?E4Ktn+?@x8Ma?g!!fAT(mM*CC_ z>2Ic{oLidO8E7qBvhhL)<51l6=c--nAnoKq<+aMYkl_Oo#O$|`xhJq{7VQ?Mu(mG( z-7~olRe~Sc<=K_jEVi_9kMgXdxr#hK`=BeivP7q*-IIbP2g=hsX^sOxVGC5?60-@Z zOo5Ogv1(?*a&tMH7(j(sz$X)ZsOsN!$B)?|q`PWzd%_CK+Ub3ifc$zlz_mx;7@+-C zW40pw!*KdHaf<<i=}5FWN0IdtM>fi4ULKkiTB1`P#5!jY9$o8A$PETVm671F3 zH1{7CJ-%Z2*il0gfnw8jn7d-s@YgEMUft*ZY#8*|VW8nTp^R5YSYo{#r|9Tt)+9@a zAiX=-4gcn1Sqz*X@R6v=dl&%B2ND#-08j@JcvlfAmL#tdEZ+4mozVVVKV)IkVG)!L zi07%~9hoJ9&Y(tQ<=~%hrdDb~@t`=$t;-mJDqu>bUNa5Rj=T%1vYrah3S)C-vtmKy~*__1ykw{M;=M6YI*Uqd!a z2foYjRVYq9+~2EE3YlgUx4r|Pm=Cjo;lWKKu4Xr& z7>j%~yQ$jWs}sRK%_kCmx2P{Uy$Svig}fLc>WOdJ7Mr}Gh?tu~3(SX1O2 zjg8CYIrpFpV*KxW|G*}*dy7ue<_&Pq$f z1;|_}VUqF6ypepCcvnWV#P<+|(?f5Q4=46~{gZ6l=Ljrd-9wYEq2f0XT?;s>s<}WB z;|BlbgAXI09TG2{&v4GDkvrQyp6glZrS54|^Ex_NV?ViR5(#$~ISsUL?PK~rvVhga z4Be;T`!Vb_@2z1jT<9(^8nKu%eZ1JC&ZM3zP4<1A5NT+K^d?`;)Y$*hbN0&N&U5^O z>7TG(6NU{;i1XU{Z^e2an8Xw zy5SFRgS#a2?8o7z=ZkuiM8KKh@H);M(MAZC+q9^>I`6(9$Z-_6k-x@8gL)Em;+^8p zNQjVg8h(}e8G`q?sC-IbU;wqk=(6=lE6OuqfSZbn>J=OsMkt*c+fN?rs;`Hp&f5@Ff;@Qax zBB#H;9)5?+z}ccGv9y7XG>;Q)UjQKxQ0fNgIEYw18Ewm7zdHvYCYbb^?Lpi^;BYS7 zAjgLrG=tGfbBzy#KknC9hS4RNX&|ILrp(wCBr4r^Qb~J{;@LJ^6r>80cfTCkFd%Oj z*1PNUkm~&0+Z1PdzSNy#674zca_A#g19LduZcQhyLLB$NU}>)tvbt;!!%hLE#x1zM>Pq2ef54Q?RZ=_s z);7?`P=g2CyJ{BeQu)%o3!A@Y#H5U%7M=-TaV;wyHNOP4G!0Do># z^Y5Mk+KYrcV(WmK{{jHl!N=c`v3q~v+9{^_xjthfEn7$=9+s`v?g-%46#v9n#SFDH z{gUp6`=t68ki)V70_v<1#%l{%VlN;56}1=#vgx;4cw$r6f-PQA0xFs?j&#o24CAfI ztZ!7Hgi0={N`ih+t@(fKy?aX|qE1wR}_Z|?l z_vv|`_x)Y(KfmjGye@Fhu=ZiCz1F?%b+6C;`B40N{TcUAwKN6zO-}u#3E`(oBbzKYbbZqJiq3~?v9fG7iiu54eE7bTI<600Dz~2hSk`OxH z|AS!;3!p;a6*C{z=+>#I!w;%T9|4-jINf2Fj9JIJJtTZFkd>(vli zW_??gHp8(b%(Y)JyDKz&)>wRW4L6T_oo~#!7Anp=x(0Stdje-Pe(WVwGz@0L;8j^Smk5xpb9hH=gHvSG49h*!%2xUX)9q$e8H_p!#e9B>m*5l{67Y^Olh_i z*cwu@u0XsA%~cjaummM%Loz35ON$OP)v%nW7UTp-2ej^QC~4w&Y>Wz_UcqV93$Rts zIqla#U1$Fc1n`na79rsv*H_qQ&Jl$0p`*FiCwh_j4c!agK**f>1@BPAE#eNrUQ!5*C0lnJn;#Uq z&VBGwaDlq%!F(TLnGgu^y{Ccv2CbIsA`Eq^gmAcADi#cZLs;j{JArf!A>5JEYQSV| zcJxF-giu-7gsMimw<;F&Lxu05m!Qg{5j`d}WxUKjsYXu2=n!_G%KBKSyhmj`#aW*Y zHFRXzK1|$Ml^3EMc}hHp6WC`}#wYZ29lJUNn>GC-9Gxp-t;U1ZkHWih?segI$ zy;U^zO!_a^`6uC)d$0EIuGfC)fV-;yToq`jdpWZ1ZI|}%Tm9p^bsT!H)Ioc3Nd9mC zy3N(TQ#`rNjc#krlzZCej(dHlm=j#>wlYa~%cR=w9;WVL)=s7kLPb?(7$_C*Pkk2YP-7g?ul@8&s|gQR^#6L|2Ku(YyGbt zs{LiP-=@9%ziqF7`Jn&vE3}vVZ>#c0|Gl@^-Dda~Z}b1;>Dr&~f8KWOXZ)`o^{-C) zr#Jflu^Ik2?cZ18j}F?VK+)dqQ||46|Grg9etc-6q`O zE@?l>e)mc+Y=_=0b;lOmEp_L`|6wQtzInUh_%E0I({r?0)ApOU5Bxvc&;D0eZXZ2u z>?vSH+s|)r!NB?d?X&%Hg}cr3r<%6^9SjsaVe%h$Xg4BlclbZL2Ry_7@Je^zMqrKv z{+Y*c)Ezdcj#zmeAc2Y?HP!}cgG~w(F?BF?G$~C~A7WBPg+?(Z))Zz^n>drk6mHU* z_$Zwz!laK9v<7vgDas_OjizXm$t0P~rWk#!+G4VrI+;30*-UZTE>SQ$>t%gcQ=;B( za+s1#$tI`CWlB+}n$k?^rf#P0rVOpy)Wg)%tkoMq1@9^_b|AYzs zr%akOdTJY4(~rBT?)t_c>-OvWi1pC-K+^+MTmPBiCzSm$ieOS~?}_lj+YkRU!{5^` ztv29}-_Sld+a~k>%<%Wlhj)9=A1+6`&AGSOU32&+E8X7nU^e?#j#B%@{{2k#hq3$j zlViJ!*M9Z?)uaB^N&i>P@V}|VA2VV5{M6Qn|C!+fG5i0_@Zc-84=}K1?T4*1{9lsM z>3Bn5KB$#xQq{R5cmbozCQloikOXUH_|rYak^$<#=Stwl0SP*7tWqslUA5Uq0eafqx7%oPj?PX%IRaIwTzKTUa(B zAM`WFB=j5PN$8c7;B-2)IT0w-?o6>`z0xyn8l)8H?TINa4(J5+f-f}1?$9tkfe*Di z5|i*0cP3J%BqssOVFXen+wow$MaWd7I&*l4wmWhbAZ1dL6F-A{$e+L$b~*@G2!oW) zv=qDnA|}ezG#9r)h*#Q^Tse!NY^nJZn;F;g;4% z&VLju9my$p2+k6RD4h-maEd4$t~3Y}Dbs*p@pBg(xYC@MckPGUIEpP;k>d1yjlGWB z&|GQB7zk1wAgkxde&tIIDgXHbU)+j|D3elM|&dH&iw?nQVnOSntc38Kg)|$zid=;i@_3eiQDW zNaAs+uvy_qF5ZKI7cfN%!wHTs!0n|L{v9fuYKLBaD2RVG=+FH;{J(ZCXd1l+x>Wuj z{SA7S9lGJ>Kl#jc0iQVvM+KQ$edZ|enYG|En?khUGwbj8%v$i7)vZ3Wy47bk2_{2S zWK@(^G~Mx;wPtmUDOPJyTlL^Gn`~Y(n7QJw&xxe9k?sd@oIHdtu$5$W+_Eg{#CYZMQLFftU0^5d6}@&vPB& z*P+0tIY4A;{r2TRMeh>1R`_T3YOCt+ShqOH`qWEM)vpgjng7MT|FWiFh(_Eca#bh* zA%)bmqXLBjZ)->R34@;?_z7W@-C-}a^q|_=*Sl!WtOu_2FX97pcs18wq@0HL= zu_;K~Q5{S=m=yXzr|qCtkgQ}pIM{@egH1tt61a*&uTXa|1?v?!v=`g~4&hq_og4n9 z4z_-B^xk$S`C0z^r?oZw2MXObh4qD3q2Uj;v^M-d*Xdu>^e-Dek(b*^qxA|Uw0rjs z&?JF>_cZSZn1B0TwrIUl*;WSWmF>j>H~r^tq1c4McY0b-FzVmhwisFr_eVfos||`m z&`5Y7e4$1?iDKXo6b0+!o=_wizA@ogq=yE@CWRK`bgd~U6~QN?0{Et_iDO$!nSu^M zX8~#A6Mt^A!m0^nZEdzaShqgd`tuvmW>3Q}=&b+zp#S3W|FX?CZc^~;wgB1eo$2%K zl|cs<1p(jopJh?+5k+W^M9ZylY1lI#Eh4TobbwGEe^&q) zrey32g?;BTJRMEML_I5@15d(+IZ)w1NY8#fAWg5BHkRwA4=83sG{?0KiIYKD)#3mN ziw@*t*^9|LZXgRVlc)Jq+NM&U5!WV;%4eWi)QQ!@;xVbG#m=V!I`!gbr8_Xl)GJJW zxXkAH&RYswjgGECmhsuSBvKEx2*jI2ji)pHD6pYS^?~1@3IfHL%ya>X zL$SdD8L8aRH?c;ja1|jz-@0olEN(>;&`sh598dMN3 znlbS|qIkMh+ooggi^5r!2P>jaUJzdjoi?^?7U{ywhn-l$yKf*qiFpst4~5FbGlOK1 z=_tS7W6jL5A$}bVAd53IcCI zd=c*wt^wPMxI>5~!{P5j4}0I8B`D9&<%&;;W1UH&wkil}*U*WdOJ0!XiwQU85Rf&p zao%1?OqwzcS;BA(&5n{WyemLG_(;vW=QlR|Le@CWVxWXRscyU=Usfn4R7sDW9R^?I z_duF(mGn0<2|wgJm)A9CGUDwumt{L5{ymwRk3xh8ju$!#gP~S<59!QLC5sgD{@>m# z3%UI)nJ0vig$mhp@_1s~!u1Ze%96>rMNQ+^BFAK+td=u-ek`-=_9~eH(A(rBc!ic^ zlqrlSFWOj9$5g|&+;-AJx--qVj;1gilZ5hh?=#L!G9qggCNGozB$ei5t8gj6ZXc#i z;yDseqlik5LPEK*N-2!uG+aU45`fAm{{CU60bQ($UeV zE|tcx`jGtjNZ2fPCR>hQ$jL%%0cAT;z`f$lTr4(do>#iT0^wDiZzqtpK{Mj0^azB*VU<*~ z8i*SR@ANT~q`_z3VYKGwLh(Nst-ljiL(ULybG_W*Y`?nNvkcB6kCwvg{_6M_d@|M+ zmm_@0(*!bJRpdlt7n+0$@p2T;*ET;ujEJ||nFjUk4Z3A2)W`TO(-74-1m43Cg6Gn% z=QSWeWK)z)Jlz3O->v*$;Arno5AYF|%NMKg#lxSIFNn9a2PUu6JR2c770XGsX9ivh z;*`~cQH3Fdm&=2(zCojlrkXF6?jgi64&|5;ecV&bm(E&B29r-FN(hVDi}=h9bA-$^ zDSrv_I2~oECG_&9>=~l-_koBG1hna}9}pRjmurSloJ_Cq`jgd;F}Ov=K19h`7*`pr zQ!3MeI5Fq6OiGJS-+*v3qz{wvvt39U=2{s_TgVbeNI17mEzd%rTk(&wbbeGzreh11 zv6}r|o4_)i0ooNy4$AKke?gg7j#c|5bT04P>MMu$ljiK3*kD#N(D4inp@Pk^lf~(_ z3cQOgP-0Dh#Pm_6*cTdZJ~H3Xg5=xhUsoz|>I(&Vve$?1QMq^)V_MLvI(p zf%x@VHq3m6pVZvXTp0@anq(FCgP2D|@+lT6o3$GWQOtU^{590o_*J;)s`-cTi)8|P zG*t*I>lJq;{PdGzxS=q#>N&>i*c_M~K;-R!SEX$EnS8h5LG~+}{#!?8Y+y2ZfoSm6 z)@fvjLXNF?Bkoyx_zgo(&L2)xY3~b(<;KtecdF}U1!NpEpH)u;=rCO?)zFcmi4G*+ zVUtiGUjjx-&r!&wFi&PkAu-Ydtg88%>0Y#xM)Q+tDRE!kM@{Y?h#%{ljg8_?k|*uP zzf`Oudpt(X0A*zpngto|tlN$7IrFEh2lVM-Mh=fvCAQgVWr$1|Wvn$+%m_aF7s~Gy{L*d7rUC0%aBD z-JMgsd?kYP=z_eo@bk{G-< zv6L*#BDKz+8&~r4i0C}Ugvp;FX0c}r?Ix7qF}^XbGr?p4P@~C(NSCHnido}XQk41rW>uvlXj^y?zi`Chb~!OVkQO#G{47kS36yMrFWyM-6#SI++g_cEHb5e7Lxi*NVHTR(LvnHfZG%y~C`q%|;V1 zFLRxWrbRVDI!4V@7WYKJ4qFpQeIUK~1bzdVP?T4DIOBq}yvhkLE3i|7>M5|)n?5b?nLckOTK;XtlM2ipfjuDY)X z38v z80Xi9Pgr*@A~WS&#B>Ha!p-t>q*KKxL5jh=B^DH8OvbN8Cd~Xmm}Zp0oDfFCPyyRN z29lG=0?QK)FLnS*t$eBuhh+gyut86mGfA6Xj>H5x8(Gcb(HN4>Zqnfp81d=YVAvBPbrh1g3ghS0 z!{YUVT_V8Sf_oR~vE4ZpCsr5uFX7Of&k*}{7d9r$a(O`(l9`agpCG~5*GaJe$9=+k z%Hpy$1_P~%%A2M+Ajp%0nDw6JW$zlVTQ-@+n6g7TKMCMmf5KPdTck=dqKObd1TZ`8 zBIP-}2*021LClAtnUf}r%Gra!5nl!#+UwGzWC|Hh-lhW@yH%Xd^YRX%4xjM45aww* z+G3cc%6K;JRps$DtgIAGRprEnSDfVCHpJFPfQ_T`@RhQ=Vi#D46=RK-A{h z3(s~eOY@c>@;T{kfn=j>TEAaNfN;qA>hASdZuEkToZlpG0y19&Ps-j~ zXW?re1fK{m1~t`zo!nbGxV8XbI_@(`o`lFc{5&2CM1#Y=?BJe(q)Pk|_L1kY#x{gR z$X^0s(md;x=smOIPFom_@euW`QMU?p;QQD?lx!94SW7+?wTEYkI?Xh}of1rXSY|e! zhgUpGdZ+okf0$^s*)Ad+k|U`~dn2}&$x~0FfdZ0z4RfY&_2OI+$R)gGQXh`_EjeYse#nG5Ey;|WhdEkJ_}{Oa?eKO3rjto>IFi27kViz zgPA*YRF(!ccpOe!f-JhoOknJ!U>OGh+L@nqBSPX55=qah8s=r7e07tQ z^v95VA(*k_DzJm3mqNZ77td;5jY6_{mW{bs8RlP{a{$qZxIPY&LMIrH*zi1ZMCK5X z-e&*9`#aK^Lv*WI6i+O26z1o^D&kd(9t7qG({UgGwgS0I4idFdWdTw*rur1mFv|>S zUC1Rq%9h*QNDG^u2R#Fp4uqc;SR~&Mi{w#7A289p8U_KgSe*+&g?K8;qJob1Jc2_; zMk~M~m4i!44xt8vN_o+#`9-Olt~5JhU=_u&;L==rls%^6MfQ~t$Pb(Q`0d?zM8mGC zZ7?qs*L5UmhSzCU_h4}^q_E;ycs!2q?Yj5|zth}};%Pv7>_$Ro*KkDow9NO{h>`pt z;ZtJ7YFq+nRs1F!Wc6ROs0^h>832+(&12Y&9o0doB<@2w`;p3d*^h8+%_T=Aq4ME1 z)Gl&mW3B5tGhqqGj^4nFNd!5FJ+whrs?2-QQ$bV}ACdISUFae=XtV~5A#)gK<54-M zSSiC&;J6N>g42k_TsU>%K}~-1Tn!$pkl)XGjx|0PS{@X)SS2sxH1BbKQfz{3)d*mY zp3V7qz`hcr=OHQzeZ>qRx;4~NutaokPqq zai$VO>TXaJ z=zNuBuVf8JpedCJ7BywhJK}DVZo4Tt*J{|8l|x^vegT{0W?cLmf`}3~IHN_jAzZrQ z09g%9tG9H*^DKH2NuPE;3^Kmv;uc(d1Caq-5BbY*ZU~uc-#%py=u#EWN9cWHH(mOI z;3~CSfGkM9Ttgxqt3*z7shjU*q7k?9pj(?!Cl11f`tNLc(Av3BEx;j@?s6V-N20T* z@E~c>Xy`!x!WcvhbPYM0aIoPhP~y{-_Criq%Q>*r33|XmXDIOVC99-5{vfy#MW864 zEcXx#K1 zcp^03$Mn@bRb)}lL72^KEI;Z}zTy&4+hiPl4VcV368wSd5mfuZwQ}$Cp(GyG684Tj ztYFy0vh$g^OQ9f7jGqHVBkQR|oJwO2>s8pPmhXo+gX3G3`BxPv9-&G0b>dEtZ{31(8}A zOb3~WWL>)22*a-%8Q?yNNiyAb^p%#0WE(ot6nA!L+{YUBw)NuEFsEsnw6#aXXdrWE z`6Q71n-$6zgH(*UPq^3*>r1;L_tOfz$-kA(U>Eh|G=c}1TU~>Dn@@(47{(|44Dx_l zu~PWbIkf78ZMc7iytX@@RN0d-?r$N1jim2I-h3p?7m7r!xYIJy@RCI|=lfCh9#~m! zbnHiv2PNdEgOakF+R2YPYiQX?ymG@Y;A@VjT`U3TADlX_RQ?Wy`lrc1ABIl4_2&Vt|BixJyDFH%dhpq4D?^-bJtEpw|YYGmv}pQ`tlmuh-U9OW|-48 z?xa%FQ`s1xrjiN6TaT%->}YOHsdXW)TBs z&$2|eB4JM4 zU4m+)gIy$#rw5sr(j?sLj6jLgwxj)6R%zeC;iFNEj1s5QNx}vs5l(%YhlE&NBN(Z5( z6@}-2ux=6UeLY**AtIiR>n+_ONK=0#dmrgk;)497X!97O@e`It(TUzspftq^HCCVz zj6_x0Ja3-Q;8jv*vI$6c`Q>z8dTJ0(*Tpk@ao%ST2TsEyd{_DDMt!s#jDenQWF{I~ zEA<-*shc95>2CtHqjyG5N9;+~xSe->6E7b}z|5}}p2Q>5SD^G=2&Y;)Frz`D!P6Y~ zW@n+4j)(a<$owONx0|2SYciEQYq?^GS7yIrW=wy59mSL6-xOD&imoAR(S|*-XGc);%qv zcw8q}cBK6-zK)LvB=2)Ajr_|{WDKvNyBoIfTAYpKOFtP*S-<@TVa$nSpJt~Ljd3gw z5vC`cAU0CPaHNJzVK|6MUqFtIA*4LPdiY80iKDfmE}>C#UvGH|BAE&~v8j&jrI|ZIGc~mKB@+4D zKrxc2Bt_$DppBn3nOgB4o2lg>ebRrM8pRQKvd?^bFW6tMuls&vd4-P3?h33)qK{4^ zT{i>khv#gqdxdOuiRroRB`g6>pU z7k4Q9T=0AI?AD*ujf)B+P~p33?|F3bXS^GdTP*3!K+p3=I|UziMkCMnq~Wk;=EDms zP|FM;PZCbj5yaF|3DbxFQ<1;591oV<#odv&A0~C=3_mz6it2Hp&Y;9MAdyBe;0?}q z>u+V8qFL$JgKQc$Ii#W!$hruB_htKSVmQdbuffqLjd(QoUN_> zjmsrvSj_qa3AwHdNDdP41~MNX0_}tpae-41wHa>O+dYM?{}N3%+>91e%}Y7z@>K}m zxPW6zk81bAlB#C7?WSlKkC_vra0nhL=J=zc);!FzsCYCQ95qK7)KTCtJ%`;4k#CCqTSO=5gcQyZ(o)bb8l~0>0W~@-ZUyibKQg}i1mPL z#NoOZ74nnTi#q9xJ>!h~7#v>m)>>1r#DyEME0@0;DBGGjv0yEy5 z#_3=~e1F^vk#zCe`t&f=vR)7k(?X5sT;&gPY~FG(9Py~oH9wTG#GUeCpU=jnZ5qmj zXSpCa=^4SrT9u(N9lJ_chy{qDuM2;BjO4}(tQyHD4L zC90F-;u6AaN%&JzQhY5cT^Ax>RnY5|YXV`Snq}Kre2r#g1d*MznGO@5VWJElMv&j+ zXhdhD1%}sI_RA=9HPvyd7L6kU8Ha=)UyLK!wUo_Na$T%~O4Kk*In9O|*BIDb%o+>9 ztdPc9mlJ_DB`nc9jT`_wuEO_hb0paYJrL(q5%#i5oQ9)(E%ki}13|f5`}baO4X0P= zaH+iq?|>lYHq7!})|Dgv0ek)QGDMomeOwy3kv{=RKk}y_bJOYQhN|uOT~eBMQ0Qh! z;I1oVd)%53-!ZdKTa%N05hmFpg^suR;WS*U^P|71QbR z6oWPf6qD$(`Z{rHBVh(tTgY)xl_Duw`3N?bg#EDm`Q4%T5Ls87nHkM5;A3&K(s3V~ zuWW_!Gl~3kc{a0=y_^tO=?%v3ushT+rxB2A^a5|;uMOYA+w1|P0oVt8tm)Yu$kS+_ zQDWH~Wk{EMK~&ZCz&dJVtbEV#xBnMf%&r9TlxjE&dkFl79V~A z&j6WOY~as8h-eUlcVJ~!fuV=I1g`vKkzD;uRDq=jWpwT!ICL&YL zb|MrIb5mv92-wCV<=k`PSO<&&Ry5{xM?xhPoheM1OAVCND@#!x;giMJ@D7Fi7O*6- zB_YkX%g*h2W5p)p@X&;3U`!d;{;GLI39~N<(u8R`Qc(?4XaZ9TYxMh!Wh&Yimb1@r zEXn2=CN=Mkwd-(C8?7y6Ce_Cg2Sg9H$aW&eFm7{!noNNStUkB;MUo28H0CyJ*~2Q) zK^DLaVd-Pl+l07;b$Gllgi#ZaRvhSRR@p3Zdqa+fJDOF;cZ)IPysSpL9h^&p>KRef z&|v*oMQ0dqs~C?MhTYzIEc3Xu3icU|o*2vF%dyNT#sqUe15Ghp1oA#7gPlV$Xl5klK>8lr)FwfSH7RBZd{69!7 zS~OTUs9_&Bn#85oA*#irX+DH#^On?)Hx5+$YBX=_+$)n|Guf-Tc)6SbOQj1F#mtCR+(; zU@&1qG=345Xu_izrQFA2xGNKZjyTEMhR8_tOx$a#@&}DpT}`?*Q>VEe0)Equ%1t%X zIfnM(*o(7geO{ZwMKPn`RgP*tP7}bNng*L`KMbQ|;m{4Qv8(@Y>;PTa>$Tx@HQP~_ zbBK^P^RAF&&rCetQbCGrMaNm@2)j^aINXVVo+y!>uR}aPAKqO*;s#P8dQ(#to3jz& zCFZQb?Cm&>H6*+L8U&%zV<2d&7QK&qjNR0GCRPQj5*5jnS&){ZiW|(ERSZH48bZAxz2sSUe3&r#rSvC780xZJc!PkMAY9xOQGrWOuq3`4Rce?zgdoHc&!bJPK9Nj3t z7IgI1@k^u=Ed6}P$vNXWN;Gsm7hYBX>kKr>+Y?>3_$Ss)7khHy#6>Jp_bMNWpySGy z>D~|!V_3j84!3{L_c(co%%T}*`;fmE+mJuHWlX>at+E9=whyQcH77$>3~*EZDjqUH^aX0(#s9afa#0*n7;DDYqwz*b1@ zep!PwJt@!43gL&di#27>(v`TT_7E2Ml~7XXP4#)tYTh1i_N#o846*@t67q1VG^JXD zLtXt4j<9@8qDl{i+0?X4_HPS^FnzLtXewUsS!U2f`OOTTn zjJraa7}vm{mUHAH(D96=jqcBabm#iTP1E5-#_t8&SL6e&FmRK{KmhDzTn2k^8s7@y z^6$&LNgt7_Vc*QfZ!LU3fS`yaB=0=?vQGM)JRqJRf=h?#vo0YRSK}@~sr0+jx7Yb- zZ61Fb;#_j=>kWa8t{ULE*7Pxm58+Xa0cFP>$+ARRI`9*Sm2LyyeKYxt%!Y6cF${~= zlcO->QICBFebB{X=9^(DNZ#1d_8?=|d=w3+QHwz#`!b3&P0C8fa>5IO%UO&ue=!0| za!Xg6sJX$=_cCTPlBP7uu!f38i+axxSR`AzvDy$=Pcdt8gz-UM%q6qkUj^ZtmPuqu z`XNNhT%RLyKd4}lZVLHth77iPce6&bU)4~GBdQ;+$*3RCaGqJX26&~&EYV`y#cLdK z8XAGig&EBUNJN0xR3l6y8uMPZehmJU_7Z;sgMZLd-?V`jNVffV(#en*k~JIi$$$?6 zWi%JeL604O5SLqyP<@hwep5qDV=a9ZMg1_HlJvj$2g=pVA7djlz?%*Vibb(LF z8f@Skd^OpD)8u2w!#T1M?KHX`;|%<=YY=iSC1n?-xL9t_7ugc&nE=GFVa>UMi8Vsu^;YWo9tP|{Ytq-T=UkJvZw2Z>b zyx#+zA(?pXN7A2;Vl<@Z&~GKX<~ViLg2DphYPgTaz_+Djym&tAGz!cIGugStfBFZ4@>LiF6QS0<9xPEA%gg zwS**A5|v{`h;?QsvX@HExMC2Ni^J3|eedz%TT~-F2n>yR7W0Rp(gpu((tFt|#}5Vc z8(^hO;WyE8-zZ&uNM$#Vo5n-$AeH`~g$*(!@lV5&?-GOs@XtP#1GcvxX43H~Je&!` zPUFom`sB&FJsIL+cMc*S;as4`$_}M|i!t4TY^(TXVh_C1ETsU0Us{5tl$509iUZ~5 z3|fP8ZC%0ky_uhjyssg$Gq7FdqD8JD$-wl|ckpEs?}g_DaC`yK*~EY(b?dKLrT`T04nQk= zv}x+3iZa0Q{ZY_AaZ~`QSN31dXoZ#ixqRzI{%bKf^RFKuaNWN;qYY+g>K%B>_&X)q z0Aa09+FE(j|M158T|w;$ovqK?{viNSl<($x!c#z!_}!290OSI#(0XD(puY7(YjxT` zwdSt2BIyEuYrAOs-|k$r{o|dBwgT(!UiFVpt(Og8`&w%cZ5ROfwbr-o9#G%*XK#HM zfyQh9qV-N~&EEdioi@DFO08FGe?n8>)YhkIJEeTu-Fl(_KOov)`KcMat@cdN4$zG! z0aP(acPdP`vr(bjxeHt0z1mEy>)rzVtP6Gi&xioz=9&F<1J*5cp6E}dRr#{9^ee#!-M(vh=+d< znVD`lMo70zhRy5&3Ymjhw;&S5Fg%GF-5nu=0{|Rr=nEvpB(u<30aJyG)vcDuw>UIl zC$UEIx5AYf(dv5?Kqo20;@J)Sh3Zy&Mt%S#0jdLzu+V@}gsm3BdxG1r${g^);!)gY zn(ukV(HVAvm0<{YZ0Luee3yL%4-h;`F!`?TsEr#ht9w8Qk&XlIt2QihmIuypfKE9y zCqRhf;FB~}2^eNOOTUzI8J_mXRz+`rnvypHHXEL{3A$J*95J0Wd2L#XA zaDZP=fhayV)z*!FjLRl2%gvVOs3m|g53toV59f7K&+G+ti-n~!K%n0A3=L47)r`&F z=@|;EfPPemI~PpN{uzT#8SYGVo*GVPIqrFnf|9di;4sLudf0A(Q`L(X^}*3Sx&JKyLvw4s2O=f$!I;TF-z}ks>@qFl z5BaZ<7deOJedkwFc+CLm8;1@xeBjE&fV8T(?zvbP9Sldbg4CE_pkTbB=vR;%@{ZEw zMe^}r^9YLP*)tuRf`OkDOL97L96*J@tT!E}d*1QnWIzv2-Dd(Lj_!t2gixixL0XBiOC))##YAA*os+} zaH${Y`xuCB;tmxctqVeUpKS>0v|o+_MU$mfdq4IwJG_e2rMpOrALSGo&7x<>C z07vpWNi6w=E{2T)XO95XwCZC(d)pUasq$IU2ez59#aPKw3z;j_bBCyyH>`017bz)a zR{(X&M?xUc#(-|GtK|b`JbaTjIIX8+Ex``{AEdNuO~z}@Dbn!DPw;@8;aEt~NJ@V^ zjx+An7_&pLmUlN*iQRAfDuicOFdqSam0v0X8nk3Rj^p|QAO-f$gfzY{HUnKA=o+sG zy)=Xy57HBFU?`ja2(HPz5n8$sQh*9Xaj0=~SXIxougSwX7lVfm60-Rr4ld~UoPuG{ zC#LupU%J74i=ECCPjy+jXFj(Nn=>AO>feB87BWEd+FjKEhb233_Z!s^N0}uz1UH%J zb9lAw2clm4Bw@jrYaR-1+D>EFHgc!=2-pXCnTsszjU7Vd>1nt$Yce8z&z6!{ol~ip zIBM8LMWuswb4^rKouXp#90ZX&?nN?(?}^!>8}$958FUz1sWd*Pu03+m%xR>c){bWD z+S<{e%jr6VwjQ!AN^Z38O3NVVb~7M&l5f1J)}7MgPV(2v1~xExErH{F^%-O5HW&@O5bm+z0mqfbd0`}z-LJ~N zg~N(EVy0vvwvfDLG}%e4ac&5JvH8)$LO@`5!RCZ@ z=1Wmd-VG3z@%E`ym&>bT3>~u)eJN#tG8NHd{_b zP2n^;@3ii=`t(p5X?c#O<52*GHF9Z+vQcN7u~pb1yueTOjFuQ$`(m*iQoxl|-OHYkp7lpHu-hjgSPLKw2{6}_bIKZ~*bG>5`lz8~`AxXxug@I%aAoPYEPpn-Iq^f-mF9)AMIaEk?vxlB!ZOR zo~-*3_d;PD#y#v_++$C?W&PPoNWG_1!CWlUAvwL#27AGe*}LVJf@tiGL;P9%mhI$)?~IBN$5GgDAwP;X<4+;j z7AL5W64hzA~9KQ370~}|6s#Y?tQ}RaQrTaOpLbe&62${Pj4a^*M>-s%{r}#Q<-}K$16V#TgX(PlOLi2hkF%$k&5;vEb<;=6}_HM@Z%&& z8gprQL5QTFNnqZ&=>X+>1l9|1Ao4Q~hGV_+WBj=B2~N6xO(mHcX82zfwdIY_NSCen zn7ku6`?;2HZgt1SmycjCzQsI9z4iu%hsF}@4QXHE=V+916~#_-2d(DA5OX2Lkxr%Y zQwj{MQ^lotsxQL0g4S#KZfP&HsG4qwYl&ogh*fA#CqQn@UVb?L4;>RuPfT29lfLjJ z3lkk(G5>e)ISvc)q$k}#R%oa);oRk)@FR!k&_^&Y8H*lo>0K9Ocrn5^nBGS0R0ro~A!Wjm-T^YS;LUSz*gUNv!O3RS%1Q_hNO=BqMd>V>AkGIws8G{*rUyOyb~#8@uUK!gN>} zIh=n_>qC5a2H>$~poX%_-?4|tP}cIiQA3HITyPA;()-39;arj@R_+;WxIo2lF3w{U zBXkcd@e?AC<8?180Yp>22PDg>07s1zT95ECvC8*`V`c~Om)exVcNLagE|qkaUkyGw z(SC#)i&D!j`%;P3)eA{~v&|r`VZC5mm}F9G%i?M<%a${qpuz(XK);bd6ZyyZVzQy& z0A>Icx*j=1l;OY$mO8u&qRcBT@zPAp`-U3^(}IUMnet5|L%aRH+-MZ2B}EE1)eH z)9EtNWG?5)P+o$?NZb~U(6t#8$vMeb0ICkBLCV=xhMW|a@x6>+Yq8GdMz_wB$bw_S zgo2)<0hlW@#y3N8@0^+F{M_o}XFsf6#J)!PaH#;S#^p$_jC9E%7accL)aKs>PG0eb zwSLjC$Xv6w;A^aPCi{B&8Z=v!MNx!}yP;&iH5UwlM9fTcF&!6+{L{#299uA-_Q8?m zeQ{K!75+8~24hd6zqQx#CUPuAbw+Hyk;c7(wZlqL{jV8ml>9P)4p2gF-0X5${ih{D$5TWlH3a@cGDu#`P5xDz> zgLG@oR~@Jz6^Jq^ub%`3 zQFd3p!1xM^#hpATy}@5ZY)XVON&w+BHJ7Tl&)&^94rt}7~=fbSn z7c;bnI2-&P(PE` z)0{($yoaC1SdF)N8aBE!vj50*cI`s;U`EXQszzn^7QPNpy&A6Wa>8}U?DfJ-wo%1O z5nQ}~8|W6Oad)h(M@{*FJGMe%r?q~WYze-cX5V*otVOmJ{q}L)Bq3bvEKPJKxPf3_ zM3_1H9QBj<5yS!drRONBCW_{R9`K)CK z*So5NNHJYXoR(e2$CUO*%^!#PM91k4ww(oM*om5&6k3=U7hvx;@@q(^vO>mMup3*Y zZXhLIw+(E4Cbj~A^>iXFsJ7Ey?86%SJSK|o1x|h}*Athm-9_!-Z$^1D5EILN4GV`( z!c}=RVyqQ2vX6N_kggfczWY+7y+bpY}&dfap&|}R4s{_m+W{@+$TzI5U5pU zy&eQj@Qq5hQH@919r#7uPd=&eS9x!#%C&Ws_&|}v5z;~a5J_*@MwV@_I}I)kj`dw9 zF{c-Sp&3lw(pGLZB&$7uuo(`_MOOikG8?kiGb%e_U1>~U6RdI)V1Kh*EvR4){^IOo zc(YOkX@mz=(g^8Y!!eb#5Qlrl0U~P+V^2Pu!GBa{M4pGxSZRu!QWO`K@yGFf$cG~*zf{-rHo?4*l z`igpCXws?v3z?KpA703IyMAh67|yeXRlirA$cE+p=!R zf^6$!6TG<7ChezGEv>&!JJ&CDgxF>sOU$Ji?!SL?q+gHUe+};6Gl=Qc-*Z6!+!EUGMWq@Vc7A_vNWyFVGuaG9K`%{SuL7TL z=%RuwL&a+ay~Aey!1Z}&QS7^YVlN+2NY~bkdN;ds!}fP`t_*A`%#|m ziHC#U;gZkBF3rpOc+r6T^v37H`(@nzqN8!qWd8!4{Ocmz-*Y}@4agn%&O{ez%hq)7 zT~@s&H`~^HCatgY(wPDMeU`HW2d)^nwrG%l?O9ODZCK0SS9!K@(6Ez>7O93;*Z2mH zT;VG&d3b%5uC%Is_YHd>PwW5SH8bt%$921V`HCa z@|2dZ+c4cQuG_(ZHR;1nz1C~o&ONV}j(_@ahx;ZBJ?4t6Xg)tZa^k_u`y(g)^23j+ z-n)NxeKcttj@UT)2sdbBcWg=3V%oSrxoFwXMSGyym!`@o0e?uyKT{De8lBVPkd64 zvwNSh@A{HAKB?;5aAxxZS!d382Yu2`#rusTxNIX z%*>fH=kmHfpIz+hz8G#9u=$GxGg3}%z9%9#w(Z`iV4=AOXCBuk7PxBPUzl>oy0+%V zNk?sW_NzaUmsN2%X7Hk-#7q8BLZim6wks2@(n56o%+^3YYq?qg#f2xOCl zAy*ehZC!nSe`>;-Bs_X`<(3apFE9g+}TR=K2l?cVVRw$2za>-%#L-qGy%W?lZ3 z(tBy?%K9NDal<#y-sY{-)XuD)J_FnoH~e+KKcq5!JVxAo;#o#K)C2|p*Hh}>x@R)D z%v(S~ag#!zcBNA$PMJD;N(hc>NZrh82DSxNlcrb0q`pPX-G4hA6V#x~&Em04XCWxu zqDr|rX{%Dv%2vXtHLb14twx3z-h^o!{Ag{BL}47GPHtslH7i?Nff7-R$S^|&{2&0< zk%OXejv-Us+Ug#KPy&v?nHIH0hhqR;s2h_8RpTGWdIJklhY%Bv$1!O*gH!kHyzI?C z;xj+q-j?B2Q>M?ZuDj8aM;OyHVdAOppdshOpH6ta|L_=p+f;+NjQ*Uq(~Fg;#z=u2 z9hD*C?*P0Ogmc@}x2=A+!)QShb^bH`1;XprUf4E;W!!AQuz5MF;^#kunebR!(JJ(w zsKw!GWi%7c7-O5`i&TXW?;4JVV;jKwcU6bOkI1!9K7o)(Vx5duGT~?y6v$!1BZI2K z;j0)g%{3Hi;5;T)-E}nXt zt}1kpfpJ}-4r}2*PC$i>1PAqMV#SGuc!Y4JVLARKE+G;Rh6)dY3*rj6wT+vG-&aGh zQn88Z`0toEz^hE(b=);x62?e|_;c4%%~KZ(>tj>}~oYJn`m_+jm33 z*TNFpU?aWK`<31oBZx}>XV{-VV_n=k@GBBvvv_r67uXeTfJ|_Mh8Lo{Lb-Q(<6<0o z4=G5;42_J%-Tn+?ROnU4s(z(6Brr#Td1M-jWr8S)(es5&L}7$_9-{VClvfH#0D17S zmojR-KXoi(^wD{xu+Q#OgXc;QUvmu_wY}7kLlfglkw0}d%FDx6@Lm>b?8uMrKzVo) zTFeYm=h?|L_%VZ8u|C!gMH6O+cy>@8lLi?*coJj;Y9ir!_QeDWCom(JOjHVxY>7CY zJPxOp;#UwQ1`V9bsPmu_d3Ip#h05iHDw<~(KlnY=1GG0Wt<@#{t8dPW`-$nFfdj^Cth>F7V134Y#`E-!Ncb>{g%hKsMMd3XI#l)_*6*-olXwGB7Jn4!Iuc zfM!c}kVG`y;J*zUEW}x5u>S=gYzDuS>k0fyA!vBAoeNf`B6VUS-I;a^oD`6I0dSrI zs);351}shRmInZzAOodw8A!$%YT(GY$pHdc*nV|7aH|0s%m$huZ$h-4)S^^hEy{Xa zP6N8=0tQ1+E3H5tZeC*(;$^*Kq%mwHn2f9BmvO?op65$a81WVi7?1@fFcxobpqMHU zRh>X!moOCN$M^;RYOrHN%p3B!e#8mcixF^S$06l$6-u{Q_(vf!6lFkSW+yZl_apLJ zx_5fni+)rd0SwL*Ljv}Vz5pFx8k{X6;H!df!2hx8#O1Q=D4k$2`<*^5e^llz1LKOlw( z=;75$jRzQ0kriHtRKF`SgqI(`Yhb7Dfw!nf*OVW%?W3_FI${xT}$E0T&CPPkc23+%X1a(3en($AVIARn#Xx66Ws!Hk zsWg=qy37PWTZBp$`Hur2!uITt%iX34!G_64uuUiB+;GTye)IPP?|VTu_B&}T4%~3s zbBf>X77)1T+x=;tdVL5-tbAP6j!s@ie+;C!c012JfYb`zkeMxq+j9N-7O;Ssq zQlK|2@0tG!Uy+@uxspfPEXM+OA?Xc3FYvt$eU&_d5(nTjH9&v0zI{e@Gv4I6QuYUM z$?dx?F4H1URU0H0t>JQL@LboTC9)mUN9gd;TT$(aravt;;0DP)&H$_g9c5@(`WU9; zmw2-u)&cAR-CG8jX@zLQES&CS|^v;Q+SP^lICWCmx^~Ql6+L)lS;uz!Si()T4O1e&#*AsO)Cwv5_74gTupU zU2d!2lD}2g)~@#Zp+)KDIpo0Hg)NpZl~~;VqJO2NWUo}Uo)&(MpeJB%0h! zlr~9C5bUxXS&nzhdYR+wZt5B;gZG7t4+Vr*Gn>>>*er&pmcA0T`Wup z+yeSV9WZ94Z5fKZes2uDQ|^Q5=O`VgW(6Q+P9B8GC2v3e7(fjMc^L0FL@B(jZW*qd zik=7ls$^7m1Z{#Z;Pq|*Lb}rNz6M5}YQ0*k@?1t4u4cy`GL&xVXjYXpmsCcEXg98y z+ap*55nmz!i_RHG$i}uWA+=Df)sXIOKLTN$*huGjKe!N*{V zojDVrtV&uB=T}XUSD|tr{HYa|!m4{m)!S&2IZli3WaFZs28CKt%-E} zKxdvFiH96sYAF$Z141-fYPpx{jKJyl55vR(buj2N(XOlfQqLcTe&%5jFbDNREz4n( ziF`F0^`Bst)|$T{%2|zV5;${YXJnJ#uBRtD$l@m1wwdc@+hoX+9u`j?1g9nyG?^iMouev#Xr*oG}G_fy7+sW*0RoF5mZ`Zw#DM>*i9{S zXEFY{Pl;pn9u4G))DP!<^o$I&+3)4=1&2fmbJYA?6!e?7f!lCljjaT%ZhN``dokF0 z?(u(%jtnUEoK(82Y=dkfklka38^FBV^g5U1{tlCt5I95qNC520_Z2QPLRuYHSzeHCo{j8!woDB#t`YBJ-LG zw;@cKZ!VX`*cj43XjJhD5~}cod3*&j+H?{Je5hj*mM3ALtv0UK3T-4em7(Y4=fm8a zv1fEbi}M?ucbG7Oqy2-!FrPqsG!Da|Q-^h)ItYf@f8kg4nZ07T_7{=+KfL;%S2&zC+?;Y|w?I?(Ai~F`T6t zzWovG?{STtcYFbjbxpOsB-R<-xe>ztIC33q!95w1_b0wrZhyng_#6N?D~1>In9a)% zcfJ-ua_2rN#<2KRVHKGF3(FniX%f8ZYbT^eAN zZDsCoCxxLD^M^Y5SonYmP!G#)W+@%-9BG5a_in9{jZ3~{w?`!u;nJ+;f|US_T0Oyg z_Y}yf_?7XT*p2_Nq&sRcF6kZk6VazVfA|Uz|FmS_8=ch9{>0WL_z>>n{moSj^o)?< zvD#LEG-bogSJskm4CSsj4g~$LmUu|~fIsM4;%QD!HX4fXv8*6JZ06La$$NHSH@6P3 z#)4DO0Nav3msJ%w&=s?-oG*3%gE+!qoPHJj0Oht}XNr~|TAhS(T`?L^$d9*e2js7n z-SK-_9)1(XhlZgNy??X%RU&>GT~%&*Rd`hky1Hbtvcv!@cV7FPghHH^eLs70$o9+T zFFDf3_Kj^mu&_tamWu!v@gZX#Vkdo3n#+5jR%nZ$R*0F@%Fn>ObnY{{2u(TpvGNBp zH&9Z-*ChOtX3pFI>1T2!6`$>v-4-1;u#OMz@v z(H}Gl5E7dV!sde-s^ca)uTuX|%dG4XoS^$9oy_ra^*p|D-yzeW91H^!x(TI7}F^1k#av6vWx52HV9zvwk}HXF zk5O^1wIk5v;+Gykhrm_4Qz^$K&p2O?Dfk-EUJWT>+<@Y1i1w*$MBjvCTG6o)0U0bE zv*}w*Q$X=J?SJVxRB{YlPIM|PxeJsqjdTvB);)qrh0>(%7>f$V0(tJLu9&)>K8>7W zM*A^nq)|&!=n(Nbsk}qIaF?-ASIujY;|XqnI}aBm5+5PL0Rxw<q%fz{}AoTD_uo)hO)`LWnUq~uLp>6kABZr z+(7dRBf*nXf~hzFe8}4p774pqGCc4dn8kj8Aet$*XmpqPaHIgr@#iYrETGlq0Ma1Z zBXj+k=V`uBn*n%v?z!dy0d356zM?(DUDIOh3bWkn8o@^$yejua_!MXfr-a&Aj0?(O zi53nS0?#8*CropUl4;Y{MEMV7>SKVT>reo6(NC+#(S{|LF@_MoGT@yqvMkT-qURD| zNJyGZU!5@P$e&ik^O zF1BwFXGdS#efX&>yZucdfF}0IwNigGCtQ!=hjB&z2XPX+A=+;23etw@(M)9qQhx6O z`W3#98+x__4`p%zKG8j<4;yW+ipEaNJH;d%ac*eQ-QKb7O8(=V$9_U1mT<)$B&{s^ z&OG0X$J%#}jlp{p`f?*K-G%X31=&B*2R{k(jO5B%VRHXw7@9Q)vA?qD zgu8cvIH%C5i!tvchJ}E=WJxN0pGh-r>uqF6>4&zR`Lp>^Tv{zKa3KF#pM=Z_g7gMi zX8XP%5h5SRnJNlm={0LpO9!j=+&>Ae~f2RuipusTS7DwSVEZ0+y{YUU{)T4 zT-d%tMJ~pCI(5$(>X)OkfF&OPA#5b3W*zY~O}iNscslr)mMX5vB~7RO3Gv|Ce}^Vs zi*rP(Wgp*@Ea9B{K9@8z(@U_ zo9w)kt$Yqa3}|o;^5r14Ph)zpo1vLrCkL9Ich+aaW1E-Rh?AeFR3^is{AysNK))Bl zjbg6Ra>@B~r1L8+9Y_0AJxcX$hscBVPg#ClIsz$s)QUkTXL;~!GO=E8_DL4(Cej_d zxJR>iPPf*F&ZjiHu*pn|??yBI&swp3gsEL?7zOuJ=BefFf;=5T^kz#D37W4HDJ3`x zyU!bm;$Ex@48_KY;=ad~6Ds+e7;#XyvtRS6ie4pejtOKBl;6Y1VJTF4W42yvU#XYR zhZ`N*gD)B^QcP=iqle7hg+?0}4y1_zkILOmwIE7GT+pRzDpz76xHqUaLG<}f*{0ev zMH~jwC8=)y3D*H&@3f_T0ivVgA*8&n@@>Ix2bOeouOKA>RV1pROBa8SJiUa+;_2Z9 zKVpl|{j|z=3WWtMG zj@Efq@(kblc$Hff?#icQkW{kCDU{TB-TflCR=~=WCSAKTVG>MJrbLKeb39shFA4zF zd~|)kraq{7Svz}>vYV-KC})}!B?SA}x6-C}AfA_ZyO8NIN>*37z{1CV9%ZZ^2>u?A z6xo{UoNpo5&A*QX7;!R*_CEbh(+CAn!>8EGIl$t9ZZ1xY!s817NxcTOyz97V-WiK? zxSzn_c3FNDS$a_&zJM;dmhP!@ou__SIeGc(Fxw<5D}!}a!`u$7i{O~p_x6&V?t|^xJ7&T9ZOA1%9J;d>#RkQ z9PrX61XS3w$@8_Pk8cN96`g5ZV}B%F!Ed7e&VVS^nf&=eDj}O|@3O?Z)8gEFy84Y( zjb%y5L>&-}ZHHyGEpE!Su(m~7VU3g}J?9YXE;&jqW(#r5C^^Jf zEMK|rMJ+vT%jO;giPPpZ7mMm-7*oR*cJyf5=gKBbD$-Oh{e;p$``^E zV=m`r?lC1>z)A)I^dlM3G@iI2m8egx7N6jMVKPSkQ&>1e9HD71G5%zbBuh1)T~ZEH zdrAM3KVyiN@+0<}7}vMZh0iyJbYXuRdfEI$fAd#*IbUP5<39nv=xGgoivP~o63vd$ z85{-gbOD`?&NFt?vLHpI3on4li5%}VAT{NpZ_Jm=K_W3cPW`!e^Mse(vEn&h_Ja(p z2@{>`62WX?kd1_HtdK!QlaCXc=G@H5y^-a0Wn;McppKjb)Mcg8z#mm!j`a%CJW_04 zr6mw5miVnPZ#b;BJ0=#T7$MU+W9=CF1p#f-fq_yR3I=wP_AwqGAwlu z&~a;(LRHBtkS$ZiuN?X5k=?M=cYxEVi3aPyG=&}El}7<#y7?jG&QR4(ql?5sZtEcX z6I}LS1D}}xc^goI?0Ol7%Rb(FcXxo;pVK-w*o{IC+1!5ctSgX+jCI}ZPiY`>l@GGdXmi6R_yRCDh;K$( zW(zfhy(`kLNl~UD`*;HR9ToY=UQJMy{As>>JZc(`TiDeavKzRsc`|>yAxlGV7@8Dkha6+t>O7ESXMtL;ht+?#`u@bL%hu&CDa1&6k zWe3B=ERAuZ21~Y}=+)7RRuxlGHJEXQRKeGveO%oS4~IU+u|fxTOf%O*eT{CDci48 zN7_su+MQ1ucRgVkNWLJ3f_RM>W|r^jxvrA=+NVCi6fq2 ze?j;r4&;TIn+~7?fcVKH+Tb6^Ihs^Y7XHako&wkXL+kv_QvNMTv@iCHtrmHd(J>tQ zON#KY`Pv&Oy~PXx*Up}4G8-mevx8cEzj9W^J#2ZkHc@Fod@i^^_Yu3L*XW`!`D&kK zKLp=J%3Neg7kVY%T}s^Xh{S@C9~&KcNBKM5D5)*AwJCWUPD?JPybDO5qE-)erXG)8Nv04 zD|_!bOg02s(1l630`dhWkK7qNfjoB<|E7|(o2n2D%L{ivF!y^km_EPB8b(tZM27Zw z36NJB<`xF0;m@iNZQ)<(NLMdRZ>_N$m{lJ#tTxcqt+UEDsOc|Pcc^H=53|sbmsOw5 zL~necatt|dpmR!xxu0WZ*3H_EEhR*U*BmNG4dYaFQ2DwuX=M>AvaH;5;5SeYwnLcf zd47~-~VPvD(!KwSHmw1odXOsW$&nHYMnN03cLs}nl%G~ z=cQv3s+fd+2;d*SMBpF|{D6v9wH~bW!>}hkxzlgF3QtK2==SCYL{s?8EelX^w7R^B zYJ)MVv9MUQ%uSf}TzKfMbZiQvPt8KOV{h2lyzLZp zPcH({JsYOIXT_*CZX0id5(3I{#KUH>GwPidqjQKJjOKaGn-Ov!{$T_A(6WqjY zJl9hc0hQ!><@$4QeySKZ+DsGmPzDS5qHuP|=k5>|r`G^%->#}?|s4E-I)rq)? zDFmn?GLbtb%hrwV{3_nhJ{oVFkVWRnd%GQQWj}|-qw$u9_=M8=t>0~2FQ+2cRPr`n zW_q$aSuQ`^4bT9$FJCYYnSPPD5z9mj6lo?T6qC7299hgMn~pDA8?#l08Yfz(;GjO@b1^qj&*3kc1-6q z{;p!qZgQdEEF|w#pK)iGsLcapI;piQAbK13X*;Ea$`*jfuIqu0%mA@qL8_`?F$r!* z3H3$IK`Ywb7rnOuZSkPGo}sRGWC4$NUq-t(q8;}j)5l5XExn7{f{QhDo}3-#exS?9 z@6J8y{#rS?H9IdQ_+7{~GjnMXW{>qW_YE43i1T4FbF7kILe3UqnwP>RXe?RAVglBO zYy?Z@!&-Mf%8DXGv!b8Bzst-+QdH#|h~A$+93H{X01=%i35R?85{TR1hxKR3^9Wn0 zv!CsQ1?96e_Olc)NDo8oa2;5e9%0SDXz6QikyyTQ$ED&1fRJaSq})>3@fNF-{J+tQ z;zI^v6;~!1m$BT|?9?3Y{(^_qm3xu&sBJc1p525X>DcL0d`+l+Br~vzq3=tBz-)37 z(M85)J-ZD&JKSiDXNA0t_-@pHKyFoE=be&W8ah)=2iLgR17%ga%yUz~^%9Eo}{pSI5t`_cHkBa!&4k;XoGGgN=mDSh5wb%$|zVT9o$so>w5nQIe_p(rp=jLa&3t?kTb4N^?Lya z)A?4G;S@CbJaDzT)vEl$kUjLONqYFE3#_f5I^1OHNHO0p8A4#dD-E&2qkyRE=M6lp zoBlzDm|7D_F+USQ4E4Vl%OiyOJ>>@EcYufNF66htqPs{9T9#RvhvbHm*8V8X%tep~ zh5PdAe>6UpyygLUT!h(ELwt7JQ?^AN3mEKzzv%iH;TX%=OH%DuSY=+Jw2x-YN=AXb zQNC5k;^%bo23S6wOjkNLun$N9g?$mu%|*_PKE(lK@o~C}rD*Ia#QBORJ1du>KmfV# z?c!rhWzos1vb5^dgD99jj8kFj;B$<(}>PlI~r5B z@x@rj)MgH|-)js#zd3`5-}fozR%~j;Z{%QZjQ6Cnk-0SYKqT)h?iR)k+L0gr(ir4$ zDNisU*;y7EdhS@maLdI{(Eo;dEUA9j z5N7Ga=|28UCA+Yzym7jwW2Gv%QpFu(*BcE>I>xG(k5zMHRvlDzY(t~BA#!=_REDeH z{S+dlmXD7VX=JO)ve2T-9g9X^4+CtHSu0V&7*y$DpgjCHY~%K)@?{lg>i8Z{ z_#RuvK>1C0^ikX~74Mje-FNAflaa>CcsqRgC{lPUXn5bf0{FEJ20l0j6T8IE+8!=A zz^!f=BHX#SxlAt{(}2&yo(N%!871tT3AoC;i7pV2UKROa7oG?|WJ4i$_bNNVYNdUG=u5RW*enQ1yRY?$U$IAgP&|hRzz?kCa%D7Le-YTB1 zvQHJj759vHyJM5<2P|e~y2pWx;OGvp#pf@IfCt{uU3wo#Dm@3CtKIhI9`3$K+Ufr+ zSURh+43$q}G67~7RLM6`S!<}X%|E|WsI-Aqcvw8i@eiW0@_ualC&xn*7EJ99uRu7j zAw&F?R8SUo_dD%-4DLn9FLJ!_xP}BuVz_Q}vb4cF-S}szpKv{aqZHFX?Oo0{`+who zQl0x};mfVV0~65o7r^UJM>)ggs&lB_b#Il9E!pV&)GF)}Nt>;OCY-!eGo`xPAzQaG7j&39_+l#!b{cF<{8xf?J zc{_gVSSu-zDi6HiSULFwP?a_HvD^b=wgyZwQuE`xW-cZ>d5EiG(@z}Of2%jUcdUDdXq%E2XmoC$1TXO-5D2c9zha5oP z8oBZN9x(8@4EKJ-jT?CZ?3uJg)-lkmtIdzD4PHRDgzUC3cs?6vHYpmg92HymCS{?$ zzy}6&xu3quL;2dT$XN4knO>>?$k`<-A({48>QKoK+#&OpL^?>E5h;%CM(V+nAq_Sj z(R2Ojj)DP5$c&`sAP}b{AQ@1D7V=Tqk45liHlarNVnxB7$o8CjTbIeFz{ckA8Xz8$&g2uF3u0l_Uj%-GO%Re?60F4) zBT!u$`h7p5Biv`vfP6kGSc$jAVLB%G3#xnt)p<~Z1M|;sS)}s57Tkt**P^=TQAa=Q z>L-7R-h*ErH2NP1)QAqBs=%k}s7184p%7i^>;3>@Eox3xM5{h*00G&32zNB1-Hm7) z!O;5W&Fxy}Ad~Wlmfb)s7I~YN-9#*Lm(pm5nA}?#jM!JTf<`MGG?6rRDFLY^fY`x$ zY8H-aNt*e!Ufh)dZD5|LbDm8!<^lt)&hl(_At`X*XADHrx!K7mI1QNwXe`wL)`H1% z(BSe9r2Vv|Pw^+=4SC3=z4i(C8_<1D*~I3JwwD^&!$x}pwOwUx20+3WE+%uL*<+IK zV(l+-dhSi<@+_wm>+GgaSVJeXFBqN6B3X^W(p8%4=;JT6Sfnu^J@%s(*3O#lVC8ej zKLlcMbH73C5gqN}JQpSRLqfU9mSTy|?T=(_a_e+9G7=2CrIsgibCA8(M9tn;$_OApW_`5La#aLKuqDCj}8j4~0Gm4$SR zi}D-@z(^QYRmk0A=?j3e&mUAdp7e|=eGY`k2N2!FwnYdj9|=N~G?3)lUN;YqR4UlE z2HSq{>IqVbxV5Vh84P*54$=gLR~vgo(LtP(_LNH?ti5Rv9kJ&tXv~B1C`41;{kRD| zkiFqGKA)XR>Ewg@x_snsa+baZ6My4r1pJhn(tu~Ek+cRgFmqg*XnAwn9ia&=#T*}d zVjcaI&aQki#qYDv%P`zc(%L5ZhtQxoH?Cj}+Pa6!qxCdVysD{g=MvchqcT5&ch)@a z+}L-|n^1*K-XiDo+NxZBG`9y-FX;sHlHWwXtIvehbqYEkuznSbT5NUG&GLFLchhm8|5fpB+Z##WA7Z1ThzdkC;Q139~L zMUR{H6B7ik!`9E(Y{HK**Fgj6k4n_G4X7?_Ltsmcyc*-l4#p(Kka4z$@JZ89ub5zV z$D`VFkg+k2FUIcxz4HL?zJ|fA(xzga9(WfI|yb zBlpGdw=|AS_9dNXv@(U2zxS2-v5_Q_B6hJ0%os_SaRHn|1<+o*Q304N{)yZ_B6q7w z9--$S^?&PCDXl8yQ7@k+SYpXVd-NmX7~Q!~JVTWaRK~e_p)N+g9~-B_uvaF9Rb^4L z`y?8DbQkjxl|k97Dr*tqIT&SFim;UX462 zFizHSnWjrKX}1O-SXqGBJGbt<5fX)Fwlcw}ylWH;!${ z&?h4{A%yGW8R6(EoX}e;Oivh`_J)dBgE2myt7V&XxE41%r^G`Lj1x$>07fSVw6Qjx z?j1N9KuYVF>gkP7u-OL3 zCg9+DQ_cP_J+oad2{1jqpP(f0_B5`jnn#|0rs%-9?6+ z4^4ZN4&ztJsnk_^I%1)rg`m;S?XmJpU4-Fs{U;}0AhX=>q)BzckN2J)<#h7^Vqk30 z(FO8E?B4($;?q&`o-XCK>;WY3Eb@GBY>uFna*({0Gvz39_4P&+Y|+XOBA3X`wJ%}= zxrn#|y|HJ6cUqtaNG@4pkF-IY##KnfEFd58mjdfl9d@ihvc%mD_u-CYT#yV3Au`m{ zz70oJt_nF5^S!9{ZHJ0x{ti-I-}e?{=Ql(d$e5oYMMJl2RhgU`-t)!=B!*j+ZH)1F zoV`z^JXmeajRc#_tBf%((hj2!Gsb+_;e+tmFb%k@2cxrB&h9+n*?yY-6o?OZ$71o= za_W?~gxuO!@y-$a>Su_&m3I) z1qC<1ed~OFkx?Y9%lT9 z&c6a@lN2#Lj*P{40z}7uZ0w@5$&g35*ghbR3}qHUo%@4Hk^RYx4!fkih~Bqjj6fZVMI6X0He7)^1Y zzzpOPvw;yJkr`zBmflr6s&=ak$vAf}c><-1`~i`Gg6ud};X}C-RP1(x@M)sIyD=+* zeK&%Zl7Y6jZLM;5&?k&^w|92cAm+53g3MpXf-GG|KX9^9;-lPz1V~FV9h?fY=0ZhY zih!}R!4FdO%zTes+GTjmnc)gHgSKrDzS2NGi_@Ig>4-9DD^ysT;Gcn#+{=yZ81KfP zOcxSpf78neO#B)za8FjfX{%uD_A?12yXq}~l~IB!^PQ0(%0HZc2K?f0^(2XGlNQt+ z)63B$j{PWti#ssIy&JI;jkr78m}vPKAGDt~y0;{9KZgXk-?DK5a61E%>@&LB6r5;U z5oLUvt91)w@|~NaZ5w8$8`4Y0hJq@3*VLQqZH8QF4hYMxGH_=VP@Qch`f@&pHZ4fN;iCcP{m5oA(AR z_wdBT#2Ixp(jO+vxu?$qpR-jj)XORbwv77~Va=319 zu>XQ$rpW=*MIS`pp>vvH6Tp`ek3v>LSL=Ug5U}69%VfaCI876aXF7NY#A^Ny$+Oy z6Kor(gFZ6_IJeUr+%lBTvI^qz#n_h=3g?* zDH=iJy=M~k1K`a9U=#vYjTMjuhtfPlU_MsoIOz}E#l_NG@!TvZy)Mm5Jy%9F#Yd=_ibZqlo&7XbS&`Xo~xN5R{hoN+XQVyf7 zwA4`+7#8wo(-jR6{gR7ZYP_rSwvZ1C6U~!wmvSU;dlErfCM^e^uY=g|BrjGUwXKrg zE!q}xs%r{g;4OZe80CnSjstDfWpi<+Vd|% z)Yms{eT3l}^Kl*F+j1^}71g*xM`GJDSjg-M7?)}3zWTH0qEL>wP-hqc9ivcALhdKg z;RA-sT~9+|R|dSiaHPohVD(7l%;5Nc=QfuQitNOBJ^0WvXCMjPz}=Q>bX8j|&bGVU zX?Xi?L6_D)e`xs^Zb`TbJR zkd&Q;&knH^dt-|GA-h&%=+C>9JPdJY>zJ6xP9Sgdy_!HNsyd7p09IZvsB_gRKFQav z0@q>`Aw|#+N#`G6LZDhk=PI;w}jLOP1wZ9ql4e7n{Ndn3q3|4IX|RD}EQzJcYvRDNGAvyA(n zVWE*CDPxeok@gdgvZN9G*4-F!S48epgnRc4m*AsAL)ppory%DTjB;6fMoD?@X%Lbg z%3-RUi=;bIs{0z!hfu&F*NA++OAck456I?&D6OOf!j1-J57&WqPJ@td1D%}q;A@dW zYx$^eKqVbjQG|bJfvoV3FOcDj`un%-M2Ty5<&Sm}EK zn4FYQ{b5_A;l;_P!3F@jW1s34Ha6POr*<`cj`f=`-V#7PZ)LuR=1l-tcu~b2Qr(8E z0T3kT!$R}@zrm$ombn2#b$cd$j`SajbV8TA|Gkz;H`lUB)uB6CL#xnVF4@VX5h{Lb z@%zgOw`!T%nV2JCZ5~(hnPriT}rvVT{5gU ztCaGuhU*lkZe6jHsN~j}>9<|-FZIs2?Z98_?Y-^DU+XQUz@dM0rF6dMn{^36QvCbK z?RA$zEfg9fx7y-g-TlU?^3BHqiNcj_t(!Tiy7Os5qvX~Z|L&Hz`o`a#bn`kePHtXD zzSTW%UFT-YggWH^_CmL=85+Up{|odi9m@{f2KYp(CQTYtH+AaR={K-#=3mm7K5kKo zpZ&g{5g+{%uucBoY*+o?Oqc&}whO6c|DMzSI&1vD*{)M>{r}-?_qRw!CeGZSQ*{EC z=@PrZj5wxx+Kln8RFI?K&|jsfE;o<(_qSF2GM2lb>CY|4oweMf9~K4o_0O0Q09Lheu7N}S zuDn#2H$w`^&hKCyREGBhEdT|ocOWxFILlVHRXr$EiKsnN+ z$TG0o!7rtFIMSy|sgb!GklO1FLXi}Y43e+flg63c8$r!1{tRinQhH!L(kN-EHmzdC zn$#2-FT@-~(Cej?j5NHk;4U0=BaNKl1%FpTR<%ZwC9nhM@g|KTDd2a|$mtT!QJio> zs*;9};xhLJxNb^%0o)6W8_OX(NbN~4wu0p#E$|3NX^s`yxlr2UQ9@N!(lc-~PUg?3 zQ`3VDSnbIO)` z2#zyJc&H@_>X0x2xQ$Rc@hc{{zc)2_3Mwv1^Fv?|p8T_rbF7h|=2Kwfl?t8&lq)4a z8TcU7vcyfYyrxdeD2r8VGBPCFazI5{A8N<6)WFjSNldNM51v3SjtEm{q?QeX=1B>@ zrBZv-6Lbo^J1AJT4{j2C58gv+hVAa`<4|KI1-gMI!|QF!!fr2k5(0-9jVC?SpAP}a z)PK+mqCy?zFWo35J=PfNTmSA^5>yuXR=+hju1{Q^HD6yKp4xr;_*2!4xiR*R#+g3Wi_3Sy*z0J!G4}q)PyV+<(#pm6 z=hU6!F)}j*0~z`kYM#(PXzB{C^0uktcEG(`h5ia{cxx}5?Rx5FGh^n@h*-24V=J=a zIJ8&|Uvh9XdPN0aK2^i6Osq%ZOHYR$`CqVqldIgsfbXb5YWRe~M-Lxt&}0HvR_8zM%`G&^QWe*Hd+&?Y zMBY3Ys{wmt=f6;O{_|cqv=HB#X4MRWIJCR%_Re01?g;febsQ5LZbi}IacV0{>0-rJ z4c4YWr|bed!eTYhEinr{G%PwCc51LDBNJGltm;hoK%1(e7thBzVX?@nNl`-?26{1| z0Y<|W;aY&g7Z=u3Ew0>udqXpUf~q@b+-T|jYSX=Hap^v2>HDAQZ0Y~}5dW7)``eaI z;oP_IMq>f8lHkmnSctcGvHh3>GIj3V2riNf=fdIj-YOKUx&8J2=e^LLBaYteWU8=1 zrHMGy!*Y;SWyM3_TQqbmt11%q-VL82p(C(O!$8fYQKujrtIokVa?l-UJWhjCps65~ z3uV9;Jr+NG@vp5E1U=|RE8QDr`cozDcph5mivyjl^q;F1YNh|Y7yWH3EncqXp4x!_ zwJ_ehNR^ieJ*m?gKizu6l5I7xi8ss`or)^9=tEjth(VQFZWzybA!I7D^o+luoLPZ0 zlMF#U8EfMIVej3eo2c6M;l11JlAUIznY5F3(oX24P1=MukU&BkXlM!vq$fzBg%(;! zp@jl16ev*SRG>gP7bpi2vlKl5{z!U-BGzMAapJ z$wxBplDwFdzrp}OSY)I7x-?et*m%niaCN~gT)GN0(t9BbXl_5p>Fx>03A!LLUCjjh zBvN9nW6bGGvFR_yF>$uYDT7LWAb3vBr>|nRl{|)-8cxS-10nAm=>-xF*Sp`sW9B;Y zD@+GeG`|c^b!&ohSw8S|m_jKo(r842lKQfOLiF5CZf&WRIFc=$aPdJO%Y1bM0IvGli!^Le- z&H`0S(i>kOe&lUk3o1FhwrnV3B%JFRPyJmiaOp~B8R5w?G{ff;t@Zuf?Tl4847%?F z3_kuyRL}#W3#~H6|I0({ndX}k=;?s=7=bJ<0R>(5zQ!(!N2wD2>zY+g9sYv$)uv4$#|n- zXW%))2vwvX675o<}V4) zkRAAAF_QmOG82*J<8V?9>B`VrP5WgQnX!g;j5)tBkg19f#;V!N8X8arw?- za*ltYdN=X&i>m%0MX48=B;b}jaHZ}g_a2f5iVqxt>}(LkHF{lJtT(d^!;$d9Db`n%CRK`eTAv*U>x-FdI89pws|~km)5eL=0_|UV^AIANLxu!;}mn6+;M)caFq~7l1WDw+Yy2c_~ zWeDWRLu2665M`{F0M!m!flc@bKQlcQCzE}sp3Vi<*+YOza^6DRMpTa>|41BGmWB#u zAnPqbga9IU1CM8R&$A)hq|nq6`4FQkARl6tWjR7`9ncBe+bcT`dm=pPD4_mY>CQ|2 z7;7|z;cYFnr!WYpsf7I~Ko&8b?7E134_i`zh6n`dpJn>M*w3QdOUv_@q3pg$7-5@* z*zl870gwr8!_lObiL1NL4>tJ3r}IBY_I6-dHB^b;2mxuJ zcPtV=P|krV$}&J%wYG~eGCo`lq{J}E9;oAV>`A#GN|6HFdW<(Yi%{xG{i8~zl2?)b z0;}1ix^uX7 z2$PJAQ9q>=N^G+cni$y6$59a1s?Le~TV@r%PFm+xhXklFhvc^3L^ZbSa?|?Mq=rwM z`k7+AjLg)wK8&jMCc%kT$Q_&~XN5SJW}Z`Z$($Z)>faC&K2Yql6}diq8;4S~FtB zqqzS?W8Ez>&~^vNuw7e`VYKv^@VK)TVV&uKn4qmy0yxkC86SP`>e&kl?|m$E9?jBl zNbs42#AmG`&I8E33{_~3g*&xK=nqJIm~mpgM$EsC9q#(V58UH0YhZ=<)1!g%#5n=+ z>2#*E4FeM)zeFhEU8tUn0d&hHM9kEy za|CU-aKl2)Y#n3i_*0BwirOaNbpR+aRd5!e)aC*CVDBJgoT*TM8^L7@(R_BmD(>Zbf*4x>XJSs6 z$tQF33p|Jyr7X=MR{K*pueEJLrpvXbgjmjE__}R}XOXxb?`+5giQwtF4J>40lizG5 zA>#Ym;wTVX#U+iO8jcB8Nc64e9%UA)w?;5_K2~_okOizA87uf+o^N2W5wf`X>6{P; zehAliBD0(+{mq(Ee8#)7o8~h?&bc zN%J`t_$MgD%uvI_Fhk$!m%4&ADYS`lX_n!pc_PD=7B0uVY7S!!VKg)4;`o~02vWL@ zh&%4;AL{*C!##pyv*se}m*R(HHCFLXSS-@7w|1)z&s+gVcY}wyWws6s2g-bvIuOZyR6;2h((_`CaUmq+e(8c+WC=a?L$*J7EfX< z`a>*^B0G3BS>-y9+H=SO(%rcanNP{pFEiAV@foqZU~}MbW+MXFfXR1N=Eqd(O1YE? zqa11zFQrA$Sx1>qCP}e0$=cn}P1IW-1m^fLq{Gn{;po&N$H$m|2W+!?3dN& zV2AOnLj3`QEXKhU_s;vleh~EHO6DWaAbPOyIqXU2N?*d+hJpo)cn8Ub*>O1gRTo|%)F&`r$n}eLq#WfcCL15&^in=n~@Q2vg`dTFmQ!w*)kjOvB07d^Ep8aya9V*vL)FxFhQL z{Il;^-W5|>(V4w~)0M`~23@%vPu~jSup=Cm_n7Vpk;`wJ=$TP^E0xg>lT$M;(EO;P zlK}+Pojc-64sGOli}`1f-5ZUDZ_lY1W=jd{c=~7zlTdHo`B=5K)kKysDz6?j^!;)v z8EW|%k<_fi-Kf>^2*wi)Qv>hOAy$>p>zqJT5+OX{=!@GA8TwYl`2Xa}vBvYDWosxW0&!V} zkBf)Qb51lcxB1U_yO?MgkpDFBDb)8OpKBJzSSDfeG2m=6Dw(Bixfv_O#r$S&x}dfX zLywt5Ql!s~2YXgr79!R^a~f7VyZb}g4h2(5iqs$K9B&x{mE`&0+WMklxyi$y!6s%^Kr%#- zVUCpU%r*GLo(^V$AF_U<0f;;lD=Z%(GFE1Bd3zd5BlPptMidRw+!_zhD&!yzI6f{v z1L>*iY)t`x(v#HUXzhfEwgpWAG0q&$vPzw^1qnK#HnmH3@S}xOmVM~P9MT6eonESYl*DB%#AI6D$C{8xVF0l? zG7if8}LS1UjZj7$-~omy)cY<+I<0x z6xR}tGXZUMp3G8`x4pE(uG7ZJ-6H#y#&S5MqOWb9jHC+vg<*V~5Q&}6j?gR-3Qu3_ z#tZlsGSA*fSmVh^?*ke>O$_iZF^W%y>;ZSgHQ*Mql-Pt!{u+Kl*dR#uJz}KEPe)3} z9Q^^UM@F%aE2{2mnLzGX?+}JQs+%7JYTMDgO_=K(f%spcT?RD1D!k#1#C39%ePagLW^FMeu#VMv=B+H|;O8 zG&-Do`&#{(NcHcGQQlj7Os%Kkj7o}N=Q1coGgkp5&W!uO+xRQ1mt3{hM$`z{Lmr&Vz`#gafWEAxtbPW`E4E%s}e%;p`vkN-a7tMp%zOHFR@C zh2k7_o)X6pBKE-|ndArw;d316$g~)&STms#YkAPDl7XUvAcMyYZ8SU&O83)Bry}u^=LKm z%AIk6WTG=4QkEAWp@S}O-poW;YLWTbR9g#b?oInU1}MA_cC)k~skNb#e@0j*E#=n` z)4J8DAQ6c}_}7YK$OiCZReIiR-DjFkMAO?D-5rlJLLtn$MQag%bIBTnTR_hA{;V~K z)JRULhqzBH&IW3ea_k(0$PJn0{OMS+fW0h7Q`yi#75k)P+V{e%LfN-i@#lT*G?prb zp00r*4G-eC)t^xDZJI`Iq;G?a?42+!^&SPj-!shdPzZjlatxyL`Lu;wkoH%OtaMBa z(mqSiGAhgKsBy51$NQ#lc>!hZLNraBR=ZDTDNenpt6{KK7puU%!1lyZz9x%+q=OwA zc8DCMFi*HN-M;)PTZcdjeV#U&vM>eTP`|8UcSRX6tppr!Wd*wU39-V?{@N*0<+_CM z62lYVwt|e*89yLw5^vEd=(_Qmu&2d#O~A8k9AabTni9GBSHZAGRNdI4D>hLN$Ex=# zjQs(j2x2Ia>KEm@-U_Cd)SEnHIhssM&`35lOPwcIA2#T7?NkQ~07!Nh8?v}Hq+S{Z z&YnoTflSi8%yz~yCzNdT45WQvIFY1=p3-r#XKI|| z{ct`pYa>RZ%|B4`l!CX3YX zM_Z~f(U=!TlM#k++mnz=!bh@tjoV5lWNSm{V`|8}Ofh+YhJ?B9m4>jdsOql3HpjFQ z4Jq4{qMfbae)VmG{YQy|xE>f_&m#jU4mymR# zqt=!a%#(SafR_UZP*W=UYCZtk-;(X3w4C@Y^)j+o|EEOO?%ayY^@*Z-OGLHp%k4yc zWmU%mG>$59FT-H%0}QdpqAXZBt(GagdHfMy4qXHUF*wSZgc?7Fy`%JUgWAe6h3qjE8iCjwnIDv!5XbJx~@-h_2;#X34?uP8*pAIg4ZL6}$wVK|N?^Nkn3BPjV?+ zjSIHR3@MIW)VK?FLB;TbIgWhuYIN9Jk?1&rXdZ0rMfP|a1cH}*if}2-uKR;#OnRrVaCXskAsu7Zy3dbCfNPzxw zp6-)D;NVv2Oj2YRd+-qWO@QwC#r#|(^?@cP$MCeq9aXM^(U5H6Oh#nF>31zVz%85= z*X>J;7J2(<%{-%Ctzw^No!_v!_mmyq!%pIRW?8CFqgI`NpEvoB32Hu(%sf5-d2g$| zLy&DFpC6H9jE=Bx0hIA+A;EB=^JOtoNOpXMKucrpunrX$TMnRT372`o1a-y^VUE)m zoa=;KAx+}kUXqF5D7l7l99@Ye-~lI@?%SqRi?Lh7U3Hq$aLXZ6bJt}SlDCwdrqU|} zUgueK;{>l$$Hlw1aY;3?NON4vc1y%I^>>q!)1;nvivBxH>+G>u!!xkQmz`9Q5xll=|Xn z4RM+&J)N}}wk*sAc6)5q8Js~*aoPOCAf}~ZA54Vg7aS`Lz#}*pn-XQN%qL?-OI9}0 zKN3rp*(S+=yS@G;DTlLVA4F_jj_n|%NJFw7{@QdawT53Vme(vq8mmuzGs<#5R)W8| z$~aK{Fknx0YqsQm+9V3d~QC0T1iuVf+*xNuM^da&=q;>{HZ}!+AT_<6e8* zU%riVwa-$`(}T@kITM2l3SNjLCAvs8DHff$h>;-kl?(^_Krq=zs`Mbk;i2?TPqL_K zWl*+xbT}Dj92$tV|EYSnW4dhI&7zCD)71ovhiHiLsPlEr2!Ew@y}#11q%pA7{o z$5$;F`Q_?Aq+T)C?QsdLmG7N-Mg z*hJw%L0@o+y9Ys%-!x!#OYL9>gp={w(W1DX(Yu-v7@{R)yk{d_liEw|jf7n}jX`gm z_Oqs#i>-};HXDhyecz3!k4|q`&6|Z7_GW}8LEg~Zerey^II}=N%CMd)*TFywsz zaR#mv)j<&(cB?Sp=q?6Z|aS!K#J_(R@Z57+*C{(lNYHL0`7D;|v3SReI~n zkA|l(x95`JBO7f)kUbuI{Zz2h)fGnL4!Jm=#`EcXKD}z2jJVJERB^C(8*(j0yn`F; z+zk9Y$PnQ>>-oz20m8NHps~_4a7r3CQ2*mnG(V;@#_(|GO+H1)q@ref;*5`iQ3>uT zQ6r3?N39=%8EYGd!NU(z{BJxj_{-97!r? zj%wepdq2bRYZ&_oYo4ej^Be=wfjVXo_CuZ$nWf3)!E-=zZC*@rXc_klW6ZdqR4$$AP)J=-!4S{BGPHzmwKv`Ar6zq)6 z{gnK0_CpoBkWrrthaD*AxxUZDsMWtyPA@D!yc8#i<(6GYyE+2&y)$v&mKma6w}U0y zy>5iNvupd8^h4yp+CKtUvw{DvAIh2!`{;Q-%D#%aqI?jYDzHf@PYK@{0XrHIq&T)1{0$D*@p-jZ$5OgwMRgr-Z|A`|k=wRU( z!%pHg#&V>GGaXr0A;avAU?ofoD9JGY_rg^CEO*Ro@i0r-*BEtaqLgo2p;D(Mtldje zx932lcZ6*WVhmu?mTW{c-(9@$Q&e@M`8NP)opFAFaZGxJ_9#_>Y&k+_&k#2%Q1{~X z?o-!eif2K7kI8m&nA5Nktgfinf>q36^_S}G?uZ^oSE|>sX{@x$w>3}$ zW|ysfITl)%>pu<0#;WIWwEo#7U?N_|;C^iyz8~+$8vU$r;2*wEsL(?P^tN~4F?_6; zPQ(Kb+Y)5Bz!&3w1gfkcm==Yv)@}oD!4>m5H7*wy;GWgJt2ELW-fisfGRX5GQRN(8 z$EzQohjhnbm&*GvQ+J0es<ZaQxC4i zQs1XM3KLsu5oK^$qlvBp8(8`ih4?#-Z7JqonD#+#m)O0K3L@UiM+-fC2Z+x3YX~$i zR5jMq6fD@iE|8fKk)^zcyM*tHlTt%`qdM0$jUGN6ZmWpS|atF+C7pCprw{*m|l>@ z{6-JQEo7SQxQOW60XZIJ$fTq6VGNEjO_Y^jV~PCQMC&B=!wO@$ij1&Dz_v^Gik8{K zMUa`spZe0thD3IWIwO|RURw!XFN4x^l3Nce+&QrGo%pPgoy9adl$d10yR6!YrcZ%2 zS}eBrWZrRc+-r>?!^4R)| zQ~PcdaAVi2%-xwit3(xJJvc5HqR6Y~BAh9x;@Kl>*1pN5GWY4nFr>cvEA>|c^y67N z3w$S#oTXt_;so{Feq@YgHp8sWa`l3J=bi|@j(N*+M@Ng?BlyF3hjbE5{z%vXFV}V| zG`l0%=fl~vrUpq+tJ|W$gN=t)t)fQhecw{u8{t&Pu^K<6dSY{SM?z-44tbV=NKf@V z^;2vXFiZZ*HYrIixHb9po=-G^$i`~hFeFaPvLdyhpsTsKy0vtj@FpkmH2~9Co`Iy- zQI)v~^ki`X^AULi-{5PkC$!Ipn@CF=X>(W+I76>}Mt0%S6ChEvA!@M>F5%6?!k<y804hYngIkVlGQCDt0i~r$ z+4>rps4i!mgYzW|Ql{sbTCY4oq{4Bg1$c|Uk*Mh=E>e?39Z&S_oQQL%SsX`e*odHxx4#~%C?d0 z6a_n8vu_lZI=X9rl#ceLajD0uVjIsw=&YA#rejloKCR&q?=%S6covX2&1Ooz<9dQI zk7I;hSxXS<=QtW_g?TBZL9fK(ymql*;4tU=))y zT*U~kdTcAj*a2ifw%ul$K>!Hn7>=okg>(b?Hu+v=aXC2EAd2$ekiT0(MgW-WZ=gav z;Ct?+LB#ti96-1={``zD#0hsR}RrmK7yAtFr@m|oS5B%fff4%?f zbExV6Jaq4N|8?wtyU&S}{#7scZtdQM{&i#jY>0pV&_9~A>tKAarn-LMf0T8vb^o&y zz-M=pGWVd>A{-#{|mJFp)X$iM`~Ia z^x|nV>hFPFFYSUVnoj=jnEM}NDOnH?bS1Z$UL4#Gmg2DIVcj3Gb)!IkTu z=;L5@0qMc$1K{9F_X>M7vDW&T9bu4p7-lNO0gY(WdcH&KKr!AFJ%xK*IO#jhkU zdsiWo3`GIQAzs;qTm~oOa6^u82kDvKWK{MYL}I+t(LLdD+u#t>6=_FlJmuZ5`fG{> zF$wN6y!dC=?vQ)TDp|WjsKz-H-NS_g=OtB3NAE$HrAd;OMq}54-gFhjGwG?UXjEnJ z&r9s0p#bukiVD-%lz+jGD=dc8N+B|RN)UJKDUSl8ks6B*BR?M&%0pn2k zBnOs|-zU~}fs1$212RkUWVo4BazB%TOiT(O4rY4_Ac{E|S!z3&R1j5+28w;gP;v^P zSZ1yyL2QaT_^rYM@R-dZJD5}y$K)FHv^(9x#G@o8o=oL82!n+R`_Dq8!A6IYaV@p9 z)L&oqL~CtBJDD7;Y>j(8d_S;22qJ_@qQxFo@#)dWeFyM3Kn+n%oD!P83r0Kx=K`y2 z)ANCYT#yqfnNtTc=yrIX0Pl`jl94hv&yWYWB*L8yH5l)4U!?X80s`!#y70nF9G5~4 z&Y+pl6;e+CB#6e^kDsLw%iJx^qX`FQx1E6CJN~?3h2sh2TpQ~D9Ckr9jwjJs0%{Jp z`7FT_v%Yx*j^sxgOrA5?(fI*>1}DI6_`)0l))vZ5#~Y5~o^(H+h^BR}1N|kdg{0VH zaTVz8;upFw#Q8!cA1Mu_(IDvVGvf{L)b+ZfGUx}7cA1f^Wv}QS`ehJM z+_bA{jyneRU`b(zfBrF zH^c&dHQzxO!k+ww(5;djYin=1{%8-r7?%`)jC~ z&&Ai8GihuV>}3)HVgob^{+FrIDoz3V_(V9zl|I5nPWB_CRnDgZ{anX4wHsQO*L_-XDCn+bg{So` ztTJfnwB^j`c*XrD83o;3{bcyT zYUvU0lL(u^=NNdXt;xAQ)N{NcAjW{;WuXEhzoV7e17PlJT_~nB%8D&IFqdWqBHzMgqBR7ItAqJ`1H3g9nHtD4oth&l!ZMO% zxI>H}nFK-9LHLmpkq{$zzYGQ0GRHn-?SW@dmoPy$T212YWq;#QjivtL4ZF6YNr(lexywHx?nw4a6hCLLU^Js#aS%q*YF~FcU={- z-{ShU6mc9$C;>N7B7cM*CS3qlt|V<1wU!nAfFR!~b+P__zOAx3vsu|Nh>P;|azAJu zC#O97l$=Y#{WLGc06~vejWnawE+?!oc(qt@jWir(qF{7zTpiJaJEN+vs|;!OQCL=t zyBRJAAA|TI!|KOSAzBJCV+Fm0Q=n^Gx>l_z2lr_jm3Wh_5M4WiM=)1#Kl&K%WWX-M zN4R`rUew_>8o=P{BV%f}wf8H|Kl_&7U06^YL;bgsgc$q?jjIJ2YJHlLs_OdF2=9EP zJ{u0;68%g-8`hnGBZD9+RyVrj^I!weMDsxf;q(&~R(1JQ)Z7afW<8B`l`P#B7%TO> zwwOyJ)6!E(g#Kj(lV;E1)>(3up6{H7P{TLU-MrquZO-Bl%6Fb}9tfd=`6*@N@7%$L zysV!1pn%1e-Nd-3j9xgqfVp75LUlSu!RUCe{{d<|dzr9SzabQNbf#Dn0a_&JY|64? z#952l(VnYfyKbbCbKr;eJx9ltjSo#{m}F;8sGV)y+8|g~MOOvbADEV&`>MflW_khl zZ|UZqW_Sggcnvi*>;(jf3GAFq%X~zu+$=cgN3%K|H9x8}m`&k8E`9q&F~NSGq!^0W z>vB9(dI|THp5J%SdY04RM?4p6i-^#9oYvuNZYzo9Yj7f8eT#=6f#o%oe*)3h&BtSJ zRcSX+eq&&fr46-yrxO+8pW13lKX&y&Qjvc@9_M`p`0ERo+f2xE0)+j9KBifw9)iYh z^KJ3%r3U|1`-4mZ`y-1gj2EK?jTC{k{!5%2+qk&e0gR(UL#I(S)LI1BucAYzis47u z6Pgn_t$hLGg|jMAYq;eg-m^(JMUk!pk&DK;{8-UkcMO5U@PpXHT=W&j=dbw;JmzUK`i}k38;)g|iP+p>!wN z2G2VCDv~6;k~ISbA|WRT3(i||lAB@I9aiR@;%C{dWDTDLtB{f8llzIle~iyikxrpH zwm_kKDn?TjE>!~xCILoQr`aYqZNr_x!2;`m1!?vxvLPTVU<>3+?YW7!pT9%YI0ndr4rHD|q!J(@Q#}8=SO1z8Hbl}cS zd^-%?4{lZBe&hywigNrOxwI7qtbBf^}L4-iSAPwCq=`g7Fw0TRq~X7l?( zn#n-x8-8hisbnw`(hrxD5;~a<787+T;p9`uc&H)$TFwFTG?set+Orm+zi5f0k;K&6}WfZO2(+4 zr68iNMuC|!H}cyFaW|{N3lfm~WWzE%kQv>|TD$Rc#IfX;^B0&gO#gi|tV@BYK3y8uoX5(d(*Fd_ z^kAq@i%{V1cuPgB{)!UofhZ3PCbT}#51v_%u$D?|#< zaz6wT&u$Qt`4@yBKkQ+X7|&9LN2$3EvP!1%nY} zWdzayCv7SXL~$C8Ozu9V+oA9rYJRBmviotmz-{9$fNAv;27!-AnA0zu*9J{7C;r)X z0|!PMOjUNer|^>TEv5cv=Il9a1-?s#&>ONNL94#`WysfEtG*NNT!Wh8rS5A-nR;DnGCew?<*nTNHDitjcIr=z5B{T-Dk*>%keh^cu#W`u;D#lhQYBZ)^u z_Li!7D;yhOD@SM3U?~^Mag6aTx#e*=(4<#>$$4hEnnFAsm~Z~dy^HXzNtUs44XLX=ctGcdNRr7QBHXqSmIN|> zx7Je8y8_v2fpJ|(tWC#{b7vfS#Gl5|{7UC#z%-V`g>d6ZX3>BUega<6{3jXF@JLfr z^VfJV)<_>WOp$(QIEOc$AK1`ry#hF?)(o2v0tqjMo6yNSSiDGoRf8)u9b9XHdA=G8 z9dFd$-&{^kn|AIQdj4%*vbWYpQnT)paKidRA;qm9p9`~suh_zy!B8fXx4=UW&pbX? zXQNJ#y*3k}*o?s6el`=p|FJ{Ij8urZ~}%XZJv6pSf-5XoPS z{0IL8__t$&j=3(!(qFUyU0=E9X^QFc1O}ra!Dt0|a=xKIel7cpg+j3i$>NV8S=6{= zSf2RMu@GgSPmYDE2F16@qDG8sBQX;mY72{-^+{VdvRJi5p0Huq5}K57gwC?4j3KdE&8w-7@an3{|=1RvG7ssgYTd1<#~QT`!T z!WWLJC7R+%2T63dS)J|Cv6N*3%oAQ{jBwM z-TWUrU+=zHrau+GEGlcUv?6}vO8x3y=T;`H--djN8*{UKhAm^3_>A{YJ?=}|H9sUf z`Qb^u6sA4fW+=@29-DE>{6xyRRXv_M_Hbs(GjBaZq6YPPjDnwYz6NozgJs*!arEI;E-|%{%qXwZcvs;;O^^$kO`T{HQ>aT~l1K-QHF_$<(q%*=yfn&FJbQ z=U4TZ*2bU6t?jVC-{ZG;Jbq7Idd1ekzkWD9x{RxBYlt3u>a#Xf|7G3rviY~Ky+3v_ zS-yGPQm$xQV1=}0Tls41g>B;(tamRTIU%Yr@#2Kdg_Rd8wpBcOvGM`yVc*1E2L}2K zLo2=?mif#|xK|o~Q1CqI6`tDSP-$WJAz zr`wH}r%pUuw4=KJmF1&rUc7N~^t8U8WWJBmo0cl>+iea4BO%;aYd?sNUaneTX#uFQI`@cQPu_XAsZ z&c0mx{?0icUmG7bxAT_%qq&PWjNBFZ`Oa>Grhl<#@BQ=a2UdiKd~@rQ(fWN=ts^DX zFV{+@j2Y9Ab>EjqM!q@rySC^D2i0~=RF&?rPFM|8JwI+w`Qhxyv3-B4o6~*aFJC_2 zebL=tetxiY@)J0|`)*nCL*3t04*7%-?c8|2kC2#IrIfafE2Gk451)SOs%lWF@>oN( z;(JfXWE3@Fm^?h66vrtYUwpFkwRod^8JC?VHHO@d%w+k6@vDbu%2o!J=TCY;S~0H0 zlea=P?@p^NewBC7O4*IYr(I!GdN}5b+nY+dIj)=_d3y1gJUzqp(l;6IpR135z}i^8 z%KYS=sMU85KXy`Ud1afh#`;FuBjft4OOo?;jl)~D;9~Nz2-%J42?O-+6sp#xe+6&< zyt8y=#J9q^k7!qo+dYR8)@S^BCt-v8ndHwl3@R$x-8@*oJyGvUzSzET?5PtI_`Fw+ zw}(tG?fh)hFt6#_X87HviT7`Axj;q~`Ifjp_$Ks31Pr7lEjjnk`LyNR+rvA%;m>+$ zw*ce#@!UNbQR>mfKg~4gON?~&3@yhr1Aa#<`IgU8sxSsteH|XZB9*)uxiAN zx(Wi%-oVtE6)>IelJTGXlTHYJzT01?$B?d*;Ny0GGl+zN#RHRo9)tJ)*zqyr5DRhe5skV~zVKkyr54;GYI4i~jyf%-`Ha z!4DRPj`^#yLi?f(Lq?;-b762e@!XbV5{43Sn9R5whoMJFj7&qYlE%ok7_c%0*yJ`0 ziAAXCP%4MRR5(*#?FVrdg9`O%I^>~Psl-i(41^*R35zi(pu9&-WB~F(d0U2%Fq|VB zy%C-q!EaPI9jd}W5@sT$GLJx%WLiqFyyh?jk4+))>pl`DLmQYZ+2uzuFGR>s;U>~s zmZ@jVw3p0>aFQ$_!(mj3{A38D6P3yW_(A%MDhzHzh7ZPt!F766$i#g_A%6hZAtYsU zG5k+*I8J^_-r@`1`NP3mGH$pQY|DQUmH7u%OuyHX-*nUbM2z2m3@v#-Jp2byS+F95 zfB#D@|JN2?jQOHmV8ucZs?0=iRkE7{NH;ksAy8-^Xl)hzkAeSDj65+O&Ita+WkP#z z2;b5jUM7XwdJk4LCMHg~N}* z)3G?LLMkFd0#V7~J?=##K>}4Smwpc=A$SBKDisd>JqqOhlJemSyWNbq8AG%vk_?Os zg@QoW{CDaf5~{)!3X2F`lzFIm@#d+EHy^^GvO|YCC8bJuw}Ge=r)EBL5sqh`+ejmD zSQMOh=8DAdggHExj(QDN1zSZ58uO~Dk$W=ON1&nXTJ9wj*uO?O(IY=R?0R{ zB}y75JG7YL$ux9`tin}MQ=zELbL2_cxsA|kH$>p(uFE*I_|W0ShpM}-2N^&4CfLpj z!H&XILX6CxTk+Qv_q1HIB+Pj3I<)ggpLezM|MS}YuMPd})^7Y0@BfwdA`RruoNzA=%L{Qq4%lEM8~5%CZSX==@Ax2XH!~pR-yF^klNh9$N082N zk1veR1-5yxoqO}SGMkCU6jXv{9iOZJtj;EW_?I4oDLz>Bfyg z-g$Zsc;{>LD=x?~d-Hw&K|Bwd9efw@JhFL!!K`dK67&C3>!@e;<#ieOS+S%w4>XHI z39^}-w5|98>LVFAn^jK@2PSfRQJ=b~^x35oksUmdZ+oYO2yrrp>8qiD8pO@qPD?RV z?ytMh_dwSP`Xfd6V&I22f^@=4Y&w6EQd`WA&?UW5AL zT{qS^cB0cgnQ^?e;!(!xcmO2^Ny6{J4!mnZK(am#LAs;xE{HLh!nl`Fx@8JDi7J{z z;6nqTQu+{?)mk|at$hPd2)4KLy)bCsina6yfDrTjA%<`E$sOZDL3ua;56<#X-6^@F zJXB`wEe>_80?7r-vvS8Qcy@D~-^t^=D0)V0L}{sr5d!_V@bWKE>#=67>8SN7OCRJ| zj%{Z{Y#lgnfYr|BpfujtxQa14rlH~{otx5^EnkEmloXFL7t!W1 z6eK|{4~FnBf~3K-Loxd=*X>TJzzXk4!Gb!glf`eAPY5IGonc-9ruWSEpq(p( z-t$(-1QXDp&BptwLP&J<$J>7rQc48Oe}ei7;gz+h#DhS;G9Ug8!TbTopwK_QL;QCj zv39ulk7~T68qZjW{+NfC%)=!M5s;+*u>zN^z@W+!6{1s*Hg+WR}tV`HOc^TI)cr7x*r{!&&}EHjzc~?9VK= z5I^n}6U4~?HjZ5yjxl%O){7`Dy^n4JIKw9Q00LLRf%*vHw%lNs7gs8SXcPR*zAz%@IO&_AE^C!v%;dm3E+=c`>?l>U<{LI7aRekeiyX zDmB|FZD3=Se*s5cfs7MYP`Wd?DXxO>;yxaQwjdlp6xqE(IKR6G1rG;Z2SF?D7r&WF zXlVk)di5EGS({&uY|W^s9K?({Iu(wRa<)>=b#(FJ+44h=HWlnfSN4D|=|}~gj-6Qw z#6OCx#lIiDNT;|@Vcp-1c>{%AhkLQNSWq#+#XJx^tex@~ zao#*)GXf`X!*H3^NrnoOl_0S*g*h(pM^_rhX$%+e8X;MDiQFglEl%(}fcrAv&YKP# z!uE4y`oS~eEWu3+$ZY>`kmIb)ZDa%8#TCl`!`{C~H&L~1!1&&2hGwUkX?EI4JE55- zp-D;F49&Djn?MUGw9r5c3AE4xl@tmTTA<}vghIiBpnx0&1f-k<1QZk%1+*$4Dkvx@ zp7D%|ii+Y1zdIm`@8k2lzQ6VRGiywriF4b<6&n9k3qjU?E-8=msTirPh-2*7Zbe7AE87!7Knwkiu>0~;WOt|(*;Is_hweJ&T)RV0m`6=cBc0tzOzh(JQMqycD8M^;^wfHB z7xnJB7OC=UFihH;xA5%^ixP>UK9LveN4wa-_XHZ$I~9Js>_r8T=RMqX47qi% zYR!UCmn(ejc!*j)Oa{QThF)mTdF0wu&{e#^;x9rUz$`#^?Ysay_2m=c#=zO{5%j$` zqOgneUqN{%ruiS8d6%u5T0RWRIn>wxo^CrUuVljS;DCORRwxiE_Ul^*FD0bY{`Ini z>SKVS^TL-%F52tsjL06S^i+aw^zJ{#>i;;1r&n(+HniNN3P4^Y&Vu02)BT9 zy{zv*$v5&;Blx<7B2ShA@;@athH$fiC0`?AYC0Q1Y|MQcd^VOcooAN<015c^K-wej zP9`f3JyktQ$gI1CPens5Ct2_ng!RpanZbG^ef>a*u8>I8NN4E?_#_`BliA2yqKbxv z#RK#0uiTTIa6tF4iLbN0t7d*~-fVofE)CwsZSoOBhZPLvUly(aoYiRvP;5L(28Z57 z;L7C7ggeJvjuM+sj$22gwOFNcsR(JRA@Fi6sJ)r(2<=pSccOAEGlXvx!|FG})9fvPr>|7WRRz9EhmO z`sNrzorZKT*$%YoQwo8|8b6JGsEaMEV@MCMx0`&AGko8z2aFxXZ(?1n;PBs>_W`rY z86SSSx}$Nl)SoG=MTb^6irSl(pdp4QV+^_RbvuL~EO%4j^gI^p|4b0%&Yc!z@**3g z%f*RlYkt5jLZ?g5kIX>2UE1>oez-JZ!T|GiH7#0 zF>OzxP}w-8MM%(j`TU7Ge|@-YjW&Fa>%=R=L!@L?h0v(i6SP8SK zyM*NU1}k0n664aLxU}JZ7S3ZQf0fx|yy~j5J!`GD(Z?az_$}ILO_g~f--)RV#K+NW zTa~7?l#a394gDenQ`0x4LvXL$L;NNDbl_{y5gZ@J%c~%ZjK;Jo(3eBY%)!?0rTJ08 zZrrcQ#uw}!`=MYL+ySp57v&cXK{xnEwocB!w;fKgT%pov6wH^+5d@@QFFZ5<1?2By zE`fBZnJRLG8?S-jjehx^5!Vo*K$N>6%boFj?%rKwh-Gm+F?my@caW}DBa9HNfVgRE zH0b81308M1gvi#C{&Mu5kViT!m8axFd5*k|k5*3QD6LyhbhjGY*C zJ@E(4fwm*xc$P&Q%gBcWA0CK;--OGQAH?bRsYNkXTGGz2(@AcTG)m81te5<%v}M=} z&qc|%#Pf@xd($l2GVQNpD!U>_ZtRKas@+!Pd?v!A z3tYQ=!ze@+;uRq6qh-;!p%wW%vHjgsr}RXu#Q5mkoh$L2#pv_^lzYJwLo3$DiF^(@ zf!xmRjblV@2f9dFjss3)oF#iy6(i$pV-v{iimuo*AgW|5Fa%>;N1Z%_kxv`sV@Q6_ zS#cFpt4md}69R*E88J(}qCJLuB$vk(PKpwP0^|YTLexMk%#VV40%7dEjgx?9pri=T zaU&oko3bNn*?2?`Ku)+Fn`3CFiftJ3jj0SP6#J3BPP(Ks&l^0b;{!jXVQw zo1yd$pv_IMqmqv3vs8TaenhU=4?)$7F~6v693y-~ihy~JS^VVy#15!hiD7p|bLVY> z5n1>Snj_%#pLwh-_mo;(oFab}jdB(oBej-g@wOB3r&dt2u*Nnuv+O>s%VOyy&-8Y% zTbhhuA+5uPZ2A&W8NbdOst9dBfZ9X)A@9yq zys92;n~FJrhuNu@zremj*)`2%A96K4q715BjgBeVNUoXkcoCwVm^VXZX!@6mdCSn* zGKB28T|JKiHJvOIm>MDez}KLVFQ|b2^<@XYx@j`@y_{oDcX_8L*`1o7Q7jjNoD(bq;UJLu@Ud`}}Pn z8g?9n1wTIzP-B`NM#49tN73_*DAWtBovYxx*r)Nak_Jx)^wO56e}kYW=9|wN(aFwe zaSJ{<2)(1hp;~lRz-I;QYhxV6Cd*ekaj8mwneqp1=|oyV?VnWMs}cw3bap)*WJr#s zl>ke49pVe57QAOVqAlj-$~95?PvW>u@toD>2*iv1L>tE&)*5j~ zZkAQo$4qvKZ|iA$xwA!lO%JTwdwJgA9g{ zH+H}a~9hj+U~iB4b}+B9!cpRY3!OiW$5em&$9)BHGdnDzmGj|x2`z} zcF`{2N+)G2ugK5F+D>WnM14r909J9iBX)hEW3&*^VR)gF&)l9n(W$=K{K0xRJy!6m zeWQFA(r-1AbGXuQIH^8WI4i~{K%dx)^m7e{Q)zgiO>2aebT*=&LwfP&>>X%a=>qv_ zM4P15i0{$(Bu$0NCe3Vf7!2}@QTRbLu5v2y7|OZWc!P_&i;knzS`Rpo=%$h(;Sqk{x|JfRD@5uBXSOl)Gb{8}^~{K5cnUYcIYHqTV2L zlD=UU0nn=XKFeMUPKMsmyoEOc)$aV}wdUi-w=VT`WtR{6$Utv{Itb4)sp0WJBs`IZ zxZy0B1ttsEq`X(71gq{P4cHz0JtNGr)5TOEM+SIFOMSwerHEhGcp}sn(f9W~1j=oA zD_ZQ?8fADThSd5;i}xACGbzO2ueRJ1W4>BH1|WL(lp@144V)`A|5o>0UR$>J=bE9m zM}3V$=(hkHPG3P;mRb#&AX!lzpx(8l1H!^$d^~TYf>U>$-hlX-u3hY{Gp`DhEN25k zoI~p{F9T?nvnnpZek6D1ar3G+3zOvNpCZ^J zn9$L}S$rj^nFna3eE2p&%4t`?j-JP_YfdxT&iBZT7VproJ^1DMbx2&KVeM5i)^%0k z2{d0=4am1^004t`_|_rI-5SV-30ByHmh~FG1OK%7oKWkU4hRKpd8;ArDO`z`|p>i;_0k8ik-GbXMsZnaJmr4M5y} z9jbKh_s4Nd)I-1ZbWobxu$9qEsi+{^qDb`*ue37(f#=F`|jy;815s$j!Q%s=6D zwomCEW*!h$&i1}t1bs@wq)LEzg#$8jjVv}|XN&PPs{o{@l~^{aqy=$p z(|N(OU)46=vR?(jwFYY}2y&%u8NYr!%CS_bY(#Ia70NvAaoZZc-m_S7%Xyrp$~%y8q3&~)t~H)IEWPzYrfyISUjZq>z`Wct&;Ks}06!mqA|FJq zV+A2T983mve-t(V5JesA#G57{daFMly;jGBUvwCqj%=;|c^z4_v=-ES!yX4o3&+9& zV_ByIOO`$?$u87f2C4j)ZwFxCa0#GP<$WLT{~3%j=C9?qV!{MeUYKt$$4V1XIHAgp zU?&7RANLBM{}q^2_b(3v{BS4($q?Wl3zNoyxPr&+wU$K$1Ae3Ri0%z3FdbPolFBR~ zp1_u!gmH4yb<$76;2a}*yO&Hs=6k|t@biKR_t&3O2M?lb!%mGYORL*KAig)5vS-pP?q@Abr+KKpsior7 zE6n}*E(PtkEn+fjUW|TntA9;;kc+!m2R&;$vQ62$hV{V4XoYqh$=q~ z)nB4Q-Uj4PGgkvTf)sMqKgFAkZKMoajhe?za;KenkVGCbaau*7eM9!P9B9p-%XU?Bl!ynSkA#PJp%^gYf zSrx9I3pVHd9Oe3oDG`PW^?a52OV=DBS;+K!EO@)w#01#3CkmpYF4fW3Wu6u= z{uDXaTdeP1t}j~UJ`_y07vwRDpoO>#k16qBzPDcvs`$R1Uzh{mSr6CGBGSwc*+I~q ze*+!~SNCeRejMp>xhtp~xrp{M-+?lnE(afLXy8Z>b4Rh6_eink6tPpD_*@(?FHj3o zd)lM=EaUjRhmaIKJGSgnG&Uq-t-3io~V1OCxdfV?9xUeyb^VnxJb z{D==7*Vlb+JPm=OlamR4WFT@>i6y-mFKc^(yv9<$-E2QYU1W5i0e>)j)1`FDX zCX!6+YI}uEQgd5W)k-`Q;KXgR7J|9M*<@gY2icq&rl$2HqtBrR6*;gDdB=LTION5s z5|pl)NU#n)!akil+1%M`hiMX2gwWD<(2wPc4H5fOB}CCa(i}ovhK{vdiEVvHijBi> z2U3cviq+zNLJpMFMCVB{=BK1tD1Ub}zn|Nva(@f+jx&^Gr6`D~@Mr_+oVq zJHzDxDP(&;1dq|1Y|T{LtTCQtupq7~K++5)vKaUQ;^i2+oCf5NMF}fBh57t|JP#HN zG^C#|sPMe1F?f@p20@5}04e}|KytA9wsf%rydFgrkV10CFy396^I9g+Kdpfo{bYoR?wr8)>5E=lF zs9rb_+1Oam1VwW+9SP7w&0Q@WVx`v=D^0nbm*&$8Qlp~sNtGuG8(Tj*12ujNIR?b$ zH6X`D_3?8^mfz61@?q|DOPf*YD{HpW*-bwwTK2i}g_X1`RCcD<_xPE_gx*;RH|X8S<+qEl!aQlZwn)7 z3KqcnR}@z{4cl5(wr$+ZN1A&nUsCCFXiyC{s=cXPSVa@Xjg-`TI<(_Q32N}49FF%c zHBNK%Oc9T#k%73IOaEgA_=TPWD@j8!!sE!as{;``uwfiJJOYum!WKcz&6q?)DFv6_ zb+raNYf4U_wId?tX1?Fm=Mei`#Ryc9fb5;#@Zv)s82YP8UwI>74dZk1^?QhH00#iO z=F_caal9ZkN1cCxPn7$Jr`Ca-``Y%ZEysub_?BaizU9_J=;d!>TV;j#JxemceGnUH z0B;H3bL%bKYur*l`;@D-BsPkiAw%cv!hnF^7Yq-9Ta{zL{*o`Z;k|Etw9GZf`77** zenZ?dv60E~3s*KxlfF}scPkPZ&vqm&NBs5@FXkWgBt=WGU%3N14WBJ%D#>l^eU5`^ z(*bh3xbQYaXFzfR<-uDB&JDg`j-&tx+zQb26Xg4mQ^WTNbiy=80syrx7+BZKhM<`X zFU^KF-6hRdu$!ezQTAiBR(7I>9!P#Bs$OMzK&aO&eVyQCFeMZh?oxjVF31gZM{957 zFbr$YeXrvtCv)|2bqC1~?sXM!bQHzw2gh3u^IQ*#Qz1*KP+G@;8>;y|qs7=8Pt&c4 zCk^FYb|e}GrDL1pWr5T%*{;W6xuhR)j}cuk2G3x6aQ)*AoAL+_Ohv{#@R7WxEKby8 zwV0~iy`A{wLFtY0IEQxy*TRc3sG z>nflDKZbU~VVeJIOKhC{1om$fJH{D$>+M4fEvnM0m3LLvDuPn}r_O*68SjxT*pcTG zvpKSu`#@#c6Dw~=oG+d?TnZ64*Ev2sBlxgqdaRVI*wK!7gv7k1dif0n{p!?nE<50< z19^sP6nLejzE}d^bRv`6tf9{>7)I;oyrTe#Jk9o~Ar=ToYhy#<5 zv+3=rQWMIZz{k)@Yp`Bj2e0(n6*8b^DT3$*mEVfB9Rp-7$1%0;4VmQ z>W|j~710PZb3Yh66123gAL)_ALcE1A?MM`rVt1eMTd7eY^YXeI_ zYPZ7fC^$fJM7hsyYes8(qNc@&y|RyI+}6B>(Q~f-U2*1GTUx3dQO=zJRp0a#s@#qa z^%T{hrg#fjb=i6}W=JM<>VI@u9=$YF|K-GLDBc@;ThJ4;!6O zO+bu#9O~K0TIM zcXG-U#mUpC2_9#bt1$U6lKiwO7LwboC3we_254G0{uNFOf62!C{iNn~D5eZsnv5qN~3f3Apftuii$=n-#V3;LX zel+Sj>&Pu~zeHiFu3sX}Fr;dU%g{HGu(ni#Ji#Hlb;QbD(bL{sPrH64Pm;Jd9W+VI z5QssZug?R!|w1W!U8g^)R01Pa3mXI>; zuJ&}Cryx;YXoeIVp||HT>|=y;<&Ia=3Nv|mpTfmfz~=QCc?np=9e0@_+0Xc(=S;_n zY0h9NbXsf0^N61wv6pY2_Zq5zr~&^Yu(~rkbA0Jy&qf?LZ)wbQG~34%VZOo>z=k6h zyVRJ>ERqHod<&xr=XFO}#V1LCyS*b=)LBfOF4ZThY@!_@A4aO65Tv#A2nYWxUVGIJ_-s(<-! z_AF8wwEBBnKIw+jbRTz<=Jn?e#h9D1!_hGn0u1~e>l^SyKFAgJG6r1_oZBm&QPY+5 zxc?h6#U|Z}s!pVm^mA|G%aae_417#~XD->wPu>4G)Pzm~MA>g~FX>BU88w_V&FhV5 z8E50r0OxYU@SGEOumNdswD@jkaQ{yiAGPOOY~~4P-nNA}>Z7xCUKK5%x45VrjqN@7 z{)K(%nhTC?$yPTVCd>~(oXQFW;0HNiPHcirWC3nOGo6D(gO<*=Gv*3v&2MmxO@$H#9U4IW*(EK59guMNw@AC^S8VBj@ouoUdYCZ?* z%GqcDg*G(A2;Hhf=E<}h-d56xg-lERYOwfy727%nr8}F8&jp8(CDLqMbC4vOtHk|r z7g-{hm-}CnHle!opk7#L)zY5i7HTbjZO3FJ+p>n?%Y1(@oCJq4!^|0U1ms8_;(d;H zi44nR^8Q0(C;V#j5f{ zQd9G%Z@0i(O7Wiwq(q_={BOax9xy8c{!gfl{}y)FoZd$*dEX)~(MOYnZ+yd%F2x5F zulM5a^}X%!p1D&T&&)R8E#!>61-Yh?slrkD0Cr6W6EP#hEVr z;m~}bfs;-^dR&@Y2LtNL}^W;LHLlue#qf3JQ+ zF#lP=jc+xy%>(5Fcv%3e_lxp7s^zv?>=n}U_C@Bv8o4uaB~=%-O|2|MLPY_1J*R+P zT7fsBZq6weACybg=8>1CU+h53Z96h9;Rt@B<($g1n|Bq`5cLApREzdfwU`gs1cCf0 z8WPf|(;J+L@DJ7?%@Gg46he+y_)r}YL^D7Y8y3Whi{ofN5-=B11N{!H*ITJUJV>DA zo-PbUxR}rj1#q+@TH-MX<6$5*Ae?t3` z-twB{#+Utvs0;rhuVoDhBCHJs`~=4i)yx>%c6VfXfKfsp0C%(P>@IN&M+@X%5A7{- zZ3ah+*rummIx*ka&h}I7-X^&C+RBtaZkXtSRcX@7ea_{FoFz{nDF@N+w$8BdkPSQg zW5D0>tzXZjlg1f39kFyIOGh($qpf5TAt{YWXOE*B?7PBi@p#+oEd8!gkME7ha;|Sy zl(>0;clqQeaHZ}0IA*y{B;2&tX6^Bf7C zQ@KXc(3~S!8ik;5*pdf=bxK;T0B#%i0LXL2_D|<@N2LX!;mG_sda(HC)#F5 z<~x{db1&m9pi$O8RQ{5_P-S>K33o9Unr+!}EeitPewajVJ#_1!Et1;u@?o zm~@$14&Hl}Jh+&wfYD2Wm=MNPj z*L@C@RPaJ@Ic@=ew|xrquOpE_l;R!0@5tnPSJ)w-ZAy1UOYm1H)=)c66t$iw+xb(e zVdN(2S*L71OS3%Fl+CY*6*{>uWBwVGsSj1;Y5DGG$HTm5o%+Y^VEj0)A$gY06Kp&B zdH0hJOLIao?ZN~3)qtcW53>U!qTus*acepKBJx!X&KNJ=+EqMBB18(jinhPRlDBm8 zg|N!C*g3fH0R`}**}jVPjKboI-nQD9f>U&+^E6+%pDllW{|cJr0zH}T-@8J}MuqW6 zKTqX&e+K_H#!vS_^>OBJ5x+Y?w}Q^uHHPi)c#nsC31Vn_@zSw0h5UC_8$dX8J`o}MQ}rBH054}AEOl~vd*+v_VFA*_CK4V zE3sXEGn@oEjP3-1V70bXUb;Asy+RK_tZ>`6wltMzB7zmJfV0FD-V4#X{01?o0(d@g zh8~c~{2$O#OJ6lv5f0Gy%sKs76Kp(Mf5s^Qf8{SWll<1-Kpzc$MUsyw!Bygk$NnZ6 zSlceD*<9Bga;y11vQgd|100D~+ie6$gV?~L29~q^qP|@BV{gZU@kboOz5EdHsJVKO z*_DMDVm0V^Pj#~}+Sr3BbvzPN_8_VmFMz4k3C3IY7g4`jx`a;cu-&eid?zl& z1?5YEBkT;s77ao5-?k1w9qLy5zK({sI3-hzGQbjF5| zDr+091PWDoA2R$_NS4b82bVE{^H0)=u86xZ2drRqzD93LCigy}-2mDRF9UZ{DKei% zuU|YCUaI>|-+Bl6oRo&s0H$64mVt=CBnAOo&nv>2g1Dxucq#VGlv5v5LDF!{D&7(H z;Qm0GQ3fc>r;hXX^}l%>sO`9)!vh%u1Od{nhn%)JjeV72ASIn0!?mE#1c!p!9uxu1 z0^GPX+q~fTqqGaaNQ2R{7oz=}ov5F|JU*BuufyiosSqr7zFPD$VZ~Xe%kN-zQ=dnr zG`t-{eC02T%?38H_;%YHq}nL1R?AzFKamRcGAZ<{KxuhFO$@ucy6gv*IOaNZGg!~L zD3Tl0(7`q8P#<)FrL$qISTxLNznS)Pfoeq>q>adF0C(xp{7tdELDzdUt(U-pWO0-l z3%1j*gt-v@J|>G*S9L+n)9EuVP$q~^YDR%0h#wSGW4sLZh{fe!!t8TK3rk!+Dudf+ zL%*$0pS}w18Gr&0qM>%FGbV@T&BVf1?k=Lt^0}X@vlD!@1XGcJlynKQ*Mq6QM2DGK=*bk7`S~ybbV@JmIUYYuH-bqbx~Y;}sSoT!P0MJ{QQ|AJ-JDZ@ZVK3)4xp z?t7K1Kah;mcl=QW(`a|cD8k+iJK`D0*n`ICPMVuPrhOg#2$0>vjzmTOOx;}ndet@D>A@X4cAV5uGocn@ z18#ntshj+-cU;3UjNI|J_uRPM1+_JG14`V#sTLqsU%&r5NntlUp zIs&KgM}x2Bul?REK-B+Tin9Is`5Q&U-@pF?<=r@xBbC2V=ry$K8>L3_%>*T4Ui6}*K=mgeuh&i%*H-wNZ##Wybh%PahMCI9WkH%|U9kNHz>|DZ?w`wIM@ ziupfO?Z%~liu2#T$s6w%dhUO&=l^eI-ni=@$n#HO{O!g6|7gK~tj#}pz<(?t>*l%j zI>!CqEk8Mb%qss=;D4#XpF{NeW&c1Ze;x0?uSM7IzIk}xDEay?e;K4Vdc*ZK4wlG2 zhWYgc=+Ad_bAf*hbExCBLHp-r|E}~K4}vD&RO|mSD`fvM>i_m>|8vye{H%X==kKzC zi*LNxo6Gp4SvSpy|I0J~c`?xJhz{|GeE;k(e^%yiTm5f3$v=JaUv9S#h1~rAPmnMi z{_@aGs465}TidT;{P>X*uVYI*|5UVo@oa@{&e21R?ZGbrb>P3c z`sjZgr+<~_pECVh;s15fyYUDZ)He?Qf%f|!Yx7SY@E;5KukQF?-SPLm?*FcW{=Y?c z{9CvtJ#Xm4E3UzE#dM6o(T%8{Fln?i6AXOt(_hVd(ZBzec;f&rkLmb3o*I5R7TNZ! zI((Df*KYXuaU*L+U03>6WBo>Kdv@hv#1=#hr=#ZKMwm+4vFgu$7uY z@QFgzwI$V~oP7uSojoAE!JVBM$Lf{i#|eolw*fURg^b-yrUx*Ds^lzBs0UKzKnU*b-WZjf;WB&jZ%5V+ zSTCe0-5x84c}P*#xZGYhlrvv&YFt@v8K1{`NkU4G%X$zO7@evNuRHV*{Ot+VK$SAG zaf7b_DP@;+7DQa59Q!Pf6Y89u1B9OG#`$oC3(v=C(!)sQ%5aA&kSbfw2t@A4C>adr zvfO6iibTpxIkY1Ro)UUdfpW@h80u|3hldC!RGD%HuE+07FGe0(@&;CBcnb{*Rc4k9 zVkv|2Tv@mb>RyJF+1Y_PNa@aC(jiYo>5@xcje@@l3UImbtkxyFv$Xkuf|wO5SE$_H z%+Nu2ip;zPeA23%Oi$rk@DAOP*M+>yINTLHOv+3*GcNxvDAL2cjT3>e7|C#;2hzz9 zft%e0rMTXh4{ve*<3_zQE4z#;R9+c4g!t_W{=xrYyN-+WC?Ht;qfbE}NYp_uy1AQy zK%nofz+W%_z1K&_qj;RCFh!Y^NsOsoVzgFeA||yd#-uT^@ti4EtJTs(ohi-~Z{id6 zNeS9SlVCEK+MAM+jPar=Io_0LHd#y^OerR7qAe-a)X`)&IZSCLFt;a4iJeRtNiLIY z$~0vqx=o&>Y*UWOYx0>oo4S~CO?ld`rfw#`Dc{sRsfVe+wrk7H!%tB&;`-40zPUjf?&Y z9eCp`+}&~A?~=vw=q?2|p>A-H0XThkM!`WMocOREd_Y9J?e^`F*8YKASQnnw<9d5< zSLp9j*dE&k?Y*)UuK7Py;BT9I7v_ic;dR&A+Y8{42}ZFbT8T6OR|p`LC>s7p04o8) z@DFLIp)HYrAdM@Szj`x@XJUk5?b^RY75@DwB9DJP3qQ{I`qtkCqWrU~bx|ZT8SP9; zQ*<{tYl1tqsze6K==jzHbuj)QIT(x3hqUTOkz|Q z)J>VA=%VU|x~WX<;I}9(g6zJ@Nb&+w^GjFr5nJgiAog+xl6m>g>$2OfGkgA{^(z2c>~=uQFY_8$V312ERGXf0 z%oR3~ewqk{DPENrLFNL^SN63V?766hSgvC{0)?&$hzLm&^D*C#na^}L4`;G*KOoX= zF*o3N^2DD!x~Q7XQr1i|rjuO0`Wlh0Fa|h?^088Su{ahdMR?-g)kL7ooxkA3#0ZQz zuyPl%EMF30V;?y<(Sd0y1tf8kiViON5A!^d^b&7R1LH zxAF19-S7=ixxziZQIL+o802l((+wBYn13Su*;cG8$S?*Nv-~WE^m=A5=`B?8?!vW5 zc$ul4eh=b{7$>u)vC#OKKPFs)=VA>66X68rGatky^^33<7WjC{GYt8hh_Axq^Y4%H zPe=j;Kos$`;6d7m@yA5jqI)UFr1M1zfs#A4(^c9dF`r1+cA9^L%BxshJc48Dl;?MUU9`l(n^_1f??+($dLX z)(m7EK(=hphV%JZ$exH27Rj0jLE-v^e;^&ztfXA-uQzTpK{BSou11DeTDFFW$!|g9K z-|HtI%|H_iY&$js?KNOxVcvR++&x0cw!;ATFr@Ox<75V1!fb5()wS2UL|)Ji->a1F zD{kNRBTX;TQXQbK)t*o=x|tUv_-jC837-Wx4>IyLseo{3X!xBx9+|% z2{JzpgaI^Ye1guweTp=^&N$V&LB80o_zsd?@i8g)Le|lG;=zX*j_m{7=*BF$877#9 zFObp8zi90Q#q(p)X6b&#nSljI3rgu~$bF`9J39NPQ(gHKUI#4?Z#4F)L`uGwa$8D0uk^Pp0y3*MI$28!Y8@TgkdY!z;?pEoA* z`-0!)TTmb|icR4(-1>N-%xL0=g+yc=l4nBnu5ndB5QeV+fCKcz@-y&ZSV;VD@(EQt zP{4vWiI&A;+6G`vpSp#a0r^RU*K?72l@ z%;(GUMSs%?elI%uj8iwE*)?9uB0koYGukdGyU z_*k}_*D}4udo;QcglDT)!${7dvFuVB%M@BqaQijVbC~Jxslp`1Je=FC3U0Hz$R1Ay zg4l2gC;2)dvL!NbUIvUn{yffOM({fJ1^fW8b?rgSJxJmzS(Kiigvht((>ho6fSCg5rg@rTAJg}FlnJCpEY_ES4 z;-G5;A6Fe48iTL^p^G>{zJOS2{FK!dB;#ALR=CxgmHP$IZ=_luZW+R?z%e+nCBFVs zp*KE?JG6*|<4fqM=2c8bV7$Tl5;wqKpkE6YN81*tQG?FL+wUNnA1^>RIPNw8uggzt z2XlsaTqDHg%1kEq8=lozfCXxdFBy^UFlU9h=-d$j6UvR^#|17RV*x&@teq@)Q6t`q zdrE`b0ZfWF+c@0&K2C1xT$UQQ~sK zmI%wKV6B$}2=BJ92W>M8GF`XF_}mz_GKG&JAtbz*Hw7`v3Ql<+a=%Gdw`Te*h+QWi z#N(UaMoNYp-AyV8nIAGa$4U$6I@_+aMDi>$!m{B(ZN{4Wu<= zlT$0*+m4B22A)}hx00bi*;cHSPUX%#^^oDS_!HTx2pjO}6ZGZnivB|vFYWHo! zY|sX=E0&o0)r=?|@e5Ve4eTN+ko(Be`eHKiZBFvqs=> z4&WN>q^+j{>Zx!Hk1!l@n15#(qFt zEVz{^AbpK*lR5scv08%Auu*(p*DIKku2jb?ES!j#1mdt4GPjkpd1F9(A<2wGe1o-a z(I3zQCGi-<_+W#&kFiR?io|O`iTbK=1<{$*7nbQhC){}QYXbMPnp>sO+lW!PoB?E{ zyz!%A(j~H(;S#?rQ)DiI54?k!kL9w)SSFbn5_$>|gXL`%)59EVe9GGW{CQtGvc@t3 zZYoG=upzIG33(b6j(H+;n|)MOCNic#?mcF`x92?;Rp7u|btB{4)2(+K&L?6&bB;8V zZ+&l}iZC)}3y%q1jPahs$jX_0cm}_cOb;KY?a5R$j%~wwlEP=w=j00PFJO8~!*S?- zlq6+Fc zk(zB^(C9d#CTaT@GAoVAY%XtNpF+LFuhpb0ywOTt%XV^S(pMcrRUZ}AB^!?Gn8E@F zv&7!bGLNv!QBU1Ei?IlpfakKk8J_8lcj5x;61_6Up2KWlcEDy~k<=ftVejo)&?lzltCg(I zA5+u?kCv81;iA$+el+M&qnUauvtV7tYQ%&gDBVu1w=<=d!72?Xemg2Q$8m-F3)7%$ zf5~uqNLA2Y!&-*v6{q>0LT{&HFMs!;!%RN zovi(YJOC*2tptelSkLQ5rWg`XjJ3?;%vk#qi~Mqbg|QQCBr_1|Q2v>}bHitf;wy`4 z0lUE8z4AAWf3%QP;Iv=ZhmIxdg@2^<1k@Q~q0OJ%m;za$qq7*>9CRM7E zn&D>EFsQj8tQJ%>iHNyWFEI8AJH%<<#Q zP;Dej2?Z_3i%VUG?>L`>p|OTTDjG{lyl=66++P%b58Z7jOszWw&J4*8=EprhB6czg zwRL4Q(ocw;YkkeLwmn;i4KQbV5W5DIb5)7rL$Q#x&5cdNUZzLjbTpZQo^yQ9F~gB$ zkvac%Xm&rtMxApP=me*y9M`f#9B*ow)wZ|QH6M#Vs@YCZgF7ha^C4y}O=8!A`mokh zs$hn0ZDj(!TNG@*HXn9J>10UYgjymf1u0-oXv6uYARC6 z{Sd6>`VR?kHPeTrUrgl8-jQr9;4k41orUsn&`%g9Uqs9Rc@C;Nh<3c@kFLx>?5+MW z76V)G0gh!D+99tRDWzsfR#@r`>;^8NvjSR_*kms90?(!q45R|mPcle4mwAFyO~EBF1!}n0cuDE{LuK-LbQ&(Ri?Xu=gMZ!`hlbr_1%wEI?firFI+zQCt-^G`5bJ{bH@PQq+ z3#GZNu*%rP_LSm~(2+SzFA+}uf^l^S&f(Khqjfrt#k-W!JV$4Bah#!z4aXYdh*5X( zTlU}rWR64CdWV)t#zV#BTIM%vx;$FVyiIjRH;rqlZoZvaA!LESqs`BM;ys1B|e-EkFj#F>Q6WELnR!-ZdA7YOMS_K|2>?m}E*dnAUK zd`XaR9mDLL@<sKSjjpj z7lFRZPr`}LXUIsFo~vZ3bv)iiwcKY~AyZf*0s6AWoT2Y#$lDJ~i;!y#c`6kJOUyr1 z4@ZrR6UVZ-a+<=TRS7lKuN1hgB938wIEEPjPJ|QpLuNbU&1*w^UeP6Itmg^jUntDR zA7hU+9@Tr`MFaBPIO{fJf8zo_OLL_!+Sx;uPa-1nUaIvBLQF0#O0T#u4niOB@?Z#|UTZM|n?Zr8f|`b9R_-0pJM3jznYk^AF-(`tAvm zP04+gU>+iuAZ7)xv+Pdfbr(KCg`71#&@(Q-KN82qD67W_-N}C4qWD7t8HZ9DXs>{=v8P*sk)81E~t7WIQPGxeX=b}k- z9ss%M0Tqntk0kw8UOY~j>H20Z?qpr<&w;)6S->ZBt>?%xm~}`hc99bWrA8Oh8GefK zKR$G=VT7jn6Kvq3iQX5Fb&L^2nRjm#?L@}4OwtvxIELi$Z-jwUeDVb#eJnwZ0Viu_ zac18Ah@cFar~qzyv0cK%zu5k^oT-0fK^p1_gx*8Wj~36ciL&52#qr z70=c~!BeZP2W)L??|Q&PTWz)4dTh1TTHD%#t!?dHYqjqJ+djRY_x|wyzr7#+{(go` zGBcT(z4zK{uXU~KS}C6=KYBj)EW<1;U?QcpWC-~NkH!*ny6!TNN3!`0T4HIVtZdSq z0)bECNsViud4q;@(T~@3%&0(a>w1@8q(NiYr$Y3@f|;--L;3S+*B=$3r-yl_5`XZp zy92W*8up(C^t=~uRC`vWTxhz(g%svN-IAbT#{tWi`obHoX*g4RQ@!Iw z%wcOTh|PzxKLzo%v4ZLJDLR6S5n2S!=%gfA*hHSz0-xkUs4+3kb-s?Z(+A;9!->W& zu4K^2#qs46cX;J&VMbyHe%bRSK1oe@BoxuiK=mF}^(?7!JPRBiFp&(BbcR+%qY`TH zejv2bm-y@Qc=-{zh<9O&&=bEwc3~}!&FF=2H=z2KmxRkdVH+&<4T3|rR4qS;p4@0U zeNOjrSb11Y5T{6d9^+%X+L@frDC*PkIgjpl;o z^Gr+mZ<>_ubq|{ERn{S#=2+{6gJ~jhv%6$qfhI3WUur|0uGI_PXY{GxBhrHJ;L+0i z^ha2$oJQr^7QL=1MD8NLK_`QwHk2Al_?^+&L!;TH;e1JSstsvwt649j_I4oYqTIqZ z%ti-F*DA^wUABla?m-kB8&=&X|JII+b`&EfJk^N|A*NqVCb2PNJtl9#HW^}pmqeGy z-6gzX{bRdpNm2hjAq?(m< zE<`b=gB#Mb<3GD4DCGw8TxxF&_PRHwl|Um3W+xWe^44ZKQW2l8L*-f212{H|9!Q|GukZx-z6iGEBvB=?zM@&UK4x1{_?7TvD zW*ECs&9(#>{te_}(sFvc!<(}Fi22}nDnWR=ul5mTdT3Ah846R+{32*h1xN##r-VUFkS)^kwV2~0gfm@mF_3Xh@`j>FOC@mnzr*wqtjsX-tlce< z?wYaca)%|%hdrz|_%+BGJ1`w2Gt8*?X^tec>lCv#CBYd;)z%5dl6GQxqb_E6j zo_Z!SX6KQ*d%rMafv0wppYD(7YsZ)b{0gyxRWn)ih-{*Zh#vAEq!2CA_VwqB%=!at zYAbG>K|eROFby5OG!$4j*_A;{#>0Az8l5LV&VH1)<%WgF>_&fcieLFe`X2v7JP88T z3d8xj9IXfB$z7l72dN8XT^zG26$GjEaxo51nMC^Q3)MIl>=hsDPq*N3Fty#_I`9Ql zzU$)?`=%eMShQm|4Pd`vHTn?T6-1#WkQ0wzg8vOqvyb!N-K zt9rqrQs);)hZaH5Cc-fS;fIzNkl=+KMJ`ZNzEEUT*Y{bvzn>YS8=2} zFmW@D1?D4uoI*oa_d!f~%F|?wyNQcZ_9If#o{ZlYo?~*kRwgiBmElH?8t{@G2M?8R zIB;mki00v@Xm+T{GJ!P7M6;y$R+HvvU@OB6%xfSLUJrr8^$X&w*6?fMdAn%8AEHcA z2`*wIzY3LLcEOq@d$!^o%0|S;1HpFgDF}q&@3Yqj;gTJ8^o{QKc+JctEb@JW%uo5_ zhKkkLU_20ht4b90S$xe5DT?^ZiNa9Ii+McbkL##d7(v2zJwe0SerjEQkn=l1liUSN zpeg7ClqIpFnUYU z3JS<6^@aGHC^{5mvy!lQrp|PtnO?9Treql8H|(pBkRS}_6s4!C(NuO6%ih*GgaMwK z?+mkWzC8<*2*)5Ov4&)4A?=c}8R!{IDp-k&i8#xC2a!c$V(tW_92t~74ht2_?;){L zNWv?H%a{?gxC%Y8&rtD6emQR3MZr*=E*@zw5ltSXv8oLYQ532mcr1iU-GI!&8Sy6n?j3~8-JLHxIBAl>o9 zQ6<@k&bO_hfvvsy55!%icpes7y9$$uU};BUHVIdDA~M56smJDOzD*Qi9$_8nsC}2^ zb#n4p)u*yHFIvbpo1zV6_AW@?!o9mc#nzo}=avak+-`_)edzoWPZxKQh|wiT-pLJN zy6#%*Z3#4c38tC4CH_?mEPWqvtZtIOHZ@keQmx$|O8YPjO=1`(kzwt21e}`Yk65Ow z{(dkMmAV4UgA@(cw~O45nz8}1>T(q|hG=94UJH(%W*N<$fkcn?yRq{aNG;;R@>ZW~@WPV9W37)O-X72t9CIaV#-_u6V1r<(a%) za?``7nmE(vSljkIBtlz@A!JziGVW2h!7VA=~2 zW>a1oMbhJEXy&ThyX&U-TZWesn>blXKo=Zzxa|iTNDH+4jig*t&+st;5HcsDq=z(D z)4-SpE8S536lA$%Ex3lZ%@T@*%ouf)P}`4y@)>^iP!SIwK-4IFyU)Ux~Bbm-K;>oimy~J z@dL^mo^e_))-Asghcy`m2;}0#!Tg~h_GSs&WW-5^d6tiS*#ag023}Xx8yFx#<^|6Y zyOX=NY4D_Nrd$#sCec7kC4wqgwkJdO*d&~b(-?XEY0o^(uTS+Pn*9F zA$qjGs<&>ZKt2R_GFZNm)8*WIR5I@7N$>JnF+|E{glT zs`*91^2;RAbwU{YKu$2Un8wr9_Hh`8!2Akhz+GqW ziexW1&wPl-j3b*t{Ol5rFwG_NJs*ft;jo(58JjH`oISgbpP>OX%kB!9_F(r9*nigtfVCrk+7g8aV>r?myO)Qv(3Ll9}vcZoU>4}kyxxQFz zU{iA}+5Wc_vJ7W)alrQi5sV73rlmf`61$eGqUjiLVlBEyfsMSN;m7$&!Qwldt167G zp{Xa4ZSu+C#j~9{Yz318;ki9^qSsuu~%FCfN z4LoWGkME*c#&_adxdngd@#jWBVym>$hH#;x_v)}VGaRKzj&m$SWDfTP8EY6KoWRcm z%Z-M7pnE#UB4PF(*O7+$!yIV9{q#{rLw_Zp+mg$AXBhuMV2;bx%`yxzsdzR?)P5>U zjiiTmyIq?uOFH~HeS+kIL&8h}s!04VS(UPe@!&b62QTXF8}n#13fC@Fg8<6Lp(p#_ zUWUWl0x3^*k{~VHC^E6uRxU`=r!L{8a3)3m#&C^Pl(#W{!d1 z9JHw?IyWIj#JSu#%eUTO%IsQ}k-D{A;{MI8mxj|mSSxNL4|a@)eA{JijHH8HyyrRR z*Z3Era1-`lqWL(CRxv^5tyDLypE)3awW;Y6em#5Z4=GZ5hVM?P%tnMuTCqDU-*WL3 z*AG&#{s({lB`pgvJhPN5h@=Wv40|S~Im-OWmME-!#*Ylax%Q_J4FwWt#|#AgAVM{_$^impCk>TV zGbvLy78l???Pv7dRmQ*t-fA_D)R2L?Ct|fJ zI?pk9Ygh}+MNCF(7g7Nk4|dH|NuhmfH~BJ!O1`Qsi*7I}xBWCU zR2o5!BTMd6BRYPo)p9bD%}&v6h;)j^d)c&vi&)^zu_snv_>Q==SJWrs1#SEq^TSZm zRSKe`C60LlqG~SdX>ik6+JRT-!lt+__k5^<-($&+_hoA0E6rc4U29MDY^6*rD&TvG z563f;AkY$>aXg8BmOTu4w2-(ORbJG!A<9!*{uq5=0g&H+LFbnLZ}x`H+S4ciJ4JQ8 z`v=r1suM!hySBW%x@*V#e|}X9T|EkNcwPTr2LU3jyxJ0W%ImL+_s+BYy#a|6%iqQD zojeSGZ*>AZ{^!e@x{7jW@V}1i{KdaFCe*>I^nZ#-JJ4$X*nE86ze`O2Jn`S#ou}&U zscq;0_C3DIzcxD0^Ve5@9{1PgpBMDk=Hm;3$JR+2@z00TdCEUwfB?Mt6FxX*YzL&T z^FelE0XyI_ovrowYX5V8I7R2)9p6R$=kAa16?XsU{dDg9_XizEcOLZjCx1O#xZIB8 z|9Q2KIWHbJ=Kucg@hwAe`Tw^-?MELS{%4&8-1UUohCgAoO95BA9UEVL|1dGmeg%M{ zb`iF)NU0LZj1Er`v&b^y!eK&35YWkZ zP$ZLyPYSz&I&sA$BM5#9NF}3*v%|=A8WJ5Nz#5o|$7kwc{(wA;AzLKLuf1aJy+3z;FPA9RC9R zg*?(F2Vl)RdNC`ldJKgog=&}@=nUAI7%evtwxfu6zrT^ThB(vYPV{YEh7e_|x4B`l zsPgQD0M8xk7(w8^=js9DlS6B{a-p684JQ)fn!QV)B|?#zp)CA~TTUKyT%W{!AxI6+kr~J^Vg_2LC8nBU%+LrElv`9DM|gtkC$7=OgD8pf zrgH@j0T<&K4zmtzDz=3+jPHOXt(xBP3f}S>tgPye!-Z5~If=FwV93&!>)i>0;7+g- zB9f=2>bBd$31Jd38+>qE+q*)Xp%UV?A-1)o5)g18eHS;G4l7#4RNuDeGcJ{DpNbzpzIP#wo(eb9=1s!cq}+$x{ijwn$QM ziW2LZ?P9RyXOMI8w!||-#9$zwH7+bcWOh!z*t-_qC}kxm`zDeWuotN9ZQ%#GfcK|u z`5?q2SDn05mm~HpJW7UI$4auTQhb`*Qm4nga1$MUV}~Wl%hRuBlx39)hapXTBjo%l z#y0=PX zAS4Qp@u~cLH2||{X!BAQGE0N=(&SIut~I{5WQmF6zQ9KDy~g(DKZw@0w^_jYqF#tS zL+c?=rssB%GHExCD8jzP;JS`unhp4zun}Yit2LQS7t~)G$(bpXpur0x&9z!6&ZM zi*yNBBSj0J+zX&xtP=@qe+`5Z{N;&4c+PYXBsr5`iq6H79{Om8IlXE))mf(#R&23n zBHhgZFh>XTZzD$*!m+M8acl9f>+ZsGseD)U*WTPx(cToMgkpXHZM1XA%WITZ5lxliXmSPsd7i*a)vnqK zeit=aFwafZ^bf=>a0NfWDd0Sg&Xchpuw1JAymK-a1T1kO*a3`pA>wgPCnkrt+CxB+$@a=B|?@dF5|{yZyp zGZ^V3GSgMpp^MF{{B!E?S8%&$4G*0gIDy`9-hr*y&YRD<`1nc2p#|@DzH{zgCFcAt zr`hML3^mv+go>w@jKQ0!fa8P$+EeY15EtipN5+C4gCYv9mv4VppzA4E*NCCmYUqK_ zK`;;Z(e?4O12##UJp%D<{zZUa3~#?>AA#uEqC!d|bXOQ=R_?bdsx2&{fo7E-<#Ino zo`d+F(hD2>Qzv7%6+?N-hLgS>!!TIZ0IM}T>vS=c)d?BX5YaS#eC`WFLSq|*h1a*9 zWP;>3%H2A`vtI-(AQg&o*)O02vuFO6UDp-c>rP|FQs+hN`Urobv&|{r&~%gi*>~`LhV=DS^WdKlklMcfZ^s9pa z?9q}s4C!9*qp=1|U4$Dw3gKt;_xy2KxVW$kHem(Bi2`h%y~& zGcw>s19#@CcAiS9#0wX8jG%e)GnV7jwHym(SAgk&TrUY?p{$lfysUM= zu5Ppe^0^#H4V;n$*8|Csa}U6IRB$d-epQL1t-g4S>ycap3tsxG47}z-oO4`LoL ze*_uE!KSr%F7AHvHYBfmyRFd6dXVt4Z-bf_FF3;uAwUpHCvXddP+_p{V}YqHyzknx zZ5uv#ApoW=gZ^|N4z2TH`r3SSz5M8O{quhMmXMOMJ~dC0p=~EPNLy6okx1?>0IR(N z%+$IU{e@Wa1?@vN>EW#&X5=p57nya|V8NVy1?j%!K&~>+3N)HRJ3dnxi<-BRShAcR z6#7_ibDTVH$7c5vG=~H{%*2Wi4OjJMVMOB{&wS_itrUiF zRd!rGPa&V8dD1#j(5L#tL^~T>A=I+X8cVi;(0X6gc*xR17BHzA zWU4#Zi*l{c9`v+6+xROtV22IcIlk$6`RjvcH47Q{Yto1K6y3}2VXO6l$@OfQMi=bI zR%(crx)w~{Z@{|T*Dzz`o&mL`-l(iS0MN9vXwSk->56j%TSlArftbCH=-S=~V$RV! zQS)WVl|NPE-Xp~(4`*Jiiv(R>vXxs<^N_}h!{jQfTIr8*iNRZ}E>UAXQ0+{(*OlS|C6Tjdi-7O7a^XFpc zIsh>poJbOc3_Q$soEQyJ)WBsBmg=B9W*7`>F$){)8OYH>N;1$n52-iE+q%IuLHKM| zo0kIE!Gv?yad_@EgxAR@fr8fREK~*)K_f5I`1mzibVK||SNWda#~;TnD8j|fMWf*Y zW!#k;gu9;n&{@xE=u^&Qu(EM%Ajp~_It}we^QvBg(&2s}ZKkkbHZ zl{?4F;8Qba+sV=wJacM32EVKl{D*QJ(>fV|pfOw(w?%o=i`xtqc?)tx zq_RCg!Qb|Tl8)RTt*6gP#)``z6t?mGobatPJn6!6>0 z^u`oiZc!+iQ8NW#oz7$;S-n#wg+eHIMq?<1lfw`OCx@<|Hn{>zhO$#j>u=AI? zyI@WhxH8E?npg;smf|R!Sh$&yg!gOyMGTJlsBi?e3G-=Sb{3*xwgMU`zbC)eo_+2c zT$NFV?taK5l20r2l)vyg4a7rsd?1f?_rsOj);WFmPlAx&ah{ci+3^=wFvRn8Cr;%cMiAo?2jbCk#)2#{P&bYQ|cN!YAAX_3DW+Qn#L^0_|%`4wr}AVld_ zs5wr|v$8Nj^yN74Q1J?Pmi()ro?!DFMM z8Sd&!QJD9n7k;6n#fzLFFJc4tRnF?V%{aWKD-9REZcc)`N|pV|5V{jSyAMw8=QXe5 z1SWLb@S0w1D)k7oFRu-3#OskXhr=;OPXE;^{h$4avE3<4)y2m3xmZ6 zbgyuj^c3nK+HjCD>P}E%Oj*lBy04N*!DUmmU(0v{nVy~I0Jic~NjVybtP?}clbG>@ znTC=c*}J_=cHQFGb?=C!x2_sgH1ph#wj8}aqPob(-s07Uq=|L6xFOyaQ)Rd>*I$Uw z9T`dv(1);=jW8Y(^(VC%>r}!Ddf)mRVO?RgH2ybkHjT7xNKIE2{Oo0#$7SqTD`b#& z42?uAyh$snT0D2Tb}EuYKyuX_a*0wT9n7sGEH}8~-|qF$p6l+ufd|-2(eyBIH-~zG zyZMoA6U1oD^;XDw%_R{Ta}bTW8(I_tpg#WTKy9zUrf}#i{D!c$d>q8?4bkrm+%e4R zaJ)t0e{22~;5^TYS7Bz(0(?T0>ABVqxhzHpb2K(uw=%}~-<5fs6wYqsKuujs`Y*}I(sT;{OMeQY(xh+dh-?hlGwL60EgLpAP&=;%(8i4 z`I*^#7bo2M2r@M5gDbY(2(oyoH7x-Sq80`Bj~*ZXtQy9bi^sw(J3B;e&Qb?;L~J@z zBA0`O&w~HKsR1$J@Q$EeNAY{@Kf`vNA6UWy{>nLYMD-y)^)3DR8(^+L=xiYNn~A)m zjv()l;YYAKrsaq#AmREEub`}`cJGiu!`n&NsFrr0h{@O6eWT_^9aYDy9DbC>ZEZQ~ z*Y%a_NBz4Wk2)5RaDKQKPQ1Qs4%_pGvvUH|P|a-WR9n3{*PFwSbA4i3kMsQ!ZX6FD zkR_i8>2o>VB@_*9bZOGZwl#4>CwpeAGp0J*L#0{Vys(kW-1EdSEzR?^pv>+UPnU9R!fHGI|P8#(>gyS`D4YUQ1|&3en-DJ;j?$5mu2Zs#;hDP z;-q2isLdyh8z%qg3fnY!z&o)mbM>dp!u*ypKn}-|Onx zfzPD;`}&Ia?Z16{tbf|0-+QRjLAWN!NyN!P8PxPjP$rZ7`RU9cS4?wSuzOImYu)eB zCtYFXTiboKHG2blgx4hG_ts7S{H$*j4k<{}FUcy%F>ZXNiF2wO3v$id_VPhp_kaFD z-|i=3KJ1rp;dp+o{n{Y!{N&rO1ouz5zx8bYbYeI^Agg)MN_TJhp1S~^#vpWYF{;8r1$nN*!lKfq!lFTA_X~qd8}121o|)g~7yTfPzZe!? z9(8euZu%=BJzf}}p-C@aSEnhd*s)*p#P_f4U-iUbyI4>&d#l6;11Wj#tFDtbVrg#VhS4eJ{WA#YY*&jX!J0x1F?y zSM9%2RG9wSjn(TjH4Dz;us50#7L*Am%X7^eVqOlPaPRWVT~q$Jwr##z`=0H~tCP;BC#n)MT!ZIM&h9s+ zoqYDYPqy#*rq;DXFBHEvxa^W=&BpqVYc6e^GGY3d>|xU*F3!tatOZHY`M2+mtl zm^|j@lAo@x-LkajkC$(b3rxR$W8%@f`?%hH7hDWXKJ)9?(v*cujG<#23eR)tBdd=0 zGp9aMfA0F%^mFqImY=s>)HnT{-9JUTHj;5V{gPvvUE1Oc&3%-t-pg}yU*4MA&t9=| zMgNQnpQwi})2)?*igH%38eIKDblF7@%??|WJ_y%7Kk7`tlKC{PuIm#r>bz)Bl=UNfLVf#a|OK zzJnBLP;Ff~fxp?F@sr9ssMQLq$5l_5QVr&Oleh5mKWS{>=Y9YDHjH%c54%638uX{d zR{3w;nVYpWD{E&~R*=dIlMpMs&xMSJIyWneQjX))LGa1WEP}-(l7hOBT(q+&8F^=A zF++%fnLrW=LET6w+R4P^tC4qZ7WN`qyp!1B^EBGiduLW{8bUkE07w+1G9Ehp&xhyZ zsh%{Yy!P>;*oT6RM!7fu?Ze>|3ij2@VwU5+-iC1O z1%JZz*at-uAMfTE9DwDZy#_c0yCHLO1U^hxq*BBaGdCWWkbGFm^g%Hs04;#18Q@60 zm$@Jy=0a#T-r!xHPRr10Tt+L=EOG@Z2Ev1m%VsazJidZflOAXud=i_`c~j}ejyr;zF|Iz}(N=%cV7ar(Cq8beJHDD%3FMKX zrLLcWef|#~<9}_zSy(9QCj@miVLCztdk3WxUp4w6jjEBFfixI!V1>Z{2u2+f277e; zi%N$EJ?K*2P zB<)Dr?;!$kt6^ZW`rYgI7|i_;NL4{W*y~6HM2sZPTTPCn(cFOW-;br?JnZfLyBCEV zmIZo0`GJ{?5MgaABB!6Z2(2lfxFBK?!n;pg|k(H*Zb2pPZn zxTB%{L>ux662rXR{mTEeW}mAybA61LFG53qexb9W|Gz)p|Ju@L4)_Rj&-@Ry)R!B) zmOTvs*uT_W{*zwnFPRFfsg&scgJ`O&5RDWj`aj5~a$`|Qj}A&qD+C8Xmj;#N3KYkT z>#F=s@2Z$^SEPuYDm7|QDFJ1nEgeENnJAHDq8?&q_8OoEtItAQf0RV}gCKkV$Ejud z#b07ITp9d`sdOPpUL?Z;*AwsR+uB{}i)?LwQAcI$#CUi| zlBzS0C`fV(2=_>k!!7ke3Gp|X2sI>~#X@AWEC(7wVS%^ZM8mk3VDLEmXD<;8T zv~b-EuA*sK$i5xfPpSauC3Wyl#lLAU#VFDKGC~Q$bI2x46M|8Kr5cr%+6xd$q6P8K zbBB}nAgjZOYkxr?gT|a8)x}*qII3)CQF6hP$T9;{`K=n99DG@)vD}ani{+Y8+g4 z@4V5RQQ7X@SnRDh017HVPqExY!pFcR>fl~*560MZ0bqqX5O1_Kz9SuF9&uIBPeoT* z19Wv(RwJExxPK=kzCXoT0FP0w)dCf$Qa{kP)q97lc2wXN-RuD66+dez zCqbTnJZlT!c54=^iS+PDN8aDo9g;O2Z>neF#s#>^s*wlh9HHY_iyC@k{1htdJbr@H zxIX}J9m_n|tVi%lb8Z0F)6j<&t?OZE!n3h0V<@stUf0O07~GvJvdEZO&e=ghY^7pV zVWX^OzJk%e8fyKm@7JZ{I?^*`ISzvO7_N6AZUA0{Hl#+XMl`6nL8Y8NlgZmaqf^}~ zdyAi^OgI90hGtBAy8GhOAlV*9CAU+M)DtF0X>PDI%IyTo#7X7a#sFnKa)#sSP`P&q zTMJWLAHi6zm;}<6+YW$u8$<*h*I~TJ%VeZ}P9WX9?GqtQ*aD(>`@aMtKy8ys17XBK z!{@ZWqtXYm5B2M2<3K18wyv|fzEfWJ7M>Ao?t@Aq`fjTfaw0%E=q)x1`{2G_l^jSZ z%17>&8|mngrA75Ok=CsbPCJ;w_9bOH)WQW`y=>kA57~ah3IN;T*rdc zAXr7`?f9$m-nMf>*D@P+?{`RE?r)MkBY?prj+u&j=)D6#BhkI7BICPPq`{-tq3y+p z8ztXD$*DKhsfFI`ajG31==m3pYMaE>8jt(q0vp41tLlq!{3Oe4#4XXyVwh-~4z$ME zC)IYr8^5M~Hh^NNC>##eq{IA>P4v&m4V*m{aeEurdjG~~9;tOI#!{nJ#;}%~SkoS0 z?R6kQT5aep6e?aJG?lrw%VM;tx%as!ZnVB6P&jNp7|hv(c)@_IZ5fbwg&z|HW?k(B zlntzYX~6O3zo`ugF40fOD)mzakrg|v*fgeilIYi(Ky{WANH}Xx z_R+EGnp&ES^9ua1Ai%TA9I??S6%KR>T4Zf)6`!Pjk55(mB>JreaYJ{vtGEOUV74{& zFl}O!X><+BABM!qaPXvs$MHj*Wmph9lfN6GJLyNC(_W0AjO8U{-{V`m$eUfvg*=9W zvL=6}zz>K$1g-K&UA;t;oLbOFu&c53q@7d46i1KKtH^3e^qMgk@u~pfbxSVh?=!j- zjk4Tdo8oW1XwH)q!Pk5Z6frS>FoG*~oJ8#UKrY<=u^L(JSJg;4-6&0O?gjnQ@5*z^ zvnan8l6EUT*y&~uFv&6cNQRaxBe3yoC={gF7bDFlj4;SF42qKmq2|~5GXXHIjerK~ zp$tddjp8qnlKLf7b`#{KB7ulFo7z@uQUIQ5&`Ct5$2&${WqR##%uJIy+@Cfa@8sV_8yT;F9 zhE6URAye}XHC7J~@q}1^p|0$&J7^KCi(y8nJ8`_wM|e4GzbfiH z`6!B=5a%dB+PfNXMF*m#F(?%Txa+C>3VO!z3U<7#wmeD2f8k`?7xoE0@_U^ioq;-o zn$DKrx_jN)O11J)BE z2juH?l^9$);MTu|3LvwR-?j|IsTWn^7fpMGYU!J|&|?>Hh` z47MLdmciKmG^%-?8!yh!z8N5vJ(`a^L&W*1iP$n0ITos#Yv8JWvW&v+s1*HDi@96#&svkTMmEU+V7|;g`lB1*yOV zPyPerM-x!$1SEfn>WVh|nIHIRYW=yVG{Kx;J@UWRnkrR=pB*YHhKp+@+{ zvhG;7o1q5%&S+B0AMj5$2zU6yOyg^~4F8m}7&=~ah^{zZ+^E@L)des{AAd4c^FE|M z;jX^~T4#w<6^p#j88~p!PI$HLsx)_oUM+7jb(kCstjeBb=q2==hElO{co= zg19tpjw#yP>JakXC#*%fBHmKt4YgMK?dk(7&5;61oE;Af5u-qx-sLW(-uD$7b!Q`m zEy5Y8VYC5C2v7U~O0RV~SbJep7m&gg#u@{*J{K&Q zX2OX1prjiX63pNF*QcQouOsdlJCF6g8lZ`!+E4wJw^YtgnK1VhZVM`vMDxwAt?~Cv z;B&M}g4X&r&DX{X))$Sd*lRO9i^O#MQly-WF>VM&w!+_q7{!mLKz>SS~q(18Or|*ZK^@F z&;>-beo&CI7Q7)4OweTpn5MHDDuml7dg%^pLB%z`tq3JK)itw>gOgE`E*zM(ad!P>GK+Ff5{ir;rj_W zt@HZ&n2jl7e8F+VP0YSSVdfTM7q$@c6m+UxGkPP?*R_=6A*Yb*p#04puRtXT=+y}BSpLqIl%Jb z64%`v4)lZzen!*x!4W3{E7MVH3F@vr637MzX?H<3aFX3i&3+lsI;#U^I+6}I2E%&V z9^(aM>s9)r*{DrARMUS6fW7B&1_Qzi~a3C__4U?3)<(hrP% zH6ZR=(jOJQgxdCu?vMCL=Fui3Zi0_yY(i>Nsb5|~-oE%_+(Z2XRyh&u=oXf}(lA}e zUjnW-`y@X$Jy2JxRVsNlEszuKJrG+GvMNmZ*pD3&B52(j`WC!#{=_t;O5p{E(6zzw zy!FNVakm~=CL=x~C_4_-#S2}B~mLRu#Y`SI&v5d9=N7WPN(m*kzg zH^M!mQzy#oZNn1xWN5Ul6E}U$I6u`#m06Q(Uv7iHTk;NSS|yVf_YdT1**?ii$?i6KL&;EFGFd9 zlIorOwrc^WaKBN-dACqwUymA{Lby(0seMT%Wv;y28Y}j&zmF6?!r12T>?iiHWU7|* zw{C>r3h^`U4c9wpLto=*hOS3R`se`A@wQ$q$Uv4QUha7`ziFHEqV-*?z-=v_VfVw< zZ9<%}(PUU}8*SadnF{Vf|6}O#dDoE?Z|u(4XCW)AyBE$)hasFl9g`OEwPiBJY$?s-03?Kxwemjl%kCSi6uVoo1;rLhtH?#S$E5Aag985@dIQv$?+ z<`lK-rmiJw*FI)v$y{s6YKi>D<+Syux$WmUt-G3P9q((e9LpUpr>ayPuEqt+BV=0z zfCjEtSroQj-L}&lXH>pcYm39Vemc9o;gJ~#Nk6dUAp052P7IJnJ9cLak??*+yx&tp#Q4l8`F8+Ynq4eH_EIIkB_oHZDgI@Po$VCAt(SeF;Zd}a9_ za|f7k2)4wtLaR=QN=Yz}4+AO`X|-bZf-^RH6%`;lmD#Y7)IWnAPVl&e1Iq7+D=yrX za(>(Qx@nR2{wjW}9~ZvhMJ8AI!b{1+^px=QjC2f3cfm2^0TSM8dP3N)-AS1jltOjU zK;)Q>W+Y**oA5$eu8NthOvVkH?62wAq(Lz8_!vUt;$_5nw49M zir{>j+HpYlht~<+OQ1M*JMci%|BMg(k}YB(Q~3tnFMhNX6)Z(UT`iCtVN+yB8+YB5 zhUpWgX+raiDPFcFbC0xQJJ{yI%16lUP(D4}pq`L00qR?wW&LxI#c>+TR*@_g|d3z~HZF{qMRs@FSQ{jAH|#Fxj-c zpa^B0@CHmHK5GxQX+Ndh6yqtj7E&!0lzqsU5BqBhVWiPb+riy`nSG>2CE9bq$`-8q zIFJrx-{aej4V04g6}`l#baDPLpdHBgZN4xB-23AAGWN4zzBx1_tCu_y>-gtF zjdw#e21&m#OrC&^G&KKGDBWP40g6Ed2+!pI2<6Ox3V(rEnNp*zn|0y3{rvBG=LgsW z1;3WU4}l8R{6hdA7$mO}dg^a?!#QL<_^;0)Zl}3M&8G9{o>qlsJ`|koa zRCw05pJ{iyEM`AVGDBzO4kP%GFreURlwXL1cT&&r$_T`LryN!ZRr#ke%v-x4x?t&8 zj2RCI+~%_BNK{}dO)`Hw!rW#xKd{F4qfN~tr7q^>5j4hq3rcZxTS90|W2rn&iZL%w zL!NcJ6-QvQS7G-8CsJNU>~o=b9Q$gRbV*DuJnH@$n^VsgIzQpEGa3l{1J6m~+qokU z+i1>)z}Ozd>q9#v2d1?l{z^FTPFCx$rCFSqPvL6TiYqK7Kuv(+;@2C;l%Dt<50es& z>fhK}I-RTLmK8rrz3nSb7nWJ# zk+z>2-^U}9&v7fND^Xo(_BQj3DX3*~2r@NCOu7=9I*`ClO^OCJ{iPGjv@DuJ zfdVbGP^9bys%!;{AcC?~1wjP`MFB;vii(Jef{GiUqT+%(E|1H1hXN12`h3^>*LQt? zJX}|4nwdGvJ!iSkz5IS7I3stDEm3{62+6ijwEm+S7|Nw#{6sL!g)PYpOpPT~USxPj zD;R^jxdP*N8aSyIqO#+NyNkV*Du+euU(Di0GuxR8>4oUh4{b>*|94S>K@O=saHv>Y zd8cP@p>JJ6SsIdWK#n^MzCSQGh&j&x?8w!IGTD+((R^52X*NLk8k^g5bEl2!#&-=*neYWRm?Av1S=1K1m`c@Szh>d_<%009E z4kT+8?gWooVJW7iPdYbn6Qo}iE+gGP`*0NJNErXl;dZu zW6JnW3ES(B=F*QWKQZ!cFcqANeph18tKTjGP@?jP;2+$EY%=wA;M0Ui%PC8P`G z(w|taA8ej4?rUI>r~C3BM?Q zB#si-mV^;MAheGgQ;)c2a-yXhZuZVHdy7-K2GC0;XLF2n2Epl@8*ZGUrr!g$V9xS& zNGO11rI+De{f~LOH!!2v(J^q!6^y7__kKJ#<=`Ltd-4UAQ{dt_^_}bn-7P4Y9el3a z%-1af%Skc2TC4jmi!V05*@NOOYmqpF(*y>h=bV`ajy<7cDr~5i5ety=Rrh{@aV|r} zjw(@Pexu3q&^SN>vNnoY(g4FUaazbggP1ml2c%wcRgMC zCV4!(hOu+oV4Q4_(~)a#c`B3b%ICsxveu3XAZ}2gJBo1x6I)*09A|u94~Tas!_Q#r zvLAF6nN&2tjYYsk?~j%}Os(d#W&^h4P}zMD<}Dn;_Yj$mw7~4D1oM4H^I*T0m}9|! z>5B4?OfVpI z&qhwPV?e{AGr6y985;BM;6B%V+@sJEx7>tW=WB*Z3sKEWm;YV_`B4X_=XD3bNNEFN z;>NoXY(Evv2pBK8gKOuaJ%f??VaLa%rITSY{aTd=Itna=xvpi>+i+*hV7TAt68dPJ8=_^0Givkh3wtreyB8k zS&ZSEEC5~Eg?3zaejP(4hEHkfX(MEIK5y=8^ryoL7npK_@gz6{HI{a@d=3XjgMF_z z07E@$+re2g`215p)Ao%c?2Kco97-mD#8>yK5XXM3)~(cVYmDV_{MvcX3)z;u?qDA~ z$}2|`XIUWCQjp?zMwu(k3>=feBU(Ar%HxXw^J+^`a|a|hVlD}BmN9C70jdS=J^N(A z&Ho_8Io|Ip@QxF4fsyDACpCZ@pqd+HyXd6f)5O3Cb3*A11GsYDwXLKck=4K7D`Z2C z->IBa(4?>q=j!}eA=KMFu)U>}mi_=b*`bCCPZKH}$BmWt;MotNqAayob)=1}uvfv> zwhD3g1b#>N9G~gj>YPk-16v)Kk&}_3hk@Fg*OMZkHcMlj6Ak9uU%_NIyi)4R&n@O>QVE?NyV;jS0cVQH@{; z>fFQCIY&dAVVUb6C`UQPJ5SujEu?vY`--2TKhcDiLT)eQ^#&$b1kLeLR6enln@~Es z;ogm(wzA9&u8p&8%&N-5wC;2cNoyI&%?douY=kCe06jw9Nuv8Kjaef+3TIN+2=c7U z1Qp9$5umu4Ut=cwcA?qRP|>T(d0z4?x2CERRjo&SC74-oC8{%g&31n8*&1KG)-_JQ zG*;}Mml8`Ifzh~_?Wu;8MZs$+)dZ%(zQI00`BeE=ovlg_P_cb&pHaG~15iKV&?$CM zP86SkylQIe;IIv^g!HX$)Y!oT1gaaG=0ROj^2&(V}-NO|4# zkUV5?OcO`<{PtIHn9I2I0Rc8v?hVf9Sk5?}pfW)3XvyOiH3I{jTX=AZ?otf?)~Of2 z#{~{i>v;$5x)pncu#^K7C8$UJQKXB}0HoPu^Fyw7@El{TzgxxkEqM&AQs72*jS4&l zxUauZJk-$B*7iE>-|+}=>f|x@?54zq@iaktNukRf#rJ3!NA&ntc?#P57M{iw*=Dn@ zvV)JZ0^PnEXYgeW$?yW61=V7AySz~89mWR@078gw12;u^pbAxd6}{Kyv#T88IwNJc zan+Y}W?y)_@w1G|Os)^t(lNlA!1ZinVZ5XxF56gZ!8nwLoV~pR9Ys~aSGhW4FF5bq zHUQZdaJh}MAuOSBDd@T?zMylX@l8tc+EvI=zzSbF)@V03+uqlQ?ogENLS)pYbmZRP z2$}=mps2bBjf+&Ssr3Co)mPtfzfmE)%~dV$=1PY%9ws@o9qC$C?7viuz4QR@`0-tD zwqusYdWU0;ihB%v4R(Q}4&9Bw#w4vm5NY3?QYIs|9}aK-&*SKaiEo z8R9vOTvI#l<=5=p#(!M27>NVU^_G4?!mISwl9v^pMX9ia+CPCl^y9Z%j=F`o780D6 z(=0rN@!BBDdyU|e=tA4*z%kt&s_|>pfmJx|t9vc?^Ems*i-Frjt5_mK+T#+jr{x98 z*j*cqN4>v1ed;0r)6y-v-ts=;?(KL5%>?3$dsOY;(5>dPCtP3MN(J*tPS{;a1w&FQzk;umGow3d z!B@Vx&MnaXuylA{jt(_+qnX}YjP=PhF}!5{O5}>sb;NO}nu}?n5Vn15*aAFk6I*}b zMzgo6T(x{~eVzO#;x-4@1%`s|uzxZa1f7iIZ>~aI&B1aQwZDLwz_EmJ4A<|ejaWP5 zi)RO3VK>BBK1?%ylC8T%vpyuxh(VdopKPxrHwk#4|M7&t9&SSTI0Q$?&*}r8a4B%Q z`aR3D00B&BD$J9hq)afr7Xv&t`TA(qUSRwPJSh7e65xuTjR_~n6OsF4IzS$8D69Z~ zN7F#pA23#27lI{1@58s!H82aNA+F!4`9i+?N&JV-Fo|5)-PG8IMi+N@rTjk5+8|v1tPofsrMc)G~eTQ}jlaQldj8uTwrL1sHm=duP{fdQD_(o1Kdskb7!i|vY z(+5d91%6csd&kh%o7KjHwIGLN=^@VjoZ}D!vl!0&9^_ccIgY8oBVky|kq+TaySr2+ zuSJ#5o4?L$gHzqiwMb9magHwte@p_LvYr%AvZLxtNWX-dkI3`kK#cKS!;x~d-tl8R z9_(1xn+BzSDOz5T9^PE~BlcF>481As2OqnKcj#yKwC+4OzN8p~bF=h29CA;E(bN6~ z?p-7(?MAxJxIdos6b^tC!%A~C8Haz~t)l_sTk+Ibk%w%z$k2)2@*+k1+c}?EUiaGO zYuRLtxSao8+6|rxgRlp(_s_a(EZsqKG#7YR(LoJqzs&VHm7&-;U=Q<@Mfv%Nt%v~Z z;8$hUU!%$fC@~kbubg0Wf_+2iY-G)hMBd?F(P%?YmC?(}E7V~Na0?%*$>1kD2|q|E zCjVj+WBGJvA6y;daOC3C$CjLA#CMJYZnZ znDav+Bz3B!TS)UA(xvFVt>?b8jG)G!LFPkGrMV_R=%h%CD$c#YnRic{^1NN?hPy!9d3C#&pY543j0f zqNJE8t59-KReGMhE<8!Tv=-Vo73P+HNu7C5qtf$y3M|y6=cp*Ik-|v+K*7ABcd@Q# z<@;g`IzQbEQ4OvagL6vLEEOs`of}#?&U}eTbUUPQo}NcCN>Ael-G7j?Ik_-i?gijq z{@#$^Fy>qmI=$3dx)jY&k7~j#*`>D^BwtOutOsr0a#?AAy1`!q! zbFA*GUU@lDL?0N|vcjlHq)QtTX?OQ+`k4L{PISzA>K z9VZP(hD#KzG3=An03pEN@b{9N4!5#(c3N689l874dc{#EOv(EFC@&AuTznIk4eyPn z0704SMQ~(34@ZVn!>OL;)Q#t%8_V!cPEA!+!0WjqRFo{AMcj_r^|)v-q6=_4*I%xL zXD@C66!GsyMOMv^4KovqP9)Nf&Mn3rdgCesjQA181m4pa#ZIB&Y_Z&^6GLE@TB_!% zxdJZDo6@?En`&uL)8!j)*R>~dHts>LSV*fq?O9#Q594}y_gHjbfNHsie>ATTk{?42 zG2qto#&T1IEspPuM_K|uxXe;-1VKQcNjBpkx>uU4VJ&TW2R-HsonH{+#!rop(*2F* zpKuTT837kCf4Wv)PzouolhkA!u3}7+YLW3P72`M`fAlVVH^0WXSjFwaYhAz6>BdvBFUb=c;rYG#HN=3{(j(L_`Rt8SGdxD|&0AiT-Q#&SMZF_+Uqma!Ouh>}mx3;z2R zmIOeV(8zCbEp>q5?wP8PA#C6bAUBo1PC9d5lC7xp0AO%@BLAo;y`P9;9xf{%UApW1 z>o{M2hV^vBp1R3)Q17@o#cU%#(1BHNq0-~vY=@P59V$KQgD~tD`2+GZ3TzM?m}1u% zc@F}L7DFoAa66Y_>zCk{=*Q-)={UiHhU*K-C{b+aJrg)%U&*jplr)xSiu?$L@zZVA%~w`dL}O& zwI}lqn0bz-JA;>W4{M9S-J5S74Vv*u>2*(@A*wx}{;>CHnp1hy9mU^S^}QnRIpq0C zK^{LEo995fgK_u}XP8}pb;si%G}3LcUb0%qQGUN}7bpxUFDb@yIG?{+e56PPDA)NA zyas@i=6URHiWdn3y+GUxX3tf&>HAL4(+#0Gz)y434CTDdbM%Wi!$ob$48#pMFLJq6 z&8T6T=SWm}a>+srHo(Gh22VZ@O05jQMU&utokunE&Rd=K&kIX+npp1_b!TasrEff( ze;Pib*4;jNYB$g6DBC?Mz|d`YL*K5F)&sCSzrNuFcsxBrP{3~fnCVgVBx=|Vgc(om zT4^t9xQmPw`csL&wP72z**;@v|E6_(O2-3|jjW$WEnbUnBC6R_`ny$Mk`8>~%&f{z zOC6;{@LlZ>L#S|YquEQ_TB8d^(ir@hIcU_IRmYu%5xhgf@U+_!>hy9 zu1o$xKsk|a#rzrf5461ePoE1_Jqx_#(tbjMWTHy}gm1m~rlkZNjlg+F~_MH%GUtM?~#eaaYvzmJ~JP-A8&NAL9%A@eSq|)=u65qIV!?7kR zhEpsvMB{55O*;3mc{f)-o{zFlE}qKuckkezvG;O>M{xH-!PBc76*`XLmI-4)ukayP zKRnMkcu>c~?8E%weHZ%VJxs7oe<;@R-XZf4zzWU^nUHy?xi^^g0}i8xW^SM4e+-$= z1~1}l+58=p_n? zKH%_DoU*1{+T$NOvLmBfB@6J)z<= zJWIRF=n?vH1q&keD|Puxf6fhp!0K2d7W1vYbnb1Ic(YBUaB?tR^MUoYBAFjO?EZBN<^ z(<#lC6;Zb1YFiUS(@GX1{x`uH8my>jgDB1;4|9Kb?ob(KO{5E?_mS=SGU-O#@vLu& ziuUPv5;Vt5rQA3=R9k0TDbj+<<&Hn}=1bD>C`i>{y|MEe<@dnk-~a>Z))rfBs{aEl z7~G{o-1Y~=$(};&i5)F?YHkue9wRm;+|S+Rei-_?Gz!8ETyI+w8%iLoPFEdKZkH=` zmGIlwhB{_;#FzHuQc9;aZ}D$M!a@IIxR`f2xqjn5QG7QgFtBT0s`jq!; z-H&AZTrI$T?J4+l`TMI^GOu0n*spzbN4jve(7y;(zP{9~D}DcW8Ch3K?~+N@wfg@p zWsuHQf&cyHtBtz8xz}$0%ahl&FM@^%a_y=z^ZNE(U+Z6c{huoMcdxrpcCQwjbzOa3 zXq;ECxUaA9--7V`4>4cglxsZ#iT}I8E`ZIe#d@wU)^$bBAh2r_<3IQ3|8nzH`Ci}7 zYh{8=uDrHuUq$BMm2{wgqat6Eb@tyb0+;I54)p%(#lQB>``6a@zE>T(;d zVmNor-77OL1FE=s;V*;K1^IZ_uKcxTmkgI8t3p?j)8$_MbwRkkG1nDyWt3f&pey5A z1H0xstQ*%AdF}42_y48Tt8el0lUI9iby!`u%KW8{s}EfsG?C@yy6Ud<{%U2}Fz>E@ z{!bNOEiMaQG2~4Ce~TCW!L!d?m&{JXQ>F}QoH}*<^sYqT&rWpH?*Mqt5AT15*bcl8 z8K97q{olQz=D&MG{pG3s-@Rc<&GmcTKdkUqm*T4n#((#Q>sQwQ?hXH#CJ*ucgLuVd zJOoXT2*Ag5d2Fr@JMMtJeTQqhk9V8 z%UkjdR>@gj{BvHUO_?|kCkXqMy|XH+6)Jac4|aMOtm^H}=6;gyg!Wi>&nOm9!g;11yQ<+oJg6OQM3yyy;(&(Qo6krL1;`?Z>R-YTyZme zm4T(ai5T@RD#gm)ZgK`6g+Qn>J+z|sLH`JlgIfl5QqwM!Wn1U+XBbU4n)w!*+fpZI9M^+F4{c$C9%~Q5aq4IcS7{2!?_y-h!9l&vs zQ8Tsv-{YothBr|MgXa371igZhv=)EUer04wn*dqEq)3c1DNV%G%@l1?nW#yftTAa# zjEObHm|~N;Se+>@KHkJ9>P-ozM3Z1L#3#ikCj+B-Y)Z1pWHwn$-4jzyR+B9`EwP8m zZgQA<#>4U0B$;}dGEA;y*_3I@GPzBj_-s>elh@=+>=WPDl#}d_?FU#Q0aKnSKfb^1 zv(K)dV2avtU6bp>BtRUu9Xbz_>*e>lCfEPEum3pbGI;4K5Ky903E5J8Bf^OMBVE4` zNVtF>be((?RaY-1s;=G~LAd$*w@^ar$}7TETox`m8-+~>99$;!nF1#(P7<7mhGE^Jga|Khu0|dYZbOXK8FrJ0{;On%-^f|50(F8f7f9C#zDO9@(NSX1?{7x z(MqHSD3}=d(ZY`cexeyw-w0PiTQwc{QX-fV+qc^ zA`Io#k#-|iy{0r_6G|rVe-sQlWKtw6W1~%qc=(*CGAVN5oA{`BRWdRuV^QC3CWVP4 zs%VeoL*T@|A?}!{Tjr)?&4)J|GfwQpJeM77nqE^goiJjx7M`ic1lT?z_%4hcjm34T zz;HBuYF!O1lz^XHi)E6nZHBsh9Y`2W=5c+$@L1k~n(5Ct7P}#oGzXYF zxg}y;MK=W=Cam&4B6t%e7A8=j-hQA*M1#Ac(OF*%R9vQ0l1zY;PjvWTykr8NfO`BM zOqeXspIF&g0~S{EP;3wKGJM#etQ|{!A=~W>Xal4xbXy zUZJNUbFG(Dz{`a{$V)`pfk4g$_?7q-bh2)o`C{y4f|Ld+C% zgR?eu#>CqC38wm*nsLI#LVv|m2w*q(GiJ#80j}%4%-izGC}Ao!mK*6RemMUM9;K|E z!F(zyKTOK%P!2_XvXWxhkFuGGXfsjn#RB%@VO291hjE| z^&;e53ZVxa3&=FWbb6GJP#Xv@KyQR2plwr=nsYY92#A#}%zgX)1CJkar?snz#{{_-;pqXV3(u z3e_4ORxN7~?(2BKIt-awqtWz(&qHj7cP!TjPo;Z#UD*XRp25H*d>DELcn{#M@^#0v z$0Jd4`F&4CsAX!F$vKae4M)ikU4;-(PvES!1;1ac`Q+PofHv-F6tN6LWn~4=Ckolw^oqsgPsVaM1Va)}?-7xs}`FJu+ z1)Ms&wkyYm9UfKZuw}1e_37b}1V1sMnInmwu~>K_GKZUSJ_i5ck#~T``2ortE9r*> zJD{Tox#V5rvzk-illwRqWdrw_^HtKnkZp$AzSnho7Ys_`6`V599$;tbB0ID?G~>BitnRLSp3E zT9XjVOyW(9-#m(}L+SVh>CGr6fX$>Y5RCVLVZ%HKRS4_Jpqe54&KAi!jn^@Aog3R# zdDU7n2%H)){AgbiCLOe@{6bkK;#>GM^FHzp0$_VBIU~Idep_gAX-7tpmC&D%-ciE@ z0QkVe-_P0=a?HH*^0Rdba%q`9Jo(x5W6$PC1p`*k2DK*am zWIT4*6C-%_x7KRR^U1sm(fC>PtMPCw3d>_OmiAbnn=#IcVNYstQk_Cyp~9T)U5%WN z9JMjt>XC#@0lh3nac3~Z46^ai6XgrX{`kqHOdyw^vVTPWr0Xl>i%~6LsQD7W; zrT7nR1W-;|hG<3MVt+C+{=iTpz96jfBm*LZm||@Sdv)wkoh+V0V3D{6Ph;iHp$zR&0xgrW+5dbrY!|GUF}hHO#=sq$$Du=%3t; zOqTqXGO{itP)F@VW-?@FKw{u85ToKkY(7N;>g-{UbVF1GpsqHC2<}HC8(gJmZ})lP z5I*VApq;`atQWqBF*@)qa4|G;CIyONiWC`Qwpsxl(u>Lt@O%J@t zgql+U@&66y6vLYuJQb$~zm~Qpp0HW_J$>_ z)m4Z%pYOnprwX*wT6oqP<_%E!{1`51pOVwUnI&$=k{8^vpLl39H`GXV`?2PGGM zz%c`KhB(Jl41K^eT0s_B&y!)kiHLbwS)=}XK<|vtgIbFKW2LXEp$QX(}vfr~vi(6~*F)+DFgCOhh+jh`<){vfL2=8Ua zlakYy_BN10`N>3FM)H7P1Xqs9M{6bIrFh^Zfb=*x+HYQh_B&3+8P~@c3eCZ0i#N{t zp<{k*;XaY0y+p|0N5OZHa4;zbF{y{Rd2aZ7d#ImNCMi7c>qD1Z~Mh; zIiwQfnU7|2@wk}m6utOsKje7r5qmJ_!!LoRS=5<;3m_KvT_Jc$|3fU}_P?M2_LCXd zZGI;B8#_`R3l8HgxM-XJ{Mxn4skSrz!m-O>j$b`OG`3&52UK`oAeAOr&QZu-ZM}~x z4z3f@05s_nHBJb8@{5}es?S2rKEZ?g^I5>2*9O5ONwktYECehsq>h=1N5 z&uN13Ml(!lQVz*5INtCE4J^eoqf0}_HGSs&o&Vu$hy4}137^J5oJz#>Q7YPoKo*P+HrC~}j zm))ceWD(bs+Ys?0eeq~RcP9K$VPDK`d}Y~&;B=s7zYVdO+Q7$nA@+!SX}a@khP95O zuK}G&6Jr!}xDllVqL+^F^+CowO4>Mg=yNR@fcpZ0qlECjnv=MP^=;HVzl(A__>Q>` z@T1oNyZ8VmhAeR_AtE1psezv7%d7?Wj9L0pix=86Mjo%P0+nZaGsP0C<5 zwEFlG$D;0JG2KjZS{7BLpyoyh9juKiEE4-T?=4A0*2+8q*`8E;CZoVmz=J)k#az>F zu&Qxv+1rR0+2gvho+2J+uY{!=@G#ld?u*RPELEF7D#=IuXl^n3)X}J^dD8Zk`shI; zqw&3@qv3$zSO&(>@vtgQfK_QC{I2C=nUb&4t-bNj zmgO3KQXC!USfard_8#1C%&fp^nq&E0!%RnIpbc($P=>V>2gg9FRc#!zj!d@NI(}t%3Rc#|S+hgr}o={z>BY?}5Qa zd+^)Hr^Wl2Q#7q*QOOA;RJk1ZUl7SxAuQJ4!lL&!Z|g8_+=gL)K<0!D`8OB-2g*KsTPQ2qA`JjZ&F zJ3%&BS97{R5wK`-6_p4o?2U&~SK)7ft1=FNNJs*45g)0hF8eXRl!|RCX%e>OIq*d9 zl=1}FL2H`}f04#wCK2>Mjj<0?^W(CINe7bj4Ln%oi=QX1@MgT4yvi?^P9p0zD{*Zd z{TvsEeay_pF^CjHDkb(hJt)LJZ3p}aCedGt$VC1jayV}>MmO6&G+?uTJ8QA@DCGE< zqZQ>BbWgB=p3hlRkCOr(63A_|rtOW)V zb8Z7!8Q8@P0SzpT+y`48x6p7jh8;+)K_-@D9{&!Hk{(A)GGupC8_DMn<6TPW1A~?E z>{XKmp)=~%WM2ZZozfW3F_4Al;Ixtj>5Y~uV9T+KqlB&cUK+^2B!k^!Yx~*?H9|jY zqg<~iKC|Asmx(FqgQ~|MfIG4Lq;W2zx9Y!9(fZKM$XAW9)B3@Y=Nx6KA`dn^t)eTK zxpV^ij0(76PTBkUrXnGQ_QEsedl2>DQhQG(wo>7pP(2a}-D$zDjloI)A{IZAS3%M7 z#EkoMx0Jrm#X5;nYIY>k;M+~Vdsx(Zz_CrLNfDgnZoZH8cA$-7U!r1ctJAhj%ZxJK z5IJ6bjqG0-o{X2i!0fjS`=mja=743pP--R2GSDtagFVh(O@i!mNk!u|#A)3pokhCk z8rWEcc;=)ZVgdIAdal2RHrRD&PUr@u#jZEr!q&bH3;8~_(n+@L&2c;sBUs3iR^Wtz z<$73oGC#iZD9SQWw&NrqiRH%%!+1B?txE6E*;H10p0Ov;BDu4H zI}bIJJ$N#|d-*10-rpjMrIUU{QX1l)F4p?~Kt(QWP4?9z`EIbO0ENz0o+JIMZ^V+M z<1&>}ond|j+XQ_m zRv{!G{E4j*X(CpOf(~2R7!^q@dYrg-5gW(i=j=7OZ^V-FFrZo9g~#~{kpFH}{NRNZ zf{!l_OyB&ZJ-?#Atz{)G5Nh~>Ry!@sDW5+d5l^_CFF5jX;dk_d;=4=C$b1Ap4FQnC z#~93@gb=5Y%nfc^qpMX}7IXGx@)O9n0f58gFOv8&G*rrt>3q>B#29v{xtO{XE~d7) zp)c{)73@l67$(iwkF9IuVrWlTR~jt6w4|J8xrOYYTsUu9UW&DTsNc^pQ&1i;9{tjt zN+)43kr{U8ihY^6sFK~D4=JI{UjJ$()5|c7^MRJNRVh{2av9yjjIBBrl!8k>BU*NW z6KhI1#_$T`2C^a8Cf4(@BnM0eeklWX;KF1+jV{zpN|gX;G(jGxu$)Ns0!fFMEM>4!zcxr*9K%Q;_BxIY{>n3K z9&3ACSGS8Zw!LZjSwjo?7*Yh{>Fe|u9#IkAJzamFiiTj3Bm1l)j)sperx~RG(fKq@ z`cS0>b#zM3h}Pk94_sKCGq9r-5ILDF{wOuWzOcZ!g=tIGI~hD$x?f5A1nvMi8Q?IF zq~j)129Te2T}d|Z^Xkro{AGxF3>7*?^dWazL%>oMurK7}1h4I0m7z9?I(7{RmUW(x z?n9W@g6j|Q#bkQukeWA#KqYL_@6kU2A;so+3NIZkjz%;SQh|w$}rm zB0I=XJZqUzF6f5ulpwFGf-b^_ypaaxFe+pB*+_!~Ym01njxX8}Lye(Bxb;hSAN(LX z^2;&jW8ba?UM0p*pk{wcZFqv|#l?_br~Y6v*ljL39y#~;Q!yDtw-hFm65E|#YU04-3Xvu)Q+~^Aj9St$(%xr>& zHLBpiS$9)NK;*@|LUig$%abP7XmVu6e5<8CECLQ8PSUT|1?oVh)bTe8J7^I%0%wVj z@Ci425pN-n%L}mhv@pxs21s&Z91nr|HLwYTGwYksL}W0;;tXAhqih!PjRfFFvpHaq zIF-1WUx9mgM~?X%_@$VV^-qF#JLrZrg8#q|@zd*(OY1v^3UB6`_##fC^C9*+)F0=> zii??}Rl|_H4Le&yccP|6jYXEcu}CRNj%-!&9ebTj%>L!pAt&}TV#~e0h3exvxf#3f z!C$nb(yYQlqtbnJJn1K$P%@MJL(ul^W--`y?hvaiQ%;>?Pc~X(0H3u9n0RfSZ-C;W zCr#FJ{vx@F+W2^LjZzwF_(L0592$bxGu-#G4v_%Z1&`#n=Q=KFN{0gkGAm3Ajs!@n zq^1u@l2c+As(FF$*<=T4ya>3N;;r}_&WDkZMNXEj=c<9q;AM3ez{Bw)M{_g!LSh2JO}+{Lha*0{b2O{s2IZ@qHZN* z8q=Mg2@0~ny17M3=9r^{vkUJW4{*1L_F%SqZa}U1{0-!R>TCo-49i3Z*e`Fy?~wh5 z?I|a2qjs5I*vfPR= z$Jg*_Evxo-2s`Ok06*ZHAxh&Xu)qYjKxX8Wk_tGh$Q4NZw8V|X6q3FBEM5RKRY{U8i<^n-i7LM2^#}p!GEqhTVF1BqL z$`A>6PA~G5$>D>JMGSzslJ0aQ0bMRVn`R$hG$6M z8=_LMp=qXWk3RTVWJ6TwJ~7fHqA?$l-d5K><@l1pBjg20OeT5!8<4?AQh@C`M(hU= z)--4IuT&zlJ)2k}r~oKjp02i@^DRe~h7>MnT$@XJ_}{10ChE`KP8{-#=yS_y&t8r!M-53`(wS%`$gb6cvxp2ZXyPJTLa*W_c3q>=lrE$@$Q-2I z-K~?Ar$l4Uk|%^Q?&F*o48jrM4onT!HeA9y(BYu*%?CRc5y6M-JSY;P3PA@n;oZn zgnHm?*-p;$J;^-RPO!`F9?d(Xsme(jY_Ek(EIiX1%@1O1-qqYGrSz}j*p5Z>ZflY4 z4*}fHLqsk*6)d6IK_Zae2H8&ntbJ0Q5LN@Q4P5 z9b4Skfc1n>*1Nebeau_{2WtAncqXQz9GQ9hvZ@h?WCxn<3C%js{RF2~LvEBv`s2-n zajwR*F|QNjfGiOb#N}*EifKD*V5~PvAB$ul_^Ika`z=dhgntF5|NeS&KxZ))-Xoga zBh9}GUg_=F7<>@)cNolcPdN|dLWQ&q@|JCcG`f+{N&gJA1qvz4Z#OGQ zqOS@W-WrcXe2Tmt?Y)&5A+04|8TTRg!?_?d7m;-`93N+i-!V0GJARlZ7uBMpQv>l~ z8*E`@ns6tLDH)FBTm&jIze!vnJV7gKCZ1nvJ&HAueLKdy&N_DtC^|-A9w}E!$2@0f zEp`l|M|cUsAg1a{<3t^>;&^m4&%!3?zE@v9c%FaEqf24;#PPkDk?hAh?33=GWJH~M zSDUd(Z5>$is5!p%z1lQ95)UNLLjE;#3wRco>97GiHi>Z3AJ6@1&A{W0>XEuXoR-@~ z=5;tcbqomHDVFZK5ihZx@i$;PQ`D0;mC`SvDa7)CmOZCkHfMB=ab!Y?fI90VcAe2x zkR4akk?R?Yn4iF3Te-6A4ix;Pu0ywnCH>ePjPQnKPz`@L?Ci zapK)2lOyS*qRDxt1CUy*XKD@`m1*S0l9N$bu>Qc>C@i91<6FVWRso23Ufv`u#qWY~ zbQ;j9zhwLAMqm`W1(kh;c(3#w2HoU9P7H2xzL9q;s?LizWFb%6KOTjeFrI}60Dhde zP%!!d1P+pz`&yGAl~#Be&=qTu97NWk9lP-qd|z<72TrxFl1gA9!u$LM;2MZ_e38&v zK8PLSMeI^ab~Apb%S;RWI80 zvxPAu(YXywwmzz7-laseAdg8s+>`8)%M3buB5byJ?Dm&WwJ{z()>#b)kp3PECT`!i z;1to_5-UEA1*XEEgqQ^LCU%Vq7?&A{eY1af@Tl~3WSZ{ew^Q~U5@m_cZ zU;x;+z>Mz!8?1g8#QjC~D}5_lk%Z(}4yWr)YRg;>z7uZ8VR93|El{mA7V)Q;r2Wt6 zY#hGG2zUs+ZIS`88o^M-nUz8@nrd?-0Bzer_8HN+T2D1XF9gsFTxUJj8YeT>`#phJ z(k4!)mDJ$_kC*h^`xA;K!}fq-9OYuRACY%Q73R#_6TCt0j%b&xdBe61DhUXR)eT2(NI=BS=Z03%j$1=MMG=ldD!gL@%qju@EqXqZq?Fb zM;=D$oX8i`O<>G`V8VPvMsMG8PO^XNsf?DqT4pkyC4ovFM9qeDtIF8q zpClD$!y>MqsuirZc9qV_0~xefNvzG|$$b1NX{0&6?x@|2Zv}K2`FIq~5>`Ugq+kHY zkA^O`W5JV`gh-e!pvg^j;3PDdA_xG&0{>XJi76;nv43g`hZ-6ak2pNNFpek0l3wCT z$AFIhkWh;k^L;3rw~COg@_O9He?$5O&XcvBPp~>wFagJrkq}6P1^NBJ66?PoF@5n0y(SKHx7|DT zzf5-2J-h3kvH~0^Kaq^{gU1fO4T;Vdiw;JMThVK_%pBcmYFrg0E&4O5y6I};K8=`o z^eBEwe~j`+b?NGedKY95BYD-$M0La+YQ1Cbc6 zNTJt16!|W~rvX7v5Q=p5GDHSVH-#G^3@pN`d-+ONy_cJD{iXj|+vW2AL+haLk=8+z z|I$w=dBVi5HvPjTcqs7=#nt4(%h6d^|LBULxt4f%)5O{tk;c|{<#Jr<6@=YHgmd}9 zE1$ard*zQSw?Tl{M=*Fs(5HD_};`c?)ueEU0J@5+*4n zYsiJfp`slnF!o4%Ex3DPBfnC_q@sF+yQ4Uky8#)`3I6_Cx7)CiwSbt*EK;Q}rde3=Ct{NQ*M z)5nH!~)>;NUo*AdBc2%}WSDb{;q1wQl%5^Q{Pcy@#?2|rl)O*n_)fS!k+ zR|X)IP7#i^U7@6Y2`zgMSnR0KG1xZ%)w~zjCMJ^jaE$a#6rI+xiqq3!_#yEKASlvj zTDFL3;Xp?`6Gs|x5jP5dNO)j&TQ(hRgRz%`ONlo&1nkgZ^GNJ#`3yJkJnhkPBOix* zfQJN_sm1~9&gD|7Z{3USwIzKFpXa=rXwswHyWcGX~=(70Ccw6*C31 zmQ5YeW#5?RquL$q)Pn|Nus&t zOkkWWe8;>Jx54XOrG>cCabVWwfj#an>pe(l8v-oDV{vS&*;uCv{+@S>qIOJ6VR@|i z^FTJwnb(skd4ALt-|9J{pmF$Fu9@!_7|ijw2G6|Ac8OmjTkuTIj6L?nfP131YA{## zDSZmpN1{?`5%vat#k(Ph`TtP%E?`X@?f>^o$U-J$7bdWQ4P+sK1QJX%k*p8_2?7c# z8Wa>NXiz+(LPf=jii(PdDjus=D_X6GdaPD$s})bJT3hi{vDK>8w%Tg7YOAf%|BZc~ z=Y4+f^}DY3{c~{$$+B5yW@qlX51;RF$y>pPWYyvz{yrR<3{9F#LU4nvln{+>k>Ft) za1#C{&4cQG0sOUm=rAUhe}_p1(LL{OKE%jiwOvy;96pGxfz^J4dRk{!BV%=af7FGb?}1V+>ZeyqzE!%xFR zCDwwlT#k~-b1JaWXfXQ{owKWLu^(gNr_#eXmFW*7CsN!Mz&7(U1UJzd`m4mHO6Dfp zwelA8}u#JDY?Bz6#Rs z^-cQ$MLYp{20(-kJjLV1Zh>(1QOt{sO*oWq#$A{&VU5RvV};bp1{~s82kvSig+9SC z-u?QWcXoJ|;|ha`*WZ1#+jz-c3W1=G<}1rUsBGh2$idSWvBB87Wfwh?anc#(jb{GF zA$cK?Bna;9CHbkyXk^?tn*P9~YE3M2#QqL&YbPVzkvkoT4*)FF{k=VshB9}&k=TlR zvO_tO!m|RLnk&uIYy%+7#yXglINNfL=-c9KZw9P^b+jmO-0-2L6{goTxTyYb62{+v zB{xx9UXG^~Xc@b+5Qp>0Fc$lfXuKK!#&Gy(-KUTy!ZwpIaeOdw;GSk~!G5uA2#Ls? zfY_MbRmCxg33YCSLuc#lw1i}54?>KMPr@ynLa83h(ksB;zf0PA=76JrzkMVbl{W`R z^PTitJq?d~;tF+JrFc;ZL1{P3=yD{KF{fBUjIMq==<$;4;;*23g>V@W3lmzWqS3Fu zkN8w$7wOpCK}d5()fm^b$yBMjHkj}=4NbYFT{$;Psn=bzng%l8z+Gv)2kT4lMpSbZ zf;)gRPJz)g-nIrJO64KuXZkOhH;X&@rx9HK5u3Wk>1@-q40~ebvUB-#6D+R-E3dL~h99&fkiSUV33{r|j6%BSY^J`kru^(%rHV(LOY4LUOmgk} zH{Yc{;6&z-*~-N8X;_#2Jt9W?C5F>qJk?kq%!jzsNtnAW-p+?HJIk|p4QSPB?SFu` zQThx?ofsxO=M*CSv(KOuf1C!s#;=g(C(`r;vJ8g5&fd=5i;Q098$jYDJ;axS{Ut~& z;ElU);WGa7G_w!gVKNAKRqao93q+6fqnHSfQx}o9hb}c76LiMI^HFWikogb-ab1!z z!A%TA9C2pX4vu2q;%%Ph6SXB44q1tfE ze|LfVZ|;QZZfE!demCTp4b7rWU+RP{FT@#unk}{2B^Jy8_efj4vi7)lHV8A3o%n08 z2JS-ovY=`0<{kJxO<^X%TGWCs^BSN;n^U>ZAYl;@=7kzz5Ff;Sq=3ne;z7)H{P-m? zLy0k8g5xrtI3_|)Qu%DPs2+ZxuGjXlqCBu5p-RRbBBgiOHue5M{`=gY^kTf1dg`Jo zJs_&mlf>a;?i7Y|ry4!GlcCM8G1~IMM2mZnDt1kIFBsaDFtnQ7Dn=>%nX^%Hl!s&bOq|H^)L9>#2G7#f7S0%%QPTL_S_IKT zjgMMqB0ZXhX;vyTpZS!}Ad&pFL`FZHS)!jyOfbOB^F7<4d$t=l;mf$4-i~ds2{8Vy z3u5Bn0bhuR;<&7AcNDhrg(Rf@w0$Lc&oxd?&+|t9lIKVLZYdOJPFLzbwfsiS#Wiig zRy__f30q;Z;U_h_#qNyC96lCn zXe{PQn<6Kv$Af|9>wOH@-XZNx?94n=BHjxUg6cjn@8il zd>I>rFS_$*$z`}#)06R&kf*D$)Y-fAkiI9c#*+a^xW}c`po}w3pJ5l%N2tc}t{-GuzVaS( zq{}p8{oR@35&w*j^_TeA;Xk^k>iU?|^`mx|=ts7$oRjs_X&aDWRO1x&QGYzYoCD8# zmCXcBc3eeGxa06B{7m0QAC&iu>m6)A$&CuO{i3j+EGpv@AnzL|IM>$i!7w&(1yrf$ z!jxkdLsVcf8$Znp5@&04%K%d=A3Zp)FJvszdcmHj!?8E#WQB9hq50EW4S^aa%Ciio zn37bw0be`>nql8#i{&oe!Kpgaz8weNhT$Y zJ;hH|!XhCZxXZ(6rY=q#ugs2?S?^_CaazIrU{;Z7LY8pcHYCz%#arkPf|H44v-OJl z?ROSCiEu(=REm2wjA`S0q%%;O(-9M6gt)F47R+#vU!H-tG!=tT(;Oik8)=%JGFp<# z#Fu{Q-N0Y)wfr1Q6W4vaRj0=y^zTy))LVtbuf5&@Tvu^l|#Ocb72*a0TU6 zSmz#W3r8Mb9Ii{;{axis@FIsYW+Tw+ZGs&CZTP~Bcj^V~uKd;0pSf2Q%=av>gUqF> zykg$m@TYD7GZEG>XCPd{F7kWL`}BRHqdVZKylf(5j)%oJ?=r*L`XgX?j`wO4%iX^G zWX#exj9=@2#iwvQyMzgaQNaqQhSDKSw|(DXE^h$XF`qx0iZywUTP>Q5E5@rh)Y%2I zB;1^d1D#hfi&v=^Das$?&zx?(oXM+c=4zC>yNqOC3`&Nlv9&VRHdqeP{3y>~nos@R z2Hm^$E~0~c_kDcvnss;^TyJ|mis2xCp#8puB#M8E=Q2;BvnEgyr(4KS!-N2shO(Jh zrW+$v>0F^{hsL{TA zD`s;5$sbxV%71sMuDpH&PRcvQ%_W97Wldl8Nm4Tg$|*EjWm*W*93bwWwOs;m+KFJt z3?)giwa6SM-`z2e78z}9?1Fn#cdt2)$HCn4VY#oiF1R$+Ji+Vs__AVNBMgrt*ff4V zf{h}tXS*;dq?D-nVHqccp?Ri_y$mTNV>dsaK4p?FH8Ign2MO2DgZ$VW{g+#;<&#JV zRJqZ8-N8hX^t&_)@+d_rLyS4^O@=Gpfy6*%K}B_)HJp}`0I3Ew$#khVvs(N73cw_p zkKs|pY9D(q=Af`1_MyouL6pnWkBQdOfchdP_@ImAiJO!Rml%#?GV+9d{4}-&M`gKm z(Rf;Q_rO<983+Yj3F2=B{TJW>{Fz~Wz(fAZAdGxf1^oIe=iaL)Y@w=u`?p&?FyM~) zg*^EgPyz^@3&6^$NFI3v$%6+T!HVd0M`Wt_8%KNs(<2+@!F>icGNFUlHTs5+yV2+u zIWzL8B6{h-qa^m-bw`zL_TD(^PmTo6P_<7;?aa!qtUJOc++KH#OL}tSSU{>=e>^Zf z*n6CIjcz!u?jC>hc#xP%YlD0D^3?Ku2iDhWUK`s~8!})TofSH0k!O}LbX|R>y3gj_ zzF}nt;E*1l;4a}6U)1~RDwDjQ=_cN8@MF@u?(&PMd~(xIHx+PMO{wcZrC4t@~HX# z#{zrLw-*d6S2<3_et*L8Mf{*S?Y~M5%8FMf8P3MfQ>FEAF6j3V=MfbDQ?;$t@9 z=A8Ci;+=DLd3@KmHe~TXuA9-_b?^Poz8&w+x%p+shsUE93ZuX19N-(6{?IQn+xQl9p`SG>m2BWf0bs%*GKVv(mc_8 z!8n>JoLJwKx%VPy)9R|0p6e1bEqHO)sQNyOvtk;SF3yhIeQ|NOwvE9{y0>rYv!q9d zo5y?Q_|^8Ak<;O-D|5FTc>pi@nYS<}LLwyDIuHZ+0)Cxmjk0jY&=2 z9jw;f@O7S>zbOrW|ntdw>11x_uF$yYI}WfrSqhI$NLR>GugLb z@Zuh(i@o~y`mk52s$je@WL=;7#-x?QKNN-ry=Y1|(Qz84&)VutW~e6vhU_}Mx>2Zk z;qE$&UaOy_omO}9q;|v8!5Pu7E~s~X{?&r>a=c)8=I!#UIh!|bx;o;vq!{FU<=)>a?KO8wZ$24N;_qn6?Y?s2yBJ9yYiha$QSIWMBGk^GIj0S(LNT*rB;lqx4+Pxh)`)&KF zu;cvDZ_D-i75&RjTR&q{zo_qgx$JD>AK~MgvO1g|cf42MHI-j`SF9O7sqC|&3D>Lr zisL5Kc33&_`(+y$-1?SPckVADrsPpWu2=oE@xAMle%bfq^*0`#(nR#1d8$K1_0#4F z5mTPu?R#>{i>H1Ir~bVU4V)(Xy?ta2qn#Kzomjdq7oO;k&Fte!s;FUt`vmsTCZ{@& zO;;^mwm@QC&mw0|NxxDsX6R(K-&nOly4m|^Ugt{@qb4t(889#T-Oq{>e@bmo&o4dc zYvMEeU79(^S$eZJ^yrd?B<<*D5p8^59QDrLjDly*K&9`A>l8{B)V-Vv*^S2M`}Rw-Mq<|9A80|LWLJ;FJE1sRG5GR>Xy-%aN09sT-*(u#kQ$tp9YQQd_+RiEAAr}iHd5Z!dt`!dFhG9JYmAI9!tjN#uY6N1 zJc!1=XgTp^KnK`{7Il4%m%%HGTVGaVcxfr4LW>z+W{?U_gBcRodW;%}hK51k>^1vf z-*96f%B$OJq*x_4!=ET{s)4ZtzuWr0xy(B#mD!=H+nb@pdJ;q0GZhF>B5VZ;hI+hh z2)BL&6f$!JBG5;40 z`@eSVG|czw&Ii8g*;MF4EPvRE@q>Yu3XhQjdN~ljg5fKiRYZrvA*~;gsnEyg8U7ca z|Ix?)elhf4Oqz$CG}HWI|Md$Hr~dOa9C%k2x&(eegXrXn#D@Wr49Q>k2r?AO#D#{v z@Og2p(-Bq{7>Jn{J~&+wiFGs>y?uR8W(J#_5#MXx&c|9@-#uRXi|TR;Bct^bGjQ~$u{Ml|q#{*A`||7QOD zo7M}!Tqth-5B-OaMh-Um6#+;W_$r-)*9EtKMb3S50uq*~S~=G2v^I|aKyV#qX(&>) z+Q1OqY|opK6Px9!4)Qu)3M7r!b>Co VHBt%D`4vZVM7u;yL*#KqG1ax-B!v;1R z#p7&!Ii3x!QnuE07Xb^rC#Ztrp7PXqvQo%YMYh6*UPFV7A5*+OAJJXGt#IH!lLiQpGBMuF}(Fabt;c7morJ_3DL-b-hJJCr(@C2k8{kun-hNkKGA zUxn6IH@MsVi}JJoRm`w5S6}PygCP{=7>@PRd64VK639zERAK)Y@Mp+>qM!T-{VJUq z{4vrfgq&sdfdANs2_eH$hH%2ro2A=?Vy$x)0emp?K#al;G*2YxgQ(YFIyyn@iYuoA>eMX+B zT9M$+WO+g);gQ|;j3Ih@8k7>3$erd{u%WTDQG$e|3h4PE$W9Y=bL9!%zt-44PE9Fv)^i z#kKa87%a5AH0sB71L`AEePv#Q#kbil_MTGc&8;0?6JSYh*f)HKXae?K{PD zKf_H0O0Z>O;YZ|jq+t4$5Q!ubt&<`o^Bic{cYfR!N zPB+Lh84NG?AF&tlZO#uvCsWXuuuNlX|MgJOHS8oPIL-_xzht}4&|uqLALP9B%>605 zb^K&t#V9~H82d0i=z)S@=Bt)Mq${Lrg_4Z%4@wYQLOSaSJ-KNgKCi(oLlKmK^SO4@ zh*Tf)D_q3#D~OJEEyets>tD#GjDgo^#fTel4J}iUZpz6%sO4{2!QXHld)J>w%#@S+ zkYhFmNs$rS_>k5({mn*cZ7}B(WO0UQo&=H2pdToPg!~gJH}q9HO0WiU>-}4qQB5I^p&|NE zY{0zfNeDaxZ=mN5CgcxwQ+6{SV|f~4M+I*?+wg4-qeAhlJHv7%WV;Rs6W(oE9}K5$ z3sh9gPpx$s5O<)(`nf30nj}_hdu*otP*Gm#KQZ>ocl2@2Bjs7dsgL?6xV}wtB5sAs zdy$UvhSH==KaAH3gR@S78fJlP_%{Ac!^O~CE21wdHwy`nH^A?L#yLmht7oJ5M2~l| zyceSpLKp0)pGn;ADpsHmKvytBObjcR6Rkd-YU`_7f9kZB(OTrRjZ&fZ+OGm_=LO(Y zp?EejG0U697fPEE_qo;?WBZihKGO1n6pyqafpB{sL>-)6qzCd85tYWb#{09}w$X@t zFMt~zaq5R5GY4Jv7u56JmVnFJLq_#+geZBR5lO>0nyqZD;x$!hS(hDr;Kbyw;1 z+`<0l;UI<0cQ*7^&|=zfV!M6`ElV_I$AM&vvp<#Ci*U|XxfZt*4K0H`h;$cu4fgmR zZ_q+by-ASN84A0)pfex{uCW$S+Js~n`WEvoYj<|Y1saG0#e=&QlTC$1Xjunn8}(Uk zL@MM*Ej!6i(cCpa>(RZ|R#8OA(Xvm6HQ8K5`_!+8C-PvZ;k*hf42b5>Y!?)h;!%s# zI<1tI&8p{s0Y%R`)C`yHFX@qYk!OKzvrj|4c#=aU*+DTh9vsqRU4s~!Mhfk!gNb>k zXiss43M`adq~RcXv)T5P#(azXlksg^Nm zjByTl=vC>$&7YHZxIro!rhCWoVSpGBg9~(1VWQw%DxC38E=Nf>%tgiInvm->Qs4C# z%qf~!^)H};E9`^vANNbhH3}_Rfw)x)U5wDn_AYiD57VDXQ(_S7@+2N~4`m8n?U2!= zeml@SLvY+VkLNQ{BcL8+tg6SrwDyRhwxI}wmxo!yhMYxJcla+s_BU+=5+r8C%|?8g zb#WJ{_Ffw+HZ4>`u1)#wI*a+~(K_W+_*$K)1Kg#~=K|;K= zh?E#)xhIfS4Gj>T%P1&Gi$SgrWP-&uUskePmev#12UEdP8RR;J>J7Xl{|!`Q;|>yh zhNS7gd_IlbN0Or_PWc;~o(IvgjE&`~4iM*Ek%MKR#@9nXg-xH*YIJd3h~sO>M4OP7 z6im+Azvn!`HnR`;J5Oo9NkUA&w<~?k64nmVPkyp@#cx0dyofX3qo1z~FP&DNjpGx$ z;?-6}2DHxaj}3E){t#}j|5!Z2!XR%oP`%OUR#~)muF@6euaT=rj!C9Eaf-EzJ5)5< z6c(h_D`BFH74sBjFk^b+3&Ah?0(01pT^M@a96(xG%EXQW@Uq!CTO05T5m-H(oPLD z{YmscpdgEpcuQ?cMm~6qwBPQ|XQB-=LLf2H0UU{;=F%&?i|Y_=dtguL&av-WD#9%e zjj1Zg-V=HpbS>|vGe^J>UDjlG-2IG-jyjop3`j6aZ~41l=f#z~ZCdQE#!;^rTmvvJ zTUO+lEwea+jK9+4loafqs|(+~kzCA}uM-_@m4+IEmkJ*`mLT;k;y#Nrur~1-=4uy` zk-7VEonie}Y_7ozO`MV@(}7j*h zQaj=(*X8_$$a3=iEGX?7Dn3=RE=w)wOUiGq68}=e&-<;jWrhh@jHEfHxR+d4CH;wR zer(84f;i!w1ALfcIVy>^?pBbka=Wufoh2~v;9xcy3{7=KFUE8=?BKcL`^dZms213VXGhSHI1~~8ij0J zgtVFgDX{PSfRt(J9N}0Cze(p9;1POkP6ta0hsn~~BHdHgHR}Tm83IYR#h7-PRD<%9 z;M`l?GWsU{)RuwxULZ9#Jzhq0A>&Hub1O!c{G;@h9NF*BX3yj@n5^Lqx$h#|Eu<@x zzGBo{`F#d)Pyk!taJ%vk%YlL87?0WX!Ymm{$UV@i#Fr!+-4^i~xfbm7bv=!AypQ4iW0Y*_;&R|91Xbjy( zJ3;80@8D=;7SBYRdLm1zV)p`?Y+IzzFN6W)2uoa;V?|b%Xl>NAZyJ8)lozagJbJ2YV>IP^38a8AzC|H)&f>f+4ALR zN)d)Wx$dKRLm`$L#iZyg6|7fOtG%rt0yjoM1=~J9ZluEEALm#=9lxo>eoE6q<;HYf zl4C65dTVvza6dSXs6vSE(p9%R~yU1#ad2;TW|hfb@cyEp zpt(6eA?Kk#RHFV_N!!^H zu*OG8wK-$3Ee<>4V?DpnWKVLY=xcriO9r(Fb(Z{W&Lpb0h~;{Ehz`sB6|Jn*w?XX_ z+ju~|k<6Wv2Gz&h)MON|T@lHBr{qKx1Z1`Odd&)bT9FDMMlr82c-$x9WRmwe&So^G z0Upg7C5ft$>+j8rxIYC?=g_k*g78~^R7s!v*PGjxA3Hwodpm@Hf19!df3%g;N z3088L2lyv|*ikF{V7w|DjUR!y3>Lj5{cbJ$ln$^QXfO6tn9{>>C-Ih{yqqMuyJ`P2 zNE*)VW}&{)*WvcHX)u{?FUy^Y>~7$sBsWvZw~OSdT45+AZKk0AzfTBu6-Mn z(=#s6Hyu6NaqR=d?xNHSbM^qSCQ9;PE=izT5L`99|s^nBLYx5`i*hAcLz;1k0yAP8|HI;3_4!DdH8+rCiZi-m!y}OG{Mc~7Afjwt~yy! zlg}0ydghl`>`Q?a(F_A^bRbFQ40eWex#KuPakRuTdSE&*ZF@J2Mf;LJ=N{`#mklJRVI;1=;RnAv z(Z>0jeHP^FD+^-CQo2SB#(C}>SJ|pM8Vi<)5I8qv8mTWaSB4Sz$Dy-5+AwgQ3JxSPX^Y-9L_^*9@c53$R& z_6Ty^ln}777^l$Ji@V~6i;h^7QflA#4K~60#_rsG=lS-m3EH&^U3|`Gtvjv5u#xv@ znNtlvW==(y>})5?C0B7b5WjSfMfKY0W^sVO^fLpy1=x4q#5Lixy~M<&QTfV0EZagY zl}YLy%BD{Nt>D<8uwCiddYrx9hqO3~LY~_}x$%+$Brkm|BUBrk=^Sf5$(Q&5K1n>o z+5fbSMLMHyyA(~dZ3D<);XD0ue$L&mXp}D0@tFc8-dzHmpKFMO(gxs`@eQ>X=^xS= zEG_FK^haGV%e!YD3!g9dp|uI^C&}`4Fj=(*sSco+0sEEjX<}uiNp4{NM-T9vew9{VoUw#~-*U z0j{Tgt{DVcJk^3|+1gX!9sQ9d*6i@ZoUf8zko@p{@SPoA&}w_QF?S=tGq-FMOnKe? zEY}UCTd2c!QKk-4?wbh^VQIgwbO{-5w4+Z*A5Wtr8JkWdSsm1*TX(|0<|o>Vy$tVn z)zKT32Rpt-?4j0omtc1ppK-?SPcPFYreOv7$tX?kXL3iQ1WR&|pt&}D%NMBqkUyi` z&9tugS42;mK5gCJKP-$#+Xo3^#t)l@qvS?gjfRYy3vg+3Hc;}k&8rI&FfbJ?BC)A3 z>8;C}y8@3`4-3sl9+cYwCAT(T=-KZ*b!B1fr^&B34sS9LF=e*zqxXr}FurjPEvQfA zm#_~Gep@-2wy)xW{ot8*r=9x>kULGXwXYVH50xlSTNkc<8k`med_hqn zc7tBcYqh~jqHUbB@`WWU&@so?v^XI11muWS-?c1Na$hQhK~VJ4=-{iRTli9Y@?LQ% z(#%y`IkvxjY~pttqgf*znrTA%iHRorYc$q$Un9-)6GAgG_^(n@k>e=Rv?$oc=JC)P zzX%6XGO_cRa3bd&RFo|$6u<_0AKAvpGCtvph5AXwh)>Vd$cjfII-WYnO54*w!Q~j4 z!Mnuey3sBG{>r#cN_1yIC3n}~a)ELms*7IMOo4KG`N z0x*Be_+Xb6dF!!N-QGPS7K!VFNGDyjaG9_14#RywpPK<<4!13+Apyq;nHJcxw)KP* zY~6yjaY0OszIWPDkTpUD{@y@s8cUK)qk_o?>fRcR?bS3Xe}hJU7k#Py-e1fiDKH5< zkg)~B+Y#0@B}l9?kx(%=%p}ozwLMh))^o5!QN1yapVBm(yr!KTMA#gth**bAll5Xv zMB)I8m#baDkKG>4g8H)Ukz8HT8TOw=eEa&-B+Su0$nKvQCtdO3z5?ysoU_Pzk~;0F zIp@&*y_q8rbUoEAo{Gp;+g>n+bLtU)IQiSmQ(z+t2Z}y0)JF>w@D@| zZT20{w;i~iuQOlRdkmExc8lzFF%_gm+fXm#6ZK*!fHzFGZWlEHV zJ42gR(`z}9rZW#jxM_#Nc&u|-vNV!g&M5>@rLi^nsBd!(-%{O{09pZ#!P>PAr>NQP zrEy^M@|$7L?kO>R&+6PMGxXCtqaIHMFPEW2KjeSxXE+)qMr$vfdvp>O-ehg_4ZiKo z3;HP6-@cZQ!f4isg;}MU-Bs!`B{<+sGs5g$s?IePVLYM_vJbQbE1mBHvrxCk@gpoe z%S(`kDsf->_~nu`SPw7es<3b%FQFn9ac>98FC)!tGp^B4MWUN+#2d61C-8=|-|`C~ z%dtxR0af>{abw{?Z{Id;OrUbLS&-MqJNLolO__TkECHHgVM9U@^gIwr~e?+wHqRwGw)9lj_?Y1*&-;?OSlOJHSt{Da*Adm}ZI9VI=uxU1c$pmfoDlht*3& zx;dW@1Kx~wKqNSOY{3U7+ZyFuG4 zoSJf;Va+xr**5EEtXl_^eOm~&0V3}y6vV37W3DwQXTMP@!MbW!5=tCwn~j_W;v1Cw zAXot&WuLWWn`!ev@cd!op0yQ>_&aHN12VIbFt6|c(q)_T>}Ld5@d;#`2?3ZOPRSYO z)xjQ0v!tK)7R%nyjL*)< z_xe#?nCAr1=|9owBtTH@7R`EFE`Tv-OoWsGNZ+D4yp4YX*phN= zh*Igsu-`#Xw9JAiXix8EC{HUVewi>`bGS1!|`4)t?|e(Hf-9&ubjZa-dYzeFC_uwrLz=7+?U zB&*BJm0|V5j#MiwlkTHJBZA|k891*K*&!4(lnEEDf6{4H2^mZHzg#&;h(YmX-+*st z`(x9ofJzJB50!xBly`gt0y2{WDhrHj=b>_&y05YEGQZpd=9<|pRDw?zB3+q{GQlP7 zL|}59JdUz^BCx|!@8|JXr7f}=Uoih4FgN?bkLR+R{XEZmbRuWUej@C_9|};iOYK$C zOsTt{qd6w?a)jMWhEC!cYPI*8z8qP*JXfCtt87&6J*IXPeO8uFPTP9PPmLs@j^%=* z57P9Hb#7vF=u|PU*i^!bT@<7r2MP{tgy?+*2RD^$iz1tH(vjuw2v1*VQ%{GHhu5S9)+k=-zm?S$uuS6Xe~ZPPPQ*(za$ehvE6vPWn7Bf_+k zO`FfwJO+6Yoz=jxq)xvEY&Qu?bDA@w5qQ+P>dydo-S8J{D@o=CDR3+|Ey*J2(>_A_ zFKFzL-Uj^zh}v9|tlP*EE?x~FqWOtR!vc=`N`Tt2nK)a*Sk0;+iGOr2q`n~J+mKC( z)!+HM7lC!RqSf!v7OK_HWqvO|(bv5Vch=`RuR-wE7s>;B6uC^qy^m%kuco!IR`o{g zkme%169q3AC~on00n&_RA#dKjdD)+uu7oUbuW2fg+9UT8{Xo9MK|Adz@}%+!-v+>l z7^>B2qUJWSJ)WTT_=CmJ8jsS4q7SRT(VrgjM5d3nznAvc5PghJ$1b3=HO-NDfY++N z$%3W#g~D`{)QsbMS~k&gOJ(PB2tf#+W~GoJ+V?H6`UVN3ELp~vGc4)E_%8mIFRiQv z4VjuC{qJyv_p;hnc5zMw8w1Dkxz(v;-SZ>jnqctAMSge$*&k&{z%4Z|qMN`R&?L5+ zw#jdj7H|bEMVd|um^z$kc9~XY$eo4gVd)(#FFIOw-eL`CdPo+zcZ;D4N4?Cw{pl_U z5PL7{PwMha#Rl4!)*E~BSx|Mi@&_iip{*|8P)pdn>}!6OQRw;A{tj4Wem>0Lvlb#-HbVOsOxyjIc7VTKqh1^U`@~*Gj@q+6B~dU{hGt&D z;CXVQhMkZ;3KEy!kQy({lg)%{qkx|k$l*~{730sXpu2s^G5x35!Z~tNUbN9S(r~^W>K`4vkhpT=5uC_vQW$%-)C<{hND&Z0&jL~L-w`U zki4RGX?w>Nha9bIR6`ZyE~E>S&2w^JAk9^!{=BmqoD!BBLux<7gK=9f$^WcC3k-R^ zEQ(C8VdH9?fR7g>0;Q7~X&Rxl^aun8=#PBXtcJIVvKapGHiXWcGidYHDpYxI$h+|+ zvrxU!{XO#6F5~sS$?Hu{tK%HDF3&e3^_fj(-0-n07Zv3|6D;e%36o$m80><;tY@kI z8nD;wl`}o_ag>k&^Mm%fimWpopp~!Tj=Fb+@A=YY*&6i}sn&;kOM!m_pzuaiZ^lvJ z-K=#~Cg`=gcIGfooM~#%%~50qlJCYs9#(tKzmI{Q5e69osx*A2cH-?A(ZZhFil3O8+42p&Z7 zH(R5#Kl|$adJuMlec!=Pyst}3kn28qu7&~o4&gJjk2O*!Y=2fev8E^gkl&3zwS6Wt zE$(P5LwvTlgqS-sw)Ha*eY5VG_PPmATiGvTL2UsJW!|C#m{DW`Of*C^{TiDV=fT%# zujvjf?1U}=yTe=E)zn)doN-IG(}=7o*XSHQG>*4r<<+{Fl@HW@=E}|G^K@~C23Wh0 z>fN0n<}{%xgox$Y%mCqYrU!Tc469humOXK{iFnGV@CMIUB%*v8A0aJ7P#GH`wBSSh z%ko-c)W5#v^F)@9D}B?8pkxmAzv{HG-M8i6~8Gjm0;Ft{_l$n|TshvU-3~D?K*aEWX~Uy0y|Sh2vz# z^EJBcdoH6v$p%Tk#mBSL?ST3_{i*a;AHJkWuQdgy;IOzFF)6Oun zBn;JkqW)IF_md=e%xd^{(LzmZ8ka*vXBvxWIc@w`7pk>?U18@qolUi)PI2k7W-q<)cjR6;pFqQnF+ ziog63wbWo|jj)Q&cAUqQ-#P>5AYAbyHV2i|$_jr*Evpc_DiJ}Hum!d3MALU7ZJ~Ni zV9DBOs5Epa!}C|O(q5IA#!6k#?g{3$T(!dWj@)8-7j{=+tgfr+mdbHl&P`K*L2udX z?|@}ykpix%$=WN*ovpKUjQG#?zk$Wk$m;^OyHLQ_Z2cnTS^cuS>6d3hRR#6f_uW6e7X~M#yRf# z^5E6N>`=1b0ba66xhXO}=l6q{4t7)l(W$te;V0!^NA^P`qa;E`t6HuhdW}w~=!Y`m zsiEaD5+2)|XkqR}#7s8x5ETM9opaRnAMlW38JSmn2Sb%+>(%Wn3bT}3?6Gi~Fd2z} zcH6TGc~a;b#ebtOx8w7hEBMIC-bLxgWW`Qkv_zyWfkvq=U zxydnF#%q#4Y1zcA-NeA#WbQ=vhxSgz-F;3^LM`2pu3O7EY#!Hg9KmPBab&Nn*ocaI zWBXxetYeQ1*cufh5$KZgn(;4X6@{o}A<`{;^>@>+B7h5Ub4-RnqiI=yAvs(e7S5Q{ ziUJLhJ3Clbh)fQ@ z)dhIDUqms`<7Y}GCEbz!rPghxkaf>bS1+>j69C^33xW56nK~IH*_cHksM?dE<4(m` zbM5!w>N?o+K$RIT{X6d>wiD33z+2oI*|y41^$u5z*d{#jL%WhxiJs`php=@L=k^jJ zr4--)!`{1qH&L}~!)vu!C9BCyGifKyq@9onByB=FG-;Ezp$$#i6k2GZg%(_-y-Oqiq3pLc9eGg0;xpM&zl)cv6Yh@u!*c^d?B_~$TM()#H9DC{Z z70V%z2D2a9NcSC)><(uAnv#!bfpe9j{88leM;a5yWe+r`KjGA4#>IbLGE~THE)`$~BtUj@wvXZ9X-fPGu8R zFi)cd;yYcyp+i~J-V);M=6$ii6U>f@<|ORbos&INk@PXKK>u1d+X=`^>1)o)KZgfu zwGPh!WZaX62MoU>1GK5kamEW>K#u{2oo}KbAS)TG@QZ!n!O%OR1=t17I<3fIX8MR$ z`{y~Kds%BV?k_#hJ{6}OrK;Fi@t_%WR8uPc00lYYP9^J9YkyIK4A)9+rwsWC#QWJ- z8J^(_><7H|G`sIpl;$~KQ*yDWNQyFMG455^`CBJpymm4JIKt>cU-NIBm|y95=g*z$ zt)XAV40of#H&+ya^~!lvHj<(B=iKwD_356@dC0i{i#3K`D*B}J*-pFX3pGZ-B&M<} zPSNP{nsD#q8Swr^XWqWr|KRw!0Q^r{(IN~VW|?*ig2_NWnSb405fXmnlV&;4kqwBi zDqVmexHzpF2+hjs2sa<;{8Z`u2fomd`b%o9Y-NBrWiDeLeisnj3#okc!grCoE!zEH zWJ`|m+X03J*>qQ{1BTQ4BU>%-bz5X>7?IHxyB||}5xp|i{Y9jEs?vQBX{Rb%8duF` z{^5u>UJ$Iw(eBC7Z08*2bC=J~>RJ!X|J^ej87AqFz7V4l;{GeRrvc=W+=CWXp! zE5F-y8^$LeM{~R2mI&jCA?zw8D|+O+lu$-yp5e22V)g#f+juG(2KV2KY?=}PcU|<_ zOFhlAjmFKK($+BVYthE9 zqk%hr14#L{%n_!*q0gh%M&MD4r%&nrprBXSy1E>=uom+lw{8@Y%{G+>JaiGA>EGpd z%!eNQQ!p5D-0B6e@gyY8ZaISQ!M^ORj=99Ay{$*d(6yU<&7q%pFS|_TNzAi9QwH7Y zy52QA=g#WM?XTPWp0_@G_=qqZ_z@P3uWTs^G~3=b{2(x2)fQQAH^~4WzlWyO4X#W< zI={L?<@i`k^}T41^*BBi%`n2=Q3Sm+$5;4iQ1BLV_D-6fEp&b`Lq~E7HEs*oGSa;7~HBaXL81`PRGfdzQ7pZlZfBf$8hm zMz7p@A98F5i-Bl~V;7U`8dCaYcp(LU<(}6?+ERC~;2ZTwn1S-0pH6B2!AdIJii4gt zod6Qz3LS>1q-*UIt^&rQI$9tc^b7{gxizGU)hqEZ@i3s|peJ__IbI-M zUTZtU4;^xe7}!LS28vCd*- z>19|Xm|s$IcR)v#TVTn-Cm6TuVK|?6cos@ArFu=%W=;yZA%hPxO*cpIJ0fn#G=(hh z+ao&i82?71eM8!!DbL|Ch50pZ+$l_c8ctD6o-wUv>ZFk4dYWQ7T+Ni{{QD8@Y}hv* zV!G+U9i?`)pC|pM=K-qE@TIRG|9?8u|9*Qo!%=^d3!CCbqL3Rc(6Rn1qjblXa9SRm z`p<%-oBq`rZrk5hIc?W%<+A-Z&v5;QZg$1%r*D509Yqf(LWQ5$)e?p?O*^(+CAIC? zlF?D5Ydij}{MT>EdHq80^siase{<0PGeiA^7!rjObxvnGOTG{#@No zSktlI{pb3>T09drbkL<=r6%tqq74IBRIla92jkK*cs$i8m2_Sfk;@A{49 zb%c|7uW$LQn>d`XE&Td-_{zV$_BVCEKRv7CZaQAnjO)dLrT_f9bEBjESI_YOn%Dhb zxbT0+1v|Vk;|6d1SF>l{P;;L^L>QQvYdFri`6_mBHim5~XhY ziU{l0Uycy#>idAhA2gosPcIzx$~jwfXf*37X-KDgc_1j>UiXQzwP~ z-A@e<(r;!3XpR4DL2tUl)se)XojvG{cXSzVw*Pg%`>P9fc;mnOsn-qk?|v%8jsEj} z`VJ3*(MiYRzx%0w+Tt%}xo)BV`Tf+J(yr-vLtj3kolj4d9A=9g6Ph|>d}=y`F=5kR zgP5JJZPRxw!0xK#YutzU)fi;m_{xnv&ZyB-CXWTq^>)Iz`><{!w(dW9lvo$QM?00{ z-_Cc_B5u(0A1nLv%W!)s?^5^Y;JW3ZNu{B2sr?4|QVY^kvoqb8SNdkm5P4;KmW$&R zQzi>3>hxHk2(*Kyq1x%nj4O^u8iymxt@TevYDc;|i>np}D_rTM8|Z+l9U0kKTD2f!wvbeYA!z#Ta%ha#oRk&T=1E5Z}XY?o7d z*SjCVLOQO-@nANGE6WkSdAPSHBa|80F5C?O-bzPCR`I3?WmaZZIRNCcNj&z;{W08z zwX;hiQ@uP_mPl&O*-hO{Fo|H2_1#Tri4MI}lWxi|xlHcF z%(yI5w#k#&LzAP)HF*Kk4FRGSfrKyYdO{9O3Huak||2Imx9z4J{G zy3G;Rl^=xf{C(Kxzfg*s-uOz)kL=59+pC@4ifFiV6iGWNP$!@lRl{El{3+lMC`WUE zsj~eazV;0!SsnrZ|6&x)wT&=Eb!{nZl)tZqjZ5%>YgSR1zz(K}u*+pdmLX0R|JwHeoFKeA>=%(3 zrB`TRHJm_^*eOnthZ8#iy(yd)ekn~6IRIg_KKIFuwkD;8!O=6W8v99wZkfWm|06K= zfe+h_{rCI$5AN=!#?Irj`tn!B2~CQqu&tG}Qy%KDYuFg!e_+>5nBRIMi?LpLji?pr zl^wf>ul)D5aD3Uf{jb?IeCyZ*jILp0WPv5mVVnl5Zb2i%t1#FR4{o<5m>f@nwNHmV z5{!!;z*qxci8u}o4SVFBU;NcdrSNfUo?u1nZAC7}M0y6d03PCNs%s5biGPQJ6-RJ}d)MQCO=OgqtL~g)yUP zcnIX@rqIE18Nv@;B|hYTQ$izw*O4Mzh0WwHIw*WY_2ePuZ0aTkQUVe70cw-*{1~zX zkFac}V^TZ&?josho>#nWh$h92f&%*{Gye#xLEZ9dIQ1H(D}4`l2ARqyH0_$cq%#w9 zmHE)3#@%_AY_pUr$Bj>+th@@5R7KHPzJ%OLKH)|HHEgh20aUykGu7P(2kS^C-`zE@ z_H9s*1Eoalx4g+eg}X|pd5#q0s<0+J*{zgKg_2u7i|7{gM($V|bc`c?0qzrn8l0R_ z(;obGH{!s{xl3q2k!u&IgtP@_wAiKOgLaBpX*|p558WTkKm5nVcxD*x44uV9RFURl$zn6ezKy9pxPy$M8H$=2(#Mip zp}@M;Nxx%S^gRC8(QD37G@+Vr;vfBa;`Fi=+Z6`e`^o z1jz!g2^mf+>9cHS$n}PM4$Nq*cfO9uT>hBVtR$J9?#N?Akd65UNyTGGsX|_`{?3|t zWv6SMTujrUiWj5;o~gaJY#2%87$!?PheuxW4~rn(cisU#vJFMnnfKxzO6;gvcW8IWI{zs~gI5F3vH$H(v?sI1Fh=RhAw6tqR}$zihY)>M zyFR*1-Pjo%VXYb06LWJ0eu|8+?Drj&ftogjpH4>UWm7&p#1zuU{vx$3AO*RR#DVkB zWRP0N)A2jDgE$(J2e6T@Qb)k!7fTv#PD>{;0?B7yW2CZEwsMa3hzQR@GB4JQ=3^S0 za-XEdu5@O$Hd6`j9V^#IFkUDF;0rCC3#0LcAJ70cTUA_yNQOe*VYr)VxM=RAUbRiz zL*1~t+=yDDn?A#x&7Y`*c=n`vU&THi>-Y%`8}R|rjq{2#5y;o_>qz{*Zg>aL@^|vH zVFk%6j)|;V4eR}4H+~2{)>hTh538~Bm`~CO#g0;M5fajXN+pdjE;rsE_+fqzUm91B z>hWD5mN^_NLoX8M#GsP-!`l!yTbHaZa*8R!W*H#G40r}vMm9JiU2ln(u}JU1pZ-)L zj>V6(+%J^|TgZn1%`TDlp^d|KxvWDegD;Qj@!jA7WErjE z<7=|SZo+Uj})O>rrcL6eL}M<#)2?uPySmRXXy+Yq-=^xwkhy4 zFdPydrLQqVQ#0rw=@n{(JS@xS!Y12sP;cY>u3zyeF`sM`%CXT!0FUQPL^wnHvWEYG z+)dJjegGaK%Y+2~>qyGv(}WV?b+?E-{ZR3GBuwHr`yx@XyE;mzQ=2y_cb+ra7~hxn zw^TIdyh7d|#blg+4{Dc06!bs^R>t0(7- zE+9#2KSgnYVIuR}9-R5pVqgj?mk{-la(L%$*=U$msjZ#IEoEXZEhc%t4WR_}$mh5Mn8A&UvFd43pOWcn|V2ky8rD2NFF-F?X?=rkZ>EgOij}3A?LA;@S77}0eLq>U`I|p%W<+p&iKQ@Jp zj>X&fcz%^o$0v%@XBm-AvV7${9ceMxJ_OH_`=N3NvOf#S*EFjQB%Sze@ zI7pr0Q~3=f4F`Fxvl)?Zot;rhE#@!0FJxy=bIw3qJax+F5jUNL>XX|rs?kl=g7t>w zTP*x8!um%>c;_OJuT6)QfU7ljOO#fj82gi2!&KHVU#WYZdLGdRd(r%*UG0?(;)C7^Iqf(zT)=?DF*)+7!^1OF) zEbC@b3dxmUK$cjt+*i(&k`_>in}mx4PwOrL6Q%BJ6$oUfFf(L5X7_fMwh*ra=&EqS0Z<3 zRG5Q=Rl#v&E2JhJM#eflFYbGJ7$<%&GhMLxTdnoi<@zbEhlUeHJ*v{uqI%@ z66T2yfQRB8l7fv@SFCmBBUCR=#uvm_@KRloMm)(B%dyCRKgJX3Mpt*xI4)7kram?9 zQWGRz35|T;Y#XV>8hpWm+K3R8617{^TspjH{1f;`6k8}p`jC$xSu8rXP8kffkX66Tv-?IsfpQl z#w#FQ7j;nsNo0xwt9j1)twoGw_bCtGf+yAgz)x&=F?6YE4N%wP1YD!@cLjD)Ehyg& zpo_5HQdk&3vWkGuX5y5rF}%ks}de_*{cfO2c`JiZUnV?Rm96ja|VWSng%-@j!I^Ev53JBtH| zT1;S4xi3lQY%euBw%33VBqj3sdgZGH3ZUCIyjH?21bG093qM?(hqB>0md-JcOYy} z?M5oFrr3jmR5590^D%IrROdcKSt*HqAiDAs+vqaSO8>h(Z=? zCAINcwRU@~`4)BUZeGK7QQFOVvV#{_RG7U+Viee>>DF8Zq@0_X`9hadvBp2T(j@bJ zl=Sd>dF@o4LN@t>Hp4k}uE{nI_a_Y{Uy)zr0uvcWtvrl1(fjtF6Ql*;UAmu`*8V7{ zJ)_mmQx~1YTFW%sYPLrru^SdAhC%>u*Wgl14>2y)z-cS)VpmaKXBH@_#Rov60dUHT zAv2R^LzfI1pACiyN(jA7!VlJsCJaBdAs#0Xhchb@gz@lO79HqD531kB&2sz*NwE9+ zkv8llHSiD!d{6K^ssQcNZ@Jzy7pmGs|68cY=zJ0JD=o3EC}CD2)v&|Mw`H!?&U-?hH-MkH#T->9}^9-dbc1 z#p6BpPMU^$$pSHsWYQl+UEmvbWejW8Xt(mZWl6QK85WrFm|`PJO(vOA6-n}C;D^a# z%PvDfEZB>yw69FWv$2yqkH4XAPD>6Leci}Jx`{l=zHBj$)qu|ydgCxOl-1%NbQqdo z9hS(>VXa$4oMDYhz^~b>69alOwk}7W5s7=yDf@D?Js_2rdl#2ulXZ>=d$Thmu%?P z`m^yR5yGbPaihSV=)-l}dGD17+Jldwt$Yk4d!jLX4P~QZ^_ zQ;ZES5y_Mddd=VS0|fp<>n&C}J6hd?g8oXjH5`3zYYV$G59miH`!vC0jCxdnJa!zG}r zU<{sTksB!3Cvh9(J<*m_gHg$k20n#{@j1$q=8MCn54mE(WPc;hoC~t)tDIWwdWP0< zqvRbxg)kYihCt;Y7Edk*kj|(c3TA6_XZ9r(&*)x?X=Y&%si~d7YeK8M!A{0sO{5w| zRCZ`6cr6)9KH$2xeF)7kho)$IX@b8HRp>o5&iObfWjXUO`-Bo7rF{Ym*xqhHnA`ZT z3}44{nucVYW{pY(o%D=h7lLzX5mu_3M7ze7ePdkre-XO}gldMi2yM@7obuU)5-%4xEst%}hZ)xt{+ z&AbC_>NsC&Vd)X-#)S&`fRRwh2y%alYmPeO(W!M%8wuuTQaJAH9nvAeFX+AbXy$ac z1M%^48Uk{F&7nVVJq+CZ4m7idPpP~UkzV{9$V!17AS+M}RDevJFpBi{9>Zt5%S%k< z-B8O3%X6s4KFlTE(%cU-=HIAu0^;|RcYIk5xrCW{3VY#k;29x(RSBQQoafUSjc^I% z?sNG`{8I3+9NY~*bwMB*LY=z|0hK%1jQU#VvcB`W6t!VZY~WY(mpO-jWem6*477o> zTw1kOV0v&O$+5R8@i@AQGnWDhc&e(V4$ln%3zAl5beqyckLsFZaJ5CrY$qv}gG@Mx zH4i?^$wuu&jSNE+9SjE#t)W$xCc2J(hkDu?IbqK zwtEgS@{BV9(JC&HF5zQR2XV#~7tC{5GDu*_V5nHCphl_YHB8@@TcMZf!H}qth%11z zgQUQigr)#Nfr!X-6ta&|m4wU&6_Lnb(py$VOD~c#%OAl`hPW8_cTwll+}(iDn$+4} z=i``id>qa;4bc@P5>pG6YW{^Fo=gULn?atup^S9Ka_FIpTX0M2Q-&-TK5TzcV=%_r zJ9oEfa2ceg1n9WH7EtCOGZb=e{jY&9YB`X)Wg#`)%ZM%$nQf2PGu`Xnlzv~UBV)M) z#>2&27-D;ejFG=aBuo2le0$ZHh(fm;>eGsksl`F0PVNDt9rA>6v@&-*nJfLq-Vq*g zu_{LUbf(*d=eLm~!mrYuOx?_Uo3X^#c(`E{$+jHF87*6EZB65RK|`#WIGcU|ePV+j zI0NIgL$snpdr(T9(7#ZYSr@@q$` z%v&79r;uL+DtvZYg7l%KukIbn#g-(nK}uph|LjClFMVx$9j9UvO4w7mi{0fABbS%C=N)yeT#x?LCIF| z_rQjIT08>uYQ4~7N% z;}6a|>`Z~8JcK`-IUqF7+Q(Rd-1SJ?pY=~wFy#%az`34@WL68+gtMucp`qVlG_<2I z7olFB&mwom1h-jU$X=*z)6^8QJ=NBR1e`4BfjGp2@9<_L*8^giE}pjnJ@{=j4i_5k z=Z&?+BnzjCJNUTNC$Nvk30sK|lGY3eZ?|}Gl9)i2IM+lNs@cGb;7Kx#?>X$%@*arn z6=ipWLfqg=l4?tS(oLXHIk7+x-Q+ZN3VzA{qH23z=qZ)r`Ifzy((k0_ggQ%>^E;SD zBDT5<;ul!2ke5MRC-6^W0}b3`J+BJf4I$BkLSkTx5Mvo?ElDJmMr9&X2@%kujz8;B zCA&s|7-%2pWwt5p`x2QU+Bc)+a-i_>tP?GrxjAIK+$zodm9J&C12;5TNsIU-i@Ra4 z{dG!!Ii@K)9BY`RP)9gPU#6R5HV`J*6{@zN7-Pd`r^+{+aq=s5w=1D`7|Cm>pO5i+ zQR7R2F@+&Se{$+k>V$?D@pk#Bf+^MpD9k?8mTNC7gAkbxaX_wEqWi<;eU;}k$Y_#5 zj?#^~VU&J)utCxh`_9|2iKanx#qa(J33odooL5eBcs)eMylg7Vw~(<7UCD5o!E7|1 z2|$zJB%M6RV{nqsCBGMiUvhG&WZQ3uxvT6e^0>99nv_Xc_J4QL%B1kH2C^`U1uVjnk zxqU?tX8PGayB7>#Q;jFJx{(YDS#2ejDWQ_NT@Wx5?np2kjn@63wBDh|dS)5BP$>#m z@{ONFdrZjws!F@xIJPr_!43PE(Fvm%4yI#nqg$OK0__s>0ZNuh%l&ysdrE0fq~4JT zvP6s6k(Bi2PkAI{{8b63Aq|Ghlzq}Esi;RZ$j?B_Nv6_FBGb!EqAQM+*ER<3apd9c z+Nd198|@L0s&&|G#xI4A+ql4Qm1-wWHbKOonBgU}#4tSf!d0&XY`IdfUj@$>+iMoG8=f*K( zy}c0`0bQ2rWJF#ib)_&;+)bt#&&7%Lczbnq1nHxYe>JY^&L(v?UobRuB3kyay5_T@ z$D9`<&3mB5hiU_a9;gS$F(2UJFg70PFF^AjpoyT52D1Qi00&+H-VA+i)nwD9+^BwUTB!6ZQCywB^f{9u)f4z^DM*J z9u970xWJ3RZ4xcX5**6>q4Kh0f|b72;|TvN1-Jwi`I$3?qPC350A2%rJOj#gX; zok3VKo>u~hWgXU~zQKN?cEWVVSglEI@nRL;gOy+XM5ohx#6n>Nnj!{RuNJ??=gG~< z6PkeXX)TY{?uSt5ZL-<jRT-p;YMM>w{163=M!6Rce!LTyfGYTw{BB!^w8Bw2-B7$%LFD;+vXXx)Yn z=)P5MJIftq4=P#3P?~5~Q@R$FWKyVOD1Wcd>=Y1AQ^=3GOD(pTLq=+?Kf}81 z4k>q< z2Ai%tsr^OY{BU(V0C@;dwf(Gf=OOk4Q!~K0FozDsR$Qn{QIRQ}BxZOwMH+)@`f{T! zv=6I-4?A@VC-9$|388a^dy7XSvc^(KM!|408hXe|+Dppd?o!CdPduP~MM+lE%Vb!~ zKOqdI4Y+t=<~_0&S*}2R&aR2KbtC=Oe%}JUE4)U$l@DP(-r?)TCG%d~msa8=h)U#duLk43j^fX1Z(81m(L2$$)S%*ESH)I$c#8L0I|@|cuNUX-e^Om-0y-Lh>d z4Ye%BT@C&WlC|yiV`*rz;h(Y67rD=`db?&E7JcuteGI`n8O`}hr-UqCCrsBiiW!aD zg)UW5h0{>QE_VXN^X11-NWx=z5f%U`C+vkbO?VhSpo@J*v_}wI7{x0C7ux$?g zz^;x?%>XzVKdY{Xtcv79!G+SQ;(y?PfT5`XmW2#%FocGl;pD(%XHNv;L3JN|DmVV(F1_W*f0=xG=wns9eV)Yv*AI=HgJ-x2dM z-%sc!e~uLLIQvKXMuWB9uH&`M2TKyP!?p60kwuTfV6wS;aT}#ZduM&%D0$5IdpxP4 zTVWPuo|uVy10fM9auqf9!B>D@SPiyIZ(3xIj%H&RlGZej*mMtZ+NKK6X%)^CR_;EE zbtIci3R~b6F5Xs!7UfRV_E8>s_Jode;Njb}t@|LTa(Gm05y^njPfK<2{2Urz@&)-( zO2)m()8ek|WZ{x;3-7{xh>Lgw+ZSda`mnV6{2LGltS@ZC|6?@WH=u9Lh0%Rd% zzo+K##q%CgTlfk~rjPmnlheTQ!5)eB-lmksX-iYhi?x=e_HMECFyGnohO1k{QFbt8 z_e9f4XUb`ocF{O8KyK2|MCK``fK=h0jj_5)N(Ost5w-aSOJCBVf#Li-CX;+=|3kyX zyJtgJ2ls$4c2{TFY_=?-NiG%X;oX2l8^027wbY!WS&8xKv=ex&8trc6G@a*#_T zBgI5%E_78B&5!f6(r`OZ3OTj5USs}HPwp^&qlcLpmbrtAApxFo7b4~s?b`xM!2`pb ziK6=!h{H=(_dJjW(Yc|yy#T~9crP+r59pYY#-HOFb_wTNcMW@8TFJx(M}+1LOU6Tp z(8h^+vXmOg6o|{?f?^ful<9h^F%aE)UV!lhbG!Qz!u7uMMD)0jWsyDEgac$9O?Iru zP*Eu4GWR`d@{~-p=A2RPZ6T6O2fnupAIXi>PFHK^aLw<)Xj?ZDIP50k5NXx=V%cvd z9gE}LWHPM^O!wbwE2#|(2h3+9a?K^v8&-pT^7*;+rL+61vmv@Fc(h4z=Eyi)LLOAh z`w`NbX6XC^p5{A2+kErohY)sKbii-W@Eb&>fu5O1C%*7K2o3?a(;o)ElM6c|?b;j| zuiOnl8f-xK*Si82SHz|^m_OA*kxXS}P6mRolN+6^++D&Qi7Y;aEeSovmky%6BL810dhBrQPR2ee7okV+aV~vkwdIG3=KHN8RkqyLLFgZ^m;ePHFr?(pV zX@ZhiDvJ=Kqup%F8oXm4hVs(xcnghT3Ox|6(glj|?1zm{GSdC{5*}_@lG}yUD&*ew zF4DFO=Fg*X_M!Ki9(9250L9~)&zW~9X=X2B(wH*?fjsfRE$3EywI1#(?Zh5i=MFB?w>j1+H-pK~N#% zUW8Z+G}@VBZ8lymIPesoLY(K0i7?0L%<1_MK=2kL`+X)M2ahKYKtO$|V1`CxO5Ct= zO?%2X0OW4MKd~PV1cX@ol<*8w7}XU{H8uf&%LJmzp&KDw*KlF73D6>;6jK<{b>n7$ zj9uMyO_^4I6+*f3r%2u2hp=^P<1x^h z{}MoyZj}6Qf1Z5RCI0{I&o{-$e*XsMAI{Rd#!j@Orq4MSXU ztS0=1>O`yQI%F103fU+c5&@9fj*+PtZmmp$APdE$8|fRq(mFc={f;T(z;FTD>%%x^N~(naN%Y)tF+Dp~;1zOb zF^~VJdnKZ|V-6T$QY1&=GI|P+O{!6%80_{A?dG0})_Bz@Up=oDrz&o$iHIOSK!~zcIF~o-B z>FXu0_^IT@yZC;X^Oqp{IPSqG(+6>^K7V|0+N7EgULFKuEGQ39ssI$diEhMWlu+#w zU4X+$9492<{#Ws=xb!M`7`iV&$%$YpUI30PO*4u>*?70ZdCp|mL@ z+-)>5q7q=A#nTnED?S4-pqk#hdlF0T`{6weOeNqfXCP#D0;uJpg18TcS*N*SflK~B zP+;tCfn4ARC;?sC+9P}xeho2eX4OounNh05#OQ|z+Gye&Whf{_6tB6Wh9$^c=LwLig2WS`m zGKm?Uhl~qVI4`(GngpQLM@h4T<#p0xV%Yr~evH3DlK9Cu!Sx_FiFR>37mi?kU!n26 zi&tVZly>HCIF{sdJZLd_mZ4%_MB~rFJ;s1CP%dqsZ^EDGnw5Czl}$~FfYu7U4{-5P z>><1iq2C!`Gr~)=c0Y}Kv@?WauWUoa+fu;QQ+Unz$8ecthrArbqj8ecsv!MZ8g~C) zxB z5V9@nk2v4h-@~qA2?f6)=NlrmN0i)RqT?U2j;B~3dIcWlc-%A4J@^?GAoj%jSjz=a zmV)rEfVwcR5GOx%)k&^o&y+7kjs410Tq$>mh`YDIyroU% z-fSu4SGRmK_IvDq2N@q#;exRk2V%A{wK$y?#n2Q7c3e~Qk{LGa6(ZTPUkBz zgDc!`gh%g38iU5!YW&ERNQX|YQPAEExhv-4e99x0HJWR<6#QN6ierPH?F$74u@bYs z3oe0}(?~IXTUv1nY8YT#tHe)b6MMOKctiyG=~90oO@1Jf)x|mz94t%?ZKYT6cIh8% zy>{lrvS0Xg*YCKcQNYz@x5C>X*q*@#?jCHY%t3dKMo^!)MDYW00xXOYap-yDhB(pd zR7bkzL6}q=B*^9~vC;$li*?CjGFO9(c!<0>?5;A~L@@XS7bzZx94?`{>MJ2mA$ME# zr1^GUIJ9b(kf@MTCv-=LM(`yH*-{9Yi{v60`Jb=y4Rb<@Vrb01-(bQha5pURhxkO- z95N;_UmRT=i%T1@qXmEpi|`EH9ZKV372u0>GJ_Hdzd>K^3@voL3u5LCQCtQ85|fD& zjfJYi!-u^Nr9D$l68PV7SMnR~!g+mDE%CN_IAQm`i%%8<0%1@y&sf(LAb9l}>%4^p zP-#^p(-`3np%*orNyV=eUP6q;wG?J6Nj|;8bS|4jI_K6n8u3uTb|=mJfaZ^#hj!;< zm!%0*r;$w)J_)At%RFt zC#+CJlF3#gcnXoY21wYa!m2`&EEd-BG%58it)ML1DCvYe?-FE8r`Z%>%BPUSAa?b4 z#$-WhDI&Y&Qe@OqSQIwk{jQh6uikCS2Q<1_R7&ri|CZ<0PQ>xfMU3uOwLczN-(q08 zv~dRencDDxl4y)yQ+AW4`H%CR>o#M-FJdfR*)B)v%7(GysOu#-o5AK{KhbbG#NZze zaaiLLHRx_OAIDkEK&OulbOcG@M&bnj2t>@Vz*K{{!ZL{Kjl{pmE?lxnw~ZQKizb!9 z?OH_wHwj$k&OoogkN6vQ3fuOrRKiXb*^vpj#F)tXh|a`<(6JOP2<%EK3Pp*)^GF5n zFldM6MKM&z9*X94w9)rCrwu&-k9CJG0iZ!8HF$HN7C$7$*)lK)F7tNWzv2+d!MkOu z0mXo1q1}e)Q<0f7{wkk?o4;^{F)zztu!{N z8Y>{x#8-MMii#D|+8$7)9Udk%WlQfv`1KAdT=~Sk95A+JD{w;fB=Cg5k?OAK)L9sb zZ>L`$Yu)zL;-f*YgF`$S*Z6jiy5^%cV%19`qCq^pUcSHH)RaoK{MvI#B8W zTs+ab-VM}Cb72~!2jFCDG|-TR9`{|wD_Ez}s570Kq&>h2M|a!Ky7oNv)v*-oLOsMEVREvjPD_6=4~rq`Wmjk- zf0P?U;?1|Hr2c$Q@qXiz6q}gyp*y6n@JdpM4VDc-`H+OS6h-0gtJLri5+j;aSj#0B zjrS$u8vHsQA8>H*6m1gTweHZtOXuwtL0XDmL4dqGh{rid=&_;H3S7M`8o(U)}P-ltuq?zZL7APH3D zeb}m{Dq`UlLP>_wJd(~Ygb{Kc*8t&cDFWKe(b^IvzlE?wq+{`5UW6!VB4pSsgcFZs zJFCg_4Tq(zzW%f;8wHBfV}_qp^4atdNLjerNHH1QJRvv%4{k^WzpOdgqMrFNTN&>; z7D?h-RK~d~-Dw_|Hs47`qbcmfI9$qy&cEG|&vVdW?r$6tO&-e@9UIwOqm4vU^1G|W zr6f7#HYJlZKN<&&RKpng07CROwiW=hIy+#iwRVw@AmK{{vl+|IQfaas&X;u^HiC*Ui1H)p_) zfh12Zp9a(B|F9C7j0J@xO>+=9gfEttJ%??DCm@PwUK7pq^bf)3oALIB1?=${Ma?+t z!?e`SL8{zwED2@4!^R~XHn@hBm1C*wB$iU0czW4byu@C`;96rMBp&bs@T?jSyfp!% zGfHvcQ#`?`L$-Ckc|v@{MBgyECBilYyj)jwmfPI+b0fC3;x`<(LsQqti(Xw-P;2kyvcBFFR19~_`BP^ z{{nkX%gu%6A{UyA$`LSAkGotll0fbVtl>vFk7B;3R8!`}zaL|v!t?Kp(EX+|UJ+dL z07k#8jKh8SlcZ}PgUfVrkYYKfCT90W01>xb1_hHJoFkEAB5qjagl_qT!U-4~`1^4e zvJU6S%OdF%$#7~kZan;b+nl=H4FkLuH1kWS?{#jqH$p*mcuupud4RK*a_s``lC$SZYjA z6%DT|ao()?So{D-kOB$z{7ObCZLX4H%eO*27U;%W+T`%hV~?udw9iv)g2 zFMk2){0O}ogQIUl3e&Sl5jXN#tn9k+*$8#Uxo0Ca1*SGd+`y4-L_cO@TU6qVb8VeW zi%ridyRI4e98KQ5@ww=fz2}}&rM+NUq)LCa{~|_wcR@bu`SRKP81JvBK;u{Y3b?|= zh5~JIN?So}X$}s=mG^Cl$Iij zTT`CvZCsJ{&)b=m1?FR2*9;tW%yQoY4Ss9F_{V9|`Z=2pCvDv52qfRLYt6e-GpU&Yv8HWZA5Z&)B9#HD}>V*OQyuZ!p#O0Bh(aBxsm{0dFsA}++71q=Z?AzPY zdb<3pwC2(QrQAQ`29_1M_=;Cn;$9Wq7LSQiSJK9Xx-~-&M^skTxH^eL>drI|8qvVt zGkEl>ihHUwA5Ya)*VJ!%qat==u+8Qf{J3sNx5YD}>_hjSSrk7%W8{T5(jA9fcgI*C zcvUmBj&Oc{z>82&|pQLF89zdF2JaeU~=#{Rb)dhOm3w_%-L4*t~Tt&xlQHqoE1{$4+3Rna{!j9F7L_H1a{p)+`F?f6$K$EM^hY{*~RxKU8e3ht{) z);&w^?i2f&NvoW=#&oRf1BX{emT7vY6;>~;-Hl5IeZ2CXr2D7(NzD5Cs3SukoQbN( zZ(31kNNrs^Yn^86Z@XX7_S&p#nDEG%yf)?J=CBpA~ht%$WZ^=9UgBR~n5AWXpaer^~ijUh2X}jwp6Q8=Y<@M4- zQpEBp&*1o>gIWuw(TOXRy`G!;Li0#Ie(FF{Vm~ar*+1Gb-aXVdBs4v7+A-S`iPKMH zAANRu@w*YjX1rGN1UK_c)ogLr^2@8%&wA(Lj83z6uGmfDQ?nu#35P=w+OF?4ef-|+ zbB%8da;HZ9*&X!xx5RKRwzb<_LN z>8qYQ+qLz+)yIkpU5hCFeCN{V6DH4jHfr9wNxQ0x;?(=p=`D#{s)p2`ho!iIX^rF3 zzPeI1Z&tJPZtrm$%lSlUrzSrC`JJb#R9~;SV!UPKPot}AE?u0ZomUW?8enVcr>z0u zn;*{Jl2KncV*b}FLLbck@xsF&-1_U4Pd~T~MI|2tg`98wL#GO7hD~&@`9W74sXf3C zB8In`2fZrZK60V;-Agx4GAQe2hNjP`nKJq6G{faDux|fg>yPikEW?(yu;YKFHoa*a zI*ZTg;7v)Kq=1Tc;Ix?`0^fzfNz+4NuBD2}6DLoZ{lD0I_qZsk|9||PWe4``?hKrT zS(t?xcNcbHS9V|rc3@XnSQJzg6ch|E=%RQB#am)&qG4%iqG?%aQkhy=l9#m7BC~f^ zR(7{{S(bLUwBB8;tnX`4%iixkpWpZU-|vq%5B4^5X3m+{xxX&YXEO}tk8Al)uEex} z%wsN{g?NKVdPu%elX+>p)_CPcnjtvPw{OL$nPhS8FKOdHSR$*3GZ$gWd|BOP4s zeD;ScWfmQ7o_%%Wtcwym!I)P?IamD)1h)6Pivs)iGXJeyX7Ymv^IQ+A3ZUz-7-7Ir z(ZDMTUJPKVTt)@>v|sKdZfBs=E@}R`Eqf({_4@cF^3G$qFcr<>Eyo4z1$F9+W z|6epR;{hlcuz2utwupT#KMrLr-+eT<=TVmLE+wBbHUELBQ`N6==EX|BS!aGI+WGQNP|2VC2x_aki!qY`WWBfJh z*C-NC>yZe1ZY>c}D$ZcF35SZFE;<_<=@<+obKx>w)YF-a4mMD^F;5pE?RALSa}dqx zN3;p{8e|$akx4){oRk1Z?KS;K90EKmRKpl?QVPwfK@`w60FR*NYBoXFFOrZg;B^T# zHzHeV4HKs`<=jZ7Gdf)jvO@rI3YpC0MlPpt8zv#almmQNHFz8Rh{G94Hapy*=0?UC zXNMb@pz+iYVB5vnSPLLEc03qsQ4RyJ7up<_64H?d>3d3R&vC9;_5#$sUhtvlI3Y<} zH5lMKdLY}rBIXC8ohKH*z&Jnry{GQ~?}h!hmH+6`Xnyk>f1=kMzd!2fw*bB7GB?Jb zwzWUaaS@~4A5gRr0DbJT{()r!JgHj6C8TD6QSGwh0xdx~VlP0F0qr2lWoCI5fQ?FF{G(>>>28_KCwos(vn$S3#3u3?tUSEz9B7o(Y zc;LG_u>aYLLo4EX&~JR7BzSwk(%EXHsLK%RGe&#|>Sl%ByJX-SdePv=4-UO!`;^Vs zfte88?#3YBBG#pYr&iv^KoQjuktBZ?eg|1?R|D1an>{u|{3gaO3Fw}YmCfL<3N@i) zEA>4)34BtPqr&HD(nT{Kf8LgmaM3VW;zPCsFVAg@F6 zeaN#JxV?T7SCjNPj@^-`)!mq;696nT~@#bq)tMCsYALUjLLM>k{ z4{37)Lal$*&sQNj-ga19t6R=^=X>t)&aN|hc>=E3ax(N1@dN*Gi*osiD1T%LQeQ>wb>!9XP2MPD1T^Qo4&{=aK(f}Gz9fEx6z@xNj&>s8C42-| zs&h~k*}DYu-6(hJz3Aa7;8cimgnFb3hGzIt2txnuHPrlC&#BD%*O1mVMsCp_JvJ~E z`Mf`qSmgJ$s5SU>z4wsd5U)MWZG2nV6xI2Sn4$yI=*eMZcIR1uW;hT9D1i%z8~K|G zo!O)hi{y+DA;X(c?(NeO)9Z;E{BC2xp6_Lw&jsLFxjN=QO^ z5V28h)GDu_U<2~Ef*{I!4hO!%9X5I&@_G8ocj+Oz68UQ0s&2v^L&_Xc!cx_*aXnr( zBhsc*gn&}1d9>%*>6woXA$2*rV@Tw=YW%@{7MGFhmD=HcvYT)I%j~L*!+`G{tPKo8Lc;)9_4!|vyhS- zLBN;K3$n1a@s>apvMuRO@V-t@wWL=4=I>A6cD)bWgY{ezAqk5@8ihpBR(d;atu96G z4~%o0$Q?rO!qzT3HIv3&-gp5+W0DzTa_xD zYFyUY?hW#<@+#|-_hGRmIGLe&uN}s<&m+{(em&I2J@A#?D!$jawX;{vuDV+>K3IwP z_iEb^fAH{74x+T@7uEnfVk?^3isTZE3M{|Gao3uXz)al(hxBejk8RvJPv7}AO$E&` z_a(6E>D$tA1Z!i4sZcMyOUa=&H!od;M+$4lhq)&xNo&gm3(s7qDHzOTpN84(O@A;hBX1{895}-BE}>@G>7wRM7d47$uwo z9uRf-L9YM}W0f)id2jFd*W7g8g1o_y#&SafX{g))O%+Hj#nCNW7tKd>8$OMmt0)d6 z6EZubLcK~xh1JQijQjam$xO-MQ2%v{8_$rWP#w#C8{{3_ej|N8FbM5mA(>bxSB29;-I=g<@V}*8 z1)(?k@&bUm;unQ;EQq5=g(ao~CT}n@7OMQq%TH*P06*LtA*Wo3ywQj6qV*6;s)P}+ zD2EBn_XXjWP4$4K*3afd{Vcvj?*;aK5(>TGZZ!jSW83fUHL=Hvi9ht%o{wR+3q3A3 zYi#qW-P>B1iSmJ>w(4_04s&d_EujA}-$meV9YVD`n>E!LZT%pGumQ6IjO-L)op7Q_%;r(D>n`Mm7whLN%)prChh%jk)UKLE&_-?r5 zLhxf}1K!CtA8jL(+jyEHya*u^RXk%B8p&DG-}@Cwwe^kQ4!lk5Rav~fWgh8OWdP>4 z6>=jAvEg%gC&?%|hrGK28+btpq-$ulw1wN?I-TA5wNOyE7;0)?r5~+yE5$l!QKyMtMmPJi`HIGo{H?(ZKX+q?8Q-&#E! zdCQq){MZs`k>h$={eH6TiQ4o(v6lGWc3Us< zHuUH2G2uok4&|mh&6+ggJ68?JOK;#_-r2-@ZkS+gk%;x=5OM6Aw<>QSX#!zOc?X!8 zq-lh86;?pRqG=`(=ZP65!;rcm@wkfeEkDGPfA|X|ueqvOuoTwPLf}CRohh#VJsB7Q zEd}Xxdjrv!P9);fyu0Lhyy=rfa8B`!QnPVq5tvmA71fQZ;`q6u+qJ&tI^+$dv`qvw z;4=9|M2k(g>0GJ)Yirgqs`$2duKNeQw289)oL|JXXY$wZ=lL!C;0<3(`yoVm!^zX@ z@gPztKOYIndQOScn5*0*t=f%gyK|7fZ45KrYxf}2DHqMEuGE-kb9gJ?$Gswhv@_dh zm7$K)+uyYGHC6%=}YfQ0aS&#@||c;QUExt2Ov{|9d{FlbG6aMth*X$)oJv)IS>)~ka8pP zwm=#cK4%0R$Q#3-*Lqd+c{97Y^|5wMM_WZu74$%7ZL=e<^HsgdXp!GZEv@e=|40PK zDnZ_G<17zqQPsVuC2awCC;{N%hNAZexvdHAa}GdJXc}poZ~MGy6kX>}082%JcVUDn z@p=?Eqzy!CXjmDB;0OZ^v~nao@oLl1cYM=gYA$k_8G-XH45> zw$2~r!p;pk6R+bM09V6uuK{{kZ{(faxR+Jv?NzjLO4i2Y?R}st)1t1t`->25=L!gF z_KYgbu*~AfLE9KHWmXtVT`c&og>5Bb&<8;;mR3WcUN3r`QE@~O+^%St8zHJl`oIVe zk_{~OC3BJEW?Plm>P(OIj<{nGI)1Bf(t(e-`ElCiQO=R1_LQ>F4aj2c;dNq`d4a*S zKu^*_XP`ozdvzt%$hHy7oz?CYdUJgasj}S55%zr8bafoCuulX)Osj)bgv5bSnWp93ZDf&SeO9AE_jB?6(qHp!CM>2{r)n;a$~tk}zir z2z!(&WEu~;KK9!4gMBSxp12dj%r@K>evfIwAIRgA$UmJiz1yG0>*Xg=@EfgrIXkx% z=dxpjEcz4-wH-4Xr{Fw(TG{h3I;pb|En(gYKZwil!pab$ee199VYJM%Bq!pbh2u(K z!hW>o{qh-60KZb=LFG?Jx$lZC$wDm~sUX}U{hlm5$ai#i;pccCx0;2jl-^Bn{n)Y= z;=+$zN9--Dc>CP7<#SMYUHO|D9|84+_qMusT`yaF`9h}fjl*GDkRnKyA{}`c@F#Y> zBgA($)p+<3U0lJzypFxd6p}j#7;?)5}JLYcrc_uI^Vaj@PpYH-l-wvZ#dQBBX z@NFR}Rg_P$tmTR1{aFNL1E=>pMha#{k&yRa;i~u9Kqs=D358)LxY;rxpY)aIGD0Js zQ`0HWWE{uMsu-9Eu{y|f)S@E` z?cP|y2GK=!IhM5vzbG1w_j=YT{-!RQa))OED15=O$NZ|)z4XniORl~~@_}G((y922R~D@wB6h2V9Lc;Md3GdrdHw z(+jTc7JCBdg1)!+i-Qg|ABjO~2#rP8ok_DiVzeAKkYZcFUdF10QI;Elm6>EJyW?os zeI%LL!&g|=B$Gb2!MtVrQ$%R{RS=Z5+VEWaniPmJ3{Qlgxv1@wZ8txRJ>zW>4%q}D zT{4Pg8OZSp-wdFQts|XJ0HZj0PmtUJ6U-mpvc^ID#Net(AhWrW@+YNZk>%~x!YPOm zbH6K>`H(UmcxJf)=Ejr!9aVOivS-3(jh2NHQDVi?@DVPLqavz9Q`e;K*(prg&GpPT_2no_msc9p* zCKPK+6-UrO%W3CFu_iU%CW*4^M-V|3IB3!C#(lO#(ccPV@w~|5Fr0=~c*u^eCC^c5 zQmP^W0zcGAAb*@bTqI-1vkx< z$KmpJ>ONoysgAkqVDKHmWi5D7C9<>{g|@Hz4C+z;2Te7KFc^ZE| znB)l4+(`*2$2}#Hqyx4{Rc~;9mG6{;zhSz(>kJ+4d|6hX(zd<#<_L%+Y&*_dD)gkX z?KN1d4?&jbe5gNJ8YMb&%t`%IRlWJa7R$}CrS7P@;$+3#hQKRvm60d`O zt7@h6h0mFk)c6IJ>kg9R@~f~b;|Ka8Ixx97kKRFZs-5`4f#5>qOfe#FU?EajJSH^d zCf|O~5D?_6z&AjP)vIuY3w{*yaovqXX>-2TklakJbSi~d1f!ZF=lJw5ye0pHHF1(6Q zfnDWtA8ZlAw}CgphN+WKcni=nzfa{sNHP&J2;U@cPm>_BK$2qg~ey-qAPUB(;X9Ko&*K6$d(&DxDadKYU}&L^um(V=5}a?96bTIkv8&q(NT@Qb|*g?7Vc zbr33jBs5xl!Zb6!s!I5|{d#^4{g`HSTpMsi(|Pnqn&o`OeE4W+EA8!#0jZt^v@gqM zol*yM3q&k7m0Jh|2qHUA0RFGW8fKBrq9LKf&Ve+%)BKpxe21^U_)o} zr}Al`c0MiG#}Zn>i|!v;;F&JH6K67Gg*Smu1D4CZ#j9iuRt7LanJ^On-hPYA?7pt( zq*A&CuNM1si>B-Os&}|2mt`aNh|stF)9zoyzTC9f!hrXT;IoGXAs*#ys1dZuvhqY z`z<=#BXg^4YG^)eSpz|0E2e2qn@GN~mC%&)3t`yoD8=K2)W8JLwPH5CO`qViFKGL8w3 z6#V0r>BtrieTiq<`W|PiW}TaOd|T-wpgieRJ|?c;+((?Jr^%V9<_*&O{8!SMOgg{y zGxy^xDBsTC3fei#ed(?o@fUE&Jf&T?ALUveXURIi(cItev08qPs133}!$so#9%*)@ zv!=-N5Z{K>4s&w=DYv7pIn@D#_gW4n;k|*$px7p>792qQBV=-O56La52vV`^li7XqWql><(Nmrk&y6H=?BM3 zD+H1ju7mz^Cu)0?S|Hd2M5Qya>~i~5JuJ4p<&8(X zpQ2-(d4}còkZJL4T0^75Pe}MOu&Xp9@yTb?|Xdt-^L0tN@sAaz*THt;w{^T(< z?~GIOx=@2@79lr;ifEGOW+JFxvA(OF?Y!9NxSEzp$Bm@_$pSar;u;j%2w~&0BQDe; zeXfIPH#CD!0vOMeW-0&(n8BL+e#4esy2SQLEv%v(n(6VpXPUg ziKs9?Fdf(bkR85ri?Jm@*V5ON=~2pyeQ5)AJAHAaM%DKguBy&PRrjttv~Zp0Wtz_g zS!#sHU$GxGwDH7X24(w`+A$LJAQ& z8*0bl&M^OeRSxlWj)SpqDC!)4?6C4#ROfgY1;32pW*GS-Wq-W#uGVSP+md-DaFVl} zbCCP@Z$-IHKUE>60(m!?oO~$H6QV1rZ~v&^0)x_qVU*tL9ZAm7a_3~dqsv!LkJ60R zG;$YG?Ax+>Cgx3uzh3x>rq@4+=w4Vj8PC%~Q2Fe26X~=fb`Ae6PH!3HKT!v!H17 z-@<$>E`ktve+NJhPPcS(bf{m8zixlDVk_^Wy_IXgITy>zPzk7_Zv?v#;@8@w9h0Fb zHe~~%`A7OYM<@Z<06u_VR4ME;vOlVS0?GXmsfjIkh@!=)d!R?I0;ff_>T(}*g zG60aTdn+%&q`WT$Kgf^m-dUc80_{jy&DDL^xC;kKmUCc=G&EnChD_B4Q69Mlouq)3 z1P-$Mq_%i=fqPCOm|(n1U;(QPL8eYa=nK36Tks+CXn`GCH6FI;*AG5FmV1bl9>;|^ zODM#H+!IZ1o4>k0s@i;bSX+p%cGmJBxZfVAM6@pSnCaCTzRthQmC8Jf@z)a&oe{F3 zsp_54W!Gp|-dc8BG%KiKVp#-Z2Dzv8QTJBSJxwne;)pC?Z&(ySj(6C0b!1d{{(%kB zk9sm*VOh`;8zq&1szK!(YsCsxhr^piQ8i+2xIVOpy^r2d^`H!^rSq)Q!ZO!(u4PNQ zPF9v6{z$M(f(Mg-#--1&Blmx`U^L=OoCO?J>Zc$&hpW`1nDSehve}yQ-!!Htlh=*y zx|36QdoLSmmYy7kNTMmV0;YsQjTFkWS`5&}Bcm_AJg=@sLYrDU)YiiMFruj4*% zrgM+cU1oA*(wdGrWQ6i#LhB>lF}$*T0?7_1(Q>Jog}J;2%wQ%a?1GPHG)iw10Mt0Y ztCSh6yrpyZNeD(`^-hf!&|0MC-f9dEPlbeUBhcMNJ{m`X-RB*o&P-5OA-6wX{wJ7W zJSzzFcK5<~w>{atAv<^q+kZByCjbjL!E!j69dCP#&r^Rv_HikK)il6fHC??MnX3rj z+nWg*yJ>Y})tAwctNDO;5Ga!ikoUc|C8(gO=x8^$kPYatyTDwQ$J%L}(q#yp<1I=b z3~B^RNxx9&2mTGqc$OUPw!lLD9@I@?yaxs5JBjv9Vdv}mjs@P0g2lehDa1E^z)w~U z7_LuN59;b4Hf?_yrU9PPJi5~Pj*jWAsM!CFOA5qj`OM&OR99&_%JI8wE8u%sAYU5F z(R*sEF%?#H@@s$atrcTE{8sYBca zh$$)g$zV!KCspAB0N_%NX)GTZh%3;RnKo}+sOB(pMo*t@Md}d zR|k8;^k_7XrV$HDt!Fj#5 zHdHhBWD^)HLMdK@${RX6=AKb1QD=wk6wPNv?-c)s?Ot1ux~ux}y~~m0ZcKLk5{9UR zf#A!Nws)%iQ5tYX~db=D)?=x+gPFUwV z`qGC2eUbYiY7WZ8XPY_EjRG@Jco+6?b+Uak%hZ`rp74|XHMV;>Rh$)+ToeA3rtl}r z`=RiUB^d~a*p!hmiapBwhSBtsQP|BUFdfru8Nj+TFpQRDn^5eZ|MF-A;&aLqMk^SerZ)cj+S@DhKpUHhRxa~SxCJFGg^ixWW>3s7(~4k+GF)k$7n0KEyjrEGxz7)qZ+~?_HZ5<&=7>UHbZ&N!-^)(_v2f zOmA7Dr_W0dq&iROH|%lsu6)y|7HLVw-V&s2#ZzJRvrVX9k;zW%hl-Nu@#1UgAJ$4;5xxrW~#?2HAotdqXEX4O-claJFa7Vbv2?6=6X({^v0uLBrY3`3f~+#8}W6) z>*E0YcoDR~r!jX|GRk$<2m&AWT+ZJR&W(@ zqE)zAX++!%z*TVfF)Qha`!10?nSgskobD=hpH;fe=Nyu3I+B3Bk*NMSH=8Epmc9%# z!1tD39`csZ+cX>$D>#d}we0?26~i^Bk>cvDsAce!?G|SNGpsO9-22Q3R5Dn@CG#l9 za*xGwe?rM^7B)#b>7h@X&gux;x;D5YO8#2Qe}L!G+LcZ+AT*V2Rv)t}3-Vyk#}6!< zt6|I4E?sCcD@X=2xmMY1*gvu3SK=tUFu3(|)-Hd7ysy$y?@sv{oBHXn>`|(e@+vlPE)E z_2XeO=-6_c+F2&|i9U86o1*N~g!FWj`$!3?3F$;pacGXs#5Kp8z@4g1OM}h}DdO(# ziHuEsY=dkS!y^DE;O)aA*%+>kY+S!ZEmu*ux61UhNAxKM9B9elebU?%@Mw5Xl{O^G z&uMwz;YY-&>d%Rd8%0SOi5oXjv2c`}HNh7FX)GKKXco%qEc;miQQ|ur8_u1w9hU1f z%)l0R^=HWZKn8O^3d`Ys!9Hjf7+`Okn@xw-Ww9%S{(|1Mx_S||?@Cn9BDBNu&RhTu zRdY4Uv>1N!@ly8=Q0CaPB6gtV)h@Jg)S|n&(!1y#3e|+4rh<7Hp+LG~F(tv`@5~WM zMVDX{Gn4v0H;Iid#vwQj@;a#e)z8015L_mP>8Jv%+4kGn&bZ`ose_(9n z?P7lCkvv+X7HgD4n(e!*rX2khT%{(X!|8J$yl8{3DrIuH-*tSxq#EHiGkWyx+$I*i zZ@Hjz4g8Ec+;=)JB7qB*DOaqXYLx6>*>FctM?H zP`)xce@f)uB0`SxDvF$~z}Ew4-pDVCPXl?Q{1xIHq^-WtLGP>jru9Lm!{DOlM=f-j zj_brB(s3Of0uX}Ey9_dHetWmx%5(>&8|W`k39Es#13XE0~*G{2E{6#k0Z!RjEh#_(C1;&i#ektX~LEX$;C zr`hj~Z)0#egw#)x9!w|qx9PD&^Ta0eKlCL1+&OTTA1K^P(yL;Xt2FKylYf4Dc{mTe zE{c>VTx5oGrx9%bzII7U1TI_{1ig>$IZkKFxkl4*FpB_G{7B$bs+Atp(Vv7z>)R1s z-F7n?Y#9-c*P5PK9By=7keTT2&d77R>Tg^{3*Lk;GqB3|6t?-bAX( zW2C@8jo>uW$M&rFbVRwEhfm>D+oz51kYKk;llif@sb+t7ObNKM)FW^fEBi91bSf_4 z7Bq_YC=-!sm8sl;lpC;j0v?E;SKQeC3x}oJ7m?I!aFq=9tcla>WOuzal*-@AS1W6f z?e3Fl_;LIyzHMcQHri*4HP^Hq5R`^PQI-wH^A`?(fv4h+HatM5jC>i9X*j2TD!8q< z|7AkCXPAlzdS`FvB9l9gRegvnGms*zr(3Eyyzo|PP(~ojB0c`a(dfGwb0#rq(^%xJ zkZ~Vj;J{aD*}GlH{+)1PfaQ?IMcM{PPQCO-JS@!L4Gj3%S`^zp!(I!n8rzuFy025zUyrO10GxHd`2N6XeC+W*LS zl&h?7bv~;9xf2D=xa_94pMx$%Yvj%ge9Qr-jM7w!>>Zf+aIL_Y0& zfZ8977Zc`XLF=E@2@|+ji+s+n4eK99E}bKu4yoLLy}#5IRR0XN-0H{Byl7aM&4bT= zh&`&b;?~=Kdk0N@2hju7KOz4Yv(nKsPr!nf{dU&fSggBaGrDIen&(0fpGV&0ueV^& zmU-)tgZr%+Q2RbAMe`18U@P?YGe*q3M+%mFfxkWo8qIlAvHUxx%3H6akAlebe%$+c z(nC5|n!6;4HdJ@Tzn|jn-OF@BCyrK12shIprqq_kp3HK7r7w|VB#y;^S*kB_BK4?i zCGr0z{mRjkQ`@lYLzYzr+AO~nV_vFvl}K|~J|nO<#(rA>IN6jZW9&oO$fPg`+bbhq z)GBNr#`3BD5r9f6UByD&az?aiVVu|LHz>aXCL;1S)$%dUOg*icdJV4ci-I@cni%CR zWI1RdZ^=&}vXdlLKa7a&nNDP`>0R}q`&&Y8qeGR7C;-^@b-HitMYG(NKEW)iJP3rL z2Ej@D$`=4rK-nEdzoklbB3=Ym%EFgl!xCd`FXBYj+duFg2-x+w(jU_zlaA*;GSZ^p zx1h$J2W!3xt}7PB1{Q~;?JOzbOq}#|Kr#ab0Jp&)Wpe6RhO01fnH3tSZfRe;sdf;ZbsF1@OT6L1URHT zOUEIS2Det&R*V^=JT(UUe1Ze%6>XQ8e)T1GnMdJW5$?1=WKV;JLe{YJ0+|)hnzoN6$1vwp@P7xixEA{-5iJ3 zd7iU>;{+xj+w*)f`vAGme$!wQ>-@@6xYRM4FH$q2TJ(G`$<5Q(>+U=^qg=m~U><)_4s55en~ zQe`l8_M>%)!3{{YM>#zq7Jy&`LDfXt9-=o+=|vPSF^NyIj2Hveqcw;Y_vjJ}N+s$3 zKJ8~HctdHFNs{#Ngu3@6y^d5n#|S`M<{L>pWsREh<|gpnp(V2>A>me3$v9CSk4J$$(1L`Ff^u8gqjM%l=FVUI%mvny4JXrsoXO9-nf(rlOr5ci){9YzF!` zd2fp8p9WYa&d``%H_&AHeq>6_fJt{73e5r~Q?W+c)w}uuWbv`?c0=$7tQ<#$OTkgQ z_C?%wHw@Gtj0>LBI(+=FANLd~dPu52i znVlz4+|i=IXhg2+E|fa$mQQp<;PUnK8|f?|mbR(NOa_+pZ7qe>mf1SrasJNkcTIf= zdwbA@6*rP!MW^pzeg5T85t}dioxXq!o&@(}#5;$U%GT6i%>6bIpAw52K0~&p%x9tp zS3$?5bLhQpKXIj(W#}cX4vJKS#-#dVp>@*f+yh2r@x*dFjOMuj6TzuQZRj4$j>AG~ zMNZiX{P`UvZw{1}!1@jd>)ndTe6OxVj+}-ciCEy8X{pW;A8?kfg5C%oY!dgZ5zVvM z>=kncZl^`|^$N%_WVdq;d@ZbM!X+)E0jMSn?!4etJgL(^ceZjH=Jxgi?b!^5+ibEu z%0A}5h73Qx7l?ylY#8|(rkg;xPKf$F4}5qdbhJ|Hh!wK9`;Cnf&0(PpHJ)jS@d#?y;=xwO|0Ue@Z~5N+*}vxuYV)!`Ff{AuNx6uP#RJ-HFve2QWFg z^cQWh&)nL|Pb-Wi_%~pLYoZ^!1|b!EDH_T#99oLXm!iY7V8b{X0fw{f8B}4J%EJ0Z zovjO9kRFV!fasRc**(kDZhh5Pw0c7!>Ek~WUM`f;1y$>u864i$7)yt>fN8b726>-4 z*~aJ6EwEh8MUB_c$rBS}l;LsG9wU8R`3TXKre4jn?8rSUaZA8A&R;@{l@v@H977<` zw?r-(#zlOWo zNON0VcfRSgqvYhWwt6ga@tN*yf%It`hegxa-u8kdJn;M7+&ARh47Q(dHZ7&QkBqhq zHDHf(XcBHX<1PoSOsMf8+yRJLt3d}kwE)??jk`*Uk#kn>vTj`XS-#@>BYG$j-2(w` ze}mn6hvss8)W6}kj>?!bYs$>&jghFRVsD^_=KIei5#T%soXYqkk<}Bl&H`p~6>_o` zEB~JUB8Y3`g1^1w^3{=Y{(DXrslYYg5qmN7|MeD-{pFJ6!rhYY zArawR32pF)RC=PKEp+vQVNmeLz(aDSZmYdIq=?((U>wjb}MCU?0CyjPa=a;1aZFO4DpUITwk z{$~~Z<@g_0|D`ISNRh$oQa$v5mV*2)m*dayO6Z<{7XIIp{WYJ9!`tPW?WvDHi}aT} zUVfgQQLPw8rb`!H7S7*a2Hodx%Xh`yE`N;-c@Q`Tno5bMt#IGR}8zfGA;bRsQd61oP+R+P$J7 z|93W;^XDx2-`S{Vr3GW?pCiSU1M1&3pq|Ci1zwluRdJ>+G-pmA6Bz+BG{Ux$ zY4rNke6Zu|@&PV8v1BIF`m(_`Y|K}E3G66AV0yuor03S7;&9ykBq@ z9Lde@xzZa~@)M*}%RfZA9KXNZjC4LFr)&w*=I2A$jngjC1Bv~$ z64vGAc+1<7HrI=H24etn!6DidC5(06?A*%L7yuwvKrD_{$!1mnPAZf%J0HL-vkN

nC9fjTNn9F6?dqma&@=f|T;9z(k990jm>ky@J=6)7$D1X`f*K4x#pC@6QN zEJ=_{ZfUFv+2-bEmybl+?A+QLqL5O#8%mqQ^u;p@Ijv7&%xW_fJ11YUaZrZE*yzpn z=h>>&evr&xZi&+R{f=uP&Jf&Bs~ff2T&1!F?ozz~YZb+@t>g|kkyj4yKK~XC7*BLL z`QFNUjZV$>LlxkvCa=-t5b(z zC^W-EiFEn?+)DV!&GkWB-lyRYYW~`q!R>m3~7n7i~606>7uo|tbl}m}W#-&iJ$r_)OVC7TH35f|wfUsh* zCR~9%WAdStafXvHO=Zsa$3`^8CI9oozUBwY4uoTYgS6O)oWE!a;&)tzBtvI zXU(_ztpRHvYk{@U8nhN!ixWcDlBB*#{j8K;=Z(%28=%X* zwfbV0`@eqZzwL?HynGqiDhVJ237`;xbRvHdc&o@Ch`OF{xI)lLy341MbP*Xw{>&)j zZ;rx=tbLcnta&L4r2v>siUvA}72l|dES=$%3$ME(KgOYAe6t4di#j7u{s(?hQ+R&A zi_d<)#=K4A+SXO{(RS*Y{ z68Qsop`Jew%6bjI>dN+)q`RCbNrx{bi-_evkHX2D@cc`1iQqN@u0^En;kYP}NK~9A z0oowePq#vIw1Uv!#aOXbn*^1Uph2*454Ca!GHAykWQN>I-2(n-^ zO3@WZ!F5_ltA$%KR!9tYW8i+cSep=&AC&~x>41Ur{wsyeRF;Lu&$%e=XSL>=waydw zg0w%pr$^fV`5^zp_4F!m=H!w~?1-KXu2MMR4d^{5^#&GWT$lI%tw*o*_8Va8vAM_Q*N${b= z&P@;gRWQ|{ZM!I#6B_eJ8t1a@Aebk&^$6xaOA`^ye;)n&>H5`2wfu8i@gK9{whfxe zo1g(j;6JZGQ35ogh-$#fBm%0&EKD!bVUUa5C#H+IK*W>*$Q;d=@IrBUE~J#Le-H{W zLyZw$5e#lX7^vZauaO`t-y7#&qOOWWQnRD3q^}YhA`nX>y$H|Hg_|b;rM!{+fMdb2 z(Qmn<99^Wc@EHBI+BuU+9n&Q26YM(RQ?d=qxPk%6VbsdkdG3i2VBjr<^YNie&`O?% zG3`NhAPalQF&>SZGkHq$Bp~Yo+kWsj6hXyttT#4Wr_7O`MRH$E`U?jE%lo)?${ckJ z3bZ0o0mKNRIKCsV+rDGGOhVd>s{v)IhwX(7C+1)tDr_w4L<#`V6a$@JJ7Q*r?jf&3 z_!hHlWF|_p0A$rgsH4)CT`eL_xTu){ipq;1Qb7~4Z57qD9(*R*8i7EnwJjDnb{G}e zp_fpZb|m!BpU6TSSdy+a3tSvXlYX>ul+iL8!HG`sXp zHdQ-tqM$OhrM3J(W~-|P2v%3JV;Yxer!<2F1y$LGg0YVog=8R8ZVjX$TOC{=kH)q* z<|fqF{}}TLS*eAl`oLyD-0q-jqhMbe~27*b?w>8vTuw(ZO##t6@q zYabDrCX@-$JZGbD1Nnq`dZQjN8!G#N%;&IUU|}%{Sa3aa)O8HwXgp|~1MF0ew^oiR zS*|6|8RtX0q({gv{5x!zN{5Rn8`q;=8S{`1bY&vP25NdSeeknP17u;9UqVN3g5bM? z2>se9^%Iasqvv1zY4BBGrk7@uVX7Is7Rq00M5nqxf~9ynTy>wk0eQ5J^I*|oT3z2U z!&{~n{zA^`;x*{>wobC)$VD)Y&)XwlV4<1J`zIg2h}{rWqM2+y-Q#Km(x6g$G9hkC z1jy#-A$EYn1T99qwrp&453SFc2Y?tQM@(cEH`eUGhM&ra%;Ihx;lu)Y80vf^R2F;& zl|GG&wwzN75%_tDBAG@X;aAg>c$Ftw^Z_*-z>-zphWrmh!2SSCMy=U|@HDamnw8^W zt-Put(I$!;%`Os(0oqa~Sm!ku;mehaPS1@=+Q0!cFMf+=+;GmTW@m+@2neBemD5%B?L0IpH)CQJ?<)aYho z)hE%cD#W~lS1@A%6F%uNsBPHA+6o)*WsU78z`crdJi%JdyvK6Ozm_{=n6e99J90$R zNe{%2vrS?u(*j(+C7Z!v?;=7N&_;0VT%gSz3Xeed;w6qL>~qXmTN-MnCN|W)*9gy; zNt6ShFv`GBnF=x4fg_z_Av2iN^BwF{z?ftx2cY|_U{I;XKLdwkw>$wcDGAR)(L&A6 zM_C}~p`51*c%66f3(egIK9<>xpeM3H-Wn`IXT;-g)v?+5Jti4gILS3DYb?zi zafE)tlFRk|Z|p`-3^4EvMeNNgJbl}ODg*D^j~6CF(Qpz2{t;H${Z;syQ%yp~8!3gZyW?nmPM^Wx-dpl&1= z*SKL%YH5qW>0rt^FqGS75MxO@?+M3Mywj4(RC-?Dkv6yg9s%bwE?wUl)0LEHhHv`- z=Wcwv^atN)_A2}!9`0DZd>z>=cSqxa;e2H`YKwEIyqOK_2EiD)8eCvhpf%`CiuhwB z1Mer2_=L-{YjrvJ}MU0VoqzdLXV$ zI+J)cNpLn0@T<3{#{=M?V@_Z)BEc~W)Ej_UxAalRFnj|L?%;0*P6u2aVKvjRd>x-J z&g37d6j2##1g`WEw&zXHvBC^ysOP8UcUblrre>n>QlQ7)z^^WyDWvjCrfx)hL8x0U z)P^`_==LO+AA-7e89nbooTYesNQM0uz_qg<&TS+=C?Z_*(ly(dcFO(*_(Tb?ezDIvxq75Gys6+mP8$JC@-b)Z{<&{?8~G%#^Nx) zZF$A<8FW5Bg1BiSE|@qHjIG4GE*lSY?e%PCSGPUv^^kV#=EqsSGvEaBIFm`u+9~5p zmLVW6`T*zP769nDk>=7DF~z-5vtWYxqObs{nzvKx8jGskZyWF+-|P5VC7&gdy_7Jo zAX$3Dgk?EPkFO_QPu9SVFj$eR`Hu>xO|cN4>3Tg-m2TONupQmu6;v-US zV=TeN2!~zSqy;}-V_-($`+YKTuxI2?;&Ir~msI$YU{LuKIXx`E74@=x7@TE*k;7id z;#&S%shT}}t$Z!2oR7>W42NF>lGWFun|?$k+?3?^KWF+Q+0!H@fzAN0XFLI5#By<4 zb!7#y5|c>2`F@W>^s|<|03B1 z^i{9}RUQN+SJFOZHDtBr(?}e{2<8o&gkRlKzx+3LsqOWW!3fwO4Dw{4FeTUHv1J*t z%)TIS8*B=+Ashq`%adzuDg+OK8Q!atv$67^fHM@#FuR@Y$xStCG6qCQ`$zhg1WZXA z47?-N`z_2klCf|cIL8X}L^u8lPYbeGysG9V90EWnW~xucfH+$CW!rId9bm(72ca>{ zZi(VddTer@Fmr2Ivr(@mA?ZUiIIIG6^9AZ{9gW?w@~zr#*e1xLhK zJVwby!6^u0o!fzr<9nc-WviHc9LIjf)L=h8h?~usR;GVf5|hIC1(C_;`o*?=4{Ijg zzuX$~g+8aUFwu1b`vhub1YE%0i4Dx)l0u9I$Qq{fedmId9b=_xz4=|XeWPu{#!ns7 zAhgo{VIp3`3=o&v7u%)|My9p8iT9?c`C1aj)0q2$(-8NHrE^&0GV!s2KLK&|;?xM& zUcVra+>U3?KwuonK~K3kJ(+9ymS+l`-|SqkV;|A)P| zk87&@|HrRu?9yF>bKo2}gEKgjGuUvGO*Yto0h6IaK|zOtf}+kuMFj=LdlSq%yh|)p zOie6rsI)M()GSe{tTeT(tkkrue0OWwjlIi$uVMA+{rSEB_f@gWGUN+Z!GwSqIbR1$%SAz@zaf zU;AR1F`vi7>6BIqHAtGUqm5VLWizuYjCq(f;&8V)tw!STW=tv(b-Ko0*zt^oLW$?&!aoa!Ed zn(lH_3jd7?heHB+1a?cyv825jQ{KZZ%KdRsM!FzIjY9T@F}YM-Ai`6XCrF#EW<8W z0owa9zlE{pBisv=k(*e$hGwHZqpP~p{q)6&m)tI`!N08p&a>&pDtP7g}g2_RX3@ZhK=&--2cMYp77d<4o}OeS2*`8 z1e-k2odo$HbnnyFx`2X{27AHZ>b*c#IVK9fldZ(oF$mU^Ug+2DoWPjfw6)cSv^>hzdz7$@?EHz6Y<(0nWA zBBrQDhxIhuvc35PF_DXOw|9UhJi@ch5Y%x*uz5!k8_ie@E7tx2wY?*P26^6g1vm}A>LeZp)>`xZ?9h;fN(R3~xkH^ob ztiK@V$8qLWVV>^BW|(5kJ9(0YXUTbc-vYjcxw*#`vJLnIddsxf{Z0_I$b-SypP*=a zNQj0m%mECR78UT!CYV|Os2hTxR$A|^>0zYw%zDm>_Xca8 z2qnQT-qP?jjj|Eo#%N(QBLrBT>X+-lYQD@qnIabD1IWHV0{ZtkY zAT5(OAHT`X5OY0^Lf;Ys?lEE!GiU?!8%H^fnOuhO9PWF|P4_a3>>r$CqSJ9R?LlQ52&zBo>Vv)XG&mNBiVtTcBTuLRP^Z6hWE{@lIq?hsp zzt~K5Tp})Flc`IC#9}-i+MG}zC=N5jPj+*^=47P$+6)PJ0axGRpk zd~GmZwseB&n!UI;9e74ht;Jrh@LnoPKL$yCg%k@@gs%;P>l|c%5J^Y@c0l54sK7VH z^z`|_-X#mOCAn@K={v3hHAI>`VjSJx5N)kBPz@Pw-48Jn@|-wOSQj|AwHNzUB=DAe z7Q;4WE_{|h648;#ek(XE*pSzVBiSJu_BiDd^v@fh32VgUmM|d9*;&~(go>6g*v%ng z3a%q}n1(5{6kE*mn{<~>QHfq(?_dXI`g<8GxI_veWy&=b2@VmIA#;Di_$|XvR;`*^ zgk0UtI3Ru&I_06%;$IES%rUvw0FUnBxT}r>Wgj5s5&zj722(Fyz!-BLgyjHt21j^5 z=N#fDd;-=lqQpFa8^LMlRp1Ezq~v-HE3KcK??uQnjprk@+jY9n!}(d%+#K$$hao*n z;wrXTImGz%2O>xgjOp1zXvH@ZSO+vTvQ2+Ig3bq%$O4WVi~St7UhUpEim5LIE{+GT zEp!Zn@tS*p-xALEROzpY%tB4AuCr7ds%5|8AvYmJlC*{>oKG@9A&h>2qsim>KlH$x zaw~h2H1tx|zxYqJ>0fDg2wBHE)-Z#Nlf50=jH{ygnZagOOM5#im|=J?skY7)v^O=D za&24)u^Gx~QpI9EA%tDbG0Au^UalJ(Z62&KST#{v@)!)@_-&jDlY8N{agvkF(r(ZK zLYb_pn3<&_tI1Q6KxdMJlEx&sKGm>idV9Q}l-io(L0BZymDWmaa|rt$|NGb*tJ^xU z_M7o`4$)sb-o^UnrIL#Tx5TjLc#=e;uH9q@hdRNky=91I*Qw;r=23W}LEW$tGr7;9 ztlxxGTFs>!lY+^^gklis;#L=GbVJY z1-X4y;4TN&Ofn)*1>$RdDGFALDad*?)oxT!v+Dq|ZP}%OOduiOJ_y&E3b_T+-7=uH z`_^eiJCB#gTRs#GP}sVkg28+fUa*|g_lR1uCF3!y%BjgSfIRF< zM)VbPr4H7=@irZvVQ&i3FHM^}fsIkYvYp%}3&jx^6PQ~$>vgynvhrdNt4cv$*0@yp zI|`@{>5e7olS8i6vV%f$I5hW(nx&Ux**HOV;P>$J72{l&&2k!-Y&}EJw1tmirtSsE zNW=vo*XgeL35$(Z{1l!8Of@0)ouEia8p&{JhIIhbdZomPnlBR<96EqB=D&vUgUrgx zlPsa$d*F2;OccLCRX$5Ri|_f2gkd{XU<13PNIcmQZ{LEzIW4|7;d=z3qgu?s=&A%& zZ9S~rXWbp5{WgqpxUc;zWjODLKoG3G73rI13|Dph&T07T8t4yE+F2T=nDn*PfiQJ0 zf{cFMAf4kC{-qGtMPwg@oC}axDDRYFY@>XOvl6hmAe@8<+wgJwEG!Ml{}O>jDL394 z2`e4%Xi{?ReB0v%{-Q6CeE}*Db5$|-i$9oFNS(qp%_bI-^10b`jn&5CGW4WX z4o`o{6UFw4v`)a^NsLT}$u(nHD=D3`-I~pA^$pZ9Y>O$fEnO_ z1Wc@d2Zjp*PR5K95uY~WBIm>)=PeYNSGFTbC#B*YG*qt7mz2c=$?LTbLB$ZGZ62C! z-p)a~js84PKLT?{Si@M)k;$1w8?;Zh}2-#ZjP#r34yGK$rTX{%7 z3|0he;|aNt6PJJ*SXj`Mfe9aJh{x4H!-GAV(;QZ7ElGfOVOx4=GSVfDB?b69>BsUa zxf|r@OhMFvI@5>Rae>HczX|0sXc^e@%k4@AKg<|(Ex}{~$1n?^ zOTi1fnPDYsa`{e|6^5Ygyo!N{46}q)Frb|JMM>63W|euYmCQHgaqG!3^SNNWgB+v@ zt|&|%*VTkeQ%u8Vbz-ugmfRG;Uy_dA)K<`%Qc~Y`frJ|$p%t$cX%YVx@bD1>sAL3O zTz(B+=s5wbmXSY3&~W`ka2w)dboA0W4Iw2{5so%^nB1+uKG!F}io(r@x| z1l;>#8fh1GxWCf+nQm(m`>g-sD6%oHnux7$wepaK&2jX7h$U)1X5n4mlM;upNg4xf zIix!_8?3&Wf)i^Uy$B;j)7(-s`+TT(C8%_0OVv_O-98x?0_6?KmJ)9~hr^1j2>-@y zE&U0Pz{!O#VsZdbL}Xmv!$cBY;I!ve>^tI`qyDCG3QPuJ56x6s>o3=P-@lYbZtB%4 zM&di8jyW0^8Qb0RJ@UOaK85Y2Hq`&)vw4b@DgAs&7o&tzJWs-fgoGdV`V$yJdWMnjA!uiRLpEyo(z^Zu=5IcRG zwM6qS=bl07=jIhut5E9?#6Y|w6xW+i#K1aI*V$7bdeq3O`(5-l4%BR$n@z1n0t zc!TCTVPwuStl@v=vBhw#4Hbfq72MXjhGp_T<{^B2Tp42Q{KoYBk3D2f-cr0o_g0K~ zvj8177z_f-4)bo8{07m`Yqks=X_$wunlBCX$C9^v-G$RoFE!p}TsY_{*UGr~S*)Qw z3-&cA*+CSKx0VKxBKkeITOY5(-rSLh*sYLTmw?N?&qMk(iAGnP-SfafT;5&*L@0`i zBM|v2gE1Dm5|1n&N=`mhZ3L>x65W+Z1}tsHZSI{(W_ky3@ni`7Hy6&F&G|VPM)x6V zE03A4t3n*lku|i;)J~s)jxIIO1d^8fB&5cXBV?KtTqHTfW(Q4E3&)dU3dPH$=JX#7 zs$kZ#tvgAU9l#80w$=bUxBg-zmCW0N$z;0F_bD?J<(ZpD`JPc$RJR-z6YRl3Y&Bb9 zH`&S9@>{yhNW&`4M3#wLyb${b=^7$Qiq(s#NPyJOuhoXSenRXA4BIPy>#HOc7_DFwf5e{;qxe#Vo*&5qI_4}g zMOAil#~|HDf~0dAf{0CbETTd|cs?pLk9YP(w92{&)~M74@vEXtWZ}U+bT%VMBJ2^& zHqwQgq)k9p4hlkZAZBF+R*MJd5+T;E!h%K`!8uE+6;$UqT)d1v1t%6H3W?lT+J-3b zXRP;X{0jxK{45@WC79w^>3PoXny!%a%nL0g_C*S*5_r8}y>o=t7Zyj6-uNhWr)#(t zGFOtN%|cv77Px+Si$`g-pPAn9w4D`^k#B*Kj@^^lrG0i?1oS%<~UqnP;sIQ--l5MzHv zo00-`GKGsI{lv)JI4s796DMy(bToH*GKWhhBW6E;NM($6vX6u}th3Jx7az_$keAOM z1JjPL5w|`fti%Ph7fr?10*}<&xHL8=35j!bcXXavpm8B;vBO08-eJIRqh@9lM+3tF zK59spXFy#30DWp@Dl#9{xrf)4_p6-b+3gIFBeDjQcM6`+sWN-LWB}0hlb@x;oi}h8U|Jzn zy&=q7BToU3f(fgbD$zss+KaIL0xC*D_$~zM@dOjW(NYRKOG9qk!RUFACdnntUJ@cj zlg+{)CRCj4PQZaMXDarK7s#;Dt0Au+QPy4zCT4{8qO5U7Nl%~u0vbdQA8HsR@WxmM z*2QC)&DhEn0)b#*4@i#SD!g6j6))c1_Rv+!Y@3>czgtsS~2LMSgJ<2581 z917GZ&EjvX07B9;zc07|_nzc8@?^AW1oagsK`#6d#_mM&o7Ocfev;;L3k}CTw_&X^ zz;Mt0u9~yadDguy@-dDS;&VX{@GY(8^)Pk_fB1b*ANes;IS$QB!V!!22dd>=`Gf)3 zO;PS3EMFGw9d5S`(f)W79wsIks!Fbak6U;jXYdEZoB(&Wn$BQc0{R3Usd?jZr2PD~ zpFKb?sDDV!aF@CLIW2cH)P|rB+?2NH79_XDz*A4X)=~!4u%=X_9sPDLjqFv`< z#cp4Z@lv$cDMqhJ(#;TgcewGGR+AiV{5GnhpZ*0&doCPSc~<>IG4F&mN5nk&%9(=b z(*U9v!ULtBW*RDW_Z-WdEGT0!lUGGc`02syEj9BIn;b*hbW23@1PMRxxWeR-HRJ&K z4iE7*YJLqVS%5ku`8>@utZ;*6*F9YtX-*QzZu{A>t-*#Ry5FPtf+(Y2Zq#!US!CBl zlT2wG(?{ZIjyXD-#F4Yya6=wGZ>$lS$(D!mf9%E_rq0Ro z1u&aCj*@&&H!_~s>fVJuatd;vcMgGh9#0|(((k$%!@z+0m~8evPZrVBGz!$xX9ls_ zh=s+jP()|cG5l(+WX09Ig$jCd(CC(Fw(brD5J3XgB`}&z;asS9sW<>v<}J?o0OS2u zBW4mbJ)F`#rbzyj#DRT8ThL+clj_z9dJu6>NNW}ER#jfKhaqzIniuyuCTbrHh81f+ z?9*>n!AdC-L8wQYq>*~DUdoQwOW`Hc0ign%=dLJ(>**jWS}!Ak7p{uDX+ORM4nWo& zAx7wrgtva@dmXHNbx(qsUZ60zokVXv%zW*2W z`foS@`K+2&H=`nu#tM0n6DR!xz4<>oV*!*`9eA4?>#wbd4Ja2*{4WPqkBwL{xN^;xu4hCRf+Js5@Wk+<{!oXKewGRt*QbN zYq}a0-1$FC|If?h1nTvlX9uvx!$E!YKla}LUFiS*^ocFk&-^oM2_AV`?cDqL?fu7< zntcbc@xyn|5aYMc0D{|zdj9`?@6QhQ|M$KB%lqDcO|Dpb8w<}293<4!u7tYR=I${< zCmr^m83cdg;%CMJ%)e_4hY!=LtsG}gf;@r1=+MP8k`S1l((gn2iAx-=v}%}MfiwV8 zhGq~s@JT4^!t$3!-5h3TF-jqzw)fpM=OT>LCpiUQO?T?^(wn{0TEA5M#)Kx5Zh3WB^dWMS?U>-WLP> zBwdq{_;1(^{@722-DQ(eqJO59g(n{1udSU65TV~1+>|7 zR%$l9lOKl3A68%vGP&m=U|S=c3UZ8uc7V#8a)l1KMNtF_K*33SX=(rha|wl73lvfJ zhwX5HSOL3pB;MArJ!EF(#EPY}aWUj|2mzS6EeS^=ZNcrHe-g<&Fv&loYHt{PW7Ru# zsBSGuSXzvYAXEUil`7Yh#Y$_uGZy9N0#Xk}f&VR_-%4}+15vCKpmhC|75+8{j^{pY z7+LiS{*)U|Dwa+Wha;I84ndt^&1+49(ke0rIRiA#`!G^-ck4N&A;=JmH+dT5`LqFV z_PlHxRR*iKF`nH(%eVmC+m#jEx{e37o*-j{b=W3cXpJWiQaD*OhDWMnc*eqga0b8b4zrgmi`V6R`l_3_io8-niR*YOn^ zj_(9Sx-loKzz_W_6LC7t(;%b)w_M?$DIyg)cEDFhVsmp74R4*O0>h;l+GTE;mK!Vce|7 z`MH~c^HF{hKSr~mf^cLA*rC0c@1@k7>p@~nvzpu3c%kxJe6?(X(s)2k776`vG6*nn z!@Yd*H+-eaf7SYu%5#7PUabfmCjZ8T$rU8s^9Lswc4DK|7(@j52#hj$mpmtg-n+J!z(XGC8`1IP;X3xW;G∋keF! zgK*?1wI>v329$7glIWZa3N?<=uHLBeU)&-&ytvQ~&iu1@0@mL;!_HLW2<1aE|=g^6&7 zA^ryyAZOITU#~Ts;Gb zU4_P3a?dOe04BcyvNvH3H%zl#q^=ayGwRLHD%p zVxI{yDwvMfo0niF{~@LJwGiE)U>a&&s-*nE_h@LVj(b^tpjE~Tu5~CY#sj5XIA`{E z;z+V;?^WDeSI@TLg9(?`(mF!~&Za$?sk(PVXuRl_yPqBblZO5B@)TXJS;ENxYJOyF8yDG?~l2x85K!+#kvL40rbkS7O=dV{_v#gfyXtgRl#(xbS zb{4WsejECZw@s`CTI-Re`*59ah-krgaplrgO%(Y0mR?7Rpqj4lM#Z$cC^1}GB?{g+ z-^jz`;2}0sjb{^J(=EGOjs%htCd7Jr;)2NmB)TuP&J>?p4exa4TG=WBVlP+-VJ zaTb|s@_)ocEcO#NE1ZORzp5EQuH&EaRP8V|z0urT^PC31Ma2%#U#S=jf?t-=01$rN zw~0ye|6z+`!trz*S;KU+<0?>cso+VwKJxllhe+*%fC^zt~(|AVbN*(=|K086gC z6n=I}QCHlvV1puI^5HHLT_Y|9YIkh2aS_!#r9otK@ONH{hOze7wdwmca1v z5@cfJmB1Whr995wOYtz{@Gvfc^71xU5y1A_4IRV$t*6r#&O?TRb}_v0RSYcwLTB>T zoP0FFL9C5Pnk25nW2+kxHs=k7Z|fe#?|5x=C62D1Lr5>dn-A%AG94uDG%Ttp&~VX> z*5W(XFbzcMZ;xWibyGAn zRP4(wAx_~GVR4N08nQkTlmjV}i;=4XJVZht9tZ0;aOL}TXVm;UUL05aI8HAQk<)z?hV6MBzDz+YOt+1o(|s|4o6tif z^vC%Vz{$71xCds$zL>2Wz}f>!cuQYs{kMOB?sAWtK>Hl{@?q|tn5K_am6!laAygaw@NA}&B=7k!su%A0Iwf;Wvlxz> zsgG1~hb37U!o5OFI)%FOSA@ zBt~L8iLOcZ{DCV9S0fzb0OKTUEjQA>8ksn5O<)GA8377wHY43pXAm;TGr;z{)5R^r z!|FN#QyWcKo27Av%hw&8S${Cge1MDwIm@TyMqN?}mgVKGoi(4FKB0SE!yOegas!_n z>}#jmoQV)k($8UO3tj>`6r){1+%q)Q?Fw?3=y=_T5PYU=Il6Vd;aYBQ%)LQ$IXMu= zFPeawhSNstBZ|5!OdqzL>Tl7!A)bjsxIA3*ez3ekZ{~0$-zNkxYOQP8YPI?IV9oXr zwhyB}6e7P1LgLilkuGK62aE#*Vcxhz)b@+-FuPwReC>VOVJ2+u5X^qB^0i{OqsCT% zWo``ZC-`wRAlRclFGI;yPIM-!%$I|4s_i)NUHB%EK?du!$zbpF(okym zxu9FTPK;Y8%hMq>CK;FF_G>4&N2n-dbIt75U{F{pzKf&Fek88CZZ+dTVbA>}@*RbE zZNJJrxYFY_Kg{MOvWHmRVh#qAg!191H)BD{%*)hWP{~fq@ufw!F#G8s@hRZg4TE%5 zt+?A4g-gVahHrIG0;0+>0mp&iqUYv;wjUV_ZFvlycen;;frJ^36Ea~lQ)uA7px{`& z1U_)0rI+wnUp97IdN+Ek3s>|9ij+Q5jNE=#7z2dVl)iLQ5PF_?w}HFCR|+)!h-Gu5qCc7KS@}! zqjj_|T-4}(3DIS!b6WzAO3oyA7Z({~$tlj`PyCZ3+5?El-!M;L6KYy!9N#1arAyUDT%89noZ82F{xYy|Agd`YT z#K_I3{UB><{`p)gITqduqXy?3EaZ^Uy3LRtlj}hs22)WMj{sayc;fi=ldn%2~bO=1jYn>#U6_8zj0AaUM((roTFksMHNpB>d9Js zr!+_B5NR|?qoWDu2z2GKwin3g_Fgo;U^qa9JqP5;f@qk+?T2*7=XJb_L<)Cc=$mG3 zM*d{TI(Vb59IV!gWo(i9o5x6)e*+VS(@BJNYLJFg=Nwd5j>KPD-wA@Y4P)3kwDWyv zX4bi{HYMQf%5Ndtj79>rd}gqr4}KObi^;gB^;ZN{55?B_BxGGtO~VmOI1s~6WA*CN z&$OQggG@XPO@A4iyweTshF<%@^la9*+hY^%cHjWZ?(y8NpPz5P3(~e&)cjxDFzZ#i zvv?5sZo+;v;YjyO^<2I1Dj7y%P3Lf!t2=Rc<*%Knd#TEF^85n%s?dfFWw#Xv|G*<{ z@nj%z(noNNtoLfjjKtU|o2K z{GFKNc#6Fg%pD1sa`Y&UE^#9eL954c+!LlV!d35OV!*?9PR3UtSbbG9o&sgRM#upA z{m2{_GF5XfR>$O~BeGg>X?|0|Ky^B%?3W1fxjL7Qs%ZAY3_3=KSuQD84|=46UU&+~ z@^y63c`sonK%QQtoC~Vh8*Pj*NzO5Ka^ZC&z@T<}j@`JWdnW`+H?N`Tc|i-Y&ZQ1R z1ND?Z@_Bo?sbA~+>{G#DV>sM6%@K(`292k*Nlh~hc3KWl(xHKsFfj@_HBr=n%SDeZ zg~kXT$Yjd4UAI>#VA#5K%+W*0bFM_bfjA$qK`S`t;x(vM0)9a9vsiQgZ)he#Ghh(x8<*W zx5zgoVqpE^`j_J1D~6=z=(exL#Vt6MdiX!6Xuxx;4S2Z%u8-Q- zS>R2WIV0fTzVF$J3i&&T01*Xn2z^cOd==nZLFYoTdJ$5_9!JWEvB$A0e*1AnNXjS2 zgTng7cA)SfLmEir*mVuvqNks0=-#6~Y_TeCYIY7aZmG{vo1ZzJ6CC$qQb%yoso0Yt zDesOw$)tU@{Un=t=aZA6*-H6TSicDWDQ-Y~>nVOv%C%GBL;A@?J#>g~sW5zO6Va4S z?eIn>o%*CRa_kcLG;XygSF~=b>87pRa}5VidG7qO=xN8fv8M)=}*T$x@kzGVdL2KjmF1T zAJ0qJw&22v*iH5P%AQZG`@v)Cz2}4R&SPJ9oDnY1ymlsd-0E9Q z+U6y{e&X@#-*k*4*^F;qyv=6bdi@bhZl8OHp%1+qv^wkOPiCx;?|%7w zXxwjiK7Bap_ButkgtljX2+hVcq9a==j6dg5WlbNHqqck&+Lt+eof_FJrO!BQdRS9G zY0w?)6{@B;YBvuWd)^x*KGKvMUGr{J{~mWy(SWlnQusWB2|Xkn*;M<6=34!@3we9D z*M#Mp+U^7{e}IQ8A1@l1HtN$01CwrrJu)cy{IEv~Qm;MwNMVNOR?y(AyAf{>&L$Ow z(K(Fw-4L&Mkj?luX6dk^d`suBp@mtbcv#;&hfrKxS|^m0Rvr|Fm(TrC7~yYpXi6(u z>NI5wE87lgMphmEQ8UWfX?TCs%!|V|md}>4p-NaCv_9w2&NRP_j%Z%v!W($YSrKo3fj1j}|*ORc!QMKVyy@8~cIy$%5PYX`ZngS|&VJvuuEV z>)fAOMyi-kRGwA!n$44*Xe!xUxtknVKY{%%h)!;6JEWbm_wY~JsqG~8qp1fjPWY&b zySCx69+%gh>)xZ`=An-=UyncaSlY3>OIJ;M#dGI<+e0_@cXWUK1I4K6Cz$@DYF?GP zcaD7Bu>0fM=dwDt3_X+n^P>;E?TOqv^PN_2dEI;EyS=8*#%|1;^sBM<&*PxqnUSy`)FqFkcxvn>Stku^X(cH;o-Ur}^53H@Xd75&7nv z&r1D#+SR)0%PcpRj=eJXvr$G?__B0nUe1lXC!>2E{c*##d0(}^KiYpG?@;r6+vy*5 z3vQhro;PdLsOzD9_oa+qIcCSC;cqQ?{mGm$3xB%2e9VKtev=Tf=y#@5tGoC6>`miV zl?ILVV{^hM^{JeSEO?JA+1}7y|GH*AHLK1o4za#A>><|OGib@v?V8pl4>URCrR!UY zTbD-8TjpP;J#t81ej)F@*5!v5s>ZFDx*|>A`0JySt~d7FwdeYzUi&}Tv8wlpN&eLX z58gQId!otMygIq|`PVE%SL}XYb7iaEm!`kdK|}U#k0tgEEk9uI&YmeFrbRZ|pUA6k zfN`nk>g#w;zw;xWSd)5v(-Uh8UnHGtGoQNnX_3GA#-|S(pE-N>A8{~MOE#LZLY{*7)k-v&8t*HxMxUKN?Q|Yak*`$oz{=EM{ted$72AO7*na)d5nmVYPJ? z0p_q=|I`^3Fqm&p3akG~papmD{^#LQr0XC!c$H$rp98i+LM<%_Uh7&YTG!G-x-sgo zmX9w2Ziyz=06KJXbQAun+%4O&3)_rqn%Lk8R}Vpl&no)Ryxoe6YU6k0bR z8vbLa(iDTcDVyMqQHC%i!qq{7C6sJH7CIcM3DgMb77>Q#Hy*GMJ|Zt@-GGnQ4K*gM(e2j-58BKO5S1IuqO0*6? zt{mxi^Mh!rK3=|G&QctNy?5qxq#<&p#VOO!oimh67gyjcSKK%=e++ zzuo6}3=TtK@QTIKZ$VZC1RTP`uyDK&R$wt6qEWxyj>6pcp;Vy?!xE)jH)^MYX$TT< z8dXA4i3HqjJ`@}1LJum@2=2F_-%j@VEhsZ+5tL~5{-$jG!TSA|n2?xL2ebDdge@Ez z3t#A~>id0|O{gkc-$ZFry}qd)4uJQ5AJ$Wy(q07|BLk!M2F^av1Z&l#*e1AGeZNE5 z`(b^u{}QbHqm}gs@B~$Td=p7hUCP#DvohO`qoE<_xo%2*6$wHIv4FSGP-Rmn4#V4% z;AHqcaPy{YU>1D!dZ3cke^O*CeS-j@tk9eb)$CAdej~<1m!Xp1__(W*|GyXSf34+b z9#sij0Lc6o!|8^V%I$NZw*>?a{#R7?PhPjbY2r=gRNuw$7IUBB4K%auj4lv$#nOG2 zH;{2mW~BdMdYckBLx_tA@Wp4_=n|%1OjpDe$k&L5sOE$j> z0m{7`D;*|l4#+OaHUdx}sSMPfJA4ratVnPD(Tk%&pMw0H+vZY6c1Vj?JGsrH~ zDN{_aAXVC8>C-4hh(%6UEJ*qwhoG0vKzih2lywxPSSJSrYH1W#hLVNx;x3e$ZbLRP z7!GrBnW7yo@)Ss>o9u^BNB{wlUW^=c8+ah0tQXLz#Rm}ep4|=CMn$bS7g#Kka9DYO z56(L%KvUP?rw2g^SajwoP^zSL<|C-GL?&i?FV6}Um;9(z5owo2Q74zTyO@Z3%hrA6SABi!nbxgNZRB4IKVAu zeMbS?@50-Ji;Da;sOYr9RElh+L!?IMMcm}fB|%a$JXnqrL!O>5#|bK`8Z>$dvOb5= z410DEob7?PmNI8fP?3yXZ{r8oA=*3Nh>E&Hicvs#*7+;CdGuJ7?+)j3eW|EvfcylI zIDZ|bF->`jxg#qQI<|6sZDY8}C{5T0;6`BtTyz8yE%tH9SHM}gQKI445YShubs=$Z zP9at%yM${s4}kU-D;_FafP{{@tlNb~FF@SCMOW=fw5tKt_D9RsA`okfQsjiFp!rQT z2Gdq`S0KH0hEJeBu~Y>i__j5GXV%5g^253p)!ehlmc=`xy0=&5n$gZUuEy;{#$jrH z5+s2G8K0Oy3OzqaySPt4-RCp=9%Sp}8&ur5+!Q2^cOO)F>ZNICWH4n?U}O%QMe+&t_1k{;vg z)3I|un!Agv;j-#(m=be0DNqXYOYT^NQgwT&IAdopH&VAKjB|ky?X6eng2D?5YY<+X zsGt^Znz$jq4K2OtnANnF%Sf-%pH&Ho4jbUm3u?t|11DsLX*12u zF}!!}2Rs6B;$*V6k~blH2D(+nUt#3^Qf>h1VAb;=I0Z7xgZX_bJP?xMZ)yipiZ^&s zL>i2H4+Y(P2IL{9XK~tN;dGGoQ4ChaB7I?~Z5z%5Xryt0Kq4MHJx+-fWT@CGbk~IxgwHOs)DAiS^1nuCGeyDi<*7(i+ zk^MIEodDS~d`WvspqFypKqd$CLpKyI7*iDAzgQ_%KsQ6T4$^L4}<90dcnVh5zn7Cfj+i#4r6@^#)8u) z04$OweByRcQ0j_N0n@Y)Z$AY@y6{u-1H|)hU7<_;%^*_ydbr&hQSvAx z^3Z`L%aMJH;H1bwgqmO&rcraw^9|j-ib`~kMIZ<%Z5IKfZQJYbb`!2vefxRq-b1hJSONJ6(7XgFd`*Ii>FylOhYvSU6j}COulr=Nh=2^!-Jh zcqLTo7I6UoN;o&M@Jl4LnFoe!20hH-+{@zig$HX9ru%l~(6M&VwgD2v4RHlSZOAjs`3x`^+c zz>X8^tI<=3gYLbL9q(Jmhd4EAwl-96q`GE}=`DLrXi*2{fuP6Iw8TD3VUI=IBupID zFtANA_NKbj2yUgEN<+kW`s5%E(^3&ff(uFyD;?^?f zM1UsY@-wzDXtwDuz1)VXlTh6-@0sRjwTn2;Wh^%Hhr-xnF*TQOJ;L?cbu!5Qieg(! z5OJ7F@MLb*++#luu(Cw>{L%}XUC44*9P50mJ6JL07hC0{$B zyEO~#zh9mMy1Uu#F!&UovaeL=Rz;mZXabhvSr*j!Sn*BW!@MnFUKZkCiD1jXHSR`1 z(lb(U*$YTG;p{2avkUq=Ki^O`8X01ZvLqaWErj;MSNn(%O1<0pAyu335r;@$KuTnU3x?rl%K9M3- z03QVBw2wvhUBJMj|E-5j!MkNpHJ=UEf8CdYm$jy9SsTTsjL|@(l-E#=l-iFHb+05^ z_bcQMeP4CnVy4vkRW~E2!b2pRrf(_;PY;TrjBzORlSJVG?R#<5AipJOwNs+0R?Eb} zSK3(56QW%Ons5iRshRyiU-LXDMzfuv9*0fg-WZhLS+S8zz<%1_wpTQH3qA3i#S#KV zwnj`u$%iYwBe~?mzk?|vrSRwD{CBuCOD~w9tB_A6yO7@;ZP0$3O0RHzH8008(Yhfa zz%di55I^+p@jS^mWP8cSL0B%NL3E5qjr+5eKs&3iG%QS_32c^*OArb)QR!6nU@XVq z&$b|SvL2f+9wlV+uX*&#pVABZjT zKDau!wfL0lw;)Iq+z4=zGd`KK8F$MSIx)%dDP7DZnJ30oJnLVE9r)pNHN6Vm`$!FA zo}ylQ&OZv)Zk2g<5psp+!TMX7zJa^=4Ovj}AbcjG-T7ZDEelDETpSSsW~FO64t3nU%0I_8N%@+1UqaQ?|F^dwb_He7|33}TT z;`qQ`8{}cZBu_@3VEKDNsww6^aGk{s2ZY3%%b<EbmocV`w31xkH287jAN!zb*)Sr%`r=X1`9E8I2eRxbB21{O!#|HIz9$2U=RZNqz~ z8JeABrkQCc&7_@a5=cq{8JcM`Z37KWpoLaiNTG!mT1cUsTWFy`Ia(AH6genI1uakz z6a@qn6|@2>-lC$SqJpA=;u*a?porfJh_~L4@ArOxet$gq5t1g8nb~Xh?7j9{*SfBw z(Nn0xJKx_wGSV0CY0Ff$XhVBK>wwzjH7XFs_#3{v_XUs=9?!1!+>-#zvzPcBdLeZD z0AdHZRc%&4D2SL?ys1C(5Keg?iYxQ#>{aNB_45RIg68;4wo$pLg_OFz#`kGsCCLuG zXP?DN{+rk|c6qo?1DK0qXnXd>X3vW~+4a|VTws3^&5?Pd`K~^Vb)+Er4kHpQy3Q%U zqzOz6_IQv~HxE~Mr=4S+u5E;af46ebR>n0Bq;Ak_#2TFtnzVm8m~7|4BxD`no{|{L?5pS<>mqlC~j^V&JEyloxuUT<@kp zj+W1bgni&P)OHsu`JN_?Z6iVT_+bCGG6zt4ev9@OvOmxdl}G$71@m|pYgW54hN;t!yU+%3?Fh%KKI7Yp;xRyqi`T@Qmer7l8b; z*x#qVT)A6A+=oZPL74tt*2p+gSmWWxVGiE29O4hJiKn>j4tDs}acJx~*=FqSALjAk+wSn7}z&sDoMSN)DF#O94h&+c> zeopY<05bCG`v}I2;_1l#F!GxpuEgJs0LL8k?TP;?hd<}=)lF#UCImy}%hmev5}}<|c+{gX106bvDJLvo_?Qa)zIJ@JA1*eU~D+ zR0Tc^7%Y?{sB8@iIMBA6k;j^@F2-C%7yn@OcFYav0u``%OSxbdK2=T91n#V?5V5#Q z$}oFZFjJG5t>#D^Tg`sGas{linhM6Ady>ucRszxSf@I)bP&apq-PHX`YT15mAc4LO z0!1U3uo-n&UrRoRxyP;NpH-IjXFlWb6<`JN+1T3wgkgTuu4EwT8(52y-M|#c-W@c@ zLp-E?ElfCU(37Ho6Uy7Ff8eGiDVx#C8c-SDjO>1HdXkcdJl!o#n~`TZSNL##**>)N zO{A^ePSVw^H<16jeGW+1gn zd$MbOI=4sQGeEpt`NAOmlqm%Eu)ev175ODV8z(xSW5-FiNo4)5y=*_%PiD`DmdY(` zx-i@`)&{5U>5;AkFgMV+(ysKx?ON6<_rie}YEG9pgN~=I+CckCF!VVeQSfGD0wM9-pGb(=3!S`SN0iJ zIsHOzUNEE)Q-o7;4dxE`Ja0fS_$o-9d!TeK|IJ|#BOMrF>!xcHsm%=Wr74e>*na5Mh zA1S^I$=xyiJMzgUeYg=p@i9ME*^2Vk7iQwxd~`hEn+$;u_RHKvwE@dtAoTCw_A%Q* zfMMDX%e|F&f|@tpv8^-fU?a|}psTSm)~l6oVBtv4x#fDZ=tQGJqebL=BOO!sk)d8q@&v*uU7&eDBYZ z{6M|*+eJ^jNao95#RHx4GCdK`U1EnU8A~kZE?MWN;Vj7xl-wQmJ&ypcPyR6;=RlzZ zb0#r#FFzGcF+XSU%}{2?nfvS6ZYSDUkE_ND9$REnc_Z5!-%t+jo3`;p6It?1N|#pkMrQo%}aviEFU>E|JWsVIZ!*! zUxnC>_%*E|zUF+|rQT$#{hhWH4@_sP&GPnir70_SX2I<^#5B6Vsh^rC40OC|4$=1S zu~$fIJ6klKJ-dDitoCpZJVIC_zPM18sGCUo^YR?p+JGtj0Sba*b_Gz`7l3C|vhzFUH4k3iK% zSb|Q`UQCc=a%pH$s&YEHWk~zOtfD-lQ|NftmIUrr9qW^RC1iBRRTyXmnphbFfp;AQ z-rcJAjDpZ92dkwNW|3Y@0ajr6P)wD-*E1)Q#T4i&OuFP4X@;x9y}0 z)4*rR5NG(*qQ%vxPuazuBq=s z>7hi|!fu|-h8CC+b|2;rCI7VWdZl1w_36@Egu_&y}`lDDH=9X}^_Z(e9Q$UU!T zUNw}v4GE9h`+;5%Ir$W=hoObHs7o< zxYMHh!9#HT;3FB)<3dK@%2?8w*}({%nV0PKK9bh9RY-F+8Uqth>v)_FoCW>3r;|uQ z+x&opth_U^cq`C9ROWN5rhr&!k}ktZTiI#tr^ zh#0BF;_0CB7Ha$gcW$pgo~U#|(F-RNflKHCb^`moD_uXf-Qr;l0)Q>Z?zeKV@A9cR zftQi{Q+9_k2AR{%c{49Q12Lji2t5&i#a5bMmD^qDX z_!O`?i!I?THx+)M-*tpMap_&U2D)1sk@uj$+woO#IPgxq=pxm*OMO$Qi@DwLJZ`KW zs3d(=#2fq_)oOI$dfJ;Cdy!P3g?fmZP1P0L9E6o{GV zq{|mPCcQEeF%ccGDB7P5UPkOJp*osTEjD|6gIGwgU}=Y*UL#HJTYEp$YIyI+eGG`` zAJPhIFHToaB=Gl%x$OOr0W0f)U7bbJTNo&O0lPmX-+{^op}e!Y>d^+(V1dZAXRJd# z;8pa--1oUwUV0|kT%;$fTU$K8@p4sM$7q;BT2bpnF;z*?SvPbgqg;oQ)WlHkm1B%J zKz$9JJMMUx2Z~DdaDwag5tTh%4aDK1^ZHABg33nl%c|s~XnIGa&O*2L!eu&%)2|r&wjB4Ny3uGgxe*ycb zGF{7L=vEt~cR;S@cs|X@w<9P{RkmvbNvSO()iv?15j872ioZd5Ygx#v(aYt#u>TY! zq2+c2JY0bZvheQ2?p`%R;~AJKU#0>_Q^9rg^e9v_vGtAV^g9RN7k;2qkXj4$sZUu0 zpCP4(s^%kcInettFYB2Nx|8ojl6-BsUhX-LO{d>rU9KL9zH{VgA**2(VOZ@kZ0(=G zDiwn|Df=|hjig06kNy3_LN{S?g-n5L)|Ovx4@oYuUXL8 z#YIT|83*6P)pqCm%-h8Gp?@wrS-Ay~Q@Ll@ugbirkVncFv5p>|fs`$Xo;fcw2$?wW zU|U2pMBJEf82)>170>#C1erJb+hLl$f_O=?5O-Q_7{%ZbYf*&bRwgum0c5Sn$2>fb zEfUZ1ZHfzvgNt4#n4J^i%)FA|*{@fETp-uL+-53~ zNH1o(LE7(CXNb&DL#`^{nb`Uz59fMU+3>5mD|Z}j{X7O#yM#5Er_2L zyE=@{580#moENj6(PkMBY7LtlliRxXs)A?`LK zv)C=xgrEgL>E3v}3ihe!aNaF_gpix`w4dd?cHl?U=`M zUnM%WveDU4fMj;vl_1|^i;fmL2gji3I7LG0196R$aA$gpd6mw$tMn4MXeR3n6VA$O zBEbGgJ}M2O69EP8EWDALLdp+6fiJV~bMj z;{9)_kiKhWM=|?`lVz7@c}6C-PZOHM4uLIU2P%)E+{ffZjrEw5zQE=#z8$fpPF8IH%m-F-9Iku0j2HXZjq1Hsmrgo?7#KKRT`Cl@~(2-DF{m zWB5?WFV931!>H<3UC*C5-a=Hi~YWQfm?}NHR^FrBxbPG_p3i0~1@* zCn#8lcyB{9mi#8xE9`T8q09X@gb>H>Lqfl@Pc-T|1iZDN+@(Mw?)csx5penM4I|&{ zf}hvVzFm`B(xd=e9$phbr2)(b8bnRg4tyYtAT{XjRdpEiBRBWMWMI|5@bd!^Z0mX4 z*c8Ua=ke@D%+GA-ii(G#QXu}@hWJWId~G~iJOVY`fjkw$!QxlOpiK{;4XZWJ4Me4z zHGIJ%1Cih_T2*;&_E>NaXK%*uPQz#Rt9@+D5JoB^QkIE4r5eTJ*U*jw#JkXmA%Hl0 zMtqGQ^7^ITcz?d9kB=h;_JU;P$U!DKL83WzvYsIh78V?O>nHt4e(gK~`Phvf+(V`G z>O7Gi=;~rn^7J)7mrA2be4OLnLe~|cx+ORkpa-rhT6q!q`)=rk%DzAq1xP%u28sHn zRd_~ySLeFRBD-->*IX?>$J0q42G-~v-nqhb@uxkU_kJc~p$$8GVYUF0D?vian$hY{ z%Pycb2hm3N3|{lnMkFp245iJuxCqb`BMw? z)49<+Js*%%-vy?1f+0*0)V$cXv_`T|Q)G{ahaU9=Y`MDEw&MXxO zMVxOqtno?NA>_MKu$f&0QB(Fcc?06}q&SGg(UTznxE--mLX(e2(2T~?Yg zTjaSnJ!(OU=d_Qzt6SdPbg4D98xvM0{9^tfMY`KVT#=)cE8G`Fo@b?9{YX!#E`=3O zXdnssLTA^jI_^EQeLf()4ihzUgp%?$;*T7>HFS*cBRbX7h-orn7mTzBhabyf2Dt~mR(&i3_MKN{cX?8SQci{zHlD`}pW9mjI*UbZ)ZrObwW|-_eAeV2rY9bx+fwgf!nA@R|Zl&c%G;QC)c|D?O z{{rsf<(ir@wqOOD*_xuZqxK(KU6`IJ1`7HE4GR<_(j_EX=q^@b2a zPx-}8YC38gfYV|2f5V99aIYJw-h6pT6y$|xJKGQL+DM+1)p*k6x{daMf920?vx!p* z?~I2Oc}?&KC#P7bB>!|JD$@_&e{0*cf9ppcyCbwY%^tS0!;iRnCK-$#m-(I3LgF=YC1n zMYd4Y!O!W)dRCMreW)K_;eSe9gOoI?^kV#>?+REPq58<92%gVh3|(z)#vUv{@&`2D z_L2AH=~!J!Exr@^76EyAJ^vYI#EF&G)t~ciOohQZt3RB_y%2IOSt~pe486TM5A;~~j~L*uqhLjZJ}H^!bV@5R{U><3@osQ{8FQMljpNTMs- z;phDOIX*yoZQF;G5i!^2slXsZVV6!)qRw}gG%CsZ_3Z`ytqTnxfD>I9dYv5@_^6Ys zmrnSOOa%KycAxjrF@CSp5xR8QA)zG`|W6vQ!};y=8WFwk}%42BfXYWC#=qLrlE^aSnZG ziFlcwQP_ej^<-%7zqmoRLLYK$aR?qy1xM`>XR#YfAz92ueW%#;Tn+O%DL5yV`(U&y zK7fLW$T6D{`v{GIeO1tmPY}KvQW;AJMb;>%+@aO>n^{rVO(wKVp3nuRBfeWn8T_t0 zYP9gLv$dynzA!{C#2nUO-+>NUsquN1z+~gada_jhE)nq7lcjsu^^?wIODimbm({z* z(Vic=mIY9uf*fh7v!|ojdmh!aBDL2L^&6_n)@jcfw_pAQ`Z$&cV*eU8kKHUd=Z#?o z>g9d7Bnz(E-6ml^%Blq^oJ#IVQca(nNvhhCL@{y-M&G6c;J#LWKur*SeNYF6I_)R= zvJ;wWPn}7;Z{-XUY+Emi>Tiq^>{|+J;|@~1a1~_aQSNQZc!0I~z7U*c?`tM{5gV>@ z;iUjvo~yJW&))IM7>#nE)4_)ddP`>$)ih1VF1P|4@u^*GT4NpimN2T|=Qc0f&G!=9 z&Gl{r2>z`6-X#d`R|Kag#U}7U17`lEV`uM4haOb25N7P#4zlbM!t|v}5c^772bvss zPp>xPj@zn#R*qoCLL9pwRO=bTFiFI*N`iG}E9!WQ&kioY0K_@+Jzr+%uG2bovPMt-jzR+9O^iqZQCW*?^oXt*T$38MzR<4wa&GIUDjx($!Me4wE^j z(9w~AzhRa!Vz;o?ihn8Wg6Ox&hEQXmGlHS+p+xQ?!#9N%;%?R=6<7uOGwTh|l|oQ9 z-T?~_pttH^%pa)aCgxFt=yJrR004HE)_3&u_nry1f>%q605X8uMA0Q2g0ZpP1MEr3 zHBTeQmnp<0l;m#r4{}`QafQ7+@Ht}7K$tn5e;vza6U&XSWIdi=yDrkQm7b}S`EJth z7BMTdn93@A08_7WwI=sg8Ks{5h#g+D3`f4={0aD8dK_vfpGsJ9903Um(-%*k zPwaRMH`ud04XIRrY7+YdgabEwRug^~l~K3_vw1N4vR^p&w3Xpj60W)hUCWE(m8c=m z(#blKao^i2EW1OUn$XIeS*bqKsa4nJbi84--sRxe@vQ|eI(ljtnWNaK9XGLqcuyIm z63?_Rq(?|QAcoI;X)T7;XU~F5_DL)Ns@bp%953Hk_`aTgeBgNwJqzFmCNWKZ0hb>j zo9s8+zX5o@bbH!rWM9F%!%tK8m7uy4rU8!O8DI&IL3`GMzWRX}_~MSSP$*Z10-GqN zOR_vKpD9bh8|cRH+bGaLwI1UNcyBMp^QPEad{5bp_K%~-iCx2cQ2RJM1k!z-Fv<7p z0-qNuhtpk)`?{jjD=&Ex=tVP>Mii{JHr;0r-i_=>q8o4-NnO8~ePhv!{yvR~OXgb* zPPQ9fR=6x~;TdH9Sch+oVWpoYxOf4w8o7#eyr@6p)&to72Q52}dXM0jY7s0`(G$B= zJhg-7C$+Dy)G8A?Id)p)`MT(nzPoX8=y}Jz7P76)SkCV zX6}c8gA7R%4Yad*B)yNmjkdX3yD5bzaEcNhRlaeX4--g`R zhmrdWCXrFO%Uz2hIaoFu7mT$Rks|Rq`ZM1X!m!|TiDko(xtp$je0T&REOnrC6!Ld= zJ(bL+*VIF#Y>}SXq7&a#hJpv{Hpu|B&qwS{t`Zi8nyjS@kkA|EKG&fHWW^QLZOTIBOZLvUEWCoc3wqz~2C^Q#^v($Q>xcEkBR-+kCseU{9I@jg~2RP?0v zP8)uw@@Hxr(2iY4$}_V}=!j=Sg88gXeCf=Cq|BF1Jgvy{A?x$;V%f3;BDK8D9wgC~ z5<6SI3#lHovMcWq22-O~H?HhP^_B-AxVxn*B%F>QIT(@R^~5901lBvrq$lpC7YUQ9 zj|`&LmF_^`$U0raxz&XvtL#nyG`bANf_~8li7KwAb`})6mkSfQsRU=S7wlKP=h#}M zK1nT`Uq0RQD*y@NpcH!nbw70%Tw{Ll!Kq-lDJXK;pUuxG(_(g@{0>kYx&~X=^!YQ8 zvrpq;>V5eulsg9wIuB0L^9Ef7P}KFo^iJV^2&~Ts)iIpUcdP=$RJK(-j*1l7a>u5f z2ng@r-3Y*VPhTSKBl29@S`IY|WzINq%gX0)`oZB5=W48wl-!Zd5A9CeyE?MtJ;=&$ z>*l&oFBIh6+`K(72!&UmJ%$d>@l_W7l(Tj<*BHoxJ;tK>e0NZd>>eJDR(?r*=lbPU z?8zje_#NO9_fYKc;u%P`V?|Hl%giXold`eUrdia_Hxs{PKGTDgvprltcXrk2+=+`9 z;YP|q^yJ&B^~iNrN3Fl~4av&uqCS9J8A}xCI&%sPYENw;jI3WS9smGt{JQon+UzW{ zheILIl4ja;<=;1kup{_W{Ejc&rP2eh3D55V&qiwR?fJHB6o4`K> z0B!a+Pjk+^o76EV*Dg)V5>?NHELLSll&u0VB3*nE&B#WqB+e<`gIHI^9C*Lx1>_!T zkMcR|XSrq!k$bQcr(nJ>-$hO5B4d07WWIe48#tY&^187BMEaKQjT7eU-~ z#wv?fW8UK`X38{}?<$It@Hn+2k>kC-tiSsq1S zJFwGHR91Os*~_SSEFw9rF>jTDEDQh0^Q*P|cf$9cgGr#BwGQg*YP!T>eBlu^zXs7& zp0UQajv{uv5=4zQxv~>A5!8M*+#Fkt9*`Sw)nr6_s2Kp*Qc>x2q-@33-bU%F4xB|s z&q=*VO{$O1k@_c-h4KM|$CF4zX@>y^n3oLZH}%ThL^+#Ok*!g0O_0AsWnD2uh+V%X z>_@IH$&N3K_yNx;Jvca0FC*q%L-ppL_2hzjwZHrT@-|XE15@>!!)R{;E}P|Wy;E4p zy46G)9U1UWy&F5`^kUPb+q=*~X%k1K<*t?A01~ojd6hKNNQ&i0wCYT(cEXZ@aLCC2 zJFiihgOr;x&n$;BqcLP|+3rq(MTl?t?KE51cmU=%K7)0#lK_WahNN);P(>}P0^B(m z!Y7nhjH3#dA%6M%o`^}|9V-(<=N-wkyNN9VQc0$Ns0=t_ zhc968iDHW~W-cRb-0QK})pxour)X(rS1HL(Mlytj^!Q{Ov9^BW=#vgE*Hu26$_whv z_SVn&6m=kK{mhZn6-c6(Y7@ip>}|B@YgvCMcOsD=8GzAi1>?GpxSmKPCtX&PXBbh3 z0Em^H3*b{VH?C|7vOhs4m!%;(#s5_G%SDSJsPNAIl`El9xpYYR2tF5wun$5H;?s-Q zZ*sgN_-iA5LG@%J-837FGeP1ZfDEy|@OZQbkc3cr^Z@3kRlJWHGoXIx`Odg_O>Aki z-g>K5+Sj@8AYg8kEuErKR$wl3@|d{j9yT?ir@wc92tm+P?g@S)f>OQc8c6ovkD}|K zBnOgO8$=ts%-6GWHnlKx1bB-Em1dxD3Fhi`ZC0^Q*&>bn3U=$|6&hYTSAq^$fAx!l zt+@`8YoA#D9VDgNQef#~!S*M4tNkgtJ8y3Q8Jm9H$Yk%+K4b3Tje2K4K3_ecvp+07 z>Q`1Gz{m=Cg*u1gjD$^7S0Uy}04V@Ynt7S$Emqz^j&iFBEW@u-YR`OEwYz;x+edk~ zvYUNIWqZ8mxk+p-+qLC8$&v(@``(&Cxbau&cK`6;LIih_`KNSow=WyMX^0^%M>`J( zp3?|NFdmzSzRj)GsP6kA0#xm%5;sChIc|gcjBo!*caUeO3{Q`k#{GYzdRhGfoOWsN^pH5r;$n(piEFC z%>v*xxd69U0YbKL8ek)|ui+NOSPKQo;%jt<_uW6R^)WIZ_ekm$f4lFar0a~txIjB; zLf+Q!$JiJnlEzoa82d-QMPz()COghojTC>f^C{o~X(H2wdx1Eyl8l7n-7J*tyve(Q zN;la?1EXPqJ-;0G;7IaFUS5C{vq$Wpq``~rYX7j(fd!hA}xPnII1AKDEC z_5UEh&=Gf|3;dS^!(XmDSnPTM_n(_w7hixn>#ozACQO}N=lio`UAM6EU)x`2%#LmU zkH5IlD^>Tki}jBi*{=QgpN@Cq*HG~N|GIbR^EWoliuHq7N&25HiuJ%TaJ6HPe`wQ< zAI1v7ZTXr1)w~;3=l{1~tN%Fz|DR3$zZ~!X+NNsDRVsE3|H}IG=f(TGJ(a&2;6{_K zU9lTK9@`95;$VjBCQzWUH@>-X39o;X3Ew~sfm212Hn)By*UbFX~KZLRA@28>uWw&rZU~Imz-<-dHbM4yxaS-_C z8e@9w+Clg{l}@^xI}-m-+xRK8#7}}>DRi?^@IF}d?5Re3w`}_<&PHr z=Z1l{#s;Vx7Qfcb|Je3VD?oSs%hkH^HddVbr%_`H2LHJq;h=wTAHadG?f%9A{?Ww$ z+4!%v`LD))TpBuZ3 z83AZ3?!&2nu)V}%-M7n4I<3ZnlQgzClh#JrI+@~=bT(qs+YC0NjkYnV2{uzIYvXK* zmLwaWYEDW{vX}&m)s|vQwTTwVl4i5n>^6t3v#pEGX>r-oZC!0{nxdfIx~@@zp{Z(Dv+$QHKrvGlbS=n7r0ef!#97>P)9 z^5j8HQ>KiacAbgi=uVya$vZW!ciw%Ca;^CUxHy0n=zmA%KNW%gcVzzWk?Ma(<_V+g z{xabG@5mgqH8oGJ`~Ta>{Es|AX5Ko0*IZ+RGIWiH(R)nY)am2Bnc$(qSAQY=igBa; z@tx(y8`#{?^^dV0zm|Ypix;2#%h1|s^pu9NutK@UaI_AaAHc5r7M-MA7jA{E{&9c* zc#5l%`ImG9_{I3zSsphGON8T=)lDu1MX7P#fkQ*yzM0;vEPrV-IM+EomX?L?Iwi{o zP+ntBrr#6>c65IR&ew&ePZ#rbz8n?v_!gmDmzkLbc^{pcn+56n-tsP_^W`c~0Glj? zbXl-fcU%D_n#foD95QD4d|db;Wb|d`s@M!7j7A{G$pDm_E-N#;@D^mu&B#uohpM*# z-$CgV_%uhgXQ)$@TxyK^#~o1IYIK%I_ncKRdT<0M;oP*-*y*~d^}SNf4g>&vc~jh-}+zNeu@9xX`pvlIOr9n|LI52mQ3hgcj0fB-Ed+oKvZS} z_r<0)QAwR_;J%pt;=b6xeX)W2l9Xrz_r+$mB-<=D!S;vyVv}rXroXr^HgI23uemR& z;JzeXb6;%N+!q_TFE)SDKe{irP*T`+`0l^nTbc=DuHRR$Tg|JCu5~NmzIyn!>-W|F z=XU<%?FK@?HwY9hKvheCgbNH3dr;S35LmaAFZ;{bVA0+9%A$)|E%q>@uK(~Ue38EH z55sEKVbleGOCgiy%Q&#{D0uF}@ZZg`|B{ev^V(R8|D?pLkIw3Qz0GSh=5-p^o2#MC zOW{AD#QXnz{C{ln3e1lJ4cTksOMk5v+KfyjUK`^=L<#VWgJ+BzQ4idRu`x3CFkXL& z83O`RSMlG>0W^Wv9u^%?u3dY?%<(@zg|BYM-xmI15bgDzmJg0{5;)39@g~Zqg`U?5 zo?2TxJTZJ4XVXDnL>9`1;9Wd?i{V|o4V#FJyXNa)Gn5LO_kwpx@is(pfPd(VYX<3H z!`N7M~+u&(} z4h1d7qco#X7S2Z&c#gumF?s;wR0QTlsqjpqx(tE$v6~$Yf$c}ZR{8ME!mcOU{%)l* znBT8k>59gDMdMn0KUnGMP1mgSKTj=YrT_UU`bR6Rxkt;twGoK>{+RFXSgILvljaX8 zwZE#Q*)TWgddMUe*t$+SeJ$WeQf@@IdR!9?yRJCe|N3hEhOFlF@e>-x1q%@#lnSDg z*W!!-Hi3{eg!9M%V@zoidrh(MRvqa}vv1B(&;!L~t&zaR8SORwvZ zF1w~j`Vi=mY9~yWhkzuheI7L=6_)kaVgXbKZ_eEe!lYKkjIZgE!f~7+O$u9!{r@IT zs+F%s2HK(^Hdz-PH@Qv-7-J%FMcqp!L=A)Z-XC#Kn1U*Ih^4XUWh?>)aFZCNU`fxi z#Yjj4PN&>4Wxe5@*c*F<--LE@0tCl`*+~8gQ69`{CpQEBzT|{hDjb736*LI8LC8{> z78f`Ur7)q1BwSG&L(CR!MGd7xHTZboR!w;YPAzzQ$y+TIwP-TKGvAotul(s0O0osnmX*{5#$e`IAdU_=FzbHi9w;R<=6; z<3V7oWFKn-xqx*%Tha+gyzWAlKLWw+QJl*AsM?mdye`m!P{U0zPA>m$(y{t`lHj{S z`SEs;$i<0J25^nbW!LX4a5)I~^HW%x6N8n74`Kh*A;Hey&1dp&Qg;PvQSq&a8iNn> zVg5EM3<4`J@bQL7hf#QVy)g^rGjw4~XIl$0BgZI@$F-LrcAF3T4Rr+@l zWKt1GgEC(P`NgH6Bmp3Pn!S9LW)ICHmGWg2T#A5+oy?5+vV~dm?lF^5J~zaZb?wM1dL-b;x+d% zF%1f=RSU8%C9RF3P`>M{PvI<9_jLBf+skGmN-{4aV*l8-c;yd|v8Gc`0d>&{%<`** zZRAs`N(Px~J8FGia_UHCTQcwyw0{DCbN>C6+5QO0=55qj>WbWiv_)g7MAF?m%YOlM ziy)Ktk^d{=sy0vyl}gZta90WQgs_;TTtFos>%axU7RVK5p%(sIYQg?Ex;sed@y{Du zAew(HC(kbS(}7qnRYiqE@8S2w-PA}wC+?h|jKyxjfry$M9fuz&_Gs|!?aNUMbwB)= zY+@Cl`n#v;L(sM2cRIJ?YVsC!8~%RcLx>#Wq8AoXam5rYxQY?`C|!D19ixW+UI_^h%Wm()ob(zW%g=rn30 zsnfz5;2xr)GVUp3(sfZ*=R@RU9SHUkKk7~wiw^qdSZ!B!(-b7UMSn{5qcUk0f9zaH zo2VmNImh}Wxp*O3%^4HwH!7eKRRUZnW)Pw-S1ib%1R{l>FZ>wc7ThmyHZ>~v5C$pc zJME(b3Tllb&3GW{PMJWI5NA>mbvKMDql?cX{(0=B)(F2)<59|qCt{qSm)9^W4LcU# zWPhZi5wotL2Gxz4&w~z*UKl3LB4h-WimT!Jk~^s=Yj$=P6Ps7y`S_L6Qp7J*CnA=i z8st<>;Va0w+Fl8H6h2(;22WsmZ12vs(KF^C>-tm&wFz*=`7G*dYDnx}GP5J*4@5v| z1ZC|FUW_W4@d-dk+lHpqz3QDB6 zq7K3MZB$p6$N3o;f!W!{GEnX%MKGWNT5}D?VSL)|Vf#|8UE~4KmkMF%jp8o5UNXky zdF3aybTVDW00lA35RFdKqFWkjIaYW2ua>l6tVY4-3cR4LEH$vy>puaj>JPXyG|rj~~^_8%~_Ejx|zA z?RI9d&Kj2_u+1_Tq3JgZ7~I`{oNAGMTHK$SYkrb-KM#afToo~&(_?_@t=7qj23#Yr zM%043k?I8oP+LVf71Mla;Y&zPK{zAQ>YoHI(I{^kHib^2I*Jz$vpY(6QYcCua`Unr z2g0F2)Zgkc;k{zz%F*uiEVF2bI|ui&kHI@}uM@x9&*CKV2o&dT)v_g2Z{Z-2y1W%e zZG~hbTZ|#Rji$VxO{L$5n{VKzhO(I=YgA< zT1Sns-mbg&p|ezO@6>i5RS?a?pYR3vK`im5^%T#zRzY(W9_AXz4Dnccby80Km3d6a{$KP;l*P*evOb4@>!%-ge+jPT!N^^XsMG5=OOzjyqxZ}elTujkLDV!g{HAGpd*=m9H;Qg zVWe(C)XnPCW_koQS1jd!ES!yF{Wh~eBfLZ+0Ue$|Jm*q?CQd6)lXNEc;?Ogpk&2}8 z-W!r|`sMx{(g6nmQ07_pp9abg-VBu+=SB;of>y+50&V(8oU#99>1`VPA>Qs>WzP{p zq`Tc2&7g+RiNbCCC?f9DReZ_?Kns66*J^@i0_8K z5Ujz`NH}kQmmNvbexSz;_Cn(QIInROHU^g%U@n`0N6{~pZ^fTQd!q@L^F(iO8sb0l zn&|27gtiHI^rE4~1t>b2-iW8ry{JU~OX^L^6RJ``+^8Fw2a1(LNP=jCQc;kPt8o8L zycT&s3{Ig2^RLPH2^EA(E+n0A;H?)=oSHjf+sUQJ9%Sk0F}fFLsP8Yu+&F8+sdYEMT%hNkiw?U^;0mdI;+^3C<;!XRsa_mmFGNs+RLnu1&qM7Scggr}KeR_L~CBrBO$>Hwob#yZ?4GLBCGaQ6>HVj0N2(?F61&jfmweE|&Q zyY$pE;c0|QH-Dg~hQrA|9GkqCmke$Ef)P3A2*>S&3i?;kU2!kx$JBc4tv}72veI*) zHU4a>FO}gdqOOu0HW3fe%Bd&5_Xt*X2D9SQzF7OfE6Cp}d(S;@@fhQb!-O0!Fhp{t-l%0N^hcgW_H{JPt&IQVX2S8#==9 z2Ls^ZrioR=e%ug!uu$LWSXeyg-pV$j7E%Jb4kse(JTDMzsX7Ecv2c_021}XQBEkf| zMan=Vz6#(4@fK$?th6F0`SCCgYvuW#&q>iO*0bc;o$?41Q>Q!jyz4xn6VBa(d&!A} zPVo-j(Z|}vk!4FJ(dj76jWReU5j+Xh?c95@zBt|rSmt&p-lOhpy-3x-%v)7z0TpQ+ zb{2VQd<#`Zn;bV2+BExigdd{j$RG{Khh}PjK;|t@=Udi`1j%6zbH};hMHC(aYeMI8 z^G?aNV!<4g83dOykWA7S?O2;PTe1>wVm5H%}u9ZNMI z(#s7Ru7Y^R>D{&3{!xY`#YWdOy1BJGh)<7qJWUo&cPCMG#Zyx_oI*NNGh~OJPAwge z>Y|C;7p8?9mw7dT%JBtCM)Ok)H%L+0ZId`vi@Hu}^i+}(8>$5xa-!Lp9WnASJ#j=(TP%?FMSM;05l zB6THDT=OIMl$JUXo@0KSfn_4ggcl(1r%N6wF2wjn?oG~LKpi;osoh%YMR4R@7)b0YusTt#B=TabwYr^K5RVV^doKyh&#CoXa zFRMrH!&*7s`nZ|9Md003`-DN15KV;fjhm_?<~=RULY>HkZ%5HSREaPG_avGAx2;FH zLNmh6OF%-{e!eY@-;Qr`YumdposC$}SAxzTmfT(VS*e@w}IJNX^tdK1*)P)Wm{6;hNB5MjIrWCj;50j`D}N9}zp9*k4BK#v|R8#Iy8 z?t7@$h4pna?C(()hbM{K4T}6_Qg1?g#(DwTKE9Dl!pn6*EJHt{!a2fZw(6V?OWVTTAi$dV2-w20O#L zf|FF|`eyo#J?q^ZiLkryo9c^*dX#O&qlq4gU>C=XlcS?g;s@81Esuz@4UeHE^VAZAi~_?Gfp zVd)(NitKD1)vcl$Q8~pm2pWgOWg z@{m+gP%;$;I}hV0zE25X{v1_j|C+wb_cNWqcl}{s_?TOH76JNxE~hurE6Al2KA{_* zT>5W=|0^m&-7jOE@GQ2~1={X32MB*JsV%ukGo|k#eiSvdrAjM@U7d~Ar3R@Rf4oIH zkW7nGceB04EE^~xu#Tx;%NE1JYAeew$|HA+iL?sk!P~o1y<}b!>SFGb%)DTbJ~22` z%)d(H>F_WO<6-l{DipBH3KnRStr#p!sXFSWbWsm~mM|@N~8E>hLEC()$8;s~O3B zLJ6^+V$M@|wJXg=4fK!0b~@~vjT500wO;mn3i>&E>6Ywdj5IY%e$(iD-2EIbjrlya zbecCzk0u4`Xhgg57~CKgnmj?8J_oZL`y<7YetA0j)7X^P9p4U)LN{N83N|Ou8z`Q1 z<$rS)YmHj-uL-Eub+(sBYnV{g_CbXWNpEq$%XUJ?eV+x2i$GMxPF?m+J0*|8Ux1KH{MJ=N~ijU zIrIs%MVu=?j;c4p5;;rVrU~7&XLswUP`0>Ks8}?qywB?C%s!py3{OGI3QcaIn8~gH z1@4M|C@>j)wFoC4TeLWY*mJ_|VSp8;;4-n~>m!Id5=vJJQ1}B-@FYj+mH4(IW3C6P zC-b)Ak?JPwJtb67olji_#&}V#2999xLOicH>us%vLo=k4S%*F-P?;*H^fm|Q4!WlN zZc4B}dMN$)II1t$PM(*zaS!U_x+#MS>{v~WfOdM?ILd&!pC;P_bnWPyiFAwFqMph-2Em#k8Pef6!9spcbKMGsdhX62`KL7 z;Ddn_EQt05=@o*Ff)(`D%5X|RzyYAMm2dzLai=iP>tG$5l;MkO?d6`OoY2eN5dIle zmss&|VGFlR4}>NL-1ofGd$MhYAmd(mt$jE)HXn@94Uhu<2LLrnj~l2i)D^Zr?p?GN zat~t&BS?54KZ1x*3&vLvv26)gAS^pd%s^vHDfT}2bKoUnZ-bc6lgiEDpPJv&TRR!> zE5)@4TXysT>Fole+=20YNpJPm3NyhSyX+X*6TgVfe9?whrHP8a@)s(WzcNfMOiL{+ElW%+ zOHE8mOG_**Q%m1zWk2uNu=>0|_x=8UANT#&_xs1~LnmCjw(G~a&N;91dOd$+M`LNv z5benj>egk)ah6u1`Z(N7iPx-2j;f4Qj|kxg7Jfnmd=T%_`|xy_U_P&^6>Mw?d7W4~ z-Mf46Dws9E7`};&CO*21?8}|W{ee>;5i>;O@%wZr$CJ5ob0jvzm~mV-;FD*CRGt8d z)qg1pOkJqU6@hC~jfB=@8^HdT?AIG$xU=f}o_N0Pr1*R3R79R7{ef5t&&fE@$IV?z zr;~b_IZJa_Fl?4r8kP=IPLeOZDRwoSkwXkx699JfkLKUY?t>~NId+?DiKOzpf0_-AtdvW{*WeolqjYqx7ij#>3jO zh`We0u$q>j&8Ac7rc(;CEMJt3o?_Cg+m0&-g%Szhu0LrDsQevAx*JG?{hkIFvNeR$ zeMMnB@9Pf4iF|bHqU5b4WVj0_!lUNzwd%gf|Kgt}FVobe{WeU)v&bU;2wzSk=MF=p zAGMiRQ|-YBVWjY>^)RF~XF^;|rpwF;_ApLU&$Nx<&GPfhxlpSr2y|ndcLx6LS7YMhSKky+KkL15|LPc{Pr=l*WI7Ofi~*FR6T->$-+=x=giLL1*hJuMdh#)spj#6){S zXh!Fm^_iL|xj8-)j6jX5S0YSn!pUC$Jn{tD&W{(~l_oartb0tkCxRMvdREv2*f01o zl7$VX*I*_FCBqp>2tCr!+kct8Wvcx#8+z-gV(H1c9Bg5)3dR~yFydhIP*hnAjVtiw zd?a~H$R|uF83*@@q~{E(cufr*2b9@nYAeUoTGpxeHsD!xqd?O!LiSA zcn-}c?})t%K&#!z)$!^2LNQJJ#t;?BEf!xAM@TQhQtDHE8YtA_>BD8BO=*`KeK5bY z;!*qp%w-p2ePi*PsC+(hYlRj(@7h)?XbXKER=E=&#ld8X%&a^3qqIjiOWEq+xfSR3 zTxqW1xE(_u^rkuHjvyhXwbC#zfqHeT61dTP7_H<(NzdQ=;jXytK?b)p`SJT1c$|I~ ziKVGG^0=uk3&KYszQGe@W|N6eU2*k%zVY7ug4S&Hha47Ax7HQr%|R-I+_eqg&(=3d zC%6RV5V`6OH+7a~U-xzn_o8fu7n+n&fFLRFVuCG29eWcQw~tRONON!&CvG`XV;?#w0JS*GZl+ zoP`T%QbtKP$TFGon#(DAu1~nJs(i} zA*6Jvm@2nx%`W4hOq~~*J^)K(4C^k`%~%6jzsdx<&;1L;D%=E@B@pMEZCFUK#s!iK zyh?wY+W83lsQ#q25t9MbWNZ|-kvv$+-#0fS{d!3Dku-B($Rz+B;x{(dc93e(279j% zQkFS9_dBsw*WuyM<<1e~a*KH_w&?HMRb9!r29Gr2a2jA}B8i|>Cq_UM9m_U`aFHfM z2yy8B`i{nA802?zry(_6)h};DKBsjLC!@`4F&E>4Q;8(Ccm%Vn-;Sy~t<3P?fi$tQ zSq(%64U%gdifcu>q~P1HDBqwRu?B@)6rf0zI<}Xb8taObvxBMf{zrJk-6sf_4ZNW5 ztu_UDiBBWS$?3=m3vs8Rh~nNdbG>F?l72DlP^3O_VTE`=U|ZGZ=f# z<)QlSFz#T>P8L>?i*PsH7b>kU6Ld6~Qp~}R(Rxr=xFH;ZSj{v(jJ&8h7>VbL(Y(j< zInP|FlsF}uGOy>2FETF*cd^%Y5mJjW*(s<1!ezT~PDo_On$+$B@tD}1uZ2R*Ce%_6 zSyB!EBk$%_#cw0V^C>1^ckV*73awe*t6b}R367 zaQ<}`!wqAhnWxR+hntGHG=TD zFOa^Ok14;P!U?p@bSuiaDM&Lg_(oae! zZH$pPFdPr32T;CAJ3!RmPh*FDs*-iy5AdA!?q-NIp0LUS)muX8Jl!k>Z{Sa16;!S# z3*mI9dQ$>)p>HvMLf>Cz{$$@;MhG@#1NN~4k5qZ4E3TOzCd2;}lqu}srV z1XCqd;fqbLL(rRrpQ7DJ1MWr7l4Keom_e>tKjKxs8r*z9|C##L;JRp%#kIi*#6`JW0nlOUSdncR zF5)Li#o~nOm%-1A=18+irt{Taf=%-oqjM@HPStiBy<2`krb^M&4agm(Gbs2-X5QcrCuB^6jYU%UkscagH#`@v5!mRH$kS&yajRH zgt_E%>v$~mRc{>NbGG)a>{2_PeQg|L|2CRVsIVaEm^}qadi{%PeW*Se<`LI&+2mvB zP&ed`lWs|)s222>x6#L?GG1{0YfBYWDaU$8C zp#7a|K==*!uiVc-D-nU+Mm5MI@^eMKdj^oWA=V))*;LU%cVmrkLhQ;W$;^p{E1YUY zh;dVJlo3156VLGo`MFx^nrd~>H)r0mCsh}4` z^);t!dH|TrXW=ch$DRTCKaI5@BKh-RUKD!UB%Lq}rp5_XL$RiWnFUxYy2EjPWtk9u zZG($P8@6#qVQS4hPQy$xP58U*h@{7il`XFm0cbq9ha&?TQ*Jw9~DpUz*A{t-Tr*c>@@97&zM4?!f-pN32C zql?4C&F4e#Ht}l9X73rHUh|EjX&e@6FF6Gy7Kj?| zmS00+#WB2tR1=GOGaV)P^BMhVs#r*Vt*)|92mm{frGyvOHyfs6hEDgrkQu0ULPN$kdtDo8@4rP8Imu8?%1 z1An|jWnGW(0Ef(1i#zhpA$P6NBDugVH&SNi3on}%L?~0`+E?WCE><-cxhK+ynr6Yt zKikHzy{-dKy!L>%5_euQ5`MC8DFncxy+24>C(j_mnnFkhQ)5-`5-yU@nS2zHpYVPrm8UAMp}@S<=OoLOjTeE}2_tNDJ81JxOHu1O~sQ>PFTfw~+{U(#&MykdMcI}&-9R~;`+ zLqe?Tgob93q}s1>Ja|%0DNaP%qXOip6~Y@JkKzUh1SC&1NXk}biOOeLorb31)$|+$ z&ze`{t~f*n^n~ zh?~`ef&s9w-rHTw@J%E+FuT`$Ck_C44f7pHZyWVa2io@~?ZZ#?30zdm@7fhTgq<>T zl|c?E993VPc1V)%JDPL|;pOc`z*s$LXoGL(>X+K;Wo zqbl3gpTshq?x%42rYf{ob`8{A3x2@bH!5hAv7IKkZD^{pW<1$sb_Q?@vd<#?4m`J$ z@NzS()okeIinxx)AMDm2uIh~i)30*vo?vfZV!-=q%6V0jon}EQZW*LoN@U(;cw@nE zB+gc?mV+w80z7NSbUFwIuEF>u84Q&%v6yVCNhC^=zEq7LXUr%*^IbFH&v z08zpFVG7;J%@X?4NLEx;g~q8rNfI988vIJ#uQ?O3_!V72Ez&+N%()5@s$rU^!c~e0 z(`b492l)jgy1C8H(4I%!3s^kY$cGDG>pl*HaTc5-#rI%%>}`GluoZL=ua$Z?$#K1v zM+OB>E2Avc`N1;lvE19r^q6uPG&?!j+(34W? zVr;h_M54_?$x8kP&Ne#uSg{EYm6`8qZpSMdIh{|g8Xf5#gw?_vsAyTBP7)s}IF&__ zBvJioLF+6bLANY|>B{uP!F{gWtPqNw3nJMn5RBR%zbyw@K?5ltXYnKS&$^58ip(lW zW!YkSPN%nuZv&L12~1)_wEvRZ`yh=g^l&hqQMwbESERV^qEZ;F6M6u|Z2Cjw9Kb!y z06+W>sNvTG{N%(=WSyU-*2%>3qv!w;_userF?0WYYbWH+ziIM+-|lBxJ*3FR0-)yM zkFgI?Hn9K^`iofiH&hRRMSmaopYN*uf8OumLH+0A=fV9?p8y2c7<1=A{nydWkLVin z??>*W&i!v*-9K0H&oTb%esmru>TUZQkLmW$4uGJX*4YjZuMS$W^P}A!G8y3;{@J1PbRORKzZ&I# ze(V4B+~EZN)0qRV;{S&@^_8d3{yPT*p8hFQYyUzNH_6nCUc`olt!Kfi{y9L)+EL>F z?O&Z^%Ktig{NMid|8@WRj{xn>O9J?nV2W~*cJc*QF2u7m&=dWW#6vjtXg_HB;jH4< zATaAdJvrtt9Pf0RAQ(_InDdD_q(o+pvvx&*eW3|#(nGZdA)(X1oJ^z!wm1HvN`Zft zqAx>cD2kiNX;Bq@`7ayx7<^GkCzEC7NG_cySz6S?Nd;ukk$9Po;a?+l!fSqCVRC>o zSmLNx%p*)@)^e3GeoS>N0H!Sq6aRr)nMO|5k!*opk(HgGbWD(O!ZDu0eD$J zKN~mMAqZCrXF%U&M9D?Qu+A9GR3&dQCY6>{**^<#?m@-R21Inu@qBWD6|fM3XRuX3 zP$@~C;M)qC7*YqbFYRI+LXXQvdpGptw6@C*5W@ph7T~4v)um6d7dW0<25ZLxfHqGa zQ{MU77=!zO=;fA%avWX05&4?ABP*WDf1JhC2I5#6gOZXf#Tb5+=b{i(-VcR!PJ$&f zK?u13Tm|)c(~x*atZrXy^}xkdhS8giivN6z9&R|$&$A2HBX2-8}+HE$wP<| z%AS>DYJTd3K!@i7+ImdOI=)+oe_AfN2ib`3MB_`M8s~GUJ&20s&!BQWYWqf?=Kla+ zC*GDrlj40SId2PCxjG&b(o4?Z2SCmk<7vS{L2rcPEbF0e)?|EDteCttz_MQKZtsQ3 zUOEU*j`CAu{2=6SuOSpBgh}&A1mc8idlN8|ln>c7a&4pQ4_aZfpo&bFeZ8?r~B+|k88LNr=!urn-3-zPVN2)2uUpswSh z{Ym-0Ni7R?VzB@BnhU(Pq-%p28&E>wvOEK_JYbr}*^CJukcH27birNoC6KhuehuyE zV;t-I8UG9z6^?J%o(HN=JMl?p25NrH^9O!R*bi3Y&NS2v2)N`Zyx8V|(x|0_U+dpL zBT5NZ3NYOI7U3LIx!=r{L-=0S3@=oTxBdm$CB^jPjweK(F9GC$kUgj3AyhZ_HTb6d zQ*(+b^Uiqa6pgP`J?)i4p=36VgdRY5;xBnq%`XD@)r|w30mFru_YQ(szLVAg9*{(( zjgZ%U+5!j|xzts84U+AJ6~yBEy!F;$McwQB@^Q57E{U&f#Bor&shueEPA^HuQ}~`G zqv6LLL|m;`6l_N%s$@3&E);rZ3qnBy7hC`u0}5}_kITD(8EL5cs$5y1 zq$iceunE_Rr=6r#Zgh;dQl7JNvr=me>< zU1WXJY@Wx@H)V!&!dDGpoiU`Ihs^o`sx~L0=4DbQ{0EKgg+Aq#z>vTXG+c~(@{8dI zt|uPD)O3a`5iMP${GGBvbt;g}48uj#U@k(&x25OVNGN*t#Qj-BE015ke4IKUD}FqP zZUIIB;LuEL03LlK8XPgG3b0_s2=_EC3x-@sKM<#;ALG63S!o0w$_#W56q>iVTbylO z+5(zJxS{|uKkk~BdEqq3GU*%_PJeOgG3D_`=0zADB%?Tn8o@i(NS0v(lq|?=a71Yj zjt~dvv6h9l8t!-3n3UQqj)vCe)veg^UF%~Fzi@h24$|f;xUSjz18J0gEP(Yxy+y{o z+701cRCX_f=dp=-VbJ>-jDG6LU;Ga z+7gP*{0UYi9RcSvQe^HMNM?F}sVVdKvMHT5>Fo-<@Ijnejra_Bt}?t6pv^LhA`pJF z?g`%;CoujB9swuN6m~N;@wx5=lCzj+t+*$Fz4<5Wevm?~uPc^5;&$?p`EA+YSP3-p~VkG8E zQfl)BU&(PH9K5e|ljM^(Fx4nUWigmgO_Kv;dA$^5ysrH^lxSvbLZBeuhVLyMVLlMZ z9u@Kd{Qe{!$zO)#;ES}ca2Fiw!Ud1RMvAq)LI4|%H||Tp$rlsV`OH00+69YtwNbV2 zGm>gkkzK<3`_gGoBGPxUy(OJ$*XN+7F0?nXSLDFznJlIT?JL1ViH}L2y6-id!K=-n zRt|cPg>*Vj&}q~wZWX)^{m>RiXYh$ym4Zat;_y&$0@oWKG)KvGlN5EH#-7U4a%En0 z-K&gW%5Z{tmW)qe{Ed@!%QSLI8BPaUNd@HOR#0Bb24I4@{v^(Jr;!WFK_QUu`w+%M zbDF}RW*z41$LIL_ou=tH_>)T~T@k41)1qvoj+1MvL&-4R$Plb-d>eCluVH|*OlWcM z_^DM3l!IoXmVz?1>I{{)7<6Zwhgc^PYLeOola!r34iPo}HS=W>fqTk9Ek%>S;ht6% zpkMGbK0e>-d!^%5oi(^2UH_dl3u~qGmLvQAReql9xP>Q)8Pb037=ev&R6|gBgm`rM za^8qztJYG99e{rF27atzH$G6axPGNLru`GXH{_8k5xZ922g<3QQnKEn%lBn3B>ZzE zS*MP2kIcS;iX4He9JzKhB{^+<>3(*c|BXugACjB=t||_7mr9$#2>YTtMLRYa#|h5! zyZO=XYrwfm1Rdl3Jnu=;riZXz#N%v1mTvkG>~qEhL!paga=0<^n*mc}& zTYUF(>?|2bmlVcSzHaUjP!cU=ST5l#p;YL=@h$!Q0Kt-`ejP`(hZWbZc^kF8n0rkn z^xn&f`S-oQvkYuHA#Y7)Sv1kCLMOHY)C5NNMC~H^jrU*!jmJ(FkEg@7HlPz3U;u_k zmhgahr+bxgO71hrHBM(A(+dC2PdD^YS5sqU{!+tWg|0Eg-hkb&=K3JO?WVb>5yBm< zAaK{-BBm6^NoU(9lUV@p+5}aXz{@Y=RNWseuL9-9YDE?923$pBNX>W}S^#zMbp4Y} zeE=@_raC&reaUoRE*;FzE)bCVSGn|!Xf>XNz|;5|Hscxf2O&%`-oa)_ZGk=-y{iMb zdd<#;>*gnASjrraqb&<@G~biN>wm*>Y*yWg+7l26G-}CCKGR$asa;$_N|HO2`9|xq zAdebNX)P)CLCuO|sep=FMhZb+kn3+OVDn)TSpZpkX0yI2Qw~-z8xODUZCDj^d5LQ2b zMPB|%_au(Fiz)A%q9B{<)@w^R!PK-%*Qzj1S3U;Ol3=QPhGiLVfbmIH5>9Nm099WV z6ttn)*uZAg{_+-9x1Rp#J?eZ5>oWlFnX20aww#u2#u&?U(xNSEjU#-^TMycvGlvIi zvlOH|*3fya_si1)co#e_WdY`U5_xxc0BfS72`ru92J!Q7c1;d3@xx&?@fL9dg=RiG zg0sXwtV0pC(zl6KzTH3HWcY=GaXx?$!Jzk7x&B6)85A6u?y&-*P zeHPXhGtaM7hbzRx0OJdzTHBi>f&4)XzCWR_=zX7(p1GfRFOhiV8NJG$+;A957~g?A zbP7PVT!Mv7lqOWHLKQ19e2;z_F2%i8jLJVErHO)ms?SNb@YUwo0iF`Nqj3WXe?l~}#rZ#Q z&l(eaD+M#jrjtmDZ5zaK<2@XWx1^JJ;XNv{n=lbLXoWB>_b1(vu&UH1J0I@OtBK{+ z&H3I`K3sh@QaLYJdoLK0!-dw}gs7W_?(-Rep2Zw^db1B6o&r~fW|iz0WQ(!9#b+H1}~Rq9nk@z z#x)0NtsyYl0NSXsC!Om{BYLoptw{q=qnHI4zlMvXzc2>O*kC+6?tDJTk5YZwn1LVV zqifxj=gc>mu94Yda1OaddTV=8J`s1NqwCIShsW?;^I%v{a4&BfgWq0J+I&mPBE)T_ z;A3(fH#!$0?L8rHA$ss4$hcnzkiMj375G_V6RvvC-7c-F#;oLb_k%jEz?4r#dKJ9N zeP6we)+zbOf^cN$9?TnXW|b9Z*8EDty+h5(a^s-V{Q=I`yJ$;U+g``C_N!{5wEa#) zGiQ=C+wWXgu!E-w){%iFhpEjjqOxJsS-ulaFn1d@fU^<##`u;y$^H_qo6ywFIs%+& zq;tvFj8AKKh0>koQl#uJw~Xer{DamrWP|cg$_^`ia$W}t$8of0$!xrbWYIUVyH(?E z#_noc?jBzuj%uvNPZd`y8v0=A?nvz9*IHW;uQT^ILNT0G(j&B;zDiY%A6hHH9u42H zxuFv*V=r>~+6Xm(_ZC^f#WWTi7DrNTLl-FJYMx=R>Zsz|S@ijNxIdVOTfT$#wPX5B zO%m4Q5rCTC2ThQd17i2uu&%UZvI%)A>h|*%MVsr%tb_u)P_Xus{(qcYP!O|nkbawSON302<6W)sLGIN#gTQKu^O*& zJ`-^GB%OMHHO{c5L-3kjz9*=8W3dhDR5=>5wVE&HjCoXd_!z6cs$fU!8xvReqpZ;?Ya3Wa+l6yMdR zkdCw3`=D>#F_$+26kMy*5wD}4_jmB@TvhW4M2RU4_er0|MA6jpr2vFoZFhwbE+ype z96JZoSj!xHPb3vq9@Z8p$ZA{)lB>z!VMqryETfi^K{h#wvIWBEXlN)BR_On*P2}e& zZ^_L*?#A_?Ggp;L&%b_QhVo0Y}EzAq%N%-?yg%^3$}b z%5pbt{Th4_!eUg#V4R0}KpXj#D43mwrMIr34iDjboByOKkbQ#+5~L0Psy$r@=dXtU zn~VtL#-sgN#fPP*zf@iQ`*&_IM}_=d$MEOtAQ5qk-n$8cEeL`BMeq|y7JCHAB1Rs; z^7vQgW%UAO#+@?@LVF>$Fsyf&XCdno+ptj8FQt89_<$@{A2DciRxU3e z;v?#^Zu91=hd%1gj;web=S7WL?#>g&Zm!GIOxWF;7d`n++$U!0Np~M{#-+MG+S#{S z`*fZA8}1uBKP0=av?ykNU){29+1ZiHdt7}_Se2z(8ozd6@lyR$BiAf7Y=4^mtJ6c>5$yr0!W>VodiX-XA6Cgu=6!qbDC>4~ z_t}O%UF#yw_SV@_RQY=Mn6vqbJGP&VPTF_O6Onu{r@ddxk%+bZ&z{T)*V!)iI8vB? zZF_id#@%yk2lT@Hx`DmfHIFA$sEH^>`W@$rN2i=$H)w#HKd&e*;uaY#4jIs(;h^ zjS~`fFAAFY?yz$j*L$z0evnuF`q&R99@;$WUGWWhc%S5V!WJx!DcUXjtmnRZ-Di{f zwwG?Irk58DoqXu_@u5@R`aLKnt+hmV>Ct13XY+l>#k9z&Ct3~!CpEtS57GO{32ot< zED4ITSHGDb)csV)mzR3Z>^XCN!I|8z7da>0(hpDhXix9qHHPLLYid66J~Dj9(SbWx ziZNBM4cC76=u^XH9N+t6`OMEVpSn2nec#7Mju%}>BHjzH#r0KW$k! zV(y+BuXTOmg){A4^FI0cr@*jtzjYZoFOJT-Fi)nA$_l$45!lZfq@A^O>Sga&pBN(# zew^ocL%!h35TWW^zkXA48lIiMsoQ%a7bsowjtQ(Fy(2ZEv~N+cx?+iUk!JFHl3r9@ z?^tZkf-`t~h`LYm8}cuQ)g&Z)KAbrE;twH9q-C!MD6TAjA!@09W7O%TUmSZ@w(MTr z;3cCLY=7Y@^w6`Ti0shMy5T9uUk?nmp6>f)Xzsc6c`MScexovwX*juZnf&2Pa-zH#nepN8=--nzPrJPd-ukRE2I~mS@CVv{SLG-gy1#v#ZOl zPcVG-_DBC#YLxqGDyL0{y2is|<15` zsDLj$isKRF(_5 zy^lj=@^&0VP27jwIr}EK2oIE}T_VE9S&4QL* zAH;7D{BJG&_nUvW^qpSn7rG?=)$FlZ|Fs!*d@?ZV4fu}_y~6^!MPd3|;BP-ffmB!6 zd>N<${uW3ANsxEJON`ZDb%!7PTe6a>Nj%o#P?9Ro(s^l!%$-ED{iuBhmBL_$Bi-Q% z$in4>Vz5D^1d3SD#!#CI;-j$%9+wsHZ+Mv8$mN4WIm#!Y*g^WGQ22W4-&XBbfd1uK zf13phHWUOB#xhTTP^sutzdRsUZzP5*r=ZPlo$PG0|NT4l9~*7=dct4b_g^w$>puus zeFjK>e=ErQE6;zUhCrM3p^CKyB&A^$@gG&gc!SJpq=vtx!*V-oOng_A%5?>CDeYes z=dKZcS@A3j1&w@vVc9+oEOEG1F@I~m;tgC0*Qu2+GYpZ|>)?!oQM%2Edf0QZYbPoj0fId!J#RkXJ?-$5gG<6$jupZ+TOV*l zD2C4#f!e0!AQ|9X>Ni2y&5NKdCXTecz_iwF{w>cDt)mvKgDktqCh-A?l1jUM*MwMd zh;FfLv986&CC(=inNm5fiU%dlSdP}-^iusXl8nd6p`KsAmW`KL?6%*K-M5e?m)}Rs zfgF4~vf%WFfwU)@+@b>t`VN+E_aWb5WFR6 z&-+pa_1Q^zVO_+c%sBHbMPa4nDhS{f36DduBX%#i|Ju(pIeZw3RxLPi^fk!#UZ{!F)EkzSE+v?tOG+zA6x$ zG9K(~a5*N%{^Q0$*QpYM0p{)5CR$x10!n)Z+Ref3Z;5>xd2K4Cf1n=bdtIE1v6qP1 znR)gcbTW&$=Hx#36!j>1QPrl9 z-o`nt%TQ%g85l;@!qdqco38UlTNTK&JUCss6_=4X$gcY~fFblKbx6pmo4h^wHpcl} zkpneog$q_dBo`L6AdC-{BHvf|3R+CBPrsz;!XIaGV8ZOFliL)VC z*&YgI9$ORNgFgbm6!wg5jCB(#`P8TpbHG!Ll~p!MJ`n7(&74q%UK)*n+7J{XI~!mK z4fVqV40^eyNx@Ci-uDZ8=~K-z=KcmK5;179>xzQ*a{r6P)f}*Tk+xip`3=9~0rkIV zJAzyOXwN1ox{Gq~3EQ`xB*1f75<{PAe~xM0!O3k@YX5>r{K4$8sQnc%mYHCU!)?30 zKS+cWwtUWii6akRI#}CsmLI|2@t=j5dT_RMvE+vIbe{jBNtWj)5FGRva@XO5EVVco z!|-PVjh{X59ej7`N18Jn@5$SWY~aJQ9t@)PN-1ciW)IyXv!2K9lU!6o67{-I{DnEV z`~{76x5DhEIUNj+=5NaVT46Tp1mvE}1p7oldoxXlUootyi56;>LCKD?yslkLZ*hmG z-;j`{Ww)z6)Nqy7zm*)2rwyVrtUt+sboU$BetUX2F6A0C4eTQL*-s|BEyxA7Xm;EC zq?skScA?@Zoc|+t$<@7!PR@9*y#QOkM#(4mH(N$p?;y|gN}u>Epe5YJX~^1vTrZ>I z4#a#leYsnXNpQu-=H7v)L%&iy?3hq=7}@BeaLl|Nv(T{Hryimtnk4N{a=P2w=swJM zZCb9GN7*9B>$wy7B;hyKpVjIOe4?WfYVNpcM+)Cf{T5hY!JvSwjsT%yc)q@=;s z&p=9XxN2>PIxLt+@r)uZ;{_ZI_-g-!`eKFLY1WHgWNtl6$^F^yO=(YpP)IqLTjd4gFYzhIm-GWi>khqdKI?w|6W=^gnevoK zzm=4*jL8iF$lk=y9fVj#U9{{Aq@Ee_5J2&6^P}_~Z_Psuu&Ab<)_w|imUkj^JOozE zDc_K{G^5ktwS6kaYyw+%xa?YE-843un+N_rU;#RywHDD8<8N=n?^}AaTr^zwxtzUA zHTaq(z}^FSqw$|iYfQJyHjJXUPX9YI;wQutbUd6Md((!@5JpaO=7lv)E1rSGJTQ!1 zidNV;T)3DnlI|qy)iO#WC1P4H-}58XBfHqP!Z73Pg}wh`hi})?H19V|Nam>Ey~GRf zj=dVyjgh8v+qtFek20Trx_LiR1w^n!$0R9CznOVBXg_N)GUwvl^_)p2HnvGySbVlS6j{v?;Rpule6doca^dFDKXY}Q-YaSZ}OD61Q` zYAcm~qs|$~+koShpF&bP?C!TPMco|$iCq03*B&)sRl ziwV{uB(3wUmL`db)N7vH#n4NR(hKD^Pgrjv-&^XJgEbLRxWaqWg$VFIcqg*(Bj=Ao zth(--9X;@mxZ3p`7_KFEEuR5W)yO8+y|e(amC{|bU*l19LOh-fwmuWoG;z=8E_oL& zQhQWR_j@mJf;K3a3huDGT5G<{dMvQ^MSUW(wEhX>gEx_BVZq@xf;)E|@;dGhFn3dX zkMV+XR;20~4LwlV;;yxbY>}QSOR-2F9Eg9OV%aJnclF9S${{KC+QmN`w=Qh z&w5#VVsi(!G5k6AYn~0AZ(zsxXIMAkmT9)0yvUtlyO_n=j;vry_CYWkFW6anMHK>} zM%mdQ^&W-x$#6{oHR|05n83XYGBXck$ad;?VG2sE9snfH*o#Auor{IQb5tP$Ct-6r z8da2IBc zY178(;6!ZhfuDg=)goao>cM&n;V6}b&u>5z2B4kKpv*h=0i2Z)VQamkM6S^!7_*Um zDW#kl%Fj`#=u4;>6n%&?Kep?UWwEfKI31VT&}=PcwxR}? zg6U0Y*7JgcI|$~ZeoJCJ z2kkS><_u@!%%N&)q(YMwDVmf&g{#LYw1>iVMVvcSTN7*=sTMMMQ|r_M6M~+kJV#lg zP^(E0>3!`Lh4R~AAr9Dn%GW3>FkMoB`>(gIARcA+N8VKc56e`3ps=0^R^FySOq&4y zs@BuVpdT|4RnCQ)sRlo4jgeK>yB}bKV1luCsRKejDOFq5r0wz#MhKr_v#H=MZJr67jzP;+yP`IN2?AU3qlN+8%P$h=q=eaC?A;fXM58yepHzVIE z&Y+tbN}GM}h+6f?Xxi1+CUo`nr?EAyoCE{c0+n?ath%hLFiKCpWIhvg<82VzNY_OoY7ErzQhbTmZ4;#XuZD{I!iy_Dmn;Rbkl-`;Y?>q7Br@Eo2wWX zU&VAx-s6asFZu}sGWPb<Z$Km3bu8R>nH6~(ivd% ze2;{2x%2xVR_q>+ZfjOW>Y78%3j>vp%QZiRS{s7vcA6fIQcerg-lWEfbzLJfz zu0WPypmOoFFq!p$)mGs!A)HKx*nO%Q>N;*{&&DIgu?Ux;Ga4+qpLEZ5zoAJ{8Q+xd zOWQyINSM#!**B`Um*=e>bDF4WmqVquYPZf15h_zWk?R zPgwr5U+ciNv0CtsR$hy~Jj1kGL94t!vqW8Zbn7V9bxn46q`ge>Bf46-eWcDioE7tN z+4%_MB@D{AU~^rNcY+wxu$b;s?w5;V@>Ck5Z3-q0pf+AKE;?I}vbTefDA)?yv;ZSe z2l_P%bX$Uf;FnjvFEp=0nYkV8N34}fYYnCb$f*2M+q0fnBw+zrt4fj^lg!TqYtG3@ z9R8fPKz}kwX5!uV8(wSrDYbYN@@(1>g*Vcw0*I+AL52*qTP@QaEAf}PyGf~dwd3;K z)rgI0U5^qp$qyW=Ki7v3}0~|3` zgK3;6fh^Ze=&BxLp*l}De;Ow!z+>_*F`Z`+o_LHvK(+Qko^HxOWA;hpj+1U+k$(ZN zD_O2RABqRpZX~NKHBi7GTnx=bJ<1sX^N{_9>%bmmI>^V9}^BHf=1Z|p zL*}aiEi-YCsZjpLMXg9IVhW`Yg6w;iXx4ICZ3vfbx)XgW4nka$c6%sD(s(89R!#Pr zV9Cc-X+X5^7rs$BSHbk!6C&X1y+7*ih#+8UFr4O8-6?y)ITaaL2#hoaka!gm$h5kj zxueOjz64d}V@R_pObD<4kyU1cq{CQbXBjXIWi(m1TK;=j);@+T{{r}EL0=@)lrHIf zG-?W+T8)Yuz%{5vHH6RM!Z1^P7_#Jjk4(cP!!`q~?fM|oCt-8@AQ|{-K5y@$b)R6Z zc0K1lk?d4B7A*`M;0=cxv(5A_|jOKrg<-@ObF%)YI*P_jT za!vY+8#J4_(j?>*qTFFk&0?~~Bv*UG+574&1t1q2GHARzF0TNX{2^{LG`HbKu(b`j zoueS}bqu-lA*ya`wvMKB2TC{oLOIi5L0iBOC+n6njxwhqoVRWca%i{0^po}XqI z8g2TLfnzje=iVuP0qumKe>1A+g$jxEf?IF@6Kfx#kbpd2W-WUbrC95+^(e|8=gdLQ z@3F2Hv}H5Dg{89R5{(+066iU^CF;JDt41=_ck-g+s42xggR}eW=0+7@=D2uqHz0=H z_nH_k6=Ew2u_xX74mM_qnc_5BubM{-GtE;2jO$p5eLdb6VTk8BcQFctvjuNwp&z$f z-{ua1(qnVOvFLRD7;U|W_?3cTF2)m5QN=fi{h;a{+4>Sbk@=kSchG4E zMRPvaa3h{iw7LUX^_*h`smM{jW#rUUH1{&nZ|mp|%G&2@`s6Oi>l4TyG2K;Hz&C!P zm1yBSlELRMqIi8@v`CBB^hL{3vE?P@^TBANW~69(O|Xw59T)1lijr%uU=6_PMVx3h zAC)J&`T3Wx;}!Z3#0+gxFf@B6V&~P*P+1Qr3|YRb6mRQ`*dW!@P}s3q2cbQ%V$BWGwzND>clX0N(3_-E(IHVYTi{5ui*d>hQoG8qRB1k&)_NeOYv=H zQ})ew&BtOdRiAJm47^kyp?;RKy{u31yf%?7wMl7;!A68cyY>6aU}<2mOap*G#3DAt4j z$ovXoZzNHAbsU%YsYt}qu?B-nN82r;Np2GS7^_WGOWV_*ch?nk8-LqLk;9)&olEIWflm9Pu9G#C@A+v2t{ z?UpL4g}hy28n%tt|a%$khYgQnZLD_J`D z)nm}&89t+80K|3PW)xsL7-yQF@G$G{^E`0NSFma-NqF>-q&Lx*`J@!pUuY@lwq zf_d1++-_``(*T|k#K6Y0`Ic8;iISbWr$Aipf{ zV+K<do3~HRs zr58a(r69*m@kB^JKupRPi@KFv*1FR4i$`P#YLL-Fcw7;1OEBiS$CwyO>_PA}r# zWiycTA~CbOwY)EbdY$J_@3X?2;`-8E@~84}oGP{z*g)`9>#-qNe75J& zdvn{g?iZqrPrEG<(moaD0v)Yih19pT;%-@CW*1kk&kufEa0%IZaNVq0df^V)ME6K{ z)5}22#B|M0oGGm>=!rNl;BkvV-3s@W>q|OELu``EVi(HR#lenyA0k^OM)WUBG zq{G5}D&H17xz%<#kj%t?l}h6S92385HWg92{)0Hm7;nw8UXrVR02l4$o!qFWu*tF& zat;1&0sEzU)ZHjx;zadH6acWNepdwD8i2IA0y@RMp9O>aGvxn4NK{`!u$xbSOk?Sr z+!7|s`6zO`e?jNE_b#7T9ewXlePB8Xk!#NzW6P!yLG8qT@vQ2;nLl^ zne&S)zlaKslqBW(aP_C${i6bD0LwR?;^?N}9N!Pzogmdz6pr0ehS!daC3OFghH!2q zHwRi|!Td_BK840g{! z_0BN1S-a~EJVALI1^bvwwGh-)TeZppWJJl%7W)*VJwF-*O3K}DBlmHwb2mL_KB3KN z=FD8Z`U0`PndzLzrMfpD{U}x%Dt3dgTsbOE+Cfpex<>*Le@vgM=z+LAz!9i+LB~c% zS^G!xjwtgOCfJm>EYh8VeA7YuMK9*-?~S6Xe4~Sla2GZv%K8T5zB5WZuqF$1udVi| zC{k_c97RW~S%~|rWqcLTf$|_Afv5LDToGP@mXytj&VAD9bX)gC;S@t;BsW?A5+fyB zzlt)tGF(gK-on4^5rQ%n2R_6p@@R7>(Ku=dM4SROoWicr@kbPTADf`%5+<%jK>>H+ zMo4M$X_?q zJWvXMs_H4kb#V`#3i10*6Y%UJP&LMM(BdGHs%&M@oV}WtBWa6f5{+lH^cMASwAhwClyKAhDlot{77f z3y|E|<57JVR6h;P_n>+c^1EB6I2wu#uz|9vGq5wsZ(yC2$%N{_ppt`x)g>Uqvl>k@ z^ryx1)w0Oo5_4vx@pg{Z!K+mf%8~Hk9lnu57L}Zm^`e%KiV*tLe8F{@m3XWdY<9$A zp)2PAp1adSvV>90n{XqJz(B@j@Q9IXg)GMuL$rshgS%&Mived*uy*4{v88(SN!!oo zXRzb61!qOtBF_c+d=R6eR(VO073n31d97AnBXse+5^n^rn&p?x0JU!U80Q*^!O=(; z2a7>`Zbb?;w!A7BVJ4m;w6vUqN8~-c+5JgW%SU38*w@pF_);pSnzvKDN4Skw8Q_iQ zC_${QLaoQjfXcsBEOu5f#h%f)wOQ&ftcC5JGr;%-D@bX}w*^MwV*I9PquG2}lx?Px zMGS3`q!70_4i}$R@9Ly~M@#$88qw5j$gtD?!WL-`jL!{W-gW|#?R8y(_mU6jQ2bbN zD0{aaIu7S4cwd>d+WwQvzD)*ufr`~AuL{v-l)W)*5vX~;5pAn>s<1nle@7@f!Cr_k zOfWmtS+Zrv$XFotHMb$UIqx&n43wXd51kxtH$)h%I$9k3@XQQ*KnlLTC+MCIfh6A_ zT&Dgf#+eH`X!a92I+C-N^G6r?UK47$!6j*^7*|JV(mi74#EMQRqYQ|P?IYLmQz+Y| zo3O&EQf$jo+R@0lp}X}6;`WuLdNd;s8QvLS2xx6-v|4VFYng;uja(8p!j;e1oqJ$p zPJ_`H{>U`EAKL7|_|xb7Cn!xhqho(rY)_N*Kc#U4n}(7Ua{&j-9N+Aga<<7T$hg~{ zFMUDI%)ZFlr|T{O)!Lj}%C=gjP&VCxi#-gAE+DAB|l_Elv~Z0 z1~OLRGYFCVn9o>1QrX+5GemZW3|5Np1)r}seh=@!{XDZe&D!n%4cld{^dVie@j2@U zk^bH|ou(*mM3>gRfU*r+qO6Rl|D2vYMeg@L4fMoUI6NJ& zG=ST&T4OoqPHS(*EcGrM>-Me=^LWBN4~1i+`l!ycG2E4${|d9icp}*;C^ihHTMgR) z%w&sk4X$dF_X%ma_apOX5fJd=C5E}rd00qBwPgt!=i!1>NBziMushoRS}dO! z2{C7RCoT|I7QBx1od?tMMGu4+Fh3&J@C^NGz0u5b1**Wi+r!THF<*%W=1Jf;(C{tw zM0652L7H_sW8?B%9~C5H`y;Wf4RSKm3sv$XA_{U41h}1iiwnKz;GHwAV(AchTtux>lkz1x z`b6<2`2|;kywU<nz|w?{IM4j!CrH%jbkt$ixvP7TA7T1e}*+J>(I|FF{fz$3*2s4}u4lo>y2t&MIs zx@yHVaSACOxp@6Puo~e0^!If3lLlKy--)r~`8B^(3_x6&T*{Bo$>*dp=`(RV#>Zi% znB=1<*3oWsTiE=#w!?I|{ETsv!JV5R?=xf003yp7&TWFxYO-)LcZV$x)<~_KGJpe? zDwnMXf%*41?g7|uXQPruoITLfzCr7=qo6^u0Fui54&!WuA#2Pgs0+6R*R zvbVA;GOjYynWxtg-~MtuytTaC*U;zmR&X6N9+BOn(doNj#r1o^P;`0~e4C6D=AQnU zTG&=CtDnXHLg_1~_khIw3&(yhs6%`Ovm#0~4R1v&qSZoD60PwtgsxLEkztE&*0G~o ze9ayhCO^5X3qlBfo5W{Nfh>F&1yyg5%7Sa3<++D)uH+=(f%E4dsk3=>U$`?SF zr)R-$;ht`gPNUsC4`_U%IPmPVHpM4_4w3tCXLpH4+NGaPY2Otlx>kHl)->)^9B4&n z#$kUeoffX>&zQg}={;Annxc`5^5#U)KEMBD{f_#dQ-49m(b08!Ym+^Hs$qL9o|xU2 zbFkf1dKh-<#j={GVRFSOTcP(1#w*cMdu}WbdC%2c>zHi2VIV`S9x2S78!H4{NnD1p zXC%E)JcKiHC#bP_2r>FJ)mnQZM^lS$^`s*AK~xM1Ln9f8n-(wP#wrZR*1MvLD+C+6 zE5d#%qWA&Tgw)d!{+Xb&kSu*BTc_oMh%sF0Sk4ELNjewL>FB2l@yN@q+qNtwp5iLCiqSd#+)H z7V=Tj2rlyIaduB49w#qX0HiS8a+@&X?FookVf|M$`$#0Z|J?8Fm#nz}vbxn z(nbUMTu#>R3{N~NQE9n=wO|3|UJ z^I_Kk$bS_~ycvPq+vzd=o7VuCJzr@1P^ zc>P2w+?MN~T)Wn*1*PBg!Br*4>t6}s#&42r{A+oxzkV1JT)h50_tk5%Bi7t zzp1KrtHi%A|LTJQ{rP$&t~OamG1s1=o3HWO_y6%WhguTI z2>(A+lH7dnnVaZcG%#t>;QGmv$4$LTsaU?9=ubR{t?xCSA=Wou15yPLnf^Eabg(}D zH~zr1^1tzCQWXqa|5uDZ|HyID3x%Y(a3se`^}?Cr!kXj$5oHNI+U!#`c2sS`ZgFy9)KSmjL82e?;or9 zUA*v%cA&5vchqu!)U7da-jb?GMIhQd-Z5yX&(SyC;R2d>K^#hPXL0bUZ`!mXv8y)2 znU1@<1*CJTS!y)nle$8d20#WAMVr>?N+%QXy`o-|l_{(d1)bBG>5666K%O$n+1;Iq z<8dGGQPQgE*(LBRBQqPH!`;OSt*T}hC1H)zNt!)BAZ>bv3W^8XOf|h^GSWITGD1gp zcRJzwBhciW6MY`>dM5;ZasWK z%_^A+u;gm3`vjD&I>}R5ue5|p%63LWpbKSN+Ob1gtVvfb)$maog4hdL3hMcAjafx@ ztjTZ}N#U9dr=Pe#ge%S{c@Asc(3Iugy3i$Bdf+%^54_5dd%zjtH~9d z-3y)yhjxOC)Vf{W@%oT29@b>17n}&ws2T9KCOf+%9c$7vNF071T!Z1(6>JLAWVlG0 z_YU|gt88buCOxxkX_zK6yP%S2UCu0@!@Cp}bqR+?%Y;t-RG4rm?62KA=I?z8+AN+A zb)kQEFKCW*=vVjS#B1HXGuD24H$s}QL~IH(g_|@cV(Mh-Y|@&jDIz}76lG#eY;1JA z&cvB`T})!ENigZ-<4o};G1g#8FeN4ePCPcrWJ;7x=J;e&ipdgdHFYtinrtR}Y*$m7 z$zf7--Avt0PLpa%*JZ@IOzyS@X`dEf^VnvUmD*E7^2p?}x8#?Z>D z;J&GiZzj)PKUj}aZ=x(;e-}y-M_+4Ud_;p1@w(0^7B37(I`Buc{u=}kh%!>3S&uCqxKA7*{!@Xakvit++urd@67 z$3b3PV}0=%XzJq!I-2@Fuj0R4+dnpScR{&M_m9_ff|l-ioxpzm#zBL=h=r$a=K05K zuOAezy?$8er2qLYf*Eb#wH_4~js`>9AZP_-B3cu?3Y!Vt3$8s&hkL^NS?C@N&+}4@ zjcGU*EyOq$+O2ySO^@%3hQU{RlRjzjVcp@F?pPNF8UUN0|7$~)z>fNAL#+PVd>oBT z*E}Mac6BFc>XDhc4o?MoMxBnpB?8>MZ^d4`s~HH$UE~x;wGOJ@8lL^5^zaP=tz#3^ z7xGxwl)DY3X<+&*{{T9oVrqwqH=PCAY1PVTK=yQ$s3L2EB%y!MUls1w8jG(YXV$7JM9XK{#$6 zn0Ai=YjGZ=74faiWL-%pL{N|n-tIu(E$;XPh*0&o2U2PV5DS1t$y@+SUAS}PnM-Fa zWAO%T_KXiXbuR#KHG@stLG<-t@$v~>2fto97#4bKM+!Bxbk>652eY5KL)YO60bCWj z099XDN=HGe9d0tX&09No)+gU0)up-gR&NrbS?q^eqWoS-9*4l@<@xwK-_!Bc(>l1w z`=j5 z_mGfGdYF{1&~hER#v^y0MSE;Eu7}t)3^m5lZ9w%>$?=}c8L`T zr6i41a0`4^@FKK=sw8Qm(_#5lngTkxTrQ;eXK6t4AhqbuFt{vcy!}?Z$-FP0P?dM1o8`ev1}wZ<)`6HvQqvP zGx7{GzvcN@Sc_=#vub>0* zE0Db1EaP_N{Au}V_b2F+TabdW_^7Z+inWcgm`{HX>1`hsGcl`vk5*eEMFCdZDSG715@FPMx6-Ral?2GV}^#Hgvk|%vEVY9abz$)-t%WyPV z>`BJvrGTL*$#=TU3n@u(o@Chai+DFc4hdr{xE;XEAiM_1Gi%v2Fn}-Z%^jo7u0u4s zu(k|T(36FH_FV=y2z_&oldc+N*RsKE9peh)qa$p)aQw;3BInvF*}&4cE1p8T3NayK zJ>wN(g6}C-Bn$zYMuiU(*5GDmWI0EQRVNa_I7momqLo1i{G{*%hmS-#LK?yHyh<`Y z1StQF-J>J@T3(Wo(A(1(Nj$!jc&P9IDJ8wZy^EEm;WTFyDE|HI^#P0xxGVX0(^jEB zE)^VPD!ISTRM<)EQ@oXQ75c$Y+!wPnp7g=b;|fDFWy7Mmek6X+MDh{o<}O7{H15rM zqfx$lLlp0fw0Dk@C#yT6zWTy=M`Y~P@SqT#f2Vn6B=ri>i~~%yNI!7Sl$CrfSs7sHcb*0O>O(F{HEm8|0Djg|Oxi+f;J}o`m*BDPLR@-@ zl23Cl{8(I0Pok2>BPpZ|BSLx-Q8nr0-f+=7d>K8ZVckwwh1a zbxgpEs%oB4z7A{pRepTO{D$w97FJ#hw_SV)k8pXpVK8wDMhfE6G#ZGgkO6|zrgE7| zerNAybTr?#2H)#gb?j$QZT7P%l>VCY`m#5~Y*LKf!rPd!yejg-4)5Jaxa^Fp%|YZ7 zjq+s9F271o`Ae&JgEcXDOHP*$UsEI*X&_zITX61qHGx;u z+*s(RJ?KVoO7@`G{1F{;2OdD)@6@u!h#iju$_KFfIjN_YT9UAnEr}K%@g2c>@-DkX zi>s8?F<`-ZMV~7mcNKEK34-}2v)#`KV4{7O=SA>iBkRCCbsm2*R+*3Z?OKhZ6n+%E zxMH>8lQ=HstCYgK7*KN!9JT!1;$h;Icr3)~AB%MlMat(0o8bqS^9!g^0%0Dw>&1N1ZEeU?d+?E6g9wWg8pGV z(h6Nrv#~2xG{zk{t(|Z@sG|zpdLzg}uHCa;l1SwKcg$mApoemO>206`dqH?L-{>BP z@EfSM&{$}22GL}`-YCaXi~q~eD(|Q`oyibpS*E(465~+S+20twaJLF6-5vC?>~uWW z7lEqnVj>;x1R>GDiG~?se;S9z7v8U_o+gzqnvFOa^gelRsHX~xd!^0QcR;|w+YK?F zig6%}@d+LB<2L}JO+Wa{j^~V>3{|(B#PSKGa10R-rZv4TarzdX(DhOTEccZlROVOFBd!BTGtVN@NL=-7iHm z4TfE;1u4l4&Zn!6=Aty5Lsw~1rUeWShCBw-?OSXQY4ir-g!f+qC%gFrm z8RP=J)nfnyI#dsKpTnc|J0taP(5me_R+0qvAmy7AS!*Q6x7sBOdz#W-{BIE@2IMVA z_EixQz!<=J0mh{)3ld=LBZM(9Y&lk zN0SEp1Yw{zv~xqmcyb$<3o6sYM2Y__sx%P!v@v2SD(D9p!np82v?T@H{1 zHwbgug1w>VlLmvN#ka|aE@1Z$2p}7{7mO`9x2z4}*X09bCz#EGHoc`ci8rR}g?cg@yBg-Movam|CWjBK2?x zohHEwhAX0s@HqFO^Qkih9DMBvll&-;Y9T~fs-LPtLV zbK$bbe7YhZ%6>8Xb}^OQ>wH}rD(%F{sx3_X7f#?t1KD5B76vPy#Ne)K9x6EnLn1g! z09+E_9=?0|d~N=RN*xlv@v2CEN!$x&t1~4PM^~lWCvn3EgY=Oob0fj}n2axfRHy_5 z3_Yb$YL!PKS*Kmy87VOA1r{knG`~oz4mIR&vfr&e*lKT}5Uh1uX;u!AQLx|=DPNmKGZM&4pX9W5pc zp_z0&gfA199bzBmytQG0gV2x{W>oLPqB$wi@(~`v*8@3Rp8|bH z(O{(JVQ~<-SM7E8soQ7mw)qUy&jsJ;xxBCQDMtmjWpqy~g1V!zWtvcd1NL#fOL_L3=O({2>&y95Ell(xgXDz4(dqeS9I% zgVWJLRSFkF@+=9){*jIyupcj>-5Wc}yGxwNvqmGO;)g?vKk89-A?zk|Y6i6|2i5gj zRLkjYC1|T>7{^9xx#!87_A(Clx9!V*&wt#t*3nPUVU@{)?abH9t2>kBFh&Y1@LBpi z_Ye*+4KlBV#A#lR79cPE%`a1~pSW7sM%_U$Q-0pz(i7= ze;hA&h2av?B=Wl~0uTD|nZoa+fIcb2(uF8bxu~L~}(0 z_z#SG9GDxNyReS^hKdp$@29rc{9+zuC#|B7UF=sv_kQ_jnaC}oG`*0-T%hqCAt875n zL2H;qVFMhAo7(%}v5W)92=|MzK_eJCtJ@RB)Zi7^!-#w6yuz5qBHXv(Gi7rE_z0`d zBl#EO7{O-o4n_DezvE0#wZcpvZ!BbAiNRBpTuhT-AA1|86TVk#QP~DmU=M3{11%Fw zKd3-XDG>c=MQ*Pizf9ge8!O$7jp93m6`rHFXq0)z-`Eg6$b*dSiMI1tk|Ag{&2fj% z&j_vS!Kt*7^|5#^nIW2HO$+T6HsZ1Twj?~7Gb#5Xc6n5#gm51)GA}De_`d320E<+6 z1PLp}qjcJ`nKBQ!O3QID{hEm&s<4q{0^rQ^8n{`Y*5Zp_Ip(YWF!y-G4%OmCc%w8< zI5E2rN$L1YGDw;u^b#Am;h`y02K=!!3b&AD_)(G~A1a-yeuShXR=G-@MTpWztr zEpiyox%78RLNv(5x9;HVWU**B+(ylFC>}v3!C){#(9v6AyS5!hni`SShsQZAtWg_U z=aks!h4X9J0f%NNd+GqqrN-@|Y)rSd+;@JTGG2N8NU zXaOdw{E;IApR9USzc1P`90Ua993g}3DRCq8o^@Vy`}^iKG8lp|Oo01<+MJ*A$0M^p zg({Nw!G%8GwTDR(bd1Tqje(K=1#TWmr!Rpbv%BzB`i<;lI5~@Kr`e324A3uONFQLa zu33TdBDIkB~=qBQey(>J1T+MEh9^c4QikMFD6NHdOd`A=T?cjhz8R zZr%*~JDzRmtAli|G*F&J(p#?JQ2RPO6OcHR7;&cmECUO(yl|{0BAN{wf!Sq$pg@21 zVg!B&Xc}S}S>bsM88Y;F{b8Fc7SL#CgGP}HpR#{r@D7Ra^LV)+iVjio{uq{10qbr3 z&IqhFDzxv9k4o8=;l6tyY)SK6o!ak`dWh46EA~GUNV#Jv&W7FIr_P2QKUaONjzfZj zE|R(j3UIVEU-h7}O-TNAP4$^ieOslYQjZM>(R|o!oAmBTX}tKGy&Z;-$BQlOt38B2 z^~CsfB=Y*Fw78ze z3gtNHYHfO!=33S%dtq_lG&9lc>k<4%QH4b`7jm6kJ~LGC;n`sL)7P^UWyfKOW~;~T zIG1Gj9r8xQG98d++lbz^n>B0xr+mepX6Qg-mYhF#M$8cQB*cq0w88by{=UBtW z2$-)uYDyU1e)Jc4Dp^gB9kVk&{YlYZsNiRdQT~QDTAcb@@Rz*q! z86$L4?lr=Zdzg>OVtOyb>$eDKhH;$E?HM31uRe&ya#@UrE#FjTM<1F&5)0db_tWp_ z0cxOGSYe-_>|qMY<&un0OnM&Tzm$S8)L`za<6~I-6In&eX)-bFaM48&`u=K>CkBc4 z(>}(-A@95WcY0PK@kLo`Anm&^PO-Ed%^~;UNM-|$tk%28gZ2??OsRCS6QE2=<}2Y<W0g$|zl_N_>zRVM)*M8?w}d%cg+FPcR`; zKZ(UIOBZ6=KUeC*JS5nabsGG)X5m8FALsgw`}iI0i)VrqDbF+VNw+1i5U!t)!sG<{qy z@21Mea3)DQY9x{+1LwB9%3aZ~VX$7E5!v<|DHO8ES_s!DZIO&y|A|)KjEC)YBlkK) z-t#+GWCoA$pHR0A5m2k(Z#RWtzYG0OX_Z6B`t~4T;TjJ|kdLj8N6^!pL?&6^Nvoq3y{gU`b}au_C4HbblaFaR$H$F1yacFoVAY*ayU^?*ju1D*Ho z1*Ld!et2=Zn?<%y1?j>JYonf~84v53G{;N)9Z~oVz9`C);QJL=E~oSw2LB)&hq-P7 z$-oC-ujpHkJ;wSHlC95SAh=w@ts{K`zrwVcOiQ^K3+H_r1y|!N?~@1@lS<&Q%)y^Y zWz0LM+Wk>@%`*E;n?sfOP-J?jJ=q#~(Y`Z<>0`bOPnc{X24#0Rb1T1d2rTexzS1vY z=Y2$HYvv>Kmj=1s?2e{JcRC9(EfE$OvX&S~wR5*rEj}sN!?5erD4PsTto=EDA09&g#|5^5Btn#7OElK)n2m+SCEzqeZwKG8lfDPVLTZ#2DC2MiNWZ!~ z7f?>Gyj!v3E}G%)Z6<}Dg&Jv~cn{5yX%^D`k=Vrpl%tVEyH8%FDZm zth=e>Gvz6hu!~gS%cxe2CF3>9kA~m1>@%^}Hr9BB(f47izb59KSrDqAQC5Q%a?EY) z!HC=}P(b9b=(w6(7jhkd#dum(gr3#5zYJ1niyer+EB4@exvQnO3NjV50zJrsh7BBf z7DkD$>ZtiGRy5IxHBYB_q@*$ra)WKn#sVStg--ZZ z(yUPqmCcN<8r1SN>t}^&WqROzaNR6eKR2Q=io~PI>iZT@V^TKv4dobS!pdM-asG-H zUa$+BVPNWlf-wQRm@PfRX0YTD+ygq7adie=taR7Fz6pk2rknbFbmKG>;I;Z7=x_N? z;(58#(6UqVPtx7Y(DE6LN3ag>S0{%_Zn>%`9nm6iBqf7whuv=ETZ8vjg8fOr?gA#G zG#ygGx}xbwc^1z~B6q=-YK_=#?8nGYYW_gplo3W6+4zn1!^r$g&Y`X4@&naU;4^%V zR_*XNjcoY$KZW;vj ztdAxK&K}!pwTe=fK@h!W#JTD3j0OMTQhbedUTSR>qH;`X_D&4V__(Gr{N`FNBNAP(melj_1#f>Z_i*1 znoCTyAt8ngbPmds473Mx3%AGjdD+XTu>uv@V`FT|##2coNr?<&8ga087%rSamY(yI zPXnKwZrLccJc(s#C}%Z36hjN}yAXf7o4PojJ`v0zi5q+3fZoL5kMrKpkcxu0tQk_x6E)96Cr-}(*?3Cpm617? z`lBUJL!mhsL3+r$@EK~SF{QV%l88SLGf0^z*FA&p_bOpk$dZOf<9?3wh8a=rk!WKB z7L}pl^3RqkZ#GCqVFRQT?-O!Ux}g}Y&e!WO;{y9DDaOx`0JoDSPtVFa1JTt!S> zE|AC0V$fwk&lzK4S)Il8SmWz3*(|obMv_bQbbtFKh=VRMNL}?$(DO?nnb_D@vI^7W zDIn>Dt3-3jT11kCwf-_%Ve3sY@-=unB!-3AP8-ZvF;(>;>+KtU{d%N1-N+J{0jbY-u z08N;2Y+IhW6OAvJir9phSy7fPkiXhS>f0Xx>!*`7hr~D#1!MGL3;B)=kiM{gN*lG# zUty~G@S8iSM5t7>BF%Uw~IS}=0lsl{&q7C1t+TV@h?~YQZ zu`rig>aEY|e7l%T^RrQUk%i&mTl4qA`Nt=YNnq-QZcLG)18+vQnc@OtLz4et{c#;1 z&FWWDY%Tze=x8m;kkg6k2WfY*$mRR0fDY!hi~?bb!0-g*u<>U&TMx3O z8L&1hRM<$8SR3!cqsi^IO72x=s$+xUY_ycxdLR2yB)tpNhDna)NRf&R!AOuGW22;C z1iqWdxRR_s)?(9pUdbZ@`qFSmWb5vRyNnww7mtv{Qcp`Y;jOPRJ0O=!BB6g%$=UMM>0Q6~igekzP~?)k_`tdE!E&PKvO|FH6=roZNPWP3i|bh2SI_EWG7Rkc_o#2(GiduD?@DyWz)S7pETk z)RF}&h`E4>!E^KO>vwSj|B)U9?wNS+T4doNHhCI&u=piBv$UG5FI@;u5GnYGk_E~z z+Byy5H$!Km{LlM4Dn>GPz^sKfBimHOauBvBC5+u@?uS-P4j?h9RgKdb^|4K{N zBl~tb--HaeQyO4zjfO>tE3(XlpvBb8WKtyV$OV~}R^+KhG)>CE1L+-1!tfkq_#y&# zjntw{h>Y?Rx%g^Tw%5FEAHiQ4()D~ z_+9-ypCjryJrKOmy;!WOdSUo1H+1$xv%?`4p)I4{)DlAm{lAMDdPqLQ=bTB$6jH|AIjhSHX_ZpWOPJ`dQS`&-Wbh zHgw`mQN{x%A}QZTFvgZUJ2KkPLwrTJ20x5ym2V@-P>piM9T(N~wp}09_?o0+MuQ-% z|Gvw&(O$5-=_xSBBBkiy6)xH{6n#~y{(;roIZ{Ml%kR!KfwT>~pZZMRBM{G#^x_mr zAVYE?kol2)wUP8BGbmp35M(}e&M_#I$`)A z2tq>)cn12#@MB8usRXvhWbPVaj7#u+h3(e!6dZ0#xrA9;_!rIIH_-X#a2mhRFN_Ak zE&m?*kn+x4V_FPY_|AlQ0G`o8EX&0-wbL$_69z+%a(ED>i6c#{lV^kiK zxtzf;fC1=;BF@8QCq=V*o^|k4yPeVs5rfX2f4n!C@X;c9~ z@_I>tYBT}V>&Bbcih$2+L+@V&4p#lGh^rV&DB{}D*9y7myf+sUI@h(oZ=B{I>U9;U z3DvoN?*F5MubukuHM(BLKiB`Jigq+-$I+o`cKik3xrQl(b_>1xPnEw~%bPy^TbX}r zv70`r_*q9@_tE6`>Z_>(x<2==|5;xLSJ0eZ2lwM}z#m=I~}m z9sXYD4i?*ApOYJP?kM%@vk)p1{a?U;`1OsO*o>Xv0w&kbx`tcdqtTyu5?ha41XaB6 zjshUtjZ*(NvV@S{SBJ+NxBY)3OKok(@bSNq<=Sxd|M|%BkA#N@{=mZ4K?8*+X$KGI z?gbOTj`0TFVeDj>%|oN`Rf}J$*C=t4IX1*VsG3R>LM(__P#LSHJz_h?WsZx7#4?VL zzdFSUoB+fEEZ_;SY7Vg+V1^M#DX?P@g9tE$G* z0Ox_+9pFP;8nM4FWUk zfEc>mMS7b{tFUH|3e6qf7DQrY%Qf`>=6INY z#!pb9q$2z{ZVYh)EK^A%9tjKLGx!gD2Pe>jvX0|JPEO;=5r|sQdH}Le9*_x&sI!aAK4L^|7s-I|=y0L_9UEK7D z4!8q~sjLs$vlFKTD)8PAnZRep573ua6l0Mz&|zdkRWbwy{I%}aQL7H5YF3ovTZC7M zReBW})V&C|fmz6|-ef8F1exo60z$jHKw3*1QsJ-OmVeL}>~Q7b`hclWD$2jjw@BzA z8)+OU*jBgZ+7XTOjSzffoX-YLFhtNRD-iXn6Oe5^z~|sz=<#??Pag_A2rW1cTCnO1 zVGicJg~%oad9H{55oB?!K0n2^|Ga2eV$fz{9*ZiC)tie&-t3Ye}5{HMtXE zWo^}{k}M6}O>^O7+P!q5s}qSA=D43h9t#SV;yJ`({EqIb1aVY-V3~Y+*8!rq?4*nE z7)f-TIQzLW7FGXQTt>WZC*l&=-zl8X@dQ7Ex@zD|x07fHPyi}p7hwOhUCt9Eu3;{o z?HcCK^p9fqMFbb(Qv^t`n(8s-1bisF=Z`0rA4S5#gG9u}Kk;zf*LkNil9;jHawjiP z=K-c074QQ9VZ>dp+AWdciYWp=QIHV<#E_vp9$8+CnejEkbXgUv&k^*DV(sj8?6Gd(O^a$(mP;T$Ho^ z*d{zfZXrEF<4&L~mjplar<0*-Rya<`H$q_V9*8KCLkJRRf&{T;l;Sm^(mmKF26t^2 z`q#ARJrUe9^zse4ERZL+=>^m-aLR>lGYf7+!e3jG;X17SlxY~;e0RVVt*XV zae0l1Gq{G3iQbQ}b4no7-arAV(G0CxNm4CE!7%O^}&Up5)%SxPKoM;vK3E}xIItcS!;g5D+8tY77(R|3u!&dwKfeAik&a9^COD80hWD` zYt-olki_oA-6L3Y4}_KSWY)w3VO%p!1<9tI)A*5b;o-z)*^5)1{UNIR6iAJ+iz0Hm zH9DQ&&}_#O#Nh10{eYj&XK4Nx1lBzczmo&Bc}6 z4{C2zeh&6*RfZcj;+L`+j&FOIHX&%L*)VB>+eb zWyv+BbApu|!fo=T;P7QWe7_WfbGTwD?&7n?0TE0ulE$ynm5E3*e!_(xq<&bv5DA-c z{8`-wJkqzy_Ezv`d`|Ko`xNqVf+dcv)WUcTeG<~*;6W8xcN$M_h^$+VrxzCio#lj@ zfRsOl>I*B{37c0A?uI{(!hOWAg(TyA4krl@;MA&ep^Gzv1IH_Va76AYO$|hPQR?D} zT5d?it0*_Qle0Vh6~=+uvDshiN5=U^m#Q>I-bwF+Iqb}%tb>K$OhtZ#^Emf}B{knm z?(+Ax2O_L5M%1aazi)iaK72P70u#9|{;?rmUU2||ME(yzgNg`&Z;fy2fOJq9_?FYl zhQJB{4BKFUg3JnO@|{tdP@pfnF_Md=pJJa?Cuj@bXM?GM~PC=dyH za@)8|g~!%5jKMioW3Xbm6Dnj8dKP~!#Nh{a9Fz}YmCO-UIUg!k22mYn*XJD@sB?M{V*~AkMpsYHj~5xAHpds@<1c$ieT3XncN`}OkL+5F@A00%P3gOSh7qg6m+SitKZFMbRW=yuZ02I&4l{o4 zUh6;}XOK6Xt$>jOPUjF;FY^;I*n@)wdwC1Pd@pp@D2}#!#2CnYsQIf!=jric3}`8e zsVEIBAmw@9VW=*S|A}$kF5ZsgOQ&GwU=5D0uR~{!NG)n%G+t>-Bm;xnjbBI0gXCxC z{U!&ir-xcv^mX5*!`<|w^q#(&d_V5W)!_e!y*CeQ;`;x-&j}gGA(G(PPv#Afqkrn{p49nfphk&bmC#Y-_@*)oaQKab$VBBDIivpaDGu+;a)2; z0|r}dw({~MJZ8bak{*RbB*F;Ns8!*wqZ7t!k0qdOwY!t4-F;!cr7;}s@6RTYx zVA?kZ;TTh21x)DXX3<=ZqcgT*?gG8T9}yg>pCzQJxKr35v{mc?C?)1|?+h=e;fCj4 z1-11T$vrl*C=HKs4Z%s&X)aNW57WQZ7!;}q{)6vKnW=1?!2S%P(gQqmQE-TNC1t?B zFo&X{3JZJe=l*ZE^!E6RqH3nS&mEkaHn3`y2L^!I@TH-k~9R;y< z)!5wFo@23PTVYifW`B6rjnEySt5MXQvX~dv<>C_K4Op$*JYMJ@ggdx5Q)br{P@e6B z%~WsZIi>Ro)fN}w*N-=pejzV1Q7JWp@j#fJ6JXuc5$@NzwtcS60las+wey)EYai2{NffYAtPX4j>Wi2J^BVUHMj5QV9`x%xX9xmzfCj2(D zL6H$=D21T?AB9USo9nAUkXL;R5}&6-F=DGQ9%dicV!^khpJh%GX9iB?E_!=Q7tkFK zl?A;P{D^%cxI-Xfu`bZb`*ntcfoWUwJmAZkt7XzR_wP!<~3`4U-B)`eotL4C1VFRvK1ycSQ?e{OtWOmM6YHzz=t zg_}BsEi4NQR4yYA*CpW&&b6CWke^Xb0B)(a?z0VJgQ+Y-^O+pyHfVst&g` zDx9AfH>J0|Hl+R>*4M;RmWpg*_MSHu;gR-lj784vl({i%n5dsrKZ%dzD|WPFqQlvZ zo;*ZF6hk)0M!uhU3EoPXbEnd$ZBZ`i}zH=90E zFj2%cgx0%;w*W8i2$1R=XYbA|wSoVT<};j~u=doG~KXn1JsNA_joNkEgFl{W?#YW=&0O+ z%iBDYW32ZaJv%lI7RVonhTvBoy8#m)1~YS_~(5+*7)Q^t6Xb<7f2 zjyh~)p#?2g7T+`uFwTHk#~KA%0#P-I&8f?;!w9v$YC2_duEKO_Jn~mlC-?-@k?`4X z)hwkLJSf+V`I~yF(Dl1DY;7VrDHHV3y&LqK#q5F!=ROh*3KSv z+1t@5P>D5lJBlDsSfEqx6odWaAiD-4cd|%?=NfKafNN-du!QLv8JLQrsS?cj?|TXm zR}Wgx@9PVgF_9WWe8%Un5A*y+)uNP^V}g+*{O+i z#;EpGtE%m|V|j1n{DaT5Qk6Rl4X^We-A4S)?iX>yxe81}q?_faL3qtV&n^O#pZ4MTR;mT_(u$7Ch*i}D-nWU&$&-7CW%LwMVDfJhyk@Z|Y%6XU*3K&`VEJ$WB z-k*#Dj<3{MCk%bOt}6N&o4~kZR6>u?6?Q;4-s}L7xp)Rb0`XZ!PO8#1pOS!Dd?7;J zVoPdq_g#qOzKZ-8D+rA8t$Km$=})xjzr06(8s%bC|91O;Iq*8U_k;W|zDxKtBsUyD z@~Ec{U`4`)12R?Wmj^;*nd+cCvPX{~75&tbU}&o`Cxc;e)73K+@k@HlAc-56%m{D& z+Q}KpHV4!*RVgQX%%t0Wxnw5O{`Se45g^<+OWjHBpT%}D)X&m%YkO)|WcN&Vc2v(E z{@Gmbr|M^G`;Iv^J9@x$c23N|CH^`5kPY>7bXhMq=d`Nai@U^Df7bRW6eF{Xyyikx zm_WX6JSt4SR~3w#hBWgGGq+}THO`5h(bY6R`C!-h#T{h12}|>{a?LCH&B(Q^8hJ1` zaov}O!-?+iP+rpW3$ya9Th`3Tv%UE8!MxV5?3Hy(e*L6VX>Ynvt#o9)T))8a_U##+ z+U$QI%Wr!yM*Ki|IBHE( zlaYrC+I>E`CrP_(Fq}yH`q_ae+~4(Cve@&(YiAa>zjYw;nGQdm?DQ1=P1@+pB+6V=+DuOI_&QvOpzCM{bSyD_T|g`sjE747q@BcJPA z{b6==znX?Y(Z2DQm-p^FC1>B}kNZ!)bLzPP)I+MzQ#0tCK7k-VE~dQBdj3%P!YSug z4t&NtcqU(;EAbWjwM7jT&jsdm8oX-M;K(6{53=)zth;uPAKF-#(>!$3^1+`BE4EHA z9bUR^-1*@zH@(}dr+)3#Pe#0UN3(k58*EPBQM)dEv$XiFtKZBUyywQdeMj%#e81Hg zvplh%^Vjd<4~;p@4f)K|CU(fN+(g53u~j2}-7&BFediL89+|!2xpfn3^_wG=Kb(4MX}`5QK3+HJ zR`bV8ymzu^t(yGfsov|S{9HAAz|?JI!xvMxtbKRDv_}uao|-PJrjAViB;ET|4YhyZ zQ~e|g+|QS`ZCuvmD>*=-we+f1zYX&e%7DGisCjgw33id>}e*{DkL^CQb8) z$lB8$#V28wv29N~Z+1{z&SiaxmuHPy*~HK0N{@A^jV@o=IHy(hypp-X9(;K2&F(XL_|4DuEG*f)Tz#YJYUh*kIkc;f4r=K3g>&VR$6tFRe}!ev&5!@( z<5X1DR6IQvOsao+IX5hmX-=SIyraY-=Hq|_^`iDkD(r)1SdZuYx~!TE%Tx!4P>1h zd0L~`h6dEophh8>Qs*|nPfM0vvI_o+XgRHgSbmy=%!_VR51vw_G&JaqDtL24)()g- zXdwE+yv~UCp=hd!hOFt9_oJ3a%hz}RU0tDp%BROyRR3972Py6J5X;`%P*-2y`m?V7 zXJP+qh4g5tknqP&sU#>IZo$B{AmRQS32%BR_lo>q^V`2!cu*COf3!d@YpKkZpBTlT z&yOFchxGWXqC(UtqHd>|MF<{cI8>gi!J)BcHHwDcF{PqHx9$0 zD!^KNdP`>%Q9HLYw$qS)$$WMiG zlDzLG>{s;cn~K9wE4EqQHws6{SHoetKUzYKlW&2jTBOA>^3@i7fGUC_uBKF|jtV8U zQ4K8xO~B3h@T`Rn*7DowEeU_Vuq^zorA`0l0Qx&ujQO)guZL;pgjzno2Q4}W9{z&^ z_@rL{H?{p=TY5U?it{=3AsDn5TGFC$6529#mrUBj` zgF~i4W1)twkl72psG%zkiM3ut4Lgzb53G_m?4-cOB5&Brs@m>E7b{W2$jqcs$l8Rn zkQI}tmN&vL9o5z*v}`BtkYI&tjYQUqnWu4AMdr$`SOYQVHZ`2qFcQM!vTy{If(djO zE8R<;8AJ7I`3N`FRc>m+LcfNc5iM_zzX%u2JpBngwv>b*%ZcCxXy9<(g+kSQjNG3O zz$=;dWQ2C1LVJ(0oOl2Y{K@Z+8~Fcywf@%@e)(i5ci_}NRJ|2jLwc=|A@l^X|8KHh zCis+}Ak&?Xk?Ay@`VTL>1yj#~w(?)xJq|S294=s_8b}_WE*GuD06^9}JCcU~1?1y~ zqZC%(f@?Vd=1R_pQuW3sU_LGuxnSA<*r^GxC4KB;K%ZTwFOB+>yl(Fp18(aUf47(j z0^taR>^_iZiu_~Ufeb4~E@uQvb%90??qq(wC8@drncn~rkj{wffKqS=d1eYdO}vY# z3+xUkWpOUDuK^KrKZ~4|XYmPe_*%3p>X$(QsOl8-Y(I+3~P zh7^yAdcXnWT6y`fk`YCDF~B5j@ssCjq>jj6$ZmiDb?YGOdVhak5(0@))NWX7(hj*@ zqfv@$w6h6`_I1d~B|tXeZ^*?fQHq!Hdb!CirQ>-78uZDag)D6V3N6{NZVsw*aYcX8 z{c4wjvKVBA^dAmr1m|7q8OKn}mbre0Uw#2-*R32Y$W0S#)>`D3K?dMLx!mb;s+KYs zwX5m@3itkyh9WYg>?i96whXni-vJ@|J1DJ)%WESekv=;D6$fEUXIWl%WZy$}p~@O# z`e1fX;Shw%ns}16dppMSpXV(vs2g>2NEH7My>d&KgwP{F#5ZC$0wf5|m ztd>e8xbE!V9{g`qEuQ;}uX#V#>!os;_xPVa`F83d)fE+$MPGaOG%wP(uiNVy%bi6| za}o%O0eSZ^<}WY@igp=N5S$TLe=-i#4{0I(-6;lbsZ7LnQ;X0a2iWNrce*(oqH6CT zBh%ucr-T;SQ01R4e4|R5sxYdY7TnWH$a8^1pt)G2Qv*vD=lWX2%WOxKoE6e2+}1L? zc@R6OvJC4}jT&0vy zMlK&T`r;$w7~b623VaTDoh^kJCm8!d_oauUB>QxJr#apj;M+WQ+v{eAQw!yezS)J= zJ&?o9UU8-J*_Q2uyaV440*AXBMfqhk?D@wIcKls|iFl2zAN$>BI4_V^Mk9X2#ra*W};-Pz^H*)R)l$d2dS^g6f-T(yTW6|F6c{+H_<>_%FDII#GBG6o(~^Y(qh zyO+;3QrO0<4Og{ULm`e`VWiD&8>Hc~H?)y7Fy}_3 zH&beAlJg+QjqIMug*)PqV<2KHo14+x{y#ICRE0}&mNK`LVC$(rMxWJPSKwGz54cl7 zDpVCtx7D>F7O>W(d21*M2S&X|oXszQwoMBF&$5OQ2CKLZ+bc*1p`VHf+e_3Q(V`KdP=OM+`ncg!aN~#SJK~YKT3^bwkWRsDvn3qU$`tj!FHYj zUB*zHgwq}00!6c?e?ZNdZ4V+zCzR$$3AOydR(uOWZ9+*nkpLfb1pMNSD5o!5z6d)P zvsdv;0F%=6WSN`ccqOP=PXv_Xmt=#ZH$^TN9WF{nDGpDF<0Nu_$GT9O-X(QMqKN%- zie!!tkUx}dQ7!C62}R+ao|wDHrokZ2RagBE3R$xL4T#-T@q;nfu?cOT0z*-b1bEdB z)Rz#~0Iu^e{Z4jQc}v&EOHdonWX^Jd(2MO`7#V?1=UJq#dWqK4?-O_PB>XZRyL~T- zty%&Yt*2#Gby#n?q7+Qw#EYa{4WS*iGW{zil|pKds#fCxdGi?3Q+z%INgul1U!c^2 zrNqvd6eJu(>qGdmyR78g;CKs_4@8Ba_sC5hgY1kM8~2No!gZ&($~|BQ=SWBQ0*HN} z(}ZIjF}udXz2)yr64Gk`iz(&nP}`y{*R}}Ld6?3&<|8NLxfJ4^LaKAh9{HvyN1_GnoUXzrO>|1T89PGoj>A%MSa*JGs`ABbFX@x z@3S^Ys~JPN+3U44Y?E2@$*kej!_H(I|!KcY~8pIxjYgs8{)h|3Y?jg7Kj04 z0x>%~s~?9>J0iiCVw$ILbj6hJl1RGefD`Z;-DsA$nmL`8D+H~w9~ou1t37F791$`# z2eE$RLiD=b?MT;(J!D4bV|d>dpcfbuY@aBZV^QLqP@~>-QYE&cnm2f-(Z%co=OlKW z*~VwtO~fMJQ)maPXy2)uP+7?hy>0c3IUmG)VR;0~W=koTcP~9s*h0gATnT(T<5<47 zMU@uBp0bdAS0mq8%uq^?S#B(cLCiCewv3_8L;XwH0^K|VT=4?Tf9wLyy+|XgALb=a zn2oDDqU}BTGV?%>59xkY5M13IaSg$j(FxrQt==cy;Ju%CEV$rcm6u2iW1&(LRV;njmu#4?z`667(M1egx zq3P>$21uw190Mn&_9D^V;m87^vPDmjEp5sZex@NvC0xlAhr3>E2|+YwoRnQ0#b`9t zN^Il5){k|9a=M(PvKHS!RNLSkP?G}sYMKM_EjJnXqn#hlru>myX6eh&-Nxl3wzqdP zdS#Jr$4PM_<-N=Dxii@kR91ghbjWmSHRugs+XSUqwVeeaQLk{xFzN^y?h%Ye!9EKC6XFqMeV6sq51>jHh=s^Gn7U)!$F`$CW#@|8I8Fl2 zA)D_d==D+O(^+;WnPc4LeWW*DOk?BO!p+O{HfKL>9cROnvybQ<1rAtemLSWKaF~DC zTFY>4AsCD?q$y=^$aaxPuZ6M0kV_ZGbd*w_WhlLj00br;LoN%fZY?LepcxTZUN<(42G`yTSIY;&IG|WsR|U z79ew^NBZVT-XFNQxgFn4yAD4#8btU1xcF0ks4>fuWqMd3Hg5J-bIGd{?yAFkG3&AQ(w*#7cH=76U8%&0G|8;$cIIzTw7AcAoL zC*%xO5p(0!JTsDJqsE&sOgFR$t2O?NE!vAJCW>|pvNb;71^yYSGZHEjDXrc@^>T5- z4;-i&)*CIHMKhW8F2v&@gXdZISv%4-hwuK*xB< zWgD^`@wISz`ao#$z|^sbSS&g_O6BIRszZ68Xkjf2EV_c%8~3M2Yd?=5wv-!oOTc?79wgAqFh-0SC`M!N6m^e;gkb#QC( zODu-*`tLIa#ucwcyoEcmWgZ4g2QEmrSmT5hLP?~pUeW&o=6kS!7|r5IG_ZSuPN5 zrEQ_&BxFf+@^0fiYg^Z+zCCgf@7}UOP9(OZI0aj~JGzE0hNReDK4(Z#l{Bp_^(LFP zu1iQ33_;#GU*NAk0gcy3o6zD-04rG96|?sF574C(t9Hn^J z#S`bC7D;d6-PJ81^3Pd7)yb=Yy56VomTYQX_^Em}r?@jt|M=Y>gG3$AB zhMIbY%KH)(|BTuC^Ho&d5SahwH(@CGWRy11`& zy^_MJ3O6Vr2aX*nbZBLL2uaSYZ%c~2x)1Dfif>>tqjW&%_wdWOM@JBSguIYp2_ae} zaW53Mj^Kpi<*aW3X7|mXM3I?~GO;fcv$KDCBb0me+jp=icytomPqN+Tg9!aJ$~yYd zU7T|lly@_plCfKE-k>($STzUJb1wGH`9+=;kIsjOu7ZFLTsS-Q(K>W~9kRaD~M8PClk8F^|i$oLv+BZy0b@fT5lU=6mLZ_<#8}cZ4pR!-O(5r zmDrLtruD7(NZT2M=9wtz3yFA{MR9D5BN;QVacqqA8xk3(csm7^aiSD%(j4R%R7VAs9+q_4BOm|xAdjo08x{>Y~52GFLg$TJOsw;z9!}eElgm~ZK zhVdsry1@G$j;Fq2vvoh1$&Bm`e7wGkrc*v`cBYZ8=4p9)x28JAdmZ5t4lNZC+tS?(zuAL1i+cDnRFF5mCYXu{=F5&yLG2G+dX-K1(Q zdF05ss6D~-7bVW}FHrsNBOADW;t%NZbx!A5ioEA8(;ucf=NF}OPicN|IGxbrKTvXJ z-f{$1Z|r3*$wAsX->1K?O%bQaSPOi#4MZl`N9AK=wivqyY+U`YK5z@Eb+l_S#t=s-Uq^qB^qYC#&^(Y-4Z2zL}*aa-KVS(E~|)+@hgR3cWI-Ed0lDR zn-APAW|(qHhI<(4<#trZgp@qcOklW??i-|g$$Tow8(lR**T_IGNQN~em}2-yO_Pgl z?*xX){0=C4DYr3e0)l-XJ%Nv;CU6~cY9U7erQ`rqww6g#vb)`t7_WF6`L~*vaPxh6 zXzD`b$U|tQZf~+pP}Geg%N;c`_CC>hYib-!dl~|I zFOiH(g^EJ2P#nV-Xqwc`$D zSrS=shpCKU(%R@Vgv}A;ZDSoalU|P9&X%n~iav=c>|i^b9*EWpHYOGbp$rgNM+W-n zE&M6iat69W^y+lT|A5!bJIX=}BF9~NVG2upS=-xtbZnMVqxmkJA6j}5X`)!41$h=B zO>;P(REn{wjg{==TOu2c;{w^Z(5TO|WB-+$aVZ%CTRYsctkH7so7508Q~xZr$@U}b z_=RF3h^}`+3+RZ2{p2Q)x;|ydem8gxUnQ?lSbK1+I=Mn?le>KrmA@maMp4~!QFBOI;!78W5}w}|G!)KkRon2GTzSFq|X zo#^ThX;r#?5#%GAlg{p945KrQoze#^57Wmv%JK3r-XK=s)Jj*i$BY*E?1S-cKq zSVMOB&F=dxX4!H5D?_xa82l~eS^FJUn>)g`G#hR2!1D%*QR7r{R3+T459^Vc>j^!RSrCdKhF*< z_=)aR^bC^x*J|^d(%AO>A(S>BOy#%5*AZ7P{R|j}!lS4vk(w?4zS`|brceRRcK_J+hzBI!Bf1Ek+A{T30dH1TR_7@qwS7b}hc z7;Fqb&9teWo>KZ&P~-rP#t);ck!TeW>X3k}ssQm^T&}`}c)0jrFc`?2&Dr z?9xd$WuAWFz{I?^&ibqLkhAS#9erd1fP9+}d)(d0KWJha;^UU9((U`RQOV7WW|_+- z9h7DCOUpTiJnM<=0$cbxIu1L2i*vC5Bzw(m+Ptr-#M#Uy^6v?s#aVZX8$;6Hs48SL zOW%}f(<1Bd0+P0!xDK5ftg+F}gV{7^XXty+0X#$#l8_Vqn6y!9bf9$Iw`BWUQa0^) zRmKm(?bxe=4bo8f?YF)nwr+e)&@Q37W zlM(OicLQzgkJtfRp}sL!1dUwx$WNH&`5f#!>aI&?XvR*1iY+c6pGDcK7d--+j zN+v(n8YA|{Y_}|roO|_oFFI!`3?QQmeWzo?nI>A7pM%P6R|pdY*nQnhJ!yg%Q+=%C zmr&g^=9bCNed|(V`ui7OhS#aKJf&??%$7{V-@A0Oe@CS2&DcYP-+59OoX%de{G<|I ze$)?ncZ1El+PI9QA8Il-|3FPcQg zJY49Ti-k?>uSF=$^t!@=HDW?|(IKe^^1tZ=q+ZIFmofRoU9U~frOyiKWyB2A&vhOK z#v3LmTsz+?B%D{2UPsnF1P{(ebG|^1Ymn3fi-bUR<89-Gf)|BUy|W***Kpx?1yueR zSvgpJrpUzka$IBeY4g;&>%E5GL)x|kr{V3W(lZO9&Ph6w9K#ShR%j3F4wBfv84XWC z{ZAmi!ahNQT+naD6YA%AS?N){0*bj(lMutW!j0)v2V;%1tfX-khIZ#&~GlHhp{-5JO0MOieno#i`lv+**wwfXI$m7X@$+CSo)S1j*v%#YDj zDeeZc2i8mbgv%4GT*)(18$Gug%4>>OTI!XOM=RL7@~gcG)M{&#d%dSGtevS38Mo5d z8j_b>_{)mL?5F%N+e}5xY77eyTmV2!k;g?}W$fle3$6;Iw&3S8E+9NstZ30{VLMVA ztLEbr{R=n(WX!(pzYT#Z!hA*EXP6xiR#5qvFm0kv*a<>c;ej_;UQjcnuh?2G4wKt* z+vz%*K?g#k0%ZZ4#=Tb<62U_3JGXo75zPz+bW4h8;t7W9m6-lx8Yn7foVH?D~lr9}uQh#PBvqlhA&+0UgO_ zpOe&By6KoP6gB(gPLFGm?rNNKe{EX5nbrAZGS?44?t+F+NY~q*j+i~tuXB!J({onK zoxQECnRhiL9Q?Jco$c;BgmlTOk_$^+h%5Acjv(m2x(zbz&8eJ)rowB$9i@*7_1wmA zr!;3A!gESP>Ko06=mGUL>=JQB2r4T&2#I(5T4&5fb56>@XH^vs0;A%l5bX*=zn(Ex zW@#QN?nUh2j7xY%B6h6?^bcN)QcUaHWHea$#e6tmv)GN6LlMJbw`@f34uSxEoaVYa z?haae?a?vhJBA+3LB2UHQ=`V_R5DfWoR8wH3f($2O_pm=9`fwv9))Hwc5=^YvX#8mbk=Adne(wpSg9nFv!<6agzyEHdzIu_&2ucI zQVZK6XoGVw>2LXghNVaOW}9&;|FLoOmE&t)}#8WE$*Jww4UE z^qFn>NwfKvU>PXTOfu(dFPK1w?TzpmJy881X0i&6)$wg`e|*m}Q^l3hFX#rbAQf>E zODh4i(s=4x?f;AN<%jnjC}V__ugDsoQ3NhL?|d@deb(K;Mo`+Zg(s)}TC z6Fi+F#PRa7LE5G9-vx6KTpIY??lVo4!op5wv(fjNJQNxJm!z@p$z}Mw&uzjVom0ZF|sV_z<%H_ zwHzVFuIA6!34AHUN6?tdk}0YS=;Ap)GtNbu?4Jecz`&f3 zL#!*kU*Uv`F1wR8A&M+JMQH=092{qC4iKD!hg-&jyhL7eD9Ov1!Ld&F9FUtE!1m`- zsI0YTY&+v!#3s`Qu2b36wWjysyAu%1uy3jD?An6oQd!(Q=n#OFU(pRYwqmr-zSZBL z1x>83#x-nAK{Vlmll@~v9vK(1yuXg5I0{0f>s-JmM414V8}Px`EkGH*kfzCGq_0{% zrGQ*Abvk|BeYiVAX&O!}kH=d&P(yJljaJ+3bo#faDnQ>w=VqXL7V!MK#;7UtFS=&PJ z@2I1$B&o5%_GRp)TbiF^&b@DpfF$9IJJ@N*ZTjw}5wx~eNs^37xLfmm{TRL-SJOC! zwPjSIz$7-78v??OiR^N)x`#=N;iT8rvk+g9o#44yF|R2>j^!ROyU2W54V zGu;@}2;99z^``_n&$e5kTcRL*W5=f5Vl@?vF)pEdFhir3UnL#fLGwPY%Z_;{iB59g z-X^s~+a%xF0+%X=d)n#I6hUq?`x(Z=0YW^QbK@h9%T(d>NI#ZUR=fcY5tkCiv{{JF zHk#4<_RZN@kD+oLP!6xtUc z9sR3z=XeV#E8gupfVmVg0RW}^jEtv{1@eOfRZH<=&@3?vVBg7^(uz|y6|x@{LuhKt zY*95Ma2Rde9tHLs`T*;-WQnKx5S{TG7%pqDZW-fpaFuzl#NnX1k?jVyz-QX{Iw1Xg zVWx^rY)C$`%{Y+lpJ%36o;0?lZK?&vdO$0!7f zRL-FFAxbqh$9$TMH83+ z%?z8gZ@O6?)PseOZo@huZpQBu7Sh&1miJS^Et`8mx;dTv4pB7Oh3%2;b92T5)0`T_ zZukC<{wVl8&lW1&(?apnSo5y}i4A}Phpt9RVz+-oXwTQ7`c$b^Xdr>rn=;kX5-4EW}X9^U;p|MItd z9wphnSC+`LQ?V1|T}!A4y(kPE%6pnl;SAUo>;m7k^?AOnt+Uc=rP@)0v3n7in{!}@ z{D9I7RN?U?)At>!DlU8r`FBtc15Q5Qa|Eq}?NA~91pT2q870i&#Ov7mvv9{k-zRsx z_rT|_rzJM{>+;#-gFe;r5kbr-uW?=WD6)UF9g z$*AggD%rG0mEF%Ym%iK@BoGs7r)e^jq`K;BsvrL}KCDriA?mQ|1WC^LLoTW1S(791 zOm3xgKcppVehr=IJP(>`+HOSWGQy4|2!q&15SZcbE;>V~_ApQ}v)h6NtP?6oZ_s&{ zqLa3s5t?%m+|QbkDsz_E!T+X{(UJqkImr%#24#0$p?8v3{Iyhk) z=YZBeYP^2J@jP8#B+0HAWqk=`L%zm%ogdZPf)%Knu07-JZT!_SL9KmD?Y=VVLlO<( zAILdR^p3x5<_e2cP`8H~_M3oyU^1G85Snd$@rY@wGG_oHEA5O`C8ii)iQ_- zcU8wzrP;{&GS|l&k7jO<*JUt5n>J*z(Q6x^l6ge2JE(pukF~>;jtj8kg&JQ?@tCO%tNUM4~&H>)dDQoTab#PUbsGi&0|~S1J*_ zIfRRqUP78B45Sw7w+p|us(u!k&EB`uM+}}XtN4N&4KkM^K=8j8LL%5Y%bW;7sj*HF zGCT8KEhZ=1fsd6+u>Ts|5-{HUZ@)kKAI(-Cu4QS>8J zuGm*&+mI<)Ld2a&dMyNx@@&G)Ed^J3EsgBge5&wl3!(cuN0q3}@-kvsK+^?TS+eZI z&LLz1+uQdemZni4+D4c1k=`|$NQHh08(;@I_8{8JM-s2pQDdJ6W8GQaSu}!=^o)?9 zn>Gcb=|t|oCbVExe1<4<7fyk%s%IR8vtQC{UyIl zSomg1n&u4!0Lc6 z%1MZ+P9~$oPH4yP6+66NV;{SRnx-RKXOiV`8mK|AWr5Go#e%!K&BPHydB38g>yyZf z-p^@Xax>o3JDe~lcn^Xz_prjdA6&%w$h&*_9Y+E3Zs&N(0>Vs$Y_Yjj%;Io9Rhogk zFLT|U#dMbV^$5#4MFz4#IK8vK`EBToSy;M7Nx!0|Q}%)E73cR2`#>z#bDuJuHeU+* zKWDqafKT7!2k;KIZU1X6O7Xf`3G@+X3G}mJ{7~Cxx#m>wExH|d7KW-cM9;KT3(W#z zbf;*+6D2i=dBOO6xmtHHiXCFf>mUtOd9MbWfKK))@$fU3E7{h$M`6(f8fj@Vqnwq} zshoDmb|*@#MS361#cfdWjAm=&yrw(ib7E1U`|YZ5vXV3IPSbQz1@}txEK(f~_Q**< z^v|TPu?7a~ZL^3eI4IAAwkMJVQ5Vi^>Roh^KVzDqExsW$pDi4UY~^%tuLlxiDow4l zVgLs}^w^N?h5=~wcc!H00bqV_gll*3Jk^KUXSSJHKAmfQbq;K1AoO+iP7t>$X+3)v zXe-~$$VRT?xIupa40g^lq_e&Vr}GDzJL8FT;>03kToVA@}|-7b^flvysZcr(tf(f|TD2lbCZ zbh2dt+4p9EL&e)iZr|g%9V#V^)ooFdo`Fa8KS-;?yvg^yf;)n^yseDy+B&G%4$eWf zXO0wex$G)7$ua@vIrDgZF*}}hSSFT(irJ1q&Eq!j(|6*lwq!$OH(n+WD71^a=zEH> z)b`CVRqJyG0I#AsiRhWKG=3f(r5{5_@}Jv!u%gAzrJ4um*E&{E#!LEEP9;0u;xbE` zP~Fi;l6bCnEhJ~?hA|!^>VHgW%k5IN*7CbTJcqOg7_PU|+MEo`F2XPBZ^SLpF+N*e zoXOR5-4cj=5uzgbxhBc7zZ;UCL2Mvz96opr6>dh40*C~vVb8D;zZZ)S22iyV)z~4P zY6`e-LYhwtTH4_YY2FKquul}?)>7ZsGRGp>mJ>1}@t<%<3*VB#d|CJq59{D~UIzQi z^9yAVR#pg(*u(U!TDSPIjO|w47Pcg)@G03>-B9&pdF|~^l(WLQFs^ao+v#_ zNqeKjJ6MxC&ED*jVaiaw7eP3IzRnXC!Q74VTnS@MY=!SyDD$I2+8!;u14ak(jt_2+ zHR3O!S?`Bc)v&?e3c^sCCT`0^!<|srue^jFO+)lFp+W)Cb|^yk4q>8|I=xv`M=%Eo zj%DuIO&sSqVZQvm@l|ZbUe2t2qYe9pm>I6EB+wcKQEUoWPO`RQ%|M1}8^Lyk{yl=` zyROSaj!29i>SD}QgLLq=vb{V*XMmgR)i`FDV;`((H=o)vUq%A7UGSg)xIXKlwJ zUWnwmb8O98COO{$ZBz9Jy+J;;{)<0%XzBbY2{|1RVI@gj!*`7K&<(d#R&y} z^7qFCf+q)BD(pX~(N7Mf{OiDKfQ_Ge1h zKZSmbW&Wq`oqv7N|ESA zFh^MoiH0PD)nJQiZAdoQ4Gwi1LtBH>AR1ECsZlP26x%K~&EPh84DAga4C#i9n2zd9 zgV&Iy?quk!&W7ZtlUFYOE6JJ!Mvm-JJ$m%ur~k}CT=_+)_Vq8ZW!AZilx5va$W??q z=l^>T11kJK(e*7|<)1F{AD#C}e@L_b-+Q>Cg+KrQw|n@%X47gpT|Os!oGz_QYC#1I zsu(kNs67Q{Jvj8Qbm$f?z+cB=p1gq5l}Ue%3ixCMND z8?fc}ZMgsTz(dRZ_vAAFT<^aY@$(q&S(48!#*a(+s;U>{)FbcMvA&8S_U^sC_RcAG z(cLbJ=H#O*`DnFMbheGmi$SWCcI`BDwBD|0=S;;~MPbEAp!6u(raD`qSX^l-*e=aQ zDyQUhL*RQShyqc#og)5U?7e+lQ|13ZeqCc1>>4|Vov|}GgEMy~8;+YJ8*IP?WP>4~ zprD|5gQB9Mf`X!%T4JK%UE*DNSJGQEOG~_|EPbb?rj@0ZrKzQsrJ1Fb_O{f1uc5v_ zy?^h%zsL9c-|vqvy1~w_?VR(v?q9Fx>-pS?BZP@6cUl^3wS3?~Q907niz|>aEfoSM zDtBsf>A#RB)s+^OcLCveJO`p@%H;IY^MG+oPQ&wXS7C?7k>YX#QeKsko{BHv4+UB2 zN+q}4JW@K-NSu2Bd?Km*Z475|mfnIFX?b-4Km<9D>zwD|FK6LgKrWS6z!fE@;0n(= zIK2ac*cIYgrPC=<%!5v|(&+$-S|6nKD3jgr0cBc>zaIOAfhtE*YT=hi>2{QZc4iW! zbWad{aE*oA1J~#VzzW<(QsEU0S5erElqoI}@7V_5;wU|=P^F|f3kSfZC#Og!a651+ zqLgw?5OS8URVY&&)tzD2fznAmeip<&Ndh)xTEM<;yv}0?e3SoI_^nDxO9m9J((Nj& z#>({c<_f%8tP9v+j?aL|oIsIehYQ!?IcUPV_m%GC(g?7#J3SB1;Ye>zz!kvJta7Eg zp$;O1wQy(EPr*&_ftxqE{p- zfsa3_awI2_NrCHgI!kllQvsi)GBp*N_!b4fQ}LgTTnFu>ctYL(w5@b!WY~YUHV3r7 zmH7IKhx4HxnQ>&tOc?o>na~U~VKmHy+Awp+Oc)t%)<^SNgE>MEGojh2kBaP=3C%DQ znjg%BTC3R>4Ktw@WsEJE5XxKdKJ&o1ia9|j8sAX>5yA{) zR-}Qc&nu7~I9=h$F$J>id*X|~GE3A}J(7F>epf0C&nRp^H+?~DFTxWrOZ@kl{uk%} z+go0O`C+|yUB@7l-*L}KOGA`M4P+7_@Cbv45*`|$6#>cnjvt^U==cF+JgMO4{I#h8 z*TaK1BUKNJ2QKHok3z9I`1}KVDF4#fg3MqISb`BV%2xD3un5Cu6d7y|idJgjuYN)L zkVsWD41Gan6}BZshL}mBSW%Pu&#r5 z;Om3UipUV#l9s>PnH1+$jhKAj(61>Cvz4}mbHUJyn>!5s-}mspxU;`C^nbLi;6U4Y z*jyemt$;aCVE+BT($++(9=`dXt?R#!B7|xNJZxPLtclVT+0eSoRJjjFE6hlXvlRnS zv?2+mC{j=)taN8#g&C(Qv?v4KPJ&0IA_J@s#=|}I@Zs@_NK%lHegA8aUZDi+`lA1| zSSf5M?_2EIAj9$?+e-_;V&~^~SnR(qGhng*K8pUDH(zSdT`Bn&H1||Bm9SSKRjTd3}fFL2}m~xP_ zk46b(05TH?nq*y1R-ioT5*%3uZg4UudK(xlum{Aw@5@h^IhMWy=NiX_Sr2MtbB`+V z4#zOj{5diQPTC(%I)K-b6~5mQUhU7cZjgZoX^6^KGun3=Sq->YHbNd#BH&^{j}?#1 zdlV60m6yuO>bk_~<)BagQE^vwNJ0I?%wr@!aw1#{@QO=2tXidP zX4qza$cd&1rcg96DWb0SOUF4z0yT6~(c(oFHOJgmrGE~R?L(ahf}){XJNy7H1>+|U zh|-pVXf$uNlaC=qRcPaO;0DNHPAuhkA$G4segGg_3Q*RP?-S(3&?^E=ej_GKl^(%~ zAPy^=IbMI?w}Dri&6A*h8XBs{Q!(Lz2Vg`%yn~v7WMFD#6oTj<3doRVWp51?WZM8Ih~Z{B|Z+%K7Ku#^8ysVC11hxr%zXz?W?7Oko7 z0#yG}>%m`f98?d$-GQZWta5zgHM<*fyJnUhpmo9~P7)e;9pEcoMU#tq4l&SHY!tS^ zB_t*}UqIrYjH{_F681O&3W$O=-da#aug5B9UsPQ@{4nxftUpBjp@{O3yqR_)xkG!+*UzLlz$J|ILby zWo1AIw*q$}o4K*17v02#Gc&ctAdr>-sqp(qB70#w35B*+4eW}{D>xfGO=J^J)j&T; z;2%-e)Lpv_>dK#B@6m%_pWH=Wy<)^?!9hxXN4|o)e1GcDLI@NAqzs(8>wFReqM z7;^wyifx#yAdByg%E}=I_v_N6n0;126q{&pI5uBNQxpW}>7wn4*f|?d` zTg%2!Dy?1%H0y~b-~J%%^1Oq{XV8`_ba%qV zg6dmJIjf?VeXH@1mV9g*sn(g)rnjgrM;*`zwaikJ1Q?;qVT8^oTUPTc{O+X-3I#>t z&kIIiwJ|STG&8AEEeSQA2o)`W`t^aLA&k~-D2Ls^i%F!1KaRUaboRlZE!_<%hRiMs zH_g*9*An|$BN+{T&*IcEZYGLx4LM|w5jhZfZ=~1)4>(+T;+!lA6dQmQE z|1RGMgbg4KJeu#tx!T9@0$F@xDKyqd%#KPzxFHWFuRQBqNaJBV7l2TnJ`Gq)5T{Qq ze;Rqa_(k2AP#j9SbC1&+z6gJzB=(7>2V_II@yX?sm2qz0IZXm7)dDnX{@o=(V}h77~i z>;VDS;P}enh<~$q5GXO=L3Q&HF$Zwdx1O(vN}8s3q82B%HxL+NPI81oW9- z!XJ<{(yuH|%;V!>Tidx3*ztP>n1>7A0m1GZzO(avh4mUAC1klLVxgB4;PsE9+7Qys zvDaOK_)p0c99=mOB`yHe%13CLnCzHZzet!XY!cJST}UGu@7#w-lyH~XFWWW$EJeaX z>uJ8!v{SSMhk8>0q~gS{4#m7Hss-c7rfdfI8PSNQaY*E7W4VV;)FDEh_SU zLeerrI^>jUlf4RlHts_Gpl{*niVUymg)YGBj?)1^gLUOIKq6gu%mu9H&i=?sio=mO zkYt~GON_#&(>ER8Lk#sRZD&|6U)oDLXKjLnQ*mgq6E&COT>lp!GG6jkbwa^L`h)O{ zw|w*WW6vR>D|rUwr3;*)K~NzD5$PI1mR{uY2qP}DF3l=L0Ol_sGWOD`KnCHb%paR@(|R#?LkGY6CP+@``DFD2butptJce)Q};0 zTiC=|mZ_}nC78e(e>VKqiT$3EVf%5@e=c1DUVMR-_6V$TgxV3Z$m8x73TrtJ#~MO3JPT_M=1D%B8N^wbL6(IYx`DZ3 zY-h2aexaK{y?-)!?C%V;M@GJ?qGuqjK}xhn;zH{WhBv~PxzH_z78;8k{961G9z-*t z0_+4PQw$;?&=~mxKwv$pOwU{wMiwR@WtPJ5S?IZcSVpS%58ONtW=+GTD4!Ws->7MU zxeoVg>Vyvg@wRTD3^Kep2~2ZvBoi(=u$TO>vB1_>5IZw2X)3ldVWK3a`hO5@TUV0d z?Rl;!i0FxWaX9}1m+Jw#=}Cmxp3(>f&Xgb?Dw+SJfcf7}40I0R*T0502G+&k6}eZ*r#Q#|2YuN&UBUG%SA$E#Go<3=E+I zK`xt(Hi6pm;Ko@1I}c;#yB7wLe*XUC8;MCg&{WJcv6HQG4<&IKLUd#Y^kqvS>1+!(*viH;E_D8)NO#Z8T~42TJN{eYRd_oDyf9YboKa zpTL}z&OFYgDaVheHn|BMyaIX!u;Y2h?tyglSVShxjYasIxgeJF5s(CtO5=P`asi$B z*Fk6@u5;&;iH=T11>jMHK)O73UAFYRSF=h(me_89&UX79<2FNy&R-GO!|Y-h?byXZ zRax}+#zky(qT$yBIZ@Gc2_GYCON|I`3P{oo@_)pJs7TKX6=k2;zob_7xo~1BSWS7j zHU3ofE3nGFN}eP`Ih|`R$4M2WCwLT`ZhhkZnco$R+|`}9gfLjul~a*pt+Hz(GZ2-s zGo$=U-!dhMBC#<1l7zg2N-{)hY&W2~!Yz7Osr|9;F4NnyC{%Yd3U*4uE98{&3uItJ z4gFYCi*{5QY>e0iR{N5?2AFHuY&nlJ3d_A=#ur1&7~Lp(VI}{I=MzM>;1iHkqi?=T z2IJhgr78k4$z5#|qOfdxSuE;~+q2$K7_(U%MQqU5b#j}cn$3diN~CiO&f*G#Uqvrl z>P0`&jWWn(i2T6@#hR8dGj$|7s~+KU_HwBAGU+SNMD!<^g7Gpw1$b>q3gTs5aP_UN zzd9nBFp}8*9kFly1t9E4KW*JhHm&-C>C2e{LlM)haV3)oO<0yT5u^N+g6YQGE2^bG zNe-HHsiJJ!)_B~TWPyku0nNhIrV)DEBMe~2ygwPXF`{4@uF)OV=^T2&&5PBOK_y&Q zt1YGAb+#BDczXFKgs16~pvfh|XiyIOP%EBcUjp&+@Jx~Fh1RTT z2uSg#KiUaM9BHb!niw;0i%~Sei(R)!8xE`b$}}dtjj+)az`tyAXV6z`nLx70036En zFDYiiq=gp>#Q98rp$U-8y0t3t2LX~AASrFS^C?6gD~J)}m@{%X;@;q&6T6z;(zk5z z)RW-~%oWN%Mr1W&*L(I!Trv|@x)(tP-jr-q>Q|tX?r%b_ym0sH>XXi>=-Qu6|5DXl zTJcz0oWQn?V5FPZn9?R^OUYdrkKFe#?rYsZyE+U8Z#W(uZS(=b(-Nna$yQyZTv|s9|A!?e1W>e3uLx)CpHd=#AVe*^mF`A65IY6eu7*k ztq?W9@idD!usR9l-hQ`WId3vV@$45`_ZW;*NhP)nj8)T5RQL zCGP9&p&+T$Qlj1XA>_BcW%a{=tG9aCQ!3vibm4v1a*!rK3tHG0LV?ned`Q;ub|4x4ir3pestgLkJMc^y)RrFe zTurAv;$~^FjgB*|3oX5%ATRhYupZ6KN@*%Rouv<=hnimm*t3{Ik}foIlZdF)pO|W_0m>-Jg-v!>Vzg^6 znS+l*S3cg+m4_N*qMRRD4aI_?i^foHvV3P|*IIRdgwhz>eoDGj8(SMKXDJiUUE{QI zCN(J+PiJ*Q_`ECDnhTSi@lSPm6T;{C97r}I?RLDo3Fu_D8B z8XN~L)>Ivh-gdW#HgAtRs`jsPW`#7(c5=u%<#umsHhmoG86OhRn0tHLMJCaMl)K(w z7Q)h?s4Ba9=(Sk@LNvUiXNK{X!e~@33xanNGLyUcs)az=~A;8<)boXnoDO4a;LW*CVi$@!H2T-E|o>Z$c1hT@BRS^<=AWBGd7Il6QkKshm^%TN(};VGS_L+N%kH-#I7 zrjck^ksst=18C?Y*pJOF1GkH`(xG@Wmm?pxW$gfbD0N!9amkc5&JBnBQ^DbTC75qZ zADnefS7PI93@(*-43PdXkBYJQ5gdl6DrIZlP=k1feB-T&+ZQf&BFkYPc5^*|GkHpUgMfQhtHIv0G5U$m@jA#%!%1Td1)ua@Ajm^LQuLTe$Ow#kz>ao_^{9itLxHH zmKl-yt$jfD)4dQ$Z`YXc{*qANzp!apw(b?Rsg=r6xV#EMR?Vg$*DRqM?n|2j9vy%I z4(0{?3O5jIxHtLU1NX+;4n;Pp(FC?En(G0i%pesM!69RQ1$v6|ZrKxR+J9lyy`+HR@HHa?7Y z0!+0_SaAUQ`H?4TV&m8o~@_XH#N<$&j(IJ>pSjOC<(%=5I!nMzt!2AMXHe<3 znaGF0f5!Mc6`byMmEo&!G6@jCcnFfEYE&nMRUfk~Rg*;jQOhVj39pU<6-1x?bv~Rt zqm<7YC#l#&iPJ(1ox(P|fKXUhCWx?4Vs$Ts9>nbNq?t~jXDJni=S3mYT80!dUF$Cc zy&v5p$05sN7SAa+B5@K46&BGt>ZVc7@?bt(oJ#eDQ-HK5lh9UYl48XKn%GjS5eI zR~#CND~s-K`w)PAw3aUhN}cow#=zTLLr6nhvsAOp@Lo~N>kOlNjA@Jn0a9J$jL>098OLy4` zQA{75CWdH${g7@91mp%@M1D^xLj(tY8&5!Wf}Z}!tSLBp^H=E>yIZr-K+}#4vh>&QE%8(C!Fkzg{{GeOZ*WEz-AM=)7gs}QZ>R(Vp8JqUehQ>pOYt$XD@3h*MC zNFV3r5Nu%nVM@_4R?|+ce=f)1uDZ}L{)FQ^*h{77&bqELec4tmEK;-OAAm!Rc_R@B zFA!M+`s3>a06vN|EljGiFkU0jCvJ#G=A0;3ucZ{dCNC3G!?x5^pH3lI&c z%tHIu*YikIFjSAv~lSA^wBYcyqzi?al^!ZHG_NG<4|9WGH^K~pN_12>JxK^?G zm~$)fUuxfEopbVWCNb`t1fs*^Q5~OLwW#_7WB1;9Cp4riQQMs9op|9GEm$=g0xK6P z$*;IZoJCVhlM&3P%=)Z3h(rJ}8D623cNx!gk}}fw6ooedAu2xLea<;fQI)TgRIUw{ zCw0{2xXpxFg2GLmqae$_6#30VR%H1Q9!5LegBib@*H1T#kKhVywEl~-{2L?|i!>Ej z`O1EyrHSDT>wW`apE%UsgUydg+`ed>G?9;&t+8Y{>~-4jRQ;ndsJ?OY7T`f>m!yw4 zo#!$mwCUasg#bV=`6V6B_LvX^8Tb^FUhM&LuNugonv_1O^=y^|Yz147!-8%tEMpvx zQr5MHE9cwF)=_)h;&42`b++bR*D#t$GTi^_%?+7p3$JlQlyZp4%$I2csA+tApA?q0!5tx2*s1QalZ^IS6GlBLvu; z<;B@lv=X%B40_hK0l*?P>u-21uZA0!GeCJP+0g{kM+V=T5M~_g>`8w}3MTP%47L^~ zI1Rsq`oQTQVO>QZ$@~o$(7rIc0VjshNJK6Tlv(7w8bqE4I?g~O@cYa{_Ma--<5uGb z8dDmp+pFRk-F^edLIy!~G#5>twdHUm&oq={(qJi*#xv4fAWn2;B;#ZpG2N9B(uK59BWP}+y(j%Zs7kuj?1hyhD~9>@d*Cq1+qSr zaV#2Ca)LnO83!>WvLD?uYSZy3v+xE52A7<$; z_=oT;)73bYW8&h{1)NPE6ZwLtK=6((1NYWSQHKkeIt$f+53Ulv^*PuU53D*&GUY)* zLKILkM*%e5H_S|O%hv9yhmh_In^!Rxi;_XQb&K^Yt{#v~HIp2kEC(V_);SUKm{v#QIq@ZE*aI2k}07t|vx*6rTj_n`K*YQ`efo-L%9K+d!s>G+7`U&?WP1Az? z7qLb>BOJsgZ>jVBF#d6JOdN7#0U9l5gp+cd=SxJyXxO2`|Kt_~7Amj@Bl04RRV_C1 ziwj>vEzemEq7(SOZ#S>p*k2N{+CD&ZVnKMBb8uT~n#8VRmAHbr2+O)+>?he=(U&hH z39^ZeeZ!1DN0v|>6c>ZNox~Th-H{A0xs(-zs@JlTOq@)1H$tQJSYt_&8jt`d;C?@dP; zKjBCe|EuXUMyQY!{$L2u9l6ZzU{QrGVUSLsh8=b_WKSa{$J9^;JX+-{GTYxfSosnO9dVeu=jAk;L#va z){~@=i_Sl&HHsVuUvQ-v1DnjoD5cDRvNzkVpLzPopo$vs{>M{+TJxfjb1S}kg-PPB z(mQQUkn%_)OvilgZD#+gMNc!uw5xGTABhT)5|VKdxebiajIlyx=%H#GDR&NXcBKV3J+m>+_w)^Sh;3JC%JD7aJ$DqJ z$dF}?V>JNi(94`+*K39^4b4-@kHRU-;cy~CvIp-1lI;i~8BX6HoRM6A{O*OTG@myJ zMe!2AI?;B%)dH_nHRtMqAHI2B$1=er=n)=ON=MK=ef zpB6IhIo?h7L#&F@t@tNu68kiC#rOrB>L1_=BDqR=xowGLUt&~g3to!b8|MAMc>`7~ zqDA+aR@CbHhS|PP-ukvl8%?WVrmS##D8I)IU*Xeo(8>a-A|$EYm7f=ficCxZ>D zuli2$^5qohBlfs6`G7aDBGT*uo|u8|X&CFRFNzM=95S|XOyU_SgE&EEB$13U7(*E+ zglGrGZDvT-=CdTUaPBY|fKtI@6gMdbn>~=teb?1s`B4PH%ZjoQ5Wl3`*rOWLui@5p zux3rGQrIkdG9I{jV6$PakAiVLtl+k(lBEN{TJc;Mo~AphvO9=LF2erXVzjl$E%&5H z0+eTtI{OZKt&bS;e?KV%0BL^%CH(^bk1pl|yto-~P-Y0GKR`_dpjGB+ z6B_FP4F$lV1ak+{>2Kcb_*ei1m0%8lx&EfaLl9TpLu`5nek<_Q0pJRpRQ|iO-^Ygi z=chYP0VuHhm-heuq7E=tI!@>Sg@vU^rVj3?yy!~BcRt30B8khyT82G zaSaeB|Nk+#_}TU|e@U|mhFhP|Fzr67as8h`hA-N%?Zb^{i0!~rfNON4F8{X=JZutm z_j~65?E}>vnKS19&pz=`-U53YX=yYYn0?VLc5G2oZKw3#gAWqBU*Ezle z@~RcxxEIzVecob3GH`t0VNq}DZWMLO9L66_LGuj5z{B6PMm>u0qqvxLwTEzt)0SY@nmX~a>RSszN8aW zQeYx{02%#Ds_a8NDNwjjK%HqjfSRPdLpP5kfa3I2;LfO%F#t_oY9_IH326J(KM1v;eo8lTg;^Z_5eppU*lfl!j?0H|O$M-tJi>#Jw(C(2*3nT+Lg37vcab;0 zHCqE?dtKft0ygc^`j3Ly-e)+S^g1fC;S5fnSB&zu zp_&Sa)|DF&&B{tZtH$2!N1tn24xZZeG`p&VkD!^jFT9G|mGAIxOs+ZvWJ&l2Fpp8- zBu)I>{BL09!7r=cM7BI5%Il=i4-ddEqnSAU2+;7WuB!b?D5>}ggphpLo3sx_lSz;46re`-gm2yHN+>B7t(2DsS$y0p3a^hw*&A*iYNEt%&N@|O%=|=lq_kBxpAfCWvLaqLotbE%_`Fp+LS3xgw|@sdfdS4 z*+LCqnRwp#h6<-ccj_(jWRfZrAx;k@hnxAgcLm9tp<}fL@v*|~;~{twG=W!mc;G6I z+r0q3IlW-5ln*jL5c>N;j-r=3<3&6~kMSs27+=PH`0aSK_3c0!)TqGIuecxYBmF#m zFboIJAJ5@O<8J&@WSXZN^mQqLui9VZ4RdUhGO)yG?ZW7Ub&`V9Sy!}Y zb>IQzD#EtY_AGWhU9q~AV23rn`B*^sNT|7syRFC$xJ0@^X#a>FOUD`90}HepW_JM% zKG4Tw!^tGfxThg*Co%eV0m4x_gm)5)v0rG_o6>Jtk;vMadl`Rt?g`vW`Ua=qD5j_M zsdpWY;6`A*sa!?${3_CC<7FJ_T8#UUsLTjxUymv902sdkWA&{^M&u}7BSu!ws|uFE zslbnVgOE;+F?&B3+XHw&o1i*fS@;{maV3d?*9TvuH-)s5wOHbFi%$fXe1z@ip0W-$ zMFEik?HnCZ=sI`7Ico3t7FCFjWsKRW7XPL@r2kbBIEwwe2R1<-(Cai>o zYSZg#vbYsjcWN!dk6T`*xUn^a7W1ne14vFVA6I&8O!%o-CwA8=Kbmn^aOOlc#k@57IW4imjr-D(b!6cyA*2LPHMXnmy0|(GF2Yre z84m+ar`4vfA(fI8U^`6bRl9(0B-5UT?e$lIE6k2RhpL$(4TiJ~>XEj(R@3k-JE8}? zLDPOFj_v~d09TzO zry}-I7T@z`^14faj~~CM^py#Sl!2cH(pYQ70d#-K zTCt+$40LzO!+P!JyX;NI)EJ6;G@fJ!hx*&G1#|}v`tV5SVcfK%WEDgTMqYW&ay`(i zN1Iltm>AQ6P#PvLP~dr{{XAph{r>Iz*1{Z2+P%}H944y@OYfO}Rf`dA?<%WDHWuP` z%dcv~G_~n!C}HWWn$dWZ>9m?Dhp9f)ZW}cr7d%u z;P#M4Sc^VW!h>6Xs_qiQujZzb7`#*HZhFqZSMoVzJ;}kTH#Y!i#te~9y{o_UICH>{ zObtfPPS?Y-;;uXum+c@^9c8$bU*rA~n4Zq<;&btk61`~V3+ub#E}$wqPCO@7m(E2b z#wy{?+$iTg%ncQ$m*wLx%b!H8TLhP*m#ikB>Qa-@-W$Ke5;Z%~e8JT8LCv*^N;;QxfKSiQ}CPq~q=>`U68F(_2+pTpoL7liBn5#}gqS(zT6K9#r| z%}f{4N$g?Tt7SU5eushQpQNsR8WUUQC8BA)ni2V2*H`SCsFE09=jx1r>aKIG**d`S z3ppXh(EW5`*(z#c(l*z$iU8mE1lYsszoZ4iN)kuzQlnoX9ReL|NEbOE{b;$R-h8#K ze%G^Y2isodW14o-E^V)x>{Kv#7n;6M0W-NT)G(U1k3ZNbjiM(jezBCBR+PAwmsE*~ z-mmaE+Pg}C+j1?0UcU)Y6MgwXZjGX(58sJ@6ln5IZ)o#kQThz=A0^iSDbJOY7v0qg zQs|4q#np<9&At#U?E_shP+=jJ{uuXk#K&2pRh%x5QM5embvZ8if5Kdeig2=^Fw9|E zjs8}CES-N`2D=@T-XdQ+_D~~v$8IK^YY$=5catvS_pKTldpij)T%n<&>n_NX%n@7bv($#am&Uel>}(%>`~DN!ZO*0oX|9{^h@GdWUlHfLN?d$2C?2stSy|DBWK0F<@k7eIiHKqhma$$`}35(NcGfA)KY4p)^WM3f&m3BIk zVOnCqJ%p7*_V7Dl_Kauz1xrU&1Ge#k^5hMB9V<}h*=reigL@mlr@BeBelm75-|RoueoRkR0ESy-;CWKqxrxT=H69_W( zmtVj|lT5#-=`0JtZlE{@ z*7X~1G6YA_#niRpr<-Qe0KV*BGK$CDg@LA*Rb=4CJUWQ$G zi*Y7j$V-LAh}e&R07BTiHM-r@@}7#YKx4-G>?N&$%llQFKgvZ5Pa)r8BzeUm2Pkpz zo4L1KPmp>14Uk{Y!Y}zC3fc@*@8c^4Nybme$!}eiS%=&!_P0IOwLE2pNex<(Ou>B-*8X%zoUv-KI|RZ zWyAVe>iBKPW`}m&r+q?`e5}tCOzQb1Pq5vtAA2GU1i|KLbF?LMxE|)#Il7)n$LEAc zW?;X*cYeu!J(s;t$(IeNCx(hK?IdEzBR5E7)sv23q57HnU}MdT?RgR7cV0LYHSvJ- zUi9QotKJhInbSJYH2wPVd7T~ySQDMC`58;ikxTbU{>Ua(a7&l%s?MP)zI{rS=KSH# zY_=~yX6fZBWLSo>3#=;#&pr~fO8NW|n=tVNwLCkcVRp<@vvl*jB$&pcj$+4Km-iKS`*BZ>IwMJ?EzEdy@cBg z&b)Q@iQXZm8Rwf4Z(rUK*8TBczy7%UN~G7??7fyenZ15M!@g`9?dxMRUJvqyuo?S` zyuS^8exCQS<=3%hX2OZ1UX`%E$gm{e(j?KQ^~Zb~*Eh#M`BDfh8_3+ zaXnm{9a;V9;h5zY}| z!qjoud|4k<;8Nv@M^aX35{?01K|jaR-eu*x(0uDNy-s{mmOX66it<7ACs*_z+QhFM zFru|=Wku$V$%cV7n|B#p$h>&qHvhqR6~e@-Xe&Urd9ep}L0 z?lmdCaCPJ9#)!&kS9V1Vow@Ft&xg(;wo}7Yx3M~HnpR(y-KuqeV!e}pv8bxw_&H1P z9O2u;yt7Jqtg87#eV={_X17`ydTiJ-4VgGnjay=F6@*7FfBw|)g|2T;jmY=`ts2k@ zvDWGp6~X(fH>zfx&Zw9%+&Ajpm?_PM*z9&;^tx%cgfVR`Zez{HRa1;(mu-CEi?Lg7 zpIkjIYftc?@!OB)4XUjxDChw^xO;G5gwM!qTjd%tn@V zF-g9O{>#4?mDvaLVz&%y34dp=V{O6#e)QS;!_qH(3y#=dU)%LV z*LP|tbi$tSyBUp)P%{SnX2_~m&2 z=VtzP;pw3xf4}zL(8r&@{adG5)0MeTC$1{d^_{hHXUutZ^T^@LG(jJpRQ3FMe4l6f z1v#?|g1y{jX874T!#?g})LU{Ua>JzAT~uk>-tO{!pB%34H-3X3DJJjGnQaG_p8ZQm zK~>*aJ!vxdbngchc7Bfy+xy$j-i4UL(zhV?@P9U*{;eN5jn8;UUJ^Y%z+2LL%CF|g#(4TkOC|V zX+(|6_)I1l6%sGg1GAVzxqvEAV|}3#DGPG}c{EO3E@ozF5Gu62`Sf2+7hF|0X=-)D zeZ&2e7@i5T{l5Gxu{{q@e|O=3Yn+LEuU^!O2Rh$HB@1Gclp{BsgtD?HXl_KIn1XlJQXf1oqKj zWG4O481VBYb)jeK;BEN7bQ?~_kXZ}qzWvNcUMtA9U^q(V(D^i<1}hJ|4?eOaCAHvS z)e#$}8zbqg@laqk8OT%R(w(@b%NOvW*@xj0=>{?Zy@rEvI-H0`2EMDne+H^J8?Nj5 zT6nS)kN|f{utt}*MhThNvz1+rL-`rXmYq0TNn@Z$%LYis*93~u+LWEOfjc(`p6O0( z`|;U8%_;>K3f2md%97mbiTCSuvC6PC*mhtQ)a%)2pv?b)t^c;ZXJNj)7c_39Lns>| z0u3{pK!ry#D&_U=6sTMnEz$z7jh<1(n4v`ACpsHyeQ_|q@;__+{+s6PhqZpayW!X1 zE)SZ(Uk^jUc|qB)z%N(WouE7KcHam8?gY6NC|cXWsiH+#MU|1E*Tb%d-O)qXBP}xM z&M#qF+zDrLN)3EQPt4j7_*gViV;`g%4Mlpwq9~$)#rqO{k#)*?HO(IR{8$ao=G3r%CB1&0M*!=FLQ zeO+?6u#3 z>LMD6mtlU%3K+Sk;g22gug#Td0u1xbPT*-sLvEbLuh9fTbojLn zDpusgE@gHyFnPtmIqt{o27yB)6Ct418VjI2x1C?E574ph4|4a$Dp)ML3{tUUbRx%9 zfS9nrEe1YWP{mO}d{xS&f;Pq6yVT5WQzn}!pAJH&_$d5vV-8xA{*&)E4;4 z+&hstLGFW`-(vXCcewl04z+Y0^Iat)hioHQb#K<|P-1WaYhqI@F4DoIj&15+M9d%U2pi=)L!FLQ>CUAv|j`l0)&_L^RVV^mUdhTn#7{%4dlfqP}nzJ{Khmp{2c1 z=I^xzjI(}0&h@Au#1UUP1)(9$e>jGhT;tuZh2Xd%6=WY(&Oq`YC0bzgsslmNwgk6J z)t1NzS!VUQp7LC3H?sdyiITev1ynptcPZ$ty;a}pPDM>`0f%}D0#5KRgEfILH2WrX z^l5KJ$^0GNY_<22xZs8x`p#3OX~@x?b*Qa}#GLz4S>s}L17v&qxzIMG3{xK26B*cP zLby~~CJil`L03pCIdlGB_M8s`u9nXz`;iKF`A-_3_&}tUw@F*dZOB)Gq&LNQ*r+>m zf~B`aQ-IK?untLwK$6E-i=@xQIPr@7PsF~dzF&NQ4vy!9N)GG3P*>WKy_XBxu45rz zW*p17+p%Ll@OsE4L2#^@m&&uSyF|TvyVv91fd+PkOjUJN0zO|fjJA|)joTE8+>1Ua zn6j#fi{z4>Pok2e)x)?^;$oMV%R-Lb-$6gAN1mnXsx7z=^*YAL6NBiB&OV5L$~22| zQ^4WQ?bMB<>{2xz<64k-0u2Z9Xf9iRhgLR#pgc-*oy-90c>O zEoOd$ zYuxfsZghhOHB3g#khtTjfiBEH&P}d^;ieEf9_2g(UqQvdXr1xGO_bLIRf4DEYm}V+ zb-f2;;T)qL*n+4jJvnPCBUR9t%DI@DihU^W2$~a#e=1dsLQ}c<1M;wm;Jx2HK@Xzr^s#?K*cy<;xSGP?cgD@P_<+OUVPpzLwil}bP2Elfs_+HYN`$uC)pS^ zq=cC218RHwk?BnpzYYQl#9sO|x?m(v2jbURt;jSY6e4j8e4~(QSf~=Hik_v;c!i~3 zC?g)fMt`y7g)%1hYK3DEBN|>+GwF`rT(t8u12p8G*d**uuW(7ah)@Y}C(~`kGLrgu zZv*fC;QxocH;-?kYX64MNi#I3?M!>pPTC2bkfcr8gk~VqX4-@{l0pM5wva%JEl>zh zpzLKSv`D3ef~-=IUC^Q+pdcV1D4>WSq9DtS3W|t|3$D1M0?(By-unC9&-1+RfA9PG z{Q7COSIjqJrjqWQ^t=Y;6mL1O(V80#UU~5VU9TO?Ik5FUGIcm! zDa;qv15xGp^=Rq?-rkYHZK&pHouXA|dYDi8_U=ISu&o0s>yH*c?z}R{>6~t>g;v&Hdw3rz>V|e~MCiEw zzV@C+RQds|hf}j>2ffmoqFjy%rXs_cXtKQ}S?sxnv9%{Qd25XIu_WuO(SeZtw$A=t zyxo{2ABczv18N=H6%H-Xwo+mKin?7#L!BM0d`sOp+LR?4m1}6%de)>^F(gro!fy~o ziQMy-HhqRZXK`=)x!9sUXwx^l%!1JrrEk<;8(uaMkt$IU$HFvhJAoX0J~{11`5=0kYAr7sAto1bIL1|V*ZMtff4c^m650h9^M(LKaye$k*=$SHgX zv(<;SA0V-x7~M1&!PGZUrCSoGPt*bXOy~u}6Fm6-$b+F>hOcyx3Kx3P+yQ1m)zue$ z1vJQt&J^oAP%-l{V#C@1LK+EMzr=~YyEnp->DH^&^{SWcNW#7 zif0kq69`gz0_E!Fn6iFaU&uZ_(U2|BtM+fq{wkHP7cJYBPOn>gKp4N)w3~Jm&ybNo z^ybVfh&46R?6W|D0X#a4L z9^sl};P-5FVFlgDjt{8iCh8w)qG=ZgY<)euzTvx(y(NugdQbQ5yrpNtT%`5vGJfftG2 zm%vs6pn)%8<|p!1?9++K4krot62)X?Jd*V)`7|mO*u~x-ncx*vG}q#cwO&ZHU4^np zE0MPn-MlWt~xVj>QFV&SRPushb7d$Ck$O#0MgctG$t@oZu zlr|%C5)nN1TJl;t%Dj2$>>~c;p^u?k0z?mg(D1J)_QlP;k+K;%qjf17lqKxiWgwW0 z*s&G4jhok@%Ik>V3`}h=N8MhI8kVD>5_Y;@UXCC~?6wudzs>sfa>Oi`eaO|`ekJZm z1DbWJLHlkD1Zr5nVPUGC!11QS;f;f+865NaRHJN0@(ao3sNiMn!4ByLgx(ul=HYaC z4kDJR8~9gRMui!MQ9!+EF738 z0BSkZelW^6Q*6I$FMSkPE_a!T7$_ILhIK448HRTdu30|v+==`#(fMF78_~=7oYovA z*6P345IlMY61xL2ixFj%EsQts&}!3CwL7(@)8=hjliOEjUrk|%po_>{E?MJALDpI= zFh!c~#r8JfsEInARv5@n1r z+@uqX{?78ph6WhLiR`aw8QFIZk24*1n}iwiNVSrO0`t9QMt&Fxmh}T5wnt^svZLrb zm7@{g$A6ZuoQ7x<_f{bi8wxD9 zk_41l@P@;xU1=7L#oA$^W^J+@FJNh+cbu*HfUoZ&2Bp-tb4L{fQHKcK59c{m;l-LE6}MnphgcBfWwzeZ0yVn z;PmwLRq3beNk^+WwRIY=D5p?!Aq^<|P_y4$6t6sjeNXu2({H7P$Ujnb(MHym?8T)5 zupHBXJQfFf+Pg$EpYprtXS}!kXUkKKdA!51QpgadLPQQg8f5W6(T;Zj)o?%jB6?|@ zwsD~qYpkbZzIxKx!@i|6P(g+&hWe21>y8&TnofAeqC+zwYcmuN=;h6=U&^~xXQLQ# zM0a#n3lU#_-H*}a9HbKsWes8v+@IeE3g%7Z`Bddw31KSE{2c6DWnHIpIoQeO9M0Wv zxyW6m6l;Y(kmh8aZT7Yjc^?X>Zx36%`?x zR{1=l$2RpnVld4Wk5yK{!ING`e1*F^T_jD%eA;@gUq%(z5T6Ix>U6|{?;xAR^s;(a zvhJMtV?SxQ^OKi~>-}J^Z?r-IE6Un2y-AVRy>5W79`{jcX%2>B}ij|C9V08?ai(fwg&5NEoO8GuoUhWj~yw5PfMhsx2Em9)p_s=ZZw4i02 zGDt6f;WSvfx_hH6hut<3WtQrtXAwUMsI6BChf$_8-CqGb*ClhXW6%f}3Uj~~Eqeq7 zC!l5d$Q=z-Xmgb*xaL=P5|xE>$^bPPC>R6}tLGmNPC@2YAL#7#erWJ)4b(dykvT%W zR-H`y3yHU36&w^+9$M(vVzN>Inm$gir`(ceZu zobv+M)PRa0cxh4V2CznO{6lhwC|*|tvBQ|$BkhJvW5uE(w(@TNbrCoKAaAW(+3)5Y!+LpNgD zv3`HJ^tYo`-$koRT2Se~%E6puODazu^f*|QjsXw(q$w&oJ2(R0Zd9FYRMDjs*HMuH zlV5!@@QZuUCOup>_4Yc|j&-Wz=fc%{Q&m!=#%E~8Iry0;17KsB%^FNl4XU%0l8#b7 zDtaQUjoX47aM=K^$%W2=N#uv%e02L90+0gX#RWYfj!dwX+=>Ve$A=Pb?}!NPU?1Ff z2;u9_{ zP*<&u$2MB=oa*)+yyQ;!md(2%viNAc(luFnC0SM{!n^WQJPg+6-wg8Ou%^+kEOD0F zw{}_YQ=a6Z!Q2vSod}SDq;F(pf4pIKUl4GLT}&BT&Dy=0N<%y>#lK86?v;RD>o1TKG0lN;Ff~ng2tBi8oD3(k7(K4=lkFh>!75xA3s5P8{rh!!P|S$j=kuU zIwak|N_2#_M~bZiSj0*^>q~^Bk7!qE6Che1NYFs zrP)v$UQje@bbFHxXHB4;ecaK;lj4h~E$jHs(zRr+%m_0_1q@(vb+X~3IO|~1FkDX@ zTzWK#n$+3scL7(h^b}gWsJuL{mgZv|PC#8}|HzH9Xt7{84n6vbW$%KVR<1#U{p(w3 z*?M$bi%<4P%Q8_(177Av%29MW7anC=%W#-%V^eA(wm(D!eMGYNF;sr9vI1#8Oc5MH z6e$S;=RL5gZ`{>|bde*HOXjJR`%yz5mHjJ?9HZviMeTi1X4M{2&Yn9o+5HaLZC_}a zI!Eq=0L4Ig2+u8#DjJ5sCZ^2m9&4Oao+FQrBV_eH2}Z&7ia-8sqnC0Dga(qq8P0kkrw+J2be z{cl2-ZohJ54;?p+~x~F`z{mnFanwf1TUIpNCYYRif;?`KJ z%|s6vzcpoG^iD(e;T*okzi-HjAze(5(_aFw5dGC2#hh|N&FNWIkiSIoTkYzu(q~AS zl}Y!0i3HgTER^HGByi-iZy-HHp9pTn=6&}#-lY~WbO0w?Vn-k&ES!jB>&#B!)oAb; zOceXGooenQ*p^u7L4hYZPd9X?_{p=Wp(kKyEeJghTH_lyv=KTTWWAg2fC1+~SJR!T z`|ZnOOt;&tx<_6ym&AgN+_{}@AOUCgfyzJvIU^)(^3W}N6=JRP7JNz{0Sm4B`ljbh z$LV6;Ua}Oqnhcd0VA-<&K*&IQTB+Bp63%NskM$QLdosH|YZNU-M0*kMpbYT?KCkcCATd>+)v2CQ)Dc8$esC>yyRT3IXbt>rsF& z*h8BEUxXXc+rJp>^xoboX*DvNqJU;L-vd^);7Ovqhv<&_DTrPN#g5OFkE%?PG;0j~ zl>$2q79WF*`O0#HI_d9MxVfEl4`h1=5Aj_%au8UwVX~8e1okQYglxWd@dX&H3Lpm9 zDOuhFKqWt~3cAsSy#Od{*c$^h?bA_SCWOt>O@M!dmO3)O`htC*4z)J3{LK9olQo7d5NxbMbeyr6;R-!w-mx&e8%UZI_p5LiCm z{9AVDNSKDxniE#<@@1GKs?4Lr@|Vnq((IG;x4yUD?{d}{_9R{G-P8>kUh8U29whEk zE~CZ?_%he*&A%5nPNt&Ony>g!<4l_Bsut>9{>Ft6x32U;jVox%&|OID&4r-MT)an_ zs0Qrd4mS=tmN|bRM&YfZXTc>T=jyF0V%U;Nf>yS@HkJzO#&cNPi3fsGsYIpC;f2&Z zt!zc|*65ioZm>pc)d<}<2!(gG4-6`6RcV<7@_tE!s(7$1UtA@3!*r-S+u(GOa(6cO zaqOmnc&pGI?{K^e)lfl6N84b`rjns~VSR&rT=U@v&i#&=6o8?_1+oe{tl7R#en0 zY#iqGmMHrZv2uR^0^w^kH}&?DynQWO)lMuiEY^@;!tRh8y@`0F)o_8{_!8J4tD+1I z8oeck2(3R;f$I|wPLkGN%;&UFwAOF988PBwnj5^1tnuC1S=3s$otqNPFLo4AtNSI3 zkzWCx9qV9z{?E$JzWfZ@zj85_bMG}Jt!T7mTPNs)`Do2FsDCEF_sG9sb7owyBho$| z<$T{|ps&e(P_>ngIR6%sGce7vG&lb48YYgV<6-QCHD(?9Pzea9CfZ`IJ|fkslmRN= z$G!pjh!`;K&$I&4L~PVCCu=WfgBgf!xb`Ui2!O^vFbqs2n8Mn_z9PZ?NTR7Da*exV zut(3|M!TAWiAoxauS$0i7)A!`La&&mXsHB+j+%6Iv}+X|N4INZW7&6ww~4j9!osjt zcMhn|1ylKlJd+Wi*i8C3b1mOW#EWYmn#zpO+pb=`SS(?$o?RXYWluwVEWE zE|s;sZ@``a zqm9c|%Z`P#hXybxc1L{O-c7KItw-C7gqzLfjnA@+5;WB-&%ksCu2TEVx^bpJ zvhr$zJ~Nse1SCr9XVI2dsmJ*Uaa4>qTJNPKEqt5D8rSoKA!Q?5hER_8yvu~TO8eDl z!Q$-M(2VHPg8uXyw@O1% z(O0mZZa9W%`m#%~Qjw5DO6QWEyd}KU%vP z1wTY97exR<^p9+ecwx}D8=~;9&myNecpeoEL?xXOvyTcJ_M@VgF(4W)LVWA(H?iZ* z3V>Y1wubCUQFTmij zFWHAa`3)ZjL9N1cMg13unSk-j0;ZwcPhiWa;C>bj{j`Rwysb0$ zy{O!YCrSEW2Ey~9h6k3~U$EMf73D@OI0yPFFKP9#0LLp~HtZ2)eIVICOVh9lS^7G! zH#pGLZNUlA8~muW9Az^zSAK!`8S+`ITb2SR_yNNaJ~|{mSCN`q(((kOUJ=6*;?_c+=>JDvL4BU$Bio5 zj{-jgJ0bruR0c)TO*)5otGpJzt-ONR%cex$1CbZ5o<$!G@H? z2wXH6v0vCes`a9^yU@NMs-29Ac7?BCxdo^;GgFuCP{Ey64i2;C@Uy_|c<6nDO9X(~ zPxDzWn694xJ8y2723BM!a3>)15fZGoEcxxxwf?NG0!D!`{J3B`D(k7*n2Tx$A??G4 zvsaZvk>)KvLtd0~1`RsL`(rWrd3~JgZF@!(s2)NO{<}8Y7;Tv}5(y8}PW6Lg_&vh? z)Dx^m$M=PeVley92dy!<6>UC)tR+#WL2qo{kc%eyz}?W=UWvc)^6eWWaT{4 z)@1qa0q;3n+m zAj?7iQ}1+Sk0zWZz2J9eFA3bc<<>bx_Io-q@AAWiy}SZglJ1*E_Oam86+rJXwu0v$|hGFU=rn>NbJg3k=d!{}@Y?lgd^g0`*87L)hU+kzvsF=!H3#MbKbe8)w`G&)} zPAW)ccd!Cx)a{t84Z76HLI z+Rjn8-YN!j2Mh{c11jGed>PSIr3u1Pt~44A(iamh!0H#Wo=#X_pUbuL+23OgOV^mA zIWAR$3$)kkxQE&N*qMNhip{i3$>})&4oE&S+)r>8yUx`_%vL9{_0ek!v7-%aST}1H zz!u^nuxc4h(UzrjT+!%e-GHu8f;MN*jwrMaIP7t`-F=VU)JR%sFyC>%XeUj??wlz0 zGhb+ug2-80l8#JIyN;M9cs8NDZ>7GlAmOmxG>V@BG$O4#so7fLBL}$qIhrhngva=0 zjjO?lC$+=e3a%&x$%}zi16zDY^GYP>drxvSwRR=a?&Dzfq)b81X;{|~K+bvqU65M= z952r4neeIt;^7N14RGb zv#X9c&OT**hoftWkxP1tLNHFky2xhMvA_m((Nw7D>xw_p-m!DPJ55~xq5!%ffI#&s)v@12{Cg4KF+C>_^ zy#jOrTjT9JQnl$CKru~W+4s4H8a~-G56PdakhA7Zd$z@UUL{XO#XVtq;I4oT%X}w+ zE_8lf@~$dyhkd5B+%>&?i(x?m2(uG?R{AV*Up{JBrDjL*r6qu^ctz@{=A9+IRAnI5 z9*CVKR5bm>$a2K4x9I@u>(uZgg)={{n_jjs!Z4p`53@7t1O4c52uR%Y2pM9yBnor1 z&&Jl6$F-yWij@)e4+QUfXwZYq;~ePhgM^IwAxOT4xI0lazx;K$)VYc$kkH+6Sn;UU zgFe?gyXAGKmF#^bKL)`(`4|a>#9Xf%^RskEqm}$32;O+A2b|SMmJmJA+y~zhM;Jbe zhpv|gglOFU_Nbly>Uyq6jJ9>Dc@C%38q8fe`K4&-L>TOtIm=ntua9Jg2f>&)& z?m;!v$kD5uXf)qzghX}bYGR26Dcg{_2?)uAGh`iKeC!H9>ZEzyamPNAfwyTFI`)}h zEZc?55E4B+Zyi`1j(r@`;XYUoy}IU?12e$(Fr%G(9tVzAb;te5Z25J{)dPIG6!)Dv-MV;}}b zijvR87$OoYx3!ZR)E9TGZ?L1N<^~v>4x`Y&cs(p6xYBqY6om+LUzuF5Y(Umn)Ark> zlcGwJ&#D9&!eI?Gnsl|E=~S1d{1l_LW)O#Uq5!KB>3cv7uc-&_rhs0~MdD_;2se+t zu|R^45xk(kGKoCe90Fyz3M+;1><~HBv>VyyYUEjX#r)#EtVsJL5q}<@QLG9G73nX> zOs$!GW%2W1$sCOM0_hhmkt@d{I?d-puQ?_-4gp7(VKX5Grpcn{ufVJ*J&8?=>^~D+ z>g+^HTZem}wSe{KBaLBq3L1Lo{ZQ+%U>-0irSsyVCsU|eYSQXi%-%VC&U-j<{;W_{v4ELtsGYf2hKp|=#=ggGB zDLB+#)8TSnjG-`<s~0@K)!FNCT9P!RG_LlcB_mkA7qhCmDz zCbc3%c?|F1?<*?B+95H%Q+S?Wl)7U}ykw8IejHV>6@XDwO)CQ1Y^&Vr$^&zIBH9-S>Go{@ zz2+JJP3F)s={c3}{H_t0o%yhFN#TrnESqF z6>*lyVClHIX)`}KKMMhKfk2ws5XnVf zvBDs}fa>jQ5-bkW6o6*B4<9jnPv~GNx?{x{#1B;7B~2b=-zGxBZnD0PON@AskJbX>Xuf-fHZ6{y13*$1x?XB$!mD}P*+kyvt?z#}K{BBm zEw&fWa=cksA&)_4IcA%6LW;TM;MRE3?<`9)?7tdG2jvbUH$^gX!5q@DE>I9O@r<+8 z>$x+`HQaQAu@{|3fcs>)DOk&>Y>r^Y+Gm?-kl7e`Rel21#QgXk&_&sGS5t*KG#}s> zXc2R>rWao_Vg=eziU3h`8`>*9tTr=b&06ldxpZpF8i;DGRnvED&o{Q3o?&!Ckx;jt@GNMoVZJtPr2_qy3^1)XYm@UyqG>U2 zV1x8C`8=|(jWcxC_|sA0OVaB7R-Fc5Q0NER9Kt`?0xnf@3_K`Blkw#U%W>0WzQjOc zAtbU761&(Bw)f3YH%ICoNOkttUymg|X(BdEWxH3nK-O`6Y5ND0zm# z(89|XusE6n%R(d32>08K7Q<+Z{~9ujv;J~GuEefJI)N<1;D8i1xGIJC4ZDzU0~sLX zHb6qaJmrT7{WKF4z4;-7g@-wKSqw?>Jg5V@CBDi2Fza2Q0t7W7zUm=5S;uAbR;1a| zC?sa?GO*_wC$=7Md2-y#bmh(7o7Ph+ogQ}nTWVf`l}g$g#kwJ#JXmreVrp(%$Wi^| z2(b52PhFbpC+VAr4KNV)J`PL!U(P)raq;H-U*UNKV9tdA@zP4cE^k+f0|zOdL{<5~ zg2bzP0`2Dua72rguiCy8D)PbA3DjGC5*#pIBs(I6eEv-#UU?I#2X)rF-=xFX*U1oR zex$rHQofyM-5-7R5?{n!idAOtM~=`@HL0YUdm)PI4Sh8*#2;n#jXFSMA_BJz{G5LC>UcP&&BgDBY4XKNbZwrI7G-I?dz<4lvW;(wR_r& zqNzgOf?L1#7?F~IwJ*09%}N7q{?yEBm62HcV0&1HuR{7dh#X{3)aAI;VuDhJoevab z^TYGsN7@&R(p<*bWyN5=s7iJ`1!i??Oft$^kwo@N7M0j*O&+aoxQgjn`!7+_GUV_A z=uwMxuYPn3gzSNQY$scgWt<}=5J{JTi@aobGEL7r$Nj`Lf9QIt2Fzh(GpL=5KM@mj z<($;m5I98eh60q=fCgy~j^LMmrOq{Hea}=q%4EpX|7BByT4paBfdap1pN|6Ni+)J!Yk^m7L0srMEp$zwUAfFW z8q;(yqK|M#DAU*R^4?JxFS(5D>*E?1Bex#N^ET_ZTluX3x^l^RQ#4l=@k}ch8Kne~ z7sqf*66p}}JsOSIxx7NHe|3kp`OLs2IVZy$U_KvhP1DKFHDMctBhTExDZNsqFSW8W zKD5Qu*E~S$HDK$}s0&m048tuBN}CVpL#HMS@vb7?$4%AHZ7^0Apo&D~1rOmznot(H zqu-ce`gPpX^dewGX@STmieKZYUQf(UJ+`vlJfl^@rRG3jGa!tzN3%%XM?0V{Kw9DrIDy4k5GBd+MtzZcGk_P)m#V({`X{2o^3o#<2{) zVlD4XaG_Ry83D_4wAIJc<(11oc|o=z9&Gm z?BdO)-KGby*?m9AW>*9=yV8O}OL0#++mx;UQcs?3xyYM@@w!i=NLp)hARo__Vxwu7 zFolVGp1e8&Jn&uw$;BRL3+U_4xu1I+claKzT#K6ZH-wd`&_n3)Q@8Y!Vr4xxonn*p z&qmSrWV^QbW0EYNYiAutTlUd)T+e9YM2hqfqHDG5mqNVS)#s$nTKPF7&rLHtm?Mm| z6iQ>Y_UmarhuGfmSu9;()z4C@Szj_tTCyGM8{=U?(doRkk+&})#~A7da@wnkVPzs% z^{%D+R*Cyyb~16U(XLX{H+)F3ghSA+muA5id!(M})%b-tjlIcFH!qBqn~?j%yprO4 z+Qn*2gP?!f#VavQ_hEiPMQ z0M+{;8Bd7-OFY*jD!+X^3FLQ3c8##k(Ac|VST^vzC>s>6C@ps{2@20`ZqNtu!B_t(h{*e`0MO|@iX{x*e znI;C{icbzFl@?5@9*-56(2yeP!>Oo3b#iuFisYm^oC$u1zctJA~pNNP*Gl?Lz=z??K3f=GrV@)dnp zony2W2#-K|EZqkfkI6E)!aPXa_OS}Z@0oLLqdq}dAD^fg%0 zC*L|Hm6*!=Qgks!-`jm84pvwOUV7M?R zY0vz%SU3SGmWvApgO5&lm2H~IROX|MyE2jCbVxG)53uUbsKQ14H>M6i|NiYkwmnA> z**^~mgZd5tu}_&)JuxiryLZWgyMT=T%h7*kK*RC>>4dxIy29uFqZogH2#4?Ue>^dq z#%%1G`Co3@mUrA%$p6dfE?c+({hvw(H@I8K@Y78?5*e1*-NyZ2g>`p(8y@ms4IYYk zcgLUk*ni$J+yn0JX#=yqdrDiz_1$u18vhXWzZ1d3?cuKz+mMs*_Pwfq=VSi`1Aq6T z3Y_#us`lRy;qUGYcdfteyeq*!?)+!|_P=rB@1Es`v;GMge|OKn)4T7&$N#m*`A5I~ zv;8Q4*3Oyrm!P4dZ9V(1BkoGVc~=z9f5_tQ1Nsl={dK1D*VUoL{(0g5%|)P2e?d|G z<3Yk*|F-L&j}nUZk23%5c7H$VA5Yo&kH`Fu`TR_|J#(?~%N% zk%znX-ShwGY)Q7j>*_6lV*wyO|1*mJy(#?F0AWJ9``G_y6o;w$e@5{?G?xDv z#oP2`81wIrtpC3p#s4EHkB-;h%d6TDn4;6e@MFWPCQcdU$OQElcKr=k3x>_eKldfw z{Q`$ar~e6{h0nwy>xZxYeJpM_Y{K{v)g%8Hh*x9XW7zu3aTtbQhPUuAeD^Z{zTST< z;$s5;7`Yc1d)rERCgy$sIzqlFQ%b5vI(ql_Il5;$oN{({0&ERdjV+llUQCK{b#})W zC7~EOr!!>}1&1cPvlDm66%byj$Jh;VKSwW)7s&sa?*Z zE?DEt%Aw;RYYks)_W%+jgp;(6Z7+-6v2CNTkR*}0`c|mb%U=Xb&jhnBLXf_@EM*W_=`Wo z1LQbB7RoMA6bBR~Gc()&5gg@ac(C!H&L#U)NM@SwIH3s;j0)8F9$5RMEbl|8Rk%UO`erg7zTE*g&2Svds-c)hq=4T*e*@j6IkL~`|L$U;?Tx=Zr` zeW+}|S`Fgvu2SdZGz;Dd@YLK{rp3wxxV^LB1jJr|Se;ctcy`FObq(ZKfeaOB=sQ*X ze$_vldi)

EA63o_dn@zce~{hS26#<8N2}*#{!y05Zy`GDak*jf}CKG190p5@S?y zbX-gVo4^@kc8$J103I0wL3wWpo*pgzTgoqdU%H>|)F{<|TQJ_at{s@)`4u z-HhFn3*!6<;JrSCqz;%@>@(%jvZq`7;r4yFHxt#Fl$;de)vZ&fG(FNy#e_k%A#VE7WB zm4ugKl!VV<6bIxs)=w^mEBqIB-MG;7?tfHysY#OY?3#tY?fR!s)OVX)7B+?(T?D*GB&*`urGs?h)W&vQBL`w*yX43u zY>dpoMokt-37VxU3u}f%CbToElQeJ=?2Kc=n~h8cGDc#}6r(x;CBgOL+JzgmQIo{v zs*_Y*)wwvX9msj#mA}iGDe;GfP5DF6JJh-+wRQJ=iay3F zBYZKUTval(FC$8V@1x)a;y?*15F*Y}C54Z`ec+XWhO})@g8gwYCaAJtLsw*-`|&^J z6a-b`4>|p=(#?vnp1BHgnhS5xApd*e!gBiWThV`%)47dm{^^bQuZePNi)zZd2%)fD z@Gpug@%TGME^Em+YAS2XkDTm5qpyaK?1^4?tj# z1gPusFkapG;f$4E7KY~=IjO2@JZa-61ZHxcLPP( z)X7zn(J!F5HYjRA&`hqXB2E!nnRu_*J|@i9WJ`%_Gis5ZEMEfH>sv5J|*) zG}03)M;QtgQ1NT54TFn0vcvFWHb#N^%@G9mYN2xyly}&u&}6o!({E+l#aNNj@0c_C5k3{=~*3#O1ke1b5KkIxe!d2BB8&A17suc45D zPq)vqBCiQ&<5<(Z^3wo?Rk+y{A7(B_?I28}a18_PqjSE1r9M{+z&A&69$Z}>3^Dq#<3cZ=tI1%Ey zauM**ZFQhp1 z+W5FOi!f7v>^2|EbP_nqC;iDsS=EuPL_wS*B_Xm(%)u1g zmGiraCT2#N88KBTgEaZg$kBCi1(RV}%}jFES07_uQA<;{za2^jSg&G>ZCkY(1F^zn z#wSx`+S{BAEJ?P~P)%Xfpxy<01%3HxX%Zqa!V<>CUaY*X3f<%D$L5yKWbSA5WRWw1 z+Jq+m2*mzGvOfP9|46PtH^513nGeJ_j2YGZI-AJMte(bHYPtbfWr@0ayxvW4iKCl* z1$iL!r@G*0K8bmwY6a)g*b?X*Q&hOg@h(?12HI!#H_tr?8Ujw2P9ol58{)}DxB|TQ zU3?zC!4iX$*+b|a<@tzf?@g_*j#Kvx0enoj)rk&s@uf{~F<-`n?f8xq^^{S?@5Z%Z z##i;xJ`#m8n1JMnASTqGI}jx&B5tS#m2)SEKNBfiF*^_U#M3Mp)%}HZ{!ONt+0Mt4 zmkO5f3FIeDK6o(z4agQJ8GBWaSB{_<*dUI3fvX1RN*D`h+%mXeu^gI#lYsgo&h(^V zu10wyVv|Ty+}Ff=@pzmkbY!$bM!_$*8{-n5^dzC;LqqRV5wGvvaH~sfhu^Rignq}Y zOT)+>z}XX-O-v5#61Ph_Qe6reo4kB^HFKhP9m!PQ(V*%{C)C1Ve9#Z!BbE4lW{==x zKEOi33^rC=gWpK{76wHyBHwBs2212ykt7L`M~p}^4`8eMRr`D^q@}9HJ;(YZ$^Th9 zHtEQTkN~ZxCwSdhGYVdv2Q94l6V$ir4J8=q-yDOV=6|i8idT}o=)^ca`7X>M{$|{A z-#k9iU8Eh!7T$z`LDmwD?Cu2bT+7 zM5}P#5;x_uG{0%BHLL5JJ<^v8?m92-jP*r&dqdHOud~^fV zQlH{C8b$e_x^Ra_t7a|`J-?wyK};GMUwF3BUNIjtL!FBBIPzv8;cdum%oen*dTs{$ z@{gE5&K!h1SlmxLA-ecMh@j@@!Vp}5xzR5m(@3@l6Z8HBqyT{a)T+k{>Ei2o>WWU_ zL6Wv&(-P*E?^}q++i1~aff>Wb&U83e#YyL3L^#z>C&iyl*m_S)c-eidv!zUk1u(qD z@j&WZNMpB8ps_k&E#V4OJZpL(e_Fek9-&Efri*NU8XJC*{*+_->+0BR^K@$yNUCEj ztdH*Fni5Q(F%7mX{rl0{8=508o*HJ|7R>;YonFWDi8#%&thJOM0ytIufkFK966O_M z4hLi7ldQ@9UV_lg)iLBLo5kbyYP;&@7p*F_WV~_H;is{!L=bgqju+YaG()>Ts?AsY9GtluNtMWTC;V%bcf`HO}qdq>>XB5@2} z&1@4#Fl%uCV^dzcLejOL$JK+2d$lP9tQq(sH!})72`C7uf6)(CNh^r9S0Z;ITI}#+ zafyg*dR+<;vu>sF3RkX^Iw2aTEe9S*mbTunj91weU`of=l@~Zsv^-k4)WR{rtJlO- z=^_H~WFu}C4~w0czBHw*G8SI}blOm@u2L%=ute%V)QY80!g_wVn1V~W0xCB~h&f_M z<{rryOKW|@t{Gqe^tus#PfUQ(*3$*!*3r`;k2wrx1ALe}gJmcVm?{y1lw*sEvik2i z8aqD{8Fe$X%qKdv#&J`fUu~G76_YEoQ1!Ub3C1jCB4)PSjNyW(hSC$(xvcg(Eet@% z78cBPFS1<BgFl#0b=SEm~+240&IQiK9H|RkdaDa zO#S)Kf$;EMA;C42jTde(HS%FBB)i!a!kd^< z+|9HBJD%^3u9EG2`8s?E_rmXB&9RjX%RV!17$D`E4(cLf#VfeNV^ZTmB;B@QW%--92(_d3@D&EO1@F7^-}^#rk)N?c5L`JDvYuOo600IKETHR4M!7rHqz zfMnzSY@E147^IOtL+1NA?XywVUs>&g8oo+@Tmzg{WtNk=AsYQ-8hb~U(OQNW;G>x2 z(0Jd-qFo6jvDJs8q}`h4V@!*FdyM51Qp#!<-vPwq=wzu2B1vj9wzja$C6NP*tJF zgG%&!{;+mTZ?&{lf0bMvVtAcy?S{4GBb%RUO$JR=`%@h0+{ZWhi8$ zo2CKj3;@~2*Y`j|2j>OsW|p`Mz~@hr#jky7$XUEy%b0-s)X+7R5!V04_zNH91}2D^ z%!9sKoTNP34(sru3#m*tvl|Z~y|Kx42WW|Eq$b3ylQ*cClC78U{jP18W#{YqN68BE zUO++)nXHtd0+(qRF6E!Zdjj)tjF?3V_(dd^casm~r4WCEhclk}E0+Mw(OhX;3g~jJ zQGuyUF+NP@iN6)iN8SXrC^7e_rInX8ty?w)toQLprVE_*X<}&NS-V*ixBWvt?%1dH zN6lg-43Fj)wKW|LZ)zC@UqR#f_@c~kM-hnFg8-D;--ZjciA5 zXg_bSAKu~elK`gML;t(YJc4I$%2?%`ZhGBfgHYyec-3n|{39ZTWOUHb62sZ7rQ@cq zg{Q20M^inM(a)c&P-x9n$C>ms_e<{u!V3l@g9 zkXXFL5?zo0&B`z(1Il39Y3mIXP;5DciJO^?V;%Px%+%*|#_$b{j{mM@7=DfRVc2{# zB2$^mSErkF!ms!q-}mM>;_-`^t2z&4jXNMtornN9UT3QZ9Q*=6v4fS7Fbl7uGS&!l z@?Is?GAxx0@)-m(aUtu%(M-RXIw0P)Y*>$q=7*}W;!5gp@Z z&hxqJd-Dm}v9Vlwj4m?9{=e9J`>-gg{(t-&*n@l6oq-vcg;|)DS=fbLWONsIfmK!( zSr8Hw6dzF3B~dX^K~XU=SA`@WF`r8llS<7JAG)=@$a)YLMww6wDHzB4ncySl&c zMeFW<_*}o=_rKruyFOl*%g*e~nKS2{Ip;m^_xtsFU5xZj1DhE-g&AV|O82ss^evy@ zdk0nNo)u`LvpXV9y4+|o9d%>O@J6H^KSBA$dQIMGZNK5U-1?ODipb{bodUzL>;Vlt z&bSvpj{&}d-V@70fMkC%J8H+itQ- z25S8pom6bmob z`zaD(I%?FbaSa_PL_nt7K4pEdXccC|lHSS*COiN?O~(mQV(->cewx}hpF|N4PB$T% zq03j}MpL-mf#gU~NzODGV6BwDK^5##fr~R9S67`yy$yL<^SNmKN%i%eQgmy@@!NME zmJG(xcK!>^l?A|<>>uXIAYAJh(JS^A4c7M1_8qu@g1Dtzn5)9F-bCzGJf30;7d8RI zSapGAp17Ww%=OaOC+E&UcnN&C+(4@Kh*m@Qoxp@ksfg;HDpWx`RF#7<H9zP?b{AWPubc(?g6W?=S8j<--p zjZgriv4CU%DwmnV-!Cs*AJ@HilQ-=!$#cXf`;pkePku9Z9G=0e&sny z(ys)_ugQQio#zo5ESlPv0V?g>7EpQMSo{h*Q_G$Yb<|fC0@oA%&9qQ-i(ksQ#N$~+ zH~T&WWn#My6;vbrT&?$V;9Yl^u&w2?$m^4%ea{NBO%1U67vlyZRt&{B-gOa(_{k`9 zH?>2gUkdACZ8SJ|(dF!psSC~)Q%SZ8z}DrOE4BOzK0jYaXnp~xvhq!U9Tvw+B2Xk2 z2l_jui54(6STSMXibrN(0!*B%BFlG_M=hGw-Brr8IjCNVF43fq{G<`#5FNJ#W?#p1iYee zdQDAJ@Nq!JqB2Ov^`E=>qW(mj-WS2JIyGmENF;p(7IeN}=BPmkW4iJKBbBRNm}q9t zw%k_2j}MhYh-~rdE~%MS*>CeC)wI~KH<4IrFD`-~t0t!P6~>B0JVjQK0t#jbJyEa~ zq4B!IM(n@|fYhfG(ORnlM6Gc%x46eZvdA~{%a%RnZaPl z;E^Uu7AU8YIDuQsOQ9e+9|3foPm$tE6^LPvHZA0w1;FWGVy9AAW>Z6%7~M+(*9-71 z^TE>6@QWy4<`v?}MYVDs=`JKydyTi$ZXOfG6d`Y=@8n0}^}68h;OH7JcNZ#g3b}Tr zz&RG-i0gnc_w>wV#))CQ^H}=<>B6QD$RvPqY zHP#8CrebO&DPYjyDKrL*VmP)?rSLbK*nyG8^3dz8M{a>?_Jk`z3`b8(+_^1`oN`+- zGS70nFTP^B6ejb}+corBTw z(H6VwEo8kEYQEmjU5gA2-MGn$AsyEXuVO}ciY&C>L5?)eHf}vKJp)Yr_URhgyJ;PS zG1BozsL^^Ww!_+-*3Qz(J4uz($q^yK(GynPo__4D$=%-5yFmaJYZbdlNLkf52%iHv z++UkNB12tG$aB%uB0MUk36ZdZiM?$IbYw^#srKv?R^z+304oYZ1^1hLIK*^|o)D8! zoB11c{*(F-)y)UNKe1C_z0vk*eJrnAFFGyDB#xGYU%)5vI)mC=6hm{2aV|SrJfguy&uM-l*Ad$oxjtU$swu4!w>o(X zE)+hZ%IZnjUp!XYLYh;0QaemvLQf%|w2m5wh(vp~PN!kgj|E%6tixM<9_OK+Y)Az6 zvd~2H*_kqVN!Oq*{Ci-D8I5~#V~V~&csH)TGeCccA?Z>-5DtA7_sEV#Xo`M`h$U=k zJ);Fj^$`709!D6f)Ve~NPq8S}dnm&(XF1-1-GEWu3@bYLVbe_C;zCB0(n!px-awkd z-DSdrxA9KXR_-onI(Ku~gY>R2+`}pAmw~46#BJUD)HMQS!#vglUUgj#zEpk1 zF{Ce#SFUnGZuUDtFd|cK3r`D^bJf_Lig9?rr#a2qTVr9*U2HzkIs%KzODa*{cqq5O zv5nKYG`O1ru5!Cd*@q+A;<#nDkhSLQYQ zyFt!jvH5PA*7^|;EzmjcOhk4$o=a&km6N50G}FfA%szKM^7JS_Oorv^f=H>7gv!n$ z{05kvBwc?u%@Ca@ts)|)oN5yGgtE~!cT{~ z{*DEMWN)3Jj8fqZc!)QSvdWXl_@Y!X0?8f43#9$z7EH?dQJmkIjA%Bwga;NJ0NVlC zpNMpdq(p<625y`5c}aIvvF)i!1p*I_Y|VlShP%K!s#ZJ@>q5M*6*yPYHG^A ziDR(BTXmk#!Ag%-gWq4*mIJ_`L{=&~!a!<=Azh?-*pX=x9CS&^K$HtIN`M7sl}yAM zS+W#tGp))lAn`Q#V5jBwLl7}q=NgZU7esPRZlO7ayY;staxGJOcU>?eavgLIQQ+YVUE0{+(=>A2~v^z)rM-v~L!My*S5&^jG4I|r&ZJCl zA)JY07g3@qSlfjRw62LGN%T6`!3@ELN}q)`ZyiGO1rwIXc-<}#Ja-dRrZ^h z=?!RYcA}d1bW@m6DzMpf)R;IYaGkwkIjkEK#{W#gTT`f%gZDrMG*0zH>DNSoGP@&_ zV@52>o|5BPr32RQ!K5#&{bU!7^*>I;8^k&)5Cf)hS*7#bs0zI3l4MtNHGOh z(>Zu?)h=SddioFztNW4l#A1m_vrmJQXbv;jKdS8t_Z2NH`!WbGrLqyc#QiuM7cRt+ z?qng(WE3E5B#GRz>_lX`MLaagJsGI(?QbEq!m4z4Md}b9r;YhN!7OUGDiW$b>xw}9 z;}JBH4iv|b!S)z*yfixk{dA4#i<8(ng58RYT|+^UpkQPOSPjQYRtGF7`iKksL`&I` ziEI`X96!C!zMcxFy0@e1&v-A)RmjqvbF*!SYDzp&TJLDE}B(j>LoTbOm}aD22iq8juDp4 zEklikVQVh42obV3fk(amY?Z%nVqM44b3D zFZ_%C^=KAkr>~>Q9LJ<)-yMi8rcz-Zm{PqVMr39^YVw*QQt~j#9^PSe%ifoDl((eY z3xhq!*oVqJarjGJ6y42Awd`;MvNK{GS%V&+)`x3 zuAdRguRq9M4)yNWMMRdS=MS+Pu_sYk7DVlq5jfWH&IIy$^>~~|S27$}EHV&DW1Xp& z;H8c#z4tD0aNfcfsEHA7ep~-NDK)W9Bl0~%Ulso9O(GTcwJ86^in+nmiE5oqI{c)m z)LO42{mcW6LVUY!X*?IkKL(4S?k^f44EJvITSb;ksTf2UMO#uiwi|6$vbBsPN1$3P zn;wGbC-VfB$y;E+k>?8I*&g9#OmC8&UrD9}?1-t3dd5p`n`V+;mN)s48aA1wsc4!0 zn6@GQ&MdZpZC(vF->*TULgS8q(O|$f8gu<1K0AE4N5Wgpw_sVtPY|Ni%0Tw$jK}0q z37Evw>@0RoM4rVa3h8p8Oiys}ETApeux(iFAn*=xrCivyBK}ts9c&%Rm7Pb9*Zivmhr`*jc>YVfqC?D9e;p~7Y|PUn)$pxe z>dLsBwZY=E#7#GQ2d^K9Mp$#AhCgd?YMLXij1pt{bKOL-P6ht8^11wmNcJm+bwt{k zFwBW%PH=(5N?vI+mjqfjP`K=-Ps5+%`^jTMlvE)+OCEBTgR#6*z$YPn;B{9PNGoxZ zynWdOia(OOSl>$}k_4se5Y7st8!q4EoX_YeTB2~SeJ=V@cKL?etphU14aO#1d1 znozP2nOb}hU$Xmx#HeMXkufdVYZiOsm6l|3v~VfACRA#nbGNvV#YbNCyy>2y(f=)m zjKQVZvypoi#wOkJP}(f+RX)YiD@8Iekm$CE-XM7Yoi3INJ(Wo0m@IaXwRMB#%#>hT zDyXx`6VO{`dzhYQl#{B}J9H0G$Z^rSd`;xZ|rH7P^uL1hz3jICQ+W@Tlo6 zoJmjUvcrfwB~wsb3sj~b$Y5?ajFMa!yu(QR1>(1|x^R<=POd6auH+J9>ssM3`5UZk zku<$k#V=urgS?;{VHpC-efe}QPSZ_hO=eIQkh`D=eFp2#zcZ{b-0y>E^?97);!!~* zKm27}oJoB7bTQnksmjDE+$cJ$$%BmWmTQws>5s~Lxb!w8v6fQB^$HgL5nvA;551g`)9fF%y@5QONRv$S6S)0mZ!LUxbfWUJ)U75m^{RT1+V!QAj{u&vq zuQB>PTI*JI{sxH?4;bEtPz{&@yx}i4j-$DSVN2`sx8egrcjE>v8N|Qlc81q5n|&5M zNI?w$jn-t6b`leQP>LiL{1BQ9j~7{Hs2gq_%J{VCl}sZ)N-cbd4UjAg?ht7bRV1!D zADlZZiII3_am#F)!?7uPaAb9JK@>g=RgDffBG&(rtL}Od= z0lA9wrMBvg1-(?Q?S{W=1v7puyCJm9jYw30vD!>MQThGN*`d+!E&*Y8Wau8g{z;D4 zr-wOIZ9}~Mgb34g@`)Hx{F%VxvcjjbV=?R2C@&ypI$TX?YVAQPxV7X_+LMbQcgP0& z!jSAyXyRjt)RPI=MCuw(q%_K2X*FFa10^lZBB@*i&L=R&=9TG-F}3b!18L5_ie;H>kKaVhRDJ>eMvDpQ$ato$ydYMp|} z#q2Fb$hH`~E`(O%RsO4G{UEq2&bF<f6OL~= zy^9%|a^hS&=}Ff%{{~JUcnyz&cQ$6AZwS%oFA8M1?nO;UolcbxX+_SBDm3}{5LZPv8ts0%~NGq0!kzAm;JLEwN( zIU+fj_f(aW-3f@_^?))d1OtPRE%B_ z4{iF#W@qxP5(n98ozP%ttUosH zQJuHa*~Oi=_~%mZwM`&bwDa6NK*{aFor*%Fr_d4j`OYA(jv&4T^;$AiHH{!pa z(0S8=(fc1YxIY4*2AvH7mHXq`ot1+`#Q#sDN9H|s`A^W=5O`*%)Yjk2UO#p~rQ3c0 zo1a^BnV8RCgZyd?AoL6$MyHQj4bG7;Y%ZnmZIxlQ5J!E(f71 z3!mO_n^lUg?f){qd99fURcl zkA+3ZM>gWYbdk;Ca-#4Debbe$%vl`cm`ln`^Kd-UN$~-Y4l@lO1z9ycWPHZc-T=uF zcG2r(7<~^9FKffZOtS-koU!mxG!|*0lxU`jj>V6N4g1&dKgtjRpxgY3!?A6c7!v{jHnH)>y<}*dFqNvUuCXkXYtJd@C6T%-}2=m ziSZORm`wCJ%BvKU6P!Lbh?U%AEGX7#LH9v11>_x-k^p>>5HYooe41pNMTZK{SI$H6 zOb)S*14gL#@C`CrS%kP8Q&*uW`#se19!abKh1_Q3F_U-b!GepymZil{L-TK2bKt}kOQp5e+tBy7~1KwJylUbI+zzH}(Q&h21K!t=Cm`w+s~ zKgS-EKT6OyXWP=50q<@wt#+LW#!Z&hv|HKsU^>)Oj3>*}VZb#WVOOh56aDA$%J5G1 z6$nnJS4p^+kVHW~Qiv$CB04J@KB5Yif=3uv3kzvP!B0WjfU)KMNl4D+k@rsaBS@D` zU5^EacfNKyW?Nbu$KlOh4u$W+4B8y1`WU1I?nL5258>K zalDv>b!wO;>%I}Yfxn9Gz*Pt9X)^GvCL`}rpvz?*_g;6K5a6hf5dwNV>OY_+!-?F_ z^e8_+)Uimgm=;=2a*-;ZU7fsnhAch1X@Btp6W4BIY@pds=RV9{2=9X(=LGC>FF1J?J#&sa$Y|kbBf`1Td#a|w51c4;oLXCZsn*PnBGd8IK8yAJQic#z!4Zbb% z5Vx|F*uf3d0DQ_s2ds-01w6*U;YfgN}#drfP_9(}IEhSMR|220J8wAM|0n@swIw#gl}p*WrNGOL2TdzPRvQDK^&iC&|Ps zSv?V4>pnfMY?%lHssk1Lh?q~C!{t8Q&_Ld-P;wE8Yw!$i82C|_iwpLBB}U-U@?Wlf z-F{N)3b+fDvh)Qh(P7R2&yyXTMRM~ilF{=<%YdrEo;SeX+)8!e-LfQupR4m*)u-?c zR;p&ncS?SQ?G}KZ(;EO`VZ!_j8p&Fdg`WpR8KY~F?DQOkiC^Njc5AEiz;%~i3 zhl6UX?I_dL@g&akc90>Zm3U`qWz7f@kE7%{mca%O6`#d%G}f?91FQ+-K<0g^y(_+@ z!pns{;P%{86D%#jM%s_;G5vh{b<0WlXQ<;zs`EYQoD~9IF4Iqv(74rQLBkhugPXte z)N=eb1@ot~XhKH`GkV(u7wBXND1V#Oi*mRZ0LRXg=RxBPP9^C=;_1Eu7f1w{E++&Y z&aptaYWb>IrJJD6nB)1?aE=tIn2Oijg4;jycqpfNSA z@E~Oy7KM^1VLr|xBlCNK8!sD674s2iBB`J!+`7n?h)-m|hVTYqec5u8?)wP&tbZ2v z>&8YyWn4Xwa0idCNu>`6dvL9(Cr+^0X@by4UT!!Rik}fgHdd&cz)lJkhMIbiVK~!v zf(|3Gmj3LQp`HQwIF+DdbmO!w>!?l`wjOfz9ToNl1T%~4X~MsyZD}NVMPm^87^K9^ z&L5GDr?EF5uS_e;!}zAH$-WDjI8zF#Yd?h<8f!@*Rh1JAOGBGgzS$h#yo)_ZjgZOO zT^`4oJl?8(ZfLD;;M$}-;1+KO)A4MjhSRYRQU5G%tf|sfkNI?UO(glm@nOyEAl;VAd) zE~Rb;lnr>#k2K8Vu}tD#5u@c@rrz?0kkh@+_dPse#?nwG0w-^qi@O>Bp`m5+uG2Hw zx5MS9xNyKiM9RN#k@=(HlgH)@PYI)OhJS^?kt9^AhZVn2o{uvfMA zF1RWg*0ZR+d{Up6d=94iKo^wQ%bT2Ti> zj&un%{-(vQxp6N}tgD+tMf0axFpA8ku2Mhl zdmP7n@9on50X_pJm*1}|cp3?}v6Xz+dadR#9w8mUF}Ff#8%d+SE05Twv|XREF93hG z??cK7#>mG>Hw`cFI9=FlU}PzYdzpDkiN@_|Oia-@bovq#53xvm)z{*GgGpHWmTd&1 z6I>>@X&B%MTk&xsWw^)rf*LcqdP_O}i2W?o5TWD0np3C+TMduH<{+28Jlz-wR%+m_rqQ%I7x`u{-| z>wb+pe!{Vw3b>d;);3a&pU{>f^=-{+-6lm~4~_x|F6gxF5Ni7PK2Vk+2cQ;f>RC>m z(d0?=jxmhX2_BAK|&H_t0Wco z1h8hTw4?=KG(t1yA&a;K%;d%+;__PMCkX2ZfHdd_`w!AYXQdbIx|gc-N=YoDH*hjWF7wuPjD+T3pf%8y>dn+&gNfH}v} zhw1CL$p6^4y|JOVm72u)z{p)33~{!(q_AxuYt6M zf}S>hA^*BzRhS`I&BoBupqfue^6FzazU~n=leYK8Vm3gbWy8a2ENAWq+YRzS61=l< ze7hgJ_xZ6X7l1Asz1vYKM6uhoKCNM-7BaIda~;W*vK%A0u+_AIeN3x=Awn=a_h_zo zU~z$YYbp14Q{RjG$Fe|A8(Z{=E|3(nRzkr`f?q|5C@H^@(JbG zAiUH56_Zd5xy6veIKwsri?%xXP;oPk7D~w+p}qY#`XH{QYw^$;6%$J`sDbj3G{`(` z`OxrbC`}f3(Qxlt<&)s%MV|98_jt~G8m<0V?;EPB@g&OrWRQ6dD=BoS{GKG}4zO~O zB;a9GEM9pf$oid@IZ!-<7#yX>fed4|&9?3cb?j#1QR2jWO-mb-?0eI*oQBC0t7K7-9r?z+z zH9niiB5R1%QeE8)vcr3c zh;1hM2t3!B7PW16=_*}bn02NNo~Au2?ng*QpV3my>@FSziqqZ=E#C=ZHc;j3-4BNt z|MB@KU@ZlAJc3Ajt+UOiI2vHUDVK5h;#jLk87~c1|(^m;hTR6Pc9KwZ;oZBUOX? z5s~Q(a=`WjETT2Tw@Z24n{Gh&RT)~CibABW^wrKt#$a>^FW{8Sy*NxcZ1R66f2YI- z!Jy(7YnTXKnC3L{&ryCu-dTQmztN4kGkvP5PfNMD-qf8bsNG1ngS#?rY{a!%wVfz3r59SP)*t zA5%{@YXE@N08hBX=BkAUU4x&iW?Mc;f{%WKMmTosIw!qZl+{ zI3BkvtB^0*3UHafp(!2xWuok6{SoZ=P-CJR2VOtjkO7S|;13t6w5#M2{|8*8?j(zs z;Lm)Uj3V{*5jv31zEo&46zg!T19_u?Un4GSX8%d0|To_&Patg_1S*Auq;)&1F z4~Gw*rM#EQRbY3E2P;^ly|KP!748L~Ha$)%$|L-XR0fYwK7}>7vDh}Nty*rj`D{D= zGdNRYuEL?l8J_X0*Fg%)7y(bS7b0ySXa&>2hY`YO5q~0^g1AIXz*lxJfcPK5$Y|zw z*JNk31{`ZQ==a~Kg5k@lFdX^_QpFuYs>m^iusUJ$p&)I~%ZGx)bK*Kwk%Px{km#|S zJ3?ZoU+(AEcdBp;@*SDt@g!Mt( z!tlP~#S6K-xR!@ChAn=tfSzawKZZyzr*z2Uip~ ziQ_l7OrHRp>|^HjQy!n6QUQyEN;Kx6(Gud$1rqWYM5`sCG%v(e$gQikD@4 zx%rK^60biOeA0E})ziy*{q0c1^4_;k4O*Ug_wwV*-HkWi7|`dpUxH6jEX`k(70eA@ z;prl;T9K_8-Z8LmTl)9mIozc)%W~ZPbBevX@`c5@`k(f2dA8|SPv^yDa3$EdG^fP; z*{U}m%P)De_6+7*SFJ2a-Z`znHEma9R&2_)&(A#2macj~=jNMRSN6YtVr-Y3(o+k) zh3&^G-Y;}tUiElUuUnDtdf)s0>iYw-i0SOW9HH`TalbqKKqcR@FLF>}#+}H)#rY1Q z^uxhz%S(s)+TKxySM3vqMozC>GIVrH(2!wY_f8m+!!Gp>89uIMs;;bR{pRy!llEOZ zKVs?;(+4A`pR4?!eAczL4@S)~omxBk5v*HRGT-Bf_BDz#qARW~TDh)bv8}1UedD?_ z>mF=)zQ?qPn4}A>%kXEb;J&8q`aXKV3Wvk5X{nDC@~*D1uNkWx>?u|zxAlB<*y_Tu zV$NFMn)TzJs5w7e?Dw%Lt5B~0;X?k4hbpqtHXq^j`CF=O8>}-|JToYL!@Rynn6`7i zkE#rtXGE#CwYB&s?r1;1;h`5hbWcp$b9#oZEbp9oUA5uTTM>Etul*3(?b#D6R~C%9 zetz9B$G+Vc$0t{DWJ>y-FJi2(f{!m_CCIJdh!x~MDo>R--*5Wo8#V@ezx>4&4pVwR$Qw4u=3eURTpbM*f{f3{|AjR zbqf^pQGtd zPA|EfHg(DF6@5!DUw$H`ZeiZrV-MD~l<7kZ>tg4>V|woL{9@aOn-_#-?=Nz31?d-J zE!%p^jY8Qhxk;S3Uw+g-{i`dF#qsGIPU2ssb?mXE_MEVrlWk`rCGtt zUTZzm81wm+T~D}X%{ww;;rmz8M=k6A_5S$f({t7}_IF;2ELa|%nR8+6o`uuT3@zFF z*(vMJ{m0%)d}huY`H9cZA&)Pgx-RGP*gmyg#;))!YFV_RFF$;1%gWg1u`3JQd&8Hz zo6enC+2hD6?c_S8Roe?duPuCgpir_L66xb86j_jyle5+Q(G!1e#1P-)X)`Np?=|6T zM7KTIyl6eN;I4IW)PK2y|Jq7pgq;3@wljRx;~vFeP=I0(s0BIP`*#Y(K&u7*K}*dK z5e}>VwDd)*fB!N1cNRIM14_C7+zaRXgLCdLdclum8GSJ;`k`IbLWqj)#@eilAqo7h zYWOS(niTksaENMU5aw0OA$eHcQ=kOx$It8ovtYD`z$MZ32;%ZQDt zelOvW@IVDN<6+TfUJC3y29N;KsrUN#w=TLZA?A-aLjV5qBpma9(eD4X-+^1Q>d>K#zbN@{E)yzA}c3`l4E3xDGunh>1=1fp~= zwJD(7A;cy8PTrns!O6%jCTjx$WnwMq29lJ>MnLskOw$H3k?=ghsftSywL+RI74%<_ zP1HmNnEqWs^u56WWBCuZ#?G*EAk2)*#E)_l?(;PYzo~%~TuA5)ALlvafgG5LC*@ML z(+p(3jQM^vSRQvT5G+(72Sh>3CV@5$V+Ilg6D<|`qcnMu%H|>ms5QJZf77yr{(@37 zGqnK?2iqjjv5CgH$PQWB!fNsj;1WTkN9YTe8c|Y?Z2v&1FmtCW6A*quJEd;?1X4kF zp|o-pTt+BCc4lU-3)w$GlAqIf+^VMFayRl7Y{x#%n-=Mt9tRQS!pJ~$+A*)x0mN%I z2VGn2#0h9}X)9c^*zS3wGepf)IrC6)8a4$gSy45-q_`Us6VTW3U^>@h1P;L|Gl3%n zq%?C-df`L>^*9>>N;(PBn^LaI)}tgIK>^5SD**)3(R+F}jsdVe5J1Hz0zW(;baj>m z!aOjKS+;sa0RD1{ZBzvm;mV|wiFVB zsZ{0f)8LT$+a5^T=h<;25fjh zBj)v+hWi2S$|*OWqdD?mDb_t01ISl3rEcRO8K{iG8u8(c_H4DB1$wswK~7E-L9w&R ze=tDqQRRPCUM@Y>DIKINz$mr2*#0vTiPdN32~hX82^N^O3XQ*2zD za;2A);rwgRkaXlN!|9bjC?3GPs(id?I`B8w1yF9qi8Lw$gws$>B2L23J50piIFo){ z588}JLYM9$iK3G}1P^jjQ3kTbp)?@EDher>4Lw>g7bqY=hHe!aobqkMYE)spu9m-a ze;-84GD5-R?NTCm7_Xcmiq|;S{)xiqRbagqjda}Q0*>4=Dne$NUju0#BRV^ zW(%bms#KSlQQS^3cN^4|(#^m|n^v<{e9?0Z^?X<3iDwsuI<^IP9<7hiYUo+yHPltf z6F9G{DO8?_V>}C>HH1BMXNO*r?EQjkAPQJdowE=C26y36b`SDlTn-c|*-An%Ape1i z>K_VFW?cn_gls7c&~~1DTqVom1lM1wW9@26)>*^UbVhM7N*8SY@4U9$v4~6M900N? zR{OG#L~~gM)1f^qkAvP8SA>_LBh@PcarGft>Odr3PIkWE#batXd~+e4;V~QLhIg`J z`l|pM6fgU@Nv+#BWA0saO(o9doodcJ{1?*#X>rkDRNoG0n~mK2T&cO1TE?sFF7A=Z z=Yubu@+|^a9rrdUagY9wNWFZZWw>QQ3l@ySukoY8 zv%9E>4);@TQu%ZFxP1~TU(Ag<@*u6x*xgnxmyd$z`!v$ahU}S$yJKm4cN14@HfZ?| zG<;VrJOr~#kp4ThIMwu&eH-$pLD=LRu+J5IhNL!5r^j)-f%4_Q#1H(h{=Fi#7fnlL@6U{ZNKr zwBF*Ji(&dTZqn8|P-8Inof1M&hH?x2bQPu9f%`L^St0%ipK;u7={xJMIyl=bX4xBq z?F*1_s>F(GXQBDeAY~q!pAx`{zO)9}p+$b3eG1hkqJr)i z@gXwOEeBh{ctfktPzys!%Xvj@s8^@>IJ3Ee;h9kGvb#UBzl~72kk}r|6@gUTV@&g> zDY}wXn1b3fW44b+W{XiHHYXP13hG~b5bzzg7WnOG#~VFN9*+(y&=?5<1h)y z_9H>qiBcW!=KDZKb;FP}B(5)tL*4|YIb$d2$d!VRoZZ2wUT1Y(G=^Wp)ZoN3*YU_^ zd6O2|t_=?{FqA?I2|EuA-B{-Q1dA!ivGf~pXl6#P1KB3nF9sDCR!l*|`-}A@&!CMD zaGyZ8d{$yd4R4pkA?^)~*W{s26g2l)437{zVT0!~!E;9gxgy^5HzW;SsR?4X^Tnau*l}9S8Rve4 zeiN}QZkhxQ;(Qxza-+;1C3jK5+vw{mvz6xolfxzdtD$i0oitEHI2 z4W4@)^M(BBHvJ4KB~JQ_;gm%6dS57I=KnWP}33$j?ClDFnA0-B;te#CzrVf)(fftpTW+x4KD`$iJgBPU%=8IX#k(cGNc z)j_;Us~XsR1n}$JU8tgh+MfWcYsgeoyA27wl&O(T&r%ooYry7P61ZpE5&c(M%NnOzQ2JtJ z93G;;D4M?<3H44lVK2uP4z(Xp@gK#4jPC&$PWF0Dktv9-q#tG8P(DD8DJ>zQGXHIm zGS^ftVV-s_4(4wM_z4z+sb&8_wg&|%FQIyayI415Ar@9uK5HEjYu^!UC=I7KcoZ(& zJTTLGTByi|=h|71*}U*AdC0vqNZR3y4nj8ndy>H^1+m{mu_(Od+roFbN5yvy)57WP zqR&*8nVf5Qg0l-o<;oIdd!KVSGePWBFTEmc9MS_758&HbRvjkwD*jn;y;hA?<$d+9 z#TfNQ*Y+U%A{fPDSL5C=i`_gT%v;6=OF}{Jhe$Z#1`FW>A>H7LptxWHq-L0JKt>$9 zCQKcd)l+E)b7^{Ji^C#-s4<%qj`3mO41QEzkB;e|?qPJqyN*Ysmjl z6S@^%#Mr$R+B*b~RUU~in$cDK(b)@eC)jUzz+qM>e@aEtH5hbytI|cm7ugZ9lGXT< z1mSa67me6#_p0%n2;!kNj382{0Q~JjB z5Gu(;w!eB_uAGDWi5YSfy$pl*Mf)R2%H}j|w1MQ~7FTc(#cTSZ$~SNe?#FJ3)BQD- zJI*fFa@x6%qn{+s4p3$8W#niMUh@?4e}%5>bQmIay6K5D%RX0qp?l>ATo31lZq<6G zkFdrNt>Ip=gF^5traEru=~=XZy~udhaE8@+Tvsl~Tf~{yJAk^^S!EEH<$J*{5c=NQ zhB3$u3o{L6H1{&v$n!bWf1caiK8)hp(MXtR$ksx`+mREV`UuZLv|~sY!d_JP9X)A5 z!9M^SXzZTKuTIQ`3O5Y$@Pq?rGtsNIi9Aq9A;vxd(+sK!#LJF zKVDoWZ1bPu=15zdCz12XBx6Sp{42jDLHA1{oy{K60OxLYK{w?31@Rwi#2(TDr4;dl zVoJ=&Jpi$@jMze>-2*UR8RP7V>}lAzIaTZv;IN#=bj>IOf@itGw+vS~{g|d-iZ)-; zcz?roOGYNOzl3YD4JQrOG_B|OIV;VTw;Uf$!b$y%Y{*n-tj5dfo{1}fY(wa6y`X8f z>93iY2ZpRhbMue_vNmYvD*aH#px5O4ea{&FW^Bm@TP#*y$E1y0M_E0U%zCwjdJpU~ z?QUh5fz=zK<&u#VvSa4U0M~Cn4odN04y!tRNUOJ{818DhlU#Oo2cn`&h0XIc&`o1I zeo;O_)k(HzuRKuzZ};v4kLH??emrOXBG#0j62`uv$t?{LyIG60hFF2AFgCGLsIWpx zLyik6AUFIS1G3|vO0J?^khUQ|rkupKCZO*h!h{OWA=?NlJ9LW z`wOi7G$gI@I=yR7*Os2aP9SYPgdDR<`$OKT?GB7;FPSth53%dx3mOp!8~8(kT6aas zTj-fph#N+}g2bMuYKNevrx6fGqe>-_vLPALNM%KG@k1ox(%Yn^^Z~tA!(BNr-1;Kh z7=ur+le_3QSnYxj9Js zL5c^bQJOAsBjjOK#(~YU!lB~;9 z)2l^uknZ^~jJHfd$H#~hz@!xK7CnfBm)iGJyk#m_yZiQu4`&`F-#2<-?J6&+#P(-{ z#DBnd=k{6*Pb26opVwbe-@4>Edus*ftUnD56hWgB0wDSSfy36S2 zZ_NQ-nEI5;HA1ShlKQ#|F}eFujmRzLGHu`5Ylt4Um{1cbJUSrWDYaf$g z42!ea>0$PFGY!QomLL`OeMhLXp54HM3LQ z8z3oQs&&0tPaOuCJUwa_BFQDWYevFs?APoVkb_6#5Zuc8)vk-}V*j2RGBulxe6UL@-ydnK=^0-Y!jP-|Ay|L#Jqx z7h1{jpvvCOG4&?a2!Wy|hxs@=&-hV{Yp!vm!?sdozcKQG({Uwz3yfe%K^F4Q!n$m& z`6YHX{UyfZd!rf2h{xjQ6f7PKjS(JMAhG@a?g?k^8@D8)9Z3lab8Ev zb}j@@k8YDS(2y5;n z*V(*j0G90P!vsj6iK}$M!g5Ds>udfHEpvET+eEJQRteIh?rbR&I-Fhn;@f1lc?l%K zS|04D??ICk^I@D~_<;s?0`o4MB(H7H&$RrasvphT9s9Iro+A^?PhlIRD847r3fCUo zfgi&^#>XA=kwM5+`IdKd6z(NIhDfd8J?kxISlN~czC1wv0tU}69B9vag>zoO{>L?W z$nrH?G#=GA>BgDxczzh((s(zEe*hTs_v#(WW~II=4fgJNjRq!L=l7}s>sct-%(oQx zEM6eh=er*xhYK6AwR{35j>6@@P!D7f-sK9uNz}yoR+|;1TgfuxUD2f4n4_g_!W}YT zOXX@Qy*W+li={nTGOyMLXp$+Ei}xdoU+cFavdUel>!odZ1i#~1jF&F1+Lm!v49tZj z+m%J!$Y2&?;`LOP`Br8q9q7uY>?&_Q1K8EO#hY3CC`Z^}tc?fOa|bSbmV1O0jo*rF zKc(1y*VDC9iIOd)-fZcCAI|QJe{SCnN; z)9^;XX0jdxet?I?;i&NhWvRIz)t_oiGT#M@n3i?jX4^uFbE%>#1suxD&AwB2xjXyH5{%?XX0Tbn0VH}_}rfNt= zaG`>}1I%)N#~X2${Jy-g`2af{aC!~D!iJo#0F`Wj3XE@QN@b(D8>^45O z+2wo3MT1JPIR$gEFe9f6;!BNZtmI%(XROz)Q_d6$-JmZT(VZ#I_w8Ie6vcHnzrbhE^Pyi$yA9^-Jw}M^i z)88^we;wn}F#IsKgk4v*Iout8Axwhf!eCcqS*e*{irC4y*P#skGbQvr=icD9a4saj z3-h45DIP&udV3~Lu++t=s={G?veo!T@54_TJ7}o1!x{cg$b6SMjp}4G(Du~&>3~zF z|A3IB`Z_KN->jGPO}n{y^*7;;m|OBFGLF^AX$Uxv^k?<{r;xEyLv^tgsmaDtU3=r* z9f`G-#!Zx--()<<`D>6j&t_Ref_CH@${O%SrkIuDqNU9m&f&>7uRP`<4?2!zgl?>L za$as3^%~_ZZY){uuy?GOYS>1AyQLR53m6aTQQ@XpH!&yG%JlZOA+XI+om*(xqo(^C z9wxBv>2|1#dlk;ZR*ymMhzb{xkwB^gQ?+mzosyHTIGI2;K*;uE|5B~Zq!NB<;C=o0 zGU?g&CwWpP_l%5|&I0Wor`A8NBCf*CwAEo@S(+BW3@;B}Bf|-sQt1Xu&eGa`hD+-oW z=NxW@_?gnuEs+>K8|({<@3HhuBq`Y&bL^;T_31d06ucML?tsm~ck0|OkoRo=gzZ|? z0o#M)^%(MPZA~4e&#?Oy<54x+pPjJ;Sek~jY2xP?UanxoRfu_lyT^+RYf0$#`X0U$ z`Zy!Z&|O7#D2X$kBkUAcf+@_yG7~YwrQ(m-TB-{Co#uPlBS2 zGki+&?skyPts*TL=NbsV)y*#Qd}nFS=VO^e3>!3ZJPAs~ZM%)pRj7(=Sq*`6k2l1E_G4u-Z@;O&*1ipVT-2*b|VPU6Ok{>CPwUM{69m@h(N-9$Ru}-tE}Z z$@r>@426?|oQ~MnnLXo5!FVjF%p^poaPQ_U>o9j7%JWD3o_2=bv8{^?KdEviF}|7g zQQ+z4_jPsgtTEQBf(9fV_46)3x6IB6?3AaV#g9S|QMy6N4|f!)L!%pUNS773RM98A`Y9b{Lm(VDmPXdQovNh#4_Kl`_7aEg^>4oou;Hr@KDJmPZ@9 zt8s@Mvr?MdZkMR@bD>H)W3dEuWbdfXF0UI$Ivshz@{r9|DO-6VBw84zJ%Qc7p&w5M zx2zEa*8oVJ-oOfeKxpn@P{b43a#HO;{%uOmQn-cRJqwQ#;dIQn)9QF}preznDhuqR z<6i9s0s&RqbPY4wPo5Fy;o_ANc!Eie(b2L`VT@uSe{QUp(?MEQS}+95we20>6%`GM zv^8T0hBh`0!Mb?j>rGDOq(^zDnmnUx-CUNG8Rh+gwfVKx9{YB9>Cs*u-e#of4r_E( z!=kvG#j+@!8EB@EJTl61Cji6CqoXXhv&2+8R-_f);=zE_ls}1NmsLyMk#r>1)843! z0g|3jls;d@S>}F^^=qe^W9q;3z6zU9&rxZi3QPWH5t}i8UX)C%JD#$u+1{@nj`Hov zc{o+F#<%=vJg8>;@c;k4BN;yM*&JJ1yh z2}wwr+CKOLt(&E$3tb`NF#{WdyfUg)a!lI@%ubbK@IET^Qhq_c%eBVR z!nv1ho5@;$M7AXrrf&y;CT#CeuoiL6p0!Wki%M#NKsR_JD&2wL zqcC4<=snI;5EyDf#OCQ$HyZo~BW*i!yX9vK?Af+6!kfX#|edelyhXz)8oyJ2Of@oF|9spYbiho!Fj@t*)1Mz0hpJok@}K zI9b6;p5%s4nWsUJ+yW{fy(37lxp)urJ+rlV2i>a(&g+7#rr`$EL;k@er77;oMV8N0 zMNc4rn}bYkhmIL#wp6P0@5cmz{4Lc&FS9qhKBbdf8;RgLh6VR9h^I+w<7^X{l21rq zo2YiY(UG^h;>AYFU0im?_lb2YUXi`UyAm1uGbEmWDz`6LZXC?e9ff=#pJ}Nt+=r*S z#}F&*g#!vG4HLyaiDa78iujk^3?ZH1VC;C0lri-gh+cfkxKV$gk&I@xlAPXZ@aujuzr$u$ za_o#hx)Lxgwl7{ zITR#UNzO{Qo7N1YZWhv=F(gBJPrYlqt-Ff7k58KQ+2Q?smGKb77RYF*nqf=%PaU~j z;BjGxt}fuy?j|Q}BPNRbkUN`o zvP-}y6rQmy>QW;@X><*wnXP2IfVacl?x6V@Q_(%pL=l!(M@t`Rfyk!pZs|LP^uCrq z-SBMj?#7Yid*j1e!tfcp9wG*54r+X=X-;!+)^+T2E`@X?O4wDsj7^cM75X%-Fqnmp zLmH)_NNxl|WG`?P72XRm$gap?=F5u^Th{t6+UJ-;Y#*i_`{LMjB-Ap!HBYddD>S5~ zkj^a&sLsrT4kjy2H-H6iaxbLY$QuYVLccuA6O83mrX&w#na9AULmGA^cY1rfmbNof<$gANy zDX*_g$l%usw-j_3$qZ0Yeliw#&g{w6PfJmX%4hHlI*UC9&nc>RlA&z@B_yv7JCz4eCH1?P7j)DWT=jT>G#Z1%- zGxX;)WLWhMFPup~o9cf&3a4aS;C!BWPMf{Bv>JIsQG(4s6;+R9c@fHikL$^EwPl>$ zvaAcWMW^W{xe)sU=kgB5wF@QKBMiskdH5Ty!!7|%d$*0qOF=nN3b~8=h+QXZnBH1E z**ur~7*C}>V#@1s)#JL*Lps|yDiIX;s@mu(Bv{1(@n-Or{RnE@!7$?U*CX0x~r^CQU_*5!bzM{r@g?fbgv zEIU>1j>PSq%WsHeJD|@DJuSXg=3s370Dm`ySqAUfFi68~=ZdTzGb@V7f23W6)ooGB z6zXkYc(HZX6ih&lwd!(!{4TGDR8515b+|RIhjN=jHvFYvF7$)tmlvyG-uTyRN-7Ha zz^S+7d!)j zCNC|o^#Gk8u zN66yV@R>!G0AuW%V%>~;Q5i>e<9Yjj6^?=bb{shfo88c|5>0cAqk%DYBR7Z?_}=1g z;%p!M4q=%^d`iv>q=k`;NZus0=x{QWPK~A3S#BXMf?zX0?l?djN6>UHY;+zbO)W7% zsv|)Lq+T#t-qgzTP>Wfx4Q5rOdY=oYx>C#ELBXlSJ&qi3D}pnLA!@MvGO|=!xEWx` zgBwUGOw*NcNXxxb*gWeqOGBI^OBe3uZHmg4T&2}2!CQM5x3?w>8NgV5r`_7eTu)W- zt?puoguV#`HL{gT7vMC3{gQ$R$dPsZbBz;70`^43Z0!>UQb5PYjJJwv#Pe9T>-Ta@GW)j#}b(dkaw6W2aer(Ds~}8poXj z@OQowHIDgB~e|V!eR>M1UIZkLJ&y1euira%%La63RKjIe9(V`GIR>no%_hv zo(*Lhmk@Teehtlh5wq`*K8_ZLMElN!o?$+Tc8Jkf+M)CP?(2$Egh?Ajx=RqkfDe+a zB~P<9S`&KSdarjX+C2u^{v5z9rR~^U@AV_$F*_t+Op9a}F|{gm)UZU89}R2*qoKEjpn(ZgAyFMs6Y<->U<7xm9 z;|<8MKH<=2u=@))AW0gPz;1-6-vVB@ljr!@z_Z*+_Q|}7a0Q<{A)Mjw0gF_J3Lhc+ zQHHc1xn2gRq5x`p*=GKL<#aqBJFCbG^q;h$OywP_w7f@{P0>5L*6T2Ai^ZABUA?)^ zp#iwFK9_8`7kA@qAv3n=N0O~Ex@MVt9V$B?{P2iCLR{(qa)_@(r>S(R1OJM2FLGrW zd&ctJSKg1O@fnVrW649*4K=-y1ZSYY^BLj0#N-=(p5yH#-5OQiFO*Fm$KOq_Si2Hc zwznxwE%zyliT(kT@g%zy3K~HN`K>L4H-E$O6_Ao^*ek*FETimB)S{$vJA|K#_w#n+ zdcZ0mfw}#W|5JqAY%CCqI=&g&=%q)NkI;zCl%&Q@cW--I-lDNICz4^ds_C|J^@b6$ z8cR=PMsm*1*j|lo7!FxQ8?kiAXf);V%YxN-?hVNOvU|_B{Sjcv(~(xQ?~(UlIK45x z!O1Tv7-kjh!CSCycr=94_G0pChK+2uu7LcAf+YZ~Q7{e)qm7d@1e^RFrW;oUkhlr2-HWDyqTX0nvMcrZ73fPy zPrR3(Hma{;RXUyx4odIYzo4>Od9B8~G$|7PtTf2$mAX=)vBKz8)2~TS8U}k5FUHYn z#lu9s!fQdZDa;&HL(;^V6tcp(p7mbvoXfDhZrA;v&3tdaRh9M zPR`{zGBt$lXem;|p59ol!BvjA8hya%qzr>t#-5xrH=a2PHHkP0g22paFh;^yNJC=2 zVz8Ax;jcu@UM2^Y|84DCUxL4lRWan1V{ZV4fv{9OgN}Uy)!}#hZ$*~$crMvEEr!0% zHI$e4apRjb<^joqw`YBikbK<}+< z4*uA=o}(s$A9i+enx2l?7TwzOfRk;tK9^Al_pnxub&agklQy3LHEdyM57 zj`Z=&(XC(vJ5!;{8G?8*Fos)qsFuBP%__5@xrs|9AH%EWN~y?IsB^MRBg1EMpTMF4 zSq4G;D>^WER*dD54!UPK-Q!8(z6|ptKCA6V##d#ImF8pfQ^1EyJ|p*xLZ+tuI@>O#Hp_d2 zX}q3vbN2zQIVPncv0f3_&ri?p#ljK)G|224fS*PAhLm2FKO3KkB|hIynir2_bAD}} zbPMBK580~e$hXMoQ3Dy1Z>A;Fu(&^&Z75Q^dU|H=J_JY0>FUVV{Y@30#lRmE<(rXj zH+QqNDoU!3vF#)L5MgP~Y0)u6gKxRLZNloQa@*!Ml#D)Bj7OwbRAg!}Ks-o^L9s#UNbtnB_M%!+u9VZ|hfC_%W z?vH?)1Lvj|)hmir3doPiSMa5lTcRaS(KypO*3AMB2p_O!H97Ms_lK@Vsl9@Y6o%1~ zw*@o5bh0apAV>RE3^ODWXQ)Jt?{QV^#-enje_jP!z^OM?d<|iYJBqR(tz5j%SY$zt zkJb9`A%%?(mrNu0w+hJqb!p9Sq3MQQ>Xy4(`&u~7zOO8OR4v1B2TFfdK~}befVD{a ztYgdA`W}1-OTUg(f8C%2HjiCj+?SVw87jWJt7Xk%%i0hGB46YOa3{{*nl~TLZuc$m zwc~xmAV(%d@%MLB8hkErxz_3Cv}cj-A^2N<1ADvho_S3Q$&DPVl8x_!4@7_LIRelF!eM>62J-jZQWau< zhs5vk3Jr5c+p@QML`AQ{j%z;1`B_nMGXw&b#@xacU-P+uxa1fxY%(umB@|BhGWfBI|ilKY}=39fS{_T?9ekn@|CyICc)bjfOZo%WrDP01*xt zx?{u}3Rk0wX(`Wfu`%>HE4jK|4 zf>Tgl59HXc;)j4&#cnr0igr4OF%4?wIX$yTCsk_9BSDp|QDl*M3>KJb-cq2^`Qmgp z#WL9)E#GR)(_nASWX4jR^;!oR++<`OwpfkhY)k9+*bE1klk_uV#e)gP&2dymf8W~H zoThpl#6MDxk^puU`L+7hYKN47cascK2Lj$(m*DWGHoReepRMKI=ca(cgT(izn5SaV z!-i9u+OG_U^~7)9WmG3f~=U_ z)NPFgcP4<@?SWA)0hE8JhD|em*-`w(eC{BezT2>B<#VnfuKU>18A~cxE@ykNtMBQ7 z*pHeLz$vcL7RpkRLfo#9)+*#~eVk7R%W!TKQ_)P+yMR-fwXw0p>MG@(mM3+=QILO9 z1Z;x>#N4N&vXrfFlX`=jCUijwf&_k*O1eD?vNEM!AzjpDGD2c$V^&;=)4a*OuJ8bC zVs^TAoPGy(H#;pZ4$KJC;~hsci2M*Sq9)@MAuV zb}S>(axAZivcUo0Go)CP2cFb7u0C=W;*$9SfN7fbw3LW*ws*?^TId~K;p!;s6ka0@ zRwZ~&KTM z7=}8f^G#iZ6_4O&wp~m=Uq&aZ!)>Fx^v$n2u5|mwwy%1wnPZHL1eC zlf||6;{S$VuJv7QQo3>^*ZTB7eS@ov50FRPg{#uz5Z{SX=~`8gm!tG*ZRyq>*=LW_pjQ#)|){kFMa6?!24|< z)P32N^E@0El|a7y>s>CEw$5IdOMk1B=N+p*m{iUqNVUB-^YX@BX@58@F4sksZF3ba zyu|az4OthjUuij@g*I9I`PM5YKR)7l6#ll4n02`@uNcx57p^L;3wQkEpf0}n zO6%#l)T1j57Yys-6IU88*ASE-KRbX?g)Q{}RPf+gEm7Ve?(?%j~%8lG(i` zU6e0PxPR5me=6f;UAuMJ6!u7T% zFX_mYVz{C&ZJ)I5p(}-VVY7T$*DrSN>i4%T?HBghus^=+(KgM$_~gG8b{W*2{eR89 z^wV=k0enXL2lxyLO`JHOX40gwQ!XG5?P+MQzkjvD_S~GKl0MKh<$vQQks#V%&HgqiUAZ7%xf8x%o-emN7lnI;(QC6e zZBzQHPe4ch_Ig`KF0EGo)XddP-^C98xw*f+{onWQTATaZ`~KX^zaDg(^se=bUJ~Tr zcH#WU|83hBG~-Hbxz;wWqB@tFyVU8w7R0|-%WLi0ztMvKL7RX39okgk-^t=ydvO(^ zM?`(CkN+=~OjpPcJhip}#FZZ2f8!?S&k3&dGuu`gn9%EV@|wg1LVBCgLBoBlsJ1{aLRWqawr--TXj zp8p#+xvI3qCaMxAayJ{Er#&dU&e%u0lzL%|<;j!>u z-_)rEld8hwoc)LRoW0VWSuT%`j_0`;m&={O`t_(|My4DGHx`8_LYb)+ewv1zIDzk} z%1X<~8;Vr!bYKa@oy7*Ea(P^U4z9{flkiad2tQQimNMWP2M?;`bU6suTrL;p@Fd<3 zH)r8_IdCO2-HqdMs#pRL*)jz{XM9g(W|}n_3ZgizoSqTmOy)VIJFDnHq)d~j)3Oh` zA*Z?UO?YCYxHmmr!U60QPV0Nz?w=HT55Rc3|<^n9a&yYD{|nPNd}u2iq|^aM7dbC)y@Gy>FX z89uf2j~US3giP3^Fh!Y^Cd$;#)ZV0uAxUbJCP{0eO^hkp6k}o&bP2JhI1`tkH^nC< zn0S-HlxRwd6XJ}fWRuBcPOz9d#C0@T<7}o*rj$6l$zkejg48RM7}v#=W&#WzQ@Sa` zp-tMF-=^@ew_0Btc*Di;t%pb%E%w^3j|xh6#!M5>ye1MSevv?f?8! zxX@{Jn_1bTL<#s;1&B5a#bFcto*EG|>VZE6EOKmnYi(q#7qQ(dL)Z7ZFxvSF{SpOW z_rqvkSPl35i}zo3w1DkC@*=joQVRf)C@KQ#-yRUlW8k+MekmC~r?kU{ktQlZu>j)?MGs{Ug{gg9JGi3g0V+xf2vfQq7}OSn z%7Oy-Py$Vq(zamZ<$|ROf}znq>R{^H1TXf>Zf_2v9Ndy!M!Y1quF*fwnf>Acf)UOIp7Qbam`{wcbubXNTo#m&1NUt9oh{S^=T1~lffLzN2|mL@@W zp88s1|DcqXbg1KnlN}Sl_)@)M&O6+EG@Zs8W6p0Gd1K0Xnq~1kSUsLYJGH$-HFY?e z?#o7#MJz+-seBVBk`$CmbSb9E;YqNuGKFfwY=2YkSkshAmElQM)JE!4ttnJBhRlkI zpw3re3e`dJgfN)84RGwp&DcWy3=P}}aC*wzvD^&6KGIvaZdVca|qkAb^` z=EGt?By^TX;0yTmz^}E$`xK(9<#Ysy@e`d|B{(-Xo2q~}TQv2psFFSgl0#I4cL3Ta zRbll?k0Gjo)A3;-^n8vCv`XSYghgn&Ctg!F0K0N;i+dD$;j79m1eU|ztgdh!ZMI*p zjhu~|3u&QnKk>4R^;C>#0ut;B1?`NC*rFO$G0xlxM$3{dzNNS?Pz*+XWYx1}{;r6w zl9%AX0y5gYl-?V;|0vbfI*R?w++OI$#GO?kjMaXz7yH$*Vt@_>g{?-h{>oJvy5 zl>&rcMKZ68@U$1)g!p)2Py{@lpQwVSND!Qap@>R{rPvGU*x!=`xZON}4B~VZ=gd48 z8~#}Ag!l)jqWt`rsn=ChjT4}x!n_kzWAY*XA_|R3y<<*L)g<_D5saRAv#)kn-B2gXd6f%Od6;zI2mvCPDE5v#cgz^ zdlYa{yi`Bc+YLc0P#kp!^q8OQJA`}VNmzxdpx&3N!STXV-V&6J&FR!~xPf@d1N@I( z0RMSVSuvWrk(w^_C9eTa8MP#55F$0+*RhZXb#b`KJ)ZlSOvF9yKhrUs9T;eVm_sS5 z&(Zr7QnH%X8ONv&^gUh^o`a_7>PXX*i-)(oLdl{Dg*JK5p~fGrdn3%m_;zcz%C`X` zS=XSV+_+eTH%-$ICsaR}M=OA@Ug$vQC@ZSyXY~tIXjNc_@YvacKeIY79xk^WBL|qJ~c-odb{i0wj9ne!jwd zU*JJU2VxywIuzk4xQL<%lYgqzg~*Kg3(?k}@$)a*P}Leh@THF6fbfLiD*q8yIQ;F{ zOhoSr1a&v6>SA4HAQ3si>AX;1^dq8t_Vwha`qiE}d{?PA)<34L@Mw?0JT!#W=G$|C z3+*jBf1jXp?zHe);D59=({z%tw_4AsScZ&e8DN5@^sQoxkSQk*! zGE+h`Em~?08YkU>ux!;(L!H~XLGbmgcreU$J;T$=QpMoo7^hq3(mm-hG_&wd+wWTa zOIkjL@>&F%7G3w%e}zPjp}VpIz8*iro2hw^`@$t*73_hz5~g-H%} z;{{|&)qFLTOV#A0A>7Le$R_$NYVWjmc((Hk>hWeb%?jD@9-!khAC??oj+Nr$=MFMh zjYP{Ubl^)qTDOGeqbnW8vvlPP(8;G=HPnfcG*~Z;bT{~aH{Bbwb%Z`0O4aHy1yuvo zL!t%ILvq$)O0-@_J!+4#uc40ug05LbxhRw90s?!e%~}~FY@icr(xa)t*85#HYMH)X zMLpG!z3)}`DeN|^ixDOfk9Golb7KY3jZm?)(_i}`37EZFFr=x4lejTHDWIh~U}sfF zl;gyK-7QZ83-QPHGHL}tag|#U_W<*GG%ny+e24W{GMr1md11muL^u-uTn|RxuM4o; zH=M_|PYYAroK}qu|fT>`2KFACsjwTf@GOu9nRADVZ zGT``dM=FVZc5oiTW4Sc_0hJl{x4E;;b&imlHV6f-TxvNMt=}HI6;L>i<=_PYo_*Ne z1@8ii`UME5iQgcgF7E;Su2TVz3#gFuJ?le@s^1QrW$D0^yD}@+Ro`#@1}1`^071iG z)wXzQFiYnifmPlEUvA9d51j!nhGc`r&Epx;AjTj(pNpZ(oXZ<-vzlVaj8zlh#C0-2qS9Oi+B~BEuHOv&cA0llv(&y9vK&FtN19_mD26rxy5J zG+$7J=)EDMZKH-xt2BWPh*W&%l%U!lgo0TU>Hbja&QE6FaNF@x{z1A&a4BN5_+gx` zdSK~5#HFw+Q61TaW9Z3}7X=>xydCSa72oOiXhkSsnJd`w8#uaP6!JfY$ikIiA)qx3%zsR34R*3C8{-9Co+ zS~>_`!GHti-TF#Z%V(5s$3~wQzY9Pn11X@MC0ozXV5W<#6G$qFgDT8!#g*I`yn-iemeJi2!jJ=uFj8-8`nECM4a#;~A8j9pV~~S&E`6nRZ<83@?np%gyt1Bn)&s zf{Us{(;c0no1Z$I%PdtL8f|FL7;cHyl@QA!EuCb^C1C8C7iTed(Nv1}B+cwn=~gD^ zSr}?8D$w^%I9#wbM*2NUPQ&`CglZ5cu{92)Qft!^5` zHJ{U2i|zBcI8uj}R!$GUi=U^yHM|hv8YVfuWKPe1EWy|};TzyDOEv=x)Zs1E$5K4P zPQM@de#67U%K%js8~8lm8DWP*Z(=j|#zov2yAjtK-hjsRN;UA01p4{sB1302Dq%jf_@l7lKCS+1j?B#N zf#)j4fZjlZ`u?@g~(oc69Vn#&E5zs zTO#7FqwLwdRTA#vA$mk@4Rwb4+V{b|{+3J3*@jA2ATA9Mq+wS=HI-%prW1B_W7q*I z@hxPSqOv`z5ms=W0v*li*=i`VbUxQ~JrUVt{9B$u;oFa&vBu=~AlA za`-z$q3(_~w#viCrG`MBt0kG)3kS zm*r_K->c#-K;gr2Y%V_qD8zel0=yB(!W$m-IuZXf_cWKzC(+~b2e!=4zMc|tqv}VH zXuccUU(za_bFr&(JXMHe$UI5-G}%lF+uEyEfrz%2$u_3^(UYARohe`k)XxB0NRKY^i$D-8G$*{1P7=hsWV3LwH zH`Ri?I*1-6eG4-<38mt@BRcHCrIf}vD7E41%@n;je<;QKp2Z8T1DOPkb9;En;=_Ye?;7m?JaMlQ*c8cmX@JFx(csuk+2 zi#HLgHv@4-d;_(RnM>@G!d8Z(uk*_shhx_2ex=*w^TY|ek044@f(RjHj?ZwYae`!zka~v}1 zqqx8`zGXT`v^8kqqC;PJUq{T27=71hi#nDbYACSa3{eq98zUarX)QIAyp4L=M!4{N zB(i;|ELbV&_o;EP&B4`Fv+=ZwvIpK^b^If&j&qkREbbkmc`0`QwM{9WshsL4Q)fTF zZD>V<(6M-5(^mY0^#uT-#m3x*QF#Euul8w3Ppsz0P>obr4kF6NkLK?b0(^2_HzeEu z4E3y7FdyOT$!N}2nuiQcFv10I~-!f^cw#0?NS;BS52rxr;qu z^sCHv{F+ik`DdBCow5tr-^1&$vt^C0T5TAdC~P#Qig+z;l)RMtb6TjcFiuX#ZnBCN z+(YqVpa&n}8O)W_89M@W4DM?0%C6(PNl5?&E^kUDy}U~>FI!`{YKn<4f_F7*%>%tj zC`W^9h60&r)qX_X6v{1n$w^+tO9NBf<;ENJI7cZ~V_IsvuRWE{7VFESj~(@&%%I1e{Dtn9mxIQFhh)Q3s8xU{ z#LMO<<@Zs<(DMnnx1k%o_yaDTODxYs2~gzv9z?7x`_t@LQXx}L=kyMyB06)tYfd0bgu@k7%Y;sGY@#T&{!i^pjSbv;pz+xZA7aD0jA&H3tY=>>rDbC% zbXAmyd!9o%o%K&Pfif-zY{Toi=OPJOqKwsu>V0RH$MG6qd ziJ1uZrneRxM_j&RatuF#8ccnTd$X-{e{$nlJD-Wu0j(kq-xs=v8sxfdQx5XJfusQP zlofQue4J3}noqsYTlhSDO1=&YIh;!=PPLs&s}RL0f>BQ&_=t^edb$EU3T8wXj%m4@ zqjP^2*HXqk8upIkkCUE`bJ#dD!u@;@9n|Jr&{-(%$FRhke8Zd@1UntWneKfmZh^hdxPr^)m9@Cv0kHdxl~Y@Yrl&5I)$uipQ% zW<#uQ6d^9bFRJyqu{q_y?ZsxVsRoo`SmDO|O6w2M(R>+x$m)dqs`=b1 zR{KvNwyRJDbShPX5tkaP3_1nZYKx&J_@fCe^C_mihQyk#72#DKZT0wPcuifj{YV*GY9yWssm-*vaKh<<9ft2 zy9c74f^DaZ+(ZpB9FfYuHC5l=diP1DVj89MRO+6HW=?6DNEB%Cnp~~V;@C?=&h0F9_h+DnTFUJY+PGiHF3VebYNvDql2#+2;3+@=7E2%TeVF4wq=)ZWa{@oioZ~)f zPX>eA8RxT^q0Y=(jP7w>X2&7L)712~4Bf_?d)b_&|Ws>V5I>x?a{*+pY7v}B5B+0FDSFj%_#l=TD8wfezG`yuY?$gw- zv3;keJF|j3QQKV0r_#B$O&*F3Xy^$LD0<04cccAsje@rw){vDlz#5f%s+m68f))ji z^TLukO21T12_LK{6?(0P`W1`|c9Klo$#8uP_*X9JIBx2y|Jp0AX$OIHt>J{_+y}*9 z6=u|H1rzRXoa%$ffHRj$Yk6hOhdP5EqHt<{H0~rM6no`E3c*sJtt(@2nCi!e#fK5m z1`83yg8PG93T2=H4QD?bPQ@|8x6&9)nJeDUjw?(MZC?=dexvqI?XZ%+4V=>?y>I`6<}5 zF}qdL8kF0_Hi|&Ix(M0U`GrFU+Ca2%a(84}mJ+)^AD_CRFI zYy3Kc_Oj8Gm!%Cit94UjjJL$i0^MOUG*mCq08!J3!?O(8gKQHeS$ha?u1OO(dLACf zq^X4)aTls5TWqyi=W;ru7!S;Y=TMG38E=kbJJ9P~N-r=`r?SH08`$XP)i%C6{iK8G zNtvllY&zw)C$X`cJL>nR=IslTx$<@sl}>`eu2>h;f_Yp5%~6XtAI1@SD|;tvZ4TJJ z2}*HW`M~yu8QKFsgzV0Ct`Rtv^a4VH;l)k#YRfRTrN;UNvrMHg(imKXd@CUx$`xCA z%PnV2GS5BC z7U?_1IFAIs!J%K97uYp;L~%lXCCM|ZXck+kdBjWW8`k4js6=BR&3dCgzEi{7IXh6^ z98{EosA4ji+>dQ2*HdS|g&kq6&@!*bQ%?kbCEYCwH8n6N9hJNfXs7g-VDU_rS~cC5 z`%UamnZ-a~Y69I;SVrq`C#pnzOR;+uHq~e7X2&SUUAHe&-rJiPogt@!0!lrIOy5j) zaUbFY%8Pz-tYq@uY_I>^uDhQw<7og(hV4%4L%RO4%o~81e)4TjL9 za6U7P2J|9k?06I!YF+I8jixHFfnGp0!Dh$+Ao5g_zJ%mtBIa3bxCJm@-B06Y_7VM2 zoi8TnLf&JD+d<91{vz;Qjtb|TEbpU#;QNTn5kDHL{!Ifs)SvTz zwRKb5N;u0mOrR0pDGvj#btWm=K1b({CY@Oiz-xOGQAouMQv1H*(zpZ0TRRBFz-^yt zzOQ1ub42raY-rkJ4Hf;^fg5Z6QA~=ZhFJ&u-Xs0_BV)4wb2W;{uFu%f+#%c_>x(8L z%gcIhLjE|OE!wHzlLvp+4%gZ@j4eTYNAp2yr*9bN!ml%(q7AvavJ~$94eN2Y@Z(eg zXYn4y(oW31%T1vgq#L`I*CfzCTDyqfV<3Lw2KdJ#rFf6wn3WIVf%~|?8gr}}?|4Ty zgAOmX4-G@?>U@*|rxq7`(-OiKMWZVk{%xs=(>SI1``R6caL+ zuRySB=Zd#cuH2kDg!4lS?45-zuI2poz7TBgLjaS54ffvD4Qx7Lvcvd&^oa9*^YVr- ziKj5beiPNZz9cVJ&sSD{U0(;UAAs-#_F(Pn`#5W&eBDrL67`t$ay);VGl9!B-!EJh_lFWs2Pv4U0gi3AG$8xqX@1*_M^6$T44HcALNUO z%jXf|AjG){@YN3{NmjaIhqMIw!6ppR{U&e*dxduuYE*Jv=AT7eA=^Z{;r*PB3;N=e zV)fz`y60lK#AZjXm(uVCoWk9=^=@l34u=E!1!|o>MzSNh3^m+>SLcm{$U_jIknfM)L<*oxU$aHL|hv0No35;t)(HI8Irq zayc7O1Eh1v_prk>NXW2ep00wEC_g2V_)1THiP#@u6VCPX3N$!)CuL*etvBbs7&+Y& z_`0`|-Acw7pL5S4 zA?9vXc7%^Wj3_lXncvCeIlCjgJa-xYGs)c+qI(4EU~Q<*kmF#(3EP{N_eRVpu7~Ri zf?R|S_@EdOjDxGzBT0`9V_J<9m_d|he#!h47`cTzpq?JXbQ2Ea0wF;?*2v|BCfM3; zq_BMxg_(Qafi+_=UoVyh^VPYN_ASrri5i1e4dmVUU}dmRGWT#1>!nCFu-K_J5Ggtf zci`3=C$UAW_j&#~2_=r*R_3E`2GCbA%gx{6$@Gw^ zi{6$8B3;Y~=C@aK;NIL#7&Y9{x|xC5!4{ z??kKf&dU<$4|LklDGogwO{LGSbn4THF& zT$m1`5e;OL9=@rL9Lp)BKH3|BONV2?Of z#r%U5gGOzg(t7Dm5gQw5ZS-qPo%<$;>FRtT%Kd`G38AafA*KeexAp`b1_b}j5zz9X zpabj->)Fj@DvU+Yn}9tSNQ6_=QEUcf-CA4;1h+-bFjW1y5C_z!>h63bvqA2Kj_#Oy z4`MS;XIR)lyktIh^fbd}4n+9_fZiA%$X3Zeg^-f$8}j?{xPRXI!R)VLGEB9vV3`hc z`)h}&wtY*YL=ps0KeY}>&(G5N{CUuq+YvuWI3fj+kgKUoIxw{RHAUzLstkdG6lt-< zlaR(NE*V##v2_kmrm#4FC36;T(mhQuS3L%&)=b5}S~vPto`A5Ex#iy9U@n=$wpN_d z;2y^Bb)b?pGb0Qxk(Vm$u!;KxP@}nq;bF zit(T35<_KB?z3WTDLc~QSQD|pyJ z9M5+HB@c5mwHgdry|fB-YX|L69q{fs-H2)AGhxaW_DHPsjk>ep)o7xTDx7zatt)j* zYD9Ukoo`GO=^knLw)uq5X+RDZXXYWsmOi;D%4ex<#^G&8)I)?Z(h{`2u?{CO)%C++ z2gKewXIYShZIy4V`rH+RDjCz77-CI44sj*y1B}7)$q@Zo4S*f%Lzq#ZJin&vL~x7x zm;;moC!Gn1$(VbVX|sN&Qb#$m5P8P26^#OOaVaSVvP<@!*$O)CvXVsze~gbQt=gQU z=F4v$U;Oo#mal^xx=_-AeZb~{H?Yv8y)l)oQsKlxFwOF?rK#m}I6>SPOd^@BczAUz zu7HhG6)3zwWO#CdBQi%L`=mS|Ti=QF4^(_;-fWcD8x?lL`JGP{fD#2l_BDON{zBBV zq<&lp_lrBvdlifP0CTcu2yfLdW1B+{j^+lCF0>zE)k!2j=T*Y=qD@?Gy392TVfGeg zIB4P)l3z%Qb+}lNfcPIJ#65-8U~aN*)9+=qk)?OXSBQjA#G^Q zW;d|TkqF?hSwze!4B?{0%W*;s8G&Y6_m0#?0Qn|~=0b9ZQ$Z_-^TP4<58q@K3!t19 zU)7LmfDe>_O`yc;Z^2)YKMa2clg!K=T}ilhVH$)5Q%}`i>6Q1Z1`pGH-;f8!hXCEi zK1{B)1gXCUeek<^k;svvAnuw@arHjfRCGJh2%y>i2j+BT?{^Mjj z!s;FjkKkk15AN%izLAE|r*MH{VW1a&dzW%MpLb)tl5UvBW$fVrB`-nE`208ksekT1#KFFt9Q z%=SBd4f}uI=*zi1kA%mS_V*-D%K8NI*M4vN%le+;>mrYHgjN81FjT_h7ya+l?U_KX z|4QboD^PX+zY;<{^SxVt_hf)lkE^YJ4DkGYmQwda8#Wz2bc-=9+X4_z2a5auM{he8 zw0*$;|D*SbyUzdjNALecEMJ?W;C6X>b4N(KZ@|klA(lIgbHE_CcaO(ze_BBs*Depn z)r}YlaSU}S?Xw043A>N<){d@bfEGUNF*?~=h&1g$W~MOMH@D&n2=1Z-%#o&jUSnX- zjN^En)rI(~#{lO3M4Q)w$OT+Y-9(GOr0G0FuyI^OT}S`~P`42sE~l%oj+UzcWt=+|Q^^6aHdF30 z=i4av0FkaQIvA$EGKa4hlxlbO*>{D6rV zZ%5JcYyj)wdrUXH5Mo{|tTft2r~DW0*LE%#0KW!x$z#NC;RTFMwx1z-a28*pw3=uWX0hnzy#Yb(znk?8=X&EGuYocmQ)m zv@VkffRA7sWPYwCms&|f%TE9Y?L_n_D&NWI`K7V{VnmJwqe#*3*ql9$i>vWang@HF zPr3O3Dy^QNo?p<0%&*cmCbJcrQ)qX4G4#Iv_)8-U8cqO$aW}rdd>dBt`|G1{M4gw* zW}<~0w_6;dGM6~D2von>|Fk5j+QzxfLRhhj=Hru$Mf%ilG)9|nkK90UEH(^a4L zRslTUOv2d`qW%iTT3^`~2q4J5NcSF*yz~_qc%MS|hvY7wRwJM6jv>(x1dPp7eDa4P%XIg&1G5F}* z0<8CT^GwQRrAe~RPxmOutFwKDCt;0em9#>7Kyz)|y>D}2?krCLs@0t*{QQo&OhUml{K{vikHQVb}g7oTd(-P+rMIdfvj3+U8&(YLA4YxDv+5Y-Tb% zF}l8lGjXT*b;erJuAt zRNfE3fRg0CQ?Syn`Y`*I>e9O;wBS>J{U?FE1y$Wm4PE96mN#1 z0%1s6(y#_X+Gubra|-8kPv?FKF!6iYwfILozv&g2J8&jM$+m(@-8O;)Ush6vKa_Kk zvC1Q~W)3 zD6KJxnV=EPgyHVyI@)H!Y#^FpRM-Dt)o7vknM@3IVYP7zNTLlbR!~he**D@CDaqZL ziSbT_IWT*;G!{qT`le4{8eRS|J%A%?=pC+s%lan}3;@ zYK}83-w_6g`AeK$bQi0gFQPpgm`G*_nSnJ$GfRdbCVbzo3@gdiYo(di?f8^ix@G?$ zJ3+pM;r+T=u~N51-4t#KQ!(k{sX)A|w9l%YwO#$0?<+~sdD}%Nn9@V+qp&))+I<`p z@!{DoSX~NcOHBwiNRqo7!`Iwoc>5Ozr{f66M$AN|Z>$=jbgV>s-lboYKS^%7Rh%2i zbekZ|se3vV#t_E?71Itf|GXpVc9Z^4J~ zQ!u-%o4f63Jr{nIivEE`zp%>)DPaeM*q-IUgn{FXQ*p=4OTo?C_#RdF{TMUX)6hK- zdF}Hmr_n9G5edq)<=htBA*U5_9qBBH-_191ah_0Ey^qCT)#w1MQ0*CxCC_Qv8(^9{ zv54Xp^x#A;3y(1R)5shEU6y5jf=yK__h+mr$o-DdAr1*#wTiESII6a~u2{V;kxwx_ z3I)j5!&jHTCRoHxp&%scQb*&S_Sb}XlS6A@f@^62LgK z()A>;x~)Ku%u8G1m}Du`d=G~};3aDXGViix1cTh2Cr0VSc~Rc&>M&g%-*nh#Whb0q zB7+55{iAaTx^)8gvaC`;JdtMw4p%UV?Ds0+>84T~Y8b2~BiN3F3*}Nct=Ur7WPMAW zw;H#A&rX3>QU19Hy% zENbOD)!oNS=w!jnJwrws-X~Hx1TgUXQk9UA*aoKegkE%dJ`V>Z_BUv3mpk{O+uuAb*QYbA$E)E#+NjV496z*M0|z0*QnDr z2i9P3NnW`^J1EqsX?hPE4Ue?c2_X~HJpEz(zR0jR%DjaMDSDk@t#7MAVowW%3Dv9p zR-HYZ;g4U$>ljwO0oLV3Xmt953kEA_Luty=1i|9lgRa334 zGPk_WbQiib1-7hUM{vzqq%i-~o@41qFtQ^#aR@6IiUu?B#sX}i*9A-6y%v|DKPA)n zUM&+jv-JQ1#GvOpR}bV^((a>Clrs)Img{)QoLJ`GVSA(wpS#XJ&om^Q@YYX)V1MO4 zA$}9&j@4O$*-xpvzxoIs&ra?@@2kU$anl)aruj$SEX}eRnH^;CqsyS`$FV-H) zwg?<+31X$U#9b^Iq@Jsfa!E~=K<(T~7oJwzvOQ)@w64v#@+gtma;;|-9>iT^vW;GK zmbidmlhjBuV670PXv-6y55~zQb%?kNoUh~*X|LxXuG>bByqM)T%6lw?oK3IbNw|ThC1rhg6Yx+ zoUx_=Ld|#3We_?7M(a-FI^$hzzeJ&}+zIsgawN+(GQP z7sGVqSHdLX$;ZXaZc+>iJJ6wE9rrx(!p6t;2wSAz-2>e^TOP4g#L|F1N88bJ~h{4Bii4>K|R)HMFjt4w0UBA_>TPi zt?~&mMBr4Uj6Q;tVZ)AKRqP8#6v4^YkN9b_qK_)W`VTwGL{z+R)IVzC^`imNGoz2G zVwVj&M&dTVkg15@eSUgSrz4sf!Aa-)&QN!`zIX=P^@sB_Lb@S3Q`24JnMr#@x6IV` z>U?2lXrE}59ah-eoy`px;z7FNkxj>RLnhuh9zJZQbRwc+nfC-ga&zkm{phUovm(bG zu}#y}oIH9YD*n7@wlMj6OF&S=cSn1482jtJfas=-=#$Y_O=c!Bt?jGw<0D=j}ot)2MAsg8Wu_-4NsA~Ji%ZG27}pxV5w z{Iq%N=8dNMR)p6zcUWx-ZH=eP+`STZN;@(0rxt)&%ckgXG z5jCT?d^+Ln-bv?r|Ja*7pA~a9c}3rT3+x{cTe`q8akQVxdS&95XS-aV8FMZrzGp^3 z>g}~N3c}yryy=|tyS-nY>smAj_euNlL))UbpFeyXhdsD5qmS$N@80gy?a`lpeG@QA z*0>pd*?Vr4ar61iVEfI*ju3ZPOP2qT^GCD7iYhK-gO9{XMdir7w1-gtGu1~o$6o9i zyS(CJE}zJc49$N@}-Jd`CV@OoKfKP?hfs9 zqyIEdpV?{NhGOv*A-W;y7hMP$hNkRN=EOy^^q~JF&0HB zdoOn54#R%dDfN5t#|1P(^Zbwr7nb)gopiN%U|B=)tKmZ%1Mc7Y7{Bo+GiccKo!3tc zytmU@5ukSdtj7w!%06h5-)laAA7E|2ie^PUeFHsAKq%HaiR{>2qb@^kpi z<;9cu(3Mw@9vfOa(Qi=I>iVUps@B%szC7ZE=BgPZH?<5{UH#~XI{m0^+xF|9+Ii4) z=Bekm`3)Xjwy*oqz$yJ>BfYiPnU` z4pV;Hx#{yMf8PJc=Tp%Z#|NWwZX_2^Q?NaUH7(B8EpF;0M1)NzmIKi<8tsFY%y=eU z<(;W5IH_q~(f^aCPRf*bbCh94dlxhZ^skYG2*rxlS&`0nytBoH6E)2p3SU#sk>;h8 zH+++rT|U>eVzObLdDipipR$Zq`cVO<@i`!^%MNy7uRxPob_}Ph}vC~_FxbGrV zd3p2p#@6?Ce7!lx^2pEIy;u4wahWGC)wsOq*f8VZf#s{(Rt&Da+{Ok)7&2-`r@(Z^ zgl(Dje7OCGqtBaOdF%Gy%$lm2y2=R?!Q%Ybuz7u*Lic)=>Gby7jOo`;!2bFFY(D*; zwxAR)?JsVhsL?*Er~b8dl?;66ct=mD^byV#jeTnDxXEJy6tP3e9sWDT4?I5L$<+v^ zJv}5}p-6Z#V=Mf!vNRhR6m8Fff7|o2HZw{U{3rlksH`mPN0oS}(w4>BX}Sh3W@QO# zOw}Pc3FXTIn4=0uA$2FTy+MU=pLw^DhVf-$dhqt&YslX_cEaS!+Q;>Cp3&V_n7#s^ zZqs7;Xs59Iuk!uRI_T@GgTQuMSR6uX?4yYCQAMTsUc~qBFA6NEgK7TUdgb3l+TU5L z9w+{9)~vtI!uK@4-cRbr&zxZxLlA<``9KS$%vHF6Q|UCgrRFjsv5?rla7Bas=I+HB z)OGG&Xpz{9D`FXcq=f$!*dJ|S{7D4z$0cDG{ozs^j#RFI^T7^JhJi1Qox9fvTnuyf zRtIALC`N;F;e-MQr(nnzFYY;b3E1^}uF=Ay0RiogBC)8f)MI}f3k5g=pRa%?d}kEN zuSE#gDYuN|{pniB)T}|FkQ2eZP`2QYs+r&jqXs3--J8v9AhF6^iY*%7Bi=I#DA#C4 z9wrzKVP?a(zqxD5T!rt2p`6LvB(vwv={&7ow7odBS-A;e(i58apmu;*pKZ={0ej)4C@mas7RAFWo!MrAzC z(U1X+J}-d#$nQTI{jZA=PgtUU=%!m65clN3kn!)+knp%)#4h;KV9j(TijKz8k#0x2 z{Sd+{R2tZas!0aoK=Y*3XmI$SevBgcZMaN2Ks#vAPhkCezZ*%k`XdrQb|FgeJEEM5 zBtsIShO7aQTWk_C6v6*292;E(UsZ@^6~QJ0Vmt#Ij*5vRy=j6-G!<0n`PsE#XZ>mIE&~2yS zG_1sN5tETNX%eDbPi0n+kRP3er2a|1Dlxrs(buAZ|7y|Rl~3lb*NN^U#`Nh~XwfV0 zwYR7*J@`@nt*-v>s_=gf+IOY}aBrUYH|^HOBYum&Nro1M=$VfV)c*!I{VOh&4LF$v zp`C?`iwb+p2d*|J09o{ts1yz}iJ%Z-n2S{=N7EvjpiD7yK}hCqs0-I0*#OAk^~^ilH9?YM|?$A6$=JSb~8>^2d*uh2xOxMO^hRqN{+urf?HVS2kS6hx?$7O$xG` zKfmreWby!>@H~FB22EOnYM(*Il1C2wg#)jLBY3b2FR4(JMjHd6UO*=vOAK^*VXz;( z?F;De3((L@FrKy7Zwc^Re4iK#ekt|KgbC^d`U+7!>We=D0eTM=3RD9=AL&);Rn zh5tl3$(VNGcjwH+zGQ_E>DXSfRYB5E{DKm%%-V{sdC{ZYXwq&pOQWElQp=-Z_`xtt zXBBH)$%;oKap6eJk1Nfy|8Y151GT_b$f5Qp3?asuLI@x}$QCzc7n}#jUEZ5M_?xAO zmMt-1VS=!RUz$Gk@f+K`{2JknT6jlar4npQA*$`CFu!!Y)z<>kp-#N$t`)dW&9R>z zW=J|zN|^(bvLDx=+b&#q2|cJ#EP2;&eZ2xIBJTxsZ9J}>rI-YTp8!t7v>Q=P`P%Oh z9Qt1V#7RZTZgjYZA~69-U*^HJ&c1@j7oNayH~a}Nocqe}i=NmVdg45WdOO?~-`$GT zTh9%`bTUyDJ0IRQ`hugI=*T5Y6^9REs4qtYg8cKgBI;eT8>NePcO&)gYtNv>Rqan- zj-d|Wk8C-y*stLLI{X?=OoOK{fv0D*KfQR?dX)<59F*&r)VZTaGBcfTuol z(TzwtzZ>d)-Y`rieAI#KZlW{t#4I$+_S4>XFyV^K++-{BtU!9HXzI8{iwYRBb0Ck{^UcxemWi7r(f#>j)PE&?of(+Fk+Cz^=_tQI;Po6lz!_Fc+j<9 zTLL%4!wvA4I{n&Wl<41{p8`Lchs)++GUY@OW{zJ=NAg(|0dt5CV#8Kh9OvSqe5Bm% zjDUKF!mPA)79!;-7NyN5z8pu^!g1m-h<`l|?B=HX9mN$EF41$bAq7}x@qW72k!Ox* zj~kX@lU?y*p_!Hy{A6()K>V)4CJRlZo|5hs`llh+h*IzYaeyT;m1h0+ibIE668LD8 z#7zSPf}!Lc1=&gC>9|@uG7j_ToLdn}<<4of3AS0DG&-#07%uK7?uh4XsU1-l^!9xXYE(#JCu zhwaGf#)s1oQ*%v=t@Y>{cpo<%-j5#DBd-41eiY`5PCWwa?k0=j#K)Ovc|V!`Hd&mj z@)0LGMZ|tb9;2UtWkA1GMV>=RH;y9P~ifqI_6Ns7Z=-Rfu)lU0ni6Z@t@Yn}Y0iKg%44k@caR zbgP0L6A;_O4v>ekc97Iy(3C4nqouRdoOu=(K7+JJ?W}^(E_4bE!FS4>$aYSetK8_9 z`*UBPR>+5PYKJ#HhCfw|!>^KF?uU6XPxuiHT^-VDYV=`|a&nN=nkgYb{7Wy<7_gyn zACpL05?K5TW@D9lE-0NFId!8PsqCIz*?nevjtw z?1aDkZ^+e{5k6#8-5ihC_icr0YbRSQKIIus!mYpg0rjT)DNlgf0&iq}nX#4gzZq?K zySlTmg@5x9khx@s+RpF^IcpJ!>l!&7*^&&=ES@FwteOX>CV3DYf;XcV6Bk{WEly=g zrZm+OmJS{x(j+lQm2=o1I!;m1J9Ge@j%0U>;B}f&>RiSw^`ZSt&!|vb!2p=OD+>j0 zP8TFsAh`?jn(4S3ms*}77;I*Oiv}IPDoiWuiOPUcr6)rB6JK%%wj-)mt!#djne4~J zHf7%04HoXbIOAU|h-F#Gn;^%b%xHhdYUbf+I+$DR*vvRvQ0rP;&AhFN_OT&;JsKb4 zGLPPM_r+!aWo7Fhs%(!;he9g%y5p@@B%&aA>p;L#*hb`z*eNli_$9(81W)RTXg_Zy z+M{2s(qAO%H%Nx_3Rg@}l1}9!Ca}-B09e@NasaCWb*tEu&`$EDZjLj4()XoXY*ylw zz7fqqzz4`~2qF>ECtQR)ELgfEo+I-40MtddE|g@zJZ(1`_flEzfZ5|J%3B)|`=$z# zKIo=BsB&8q$Euq=W-B=Thho};TAbGdgm1MK8MGrT22V)ea?8En?9tJ9)Ftr^;dj@h zFd-5p8NSt}nootmyh^V+U|%rOdK0N9@S#li^gH%w>XLs&o_CEKZGM?aNLFGw33>B{ zF|OUHVIne&riIH8bDAzID?ue|z;y&BRa~NMRp|Nz=l76TC~id12sR_6QP*0ojk`@sDru!C`>d^S>f5@SC_+(^n>0968Y6zAS5zRE|wH8&6 zB~C;S@R{<$U;?NN_0RSW7Oik%Kb)jf_)Cs40k-E>pFv9oqKnrNElEX%)i?*5s3WG) z^jE&mrz?=lgSO;i>f~pXy@aTR?klW7g-1|sG7nCsMPXUWD|?{lZW4K0U$3Ht@*YeKscA^QRIJvk z4JObLCg=Rq4|FsYyl2W&3SqxECzv$I102I;%L6&)LjsEz+{ima$*@aaB? zCN*fWW1GTK6ou^Ov#vE*n-?T*2o!%0Bu4hNAki4?XbG0%G^Ugo*&E`x>Sw(g>{y`j zeNIE#PlH)8m~NoWwjlX}LOU~-94z!#Fwsx}?_$}A3P$0?kE|n=mLDVap9j$@5D3;( zgZ9H9_CT<0P)k0P^H8B3i6;ZK8CrI42+aUDQ#t{4Ii9;B578o*5X8T%A5UOYp)!|_ z(?kE8rnBA*W7mby2**9lt_?9bLK1tEXW@)Hkfx{w`XKdvqnFDflc~vcG+g(y8b%~< zF-&9&6Oqlr0v+d6uAJS?>eV5fGkt~(Y*jfl=<-tf6>LP4b>9X8NeX9p__g;qdR?!f z>_Dy^;b{Gt(|w~Sy``yKtg~w*G3d)!qRwIbQ1Yd4VyK^G&;qc+IEovWd8z2m&pEkB z|9K>HiuKp)HiG{*J5B=-Yipr~^=P;#Q@2PUXw;AI0C?N&#w)lhJ0r?Rva5SWuT2ft zZWi%;`9~d1uxH5z)O3&fczQj1NL|xUG>YFWcSFnnq;c#Iv{SHN^~7P-qIFCGFcboODFfQJQ@n*2gN4q_5-Sk?!5Ye*O)e~7ee!VL36fk8+6Tr{tj4`IiQFo#j0tqkK*oGe)3m5!ZASJ=rDN>k|N zRjJzLdfOOVD(zUvDP&mt$IH)QPnXIMxI?*9=nzY~)%AA3fX$d2kk<)uMP++nYm&X_ zMw(6U`U#m5I5`&64CZ2!muApQbo#6eM0)`!dy#&Ws_A9DfAqnAmawS&)n~!Uxow~v z71`8}9iBT+ zrDHPU|49ZiyKJR$6QX^zb|NjsZxOr1Px5qtC=j&QjT|&3ap|7b`kjOxH(O?p?53b^0cJG{&*TR(D2h<;2KTdy(>Jz}@qYqm++f$fh$sZ@ag4w z615}+dDw#k8H>9f&lQFm-U`Ie8>7`LV10n)ambUFeG2!+4fC>*JkLin<-SOB(?86d zjjWld^cIi^fCZISw7O9Ff)PNGk``ngiL58F=Q{o{y}%sc{=j<+XR9S=UerN(TgRQR z;zZ#xZYrr}4EbI7JmW}P4DPA|+Rn4(>ZZB+vUj$IF@iO(r*{EA(oWE#7oA#JHDx+7*Y2_b_qXX!-)}d+@MS%Ez?~$%#X* z9Rwn-*rJyczEw_S3;GjRf6VRWujDL5&N@x@aXwW&v7ifTyjpk+ITwODu<`1?CNj)? z(cK^&@E+u(+?jN$X)Q4>t9hNXx~4OxW0f*&11hrXYxZ&3`l~9Cs;f-Bg1D{@5PBZd zTe{UwBzjpcvuOz$=WO-!p=vHteFjxCJ;#9tfCZ_sX?j^X&QEn#+s~-DGP}kWORA+*std6>91~?0s zo`n|V@*7ReAmJBNPnH(*i;#?q&C_S?LiC_psfx}><`44aus3O;qXB`l|2VRagPEmq z-O-^p20A7OxhH#9vk}(I^DFI!DB_-iV-20v5BsfXbH9LZ=wEeyq>kh3kM z+3Q`I<3@K*KFRqg5oL|II8$l71o zPztM2w*hU?Hzi6p-K#9M)bm{3ZO_*@&ahV3PQGdST`eDtfYt3N*Z2U_9F;5EpU!a| z441y4QL8@AgvH;lfWlo-3sXGdE!_J6T^Zrl!d5Y}4!I>hF7xYP@f=H*)xSzA#j`As zf+zz?2kpBoE~S(Bml!#9oozj5c8x;X>m2Y3u%AZgCk3g;0=POmb+lEFwfB9e`8enE zNE&I4^e^?2LKLTdwm!(c(ou$-8!%0hdng=v{s&=)O|Hr1sD`N=BcDO#8)4^XIH@Yk zL%I-^J_Z8!6wF1la*=gCLJP-i5<>&$vg8BlJ{Mu_8Q7Wxl_{y@-y)H`ApSBI?+24% z7B$JVAj|Bq)~ox{tuG*XD4Y7SOQRGUI+)&5qh$F5!k0SsGVanndu86=`v&F3cLK>p zeOEnE7Xq?xj3X6$Pa1Bi9Yx4{oQnkd>dK>DY+I<_>UpPd5Vjax<^pOpZI8HAK?m9N z?QJs{C7v)9kjgRc{j?`&A}6q%h6b-MM8$9EYWS)QXzs3|a@^;(dF)ZSKgXshD2{97$Rflz4{wnQaT? zZLP=je}oWoYS-q=Y%>t-GJW}>z}it}?+k7;wxLClfOt=`o&q(eI%|qgPP7`(I=wx_ zvPvy_2t8&B2$bg#$y)QFV=O+pziz5{EFAE7R3!};dl8zN^D1KQayf=l4Q!d-se76h z((&+~iK+R9&pPs<+Mk2D5#VWYS#L7wEFZ9jr9rfjdlBOmQxJcuW-Z1`(op?SF2^!h z%-i87-Q#xH{y{J-x|tfQnc;_$!RfuY17$_n7UnHQ%ko>@_bpx2jqlvMQg^cEuF%Qw zb~wuut15!5bHC^GB5W=h8sfeVp&cx*gm_nT^W8t-c+Bz5%pqo0=9}n7ch1JoyOtyPWHd7Y6bW3Hh03uL+$shDlX8DP7qhb??QqJzA@BKy@kM}b@IA-z1$LDZ~+ zx(pSG@=VfKi_Fs83A$Su#N-~^nq*Hl7$xU&ktl9ZW9%A(EEiR#gsvApkzsl`XiBPg?~nsm~TnMR|Fs zE~=n2Dhl#WK}GpN?qMdgsy?1A4bSZ8hq=;s$QpMCX(W@!E=(-Bq_T1Kuep~tyO^$~ zhvAJS*pvS?87sSx=St;BC+G*atM#KpX@jYh7Um#!L15iPVbSt#e3*JEEiUYX9JBp& z2ldX)uyTiOY3&b4>j~LD6*e@j9Y)PUfbO=9h11g!*Ux#&AMM=PsIQ8azwm1vr;a%F zfRwv4Yqp5~DxzQDC2G_AS{GH-FSop_HNH;=o_(I=Hud3n@Vcn^mIzI=s9Sx{J*TQVn(hZ5I!>_WmqH_hy6y*6)AvTR z;52^egje?(>LMF73p50 zzx@tb#D3R79mt&lLYmdonHoVC0+WgOX{TBva@;lmem`p#rYAv#=us37K^EQs%5Li_t$i46vo6E8 zQqALhi=G!<-4*tR0udJu1m!01os`e|3|GP75HPsF9Y^PaVB4PCGMi$uqY$WD-+N^t zrXT;d4XkBAzXEc%tANgfPzG{ zf1Tp)3}hVtXa<64d)C{@1H6jD3kqY9dDANw6!gymIIKp@y&tQ6(j{MSAqE<8^X=FzL){Rk$(T>_CiS6gZrjdIS@*?UVWs48sEj z2m8;yx?>`Al~P%TRi~jkP)OeurgrQNqyu~kakqX{hdW=Oa_!_8I`95luuOv$bxh_` zhD6$Ub-sQ_pe;D(ZV2-+*W202N1?21W7UI9MQrV0ME_xI;HrQHRR*bOM-Nw99|WwQ z1nL>>IHG>jS`xgvCxk=M9Ml#xh831#+LZoJ%Ts}lgMO@?~+V{Dnt2&;DLVk6Y2 z_1!wKUqt|MYRw?;Bc}VRailvvP#gO@i)0KQ>R*f6U`$TsPe0Y@{-5 z3N!N#DxjL*OiyTC!41+b3D5jNi(}ZHTJ6Sg2MqDZRO0A{BpLs{^CZrcKUcHEH8@&4 z&0&LnUm&SuTQyi>24ZpNHi)?}Ps59RGa1Jn7XjQ5k9S!HgwlFr9w|!A$=+l;L@fX< zWmYgOCMX*UFg+IW^R@OzUdyZt556 zc!=~zy3tmjVdxyPq(wNEW4XnYQ{Fu_&AbrcMydOVQ9kd}=+Z(G!4?IsKLNTk=r69q zg~%{j;%DpiUKE9qlB`zVPv~@6OC`S41DHt<*XA5YpVw9#Hkxmn` zzJbVYG6|%BBN|rAP+_a^z694TGXy=jVAa5EM@xK~Np8tFMBhpM4i@6110QO6gVgRp z=U{%`9<&owo}^jcf-jfb2z>x=UHZ~3DPNTjRXnN!W!D1yTp(ZO9)awy2E#;^_^AqW zrk_}t^mTJ%V8QGigX@??!#skAa(zWYm>AQiiRP!gOSufwCxOl?B>ogj!l60wU~atl zeXKgsRSVA5v6do|TBeO6bhBrqbbxtTJ!Fa#IfnGm&0z6eeuT94yA4?>M493uRR5M`-$tj`@VZny-(XM(+Kf>mYl9j6uu*~Q5-ecKgym! zk3-{Me${nI0jhRSG?T|&b2bIQ{-&dLT`)c1s6i%D#`IDwk>(?2CvOCpups9PT<3)vci0xxg)Od?w>z0p>?xp;_Rb&L%qx23oP~W?k=Tzzi zgAlx`hcSWnu#F*J?>M$=jPRA{Qq#ey^R(Gf;7|WL?5Sm50lI8{hd7mx=L+Ol*AfMv zR`?Z4e6RR`^d9#I*b%Jx=VN94lB#7ue4V*~(dkTt=7>~F5a|!f)5W9VB$q)B47o@dZs!if5Ex!iJpc5~! zObXIUEW4EB3hoU6@je$BE(X6|i|8D0A?o1>RCwMePv5vFrn0sUMBlW;cBpEJ686v1 z2Tc*qZVFqM;$-7m`m{TemecrygN~o2bNB2Zn@lx2Z5e6VQP3CF?_>J9!_{qI2L#B> zOUPD0x`IunMRZIHV39Zlx^SMfGMf{c^S^@n`TTXCbuIfXVUR8P|6=d`!<#79{^6N4 z1DUkD?QT1vn|9M|XhM@VOOrOCP211}QfQ%t7FukfV1NPz3KS?$k};{nf6)bAaBiRbvd@AJLh>w2%}kB94`ZL+hov-i&4 zGjq@9{(RWR+I=Ixf|0}bS^_$3T;SwJHg@A4@8FQjBm3XQ(xkRa-bM9lLX&&C6}PJc*3=6@TA)adR@b8Pbp>&}pTe&37TYVl?Jbk(T%sj5 zPTisj&Yq^;r?It4;@LzN;I%p>88%o(n!1{SowK}#Wj0ALxhsE(+4#o<$5tbssl&5C z#zzhlcR^I(o|duL25KL>^PS(oF5cdYZMnvGGXZ|^pdf~Nx^|TnA+EZ4PfMTH)ouV9 zjW=^8>K4Ss!&0O?p6{naZH_LELge7}PQ?@Lk%J zcUJCXlR%wFC0v*Li<%ZEiYRVLl-|7k;_?v4L zWW|s;vK7{Cm&30$$Yy+C1U^vfY&xUFdP*B@vOVks#U$4{uLXJk+Qqd-PHnmbp-<%= z-#WzXmZ${!&91Jv(0>=&RZo(0XG*uS&pXm_BXO`vwV(;Wo8y56WpPag=AH3CPZ%si zr`O32>4Bnj+Frb`@sqv)=p;Llx(?kw_1Wiye|R&r8XIaqi$^eETb zJUDc!Acpm_Pf|U|Ms!WBkT(4CSxaN9qhiE18Ha_X(%Z^~sxUGY2y8HfB^t|GPFfV2 zn^f@%npJ|zj-d8mVdu|#!s1vO8-8zXsxz)?C#HDLKqP$JvJZvSlCJ!`RCd#W^-ZDj zt;8T%aTZH$=}~FJ108C#C;8k*?go4?fn+tOfdt)iz{-m}cL4?W#0!(yB#=iF{$W3S z4mh&U&0Y1j;8)*E92wauQa(b*oy8_rsII7aW%x_5Q4u@uvHywJn;5b&Zp7Pkt|!n2$X zL%%EF|1J}z`K|qw=Y%)e4p?ph7k|CFI}IR!-t2DL+Ud@ZTgKd{g*EECd7;)OopKJR z^Bk2@rCerLE&(ZJZ(B`__^?i#7HbIVXlEc!c@(>(f$A?h(yziD6}kxe25W4#XxIMc z_P`rO!=sAF!PW0*j&rP4Jon=X}00cLL(M<8K*>waYv8B_8LYz+N<65=k|{LzXB75Sbb`-@E`2*av4 z*Es|R-b{-}2F03|j6lyL`d#fbr}|-oQRjGQWJ4@06Ecu1BlKCv9+d*hOb<5ZN=V_(&!0vKa}X{2oLM-w|Hs$;P9 z0yTT@Lu|OOJ<0Y4v&ISa<(kGB)!8S%7MDf4@+e%Q=TTo zMbsSVs(c`)e$r08VvlH{r|_uwkUl&>_Tfc7V+>p|4+%xq*>cd~=|;hP6AMxO5#vTZ z-J!Swe=FGhC2f} z3Ha^0IMc-FRhz*RrFE|y0EoYD!4>R_IHKNlXMh$b2k&(~hH+6oa+E}m90EAhjF!Cg8!#=^lt$#-ieb& zb|RAyjZ@hJCD5kZsW6bGIsCD7dLV#pRu12}{Q@y-e|5ox-LM2IeeoYZud zZjqwPN7}xxsjGwLu{Yd*hgDp4V(71{PO(Xzd&u9mB@21*%9r;q{i zb4Tei*S~DP=-k;F{AI}s2&UOf+&QS+)zaMhfwC0$@jNOtK?e)Kgb?4UozcZ`yx6hU z0o1iZAK)?CRS0wC*dyPX_FJj((0eY8?Fs7WZZqvDhSd48YT4O(Nto>2fdf^hbUiF8 z0|Q~K*@OZx<9Dyn2D~kPp&oKmUqhz{2sZy;y12hXwsQ_wzEEbmZ>6uGYs(O!M#>UA z(g;gj>j}kgNd%KtcaypmgdM+`=k!CHc4Bp$#xvFC(+TgEb;a#(<{B$6x*~MXLWy*| zDjCzgxjk(YU7LdF!M^zI5r}SHLZe*ObH<_vw@0vcjSnPak4w_Cdul5kKPA3B7JPBp z2;|+RdGH(pB(mzotV7b5J&FptE?R(|CmL~hf3~!20V=Qqj-?8|dJ=^XX_4;W>|M7T zS8{ZK@l+v%74PAM=V_vCq05vB$Qqhl{kr2#u0RJGET*VirK+`{8BzNoP}5;Lvmyu? zvkTUsIU@j{gI?W(o`64`2>j(QI`8tX#&2UPU)ug)Zd1i!WN^n$_n;k}$Ug`@n2%O( zLQlXSPQ-s6-4rm6k1bx#FOF`k@t!fOPU_Xf89i~Xp(A%{9DOHvZ>K(|*JkHX&XJL@ z1@Shu*y6m<6DCyIG&-@9Grbw>R<*$qAKJ{^reCAP8LIFTEEU`bZ(ra4bkdK_EE#<<@0uhy6Kj1oWSTTJ(_7mkm77n=s@#G`s)g6re50;Iys=+V^Xou+3^ zg3tXTp?8l1Jvw8h7dSU+;Km13z>g#;*WHSNk=)y^DIG36U;WgHY}h5-pmFte9~J$5 zu{%R!*kf>AY>a}^qo4x_qw0XOAWq2f#cG~?U4vUuw(a!7UF+d+>$8K=eSaDG0?N3S zQxO5WLK4kp4SQH~LlO;Sk3Fb~WNZAM5e(F%z+L-?Y>h(KzZHn21`kh5OPe{p9<E8M9)8^bwZDH4bg$Qq=LU0JJK-{I?DZpASDJL?Lhk>#ASAwdyU)wkzecNj+#+6>S264}334w*MsK<^Pw z!)s6UO7)%_j$G!ayk-}`|6az)M^3rIj(hD$uNzzRr`P@c%s(0~2kN}e_xs06BRKr) zhyHk$D-(`Iy79HAakZWQk9NJGwm)|G-0KFqY?VldzgF)x%lzKk{_K%mHMIMBJ=gpE zwR*1I*|i2{-OzvkyER_x7uo;T|NrxR=x+b_4gRmIzt-sgywD$d>;I=~+G`cuo<4QzxEWWnDtFx7)v)7ZZ2R)wuZeBZQOLskUmtum?+^UfwLS%J z#ueZ4``GfoKDh3Geemy-i2wD$buegLdtd(3#sB~0ga0%w*uabfndWjXe{@=ezF=(K zw3!o}Sug>GLw}rpcD;Hm@!B6yJUZ=ahCV(Vi)@Dv+~`lcjF~!RT>bbf&U76%Y{s@T zuYfDv2|q5A4g5!af7--X64~3jfovJR+{y=HZcc#f24>DIn>wX#ymQd7fU|Fw)72|G zH@+kh>2f`8+)YeZ`aDbjgzvx=NZ z=grQ&>ocN4gw$ZV@m&_R6gpj=598p?tuJsIDE5_x{%7Tz%H8jLq zbwY!(i%;PG(yz!{la96SEbAdiW@T`i*BZn#rM}R%?2=ZDvMZj18eLWQK~0$;lrv4P z)_Pr55l@A6x;DpEH4W=rnZ1H?khCJ4>#k= zYHP$jC%&HlvVlsw{)bJW@wkJ$+2T*3!J&KucI%?gEmq|{o zJGa6QO{!^*(&pq;qybFbg>U!PAZ>OIsliOW9n9sb+ON^&WC8&!+p1xY{o4X69{R-} zx=k-{R-zc`OE>f+=p)d{{mbMNHB#DFPAG{`AKGKz*UrBZ^U1+Et5U zfaoF?{zt)oE&Px0oy5W2ME>C`zYy4ErG_oJvC}2$t`$nuT`Lx`%zu6hbu7j6u9`-B zLzjy(lVk+lP7AgnoOYl#4w*HHQ3)C|PSik`>jooplvx7>qw=-MQBbstnIvFh z>W|IZWDWeS%Z9=UUCi2nK#@7ZjG;JA&_QQLi8`|u4t9aRuZ0Y~JiT~o({?yW$Oua^>lc?2!p|A7D0JY2Ie_+qIFnj4n4xL1u z?&`rr-L*ayx#)j>3&qCmxoS>L#GIMvX0T7b25h6b8UFW2U_!WMv!)O}6{12-GS(u< z=Ss|m&t^P=q^4%WnVAu*Vw~UCj0&NW95|G$$$=t?z~6E5kJhSanp}5vyo)j{kFtIL zDOl@4_yPU$Kb!bpH2hDk^>(|Ko!JQd9aqP}ua;=~E`}a;J%|tqW|#&33Ri{{8%cGR z<+#g&6Ox<}N%I}AURiVFk}Gr>5ml%w@)9Y(D?@>FtyFeRjHhmj6i+ zfgAq>#EoyofNn#xv^(`(bX_GQE%C~_+$@WBn=GVW*2z#KJRrnXrz>kw|dMEg*Xa z9v>-EmWv>#H6}vH2b}MTF%gnJ5E~__QVH7$GO%nHO>7$KFT?l={4Z;1uo1ac#D1hh zP`Eyt<00oJw2uzZ&YU23^DfZXUt?0uO$QdScK;GKF1K~bs3MM2^ za3a;)2eDCQuON0eo`*{yU9{{VQr940`RoykR(#&o563V``PI`6bR&&; zgYPI}&)`0@0P*C-_+G6}7jK|~P}pRCj`qVNxEqqL*z-CKd_ zoh8@rT%STR{7x;4<5sXZ&~N5D7Rm#;5$bz{#M>L#ZQKR-ZVb0XyIDs=3NM${wuozu zsi+&90eXcCwe}(Hn}jKAPm@nOc9WSXgR7BJPScoR{rC)=hsFm+`I3Pi0FfWaHsI>` zkUnGuavic$-HM1OS^W*ulW8)_AYZGw8Ye>)C&$9%kKT!MiN&;2N1D%m$^p&0aLb$z zHKc@WhYib4grB#A%1FVxq=$Q{_UxUePF-k1`DxCHSCVLyaXv}9J8(~FGdZYqcNcb5 zDq7z1TT$ia`lWP9FdGYb!u`O@|Ggl>Gc!Ixnb4XNoQkX~_UrLPH4Wn(aq3>UX(50W zTS2takDPHaEZE-!3B+vzXWhG=VU_eY1*1#139+<9;K_qh0XMK1m8DQAaX- zzeHKeb)1tt7wO=MWgcXis3S7j$?u^w@*cs&RctMkHWD*r_(&#S3o;h#0e0$}gM=M1 z5jhxZ5bamqbkA$L2j>QCG>kgF{k6xw44sJ^6OqPzD@D}Uid;ccBrXyME zPC}N|00yMHzZBJE0<$}D0j}<4brCuX9HDdW(i`)2tBT2x^~J_#VvqgYnF<|Bg;%ST z#o>F}^empuyGVEXp%5Q_9%u85V?DRgG^LQNqwa$?Je0T`dYx>Q z4culpL1hTPLIQ)~+YF?HU%CFh94>;dz8O{9kE&qfqEWLy{g3Q~{*)Ify*kP{zSh zU`=p!r?$=u>^nS|N^~ZZ$b4`64w5#>HM7knggE-Dm=z@ahAieM2e71aEaI1 z2s(cvvg6fQAecB5uLDX8kR-;5+f!%|3(`n7i(kwGRe=C{xS%NeWgOg@^Cxh)yB{Z8 z@XvT!=yY|8v;d$28-365o!@uPWoc3#+3Rk^WX9PH2FtpRj~HMW@ZXP&=Z{l{L> zVs{q56tHrxa8kn^)jWt$%5&I?;QdJY+}DVt3imt6GYwwTq>w^BsInt?r;@S5_dVi6 zqW94#{Gks7Vka#ak6nXt{gL^_nJBLGH~!5y;|QU6opL98M|zNdIW9C7Zgi^XGtkw6 zS!Xwsbh@%U0slnh3*X?W9s}lp4arcZzwf8|Z``9b7NZV7M#|K#BAM>Xz~dGozLWx> zpL-h~CmuwDzIzccjT79&1}pr?$p|M)y$J7GIXw%NuOMzV5jI-CRjMLRUY&|bHa^O8 z(I9w%8PuZuY8aG2Hn2?ItkbFoN)rOBNv4Prl~aPaZ4?u#7m26ii_O3X{Q#(97W_?4 z0s-&o_H#H4%gZVia{8 z)Y-dQ-q3Z%9_THeh?_G{YuS`QoJ?OZUB+j9>yW+Shrr)S>3k5Pqzr>UAa-6-AIl1BR zu8v@F{#ryH)2Zfi{)iE#7$)`2ST5z{DbftCf0}ARFe|VSCu9KAjgFh*z}-#|&XFqX z2Das7i?Wsp^d{?%EJ2q||xV!v@D12O#2~2@$KCO zIg}-tLZ3*ntqXIX=Bix|kX`1vJRz3L^E|}e0*}sYbSmU_^?l&XY^ZcD!Hvoyajfp_ z-PS%(aW!wWK-dST*YzwoKwhx^f=#|+L>2*#1qLrSS?S9{+{<2=n5+WQ7JCvJZ~R8j zABu)yNbvK`dMpBgi>W(rsMm`lqrJC8gL-c_DO+3_4O$@u6+#?P$q&Z;=meH5RZ^Mz zY@40!u_mY*4!>O2kI&U(n6MZ+WPbn!PU9XXnfLa?bb{2%){&9$Vp(?rY{TaM5D^fc zz;EEy(p+pP0z#>N;w7DWl3*{H7#Qf^jL2|dqXYDkYDunp3X(on(nuaQV@@u_H!>r&NZv7Twj<9gur%15!+cF*Kzq^yq@qs z^JERaNqr>>$bMGtd*8hhw)*&=rM#}S&5A!lG2W=I+slB`yEVzt#lX$Qch~I` zA4m}o@RqXz7wiOTTSGq`chY}RLq^kehC4t_3v#JRZ|Hlii+y^HMU3H9JyCpa#P4Nd zADwAjirhhtXw@f8*;aEHL{;m;<0sdt3pB z>^^u-Gz>uornH?Aw&Qz)Fe+J=2IPHN-L}%cf)@jf^ zUL@~~{2AeipocN*WVWeZuLiL6pjPFLAsxRWp7tyrTjB2#p1i;RC*3VW8Ml{zBiS2d z`=@nON=7`{vl(**rqk}ycwKE?D2+yI=(gG z+|3IrkarTu)s(N0#L`i?ynM}mEsT)#7-q$H;>T(~CSQ|YEhWJZ5t}Z2#)P7g2-Q1g zDB;O?X2s1&z7?-vhcH)?hnHncP7wy9K?kq!IA{-+VUA--*jKog5S)Ev)I{=?; zv#}6*rF6Eq)_|MZoE@K$c==RYa&a51h)f7{sgh|kX`>AjlMw9>UijQ%Upxw))9jt> zABp5A;A^2d!e$oh-;HwpxCC$Dmb&#(#?MWmS*YIK7jadt^TBxR28zW!aK7>d7gtt@ zs#1{sHgb!s$fNP$P@uWk^$T|Uf7Ow}MVZLTvrMPX2TVJi*kyH|VfpfgvdKvPiKMU` z%egrB>l({C3a?w`TkT!=Cpn411W7%4i1js&rx4Lj1UI)URu)^HW5cjbuCni=(_u9@ zoHf!!?{GvDnxC{kiJNEzNP2V9p;L5*l)yT;_=&?2$kK0F@vug%)RX6YI!$1dqeU-` zhH!B~Z~SAqSMm@;=yPu|p&$9?BDsv3sc*hfsxJB-Ny%Kn{*h;s#bO;*T`A0T5JXR%+n>wsOdBEDa(?}=`8E{sw#}Da1tSuXFtmYdv$Ux$USD!V=Zi}`wK1Jpc;|0-F;J(s%TUoKgc0tq=(!$BQ+BN3ncqND8p;EovBpO_qG%9 zf#a5q(cEK>g-L*D6U1uKdr<-hD5n}zqh*n+Hl2y)vV_=y2W zx{bN%$Cg17PNYvl`^iY+Tf3fR)68H>0%~Ey9*hHcWCW#Xg0+3S7vPfdP-o8_Q8rQ;DvK!L?dDxwZib{|Q zgo*t-onlN*=g-VaZW=cklN6x{@^neN0$zK1IRY{i2lo*Ju^LhenJz@~Z9rvSgl{7m z_^Y-B?%}xk5qzsq?~2!{88jXgyGXn{v>XK5DVmnq)13U zpcY`5zG${bL-=7ftQKJgN=8ULWK0~*g8{k0HwdG;vqy=nWV9|mc!FEN2a?EoH3M_C z;#cONjJS0GlO|=p(TFR8b%m#nW4}ykn~rUh09@~(ooV1v1D$JuMK(CuDF~_TWbr5C%%#PLe!^B zT^fy7khgIOu^69>uKzYPR?U}7c5B&c{K$Qy-Da%Zff7qc@^j;)d*}=9{kU>&1F=5< zIbit7x&*Ed?qzW4fgHqfk3c8WT=&KF)V`)6pYxT7~;U3Bm{%QiEYFP?T3y{_rl)Nvpbc0X^%Mo5=kUnrV5 zHkg}_Q^L`z4{=N3X?XV{{0}sR#h>hf?x}f&$K@9i4oR zzaOrmi!C!O5O}k}kQ^#tHu{sw_oqwPB?pY2YZ`VK`|6|$+>0*q57P0E7-4YWH|s*9 z*b-6@IL1U`1x2ri`%CY({KPFHjM`bV!nb{d_3Au?>$U1y<0QVL+x)Z+sSWgO_DT86h=K%*VKTeyQ4!j0;KGoZiUWmE#^@cW`m+38^a3&wm7mqG*9P z&;_gL+p>3f{7r=tMV<}}gw@+@dj(6h6vP&MMr1c+VeVwP)}BgOnPS;SNf@N-c$O^G zc~4^3k3KJwCPU&-^?~3pBn1RF9&uuclqZeAe}Rk>PEK;(MNYZ<04I0=vR4YS*&L}7 zj8*g~vTCH2s|bXs@6-!}wdx(t?``kK!IDty8*BebR!nXBpoHoi_JiUJiJ>I$)LAE2 zOM;v(*O6%H18FAp!Jv`{vAEKTLw8y4r~f=~7fd^&X~<)Top9%T)a-}hGN<)z!wkMI z0K7y6kI=1L3CEN9&O}=myX#F_Np@+~!lIEqecu~u9I>4({vrBC?b&4~=ZH5u#EXJu z66N0Er-BrYI*Ia&404Kins=L#_*$BC4!ce0anOzLg2@yaZtC5WI1F9&+Y+qC^=a|PX})2 z^2%2cTksL&JQH@2+~UKyT*z^x_aMuyAG91Iys#fMno7BDkQxK3cxQYQ5M+K&96$+NZ@rDYpQm(2Cf-kq8TU+Wj8#17ts^jfCx`Zs#r%1pVAm zt7>U-38Yb4g=)@rBwDMU-*ujUx#GU{Cx^g&>ZK~Y3zyRVz&$rjC;M?3O#as5sSZt2 z-FeKyskqEHP)|IbG^*m};;|rX;H@qzxJ2hW_s{~_B>N2yr?i~*O-A9<{2j4Mjpa_x zJCiB~0@A%s+?IjG;v-x)|9nJx1&-2v25H(Z+8}b;L76Y@D`kiUl;fz56RcM>>xhy)6hQj9iG+ zVvVrVC>YqR(_ixLVFV)P+@UDmN()w;-dOw)HnyiqLhdA=12v7cPQg=(htWKUfJ{K* zDcbQ+5ZL0sz%q@gYC^@k<>wgWt(5Mf3u!#rQ19}A9JP_Gs_`Pa(zigv)#D$0PesW+ z!|~2?&p{!pfg(B@j_scq#p8_dRk9rY1O6Y z<^;~?ZYmwrB0&6YCoCaE(?hWE(GVN^vO}oNBQo6+h@r8vStxfGB3O+JCQumI@7U&K zsev-(cG%niE(8c{HMQrGjPOz1X-sgiblcrjm;+uQ*Q#WNYavV>15{X3>P{XYCVw<} zc>k@+2KCl1r+nrJCd7{F5{XULzA=ifTQ>cD6NN7$B$N9N3$fhJffj z-mo_Y&tOXoT{(OK7SH`?E=!P>u=o;~pS}lbvcX|FWSqgp3%&eHqLg8zx#+Y8y;*u1 zR5pVrq=U`v9mgbKqX<3G_9N}ysVVEDv1J&^XvJ*(Q9Bm0K%+wv7HNw0_JD^t{Us!@ z#s@_HE@X)o>66wDczy0ClMi-Kv#>&ll_P@TBWbJ$!1Y+>a><0oY@7^y*et|>HX5md z@d5w@`3`MA#c2NyqN|RFsQ7mt%~Nx_h$H$O;b8H@hh|E#Az6yuUMJ*je@lohZM58y zNNZrOH4r9PrN+|10FzmwfsuEHL<00@7NT$YPeqa8)>p}4nqB`Lw+%u>+^xrMB|-Zj zvaBS%3mNWtaBU7=4XIS*X{}moJg9f{61Ruy?GT_49nt%9UQnsX@w-YUBjZqeW48dznyCb_b$E=+CETD6L_ z*$$JZz;>Kvecw9`=0soFl%dZ1Oy}i*!o@WFVtS=FeN*7YbiJcTinxznXy+^l8K9Nq zCwe>SJ#i^&c~1P6@?Q(q<7ArqewZ4C_sTPXpVn`5=v|}mF?SzSIoST2R$Xi?v+}pZ zIJ(A(<+OMh2+4Y3j11f+7RCq4fmrd*>QAxgdk52@_BX5GeM~N!4k>L?x!ewch` z9KIV?XoKJ+_f#ECmu@E0JWn2MluY;&=WY@s{A{15da}q(J|I6Br(;e~y!2%twvQB- zWPxa+4_I+(G3^yNOVsI&$Y}sCbvT6#C4H?h`8Y7EsTY0~8>rd08UZ6`prGZ&z}H%} zzH}+SE1FK|?Cse}qzk*e-Owi&Vf*=hP{-?!dl%2c5_bnIFY9UoZmh@^)CbE?K2DFn zZus2vB^OLbux%%2h0l=ba<$xq7dPzzmE;oS8QyY4&cTaVE@~dP9(jt1tNb;>$rEui z%xPs~H%e}eOx670-pi0I17f5MW?K_+EwF^cuCkO18#qw40};)~2Jexn53V7Z_hH4Fxll~t;mfKK%G)gVcdhl6kKFaD+@ zOIiHB#c+WCG9K@QPFBUH!s3UVP)DH39GE7vM9y9MerGmp+nDTY)Q6%WD)j2ft<+AR-9dW>_C>)w4q1GNc1K3)@$9#_@X77tFX@v9XYlEo>o`sDL5TCYNzcpqkJW!N;DP-E##bcwf zdn|jHKP)I;f$jqLt(fj2F%Xp}({yStjpf@?@~TnhjECbme*aFxc^xN&Mp=fWJ3Bpl zOARI+BR9bySuMm$HG;?uhamEZ$|0nb@mv{;gG9!7YZ2qI!rfnX6e~5rHabfgd;06* zP|+8lXMwZH(qJYMpP62=u{(JMo-Vl?SWU>@fF!P&pxmlHkDWcRnanR+Ia=JJ_fJ65 zZr=e7{wEng&Uz1Fx(=4@JeO$5&~Pk2L}!b)wP$jyWd`}Ar6-rr0n+v4Yk_TB zNH)q2Yfmfyj1%9}+DE-xgQp>N+xMX##kKs}!&HXRwz{N<;SI*+nSh`n-OwuAQGxun z)>7(ST$Vo%EK={p?!FY0)kW}}R--ye9CA)kQ<|Zjm04U)$4ap>> z?q?7ULQE=vs`*jFg5w*V33w#lT@tG0dW$VGtQ+kLx@de`FHRLKy{Pf?Sn+#GjHXuR zjYrCtUJ+T-d7EDFatk27sZ3_^miaU|3pwtLj%3!Z%)f3@aObwP{V48pdlX_cvaT`1aHc^&+dr;k7atd#b5x+@o zpNacOMOZIiVqTU(@AfDRu2dwc$ey}7!4~I^{qM_v zB{K7?_m>mn-LQX|q5i7wJ$>N@^`MYRN3 z-Vw-IY*JSNr3p6;r;q~mCRKh>=;=90cZi-Cvds8I!t}|A$cBRg9gg$JEZ8D=%CuY{ zEn(us?}C0UnA;MQ%&eWW&iYCxI7*+kXn64ro#VbF&I~+L-uH25GnWGq5orL#rw*`D9hr zFo&ntnJ=T@AV~RVnBe`IKO|IM&Nee&1*%;Jl|@qGAgRm@ShWbAEb{Rxnhr|AmsjOk z;p@xDwJYWR@cp0H2|%kG>x|^B{l|50sPW2`uT(VvV0Lis_4|utftmqlcfAFFJo4}D zjNDE5at;5D#$UbH2#V{0%L*42f49OS~G7aPKR~Z?Zxv)PV;gVhkXt>u~uM2sO!zNKnxaaUQL}D--%m2v46} zPckUO;{mxv`@l+&G95z^VisHj8z<^zg~cgj%Txq7f*I1w5p3ErMaz~^hvF1I^4bwA zlv-3fis)(C_p)*#`UhW?b_Bxqg;xd&1Kj0M7%>4j9YIxJ5w410uvHUh!~hhGz%{}Af{JO^{iyJU~j48yt-LnI_|lZgtn$VgFP zZ)Xazk?q(6VBR^_NSkK6c^s*>fJZ5uA4n^Kf206)`ZjNyx$_;kL4lD_HJa z5sz(pL}(`6rF?ZMc7fotJXhHkc%rheGAII(4y~WBK%N=&#*mq16q|!DYiPH?%goU> z1gOa2&t>XFEiG)BBp4)dRbMJ%pCH1vsUa~MYyjh&qTna-XIv~!r88SPI7U6dVhJ52 z&Zi}K5U6&vo%1h2ZKXJ$8;xg&w%}R9Q6k`3>VAMAp_qLI${je4E7{fyd$>4U)0Tqo zX*wAbQIaS3FcG+_49Y#s(B^`l@z@SJIMAwilu&d*ODbW}PKWszYP%VDj)zgE1R}a- z+m=ZS6({$Vy#k*Sde93v7XXgA)SzSv2BlD0Cd3h&wr(t`6$T#g;q^?2;3gQpO<>jy zz!o_M7o9La#_?#^>aAmM=JR zr-Nbg?YVfYV6e|nupm~>69kA$F}w`$eKa5XyMf+}Pe8E(s{xN`ic)&umo8u48jq5; zn{Gf3clwgA0EgA??i959Gn}^VQ&^tSSSby#zXu6T+q}yfJw*5-SZH=TRz%AyIv{nyHxjvea3=NuMCWe?T45~P8>s2X zE3lO?zb(c45wc|HfXyw3o9`TE{X0r_4&#!f=~So-9~%&eFa9Pl8&IotWr5kSPbKnh z-TZhQI7k8$WyyM~<)WO>@pnAIZ6;)Q_@di@=uq_?P2K#!1^7i+_y>XEF&G{I-i#CQ zY=}94Jq7^{Ee1k#VACQUn8|M#vZ6~CYhelSr zVZZuol>GqqdmhJcDM>;P90x$uw*A<~HCfB?Il)WzpVZ)Ue7gQRL^sd`Z0d=C(DnMG z0(L(DNKB2nthgyJ0_C-Rr#CsGSr5Y&s+}^nX$Sx!@I#%6_!PcHyhLHMfBXan50J}@ z{P7~+Pp|fm3KZe~!tstW;i!<%Q7*2DDQQB+&KTTBZ9>*Fja%7EF=HZ#;otOpNN;M@ z;|V~tRj=Q+C;|{(tAQwiv27SI;^KF~CBXLCNI+^7lQFozYZ30hcHw0OG|OW#5HuUT z>tDp;62Mmsv-bc-dqZv@FhfZfjMg5msbJNfL^6#4?-6W4o!vbzLS4YCn^XQ6-sAk1 zBnmqKqG}|Ds&UAhii1A1%_{ilVAgSDAAW{?f|nl~uFQ5tS9$|;{0yFgYmlKWhC4!f zn$mgFH$1G^gk#x#n3FbQtMw<`?ZN_xCGQ8EK_dHw@OUBl<;YQHP@eG~?Lw2-MH0*2 z#x0O&(o3iy5b(qN+EUU->df6nq;0ErOLTchHH()fEA`NqTE6Ufe)nV6xynD?J&<*F z$G=#bVK2qw;cXvp;5c^$BKcU{)l~H*p?f;M6w-iuPB49;-}Z=m38DkSC7-;2mx3>! zB@`Uw6bw{=d{H$1o0`y-rmJ%hl+KsO({FG-5YUHgIA5q>f{BYJui*`XrLA{xAao|v zVg2qh?{@93((tTmOXZv48I3zx5S!|=gm|r*X1s|CLdgImBo#f-1@`Tym_E{j%vH&* zKG?SE#TGNbi0r8)FKVs%D3#lYGn%#^7+Uw9P`|btP9rJwOU20gg7HEMjp!DBsXjtT z%c^O@MEpdcE?f{mfITqGrLMd29VJg9MPtf~#@#&uVRR^9+^qwOC{CbbaC3PDZl?yv zIURXUnc%ho*ZNp*FpBmn2}aeQH0_B$*;X(#b@X*Cp{E90*f*|k~Bj z*nSEHN|Uh4bqkyXc>~7+;KoVVYI#E+Xu~ZWBkRPmi6&kr zzs_&g!(CP;;HRvM?cI5*cPZYBQGohghEp4tlGGM~_NEgS1yT5oReNX_e(PY8>q}Bo z)D`1A;eGrUX&yF)_cnZw&suk@*aRx=L3z*~P&xM$U! z_~_ZqE;aJvmr|4IO&xwm+@`Y+RK~lkYA#ZqZ?r<@3qU@S%lolp>$7yIkf2rV4aWo_ zcOp@(Ukk~sLd*eO67m>v;77|p!mpCP04dA1tf5%;995npy;=RP9O3~>GE49iL|W-2 zW-Z@eH3h;iyQ>8cSpo6ow_Q)bK4TpcN9$L;K~3xkSx(+1wty{sH?=`$GsICLA9t7X ztZtG=RF)6p8HiOngkOn)&6e_UVr6!7b@6zUpyLutdLue_6(DwmJs>D1uBN7EV@bYL z>3>EWjKQR!{55XU?!SfKbft00?D0x3Ip;HXwJx&13izQ-{tzN*)~Tcih-2|w57@~q zqT*<6R{$mS=j`P<(3{>pICtbxbYw07a5@1%`mf+*vm)>3<=uTjpCks)53Uq0&$k0x ze&HJ59K8br|1`6^g0vdnj`tm0y6P~OT)7c%U=MRL?2r>{)f-)eL!`U#rmz}sareNe zN9nyxVUvP~kS{t4i1fC?8+nWHSALD|$O7S~xA9XFp>;FtE9D+2 zeRL%vnIo%!S)HcQn}o@%O77wLR=SDxG~FF-O_^dx;%hR5c?}v>Z8kB zWpl}N033-u>HdGvDSSty<5$ep;6&Fc>LjP>Mj}++3$N_JfNVIfcRfOrO4<>TnjUgz z#*hi1P-`_kL$Nhrpttc|VgeiSA=tk@L2rfKLx~KMvLRGFLh#!A@%QQFL1Kx1R~_xi z4&tTqmhgo#4R~%K88-{%hEdV{vSqp)ps2gdRu_+dRivk1ly(ep6=%p-Z0;6B1Zi2L17U*!r-FH#y?(g#)u zAgG|sg*S4{DkmNjar1@zLtFywP|ujr|j zEHLV`5UXo~Y?#XBH4_j^bHys9pqYE*LHt(_zv@}m_d?Ie)IheE<2M=wT+4b}-PTeT zaHm7MHx2@aLHm!8LnsM-v8hhy@}JFOrM8!Ky9bDyW4Ow2mFoj39h(kznzqT_WE6Oh znj06$W`O3zkmVLnqMYhs#A#(TqiQ*-?>%lgqUQ2nNC|#fdgzGClBj#i*EIKWCDU@N zUOoW&GG`@2WgeYWau$(6yY7;53!dcl>3potR2yTMu4|dHi^Ct%mofCTV$1%QVB(x6 zCM39S>KGXwLZ1;|iEFw9{a`03+gXp?PIzjfeLMbgfeA6)g7enJD$zVJiTVAiYtZBJ=*KwT04hRiO zm&PBkf7TUm~63zLN&q!7~Z$yfh3gtk+YVQ z97T|`oCOp_q?{B4wI~Q4&?2CqsG#_O3VwG$6n%a7x4*sjAN!Bj=lPW+GqYyRT5Hz2 z*L`32bqT-Yg;Z}TWjkx5G@z2$nfs0?2M#D+k6aceho9{n3W3>l4WsWZ@6t#=ML|b= z4!d}1c4IiRHM_m%2bh=+WZ$AU1fBRp^M*ZOJamn?b!gPnB-XLAPUaITKf!nVOQ>!) zY?;<*7sWPQ=Y<*2M}v~~oE+r4inQZZ#_EQxx(!^VF2AF6Lu1)eY6Nf@xcK86WFS7N zk&A9)_Fe`_EXs!f#ZB=Df$TMAs35_(&2V(Zteu+gh+S30Z92>EN+;$>n@Q87g%t-iN?jKP$2G&^{W;CZ8df_N>eat<4*+Z$fkp5;C7 z5~05zm0zI08Kx|Y5cpy##J&ojteY#O;9c1j__$R^nTu;KiD7Ygo28{3tgW}uZ|i&D z&di>M8R=7liWpE{?PGM2xSE|DYxU6}h$HO{&&Xt=jOTEBHVQAw8;qU%Rb*t*QGO{t z4)mq~C&f##udX>0nUjWcmyYU1o>~mLSH^POy^gV+4*_sUiF+*r8(K(O@&r%3*sv}4 zH+~{m+#bMw@onpS)_E9N7$D4LGS1n`4>E>2A)ty^b2aJnad}ALM3{%QW*(#j^^Ls>f8irNhj%?? z$@Y|3L`!RWnTU>4^h<6%=V)uI3&-uvUed1e6pnMWCDCG{21i4(L1hbU^pAo8#dji0 zlB8KHdlV_i5K%$kO&NOYX{L!IogH4=6Hnhe)8dB>K!o|cd8~bbyaF*<_DPTk7^2{L zCJ$D`9Dx4a#UuT7yzTm;nlJe|IHPfn__dle<3!D_mj1Wo2Bho3(HA`nOyiq^XMkKO z?8REM+tuAwG-AC^fWZ zUMpn4KnQm_v?S5k#o`v*X@n@elEhRF!ye%Qcm;F-c{7ZHJyk3T zgSk2Pb9)~Xqc*e!CUs!UYzhLmCaZ>+92=Ot@}GHY|H@{0Nyxhby|IlMZ0>6Pl{dPw z3yjwdQIU^4Wf0@J5W!!Lc!Hb+9Lv!Gr&AzDzv`hQ=?}-#!-Qj7ROsU%M8LHO&Y5q? zPv0nk9{{}{hSigiGWIZ1M)o<3RdFvKR)nT}aX2VEE4E%4*|kqS6V>m<`rw$6U(|=h zPLDmJid)p@2uWDivPK=U^{`iCJBZqb%BM5ivd&MZwB^##&Y-Z2yFUbldsOzUpsYy$ z^q_Vvr(|jK66>=f3R>grNMA=!HecMUCR^8INX;~^*T_bOd1?xs5!Ls(!V`S|l{Go~ zL0ju{qK6*D?P97)SP*^c!v;3w%5?L#w~_v^UOZ znR(PWGv-!X)9l0}?VF8GyRC|=QyNdkE$Ui!(!8|a+LO}Ck(W=#zc}4=Dq-ECvQw5# z>(-vKZryYFRP&w3OmoO9?_aJD*?XZ%W844rZcU3frVO8=JoMWUuVx-fZcke%o1JcX zEVA!u&HR{Y9g+Po%El-A(2k~4iMvCUGg^KySA4hih}!V?f2hk!;aYz&H>JE|+bP_K zr$L_QRHE-p%k#aaTbUFBc~sBIO5sXKfd4P*^K{uvG7^<=ieUf)aJo&L7g)dY*uGa zuwi;bdgQd)rs3IfltdJEt;=rWUsRX#>yTrG?Zk;nUwhL{ zc}{$@x~>aye_T1;muKB}%-6y8hO$dX`Ak-qd}qz@hyvI3JrSKk?p*nxQzm2nuyYn) z{$b9$p_wc{c@YS)X2y-0?(4AXXk=l&>rQ0X!dwSmR8-OLTv7LO{=JMHPan^TE~z+P z)U9+PQ{265-c@hYev8Y`#~w{Yr}3DT=F?2ci;I`^m^gUX@vNSi7rr>(bGU`?)~V`D zcDLT6KdbGQR(<{W$ z#5h#3XZk(Ym9-s&?i%}PVR5s$j%yeCK9?;Co`q~yNqJoN(L(=a15bR|e@U++%Q~;B z{#kf>%`B&W;QD2w^@BEV-lreDt$gpC!8_`8D~1eMQxw|t6}pSVd(QQbZgOnh`lBsh zZCtWq=7|i(ZfW;Gb=lsw7eSQKRs(vsIGHX!^#owd76Bd zd^W#b?@{M_Kht~k#}yxijrpwlKZdabvuSCQ%k#QLr%&zIXsEur?4vyWS8JYsVca*{ zj)>-)p03AGL|Vl3aQXC5HkM ziVt6$7UqpwGyRMF_Km|{zg27;(_>p%X>*-vtZ|0$^OyA@2cLe;_>5uPUE@sS^n}YZ zZ@t}RVfP_>JY}<_7iN~twr-y}6Zczuyll=rz-j1)l-9$GtWWk&kN22-;m#>}G z)G{|(zN93oFOO&@#ud$w+n>&PX+%g?&0B2`{Wdj-ZS~>ZEZ?&i#x@(DHhSqx^I!h< z?Pg;#e(C-t%H4mb*>l&wegCM}v!G@=n|$~1WzC`Yr7600#@Z=kJE=;}r)&t#y;7d7 zzkarZ!Z7km=RsR<<&AHDO8H*&IrBYj#*bf{-!IB5-5s~^>ayq073cd*U9->4h3Os6aUZV z(|?VKr17mEQ~$&a39w6btpdL_{F~z+GNL>{Lsv9(@X%pnhQf5dT*=>lk^u;AAM(f1 zDCXh$aQZw&+8;BvqG{H;ysULwh!SP-YNCzF$_fW!=BzDXco zRKPq%@t<5=fz}HA2Q4%;m_Mw1V!;Etj7P_S+3AlDNCzBA|MgcmS`(D@N6Q7JW}1wj z1jlKo48g#_go8uR2FLjr5~H0`0YCeuV?Il39uoar`|zC=@b~b(icAw`f|X1?6N*j( z0$&^B4-c9QKfaB%;c&3#V@x{ZK#}|KEG7B`{;um2xPA}rfDltif|Yc)phYU+(nd3x z_Do+TzKBDS5e`Q(E6H}W8*f)?6Ks8VBQkN~m5i z+yO^tT?kY(Hc-*&6@kBzNV+>S(7}H)j}>N>4}a9X4?=V=21~C^`v&IWsc_E!L9_pB zw@<;m4`9X*`#lo{x;>MGAQfJr6Mz-0$m&mUo*W!;s0phuvz_v!H4!RYA_r=JCs;(TsWNU@q(KyTAAr(f|&O3 z4;Eoav;`sybPw6I9!NQ7IrNEW7>n>{f?3L&4J!M zG5cZf{@-uaf9>Aqj)d^1zxj*6Yi45*Fi;{CU@Cu%bP0s-{^T9EKP27;^^rfhr?J`) z1SnFyth8jI2@bA<@x#0U8H zKp?2po5)M4U4F5UtB{ve%|F$Vbk;rX`w#qX~IGI5ZW z+W|hmN7Ui_6Jj31q=12z{l@o;;tey@?q#6*-}MwqF_!Im&i*MKXnRQZ4+>AKf{>Gq zeaQB2SyO$={U_gl65RQJ$M=uYj9K<80m}apMfgKLeZKkMSpSuo$-)z?|3dzsr2oAu zfb^f9syV1!k9A5_)T1DLx&LDL!&v#^E-JgFH-xg~lprL7*C;fAigF@G6`(@v5*lC~ zhi{9k!O4Ie>7Odg2U=870UCFR?9ZBLk0;S6)tIfcr`t9mYAnpEZjEH)2tJoCrwJwC zY=#uH*ov8KkhgJhO8p*e`ja=UEgs5e)gPp$$VW)5H5vktXGlG0 zt}q_LF#!s-9zBrpxYzV3@GeYL0c||r>>-gFMB~@I4Kq!;FxaNT>l^aokWGz20;3aY z?-e!1j-C;?ozdo~OtLw?LM`PJm~WW_jVkX?&TR+kzmNde9Y2#)#oIt$Eg%w-e!R11 zHr~XvEvQBt0^-hig>rFZ?t+Q2&N_u{T`-cj{fJWdwxUO!+qxmE8s4ij$4D%w_kGRg zUHs5mrg9e{`f<)=V6l|ihtfg7#g@#LT`bKjQ{N+GO~LaZHJtMysu~1o!;a=CP1w3% z3^J0~MI&74Vop@0*Hg`nc(ceO{1U$Edg9K4MdMU&KC6ac_0O z0K|WJZ9k?b9(Zwo;6o~_sz=wlVfvKoB_E3m;!)BD+eihFA8pFreNB%GZX92f6y<1R z*^JiWay2P}+zZnx4X}?%F=~Azh(8mn^i(La)3;C>4@!)X1t@9fs`#F^Obl#Hf}po( zXu0)gjqO<=hiyrI1hBT9-bVIn8%jy%p{K=!Fl2YR_>H5}ko^FB->3rCSN?`|lB&1> z0a)I7T%j#jo92W%k13E{zc_;ZqWB=P_76vP5a?u+CT&2r1qdJ<$S%8rirXPF(m_l1 zo07tvF*xH*=R0tf>$c@feA%>~gEN*uMtFfsR{O4Yf>V9$bT7`EO;?wf>AzwQ+U1ATBbxLqYMq_?} zZ#5(u3g6hn_%z7$5SlvlzEDD!!W7m|DP%7R!fZ$5T7L5AbdfrU1hN|zlXuhp1B*`V6 zS35t1`99-|s#KIWI><5_r83?HKmw5kzA1663Ij32K6uv_;~wNRCsZr}Q62sQ_rh$-I17Z5?k2a0c>QNjX=4Eu0 zXu`Euvt8WJlV!uWt^%LsQqvr|QCl13nZ*{0i`Dj8h<{TDN;Xvu%Xs7%u^>p=Y>pYV@{#epCQSqiqx_+Rlh&@Ga({$e z0~eD1ZWLv3;2W@C(S~yd6X=C$UyU+d4=tR=4)DCr$H<_lc#d_v&HRT?fm~5zPd>(Z zG1^qb^07%1i{7}WED!U1%_rJF6_PHt3QUT_1~ykFrweUuE{t(f(2QJE*~F#vN1+kv zrxodH?0lBW=k&%=;+HW4kB~W@-PYqxt;b`G-D=twy$^X#j!^!NHj(meWit}q00zX~ zw18a&{WS}k&R%G~OM7`C&Hkx?46AWE9h5#p-+0=092q=R0}Ik*$Uw3+HTC35!v3X+ z6w;JQHJxed$upWTH%pq(#V_MbGT0 zW-R6nfQGr`YGUr<@$rczT}XeFy!b8I3F63>?zRk#zt!GiS~WEXjqZ<(*7bw=jX9Im z^ZTL)&m!SjJF3q|iQ95Bj_K=EmbU&-V7dNPO$^2pb(!`FaG$rJ-sNefNJHbQFv zTJ6oWGwcofanVa{`2u$eA_DQZoI`)3i4@7h%B;P<+hqjaF!O>nM6g2b#e{>&cZ$Ixm}6SmJ{rt>cgAAqj>c9BO$K4Mw!0bS;bl=U7zWeJF6}MW`%)Z2g0W*?87GR zLcH6JYF@=L^nfI*nC;pW6&$LqlI@5a6R+J7O`ff};f_UhA~A7cYX4|ZQQT&?-;&No z)KExha(@k#7cVs_Szdm?^NV{Zk_M@121x%F@;W`-#G{+7hD>HpFZ;8& z($v)oQM?_5bW4)(VJzYLoX!~POMgH9uKycbYqUzTw=2yEC^dhtoD`({ECF}0 zuaFV8x2J~9P04#)k&1Vfbk=sTj(QU%+v2shU%~-rVgl-mJz{Tx4Ax$bCK@3NIi>qL zfQ0aKO(QkVIY^$}6!Yb4I_GT?`5{e{nAyMQ)};iW^F4lznk(@&aB{?k3D9-R9w&dd}!8o zK2hASf!XMH-xO5-ym2xlOO_o6%9bh@GQG_DO3)gm($35}DB2;pkbuJVM_T7Sl;k4u z7r(+?_>SUz6*XJMFmeP|EFY*9S9FoITKC(@CCyN3WtTxoi0x$S#@qOKs@v_lA|z3@&5B30kkgTE zFLM5Z*9_(NI)BCTfe2xtlpxaoRIauDECHcyU83Q>^}Yk>Dhl2O;{ya5?7+VS#y#X@ z5$t?bAvX!L`LN|B@~!VJ1VN*M0|C+ZsoT&*cU?J|=)9Crkf^W?LR>qMq(O$3L(?Du zemAMYY0C{VIBGtz{+u@ObNYeFAn|r?qIz*WeV4Wn*EU^Nynbr^gSrhBIna!oeJQAL z%3cp`Q~4s;6<$R18}}+dQ*L&Mm!q6FiESvBhKHflq#5*@a0#Wja<6_xi^WrF@}gYH zxbno7O^6xdf>MdWc~()s$9hGpf0+^wSF16^*rt%0x6(g{RDJn`GUqVkeo-kc3mtSL zXj!)m@px}KEkB4%tJzKkc^;m()jrDC4Y`)n_{yx3n{PM`b>-LrwEl@*9u_rL4P`HpCMz@w+a!+Jz zYZUzJ(B$%VMP(mmtGz3InO52i7}(})7chyUa>01a5AmNCe#>{!^o&gN*ELfd3Hg)2 zP-rgPHa)L0MAqKojuGBl*n$9I3))uuS;MZK7{8E>@-8E5Fz4|ruaH@dt29X>+Yjo@ zjSVM4iT3^=crRzF$61lp3OfzpcGv-42J4-;U9n&{zT`lq+Yp;j6hHC4wmvdLXEQR~ zsW5S0w0;Fk^5jEdu$oL>Rw^fAaANQ|@<=SlYwjJSjdU#?G|1F zLI%qN+T8x)xQ~(VQ%te~BC{`W{m-KrUi94tbOQVvz3}pOi2uIFB;bg0?$O9Ty(>}l zu$CbOpJ2=T%U7d}w`q^%>8SW3D*4`)AH-?2mHE!a!SbNkad+|h{SEnN-mrvlz=$e{ zVQMffn`%KavL>kPsgPQpCOa3xwkt%QimvuP7nYt1wvf{LZJfIb_9a}AiM(dr61S@J zpzRpAZ5%rdJ?lkbpKUiD9U|rSrCUbLH}r7sMY^2qHwM|)7Y^CKTKl=CFwq^4suCm-#_-j5XZ3YaAcFf3ffPpyl_GYqZeWeVm#9I_96BJrs)*iSYEhZshwJ zt<6QkUFon+9v$q7M6#UF_GW+Dck0I>&eidC-IljOwH=ExfrV{qIo5up=CHc=2bDiz zoNE|&1PwY91WoAZU7hMbrQFNvz9yCKoK&9b^|#buJ=Z%4Yby&PQT9SnN2RYd*4wPR z30JZ~92{O6qA1)}-aub;zND4gFfe|}W>Rkrwd&o(WwzdAK{XXP%jgfV)8{t;Ya6_Z zIl@5eaGhhT4L=Pq~$j=azb(UR>~QB?}sa2suDhiLP)zawh*eT1AZ!51#h zYH@-aOTL9|msIlB*7CcWg6+t1i#$D}3Q5^S?9P$&n`7zgrNb5Fz}!Ndz+mQNF)!1e z<8B6x3V+C}Ck98dQ;DCj1w8{Z4XrKsCWs&B-5HYiT@V{#+pQ#nXc^pw8Wv0j@Ri`8 zY7pe)56PO4-HXtrr;xB2isni^3gCy`rR4Y9$FR+`{v^7v6doY<0VD@#!S*K4lvX1m zR=tgeu0#($Lp?r2)?uBUYeQ^zBjvRr`n!?jJ!=c?)fDmNP-k-`B!$w?rNI&M?x4bP zG#)JETPwiCHXL$Z4H64k+ELsZA&l1!bCTo8Rm6k8fFCy~9s;aL-i3v+@?mtU8WKE0 zoy%2D%B6>6&a35y@!~m^dwr;FpTa)NBKFwLP_w{AE%wT!F+X+t(-RoXs7u~ zJegm_{TcxfYhg6}P=9}o4Fl~PUqDvc=gOV1Zk+@hZ5nAElpwX`jU$++sbpA0BYZBT zyDR9QFU0Hf_F1G$8u?{p|DM|v=A3}M*Ae|j*kzqVXT7XHWM-$C4u#Y78K95+EO#>! zjme*+k58&Z`G;X@qk_IQD4u%;vv%OiGGiZn1?< ze~72X-7AFj@{EM3XCLyEgYN08i1X^e90yroug=uES-Jspu{~f<2qY2FD)_exGDWM{ z3+`dTatveva4@Ts7_*B#%h*D%RslG2`+aUmJbx#!hbs;2;XIS=iIywS9}|0|A^kj! z^r^vk5jbteTiZp5Z%2@P&t&myqcch4soA^74g@!zX*C@T#rBn>Ou+U``_hSEW2fTn z<}yQ(1Qa$c1o1TC)_bwoOWUf(>?huy%~?+*A64qUGK)r+8NdqPA^Gxuw2uG3*$@H68K+3t!Kp6TG%f?<;0MtN&c`b%~oa=2FW4KBdeb1m}{P|ZD>U}}++ zeh%y>9A|ECE5Ui4(HfmE5!v3buQ3W{>29KBg4l#(IoEgDU&59;-OTuZ6Jkr>L+d-j z9`7q#17a>avcUbbkhM74Lqdvu2^-Ik&1(vAGLK;bp9olPWH&CZdDdXzCy;V$g~}SQ zUp&I#;>+k>SZsTiJg{z1Yrl@F$ps2Nhmb`!5IimmRo<)Vf^O(nCt;udY58O@n^j@p zR;jFCr^q+Snm2G8%v&cC+cX*Az#u*TLu*~QnhY^+wfAJ_pfY_y5;0cqt?A8-#7l(& zG6E&AEu`jJe0}{7cq8sd=E~J zYa#knHF5Wt31m+C&%;P_y|oD}9gIR(#DVqES(qhRDFN#`Lnqz?8_xQ2^qB@>nEbK2 zN3NzuWRKjsLP})4QQSx`o&^oxVAja5}Hi%W7>(P(-L8ZGal0fAr|O%XuNM0(n=9kCgkgiPP~jZ^h3*n z#Z(O$Du3C;_7j@5Ymy(K-lo?h0Vl<+B;vV98N!m!6IvoIWiw7*O)-_T5GPslE9{aF zD76boaZfordEhHDzTVw3KAnv@fvD^!sj&H-ZpCvbaJhAI+I8>P*h z`3l!6oThN~8f$DP7y!M2WP9ETA;R>%3ewMXO<=B`4OAoHq2gW@pJPoYG*WAWt;dog zWWUCpQK192QcmAtfG7}Jpp(>$n9;^Go{)I^JkkVm1hLCBGSv8-vAboD;WTWi^jB5( zm6C^^8!LUHF-yKKh|J-~i^&`r?_SMuqg6mTIb0{kaU?^kQ3DqR5MmQ^Mj~8VGZolL zrSzRh+cBc>AV6_jV5YD6u4Qt`SZymc?n64kB7?Kx0c;OaHy4w9X(3nJ4d*k%jZNnL zRImc)TS#-m1%?_RCRLG$obqhNs1bMr9#nY~o_wi%6&0TFCR>3hoR`Gk!|7{48Adyl zzfxIApW$y|Ts0H%?Zt3-dRFeS7!68Bft~-hnvH0l`%sXnU6^hG3rS(i=-HYxvt|MC z_jM*V<24(+y03AQS-xEB4ja{{VlU}h{ffEB(-yb#-lmm{S%Z58s$7Db8kXmN!jG$5 z#XKjhwjD;5D@Zf%GpKSAX?n4PF@hgZUWZSS$;AVaHU#t^xL4cS2&dJkz)G>r#qLG4 zbPnRa4m0Ek@wPi49xmTuT?=zQ53&BI`QER-9i;P6~sEabQV@XZYOWuSQjou`oG$|r4HZwrUO7(6M@L%zrmLwH}-=s4aYgHyDrF#5V&Kf*Jhi z@;!w=;eoDH-dZ?C3ekAN&CdW_IE7Yazh?Q`cAxXC(fbT+dd5BQih)qVbn~wbM_6~! zGxjI*julX4W4?dQ7=1CeOGX95j}C8DWGel zM3r@8tT;X%hK946alWFYZ)*+2Fw*&r+VdlDiduIR%dc1dd?uZN6`cK79 z(PX>lU2yu&M*c8ZjD5(xk#ijYx5YEzkjq7f+JiwHfK!HMe`33fwDpAr<3R924XZeV zX)kTOj=t`$T@9mq=t^J_1y7YrkLkFOd?M_?2u}*$Vak2nx zrUP;ku2i^7Vj8;gnHjI8gG;?FaH)e_Qr}>~1gxre_8+F>&RY14fN z0Q_G_Vi{eAT2~)UhE;YUagIY^%lUga=V7TyxSg?$;vi7UP3%Gk(__|wZtIMA{Biae zGB?j`mcC;xee_sGTJi^(Fmo{(J7X%6ZmNO!W&>uZFCWe5hUoWezC&`-E2dAHIo}C3 zzHDm3%Zbs(HM|};1ntZCuIHl3J=bDwf5PX$+AgK)n0RBc(0qLvbW;~wB04h!j;d&V zI^RYt);$bT*qvMfK}G5PvK!`*JflPG6Lazt5@k%*Pa&X`0-sv4Q4p1?St>4%qpy(U znprSzAP?k*O3ZIA-wct=X4@)MucJQabydCEn-1HDdc;S&^QD2qi3LJsA7@xUYHB{u zyJc-4`lV`SokFEmvD+Lsl@_JU zt0DV^0q*q%K(aT-^aKB1VS;lDKKEkbB-*qfjOneiAE5Dtsr!F2Z!K&}Z_ySdrS8+n zmy6_6$bX)0cRz!qx#BX}`knyp(fl^hfBvfRC_Ab~OUHZLpcxYoeT(Tx+qdTY)OzP*avkUPNm81G^;Vy_u+HFmI45)w&Aq&YGIByd(^Otm&HR zymaoGZEZ+#ojSc8s;LHLg(i4+p~`ZyX0jm`sP=1S7Q`XQRzI(urWWlgVQ9la`>q_9 zqLz3z8~VC*A?5!k2xE z3w@Fv1^#POC%{ZwjN&v*EI7)8HUngUnv$Qf+_bpA$_F{WPSUFzIrK)b`T_d!whgr zK8d#QwN^0cv`^k9#+Hxm-L=1J{2L8JZLQFxN(2o1XrBH|SN#nl_Yd;dvQg}rB+-^d zq$_F(_Bp^3um4dkIZYES;KSQ4#3P581nF1c$CHFe=VY~fP**Ssfi9^O($3Y-8YH6> zHfi|_i1hF!Ar(H>3C zPq(dA%dPc7SN8=km`{S4zF%+|^V6(%+XiN|)+IfBJu!rFOUB-M!J?Eu3zd5yZ95ko zDctJ)bk1;{?*X_nknKWOc@GAYrsj9kmmJ+hr%5}bXJy%59#PqmPb_kQL0gyM{wdUE zMiuvji0u9~yZPnw3SoR^PaOu^w>BI4*BsA7D{vlm{guQ-+H4Xw0TIYd0-1G(OK5 zAdkql0;NNkvabes&IU4M>) zK|?;(!q3AX&BeOcZ=yOTuKzG((&@-E_!FlmRJ%P4R|v*i$JqJynSxQ=u4aw)R;iPQbu;VnQD8+sMh9lh z6<2FZl4YR0l#S09eg-`f0(OVJAiHh7jA!!gAwdf4OrYK^<<4u6U_BRZ9U0Y|5#QC3 zUiN*4L~p3x{;DCa+?IP%zsN*7+24d!E*Dn0notsBd{OSO0XBA;VC`Ow0Bz9_F>FtpDM1JL$`l z4L<7xBgXyfkal}k|E8!&YdtL1{EUM04dQaJTnL+ImBhMXMDM|-m7Mr>B#AcOGM0$v zIQL2-HC20F5OVZiMA=)UZw%rqxSOJ$Rp&HErtb)BkXOLOvl`$Al?gQ;3VrD}@YMmP z7IirG&>g_&Qmk!&_cGHN2JZTEPmpT9?=l(OjK3gz*D$%n@zQ%@>3cEMT)&NkPq0_9tgr%z2c^hv(%7`H5!G3)yZ1FIOXX6%vvPsgNtrN5C&^J)(zDf`6F!MyMDRO{)F<#2%W> zeiEfW<0C9Y6wIfn-C2&xhtO#G9b8^Y^}8mpJ>@of+cAZ+MHA;VRQT*b6S7O@Ddea< zU7E`=ui6!KDvg)EQUmsAG?G0?9);+;g@ksLmd=-oo4Gz9KgrjCMa2h-fn9|T1qy|s zX?=OE4BoueG+(}n$VB0qum$`HF$Lp6f{=_u$*$Rz3u!LbES3*-bToatO3p*}L1Jzb zvJv-8H+ zefKq=T`b=9DVZX!)G)fnz~t6}5W|`p>@jtV$ZHl%tei#VufR6GgCmQ?E!$S#9C+f3 z>7e@-X+qe*5A;qg-`{jP-2OXkRP2pKwZdA{gfMto*d^^m2EY#JwrWs{ZoU(0SbVP* ztdqcmTk|{`r03OjKCwF``Nr2x`@)^k$hhD5EOog*QeGUueE>Wl(oIUs=zQ~TzQWxJ zxvH2>#+T?gebZ2kfpXM3&VX<7$vMlE!Var4%vPtg|0-CVy}=H&3M{ay@@Ksp5wNS% zHq6GFQ}j~9HGoqzf)6nJ1YaG9rB47zEAmwHIkx10%Y63i_K0>da>%nP8OS3GzHCNH zJmdWB_0?+AGoe5)t$Q_Eds1zR(s<^9x}~nB@4P6`a7kCPou!^}O!BHw*B1jP&I|RX zA^awjnjE0BT9~I!h?=v27=1BYU=|DOgIUcZr-jzl3~iOatfa1(68G zX5eP^>f~?KIVWQqI+1qL%O;n_%C`i^)B8E;8k6S*X+ih`@OAsfjX~gsKXa&LYt?l0 zf)^DeAjc;2UHh=g8jDvxV*>g^>GlZmO%;*lv{2zh_KURNu9om6A{5~FGH0^QKzT{n zu&gea43Ky5;<(Uz`A!evHs+Glf_@4|I(68evi*SAl{sbTq5ZXB7$VDU>!3j)uE%e% zmM76&f|sWIsxgVT-B<8M2l5ad@WL7dj#wY2{L~9UUhrb2r^808$t8ezWp0NpP|6Ex zY?*Eh_(V7e&L^!GrupnjuNITsecjNZ*WqemrMBD;$0vXHHe%oY4)`$oQIBmd0EXpO zLAExMyd#*?hnv=zogRi89|6uSEAWrEwrFfw!2HjGi?PCd(?PdLd{|={z=gE+luyWy z7J6!j5J>Rl7v3s`(r1D83Y#lbA5Z3*tN7eq6?CHWN*?R6%|>hl;BdrrRb6kIFQnyr z_PvaRZt&JPtnrdFs;S<^lAhcO6{z?izv)^xuH3BsSpq=BI#s#}NkyD4F`8K9S5ytv z!dY#zP*8j`?J$CUd~>cn65@>?nJ%xBJ7S%WGaR;d<80lKxI?G^IwpSzd0l)-$HvHa z6r3dj0}KN;F6($0N(ItHtt6!by{7UI>!3vh{RE0ruw{*I2hDjAmH<{;3dv^BE=7Q@=f`u$Ad;&Xc7rh}OShupBe~ zM4Mw%x)uC(9tAezbkFeRp2dJG6#jNwf1OUDG zs?p-<(vir#8K`daowtNKhs-~<-_iRmbLOpRivWtA@a$vdCitPPAgu-zoNUK59)t`~ zo^_m>1C!~bNxTrjPDvU8ro-YU@Whova5Mis+eK+t5gX&Y9aPyJ8%m3UoE@1m(7Nfw z^w^9V%Su?G%K09W`*fEKdh>4VW^C{#>GGp2Eq18@{4x`)_PvC}NiEdGs~u$!o)$J_ zOM5G8FV|H#J(%gPZORj0Nlp4OkYFM&7J8&fT-|Vzi=0ITwS7fV%?ua5Wx|-r;3Xs- zq_?Q_2?WQ1q$Mv2`9IW08JU5=Xb{d;FCUNihMb(BNi$JpiLonMt`F54U)65a_1aKBMh?>mFS~Os5KPX}1L(oG1leb3kE)H6acxGLd>_>yTXGOSsr4BO zZPnj#BL%**V+&gVoVRj#5FnI#>DO|wA+ZQgnO2C^gRjOHe!{fP0TwR2qyuc&8_%Kw z+qVobi614EcG9JA6>i3lhmI(Gp>|I7ZQEvf*R6CIi0#p?d%&=uUC7Cx?qWnu$F@6WX6k z_2Ry!MDNcut&f}+_>ju$^;5zC^cR>gIw8NsbUzIIrv5ni`U3JtuVMJErrl~X+*M@p z+Dcm&UIsJ6hHTBSc|6}wTpkV!d@BSHJ{Dyr4Xkbk0^`OC{GMz=C#Mzmara~N=d=TZ zKU4ZzB0Ar~%Hve&Z>B&J2+dowP-}{nUqNChM9(d;wpUS)6Nyf3l)+Cm^>3jq+kTf< zQ?~EGvxF4~^t-oF6Av~aiJt51a84EOjR=KzfNrC6< zq7KfWAkTI2mht*&lC009gf;!PTLKlw-YQ}gt4rO54DI3k4ArMnz4sETcT$7%b9CHJ zqn(ZDc;cv?wztu7BQ(NHq&*bQ$9QL>_1^<2owF6zc4^JW4otR$nNEf~M$ziREBgm{ z%7g@xlOrKhEa811+=$62TNmU#!)T|d{ge1idoQq{z$jfROzMs*o9m_!TenQhO!yI^ zNofP?+)dD>v4~Eq>8ETAc4iMDwPcXIBS@@nmHupy_))A}8m!;e9KsZN{77q5xOGyq z%3tiKq!YXkT*ot&*7-*3OZxiDbd__K!haW>jm_ibIV$10lnjIZg|i@LXKRDl4ATnT z?9Y*X`}()%?S!3R&0;YvN}h=uClnpAeT?Oi;o5G3eVo)TT3(I$8SAI>T`P*oc{$X! z?AP*+yli_3*RE~Mx6fxg(YaueoJ^;B-#mrg!c^MB?Ts{Die$~5`K9hEC8T_i3FPXo z*M(R&ZSbP>$Ku+exH44YZekb#l2OIQU_;%MBX9AGL6@)77%biw>ai0ujYhGrrD z1^JgCGQrXXZ$9Kj!UU4l;}AO04ds0u3(ec#bw@S?LAJ|~0+YhQEW6IP0Q9sG^EyE$ z(>b$^Rr7I%bayl(9}li(;fkCd9|DDT&LQQvMg*<4;XC95mZ+C^|B5Qd`M*+LK_{BxjpoE<*#b_Cga$Y0O&lBHMZMLEmMh`y~o!sj{I$xjqha zlU3O-vZ-fY2c#dw<98CF*mza+4iPnBWIJsy?d=5EJUzbOkm%gc0r{d{d;qk3^0`Rq z2jbomBt;1mUu5nWx@imaq#HLTlC;1v<2=0`JN0#9QJtD%%kSmlO&TaQPcZH~%X@DQ~_; zMETVqajnYrnzNHa`nFU)hwLM?k!pUhsYfKhC;WGLv-SBX@bt?{<+6JBbg|$S#McFI ziuXznBl=GHSiFHOaosT9b$l%sgo=8b^rK4L1XSyAfYK!|hPvr*Uy!f5?<7`BKVY zE&HmrD&RqB;iO~*vkEUu^5(P-p?S_!h3;rH>p0gHU($XQOZJpBxEs|VuC?p)fVuPr zL?<<37R%OHE?mtNb~u#973gXcZnnzsAmew^gE_MuHkj|!Z$Ub1gg*VFXucFM`JJ)* zEd@7CRp=qP(u{0=6+fPfBn~5KG428a=QV_)-A%Cxu%l~TOleXagxw7VRKq>f1iVYv z1><;dYXqA_WyYQNWf0IhQ*@BDHN{3-x*8oqA8gQ>5`e94KjB-6^=i^oJV;2>qA!42 zL_9&Lz&x$pY$WZuK0K}ki8I?wB#t3~HFdUPxnlyzwD9wpRSt>k%K|JY;|?e!uGcv` zD-4Nrw)rD+LL44#vnXsGHB!qY=L^{WW8MNq$(P_vDSx9&!EnUqJAYGy6I$rN+pI5V zSgRxC--65rn*zKr%NP@Mex%>*9-mo_ zO@*UAX|F>rRt2X~~8+h&j)ApYJvu-$-5)}JOT-? zv5(on9}U|_6>>fKNRZq7_`VN&^6>?K@5zT5(2o!Ott;(;ck1yG=&L7s#4bO1BiEnz z`Dd5>y$X+O^JwJ5%li1SAHR8z9wPP6;vQD}@kx(s@VJ4~{yZ(^A3gQA0{(W>$4~Qk zAUrM$p6AiMpQ!L(UHV7c{&_!m%KwYA|19%w&Hq<5{_R?5=)iRJ_)-6=-s8gl_OSnK zroU?X`1Jp#1^&48Uq@l;eKearzVqW(@^L|FPrP6Mn>zg2Jjs7_$D?XKD&cW?f8F|T z@94i(>~V`dnsH&Cd|byr2I*fD_5Z_4{<9e!{}@L9AJqK6JXc`;16GLtpQ>-%SaI_S zW*XujGNg0Wuwng2JYp|d`$dTE+AM|i^ZjobY5D?SxBz0E|5=vdrIA-a=-nT^8U4o2ekZ#kdFMIhm~AK#zw+zJtIdJ zfY{N1q)y#DNmo|0mxY>v=Nl_sYF z{%M53hq@dNEhy83+FPbMeBF_%r7YvNc(~A3m6DPI+#i9T9O2&XNSU09Esz$il3gkI zW9&x5GKezG$uz-jO`xDu5JY#kKq{BhjxXUB!cL$(u@Ia@b)k-=OZCQLl_SYnkdGt(7klp>*2J~853dDTm<7y`39P^b zCM1zW5+Rac0*Mk05)=d!6ciOTDkxS|R8*`dR8%~)Vv82fXlZM!w$yrRt6Q{MwYBxw zYFpddYFn$e+G=-CcK@D$?e5;~cYW{s*LPjt^~>dCaAq=xwbrcltmnC(`?e=qlai8k zVR)#xL}p8dgg<##xaouUI|3jZ34{Z!Lk?kND+q)ibxjc_i$g-K*3_=LIeuMZ2T0QB=184UieWW2TV8^) za9I6!mz?5_zzHJoVVNF>yYz2KB7^-8oRZ|s91L7RMT`7j#R2l-|r)o&>-fgl62C{;&}S1tNvaqmV^lZGbi~N)|!1LD~*lIS@qz zYeN*FT29Mr!?cPdAxWtXkBLZPNved%q^Kk@UL6;m6q6(+X_8`-v`N4$p42fuF2Rsw zOzNbKk1}b^NuA>pk`j|FNnPTTVysEFq~y@9##P7u+~5Ps$Fw*0Q%v=GuyNfHXzUkW zZEx)VPm? z`(r;JpxP8*-2Wy#_D9FznE%C<|Msb0!fbL5^g~FA&|p~y|6>RHA6o_#fI$9;Ff0ME zC}0VLB?OAYuO#OGgto8zbdYagcIwZqD@v|-xHC!)`tEHXe}VjUE9@F|$M>*ApxgyP zXm45xvY!5?g`#9ylmu&NWC2O?B&4M=cw}$_PC`lYcoc_|f}r%0f|DpLcp&`MUmgWT znndH_?~(8w1K*)R#x3vsxkyP~rf>AL_A*^9Q(X!)zV{ZC>4{TqW%}3K{C~Llzb(^| ztk1u>H0Ayx4SL9>i6|7Ge+ck@ey7HS;@g4Q^Z!|VwEY-h)BJOL`s-FWtZ3Zt?I{DE zJ1Srxd_%FpqQE^#XjD>Q64uIMu>3h$0$z#(<77!VNj5TYBuXMlXkg$-DB!3-C@~Zt zm<0OjTg>9aou^ht+@VrTmItu>sIu)#dY{zAX~Z` zNDAABpDjP*F_WOpJmjW(C|3urqc$@ahxx_cBp&F(B(9wZP&CK2dr$o=bkxPgG6kni zc&LckCRmDnBr>L55VL$57TSbfUEL69Q}iRt-MPpwu0}h7(CaX{MO%Q+BQ2Q{)2`zB zNICvIqFn_O50;fr)xxMq;uKm?vnr)s{bF%NB7z+B(21pRFLua`0fFLLmhV^h zo<%2c(VhfP7;X{66Q@c{tR^M466|;YI?>)B7Ae@!w8TX5XR=BTYN9X(#^Y6T;C1A@ zf)$cXofmKfO%Z$R7I_w=>@|LTT6f^4tF8Xi(P~l$`X*177T^p0F7l=xG+%* zjCFftK>nvfuAPvfh9Fe~MCwa~e)d@g6X~y0bABP4{IjysiNJs&_R|H)uHvkZL;Zw( zI9azQ%M}9*GFrc;R_-CJqayJ1)rN{@MH?l$G&sVqw5LrseNvUX@&ypyB`dfLkY5w% zR;&VgGTWj6NrSi8JIQ?0(q5*k3`Ssp3v-_JpVXr5HE9B=Z_1Nd4p^>ZkkK)i z&U-y_?bOorTbRV*ESna~CQWoDB6}U#&HB(m_5iqc9VsE_K*OYvZ6JND9}^BlGBSli zRDCS2oofFoocJ@U>g?**ElH=yVq+0 zW}3{_eo?c zmt+sA&o5CxB&4j0za#eyMl5oSh z4#T2#2vLipTBC5T&gq_uY$^V626Pzd9zahT`r{mz8?lwR2CvMT>CN;V06c?bD*|ww zxD98ML(ncKS`o{EY&6S4B7V*~SHdxG&IR(7L#`&=4| zt(u*|;#zS5?va>g&*xkO_)OAAql$s1QxJm1j$;>_l6Z57_km+vh~a7AVWL;i*u>XR zxn*t#?^zpAn!bTR3FH!KwE;ij2LRWFq$4}WverOq>QPj>U1jkGq=Q)0Na+d4DzB%K zp-GU~XIu=q4v^zbRBjm(xcy^Kj|XR(Z)a&-YIMvds)atay>MszzOPVJw((D9?hD0V z6&@qAK&ZWXh#mpVNWXITjUn|X*e|6iSVaco#MV?$+pdxCd{i{E^|nDWtR?etwks9U zsLWaLl}6Z;>1veu8W1(ogo^oWqcc_asQoJDNc6$aZOXulA3^Fqkd9{QeAyL#VW2;92OW zbp^HZ%0*yp+t}6$3s;E>eA`iipx3Vm#YLRn_7sLjMI&u_h|F!;OZHkI_xKu);TEw` zT(o;QNPt;NfQQWRy80+3sZ`G?ak6qnFdBmPgdT$PH_NCAyvzHz`2x z5MNH_#;Z#=Trmg9fN6w9J8gw}HeB z+ly*IU7hta^75==H1XtKti}EB9>!fwFQWxrfb=f{e~^`B$wV8U#qodz zb-^`r3@@Q-fK(_l*FcOFYY3TQL1m*6c?x@1k4EDy$lgik5k6Jj<#kHKQ9O>@2^}tp z9G{O&d!=MC!Eirq8&PlHM&|C>N_gm7o#-XYSW?=pWt{3%sKBcXa)DO{%LQ)b9U+W- z6k%y&2*!J9Z-MtO>e-wS#<}#5s^}^Puq;^mvM_EjjJCsIDM^f16@=&tRkxH?%jgIE z%PK1FnMo%pf$QRVf;$y{$co4uQ?<&M%@JRy#)kouA`#>p4R@Mh=!=>Ta zyr~FBv3_h>O};*!FS{<2CWDF(_bh$_cVF3p(@6NJ1SGDZ-qRlO2!L?2!kc2Hj`ar% zdpC{S*>9&B`s_Y#C#t?&OvM-QtF{5i-dXChdL)7!MR=0q&zD8Y_TyYP-=!nHatsw!g^JPfKH8jL&CDppac!Ko+>&-Dd9UGdj z5LOaze?ey1mh(V=}ogWdAE62C|; zSuZq2nupPo`ydIdcD?G?U^3T|g_ILRu&yZ~dto>$ms->U6_j+Kw~r9c98)$UJe3?{ zzu{Da~zhRYc)m>oM1%u2=M(m3IU6rO$vvAdFi)fx_`Wsh1BL^lgLb@7Iq zXs&U16j4;2Rxait;bnra+59#rzSQ(0Cd)5!+Q+g>iMm!Mr15qL*tbp!G=BcXK@xT1dZAf{&qA? z5h6+U0w=-;9MBV2BK^u2a?j#1&6|CdQbYxG-F%YVxIfhJVVy`shZMk)%zZhpgNfOd z%0HO+q#~(@R4JGY3;7RJFtKOIV4=MUxJU43(mOPYExvn-G((~xyUcvL4K<-m(4XdX z&iro(=TqxmH9T9>xv(2qP7^J+MY5Jy{Ol8bVAybobJ99y9z>bzkVO$Gv;szU6Z?*= zWZzO=nk4j~4O#E-ItmDU$Lq*)8)d$PPH$obmcxh)(y4$bHhl(WM}%#pJ8*1)EGerb zr7}yFV<9c?rq7K~#>hABbSqHp(~>qfM4u(+`ZaD+-VM*4%Rd&(4~USJk6w99Hf`L_ zbgp+(P)+B|9WlyrhU^_N*Ly1RKrA|ez5wtV?BG-MQ@rMM5kD6~`rQ=^YZy^Q;e z;!6^vH_#z-Uj?wF0@JSpSs0&~DoA7>Kpq*`Se78XR%Y4q)4tp!TW1hHC1drKk#GkBr`oJ=?&7>v0)3r@ zCDt%SVu%&YY4>ZO>zn=>GAKzjSXE0bftXxL2marA@XnGR$fDA6hKs5gIo*qT^J*;| z69;8rz`DoD1C)Rjph`s3+;1R*SUMDIEsKDJo4&(E>lY{q=uHp5efjzt+t3iAG%ACY zBgGpAqRzIHtAj}=cNCG-`71!aS1iRtiqz=9da*41@ebP;6TOfmm5}wLG)U@BLd4pcV_}JBvQ|h@_C>0Hg?qln!8l2O zAXpF*`{Ouuywasa=0_={k5yR1)O;ww$-|8&mEz-)O>AVx3N*;^OGMcMB&n6<40wQn zF#$+GHUXhh9o}nrw|Hyb8;H6gDy_Sqo8zYk@5-P(L8q4xHIgw;_fQy((5Q41f%IDo!cx16K3cxF*3*mXfgaeH=n=S zIs15r+tJEdv6j&tIEQ;b##?Ba?Tk#RrRtu_^y?km8Hh|Jhjk`P9)h9aq|EZw$}arL z1m}_3_sXaGI^g5>cE|)!Z8V}ucr||8xsT*RrZ4o}D|?AH(-ATc_oHFzj$y+g z5B~tO0Z#Zn$~=s?LSZ56de?@t;6?;J*(kF()N_IzDMZy6?5%Q$sJXvq1-~>*Zw9qr zCr#`oh{kSmNhCE6FQVb1MVv!dQtibB?pS!KrNuCmi6fNnD)7_PDFV*U-lD!7cD==3 zXl{)rkba=M52|?YJCcwXl~__S8<&XHG|hg1h85gFQV-Ax>*84>);XVa@;J79tQ6tM zMC4uHD7-~;kP1VMd0nKQ!XA}f)wBcnk?=a~;P#0vk4&xT=&XGmP9NKp9maLhcMJ2n%~_G9vzEOp=)a17u#6j) zn|wV^mq;QF7n*8ZYZS@^rD`9qJfJ13EF(K`I+U&)9HT!k2g;Kha%Hy=_dMjPMC389 zl3&2mtHZJe@Qq=d*09v_1iajNvzg`1mos-;?~TfE^tUJXPQJWzUddBS6+z%6;I2@;X)FB#7}|BE#RD>#>)** z-nC|f@~(|M2|f(+a$?@f4!T!#Ii$vvtN$W`8x2yKA;62PObM1*zEl@e`B}}!bl%k>1ZZ-bYq2TVBJcw*K+4c9FFoKN;>PTmG9p=(<`cp9N4w*L@B-?fYU3}#;GGafu)?InG}=)uJ2~0Imu|v+ za4ZW=M~K;ECic)MF`GBV13hVtgMcNaE9O>_(9AxVAZLkA<;-Bo zx@kcBfXdY)lAv&O%Y<_-IcB}c9C5k9E3^FE@(=xYDmFXoW$3TG zCs`cKZNx=-Nx|P#h>@%dj?63pvOHztPP&{EYD;WNB)y2^#8I^}@;n?%>gPnVIcXho zowqMqmTAFOaZf-}VSaa1MGoJ6aSDBVK?Xcf*F zemB6RmF6W*CidFV5N`-3oiX+9pdc)6`pMlN7hb}1NFRI%2UC}DXgtNvC-_qq(OOV1 zgWS(f`kxg1F%iu@9hCMlXUme{mUOqkm&qO{Hw%Bgatt2PF%sdU#-Sn1%?iaDt{PrP z4IAR=AWd;QV2HF7G75=|iSJXv(?iN+!(o!v1E%4uN3L1bheDjqG)uKj?wwJ%f+h$L zfWD%H;wtMEaI+QZWUfr)*y|sjKet;Jr=r{jlEQuH$U)M$>^x-K3gBkoC#y|=ABmgy zEGPq`B1d?JaQ2?|1QN-L>U-BD;@RTUY!b@{V70Cr0})cu<#Rc{!)a0Ae%Wey8%q<& zfUGd(v`|!1Fh8hZd|+b{xmcA5HpKa?GkCjBC*}Ei4DW-?2jw?n$Y>qQ4TWJ4M!xRNucK;R zHs)!${d0a9wd@XR-Urb4U^-n`WO-B$?m`$#l259{k0ck4#bKfoU(}W8=9wS3xbVz1 zJW&JZOqrpJ%#ywHb5-Ba!UQxWeSZ#kB~uL#s9pb)cyWit?e`-a9KVXBx4R>-hLMrL zES>hTrZIT97D>+mvr}ht5M`0L(!}U;I)Hd^a@IQA8$>rv&xJU~yMYoZ2}%3OMej(< z`)2CUU2s2u6fBjN$IC3SJYH1jJ!uo)2BHM|UjAw>%zo6h30DlE*^Yn!a>TQcZV`Kt zn?y}h*dt{?5mZOs!UL&`WSgF%dwmUJEU1l6nr1qSBMITUC2k@4z7I_?Qa-oRy%FJo z%0pV)A#7Vqu@-oh4`cE&ST~M(Q9V7}yd_dSDk{BKxMsMW(`ufMP8F3~A~km-4XLV^<8h&@KNj-I1m!>E!275Uj)H5F zSBQ=1z_-eM;xil^ zHJD_U{L?odi~!Q|Nz;gH`#mYgV{6x^yV0HkAZN|=O%$17H&24OaMp{}kt*q=_%Y1^=62#ttm5y>FOL^phWSm~V9=OF^IN8> zbPB_cs#eD!gn#z^;3%M2C1&7S941wQi_UpmS`B&M5eSIdCb+*swl8F$Ee)>sOmch3 za_Azs%Ov#lE?jc#nDL4>GZTr=kr<&5s@8n#DVfarbDhO*PDn67dEia(n(u^5Jy5Hr zDU_cO;#d(t!kzQUi&;Z*pD;&qnG%9701TDoz?duUHTIEveiC?ydovAq7fR_cQZKoL zE-;Z2UHB%mM{}~fNqlUy z#fxxZVGPZ1zQxvgj-}^A7yfUCitnuQX( zfIT2ILn=oBx0jAK+=erqNFSu9k;>=NETdomky&OMms90F9q=*RIFvX>cq?n2z>`Mf zdSG(U?2vPk%azEf@K5}_u+lgcNZ>XQwQ_$PF+&at9f4h>Gg$KWTHOvZP`3+PO-9vO zIk}8`;x3v!DKNM$;BH|(34zQe^HZ@T8T)V_ix1&SZ>VhvQaw*qTlv$kKwC|lt*q~n zc!GRT)!Fcs?NpqBIj4XQB9~O9BX=3Ed@XcNEIALe_P#LrEw!x*;F|a|am0|B9pKr4 zzppToW8Rl=w)ffUF1#*||2Yj@rG)Lg#bwa(j_!zS#oM4vdLeuo^(%NG*znfLu|F-) z)s2_mUFYX$jEoZUJ$w}!)Q2EKUC#@Y>XJfArnjy11_uyLT`$pbS z(c`ScSF`6=uJhTDiu{HNBmrC=nyU9Tuk)^#F*gu*A~t1(;ONmi?<%TUsOxk!MEdIL zYuu6R4)qe7G>y~bb-@rWi*@BAJm%sNOAZ)Y1qWp0B0iY?3nEtU3{5{uextL5a555Y zR~Lr*J~kUdRb#>%RE|{x=&Xz zHI2u;PA;PL!Zpg5O!t`B7tkf2f;YBf=8g{c3F(d9{EyM5+XsCti~Gsrkz&=)gwPb- z1d>Nz(T~-D&C*9qdBW_*}6|@ zreNflKao?jz4x&$rr!LH(P_sa-Q9XrA0lW@N6|d{8xV9U0V7yL-;qiZYsA6QQZ&if zJC;orW65aS+5l3P__`|Fox5qG9g!GnCk6N!@U&Ro!xcwqqCG~`GY^dJ-u}`r>9bHp ztnEmQk!SW{Fj4&u9xk(@lg?$It=XwmT{U=sRbA9tkC4sKnl9h|P*mqGEF4Di65n)m zLM5P{t)D74`V@FF9ff;&UQwwy93>dV6*!ZQW-&F(c|$0~^?(wGb#8ntyANU;Cc<#` zylq;5Sjfg%w;N+A@ZY$QZ3=S!YJE}Y%KC{)`v$}A+*P`JYyeBk9Y8dNO8g2Q#GSz* z-tPnj>um~E?eAv3B{yv=Ife7fdztiX1_VU&*;CdyQJD$EZgZuvrdy;0FN87Sd4u4y zjmNoRQc~-Sxto*?;nEeDyrO@YPX((kscmW0GARZxH$K`&xr`UXlyj-M*vs#uQW$4} zUQ#cHT=$aCHJw999DQ8~rXd5l$?63gHFH11XL@7=kJX zqV*{P-K;JU@Ia={3K62Y#hPbAYo`k^AJjL8(%uk9sbmVkwHb=pRsJ65xyk>k)y*Il z(+s^Ra5g?#059Nj$Q*^vm8PYC8lYOBfmt^>qkc-mPY9Qi@iOJ);SOLx8<+SmZZ8DV zpQ|lU%~z8}>dn2SL5U-DKPvy_zz}gq1SW=OPG7k4Lqq3_ukkO-TLUD6<7Nn0@Sde7 z`+#B3t#)N2eecWZ> z#T0ib9ijLd%(%uvFfj4G(r0m{Mhvqpi=v+TDPk5Gb^0k92M^$VkG~a)_gSCA0wF{t zCXt?XJ$&z5oHEm!w&#)k2|U!7CX5yH#V@cVPSq7<0)2A6?j-pd7hn$bcB@NIyV7}K#d5GW}&74rrUnVb14vMq%8vW`F}ZWs@5XmXkr z+H)d4hjloV-IOfs3f5VMAat?vg8H3s-_PZOpgbMnc}57o{SpfoKLhp_@M);#%BAA; zrE(g>ccWq+;25LK%^{*li$S%6i)Q0RyJo#y7c70kBE<#l42ziv)9M)dsC^#|1BSO{ z_T4aGu<`a+NEh%(=*S4q#+`S_DNsfEE||E59P^b3Al&dGc38JWNG4p`>}-f~Y#h%7;oi z^-VcU@fs&UZPwVN0m^J8*Uc4;U^?djL_?xDO6m>c>}X(bqA`s(mCr}kRD-@=f2k{M z?T za)BHzZ7+VyQ5ql?5vP<7fQc}_It)thCO1=l$Zdr4RL}EtT<+HvJtG^fL0l(cJP_Bp zoS5qivv|qh{Wp>MMg9HM@!+#g!zG<=-zC;u1zSp(xP&=iP89)uN82hSO(Q!+XV*4( zjvs5(mJ|B-c*&aq|B*ck0Gm>a7H~$>0P53*YVrTxzqK7|^q-pnD)iT5%f|v)BMdn`uDY^M*Zaq|NhlqZr8sH9D@IEr<*#dqO=W* z^#`7-?aBR@YyWBaH2uHXOnAJ6*VH#c@%+s*yED*t_R4=-5YPdrWdy|T+Ej%`Pa`Oo_Bh(F`c z{#2}HrQEvbNb^74|o0d+5fv79~J~0_OPJZe%F5a zhg;ff`u7KEtHD36;(w0zWD@lMDfV~i{crx1P8I}>eA1Nab`;{R1v1sE0C)fS3y@5H z=K|mm9Vq_)zM*6O+M)O>^Z&k~|NnhM{}xpHPICaeRFuPBZb!6#xf)Lfgg5$g_Xm9h zfIh-ts~8EJWF2Xu1M^WQny!BeqEBi8~?< z*AX9KI`$>jTdqAsz>Y9=VOwd~5YRAGNMjxfIXiu$oDg_}fFjq8>txqb1^bnTfq2#} z;scF(7wID%z~_Z}zrr)_8qwC{GcKtelM0l)1SHp^9)eO6uSd0w*%no{17!^s=HoF^ z3LXIv9L|Ab>{Y~IxJ2TF890tan`Y7(`9rak?LpKaY#_XFKBCP|5V-lc9E*fmG5*SC z4@7E<1&vycXc>^L$^ois=SXF-7l#!#+ulYv&Kc_4=X;u4?+>8?A%9^cskM(V{lcCA z*kkqxOygi(0Bb27u2g2d3I&)>E?BQZtk#1_9Q+YCWC3d1O(N|t<9^oNhPP07;>+|f zV9GpCKunIUAxT4kF5@=srdyIXGl0woPZhCO4JTvq99ij@s_hW<8WB)`m~^q9!hFFA zgeHo)WD*dk3>;!x9=aq#_#0=?e%dmZ#Zm{<3ER8w#P)n1F@phdwLqYI=!j>8G!%P3Sd)}F2TO)`)ODZ3rC?aoFNXw~bk zyC$Ooh7^9G@lrs5v{|h?uE9d%ScL`ghhKr<&Rir z%>f&J0G*E21+)Y1NTy@`loI4#i>l6G5%kqRmw`Ms95PK@iz1|R6)A>atby2O3j}&R zEOJ&q`tb6n_-ClVjY776i}OVDbeP^_5md=*GU|W8BiOYY^BP9t7?4fm;)Km$dk?Ox z!`->XO<#I^@Pv_ck?=CdJYQ4M`Y{%rz43KetJ!+E?T@j(U_b|^r!SUvlOC__)pE-= z6j-<^mx^K%kJB)S^M6hS{iI+x>sFXoS?55zo{tX?xkdBKa7W?u?X~s}ZMaZXez50@ zvukxffGd4F>B`cfIRaM0pm~K79;7|$-qj2Zp|RP3P3<%a{9&n!A!O1Ck%4&?u;uI` z+Q~jxr?A>>pJ0RN?dIr-bWvtK)m7zR#?iT#TSXue1IvA3^DBNe;bR~BPuIR+ihzj!C*l4TRe zG^lKc0=yH+Bu`U)A#sxE^6zj={YPL+>>>u%Q&>adN=4ceE2`WO2=Wjkggv5)nvocX z>#RHR36la&axn*cu}b%$Z;g77TLex*yJ_kO*+aWH%z! z66!gkAFH_jqUT7ccS`w0Tny^L@xBy6RrsVJfbWg*hpE8u+rF-X0_Z3s@Dw4Ux~rfB zV5my7Odj_K{IRt08+_gVT^rm{{O-P-#Mx{Cp4Zau7TJKu(s}1D54y9!R~UEOB5Ccj zEoXvS_Db=Z5em>y?FAa12pKrD<1SFFibL66Ptiraq!qGs9RbrNneyKzQ-l`H1-Za< zyK8OiI{%aczh zVL2M01PEwf1jPgzDWx!(wQLT62b6-P4LTVah)dg%i@GiVbSz~8>*V`U>H#3OaAs1J zRZW>v-CV-Lad%T7u9wnG0rej>kFEm+9bPR*opN2y51s$4vJzL7jqpSgdso^Z266-1 z{3Cc{%?7nsPG8PX=9uFxBw21)fZ30VP=L~#>gVLObE|GQ+MqY&y5*0huW=4q90{Sy!dS~!tT+@GkajNfnA3e=p?Wpfi$4%OSxy1WlI26dFs?ks(PQd z%p_C^;6|#tdd^lA0H6um<^a=sIGh`;JJ)mtPruj?*Qw#*XL?q35;&a)?M z_we0!@gmI$CDvumLz*QN9L~qUyO*xOuBkvGC2txm_67n+YYiR;9>0skRKo`01J+WU z%+@=lbjF+nHuVDC7@yA81Azh_^aGJKXDr(RZ{>R+ zM9>59t;CPg?)cFwL&a5~{{haLRgBU2ru|YHE-L@VG8Z}n&qN??_fEt`>^$v^x3h9Q zkeC2`x0f@G!R0LB`YM1tmqY{S_gEHB!*wg5m5imJ<0uDH;hz9zB+GQkf*yh)4ExxL z8%^$Ih<=PmT9@FFz+Gt?ic5t~P!lVJS+tXT3{+cFgOFxm(CrXb|6FDM_4muilvdpz zL3mf6z#(dRy{~ivp5F8p=4watbHnOmXyM9gleJ|7Nop7g;9q>lkG60ME5V7P+N;nc zz}wjH9*xobQ?LgY%|R{G=xYs^1V{QtWLha~B#+D*0$NROpf;Yxv}_J3Dy_3bVvkL^ zH`w+AVs_HH=N*HReW(A33KLxA!C0GRz^Tl~&k8-*%qv6nm*qwUwca5cY#l?{20ktH zt`5YId^X{NLxZw{ttLkdg0WGXKU&gCd&#+p;Dk&75`5D6?9)=7F^D7j)weiep1uwl z`mb4sNay@2-CFyHu0yElkjIYWZ1XUCpMRfYZp}iuu1PaH6u(Lbm4pM3vIm(aN!I&m z$?*Otf1*r{r>~4s%?Q@akV{>iV@1aN6v5u{!dd*aR4;X_dBHLuq*>Rre$NF@hUz(m zF4gr`5EZdk61U&Ex=~`yGDxmHImZQdA*;CuVIY#xbnR>?5z=93dIJ}*PB1c<6qY_g zbWG(yo!&XDt|UK)|4dWJV?!ye%faV7IXG@liN}1l6pJja zBdpsHh6hu(F100&&eky+Lps~O3t$JaA$=&qjrLT4tW8I@<$=~+;Ir;Wrva>OHCb>4 zh}} zgO^0PGLSQzYOIGL_h&nPLKP{mzi7+hvTvbE8SQ0Pu_czLIA=$qHEk5xl5j~m!G2YwV*4k<_0*YP~t zPZ&Z;S8-X{g;1btcYy9m23z7er-`On=X|mGHJ;}^hXjSL2MoLpAwor|?_B%XTjLZ| z5CLzIw~x|brs&_7!#82Rs|^~6d{(h=)(;HC^X2LIyyk-l{uv%GhE6C2I-$j!fjX>d z+c%hp1l!Y!szqYXVY2{iPZ;fT~QnnD0X+Y8n zX0UeN{t2Hdr>klVernkm$VxL9YH^(PI0%j}!IJPSygXnQv22b?_qT};Y}7mu?o zLU;sSNHX%*fbosvn7hf>x&mb6En$2|z4bNgR|Y%0)Zy#^e=S5ekj8o%{nL#JQnYmd zb^u+l%?&<$sRzFzSa6f*%pM4cj^9-s?9}`^uT_!HX++aB5~aBqf}`$d;$hAdu;ImV zm0qHEjYGA8n$l3?7r|nhuA^ZZaoc~e^|X>`p+TpIFk{OdY-bO|!TRT7_AD2}Nhi}1 zouOq15Fcj?p8(gXW(dWPh_&J<;V|}WjKaeJb=3`A?s4M3glqUN@H$otYFw;$@wgMj zF4SzWh7Tk9`hNkPu<)LAFh2~(?>yoStL!6o#<8lEAys`WLIB{Si`>YuJs3|B-*fgu ziQ{#ev~Hr++KPWHC_peB?mDNht~{II(q9~_iR)0{*?G;eb&InK@zRT*QjPuT#+}4y z&Bh!!)7kdw-u%vRNLE^&l@5IG5VT0LZX}QGSwZ;W(D%I;V1Jg_3ZEiR=Gs*)!I}Y* zdV`t0B+S1t)#~DmY&djglgI><6{y?06n;RpY_xL-7tc@SYi__KQqI*Vr3g<)62-@dKyWJSXI+w|Sh3xVhpJD8;$Gew{<~03 zg90;e7G}U846o@x3z#!6f}znF(fQVO^!8PnwY27wvy0ue0cXQ-T>gC8)4nCIT$X=- zV>vJ{^S+ zg$uF~iXZ=vAZ#TMOw07$6l8ez7l`XrUqd_TVYE&6aGq-|%T+%rH5DMFVNbJ*q|d1D z5$lBA4e^klci8lF<=lqJfQ^5I-C*%PC*CdyzE#R{dHp-kNBSZGE+0U_-I8_ZYzFkN zIE8B5k(jD{rFaq9QS)k}TUvxvA{#XUwb{ValL`3JJ_N zvq5<(k!IzEVAD5zsi4^=h)PYNpsJ$4b550JXBU5jY)@3}+?v-n-XszHA)$UY|9Uu% zgI+WSN1PqPXK;l(<~(9ujJ2xci7+M9pAN;$o?{QtwWMFb+ec~UhP$C99H3E!WjGth z*cRZTE`eYT2>VF-U4`{y@e{I#4#(z(WZPxr8j4zGOPO{Vn24=Ud5+?Ko+G@)$~W^Z z+4Nf>+SE~amFsHySLG_mpUTSW?w_zfm_ttc1{E4`GMUZq3eTTUV5VhJ1*qN#$4e|K zR5}`WKl?fBF681-pt`aZH`t@AAGvWyBZQSEiJd^Gm)9s-S^>r1@M6;d%^ShPK?|V* zwHC0|AnV?-ej7|c#$-Vn5nB!lA*>GizGkfdisBP3cKWn|(qXvODhEL@$9gnzV;IS+ zt>%yL`JeH(I7?W7zBH8OV7(pCmc%QWg&Z-QR?ye*rFBmsFQejOBF?=S2tI;h_5Gd~2Pn^nSB_z^)nIeYsCtWO z>=Bl^*lOR|oyAqH6ne1BwwnQ&pcDKq-YULCN9e7ThGj!`o~SPi0XJKV$;Vda4<==q zdyo!ky2|lOb`d9C|F&hUN-Z^Q7L-lZ&5v0&6D8uX(Gd`&u1W!q4$bFdz}0Ur(NGF4d#UGAvz%_D z$yGnVgsTVXL>6;KtB=1d7fyJ#@c?~WsnSN`aO+U&5@E=tV)1MIj&Ll|wd|kyuhA}m zPOrCdYOy>1#`-;EUO7uQss5CIe`w|* zM*svLFNL$u!vDlC0-=p)ziYNV$~e7zYWcLOZNF%DVMc}iIaCJjw_EhyP1!?Mh~Rlh zrag>g5hD*{dEA!60ij(#JshaW(6-7V299hcQDe5W2E|PKw6%kFk@ko@?#YoyX#CS# zjsz#X^68O~q&KujL%UuWd6Y}Nw&f__J?hNDFyO&or0Au{UnKO_)-O`_O**?MykAeD zHex{k{8~0>WPPn_=;X7tkt5~{i=#%b!ZoP$smdUA`ExBn(G~me2E|mKXj&9L^-TT} zX~w7ZOEiz(IlClw9#SsVE>sjO)g{F&=%Zhja3rYX%5lD$j*s_L*2O*1zo5>rcI4_h zN;(nuUrkm5AGz%<#pQ9kxs)q2zvoh~ zE=|s3S*r#-=6rF(LcZgT=XUemZtwq|?|%10_~GvNE{uLR?SoIBc-;NVo%4_P_!o*; z)iY2SsEGX_YMLUQnqFDe{i9!x_V;kkd#hp<-Zz$HTD-PT*>Oc7yJKTN! ziPCq|=Dm>|SyFX*&$}g=R~yz2fAoH9q%`OB^+7#q-o6`|F`pPOja)LYf3UAsoE|l* z&UCzW)C&6-mqxGhhBuCRBELvXTvM{RxNOd?=F4SsHdL)yId*f__wND**Vu2|)|Ht< z%2zf{SC8Mm{rEfMckKD%gGXLEX8dphJ5#j2;@giF51m-2ow7#%>h0r0CmpiikDlC0 zQ(`KQiM>x$-ri9YBR^@{7c=#=^Pe%(&Ng?vGHq9WCS$CD#^TuAOXGUTdv^g{awseKd--cVd~>) zYjurdMrK=1ju~;>ZfbZ!;r@v|Im}z<2^yDGUf6X&!QsG$MFY#52Mf&b_$2t~%kyn1a;Iqyv8;hRuU0u5Ei*@lUkCsiV7~*+s{iGw} zvl}SawbRC`pqH;{=A1sZB;&O+gID$No+WQ5$nf1Y8_ssnL%wvz!{YO&0O#SKC%)n#=1H zIYZRV4MS#`p0S_#luI^#bo<*sMT+H>Ri#s>l~0=39xFccYJlq6BgT7|z9q&VYv92D zU4Qzw0k%}uJ%vxVMD7^VWY?bU!g%>6NeP`6~^jd9P zTYudOr8z$^^>=clN71T2>z_n82)J{D&`=VT5RFjXE2O8sB0m7JAe2QyQ5^}2Kq&59 z5F$aLap%?mwU6wXcpOASWhxU64b9w}wVK4i>eN<_cExaH=3Y2&^krjK0G<*G>wJ#N zGP6jDV$2H}6ycenW7aPXhHV)FaiU<{m{h+r07{wEy;5JXIu3R`IS#&zxg14Xg=pDo z8K;yznL%m9PNhMC3ULqFD_*h;nT44sPMCyDa9lK5fzGzpdv_FS||V7KBn9ciW9bP^U{?qB^?x>j-*^7r1n%@u{TdYiusv9M{(CbV_B)s4a*+WIEj_vHd91-oluVLBGm^`eVkKnd#$f@yhLtgn z87Mm*jV!qk50uSl#6byVOHo8da?w)%b!Z-%K?b7fBuJKA z1|(B6kVjvLlOpuV{`;W2mS*S+XP}6%j`p{oM}keC+=w#Z3UCH}8GH*FP+G>{7Tkdb z6ATgaAcYtu%g-r&*qOc*ta`G8arFaeFkk=D)?ohUmGQSNX8xBQ*ss_B;Qu=Oec+ZR zAkgwl4YUWK+KBDj(F(sa@BdCLkJWxUFj17*Oz<_ORE&yf*AL*_3AR7@gi}mXQhV5$ zjYeGo$BXRDCbODol#qjxnOc@?Vj&>=+{v$7F&C2hq`HT(?>c0smGmc2ub@$&UZE)Q zbBvkHz{-Riv?m>mQdk4B;$K4f1ysGfCelN*w9_XJ0 z{LU)&?HXD@&jTo1X$vi%SZ)<>RfDk+FVuD+lt2NAn=nz6p1 zCj%5looJ-^x@8KQs0+Zm+>i=>h`j_cGo$b5oK+yMF(2ZvQ(fZ&kkbKa)F&)W2sk%$ zSAkD&A*ROsNyQ%T6~W>hM^DKtLqTn6Y#<&Zv$=?aeCA9fVHO8!7-j2;@^{x(cxK}o z(p~H;vJ}>(bZ%@L-Z5Rz*e?My(-jIJLD=p>^_OOvS!QPTz>&F75!)fNU zGl-=*f#1gW0v+R-RU=tyQOjQ8{k&z^@dP5H(gq%I0_voMYjO`m&S|>v+Csb>TQa{# zQ0Du9ZOU3$w-%T)e*jN}xb>luEO{MNw`qUk(Tx_5P`ot<34?0hL00##xM3-zjDJ$U zG^-l$8509R*c`OeKNcFd|E4Q~%tT@>+lwoELi+V={{=?bZe!tk^VilDaC(rToB8kp zx)rh?P_>o5RkJ01v^@V^*3nP!WsMkeK0vt1lJBOoqy~eH3luilW(6=Wp1B>w>*-eu zpa<7-@obpF&tu;&w~HLW75JX8N$70)jFVROVz06+&8Kp~Asoa$LjdQQ*w6u4Gq*q! zb)A=sl_)tc5#gP(WS20(dWd58I#e(bvHhqktIoWIiXKJ6cl;M}^ncj<`naab|L^M> zJGyJ^9JmH&a0WZD$p)KnUYk4zGuLDksNPlgi7rKdZ94pC2_6a1;w;Lh5eJZF>PnSLp ze4Pf;kGZ?p6~>9u7Nwzpam~uLq=#HRrtcBV#KW}0+-EWh&p`r3;Tw&w>sONO9K=vI zXLdm55XK2TUN`sWfbu>~FfMsxT8f$ywMfX<_d^0}&5Vq0F`%lqnylw z=ObB~+Wz@Yw4V$tM`Liq+w2Y@ptpLq%mwoV-hi&z_7d|Af4H26jk}ByvNOn9MK`#+ zwa0JE5;BgH3RL777y`0O$gv{l8b##~j#Z#tn1`gBNcju1Zx6SF#RKWnv|!6(DmsTL zJ*s$Z;8ExSvE)8_F{yZ*Sy0gbFh_9apr3S?!&P3AQGbJ&lMcG$Wbc zNf!&zFrK!dg>FJ=)L%)mYJ{^Jpu4>4+M8>JviE2TB`p==smQJ&1DJcrJkjIf z-SAfUvm=uI0deM$&)*a4RnBkPN$Je$W|TT*BRK@`dE8P$ZO3)3BWYRo5|C_?V}ntu zG!5Mit6f8;NlnOc31phu&0dF^&Xq^dWs)&iZWV;b#r2_djPG%z?HWRh#I2$1Vd*PW z0J_kzbSNldlWch+My32{=i2s{V;+KBF1sL{%t0($fZs4#)B?Y;!&JK8oJ6xU0Z^AE zP0bwyfwusi3-rAba!44Yy#WfidgnZaJYNBN*uB(+3rKHdcg?yooX?kUA#EaXE6P7X zcX3WuxGIbLvSX$BP>})E)MZE>uHff7IXE+al;a0szGa|Rx{0m5KxS~YZxR~N8A&fh zIS*p(Gc5nC`!JTb3x{^s3qw;OI6kj(q6iv}u)a)H3=l?Y8b)8WIep%j`wG#7n zwy}`|3Q+Y^ja7P}H!OCY4ix(iplR{D5`{f^GCsE-(UHb7^gti3wfSTJK>HNk^ei

hsc-}ypY{?O&mA1!O?Od%)75*m-iM4B-9g!yn0uC@#F5{iQsO&Q>vsC!G;kn2; z33&$NN!-+k;jbajC~D4nFTyk05Pfxvb(Lo{jp9$Z+B-~VA*nk)pAG=EgIZ}ge?Ehc$^VIbd_I+rk?x}NG7()r6zo98QvVX8Eh`0)w!$67 zkAQ|;o|-I?-&Iv?!TH8Mwk{p07s;k^9OTnTcNE$;2pKFS$>pfF1D^Q&2kgX~FmYz( zpt2eSM8{5kQ0-QtpSK7F7|pGv70++i57s$9!%Ayub3bvijvWu*_GK)oBKnpV)97GX zkNjTa>+IOJ5ABm`*Jz7Fn%-oasKo;Lcqi4C-Vx#t!BEnVLhg-ysXPW0V12_tmYZoZ z9;MBYFhAQ3BI&pm9X}Y6ujY~?(C}k}>F&mrhM2-6Vl>Y1?ALZDrca}^8^g7qM*WS8 zYIZlxV(g|3x^gccXWYXVH4m*QA=8Y9coS2lE6_ps$-k)p;xOY;(=EEiKNmFWn!bh9 zwVRYY=DezOC`E5HaM^f|Dvi}nA8yrn*5Fr+)3eRk{$=e`$mKteQ}|81gUq3+tHV4P z6dtpCU|`qHouRK(^Wz;GAcguxHAM36f5@#OIj`g0_=@et4g}kWl(x}eWtw$&D5NXV z*ow#WwLC7(W?|&NGXl{nbFQ+hLlx``(fTRMv; zqam{EKVq7!h8FE#1bWsrjDIft3JLO0gI^1g|K9GU^0E;BLeEdUNc$IhEnkILKLNX0 zNThrC#G)9G>a*Lm<48+azOuR=!tC<`2D5RIR+qpJ&<#~#&_0_<$=Yk+;p$LL9iqPhtWw!ZbknK0fVZz8^>SHwL7K{5xB6XM*9hCtNXsY{ zl`W5lp>$VLi3}BNStqW2qO2O(Zt?Pq3a|kH+j}-xcon9)8w5EVUt8L%mQtIm=1)7P1!+|w ze6&;>VZ=@qph9g3^Kow{zK4>hGT!h3772~4Ann0}HstqvyrRg3J zlxnC1f#ul~5D?bVx(XAB9z%2Jl5>djYaHDHGrY9{ISavZH@shYo$rle$$D_mbt=1~ z;*Dz;a2wT1d#G*;(f<-E{-!2(<;|qlsT~=~+S%141%PR6q*Xy8oY%sc14KY}{cS1? z9&i|m_ssMMAq8b{oq}n^p+1NY zkY#k1b2TzO8n)!i!k%<_!Ca;DB{W;1to^={r-QwPoOX=Xk?r2yUaC?!=OL*tc1R%2 zX^pBY#USHLw{IPbo1(A0!JlsYhW4S43h$i_q1&j*_@R}s)(9XbLo!3+#dPMGxNwyF+d$IyHIelt;>I>NUc7H_Q^({ul z-3fl*kLZZ^TQJS?wV>f0F`&9#PiZ2 z>6O`g+BF^39%031wO9uf$z-bU^>(zgw!cQ4&z`?e=Q%%tO66YFX!l33R~=z+#N@hf z5#LKvw5Lu!c99d1V#SY^YNOKXl} z?E!9a0vfQNakeS!Sr4j_w;G+!wQSLHNm|s&HlU++UrhGQ4*G;x#sHSvyEakdCU-a~ zl)GVI%mo$$iRaQI0pXqL?Hl7f9K&tU2}!1_2I$OO=McfH8z*YN%^=mB2l94>LwK`k zMJ)G9bb%S!eiBImmmh(xR4^1W=Xjr(5u0a4&cjH%NQ3(^5iTv5bh?p7pj**K=>&;8 zkRgq8YegNmKV0Yl3*(!GrOpiAvMCP73l64Pz7+%XqfHv*${yVgth?sl2c)9=gKRg# zP1j5ya4>!Uh|p{p9g8n%bLlY}?{VcJ)0*w7r#x z{9z};=17qDm0wOa4sH^KrTE*M`Q%&6&PZ)D z@$5CG^QUlm1J5Q~h7fHk!6~?dU?&T!GcBWokId0tQsY$ja%B3h8%>v2qQZIFFje(# zLw2SWKg#TYDPkAj)pjBrrQeJZ-l-U@uZ%O4xgN-+sBSB|HX9NU=!r&iV_HhzcGLLZ#Yk@tLDN8ww|2e69k04xsm{ z;dUizSGlhxi(A)c^^@BBs`JZk&TKhm`8<`D>XHc?oz$O1`d^`F>4*qy03 zZGw3w9Tm>s@~l1<{3zLzVT_*YL9{nndb-%!$#N2m{dK)ie!S($*sJ{Me505>5i^t6 z9|``p60vi^2>!%$ESMSXeGLov+o_OwUO#SBgIe@aIyU$E{o$NVZM)I`$l08tK$cIG zFEj{8*M=5$0k<8Bw^W1x1w20pI(hdHpptQ#gDm$oq@+61S|oHA-kNgLFXCgQqiHVz zl-=bxY-1V?=kq$E%MPKVFjv$bK+8fx*0ykFsAP=-99CqQZKIn9^Fg^Dt=^M$u z#lZvXkEB8TCMPiquR#7073+(Xzp8YyS!5EWbJ#P9Mv6)`x#^i$y2Sb|iSkq%qF{*= z_ytU``cvJ(BRQ~y*YLY+uNiE)I$K`YWz7_|m>Ex2d-jR(Ecj>i8#@rQ<*AUIO&~&@ zhmNFyi2PR4MZRVu9<>h?gwfg+F3e* z=IzIIOVPRh$TldtNhX_}7dfdT9<>M=j>7nDQE;}(j*T;HojTHbdeZWihUqvfB+C|9 zj*&WY?Cz6HcH7Un@6yrG@?MrtD6-o^EO)q3FPi0C1$kJ43$I}y5-ZEVO)Fcu>Y+_> z^g}5VNEbhagdbE-HH!QBV02u&QZ}Z~}y{ zv`?uD1jH8(AEnUMY3b3b>!?B}ZNC|~p*ruj5Hf>P6Ye*biQ{5K z+X{ix5MVpgi)!N1CrNM~wX}xXc9Bb-oX$X?Umha%G?=<^Tt3N5K;ljfsp3uq^JbHS z%kGW1D1zg;j@11L;@%H7M9G(sJU;Q@RQ`3gZ*@9ZA@&FXevr?MCHzH`H^d1G#*0YX zJ%m2RUv&0F_NQ@Az60dcacyec!>%(boV$>_OE=q--JMm)Ud8wg7r|lonXww&!FW3E zjwfer)W|l4t}`XYTpM6|hgXk7b}2f@-%I~Z7&9ch9K&q+m^>0mLJ+{6CyecaAUFrH zjr!m5C-fdL6v7+MgYKcgDrc{y66(3t8@uWFybIiBMlBF4jw* zvYy}hNd2K`B71%?^$CS#X8ka~nm$De9cS{}-~IX6InSrmo>e4Rp33oMBFT<(T4_)2 zY9xIM9&-PN0+hW4<-Fh-Oa0*A{TP=(k0lf9UP1*BlstEJ8**5(h+Y%zEk_S#paKXI zEaWC=&{tUl+V7rGP4=mmeAKYT_Prt7iaeYAFL4t^e-8kvThl$;f%mb>Ihpso9GD7f z#v{*3!2UG=y|U*lAQB7*@SFT+g`a|E+kwj2_Enar)#jt1ZB~oi652-@$*%_X*ddoz zGgtI`!tEXG&)VjP)~7RF`I?&U2=o_dAEtZT4_S{u1eRSCAn473DVXJluRwWyQ5pDU z`@$&aNGJlrMz0ymBh+#$rX{ww)F{L9xw>HkKi(^V_2R8Tb;U>;X|d-ozK`e*?s^!r z%JKau6$WV^89t%SmyA{6`ehDH>5xh@!CrW<$!O0^OnWuevg!p*mO(B5n(!{lTI#qEULkcUnH3@%`A9{`n_yH62tHxWWR{)&&faF++Ad-B{Z6L^j=TVO(XgTY7q0OU_zHH z&7JJ?An7u0zQA+_WjSji!OQcJX^<91I8(aHxZcxGx&w=w2M~I!LVBOd0$kSb&{@S% zW;CxehUF?d#1b54`-X!MWa8pe$i{VWBBn;EaJ{x}DrUD!D$JfHc=0y0>0Ja$A*WtM zd}`}QZDT!Y1Ac_{!h@4&>q*2l!uk46y+Nv{EHenUK8dzIiPnWFpj>v?hQ(QEtp5q; z9Ch2pKp)KsZTrv=cYChxr4H7hwhNa{nI|F3Ts);_I@CTZJrdh?h}&uuOhCTZb^x+x z8&S)idKLF=2aeZDOZ#(*C_}W9!{TMix}5E?>0^pTVGVxs{L7|~C|qCq3~4{2Tn0xM z7XQfhYKjFLxU$M}JKzj=2@9+u%|I?T-S$STsY%40@o2+TvX*9|jG~bP=AfqaoW!0V zVO$KNK)KpY`G|cH#`R&Xr^S0}Jk0SeKK%SU$9JQGF|az)9u96^BIm?`A^ZWt9{`Dd zF!upKTJ&4<%^OS;rObh3=76>!{Wu{0u6iNJdW|H=F9g{>SA%~`ZVPgKK|K1qB4NeX zM%+y^_hsJUE|%Hug%Nx88;t1sg#T?yQT01cE0Q*$>hs3khLd@{QT69Qdd4J>l~caL zrmRe*{ArM(LV669e}?bW2k|4If7xrX33P3YHBB*ifnl@}=lsfU%d?h&y;m*RSFBYx zXG4C(RNdZ`>b|y!6!D0MOtMVn%h%JdZPj+Zn}rS54&=m-)Of5gy=fos9Pln8vjA0O zVu{}O4T5y}%OB{m#W>Tk4mW2OODWwqEJssLi$e_LDPWA-@EmH2)P-yG{VaHwt4)fB zbPsP80=KZx>v$Jr3C()21Z6KlN8PyUF?2K^A(^WsN1s(Vjz4$|0axVFQ|Rg*{m?{D z;l6hbpA|FGA;od3xSoN{8IEq^H$6df#V)ni!OGU~?Av{C^|mz|(9sd-L3ez#JH7+o zvyiQ~2x1GUdiY+A{Dms79kKKXK3SC8(WD{VeAT`iQWit3H&-xL%l=SexV+-X_mFl| zfy9?JOb1&ZtvEZB8%py|1imrTvri(^C&0)jy7Xkd z>9UH%3g6|8McS(>ajPmj1r0A$Y3o%Yry}XnIRx4~zCoRAB~-geb@M%(S@u%E^80de ze^mXx?ttoAeHN@Owt?9_7|~JIu;*9efn&88rM0fx{rnzSWmMB(qX!vhP0`K~EK}u& z;d`xp7{rAN7F8#c5kD#ACokR+k7G!+y%~bJVfZV+ki@F!fv$``W->^?Yb*Oc8Tq$vDr6 zKXx4O^ff#ueyJ_$!{64;(m2x}GpS>J$;h5;z2o#IoE-yxi>)B7C1mRNv4UuvljAk) zb&ig&dmQEYkmYMF1TDUd*uC6PV;@Dw>l(lpap-L{Zzi&9xShf1r{~v-XHB-fa?4N} zA@4DHs>Edpk{x-*751%shrA+HDCjpt@BEVTYs^m+jjB9DE&~Db4KGR&;2kX+p2->P!D;nZ0-v+3=>U+BTBFmd9r;gMQhS-Sdd9Bk15~WJ< z1~|X?d-Xptc|hT2`9VeYAGwG};pmc~sJ=Jupi`=F_JFlSh?PtXWxL^-rPkP6p8i>{!>gJ&QXRKkxYviGr_OgAf%TlEk>_z;Q^JZgz zp(Gm$65G3gsclaZ0kV%t!t80l1Y3VtKRVbq4+*^KO*I)I-$sVQq?P+>#K&~dkTN%| z50or^Q49%@%assZrI?K0u>}#iz!&fri97nDLQ`F(Lf0b0uFyM3G%lK5I~%T=ck3%;7~+|(H`11S`zAM-r^LXeYPY_I3fh2%yEa!G z6a^QH-BFI#?85WFOWX5S31&yhl|kg)Q9q&w5PPkK%kNXaxip zPRq8Q<$mCczbiBo^W_3;zV@ZfZ*YP={jQ2l$gV^pkgvtIF=Pz4F~l&Y_$4tCNN-i* z2P!HIKY+wbD&8s-flNw2aeF!MXW+!V>jMB{6`gJz-qhdU|_@9Abb&0 zzQrouEznNaWLjN&fsx&kPMB2g3l^tii(#MP^M?a|_7H`(f!th7yBKe{A4$VUDA>xq&7Xp}(m3sikhXa1nY`XmaRJ}bME0)bC!=m4(RYd` z^DX%T{aClOH|4H_O>?IJ&{g5uJ{o1$blqF=e3Rn>ZFukm+W!Qi>vUtZ5XE1IB)#H6 z3%cHdNDJNWDMNM7&lB}&`l`_UKEt<9XsMy8;=VAF)-qB*Ayn>-T84^X2ktr0?gpzfjf-S%A7@Pi-gLoN(tXWNX(K zV#+NC_$6YoiwtaS6lRY;V*{(rwIsnZEx{IV_q1#M+d*3 z-BsAmOZ))mkJypqO+|7tmRBIV+vTUD_7R`LMJS%wm@reKLTdCL}94A92nfN3`sl}$yo z-ZMy<#p-VLOqvP)y*InG%rph*43Td zBJIU(JK?E%NTU?|sj_DkywP_}%Zn)es}~fRy@mI5PM!U}JO*j+%!k9yNH-8)u=s?6 z*0$CZzFYArt(B)LEcQz91pux~*C96P$n9#{S3ZjA+=d6uLv?-ZP%)pNr1r!t88JV| zN%eF-q#1rbQb`ZUC@AxAwGZR58<0g40XOJ){R~bzL)SMT`^U8jb`9{c(6lSZnxX>p z!*vYv!{xh4cb^yF(D%!J!?c^^Bp3t!!*rGU1|YdiY5o%Gp&z3C_?Mgu+L?xvv(q6s zITfuA%j=IzYzlro#8p6J=z)Tdm+vV@6$hE~#`XX!3)3EORcFag77};hv9$Ym$OKDfPe%O?o*A8%bTb^9R=y7@Gxxz&<$emom(IOGo4!WoWn@{IkD>2ryQuBq116${5!f&h>WP^M zP>H1O(&~0_&%M3`yr(CoU&xc&IbVV|!)5(2ouNIYa+GP`ii1kNI@^w!pXg>d)19kO z7PWI`v${7`WIET4O{$>1nN#v+6^_NTag| z*>Wj3bIkI*0n!0XwaIR!Wn3^c zKg)nn?RT8(Ol~Cr*@ba(uIfd`hxhP%ljL7UOc~~+MBsakW znI=|8lypLLc*zO0wI`x^h6-C_NLjO@-~!U$(PVy-3pN?~PW}YjyS1*Z-VQD%`6>qN zDmNzBFwXHSG|DPOdzfFLwSnrI8E{ivUL!3+`M*H4>k()^RjK;f}ngph_uphc3aw?*h++7Yi^D;4D0#d8LO!*9cAqjFIqXgZbay;gZ7@ZNN8T>8BHdUoId(QNAWo!-(C(LOQ8HT4m+{}_jA9A#6fA~hV!0M7iDFK*p|n(+1z&(Tw^3i zH}%KKg^*`hFcit_gLs!ClN`mkDigIja3=d4--U!~m9f4T00peO93krCJt^P-W9Lgn zgPe&VN@q)UwhnBGz|Sxxmf<$~gl%{Bp&<}m(|)C{|5O@{^4~0f32Nn4Sa6dnTFb>p zp`Z0zWbt#MZ4jC0`5t`!83NJQXNzBko&1hOdd{}}3~kBtI@K4JkhFTounFi}gKk*Zr1)gmvp}W9KVwoA5vy`6%=v_+}4HNHAriFGxVT4CR7K6J_ zs>8zQtW3nUb|#rX!wgKho}2vU+dmQ~$CMKF!aPKajy#$3Jzr$ms;1}PAB3(cEQ1Xd zZBqM@o@)Tzz~nFl!T9Rz1<3y~`b3|Y>Yvt9Wc%3cjL7h}qh`~=46SI|ebOI7JFGU7 zwFho$?{*qFB;bvvQYxNQyv&}@*87k{$uih zO33N_MghDXGx-$qHBGrIc&r5}0SOXYP)~^mWSvqtBosauL%mm#DwFGy&=lPbe5N1so z*wmhTtcRf&1PhwN-N2>uC0W&^#T}|3Ni;%EK%oBC6poGh`N7xHNkucu8l}(LyNNOn zu^=d^Z5LdtVJme*ICi|f$^0Co$3DTcvBss%#SpuYRs}PuIZH|6g%>IwsXXU)f^Q5A zr#$fWEmurABe+1*g!}-e7)X{_bn?^4Fq8)Co>6)0?6yT30ro&ErM1?M`WeZFFATMU z&Rhv&{#;N}qL0=iblEm0#JI1>FNUPchl_x0jTbtK#a*RcL4~6k+mtL*n})pY8Seo` zt*i)T^;^`yL1OwTMN>G9b)Hbjj!u@rp{N#Z+uS+Oi& z9BONWJ+aa{(2S%%+G4D>x;THI=7Yd!0V}9^-O#ATK!|6GBeb+32I8={lfVN{eYTfF z4K0v1))Q4X%|Mo%|>+g5%k5C&A#sRjSbn{S}p{4$)8b zB)M&)lH}<@^{?6b@cHeC!=Ei);G71b{z;gbmW9-xHLc3lFXJE*yhO$8L94pH(O*vw zuo(^$|BZH+np$Xg8ZR2sgyiypbTj)imBh(;wMn@juW9IL`XN)OI(C~@CC!GG{d>Vg z@II@B`Q>Z4cSGoxNkH69a)oM8#gM`k{NoO=MM%$efF0;-p2_8_=oikdAytEL!8d>; zvYk~OT7k@y{8Q-)IRzTiC*Pwx&4^y|uTn1Nby=eQ-TX($YH3xFn3YZR{?+=fV$wkp zssF)7*n$t~L4|j5$Kr7|Rh0Hh0$a!*$m@aF4(2HP4<&`Dst1@9B;RtAvmHt~^%VF& zh_9pxJ=l$o?uI{VmZPc;n7Hg??c*0F;i~?D0|rg)5NM@B)uud@v~H6f4Y-Od+v4T& zpd&jfdx@J=NksQ10i;G51~zmtwNq`BB`A%!jhk6DaIim*1hHW+`^4Ed*laSxt}fe# z^_Gq_UV0^f$mtPen-MFm4%T-tk(rhmF;{}c)(B?{3Xm{G>*UdxV>D13r4R&2suuVO^dR*Z~mr?tbD*r+55*k-)0wnfg z8eI|`;&sQH5I>UdZYXiFeEd{9GW87> z`pAt~>drWyG^329QcF{qID=RpvAkfAM>2&owS$9q$AGotq7<}WmAS!ul;!|*F+869E-Lq+22T?(#0a z*a=Dnr>wOdXqt~xTEl98clBWP{B|ME`4)nNi6-Wd*h+-`VBe+26o6ns_pC{vbAZ^| z)fe{_lksC6NZ65;*iO*fcv6su_H0Lv1$=sDjA>Db*mA7_4vD}rUU`JB2bXCU&IoxaqnxtbWc0|c-C4e zzo+D%yp&uz!KqX+xu?J=YyH&(zMm{FyiD6e+XqtYk&!6=QQc7HcDPKH!dOc0zHuzlm+KGZvG>C~g<0+-wf$ zhZrUR>rjX0OlK!EP{}l9kcP56)D$4&SqbpL=1z3Gw;OKm%y$@I!_9608BRj>sew6g zn?oaaR^peXD{LHMj~ZNhpZ|a&rUI~g_IyUn_c}Zq`&CjgP158E7aLb z?L!yVB0#2%M_I=;^PWPp!98}MjX14A#w?ExJE2|^YbxXJQg-zzHMBIAE6UxUp zcei&(KPp@*ScZ(XoI48l#SQWm1pX?NAgnE1FPaTxk7bqm{BUcTWx9=aw-l+heP-dA z|IDnpQY*?0}dY%#`7`q#1Fn*9Sh8 zXh*X61bB2FE1X7nw@ZJH{vHqif}l(->*jzJ)LtU+ zPn`qlpXr!g?f-cM(Dn~bNJyAmQ!#OTx&7~KOgp5p#dekdVLV=LvH)Py#qi0c^W*)e{O;+#U^FN)=U{+o(30<+#D2m-+z*-{PRu!+WwFb z_wO>0;jR9p*8f8S;IC64^YT9g3jW%Y27CTu*Vdzuw`mVoLk_us}il{dE6%nDg($0-31~YxB={ zhdKoHhCj;wzuft+Vs<_}4eIXC)BbgXe^uGPJ@P+J{OfDr3DN&meS#A|-~0#b1o4j_ z-?wJMgi(|JNUi_n$M(8kZ(+;zZ*PJ`!2-yq{{LO+AFVu)!~OreQu+ToUFpAO=O^+h zy?NzBHV0k*0LRA2@`;njB&GiAs{`hYXg>DeXN>lL9Oj7p^Ghn6$))|t#eqKzLcauK z%kc%b{?UEfjhIk1s$%pXedi^tdj(tGpMQ(7EQXIj&-tI1{I3suD}?`y>CF#$_{ewL z4+?`j`^v``OsFa!oz!QbC#kz5DK*tm5P>uqsjg5~5)zeiMnOlUl2e>GLgkq}SuRGZ zjEqzqku?!%WZ6l*#ew8SFAtkj(+fOEmF7yviFksrMrC(p0L;14z$;VI0tcj~r{Mv( zi_{(~T^S58|4I>oi`k9sv1AzJld&o-1@hg!kQ%-dM+n&}m&*m08Yoqv@YK{aU?0f_ zQWv{DC0)x#3f(pK6sO($DN;I8Amv$^>h$fya8KC>f5?Ko@K*{m&p84sQymZjWnKf^)pV@NaJjsBSe2TR zkv9b+yEQr+WEWDHomuecscC7RE;zy!jpP9zD3mF3K^dH#TJANbNxR^B4qv50Y0t>J zrGP?lLQ^<_`M3YWdss5}HEew6S3c;VFEIE+rx|GEPX)r$nVhCm7zfYad-evzD$+vJQHH`276p^`N~8fo7mihRR{#0VfpH`71MmIMG~P>Lc>IZTnjq#*c@VT&?OF&#(uS41*#iiAL80&@HA zIE5JohY!M?;TR~Z1Z8Yc3Y=xRvGSh<#uRw{BPRb*V%vjsD}pSqu7DD|_{75!`=3wt zzj@yOT4G)KjNZKJVTr{mNub13q)0Qr|lLhOh!{z>Kk{SK={r945I%Mz5~TeAaL%G zA4=aP54G>GY?d{H>lTd7xZ{9sBs9P zki0=2s5JZ!=>^nz1V{Gtu_Plv2;i_Or%HA1j%i`_3meov3=5eP+(>Q^Bj(lKS74< z<{$A|`}Tvi%q56vxum7($a>LWv&SqQhNjHNKj7|3vBJ*Fv%En;I61dbx&+K=WLdeL z8&7boAX#U#Q<-R}%$zKoXdcFPaAdkzrXP@>1S)tX(>p+u)U{%FZc}9^p&L&3Twu-$ zlMF`l`|L*=|75A4x;OV6VYlTjr`lQ%?odzItil6Kq)Xx7PO^=9A*K9|Ae7mW5NWVO zKy@Ae7^Mx*ks>Bc$l{-2B6sWY^M({YvLqRS?nW?faLh1n3wut6LXu4o3j?R%bJeJ1Kd;I zhHx!tiE^&_xXOJ82?iz+oHZ{(=XnV?*(2B;?w*iARvnHiwwx$kSpuHZfw%^4>2i|~ znM&M}9|ZAf_|=@PP{h(th_7ol@mk?o zc_9*>CDVa-A;f+HFfFtfNs|2x<8<#veDadh{4xG%ehRNGjmFVf!GY?LEb*i7cIvGQ|4Lbx@ExlH#6z4(#dC?GZg zQFzGf;L{utG)GxX zSe6mPUe?23WJ3qsP_a594NxmbjYXaT%xJR8bcqw5EO{T9wzJI3xI5is=+kfzU8+ng zUqX^~KdZFUG`SHZ+LTU?*x8?$p(MrrIZ1_Q?5SYGEp3Du1QHTLv|$dLVH>RhArONB zH0@VNn~|Y29|QfMTNu6wdb3N(e6lSs1{F*~j`_?}#_13vV&sx1;qB#4SO^1Th5H!= zS4Nl-)mm`I{=D9I_R#2Hza5sn|5j#@s+dw|S77>YZwA;Mth6?q!U&nuq~ z>6JJMt4Sh^sJ(P?>YV556H4YF_EvoYHnBh}Y1P75#vgI`m&`ZPLIP5=^KmW+w?54@ z`sc6`UW>&nK>kdTlThYHet!89yqnkJ`Xf#HMIn4-QGxUEfa>xLvW^kS9qLv}j>^jy z3RXMVO`h9^7_LxdIxk##o36xGVEA50#t0b|BD7EIQWC{f3A11!BLL^XSeV=k5zz>~ ztj7==3th+%#Z zQ97CIj>H1+Bw@ev7Y%WM<^z#Vc479rOHsj3h`Hoh>FR4pV5Tx(%Mdk)7(N79f34m? zIH4}7Bd8xugX?z6StNJHnVjJnrt_v{h#gLy(7lw>9oy89q!A+Jt~OGxyzL>I*Dn2F z?hgtS9IE?>@*&|5HIgJDl<5=-jB_=$ILXZ+PX%NiiR@sQ(gE*GjIHzOq+^c6X%IGx&15tSrR*Zhn;x2TVQ=XD`4>!VAo+jDx=nX^U@=E_@_&m$Qd3 zJy0U^I*QFXsrxk8Ix%Y{B6*$xco6=D49vX_7J=7TEe;9I_Q5jRI09C)%vFu_ivsD? zG2AoZ{vTVG*Wcro5fhB`Vq@3bv(B9%B;5NllRE=uKE4phT!=<8s)PyNXr#Ta#w~1= zzf=8GXBgt&U@f)tvbrMg%b@B<_OMy}%S@*6AgbYxQ!zidsNZFiTTt4ZYNOA1)c*_C z7^3h^9NF+X;pm65TERCm8wHt!WPQ~>M+xv7Jav{}HeZ{Kqg-b87nm4!vZ0<>&ZC+7 zCE}g9zxxVuyOB_1R@g;`rInP`e^++1fJp^^pC#&3>k*SX=r+>>e zNXp9-k!iIiFB%mM6{iXM4r>uAa3Cz>mcuGfe_7%h0zo^2Rf0M z;ZOiVffGGH3WA~dur3}H;^bEpx1Te9mD2-X*XmTIW@e@P5;nvD7_<|=7;2S2X#5yY z+>+4nBXFm;8 zNM{RHL2j!}mBVUa8uII+R9n21JNB!a!KUF6#*Y~zdC~gS708-8a#IERx42Qd(~iuL zlN4LVGQF`Vff>3FRLq$O#x7k{>wgbr>wpj4%%Xl=O=N%rzA{pZEdb%$MDh}77%(He zz(tTsdca>YvN3%fu(Bl}>qN9n{8(e@mymzI;zy6qHdrOZ z3o*`bG}vC;1O})eYHgbOH!sgLjLQ9y9S##K9yf>i0S>CXi zTWij$098rRe_EEJ@Mp6|*WsgT(ss>1Yx`=dyaKV=jqCc=}MD{z# z5RE2Sx|lL2dxs)nMpCj-Q~wGZlAnOXv@L331Tnh9f}r6;=1BowCXB=Tk@?!zmhZQ4 zxxs9x*+{gIIJ!?SUL=NS+(nzF^;j9nxkCX)>Fg_=NEfi0b|YsQA~Cz0kNtp0f@}yL z2B{9P{vnB6k=j%ePr`&Ieh{54Ek|C^X&;(Dlmi{XeB^lD*gJDMnVvJnxPpWjVwrJ< zBDxB3#j3s@gv%ouuUuZzV4lo+$I$eaL&{*964AyP`YX(0>6rcID#lBo>o>` zSO0_?vSNb_y9H}*Gjq)Qvc?yWOam!DC+B9x_dxUq=-br>XAGho-lu(p_;YxG5oSGs z@;V^0n5^Vu_&xYLNa!g{E0~MuB!HNwty)z+2|t6?WvPh2;NFN(t(cT( z7a(G7*l8}LUsfz+mNK8#f5sRMcA+1RX*eN;BS#E+&2~+lvqSX8J6UwBhDNbRl+b$x%nU&reTF?;P{ zO?wT`b3ga}B~_jFXF#KaQE7sM$WWeTZ9Y-5V5XFB1GEkhtjx~gajapPjxk8PjT!+X zAU%jJZdp}jbx_plwoIMk4SzA1tYjg7k`G!dg zh-fYV--npXoA9DJp!M-~bjWZDYj>))_$eKJ#+_7DZR9L0qQzV&d4pq^6mB6NBQRt% z7s9?JLk9UcA!Qp#>`Ag+rVkOVvY0VWqJO%E$;%CFeXzDl>h|J2MK}f?qr~YzYrq_E z=fT4|${5Hhd|d-Lj`jil%_>tkA}OvZoSBpXxL|3TZv5l@j@fAe2rki{xJ^23cT9}^W$vL zhazj#yS8MR8WI1xI$Vtn2_dnwwB7ZR8V_TNI!`@~fEs}H7px-tpg(eecu(2uYj_9g zABa79Q9hkvRlcHFQ=qB~PP8FL+_oMz3FdTmfggSw1W5txpEwBd-Bc?mU$4&Mz9-cT zmywL;v1JT@U1*~1Od_f>VufRjqI)3lq#e;u<@MSXMFSDkfW?dwFCo%Kxz!g>HE>vM z(SL=N!W_eSz-W1Jhd`t^M~;^zf8^+=He_a@z8$4pRw%d~7Dd|+%(U@%>gJr2PpaR5IS=F>)!Yd*rp%K+=HmelN* zD=7)azQBO)ljcLZ;hiQ-a1Y^C#n)X)dqtIR^Vej&V-#+~$Iz@~x8}3I&_K>)q~c=o zdg%rl%{R#3@F_ftQ^i;A=7QdtUd1FbtXPQOPXL?4+&8R6s&PEF!Dew*@;tFc5YQ;T7plez+S#-NlR^?q&Mx^Hsl2Hn9nr2h zM85;S2GO9!zRE&*)OJDs6$N5^IZ8_ed<7H6`BTvz=PO^WHSF|jDK{R_oDqy)*>-w} zk(w=jF3~Z9nI2!Nx&ks$18d}i1lXhZWqT-L+5DE_HN-qg*?}A%EAkmqmSRJS!#*mP zg`~nqjb3-Fe)`T`h8N(=7#F`~Ja>Bq}x58hwC);FqB zCcosHQ>8iXix;_kNSJ=m=~CKDwJdnQ0W?78YN zaS%ykWa36fPKuBrwwYW~jEQ7|GZKj4NW^awC)tz?dII{x>LSw4*o%oVI~?sMJ6Pb=91F^OW+G3{;pEFc z;W&Lc)0Avcn*}S*Ba`q=l_#U_LrUxQpsjhBjKphaK`@K1*$nz^E7Km6p2)!Nlc&u0 zWJ2wGkqy?($HE>6nVX;`a5TDa;emgw@3_aRRunlH#(^{2c@U`=#KfB{JL2n zp5lAo$6LTg!2af^Qp#|&vTa*B5_9Y!_M4&i_pvcPT&j@I&j-R%5Gqm#S@OvgXOMnE zIv1_&tA0{gEblB8XX^*E>!j3fkN3kJnLw;7UqMn}?`;9HHfA?gl^GDOR4Yh2UCh0W zLy1k03-`&^Y~V~-}@D<`g$5H!v#z*QPxb_1a z3)*`zj=2-NBEF3Og-H}3qJtKapG7ASe){tJp9fAC_HF>dOf)D+7MM|x<@b?>P!sb249K26@UpTdNWJmq@h;jfb{6RM4M*f-dWEy{!wSnZ-!kMTkg$+;)CSyrqax)O+wuwO zNhnL{lIr{ebgKjQt(8BKDLka?3ZtM=E$|mWbNjNe3h8ff}0cm%EQB8PYmI?b-^+OQT347vfx*#^fv=E6F zeUPIoTOp;a+OMt$?3yx{VN*Z!(2CSk$XwIYP`}6H|Mqh0saE6R2 zPs4HIqSi$(anM&N5P%62aY*v`yK6~4%xb%^Pia3;{!-CwZo;;&YuKm;>Pju03hWMz z`O2%Ts697W2?Cvih2`29?sY2ae*jXk@_o3-l#j(H+;%>b=Y&y(LB@$-mJR`i#z83E z1D5-_Q@F|wlNL$v;-shhg@kWLK<$=7xe=7LT$Y|fYScYzExbBtGwoQd2w z&h9{_gNTU*GCAX~=}CwWS=Nu6P1DVPDyCEGK;awwOKH9sD7J`c%@g=awNvxZUvsxP){j0jjA1(D>DOH5~xC z#hIXj$S)QI?p0tt6P#eUrd?uJHa-+;>C~M`x?VDMee#bqz;F%Y1m=5Dr<$xLy^;s0 z|Ani;2{;OKqi7p@PY{ZZ|4Hbrn&dBv_*Xof*~!f|dXZYLles4dqEpr?&+d#aZ!|}7 zWe_fBSRV^UD}E{o0SV>{SVl5Udm(C_pCH75Es;%^r`|;H?BrHR4Te8EX$%)4MOs?@@uVUl@+g&qWHleh^&qkTL| zT#ZSZdKKww04H5%gtgFHZj#PmFyoe(=Mio0U@&OT(}nZweopsmAZ(G?!BQbqzQIRR z6{wt{RLuyKZ<7itnERAh<*K{@+Mi?HA0|W7oyT2)MzoI~Ni$T*nRfOg7$^_5OSuF+ z3!4crSz1Ba0N z-O)7Zs{q6n(d{bXx`;4vI-BK)er~N8ob;=?G5Q>!`ZCG+aN(sUN+d8N_ zFX-W_=U!1?V0Hd{l%cp+eiiI_abIC)a|U#YAqafF2<&KWYPw-R>p74?z`<0@HnmN@ zV|dp;Eh66Ad>iKoi}~*2X=JPX+FSc-nnmcS)*8Znb!wpNp);?z$Eh$ek2Q)wV3{Wc z|&S=a!7;wuF;8SR|Puu)bDN`y;bAbN$| zOpbQQu-+Dm_*@c&Pitr6c7%|Q;s`R2IGvvhZ{R_uIY*nF9w5o*{VMhMpYB!hj<2lf$Y?Kp_q zGIV#5M$%>9RUF2~`>1BHxQa&VXY=|*0o81SU8s693|R@wpV7QL);qh> zlk{>9qihinggFe;kZEpI{k!ZeDVYV5nhW_6hEOlE9k>+_spG`KWMf7-3Dx(((P=}7 z8pJKNgT!fKZ!(&9qc}vJ*Y=z7{tt(?aO}bZipI9 z4{1s;itUaC^-OIC`X)cTem=iW$SpNs(c;Bp`Qtm8?GP^lUkk_Pjz9y4rq4BAWT z)Mkqg@h)Fweh9N3mUD8v9U_qf+(e+#0w{It2PwcyQ^$Sd~Lj zb{nbZr5F*}BCi=@*h=x65GiUN3aoC1K9W_{2#?PG9HH$|yVZ1xD$c4f`Eac2S3l(} zSH>RBUw)O*Y>3{%M;%o&u__Hq+Hedl;aK@fU)UTu+0Cw$@EE2f_J-o2tR|@OPyG-@ z8b*oWJU7Ozb&QZaUwd4v0U- z41#6c3Hao~CyzVI_(Mc5lL$+>u8Q9?31d)t(j~FK=f<-2k4c=WJS%E{D2&FjGWBrz z4GqZI!obT|j#DZOo4&l4mjGApDfK&m|t=uY%pf=j3bhD!d zFQ%`E9p$;YtTB}Cg|@3@KNqtLdUyKu}xAs zROn2HHI7aE&;_a$!Z09kQ8zaoG$mT`zxY(~_w40}-zy9wtJv8-Vt~+A-J%V*X^`+a zm`QeE4Xv`Nz+a$v-zTLF()i0rH)~g68m|G`gd|L}z-yA|iD_KXIvDT2R&5Kw_o4(J z(28%aP*15CM91L(&8v(M!20@?HxE25*-GTV%_N#Zbl_vA{mUbLzfQJM|hWx^p4B)4!f z+CRS|GE2DYg52`EJEUCjofG<5L^0h7^A<_UfiWMFrrm^Y3$4A zj{&?uWu)TrNo!6e37S@ z^ZC-XeprNK5rN|Aj|#C>X#n>JeMzB_g@R>zT*FK8Kj2&L+PJ& zofnrr?@52(`oBN+c~5fVz@FvNeR69JJuBynTRnr5J?lV_>;K{L&rAILW?|2N{{8&_ zlD)qQ@K*)DR3R@q!b=tLpLsL9TA@J}Z{?`1FD`lTNFR~B9r^zT}AXTVk5`jr1D z?q9v>KeO}Kqn~Rf|6S@A&oBfZ^L!C@;10U^D-`BGf4B|ye%iNXm{Hm9aKhM)Yq&&aVOKs{d zA3Xi9R(RH7Uo_y0DrvoAYiECPr1ehEu6l9kSQe%rP0+?!Ladlbe>d96ApSR5>&Aur4vya$!d|gf z=8k~~1E3n;9czUYBI-akQs9jKUosV4mQP2B61i zVQV-5zY&M>`R*V9`ZY<-(P5*(f%MT%9Z~V!tkG1*ts*-2_NsOCH*W?J;~>X(WG@P0 z&OqGFV!GFTJM&=@!dKu3AhHOzk3{-koN{6{$vrBhLm(f>kuE6RUcu+XFGb3jt6^^u~+>BO4C%Tz6M!;rPiZXs4EhqUX! z0_xA`-QZ;WhRnTe2>{$tZveE4Ocvf~NWn_JvuOjW zm}5%ArH2|mp&{5JU{)V+so{E(Tw#7$~5*GxnC&3rMA zFr;`c`-$Xpli`$jpn0!5Ou~(Qxj0iW=EnlRw~?;Iq0m@{c(`x? z?(HBQ!L`f(M#W$T-d9-PZ<(-VQ1e7La-VVuut$6b-e(~Z5c?zX@2BPVNVKg9XK|4v zOC85^thaCdG2|y^7Agv(fH(&S0(Ar(fGZ6;a1Ox#-P**bOW|cFeEp>7Q3Cw6)<^() z&4{QRbUtTR@YL8$eaT)A@TX%=e z=bXdg>Sg#D@dzg-U?(-+9RfQG@YUoKLR5K|7Hn+65h^#u+ z@SZmu<~{%d-XT6A?`F$|4CgZ^4opi zZxS5us#oDvSa94>9i_y;kL11vg8XlhbY!tXWn(#ASpsUh!^xd; zdMHwS$h?Y0u^mmN$Oex7q!tO&-W=5Qk(xLD$=6@@$0}z{K_bdS=11^u^q^gr-J$*| zixFf+FZPTdCnz+NK~N`UELDBWD3(&QXY+*Q64y;lg)g6q!_tbVx@0ZEQDVBW7wJSq z+MP`07gANqLKu-6Qykl|4<&E58lApL3)vcv{_{E^7OFEfh zL;_)g3O<#pi-5lIS_ZDaC~+0@@wS;r`!GHq96!ZGrSDHO&0#bw*3-1fkLojzAZ`Go z5eJfGIk%XweU5?iP~?JHP=%75FfpbftbV<|oSqTGD<+a~KEt|FjIQ_^6fF4(I4FH0 zW{K3ghm$ zr)cX7u1o#$#v^VVJlE^Q4}jhTxC=uToKa8ag1}WG&?DRu8k7s7H%ovU$y&jNQ=>t0oj4@n|}=E||GXgGm*za+AOzgYNCD6Ny;Rq#F45&R<|?ePWUY0@(` zBl$qn`y@-~#+9f!V+9Rw{t}I1&-xWkj$coCV^RKMfPbglrKCZxp&D*CcLa|kyHzYt zKH^&dp{$ziOVU71&e@i>;SF9^pPv7lg!dBu6GBTpDt^bA>=ce>Qe93m7IP+Ho$F^t>-+<2O=FPr z#>_UP6R32lcqxGH2cf1ev@OVKa1*0MCB1A2$9Ol8#SRXtXrTww$AKHum`caMh*=Sg z$MSnCa)}Wpsc;J@+{Kf~l&(m9+!0)u!_>2#R`oiS%W9?4#yap08=|T;gDmE)4$?86R7q|ZkzL~Wkm=a&mD#w>-b?! zJ4_#goGdaFAiPO9S&+zBeRRM3YR>!PQlY!3RyhM=O({W`3d;@x(zz#Yshe_QT~&vc zjeHl5Q};J_uNzxZ48&H;Tft<0XjW>!$j=TM(VRj+_E>Z$R`n<_HC-= z5&_MuqDeJE-M3T(3o~E@f-8D8#^j~lO`4+ zcQ=F8=Dqk_Dz6$&x+H@4M%#Fx{*<8^ZQ0ulbGFYnY;%NRl{ftux=m|u zu{j7;G_T?mmmfawD>_7GHwVL_gMe4vhvV6EY_pS-;T~Kdyv#TduQCN9H#+rwU(FmD z4ZyQGJ-RKAAoiIU*{S;CYuB+@qoe3ss*qm0-1cC;&y(iAyOe+_F=> zl}v_^KBgt@cdmgs5AE2|k%Ek|>0C<6AaA*NwXv5%>i~BV=SD>W zG(htzrJeXH5-DEh-hoK30#vHo8e>a9{5}{e_^GrD$!Ff3HJpWCC!9^er=55~RIY!` z6)G6^devy_i!Up1TLsAYImHCUTmFeL=yV>AiQ454>+N9-pZvh4h3VO`9@_4eyOWzc znCg%wQ`&Ti^fCe3_6A;W`YfRIJcd}E{3t|&npZ$n_;|bkBKq zW7sCxNhB`ectxr-eJ7>~&F^s0d>4MPR?0s1jo*e#U|$f06(m7jVK5-}Vjy<$?_~#g z=v9ErFN|oMmR7F{^40iAYlas^c&dgo`C8;S3zb;vn+~*zT6JD?Db?0ohq(2sH(_?b z+g)4uZFTkFMGm)}L)@GAUjB4cHy21s$@0rEpb04{b*NyE1S&^+8yGY$EqGh|lM&$! zu!vS3qUpXKBv#$53iX}&0NXjv5kh#!ci=-zTV2@4VDy0Xu>5CgJMJMFS)6&?qx97p z>O8LAiYJ>^dT@Ns49;b8dd{7OGZq-hKF0+{Ml9?Y9)HgS(rLJo;jotSQeOm;uZ~Cf zsbx8WNX4&#H@Xu{DsmwM)_1P{pyg7Urs8}~%P!xR?+a07`P0x_l&Dn8BB&~Tr3V3~ z*tBYpd#5V+!tO??xqND{*)KWyO!eer#G8NgzAW#VURw#!iH5Q30ppfTQ zR*WPL%Vf-LCLy@@Tm{_>+XRvSs^tWY;3gElF0WEkhuln!*&xp8AZ=&X6CH%2#lKHN zxoNn7uK|tu1V?R+5l1XACf629#Ncl>H%<_F#|0|X-NfVRMtZvL-m;rS&CeIkg3QDi zO7u(}EmqBhh$4A}4;_kQb58PMCOdL|sn66Bv5QlS(=yisas~_~4E=y6lHNIf_E(WM z)0sp%vp0RHt$vScm9M(SEI4&}i*x*ifPs}<_)I2BH8zlsiZ2%SYL>_GZFwhYPd13{O7ax^R4$$0VM@n9xo`YlC(%cr4?-%LV0x_BoFrdWe5lh|ht2K6#tY;nOO{Czs;ch1Jbos)KF0C~JmlJ;Nz; z)+bLBT{Y{3CRX0rT$h-HR817#);kP8#27@{l%$}{ez^2b;vx_6P4YxDl;#eBc)@*c zs=ndaf7u(>N!rEwQEUq{YE-kA&onrVwoFvKZz#E;;5D#Y8l>{ z*aPuu!&OwrsOK91GCG8IBmd&(3YEfQE}2GwNKaIzl+E?6m@39YRJo<@kr>YZ(40@c zr_q*2-dF^@r}`3pHKzlvQDsp!fw3C_e~LrdkviCNB^z)O6Hvbb2RQ|>TCByV#kH!> zDS1oK;VOuF+Cp{AxVjRE(JxHCMY^!d0=Pe@7Eh*skneMxxf>BqF#6C0{5pI>8;;S? z@{w}PaF+OWcpogpA2Jo29sS4->U3mtogA+X%&!01oB?LCdqfM6Akffw#{+f(&H)hr zlBO0&DoofLNjL<1Y&7mBA%LRN_hkpM4p0rkze0A+yNE{Uto7h0T0WP6fol@6@JaD~ zHMM?^r>fSdVKFo!JIeWTO$xjVUC2I~LB8OYgQ8G({wC4EZcT?pCP}j+*&M}0 zz<@8r)Y+Mss^wIsSqbtELJwOEHXmZW{D9ziXvJ#V7@Qc68_I;vLKdCD?;#_ILyws@ zs`FCPrt){BnlB|$Vj7m27lHw*J1k!>k<@gDm_f^zh0EDl4kN zDj8+k7Q}m;@CROr*KGGO5%uw8o@y3D`#`u$BuOT1jdA?-1@FoIf@=(or$7Z!aEGYz z!9a`B_%EjoBCyNFWzH4?nvFz9mg3L2B_v{BN$@j^iW{EtSpa`0;3eiCa4&|qtQTwiP`(bQQ!8*!;blN{B-a!Chp4($Jj29 zzBuNeAWin44+V@k-#gSdNWW~*NLp=oxTSCM>9*mPO;9QEw5B_D~k zF-KFw7k2STi&)Y#F-<#9R&-jsqIlzJ-I}q933%NkkMzim^ApqcTi4u?Ms0g@k59B> z@0~NzZy(ou9JBY+qK{+W`*Nc%`rwC)^U#M+JbJc2>esEO@nq=qo~AReHTZQn7x%9- z9WEq=pX>N(pCRYWeFraHV7W2+(z)>4lRPuy?p$ckT2o&8akka6Cj6LR?S`cbZQ_n& znVlaT^vvq=@NBoN_@8c0&$9n^?^ssXr%yb4nK11ra|{eDzTl8rmn=>k8FRc>x0`W~ zWJz3FM-Er@>Qk58Fkq~g5bWCAloDF?WmEUCnGqLLBbF7*9jDgJxaiPt+bi!8d*G40 zXU9)}@Q5+y70>J0p{Y;ru+qEc+jlKD`pR83UckLh>2s@Lp5< zWT(fT=+iqhp5*k&-nOT)PoJE9vvT?tx_ad1m!HUKKXmNf%Y6sW)L!XVyv&uW99sX_ znO}D69Yz20nRl=B53Q2)9Wd~;IVkwig`C$14jo%{b-;wXTdtM6UZRmz= z$T4j4#sw+)rCZltk(6!QwttoX{W+r-GCTHtrS#kV4emc;Pg zSb1Q-_5;31$r|}Sv*{DNd(=aL;9WhWvllc>$|4nRLhS+ zgEZ=|uk?Qs;ho#>!(0El-1m&w_h#kU=1XhF9JO}4Ip)Hza?$#2YTu8>-k&22sk(fq z3ivG=|$8Vj2Y>1_Uk*tVhFzi)gacha!aLH*jFf8_O9_1Lw>zWG1KCJdUqYDDEi=BHaf z(<#4x^X{OyCy%`sy?W@0_uwk*6BkyqC~(*pHK`FbgQxl2aUP%MXGzV}uy$$Tj8~=E zb7ur(_p6^7R5W4WEak|5r;VLDdRXdg)s(nn>XB1}Gv{a)rWVZ&?9+bHv~?>!`*`l= zFO08wMQ)YO6r*;%89Xj#|3`B>89tP5G8nf;gyRk$CT;RDU!M@Z&^qOjYSQ~mxNOvK z_l7J=ef-6xHSKNZ_YWC8@rTbgElO#B#l!dCkq^Tcx4Up8b@7Au!oFObq$sVeyBRt+ zA}sBvJD0N3GvAI_n(^?l-6)r6TaH^^}0zvee?DDsa{e4 z-XN3ZzgZuqs*UVz)^7jzqNdbS{@=#afAkr~@m+fIUakJZ&=C?CbNf_Q zx!ml1DTO1(xZG@RIU|RU95sF<4CmV={PmZK+~D!v&r^d*>-li{GLO_3jBTDtn*%*a zQc}`(nGNnlF)v9^+8ze>SlMC%d2qYnDMU4XSH>nD5iPpwqAhBI{yir z^$)rI#~K;TC;d$Y=;2?Jt!T_E1C^`FP{Z>W{2Ui?$fmnOMj=?n71VCnO- zkOJuK{`*l#o$A@|d2M;dCulI*Q+^|5e}bki;sZ*h4G{+@MRgpF(azml7rQuh@Vn(V z_G2oINE^vebefS%!}^b)@|Z98mlyj+$Q^rRo&-}_+7g*3kKHHqk$kxyZp4xINR*`C z5+(}eF&$7ghM;S>Ap1ah$Tg3-dx@7cX~~!56=`|iNLq@LK;IO{N%RC+Khh*=eYIK)mN`}3SKamt)V@^tndoTl01W);IIV#b9Mi)z`xgRUp^94Nn zcu^qpBiaL>cj>p(t9@O}f#+pRIDmB*uDRRqFM>yBl56y{)_dZuxJ`5yKZVwNcnQw= zf2h@eY}GF?KMN@NLR)+KXoLus1Sb$^*HEB%)G$)X4_#?6bTAo`!2v0J0^t(|pGf%V z;1j_}Ba8{pS~MmB8h)KOzhCkn4gW0BnDC3j zG9-BwaheWEuJMTLkW`X09uYs;oDRh$<8d&RQ?KBh@!T9pAWo1XuLR8j9Zc*c%^Cjz@k`}86z8BhA9N_mgWV=d7A@uqI=Tp?iD_Q8F|TsV2QJ*>-h+{!AEi1OLzPx^on&i zT6+bY4*y=R+yAM`|FK*Au+o?RWsAoPuEt-^l8;V#A@qVU{%@GX%i!K;tJN2@=D-AP zkNJzakq<{EP?%_CZ_La@r~?=6Mnf3JK4WkcoTy{I4xzE2?tsi-Cj~J8PyrNCs~Q06 z#Au1aun1X75sCw6QY!}IIzDceAS(zhfG$9~o6DDJ`$8H(Vl=v0WGc;X^AnKKIGJV( z(GpjouoixdZgjZ2JlWMHh;67IyiYu)LE#EGs*V z6OdI5j+N=RxdCx*IEA4H$(?*jQH} z>cn?J9hf~Jw9*%%4up?Dqq|I!VA6|jB>`D0=!2~0-EsnS5)^`;jLiIG-s%<G zW^Y>;aGp9hk;)s z&`rO;Q&Ro$wJu>{FF?#QKb5cbaf3^8c7c(@Xxr$iN~IPJ0{jWvMG9(JpSu&&Ar2yr zuL2Xf(KZrQ++#xAB$UFiimx!puRU&Sbkg}1r(wKvZwr;f;D)f}pHgwk{VnWvzX;k; z(A20ni=%}~Ljtya3q|}BKb`zZ zE(<+fk;W)zyo=?!K0akBM>>@cDX$wK^^3g1!xiB20DB<$C2W<^Vjr>RPcI$qwbJ1RvcVeRGJTzck4 zFq~Xllvb_}*hlePYeN0uWwvE&!2%+tG}X}5Wn19C1>MoIKY?up0@mw3!c*13K)q4d z$c6g32}E^UrFDCWN;qu*CPHKT-18K5a-`N!(nS+Z)d6P7Ot;b@#Pv3DaJ{7&q?7zf z5dN3x9+CI*SN$r*HHjai3eY9Y=>y@n_OCJ5-emVc1BH);_W0dHdblZHgp5^h>hJ5Q zFY1(6yCrL%+L4tG0^kdQL#9F`iRxm9rkdwEBFictPsX0s8R~c+guN>R{h|_Nro$8` z+Pi_~$EqHPyQp1lu#xNl5D7V%2XT5@OM{pCxcGs3cKjuYISdcS_#uedO=P_o$%77x zDO3uEg5>j->)v6|5Z#6qR*onop^3i*h@qx9RI^MB)t{m7)XZ^Rvt087^nxb7>_PFj>=-uM9>|xacyBtYxrYU zb{ytx>Gi03dN$CY-2freDWIntW<7tsJL1x2tw!;yTX8tm^HC?d&;A?IjSHm8f+A#n zX!+6`#Toh{(4nQlP=R?9|L`;%!?J;4fCG|`kXo`NY%eM3u-!tc?owl zQ9@AmNKZarm*clJ3!Qumai)Tf*qVFtJ#>8l;yMWxCM-!*V||;n&RiEzd0IXi1D6eu z7S4s7p2pe5=;>QXc#Hd3m@*Eks6Emi<^&L>JQ;{VdneD7U4gEjKu>G2y%uvPLHmq+ z0O^NNG6J>SDHl;CQ1zLYgU@+v{wz8XKx|VHxmc+|Pd`Wab9&f1;^{a9$(2_TnQmW! zp58)2$p^a!Ed+& z^isaJ<$DynomUy|fU0W#Y|L~qt@b>B5Z*UByPy;an(d&z);se$5E>QqMcmKAh_zCS z9SbY-KS0@#G}SN&iD^Pmt<8gb>**AfI|b$kVQCq~DVI_96JQa{--Cdz36ekqjoViX zwL3R+oCokx7JT3Oo@70p?%|lu6+WGfZL{&jzQA#?t3*;=Y<+cqtsl2sNErChQ?PN( zL)?P=i8wtRXY|(6N;{fnlrZTNivhl5jn$S{R-^bV%UTcGV+xdf0Gf6gadx3WTx7k? z%v+LzD|@4LQ0`>3WC~)oo42m3KujDdrhe9dZ;#_l=<92)490X_!5viH@-)ITH^Q^B z30cbB^>^h7+IkyV<{^7WEKJGVg2bUuiAORy0|k0L`viV^#k1lH=MwI&QUzvOQO=dE z6X8_`J*ZW1$pE|#o*4J^J8b_BZ>{&pn-0xa8GvWbfw=Z}Fcb+&HwzB!M7L5cuVJ9m zJcg_acZ+>0*tH7Ikl(|jC>)n%;#xRs9ID;wS($+19S@+N%;SbzA=LM2J$9o!hG);m z-|oWt9oK#Zb^6M&Xh9E}V0GXBTexyJsLNV@ByZ z!a1L|@vyh?IRAr$n-BcU?sok)#^dP_bQi!L_UeatSAv!KD+HlzTjFkGHqSTd#YpJ0i*a7LlQxP_oz) zUe5TnP_tW)p%2SF>~ru#;<@e?`fv-X?1#u6`ziD^9iK_Zv*3URmF+=gx7m{iq^3t0XE!}ksnoHW90S)$(HI5V&0;g0D|STMLoNg@KeE z7F&}1Egq!mH&{RxKA4L2Q>X1jxh{|Gamcz7UbXk03K(SOrnwN`^mHY%uS8oXqNhDP z-tXaY8~z`MnkAAG-in7EU9Wz0Tu74-KR<$aQq-#u_X^CoS92a{3Dlov!k0V(HGmvUo9Myt@ z<}V;8Ka0(3k9W|>{KrU>8_#tufL-9ixJ*3)-^v7u(WLmLExgOukWu%QZ`8bws6(|0 z*nq2#=sqyQ@pRqKY7{5fxA#FA+RT$ks~1i=Wqh=GxJ{2xNA3r@G4~#lujr&+#Ahk= ziJ9-G^5F&hup?RZj#WJg$X#K3J=>(miYZp|9*)VV;-cYE`CW7qth|{00XEIDf)5)i z7BICs1Lb{-y1EDIZn>~L>)^p>4Rq@ka-U9FkM@_K*n;%^SX&XrS}mU<#hX!%K<#ns zeWBBo24n;EfFk)1$sjD9gslxUvQ~!CK#g|-*_r4E((uc(P?aC~#!;s_)&t6wVu{7h zWYcOad^AOmv*DSSm8+9zZSHhv<&8iSQwCyl>(G@Ah}*C5NmPzcpl{{ZK-&2oh##)H z(i3_>R&BTkw<~ugQ9qVkA-|rEYD$dSmu$Li&-fe^3OlCDk|B7$XV;2F`Lb=F1IrDCM>{-|ih&HWK)C!=3S+}f|ZCr#gh zOl3&5AekEgjFkF|P*te~dq9pm<$Le^^{5PFy!&A;FX~55VMy3HjDHsd>_Mt=4=8nJ zmN2spqsp$R_AKJ=B+qSljlWvrUI3oCi}=bsE!?W-o`+~+PqhC}Wb`TYKp9cna!%LB z`&hn9Yq$zJm{r~AC#r4C+-O4zG8QkJ*U$vz4@kJw7UZaXQdsrK}>2AEHr;otb)^ z(%#D&rypjvrgZdzh=xy*O3v~_oHkdIdNXNX@*O&%7b5N7V%v{7xDCK2nyGwN7Bf!0 zt!ae01CCY*J@{l^?NdtY=4?|1_5AM@Kmh9kN>G!ZOl8uM37Z&(y}{&mCwJ6V=S z*a<6r@kcbNul}5fH~O zQH^3~O5#BD;07W$gfiI3 zFz*6GmM7q(o#n3H{8-^U?!Mq1Y6o5zm;-*6#L6`fdFV3s{7EQriKofn%Q%H)lw)4U z_~<~y9XK&cb=ZgYEvvvBe&F6a=yxKE0sur4g*)-%IsCK=F;(1D^*iV*<$^p_Qcven zI$X&*ox^mt%tN*ES8}w5px4YN$c@7N@F|Em}N#&K#aJ{Ck z5&ch+Q^reNq%JR5`vIWg7J^!Y?$2yMiW$0k2n($& zH!S-I;^JpEvpUMW0_e|KQxGuxn1kFB+4`&Q1wguK#SZUOP#QGa3D5^^+yQY_2;n{SaJsY5TQ;zjjWrY_S!@ilWaWOUT$RG8c zdyH>acwT6iI5$)^TuL+fN?S52{1s$Jf(!y<0t{i2G^H(4_{#MIYUE-@%2B{M^Nsdq z@5`Ui%$n|EW^-v&I)$YVpk<=3JyO>iEJz)%(D?%lV&({OfLR66Me4;hby%<7A5|)g z6)WZmQ)hO=#@HylUuh}kVs-QMrT)rHDejHip(15}fw`Vj4gB}cUuM=?Mj_i!7Fl@* zY~VSEZbbkynpdKZd5`jKh`kx8oWpR3gnQhBS&fLBr)9;n=4DO`%qUx7Daq%cI89GK zzK##Ag@y7OMGvX6e;{|?R)*Q#{=CaPP8fwO!t$s?DN(8F6T1NL-{SD&LCN;y??As} zxXuDFN3~yyjR8RXLsvh=SdF=Ys2jrRkCm?}wUf$}9#3Z=+YB_fr+zUoRKjzg?t0CG z|2pd5)Ue$He&#;diuGIh5tc$k2R&_vZSAn}L(^5a@o9a4ZefTmji`Fcuko>C+4a7L zN|LBY_3H{_iT?8N+{c4jqAf9~G4yU;;sDg5Ani5vN&q&t4B-UB+X#2&FSm3BMRGUq zbW4K#q}-5!xH#U~5=x_TGZ8z&SFMIQC$T4b%uu~OG6)%!Tl~_D*L*L(LOZE5z9~&9 zMC!K;Y2Lz+x&`U$0@X^8hSxhe=RVK#e%^064Ez4nF`DZi@#|e%^<^4(-kvhdT^UAJ?`$tO0_4lA){_Gxha-3C zrwfGPw5;S^z(k_!H%j03OIY`D1p7(RR8XQuNjDmZ6S#3s^#bBkUDrs+Dpbk`1qT_t zO!_&Gq8**EQ!&>E=WDspD7z;L=89*BaVk0$Sch_!x3yj=u|LS`%H3p)->(9dc|YvL zvjAy)4Bn1LAnAInG6ffnQMpt6CX~4i6#((3;0Prz<7;LJn{zS!8 z(a&9dOOB{{lbo-*&=W~hRCLaT-Y9c9$^!%8p*f$UrnShs7J&ftg>R9x7Bvk-;=s&w z?0l?A0hk@m0Y>TH&^aKy%Rv`bWB4Yo7&Sc|_#sc{tw9%lMNN;YDj!u1gCqhvSA>06 znWkR`qD-u!#gIAtSTStL)<=;j?n7!UNmWWmazeP-83Xf|;Ybom<6aue2J_F^mxbsqQa;N# zIEr;je+t%aqHbFxAo=x=8x7t_AZ?l(P6guykr=qi;oN#1`!71$Ibii$OfkLAo}*Tj zXvj5MpVH}Wgz|@MDO3XLL~@)O08Vb~9;UlW=|Rs_WHsr{lXdKI`XC)F9|vY$*j5Vv z0(I^W5$$RT<1hJOeA)`-s|cvJKbO|1y)npsE7JVT19@ONN|8swqBDQ6iXPj#2%Q?z zY!lj-S%T#Qm_BML;D(1g-jrZ(G^glo>?i|T@-v}6cVQUKDtQ`z5WzjV>RA(|&eHfXpdI^043k!b(5 z6U3Q_*3Vpe1SGJQ2WPIy3~s1FD0Nbte;#qz0BNQV3_TAgvCAL5trU&tSz zABsWES@{vs@%HKm3-*QO+(LlA1NKPs&aNBt@O&T28HF}J50y9USxil*w3v2tY?H;q9cJd!gEo$3zf>Pk4-cMwn7Lvlp@;#|CL=02aq zG2A}V;H!B`FoTs^9#kd$q*kVo^7ji~Mdbq)&kd@dU>)0zbge9bMGY+z@%7EZSem`& zl8UT3cMk0z3wPX)RKl0VA*iyb#AW=!sDIYv_qH{E9nj~_k@8jEdTT)rGE7T%^mJG2 z=7pp^o;}~Iv{gG3vnR7D`tu2def_I8B$@5$9EOxs*N#hAf6XksWPB!=9bwqb(lYVK zPv6fx+M9inWbF6?iEqG>1)jA2!c9~>f`)h(TES0JEyt;h9n20zuu8D8XB9(AuyJ9? zm?)S1o2$NI4$ zx>tKrMVi}YB%CcTWTvVr>loV;dj#eJJo9_01LZW#51ct#8Dc5i?F`JjM^>*wPW_GG zobjmO27K2v1yxQ#Im^(cTPU~l_Vd|J-IFXo!Wt3Et#o=eF;=m&&F%d?<>2X@(Hee) zd&2Matnb1%OzJ}C=duq1apb{4)Xb-rJk0VY{exkKh4D38{Z|pKn010tcA)vMs>KDg z3mvQU$CJ+^Z&$PpZeIPsoa^!1!PMc{PZ%Jc<^Z@Ku;~)@GzvXQP5H7*Nt%`>IaBcM*6DymmzP zj}5}psq=n1gMI)HUO6Q2gXz|acYLlAZrRT`q*XyMZ_)BOXHe!`^`Xsp+B3-C3zNw} ze+>rQWs}jg9jNJ}prVh0ZX0hega=g*Kp8v0{!=g+NsZY55rz+rLBhUBoC_xQ8yk(o zk|6-@*VyX^j9KBtAb%S*wN5uqXZYA`{K^FDKvOIzX2iIN$W=z#lk1e%E!-y-JPFB*k=;*Z~fXd6wetNu$FpeA>nAoYt<#FAcuikyg3bnz43?N zFl2RTcU$jq)eqNH8P}TrKpX!+&^SlWlTX~nCiwohz~yw7u>M$ekhDv6=r=s=HFO9E zNnlJ{f-WsV)6SyBH<)SAbb3538y#wovrhm6K74s|Nq`FfPO36I`3Ynv%e|L~_1jLy zON5RQ3`(cA){U!-r-S`6(&rC1ZYRy^9o&T+j59CdInSwduPvjaq(|`{4}xiP&ni_V z_%xmnN>ZK5LWa$%meJyOnT=V2GQ+7r`4F4?h_+|_Au8RX5N?5J9IVZ}jD-{#2sR_v zgNa23+Y!CwHzV&Q#1$IobA}u^-+8a0L(ikk`A8X}@iby#=dp5>ITod6D1+Malcy!2 znIXa&u|UqkTfYnRE1(62?s8C7Gb3QN`^IYFz$X1Yp7lNU4h3HX>mJ>tQdO%|lc9S2 zxG53@^Hfj|yWr0Ys5n07iNL^mwxHc8Yp3Dlq;y@DZuJ8}w%C`=(TQAJ9cQ%|o--Sj zdXiP}yPN}DsVW`#1uLzSZMyC|NN-5On87`jfR3<0(71z7dPj6DPNh#5Y)4`r zt7aU2iJP6IFWyJp+;AV&7VSlRU!%!IUL_vdbs0pHtl}i)N||Ms{M~kMZ%oQa)%>Rr zKP-JqaP5{0&m#J=Zi(lxobxiu4V;yBl4_#ewGTY%Qn^5SkpVv(L*y7eo&CPy!eG-v ze<@7d5Rgx_pPfbgOzDkY^!=ubDCZ)g-*H3qXqzE(i0L&$xC0HdFG_9P#zrf%n8vlb zetpfS5{!%c>`rRj!gQQkX-jHcO+}zvZ>(pG`%-k%&HT{D#{nPl0#09y8aEL;ze^g} zxpBLvJ;F77RpVyT!FvYn-pIF;CGVECrb^OI_yCAFbszP^7J39g`mzl z*4jlQt-|X-@}EWW%Ry|W_%Qn% z#%ubb+|xou+EMcr4LeM})*s_l<#nj$S+&zMDax74C-Vw3wyK-Y z1ZItlVZO&n9kp10)az0>Uq!Yb-v69jHk$vWqMUYA#^GYly9O1ijIZjz-sH|)iM=nI zromCGpYRy%KXn3f=iI`uFFpsaHE0(w5kFsOFpmj#K3Nz_ugV*+yh+WC2&O3&&x32D zs>qGlTETd{GZ=9AKCYVtzn+Ka7JV)UaF;^gdN6H)^}8(Xg1TO#ADvm{U=NcA4p+cw zs62`oPL78|Z}`+%_63plV|pY@pG3@Zpt8eNYvjk#;l0L~99ckIY%moZ?~~PXL+1HC zR$UkvT8;X3F9{ak0P8=qORgdNnm)EYWTWvJ&}vQ;&ZXO0yoy0#nDzBsAtNfK$SvfIF{rpp2*L zx*v}qZf>>)VhY9+?`)0Jrkqwg`|ADyvIK_WTvBRecN6Zs^JtAE0x1JOnjga0tIlON zP>ZZ>V>oUgj$uDCUzhb?TBBOv|^t<3tcox<|&C%9cXspXsZR{51$GW4K*cDdyn;gJQw3&4s)M}u)NlMWe6Z?@w`A5!J?6*!2(^<5%zjFrh$VD3K(eds``||Pl z>?Av2%(!_vZ;v1{l)J{6!4&ea1o()<<9MU;KH@w&K3aJRnI)aG&}fZuZd?8C(fRbI zw99;2(i=sXWySyz>~(OfmsW`u`@<0=qja(u3yuK*_%!fKC)EIMXr}-Y$-XO7 zM`v8XE_O?1airoww~DeS7*-16M3Yay73Am0F}Vu)8q0R$8K&*#S7R{-XMgz-!zlr~ zU6<%~SO?M&t1 zm#Ujh@HCUb)ZaXK3OGfEpr)mWUyA;m#;du-(YiMT{eA=4P&F^LTmBP(6U$6MRpnxW zN3SA-E?zQ;d2t99)ttxFhL=X3P9Xj2%Ef+coMD`nbgZisJJ#>Z-c91_{Eh>;i%Cpf zM>Yl!Wnx_iZgvd+yHKfE)i8zHkTe$lb6c64-O zB=bN{11v2+fgz>Zw$sq1J@^vR#|9RgX<)vmwWe=T`N5zxSN=D;L+z%nGkmVW?cFiD ze@x&z)UD=%JMdXbdsOu>ZZBj>or0=znb}f*5vXuV`=)Kmv>;tCi!H9|FtHTXp~iK@ zlKzFJ?mXYlH<1hn7N9F7JCUwQgP$W-ei86U*IytV+|kTb*Ra|z3wo(Z9{4F&8_%-V zEZvoxcs@wj3{%|5+C2nlr zag%Z5V)rRiCsMiNU6^MqNp+tw$MHzt30TMmbM>Q1$PZ@`b2eAwsSANgW8G|{nq$8q z6Ag>ogN2{BuI21AqU7>mc8p-N`xBU(w8D7FL`oz{U$VrGiKbmpIC5Bug?Plj0r z)I`x2yeJFO;XY}`(@_cB0 z35f|&jJWk5S%<9C&*;HiXspltbO zAYz`qIGrD?{1N1<`Rpaw#Be(aT5k9#)^ISx@Uej$yfuW-!sGG=sw>yf`jH(F+mn%4 zEx!aQBqK8t@#cfkw?4S_^15G-*0X2o`q9Dr&MBZ_Ri^dLGECw~qV!7JlV1>_pSYaA$%&#X*vj>h&KA7$RQ;(PB$lx2v!X(-e6p7A?+E-_iPcU zOvTC|!SSe-?Qgi!o^a-Q*7K>x@_cIIXLDu!SsoMu=#ryu?q`yF&N+|vmU4npf2nvE zY^+HqKeFzQKK&7yUpQR|POBxxt?#P%msdW3=u^@n6}w~cWtFpi*^R2#eNH+!)6)h{ zUU{D&sXmCi+#ZI_7R1k>xpX`X*t`>Hq$b8V<&?E+$A+y_gT23F3Gge8bl&_=Rr)hh zu7Bx2p(VeT`>UK~y0=1{Wk$b|Ru^{48;|*(N@$Sa%A1GhxX_%{cnt7r?d3bn8N%q# zr#KP|%V>_2gbyAB5_E8~oNl8}6WKyni^*u-dw=c|GG|~4qiI%c7N-UPMH1f}w>kI_v002Zfi{_%9AMae|ykuP( zdbFMKh{h?=j{7QWFY@E*W*R3|GNl=6*&|HPHPKGiMIV5n&G+?|b96cTBTQLw5C={Z zOJjt!!Vy{xdtcD2dXLKrbF~-FQuq9402!?NBa|x*g^=q7=uE)JOtvFesxMU!R~vQ# zfBg^|V#-keq0+zOknEwl_BJw{+Y=>5(@R7wy~*D)u3|}a=^xHBU?B!UTNKBIFhb2t<3hZUGrXXFK zhA-pmayD!1!2^K4gio|vLu;m>H|^;?xnjY-E6Nz@wx$}4N1|cUwx$Sqg|XNKyN46) z(?OD5xg$%>1yw0089L7(=kS- z{VJ2u`6wp2^h;Py$sy?Kugevviq$oS;?%q;$P1^MDJUJpz&2Ce>#IFSXO&6SqLQhIUOfJm!7?&^9&&fUcs)=l78_@Px(4aC7>ub; zT3)Sr#~nLqB;ZyC&NpCjVC^$2Q;;z{jN+9Fve$JREdBfa@JNfAsJxgNe~bf zh_kp2-z{rqmkw}04`z44L7*7a3ABNr13m^$?a}08-1DtcB9GeJ# zXF`BnDKk0%x9<(8-rmR!8-Eb=a{^itxrhu)_iPATn2l20Gr(qlkZc9#j`JTdW~Gft zIf!Bu$Rt4Aj1L4L>26I#GJMe836TYw%JCDiH=ueunBRnCz6vFRs_9CQ#-=M#B3|Om zvc=Qy;X{i8g1jqfM=+2o5-w?rQ`bAbq2P$;AB6vXXbgaNcyR9vA)rG^lS<|w+5|_J z)Ty~@nuU@jCjv}wciH1gbg?vERxllnQgCtpFy&=T-O?Y3ce~$!;r7;ikjH@|&zL=W zOy9_``_{Pj(gAXNz=oD>hUf^lh4LxBJnlY zur5KMa()30k-p3|a5OtL2m!g_OX$O$DFK{AO&G`=<~Jm=kB3$PJNI z-`s{fc%v9+p8GLytoJ_eB6)?+f4YvsGNMk54d8d>iZ4Mf-4AC|FoF;Ir?qL z)7{?tG3Ik^AM?4;SB@`m%wG4d?GK@o26{UQw+b5MZ0OIIxt)Buv%Y=RN=fY~?HnEGXDs1zoVWZ#jJlAUi08aytqTExod-;fw>0ZnQu6hJmkW z+~KoocZ5DXBmi*FITBp@05#l(^uH0@@VPxJn=+^)e?=6jFNmsLb!c}Hls{@L^+0b=1}Y%jPiE_j0-FiK-B8W42P!DYuLQY zh<$CEAEfQ;rh~n76I!te;jx+Jh<|+MU_Ts?Z4wYD;miT3X)JQ&N&mu3|E6hpR@@5Uw-@)qRiLhZ*{t^1PaRp95_BvueX}jW16aG3;42kVpYW z<~dZ~Nyq`&P+MrzZwR#BbD*C4tyzZ5ju1ecyYe8~D9#y~XGiJ(LOEZ7(V=NQg1z>M zB-K=t(zy+Cy9=83pn^T9g4u;_zB^4=h_Pp~4F`~l``z}nvlt@oky5$H-N z$;*pZNd+ptW@Kkn@BoY%k|cbBl5Np}Jzcf3RPD8)rWm|22IgMxOtiid^Y0W?wv{UHLXFuP7`?!uGjt-XVF z{!r1zj%@@T8D(v4noYNQ`3GA@nS|!hcaPfINuwc`@!Wpk=JU5WE8GqX3 z`3dD&gUAcEF8(oXJ*OFI405DRds|fv7wJG7v|0z3SakUr*S~chfaooDgMDFG#zWkc z$l^#q#a&(SPwb$!#6Y8;gc}u|M3vCqLvALA%I*;H$0|Pl;c3Ao9|{q_URi}^nliQ6-yw*+RXEkHB?iAch(zbPppwAHl0R-% zUJz(P3Xe4Z`NO5QUta=`Ox}AuRMyObDM4(O{kw481B^k$)qTN}XyNfI>>@h3Robs`flWSjd%a1{~E2<+6tCl4~V+w8@B2W}#; zm@#7`ZpRjqjye6nHO1DDc;1H}08LmIg!}>Q*JB9d`~n`&)WVUP8x+Q^iwX!(f^a-U z`r!%`m-`D+@-^8X!5&XcZjL-8Czg`*h~I^m_&#QtprH_52FzoO&>IMQh%;4d@B%z1>jT5-hAG- zA6uYQ#vh{=?e%TJF@fl|+*$V!#XWr6aL48-uH2J>C^>8QNZ$s)6#=-x*ML1EcOl<4 z#_D|$r8T6P8Btu?9O?A}#5-z&QvaEL0dYs7aUS#Z)Q?QsvKP{wFcUiyiCj9uel-Sm z`$9jQRj$U*@lWZ_gb3E6qk-=ylQE(dHkHn)^cm?#5UIuR;Y{8pJjDzbHkfMa7}I;H z>Ff;OJJt=FvbMqpsC;{#acu-mus;!ulFEKunuJHaal?ioWkFIW&e2(fA=Y z-Kq=0ctr+c2U)K~>qdltBXE%0#{Wt1rJ<G)26!XZk?^;_QQg{Y?-aW8bxbQ0zLJ!{0LAvvX-_pKGc!q z9*ka8vol)AC|*S0W5DmhrpwDwRW=u|F%Kj(SEib!E^T+(gG?M4%^cH|x7*eY#rve=C_NX|jbm*1r1W;D zx=LmUV-&xw>r6!91-!}~U$@w61)(s(>g*3TpR*uW?i@njkUm1nB;*_oONTN5nI_g_ z=r}iUSjI5hLompsvNonUxR3B0b5L|z8#RYN0QSu~{!6M8QvkPqOH&T+0lcBWjp~8{ z+2;F{$>5*Q1IJf4fNauk%n!y5tnw3Vr(p83*&&FJ`kA`AOfVP_NZ<=ST4T-G+A9aZg2f5ggjC= z8pjCdg*ElIx`_}{@f_g#JX6&oXw;+HsdWf{u}|eQ=XDWIVmu!RmvoCcnu1bt>#SN^ zd3MD~+*Pc1K1sbO+5B-Vpfr3{x|wX%lT6P%;Bkm^jM@s;@S#c-|9UUv2vRO-=n&YW zpVHgEa_;U#P8Hf=&`BHLME=$Q@%rjIVO&Amz~8fxXEuaO z)oeqZmu@p0uo)yhsj7M0c+vr$jG9GMFr;;YJy4=@S+EWWwXX^XHtSAT<&()VF`Ra^QcfF~^b=$GEDNKQrTk2*@aW9MhEznX|0?<>31`d+M~ z2Y&q{-Pdc=?f0SX~p>nsD^sJ)W9y7_bW@VIGTo} zeT<%8n&?T^aL;QbE&si7-KF2pN;BKm(j2~*g-za~nGQOo@V;oP}`r8v7 zgj&Dg048boSZX)n$Jsokft9Xmg!hH7%uj1-Ml+dkEEa9L#Zi2R8XfIm{vaf$4>JC& zVZ7CLRIA1PJ)Mx01Js*BhoT8sHf?4(SCxY|Id_smoo%Z@eYC~WovDI{@DO-K8t$kKIR64Ros8|esbIYkoL+W~Ai}`dE zsw`Mwu6iEF1L!MzW?dN@W19k?-9oT=hZt+3TxXzg7w+1T=Htdnf^B}|d`vsS1`9b%pK{~6ct36!Ay+-Yu_4SkRYSN8tm%4+m zhopm5{#y-M3$7Fs$5`w+5o|kWEz?f?A>cK*Yze{{^0UadSa;S?cgr&Xyf5qC zS-spk$3wPBYL)ATV3|c#RUumznK;Kpx`TE%F1K5CamG&^WC3z=(H;m;R``7TV;dp8InswWa9Tl=t*x;9OrUQYM{D{ig**qtdYJd@I)dbtNH~@1Pn&32i1D=ZU~?;@ z*URwb62M#T-uMqBju3A0S)cuZlzr&?{rF~1WzcqqfE^KMUWYhRsdG2!9KflN_)*^2 z0EFf30;)B?(oTMXA#2zdtqX#YlYNm0g^jv4B(1;Q70egv6N5?O^_$>TvJZ$Rj?+b= z!<%k8JqR`;jeu`CUE*1%f-UCtMy`VV|@#$o574D2QoKah&B1Li9lnR#_PsYWwR>ho!YOjdk_1mD30Ijr-tR z6X9Of=xf?R{KM?p;dmgnt$V;}sD07)oltUg{Amw%^N%`-zZ}uGx4eQU(lWf!cs3SJ zMiT&2syiVx{)(rIF9|be!IF^Y%9j=+S3L9%Fm3d*WHxT+`{aOq5^wAek*b!2#yq~H z=yzCkPYnZ1qA46*UHY!^_jHGj4CLl(Vd40I5~1c{@SHEz6NBL`fv{GQSl*$sGDuxB z1MmsMWzx+siwCxc#GT8ny`vg4eJU`C0VB1~@A>O{+c>qMt_V#u>hg zB#+8Fh&9b>)om4djwYTsaO+>xyQ9@v__ev3S~iv=z{ZkD=5Pjl;;V za&TM8jO)&lj_%j(uAbhG!6jEwVW#o4K=P#lZJQ(N?b~9>EU>E2KmbdT#zPFf)9Q~= zS+BH*gJ#Yf9x%!H0c7a+Ao0h#fu!1VtSumM^XTBLs|_Ns$~ZuuvKluURNqwLU; zEg(SMBTD*%C~bovB+Ix?~FZRkn1m)UnjPR!gk)JQU1+pXr3j~V@&>=;=yKvq$DtW5_q*{Qh5jV zyo%&lmHc^k_xD9hkpo#(;UzWDp`i1)+{&^uLDuLTXOok_j&}j83)A|Fc246vN{?Xh zC@hgjtDFkAo#=|SzGJ>;;2O6)9l-#2R^=M!UkG3d=@Mp#l+?raU-xGSH&9DA@Yf+( zMoB}!N_oX8pKb@f!E`AZkQwrD#+e(q@8Sc9&e1h+oI^|BOa*`j>tB2vw$C;JkbbcF z`3T1LnZPy^?^6E~q<=kx>!-7?3pdZ8+!qPv5fR*hFbGNI#Blp3(G9vB5FqLnPIl&W z;jOofX6z#I+(hE(i|l);?&m0eov{y(ca8KT?wkhunXckBKmpF|&iCWChY5BNzcqXT zbiBs?JlQ4Y=vQ?ES?sl8K-6jhj#ynom}n9|%~^qtE-3=#-O1?a6AjmJywEF^XFFHD zjgr5QSbZX6I_~C)!{oUAT*SVKX?eAyaI!dAJe%%C)}q1wxyZNu_+FH#5AQ-U;CN2o z-5RhL)_zlZ03U!b97%-zu*TX>rvB^8vmn z4pn`U6NgAC?=StN$^;@lhZY_8Wfop2W4ZO=sXNS>0_o=1LC#4YR8e%kSKd1+T@RB% zZL)v~ab+HIp1q<1HfgcY;ivfZz*#S?Oa9BQG1glKS2x|aIylmdMe*Q4Xm%#J!LHB$ zt(@&iZ3`FEZ6Ueg|1N3UiiW9K?)7#u;DiBFJ}?%=-F8UGU^WgIaBg#xwkC7BtE}0Q zG~iNbmGm~d47erke&PWSIE?R4EK z$-S?~PyF`>3p7-Br|13>-^;0`2RMNhtJyQ=x?4(k*Q$#^f|j&NcauPGX?dn*&)0qJ z(yC9i)JsbaPUqe0REwSI;O{>RkX@@&A^}knD%U%C>ZPMz|THXfwQq)(?>q%>#>AMpTv}21XazN~^ z<@5Vy8Rc%do9pau`ew)Voh}%d4qLvst!~(oRnmQJcsHw-nV{uK@4HD$>04ai&5rW> zXV<_y)pEnzs>UrhRQ~>k%@bscRPp_J1s0T+Z|=`4u!Ml;wYpjAxpf7(Ti?W)aA%@( z%6Fd+Py?;{E~IER6zy03UcSoy<))Bd1qc|`Kl#N>j%19)RqkY`$uZY=Ku3n|9v)h?+i85QeVw|<8Dm^ zWK&x@K+780(zRNxlK0p5?NzL0T(nf?-OKL3RZFs#4)WJz%{{E8Pu?z2OQP01ldU@2 z?H<*VDCO=Ao5$JRXB&2VptU5s|8ZJ%lz%VTy&eFAt98%#YpdK_82(2cpe4V1MQX{i zb$@C3>|W#l&29c~jsG_V_+Mr8cSVDC39SDu6T!Xi(DIb`waUQ3j06js(`?Gt37nf zHs|)B|IfLqWgxVgV*hil`p>zl?A|dEb{(zeyOy{2*0sAm=)XVOwp`q5`>E8?0KY{fdu=R0BVEybTNcFe*{cRCn3*%R`>BA3gF60JH zKMJ??myOFS8|CObFwN1^2lN0ek&p4z`c7v2ecfqDfN>0E$#O$h5oH;zwx)epnj+Q_+&z0n_hja;$$3V$} zG|4F`d67u%PVz@0jVnpUPb!T_EvGOaD?D87VjzwVyya?FVu6fNQqJdaNkTFNBdHT) z`cHSF)+swvayp?rNbPjyypGgKPG+Y!25X!NavuD0DM@%PsJ*I_otbk3uLUV8c*TWY z5o_FXQf3dNR#N;uAi5(D2(M(DjMunD$i?y?+<7t9CMLKea#B@Vr!(0FxCC`_l0^%M zVJMMhGcFdY)k-o*M8^xfI#IF22A(-d_7k{qvI}68YS{&JvIWvxP`o7O1w07g=bA)0 zG4D;JNpdCU9RS)?X0W#>(kP%j0)$zZ{|w*XMZyCOGrsa()3}pTqA0XXtJVVP6==bV zm^&S(4c7cPG%ZXWgA-I8g5uN(OnjS!wh5Xz5)+&dlAujs6S%n04qtiDmq7sAzLqc>yOq>{JOlX%7n_x;X$F@)C5M@cQ#&=AJi?hYqqdFzT$2k(DxX#v> znp$^FRr!e9-Ex1p{!wB*_b=#{n{V9imjBad_}k7J%XjD#7-l*UBkI~BT?NWG&Htdz zdh)$m)mW6K<*R!-O##iTzkUkWo9DF*wS{VwfDZ)0%a1B}=?6+k?*!h&A?utuzqJ;I zswkb(^Y(-Of%WrL)|cPgK7}g zBm^a(xS$vWzf}nsYx{Ii$HCipCRQB_sbbaeF=EsY<9>kzYDgBSDRlyhS0x0&JNP>e z-a(~(H@|hIF?pG#!zbRZwY@?5Cxfgn&4XHdZ!RSIUzGW8Yppw<(udbHcMrfh25PM> zY1!*+`>&MJH)up;!T~INB$3_XNo={(( zU^EEFt71_sd>tD!6h3|w`VV{`i+jQE_(097o`6&;>*gi**Nq=y7;o3jH!A&CD(j<* zpl%K9K}KiV!-JUu337jvq$oyZCTpb(#jFc9*a$MLkcpE_~ngAI7mcZp(UR^M!Q4<#OR$knhJiy)xn>f0>aun7JKb5DkuCR3QB*X)nFP4c%4+3KN zK~37YaikK$PH_&B7YfMp^h&PCHcaGGcOFFEc%CW#pKn6Y`h-isD&^ z_-1OcHw;@4U&!===qTG`YH!e@4O)nOsg%CM+JKvSX&)v!5D%1X^$LNQ9#X$(3KJiY zE`k`>rH2@uw@f8EglMrScS-RKoJABi2Eg-dw9r3YK|*vDCi#@Z2P}1f?i1bzplP0X zfC&+v0=^v|gfyfG4PFBXEXg0?)NpEcec%nppam5`HxE%&ONbYFknql4VIpMW;S;<` zT*JHrLhxpMS@1D2II4Cv8_JKz@r?U$YR0wnK_FU8mXvSzeubC@`~q&rcjiaXU7pb> zcMk)?RufY<=N4?44R3^AAQvZny!zLMn$^Fm%ZJxwY^PUFvf8r6G18sTUVkXlVdNxm z97+L4-cn$#(eNA@$%jIWD4D{yW2QlGOCOJzuTT$R9!@5gMV^`Jc;MpOfr=VWY)5w< zF2r43d2F0|SozmWm>+N_%a3R(lR#cq1_flMY}0WcPiIt7*D#IbMNB9g4lhz2?GU_D@*-Pd6oA1IxUwwU@RP1DaA%%vSin>|E^m2LzKj`T z>R{H)FM_K=!vX?A6N`g@_975=+%OE~UA!v(#3pYXjPYJJ3Hfj}NEwieK)t}kXLMm| zY`KLRZbLBla5CN9y72b9Q^!cb%`%Fg_NKbe#aT zD~SH^Fq~V3KlOkF8>rEFaHr~OM2=*Pm!4yoYJNY%rH5fW#Ipc_2p2Dd?0kOOB-a63 zJZP|cjEHnO`8I@8G$eUIu3srYES)!EmPI#l2$0mJQI3dZtPl zfka#VVC-}GPCmiBg4>G_JP%oNVSvjkar7!b=DJ$ngHBLf~ zr5|wZLhV^3tl8ARD9K|$x(p&1pqHKOR`Y(^{F=+A1vG4Gt~h`RktU$}h3N()PGCa( z3WDI(M*yP=T>6gvi_C%%?>GHfK@WdCsS&i&2gCHo>PaUU4iHo$nZrnhw*wF207ZYEQrz zz8_~S;($pP21bcd)NYndU|SS?#*PSBd#itX53m}|xaR<;tHhd)G> zypHubHhu5F1*GGR0gj=j>D-I#r%l+QkzxzEZ^B{nC>2Gv4kyEoG@eiZMbk|+ud=f( zYD**24cA&4^gT3;6ZtgR|`vaJlO@|viO$eBUd{nkvzah*eDug|C7Da->Bsb zveuwLK!|;lhLnjE|7un73Wu17k)(G=WbQ!tGVUuI(8bRg0SFB;f9HU+9Qt?f@=EzM zXBfj`1^Q+`#2&^m%u-mam~mVd4_fPtRhL9^-T|p5oQwCCm=G%3dF)=i>Xu7PWy3M( z0HnVs3I#$or7;X+?I$^Lk9pMDg2vdk*F=-eyW-7w% zgi#fv^(!^IL-6354a%Dup(cA%?eaiOP6f(bq@iQ6getL5cyUWtxdzEGfY*hnhNE?K zs?eD<0jalR2zD@2q%2f6x%8q3;U`bTaFHgMAj z_aT>N!ePQ;!+H%BJ{@N85o|cRQH-`!0;jl`#1u-;qx2Z``)J&oB;=JL#x3O_ygYk5 zi9WnaR}q1Gk#H~I+&AL9o;WZ*lMoqZ=o)5n8ZHaU1nkaaCV2qyY(zpA#v!(2ZhBG? z`#y0gPa>uptSQ1cyg%b`S~kNvM`2w?UBPmVd(argBs~7jNEG)v9~@VEL+CWCVaSCT4y$F=bxf(-vrRw zIKc@S;@iwpzX3_ppfTkci0Fh5tg9pOLSht0>D~{9uYhujOp-A6$0E?vN<6`G7a3@bdJlaFe?Fn83M_VZmOXFECp zm|rHf<7=7MKr3?Y?h&>X6*g}MN~_81iPF4$ItG?Xrk~skG1K*RA&f|UEGKlKZ}Wp; z@fC3>A0ro`(<}L_xDV6W))$A^V5%3FSianuZaRXykS+K<-tRt04)DK_P(h&wy$#5H zB!k6H9L#p7eWf!P*b<}n-_rMnu8%DK^mH!wX&9#{!-5p#_Bl%Gy^nY4U3>8CEM z6m+CN`r5ust2?bR!mFJ%FEiK-hP7H#slJ`YJcT2d3GKFN{3lw-Y) zMWrVBP}_`mIBN{ki28FUOj0i`TdsH!^R6YF`-CmLiL>x~WVvY?Gt(GlvQOaHP26G= z7%Q00mf76=VD?!&!Ze#%0(zN#C$e;hYGMxBniwzaIupe8Y%oWX)`cw7)|I z8i8UdgR-o5*{&eNR+e_keKDUf19`6DNU@%|Du%Ir_|Ca+^I_~N_+R1cNJ^BifX%^@ z%{V+WFk54~hEpvzo*haFbj$MWPoKuv_KsOGT!2A<~*pHQ+NEn>|KJ%LG zTOfgnAJ!Y;QKjdK8MaJ!zzE?Mc(hu2So$Uizk;Mm-x=o6iqBb*<=F4(A2qYA6T`|C z8pFD2sK`=oV@T(?zFf`OGKs4R<|+4MIIwOkdWi3E z@rd58(Wy0J{H-0_R&9X+S#1FE2U?y5{A4B{hi4=*7CyZ8Bxo&*)v&#U(Pc(>T-l(8 zjyLAwQI>wn3KlzT1LYK!4)Opa`9icc6`4PZAzwA@8S@C@B~v5plH6It2-H zxx*~sxWTM?+@#zxFydt!D$;CzVXh1#tS9q=&_i(GdMsEbvQuDZ(OWH@U*|0!XtZg{ zy2_u6_yw6F(^YsO>2_!E#km!gyMMqD#KwoS?G@aHa=9C5DEkBrUFwC!O~}LB$gg}U z+Y{7~FZ=KO>Vq1@5B^NMa3p)tBAG-8auw9RP)!HT&DeeXc;XB7X2d(F1V=cX8E9RaGgJMBVTH4bw+)G3k1r0)0n~cx{SmuX zt_d=Zh+vBFqZcfk5&*mita#{AUxG9DJ%<$lF?X8SrXu}ka^ z85kXTjat|TO?#PcSN?@YK?r1Dw$O@3nR7!@m%u~hr@bS!L*ykql!-RRYsEBnZu(Tr z=9ou>GaJed%KEmr)UuI@C7)$?cgAwpLZm8WX{(l=R_2G|EcqekxIDAT_Py&M$>c-X z3gfpS#OoZHmdcud)Vg+7@eSO`t@F+Xfk#nKM(eJT)c))^-BWR5B)ROJgP7x_(3V0v zawYAJT?`_S$d#{TU&*&QOu%H#EVXRJJAwQPr&&%rfh>ras17Hpr5*MqtRtqX2YHrC z6;2wO(ZiYz7HQ}T1_gU?+oR`nE%J#zlTLty>GzyS}+S|&9FD@ zfjzJX_Q)QXff;4X49qAfBZGo~f({A_3OWiZoOPpGKm5e?5)np&2Y=Alf@ zu}Yp=ETTF-i(`?>FLOosxPTsMLF zk6G%JF$pm%%uAV4Pbx{3mtgV+7y{H(a{x49NZj?ldTl`RN2H5!nQfRaISnlQkb>B- zb6*}NlN9o1U0)*_ZWSs$cbq}KeQWBaMa_SzJlb$7r*(vUFCx)5!a8tV+3Cl^Kc9F;g(7(;vUQKn`Uzq{A~4b68q-KWFh{f-n}FxWs=P;SyJEF^Q1eF6Uprz2h2 z=T*YfIVs4c#U`$^|`}}#H;|(ItlN#e8|$lr+P~TM`z*WVR(C!z7{R_W8|? zcgQ=6+)__>KG@TDWJe$R2|k?p8kT9fBQt=+B=z!YLpsH~M5ev)T^eAW5SwV$x{dso zd`QlBzTyZ;z%Sup*grYJ<%>h>U4&(JryoaTB#pJ5HIoGjnQiULrW;a;Z{}=bsT7g; z63&vlfHy}wMn^^JZ#oe{O7p`|`AVt>2gF@Z!KpP~bMsD82y$2?(ES#h#X3G$Y)=mu zM@WtM8+dE@c>A}!#$G7)X!?lP^KsHI^7AodEI*L2ygj!+vQ_$IKFCu0x%RQWSZ-44 zEug`b{YY$N_7`N4=-`j@dw9)WB~B84r93yAe~*+3J!t^*UREkH)M%XXIH@Db^P_I^ zto#YW?;-eB1g-Oji zHaftPt!1X~9jUu1Xgn%o@!pJjn|7a8uo?QQ$vRju2f=7><~2f>Se@Viah2B@jkCX6 zf5Trqjz1-dmT&#RUM$r&hKr#_r?#9GwfF~xytLsH!#GvJa80J31^#>y>G!6HVtI%9 zWKp<$GiLzGo6L)BkM?2$Sj-_pEUyI&XfV7N{7J|u%U-Sd&0jF!AD7&eimzYN&I}ZalhRT1G<=00iF>APB0A*J zW~SD>SNa>~=?k!;4#7b;9YUz*I{5G!7h*Twf-_)!l`d}Q=aW99qUmEECL6MK=YsT! zNU*@^;oAyJ!Z?!^Bfj`Q|6UJnWNITi4xVwYyOQMlp{tAQg< zVA|Ns*X=Z1XuqUgLpN!2WA*hPd6u#8fjSFt&jx0`4F*yy7r=F7Z)x=#0ygx}D7ls~ z#GF2*BUyw}*`*zc1S32%rg?jtwIK}Byxp<58zKd+@#0E)A$#}UFL2+qXK}~0QHH%D z8LZpi5qE{TKeikQ!-pKcG8|cWxvnNto{<2Yf-Q7B5P)_i>a}F^H&VV zWOJIS=j+1GMAeLJD%KQIK`6E&OS~${hD4oMN{o05`JE2qgT)paEcUFaB(Ia~^qole zmMZHMGJ2ZZ(Ed~PK-(|@e{&8`fySw?7;rQB2tb+Z*B%3 z5Sf&;6bS>g*h$_Hc(y0CJ&m)k8l7nwbbNj#&bf#1O5<;iW0)LP$k)gBeyGq-49lD= z3Ve&E!ar@Zs86mFBgQlbkZ_h$=~vomF1G2vw}?T&y=u^@X@qg)gS+}8j4T3I7~%{< z0@&eJUW~2s`d;@nJHbJd*gk19a9fBcney0gWa4Ms-4aSVVKpbG)(|>hOcQFQUghP4 zAvxM1A!HUVNb92=#Ek5XsLb>M_jU$O7Cz)&WI7lobkWc5E^}DiE5h1<89^EAexZm& z!ICg})Lw4*7%ZgIcf?*?!qn~3lC173VG}<+X(G0^Lsd8wvvjb@_S&Ue-{b2z0g8nS+cUgpUPdGz_4S1VIRl(rS?l0IxF2nP#pb|zLAJASRe zfj$h-W`p@bH{xEJ5o%8dCP?Vywf=NM%SauX+REez3F)&CP`MHlUSld!gF4n4egyRE z;rwbU@Iy)HtQcO9^r>@v*j?h@e=#TX`m~yvP+_HXf`etXJObH#ee)C0;aA8N$803T zgH|13^8AWz$gJYm(SSr7H-UYf9-l4fsD(?kbdRUMllMI-c%?Z)(-=9P1D}2$=Nv4w z(vjAIlm&`&TvApdjo^RK{LoMSl__md$YrvXV}DaSqd5I)iQO2$GupXIc=5X!qBxD6 zwan2{xhMxbTe|!h{AQLaaHJI_7GI6WT{Zi8_H-1s+dhYEU=G-U$WD+F(tH+UT+bgf z-0}yn@Rs?7V2FlNZiB&iukc#*d{Byc45bLDD+M;MNf@xuQM5Vu~VMLrvZpyIuuh1r2 z#C|lyk%`I0G!x$7c!+VM@#WZPoI)ePtD39?9eT$zc1=y7<)_fho+9^Mt*D`6tW#(z z$C6L01Y9Su*`oeP6lj02V6+E#|EH5-J464Fqc1uvm_!;a5R_4Bp7Hm@Fz-oAX-w)g z45aG=)0b+P?N}m(VpnX{)@txkS%(;V@m55Z<4uH=8R*@#7I49k4#pe%%5@9%N!=0o zkS@Vl>F46`QH7k4UZ^&7_t$)>){08Y1!YndNsU044rxsC_200{)LEs!uNDS~rq*^e zh|JBeKs&!?ezON?u}1e&xS6XS7bv_-CzKAb4K|Rm=_AmoPJAbWR*m~%El_dTMd2at zsOiPwL~XK4iUSu7pXg{oc68=E`BOVkcGW=R*)LbjLV}o??0O&KHRNZ7Jago8F-yKF z-<>v!2k)uCG951Evl{}(Tlio)Dd}6^@(11t3#<-isO5Sri8EI;ys(qU###LcPh%Pr z=&Q}2%FBF7uGvB+!um7@7L81!rbgDIxD9}?bO;I@T=#0uLS+01$$E{y{9Jfu7k0cF zmV;^WWo{hm9PPu!<-MU9&fs61Nr(uUTlH^HoQ$Wr7D=xyspLbzm|Q^A1hP(j}NEy>~hL(RZ$jn5wMQ9>kk3V zH13o>8uM8=EH?v)NkkD^Z3B2|pHF@rXVpE&hucr=D@k&Js0;rE>Bpy1F|`Luzr;IS zK7xz%<%>vP@~UT$d6D=rJ}MR2z?GQFH$aGBIm#J?_^Gfeci9FZd=fQS#;VHB>WfsR zrM734(%TKkyz_49tfmcAY}~VivAKO(m*DRl3w+?!vs{)Ez0`7aMZOKu8n35z1)fKL zKjY3x8?pN|HEX-JuX`WKy8g+=Q)h-UB`l#_kwJ_}^s^4tP*1u(e{5HfKnWt*!1uXvjbf*)#;gZTdsdz9wWL-vW@Pw#uFTq`4-2TweaqB zv46_6!tyLa8c8a&KK6$L=pk(`_#DBmo*DZi`yvbzzV=)99*`1yA`?eyaa0SI_p4{E zCkv^O`@~2bPl3~!8l96->{U8WJWkS57d zsM(e0l*0l!Nw9I1$16bp24=wwn5c5;yzBjecMr+w?}mZO*73fUsP?Ez=x^l2clf!k zQvPjzE{yXv_zVspP1-88l#u>8n{E!^M;pg8Wt7onGPodl2A=1*t;#usTu*V?VBBt@ z4lm%-|R;3fni)^E%HkVX134kz1k>HKa%ktQ&00>A(!s_h%gG z_|!;zQu+x0jNf&Ql238upgVw{N&6Y^)m%2tBE_1{ zncD3Pzr+}41A3?rx$(daMnNk|Iy|==We#QzCU3R;F^KP(z7PSy7@ndT$^!RH(lx}# znPG{?hr;M9dcZNWPD7_m)Mngc7?rmttF26#K8-b%-C7P!$0Y`Zg|42*bi6_kRJy zUi0(fIJ}|#fAR`E%0zF=mv7tU<@s#8(0}gu8&Lh^*hd(E68Xt5PjavS;zsyiyZ&+I z|0cC)gC4Y<_1C`tRiM9iJ-OR|o%LkbV`_&-rF{IC7qs#SAKrGafBx*H?*5O1pIq%9 zWpCT`*88LSdVGmTr#{;G)2QkN)%I^#7=>NA>Y< z1^>_M{`~+@6u{j8Smxgje_TLsdA+;;KK#EP>Hp7(@SsoH=&xS&U$y+`cR6&a;&Jw{ zH{&K~N z?JK(<{3Bh~54!5aimFFgz+IpCYEN&(riH5>5YtbK0S)LtG5r-?}8jiqaW)R<1keZ4v< zTn^=x3_=_q*fwDT)hXqjBT!&l^V>!Mga^m?dwT#^LZ8MZoR+^VE(&Y|Et4G1l%Ip> zVp}ezU6Bwwvkfnt{8H#6bCd_KcInN^$?TkeH$kZ1R zikjO2(Pc=-#1IxhSs#?aQqIWe`Ms&-h%sB=hd3h%;L~YGkZt3N(;7VYNoTvjolT45 zYa0D|r}Y+f;t1P0WZg>J^BIYo`OF59TELT&eb(CS0NVQ*SgVl3W8;`_K!6DOR~<9{ z1bm8v6TB9MH%+3)XivqsveLD|ZHytoj$l+%OhRj-#Ey^TX3{(&k7KEjRES7T7JP-` zCNT{+Nm?-o55gfywWxlF>pJ-70M9PlatQ8Gvk=_syQ&3%O6va2$>%eDfNP_qLF?#l7u2p(GVlZ?)1qt{*PN zf4G9VU>qnOr}nIDOi$t$lSfh+5Ll+9^~me|)n;#Vy{L?sT)O0p7uCz_u1|ybGzw)B zh_2v6+#@Z`^AZWKxd72h@-_-#60p$|Q??A7X7uqTk^81%rt10fi6C`yP{tsK?Y)NZ zW?7>`j$l^f@J2ttKfwFiV)#L5|cv{1vj??zjjd180`gs+e*db z_~p{@Q+67krr>7q-SIcM?;vg#lWe_>hvNeCLhSVX2|%%W`6hA|0(wWIRB}6MzOcvI zO}cTZAIXJSMMB}vm~-I--bHO<52AOS_xEbO;JuljdHQo2cNI42D=EMQ2!IhxZS_{4 z4c-x|^$g%j>O!RmsMx-cw`Jl=2nXLBZ}R-W@tz+rV39$gIe6A(V|A9Ff^NX>C3i?A zJ|VA1+JzJ^7W-2kFe)98tJU?TXvRTz3Lc?&Z(1{ZT$l3F*!k-5v6p(f(ikB7cK0BO z1*s2ey@SHkqoBIh)3s0X69*Wr8mh);vEcd=*Ri?O{V5mBruyU1hP619JVoEZGw*zf z!=^4FQKd^4fvEJhLSWhqL*_nsS92^mA#KGc=r7Q%jW+!j6^-Lpwn2EcEh-{64yVy% zpK!?v^7G6TY1zJLD$E^&wO_0Eg;P76!-R09;3N+rmldTYHU^WIgr9Pfi0&;H$z;3P{sLazIu^ggzl-DeWc&=@&G?e>JDhB7g#d&u)8grDognUN(b}J( zw_9-YLM7n&wTl8=b6xx4?YgcFRM&jNhtO--VjH146N4>$NFn%?LZn3Ag2$3=c*VXi z2`4S}w!FO5j{+)Fjz)r3K1ApYT*7Nz&G5}Zv1rxtSdN#%fcH62`)5F^FQ!u^UwbUI zNHg_^Rm20}STal>5{Lsqa4nFF!ogRDYd#IYd(WT3(dKD*FT)d~6ac<*?H!dwI|z z4&#$s4wR~KWO;_`_S6i#g`a_Sd~(BHVvsnw6=g7mnPQoVy%hsi72q&qFulrsE{spH9PL4SNETXQx*qV$p926fMRqCfoix-ybjF z`@raZR(gATdI_WSHKA}_fw|UYrt0#n_ z+#gY|$_Q<8e*_KkF?rFkS|dy$2Md8++hpuOjP9eD!R2^xU2lC?N(7vcJfGW64gxZH zN$z&=d+Te1Xq<7cn8WR`72$%z#NKkq^OIe%)316U2GP)ScsMB#s~dcD%NVh}p;OSv z)xqSfF`IVJd+O@7L_43Q|0W2x&&wc_K|UkKIt#}@s8Z!#3{d-?kfGFrM!C;Ig$|{6 z*jgob8ycoNi6SXD(wz_WUqF+YYu4wm$fsZv>CPCfcW8h)nx^An)`Kvsr6=ZK6Ef=# zs;s;aBRt22H|}Tp#6=Nsu`-poPHW5oNXx8eh6SOLj|pisTss;@FJoGeuWLheGX>0CT znn4LcaB*+}cC8xJ7Dx~FOA09W6z}ww(-8r#r~YNUR_^YdvK*Ks;b?0wJd#G^KWw#X z8iJjMhm@7n5F3tR88z+;uWUbZR&wxKqQQx}wJNPj4W#RX;q}wS19ZmJQ_W{-zfj>K z{dSc(SJt3Rii_b@E2dibUwdkp^R9~UGR%<`&c7x~x)%m~c%hpxJ>cw!w1ZT5i&blX z9xCLFIT=UC=FpGYUV5q(qv=q5o9TkHb0LT2pd9T(-S|gNOOxSFG-=;E?9a3*)AK{i zh58Kr0ZLdR)-P@7(%4X#j`)~;4iW>oa2Yt@U?rgP79kvRsmWQ7*k_geSt=eJhDVWe zFakVfTThHHH+)OG?mbU*sd1>ZAU6&Xo&FsS_oJ{-|Du+hX&r%A36b8Ugqjw-oA1q9 zgV=@bTQduj5f^vxPmUwQk}K{kp!e<8Qz0L?F@6ILuCfeZqJgZ?f&gW;9 zk13le9Zl-&M^o@>t^-bK+6eU!gWu(_P%YoRT;iSjQz{x`_*2Ig26#8aU@X9q z(p&(UOA{oG{tBD)JF?7UkwrH{1>?+!^y{eM68AFxnj5EI#Nu%{sjQl_G-ilp62#|5 zO+5lGdOR?bu^u;L4X36<@NcN&(ql*{!7RK!52n$!CkzFf}ICD%gEIolgev3kfUKgDJL{C`AM@uejS5l#wiKImLSv1h;rtF;MliP>UlxXF^BMjofzhU+g)ug41r**J*SB#s z`6-C3v5#fCCw+$YEd-@9YXEdsLk*P2(;n7U?$1+<&}>w zAHOpmmJQLC*HkxOwVXA$Rvf>6?Ln^hq#nnh zcIRo{$V+ZR&8Mv$#7w@d6z8264XIgxF9kTH=f&}Y=}msZQG%_drD9yxAe1^6;dA@k zLRaa&G{5`~v}p66SbryjZ5Oy?%b9t0r|o4BW}XTf9qEmTge1M)4qr{x;07zP3K`{3 zixvA?k^oGZZ|qD$^SVnv+b@Xe`XVKcu=nOB&>s8VgQ2*X9-!eMd&H)@kgLk|)vWNV zcaDD`1_6ioIqLouM|o8GnJROwr_`b3pzTR957BfsOU(xvKhiX`XE#%bj~jZZ_))rj z(c-$gPuV3ZE{fRkqT`cX?A1mv0g72E+MadzE2AN4k;2{}#mwFBSDA`n-nK8Pzroka z*L|($Xk_9$xck0S&~V+cG0lym_I09BXHSCc4#;4% zE;I(>a5@)naxasb_~U@wcWg!C8&WMN;uJBAjNzx_b)ty7?CXZR@Y53$!DizNNpHN8 z9wY%mcPImBb?R4#I6UpheB=6A7aLBJ4ogm@9cuiIo!^OcrM2cN_iVWDd=f)O5W!A_ za#F(14RVJA$-ln0s3RFuY?S3`ozqVh>%Kf?f}-l#MT3K5O=%?)4iv8}}% zCvkXXJ)km95-Fv|hr>E$T@)R|r2Qx!- z3yhdvgK+A;6L{;+6N(8XhR#aJdK-WsZARNoRXzrH8V~lS6G)7baJ%d! z+O8<@U?x4u;HY@*0c&=#wSM2vc~0uPZ+ z;&`cw3~@}siOY&ckU0C&mWlS|B;3Bt-J3?i@L&2b_i&QPOe6w(PbF_e^{$30kj|jG zecgzTpPTd}(wit?3B%=JANK$vrl-REXt=G!jOa>S1RKVZtX@d$Fkxvsyur8!k2$zT zNS21sqe5`59`F3H+#lz#-IcT}dDan*>>tu_X}&zi$2^V|n5j{juUKc>sOqpG)5maK zCCe(uHzSqTwM?Ox)1KceMP5nWws5zw7(%ig->u3Y=d#)9NPqhqr5h0|2ub>38~vb zEyKPBcTF4$Q^Ox}luz9~SE6hqJ1;_d)7vcm4o6Fvj>4_5=_~#=`J4xQx_wtOEIvH+%PMlnJ*-wWi>xq!d)}5P3|!?amZbJ`PqfDOd0E&j0{&4h~P9g_x-P zCFQwN<)l`xG@#@I>K_Y!8)J_jn1NmfjEHkFeh}&tUy#t8Od#;jOc$9r)Hwc~o z9W)%_nc|I~e;CAH3;G9B2E_9@w)oIE8M}pT1T6MgO1z z8k>k?ND(~j7*R~fmy-&`8K zdHGybhZo+RtL}6xaGrnsyZz=doj+ghi<530>k%L)e10MzMIoIG>>2Di$;Cx9)M~nP zbomBlce$eoc4t@#pEszSXbVQ~BOyi8?~qW>LaU!py0+X;SGHrHU)cDU@A!qwC#5&T z<2t%}iItz!^wQ6`b-Y*m>fdoj#9aT>3~7G&+zi8_j&Ec{F5Pik8PyPDI1{yM!0+;-1=IxtTEV2abc_XXCb4Pr7ciew27sVd@&~_sB%YYQuVE{fI6j{A z-jdFr%?VoC<%{JbG7`U9KQAZgn>{Dqinw*)i+8%-J{ftT+fVP0xRCtIms>A5fB)%= z3jorKdN)PEmn=88J5$pyRTX=(Uk^4}(a?dr64BZ-IIo23Kn~tc$9;y>a&f}-&8_M3 zqyxy8zI?HvSNoeNx06(#pvg2gP0?hT4{z~{<)k?Z#gQEcG`(XF|D@@oKNYpowf|hL z#wE5Y(z6{`YWwFTeRr~dU*|)``%V|N2fNdRy0_dJWq}LA_Iy3;m_;#U)v8?ncEkdW zy!SwGf7d5*3ZD-4y59269oOFPFI>OPS^6c<@#_$M=kvGwN0{%;@s(m5=j%jz^=Ti; zRnl)j?(u$a4k+!H$BR(~*VA32SJht38+3TZfB~unqZN=`nbZaJ_Gr9F4FGH{&I_+{^L`yb57?LFpP z`rz@0uFM}i;g#=Buak~GxF0s@IGuKR(z?Kb>&xG4xEoO6G;aT-;+*})CzIbzi!Pe@ zo_pYisbga+#LCNL>y^q+rrx+R?ek{-(}ZhFdKFiFwIMoi#!Y6+r!#InXx*6j{n2*q zyWcs}x&5pIv+_61`uXabP1V0ut)a6|-Fs7!zt45djl2Fbt(I#zy!@jvF>Y-Q=lAeU z^_p85(+Q%N&^SL8iP})Fo*ylA$(~i&Q`a8b< zd|qIB%+=c9`Tac;7Z*&I=5HGIW%t=g`4Kis;k`$vHbdhhvt`F!1|&3ESb?mu{-cge9K2aho+ z`hTtUxKxQz4QaaiOjEC{{e~5pmcwtX=;OHg<;nvtp=DM7+|0hoJv0R^jRWVuL{=9R zj%ZqKy4CXQKLXRr@~NehrvTFEQE2+^Y9H;w64SzlUy13<;}F6Ae>0l?&wxu8zFQw) zF!Bal!pC`;i}EInoiK6Q1O;pksF+&nrF}~GjGJ5vL-{rZzu4#Bhw^rR9Ue;B4uXSM z`eZz&>k&X{y$LOEY65Z~KOBIGG8DBZYT!5ka5~ljITFc%TLyto(nZXKD1%WLxQ3HB z1&#EFQ$zD1xoHR)gQE*4Ah49ey_X9_?V1RND~ULeOkw=+QJMufsnI0hlp zue<(Pjeed9lc$wdJgUUEiS~f6Y2yy4!_(X0D5%5#e2o8DRm1q6f3rj(#9)MhAIb+l zzQ7UXtuOCCZ+&_HL3PdXXKl5fzB?FpUUCDTeVS9n#c9uY{~$8r>1(3eob6u*;@Q1)>zyGgO%aOg5Qd)XP9`!glCvE zM{g|i?ZygG0N+yiuf6?U;j6Q z;Bp^+GmthJ+TMqSPy&J#x4V;eN~BDo&}h)u!SFG_M}|)zd_v(94j&VIqTmw&pN{ac zz$cDTM#ZFfy8{SRr$Co@P08OU|JEfQ?|j_&x4Ub<_KW$ee^^tV{0s+fQgk^8|M}hy z#J*obZNXgB$-gs6qCr}EVw>*~w zD3yB&4(J$vIuUlg5qe_}nL}dH2ojJ|8$;#AK> zcQTtw{zPNx>WInj6hb5gb`Xf)C>I94LG|b~(@ptCsM5&B`Nz-C<&e_qqpN*ZVeE#h z@HNCqy%QGKz)jko@d%7jre}_LyP)dtF4zaKlX$h|fv1H)B0O2>@gzSvzZ)&mP7=#=nA$Yfy&kgpn;ip*X?_L!+ z`U%Kw_)xg+haghGMnX*{HqqX-%VB8%B5fn=k2TQ-n@ zfqom)*9;`wA~V7DR-l%l7Ul;*YTikL4Bk*{Vzc*fQZ*^^BLS41~-oSg&4kajjFiYvr$O`$c{(Old!OW{cdtD7R zvMUxLJJ8Y$+SM5$n=lb|k%qQ~=CNk+dM`h%oU9A_9owuWS;RR&HFZj2?2O4cFae0Y#4G?4Dvs|`q z8b(FJT&4#Xoeqqf4l`X%x1xmPk;R*lyC+CS?&iNuT8`vo(A^t34+<*$iQ?x%i5)_0 z>2E>}c;@qVaO03Yc5_oF)Mc&*4oNRjq@`IKlWwA>zGPX=zhbvQj0l^HZ7tZ^%XSw7 zxtnbmvL&FJd(2q(Yuqod#QLHl{t9qL)mPHjioI%{^=~T@lDNk5E+8VBdT0$Qdb$|o zt)D8bv^J+tM~6-$aeDQSh)i!j%FT4t`M^=X{xKJgnG5Y}y?3Yt*}J)}C{`=ZsM#jv zBiggnc5Sq0rf$mP0&nsn6mA}LL?MuzCRwnM&&xBbo2T)qe-WS^|C)-;RlEoS<}PaB zmDHp^t|T78+tt(P6h7N>s+F+)>=c&LOU?~-v;jCJ$|gH!lBST-dTgO9?5A;}2#ITX_YdyH zc5D(7#8c&iuZGYT+ho)*`?{)m8P4Xq%N0IkHCebN7p1=9hvFrsc_^fg%RK1P(rt5J zKsg{#{f@Cu%_UnIviIjcCl}~Mh1J%QaQ71=RpyGtO{+aVPb-bFHrY%rX=D`=_ z7!&v1UK(k5Sp~UqXHl2KEV3CQl>9sVa?1|oBfV8_qHQr_+XxA<1vMk5)55igUyzf8 zcI`!SG3H)&2eopaa%uDI3(YASLOnb~P$^inZ;k?8z`eQe$-i>gjIdb9gLG)F zm+@D2f?Di_hHKta^3|nbJj*A|y{ypO;lzPA4SeRO0}(5$H7}{f!3F!j9}3xPpEe=s zz9L$weN*iPzi0-iVpo_Kvo~3tMmc^T4P`$AW*l}9XO5v^?7J)zrvCwyk&}+7AWfEi zMU@=x=z?rVRM53-M^*k_I2U^WQe$@P>K{@lZ2u;O z#h^WSThQwv{)j7+kh`62FLM6`c|;Xvv~4Nc1sfeu%L{Ch%I&h&bB@a!jMdrURmdD- zx=c%DdwupaE<3T%xm=su1v@JI3wHB;M@IW`k@6rkQbzO?>SC++h1R#fog3u?^IC#V zrGBn2%Grr{_l6(2AvtmAkCzem^0gr-ClO6Jg&Y#DaH8rUUw)KTf?q2ZphJsrMQ`-R zMFg?m*dKGkkX_>_^A^nZ8PY{68#Gf-a;df;MZ=elJ-$s5oV~cOZ_?dx`2}BKVB$vA z4Q1ymxs5>o#f>X&Mh;*~OGx6=6crQC#Bn&Y=lovCo|oGJ?HmFl`zZMhMa~|SbP4C? zp?vu6;N1r1NNootTOG`nw*QOIbCq{q)%2A>8{V{7&vsK{ix&)J+8T^I8&+%BbR}nC z%O&}Sp6#W?;To(>-4)9AQ9>O|Sg|D3@MeVkEMkW!afbG;R@ja!`R(i|rRYtxlfJh+ zkcQ6K_vjGl8pO|MW+>NgbLHS3WFnvgvp$*Czk2# zcvvX9(?obn zo?&QDPp0cLZnAR}Yb$}JqMkco{qFF!%oPe7$Oy-RurQr$>yNC9PL1K3g}U5fh)XDQ z!mK{_$|Wwbcs$~IrrqMEi@QOS8)Vw;j)^d(mv-cO+G^1*h_wtM4IY2aoe9olbK0V{ zNX+Hbu6Ag(?o5BEXm8?+*YcscB;<>TG)x z-93Y{hM??vX>Lw$5JILa?}OtZ;g2_w@TPs8#~*zLv~|)(CAgu*)0w^KkxOg9@y{l! z4SN5jjeedN9#Jo@G6Hd?_j)s~iGh><&=sixb7&rsq)CDn-s zEXyMW6Sr9Q$Kz9wBkyC&5Pz`Zxo%>KEfjCeKy;UFF3^7QYB>V&&sa_yKW#x^mkVR7 z-$KF|{+JCI=(T@*fSezo@2e20k{9^s-lfcU@_ZkM(x>PZ2T|Bg7{vtBA|*4#9*At- z=9>Z4*GbH><>RdRK3rFtXd8_ZJ3P9_O50Y<^%Ii$7{}9)>Bp-UdeHW3r7Q4UclHSMw^YA^{iJ8v1FDbM>8ih6K^1kdhxih9(rRE}g z=|lIc=`pC_`Sfs=dk%AFt|DC@ubHpBmub4Lq?NW# zfWs81uGs0T+Y?|96mq%R;Y^E4{F=P(FgV?CPfx zx0*FmO%Ij+btT_8Aq%DLnjj&5n9b$`H}ltOM3$@6E0h$QU(Gq;tvRNO`<3k-pm4F; zNR{3{3=Ow*4$_^B<-RhV39)SmbWf;=MwTtgw70m4`lrI^ZFag!cTMXMU=UPUu4!Yp zP&+$AC5C6Oq~YvLmEO|@*rQpf7omaDc)iF#WNBRPr^v7;1csohL}>&>5zRxnY}1|q zXIe)==L9aIZ@I(ieUT=F;XZdvL8i03v7Y^i;l366ak;raVp0^lof`tS$*;&gTDSrw za(;uD5ny2D0ukftWKp*?o~vLJE#|AagR$wM%4tM~ElSfTAf`R7XouxN9BN^K7@6;uoR|1TMHMohr~oFZ0m3?9b6JRVYdWruMaGQr)ZPQ8XQgj4 zg)HsW6zAHI4ZaO%2F2B|PJ(YZj?Vf_o+z1n&%Ner_lKqO0l%vGxj*=BOhVQsp|33x z=Yp}4fO4tgB5aI8w$APvouX|39FOPOAZvmiS)$T<(O?*}z>lNTWK ztwY@vxmHXwuk}&n4nWo@IUn(6TR&eY!_ruviV;Y3*@}GkPe7&*l=5`UO_z80?w_Kt zD`mkar|noPmZu}$Al|m6_?T9zV5#>_wF}v--l9XC6q#+;C?F(ZP@MVPIt7149~M9{ zlgaC=cPM!C++N69D-0hHd4h@(4vby+ihXLt6P}0v>%(AO>Vx$*rY5P>9W)?Uq%cAAl3^h~yyW zBuQ>Wx-N{Z3G4xln!%Zp%>a@ZU+X@Nv9i@!sJv2pBtQoaunc)2c)-E3%GrR#{+zm{ zL(NkBA}LO{!q4BAB5sm24z1YGQ!=sFA~g>z)YFiR!-OT8g~qAhG&pgTMc-c2!^j&O zk~Hnxizf5?bbLd+GYUDfP(wFTC%5-;M5Bgu8l8HkV?#IEzOVr~I+}_W0bupx@-<`* z9%K7aQ@U1ag{ZQT0QWbqpo{7^tB5MiLu^`Ac3t7iACh^(yTx6Za>Et=! z4M5ga5iKl=u|AQ2ybD z_NC*cc{E;r-Is3BpY359P0Q}<<4k}i61R~w@)?D>ht`tE?975Ud=spHf8C9^L$1$&gz7zqWr)^!kkuQbArYWv5*Mm}Rm>D@ zL$WSkzCM(*=?jCXt!9kAot`}!Z&Ucy6ho?t{y7`%+Wfg8I6~fxn%`r!lK3xfyR|MU z-OR0LsyUPCjDOus&crR?qD@~={TYrn3*Gf$y*ZmL3|m)dX87~1&i%-=CeWBuGgACq zSjmk5qTT!vDBX_0X=1aZntA+sTQf&*6@y8VR{s_(u7otVlEYho#H4@y0U&?rZ-1S` z?+ifPQ0YfSPCKnH1qK9pHIx2OllU)-T4h;h&W%8pS?anUxp9sxi)V_%Ka75I^#dl< z)7^I8-!sH8(ctb!J9`SjCx=uYyIlW^H(gae^ zPVPs&UgbUs)(?2rqHziH3~y=u)c(3YQ$vsFX+NOJj=8oAyJN23v-hzc;>uc=n2bvO zVv#oKcPr%`jO9vXW;sm0?<&(QH41B2Yaz5{VeuD8BN=HV+gnFfxv}WfW&WeY4csyy zTe63k9z@XLxi^uur)ON<2<}4mFc|V(xm(fvB42u&dvWevWO!2vE|9v@b`9S`VLfUI z*3AgR`~#H0Yz9P7bsV;KB`cc?_%-eX?xzpHN8~XjhTLsI+zXknAiI1Z1|GHQ0(UUS zg_DPU|2`t`^UE7z-mXHswqo%QPVKDnu9W|{i&or4yI{Km;#-eqIo|gZ?)saH<^`;-TB z5yBdizbbzXV6@;Ar>yg{cgU&@+XfTrkmr_q-6kul9VmJ5j2*BI4Zf`ls_Sb#sqYj` zC+jqx^2^1e@%2EckuLlHL@+z^)%w0_ny$MV&s7)aAvwr1OU>Hp!B*W(Cmm$V4g=@b zK>a`^S8h3!Gixar!7--8>im5^Yz!+r?J)T!{S>FKr9z|o0DaYRBO!ky8r})%lRJr> zH%#CKK#%Jqs0Y|KukxA^#vU;X4)^xM3qy~ANgq8^SE*$ay&%BwdaoD zL&K3d_0uz$8&|y;=*`X3h$qY<#R}%6wExUs}Ew>!v`Hp zczFV%uQS%Hmy{;bnMTdo@V^0b_lIn{_!@bDr0~rDoDNll+RB zJIaM8{xIfs6*ma@RlUyi0(wU%cl7j0r)>J~Sm>7X8y57M(;@m$zI-G10kX+_IxEIdg4(?==4K~?i*X_bC3}p$*3>1{9D5&UAR8UY* zNlY=#AE{}gX{l*yY5qv_M`l`DTAEr~_QNu>va+($va-^OzOSMDu&myn&*%GRK8kJk zo_l`0&X0S}>&NqnexFqg#_j2xgG14}hkF<*BJ-o@WJ|f$Fvv}GrrF^njO!Wc+QIv6 zK@MpFQ}r8fHLuk@7bVX?+(Y54AZt|8vT#ebweS`FR85}FIYPHXAkXTe!w6eg@7cjG z7xV?1O*}2o&5UBR#SA4tsd)Q3iNt-z(H`=bNcxOJDfTpBv%FMkX&4Ofrp_yp8dr5D z)1?dGEs7e)$mp~Ejk3ikZAzGZ+sifrA&Wi`$;3ifI`urOEisU|lWUXYSO z;l4lrEbWQh_L0InG^p4^byf71FBaD(CR5&joXVpl-S~^m+2^9f_ z&fOqNnv-=AI0Tl_IsWVAol(|!`-03$Bt3v(x4L#Ktc2b;F~c@Lh7PVm({&L>?pmCt zp+lO+V))v^$9OjM1;jL+QO6$F&4_2xEJNZ90=&|>U3xy#*3+yz*B*ZC*XNm$E!YfO z&sX)>3Rs87#I0y8Y!aC1*q}3l3nX_*FBy>GkG7;8_k&(&r{4rIjI&va<3#RFsOf$Jx>aEfu8+p||C`U%Nf#%Xrr|WXY0W$_OCjV<_caEtVc(rPHX_{v^EbFUFeJ`q%UM zdGBVm?|H{uH+ewU0Ll)*$-F_GhFA_XRTGp3PjKxNL%oC8Eki>L zBf>0Ss->lF?Whpv@4jns#OEzX)i7f9ive=E1h${_4!6#>OwKuogiM-dc{nDocWuVb28v<1_4QeOzi@r^+Z zer)$Q3`dp2L4_#2gREO7TNM=WZ|mN~UJ0c?>`M%M7Q<~@!%@T@rM-l6`YkAlo55P+ zS2QSyefDWpZ318zS1&{jZk*@F4G_IsRoxxI9IUpX4WA(R&Qwv8G!$DOJ^7u2_8O6( zfS*;+7=X^p`4*A2#~!4e^ERli4q7%g=wyFHr>%YtVqo%~LRsH|%3|LesImvzIR??} zBNtG08p@qPYpVO8Lwn$inm1pSwuPY`YCqM#1~tg5McyhjV;r{bsLoWA zxGL5+9C>+E@>M{apEF-c9S!3!@ITN3-%5OXHuCmCGp1t5H9ZAtq@P_q3Vk(KF?j%L z2ve>IQ!axP7BmA$wyssj1RB%6FvkZsL-FKLyy8P>&zfCzm375*a#U1uK4|AW0{CDwZt?RMPh&KC}dp zXJ>p3=-fW2H;)F3^4>tP4TXx!g^Jw5hBb&?6X<~p%rh4l?|fuymwx6CX(z6{gtHxm zUp9PgErM9-bvM6ne-ul*z z%(lc%mr4tHl3B=G6n0?Eu_K!4o2n4fX#2b)M6_U1k~amdhG~|tt{y~#WU8!OjlA8_ z@wXUwN#xEr&WN2cb0m^Fq~9plH5^#5oPsemm6j-1VDX@ z-;px~?K^GTfrS^;}O@by-8>< z?lN;-6RE)UNk~gY-1Y=+N_+Yg>74T@(p)g}7VQOdPJ5&|Yo_fDXU%+q_dJ$QnZ@CY zW>+c*RT^U-igG|m1z$sExkLGK41#7c@`;!gwjP)XovcGjP3V9AVR-# zz4lzb2DnAzJM8$1;5U7s`R4AiY37UknTsxpuMb9(&!WRGasws4ZuyI_hp$7PE{bQ$ zu{(M;EIElB-$|87<(E4+A7c-dOeF`ic06w=Od`n#y;PTzLpWnFoZ@0TUi^f#-vSV6BFq3^uv-6Olej&-~W9r*-_&tStGkdd&`MNd?S+a&~x{R2>=-va}WcLSUz!2TZ!Kn<*0h)93cG7EEjFOa!T7@jB^i;o7;FP1cIRw#yb~rPAPKy;***>3 z6>oMASUYAkbi#F=FettU|0eEJ$%otM)_^b$yoPK?Gt))}aZ#IqZNl?aMbls(1aKH!>A49p%2@#sNT>57; ze=MgXx%X2@H|fPd^p54dFs~W0WkRZELh#ie4F@?|KI59=SPktcw#RHasAtO!Vwk54 ziSzR;`$F?#LY%#?w1fJ7?^}c`VpD-nESsx~qj?cefH>8;zC< zna=jmA$CY9f8B<;*&$a?1Uh8@@m3u&HLpGe`hLnnts?)Y(l5Euot!U;Mg{5RCXib? ztfOo?U+%dWgmaHvLyH4~e`ngfZOG_3un5UU$6>pm2 z7S^9jlCLO8XTfUQ(x z%QN~iKbTA*?A;WRLHkK>BG0SHGB&zt$$twt%UW7j4s0K8xKD+ceUqc&W}4aXHF#}y6p5xiWF z_)zY<;4@jLh4r=UGv5)#j6wzOLYGMv73t@G;at0-(JI=NC?rS6Ix{Wj-%MR7Bm?bFxYVA2}-Rymlnwnk|Wzu#dWA1e^Ckw48!kq zVzogIgL43RhudPLI$cK&43C?Q^ldrT82Ho~4n>n>-DV>=eEb+KO~!_gwbX1Ir-N;J zL4vfm(5AO|-W3czi!GlfravdxoxOzira2v8a-<<~Ig*nw$A+5{b)eah*TlLOYvRm& zQpRa%H0HYI!#Tu<4H16&V&OWQUz4+qT|U~T3JE9}22JjP`I9Bk=h@;lRM8ohiBep( zO6rTmyTLOwEW4xOoQ-gKJCLD(5|eOO!MC6b9x8u|rAxN7dyz>WL59gy=FCW>DW`@) zjr^Mel(-$8DYi9!X*Z^C!3%sSL@nv>D;b8hcfC>dZT@roJ+6iFb_IQgCWtc?pv!z% z=vs6Lg8lRMVt#5749U8>w{X5s>WR(gaLSfLEW>K&INR4mHdKCnMH!%{^l- zCNQT~bVm8PmU9uBuW5d6<_lQ7AL*~u=kq@Zy>r|u-w$eOwNf|=>0U!c4`Jul!zOM~ zWd0*n6Cjsiyxm>SN0g4>R1vg`^K&q6L0sB=4K7f1Nw%yjDg1-rLolR^w2$b)!=%W) z0t^ZP#}p%+-fhp#v0a%fqB_kFbLlwkrXszK`(}<*?cl=H+^E8|Npm&d-fK!6$m!J7 zZ26=Rj4XSj^f89^gy^}2R;)L)9Vl)_!ZLmow>1jfJxybefl==KQw4S;??>Dx10-M| z-Z?O*0G)rj2s|SDBhC6aY-6H8!9y?c?@FTwQGri~EvCL)DYprH8BXq4s%E%*r22jpK6)!H2D z^ViWpF28;D)GuR*FOQDcbGD`fRxp)n}6S)7RO` zJHr>fP$qXp^=@#;_+f}R=KkqU?o!(fiZ=p`$7#;G#&CDyweeZqu|%d@PA{rTwuG_S zk-9~*sGq#nSZU{u(h#Wv?SMBf$pEu6b(el6xNRoCS+lCWrM=OYjWQA@E}$>#-U)?Q z%WR(&(}lKgV$G4la`%fsY56cb*w42Zt(tB!mg9V8Rry6^NJ=IHH*ZJuh&80*Q*(D? z!@@W4@+%dGFV95ufy1GOUuN+StXPQ~7Ng?Dh^{hzf%fUT`(3N@#ipS z>UCnuT%q=CUkp~KC2IYr^7F{_pqihc??6uRUrI~WB*s0@KGge}YIhi4;`*G5hx%!dDNp7EY*?Kc6=N|EZV7SYZz*Cjp%e7_EV%_7r4AT?meo4ywPwAGG z$-St5jct#C!x0b$>GrSC#~N1gM6a_@!tVVQF97aiaW3*d0*nraSkl$M$Wj?$>#Fw8 zJ^u?mOXuX9EaO6$DePD5F_a93&5n&Rd39Ag)zb$D8TqsFKo2@xZA2f)s2nGCZw%rzIOk1Ti*#;J?J#yknoFK z*v4x^B8N3|cpPUss;;PH7dxl%?W#JnvCbM2D=Y+GDd%`%cJ;~IiHuXGoA46jx{UCO z4y3yFv|BAb@hq8K59>g`!=)!7bY$#Z!c6PCRFtdmHKVW@xMfeA({LrhIgg>LZWpRD zry-yj%&Wf3HrUE!O<#<&^-EEu)8!A@v1#aX_b9R2e6wIRQ zUz>hB?JOD$uTg8sd~{wmn2B%bJ|@84P@&kyn^u>x=r z_-*ezDXtFI6?7m4mK-%WZ$EBJ4+pXm;2$>hV+EJ(zVNj#2zLXcoy5c#?&w)N+^{H$ zjPu4K;~m04gCmNFYb}PHD5;-nts$TpL#CHfNTzA#7z-1D+*bzL4!G$0{CO)<5c52} zPks(*4unjfV?U}pnn?YYLs6ymuG0V>=UxB@kGG=8yLnqNgys{Iw+u_i!UBeSNk!~r zKw)up2{P=Co(-HL<(da0oxM~}GWQgNB0OL?!jfYrzhi>&#+)#p;5__zBqc&1)dG;=G3v^op0I1dA z9QcxlNFMP@FQY5Jap^3Yq!VAvaDNt)u5>eA<@$4xHBgV z8563C^BzX7;a(s_Na5pw4#K%wdNfGR!MgTpvO&BPSwUzdruG4pl7CV-s(HLWcn9&* zm*>-6vtjYE2_yDfY+a(j$#XJzc^wjb+nz;l!VecpH;Rh=JASnKJekDsC82{XUs36I z#?u~2)mYkxtUCLeF;6$ysV`N2#atR^;7q{iFU6sP5u z0{ll&cf_p@rg65zG4h>=dzJ@Ra=9K!=XzO|glMuTV3qYT23-jwM>&T^YKP=tY{-uy z9{oD)x=7MZvq%lt{fkS&uryy!@?BcFP;2X;HGCFK%7yndhk}I(z>Yr4wwBlDnpv)` z8oPmyPct(bx@NRKMXpduHX_xds=GCt)YIDwBVoIcrKO|D2yUaP-=~&m3Bc*|17u)! z>4b{sAiCJEnN=n%h7dhEA3A5=Lx>+`3105~2+eyO(WjOU6Q1g41E95!!1r<_+V>P9 z8T&UI+Q4yv=z+I9Ci!NlP4bvhm$f@C=40Z8jcT*^Sm5J>@>D7cJ7f@?7Vuj5pR(5U9&bOuVc@W#0OoDQJ=rX3>T zI)wGJam|525Dt_K@inmt3??rjSv-X3&-!mvsaC+Oi)q3J=6fR~7{?D6JgHK3R4?{xmcTMFBGQ*PW5(?_PQMUlzY z!4SQayDr0qr;)o+g5B<}%6KblBa;PFHt#@U5k+He4Dm+52PA+ z{bW6)>LTfn>nAYVnN;69Xz=GnyAj~oNM9o$2~>4SVrRKlsF39ORSAB#RRyORlx)Ol+nMyT!L!J6OTdeYJ&~D< z0CCU*9MQsOeBT}Azy}Gv(uhyW$8HVmkhVx8l+L@(ol+%PJ$77pp}>x_R^a#8ndN7p z2kcu}TV)@dS&guP%+jB&So#f@eZ@WiRVdwb7xVCiN!jJ~4tM9> z4BN>%30x!u*aiT&<~>p`aE4gEP1r4b1s3k<((@>NKX~qrxC4nxkp2$mm7FyQb`=G0 ztMbQzK)MxgM6_4GB!7t18P=_3-5@T9f7WRz`Up5hKzl3QkLjwZ?0PcztS#UvNw(D0 zf(LRYL~higS<`o1Hk$L^fd|R-x^dWcT8&cl_iu0m?n=H07whUyAgK;z{BWWOzn2M$ zPfYsndkq{$teLv|K`&_fdY^TB!X{nAO89; zst%~Gy%BIP9{lR2^mm>_&g_BYdGJw5GjYKMlZR0trTi0gwq zGeQbh1_7tpmF31mwTt9Zl(Q%Zl^(1k@1T@i6)DtbfgiFvD9s!sd@q{Om3C~7U_O>a z#$M2_dI18Wb|ce0p=@4J1~yF(WjvYPu&Fwfv~!!JCCFJ$%)(+YoWs0;ulxg2JTjJF z`QG@G`>pzSk*u?GDyOSoPi|f}(P#nlriR`6=D(E5Zu8bWrQ z!v3@`K!FM&C-haT7RlPBp+b2&1PeEeK`iXsjG3xmL*^c83_*E?-SIpb&CLjHjOe?5 zGY;tuZhM#-uydItRY{p;SLpP)G+H+@jO3W+0K`h+9ti5Q**Ngy1{8yQeYQPuim5Wld@@u)lpztJ8cz`7@5K zp=RW&_{7plZ3$C*MO

;4$yYYRiV|A1{I$n&jV5)jT?v?agG-JrGbuo%U*=aE{_b zYRXU^kOkF%8yTc*fL}8Z-?!l-#2zVn4sf?7--G!1HFshld!6h9wIb5jSrP z-+m_qwdms^lW$NSK+@F!CptWPFJkXq^{ppPC4Gx@m!hnssFPA8j3-AWJ+IQf6n>>G z0HcoKz6}PE4UryERjts->IF{-o1JmeCKXMZ^?v=+nIn)0GcO4?StLj=Nk5}N+y^GF zia(DTEAHwz?H#aLAk)MXC}#oY?}UYtQGm9nxDVpHG_1hR z74$vLb{+p-4xsx!3Of~)EQFW^?yV5#j{GOA(XhC_1+wnaDC_b*ii%Bxg~^98GiGu; zDuQKVuqHQ@t)}k-O5?)eXdzq#OyZ}w<1BhwcTn%Fl0OeAdL|sO4<&NUx|Gv~(wwTt ziH-wfIBdnDI4P|DT4t7>3aZg%8p49R#g^d4xD)PhaAVY{rDHTVJzUHQW>cL0LZ=~- zC;39O;WaIlYF|M~ZV2P5HX}{HF!o!gk2=M=U>J`4YiZli-l-@BTexvyY;WG`%SX-+ zJWl{WDxzlQ32s3cJJ8u1tOMYq)nKC@E6XNoHk$rkq5dI!VY zf?zHj(Ae^if@TcGIt$)!gV%kI;SK~~%E`)02dvR)7kG%8B_=6N1#bS%HpMUD5ov&| zC5=Sx^^>P6U0X-|OtS8vtAXy1)CxP!NkT6$)VKGn1Y7zM@S;qc2Yc&_zE73BL3oy& z12#fqLEd--<_u|x;wQN0S^X@^TZ_Qgwc#-04}S;-lLg3H>VCnOsUYSY@D-Z@!E=0Z zah-}cy1%A(3io**14Durw)?r8E0NcW><_|>(ihD|Co9qF576WUwC!$WTOTPcB)TO6 zEk~)l7g;E^9nc}Us=tNdEX#kTd=o|Z z0)?`lPw2)k_a!NL=U4Y3zN9Et!4E&V6!C*=UO?9e0x&ulW~fVCgZXa?meWEtO@}&W za5JW&>c{c>`ADCVTUhu3crm{28;bePbuyNpRjf-vn#ZE67D-RF0XMd`5fBAe^#C0) zZ#6zsEs-$fls%exv28S=VfOC&js`e!&Cjuh>Qm@*>GMmR3^N|&)kPR4v1<2(;4}* zV#|&)xJdretGivkGuiAxUe~W5Ad1?-52$1D^H}&AEH}NurOIdQ!P(xu0OCLUV`-iWEH6cMNZzHb3UUsVCZYus zz-xj(p&8ZD5FD2KF6|+H3SMwDX7#%V_OV0Oo*ZBqBkiFG{fL$Y$fM-F!y-V*GvV>RRMYdUpowtMGhiHb!8N|@Ex0GU3 z5Pg!2nGqb6*%3K+6jTxETTD9(NrI<%ZV3C(-r~k_E!4RZS9eqCvPtHH5LTk#3rs(1 zcOHQCO8B8<2;vhzc@+V+WeNC=De&xN(4`RIv<;PvK{bydsTSFygFSF+_bamJ(uM5F zTE2D;8&@cm?6!x)b?Jc<^LJuLF8zdi4{3kq4ba!=CEJ@JaEE>{`vX?<1V_pQd){{; z{5Zo^qu`>IMNDXBTA*#7q7fmkN5uNjuezhff!5Y7LkGS>q_?rKaX=m`-mBz|d80AC zSL}oOHuzeM3?hUpUCnC8c^q-h0w(<3TXvB{s&~S0np=Tp?w1M6O1kwzbpxp z()@rPK_fm7u^)WMItVkt;KLMH&#N03@%=HGmsGNz$zQD9=mP&!(}%oee_)+mQ4(;O z)ATXHxl-_2?gP`nhJfF@=2#fFE5mS?c6VXbJ<>Ad%6k*yk0)xoC&51UsBWr>;GBV| z;Vwk)V(!cV^VW*Nleo39Dz#GUa&ReGwg-Ede$6v5z1cpxQ(1bOrB64_fo>9)nbr@P z7IcL})70GPZEXvA%2)Hux3pG*Q zu!mHdUd}bn(Y%z)L<7|%(EiaoHEcWoQxNSs53+JH(4H?5O}E+FPTT>iJ2woxbr2rn zwez|9vp}AOGM?qzIY*L;jNSF0f}w`klr)cSxN;X@9Lb6Ue37s(!u@fzcGBXiE_GuCOB^aXz!shOsl{Cdu zj<}vIt&t%9Clk<4cG42 zx{(Yy4;^)?Ez$Y+cphiqW80|&&=XG|M1`#}MDp*uYJ-EUe4Jki+sNXB-qf6sR=mP#Gz5 z?}1;*;x^DKi}ys6_Ql|yHKOz|e+15mpwIzi8P3ZAKf&*ithV@V2+c9y;kq9JH{o|T z@iVk}mBPDLUDO7@*%uY9MER9)DCd8X_A2s6PEJS6MmVDtz(SeWqkc2Ze&#zR-9r8l zKS#`J5+&}ydG*M!v@I(#Y4iaRj)R@0*HyfhcF*gCKJObiMAVX{U7@6HMIlO48Vf@5 z3}=wcJX#HVw9omFS$ijL@EpVY`XTMC;Hu}R{s3uL&fBl7Iyx(ZYon(5o>xK5v$_D8 z4e;Sa5T!{M9}HKm3)jvM))n2kV?62anFO#JwyV*z9%Vg-1B7_af9kmp;-%BN+iO`5 z49z>_LL|Nu3=R;T)K@Q)5tcI%rVeJyT3V~CiV*@{*SeELFmPAZu9tO_f=QLMJWcyU zG!X!|zV`5{FAb0NCNjxf_9$A{3z31KTrTVmz}Lhk{etq{pt}cGUf|*Z&D{Z@Hec2W zH++JM;bjXBBXzbK%hn3^+hah1D;(DR5mG-)PE~SUs3}_wdcZF7cbzQea0q3Rdm&Rd zTG3E8pZ;u!MRdl3aX0CzH&pGfSWlq)imveU*>%(MEV5_`%R_l#et)UXjcIm z6iE~ewlnOu)$ktm^gs|NUQ`A{KF-qvTP`Q&9aFgCy<1UXnLHOcABX42+c>a+<=|1+ z(N^~WtXqUf(sjl02qJOz4}c@MPbyH7?zP$Ou5geUtt4&pz#n{gZJs>o<_Yf+WDEkj zW3auH_`ny;>^p!i_eXUfqsxO3*#%p!y77pl{1k@4QJWcFmxYWmb&&lDBp&6?bfA6Y z70lig?(0x^ZSPpGdncH>xQw=B!n$n?KTv)%IAHi9dCNbQk&;fD{1Q_>9Fd_oU@_*3 zD+9HbY)ZHW?d^;_N8z(3K5(_T4(waN=D%l?D^_-ss{1NQAf!$T5)kG$OH+ zwQY(ZR%$ryg2y<&fdCK)ya5@4v$z<@%QF<6u0!HPrJ-*??^9enQOTaux6{bM-27-$ z5fN9kaVF}W@>2+ppJ7I@|CIY+Z8f0gq*VmKdzO_Va9P9i>Q{4X1XWfW?S^oU#%Pw* zn4;rN8``q(`PS+oT!dR5j&ryp0VJo)F@fKG+EO#Lj++ZSEu3j`lvai` zubQx#L>pB)O9Y$cEEi&Rzv{qJUCPE5Z3P3CM?X?%FYQEWe^7A4Iit3{m|#mVYSzW* z`|+P?Lq@Y}xrYT#0)!4@qUUY^O9#XCQfKTflYr9TRza=X&9SsclMZSw}bIHV0D(oVj~2&g=! z&ojuix>=KRJJW8+$-T~#Y0MxJQZx^_?l$}wO+-&Ou%69ZgPgB%UVi;In;y~fFQdxc(PhKojkL!z1-L#yWtk@*1$ZFaOD{cT7M$DV4FdFN+CIdXFuf_T@1CxA9S+OvJ)M& z+cJ{^5ta}eVpvLvPihk>LM+v5V0pRpll!r%HqOD`WR>mvu96>(t;V^3%7gzN?$uMnm_v7oo zqOlNtQLn6eo7y38$G%*gjO5Re?nyQHCdMf&bGln!0AIA{Qm$I*Z&fQ`pdZLYKb zt%|&mfHOB;Tm%GBX$UHuXU0xY4CTy;*-P7HExTZmQ{sQoU;S%I|ld{_8IyHE{H=HbQK-X*K;3DFb%M3 zex%#Sc43+L%8okGoJ`OxP>W&9h`VI$Tnlr!QC+4ImyP)KKKHSGi8SWO3A^) z*aV=cvvPY`vkj+1$p^ww?cHh;zcvkLu<@1$XOeblKXoXWg=QU_zD>?X?EU>RU90Mg z$*|foO-G{d##fS6nq(VE-f`sIQ%h6wGLUr=#+6-AetL$rv_jvbA0zajX9^Y|eJ-Hz z0R6^&;dnqs-H7wh+gZPyECI)wxsq;v2iW=whpa4U>>1G5TRYn_CY3`}NiFg~V8=}3 zDAY~YYm9NU<)ka)b~f2JFe z1~5a!LyerPz=xu1Nd5=XU?i9iF41k|@LLvp7^z|2f)%qI0l=fo52&o}Z2K zzv9KZ&+aBO3(hL&d&R#a?-InXw(J8V2C){k!!_Lz-coVhvjrL6h7KhoPH#n|+b7`k z-@f9fR4mR%$CGdY{LKb~sCI|?s}l(PI*Z}L2^5+N=2n3Ad>`{4;#Sa}fGWF;G?`!n zB+adfsBiH5ff4qG)fSW}0Z8=5RL%J5x2BO=r)e^=HX}bK{poHa^LA7A0o!MD_ASVf z)&7!_vI)&uxNe{7)>_Cn6Ww^Wb&CRZZ_X=#6&Wb;X0pF&QtGX#T55JnUhcn3)kN{w zT&mM?GilSEfVukyO>L7XoX*=MxkXscCP6o6(o(NmW#McRdgJ95-20{nTk6%+0XGu1 z7&_%jk#acC@>AB?Crf;_t*#s#nH)fV}BeSN*TaUQL zT7i%Q|8C5qf6eixFq)hx#*`*C7Lxp@LRt&u|1tNb)-=kpi|bDXHBXGD_BA%==As~h zeE$C{y{RGru|^+^2`o&lsTP_iNTXW^6nmo*Eq&{3@j8Kv0pE{SmAh@Sl$IwN`?9IH zTW4fox&esmU#DtdcHID{EDhXjq-1TXWne7n68Z{B_-f|-_YnpD{prCEa z?gq4ND}e;K(OYK3Ev;*=?ac}`Nh+y%7J#H~sa=4{q9wDIvDYHTo1?cmhd)cMRa2WP z-c)Q$cJNS3`))0>1*iAMq=FgR)EO=LHRX6qYnw(*W9B!zsVVQK2X1M3(*rGy`^RK| zZt2Y;{#vWs7SdR&R>HZtkT;dsvK-tZrKT!^)6~sj{Ac+?<(tM*Q(`Fp?-Mr{c)K1< zZGQ3}lga;7=D$7pkM{%nljecnETX1IT91vJt%j=DJ+ajj1Iy#Bt-ej-mP?K0bb$rC zX>2u@bwilW#wFv%_rDutO$E0I?XT(o53*_L;-==_wqUr}ve4c(MXPbzQnmm68Ib7z zp14ttHzz`~2%GBPdLFdOv-RcX-fLCqzY5~EPuwDi+oouh=j{aXZ_nH!h<{7mD2P_m zyODqSZ(jI+GsBx@0r&s(&T4rATK(7Q{=Yui)G;mD-6EpfX7i8F+;$=Ozslwxivi&_ zO}55uThp7dwUC=KXqn^9m4h$MYee(czY6&_Pqtk8a}~P4KCEf&XkCr}o8{vl>ePCI zx0*t&FE>BksxJX@zNyKr+u0?XW`#ma9Yc~ zsod7{v{idrUv3sns}lZ2V7Gnz7J=P1MXLgCX+q2NZjt!EWpInY{w?t>rQN#2YueEU zN^TO`zivL7MF!Kaso&w0*1SqJXViQbg!7NCeMG&pm~vKIdsA~ ztEr8D+uVQ4^B?cu+B;2UHJ-YfR<>JvsVTRX<*2#Z@a1-ETl3Z1iT5_yv|Rd!$_0*u zO%-fDQQR0u|4%h+t}L9bTMemy$n$@wZj)F7CmbL-sffABP}ByizZ;qnu8P49MZ7XW z zQ4!gqo4T>K+;Z@1QM5E^$!;WSdAa_lfos_cwrC~(EXvz%b(=Oaw@KWzueqf&nzk#g z6%~Jew$;A3dH>gX+uBs-KNbK_{^Nbv|FsN^zo>LtkB$E{a1g}$??=~`UTKp1zdh5~ zMgME!#{T+G12?9$Q4s%W;2Q0OO{>Z6ls~s!cK(M|p(W2&3&ibIF#obfG@tfbSMING zo|~&nOJ=toOu=^hp9b#c$-lKATa-Hgf3GsP^#6YvxaMKp%GliM1^wsI+G=6CRkw5V zCI8PawxLafJOQbM=4-DArdxCU0zI=}3F8 z{u%aeF1ze>;wW{-gbCmRuXZ_-@}f|rPp2?c#LRAYT50Euayua z5h}@2Bn0TFoleQ@@_3OdN%leM&QzE8RUqn>m}*Z~q)q|s!fH?8y2F`sJpfno8DL1M zQ&J^74oA5=sZv~ghWH8iQ93&bwos?!aO0UC7Kb{MQXSxL3b``JJ;0QlK&s{NwPNxt5Y3L-v10X3$%^8R* zy5oC=E~+FK0AQC{AdkyS6)jO zIvuWL=-KhDwZtPpOALhLibQ3!DxpzJoS=>;@xig6C5~ZZI7gTxJO;GHjtEDjgLi0S zq7tKHgm_(Sqn0?{kO*4h_(m;pVtl+gu~AE$2wLKV4hfA~Vn@eVN4zs!vi!2S^}tn> z4ZksH-;UJ2MlAPlghBh{+8cxRe{RZc$8szm-;-B0j^yypO)T?mpxJ?cAUlbdTg|y> zbgP+7ohsps0 zaHwLKL>!}vSM-LV6t7BzYw^HlABz)FZw35<|9dNX!>5DkhQk$>#k*Qdi^=o)hfTO4 zt~E;SLZ#))?I5n1@CU^8*J}MuWp694-h7vyd~l<<5>)DdxJW=;Z9r5_ZEqSRAga|E zq;<>iAdTWd=+@!!*Q=1M*LQhMqEezo@lRu%sBkEI;zbz61O$b9Du<#eAd(mmPOQ>_ zKvZ};ARgdEWjsn$LTdOn2_;~VsVWvFW6LLdZk3Y{T!3!KX`WJhkJ55rH^}LeryJ$; z*E$8{^w+Bpy&sq#ydp3g!r=p^g^FLZL&+bw7dO2G-gpm>+XJ@(KEt=7Ro&P!#9|=; zw1YKjP^(GdD1byXaum@x00Swu*`F3WNK|;E2dvx~`04a_u)L5d%uf(wvq!{^A6rp6 zwvu@$8W`_m{guPPJDm0vBM>k|P2kVylZ8>9g&1N)*r%B8LK1sF9e`?qO^#!FM&FAO zfOM1?&54a}j5k%WS+@8_MQm(Vby+2Dm$jd=2?5UfQn4`(pO2wz?k_Yf{)U<|He<{f zCOkxi){EQXsemlO%BZ`)8%o4ea`Y(oJtiN|W@^n0o2M?VjIBs#j;r&^ zh5-E2Y`s3>;k=OID33`BnW%9`HObANMRAFXBw0J+%Iis>{ zZ6tup3>RZ57aBOt>cgUMppM1bcd`2Pr%Ae=8bhMR8`wLpcv5e!%Q+6Tksb(>E;2_m z6M^oBykvfb=?uV4H?V+8qoh-a+(9GA;~7CfoeF#jz?v271L)CW#7_2{!OS{<1E3G9 zN-Oz^Y-dzx%oqD2e6LD;D}9mqeY%Am7=RKgjU)RgXZ|$3f(@?<&Yn#m!J-cNenFXEBWoo(wfr&}RdJ{J zN6ND2>%S&3lw#TbMWD|+YjMHOvxBXy~2TxQ)A7~r+cqwI${3FzQF z#(?b?97H0MAnu3R$Vg@`O+t*GaoV?XCl1re)4SLR%aR_3sO)CrocoDIyDvAK+IY;FuY%AG_lf@pVOL>2T4szX(s6 zco*)IzO3}!i373@PQ8;cK#W!=KFl)@N%x|IU77cG3j)cPY? z+sQ>-3j-bZgmKoRta5lF*##VROn(_5_8h+M7;V(~LOB|2c|Z6D_MBD-#e!;lsjf1l z8R$-E8wwa_?)OjSV4OniXT+th)i1U=pzT zah6ckn29HTM5TeD(;xRFBOn+Qx7Ggw0oc_(06FZ0^smuH{2iMTr$3CB0QRo0RL)jt zP6iLo5$0q>*?D~yDih~0z!uIF0oP+SKTUcRxz^{bLU=5bW<3~s75eu|J3rk!MYo4c zJhEWl4h!3E;?Y0Z;8h9a^}ON8xDKBr-FKhKb0Ym%J^^=5NTT)2zQTKQRf;svD1G zl-h0bW`s+bP0WYH#m`tTsKl@3+Mw)*exJtxM!3fi;*{}Z@;%kC4jQI;nH1(8o_bEn zimvZwofJ6jK+1>XN;We?!?Y8(V#Xswu<;xC2j+KcA0}nfugo-nktWqLpq^H{(#cgA zsKP3MEZEKrG4D4F4rR<4X_PMAKq*t9IZf0fMYH{A+ctNE^Fxx7Kj%D2{~#?4kpfo?n}agfKBdVH z)#in>V~rnSCyew2(S*oR#mc~5&((hHb-cOr~@bfS}O^B2wEHu!L(O)k+!H>+f{3^M$#T00Rhtxl!0F`Y|zrU zoIJ$0J+XjH1s>#NHF;Io&Ff7SYUUB?X9d3pr@7_PpEpdPY8QcDWPnk1;!N9PY?>rg_Ye<);J> zo`O?m6$nwJUz!}Kh&eQ;Bl7-?gdS1}%IFYSd5)}lU~Puw)yPe0Rh@C7z+Oz}W3(Gs z8n$53iEPsE)K!^7?44B4x+e}Jc0R1E8o2P7C|59kmplMNjbD6zit$;x4xc3wjNo~m zfePwo`Vc959=m0&g~q(opQ+d0rN)O2_t)&^c#}ETLxb>ABI981-CBKr{7`9!W1o=) zXxgGqrI>a{@|I6u#_b-hXJ63EyqV_jO#7DOeH>Y zij#_9i@nLO7cAck8ncdD7v?jddX#2FIRjMK#9e5+HG))QDvTCN@(cld1DvXv$ejq{ z0eymWz@snhlz6~LT7DI;q8#+0BU6j)CDIZ&N(wX0kFG7zM+g_#N3uNF%!Ug_a}~&p z(en>hjzqj!f0ixqj6iymuxi$BJl|MgcrKg=keQr1#JJ8_r56xMFKcVf0ZNKog=j$; zr$fb=N~FDR;I^q7aWr*{H385P`%8?DUm!#W#-iv%PHH`b^>SuA>;|@I+@B;eI^nf6 zz^s4FFvB z1rv_<(h26*GgSDjw_RY7zC(CjKV5i+>6V`%--nn{87b_p(lz=-oQ1=fZUB}ym@-4p zOPawUhGmiF=Y<-^fx{U=>VYyFfI!O?Cd6$h0N6`BfnkK}nIkY$Fk%j3+8IOUew1;D zp5c3v^Tdc91)m_S<3D8BBA^r-&aGAlM(r22i3Epx=BTAkgk_logNXR!2e4W`p4A9NgL3fj+Da4YrjCOji<53)t<0Uvs^dF+%%> z+W9tjz=#i%<#IA&j*~%ID{&$-4oE?aBk@Bxo|&f&*D&b?R)lBM2{5B@lHH39Hu^N)s3%hE0=y!p8EdM}d)e6b@$>NpE5yhktlQ8j||5 z=KqhqH;-!SYTJkRPO>qZa1QLi37kM82_z7NBMBy&C}@}z1e7SKRIEWkv5JD?)QVsW zN*!@5P8F-P+G?xSwzjpEI%~BKk6K%8tF4`DwXH)Z`rQHBr_b>I*7y7CTkBh|i^SyQ zoPGA$S8Yp&%Vhr5dPhLa>X?ssKYH`*OPA!NfK zHlYX7g+p_p>84HPg9<#HR_DUabUx_GI|>oB`VZ9KsPX%ffEt@@8ssSl@(i6`*qo!fnc49BGMj6(RSpx)H(z@fCxbZ1ftfxvoe= z`r9H=!9jeZ@?){DwpvAo^R<+&cT^*>Cw^R~vjFw&3da_)?a>=o^j0Bb4dY<6z)VxB zF~0_il|gaMfjBDbsBwKDXUoeDBa?lDT$Ni%ewH3b^#_oYIyn6JA2`Lp?Fc9FrXtdn z=GNc4cAR^%rJSgwaw6{2EyGt~daV$eNH0w$qa|@eMKUL4IihBF5-Xwk!YV^8TCyv| z=octWlc`hmjbpZ68(~SfSf510%X3|7WNE4!E|~CiFe1{VgG4u((-ky>r72B8L=QCY z;(K%=HO$E)OYOF-v%(~zGsGSq$OQ^|;5r<&LoP;}>b#S5!MX*sIb*iuuMiVlThP_p z4lt=i@;1n6L6gWD;toXRwrVUsLg%|)0Qn{tFuc5j@Nn#+tFq%U)>{VAsM#-}D$uTf zS=T=+$+ZooMk2ZZ>One)#KEoz@*{f?c??exM*>?#CW#;QyqqRD4#>pb-15qnrfQ(Q5ha>K65J*lD7;K_Tw`QF z$P6QOjHodywd!tSE(>+-LaD&bnIuh?i(5RPL^X`O>Cnr8Tqb2Oh*^oEb-Haoatl~3 ztw*~3mRnV$uwy&+^u;j$=02>wN9iei>)H=2$9+0`x|vHbh2Wt$rX>h;gTJd%Fqv_0 zqV{X5?H%;p4vtrU=WnhxsvlG8+k&*eg|Wb_!;HUiP;_!*nVu_Ufn1rsO-agNU6ci1 zI$lP#$gPCQZdJl+?JXq^G4&%khOVabnx#S9LI*5d3P}>_V=bgMvQvFNQF>pAElAR6 zyQ6r*`E33q^&ep{|7efKllN0~NTabB{)kJZq?=|GCHpfcql7f$L7M$yyh){y4#vrY zHL!zxVK{w{@$UY)8{%HjQk#xxKVD z7&tFG96{fZRwLtUK`6~UE}Trvj6vQ~otc{ri&Gd6@X>?-ype3Pdes}KCNP40hz*9f zQo@khKZ+dlEm|gT1(GZLI$ptoxbJ-{S~W>mN;aA8bOO2R0>Ygc5tiR!?MIHxdW)o1 z?$GX5u|V3&_ym6_wE>kox!&;qO#2^XoXDezd~Z7#f_)5Wq*Rj2xp9uYaw3=#$#~Z* za+03qz~xdN;=+Ah`Y3cQH~WCz1L7z;-msZI=7?1QQ-Yhri8#X59g$qx0v&oY!n-rH zaYs06D#}HsB13Onu32i@kV-yQNYBst9mkk)D1VL<`TEik5m{4RVc2S3JeviYLdAG4 z+x{un)kuKa6c!kH_!tQX6WJ!61bQ3C8jM3+#dv=YE}JaM%tm-3=?5Ci^Wmlu;BQD- zhspb{dB{?tcG;UG-55L-EcTSHxSOx4s}<5}$Lb(%)|@XUS-~iNLJC5fl?LlZ&T3!E z4S~CLZ>r(Cvq0QxekKfTASEVlmlD?`dGwGJv4{2xgCe1G3Ra>I@t{3Qm0ApL3 zBUA>tf@x}m-epf->N$;w;Bq58Qz8AT9~B1r5{6*DUaJWV;J2xPgGjxY1Mb(YDt=r5 zj^+I|n&c3d1({#)*NJ$n_>g)4_4b$T%foBUsOmFuMY5zz3eL08#DYHkLt?< z$m81T0P5hlNh>+tVMqL9v~<30zmg1WT9b7L{2RHBZxCKXzP+}@xsv}qMCWbuCw(PR zfqScu$3w56Z$k_7c}cjpQh$L7%61Ry?`z%taDCxAM6N2rW#;>RwqDn_sxq)mi%E99 z-&MaIE}i;2z11!{z{-9Js@1?{!lE?o&Ko$2&K7_gMhI%Oh=DK|(f0&3H`H??$xuP^ zVQ3g2Rb!IH&(dd)^TQEzW?XYDe$F(@ng!COT1ex2?M{x^t|k&|_GH9`O<&U$uf+LC zQZJ58txqJMXT;k@Y{N(BGeRh>KoiXKVrk*+@3GCih|&b(Iu-4v-=^YpMt@~#iNLeD zH;N78eeURt^$p=#UD#Gx6@QN6nhP1X5kQXAi0 zMMOM-Y?Qo+IMu&dw?-K=W4SP}4sey!7vYx_(hs+P+xCQI?6rqDmfMKc+j3Gr7o^HA zj&YINe=uV&wR%f1?M_sxUV$V&uJ>mMNrW`n(b$8XHdx#i2EH+ zG9`=k77b8tsAo~#B7SDDre_*`4U7b`VHCV=5++DJQOX!(UqA*6NnD`rA~@B67RFgc z!tekt?RF?k*Hg$d3hA*8WBGx~t2sL?P1&W@&EsJ1GQ`A%=}6A1_tcv?4GSbarBCJG zjqv`#n*vHdTO5X$B`hYPhNU#xxKl$0nd)`>V9j-3r{NCZa$?x_G#NpsaIGm-K&nmi z8c)-2;tra$r@LyuRO%8rH8*=J@=4MEh~`PNM9qF$eu!VC!HibaO=s$iBRZ4)oPKuK zya;5uNe1xWP_teI1wbO)chO{hg+@#=C-?)QN?$P_j6AV7_R^t(OVsIl6O~wif1^FA z$UWoK38Be)8e$w1ipLv{3A2Gw)1EfAGiI1IFs-V$qRsR z0n!&!ESZaG?jWWsy}FOk_+3WrP9;n)@y1D%8>k1cYj-wf_DUJ zpZ3peruFY@yHIsZ(v5eFJmsqP%0MAP7tt}4({_^Ez z`2GD|5q)qsl9jMI-=7P_U2z7g0Eg6Gg>)tEJ4V&Us6cHqx(Dp!pQRqiApspW3W;k6)IJ!@NP|lzgnbveV{Jbd`{^|MlgYD zdQ!EyCobgcG`cW6gl6;m9GUe9Yg#@wO~?H>mhd@NYkGr9tmpwH*GVXOnPA7ONAxF2 zI0%PjY|TGiWJNYb7kXFgH zF9w&s$baRpE$K7oRa#ga0xOV4JGn#b$vw=!De;hNN_~yLZV0!|k!Hm4G)wox^f`#^ zr#)7knY1Ntvxb@to6jbKn>WdvnMQk}&wp>h%YNQOzPvM&xM8J#dGCp>nq8L~(-}|8 zzzpnfKSNw#mdzCc+n(aAj>VV=J-WwMg4t}hXA zS-<8_1;;G8@v;&GEsT!~U?un_@|PX+5uIarO?22_<1V^miAo%)tUkyxo6QzQ-a!*pv?yy=GgeTMCOl`nmN4%Gm(cR(I z5*@nicm}JFs+_AxlzkUB&w7B1*Z1H!z0nz((Hb`_l#5LH5~eIue=?XJu!LEbr&tls zsSMNc`b-H`M@nzw!Ym}tCeMQ^7anPPWX@hZ)3jF?a%xxJGl+Df$4EIDWa}#fEwGb# zQ??ZWil7fryH(!E9*A^P$vK6j)kg)GU+7`4VR~pGX{Nu()sCR@A4;Dq6IGXBltYaSdkVUI*444@wHCt5JLNkElHBALIRvHFA zHE|&M-S!qX7W#{8q~W-656ocNPXYw9?nlz#`WcIJh(50;qDO6|NLK*u%E2!TAbj>- z5Va5ty1s@v?rB0qftr{|Sjuk@^51X5R|Jn9YybH?OkpJo0HYbGfbveiloU|< z(Cc|x0N%qQ@=0z!KO#ijX^6_#Y9^}MZWpLPfGqb58Xvbs=`O;#;zMi!tkc=^I58tD zJ0Z~BhG*IT5Px>e1x7L<3!Iy*4Co1=4ZpK%r{REA0p6iQ1}AEbo55+9sr8nCwz1|0 z?$kb}%Qb3a1WpH&SH#u3SyOck`u21s^eSE3DY8P^?N76{Nx`IC(t{SdX08n%fY2`< zmhppcSv5W-AA~@x$yov}0Ci|s>p<`Kl2~>D`s33~jZe~^Oie1agAyd5t60T<8kD^wgj;BsO~z*alH`6< z+t35#TREpXAwdd5^n`9OSqcFX?nPY`$;pmFSqbDR$fr04Xy3pFzFK*zdTF7Bj*FIAFQrX!no`rW1>7kJ^)?gf`CtEW(>qJv9d6lV|-M3;7j`Rs% zb?o*4A`{<22L;Qa`(1CD}I*7U^O|G5_Cyw_{_33o|MXUDrA0dSY zNC{sO4`|mqb-mzwCsS5OTAfs0aC%3^{`Js5^YGVMf6GPZvA@#n$W&(*I)CX<4Exvo z{RO)yjr{An&XWOv(eWhzdL!SV3g6qT$d1%HPI+*nzoqpbckpbhvi~gR6j%@x7MpD|DzrR22pLzJR@Zn}1h4;@)JgAkw<=z*S_$M}{ z^v`zi*Cl_?!vC=tI*akY<^11o@mD?k>%%@Mq5nhP{`IFnpY}g;_*dQ^r1;nUI*Tyu zy!=mw58np4f1~^OYbShXOZ;1 z`dc;pdC1o@|9RqH33p&-I-lULV;$Li&|W%FG=JW*qX>Kn{Vo0SX}(_{9IOBU%)ejg zd$5iR;iAqqTM^lL(F42=T=4f>cbxmzfsU&?YWc529qIh%ef}f)PRvlIuW;Z2ePEzS zz$ZNzb^s*Q@#*is{MYCHk4Nn+MD+g^%Ja~ zf_!-5QwA8DheGf40cCwiwvNfk2Yc;kKbDLFDrhe!t9sEg~w z?2?T-0e}}GPSc6>W&AFDlchq{I%x-J{uKW%Y|I)Y`iDHSJ}iY%*PA`Ij*Ak4j3w6*8!ATVSn24 z2lfgY+&lZ*4g_(dABvtp2D5WV{>ib$r4b?Z``tZNmx=2Q4Z2{17q-+~%6H(9EEm3H zjUj7ritr_lrM0j;wg|XJNPw~$%*I*X$7=g-G8X>|SPXCzJO+qx!LlAN5`y9EP`oF1 zFx`L$a}1k35FqM}R9DNO=*Tpk69?;xv$E=((nvW7YlkRdJ(C&ZM=S7odsn*JFu-;m znT{Y)>ri$se|+M7_5AJj3aX@>z`%{z?@<_{{V4qR{LCR~O!bTET>F;_<8 zJ9J#>IAT^vMu3wU11XMCA65eNF`e*4N7KnrA)V?o(*ebRB5V_oa5MTZE|F*eT?mG!jK|<9vb3Nn{BTg?|vc?kpQt+N0W_DOY;?3&FGcuX+{Ae(@>yy=vINR9akD z%i;@Dkf>>T9VZuRQ27USW)@FM>mFyNAge7HegHRI%Y3}#cJaQ)!6(oY=P)MZ;45%= z-$eL>DmfF&BQ5*F#sd7PbQEQ;#+rf3R1ho(H6*ZpTO~Y(fl3=5V;zit zq)upm8u&JF*DOKh2N&sg&0nmev-x`e5|p~U~Ou_nZkJR6nuk? zXBoW*s^b)ZtD)SxcmqilOPii%_r(mW8r$KK-=g{Wf?+v7nZp_YAchDRn26u7C*$4L zL)?JOO9)&)X~<{|!fDxAIO7L>Nf23Vh@m%dpdE8Fq+Gwc0(=NR4|#E4fj(`!B5VBK zeX}XQTT|Jo?-ruQYXvoq#mP8dT1$Bc2frWW zUu3@L;!_vNxt|){)=kz5tS1A{p2h?1`=bB3@uHv#N80xn#EG%D4W|)Sj<4+3svS>M| zaGI#aPpd?o+$#V_Fzbz$t3DJ*j}E?cbX02k7SaqsGVn4=MN6AltK;m7Q1zydTa z##TcR-cb3t)t;A(SVX}c6M>*#oe>D| zn!&>wW4nSXzojDqurQKaZ!N&Rgm>T$4;yAw#!;(oBV~J20e{@x(!rGTtw@%vn-*RL<(21gCzKo z&YmLr%v8jg^ZkigU9F^z2LHm_1YE&qadaJ#yndQ@XkI#|S~ir<6`#_N=kU<{RKqnx z3SDmHjbi{VYoxTY0QXFIjZSMaf!}&C{-OS|^fs!$X?5X5yOXsD^I0Jt0G{Vo%-ajZ z&E7+ru}anx7n=ssUiiKt$2LTzo*}r80-SGK4IdULglfhGwzS&bP_^7|Stbbl_(1DC zh+jzykor0+n8&r*$*eLOn}33f1wh=HQh=w#Y7Z-6jP6hFXQYYst3(=aEC7&z{%MXH zg;mzIy0~2*i@|`kqC4;0*O?$he}Zi05_UbNOCU$+O;Mwe61X2hPqUEN2net4ogxO~ zbE(5o#RgTj4C@Ce0Z3s?^?*u-=_CZScfCU6^ETkhy}F~5>NAe8uGDRM7*J5Snw#NxEp5xaf#7I^4Dr*2*KwX{D7{T}*6UoFZZnOP1_a=&0S3?UafY?p>nbd$ z*ZJF)_LimPYT?noL z1IeumvwVj?XXA04rd#l}UQ8qO(f^^rF))GJ7`*Tv;SMq4TX$;3%hq9*As{V9pMX)j z51zJlAfVOAc${X7N0ubq#3q8#*B3^DpluM<)nhlnA`dz@Ik z$FqVMge>qMG@R|mbI3xvi^K`L0g^pc*hNkHDJo(D)i3>83Jw>yV-IqFfcM}_iyzGp zgfM^(*}{HG{RVUM6FJe=$#ncNA zt`z7RJh=KcjxCMFu}z`nC&B!6;TXIdzq2dLu)6GNVtUK|iftC&dbm_gP5IAY6N#|Q z*>>&r!Bf~?2aPX-#@bt@PqAp?cLcEUWP00SnCA6zFawE`b|q|8Pcq5ysY%TzgjIIM zvy661cM5-ybn(sG{YYrRqlEXNhVbs&Zafk;f^%iJ4}%o%7=N6u->>BKLVs3I!;Ezx zR1cfjUHg%+W!u%*dFVs^!=Co5OIN5b>dNjMm3-m!HXNEH7Wb<6duC=+0FnrNGd z3UoN8Xd<#gJaJbs%w|g+vlaO@BpQb&GuF@2zwivozh}2QTG4Gu=xSfQYgth-#24+7 zVHECd67rkK%c-jon_%xl`T&ZAUlqdQ#Y}5II@gM^9i)t!-XS*J&*EkeWo+2%SNEe^ zCNOx4ePz2+_Pqk@imVS>%3#%^-nAE6u6I%(9<8bLZ*M9w592qO#N=(!;bHsAz`~V z;xIDL(%4v-Ux9VPBg9N5Qd4CG;b(owUk^# zx+Zs-Q;l(s@d+V03{oO-)_eS9Dx`ZyS!bWskT)&saM!cv zgsz#R5stBz3NZ<9mHJg))wSN4cy@~;0(lF{BlRyu=pqfpV$1SOjGt+`uFKY2j8+AJ zl5jma;Qhexc3l8VT9qoTRN=Lzdw7cA&?tD4EjT=J-T3qV>=t(5LG&xJx%ydbuphV1 zsNymI8%H<75K+YAQft);3^RuD8Kt+16#3A5Mr@zm=0G@zv=}+G%9_*a z@}Ts{HbuzL(QPDb?4~xqh-ss1yL7D$nx~9fHh3P5*|cn)f47&;%u~g^iP8dW@AgaM z99L@7c-OZF(gGncogS1L;7(_m5q0V6?D)3y;JiLKBP47<%K_Pt!TI&Vursw8nzZq| zNNDlQ+axUg3B!@FvFisnh~qYS<^JW*ZF-zec%dybyy8vVKcebgcYodVD|P+#v%hWY z-?ip9JRox37VEKq;GmLJLw3CPm|@t++5voH?7R%k!jM`NHDvHvCBLMPEGxQvbmZ|a zfjKW74qGwU(`Z^VdN~bU8-VLH>qg#^#T2KXZH&o&Om>2`ydQZ&T)C*~Smc(KB_}M; zZP|Px?u9+qPjq|fknv>vo_~~_OnB|H%_pTdzdV!SzyH2%K-k;pM-mn?vLrpxJlYsQ z-VT7TENBJtI~+E3k^WfpGw<5o?eXa%>Ailzi+h|OJY=!`(&!b79Uo44JiF)i7p|Y` z`NA@0I<(^PK0nsF2PNOVGUY&W?zgprQhxdN;Gn+k zBYzC+2lAsq?j0dxmv!r6Sh*}!W&Ovpv_N-AQ+jaz(58$~@5-jkS0*0H@BiY=pV$CH z|UzK(77r zwBS7FS9^j7CI9?W@L)H!hva97)ghiN%ifS7xz0NwL-VujLcvQzOD_~Ok1jYDG@^X( z1!a#Z)e5nAmhhx<$l$hq@`vm8x`*H16nSy@53wFUZR1m;3*_EYwVCRMh~;!d>8#DG zMvS{QC9TVx@t12;i{cgy_0S1)_r=1Ax97=>=8)^hqW0fExB8*UZ5ir52M?JpjhuF& z^iuK68(S}pdhE`PVfwjPGu%DztToJAFHR3rjPc$$AU7G8n%lXizsUi?X94yXAk zbAft9pCjq`oqs^5F^9Y(a0?H7x-M$tw`f?@=-hsX0#cWyf6zVg(CAdd!NmN-lb4|` zi^jYeZOiuCyuPK5FPmw9ucWO!zur97a(4KzCx&|q#^wY(eng1fvh|$-iHFYA3i-W~ zdiw|EiRvkL$5#6Jm(-VBm@;D7(4yq@Cm6OyPki;Mfchz4XtZ~4y>mcSdHb$rJetduU=xvGbhKw{!X&b=zInYlYHsIQ!;6~vj+cfR;|?rapcsaCEI%bt?Z=WLqMu%J3jQ52%Q*kyRL^@Lx) z_|0`8o7a0AhHW_W<5RT!c)xR9-fq0(j!KTUt*$dKd%M;zLI`+37NV@IE}c3J*2|r7 zvPCzs=B450=eF1SnLqg)!fF3^h9KfQJqTHvsgFS@c9b6qfg>T{Q0V46hbSP0 zV5}kmxPbVhF#0qOQidQMj>HNQr1QrrWf-!;p7q2Of@n}Y^4+Q9Zq3c+(}(_Eynfz_ zsWVEeIt%v|qWMH_KGFtdd-DLC1!ep15BFaSaEg$VBk&ys*b5;JBMf{iGI+`1r2sM! zUkUpD{Ye}H1^EjRURV6BApg$%(s^!K+lR2kloKoTN>`vZR7adI_I zMJgH&s+lwzsbFV^43AL)keE(XWT`nyhAGR=D(FOIT$YTZ$iq=(X1*U)qfFLuYS6lz zAjEJLQs7|<0HTgTlc-olORVKEd%5b-0{0!tzz8BFM-g|9TdXuU%E)KvdCs87T1f(<*X7WTr(K9hpfWrI zpx)^rNaahX<6*vQ<)9GE%is0Y@Ly~@`RS!oI_tMVsoCsje*Xy6@2$gd&i_T3|JQoI zg@t9{0@ruc{7h)6SaGW_=>lPoe()J7q4q=I6$!6+cm=`B2(M^(#lkBBUUBd;bIRzj zex22u*bmyqM_q&ufT!Y2ATY4_3BG*(`Qx9TZuQkX=NJ254#SDx%VXb!|KzuVa1aWE zz7m2GIb}c?hVlY`cfS>1i}9yNDRcmSm8T{hlF(btuI^+!3Q=20!2BFwFYzvV5fFLkl zj(X7L^of8-AJNZB@n=}KSGW44Vo{QA3NG2*sja zHrU2{`(lS!?Dq56n$#&5t4OkdvkGKl|I&*M0iwj>-imDleDTqiNF{_Un`cJ*bV)lS zsar=VA&e?Uv?K>~#9HmBWPd?RFBTTyi@A!nmc)*DXo?NB#IZ2Po1`V0X*;5g-2WF@=A;zkf;#c`~C*DV%< zdI&QNGq;xM3Pgz|+J>PK$LpR26?3UKvf3%OgcK#Cgg6lx706)J!!{UMrMyN|)GkBT z<{PM&rxdXRsON@|>D$oW=Tk99PWn4A=OHT%&4U2(;+haF zSn`a1&K)&nczF+e@mC~lMh;QsEmQ1KHTG4)(ycx^z!$_dzNUm5w#reGkd`rxSvz=z zL|a`UJi9M!-S)1f5~@4LI!sx^>8I2%t_+B;2oHJ~g!tf)A--GGueA%Z8yU z0Lt$~8{tDNs()pNpJOR*d3nPY+g051sxHFj^lRDI8S-uUw&`ih1pT}I*3UZw!s?p< zfgTYf1;}YcYb!3gg9{!9arl}X+%&IZEUHRJ4S_OHhld?FRg2JusowAHuUaqUHOR}i zTV8g)r@ybHVR_Yv_F^8_3B^OD1H#V0D|Y_NG$ z0P2Yc^LmcWPVrYZw8+%qoK?J=fFzPTh`tSJbOa(69*S8zLCOG^xyNeFF)SjnCK6~6hF>iuL!c$ z1@UA3nVA1B%}W{M&-Jw4zU;p73tMiHF_ZMQUy4mO>LavkfcoP=HjJ%fBW%eC6^nNv zDsDa%r0&kKuM?)TJk(RDHjU!fEA0b>ZY;qz1hE~Y7aL_&Fq;iLI5zTe+dkNg-;+5< zJ%WIZM$yA1rstP4Y&qF50A2OgB%tG;AiJ)*K+ACZbW}JUvAY>l><-70psLx3+`zcX zjD+z(G-+K8W{F+w#V4v1cX-X&Ky6P|f{_li0ad5X__5NKFK6Fo4CgXzy?A6x86-C^ z4b~P5+$3QjO46eM*li-{)wL`$2?>$v@sw+{PNm(Y=R<7Ipt_~{Bf*X&RJX+5W{bec z0sf_tsHb+PKk6kc*k6Zwqz+N!bw^z4tS69-1&alyGNGv{ojtBTtD@ZHbLyj~<;Xm$u#VNK*$hL|e^=4|3@Cooybv<>O9{6XZEgd=PZ#Kg_| zIu+B}0BQZHEnNnU=!=x0Xy3E2S-JUHI>@sR+df0mY|K63JfLo-_NtV6NSsTAgoW$d z=0FL2pb?jOenL!ueOW?I%2I!ugqtgXL6qLLWnk+w;vixA^jd^^iVI7Bp(AHMk3JZQ zSkKl|s8~1YE0zvJ;3b<`W>q>?$`_A-7XFFHCgZ||bYxp)@Ob56PVZNA}7lXJ;+c;eI1lkDa z$HJ}zsff%vLuVkTkX*q zkwq#yh1jT_D-`YDquJl1c9@@5oX$e_$zW?(hDevOhv5%u;JKvHXwoC2M)~C>`A(8n zAbPuuVOD!HU6zp!SA0|;KRpp87yRyLzC_v32HK_RY4zLG_@(mBV3xK0a|QEcrmI>r zQ0{ohWG=E99=7~3eH^)QML3pvrOOYGBdLp@^fqBnITNVbq4BrEA}RADq`A*SBR78M zf4LOOFmLC(SXc-Uo8t?i?M{|XA?zCrGAq#>-Ogh$lHZxGQW68;CScUp9O5&Agvx4T${M6DAZ#5my*}4#Nmf|SVZ62i zW&C>jCYrY%v7>x#2wJ7B=%x?VB#h^_Kz?95O>RFLW($_15?8c&7H7joZ|vUDup@C& zAp6>UMTL5ZCuW)BCNbC_PFK6Y5W$&1O7pvIlUC5wC5q45?jU}RMrg}FN4?s;=DdSQ zD9UOu=P+PCQ|qHx5Az0P={TYM=k@Fnsx$`+nKOX-0qbf@T!?y5&x}eMAf=*$K}Gdg zC~0j(h3hbk*7Su5ufe^jNji&!T_ti^rQzl|#K9xog}O~qy6iIBMO6G+2-X3 z4#u0;AkFz$Z7rYw3tX6LdqZaJo%KCR^1P>JYeqSN$>i|$mVMl#jj+isa~8@Nx_ty< zV@q$hJkO1tH3g212Tlp(pi?uA=<6pDTg4ZsP_6bACEvx$59r>(wx*t|R03K@y*n|e z!-s2J9>Z5CSvOQ+yqFl^1FoB&>*n}8RH!(-llAd2w(acx7h{`H(sBnP(L=?hK^?we zU|GuPZejeOP%!}l{-^$+x;7Qou`xK(a)m~=OaO=u8LQdV-EkN3Uny}M(WLZ8{7)KD zCtM~6go}K;Ml|Wl*#;rb$c4fV>I_n;>79^2+uTc)F#>lJ*7JS*ffpg}Yt`0!d@qW7 z(1)GJNV+;FCa)arxGX-V){5RaIEVDn<&cqF&c-|>HOoqu;}ImwIXv0QhHYENcySZ5 zdtOGmQl@H@X_=KyaS9}eJD%lipMvld_NZ5*fL&*<0HZD-CA~Wn^&dyk`QA9AAJq?r z<+k@({T|S1u7FQ@T>K5P0=I5IS04fN5Uzuo!8O zV0UFd42^($PKb$nDJt8BIB9Dx7a+Le6#hCF+sH{C7b={FN}snsrVkIG1L_tD;Wi}G z-k~%`O2oHIsJ7@;G|Gf*n-McvC!6n3U=gzMc)87I14+GK#hjq`C~7)lu{N^c_JQS${Y9p*71F`FGNx{0!f zp^Y}Qbw|M%hoHDHt*Lym$VQs`1|IIas@mF@#hPac>>j-%hB+FL`39x2`XwSvKVKqe z!egvN`WP=>m+#A* zpq)>%y^Ey=Kj)>zweYQn^MK2nl@;&U~Uk|W;f3|>Oy0~F9 z7LG^@`TPYneUWZGN-}*P_lA&iUC#fmruf7w@!OvAUT z6$xE5jWlj>ur^!86*+#8nXd$>=SEr+VGo}0aPc_)M+%fm*1dErf062ci*cNYE*#VHf2eXHG|vA(na+`qY(EIidrgO#&C#HNE!-E<9j~G9j#>#!yNf^Dw>vIZ zng63s5>-V#uytF;9ibk7@7MySHa{pth|~lL7Ju6(UE)Hx=Fv3vvI8aA+OXr-ptx`Q zLIPPLuybo>^)1e~J}%r6F6;f2G}D#|bN`57^{=5U+4hjayf_+|=`NS0e1&X3Ve4o$ z$JzVAa<9^J2}{2N7k1*j6PR{q9%&NJPLfT4%1s6HLO80oxGZ^O4YNv9k&tL>kylMe zt^JXq9l>T@mvt>mm)fyzp#vg-Dw*wB++=aJ;zEr=H z_mUk8D5kA9fwF0g^@w_*>e|G7BB==2d(|kr8nN1IR>jvNzp`pChMw~;4pNulMAlBD2L>9Lwm^~q;G8aIO5_DoP7*CMR%&M2s1SO^^{D&sb6JWD# zJdaqSvr;`afR>rd9ls0$e~2@}b5&6-w^m}z7E+~{nmoz|m&GD+7*K@WL7rB)uvLbc zt>!uwW0^lJyMTw1jdVKOAH|uEVh?-~HeNuM6YWi1pw28(KR<&W3qDK!=~? z-Yqy|OXwnK<}H=gz>GLf{Afy$H(_Abz*Rv=70CA*{hO6&IbwtjEpo5&fQJx7VO2Yf#lA zX!?s7%vjd{_20lq^L&MN*D1_*sXkGi#lgb*9$mFNxCjo|_$^(z(QC4wu$u z*MmK)e%hav1M#jzBLQ8)eXNO7WWIZ(Egq@to|~F z9)uk3*rqK8_}bzFTNwO>aS&@4XNIY>q?f|c$9*HEM9DLIT#RTk7f8^hmjXaOfqM9L%> z1eW5WrI>Bpsg6ew10@oK18go3MLv%pA#<>&J}M$ z&+PO05=^)7tF^FR2iCRsTfLaIHu&QQHQ4}t<<997xD~oz9CSarviw=rN9v8M$HgTH zwnRfpqJm}cVJceeS%@45!l)&$O-{8y12;nI2RpaLVDQYq9UrQC6&Gg6Ij22*`2>Qi z*ui!$J_0wJ?Tnj!7z0@W_p_MpsKBtsnGlT)%#tnUs|zU=esIXxLa7`Jo7&gPa@Q6? zPC{*vlk;M*!-)a)2>uPs={d6}9Th$+%X<sc&oPnGAT%Gq}vE{&>u>qZPk(^K!%_<3Zi~U~1F>^pQ6*xBJX)Ef23e-H4_0IkR#ZKKiVnfJ zQDs-CryICexwmgVgiQ|}0r$79eGFbZ1{ZyWEnPVL(%@p79Tn?@Nt-YI~t{XIGwgNVXIJ_G5~mpJ+kIgKX$bU z&g$xU4>@`%#6~!ACyYXeiA#YrK@!=`;6FxUjoRFrZa(~Z)3RPdd|cLBRLMBaW$mV1fqkRC$9y!O~Gd9hts<#IhV zk<4FF`zGW8Z}3ynLfqaYhd-%F?mHl?&Bd01P;~7o`AwC4lCOX^pIa=WyA$@`C z-(w<_fBUN#{!Fj3&9jFxbI2Wv$t= z&DEIRY9A(Z4U<7tLhZ28o@epK`@T-y-teKX_Tr%s+Q-Y`Z_@axP+YRpk2z+QOn(n; zua@UMgt8SdbXrEAYd~zgX9M0DBx6~-8+;DA_9cq#OB8IK^oiVFSM$8TrD=6x7gqk{ zJZ!khJ+v8W=3xoyE{lmp1JP{34;|TNl>YgJb^eAaEL(a~CREpWe8c(k;>`BRWdCHg(PPE! zGQUEZU)5BUJVbp?fSR)Raa@wI!rf-<%jydB5hVSbr`4CV#R^qid`Ws-=BY)~m&n@R z^tBEgbTcrCbQiXIp{gUVeCf^^~#P%+SW^`8)u>EekyUPuC)&IlZw}(Ylb#d=K%)o4zb6^jg zfio~8jBsE^IL;iHgN!oDC?qJOGYSR@3JQvO14V^5F}$Ycwbanmu<(|bw6xT;v^2G} zu(HguwCpWQ%`TRe^sNCgee1n^&+~rYUoVfsT=v;#?{)TN?X`aEw-%zwGjLpPTY;)q zki1Gkp2;5^K%&GVKk2H<`wVV56?OPj6#b^9NwuO$MS*4z=RLTnN@*V0vJK&FbOGor z@+G|2;v1dQmGX2Yy|@pCZ0C!Gm}ZFK%3MGlr$<~(RKd2o4S`>S@m=&GHe8$C;G0(g z3ON8~U3QRn6`G%=f->+=+6EgSa*o90=Yq+lg|Hm7u*wsxlD^e)NCE$j!tZ_P{66r` zd~r%aT`iOF!AY1-E#Bu-shsB&J}G>upt2b1H~$G0O@-3TKH6_rJ+_$p7+rm7Z|Uq{ z%e%!+yCdJPk8ZRBaS>D-Dq2JdB#&1eKu#=^0cMM_o4yM(pR6DW| z21iC=HOh+xg+jYyu*useO@NYvW;~AQQ`(fF>@S1qQ>GbxpjUnLi)P!f@aOe%$|lGa`A9| z^g^Z|w?cTdux<#lm1{p9ZWw7?G7|Rc#1RIAd;ziL@YlAEIN17rw!QkFih)?Az8~e~ zv4~Bp%IUF8Hm4=W@BkdnefC!a#;9gsIVcJ=*4;1 zUdqRTD9qAWWLsdF3Va$V85MS0b|!sJ;KpPo!L$*OPzkYgY<;OMk(#MTO2USfe7$E5 zT=#}F8?@fcd~OMFZcC3L$&MO7pzFjgsO~8wWg^e8w0#&)h68DaxWjiAZmQz0xF@0F zYlxq8;Xbeqa=*x#Xbaf&y*`V!w^D|OaJKLoZt`z4cRv6&16qHf39ZnFEo1jgY>m;e zpe6tc3Ku5n2W{|$^YAgi>TP2EDsV5!ge*T#B%9da3M>HEc=wIMm?p!R`nTP&$d!xg zKQfrvoXOIujrE`4XquKk9@T#%2|l*hrBlfB_1{YnC^^p5Yl@`6jaW)Rra_a%^JvDD zQ4pbn-<8rw6>QK3PM5%H^0;}Z7FCni_|&G-`eC?h%rzyMAvBTq~vQ`EHp(n1fBrg zX_5GnvIR~yJC8h6pF?*R1Z6)+@r}KRn_%1oegiV-{1|LFN`vZGDMx8_o64I<>t|@l znEIuZ*JlI~9w_|@Bc-c^V{0o0kd9IlF;)+{`K#w5NzxS#AeyYuto-IOw+q>R7N11= zr&&I@8eVduqtb?DsuMAYWzqFpws3TbOmgx=4Ctl_F3kIfMNQ zsFNAPnNiFHKCRe<8S}UXbb1gvu^)jl#;k)ajXQP&&SOqwUp>2^a+GnM+PqkwHH3Dr zU5kzJS+p~M%Y;0jk9~k^UX;&iq`*qy+aTlmA!I{kK*5W`bcl#>f2aV>HJ5uK=_S6O z>DdSQP#_8(R#E|##9?j|HUm|W7_vVaG@y;Jw)*`aj z)rjG1@@(3(`m<|V_M@x&5!ruq5zhM9cTLOh2vn)d{c%p2f^(}ba%`S+{YcP{{kVKk z@R<=uAIABh1U`29GB8|&wO`vYME~S4X*yx;jPcb85|7v<1}5WLHQNE~C-QNXF_fX3 zbx%&`*sPn7iAJ{gFU=X)M~W{8xB`2~6Pd}#h!6qjdO5F$CT95BUL5;E^uWYd4x zYDITz6?_=$3exu2bNwK7(;j<~QD(>}_tXB@4-yk!#{IyDs;1^9>l=b-l`u!Eoy~d} zhk(+$s|33l$a@T5%L&N1K}{zkn-CBvRF!cCelPzfA0{8dx-6dgD6JpuD}I7bj^IP% z!s&Ne-H`Yrkdi^Y-Rx@J0S&C8w)(9}E5)zSG>!QH6N@{;F+7+{nDaZDR*Z_Yeql+0 zX>c?r1^i9!em>Nhk8R=ZY?S8DWy3pgNyIK42462#-DH9a6EJtd_~De`-@w{~y6Sjo2)f$rf3mscEo3(>TA0<%ujOTgUoMt!%iZFamb1PH z$GoIG9ikhfwY@B@TgHyjS{~C&y8_ssbcQJ7y4vhM>{T7mVeci8>?NJ)n;G(W#J;cN zB5jL^tpA>cWh(UM>rz)mb#K@#EHOlTF?e?xL_jAJ83U_2THdtXO6P05xrTrT_-hBI_Y&8QhISg)G^ z23yL3HFoC}IS_OARi&T}i%{KtzAaZ;jV@rJZe`M3+Fghz+J}Pjqs_{gJwLXu<7^#>0QrMqN)MD zvodJ7Ti|skH2)f^>VamA#m==p7tsv(a0j|thnTvmVd(1DIPU8zP=L?*OXvKPR@JDq zn<)FYXnlE5!*#k`8l!5?nthf@Zg{^c88xhjgz89n) z76fO{C^K0lasKp|{1&yh6H4C)U+k_{vrnli8V^K7GTH%dH-b@vp zR8@k~Q@n*pyDEe|*0Hitzb3?YQB9EHMZ+MtziLoHKUW?qP~_(!-`hM(6BS+|1mAcT zRqodQ21Z?4{XG~AMj|>gPw#c%lA{QTAH_?Z-;yCF=|TwWh&99tt552Nyh(PmS3`h_ z(o`*wMD|t)aB;aG5J(amOmPxh^Op0WcosrsqxhBlR@2M`!-jM6^gcRp$$D;AHs`#M!-zP^F;C zfN<4@ya+x=J39f4xEsMD!M+eWyB239J)L$Vdk>7NgN2!B+cBYs>BxzC!Ek@UqZA(= z2#3G8W%V88p(q{nh^r7LG$y7Dy)7!0?5CaD@cw?1@>99 z;XY4t^}Nboaf0iKcPhWeg%E#+r*f{!A5?K^XQWtEc}*3|?Su=Y!(m_xj>znakJEjn z52K|@&g^;%E%k?<%jLGLTYh}AZmrq;O_raMdryjoXv(DlF{Qkl`K>ZlSQ3(1jjsdy zU_O1WYz&#jCu^^S;AAS4k3s^k=01D^u-j`uy}`6{a!b5mUzh@Wg3 z{kSTFeO-;e!^wOGeIs4az8FH67WYT=38}wQHMpo3oHJ?DFwdliC~Y2*@E6$_^$C>v@SZ38E3I3$UOo|y686qZW~9W z`t3{vxKZmj87D@v8y=N&5qqDS8jT$p(yx9$)rhO^b@Z=2>RD%5YP2ZXxYuZg{2^LC%vMadQLj*}J~YhURlgvS3Jy;I{RKXZ z7rxd=k0RRu8gKcVT37{1#-wG)W1e=tES6q%f?dLibf3r2U-|8H3}7kjYJMn9mcZz= zHm<9U%NUyUDaIZhO*G|)I1c;QKTEebdLsH@;SQw#Q7xotO7d+dV2h)@i(fd#do>uGwSDQ>XMis^1*F+!&NGmb?CdwH7WOe>7{VWLE3tl((H)7n z?e6!1JR6DcBNVUS=x9880b7O=xOg%{bHvl~xPkPp0rv^|i-%J7i z)%upKSmY>2^{|?$y24Qt=o;#O>bTJvk>xk5XgpwFfya6d41G0AQ&8PkF1-~wi zMwYA$@>0uM>{yG{MF;$KTRY+!?esuXmV?f%`C9*iqc!r{?oS#ru5+1|m#O&!E>rBR z;vR6sBKTXLgLYaQFBk;Z3-E%Jxk?n|pu?sz^v74ZgN`mLL%eGWa`jZPHm&xBo}@}U zIWWcs(SI>lW-%t`G>A@>n8=%tPaCc^_w+oL-x1xqPaDrl^~ms+bOX&kS!_YlJeBP{ z_pV`p`5}8BWQ+M?rwNZwUq!pGIUqbpw0^9#2(ce@b=ZRB7SvEq3kx13uV6fGFy6hA z%V^k)4;Z%0--z*2{r0Xn-O$$#rzyHrctThB6W$%HeZAY#U8=$9^;wtEi~?Bh$?3Uh zXQNisuxwz=F4Zz=J4kW;FtD8<)gsz(DP5`wUcNXD(tx$BLl@T}x+U+yxb8WSjReC% zVAlo|H?N_hAF&5E;^t%e#p`%mOZ5rlR^&dHOBN5XQ~c8Mo#HNXvitx#w5l;4vaktxEXmnx zC>zhM5~eUDLD&q3xZIo`|&+HwHDwc_-Pp9{Q z1IjQ&7sOT8ui%bmTfs_JigK^jg30S+1jve@#%Ixb%R~Ew=Xi0iN?Y*a%{2X7qOH_4 z?0(NdUeSM=LKsW*7WVlKO^=Z7j^*l%8;zS`{vT9i+yK@Mvz?5{xQPwqVeyJaei=Cy zlik&DLe02ga62|4<6NRjfgD6>J?x#04-=AjD_He87q4ARN=8AhkVr8RN%tdeDi9n`R#->RO)Pqed+N(9y~*Rz_kTP06m5APCVFnLl1@$TmR(sAU@N1h$p zWNpcMh#pMO=cjOGDB%R`!Bz9d>mT384;gI+OWe`3h_7-hu(D{ie*HexFYGUoFzLUc z;^G7P=Yq)ey({C=a=Ie>Vrt9If*@;kgd+}BKCOyNuLX5o|BA~tO>hKS4)$&e;8q&? zmL*k3Ri0ywFY`Y+CZNg>zy~U4qntB-x-$pJ@0IV9!jd2Lzq6!6km)N8fd58A-Vpmt&^lhb`GckJ8h!Kqwr2`s zQQmsXYmB5JS#Qw79CYMuX32YdyotyXF>uagw91QAbuHf@{+sRaCK1gTjoDWieeQP| zgEKmK7SOZO1iy+ivfeM-LOX-6ebVwyx$CB_Aljz;$%zAdtKZ08miL|uOcY;Yfe$9B zx+fUD^>x^|B(yW$I4*(An{%H+C^nJN`R{|4&v?1flG%^b30vbC>-OUcVelcygEemV zo9S=>VTN#%rAN>g#}zeOfK{6@ZT|$>o(AMr#i~pM=oNB$dxfu&+*|StrC{YMXM!!L zIMlO;)dGBlDd)1leUkJl*WVb>os8Nr84>G;AK?zIWBLgD#4 zOT(16c%6TUeo~Y%IE<9A62tJuZ7kt0T!I(xgu`+BSYJyy2 zDQH=QlNN#Bg-hU`%_#zJLW@)3ebILlpVF2TC=JI%s98}6ptpGbeI~6qA6Na3z_a2` zLCi>S%tB@M^6f(qm(7$HpM-1x;Et^tfw)Jw@**oZUo57VjoSN2BYQB|7!_x2jp%Gg zly8!w`+1|=bHb zv9g&XtgHYXX3ev3#z_ja28IaHAR}t+wV+8u{ zZ4?26!-tY*&uNsU71NY}5$~Z;+N3-H7UmtJPa<1Ej_LCtr7aoq^V%+SHV*(22QCJs z7`!c@D-V=^@ZmC`{5E&}2moU#s zaNrFKksbC~jc*w9kqI(<-^1pJc8xE^X^g?vEA4shA=dT<7-i(guwgDL&17jVvU$po zZEq8j@D&JQ;2whfMJTyiDa}L1Y8EoI-!RwKc1BV&cJ9HD@B>(!DvBNwVU|Yo^I#?} z6wT-`9MT~G!CYip>-n3_JL5WP`2tDsuR+m#4a!`X{1x;&@ijkDukak8Cy=diB-1-T zUSazYkmSA9J(3*-S1M!SIriM*23gVauP9jwn&->_Rf3{?+Bb;7U-qU{X&}0Jf8VMfyp@{|tta zIjx}%jltqbq)vm%Bji;+z)uD|%d~`@)9st>pCf7Pqhw!0Y}{{#U!5*=GrCElPm;Ik z$eUlNjx-K343HDS!n}L1G#Ggvfsg>;Yd2(=eTVgfbKrE~K9XMIHMow3}^@}yn@BQ21#AKycx zzW_7XOw=sUL6&nG2vYFivL5M=$lv;*6q0U(vnSKN<_r0vPBj{y+28Cpi@kt&Ayy>i zW!ndDDSkk#bMs+ihhXxQR2$=d7O=o{b#o9u#PUWUN-0c2 zHC-%zK@dHHy13>m4>$_U0`(97RoSO~ATrgM6g^>GR6K4N9HLf#oM zEjsge&JLC}twVj`E6-%w!B%#*OnaHocxMaczc#5HkyezsH4E z97Wtf?to=QkQ}1i8Q^}$2j^S%DLM?!iz`Sh_glD+_Ro2kdVZ+{s*CJB1;1Ic)n(O{ z0W~5m@mx;px8@~hPjF>GIy+mrFJ>mz&xaOV3Xwcq=QTHYAJ8pl8|E^XInb(eD6P8I z=*QI+!ftb<_CB=s1GJ|fI&lSYCEVHh)BU(aaVDfB-7*jz4ZvJEH>>zrubueW(3IV*x97|8SJ~W74tm)@;W3Gq153yx|#s?xGKP0@M`jai>io}M(+RGgh-wJ@mL9BVP z^lKoGTBFdeWoey!G0^yWAS_SAU7h^oQ33og8yugQZk%z^I;6|)P-N0~jLk{v8QMBJM`!wQ%UM z&6WO+EK{N!4VUW-JYZC?984)Ivx_PsTuc z9j-*yD~Wl|EnL_g*$(dsRM@7@E-+3BvX7+$CE)*0zBDy2#`PT%f5lvi`#UsWt)LTC z8*IyVUWfIdn_H)V48`LDq*pN=E=Buii#GrHRt3${-B1H^_~kHh8>0O|mj;I@U_~=) ziowizWBz@Bw$pCl*iOWDIUOvYrv^aKN6cDfky6K#zCOYeh`#j2DYlW&gK<+xie!(4 zs!Tp#qp1}pZ#f-mevm8?dPeMA$^R(#3PwfT{a}pM?+7D3*-dIXu{Ac5tdJ)m_5e>~ zTgfiLW6Dla<5>JQ|B}zkDg{PyCOk(>*R%Jlu|ZX1=z&Uvt1)be8u)E+B{zb7OUuXd zTgBc;`?H>XN{h`gk3c$Q&-?=@vm<2Un1Ek4?FcgWh7HbI5A(lx5- zax*0DQwsu&hEr3~if54a<)D%q+>_o3*k0Arh)y)36~|G`S><=Cc_qd{+LK$8j#;83 z7M>&gLO1CjsEN$K&d2^$%O5 zW+Z7Mgh+MVX~x=INT%w4hLDq+g=cRO{od|CX-9U$h>3@!n4W7eJNdWRve@QE;?y6D zwpBL(%-nb+m>*``3xE*fgcQx(gRr#G2MRy&tztBrZbvk0+wEtDEi4yBI&Hc6J4@_-WWR@ z;`;m)dP6L^TznNXao~vWgh8#L4}x9@fYl{(CLqkD*RVVok9~yZ2$QsB^|pSFOUUBV z&yHb_8ZD8*9s+Is4MIWb3hguv>k2ehrph%PVvqmIT z{?6kQgVETmG_E8IU2!b#B+k%^KdOvpqRCWNXEgjIAES*E4Tk!cCCQJq1sbA_1H(vR z;o~Z8I`M?twiAiHNvPg62C?Y^5_>%?$y3>*p>xc;Vll?EnWtgdf58vp_a@>_w!hOv zP~^6Dv^}f*GQ2TsXwdWy-s-cfH7AfCX=>ATwICHbWk|A!BCzI;U&ri)KM@kr${8(WhGbml6QJnwA>=-(fj24BZ%%4T z$34g(HBjv`BX5W9%nd1tg>W1lE>CiivJx{G^Q3Klt$*dO(4ims4!}nDGxyL1prF?H z0(SJ{wB!XY;mA8BD{xZGBts|a1#W{qHBSMds-)@&K~uVGluBu-@+V<{NYemB%fnih z1X_L%2Hzd(VvHcd?l8-iFtC=HQi1?3G1EIdNQS9)8os|e6EQQ5&zt8T0b?cj3Aa3o z^!l)D9zdRPA8XfBb38<^>IQ{n|9x~fh13OGJ_BCjDWVL?ZB$kClJ|RzlFOe*Kt<`@ zgNjBK9zt2!NO~1X832GOVI8MXr3My#S25UJ+(!hQleG|o*R<{|0>7T>9dSI)8ie;4(GB&gp-BfYUi&@DYxWwkaajs1{{!c2096Ot>mG?m5E{(y5O zSd-04a2n=6>MIBF>6M*~c_to{$=-e#!cO7CGm}x(Knz$ld`~xQd(A`{gg2$lZo}8f|Y<-K@9K$RW#(86Le%xHz zTMWnCJd|P)G^=9q=x(UahP|-PJ(*r!*r-T%(x6M{j1LFn?D*EN^BVkmVAUc=LW{rpe} zaMbqJuvSw2ocjSVikkiEQn95vNu2G&TW5SYUBT_l&qt>`c=R)wcBz zro0+5ua^X)Z2c;yad+gEhs}?ezV!u|h4S-E#YR5Vf*E9IcLp)ZrTc^Qx|qTY#BH+d zNfmNkpmh)9%<~@wJKeHW)Uq2{N+s|RvbGXA1(FkkGH-l<8U~P@1k+2&oosL}>d4QX7O$X|)>G z97MmNdp#G#*Rc3En=d}TZwTc1rsJH~Ln5}X@43)13Xs+-uDNjO43_n+>h@f`&3B>I&JOkOj zLGQ|W5MAhQsj!Wm4y)~wx_X7@&9W8MzvX13g4*4n21ut>@(irsoDFp?tDS|pWx^TO z9+9LF7bw8|uoOdx1lN}n^0O7Uf`A4C&WDp%pqM?D4<+XcDOPeTvA^Jf*cJu zXz$AypSb-XulC1D{cUfum(=Kt{!_tnhSQHtB#YQ0&Jd-$t|O5mA?)kE@Uh-jF^F8x zB{KMPESh{akSzZJw2i{P)=QJQWa+z(tckEMsSW$`WHPsAjy62hV8(AaQ~iXcQQBWZ zjJt?qAQCP>3@x{s{Cz2^Q8stesU=!H~<|3SJ1CwHlX6kT7%wfkVh-@>ypU=VZ1(WGbC1x z1e&Pi&F8^kGVtt1qL=#k!Xx8INA_w86Udn?S&X)e9(L{0Akw+SWBf5N=_Syqyp$Iw zLL7&4m_`eH#gQdW_xURE* zp|xze+N^|VPLJ8SHjr=r_*5YTZ!&6H!@psvCEAUQcc_v){Z$tTply;fASSP5p7!NX zyW1Ym%{p>=J%r8_n)Ag7H6%dfia2XrCocRV*zTs+pFtE|R8$!RRl8d%Z&T)PPAC#>q=}kLPz)*vw7#`>|Wg9Zyrd^U^fu2 zq$%Ta#!C7C{bs34T7xW=jC@ulPFJ#{SxfKyqS>TM^rED-d}!ut+%puS7Dzg%t)AWW zPiNi)W%uZ9WjA}dXbLp!2W1MvcPFVVe-Bn&D7i6? z&^33md!#yaq?V5>ZbI*k!kusi-%nMneZB*kET&=rOB)88t34LpCchITRS7z51c;fl z1{G9ke-6Z3u(fn5;;j`=BT0845~nz$ef!*b-d@TnE+o=v1y9qfZ2e%WnURYsO%=^x zP-rx~mli+=oga?qIGshUe=|xoH0^5kc~G9USH~eT?#DA}As;`-j-=??l|o~8wcbC7 z)Yo&jChlwkorMDc`Ud~{u-zTy>46tm<7y2cHcQ@VJ;0QJ6;~dGN)BIO4fB}8w&#pL z4K4T~?t91*{$eUQBXpv9`wc^wXQ7Fm!8w<9Rh%8n_U}L6j><|izA{YVn=qaai{K9$ zGTRoiVJ_^qWw;@oFy}>045n?)E@@CLK?JZC6p< z_3AmqoZ}Xw6vsmB?yhjuAZ8UL{MJIY-urorLqF|H%PVS@s?iWVRhNG62Q7cVujE_( z^Nh_!=bJ8u7*QasCzp*I1Hn^F!bpU^qB9s*7l&m2!db;I@V@~`Of7L1#`khnM%t6o zP1=20I!Jy8UAVRUWpO{caFgf7r_rTrTqKNGc>wzHOItDHtaRPnYK#@hMS(CeFWF|0 z$7r_#4Wz|z1gea$YlRns%RaOzY*%SsR%cX}%Y9~>N3B9-WL&|8A9FkN7MdvSM3q}1 zqi?e5+e+tB#D3nl4wjU@tew?+KOAck=f#Fw=B68Fgo#92+g~JX^M5WVO9C>Pw!E;qQ9(-j2iPAqCOqiO^nco}6 zWc|&r^kJnXK11H-S6`X;74{f~XflnRtTtw-#dD}W6u#~ffNKt~aG}burc|~Eu?_P?w(c|b zVDUA?jn9l?zgN@oHsD-t8IPRf(d=y7dSE+o55nmj4PrS4ZPf45O*^*pce0~irp?<< zLiof=HRW^n!rD4hgG$%b*9X^pEPff{`pGX>CZ77vo?B8XstlZ=rO%=nK7 zB|%zi>4@RNLnK_tjQOd~>n@)Txz-vPmf8d2Gd9-Q>GOYJ(Ay#Qbz@ACSFi;M` zB@=*Y9*zkmUeiv;P92$7vVe<}Wt0PiGTm%qK`-|6kmb?7lT|k6;~g6n#y&v$Wy~RT zJg-kbEX+tEr-dH^P4;vkCviTI0=onqIU`w-x2cTZscS|#a{;f?mFV|f!`;&W#u82%a4HGcE*G9hI$X7xcP>kY#q;xfv|$i z5XU~1F+GIf?8o*+VcQf(hi*!>zh!gR=#nubz$!X&OqtMIQiFL^YjWsja!jqB4>wrh zm~*`nG>gBf*~L1!Ba&|^**R)}oe6&7T7}NEBcd?@cVgqiEidNiXWGfcMv2Dqz4>}B zx3LGDhn%jxsL=&L`uo7j#GcduhEEsMQHLGa!<7TDmXBp04fmO(VzD-y@*VlH(ij{w zmUY2m%b(2g$0#95y|=2Y6nDW5qa`GC)qww3H~5U&Nw7hBhQ+$ z0jwgB+ao-v$Jln+V5LE4YrF&lKJuXyNVrn`7(_g=pR2W_0=acX3p1IxXu#$HcExiR zoC_qS&rcQpSsMBi$<*eKz*R4+Tm`!F5L#VcUxm*yi*XWXF!n?lB}GpM#N z+VdHrS9Qf2sYG9T&{y!qT{jUoMh3$lkolbV$ADaGi3=KM{U#rasuK9jVgK@TV z`K9_bkTnZHPrm`%yMf$n4q+cNE+6FThnlrm@EtKb`!_4GVQ-?Yu@5P0R>&sgDo6U& ziA&=xug(%SF=;=EZ(uSKy!dRO!LsJcH2s=NOG3wsy->`ixQT2|u02P505>1TF?*e4 zfAd}@O70!fyo)i&+XCL(hK*^{T}AlFvl);*sz6iFub^9A7?^JimMkv{C0xh2AuQkr#Zev{%-5s$yVwl;i~l_vBVXTQ5Yfxie7dbtJhEdyrv%tA3B*wO|~Lb2RsfD0Im9hNjc>Sh_Kl|ZP&ss zBv1cjB5-b`)yPD@_CX{K3I`vy=RtnVfh^&TZgdKG-1C9#cNTSIjRxFER;mwcyB4r9 zRki0Jx_oT|aAaHs&ca@(>XwgvVLJeuz-I#I`!(in5HgT<1*}nKq)!OsyB+jFw=P2A za|kdU5T{-{6T7=1cLxlhrsbFBEWz>)<@F8bp8854aPu;XvZ=u4G2eYw$t`nMs?)wU znWI|SJXVcImf3@@FDE-4cCBza-g1LNh`sSzr1V6Po@z*+EN6l+zXuqHPOst1O^b7G zE~9oZCw!JkKj%~BHK_R{b%1K~(@F?Tsm=%92;N2J@I9pcX?%FgQt-gm?AtH|>=n+9 zNLqs2!1-Wv{{rucv2Z5Jn*{x;%7?y89^xaB{BQ!i^f^SrufOG2LqXd4aw-5uk%iRhmn|8~51{N2k zI2k~9bpD1Sdd^=#WSBSx&zOwHb;Dq1YoLMN zFkHO?vMjg(Y8A%k?R!0dJ8Juh^p6RoJF$l7`0^s6?KXxcdQC_QQ@Sdlve844WvsAg zec)+0{~eq210v5=?eOge@rB{IsLZ=pF$2s`pPzokj~_Y*B0Lid-$dgU0HFphgSi<} zn2nMOd82oqh8ypG5zZ@#PVKROjUmST&2D_wGd*JIKhE22|dF zPC+#PV|zBMT`3B8Uu>Fbs-1i=?{m}Oe>d*<0Y94Ug zihqaqHx~FN5;yg#4#(-7o6*6&stsVy?1(RS#M_$?`?zJ*_?dE;pYVH}sfKtaO0#sv z-}FKO1Sgs2gX6&TGZ=xSO_&dt9|fzmVv zz~ske&M@#?A>9C2RDcb_QrH8|3u}-U=1>X(^lBh>mtflKXlevE+NSqqQW+$@g-8sn z#ul}>D544;h^t^n-5%tg3xJMVQ|rq3st@k@-3XXEbsvM_aNHO~`=m|MUkPEl0giLo z804LeNIn1fQH=ubM7g?d7-n}p7z^zKJs&~4q;-A(->gCFYk;3hJPgQj-&)IklH=zG z->NPb^2mI=4$eHnnXQWNYJ3wu|98Y@0EA4KzrZ*&2Ik8vg+XfOJa5c85Y0zPm(|=l z5T8~pvQH)&CtFRwbRhWfa)eW>>?mC?ObfR4^gfMd_a8kF?dwBgW?KS>n4kzAU5-?9 zz@pPSJN7LOv`05Y%rOE^-C2uvsTI5SVM7zRcPx5Omi{x5?b%&k8P85mVhqM^F7gap z)WtH{1V;we+r?nWZ6Il^C&k#Im$6v~E}x-bppuf2J}Q9`k~Rp~YFyBhL>sA2SZS@9 z0Q-QoFK;s40D2FtR-%h4uaX|p*aUYjvb>#X?4Cy)-nnu7B;jcdm<8TIB+?Cg;28I# z$d!sru@o}R8un&wi8WfRkR43BB^Iz{Z)5E<4mR9g6a-wXTg4~+4RsmwJQHZAwClpE z&Su8=OQ`e)G72o9v$9tW!ahWFugfDa-(cyJ;*7v@jZL?GzOCG|2$o(9XSk%VEoa=? zveZKdscS4CE>`tK5F%XG@lZV-6>zkigq)L5Vsw%-x~h6i znGHaI9OAyf++}~d zFMSk;fbRf@DDz+j~3eBZ&Ru>pS;v?e`sN0O0ek zLU$$h`3Gs(tWeO0y!F)xc$Mh8iniC-jw`p_!Ij(Fh0rGKyRLyMpbhO;{2{hfbDLb@ zt2;mK54C+*K&|aB0l41&Qa0ZKw%^l$_V2rxZ$Be=@yGaTe|c|3tswb3_lFm4O@PMT zzVhET;V+B+7n)%I&pXlH>VJ93|3#B-kCfZv`L1XAkI(-vZ}?A!**{);kKACyNq;%w z+UJn(5&i4Y(RSNExB1UC{AH`#pLc73#2=ICuFn6tqIMqIuF+F^e^8Nhl;r@sG@7(=AUkvYEdH-u7Y^&(* zRrjxM^e=^U@9NwxgnxO-UoUJRYWbgt`X7ho|6^g_*-DcCwB!9hl>EQF>%Wxgf9)}} z4^!W=8nIk`JH(~Tr^xvd2(~LnK0OXXUs^v0-Dcc~JKy+}I7ma#`prE$QF8m(Y7-(P zE4jU6r~RQRr23{@`_=dAOn2gsd`-FcE1#xzUrAL>Ya_>0|DkRAl(hCQ%B!oYYVNeM zE!RqG_)c5j+AeD!ztWw?wXWywEozfMdm$Jew|f91`p#wyLLKfP(ITI^f%@7xrU z(f9_`A3tpm_`iME_FlJ+w>vk#9q@Vk=Ku1}t)280{FkNfj2IZQ|9RoNbZTGp7eZ)a z)a`_H{#gBOc}9pb8Yd_c{UVeJsziTlK!Q4!#0EwOSv65i6l)E(hD1@T)*5OJvvO8l zRCr=U6d$XPj+y$>m({&yU08w~$Dj+XuP z2Kk?BV0R|Yy%pVA_HR$o{~brm{>2IC51sk;BK22C=Kmc>K^6YrakSmGcGuq9Hfa8G z&fYsK+c&|#EPA)H)?V-rCFZWJ?yu|o%c6f(=YL;c2OaN!$I-I?zFhx$75d+CwAIr8 z&kn)=e;z}-S`2gXf5%bqyZrAsI;QM@$I<^CN88th*5l}3X7|-``o0imkF*E{CHRuC zk0_fkX;hLOyq56Qy*|r;+uudBzkuRF3AazU7_v(WkH0wUu9K(#@bTlyA?4Lihf@b_UK0}$Dio45sNG;i|Ssc=&O14mDAdm$p z(_~emYY>9;7HWHPGOh=zJB`iSB?S+1_5kXrv@~}(QreSM1z6-?Rj0`kWcXZ#ARq25 zxf4>Srb2=Yc@`k6%u3mUl*!3)o#8Lkkdlm7VjZx}DP?=k7^IX^RUA&_x2n6??KlIE z5i@|ICOPgX@Xi2TLJqu3P4muxmZjOla)1)iCZ%Ks;tBk0r6grR>Uz6PhK8#pYpSh~ zcdBi+WYueU8ya7fqfU{#U>CGoDJSP}&;~i~V<*&?mX?zU7sy?_XF()sDLJcsm&@*< z82S_U6J)AFsqQZn%H%Gp4CiXNIwf-hq}^4gNvZDfNG+#WeOAFbKi^*M zKe^doc5N8fyDz6{?V42?1bod98WEsG0gzK(!>GHlw>uf~M`t%+ZtLBHBSPK&WrW(d z==gqoE%@`N@Wp^{y|?@87l8)ifr} z;KyBEfZG@Oh2P+TRDlqXq_vvgA;)W*Q9qi|rnDJ*Z>K>o!?8@XLE8p8@wr4)(QRZ_ ze6ValYA}TZt7jXR9iN!cN0=kASEDM(a3K<9A#RZU35WwyuT zLRBwNEwwAl#&MxB-Bjy(i7@Ez#j4=X!yr_9q!>*jAbPAUJ6RQ@iVkb@pp%XeXcqS* z9>6TZX;|mWj7s|5i5=%{wF42VQVml>)C02wLJk=tH^X6_V!|?48fuB9xHpRFkol%^(x|v`q64WKq(utuGRebs z)p#zVB^jxb4F~L@%vWLsB6avhPKZg%vSUMk?wYb<668P3dI32ra9pf;v@d_Xb0s#E zW*maN5t(r`+H8RSwnx-J; zN!g5W`l1A+ni*#+xtt@T)+F-tHjqwX6UxQ|4og*|S~%}hXtpY$+QjTtH93|d2u*zv zsRjZgb42|Eqx7nW0C4n$i*S%`;wE`o&#by_!~Ein`ZC6G^gYwc^BShrebYoKPH_2Y)%)< zzfHG7uAwLZJ<`QzU9_1K-F;BptN7KJASj#hIT~j;%;+-bC}&{PDWVE79w%kpIkseD z!%Qa1SV4%PAq#?5m_A%6V@sL|nKCo_m#oA);)cx|K6Vt4V#URyNlPF3KkU7GcvHpN zK0H%0CDUfDWTl<7EA0wR+N4cr7bGQt7FwFnrUz&tr7h<}fE3EPoDU)tC{P5UND)MY zaxRKmuqY}>K~z-KA|U7nK|w`DK*gol`wX3gPw z?&rR7H*&)m&ke+pWB~EvWNDxhoLV(Q@eP#B#cvu#;#{*3urTV5P!OY|clkFcwn%wY z1SSp~nZ61|2j!fn$)_)H*sPG_T4JgmW1MkN^^0PJ{tR_&rx(=Pm#CyM#z<;9-npBT znTE=)Hxa2UK90`pu4aUz3tX!dsdC8EVq}vIl zXZ&;sw#h6*W^Gvs!W&5;M2?cr(C4;ws(U>2xhkMsnl$lRR(%){(vO2k-lyo*4Oo9h z=dvRfb?^>Q;+y4iRA4~jxE<%23xsT)h}O!b2nT3A7b|uZV}u;zA#)d8Au|-npt&px zq$1c)1p&lj>6-Mc5NLenz0FV26tSIga$uJvW$ZV1Ecg?n(JK|u4y9%~IK2kl`pGS$ z3J-|V%p`<-A@#Dyr5Ax(J3CkrnKB593K!EtXh6m#WH!D4{L-Hx`aF)IRh$Nb4Z7|HO=;|T(jus-l({hE^3QHx{g1?s8?=4Z z_5^b}|Fp6RfUU$i7D{XzWIlyyk8hx(StRaz;yLmqbn2bS6x|^$-a^v6tB_|2s&?=# z%KFc}JrQdcY_zvd0Z+O2h#KCGK0=%Fx8rj|S0J+w==L0d)BOT9-7Vq|)8D$&-nRxF zA16xqu2!jZtdG>5q?U|G>aqX8d2Z{;d{GUBRK-kO??U6_HDNgC_{&Zu=fVT61imP; z-kN6mDGW!^T8PFYO*pYSPnQ=CkYF;rx+Cj5<1l>p@FDfb+2j?w1J{ucs8xuv&O&pp zFT1CB)Tq+-6Plm)f2yxgo><2T?od&f{ktO#Sun?<_@#m;p3r<8Bjy8bMl@PEglqz- zZwOy^d1F!aXZSQ1Q-4=msdYu7{7F)zxHi*+(l4QmpG7@4!G1>2h^2J@#BRtxBS&LS z!{O#+p)Z7fN{zONGGRj@7tFPGWtC`*SSn-qPST;&gsQlrae^Hd|aqFOs}w zB~?p3ji-g(gyU+7LzqK))43iXXIN*RmysyyfyJ?6a9}bSHDVn~DHZlhi``#1UP9v7 z%*80}YrI(Ki&fk=&{K#VtPmTqv+_~PyIQHnxGevg6lb~s79P<%*dLr~iMyO~5@Fl;*A`j-c zHR1%;5l0gOeTa036y*4PO+~+=VlPVTG~|%Le4XaKNydo<@JbUQgm4O}Nq-kfdvQE& z$F%@s3M>n?Gk9?^flyvK6i*L#L3jM2lGNC>B(vgeGEGe57J5^W;W5gRE8ZYa0`Vuc zqKVh$rK<=T2BKYQ9dfQqx1}A{ffJgf*{m0htm&nwP4!~kBH|1%m<`i|v%xMWD7 zzhw}ul+U_zy|GsbzOvy1n zL=NT7_C}6aEbK6Kl&}GB0=*vN9&EG@vPVu&wi1^K6MvPAyX`H-8hRHq?_4x+021fm z&c>lae^Eat0=u3@=?77P7{bb>{tzPDfNKmFIo(m}XvSMNBm1}M5X%(BMi(qXP*k{v z9C4(ExHnY4F!ZSqg?we;ov4~Fh7vVjM=eu~u2`hK8E$i{_s%sv$zK-?Du_A~c%4Tj z@N@w5)dK{zwi397`QMo36^k4 zKtwC%L*3LBfNZ__S;Mt3vWax{fP~0nNGFC%e(a>(1uI_7pXRkUG%4$AeifhOa_!Ru zjsI=Fe>;Z@)lKJ|KxtPo&D((RcR-qnS9r@19Y;Ir1_-XRO1iJ;5meuod#q&@j;y{Y zeqrZJ$59{f%?#;>n?b0aEx@s?+_N3iRr+_d%D|{(<0JAQZPm5(fruZf)^Ca#dYZ{P zV*T2&9;d$w5h7^{?n(55ZJt)!DZ){ttypb)%&hxO)0As`gC;Z%NNF&9B8o;qTl@ni z{c2e7DP2*q_G*l2zJ=4#Re-pMcvs?Z()#Wo#|FrYw`%X0ZiV5e1E;Frc0?hX3O&Ky zh1#}ZxC_5dX)59K`wCH&BF)2A|JD=xa01_?F8x&jWK1a$QV-lN2w;B6UH``ZY;LgE;`We)6it?9?jOS9AMysWny~0e#qc~ZY)!y8< z;59{kl=k;%GDkKd;;8urj~N&fjJBw{NnOM(cSbn3wC#?1V>;PobzQry|4hVBL6n3C zk%=04Jq*$pHjyzF3lL6-{EkUZd;LK9%W(d@GP5IwDOx^WO1Ie_4+qJtv+Yna9wEmd zSgdr$mVy{i1*z|&x5jEa3D&lz#o=U@wa~ns3{EeG&=MI>(2i1ij3_4yx5IY~m-W&K zVt1~s+Ms_mEax)BftowvVzNo@h44s)+^uCNza^aO)iA<8w<({G)8TKlIaG|pQ58>F zo}ma&RLxw>BJig)rGW|!{5bVR>V|Td^HLu4z z%Yf3S9qHyuKw236W7!0tFTvl?P3Bbg6y?R&@T@e0SZY2$FOTS{Pli<#Cl=ZFIUYlx zD8CKE%5KLQuw^c$25}{ehI!P$e<0nrJVa=-9JZ0qPucX3=6?AqdM(4Bd?F$qm{93bQxcgD~|btuuel=Oqa*PEYW5_tV!t~%Yl zwCMM?UJ3CYC4_cO3kNACuNd!k=6`Q1QG)23!8HJ}oe;poB>5P^S>l@>J#wr^B-z)M zt|Sq~0}$;g4wBa({kVkkc;q}UBi{ z@-9H8r#qw!gwnkFGzkPZxi6)dw3m#xd|wcbU39#TxL&lq90`*bg?!fbrMe=~P;8oT z6jqM4jPw6)vZZh~y}ENni0NZBr>^Uz9j}D-PAZ+rB2tzx4UXq>xQqHKC7Ee1#UA?A zhAg_(|31l(cemkUQ8B-rFNg;H9SEc|zD6h8XEp30AAr`hD-oG9P%(a@z{0460*16lxC$s_HaTpig&iE&nV2Dt1ZUIEp)4na7BuHd4jJRGhW-47u94cY*$5fpciZj1ERTZrsvgU zhRAFG#etn*7SnKJYbTIy0vDVhz_80LLH+nu8AXk4N<(~&c)7JB)AG9ng{OkQE7aw2 z(=*dUNR;`cm}{NMoeHiN`;ocnV`1$HL@yUGsg_N#GnBYsgdv@g>;WT3lr)?!@y82A_$@rrca51F#OPxh-p`UW2di?Ju87N^rUsUvMQKUKvap^jTv z`Wb&J$b@sRH4$F_RTMUhBaLI4&$%DLDp8MkedyppJN<`=SeA@rJsm{^&)2DLV15z z|F(>M#;M}7@Q%1+)hV>g!scc8d7QGt zLg(O|Ogk!oe&L+yLNuN&hlla2;_>U+Sy7}}ZijGhh3wwTvC3Qi5Z`gXtLqSED9ASd22?xf71vEgV5~!_HNOJ04Q;e)#5DzH zFzr@zS*BR-%)3CkgEymzVkEaL!(u(G?$g)ZFd70)tqvbf>br^B(qR5IR^#>5DroZpMJJCaPimbx;Z2z4&Q0o$zzu&wuUzX&8jtB*GHgJ@i}vXypKuJnJ;x6(?M8Dxr+Q5oRb$B+(g_Q-~9!R_OI8FvF3oZ9U=0!x`^bauh7CY1L zab!xA7KATAQ7IacmhF}&I@A?u6S;7NIO87iD&IVor^1P$d$Cmwf!`ClzeCS9fKoDMnNT$}l-=dEj`TS5+g zgpdmkGQ%+xmF75oz$fGdeuh$vx1`?y{qK}!VUVD4UInE)*LdRGMwco|6uOYi=BGU( zrSUl+BY-Sz)xy^lEDd<6aR79a?DEx7?)|hqn_|BSUVvzSCSiIay$L#RA`3|w2w;KQhSS&jx-66p|iFg=*@rDwRbl%E=& z1}k{J4OMJ1k=H?NzH|tk@18Foun0?NPxl6`g=}-VbkFS3xj)X&ZiCU`}a;C zNk2ChPJh)ksap|Hi+A8Y_EsRg4A02yjMHZ#c&gw7`kdpGRO7Phj-0wVj=vh4UWz~t zh}$Z(r#2%dr91as$P zDdcOmJ5kr)G~9_wX)CFDquo|3;t`Hd!|+Vwj~)i%UQ#z$ds=!?>M|56^%tn==P<52 z(_B?+117IS>24AB<1%X-Xk;^OqKS;BW???=45rQ%rSFky^RxI@>d5~W>49YawJwH( zNyMoGTIm$6HvvrFTN|l)4jD&Yl!317Y2g$WNP9szlPd_ub>xsj-fB5y&>xO=?G^2q zEJ)kLU6S7obB8%sU0VSY*A7tD{_ffmk-p8m^a*Wc7->q984s-luL9L&y1;hJ1fd~5)oy`o|1L3y!R9sKzYqXbP zi=LC=tKY-PcS5+;e6fmz8!l$elW4v++YBxXZf43=(%JYmnVk7Gu2^mrpijo-q$62s zTy02<<$i_V;CXXkpKM3gE=V%0Q}M6HJEmxfHnS>Jm#=gjCb~bOdEmm0Dua6y@X%@n z%_b2|NAUzHTJo0b(eaPI1T4J;mz~j>~W3F(dP0$6PelgB%xA(-(oMgFnGrFVl&_Vd*sgV=VB@ ziJioLG!1_yMM^pRhp`~A?1qIgXmW7HXOKc(>pc)+GwF04!*fEVD)%Q^J# zM?4iKGMomqhqdBuX`H@?#&shEEYo+59=r%9Vp2~ME|n8!ii7`L3BoIZUyOFzrFI;S z0NeYNSUNN35#w*TXi7(vITvM&29xeQ+i`&|b-qp2>20v|fpxN&M@HiA@-EDZGF}t= zl99k`Q?J#YqhdefF`0W^5|r#h+YNB z27Q^6rVOC`Tvduk-qTfl#K}w5ERqx{MDc<(>EG_3trA2 zjuAU<`n_U2jnRJ*Q+JZn@EJT$!bPCsF}y-d>@ zuIqD$xm;n!bvc6_f3_8NLW8z=wK`uOd1PoZcD#l%>p`fnnWK$t8<_(35gb|bE@x*e z3?teFDbRM>B%QdJ-IfgOZNs<-p?~uNYi`B@=8*?8AS=wAjll(r=b7D7Kl%@atf}1W zim>Q>;rX4;2BhG}TH3SaQ`|DCsYr~e->-g3XZSDr8tU} ziVZl76bpNZP>_YdO6xWk;C|33T_B~yr*}q$v-GJ-V}y0=)uHtn^rDo=W|D~ko}@S) zYn!vdt-=GuW>$T>*>EZvjD2E~*cBVW_mMJ3?1_`{W5&@~S%HoJ!0nBFo4>^$$%Uck zCGQIePZNhbE+dy8k(inq+{v*UNwIhZcZYy4A9rRYwwcuKaP&p^TXCY)IfyBV11v-U z{IvfKMRzbXhynrJ$6rvGd-0vEJPg63;2*wE%o21N%MXrE3i`|N#m(O+lpfm0sb+p3a!50n)A0Pf%WATYT#)xUqWCi~#${d6DvzMs;= z5#$fT^6x+RuXF!#>HS>v8&feYkQ~>VMJP~!w6y}(?$ZDS8(mNYwe{nMoZKt&2S4*9ec*$a48q-7d#!tqshAc#bN`JVN~krX|B=$Y!XH2WUTHm?(bnRE zyB`!u>x!c~O z@8Kw~+-RdaybW8{U8oMVEN%fLr3)qfZ-@U^SA1{0xc`~|Z-@W?Ft)_q>;M0=Z~V8> z;(t5*`%EnV+u{H9E&czc!~d_K^JSpKxv;PoTTEM_`ESn43q~&dHN@T`)URW+kB>C8a_Y2Da*&;1LaUe}9EWvw(<3aHe z+K(Q`{ZTuvJB}GR7oiv~o_nJeH{P9USe4PlJi%Y&H7)^AD=Z7oM-n%$^jW{DvIEe=y{w)2DpDx1?MYR zsL1ti)U?hBaD+cUItcStBP6n5p^qLze2yeUyJKHainykIV6ib-8JxeB34Q$E36aE% zX9xn2@-sYx^%7^W2yCTMxDSiMjqtxfk`#ea)h{{rBWD}do@jA~odK$u;gP~tB4k=n zD?Z*~K}7J)HJ&m*S&?}U@LiW}-`J22EVa>Oi1CQAA<)e~!}uw#2v$@ivT$!vnaxl02@@1@EN8=+ zO_9>9mYL}Vh@CKYYJ6SnOycO9Y%HIroc<_292i{nyhDd-h9K2%Uy`eti`o$8a4GVe zaFT73k}`h_8x@4rnp5R}w!x8(4;6tHtQ9Qxq~6IfL5q)4ow3T03a%5ONQk7>_$fGO zAxGh_&#VS`wgrLUOQN77iFjk(B~pO3hEq!VB<=~+o4`X9A#=tO0cidn^c&Qv=M_pcg+*I7q5 zt{{3(7gVbO1Lb^x1OLtqZP8LSX;f55_BySGFW*x$B++IM{1>pP_ogq|xPn46($4|-1aQ#JUO%wJzr{gAQTD)2o#{r?az1cuX_Irv{Xyx^{1f4s zdZ=u9UmI&@f2`0Y?R~$ecAejYhXRUbC>ARF5&`Ey>EsoxP}Ddxp$F7e4P|G*cl2DH zmW`_1heuha@PZDiW~6)?ok+xe1l>UdmD-2u-1#;DP>aX)RR^SKvIf7*w$pj(iKzNz zcN4gU`_l1_ETmhn##y%M%IX&5`v4ZP;!=s>QUF1C_zzWvmzDSoPT?YP3VEuwJ&xw* zC>{ISz@Ai>ge^JG7p|)0se0Z&ThY{P2kueXLpxuSKA8^?$2?^CigNwg0%8O2j-e^*g%#Hj%Vc=rNz2Tvp3j{J|aD%u%%`JxCX%NKxDemQb z8&9jvF8&^gU2seKA2?^1(Akz7Mx4^yhI3(3{J=tN_+Bm9>c?qY_!b4ge%upjTv<1C zZFPA!MC1Ht-N%d)H$^dV)WBktKdQVK4%+KUaoQ)%qn$w|lPLwj>KtFNpbc%PEYY10 z7yCn0)if#u8`yP*_>q6j^*+X-tLIn1Kxu50W@luqJyDg z$BX<>%96lEw#zn8O{efXD94BkA}jz5P>mU9#+40A@iG})Ti@gM^?vP)u$C#eJ|`@# z^NG{9Gl{`@5+??xa2BvH51?v12%k1Qp%iru-F@A}Xnc^y`kvxqH+}DJp1zH1$7)Fu zSwj+AqPax;LOw@@(ydf2=3*=HQt@^t-^g+s0+}6}CMNm*Y0PRG&w7Kmaf1-SHUhdk zc-;n;WS@#}8Y`{cg{4I2GzisnQ`3i#w1FfXL|5{o zsZ=z5ywDTZOkd}|TQw8L2rknwN6DkGLmog8G!BK@@{k1c7dYOqk;n1Ie_7M9-mrvW zJM(s3O@eq3Tv!4_oiBF!Vy=oaHZ;i#)82s$If$10jkcjbkG^|puUMc(+e?oqWrrR7dVzp5FvTvwQ43(}_9$iKZ?ZMa5_`N6_d(!|@!rYz~YwTLqoCB6thzuaKr=5syxP zzRlH{c#E-j^>djwLbd(F<;x0eIdg*=oLAC^g|;+Pi#vWmu5V4AF!wa)z-(c$44YZh|11r_RhC^2>>v^=F_HJy!7p&X&Ijtr(H1 zLlwvUvuc$z3C8VA+DBd$>RO=i?J$@1?7wsE0sdZf(0HDc>M!v&wQ!b;a^|%3qtT|W zVGvv~NPMN}N~pNVI7fS3B`2$3v^wr-D#x|_MirNkf6Cp3ftdZYAzcJrSrQU;aw>&N z3HV0kTn4D*jQnXR-11f|-qqZXiz7ShZweZDP7D_b5qtoaij>Aw+-Np)PMlAf+@=i- zK#3r6k)*vt3pR$4=z&)bL3LpZ%Pz5rkgckptlvEn7;cDWqa7~NA%inPSMV>9?FfArHG#NQV3tQ)N?5)t{y zcmg}B%CX(O%h(Q(J3a!w|Kz&o@XXppjqi*Y*XEXw`-0_A&Gf4*53dm(y_HLo#csH& z(aXhho%usbyNmU0)}H7hMBJ|CGCfHOV^Lippq=8==F<%Jg)l^#j2ql>j?N*$2^e8R zUejf&+#fMp{&JilB~j+?*%B}&Q=J2rH$MO7%F(8|VQd8Mn*S*{VQ+?140FE;qw`2m zZKb;O?dTfCY+ipl#_w@x!s#wg6w*B%1_2DzDr-?imZvMCPZ&ng`dw+Sx|M-0T3$)E z4f&a-r@s(#@JHH7Xh(R-P#E4apSCM4!(K9*OEgOGVI}e>6H$e3jtv+Ej9aki`-sZk zQsfSl-2&AK(sg=o|4AHE5lLeW=R_AcLyI}`DzzBO!|6M;o$N(rzi`f3c+ah~#0L;S zELEN%OD245{g(^C>&0{ywt*YW`XQ7=DW*}iH@J69=hgOct+5+b-f)VSTH*q|S4<-hIQSxCW-fY;YhR&{= z@dwfkn}lX}+v<~aHf{FhV~KT#iF+2H14cPOwrdMY9~DY&3WFSH5xC>3Mj9JQg|mn6 z8LDIJ*(W4Aje(DgJWkK?;hN$`#4@p|UgH?UQ&X7U`&#+PWukJ7Bwj&gD6rczZW9 z*cSs^!OuuK~7h)2S6#z^mTNEivR!@^$U`pdF= z46aTY4T9i;6ZbUL1LE4d3F2ghXMoyZ8-B!iB?zuM7*^Hbc&cqp12mBa{_=Ujle6ox zUJ&y0vG(p^n2ZDl2?zlqSbbs&dqRxx0`9z;eSY#BevB3g!&xQi2uf|=V%Jz)`Z_JED}uo|+a6D&n;sYD z;-9T2?9Vd2xLf@4%&r|aJcPbW4zjJRhx0wZ-~JUqAKpG8(ZvOR_$TN%yMKH12L_RQOFRXB`d`&!7m&!Jw<5}>%rpAT!I=m*7(b` z4ZPtL6|8Cb=2^}P+{HOcNO4}FGxUv=^lw>1_2hC+4V2i*XX}iH8j@G z6pRgi{(89lJf~IBsy`ezi0&s9|A#V&kn)(WQ^=UOTl-s>tDz0KO5ZxZ#J9!Vr$~i~ zMHmY3ztQ;nirofl7|~}ALB3C5C^-g=atw|}vY}axUj<<0Gvsx{_;4Hxe%QyM*Bxc- z*G^Xc}HMWrz;nG|X2HJ&nXi>hi=0cQ^O%71QkP@DiuQ zb`w853CD1Ikl%7vdo3IS0^#Y?n;@Qz|3U3DNCs`OiW>sQoYN!|+X}5yIZk{+yl|stb#_(52yyP|6(xd&8G!YMqmyBkG(i zpHjQ@0DY~qVW~8UwQy$PF0|<+vdr9r>d%z$T{u?cu^`ijO5{&Jz-nKHX;0=#WZx~^ z`Rxk6ZnrslAaS98ewhtpy^w)76ug1(@acCT>tg(X-|9aqy#!xCuTDX?UeLV)3tR9! zgZuhi1p6Z5AzBmgW{5$PRx366-wGo4y>qI+oN6#8fg&LKp8ouu;y%?!*nFgjJAxFE z!;fHP!j>Z;s!o@Vw9#b8H7g=ZhBuSwQCpfrW2aqeZX35a?x-?h?eL>CY5SI=VaYFD zIvU>b&A4N#PN#<-&^EZ_bGtx_yg>4qG5Bi5|Jyw?rJhrFKd9*cV?6jhXPuts1P5<^s%P9$zwJYqpo*p}6AC2e0j;@x(;wyarhd-las z%iF(jMEh9s{*Q_uGaXP)36~FkvoE~EpF3iUKg{^`%C-+(|GN3{s_uUxMbE4dE;7tb#AzB&**R}Y4OHh{-`#0?jwrgJX8I#xAKN6 zJ(YXQeC-5Oev{49+}k8?1`}Y>Q5CUH@#G?k`G1ZS~^53`a0|AC@<>#Oral+|wUz_Ifh*ZJm+t_&;*Y5U?CohRww?NfukTSh)9o3Wxacd+%unYw;; z?;kJjIqgj88n$|i|C1q~T_S};8+LE~WauN)M}<4*{dPNQcolW6&sfaL*T*k4x{eGS zknoE#VY!tY8zI+@)b*G+A?HNi3hPTHu}?g`z&p|;hStPd&NNpic2d2#dgRmNr{wmS zbmUg_sP@)CZcP7dSHGl57@deE+bciHZa$5l_MQoi+!nokEt;@0_3c4DGU|KuONKgft$G-!f**9Qe(Wxu?B+LP~0FOH0_`_a>nGdESMK6d*~3_e{6#nir} z?RnMpxL=9_XDb~aPCpmebz#Oorhk25W=2)N!dZQ5IvZwR-7wQIXVLau7w3H6^!3HL zt|L*y96z4S9X3yYZf3hjf4jEyMTawo1gRDy<$kv?~ zW`r8PQ7@#nSK=0N>0{ovsy)&5i@W#AyWEHAjxMT>8nM29$rq9J8z;w1$@4EYd~vg0 z6E~%EuVtpk^G4KICVsQpp15_rsoG}SXEMI{;<>Gl{igiMw1OOh4|oF6)Fjv+egeDCkaB)q7 zPoRQUlbx>tpGOSZPE(b=-~y`1+D5ynJo#fkBRR^Di6hBK<*^r=aL1$sxUw*qOzvtr zUa|F4nx^rcWUq05X) z8LwP>I+zuAH2#H5k5s_O=ie~ z(vv@mRwzu%!N_TX?00Nzeb4-o&w?*(`SiD79Y5eW^JNDn->c!@+v;|PTGsyzHT=>~ zaLxZkx&POiUl799gXJ`?^Vo^`LGBxgYzIoy{0{_kz%-bs7bU#;P0cilIkN%tGf!-wI*&)al+ z9sUsYO$|)3qj8%fkxZGSfj#nj_el67C~!P%?XU{RVxYniy2Dn8asY#`L)p}ZRf--tWHC`GQ?tv- z)5=ox8g}6$itIAUg-VGbdD)EjP4Ki0KfvSYTM09TKZAJ?%8}5y1hNgk`j@{CX=RrN z-vrV@mWvCQLJJBLohVczMk{>1fN-mopz>0f?m%11rQe|i?fzG53;KUwEC00#oxZGO z2mX9OYWD4miq$sw?1Ne{|AW}{vcxHSrA9DOPoNVo6nucTTbb_I3j;*gWU#>EL9lm@I4 z3WwDb0W6nR>G2?AnsgL(mM0+)VwBSFQKzvlP!|XlK`zfUxIeuC1@##J5HE_(S1+N0 zpb(>`)dS8B#s=m1f-ZFLcNn-MrJyDwvb!^spu8t1g#=|8QL1w%Jnm8Smoy`?rzhc} z0t|8D56LnX{S$k97&*NWkfhuXWu${ZBRrDLH;YP8XK_~fK&3IC2bD%{slsk&fL+I9 z6HMpKCeBJyVs@|$sd(2>5}hw4F(a&IHVvfrtnD;Qgy=#w9iuTB4`z8YJAeeH!- z_O%TjD^h~w4uIlWF{po{&JeXZ@Ee4>a28>tI6cV2#x_({;0?^eT~z|2^(!$DJvlYnY?v6WhKaEI58%C2<|7@U980}1?e}Hb~bjN7qa|B+&UAZYEGLd5n z0;8V)CG2s>7Bqr7?2IZT6d^~G!>%6+uzrWaIwWubFTi)5|Dqo%b!XAffgaJcU zSQ-E$cpA5kdlTYwmv2F0Zs8zfVnI15>vAI*C~O~GhPsI1$N^gy?rG2^?Y?I%%Djuq zGcoGo_$S)46}d98D;MqA10<=&%=-SGYq+wf^V6^PAm=Q@bM%iABm*^FC+D-)U9R2e zKsff5%-D_229FuX8p|s@10sPi&h`8*6-Ln1^(NHzL( zl=@LBIEayhO+>Er??dFRsKAVbWdmP8l0#bNYL8JTxdzD}LFAY)Lf(d0Kg%3WNF4ZL z@O;fZ^nocxiJY|3+D>ly`?3MA-oGjq^3@7la3?^tiGCF?6rj$m(}nJ7yM@Hr?OZ6N zc8YeQl2tlxDj~jw>0QrYS252Dy|eMaosf)tGe~DGB9feq&u<$ zs@M9-@}0=u(a{Sc=&2>Eg;Uj9DzzNL8deay#l;{41JShk0_=A(iALAo8% zD~C4BZrhGg*AOy9l^Kq0R<(|)6^`^$y_jrIbHs+&$CK-&MS&#HZ*G7z%+Hi=UfC0x zP$$cGYKL3FF9=7e;%2GKqg#;hY;|8YyEcvDIgcQrhv|x%<)(d3@y>iClmsgHDPdxX zGne91B}f=%oTRt_(>nFv41B=9<&xFBQpvBOj>{@l(9&R;!1LE4g?QUy4ix7NGt@-a zY=^IG{6UXlqM90{9C73Muk`P$Ojz9t-q5|JCf%9U@RXWaO(RtWWvJO>utPAgG+1Qv zdCpm4`cOp{i{n58+}e1M%js-%d7lAqwKN8~*qFc&e;x1;jt5Vd^CjP}$Z6tq@D=)S z{%}QVx&+1?XHNPxw6iY~hML3qU$o-3j8iTF&JAz6hA zp2WhyyWMSAjbPyvalWx33AyAVTsqeAeo*7O@`ryS?w@*?EH6dEYi_fGg;!kGKOOCu z)W&~?i*7tk*Zbe&M2A_aA0KW{=d*auURv?n%0t_c{rt*|-rj#vIRlBsVi^0hY%mNm z;%IR&tv~xLa5afxa~317FAUn2mA z_trUbL+btYoeCYd7g*;wE`e5Wj4B98mSZ9Y9PvhmoqZiU``P|f%7c;bxV#0W)j_&> z%cq5~WFU>Swmo|siA&*7psW_zzNGS!ptLo+A=Zdt&p&}|FZ1cPkn`Jj^z`k>Y#$Qv8e;74{M*4FKf9Gr(i`ROZwWq2BJL z_=A2(H(Vq1k#DsT@dy2py@VfbP&`3hbqd!~j(<_@3#2sBO4t!Z!{JD(Pv57Wt+QpQ z3f`tP!*NQVw*BgWTcwU=sA{Mnx|X5zaJ^WVxeOV82@i6V^7{o^!!O|BTm*J>Q$S#= zqbsm_qv~!0`ziL`p|g%^C05w6%vJ7aDs5YMLYNM`-s!)i<%W>VEbQ&1PfL3|HKe=`0tdlb;Z1oE8kiSC zU7~g27WCs_Bu@^hjT3whOB+`O7B|~6BV}7CeXDpsX1``uDEN#h-;@i7X-|1-NJ@fb ztJd-nSCE35Ro*CIxN^MJ#@1isS%~BhLb!#NDKv8-0(ZHaoF0l z>^z<_-C6mOkUC=#_QtZD7pxr|D1=QyF5&I~#irr14+)Dz>)AeS*jxwz7q(>#k;fp` z$?-W(d0Dg`coh}3pbsig{i3pulj&LcYb*uXSIcH1JivA)xyg<3ok76O-C}YXHK$gumco8NN8o!jMu$oF|Cf}_fo-Z zGU{Pk!*}Ij4s7e8r$6vlIj}->mDeDcqw(t~;If|7EsUYP_}{sLc;xAc_!-jG2>$~9pV4?LK8N2Bo~eBO;C}4{C2r3Khq2zTb8;kq{RExje#Y=Zm;+Ecj|-x&6HWa;?0tJ&R8{x)-oqT7 zJ#Y@}183k2oFg+bBQr8b=D-ZhD5HZyf`WpAf=P{v3Mz`X!qP&;Qq#inR%xNBshLq} zX=agWX_;whY8S)OvWsbDr4_wvK)m$yywCf4-_Pg$>+uhSbJ=I_wQp;!z1H{Zzt{YG zxOzCuKS?mE`6$qQ@hvx;R2^^Sau4kHze?-4L!7TZ0;O!3XJv`y4mz-6b9RlU!O54w zvDK#{`Ld*+`Em--x<4J|-$Hvj7@?x@5lwLpa&F;(%EZ^$U*sKu4BXoAvg6I?F+tt!8Tcd#H%d z$g_Bo2Varp*(@>oo9z)EIVzS&$^i`ohA8_r?t#dE!1|D0aYr=G6O4GR+5tDs5@h#0 zw6`W8(>K^51#?t8M#BXw&7xhb6;UYFdpK;~G+eOLbg-yDAjW!r;+KXtSs*ary!CLX z?N)J`vJwfE@)Z^=mbXQZdKreYy;`m8?H$6m0S97pje%k^Vf}`j}?zu$mnGXABHf!3TJuf5}rn|@; zO>=N(?j=2Rt-B~But$p9@-#^gY@l(MOQGvkIqF10)&taws>}ndV5$YqVl#JNs=Z&R z;ZdDAKmtEet2i5fD|8P0k=+?V)@E%-I37x+f?GB(~h ziLLTY!RGt*Y`l0v9gUo`SZnbuSe>nReBKyW@SgR}80*7vWRvDf_XAEd9T9(mW=#Ol16s9rI877B+4L9#gv!Am>|sfKjUGV49ENFn{ysoQ%k6`N zS_m*3uLGR3U1A-*fN>QJ?Ute|IM?$6S{7u=U+b(Tq{@wTXpi4zvW)gjw0SorJkTQ18^ z6_3b4yL)2iLq}t!-|{bM2|oWPV*X_P$`>8wJfS5Ln<5w7hR)h>ei;HoNxrMMsh4$W z5@34gWw4JMV-%^Y`CG4QLx)==Tg^7rjv5zZLAevn-$?G@F6x;z%?mR=m+wv@*27mA zEBAbc@@$4NA(q&cCJYJx!|Z1r#CB23$WoK}V7E)kMbgw&T9a!>7sIgKlL0|(mpE+m z9YU8vEg>@|qf0Tw0UhLfA=Wuph?fPut%DlYQQU-ctlzP0SNS-%YUj}f?(T?=0w+{= z>&#C4*R1QpMv0%3M!R}mhlP({70PsTWnq`RJPzZ@t5AL3HoxV3h82X9DLB-*of{4r zzv(8;9p2GWvUfdP?OzO$l8b3*-C3qNZ=G+xPBmzSH1}E<(dMn;5N@qvNDjyQo<_>h z4r@*!vIM!#g)?8&RL<`p;+BWenuk$iH&;5RC#au&vmv9qxE1eS8ky^0%rOE;Z=1t$ zO5LHYew>k{O4m+dl4@l{yREm)qjqM*&T^U{^piV;2uFA^zZf}}jscivoX%TGn99RaxX=AryyyKnu{85RqsXhF8`nA zcSC7fLuX@Oo@Ve<;wW2|i)hitUB-@~LXq^O`e<M#MWXV_9DbT1g^*nD8Lb@9ej4AligvYr`D-v*W)uY=wP)YHvXEyc9$bM zBWKAl-?N>hSkTUXSGpnlZnN4Y=teQT6UvUW*0Aziz($m(^s_Tz^1CuM6+9;0Vc!)= z6~PKQ^dv8LG@6kPc*x?oMBE+T{|77)B76S)e-A?nwddsvTBr4bW0Q4C8X8C8FfZw%$$0MsZOfONo4kvR#`yPCd2 zgN*g!-fuYY7tRRfj!EW^bPYxM7Ib)~VDtADY%p7#pObwJm4bA6g<6RkrsXD}%%F~e z6LE&}62fl@iyIaR7V{5zLC+0uAch|(pau6OOkt)2W!56IAMmUIL7?F~VTSmvx*Ew} z5OTj{1+<0b*|miGfCI(b_)VOxwEPvh3&A}hv;Q{xB^`1XY0tfHe5(@#%$1eQC1n8V zQ_!pVe)CD4*u$!W4SaepMEm&{@|V#p**CyL(- z?&hXJDAUM@@^40WiyY{09~Zaib}}{4Q;L(H6NzMYI~q$akF%eMvKJ<7+_1Fqld?Hd5&S(LbAB@-^#S=DMGyGfp}G7&4UV1mm_{awxGr zrnf_c*o1DrGrE15h#x_uXT2Yx{Q1bc4GEXs>#%jV2bS&=E9q;_5e4PU(!k5k2?aLj zSBE+Y)ATGV9kjjv#%-81ld*uM;TJ00-y(Vs&$0zQTshRI{ECDW>y?3IqG+)%EXpe6 zqIF<#h2t5w!R~71IsqU+5Sr$YC7(;u(K`Y;_QN1Ez-hA&s|vaOv0)q_Yjb!+3^k+U_17jz;j$CEM0Eyutfr`($8jhMNA35 zNDs=lvnw-He6ys3>p^}N3$D|y>JP}Yy!kPl=skqU9o1{>&v130Vka{<;~R)vJo+F` z#sTqudOIwT_UWtv>y0GFUz+bnvwEXNf2g$)MqLzs#J<)@uw&(Ao4X#>56_>^l(|sh z93H$~ZOda3y5h5QsH*nz6IAq)!Bb&j9CG7k5Zr$bYB8ah}!h9fHSzhQ;l#>td+x9SqJ&ok!z ziS8d!!>QT_on>ado(u+mU)@}4_34soB6tHYJn39g@Rg@q-3B3%ZUrq|e$z!BoR^60 z83n#|$T~ezeg}pU8Kypl3htfv4Hmk-HyF)3gy?*GOsZvs{8wZicBaFaa|XPgpTX5- z-5JUN1bmq5fg%kpDmCKaRi3YCsyZJmZOhM1r2wBYZdR)udtbv2+NaE*ec-WqUz!iT)-^)W z`YmAR9^Hg@`47XOnw;MP$qLFs%}*&Ihs% z(Rn@bO%P3ug@)S`nKQ7G4&qbvGTA3@#OfDCt zmmanL%CXC`&KH7G*36cwPa!Jvb2wpZ-lG(gQR0$6Lr@AW7G-rSuNXA|r^(3$7@xik zG23dRGK_%-tAmvpem)*M;#)@Gy(z8{#T(Fh9-z0>4d8QJ^8&^jkfC^r(fngqbCSt6 zy!PVZ4#fuzB(e67%tU1DVj$)Q0R6O&j{zKVog^(9OX3>zG!FLU??vlMgIU!zh>*;w z)}aOy?F`Hskc+U@X5GZ^-I&=6c~h`_T8C>qsQ@LrUap%zj}LsC?9K z|0~8dmVHGz>B$l7-zUzu8&4+y?6}JT&~R*;GRUwc)t+zUJ4Ojxv$eQ*GlJ}irZG5E znqT%SoDi&D4#t7S*yQw%Lix|Yg#))EI?l4IVKyG;k5c9V_0ccED~6sr;~OK`aq`+Q z=TyT0aLKn!N5XVk%elkQm)?*;U;>TL`JS-W{7By?Jy2@i;LG>hIrEwCI!R#z zC>{o|+hdFoR>I~FM`XD(LH?90Ig6YHXVoRh+C9@lDy-o+oIvvflj<>*AZTRuhqiBS^*aTSqg4q0m zdI2}=g&FHEM(Y}c_=3&kfps4@^k@Gh)0}Iw^>?9E$6n$yJnI*f^+sIqPTiaAT{->W ztkbqX+lX?<&a9h43(RH%`>b$>`+nK*oa9RYP%JEXmE&>Q^$5Iw=1Woe*;pt*9x>E9 zCmKwshtPzb;t`aNC(fux!c_2Jjkjbk7J*V)LyvMg@kwV;eSBQV-^&KF3l4A+q>H}G=*ckaEND1V0Za(XcM-yHn!@1L(93KUBUHl!#RJl<7umyMplgm8?^Jh8QY5&^* zbvKjP14Mp|6uhLg=#VT7dp}*0$Ag+QRM?)o zJM7XCagf2s!BN9Q6Da-MzY*4<;mFyiyaz|a7n!Sj61?m-)Up)iFGcjpKqb-{SEPEu zcwS}h$-0|8-p{mhgr2y)yR~jFs{OtG6$oTcQ;upKXMh!{Dm(k$SnpUZS86Ao>W8eA zy!}A~=y1;Q)fO?mXs8&e_Cq6DZ0g2@mFZ{tIy+W`lNZznnf%w0e5;OhTfGTc-z|4< z#_ArX^+@0SHeUC@#r5h|ysiq?`3X9*6%G*wjrHVNB4{eiKK_v?P{3AM{r#j^etIZ7 z*59ATdS6D(otwh`yq&HqK-MQBm=(ahbPw%Pv~b6TMmM=nt{p3W?On?Z-#l%py+{w~ zyVZpe8Zs`JCXPv5{&5UM0^7QP^}gk$jIPzN`jRrmfmyKrHfm6cn*4z66#YSC3M+IL?7h+wBf6a#0en!B?FLB6FeIe#-Q{WQTTuh+27}y zqtK5B!{m}E(A+-_CA-!4qpUAr zI;LP1IO`sdQnHZyy(m7cA5o2CqX-#XOm)8XnQ-eu$SzQ2TwtMDMXLp)>o|~V z&~Dl92pPL(fN!slc%(Q7)6IngP=?DrJ+xt<_D6{h~a0x4;RLH)K{0)%@TVmKWokiLah52jeK`+I()~EuEq8{*sSA1 zZvCe=AOY$KUo7~2 zzJ0#Ieu$Q%=D~EeC!^(7gm0xy+~)+Xue{jD@UCoQxo;_VGLE~&W{vBlm{HSDg4z0B zqCKPw$>mHePULpPW$(0-1nyHkO|bSgDR0=gFZI;Sy>46ew*Pk;E8Y)L4IHFcbv8OX zN%tv7P=j5vnxD2a-T006%uf+VVx<&e7dZ0QIV3yxVLX`V@}d-52flw;b^`K#5bC^> zj?8}=pkvLyoA{xC_9mnX8x@54QDL=N0P5BYuQzu~B~MvfLiso1xUVB%g|O@Oxyh(t z{@$X%V%*&yqx9&+rrVnd=&Qh96I#*JIMmAy$exe3!%4@jWV3yy&FjT*Tn+iZBNzQ7 ze$71-fxa{D8)bYZLite>Sj9%WPjmh_`-)KcTb4W#n7{3bEpUVr7%mw7%asWz@c7|F zzBm-Pi^erBAcF#vVOB0Kc)R|C6Mtp(Qz4Y&BbsD=nq4=KPW8UayZtz8m2@u~^t?U= zcb$vj(AOEcn3J$e=6z@+oJ!1@&dY8MAH2q zncs?Y4?=-(Ay)1T$f^E|FrEug!H;wU^%U%pj~T3o*uYt#n|CZ@T@;!%TsRGCWJx~L zMR-i!9!6&>Rje_S(5J<&)KRzzIX7qBMte9lV1t;{m!TQ%X?o`bsIyDm2iZsKjtReI zSE51}Vk%u7=D!6u#)6Zdj@@_~+)Bbx(Y=~tSR{oPd{|R_F2eqr%l@@KD>krK$j{z@ zcMe2!ouw&oNEnuV5uFXX);!3a8=q63Qt(t*xKILr(>g8UHpU|i;)BkD8BP$gI6 zoB|ThH73H*9#SuabKPwu**aP`bD{MjocUDRkojc9$}vdgo{p+aL6#ount~A0%~%G( zeS{W1jtZwB>svS^=GnZW%W4vC-U$U z;UJ}DYS5l^&fvb%p@J=f+$Y?;HG*Hzm){z}4M{dL5zP`!GR}&i+sN96zSLyxOVvK8 zp@4P<#eRb7t%_(~i!InIE(1=PrF^PaSXO(t;P9TH&ClaFMip}bVLBHFgq*-S(Se(l z6t#J;DB}kVKYP8epjxfi#gYS#((+#cRiu~rIFkZtar_g4lngN+b#`|r1n~&wpD8;L ze`Yu_Pw6N-?_@3FnanS#G)}at`IsLp*Y3hyxj~dUVGFZ7$e;G+q+92QHa`Q9xcxnX ztC7sF?!0oa{}7YT3}cdu$06$<9Iq#M6??v@1#sC{ofoRu?pQ6JhRhkT5)IV!$4Wq7>nb?`v7~VaW->@=NZ6q=PO!B{?aX8pxk+taVQ$huP~UF5Jzo` z@(HtTk89yK%BPYi$o#a1TI1e@gvghEw2bAw;Pvp zg!S~WY@v6$fhy-G+4)>yHOihKtHY2pR$7ZvxVKqa?S4yd^xGy^BkRg^+GSQX_yx`1 zhpMHx!By+Y*y2p3!>#97)rP(A3Q8=NO`UQpa0VwX@l8f0k1>;Lt)SPLIgwpt!UO}^kW6|U*&q_m^2HxAu=Z`!5*-cPQ$Ja>~wHbLl$u4>z*iQ4 znzE+SgQhnIAL{w&Db!Mg9Ythn)puwXl(VZc8?{_UnU_)ac+@fny)g&D`QYS8Og^71 zYG>Swik_W*H--?V8HLC)Vnzab6oLdWnNc-O1ODT-7iRo`S{_2)htP~FdU(9kHEwv-_G(Qew&Wl$ti#8%soS$ zca`=ess@)PAYrpxgRNXxb`>gpF$jkM*G5z!?(s( ziQsRGG_0c#B{DZk=n51@j9pH#n=3@QZxk-|EsQLFCJHwRJ>|_&+z2XE$;=oy5#>t4 z@fX-`o^DgBqm+lEd|RXBMN#xM@`qs!59i8eUsS#wDP1ssOB8$+7=ZsYbtVO5X~ACW zNxn`GTpN4r8^%z(b!VJ;eK=Lb;dBMhL=}2bfrp>Waywa?<#Kz0u_&ms@R5-?kM?qd z5sq_utNRi4*-bI!vl=1+#COD(aCJ=yk|tVTj}#h5hroLFUOCWynIvR4_Hn=3@$eKf zEN~xe@d;f6Z^D1Rcw=LvbF*PX1}&mzT4{NaqX?ML6AbjT(VVW(KO=KX~OCBK4enNyB$Yv)#IVjV2@2w-9lw z6Xr8No}Yrs>pkd7}Ywa{x1^S zP$#(DPXbkFqGuTYbzH-0`XqHbE3GmIQ2ATfCDdB8%zbBwqa#Fa+)lQwq6LDTCP6q^ z!52)LaN02&>Vs5pXQj$10xc=DAj3X_QtazTLykGvpk+%Ca1GFLvs6T;qf~La6O@b9 zHAtANbPd@w579mRulm4A=kk(piVr-Dgxjo+?yz9>NA`&xds?{vLFBamY_hK?HhcB_ zVYB)5u)tH?K0SN&1_)st(13SHDWDXw!px=Raa93tA?wj`=$q5`1 zWot>OxL#-qoD#bV6Txm261mC2P^0_H0MlhI%UU_sl=CxLVIBoXZX|ML*r%*_csR`T zqL7S(=BxqUWqRoq?=+nKBkTG$7vdFvWySc6QI;kAYBskS8ID^WvS)=a71=*B0hATQ z(c(9lMBHR;ma6N^60l)grI?XF4Q5B~7F6A&UV=bu<9#NwxG2TL0bMVi3~URdI+neL z=v?&+jOQBXddOVy=79IQH15Gks)v-be7XhrB1Pf;D>za(+psNPl??kg0)NK=2bxYMY z14|Uc2|pVqB)H!~qIb*BwoR8Qz0dgU9n12O`5bF{9DhEd6W;zA61G}DOJ(abEDPX3 z^cUCLIa8Y_Ke{%zEE^j$S!*1%emCvCO(=H&$}H-T`6g4abi}C+>Z_0gv3(KFe;f|= zm4%_?x6-~L(yZ-o;_0oE>jUq0PA&^0iV?W<4IWj@A->=#Yp6bVXm`#Y z!Iu*DEPa<|sAeoS)f;ISIlH@f!B+}S6!Yt%7+F59KHR#&W7Dp5%dhDm4#Mw#4cm9j zbfi+%`Z>=(#JT(hi8N77#r#XbE&CyB=T2?_r&yBZ5=wmq7}QrEglbJkWP%uJAJwm7 zm-T@X&tm$z@)CxVk4Q_Eg? z>^P11nEJb>aqNjgg)yDE9<|p3Of1A2paFIW)CRt5LXR#QAhS}bm;-`H%xXxZI;}FvR_2B z=Zpg(xu9uyCy&ABk0El5j%jH?qZ_~)Sds}UhAn&6Z%7hJnkG`U_yWf3y#B-6bt|%N-2IZ>QzP-Qk{a707V1Q1%66 zkJ5q4s(g#(2gCX7NUkGKXUGl~JkF=ks5rbBgT-;C#m3<_ZbZWH4{Hl8 zNn{p(WE!Ykw6t?b;ZInaL_^)3wgMw0UNQomyokhF&=7|hPnk^ztcUHUL&j_qnZNA_ z3YZt2v(B|ETk;!^O2Ch9wijh}-R9W#844JtZ8C~(Qr&nAOQOHxC^2(C$#}bITh1)| zXA>GfgsVM);H2>b#(;aPKO*-#3<+eNBD36k8T+kIl1|>&nc+nqUy5LyKE8k;wAgBJ^y~ zsbEpGy_mmp_t+2kTu>bnT!)(Ys30vtUMQp&4CG7fnDZY=UX2w>-=D0K~-@3RR}ZIHwGwl*+h z;cm!Pj7Of`IYqWYlwM{DMrT2KU>C+9EdgGs7-uqwtCzECBqrS;)ZuQF;(7_GS>q;X zGba09M1mK^3woswD(HY*%z&8ytT)BAf_fnSq&Fn|WFobsFQnszA~!R1CO_OqKfVHr z`yLxVGZr?xUn)U9fuT9tlc8AJOhZjI+CBP;3LWIqn(hpyN!HFFm4PBQCM*cuEQ*2t zER2nifIp@^gEl{+6==EWbfC8+0ij+XQ;KWL*%Lfr!K7K&FK~#b*QUjj4ag-NhLny! zwJA0qY)G|mqZ{POPR|U60V|K7)|93uflNbb>TO6G1o z8$dBL^CW+tPApXITBv?4cxRsvfnV-zy0~g={YTF9{6Si>o|

XgodWEQlQU3||XP z6W9CZqSC(**0(qj5Y7jJ722) zmVSIv!S9X2Sv_H1cy@ZmK>FOP;9GhAA(Xei#A@oM?XNYwrRNTYC&5$&4wE*@8~)EQ z6we(AhXh{hb8M59+PSY;?f7ZdPxMXCNpb4I4iH^Dl*J<;%+K%vYu>7F8jCZ7S-wn} zy^iC)(gTH0Loj*pa+GZ0aCd7CcP-IZ7~xIgrhkvltisdKWWx+jP?$F|qN0dG- zynKRm3j_nIU1<*SKFJ9QnQtJjpH9kS78+k@-!Lv=6R=w@SvUSCBuW*PnowFkfob~l9DwY_# zg|j|aMb25!@A{~a`~e449N=rj%hqsqfOMYl-bH-rU{rVetX)XD6Ec0%8{V!RWy&Vi zaFR*zl0m}47RKL!$vPZ+vWVy?b` z%|fke!qw-nz|4A;Tly#?6^}qmLjW{uRL<9=4mlf_LwIDS4riOS#RHJ3c-n`KS1xE`y3=yckPHesLbdW3 z%7gSrA;ctMF6J5`&c-JZ@~Qktd_(2V5)yGr5uLOwGns&NlhziR(s}uFq^;qSy--v z^h}V8Uo{GLnX7xu4G;W{PpAEnAY4Fu8UI2B(f&}%)rW##zh0|rP+o1=Tn17J@E_9JwV9i{{#u8%Riynr z*R}WD?eDd9-u037_fMr=d*zzqbhRD-Iy!Ft*bNHQwXa=$_1}LEq5}cu1=tv1kwIt5c=VUfqDI7ZC{6u`40u81Pkbua{bHyzN!DAB&bSzt**(SP2&I9 zyZ@mys8@Swt^M9BwXKS6CEg^S|4~Wpg|-T=m+Qtt|MxBbzx_)42ZJ(+`H>B-sW;*V zwl6TwR?w5HU7dQZ?X8l$_I!|fs{MuFq;0>^M!?a2C*`K1;@g(r8^>DP{q}Kn)m{kd z{$3#_WZFdVPbIcLp88KMZ!h~ll+a$rjWYNj7k7iuS_#mu2`#v`xA$`! zsY`nYq}?dCo7#J`xc)<3u0H%fZv|AWoqp}+krCYIZsI#@ud(Omj=W*jO#j<-zyA7- zW4?7`ymss6QSZDugWB5x1L7KP&{YY*>+RQC7u;(l-8@X4>WzZEUe5I)*8Yuu+kp1Z zc!H~IJ0(vLCbV4=&YLDFY@6+Gv`+Z;H*OZI^X3_My~kVE@b-89)|Q*+-1T>^H|DB( zc2gDFYjacmZytTEN=I-HZyy6~&1)CUb=aoX7F`o{dz0FqyDna++uw)c^%-^Z_-LkJtLTCoYx{ex zyh3gJaeEE_-HYvI1eNpn;Lg`xM*EPzRzT~rc=Rsp}6*6+Y}Di{@P2v zF1%}{{Xdl5{+Xcg0EX=UCtcx_FU<#lw6LoHX(TXy{J_Z*Cyt)dhLW~mDKY%`yvBO} z-1!}>&&~xbwf|Z=ZScqKE7N~1o&Q=oLF@hBm{m6{s;vwA4QA?fe>b;ou zU*Pf3#H*m{`2BEX{p_0?&6^G*CsvKF7}I9ktiXmRvGwP3VA<@3A3@8ey_oCe{bLm$ zp~B}K`U@jkD|tY7dlY=OuzY;}#H#W!jsZjbjy^7jGuf#|=Ek7J6jxf1KiEHYYQE^u zr8$$c1*A()PYwQ;nwE}>aZjZR=~7%Nz*AQTkpQk#H=j8U>6}gvv%;4NPdT0VEnhSW zbEc@y{AvVvv(LM$kuJ@h0)dRWbdNhf8fo1g<{jKyc?W6JQ!FMNExrSH((pTO0bWdo zEC2&gWI?!rA0H6?I@P5Xo`NU^m3bVO0RIb0W`2QB=+afEX^eXqKo+N`lnz78=hy+* zf;x}OMYoAhKtU<#xD;2523?xVRa}a+$*%kYtV>NvF6@T1&h*0h@cnd4qI(L`dfZGB zpkr+VtYb1cShy#}gXaf-N%c4(M*NC+5E|(!+>W$qsfFXPHpR(A1Nj^j;dC-j!h>2h zB{wNVo91DveXEhq<@A`w;ojnEtt(Atpjg_D0fy^H*N|3O`2_+Y2q(4|h73wpBhLdDe))*&7x<3vqj zNU}DWN$!x?F;SOD67=HYJ-AJI5y^TjH(pU6K;Pr(%!qnw*sAh*6TdX_Kv=U%GJsYbr)vHO!+7pAhTZ zpJ4FL{jP2B{vS8tAIEgOkkDVywvOnC9_@4m9iX|ve;_lsf5Y61(Y4>Yj=XO`iT`jF z-j3+eJ|mygphWyz7_vTaIoPUe!2S~gclK#(*Kut499zHp725R-`~YD8|Kkt+W3z6e zbl`%N4*DRaLq`DW4+Bbv(AMTb6|epe4Sf*{J8v8uF}n7fF}mP#6#N%#>c3uv8>JUY zuC_H~AT;%UtVs?D4v<8g5HeJIKgKXlG{HZTQF2I(CSIGYNoMZEgEg%q2!2o0#52j- zcpR@yg1_Q5@gXq6LSmRCjaF;@?av#f#^h%QMow)L+jAj?)gjj1zk}FLUTGEEzgF+x zRQeyq)=Nn5FX&oFL%dcO6kA8qu@`FZ3lbCp`~z{V$HJ30i>v+S^{xwk`CqTX`-A#l zm6j$btwfkjAde6nrc2NyV;+Uzh;$GX2p|C`gUDh+;+cf8gEjpT2nPg{95NI=pb3c& z3K{na(Q2%_W-qv5Trv5DU@5gpXm*Irrkz6|aV6sS$0A;v#KDDD_;6ClTWy zcA_vAwT7Pzg(wxaFH743mWU7YVrejpOpF$a#En?b6w*x$&FzJl7{MQWgA8#;Blp{g za^5tQkTW`d%ESrfu=L>?Q=};aRbeKoCO$B^Jf3_ebrJ4hs5P8|gGRLaQtN@izN6yY|bm|&Dod0;9T<^_^t z5KAm1r5RAR69IGItKez~^ zI+G5Z>=hPWReVK;ke!5thw%rNW7>+Tl3;ogfS`qBVF7hPKn|H+ltvZ_PEVJjdMOev zR78^j4SB%PP@bnQK#-or4Dx=1aCTNR{uQvdc6gr-#_^a&kM0ZLg;;#dn}x(j#Lnct zVBwNF2W5X3M0Y3mdx6X$*R>g&Fzd`nRAvGJNm~?K%}gZ%?YHWJ#1EZn-$jbRWsQnx zb>Rb7cAO9%)#l?)135zc*A7#16-GmDP zyyinvCTwP2D=%~=<8L5=N?->>^oFk_5f+gAafho2O= zjmy19G_Gh1t5f1{*)lDxqH4^PGv|m~8H96QZLSwGm^)1jsuH6ddQ%1NgW}iqBZHYt zczRHv2qg&_!W4EPWE$fG^QM5H@f4;HN+Rjf40dT=KSuQLV-)f_bSt3gOo~uOfn@Sd zPVlqbB57%9R=Tr-T$pg3^8(5Qf zAj;^a_z`YoBP6qDfHxau_rf?cD~2?3b^;>_3sM%2YuaBslzAUd7e|fQgK%PIGL|;D z-b8D?aX~)bjc;4S_2>GSW&OIdV)*=-JN6y)E#1xfga|f%g1>R|x}<`x8@I3}wZAf{ z%8yzm8Ad}k_kjNJ@2^sJt$P$|{>75X$leKvU5_U)cPjaajRPnexh7!oANc zuWHzVupxOnU?G=0>DMqlV1`u9`ZNTrfULTo=lk&n*Nf~c%+tVt=`iCdcxLuwR52SZ zvL6Nr5D>$CVI-KD5{3xRoZccU3>bYeHRjlOaMl+kM(_(n$zsdI%g_f(ncs z!}-B_voVaUaXeCV5PxVhRy@G=Hbp~oBSOgC!S!k<9%T7|zQg=R2GB^h$#*9bx=Sf! zHeNEJ-ra;4yH-h&$3#J(CjSaCJj`+9^bFtppP|b1tpH-3?HLl5{l+;-#eJeE8}Y3`_&z3?`JT+0-|S%dq(~r5 ze%EkV$2hdgCswMfi*nR5FS225ma~v~!u~#i9MA7J4idsQrod?ECy%DgXv(s2Pyu=; zQ$gNi7m$4RuiAOs@vwC}bC%^aGwGJ)-1Dr|rS>UCB1LsuIVO$_F|9G(u7v8CPqHT= zoP*Ed-sO;ykA3?G;6jwdj<=WUa4J%a`BAm2rC8GA(~CI1ZkiMHbl)+Aqsk!ZW}w!r zF>a$xZ`MW6pIH9e{uj7?k|`(WQj>srYd%B@i*~iEHa8l1A^Ug=P@YSol)~HM$Rch- zG+xBWOqBe2Ea80($gv^oG~3PQhxH8*VE6&DFA2H&7UiqQ!kKEz-3=-9DZwQODxfz< zXGzRuF;2|$KS8!;u%^2$zg4_ZFdL6zy!hjyIM9IbL(DpHs3(E+U`kXMvi*W=@;5r` z$B_*mbGdLjHDj^T6?6t_X6v|vETQQcyTs-SC}c@hV^2MBg3v`~_U=(_E%rNR9 zfCT2+RSF#AKh*B>YY3NFA36U3UQ?Ql#4-4mtY(s0{zOI}i?t+EP%M!i6LUW(Y=OVj zqYOZ9^kTZJNl5&Q>5DB)B^ypp0a}`6po5aV+)6#am=$tSjdTw)N~?^Y;NTw8lV@@U z;E0-PGuPSZmMooW-^USB7qdAG^h1vTvN4Y)GC+jxq5X;~%TJR9wS72)nSVDH13iv3 zRoU2CD8upi7heu43!qgm3S045B?i$7aFIMb|0(=1i4=wly?rqV_s%Qcm^9%z%ggvQ zevz*yLVrsUIj!}QOHr3p|Tl>cclMhDPK8#UI~Oto)W_e2^t31;~DcBmY}o_o|7!SV;ggxI{F>weY z?OBw^M!3r{^Qfg9mw8#tj&Q4pdAbaUbVg0!h+-MV^6UnMnwYW7AYqHRScqgjsKi$l z!;JKOiN#(;70kDW&Bk`1uB{UMwXkS)-IkIxx{iF^~bn&aJ(zX)+rwuhZeEb0b)>bS^gT z?8J-{0T+QpiyJK=;xHhY?gSalVrO8Z3YtT88^sY)oa;Mgx+NO_26Ww$sp@Jw+)MqXooaG6x=g=F$esK{^5cNax-yU#l86^ zgfqSSvGAghoH+u?R!8owu&3J;ZyA!}fn7Z_XO5*oU8(f}8qIw7DOPwY>z&Gu7?>mS zTudQQq4(g|g=P2(o8WO3emnz&9)Wn{V#N*VpbEJcH-XkV5RcU=fc0j)c(1XO!}tc7 zY$X$@+^DdbG~5zm$K-#p_wHd$9qZfhOvqq{uohW?6=b(|YE4?zwNKxpgj9m&$cP2rtO!8}v- z$D^!;h>j{c%@vZ0)crnWENM%6&^UUEq!>|*!7*ggLGJ}SIGV9(yO z4Wlt&^u3iZJS7EeQMGB38CJ4iYtyB4q_aIsBGfHeLzaA)#oURZ^V2=3R)>4gRDQ6| zKQS2ANWIM2hB>tOAoM zA184i&~Q2l*I5|C3En@-Kp2KN7+Gg&)TOl~sgRv2Ae4v z%e0>h)P#d{F?c;0X&#Ko0aGf|N_WMu3wMJ({fuG?)wwkHaiD4sEpT_j(3lO^GTTwD z?U{O;l0IT)&B{Wlh#R#nKOpdM`mOZSw zIbu>Y-i22fVz$|5`jW1W5Nx_C=lv2rbRq7I{me>4h9EQDBKJ!`!>n+@pD3HX+5#>& z0eJw<5}QXFYo*LaQ=`M>>@In-$MC)Jv8&Y9w@ z0;yI8;!mV)98aqDe{+KuvqZw>XyN)NrZ!`OGThdXv)ud{RyV15U z%d?Q2P3%a|Fq|$P#T$oMXtn!C#szMRyE$7)O|PxYCQBq^UJ^xn8{0@pJ35~$tTNEE zoLalUpXsadBg@n?ghVOR&I!60<7lyA0VEnoa?}CA_H@L)7l%uW{6Jd?=Zekms`I4T z)?oEY$^B$i#GxB{xjIQec>L|8LsuJo?rZH`5b$_^)&f>Xx9+Ay)HCfYP0Gq~8OZ*9wWFnFPD&4XPIo zS_WBj5vicLNw>hINiu-ZRy9ArfcwgLPp4i?)h8sXTwKl^BmSDU@+U#`uz6NQY9+!Z z*B$6!i@_dUM0RO*a4!<&&dDeth78B84W0S6q|nfkv=EzbE7PRx76sef54IvQT+z{@ zA@KKSL7wCWi$>uH5$4Mog=f1{K(tB~sx9$z#G+h~)cR5wLJDa%Oa)gD#X15}Nfel? z`oS(FgmS~p87Q?LQ8yowRD)Ef1-E^Q53aX;mOqE|PLaFkrGxZq0#RcbH{Cu6X>MY5 zicbH$lWx4q$e$)}t1M8SG^@%?My2&9&tOOdfRm%{EUXSR0`Qh)?&OQiSz=oOdXRZ< z;(aFGaLOKnl-1M~2Bd|(;@F}7#=EQ#NxNp$z-*s5Yf0hUb>JW_cEDmbAO)#XX>Y?(G8*`!?OPDvUMZ1Peok6e?o1F=c8!`@ zNc;=#AUYl&GmKSTC(l%Cz!lR_9^+#gOD4MZWZ99hBdY;aMl91+tyCwH8gOE)z8MAi zzjrXK`VB)JiFn0Z$gmlWQI}H(%$Q%eW)Q)H)$cd2y>ask#pQs^)5s(LNCwn4c%J%3 zOD24v!WWm)&T_llJO&Xi@ic7i28&}U=q99wA^rx)Pv9atnF&+>E?9ZAWJ%IMq*^m9 z43R1MYZJSGTGGXoTFPpYU^i;Yfb`RZ*;J}Gcaq@qd}hhWx!Y9}9XnB0C&U!Gr}6Jp z3`v>dN`gm=oQ$V2ssVVh^%SyZVQvy_os@;l^#ph(J0r&+U}Cto6|XOdg|=4Nbnjpp z6G{^JANh~*CH`Z=Bz=s?TeNF+wM&F5bA9!uwaRX+Je$!klb`h0#IAVdGRP^b9z6dea@H#mR`u5$G=bV zK%tDxQS@htG_^!#io!*lQ~M)J79z9rgHWABo@CPogjU|=898vhvWm_Ujy?M^*!&Z? z0NRTWkdF({-;t9dbuC!fFw=E{Q%x`1Ly{)2WE(8}*XBr>-kRpv2oLvh=4$YnEBrgd zCp98NjYDOe20RhY_mJ~6CS%Q~F>_qrN^b6t3{vyiNU{hVStqz^Yn=$Up;2k8@SW5P zB5>pD9cM(ajlBn(otYYffh1XYtpBq{dn-hHL#a~L;FGOYg8qPnZ_VD3@R>q1Z3A=z zaqnK)nS1NB%l1?`U{j{U3%9w#}v-|9NllE+vIkIxus%#cW?BffsDbu4AW>p z!gUvmo?kn`q@Dd#{x8b;D-KJHqZFRq){kSDL{$q#KM8Q*SvYq6cYAx#=v|1(u;*dI z^Jffl8ebbi)JmDc_CMA(*y-uHj(cZ;^O~8Ls&Q7JVInS<(@Y z$S!Qx=v7@wrO}}!qYcBjYErB?A_47B^;;pT4kT7tr%RuYOc{6rNjJAaCf5G5i0~=H zNE(wwoUrpbH?UX&*&P3Csi+$lBU$sINQJ&Ibtz zp7#8ZBnXjhFgznt%QwWT*r6nG6|-UXnJes8O{TjU>s&vsx%M|dT{QBj_ej`xnO&bN ze(;B;B1+Hiidh_Ml8`|CG+FH(Aw>JspASAXA-gwtDX)Et^BB2mD8vniux%MS6o>Fb z%-a!e0W6_JS^4PRLU?4xg8?_1<}tibfq%(^S*x2BlyesGjZ7CFn0p*{F zjF6oqyXY0vxykG9XwN)N)SI^R%U~&8g{*53 zeJ(#^Fql+XxCjD~D`IMUXg@V%{@^%mFn%LpG)uZx-aR=6ln4LfFD5q(0yp%YxTJ<0 z5}Ny07sqL=<|N!O8>8T8Y0RM#vc_EEt6&%cp-8w@VEuyiP(0FE?L$Sl)>2Cs!-L~^ zVxq=CBUL=l!#c}*7rvcR=p=%+~5#|Z&j&T%ocbHXgz*0!8{Y+1&%f!V3el}4{` z9PfJ`!qxJ|)K25nr+8JokirZh~PP$fymR0&Ij~lSI=&_*(vnRz3 z#x$*UG>FM#xM3VsI1Q1tVsoQ9Q#dq5-ZfBx0xM-3dnxaG=F-;KLB?<$Yb#k-i1llv>cf9XEKoXnn>or(?f_O2 z&B8JA7eTPHA~!&_Nw@cGCS`Of%m6gp;V!bt$?s^1UL8<$Ldi0Q9Sl=i&9Ft6tjYjS ziIqc43-xb)q!-7~JdRaH`a!J^uBl_x@UE`rQaUPD`!OMkvu#x&bV%hslBQI%Doum* zq}PcF=64QT9t5PyT{x`!HVD_`UaR61o&8i? z)iO{tXCA2{bk>A5jK=aQ9cv8rQ)C2y_IOhatyPVbX)eDLr+yG!^~c5u^sweCF+lfW zX5uh;H#z*x0`7%ryw33N1OM5lKeDW%q`bUnsQK@6pceNM z(ecky0KV|%)3jf$DebERFE_sZedIqmd)a{gKKys4FJU6yf;R2ff3u`b2mZ_TO~?Pv zz`Mo1DcgS@{%2ude+&QTW&gp8ysi>2bY+{AKLNQlUGtC3!v9Y9pG&<7%;9h3`l{x`|IW&r_Vw?3- zN&&ah)LO5QD@~{vFC7w8-y0eK^EdyK|37ZP^tk8`-^a&fD=`75Bekh5pWS zEcAp|_wu?X{+~+t`d;5?u#gqv*Lw$EHsI@TFHs}^+r|Pfa^rRLn_qu{QBXAM?{BaA z^y^)aud;dl^%dL%P#)!Dy&1ha{rC5#eNrV50e`ceA)S|Aqp3!`37Rf?qYk{7CGYW9 zHvnx1K%N0_w%y--^L07A2b%JGeW2-zruun(Bs+8(x$Y3 z7xm>O|Eza!QD4>B8?6sF`7*J$-J5RrpI80YEB;G5?~VK)Yp?0H|C#U0^r;oz26>6o zYU=GxhXH^0|1FgD_cgQM*lOwvB^_Qq_9Z&++$A5y1E6i3Gi$c5e$F%i@!3(-|IFwA zGoQaP2YRQ?*S-6H=JQw6;jm#vZ_Ko>r}tMA@&C-{Z%%suzn{V*xG zu=sx%Lgp|gf?r6Qqmg_#igJb{zLOW;OgnOI#AZ1YLqcr;g!KvPY7)}d?!V$x=g_F?TM)V`-FwN5WozuO$Z8H-Uyp z5lDL_QiWz2r_fBpt5tYvPk|>YA<16tpfA1_~?T&z&F%jsLNu-A1#`9d}rm-CXb3J?%qe!Yn)hVt{6*Fic zHiFO4MT3FwG40(XBfvs6YTl(w!%uiQ?nV^WY(#$rdPq3#2RKq^Hjn58&q>CZIsoNu z!Za8(X_sP;Su>33LiLZ&UtA^sL!zjYyrP2*K0B1Km1A(dVL8$;p;50G)|!yP_aryZ zA_GWKJUva!@&^)?N!?rup0wtEbO9YCHX9kYDuU0^?xfs#u{k8wjJ)Ib;NzL9bbt)j zNa?NgQxfc<^8}mN90TP^U5Hez(!WDGmiE$>Xzxjd)Z5*yogN9asU)3_ zv01s_4Z{a^fkE%jB>)PQ%o^PfLlidk2bx`g)kMk{C#-|-MYGrg3@OKtTzrM?qIR1j}7Uez9aA1DZ}s1?i|B+x@JK=o z{sDF1C{C`4s@{dib6vqV@muXA8^7@`00Le>lhPlZPIPaWX8aa`wq*xM84lcG{joz8 zMCa~bOVS}INrF@bhFtu>@_>%Oo1xE^8H&IYl<>Lwx&(4xYG$$S0`yB>;gsNMoSdA) zEo^G?LA}X&R>W>&ToR8_Qds0ED#q*N3#mGcAwor@dYeC1RNSXM`3Og6A9Wc=^{d{+ zZ(kfrReT4cUoXWv?jRe&;QW%=vL=p+T@^TtZwGUOlSW+piLm$xb>ZIJcYyJ8ao^(> zH5+LQ+?%!|AAuqibVV2-Q>Y#!ftNoJ4;#RT;zQ&QT7bt{R^m{=yIDBRbT3_Qwxb4I zRAeE}tE|-g4vxb|*#cfJZQC2L<3I_&Z@6=X8t%@^qY&!_Wxr@Bk9Pe?m$? zAKTtVcMm(6}CzJgzL^gQ=rwV0bQgIkRzn!&d= zzp@t>kF&s6Z$0W$G#_V{eUJ6k5vm(Rk24aX)^S<=P_j&;gQ4D;@Hn00**Ff~WKc6f z=4pWC#06XsKb+&LCc$Aig>PZIZ787l7rScM@F49;>OSp|iP$cZlvCDh5!I!9pSFlC z2+B)BfV}7c`2Ze>jZzrni~57yLzIWSKyXJS<{Xx@u&1XB3sgqu)ThT zI$Z;sc8;@8g9>#B=uwxOI^fMUQ8*BHGmk@MTkYMEU5RV<00L4;T^d_G05q2v0pqy` z=kQLKPSLLPvsR#*enbmfaF(cWJ$HtTkdb)ZeH7)!gWQE7#5KB3UA-^S-m$`_F9|;vQYH52+^y*4~;REss z2p{nLci1M3%mNAE&eri5fA0QD$fY0Ap`>Mwk+7NwjjXC(4dE_lPAegZ|B$+DVea`V zV_A$4Xr7NWy>n7kEh?+odZqew0Q*=0fmHK#(d~tK8+>pm#LXjgpJAuvg{M1F8g%xt zVyprLI@Kk~3E5LNi$vhFwti(+sb=H-^|-~_dPjsS=k&yUBumnX6Rl5qX3 z&|QAl$#9GMIMTVG9Wr}DLA%Vo7#CV^pt5hQZ4q8g$ECgqZgAS3BaiW;0PZ2)X34}o z$SlJFjgc$YG_!T)%R#j&f3$XQhz?ckO0@*2UxcK*7~Cs>FQabtDvo#CbTq9-54$P% zalg|j?k0@Ex%6Mcse&~=+{Y@TTLB6`yJj~Q;dFcwzg0CzeN4jZm_dqo|FWMTD0=_=u(M%< zA>NXfGoO<$orO~r6^ZnP<^w}JKI3++dAzi0Z{>MynXGb`JY0$u)?-yFcFWv!53_6I#uQ$uxlY!XPgjifC~=aE8gG3ktz^clCiyNP3JO_o5NZWA)l+qDVdy$)(Z&^DzY5 z(^3K8+KD_Qok(P5seOS+qvbwj5}D7ivMdH*c=XGGF~P!qQsLfO--CwFA{e%{O-@Zm zM4Jtsd20f7=hBcIv*u~eMa>EK5E_-*9^nZ0mrMltg;rtp<6HQz-1eweT>tC(*|n=U zZsRX3%yaTuJ#^8H-+>{xag*jI7gyO;P?$Gz(6UZ==$*&%iz_z%Q2T7x!D_#<4BP2H zZSoKN2d)NA>6Doys{Se8DW_hSNeo=r(+_lR5^gBvH8r1rSSv23%}I%S0u0LmID+&i zEx4Tknk9pP(Rm>E7mgy$=^#G5EC%P0{-Dzrkdup@kX&kK;jQYtew0D8-Q%5WFCo>=MX2@w@8o%U1rkTGK$hFkjbsi`wC zPN~S@qqH|D`$VW9aV zFEvYjiQ!N@ zp=pGJ?MAvO|9Q@Gar7aW(h6p=*O1Voe=o14e}RK(AlE7Pah$V_1g%(^sWu%b>y2(LHL5ZQH{B1@$okP-54%;$ZRgcVATOTIYqjN4!(a;p zw>6TgZDkRHLhUD9yqx&R87LaIAP~o-3?O;7ELE1Ro89QAHb_Xk`FkX^$x$>+!-LHm zMVyNbr_k?ps`-{KI3h7!)xTyf>Hl+A`G|nWU7T$YEH2Bn&nONvgVi(;hu~Rs8{3r* z>qu-N*x)Wo3dT@T*CigQ^138zrXTyAe|-(!0YOujU)hWM$IL+(7FZfol}wK_8txRJ zImQvAZah`;r^w{QiA;0#rT~~`4w5KyD)N%bmmriJAQSw9Bj zXzc=O)uN>Lka__nZ&l19uADUhj}i8gh?+m(q36(I8jux%aqEghm=Sd9_XDsZ#jbrv zqF5c|Qfu1;RWjZstlSWwuA^ASo|k}>iDIvW?MM0GA`@sZ-+!T*z`uoyg)+bQO%SQ(h786Mu4kh1PQa<0Fd={5@EecvVTN&Co-Q9U3}o;`Mzcia%u2ctSJl6 z-Yl{tkwuT!m?rP~mC9hFSpe>-1BCq``*_TsA>G+&l6;VYPdn<`t`cxZyjvA0zezpF zT+62X8Evg^l`b+*T1M~$y_2PR>Lk31*ci5g4MR3_BxJUN^9lP?}Aw1WXx9*pyr z^v#WKhFfSNEL*`Y9A9t11I(Z@BjeBGk5uOX;HFzxzZRr9$!{sENPEpHZeitUm^^jW ziL3NMGT2Z3wdN$g=m!6P;IsA|~sC&OdBxJyvL%w07ZXIeCJ}vyPBw}&D!!&B$n!|oE zJ8vD9wmKSq#6RwGzavciw`-2DZGXFUB%r-mb5xcbEvr8w6tAm2rX0HS_OZ~uL-CA|vJ;l0VWZx1 z&rprIRWn09{?Wx5&EH1ync-7q*)ugW!WYie&Te&SW{dgl<<${`lPy%YWCCmgS^Cw8 zG-la=DIM72;vF<{)w0`Fk+COG2mi%q@JYpcljWx(if39+g_bWU>}c4qa*AJ=yOSry zShqRpB)9o85Wy_kd1qEsa?s;bk+mPz_{JDwxY;ouUC5qo+H-5+Z1X3NF3oOv00quz zbwt)}j^%jxuj$rP>$XpgSTfCe+3*F`?{&8#3eCM-A zpU-di0tGE-@8fFU)#a<2)-|aiYUhOnf7`bgI>=HYE++5#GRd8y$e-p;RhAxgcU15F zmFqNSTEwMJ5laSKN{d=Qsxm!VIFjAjykFcc!+JK(FLT@F%X6c)emSaJbi8|HYFxto zbw}mSwuQ&D+CKd@P~OfZx*Y7H_l|TO(Y-@=_q>pbpzJi&+RND)wyNy(tVEL2Jv%cc zCnq<*DknFuv;y_WAN!Q=>8Wlw(R09(qNQl|%BtMF!CM-xN;ds)L7^{B#&dgjpLWSV zwrKH_rS>ltJedWiJ(?+B*t(49)Zw52E(e$_rLBDH(1 zk8I5CCGQlBe|+VgzHej2vVK$dC-?MBSEY&ys|~wD`p-@H{mY&UQuNmbEYA6EUeP+|AuSGr!eZMYY4ykx){d-t#_J>TzUjoX=$H@I$ZLqqI_Eyprq+jPoKiz;5{2_CYd zZDF9Wa#Ygsuq{s)EFQA$kmB8;A6?9Sw{(wTa_?dLem>TF_-A;*iQxxRsxn3#zGw|A zYY+x}RdzxbTvHxx3O+deQ~J4dq+->Dl_T9aw`bc*$&;{Akjtu3Gcr2nS6t1Xkw5x+ z>GAwAUoU@pQ+ul_^6R%&*YsFD_IuCdf^iSF952ZG8BaYGI(qS))d5f{I`~Xni=eJ~ zU$sBp<(ETyXz|UX-!IC1l2CtiLdyP*?kQbb=IbJN92i)={DzgE0lgdE%&m}>au5T@wMW+hoz-a%Y0))SIyL7 zL*da?v!Zt_Q*;d6J#+Hx9iRSCJ0|#W$oq3*BjVo=XmM%T^(@=v;`e9TcRlK0PwCU) zRCL>h5l4axj#m1Gjb5y6W@vqA)arW!TUDR#e@wN zd*ch`6-8bWp;XV%kwsqCoSb1ph7BJx45stdVt$I~pVN7>S7$>=Q+h}~U-X(YNaT}T zClit6WZVpBXqx%gB_}5X0fN9ZQ-z~;Ty#)fdUEo*I_gWLgcSH9qLM+15E0W&EKMfZ z8iW{t9O3?)MIsYL;{YmyMA(GIk|2=aBEp}ts+#gvWmW(EJ&)zyjh7v6od4t+ht zMvf^ee_4ZviK5O&-?$7aa0C2lA`biC?%==H(g;2ygJ+v+DPAo0lIjpI7ZC<7A`v6u zaMLZr&Hqia1GUvi_&MS?YU@9wIw2BoQtv;-KZuuJ9&7shLe%xubI+$;d*IwiTexoL zuJ+nAj)pIcNK5Z6jaasmgov#rOo(J{n$lrJlI+?**b{$a9WhGeplufrQ8Hq(a!kA4Db0hhpm%k|K#u>x9os9yk_YyT3M5oC_Ai^z+#cHha5H`b z>}9nPGxP9>E6Cgt&I0Rl;g2mXM6T@B)vBc+K z5DDRATm&bnOVoHjN&2c*4Y$K(v;v~kH}&`fP?$DD!7y~nvaZS1I=PtIuLMpbx1y+PvGxB*l{Ty1EBd3-%lWQ@)#xys>&bSuo04hTpb=LuDc0E$id}kAavLq8SW&` zMYt_0!bxZh9#{;Q(AmZ>U5-qM6h-*wfF_1O<0HlYy)KA&$?M;5K z2-C&xjG|W)>rp?&xn}z7>!CO8T-Vf_{@*v%f9*~O>skJ@JEGSVQ@55i`!EeA*Vi&r zUOdDbsIn$x+~16#pi&j_S_d#R=%qpf6D6^Sk0PyNfb{Z})~ zfmEQ@tL~Mk6kK-s6-wY+A*&f!z#y9I4Nc=y9H@TrMr6ZAaeJ$E1`^C%Dd98fY?3YtjI_!entZuSCG0hxA8rj{e9z5>&rl z3xT0{QUZ)oZ)$;YV>ENns#Te91fTIeFJVKB z$b@tJ{hB%0z~6z5>op5uH;(x;wB#M{LVh_~vVv1;E_w;B5-(Zmz`q9wZp$iOBiw;q zQ<`Npi-gZ{nZGvzUNS9hH;S|ME6UTIg{U;RQ|wDI%IBknsoc_{yR`4MgVkYk*Qgdd zI1u}#ZLBL$S@RT9Q>aSKJ%n@ID15qCo)Vb7{-tXM3q+wu`VEAvbvej$6@}OA#=XE5 zn>dU6U|%-kcIfuj)ZzT}Zunt;MEi5Yz>}8bqj)F@dKtz}>1q8y1R{j6=fJ9yxW4s9 znThS^NW&x7SDXOxSJ#=BF>Z|wI3+53^2(PH>WZ7}hY~&%5>z%91Sn!9_mcRk*h_ph zae1W=r)&~z+}o$6VtDlDiYi!YuxCvn#r23pc`04GOa$ zdOfDP9msgr2zMzy))jHRb%CDt+z0q4cNYOa^muiM*>h5H3sREmjf@wuuyKqjg?s1K zP5PDB_Ipyj0dm(SQvb9NO7lFQcth_cGc`f>ImmO!Q)aQdyVFEuwO!Q|a_4Yr z!bK3xi!&`oHr^_ZHwfR;h-`RRSS;tjg-`7$u0envAj?igyQ8st(}wpEejE6>rlRzz z2pMcWmviZZKsVC%4OAx#!wV(jp_VKg-SW-*lPIfsenp2Cp zL3SVp#Dhzqgt&m>!FrVYNK`N%zOhw|_#4s2$mfODzht#KRhYY!&Z&)hT&8~JN0qh4 z`p4GEVs?at6Rht^+2QbR_mwCQ`qN&^gYTs*Iqj~X`kLe1DrWHG*}ZzD?B!FKIxh0h zFYkwYo88T=g>sIBkiMnR4ibWie7~FoE68IfmK;E_LIw9NNGFa#TizCyuv$4t>K@UH zP5FZx?@;-u8~v6$?Z-siS6ptdPsv4(o}VJbaAu$qv236TpuZ_3a8IG0pXIedNk57- zzpek0pTXbBnvOC@9ER}Gex2Hb`Qi1@7OB0^!*WE+lYT?DGsScKHlAkt1{n7T7?}V% zyY_QO1bRs@)=&PDV2t%J)a3dFn`p4CNq?{55PLF6UKwosG=N%NpJrL%DN_W<6RWV& z>Sk4OFikjah&+9OP+_8i4NT8KhYCRhb9rhO@)%%N!|&3r^m~38yNk^;z9Jvv4eU|Y zYCr?CvHS`PdykS*S0n8yISm(9rvHTGm*wnsDbV753Sm?jr0&0rxh!g}Tr4&0UEa9y za%z@5;Vn8;K3ksM6IG~D9MhlETZ>Rx2iSUZM5tH&%W`tyFjN|#m&#D=;L#}E1RY(G z7T}nI@~1-tB+}jdpvi$83&8|{FN{K^@@*+E#~O$tjt>uSU=mA7IsX13{P z%TVh{)yM*!#@21e5LEXo8aNo4QxG57co}71M)TlX1R8e?3!iH)Dt`${_|&}Fr|99s zvsibQFK<+1otn==)~nC4wOGVwI^IQByI@P+^%clmf%pu^a!`jy8}8%A6=)V5`wTTM zM|iopE8-6hWAQ>Af)nr`CP?#L@43~>5ir;_S~2{$TJb#i8iCGPu)iVSLlq1BjO}FX zGnx7rdv-R=Oxi`PIwgoItvfXO1HtkxoVtOvXFwmeo?+wzrCet!5mJrIc@&?p(%D)f zv_dw;E-CGZtoynk&VIY{aiX<1q8cIa`fBu~4@#V=p2%?TpnUxefAzm)G?e{Os!inV z5b@gO)#!}TN3zB(a^vR#x-a=m*lEPpOWE)IEPp81%DG2b3vim0(gBM_Hr{|!5?Vq`CBMbiqVAubKsZI3Ws8V6xx zpXnY1`-S3+Yi0aa7)qlGJed2?ItooPp_FB|<*6y6-5ShKGxzmAKKD(+*t*Yq&VEpg z@`tIt_c>)!0Jcu?9&}DYwvHFAHA-^|Hv6O9cai1RH5VlLa#A|7eu-eN6{gaOFc84` zzhiz=J|H;ni%q^DOInBO>X2(SvQPY?S2(1YJ!!bebd=&9v1q9Y6%=F8*B+oWY1R44 z`Wdt*TR=IbdJYc_T0r#&WDVbP){A$km7NyIDJ^=cWXl7ewuk-StQMZF_O3{&mCz2o zN*aRrScgP%|0<0IiPaJ74UTgP8o?e6ByaeXNEpVD^Ck#_Xcv&+zpJmf0uoL;;sde z8@JDM@!Uq3RUJtAnV;U&Lg5TDW@_Dwxi3)sz3Utcy`EdC{Xt>{Q$#KQLBe+7xNYtV zsJJbS0}vj-4fpV3LmS0ee`ShN9Z6}aXOQ}5s_YpG<#h&IZdwIo-Q=HY(p>CBQ`uj` z89#op(IHJWAxrPEfDW*HAS5Ne;F2K665u-GN7x2J_$PS~sydS(*HZ?sh>LreHZ%hWGQSql zkgRHy?haiF)!5{1UlBbMkIU*8|3)5_GFR%Tb+Hluhl`#;h5V*$C{rYzEGY9 z^cvK<*cbW^iZ}TgPfO~5q6N1-P;>d|vqVgbB}HKF_Y`c_wj%psqz{$sN>5*aEX%EC z#PLFL`YJ#tWINEpIwX7p>?pehT%Lqh>v1oS`3f3Vjk3ldVGgK*C)?MH)H(o5zB4-29LQS6qYYa;an4VRWZ(w`>6 zR6;{g?5aMK_WPy|NBr1CftPB}M+)lHBt)lQ`vt{TZs2+})}YiH)a(4}KCtoA5XmhQ zw%O;1>g^MMNqvHHry>(gh_;9N(&>U)=mEu7=UqZfTVdzJW%vo)C?35DaeamR_LhV? z1$9C*MmYt7+|#&$34x8r@oJdgCegaQEjXuxa2@0FIAl@?=dLG%=`^~;+h>`{2}@Uh zBBG_5otA}W1s(^SM{~H=!n3-QkUO1X9*u0303{OgO+6b&BiOUc^-bt%7yC^481YB8 zCX435k%$C&<8W*pj&rY}S( zB=H8jNW^uYz6vpEf?;8tZ{8uC3w>^#>g?(SF${^Hg>?mUMN_^K(X=c(W|ZWJ#kqSS z#+zvBq!94t5&Q78MQN{S)F&%^HpH`qci2nJZjfohG84 z8*kwa2T{(`gr9*65k_Gm&U*~FP+TTwX593kD7hUb=cYto`WR zS-~R6Idkq4?^kCYx>F>^U1+BH7J!)&PugqnhNFn|=UPrGLaXC_=|?46$UYB|kuXHF zt|I%tv4-U~O$UEaS9>TfAB(K8tlSA|@QEYsU>vL}hkf}S>l%O2{Ml5n-k>+k{h=?DaKRz{7v@{+y?(qJHc;BTmY`hib z{6S&<725{{=e6|VbX@h`z56}(h13`j;%py`T9+QwOG7NBhIjRQ+hzY6%$c~kxfv?j z8Oku)4)gYku?VOV1|`b0n*v~re1f>7tQR3U=gZR(pqN@}t%1g`h4K!_6vNLI>h0%I z))2&x{_ZQZq6f-~M5gcU_feJsrGMc4#*n^T*P^OkfC~OZFAG7^K2p^0-DM76Stu80p<>Y zbyRL&C~C5zx$WjE3@Gy>jmJeP$FqkZe3*V~o`NdwIz4!BH0pIZuLMT<=-nb`Kg`(p z8e@Myp^WPGtrz2eb9ISBE`^9`<-Qy6>y!QHmstirbZUOSveV9+*>L4{+`^v`_Z z6Jwl{w$ zvc3D=5Wpq~d+gt1S|O+(4n}nFq?@9~as&_!;WPVJi2JLt8&2wm%X=aFG}QPIr9MQH z`r-0b-fGu;Q|>|by*`bNNNA+#&RCdpl9Z@!B^WF4%lCi-FT1+tUHM;FFmb~to%Ru|TwgFC_KW0Y7IsmB(h;xhW`b-x zTQ5f&3uTJM8H`+@hMSa0tuxDKw^hI0r_==7@IP|uwITXe zRvMXoK_uw76WIWtePTSCkP^%-uqHcMt{o?+4~5XF-cL$(Ko79uWbmoxSFrM~*vv_e8f~IjFzi zzCqwOfH|(33_zqLu6yQm$oG&r2QdeQK>MwZNdUrt-kzumB2HG>o|{;D2Hb6Lqo>ir zV&ijK^oYxMS5o}205Js(`)x((pCZ+dU#}D?N_%og+`~EiumLd*cI2bz(vcfpx=g^0 zBT&)^R3B7JQJr#FvfP;CrSttPSE=ns-(vk-yh`6PSA8>^>Pn|lM*nS+ZZn^#9aU@| zUs5{~YuTBDw6lAHlT$IPC#VF$VKoYnz(-1+#LE|Z9Uh*c)15a=4<-` zf?8pYMD|6fb|~O^6>Q&JRA_vAc^M`mF3EtgLO!@V zy}SHD(HtC4*9uicW{yQdoNjmJY9T%`ims@6uJ7q@cOi3sQB^6<(0nUQ(e;M4!jc}d zauMfYPj!%o_Q4*~&6xs?WeWbf5OJj&KUO}?0jTYTglrflFjC98i9q4|v9Drhvbs!i zaR4(+KX}006dJl6G{mdAG)KL897mb`o$e3hUG& zhK}^SU{ZHii7~cMk99tav6)gYng(p}P$2|jM&v=H~ zpQEZ~+FjIs3{|`^)jfS=Xr3@!ozMe_Q(X!CLxWfB_Riocz0rCA6$@;%|pC zs%%2Ec5}bnmdO33c7cRGgCo zdH~jKiGC-n%hHPgCf2wJr7uGEme~E-rA0tt)hqoFYSiO9dJJc{MFo2ATKT%<hOYgx zu?^Qj8#J`6gbK=3@4A7@o{LB$*liIA(x~cDf-QLZC=8&qEi`*As%wdbNzB$+c`*4i z=BzDP7Y@m?|3XZwg_F>R7{nN}HX!SCuwy0m7tPp9{=1e!U+nA8TBsm6w^pK>I`xBKrp2Ts zUe_)^i|MEiN|<`CQ-PO^E^(KrLa0sG9xY6Wuc1ZyL#d=-S19Kb%o~E#kQuU%?>N)GO+L$OI(1e7g@5@Axf z$$_U{Jt7cqR7Kd+(4lOc#%`L-oHyQ?!WIX>j+QvmTz+{Z{ppZHQ02iistl+-AQ)A1 z6dz2<>26!7=*}vC8O%>i5=0Q*FrUTR9df?Su3T6YAK+q*rT)ejerd~;zn0K6;aeh; zKbKRyx*M8XBkTi$808{4$<+-qP6&WW6V{GDurK7O+}ui`A6ltz7U-fmo83RDjJY3) z-2VcD3HB7Z8(no~Zkl{vApcgGi0Hu=XE|UX?!Smi*lSNhZeT{?cUos7>oXDG!rl=n zb18>`-Rej_<7ew*+&LgWdH+3QYzS(7El#tjD3pu=I%vGtCMz34^-d032l((U^ycR2 zn~~ykiDxk`#@X7z9Amx`UGOa$JCJlpsO}{$)vSiHd{`1xI*#Pm7FUg<_>>!QeM+vD zjv#%EOQ&Zx=kV`?5LeC?`=Q0gJJZf6o=WB4P&Bmi1#dPf2oyY)qvF z_rI{gF%XrF$Dyi$Mn_fI7_6<}05DfJ9^?+HcIRv=%RMxjufxOTgUjtPC}pp!3Y+wo zr_)mxCqTrry&|C8%;Pcz09&^?3c(wIBW{j`1*-gMJ~thlWyX`$+F8>`U%dHjHr*_* zoQ699A^lt{phy#)5y(6UX%0L#yI9qH!*>wVE!THR(C*{$WXJbF^=O^$1KaN0@0XM* zPs}87_>Qr!U-oFEa&l5Ooyt4$cn(do`P&bI^F;AZQe7{^4N!zhN)OWkiF!jh#+DWG znbNDph#R?UL(*{MxPsURipIB)>MgY}kalAOTT{O$fU5sr?7e$j6lMEAe%-q}x&zF> z49v<9}xvMW384(#BrvI+_a>ME;XprEUw;sJ#`A1Fx4Lz-BYTAq{A%+j>fveMGZ z%CxgqmX$qaWoc#FfqvKGA$xj0-{0r;{qOsFJ-!r|ozp${@w%_;{eEBXvQG||wvSAH zeBaY@@dE0HX&=`1vp5OO!l;Cb%I1*gKLUhrgc6a9{-qgYS9(^>;e&7ze{ z-Qp;52GzvWwN3?Qs>5hbJ`B6e(<7zJmdA$LxBC4ZJe|NRr$yMdaDM5zQFM<`9WFfw zV?(3OPx0o{G)7AXGx5@89v8JdM%3QZhcs!51vmB~6;G^(GcQ=bN1HXL-jaAbqamz?Bv9~vAvf% z6N-PZJ?EBlGtlD#sC+0a&qb%;3Q#klp$j*`eHg9kjpa39{XPFrK*Q0)}r-VrZV)mt@DT|um$MALtTO?MkP(`tPwt?X0D67Rl6G-K3nA=kk&yL=hAYsF%mahqHGP`3$JCLFlO zvVcDs=^3thbm%ioMCDul3uaGeUm}E-AM7{jF|O1-`eeTapI5AMf5JKPzop&N?H$>1 zQFKIcW7+eL3moU+hLk<*xl@cqmkXD>VlvQc$V2FxSXWXZ#s+r+=c}uQBS(N6BG#iH z#ovsP$hv*tow%Y4h9LFFa1S|VU3aJ}L*vN)`8M=IH*V@cIQOp6@EjVt?F=X0=knFg z6#s*aW&dr*MWi`OCmOlYY9Dm;J3=!NxxCtccq1Dhv2x)X<8a|wuP9*t$!Li?T)`fo zgEXz%8(VKN-o2(5Bm^aKBt1M1Ar331?9^8US0>pG_S`0nJ+&iLVyD}xJxI~PT zU+#zI1a@-W??+To*_)x)(!F+eeZ+yn`obou=lW}GruHSDJ9+>)>xj+ zi3p~H<{<2Dl-=|WMAn^}9kF_N)d{hOuovBO?AI)EdCQaopfv+~iM6D$KbVwYl=R(t zrhqMv<$sKK?k*n4bQF)l~ zO_$q3m93M{HHmSKUsIG7?P=nSRE9(A^SZj{b?S=-@`rO?3G2TC+5=!Zl|ZE?zv(N9 zvHZOCck}mBb|}YSt`x9c{w!|=?>Kjp8iGKgLHQK8Z=_pIh!UV@;uchN36ZUuVWq|m zbFAu!TB%AS37W~sP2hMmQT{Zp{6};S(m$3@Ai_rZw>12$otjBTmZHOm8P;?Ux_>S` zLzONdoQXHa&g1_udPnht1bVN++8SR1>0lSS8~aOq$=mgR0@samD<>%B_x4SFVA6Aw zE-rTJ8V7?dlg*1w?&_6uUSFAj_rFsA5NK2MRwf+6>~(&Lu5gLxqP&jR2r$)8JqC2I zBi%ri+6fO-?l)>L5?pOd$C9U>frfr7`o=RKn{JK9x8`=G5#ck)417X0^#$j+TBgYj zLal?u1m;3h5wy;MqB%Iw?0M(k*A>2x+hLr@xRpW)8VN%7pqBaV1&{iL9;K)6Av>bO z8|Dr0+y>Z|adq$9vL3I+IhU(x)#*;@bRuD1ZJI<%`nAf&>9Wzo(W`f@0%5cEJszS5 zw|)osx9B^(h*^tl{5mjjqdjBrs)Sv&gekx`+JAq0DKA3%fNa7@_QTjbo4SKAxAhm@ z^j~zAu|j0vJT$E*S8s$rsqb*ZviW?BzA6TtC|CdDQ*jg1MC(fWwC>kU->+*OPVnz% z!^5GAVdkn7b~wX!w>x_5a*i=`QN-fNNHcxTSaV~grKnVzu6)3n%G2l~wmgL(&B%YZ zQ+hp)vq&>hA5wZQj+2zLvC@-qRHC(t_iX^SE(OKgJ0Q|Rnj#CY`PRhw>f)s3aaOipW=jn;!;_*0i%G@2eGIXYiWt^nWK&K4u>t_@0W&VK<6}i4F%qL3yV6hh; z<>rp*Y2~b9Kin_|e@zW~K;F07_b`;DXr~F6A6%ky-0#C8mAZ+|Sp1ZqB1#`{ueUG6 zaNZwKa@_Y0$W2K|V(o-H95K!I`oRIke#enCx~Yr}ex=i%1l0+lD|Bz=4qZvXTAk*J z#~@wZGVHaR3ZTUa{NtvI6CNi$@#M3CQ##=acV6@qPp$l3S38^YVYT$E&xDF6SKwxY zY#RnG2VmaP)va6)#i$o9D31=J@2M2@?v%sJORmhC#EnI3nDd-La2_sszX727LvtHPO3e|Y@miinBcG90mF@V7>4WOEcwvY0UA@p0D^7TbW zK+JWA>O1Oj95=s#h3Su{+uo!*&mN&KdLr!K_OGahx88?&Ggt1yyUnberROGKZ7GWl z^#vG}tbaz2&smoV+4YT&z%KlVNfTmMPEp=BaJiLrhUR$-cCjgpWHtIbphK;GG{Jr2 z$j@}+F^kF&?qJhiWQdeLWWc9VHRG4T$V0Gh6Hp<%i;7wQ1iRW@&jp%JlLP4(s?6)p z_Op}}2cmR15mnBC;%3$q0~^g>xi4_ihBSK%tMO*Pf*a2#Y~}}9I#qqsV7(_3^&Z(J zDB>#>I_T`&JK4Hf?Hxi2WFB}49dSNzcT+Jgbh*3$&^=Z(y!|QsFcuJMq1>y3k=eJI zr$p1g$X_PQElIRlp2(Hm?bwjx*cZ=RqDq!Df5hY~O<>-hOqI~{Y_!&|wY+6Cax$0>ce!d32&x+P*|6mth> zQ@85PgrnC7cj&2QC2M{CK=l%}A5?xz7#p{=aS!p-`Y|$mPxD*cAf-m{pA0It^3P(d z`gJ(ciA{SJu2w{_hhF#%ad*qGnd_23eE=L+`oqWtr@3z0eLB_^TY1-4mCHhPl(9~V4B+Ucz z=R;{498gM=fof7lMGK2@o?0f%PM0T{CsL@7X6g z*ls?ZD0vxkte=~j`?(+8AT4+X&CPn+vAL&XU0mKsX=b)GPvN@#F-g4**o%p|k?m*? z`+Z{ZPOUkfEx|Z;u}o)5kH&L%G85gk>WeVz{2mjR=l1imk^M#B1`3WK;?J^@rwJS9 z9Yg{kmto5eUFOD1ULy`HpZYx7lGb&V`*>xe9zh(7E71#7S>I0ChLhQq7t6ox>d1~n z-$sMZ{ZTR6Ilm5rJslOqc6>Z-J2$rkr;gTnP>(`1$Jobd_{8yJUw&M_d`w8CbhJLv zG1P~B&qBGzbT436utF#K{dD@Y^n4Q4o9*Ow}N=#q&aHNpuKL^$gNmNfXA!%h}x{N zmi9*r$M+kPyR1C={k7lc)$hzbwJg+tHkuxLt zXIPSEqf5q7L;30bxf;i(Nsbr1IXkExT&H!tFh3vFYvU-=M0Q|+5&PI`QA3x_qo%18#2we?m!^{L@t2dQ@}@h$cbZ|!-qA7x@lOx`c=0tXUkEMv{O#&^L3)RpN(-Z zuvQPFm!VS-g9Eiy`Ru1gGR+xDBerXLH$;dO9-QQ4^2NOv*eJq)H2ujW6DbLPgp>BM z3gE_J>P*&L@Qk!1QroS|Id3sLhP<8gtz?dnFjje&`Mqp(LZ@`*?}*@3Z4BgGlD;&W zk4Mn{oNuh-dzdqDK2trZtH)scfoADWvri3myi%GRB~Fy$89LuA3N+I+2rPZnW1v;U zd79+T9qEvA42o>9v!-bwWdDncY&a)=sWp+%$DT=2uSoiyX>S)txi4}{MZKPhAi%7KN?Mcvb0A%0d7Bad-03? z@5c7b2z-o5^!%%JP3M4{rmfaVGgxHqOM|#gOBpc*oP6nB>^Xh|eI-uW=c!Xs5>M*SW)8ZCz_MVBDLXA~?Q$Gxup- z(@(nMq`bw&e=a?R!}s89q8IwCzTh6ci`8>?FL?dToZ4gPw%zqHpz;Ox)vQ{C;C%zM zTefq`qdG76Wzg2N6W5ds2_{pe7?2qw^w9=WTqT@ za_U1O%ng1p(eI$ApuYF0qG%>{I z%LHBEp1pit#`rSGKF?P=xM$7AINHaqi{iu!<+R!Qc1Jo|emB;U8JqvMK3reh5UQp$ z3TgoU}0fgfN7m`~l$BHgzHE9sw>m=6jq9@{ffJ zym{8k^B~}52nE6 z#@JKK5wwhmxIVP65AEp;Y+(<)1-Q58!eZzX=rz7s)rXk~hxp)%m}h%U0_K`2s{c+{7e_j5xuCX7?J5@G^dtUnv+({;DGy*e)%b0tD%i1sLg=6&5 z@<_6!nzojg;vP0I!Pt~Uj)s7_8*}_29=H4;2 zvgH=Gk>duf?uww1V(_F+#{m1J%DFn+l}+@0wY2#crc7R*t{zHcSDPKraM~+X?3Xdz zyDHw}4l@Gx%*$emZ5JL{{h{Le zVEojx(($srau!tVl`bUOSF^(<_D_rd@y@g~>ofi?p0T-a#mKa*4kFI4IXUE%92nZk-WV#L|1KwLeOqWZT58UWFMI6@&5Whr#(b>`u z3E$bs{bu$>iC4t2!Q((TmT%YDW9XFD^}5FOI+I-Kv`fFS8f7AO79(bR zVCzQkSl^%99FKe0HE?ka6#vG4miyoTQ^SY@E!AwL5SMzhsh2I~>mARB3G_ zt!`|xO3}ry(Fw{z%5BFuZB$b6M$B--eq*(oBy|roFA*kjgNi@gcZ5%rgnaHZE=``6 zNWIVYixLJaQ`*yyDy1;VBE}|<=Vw}l9Og-kn&v`o39x(P`KSa;3x0?upWOl|b#Mhd zjyK+sdL$wCyb74AX+ylKV`Ybihhe2TTVeO6IA-7C=wg$8?__0cIR|`QAPqScSB2t+ zrY)aZSB(k1ReMF7n)F{1dtsqKJP8$Ok!C_6rG`npC9HLQ6A9(Irl63925egRuGgh| zQ5Mi+Ns0-Jk4?py0W>C!3n7m6YF=R>2w8rlpP{rMJ&PJaJsf75Am795cLBmTpetjg z#^rYm!wgk4O~>F=mFRY3346MI{^7)u>75pZrAl+wq^mc`EnV%*BoFN@HB6|st>aX1 z3u>I(o-`ns#KmLr;>lg0=H3Ni&WrO6JNg8R<1I~GBxqCtGDHe;SbGnYA)}thVUP`6 zA5f`2i1F_;2DKQ-rZ5cxDYiX5;>f_c@X9|7xUtDx+^@)X?CGM%hxs4LaX3(O+J{Cm ziAL0gOFqv{udZhjOK0ebB|AB9P03reQ?CkhS-x!Ji=@`h#4rM8N&>C08#-b(8{C?3 z-k{orNI>i$K0Ok$@Si3|7OzB~3o}d@Xz_hE26g!9FEN7M|D-~b<}P%~$ibx9Fl|Oz zHs$k_H4m^ACSM5?3if4T1=@qmx86QET3)Qsb$Lc zX-6=DfV;R5%`4pU;HSQ{oSmCL4K^NW{xj!A-wbHpvKmos?n6W=9g2ur)vHtb5wDZl zv|yF96kH{f%9@!33>wyc1a9tbOt;Yt?l@tY*mKdT$EwLIXvG$z!;hIFjIQ{lL?D`_ zRh%SD4)g$OR>N4z<()(wu(cO@s5^i=j}#4@{>Ha}wpMSbNWzT4djfND#v4BXRN3Hs zl|G2K+liNk6VlLEquAEyzzoy2TUFhKu43lw6?qWsjq{{<~>%@eoojS`R_xAqY)1 zMCq@z%5T!icLpgVTIn%if=$hyhj$)FMH@At-Og8&P_nHqDU5qJ&5gkPAN_Z}8Rkf# z`H2992F5->d!1s3Mko&$H$LAma6wLGFE~@Y^9wQz!!gBOpIzx-ZAZ4{c>Ihcjbbay1Cua{TS#XoZi>ep=XPsE~R5Jl7H{Fw7x zRG5*536~{r1eIvX@$CmGD+2v*p99h-tP@#$NwtW$`{s87vT!ADbww~~*oeN{4F-3H z>4}Kq+YRnaYZ0qv)1Ds?_AMe#1$K_WuwD3cjkfB6OFF zw8k3g#pNbcT5Z~(6Ut494XBHuww7MTiDA>@(3q@G?r7dXQ_}-)8W67%4%xW}kt>Er z4O{PRqy4N@CQuFCnGU|C#^xwbjWFor1aNyt9-hPWZDTU!9HNge9YQmpR*eZ;0rf** zUZtZtMq3$iAI=t@WCWw%=MH;j;&4(#9u@xut*UgxJ68!*{wmUdDaH}H&u*+9*T$4zLUlgXTjR zxWz2u{Ct|3xDN+r(IJFSa*;XTiXQ}W!^J?)XhSEa$vFZ?+nvA-+%n1YTQC5N@4?Jf z&@ce!`&%bf*KWaqR;hm~ylDzl>Jjyxi$C2krc!VCF?!MCwN>g9hDG<=7eU5%ZzIQO zzx)kDTjiuE>vm%RZQ~x|?zIyURlL@qe#JbNMc2y{jHn`nINVHTuj1F!A8?Bl#I1hp z$CQZ9Kzky1psP@hz{spIbeh4z@9^tlN9`L>)^@!t=xUotDc%pE(V-pJ?i$k|gTMP?# zJ>tDwm&!k&_B(MZr=kn$2+n2$S{p!Y;DW)8(DDl8+-*PH3~0cSva4%CkgBOd`xhH{kltk=FE{Ja?VEbT1eYh$?zn#}sK#NL(a#!x+0Tu)dtE>jU+Z38v?qQ~4T9 zPljEEAoOiPTzJ!MW-*rOi zitVsTf#5!PY82G}3xfF51GdCVN7}wnfWKngll~o=*Zr5MPHJa}Z{^uuX2JU|;?ZY! zL;t~+huPa=gnZ>T3O&_@;5bK*+y&eW>LPnfj4+$C99ppF6EE_9bv&ZOY-@- zX7+&5mkpjJVmEF&CVf(t>8jqqNi{Qjk==vSXG3Lg91Q%Sh|qiD0QQMQob-|P*B8un z^x7kfJm#u+dPndA&Y>3(KJZrPaf8g6T4K!(!TlyZBD8@Km3bCbih_(QvY3KZXR-T2DEkTd(@vTY98M>29j`syv9HM`3;GlX`UK|Gb$&|h&rhv z^#ehQh&MPHDRqrS>jH6Ryqq7ceFa==U;xy0ha>C4sHL!9_E*quAzDDUaY*(wl}|C} zh|Vs;?}y)(UW!s%$j0G_&3rJP_HP`BU3xTZ>|yQ9V&rp6)<&-X`3qh;C>>+v8LTw4 z1DE7ZZknlczZaUz)i5WyJf#<9DvjpMjT7~#OXtxwJ^QcF8y5%VD@t5cM$G$jE?6w(iM5l2CiptyPogG(Ti9q%x)QO`SS3bl2rf4AdijA zTXk@Ae-~zrC-m@RUjn_Adkxi0xsJ($ms$f>@IbhDw7k$$)zDSFWYe9V36PcadI)%)hg5#(45vaqtV;_YAT=P86 z{F9d*4V^WCLiBI33W=eY`9b_}Y zcNN)=OGb=)@N*(o-tYejjRTjkK|{-U$b$FS_t*p8{9OjiL%D+q&Pev9a#y<_bBh+i zY#$LGLUik^_aTt`j>B>+5ysM$<_zLe=QHxJp+}G zfMT<0S?$$Tlu$8pGqrOEZ;smc9shGW649M1`tCE=W`EqTbOIdi&%P2PjJDp6J+O5w zSjKX1@ew@xVT@3hU*8THU^|>dJz-GuLAZUtL@ZAuQfMt_NKaNBoY@lP>>~3_8@E~Z z*xBde%&AdYLn6BaQ~Gwae}Qq)b#b|!2omjjMhgk(O4t0+lSV1Uv8H84rodBqa^Bh} zc&AYqtL*`EYe#H~e$Z9ympdICPcielLuS6tAazCG{J9}8?YZ2=pgnHjSr*4_4epCk z8@=^7e0dy%Qzgr_CrELNQb+=sm;y65g^WZGVIPFaw3d?Dr9_-1LeRO)Z3|ill;&=~l(`sIl-x@aD%+j@9vw z-N|`lxlJfYdA5lTsPPau0+n|W%R2RRJE@_^`B}K<$n7u7M>+H5bo!7SVRrb8>Yc>x z#wiYMEB|u99G{jx2oDboBxiTIKhSoz$AzuhX&uo?PN18IFt3(R53@+hm%_=r*_keb z+lLgj!l@X^{W_W-nrOY%DCN*xTK*cnG>D=1%sy^ppP@aHJTrpsj?@_5Y@|hHDxu@K zyMuW|_=(?Oa^Ge8fEK)hP1>bl^GsG3f{@laSzk0+&%MsAJU0u(vW`bGfYP(C_`E|0si%Gf^}Bn-wUl%b=#)uF5#hhVZux0zsPAkgeBMu+FoEU zN8<+aan!8*5Jz8?b@Fg~D`xq@dS{Wl0in1&Owf3}4`Gc2-#x6rlYER_ubI)Sz zRe1Kud_d}sBR*F83Reqy)5x_3{*4%}O4+OvcIT(2)we`hx+Q-O8Q#y8)#xm*JWJd^ z@EsC8KS&lHU5j%F{Z08rWC=lL?wAKFi6@N%QYi})KY+ydm(%LazIZD*8KDW z5SshPsb)dwrdmwfw!qO!Xn6*TUL>}@>!yKlddCRTS^;#$x_mf)9GK(iD#~2_u=$pF zbXw+?w;0s9faJtLFTyYFAf4=}EYWj6m-mCyQ-J@(#12d5rb;MkN%B8~Wn*DkDwO{Q zJ3nM!vO*^_t#PZ_K9%P2R(cidNtU*DLHZ?rz~!;Kk0<578&8!Bd?|Dgih zCH(yXp_SW#jj<~*9+rMkHjS^M&+O;sA+%ujZNT)GFFC3H!V34J$dtVom~w9_pJ)v2 z7b?BCBYt)SP$S$!a<*6H3KM+qc-*EnBS_$N5GUqJz}{_xO^&&h{D^?{SC1)ofc4p~ zp$zsmjk4w5+BMV_XRR9RkW$k(n%x!35mKyY2VgG^6%wmj;6=g8P>@T_y*(HjY_Ukc z`RLn2rD%L@GXFG?PBA|xxu*xS@~Y5vFTCt)0rrOs3<6dn(_M-fNy+kwEc!0q?j^nH zp(LqzA(QN$$|Q^LByaZab_jxISZSFz+O35NE4j1rFZ9-7CfQq3=`UvN5z! z_%Ur0?PFUn%_;3tuD`Ewh z3VtJlgu@S@W-8E1sSmUJ+ZC<0xk%?0?#c2{%&6YW7|ht?jZREP>FlA zN4nNd=X%PM8OT&8=*9S|3DYvA!4X_f++IH`r=(&2YW03z%sB8T(mM(b@@QtudSSl* zB~Xh&&h0em3b*VeYud%2G{&^!f`dyBysa0$mY167hjSi9OA~<~AeclSSB)4B=92P) zeuWRgKjEKM9nU|5c5B`T&lMnfAy}qY>)HuN)n_}s+QD5=T7cnReY1D=a&qQA`eEf^ zBKY6>f&>P`#Yez4&uv7Dl6j)2 zrA%<-v5xi;T!CUGmbG|F`C6!bF@LlX5n92)FfyMk8w}-Z$l~3G;*9*?;c6WwR~bA$ zrHW`$dxQ$?@1oC+6CyEIz9|ID-T?RQ(?d|Mkj0JUQd^mk_Oi-ovhmWT#Ol?HW~%t9 zd4#;2@z+I5pBP1}by_ZpNPBSF9VbfG?_$JQYsiS8-67x@5>l%zzCQ-|>p(d|{E4t` z8Cd3MM=j>#eDQ7Kp4@-L@=pO6|-kKGyCZdRL?A9K* zSbWP%x=0kX@trrzV68Ys-Np65U)e9r)`OCI7vyVR=XM8IRuW~2%Rfjg7SA|KTxni- z3n;EKPfxZ-YWH-t^x@le6<*i=1^n0q)*0ts!3+w%NaPQy?TF-&4KcDjgT6O#m%bzd z*@T5_R_lXd2n0QC_H#Pt4pA;`(eL#0Zl*ZZClR$om%VDygWP+#FJW%YzE`O<&`+V@ zN`a1X%St4Q6baMCjx80sz)(<5LbE1Rm7=}t81gKVGsU7?z#^YH zj6=)wr1&H^Sb2&t7f|b>XWTSr@mE~8($|PEPkBoxWR#|m+?SxFDSMxzn9+uUP|)522;vbj(jz;=ZUd3}lj9vK@-rexHgFHgQ@%vh8Mv+tr`<8!SC9~6?Qkm>DNcIPysJgbMbO9!I)Fr;}u zA;L)a%fZL&+;HXj9@+$yNkCVw<75PGshq#rZjtknZRkF$SpjDcg;rAUAOYaYtz@9} z2g_`9|LxHF8)(n@FM#wp;JJ_vOvq5-oBA9+>xdBD(bmzAc=T`Y=DLGWMk>IX` z8STD3`8d35K4Lc?F4`Jv@7N$S9UiNv<5g?a74h(sjO#*A+HHP667d|bMsG=D+*))* z!wko$81wf=x@SYSB~kN2gC<=`LnvBQ*EZ~S4(GhZ*;k%Gc!qkM z6x*o{+0(d5+yHq7Z+nNk*Et@ML{&ChAGRZHDY4_S!lvA6SJ6D;R`8F+H!QK_2$NgF zo|n95*#x6yfHxDPFn3vRiLbm5EI}^P=4WG!mI`T3GD5nBgSpWt_l;tUS;PF!rmZpk zb>^QO^tgGaw5QwWWJz~0h+jB!9Id&fJl)SXDcT$V@$}jOI9xPwyQ3lkk2?Ov5*vqq1Aom&ryA5b%w?h zNxk`NLjIzy+RNCrqusl1vJ4~8k87QwqD+~LJ z@Bw77@0*xS!7DJk5Q58KXT*C!5d7k?d7F=Z2Tl0-)XLFGgcZYe9W{LtEssNF~t{<<`{kbGH8wtYrgFM|IfOh=FU1cEo@ z$1~RFXo>0Ce;-QtJcu-hvQ}-JUMuXN$Pk>a8{Y+l36)+Q64cWmi0-cpID+ZggTXQ# zLX4Qb&N4NHRP<3xBc&uZh)&hHXqO#6%}fj?gZzHtw!J0x?yaJU^gZB|7PA51PqjxsFr4-QZD%?`v=6FSa>-qV* z{_|HPlE1vJ!dB>t z6loj=t%t#KxUMg>z6Hu#u&o;EPzL~Ao%WVsi{A3Q7Shp~-u69fMXAY@x?{q zcsISWo+XRh>pe;fBCXEq9KV^RmuPOhg23;E(?0db{AYkZeX_fS|CJ;QvF7#N0q&#;9;WRv}PCQSXOKA>g{_(`!+N# zySIEyw%re0=SGBqy?J6gJ1JJ>Dr{y5o)(o7X$SMKb6aNb00 zCT?Eq5okOD2tTt_W7}l!o828nBr1O<`{ba7Ae^4-k3xIeL_Ic^rF6#&`j)|P^bLJW z1-$hl`tl2331$x#^Yf#9|Oc-XG=oLOpPvj276~`M_fAdHJzwd zb=kLM=ZCb7HR8h&X&wVsxPJY*!<-1re(SvHAQF{=_XrH<1F0PZ@lTSV^ z-08NV0N`%wh_F(d3Nq^|yo7>smwF&pwNynpw@&DYW7iKT9F3gJE|$(*q&C%MR!e(IX3J_`+v^O?ptH&znRmHuv~*E~)XE@c3x7J{%!-Z>=V3HSsPKL)lka zI+AmEs9UfRlsgD#ukT0#X)vw(mn(I<(g`=e^DP$-DJP2%CCQcQIeh*P|v%-8Rr7!ULmJGjJJ75B<6@?cmU7P+uGF^d55ldtkn= z8v#3B(BX<2I87Se1g8)DhPP>dd};RewJ)3fLnMleAaT%ACRKE$%gy!OxZHIY+N-N$ zFgm~m(T~sMqWVgpn$SDcX_ys?F*DY(Dt=!)$|7}8cj|HZWd?96hJ6v~iSkuxa1kqd z){aMEb|wV&0{v8=5c@LJp=abM=TL{YF8dg-^W;6)KMIA||S5p~wf>TOLDb zlRPSV3lT26U+2=)Vj@Q;BQ__n-Y*O`uVA=Aa{3gs=cM_~Rpb9suDA_r7M3(d%vd;a$8{y+tJ1}3S21ZQU)+XG zyIH{a8cgllrEN)muV0&S(=h~jRb5RJavh^~;}MxRoras7|KTjpwX?#Aw{RIT$NY^u zXn#L;9Z7e!uvs@9{HqjU9MJW0cD?D08wL2Ap0oGb8R0Mgy@n9cbrq@CcJMzxp$#h+ zPMXqo&W&f_yWA**`#Rw7@2C8uw%pfi_4<*d|9rb}ts*+_Z|!=u&eE>6X2uPqUbz3X zofxj%o8W|3E9v_A-W%tuH=mD=D$7SuWs5_)ceK#LHS_=Ttm}^rw?+J} z_TjnYMs}Z@2cSEQ>I^^j>O=p+fO_pWnxU=JT)%qEw7R-kH~N0K>t8?8meBadk#J|f zIgR@DAsg=9*S-&nOHaLVL3odTg+aD|oB7)2gz)IQ{#I=nr2iTqf2*Jy1^%~_GH+B}TMxco#D6<0>&97F*Ef~v z-%k6hueO~Q9+KCp>Do;CSL^-lxz~F@TkBmf!apwgTOs~-$&EVt$2ET|(ciA=iDUKp zqpmmN&3*cRcp7%V>oflK+uhXtZVb`ucfQtOS8x1(ycApO|9Bjyud5IKw{@{6j??Q; zyWUH$->7TbaQUm!|1aO^KRx*R%WK#l0ATzN)z`9+v`YdPNzxy>8xVSVvHP#j965>rs9bEA)(Pd6eNKH($q)V=jt|V8o%bJ#wlM^a~3dYUs{N$+BC$uI1>`=;DCbZFwlfpwE7kGb_~#*cGvv!?U&_44lJ zcej(@dJMBP{MSYagZ=+&qamS$sk+&E`>&01b%MCQl>FC5nOOB-8zsE6 zxyiiwf7wR)kJ*<@g1MidYfI%7nTDh;7+p1G>Nuwd{Tz7c?_Q4f*N(+s|A41Qrd_jo z$nj{9&%blCS<-IQk>}$H^0Bw^EVM|j-{!CT{l_A{7bCphuAeZX zt&oozXU5`VbEZxWOs=UK>l`p7$JyKC^m?;6{5n`QF(3+q}i0Yc* z;!(Ce-RM@;pc9N4S|;gDYEVVMn3<&pI)KsR&LBgHVi{_5sa=tDVeIO1kq%_HG8By7 zEDwI{jhF*t2A+m8>*7#jhQ}L7$IB6kai^9JF>bf&jbkn=W#}eSRabsF-om3531HCN z7*{uBWZLSq7lTPX6D^bPAQM!%Vv1d$BTug z(n+a`G%Q!(eq`QI=l%G$n4l<_iO7?z;4Hn->(&Af;V)X%NU|sMucmOjyjj?LjuYX% zfAf;XhMVVat>#kW`EXPI{c3E;aX*Z`*_uw*rRviRiD*r`+PjP{IuWhu)F>B|#wJE5 zqBWhwyV|U2m&t|JbefoCPE2qmrdyKGnodeeLTlQU;zDcMC8u|Cp*8JtxH>1Lr#jP= z)GqP|pWNJOb=9M9O)t^%?H^-@z4yJV9rl0y0{^iey9DKW`p9?#g+Z|H?eI;* zf3Bsq1FSZm;J<0m#T&05iZ_N6O@{x3^C157TRdQya;?gAKT)^?8G-+n8^EP|T?f5M zKad~!Jp7(F5(G{P&Fp>kO&fKl`8xUh8GO@+@CRn!`{(`tho}C>7abw==_f?B4Of>T z5?>Ue!WkgjW9GjI#@HS61GfEPulbn6 z?Zx%sofq~MNYf>f5jvN?A8{E{^)4z+pGYMdT)HIOla0Ux)VMFh9a<6zf0wRLA}&Y@ zU#r6%n{EV^t{b6u=>|eSeX35r_p6(0jSA$4Moqn1ZBOV;>-6%evsi7HzG$nqe-`h5 zDD;1!|S?4{b1tKhbu5qKTtOUKjS|`nm);psB=MjxC(Vs+P-t?za=C| zKZVF2ef#%13gV)9wT_zfrpr3{g>zU(UwqwGNB=BOxQ_n$ElLFn27FIlcvQsTe*pOV zu6Omqu0@!A^6F}E@*Eksi~w9^y0oR!M*i<;CCS1?g&hwncP)9JA1k#+^FZoVt1iqP zq)L$JMkRC6=`+SvPpwjt^3g#VB2$^55X1QKpX+M6wJuCY2$F@6PO@D!qm!nNtF9S) zYf`ALiaBJ=nK+TQE0}q8AxVrve||dkkuM3zhlav2n7{y&EaK@^HHr!B9pVeeB;7iB zQWaHC9w4Tuq)^RhVNOgHI?ARJbNE^%w+m3q>7letdJa?Gzy=C?WpCo8haJ!)E%9nb za3zWA7+;0F+p5r1T5Kbs2I9f*hQ#ZRVoQ1e!)*g%+C0t7Ofreipv=MyUp#1)K+RS1 zF|#C{PbY{4!Z)SJIj;&a^>kOvu3oG*5z8LhnS8eaErD*BI+4WNHYOrzy^ZHiIue2T z0N+qx#O-uxUW_;-oU1VGc*_5rB)>({5Ftu!!Nu(m>E~@v7I{zlUV{7`;ORjMsQ0Nd zG2fo6+KHM+sFD5WBX|_GG4Sc306o-q4yY5ponWY*T7+qT_ISEethx|9?{;D4`iD8i< zzp*RBEEpH3w0VqB9x{<*8Ou)nV`?~$+}7CS-H&y^SL2E)8@-wt#nkt2ZIcrPrr73&tls7(UO4Vd^DNxB;Eo?L}0jkNi)pDC~i_(r_+|&eOwe_ZNE5c}2 z0I2(rXx2i_fOMw6Kjr|tt zFvrlv9NQqEP#Jr;ofu8MCPv$mN>r-Ed5q47URR!_ES4CisMy04CBI9$6?JQGu~I7` zo$jTiw7;4PvBgqN3AO}_K;_zH3#LNJeiDru%1tLyi;C*OSzy3EY*qX~{o&k|zq~y) zj9$9vOM4>Rll_G0SEG9~<@V0l@{w~UlVEw5?r7oYFWs}~a{q&1#7=9=uxIB5=m+|* zT##VI9uR!kNG!9?RWvgXQ6=_%q#n|#%}N(SWyB~+f$C9e2e9QQkD$)t_t{DokOvXW zU62z|Y6bdF{{ebWR0X|7FzKBDz?W?;-PvXi;K)T+sEC9?qGt|}m` zFaus7FOEDoAN5LYw{?|pJugPKtw9QNJ2O6 z0pg|3u|p!Nk{A~yXkDNoMY-6ny0m{U@~JqN@-wSp7JXTqkXI_q5)2!pmhx zwB<$ySTa=1 z6HMc`vvkkAMCCr>$6S`l5EiRI5+XJa+0MO5E5Z&c-FfV+PE4R3$(!SW{j- zW^Dk=ysyL_lUI5=i z@J2z+w=gSN?8|NN1wc%;To8MD=9c$>TwF!ESCtEDZV4IL2xU$&-x8NwuPeV7>;qA* z!<{k`Gy9C;ip1kN6XAXHpT;n2w&*ZaO+iSi+%4wSh{9t;Bn#PBBRIP@FqT+z{e;d& zZS}J7nMh7S4R_&Ld^ht4G^xcUN@%iwuAn+9?>I!$aYYY;IX5=AA8eCyx(c(bgE;2R zs=ma^#0Vj3icipK79d%LB~&_fh;51Vd0^giLX$9E;C-vW*Bg>8WGL;0YCbRSj~@97 zSl^~sgbcoUn0zW*!0ckwtt5s1UC2$ovwRVkiI)7NSl|)m$a7J|E6i07CsYtRxF#}a?o8uNqx~&!knSbRt<}RG|#b3xt`$A6y zBSSu$9fx9D)T5x#9Z}JP&Vq?jJ0p8MYTvUfts{wXw`P-PSQaCdsdOXI+0;@5(lK$OTlktW z3vW@Oz&8f+VjiijYe>KF35lbU&#b4Wt6#LYT)^vylkXL8F|qAY@&Lr;_>GFP>MxpJ z>_GJ`odIedtc)f>!A$n#eI>tVw2WltDn^R9>3*hPqPBDynTv^o5j@}jw$ckAW+1!E z_5>Cr+n+tS<|H_6wgKTK^()9O5_0}O_TD|JiK~4Z-aBM#HerTLU;-1ENCJr@z-R&q z5)P6GC@5$UP^h9oQL%!eqM{W=#fqnjiWXa~*lInt)p~5T6;IV3tmmrLs%^FH)7I9u z_NhJC_YNM~KHu}M^}cI;>s#L+Kh`42%!qi%hXIKURC~19AN`hu348}F{}z<66-ILRZ@SI7!F|g2hrM1g|0v-Cm6t**Z%5ez2&?`4!QR zZ$P)=oQaGhQNwmA|JOj*sK%#?AUIaV*1s!ustwCeLqey#R8(A|J56z>{V21r^|H`Q zcq$))DMxz!EU60UJgr!8bv}=wq=d$_QpA4A;y8A3C)ypWM*w}Qj=uoWh4 z__}R|pWrkfTURXC|Is{9{1e~wEFlcLm{GsL*+6pg>+Nlhx2bU;Op3))@m0RQxGYK1 z>p%;gq2p@0n{`50F%!V;z>(mJ;!DIt=?kO})hn1_tYUvxm{pJ&|0c*;;#XP*J0fuA zAzK6%-oZ6wwfP;EQ=lc%SbsKEuZyP*#1s+6eyGxd)?bBf5|rNdNi^J0Oi3}%vN1uH zXZ#s>1(*@2KYPU>jgpg0_Guo))=vN_BId_M_waDz7Q7cProZf(S6);94Kc4i$<*Od zu!ey<8ymPkv_)Db5G=XDsEXt8WHQ{b5|L8=*}_lxm6~he==ap+B$F8tXJJ@)TNZ_I zT35I&IjZ$(u&9|xdyR20&(bb@V8vP(fS=}7q)}iS*GVb_k-Pdacz~3oWMWL-Fnv+x zTIK|;MfnZXP#cA_ki-UP(MWbuCq9HZ6F07+ttQ&Li&W7e*?%&}k>|!&(n>_Vjx|xx z{kdtl>cf5o2jfzMaD!Qg~ov2-QbA%A6c{-rxARXyE z>Br2*<$QoTNXZCH2E)=GHRmAai*emCT@7OrIgxhL8CevKsYWzDMN+w#nkh#Fyg45*Ekky?DXTPmIsMwNyhIR+oXZ^7=Gtl;yzy19eVOY8tLj18M722bD4D zK$&6mBX5&V&Ui$6YVtb~CG;h(opPOAtLbD&qEcV5TG%v406Uw)_?sD-7mhNAjO?5Yem_!Jbo5v0b<*oV8D|ww;2my0M6=;YJCRXTHs{`>kAygP)IMfMu z;X@o-5yt}kV^VKg#7Aj&1Ug~FD)9}12C^*m&zuZs%0!1%%x7Yfa35dwj35kgXiOUJ z4cqfF(BEB>IkjBU&5RI^IJiH354j7CFF_xSCNp0|JBxL z+lIIVtRY)KM0+vU$+i`Fa`^;F)Cn&^Bq!NGkKuW?@tEre-6%g>@Ca|=^RP@P0=Jy) zF46uLBxVQ$y(2k0#7E-6bTf{WODVc3D%@4rQd28*sTogVgiy^-5jj?*CZQF9B;GWc zfno(gn|NfIt#c*-SX8v@rvs%7PIF#EBoPPS2&6BAt@Sb9Q=~<9hQ^DF@o4+knn_BB z2bouB#w*o~a*~8x=Y0Kn8Nw@o0i#C)uMp>87Rwx^p4CJTQhR%J8Px|0G;Ia zV|;4TG`zxj5s5FE?Xy5Wa{?5#eiW_McOY!>+i5SOyC-ZwK?1@Ni@BAK_rXq7AJB-$ z$mi&_>hybMU`S|KWwuikg#MZnAz(e#yag|eevRN1`qDJ$Y!k9=j~Duws)Xw=tRAmU92GSLXi0y?kNUC+mU)J7(w_G&nq0r&I!n$j?AyPLP37~ z3M~YSQ}Bvb*IKYOglOCd`ZGjwAbSsx>#nfsy6bJ5JBSjVNQO9jLs&2oJ>TLkw1M^z z9Kw6HZ&0eumCD>gwd4xUr9&E2WF0ICDN8+we_5!;T}X4rFH-Yp0*o*3s~TrtpK+lg;JX?}>Wx6rYZUX-0(e zE!3`2M2q93d_={Tn?jk7Q#^tnLz4_9U@Orp0OAP5ebW$e&=N+pwdg@w;1eao<1+I> zGAE}u@qFP}%+v1nD<{^avU+OG|gWlq#{3OYEfatjQf!9RL zWva-F*u_oaxE-f0r&<_OUvs;C!_{gOcM<~ke3Zz*=&Hcf5 zfX6@_+ZvY7W4hSc2|1IH;hsSZCDWw-sD3`#1VfYC0UR~Zs`-ne4Z4j{Ncf75rFyqQ zb|aS`MWbB1TtH34SAyz>F7tUNl20ca7X{;Dwn(M5ZiInk_nsIrLuz<+37=Lp1(=lqg7SN~|6f}A<1eBjN& zZEuu!s{+(`Eq%Ib9+tMSM6wM)soh)$g}FL!l70{3wK>u3C&08*@rt@Uyu3&o&1%l8 zB{gdMQuBT=xJS0|-SL$38@S21Ap3dTNjoT3;O_knDoH}fqTXZ*yFZ-w;z;}jC@E2i zgwrd+40jmPb7TON1z9loQ~adR7uV!2(toNh4zMl2g&dyFOO&m6junH%q1sY49}`du z$UNf&-Lo9o;(+PvWYOjrhs9W6Ag~1a(Z(T6*>?NA`Gj2@gDVd$c6hJ_*FGGk=%dz)XT@o_8uPgUEXI zJRa!%iHmf$n#fU7%c=1bjlYwvAf*A?=V90%?CD7$IAktIT`fO`nv->BL)4SQI7XeN zNorLu0{Ax`DuivSG;9lJlAJGKK9Huse<~kHW`m|dZ`K6LtSNKg9%ctl%+V&|WpcU9Hq~upEU$&rCq%Bir|n#*b~Y8Ga(Qb3JrAR} zt6E0AT>FUbi~&6gP8Zh$CImIQU0OO2j_3Gh2QXIhD~LL838)B%vE4YYoXf%hi{{kK zvIoa@5(l?YaKMh$`k%3Q^RDCHA~Vn><-CK9J8>Frg(2pt@*1{+B|@uHKb-EV_>uf3 zm-H*V}`-0J@`T3=dkrRi}1}4NNbfcgpo9_iSe-JUj zJSI3ULmy4%OBT#rbG!Wrgiji$NL>)qTk9X|hJJsqTxw43XKb}OIx!5{X!+LAa8Fc` zoR*n!r}?vFAQb0O7{zmWmG`!_icRv@e!`kN8)kycV%&&dB2Dqm+KE!8R>76VOV0D0WTqv!^ zB{eAZZ7{N2Ojo;BtjwziRvci|kHWg;yfxI_ndb{kEgEtN%#b9OgbTTb&w_FwCTp== zC3iP=W)pm-Z-Xg&u38x^l%q1kAqrDdGDp;!>Vr)eqG~~=j3>!BsD2$RM+K=Ph;nQ)`XLtwN+Y}`%dUatn&~|6<&&E_ z@SN}~-e0Jp?6C?YG>W|ob*U<&)3#H_ZzEwscN*yZ5sk5=<+oiE_R}cls$rZ)Ux$0q z4{8^(p`p$cR0Q&`7QRULwuV+hz2!kX;%R#&(_7$#xv56Jgzv`ZkZE8AH-4yV)7`vj z+lVwb6y7vgY0itH`XShLRNgXJFPBTt=#De`WJ9J>T^#DoBq4adE-;b(I5g+DAMafB zBrJ@c!&3b)^(G2Te*ABIB}iEaB;6Q%U=cqW&$oLp!+V5or`Iw&_^ujC$@%Gp2M&@R zQ@el!5lRE4^6Gf8)V(!K!X4;u=CdSOI)~$u#XjO@>g4MU|*CTf&a*dTsYdp(ZO2zNhRyOlFsHVbPv6Fiw%F96f z+q@f=4ftd-3%7~Iu%ybVetY!}lWE&LfN~ijM3K^xb z1ZBOd5_{uoxx-074(K&kXns@CG6*1N`>JrJBO(g#;$OmyV={ClTeKwsYKO_IWWV9e z*K+^B{PuVz=#m;I0!6zJX5_#hQW$tTf$BI`OrfK|FtfjKH(sdYGjMozi8zzj@v|U0 zpP2C%ZG-7VJ}5Pi56-lMbtwEKG*L;=a@A?OvBA#TG^yP7hVNQ`&CE%A8yUZIt)heR zVe%Rd&OB{>6Zlk;4BQA?SCozFY$&(F^_}MFK7U*l1`2U5y`@`t+oqTy8zmd91>5=xHpU9p<9!PL8+?&56Xvac9i$<2Fo z+2=jg?R>K7M{*|HAfK9&ABm_ANP$8w6apTN|E zBpvUlE>q)7?9VvuD`@tv>3nDUq?n)jG)-{!04|?R&3v-{5RK)Y@lD_H$zBlFx(i019lh|7scmP;HJ&c6LFk!`BzJ}3eEk-2GHWWMn z+wS9uG#Cb*+#fX{rEv!7%XQi8qI>M03U;)LNScpTj27lO`eszFi4CxQZ_|^)3z)%X zO>cj9I>I5w^KQL@_Sm*x-_MqUK*yb=yJDCzWGm*#N4&)tnmNGhAy<<8ak6JK$PFLm zGYzX0pf|~AND_UQ{9BshKfVUVeTApkTo??UKI7ZkyO0FElJ>BFA( zftw10@Xw}eWxPZGb!!T&V$gcp`Dh9|E1Z67smRVf6&FUn$C6=LZ|0cSKpV6A7*IYt z+2a<$$6Z**EW4U#zO4)UsJ3WTU%MV9PH+>ROW=+dx(!l$CQ34+i zC~c~{#^P6@-7{BnODe|@-dtW&DfA)>VZDZ(Z^py132+k_2H$sU=YghbALCNp{g|T* zO{=rP+ki`^PtVK|RgK5+Y%&b=w^AFJzK*XDfYLs{Dc79R(u%xjGc z+T-8;`=N;yBg@DCEg_z*DD4!C(( zwC!*jK+Lp1*MCH?M*JiFf84$gZqr^4f2%1Vm2ThXgWx=_x_?~cuM&D(EKrt@)B7$U z{WIJDa)vMG2O0R{*V;?z!DINU{ok~o z&==*8!UBEhs))xM?M?U5))~mSHXoeV(>uP_*ESy{eYEv3>BBYxh}uW5WP3CBHM8~< zkBg|*2UmM|jsML_|LufFWiw{XgX_h%gS;LBpV}|^w-oSXu@BnP17KA9@rNb$&pg{3 zoUd;GTb@1`*+ZAwgZRj15J?D*OTP|5qZ{WNo6&3@J|OFEdg-UhIw14aMOh~pa?A2sj)8FBt+ z#Cc$T{bLaOpAp9=$@6$H`kxW!u|4r{X#D@zi1S~8?K9`g_{)9!@P}x70KiOepfNBu zJ+cPcqv!#{j(h_h;UXSck`gRPYPil1^l!N6;P$aEKulHnhDw#F!nrsYv0|{QJ-|P2 z0s`!yZ2}@dCnhH0TnLkTl|M*d^$CE@<1~08PUckD1ao3O_yMM#+;11m$pS8W4c^J6 ztJ(qdWJ-9!!%2nS?;$UV2_d5C_BXt`&u$|VyZ*y!1CK6?UBT_6ypc;+0D@g`!skTd z6hP3R6Np9yKVU{li$tii6bZ0I5}OtS(Jfqzu*a8@=HnZ}vx1(_=hhH2iX08-yHvRp z0|HC#en{+M4-saN<8+;%kxOx-2O?ri`xV)GVScuC3pvY00$eN84S2aoev$JU1~4wy&v%1`^Jo>{o4Y9X_7c}|oalPG{3_QdL}z6n zyk0H|%mtDro+l#rBWAMF5qVB7X~A0*CAz2%ul5Pl0JwcmfbX>|U)Z$Zfy@x;>{CP{ zZ-bkla)CmL5XU#k#Hfm+^%oePa`k!KAl#d3y!SZ`RfqaQ-TEA;u+onl!g zhfO{r==ISLXkJEfliYGC*X%c*LxCR0tc=0y1xQ2-q*D;n?FhMt`?oT|NTJSDt+9v(SzNU?XZTIEv z_-!e^V-fuH&Dc)NX?+>*X`SA1Usq3&VH==j_a%}c#Q6ZU?SK{iq7y*KzOFZCp2trU{Wm%2Pa^YE7e5w^hx8I8ZQ(y9j*+m;Fg*Khw|n z1NRYG3v9|XmXGjZv1^|dpFmM@AvnVRRZf($TEfvjRYTh>Y~6sv!J}bJbvia8!)E1U zU^hRH9tWAp`FwO!Uyd`sDAnWY65hb)rk%u1gLn%(d8PJrC^)CRK zapBwytkq|+9IfumhYR!C6%W663_v)^dd*fT6Iujov%n7n@BcSq=k1;N&OYc=3iW)1 z#yek>>lU#-e74=gM2TfwU&9;~6IrMvv6%sUjJsH7n5Ckrg9COT+FgqhU2SN#HK14`ClL{WU-1L&QerSU?`# zPMwu#`zBj2U`a*W@9;gyNONZ{xUkB(3y~Pdew>#p*KAUFdgU)f=2m+ljLMz_r*#-8;bWPVmttkZF>>QoDh>P?yaf$Vk zegxbNv&r?nVPYU>lFHQTBP!Q^!Gy-L&QR}KX+q!wG&SkVY051yk~{HyqM06^rb1+# zL-=3keP{lo4b3 zizKS%CDRFw>m~M2&VH)sK4H5BI5Yf6Vh((S>SFzIU(&#A=4*Fd!-l-qkYLdd@a|_{ zQZ8D0CxQvm$Lp(3KPRMOE74^#)^t4sh+J^2^v6r|JapviJ3$b1hBrq6?44O=1v^y^$rofy{+CpM!a|W>+xQNY^@Q zMg{xE8X*mayfmuO_vAJhH%Lh+`!l?@*^Zqw1bhwl3T|2(7$ja=KN2{YuKwGq0$b#uTkw6 zP*N;|!Fe1tdS&ZbAa=j^dTGR zLacIZLVAT5UbG1ns!6(aK6uK~@e!`O`m6?|w%ylp(W zt8807f~A)hVh1T;i>W$_S|@TE{UWOMR1&RWgMv;htR$ixRX@uZt0%#$sf(*`W|||I zNOukrW2)ydG5jIjbu|;3wiz|KnNIF9L_-Z%gTUw9**HD>cVTzcJ$=3vZ8y6P61|(^ zoKIy%doa~hZyxa~a&7Rm;mNf~zq4>P4yzpP%Cwf_C0aYSqy0XSj2|(ZtugdOoVtQmZ>JXVrchke z9nr1T@3Uu>slU@a{uT`cz@qc68agEKaq_yoL5!6@qkjr?pPTBKXndyaq}55kKKY;A(!07-1c1X84`kkKmnd@XUvBVB^i!9RYPzIiJhzzu_*Nmb;WU z*00L!iYGMHGsaD~U@B4)?dKp0CPDaC3Zab1Px4XDp2ap{;+=3#pdi)( zB&?_k6-6RjN6bxQZv{GrBI_uu<%a-TNPiCt*%kW1r^|6lrQkS)9PtPrwm0E0CLyy! z^?qy=UNnzLdj<1{*gsU(PeqS<4a?qUb&;$gi`69tod~KwXRBf>eqi?o@*x@nfu~ymZPlZGVAON!N;0_ zC@zVVs+Urn%54T%`F!|3Mf_c?K|ajttJ)|?J> zhX4);9{?Rs(gRo8ZFsA3tbRAI(d4Ocnsz)~f%5Dh9Jd8Vo;;tOYj%JFDP5@lk;$V` zcnCipC+pt=d-^A8@tQ?o$DoUF0e78T(Z@poNN3z%`k~{2uPejxptc4tn85xw3h!LL z@m!RFcxH{fHW?Kle>e=|1`{Ujg2Hdm{<0dB%q?KR$kxvbcey^LavdVI>{cy3_k2 z>8ihYBEhOL{Hiv=!}huRJ#Wel%{k>WCOY2+BNAT*vqk{mOsS##cl-z%q2pNx#Lqb!rs5Do6`zzPRDlAGmmg1t z3S;>Q!%S__C1fxK8oV@np?;&LGu?ie3C&Em?Ur$6jNU$tSjb0I%l`pgnECV=_6ur# z5!8j8DcJfV4&%!mbNo(!Zf0_yym7xN-q?Y(*bbx9Nf7xxn3$zQ$gT8iyyn?KN|{OK z)FvK6#s_kD%(U<$e97>WKNIe;!gYIazvvTmVM?6N)RlL!_Gvpp-lIR=I9mcP-8}0^ z?BI8h?nZwc$-brV?gb2VH5(Y1(*ScqYdlC4K>IlQDeloQ43HE&Hw|bErg8rwmgasq zk~GtERNP)#d;yo#cX!D>CvdX66zO^0^8qAx{Ukb=y`bI|9oOh>q`I2Xo=n_D@a{SQ ziccIT#5%r4)_gwt##k^O3%dZijQiZvg%8i!h;(x~KFZGEIO9z&tmGVmh#c!6b25%_ zinw|e)w}GhBFT4FAESf$)SAOREv&QWft?4VHVLCOIIw0aW^!P9Kd*2ujC=dzPLCjw z`sHE~8^jpqQ1!b?tcGqQ^9S|-71YcZ-i~|{;nlkt&kv2YN!^MM83alrv$kR}ruo*c z3lJ(&MOv!w(wtqT?05dqck<<)CLCF<1IyEBvR6^joepi%;YQ8>A_=@3Vny8BW2lik zWSgpVgdxIm|K9Y1=PB&)OjVyt29LHqkhls@bhS{A=1|5*=Nb63T2A1mwpX-pqHjv~g zaLzpZmB}OMD-WC}qxd0tR}ep zb3fZZ*V_KV&#}} zy^Oz~)&t!sCMI_yFn*JKA=8sg*Or=)@FX5=KZ+TBpNdT$C#PvXyL~GWNN;-e#)rBM z3iVS|J4n^~yz8)QYhhcph90abb``*Pm_35~7)R#+iOY9G2zx3&kObC!FNY$1l{-uZ z-1(gF?qvwHOqegtS=CC+^WC<8hV%F*0Kc#QesJHmJG$ppn)5+vEh>4{@P-)McO5h@ zs3d@;X0i1JfU^Z%L`|ia50GgH0W={FW~xVUtxRT+niJ}pQkEL&+4_1f1p+9{s_k$m& z0j(W*84+#r;DVuTBy{-NwhrMFueWuKm=keG5w(2i zA=+W>l3D&S-442y^5E--lwFTR91ci0H}o*m?en#V*_5BI9}Y~H>yM~1f?H>CJ$KH` zQ0K(9WduRuBSHN#^hbk}`*|Ap0YjS_0!zlUWrmbK)#?}OomZbOlXiCPAe28_-9cNi zaeIfb%Ds0wgjX+&cqe?~Iqy5-l+Rn=(LMFkjdwcDlpBsm%n2?#uAdjR?zmxL!jAgL zXVTS;QOo+}HyT$CUD{}RZrqv1&M(YV&yRj_$qtu!!}GIpESt9;%87YpzpQucj`!WY z<91(})mwVwn?t?3yfyrX1w0!!{D%YkU(a>d!93PK6yD0J6%%H{HK3mfNBzNnZajf&JjjyxGU5}hvoc!Ivpl4EkJk|f1 z)H%W91Jmw(8Pv=C+rhTJ-S7YI*Drmb;wPkx37B&-NzM;H+`fXg-mM3Nm-UH1U9c=S z(LTF>p7Yxy{rjfR5E(o(V{1+4v+zZ#vhFzAfI@?{G+0r zs|_FZ+wuO=m8H|}oF7nJ_Xim`^j(D`)Y~9T3N4%7Xx<$Pe}^Z= z^vh`L5x7Huf_`Cj|D*n|*I&?93g>@bP`L+BIE9L?Z#bgfQr?ta^~R>xpRnw|d+Xz| z2V0mA^TpN4!|Oj9JjKzNsH?r% z^3lThFIqdFOTO5!WX;sCPai3rcH8wu&q;SL{-}H6`=bL|p8E0hfET9!`^L&4U4D(5 zd$I2K=6?^E@!c;2{Hy=Oq1ST{Pd7%C`l$zAw>E@MSsSYuy(FT*UmB>K%{YIFnA0*! z-8v^Ie_(52Rq+)4T+{Hq+N42Gy>tVuw4Q3}iMGASsd|q&4g!>mF5IZp)%_yQJChr- zZeHZlfn}wpHS^ZRnl}%;Ha~XvmmyOmcjVQHT@DRg(ck)Rw--wiJ{>SDa^b}(k&Df@ zHh#AFK)-bzpGp07-MPVOhNah^N$+6({E2By_VDUVZEe)j>>pkpUiZrW9Z}2b?O%Pq zjJSpM%U|E0c=MT{lAh}wh5qN7dTQBmr$!b{>h*E+d(E@uu4_-Vl8QpZk;Pd9tK_Gg z#j`ft?D9f!&d1bG4{ftr*10W;I5au6yFS$caN2mU^7mn8Z4SZOVelyYymBZKW zj$6_zjG|E=QyL|Af4m!ZzVuQQ2?dDf$FjzqO_j>1Gg$_7YB!;%14rdD1*1kXPL0-K zheALunui)8;7}%YMghJHk^+>D3ltsDWg3OnkrKHqo%6^QXJ{y2BGe#6!c@cHf-)vm zQFZ159w?8xj5{!;ikZ7B$wj?b z^f%xu82cRz#-S(_+?$~!AXEjv$nV{8AP(W=Ob`b+VAvm_@cUjx6kM#NK-lct;L`B` zNEC?`SdIhII77>3*uxnnXW&qI z2B4M0<0r#*{Nxr}018*>C&OVCM^d69C(p|mferC3^Kevb%bSp9<-EcXTzm_0lPHy8 za?9osxI=IT?4LXjmq3d$kPh(Dx)pG7GA7nAc{5zc&;nTokvR&u1zdpQafvE2KI8on z+!7Rt)zl69TR=9}KL9ERnNCKmjCk#`LC^I|2ZYUWV`GU zN!yx#k!Pm?HJ(q_;DJ;5FQT?bLIV$#4JadzkD!X!zj$Y@W=8}pD}k<(L2fhi%64U- zY-D3RLKnH+%mg7DpNQhQ#|lCBTM=&cDFh*haP!tH59EQ8;z|aA`VX)R#TETsAV^&O zcY&a3vPS|zx0_|T&Ho1iLASkrm0pksI+_0+MvgUqmj?nlp#KATAh+zXJW#v5jC8AG zJ8|9JTgWCI>nL3UrF4)ALJnu~Lnb@$P{hNe5Y&QDU$#cUP4+1Ui4v^GG5C>aQ1*(y zi3UL_?e?h!t!YAe(db{-(T;2xzlCcMezslcm=}!Wy5w&`?}B$=djEFeAe1D5GT<91qFv6x2XMe|04Z8% zyP8Y7)iyhz9nJ8B{Vd1{<-XJ|CzLxYX&$mSA3GK$OI@(d%4HyjJ!n0)2R&30N|J++ z5b(f)=C}<{Qh*MF@IX=sb*s@pznNLtinB=IGC3SwJCuE#0 zPmfQH_qZ{B3uE!2ics!k5hAH@wjw>jS@_E%At74_oaaHSUoZ8k2$gS^r`v`96cJ*V zD&%kZX=bR#`2ZAuLreS<5xXm)-a;&o3I3wm3I6y<1xR@0L?T$nNAXe=^6~EZAlCKc z%qo-s6gwr2sPzDlAxwM7`u8es;TNH4S6v>CO%>J`ey{A9or@%WYv#s-HFY(d&v}3{go+Dfs(vDcFoO2kjqn}~;Z3HzDPK|3yBt_N|0P&YCN zgw)CgAz|Fn%NV~4fh}W=J-t_*@1Z&aM%D)RhOU?!hq|>4L`i~D??IWBhkS?${mBRT ziQ@4fcFPIC=x4D}S9cI4jaGP{3-C>>ac>Bz@vZ>1&3NQps4G!yFEf{T>wN@&ni_=y zAfnD%g?GB^2-Dcq!74f%W!!XVEv8Y5%-6X2Rt1;m?4r1FjhS+37~Kto0oIvE`*5=% zY}N(>XEwwww%Yi`HD=qh@SxeH@^~lrqLc#Sf#bKJ({Dh7i}#A$!X(#*#fWP$4)c!S za+8#2auGMsIK^2XA^hja z;Ra#Gv&HEsLFj_4f>K>dxs|pReztBZfapQ{a3(k`ub>kGPp0aRPE ziiMWc8=(n~m27rC?VdFaxBkG7seYHnA;%;q(lrLrxLLvYQj(vYTxCnDs|eRh}JOs$)Dh zDOvM*-gK$7;e{I>u`nryx7PiL*|{ndZ=0*i9R^C1{byw%yWD0${2#4f9c>f0T7L#v zuhEDbJ#_(MXD~;95*KW{D&YGI(Yl2w_q|ldjpZQR;Rx=iJKpm!*r8^gm{x%0XYD3acURaaa7z`RD!L) z^Sbgg(6nrU!8Qro%6Mx%cN;igN(5WW+gy|o?%0XwRY8}DtrMI@!0pVxq3Otiu=1{* z+?(83;if~vSzpRQ7jrP$p6M0U@3E)DbB91a`%6JrI759)$(_kbN2RsMmX6p(N^VZt zPXUffcK$OU+NWNt;8vxn}-VDhn_RjnAR(xwipVt5^xBj0Bzd!PQ^KNVn@(=)6<`|SUwetJs_tf5z@qql7HFKF&88a8vd4d_6JgBM*f&jY zv`nO>1;}La_gHAZ^MnSL4gq>Jm3B`!O_o4%GtZxfmkvOl8nsm!w*XkhN)xnkC!}!@ z7|WE`4Z{!*43|pg=Pxe8c1E{c!DX7ZY8~ZRdspd^p>8ErNa*gk@89-{j)XZTAoh&1 zNmjj;E@HnAHeBEwi(#DTDuGFBP1@Vw0X~{}@Ut=qV>;9_TY(a*%f#MA;Q_YQGTMOg zhJ0joi=#__mkC2apEY-YSg_+Qba@D>OGJfHK)sW+!d4&}$~4s}jE);@yC^FjVrcU> zPrdgxN=!|JN7*W~z2WCs4S~V7RCI5@=NWE;>4w%ZOSY|<>umcVAmuIVuq{Dv03ERx$0EKF8v)n6xKq= zP#F_kJ2dOt08z9x;Jg&%nvdd5X*#J6P2GiXRaJ$iWR zEM#{d9VRs?r+Yx9dpepl9a-OHTa@x0GEIw8{dyRCNY{?o$~&TCF9BA>2bN+LVb-a@ zkChz8iQw?}7$%3Y%T+jvJr$1K+N%t8vCpb_u^rx}$?9ZtA+{h4M?C;^l^PK{N0n!6 z=iLn7-wK>NHf+p$B0j*ZvE1VIAdL&yJvOZT{ z?)n$*K@z0(2+txfVGKS7F^f~G2L`%s=L6wp8J}Ob3PM0ZXj*ig6^0c31k15OCfa&MTmpl8Sw8=KXLd&XOZU%8Z~`_WJI?InGqpAW(>6L({FV;oZ1-*% z(>*^eiefH6MO}s%Q|l>%L#?l4oN1T+HAA>bK$Xxh?e~t-1$6WEH9b+=7;TCkugpor z_Kv#;B5t!OU%_SH+KPk%ya&{if7IhWIr}jv8Iw=;A$}Z+*Us~GUqv7+OOA1;UB!qk z`pyr02%xiithTWT-}Lr!DEOA75zJsyjw;IOiPnl9m#yrIdrf*2)^bB(DpgQcey-+#Gg@0`-`#_JOtX z!Z00H69^7XQ-9Nmm4#<&d<>ArK(#_iyX$sQCd~0Ot@g)ap_}`YFZEoeH9~{$L_Vsz z6BFgGiT3=!4aNrTD*<$)=Qa@Q0BMNhJDL6`@n+^%wT!zCsejT55hK1vh6pu|W8RNb?`F+t=bFJvVLT5-gjuy2Yzsd{ZjsVbh!d$E9)Hqj?P;T zObs+K{|A_oP~+wH%iJD>$e=Yhkx&8YuU@ZH$TvtBq?3h;smZ=?Tmd{0d2zCvJMPZ3 z?d-_DxafqM9j+FDKhoz z+AQdT6Sbd)6xSh}?rw-M$Kn^m{jw?tfy}nOZ_WUe*A>0{C7Rk3eR3C_gv|t0B*T^h zt*zEyUBT#FdI$U%&TwIlUuB?~ZjUr?LRPlT$SL_5mitumMIf@8ZkxCY?x3j~qyETW zo1)YOccxEd#l=c{wOo#LLYaC6Dz#`G+6*>iyyvJ;q>g2nJ!w~wU?NwWa~;=Eexj^= zAosCpwKD%VKYoR+$`1yj+8L=YuW}=9i7?8tD`X8!Bs1$P%-8eJqxsKvplQM)Nh71- z8-}A}Avo(e%FjUeffDC9svGXBlJVDkJ4Y-aB6@2Lp90|#JAzogN#G(e~L=lWq0A=?N3quOPG9`Hy`III^3>9`5&VDbqGct z^UL)o*L;Xb9aL*Lp86f4&dcqWfgFme(V9R!wGKf>mJmhVck*8=F`OpUot*0X#&uA& z>&pEkoMH0sl08e>FVmb+&`{|szz9v9jT}alKY^x|ptRV|Fbf|)8L3|m(e+ZMeT*z; z&FZNpc5JBbQ;iVI4YfrpEhBlulDMpRWUKQR;(?DOe~^-^0c{Z5d8Dn=a8^0YD^j48 zxf!NCDs$C*SHP@%#C{$QgJ@ZR?zI5uyUW2EoPNRg?zLKu`K$K_XfG?X3Xv2JeT%R1 z3Xx+b1_Cd!=b4q*T2A({I<2R#eFMh724iu3oeQf6aqN7No2UCF00!Ge^hzVDyejNq z_b~F94w`B$s}EOCGntG!h#p|4X~Ba(sZ*LILdynLBU3?S-qUeLm6#*_JKS(Z)L8T- zS48mIT4qN9RF2KkawVwBu%okPLb&^qhY_yRMwSgCWzapQ zMgxLacTscz4*yt0Ru*z@MCutT&Lo_)Wh3_AVOfzVEgM;jXec?W>61mzL4#fyhO?Lm zag0UP30bX!8IwKP)`VC`C*XL-ef64DBaQY%nW8z@9HA>e0H>+FBD22c;?d4{sJ@L& z?3DIH*W6phbJZULGYapeSE1EPjoq|A>mYbB0jpX-T{t)Foi2}@npJz^V(FQ5vmU9yffPx^wRH)ymE9mObqWb4K zt!+xEZCMYtV~=XJ>C*pV@9pEFsM`PWbCw<01I)l#n1xx`m0j6|U14Mgc3?MI1px&G zWfc?@6ciN{6jTgS6cx>9F*P63LQ_*y)ABL1thBVUG_};MwCpY|@9ZusOZr}m;zM^dR-+=%X~(&M zBkZcL{7eY9C7M`~%vW0rBZ^~@;}>ZysuqdcJcczMNf&}>p-nAlq5W5?NGhnj!{k*D zGTdF$@JVKakuJ7s6}!8PcuMClgYn)eRtQfv5)>y-;zIf=nWz8IO{T z6Dpy9{z`OXwEmMUT6pvitRAg32Fdbh%&qg|!^ElnYBrpE)%U%NG%+_(cCcsmflEM~ z=WQ|46!X_y#UTtH5t9(4cCj~XC`)XoOBrnA(a`&H-5!C0(Th>cFy^T?c-$YgVW_+={vD_Hj43TY;? z`D*(EXMN`D;tg~rK=`bPJs041!iED_+{KxQE)sfB$z6qR$HTl=1(^D!ck+Jlg$ppvbR@gSBm0x?LLX?`qCnF+X!z-{U^&|ww@H(+47p=a{&^%;cun*t zhs{SiNaMW<_HjS6W_Le8xGol_crlyF0MGErmZ~rwh!V_O`f1LV@cD(kJZOhP$Rs$T z9_r8ea?Rb<=Q@KOwyki0=LkO#@OHW?>esSJnXA-1!-5@R-W)If*qJj28oyQRKMKn4 zgfxQ^**)3?2|6oG8^eR7{)juxI;Vn%0yrb}b!uHdvpv8%S*?FejREHwxN|94$@M3I zy^HB0lnZ(MclvWdKzAuVfy7He)@U1+_#Rw06~K+I1aOUN(`RJ9I#or(`FFGCA>*e( z98JXO5;xpWT@mmQQ@^hGoI{Zy^u{mDa4!_C@&^@AplrRb9IK9 z$w`)@C^}Y;0MfA~|v_#+NPxbm}Kca2yyUie_t5co>?}H6Bdh1I) zdV@IP>wN)Uv z7Q6|mrZQTa(G?ZfBFI)LnZ!1xOcN)0xzk{Vl)lAT`+aYZE&mMJja^md=)oA*TtipR zz%Mi6m#M!e6`hbZ%(o>?dCm6C_3B~dHtANfGB#9xR-xSy1|Yq?0V1!^&tZvC&>Fwa z7lLH1x9F8<-tTAi>1kaaL!BAVVsKU4NyEk-V9G8}KoxI$EH3z?^YU0!_GIiLaU*Uq z&=5(f(&7+X2lHj$A}`l5WpOMvJ{clAiS$p6<1|Xh!}U{8-kuBz70*Rerbtip*M8$? z>D_YD`cZ#*H`;cFu3p)(XmHbeyJw@)rYFfD=?gWun!g(XKDr(HJ_6}%U1c!8;IAvE zB3%fBX-uKcZA_h@3tp9k=zyBZNVf%s%_O5FD(q9~G_aHlD)RSx(Jp+Yx!WN3a|n`o z_zcI4iBIc-!8Bvv%AbPko?RD$`DL&pXpO~Lv6xPAXJf|{8kKA+bYN;dm5XYU(W>RR zAr0MJhqn}?joUHJTUdlT8vmhVP zcs&Z6qG%@EpLv@ax5Q)eThqJiT&VUB1&n}v_hwYM&5KAyp^iE>tYz%>^@zr}XCa}O zM(G}t=8);VaVv*&fRB3F^n<9z0++G4+?lBM03wd#lQ3Pn<%Z(=7(~WgH!0_s_`MCi zP}yj*%RK;#gB3K-4G1bfuey{i;A+PeOVO;+sNp8seiqf-M6F%1*cA&mr@w}3zf;g% z*S(dx1+8iyU9W}}*wlxAwLwI!N3nbq^OLrJ4-0v5kXKCvYQ2uCt^>#GbkLe^ey$-Q;4KJhCB0Qo9(<7~?aq4MI3#Na9S}$YyGKRnmAda8% zYQ2s}T*q6QQ0pyRbqmwk)60-4v^>L|gs)Fk>}m4UW(}@dgZZ+CDcBSWwNZc8!B`Y5 z?GKjJ>EI~T^b4^}mKHmm+I(st3Y&0K8*e@c!G)&Dw- zwYr}{+icXI4&PSFPvEWGstA3TFqmb&6lkP==~(k=?YRr&lKbay z5|&|yU3mUpQ|(nAb|8)k4aEX|Pgp!LMF=wH6Cr5HHB@lTvAFgfSTo&DEc9vp9A$it zguxrPBD&3?$?t;U^FCxbec+lNtmQ?H4G;+1xB`I%xvLKnVmE?|@v{TL!2i2(3cfC4 zizw7?{0z0$BC!^22lP9(3~G>pfnGtnBkXQ;Y-nv?} zF&5QK_JWzc7I|{@29v_p$+&bf7KSyHW68xf#3FSvtNq^SJm(|6gER|OJEpq-8vV3$vRzbTxwcW1RxC^;2FnKSD zYZYYifg?abd8=F@WH!vihc+?IOCeRjtyP?#fzJPmT4x|guxp6NrGuc!EWb2#M{c+G z#y8=Q>tI!PyFAv@dNUB2(GY`M$70LajW3{$UqaKZ^TuscxwOoybv<6b9-m)>cD;h- zXmEyUs$b@oce8YmB+^`+u`}2mg{)^f!sMo27sRcJv(6;e{^g{xcow1a)tNEYc`^Et zY8c_v3L{;9)*t)~7BuTS)KHG(C$MH`F#i;vJbg8`YxQAW*xl&^_`bZ^dXda}1MxC< zK2H6S&GvEuq=S%&vtGf>a#&$9J0rU}wU6T(!OMF98-N!9vno z6GE&J3D$Rb{Sc1rj&t$?-04Wms&oa?XUna-r)d9Wr-eGLtibAEC%q~wv0;UNUOx!x z8dg#*cp?p}xaN@9{MMK|iq>$9uCX(>4r#;+d9eHWEVZPv(hEbHDf zAM*5^pL*dOyTN@Dxz{0jMKd7D`u$@CpXl;=zwhMhEgu@c?ukmvR78Mat04J!U#e=k2Emw_ zb`W`~ZXxc%7nSTS>N4-9Wt$))T}7iEb!y5to}|AC&F})}q3XgTrTkEs-N4UG?dtFR zILV)P#FoQYyISZ(**!%_M8^<46|#Z;AHNO`mrbTFC4=})DWdH+0beaa>rF^0fP(j{e%0;TpHIsyti@E&HM50aklxpQs zDCJYTT`mX4QD4|3_C;K-=XVp*f7ms5zS)bYRsLkL`4^Qny_e-k&58B)8-^)jGB!83 zNQq!AUgo6^RoQyZ@ue@;bp`m735W}YC>ef)GQ(|;W(%~eAQRF%bL4pll;Eu5EGJMy zmtg=~xn4v<9~pjxnkxb=nUIND=_Ld$n^*K!E=RvMlM2UD*H75iQP@FU9({_bLJ*m1 zEuWeD8g+3m2T*?@(Kszw2(m5>NNrTvnrY_wJk-23y@iYXMZ&F8R zmQAa$bg1gu!|GNf7N7RXnqO6b`Vhb`KQLGoTCe`~dm zHT{d)&Ap28MgEw2UH}B}8r?(IT!|KZY8Hw51=9E_-#2rQb|+6R zh`~ya&v-Kzl+ENh8EkujSx<(jzfD=Y9nqmjK7fS!TnP2kV6hBwN7z&Fv$roUcOFBA zDR9-iPv1iHR9+%IB%VSURp|T&NUB1IjramzvnI)vt>FIw?a$O@H(B3iGiL#~<;%vb zxe9GM2Qk?C`N$TT@+SITJH3}7%Fu+D%Zr&adm1AgDPoBCnO)#7(jJ^s?!D9Cj70hy z4a6k9=ndwhcVBQD?bI@vLL?|#wS@2=THl`q%1kF`Gg&&5+zXxju_U5+EaKkr!(;J~ ztW+$8EHm#9IsQ7S{MqAJPG2FkU!UZ<_*27h(%O^E5H(zQwzQ-iB!>b4aJm z4eFexyyfPZzGbI(?jSZtM|KnJ4NpoAl?q57BzKlB#<)ubWcQL@E4lixCymzNm%sYJoxT{d8n^?6Vay< zwph9ihT7|Sh#s=w1rBy-z84gO%>bQXkdS|VN2T?;pJsX<8JA^Ip4(3LXl<v5{2V5Ly%?g@RqJ6}lyjgP=c9h`rq6?)X{b9wS zTJl^p&b6fuQ(sk z)si=4vR6)o?gm2U(gm+Wlp-aV>#QNo98j8b_{9^K^3kp zH19D@QV}~nd#(OwR$Hqjy6P@e$6ZlrKhP1wZUr}p+6Rh5QS+^ow~U{tJj^lb3o4wr z>=`|TDy^;?E5(CKm^bREI10ogm4flu6a28|m${zB`~oa83!SmZ`GX2aX)B2Ig~s`- zN{GsN6AVF%Q!eCkBd07jywUU-c@h}@e@0E8>1~9y&e<#T)ExP&CPKBKh?T(Bxqxx~ zCS?9(2~Gg!1^A;YqBk@Li9U>^WaP|;Z#H`HP@8*beF-zzwFV^nPJy~WxnV0>t3A9# zpQYb9i7n88JBR)C5YtK}d1?pk_Q5dkCz$v8S_^deQNF7_!jBBs9u3Utij4J<(%Y1O zPdC*1xus~OxhRs11_{HBgORnbZ!08e4&Hg2e@EWzYuowi6SL^Rc{vFl4i>~kSD&GSq??kQB6h+f&UPDa|I30HX3ly-!A29>9 zu2N*Jf=iy@@J)*%qXr3m0US}-&nwS%z0T)KUHvu;HTem*oW!|Yns1@HR(DDRU~>0pAv{e&4{j{q`C zic((n#;-Ty`g~kBP+Eryk0}MwzHp1#uT_I9G`Qv~bX~8Uqlc;=0_c$TDN@sftnZM9 z!;1QzNZO3A_ELby;e?`fF<)>*&>B?`DAHGM=mKyf3Z%V5KGo` z(Lwrx7&#%3GY6T=L{W_A^g*0itsfJp{VK?|OVlegTLP)peb`IgNkeDozX_xg_!;BW zp9XRjYFev(Bp4p(9r00MhSu*DX|CIZs&-hi3<~)S0$rhoJs5(f3yUe%7Y7Q5)`C9Z zJM|K(0CWh18Nmor2ixAy)6#h915Ce4S8%bRwhOuIseCM|<}1u+qlDNpB2ITAX|~ex zG=RLalJJ4aXnHqn3#ISCt(S>o6nxZsq{4`#-x&fPfeH!D>W{LZKk4J&}`+U^{W%a{b7NUh2csm3EZX@Ya75M=!I<#t|q9z~Jdd_Vv z0Xe6vO89gga$!pr&h~sN2VJC^URY`YDsR_qnRY8)$~4c;X!0(U5WfVByCVX(MmVW+ zeZ^=Nh#QwfRBUIorQebsXgZkqw~apwbdO#O{z-N`-+9eo>zIHgPar-`+RpGAb9rdJ z5epZjm;9zbi}(uNn{tN27R>eTtQ3iCpClQ4wJln@S$wyHv=oT~;)`{E=%%XwAVznx zS~J-)S$jcCSp8e6LV@||q}GK9fJBx55X+HunM;m;g!@>pzo0^;*6uEDxgQPHS_yfJ zTjoav?S~OWC_UT>WY??*2g`F2cfc?Iw4Zc(qP{B4`i;&!E`rRp&Jc|q9H1FVV!55u zZBxzTI|A4%x2U!pmDIBRd8xK1VnxOYFq~J=s-B)W_tkvxOFSao#&U3yd9SKzuKg7$ zM4_K(qt6xsCgwRGK!MpBmIc=5|tbY;2q&{A(6hT(-oF0 zD$)@Nv)pF=fqj9t8jGIOJ=(Ag?OLWFv)#pTh-`QN0ZA_Mv$*vjf@xV8BX(BE^-AL) ztuLQ$|C!zpyMrVuh|lr46*n;VdPjcboKs*)ecL(; zkx`XbglukbM|4@+t*iC7ZX&DFCJ-{4o61pNqH=@ddw|#%#r{YnZfulpjQpyLdqM?5 z2I|8Samts5+w;wX)Ff)-24wq2z1yOjq*wTpz9Vj`rfinqLfi)`{l~$ux#6CQqC)l( zQpPx+q|1vWp|HU?5iR=M2>Bz(XFEMq&}aGuu4zvJRFBh_KS`o~!5GFH1{!FE56Q?h87 z6KuKO+(AvzEc!b=qTi4WF&=YR6wRfb&&_AH(a+02p(cA;#x<3#EVUCVJdE?}vDNL+ zGpsa8Q9VQUSC~iSxER31>9@MA7m`h{9bR!`ZEQ2Vz(*y2OvfLIuq~29u$tDBM+zZU zn%;En@Mbz$*a;=l3a6sV+4~nU$LNx3c&AB^T@a{hDeH6i2yLNP;fsOAPa|x!wH8Mr zk_wsVwB8a1ew1VHf$0E;yA&6~;hPPJ&M|l?;~>>AP~Vx7nOuZ8rCvX^2hm9rmCgyB zb@uFuBtg5%O4#cCLKoMI-Vi3}xEgYvUxin)`Wr|a-xi>o1$a5_sCZkCmCjejp@hl< zaEE@tfMd@F!&!;Pxwtg za5m||t@0zj;F|_hotCV<0U;2$T($6o#Nx_+f_@`ha_N$H;3;b7fJ)(sD`?3AwDFb) zYQH2NG=%UH8v;YOH4@rzZ7G%;5NP7a@1dKpO1su&!-7JZ&%TF_c0*TQUvsR&FPQW zmBL6QGhI=<(DhD20NZVCDsu3FaE)#WLbk9M-pUZ6!ES{xjTO^E!1CIK!f+2cuP1^l zY{mHMP-J>{PdC)XX0a4?huk?&c8DjZ*|1qzT5i}xdWPEIa)9{8A+gIyD3XLw`UVjq z;^Eu21Opr&dWQ#j5E}-NwOT@N4kZw`k<0y$X4)Cb`AXk+3eMjC}7RL zlAB4*kgQ?`0)@S>Nsr9?!PN~aT-eRy73r2Y+_?ccDwz!}k<}Z83i>=SV>H*&y)`CK z4QffHMY-2_Ir&22NW|9wNV>Ph;#sbbV#A9l!SQ0|8yK(32I#jm8?knNmFp|To~Jw& z!8@SkckJ{f7-S{nDM}p48byD^KM(RSyapve{Kobzl4I+^kQvN}1ACrWgP=f;h@@w5 zjuIbefHv6GfErGE5HYn4Xv^;&2*TUUH$Cn$M7pzlbYYnnEE_LnyK)H8Udo}`1z|uP zmmq$?tjtF7DNj(FoarMC_d%t%zqnMo>@|N6|Km?PFAd|h(p2Ou^)dgZLP?G#%zR~! z63uNQRwI?eQpATgA0=nyP2R|s@)RrV2b`f$sz2<@M&i!RJCP$#ke8s`Z5#T~HR5~> zAvm!ReoDDNpg8^!BuyMa9u-G>9z}OuUg9|de~CR%<3Od&DRow8foJjax~(V)i}rtA z`H`9cTD=Ix>kf()#5RS-ovTv!^Rxfvnu4T%V#mALMw%nN1Wq^_2KteTc1z|KX9hNYLL z=zejn!boy&WGXHwE@kNYRssSdbN8NHw50)DZvH6Z60d8pFM;jRG&Fr0vOl-yOJrZ1 zqE_zk+WhXQKP8ZWfpdo<0Dy(N&A_z=3S6Ef4WJI)pV@NB*%5hwm259m!XeJ00UuIy zIFRZ^c<451M_m<{&eD$jB4IsHr2UgdyB49AA9Uf>pOKj@KQTH0!~psrYZy``S&G2o z3~VDJ5KgyTr+vZXlZZFG8*D0x7d`;s0;G)$ZQ+=7zy>8dO(E4=>po4N!H6DIjVK)k zx2E|8wtN-5s zMg1H8JG+yikn?2DR$WP^(j7|Fi76#7(L32oh8ohlWTUn-Cw=9mT}o`Sc{xEzjZ0x7 z?glf62#eDR$g|L-_h82WY`WxgR*=`Cl8Y)&BGfcrPqxW^93GBrJfzX^dk>1$-YuFhuZLj4FTX_NrqAx|R5?E!$9px?TPqVeh6Cv5Yes(r*v ztm{r{;A2#AKGsdNmk77$8F3iq<6Zl)G!8=|%KqG`83jn1f?*@o;zw^fK_Bi1ze3p3 z^)~AQGE_Ku4&Zl4I%%}&<_^O2{PcwgFr$tGVh087Rd^8dOU)f9m5PsHdbI4K?KFTV zi_c=u#_M@snr^>DXLv;2HhDH)edRhO9kC(fFz~3E|KV4kgP0o2HGrP6bLdiTd=MJ@ z-izDb)_&(t#&S1R8QuLzxHgHS2T{E72VdzMmR2MOtB0|=e5nQ<{>Wy~?(&0@<9(^X zy%ee+A`rba&Rac|gEhiFrw+hBkEO>O{~4@Z;ZIB`kx29-^KR8ED)alnGz!`3c3Hy$ zC0KtoA<}uIeJhYm1$Uu!zZU-}S@ES{{tc{`NBICkl8=D&3F8Uh*dJpt|DJtMN`$x- zJ1t1OiseMSvdN{y$-i1Q(^|-Tq1iNiSCJxjyy;4Ayz>BB+28T5rBO0LW2xWsqrFxR zBa+bD)t7PiMolXFN{F+FRSKJul*yqAx`O%QQgiGv+dphchqY`sKEc{2_zIWYES#q) z;xf#qf;=IZOP{X8^tef*o98-?rVmAy&ccG4*OB!kZ&KP9WdKd*6Ii#MK=_P|FMS3} zmjIBbiru;Zj9)f&cS`Z|nD*L`a`*+dS8f_)T=fPhLT0wo?xX`mfEMDLgAg5I_(pkI zp)s@EAFTNY*54yDq8$_HUpaQ-c=I*?!?SQFMx!$ek4SMW?xcM;pxBKLkHArZcT^lo z0-0fa&fy6Vd;?9KXwHWfqMbtn53d$<`Byp1ATEsMHuz&v_yqUec_HJBLencCLki?a zK{{fWf>CuBQ9{85b*+EOb9fd>PVQl{X>SIQ-Lv{2+pQznDSLH=Fw^Kh!T4w%(iR7r zwPeG#l(%)GMg-u-0+=M*eEQ!SGL$=&?ynS_DhOPb^1D8{m;FnD#y7dDfXN%p0Xf#k z9-r7gMeb*e=}vyYm7x2Cq1m~gGcLSx!7__~?pa|xL*SB zhpbD6lQGd>ZTBL0fp9qg8uYg^)VQ*H366a_7Fl)-*v(?TUh!)_fV+7JYVq1E^wU@FiAcRr)qIet$lnLwwbsB^ z12pVWn7CWnxDYaomBYu%%_hT>jIrfS>v*PH&d>F5L-vP2OU~%B}GCc6TjO_oZ!RmBJbr66~FYCEur`q?KYmqI!;R~eApS# z4E#|T!pGqqwaw*B#MR_uohOjKWw6Dm%>=RT%t0ujJeZ_9rdu2ouk*Oi$}Z&YHT1AA zu~iB9gvaat%>^WrH}NQGCOFh?4Tqq&M+=y2KAS%_Isf$~dBMt-) zI(J*(bD8Z-KcVX~+6;*|d_Rx-eF*k=l#MN&$oq}?jZec&?3a~}^uMXVEw3N$M|$ah zRi#{K_J4B(GIx#tQsKy|myq#$6}E7j{KZinjsH+F)5I|-YdudvnRgX%%_@B`UXBKWf`!tMNNE0|D-Q(X$J2`!7LRpDr?sJLBeqL zO+HR|j*Q_8o0EAf&MiL&D(=k&-okHpx>0i!)78*b{=`fFWdz^B*??_R`3QY=TxPH{ zTq%4Ex=v1@HZVJ%2e~{YPStgy->5ID*eT{2ME@o1F98}MuO^N@S$&cD=Rm2Gl58+M zVhe|{Q{kE4&neO~>2SvyQxC8zjX(QICtz{Y-_(+^0MqI$eF>JP3=)a43jwkr77hZ$ zag^4{^5-Tl+BsH~^~E|&x2y9weVs4guMn^XC5Vo(oYMYa;K$%sjW0(-BaZ~6gKjwW zJKPc7TJVYW6^-VNWCr((N ztmh*j&p!&(N_A1OJs>!l{y5(p`z+v0_i5_;NGNSPp zZYD7g@;C4Im#wI!E6mnLB>|TkaktoTG&j~#rDXN31U}aI!A#REk)DmMxTku5AoHqb z1rfHS9wp39VIr_4HeSU!q$7mK29wkSM4zW7i}ea$lFI*OmAZpOA?3F7ve>jMRHVoq1Fzi)0GCx5`l08v zA9gf^CZ9{~6q@lnF4>X!Jt)dutA3$Gw)zAJMZ8sf+>09@APx(xp3F@Rtj$2xv!E?3 zXDuD{X)NsL<$b7n8aAa?W74x4l*Yk-1W}MROn$OH>sM4U)vNkchQHUzX{74cN4WxD z)2pP;kqPztz@o_v%(xNAe{Yeg^RS+bty5p@rSC4W9kYT}r7$q;eC*spcsZn-5GPX@ z6(No)gReN9cWp$4b%-Bee%a`9qT*SIHp6e>wL=q-;G8u9HC~dQP^JQ`6N6mo+$D&_ zn_p&;1ALz(eEM%#ghZ+MD!^9VY+Z|(wL+g+={RdGG7OX!GE;5=JpQ!9=hQw>z{bX} zQ#0myojrmwp7JNP|K0%svqlZ8mlGaN}h`6jCufbRS!?~`ko7M)3)j}AYj-$96HqBd(- zQe{5OOJ6ah^X=|rp;S#k|2fxsWT5^tN;0gkgyyc`5|gNZv1iDu{ki66iCedVq0*D+ z0QhW1YJOuYUu5#l!~G32)x-UP41gZ~3LIjS)mmS!HzAMWv6@H{`!867cV4eTq>4LC z5Tj+&fn0rf2hH{nGNKx^gyB`tEDI&ZYJcvmYGOa!Id6TnA5hTQQ%OedcaY&YQ>E@E zkT9p&iyv-^OKzM7D&>Q%7WAQ6trQn z3aMUXu;4QDXce247i`$b^p6d5S<(K9`sI|Q?zi!&WVzJnO=8T8;+YuZ7leD#U^g+Y zvQlE_#yN>EAh`H_a%u>SkQFHR*QN;u2bi)h;K51Cx<#bnosRuZRtT{pCL(#gGOx(u z@dfr0UMu_#@$Z;FS9!)x6S4tn0ST|Rj~%W>rTvwdDpMk?bAp>M?t)Wp36sqq`ewj@ zFT_O3TvV^_$l^7(+*GX7zi)=}$TcWv5P~ zj>IQuvzTkDS_p{(^d;*Y}sI`$pWUKOC#_1z8#C9oIKbr^S z0E#DB)!t_R(4rg60P3ooO9p5c3xpMZmw#cnP!%zPd8`rA74p7APKV6v!fADh1*`*)BeX_&I$1>G(B zChaYOD8s*!=^`4H(@SBSP9BqA{a>q?|sc@@yiQF&9uoeF8A zOTQ}58sy*fis0N9T;2;gj-4Q^W3TyJ718GB1JQKT9==45_flV`+$*$lC)saPN#V*V zi&$92%`f`_*K%_Rjn0qtQcHxqUB(hW5#F8S@>V}aq=Tn>VH?-dSFKjlANcoZFPNr5 z3gW!p&({W~9oZpyVVaG)Gt!3cMIq; z)8jgpjM{R>+x56tEnHLIa2ii!<((Z|fE4Ppah9UB0I>zM4pRR3x0mOlhFywvpQ00E zJ(snHtJIP|_p)E^hvK^sSkJ61Pz#TLo8nDue;HN9SDwy$isM;|4RTh(N|a z2(T*bJY#|Vk#3Fp6MBkKZqoMkRX+&$h)iZaxIUx|)fb%yR(p>CyQ{s(nzy)@b(1 zWo@QP^ukszRzFk)5C$){V5sXPflNIst5wfXv6cGiDw3})4I+TIL*}oCX~P3ar1mwn zE!g~1;FO=#^-;!E1GO(aLb`IR)!-+(jJZ{6{fYu`Ye>g^t*yQccy_c^7E)$h?VH=1 z{z&(TUtsei*=!m$>C+3$K>_lyu$(0Zxk7Ozl=cye@Pd6Ag~%NX+A-o!IImyEQbaq0 z@09Pnwgs*9nbiXob#ivc5`>q#_}QMwy$C?=J^Y5k1Bz@7bf%QE4t!*;wD9RWFr@$I z^ul0Dtc9pWpTc7p#O&$U!jE$o;gjPW3V5fI(Wm`UU0n5R7}L!}C7n~i9P!xBaU|66 zBz?Lb7{bn>1ZSo{PGfWUNckHD(PzwrNz4_F&b+bYD53|2!SBgrz|jv;VJ>3(9QYiu za`Ly>pVj2|24A$a&3n$ftb^$T`3J-xIxy@LXm^rJx`?3N(`EU4n52+wI!Nq;woLQl z>s_N2An8m;!f>0)KO*ghOJwC^nw|<-y8(K21Kew<_PV(OAW8D#wH3hN|P~kq51KCT(QYQ@8D@QpQ2(Sn4Q>e5Yl?uqB z{In;&bPh5y{YM(TRCKKPv5)SCXXGTwIoP;ppgzr)_TvAAEF07Ek`M%tQ{+?oG&dD z`zdtiJqcKELa*!2YmSs!H~DHq>=uc8tPkw1Io=`tGg^Z6(}GEuWD3*18V-fd zvR1!PHaFu*%%MPjtNk!ZGj|D*KlCr?Y%uV`VOxnBE$Hh)l?_^?Nf$fH!*_AvL#dq}k&Du2HQclm(Zt04cm zBE(_Z3bvhoPl&Poer=Rpo~qqD{HNCU1o0j^en%4c-udkv zaOeE{&-GCI+uA$e&!zrUSDU8?y4fBW4)-tE-qz5l(b0Eeqi|UWnzqGH?}kn99(eHk zyY;_2eC{{r-&{|+cR5c`GXlbU<@+fBC z?-K{yv;B$wUE{RZR%&bIgg;&K-*i#?MgJe(p#5HVder`>d;O_T|G(d({dS%q5W1La z4~nui(yWhXu!*7{iAF9{`z0jr)+1?AD*|NQR+NYemXpjf{=b`%F zKch|H@!m+YKX}I9*60424^Qp#|9mENTH9E?Q?dJ#$3wMxVDPnJLH_(6coxRHI@=Gm zfM<1kfNIpkk>B1pjyt#Yyd<7~cWw{MSo^I2RP&ebU?Te4lJ`!68Sj5C@aMPZfyzDH z-fau2hXd2|s1G;jT|Ue^Fd5I`yYQELPm%DKp$8Rzppg^qRq}5;vb_b`PilXn2Yck- z-r;Wxw}1J+-0tDdY9F!fCqL9TP_(^q?sV$CQZSzGPFjG4y0iE`(8%|j>fQ9M!aY!xyOVo+ zP5v*|<*zTH9l8~WiT`h^wa@aDG9LJu1lw)@Nezp)t}T)yrX{;xUmUvuRC zm}*<^+xNTwHAg(S@O$sue`Ff9FY6C(^d7uI`|*wV%{p_`y;7UvtFcIrIGci_QA~(vJPFInusW`MX*40n@6@9Qj-M6AiEJ z%`4ipa{Qt_s!+qr#!VO%Ylrv+9C|o<;dA#`X!{2!?iYPm$_RfDfXqt|JZOV>4;x!G zqI~2X17ro(JcG?!_Am1`|F{oIf%(yXnfurK+bW(4$7ZD4OGKzQzlHvDH|Ev zXFy79nmyJQ=SU1Snzhih2;Ei z70LuDeKL*_r+My>J{g`3*~=e=U&^GU^pEi>F&(a*RJPG2BBdPf?&;-ei#<49+=Ea; z){ma1$$;zHieN7fyzJ} zqX_qk13iN{?>L_rRU8TR4fl)jk7VPxxPX|zI2xyp3yKJiKXhOG z$|E24*KgtM@GTSPv<`c)E-L4*MYq!7F@88t=Z`-Xe->o-fTp^gpqLswcZa$uN1A(%81EpOy4%)1q zpZw53A$Obe;eqnkZ=qQ7g!Tp-1>jn`m!?7o;ErHE5L4}UBAqG%j} zViX`J5vN>?@s}8xx1W5tMck0Od8b7n?c%h;yytyrk@F|oTI8?y_q51gzeRuBA}?L= z;&;u%?Q{J3?{NR)7@@n)@;kb-ZMmR0z@tnnu+ev1q;2k19PSK2p2V>-(UTNP^mjCO zbb%3V=2b+>m@#A+ieciSBgU1Dg-q0llA1EwCo*$H#Q3q5WiVIa;mo2yPawMrGpLTS zkaEzTQk7H6N7xhbNM@m} zr->uEG>F*oGVBZR4-E7nxDRlz;Y%JdA9lJk1Op71ID>zKCrqibbYsr*tUsg}iadvF z1>kl7(<~-~XPFGjnfwJS=|R6BohV1D1KZL{4Ht-x4`4I-K$4Z*pIJ(N zq;3*v=)`Ul&=hS+5L5?3H%y5jFjVx}CslgyU>8vh73rf=uf zd~$G`8#x9CifM?Qr*xM|8pKY=6F{U%LQGGlc8bhDs+=%tfgf9dasl1j74(`7<;ej| zm1&fY=iRzswm&Ms$D#W8OC_T?zQBvAckIPIC$9En*lx&-eKXxlDMoBNlo`jeY?$+X zoLiOh{r(HYLBrYM6xuL*_O?|FZ_<0RXT8O73>hrPAzTXNK&ken%;!_)34`cCei)^; z9qct`CuojSQz|Y+RaDJL*-lhd3@rCgiN_Ts2Gp;`AD$p~x^m2z)Hp=6DC6*NZNn(? zxB`?o0fGQYHE-e|6d?wp4f#6S6akV~jbjOo_M|U)5EY}##^WzT?;=5DA8I_BW=eD;n0U4gAl8|KyYBDqylX56)*^m{7s!9>*&3p^} ztsBnQ%a>8MO4@s0xP&A~~cIr+Q_cNP0jy zY#1bPW=~WOE6HAv-vQmrWXd$?B2^G2s_b4ubV6X8hP363Gue~5lwMSDh*8@OLK>-r z6P*|UgMtVLDq~D51n2lRUjdY|0LgumEE~?I4HW!C8)tP5>g0nwLjX-Mx znGvj^WH^6L=%draebgVZI<+v`Wkaq(xG)0QOeH2ZUK)YeVE?vkw7fuEZHg%Di*SVN zdoMOk2-DqU!}+16aA0|7?7DQ~bbf~I-H7N8Q#d~5MZ;ug7IJP!AV8n5{=qMQvBIHQ zWkcjBAImRcUUNQyTn80)JANK_&zXvNH>rSr#!knM2hOv&=I07j*y9)Mb9=Qa*n?(p4}+ou@J1H>K6! zCEAc7gtg;m{9$s9VUHc@uL%mmChX9>t~MpXn*{H>19IueXyaijWCrHIau{P0#4Kc( ziCjAiTTqH`rlGN!2}&K{FNCE&slfJZS^7{V1mhYe$~c#RB)q6WWnRD}B`l}}fjHjo zUhJ_PMwoh%z9d-4CePU4<}MNA@1SvIdQT0SgfjNE=+ph>P++Z<`XJ|OfMc?A1wBp1 z{S7~9)j_e#vKQlLfGsy=95avG62jU1Fl1T_100u7fy*}tOGtE`2+F8K2DH)}X07pM zmXNI15%j}+Q+y$iNGGyK1?mLOry3?3*8(j3LuoL|F5qpbPI#PFy5bOXolb{UyB>EX zMNpp{W(*#hxnAj|FoT>~nf_K#<0@-NFt=4r!^&PT^1&bjsSOQc(^!tNQ-94Key2=| zjVA;qjpx`5J`fs!?ZtOs7iE_=Ex?x>XPYP!XYtxx##FgFBPK&MBjykg?lG(36L|{t z;9k~>Pb--m)3Y}F;Z5n7Qf3x%8$v_}!oaDUstIK#0oTH922UY**nXY4X8Vn#Q!ahq?XE%>Oh&_J||AFLIuoO(Qjv}A`izMs)Ipz#RvFXTSlEasuu zQ2sN0o;GzUDp_e=r($w+fpc!?sOgKGDnS>Sep0%up)C8YevgW&f)9l>AZ5IDlJ3$b zvcOsr!t^mMrzKdIc0s1v;T*+kOKX0-B91Q|&~4C%`{@Fg%9$Scp_z?I4B(*e~R znW~9X7)#}oB${QJlYA8O1FNkZR20j`=+vgdB~qqA4W|gX%IW0?5JjgE_o>v$D|g8^CRtZm>o>i zneo_^BJkAyDzCQG%aDs4j0d`ZLA;Y0N22&(!#4D?_6tG%iLX^lubkHCeVH(057rzV z!WsPd5EzS^0>bszaZmWVy8;!n=2!^#1t={|U=}kPCfhTAj{)ir<7f`%{Ui0b1lan; z9)Tp==%k_x^M~+Ii_YG%EkAiov4~7Eb}&68n9ssA&BWl9Ucr>oeW08bk9OWl@nt$O zY1q%%-6IQD_T`8y#J|9l;nZ}@2G}|(Q_E$fKXyp>v-N8Zzsas({B2kG!LY_n#9W3S zcJ@FHKjCxJ78i?|W>6{u^|N#0s|xuB$_zA}=c@fIvoweN-C>ArC|J(-0ol!XOP2l= z=L|;Q91*%%^xXR}bqI5HW63fLA)7LEh+n|WAoXmL;rNCFcqANLBm^%wptA_g!dGk@ z%+QM%ztn{&yR#HRKF{~Ozw7$_^ZoVqGAY@|*)y|e)~t1}`>ua6Peyaind#Fl zYgIIhma;tq8AWn4q>`Ejd7GA@iQAE-J92ymq!4fo%{V--d^qW6ZGw%AigY1&sm-<{ z7<8N|o#?r<^TX0siH z4%e&tbA&N*9f*a^phS&2(Pv#6&%nxmM)vB$xw~Y)AsS5k1F;3_Ih2%;WYN4WjZO8N z2nz%WcOoNI4mtn2a)*v+{`giGjW3gzT})JLlIk5sOvHI;kTgtbITGx2mS2G(la!b2 z7lWs)Q}!2NdOk9y>}5dY9}U5E#EcdC-U?4j>yi)PK)VwOQ$R662(g=yxL7z!>#(bY z<*yS?Sm7A}3$d9$4qY}Sn{BWP%gKNf8qW8rWaMD)TT?1utwV zeJi;u{mecYiB|AAbyj{BEQX|i2I;fHZpTRl1~|O?xY>b>?bJ&qoMb(~IzOO^G;M&|-;>5reE7P_uglN$;cUEhZ$7QB}&Jq3s=mM?@g~ zBtH3Npcka&cu(E}F_2X#X_>&En}r90opne!Yq23gV_SoO`k+bovxiD0)SZlGw2EE0 zj`*Uun-AvugW{Fg&vXtI*+ebhuWpYslIMgUg$%6CjOL>=zhF=LUH_MEoasV`Or1Dg z7(m_>+%y1;p9E8(M0ypI*g_rgxbHhOO0gim8|DZDs zlY)YFT$DNje+9=X-+%;lKTfjQ5mTn6ez7`OPn!4u65bHt*3y;7ig*ppWjMyI>Y);Q8A6>3>ZuD98oer>wXxKI5#?^4;%brHTo7vyx z%?>dM2cLM~4*c>j!kQWg3B}PuPi7pBP_GCTmA~x4d748&d4l74&GmzJIPGp_4I-OJ za`{;hd3)I#*V0fjwlR;gzjSg|Ha;WXz&X0_n}-ud=tHOSec=TJS*i+-?I;(z3K~9b z!&Lkd$SZL>LC6(vr>iwt^gdZryd9BP$0!ed0v|7~6ih<7*s3|hmy=GWURd}+W;&m7 z&8v8!*HslBnw_tIkBSkyb2Crl#i=I+3yok4{nZ-376av}6NfmK%ae0(fi6ztCFGkH zA{?2QAV%)+MI)07sZrcc>&TGY#V#uv-O*P}z!&lJ>77*%19X?b0unDJ=UPFqw)VrK zQ$i{|$o-hV8Mz0b+Fy0vI8vvyY=vnf^OV@gZG-$DLqJKH6ci{#<2^V)OeZ5X?=nX< zqt&}vn+i2Y;6Pn(&V+NB)$DqI^i}o+=Ron5lIfX)?T~*04g=?(`!?c^QWq*{r;M`Y z!9b*ZS5D0!OrM6|ph_Zw>)A91QBi~Sll;I`ELOe-a&8U*<~ur^_5h5~m6q@$oF6 zBtA|q>w4fgSo{q7DFGphE3Lt9L>sqBwuIi*VS(XxtkZeGRe;Eg>4}b^n7Tw2Ns*Z@W$dH% z`(D3)s+Bz^Z;HQI(R^$r`bD|&k+O#3sisREz>Jn)Y8yg@`d#8&ehd+S5GZ4|TsKSD zj`Q#g@`$o4e}TaiM9IPq5=S)_hERf#D#OlN=mO zipbI_cZg^ZNrQ8DCMqkziONs>_(Qq`9BdhjEzdw7r2X;RIF?=|Ag<*Hy3=9LWTp%1RNwqaq(2 z=fvQ=TvaCHN<@5w@&_diryVW(5dR)zpr=l=?FF9@-m_#seh+faoD*m^EO5b4;`wIB zJd~kD^fh}P61RdCPW}Z-tJyS_iq&=`ib6{E8Vh1*t&_<-1C$V#$=KS#xQjT5h-HHy zLyi^0ncnGp1x=n-eAYC>%X$_kkd>yNmG1M1=?4u6%)svgJqlkZC}Cm$I`(scuIEW{ z8~F}M>qL=z9`|OB?hC3;Lc&gAC0ierzGZnf0xB!vBAq6ayew5onO|SMbUoJcR_8lP zQzU{##JNATaiO$_Mq5isAdTXKU?2|l<(6t= zLk$*?aK)d9{SBIYE5a&Wxa&ovdk@XmNA;<{tFHCCX|t)l*gi4lo9y?#1qxEAj}pm1 z?OH$OJij}?OB=(Ccl1oSqWie9!#h#NBq3&jW)+^`>K;wUSRRIngK@ldZ{1nTw}JIO zB~?sWY$X#z*5IhJMJjbLOk<1jB(ld{ok`DXe^^8KyHAK>O9!&`wozvZrzZ%0yA<#Ei^)5txJmm~u@A;+M6g3o{f)l7$cpNHg{F zW+uc=sO?2ehT6;z>2&pOf6P3S4%(X#0VVnBpW;y`KD>5prXKGmb~weuyiLB5nQl!n zC{x)A174~9)IxhPYTXauMR*j&u=TI-*4Xh!CeZ#OM|y!{m-aE=AC z!XFzgu{3?^0?>HW1S|V=!Udeb|Y zna|xOmpP{8LDQw1CLsVf2rScsb@wxUg>cQ1R9h#E2hmrpotX8gKvf?JL5D2FNSaT{ zSgA{7YA%k~9bzxC*$-j)J*@uyQ}f7|KvztP?9rf(0tx_R8W5Y|Gh~vbN=bEGV6tpR ze^{Bsh$_5aW-80*&1%WX8-vtaD_6`Izb| zd< zklqwD2ZT60P@^y}f;luxjrjuWCg>#x+_^UE&zeNenz;f`vXpvRI>B1i8^_wap>5-w zL-7Rz$GgN;TrCr+?!b`b>TQVZ=S`|B{&<4vHJ|G`*H0+Dr=iB$nLE#OS%a|&mUsp+ zN4N;oG|X21mcGnx{)zim?9DeYYgc|jqHu3<91f_Df-aYT44yYe(uc5b^VVe-eMm3} z`D)m`s?4v!Y}I`LdV}Z4DjJUs;5xU1WilO>(5y{TUMeo>foDPbH2(rvsN!G}DjXAv zNt8PWxzq@!Io`p_a=CSMd1S^x0vWvBp@R^YWdImVc)JKH(r&rzG}CGavx=8sMn|qcm~9k@o>(p z2^XdUzjt1^YDy4EAby6f*{^Bu@P)vb+}9M2gh7II$E`|M6g1#NE5FB#?hQJX9@E%AbXQxv%mi>5W;rEE2MQn54NzD1y zqko!i1(jF{oG$yE5xiB*&AE?kDH>K=mJr!_*@R=|`l=!_9C8R8+CHbUyM1N1& zixUxUqVN`gd<`F{+{MGd!>;u;1tQ@$M+>4oga}6sh}4p8mUCVbWpo$y%l%B#Voj9@ z$P|PsA(Heot@hF!&%2HpuG;>R7r!;5H?sZgRbmjM_$2pdNRx&wwq|dktGyn@Zs1Pv zg9S6qw$B5)>5Lqtd=Q8`lRDrEgMORbPt(zngfsOf`v~Q-0CjoL?ihwuW&}D`21}6w zNrceCL!};QCs*@a7&$72sl4K}sRGl5l?N%mAIvBh9ZELvh6fCA2NE$51+Pa%k z7|lGwD4SmsIN>yO^;7qAfUi+4*n|e!AKZuhek!CsYZ{NJzc_#-R(P>DLWC;(uI_hD z1!ly4WVr4b=^f4?qTD>=@&KF$oO>>l4VkVX2&xDgZZPyF*K7}!e^TlwSnD0bUx-nK z7>n9FB_uWLPb3;E3QVawQJT610b7xH1jra{;38j%>gw4^R=mKu1Y&UsnVcmNfgl=A zRh|hUv$3Bc1^bqb60?P?mRuBT7A?9xSV4O$Ku#1PDK`A(6^>DvvYsgHVfxGjpf-k!q)0c}DKBr%X9M{y=vC zLJE?7HBirq%5(DMx7G9H=Btck-a~%VzX&n~%C|&|4YR*QY5Gcs6v7s)RyS!?$0RzjYZ6ZT8Fa-^j2e(1_wF|pqgot=H82^{7|bN=FB zXum0-acbZRp4{WFE47yzpg8~B`*#W2F9Ii4{&PRz2--{i1maUO3UDwHf2Z2FU$pJ4 z@|t$2Mce6Z#r_}8@ifQNGyc9(dvQ$>|8~;TWY_<4{QuV-o;9*XnVmH$!W|5kTTY9gdw_B6Q#AV{Xa zaxB^#`ROizP60yb>92Nj|G$2=p@*LCYtOI!Yu^)G)DvJ>`(>W|_!}}+=6P?PT=c1c zK>Pil{%Sw*>8~gEc>43ng`PAiz{5P3YungXrBJ-~s)Xj4;(?My{MCVmNsMkN1w0q(LcTbh(#NU`QKp|#(L;f{}@*OddvTQ z_y4i?@1fxzgTO!bL%09mVfTNB-Rdc(zjRyvci4S`H~xP$?EY7H^`7Uw_?HIs=AZLz z1D#)P#N$0VG*7uHJoafj#+rexFo9q`sD1jx(f*!U5i4;tRfPn=UJt<9LG3uO9e<3C z3GMbMq|qSHYz2p=1hrwYS&?to+abe1DVM51ng=Fzl1lsFMVu1%@oeEIhqa9ufTy>- z(gv(1SGf0x4zK4poK1M#o8xIQu7TsB066uDhzr@I@F?@t5FX-gokBblsy{;ft9YS2 z5CO;z;by0qD6P`kGcMvUK(V;i--9To>*SygQ>!Cg`8Al8nZmhr zT*$A4>(NxKvTpM11=r#_p*GKrBQgLhy+N4I2l8ifdjcPAi9l{6k=rKN;qE9lLxcEd z03Owq|40ZF+!{-jUX0*#%_5F5&$B#2?rOw+`4@5-_lWHUaIS((=j7V1DMe?98$X%GbR^!N2)SN7%aH&G&J@sxslb1aIE!(hIPQ~Pr`Gb z0UQ*Rgs!d|+ggiFSfH1%y0w<5`B~uDt@;`ldCr_+?#b|)9=BGpJ>;5_`sp|h;4kJC zd@#1q(8kR)RCk(g!Yfv8rV`&wqLU}KUdHhN8!KjQa&vWT5?q6*a`%=3E4sixAS{={ zjTRrIueY0g$Y%N;v_K8>41dZz8sffP@en9b?2Am;zFjmRqdTB#%-;c0T@%8qNeuo# zqfh_C{3X1t0=bZz2e0$uDG~fnpo5lz^D_N1W?%6tgKmsv(m%1DUa z$D7O*ccJLfSw5r_$s*%wTboYtuhKEx0o*y`RfzpcqkReMaDucg@^)UZeBSrv#A>A%)}V!XsSH|VVa z(!~I(bnfGnLJa#&0G}^KQy33nY}0eRGDprf_;XxI4Ew%6j0iJ@H3n=08CePlBxT}9)!tgyi5#Hb@p%Zvg9Kg%(gImFmW`N{PKSC z=jnwPt+p?4{r=o{vQiKixN}>Z1X4v-4SPpFqvc z%ty{Qm>7XC=_TD!q(ATUt33;C&7|OHPDP?i-sCx1`AAZf_dQO+Jhm~_s+TxB4Ap!| zG&fgul*992knRnW!(~wM&3qHQRXgOkt0_TdfcZuGP(hVhUwPLj;X|AeLU>(JLpVfJ z%R1pt_yo8Qlz~;2MUXE68)$Hg|B+F|q4CM?gI}d* zvX1yr;T~&G@xC{P-RO@~EWgU|0L>crn|_&lY|(P#FTObU-ZeWwm-O{p0Nwo_o~SKU z;A(CW&vT135uk%c7jRoFaR89xwg9AQ`i>rW2K*%+XdrriOY0cB4w<{uPvk~mhIXZ8 z0K*u;KFekeN4jwBOVF=9p#sjT#A&-{m46|5`_YZ$Fr7w|%)j9ze!7yS{59@P94U4q zx%`{ZVlM6vT2?v_WT!9w06)`&`8vG~0;D26MG}kCLFw?^80ixRz-wd474jn)Te8dv zNCr)xhJm>(AXsAUUC_NFWL2piNhNY!1l~r^(A9Y_Qz`a++dOy-zMfT6;caQOoc0m) z!Y-=jzoj|2yjg$|L`MeGP2{6rz9WFuhUVJwkh{br+XwhJ$K4~UQz0fLYFJQm)N;^= z2G<93)W_Fq?%R{@)a((R1@0CGJ$~aE)O~gRW-WVi~!9HgT~*(+zGVx zq1I+?y_`f=^)pO{=vCuYY%~u!@f|+pTt#gx4v>`%=S@7XiNJz+2^D5QI4lqJ!1)(Q zbb2Py+g|k4$Sqc_tO_XYjZLxcel1hF4_&94Nc@&Y+Y-BP zvt=13XUTBfG5=L8MB&p?Zx+XaUg>F=FJtmQ^%I=J8z5=lGx>MiLt4!P-t3k&2q$SP z{P9OvO&1AC)q_;-)yQneZWxzUw;Apy545r&g&D~{ zsv57S|I)exa^HkuZ3*TL<}RskWUr*_rTcO*B5NFK?ZXY=(oTGyn`9CZeXnv2#v@Xz zxQ=`}|B<U<-8FxSC1_`zN#^exX04sgNmR)eZ1T6ma zXZEU`)2piG>_WNes$8X}rWiz(IEJ%3Q}b0Qv)%z_=yZD{GTdO_Wtr{NZHN4UZR|S% zj9xjCnwPa4NDi(aqAN)a$rVXQO|oIQ%3Cgth1i(&BdjMqsIIj)*v4T1_8Gp9Ct3)X zh(_3C6nocg+-D|XSs4gNaosRe+zpX1&}uZZ0RP6x?a>0RoM>In3q>@M7|L?u+>fWmjMctDe6ekXYmnQS;sdaw(Xc#3+5 z-1%jFH)N=oFWUJxTo=4^mdTY@Rs3vL6@q`HQ-!>|G@|88aYuuA@#=xKLZHS#b~n1A z2k~dkJ#68~uwld^LL>M=_?WJk9$&IMH-!dFY(cHnOeZPWw<<$3#|o31!wa|8VWUP% zpAjzQoWr^WbxoR^Zywb^=zr1`8Q`4m{HZ+>g|8} z>b6zQ!*7u<=-Xsq-gzwYi-?{qhD!Vh)a7@p@btVAbwn zvN4p_BFzoB^U|z?Ub-9R#bEX?(ft7vSzf)Mz9r?xvJaH}Vm3G^_c9i&Bh5#!#vH-Q z{2;_y^d}c11ZH$b?EAi4l^6q3;be{}E3^EHtO`&n zv)il zPEW5YOsl&Lkz;3!VDrnsAR5MUn#mf<|z%9hJ5OL;@zmaZ07RW{E( zOYXkvojXdiqt;h6vQ@rSabSqw#v7uf6aFNU@0qSje>tZk()#!U>I+Y~w*U+xov_iF zuAM7~Ck`v>S5-rvh$&TWeIR`#$Hfr7!k|5lnVc1fbx~&@T&U@jL4($arRx#d{LAD7Ju6RzzfVs*K$Pljl;nH9+rNH8xBeh z+tIx&R}_*uDDrktEniRiq$l%6^D1hzo*@C&1em^in2SlUHcRgK5$Qrn1&y(Nf{5gr zjjKwyO+tE1ITi$Z2gQzUAM)i5Ur@t&A}I$ z2s+kYfx+rq#SO%(LFdfiv9^ae08jK04l<7i+*Obx6_LfJw@~IT9Nj#R-5@U?FB>^Z z`>~we=(lpL_7lI_%Em+a0122%rT2rT45;jjq-PaeiK)gL=SW}r^AY^|vJLg?a7@NW z2vzE@hB3D^(V5?{Eiyp^?(JO6ffYXS)-T^(3t<+oN4c^@Y`)p8BpA$61D#aW zgHvg`g7WWpQygkIlmoW3nwyJvWwanX)LNh$Sr~=5o0_i4O*rqsB--`VFVHdhDcAza zRiu-$j~t)Hk>~VPiMSB(X%8$(UPRE{&rBxAS_k7yVIwW$!j!>&qQqL5sx6)&u}78s}Z4(kw<(K zXRREE_^6B;gb(bS%|{D|>DX3FQ<{*K?8LpKek|Xs`8hE1vi~Io2{}EH_MuYM&p$6k zBdcAAhnc?-(=8F`-gR(c{Ms0adp5r5tZ90KnR)LpU~anZt73GX)bV*BS?WSu9iz(~ zLqz--q(vHyCle#FFb#1ha9UL#fZY$t+=s)=XP7X}W-5}wmcuCarYc)` zZzhw}&>i~YFCD?062fXb!svCF&JlvFcP&B(bF>)KxCqBU_V~VjF!S{=M>W(+6FH%e zVC2T=cn};d$*zw8JA5o2ht;lD)DmdA;;-+?a4Pn(Kl>)54QFX2cf&Hxn+>3*yCnJD z=4rw{ct3;>aTFxwN9HzQCVxMwZDdVh!bjXf?VEB~t41ZeSBCL=>k`}#0GXkA!|$~^`z6dP&VuU)4juw)`w3B?RB?7>=xn^Vf06Hxbm3KPu5tuDo zt(fiZ$9?5=k|Web;)SpHjfEMgwNx~?vQgz80+b1fbPCrA2HYAUS}3m`iuv!vIBqb! zjwO7Y-GylY2{%LtsVn1|DCQm^yK)EwtoqQ>B8c*mG>{%hwg< zudt65S{KKD&Vn7n;TUBBgQMe~21(m|sDLfF63E{O{0CVG1i926&tZGGrY)y_LR+|} zO|Kxt|LOTp0(RfipTCnmVGQw|g=7&&kt}HFQ7n(zeALT7;o4DeMOs9QEU5p`77{Xi zbBj+{&9#;e5%VIB$)lbddW^AJ;3n@ zr72wg&NMC~tS(KN)u|;dFee442f2GY)A{_tb?K_Yu`TJr#nW*{NaQ)Y{&h%b0e9I~Q`kLiVx^cQ!R?L>gt}Mg$M^(PY(JwXnN;_XVmeq03n_i0|_nox( z#U5B#awfL(wdIRU9ry0-74>GPqqC!xKi@dh`KWBzoVeq&H}{HeR`gqJelKXYKRp%m zihqZuxDOY{zuzrzNy3MH=X&{{??3EZ{N-iz$^ZE2ZpQP&xv(s|ZRYmi1Gt}Gmb3Mc< zKXW}b4GGFjT~m!R%dq2BWv|%m>+a;vEkP@K$G7%hk)3$`xfMBvJM+Bzq(1mLu&Mlpo*+6iun^(`iUu zUcZ5*OKQ1-vZkBw7L3}q?NVXZ-ixaSjcego51x?i98fgzYW;xXZQZu4W~ycTgNMx6 zar5$!*+hS(`&=%6P00dHepYE0!@-bYOOjVD$b8oM^*e!$nHlN)iroCBvKfg*^9x3- zt$6q2tOYe+e>`MUooel<=Nt3Y%A0G3eKPEY=2dG)@7i~1?UenHXC6I(>e2r7UW1=(r<7{JN+Qf4d)=aB(sE%+^8^!>Wb^MQ8NP+FSNn z)nsRjP<_g9C~U&06Bh>;pHJ;jRP$=j#0>*K${TsL_DXVo|B0VCWtS&@R{PD>Nk=lb z;mPMevmH(NU|#g+lSxGP-ZA~oO*|9zm36Oc%9-&)KcA9Qw_sz3{RPW5c6;-|md~et z&&BthcDMB)6Qij4Y2(;{qpSN)|1mlK-1MMMaiKF_JC*;1?2RTSBKAhV0eB= z|F5fF88Y?cvZF(0J;pzU&*Y|q2mQ!z)r%{AWJ#fu)nnm_UM-mYK^$5eeQowlP4}U7 zKGMRWb9_xFht6dk^6M%t>*R%bLHVPu*N2RF@%sFQRacr9gwF}tvM_S_z%32YTdov7 zW88CcOYhjjziAhnPbWn#v3@c+a%uAI*S;K(a{t>E&vx|^wl1smf8AZ1HhRF;#vaz{h z`I8ugu#%bj0Dw`nAT7=XuS3tFMbe54M%NtfL=JIIB8){vp(aR=Xm^X6c)VmKpzQ3Gr0dmU(EOGD^lyD1*U# zyNsXX_3wjuhbM=JkhX*1;1ym^>G!-i)I@MMgqAfm(Wa&*$S;O(q_D$nG?*t*#0NFe zSmFH%t{G>-AX!j9-a?E`rjV>vkHAmDkn@Tt8TBr(?qq?TfhBRsK4{~+w1Q?pWwgN(ojCF zH}BsTs*FR3!3YDRm=}D!fg#INRi6L;!H_k_ho2++M@{|Bj1?kpKNuko8`aZO{@x0E z>%5<`sd>*rDC$DS!EV}$;e+-^A=L0{V+B#l8(^gsDr-mh?Kv(Ks*$25hywEINzZI; zd$NSKZ)m|sv)BBSFD^H&YeQ{hQRBM7 zTe7DEfBxUw{^`!At^7k*)wez|PdY+ex4$>TftS6LUWNa8{}2PA*bqz}b;TXzAt;2G zQ3Wujg@!0#tM}0$dngh*%DsP3@L}LU#|b!v3&Q@K%(ICM!wN3K0XOg#2jbpXks?R3 zS%}ki&l`cbN!o>J#HSNL*(aqXH^KM9H0&R-FdqKYrseI#N?G0;K(nLtuhzz&C2{^~ zs7ecc4i4jb%B!>si6mdxG=jvTJjTe32+_tj<-wVBs9d|SI~U?VDF&_=hizdC(ma=p z(PAIEp2o?dwRlT}Hm&Im6dbcKo-V`d5v1&J#*h(jKp7&NNJ!8^xYZ;rJ&S$(p*UA5 z1T}?vlzZV7BNK821(%6VID4L56A(q_G)0SgpfEO6NIu5kD{3e$dJ&^6vyWv8(?|; zJ!Uko4)VyfbTjjZm|PUYzZUhBVbx*~cY*hMEOv2vWa0HeKgvzIFcVP@`kl!OOz zN7}XLfZs#bEuIJIIj(%ZM|{rG1^=Zzha#v1g2z3ep-#xUCGbxb=yam2o0T8a5wav9(Quk;Rb1fx@V(F9wzq|f^Rl%L%R6q&k1t3tl4c*M--gd{yP@-uZY6q44av516z%{^< ziWEg2D5c9ppcP@hNVbkdiTtO?Dtz5^o!jV+Mkw+17Iy@yuizJ(DrD?)a!!zBa(Wsi z(HFSM$To3@N8J;0U>0*J^KT-~=za?o4n`n4xyx-s^Mmlti754qrJol{w&`$T12Vo( zEi*6(u!?HSJ6_0qr=Ni7ZTOv|hhM^(d<_(1rUu!DVe``bY@|O$Ib69Or7py!j;myZ!|^GFv|KmX=V{As`b%wtjd?DaEmI z;Dj;7Vc2qT3Ni&?%V9WqH_P91SD^Y|*;oDd-XpBMd3$`=II+ zRDB1IOAaf#=U#;NJVacvI}_!f^)t*Ao;79S({M~Y+A|ncXQHXYFdTn(JT{E~gE@DA zt9k%rE3CFaF2zw$e@9lFE%j75qLD4m=g1Y80a<>)s7QH5(YSBlEqFJ+&v{jL;IjUR z9D3#f%W%}{Q+Sim6nB%1hMLBE@!7(3uEq_%3h{iSr)2JYFZV{o^$_0MSmf>QgA74; zy~s8%_h7Vf7ZiUF$ZRH9I$(~65fErMvqUR{1XTg z6ZWje@Dz88$nK)XLCPgT(mKXIiOyNVr~r$w>+WnuIh)}?&C>9}>$i=2Sn)Ab)gNcz z%kn^_-s20sW`Zri#~cms{f0_CQl9kH{^6&3GsrA0{mxJMAsoPz6?gRJ`$H2d7X+}o zRINX94Y0NF#&yQ=Jc44TZh;;|p0^tECh=EZ-&Xu3nkvINGMe8DfpB(VA3SHQ2hRZF z#MbfR2cXbA0b5n>vDkeZxsAvK-x@R{8Lm-gXG24B3r)YuDSmth&AfwZmz&;`V_Z1} zJ${JD!$!Ym3!0z~4U_()w)LUve2y;H*Qrs$N{>W!L_rNo6s|&-_S^6PB?~I$17B`t z8_%QO5X9CgI5m(ZvX??>xp9Uf*L`q03VSMLr5qDvt3m9su-0^&KW2}I)!u>#kY!8I z>pRJ(e7xxxVl#qFdIc&~P8QwgkmV(0i$VIKq1#?&H-=d|2el}S3!;PWu(lsbcDr(p>U6}V6i&r& zHK2`s&>X=3WIpp9&YiawGG1})HNHz}4=--8WiKi!Qa@7AzNT7r)ex#ykK!RedJN9} zgsKZHC@FcW^p$3&66<|K8%(sHrAaLey|eh!>DZ)frKx|gGw{{L|KYDB(IY41w({sKQfea_3jd^ zRBO3$k`%~gp&}_pXW8e4l7tXQl|;$LF9L0+y(}-QErW>kvYJj%>Oi2G3DB2Q+l!>C zr1Xe4$z;-zrAP+!WtLaG4c#Ek_ozPw1~h)b94g!SA~Nqm=AA2$GU-mFn_loA++)$2`gxKCVrkwxRH>tUN(`tV-Dow3-5b@ z>T66fj9TX*b#{YqED_4N?!^QHx}nzK4U@) zmkB@<`5AE8k8EFI?zSx+({+HMyEGUXGK{BVR6D{UgD@Y|XF&pavv|;wi+PQ0oFDE_ zbLbgOvw6B!$%pf9s} zD(d(KV02K%(HtEjU-8fl%zeoT*B*59$Lr7IEX~q({?Ra6k$d{%s%<;jt{fzM8Uig@ zoFxfWJx1}@xt58zJ5XG%HGe>{!4D!k+CYC8Xm4(9?kNt<_!w5Q_eUb`0{D$9k#4ds zkdB5qxa^R7Am(yV{QPSm5zej-QqJMrGmv30nF#~Je0L(=ISFm(t2rmD^HFW#aQ%O> zlUAew$tYexXXLKPH~!5~ns>bFzStSUz1p6X_N)3sjA{q)Wu9^MLyZb~X<12GkmY&r zMjs;9P6r;+rbb`5Q2N{M4l*1jqyZ4l=|^8_^u=27rL0k?F~Dv_u1jcTAg4CfVW1FQ zsp5?j=O9b83};y&vHV_oIsIIJP*M)_O&2s34u6bdfK67pi3gMaUqvq5RVB3ui(}wWZE$D}TWCo^)EP@XH_nBHdh-$Zo})%Q6X7 zeT5R#3YZZb#n@Jk1Pl9_zbxKPCJSRUs_gGz638j8MGgr`Kf@dXxXhoB@JtruX>I^h zasx7bk8SeF|@rtzm=2Qw`70d(Zd`>&(2 zA*|%*T#<7GRmq`IYA?KntR~ZMW;inc?iobRn4c{vLp@FPK6PWE-p(OZZTp5^oQ-u& z2D;*6B_m3s1u9(}g(ZDIxxEBghWH42$xlvuwT@&bQq%8VrYIlv`+<#;%xrOGdmF#< zTY1^;M)nOzYWBr?s4Ml40d$39RcGrElmPr0C{g*goW>asD~$R6U=D8BsQf_Ttih8} zrFMibkQKGwrmx^lwpsY%4MrpMRPFI)R-3PrB2YHB=#l2O^t-QSq6q?tin3$Wt?x{& zWmpTDf@G{1U+}4N8OuFPz3s3d{b&Z}n7nuCkzA04H*LUgvD>id2!p7@B3+-vG-HcH1ktyZH->`Lmgb1n0wyxIp%7up-gQl zF#OjbOILJnPHeIM_drAHTcKcDX+QE$?_%4BxpRl}(30GO=_fvJji94)#>1R+;a!vi z+?v+1B3U<^N-d|;vnIjj$J0>GG{E6%9?HIwyIcKTll>b<|B;C*3qO<9jdPw5I~r^K z$X#urzh$J4)myOh2Fqw4PY1lBH-xvAmgvOQ&`G4z{@LFHD!FWeM=qLJl?E;=0XY^E z-byZ&+917~8B=)`weDm(I(GZ0@A?Un`eHQw!`{m$d6kB>cDvY-$q=G#jrc^Y<}DH| zM$;srucq;0o<7vqnXFtHS@nXxRD0kKZpttqeODFxm7L6@H5na|@swVAl{fh7fA=S8 z(h-iYQg;u7-e)$|qKbV&pwi{5@fR1mT*$T<(R^Wn{$pPUEE40n@upZ*_fUP#pQ*`9 zq>2;30!jPKnSq#S{T@N@A8u|IX1ihe0)BuO)R+C~YTpbuX- ze*l?&m6RoWk7Ez>YRS9(FpkHA2JCiL6B5p%a3 zBao#xf|&W^v&eE5mBLQ}9W!HR4YIn;9a0a#)d&B05h>;V`5Q4U7S0)e_p>D_HUh5O zop1EAG$5hY&3IWK_RtS z8{~xlW=r;}?uZ^oVn-ydu0Xffpqzo|Mk;n}@P51o!9Q+I&P`N!5$J|c*ZdMdiT&2#_91F&I$1A9N-hTxwYw*84x9~r}Z zRi7*9MfFM(^at+oDmr2nwLegeC`UP`k?vIW7Q}yV+vUwq%*jW5LghWL#}m=^i74lJ zboT+G52}x%yu`;>y(_L-$IYCGO20=?()<@OuX_9=cKnDR&qbfiMLCm@?oZgk|6u`s z1eGNa&v;~u%(Dm<%U*wDS$9)s89PHIt?CEt8!T3_*}QQhtNx1T-qJtTD0}eIGFEzr z<)TgCqv?~GZD~f*zZljlgkRz4jr2nTNHmZp^ zfZd2qxuL~lu&|z87U)@;?9TiaI?Kz2-O+)B!{ZP)ReLBjFB$^X(h7+1KdwVl>yR1< zh_AEnhsqZDsY;Y=TnM{7NO>?sZ3>~wY>BC{$Dp#q^^-$T5?3k&YJUjSZ_*lHjx9QG z{MA-9iw*(f3E8au`6?msaTS_Vg{lB?EWQi<&^8lQk3o+gp*fGxO!zwjU7}cR4ohF4 zpAxIuC1{U@YF`j-HzK7LA=}3EqAAXgEPvWq66U-ogoDF2Raz}-ryCq|qty2!smVgU zRLufV`r0BQubc4{UMqZKYe7<~$Qxi>JSa&$MA8-Sv=NmS5+fpnarAd#-iHt@fzZ9<VWYF!?r<$aq2>9U-jt<;nzMcE7!r6o>`(iRqjPmi?DHl=cQ?s7?oNul8996=H za0Di^Zj)c)G5djX z^-Zx*ipFu8yTZ4teh%603PU=2=P!8LaPKpCh9gj6 zdC(o_KQ+AVB7f`VSyVaRTNiM-z*O~XoOVfo;p1NMr+i;)XKoSJM;v`fCEbf^HUcDb zghfG{ex)|?H$T)3Ht{)Q4a)-P*L<4gi9c{|I!o)3?WotBdnd{8eh}HK+Yka))?`GQ zDhok7tT!sO?CTCFCE9bf=1Bmb@-7VZp$h(faF_Zv**($H4W`h|Uf~$LvTG zk*fQpr@V~O1qRT;VidOjq^TEJr#Oj0aq>y*PR3$3Q(1)aM=^AUu3uVemM*<3VQY?K z;fYf!P^e!FFa?YgCxVkFM!t$H#$NU_`j8wWsn>&PDZCJjY=#5bmfg(C{Hf&e1rIJxG{}=@%C+q&$Gh-Q&zl$WDoX?Llxr?H^Nhk zD{65z{HZ;gjMqESv|qsCVST(_g{Qd@>k@o9=O>ukCzha7{TVK`G7-zw;IMo2gZmv= z@K}qu1(iAx6eo^D+pi*ai{rV<5h^ZE`V8g%gifu&>{9n=EDP9EhV*6J`8~nR`Z(ms z=DRgJk?JAmkjf#w5r)p?c(?q{*ZBaWBX2ftc%hXZ))wJ9m~_+d@muQH(9&)dCScq@X98FgezAD zYRcB1`2vf?%}pg$rBO(tU5MU~O8|05qjYgoJ63I-uhdiSZH=35aU&6WP5RDbL zA^VY;hbunDv|r^6B+bR<-EJi#hG6)?1~jQBg5Q#brIQ&b>(RU73gmL&+~+YZp;y}+ zxX})R=J+gllg5j;(4-j{UXBAjQT#~E?ra(CJ#oN}s&7I*gUWqK`T>zU)i4Wou4!iI z9B@x~b}?|c8c+-D$A72&mX5^K8c#5r-cspx>XCl#Js9@tcPnsY#aZ|Yd`H~f-vQ#) zn2O*!bGJWtPjsuKV#osbJ6QYziU*$w>t7MesD5ylAdiZH1J1kFql(L**MeQW&@~O? zN=KfBsBIx~RiX7Tq_tRvofmuzMJ=6h#=i5_O!66;MEqLpisMjuc*fq9(-k6U!fm?y z1ESMT*_7^{=vW6bM-_s>!TTWB|3W&i3b&)Y{X~BZ^w}6tl}PqeOxi@>=q->Uh`*sAiGXpbJqS>}j}a)fH>$2q9fe$S9I1laQ355SroM zq#Y`UBF%>(h97zv%0g*^a3e=^%4YgZ8y|-yk(0aQ>~FN(4dGx)Mo?lfjCR2i+s^VE z<$KZ{QeSPxuIz7gl@LXBH^a7RPhPF`5_)_J<$S&;8;SN%?N>3}mGV=<=@@# z_358na~0y>rai@l=)nglC%X+cTIJHJMYK_}D-%9Nc~WlQ%tf%w-^}k0Mq+Yceaofa zVGF6hSecEqiawV5s=UIx!w`YIHAgx1I0tyw3N;Fu;uMVc97g=u-0mnBJW7t4&&>o% zfL-bFm4A=ZeccyyyuZ#WS)ECUPE8X}ZiiJ=txROY41YL@O*cFa21z@2l+tn{OTQbp z(4q1Ir0$-`mdFo!>mp?G>?)^WVm27|;d>S$+Y-%mgZv{HQM%DGM03{r3TN$79M*-& zP<6Y|+7qtS_$SgCaxsLa?yt|hUYU+uZ2{mjr1!EHqR3ZF8>^%XNJEmwr0DlX6!o^g zU(&-&q}ABrToq0_i(euefH?DyBR)M767j7XEL$0Ht`>tS03yGz*7iblM1DP@ay}SW zmH~1Ewy1|iriz)q4l|u4O#=g3e9<2~Brs>d4mfkRK`{s8(kN_OOBdIwL6|el)ocliF`sM$mfFw7b5G;jY5#V`MN-g7O88mRg2rCbYW$dH=hAW9AOxVzG z)z3sHJnwI5m=GDKpQ0Pvmr7FRJi{AmqA!f@E!$DaL}FK0r0OSW*Z7n6x>tKa-@J~T zGb%|ZDckQ-fK6@Nl)W>*#W*PT?S>q^aOnht)Z(qQ!}m*m5kI;17+WqZ>nhW>MM8ia>IWHhg{ z&*0nL>O#MwyTL79jkVn-0R5)M6^(T9YQC3h%%NJ^%W%@oIW6x5@NwKupfYq}@NzIO zxGZZA=#a;kvr&E6(chZl=$`Sh5aoafS0SCK{>UHgtee}qS2Fv<(19~ALD7&g_cBV7wR(oo%#0fg6m9zfW=R?W0_c{k*l zsGx^lpXngUaxVp}4`uPT_B1=QRJ!GB`CuN~Mmz6SJFh8A%K6l_P854?4|xp`NRJL? zsq(IAUiYK>=>xjLH4q8+I7qE%n7U9H<8QbVNYFVJ zF%qTaB6*{abBZ_8$aWKE1xEVsj!60dOHRCC6K73b3D18}hFS8E)mUbnYqzvJkLAs5ZD#6q|K|5qRd9&&S*Pk=VkU`)a7oiDI! zS-gnUydU2se%s`#8z3TR0RL#++%MG5U>t#~#Ck-EGPBALCZEMN@?Jt`8eKl(n^%ye zH9xB=uvbKybdZu}F|a-}HJZ2}eo`K$>)g{2?WNjQ@FMP`dJeb37Qbi6GziM{7e|Vf zuWr2Vp- zEKV8;nJBo{JTBqBo+Pwpla8Q2-Y$dYnQZ5#CT+KlWVt5Y z9~gVmC&k__d^|8F=r`br(B$Iq`1!lkE9m4PaLWQ5@cF=;gI>R%-lz7p)97f=7 z%}PQ8${axXXD?XZ)9?O@ZFYs=?ORaEPIVyBJRrtcx=Yvwfls=%`U!IHfkn>z?6$qC z@%!Jx!I2j*{&5P@82noZu6zU0cg>$|+l_bRR(t)BhY%e3hY&e}wDyqu_NPp9G(-;n>wkistbQx9oaP4(_C>f+%*B&ZLA<%cp z0ze&`?J{pD>cb5YFCg8`pv*YFo2hQ1aGW|LI4}TlgDVAb>$8DYxk@ve<<`rY0Xkg= z@)NRWyeYH~GJF+8!*MMM1osMQC!Rvw%+)|$%z5wyqIWeRYE!Tp7)xZ`(aVRFnQo$| z)A!!h3?OzJAVb7okvP6n=C{;kxe;2x9}S|<^U+iU=RZBJ>dwuBfFh8GK^yy!l}^mK z4ZA{;I|*6e=MBl9sox2r>8aNsVw8%c_b}hrm7w4amWY7l=BDFxV&-eM2yOK!PdRdz zBU?gZPjo>X>yHXd8y3NMivP;ba4-mR%$bd3W7YYifAA(4g^T^Q8)p-9)h!UzwG5e| zx!{*H$zNxwPJM;+lims|UvzX7P@uaB&lh-;kq9pwXbMf~gyafjSmclU@gG2+8y5J> z@D=fQ(D+ zs?Rd%hL^7rs%8qG7%c5|rgOtB?x>j`X;%97y~E>AO2e z1i8ndr0?;+K_`aUUpQR@>W=+KrhL4)hsv2Rd(d= z3??o0`T9)t$hqM9vOXfh?l0BiIEzzF3{^!1=e*Z?69ZYfCF=A3G$JVxwI0HWt3vo? zTuSRPkUQ4UAea{3S7{4hLaiSX!So}CE481_71u4=y@QC*Ai%Aj5eyu|0otL}(n@SB z*}c>{(4-Es4JuhOw>BXTdKbxs;30oCgbWr22W`60a1~eOB}&i1J4T#2^DXs3rmSFN zT}@wa9G-rz>RaEHpDCKWk)8RV0YV2B2$~;>u^Xg#vV*O%9>jr%Mb_5)>W57N?OqH| zi-I(3^#LT*`2B~YN#FWFy+K#no`lyc_;5pU014NlG#^acLAF1Vl6?^+KRLtMwRLw0p41CjI<*%Q z0!g>r2yE{P0i+fiwk^vl;NC3h0o^e-`ytZ5C3fgQx>de~;Pmmg&?bYr3pM`Ay;EKW zS1hbPfFuo5k^ndBU3mf(_Cm)mdcz7j8bGeQ)+ykc=IYx>N>CiT{q!vSosKNq1D)TZ z_&IR;)DI}@o}nWUO-M%NO$<8vB|X7`3|@U;j^==0?rpU;ndm+ebZURHLkf--mZ&$a zWn)^G5!;P)L%%2~4c+KTd1(x*hA!-F^FpsJG*iruI`8Eqv`}~SFe4N@U!M7&0HjHV$_Zx%FFi| z-B=#u12@oKU0OWye2Of+Kb2p{hLr(is^t=OjAh%G-*ZM_(_CJP#G2;Q27k6Q@6z525I((7a)KV=Epy+wUqGkR&N*0f%D?_NjC%1E zm3R!@SxH^;Xh!pH5W6=U*lQ*(f#0<@`_Uve4N}*+j$!o)0%4qXw)<{6M(yrE(xl&z z;h~>~ZD;eTe+?Ql761g~gf=$qBI18I z8{o%}7A=fpKHclJz~)Q!O8F0z+lQ&`j<}@>Mro9SGdh!rya920b7ort#FU)gOO2-yU(}0?@N@=MA^|r*wXZ8`C z%H9QE&}ceY^OiyF2|Y9O(nc^IN>CbX5??s<3z}H{TYKFwJ(-^t7-rcLX4u_qT}&I=;~dR~_R>#C zy+2S@tv;*cqWwUkN&9ho5KA{)4^>4AFx*w=V=~Rb_S>@2Qj1fX1>iYl+djbhCK(BEP1`(;D=c#-@4zpx zHvqlW2T_;tTuw7L54(hD2oS8#1P9-EM%T%tAD+J#18B>;x|k+}MUK`_Fn=3a02$*R zz6*mhIDayxxiYJx+VKkvcdSwp)=d>)-+i|jS@vo)Cs<|gINceUFDo9*@Ypj4@pEj- z#O0{r$)bX?go>tXWvl8tfHsi5ku=taVnN+mNPFIwZEyHc4IZe6ioFyvnwC7qz4=ZW zE{xlBe-vcon*~`^3LaKnQ*{%+M)60`{TE1-wyC>i+k5vXla73?c55X0_?H3BNDvX{ zw%-~6s#;YLzX5QYF}uDM|MBP+AlXYGYV~PR|N5N}c|4<9T$JYSj>J%=VJq%qq8-_l zFhzeSRUmy54OrmP6>P@6K@lICCJoW71%K3SP-W%b_O81l5q-8G!gTF*)w9`Zus$9a z!}4Raqxix%eB~aBl2vO5<}@^AWKBuzmpB;!Mm3T_aet%w)t&|W#CSzXBZe#-4F|cx zl8xAG?<~d$B~939iSbJtfJ(NjmqeOy0G_F_2H^L&X=VL!wDTQQa*FLBd9)?K{WO%Z z=A>uz@=%mm{OQWEK8|>ukvHNd`y}3T=XrcZ56TN_OED$M1qS2fHXD3_r6P?hK$q-+RP8TcvUW7JTuiYVI*f6VP+>;=1G zDFxYHR5juSYBdWptLYtq>m(n-rd5uRyxYaocOM4M;JqZDipBxilB=@HC#JI6ZSWj{tyw5RY@vbH1uyc_rmnv`W! zRjIbo?qKFTXFAs*elKe6uIiZ*<=x}GTQLCXE`$hdnAWbVt0MVmlDh>E&eujEcAE23 zr0Yk>G%aLGe6z0&0s(3r53?aCSy!O??drM^biQu8Zkv7#P1X?I92b<_ zs+QE$pZK}swWhreut!L!p>Z#-x0Gq|Q86%0I*gi#B`OV+)tVHB3pyPMCL5&DrW{L= zn%bnXs0rZM@|B_a7&M+rN+@p8mw*UY$)y}%?hmgjPkbrWVSq`6X(9=Oo%kR ztOXxijGt+JPiZ`oj)n^ZMoCe=bdO<31SCVU+CGN9im>S0?^n@y8k6@f7q9PX+53Sz z90BT@&Zyan;`a=-+@R9YD6g;To1uo!(rtpqW`v;PLj;Lx>F!nAEZG^B(}Br{P1_=+ z69G-XH*L#wo#bimqn}W$3Gx$clZG>y3eD#vZ!En-2kt$6^w+GZ@zaoa9z&?eko1OQ zxNwstD{}oYB%7__d&x_fgyxbg+D#ma;xo{y-FDx+*DcALg>4q{ItVX}%wL9VId0fq zCDe3hI186q2@AS3ttTp4NTb`1BK1WtI;3VseLYQo;>W#_ch(u?CoX2VHps4Io`c8I z=OEAf@u{e}AClkpHNa*YlLkppWHLv;E3-Me(&^HA1`yl#u(Kxyuej@31-GaIFyED6 z?r=Sek79`TT6RTLKEr?1%N5SSmHJToVkU>6*X@ zxbgh^fR4?tmNDI2=|tImaLcRs!FY81b$ksr4&Bf1#ngFV5N?FoyekAqkUi@Yh)$ty zIX^+4Uj7V2h^Mp?t%smU4a%)S^qK7{xXiNz$1lP3nMyZvO~*8jM4rw}ZD;1eLga~M z+_B6xz<_o4Br^Gl3>{giWt@AwcNi_1y-byE@!@^O6_idG|5Qx+DHVL!t?9HM>UQoL za$G8tXZZxeWwBtZ2YQ7$*?!+tL5d^kg0Bcblkq@!H+1xa+%G$k9R}&2>ad4AAm_HdfUR>$FloyM_y~2wC?V1YTJ|&b7iz0XZfRIDFgcKE&f@C<`39@yM z6{!iFjHbR`b;`f7VBt^6=qeXKnv;N-BXt1n;HP4poE~-4>s2YF0ng%KWo9FuN_2_) zkhszdlZZfKD&l_T2BJ9Q17x$d!(S(`5-=H}G8C6q8Qp&2y(P9MH%vp+eo7oD5@Ej z+|{U?DhulJ05_&3F~-|vVHmG(Mf$NcAS4#rXRBYOLh&y_$gEBf#y=83UO*D0-lM}* zCnF6xeyiqF$Hal)fC0pORSPkdKn|d?>A_Etwp9_NOG$r_kqPuN^%JKP3y@phB`i<~ z+K`;ICNTdJqF*Na;4jHS>1&4j#4eZ2VXb)|B^BU;Ilvs^jq!nA(v$Hqc@uTF_5jU> zj9J786b>U2bG`m!rxDq6(%yl=UjLYz!inT#?l!Wu!rQC=26U-x*CW^QgJ};w%XXER zi`}S|1!hLd5M+F*;T!vo!lM8^wdO!1J?S8$U!$5`wAH+ncQnj42aAxXd^0T(Is*u! z%9t1i${Ws!2zA#PgOKgfd~g>yk^Qiq4RdcqNgWmRocIlLlqPgS z4z6d_YSnk}a_3?`E;9E_HP_?nVH%<;qX+ojma9SbiL{%`h9S0Mtw7zmk5HU78G1K0 zzXT=4T9xDqCa%f4|q-DWR~!UmQx-NF+fR% z8{b2o)=YG$DbUMot3uKisB>y4>FpSzc`*P29D9*k?dRvEx24NtAZX@y!%u(dPoi7$ zdt|hu_t9j!15CtAEvn9RA)S(9RVAb|m-!#`AYCyXjLz6wLJ~CY*}dHD+%g?wP=@aX^N1U<0u^sNhIJADRhlfmZ|w z($sUwnr{PXB#N__BnQw)a9{A9ja`cX{U#5BP;l1g(u>G;{=*L-Zo)a)@97eKuWCs8 zHKgct;!L_UWwSz`0r7#1XyJxm)^b{GtB0|+LwtZVT{UbdKb`mI4qN)^EZbmG0nHow zpx`+)PnQz3KbbBi(-ZgW^(9w`KJk$4o*!snUn&8F(zhz!6FClgXdFts2oCEWq$u%X zYk*V)GY%=TJ<2IaV8NH@tp9`zO?*OifAVYs)$$e}>yb;5La0AYwYibqHifqu&ia!s z$dPa+es{{zl)`OUogdPfnho%s7lTYwdL9t!F*{K7L&w@ z_8Ydzv@6VLT_5d~q0$ z?K+CNzJ|?eYl;3h_uC4#GuO+q!{CCn<#n8`@dwP=fDlM(_5~@4ov%IhHuCU{ZQq9< z%G>z5KJemgtAx1Ep4o}8Df%D?7XK7T!)@v_ z&xn^*SuC|v>!lZv+^PX)9PG4`fZ~&~5yDHtNn*L!!IDk+IaDewLAOD%c!Z}OrPKqt zu5>Rt_BG<4q5kj)jQ}3Yf%ve{=2y88dbzyQ;ZRH`wT(uAHM#XlNu78#02YbGit>n6 zBT~PF)W|7tqm{xXouz;HOkePF)%xJM{ovKw(At%UW-R&L9joMD;I`jsfCY}zH%tWo z9w$v2i1^XjMkR<3T}zz9^R$sa(w`x!9OCo zywyFBskH+R!rn1$BjO?fbwKs}BFUs6bI1;3JKB{m$y0-8jf>&N!v^j)!d!u!fmWjR zDY>Y0I0l6~{Q}E8Z7Dc`lWPYeF1q?LDi7993o*mgEMCE|M?)x z%|u4m$Io2nqKuaX`N>ljq&IbEqPJ7K0)mE%lgkwBUK(F9jJfu-PgkKaK&mb*wZN)j z-cSksYB{hAk&%fKR6t!Z2~ArA3yy0ZQZ>^@KaNH)4)2x#6{ma&aOy(3kn6fVp@elD zF|6)H!pdKDe%yhV@~(krz|{xaXHZyw$RuE4y2ql`DcC*Li#7s>gCko$5sKo*Uni%} zOc5$WQMZ$?&~Vor#BBpgWTZP*Mbc6VQ7OEZdhsxmG#!y#v4GIi;yQn5AQcBO4O-%s z857Wh;5p)59T@gW&Zg2dL{0-nF=w{t3p56TRUej4^)8278Uac548ov=c?>Y+uQ$zL z{j-8*ikk8Mbo8+TOyiq1Fi1QTP(17ipBZxtnN@dh;+oMwL_cs9kyqr86*QecD-8^^ zpG>==fYDf9FIBS86Woe1pDRvPE9o;XKpC!)-(<+G?3GG7P`ry-8vuGY>KyHgH!8_w z^9DKsLb9Bmd+Y35nCr*B1+-rnQr!BJnD)pWifBjBDgWvC2f+1PKN@*HK&}r^>0CrU z^RzIlTNqlKGb8N{FIInrOR0F`W$U4Ij2;9@FreKdb(lS0H(&HAq{_hU3|DK0Egn3t`(oO@eEX8>WudK*BtYyJ3Dr;3?kIKwP>RlP{Ym`Opm4PYj#E-%hTB8jmTBVsgf}Y-c=+QQ>05A8FaclrHu* z`qwF$3UlYjdl)+2y&hBj_P-0_T3p$T+3eZFWbDala&^PSNJVNqpZZMt)Q1#0swQTV z(7RDga+GbbZx;j3`ua+qqJX8 ziqgloC5SpzR6at!c*FIAqj4`uC38Gy~TcRQ;#bte6CWegXvYv3##2{JwF zu42rAo)b#f2_?yO_!R*Wm+)>#HoG-T)sn1)Ps2r`V(0Vi#(bjYDj|0(WCR<|b8SHi z(DRy~y~dYDIT(+xqR>}CpY;GQWEt`Z_^yDh0=@1&h0Py%9x|?nOiqofK$&%M%z1ol z4I+|jGP=DOAhzBS|8d)9g=Z(axf6L-FmP0^U>*a7t(WJFqTmcocRLkS?-_)v2Vpwi zb%n`#Vaxyp?R9wzLwnW0cb3On5S)f1A3j|N_Q&{Bo&hR2qyehZov=(~CARHXLU|lh z$T76QJrVl!xP>uqQ6~h@WXPT1P|qB={-z(Gv1z{g4oAWO3U2x`yg8m>T}RK+F_1jg z{-yprSCO(iloXo7XkqSr%yo2)LLLXMaNv{|(E9h7?3*Yh6KLJAtQ?=t&>j{2uz4zJ zd@vXTFrPPa{;nf9tFxzxIn~6_)#7!A+a!EKX=m5-KAz5s!<`khF5iU(U4Yw!*2gNi zaVKZwG^`k<=6c&R^X|ZacGVzQZ&hzNe`VHxtl);#1Y)j>3*uolj)BJmaZM4-NS^x& z*L~<4nBV~LJh2)Sv!gs7#d(i{9zV4xjJ)M;2Sjqm&B%xRgam^tl4%KM=nxp;@RF{^ zDKO}Aq5JVK)F@6?S*?6K`Eab^wWP>C=AnF-$Ilt>E<dDWfHcntoJ4gR#**u&Y3&JF?V1jrW0ly&|2cEw6n$})6! z2$MX74hAxkJ+!!hp-JwpN^-CHhA+J3x4dupPZ>99EbL7kW$w{TORa*AJ--GL61Z!C zM{4fEhqsJoXx?A%OF6s_HkrP~|8n(OBu7mJb7`PkMDQ5fmq9qH`VcaI>iL7o_#^QI zopF1If-F1ri~s5u5c^Ax==l&Ae~2GL-Fv~Gt`7liThW3&=W*nD^QQp9+r3lxFqlNv ze22ub%nA{)x!ly5M_X1Z*c8<)66pF^=_*1Q1-4R;pHGD!=$CjvO?wO11_%{)A{XAm z`LI1;a2p3TZb9WgU;Y)|0`UY>H;8Yy+DK@+BjN7LOzO*Ev($M+B8h~K;CEfV2OM1} zrvhG$d-(1>Y`sUnP5e6J$1-cez2oVDG}l$5%vkO~NwbyInZFn{jVa!VT6!yJv3m@5rwXdVPT zcvxvxZJz`30`N|;xehK#8%sg?4fe!Zq{YMJV_Jx^Or0tV1`~!9rYp3YmZN^j5ffE2=io`4t_Q+BTm9TR;QK zh+xA!+oy205B`Ro?D`P3s2J!PH+}PV4+kU-_sn8B$n^ZTD^i5;Q6I5kqF>4D@tm zysotw@RJJoRaXX%eE8yzngo@3t_RrDLkP^|rd!@cnXg%c^wF+-Rog|CjaCFRwYOkO zr-zAO669+M{qwo#AqWoIS-ukHNR>P(N>_@qU@|oBH)!dLn6%{dgU8Oj;(e-T;a>c1 z_*i>|xm%3Q#n7-n`&Wv^QTR|{w!1)NcOKf52Q3!oiS~tKOti0Uvgd7Ve4BhOw% z47Wshp$5za>Erq0mdWb2S(fw}@;4K~Q6j3w8=lM*PA}5L&oPXymPS;lZ&iaIVtX;j zw%nNpRQ8Yk$85vH;OYctSv`cHy)p%S=X10Ojz$`ppZLXqQ zv}-I+oqWP4KRUe37p zy{MTullBn`Yim9N6#~PXGtBF8A3E^t4V2k~J_Bt$tYtZ}44=^=qr1-`@*IeUu#XdN zXN{)AYQMr04_iW)q1gBt%;IFkm)Ms}=X~Xp%nCP38v+4NmCd8+SFaAOZf!g{n&6D! zn){5)A9JIHxEcIP$U3cGFMj8j8;b9a01alojvJt_meopIS54JI^^|H`*GoXaT6_hD zsV5)X^0`LmJ=Nm97%$iZB35s5)1~de&~dvGX-}Y#rgXyi1DemxS$rDXK2sa#DrW%` zZ?-q*RLb^x^%00Noe3eO>gI)p4_@5#H3=0*Ed~{4b?rh!O;54-}$M# zEvEf)Tfv+*Y%eF*Nj&XY3x?Y&?e8_$55R%BBUDjcU5jJfmq*<^i!xCDy5QkCqc#(_(|M&ah%B(QR7- z&qW1(k>%mmtE2I|TzcI|65q6i76C}8b+i5q`>L(C5Zqsr6G*Q*`?5K&&*kYPvy!F@ z3%E^NX=HpUlE98WYpfMsTud+3cR$*{>398cej}}tP9oYv)k-hg0DDhHgPsL2OeWxz zae#J&KUL%62iF08uM+IS{;C(6D)ir3e*ov}K2WmPr_uoJuWI@GX4^YY-HLQ%P(2_YpVfW38Pd5Fe5L~W>U7-K{08}?;0kRIA#B604LHg2L1R)eQoqs; z^yYa-xEInVwA+w$a05TXv5fC(9H5T!$GLpC-cBc59X1$py1R+=*uP@hY~glX|G-_uD}*P}Q%p3DKXWA!uTvad_H~ z;AaLM9DtpQKX0V5wNo(obTv$Zy;jbNqdT}s_F>dk z5+4zu&03N2HflSIxOoPuW(Va$#+%UdmqBPt^R|EDSBbF#sFY)N7S~lSRM2D)602PS zVmvLBzO%Xjo}{IYktds+i^~=Js0e&2#%%#&AYAX2f;dFT>xR`VJ|xcfauN+ISSMUN z9~suND#4+H5o%h=s(R!D_R};ia}i#q zS)l>INg4n$0xh=!aPLH&7yvKF`T>Z39T{nu=|{8WZ(yA{1%9ScMul>}(leUsMpINM zO=>K8Q}}MrQ?;7$H^k_7O5S#xQPQWuB}diw-*HwdO5R~R*k;+n&EHcuc1o?Nk) z@6a4+E3=dwQfb9$3jQz`UGhG_R_PedQg)Jb;b%g6ttPpog`c`sFpnsy6844{ISQuH zA&_@K^?dTLW}9hNl<<*|T#tLJqQ?L(4fNJ!T`QMrNN}2$MgT60HHGKaH|9n zUqNa8QPmr|KlaNzP~>$hAdlFw++2A&wy~yx)5YzG1JI`Z7<@e>|0CR(+Qk`{ahu^Glp&Njp5iCOg^=-S zuPOGP!7W+OCB_(k)~%zuV6qhka_%zn=riFeaHkes!d66)r1NhZ+$U&{exriMI`~(~574>(*?t2NM z8~G&515FY@K_;WsNnVM{;_r}It4-fc`+}BS+2rgf#<>VPLXo2&0=5r@X94e6?{;EO z0m20-Ab%RbrL;#C0r=P@7!m;HAmgFSU8uM-Km#8aAd-4G8EN_l*NfT$k@S^ z&Sx{}EF2E7NL`#68}r99Y#I!wK`kFMd10Dxfjg%AIF4lM-tb00X>B3eJ5+AxgB+xd z^am6eY%j$-5X2~%P!eOF0?RRGsD7*=%+qTuBv%PG`yl(Ex zg8X9#rr{9zp|%-w5*^gm2@9S4>u=G1fbXS6q#?fmt-9rWTOm$Yl5~>h>PN(T$6Bp) zxn)qu+yUxkY<*WiC&OLyC7ZJTg2uzPUII)Nq|(#JlHGKk`%NSjpoTAP-_ag2*qO0M zC#lD1=t&1Sp{IQe{(S8i7Ph$%@6l*16t4$dk=vW&sker%+&hsw%~>@=n*h=`9?_|L zK?(pm4PJf>-Bq-c{_23K>97kny-Jvv)Y<2>0!J-F!srC;O`XLV1i-z^TCv&yONx4u zUY#1On-fJ+)Ec#V4pr$b-DAW=WU#eUzo6&q`R7f;HEOLIXVBL{BFkWI#~JmdX@ihj zZl^|mcnFXHX`*IrFgaen#guNrv5pY@g+6B0sRjoghlTvxDDw;TFf%EWl2K;s+{}V^ z;K$Nl)I7)w1Np4rEFK1y<_>QUy;idec@4V-b9K!$Z4xACjLZf(Gx(z%e}yJwch_3n z9kdY|uvkV>V@OVlIGiyhhQba?qkgMhQfpX=hSf{gL(2T&g-@fe-%7*#(JzAYFAJxen%7|D%}iIdf9{8^{o^C87G40L*53DFC|@#`6b=n0eun zKR4g#(ATIwNp_NbPXZ15`Vn5Z9|&NLB9z%1;#QId^O5QaoGv#;|FO`{3*Vn5oq$G> zzg7sf9o#qI(Wa$CkZAlg9ntBZ$xCx~$8s&3zYXaNXuz%0#*bBQaUbH#Bi9k!cnFyu zX+Ti)R%-n-{J6aSJjc#VDM#EWpvBvKtEQkybyExteZ(I^s`7zZ8qDhsb7Y<18xT2^ zN`^zdX{6pH%8NK zbb851VNswEVI*_BJHRy69PWrM+AA=K5`3NK0}KNL_!!{_3aLo=7j<`nAe%4{MxFI& z6(8AV@8sMOC=jbQNw1XRMH@B^2>_KYkoIfmh)($s@g1a(a9TXlf9Tk33x<|)1d9oP zV1#yhSpsl`ebaXJLBGs&$E)y7eC}k#?%@q{PuYh$X2BO}`Ex)?A#!z7FqZ-b0Ib$e z;S$YN)#6~}U4oBiA&rq+(H$8>m6v?wZaQ^wOlCPrse0Z}8Yq7*sNeH5+;Mt2zOitd zl9Pr;7Q`iQ@tHQk7GSyFsmY(~CFcM<&o5IWZ$|RZygUXXdvZFepGL152D0R}^2GZe zI>XS>J~kkP(o5x;kzd=`91n4=>I7)QQ$e7c*a2rI-ujK^IA;Nc1PKb*C22GrXkocY z_{av&nFxXkMaymJwhJjBIuspLoQ@*Dta{IuNLSNAa8{~DRN|{kW09)Z*4e9g)fr1; z;JeJ9pb<_(0%k5&9IT>C+u8>gnbKIUha0o!EGAO+Id^(zoN`e4dY)i}C1410G zSf=(pa9t(G9$H>PAtNQNsXdJ)U}l^ZKLeLc4cGwb;0!d6Yw3luf5CeUm|l<<0wEEK ziu~oq9$T5*8PmKyWf)|H;XC}A^0<$D)mNG+iWhyQCG8+ADkQK+Ke!()r}^Ia!Ll?N zK(FdSf%PItd)+ue`TF@8o$D`>Aa|qU=o8bI0n$OF?hj)f=wfnX=Nk_s14t|es+U=S zHMauA#}2jcR@JHx1ll^#xXeHy%@4)yZX=haJe;Xg4N7paSE%b!Wn{fANmm^OYly5< z1~__(&+ADg-@)<%G4;O48#HS|=(u=@`U%d}th*XH%aO+Ir}pu)_2k~CA4&4qSg8vMvPZNq9Z_sjS90tuSTR?`F4Zq6u6XJTvbCn>g29Ydtb~UEe+TU2zO&G}Q zYv|h*u~?s8G9E5n=IB%nUB3(^q$eDqOLH@@^$c%_TxlCw@U}dLB^xTnV(w*mgfCrq zek!Kl|1veRH3cmF@y#_@pD)&fJOBJL3|iR$UH2#m1e}XXoLZ8O|b?(1vY)<`G5nfGlZxMf9_FU0lz{;nod;WEi{MSWK zQG-*TR{x)M^eUHo%lP-{|ENj#|2+L~xlb=h^Y1or{O3jgs>naDvBmr!E_zz|e-&l( zinDv`^Jo4cZ)5+nwl;5*_O|`IH@vCK|AdqNd9%OqyWReU-}Qnm0pR)He)8ut!@a%# z{>1(M$M60g8r_~20ifCcY^cBc^Xbq3=imPeSNvbghg9)iwC#VC|Nnll{~NdY`-z@5 z%0Hgw-*@|a@ci8%wiu|p_uv26KL4N3_xFwEr;lp?KRoJxbjbhB+rsnyT?21tLjHz{ z9sbH%<%9k1jZ6$y2IFX^gCa&5ql)o~@s0M2Az}U<0-^&W*cf$8P;_t%jnTxk3lE9m zVze=#F<~)$gf6OmOoteKlp(5PRCu^C+7#6(CL$&>Mu_Pg6BT0)x5RXbiH@*_i{V{` z&+FFwBW(;Rm@r{b>Ey{{p8GQ=!r?!Hw5O^S!t1}U_7RpYgscevJMaASZTsJO=N}XF z|IRyqQ8QpN{U7Hgm{;Hc;@BG*NC0b6G&M_R)AQTYg3v<)xqA63yS?#bJfm8pv z7xDe;T-e`#z~upd=X1iRgOJen>OUtMpHY)1je#U5PcyH)jJ4~q@Im7mm}B5S?;P`Y zG5;>_zgF?*U=SWp2k4l$lKcFIP`GX4)TyqbvDSglBwG90t+sBl?O0AZc@qEsu=n<1 zQB~{v_*%m(m<6*pvxnIOdti_3kr|i~w#>kc49dtLGYSd{3Mwi(C@Ll>D4Or0Vrrq{ zOTLsPrlyq^nwD0krlzTtrKOdnmFFCLF|DjTmHnOpO*^O0b$x&Te6Q~xA1`OvvtQSG z*4pdsxu5%vRyn(*0_~S7!{Nd`RK=C!#U9FZCrJiYz8*;Jb~?4dQUjV5craizl^KrW zhmfj^)9IfGmjFR!52Ug?b%pRN)#)tkjFf3zis5c9R~on1&8qCF>G{6^F?3liQaRjd zc#mr=R=QpJJlrw^!oF0lR7de!a1XoPKNv2{aQJz+ahLQ$9+B_yT6r5**&SW{$w=w! zVjcy73`&=a43ZAGjjFWt4A9Y3rP&>YQ{biMUDAt3E0m7(LO;Y}*vV12E#xT; zD#ck0qtw4vizu*i;e?ud#o^8Xt?~aTp;QM1E}?PPtM2xE2`CQ7D^j7;i-S%tDJ&H_ zz2xxJh*Wh9bb3k9=_Ns@7ax_ROXlPC@zF^!NkXb2xvkSnHYRk4k583SO{s02UJ`VA z2}v>5zGF1SCs1|;KAJXtS(UK7b+}YJ_}i04__d6^xqHoA0GR+IUT|G z`cvsl83s88m}i)>O$kd4T4xb=vdiB23)$X}`B(3+FEJ|3or5u|U~?1v7fiu_?}Y=y zj^D|6$er4PQ-i}Kl%#}uqew<0aEu~VnG}+YlfWABBnkIX_QJ+hC>ajV#Y(7OBsF9N zm3n94Pv5ja!3+7f^j_TO@d><#+MwDpoj+(LD=6Q*pr}$LCL`@@BkF2 zP-DwSd;e;sVu(v@x6*Be{x^kX*Nb4KPj~-E?Yf(){~@h^Yo+&I3*oOdg5p|xQ-AeS zJoFGo=#Gw7+tl!G=pg1awe?k%lO0-=5DbMIBL_8=h!hM)!f9M2W7I%I5h!V8>)J;w zf+iU#-Q(*jN6GQt@#Cq8lIf_V_=%MhAmB1SP*+K%_`K2alO|MGPN*Sc$RJHHPOt_O zG>s%OkE?rw)|Tu+x^^|MOb~!eR>ucwM&V(&huDjGLzy>Pcv?~snLk0y)XnRdi|XRa zQOQiacoew37N!gly^PkO#`Ln7%?yKB2GOU4jy8;BD&f)*A^@! zZO{b6A7!33cN8K?W;-MYchW#;(I{Dnq!)Q3&Eq3UR|ugZ!|;n)59&tOL!M>xL6l5- zz)C8~^_qh+W3aGK^2~#V8S%2rVTiV3FUTPz(`twrBmvhJgl*=ZAj}U!s&Iu$j?V## zd7MfQLhLHtr0Wd9l-`=W*Ua@C1CH`Y@=#U_eOcsEETWdl5w)<4rD+R=tl1kvR@A;o zCxHigA{R-9@C+TqMdnRcfv8#4H?$Wj#tF6Obd$$c)r^@`xsw@${L)QG8}l|;&v6D} zpY=V|Bd19TygT;iL@QmAa*-@3Izk61t0rR&`50Dof!i!Wc!K)}mKu6-8e*aYVI{iU zJHz`bnPUwhA1wYAZ*s(<@lej?@Gb1#x(#u6^D}bLlDG$Hb~C z1CyzMbLuaeGXb!H7oZyHap4Hf&2$030;=5phHC~`nFb5rS|av#Pxpfa)G0d497%Uo z%tn`Ed{%IN3L|j?c^I_boptyUHd&J$TNOB#&Js@N?KB?%Dvm4_U2&xc*hQ!!r*O3R zkpDKa7XUe#Y;Gjo=)=PK%q%4A6grw?q`6|0*arwHg=`!R=?l!muVHzb9kaXH<(%8%9RZ zZo%yTAgmTr#5H(p$$88$d1N@=f^|=1v0GE~Ag*;^J5nT3u15c*30g}tN?obe9)0FlhS3d3p@RHQoTYjUxnjBx5;^zpZ^ z1aUr#m4Ln(b{<=V=#uI19w&*}wW%Z)zzpDW5x~y4SIVq{H&_ds(+AZb7F;bS^QHux zLX0`2WJ_it!b=^qLIyvNe-!7}M>KUq(;#r!!&P&6LB$=j*lSvjG(|{b#mIm=FBXT( z)6{iG5y|J*K&>!`nHO-w2_t-b=tFTOFTgCJHz1PeB@*EKFc#+xh>jx;z8C()G>U33 zvgR{5f+=)t#FyXGj-=cqGz~w6S#W>X+q99DpBtt|8d4${R{MIy1}p8fdLWa+YdoD1 zS+H(URY`MdO+aHlkRaOT6zR_}Gs$R)eE_0cY%ZH_b%nVl| zG-l>Gq(RCggc)RZpd$7*m-85mLC7E(aHjc6d7ghXl~0BS(gRm66gfH|?}LC=J-T6W zk(liuRE#Ov!`C;|w_zvzd&2SLz*nIDfMdKTVQstlK`fI;0J$8 z0Kek(g&=r$9HksTT8`H=sw%^RHM0|$rGdtDd_A6gt}JhpqX$SBkTgEuSpv*NGbx{gwRF5-{j$;81m$WWJF zQi&&|&zLu*d31*RG|sDxg~mddz`TuX#B`|U<_BPB&#e!Y;vt zSE0)4h1k&0l`ZD->ao^S%6Q*(#US&if_+Pq)u3O*01Zkwv=AgpD6gLeZGu>yX}BjX zL}w6DoGE6I2t3={mC7_qm<>)DYRs}UFQI}s+LeJg)-@jHkirDgi!R}fVky%BT6yQ$ z%&y3Jo!DH!=8>M4Cp|5ea^pP4u$IHT6S~?5a3t>T=mf+!Tt4>@?3hQKd~EGt*%Hc} zp?j*Uxm-r?t~a0I{ETt%lTG@}2AU79k|Nxbk8_+w*qHa6lv3>%c4N1@56}h!Q5d&@ zcgp*zw})~XwtdB4>0dt56*~F-D6b znxyg2?@_GcqyYidHC)Jj8-jo$#8m%i7+e7JX>(zrDLQ2(J z-WChy9=|6o#ZHiE{FLVKMK}&bY~nx+65r%qm=PM8F4_$$+s$xuy!f~^jeFGc zd4yXO0-}!HuVR(4Y)Pb8p68H9pt3LEX`@GD{4RHKU74dC;fL7SR4O4eMY~Z=g}q8S z`uA4n2vn!-7Cm^$Yq!iNyao7StBodMjhIA^;G``xu+;);N5h2)d@?ltxEn2J3{Xu$ zLx&6zct4Cv>R7Y!G(ao(FM;L2?48bt&h_}TeJr){v1CVqY+@p`^VOtK9v($TlAh(( zXugzbASq%qztcQ*^b}-zijj2@;K}DF1Pb}_nBfg{aY-@#oHt4_-ofxTf%=p1FZ>E& zJ>d$^D`@**rnduBSJq(g5c{WKc+N!Pn({jmSK=YeOmC9y5=&wOJv1|N>IJukjI$On+nM2)86wNiMlo@yko7S>D}<9W(H`(CzGR+a?oKPKW9ZW! zJ7`(UNr<>JA5%1INf{Yg6aluQ?-09POOHsuaatjr(=yBWAD|PN2E38j3B$Oa>=={r zN{1{gEkI>E2JL&mwM()1uxLc1j6cQsw&7#iXSGX{Pyp!p+5J%lCW2}M7YjMWmTK^} zEqT~n-%nU2h-8)ilW?ILhr1x!N}H0i=MP~hwEDMRHaj>kzM=g!`quNf(EJ)(qk@oI zesF0rT09z}4k~VhjVn>&?K|BlQ^LLq#{dm(p+$QVgs zt-fWn?^@5fqn1bCgKBDxKw3j4X3eo4ZhD$(P})E z+d~#r=5ShEqJN1YOHeXX$}be+$?}|dgp2*xp^>FyPw2>F=&7=TXqh7)OySFm0jzZp>ziZn~IMUQ^lC`!8!K&XV83xC7f=B@J@)NAxo;imvgr#?pbd z7g+LcW+q}st3hlnSoC|$`|)6Ex8{=^BpXd;#^~J1T$CS5B8{ZC=Ldvpm?eA+^`LpP zmg3vyS55OHNng)KY!78bF_PUKQS^XznQGclTI2h-*C*FwCN}3^W+uiXV-iiiz%Q6h zavIiJRM3OoEz4I=$a}PUjc+-lKKd%3Sh>g%6-wQ8{|;lEMysiDfaNKfKE#Qq2S7Wp zWRKs)B4%JgB|AFGa4^E0;~j4f(e5y^V?|~Nt5K12@+>X0N;^qqG&L=2MzFtm;lbF9mGu}7qw=N2t9PJsJux!zESzAV;wuK zv*S$(*Mn$Hu!8w7g)%WxHzw`oM=7DQFPdzl1Nnm|vh?*GDozH9{<1OYm z^D5)kh^Bge0TFqY$&*rvPybd&@d-xq%)=zbtntiLkP(?S1}Eq(5u|UjkZQWaH4YyZs}R&)}FlP?a1$Y85+=3n`D z$%e{Ve3bA2A4LkuIJqw(4d|>qn>CH&wa26I3tBNj`x%2q>RVG`Y{*$yi9H>`N0aXI z!#XyeWy=^-CpG2_f|{?_jxv*a{c5$CKw@bTsmdBA%*UJD$6$J2`3%X#(aZ#M_XbA# zP27f`F!W^6G|`Epg#qkK5#~PPTrrn9!=-W>Ls&4bfzk2Fa-xaeE`Ks${LAd~C9tv^Z=Dz^!M_~Im{qW*bigbd?^D5=K&rylHNi;J1KaIux*?r*+HI{b;9Nm()_^cRX zd0nH;yZbhzJ2I>KwD`wTq)CUWlTb(p`Mn-m?Zn2>F}<;N{1SL5#`+~ zLl`Ysqn!}$9!NIO{`%?Emk3KA9;iApG@x`6en)Rrm4S?tgkAV?$C=ohoy$O2aCD#t zeTtkBdILcDyu*)7|A>;3&2HMmIvQOvM61|yvEFs;ws7e-*1T4Ir70h#KHaPrF6X$D zw6BN|R~(JRR9N4r4|P4*>B3UuzpTKW$C90F|H#Z}BxLYKe3}qPWW6@0XzM=Z@}l@T$s=#*fseufs@GhEAu`%_?Z=Bk4?dGrO`?>O;%@ zJ9*{-`EnRZr~l@AF^Sq&7$7>24U;b@+2{!WhH%yuPD;10!@K=UkSLLwvJcd@7gWSy z-fw(fh0ExE82s!|%6XR6y30T3MH-&f5}#>SqjyaHjH(EK#ZKU zjbLGPGzdG#lDX1Ok|9?^7s);zC+iVObzD%Gcw;5mzM2#mvT`eZhEy$n#r(dRKx-l8 z<@DAPi&CCziBGJ&>h6XnXs<-&$XMiGM%?Eh)3B1m z^mGoSy&&UlYor3Zy*s3geN|@}E)mH$wV;P-BnRU<>VDG(WZmmic2{>Mc2Z2vSzj@& z2ro`UgePe<%Y2Pbqu0wT5j_O&ky%-8M}?2VQWlc)y3_gMKZt$H%l0TkvdF-a2|Y{} zih8PiBJfxI}x{3<$O7@^v6iRer*D$_^dhFd8>u&CXeU@}4nwC_XH!zyCCH5X>z z{186+Oe8epyXYc5+O(d<58!JgkO{gP6A34I1nIATkHvfF0MPyfkq9Fa`g?$@ z_>$0Nm=3=oOvI-N8C}gtYkiv=`evrWP)r=|&j`h}xQlgy*a-`CiC4iYRhM7IYU3L! z;8l3STZ@Z^Xgg6~BiPWgmk#XgdU>%$oNu4I100`1#sdA5>% zB|gEHhodTklOvDfFK{>=P&`q=O&wNiP7()-+s!uaxR^#`ggzt*!ya(7%gAH866M`-79mJ8az)B3~V#$tLx19hph zsaG5|@{t8BRGx2NF(yZ8M*}AV7sWVjvl7W@5H_DiGU!=6Ie&iN$|UWtW+E!bjD@HN zB4+u$uGx#VB;DIcTI53Hw%`urF}VY}veYw8A(fhcrJe0px4()X(O#qE71!te$ZVy& zyJ@r5t9O27`T&|7&EP)z3{BNVuR$>I!FCDef;XL}-6`xZ-5Pr041Nx*DN?mGn6_qu zuYwnUGUnw}ewDROc$R$SPUP%#tY8IQEG# zS3UvZP_Z|ttbFIV0)eq0KvImK_MN6fNE9ga{R;Uw2Zy?-l*m?3G<5ed%P;k5>?1 zU;<%ac^$`Sw@@mIndW~wHXvxn@ng7@u5`hMKnME2#}Jq22p7sHbdmd7%`*&V^^T#4 zTr>-KHDL=rKl<6|j@bJqK9$uEd^?1QMHEo;h1XHecC3_3fB#iqs4;El0yBLEA?oxA zn~_cVl+o&&sLi8cI{f}oL$hJ9AC#Dr!n94QD?LaotZnwIfF(pdtT$brLng~Eba@=e zr5U@}USgSRwgX!7skO|wLo1YGpWGdhO>_r-DKi!rGDpcZO<&ofVv71y9TkN=;Vlb5 z6ks=PI0iy=zE5)cq5A8U39wSli-zcM+`+pY&(yCD7wTvkvEl<-pe#-$Q?VBRM$NE{ z=Oa#Nb@>PR)iiC`c6l0doK_eGwz9i?Oi|%LK(a@(19Jo*qAY9(frwt5Ry9GgGEJGS zA$+PhWZGU>!S7l1W}w`f<+zH(m#jvBJ?x^9fv;P3X3j$FQ!3+4H64++AMDAPnbn0r z_fjn$p{`6I+5e|#V}Q6#N`Y1JU6>rt?2E*oa5|H>!-(IaJ*6-lU*Fj{L`4UnTGz7) zSK^GF)h-6VG(Z!j)NXQ4(4|L?t`V8*LLIK(l}HT9F;D~Eb@}s+TqFe zJhnc<^1XS>A|VnF64;i$0&6aXmB{U;be49qSJF}N&bpob$yR|yNp!=Q)-KZp>;p3hZm`1&01Wu8G(r8Md zM`Kc`*w%3SSB$LxSkfB8^3pr%DbPmgKXYpYqRa{}$W1Mv#0#r~MsN``p^x@XKRgD;JE$Di&(5MZ@Ec zL66Zshh>#k_9NVp81zWx&qi!Fp2i6)u6_cgxXkwk2Kn2?9l^Fj9%PbZ<%d8_64pRz zrE_MWOgt=XH9u6JbJI+;hW<$ym>Otp%I}#)NHR%hNJii~`4~seI$Gj61mjs;X6-_s z=X!9F5U<=?`y(ua`+vvc(}EvQ=DIH))T9vQtM774Y_IF`=Oa1OYF;Y#5~dWpQOZ#B zD!fXxz`WP<5yHvl{{95OgG=QlQQ#^2J>@B)CNr$FdD$)sT2mhteiz5%ZlKa?oWjG} z04Yv~m;FmyJ`?ykWx6q6jiavo%aKY9Yhus5)A)sDrph-8X1LwYy}@W?TYSkS-i#ky z_cR}ktx^ilks0(0UMF_T`R5?!ad{RZrx%u@#-xJ0J!#?`{lRcjU|z&8Baup zkiXD^>$4NSjE}(J*-eMJxp6LJ9`1J`bSmp#hcp&rq#;E0Z7j3iRz|5Ta#tAWvRwVb z4^4I7CMiW$=8za^8WibJhG}0d2jT^i<+y+@uQvUrGW)JBX5M3OQNJFQJs3vH%U9sa zxpfOLnFPy@R+r}pGMAe#=h#t--*pvMy=iIIL~{qU`rE|~-A!Jt=_$~5ZgGH=)1iy( zT=j;s##Jz+)~`_W27WN~AEx=t2_x+cKEP4Hp2)=V1r^Y?12+{u!j25b&k~~y@oWin z4)_vB@-IMZ58gRojAIWnz6PP5|DFtToWofqbbL{APC7b-q=$HcHsP2p8;J-`>&z7j zu>Cj zZVE8$maUdLwSGP|)~FlfEMwS8MQb`?^pTzMa7PHEui!k-r{P4ylCCmvDNRZl!*&Um zr^jOvf8<-IUr87D(Jyh@jx)@2u3qT!({_=1=yiFQh(}&%Y`R_UiEL2X6-=j_BZ8w? zrUMWw;DpQ-=yJuDWzHW`i1%b>GQ!>UPM(y@2w&L(!p&~~X_h#&**;~>DE+C7EKkaA z7x-TLXU;=rMbJq$*tZ^^tZ^cHCQc$h5EnEb&Q^FCb!}dJ*!Vk;*9j7IrGx)F2;y%; zAhbbbgFF6&+_%HG+x7?fmH&EX+n&EdY44qR4+0)U(%;+v=dJ(TJqchRb#;~FgEwza zZ`;{_?uLo|r1&7xBlxI$RL_4s>2DtQ=MC;1yDvNK0Ri_?-$ozZcF+Gja`!&%nP@+H z@0S00-JkipciEpHlpsm<1NYHYx8YHOU(i({`t} z$^o~mx%cbdBmdSm_vg0FCV!^=?&a`h@@bJymN>9&iT)q+$n|o&bWtOx|bq=GPV6^f8^a?cb<3mXWOm+ z{4t>(W*tEcRNIAjZW?4TxvwEjk02tO*YyWZxkVF8j`@f4^J$&}@`vNvXp@L7So7N7x`|14< z{o2Q|<<$d^hgzO_8DMuVl=Q!?bKQTmmiM>6f7g@@fcEQuTjzU_$F^qUe_Q9aR`kAx z?SEV6_R-$`E${zxt@Gc4iNE|7^FQYG;lF8zU4K7itQwl}`?174{JvAvSeFzWv9$Lo zj9`svhxu{>hb@#xkq{H131&OW6$KMTSQzUrRs}(?HKPb06g}W)kd-Pxz4JT;2?J4! z`%yi3mnonBE&?>D%-q5~a;_jv8y1<2YsV(r8L}cvt!b-bEF4ej@b?^~t6d_29LdV1yfl%o5R$X5>e~8OjcW}iqmj;~L*U7d zfhhvX&WEoUoD3uvK|nBhhhGU)V@>vdaT;aMfOWLQV;`r%3$e}{#_6m(B_5XeEmV(( za_|8$0;~gPQ#;NVfQ3{aoEVmSCL=)~WUMQB+4_g{4W~E9d9n~q^jflx;f>ibVBlao z`zHXGl;!1casApxdn50Ou>?n(aZE-+JCZiokTW9Xl(K<|cMU>PH>m<9o<;=PER~Z; zJgFjMK>$ZK`(c41i8hN?$BRgK6u+UA;~5{gk0xR>nSi6sM}!+W?CK+%c3` z3}jksNs+h)b&xwDV#?W%kV)={oGkxD3OtFi2t&c)$e6j_L8z~gPo|KyjK!OPKctb| zxAt+2o?i@3JbR(I1n;2dsYfYy@&n~ikqThHWT}wt+lW`-mjR*S+X(Pe0N_bmoj(Y9 zI4kda)RAeR%LT9SHn8Z87JCFQ0mcOs&E$(6;fn3K_6cp++JLd(1fVS)6L77g4S*X< zhY5vBIRPB}@%&XTS4=`iCP|2*Z_^?`gHM$$eiNiYxP@&EyQEq?`NrC!YmCnO?Uu*v z7*^;-@`JNGj^)SMFVT)jU{=Ax46xo)vFIEY`D|kGnW(w8#sezSW8E5ON8-j3trksO z9X0WjxjrPiBumJUmP5e=gqN3$uva^q%D=GGTgM_})0i*{m49H01E^Z|` zUbqyA<1>{CtzLyhrp(cd?INDhItEMpA-dCXGPE65d&PRAv89OB(wkeofkR6U9pM16 zKE7W6Gj&)H?s_@t#!Wh`;Z3NGeV{fLa{4P;Sl1bj6A2H$_!B>R3Q?&ZEgp8cFW*9= z>;>wIAaJ$`Uuff3=35J#~9Yw>Mw zw3I3hIDM@3MI6Of*~eh7>johWliuz{`|%t+g%0MOt;ea;$zdDWC~-v!R}X{@#U6#D z8>%&MwZh1K`*41(!K{#$Wo|=7$#h%6Lj5C=_9>(*_p`A-^*@NfarZG7>+HyJpnEwN zKXwLm#{%=r-xZCKV!*eMMm7Qdk_DYX8rMvO zpW33@BVVbLOvZAG7d7fyIvX1`+o$8Jwuu^S(9dS8cjKa&oMq6++9a*%kb||mMoyob@5NhC8Hs8)~ zRtiyMxUy$jIPUF0EMoHU6gAmG4FkC9U--5kyye7?$*`w%Wsz&GfU1%rG^x zgcZIv9#*r5wD~_o2DH}0B%|DpIlr*hcU5{As5&3UKiglyLenU}HAtRPRD$aCgQGx! zh1p+#{xA#j@elF!0l8dF%uqo62(rOfGw ze;=2YPe=Aj5anuU5*~N`5)@>>KD$7C{6TDJ?dbU(2?1)TuceXFQ0Wvm-TRQ!&ApEQ zXl-G-kb!w)u+csccTd@=w?>SH;Ep{F*9|X(>*a`s0{QufqeU(KIi8jRY_3NHtB7f+ z<+b`sJs!qKdAq?k7r2J`qNUSRAVMpRz4;Di+@c((D83QKNw`aiNs^o+%)X-s*l5PF z08cw6tOH)YC|qe>NOFpZDDl)%FXHI#6S0vm*1CBlAjYF}{?KaKUF+ zALJ@=U%49+mJ5~a`AGh>eJQT2J%^vcEy5h{8%6&n=cI`o=NuSdjb_z}5}d(lD?5M} zk~4l0dFc7-*;uC?s=`*=Syj~pHcbU$n`iNGV-FSK@H~#Q3J{s4Z5WYhLWUdzXTo#z zd&6NIL1(d&D)?9L9VKpKyoM-|c@Fbb#;pub$CN@m>X@;PxoB}u{1(&A+*|BJB`J-Q zf*uPVTb$b)T0CzeeW{4Q;}WSBCqZY?*V-5B17o%S2=~p$1Mo4IKIq_RJl8sfc0Tv) z_E$|Oqo}cDW$QJ@a^^a<3|`yvGW?C>bFjH`6GSOJMicl2IJVYBWBKk}1MUb!V5=uH zj~f?7Q!hW1MDm}}WdCqPEyk0Su>k2C_ql6t2)Bv$;NAp^Ne98)cGA%^3W0hzZ^X&Y zkJ)7^N1c*$Vhb6+SjLg%!!`U0Vz#fvz%NhFc=r^%rQf3VPBoV4y+gqkdv5k>bU9{+ zQ8Sw!&YOj9cqCu!J%YQMwy5<)<^3@8laQ)$`4IC_-SC#^Xk5kKYlJ^$e;5irlLOQrUd-v}VyO$D$!V)ck4|tc|KO5Ya7Y$%8uv~pu*oo_grI?g zS*xuTz-RUtZ3G_94GPJU->PUExJF_8q?BkskDJUdmcFRezNgyqDEpGm_@>bG^PZWO zRk1Czn-f@8N3s`JVsG+xk4CnJn19dQPsEDG zOWbTG6Z{9S1F)SW@`q>VV=2M$F(KXQKS`tA(o&g!1^VIE6S(7kaMR5R+`jyq)YDMG zd3hX#=V6^$=1$@yeu?`UPWDa5?vykb1Qoo@b;D+$O2u#DdWTgR2=(5mP2LV(Q#|r$ z6|SgKjUEAV@piMNUj*(}wR?0oMB|MEBZLnsZP1A3Uq?X58U${|1)ji%gg82y+XQ2d z(KODuv4dkKzPXe-j-JDVvH9k5sf;`5goyT|7523>hZGmgv=|s;Qj`$oKJ0o^RUQ>$ zd`eB`@=Nj4_zhZ%x7F5?Br%R?oEbR7a6(0n)LteQyh14AZkev}-b>mk7GoHlGVNZx~$>&7RYP zT-$j+A3__9!zDlq_&vz}vNeZa=8PmU&H{)5RH&BFub zL1A>DH~IHN`Y$OSFY;GviW1qEHJPo*o~CW!-Rq?}puv|$=6L5)voS>~`VIQCBU?^1 zS5X7*<2D)J;qc)6iO4>PT!dJgByLhIg)X&DlE8hF_XM{Ie4*4(^fEUAhI`UG(iS|B zo~YkaJJh=!Z1qofn)DFP#2vW}dZ6hWWeb>V_=)R7ZW#(RvP>%1DT1h66(OTGr-h#J(~SiTaNC!H7YZy;I|SKGwyR^_~p z@Fwn6;B3RIU}(mG1Q;`-=q3cXB-XyjmQZda$>UqFq4qmGi+{qo7pLy|XJxi|64V=h ziffV5_8JUAr#kgeBd3s_=Mp9TjvT!q;>kpUa$l1;ekU>eDy2e4Hd_4=tuM_+ zb}LON8bL;xKBGVYrw@#xF9bSymqV~se6xm>2+tLrB+;w;NwYGaMa>TYgkq6UccTK= zIZLI9&4w7li~+Z)j%#5r<%uDAHlu3YIsG)+k4}AAk)Nemp0>v zY=dcWC%X8s5k*+T0G0lT`3Fn0+PQzrc>J06s>(Qy!P^R|NDOz7%FfwhKZq}cS=mhP zOVMUegbw`yGRD{x4y1z8Y0{yFNzJc9#XCc|By$44SFFu>1r%IbAEB3=3M!TzR6tCY zJr~eXad{nt8T=pAWPXVzkb385fpW?v#*BVJmAV=pr|^7S=Q z>`jg7M1&A^b79qGTW@RN0$@6?>NDR~RAu7C8_m%5CW4~1z;lUS{>mz&KRj?*+e1Z< znv~)8eLKEqpA4rad2I*;rn)Pf^-T8?G=)iYG5{* z%lYFPa<%!%hjOC|yJ4TMxR2Mzmkw?4>C46+@~xK3gMi|nC7<=Wa%L)Es{(Aesi zZ-mCx9=C^y_2+9r82MkVVI5}uaw9ChLFG_MjWOCo(xQY-$4!rD{<$mD;8T`IAS`P{NmY) zlPNEMx#^_*>W`nF?0it!@saR1G`n-`$KqCoI>tWId@BB}2mSGADE2Gi{5`D)-R-KYQfMWp!;q+6c-xH`9=H&k5EFDE?ZNWUJP#$I~2 zhi1E`Irk0C$WwL@^IIGpRWzzs2yd<^azwW@6om;@FLFIa-=#A>gmnsjwV;ZmMS z+q1*8bZwqO9bc3exo*UJc}aNXiu_KkXIJ#@d`R~`P)gdP3Yzt}jSI6tKx^*@yEoQs+=uAJ=O zZ`dUqQ^Yv9@Zy3kr+TjFce9_bgjYOLGVtR3)jc&$3kH-HRqa_F7E|l<4lKE~`M9ZE zynbjPKexW5G_crNsz_Lcn!`t}uG9}Ko;CS{UduOLDax7^|C@ss4(s;dFr{w!qh$}Q zUbQT1pm0Q zhnDmj(QEL*)gy)rTXOn8oJ^MJ=5wWM1J~jf4yss^a%|AZrCFha`R2SSM@FqG8GWI0 z?THoZGF~{cV#(;oYCl*v=E*=v+1O1@{<0oh)`2qXybXJE?1Lqze%$EV)dr8K%NZcV zZFXX^a$6|M(`(vO+7SBiZ!eZf!|XZdq@Ra6wRu^sr9}_K^s1Xj;)P2eJ@CR&%g5u> z&t?y)-g|N3kedD99*Z6Q+O3~rCmy0*;%biyQ$ML(cl7;*v5&>Ci5vaam4B=qvoYn( zp_AUu8pBOC&aLGPG4;!v{ZYAz!(!eq`njb31L@L$+z*=@hfVp{=BF-B`Q*acVTGU0 z3M+r`^QNBV(O2?*YMS=X!2I&*U+s9ae8#oc!iLYBd7?{)SvN0C?J)b+)rU?_{PjlI zBa_RwpX<;ocH)Tap2FCEr@Gx~f}hMGl#Dwfrrm-G*wx^nrU-gA4!L`h4M-dL3Is7ja5 z#lfrGR*aS>R4Z`eD6>9w@!EO=P5P;4Hs-hf!VQVaF&#w9UbJxa?={tz&9Ut~Uh%Me z;AQfN{n0LABK}-STF0iC$p=>nd|>S5&U*96!_+gY-xv15!zw@MXE}0w z!+j1=Rc(Fcq{#p&X?KDCW1d1kcev$~-5WwJN3MdW^#5Ob`nT?a48Gf44xhO3%HYCv zU412izy84ZNtHo@mXewWY9>srf#!U@lHaQMYjYlU=V%ORJ0DJOQe@w0u@ziyZtgSr zxw)IM3M*9_1)*W;DArey zBGJ()5Fia({1nuaX!!x$Y@9&!egn$UBFr%(mHD|Cqs^o{is4=(n^J>M)hWW@KKZ%G za{cuERt*i*OqyC**KX4TME`b(<==0CNjJe)8$H*5@4)JubEVPnT;3RqROEl&vokV;DtLsf+p z3gT8hn-D?W%2+egyIVxUd;Yz7E8sc7js7N*sD3O7BT}Z+nn^E}?U7Jgq_ipU2-UdH zLx~ZsVq9o3aBbu$b%`_wCD2H;m@88**3z8RP+(jMK7U1m21OByl+>miVj%;N7LvI` zTdkpqN?jg9m0BxDk(r@52Z=aGc_f)^K^E>Ol??{Rr_2sz0!L3MS0#up#9^0m6{b=$ zL}LXrABz?%k>$~I!6N;W`l%?la$2OkrB65wNjj}1N! zMwO79-Co?O*-$GEgz>u|Ch*-zUc-m-!Nj&7bY$P%y53!XBsA%7cEgFEg$#WW{>0#r zgE~xq>;7AJ9sG!a51|o|ut*%m#j0a~(g2(N;sedbZ1QP z4TZgv+xBX}>7@kzcU8#2WRlFq;dHEC8}geHL~BevN=BpTsTu2@LEO}|T+nwirRA=J zZPTK(;CBgzXpgiKtVOxl7H?XV3n$EfWi-}Oc)i!5sf%(;uq$rSx>K-!Q7%qZrIoyb z)p2QXi@HT=xlqSSfFNN+ObHy%Ejb1F><870(#tO5LLD5aHJR`Nu8xe*Eh@PNkAvE0 z!lP47X|MbNi83uJfd@ccOQbL21l823i|_yf^xCFHwMU2YmsraBS8q)d-k4sRA z_!%~<;kiB>lbjYzYC;JlY$~$6_i3E9z5urwP6kuD=#$dEz|Ot}j1mt6l%+ z1@^bqYvK1S|K)dzyWCIn_l2z;7!6em$dB*$+1_RS4KnrK_1(s`Q$g{f&Jo|YI6jH7 zCEsJZby!_a)b3;DopC|l;~+)~_YD$7iQ`c^?aLJ*r&y$nPs)eqWxzW3({eJ9)*!nO zfzt6xZi;I;LQXmb_>0ncn7Uxc9croV?e1Lu4HeKF3$eO(ekr#@7o;`LwmS>&c#((j zuOmCCv!&sRtfAZ}J8~Dnb8OrJ5VaS6Rc2V}NzMymQuYlHR$+e!xW*y6Vkxk7UsVBh zuzUzq(Mj;2^1kg=jAqNSf)dG(k?lZ_PN8z9|_RWPI6|OW40S(;z;(Y8_ z3VQZ+4zzVCTG$hTUYz4G4TpCCw+$VinX3SOTL(1!M+T1o zsg`}*G63##(Lx$>3tK^Ty{;!(vQ0rh5E|u|(L(rbLR*g_+6b%waG|R&lD32Y5@;3| zhT;+sZxJG7iak|`6hHGDy1fJK+JWlUBC_A}4!T{2zbeBEVTTFb-j5FNM=c9bx?=&! zcPrOzDV{-Aw^URUYfBkNN_O}+DL~VhOtV)Dc@9{Gol%z*B4m~SfeOcNC3{0Ry@wXUHk6KrY@LGWlbOBR3^No-7w;G*9y_NvVu1_f_D$@%i6QI% z*pKR7!3!LQn80kpz}hiuAls3I1#%|El87iP8 z=LMrd58?m`(RK|=PuUOp5DMfH7HR`}ZiM_1h}F}NXfY`N46|HRc@CmG2#T%XKp$@# z5e+L9D1)De(oJ*2fyBklYzE~*zN5HBtBK)97#@kFZj=G5)1`i39Td7cK!MFI8xVMM zgW8EDa4`ca&HQ>}O*EZ{+_QQLmr;g$q{oVF6JnU<_Gbnsp)Ou+!9@E-2&Ai zHuLhW{H$X0&%^367o&ZtWU*-VG=V6)RuYQx+wmK=UV_|3VI2mP^DoZcs4&*+wZ0fG zP(bXuLWtKI%Z(CjT)4an@s-FaL}-^WB~v`Nko+~s^>Kqr7b>`8=IQK0A>~uIjmvf) zamc`m1UEY;SW%bR-(qgIIhUF4>;bNMKtFH|`Lj^jDg+FvK$gR=^-RUX>iiOROjdw= zU6HYAK3ux9FkZoT^)xBhT@%8Wq<~bpYp2rxI>b&Wc&BA(tbOUco(gWF`7E1mNI5V5 z&h>f1rf`QBXCik$M^W(JOaF0t8LW8o;g3uV!$;s+$owI5XdF}j%!nClHnwrc4LX>Wh2X75Li{aB_7$IlcP2k0P>8`8cm$qJ=92&^?7l28Un&AB)edyE>>dB-^gO11qW zIul@-a^|LRj9yJXF2{Wj!PN6u@9hpH1l~H={BE`FhzucKL$$o~v|#a>*Rm zP(_SANYLLipf5>q=O0LyjQ@hLi|$43##TxuxB9xk@iv>UN-u_+h^}2wlnujg#VBBByZSsZG{X6}V-)4^UyVP9Gu?>os8L=F(JR=A{~uLv1K-m5 z{*PaG9?0D^r|#&9o>Yz|nvl>#PMgrsXiG~=TMaEOLeSEpw5YY4TG4tMR>p=YwXv09 zHEbTY+HBZ|jg5I28ynkfZ1Wi#oA_U`@9*{heqXP=+MJw|llz?eKKFe+ys!8B|G=4w zV*VG12|-OZcN}NcB6%U^NA&&T#4oy+OwpidKqlgK_Bv=R_mKe=#X<~&*_D6^65H_%vgzW6>*ghPr_3>ux2-Xl zzteA^p2?8uAVR%5GrJay2dTV_+J7WhO{=z{7RoQwutZYDdypyxYdj-#YfE1Ngn{XH z2qJY^2l({Wmv+@IWc^ z=nLh4>N>i2D9axrXsPfiQc6fJ{|yD}b}K!9K>0=5)n%04fChnv;8gBrDE}`nN?TM# zKby5!!~0gE(WTQbY?p~5LrVdiEu+v(@qCHzoCP#W3L?LfFw0r2v!hDmY;cw#*(COs zxuW5Md7W#Bd@S7a#4bhIUBgdy?i|x=yE&#s2&xPTH?Ov)wjq9*GSO|#% z;nxUoHD{87n`I|&diUTje>@f(7h+o5s~!wm@`2c$85Tv*eYHDLWJpv6tm2=7BtyVp zIT9@&W-`@-TYo8x9VwXU*k^LYTTFY>M)3i6KaITKkp8Su9LsP3?!0_y11?qeu-h%5 z8!g_6JwB$M}!Ev^x;Z5UV(+{arL%?6x_~r4qc?}K|4CiqU&h;L4%~0 zy@3ByaQeScu+3O$zkU}a^^vD4QHg8}MN(>~E<5oZ(bAqb^L4gtL(*>612tSTAf9a( z+E?JTlUg|$OfNHM;Z2fPEmSfYDLFoFL7CCud@#*t!}4E)?VrM>v5k!&k0Siy`dtcN z31P`KbK%Tv)O!!U3aBK=PpN*asO*YbwFbR`x1!KwJwgS7IBGLgOZO4X_3i&0Hm-B; z&`Rr&I}r0zHA#foSl4xxZeN?<3HPnW@&WILw%B5tW!E8{Dve?j@_B{rGZX77oyKs- zkpY=9?0mUqbsIig|FczGVQ{ac`hDS?5H9Yb_DZ&~;03E*JV24i&{o+_ZMF2)7(@*l zZ2Lr`Z`87t;!=w8L07>+Q}PSjn#|Cv>gDVY+PHYJnc7cqhORVBI!E|8Z#BggCwnDP zH?S{#OF-u~WmXnJMHcYQ>_UZvvOpETfIULaA$)$}@2b>AAPiuAq?r(>6xuu9<=IJ^ zYTm?B^XJ0c6N!UZyfEI>1vTxSmj@}m2MFtr0=<^1F1}9)>x+Is<{!w=l-VEXWAg&v zU|b3OuR`id!aJ)jIvhRmjs%e@$Hz*m|Ax#hknI7!i+dN?I|&mq`zcs<{sLv|n=~!I zKN%wx~=Mv-+Svxe}ig@g3HwN$~1^HC|UgCaNv*qBNz1isvr{vmZIE}_c8 z2Kl;x^^0r^%%2B*Y2t!&gWwEmiT~BKl!jR!u$r0=Y33^`nofq|FLC~kiWMsqH1(%0 zC`MOUsbKy5E5Ws>5y7&#^<9YW_SH>N9tz0&*MZJkP+9hs%I>t+BHu}G<0>8PP`@8s zEcX>%V%p^S`=HVcnSB(z)6<})mBDoiKLQVkZoKa?_3emAHRABY#`3N@hpzjoPqo6~ zY^_3i4rgYBMC~^#yxnUnfZMbjc+I`(;>J| z$@@Jclq^bWL-wpAuK0#d%$HsYywN{FiH-2ZsaU-90r0Ec6O_9yD)|1wh5Ax#OV%6y z8$de=I}5)AHr0=f*@SZBbXRWE>N_Oo~vnl?zB=cj1X{p~0d3%GS)$Y-1wo{5C*YG<- zYMMyd7iu=(+!GZ`s;>q9yZue7l059Oq=Ugq7+(qOD}S`Ybv)k;!2_zg1N2edJht-k zZ@~KH?}UxEts9x-nMHIfeO=oGe*^Vzgp?J*sdv@v)B4^dEw8Z$B*{{=iXPe1iv;Ju z_&Lz{DQqofarswC;a#Y4fq#~o^{#n|T$=-IT>fd)V8_ZIDEOe}3KFxXONxD#$~*<% zW!kRF-{I~etzi+m=5%NNFp|`)TSX-gRkAngO@zNLIohy(jSHcsC(Q4v@YTbk%a9h! z*4I#yG*V)r5k$%SOAxGs^>x7BtoZ?obS%z)9$d?Jq2{*bmvunP7Y_4|Myvumqj z&v;PBvAs17kQt}YohoR@oebT5LH?EUXXI)tZ^-<%ElneMUR^sr9!t5;ebm;e+P?=* zKW}om`zl!exp$y=48&=yM`(B|qOz(@8~mefuAJa}BF!iK^V|MI=_yo%6$S=JD&&z0 zeq-vNsL@InpL>V623NJv?0X+zrM7g7@KdA;1rkVi!He?!hV&%)>B`D87{;X2&pF7p zFL4xYDFOa=;T*-<;i1uJysP1@Xt>VLLyTIkMRz6cO_sNGIN26OGA}CGWcdg(=LGvJ zvihgqg<^zLlDKf*oxfgTeV%sn|3HwV7#S$hm%fb8{LLdY=H7NCpS$ZB+Ywws6w%#4rnjox6FDCe!-sKUh$v~bcIzvNwd^= zg!$YNV%y68=2@zOz~-gF z_WETMuq3pwJ_Yzo`K3hHK(q5Z!&hkj|SCSYKeO_uwM0F!rCQjRH(!+ZA$^`OLnQ|C~RGWqV>;{U<1$wzW8V> zp{Jy`6_}nc?E=&8;IG+gI*@y_6nvv}NX-We?}hU&{w=!Q-xIa|_`E&Ca6~`Y3~cWD zA%uR0%`bdM#ij;1lF1P{gVbz-;BF0)A2sSi`qk$)f@|8Ie1&=kz3AUY@~YgW>h&&| zEwIh?JBj)w)?@!?z`y0TDp^+WIjDFJP^}TCR(^+}J`IH!Ew6cucT#YO7xCTQz1rEz zC#1%Myw@W>=%ZhgW_jNu-t;(4a;t~M>+gBE(sVJoj~Le%7Y1x%ntpR1ade;T6!7l? z8T;~p=}ygI)U;GT;%=w2PmG3CMjB7xb*+s9eM1_%@0$+w55P1XFH1e0>o}0z@K*H| zUtrF7f1bh_eL0bAr;<%NZR@F3!O}0c1rt3Tthsv{{ zywGtw&k#1)cyKUHB?sdMFp~KJpj@UgmkG1iWRYFMSm7612(GN6nn%E9L!u8A8by7t z6jid@?$^!E$0%D36xIM+VjiPf)}};h{Al9onY2na_lNknBwON`G@Gt>`m4irf*3!V z`T|<-H*KiVgGg207MTqR#x?zE6c;_1hS}z695Dszb^Ijv1|-KCB74EHyVSi80)>2b zZZw-`^A9-vHx;-uLoLSsjz8yfCx-G-#&OS6S$tfYJJEJJ*%6LJts2Yp1<22@zce)P zE%PJKbIC+sHVAuBWU-4QS}Wo2Z^2+eZjOH15Pl<4-Z-v>8A>S*K7PBi3?GP6WJ+Kg zeb0kbKBU49NB#zPtBaNv4hQMrLgyQJgv)&z*c0okwU1o$4gVQ}%ZkS~HliLQ5f5cI z@G~G`8iFz}gsd0p@wG*aHu25DjYb@kXM9sZ@72-4^>;(NyW{Pa--D%3cjusRsT8ZI z8iYHt#@iIR&Z3^JU(ZgE!qA=Hk^%g!{Mm4_Lgn%ZrShu^bm*smFy&77Ef}b8*YvK+ zq&~Uw`iq6VhljKwH&fq;QHHu=$`pj zp_D{C<3{ijIj2{S#?ZTS4PE5xKrA~m$pWE~e03)s-NP4bFAh823prDU@C&fi!%#Px z&S!4%Ee#4Fi%;?mXTmHCr`!MQQ25UNMFkn*7{=+_L*nB`?1H>KEs!}p zB$K}Vh&gVQs3@ir%I6W2t<}$U8?$Cwi_YB{a_7>4Eou_$SjVB0*V2aYfy3@4(D091 z6qZU~s2U!iMmUzmH2j5bU&sGfg3n)Qc!EgNcih?FeyD01B(03_+*S$uQLNbWg9^&_ zU6sCtx*t=@)eEIHkUkWgh^Ij9Yv**{B5YERbA?%kjOHEVBZzzGXoQMNSkrQ<;S(h3 z(z_za1>`qlWp%At=~*Am&8mBuc)f2D_jIUo@YB^dlS;Ak97m@ZmbBaXHrbx|nw$vi z+k8ar^+Q^+{j|>3PQ&`??N)lX=&w!NnIL@{(X`3&Qn_)5h9=b7OdZ8nIclmki+}KUW>BGN8586j zXsWebX(t<@sglcS$2S>wwsYn4KO!w9MuNpTk<4Mk>W}-Hz-pE!bYpSyh>$XHZ_@** zP@vc4iMUQ?*f4OzPe)L7O*vBJ1LjrI;tFsKJnw%OOzBLU(m}sO<5b7Z5y+Wg!2H~{ zFmM{P=hg0ZG>2Id4btFADGU8w|0O23eQZcsOB{je2L=n{&ex>8mTm`WHl)1CES7)5 zBr~MEP0ZYi$^5(Sm5_3fb+$|@wtG?zk!ZEkYXakNv`T5uf}|svjzf0G?4q<^gwYim zB9>~Ggv9DuFTj9qmnX zq!&~TCgD7)aLDfi8Q|)*^E$4pDDj(S{i=36$uO&Cx0lD@Oytc4W4GzsvBPI`e|J!q z(}Tq`aW3=D0e2>0!_>=ZHz`iR$GG)6G|d8~!!bkO7!Q1f<7J~mj8gwCCTS8Uq}+$` zazY2_t>2)*sj(U?i`pX;7rBYYTfAdHo}y4Mz$A~l!-YSIbGNi0^b1AcZyK@WN4!OwzcA^U9T`OS44pITdYe-09{FPnb< zn&{Nv1Dnq^&!HPchvxJf&7ad~v7?4Wo4iu{wxUU+@5EidY`k7YQ$(YNt`)Xn&O(gV zcw>>rnm>Ux9y%*_f#stPv_#BqC&b_r|NAvL1{~Wq$(P%jtorbd<+4~X@8Lm%7-rnh z>3Z$kXfG0ygfO~S9tgR+^zWcVueNop`58XPp1{&DnPM8scwZBk3YpgOdW3l*PG#KP zUbH!ImW5Fb8sIFTcenFd+uE)A3mUdR_$hY4fzG7tDcc=P8!uQ}S9bslYtDzqp%n9+p^3(aSj~_w(4q(NNqk(>B z`%q6B*#NYiTs?e~6*L#4DEv!zkyvgtTeo5YL3jB$R42jRb3o6j>|+}CiB~$=dmGo! zraC!|xMxgsEtLOKW1z@yBQkQ$b|M(6{2)p`upm21iIKDS&A(zW=p+hWh}!A2Gl_Fn z7G8s;9`K)mvo3vj#A!*?nQ>i-vEkKWH3-_|p}_o{P}u6z>}T5WE4-6T*|``^dN`c6 zNbe|hdcM27PRSee-)nS_4PC=%Z}}Y?Ye`g!BO{PZdk%9X^73clZVizX3f*qJiB1=; zj{pB{tQbu)4}g%#Qn3(=cEV^7^9Z-yyOcCd5S^vie;tKD_Rh9t9*|Zm@)Y-XVnT+_ zFkfT)WpwQMqXP-+?aKmEMxP0eK<;c`8PM^GnVD$R6WS$FaPJ_ja8*5;2{cEjbbmlD zjNkb z?ZE%_@rwVmU7W1&VcwR%bs7#XCwCDrTz=3?u9ZW^g99^#Fz#7OMd=N4-j$!FIr|n( zBw5%R&flMSMaZmD($1LV_M6cR5~fvSyLuo)f6@?VJ`SLuf@CTPn{;%Of*xMmfn38D z^p=!_&mzy#x_gqMaAL@Q@+Y2gPgjS|_6wOm8iIoqS!m??acITdvlIH8x$@}`egMI8 zP?xhbPmo|fP1nFbi%f#+dnpSGpPr?D9HCun{tR!}KEE7r<7hdsnZ?K3=zOk>N5e>c zdFZIw{&Asp`=%&&m4JUF*@J&~q3Ij!Pg47n;?ObP!*FVsiXB{00{E%5zd!B&?#B<4 z`r}T2ETBq-?^gvP2X3ikOQ+%w2~B)-0XrY1j{KLwdGQfi)dP!J1?anIXD`K1 zp08ho65QM5HmtDhA7HV#d94PDQIY<+U^OYjSLmSPSfGC#{Vfa|?J0hGg|WD|7+;0J z9{ukFV@O=b8xLs z8`L`+iYMU*x+$)y{z6mGK&*zRAJApRyF*79NSpz`jfdY|2D)XmzwJ{hgpnK0>4gix zwR_tijLwkGD_mb<&j{u0UEd@K-hi4L=xVM=Rj}^CaU^jZ;tMd1wQU+T&oHFrZ^NF_QV$qLt9e4Aeb^pWR!Xs1xqo&?njNv)t2Xie6{ zkl-?q@Sb2{cSW&>;Kl4B*}KS!SD<(x3F2RTVT6g$ zXa2nzJxO*?QamekH=eQV&=ePj<<=G=R3^3Z4lZpqp&c}~_;Bd1JUz7VTadTtLpS^t z5MHq**xa8=^7XgGg?(%b8Tv%sV(AjD?@*kwvemA)Se)zY%x}2V_OQwY%vXVv(t7eb z>rr@Bnc5P{(iV18;8a$4nxrDS<@J==^m&YmXI36wFB2AM#Cp4)zWro=nzHm;pw|k9 z>$|)8GCoo6j;M)r^lv@>9;6}$&R|qI_u~x0JjM9*SQ?Q(wr9Otk+|m!PQa6E{(x1R z6x)^oP9IAfft~a%AlaOPIcwY`?c0k7+dbzNN z{0F!`c!zJwJ_ojLKAXkNJLMt}y*(1SY)mqL=AHrvUPiuQ zU3a0_S81BR0v?P7U7g&K5a0Ycpi2xM1#mqxJ`$o?(5$>+UvGuaI65L;cVS6f8w>`_|%CAG!OGpNY9Fxcrk6tFXuMaC* z{sKQ`4Dn+~c8Gp>d>(i*;OOt@p{Wu)SWMN7>6(VZ7tyey2Qdut$<_`0C)ritA58e_ zV|PG)4!AvioGY78Q&RH)$7oF~=wkL?Af`s9)qkDpvZil?($1lAzNpj+%xr2#Dn0%s z|N9J0DwXlM(cF5kV@ZFDZezcqILAd^~ zn-r*>e8Kphp#L!$*_wZXGD}h}`bIYOP<|Zg=^qP14}L7kEy%S<`T7APTe7YikH1b{ zR`(wN3atB%e?{%YyoJzHy-xf##o9gT7HMbov-Q$AB3{tguF$QQ$WC))*+58)vfO?- z8zY||3V+Cr3bx92Fa@zOvwyM4DaSo^ z+)hzU$r4y3v`;geN~F)*w7zMIc3*|oCX-1l%tCRJ^=}E&xE=#6<09k;a(u5?9f3l< z$D5geY^If~BU-OIPte?kT?J8FFPV;Ky~ONQ7sW39n9M}Ms ziiYJ5W#ryySpG<;{;3WF*Iy3Hnjw(j4Dil?$|n#w2b|G%*m$75anMk@m|GL3i_&e! zI26_DqQrw76*kTh-^;@cLVAk$bF?j`oqqkGG56(q;BJJOI=YD(MKVk#B%iPCE+*>S zZ$hozvMb!33*3n?K3boxbtg0KWLV%t91sh-IY)C6fAxN{B>!}bxjSxbO(~#GbvI93PUH4)(v(UHo z3)66iDmx&zd@Q!KqhkU+n9(_c8s(aOww*Mi0-WpKVMBA}f?xHjcGEh<^<-At>rv(a zzu#j6;Rhri@m7FsW4N^0z@}gY+Rj>`JtBm1%hd-0`OfoB{5iWQ-$HB6+EMrW)m2oM z{tLRrLi?g5=i&4+kZypfOdJ_`^k=Z;q@(lOlxUbg88exVsmIj+uw$u@p=LA~Q17Y_ z5_hsIiQV{(0;bdR(S_+&i9tb&-g^afua`r-&g;JM{Rq;4a^e#%@WSbRz{5lMUUxc&Nl zA(gKxO997J#C-BujwgY+Uj0!GH%Kc?aH&(j1}@oB{v(Do_s;-!%_3>AKJl8h82OcF zUrU-InwaF?!W}5foTp%caAXLjHFL6V|T`OCrtdp!eUwm+PnRw=l5n`1Dd%d6_fO?077Xi zb3nK&woqEb9o9HLY$x|2@(AAcMMT|ZQv$A>+&PWOgazW*MQpmg|XDC^VtM_T?5$yGHf;_as8J3NeBCDyPiHB940m^dckv2edu%DUTM4Qz4i; z9$chr2xBdD4-Zk_p|%MBfx8#5|EOD4$?>Mt@DL#w{g^*dj}Fcmi02EyiLzb^rh>#y zXazsHj1S-YR=XKVGBJTBnQ10q-=T?ePx-oU~B8Wk}c}zN% zLj_U>VvG=axnEQiTvg%GZy-kX0RnEm6WYsfD_9QBiE9uD>c#*c^seGAuLkKKkg<;+@uwbshUL9z`&izrV1!= z$EaCHw;P&FXem!YsBnpbu92<*_QAtksR%qSHQoT%tKiB#R!|2C`yy$;!D%wH)PhvL zvT6s!AJDFt3>d&jG3uU|qaZaBgNI7HfXG;sfbrSB)$r#`-OGF+hc<7$4t{(a1;GcP zet?#pGuF3@lqm?7^|L|lw}Bas`9XdF=x8H!CDjj}O0bu0I}8<}N&{(`%Izg|vMJK{ z48e(CJ^}x8)FZ^a1Z~8J(Vr7gfiXIn(DmN8Lw=Xhw-?rIG4(FPlf8}~;5SgRb1L4^ zN};K zS{v$>Z-S=>$h$~=5AY0BP-o#KD8n-);27fjRCIxSq_e85=>zCn>AwuK%xPzw5Kiyl z{iNe5C;tseue+-$0$_il+&AHt&#Cx4W%afm?evS=@z3h7QNz#()(v`Drc#ho?;w7h z(AT6Tw5$(ghAHOv!5jvHL&Z0=uFdlY0&R95!Ax29(=KqQD%sqcj>I%J^C6g)Z5ay~ zb2N>WAz^eeIwM*^%r0}ehXKTDNu>W^g+~vj|(j;#W$eBNb1o~-RnK|Zy%h2 zeS=NCx8U)c2`Q;K7CN5?-;&A;P_Znu5aE{|VSKh9Ok0foV2?_YF+o-{49wF*{ZQqb zr0^q2{bh~!pvH6zT*enQbiDf+g>eE;qkVJ1@}Xd{QsXleyS%q-qrcy_d>_g87R?y% zPEQ1Dm-G%G4MjwuzHJzHC6XV7iNR7#(xsZGE%%P*u&^T?wc^DN4q~J+`?$frEr-k5R4yC8E=|sj`14)sO(e8@!(N)fL@qQKuJFR z5+lD9mCJG3cec=3khrsX-8-)NLVGLYzSYe(W&G+)e>gwwdqnH4P45DARnz)-ZBQ^- zZR1baelwLKmV1#}9!fHQ1mj^N+a0%#-<4+-zL6Iy!9M$p#{=_^D!uQM^t0;Hmx<}Z z*#@-tc$3Mpy+h&&7gFE}18AzR8tI~Zoq&3T$w&SxjCGAn%t7Sg-DzO{0^)7EI~64G zH8mGVW(;in?fAP{2T~Fr;2rn>F&&)U>A^&xZ_3{jX&$-# z4+z66#w*W_hr6g6@LI(v5_}u*Re^YgzcA9|8dozNn@6nEyb~3;jjx(C93v6&LguTt?z*)CP^2;d8mIThO>_=5spHTc5K7`%IgYlA>eTN{nPzDTXJti|ZF*snCegR{AN(-en+s?YLus zUcdh)h|&?x`A`s%bj>9>cB4h+=%{Jzhx4_N35hBF#k<|a0hFHOUXA^?MC5L)q-*E+ zD1w#SN@F3>JOWD(_`@6Pk_xRWvwOqwRN8>hXf#W#&FqM~sVlg=&BUgn{%Pc>4DLtK zQeR@+Y{h5kOXxNGj*aVBY9U8mVAWU(I222@{B3n&wg>f^DY>&i5VQ9vp0F$hr$Vs1zOq6B-|EupuB`>-MLUjhJ z=E(gCZ@4f7#TkewM(P)}YtUh#!X{gMn0TABj})TP{w$yESxclMrF|_MDP2(RzoUdP z{IuLlzTse;!{PF~6!=H3x3NvPuubP~g_`5W1YKQ>CyPjul73@fR-dIZ4R?R92uUXm zLl2}tDu?t0B8ZMxHTkb7gldhaS8ylevJ>0UyZ&>^tPElC9FFsyM6HF!a}OhO zlbSQpA8$!yQD@Inqh)vmGUpt1xHS4@oVY&$tyC^sM2zp3%-}4QrX~ zODDVuO+S_c37!kEe=f=wt>gae&3e>bz#!mVIk(PGJmSV8Kh~DP*8^m=l)Q%5cQ$>+$5*B z0ZRq2Iw-Chzw=8f^k@LnnB+^PwZ6Z+SgUYx+yn>Ws%Nm`48-)94#y z<7unYT5vMSnEIuH-+c8T#HU2E3C74U`kb+k0T;7_l$_|lMPdjrNu`Ehl7=d`6KK%;zI2sMMa6L`%Sz+s83k#QL5svT28)ZEa>ttu8 zBf;WGkFc8g6!!-p{uoQwJC57gzElC!&DX^-NxC)sBG*NEcm%6vT@s(Try-T-?^-6y z_euGGSW<-*)cc(uV$5E8k+{<%TlAfkCLL77xQb*-y&!n=w|V0OLqc-)cy%4K3(?hW57*K&)Q5!3q4IT-^G>6DFevR0W6ko>?8kan2t zO0@D=rM}S=I8Q#KlgtC-T5(>?EW{$vOzEPs<|kC8VcMG`12;`el19ZXz=Zy4;K!mz zP=d#$EES1qGt;Kc3fx5;Np2fV$4{y6N3d*=O)2o;R`v}{brys&@zZXKM9mFR#^5j$(eBZ|(#LP6wcpi7nwoW$CAE3%=@^(gF{UUmX{vtS z5c;8RA^KBwUN^EkW>eZZWq57C)cGli>`&28t95Ko1_r9ecZ25h4+o`J0|KP(7_e9> z@Cq5xdMku8*xHV6GIrA8Q_g$`lal_MHjw2Ar-X0#*8&%qoqrYUr~)@ryMo(D0-q!2 znL&fUZY2tmnE5dQ&**nH86Dhjo=Z zDl#6aKk_Yv%sLP*duqYaH~05$_7~;pZJP&@M)wm)pVJ<54&`6T2Nl?&B)9KdMB}*n z^FJdV3A3k7t>hiyANOzqPQzq@{yKgTTHoT3VVD)RNBZZ3;4vpdg5i}gVR=Cxr}}6E z@Z-HT+(FDnHCt!2y4-Gpa@}`#U=5DEpOZUL|kM|5YGLgFNVVaE)Leg8LE;ptqri7O^ohF`Qagb!4O}Rz9d^AU zcQ4L!@9_dzbrDi$gBuH&%Y0Xm3RS*4su8n$yEMUUMMgHiYS-J4sv?zDB={a=zXt~w zKyU`;Fo{%A3@Lkt z97HGkFNO4%V(qg}8}&TFMpX_bxD?~5xFWskYn5S?)-ig3G1k~}*U~Uh3{sqD{aT&N zkffmY_{(?>v-;nHfyT= zG&-Zj*(br(4Q;#|;n;=o7cPKv9(N_0E$8>M_xz(k?#(5(uwF8cNPUuU z^bm%PdPq8LWj0uL<|4cqM>*b_Z~Tx*_1wBc<`LmFr3Vk0ejen&nZT({0%ch5blF8Jo!O*-`+; z9LgsKe+Ko>eD={r5bS`N1)>|_ykOeIjIPXc-ITo7xtNVe8>rKn!*5q3en(NSP~6@K z>y=8=cwSpsuE^Si@R#-diL_EBXS9)HI^+jc=+erIkb2SB+RJoYr>*%1Jj20}oNu{g z`Tewecv|koymg$QNq<*cS%*HMR=0E8$To&q7Tx;acVM?=W;cSa<-j-k9D`+Y`0q#X zqqOS2L@Wr`#RZ6ya z%-@tOz@;!^v3zE+*qr1Gz14|zBn6$hH^Xs7ajY@Z@44^7WeenQ0Pd^s!Y<&hBl;i1 zk;%P-`ej46Zt^Rj|G0Cu4Koq^G0RyyMxz^1vDWzwwYmDDm%<@w@cT@di)*z_7h#W- ze<6VvjN!3lrsx)q4P(9hSPrZ0kHO-4TDmyj#)!V zMG`E(Xxq-|En2Rcn!D%zDIRR=%@y3>gG-vs+ z+(qIeeN{&bZHEEDbPR|(99-?Rz;^bU?Nkb#QSesN>q7dHmWoAKqae`q^bTo7Mf^)i zIcylX^VCvw7Fv403Sj_0un3utoX_IQ#b4NXw(&XL=#+NDAD;|gY zMlAw%Tl$_~5tu^;HkDhdw4vI8XS6689TDl-U1VR)!sF54k%dF@B#}!oqZ^nw$@icxgQrlCjM!-Vvw6 zL~4^meMFs>n8gmGWsnKd!yHQ1Vio(&9vH#Y2WX(oJW>5d>UivoGc&NrH>JXGNVhec zk+r$tIGb$CMmG1gX|MvrJg1hNGG5cVu~3l9@=}6`KGm2K>7*9PcdK4O@QR^Riiilw z66r@Jlo&EoQVZLfKOuu>&qS34nKK^X(%P^-4yi{*Gp#8w6pY$F-zI z-A9Neg|2ANt%v~APchiX=&wWw{ar`pJ>c}yNqj8YX=Xq7hK6LB7s)0qohJ6-ZJQ-` z32(c}%N9ksMgNV4j3rgVUG>_cPPEuo7%s0?t6fPiWlU&!k^4!=><8>wLq`o3kzaPI zGhJeP|*2IQUaj#~m**lmZv3)KCrvsVJs%y_f z7vm6(_*ysaipJeb$#vE+QJmY^zPz@Y8AW{9-n4rI{XFp@o(xZrGxjT{PRBQVU5+OS_C++0pb3HLSa^Vx`$!t?xL!?e z8uB6&mHf|vt;DYGN8T~~rlT_gZ=wkA&%~7V8Wn#(gfm^SdN3dO{X=T=eFgWA(b%iQ zGh5*1iP|Kxj(n3|(%z9^cc-Wxwn;ImQ`I|>4{@ETZfdQGmGd9Tjc8lgqvUyzx6*bX z9!=pFAa`%kE;5-m^~@-_}CF5|>u2{ueIHp0hrK)nta18q;&ejoPd~ap`Tn^#cf%#t$QH zYh!Rlo*093MG2TnoZa1XRBY+>E)ZpWEB)#!!#;#c-sNn8tu{HJOGhb`_}_y4W5X94|_a|Mo?m2$tYG zrSSIy$JTstkcOT#Vh}` z@U)*hO^`|nIv~;oa4nQBDrgQejX8HrRWx+A%?@ihh9==F18A6hMZr$h`EqaNs@P~@_}R?}lo|rZcRJU&w*f9( ziL>!PB+h>5n?cmuTE9+`gq>`S+>@~D>NV_ot^>P{M@TiF010{B*eL&R2#Kj(cl@-e zNt%WkSO05(HA`$)Ru-;ByMa&6)~l8xQgELB2EE?T^a%ot6>FuKmb($IdT21D_Hd@khXnbnutYxh3Vp6TXI*bGjAt=UrA?rYs8RZ%;jG3z zi8IzobfEYopaQD9854W>w!xDw~+m-qOvcED^+8z3E9|pD~>HA>HPuG?CBGM zZ{Ztdw-O=7tek%8jV0A{v8uoFdBUgHI|<*7A0^*KueY%rs)vHdOR6!)Qv;5E({?_# zkC5$JsjbpoKntH$GAnD8=Bx8pgI9*^D$l8vp5v1Wdn*Uuf7= z!RXklwZ(U${jl~A0scdfQ330aOgp97TKDSkq#jOx=_15LI#^vb*6#XXzEW*^!E{)3 zQ~I*JI9xhRaK;iYI>OsY;gn_zUECgmVj<}$Ge3tQ?%ip__^`hmqz^aA6BSaNPX0v0 zeWn+Sw9-#R{;Q8|vQ|Gn#)4wZRTOnzep>A)kI=(!PoNc2k@lCNW z&F=w^m9}mXj*HBlpdMeW!|S#Erm-0^b-yJ(k)KiL4o0)oA+3a+cjXI^C-2FCLJXc} zxqpM)HSz>N4h3YF@>KScZiDd6$5#QFTyA_0NuRoZRf@ageLWQ}ebpPfbHcBM8t5hkZ~q&p;Acp?o_bB%dfD(g7eaCyHzl{Un67U#SuD|h3LU7o#T^k zSPDh+^jA9Sv{H=9^?7Cw5d6FiQH$l9QHX-*Cf4**H4H20btVn?Efpb1X5-6X>W&Zv z(_o1sF1P%P>f?4~|5$k7AUL=4WsL(!+$M2AxsUz^HxCsaYDU1SF zU-@rLgZZ%prBfTvls4`;2-)mDcayiSjVan&--fF*+@EHQ)|R($rP1^kxw7q9yS`)O z@63C=jjiTwX;NFh@7WkSmc+5y51pkZ!ceqAlim+1`cR=5tr7OMevF1YZA$ED9Is&| z$jX55;e{H0kl_}Fw&_2}AgzBC&Yd>!Lo8=8M|BF3;aj*V2K`7YUzqsWmfxUAxdoBH z&lTSy@Yp!RYHVZG-Jw5l!H&8p6u`+kKs$1>N!QUnjdtK17DwACak@ZFoWdmTjwQL% zX5;(wW@f@L0r!zvEYxBZ2zQ6$p3$0Shz(As<E|;s_6fpfgRXcIA`}PoQ1P+ z7S75pyIj`Yg%=FFLyGv_lipLu`Y@6v|Uz1~rMB8=){ z0T*!Nh&UoU+~UUE#+m^fyA-fn)i;id)s~&n+_2BxNc$`({n5@BQF85WU3pylhhU4$ zk?w~rI^_IK?`}KthHiH@?dM*gyH1@G{M}jL<@?dcZVZKaRb&mWdWK)eZ$evwfCrVa3TLM+s74R-fOqqWFX zuhWjB^udZxBy~s(XVVde+MVg4{6DiBw3>k8$<*e)YwjFq46P7e+-ZywW1Nic4akTN zZ)%7sk;nKd?XZcwZJ5O!Q2Pouzp4z`*I4Ttxh2N>Xzf200JS|=e+u}5?1!U`&#{@? zLoB~49Ukc|q0D~IVEaj}Gu_)&)gLF(?U!qsXT?9m9JR4VBd`7_AnoN;GursD5s6%O z1+W#JfoTXd!ltSvxPF53LkzNhzT%@c2?7P+uIF&^#}M#&#(6EuauR96U}XV*nv^B! z_2}YPfZHplBP@M<_|IWt^Q7}zY*RbczM2o1_-pARW}i%>4fdZfm)~)w_*Cu7aF+xN zkaH$j4*AmPiZ@Y-9X);#B6C}x?mWVMqArMq6blx80?av{n$AupKV=`7f+EC~pMR7o zPlHk62M8weKq#cU?FrjZ38H0wn}p~jc6*SlQ?AJ}u|W#<-T-||isfVbiHXpfbDBIc zajbq_N%^9fPEHpQL0!%_P{j~%tHkW=ZyW}TT{>iA#N4ERK8S2HfDg57C#>ihX#~4( zx<=&a6YN=qG>wf-$h;ar`*hFF?}OAU67&O^YxlyeZzs~^CEziRvzj1=#_3kFSkk{~ z(_}MzC3{1GTWE-7C$fk>-Epu_RtHLF*OCDw-&*kl)@BC^ZTeZsT2Cb-AftU}3S(f+ZkL>iiTiNwgJ3oopmin6yhhNx=96n`hS>X*Q z<6B-@wAV`pp$=s0l&)#aA?L>c@%$V(c_v#pKoQfjuU5^-mR4XLY z8vXNfs%(mhxu{Xw6ik|KQ~>R(wJM7ZY;pt@N^(*D(n%>tX)>UIBqI zibSNJ6H*e18VSjuY9N;+Ht9gE|lEs>8HXL+QHCgPfp)KB7Ib56Tg= zQPL|$3qk7skAm2j1;{WPee}PFS}yo^UeVVuzkbCUXy@3~k0roj(f_>eRA+N z_sPq0kZC*Sb;^XyN?U#x@e22+JolZKpnw=DU3&5Ct>7}&jaM+2s!&U z&?Ol4B^Q^#n^ZPW;{)CUNRkSleUTG92{o)z;i##87A;a@!{_u<@5yJqC*ctKOuN5G z_q?$D6kTMA5_O@$u$C`W>o*&;{aN_xq{TBVE9KfGb#Z}F8xq3@bQN-G&U(bAsr6zw ztUOte5!M1iTIWl-_l*yR(>=xy+pr#i=Or(4S*@ri}>ylIKGnw{MNZ?9#5}^PLHxBV8XpX z^2r{c-|V@(M|1eE*L&%}z1R1g>_H~@#~tR|rvbHo3&n2x<7#n1m=Ir@$ZY~#ftxjWPg4LHtWrlJ%@XW z)mza&l?z(4H^0B8x>d2;<+I&-s=X=yDBYj)yY+Z`Q{8U6f6vZ~vj@<7Pi1-&Lz8$T z0^p8+`>eg`?Y-&$(s%C2{C}sP{C&lHpYngm=XQtc=|vd{e_NcJ4RWgz|Hqvd>YI4S z4eo57|LeT(croBMjz8b#R>%CiyZj&5=8ikw`sxkV011Oh-_+bxZSeyr1djBv`dVe- z#Oi1Ax5}+FPGJqO28J?L)})M6nK-LDGRPDh$46=+LrkG2!K#f5vxZy6I9*gkWTaKH z>aBgOQC5S=XpN3Cg_`4Htg+U(sCcU-ylURDp4O}2v2>AA z^VPk+#@(m3f+)*JptA5^g9sM=zXtKPrT?!%ymJ8luR;8OZV>-gszt+V3wWO%9iRY{ zR~c)(XX^Bc@eY{5!Kpvb-~4Z$3%&IPk_VV>npk{FiHsY5y3+>wjhj+eT{EHA0B*pV zt=RbZk6`|O`TZi#!wJhm3H=XF1|+ zwggoskK`$dK}@i0N}UiZPf1C@A@UN>WQa|ZJDn*IO(0K7PJ&=wx!snS!y}o~R_20` z6MM->2p=rlf@BE}aD2XRIe=t|DWo1B5RS|3_Jo{8C@|4!Q!_V&7`e@EBeBj5xRcF+ zV=-@^454^AWk~LDCc)nih-GqXvJLdtWl7eePRKHeG&@~zI>m|a#?3+*K!Yxzz=Q;6 z5OV=m#DU34&R~$LfykG#`!ST$0lsaS)ecNivZNG4JKh2=8hL^>5yG(L3AW^-2rRS1 zot@u9HLOk?n+~y$N%>`vfzvQJJ=S|PvE&sbwyahI>mn#lbm#K~<|o2SaT2+8c$5}B{uVYL-~1o-{( zR}$}Na;x12edHA8FZ^Ye9|VnFG^Os3q|of4>c2cND};_CH1V4Ww+857WW`ZE1GI@m z`dMLs4yEBe1GE(eXsgnsih}_JLdTuaMWjABC%R({H_NStts>1AbM!n0P-xn*x91 z)el?bt>bO|uv+)5tlnCFk2Swwk7(Vy5P@K#kum~uC z`pb|4 z@x7&YHW4YxagUpRbB5-t`N_xl+G1#Ox%GZkK;79~66qp#pfA9MjhmG4-{<(=tAX>Y(iGK6Z z{NQ6;upF9b&$6B-`u8IJhl2iX6YV?T%b&Rygy?#0`-V$6YafWw-4e|0S+qrRtT(a{ zD{qPb>7qbM$YTLDl!hkE%0X0DV3=5WF6df|G>=y@5#f2&k<+HsdZq}qD(`~14wL>( zk?sah&obH@1wP%98i(*bI9iOO7uM24ldAcGIk-H`IYNO#?M@&-^o+XnI95vN6iyv3sRpcX7^ zn1Z*2o`*_7kh653wKvB7W*m50m&oC9Otj-o6$FxdEP|4b5L8TGZg$FKmDe{CXWn5+ z#EjL+V30k2Nd^ORcZmry^_UZIHI7ZYTw+DpdT__nQ_ckl2Sac->6iW<&Yy+iRkFNl zyDzqH$D|Lv%NEU4xz^%2D2~2pG2y5N&v;8@CfqfS$*6o9hoj=^<-RyISY9w&|^66>%+)uYS8XjMIO%3>IwaGQ~ohLdQBHWI4g83Fpl9Em5<1b!%Pvcw`) zPy9;yLx?5<-^(Jzv2{yOQ4}I0=v+P`9M-%O8a$pl!}rjr<|q(B^C&@};uN2^|2^_C zz^j-UuDJHCmi<_mT^-|R=)hH^oIJ|KldzQj&TU8(Gj|}=M7v2D^YE5JF_nloy7du8 z3FRQi?e{}h;1;4LNsm*=)0h%MS>Skf6g#J(t1%@eY$)uU>sbrXu(4B+c*>@*KaU`= z6r}z3(*>S#*%v;wyj02ySon#A~OWF z17rhfC~ z#1T06`U%MpQ*Zl%v%1&Oiqb`?z}u9MDmEiLzOaY{@(&nfTydW2yaD(;`r=&9LYT_C zq=yNqLe^c62gjyoxD-{{y6t zNkINVIg{X=1DdV$pB*2teHmu5(~JmjNXD1(L)doYIWp5Q>AF+P^_Rq()3}=WC z)EiU05mZbF;O}s%2X)THDzD~{c7(i{!o-nJ_ns!{7mr|d%(FDOH@=EyQ3!Hzx2Fdq zF^e$^k9z~R?0u2wCShrV0sD^J=>vTnPZkG`wIDo4TEQ$cT;UwRgK;h8DN=}4<|J|5 z^^X9KwHaq)Wsw`q&_JC2;!0nmUh!v&^Zeh72c<0z`0Kx~yipFocz9CtlHYs&n9JP)@V-!G{({%Ybx(>f~goYW%3pGiAk93}=8`sM>g;d8Jr zijVS+{8kLs66-90fM|0i893J?;{9bgC?zrz-bxp$lce-ioO%$okJ4>bn}|(&?#oUm&N9pQD`_+;KP0>`E1t?r=`o@q@||ncYxR{yxW$K|epIemodPrx6wv z!Xu$Om0$mq9O0P4_c$dJ3**Z!7++@OEb{BxMw0Tca`Ay^5bIIqN2%$vwE?gYWBUZz zKGJ+jnNwiook>PVf53= zd=?+Xm+CiAZhO&41l03AVTnlr$fGe+KxsOk@aI!uVq zuKQe3Od(0&`AkrYsK9*;L1Y8$z)9igi7jId1NBWx_M1Sb8nu3^U8*z;iTOt;wzwHF zDDRVXK3!*O3O#F4ojnCez2j4BQ#?lv{~(L`xArb|k1!~@o0$acA@-aSg10e=vJwwO zmNC0x9u6fYl50OI1A6fw{;BzSGjb*crjJ90M^TM^wg$h)kHU;_mCSN1E?bYby^PFNH%S#=L;sN8<51X$6pJ6Wz9_5D-Mi zcd(J+hCm?X%6{1nxUNQ_{`d`7haPsKw^2#7OUF>W_Q^15MfSt=z0=WoSy+_xFq_B~ zgd3}L)0pB{c){BrqN{6xUeG*~PT(NAzGfEj@FDyp@j(($T@C!V095AH%V*})Zz&yN&xC+Q z-p0*H+mwC*f%!hxcr7&xGqot|*RfYWwZGsm2Web&n7%71=DOUyf-O*pLD%}|LzRWI z01CrI)P60^k;bY&3KW2XL4!xprDLC$SMDJjQ!^1Mvk$^>SGpkGjJm6ws}VjAL~6|8 z%aijPLr9Cxej7Jjs7uL*xLc*?~j7QCm1Z9Zi*sR2{bsI zXb{pqHz-jKJHwc%Qsd`nTKvlT#Op73PP^?er_ZaTI0Z|nF69S2l-Ue?^d!iTSQ^QX z<<*9J40lUc#3h|ZTrN!I*SqtopYFo@YjV*}4` z#S?I0$48pG0?hZL*VC@34=UPzcR7t`Ow2e=R6iS_UlvG`wa*7??p87kSqS1WSxmTO z=fjwxF-yYfe34_)MGzf_-#Pmm=s>UGc7G50*Ku^HrC%U(ST?!QJ|U2KImX7~Jo8{~ z6f?`Yz&jr?rFUW6N=5=Gh_wg86L5?ZCfFKjdwo0`q_o49`nw!jk#^GczzIeCG}5Q> zejG^_0mt16?gGe+F*sgIHh!XH`Y|`wy@AK$>*|1z(;p*C*Bc}X5JR0mc|^`l)HH<) z!qf2(E$}O5pw4Ggivm1O&0|4$H%P3JH_~^b#!q)`ECJT>`HflPb}`{vh~~k7gIV}_ zyhvuL)wTu1j0!cLldJ2)*^LU;MfJ1Qb`4_v6w)O=x*{D3A=-;_-j=f}lr(7ehQd_E!?_E=%wR|J7&=V|&fadg-29&5H;^vm+Oyd+fnre3ygq=Sr&H}`u_J?N z;mQ~#J6a3d-{vzN_u>X7obN}zZzzLRl07X<*qHhya{Z>At+Lm!f(;_e=<2e3pe5#? z0QT^5h4cxRNSCLML@C!`16&ftVB1QPQ4x+D_0D7@HA;`;q^^0uwZ*@l(}d}MQfj%R z)Q!=&?c_bY0yFhyG%LrKu$MyKkM?{H1HWgC?tQtFMcfM;f5LAHtfznbDIAh>IF>|o z4nuL8GHTyX+OMbnBcL`xC{`~6%oieiQAtTh5Q#Tz=T4BJQXf>u2MGrEdJsm1dFNz& zU38v*Zf}(=vxYsxJBRZ)fkvRIX>&-n(IwZ^$@xVFfqO*VqDUET5Ka?j5Df2w^dW&H zPGAipuLPsUGSx6687#H5Za%*0#M|nl!I_tIOoDca0mNDQL2$Bk1c&MVsSzv5iyCyH%=gV9dykQ`LWUkcq>nQIO_EOq(V4%0kyB6>)nWnF&P+#V-ew~8mLOiW^ zf!?22vAgA#vjJD%<0F_#+e>sb^z!~3%k+~Cu2C-&Zxn*%3B|5Otv*+m(|oCtx zrX|yb)B|Z}H0}?fxY;RqFrJ;7k77Qy8=jN4(|mC`ap|t;$OICXH_q&nz5=B$MCNKV z!qTSM6_h!_pADqlJCC#PgMxt?BHYqBZ5T(hiPSz!vw<4h939Hy3817e~|Dm?<=7 zs1d)>df%3@IM}Rj9ftF;f|(xAG_L?-V%SC;?3au^7i6OFE*uKdG-0x*|HqQP$joIa0`I#HY*ywTVFx?~S+eg}fki&}BjeqsnaZr;BeSVRd(5ucTIoxhk1m^9~J*~`J#w(o=aR0ByV@zD*S=U1cr*~j@bg{gOj^vfy z!(#fzFcaB(q|A+k36DSSnT)UESMWdg+sSl0(0fK&0hOg+Lv&BE+wXg@kg^6$`6ov3upf{cW$=6c6zcP7>~%i7O6pjA@=r#%oZ=%*2+ z*5tq@Kt-sNsAn&YU>}GPFW}_N3t)TN*Rvfe?kvZtVI&c#Pa&v2WWe%dR2?af|K z2wl&|39sP~z4QpHx#`er_)L<5%gx`UEoGX84Ber`%->Me6`lyGfmmTD#ltio3qkV3C*tG}70)^S%sq!I}SnMd) zoDFHcM~rrS$Imam!E<~cDX#d(@~sBGs02wr34Lp)!}76qI*!!ct>9;1p077!9+nc# zTiXYS4U+8mSjNV^%qSt^u##KNi9*^~2&YysBkjPURV+mm|0F&{_Y3`t&oWzpEQkL! z`<=8{Uf@^q{djd_^8P_Mn|&ofcU`$8iDNz6IY!;h#dIjyi>#=msk#FJRManq59bYV zv5_CZRl6r|5ovPvMfor*THXFN39x)kj_*JtSgR8TDQ5*zX9ZR*MHs}9X>NXU64k{_ z6UZYjf4dXY54fOA2ck!S&0lXVks0`WhRUYe+wwW2Xga zxiBGE{Y+omF-FHJ4QpXJ`4lWI2LjvVbNUG!E+r1Ly4rCnh^Ym{7l3nILn#CNw z&+t6>=Z>_mZJ~- zEHe>tD^vSpem+fNnu`h%K1U6_Zr*T2uj5qpJQbfzLsNkyOUIREE{A0rKZJjdv&k&( zxk1O*=jBS-uCDS+Y`22Xpd*=BuLTkKa*v)y3%YEbyB{OiM+7s$=l69l!iVu}P~=HH zVj{)dtZgt=sB;vvE0oTW$WS1?Bn5zjaZFqzp~QGEzE zU;GS&K;m<|??NkUJu&|XcRbBKp7*M#7fxpfxSgz?#q+PKVBpe>k@IR`l%=EayJ9FV zpaRz-tQ8iG)guVqgoTl?FJDAr6FFH1k-aG?Wvng`xOHDMm#}~@UxkGx{`KNQOLY#e zB+2d+;bY+kNop+Dd=`l(V{7&)B8kU^EHa{VWNML*py$fz%j#+>j1;2}a%mD13^w{Y zPA6@`7m^k4hcGfr8p5JzZQE^g+LKY~R&k3>6oV{E%q|GxRsf(`_npc<2H|5hzmjBT zlw}{5?iGgMN+Hn>h|g0vl0U$CZSzDy4gPG)G7A#f{;Y0BfMGMh&pk(V3WIBfu_{0_ zKR{m+qWxTp@p4VVv=5Olrx!381oIo77F??EEAVH8|#g#+E8AFTLqRWoGakP^aNMJ zxS8METPmKhFon{ySWZC2VI%8R<52QT>aOPFZcJ;OpqJj8=~761msw$ zq8}4!-%W%;q7EGN`~(`QKHJZJoh53cOcbD)bzn3IG>kuE776}=Ibu6(PK|NVK z0Dc4jz^4M2$2Me1Hj#UA6CFyD@kP?YPbOES4e$apBsso<{}4xzS7;PJfILP<3BTwZ zl#D1_jmSdBI>MIBL~=`rk5M1odN8Iqn*9eOC|mFTIoq{aV0T6BpGm`^KSIA`ayez| zp(AfImV-B3?}!n!hSxELF#j&n43c|tuck1j_BkX#JJKxbnN+*YNB5&#dJ!)+mt3u& zpWtG=CVx{ja~$gp`4C4$)6yXnYaG0vB|xD=GO~%yNxFcrT@6zl2N%S&Xh)k!Hb{vQ z`|(<)UVn(kOXZd%ALH^0FJW=aY%`FLk5=Gxqb8u!1?$l9G0P~U*30Cy0w(LDV0Jkg z773M(uha<&m~QstRn9oX%!)AtutJzr$GvKkWFAcrYn7 zJeMYe#c779At!;oiR)mWq@Gi>p0ogTf&7CS#SwTliLtw6Gho}|b*!HoDKtR;7vG?p z$P|=V*^j(!8=vSp7>2N4(2CveeRL30A zG9~fLwaJR6>13U`MqMhZtCXynb=nZg$sU(xgfAe4RQ4&g8O)0-*NOXCxy6!>$VSIC z<`A9h`dm`rX7arK7~^~v8T!EX8tzXjxDCPw;Fzn)euN7GEmH4_+rg3|7=^SmjK79X zs!))rngtXxr-f?Rj1=_hkZvW_v1^0$adNhuvgN89b3~JOcp9MY12LrerLadMWb>9( zU}p8z;A|4YUv@6Wq}y=VVA8GQNP=Mk3Aua`2N1!q!@XVljeiJVEwZDO2r#E)*x2oI zV|sbT0Az2MlN}Y$Ay10h9^m{LbuPd_4rCkhlrO2FcDMxwbo@+^TW`j4*s z5NpH%>A+1Kf$(p9p_r7t9F?=r_p=nrq*l;9DSQNfAHPvLN~1gN5{=@%%K{eX5Q_(&oIQk}p)sFiET;1vEk0&m|CMT_5c);aCFW7qi%m zpT<`5K{_bZ{vy31iTnhMDKv1(Ov_U_+kGru;cfj>zQ)tKT3oSC5K3B#1$;=%)dlc* zz;LE{F_c|p<@$h3C$Cc^9@lRj+O#b>Y3`OD2+99zg~>(%O~74}oq z9c||j9iV$VkVbIOs}WPkiOi(ASMokabyv$^k#a6ur{O5AQrGG&Z^+17TCc$Aj1@N0*I`lH7+XK)g1(5MvG7ji;TxTJQ@>$=Zn}~-71o!ZYqan8 zv0OoHaE$W>OsueEi?{affsHFlK+I8CItpjW7HJKCnGQ5;=7SA#G+8I{mSgHA&vHRW zX0p%7rSHiQYVj$j>X;f?|p>1G*+rNmWa%C(SrAxhm+ad6SQxu1DrnOAa7xmy1RqPiO%)Sas0}7 zEQ|%DfD*{FAg*h5;`CEPO0IyR<%ST(aTGV= zhr!st%_x)q2uJ9_aQ{7UY9aA%hQr>jH#DLL5YU5Rzj>e+JAL~|-JjwMdJj*T>AkXN zXTK*W`1_9=LpGM%$^JO(MWy!~hA%x=_rwm|KGL&`-V5*V-CFETe3QoUPv!jM*d0Z^ zdGL?Y!baquvbf_0J*RGAH|ji*cb7Qq!)T~=aHM)z*a@iCD5|qLF`pS_~V{E;t1Y9Z(e`W|sGy!|{`rEQTzW3($^Y*zDDjr{CTOS!Ty(Q^kkPG1 zf{c5wymjD?0(+r1cV2z7wfN?KKB~DaGGj(Nl=OBsfT=l= z>A$uW%kd=l9bazQnE%?=yKe>__Kb_rVE?tPf0*O{+E&kBUzPtqw)Jnpv#ei;mT%n}ZKThB6j2Qh7%`&cY#Vf-nZqu}wii z=_W)&@PI%sw3e$5?}6U}gq!D8J;O?7H0se?BFg}-%td+8(Y=E^d72bpw^zo88>8wO zYe_2qwHzj*Ie@>MDakDGOC!lRO`x~E$as!3_(F_upxA}SL5Ks)(1R@i^VkF`ZIEs# z9PWo(nIO6z$e_)4!B-<$CoM|Tm0mPn%kteqHfl3d*Gdy=3Fqz*p8Gpc70e=c0tscx0 z*-fnJ;P*X+%X)aTJ;)P`G|Xf{18Whgb$N*|LwmdiAZ@u7)(AOjrK#Z<3mLFuPfP#4R#cgGY;9RZ2{uE_{r`_ z6bVu^;tX=1%o55(IjERX{IFOhW`IbS#mo$ZU7J~eVuk&fcy2AY;D%r!oxd)H;!LwK za4aBL9Ut@pScM7Xfs{!$J2gUbCR62|S4S{=X;|h?g!|ZnyqH#6E-v6+#Nm9JFpuou z=HaLw$SWOyPw?|#r)>a^5}vn5`rqlJ)d

F5K=9OUH~~4D!?8Qc``o+d9|_X#%Eto zeHsxPK4?ELr+uY9e2A(Cy=tiCgA6C|9@iIMfT;9?*$=m1-qp9Zf(rGcu*C}^E!?5% zSto3K%8L&z-+uA5YcZFB%iSn%8+trFWsW!@$o!#&Ep;B^*lXg$?-$ z$TPsE0=oYR)J~fnDtifbFo5?}No&PMaN*AaKVnSgL%z8!fEmU$2<)cGp_{e^!f5w?k9gj7v` zlNgyrbRP4`QTtTseQ_?}`UctNVupl?<8;du=DMcn(`~{Qevl9(4KaVD`#C@iZ*1TO zrP z2;dXy>zdEH4|r|U;QbN~g>9qw&$#qPCDxVBhd=U?cw_yO*tqcpb~n{e4uH4Pg`@JC z*rGu0Da_a(M2%m0f$O+2Zy`TJFEF5wJ34aK`A#m3@8USp$J{2# z0RxjCkoTd;)x^7AWAv^$l*h*UNsVpwhlFT%9Do^X9(7OFe@&a>xuJMKm&QGuHxada z4X?(g%mW}jj~{M)uKTz=03ogmD^t%QVWD^xcF*?k`P78ZTlOFdPp>URFu_~B$DE4O zAyZ>r05b>ZmOtlb;dFWtj?F_gt(CMqL`z+5gog<5X>Han+)ki%_)d+z$uF^a^ zPUk9|TBL4gW>+8@CCzCMC9IochsoOp^F00z3z-%qy~y25EzXD0{*ZJCqEH$pYwu=a@^6&s{t0dcn2;hmenfk-iu_seCyMOq5R3e?_Ts5(q8-!Z@t?!x27f zbAW?dMK|Jz;)~>BRTe_wCmx^%a)4&iNBD#Mcz&5KG=MSd(pj2U8cURV73FiF8Cqkw zd7un3AJOFYb}#VJW67VXy8J- z2QX2( zlL0u&c!iDG!0M8fSmLumU+O2(ynmAr)a+~SY9ruqmTGBa+m)P1WcW^39zYMwxDP}Z z+CO08v_5kFl@hyJn91*E2H>mqc%ti|Or%3?8_~X=JIO?)KY*{_&qSQK*YLB=gdgRT z#D`8N2|@WSUOUvF`ib z|KL=lpR8sA39f&F3&!K@!AQ3=qV}2NBihrX`z*o!9sKqD9;7W1iwQ3_eal{=rG$?x zZN=uA2UxjEml6bsZ?#NL%y|ntI`A&4bgdyv%Xa&aFr5YD>+tLv6S>FxRaeoDY!NVs zO?UXzyTIqXmyV`Gs(z5;h2%U=;@j2LazI}YUE5w-!p&W>oC^oe+fq6gE5}|$^}mz4 zbq2?5{28jVImWlIGIllXP9`0GV#Pf)PstnmvZco5$lPTnn1_wLhuu)Z!;Z-le0$x;^k9 z$RKkC&egfqSPKv)-N&3=kFv+n<#4L>2M}S=GGpK?f1-T=KZZn+bc2`*lxm+bE(qOd zEfCMOCUI|(bo@L1oM>(RsW!hJ;kDcVxJNBq*KxO4i$`?a-5!8Lvxn=Ch+HlN-1ObG zq|KjbFFw#b9$e^r7@k{f!_nqG@qTbgV({VX_{=rF4DaewvxfU6=cKIpUmnr*d;M0N;dl^Q zqj)oY7tfYZ@dQBwet&K1>lhalPDJjDW+thu0nIx@CFb<0oDWfPC^ohyxk9A^?Qg8@ z48C4kjpNGBp!P|&!RZGPH;INezR$0bI%J;lr3`N1ua`2&t*MQ{k6_6=ar|DIXuk~jF z7%B4$#G7?PX!bYxc}O=rfJRp5qWXngxztA2N@a`mKG?`DlLy#PaphrZl?eD#VRlduiH*?xWbQujPDXnzKO2>Jq91)%K(!XZnbf6gHY7W6ZO z(m}58xLM}c@CqRNthd_B0k~^WQ_FcPRgxyypl)aPGvsaUX_kE@Om|Jm8B!XG0V#bx z4Y%U+bTlItpQlP#97xjG)34)xIj2Ey=DLerFULP-53zLNn3-vOJHC1@?12f*wlPv> zjzdxmH*YVEdAGo%{P{1CLv-?$AlZqN(sG-G{On-U_r*MVjEUsem@wDvUaN&)Ic#Zo$ z`&@s`Q@rhz_@!f+dPd;E7ub(=<%MibV9Fc1twCZ=>GLT+(4o5ZDj?Puj6zoFb`q;& z0{~6eHiZcMKEs2jA17gaYyD58PicR4Q6!&EA3D8;k4? z?6^_GjdU%|d&QPPveJ`aN6!9&kKsDj6#tC#G>w54$yc*U0SKnNZuqFFWnWMgh^F)H2hU)m`JL{!xLh$Z69Akh2nA^jFEXK$PNe%W zP_z}jhIGzEF*8X=f- z#jRye$ZQ*MQuZQuJARq{gaNh!m_zXVJ1HYw{aw4bWP7PkrvnRG%zE4~HVtKMiuUUK za6dAZcClS-{v>~r>Q2F90SPiD075TY=cWduu5+{BMR*pUboFDBRBe-!2;f>L^K1`E zv_v6?$X7?TZ3|w)N%(3>CMr(DyVKI7t@V>q!;o$!ZJY#EpG&ej{>7VYkM0^$^nGAk z4%PDoKw|;K_D_^=t7Cl{w~}&xf|$lnwmE3bX&>$w_OvUr(`=!<2=wx8Eqr8!2elRR zCPV+cBf|C@>10z?0kVZk%Rn$g_lq1hx=F2}Qk=}aD+CEeuAqut*p?&3#2)T1ka&@!~tM%D6VD^L>E1j_Z8i{X_Tf(wUkc>)&dAGv_Xd zcP<4KlH)GTEXJ`F$K+%n#!y^L48|pL!`g~WSeP2NQUgqzjt~}usFm$!K19MaOm{Sp zhNVA)bS_GDncIDU<1q{2HF;Z!6DE`p@qO5yF4r0Z%=g$dq-e`lY2v}>F~cRXH{_W> zyjZaRF8VB42-F<9{A^bqP5{Fy=v<(VdxbFn<9|zqLwh!A3TCZ=Ymvrn7 z54+b7VhIhrwX@>&yn!3(OZxp6vYWB{iup(uc@)Wl#~j7-sI5nR0u!e$@Kt80nq@&l zhc=UtF{_&W!ls^T_K#SgYLWMmWwcP&QxDE z<+FXh%Cw)p@m0CxHW`;4S}#-QnfA+q3X`wPf{Sx)gfAUgPc-Ed_mhy&xTCI+syQ}H z#zev`-HUC0LhM?%pM1jB_Dt=hJ)JpWb@cP%TcZN?t=YCb3^-24yx;fu>zZ$VX zrhhGRVer`3q{UI&Uehm2{8-Mc%up|hS~Ij{iJ@ThxBkYB6Q88fTV{PrP3^Ly3ryQr zl`J)niJYp4*|oFb^_V>ewqwiZvSicfcS&&Gz3_l{VcP~^8EK7ztQ*TDQ=nd zW!11{wpSz1y6msVz3d7Zzj#4r?3+8){`ADikKRmp#EJ?N&tzFon8wEqJP~?+_?TwL z@zG}$&WjVDS|0b_^nVnZK3ovAB6-QOfki2wZoaoD_47S17xnwrPGxe|tc-!|i8h7VZ`C)dEG{pR z%jTQwTe8)a3yZTD&yLesirQnR6U3(P+qAV=Px<8TStwhOE55n^RBlw>cLlyd>(1r- z7`HUEIR)Fa)p2LH9&1T3?>eBCRm~}Gp>ei*U4#8cZ!L_o92wv2h-;3-!j7Zgs{&%W zWX%N$j@7Rz6VH!7TbO(~cu7&e>*v-C83245LkDuDYl~y^rmjt3r5i|Q*znO&EJPVv zNwQ}KD;&C(D7~E`itXzi(kq0tgl>DUcG7gQ^JJo#!rO-4>xNzO?-25r2io0vQN80 zqC%lR?pWu1MSkY_v5RU>?b9=Pk1lCYOj67}T0ANw?_5EQ{7_qkc?8{YY0{p9pI*9q zUzhRS$@iZwd$9JI?)4AWRbIOwpEBqBPv4z#ltjNb^%y_lJ@M7>`$jj+Gd~kPZLQJXv#F;6L_pO^5K4*l_tmCWHRk@FDEm=A%=6K=< z+D}@u{6=wee2dYO{exdI4{pAm-_(%&(W<6LHh$a{GA1(eM5c(R>U?9f7F5mtd~Z^~ zJ=dQ7Q8(xM@ua)Pd|z4e;j|y#zwfSj|GYM$V)!T5lk(^Pw(He+=k}B_iPMHR#ctg8iZ=hq{yr-& z?mKlR@v*3&PN?Ne`OdL()?|c^UySY#Pg|Yn=Ue~Nq1VGtuKK3WDwiT9sx4dF6ty}p z=Gmw%f@rl<|-F{MnfM z-#i;ideTGkwLZgd8f+i`tR4ATSv!J#XjWF%ZW@3H4v?#S80?RBV-g4lLphBsAd6so z3<8v`KTH^LKNQRffZ$9f8Wbu>klvpR_u}%VGNnifWIkK*FxhSu7s^D)xvVTQirj@s zaIlXVvLkT-LLxbS$m+czT1pU~(l?3bq_1)Dc4*Ok+aMLR z=wIvfx9v8@+irn9?Pi4$3YcqTUUnY>>^_(Qt;KNQPw4r9c5CtDSIh2bw?Al%LghD8 z_3--KVnX`kD4cEf9eT4pedlNBmq$H&Fhk!So4=aSIDTSAUHq!tjOW^-@-UUX`!qu% zO=sFZx!|+pz&h-wI=8n^-fB$c2O7gDMWAj#GUc^>^5|gs-gk2-mDRq_QFM)?Tv!wX zIgSd5I&-NubqXSb0~<}bt8uk_VPh<wSv1nVX8U zJX3E{?)YmyC&r&1g=e@GK7hID-&;}x+(7?+6o?kQJXE}omvu@7zhEa%#((p_7<(JI zrpot!{JPIJ*bQuO4-RsWO+hyq!m%CLbW;#WP$;G>nSn5c6oo_u10PZf)1{ctX@W`W zCrK?$EiJ7qOev}8BbBM8r9GJ`rIn@G`d?>gpFZE;_y7O>eI3U+_qp!p``i!L!}}r# z#dI%k@b~T z-ipBPh*BvbjD#tF3R8uIMInTdiuPlDm>QM(h9U@t>eg_y>H1-3lShmwUyYGROk_=% z9T^osBeuO7MhEn3AV(vgUYsM#9|A7t32P*dL(=Ec;s2*|ncz!WR{5(h|^DN5$z(MH;f`!NbWFUVFp|?MUWFGx^kO3Cj zgTHOROBS|GnX0c07$CRvZ6A#EvXK$o! zg2FYbO%21?z_iVfah&~XX$PDAI~a@y#7!(cX*S~353Y4dbqLD=gN1t+$CRqsy%r@Q z?Rij#6P8_d5D~}uD$5^?ppT?%!~i*J4{W$w`JJjld*Zq@l`GXU!K|U{OM?nrOVRN* zBzrdmfR!yNycdSp7iER<<1G=iq->ZPtoCU|zpCg{`JKW%)LH1Y_(3{N>IZ4zVA})v zxoPDAe7heA%f!*rpYlslfK&S8ud_rqss7Qr%n_^htXJ2D&^9rKpv&;?o1nUxpbpA0 zTMC*c;vlMJG16qhc(E0%*tbIP!jZsox<3K>iRFw`57H0dSW3hbPwa8Dh zr6{08nyTV|zlknq_Lv716|2mHgeFO$Jo6#ie6ir;d0;#EWpytE%wGhpi_qq7%MZ%? z0(bl{O+K~$M|;5!!sS3(hh5kL73aC}TWvt5tnQwp^LCjU?FJ|6b z*u9m5zzF;fbg74MmQkqnDJw?^?}H`waqa6`;dxBbP#FsGNj#ERzq6rVb!E`vsSO!q zRIDf-L(ibPSz31inCs_SVaWdXX*7cR%Tw;-kM9s2gIGSBZ_;=E+OcLeG-1ye_Eat9|!&+ zkh0$gT^7|I4{~-BvN7or($z`pAhQwPcpdD*Tybfjb1Q5e362zko;=Xo=vJ8bCscB0iAR!)TM_LB4G%IzGnxJ#L4VpU zY2c}ct#5+w5s)9>g!A7j-{k%r=SK`1uj)~_ICwP=Hx7OUisKt>M!0&PtYT4~3s>`r z@qEANB|+vtu4a~AB8KRzl_-c+>fe6U{V%cOo{JHlI}o z+3$tq$vGfZfCRXGo?!TeAuMdE5=msmqO!;#Iaps771G9y?_Q|hl<5-8bsO4?pJDrD@8&I*?-kg-V<bx zbT|Ht3M9jP#ul62 zWROChMR;1iUiwtQN9wL><6^=}GZ87SbPWnv^Y5cCmTtfs+Xh`}L;j!;S-k@_OQ^l{ z)!K~`M@l!MM~UT#LyIVYnPAr+rBVD}aF?|eH)|gB>@bX_nT9drSX#9c9p_oLJ&67R z??Yc7XI6ppIaoLr#0xRDHUf6~7v0`yCv=c=F)Vxt$G^VPnGNpuQ2yY&3l5Z%1S#CM zlEcrAK0sTfJtUGdEO?SR*h+D+;_P$PL2N+Nn8h!OUvavqJ}kcQRNBDM#%G9ixG;>} zFMa|GUyxnxn$a58iTO+JQ{2K;(1rP*AZas+^pe7SZXON_BfV(4C5WpC|IPOrrQ{IN ztxW@)Dn)ZA0*t=BeD!iBoxLSmfDO~l4k~as?pGT((!;KoWqB5x=3-op189kAD$7!7 zSQNkAqvUvWM#LPG-(h22O(1k!7iC{4pE?B8x#@ft zn8Rqw)yP)-*51BF=oW)GFGG7JV4L_p2KUEMRtadnXdZVim$aE6S<))!o?){@tx~)W z)=>#b(Y7~;X`x`iiG|R8UP-w+Rrdp3J=gSS9DAlU2ZaM6xZeK==+c(C#4~Wjy~#i1mEjE{`d&{XZQVAk7@CHJBb zSsF&;wC@I^Us^<1(f&J_#QAaMCP?FS+K+;nJ^|-{zpjw>CluotL;=-FvZa?o4F*Bz zV?&3n5rQVx9w_S(#m(30dI{tSjY+>!8UV5RhG%tJQD;XSDczThzG|AG)1KF$<-a5r zfpk)5I?u8elI5}M%I?B_Tfr!uJB-{FTVA;aq;@4;Lk}RZ=Gi9IyV`SV+*H4hmCTM- zU`tew)ooET8%!@)O6!d&)#g<7m{T`k}%RqYm(uhX5W z@j2g6V*bf<2rSC%dciXrQSI8&Atmx$gl1uGC^`gcSq!|#IbCR618h@P?Un(leGsdF zl8z17{Dvvv=%W4J1KWV@DbOb6z;w44-_Z&$y2A35%r+<^DfLU_vm!CJEVH0>9q*`mTw+mxpB|- ziXPO9j{Ia8N?*m7IH^CJKnu8xp-`q%$I*1K(Z{IK8&Wp zU~vkzCO^frM^6W!2X5I6icoXo3dmojHT5!Pv8L!DJk5#zNN0K6b3fX$Z4z=WeDZmA zTp;?EON$MR^a&+H(qaOw*N(qM_e#-$CC@pZ0(R2GQ{A81e3$sGftJi&D(+X(7|&MD zGIjBGHh%gFka8fkP`uTL&Vs?2!I6+sWDIlJIhJGzl;&`>ObD+@0+u;%3e*h17f3(S;x>v*-1Igrp6iu#$;>@i@E93H|1oGMtV>u%yJ1zJkTk?Sz; zDO{I3$3o4IxNo53B;pj3BM#7w4=Qclrp0D$31A1MZ%9S!(jQB=L)o!RHZb8((6Io+ zp`cAIt_pM?TCgHvheo;;pnXE4nZ>N)^GbA)_(}jXOEZ-Dza{L_IgbVimp*96o!B(n z6<}kIO*R}2(*G_#pu(N%2y`BeU#(NRN0oM&(z}cPLcPlyMK~O62SNy2sXCjHV(%3# zMPo>@MlYZJ*LH+I;BBeN>Y+EsNo01)de-EJ1(LMv!WM{=1R%%$^ z?0<6!6M1hEBup@&vr|{L+a4F+&vakkHE0Frnrq5^7SIFgZ1j98Wab_OdpH}^G<(xK zx$~jf0c#$TKji&jJspp?E(hd31nivlEek#5x(GG92^(S0hZKW7SO`Ca;{C5_b0*N& zi+&<(i|aGU9ZlF>oui><5}~cqN9ftt^%D8E1zZ@^0_-;zf@D}4-cNf=erz8NE({!L zx4AtWO7UukH;s1=0QUxxb_H7T%_L6_`UrF0P%?*b#Z48c+u=fQs{^2AG&ElUT`;8| zwqHTbA@4lp+a{a6O^$y$YIFU3mK{LWyynTm?&Lok^Hfc(AJ& zdR|5l*G$s>Dj-!WdN-?fjVG;>Rcxe$bbMOQD#*^-N zuJI)mn_pOh#`NB&@4-l-ds`!kX)XWFp z10?$a!e(5LAnrFwb}@8Dkj5`L^QXRet|Xov+N}+kmjaq?_Nm_ts7HnJ&PEb|o>6%HixK_|#qjon7D&6*cwpO;-i{XO6aud?U0=b2$oTa5JL{vLjs*E)dkV;=}!QSLj@O8Zluph$`MZJc+CNH z_-pc7><`%_!V>18PtpM`!*OtTj{`PBc&%j+hbf?6NWC!5rX%K4({BTluPJE1LEJC=u7{TA1t#Xh-7~y_KLrtjftqIQ_2XtUg2K&?XFU(k& z-{t1m$YykbH;Y)ms(DjQyQDwC?#M`{u^m{**PYuGxX<&w3&Oi>u`7en&%|4>K82*l zV*aBPY~j2gRrHD2YG%RDNs1;d#W>|4Xy(2TfVO5wDKP(-PCSL-F?y66+owZZ$@$Bd zpkzbmEs>9E3x#~o{s{ck3qs?58FL+T-7h@Rok+I+rDU@^5{VowUwBsvRVBUMl1N%6 z0sflbE!(bSZxnroe({RVKmqGqtU84L*M5ZcbAgo=9Y$A-%KAh=uEUCI@LhnS3t$Ow zohRlmI*kF;VIMCY2H$wHVm#Sh4X6Ql?tLPm_SXdrD;iJOI9LBb+j!-{6VCIBmP>%M zLH2K8{-eDb*p%i*PQv~gR#+|J`RNiabiTQOBMW&Pb0K>!9NGn!8lWVV&-PuSHHTpy zW>841*E*gHbbqAIc}2Xe6jwuTAM{J<`XT^Z;6Cw5PJ`;mjW0x7Qhb+yzl0U`VoBzW zC-#uWT+VE538n7$38rNG5e`&?`%y|q_)@u=RL+fgV%cvf`Mw>gTnkb-30sZz)>pIp zkR&se^IVWCfHBQCoVz(1y>Mty)(bfCEev4#xi3mzk-Eo~J}*>y0V{M4f3v_BLN0`m zZZD|3QUs$dlx00F_7*uo-R2wToZ^kQec8b7} zdD1HvVK=VJJ6-R9+1xrrS(7J!PZ82Z@HLYQ&15$gG!g1XDcO&%LX0vUiTk526uxyd z6E^KoMIcs6rh1r2NnE=Z*pK!{+$K#nZe{0!b0ie-38SlT{-r&FH0U5?HIlo%xYP8t za(S(6bbT|yMT)-!lI=N?olf|Kn-K(EjP#_3#M3d!C2QVP(4`&qT6cd%!rWl%xCB*r z8Y36#!M#jNM~hnnl8NwHE3#kqai$?GMR-I=sCCJ`uf>6W>NSyb*jh zQf?y%B!)M5*=(eHBX$suglp3{%TH^bQ}IdHUsbY^MVA$(Ll>?MW%VwzJYW4LRT92+Ye0zGMzW_s_F`%->i&((`px+uBpndG znfw$wIpr~f+r|09)k$cV?>El*8;7kc_LQUk|E(Ok_~HnbVy?>@P=1RupY)C8++(?# zwU9lO&}F_)`bB=y&%Itt%fu_-eVMRhb9%lu#NLLV!Yd2)p1Vcxl@AGaa1iXQq{Mi^1jA# zaEb0)T7$!Jr^<`O_X-bS|M<4cSLJq)W)Qq7$D1kO8$w?b>YoJ;MH-yO7u)j%$42yLA4)Sw;i9A0UszWd9L{ijQBBE@NrK> zBI=vcS~*FCX3i*ug^VTCUy;Iv$<6~cusWO;TII=%dsoUyPS z*MYiQAcx+9#%j*or!z8O>oyh6YB+vzo)>ZI-r?QInQdY`G=HdK50rWE$d>Jas-J{v zok@*mGDubzLOjoNX&5DnLr#-rkZ_~L3mqXOy9%WDK#Wj|Az;0k;29zzqG7BnbD()R z+9L%CKj4Zc)&RccOZ4)}g{u-K|13B+%C%?-u*@N+sAD=xE)ZJ@+&FQXuyDjHmabg}&sBwRd?JA<3jTNVMA1(naaO<8EPY?S#0>9~Cr+roq zC+?QDurrhESPSlFNZ~k~+d537Yc1e!J{28`+KA}%OkDdmEAdsf2@eDq$K#)K%1p$0 z5SGsp-go5$?|e>`|An&(vJVoc3D)}wcAALiGDm-~55>6nfLY;<(S$8FIp6Y%uSRj9 zMuEwp?VaR=f^DvvK=Uu!Q)(Jy_aRM^$r3M^+`k9PE9H{9FrE!XVtK_m4}1%z3ALDr^%!sQ^bb~T&UrZYS}S%~(Y(E+)djnkfiIG*h{V1yN7v6# zP*dxaV0zbqnZ#(o;gu?^b?3Ye>9S)?k#4jOhFz!i&=e=#px;9dSbLB?J-3U92xsx~p z+3ZK%}->htra#RX?}73 z4WXz7i{y`P-F^-is*?jp|jM=fm2} z#F_ZeX4qLLPs#3fVz2C(mAm}whcO*Tl2L~hnORun{!=9+;M;OsS2jZ>E*0aU)_dqJ z#ci6jbkg-D@hyn#UJx0*AhKqnQu+g0(n*aAq-&6rXTGQCVo0k~UY+pjS)kUZ6H7nu z2MTi~&M#JLeXNcSZA)h}ygFslm&_v00r!;vI$4Ove9xs5&j*S$%(s)X-ZO8a(h_

(K_z`@j`Y2yz^mdd%)*AGnBAAe_@(?ZJ)af+?pYq_&x>D&R8{|>;-ByC zt3awUOtG(=LN=yzCyBarlAq;zT#++G?5jgYljmWMP4pg6{=KH-GS@MNc$Ud4HeP9C zNSA-bwv4f8iq0tWcICC_bqa~T_)sZ6lr1Zo0(6luU&>Va*L{p}U<_eDh@IdrAvM?G z(oYKKLf}VtB(XGqI!NIuP~g3k%~^>nKG2eUX*0*}w*TJZe_xI}gCgi2rI?a=Z)$Wz*;`Z?j4%E1e`V|o;Jg$ZMIs?ap#iTHcKJyhZRw|swn%;jyYc*H$JsNQ0QLK_ES1D~f_-nK~jDG8{ z(e9s!WaetWDmoR04bp+tIxP=oOhc|wPkqHz96D_`Ui3%Dpz>AnXRFyrn=t2&FpAZX zw@s@_`)2OYcKEhIar2_0C-8RRv4(Sq^-AZ&Aomog8l*3(8kPMhprb{sxZcSJZ~ao$ zG6n8RG5@W@A(<2Z;e^|U(_H-D@2qA%SQeY3IqBeqn~|?9G-Blr$d#kditXU+Mkq`COe3(gICANB_jZ^6i4|T|jq98%fuk*-~UH`ztPlx`j zTKvggsw9@Y8%3Ubl;$Vp32}mVN*GP;K7nT9d40b1lVIj})RHNZdJ0!mNqQnTt38DY}<@b?6%+G{hMV?-a|U<1Br9BD(Ih6W&+` zh$Fe|^ITq5UY?Ms%Vz9uBx=P3YJ{cIP{pq8Jr%>cJ3j;WY(l>%QV{FgMf26ZDWI8> zRQc_lf=O8M^|#Ab^M6(wTOO}U{QbMiOBLly71%162>#8u-LF_F^y!9Fc>RycV$rZc z^Y?g%s94$R^l@g3#xsz1tIzyXI7U?|rd>OWY?Nqk=z>Ruj+)S(<+S)n}%Abt5!dBQj} zh6u;J$5ripOxS(>c1O+oM>AjDHPbJMyrIFy*-LYLr^4z_g?WyX|FiK;2!VdMMTemqW3 znArc`_6B9MK`EahZ?}C<-#CtP>#+n!x%{JMP4^tCn?nzk5c}ialdAee&UXaxavcHb z80oopV;~-Q7m?kINEg0cM4C~mjZ2!Fkev1Pla)9PsTJL71(H`{Je&{IigL9)24#{o zjFrvpTNX@fI-RP&Y3dgdLtBvd5JxZLXOA87D`RsokqR}-Mc+!%XDOc94dG?koO_VE za3&TAGsa6kd#e>*%xw|DH2ztjtSH>{DFJDAF zpDHRO@ddK~?#|V{JWiG6zO5Y!W)YfO{6w8tbUbT6p~R~TfBhxE`KKVi`^ms>p3LX5 z#7K~|h*=7=JzF@eBwnTJzX|^?YD@WB2K3+uZi(1o^ zNvk8f)ws*+h!5@lotS^`J_4#EciP9Y-}iLTk*9<3+4|p&r6>Nzs(rIFKGZV>Ecbbz zpjB$Qxjf?`?H?_sIYKw|v|7u5wc1vU_XGJK&6X5m-Yt)&SFko){Z+wk#@69K=qXX` zBF`89sXn&cO>B@|T>hsn9InowBWgwKcxb{ z!W!{bio0$Xc1tCpe2p-L4Rcn2X8yb#P=nGfed}seZz1nt=tkf>u6+rn&&*wu5G0!m zk=0=f9AGtHqwk4r%pHY$E=?4>YRANd?;&M{5z^4(XA5Ud#=owfr+;&0{(E#4@MT>g zmpcItJHYu6@FVz%o?)n^V^82yJ4a$tjsy;-H=&S6)N!sRUblTlPA*t;7eGlISn}f1 zlEC#PLBaHCsg7{>GRBNT1EjQlP1hgll=p*v$L}J8fDf+UQEWyHy`vxg0(L2c=eu7VyEW2*p7RaK+7$vi|F0l7DXVvdgIlhDS zR_OkK%lhCj3L~q*fy};#YjgK)kiSHcooFn{_)^}iQK|n__)Rdv{DW|Y&ufo`d zc--9!|5A1w1AT>SrvlYvIw~NG#|&0jL9YYfy8H0*?5+9knL0O z!kJQKM-CW&;)ir*0$9X*bUoN&akUXJI5Ipe?NttjL`Uk_?0J_WXqJ$~f=tFBPv0o7 z13b%mpU-b;<_kc+V-HlBD(e+;feOo;1bX`}pmJ;@uYb3N||Gde| zzaya@*=Fx)Pif5Yu1_#?!@8)2lwzK!FO1`%$yNi;4nc?Un9!nHluSc}Yw>SmjIs zHv-B;kTbFtfoB1sQ+&%5waeHHaTsYwiTrnp9*MjzOiiz&=!j-{Q&pzR!7gOaUg5+m zoTVT3p;sjBC{^#R#5Q*N#p~WKurNH{<^3XrFJ8nF&@DU$vEhQ-V^!kg9f>@K{~bpb z$s^ltZ_X|el^ZIQy6qt}2gUkGjIw!8m$K$N=zNxR{T)}s{a0M1)Np@G|JQuM)hvU~ zFaAqRpYmU_{Kli|?pn33R-NDLVCjEL^E*$GeJJ~{gB6#-GRZYRz@4r>zN>LhFp8+$ zrU2w>(_%Na*~-GvE1p7z+Rj+Ql7$LiBZ+NfZr4)S9m{HvWsUEWg|6+!ba=o*KD z&GD^Mm910Nl!9?aO&oMzBgSj{0*I@Y>;8eu`l0(VppSJ25M#iag2;=lC=`U1#- z0OAYb+##GC;W6+8kSJUy(Dmqa?K@W4ej+Za4-C;qiC)bS zejJW+DOPE*oc%I7DF`f0c9VNc%@8n!hPn$;?@emzi@Z^BB=E@|)z&q55=G|NT;g+q z$|a3eNRI-WAl4B6+v@_cy#wN}aH$rOu8A*#Z9Irmfj{nf5t-d6+wQJKWjraEG}pqu zR6z~l`wiw8zl^`MR&K_wmCzh#fads@I*1l znq=3Tkf5iikkyg{e-?RiKwM31X(pv5nVvN$=)#QwnS)@#Qj{ZGzjCeao77)YD_l9? znafRI1FkDXst@2dnVcpkKIK6D8n6~Lrf`~CF(&}Ip1WP(Ya+gBfNmLl2}DdF`ctm; zr2Y$X<`lT5f%g!^z^?ShEfycAy*T642 z@O@3ze@*lqu1XF?7e_*f%M0Bh#2m6>5tka`dYAJ*^pN(vUxOp#HlZiPKP+Uc8tsFj zP?qp?sM3<67aY@(k)ZGGctIU)%h=zh{oN#JejU_U6yiuxdvl=jJgCzxj<|*}Lw68c z4|aYXq-Y*mx?6~{%?r8>T{xakcdw-MFwJeWQ>hum?kw1cx&ad)dji~45dC3S8Od!SXY|B10bGZ%Rq|dbI<4}SXf)}fhFa!hyY#_V zE3T_F>75h6SEbfgsj(?Be1i*>1Lgvm>)S)h_7MFWE;Hx51}mV_QP4FP;`kEYikRT;8dBp%0sf${76-6&gomDeMHzMuvDRqM*P22M7 zEU>y-9355ACwotxyAH&gr0yx?QidBw9D>2IF@_z~(VIy3(-1T^lB906?&DlMCEsN_ zrH+e@6T(d=bhu%Oi|8YwKAk$qG>%&HB-EvR*D#sZ;V_*=Wka8LO?5IKXA`(PfIT4W zEBb~zhgvwVarqBt<0LdxR)Isc9jOIUciQivzc-E#&K*Lw4uiDEL7ARnKWRt}LCwx;qm7UaKUT87VQ#nAFEEU~Qkh2lWZt56aYJzkId zh$BaWIn7{`#*kT|KlG}m=kp#%#JMW(a`_WXUBd@=oCo|o53EFmN|L{%13yjwlhgtH zB57~H-oU(QZ_Vvb*1ZzWhk~`Ky5t(BzOAX`bedug?7rSnz0x%o5cU|4F-X zzRcTb#bYh*eQM{9#&?yZ?!WmZ-F>*MK06aou67PtJ$Lve1re?sEQ#yEH9)%p2Xh-T?*2^RMCa!qdwd}`2~0a>*`P=8FI}2&IWJr!t^CP#q`|o zheib1Fqixi>Nj_b+gYl7utGOW_kACS(`4Eeo*E_%y(ju#!8FZw%4oHL4L!xh31!mx z32{kA!xDy&A_*PHo6OxFBq1i#gBtx_X*eVtOEipU^bM)COf1ed3E>ILN9!k;W<}B* z(=r!WE3VOAts~JkcfAdy&tdVz^+N#XQc5HRryXQ4{FP+eMWRImEtS57xDh3mcj~Vo zV;fS}_SiGkh|!IC*dw)#T-JuUT7K-qA~HC8e0^6GU^3i2L1#pS={LDh%-fdsb;UZ6xb}<+cN_}MQv{df<+oj zr66J}lqLB5@$6lCPXnCTq?@gmL1-gm2S^JzUElz|x8owgF)%k0q4OewEqyIhO(u0F z)ARFfzXX`>9-Q|)yGMFk4JE=F#E?x`sn6P?H5m+d2OCbS*?o|_4#e%iH&y>-K1!09 z-SY-mMl%O${ieGf0NWXkO>hl_3#cmXK7a$&1{aRNxl(8u0=gZ+mYdaxtb%%$)e~CE z(OFEw^s!gRVOAncVPE0~eaJot0%!fzlWOL-FE*h8oKP0SDn zK320^<#(efA7L$Y4)9uC?) ziKLN?4e2`>;bNDP4g6y5QZ3&v0`0`mQqeSi*p_{Wifh?PABDl1M^zraLAHGuuho7q zjHI(a`l71?MC(N;WOORbiz49WN0ZMFa=!%H;8e*C+MrpsTQoPhVG?C{WWgxw5J|BnHDyn3%%3Thwry>8> z>{(Ek1-3^}_5}^;W)X|KKXloG{r!6dBdB-6lDm@dY}$&6uLmN46rs7nJb5q&Kx*X!DP_esg8=*8J?m@NX1Dcl>sh}0vZCvSJ z`MX&rGnpOzYS@mjZqNY-? zvcaB8uw{ZW#lbS0hM*nDC~r1Yy(5@2?$ZSXX*TA^2&8*Fus2ITfQxBsXo!sO96gPq z1zf`8VbKfJvJsu>IkhTLw?o}l7H6dyC)?g9iP{vJ(BGEvDeHa1>Nk*_D{lD`Ew>}- zq{?R6W08lhtg%o}WPC~T=ztIzA1L}eY8wFgm&ri#N?ao)+f*0K8Z>R3D=tP?J=zDU zu68~y;>R2rr`Q9eh@MhCt&5|s!C-l@U=PVur3la28`*X|aT|pfq*5(^zv&MhBe-kN z+tuWeuFdD&35%n$I)(iO;glSy0%V^gQHP4ex}+Cy$Q>yKOZBmO=~b|trQ|{(H7pFS9U}gu$bK5VC5smoahV}KmO)KJ z#H$Lvf97-qd!?y0P0;oSY10g>t)XkHe`IB(@7`1zhxUf)d>p^txYSAvn>4D(nl)gk z*3bmUYKS|a;SE>&(UoyeXlP%4IeUg*C9TlJ9+pi$j|FAhlv~c&zJ=7wX2;^0nnkDQ z8h(tRg6aOCoPE*rHT3zyNPWI@87#L5lNX1bpBuY`rs|!Dcl5DUB}uEzYaazJ(j9NNOnkkvE`!INH1P z3%<8)pd$K@K9*3^nQ;BdEMoXtgI@PaZ;0P$@GBfsxLK9OPMJOmr&|h_>AHgW7tB#C zPuc_t8=V#tA77=v;WRv8qtivrAbDtyNPAktZrN6X34(Jz#5srmGImqa6|CiK=^J1V zPJTuBDSAXde6~8@2R_v_9es`I?Yzm>f%<<5C!>rHv9Ik%ETd8Fl?^w3*f4{C-SG>s zw0Uj7=ZmPy*@=GIj3w-Jnu&wKsY#x%faPraqhSxr%ici_q3U>%alZC|niUm|B;U$& zeyj#cqFtf4jmQ^2Aic~Qo5~0&sfY&apqsJ zp@qbf*9c)Q%i|zf1_~oepKzq9A}18^GmIP7=NP2un=E(X(d6E)`yuHE;jP#o z79X(QC0Z2Mk3nt~WQN1}YUP%I$hn&Q2Spu=>rP@N$S(FaTh ziU0zp*r;f0v_?eOeHfgyI^kTb?)?zW^6FvK5q;T=v1=jje1we>+X=I{KTeROpA_0e zt>$4{Ecyx1o;6C1L}%3M^|r-O7T7=IVR0}>jkp{(?ADJ(#J7fhS1;P0fQFY?w9SQo z#IoR|_0vyt;`7A&CMR`*!voII1Myg7KH*LpXp2>tvin=Y*kP~~h8^FP@P&{si}0t- zJEow&vGLv;uy@F|6RG=A&)pqJ^ciU7v?78?3&3(S|1l)|8Oz12S&Os_g7pWM;>4sG zmK&1fc~QyQENO?{2G(@!G1i%OFDK5{l$}Ckgzw{Ug6EyN>&fAKV8zC(;zPl?!^kBx zB$$FjwJJI&YVXh5foj9Bkfhe8Pm(M&s?BUTrY5rUK10J)W)R<1i)BiBlHMgwRN8Vu zdsA)MhYpW7D0f}Yk2H54weN8N=LGE$USp)aR29mK2ZXD* zb<6AvAukOea}=7PJymhoil3$c%7#zWzEs`%2kNMhjC<5 z)q}a^xLxB&7O9?|2GV?x(xCJl$<#k?uN8RB6Z!8-zkq%W?r@XEAksJnJg6))21>gf z&x2egzqbbdnVnm3XoU@yHBzct+3?0yAPnEK9IVcGF0Y!Ay5oe6f#lT^d!lg~T4BHO z8d&gH6rqh`D4Jw_}eVE->Ti#h=;SN<3ZO z_L`-N{XRcO*z%0n8`7Rp$*T`dK}=G_U>3;qyjj$>Wrg2;hiaMlr*g|eCZs*AYWSIt z(Y&6&3?)D}CZBJ3n+^2u!IqjR?&5xZQ?f#S|L>gY`!|xoJj#-T6C#ls78rE*unmJXkDq z^bue!yl*{1t-GaFQ22?y&|L-m6ANrNUxw~_P}Sp+Beg+97NXs}aCM;fES_n^rJU{y zYW>=_jMJT=e2i@<8oNu525|mC^0a7Zi$)#=3iI=B8?aBLmR%xr%R zKOg$S!Y2v;J(>>kAIpkMx#?u*OyFI*p_Fd(O(NGO5%Rj_3fe`i7m4QAg+YWg)5L`v zKz}bET=x>8g^tB?GQvXCEFQw`9E=LD(w9m;67?hJp`zsuz{|Y@NqlwWW*yN+YLv*E zL)2>jx~6+hLpMOOb&CvTvwtOOI7>E8>Q*_P4sul~cYHu=U`QUmG%aRelVb7oV>#DJ zB3FbPZm2&vf%(qEbFOBw5FQs4%!a3(#_v_XUKsrAW!&ip2S+}G%2@VCpe*xHxG=P(zb`kX8SW8~g)-v=lp19nQA6{H-*Y-zzsH|R;Q8Goji_qam5i!}BaJJ_;y}#Nmj{J0V!xKg3WT ziKgb*u9Io0X=1SV9?1WSIihYew6)u{(g@@Pgy0yc8itjO2{XLTXbwIW9N08iLKCI~ z)MC=09es6EZV6akK-M$k>renTMYRD{iL$}Dl(3Jm8HV3*C4AVcV=tN+K{om=aMj`Q zhSYU{5Qn^IIwq-*Jziucb>)QSqN1m2<+ZUeFBQ-*nUrGm*Gl%e=P9<@aHZ-(=EXH{ z5b}1K{bgQE#j?*&Wrbv130 z`Vm%3dy6jvKN&^IM%)$ZCHz|AR1wlpwc$9UGr*#q6vPnA0}LP1>^fwAh+`4-NcRR^ zfl$)@rORkv0{nyphxV<(p{l7VdIj7MKxft-Sb5kZ>!U4w}fr_kp)UgYAEf;9Jf zp2f3?u0G0eGKgj6Yoxb>;+_hMydI8;d4t4sMRdPdO@sKgBBzN7(UXGaI*r;YuW1A%$}0 z6*$PIub9WNgSvae41CmyQ@M!pF+QMuDjXZlrW!g!_^IMRh461px#t$g-i~}NREDDn zRBV&Ac1B24fv#JkS^ui{@lld`A*)OKwpKV+73(^NQj$U~z2Ei&pjY$@bB7U<*$287 zaQX?JbR1^TPz=eb1^kcfs;7WhMBU8jq=^M>n9ir3GQx&uHEY+f)#p;5#gOdA#b~T( zJgixDFab-P*SHo~UgTn(>CgUG?h!}_>IZuTulD^gqGl^%+zbUv zXIAfwZfOoWX_8OSgH8N%l+@jWY^lhOa7aN&?#$R;{QC&Da4*D3TC@;l(;#{Bp6G&p znrW^8{6>7WfB;I5n$aK@O?Xjt8-o@DVw12{vGbKHl@&u1`o|^Br}IjO8Y<0IZ&9Jt z#)PX8cn~wQXhdCb?4?alCB#IKC;2qP*}nAt(qUH(wi+n4vuN>mMQK8uGD@seNGr8C z%P%iTSWFw-!cg0E&?@73HyRt*GBu`9z3LM_S+e%C4K~=Wf@6A!Av;L8zv48`yH*SR zI(tEY;l=2r9L-O2jjA6lnMvQVY*SXyv0V+L_=Lr8VE+|L10laW=X%1reo4vL2J-m@ zQZlcpiyj2c8NpET3#6FB`zO`&=cIcy!Vue{5Mc@Gy;?PEHEkIBya=V;k1CEz-m! zouCsN*0Y#{pNS_D8(LVLX+(k;2Up)E6NR|rcm2A!VYzB#)Qs7F?wD@5k%+p?Bu5f7 zY-UNMe`H&tE?&*&H@ralBNY9w1}=o2F+7u~vI(=uH>z3U5zuXqL#9TO3_xNe4Q&lJ z5~rCVtd9&&$`_laZQHRZQToiE?`RSC`Znn*;j*YaAsa-^d z^ZguK;2R$qrCLWCB;1%L z-0E}^O-7lLwB}gx#n9*oODs)&Vd>uL1h7|s)nw6yveh+gYWDYiP!^CsrL^C=D%CJ+ zIMM2om90L%B~meKnjhNR7^ z)7U5SAu9WE*tVsk9CT$tdxxnibAxe7^34Kq7UYdJT?`VphNC8kQ~~4=(iVVqYZ>mX z-p=?53f}ni{Nzu{u>FotG`tyF`^UOAaf?;vs=AX-0B#~G&huHTry@8>=7X?$GBKTh zL)WdN*H#yj-s^0l7giS`k;4lO_ixe24BZ8#x&N|aQ08;6_i19%_MzYNj%l#}85@Fu z<-z`~=qx^8JO^nzRKo0R6gOmR@~vWa0$2)Iw6Qi?qUPEA_wxPt(R70Kg0x>nezCUI zeo!SIY?%DAWi`1=GoMMOtyK3pB?+iVauBD(hav@Pe3uPv+N@nO#5NS#)_?Oj>ONUa z-Qkf}XtXy7VLOx9AQZ|~m#FMyt2v51l@rA_ur#R(EQkijk1E}!8pU6-U#__a_)Oh- zwLu+B-gai7b(IGP>!+$b{ijkZ?h*>(nFNyi6JULe9VdQBN=#ji$T29dm}p#bLamvI z@-9NIR{(n`)(BG_PfE6_G;)kUr&p^@&*)CrSYM&J@Eu6Dj1$7aZvVw_A!<76zog7V zt|czQ-}VycskXdk@bxkbvTCM?&&Oo$jC8-!7um)^xH^oyk(TgWcmh8N)sMi=J`fBB z3!|j67*o(rR#)}~RG7#f0>&4s#|SIYqQ2lB%W>xz@S@Vl8C1&2{w#)me%=&!Z-n#? zrwvwXHw5R0Mt>g6UMOrfgvTOWMAYOz3xu3XeFeT_PPv@C3va3=^i(3{igzu~d zZzVa5w(aM@`xEh+6sbRDt_JZ(=&T2?lGN3s@LjpOC|_$|x9x;se?-~b!=uDd_nYMd3JMB)p)9$nh-JuE1CfPJ;6KJ3ucNhYAXcg2$q$h%e-z;u{qeIV!#nKJc#e0maAf zch3Fa&*y&b{mAD-n(W8ynKiR#X07#I-&IW3Yyy{QMHaE{G|uW)dIX)68ser)C}`xq z$Q^-{FA;Fo0IH0PVB^%Y=F7<#0&15{40E`r4@4_$VdgiIVcrDqu(-8N5|Dxlpjd4` zv;!j918T?Sz406_=v~?et+*R`y{P1PL@9uB9z`H4?`%+ST+>v5s#yjiy2E=s0!W&a zGb&KEcrOTw@2Ts{A*Z=XI60id`R5VeciF3`BnNx_NFD^6MQ;kSMykQbpIe1a-|x1_ zAdot=tO_st5jjoBmA@tw?bj|3n6V$wml>=#WXO{s)u8#TXm~l+VrEZ79>B^Q0vj14 z=z%KVv^|fy+0P>zel|RwNA>I+4W}4>k_yx z&TZsh5i5XMf?(6c7{NdaTJPaLg0+|{S@tn9eP{yT6sdNo0%--`QSAK&JxQ@6jvW%? zj`IR#=?URyYi?GBfFaRGYfnciV4Z*gBpy@r4^(H-j1yU~UXA3#@?l|ifo$g+Z zc~Gq07O!0-0A5u0E9aP~OVv_|UB_8_@=bg3WI@yqkEMN^F5qN3*9)YUuZjlKm$9Un z-=TcyGH1s^DjToquvYv`ehM|Ka5aFjT;PUHP2{cS{t5II!%7~qpFB*@@{efO@a&T; zhr$NhziNllTwAyXDOCuiG5N{{=yC+c zyYD0}vt&Wsf_&K0E&a5q0N=s;ofYn$@EV=1+Khy9{hMm@cH`2)ft3|teV-?d16s*C z#NA?t4-SNI{MWbZBtg@g7R`WdrEE0 zVSh<7Elw)fQ~uK$4rXZaGdjtWpfZh%XR{%HNIaTqJ~*VImDURLtwdO9#zdxF~2ipo-GC5KI zT@3X!gc7nC@O-HO8@G$yac_QiLj?DX@Van>w>8WL?ng*mCzR!8gbTkyQqTH~aQS(# z--d(5$Isoeqn9PoRBJR}msRj!T_2L0uYviwJ_n8I?U`o`-doKBBhOtp zd5P>e;D@Z6x_Zg~ZpC*3TIfM4K=!QC=Y&&f|8bwcC24cvWh+D|MqeX?DBYI_F zgzo)VW-*^Boia?}U2!q`m4#jf8J3v53CL^<5yTk|^|2O2SrxzaUn$&h@XY|5*#+)- z{bMZkd**W2-2g*=sC*Fd zTdII_%P2tpqoYMgxf5-iTl|Hi+nM*Yb+K!%Yx#halrq)GGGMS&%;6R_eMJ5Z0=3b| zF^2b3xM`Ia!)U0|BZVB-zaYKb`G>4CJbP!tk=)A77=r4ms(_q`y)n}8NS1@=UQ_~@ zbDT@kpUc`;02gg2?TwDz99M3@LEh9YBrg8#CbiZKeH@YZEe8C5&m{ z7FD%i?ipW^#U?XHEl5fm@!74^A?JiD5GnDs6=s%2P2AfXms>+d~8g0ncbJ_Z>J{ohV z^w){TMCWYRa-`RpX}0-drP3yDp$UGnC`#V0=EnGso*6<; zWDmD}$XVpyz*>Ws1+l+Co2C^f=st|+#>*hr@m!J&1TRD8&pfuxf7$aml6zxrgr#`d z2CO^|TO-$_Ar?q(EcYlV0(?=`qo^S>KO1?|!vQNBO!ww}Lp_koT>@nEw$l1&Wu=vy4E&1AJc}10H-N z&-K_J8_pe=*MtCaE#Ct^G2zAW3&QeyqHISS;Nmqv%f7wFaHc<3wlM|hiF7C940iQN zK&n~3lx?ap3*>m@Z1MK&#;w}e1PEitw@X*C9M5gs_!Vr%H-mFxM^A3291{-1Cs>t* zxjd9*)OmXX6e7$x0k#_j16>e*>!~ck(lkeJITaCMI-nxASF2U3_oH>`k@{27t~Igx z>v?WI%Gf)tF%f0$TLJ*Iks7+W)Cq>HL;RT4KruDF7y9Hz#0`fzCzJaI5Yd&FKS0a} zBbUFt8*wWa^hIk6@XlM%{J6Wj;a$7Y&gDouU03{p{z;}_v+`whW2M<*<8Rw=DQx~! z^UG>_T`5EhjID%C*bp=wKz}cUzR;bG&q_zQi3{9eR+p}%ZwN8}DIzs=0qn>ColZt` z3%)#t$T5IlK06=pJQ4P#j3s&3F|>07Qtrj(_q8WKw!K#q3l6K5*z``EVXm4>I@!cN0L2i=UE>xTh*9H9fH05^d4yX1=LP_$UcnnHEemzi2chM_RxY!tYhm!W&*a_Y2#N28)0t1jv)L91?c|Qu5rwyz+1lFTqfb9n^WcL{Umm{An8-jM(kY%ow z@131@c|KYNem9lTkBY6oq?=Etn#Xk44k$EzoXV!ev+-%7)w@wL9h6YOGleIHMp^o>u zCLqVt;Og8a(aWY2xqPxAjbl=bPn@mBlihJ8Zy}Ovoo7CyUi!Kx2N(c!pIMlP8X_-M z2D5M$HpvPSmW$H>?0ll1)jwj#T}|Kc`EFS9nRByD)+1C~kC>$EUYNyNiW2f%L+4y0T&{jUQ zVFhAt#y{~xXD>w7z9RRE=wqUCp5>yPE0iPP?eT5IZJQfA>xVz+pa+oilq2 zw$2r_&Y{drvz=&U0&vmr4I4(lOv~K;A;h#iJo{sGc^sZS4)DnGH+c5hF#d7TJNp>& zz6XhU`PzBm-7a6i@&yn1$rUD+H~?kN3*@Xukd!0^s_pM-g}VbA8G%gJE?IR&_L^WCo?FflDi?a*zrOy z2=TMlr|BPz;vD8j7}woV9u2OzIo$IkT96)2ds#HTwOrJg)qGU`bawxFZ1pgPoEYxg z3J8ba%BRZfP-#5XHO@1fVPP+lE04rX4tTi3G+Hyq^*8($!+Wi1ypTETLGT8FasF)q z?3U-p8wNA5zFqg$aEKa?W_xnnqm8hG1}qpe(I%T8PcR$+vt=7JOs>I98UN|*KA<)- z%IiC@yX1xbXk!G}4}p4c%;KJ5U?qAo7kS32&{%y+yrEjs|LC@)>BCbg(>PL_B5;ld z42+7;4^uL<>y%Z?nj2@Zjh>HW5v-{u$TPa8iom+1_xhH4Yi#>DcC z5XEnt50?~R?d|brhdP!X;^=k45_X6nuf;a2zsZbZcS!C`G}UnHRO&bX5KH|0owjGW zAxDmH97uDmF3vhF4H!&Tu2%A~bH=J($aUCo+&$)Y;VtffqQVU=-%rGnvfv$b7>CA@>cYq6I2yzhZib%22ph>2c zO(y{F0T5yENJ$aew~gE!AerOmnBPm`dQ<_AYKxR<=pE&M4=7nvi82H$o_K4dRvNlK zLiSk&UCKlp|^sMI)-uQxE^QjTAIp#?VX2YfE>MP^O@(xZr$r^V7n!8jkbNTEy_~n zAqOMvZ))K(g`2@A=RusWLCeTiE3E>R%X2J~?H0u?bo`sc%rM?z^~AWqwNTm^#`HP3 z3O2Gidh6eIWG$CuF0Bfj!TEw)D5hURwt^*Kd>r%Uti7ILsQT@YVqFDR zMN63BlVn((XLYZJk%V7vvozY#&>A;UY+B-H?E-?Bn&&4g0pz zeGQ{?dN3)5OA0m4vO`lURhXv9eZ#ZY%eSJ2Z1%nh-s{5~vX~@%zw2yxLnbzgmw_R!*hM8p%mARF&Vy1rE42Tao&xJq1$!BtNdLJKHj-ftXLmT z8c28f=}pIWHdsCP0G%mnz-D{2@5!7bTA96{TeIvR5yAw#DfjkBuoC-S1$XNA4Ha_^ zTqdgt1g%&CRiSEY*F`nta!+~I!HNXo1*Uaz8xQ?DUpp)HWGi1^*$PK5&w=+$zKGCN zPkgRCFg#FWm=dEn!UE&qeXa@9FO8wQ4KN5)QyzpwyYoxy+6iIEQNsQeI#UDzp2aJ|Mt%#o&`qHMoVTrdxWM4ZuF{ zd4_?-0~7-5+tGrD>ruKBIsOeKz}sLypC;^7)*x2TK+qK430%=zVS~Cs)BLMnW80B0 zA!!r%(6@5d{0&=_wb*q75*{>q?8l8nea_vx=iPvKwM(WNAzo?=z@5Zn_+S`NJFX5S@w};d!huq~enh%g>~++)apf zuN{s`op0+mjkIXOZ5CdVvWev0IVIes?3AESLk&CT-$u=_U4FV^%@p=W6sa`?dHJC+0QGWV`v$qf%P zHfg77xM$`5Xx?lztH1I&;_7H6tnX=pZ3JIlx0miH%|q6uHK4j#HwY##!#!`gB-bIP z25Rq}gSd-qFcMAHn~iK(jJ7r-_uI^zS7ifoE!E_l!UpX`UA{364>Nrplk-SzI`Rx1 zm-9R?=Waj&1+G$-gaZW4w^`*4WN6j6x+7N| z(l%>wJspc*bq&JWf5n2sI!j!QE1bF7bD4po*ov15x6_eYyM}%+a*=jnG*)mC7+TC6 zWT6kdiCtu}+en(p~V;Am6X4UsY${fi4P5QMyfb+-@U>y!dD8-xlJgF!$W&V*m!al3LwD63Z672xWHqT3h*I&RMB za;giw4-yY_79Yy5)p_&PE4mi%>bL@qwG|(No?N*-l!+^Jd+21B+_-H?C9XaMG6A(+ z)qeO7?GHt-h6=fQ`dSewy4KUj|&|sAQ z;i1>a;*SpnF<$NVKY8e%-rn}m{=M5<`v*C-5AwElcf2mw^j~Kkppee5@Q@*;ZM~O>eEJ?)={7TqDGySYa4X^o!3dGB8p0|T^^e5T{2>?p3wi8gTbl{)us ze{%a}*F5WLQ6T_#XjbXGXiO&rzH8&1T?@K8wOwsm``uSZ%QfwX`gOqSAxJQI8p!& z=iJj?DqPX|0BGJ{J)yH{o$|PH%hmDFK5fDp+S$;~QFL{F`?I!QdF0jErM+VRd&4^` z8=6bHcG@2w{O4l$%SZnwGP&mAo#N>nf>)dDxJE#oH?_S9p%u8xP-~w7y3W%7Ypt&| z;Of+HrDOhsZtbki@28K>*8F}fIosCMj$!jx?dmMFZB+^_@tvjpNw5631$LI**5RQQ zy0h#*k=_46*`1FG?N$*&lP^x{NZcI}hwL~t%pPu6rIC~fdpEl}fhI-TqwLXk#?IPf z(lqIuU7Hk}9tV*by0rL&1iO%?w|(khHQAnGH`+}}-BVK2B)d7KM`~J{#cs9t zw5O-q>~eZ9^HUq|>ykB|2Bu6II(_QY>KW~cjQ@R`PWRZ^aPv1G?~E|t{1~J%{#%Lq zTZyWf*{=M81_G;n=LB%g``NB^{jEd=VUg;5yRU4UK@I*}iMnE{=@if3N>qnU=^CxN z>+*b66@i7KQ*2$mUYeB+IiQ1P}bi{R4}wB?^JlYXpny^QJq@m z-%3>Qf7d0hQ6PT5@%>wgs+l$=_`j+n?P_c12IOxg3Rn=@n3_UHm@88GZ}pOPJ87q) z^Z!vLN=WBb-~tLm@S%Y}2*GcFp%n39JklZ*mDUZ8O$<((IoalfYv9zio}z9Y=Mp-< zz~xbC9cmeVH3pd3=r&at( z!`~TE#E);Qg0 zJC5PybQJBdXJ%m=kl?5lB@^?&$fVB9u)`NCQfE2cB}?;7Csg z&tJ65-CM)FEu29ag}Wi|hudM)ySz}IBg={Jz&iO$q;@%-0QpzjoxSs$kSfzb>Ts^m z1P`*8^hYYY3-J1?-b(3>P-uuqlg zA_MS9WdKx0DH#Pp^O<)Cmz;;2x)NUoK zq!vSEdgFNSOn7#N^bC#{K2|B2WV=^`)sEg-`4_R;?aV0Tkt)j$V+5#}KmMIRF*ejU zQ|qtxj@xZd&_Z`y(_wZO^wHFd^_@z6IMS$cG^$jb7M28>y`9+GG>ntcjr_V#4R>jIj6diT^e%|59|N}Ao02AX|Zn`UqC zrM8>@{btt@8dfv0eRTd5tJ_A+YhQ=a`PM7#qw_y*$Da;bJ1-aU5p6>@K}7&6(>DSd z9Qqe}$wL1?dLG`}KmSgsohreJA~ZsRsxB~hKzmCUhv{w%Gp~9ZTKddeaLs@5)IV+LIDSwOfayXL zh+P#84MkD3n+kPf)QDx&eKj2oiR}0bt$qgc&vzX&3F^*^uGS^g?mr%dGRBYSXm@yc z|Fx+d!vz{Y4o6(fSEYrG1EWxCSPJ}4Bk5u3WCTtLx1+SMp~N0$SEax)yDB{_4cSRL zDhjisB$9&ReCU5zYG~kvsa58qXS)iIl;j5{%xst5Q{lQj;pU&-1L>RB)@w)1ACJOi#TSb@MVA2$ zE&`$1G5il70pCV|MJ)w^IME0^0;Q{r*R7$U(3g@4>6?d)y7tZ4mQ=ly& zm+g399tf@Q?MB}eITpx%LMQ+l8x8R9dXE`#vC$!4fGA~kGBLI}u~TL;K!g7mpg6bj?cz^{qLe1cd6kv}KJk4cI+9-mE@Qwpk6W=yRM z!el2V(w^!-{X~eWxrFZ}2~2hL%*nxeOgK%x36mk@I)}YbLijeELI^pBpEA~37K<(X zw@L=mG^PZm2f43B89!txGkW+5v{#5+iEOM=Vg6n63|?DYAO`r`JRC-iTBRaHL(9E1%Q$NW&3`k>{zEBa#Vi~2XnJFG1 zd&Cja)S_^0uk%gMu)Nql@_DGU5wM+AHRY1gizLh1Y+KuIpj&2p}dZy zz6wO*Ov*_kkB6wFZtw&VeHlVw$V`$B>!us`^d(3ZUYGk5BD48q{#ZW1wG+t{zJjvy zoe0eVXxj&hDTt5OamF! ze99-Hbi71{mn=j9J5x@{oia=DBl;{FiSLG`oyM#4rcQx1pUjf7xVQ0ai;dHgyHy3% z{Ffwyc2_V?)xxH&-B}@}2IEBy$wacOMP#IC(#)A$Gc%}|kZrIUc-VanmdPCZ#X?OR z^SW^v6W}#e=3_`b&oWbZ4O8npz!dWu;&t8{!d-h%Df_h=rPC3R(HovA6p_)E9AO;p zS71_24??6Gqpy35EmA{o(pf=CELP2&{6!=4uB$g9gK+B7Dd+EIEIu1bmmD&n-oEp! zMP!E08K`5{65cZw<%FXzUOJpIJ}_k>@O4d^()201PCu2lXpX0eMok;+;CKM4&rXf} zKDUj*!?z1Cu=#?j^;ObO93?a`O?a%B0_zW<(ys~C=Qzr(u8k+$z}hVfo0+ItkM#@7^-;#w>L2p58LfykIdpho&4_L2#h zG6R8RKszmxUo2IL4`9JN0Q=51Uv#@iB54;f7=t_B4+8TgfN8DucU!K2S`fF zLPVgkFI9|Xd=n{zSl@Wzl(12_73kow(k)_Xf^wQHU4E(P_{NiUFP%PcXU@t?qnP58 zbM(EUy|E z<3Y@4t<%UsxdoA0m8{)6+<3qHpmsQI`WO2(EwmDCUG(xVv8ib|dnA%mPL32z z!YJQo06)&81=<3uSVp4cB*Z)6mFIT>g;EW0?w)@bSM%{UpAaY9?iqmii`ZoJlil=1 zI>e-nglF;z_#J8A$uqv6=w~=vp!eYD$$KfL?gmceM*fCP!u9+i{3}0!UxRhZID~=oOi4pR{PDNxDH`n= zg=`0O#SA|ik8TxEjq;cp>!b~?c;qf{zD$P*H(^iyPy|6s!}r}v3Ukh3PxgDp-ed^~ zgpnUc#2GkE7ji{79o2gt0cAn?1-bSjG7;5iah#>KG9BS1T)OK%1Wee#!y2J2jxNbW zmb+E5qxfu~@7@gU&M2P`1q#oF@TN7lsIOZ{vjv ze)IGNSk4^MEV4^kpo)n;@q2& za2<>-s9vH4Skrb)WBVjG}#b1OI@tq%aY2zW_h&5X{G$4nf})57fO$ z`N{Z3{G4wiWot8${#gjIK{ZyOI~nL3u!cw}!lxSQE@hanL)14ZQ({16{erirz_bVTJX^_dzke)(k-pt{E;iIP3lI**m*Lq`oNE}u@db?lmCnyZ;yDt9 zr&nLgDQEazi92DI|**RSZlN!lTx8QMNk%;;j6AdC)@DP2eIwD_0r zXB0G$ZB9k$e6p&hp7Aqp=%Xp#Do;g>!3!TfbZ!msmYJVOGeKN0~v!{bZ5c4{J}+eAr6$mL4FpAS9GNf{RICxfp5hr4@;Y*@H7-`O1VBSS_dc zL!rCh$NRDh{A968eiou*Y%_dkm}tvF(~_uT+YJX23ZCOw;&N=Di5$!L92gtHoYF*^dz2O$=^}MPGtEa*@yJy39f;VPMg)WMln55KKok= za2zm)LmRvEq!BOXej?rRGE~pUN?%$Ik&#uEthzKfvGCt0(9f$6$8lsZtx@iRt-tFA zJ?@Ejco*tfk#WFS*!mFcJ9C`aWE#uhIOcgiu6U&52(8Xp64D=XA5-BR^Xh1&G#tC7 z0VIW-2PV@+(Dd(xHBG7@w3#k7IzyWmrolRzBN@_s;gEkBofewh zdZFR0t$QK#-c%P*UB>x>QW!1czpy!7upNNn#4kv8%?Wa2;X~oHJDOx2p)RhhaI5j1 zrk^zUJKBHN797ju_#>nT&76U8EcLEgP`-f?nYV)8W)I1u@6^-+#|Vj+GWnZj7YZ(E zF_TfpOG(ebK{V{_bVZK>sd$&dBWRy3BFC5u847n>X5fCn5GuiPyYI{szU@j*_)3lS za}6_8)RH~22I*c>yR@j8-S;tLbgX73axpD?Vf4I8|3S8Ck8)^|G2eMFS)^;xddgHx zw)aU)&8GR3HsnHxbF1_O$(J9+%s%b6R33^+Z@Nb^lRet(?))A)#n^%)8*a${mAr&g zB&pB{v}EWf_W|F;S>a@_@-)_IY5poKYJ;~zYz{Nfu`Kj>#=gFc?8!G1K83N9H*zacq=kX#%??2I8l5{%GR} zKGys&YY1|>S`D$AVBAc%MmpHDoT~u%kIfDimMg}9SFK-z7cvR_L>CaAvO)!Wfg^4{ zQ7`E{IwZVC6x$QQLQau}DG&9;rwt0jujTr)Psd;*FGwQkg%b(OC($>g7tAZEsVIg& z%zJq)pUcewhS^h~3-*Qcqs4h(x!v!$A9KFFMCTfUs&*sTmw6ZsKb5-=Phpber;#*K zOyaYE^6ojtE8M}2f+#XCew~evK40Z8rA4JxJnWoc?lcB|yUD?eiw zX|-Q#bx+0>6fD=^#3rMBquKgwGQ3MR>Xrv1ZEf7v`$ighJ(mab9xb5dB`HWdEXk9M z#0~stl2$bmQL*72T0-N*!SV`}DQw6@XId@qn68xNUOR5}av((KzYbvHqLl;!2X zkG4fptEWGL$h76Sx7OC(@vw4Fm@t92GxNv8&SMF0Q{LyX-okP5q*#a-%Pc;e)Z%3{ z*^{LGph8*hglJHDD*s6Yfx|%IEKCP$xN!^VgZD7Eh5tXy&+;6&k#&8P-q9jWq7fU8ewGebgo{}ceVV3uE_G|Ap;={xP z`>Fk4-XI>}g(EwNpS>I@ZEIO14MKYgS4%DPo9;vtbcGVVUgSt0o*OypTp5@4eMkY z;0B)2Sv0WfdmFZSQYi6oN&0~dOdTFugg%WWsq{-zGE01cR^2+a_i={xX>xgR9iYI` z<^^O19(hdB{ivhAYG38FKgXyb2&Wh^ui^#R0(K;_%DIqvs$@JOPqh&7FtMuSuh$HM zom`Gs@ZQN0HOsUgCFYz6a!qEcWxwb_?YRnH%C6h#O6g^0K86)Th zJOj3*KT)a^4wKJ48Avd2m$2WW=e2_5<--c^Mc9T1(1p>mN`-U-bIlL*G7Vt4K*3_s zgom@^_?*u?@hGRJ#Ex`xf#nb3l{Hz+uRtwO_#-^HHJ0BgG(pg!h+I#Dc7+cMJII`B z;1o?pE?5FZ;puZD@LiB1?69{vbdb;Fs_;G8z4&;cRxU-wPiYU)lH+I=jxq#U-xUYH7C8 z7v~5lsDmiT7f?2Mlw>bQ#(>%JLHq*0OUzvJFELiwj-6my&lOF4LH;fzWP^I`A@A1q zM$EgUMn0u>j91Aodk%_Pj<3E+eGUPW3bnz+r{|fP>kO0CB$H#lc-1tE)7=vV?`@y6 zUy&%?L4)rzYjZSC#%`d!Bh}j5^u(Q;h^l_X2e#=iMM^3%=o}TVr-}Fm90^u6Y}Fr6 z7wyai*iqyT!#)w^S@-v2t?ANzB2UY`k0Me|`r{Ppq>p2tN3T`_3v6tx=@FJpbiT;goLcJ`ibrW%8C^9Cxt&rFlVoib@h)IzdpL>N zYzxzWK#7~Com-$V2L67Sv5cr*h@*$0ulzmFk2(K6^Ll90vn_B61Ah}8!!N-w2QE!$ zy39OOn2v-r$0T@fibLBza#SUI^e1B3&1&npXv4hd*10&*EHc`$>MvsD*CJuu!&EX9 zX@RG-7<8`nV0lLDX|?wC7%@YCfdSHOqg#nX!X97|Jgpfopwg8vJj7o(OX)epi^_8$ zU+z%;CNk1{2ofeK;(OuS*@q!<7V-l3R310gQ-Q|xsJVEE?!m~MrIinK%YPOLnfVo{V3X%F#LuJ# z+J7$_4N#!{uJ^jI;_8iE9`-qcaiV(Ns8~rFGlFHW4-ecnTF@%Rv720OOnDemn|PfjG`&g{ZZ!n#~w zxLv(>wHVX-o%2mPnU4`#pdZJ=h?0S7{9_%rmT9&HUNVsTq;a^~qB&j0+*w>o`pbFU zNMC8O-keN;ij(1p2@gf}oR)8S_ih|VC4L?|N`3winGGulC*OeZ11kB5z7MBOO)?0U zmVdFV%e*PF;pLJfw3lx!faG(hT)>ya3gx0ZH0j~h^g6I}az4l|wQ(z6LLK~#kk?py zAx8HEOA~D`2L}n6++^w2g7<^HjDePT-sH{%Hg41DDBcn*r$xmHScz2^)X_X( z)75T^lp0+Sz?~u7rM!>vV6dsqqb<}(^=J8^Y)!PHXFy(?IJ@cSVt#^h3OI0~QrLc55VFT_BNEB@r1kHkEw4 z{AITTpJ+c!KI>`r3-P+uQRgQUJ$s8*H$IZLLH@^Fa0n&7l+Qa)H_91^eKnb1i>J~? z+Fj6#MNFb=10pFxFQI@6`kTCTG#_iL2L=HCR%-TTot;W!gmGeHDB*kKPjc;u4wCaST8DeyCVCpR@|Cbkdrx``5MC$`LS!olGp8?5G=F2rbx99#mkzxR;=B#X z+LNMTqJ3)*$-;gi8tR65lR{n%M}siRwwUx?x>pTeufheaDmYQQigL?sn2WL1a51>b zd@x44-*Co5#eF@r$!cqJcc#$!6<8XW;(d40Vve;Xd#7VkCe0vT`EJaNJ@S^=-E%K8 z8t}Bjd616L(RtV)md{H@ z5aYm=itTLKX6Gndm(#_~Kz0I4Jbg8{ zFq&3)Zw$jWsgYD$dg+ctExlXX$G1oVP37b0aD8?R?454`CTt|<|C0fSwOph>C}=OK z^{e>h0ircu()pG*g~KLNyMj`s>2_r}72=gOkvMJdzrn9jtCuNYc6yGP22&h3GPA@L zOp@pkMG{rg0$Evw<@j^yhSmr55xmhU?bbHMkpPY&E&fk+TN34O)J(RvDN5{Nx|C=A zI*sXB9!na*0Ptz|QY&bDIW` z$JlR@$P3&Ya7RtY8pfs+K(82Yz~&tTEq>$ml``@|Lfes$@qPiPsr>=*C&(w<3k(Z6 z?D*mIF6mvByv+O*hcB5vj%rHbnWf7O!yp67tP><@{TwRtG1~jord|EdEt46XK4GT8#rg^Acdfy#pw((+M&y`kQJe2W1#86a zWG)zu_Wr|hfjYn}EF1PkF=M$H+LL2lJ%KDq!&F*_^H`B?k)6m=&S~i#f;WSP2?;cza@MHR0g ztRtEDmE8N0bjcfrg-USONvQ4%p>?sLN937x^2HcIw>3q(GxBUNwjW(zu8onX9VeLA zQqIbcSh`TKij_M)!glVN6|x| z-@Wub$rfKDU*e2lFUIY@B>qcu=FH-T;%M6>VIbz6elHlzfE9Wm{-^(Weo*z|QM##d z2EiZ={<@q@ZC)tl%5#bKACXe3V~t|Mjzu^ZKx$HVmHear0MEXiXzd?;{^^2V#KLd( z#DP@6;gLNQm(fHzL>x!TDwB|5RU%F1SlrY!x~Yc$;((sqL@y`<8M?&w6)&Gl-5?|L zFa{4U1TX5_`D>B1!KZf3OCmqfK{=;rjPc*B$ELr)(=wnibVm5M^PIJS74F8Byh(T( zT+Dlrws*dX#x0nH@s09{p*TQh(3gA-uJ1!xlyRnxMA76DH{|&y`|v4pc1(a6$ZfoV z?H^@Iw_qJj%{Ds{RPtfhl!(@aJ3b72B5c7kX+qtLd>Yo6`$W-apx5pb@^B=%hdnB_ zmT;VLhAupk*9oJ5Ek_m-#9Po1jP1M(}PTcFmCA#yc)U|FNX=!ZRhtg zPSZ#y?k=sR+1_>G_%cq`E=s`Za$=Y-tm(a)r-gd}m*U!2w?LZ;JUky43xqAm5T?t?rh5y zRS!04ugVKrm>H3UGlT!fv6RJ=bp|ne>tsMC15L!sMAxH^SG<2{-TwU(E zB85J=pKX)zmF7eBLnEZUtkBW+I(3m!r{v^>`@%cpp+iBc zDFBdx$HV=hADyV~wr;udqm4->1+ssI(&%-J$I#W+9BF&ku07Q8mi&GkhOWHQYACOB z420lgR|e95bW!{G4|NRG{?Cf+Y{J#jI*+t97i!koe5gd5NIQRDy`%F;$2MuOsMoWfK>bJa?L4t+uPn$8E}gKFMxvYUf$9r z;5PyW)70sW?NG*7KMU7A(~Ql}es_O_`Mpm8%;-XCe@~=W$e#XW+P(U=U!A6|nX3PE zjtIRJp_lIOiL`x+|5G7d6>a8+*Txu=$Rv=UIE(T7{mN{FE6ERxgfz?m@*|j`q;C@#5LXB){6usJDoiAf%SlKN zt>)2iBDBzACjb@;I1QJISTVI7N9h+t!v7-M9zf7^ZW5x#?gi zkZ>G)kJGf_gL9`Ns!NE4LSe^2{{fz><&Xp{p8Skg@LIt3RHGP3hDiN5P414{z{q3> z$7|XKHR-`^$0ekPG6eh#9T~Evo|MN2I^e)Fv6mh&dii?-593>T4yR!rzulhex34fn z>4DnO#L^_rg1<1Hfw~prIB@CFrA@;jr##geALev;DP-5caXIga7w`m0hbIbm8HXUT zcuxqI>wCV&lzs*58VQ**pH0KAPncixzGtk!cGsp=;}hfcyhjwLm{Ec!{Dafoa|v|0x6 z_{qW_ROEWYS=ydrvA|YP#!|I^HWg>pjU1LEuX%?`B#Gvp{iu8$H5BF{V#d#!5~E-& z+or7Pl{1z17?x6ey?-?x5S&39@e^x4B#C_XtUGXb?q|~7`xt^hBHy2wgKy#lQyyf( z#vAEEys05b^n5@0Fyh`-WGWlcn)p!CHAr~z2^bxORJ_74ESjt!iNemDC*(Oer&c)+ zs3H^Cu~}aM&cHL|BvsBF_D(`hf;~9Wo-TP@y4{k0N_`dLIbo>h&Ntq>ZX!rLU zv5C(kJ;_4R+LSD@^is{s@@8Zl1+X4QXg~l?9Rhi1zX7jn;S7Yk8+xfLc`R;d_y}9Y z$uIf8{*A_z)FY|~8sSO+lL;^_T23~ZuA{XT$k7{b4M|gvl7Q6K=F#06>EA>*SznA6 zW~k&;0HHYx{m3{-z6+Oou+Xp#Z{j^tf9c1ZzRh5ZS^` z=k3y=xPot)nq=wL_`N-OUkmP5IvaPh4y)AR1nWma9$wF^DK*$ak@g!V-14gpBG$hv zAmhx0KeOrw3AdOfbT0|x_q)TGNNdKn&+$^Gzxyp12R~!@6(uZ=Egwv#lrOa{L;57+ z4dHb*h(YoPn3%b-@c8+cc(i^y>5l#RVxZPeLg}%L_9;o#EW8*i1PUH(;p?9b)EJrF z#Dn*6ivkn?xz(~GKhh308GJ`pV4gK-7yj5^(^-}8$IbT9<@@1i{dycF?(v0$U4btd zRQ*!2Bd{&d+myHn5ZQ%9RUM<*g9WkyAJ7P@{(d=T1ZW3fW7U|M51`7DOyGtPO^otx zARcR8*NRd*$=_s@sO>X>i{P@;#gBddgRW(Yn!8pf!1D)*%f&RPAw(hRWPNc zJ9!P?84xr}pps>IX#*2ge+IhV&fMheVV;Y~IZUg@2N|8?Eb#F2yBaESZ`%i`iDyD{ zwgN@BHa+1Y?5oD3h?isll^1i}uQ=}iBS6hNE>7Biq5D_at0KL!sbNg;#4L_YRY)U73%M;rs1o=HWLfeK3 zGwMh;_fcr@CD5haK{&}eSsPi^1^S@76SF}x6^GHIkYunnG9l$v66hR+0?0eVY}+AY zq8K;%MSGz7PaUt)&*5T}=5%lM>JT=NY1?dJ1Jagg|72-(ANtNQ+?w$TjcQ zz6$|sD1@1ZnMP$G#biK&4-za^iO92Q+0I$(4Am$VwUer}9#B?8Q zpoRBu@H5B~-6sk#cwNOD1*;b|3gVB&pSA$_T(^c}!(81Ej-)kgBtHw6^EIr-iu>Nj_BIl)`#au7<~)p|)r;8F8JM3=Lmg1x zSBDRz3|B7l0hakKZJi^V`r}|6=?qQ@bZ!ABpgmWna4wOy$QY9}Rz6q9%_9jKFDTJ- z)py3zM}8x@(8zMjSbE(Y<6~^E`&PxbwO&@{`sm+Q`ceKRvEzR*=Pge(!C>o1XyLcG zMF=I^6W)`lhxw2&agZMyr(KiQl{WIbSslL%w_`r!O_iz9q zkTtHmUZ9c}z2yH83i~#n4TEncww38RT56Tc`N3yg4fWHsL|sv}a`{ zIR&ZZYooKa-EmiQS6HYcT3Fo+%ynowBz4+a_TxVG;oN0EFiUDa5hC=ySXch7Iz7NS z!2K%?a_7+NI7G9Vy)N!&vB-~tA!9UaXuiw*#g2o!kz&#g)C4;d#lj$C_hBC7uEyUr zJYdI&pC}>uozj#|LL6~zn0>|?R_mz+s3_A|z68(KIElt`hh#awWL|Mg45g>ERJ#iF z5if$rV3lEmz7H8#xGH}Z&P|&`^Oz{JcZl{SwrNXMKK=_C?LFU*an$M|48f`nRL zkx+gM=L*qm5#Lb|fbNoqrJt8Cqf`@#n=D`O;i=GJqUb_09E#zX5dJ>H;TCeHzOytI z8}bFlY+cUJP5%;!<1~CEKNq^HWs@6?x zaS)-4tqb8GCz#H<{lTC%*$Y3>Un9nHfIO!U0yH(4;kFqgPxqx~uz>rKSHznA+T0&u zefku{NWupCq%pJ!C&uU|5~dUI9sqrN4-!p(3mQUK?7HJ8qbbBXGrA7qP1hBy+?+`%~d zMZigWbr(U|>aH2BKY;BQE^qTK-!)7P23edDMy#oWnfiP_)!LazB^P9tYSwu14?bOe zsD1r(e8PHU-#lv0ehjD7Rhg)8U*HAYCG8mvta5` zHzn+)pM_N-32?3(iA`_&7biMTN?p)Mx${Y>V`Q|ufjLlZHqPXKE`32F_@C?h@zLT; zqN`v{R*SMmv%^Z};FH<|RK2aI=;Z^mtlKs~G zvg~8bWbQqm?2tn;cTie}c3o4Zy%$z#_cB|x)ti>kUARElb>%xIhTjDida3zGKWMAZ zEN&*)YT-DRzcAWRzZ{3TpqL@jt%p9-jTDGu2rEJ!nHa=29BU|;jcf{R`y9FNfS>Nv zdef6EAmK`f<4Ey{53?An(*T8dF#+Ugz?n!mg0dfzaYZt0{T%P+tBKVqb81q&Ernza z?gUkV0atqCR1of{Ui{*%+JnwwFkpjff92|ecok<+RNsb~Y}Ck~vBMn3q}>&}g4{eQ zP9tj!nWP+~CaqJLcEuAKccU2fex+a&OxGI(5$5=e)>VPT!M@UdEL3QEUEG3Ax^BMW zQXiJLd()>_$f-gNuME4Qb>C?Kx9NwqmyEus&@htIH~?CB2Wy)mrQr&g>m)mOm->Q! zOCoyqv8KSf44as4+NF6QW8i29=DCYK7aW@=&9JkLjrS|$7=P+qnq9(;4S%AFkcu~P-Z}CS?fsowb?8u{hN>AdCt}94@i?8p6PvCGqOAe z1Q)Rz3tAYf5f9*#$wA0Oi%o-EB4Q|i3C5a_oB=5|YENAay2togwnn8ET(4mg>&)d% zDcwvFYUfw(7&7b1ROM{ex}sVFK+yf{cJ*Uorr=|$F9_tRt&a-ZS{^Y&gnrKgwU1~Q zJc(b1yLc{o(*&#ql|$Ue^R|p^r=g_Y^8v!&TCpuvW^qD?3Qg;#@68X8P9qRbNZ{6y z+GY}Oe11g^ZEZ@!L-A`Leg=~RWi4sAfB6%DI2_|s8NJxTLJ1U^RRI3huPOdaQuY;w zb6jLDA5rn|3H{jVO;bqpNgMgm>LboDQ3~M&cMmdyvC#QT+sG5Q&gZp;7}A z-pCNKa9~Ye@4{8$lmK>~?n8w*K>-Xkt;x;5`3fLU`*k3HFYv!uKp?#k+8U2*B_b&M z?{wmu6%dd6PbRB1Jqq!m$K=;X@_#Wq_)JIgh)UzyraB5xgucDI%PVeHcNeQ3H+K)8_6P0}QRC<8p{)z6 z>7kp~{#cK;i@M0tBA51ZrRi4;tVuJh8g(o!Dsa+s65TjQ@-c3Dr_9H+ZR>8Ib~_Hb zPPN;0Lia`cy_Yw9rrv+Erl+~|huyv%j=X&C+p$^k-pP(9f`;@8`8;CT0_ls6UoD6| zpA@(-?yKH?7Fw?jUbfJ7W87B@JKdfUxG4S~OZqIbf4_d&qJ&4gzB(82@Zc|*_NOP> zp6~MObe|TN+!z3=i*&HWX2c){g&@xqdB{tK}?S(%aS zPEqC0a;K_CpKy1VRsKqQ44V~ssYg(DayK?Irti`;Z#>}=t2;8olP=EMcqzSj*X5-> z&-U(nyl2Ogkze(SyE62vjQDL!mSuK+7S}E7i^dG&Tmd!0LA96K!#HM|-@*LK-Ur8NzoV+S@ z*mq?aXBze0)dAy9>aPu)aHaTK{-pbxt`(4{SFW|4_9xSS@E;0WNMT;kKNh$Px-iGm z!=kO8!l`;8=W?OiQqFkh=r?~|w7~k{>mf^04A+Nd$y0NSSLD~_4qG+)GeM@yDD6L7 zoR#eEV<7yJK3zvosLx(E)jMy*_BpmyF&i5;Un|(0yL6uM?wY#1lI=TIkhgXm`b|A5 z_oQLos67{RGD7!dbeuQ(z+GF?n2&yX5InX=2JYq;RIYW8HNW~T$D{3X+1b0@AKo|l zIBnn>m(+3jl5tt1gKAX8e%-@VVNCX#($CZC29}+P`FxG_?8^H$$6rW^x;5b)cfYme z*Ybb!^om@5$G;*b?z_Nj!>$)h$n}^_eWl?&CUnc{_`>^gM`YDs>HE#dD+exgfdUdj2<!fo&d|T;JQ1ksT6ueu?E|q2<$npl+re@Z^(>zuuS} zo%G#`98K@W0RIR9fW^xft#I~qKcjN!vLR8ni}f6(UG+8a8oVn-6w7Z^qg-- z_N{N@N}JHlW&P%dI}76w`nKovHtL zZOzc7>E_czmt{K0{kPodc6~#3UZsA8VaAN@|CO#)l$IBdp8x=qzZ14!uaK#h3^A;D zw9VV_bPeQn{~rg`|21zC&v*GZn^V}RR+gshF>j3-J8_I0-u5jkFK*@PNi7^Tz8D7d zjdFg!?0*jEZT_`;2=itq*mNN)m+Fl`B^w1TVxth-rNvPzDDgxGk1Y z2#rFa6d0B;R6qmkOQa$Q`7;`bE-@&GBw-!}5MS(vLWnO>v9pkXIV=akC2s}%5dUsK zVC(M@k?{$EHz6o^B`{u$W;NIszTF$rB>~Y0wVnmM5@a}9``@?MyKv0-iN$4q-`rD- z>RT_v!J6&fhC9`;7u?(b``Z53`!|m7)r;re~U-#E*I$F{r^m=NV3^63h1k`YI_twXt z$V;jF=PEI*Q>4LdCi3}9S%T6ikzZUvBWX-@y$U7iMh{&bO%QCrut%toq=enH$>95= z<#?oG$BHy2MjlC+k%~S_8JR5yhpmfWJ3Y|i%;U!rmpm$BFHX9mxrVqb%@z zv^M#ew%A)?NS7JAC_X#mjlXLDlMb+!!EjbTU7g27AsOiszwr!E476Tiny&SY;kyN` zkMuumVD9ANaeqJ1MGDm{Z^NnCtq-&g_W6If$^Ywv27Rd+fQM7RdDJ5iT%G)BSEdal z$CBVZQo!R5fh7!<2v`DO34%ojOC&7OtRm8s^!KwhBtd8TxD8*!{EtTP_eN9FzZ=2R zuBtoU(f?`@|GgS^{MIY}F#KWu=o*AVZ~!ca92D;e*ASXe!gjcmUX6p>@+tVGJ9iQR||#o|c6*kq(-x+KBZlD8u|EO`#R z>R>0vn>R%ao4E2YtelvPLl~RiuujR@xD38krm!V{iCx%FJ}j1rMB~{>uyQNv%h(t{ z#yetI?3ddS{6;nz1!piR;7d52;n*)sH*w{cNI7gGo<=g0Dy$9g(?xJ3q;1`o;>5_- zGlQMBBQ1Uz2OEb?d~-c;iqvqmp|#=o{F_G3-3w~AWvUDQs+~Tnjcp8<7DL0?z35HD z`Tzf5{@0c>>jPi@UX$$K9A7n8nI$7&cx~0DX?2JHC(qY^Saps0P}uo*qKyYtH&*QR z2JrBoJa%i=8WP!k`1Z(J(f;3TU%VOFfN}}M;7}~^8NA^K<2$1`h;rctKm)e$4GoyE z2z4^+(ce^HdQgT#@sRv%y?XvfNv zEQufTpbh8ONuH?4lacoY;d|epzcnYIegMScXb)t?hvi9eP;Hbs9Ms^})grzCbIaA(aQe%un3bbiGwj-nZ%Dy%zs=Z!!>pxF zn3y{Ms@@LdOxdr=V@WNq{1f8o^=<#f4>nH@+56%3+jvbYMcCRw^{Ys@eHt(+3Efa9 zcR6W5Rx|LT1fe+R2z(w&HzXk5s3Cf5NWukFUrT~DFU<|eQ75;H5>Q)OEcA$gQ$I&2 z!U5^;cp8Z8{5>R@Gi1C9#R{69idLg3gN_t{puRSeIWcJe;W`xtf z!g6E&zB-av*`DCkwJ1Fmv4N5xL;3rLu({Tw`Z#tI#`i!I++bX~BaR*8IN&AVmazzr zrB%iMkSE!;?PRO?AF?;YT0kC5L3FnBBvR~{rhuti?K8+?jxtE3{5h$vESh?Z`I0*R zMhWb*AZf0JBq9qxQ9p@Fz`G@kZQS?nxB}pG&Nd_mS;-L4 z`lFx`K74J;pD$6o^JCi6R*V{(6@VOIhe1riHrtyMe5&WrLuWUZTFhaXE+DP)l7&)DQj^}8>fD|aUq%Ufv3^nFkd&FFzTTmQdqy5uL;IT_7STGnrpgmW% zh4Wkohdu!bcKVxb4yGy)_}<0!^RfKlPK6Db(g9G3Pw8R#A~g;b)S$VC=_rWo;EK_R zPSSr&C#5H$f=c8`LiRsk_v$<+JoC&d%;)5`rBTDWgY#1cN%#IJ9v-*_mRS8>d0c|E zhdT_E4hIzM2T%m{)qUz?c_%Xj=k*5S7+?B(o&nnR+K)}4e)yuiXMk#+&%Y25wX@C0 zX9q`aRz7{Tf~YI^Cw5jYQ)v3TKP0h|k%5F5%5N<^7)oLr+iQCJwGyfwf)+QohM16b zp;p*!_*nrG*kvZWLj2wr7$>aRQ-v7KZHEUi+{jYDUI;9UL6*;|hNH45R5k%kOF(52 zXp=Q@qRr`jcA-%co*oJ(YR?TcOpj2U#g%&r$MA|woqNBLFOq(0!=3X3rD@g+ z_JGpx%)y9gEw@lSuq3sY7Q*!jBW!tIBEuRB`4XYGoliwxG{mAij5IsEj{8!zN!<}_elD|Jkt2(=)*Fhh)y_aNwCEZtFrbF7p&RLZ z9oOZWZ0Q?0(0*7yb=;8a&idN6%H@_=vYb75s9)`5-YON!xoSVI#rMb`O(B*^hps6D z*`}`bNi@n(5up6kr{RLCL_rPq5spC$%|G*Z2?pxgkStTKR`9bOSCM8cic3ggDvFR` zrb~s(<;?{vp-bCmqatNZAWcRV`!L~`%+t93J?2~cW%cHe^eiMM`MNUT;W&OrP#Z@_ za7jMGh|+H9Baq|AHaS_yWkAA96x;Y&dM;R!JmQu1lgEOT3BKvi5PubF`xDZTy^U?P zmw7vSo`%eYs3HyVw}jZKVc%Nt&Kx9EN|APMHTO(nl7k9igoNoC{h^sXGyG@cj# zsZuW#0339P3Sv+&Q8(_;9bnb7L*U&Saeatw7HV8d)uOE}iEFIo?s9Y#6-)aWt}2vM z2ww>m;%1fF+*zGa$r`SbA73HKlpeyj^GreRbS9pk&3zae6Hjf1Jt}EAqDk7lLQ-lu z@>qe4vib#IDav(ldA(XS;wP)R5*UPqRLeJ@6W;^TKFaX{+${ya((;Ppb$w8I>^i8! zn}z7&!tc>O(_ac(QyXcj&h%~D2H)Cc>1(434UI-lp}V_T*-XgR!e~vX*xQe23ZW+Z z(BRVvL{}J#b==f&GX3;%G{EPjeRl8-b}!VqLy9K< zN`D1j$($}(jXVxi`28k->|)m252XQdol))S1`HSCF&_{pm+E4n#@|Q1+{jdCehn>! z?PJX~&GDCNkw$BH%isFe?j!`#zk?&0wdt>6`x$U+wivDkz@EMKZ$suWGW1w|Mxniu zbKTc?lO4IES!04$UbUAq1hb%ZTols^r)qdsU)=iFd=Y~pboCJ2h}#y7Lrqt3WNXKY zP>=&nU$9}4(X8HVBu2w~s{04%gvMI)+{mVjxVLb{yc>zjx$0f~Zr~K(w+ZVUyU@P1 zP{~vX2GtziMrf)djJ%W;yXTsXXABi&Wd6RA7-8-$=u+WI0~AhodM9b{L> z5yI^pfar;n5%ulxFwF_eNP4(s3}VL6N-o|9eK+-K^L^(HaE8>E1KG=?@8j^?JaMU! zM7pQhBGJkI*;CEey(;CVSfz84P(-&8qTs#OyhWZ2u%qlj+;&dPI_#VpSk9FGJrsVlI%qoH2W z(9HA_jx(c*wZ@SAV`+b>f3e^Z{7WWTW6d1Pnr0eP?g3gVUK^HvO0kmvbE$O4i+6~3 zeF@Gyh}{1$B?dd6l%FL%GvnczZ|;j|iGFbDXJk-%2l%|904*G7Iad^kX{~97I$=6S z>rM6SA;CN!vkjwvf-AMT{mOqb?_vZ?_Eyg`FV2tfx`gLm=F4p9Q(WwNWJNaBT0-`q zPCE|fKGr{Sj$;#TpPq|+>qWfNyo9kCQ0Z01V0|KehgIdvW30v$H z9_Zh@f^DC8nXa?bt|C*vFlKwxa$&5tN#_*^F@;~uA0oq*Pc!w(MeA_3 zKNl*ZRc?RvE>{0EcfNHb{aDznJ{C@ed#ygZYP^qn6-#C(&d|)IWi9hj*?dG-INkD^ zHmX$B8#Gy^^tNB)J8X#9G03<;y+PmVh*yp`-RJZvB@s}fP6t0LARW{l-)wlb)x-oV zy>%qQGXqsF!nni;PJ>wID|AQJ{3F(mnwz$P2;Aer$nrICA)B=3-M4}HGluI1&Jfc$ zQydg*TkPFfsXN4r^Ht=S?R#(jk4;K*EK=r$k=W*2jaxI??>I?+F@KDI1f(YE;-Pq6 zg3NuQIFGHQ-_a_lcQkB}=u;Z?>V)k+0+>WJvircmDbKsZTS?b#s|^;no2rZ*vR(+Z?hNTkD0NIrdOQ= zfpW7-M!N`~@O7|n9dg^0`+V+((_1#MOL@XsK2HcN$wU03rrQ)7XKw!q!eYXC#|#E4 z^!cqqY{6EPJ`ic2Bdb9h<~WL;2V-`uJ&A)7XPx6Omq}DeK>_MxM0r}&ME(bfrvuuR z4lHAIrG&UTpk@>Ivk%k3)rRW&vbK(G%|H7#yRkE&Epm-S+*iId+671+Hxj@1!*1OJ zKUWrNuA*7$RHbxGA@*T8$#+Z#Fkvh<^6xOxuy-h31eB`-sMcw%)pcii6Msg!f-QrA z(8RP+rSq_SlxrK-xmmug0f(5=k+$w`lcjUQ+mJV}?Bd+WnE6~7kt`+D3v`UyUhFphCDHs!hS(j9Es3IO?3=}&nBN5X|<+kT{- zUC&~*RzXG?YfA4_-d5TamXETZ+MxP)iiJ0m*_*P-V1}9=1t7~S-uZKb3s^0TGHAO- zfG?JIP`>ncy@wo~k+ca(aE~TBOZj`kE@;5h;P#leDTq{1js$7+0X${uROm3t1-~Mi zEDi*&Z6ZypK+2WAP2p@+Mkd81ZQf)A1~ARfJk{5oS+@kGcSq`X2z1q+GT2;uX(zIF zH{4<2XZl_}j4Z32-=M`iPK!&N++ly|mPUG=XqcuvIfh!zkA%i^G(=q6k?bhxNl_=u z5W^%+cd~;pA+@JW=pda9)VVlM1WY_kpL1@x2gV62T_MawQfeSd`H(&r*ZY#^&F`v* z_yhRAd6_u3gZRLYSQ-IsCe`8Q3f-@k(JYJzqj)v&%QxroY7y91tTtp%YZX4Et)bRZv?O2!Wf|o66j_j6H@IB(7(+Pp_4tCpyfZ7$4Il~MH#za$c zsI7upe@=ad@eL}d^gbHu)mxh40)$7aOwT(d1 z1*c&et32$-#{xT(`a>R0XQ|N1)JwI`Wxk0G3;Bu!FmOViDJDE;jGVerzB13p(%JAd zkVI7OxyuXpV$$fO)CV1}FDGe0{WALWt5-CJwBu|M@Kc;%pB96&W6otEdPW#)b7A*f zIuK~S77l-M5HSbu4Mb4N&VO`7d4F~G&e9H0^j}zUGTj|+%H_!eKz3UqYvYQ^C9#xppyzy9(WUmk_9X z&sUgc2I7{}LYVG1)hZWall1F|pI|pFQzYI)wx+>Cxlm8KnV|y3kZ4_(g)CLzh1(Yk zKIXPEw^_O&I~yn%g*|kr5N4VZ_IhY*u&F##3YBsF{7Q%0mdVr?d(ejK9c&J4fP#mE zGOo%`EK``vWXj`8ZjhgQv0+=Ru}KcZIR|Ba2uz+r7LtVf z=FX^PC@L5V6a2(Q^aa6=4QRte#`4F8Q$VnRVg#W}j>ek~h5bD3G5cBm*TR6Ee=@Wb zCIx0YZYf2MQgr4X0%~~MM_%k^YwXVHGPX-%AE8Hn=7!SNxr4b6&YXg+^>_}uls~7b zvlYo5Mzr&H)KZ6*)*;Ucl<9{7y58c4ANXNdSyqS4`N(=h*@Zs)PVBFMVe*FOT`xo1 zNTP>+r*yDllR{OdusqM4m|`0uGf+k9gErZM9nvQU}DDb|m2qlGT^{meoXvkD|x{?mO1qC{FSrYVJNu)wnM(opAF5 zbsHmbxO*c>1C_jm=13JJ-NZKpo2kK&+Y(e^MJhe`BpTgM0CkYSf zggO_ZbM=0OiFBdx$)yZL`|B4JM$rCFU$+V7ygwtF{pWqusY>p}r3N5K4vPH*ag&lv zbhf~p94m?1`Om2#>LTDba{j3avrHx$=N}pk&?icBRo4>=cSw2+bs2@cZdf3c92Kf~ zHB5fgzj6>ew=ewI#CY^;`7Y8ZFYY-9o0?IvNL?HD2Yf2!=QW*1(CNy}}|4GLg zmV}9g3ZgD-P)`VoX(Azo^)v(~S_yk(h4mM0SOl@F<^}cd+QQ_86;y3wyrh1PLpRbk zn8t~;w|kw9!F0F%D|*(QQJhU@vd?I*>(d;ge586rdv5y&l5*21Tp5`pt%Gnfb2)Lq zGcP*(Ri$aLrnrC}6mEmh35pXV&1HUMNx`XB)>0t6W(>@!i0(J`JV!=0Ps3M&I5%Pj2prVfVUurxEoSL)OMQz6MYHTn?gzc#piRUXntZ zo{)ZbbN=)a3kcDuzl#H)<4jNvk*ONMN^orgE!nR+px7p(5NN73Tk4@02*oaZW`DO~ z{YU9Y=wQ005+`;r{KP^GFEOd$9|&Si7IbtFT#~R@xgdfDOUIG1y%3n5g=u_V7V;cM zPx>L!PgwSFBt8cx8h5k;lV8#fE=@)c&dTT@^HQ8$-13bq6>KdreQk$$wRn#o@R7tjNPI`1|jfhGOikhJmHAloE^Ej7pQ*#9ppjN zViws9i`k>Suw@otef0@cD08C~-MnZ|*HEf;$;iX9Xq4X1iw@2kf+0L^r%*OZVA!eX=k*(82;PAY>uQ;rYLux(wns8j z+AQKu<4F8P_>A~FUW6$JpklZJWHnpMMo&@2TAa?<-h9?}b z?lxNSQ5(`%)z_E!x@lg-4ApP2efuqB8Ce$NmHtdlMgm=$pXYrnEN^*@ z9Ip{QBt3>K5A3!SXxPA_9O?JjcbHBsvten7yyY+C_zRKq#u;yZ=Q;Y!imJT98+{0) zaaS4XeU9~F6SD7^)z~)8+wx^yd&KtTyH>38qy3?}DzTzPD_^CR7Xej0CKsi~)&tn0 zyl7_GOIdofjK)hq(^=#B1DnH9W)iZ_)};lkTZPGYEnU2dyR=wk8>}*mtgH&Rl*!A= z&v! zCxG@`4JXm_(rH|G8Ika)^3xM`{xN1f^3gY7D@+%&iF*2dHgc0{0++ zs?~asp5ZEC?rnP=rWyS9%M0*px5E86fQHam#!L?lf49VDio5U5&Y1PjvO z*5yDba)lF0bA45c7*nr0GbEt#(JYj>N!Yz_fDkCv$T+Q!sn{b<_66fJ0}62A&zruX z876%o6Xw*chEwLc>5)~v#-lEX66>Q#1$<@&OA4@Jdl^lC_yEfx3FF!rHDO|^FVVEV z(}<3CL?gY^KGm1eU)Ll;4Pc4UXxbv#N)hM9>V~wp#k0sh@(fvNYHF|aYsbeWbimx| zL426)Eu?&w!M$ya=}pI!jy3NzC4_UM)5v@jmqAx9Q~t?{yI4m*l&fM6aZ`-6n(dca z4N@A?&rzzVel$`2{!*|LtIWqxrW3g<3>E(C!0S$M?ow`!X6rI0QhaPSa#+wS2;qR{ zkZxv>6byPFkS@|%kyV%7-Ax6&e+bfj($ii7dQ8G{(d19@{-G${5#xDdI;W}~G2Dk4 z%Hvtw_r1->OR5tAdEkyC_0=w3G#u$IX7$y5>8{S?qjkEzsLb}+%IX}f=dyCRsNosw zND1erP$?2;c$(#U3st)`MtlJbu6Usx=~dlR)0SW2>V>NFu#pPFL~~dUS3)HN;y&*q z>4#K%AUbYu2gKnG1-QM|TZq!GG1a*Z7E&9JJMtU(^JGBjyDQ&v4>Yp6(Y;KXF+ZMG z-yM!83$KhbnE5mh@`#n`g`L#)B4QO%=qhNJbp-$w$(s98t2&kHyUj z(yj14D%OA8>Q($X7b;T=7iu&Ymy(3Sg%>}N9?GO|f*fucSc!k2JfK#rilP6sWgv@- z`GfWc|ETa|mBSS@3Q0=52F+KUI)(%w=eQ<0` zL9xSV5*k>htx5hLaP4a-kR5dP_ z+-~$}46kkis--ax>tX(pfyf}fLi|yY2{G+YM(`%_se(6Y&YGv9##lU+agfAtCbsn{0fo|LVS}Aru3bW z+f)99W}5v|%?^TBco5C69adNi)r`F)@FwuFR{u)5u5)3vqY#X#3Y`072oR56 z44&HopVm2F$x_>VT>T)YEvdd*txWtZCWX#7WcdS=pJ)X}1al-7FM`8c1tgg#~xMHdMWK5JA;g>9e0 z(g9X<7KZW#J79I*8TP%4sNOwd9@gMOh2P4rEi2q2Fe3WbW6)^}jW3xRlCMO}0 z__1cD3Wjj&yW767HIao1I)v-=4*cMB``b0!vD=GV!DV+c|AA>y-WWXX0Okt~#SZwz z?Rhzfw<&*0ubPSY7@*c{ZYlM#f(KkS1;re$Do5L2B7S|-OgPR=R0SZSyoXUxO(a7n zOd&zsJf*sOpxDHcy<%ry_57mI?Mc|(ZrnHp8x~UzHH960ahM@Qp(>(8C$@*8JlzGQ z>Jy?1^Z|2z=w$6NAoA^C{@h13U??eS?yoW6JLcbmnt|U`b=)WY{bA-_$QJL*$KV^v znqg!ff5_I=x8OEXrusJD!Lzjr({VpzJ9psqNwtT?CqCK(c&6%9F@dO_1zCP}wf9o* z3&a!b!4Nj-0?xd0pMUk{^ux&N_a-}e_O>B3z;HYY;|<-B#U@EI`q8$*>UJd-%)Qw3 zViM#~pwi!H-iP>67o(xKwSy{n`nIV(QJTX@yMkkg+PD`Ad0$`0K&Pp`sqj-%zCzmQ zr5@k}YcK|x)^#)4(u75th~kBsA>tDS?PHkM@AOE>e*NWRe@3G0Ihr#4G4Z_=+gQX6 z^oRMOQc2RK13@qbyz;RX1XV{|bi;f`GNqYH!|2CkoZ)(A@ot)Cn-f+Y1=FVwQA4QO z6-q_-jfB6r#2JQLpuc1YS7f3Qp0Dt{U$DDcdCW&M&1j^Xg((Km!C8U$jLHr~pSKp- z3WFSK49tePQ!`%ERjDt1QJnfGUosiRHKa)GW%PGw(OH#W>A0LXU>557zrZZTx7-^N zx?%CH3<4bbyeb*N%QbE6a^lBT2Ve<9>@aOMzaNZME(5*8`CPHa^VV zsEZeKyXBnn5hA1&a%)d$;ieD#JR?#52bIU^&CCyF{CAaKlS?%p%hD4d0G7Mo+63L= zI7$#ggs8P$^RCJ~z%MZqLJpf3p=sS)!8Ou7bW5GO6nk1^p0AOyA^$Z0r6x$KM2-Qt zCdAAAWYZ$<7CCDx-wip{Iebjc$1*rYAeshmBha*ysBylbuEZSf1()ZBFz{Lp z{5BjL4>P>o)>a8FTgwQjbkC3p_1vd{$f-UMF5dIgea4EATd=F9WPxPh+0kQ=g z@)g%|OjrDkIM&ylc>R$!R=1KP9fhBmk?K#iWGk>3)PJgcM~RP;B+W{O);ZBWj8oLN zSoL0*;+IWD8Eu5sDDKF7iYve;4#D)cX}15`j;7b(V{yrlEo&K$T*J|(6WUDGqTO}#WR z+Aoyyc4SABJ3)t}HFj}&P-`-CPWz?|O{D!${WvmSniFI=E^*VS;~O;0;4Rez7%Kd% zd$_ZK))1k=s%~7O?Jh+lR}vPt1wl~J4sIJa4q(5`w*WI!&Ikbd71ubVyBkjW+Fh#V zAY+p9M!1k^jZA-ll(!>cGZ+WUVW5h6XuE}V<&*ig!m7*)bXR%tCn3V#mP~I7gOIAY z!S2z=JY7Ark4hy#KXo+{Aqd`e0n|v zFc9)Ss?!Th{z{3en~w7d<(x0Q`b@>nHn3+5`oGX(FSiQPw(zxY@d+2Ul)*@A%_?kkINrnNd)O*-%m~_$ zD@zCSUh27s$(L2LP#JvCOdBt=+|rw^6OAWmvSCGFaXq(6l~`^08cyY)Gz)`EvR>tO z0A>*)ESfmWS~{Pe&kMz63CNL*@)$XvY}*S=1z<=Ye0B))d7?9v;F2u#d=D}Y-9NWC z&GLLvVsa{qAKu-Y`2FaOu;ZS*A27ckZk*EF&#g$$Mg>GhKZeh#Gj*OQRQr;qt?MZR z#s`?GF{Q>BPd$PUB~ZfHU6>;HkhtxqW%~i)JMtlft>JIhx+>f{qx)&vYcKdrBu^D) z2hwGpdvJkt*Eb_D)G$vwhS=5Q$hjfj4I@B`@S8eBJ9)I2yf^JaYmj&ve15NG3$|`~ z=tlaFjlrIYGMgWUW8`Bv7FqSYuZ$_Bhb-gwd&#Jy<#zxW!`DDc&oKaP|EHH;YaBVx zOGb<>OEKK3hli1EovdXw#NX+%htIHWHG1MktXsc@_IN%6!-j&@fI)7t;T1Lv6SIt? z&t;Azv_DYZGD@~;l+3XSZNHCN9^gw4aLX>VVi$Ti47H?sT}t(OvI~)2)YUS;3;wSg z;8nH@uJX)BUdn~6?l*sRQ6MBim()db{8TA2K>XETw}&_P;FRG?&_N!-OSTFA^c%R> zj_4r%bKPSKmY^{6<4Wln$B!z2{&iUi{PVRM&1GAGzqn5-JBo_!>{_`0bhzzXL{-X_ z{``;T)Yk81wLC@;1EN*jClqC=dsxH?UAYW%MjSiY^j24_5qF!2$h{v%JKLsMxbZ5m z*WaquKk(25x*ObKiOnV=m|8;gABdv@Y~vB<(CMbdt7iw0!R9Z6Yzq;0E{K~JMBg{e zwvhx7kTpyRYE5SJ4OM0Z@^#|lAb0%rwaR{>+{8dy#WulQdor@@EuK#Qa>XK$M+Uhd zP{e}F5E;=5ki%$ z`P%gP6!!%IpX-b0pvI}Fz4~frNn$FHc`3s9^1^f|_@9_${;P9g7Lfm_KQNMOg?-_jY+HDiEAayuIdc1(Hcm5b z@3;1xsjD8m7a^D=3w_}Vf(+Arf!A&S7^L1G#y@i0$EjN*Kq{^lyW8t~=AFaRhKRx- zJX&p4q~Ap9-WteSK7N5<>rWzZw$ea}MYU%w_jm@T{%iwF>^UeZwx7penY_#qF2E2_c{qcS4TLoV>)~!N(uHmJQ;@5zk z-OYJLDBtsucB7ItFpiTcyFUR7YWpJ`+EVX(<00KeeG5%Up`Phun(8Yqiy@_Vqcoa& zN;G#P#N~sf;of(7(MU#5CDL656}U@25LB%`r(5Xjdg1+dV)!YS>_cZeG(L8V@+jd` z04HeQ#za>;X&(zTck&q|?JZfgyZFKEZ}2e=0IcdCgAIR@O~KrA!Y5fqHh^BTV+CLf zmTm%~ZNle>dm#|S_PW#`ow1_w6n>!-Ml$@{BXo5cvb3viKp&3wQ+vhI)yC*T1uM8a z6QNMvMFjh*zyS*ZyFw#F&3glZGA+84zzF!&EPi& z`H?t)wQJO-&`gf=vF-(5P$~D}L#3Gj&mw#%=%kXdO5UgNU`${7jax3B|JsnCsNM&R4?fU-S-~0J}-uL}y`w^H~$LD;w@9Vy<5^G=9Duyi@U@l27&cV2* z6!E8SEJV^m#BJX&6%DbTDAGJMB=6dR>K86P&u-dhZc8>yR~eg`>SG|RW;h;7FUfm) zm>lMpw8PpF_Ny3mjRhrArMCJ9MaR~lG;+S018fpDY_!@gGClEsRVvIUh-qlbi^{^5A2 z>9X~p#GRK@I9g_@0uPc*u=$Y;?&+T&;VR{YsCcd2!L7{CLh>pkXQ9?ae9CqTZ#6$2 z1t8uZv$(lch2Q}@+OO5*hURiFSMVal4~@1zCGA1Zr>|Eb(}mWV0L1}^C2a5MIPRqQ zBI>0JRT<_)?%Hmdq5Cb5GCx0e^a;*(GJ#7n+e+nwp{*KDzL>b{5OuU3;Pj58-CIQi z?3i_^HTvpNTrAh4RyC)$t)-JL{^};(sm}i_RQw=x`4u6SRe7bYnpO>OaBKmM3{`7) zZdvLm+iNXz3l4z4eAY5%EN4YoXR84lVSBy9=r7`GrKwT$q6AV3Me~P22-N0Zt1GxM z+!wI$9S5dComwUAY>woni}w`)Frm|Z$vkKtvaJ=NP~FpZok-iCrt>{-FaooM#$3GH zTFJ_z6;hut*lSfgihq}7B%e!lJ<*-B6@$o&lorzN1LIbzXA`rZnNWPsfd((;D!IOZ zW}gu1U2FqLw3_STI)}L)+*8mvnxmO@f|W}Ft8(ho=eM?A;-3?ia@q2JRQx&0$P;-> za!D#OOB!mDmf&W8g$w!ihjEX}7R)`${uu4QoXR-cpbxjs2CKzD(^lJ?t5(C;{w2>L zt1ZlYCV{501zH*kj11O7Ew~J?JZr~XhlMeRtECHp0chzCxU;+%LT14Hg)2$~(B+h8 zD7a$lm{8!-vfthAg#B{gl0Mkc0=8kuN=o(V!gzZ+UX z2FhlX!!cmSdLU=P<|ghKvzRL~_Y3uh@@BT=q+2x6boIwb2=X%osjiZ#1J z+dl_78VSfqT|y-2<84X~uxUd~7yN6=ZLFO-*`IFd3hv5+@T`#;7E5J9Zn`U>i?AU` zfIT9aV$=j7od94`IV`~#r*vT;%EAMKaUT`^5x{)mv+Xzxx5Gj$=?+sRgeJi00=@!3gTOG%8{MS1Gnxx74S{qg+L?8FGR_y zqi0m1uNNa`u}!$w2}%6qKZEQ5>DtLaJZ_3uYrBXl3ymo5CL8exAVZbGdI)GV{$tt~ zrArV!7a%33HK6y7GRn-TlZleAg{UtRQUQ-_Ng+ZG#uSJw6VBjE{9P!MG1B`56ZnNu z7QjgJ&cS|yNgxiv3#PF^=!ywN0c$VBNr~4ju@DjFjz`6xF$rP?gwt6zdu38F1AdZ3vToB z?Tb(b{fa5)x7wD14YLB(EWz$taMZ&WKq$RsIf(3KZy`E8^<_9R5&6y{TaoyUvMgrN zzXGVy>NzT)f9*KOj0eaIc*-Z$ZeBrS)N;b0lFgvIgwmODKVtxqTvXaDTx#)Lr7eLE zwb1bvvMoc-9P5pdh#6_0IQL1!&qtZCvM&K2Dp1V5<#{?PAs^!D ztMhg!I?e{7$h2yz98>%A28f4z0UucJpDx&>Yl@C@ysne_^qSD|4p`4;2O^W?T2!Yw z??D-^Kl!A$cNiaVZT0DnK;KumC1GW>|S2J{0 zXJaowk_#^P)96?pa-T-rp1BYsbC~-c;}wU|7&{DOt6>Ycr7;=5G7R&>j{Sz{^GMEV zo!bwkc9)+}6dwjpyDjQQ3v{3x0G}$Ju}c9nfO{M&J_QY6^>-XbHruxRPeOt-1082m zZ9J{uY&Ska5DQWIxb$tvMmMUzqCmFlmK%kL6kZ++Y)y{o-OMkmj!yr1Ap}5~$1=ox zO>(dAX1p2}sOf!23p6F(?o6zGAjqoQR6>%kGE^`eJaz{IDh2I<`&`9 zOXc;ZCraz{OVHdgm??42Atm-^$8i<=DCKs}o{jl`OBv+R12Ez6{Ulz==^3+gvFuda zcig=V<%f2^I}NoJ(Yd}siW_?n-Xr>%G5jFe4?&r4Yq9N!?`2d!1lz34W10t47Y3r= z_DcrEr-Kl4!1@yhA%|ZKM_li_wF(==?%9k~B?DkF(s{0Iufq2jzHtrPu5qV@dGbg_ z{YKaXqP$Phj3ub#dyv>+c04-@U&uk=gXgactSyc${ zF3RAx|67j44hef>~9tR2$Otc4({Rd!bZ zmuGxMl+!UAo?w_@491E&W08YC2g$SZ|3vnRF=)>eP4Do1lN>4qo0$M3!BiM_=~PRS zVOcyx@0Mw@BKY187=@Yy!)2p<0co-mUfPDVNK%c2Ic%oS+SDKgOZV@Z!q|^BT+gRSw9bfgkC0u77wPQwzMNA%?C%u zy!kKG2+O$g>o1`a2qSF~Dl`X^DF5c)(Ux(j#0n_Cbr7Pp9YAheKj93@s4^-WjucN7 z2Kl^b|7@ijw*Dn^dn-80i6hWzE5IogFIAu$XHm&eWa%%Aca zL@T)I&wk&H8C)2E8c>7to|5;%n0{dO=9T~;u@DyNqs2#pHwf#;3{e2sq!4UQJ#Kig z)5Dd__yRsxv;@i|AMqm=|BfsLf~EZ7z@s3*0Pq&B3*7+0J$TGLpuUL$sE0TvNw|+p zz5#H9TvT!u`z)wzCE}jpWVoB_DSY&s84Of`qc95vs%P;^#2mX0#;67$R^2^6a9iO@ zM0d4f8rpiWu{S!gNI@%LWX9tfA4Sfug$79Og~PP*Jf_nsCWUbNvM{B6^>-sMpp4`% zkgo`Wqnr~U4?m#_Fl3FALP7vC&gv);9#*=%cvaM{#2%g82?!my>SI zWewR;oIF2{HQ!*|*@4xE&|=<}=$NF?@>vEyZ@3f#maE*7BkY#7$S{JF?uj|(hUH)J z2{}JJ(7ly0hDKiaihcnYivE_xPAt4H_Os5*G7Qy9>k+5E;lp+xf1hD(41LW5+gc$4 zItna>6x`o#jKw))AviBgu+_V@SQ?8jwP09YvHkR1y}4JkZN`nM$Tbx~+|zIXs)le| zS#yjss=Ib*96QXBa4Wh~b1dCvv^>MUm;q695H>c#sqNvQ7B(--WkKqI?1b)1Cj@Sq zGX&!{r!ZY_m4?DgGVstq=%)T|Ae{**4;d&c{F; z6M~A%<0|9LK45PID#TI=6l~=+sCWpw)u6HH@DI-EoqY2;cW*&!txT65SLrsng0V)H zkq{lU9V|Qjftu74hZ$RcgU;lBhH)E%gB2U4yfpU2#c zgTKr<3j1iE5$IlX8}D}8%%7=pcyElp+yLsDmyf(-DQZ)0}e%EVN{i#-4PfXOMXII;CCNnWkQkt#u>z)*#X}H zX)-!u!|}p;MFSYs>ys6LBYYNM3=7PIAk6W`bi_=r`W+RY*gYMU3`94+M)SW$JK%Fq z*d|JTthQ9H3e|q2)-CC$dqR~uMLUR6Mtelp@Hgj|*1108)5Zhqt)K9Q^=UzxNNeOK3Z~*k~frPAkEjY6aS7b z4Mkh_A?E~Xx?1jF z+K%`K4IcwEpZ2KQkGKxdFy%Wy&H}K(U`S#&s#3keTX43e>IvZUl1xh5c=%?RzYjIS zI>%ep3N{m4OHC4**bhKOO5xB%8TprBJUo>cI6bg}C&pzeaI|P^!yrWbK)o-Ml=MdS#XsJM_Pl%?Vh{9-b=Rq_+|Us}8|YH- zY)EGUa!kYAIu=JLKMRr9gyyd@So=qTjmKF)$Ln5&s{Pq_c{ap2O4|psUvv7ntFO_1 z?7b?0&o4sk9Qdmn5lNlwT$Mhq$V=noqGIP&{4+=%8~zj3N{VWw@QOlk3CaBy%ZEbnqA z=sl*_xjKglS$_xz!-eH*ZXm4SQ)FaYv)QnlvjF9f`H0o=87khS-N>2O(NtKlGI@MY z`O6&Ld2n1(?lAZRGJ*euyw}>7$twn9|Hgb6Nmqq3#rB>YK2d@+)pRvPI=suHPju5_ z+4~~cXx{pWf%BRV#Je^Pr()eTsB_La+xi5HGR@{N?;dWd)gGnA2HLMxixb)BX6v%p(Qsv52xh_~>!Gnk*15NPTeYDj~7r0&3e(0>0J(sBI_kUAvu2rDWW;Ur5Rm zVr*~HzV_u%%(hdoTp*Y2&%t*295w6D%L9@4LF@N;Wzks!7rSafbDRHNZ1qg8{GGGP zk6~0PuQrxGN}-M39ik{45Mt@i)vftOo{rjWhI|8nc>-<~t17i(C}JK?MNTWXsw5NH zGff+vXThX_oW@nO#EV+zn(no{RjPA%p$2^~dS@k*d^RH7cC7FbJo^n~lQd^yHhjVj zQMM8W@4**I?x-h4vkaXR8BrQdWDCHc8hq4gwa> zX~8`_cr1Oy@MwPz?DU;K9*3(L61kx7sIA*TZ+Yiy);=f^2&RQAl9j{?t zoGSTI@qR8&?4^Uy(rVAMp7)3-ELbGdM0QP}(YSUX14s}=M%kI```9Dtwb((IS zPXEK{JG9&aFTHhD#?7m4O26GsOYo()F0=nnm)(-X>`Jub=9OJ1ZV6omn1#D8%7lw@ zZJi`+!7{ibd0j6C6Zp+i=qk~yfbsiwf!t2(%^Y>zaoc8Y3!2O2&KGqSvaw&otW$011-ACC(-G|=&HTS zThgF+9uG9$0O?quc?6Wsx>`n{)!sTD)JyF;6KJVmHvXe@YS+m?`~1Vnn|_hbLD&Gx712+H-U^> z4-EKJ5^|v(cO|j2$Zof|JCm5uRq|a`6l}n^)K`Oref!QkQ+@N!+lPX8b|vu+-_(D! z@;|k{KRc-IY|Q_6iS0^vuz!lg>#jS7@?ff($Uq#{@+hY zR~ZG`B~Wz!|DdjW;nSVKA*#N~Axf(!PafPjWlGJoP9o7W$HTNQoKl!~9^cu`yyan_ z68-PA3(n-Ofi5tS{dd}Jp60(j``qd~f9R*T2Zlec2fEt-9sTpa({5lu`tP)Rdvg2l zvkZOmGD4hD^ zHnjWAb1_{X;PSBKn+*5(t#D-CHgDG*lWe!KQ|fDgmN`h({Rq}Rfz5~S-_^~$5Pk(o z`~UR3zf9t?2>v@Vkgp0Ra)D|nkmsWk|74$keCnWKp45K!RA*LNB*QDG)CmvlS|8$91;AUp3lKRpx&@04?y%w$2v#zn%QQY?x`h)TPG}qat zKPa>eKI@KN6r<`o6{G4>n+V89{P`%{tsB>+&heE3O6-Udr74zU_%yE@GT&$qWb&4n zLS6Me{cdIxYj0rliRF;ZIq(a_6#o41|KXK?nak09|AD+Z*!j|w5s*uyrrni@1)+rQ zpqUXC%qRd*Z~lcWKY{rzceaxlRm9Dcx6=|x!Jm)9WrM#R)TNox*-VCpjK*mpX&4#{ z9!k?4 zMxzyJC`plwl7LMW&SK?olz@|!X^PP(L6H)YqDaDVihz!UdCOyeETdI=9a2-ykjGr(aVSY-!{2MJt6 z#%=RkU;{#90tiky8Q};picj*>LMy9~BLDVv{+E(zr<1|2t> z_z@GKHNQ;dM)tec5n;e%S})ZD4KfRk65c#UdOZ9UVQkK~J}#&kBPf9p7IYbVfQX&ztC z>-DZiJp%f670eNG2NH9=I@Cf3;fNX=2qCAQf-mcc%s=Ech+pv}_gau!*7ZN=lfHSd*4w0uQ$b+U_aWsg&W|iguMA=D((m1YxxHk+JXY=Rj09%Xi zJ*<@S>xyuD&T`b~dbgXUyq3p3fnvGnQ1wR8VGgYV{rWgQ!{n)E9nnZ?LPU4AFS&~U zF7&3U(p1Ek<;Q~Wif(4&+6R#NLR51{CmI=e&xAZ0+gfSJQc(?g(z1#yUizK5TptTk z%f|_cXi2DU^j}U22w1fGzyVB0JC70j1`70V_DU)h&0$ywnPjfH%0PL(X;)&|VkBPY zWWtF3jjyQm8K>2F0o2vzH<<6BC6lY(Nq8XLD8CLA_}oOPLn-FEQ<12KFxGgsR3-O7 z_IT{!Qz@IX-joC3xn#TLy}Wcx;&73uj+6Faga9dwUry^ZfhF{vP~AAW_Gs>LNd-0~ zZTHZlk8rFb4teKsu}ndyK7hVFb)vB!4FdE&&$rhB8+KGEsfFNd(SV=VOrs6&12hH~ ziZ2KG5&ida5*>>2w0~ErYwO2P%K@R`$&-N=J%Kz?K!tR(3c6Xf;uSQV4=BNMm&&SAeh?rc2M?jCWAw1bK4k8t?mSo_> zk}PC-O1WDhf5CVgxBtKn2s6JPTK7}O%GQ5g%hm8|PP_DBnu~k1{*rXNX?a8>o}>IY~6AFXeuQS2#( z=9_lnWgz?AuhmR*`N+<|0x1f_MR0*B6+d3F5O8&^#io-$w=fQ~-Uk^`GAou9A|_Kj za{M~D(Jhnke#gfO(ZJ6@Ey5A<6}WEs<@kfu>BzZX{IKO6{C#Ra$1+4-wCjq?WQZ?i zt4<+Ork^PFML@hLZnu0#zR;)ZP$)hKbv89l+5o)(jOgA{F$l{1VXD&|G6KJsy2|5eY*n_??9MaS2oXQ^1mDaj}|+i#x~wltS|I z0BQt9g%9U6w8hqw}4K!%xyG2fD}=m==pM`<|; zgLGO796Jz>qMl|wDV1t~s~RVudaeevKnitM_BLuxJY?v`d%U%KFIHUCL2G5b;c^th zv!Pee@-_~8JcA1y{-b)q@S;W^>B*z1N9VMb5(iGv4+lhNs&JSN1V&@L5CnhEep&|f zq46{;wchwiD0^3gCkEA8u?kx)qu8&*3ETV|S!P<=v5wxwj}_)(m*K%M?=$Xukf)}N z1N5bkTQvrW2f56`>ByA{^pf4B!;xYgzKgzzL&>*HcMr@0?Nj(K^X%padA7Q7=^!Q>YZ#y5au_p+3&%!gC>P1tg5d?{)J%k2 z7?@I?A_X<7Bzcpl0+KUb$xhg54oE;vHQkZ-F2JINO z?pvu5kx1HCXw>WugDA~V=%J}ufo{4U;$uj;QcB5Zh=z?QSf?qDYF$yO)yEsVQGI-Q zJ)gsV5v6w&WRYQ5*U%r2#}R^u9|bdvK9@~Xu_pkSrePv9{aHGOq)M}q@RTH?!WTk- z?Tef#>dP)u(^=j=M;GBkP@an$azD>zR)Gfas(%o7!#sBl;@62(DC6s-Gf4MuwHWGd z!razW-qOMk28rp3rmVL9p40eCTwki?9rVM3ff$BnS0$46@}~D3-SO#BayKlzi(|IW z1bL4E%=e;R*sQnOWayyu38*>#S23H*FkfRV8uZB8Z*7c+ar2w_-qlmbH$f-RNqG^8gJ%UV2>9W*(_cElJ$e?$1 zO>E9DvqCQSZ}scrp<*?khSq+mkGVF>yA#{5RMA?Z@tCWB*E|}96Jf#gAxPMf$9WAu z0tSt&YYVPcUYthlI21?M-YaY_J!pB=@ddJ^vmq*cKp#g=%j2*E#JVyxD`+!2rV*v) zcpb196E=}OIeU+`=2@w4I>OJ0tUk^KbW6sc3ohmH#SC|1F!EvckU^4(ZO;^ds2=}Eg3(sPwX0jUnRP=u9Klvr*^jJ@Q+xqhU zWE>ufGYSf*(e45oHN##N%sP3GDS+>S8o7RSO2I~7JZMdkc{H0O3su6Nyd=cCFUR03 zG@Fm%7D(mje7s;2KK>}(KA4tz4~VB|IICba^|UVIVrU+$P}3|2xy3lE{S+=DXM9(X z_%=Tc=;c(FLaxZ`!}+lMYKQS3jQ3({HVDPBaJ{3*hLM<@;_oYSr zB056<6#WN3nI_~VW0K2F*1JKl-J>m2;Rhn5UtqKa%>bPzOs~-mr+UrFXAK|6oLtU@ zpUnGtTkB)jMlz%M2&M{tir~jrY0y@vT(83n;DAYY8(46dIWWPIHq#Z--<6Jz&%HQ> z8my~1;?xe~NI6RBSO@)v$k2E5*-r%+W$94p;dTeHz#P{f(+6NYn39)?yfOJE2pQTF zPkLxVLfPw)CPRcY1(L_PbQc*zVx)gG$FRFJ)?ShHi2W040M&8g# zJfr!Syq;*^!;(d(AIm4S=j7!fYj`~D0Q5#jK3a52{t?kgy$tZ^JUs%y8SRM&J0&5? zX%(W{ele9XQFfO>40VRlWUkRP;&`r8YnxGdfa!t~Fxt5qFd$}-om=J-2&G<~Q9 zl!Rt^r~6;UH8_;!dVlcD!mX!km=-Boq;*2RX)2CLRml*Q6ha*kY*6?J(!CH3M8D2% zB;I0jLep_YVR>f=^Wo-h!ZN189^o5|^iipL`E$fX@pG)L0(VJ<1+c&wxMc#zC+cU~ zrVD1g&(f`6fl_+RJU&75A#-S2!3VBsgb%-5!?W8z+&7Q*-m`)!=fbayxz^bBO<=^? zyzQf($&|{c0^|EI{uAvORqf0TZ;~3AkQYn+L8D6D7xs$z9s$;F*(>=erOwIOZZU z&h&ueC$8gbONjIWsA`xV;=d-Ps027T*8oFrYm~eRyBhnf&MDrB5?GjuB-R5MmK1Q$^e`kU2M{pIQ^7~x^ znzhL_5b1SziyRvwOu(^XcS3;VTTe>F4_mKE6Y%GW;`a781-ock+D6pEONEm`OVM4f zW_yRSIUN7+tj}@Z3h2ABT#H_|lzTmE&bv3Tti&g|7WrY?MyM0xo*{ z3C}C~7=9Ffg;e4D3r_2M>?<-cxSwtZ<9`N6;GMdL2gOa#{pp*a5WV5 z0jhL%jf(wOw0@@qat(8Ejp4WOihE)0?QJW2EkyX?%0bOj@G>{RS9AGAFm3fBb6}z> zx_`qVc@Cl<^699>G#`iOKZVGWQV0K|m|awjv&f9vS2Yi+Ah6rF8!dgo`57*@QBW=@ zPk@Nu6W~nH_Fx~DJkfQ)`tlov&$@#pC3Ve4d zXiYRsl6#?(HKxI$iBE?RKM2Oy{2F};w-PrnJi(4COxVfKBi0Thb&@aTGUSRwysOrb zH?KQb6e>I#G7rbVGU6IPTU6K&U|YpZWFN;27GR2`2LVt%f=>tjG%^1pB;SjKY*N@- zs`)5l*C^tK4KO|g=zP}_1V~3NJLfEJQA#I^KR0_K);PHL3ifVTEWM-DjaPerqiP7; z6^elhvbr04G_qP|?84NF45a@O&!dC6$Mt>aU^x^Ynk!V=&KHzj=4|mGeW}l;)0Zw_ z7ts8d3E7PM^N&_7LbwPZ>Ci!JTKyQG7L4!Gf^Zv^ryyFaPa`LBL|Gal@dXFC!8ny{ za`teKMV`IRBGL~#=o#A(X^_D=j|^ZRR+-q6E2!Z<;CHfoinGZ&E+Tb>QkrEb3f=Ic z@m=jjNb2JXNf#Z;=0sFvKN$-*}VNb{II8|2Hq`x zNu>_QN&PTRPQBX=(neLXQ9)1W(>KVT3&6`Ej1~8D>j;zoGcqj$omcELfwRQ%`YY1?;r@fBY#hefxpmf;8Pf-PuV-_GjPdVWQ|oXO44D|h4D)_QsMh#e zr1Wu^$%Mz4b}-@WN|k0<546G|sB|Wc;ok;b90voa!8k^vLGjjB&E;jhfmX{A5P{|9 z6BwT{N5%MHaW@MUYu?GW+BKx+;txcG<|Y0D%eE4H9;R#txN7A|3Ni@B(>8A}oM7pp z{Y=9=7}%{n%jSf6DuA+&+W9E5TKlbvgyk;=4qS3xTWll`Y9k}@f(YqZSj+*->&a*? z9ML|sCbVZ^VNY_t?m^SIyT8X|oC8F09u}|h7xDL& zANWX9rsjmr`gkar)zG`(F%G!$_;5{DsPibkPIBz;u?IuJpw)+u$1C*lu0e>rYW+He zKENNOIpX~|OPY%rCyvD#x=ngh|AL)*k%Z-~$2ik8m|dVEPO%j?nuai+TZ(G$rZP88 zszb~*>5^WIraAnZuvDu>DS4-1ZD0H7h7_`#9>>>}(g^co@uu0j?DVB7h9&=!)wztO z;R&V}7hW`^VKxxIhLd|>E!CUTyLuyLf`2QqN*#z9ZvHH{ZKfrTd67a3+*3TkAz>Is*7XD zNOA_uVXME zhB9&DGW@maCFvXF`9NNR^~I=K_!5Tb!Kr7tEygWs+g_TWlxA*uKN=q{%{Sj0D(wat zdNuB07|-*Zu-7n)0W&m92U|kj#mEN~RF8+c`XWOK>w?K;FP;5orU-ro)Nu_9g4#X}u*XTW(SHlcOUB^F* zj(1d5@7t`^r`7FXkB7meG!xfVi>FKi{a4<8L`3II*RM!3HiP?^+(jmE`AUh|HP872 z9(c0WfNf(X)|&q2c^hUA8@|^*7q1rQ7#49bciG9pL-&yPQN#M3l5!f~Q61lxUq-?6-a|0bV7_Cd521Sf<{@*?llzvEtq@$+<|n8?eN zt)JYvY%^AnlZp|$uA=s`Z~9P)U%7IHY>tK8^G9~Mx3<9+tCmv zzk%f!bJ-c8#oe?^qe(w)cSf@=MJ$tA5!p=>NKe?_lHKrvRT0Q94^vr+QM7q7OF8?H z&1YPrF?7q+YJ-v0zQuB^DT-s5d14MWyO%Py?0vIHg+;l2Gvh%e?CVVa^>EV5xWJ>m zM`c`)y}7{>hsLlMvq^+B7ct+Xa`vbvU?Sb2lm_ft`SV75df((0m&4VnSN22je_ZVQHMZAqn5~^_zxi98tQj5Kb zhUc9`x&`VISV`yLzX=s&Nu?ybET$C`tY)>;`k_?55vZ!3N8mE#XP*7tP#&J=LaCqZ zkdZwRZ?cJeEm;g8m-wnDkvN_EV%EnbIuBxaUNZTC2*v4gxlm0yBJ0aj`FfM!Du#a4 z=WZs%aUUu;!iv-`;?+X5JUs#@8;*tviT-DVb&!eF?xi>Qdg!jgdQA=GZ6$t0a)f~e zJ#cy;7XxUFXJg0rbO(*nkG9~Vudd|~*)l^KKcFlXwYCC)hb)kXBjIaU-pl%>^bGi8 z?b#%wVI~aSgK-u=ShxzbI9xQJ%vYGAO7~loV2Gm`9pNMeINrI>u%4{0g8jSRu@||T zP!9Fn+fYLoXwvt?%*B5sijEVkGY)SeEWZgqq?EQgY%)NU?U^_!8qs?+ z#c8_9fSi+Fo3XkjA8rEQYTl4&CfWgkpJQ?F{3Xgf3sR1sU|Juv z>^W1cIclIlAX7Ca4IGwMt8~5r2wyj?*H0r0LBrYNXRi;`K@^yiVVD+% zZENAw+QllU4l5r)hwr=2#Gj5Ph0Q&{Sr)-$SI5HoIt}*T?61_G zFjjuXG~xtJUyh`K6_NSaH34~^HhoIsOA0Yg=RT!}E*^(X&0(6!X{vuk(jG7Py0(eQ z%DWV1vlr(cIA?lG2&V(~T=McQMby=>hH-J>)Wxx&e)Br*&4)ADe8lH-!7VwE4__1l z2J%Yoccuug$rkpxd5 zHttDaVS5*Y+bEMW@eW(5=E(?b=Qwhf+PO&jxJEQWS0N4C_u(D7?=(3HcqG}x6##c* zBz7sKHw{NLY(s?67opk8;KkZ}mR+PKqOmem;|(v2Mr@CGKH5>uz#8Bi*0{^hTa0e4 zrXdVRvmdfJ#rS&!!+CD-BA5sCf6ZE}`d-4;6p7^kQ71>?VP@EKWvIirG{uYY3LFSPK@tL>k^u4~0er0qHzUGsT@g6ZNn6%bJKo>ed20|j zABb9-(%kj5;2~fo>%8{Pr*wY4{i*=`CHShqEuGH`K04vn-H+eJ43<9)o+`Qn9BZ0`V0Dz)1_M!8JuCJYb z?^|bY;zYUvj&44y>+8+4P<~yh2_EUpN!Ov^+W-QRFs-h-vFXlAyZNrbxz77K9qYjg z4c>J}#X$9UUK408!5i-=ufJ>oa7Qq?oei|J&jq_lXV1Cg+pmPbJMhz7W<)TcttJOYz$H=wGZct8esi<~*NWIX$WaR-ub^b- z!K=V)w2r)m$8xQ(IV&&8Mc7c5i;$ifLq9LZxxED6^U*u7zgP<&aIRzfZhZ@ zKA+0HCXTI7Mh%T*q0kYeQhS-kF7qN>XWC6)6yHWs%sz2PkwP63}i}@tf-*HJrlg*cms2Rn(-3$Vrcb=07BzJ!-cYP>MwO&2r-{g z0lG#ABW%kB+@tLk60>R+21vxB_}0;e;k5QG!DCpUqA}hT+##q3CYSx08V*qW?y8Yo z4z6zhHx?Z;5qK@Jj_(b4h66Yo#VoA?Nw93ntg!XQalD&r0j3}tF7#+WiaYXNQP!50 zj6(ccOPR+g^2{hm5tCi<5a#Zty~>7Q{G)A%xQl-u9xoc=R9Lhx1!+hed-5s&U9Bbf zDI8-j1i#oox(W#9TzeG$9K#Jt>V?H4+mHCk=OzP999$&Tm$D@QAIR5zFhVIkSq19r-CO9I}4 zZG0>~S^NmklQei<={Hm;H7DJoi}Y7vwjok)HGt+*v1E+W`-M#>EYF7# z`z!E0TcD^lN=MA)lie z8d^O|2%ycW7StDOzs-9PK^#J^v@MLTkUmCKQ<#jH<+kp%f%2j?IeOXybbA-sT9LFE zk&msvhLH$>bmgpY8NyL=(N6_@sf(D8b`yF7l34>e{|DXJpk@Eb@%asIwuuAFR>#Nt3(@7AxWS)vSgB zBF(13GfVZv?9Rr8QQi2R&cS}sn4x0*+Gp@x|PjxF4YaiZ;%_!V$W2~A)}0=MzevYL(HQEKm{cU_x& zw2p%rMwov!8*5it@HSt*Vvj-o5<#(X^D#(!p!R-vtUZkDD;xw6d$RXu5Z&!7NJ3$I zFY#`VI_F=SB6e9eVkc298{Y?wqd?hl2@lp-)mXczhhvn|-bBpC4^*-kt%PZQboIs7 zUF_4mp*!WGuGW>_3&e-|;;hKQEn#gB0}2!A?= z8Xwb+#=@gE&SQ`RXdO3ImQ+ZGNOO^TqF>?!q#j5>{bPF?Hi^esb`HdElhh!AjaLH3 zI|_PtPm9SHAS7q#c27?W#p-Tc!!cgZRcdroU`82M_bH0htXF8}s*(z2)q`x$*p6A> zYTMTbvF*8HYI>GcSpNsB=O^QiDRI2H{yuBQ;J>6idHw_2E;S92NL^ytRv4sn%JS-~ z2^5F%bHx1t0BFiXyh&7ZAPkYtD9iU#u)h-$KSioEje#c`eIcQx+Q~G?=AktG2x47c zkQKFsyVa>FC}|b)DzvGIzPRxsxS{?=wTDtn|l6 z4AX>09^#*jKCMdI-jgRC@$sz2yk-mMDOwzFex$+?Wj1XD4)R>s@2mPu;XKW&aG!#Y zaW`H~@{*F}>UMrO)0@0qz$QK(XA)DHja^1MSkuVwhOy*d+%-j(mx#rY`p*Nn1ci?A zlxq?c+vnE4t>tkU5!|b>MYlvd!95m-^5bxXVHdNUj>l})MR6tvNsVajK=E(@69(v^ z<|U2?P_iS;q6e8Y9U=ufOb<#O{OpN{9>ndr+f=oK&5TtTUN-08&Iv1-T4NkB-im;v z4P(@9!h38H*oN1UqfAFz1dM$H#@|SPBEiX(_|=~+iNas&o}F4l9o&8r7t5@!579bo zn{Y=%DIV!|;pE~UumA#T=7kDja6zBE<(^6plm{^NFe0vZlPYE6UVl8zcA>RY?U8!7 z!g>MQ`Hjp2cR9@WcbPioD<-1eDbx!c>FeA;;tl~{B^h{Om9|2_Fn1?mIJT@E;6T!5 zTU1~obfX+l#v$ORT7mRPw;&VY`UH5ZbOSgKDZ5MO;^4(guo^rU^$i8C23IB%&(m%D z3$k~`KjlZO)JWr^oi&DB9Bq@*ZsRbMn$ecN^kEFvTONn)7NZeakp8jVvhHH^iHA`E z)pfI6MmiO^r+0BT?R(5&{(YF%C*np(ZW|IOBUJ!#O$OXUeJnm+1H5*w0y$*DipI{w zt!`eP{;_E^pnB#p=b5>pSpi6-P}2cAy*P^*9~UUi!8DoLfRwQpW7m897*0rLCNWiv zkg`>`OEXqcdo%#zduGibf7c$L)raY<>v}f1papOy?Y+y`_TusI#-Z9V+CiCDuUD8l6z?;wOxWyFa#Ko_RODQ%}!THeZzW7+Zz^`6qi2{dx zbtZI(qX zDDr9royz*HtrtL~i+4BdKTc$X~$KybC>KQPDnVte%X4NoFF7-XZ5F93T%|T5R8f0ZKK*au+#^n-1dH z`Zy!~nZzulc0EAn2_Lr2SRG{gQ zmldqdIP(EZGB3tjn_-f2wDa?X;_1XFK5A1EYT0`OLG zvx0>2Uc)$M1@p*uGif*?)ILV8y5Vm*$CrIm_M+w>a{ynI@>FTx;%@cr@h>oyDXogK zn>2X4r27`8H6zH0k`cgENmO`=)RrOLrL~OuIE$BQ&(;0uJO=n;=#cCn&oVF_S$Kyu z9;JMbJ8Cwma1Zrl4tKNwDWuwR3@z@`>Zqylb!{mg1f{xTwQbcUZ5yt#bI%oeYtuB( z`*UjA7)3&}Y|TI6_B1gq+F%jL6?EYr0cZ0#ms2`;=|ae~Y>Hiki7_qkF-Q z*E10$5qXRie%u^Z_z8Na{v!p9pLo8tlGiW>W*FVl8~8KbT&AsBqPn@bEjrAm^OM_V^a#BGdSOo?+U46@9s16xv{28WZA9$9;89(gz>YZ&q4>yScsT30w;w zPnx0*Fxib$&3gi9J9CF1Ezo8PucN53?E{%+X1>r}zk?-JsVbQ*)cOUbr@E37ZNEm3 z^g9wtn9*4agjlG8bdiYW#~Hc?$R4Nl5c>*jJN}@1v@pbWob9N8OdJP%g%J%0=vi2N z4NKW(=!p&1_lcqS04cOtiI}tzu}1nG++_vZPV_elmxXk|2fx8~n)qp8dI+}mB(wMp ze6}#v){*O~F!)%OVDXp|Yp0~5qE%#NfQfcuE^$#C^$az>W_i|zs2zLTKpvZGqYz(;>eC9G zVA;tTLEH2-LfTI3Mwt!P=avurRR@VX8qnyE$@RQljolf&Z9e!#ZM9~voH6I!f_eox zII+DLBk2vnp_&WQY^5+Bde&(C1?j==#oD5U!kQ7|k#3Q53e%fA-O(erevLCc56KYR z{`zPpbV96p81Z)8f6->tex;8IvhBp#L{CQ3?)-gjfuimS39lGptA`OgX0;bqS#`{C zC~6Z34Z|jE2gqd61STwL2qLBSI!2p^ZTWQ!6B+lQ`3KxZSYTO?nDIg=Hst~kYKR5m zWL6SN?%^=+-OO0b6!9YsaXzrxd;yVU*tq}e#<6fC;(KgM|{oI_!D`1ASZTCF>m(J*#W zkHaJ-)^&nEyIoZI;o)>8x1Q8u+`t&IpjzTbUu!5&Oh=w8W|l3ivE(w_$8+siahUl* z3}98L_$&y=Ql7+OFPM?YL)%~x0=B7B{bk$Rx6;P*2<3)UTdr)-MD>$w1j&Qpo`Y@<4goEg3!xt2+uqNg*?NM*1{uh7!N_D zx|w(st%Lx~C|ZFFz@2kZKCaYha3_#!jZZxB(f^fBgutN%GT~nY@%MxNgNg$3KB28) z)xQ&){}EOFYl9_({ddCduXrbfu^y9OevtpeNZ~gZ$-|E$dGPS#SP`+|xGW&%-fKvt_HXu3Esj{(U)Ia8W@veuF>TBq64@uZadG6k^Hk}|)J2k?DR0$?^QLY6 zy;bJ-c3-LLxa+uTNvFM+GnYhtcyGlL%i*V2mb5$iFInH{jc@BOM1K-I@`Ckj#HI_< zg_y4|blKJ;XlcyV{sWfUJ|Eu2KkDX~y=>PzGk<1dn-+E9;ySDvc`5F@&6_Sc9`F15 zQn#laf&#ld>(nJM`j=}XKTCM=&88)ZzdybDX6Jnu?tccTn25`9mVo5`PG9YU{z-mi zyOllJxCJMBDxWL8$wBUc-jueB0ZE~m@QK?xV%j%usa@H%b0HgMt5!JlX;xL*+p9)h zN!z+Xem*i~^F9)3-nluT&xL*8WU4zi1h4GdrE%cZWc!^316+wd(Rl$v%F?Dq}a%BM<+6-Z4?(IE9cIbIFnS9EyaOl)ISIz}ZyIwG;w`Ramc2Egq-68w`R;&*LBmS_UqM-TIapT|l zFxmQDhV??`@PngL(;h9AzZ2AN+vf}NzS}(@ebNu!Px4=Xa-_|$+0Q&1E4s~Md)=P> z_5$a-voo(no(}r8$v0*4ndstnA&<7r7?L^Y-os1Xram~6|N5&RXSAL3ujg&vnfoUW zNtzc&V#CWA&CKv}Vp%mf!|#JV_xc9dzq>bInR>8%K~VW+b!u?-n5K#l^Qzj)btSt! zy0GcrH7yLU>~R0J_SvWh3SK^V98=jL-tC2g!zNBBbGGXX}Z5;afc-J8`hTN zYd}wG#JM-VY8>32v)^4ba@p2-n@5IZKJHMdjQ_RuvWMLAQM=|B-K=|SRKmlvZw+u)IDLm#3U#YSh_W+p+n2|=t4FV2tX=yw z#yLz#yH=4ldHNi$adNjOTQcd{ZKm__!)FmGm#?{B_Gdwq{iZr#BX6)_n3sT=IY!=i|N_kbLju`qG!D-g-FT z`}a3JT)%GL%5@VzOgXvLI%j=R)w^@QUsIvZLYi%p%YE(J%8lg*cl}2mT~SnAFm)P$ zbpFnySAHN zh*R!>55ZJr4@WGAcqUSro}9dS2l2&99>g92`>chED_`u-XCWunGeIkSp%xM|IE5kn zc-G6dK`b_4Ic5@XLs|>cWOC9gruC#dT2BPOlaaCN$bYt>uV>=a83j}RZovzTdYg~& zqmQ5g?;nDrpaK8y8~9%vX)>SO7vS}+6il&lSt|vTPb&qJ9QdjjcwtsSahNaMeCt1G zsCmBpBKdzbREXl=J3|zIAB2z^NSOY=TVd}!pTYk$ppUMHeu6yhz=SVXz?+Dhl*rHS zBdY#`KRFOZBChyGq3>_*@TS4Mc1Y{R) zZQc*WRprDS9NGYf8?Xv}N%G_?oTQXS%hN71A&S)U@kFOcU6D)(@})^~vV!!H4@sgb zK2M(FOG5dG;83St$$0Q2c}g8~LB3)*Gf5tBi@Ac%G2;V#SM>OjA@WoeOBBAwQLGB~ z6C$_w!`&5X!&s)fT;AK-34O^DxqLB8$Z%aoNFUkaeK`CklN;k(nAZAXf9s9iSYcfC zN$W%WFDf#3a>3-kAK@Dc^>>W%jbrc#-#-e+{6949|N3a>$@sT{Gb;SAhdU3-cNi>J z_F&-Y2E&sLfma7sA%EH()EN=0L}9SO3@-(|BH$GcFFm}B@RC?XM5i8qKi}vc&}>*a#oohmm-8!F^iD-5L}UB!)W+_5m|tzDBz5^w|t%sPmv=%9DUU*p;{t;77(Uw!2Nf4l#$ zo#gfd!aw%P{!K0ReJk4-)XbqS z+R(rG#uESG8{>PR7_H$S&M_lMRUjK1fq5u*L3Ri?{1^8a?*X||9TFA-{g|)-#b*B{ zR{=`1psMuWdKIZ5pdd!8+0Kc%!0!je(5R5~l|BMuN$XtTGrRj2M;U(?KK`Xy0qjl* zXa5qd&B9O><{fIVcBR0M5C04(GXvXeZ>QM1Fyh-bZgo3pv zAi@hpGOOT8(d)Wco0b@hXCrIYjFcO?j=H|uc~BGra*@#>jOq&vMsyvNyn&=t9B%{Z zV_Q)ZF67@fq%kq{9Sew`gi{`h#fv28LKJR!1b-0H_1CIV7hRY$&=!*UCAOaZU>Dr?z`;0Nz@`#Z}~(2*ifPwmHOioFZ*T5xNURyr=PpA7TF)Pkj} zepIJL)=$U$*iopyoQc%`ps47fdaPL7oeZeYWIFNFp;WGZmtBt>pQHK@Nn6W1ty($t z8&e^3mUmrOznP8Xh7qYNNu5h9ZG888|KTWGf*{9O_ofGuhz)<-S*S0Dng~O@+C?Bn zt(r#auj)QbctJY2w;#IZ?99vrtM;Yw7e7AAm`twA@W-QvA;HQIW31YP%(=RYrkAKo zR>LU_gc6fApZf7$6wOC%|3VY!2ec)hn4nxSJr5O`R4GI|CTp$1p0ZY`%Y9m=*Efn*C$zl!KxgP^^uYa0wmUx06@jw?U_st?Rz z)CoeRs~((%wC$?wFW_Jxf4hWf<{dTaD&&!7%>_Ru4`VS!oe#14X02se$scO*1whY%rscJ;z`E6#<2C4*@ovO_&8RO#=-{P~)_72B*&6Whultcmh+hC&Dv zb>(wYx;GrkC=~8li=Z0Uy0-4~tivE5EO}a$!Wss$ zOG&>Y>zkJI|A1EXll_t1vdQOV9}w_94A(fLYBaJ&6*%a}QY3c#%p}bT=6k9dINB35 z+CjBV_>wCoQ9W&;OP^QUnisOy^`Q#OA0V-t3fTtCCh#3VX*5Aa{R_ULw_pq_>Aw0& z!Z2jBy-7+e?<2O!)p{W5B7|4HkJ3S&a%&)H0J?wIRJ1Cs4U<6h`1^`j`h8Ltl)nP0 z<5d$zWdL))^l^wzPkB<);%@#&r7Pu9O}%cP<28_XK6MAWa6Y1iPK~^qpE}l`>ldK8 zCD{8DF5aJNjY)0AM3&4gE5Z@n7*79!S^`4Kim48a3B5!T%4TZAq+>oJppkO)l2Sd7 ztsbBmtR`)Rd1`ea83j|<3^@W?^O|VUuO&&UT?%TkjW!)i zwV;9mY$4y}1>1+Cl1VUoy5!P4?0!QvpJWa~21b=1XzC8p;4&rCe#9drd~bV7tf`;L z_@9Irrl4#IuF>@u?6eucdY8<-{P~;CPvG{7^Wl0LK@pNqYV?D*k@@+^nv^afp-Xn5 zEEV|R^718=JJBbNGihAZA)|Z>F3&(a=3+1no(G!3U|sj(wT=fqFg3|a*U5m@v?$hcOb&g` z73Y&3i}L&9${Zx*9>~Mxx#<2_92WrUg@5`OyZh;8>I>UK&{vH$VzAa4Y4nBweNaKF zK9*Pp`f*1!nmcOJ+tS~!#LSIQ^F1ts{Dk)QH<38Z4`69~)H4M8qSg;UVNhj$)1NHm zMsc1GdA$161l0!Ux|J`LaQ zZ)}p#ox9=>SQQdcY+=VVp30k}ULD|AD$pF5v!nH2arSP=-9--zl9~9PeHsSCdM4+k zxhlABD)*C0hwumKAEOVJAzICRg$I&qTe;H#h4KW?+K6ZtH=Nyno!Ob)jBeE<`kE)gnI5+ zLXq^!$MdFT+tUlIhy(Q}g5h%HKD^L*?HphxHgTYG?n@U!q<<9AT{ zWi(Kgo8^n5lr;0^%#>-K0enZHG}D4C(;-kR#Hn}#Z&Qg%vIf{ov`*@;y6nf5DEPkC zY`ELx1N{*llJzz}#NHL|zQqF)+`6ggyE||EH|-y{&@2uxd%_O2xwwS8$|kNKJdhK7bhYkNnd6qf`09I=-X5Khh<6W(cOHuccG6 zJ4mhdzc`!BzrIJB4->6P2WSDeQH7L^iGoAeVj2aeEe&b*23Lol`qGnzufYT<1Z#|e z;5&hY`i0_r&;?F_QtfB(X|kyTV3}{5g$rY=fJ>+a)<$z_mF_h9%~9+tRR?*#tZ%em z40g`EIHdjYh+EVEctw!8U?KE* zScjhhrOgKWSmgPHy6rWn;Lu;FtQ!J2^SVe+g|#Dnqp=r~q$!w>w1&}0hmQ{wxb{PH zRx+18jeHcoZZ%>Y(7{=DVAnja8Ut2-3J(C%L)8gAtcx#$Bv7Bgq#=i4?Hw=DSRR@@oSusknEK78f6Y+?qRVkR}*XQ zB(w%JNP7Yt785Sljcn#y%b@$6_aIApg#GO{D8@bm$8|Q3&~Y;ZpZ}cpJy~EGs%V@| zH1=6K^A)zF?UBzCzIG-T+`?s6VyLYgfwJ0w zRxhM=Uh}2`4ej(-n8X8DZ$b=I|7Q0>$dnL+rfLd1umi03=qll){XQ-_soE51>uZsXp zF_@gP}Jht5QF<$W_iNX|ET~2}94-=+?Tu_raFm;MtJZQCvp4`9eS<7oPhZgC)}(SHopbjO)ct z&YG66%HZI}D{P5H$#9Z5O9Wm$)RKkyoRSpc5J2tvBS&kcHS8Mz*fD-)X^Ic&=4fqu zB3v2R`m4JzID5Se#ccc+eA@BXrp|j#AoG^Ul8){k(luH3Xr_5395^?pSW5LtdqQ(F zpUU`=sgrb>yJbM5Q+5(YRq?xz=E8`0JO3i0Up!dGJ>-h+m$;xWwW?7T_J>vJ>gKO0 zUZ06}-n1rEok!aF)Sqh#Knt^9@#dcb)Hj1jHP`IN%?L2h_XkhGE`@L%RKPN-KOd}i zu%wUv0;djkT89v=_zB1L=JYEBSaM1IHN-4taoEf)-iy%-YrbJ|wT zH#{!TPiLhSt&MaK+TG2nMzVN@E=aregJh)6;WGzvj!y+ks(3K)AOm=-oQ^7Juj$K>wh#5Miz?bnvU9hf1p3J#$f^bqIqO(}wKjVQ@2S;l#S#8&3dyvNKGezlypt*$h+-r$ zQ$f0W7K0M+TQbl0`Wya>za(8eEA(9g?O!3y0VO=2PK`^AONsewwRySHT>~94UWh?4 zE_Gx?^jj>PLkw zz32eU#x_d^=52}716{c|JqjLL+(26gV8nmjNBvN5ozf}_n*qU#3?WF$K-R}Vg_v26 z$2Oq#Z(?gf#g|#1=f%<`x$Cfgu@dN8(!8LwY-{IzNU`Ze99OEt{BGAHxzMZB(y9`h z@nPwCSwc5(W#kH5sy#r~l7{Ih!;YpZeoSH(ZW)WTV`(waI<40n>*4;v-qeok=r2Au zq7jzG5oy;&K6#Z0(K!>zTIf!I2)PEL!<8{0AF10K$H96w zr;+KqRz6 z@Y^y9Rb0#(heo7)L)~08N1jLp*m_L0O2OUtw@%I(0-eXSRRI*v$bd4@bpf2KJvWdw zrFJDs$et0QKS&i&wy1tTT6`3!pRH_2<)Q=aOI4ES+t8HS9%&{86)xgD9K4lQ`!<|w zwU506^@U%cRgp!Jo{(DLe#x;n2gW|T@PN+W3!o%2@#ONrM*qUXMsb~@kM~@Dp%`|uaV5$tKeyz1~W0oB-3=362~G&83o?RvqFGK z>!RhemFk%)O>jr?tx$HjWr(l+g^&6hKkIVQ8F2G)`tktrW#AMWgx`hqBO`?*S0vKR zA%bJd0<=B}xjG=20aX2|AL(3sDQP?

+*qS0{*3P4p+D$a>P_j*xt61T^~FFzZTMwkY0c3oy=z zBnvGD8Jp1>xaf#t^5ir}=$=V^Z0m&?^zhmw#I6#?BsQVAk28S>W|H8PcE|vkNPYz0 zrgRh{k};Z^&-t%?fo5$%>Qpj5*Cjgifj?W-BgfDC`40|5SjH6RahTSVKFt_8j7Y|MO)(W zjY?#zJ3S7!6d`R9wEBk3LR@)HQSc{xfqw*%$f&X4Dub7W;djg1DF1ELqLO8)2yQun zwwyq=f=ezLeAtPu>_p}YQ=*f}_sXP4%#?auH<6nksFD0{_J-?zn!A-L9tF?*R1#Me z$mVF;0HWtvE}G-coQ>?u{M3D8*@bAtMK`Q^7NISR(Dcq2#a#Rtbn90^H!d|I=m?UW zt4hMnow%tAWHmPgbDj?RkAk^*HdT>PGe45d6DJ4bj*jwJZl{vlO1Xj#+@MGc-=A9= zs0~YdK{7=J&vtd!Llh0rsj)yfv_gGRr5sKWlFfqks5;zw%q1~_V_00 z<$7Tvy@UwMIK=JXgx+Xk=Dt+bUQRHWYl1Bkk$zGznWQ!1?~NmZb(1(0h}}^-`en1q z_yQPA1F2a!!HiTLQJFa70#^NtO7m+F9wuC67ecGpLA>4VRPPAUGzZ}>hIyu!bOU#g z(183D2p5W*LdjGVR})g{KxHACG&8M=>qyHEEJgg=#^2jrS&QgbhFWn{FjJRVgr9&) z#7@2_wNn1kK&<_U`s;o{sK#cjQkTZdy^K~${5;C})Oo_*9spcuMBO9PT<=(|QGX@G zvfIZyglp;m0L`A>9Otiz2itlxaac(&%W$*TjrII2$n1#6Lkthhycu9>UKbO=rwZ4q zeZ@%yKt~TnjH~;@X)TkG)K@Ny#x1(x4xTfYnpLBC$7&qcmW*`oh2WVcEzrEVhbmEz zd*~Jlad=0~8sq#>X^mXF{rXx%|5NJ(kx8FbiQFd|e&fBi5_%4%LZ~V2rXNP|WnD|w zAW%ryklzi_RCVvbr8{wIy1I3F)fy`>C1}os;34VvT9;Qt5FM>+gRW_&6q-{_;vXUz z;@Kk335T*L&$m<~u81TtW$me^{wUFC4z#td=Qec)*Q|;+*XZoUZOwzJ)H_UbGLQ6z z;di&}zOjnh52La$@uD)-*|zDu1SLCx?lZ0>%n14&6evoUk#>=|B80lc4MTG#G;U!p z>udd_TgZCy+#3-6wCqN}#LD#_LNcVoNa~5`=~lse7|xb6XlbyqMA7^mRE$O;Z8Con z8XML`bctCXP>@I0Bwj(4nJ8h3y9|!M?wW?R3+&t2$}+4ys=jK^j;Hxx9#9$IlsY!-qcExE@^@igatiU>JR@{b@f- zm`?(?XBQSO;K?w@Pe%2607|9@)LXcct!qeM_77$%Mm zAQ83qc_)Nb7KD??+Mj^z&&5dxSn()fa?NIcOK(;@LlPrU(pXe`5RavTwm&|rA5XYj zr1muKl$eEBll4W;Ce?jKZC`B17kG$JxNK-=+d~byxvC?Ocg5XQ!xZXhGh9?x%Pizd zLDtXItU@zJ!Ssj7+dhuDqp}k+(76j*h=V7VjN(d1AUffkTQf_+OfW*-Cnh;9uOa*z zozj$w9NAR?MmMoG+wKDuu5LIt&rjXQ4^36|^;7?<=Of)GAdzH3Qn4So;XcboIRxrH z$BM!`>FLPb$acyXlu4h-ge>CV&srK~pipuFC5Y~gFSn$;sq4tbYL}+RqMS1*<~hk6 zh^)uVy|iiZn#D?XqHzriR(4FQKvM5HcH{j_Rb+taw(fD>WA10u`gMr=!B6!fSV!Qd zs}p^EKXN1bk?K7~Q5R;YcAqp7?6Aq_+tx_A;d60se`dOUTx)b}JkpM*GgQ4ed5^AY zvzwWb-(LoHv;t*UAiCT+4ZYM1kJjC;*sFIr)Er03y%M8Oig0*M++7af;gC7wZ!yL(PKtzLK+We1j!VDQ*YA=%H%> z`h5rB!oqxDtb})93-a!4vU?EqR;)|)+5A1Ry%EgGEk9+E<_(9aU+ zt7-5PvqNYVr{KWQK10-fN`~KH{{UK7OC~GbhP0abM1VN6GiingyeRiGlqq65l&L{I zEMJqc!7{y!{pe5VUMWti-{>)jYh$o90S#njDAtZibFgvzhb__A6b(8n&7~zJHE>_wfs~TR2 zX%tMBzO)nc-(xvP%wG_5n8m!2R=8+Rk&C7p8~WKHmXCs~J0|8Jaea_vYE%1&3X6M@ z$xTlEY%_!?nqpgTbZg>GyYv$h_UYB_APKVtsZUi*Kuaq6C<=2Rh?P{4nQeI!y1Q1onAn z5pB<$Q`ZJSg|FrfCz)wn5@>)-({tVyjJ-)gSUgC^c1HG@NPm&=6895VM~5Tz3s$pHVNdX}1{olhbreL`3fibcBk)CBm{7-m3hvGrWcil2 zJi(ajbXaprP6py8^XYcpB|w=lG3ib)d8^{{ zqLZZKp+6v`X^>uwd-R^LNysHX!BZa!bjneG8c#*)el9-XT#@<%GOR5|YX%~BCW_HS z`UA+~02HGo4lut*P#1bW=eGG8SsjfV4=u8NP4J0D$XF1B2iv}*_(XqXHK>z_<}Ecl z1W2A;J~Gz@Ob6uKfpA~rHwqWJY+#R`e1_=4?5$XlHziE%jx~SoZ{IGK4N07wM3$Fj zfa@QF%F^`iFmYKTv1zLP3Cpdq5IWxEOp?`_ zy8umWhioA=gHmrNN`GRq+cM90&3CP_u=vV;=&Wp+rh?MPCTR@Ke1fDxS?K_5?q;+n5^igNespl_o6VFDwWId>4+Eg^ z)zMqy5S99Oi6atO-jdrdx3)w=Pa1W84o>jXkM}oC70)`18eV)*NyA-}0DNGNLgl0U z$Vrlmqv+6CuMj^;+}M`JdPWkLB^&ddD-CUk_XD`|PN(;xi4J5N{pu`wHLA6BZP`aQ zTbG*_n6A*|()B)KR~DB0w5RSX8nAvcZutdg|AJ{{%XReRI-(2K`(bMh%xASO2dcX~ zx*c+D#amiuI5Kor9Bx5AMTkte9}8JR(sR~s-7x%Ey5Wgx+_DY9k9`}U+OFhb%heH%^MU47-BikO zW2{ou5KLzzCJsQ7F<_YZGKhBM6dlrtl%W(mvZ~`@{Af7ZxZ4QwUo>9a5lF{bn1ujL zF`AdMM}ExKA#R^hSO!(URl^atAry6qWBJQ;Q#ptA9sM!^;kto)6fW+j;`fvew;b;L zWIQ6{t%a)PTCORK&Tw-rGf?>qM9Vpk5$QC$4B{xGcwe8EuZe#R?uE|!6R8@Llgw!P zT%5f|n|Mg18|<|~+{-Xyk07%rTzV1ao(eJQIGs2E7HT?sCgP%XAeCUh6v3Hv#e-p8 z!D)2dj&Qm)YcrW9&6Jr7g2av{>(AooAZcI+_4RO?OE1zcmHAjZ8LCP#S(`ZpxpgU< zY{PX?)<9b739U*)&ao=Dj-EEf(^TyzA9RwbUk|4P;`*i!Lj2X5LoGXH(oUKBL`%Ol|x|~RSpcsgCNqB&0t<_PS?*V)g4BkrFQ9IY9Mb}s>3h-4*Ak|y?3qe z!Xl#QILNtGt4boNq#4_hM0gHlRY~_ujy9pB^UW`BUbZe27xgiIsx~h*BAb|`2Xu<1 zr;q(C(o}`49fE+bbg7=~;tE6fyV489jR_Gn+*MP}w`DtdZP7Ydxu(AkvM3i*PlOS@ zg~eiFK2Cft2KH1{7&pWY9CLeYMJV5^Zs+v60EvzuKm=! zsD0E5`loT2L6w)`-kq_A8pU&6j4r>NCFHi{g)C|s6qL56f`?dd)1gA7^)j1jt8|s3 z1daM~h+v~RrGQ%*inCsi8cI_#_hGY-Ur|pQExlo?O}F1o68_+={33ILqHO!AQ3;3m zYPgsux$!7!o*?Sge%gKlkd>SOU!!})cig{-HZQ9?#oy;cc1gILVCIHI!XN4i(u4ij zDT!JcX=_}iFo)^HIqgV$=UfOQa{N!yaE4by{28v2E)h%pX$mj66-2n0O=WlT8~S@bErihI%k%kl7R zCteH2$}P;Os=*MIG{<+@DVo}7it`BzNHODtF7^qy;l6bM{8FX0qoMYX0fi_*&{4!` zM@k<8R;cdlj6baBs11-%Pjdz)uEWkpy~900_G)#sHOB%NF~KM zG&u7Rde9|GEkalB19BF&E8tKx}lgBClU!29k<= z=nm5ui%G_BGcHrp&!mI0Bm1a7Q`fMCZg+!CC1a)c5sj_;&E1GbsLm07>Y=@d_SvK5 zs%v`Sh_Fyc?lq9gvTtI5k~O~S5uzWf2CBG)l>QPoqqPg=|B7geDGtRL%k6dstG7$E zrV0R(gGr6~mc8UE?^5+<0es$VOOcNd!;Mp*lNQZvb@W`fuL;9RRZP37$hvYB$t9)j~yLqLkaap`$ijJHyakzfDqo<9I5#-i2%*mD>^c3w*;HJzgP zbPhCN@fl_m@|at;0Tl(t&%gQnJVbNhKkRlS5J_Qw>c6A20jE#S%=p5vtu7YCZ71M08tLQS{ zIqA1#?;_?k!4;>Y-T3)MHwcKPCyS|BBpkmr;sugk`sfCjm&cF><7tJiC8dyhK}Y@P zp2p_T!a8-6ElY?@5K=ZB&PrE6kQ*(y{1U@gT|H--w~<`qtbj+?H6s;J-~ymp zaK=(&QO3W7K94Ryw8hZ}(d_`*>Vw?eVux9klsXqcDkq@#kE(d#{?Td7nv_@wTb{HA zD0Fqm>lm~)Y8x5mJSa|HYd;q3d;(5>XdCBQ^DioUSL8gS)vBTLV!ZQ+I8Xz#zvhQ9 z=n@@`|Dvc1H-fNyMxgPCpZOc5`GfYrbZqlWT{s6sA@p^s%2BAuPpCZdv-zf~ya>6{ zP|JNp?*p{P=HD^^ZybPKm8kqaf;f`)Fz;^}j%UT7mb-Y?T@3EIOAj?CIO93roI6wo z-_gdHHw0Mr$jVF6Ebs|NsFo>;ZisjD$>D~faK$}?r3}IH7D}IZg7gKvp;*h?`y!Ry zzu{!fbh?P164{8GM^CMyH9J+*;*!h7?*qs(;GA})V`G!J9r3xguEuxTre-3oAwg+R zN3f266kIw)%=E#Hkq@wy6Jr5WLu!D%p131n>xUUp>7qVJsfP`5Wux-9c41PUPOB|CxhhLKM0vp3-H!0=fI0o0Y}p{;dSdLQZcp}@BfIT>7Z0Y zv@gVaki=_wh1R@68LO+mu3KwmVFlU}h|2?U!VsH5I_e8JyP*MUzPDqQ*3^+(?dM&l zJ|0Ly9FJATs$hT+a<^DM!EW~D4*Kc8Y@d3-Pdpx`*{vs2rMW$;cY%GfZeL5Hxv4A- zv6rGIu3;;^$-ZV?3K>D+MB-DW_-90FWe}Oi9W-YSK<=H1>jwhE_Xjl5Sj?(KO0S!i zQ$xoh{okV0dBN&q2|ZY zMc|T;yz-%aE$6Y6h*Lpw zbDaGV2GJ>t!KW2P^J-6qjDC>$DYg`$DJFEc6eXTUuwsFcH03k`&DF%U$Z;P{f#A1M z<_*#BjLs4M*}b)OH+-k%U#R?FsHGIaaGEj#sV69rt)`3RLk8nC&eBzG`y4Pg6|Jc^ zrY)Uc3A`yor9ipDly}{HN3j1IX6LOMPnfp7@tqLO<{Yw_3vA1oHJIm~gn)a;L0Lg;P8$$6yU^AK-0P*wGUBKFJ zOIQ8m&-GV9>4$b0P(@->m=upnK559)yeHr;`IljWPVJ3S6sf?y5Bbrts-vogGq|1^ z3k)fL?K;r9)fB4P6UL0qZrd7Sorbj2=v=Oy3bk0iFh~oBgK3qAsrqQMkoz4b%J@8z zyju+9LEOqP)gds@?q}R?qnVGu9r-->bs*h?5SRO=^DX0jt<)R2FF}Y@JvWjpbDq)N zWAyk3b&oJ96^U=?;7|*+KyNkf#cULoVu`=5&s1X*_88v}6+557YIBWf^w;S&39-U9 z){}Zu&TR~3th%21;IP~==#Ua%mv{rt5n>J7R3D4vIh`!+{Xguz33yXQ+de*%W+2n% zoc5%hv?uLJo3sf{Xit*^Nt-}JQ%InNR$C}bp@jei3KS?%R#^&^O+isX#T5_*6a^I& zajS}oE2w}AE-0wD!;2!g{hoA3@%8<_>-)aze_emMu7>2CIkTUcXJ+o_zBT%#@Ur3; z@nqWo(EL3rWQ)`6)^WO_y4rV1cRHH}@IbB)O3&P18AK(=be*)yGZE&_DFSTO6-2Iv zo>yMA3!kR-~8!FktXU77zYMlL;z?E8;kevR^u0}V;ch$WTlo^++SR{`j1;H%Z+5+8zR&8lAUMC%-D?#K z8n0H&S>~x#w2yQhzDu0s-^h<+xIbvzJ|SUkq7AQCODm%1I9N7Cej$bAusH~F?Ex{J`T&y2q$ z3EP$&QL&y%eT3K-x@Xyv{^+-qh`A~6{#ajE5xVCX(y!=Yy2B<%ZsG-|U0mY;_vC#aJ=)N2M5C$AR`tEJ!n*=fTSA*{XWIPkAT!9T2O(k#Gua{Vb z6sH?Sg?`FHY`Eh|y7`v3tSkKYj0W5s7HSj+J^<%$ZU=Vn>R~rc@*M>kY$Y8R1i<)t zP5Qk&77M#U@T4%u%Ux-3OO%&aAn_`i^w2z{ukN|v%1p&IhuwQB3oMOT)3E-bZLV=) zw}smfUf}-TEM}E1hD8|}!>%rZ)u#>1*P#5(BybIXUMroG^5?exya9Gb5MM;Uql2kgF|D2Pg+9gyn9PSDm2sME_jlU%GKlBAGFMm=Hi~u&~cWGfE zyFGj$SnM$*x#vx-jlA)!$;IHz<5(ev#HWeAqpeuSED9on-~tuhat` z)Rpz?{knV7@0kVcx#{%fHJvij(`Qbv24(oLXI`E!WqMuH*L3(7zD_ulDa0e20I#qZ zHK1GAX%F0wri6VLn`xtmvmS93DSboJ=LQWZ!3FpGg{ITQW=>XcXmbNfz1eTjkdO^` z^PFB*lhDk`KYZ{GB+i2#0?u$RpzfeRxk5d<8b2yJVl%%?1Dp&G%Pj* zyCY=<${m_3hH?5+#*!1o8^Aw~0z`p<0ZO)`ZsK+^58x!qj$^>A7WRUZ9N;wx$Tl_u zbswgwh(*o^@>F6qROog%Pul@B$lV^uM2~Mpxvw^X==~eu)-L%~EbR){SGU~ssverW z?%p~}$x@6jmZKdj!oZgg)Ojv(#jqS`hpW*8SEC(|A^-OoQ(~GuJj2-i`tjgQI60)y zhcw{X$(ph}e!}|xNGbWCb{KNH?m|w_eE<}VLfz`3g9m#S$KYqt zju4W%DyjHayIZG9=?<0OMDm;eyy}FV8ES8_J%!xvzN%ZM{>F!X$1&z`> z;>^t2Q87*A(+6&#Ab(Pq1N&LGLB$xCk5X;yh1@&Q85wnh(>Zs*z)xr&G&kW~t0OQ@f4N10#u2N6g zh5*4Ub=AEU>D;$23;flFV__w5LrcRN((25^Vx1u+Eka=OPF0=G^DjDe9#q~k(F-~9 zm5zb)S6m9XnL&sRYKjpybJ@102m_g}xA(p8d|KX!T~8N(K}yRpi2g#!rQ0ieA^8J! z@Pz7?7jM7bM>>lZ_q4G0B=6%~!kH~FAy1WK@xsql?40#c8U{A@Mbb@5o~Cvil;is4 zSK-1C%9T2_792M~gRy5@+snIHWw3!!Z@X?-MQ#lP|6 z0%LCTJQSRPq^-qKM7&M1!9WWhUDAuQ;KQ~MJ{C2VOi&<{{IS0z%6yJD@!bxGevZ-@uPk)3ONgjeZ)xCdvKD zB@rcMVTkL2<)>B7Z`^5|hZ71*eOSn~m~#sZ7vt$I%U7uE|B4RIMT5OqnFqc-k+tWc zr`8t(J);j!VB}Fqm~?8qa4NVH%MO)m@$z4gP-$5_EO*Tl5bmDR&RBW@COuZ^J|BT9 zlzs7Khv9n7x32=^UN}}2$MYJe$DmJyL2C-)rdT?cZ2#>Eq&$Iy7vtP8w4X{iog4OE z9Q zKg^jp6b0j%xCnW6&$ez4BZy;%O^}^Y;AS#7ADQ-)?1Hm5SFQa*gZCn(2a+?e@KMKqt|fz8{l zM7v|vz$Cpx!(}_4MjqF-3Q>W8&I3>%AfJrv=#JYF zUF7}*AWBLFu6Rs{D(#L19~`RntDL8z3t(|6{36W#?NPJ@HbkmRg3^h5I28+48UZ#@ zvFO|DvE_PJR$7RZ4ig5zF|n6x(00dUq54##rwto;&6p zZ${1w5x%o(ez^{$Sa+Ud4`o`0Ww<{l_^^=iZWOo=)$Y~V1!2PO3SgwR-eUJ&i!OjJ z;F{0rH>D2x!6;b4Tf{yS??uLeobO%)hVhfXdYYSg~oh`WB+JbQ^=9)o|o9Tnb= z*i%nEjhUzNJYuF$1^3D8jj(kA`FRQun&U|MIO2N~e=;7;g45qsswazmA4j;Y1Xbwn z)~|aQ$N?r5E%qEVPt(cT{IwJUoJyvdQdVN6KovdL07GFCS#2OOSL|aYDqnXuNk=CxB`0b@J9*9fsj? zFmp^*o={~T1Y3VxJfD?d%+mZY0^^O)yhA+S8)IN@xg&teGmzP?QI_G*a(QyrnTY_M zn1Q%-<*~5BaDwL(u)$7>arQJg--l;?2uJ|IXR%U7!t>=fBU8Gaa~N0gBEDlMJoRl? zoY|FqEKh^wI5$RodGIV;8Hw3Y#ij~Baaf$99Kx)K-zBO|YW?YinPFD9(N&@8?HXfa zKn9{&J8DeG8tdTibFd6;RcPjnd^6(JVxbv$EoYmLIQYksnHfB0yuFS57#R*E@iof1 z7+$4iCJpe((WSsk!RuYN34B@tHfzEf8KXc!o43hQlKydtX4?$>dfR$I7GKxJ>xdk79$93w2)J)FT8m3!Im?mv8h@e^GqV;ar zEDgtSS>>_TK;dOYIMBbBrE3lCZVBB?8rViL2>F*=gS4zf+EZ?;1qj}zUpBmD6*RdD zmJ%)1>IpA_+A<8qY0?L2582Le;tGe%Q@rh=+x6XAYp8Xd)x7>{Za7G*eM#1QscGGn z*X^=VH5V%!QOBj+zl*B1DA`RJ?A{z}xOLmAszqcjT&m`Of6UP3^VlKc)~{i+A|=n& zp2lBR^#4Rst*M3^DPbK8ck@<)$d+bmE=aiBw%%x2inc6+!=1hL&ZQkS+>Lur2u+_{ z-6TPG>0{wu+~Fo@%CvR0aNlhes=G8sH!M$6I@WJaTQ36wm)6$IY3U8wZ8y8y+P=Cw zgloG9y`{AxAjbchG+J}ho(t$bt*QK161-eQ|5GKrT-+Tp`F~WUm&?W9mhf^9b;x?# z*NzSPH_!YRiu*S){Wnv;T&#av5zQ}X$2Z~sGWE-4xh?%mx_O7Ux=CiH?R^hVEv@f+ z%NAM7*pk!yE;g6&k{79cQ|;1W#RGBuVY{s*E~f)-!CqR&QKvN@t%c~`QrYd3SJRZ# znz=trT$dYXS_h9mXZdpN*k11D@vk)>9UJqnW9(SX?WMjnCMb1>F{gQU?J(@NR(E(z zZO-y#tDrTCrunb6HfDr%F`*ILpS>j8tr1?XmfG?JqjAe<`{!QVG|>NN_1K!f_UKwu zzogT&2Kz6}6@Qou{yMtLC3v|eZ_Pu~G~e1&|JV;bZ6nd8?brHnv!MjmO^2pz>zwWF z@i%SRmdL*i2Xkk8=W0u&xm}!&wmANSEVt&qDMr{J?wI@b&eR;UtEu%{EA`)I5ZdHF z3U`SS(4kE2Nw-FGNu{?%{@*TaYq{GjyAG|^YTvXs+W&UR|1`vfmpyG`X2<;euUAKh zs%;w){xD?#r{w>g!0sbAKh%L3n1&`#zH<81spDoelcJuzJyO5&WtH`bk9Pwt>gzyx z`OnHQd=B={$`DQf|5+J^cRDV$#r|0tHt#81GVwIcYk#(CEYsH^uJm5|5oakd#Ek_KTPv&>%Ue@xb+QbUm>+FRay$w+*4bFwVGH> z!*Hured%cQ&&u$hm0{CbwPm6E7o$V_2>Ca!SKCN=nLgOs9h=6<%e@ExKJE_oczatIz^1vI9)k7UgMuRQ;A3F?3~hgq*bzAFPC2u~mzA7uI3M3C)@ZtCJ27(~hZ`R90A})Wq{+!q3Nw&eap9%lQZ!iW zbT}PAGz9eKKpM^5T_Gt4VL*kWQQX~%0k`CII^qhy3;&F!<#;335Ylul}or;uXQ&GrZ$ z>Zyb*lb!fxk*Tv?mV<5vLAzP{;a&=;sO1#i0nd2IO>mwM@n;L)%e?_K6c~Ur#ibf& zj>AOoQivVO)ZN)v%up*iRlUMtvvV9F0mq9O8c%j~=8s|=a+gw-T2V@$hx~f7OS8iN zd5S^gCY$K-GGMMzcXQxA_$+x9qGt~OYJJ4N!Io#Y`|I-p&wiCy&xYqYflN44m3jh1lOO~K% zz199LEXnidtMK%tuimR4hRe~WO;Zz^)2F#4PhtHF*t+)vD9Lj80BxE-$MzR#T(%^m zSib>G+w?Lz)KLHuMSNIxC=#@0w4A0V;8UCag~yWcKPcla%=UKd4GEgoKna@GVBsA6 z`6@g=^!p(#y&+;TMrrsOtV)VVP%pz6yhzpX7m=h+Q$hDoC&A}3P!&--ROuuk0$6+r zaA`-Rz@I}s04I^Oh%}TDk)j?1y=oANQ&}JRv}2u-;$UdZ%;rkFKSIAT!us3CP-z?C z11jy$nfr?@U$)ZnSk3^ZX{xjowI*C?ly=TTt)*{m5vZ(1fBO8=8Y+dYo8}t&QKdhpvc7W)YG@gJKn?vlM}Lve%hu4@V-f7z zt3mXrd7QuS6~69u6$pR*TM*AoIfa>;5Ioaiw4XX#l9OOpr3qH-jzxG>6D(ZPH-UDB zgi$s$z6q_;g?Os%PcF-wTkri7-9 z#YfRxT#6}iYG+QUnt}-dOh0d@$v(gFVvDXXMwVOL}tqHIGh zuRI9H%uNYRuL>li^(AkngeH$osS1ssTqUmru9d)H0Ay-wrq<0Uxm7g9gz+NPMYp=a zv+0CNbgK;7Dlwe|ypvGwWbjIGO~Y3N)3M~{ zRu3}WW64}m3^)T!pUaBi zo}9S{8m4**c^ZFb;x*txuyq4@KwU7-n}Y%d)}K^^xN{ut7bB@;(=G1bXKZK7f#D<<9OMMiXP_-+#?+CXkMJR9Owkb z&?%BY`b#mKU(#^_*KW=Xxt1*m54C)adW)06XTh{iT{Q)im$@QSChmqZ=+nTX&wUAc zbQ9$y#Q8GM0La<2LR~$jNCr5&hxCy>h)Y8G5d*hpNKKJ0C>($<5;tvTgg)>%D%0`Y>B`zT-^ zi_0u=A4M2sW7RV!a7V<^#xh#|8zRTm@=8Np6u(Ss=cw*Qy6Q%3*xAdvBT`~`nPNxW zl1=gc)pY~ONW2~UI7R-ElV^s9NIX*-P6dlddjuXa-x?|PBvJB*D*tvl2QwEgEBcXW zp+d-Xyrp4=?^_k1I4$={LGc3K1Adtc8t~e=6LgI8Z-jRo$i-nOu>`oy#yH-03Q*6h zqHTh3n(~>4;h|YIKMQ3fL#aouo+MH7;$8SwB5yi`-w?;?w?&gjh@p%LlYnbp`!ZCq ze47SM=JPm7;P+F-PBTqXYQd59vuW>j4V+ZBreGwCuG$5Dy3=WHT|Jedj<14tsNnC@ z;B7$vM}9QFqA7Y34dc&H`Jjd?#9k;Gyc##w{OJ8S()1RYZK^e&jIy|WPDJ_*c7lk; zs&8=*c>yA86XcZMQzwtj;PS~5{lzFUk9u%#0Po`hja;O%gZIOFqdy8~A(`>yRxx^O zff$|X%KelMkObQ;l0ZjE0yhR;-f{3(ZTx}*QD~maI(#RE;?TwLw*cCjeN1{<<~tE@ z=WGuPI@;T>A~JM_(Q+xq-E5P|w%2aRT}w?q0OhYC^Ffh$re5Ia^zf*yhv6gB1D;H{ z23+9r_^JzyGsya?pVif4=mJv~xFnD@K?fo=3?u_F z1vIc}x@B?o7OM9T!F_|bM|1NvI1L=`aGWh7CVz5WRR$dg zUh_mkcN*qutdTnVvyr-4QM_Lx8MR@c;=#kGgWhEHYhkeuNy#9I@_ytuKj_OeKn(jV zJ}R;!yZCWY_#1B!jUI_4@l-cD5HBVD>0$9RDOvI^1V4l`WDGcEP5`Q01ACEFNG}ck z1naKVsH=6V+*u8L;D zQ(jPa%futezGCqCokLDzE9Q)E>DBVv!7VB?aQuZ~m4^KZo;$=I1$Xf0nSB)%ZG%&g z>qX*WlS;D@GnNB+)LjU#;JuOjJFLph3Hl#_LJY0ZVQXd-b8|70nT%CVAkd@9jLT0% zT5~9gB;(lfA0ljAy>HWljf2=1 zY?HB4O9qVVp)!Fd63Ad^^Yf4;2B`W{32z!;x^~uJuzT+~Cz__jJYSmfr3zNZ_4LIvZB6A4G#EUcFNF3}YVIltSpq zE6Mx7?TWV+EG_JfM2YK>d4}K5T+ab>@W=x;`$T4o4lMNdBVDTRM^g^gKt%Q45OBhi z0_q4pkBXrpfQhf{O)lDm=%?fb?-(Q+okPgOjql;l#bmCyYMky=EEpe=gFVR8lk=>5 zhl_Say#S=2+l7HJgVo>y@WVIv*6&^fls%s!AsP3#ESJiKB+|pQUl7Ow+bGLP;ful) z$oynk-Zw6MZMtgeO% z&^vkgS5?#8O1?4gPYme!#j)H1-TXxPK|Pm%g8Y6X*h4G99wIaNy2L46l9jPhY+C6i z#Lwi*p{sww{SY4AJ~vtLAT)*P#B@|{crFo*wr&n9aFH>qu5>3L%V>Uor0J09p@QTC z{W*u>Vx(c9hGm2X(M+*aQp^s+!FO>sjs&+kB4#>hZ=z$prL`mqXW%ow3z~5^Aezle z&T1_4GFYtiNe-5$rQjpvVE>`Sb<0po~Xk57v(KVjifW9#a1H`}B9E;=D z^pf;72P7T2QWg;Q=nls!dZZhrL-L+ZTtAr+uDcM+In8&+bJy%nB@Z^)yj+D~q?=*( z7!O1Ac;yNeKP*yrO$r!=rCa;Shje5)DzI}&#Ad5wk8@-A$+7rqFb4%74KU2$bu>;+ zKsZY+UspN36Pavv#P7V(nO86tB9z#TTu&AQq%UmKEmoMtGX#lt#jlfhfu7hIeWGYp z7PJ<#x{7F}Jw2X;Y%b$xj1=OrLX!FBIObzd(A1E^VzGsmu-Hsh@o9{Eh)VS%MO{vp zl2<{%gPc>#ujk%qi!n|#kTup72ClEOr#BiVVY8sOd=K_fGVm}-k>5m+hsw76uz{}r zHAJS8Orf3upGWCfaBgEGxOe2Ijid*uWR0SS#d02?n|UW$o~W^W;(j0DXULW89<~S% z({~cXW;^$ueV>M!q+f74&a+l%Y?Zb*C9lPzmggC!Y4``C?fYW4e|F+L7LVi^<0AFL zqfUQ=O{=_048kiF0o8mX3_3E+JqfXR{p?7Rh0XHqVU`P$^n)hffQmd)KmK$ikd4Y~ z5$Rn#2a%=Xua;!faNzEy7PbV)|EExqo9f}|7I7MNRtRi0HU#1uFA@%{iM`Y`>&#c? zh1xS8k@-KQg#7F-lE}PV^yrVVbQAQv`krO?C?&jpqM4o)8LUhB-ch7BKd*n0PpgwxR>t+>;yqUXB8f09j~cht9w66NY-UX(J#Soh#WfIKs}HR zWhkOMgo&ikl!vdCd!pRocx~ZYDw!>#3lE!cS)82Gzk15p;C0C~spc%%V`_lp%Sa`? z-!@qO9PvZ+%1$6p*5ViFefTF|GHhfU--@4AV)D-GO9jVnuutZU=`6drs0X4N$DNU#aWMPeKKN`$UIoX_T``ME`QuP zb5tgfCwIax1U_yo$DBBx&Z(1>Y-IAoP6Fr3u@p-aVev0!(@~<}UEtTOu6t7dyLBDq#tP9evsT@0(FncFy&?sH^XGqWqYa@^q#i~Co1ClSDs&q; zeT{7QMsh=N9xeoX){+W!?M$#l*`CX^bHi{?a;UNb9(_*GKRH{UQ~O^PI3;mkP*SXTa4YOwq&nS2jW?PfQt|Xp4 zN0xhk!CXOLjynzns!3gVnxup8MW#)H;@PicAR%6;1(i1H^M6Y27mdL>lik?F0Yz-9_XHvnP_QP&J|KS6By;aH>pGG3H4aTIpt#KSW!0Br zLTN!HF!!ZKiT2zWsSnJq&Lj5;SBY!I&9s=ArGabHQ1EWd&d?RkDrqPYy*H>_T9f!x zcf_9D2rix1u&MsVn3IxZgq1{a4C560)`|GC1aM4nVu-*GBlFZ^vv9A>8uE5^D zh`XtfU@_m@4N3Ea+gKjG0$5XA+r)uR4ZAJB5ShE_jHhD6T(!KxZq@610AqYi=x*x^ zF*OH`TvXL0fz!{7HvbZ7xL#wfWLz@88ic9Tbc+3{7;|hCkP{IHgLhD$O$6y@~edDhQk$Y7Slbu}*1(yp+qgFkM%@wk?M zhqDY31lp5dt*$llG{+ zchkGNqh0(KVSqUmWEXwV_w}+L;o%0N<1?a+?`d^!N7;EDTJ_rA`Y-To7)jnuJ$3QK zcH>7{Cg9S877|E{%AZJ4=SVmydnV&%FyD&rQ({*7|TU$`j~k9GgSf9*U!d54cOX@Kho*YZBeRajXO)q%zlvOosw*240(av4 zz!;V(t`{0WQ9!)G^emZYDkfYo7vUt^i^3IbhIc3e^GX5QjBz9f&%h_kKE%C&^Ql9LKp?T*Cl6a73r%A5Uz!7RkW{ zNnGCgn{=NtG+uG`!LzwL)@}_cYE} zwafUKW@nZVO-5d@US zq+@+?7up-nNZm4WM-mEF51vjQm14yVaky~52&93qS(-E*UigE+lPej6u(9_Qn`jxU z??ZJT(|VD-D8H<+6&7td(wl!Gs(z|G-02>QHmzhj<7o{H>ueo<89Q`WTgBgPN#FFr z9PUf+!t-%R(EHB^aDvolw1{+TBJ2Of`>EvA@eC)Bg~L`?CV($Db%gpFmjYpN zl{P0Pl6-HG3hV*eLtdy3ZbH&icvSs^_OJ=CnvbW>(m-5+X=(U>j z)B_)`%V(RDP$;Ox%VAAshbdE@v+C-z_iWr{>^wW$pfBk|e%Gdk7$dd^}@ky7eFbUC(WpVnH zDDePON{U3?>FN5+$P-6N4}BKXC(+u8M8sKmYn4Q^4)zi66($3{g7>08{7TnY(;9Lo zst;d-4G4EK^jD|d0#*Iide!-=XF`UY(Q+7Fq@h!SwbwSb{S3_IPs%B zndy%HTbgKF7*qtF<2u0b2$esFOMZhD7*4c|0`Ili{l0VXSbBwc` z?gjGzYU7=2~;s#Vo*6XoFVWRUJeyt|uViMDRBkuJ16b2gc*mVcDj zWBsiO#>0Buf2-ommy+>d+gOqZya;#%wc2-Pk->N|Z19}PPeWu| z{bNcj2D%*X%lb?*-}{WH+n{#?LCie%yJdv8Q!m?M^oIMiqiCS8uE5BmX*bV`YQJlP z3HY>OR$V)HDNe06*Mj*3i_{{~K}W;rT>;odredNxNd?AAaSioQlQ;+z0oh=7h@^sE zMff-IW|q`_G4}~L(_1h>IfCE?$xSw?bazmG2yn)O&3+syK!$ZSy*2b1obU2V46tiT z!-9s8`#$s`s8M#GsezF>X!ieM3P$Er*obkyFLp8nPtq+36SgOg}mo*->^fhya3 zhC3*i4I{Lh6ck5 zyFwgOC?WS`6nJa!O%b$bK8*GUslhx~i?`EQwvu%fW(EgDU^g=|kFOC0&4^62JnOk@ zVugB>RxHDNGJ7i3YTxJ9xfi9LmUF=?(QEI6T$i-Y^xV1ySeu!R3v|KA;z`K+5l91& zU%)2knS?9Y7R)h&_WqTfhI0v0s`xNn%4SJvZWZ>l)_n22^YLu+SSnEQ=20;|#Fa(rxQspH2hPD%p$hZ&l0Wv7Ic6 zcUD+b3OG_~Zv&(A3|?wG3bNp0D!HKi8X+c0gFqcxx{fPXJU^*wMq6mW__Td*&rC~2wZ+@=yFI{P#NC$T z*85=$QA+j94vGG4)J=8TQr5O;+Ef1H^KC)e%hep@55S1j<=~#bhrk^Y;KGW*IFV26je(2k&L#!0Poa{Fj6h0rKI5yO({VXZTDK9 z9vJ3BfJd9^zwKsAMT8%0ilgI$t(DZ2qxL7lWe3w-$m#TZNb*}et5W(^`+AQsdS_Ce@1@jKUFP5 z^d&EG)40(-rnHS)tuJ`nQ?2jyABK%fA8j3t!qK!3D1RJYTYk3(_=~vzly>Vl+n(s( zMh!V>%5k_nt;zhGthELCV-kNT_CF*4KO=t=4^7w(>M)}J|8C^JEC~Is)hf2SWB_}U zHbM2TYruUN%n^g&9R!lcmXU~ZYT3w%86CMLNh&pKrp}h-9!(f;+9Ql4U)Td_Lo;Q) zT!B{iY`RWn<4P0*$J=3;dU*Pe^Tr{3A5K6LmjJlo*@e#|;B92jHv!SB#ODPs7TIsY z3gx#jb~D$bg*0Nhnb?b}ZEk$EQ^xV0>hQ%B&H*5=iP|whacP@qTCA4ig*1qYCISoj zv#^5WrY1Do_=40OP#zpZ$sEIj#VNu&SkH1`m(`;UQ zIZZQy!) z_%G2?p1IuhzFM|$bMbOeVk^Cpgj{f{C#*I-RNIA#1$#^9L;#N2^PBKK z{@#^E0%>wIG-8wGgD14`x{r%#Vk*b5ciO$#6yhLE*b|!QHPvIP;N(Hjz)FiSSgF%H z@m@9t+h{x>Yv~wJG^Fu}m+wXazEcuu8D>g81_=5!jBTpV2bdbeSBciD55nlAc<{-39MSnEgP@OT zGK=!l;SAX{K9g$0Z#uEEIrt+Gk}XEIJ++}tAFju>(c18oT6ZWE!^};v@6!rNLy0wq zGCIyJH9wvxMX7Lf!203zJ#%X3;cG~!`isWrg?yX{$9cl+Jwy=v2{tz}_?DtIk5D5@ z@)?0B95O(o}-fsqS zlXN)ZOQ(7`b|@I0|7`>u_!q?16Xm?R?onZV^>?P8aDNf$f)@fPa~*ufLhtB>4+*_i zY4BY65TZXpmk>7#J-8AmqT7aOPrSu{o*x)lt%Z$@;w_l$$J=n`sR>*b1Sor$#f#IO zM@%nS<23adXFl_V3Y*kV0Rc=I$r||PwG^;uMfpKdT?dMX-X?VAT zrjnJ_pOKw{AD6RUxqf)uyB~{-;Qx7>u-(O(9O9dhY1cS_#7?C*lC6P0%D*~QNBCF% z`eyZ_5Ee7|O%x8iaRg0Q;3L+5pE584df|9E4+W0#Yc>AS$_!Nvk zMFJukTqLaWJIH*T3XE8Bwji(yCI}Vy7MUUObBN{5#?0JX;Uu}r`!FV}!HJVCmiiP- z^DRcJQfd{T(XME$Dnnh?^p;W!M?{dWXI^Q1vk9GC-I*i`)i@F4(bI03RC^pd_)!ouoIlt{XwDHFsNv8ka`H`OF;Yw!w1=XdIS@N5^z-(X39GHkc;WpCCM5 zPL>#ZYp8zov&cUa=bCKhr(-}_3p^p*Taa_1w8i+eM##gji1PuGHRMPT9_is<5GZlx z;v21-DeN&P6TWZ+64$c6WI4#%MVF=M=0`vIj?~NloykB_GmrCUwP%KjUH82Mx=DQ_ zC6jB>;R<4N=HoApB*rum!m_(?B49;m>Y1N$D)W({#@Dsj09S~4(_wrZn@=25SB-T& zLMp`UVP|=BREbP2oVRpxggXZb*XPC(Q?(wK*D_iTT;U}N_>EcW%IM=KBzcT}VrF ze6?RUKPTOA#n$a5 zotQopBnIbA0OcN1vV)@La+?Bdmwqa|@mC8mWrZx~^0{z{0962AtU8$EY1MLntY{hTk zCv2zPWr$2K%t3TUk$LN`U>6LMRo|AsglxohHyy%W#&^^i6p(A}qypcD0Z-aZ{e(BR zPh;gYW1=o*&o`l+=JFWWiVT?#@`rZ{g6AlRWH63hAvLh(E_?n;F3CG&({N1lTq_XytzhPvmW&zsB7A^NU3fSnb3n(x%vUco7} zKlQp^rO|~2h>B%dv~QV?M3+5CGsJ-K9<}CI>&oH0K^6n}VM~9Kum>i@ssa3@sC5r= zOKQgGA7Da~zlapuFpdVrm>i^kG_sa}9{Wnk%j>nqvMBw7aVJI^R>U=k&;fLNqqtc8 zG3|-|fW=RvY|}}hKi1Pny-0ITM;bNO12pj(i?1S<`z-tO05KCxWXn|1`pX(=ZyDi0A0Gyf%Qk8C6m^76~~$fXt3=09`ofRk+G2B(m()jAn)K^fkpmTN`@D_ zf}es};H^+6)9dzMcpR^v7=7XmB}LH3N8`aP-f~{iAxj{%2t>fDOq1Y@dkkjzA*7!l zgRc;_iZg0&tWE)Cv#kPk*Za&=M`Q7~f<>5#H?l6cA+#8tu#!eRis>yy*duHpKVm_s z1hKF}sI!9YF}O?Z_aw*oU8L!_=|0@mR%?7gLkxB2wm($%CXvd{mvrJRwbH>WnYHBV zSyrSQpsiYi$Fkb;0U*j&Clj9LSDzz-nNh-v*NJe#%pS#a##zz2O1@L1&xrj8LYU;s zyCQ1epg-s5AY+VyOLi%~&B)uUbKSG_8RIW>ToB=#-4`+I&2NcxK8D{fT!!dS7pBqT zt2p1kyJUQ|%YSXH%Rg3sJj#EqpbuOd+9>Z;!LVK|u!7rgamnvuF-!$?6b%1fF}?8z zLBB}}?Yw;^j;-gUSklw5D;4PJ^EV?n%D~q^cfUsd8dV*|w*%11W&<}jsx!XJ@sH|V z+iYK%vivY;^SLo-DqoyXvXEosiF^>oE8t&=HhvwA71x>Cd$DPqmR}xy!cslhcCqeO z7>az@TJ;pTa~`147(DAO8q;KaKuT=IC?D7_U}#A>$fN z^P^-J{%+HK_kBNq#ciTFK>-~w4nC(vcWM4ZGXRBj8e9^gtI zUN$RPh0VKD$du8ek+7Ls!4Y9>-4@#o_=vtxQ?k!yv40ceKML|s(rZI4k9jp}I>1OH z@u#lNWT0&tM8isPs>#G{wp(oUDQ>c9F34Dk;xV#*y_OowXCdLY#udVF@?!13@U>(+ zy)JZvF;|ZhxwWL5a0;9})^WH;Nj^>8(?zIZ@uua~>zvDJqIWg0-Q(5kZ#H!kt|rIW z&%$b~SEhmZA~6WLidQZ4BrDCiFq_C55E0ntINxcuk50!Anzw08@#Qb5$hQF#x!DIpR`74XvTe85PVH~9+W3YjKEx76ih==j0Q!keIX^&hRfD45JaX87!KisMM&c@Hr z~5CAwqcvN*m=>|LT+6F7}Ehd#a6xN zUo<+{ACdLW+i{I+BUNBclN5Gf^$GU@iYV2!pX=u=!ToR&y~jV^xYEiFn85-nHtf*LrEK+N#y6RjXEQt<_drZMD^-w%Ru5UD2NNJKy*H z{_+0&n8`4+GqY#*eXVCbkDhQfWL5M{Tt&q&A1eApn?vb$d?L;$Z`unK%2PDWpbqyZ zzh>7GP7|M9s#q?=;7Jq0l~kkr5!#cz5_OeWKJ6>V8g@|Sm5tkzGfi?E(Iwg?);EAI zVbrD_;BYZhi2C$G$4*j)!Fy(lmM3qpYnbFKN!S~&s}#r^O_Q{!@mtO}j37ZI0>kRo zRGwmc%crwp>3d-IhmQ4R&%rdut}BB`J4;Hfii@dSGeuRJtMN3^3H9~@(})7Yi7R5#48C<8T>OxeKS;@Z)h^6c^f z$DHPONF%o)y)XMXU7o7*XOmM)h!@S(#M8dCjYQf1gobv)5}CF_by?PM!QR1}>8-4pXIjVr4kQyfI^gH{lSXU?92bi#hx=+$eDP<4iuA()K6z_4iQ!6_ono*r>LdmMT3&KZ z|6*B{)~@@3C&lcyLb|-|$wn{3x2op>l^UYSt7i1Y_u1%+evHDg*U(7jwCTApjK*`^ zLrmBL?9%45Y79qTXnMzo)#NM$68*S|?AD|Xy)5_#5M53tXpGt~$Pwb{jvm&fZO58< z`2Jg!am18^5arc0k{`L6Igw+jVibivfZo;g(ELos)Ey*Dp~V*~P+5*lYF$oR2QW5W zfkW$(8+_9@O68n((d>_(EHiM(o`e&t ziSlUkC4MI#XSt5+9Ib+^U^|gjuIueJBll<>N+|{H=t&`k8(Dlk{(958tUEjW`O@;NeG!ENbmh ziGSj^N4)|wB92Le`wu_HgpOQ$%sYHy#|EEv(*hf1k&F5^vhCL{YV?hL??R(rhogbh z{Sz+qoi0!McF}Z2=U*>O59kVXMqsx<#|+v%!ZBT*9kWXs)VtGTX|SV*nc?yVRx+wV zqjxbOLnl9GLS3`W-hA=$N^f=dh?Zvc*!Om&hnYY9_GH-jPqe4PCth})(oFuo?UeB5 zQ*%?hsi2${F+I>ZOFJ`S@hsikE=PMrmUep5L$T<>#YVqL8M@O^OZpd`j$S@eoT-0% z{H59L-Hw6s&!K1){*PZ7`N}ebH?`{N0oEqrh@1fUv#TP{m_cpYiy6VU`?h3;xRyBDtII!ebQh*bojrmkM=a_Q*^=hW z)~}x7%sIJbud-+S!5OD}zCB*))64uU;xx);MFjGvfU`mEa^SrV{J8hyEYH=4Jk^Q_PlpF4U)Z@ld6Wx0E~ zU*F7VPTRg$W?o+Y(AH-4+v6Ma@(aqDQ+-xnJJuRFw07T_0r+RWV%?0^)`7~$9rI(y zEXq?!OIA1K7mV5QtbfTx6Q24(KQ**v)7_>cR;#yz|C z#oOaPA|b2Bf4ntgRs7T7QA6TvrFW&hPT3ac1a*&ab(4?zQ+nBV=eIM4RIT4)o~a+T z*7e1}GsQEq%RjpfOM=dp@9s9CB?iN*&nM3${Vrs-zd7-8-l&_C4pm-MS6?rEUsI!- zbZSA(z=My!sF62>teL!HUiZS8heqVcH*wm}P|Mrdm-Z9@!ld494+aS|_ z$|S#tIS?^jZvXw;q`<70+cOx)tn8+g4@cf^3N6{v7PxImQQLslA$zsq*1JcgGtU%D zFQ<*|ds*4kHD<45W@hNcwzQoa7SEWuMfyxT>-34+GmIN&j6P$~Irnh`x9?rsFLwOE zr$NyL<##{Mn>>HCF#AsH@2i`Kt=MvU_NkWl)1x|FB>5R#E;M`1d3*fgBASu9?#`TF zcU@aIx5M$!_45)g4O~Az>CW;ZVp0!b4$=yvz8^Z-lC&Wp z<4N9z7OOCO5*^cK7aCgL!b21gO@nh9lf<=T;J2unYSy8zL?zF|N89q!v(Yz!e&zQG zFOy=Y+rMg3v4@x`%T+d^*u&J6S24C?TulXb=-Z^+7RmqY(0%?s8_K*&kI7pleg93y z%UoS6I_V1ISve$_KJj_x5 z-=lbTn%9uOU#eG4s;-=x_m+RP73fX{ z_4jV>@fE|yUELqGsK;Q>Sz5-VOQpQLr&O9P?+HW zUjqp>$(TR8l1!qd*~B079|#@gGPaxqOTB*Or;tF;X||DICQ&8W%qCc1=Kc_liUP?J}Jc7+w5Egl&zp%b@ZnuNn=^M)%E4&TfpQP|d_ zhy6=you4j1Tto`QH*y4rYr$%&9*#JMixoM z45q##-r8H2@ctvrhAxBjfCLgM!%Gq&7;lC-VU+%XG~+O-B0a)&8JHn&T@5)35(eom z*^bONvIvZ}EeTCnfw$%)Ofn#wj0`hPg8E~2SLC5}Hycl3hCEkG$N>F}wVs;g%Ui%Z zkPnqQdKLfO5nu3C-Sg3(U4b=g&GJ_@>;Hd|{jXK)%>5v4#!jz)v%uYb%6_WFzWCp2 zg8%JupBUlsb-zZYqI3Q~>PV=(#{Wmv5ybpgqK;e!YDw!}x!qrR!8rt(W4siZ_gXky z3l@_WUeUx&_qg6U9a!c6N7xaPaLwYOi{p}lUrQ{>2~1>uiL?C|KR4$mLpdFEbwVO9 zNIMzOGmdhPTq)S74$Wq-)E~{T{PC`dn$`c2dIXE6DEWWLJW@gXo%AxZI{N?M0cPu9LK6{h zNz&G8d*{c#W}T}&*J|Piyyl(r>?3TxAW_OkO$tVyQ!!a;ZzYBfEy?5yUT4jMmQ3{H zzK66?{1?!v_hm-I&CKr2j%b1MZ%{#V(jQC}-+)d-t3=8_-MGilf&o1-@=8dse4h7! zys7C(c1TTwIkVJk=0vI4ur&nZD6E>$wC^kbho`-=VlK2v0E}fNSVfn(@4&6*uNFHGDyc*y;U$UhQAlHA_@2&U||7D_a{0-YX=pINkdnVDP* zk$rNgJ0f~eL1wJdbykiaGe{MqJhb7k`+0jc{|Yel}_0)DffQMF+%9O?n6Kh zaTCCrewP#ugWacqUQ!6YQeVYs&I7+V!I}PGjs;N4R$PlIA6gdaRdQ=PZ%EQj@-^=qEDye4h9B zAW!s-O7(p|s^3+B169u7XqLMMk@_e{_-QnzUr`<1Y%tR!VAgL8fF%CctQ!RP<9v-Q zCnk7w+)b0f`YnL@_D0QH*1Nc4eb+}E3&sdPdq2Ryd&OLpW&jjfPf!eR!uWG>B$)H> zp3?MjthdC2I6ukwwlCJs0>e6~SzP_Oh^0_021?kaVi(}cxrCxBLJvZsc8bo|*F2QV zsa0flQrLnt_k>+Cu7k0HIv)d9BYf%0*_|C=Qfq!7NeN_%GJ!AQ8uEEUo$&+2&*6G` z{sIu!5N>qNeb}81C%wp#Vc^yfi)LLm>^73C`EWIf+$n=~Hn`h+(l{uZKZ)xqj`ONq z-!w#gs@S@WCB5G*#CMr_H&yX9&rL~RkJT%)bK^YFIH_M#W_>@!qhY|TT=@XBBOuKf zAt)5#x^@D>om3hD2^z=gKhPX2Qd|rnMvMXLE|}UY6sZat@tVi6s~~28A~TpoDK>|A z=p5A-LREdj*@MR>QJro${~u0A-GpF8K`_-LdP^|^lamIr%jy>-+~X1YP->b3iUb*# z%IQ>{L)h)YPdt66Xf7ztvfDjLUu|mo7{U&4+_Q+^aotu_&Za!fOQ)N9pN7r}k~ z=ZfM)Qpg=I90A6mO2%^RJ7Oc}_(a;hpq(0$gp>e#d?3wEK4X||4upi(t)iM#4pI&c z!U@}RO{TaI40~L|SYM>$ra3CK5KiN1*RRRm#Uvq&~oX)Qp#JWc{SuxHB#%WR&V#kpHk5z zp$~I|zaH9pn3d_(-rVme*3tIDE3!_xo+|vX7z%*g4xJ-H;!WS`tyR3_-&jke&l1D zN{G7(oK;}%ti1r&O#ko!m-~3;V_gL_R<}@#{fTP?jl@X^60cz-bhsmq9pV~IG!a=Q|pL-VJ_}K3`|Xy5eC^fBRfT$%W$>kZ?ZpA zkJFMF+(mX9zGI7slbNm?UvNu{kN{#eV5_|NguHQcIX}heOZaZ(t57FA2+Xbr+~TT! zP_Pv8`+@5hGJtFqk(rQGMUh-5(2t`V$RP7IL|_oMVB2;aim((Aeeiy9Z0UYdu8w8v zvG&b^0&hv(9iVSD^kNp0X?2UB@CmpVLCPYKW>Hm^%$P*Wn+$d8{2*3-{RitDtbp-E z-zI}Z3^c{;cG3UF>I%d84#qB#imzly3Z?EMu$dsL1}M$@>iPp3$UBJVe9Wz$?qE7N zmasF_?O9fC>IW2|kES@nl{c+U9{czxo6vSg2$11~t?dFqPmNi;K@2+fp)w8`QjDjSHiuCnGcMrj8^H4O zw*DY)025xyK~B79NwNk@gefZag7|@#@dwU&82i`W=h(zK?}3;?$SwM_I35OF_;-eoc{8ge^B<6Vu`7%06DB}3p)+mEwnu;Cc z#32fq1_yD|p%ZqUpCNFSur7Xj-X+t!(sC8AKba16Rn=!e$kG?z6)ZF7q|amZz}4)Z0Gz4Xoj*u&Yj^hXqNReWIh%p-t-nV7u<%5&LGdP z?Fb2q0SdXQ&0p?^6MydL&8|X?26LQHI3MVatA)T0!CuCS)oNJ5RB(R)nh!3GfwXd* ze@s#(Kc#&NDkSkI^aj7ocE_IkiG4?*R#E<8Z!mEVmI66V;_Ho_*)i#$w}w?6#Q{8b2G#?1R#g|!wd+#%g{M;Vfs{CM z*IiRHaB~w19_u`GNi8+dztit;IKJYla#n%xprlkFLR!GB}b9%6I)*cJ110h!MMX z%mqn`MRDdUi8x*6{um_giWOGG8WsLRV=(*a^>iAm|HEHQW>PKyuElzb zd`IyoMlR&kda^pDF$2uI7Ow)fKjK3Ot7t4jN-_SE=TDKwjqZK^23Y?h;shVv;&k?d z#?fF^pa~^JKQYW0>6gU1UB`FPO-2AzeIKy0#A=m^zl8Ap zQnWHhia1ZA`%{)>0`qa&iN7xjlALr;9-cNXCGz$M$2-?zm6RLn$9vt|53I{=^D^1I zo`(_gjGk}&4cHHx*Ar_GiB%=T=g8j2_HzDHl6eKEcB>uQ{FCIxGPaZ0CP@i`s(9Ex z9@xQP(^wJeS8pQx{1iLnKY;u%y`mFnn)nw`E^Pw4)12d82{{P1D`&^%e+*~-3H%`5 zmmP8br02C)O(cA8-goKSU|hwTmuxbVC*`k7VKr-HSnFEWdMTWKW?DfUYw6@OW2AgH zn(6E!O{v2PgAXpM_1Ek;5=MxrUYM!+3?FPv2#Gfg)!j}L3w)J1+`(Gt14B8d=$3(5jWlhh4Fen%&u*hbhDY(K3R9#qu3uqsy#@FZwo-y0d#=(BrM27{ShR3^Xl*{fJlVVVa5^MlRAW%{GqlO<4k)f++hY|3S(eOKu~^XuG!p za<3fe1uFtALHrTC&DZp}^BnmrrYZ*9WsqJ5?uStH5RME2w}hli$dd-odv`7;)+m3w zx6~OSGx{XXIzPqN07CylQjYNEtgCr>Hz7G{}@JtLJ9I|zg2f;*Vb zGJfx$ax!@LSh?UMD1VNkez7Z7fUDMJkRA*cRpCN8P0;T%D(A&0eiVh3 z3U!bI+tKj+E`;7tz9G;XmYTY+Kwh8+->mJ7Ml&f?6P*7Om=iJ0K%!Zt@slUuWR-sJ z{L+u>!k?UycS$d)zJkRs-?Z~l06lRs3!m(HC0L@)?}B^iAW_6vE?&2eAd2=DoD8=o>P{NRoG~ZB7Argr<}K8h zk22;6+zDPNNr!45QjrdZX0e{6{fiA5a}D?^W3r{B4fyHS?>tpFw+#5VaSDUGrZO-@ z6eSV!jl#LWcI5?k2C-zgYdxJkzoo=Mp45UVD#;qkivxw+$BghS*5Jg}J(V*uJ;nW= z--{N;`dF>op%i0%AFtyo%9|QrVivC>_`l;s0dF*(h1@okPqZjUlLL` z4qLhe8KQTN1B_CNC-DmRBd@wgUR;S=LGXW_g4oQC_U_J--kteDMRN!r>3kF1b}|N| zjp`PxhB+p%{32)hf$Pe==9J*&51Eh#>d{w3-mPJ^#&73hkSDDPBk~TUQd1&ViDy7G zNcgw{OpwmETer^h7TyH8%Dx5MGXd$yZ^1kB7NdL5EBv`ib=Avl|Y;{?Kfv=}SkDmp3t2>af1~Mn- z68=oVB`^6FzFqa7q!Cp<$|a2^sICY5+}QG;xjfS)&}-w=lY*$;`8%gvt!CfUPYWr$ z#yR7mphvLjZK*mol+MnVO4&j#YTbAV;%fPBrVt{`;Psyc@$D4Ld1a4w!j(>TJ5kui z7^1{6gzuL;NnIa|ePV*MhOlA!_Gu~q3TmE5Hl;&B8<~S0?#QCRkeqgCt{aqUoYL;( zcd$5v971+0Ir+QYFxYM!YxzUg6yDQvsxk;0--rotHqaH5uw`s7T*SY+1iwnGWF`%J zZj-nxh*&{z;4)=NXdHjb`o0hQ*UC3MM{=>r4Sq0Oa=sSa$kq15(5@&~LYEib1%y-Q z^z;}Gx2~y^u$|Bf#}BeTCGMr3wcAU~&{C*d3OD|}v%n^KIgn(>^Z!~?EZJEDc%Kq? zm1K97WC8xMenAy6B#6T?s)R2+l0|rX3HGn+7vOwwk$XKb>+x1~&m{=vtltN0A^*i1 z8^OuTZOE;G1)md4@^U@!f8P6p7!-WY8dNR$V?lf5vu~^-e3SL_SG~v)OkqdzI@5DJ zfxo!39u{PgooE({EBpgF#d+aKKeF>ZwD*)uCGPj2{yo?^1KeK&`Px0)bHW{m{qCCg zK(U2Ff<7Tx_ae}Iv@s`8K1M$}P_-%$XT$x4Qluzimo?|X&Nz_w*G-jM|B%2?Wnruk zL(?Ayy61v*F1X(Z{(a$Hs(3F>TJNK3j8&u;8G~o&YsRWl$CzcRuU#6$tMC-DvWPV* z-ibvMm~ra}Q-4rwk1a8RBCAOEMv3B3EQwXj8LPWnMz$$6C1NZno)~Ft${)qzkFok{ zrSd|oCQ)&tr1u{7vcl1mMrh87lR?opHYW<{T8g<(h0Z0YpK#QWX3OV{%0XLTpaeQA6LZ5g|rEaEq5KT&AXh*7&bos(2Pd6AIv zb*MOtINDUlko~oUOwgVczKWy$mHQ_d)*+h_muWp3ua60vgY4ad>F7dS679$u4V&!H zkfY`+m>;4S8pcF#Ri7?q?=eeRzk*MITOxEe(m9Q8D6#`HiFR-HBSk%s0sK;TRNGPi zP!Szjdlg4^%4}x+n!}NB)wI=)0Y;ly-zVLHS$Opqa16*_1@8W!%~eYmMCa!0_QLci z2*CR74kX;k+F!7=a&C+yRsAuR<&lO&Ys_yJ?guwUxwvG8p+3gC@`GRM$Bca?37{yN zZ?NpTt1%kin#V>xo1zfr8-vF1iTe(>9ctU35(}n8@5ePvl#Z0;^ajPpqfoHMVCo5v zyIFgJ^$t8f%tR@?%a!YD*c*?B(Qx7CW>$DSkP3pvmldA%I<^k^F`spjha=^!`q)6W z2UzpkL4vD0dCVNc4g#eFlJ}U4)7yh7jNBdjIMX)N)lNo~ zO-;*Myci1+gbOS?%jK^0<|6Hlf_{=#uqLrxuD@;A*ZVuRyG4&Lz!1gWaH#d$<)%Wg ztP#d{W=r{aaRQh>Qx3OlKVj>lm#NONbRw;GmZ7<4F0zd)mrbthlNM*WW|*A!2fMqV z6u3RYhaSV9ScpjWyG?%yi&=J}_Ppg?Tz&Lvu1C^gNYs5CfhoGqL9^9TmFQo-Q@+$W z4WFGIzWW_yi?(g{q}}gvIB3s9iYacHc!m+Y{Mn+)Kba`~VmXp_R(@`e27@x+?E@9M zGXYo$DxWi|oKa|$u6&M~1H$4uZbIe1*cg7IeI+#bxYCicGQBSdN*SA4dyf=s^h*~( z(90;#Cu(~$iA*)O=k7`}pA!`+GS$gR>|eUUGW2*_SIKlmGE*enA1BW+@8Ps$;p`;s zNq*t3&p8A6IoAN@B{>E_l>zP2UDc#q^CnGhafJ^Y6}qhrYRzWtv`6V zCJ24I62UYbt(Dl89(QBMHav1orENu*Vxn)!TWPnfX%eMdM#o^tReQacpYm}qo~|Lg z=;v6ntMyWU-FFN5AZ-n8;m6Rj+8|@65Vi)5KQze@iKSarkc8xMwK=-!vUsHh*O141 zgX7ESlC&?8zAqH3!h>O;JR4FMO>!RrZPQl68^$<)>j`!yL@xfc+!e$LE6(u~xE`){oKg4N48?MPF4CnZk%YURYh4Jgj$D+U z4Q8KUZD7*4k=8U2q%xFbOxJ!VZuWon1shp)6`p;KRG|~m7IOEV>nHLNA7L5}s?LE9 zp?2(vl_ZHR;TMzpC%!X)el?fYzW6q=qS(oU-U1;x9l=qgXz|qz^JhBq{N0+L)%hXT(n4!+?@Tde({AMOO4@AAw&p0Y; z7dAv!f<_Zx!-k82qCSw_ctDew*1A<-lU!#}0A|-jR_po<*Pp^ayW`$8jn?|H=&HMT z!+I86V2si<} zS~s;PA9UhN^H%v;I=FURW|L(f6e+v0RBzlmTU|E8+-kHg<{Ey5Q>_jF9FFMHqT8vve3MuN|T;pPZkod9cwn|65_?eI59qbo8=Hvj&dh2LtlXGE6klH4%{6sYSt0$JS z3+!_w)NCz=wg|M6jD(E>hHKED3Y<=;;26#F9lHwh-=b%gMHcHHWSq_BkBFzC^yO+a@Q2P$s* za=EsFmvXTOimnr%GFCtGawzC}7@RYSBH16lRKG1$9=C3g8lBUuUrO6H2(2}Ax1qId zL(5~U8pI&KL3zqq{#0~iv%SPq(Z<+fOV^Z%fx0!x59hPp+wP-{z6jbLv^CMQ<}X=W z?Yzw0bR%}|=n}Y3&HKdf!TbcHK^B-1@1s9VqeI$;aB;N883(9EAIMwetb>#n*5gB9%{54SQCw|__Bg%`?&DLDHlW}uu;dBt z(5tZeg1Zt>P!AIGmYE}tqi5IV{2Gb*|3Heny_+gs*1I~nsDKoADRW$`%;Z=kP?{~ z8jhvonDQ;(a2k7~PNoN7KMIP|0bG0CX&y&3#a>@7+T$nc%_tA}ngk?C2((@VU3?HT zpZmhP3zQcFNDn5&RvW!ZxjxLk6m(n|Yvw*A#kRBNF>JJAWrW8+HIFFQ1&~^lP*{r; z!rF<))Wn#U!i{GNjPrx^;{!K-MLLokejqzqBkJ2as0PZ^CnAtI+^xDF#*eP_7^-${ zXgW(KF&%9^1gTb2U)2LlO)-RIuPU4XwBGoc?`j{V#`jngzg%-&D@3E2XWb~!OQYEP zIg79%u0zxRC(-XKX0Xnkz*KPmAmqFYXqk4WRI0IlqJG$)4$y}LSZ%H9b$YC?v3knt zx5$icU*+fitPv#{q0@^6p0C98ByTJszEYpa-V`5Ig3|%+J5X^4>Ty59v*R>_`x8>} z3Bh#ERCt6(9PsE9g4^VNm_$>F8`B+ZEMtnijGJA~A}`Hc&vDNN*9}*3-Jl}dRKz*f zvvXBN>gReceYK6CGM_t6ay3qZ$?(#6Hve_9I7xn-1k)$C{rf_S-Tt~}YTX!USIsna z1vSU(H?vBouW*hE|5VQ2pq@qrZ(nCWsnVad`v$WqicS95&8(2={729N#bpI+(RWn* z^<%Q<>0fQ4jdU*Ba1`Eh;WKK@Ac`0M!cmHCOYzA6m77#JFpOT)KMp}ZX0)g<_?suG z-%wJEX%tblQyRidCyDVr&Yl7yA^KZy;k-!i@K@IP(et=#{DT*m5O%J34OD$1=sERC z1wGd+@iiv&#%bTrAo%$S+CVItS*BRRwV#ve!%RfiLU$-w0Le}E=g@dTqUr1yf+-f7 zJ|^Y=(DT8?|8VSf)Z>vZ;&o!SWmcKL$4*{Z-4_r1LbzmeHI33O4iXs&9ZNA_g%zFc zA$db}H5Sd%9^f1es!1B-_!MEX=f(pEO>*W+R=T2|5gKf%`x0=MoY{cixtE~6)RR{EGV0>PtY0LJZ%gym znr2G#-en3~rndIPD{L&7Cgt)lP4T9dwOM;$!Fp+BUVg50&;fSSPA51AO2;_B*%5{c z$JaqU?&6)>Fq6-n2AHxfeu}^|&7aRX>1JgrVmAo#gos@Mt2c2RhT>2_AKV`yN!^gZc@cbf&wQthwcTiW&t>V_1KjP!U)djcdIdHZZ(Nl*U$I-@GAeR@+U~XNsv66kLq}M zc{h)YH?LZWSyEt@;IEQ5Vp7dK+$i-yimTzmT$wcpeJ9zUJA2Dk*LY5@`S*sbfi(54 zL}NgQbVRO%tKacw_bFy+1(jSxheNZLJ`s6P@DYN*s`((cr{X$7h7|D;CYwdUM9^?6 zwJ62}E1m~w+H5X%kp8hjsg%>D>~P_Zzy6tAc{oVnAAw$C`;Kl%DuZ$1$`>rs-l`8- z=m^EqxjBo`O)gGX#;dW|62!F#GgXD^Awit;uEx&Qa%N+m$#`TN)7=~re+%8>Z-P2A zh+nD5YbRFw+2-IRwGYty(Fg6BUb@Krgd8aV<)di)wt>lG9M&F!G3A+x4)HRXfG%wdE8o?E# zgq~|05+qO57U{wD1`_lnXFbuWYWA{A6~BdO;!?6ZDgF%6wA1HVO&Oqj5+$$Xjxd|` zZ$xQFHUtqz{OE?hdDq#+`geKdrx=)-e!$Cezt}*GOqFdqyQy*s(oq;HF)U)BC9jOv1RrR^^M+aI=`6tf^#^}Vl3_IEMo(ItY`5C z@=#vbyTS4XCF|Y;I>GvFlx*mw_Nv2?YHJrG43LO=--I{(J#~1a_#=(nmSxC=Y~d2?DzQ1amn( zPdlPejrL=CKhA9JMrij;8lQV^DQi>r&>$gp7U*uLT(q-M4VUHFm8)64;hZp4CXRrH zrCuK2hS(E{%VJ=)-Kg2#+doh(qs?y8%eU zBa}eQIBf^B?nPRq7dI&W#r3ZQM%6omo1Xi#bkZGap#w~_q!>Q_>NyvWL%A5Nn5G8c zHVy5Gv*2`U7r&RvF?9E4J+cC!<4ZgyZTV9-x^qPlK|?dXo6o>G8`zmBrNCwC=PgC! z9k(e*O>(EglmqVe1SvRZ<>Hrw#+%MV;Tk}L6Zg`YO{iFSiC|QquW1%=L!9{-9nQ5E zJ9-x)55U(i=ST)^7e6BOE$0cy(GvMQu9MaWm!w|;_b?}z@O@~eeGLlg)DM9igwAy~ zeFg3VXud#A6B^<^0cb>~{R{9dTmt@5GtQ%Q?pr`^>3?8_Lo#O}piG4$hLwqZ8FWGF z-<7dy=MUbrtg2F)l>>{D0Hf3S&3q0`7h5IlR=$JB4HjQ_6>>*G?kq2U1sy=`h~P6i zgV8m|52FL>e+L?a&gsP&uy`a{lLLGV^)>wn)wLv7gj}VB#E4!+&&a1IWlA8{; zjq*{+!Svyr<%Gs=>g&bV(k>>93V$Yc^rA6HC*jXsM&ll*N{*{T{$eK<&LYTl;4(%U zpOPB`rdq^2at84L$h#Mzt+@m}^gA(Oi~J4ead1C?+y{Wy^sWCA4kdYc>`AfOKRN&W zb$H411rozY%_GRmGhXy#lY`)l8b|YXkozTw&q;27$hE-EHzn-MqK6VX;l>Ui zO)n+XS#KjdrG)lRd&3Y|UkKtdkLlbgK?)zXJqj|Q%jnU1N#=U)MP3%lpKuWs-vi>c z&`-7vyTa9|$I5-WT5VqoSu+XV#Dv(3(q@DQ8xP^>qyiUIuLbskH9>a90mrX1SJCHV zt-#AqA?z*8s3zl5g#@4N_yeF%v0hbQ_LL~syUlUF-R__t`b=`?Y_%6YB}>WvbbSl}n&`rmK^cKz{7>QN1`y<1Pl z=t#Hvyh+qQ7NaS8vys9Ox29|A1>Lh(=^XG9Eot5P@v zh`a$T)(z8P2A#70D}(_<71}=XkaDGMX9vp={f{K# zsN8)F*f0<^Vd4Ld1}0e^TED^aNW?)$;xL?EfDfbze`WiZr+}+1mUV%}se28==hq?% zK1$Pst4~OhN24uhHb!_uCzLc**2CR z%M560$G!kD&-+BSb`^WLBmqHtOv3GvBuV=Pa>I=+HVwshkTV(_f8Bjdy08;UQUJ}X z2;0A1OVZ2B`=oc-B7AdM5l>8#w&xT-qx7IFw6;C)S2ob<0j znEkb2PB82OOK%<@(K*3mIeQnlabQ7b?Q`s$KTb=O8r7?F0>{-L`(p3vR~&V%N*7~( zi_=vCy)}OV{?OFR3&XEl1_fheMMSY{ejUajviQa`o(^TRLh9oLr#%&)308u6I&*crThl8nYPqfF=%AuIK^x~c1p`+MwfCDT5A}= z(%V!7O%ur$kM(W@zPnwgm`Kf8Yb)aE%vDSXe*r=7H&N^`Iuz+0J>X~lb39YaMrg{# zeb9D!pW(E;YtVjuDIoKOx4~Fayj77l5t2vz%YC z1+2804t4aSv-B7J5XGE<2Ajz+$+2Rvyv)=D$kv0rZj$3Q|1V!k)yO zuY96Nx$iw6CF8QtbCR6fQyNWe5h){yNg&2wSQNeDhKXH#TRu0BDoiEM^Pr&U)piEC zkq2gC+9|Olh>J<@Px#9(5)D^Sr=D3rhZGJ)AFuOmQlE$Dbg=O`#^JI{_}ihRdK=XL z2#@3>UcP?>TnZz&eQqEHZQwQ#lYuNA0R_>p@)uHoaQ2h0PT|f7(Dw`$cX_Qm37!N$ zfqR6fR0?K6KEjGW^*QBr`8o^Ss?iM!)r_f>E1xigpXq+keF z(42vby4T4Y$HTEd)S*FF{;-ae(^;k_@8}^}ccsl0@R-$43GnzA3O5n=I4B(V3Lx@& zXM^WR`Z(k`bBjI&JBeX?dVqvh7ou}Lx9|@Mr?qM%_4otN- z=NqL04SPvYsp%2^0{=bt4?(Nu;x!X1z6U>-Iiy?_!kS+o z%1(!8)X2s1+_*3}JsMW5H%g*(iM*x}11?%aP2)h7A8JPkKyS@aYXin+>Et{gk5oXs zo7SKlBG)JgXbh^7lL`?E)kK)qTa92{o(73N#9bYm~55u&?8q$~ zOBNzy{XH>s`cCbRiLxH9Dpg7>0`87=#E7Idl>uxyB&fHk2OWjP9c?tid_;T*=8ll4 zC<>rE;tkZSx3|;RwrBG&(k<2a4IAB!_Ke35ikZVu{(-#;2QY4+GC@%67O2CdF=jPE zJj3s9%CR`iWpp7VSvU~^?p$dD`eXPs`{$rZZSw27_k|{R+d$xB zd0(yu5^C#>9r?R;-0Z9&M3b|wKL$9NoB1ix%?)R`u~4+{Y|cEgb1dX^g~q4ATXJK; zD!NTU_BT{q%Px~-c)3d3e z<>mZ0<#yVW4X906@rU(KLieE6!kVh8ibVrPw40sg%m>qTk-M*1y3v<@W1U7IiQd{a z5A3@-)(;`BA9PbhaWjEVs6MIBV#jPIc0R#?!D2`}C|52pvwr%228)4&MK{HmSi~O_ zykK%O-Xyx2erP=?#Yvc{1>6{4x6rcHeABrc^1lP;T(Y7KbGikMO!@u6ITc>M+TQgM zerLrA66G5Ps#eSkgrd6<>}QD7sq!{Hp~^9=BFOjLW_dsJfE5Q)-tl)HkT#XebLN-P z9GqCp@?Igb8=PNyvtfKWwcy(pxBbYx0-UGtH}iLUv-&JtWq#q@1-Zi@KiB7E3!EPU z?1@A7d{|5FOSC5;pwt@Vh1;BenCf04M9a1=zZ7MI*y8d_ zVN*U-btd$JZQ9+fIGhwMBb#Q!&K?AhpV))Ij}u3QESY+%AMJv3nTz@#{Zd+johxK| z45gh}*i)uY=zMSw_lE9?%p?R;q0k9vaZY}F<6Zi#@VzhX!Iubc2juJq{SUIN&2atC z+|A%T={-eA*$hH=8E*L!>t+y#qYI{UN>{k~PhDW(xvdB_GIN7o;Br7eS!RfG{_2IU zn&jI8&(e|2m43>5GIk6f@BE$Qj+L3NlRQ;&UGW!eA)3;#6xMA4ER>g90D}eah;kI` znA@r}A2Q98Bo`RoqtW6DNoA|@PJnJBtCFM1$uQHpQGznmif&4}Nchno2cgadIG@YJ zhP(#XAGAh!)1SVZI{}JzVkv=Qvyx`jBJ(VJcuo({y`jL>Mf6TZxDvUa-t?u!JqEF| zb#viZPw6Nx)k~^)KTP3JtHZ-h2g8K9;mVUDPTx@ZQK$>&!bM-D!l)vH7(w?@xTz&f zk*FfNsJ}_{kZ%t2GYV+4xj_@Urqo zu)?O|Y}#(BzwGG4uvGRz)#plyGEnY1Owwr?d2GIn5BqyTI^=om^-T`fNKY7#NGHj+ zBj&RL=vM}fy6^wP-n)l2admCuYbP1V5N2Qk6PU;Zf+UhiMlz5<5Tc-BXc znf^F(SPkc<=Z!>g^Zfzl2EjC!OW-DQJ%n!BA}9ao{@1wW_FQdD0KWk_IL++=)ZkK{ zn;{JGB9wm=@DD_f4dxQjAJ76^V(W)|qA|>lwa+>NwixqU>SIUw_p`Qw`~h%vrhw8t z+y!wvw^JTPL>H%_4)FD!bSP;6IUPzr2Z1EXXZw8$ZNJsZ(kIbqfF|I! z+IHP~nx1fYFOS=XX&8(QZIK2H;C}c`OfUhCy@-x`=$VR8XO1(t7b_8pxjxW1qI?M# z$DxZ9{XF7N?90l#q<_h|xOHfi?Fn2~Q&akrT$X(vss#JPq!+~Pl@F*KDf|e-8wP>= zR0264Z|n>F)zVL3+ne?0r>oHy-FnphV<1|6^dn-ZZtMtJ8m>sc!S}VUHtI*I>9y%! z6B9e9PxM1(GKe3O{vDdm(El#|7cM&ERW&_U&*^E#JT@}ZN_vvPo ztlTGnD#;(i?apuq2y4*BohO9g-ZKQv!z~H#-!G*T`*@CAI00e>;(Kulhw8?JfEx5kr@vDr1+ag>&zE zjEjkSIkVf>IAYd51uY+n>4q^Ai+`ZgCchGU`hqW%8b>jC!V zK10&0#2m-lyKu`519j%h=oaem<6`6i;A*jjVtBGeMYc-Y8SEklT)pHP1KNA0oVu3? zE6nXt$gWxl@(Pmi8c3^%SkJviU&a+vUI!bJY+YST@FrJ@nFz1AW1)DFbchIcAz*w@ zaK5Gxb}x6s#Yfi8YI%p70SVfV)%1Nuy$L_fa7JV#F{LD*a67h~KpZ!^R@N^(`w;3z zg&FQDVeba;41&@m+z&qsx#5Z;CrL9%3!z9t16%Gwu=khxDd@k721C(oj3p{xQu3o9 z`M_+rd8X(oXrB$M@aI#oaW)`o?Oyi@jdfsvR<=d24`5@}>>f4yQvZy_9(iLo%;5X| zZywvurI`=W?DznF6o$v~7MByiC3`D=Cp&uyP4%#7VVSs3s7D3iwjWCUlZD}!Y z31~Vj6ya>|{?OlCAg~{XX~zYT9>yY}ggU5?*3f_8JX-(d+y?zI4atbE&{#rfQkM?g zK(>+9P7mT1r}606j}}}s+7@f?3)s+=D;B=BXLAJCeQvCAmJ0U;k7>A@;SrprVO*Jc zeS#RneT!ztMx|L5nvw3uH(LMduYE0;Tj1_8sCtEQPsVS`>J}p6+QAD}7lSULziCia zKM#bnX~)?6nPuVCJIH7;CSwd#KSR=_Zp5;eo>BcQ0@yNgp!y}s!tP@AiwDyEY7bD6 z!f(<9sNF}!i2E^KGdqSc*1JuR(E`zlgH6{;rh$D4D$&)1aybf65BA7149#34DEK_L zK_Qn8Ha?MN<3_CPugwbNe}JldJNc`ruVs{AFJDaT{9HuUhlnoR9It$ajFRRPdmy*b zTWFP=B1z7oLsX6ncf#~@3((B)SpdQ;q)^qe52=cx%h+h`Q-Pn#&EE2b{#`va+cQyx zOY>~VoekW=xr?F4!7kRK!oXf^3??M`~btf1$47n#~NOb#rF~+Bw9l%+_(>HaGr+^-8ntxL+2Nr5!`x> zFw@#U7<-Cz5FE4do2|9cGlZeyJJFMSm=6WH$IiO?jrI`=7Cw!LCg&W$`#30GbqrWX)}@T#)lQ^=|VDU*2ik~F*akvK%``K;jU z(xLHTptEzgsBrC%TJRTXtc0xdr08ulP_)-U2Hv!Zl-5`wg=(*5? z&WgU`qJv5vCf4}g(sTa$oh~}n`bhulk275g)$*ST!y>)?sC8CG@wuV|;2q|H8f%~U z66EuE9o)UTM_({Gqt(tIMD%8*kI-KtzsObdi;?C{33RlxE1^SkQAPYwNixam2^cd# zo=R)GGyECnd34o~{|GVP6TE8zJr?W+ok1`bUSPVKSBF?PcFE|61deF17xMYoA|Ux^ zJ!P;l6;K&~HE8c!macF=>}ON393tnKpsm^9TnPMwdp}Sh#{EVCXmdmIGY!MLG2iNc z=*6(oGo;eM&nyZhoSBbZa0A>4kUK-^2yvbuYhQN;L}Oi=0_E-KD$IOdgj!uQG@!}B z#$S~}l)0ZN?dNqzJDk&IF&N9)BX;L1=>75`2BVZ%pJrNq=LQKYv_CTjE90&MImJ)c zn>P$*^Lk)6TPQt&USx*!Xguy#f@aU>wc23udErs-L9}U@GPu{a$8q)ry%}w>6XnHg zATQXemQz4-srQ5ngNmQU#qt##KYAS9&RG8}j0-&!jGG{#FcYPZdFWnZRnbdE-x>L$urS1t(CY;T-Je{EXY$4+>6E zdkuv9q2Lj)cRf86THj8aCAAZ-sCgCw{!MSNuWH31?gz3!PkPn=rq4gVidUV#HkOv{O#^cb(EM2^ABn zyVBJx8*UiZO4EZYhU2lPK9h>?c}Ja)(m}fP`!(13*3rC{%DCTLQUd`*)iN`%D<~wM~WU z^Ka0V2z_&02Chu{75F4`-$1Tg37V=ZwGVf(2W3@&q$OgaUF0fCB8gl9cB`Y7bIUfu zC73oJuCpcEM)td4z*+12ja%RoL7f~zM;3nLNF^ z@4h^oM>Q$+^Q?nER^clj-}a)CKk1xI*Y(4YF5V}U)=hC(J#bYj~Uq^tNU-0qg|WKU~a+T3{x?kO*dh0}f0RLg4i zQS|@PPfLt`pRrz<$v&c4v`N1|2=#E&3{1Fz3Z@0A+ORzu9iT6B+)=4Tk#UAx_oq`m zHZZ@!8=f_Ii_pC7N^mZs%nSR;pMvy+!BE$Odr(L~J+}VCFpP*X%w~RxM`(W(w?aA? z;#h_XBkZC*JsKi}%qq982|h3gq$0vUf{;x~Nno;+*&weEM{D)UmP4;Va|#sg@)54s z=ahsis-v_&1y?`pyrhtS@FG8v^`}s@3~MKtqTlD8!xc_vxN|&ckDIJtF^IrCcIJ=L zxA~p!!qCE4?F==)5Jgq%WS+8E>lvXtn&$0J4D>W=kv}$7JHCNQe~O{*cBR-Qn#r|} z>Zg4o(0VaYoZNtxtr@OfD+kO@ff@wPTubEt!jVK)DTrf0Rx7_Ch}iGXJZRk=;B1DP zm%&jfAt!QSeerDULa3G6rJ9wz&OjvtcZUK``@vm z!*2T?O91~TKaKh^ZN5E+vleD)H9`Dj<5F{85Zz)>(Bd~)Csd8esJ1Wai*Gx_2+o&C zT`ocWlvIX}F?J9iI5y2e+!lgxHhq)6AQNHZ*8WD*i1SnJJB1RyZ&@;=9m?5-Z^kUW zNSNQv*BEUae?F6|6MHpG2WH@Yi5>`v=I``5+i;*QDMAoLE-)d29rZvP>bdRCM%2X| zL2!1`E0-a6J=i}y-v}xCeXg`MhJG}+DXX~`0*LbpK2mKMoIgh{57>~+>y0=u1kgh^ z4B#X4F3?@%+2Q6x8tt33L8);b0Cs0Q$|~DgdLX+Nk8s=Cv=#U8>-9TnI%&ghY~g*- z^a_Hl_o1J^#@-zjdaoB=FMqCd1ZPFwJwi9iHn6{%eabq#g?SgPhc58U_g}k7YYiyv z&b1h|_A#h>7=dnpSptYV8f$?&lm2+Qhnr)^g(zz@BF``|lNWu5$04~;&ny@4Q3VgF zOTSiWpViqT4E_Ta4aB-Vh-hftY?=<2l9k7=(Bb;ux^Ua%zf{~d1p3p7g6UvuX0|<1 zegx17KtL>%-V{L(H5?vicCv<1AvjW>Fh9#!>jRA8eEG>pI%U#PtUD*X7=0zH@N;XT z7Gb;ZYS1e_dPT2BWbb({_dGbtP(iqK5VWlW_lJCyh@K^v7yH0>Y6m=M(Qeq^`SP=AuF3PEi1%=)V)-K#zGbFF zS);6)07B~0r@^8z^1N%o90ff`=t&2Fowdg?8i;3RnOkG63!>!VO7}qU-VaQ!xcUUD z?1~Pp1;JH2UmM<+4__w}-ky>THpivjq@)P=aFmLd<`O<7ovomYocTyNkamLCv^}8^`r8J2zg9$_8Il%vZJ$E8m)}#eDuOq*Ot1v+9Z$sS zs&Bx9@Y$_!Y@ML58iG((BJ}0IDql)}(Lu~oG7gsjW@5uDz*rojh(iPoUx1LRx!B)jwaILpcI`$pXbT`z#Hc$J*T$X$H>#^v`usmezTMn?CDR+ zB#7?OMVg?*1MOCxJIXJTvy{l-q*ZGdrvevKK9pgkPoe5wbW|_GAZI-}!)rm($tJqD zHrTb;JfMEFu??W~9c|>gr`ONgb!#2{r)*$Yro0&On`K1S7e{RG6ARw?Xton zD@=*}%KE~#=ahWf()EOwgb5|5L7K02Zg->{FO=VA^hv3C{+`zaV{OL=BeO>|F-dQnQdl3{;3zm`H1CeJ)d^EG0w+bAoCsLIq1+W_(4VO3mMmS4J zydQt!l>!BI+~(MktKuGMegV;RY0Gw76kPAq6QF%5@hl~#L~eQeX{b95B@>_-A7!PV z)0~{LYNVv~KfW?2*n3=0NAvB{X}|pY4S{|6{(O&`OMd2VM#hB- zj&}OQNI0!gEWZNU$tLETQ&EboV}bAP`eL~Xw^#fonl9-PAa)lj+C2)7N6}GW+is5 z&nm?vOR0CavSFQab}iLjfgnm@M}tFAmE*(NUrBqtakNU9b*Vck_h)8aI|fW9l8vI5 z^CrcOWaOayaw2R!uGsh?mVz)w5< zH3;`LEG6!1U|TUe30%j8@ds*wcS*e!>poL*Pa-;>o>n(Yh1k?1yWq+QVjFRK8XR%L zm9K#Q$}<((albNT_9BII9LetTR*rw&E^t=B#pf-g}G z(f$_kzC|ooo6l4H{c;XrSE`vl7!{}?m6EOk<6cnaw{lL;#ov<9 zn91AMHJl()BOqzOj&97AK-I!PG{fi4h24IN({rJ~>Fb{J$bxxFhVa zEvVWTDDoHVZ3JF&adjsY3;dP*kflmrwsYInYRiC%^?r0z`x2^k$&o|g{*|D&!L?>p zT`xk-_0++RM7}}gE1~@%>fl2=27oEJSj%ay%qOP#jxn<_C{rUZ)%*YSfbxiv;Ir1f zMkGpMceGyx>gpAP|2GD-tS?vsyW{-vKv-fr?b%8;n!{0tcJsV}c;AM`qZB@Y_^H%i zdF>5l-2=+;hm_vM&>lffN04@xBGXkcjbsn1sPgwXp=2>!i6FKJzG`V5MZeG>CzIx6VtUoH1`yqP8{R6%-Z^$4 z$`#p|Z=zfyZh~QvGT0i3(AQW_2l0q4l?8-OKq3<6NJ3voF2l~32Mue08qVxKhhLw0 zo&`u~N0NXwFn$e!De?Qt8erC#W?~KSQY2FW?NVaPTuzll`?(HKL&XEd-un|X;EWN9|FipW+D(a=&IuV+mBS$8} zr3F5c9DX8loKYXPuTaP<6pohJ4s~0bV!2+)*UNPZ`r{kjlot@Ylx+X<##~tZIYH>o z0Q%SV`6O-ra_rvo@hEFP!6a?-Nx>mt4{B_Kq|>mce*8`ilhp2_a$VH&AaZ3cFmtb5 zP&x9hbPPyzAHbM64!QkTV*K?qzCD3*3sl{^(Adw{N8L*xpU2oj#oZeUmH4}P2?krX zJMoBL(pX6lXTVKwPgOLgD)1Cpf>dg4+exFZ)8W~Tsfr6r;9RPrlWoMijVwnhlx<`q9$=^4 zM%H!Q-G<4Fyr*Gtwogzy`z|Hz_rpGNU=1`@5j<#K0~huv@!%5np=6SljL*}$zkQ10 z^b`f2&A@bd(Dt71F-x#RO;I%8bzZ_VaSBwTnKExIQ{B$w8uqz`#6Gy8(hsw&NhUZ5 z$_2b!hq*oM%j8l=CS(mZ;aSXkIGB<>?-A|GQSI*${21TEJ1|-C6lwr=y5%>*?NL`= zqV+G)7`PGhslt516%A7q*VcdsNeO)^Z&sGdvwwGOCWW{CV0T<1b|hIk?t|P82}C`0&a%b79tQ@ zEX(@qcrtoJfcJ3;q40W$5L2i{5xwmx9awtuaCk?^Y3ZKm$+UU3gkZVBJ?P;=I3$yI zI#Bhwy+GLH#6Nh78D{v5h6JV+F>&W0$=s~rGMCyQ3$=_%sHsMkm@uMdEUZfb6XWfd_X9y}iN=`vAzJcBeXLMOFQu}|F zml3Savi{@GtFSJ!e#NS60B6S!+~Lg5BiUCQ`}x*5V-K8?dt9%^Mi>DH?8MOz@k&?i zSCNKdD3m=7Kel2lJ2^pt)>+<-UZ1?~#87D7?BiE+33mB&5LxX0WFJ#Tj8V;g~C`P@Ips01}4Yne~=)WGI*p%5Jexw zG?N}YX>#qCsL6^UAW0osjM~6X zwIOD+E&UI1aG}WLGea(XOjN~DtUA~@kc>x%7L?XT0{5PAugV*~@IfE=R=Zs9^93QV z(4$KgoN&`4ruI2x;909REJhqDj&a%WQ@9XPGDI&Ren_egHm~QcwOwZEvj%}HVso@?Y4m82^?&Hh zzx4uF^wbbK8uxaL&Fl#_zs=D$^fQRYXdlih2UNehu7`pyU-cBEH8L)_P(cqALJsCG zJq`FQWMmBxv9#zjQoS!aHv+wHE&3hk@HHPn@y5g(_29~F%Z7sM%It^}xdeZInM=_1 zDytsO=K2tnSN1B}D&RmLzxGD5s*$w4gpOLOP#ot7x@C#lIom(w@n}fOIcy$D=YJ)H zxO@0}9mw=&b_6)b_^q9AcAz~`(RO?Q4{I+R_(UT;(fM&~BCS1;^AsGqw@;{P)R5Y7F+Z@A`N%b_i zDpFz6F6op3qZr_n9E~wy3+W21hD|QyysMR!d!Hn!YM#ESO5ioCw~15b%Id7#3_r_6~<6(#?LxT?N+Gq1wyg?6`0)jvvD3n_uCaLV)gyg-dqU_+kd64Jpe2 z!>6=K&uYTC9K%`!%3Hoagu8K!I`~Z>8x_vor<)dtRIRi4ZL&JBeHkt;bwzi-QNXD+3j{_r~XL+{S|L}BAD+DXKZS8*J8ssc}FdYohg{FDA<+;WQtsKg7`w71e<5fL``MMj&C& zuw;?;ZGG9pdU~ugU9`TSmzs&8k4Wd?B!$kwt+RwF<|a{kgV^8Xwp%5UDsUh|-+qF( z@_C*FpSRJ+Nd1e!P1%y+lAS^M*>*(z|$LF4TA@l1EW62l7d*U~)2(FiT zK(O)duj|@W2d_pjUc=efg%WJ;0}SkG1f0{yY)-}o2*t{^!rB87t+pjKd@JR!%*8>eh)?OpS6r3>%u= z-=)xF&RYxz)pDEvWuKG1)m#}MD@pB$0*wZjC}{_9`+ZbEjn2JrKL2oUn}=C%N3=rD z=li=?AE%#Y`v=egxk!vZ2jgiYJtpFo4?@{wRQJ}QS?HOi=<_^4Is}bqrQRiv^+R44 zVcpqEsP}U}h8RSgp{2(aZY!+Za`9x|_B@W;bp1E&eSvw&?p%oaJCh>_DCpQTa)7F$AmSk{~hTA922QEiO zDsd-9o5rEeA9FXufv=Q0gIYXWiw3ot*(87E0pxQ&)l`H5TVKufBc_sE0r(teB;iJz zCO~g%tW!P*ZK!#jV?pW}LWQ+uf%KSl= zWGf)Mo4LNb;Rh>SA-?1p3@1l%L*-ApSr~9SvMbvV`1L$Z8s%qcTH3!yP6qo!;3^$n z`i)q<^1S`)1!zni%$^I1o~23=cd_KQfB3!Hhe z`+A)9Mu_3X2s%ZunXjt<{5dn&pzO2jIzqI2qJ6Xtsk?3>xYOTRbcjwUHSl`Fun@Wn zdn7pe`##Pt!0rpi5EH+Fc297{J2bi!>7K`^Wb(J*n8(#sJH0Ou^9wrWEGOZEf6#h_ z|0>6T1ZM4lrgr|rly2zN!sk-m=9=si?dSsy&e}3x0D@hnBXgs<-ojTKGa%>Knf?n8 z_!xup`4_P#l{c<{+ydbC($~-dwscYyio0l69i1^30uyo1gK^p3Bm7xZlDred2V;E1 zj<|qd`E^F*@_Ag|a?Zl|Sa%2Eit*uF1H*|LvO3o96bN33p$;EqY=x zw^JnEN^uAMf73b4=b{=l4GW!$JFJ?T@`<TfXZ?UlZPZ>RTn?UAJ7x|8`qv4#~bt>-_qIyPlz)^=a3c4qqbao`)BomYJNggb%td?T}y z4gmKScRI9hKz3gE`z^jfm4$t})Ym8eUXE`}-oEs=?0kdFMgYMojAt&EPb<WP1>Dh-sw00ZB6fLi2tf$oyBxapttLIr?>ylYuTAo$9U+CYryT??zHRw zuiQE_?r8bmILF`4`0q{ef0+6I`Zf642LQ(ZPmqe`LL~vdU?9w4is(ga48BaEzdg=T%G|B>}N=h?d?_5a9v zosIJUUe^1^fcH9HKaf}Opasyx`lCEJrhLk@aW)6)-SE=iwQl~mu7!6VU~*0DE$NZG z69ned>-OIz-uaE5Tvbsy_NHvNg6JM6=I_?-_cQOsKR(H>Gn+g4{bLp12$#POCla9`l!5H>CIhY9-Y$~S{Dbdvl@eWc*rr>SJ9*8>sDo`ic2kJyw&WZz-!%iI~al(YaBv+D_c}hz6*@;nKt(KGRB#f+(YPoD)D$8KQ`8Brq+G0y>`3rN63okmY)~p!g6Dbs;fg1(lPS{uP*B}ba@Hnf!|_f6 zRf3}kBc>*M%85#jr~0}BF>!KY?rUho_6}2kgZhNL=1Nv2CQy@{yze=Zvc4j!1lhY7 z|0W=JsmdW66UYv%tzC{!G%g|&rEC&tkGDHK5~$)6JYNw=EcspmE>ooY9#A{%$;L?X zfP_>?iMeH%iKBd@uN9MB3C2JYCcLh4CR0~^WhExKu%o;~_|yNQpw;55_}dF|C53B! zFYV4Nv&Sd6@J){UVQlCABNX=^@g4h*a4OC(&Oc5aPe%mAYGMLonOHV1C_Xrri^u&( zR44|Z(8c5aBM$c;ab02~V#N54{YO0RKf=4l#>AT9&9U9$V{~tSSJTDDIO|@@Kg{vs^V@dT5EZ;xB zn_qy97R$%oHM+vpok_yg)U8B1i2aANcrkR~trk=GT5LXnaK#S{nBRHI_jIaTdn?tX z(tG>fe7+xu?k8g2ybYi4+*VBUzfssfKHn(5|3IW&^*vv_Dgd7k{Aqs`Xc#rHj5;;& zR{ewTJnU}5@4LH)gsVF*-l>c4asT}+=27^=@LSKT424l7MiCF;%K3!Et0Ev4f5zgb zH4ftOJ0AZ=K|B=$@xDzg9&JXhN#(;t5l+RbVqv)N9tzW_;s~aID24gJuDctJ%FQYr zJ?&tODTZTziBQHu42i|28v&brt%$9q z8i8#Whb`o5Rwdp6y%jgL0lxI{BuWvd97Up3<`sMY-dtW(}3C5HD7c6`&kSU$gA*?6~18+j9&owyM3#YUw&WbwEyD!r1vfY$SzoR+ny1{Fdh7_ zJk!C&r;ok45sb>LsjMQ-o2GCfi0*#V;zbO>9l9+cD6XOwVRX_>G#!a_2Lm%AI2RSl zaa3w-)RgkcNL(9LT2s!6>hy^d>0|`h(J#bgS42&nJgFQP9a2nQ4vZ?T8bduA?6db& z5en+5flR&A4g@j8)O*B6QM62QL84Yk_X7PHd4zf%;+US|USYiR8c>yd2 zQq+LTDw#rC*cj;oKD=-9c^CR=^tjTgm=e+8ZB zpfrMBD5sO?$ozORmJaDKZPKG};-qMa(hwx`q2~ErV zi}Xa}2dZh~nD4{}@}B9Egq1%61^FN)f$%D~fK&>7F)q$SAa><<@P$aSp0?8z4U%)E zkFO#{PsDg(Y>ET;S|OTDHx+StB^c(piI&J#I>?g;Daew591SVucIukAo65yFV*Cgh z9q5@D+`{{~O2V|yTHTz0y6FCSX}H6J2+_|VGJ>WqoC#x;TXv{RdwWRwBvW*N+q;NG$n3XM*PD!+#=pyq^2$Vdn2Ra-)u&Zwj)E-1J|6({+zRsjB`-o2CgM7TMhbKWESuFLW=x&pCZ-1X!ZqZ{?ZePue%&-7d8O_;` zY&pt2>9hc;AOka>r(>CyOcRWL5J#I1p7u@!ibv0V`ePWfYZscDTNzr{no5NP`V86I z*Wa{R=We8Y#%NkD#XxW*ofabSR}@l@P0c)w_hcSJ0mA^5bi|g2HXI-c3nPq;oEBNb z>6OxlN`5KRrS?7g5!=|z7E+F&%=C2&ALgH=CKwaxT;x=vB942RvRxmoEvEG;B`Pt> zC}Gg-OFmCA>F@}sbbo^}kAeS#WQbGdmNxAIZ~8@Pos!bY4}iFrK22wDXkmiI=)-H_ zm5Ps)md~rdX&S{bdFK{|-bC}9qce||U8mDciz1n%>YsB??HbPX!-ibUvB=HJF#Vw) z+b;m(NEc*wU+qB#D@@75ifl zb>@8-X0#hF(V6GAOr}1-E)py0fw~_DVFabY)c7j)o%!y~Y}?pH&)kAu9Q%v5p9w$Q zT?~4&n|);Z92>`lFwtZyRU&<;VrF3%Lm`OtB^Bj*=p!_fa4IML38-@Gf!UmMVf%|z zzw*dEhp73rFEO#y1Jo3;luuwzI`4tjtz`*Nu^39fCnu-}$Qa}EZ_?CI>{u6z^0-g@ z=t$%?e!+C3)}6_v#WMy`OGVpPG;thrc=?|h^my{qb*Gk6tIDfH?ct}g$5In83`pt0 zau3AWMv5n>ndw?`uOtAKO%J6;;4&)AgIx<$nk|!FC(-L`QI}v=;OTo0`E# zUfo0%rSt?o;{0$biOLYdxh$*@|BG$hF^1^KZ^2m20w=zhpt`E zGlw58AHZtVDJy`yVLDABC_Zuvx;j$9^ESHDRr!{iVqC|buh_2Aj< zJNV%8(>#mw$?r|~eNs-(`A*DU6z8sQqSv7YdWyD_Y#$L{?VU?j7V<~3h zq!2x&ress@hPu4tx+fUs1zdkx&g0Z-2crfSeUf8xog8@a519@+Z+o-Y62>r$HEs8C z!^ufBYgCg(z zQAc_ndq-6@#CZRe?a4Eg3ZQktxjNaxgcf`{?Fios3$>+zMrO+Ge74nr|k6c>kHVI)zmLYC1G03 zX^p*z3{||AX->CM(4W>u)t2~Dxd*#AMD|4uKaeNi5R+4?x zM~A!FRMZcooSIB$(y`jJT5$`7^Lp8=`opF56POvcZ>b$jpz%0$%5j-!nfSCHnHc+6 zYPD`xK>C{!@}D(06A9HL>q|es0?vkhZG4U<$G4byU)Cis>OFzl9 zQGBF34VWsUDKkPskKB9th=udSub4FFdX{op?8RYJ@td1HKL*l!oq-A}fzGb&&Af;! z3H3$!C!`;-Nopm#UdOHumi7aJ;E^x7FQ*k><3h;D)+GorF7x`s%(QE*i)!PYEZ9=H zd(H<747*ml@*34F1RX9E*zBE#%`DZAXXt)S{V^Ckoo@Vq1mNV!$bagtew(+RB$P)w z=cu6S_;=Llltw~t)PBp#69G9Y(TRjlGk+B~R?pg9U1`;YS{Kn)i`l zeu9vP?#CU;2)&$jSOoHqF$%MiN?loFEBwUw%E^z1KFQ7hA(wgruJnW(PV4_Y9u`! zF_1!ndn=&hA{n}DEP2E~&?IMcxN2xF5J%WVH)Q5c<*HlIF4Zs05_o}k01Z=AFA^5-C|Z<*7W z07jjqN^IitiGk`PX!D2J4j{6b92H7j%f#1($Q<2814jIGCj-U^^RVezw&G|_2&JjS;gox<=p-v>Q zLlLx)X<=)ENedlXGzP=Oq&dl`{O9$LGjkUkXPQ3RqR!|?J5tEEnfDsE6NcAQ56U9| zfpA0?N0Yh&WbAs*_z4-ybLnAHzfhu#3meryO-vVX8FQdA9K-lU>Zx}Xf9l72Qc2b#lTPns9Di-LK9E^kmqSIFPf z`c6h9#%T_yG-sZsjkvd%t{={okISbUX@fWld%y-=oLY=d+m(Ldn=tCd@P++p%Qy1j4aiR2X1(m|wr;?s^ zW(dcXvxXyEq^(ud>8Aum2XQ*B8rL7gvM1<#J_t#@LcwS@1aqVt5~6EOFGQc>NQ87j zi2(%BC3xZJ((5EZ+dUG-%0`$Qta~7k7!gWO>ut|%zlR!YYNw<#M-TTeuOJgh3Jznk z-SH;lp<>eenc`DCK-blxoNc#4s16dwwtp-mj-FSx&HnSjnYe zf-(LjC!}cCXwwIgFvoQCrux!CgoD3`6KJ!TBckLjBOM)58`B}4Md-&2^muswErlxQBCc!H#`y z6eoou7fc$amOx=1DV3)g5(2dgwSQKhXDB0f1np663J?140)AXV$KZBP{BbBPa;!c} z!v&E#?PQI-o*2S3rsY|Qp~RsZqCtnZ=*m!gU){1m>TB!aaB3YLW7kl>vU)M&q@LN4 z_Dqpa;557z3YD_63-hV=eJd3xP4KsfH~~A-_$w*7#JMq$m`mxj$LM>gKSUj_r8^Gx zO{r#^eoy~`4>!C<3ti5f&z_j82d5K`eQ)eu*=@r}I-~%1jS;gR&Ad#UbT#pqHi;pE zhjP=8GCf3(C~{8--|}O#x%pyu=KUC9CWFUcbuBUv@qUf0LyD+e)*?v$Egw26VyMTYHSOCLJPFhEb`am=E9(PoAcQAX|$85ld1vP%8K zn5ptx#5RfgW9|$~FI{*LlcP`8Q*LPx&~NL%7B}=UZP9%cLm$@eiA2G*R3)9a$|2Oj zUGKB0jDtHYQ-+iGQmH6~MYi^~T8vbW=)5j;JRf9YL>oN`C)jU&f^ivDVhY2s3JW7R zjx^~S7~)Fb#?I5|vx2CeB%02yjz0c5wT(T_kT$8rkABRyk;x_Zre8+(&x_wt9_LX% z=7$2D5*{Nd7;V%>X;Wlr88G3_fxbEZJ;7hJd3anQ2)4qn?q{oqnwsW%sL&#`b8MWQO1n@5hUB~r!dVk9UumJ ztoEpZ)dgF4D{|y=Bobxlug$NkxsyVFPAkL|-)HPua<4D!C-ojBQ<3!j{5I+}-PSaZ z#Y85lq<8cU!Ol-8b};+R3}-mBu0#<2t|@c`>9v0xYMO-WG3Sp_AzAw=IvZQTZtN|E zfM7rN70IUKKKX(a(TUtToI9!HS%T;yztmqd1lXuiNW3gGQ4wMyE`q^K(~fa4ekJg) z&CNgm2+y%^F)SU%J%>uHR(BzsOh*#%dj4AsN|QN2>|Pqs8Yq55nxIm5$>Qz-WC3w! zVTen;?k~ppG>M_8EmfIMVDy!%2c4UUYYKVZFkhqX&zb#$qVJDDA<1+w+d}E1RXxN4 zgQYiRq{8WE#Z*?+ks zSpHo)oWE-LHi&rW-Lz56r@Pp$YfWnMoaN{ARZuByM&kOs(KKtm-=rTNN%Dk7YCK6` z8px3J%gCk4ZKl`prF2jV25s2}rX_TuE}k~-pDIe$f!Pp(udaF~ASo2;I zrJb8VZ1hXU4^j}SkGuF!QkDVVKaHlcA?eKpgqih4b)8XbjpAFbWv?gV!Uj1QOkW7v zm1CW5FpVl30hD3oH11)a6qSd|xsXI8dLbWC`X#%zhoL46XL9DC{4x<+iPtgEae{nK zbX25iP5ub}Wm9Q>F~!c^ojcu7;y-}9cxZXLkPv}MRE@|%;-l}P~{kX z1^Jb6EuII&i9WiVJMDoPqku+GL}KN2i9+g?tcG#0N72@qdnEIx_>m zql_Wc0K=Pc$FAtiA#_bn2o;{r6P@KT-LL?QRl6Vr141!VbQk+kX>>lbncPch3}4G) zSEi>MV{wOJL>p?~|Hs~&$2D=a@5ARL8OQ-9Z~_yUKt>WsAW@t5sXu+A4kTfVO>}@AEFd zf8M{oeu$aOa%Sf2=f1D|x^{JAlJGjFUuqV9!w4pgY*dwdTr5wb}bxfcC4|IgI)wD;UcxCd~rnbXNWDzT-AJYs}2oOtdZjsroX-d zdI?#IAA3DH7AeogFu6dm5~qN?ie~2;dt+vqem0|ZTPgjph3Shrq-l_rD}<$B7yB#} z6$^aGA>HCtP*#stuS`##4l3w@_bo(RMKEaGD^3~ z)=Jd_wOPh~GGjkN#&I99yK!gPZ&KD54--12ZQWeD7twOA55KRmz#Rs7L5c%X-=U*5 z7k%yVNGA0nO&r_}Zzr#lr_6K=A!&F&SYsyfNjT8{CCb$ybu#O6wiDqpa)5saTCBdS z#5mp%9;ATiL76n^*ZDusZ(@!;-$yzq=eiNH6zYrvR7oj!Z>&SF4{Kn&a z<~mKZ1c2dmo})jTbSt%nk-aFV~;ph3_2=Mho?~5&EY*do^ zE&B*$kEG_y0o7|O7bDWu-XB>anO)2gW0!8i^8kHe;m1hdfk{v!;>+cy{fVF)Q{OD} zO?`_=BYqj4n7@e^tKygWO-MrKc|q0+IrD+Ucu^Ndn)_&4q$4}dA9<&e3#nDJ%8}<- zS?0UKiV!vxRyt`y7J;BlUpv(B5*i{8v8_B!w$)FD7VXQ}VAk;{#Ptid6#igSMEe+i z@M0@)9J3i_#?T}O7@9(u7HuPa%yiRlp#FSp(sAV(!W1)hm^qj=SEYDg&hcb3QWbM% zW{$*IARO_xpOf6VQq#x2L+T2c-5K-dcEB(!lX8kHe!LzQLtl&WaMIPCy;U%h2pa-a zvDRNjgr^a?<%kok>lv7#I+%P%$PuOkIw}^TXItTo%isg=4NKM`3485kM0^zFPT_sSMJW5&I9q=Uhs>G;Cc>AVAwId+i*{3d)?K#_r7&Pa7x31=VVfAz!dlioM zprOW1i1f!w+()kVwyt=ET?RAt4#s$-3T7^5y^0ijyr?62M;H?)F@AnFT9@Q2bSKRw zRiNg)v@8uOjA3n{@~RI57v(--aUvt&QSu{NqZ}L!yj)etFV2NgV=@SY@l)mVgGekJ zj3){4A*?_5El5qVp{jYR-e4i<)i@5HByyF}*c(k6lHu>0^xN!OJ_eS{>NvAi>?}o% zikk0$zU>-&YS(Sn?`D=G)#>PfK3xZ)7-DGv6Cacgn;6Z13(PyrHj9GDEEJF32b$Z_&9A9T7?#V5>g9L^lza2vLJ7y2-nj*c?4tv1 zz&a^0zNfq_Q;uY7o@vh|En{-c_lR8KW4z}f{~QE(h|=;}VGzQ7%K8$MAeR~g5ceCq zff+=6K+cEn!G^#@p5?eq($U&S)Tob&wJFJ}G&5$-S(DJZV=9AYs!Ep74nRbAUQxA| zM@eDoyVYDPVpNJuZ}kc~7i>j$!EJQcu^%blRne7t2Ia}OxD4<3;7>q-#B!YUP7cFS z1>8#3&l-#1Z8N)Z(TW^}y2cTKZ~#-8InN%AwCNIKZRQ8n!MNzuv5Z9`VT)IKCb^(& zk-^-2QXldqQ9%iP&5wi90%#NKfO)dnhBSvlnW^|u@?en2!MoM``Pm%5JryxS(_N&& zQVV8V?rkFA#d5umD$Xdu$~Yf=KSw;uOrSm1Jv6I5h?Na=4^SJpsbGJD$)>Xbk@$60 z{7%}xG!YqpLpYxGgMU5HKay|V4E=AH{f{Fr z(`kE%w!`pTZaKj=w|6K&3&z6Jv>p08!msV+0B7)TL8YxO-`1<)x&Cn-q)^`av+c6K zlllApFYe>cWH)TSq&W0t;{TTKZO`#ndVf7}Yqq_BLA0U>{w|PzTmqpAe`Q!}UIK=q zwGiOp+`f1>vf@Q3p8Lh!n2NT<{*jq&$+;g6Qv3T&{{1fhIRD>X@$VGjC0ild?rZ_5 z1IRbFVkug4>EAAK=YCtZ{g*S^u6CdD@|wR9C@*sK|Nh#S8T_Ax@{d>f`{pldg*&+D z-?QdFv*1O}ygVOj_+PIG``p(DJr=)=%4<#T<&PK8mzO_ZAZA|vYzyQH?K;#|IijpJ z;Pb`#FC(>Hoc|XORcqRR{c6S6{7q8T29N*y_kUje;%@Hx(b^FH0lf)*`J6A0b#TAc zKTmjZF%-amK5bi8{A2HnR+i_+m~?1M`JXAZJ@t#K2=E?v>9##jYqf#@s$1*qi^u=> z6Wi*SyFA><{8d%ju4v62H-zDzxBEMpf6LU?rucGC>)W>__HtL-Q##$D>K*=PcC}?S z0H^-{L{siKz3-o3U&yFYmDO!vux*FMisQ?%ZtVyAJapfF0B|rXiu~U${(rl8Hom$3 z#A-<*9snksizI~WinUBKE`s75Qbnr&Nbt~aL!2rB(2~!= z0j*L3qav0v--hOu*jB`VhpPR^Ziy~Qc;m?Q@WPHN00 zmjI%~ESHeA$p%CM@gz4Yb};yc8}X$1k%Yp^kPJ~P*a+rRyuqZvnG9ERj24wWbtCLK zITIl%8^Tml9TSUtvIB8Au^W3LatME?il9AMe-iG7qwdGHT|M|a#*dI&a2nvwtJq$I z0_z|6G1}0vpp{3s1XJS~wHKsvhY7I1g2)@{dN;FR>eR-c)%75102n0WAn=~xo`C*g zIP>pF&o*gV(W`EJ>qw{!z|FL59S&K!4!~v1ftt^;4lC6YlS*-bDhdZ8<;eX3ZDc!+ z1~JlD1++|6a^(@LD~RjjvG4b zIE@(9>=9VVJ$<0 zf<5{o^MutUZC7W}fwJ~e=LLp&ow2L;(k7Ay++M!{wO0)*aKD{Z;&8D1?^=oZNxhi` zczu1E`rNuOV~nIM6U!?UitEy($ck5(xRT#-B+Vkw-l*If2?SAotrP_e{KSz&fg6kp zgd6ac7f98Tt9+De)2<(9JJeSJHf|t+Kublov=+a6Yia8i;B?8bnqI1RX2)k7Mx-47 zxcXY-1=mqkGCs-#)!bk^Z2eB^jS!{k2)x-2NSix9p?6Vut66@u6i$=yuH~K1>Hb72j*@hF7Kb!v}CzXu{+}S8r8-I+^)Wka^<{ z%v_MO7Jl@?Dz2$%G&8*E0%r5Wka`cEz=Y9-bUeL;d2Z<=MDF0LWEqXJcrbmql~}K3 zm^e)!iw~$SH_J5HGC-56b~9Qgi7OL+lmbv5$7xQnG>V_ir{j^?z_6`Ouz!YxVkxuB z$od|t*yalS>)*M_+6^$|YHaNZ$IIihW zj>FktywUe?D3E>!&Q<+E+T(pRiEP9X2WFGc@dlP76c09ij~Bq(L~wgeMv!-8K80pq zy9tlsV&T4o1KxNhN_~Ny%XP@e5$OlueAUlnzso|GCH28hm6j<57Zdp!Fc@Xs)Lup^ z(vMX4rwS5z^Y=?XK?(^qbUv`#Ep#^%*HK&o@57hC@e)EMfALBeV6&~Zsblk@h?|6o+ z$>4P*$@rCVpc1VC`6Smo%?WTVjpwVG)!Lt!chahGnJsrG2FNJgt-Yw)h5b?=80SdJ zhN|zFKNQa{a0NfX>ZV$|E0~L_eMl>r1G;eOou|w|^#Mkv{)l{*{ibG$R1@W;?rbU` zPSsJ`QDW37OZR~> zoVNTBXq;M-@J2FM80MvC+$h4#wX{E{Hb;mBk+-@mdm~qnw6UUqa3BE@hlKV)I4|oP zRPmL)E5aL6zr_=?W1)F4(Uz&;Egr00Wt!>$xdB5}I1#x0Ts0HKrQp|csx4OGCodm2 zA=uurT)T>yvRrS@Wm0iE(+5l{o-(_$?77!X?DEG+LdRefQRFW=+nvidO@ud@ND9a` zVH?YZa*cSVb_%Y`3KEyx1UQ4dgO{m^%gg+oQBf=NkmaAu!w;C%j8bMJ0QP1kXD_DR znF7!fXL{6ZHoM?4p+D=MCc-!{$CEpot5!GEdY%CP``noSaWdbW(+IT8a&>J57TPK1$6i(y|`ehnYIdCAqlfe{{5;KqU=nVb#6+bYQFUk<%ll_6La2R_OY8)W%Z=nC zCah>9BH`mUBF+20y8Z%$?w}}ki%LHZAUB&$6Znqxc5TYC54cEKg74TjCNo>fY|`CyhN!p}`Z*KG{i+&?i%E9?+5XB5;4^Ut z)uN`Kn1LV}!%$7Rl#%hNbg^nwJ4SXR}HSw4}T!3xU;2xPeJDevx;I~B>jq}p6Y+jJ7M zYLCVhHG9`>ryR^R`1(-{pSv9~!O4CiypF540)b;adbCg5j!(CP$kZLMv1jJWB0{XZ zBzHcdPw^`JRC}4)7%n*uF-vkBOt|_qsm8usB4bDckJ@SkPY{OFZOb3^WWsSUDNenT z6U3;JfiYW=dQ9CcizhH}9PLT3Fe!X&Rk5s+l@)_TJgQU#tAyXA!UzB|bE6xT%uZ~t z=)>A`f^kUpEc*lm&VaPnkhVU%g6%*59uq7KCTuX%3pAUX#H%Z>LR-BRGwG!FJ1jllbzf+`H=dvu4sYGhBU* z@^~wE6q{*-1Ef@s(%qIOXsdK@P`zHg z`Mt1?Ds~6B0Hk>{3i|X&jlZ<^eH>}LVJ4+e0Bn4x<`5&_xJIkbbs%d#&c4c2YqzJ5 zRlf^cA^DS$kW0C*R4F(vXE(E$Ps`cGXw?hxpF~@~R_G_^6l#SwvndInnZM9lZXXHd zKBRvzW9v&Xn-+$WL5r0#`}E<|-*Qm7(U03~ItcM8{NQyzmiYryZ}sa6rakVw^^2rb zwLi-f&J@YK?_OpoOz={Cs`)y`uadoZktLk5TEbw3vziHS8q9=bO~wV-@MH@WMtYLjMyulXa@*~{u=AToEav`D=6DYxF5fb8oLz0E{BrXbT{T)^GJ z8~AVNK^(>mAk*+zaOG&`6J|KqP?(5u5LXBd64AvbIcOvO3#T>7KuVsC`Dkc!suDa&V^a%iE ze=+?Gi8z|C*z*u|;9xGE3D-u$Q1l_VYT+G$&{=gUzXuYOL>BK2wX|6HN(wRibU2O# zNgaG^`3%6pn@*~Rb8~U1Q;uyXaai_N{0XB>PvM=GN;|xJLisktWLm0a=|0A5Qr9M< zn54haycH%wL;*oEib~QtS!sS|*ujwmTy3Za*P;}6(X1g!yX1#C*%6spffRcQPBJeA z^4Vfgyrcox&$u2bj`?G`pk>qKh~&#w%4xX#EfzOJ`*|Ja+!++&RZSOc8*RTR7J6$! zz4Jd7vpSmYZh?HBW^@1>R^^j@Le<`$h0cGV3KI?n0Jra>m8$m34(U#DvdvL&GmXEu zRf*J{u#n*|Hn&KcE)`Bku2t$;hE$TCzN|BH8B$rg7h50oSFI?Klx36A+!|MA)myxo zTZ2QBM`AX`R0e>tSpXqz(&28Z+GeZsI5K?>u<6%DRUI`_7BGtnS4VisvRbe+9QARH zRA)BFspsmmOf#D+`FqS;wJ~`1*)(+}qa?TFd!&|ftg`4C9g|43CQn9Y)8YbCDimn4 z=`0k$bP|@C#+-Y!ALi2IjBg?#+=sN|1~QSV2H~g- z^+H(@N3WCE zF^{@2F_skW8{wd|$_b4-jO+rMTmbDAp=Ir5S|1F=&@`Q!Mk!wh5l(ourp^nqw5Voo zw$4?X0X40Q7jBmtOs3!k+#5_ETn@o+b8-$cp=l~yvoQM^tfg_VY>i*lhl(Hk)a!*c zejw3J6(^42&QG-ZA8QEb&&SgiW`n$rkdNmd6DN_w7EI#!~Jr))dRN+z=8cjk~i4OP{U*rGIK z-;d6Y#(ntVcCEWz=sme%wgRr4_jg7hQvgYi+R?~Xbb}oK-uxZTo~?4p&IQRXb#yW! zS+E!VKo#@E$P9I);7Lhpztk=2OEou@aZ(5?4CS+GF4386l=}Yc8A(@gntmltKl%r- zlUw@YjEZwAlj3YUFdINb1r$vEca0BipE6&jT1Xc66VuEH=Arm(FMBui=n9+K1R<0V zC-YxLws3{kd=a|3TCMevDwZnXAo#*UB{g4}-Qb z$mgXm&F%aFGtUp?=kFyig7LkkAW7&UBncRF2us7)9uoP)+&ComO9^e31oR!$%mfv$ zZT1Kmd!yMibVlf5Y53AXhe_nd-c!BW?>IBfyW=6h=|0hCdQWF#ZzLwm>^~gp>I-Xz z6hEUh>5yMafa_!0J$&8A@}4m_KlbmPqCOhXx3B9c*S~n(QN_TqH;)DmnxU@q8@wpH zjvumCovbu(Y4Qk$l!oyVCwbQ}+trFAbivQfpM)(+(VPfh+PCP0c17{}6S_CY zesdyX?F`MQksFs5eX8HGas8);w&M;B`e<#@&(zui15sD5nM)8?;VU6R&e@B7nOl#o`1S)H14isTl{R4H?rWv8^1b(V z2ah_?w6T8FM|g9}=)-KcffdJ8GY3|NPuh63^0TU4mm^PQ-hOky=ShL9$Ii_BHMjI! z&X8+W7fUu@8z+qZO4aM|ET}qfzxu1{)tj^bb#buA#r2=OI(cB%2HEoFzSqMR*Tk-@ zo);tTT`i9LVrD!0Rpim`=Il@AjQ_0vIAOxki--EQbIme|eec~wGx+Zg>?jQRVb_r9 zrr401()Q2yc>0)sYz|yAF)QBGZqk!Wub-Rr+nvo{PagN^t2I-4Jo6l+=sL?kw9j`3 zrY3u3k}c<^-mY2VS#lp!wuVt|Iid5^tXMm3ZPf8W(|?%w&5hg@2~yXLo#{g_&KUn@ zH&?B~Bg}`+|2Q;Rc{KD${_wz}6$9&(<;QQ1?vs7~rcIbUOFm0e8~M$w9jUiZwL8Bh zsfe_9*V|0ezX+dPAzc)lb$O_(d#BZ@PaR71c}>4@7M502m5dn+Yxg$C@Xt#`iiRTHFHIkM z=nmZm|MCA>fBIj&A8}m#OS+wq5fZl>q7s}7@SWxwF{Z@LtCLecynNL7a_G)CNw@~l zzjx=JFOCK=t>?q(OGJZS^w=WLjoUI(QZ@#Nn3R;1ZGNCX;Ys8Y&lCnr14O=nzTzUc zZG%HWA`1WGaI}qKq_D-tVQ)~Wz;YA>@q{SF0eZNgOM`g`H1Od2LqK7Fwv*Kpv2Uwp zp&)V+r}+el0#n!~rU&lD@*Q5>uJubd?X!R8sE4b3%=nVZw*35*Q5+NNmY#s@+dFlQK`8L&qTP68NzWq%?6C`ar z2_XfryS!wu`Fk%Moht7AB0t5W64#Hovb=k-cVy=KBN-wMzqFf>@DW#bYvq?j>FY-l z5;s6oAGIj_#O{%^Q+7|4*Aq_ST*`LgtT;k)D1!)+j4e1yni#g2$(N>N?8Ls(sVQ4w z_iQbWc@NOLy9}_Gn7Gmq>E zi=zT0#VeS9N!Lc6VAc3yc;ey|KXI`8R!o%?Z73$oB^is^>6K+!$Z53uB6c^GQM=BwG)c#nlk=F zs!7S2^%}TY;ck2=ddbOjsorDJC1}`gfq;MVG7Wga zW&VORHZqdD%3=WTI2erTyahxLyyrD9{ z??e1$U)T$>CpjRB8UeZ|Keg(fSR;@WxbQ7?ZNev(AKk(yqmc=JBT05^;(uo2J+ zH4iXeo{X%M8QQ!><8TQRy#MWe3M%V&R&g7xt4Ft zPMp?&AN0a>g!N0Y51bOq|Bn6H(ZKhYYMn`!BhlNo8y>B83coOFf5glr$C04 ztuOmt5^d+>$PZW?#xQ7sY8hWTfG8d8Ld8W^6 z_0CsWZ+I&|^&urXvo|uI+RO%NCV5>tSMa#xF@43y&3&c5P3$0SRPSwiWbPuOjVPKO z0h&}+<1EBQO!`54npT)A2M2e5EaNZxU4 zBck8P8@%aYs~V$NQfyKeW}vhbF`0nkNEgE9{f=TReTdR{0CCHCEnKB9oQhPRQtuL9 z&1D~JA8bCwn)`zES|_rTK0>BEf5QlA+F-0}&kh@mxdm<}E<>3wGMVp)z?PusFU#)1 zZliA+LB(@74dFj1T!es%C}z%AB2z)CnZ8a>)9%KJpa!b{D8C4Skz?9vF|DgzbIQwf zlh*FNRa264-SIXuXNwHaeJea@FSAqxyg%k9Oy8&#TOK-09`G=n-gsA}*P21UGjjDA zV>F^`3u_TwWbT5J`bnTmIK(&5EMvZi>zW1h3*Tc-Z`O-Bg}asy%a@BdYhh1h?#7h# zgm#o<{sWtEYKNOenVoDmp;o&~R(oDn@6D!EErOCw1*AYp+Razk-p1LWcXqlDqJ`@) z`dq0EkX`nc0+d2t zY;q)e+By9jsAok!%xp`s)>B(bzJ{`21h&I$d+G}O2Ckd~qr(i8oQm`kqXO$ePnOi0 zIZP83J-k6#?Q=Fou~Js`qp3q-BBDL2_TY1T4^ss+3(z0zLA~{(k;S|YRYtk)fvekyGEuOHy|K^ znt2!DgI^-r$vFe_+grXxrQaf2WAwvS$o3>F0%gTw)q7mpxbq;zqJ*`wsFcG%(LUh`+;h5@o4nz|y$g;qA4o`?dQJ9|z1KfGZv0AJ*BTK>woA>oj zOw(J7-xI6%l3M8I%+Sqs<8wB>CIJD){3VFo&H7NpD&a_BHR8|Y#ZJcVBb%0>sG#3F zdhoYxj~^ToWgc4JO+@wiMYv@xDqM@AHdl=?W=Keg%@^5P>QGS~vQ5hW6TwmV7W%Yw_9*J?!8VZl=98%UXFl*jt|&8? zt(feKTP7o5u1I(+%#yRe1Hlbzs};U)#|A|;8V5>1jjig-EUT!>D7z`kscxmClfBoD z6u}$<1Wd>47N|*taUJ6NC2LW}b`YY}6$A*m3Nlbx!JF0^)3j_h?=SD{tGwuMw)@(F zr^v?Ibt+zC_tKr?E?p+GofecA$oE|SofO$r@%&*3(m9WkZ+K;Ga#w+E`E${QCy4L2 zZ4=@x`STF>rL7d>!-vo`3;LoAqSm(k3}CAZtMC^UaKfe%%r>&`@NvrX?w&KO;VEjl zFRHvR!V5thZV9q3aVH9T-{w!;^7Weps4`H|c}>G&+;S2ZorEY+($ugJP0PomS798C zltj}~fw&63Pd*am$4D@KFc%$5M3u`uD1HEyA>QT*BIoc|885<*;9_qP`#G`jcg;&g zE%!0}8Si5Z>eg`RE-L&S>72y+cCa!O=o?9yQ;FpRyoZINwDn;id8}FJl{MAFGRtrv z5CAEMQ_!c!(PP+1KyrPsa+jBNvNy6RCVLBicsU1QU8y(pdOI%IL}@$JBuhR*B?L!W z-}FW%*$IILn=4?;{I(LAgm>USU5bzHDPf18nE49~bJe?0MjT?Tvb`FUT4gT`5bK@J zctocdv)G(v&d)fu8!*Gz7OsCCSO)5x=-4}ub8J)LyDX5`luw1;AUPUZ26j5ZTQx2g zS;pmsLta|Yv=NA^>uzAEpE>7^vnV{mY?|MQ9liXvjlin$R;dJ;lrq1Z(83(VPBQ5y zKStJjI{Sr~>TM_nNSLQs)+XGC>cmcRLM$PuTn?PP)lcy9l?@GRve@?mmO^5dV`mcM zn1_xvGr%{N-ie;h`qqOi(Qmjc@ng@^Qkd*$p84~Fa2Rwf$y7ch;ZyVOKyxOBg7G)p zjWhz$5e8_>xQl*Ph`x*G-)tF(VCS(nk=#G*{u*JUf7S%7U(W8&Ig=$4!eARX z*@Vd`NN>ypJK9~3NFU%FTMwGo*HA3)efV3X+WvbrGF*__BP0f2gIu8#K9M?ZWAjKx zKTZ$Anf15KP7iQ#WgBvh9+oKibWYYyC;S#B?1XY8qs)sKhdii5HSAnsLbfTyjD_g*g(Wer7@E0OgG z;wJu5fsTQO`An3>W9KFGI~?ILv{)zXZ$h<4r64_2^|e5NpXk$@;_QdW=K8_CSQse0 zEu;AHKxEkJeW0J_n2##JY?aAo_#rF5M41v`#HeLCI=vhLdjx(w30Wq{d^)2NYfFOg zWoOo9wEF1sOc3j+d`%{Fwh)s{8S?^cDF3K)wvMP|iWtqpc%^p&QObN`IHeUiWG&HW zi5xl1Mw{$eG!+0TC3_kzGp2C;=+^A##vi@a50E+kQaoLs{jNc7(n_13a3!>X;L6Tu zL1?t^vW0xf#(0WODXLRFKE`xrTF1ru9%p?>;C&Y)SGJlvIX} zD<@ks;{-24s$@F?S-z}=1loIvtT8C5SHTFt7A5u04n#%r3=8S4jD)D}ACt3wFw$4kD05$wJ&vi<{AuTBQj56=IEKn(FcIfQ)~_O1ADur6 zWxat_H;o^l$ukgL$b1Yyz2l(ox~V&QGTHenl0Wozt>=cOAA)ZBH)m&*by(E$I#RuE z@=Cgj)XK#ffxPi!V;V_{TwjBj=WD1r%4Rb% zy_)r$(zqN|jH5g4Eh3?TTzYOTPc{hN#xIa5Dm9kAMaG+!?0u>gHBY58>fI{kkF#bX zu0)umr}=eD5nUr6!qPSN-%+!aOfqjnv@>(rwU+KOZV{2V$-5A%kbS- zX0rqX3fNG>rS-veHxT_^t8+c0-^*r6GYbi3Ut^~mJBU=N$^&G12lusI%;Thrl6)N7(pCj5?f{ZKhP8-tyXl_8Z6+ZfcgA&D?@v@-_@@WpkjUI|82_&f*7~*AL zI*fqM6L|rIZGI!MH)~+S?Bmg_y!th>Xr!YK`Gvszl6h+ zusBS+O|#FTeNWyYktsIpPt;BJkq3IEbq3EmV+W+8P1oQh?*fEE%s~9Q=4OE2Xn52A z#3<#NMA8YEQMv)8NLFW*{ra6@e5GR&jPm7OkY=eD?wVxbk`l(i^tKzy>MT}#l|-(n zv^PmLDN@wRTrQqgba!z87yr;l}&kKu>`D(oRcaeyUE z6_6EK}F@ImcUS(Dd+j1%9$ zGwe6^WJY#@3Fq5hO|JlPhtb8bcHW<{@45-xW#)|tSYZN~1ldKZ+G86FtA+hYc%R7c zc+*d^(h1UcYciS zPDty500RnZdHZZ8+ePvE*@)&GHPEHGS!m7*WX?i%Pexf5z~j>!5p~tXN><7h!~8}T z>(fcjd@GnWEZ9mrHenKOj+6*REN_D;V$bYsGc4+ovtVx6Q782^bkZ5>tZ5~Fe3s!@ zndV(NFYqg&Hq6mYkQ+us)&ax`lO*GHWT`yd6Vd1VJFp1a4xE0^?T_9kTMtYS-UcpJ zGbe{7ip}}S zIT0E90r`r9Om>`C4t8-)3zFZt-GjcAP9Jyd^K!NM}cY4b>Sx);__nnvX?n3-A7 zs_}?M@P&nEF}VQudJb03tQrKJ1^<24Sj2WT|AuHJ&t3C_Rb{0f)tx~Ty1-Nbm0v@j z!k%a(f9})NKm8)@WLzvZt!3Z1yuj01rl3RT?3Lv4lcUh{XYN*fMF{lDszUS{4KY4N zRTHe=VO`I}rVBK|Fut9b zH<+S%&Ri$qcIO2^iOhs7-S;b^+wvhVcOf##R#qgzpAK}tkhu&Qg2|Jy)RC`~l-(mA zP5V&+JToRVO@jwdl}Gu@9>{5`v6ovIA+l&1Qgx@^id$jGQW((@<1bnbn!9{Z zs{Ncoxk=0RH*F=p&h3HP1c7j8%V{UgD8G9jl0buu$~yR2jjUn50;?cY&0eptLbp1^ z&-6Q~a4b6a^O&t{x#PG$$kztU}BMRMyz7lPXN_a@}rh}oc8<>_{`{nx-)S1(s z;D&4zb$zl33@ZkWzu7E;Y0oT1aaWP^p|Mt$u+@G>p;DTTkPmBgw5I@&Ze>lFp&JkH zTN5U<3vz#lYWk{-4ai&t7l8a>M^1ahlV9PWb5xWb_LJwHKG{v2%KI>aoT9KeJ?OH zrNN4DCrn|k9mROJ1Ia(?n--0@_srXRz>qs`36j-y23wvMXWxXIjz-LH@D+@>xpRKS zxyfk4TPS;}AhR~9%nuN-5aP7;sC*D=8H5W5VSX2685e7v#|S3{vTfZ03ZeGcBIlA;i2o??#>lzQaYu?l=d``1VKN^j^k4eb{UGPI!KJX z7Fk^!;dXaL{B?Ot{PwPh>tO0GALvgMS&cYnW(IgJtV|NkGGBw)5%0geD}t>HaQc{p z!4Iw@_PY5EM1ML63#K?{BhqG)CoTOE+uu0~ks^Lt#wzTLL+e6Gycxhs{)>SmHxAL_ z2frZp7vP(s`TSDND=-%u_6y2~V}WS#FDPv`GE{mWKIpa;jjt3$1;6ahlh{I-u0V>! z1kRa;hC!H4F)V8_t**R_h7}`wCZfIUuc2R#BRF6WMAwT^+Iy%dPDI-ui^9}y3v!eo zzyUXO7pK`#;Xqh5V0|aP-gyVpft8O@!CQ|9Nj8l{)W9D+7=`Q3!ZY5rV7{TS9`l-n zl*%_ycz?R;>jmb%WH_d zmUa`B*e3*{2lvs00Vw$jHZ7`J)v`ytX^)t`RXG>8oDyf95`)1uKNVL`FyFx~r?L8U zekIBeL@kxbS&2+wuyedEPVaI3GzJDbT2Yyew8O4f1IhH{FVXz%WXLZCxNc1ALlwU6 zUJ^UQ#M{fz!AX?`csm^KfEL5lSBp~rgkwCi zo(GHLF9$^cuCz}5u>7Bib|t zC2z%WykQEe+knWN%AL3pOKkaR6@c@vEQAONuq)TWs(K#3gQ=#0EncE@uT3*ii(FJG z7cH0xVH`F;$06LZ6fancXBO^2*5EDuLu>WmPjN0bjmo8*`pT9!g&WZg7a z+2}pW54n#nMaPz+1&7dsHxYT0CObYRrg_G%#CLnkRHZb}HU@aNdC1SAN@UDKa+?&k zt(Ayo*)M^A4$*MqTy!@VXJw(5<9OR~OsDXV92M>{3bjCJ;3LvgS?WWlEQl1-4v-~e zCe7lXW*&h!-9WJZgQ0ryWMnKsEq6u3?uwF!pq6K7=Q9N11#rA&0(MNmw72b+<0p~c z)4oAuT!9|^D5g{DeiA`qm5^S6O_JF{8+hKKf|nu*Eplv*EHeztR zm}iRlx4}f*AmF08Zd>tb0WZ*s^owkI`+00UgIco0t}MPRZ80WuLFdGL3M6Du%Up!# zE`VK2_+4<#1TZm!!HvaGsVjAuf0ovS7Yq_XMl_+8gIIlV!3wmX*9!;1_K9f0XQ(9+ zI}-8swP)UpK`@5UMGqm;Y5mMyY|%FG2_Z9NPdY`Oy`l2{1KnT%|IzNh&QQNcmu zJIE|ETD_wAbm4HPv{{HwB1+y2h7MTCO?Vy4R(1jtaM%WY7QLzqjg_A>Dpehocflni z;4Zoi@p4Br8wDesP8`c*3votaR7cv!Ia5!*BEQQ|6XIP7oWu7!+sw}LP%@a-8L=qC z7G#YAdljO|JKsd+QD|o}(i3d}jk7)%5jF2Jlyv?G1Jle!Vrs-GhkmF%!Pr50!30H2XU-uDpeQ*@N}FGmq1^ zj7RZ-oXmy1;5;V+L%tuo7A&`_fqYG7F>EjcX)3?ZF|5gjWFt(olQ(3cvA~ciaGi-D)3$D|ac}O5=LEN)!_`vx#NC>cLu9I09NsGHP*DPL zKH;)s@fqPr@nACv9YUo=P*R8$+{^lkR#lNc9nd~JfBoL#8cgpQ6FeF|MYO)wK+h)!;Y}ByE3G_%bl%?k zAe{Uar2ZF*N!xmuuKq=jlc}hdH^tkQ(ef;Byn24iK%6`fC!Di3$|lT4>+3}8>#(^% zw9anQ8Wwhi4gmhty7C!_JE~L5!BC!XsiikA?~NPYLsES~H^UPmyDHTblpj5;+bdQ6 zDRpB`6z@sPHkl_EJk7sz_o+WONd9mXH>i0yuXSvxXdY!2(ALM~)#gg966TCHrb&%! zQS%gYBm$>d^E@2MtON6)VDJKG3a#TV3pOueaE=@!w|h1JiO1`Uz_w+0S4zIMpYgyQ z=t%w~d6Yfv(iLr;u#5a(?7e$jRMq}Jyw)&VXU(uT?2UV1kL-aNnUNWoEwf<;W|YZ6 zK_NjwL@_}@K|w)LKrux@AvG;A@1==_iKU69Wu{4GsYgrgXnCu=m3Gp!i)Eec`3y$s zx6bo?pWh$9zYedLGR(fMwf4Gx*84)nTFVGKkh?|LM0pBwzUZfWatF}Sx1H}+>qYFK zE0*R3u#5&l0)hdm$@aHyjtXG^A!^AXPm9^nNgV8!xb{fQ92i(iUc?}34S|qzA#BzQdJS- zG@_(bR3TFh^hew~uab`{dID4BWYPds6m1Y#oxe};OlN0sy~8U{r153RuaZ=nUnTlC z3rL80oBx$PxEya@RpZBbKlaUo5MK#rMU`r*qNP(EonXFxvF#q zDeg{0!bG;(YeLg?C5+w>r2klLSzLFC)#R zSGqN$7CXbRy_~g5BL-Q=)UxlhJyE=FI=yBMcRRqI#GZwX{hpvI>1Qj2BMEelaM}E& zCgm=ICAS14_8GMIY>SaYkoXg}NEC9^Z+*D*VzrK{r|p@vLnJ}e^Yj1MrM?0i&-9c-lp zG{Wsdkmpfldz*Dr=CB{3EE@BBWA=mQ(Oj@b958GZED=+YwVbJ~M%-7b_J_r4R~jro zs}Sgq!^n-q%anbk4Y|i+WmmO!|KJO+n-w3l-)6Uy;q49X2(YO$(sj318hferQ#4|h zaj%NoL-SVsY>jBOP7KzsQjz)k$20&Bd(L^u(EKZYj)ax2NA0v=;nyU+2eXaAuJ2kj zxG!tRk4t9-{W^^VYrYpzyG2ey!ZvE3BP^v^Q>e$>a~gRV5~G||nA=hZRMKG2TL{_h z%R%=whK3IdVA->Wy(#RoKSiwK(v&DT2X1fv!!&FXSmaIS6oacNG>!dIcxCKx~}&Hh1BM_Q_dY6}*1U z!w@CNZggXMvtY40)t+ov18#X3i+h)OkPN;Zr*O4Ju`CbekHCgoI(tCkt=bB}x}3lY zNx;T1D{M}^k?YFeg=}v?Li^yvnOOzM_3g|8NcZ{z*w4Njsn{5)5Wa?<{3%^yp!HR? zuD8yT%lN6qP$q7yQ&2It30Od`H0tbu?89sg_XVfl=1yt2J;!r{8PndS?AJe*~tD8ird+e zVnP|Cu=cYv>^S-cto^-6Eao-(cWsaYh}BI)?2FZ)JKxhNPFWLc&Iz+8NMmpsgzkbQ zfa?5g^K`%tQ&Scl!2f%$vEn&`^U-S*0@f>&6U;c7LzP><5}o<;K`<$(fGtD%LS^ zJ={RXdz$WUTWGO)EruK%DmuMkD92NG?PN>c3kP$CJd_&!#-QSkDDn3@LX)l7Gv}LsYpq%4*VS zV^q2t8)?Wjvfr_XGL|F$oOy_UX)~&@b2t67UP7Qc?tBTD`=+X<_4I2Q{$UwA5J%MH z`HV2ckF%bPF&i|+2}m5C^$ceBln(d#w1~q$-G*ku$1nuy2D&X8!|S%nyti|UFkTjk zHyua(QhhvtEtZW#TRuhhjVa?$Mlw3F27dt`<{>^q&Q|c+l5^JsVWn0BegCp_e4-8W zOC=jqK2(`F^3-i)Ka^2{GP00ZarYuhxrk=MUy!2q!cVYp5h`PqPUo**8U``*QVmnB zVnd|QtxT!P`aH*sVZri_DOY*IkoNt#={=qQ2*VFKBSoe{Wvpjln}8`+u>u%xF^{P9 z9|1xhG3oGy-Vsh7V=ih~9iFd08%Fe;PIcj^9kXGXvr@Lla789Ii+vXMLJoGj0^_V@ zIJ9P_o0?m!VdnrE#)@QP8I!dDNf$9c313N>Y>>b^1RUS2&j&2zrhb|LARpav#{9K` zYbCzt+;VxLQ(y7zXke_6|@Mydmm^iPReYRKfdVPjMn>I~5(r7D&)kX*n`p*FcceJp|b+d5bkt zBA**y43K&t=Z0WzbAY@O30Gk+%07dCScnAoO2eadyK#;;S3096tIeNAHoPKQY5=|s z>)@%J{)vdDdO>IXHpn;a06V^ld7wU{15x<*#8c!hJ3uZ++Gm>`>a_1L8!zrJsBFn% zzj1lliL5jKRRmi-ty!?B@ygo}P~+=#o@m3Gk-&6M&TmBW5QL8=HNmi8-AOYaN3ps2 z>k*r)zoSa^V{X7&lV*6c^*tf+Lu*TSZ87bsjCNI*+y>XswYxS!K-P1FzX7pv>ZI9F zXxO%MgZR3oTl>lzZzJk$zQ)-a06?X?A0zr>_9BxVgr*&B&~0!@bEx(j8ukELImV{H zrFI|eN+;+J2U^VXo1yy64f18J&Y~y1@Euys@34MnFy392k%a6^GS(yGCDnVw5&dM^ zO^y5;vX8mD4bj`mkD`r}koioV-q4*Kz3{bdt6rxjf=;g|H2#iOL-b7EgHKGyR1#fu zst|saOZdcaWW8XMyZT)y){E{qAC0$@&=7B#dyjG8Q`NhthSzz>M=7``s@L7;Tg(GU z5Mn9!WZd}f(Z5p*I(QOPe27ny`jN;;dT3wy4@!i?5ipS^kBGo`@Ho8RkYg&@ zl2_5yhl`h!{6b?P9|H=e*5n-{aR31lu%iQJUXvfET8Z(HDr|gzQHK0&YVIpl>9X%mISRROcOE#4!a-lt6cao#$E%e|c*mJeg|R zR@cI&gH$>|Jbe)cleumpJ2K^KIRC~NkdZJPQXcUGNt*PTWVEDH0-vBgoP^W~O=z6gXE$_n_S4zQwiom9qIEdAF=N2WitJ8g3 zdr6;;KtBl8pCIj9s$V}&e+H__JhXNml3qf%hM!KzqGW6z(#-|6r7Kl(Y>1D{0>Pd8 zbiI9R=I)w;Ga!`W?-Po2{?;`m0{wx*k-zf;&BHPNK3#EA4s;e2S8)u`Q|ESHM9!2S zsM(iLLd}iyLy$|*avBZakVO3Jig~?@OZo@w7=bPfwHFU48%4I&4S{|20lv_ZgRUDX zM0CL8ZGi?oZ?2nw&49?ZAPAhUsKz$K2e5X|eU7X+{cTYOYe|`jD!y8?vBd@G{AchZ zx0aKU(mEeNl(O*K9bb}d>?rFjRYN7t12lmte=j3CO$Y0?U^i&%1H5wLu-i^iL0YL3 zu8m+pRKa?rbEs^B5Ol5HhaGE3OlNOGOY8}LFM#<11EK~)aoRYgFsokW*J@7+!>(-D z5_|@+FPLWH;nWLh(|w`doGs9E=WBZb&%-j5Djb;&U)})mmx^W$+N}HDAD;^MNh@|J z#&d%SHM@mZjx8{+^Jm^v@zEXJpM{5E@M(*u1`9pxwd4&3Hctmq6GWm7ax~`kK>dZFhp?yff!(LA1;s_rn$0jWV~Dge{p$%|PYD=6EN{Zz>nT zKE{XxLChw=kl|Fk&TMBk0bpm1s__UC=dc>*Xl3FyypsNG(~|)CMhSRrNl;cUuItLB z(+&uj7z&dgJyDPDve>}dL))jICf#E+zj=54x{Vdd-b4OlK|;PP#=yplLQ6wbn=$+1*qu-%93>gU^`0Qm^2kNZDR!?3O~aC)U<=| zS$0EvT4lj2+F)D7slg3xl1nLGr7JVHqgcmb0A0C~Ebp>0xm!wpT9Rm}8nzzyNnQ_d zBM*%0nf;uj{Tu`H&XQlV5|OqGy`&b$8saUn01E>M^n7lxS}s#&!~(=?V-{lbOe6JP z74`hoC?5yHS49k2C>N?)cmb%B7Zr@3R3v?j{C%Ppb#IZp` zCY>t}Qq z!u4x|NjOY6A0_6W859c=gsJ_A4Yq%?Z0N!kzD;TgDL6(Sa<=%v!F&idAwJbPql?bU zk|)ih804g100ONpLyH}w0sPI!^AWNi=C#Qq=|gCm93s}0(}MGqpYBDTw3(ZEB)i)X zgt+<1f{AZVyMbXucM6&eSgiKv?S&AuTbO*S6PbIHb?(J=w?whIP=1cCyXl4)ODL}U zR)4OW9HVIX%t*RJ#MwAg#k$!Q?B~`P7R5Gvh-CBX(2@ay)xpD2J1SV%u$rBexdi&0 zj{w8XYIs-SNUYru$PQ-D5X`1Dt^gX743LFU)|dFq4f1s;(YxbeM+Tg9l9g3?ho~1rLx1 z$F5r1k4==a0LzfPk2U@bti=IniHEb6YPse06 zZ0QY~d^b~3pQ&KipMcX6LCKcilQgjFObPHJwcq?jJ4uT&^VoAe`sxxw4>5ZjvHpa5&4)1Z%w z;V~DXWXo#d#;V5km_))APdpA{4bF_N!dBn~@CkRf`t924cVjgotC7W=AA&0gh z&^EKIuM370-OX-nxc%Fa&tsC#ngGUAI1)i~W%;RKa=M)DB~>8D7P*nI&8#eZR?P<)|uME)ctpp+jIl7M{p658=OUjGhaF98Yw>eABMV`v|Qe(pGPu>e7S%-gEB zV%xC%X?WWxG&|6FFi5@=EIkivHd`5joe?K6=R2O2lR|9;-vw+@xt9wQ!yYVolGr-_#x`Sk0id2{0q^KH`y(*tqKhoC5Rk z$rsmS>#juSG!?wpKB2T=>`kO zoZ(?f8Iiw-V#l-dq+6==SaY;mHY)*g!Vcb4hv>GJ?cn(IINEX$v5yL`IeYs7{6jzT zB;p6q_WWI%wSy6`$UZ`Mze0^)A@-e3(2{}rRr@0Xeum=%=UOb(N|8``8sAZ{D;oC# z?qx>_lJb=9H~i%HG!;5aTF%-o{3*{~KV;vrRSj};n4Y|*+L`YwrI~jW_07~_=znfI zpGNj4od2No-)e4bM%3mlqmgt8ACKT40zA5<#-450NO@g}kx!I*cHz%@K44@s$`}U7 zHt(%Qe(dRoI60E3Hy_`rodtkz=zt+)J%L}Tf7Jkg^%8!T4|gerZZ-kvm%`xOOOgS! zKjd35dI>8>jzV@7Y|=aa4XibY9`Q?cAThq=ZV76Hzn7rf&=u?{KH&?siW0B6+lIl? z9J&a$8oCYlQU!D(8^88-AyhT=oRnZ$CbcX08Tog+035Wdt?H&$Wn)X~pH(=wDy2G9 zJ61v5pm{i+ohJ21{PXewMBEuMXqP`29j8EQpK|il@uA$?K}=q(@du5=4xC#T5}Tm8 z!H@$o-OW~RYAip>7!B<_Z54VWA4UbPr;V8v#h2{$Qt?=Yf&%vzW%fXfL#*9Opb*Cdo8W&Z{^?P>+*`P5dDk%t>a__^F0lb@2QCS zmeyZQhP_{AmgFc;ss^(;n8JdPvGWlLEU-Y$k9Wa#AXh2zq0V2CzAAtmF=uJ0Tg=N0 zYy%DJPprFd=xfv@q~_)1{j`U^lm)!zW!=Hh)I7zX8pOX1EO4tsqwmX-CFV(V>SgQ0 zz3g4sr;uaC2GA$YT&z73Z;eP!T?FMavC&6^<&H$7zE(xL1ArojeRH9OORW8SB|lWu z9XLbzNVkcY_3DCVz?wDt;c50~N!jcd03ca2VD@rav@2h_fA|}kz*ovt* zek+8Qr6>KIWe~;pv%E!Qd5NEMFJhGPu<80OcH)$$_~Az9MZcof*?sBfGbh(PlswX7 zRsx4+IAb~Q!w*IwZfzg909}}$Y@o6^_Ga}JF zzO#8xlJ_Pa%JlEUU3O{rxj+@RU=TJlL2l73j4{q}736|~0R-a;QX$+oFF|~}UAK6AyV#I0|2-_e^&+4LVS6UjVIRTs|{vJe#d49Zu^7=^AcF8KUjX{1XZQf}5tlyj_#)dQODrgo?cq4;{J`HjqBnp#bFUsM zKKc^QPyCrWr$Yni#bOB$tW)ga^6lY>burV_O zvx@apDx~2^sM-WlA8|RCl`G2;sCL{vhdk%d8TcHJl7F!uzsJyCsj>AB{;{(IA?Hh!SI)z8?^RQ3<{L%Tv=>{k;5%n$Pw zE%zp|ixnWhfLs}63Q5Mf8)54+^9$~@iaqRUK+qR!{g{gPJ&Ta}S^$Ld>*StTtwiX7&D7B7s1rdl9O^j!eA`T((S!F%(dE_gC*wEL4MfkJ3~X8>Fy z-$b>IzOBTPQg@&>F@r4Dy93>y@yxXVV|D^RC!`74wRDu zv!1h*t$!xa@J2=$)^6*Y`d!Aq zP)0M*Y#K)6m#Din5X?B0jkq2vob3PrgXaZkdt@}MBiI+OMeA<`GjEM5{~rGgQV~_d z^i+j#kUcBw6}Kxv$sqSi^1$X_41=h-IUDfZ=_qA7V(%IbE9tIU$i{>aUDs}wH=VhG ze1h4_k)GyawRMt?`i#xdKORbA=8e{2{w$pQj{Ox zv-AaAc7%OMDo{8}{YGXhfHmZ8d<)ytJt}2hnCC}Y9^>cw%_mNC7+W8Y^UXqz(A*h+ zCPiicN9J1gSYxC@ECD-$`iz+7{43|#IZX>;8TV6T9ZJj;7pJ75C!RnM!MRY%t{DbZ z`S4npiL`uIC8p(|H#Q-81iE15M^yn8N=F zvqwXh&_gPyHQMAhwwm3~_H@7C$CrWtvU!J*$|$I%rwf_vP%WKFOE!kAx{_!hT>xZbk9 z)q{Qdt_DLOP<$E=z;61khMKu z`?(3MytNu^!$~8jn={uq_fM3Im34FZ6!Qu_ao5e`MRAevFaC+Tlfh1UX zjaxp3PiI6mPN&VD!I-%?Qw(zqf{8K*8rad|0p~QteGMDrR4|^lFxo;m9wHcG3b37; zuQzYNb|D;R|Im*fE{#xFTErN!*l?NK!;pj;XTvHy0UJj`*KZY^4Wm<>i26kwf4T>E zBmmo8%V3+{JRz**TWq6-l)jIw=7gfF?RhvMQRz5G!09687=(ojUbl3YUqwxqm?>e@ zNU{v5t)PXy;$Ou%sJ#WhN;ViSrzWs1TzM%=yXqJ1KI?u<9v5`0SbA4R zDQHaHZAZABKjK*#aQ6f7MzKex_S01v>C-u1;k##1{#l3@kCYVJSTzK4UcCFOZ%nAI zMaUu#p2ECm(&6!`+sRYMw=`s!_i;o#zCP)A4{f!Hn2xU`CL?2m__=NeYnOof`nL6I z2v?>q7~uvIJj>q^OZ76G*J|dZSP`>1Ix)|6m5q|0!X(NTmJ*H3 z2Lle|w7pAzs(alZ8r?woGX#3iZr2UzO_T)$>ID7}z1}_9ha|3+TL9_ju+tvUAOi6a zYI@rpd@XGTVqed{iIN}=Fc2^z>-!<{Y{xNR8rs+1dQE20%Qm!k!U8%=_pcuzaORll3u|k}1tO{m`J%~0; z1#&`_lSrfZiVP7>OdhJSTfd9sDm4|q2`+=#$OC)=BF33FTE3{*CuTVQNq(cQ!|cun zSTUtlyep1{DLKT8C!*+1!8*Hduk&w>i{J0kH^$vzM*M(@?mfe^&h25?7VS9Yo((MQ zW8Kq?_W9#>o+5W_|NbtWcfV5J-(Pyq`KivhT+{(8A3 z|GZu2ojVGsuj7B*`9Ej)|NJqXPxO^b$SW#eOS)e_{f{?%uWfV|?Vqg!%AoTW3BKa! zyx6B-SNTUBdZ209|F{A^`4AWP75RUmn(tU03 z_wOG}l&{_OoA8Ix@&gUl*Va0Xe;+vDYg~Qp_Z8CbNRrNOBm7>~`7@8s-}89y``C`$ z{{H!oa(J*1JM-F6RXfY`oR65Uu1lT;`Q>!Kwb+n<*T>a0}{-&vQ zKKu9L^u4CPd3fjDePW{bm*<};?!4@QlyqL!(TF+|_19}2NY(?_0DR{D$K8VobyTI_ zQ~94B*LjzY`r7&Azh3^Ip8UY&APjVWB04MBy=44<<@>%nb$;xq-<@gt`@8)w()GaI zeBH=>)!gS73T@`kpL?(Le^FTX-L>=#JQZQ-Kkg1a=7f-vV z;C$*Gf9;}k3iGnH`?{E)_!KmEL67^t6NLXx5TGqhomw>M_nLpN&i{9U@aNzSgH30n zzHc;wc}VBC|D7N_Fc0|e1Oeva|D7QGF|q1wCigX-j`_uZCkT1yZ>8+DylxP$=x|2R zMEWd3#uZJeoB*I-#KWQcj17E-8owV4>HGkvYa)Mlw7|y#kony+_sa{Q z_E>;+HK3}n`OImU5Ihh6`6dLNxB2saf1AXY0{I19I<@v!s)n%e*sP*S8Aao5gNJ)< z{T;TrSXUYk&}Z0fPQm5iQaNNNPQuR!ZAzyrZ8-cL>jZ)c ziUmzGWqf=_8N`OD_i(*LuqxISpVbCfJ}2l?R8!JZVPbjE=Dc(8C-887E7!^j1s zDWx+3WJ=(7&mfJ^+3o7MoO2R zl01-2r!xl6hXl=6#>Zv-raj1s--;{F9>T%vxbH>T;cYxPQ4IvEiwH%yUxYG-is%y4HAWRd zBGr+a82?B*hKUIX4-99cxtO5vZjpS9Haa*aBtnSMMRbn|jS)lj5n(am5r!CJOplm| z7*nJi%=cEI(x4={;xCe zx3x5!j~K)&I~r18pHBCeE|6K@50qFOpKxDm3Q=_)`qSJ*3$`(T{T8m)jq7Y<^D&Bm zR|jQwlY&p5gNw?RtG@jG;i6JjFr)vy9Da?p-(&ObFCd4z;6HFt`RmR9!z2GTgJbxC ze>&x8fD?|?KBt_nvC;fhFQj3OFLM6ywYUkr{xeQ~xT291F;BH^16 zIL2=bAfnATzrMeSsEm|?v6c7AXpx`xCx!XkS5QVjUF#^Lzoz9sr0{RcXb9hT5O7Wq z^gWTv4mY8$zA_?EKB|uFBGma3pnSGte%FKLLw-N$!AkMhZ{f5NH;3O}J`svazX(N) za+Y7DVuW7|d(Pz4m0A_BuXelaLU5$Tt$jP!kmf01xJ zTwy+O>%jucf~dv40(-_!yUfr0%r{VA`)_m<*k2RpE3m(Q`}f1o>KFa^x9h;1XG}+- z9XW}oG$_Eh3PPfVe;~4balw0Wl5i}H_#dI;&fp>7C%VCTK=F}dPzRrZmb=}vFC;O< zU&s)ua{wY-j%be$f=?DxPXkB_l>Q;a3!zjpmum9>#%3tqg{?m366wba+mcb*RTQ0C z96oJwSyAPLlJfDwOZ1!FDkl_`hnLVB$a|odu1qb)Mshl-4^kDBkE8VT!y&)NopBH< z#}w_PL5Kto5*FB=0|v%iM}Ly;mXLT#SWo(Rm0~w~L~&m*2f*>91u(C3?bS-@M%F@w z&jiMHQLJ(_14V#Z8Q4K#upAK0{8%6_q}Sq}LLvY~s8#MT1Ut=ArO)BSBt(1QTcMLH!#iS2R9b-rACa37n`Rk9O~=zHisbV( z#Q-PK@lHrf0cP-Pq0&2Navql)x=6&UW=76B*@{{y_`IXqV- zh39%3L&B#NO@?T>X$?Id|6*AphLTuiQi*K$>9+|`$Ao-psp&a>9=u-qrodghhKAxd zr3r}MYujAV-Tu9Ei62#D8flB5TtGJ9@cJu7_&7C1f@#CWK&cE8#`bFYmZrNwOBz2x z5*cQts@&wqpH5fvfn)+ZAACloFa?>W$|xBt4^q&x_+2QP^p`+jxC$Hnp+usweC4@e zFVYRRlwmWx$Llsx%PrB$l1f8?NpH%iYvN<5ML9B}3sIIKQd*0^Liro22dL&4mMGnR z+8;@%kM86PpC3JbZT+EVarX}D&7o(1*v#>2AAcf09;{x4cpouIkay|> z$5+f3!1=n!1#%0}RBU(g5FAe2kaTgFslxMbMRHuqLIqg6_s>h9l0j!l*ySBawZU;0 zX8!@iVim+*59La|kU>TDPvJ3Gm^+Fs^KsmPBf?W4S|u0&wIFEu_=pdopznqG4w#QF z6IlH2uTPQila{hCe%J^vowl#oO6+_<2ev2exP}TgojtIdziQr3*R7>O!DGzUF!b7Q zrX!{~;%+k3R4Qtzeo#XmHmnts$R?-HMBy~0WJ#IhZ@#Kw4v>*OdFH#zqjj2J0-wt(lW%dyY3w^ivEEqWU)?IhIcL(*%THTv(>hKr!P^xViQL=L6Aps21w1~*lW$5S+(#pG)sk?)aUv9%fu z67-}`$pWt2AGYKj$MDBg8=j5n>LLWvDjAFYno~?WrM?vPL5oEnMz^?8ILovjVv1Bw z4gjW7K$oq@_3ex{S;I19DEu4DGP;v$HULkd2T6mvk|7eDm(6n=SR64>U)bk-UGE5Z z@4S|pZ74wHd=SW#LFv$u-nn=>vD@0cj21lVN2g`_<5;LF!!O*FXJTe92M#)hcQQ|t zd}@Q6_rqpfMLlT<0gYOV3Th4?W6%bV;Vp`DP2Q=2J@t1viQ)H%wXO1fV4Z<#Nbx<^B^9O8b^HqRel6i6x3wy8(^BD zmjmca*2N@wrmK-Q*cZ@x`=cOz;aW*Y<4sf~ioP~c>W#_lr2PsKY5j22F>X!DdnqJ233rq_`reV$vYD%{3OXOM0>A{R$#pDGS9K`!bY)L8gj%B$` zMH?L}h!O46nN>*K0k@;8EIXfz)O> z4^=EU{xzzhBpiUt6A(;JW=ne_}8e2UD+sVO}1109uB50b(3)|;LwYX$%B3MknpBdY9^qF>Uw%)L={pp*1PRU*UCVp zb;OFprE@C0PAR>(BpI}qOhUnJid~Ux*hU2#KC<2=oSp^MrVw+k1}D-nKx7j`gaPnN z$P*-QmQcx@3)1Zf1@IvCTfr~5ySNPZlPeX%N~$(-zpMkB7;w68AkT;n_yf4!HDn$R z#Py~&c3r_pkX9%eL5&d}O#%t;BRCWfC|XJwehw$o;%Xra@3;Ge1?@wcs>Kq+lNE=t zzt~+Gf>S>~{sHy5kL36Hm4TS0C{I6BJOkrAdd6;j+HGX~7o)t6wIj4tgdvw%qfITP zf_8su3iqysF0V!jm~37)c&|4TD=>P-cvs_*^snN4%z=u?Oyb2?g{Pe%$n!L+ODOty z-K?UOiPwR>4UcowoZn8hh;qu=E_gF`Lr0H=)(iM2$Fs*79B2A6m4SA4ds<~s_9Ua1nyQ;Uu`x|W_U&* zthFR+`>M&Ocm%Z&5S^rZy%$|bg4cZONoq;5>iPzgolK=Us-)ouiA9hpJQHLus2uAT zYUu?;6)2@AtmkQvDEukF6k{&(C!+mVI+qP-cv^_2d*4#gdN$xn5YN!jnF1LPvpY8% zK-|`20frj|eOLn(V^Od{B-7AJm1<|vvu~4Z-8z44OA!%Hq;Bb6(u*F@;6hSrKT&Hs z2Nr#KAU!~BKoa=wQR9@-Pc=)Zfwt=hSk}L_$z6->V<;y}Q}ICOP7ni_@1Y+C{QIR4 z?u1GVq#jQHm@#OKYjk&1b#KuFAe%xOHN(_u>?;`Fpb~hFp4?b~xK9J2&&_1w4BU3n zH-!S{l@|~$^Y)aCs@7b3kl`h2F3h9e0wD>D!`CFHP!1|nuE*pU8$=B*+NRg2E~KF% zl8~$-G2CL>kYIQXt&}WkW1~u6LLd6F{dDU$hx$78=mK@rr~1I&(Q;e-1!1Ibxk9DY zZN9LO=Y@kt*In0(d>!o_MF_P2TQ&j3k@zD)7;}jt_d@z+u>*AIC@Y4LD42 zfe+X^CG|K}$!b}#hU`!e*46$!3VGZX55oA!x^@^zE+N0EJ z_k2W+_;tEIx|^p*7w1s~n*P*G^ona1-F#F<$#E}2A@_ALzPN7#Ut z0X*HRgwHwl*L>BB)^h=Y`NxB}uZ{U4vITR?iD4quTGW*)wUp@|BX#QyH>ilTOhg$x znW*hC>N}uHQYrFoZ1|E|s1?=Mp3BNaMGmr(8ljYGU9Z`L^q==E8hZK{>SOcsJoTzQ z!yO7*p2n^kX0OFP*_`OXgFu}h527~Fvyzq|Vy71S1H2)c3Ixb8wkN&}Hl2oKbkbFCd5SM#z<_C~ zK-XM3A%Cu;^!E95A{#(?>RMc{;2@~Gtl8%0*n;1-9`mQOrRzPh(GMvx_`UsCH$$Jp=rw^`QIjl@BX9bnl>?bHp^ z-m1{J`#fqd5(|3^=`0m2}L-bos|3nWy6E;HkTC-1Z;D6{xUuU9VSLtTlu_ zX{%cXl7I8ryHqmx;KHnrDxq4BW>Ze8g=R$u^s@V?IPZJ(Vu~lD_>ZXGt#M?yc$|t+ zN;aLFVZIGA_Rw*KTAZRwu`GEW6>yuQ4W*FE1G#lg*ic1l=UPCpPT->aNeK5Y2$Lsw z#r>dMhLM38;GFdakhbX_HF@A)#h(V#)K91hq=8yW>9lhhkfge{upK9edfcz*ipfF* zsuFO*{I^ur$~Yuuiq5(S5&#TF^6M~~Y!?R@RQ%rg zmw&USGWrV|(?J-r&Z$bWSuT0L`JJHa6IuP%UPga4mCiFl1|LLb!PGOK54>I>1tR8M znh&I>xNDX2J6N}!w)btTD9OU-w38WAmG+v3u3|(j^t**=dc;IB`g%_6L$`bCfhpL) z;;GUSWWmi!tWJB%K=mfuC=FHR#8IvhD3@C-i%V@Aq={-gfz&(V4KJWAOHvM;GN%U` zWzzm{Avp7uf;X{lSRsC>WCaekjt)HZA&$Xn!vgKw8koPYkf|P37UMU1{XRm4iKBRd ztitxP6Rb=No;W0L#=@s~5A(XJs4tBApdv-5W)6lf2Ro={VTggpA=W^Z!%jV?`;LRb zNe6?}V-%ga*F6a3Sg?E!iJPe+YCpdP%721;kK@5#q-Qi#Ug7lHk%WWcCEn@9|cus`%m z`fH)`Xpr=T;Ww6lnYvpxPP?FY>N(y3NN#3-@BAjj+cU56Y|Pa-^Hc62k{vIDh4i@okP~>_MWzvE#yVfuW~> zuHy|%&*4IXrPsl)FMX$Oqdzsvl4gWoW!y|vPQUKV4#Mr^()@#MWrhXR6zvj{=%HTn z%^L!k6};iBJyC38gXnB`QE&Q7TuNy`MB6eAy>mW$_WEnzwjS_>PRw5fGZ|*Qe^Zq1x{3{``*~f@x>VZUW;TRdztYMx?R1o_eo1)IEb0|LgWswh8cLF#0H$B< zjzp%<3bv7<>w+lBAqzDe@3DlCiHC}HQ=s8U1HfEMf7jq#_7M3A*J85-7d@er21*Uu zysNHb1(%sEYHxAFyF6=N7|7Z5IE2|R7N#HwY~0Z>uZFOo6=!A+hM1RXS+jP3uo&55 zSU4I-2(@@UkkxldX$sv>1gBD(oDCrNf~kp#?}J)Lau@0h4yLDx4yyaY9>7n$USKAS z7>2iDU2;#t*eQb`X3q}5x9BXX)xzJbTETPn5^;!2#)H||)WW2r3V2i5AVI_lL#eCs z5ryY_5K!d5Gpl@^WqZIel>ta4BJmJ~RKSPkwyeIl2$GNhN*gSCGO5 zsI+?t)e~wCJ=_U$acfPhsbT{*Wv2$wGUMSkrGjc&riG-oU>L1QPcKKk3X4AK33H*@ zc|r-Xcvx6bLzPl_;`|H4<$0K>M2|Z@nhr1)bDU0-9Bb7YaWZuRyqsL* zyr>l(VqT%Q{z&mu-xh!3aIRH5`(ZN5(2w*6O9CpHdM;}mGGsgL$ih3vf`up+!Novd z7mw7(lgzKD*Sy3HBF&GA`gJ3PF!%mGLa)}-RCwJ-rz4rgD&ri2$6{8P>4CtLUYrTq zebP^UrjcX@A1vlFyI86MC?X@M6NxE%DZZDh2It@aKGd@VQ;(ajP(S17vW-+O4$SET zQQ1RJ;_Wz+PM}@_8kZjyci6IV4?0$uC^@khE0h_Eh0h?4!|moo8&yX?og3>tn0y0f z8EXDxD367FDE_A>3Nw#$Vl*`#2ZBNhbu6hKIbTDj8rX`Uc+o`-Z_1#vO67jm8T- zsB$DFWu(x-Ty>Om8X1&I>4bH%|A9UuS7EBmwffKuS1C0}2!OJr=NVV~x3}$N%=s1cu&Bu~uP*GJuE1fBw$5cHP!;cVLLJ)pO7tFSguwL-D zMR~_lqkU7$JWrt?HM-6peB#!X{em}oC665uP)qHIG2pe#xeWafw*6IlI?Os($s7H! zLwZu7>q_+gDzQHs1T-OfD67YI?JCw4OE)Bm-x^NPpriR(O?$CU!h=4x2#!jZRxrx?u}5QDu(mW;#_f z78|G+z?ke4IRG*1f+}`U+h#Y=Lv}Jn#2gSv_o{fL6{={6t+j{BV zjV3D-Rdg8sj4BknQ{O11Jt;xzD^b@fxeYYaMt=Q`IZN7SxPy^#BJKXUE7g;URr3aF z41Q0{(QYF7kw|!KWGd30q=iY&i`^(EUgbH7a0WLUXd_|@Qyq}ehK!kN$krj?RO8PT&M`B!L7HB{hLWf`9}`lqhHrP*BjIXmJMxmsS)lxYP|R zDs8pJs&%huwQ8#scWt$9?X6a=Yg^lDwbj;c^mhf9+xvO?yr1{?$NSg&@FCk-X6DS9 zGs|^-ukZKkVBpy3i-Rp-EmB1LPiassNEz>0Rk{Qp#!^{Vfe>Q{Ds`}I9TUJV4Fo%5?Z;dWn&f<&YGvkuKB`=JEbvlg#&$uD zXw`SA4rFVO&$$n&OevG`ahNE|R1wbiP~086e zw~AIza`yroo&!8hxy8SUNV&N?y0(dSlSSG(spj%)h$ATh@$HO(Se54d){NtEH+_F) zqJ|XV@XS0u8@G4d2ivrDC{~RDI|YAVDC-X@EC-Nmr8ya!{J9RsDV+AAYJ5c;;*UWn zUe0&O(v-gimHlMLV&j+P>uaWJ#zZk+WgcSq&&LZ>qvwsWzrv_%2k6U%)j_H*Dgi72 zrF?(7Azg!%y@E(@Vln9kR%>~;JBrdS!uV^Xy_&`uzBmaGkHrn`H2U*4+(oVm~=5WBDalM!-q3(kiOQr z5zK+S1xdhmRLv|@Rs`zS^T1iLuCLMvYQ)BydVM0S7PMjd>C9}dj5|kX0RN!MMm5au zE>QZ(HJ=Z)lxstW_D6Ut?F*6BxOc6bbmh0;ct{f_hodgaY;oreHU73?j_*;OK`T3C z6`K6jvlZQCTyU0P)S%iZPA=^5x4H)yPRQUv36gn)Tp6Rxa7eIo4MxzS{~V@?#3TH|s!Ft}+A3}?6HEqjA#njT69|$43=>Y5X}Zbr z$4oo)lQKuW>xglMpZ>Siy)+Im1%b;!0Up_1zh?`mQp~HGZW!be2*uCpp_nQoBXCE) zly4;M*ma!oTQT(Rl{lG?;X)7Hhso4@Nq&D&cJonf=BMhHW!;v~YzGGV?7pb7lgepq z0F`3T*D7_*Vm6007bA6y#y`SJW3;_t90=^0008} zZ@m_p8LonGf7M9-*QABWJRaid(+iQ)z_GJ~#YT&ApoBf+@2X-7qSXB~DTQ_o-mIRk zJJb%#ABNy%c)|7-z6bDbe59ehR5hA;{v;X?uib;&%Yt#qv7*z_WU#DVHgL}AaWB;_ zFqHRkb`Sx);T!Y2xV+SS5370z;|<^bz=!m_@Lta;+5MBK#AhA;;|BYo*+KDn6(!d;(Axr!e=$^Qa3eirww&1spte zPCkkGdW;<~wnaL5ca1JB9r8F@?HS~tZ6CNJ+kBe;aGH15zfXfi9;fEr3=o9Ji9Or; zIKStU`hVEOW-l-}XS>j|=hN_WWa#&x-l%yr+jfU(m;CJx=%8{(qO|A9w#} z%FjbAo~tr%O#!GP5+Dgc-uQfFKFg*Ji{ah>Y>PKG&Kq43`5%eG*0y-Cw)DLFy@>*f zWBha3wN*H{zrFha>oLxYf_TDj`#&W1G!3s)`}rICA6fsqCLn`n**>d)rv?A-1@<=C zw(>$LpB?V4hi4c4pOw;9{{P7O*;!9+_tWzJyGZ{-?*BgE`7-}|>$B6s>U^H!kG-IY zXJBM+c;XY##?$?eX)jdtBE#=4c{B+af)V&yx=TConQ6on_&Y;7SX7*eT zPp$(}Z(~M&24{Ml{IhLO>f&ia&u8*DYk;#nuF~gsd5hn+8!%zd1pxhjj;nlq&c5dY zfPA50jj5RQ7$kOdAHeFCVBM^TAN%T7{tPg&|LtS{Y2rX4zhX~H+np1F@j~L3WYt6){T;7pbF;AlJ^k`0TmE0LZ}N;$igCkxVo)j zGv9`INwAHAOxXqob@oL;u+PZJG@$W|c@!bzRp(Ke-WAj~rdedz=1qn3DkvHe3Z>az zfT{XbvI;L18{2_FDg8anMA2(ZDt8^Pflnou(nfDB#u_9Ct}||(IR}~7BM`foG+YUa zyD0wv@&Z%&nJA3TEO^7Rk9J|kafjT^SOHc;Sr_$a+)tmzXNir`DmB;DBvHlY&qA4h zp-5QKwu*bu{Ocfj8jUZ!Ug4zaNwYzd70Ol(9&_Ns^q#k2OJM)#WE%S~f5FvgD3HE$q z26$&E@ZJ)+y@n3KlZc|GCvZm9^h5zbU>*YZ1c2jaAQ%Y&YN%cSLCG}gaDaE3$<*=1 zRPIH6lJ70F4HfzaUYhBHZ*wt^Wf7Qt5-(=75$kO;seL6|oqsPsviKGV3;Ld7K>X1}ETrE`jW_+ht{hs*f6# zqQ`Xla6$SD={u3W0AHi2M6bR~<@hR|Wz+%5rK<{w0lOS)ddSDZ=4`S8ay##k;NNL1 zxF40H9-My1vt@P>n6@u8dR+{Y&a^={Ybj0O99~2wpT-HNuVA6!4W|R0PNs>DM*D}w zi~Sf?^Lt=)*AGg+h|J$GC_MEM!u8}gZz9`!aecX6ZA{|pf^cm811|RSFe*nzp+Q0^ z-=jI4Dz`6JN+iGxWB(WU2G!2bkC+nFZ$opWe_`GU)Gj-)PH*UCkgu`whJRCTg+MPacisqfn60RF<;9}Xc1i%*!PiUoU zTk_4mjKb5QVLfwNU93v>^gX6k&sFiW4|sm#()bQF{khOW12l%Dd{lPc^$N=Ts)j!; z;YZi(fP41^p4uQHdsBfpv<&}ElY%C^ST?>?GhTA*`#guCrvzz7WiV>X755h^y-+D( z^lWcQW)=>thVRjMtGy7*)ED$3_W(wbJ{7Tl68slVWXDM0Ijp^>UZV=mj3J5U#WhM6W24F%GT|*5)PRO0EkN zn{7wopqn7l4L1SN{j*ac3H5+Q)>r1dPKh z67V$H7`MD#AgyWo3{Pb^_hig*eT2OM%#zB1+Cr-}z_f+YI{~q6=DOe#ZLmH`{i8b$ zFr8EKe!-fONto%6&j>*Te|u<$J#x=g9Hw^T4ysT^s8l^w1+i1W?Rk}`c&4CbjVc7k z6%Y5-4@hz#`Ogv;*oVV#2jC^g+l*f@;LANE{2|5Dm}RU&N;%vK_c$%XT6pq%&}h;F z%fV4JRtna`rv6wbd@Ci1O`pLtRZJ8uAAY_bmpAR@seH7*x{(XUok4W;wi~}l-^Ou7 zffv%FM2>gB(Xn`nT27O3P-;)4SRJ6wqM)M;vH{1quhczt_-yL1N<6Y%jDr?RSiyt&N-TRlGY%`CA>#GW7(smY>rSxnE0CU zO@B0{WQ}Oa#BqxSDe7gh0}Ak*ZBE0CYBuackPkI5qHx-b1Dw z5dJZaM&A7UGj=eE9Tocen{zSqnKq9WIAYatIJW7&xO52DS)I$h1-Rq;*|;-cHm9il z1Tb4FxpW)_+;XNzWFJ!k$e9)PZS_AjI;ebgA&zP=JNA2yb8>roc!mnaiVprB8y8n| z((@BXnN)GvFh)nKpn(pd6l=?V!C9j!3B@tx<8TZ)hzEN;yhm#m%95ENlZqWBvt*cB z4_(xpm3m$E7C++-78+H`tpe?IyShfL{S7voe!Ksz`2!68NYev*#I;)e7WD(V1&TQi zDz5@-=s?iG5?7_-e)L-?8-!ReDOl6eTOEnFvkPSGUaon* zEJVGJ34`;)ru>1sx%F_VWlS_ToLd8VGBe0coWiZiIU~m!p7-5Q6lffF^v;}GINoK*3u1P}DyqV`Rf zC`anBTsTh1I`EmwaW8m)Cc!@SOnjDxtR9TV8)q?c8!?t3#mu185=0cnSahrhQ1`)+ zRi_P%2L@J(n@LQn0_hdF)P(gL)PN0A{w=3LI2(u9XKEJ78BTsghUdi1BgH_d3lKkT zs4Nzz@ITTWMD8AWf0J>p=++sHpQO~0x1fFlO=QN}U$bxDo>zVibDF_072qafWqKZB zH05Jy3C?%CC0r(8@y9n96|DeYX=bJ1VF8u^5kP_fhJV5O9ufiw*Dn8kVAIDfcnd$M zeylc^FY^3Yf1HHp7a)%`rPwipjv|RCCNfGoikS(4szOJBJI1wRx@iVN*UQaqm_oGn zadnpkOCrqju>Aww3C&d^>hQpX+~lHom15Kdwy4S)*r)M(WBX! zP2nJK9E*pP`>Wq2>pdH&qU_)wg^6NiNVqpj*E4?m?%9d*PyNXatSY<^$mqybgO!kU z?iC#F_KtR~`o85pDVx0Mb#|~My(7|oEqo9p>zFjIK3bGW}I)c@J||$#A}PDpI9kAi69}!8lYifsK2({g3?FzKnhi}&Fx|idjhr6(S|_75?n& z(&kST-KA_-iLgGf=_nI}At*^B1Zjf(4^3-X!bNGK!{CAOc3TjU&J4zB#)(L=o8U>h zZT@JqBBq0k;-QMqInyeOj|PzaY9Ts0^`VdJ4sJQ>`PJTs&wxVdehW5U@-a%K?oqN* za|&uskVWL_AWDrMz#cAzo_e?p3+Y`DrxR9$!1OtjOwOClsX?(%ribpD1i~fK)1JcO zuE=;A6>TLs+=iTVq%Jr0#y?qt05%%I9Z{-C)9T_on3-W6?L*sh-9R~tDjmzq6YUce zmnHV)0+Krp+Al!A8RNLielM$RulOFockH-8uCic(xz-Pes>92Ef|hn0%g9Bd;ShDfnag4=^uN9M_8=%we*ae&+dn~`|44iTjm0!uyQDFQ8U9AZ~u!A=GK_1%on6wE%Om~97p4Dy#_a- z4#VdlY|wtlS5+>@E{)D#-Bl=&@E!0t z-zMF0O*va?#V_ND^*uR`*1MBVXYwbQx`z$KmS>r?m*Kf?46FNt()_#{63KNF_5^dW zLX?D=LWYuyjE$QQ8tC1M=L4onGh5CLEf4e_l|CN{BP1lYrcg035N06G(<18|3?0E2 zrLIEm_W%I=O8NYnPxE>*f01-O%Lw!^5g@pZ&d3{2hFe%BP(Dlguv&305aN*Dke02l zQ5rw;Q+Ooxhl}PpHmla)Y|roPdqnfCAp8aN?A$JZ1Ak*bTtB`k1M?(@eVc7w1x6yK zib>&Lm4D{1dg)N;{ZDXe+-WAvJqeiE+Z`HQo~E7znuT<&6?8{bl6)ml{nGua1Sf;> z@VpwlnYp3&Q>*DBnERbmM;0##E2ydIW|Al_1md&$Z-JUQj9Ug;VkPWH0V)0P+2*Tw zeq3K1TE7X0=D_1I)4d6&V4J(3DVDP(RF#bbgRR$&)@H*(-1%Vcdhl~(1K@HHye7EE z%$jY7{}&s4Sin<9lh>vOR-+%tgYU&pg6gGHkvMW65{C@hhb7T(?-Ku`^_IMI!?D7)VvzF?NoZ#xE+_K_b~28&HgX!d1OBR!f+HE5WD})pgFM{ zgX#}-JQy-KKy@Soj9|w*%pmb65`PXzINd#dUdXxJ!6z)|hrDybdTD&uu5tDsuAb;r zF)et0;@G)evu$4=EN7E~R=smF>4*1koa{VsU+{wDxu16JmGaA_8NE_}|KUKO&tH$W z`L+8Sg)B_-p}7m~e(G0xrAu#Z3+gJfJqXI6do+HD@~n({6IXD~CopvOG`CYZDnryw zHR%EEuAV()hQT;D<4j_g#jhL;*mAJsOi)bIx&2h%+%nzOp0voN>i2J+>Cw?aU+Wov zI`_4#PS+N{mfiXOxz~D?{3*`uoi20ax}AF}LUNjBEm~|`x9r9z9i!%+c{Qg;{o*+` z!^V62+w1n(10+3LDl!7QCLDUD&w+bEGhYbd`_wynnV7u9VPOyF1-LVrlO4t;aG&N< zhxT+vE@$r=msgN?+`ao1(WiO)Z^L#dWUjr(d^pNWpc8PwG5;Dt@A39}7 zL+KX<*CaFY3oE8|o!MvIvf!D8hac?AwRNc7s^~vz*F(jC@?)0JB56jSr9~62H7qTb ziMNLioWh%3uIkzG{&6p^&TGia58@vrw-yLwGw+J@N&3rB2T{XjYL z#=$Slcif*&;y<-~b7|Zuhu?|#((av> zhn&kBcDZu-pry;JzHGSVJE8lkv@Ziv?nR!?u&q5;lmpLIQN^$=>Hy`wpohyR>|KSg z47^r3?705px#>On^w_D(4(^%xAhT2cu~Q8bZ`Ai)G3lGyy5h;-{kBbb>5lsAD?QKb z`JgD}UXj%mZjwM-h6X)Qx#msL{0`eEMhy(oUcL8v;kt90ncc3<3O>l1KkYQ#-RV@{ z>5}L@>UJIbe(rZ=;JeG@1C`ekTI#3tIJNMLDUrJr4Nl#KMG@66-dwu4dgS}?bpCN+ z*nGDAJ-;)#e`Q_$YU)Fjm^dQ$15P`H^~-dQPHdw)XXjnmPLQJ2kJy?S7=0D-5DHvW{3ZH|8d^-t0cl`o*Aw zlGs&S2Dn}f*Jz ztiP?Ay-G1nyYA+q!g5daYj0X^M{~MWHPDH10lWqI2JvB%^2*Y2xtB01`xx_&KGQij3fkcxE&K9^Tk0Z2xtW~vYr7lI2qFt zh>nVt`33Oaq~(13ZU$4HN(c>nRRy?lN!;IonAKld% zExx*0@YcqI^f9^cm-lOki(8-Y@MNWF+#m8N)fFG?`3HfHPAJK8o0t89}HIY`n8Lg9!`J zxkboIka(zw=?i*BzGA~{@{;6@SV{EB^=pYpCz0@VLnPQg+jxfv?!~0MWa3M%X=5*NPExWfi zM#-`6_4(dg{ET^@d5d0a_ zpq1?P19;P>3` zq@~HoTaT+HkSU%)M}j>mo`i|xp}pd@Xb2-m@nF^+6yz;RBjbyO$oTaWkS2b@-M@Kx zMBaL&ffPRl`{DZmnxT2KaCO3jSro}3%|^%uQr=E_#Xi0w@3kP^mZjdNBz@8gi`_j- zpY*_2rHZ3|x|Q|Nl)hci)|CF=-<^MKOS>0Kxh)N%r*uop=P+vzz=Qsjxc@nKHQ=Ql z`=X!ncLQ@j6a7DtFLANR4AcWp2$*;$iZ=^SNSL}mAz|X2C_xrWLL=K$nA<3q%*-Ty zBLwXyf)s0;6aumownw0Z0P^m7)W*{E$Sa3{I>~fxf(RhK4Sp3=M!sp&mLCA>jL~SQ z6=2?8U4b-{{)AT*LGKFi^2^4Z?(lCK^LV{%aGOZNXDX}MWa2u7SlS4|X)jP<55slf z;jTkZWD?ML$3XLZL>qyB&xPWN%d3@;l@Ef#;64M*cm`hS+33HhC4fA9`e5`_FM(F6 zV^Bi=5uZw%_d3ctd0ppu{mVC6`(rP$Q^7@hPExqo(hT zcE9p38H4?vaSSS7MpZ!i)0kZTDih&#o{yTt@8QmuFOa~>2hS+m+UCvYH1+Kv;`J0R z;56kEa3|hjJcdg5mXGG^@VNl5Lm!VSR~1}w)T-Se@k07iBTBSf1flqCqk3R7I001y zaylY6$COnjtCwsK!e<>{>pv9RBJDFs08rwndQg901gtO5!1);=%sM{+56TUc39T2R@HMrrFm)mm?CHxfHQU4-#Z%-XA4y3c+}Z z86lfGhgO>dd^{`KsGZb!-jAdYRQwVU^RgIcg32+3qaOvebFb?CJh~a~NEotlhl$cW z1esE4ifJK;7cy7qp#ZOwztQaZ{;_i(U$urK&v%cV`bu*!_FV8(m^w-T0O0wB&baU< zO5pZ`F2>=yk1%)XWEUt30Kh?Ph+9R!q^r#{k*zuD6ZBgzel9s;dlw}dE0F#=E#2n#^HqdFdxlkvIRzJoVg}t)Ai6Ha1+BV-j0CQXD_|XsvIRw-1K*M-A1kBUW z6*Y)t1%K3)@uE7~@IH146Fvw8IT8(x*%x?Hbnn=#&}c^6cDceB;U z^jm5*#Fe1c)#XFeJNuZ2`Oto)o!L&3@`_1apcWPtR{B)71E&dBSg^sA0@}eK2R90F z{i-rV7*}*haXTh2M%?K62k`b!;P@#yZ(;LpV6tFx%*YB#F-4Y3MvI6ZFa8RfzAH#y zVMdN#>|f;J2S%01c^k#`ck&0NnWX}Q0-39o2Hg`4q;F37qR zl9KCKy3p7SPwtK4&}1Frel>3gN>b;mK810j-J_B9CNjQ+#p4*oFn=$6LO#sjIY91( zSFk@4fZMY^{&}N}0W8~H&hc&RTRPB}`#}n^dM{u2%&@~hCEU>BFTWPR6$W?#G`cwy zS;|(CTwN2W$T#it0yY#|q??8jExSd^DcOB;RARV5*{`MS38^V0)sO6QqC{L0r%u(O zT@FUaeQ3&b8;oL1j#8!hI5KUQPbRRjgvJ-VpzX-6B=m3`%yIN$^ASV`9vUV)0}`}y(iIn+ zora1P*qnwe>Xf|68qC>|IS<11$o4rv6ERJD){;~(6@F$FCu5rK7~e9;)XfMRFzGfY z6Vn`RV_a^27MhcfK_ZH~W}FW9nY=mY257xHhO@VWWN$aN<1xwGu?o>aEkB9x2Cthy z2OCEOD=!5>gqpTi*6}g8L?fffJi8My*=n_qc#|PMOu04)(gF!7jYi6!MV$(2yi(pM zvE?P1#drqM%fibF&<>2*F#wfw=A(!fs}=)SS#|>20qUt6o@l9VK-KVT`K<>epjw6R zHe+q`ig!_J8CsEu=Iq5QdZ5%9NUyo_3BFS0-B$aXa6o4M)rXxLDumM$TJj0IFu380 zut-Y6+4T}Gy#6=%a$Uk6lFS2TK)Ti#iD!4A%Hjbcoh`V&nwl@ntsTeJD{=`4Va5fl z^MF<-eN%Rq>e(hr4jNaZN-c_)Z6Q%Oj@pWMqxw{u1e#rGo_r9_ja@!;N0Erm26I(w zHJVe6=(JXX=McOCXjm&dx_w`M9;o`)_T++4~^AL!?!#h(oPWcyAPLU52hK zLn|gCZOZWXeOf!>)Q)&7Y=}eF)kt=-^}1ilbw9dfYonN2s=RGww3d2dQ zgG7!&D@LKcDLBiJohOF#f9i-=-1DBCZAGn&&v3>kdkm^`VfgtSZ0v=yYfuknYz?MyC8SzfT1x{S+l%FjTv2g=7OA8Wqysym4$@5AY5 zacL4;6D%aLwsUtkAhN+-saPr#Tavg^<3w*O{>b?ls+D)bUV&Y(I@M&V;m1v^DH9cFeLxDJ=W5`Mh26YExnM*w2bS( zf0)`HnU-_y^Q)11CHo1*)75uDs?BDw#7=sP`w}N`g%$CrbQB&&)>l}OErYSLrzlRM zgV=-!$;-rpw%jw+0k)So$x&rN8 zf$V3*ANwla;h$is!gqNGQ6-2+lo=-RH4z$VggF~&UgJs8B(?R!c7_8n z_g7Gpu2RD`D*QmiG4T&nH|R8B0ase&qTI8(IU9DP{TZ`%yJ0VDIy>UK7zt#bF}yvoS}MVk;=B?uOLqq(@E} zDtR3%wrVQ_j4z7jkAp#B_ylCxR|vz!_XX2ifwQt|@-kEsh~4kAVhKt=ae(!c7$ot! zcjA@h5c4lg49GE{HnKn6EAcHyaUT1-xwxx^)+7Kl9R~7O~^b`j=#q*>iz}>Io&{i`DmFsT0J`DzHC?X z`$nOI(80?rw+olgz4bEACmRehJ9Q(Ic^y%VW&!fImH(1SQzA;nf_y6-EB_mqwje}z zwEWj(XsH%ZMTgoniAhW`taFEXhB3pKr4{cYpbepRW-a)jlD>zg35PB${sATcmF-g( zB3DmTQjcJAAas;4Z)OL=qrUPjM2nKBsJal%hcfp^f-{)eX~wYYWHTs|CjEj-iqY=v z2=q?bB)({$CWR+Ekx32~9ZckNlp;FFu+4-l1%CmtkN73AqI0nDf>8+(nI$bTlxNq= zm4FgbwdepDQ$GlrVmm{hAmLpWHu3ps`q}-6PPao*+eA&~m8eBbdGiW{IuTd>2$YyU z2$mMY9{vbe?-RfVYo( z4%PmlnwphPaqBcRc^cAofYGbb(84YspA_eVN|hs2^_gy8vaM#C(5+qOOC-$fG#UGL z(77cjzVRDXb@_GD4QS$|h})-12Q^D>vGq+-^K*GGn5eF@*4(9G&P1v?8ydHr)YqH` zz3gF#JuPMLgqnCV!Zgji5Ao~iL>hA;S$8y%OjZL22Ha_PISiDXBD)*n-7uvwmJGnO zRIVi^i<_fM3x?FPmRQg-)(wp+TZzoNWszRd(404rppwe=R<6&9L#cPdj9Rn_+bT=9 zb32_2kohBI3b8JLyTmPk{k7M?gEzFyPVeI`TmUyXWtsUKd^<}oX}g&0bOhv6P0{>( zWvB&XK6}j~#FeK`5?y=?nMxg#SeKMruiMI#wa8j~j|AXRXP`45ixObTlsW+ML!r=# zDeJ8-V%0I~e{BW2t^AfK%XD|*Nq*BXS(y7(fO@_xx!l(pDXICf{uOH{l%1NKw^=ua z7(NO@w(=-mFdXAif>S`HztL*zGQ`eP)F-9eRg||jqvk%UAL7)e%acx)en=-L=@7q{ z(bbGo^-0YXWxK`Z5WHt!YBHMM8?zn)lH$gx2uN?vT3$0>MsADcHC~Wkkd!gxz z&?d$f&Gf3_Qlhhim1lq}^@#mXBS1^K`e!L%rSjcL7>3h83x1;Y7^d?N%`v5C|A5Yb zighvb11&DRjZS(H_to?i#J$SgZt9kDseC-eUjsOHScB3wsYZ$N499x0LMZ!QV9xA5 zSfy#=g|9T4jlng43-y6$^w29YO$5x}X|gefUpliQsTZl3txzcS{x!RCjN&*Y+kp}w z1h``Pu5==|v;H$2hp+3@z03d9T^A1B10DoxFrUlJkdF^0Z`cMU9R@=jy0DRnZ<2xZ zX+3XIqyecjdC?moem*lxnHP@N>ci!mqToSELA1L)ytW+Al66;B`BS_y6VY64n*BD- z&AtSy&yxeZ3n3poSlg&m<;c&dzMec)kd+Ah*$$3G`pGNVSJ6b0rI+@n$UhvK|icxAXGS9`uzo5fCk>M+8 zLsv^!=DP$#N81{POTw@v%6dFHdxWS}i@(rf(}9*=C{CFuZweOfh3c*Pjy3bSh=ZDR+<=!)_mlF2JF==1`; z%M5Vw+u``Nl$U9Ob10fp`%sEgSRzq=6HdzNYOrEYIKHAvaaJICKqQ3k??LX`vh9Y& zlGKBk_A&m8GYBf`hr_ zNmP9jnS31!j0=eQ7QTBHk+U?tFhrz?4TjG0AzJegRWI`jd^-%mGS6RHUinHefCS?i zG+OgxKv@HcYEEG6@|UEF`w7M!;${n234zo@2$GFDpe&P+Aq~HHv1PeFhFb~szmy*| zA4WAl)i0Rz8lJcPeRgCxju8vXzT9 z_D0MX?%YY+H75uiz`sl5b1X3Ku0B-1JT4}#6mDx1GThRr=#8EKYJT^cSK*e zd9lRVQV>=JDSEw0d4B-zpKXGl-sZkn-4BgZ4%X(J4Ja%#%OCcUnS=xWWR@pK*h=;N zNtnk;!&tEl(8iuL;dltdRw%o)b4S2E-*tJ2_H!;J)nf*D_IT?Ar6(9hy4wL{qjE$$ zcpgIAF%PNPx(|7#Ywk#u(*sEt;m=O=05a*q*rHW(v4pc*2O#-F0XX;$B6(Ij&--z6 zb<+Y!HL%%yXQ=`8Yh(XFLlFyKCY`!}o(#1`8P^#|MDaH4o?e<}%8N@fbpV`*;q&B7 z4b{Q=hRZU(<42~Ji~)0mBh^xz)y35x40(6_fz&|tMru4ZC`)Y-vJBwE;ue}f{aR+Q z9kC{eREMZPuv4CLpXW~N7RVhZ*+GF>o!te{l}zBPH2pPv7u^Kb6^G~;KHcE5YRaUt zNtW^Olx2A*0wV&; zmZ+RWbQl9lrEiG|@jXxJ0H>I-MBLM2Fn=;AlmbiK$!`Dhd&XeralfIR) zb;FP<*BXS`WU274U{EF~JnXA}nKPSpAuWe!4{Iqhw)cazh&(~sycf`xFxTrWS$=@2 zp$X<1?=Qb7FlEOL*rU&E6`PXsRPMj^o=NqkXN9p6s}`9@;om}%evbgN`xM@Y5>ANR zx*YIp&4O7GT#~T)5l(j_SBOfbWk0J19RrJ%?U$rmh&|_!Wi|}9Zt>v{S-zS4Hj?%JZI$hBE@_t>S#x$EKdjGCCRgR7JDF_7cX2dm*}oE74Cv7XCe8yu__Qcr+NI+3cs#a^;mk z^Vhy)OiP3;RM9?|gtqWB)NBtl^1h}qB%ZAbsK1X&ZgnSN?AAaUW*m%+BN7o??~X_By+khrEwO<|JoXBY`zJ%NibzJug(0ZnR~zcN2UmL!{A z@F6oDY&jpfZ|E9zt0&VKx(>n=peQr;|gi2-@bCGO5ADmf%;&m5wrWauunT{Uz z<@*|5Fdmx9-XV0Qz6;oT20`_%=zw4lvCc*1C+rX9=Lub!Sr3ap2dD;RcgFG^ymK)w zhGW1;+lbOvWA@DmG3iFGnzpqm}&+4X19CxUJKT7{F1gTM{xUY3L18aGlOpR*&=a>xF z{T^7hOWBx=msx7;0#oLG-TW4^A|K_{FtCYd`O*}2YZMJA_733k2SJ|iQx7AXiS}so z5oiZp^D=a1|AFq7L0}XeUt8TRY(F8l<|%MJnF0m`)PO9TWTY|DR2#y02r|JjJzcAS+y9-$G zv3_XMSU)&(@-N<9-0HdoV%Q;D-s&UD_YuL8w{;6Tvjt_(M%AOd%Wm$&--ATi^AR_o zbg(x?*aa!(LyCKl>_^$J<{*(QoJ(ikk#WotxKf$bdnvhawckMz_9AXsUA~VA9NUxc zA?*vP26V@gJqs-XM)=K#p>&mq>(zQ2ufL7GTmM4bf!4Vq_)ncH$~lXgt^>VwDkqW; z_ClErN0dJ`in6DpyT4%lFOwk&PwN^{HvGSgwvNL35yo3$C|}MvM7q`aib?E_ZQcul zYlJK4f>y$=6tww-NOm8t(FGUs22u^5!Jopt+%a%Fa(~Z_`+3A zX{)#6NOp_sbtuZ4fJy}WRD(JH-}j)&!{GMqFo>Wqt$Wa#J>GiTIukoDWB3XG>tRbP zcuk50#=5+(xsqWYUazJO(eI&a)~&NJJ=jmeWWSo0Kr8=O&Tj~A*+|{-7@1P0F=AX@CZfNYI6gV2 zHUlMt{BH<+stfwfKa|QEB6*0)d0fBCH5~_$qsT)Pk zbR|EItK&a0=EP*Oe1zd{dWF}+WFCg>i|7Ynx=QVU=BUKwnQJz9?bTo?F|H9i2Z@ZI z_{hHIgSD&6uQ-#D@w$&J8TieT*=Z4@9@?(yd)_`m1BhhO{2a3)y$>eV=`LhC!w<9` zVVvtRDKJ71!*UXuGf@l|)zf^=x4w#KH}^$*KSZQNFV9X!vbFq-!)16yU++bofyWi> zGe;3v&5aX$Y(E^u$MIyI{zVW1s!LLYJihk2 zt;n+21rCmEQdj*sYIWcg$LQDKG}8F{?}*vvav>O&RD)ZOqs_+=*z4~$VQrJ~j-PRu zKW+T&Qo~g~xM&?@dd|h6-8?*1EBB9`4}0aMIgp8ss?sW zhBh@B>3k%r8_sFSxC@!5fj1Ooo`QYTcy9PK#3HSQx#0CG6oHRVHWqe_g-pgG=A)-2 zGWNlyVs^Mz(_5N9UHPbd?Qkm^JpyrExCMrwu1hAOC0)J#1e%0wP78LO6oWDUVo!7! z+@)p5&6sx1zlW$$Re*qF&Yf7(lLX|Hpu0CPU4FQ2TSYc%J%XG^Q0o{pbPO_HMurE= ztbN4Ds+h;>U(Z?VBaaB7k#uvhM8w2VZO%eGs+ZX=o@0f9r(zP~*U%SoW*{(1%j#%n zn1ISQ7}o{Jf|viGIahWV{7%DLSEEI%5gk=w2X}zpv8EOA3Hy&C0@fp@D}8(ABvf@6 zlm0o2yhVURR&BcbCycD&e?x-GGqty zpVD5CC-7>SrHoK5onC-a`YH}4WagSHtT~;rsUzvQ^0X+u6QXBMs`2zJv^fOpPA3a5 zSjm@cPP|YhwJwy(yTu#YD-26=otuDqFOHk_p2qK|VTjyZQ9O}-8`y^D2L2E7}{g~UE;TBCqc`2>KM0vyLvBPcK zD~6ycZybIFwZ1LNd;5zr61U#6r1)ayu^T2oU4EMR%P_?pck>=$6fDxou)< zL@RKx5O>$5(yD&=;#Y{4+uo7q z1hXAO=+EhPKlbl5m@6XuI>MHDNiN^knP|>TWL98z2 zrY=IzcN*7=Ig??C0B{9EGN089RamPo0;^Vca|)_jk9EJwh(ldLq&dBi{CC4}=<9o- z`76+h*S+?y`5VyT0Vvyys=8vsmti>xnBRF3Hh`7u2k?f)tt={?Gtq|*n|ug@$<$M* zsd@l9X%Vd$fV5M<`3He&`wyYR;D|M&)}=USDF#n0E&~~`{4xobu#Q3RJb^d5LQH51)BnG|l)&uIG3h86~dVh5@e4+F>|h{2YH3l{>QZwi*mc;R6zeEXFc2E`e@t~ZtN zy@V+kl_3%`l>I2U&Fm@P6U@#G zmidXA6`kAy&S1`}| zBBIF(cMlYA@GCWKpy`I*iaA+`_ERh*03PaRbKWfkoh4eTo$9$}Ic7BD)?o--dEoCH zfpV0Ex$NR@?3C{8&hEmoz{~+2GnCxahX|fBPSA}jQmh+5qCABVB=%!BWz);>y#z%)7u%XxVyluKYfr2fFhMS@1tY!Zd$kcLqC3BGBEn3z^ncG7f zoR`UcOedJbF`eLHnF(<^OD}5Gy{9lJ3oHY;O=b_K$-v;vjnnCN)7WB)>1u6L&2`i2 z>{}oVRSexx7Wb1{ol;6a(f$nm@vntetlTBnZS`MW2T`Qm)xjy*^sV9$%)Jeh{@);$ znbgivWBQf$jiw!Vu0uX$7Oho?LMb~3daYvl-ysk*^mYELnD(D@7pBP8A%v#y_yeL+ zw6|LN;*DBgSGErwe3!+v+%p>)luc#IY)RZ-`u#1v4P^xEh}U%Hv;72=tJ6sw1;)-O z^+9h{gn1ll83=l#o&Cu|Wqypw2bt4Pi43)|rBhWd;cp3XnWskSb`o90@FgWV>!OFrkSNjK7?o2`X;}ArcHtjU+aKmh2 z$uy`;PYM6(C|}bkWHLTtr#FB=i2S;gyOO;et?YsR4}0Gp-$d25yLXxm*=c6lNjqsL z?W9R)(k3)RGi}l)&_Dtyw9rBeEws==fC2?tD5Ypozyjqas1-p_L5hNc7eGV-uSF42 zQSpi>C|*!}MMcFcm$TARsIR`?`Mz_0zjOYPKT49B*|Tr6XYI9~^*p)XDdzV^1)7UT z_B`e6RdgqZ4>&P*Mq8n3jpE8(eIaHx8rd&I%^#xRZZkC^gZ?$Pbu&9;in;zJ?Ye2& zPwI7F-fdo?4&BK~zTgVO?U6XY?VQ$JL*F&5h{OrzI<%FQJTKm*uyk20)}5i>MsWaL;K|)!bBfpD6uY6*G{R zw|oq4wb$5Cg&8CZ&!A8ljB*0@e-CSq5*ubz)22OJ%iaL5*I~}Yow24w`t~dMseut# zepjn>X6*XOn#j6KG5Fyw%&aWE* zE{pR$hXRnvxeW8!-@bz&#aaTW^LRT>bgl+AWi@lL6098CoB)Pb*vc4}e^MEUB{7RP z9zsknf4MLKPDv_nM9&&AH>xr%qKIBPifu=^+WCDkf8AZD;nx)}A+G18AMmUnAOdvh zEA+!xDA0^HHYo&8t{UAw9_MDEZz(P~R~a3_)hxLS_K*r@hUCC@VBL*Sg74c0?(bpq z9r)6%=)kQ2s9Z7uU%DHW-whV4#XTa(q70pi-g!8G`!ca zRV`#!TyoDwVvvhu(>2;(ct|VU3DP}|8=oBwfMWBYXvoQngaCDg7%AMu547jUy9Y;# zQ@F@rGn=xOueVo)k4_UK-vb+A7A~p(wigx;L1~GgZ)d+4t-V(V{+nHsq+p_c`vmTY zCm`>NsLp_Rgfq^bW3(>PQ*5&r4@35cjCQ3?9)k3j^=yV-*sD7kZC)46HnZ9uz@>bh zwMP{G7jHJN+=IedV)A3~-UU>pA^994ROa z|GK#tBFCZC=65+#QT$Cfyi*Cg0@HAGY~BUduazdmR19NJawZS%VNT@9Pugy=ph#DA z0rzCr$4X{>!!q#N<3yS3-ms7+9$mn=MGNtMoV||waZWoJpkT^IQZGeAfG-qZkY10SdH{*TU^ExSX`L$k5kFcuWf^LLF?+TW z8NQ@^T~!aD_!l;KESXgv?i=x=jVp0ZA1?A@JmAsLZTj83 zVP?I2bA-yfU{h9jmv2>_p!_S>jDA`B_v z-!XJcV79XE7f{=JK0yw2(+hEM_YbY>*x)IQ0s6_W zTlgqyt~Gp{=w5@`$^ayJ2fSj!aK#&~@2k9PKn@i>x(4}*6cDVD@5kXy`YL3$-S4z1y~%zMQSh676+{7GVp!7oI|*;AX3bYk@qWVWmI?*06Ix4 zJCSit1c)I}Don;=(6<0p&c^U?xfbY8!${iZOCxdB3pB2L4dzRIPpJX}A)!CqOrJaq zLiX%h>N*hEhNSga+*WxEi=|GP9uH^zZ*M=Tayxou1e%+uaPG8pV|`IYDFHPG&xA$I z9SEN=Z0!LA1`o`w6=M~`e!wbre3JkJ>|6UF8b2aDLJLPAb_NGXJJn=12Wmr$MP=`{@i~oNXOD zDHftsvs0*Ezng(5)vGGsxIWgqRQBVlgZFVG4ZQ(?&#vJ({keW{iW^RmM?%!qFe=Uc zGyv_mx_5JdS?r!j-Jy6oTD~jN{Sz|Z9ZBuaXdvKTcV|oLzB}yqXaHj?y{D4=8swpa z>5O8}AZ>owm`olI{+=XZg*6iPl|DllGMzsVNlzj7tJvVuJf|Tf7}jrG0*v$gT=#1VXW7Er!uUsNrlQ5f z<;fqSx&(Ttaxc=+c*jpg&qJlNyhOE z#HL4~%GG$E!vpLbn@f={fp<7}B|!)>7jc&ls@X&pQ?&e|fL|#>YsBI_%(gPfs^7bb zt>@XNb@p0b_oiUJInF#aKK!zIBSTlNqj$CKzyoQvZV0d2%i9Zh=#=5{Oi$kfj#E>` ze7oCC`?kF<8pX$@+fdtk5RjN(`UGnGj8$^j?*0&HEKNh)9O=2}OV1%;1bE2sD!bu{3d4(L`b3k#5K_C%iA`~wUjHFSGn$B5 zjAqxU-NmSh7)Ef84}dlA2VI$L|IujQNA-mP7?=S|oQS_*7vtgG$lW2ohMJ~Bgzyl+ zn4DSWa|~TB9i#Tqu`o$y(e?AHZsDpyo(#;JNG2KAKzNyb<29OTgli@56;d z&vg~^E_ zjcD=|-UQxn6ACADxV#BS1&Dj$ev}2uPVMM>VI#^GMd5j{Xs$;drU&;}tg$_1pPp%l zEeiIqE3YSsoAoV9yprtW_4x2l@xZXyp6pZ6CD|v_#*~@Dtb|pzBuk-XCbN_CplsfQ zoWN+=PZlSO&u~XcJ?u;y0HFd4SQ% ztEq(GL^0&RWRVKwq80qEl4s!QDM!diGs7uGwb>aqTLo+l+taBa5dlvLCz_aEWqQK9 znu`bgYsFn5Uwr>5p;^y=)4KiQ|=A= zU~_R<5gO5v(gHr?P?o=yIm%7t#tN6nSn&{qa6C^U*|e5h9y--QDH+VR+2FnXcyJ%r z(FBdMpYPkV+>NZ|%{2r(LREI_F}p(9PGVX9Y*F!csx z_4Kyco?q$MvP+he;!>`dlVJ&!%TAhl1Y1P+xmeDPTqWI$`ypp-(|y4$;$Yhhc=jHG zhk>u$3eKAP>Y>U^uT+m5y8&+pH9L7}H41Y@Zft&{&78wQL>pz!d#-#Hy7Vx*{b9sC z=?^N)$>C|*HPjdacJHdt`DJ04o#gh9_oBw{4Xt;^hO%)*>;nJ%NjTK~1k~ z9bkAu4Kfn~$^d*Z7zSUegX1};fm2aSYc8ihn?;54(~->~&gotYu{Ds)L>UE19*BMv z6wgVMP(P@ZdYBW!K!|;u;6m2#BE@&%Nr7}P!7ndE0QZFF*=kX{Z3@4=%~~N9#ByNQ zmCOa>+h*h}>zT%1=(qA9MbV2EN0G{z#treD7k;EeiqB#n;4*H87@V*ez~nNR4^4&h z75q~|fa@hx7B0ntLGaSGL40l0r;b zH4MfrHX?VHM*DpX7>Hx!Jqme_qV0={vt{#O?&qL_0%3IPii2h1u$CIwj}#-O%6bRY zf{x)>vC5SIaH>fNPjXsY??)N>XCv$G(=B1>q$Zh*=f0(SsjQp3oUkh+xlF@j(KNFy zu*Y4Xr+RitB=|O5h`m0NPjDWfZj>cWCCKe4TwmPWs2mv5^@@_-L#-G1cqu-Hof!#l z!S9g!JxByBi$|Gzw$nRc#blOQLu%w~eA#k}8}I%KZP~~rz<)~E+n+(D; zO}Cm|(O{07TG}|*IPQGz@(ABosCWi08YzE?iVWNcxWZvx&!CK3f;iueq@R&9gP&|L zM1dFVMzX5VIpwU8%S4_vr;E2B{uAV4cG`Z#ZZ1%~0T=E^&Yq!#o=u*c_@Yus%<5~I z+VrLCGw>EXu7&N-riJ|xvnj`>EurkdNPeW}r8##Y{V(co!L{*`ZhbiAL}>Qz0Ot*x zpawt3qu}Sb%d|&%Mxnd2BQdQyihY=KKF3@N@7N4Q8>zlE=b6uJyJ2p`0*0JCsZclu$9*+jsoWTuP*AU?^2OCQC?(?X%Kg{H%oOx@s_z5@D z`I5C#1z;ik&Uv+sfeFmFxlg{&h0~kURb?;U9 zzvB$f>u5Fr`F`pqz1v-iM`d?dt_K_NJ-z=Dr!SgGC+e56aC^@4GRoZdErbJ4;}3Q@ zXA55YA!a`WMqphohpoA5&DJKgc_5kv@2k6!&w-^|(5!)IYhpO5(G8z_qT_d?xnK`J zt#N;+2!s5x`9aoiRCZRaofu`lkpk$sb&X-G%DqR?Iv%1qBXwb3E^NEc+N`!0ux=mL zZWbYB0+35jVzxg8s8mDos_sr_BV=F7+arW{Lk{KS;!hM@&MXV^ zhXPi)ZohwFStU8Vk;1H^g%no<;K)p&ajakOguBn3gW8 z;4UpfC*kXxkmsnhDRq$T*hg=5B}!}cx^7m0LHwxp+L2kE!p7;PFn;X# zMl3b6j!0r=?-2PyZCnB!ib96UB=b508_R+mk+d7J>d4wOr2W~-m$M^SUV`^qgOfhQ zjuChR{$95sNtyx5t}4EV9p3Z+SASE5t?b}b@-@u^*o4*)!&wUjtQ%pVcWbLz&H>kZ zxftg}62eJR6V~p=JVsJ8UfLn&e`4Z`^`(FIwB>Nx>REJ?lN-vZJ5wWAj zJ%8|loKdzLF`kr&jz;TdP@rV3GAEekncLgEeve{;ZAO$Da)}A z$Q0%vr*4jwiz+;U-n)RrW^f8^Gon%YtT?>7@lF*O5&9K9HDO}+#;q-maIUr_D{PP1 zvWnK>9{7_DaV;J$f%$`Gw_wv<^ZG#^xV4+1?pNG{Zx!|geu#iTj+BS$&dXpqe+~cR z9s!q9`X&N@E+2-O9I?JQ|H1G~73|V>WXOywiZ-w3t$8Z@^Tyz3rdP;okUR_NF3wx2 z!&L;vKy#{4)YPn9$J=&8T3HJXKoXLDBQPS-2zcbIyhx#}*ddJ}awJvOSLrA{dOf{uS8tLA-}C_$d1=i@yB3n<69?>Z$+V#E zqz~4RdbDc}sj}X#f^7QP5DIid-sE=?P(j1tcv@$eLh0Z@CfPNcCe;GD)eYR+c!)kj zpi_4(;7wv7{?6ktc;rGm(0m9zon^o&t|p@`8gDw{zN6`Te1P|NzD=#Ze#Ch{HMo8N zoUHRcAdB<@nE9TTFL6Jikh{=aVDnoYTvd9LfwO`Pa?2UR%_bp73$r>v``O z>}Bw!HbmRFMq8HeDU$mp>gZ;!3IC2N^nIcXQKI~v%1%YY9L`puUy{n*Wo2XS%T>6N zABo>He5a@Vn`~SIHt46sP_Ze36Akb4R3G{U*4(*q`s*l@QsA`?FrrNT&k!o{r!g8A z=YAGBQ?$j@9+wEQHLbe!3o*g{8EQRdXye^)5?vEd7uci4=5ese`4w$BZhk%nbWKg$ zS~X6AseuG@Q~|&lQzKAKLq<6NuS zcRf6~26=vj(BJ+XkFpx~%_}a2h~Ic5ton33DwuET=E<~;Y$1Rkl3peN`ma3A<_&?@ zq8TFT4Ou?PA(x}NFC;$TiA-8_p0ey57ULQ))jrYKs z`73BSloJdh2wa74za$SrEAB$VAk%$%@H=eD@pFSbcKdsXN^Y?{iTq!Jk*0sW*=&R*qb~)p!08ZBvTvtx$sAkuScRkDfAJ6(r&9nY| z>fcu@`#+roExB5E&wo1UFZXn&hg~YEsk3KQ&kPSz*WqgK#w)G6+5=s0)9!H!4@qaS zT|435M-ND!lVPnVmg%wf)yd>HqE)S3B*$ zUoW}6(XM}M^tB3g*0FtT{!g3!e^#%~{t7RXe|}8l(Xq;O&Ql>cQ6JF!H z9O@8i>^vA=+yA7h*m=OywJOf^t91Yx1tE!6EPQJF@Wp%Ah=lFMan&)bzfqksKV>^%hxjmho*ghMsYC!&51>wchd0u-L zgcsS)j_VxcYsFuCBClQrrFRza=W&Mj;kAMOk2Sk?ZP!k|*5s@A{!=|Wuj*KPVL`vz zyuZ}h*|iq`sgTa{+UHw%Ex%gcm1m<%Oa7+?c9z}o4ud80YS~?%%XnA3PaigG#*9hz9i)|)o>l99e@se=~z+10#rToWWz1kK3X~Xk>+iRWI z|6{O*xAlLr=Q_LQPbLtUFgsuB2)!P?=~Y&Tf{mQq^B z>xb})c5?E_)G(d@#HyLIr#M{T1BF9fsKvpc?0)4~eCG!^Ju>wQ(>#7N3Rz!T^kNq) zwcCUlwUeqRcbKT_ux=B!ezfq#Zq}{vCv2d07IUqrlPO*d*pkw@3T1XS$V+}KPA~PsXIJqKq)PXs=k|wF@>jyuS^38hkW`Zz zd{!EVRnBy`X&hcB$HCR%o5^x^t_rKNGP9tT%IwTy5d)Gg4KML@2TVq>E<%~<&i@E0 zv*i4HF?1EQ?C%`oG2y|OQQLJmGUB!2!MOHQcpzYe{I&Iu{ky6FcVN{V}>9RMsUo!#w82}Bm|~{_ zrQ>wPHw2|CUW3ny*D(Bf7$fTwE#bCaRWqmwT|c0swJQ|5l?v-mw?b>T!yiyH_;26& zZyP&~A9Pj5LKz8-1(A*JN~8vHg6<$>5f<+b{{wM@_J7dwO_&E=GycseJ{n|0!ZnD# zaxh*MUT?zx!fpTSuW(@4_d~BVJ|Y@*%$H$`bY*%(x&nFv8gImD5k^HidJspXD$*n3 z!-voyXOdM&J=BRhh0BgoY_T4^NqNl#JsQi!mA&k&KsN z#W(~#qqH8l>(4z?3|oVap7~ax`&?n&zYcolHVhX)fcsxFI^?a1litwL|dE97>7^XG3?;0k8|YYP5lQIiJJ8->W+ z24$)q#9OYI$JmJ-O35g4ny^b!=8)qxv4<@na>?zI=2F-VNk%X-7nR%|l=?!86y@5+)a=9qlz_D&1PP(a`gr7_xr5sC3RsQMI{b!M}DmJ>_7@AeZ`~fZD z?PQjv7(}lpn{rVtucb>tLt~UY6yXm*5qtqkBR1gUWbXG}#3a{r5WDHLyq-cefK}2s zqq4e|dlt|`5~QmaBZ(|0Z=y6h7sxQ6bpu29h1EB+<4=No3OLCvhe!&?kReFoqmp3; zOr9bc0kCbU!z($BWuEgvkkn;Nh4E5{A;`N0mSpo$(P5(a$;|;~l)nx8ZOI}}Jy36< z56Cl^0MJ`2X!&IB4cx;t2NY0Dv>a54r`raS#MqftGr-agW;1tN{-vs(oJQ=D5#e;| zCH7nsg3BGPc!^ksKXa6YJ7PH=3Sc-g(vsME8qKghN_g@PKaje^Q>l^cwY{KO1PyWc z{AI2e$r?sDGGX4Qw5Mw$oD`M}R)w8&y_W~eg?HJVazJ^uz~nwJV%?p^ZrGn?@`zE>{b4tpU_gek?b zYWdf};o>0kt17fjAHx{0%CZC(9x3vBLEWILDlbbE%nQ`*+8@+_CP?$ts7l9c#0;Pr zudbH>=H`!X4^ul{)4r+3ONn4AW8I(}pf8RzFJg!be+sl=jGdVB%(#Fq1Too{g?E8E z3^xW%;#{3V!yZ+Myh~jU>`_L#$WWw#l|#@AUgry@Zi127UGjpME`Db5Fk?kCK8&g# zv4)0;3HdpwXc_+m-c~S*fEkS6z(p{@SbdqMK%SQbi4NSMyaxc--;>$F)T2gvKh6Xa z9In3H2PL6P&Mtq;r(U41kpdkkr39A6^MQ;Xr+QpDmW{M>NFMvtz!H@?-2xLu_ zyvt3n{iKvu+N&ec1Z_QIXjC70T_3G-v&gaV++$}3DF=mEk@{a`N2z(1NjtRx9tycT zvBRSVlbW{ie&z<$4RRRk=)KXr4C(;QBRtEmIiYvK|(D z>fd&wuoo9;Q?+Yy=~}?v@QL(=x+zRl;r9rHR$&pL{quV0O>|cZ+}qxry1K2JCvX;) z9)ZM4KC`47z6s9~f60AOL6%~xg%!to(%>1!Bk4lEKJWl!z)*?Qi ze#cFvtk~D$w`_(g2rgkkkugte`+`n%;TDL%qA>tm@Sx4aOE*|-Equg_mc zrV@i~I+=(aG|KtR+28PeL}u>sC-X8Eh1W?xZyXkTlO%E%$iljo&|zLRJ!oMTQ!iZ) zH10dZkOz62kzrsIH_r>G+QO-oDm1$0M!H0tsc+O&aa1g(%1}D(Ddiw-1xNcZ;u>pi z0&-k#PL*K+tRoAl*wPG{DYOa{oW;Ik1Bo1;uAu#Cve=JVP;htKR-cG$lRf)QZ)(@5 z#7vix47Kcpr4?&~ncH6T4|E6xz4*&u1l7gSO1{RH$d3~Ikba7n6_z8Lx*>+|Q8_cB z~Nl zbR-|;H6Ug(pG2kztnSSOKH5T%q)U&&d8NYz!)H-so#j(_K91`xn|Y3g^atXo)BcB^ zK5ZWuP15Dzh%AM?TV@OUX*3aGz5}5fD46SQD$^nTc#ht{Fl4=a*`SZq8!`px9gaD> zmW$F(jJInO=rsHuQ%Q!9cNxyy7Q;k08Gx45z|~ww))6lqU{Ps9aqMNDzA&$sbV^(3 zM9e-|`nX169J7L$@px1Viip3j9hXp8kBZ+%kpGc@f2YlmvFRA0Tcgi8MB~vO7)#3; z`()#mhwD84Bq1>y$?I325EIByRm+$3Blq>BdaH0Jq;l)wvNQr1l+44;F?mIRv?l)I62X_RFrQ%gSgIPm1q$M|)u z5hhs^SP+jAdIy#v$BP`Wm(caNFP*~;64nb<@=?U)LFyJz!1u#{@H@!+Lb@deM}ry= zH-_a+O-H@6(pU1T|S+s_|i|Dcmeje=-fDXWbk%)>)?P= zD*Yge)XRsvGe0}i58nSl?2&sp1Jjp_V*0o$7>PY*gksYq9RXbB1LSaiB68UF+;2{& z+txE1aDc3k;2oIw!C=B!rX2Bd8NWTf<-s#gllsGJnD^$cL|a}(TRi3DZMhs)413l5+-~$C3>0R~tvPGh;IUZnL zDONBV@~QYkuvUyFM(07t@y2vwaHlKCG~0!e)We^CrZFZ>#oNq$P=CBLe|I;g1)GUO@*$it_ak-NZswrnJWz6pi^)z9 zt|5GIAb!jpREVp=j4MFQbhj4c2gwk6z+H$e!y%DxnT_2NXMaM+Hb&}3GFT`&DQi(P ztRw6MjX9OKo{C`~VIXOy3~B!ri3KjjdNy(@JPf&zQ$ubN-zLxEXquNp%|kW#HK!6D zcYR?9`7*KLHZ!;1*Mdwto7~MK_$k)kW2Mgp{Xhz0ScXTFL8b>1%*E0EDl&kqWWQzb zVWAg3hgUG+Uto7VHeH zznCf9%$DeN1Es(vz4%noIN_Kpv1kF$3CaH3$qBBn>!`dBm8_E(%&hZzu=pz7h(~Lm zNC11?n~jCLxkr_faM5vUl=VltWt$Ln_926$Hn{}xkqu^*hUW88)WJsuhn!1cMsZQ6 zex$wN8PIm4lXALK=lL8mjtxdh{kk#zrH!d1#uniF(ET8&WKmhZB-@n>9XuJyr#$syc;&7c(%B&DW zV?5`+xYw$Xt8OuT05lOCOY&e-u!j?E`#APsnUKazEXksy_$X#Dw~H*|7|2Ip@=Y6Y z5T#*<^jI|0%WiNH*`_V}fgT3R8@1s(Rr4m@uhC?o<6{yRT7YL-TF41ny!-&YfQs3Z zallEAC%R7Xg}~eQ2^rN~K?}()B(aOw{9$o)ntcQ-406h(A1&fyc(+qwNg?yWScp-P zW{x9eO6k)hm#j8k_hIbeGh3S5-fsFn@Rss$J`is8F?i#6+?&0fw)Oz1JYGyQnOJQ$ zrP@c5&6TPze#3nkfs~1B9M6P?NSTO!R<()9IFb$#okS0Re=$8oJfX)dB95whNlF2R zU5h~+)%pV1h1u2%JbkIe3Y@nzk#}*?T%qhj;(XHp%h9&om;p-x7?;fkV-n`*2RJ+b z8SIH8{aQ|n(XIS8L9EOf4imvT;b{{rxGF!}wFQo2xZ z`qY==L3Xn`Zvj?&C>e`Of14LvdG2O%miN{Aa+L&;?p^eK%rZ_01+F#E^i$m z@N*!gU?eqY8MXJ1gr-TBM@)rWUkOw=FSu;H2@?KHUoCF~(ccn?|BgwGRycBr=&=-m|WVClUk|CkI zNsHCFHic>8_}++=O{H79)n;5&8i#aBRSkbC=mSLB2@^4h9?2)}A-yk*47rE?QL@tSe!GN!wWWHwfq~ zgf}exfm=U-X{!v?o#`z?Ky9B}gh(bGVlvYxVM+eC2#iMTZa(C$Mw6Bx?^oe{4Vq!x3b;yQGh+%pPOcWDOvkwBx&Uz zCohr>d<;26H}kQK*HlYN4QKV_3*8ddB4HC5epvP;L3Gj-gvI>e=EAp8lb1Bm<@AK9 zAK9psZpwMjpJ+8jlld~6SYVf!1iZ9yYHO9i1`Dk}!X~U}ju-6l(O|;C`pVp_y_AFp zNpRUICrodK3=w2Jh3~=5- zws8zoY%YlLfgpFEXP=K2vNn84#`xY>toeby?mm>{VCKDQZ=wzlo5i?wsA-7lSJE6d z^nQ07f8+*BHo1dL$G7?!{V_EOAj$A{a?=!XDtSXGt*?k61=e6p>-z%B22=ve^fcTV zNiMFR=HD-{wh!HVQQ2)SKRH=#6SoqbcO;NGyNh72hlhxl$WoLiEy)8#Mhm}@j5F1G z4H&m>nR2ujEMa{(ZD1U#Dxt~zxTbUDdQt#Vw+AdwaGd!L*v#WMRgzNS)#p8oEC zR%j4US^9I)CNAtDHr)ujw2D=QLJ9*Ep5hxYxeNJUv6tj?Sb5NKPdyAQJUN5c&dFl;)*j?l1+Y%IrcT<~U)aiWptCt`^$_p2yvO{A`tA!ciN zq*fEd7Yp&_#mKNx6pPpkT6Qi7%JE_>znk43BfSIe2wN>)h&kbHSi%M2F5E_6b;kp1 z3^EU7_)m!mWPYmI8m#?IC62`>tHc z#v?W*D(`xH%H9+sICbYsj&vuZ!Eq^#Mp{rJiuVr?1K=JOHd`{dUgBoH7hVnCH1=r& zD5wdByESwViOC;>Nc{K;Bnsq9UmMmdz9+(4^OwdE4W=yTOv)WN-0H4}=s_!;q@AFkb@5e-Zq^N>g) zfx#m2(GDXY?en3a!rKpXZ;+peAAj9E&o+zwIg(vPNrBXz5JzqyBA0-hm)R=M1X^n} zIWN^*O>OneR`xj?#7hWlh;+B84d3uv3U#(9pmKP|nxbtTWZt7=7VF2VnEm$s^x*H# zUAD~-xEW*^rm{5g%)#jp)q(eoN9FmMY2wnDg@IV?*7cypknWCkrH^7}whw&bankLW z?p5`lG2Qf_^l~)&rN$0xl!x2Lyo_?$X~T1GiEh{=jmDTKJ4GJW?%Tm3uYojz$L$w1 zWPx=r+t%bdY9jKq$N+~<#V`SJBG%D7=OGz`d^-o8Y-Ac6f%W7?QQr--9ttf{j?}$#|3BZHE z>8M|+5qpwc*v$oH3E_u|&mlI>ir7Rfgj&DoIz(B4U*nB3@gNi`Vk8;_oz8%EPWcv?Ty8t&ikx3NeSCETGjR{4Udn z1s@Ox)V55{L&Ar6A`sz1=)|**RDttaNEDtG`iilJ4UFtVWOdFq?s>WyXIj#QB3sP) zvqvth8s+^SXh7iIaS%ot>**Y^wa#ek6C5Uv6*4R)#}vwVloliS_6@$zk-P#iuW-Yr zmh}TKS2>*s>NM^Yj2g*mB3YbD$!0yk>Z*0-xf<;WDnvcZL88IM&h6+lN4tF>AR%!3lhF)#@PKfif)sM1=ID3Igi(_y)jyFA%SI5V(1zNrW zkD$3Y?)*SQt&6`A8+ey+1CG=0TRPbXZ|-c>hUg@ce!c%M*+jxKk;+W4#G{j~|5wfoZ$UFnl9HSWBBXG#Bl z`oFiZ^Zbq}7k@dTGpjL-);4y2=}0KN`gIm?6<+(&f#~Qw^~!V6`LzQbarNXYa29}n zgs0qvD&y->+N?ecyRS zd)dbD_;vo$UgeH1?fmK5Wu23tv-a&*c9hXMW*v`0M{BAl8#~Y_?T^Qm&IkY|#n^F| zE(fnP62jYEFM(gfco{(O7~3n+^;r85b(uyTJvDhsd!4$p0xH%~rz_1E9!9LB8KH(< zOY7)50H^)GM18)p=U`U^GSqa&ti}!y+wX@WbbHrh>*9?EyIF6)2ViV~LH=j;hgVYP z`>*2#^UvyE-Su64buGO1=J;pzZ+~yW^6<~(US^cM1wZEFKtp0xs|K0u* z<`)hg!vC&n2S=}&3ozho=wFyt;pFX(G<6^!kL{qAz*Y_Tfef4+3ou}K0%>MD;FmWe zJ!b|;uFyOAs*Pe{44wGj{$co80JP>3!Q%l4%Ow)irg{tG*u#ie{Cj4{D=wUK5*}gxUW;#ePO1}>Avqg)79e--|sGlp|z+Eb+Pi@1u$i62mqf`AP+eOVQWfGG`cFue#; z@|eeiIj`m2Ks}<5;Z#R&IISKKfR?*W7AA#6<3F75hHFhtMo)q8ukBZ_gy_SV&xxXTX*m|Ob?frdO$@aES^Nhx)RKY6 zhQp3uflH|Ry^3txI%#>h^y{P{nCc+5NC$(HpXxxD>t6hL(_1(uX8?{tagU6N??9u@ z-c}ahVZbIa354BuFQD?aZHR`0k^ss~TlUca7Lf@eB>5i`Y&mMCRs6zt11K4A1zaDfpBM06~k-`6AGw2A_h*!`w|R8pwkXK%6g{`GusXr3YSY(5gj1u+kxr zpCvgQEkaD;a3mP`#qz^yGKS0(?L`XP3a7GVNhL%z;u{VMg>(Xaj`TP+$A2$gR%0^- z4fm)aD!*3DFq~8~E#2O=>e_@qB@(Z@jkzJSi+oABuT`G~PPvq=!D zcjTwGv=e<#-P5-F=xtS%Z9j0Fzm)LOrf$FWg-|Nhv38XqL~#xt4=Fuh@avw5B!zf_ zv=nLIQ{xnXdlrZ(04qJf7f=tLEv9Ty-~vA7i^IS&NMdF9lf5fq*BVoAzjjygo(Oyb z3r^q^uL?DPvMs@RnFE0asy|vz^f@QWwydcoJ@P-rV$XADNY9cfn1$FHpL_Hk(xd20 z%wT=qY4X{g6C^Rv7mzd%nf(R4Y4i6CTkprF0AN{cyL7JW0)U2{#XrVRG_~5w&rO;% z0O6$#H;MiEr)br#5TCb752T!h{g4pbuoZC9Z=5>T{27Vor{TLKRzVGubeJEAJ$qPT zf$%nWu;c)ixwnEpwzP;oJT{NPQq_)DD`rS<_D;6wGx8A8K>)M5l+%-5t}${^H&Cw4 z|Fyf^9~GaDcK1hxeF-u13tXzA6p|E}tl(4X%IU`d)2w@eCh+}%kVtETb;4+iJ z6_*w(A zYk+wp!<^ zRa>cAJJ@Q~w)$3EZELG-({IPNzyJHK_50TP{;V4^o!s%=NmIT`!%_0}xUIpFOo~~_P26m?H2cp-5V!0ljbr_s|9D+-xzX;&e-?_7x*Mm))9!uSN!VAFIm9mY4NSKdxy zqjxM^dn#kKT(_)Z0Gq2|R;iXK^n;X|n~JtBkoAgtX+|~O{a@PAx>BK?V@g#CO5^(h zni*=tacgfiF5{DQJP}lBN*$+8Q>vnsx&T0&1>$;Lpr+n0jzgLoYJ81b1=_SLeYDq< ze29L5KiOD!4$@Q8+WO%E)Z#P-!0=YgO~Ems$rU@^)`$Fs9rooXcjFH^3jNPA+L{uO z`q*G+FLR;zI5!9K3*TP-Q4(d&m+Tdh=8 z{nh*o8})Dd^JD2y&Cd$D66{wA&OcnRUzSz|AO*TaXK8pszQaq}wP3XNF_PxF8;}FT*JTW=s@Bv%%$Q> z`A_`#1U&7RpD)`OlLcrRAL&a+wr89*#R{t_W;Q8Fli)avyH{Q^b_PvARmou zip7c)^+{jApqJ{!8fp3m#kSd>Gck4Fh&CysDIQOU<3+{Gba6YEBu|i%P8h0iitB6c zPTbvUW$D5iJPO=|9)uImArhMr$TURPZQ?K1r5OS^wJM4lu&@^4&#{S}R<<&30V15$ zt24I8g`$O}$$pqWZH%VGANS_`@gtmTh=IDRt$T5vs6iyz5Xg11Oi#8V(kXc`%F}a+ z>H6eEcn9!p%cYl}8|toxkY0w#;39l$m}i*G&A>Eig1$`+j*@};r7krHFd(LZGw=yG z1D5T0F4cguV%h%ES;246IJli!1dt5%!)v&sm_phsRz~}#zm+fvtaP)lszRv_Aq#!$ z`dzQYL6;YkOU>u?dkNM*$SKND5PkDET#T-g1{hBeN?SiE;WSLg$-3o+5aT>0_u8jxRbjMkqv<~6J-I!q2L{`RT#wlCo_CiW zzbNsy`s+SiOr&({U45Z1r_=2w{f!~MT!>xGM5KPob}ethc&q-NPkDcY!}YAcLCTdw zCDBBhuyts>6+g<}Pn!AoGkBjFX;SwN?&tQVs-tb*4qiHdnln8^F3+V}|Oa|k^p$ zp%a|-+WF*VC%{%?w4C_2{n~!blv(#aNA(+g@P01#?B?usB9G0(6vbme)AC&L80~@} zeU1YA+XwOv$d9#8#^51X@}Nd#r*8O#GVGDBNcQAAIMMDf8@&sLFTI>o$XRI16BSgODeT37T-gl<<(+XtWWn5_u#m%5$zj0 z5*sbk$mXgtJPvYzwi;X_)?k==*d_S2Y#%IgfA9zS`P?+{bw;Mnx4oh^QtMIw;&*Ma zZ8wFt(2C9ao^le;%` zT@{OaXY$P9iuahRx-NJ6R)}2R*vWo2fqu?45!LgYA3L%YcmE(PsWmo>LFa!Dz(hlJ`8G0hB8;Kj$lG#eOn-n7VRp9 zvN5KV38ke>K2t}wGk~flI;fLkOpauPiyGmdnV$#33uAB)n{3XcdKySVxJ7_M>Bo0% z21V_x?kH_uARa)bGo@TV!;-9I#8);iW~_W)W>oteu$71G55|QeoDP7To_R-^b;XWP zC(>8&0LDSiF+IvzeASD|;fiq&+*y}e93+hJ)6AA*jZrJdO{G4?2B@SjrK(gp!$;=_w`QSR>4rYPPA8^T0kqg%wd3e?pfz4|wKdrPPdPk|Qdo zuQgiTa18$&DR?ob;Cr47z0=k{(K7)& zgFBh-VV?OcTO^vKGRtFCt{lLHx^yO5zlz0y4iQ~FiM4rOWLPI-<7> zLF^aluiM_hr@-QoC$@B^AJ>MnO<&{2q#K4vCIn}z4zRS8wmB+|Jnc)Q(#hM;;$EClog_D5eA_+|r&(vo zac{s9cFyRHaER?|++X)P_T_sEZ$v?9X)W$eZ{ZUDmf-<63(8RVqc|ix41dYTGc((y z!fsi5Xj^tWukm4VIJh8(VKyAT|Nhp1wi-I9;kjW?+!Yz%M*v1qM&V)JPB=}{3>*eP zJIzy7@vQwVWV5Zy^DAaAKke^6$TIF%KDLpK)Q_jcmjtK3UAmFWWP|fmd^*1<5AO8Y ze~{!~?&$9+_?)`1R0C@@j4$3ye2cr64Yx_zK;wIAzS`))rE>@L1E{X6K9B{8qnj2? z)W$zlCO^JEV`1Kcgl0ePCbydHSKib)V>JSiN^VeHcQ9b-wonJY~>DHdODzP zZz9w=l>P$b=ng}arK!zuy-@S2Ki-t?zTSuB>k=x|Bt02?*Fm%qzXi}BEp4m`F!+;+ z`ax{lFn$Q$Wjer2ws+AbVI#SOs3#|m`Ojw7dq;g zg7IW*TSZ+VOh%uW(rsp5qnF4lyoi>+4Vn@}&sE_tlZBY|0jex-9M=`OyfHI^(=jS0 z&SJt(?V-$+jKyGl^vC>&$rMETFgZmj$X>>zKt(ibNGhwc)iUWB05T0M9drFt!zk5Y zg=(eW6At@jw=%_BCy_0xbW*WgC6(JJ?N3uh_*PuRMx&v-?KYFMJ3IX$2tXQ^k_jS= zo}kL0&QsFAC#v(AP$sBH>#$o>D~YyM0R8{Y>y_pXh5NPO~xhHl9}X`uX;0 z-$a?=jGv!hc8X70P+f{TBmBf^^?>L*XZ#1H7|sUd<`$pjhKy=Es~I-+&e={Q<{8cf zj(V;596xqT+d1uoeRs}vo_xmee$dow#qaB;-)nncA9!hyq|5BziqFtjP|0bwPAvPnL!Z$B-F0yRj*s{pF ze9&G+*WHII&vt$LjPZkrrjMM9BM;tgSu7m=u|pYh{13^1?x%dD#CA4tijR09{GD^+ zrRaAWqCQOYUmE?fXP>X-`Zw4=8L@n+zU*; z-Bq#oZ;!YV``wSrR5W3S|Cu=Y_Qy>mYkQ28_{J6ZD6M>!uF{&RE6t3A?Z%^8^R z;`_Oz_n*K05pbvXA}VAc?Q;>ijN#PX?(}G(GxsigHkHvsXaD z)T=#BKepG$2bRuD^13&6U$*bplkfFW^_n_Q>K!uuOugzq`+fp7>|29AH0Xl;>U+if zabhktSc=aFn|^#k`-S`#+z}U$7_Cn4@%FNL64S}kP3b+?&2wff+ObdFKl1R;$S>(# zST2%t%pP}MTb@;S{@(lY^gj}1aeO=KP{qx;yHwqC#nfb6ZNgIhnD)1mtF?+pnYCywdA=LrNQ#<`1o~XL5x#zi>ll7caDH z3QAk6G_I7bTUQR$?l#HU3H$Hg7}~Wxw0=O36Zf;EQCGL*WW_%pm6KUR<;8IR5m9$xz=bF+6{yW!@DKm77n7tc4WTwSu*c4PI(SM5^X-kffJ zf7EMvqdzTm6|Za^oicHoEOT6iX4SB```22>#N0}$^Xofc)Ie%9+3eW6v+k zUsJZdZRMJAZ?xZ7GyW~R4mjJsgq~?6`g}XJGiOpC!F!O+C}u>)7-BtEpd3PrJ&-uG@Ul>peVw=;XQ~ zCt4?;Zu@xoz_jq}dHwr+ar<(QM!)StD}KD`Sk+f`%bXLuzGho}#n&hNzVOyIOZ!ZE z+V9>+6FZMZUrdUbRsBWk$>LGTgkL>3D3vvBU#I!N_Q|>_9~Lr&Q#;xnx~l61({$CJ zmW6##{YBNcx2D~02>WvSz4XCf4*6#N{4cW~>^!KS`RMSk`dPk=Vc@L9+9lHC)YYjACTH9` zcvVg1*=J(kTNwIks{Fg{9wRZrIbhQLIj8&f8noqft>wb|!(Va#={;hOq&zCPj%h5t zT_=C>)ToJTJj@5~!HXh?Cy^@8b!Mt3i(-rm zm#-N6^}_INJHB2t{_UHa7I(|INtW0?6I3+x^MO_8 zyv)lkK}z@k&Yu3SS%(;|*S|zPK@&XGGkN9X%O_1Mm%+>2O5o*y=d|JpQ%V6Rv`xnS z{NH3OuzBx)ng=p38$sjclF9#AYzY9RTU%R~wYCBS3cT<`1pZ@%5As6{R<^*_bO1Gj zE#V9-BMK&f&BZ<_fDFeh(=Uv~X}Jv}41dK^|quAFEe!M#rdxbta!1_tLcvb~EgPtEOPA7Gtryc!T_F?jA`5e+c zxVw*^MCWObIiHf#=5(T$f%igC7V(vxHj~2c6a6F%d>`2YFXAzgIYyAdvY=LWgzWRT zS%RdLpw&znGXiChNZI)VuooaPDq9`Os)-@kPZH+&?c1fKR(2EA=w;=fv#-m<@$BoI zI@GIAaQe#~DKW1*-UGZ=4-~h`W?7_NA^OS|BDm*zh2il5^fDJ z?F7F}wao#HGJ|D5_GY|+qbU(yd+3OeA3TEK5e|<)cm%*B7#>D=M8E^I29XGlP*xsl zP4x5xgoH%6Pu}*1SpNU37ySLDnE3DY{;{{_JFoD6y2O8f3=MBe!}r6JA5b+hfAq%Q zSQaS#(GLfrz!Dk4!SVnU$jEWHTzVn^o_payEQh34m!Ha2Zi}dm;kU z6fQvaqaPC>#2^}k<7!ozQAEMJz7PKP6w5VweL@=3tD2hoAiW+_N68va1 z&hm+J+&YSLaX(~ay89U63%pEr^f4cZYXhUE-TDiujo5`lQ3|sTA3?AVGzw?Qj8S-k z92(744KWLl&rG^J8cM{&~@67Gr`CSiNQ+_uDTC?3y8Hs$E9OVWg(GmQT z)=8&BQ97L*a=)bIpIk1NgzUOd-67y};zK~)F~lPq{@6chX5fjBY>DXcUsRHyP%Mfz^tY-E znrgZLx-t~>CgIveLEQ5$%$g(rRhL0FCJp3@pm_7Z|7gn~JD>Njx(pp{z_M-0WxoHa z$C_jwBBoLp?Q&w|wXzxh7uA%%MUmL#K!kA_h@t++5q)5$+r9A4HR4J8YD?xh-UOf zU#~#odVK3nH%P!MdKyOr|{Fw2<+W4S**o0 z=V>k|hp|H@`nc+4Ts7)Js)>Eu5(%`A?kGbW?C8Z+jJI_R!j4O_m#T@M`XRe;Sq7X} zV^Fj`8$~a@Y|+bX!E{d6ud;D=M0y!N?nKXq!Kg?|gnYy;bNq$qEq93|uY}Av&=W+Og-H^+ zrsXW6kyma?Xs^9xNQgw4Dg3OApI|>CJ9Cc{Kpkx%pMIp=i*pJ6@P=w6cA)yVKoZdP zJ))O9tBp>8TCdISYIFnyUpKoaVaFs)^IM)H=mpQbu%&<9P@=HpWsODoO&}ScaT60K z9!3Wx_k^;aMmIVDTOEW<26q`EWpGYzj9w{aga29IZFdQFmB7xhpV}8Dtd!EZ?pb); zESxnGl`KQ-+wO%pZXw<~7Y@O_5|3Mn=}4g(m-u7YxH}k|f&+kF6)+C!ThwvTPbCCU ztsIaF=5LiMOTbHEV6~sxniPOy#J`lNyY2&#M|$1|qL^VyxF?MWn4C~7*9Y!ggUt)s zVpoZQYEnkcd?E;t7GPpZABAjn_lOe3KDkvBj-vS!=T)5cE=njjY1i)s6BM6}U5C;|`vAB~H z9wBa~Uc+H*Z(xbAOUl`h4fJ$-2yY@snoRv}r)EL?JpkDpuXD~pQsyArfVx*jIZq%n zrEK?Fos=17dllA2l6e2>p}?BdvJzCb)K8RTTqPhgLKrt4SF~JWUrXDeO00IL1X8;z1JRG`s4eQb`UPt8PxMi3t6OMb?)rC)OAhBE24_$=OEvKj) zR|X?~b!8YzolT9q9(jhqbueYvF=IIjyH`U>e^O9%V5!syF zQ}PTLs4ywm`v;;`&d>0HdG5$;tcOXn^E7flljT2? z@vAwdvlh9MFxOj{AhB12lr4W7N^snJrTKfMv{hUqu|SaD34PHdFqk<)v*C{69;CiP zjYW4cCpf2}TBvwwAnP2xas1$pPo=wRK*rkr1Z{YN==#ys*y8UDMy|1#=7Nm1eSN|{ z2^sPDBd^OJLBGs=7%8R4pz&yEToU&PlcVlws2mhMYn-FdHn)uIEb@_-cB>tS;@|iz zM@mbc{ReYt?nbm1N|WKB8qo0u5UVcomcR*h|0FF1dz_v&dLE*USJq-OOl4FM#nM79 zr?HD{#h#2GJ(+_dXEsW`<%IgCJWxt9b^A3Kir6`FCL!kvgmC*rJW$W9;0 zXy}WBnD+JLk~)ddInH3=45r1d>BxN*kG_g&O;NJc{S|h7h3T|p=xIE1e~(MP$8_Sj zKM@xq_{!Wbu;T^hM!H6LG384Kxs`aF5_9u~hlrajHp$$aqy%W1=anmg+)U^t;dZ!v zWeL7A=n%7324cD%E{N%rXNM1oBRnI+V+M5XmLqq(1eOAz10kniw<^!zKrrGSB%69j zn6N7p*|Y^w_7>!@S2#evI?-VZMGj4RXL1_M_VZ}Xu|ABNT%9e#IG`V{xy4R3?+JA#gprf_QQ`c2<6|?} z?tLT*zNT$ieUW`V5CPCQezb8b*z9pjpx3d>K=mNlO};Xqmo+ItVCR8#^1-C=W;T|6og&C+y{COV{2{k-7puQ@YvWM=ES#kSU@Wt-vr z03lQCE#3ymtl7u4;bAitBJreIH{3M^G2K|W@wa|W*?0+b@*yFtjlX#LI2+iQjjy{J+UWy6$?-{W>rMUkU@FRN_Ja4FZ(;5#iq4d=ZvqM`l{4q}!dw@c3I~wR?-Q3W z$Dynk*E`WS?NG{%pRvj#Qc1EDvwg8Me-&!%KwPe?hnyX`s06zwphXjq`#y5qN5w=I z6<0$Z`~XhIulzHIkF+EnmU3v>_$u- z)VDI7ZmdQ&;^)!XLE6Kq9{iyCVs}(>RzW7I;!|j#V_k%5YAV(KjVUyKmaNj6Ja|I& zBBJZBI-5#6S@x2Vs#&S}bd%5>sruMxpg7Y6&welQf(a!^H8hpyf$2{*FqPB#c;LV0 zBdHE5n0qJ^x~zgqI}-K+F>TUcv=V4D zRr~u8Y;iiP5TE#{m0yk=sXJiQU#@EEYr97A*DyrZXu2!mKu2c}0@dRYh(xTh;H(Eo z*93yS-bB{urP-4j`Dm#xdCj;hl}qTj78$|mS_em2_9!b2Zl=QC(xA0ap1)k zq4-4pDQLttM>Buf%z#M|!!eCM8{T%r-srI7G+@hf6sH3p6cWuN1}Q7BVGU7p>`pO5R3v=Go5lXacw~n3Of1LMx`j;hT&n>*;v@ z4#vAm!OPucL*sxBN5%M93av_Uk(c;Fu4*Dn{q+46q~Nj(PM*K{ir?(sNPH3ilFg$e zd?%n6vF|h`AM=8Al9W2lW(`inb*EE~R5AqcSO|wqia^ zV0tVpB&=#}XQC)LGrOnI;72z(VXm?pMq}795W?23mzx7PYl;sN>xZFui$ft1`}KlJ zPpSEa!kl5V_%`yG4KI{}6N!2>$hSq~Xogh|3+WcdZ-G!aEAT^~rSb!x}EQuQgP^{)K- zKJfpS$Ve?42&_#-og4-Iy)mbk475$V>JXE^VPt590$9AdvIoCgGo>e&r zsZ#^sbYI{nh({#sSG@jyYxDixm2|8)Tw;Fc57|6xNoVz8x%Cjq=Aq##VLHys1iv$m zPIoroCm*W&DB^X^o8YTaYbIfv2=gF5H`XQ&#N5i(-{IpNS2W6)i&=kxl~9=JoEnJg zf$!ze?DKh_+ZKvgVyi>Z+&Z#aFd_DWuvq)y0T zbfXHtO7_BzJCay$tu;U!O=`BnHYOH5mH^UC_|TgTVnf9RGCI>)Ms%lyX;Ry$lC$8; z;*Vs}amEu0$5pheAF|)fpNbkP1&dNRB_+T}Y(Cn>I*^ESr1j%bs&Uu5$nFcAt}>%c zBLE)D^)DCf6xU1TZF6<1Dpr{s@(&vBq~GUjnW+l)gJin-uL9YqN#?HtQ~?}7kY9=I zB7{J)n&U%s?*QcR`7dwb2&S`c3O#Ri`yTFk)(?n^8&oQnW<6(n7B_(7yXuybz0fz3 zyv|@%|_B3pez1QLHj$Yz+XYV^U=_%!|x z5BmNENh^&cyUp>6s?peGiPX4<^MiCT<}PGmfOhP?&3?F3 zp`A8dmt`nTRYJc@Z1m{$YW4>#J*dk|RXeuA_bd05JB2jp(yoF3KYfn;9RvT-!m+d&0x~k7HySX9|CZ5^T&#$cYwP?n@~!&llARR+!F^cj37ZtyO?D7 zo(ZzW5`EHJoZdV{E^d<&Yto4fE3($hN%+;%n&FD|qj25zZAqta7BR2*iuAeKM28)| zzzjTlmWkyCUj2m=~O1my}VRb`D2& zi^YtwU6Ja$VxCyWaG`~5q`z1R1d6_zaJca86SVz&fac9Hf=K{IjYLNgv=K(4_EF3k z1N-PQNopU&>BSG^TeE7KX8Vx@U>zjANBdx-(uY{$Rfa~p%jo4}%gp~6sl9#hDlRN- z4YIko5ZzRv3x>WwMzndwrQsFd=Z!8^;a320H3ZQK4O=3Oe2<;Q!UQjSchZb;mIGyf zxzOMo>}T_Je2VBGF;K^8idS79$_y$09X%X_ zE)Nv%Mycj=;thuTy2Os%^(dhp+4P2T)JuEPlA0)f2F~9O2xhiVl2j! z0ZepkAU8)zO@V<;mCUBIrB9Iz)PLT`R_NU3GbmHdHZ<(Uf11kT)w9l5V8UL=mCNJ=|f2gk;MoP^-?AdPO&!}>|l=L=->XOXH(m*obzQfizj!1RO zIc0);xVRBzx0LxjT22e`vl@@J+MHk4*{Z1&q9RCCQ5B+d)ZN&M=iD6b2U9!yJv7K$ zv;c9%DArh^hj)pKRv@}j^;V?g1AG!|nv~#}cFfPYI4I$0vX8Lq&aDSF)(?2Gt7XYOOq+ zn9M!9m=g6J-Njj`?mFciBa!$=K+T)#$Np3lW}>=FT%fpDtb3Pg^~C{XQ{8sGBS3tC z8d{CZIdLyobuD20lGPCoR;mBhXni`!+M|oUuYrveM>zy5*0(7505KH_FF40L=wu7` zj$;6p*`hRzk)37!I>400*@c1F@$C>@lj#y4C62@D6qXBW?qI7=u5SB2JI1!SqN}Yp zuw4P}7UI*!usGiTtjuco|uIce{@c!f>iDbYKxzaH;~Iv);5c+eR_an`ga&vXF88d25i6I-Zticc$1~ zj%az>X7u0->zPgyFZ0+v3zg48>Oj?+Vq{;Z>g|K(YjV z{Zb>0JG<8;)BaaKFTJ8FV|Dqw;2eS+Jt6iVC-g*-qv85a5MKjom&~!ezG{$ek!Peh z?nKF@D2Z2VsIJu33VS*R;W6}~p+mM`u34|mT-@A5#w0CyGEBRT5MJ9uXPal95oBEz z;^E6p5HEX)Z+jiSCv+lYOwkY|oJ8En3mO_*_=b1{#W_>VRRmsK<>(!KAB%aH+^P?q z5r?=G?%_*}Zs?5|dLB^A>Tcej9UlQiBvaU;zV=3?6?G)S0% z^YC!|uC*tSb*fx{R>6Je2*Afev>KQXkZ34vv4tg^kicFgAM{FSm5Pv+Q3&@T zcn7Bk<8fP&*j1v-jnCQr9NMP?ClGync84lL9yvUAAwAwW64L?dWr}8JRWA4gb%-XW zwy91~c8Ts($5KRxkbB5(e%e#>NhRF<>-T<(bS|o7j|J%mgs+$G8joebaR$CKb`Er{JMNU0DQ_aik3gafCjIQ9JxF;h#nSQ5Pt0UK&8Z0e8zQt+(je8+xZg3&iQE=0f?C7;q&cG;ob6loYxqBkMXM1md>1 zC%KO($!T+dyE#=&v~6LkNM-yu_E5zpKzH+J*%8z%?nk=U<1$g}&eBozwW~d87Vs$k z=GcbQp7ljh6(@N6)+jp6R?ZEZ_=A~OCY&RDy5k$H8K#K0+GTW@7=bG?OFz!$_=hxF zjDtu(`}>xyD0;ui3BjKqjPq2c!z5W*IG zWL~ZT6l;I0cW34_&DSe@Xm|4+>i7)BsifKOk{+?YZ>@^&0zA(8hJx7A=MZ2ZS-jpF z$%-dXW+iV?Tb05zWQ*GgfLX|W?86t$^aYWF-eZ_Gh&zV{-qM#vUDH#Af7)W z-bKQ7tjcQu7Om9I`Z#&Qa0EGs>>~-uGEfu1WITT=BQMeM)GszIvlXsrzalU^OH${q zpUaTmekLV4G<@KCIhY; zk=Pbvcop4r^kFP5w9r@>b2WnSyAue@&uwdYPP4}nbDPl?qT1UPXdCZ*Zrp2doMY~M z!F7iGzf+aZa(u-O(m7$jOxwlS{=Ip;U-FbRduInrtgpl*WTM04OaJ6r0C8KzhnJpS zKZ;zZ;pQ&`gzbo1?da)+Be_^E)bTE|Jt{R>Gvs_5mu!6Ct3V-*pH< z=2SJr*ILmD5ZYA(I9IIxaWu9>b9eQ2tED#{#Z89o#|(mE5QFtkYPHDomv(|U9GRJL z9c9f&?h3?KWC5FU4$cZepVcCWpG{J0><0ZK^W{|Xo0uG~-$cwg3iwYV4W?uT%36)A zk@B;r=}he+HJf7n-ty#aa2+(N*r)oHVFjJz@3s5edO9y5s%yzWWQhP_^WIs*klp*6 z*U*>45xeZv&}F87$>jHz*h!Ca!&h!T*#1ci_RG_KN!BxI&~9qefUgX0a0`a zAV(GNvhXb_5`F?}cVr;G3$!sfpiOWFq*kLU3-HU;#)=c5wFsF{ySok@uS0wdG~5JL zOl)iAHOYUi(d3(vgkTj-h_|Nwj=89ey_g93(`0-u{GvZl3WMW1#hwA{OUu{-euw#m zCO(4GKZA8X;uk}kv*PE756)7c{Ag(V)E9HDu(bmBW^`^d+SG)&EvY9hmF{b}{2I<^ zMf`4Vsb~XtnA!Yt%K*^e2mkx)BBjK-Qm#K5V2id^`|Bz>r??J{n--wGVIld}U&Fbx zX6)z4@g%6#xx`wm){880Y9DKCY4wBA#6N`EPUPXXWCRW*AHW?fxs2#dwL+!4DRxt+ zKJ?WEfjR_vs!BEL^@1bEPZe)8F7*Wysg5$Ls&!D6Y)hq=vTl1@0wK@VN6M>?0j!H{LdDh!QX&b*d$)Drv}YFlI_JgK{7|AfeBWi zW0rt)g?@_<%}v|eNk7lWlB4?5NF(ZfrIEXY1}XOr9SlU(;A|a46@$e2EL&o(SGxxz zcCdMVKz$Qp=T_cFS9;-RJhpcmXCS)I`Eo9{h?DLO!tS#u>nsx92}pP#v3_M%AL3O@ z0*;Ni`bWkpnEO`MumEnz z;cuNo5f|slPFLhBQGO3k=kfEx4`rZG)6zP`*#fo8ki&qRQ6t6^&*cjNay*^u-^Pv` z$Tme)qCxLzy9PfQmOU#|YIX*K1rF1x{M6d_c;S|}Dmt)mwICvuEl}54aCn}Dae+b) z1Ydw77>!gVazQOOjxx}L^sf3|r{eDPwhC}E8Jz?hDD#v}03Vy{rQaV20k<-=zE9CW zK)~dEPge^6k>m~Kx~W&kW_3cGu`n|JKkC~&9f_Y?hJsgd5?~rhsp{uikSVjg34_Ua z1mwW46vuW}A-$|%vctjYpYn8?5$c5hBAvAUoxx~Qv%dnWhdyArs&WuOz;m5UtJh+PaX8{yqz1Yr^OSWyQ8T@PIZr*yYtN4qCh!dK78 zK(PtyON9gpcgLE~H-3*At5KE_J)R5KdG>N4GDOS_)L&=$Z}p{}GkxrwDEdIqD$;oh zYBtkc2pk5=%@~6K8(@53%9@I5;}B#=>38H~14l6HXZLHUVL9l3u*24(7zt;%HIdfR z&HPs=Iz1fryqZgNFGjVC5nbwpom!19u0{oq#ZUai31%@CtB7d&61I~zUTu&!WQ_<@x`Vi}HNio21e56>fU3F6w8{$QP(QX7cLLP%TQqUP;m zAf&^+*agY|l~zC1e%-E3;H9(M%zyYeG=6NC8A~v0#{bD*i>RjKIim5pM)4u0!H|3x zA^)ByYO&3?)xUN>WOZS<;M;jcp4Z-4a?5n6OR^4;KR$vW&;2fdLv%a&CK?~CAV2)gnHcBUifD=Md?zm_~K4!!XpWp=l%qVpLhU5R%z^f_jS~C9npG-e7b8;Rt*C7 za`$w!XgYF^M1|B{hKtIu=UoVNA8e==7Ak}>syMId=^w=Z427eFPntm#=4Jdi39IX8 zz9|RgG&-#47X&*37_`w^5gaX7Hs&hq1{LAYbxD1$0)@#G|?0{^)lnie6 z%hzJ6aWBP{OR?AuyDL##C87gwZ3a~=YI1*r*l*}S=*wJ?`Jiuo3oWmcaD$%D0a6Ny~MN9&t8?#6*Go2Z0WcgNOxMC;>X4{%KhAfu{aphPuzVZd3|WMGaTFR z(nsz&=*u~XZgVWf?8<_>dq+t~LiKNmPIrGUfhF#930<{kruUv7P<)R2XGzx268hdn zI1xSFNIDy0dbOF@%}QHX>8YiN+8ply?X)gnuU1NPH>okTxx=KeB!>Zzq9e`g>0t#o zqjiJ3zcjzUl$Jf)jcJ;Dh*TURrFk8-*gZ+QW|Gvs1(7XWn)n#I8>L+S*D?am+5-1_ zDJ&W5rQ98{hvz&kk-(C%M8d5#UMJ$!PL{G40Sc0;?+&_I>a7~0#5}9eHE_zJUo@P- z^^qFZQs8(MCkLSV0bXvE%B)glO~%~CEB`^{vLVG|7PwsTL+q|a$+gfevL^eGMeYX} zmQxQf{n&YlJWpo7yf~Jn#ljYBf9r}=LbJ=4B4Hxp>v;uNw@9kxB3v`1md?&ZTrTsb z@4J_HZeZAQ%VRIuQZGD^WY%tw7g*`dYKo~DBK>eAyYRzZn44?=)tw`&%>m5A%2Mne zDEWIy8fY8Q5kQ2|66k|#Bz8NT(xmoq?qSITSP#smI%aC}I%OA%A4`%)q59`2VFzN9 z-NRV*FxIgGa~`uGeQc9!ZE~<~$B+Qadc^PL74COY0(hxiAWO@36nt5K73Ue)p27wV z9R=-RX@t%1(!Fq7)I}B$K#7cq9phdn%~&U;AG=Tb#+~$~gP~ROG0)!6F>Z+zmOTp9KmO$3=@b=|S&0c4IcK;6wfCVYHj5 z#`OZyrSEExLiAItMBIEjtMVRVH{Q4)0}Ze~be7|RiW;gXU}rDz{_;0xxv zd!L|{ePF&Re1y1JQG)O}xU)sEALf>Qw#PSn=%PZ8ty(k9vte-T;q|F7oH^dH zNCuvS$DC$d$53*NiEq(8pwX$00ALHTy7~bI^TpdT_itzu+>B+y3ki2NBM;N=2@9ka zP2CL6C|s9uIbT{Bn(vy9*PHTD*LJy$Sa{Y*ALW?$3q`^Fri0*Mt_d{%WNM8WH5@1v305&xrNMS4v_ftv9Q`mDdax|brw?ZJo-c`+3MOquAgc#zPZ#(%es<$B8PmSB!!Kz0K;xR5K5zaImtfI}rm$Q!~Nm;}rABpxFQ7H$9It|25aauY8Y8^|2ZdlPLIISPj+3(*V{o(A;AH;3Q zCIdf*Y*xz&QMT2v3j2bhYjV!87kb-Kn1`f;_X2Fs{BU0JSs9vL?DvwmtEL#)(!DGq ziph+xDMLLn%_JCt@Qx&8^LMsL6SAPExj=o+MNN)gUZh#9mzH;fyk{l&6}g6Tut8H% zK8%aiG%B{2qn;s!yV^az1u*Q)qdApco}Re7=mY49n;=<}Z5c`%UBglB7)*OROC*n{ zV$)P`F4m*Q^^o^{yc9<+1?OTvYT6H%Zxh^&7<3`_VWAtk_z@ywv&-o2#_6cKT0-(6 zCC%=1L#nBS_H+G&AlMH~9&~b}))OXVXWp9Y_mbo7)4538*(Y+8n5j@dP!L`Slfnr< zEv~}x=OMe4^@SG~38>*nn&(=8IT2v=B6%IfRDI-h0_ud16DB|s!5NLjOEMh^O28mrgKWYS z5FCJT?j1$;B+?6vc7q*24Ap?Bsd1gcE6;n(X3c1LTPEy9<=_VnvINmyfKDyr5%F$J7jqbF5L&8}Jq)Gdf_eOdHDit9Pd>hfw1%&jiVBz&1mq!qpY)?g8Y_;F*G% zOaZP#2qt{GSWda84AERyitM6*sk7-PJR<^C12PO-db^H!%yu5>YG?<)sSC`WhQeH39E#faNsDq&au{g%xIBo?fN zclGyJKcM4kgz5q~F@JApr0WTC1Y=7O6azRGVp=DRkieuAelWwe6}kQKV<-oB4~`T) zgXDaRI}(>iVqqn#U91Nr-;O4cwccbiKJrT%RXzaC!2V5jNdLqK+3^)wVzhY&E99`Y zOxJSO^pM@bWgou;^hC(PEQE1jp*|Bl(6liSJ=ki7935b?J=a52dvTftHh?tlgd)WM zt~PqfT>dwwI-p+4&F%i4kG*tI|ty_Yjl1PVMA{13te{vl~vATcR{m8JOf2kt5 z5h}j`JP%h14G3^Sd&GHix$w)3Lz8DIWRE0X|G*-xSWXGy?0R}Au*lB=zRRGj1fZ2{o zngcoVtR>JB0Q#za<_DQmdwt6#RMv!|Eb63ku6N{G00h<}tA!#FcNBk)n{lSN6b#*_ z3}g$lK&FM?1W;6f`NH5k)_wyY){Tn03hy76A^UH*tmr4t>oF)#i^te+6u`9paS2N5 zh1j^=vX?m{*C5%7w}HXOH3E~RD~`geq$KU(PX7;kZyy#_)wU0>HO$gk!|V-vU=Qqp zJuo9PG6S<^HqOY5G78EVC@7<#Vq$}U;s*$V2`PmNhF^uH`H>cumKLU_m8KS&rk0hK zmgYxRR$5wGcH5V|*JyTo-_QNL@ALlt`yI#Q!6Cz*J!`M8S?gNYbzbL5W7~Fy-(nk= zV+cJ-Ep0m)i}y`)+jb!iFq@XM=FASI^BFi`H@%qgRlWh@ktogklQN(Y$AecQ9-!U9 zG^_2w1d4KCS$tDSG6uHvqp`T|=m~2K*w#Okb>MwW5~|GGiQ771ckflOhyT?bPhR6v zZJ)$+o*o-mG{<;W5r%P)s@x3Y3265M2E<{1(hvBw_z0$hj5Uov978^&libX9BmwaZyb_7R9Os? zZBeZ4X-m^IWkna=9+e?ICYW7Sf3N&ff@QX*DVui~!ql|GRczpY^SYuyQP>f0KFU3; z2{M#gCaLt3M6Q&oge+KZ-BIAWtq*cw+EIR_5c`LST!!*k!H^Zhwdby<#Z7x5LiAE7 z)i>?Fjj7G(FOR`ZJ9s@XYc_T8dZ}62w9fE_&1J;Uo1SR-R9yNvdzejccBebSMG=C) zVjS%K?wOXSY@=FHuLEGHZ*9y%wjbkFz?Te~98cOZhQv zi5y-(1|5(Qb1%q(aGToGm3eB{lrEQtF};xWWPw3rp!&cZRWKdtD-$ZwW}0ZUtm^{b z-bPD6WmsVC*!gF$DS68-zvkN1T(*e{j+{ApP--$qvZRLY#NiVeIakM4} zElEUK70#u)7;3FJui=C#MHIq-)*^^Eb;D)*xcDXWQ1eS%W%VO86S<@zfPc?5NW((_ z2FF$9-J>Yjj~pOa$o1tuDLRWM<{*$4A2rs07N3Qelzc9?Fj6+VTb~N(zwRI@v}4N@(^F{}pWeiOOX}dsLm- zOATS__tdE5j}+~@YVS*w>B$1qSqvPxGmoe{jyr6YiNKIbrTtbi3)cT~DGAwM0YrwM z9ZL<_%$E1L3gpl(Q7y|shUu!ZZ`mo7D{!oWTL+yOfeyo}wl$J{l5z_dJ&^Yqy15hq zrp1wrdM@3=Epe|#a^7Z~uDrQ9=wf1ra>|1WonOrg5o!M<8@)xFqE8fb1)Tj`{ptwz zg-F{B&Sce63tOeeLxB-E$i%I6u*9!DF6d52)1-h4C$TF9cBd8sIC6Ce8%o7E*9n2u zhl6rRqvc0lx(~4l;bH=5*1g0_A0sv;+>jlK=jUuk?pSSj1l?mf6|Q|;QwS%HNAk6n zHnyTj|D=GYg9mvLpquD8IR)ic73f}3L!N=C{s3@BwYpJHT}?F2^e%!; zb8XNw&TiF|ZN|?rBa1h}rS}40uj03q6UnG|SrVOoMSn)1CHV(1@BS|9gRFML=t$E< zUH(x{5S)PKoCFjkw-{r1NB(QP!+6@pMCJd3k1u`!<$p=W(r2>Y;5_`a{7ck^ms6{E ze^mZATn1isS)c!`^kwLjtF*8#8jm$68T)5dT8k_Lxx&>tb17ZUd;HUp<74epn$C|h z`tvWROJoI^4XtZ|V~v=@g<2}v#+h(Z&ptfG1Omgof*a2)M6LCwEN1{ZP7RH3A=6t9 zu&~&n27O!==~q+ zOP$^>s&?sC)?uJl&n7_9)p!m<8?K3{y^mo@Ck+`8|ThTRx!f zx2WDy%-eb=7`tn~;JKjy7Hq4R^AXJvBHV9-rja%TWFGzXNbqnK{_e>6!{7dKlv=jm zwpvCdro$R8O{n$HLj^~qQYHOS28ibn|9NEF77jg9(-W;0sPlDmoG zoS%?40=}cV91S;Bj>o=alwJfUVfVz>HGU3j;s0uI%(t}RHI1mjkIEOI1HS|O4DF=& zKqCSnrukoolq4u>4kOnr#nE08QPlJezF9LEU0HzWf`+lEyc_mbVerjgT7VkfLe6Jw z=VPQz*n1dNwqq#D??&Lj+ti3^)}WSloI^1@C^rsb`NwqlfFHppOCa>1!zDTl9-@{_ z7#`uT!z;Vtno;P=azvNIQ&z4+UO*==NASZfZ#atzStYwyWg9KAi$e{gA(z2>1y!EI zHc%^8VKRA4y0!FLYwamx21h@KYjQ(W1O$o87G=*l2P z)*${Vc`RfnHpD4voc@Nz@rQLf<>wNC!5n6nN)_jjDcL%G@?>IJ9 z)i4IFd;xp^fp5N#;OE!((J~%;uOt6=ij8Y9JP3$!?Q3$NczF04ybP|*L6z?ZAAUfE z;mYDQxbgkq!z-bf@6px`1U__S7V#}ZpRZTI4e4uwPb|am2_JmoeY6*D--Rk?hk&cn zpNuxXk8*}0=xk>j^uU$%3K;L3*&%Xvi1&AN^YmXo(rMJ-!=L{W0>x~6Tmc2F9j$2e zp^}@}E1;H|zi!JsjcR^J1z+b}3{Lr*Q$ysbA~EDhw~-j%7J(FtoE^ zMPpfT2)6bKftlj}4a2m8@mhNt`QU@M#wgh1Dh!{5a>Vy*AVajq>kk(CIgC3bthAzK zzuoGlJzX}wfODW5XQ4_M?^}<*Jqq-6<1@(X1lG$&xC&3h#0%#*H|_||iJLwMuzR0E zTTdgn%?Fh`4FdxY;NP!V5*(dnQ05$TC58mY_tvn|(+$rc`^{h%oAAa&(l{nq?9%ug z7^DcqCqwtPoKoDr7oV=#ht^&Mu{sPF_Ci^Qkbkt|=HrURk1Mv

_BGr9 zXW9KYeZLo0`DcO&?LDxy$4$uIy4WxbGn>6(_-3?XO|$|o?Y)RJI$kLRQ1!}bU19Z^?gi_O|16b6L6kr>wG>N0ZT4zK1@d>6fAH>gDT|aEa zUN*m<{`Ud&aaP|Ci)5oX5CHdV=>VFb|02&(WZ0i)+0x&}4AbF$`Y!_5Ctf6_+MNUF zNC@uf2Hs0N!Y?>XbPEkS;~@R8d$2{U!ePY8?SNg$QqYq< z8IV59P0{|8!QSw?r?I1axhiWd1ek&0wu)=et?}uTvgp@hgQ@EvdkXaCY?KM-$VKeW zxu{M*Z;)Qm-!LPS)&>d~L9g#eqXU^tG&{AIVe&{S2Aqc2{sx){26Gap2OZBqj45IW zsI3PCLu!A+m^zvVzr|M0m_O0-Xg_UKCN~prGi>e8C0TI3_Sb>jH2u8;IE!WcJ*KQd zoK47w@Uf#-yLnK?H(Z*dhGOnhu1DdYV=B%<@(-V7ha<`wA3E}gaH8NTZjECRpaUVL z`b6L%r0Y0mSUbQqE_X}=>`8Q1Mv47r$2EvaE;nq>$Gu#`QN|$7AVm(!cmhHUBj(A= z6|Q#``HkEgoZIn-r8zTD&b?$iux?fb>pHt2-<7|^hyUr;x{`gC+L0dJtdME9r zuO7{P-f#rluJtf45=Z2JLq`O9Zz+^NPz5}k(Dpe^4Yafs%c&^f2P-BOvGWQ5?)EX# z!|#vbpuFgqt+p6g%yj0FVhs!Ikprx2GeAh4Mm4L z5FG^{%UZ|vYXH!a8t14n{t`BJuF)oyxE3i4WYHQ(xvN|3$_{aT*J|5S;yaVGF$cST zY|4L|dvQmkw>pG-lC#N;1dXXHb5#+@0e(w6RaKq7D2E$V*dwGOVT_v#g@~Uig!X`W zn%DrYpZ1VFkc0nb>%iN>sQeS+Z}YpWd#&Uwd3cLb!I zy+-GYF{UL$#Yo+7HDo_Zmx(7u(cFvbR}VhFWtr&eY+Zs1!Unlcg7K2UNd8{gxD$yp;Iuzm1FWx(@D&n#H(Jn| z7R0qRJ+4fNbS+cC;c(;-I$y4w_)Cao>~PxM@OYRz!uIk|!JeOD`6A4eUOXGDw?2kf z9vfx0(K(GnkZl|_h-%s?_xD3G@x#J%me1X^$ByH5)o`rmwn=X6e8BHPVtYjyovOb8 z@V`6-mQt0hb``a?^>L4}-2m5G@GSVM^cBF%YQXp7k**?p?#j8y4}b6n+K@vPD5e^S z9`VP|+-Ud=aSIx+fztWU*WrM0^JTR1WjIwHC=a>{uQoxEwVHxy>;jwUfK#s4-3sXoBDe#Z9S5W`k?ieqDy2Lve;Duaf&3MGj z-)g{IEf;8fKZKS_Un#jvaCUqF;eJ3#tZ7ADVhuzx!O7kD2|&Q4y{Nze>Dj^yTr*?} z(rR}%mp~zV5cT{SDl~g`SIk*AzJN9X%zCrI8^v6*N|ce-BXGJuQ9K=67FQb7Lurma zBL=$n45nkbcy2so2RYAJ!nL$VLpQ)9Lck3w7eumf-5b|+p^pIMjhnd!dN^@y8{!?A zvyj}KI{Ww^3iYi=hXMGO%1@rv?0%W+E-6DfU{gdl4mrU-bC^sl_Q{U7*BT_W=7t0 zW24(Cxw;T}FvJ?A17YmQ7(-H|Yp_C_GugDF))R}^@1pov&t$}2iDKu)GnZ+V{|vJI zq&>>;i91rXYdC(2X9!wxUHfw+dqm635d8dbX^FzQf&gQ!V>e#Yqih;K-7-DsvE>T2(_=ZmV=2bD6I$Ly4VRH2e;ULLhkw2iaoe@u zH#52Z65M>nS>kSY+NBaKJs$#G6MU8H`4C-gtRuCp1nypPVgGVL)z)ym zXD`RLM?3VM!%C;me1Lld_6sQrd%x{EUk$F18hNS`9JH4E^rkLR+)s{g)=lESay^4A z?V+w1l@RT%>*{|#MEhA3Kh85B$ubZzm**D141Yz20Ar^ds^G^o4p+GK+>e}WnWl3+ zps;bZnJXYD=l?=M_XuX&M+Qk1Lc7ZVX1L(}P0=|O0BwK5sy?8|icd!Hqr}bZu6WbS z(c%}40LOmT+{!ix+=_fa>;AkFHlz#BwnuSg>DORYn}GNU+_ZoRz3v*{ov8!5kzO%& z4~?CE+&HGinoONd8|r$vI;i}jlKr|Hh{Hn47kC}%@U|_6$MoC?$C(w2&2RG$T3*+4 z_c)@OKjjlG5~YdtzOtL_yOeuCNb=7@+>;*hjB#PHC3wnv@!EHc#2XJT_J z=`JnPfJZ{c+BsJrtUbbTX5qZ?S?5CSCyXxvLB_UYE3P!XElF0a{f5BI5T z9k(;X)AiuQFGO6xnSsX$H_bzGK9sh;j`a6NTF!FkN1%AaOVeD{$i11vzn(zcdE+u9 zmb5-1^;EX)@Py5P{N=VcJ&?p4FW2pA>%^bghSz};qIw7J)^3s~Xxh$V(RQR(dh-6Z zvl&~(ad7{ZwHW%dr$rVU@WU;kKe260Nuk>7y|*CRH_HIUIWeGZ?g%e65VEozPFs!hI* zsy!8(R)63-hOPt<32>9GYJFKMbHLdS3(KyvhmbJApMjMHjLv3uy&A^UN;AUbUwPB@ za7S0^bpA_IxBii&hFSst*^}ocxmvo@zXV!H1AxnlTy=$Fkh!P?-b zkmRR@btCHXd~1LfEreMkFQf7$CD0y#vAKqwrU6vW6x8r6a+dqw zLZpa)tNs$SvX{`Z-2z%E+=I|`XEz^?gQ;WZff0VLz{`C@G9qlfbS?ldEbw1KKuMv- z+A1BrUX+Q%PcVcsEjaaL1BYv}k<$gSSaa8gBM1oQ^4r*Pp{T3=+LQX@Mwi4}zBh53 z>3X)DV;uRvL&~}2kVc2N9ucH>c=kh$=>(&DF_I3}<7Dm=u+5baC+oC5W=Q`Tf6Nb) zk0SO7t~vsM(b_0>sD_UQx-9(PN6~dbKFlme5LEK9D9mM_$ z!a{~LJss})nEF?O5l?%xEJ7BW%GE_-7-^>Wq#L|V2LD_D&w|0?__5J|wNI%W#MP>B zEl>l=h4ecz4OFf0HlJq`)VZHI?&Tggv}jL;y5_~PKilmb|GDcqMc#^7uDJf3b}CmL z&7J1D%Zd=)({ap8xqD#Zwsbh9&4^#&eOmz_IH|W%UY@2e3g)!bLk+oJS}BS<;T?@z zJ`d4_M%z4nh5n8hKo$7gA&HyuF2|iVaZLK)E5(QwI~2{UJJnJJYF+?N&~!|W-UbwM zPp}|7w!z~a;21+6(?1#{dx^00V68MWaRTU~3;DxI_hXkidn-n=KUi+jWV54i1lL`w6* zFcEw}bT+;?DTFt6#v=cej*c6im0jK6OOvSWRqEJ6=jmUiT*t|sriY@1hzoUNEOKOs zry#_TkVMM^`Byi&Hlx5G({L@sQ3JY+FPLwb%Djz8_=yAV9`~jb%6@5 zpF0AMYndps0Fl=NWn6)!kY)0-PC2Fviwk^0gi|j>{IQsgFqBnr6SEHhl5!&QO+?ja zn+7P~>#7^CXJ3f1c=DtoQTOXI(_lkjqQ{O*{ueOTpS5jsh)(kSO;kKePHV;P}u3^Cl49&N=D2@FsRL+igOe zyf}DH>lLnlP4syXY0|2U+%?AsSy{M>|3j>%*<#wLhskrDXK){3MS5vwI3OB4J$mwDEk^!E` zZxBFfww^%3KsHCCPm5#D7Ye|Yl3ldv3NS++&4-zreF{8+!_is5pGD|aQvJC&djuTN z;hn>$A}~K)@}@zb7hVC}Mtnm6U9kiD$C1`**MGL$o>nw3c;gpW+}Q4}&Mt~o>b?#a zFr9I8G2j+vxS3~hQ>n`!mdcD=rreRQO4UxKz{eG(@J(?`u3Ytz-wajZ#e+aJYGy1ET_6CcG-^9fg9ARh9tJYfW# zeExa-4{GKsrDhBJ0xNVY2AY;vS!^L+=lluVJO8BCWDt57r$Wrmv`jVLPz7{Lts1L^(80U>oqJ*^S+wqNX~gRF3Gx>6XEf6L9Cj-Lp1bcbZT=O-$HP#4hY!P*Yt1`w#gJI0T-={qQt!Dm)NDtE=lt?5NVL zpZN?|Lx|8O%;b|?4}}Q9+&9;pkmCD;|Fa+4#T{jN8T$xiL>nIA=}F&`5W~BaiFZt* z{bq&aoIs}ct)Sg!OymEMk6ML+fFbr3hLk;u4~Y(68s^df&#tvNJ!#0D!z|}|Sr&$s zO#(r$cgiOs+sQs;lEI+CMPje~AnvQEPPC16=_XVC6JtpK^cu3D`B>g&Ad?6K#>wi% z>w31`Lkf*EbD|@pXTiUY^v3XXQ7%)`TK7B&_z1A?ZFHp(kw$KbM?pr-MBobF^eUC=bz)Fr~O(LiIG z2A%H#NhI2zd*_=^u553~YUh(d*#~n&@+~%2D0qT*OLf{HWXWgS8dm z#cTLSGxleKd9)Q}yv&(8H_Id9n5($e8>2dU3Fj7ni;iC{nrBd zcr88&w02ltH`_Y$fy>K6iquH^p$dy9B=o=*VIiea{^e3NBjqvKk;uA_7AD=0H|(BipJjs zp}Gb5sg>@cYmN`fm)ySZmQ3z#sMQ_Z)Zcf?fLRRQdAoqSi@dFLa;L=9f4#3PaJR@AVmzwdGW>pgc>?zT|sohQ2fy6;Yv@2=awHMiHl-+EV}|JsbS zzwW$sH7G-TyN0)V@-89uJ9TjX%k6iS`ma@Wq`-Yan#Xy1o0_FyA z_g_;JaC~=Orrmm0>g{LUDLjarz9lLC*Hi9P@xOb{-=zU__g{~^^O67Vp?99&>(=vo z{@e5aZtk5?zt!0PJOqC~9GY@hsdrww@2b-Ok4pXXkXm$MW8a)lx)Y`vyl)sn# z|6QYR?e71(M*r^`{nu{#pZA^r``76Is6V3P^@D){8)*>=O$@3xm6lDdonUu@r3-J} zB|#I^JNoOr=sPdq_Rz$?R(*@*@QEtbMQI0Y;1t0pq_bI z3YEjz({~-3E~h!-fgus4nsdFSSm{dfzpPNErjaMT!R#nH7214VnU?BrRs^4vq)_#8 zq~R^WYPwQ#;zN{9ImfDi_V)A-f;#o|e}I)~uEIaDDka6?YeA}18T6|8k1&7g-ws0& z!J(iIQ=&B0ePLFOwlrl|U2J38BfF6egC9 z4oeA7<`T3i5wT!0q=3ng5S=0<>*K*>ND&innG7k$6jOY+WH1>Lz+^~FOtB{3G8q!U zWJu@{onramv%BY}qN4Qny!<^vw}e`LIs@}^&&Rjt<^Q+||8cs;^9h4_<*msY-iJUl zga5kR{)M2=`tbek`dUS+?!5I+K`I?e{0~>51VineFWXy65O;bg1i{oo@p!WmUMyF@ z_wUPK8~;|nni7~X;C3s2!n)tF<@D#!$|vDJP`~;gKlVR1@;?5af2x{k;G~SY(ymIR z1~DrTz3RjM)!fj3Hv1LK@49=cM5};@^47m-RdC%2{tGtzzg~qmM*mRsSIa|g&y=A! zB_u_WqD)jIfc{egNydYf(KrQW(Qp(SoI{Efl7Q|d@o-NH842&)7ZMM5r6>~=@%SOE zNP!+pP^5$;D59~Y<>KAlM)G`takaPmZ7X=#LoA2Cf`0qz!mWP$ul4(HYW*MkZ7APw zFyw*;m)k@o3HBQe_FEU|Gu5pwK$Fv3Cya zINmiAVFSNJcmPL5|8@2ge8E@2++xb%Wd9lj^1{RT3nYrqOwKNkpH?-ctad_0<#-5_ z6H8>EvNXP;R{VnKG+<9xVnSK|nAr&WWs|}OK^gI6MDn!wKuy_SXKtXgclR+`xGMf- z!t<4cEqo2qCxxe#6}7a@x(Y{oW+L$T(#L2({tDrV@zM#9lM4#jVr#;!Bw;BY)C4e_ z4Eb4QQhfgjfttw`BrdVMuBN75iqER4sKoJ}FhqNBVt933MOm$o%oHiJ%QJ@ptQ_?h z%B|Pr%^03RifIx&7Kayt&hcaB`$#n~_b_d6EB}lN6u(Fk_cBd4Kg>nYk5tfdhe=ga zR!Vwu;o^8MLRnJb{S#+=f-2li!3y{CZNT_AZK4;*5*3VzafVc?AmdaSlP5!BU@{#d z89{tpDIH8dl@Ltos+58{N77-;g?S9fp2Qh)kKNAJ!n?U;TsVkRgp*l97}Hl1l+wUn zM#6ir6(yTXrCmq^*<+=?7)*TT2grjGXiy9!4##Yq36nSuU&>_u2%x~rz z-zvoHA}**03+ys9T`BF83NU!&xokk?aABlrdn_|bwvjq)w7c(v zRKV;toe!d_4HMdY*h&uv=UDyzzH}x2lOMuK0%!aHr=m(B(n=Eipq4zftO`f~NG`q) z9^xlGGQkeXE_Yt%O7h9-6I=xI=l(0=AYvmgiRa9s`9)(PZl)dl1;z!48oEEXz@AL{ zo^OXFl>udOR*5*!LFuyU!kUZB-^rZ1zA8w)goNJ=$|mb7`0n z7hHUAA=*=gT!W};T%eZe30aT0s_7Yl6SBlH@P`;J_X}cEd zyjdtmgtaaYkXWPC_E)u#<$tyAsg&B6Ko4d>Jgz3N0*vuNBY`M`i9@L=g%;Jjm0nLt7iiEsjy*iD-BXy*Ci21LdK z3G2EBnDoMTc$m4Bzlpc-ReE)}SjT*C|C6x6O4iZ7I9rNAcqaPQR?p&i1gj3`UObo0 zwHsap{dtbA+=*YR9O zX;!o)a-Kx|!FWce z5}lXj`4BmWKy(WeF1}LZz+^j9z&(KP(LTV4SzwS#+x|cmPn!NzT{QAx>zYipQGuU$ zhKVt4rp5?c2Yi3|xaO@}B55+m(h(dhTT$~W%i$rETqbvRIp6zGNAOEj5k+ziePNAI^{<*Nry*ty9>%1>Nk1^wJk78V1jy(fP77PR zlsOtPAF)4c#Caqc?Uv3*SC2hpV%u~$V*hn9V)c>j+u8%O7UJGi#)9cwJSx+nNLMdp z3gI-t@QUaHd@otQU&e!6Yf;lO|8ztK2}QyqR5&!BeJ!?gJ|D?kwEvd-5#g<6Wz)%2 z97@y7kG5yv9_f1Aku|dE8fL^;vr8<8O%YHG?Zz)j8P4WkFzT?DSeYniw)Z~dZ~{$G zJ@`ymyWS8B>xhiH8jIU!;CieH>ICVsULwyrsQyY6?oFnndio^}H!?ENh`efC&sDds zX17x^2D?c%2;9XekjD}iI%TBgdt>emQQKNscbSZV^~kW)!NkD|5U;&Aw&dA3`^mBj zyb&)WA8Qdq4_|zTy%wt59hY-dje9v0`CM`gNLENe#kHIljZEjF;jY|-jQ&a~)OIqW z^_boep7jrTjE1(Q56)gGa@<096XQF2f|QsL>tT`Bq~k?8h7YqQ@nQB>{0V%yKUR_v zSdaS`Mq+lZ8k@*d#ZMD##P=J@!_9Lybdp-%YOJf*=~k$wD00k5x0~fHcpR}f8ZeiY z0=gsztv_;F;UPy6aW+qdmGv|k6cq_EoiN(^^BLx=?M+V=V&^{O~6$1>O>YcN2F=@z) zK*BWQqP0{Kr!%qgi4ZXkFSXXY_JO*xu8S&A0pynEIi8i+1N?CQ_ImOlnAkqz#5y0O z6-PA-0Ej33NSfSLku|*i3|U0eT{kuOB%mb3e~@z|13yC9+$gN2^J$dm%3FlI2@2YG zgE70?ku@~WYsL62VU9Q%zlrs90bxxKt4J*t#U(h4JPir%H)yS^6f)`X03$^d0h4_1h!^3Df!wK0r6ZGb;O3A%t zQhZ=?DV#;ePcE~lsrDVVd3T-xW!;wZ(;f~r zEY=9=I68L+2-Sq)3FhD1`(|9hf;)}NBM0&BQK6*N&?*Y0ha$6vOJxe22DoDZ82?c{ zqyyurWEYV5H!#2)pnR%owmw+7zarV-{&~Pf}oO42MZ})AC~!>82g6_h|`ugRnkfjU{E2sy$T^xhU zv~Q>2duSR^uDBdv2wVE9+8*Q=@ZBn&p>ug&+>MWzYXWX&zD-~`ooR!L^d?bsJ?WFt zO{ddXMwn@wd8dm}sB!--L;Z2gy zKhGQaapp<6GwJW1gNPqPa;y*2d>7CtyoeXjFn2Xx0^Wx?6PF@9$@4Sv)FV8^I+<1g zZZt5#80}h*oUiEeLZy*iGl8J4h(1qy1TwM;mC`xeYQDMI@Gz_YTE&Hdx&XVVcL!pU z7?yodW2%aBSy9J)#@f7Ho)=EbOpgS2&~O^J<6)!TJd4Q(h8Z#oguEDkZuj#)22W2s z?Y`oj&IWckFTJAHEf002BYegD6nPJ4tiH(nz@BnwyJ%fg;&E@V|Mfj`=0@@F1{#;xw_1sg${MB0b!zt(gz<0-6VPVo`ai(Ok^IKLgTL@s=k@vcrA+#(_@ zF{+F233|Q&Pp8qO8}{i;6ld`f;^Q>3q#xo1?Zax3yztk_zI3D1+e}2ad>4uf|ExA0gsJ1p9IJPT*d4% zX7Y1zr09@=O^Ou_!VvD1DB>LEB&2WSMnWL%1y3TYxWW0|Ku9-d3nmB4j@K{D+6*$$ zEh~^-MK$9mNHZ*j>fDzNaq2~pT-b&vJ`BK=xyv}a_S;a)#TdHLFh7jRS^7rvaGq_S z!#p5I0--tk7E9uq-L7yW$<}78r3bV`XSW;*F&&RGT1l?4KzpxP_b#45rh)C70SeU2 zX&f{-V-fSIw-S+T5R4>sN@=}&X6sKKo5={v{!kig_&#+1G1J^oa)xI!%r+xO-MnF4 zcQ|*9cb1dE!6SvCpHBLMuurl2QzrHswHQNO%+-mH5|U}`iArz)uavSt?poU%ZmkmU z!%1FG2-#^JTF27gaS4_|G?Tf3W5|S@&k)JiMQYBcix1Lt>Z(xmBiJ#lj zi^Nv{0Y`5!6=#AN)ES-duxlt1=Ly})#~>krl;W*ogxJFGaDArE%9>JTRk@RJD&Bz$ zutv~}lGx};rJ>(11PsKuKPh+o#f-=B%$DUazBZ_ zvAbM8j5wp(hO+)pZ)rXH1|M zh^Q8t^(6+R|3c-7N6r8{m%$6!0;b{}vD62O50l}7Fh}S~2jCx=i z-%rZj&UK5MB0A$oCF+iGtzgHAvi6%;swbftE~Xvd!$;B;as(o4X>S@3Ye-tjYYL`E zSx?YjCT~I`#1|OXqTGyy6#8I4`I{ALZY4~e_ z%PT^7FsS>%21V0g70>z;?tY?l}*TrlQ2_k#0c0s?bBEAL5kepiN(v>61^IKuoB(U}`?D7ggb-Xx~tcXJoc zN!d|d)5Gy1FiLlDGbsa1@4804d7%6ta@xr(=55MwGd+)io7+7|_M`0QxItiDY{LCz zU|?lDFCy88gmObqP1#Oh)9r<@K!_ELno&{kXjm>E03QIIPGe=z)QkWFVZ$hJb&-iqGHF8zc#u`ZW7 z`L`S&Nn;V~r`pRZDMpJ+NrT}d-f5(ME?}vOC!a#{dGS&t^dy62NMDk;bJB!l5)kXz zZ+LGAX|L38%ypKCsbmT4Qx;%F@Xy3Jscc;4!$|If$O!LiSlCD6@F4mFR+EDC7WY`= z8$g!staon{Mgw&o`Nr|Fw;LwM@l-kjy>PWEFo++ye|j^KqmcFx!$;YdXKy0brtfuP z3~%1?G-(y>OIP!Sor$om5!$rpzE*J z_ZPG?oTkb+?Io6Hb@#ERK$!l9%J5)V?l~@u>1{Zvr)7r2dKZhBY))i6wt)%l_nSZA z@|bR&#U$M@AT0BtXx(L(0W>G#m`z}-@>}rZw4B?=B@aKxpLqHB6hFV_T8*3r4Gsj+@q^Lt#BbVzw<1-4%p za`78p()QJ?7>qMWM9wG#+phi(6)*ds2=HF>uaPKmp_olV@gtoA-9aOSM_^MCz^#6a zM#GLj)$=G84aPC)pJ;Q`9tmZaYCkY!%dWl%{t!jFAfu+ema_V7VOX2BneQYgy|WeM z5kA@71uy}ljHkhIz}Mm!2bhEG*cw$ zwi!G>D}tufUfUMFqFf*1(tQ*P{x*GP-*nq|&MEh`%_4(1CVMQ$R#eKZN_L^!yF!_{ zC!YG`-dJ`j$umZ5zG(lY;u?wZU2-;?kN81%mHACMc`|+*thmBC2=|a?Ao4r#jdxzl zScUsTJ`GvLuUA%<>gT0{V2SQ|oxMnx=pa3OkWpWgegKzbZp4mRR5VfJkrRA4n-j`R zJ(`BkTHZ9-Qz11LkC09ve9yY^^b{TdEC68HkQON(WIbqMZ$y%H?^z%igiAbnr7S9N z4Jm}-WR4gwaq)cjy}qKGq?qRcD{0oR zd<3lo52v8Dr<28CM%pjqYVETs5)Sb>1`_0%3(jZoeq`3~W7&D4c4XMaM-0o84*iHl z{jUr;cYYj>G&P2@`*p^?TXHy~cQwh0MjbP;zB85?pWPwyS&eit_;{z~y%@|fTunYE zYxWy)0dK}TsE@=N#<4m!tL!QBiq4*x7eAma$Ne-+*Ml>ID2iGxh47i~WlAr|R*=A? z`M&!QS?Vc4`aZxv?<$D*9kZLm=uh}VQX&tH_NAh$Pw;kefMXDBFgYe<&XL?ANx;Ls zmw{t8Jf++DcK>0)%v3Bj)BfOMkmMnX%U_sdmkzg@X;q1YaGX(Xu&GwO zHtM9|l!lBYYha9pN4bxPmUiPJ?1OAKSbT!ybKQjb;QMi=mlB@1K@7Q%#3NH>vHtmf z-0Rzg<_q2!ECf6`7;nuQk;~z@j73bCFc(5=DJY?12D>7>f>u1HJsaNo4T&-RrZx@H zkf_zIqO9*93UcBD7%iFB{43`8;hx@T`}?HWxPeTeZoS&TCm5dAivyT$#GCmZB8k!^ z(3PNLsK_q|Pp~-Lh|E=i=RIzO&o&87=^em0=y?ZasZS|2+NOo?Xrt@1``|s9 z?=a^tT+9@lM+<2$+F$h41sFZQniqhE@5#Ukn$7D3*aIQH)ko0N$L&*WAI37ZK+z_+ zy&!G32DnFnUhjS^L&8|Ct--^6D7z3}!x==6<8!(Q7=!Y2_@B7soPh|hz=Z(!^1Thz z#6mW|HY36@sNy~LTXp3UEJ)s`z;xYXbLq54d+ORN*ta817M<=eW%Oh+oODP}p532? zB$J2D_Fdmcl6jU%hI6$&cZ7DB#yAG+=o=S5Ap_Vep}1Y5nnOyU<-$9`^}$;VXIS=) zc;haJe2=&lfnc7`T&1CdwA)L`Cf$o+W&?g2@6dJj5DmE4yn(ACPfHIW{HS>oXJQ_- zwdaaM$y{WTCU?z!v|?BD3^p$UxIEN4ovH$;vy?2jm;%MK8XOb*tfL++Y1~!;T0tqBaG%E=tLL^8yDQKdgAfTwI zsGy+G;sFJPdRA0yvDJ!-ty;BMwf3MDtyXQd)q1M+T(xIgt=gy7()SLu*5~^?@B4Xw zf4uKsUq2*nW@mS1XLn|2?)$p0%eZ_5yc>iCNO*pvQV;Kg?&=(Jg$poy5gEVB3JTBs z%S3S!=#GTGSih|;2OE@wwOxfJA}*Gss2|{1!r;q{HUrdKC47 zO^>K#O3yxqPOJl$*dOw3HoVaIje-iXG$Cpxaqw+zV_HL}Cm?2muL~Xj2H%j&!K7pu zA3~j#7!Mj60?0(gNjZ2G4Usg}P3fPkK?;shy+k_?n7^l$5SHX)e34Rj1(kwo?gY!i zWQ>ZTB9!$t`?Q}Z1HsS(9hA1?Iix^yjmCMF9MOXK5<5x%BQt6br#&|pWXZY5@U9Ms zinFJ~i-tNyUC@3)vS<@ZVfsul+ORL+HDHkWZ^*p+lm|@Xfy*)n_T-d*z z=|9T-rxl)Fljp>qJO1yxLjNw)v+HRIPcPMTkmm;!&>3U&@7MeEfQ~!W(KwzX{^x!B z&kFyKO8ong|Lp8&7Gr46cn1kwtes+u?I-ysT{zYj2#jHo*y18(LcZb zx=(-S?1cRMg|q57_OBEV((37{{{GP+Nznnq^6Y|BfiuJ7*e|d8>$m3-c=oqvzuS}T z+3I$l<$vC>j&eKNzoUvz?=uwCc>qAII-jy09SP5#@h^1P(DB97ik?mX>(b#sXpv`k z{P!w&vOimHM>GD}c}hH|csBFj4cl4E(lI?c8vfZr|88q2rAOzL{O4Zu|2I^4 zbHm5a#20zNqc^#{suT8j^^REn$_A`^{mBV0-NK&$_-H|q|2wk&H6H!bEj#-2kf#IH z(@~&fi2En~nZfVrDD)I=`M)FU|BkGk@YeqwS^qy8S^p~(`;9pw?oj3c?oHAGR9`&@ zPf^1d?CG@~ukF9F)Sa;F&}nqA#K_Xx=zp69bfYzsBRK34v zED54D)L}TN8HWV>LL~tx&1K-1IvC6;b^t`VcOt0$U|%P2x(M_Bo|jl4#0=pczMh8F zCMmm<1a%iBhoeB8z=xlWv(h6`a0iy!Nb`}zs@}%#<6cwhNQ_N~2#3Ft!fb&$f#W(= zhNw7JP8|nKFo{?9Vk7V_6p-8nd%)8|1OnWPL%9 zBVjeAwc_Vkj>^P3?oeSRJDTOv{z(4=cOsdorR*^xvoA$Nj*qdC#qZm}@F>U2+E$YlLW$7$t9+zL|^(E-g1nFt_@c);AR zU~OuHUT%CB!TBrUxWbgR6R=c0aA z%)2d%ka>@%Qs(E(Ha5<@oNr0XXr4?J111AO9nsUnbC9xrxSkB4(#leUy6xjLO=N*P=vk358nM@AKf9&5!VCI8494xhMXF4rF(_ zX!1Phj4(z`UseG>M1`Uc2g;( z$1gYE)CBp+zwj;`%>}4e2jp-VT_U9WTN_rp~ahU z>U>zg=b}=1s}Gwb??Lb?F#o{^`sg3Pc+1hA|_2!4O9U zGQDV3iFb{^;VdC3_#0&@&q-n3Ag}Sob!;DwYhJHz;aI>7eS@3$Al#Iw2Ok>y3hqmN zXWxYNI?LOh2GO!yQJPoVXxmy$RpXn=V0pGQ5qO1z)cuq_zzdbYO~kL`Czvx9il_5T7J@`4^#XP|j3wQQLyXblhrg+VTz6%C zX--VqQb(;@7D6x>~5NS(_;>m59UH8oZNISidNnj6>4x2!GHJ zj>DGtYN_08gv+MGSC~pqa5nWbSw-%--W052xT>>6%g&(~>oEKln*h{y7ZI*){#1R0 zXjM0T*}HfKeb?F3_6xwsvu9y`3tr5At8J!2$amPk;t4M0UQ>nm;1<@7)$#99yPe;; z4wDAF*>cqjoOFP_YM0+v&wnNV-dCh51O4JR0*Z@gJs-f%*jXq~nvQ@+&) z&vA667>AU4pjs${cV!)=a4m*mTpxJvJP9cPaGxqmOhq_Bc#! zNXkhf63-!R0`SAb5tLm`;h!jldV#u|x={W#?HO3=NzYOBh?(t;<46Q&&wU9xF*aqW z<>Y#C29@F5kB8GQ;+@)cWlnu4HJHROPiVG^DAV5tkP+99Ds~!4BBfN#55&)Njx0AW zvb14kEmc`0JNFjj^j2@nI>#MT_YveMZPctm#Yp{XNg z7<&4eUbH;~zrnT>{)_8eqQt0E$i0citZDd0X~>=pueH{Rwj?Bs#h}g-jzOi0@;84= zF?>Can56~$9^Xi5NSgX%RcxSA&7I)}VEsKxsmGxtovM=eS=gfs+{5ct) zXijo0ROAC*z!#O#t&gbzP#3==V^1$WKIjHkjqoniJH9TQ&gyWW?ua)l zFRoyIr9IC89>Ds;cOVWgncotF!(m2&@3ehT@jEHObAdUMYzM?Q324Z!sWWB)`m$r_&k6iC!GvAL`lD`k6))%wPeNy%< z>6u=H*tJ!AJ)>9!0CXyn_harjXJ;zNxeVE9AIB(8mbNId+=~Q(rz34~q5+2CnyI!y z-lQMyW#ds{?}mj%cd8!N94Nb7_>1gIDfzkRG9G95lgPRT<(iRJ3y30D7b+&#;Y&T| zd-x+%s!7Oh0s+b&ywPR?b6l|p<2|Ubg)^~I70WflnZib zaO55nAK7f?B5{!Ob9G;1e@ffe^snEd)wxuiI|iF`sOzjN!P=gKUnIBNysoBag?1$JusmTD`3|k@TP8g=z zK60!AuHX&K+uZ47HW0>9ve#9l?n6bfd|4C4$9p?!T3_II!Jx_>P-~Pn{IbSHn9I8K z4-oH$cqSW#%l@>aAZn7nKcE~eVzDF4n#9#>#6J9Dn-dA$y_EITsMBXMQxSM$7vo=5 zd%WAcF;5opG3Vap1NarHlca5y?MqzL)3jCn<&DcEe?d}1cih!H8EdJRNjT_YG3h$Q zugaQ5x&wf;L>Z>al=1sRw*CB~=; zKrShO!j?^m9oba(=ArB>$*jasNtZ4XRb4UV%&*9 zv+o76niTGJ|4S7bo(PKPY-6$PD{0G0lFd&t8}V?ind+`}wKU(0qChg#eH7(_ zL(W$51EvcN#luvu`LgmtJyDpdD23)dqI};qo>Fr!ss1GCF#8GMdkP;Rb}IfArzQ5p zHPMAX;csBpN^hx7?E+kh?bL9tkLsk9l5>Z-ReURFz|%Q>{Fdb3#Bi+Xo>zb zU#!p~DlY3ne5CzNWPa6LP*9HAVjVngQ~NqTx-Bn@SN78u#>>k-Qies1lh?7Q1?p`8 zBat6XS=0UgpxPuC3_mc$6Y?PY-6BMn{xDheCq`4pta}-bE!vSs8 zkl_Zj-#GR)81(umzg9VcRufTQQ&Z4ciND>{%d~Ux%&l;K(c>}NUj~VVsezzR{e~>XGasQpcT1Z6h0cwJ)cnBoxz5!KH4=*7ORo6X)Dy*P50C*(|9cB^f-v>>*%Q(r6iHqr8(w9 zTy4jd&l9e-k#YN83DV>Qs&pIi-7I%B*Q1&dF& zE6eG{?-MFvT?e4&aOVARRIIbb=Eh+>yWv+7OFd8Svv-mY(F=we_u>2xxfoT5l;oI8 zU;w?u8ETg2k8r#q_ht-M-nrcpN2ql2M)P;(8%HRiq6$pBgrVB88Zf{7zax?5mh9&&G#*-9NphYU6Cb&WF$MdZ$-7R|w zs_EuPptTte*Dtg@u@C4;Wcd<55RRbsao-7Ys^+TpC8vf9cLh1GL9k_j<^&N^k!c90 zGabb`b0c|~8;iRZoI{vs>aGNEIBQu z6j_VGfTB^;U{_do`l9J`90(NS&6k0c{rNzgnH@@*58$xY0_rMWq-Sx6Dm##b$nD|K z^D3@pA3;=+&2Arm-K$gYPAO(M5RA zMv~BjND?^mAeM%&KPd8zzJ5^bpA_0A2^=!AjS3#KzRj!awCinMLg$4Zl7^2QR7-+h znUm;kc;jHA4@Bzs^A$dsf@$-`DRZUK*OworZM)w*OyV9~KkS!~>i=PvL|;b|o7}Y~ zNtWKDEh!)~4m$(g0~}5+JFmtm&z;of3@Vt3lY>Vsb|mv-UulylieGQ_3MomraWrID z9!}|6{)r<+S$Vl8MK%40wv=wwPjG5zt#4wgy1r{|s%Bx2L#bg)lYW+l3rQN{)o;KC zk+yMIIni|=v*EbTI^|57|GJqQ`uVIM;=eF*<8t>x{cGz-9uBv?5A}au2rjJ5bE*3uS_4(r7pC$w>iT-@h;3eh@BUfg0b&h{)N#xooD!OI=ib?s1N%Bx_zZemq75|mW6l0iqPhf}?KTF&QA`t9uM;gj1clJdkXRg)Lq zIK-cEQokI^+c76`D2aMqSV32OvFErX?VzYFzxkCF{`t?>e6`4@>f1d*BWC^fFlb~A zu>=>^@s+`&7U=f|k6vPZ^itw-r>-e}r7OFsC^EnPi~dc;d--uNdp|R7{cUc|_|=Q+ zNpX*V-INX!R_PY8uZ5p&)OWFtTr>2w=GAK^Y->HgW@4`+4-}JHk6S`Yvd)eDvSiZ4@1dR^S<3h@g@Gm$EK5DD$+W)xzg)`-!)SZ82>Zgv^22WF_ z#a!ukHf!9Kii^!F*H#9Xe6+SCrsC@>&t0#By*JZLSI69H95<)x>*g0#ob2qN&qV&m zsD;xLZwP^|@2}h!>wefXZte{2G-$xM2k68M^CZ!TnWkgUU6{G!hlCNc9$k51L^U4f zlIA@A@uOE&f8d+lEW@6389C>5B0U^4{K}Cz#bV2wAA7G}d_F5dbB%4+U>r-22S1jSB~FFZ^mr?48%YS{he= zVdJv2W7LWKO;7e6CJA0SwIp%PgX7DSrn|!jC#x1PE7A-((wzRKAC6g>X|GbPa-~~~ zy7pAQxuEzS`Ar(GS$?NhH)O{+M}C%W)d~OY^Y&nu&oKVXvZ0mYB)9JF{7;_o@k+}o zil$D3LABG%yQ5JgKQ&rc|KMXU-TD@A2LGRpr~lQf63fL6;Ji9KDqSaeNPehe^g>eD zPlLOM3X&{uvVrr0MS-@ZAl8V~I37zVE$sz{ED5Hh!HDoaw3(8{b{0rHRq$-;HZOg) zZM_Ohr#@Fy-r2GrQu0e;-KIsKc~w|CQ1$YV(I7= z;Uu(V%**IZ^4_!+*h?A`9!`kl&~4sPo|8uT!R@A_P%5xi>2QcYlKMkbCy_|fNVs(D$Klw|-<0Z)yJ13ECH`~R$!H#( zC;>kPk&LdRdil=@_lG#pUXoBmQYDvH<98*fnYKzG7`m6_v*pxPsgE>)d@b=oEMaAm z?qDQEFH?pAeKP$q1y$JI3;E+1*!Xc%6#fqRP%3Hn)WOsSBxXlS{9(N+^%*v1m&%7f4OEP48=F5Qi4O*H5(uFQmx`Z+Q&Q+Bp*T=VJ?RVg7;^5G&^C6-4)~!GY z(gQY==4ZW!G@7vks9@S4$%52WNbS9~=@STLPn!Q6e8(nVfC?sIkZbaXv&_GOM}k1- zMr!2Dep|gs|jb~)zaQcxfIah zhr&tVh~8W0;~kWjG|4uWsJKZIp*M9A^~MJ!y^|;dl-4M@8vr47X;gqOT*6iyAL}Vd zt?BK#8Vy{I?(RCzgXGPdk(WOoEO8A03XTq<$Wz|(54-3ty#x=^))zY-r2qFf=)XQm z->hf3_g9GjW)|E1nRNXF=-hvEw*M!)*xxMUCVf8O%R6|+Krc(6!#Z$oqsJFcEh5Pt z|23rcR)%%BqXFuPqG?SJNPS9Q4(c2Y2uLzK6!-_Z5@gQopuk5lO3mL6M9z+4EnQKE z7n**nC$5@kxHPVDUC3x_7>Q;6*vT_C_u*2~zpvgxj9*89*2?E*g;mVKNgmKz%VH9GI zA+u0|p3>z@5_*$49>)Br4?zTGCPJY^h0NR_xXsHX3DFQ$Y3&XY80OqhQ6})_@6a2O zS^1PUpDj}tNEVage|4-h)GGfDH++xII%zx=ro1HVw$sj1^v}HxvYl zosr1qLcAWCxOd1zAnnYgeT@TA*>=kY%-^k!0?JNfAqEGZ(T%MsWL|xo2>5a~+a&S# zZK2ph&oYuM&CG*H&@5Hv6fudfnhW>b%*B{Tx=%|u6+FB)0-~Gob0Bt?>lweDpGM-` zTafkBqXW_AIG_nV?aq{8cHJ)c8HJoLFr!GxgnLuq3TFrqvPU1TB>{? z(!K@%L2T=Uf-o--8@7j8mO~6R5X3RJe8@0nIq^Us(kloOEc?XBT+(9wXjYtkG%1I6 zh%MO&W!CXSkk$2=4{(n|=Bs90X+usO`;A3}nS5_nVOmdKROEXTy6HYV6bHe|G!Jph zWWPw+p{mn9q?aNM_JP4DI6t&wAkIl$g$mZ~$2)_Uz z1-+YyW^IO;w>u38=mFLYMCl-$bsglL5mBG&i4SxnxB-;#qnk&2w;|X(m4}3V$oLfm zK}q1=Ul&;i-CouK`>5e8J;X9^8FQRfP4Ht~?0d+RwUbJ2SXwfa)wRB1Ebc-Uvl`vP2xmK~q@EuNqe>C=Vh@gECqc_>rkWywRv{bD)~KkTV?Dnp?8CF*lxBD|5j!k;-*qB zH>yStG+>q6$G*%D!ot%LJAhBptOC3H+GYIE2{vRKgDfAT zb`T>SI-v$l9|Kyo$>Xux3d5mw2NIaczHDD2b@xWr2%=q3?P(I&DZC@T`W?P>5w(Nf zhzr|qqdO3zX+xL(MEccbk!~JwHw&J`4 zpmYxXd;pP7{}U1I`6_h39ea+tj}8bp=a0Mfo)bW3IC0?dE2GL3*S68oUM=?4wEd){G`ZK(POhOqY^dHT%W+H|wGuh$FCw5#hTz}b`L88u! zcY`PK*_KNC`Tx14vd2q28U92E5)fbicVp>oPaA8w_&*z~{Z*Xa(NsrQdY(?rg@EL3 z0mh2~89HU4YP~=ac2|P+mvn5PrX1SJ5JGgciv6vl zf6EkI+4tRZk?{a>KS8RB&ct zAj1$N4gTb)Klwo6M?4mMizZ}c9t2>V*dOJvyiqyA{t03Rs7&H zv;$q&l!8pjx&)M*33AQ|Z*?b$Cagq)7*mP%CxkxW@uW;C`|+07VAqAU48 z<(N@15U9krz-D5)74wldUqYkeu#ksJFCn!Zwb;(|*uIjE@$}sl9+FGLsh+madq6-G zQ=u^!wVent%}+gq=QX+~et3~)Fz@RDX6x)x%*tM-uS&iq>l9Xy-$F6@cK0wT2;QDN zB4YXk>)a=hP>+=7RE^zWNZ)U~fVdcB*62XwuHY78iJb>5rM`wOOnfb^Woynuj z^%$B8_SBh;3w;`EU}m<t2?!(UDmMXIJF{u|JM(T| zV~&ThhQw>q#!G@3weFBLkQ?8#2~nV1MK7uasnr1*ogX{E1gdE#Kx8^s)De_&H_cnu z$A>F~d&r+x&GX|Q0{$w&NicO#`hzhPb@gp0VXxiOeI#2A;@m3P524K z;Vy*^e1oiwEj4VH8b)x)RMuVR?_-%JqEmD?0-;m!24{f755JwoB<@A`26n<61rbT? zj_$eW?)F7V_fq+8M!C-oJ6@_(2_rexW+@$N9e@0+o~U+8*_ZJ=@awB~NI8u%t>qy} zlf5N1p6sHGko6&rwZ=pEcsjiyeH}&eP%PJ5meL15%v_2rIiyB+~bMie7y=Jvl2ekNUfnz4Vn@jXgYkjDQ0 z&buX-a0)7xXQT^v(ptlrjj2GH66ZrcYE^XND`&-nWZsrUqHGQ3mBz&M)?iMhqWnp` zZD~K4kctffDQZSLg(QvrflBO4nFG=a$kfDs6!Rsc{H!I;ehmv}k>)OKnt=OR1nmBf zwtP%UOugj`&17}HA^AfQ_ls6!z9=8hfHF){t&__&YfY{nnhz9@M?;lbnIq zvX+OQCFv^J;&gQ+`!)Yt!Eh{ln>l^4Bt63d(?0@4k!5#{rQSf$n2xy!!y|~tM(i)p zV*yLIE)_w!XHt+Gbm^-tA7PVt6sSUH07WxrSvUX*`$ZKgrVrVI+$p$tJ)G`EV;!o5 zsB0TL+8BrG+feb;~Bxz<_Ow@{is zMGSo;DVG&~zPYdVta9Yd-LH%+B8BMev4sBBK8y)VSLV$_lMN zDar;p*ZYWlu=loz%o)2LoykT^w}X!9*6WxX3ZvP&!=RxoN;e~}Kp5=B$&rv5jVyDZ zJJU<7E_W>AvI{05PAv=*7feR&m(bo)BwRs2Pr%6wuA}rhc^S2I#0|PR7TrLKlf?%<|mk63}X8Qy5-3%oBifU7#=Iv9lcB=7L#N`&)F{ge! z1G%q((EQ$NR2zdbf5B|c-F8H`*Umv8*tyiU)2+%5Ppe|qajMs}s%t&q#kzts%;}+e z98HwWGES+4=musHr|RF`(w}4Ib4rEba!+O+r@5sC)SGP%2R57~oNzgfyr`=Wvd_w9 zwpvLzA7eNkqETlrh3ePxQ3i*4VSi8t>80Ux79Sv4bq_^`5;=-)4dV6uPpGT5yGH7cM2C-$!4Uuei5OYpmX44IiAybhMbwan6 zmdyavu!q;F3NH{yYIYbl49F;39Y3GgcsGg$W}bSfScXQ@&MZat0;C(}ZL}cEXbe&P zIeTWAEmuXUIWxkEt^YG0)dxcDz?eCyV?;z{&g0DolX;v?|s6+S< ze#3I#_9jt&lX4Bz9%?yEWKTgWQpC_iP(}C?;JdTlg=lLLZZ8uTm*q#o(J!F(i=t5% zMeRq>U05z3X~^ z{@mVPAl&Y=`c>S18Wo&IwZCGZV{lu%l%IAS^j(!mnGO33Q9&QT}+-umZ+_e0ni!&Fi}0m+UC%m#}}(^d63OnAx2 z#|I!#5|feaQ8aU0tGpvS>shc&g*VBXQP^A}TxTAq!9o`l zin(!i@94)95Prgc$9vmrQTtqMp6hyrKgL(^-tDsynT@ZI^v60(oYR+M{s3gMqVp*j zALEBWh5``ZwkLz>hXT9U1s{2gRq;crqTdkKjPluF%Z!c3MfWYTGO$Sj6gBOd|P&Y+5wyJ58#Bk7lQ__|6an z+T3J-dKA>(pPyOqCfapJ+*o3KRE6=nQW!}T-$Psn7x#$~JV5)~4eG5ilw%Qh|ll?Xb>XcxO9`&_I;T_R%{M7SU zxvYL5T3ClcWY(0|^e$w-X6oE z-%#o!1B+UUYKDQtGAnyV{cicV2eYE5Ds3S!FbdxmsJzEndI*M#ivWykJA;@Q!VaTV zGKD``#_WhWTvUBZjJJTN;DdtWhoaw`FA!T<<1c_mh8ADj(9Aq72m4xmNT9z<5bnYZ!s zWvoXrou6Q=rrb-A<&0R8?@$b6%SOum3BBBMr$F&zGU=*tvxF`as_MTuNi@7dQ{0yi zV53O)ssi3yw~81HIalm#qRYbP$!7c6a}Ycjmd8l3%!j0$%p$aLG`1WNX9nUd8Ca^L z+`yNb#~(55_bKXah_@Ku#EJ(jvDe09vXhTu7aBiDTr03o3U4e`jWUsRg-S+fzQ3-I zjVQ`h7_zLg`ndbTa{&|Facp9(ALf$cOMuff1#B5CcPS4+^Edp?z9Sps3#C_}Kb%W; z0PwK4R8z+aTgAe*`4W?f+pF}^^$W3lg9SYWvr0y+m?|Z8x`Qg`Yn)&S6IsHfe6+Qc zWGb7LJ_~{M>FpyruFg`3Wz(d_94Xt)bWW%BY58E*R29i&4aQ7~{%uxK1umMLk-yDg zBg$!Ut_`tq#;&62u@X~|EJkh)vY$f6k=SwyS+{z|v%CJM9T`BD7xfWWRq;L_aC>fi zUdCDIBX%L*Gl<=y?Jr7&D6l(YZV_B=M8O+)>@-vj=M6P(#BR{G&~KHBN>?L~&7$|h zZ3vuS^fKPQKS}5zqV<`FFm&9Dd|Fm-V9N*l^%@jE1x#c)4-?0UghwJ$XDIXm;e%XX zaV9X_K99cL!EUKPFDb5Jmm4mV+&S=imDTz%YM-(fw}Ub|?c$7P;N^mVINj@GT0bUu zZyIV@&X{CuW7ACdH4q88qMCYS*4+(_zd`VK!%gFi|X9q8dT7gDkHQ*;N1#GL;Fcz6sk~z}R!mpXH-s z|JtyeMZ$G|UA7lNdPgtb4xv)E490j?$a3A z7c5i6&@=P^%Ooyg1~QGh{eV3IekL#^3IZxDXUB2-V2v{oJkKB#p6P&596>Nt;V8N; z>eKd_BF9YYL|YbOKsEuBuNH0q3!QAfv~Z7UylV_BMl$PuVL#XlX0maPMv2BtZVqMM zax=f=>e7qkh9RVs`I!MPs{DAaX4O!pG?3MHhKnU{f>@Zs60BpI(+r`5JwG5^gkNdX zqQZJst1Oex$tUkHwMvLQcxyxJFrw0klb`|tU^0Iz*fdmlIP&zNs&R&Keu~G_=p;T2 znJZ(EAnaCm zC}_Dn<4G`1@PW>$ZQbJcujQj&G%Kzu#Oh>4=2$#9F%*_N^qW^lqn4F$eb?*75|rQa z1OAg*WAyXva<{KW2Uergx*Ibjha->cRIhrghDhm`4PHK~$#SA-3t*#FDgID?kHDO2 z8S$}f>_U3Av2?H{4GBX71Yg=<2`w2x`YSdPs51MT-5{15CVJmqrg@;XJVDF>!iC8F z2+3;J-unPZK!sqLVWC{t?oS-Tn2F}4ysko~`>@dPvakIE#4b{7l+vS_OwkiQ1cSax-rK0kJ!4gT?NpB9{aL>DUl9TsS7id%5YnqV^D# z4$P{Uo>cv%ICl}itTw+1L4vg)V`TWE{>r#DpGlwqwTRQUXW$7m&h6`&7g+Aj0zz)? zXl*V|EJK!Gnd$`eI90^GUT_gg-kc>Or`^54tTzGJ+A!(YUWf12;ix*cy?qhdx(K{z zV^?4ChFT|(xYib8_lt-NT) zl$0(&o1O5`xetr@FEP%rTOZUmiz_!FZsra*H2A_+RM`XFJpf_|?ITbn@SIHwm92;@ zy8+zYV4zuOyeZB)lFoJGx>|k`yMC2@-c2zmG;s_v{w`JuWqS6o^^ip>0Y1lyubM`( z3BqkLYpzRWm@s;+e04W)xQRgLh^Y8R-9|W{U4;tXLcqV*Jgxc@`_@K87V;(lFYv0& zR*`TEnKF4!`6alN%e$l6VpO>gJ%VjJD&}-+4}Ou)V*AVJ)F-egIFOFA_UT4L(D{Kh zlsN(>(dAun^>?U!J>u7wzkqDl{WgCff?o&Lqw=HZW(K~WjmAF42a-giGBBj)u1EKW zqW0}5cRMOyh1y>efpAgzWK=y!v}QZHKL*8*gXLJfujQji)f?qEift(eL-Ut@uj8Nza^Muvdbi%1Ibu%4h=US8P^&+UF`;j8jQH*(ig%{h`YSAut2SI2EZ^Gwvka54dl!BoF1uA%#8mmQ zZL_`xBF{D$r*@eTtfWDGiv7bj37=_4+Nu)(9I2NkSZv%9TP!{?7*$B%e2QJi@pm61 z7jxqVx}^Bj&b(n}URwv>Dv38)%{YCHDrET~o=NxRREC+c#*MM64Y5pRtU(%sCu?4f zWs-e?3qL$jcMW2ZRAFF|()cazPyylxcz%W%@?y!S%+YAJSP|OzV-yKx{)`5#$Wwh_ zZKsmjsOR{45VMjkjK-kCBfn~uRV*XpHGf*UP)iQhFav?ZG1u4!Q_%qOB^f$DZ&{I( z>upwJhq6~wrOYDbdg&rwcAe3!lcU}>e_(@pXh9Cr`6;*@>W$L<$Pms`2SB3-kH@<~ znNL2Z58Ts-U`cSDmDMYl#RORTwxvmcOZJlN!i$EbDVB%g!V5~Js+l9U!p~Y)pI%86g-2P1 zB^njJt;zQWdu-uOF2rI%g-e)Ke#%9<#w0Q|=l7aVo$*Rz2@HklJ&~#VmTQvUHi%PY zHv!%)9w`#MbCx@wIAW9wg+^ytfv_L(OTk4*L*!s_cfiW+Mp4&!d;n%@W05f4i=Qnt zIO!Ph0o`}9eEW&HDJv>n0%8#%=)Ja#`FzBh!@1Hkj6con*wi zMkM@+oc!Jd1XdY)HEL(EmIXJ6Wv-~^WmRUJagV6xB~5k)_>V0$1FL!#?cfFZXqi4< zVUK4&(U1vByJmOVZzFU^$CKpT7;qH`i;$}a?_?wSLS1zP-=};&+5opkuguBM0b!a- z13Iw*opE`LIIZtuCc%)!Wb;B9DsA5}J@+yc+3g%ilQEYp%hGzGr* zW@Nm><(o^LFJvB*>Up7$m+Uny+i&`2F9T4|%tX3m4K=euY=2C0FN2pJ)s7d@Mt0AR zZ!qI4GaR13{T!RlJju|92?KzD!M;Iif|&=25pto?jjN>gchU687~nGapus$4$tc)Y zT7L+!CuIpf`QhKn;NA?FeiCu%x+^)bFYd%80NdYwj#=R2`r0@SZ{CX8ftoz>8=wvo z7vLQ+xauS~#xSLbIYi40411tT#J+EgMc`9s`Cau$Ki+r_z-T%kJl3|C0a}LLY|Mn| znxSq0Gsh1lC=8>Ro_?|be?vc+{J}g8)%?$A69J;jrMtCouXK)xZvqd>t z_JP0dHCgd3XUeuzz_J6VW?r~97-T(OBGjn7%!yGt+XW$IXzzodDjBuPeFoQG52q>eVpp1fn zLPDZ~h(U@%UIGP!)Vvqo3QN3{mX?;Lm6n#*)U?dZ9xXL3DJv~4>AMby+UM!{et*C3 z@Av29YhE~)bN1PL?c3UGz1Mp|WATgT04A5!jPj@I^*%?eWYh%AtIR|aRjMxHL5ZFoL#Vi?glW-@GP)&XK{KAz>x z^61E!oqm=bzTi!dVSG(Th$TW(1M5H^Q$O8T1qA~T9}uD2Fr1tc{-XGWfHI>1@@N?! zq3#w#as+)hU8KRO&ALcpObZP_&}*Lq$scY*0zs1E$pb7E1k=Kf0h#cal*LPtFb+Z4 zLL3(A-*AMRQeH#4fgpK$&g;b2yB02I=6mZ!gQ9z}9Wma@sgUFczs&S1NRd>W28lB+ z$S`5py*=|?cq=@I$r7$tWeOrOUb{#z9M=9R@_dSzo!(!N)4=qY`7gvo9UFow`=G^r zFqk@zrD0}x!yUv}TGwGlfU`Zrdi#m^vbBC`evtaKW*csRFAWX*5uYQ|l^Mwj+N?Nz z)1g!g=U7NNE722f-UUnK=>nNWi(UC2_#IF5HqnXcAOVil_M{<>~K z{M+4BzbXtbFd7I-XjFZtU_*pNxod^jqzQ2Mkn`8#oq>0^Tbenm-E7Xk&y+blyptO8 zJ{UVz1OrDgG&qYD(Q)@t&ki%Ikj0r(dWq+Q!7>3tB>+WhL$O>R6wfKZ$CdO@sht$1 z+-ej@%GnoY79ysXcrDu~vzuqGM&bG4Nj6tUw&lj|fIu9>k7VHp%mO9|lB^FXB(M32 zbY(z40rpH~F<@-1fZ1Laqmfy|6CtHIYsv}5fY&TTwh;E5;6{o4J8{k0-NGT9V!$(p zVfH0}g!f_RY#EL7hiJC|9!E&VUSKQP9s}UanwJ28qU^QyW$*;#z!_NWrKQ{iHmV_6 zYM19MmM{y>f~p>$w-qH{Mnd*w+YH9RUy)=S5)K0@H~Y?%a3;a~hlKqBYJDc=z`Js3 zR$}q2WxcAOV&~>0OV}`P5UzNcH8qWqu+cS8RMgC#(mU|~c<(|uinl(BVp<9Y!jfDL zc9Km6pUSc>u&GVEK)9?`NrYxeR@lrbFwvS8z%|M;uM*#ZkI#(VDjw!Q^QS(S*8wIuS0~VR%C$?j zX)Dq`#wcElgF!g9+e6_2_Y=NB+P8Z&za3PShBs)i78aRNCohj7iH58u78KAClxr%Y zQLNX1bR&GtDJaepDTWbDC{AAiATXr`z^zmBc8j3_1}>HRg?$Ibt9uYq2Z)Ur6t7>Y zhYW%ug;~Ah79gILV>&_*xVhqOY(5M)1J#?0z&17#MxkI7qXRTCeq=GS>FZ(d!1K8G z3QnPHR}J6~(=G4QromwBXWCsm!JLj(x22xIn@I1xYRs;4<@y8b6i(#EI%y^j#V<<} zwxFzUfuih|FMk4qEmfF{xp&OR;V8S9-+|cS4hl2Rs#2A;4X)48l*hU6jZd$=jMySR zCV;%S?H9ysEZT{U2LYS5W|ssrV^D8>QOf|A5|>WEEX+uKDf3jF3{Z2Hzf>ulKWkKu zVhYYDVdjeYS7c8aLvdHU!!etreAayQ?DvSxK)t5~Fkh#XAckxE9r8}ur21>Je$>HI z&6PmjuUqY>B3Qimyu7GvO7b71ZSMf4BesC!_PQC)6W6VS39!}zXn<_w&WMEV%l9VT%R!zC#wfws%`lGv0MVZ)Hu*B=;=e|Ft*k~~K54RJE7}{)>KvEQ z{)oMlO-2?m=TMwxs;?UKzaRXfZ}du z9LTPEOP)RnX;T=**sT;S6u(Fdz%DuZ9oF2X#Oy-1htE30nFAm zRUyD9vPsuUaMtOT0kW;KjRP*l0W*pv)%QL$Z`m6yBiJ6US&EiC$aIo2Q`S<%>N~Bk zj2{5*c6JBw9)4OI*@@cXdKgwKz}jiLDo@#hS_*LmHo+KlC@2)Kd4`Z&egXpAWy^33 zoe|Ix4nut{GC`_7_2c)UmN5d4+~o@0JOw*Mdj|70%+d8>^GoW3Vwccu! zHRnyzf zzV@oVmTPwSIvSB?m@k2e!rD^Hl{VRg64iPgi9inWJt&_{v!7*47_w!(&v`w^DlUi4zO#{%D4I&WQmgzW+H8l#R${UFJJ=k$VfqI+gn;VfsBPdM$ z19VUOGT{tl@tye&to*lsv6T2SLqOZj_HIQv?U2jY1J)W$bdcN$N0u6pBM^W|pMfIQ zC$~Rz$@X>!ZgSvlSHNYDV~&xZ@mHKL)RA`j7Gz47#THp4;4c}BGG}4(wC5Nm!T4<` zE}$S8LTR`&Ee8Z4^^m*c!_cnUX^zww%N^rm&2*b zZus(>(wgNs^CL`}+E1Z|Q|Qo2Kvw4cDjC}Y!x!8sW_Ck39=iZMG6f%@eHw5y=M6#a z{iH%a>Asavc;ySIpodsE+zV}kssfKq%~j+nl~w{I@aFy8*2YtlJ>bdPS=M939B0VN(v@PNz$PP$XyQ|$%DBz0=GqAV}x_4HvqSPAj$vW zS|Z-J4gxr^c?5LP+g=?WJIfE=CA4pp9NGvb0y3+87dp8Mwbx?47K7vqZh%4o;FSfq z^Hm8-$yIX2dkcUh(iz8yDCzTU{%vj8+*S##8zvWq$w_Ih*RngX?IT1!YE2OZLpFN5 zOWHq_E&DK8RXQGdri;yPy&wu3Du2xRb-~ljSh-{kT)Ypr#)$F;tifV*AP$qfJP<^O z)VPmf1ZS3lj7ZDnPe6nBK7rcW!qsizT#L65wVguLsePl-9gxlI5_mPdE@@qh+V@C0 zU&(vg+YsM|Dnld(O2x)zH?5K4ULsM&5oE!)x1ByibnJ-9X!4@V=}yMRH)J zI7wR?*5hNN(V9^xM=CK*@1auyHVpO`cMsEbL1*j*#vN+_@oSigMJ88QE958KLk7Tj ze-ah+l8b|{1i=}r{cBY7HPTBUItyQ(CSNU%p>AHiq*uRRyhx zxue?Pwr>GXm1S|FD&I;ov9?_&zJi`wxG@%dzO(P7Ad$L?}O z`;flvXAt;;AZ`dkEqY=9C-ms}?O%9aqu%u*BrlNZ}Wlmr9@Ob+3-gJbM{yttaCsCQ8u_rLv6ExA$ zyX9AYnNG#=lMQx8SSgeXt7q(w7M^AHR@( z5@jE@uT?e5v7mSRJq97Q8rwkJraI~(A2z>eqLLt^yce>CSWceakcZ9^un(+?TEAJUx@mzgBd`KS&*i?Mh7{|=x$7A-n zoI#k$U)K%in{zU6Vx~YCjhUoW34MuxWpq(yB&J_WWIT1{0PkggbNwIz+j^FMcuWD? zN2mojt?9NxX+66DGi$Stn)~F8kudA?+&Hg7viEtrSDWj;i_U|4?*rs2#`;4UBbmK= zKBhO@w+J3>2eg82HmsgXZXB3_$Luk#bM#x2UZWQI-3W z!OtNT_R0YJyi!se2H^Un*94h`rr|_HLKsSJmo*ug*;q8%MNu-3bMV$ zpF*2&aDkv#B=&NoVcMk7g{3)G`_cvlqtP`DH~VTLQ-~4_hT?3Asqw{bJ34e1nVu~W zg8b;M3fs-F)e-_Yw7EJrU%byP}JYZXGc2x2v?QDhuq+{~%w@xnR@ zsbh@%WC^dunF9e<&A4*4$lFI3G;aS z&f3ClLA{$du7Kt9gXT4st$vq>Ag(o0RWk(TuI5glSms;qMa!M60}{-Qu?^+Q4D0-0 z!AvPb+?cxKs11;iUmdDIx3=L!nYbNNm0i15jn4m!DtDr~3%JqkY+1`n=`F)aV(yDG zUTuF@lKHOW)-}-?*z_B!OahB9X58m5&rUAGpn`Gir>S#a>ei*djFE$9X zd|VeZbKmziV#i9q6)%HxvN8@Yo`k@9<~2*1>E_1)ug7FuxZw#y{I@ zC70-R$jNxvUsYiD;Nfy?aITb-7*Li}DxaXjg$9>E_bN6|g5jTQa$MIgRl>KS3 z3v-WhBfLAL{0M+YtQdvC3At}3KGXwWJdUoFp-pEHXm)j*@s7tNm1U^?aY@GGP%n@r z$RsC8S{aMhR-jGWuz7O(v+|l}dTfqG&9lOddvSsc~gx1|)!9q*Si)9FC-1qjY( zj3lDr8B9%e#~^PWQk_>Bngevl)$F#3*SG`}ml46`GtojYR)%fA;CRE|^#YhdnQ|_@ zPAj9*nWVZ#x$-&BF$BuQ$!XnowZe!vufj32;J0(m`IhbSx{WgG9f&01{FJ`-Z?z*1 zyp5Sw=PCZ0zz-{<*ss%*Bs@sSFZWQ2xJQ|``ahX6ZL?!DW_Wf)dN&^?lJaVm zjDqc>9eH|`wni9<^g7-et5d1L3zkb&w0|JN2;9*s;}2YHjT_ZnMm0%DwR9pKYO#N8 z=*7UwCCA(3*nYq>H@uz2`&e9YnvPVVJvqhGEk}An0$h`3Iz8W@S`uw~cDmuiNmQ)* zz$8n~lk^!w0W4@ywiFwXG@BvKoT*hXzd_$IxFQf9q@FlQ^Gi=+p)Z?V7G!z1oZopSXXU3WCE4}PW0|XEbGcy+VyNJ#)YeOqmkgckJ1v0w4(@6D*nTgbX0yM4w z+)ziO-t!llOx;z%Mm$L5{z%yf-`mDRp6_{{AK|TjJiWX-*e`V2fd|0j-sq5;M*tLK1L*kpCRGDL^cb+eIWiPeKNv7Y220gC&vx(ys@$U zd*lLmakhzu%z$vPA`t*ko{4d0lNb^+PqTY^?UT6&zId*~{Bp23Q#W4MzM>FGY4S@p4SI%DfxI&Lx-$-TpxPkfjWrnzJxdr$19MsmCP zCFsO<5zQ#C9kNhfv?Eub|{e@LSBwHxK&)7iiOM67bFVGSWqSZ25(TQuQJkt%wh z+<1pf;GQEBDpmqmHKUJPNgYkbPjTz1!J4<@Nrlja41I~)*C{-QbYqCBC}istDlffM zA{>DuepNMMA4PGipCPdY4L}m0`oeFkldIPM1oI<|);#A6k=FezrGA!|fMAnfWFU)O zX{f0MF|Vp0@t=Rw@t4Fn$heLan_lxkrp$ufm@Nig1XiuvMA_uTu*C^yM>1=9H^1@w(SNx?8c3fBSpL#*JFK z7s%6v%?{I8c|F$c)j2W|y%b0-bh{Z+-*Ob(+OrhG4Bj+K?S9FZe$hq-c}Lswy{bCK zFpJimv64P5OIjp0i{X7=66U->T}tHK3j%akd~d%5AwO3ztzgJ-&^WRd)T?X(kcC(H z7sQ{jCex*UYRUpSK$ zoOuLq(@2EHIN#`5hBJFeg(2NC^@tq}A({s_*~04zq~KTeRG_pT%z zVxNYB9(OqAbW1$UDAKIRzB3W%k?MGf;17Qh`((ilEXG|()QNIBlvq~zS~dpoZw3Md zFt*T0W%@&5_`KHq9-S=*-08rM2uzbpse4RGscD76rX>C8L2}%m4ZCiFgVhkZpaax7 z3DYfClIOJ>sZ7HjrH+>4bjJxqe(|*7{T|$lO0(?sBc+xBzRkPLw=}=`;cA>uPS%;}e!^lC9wI%D5WW=xU z4n|>mx*xd;JhqW=qwePr5}I`qhvqe)L9gn<1Eb%mYI)= zG*bgGJ~{MS9jw`L z1Z5Hl)BTG>V6ojO8ac;r*#OyMLE9q(gt6lC_y#|E!S*!%CekITlzlUHXrm2Vw7Saq zkj&zAAy**E^LdtJpB@eJ7JxB!v^L`IXh$VFF+O=VUZ%FFA+_g;$Eiru@4;l@iBd{i zG!C68R`(?NJ-C-oFFG+XB^o)FqtjDKls%7{qpA#cS&=QDSPgxH0TON7P6hFsAgcnq z&afI7jooUjTC6P$;=;h9O-~50`~oycw&^62dfPlJoy8rlqAe<%&4uG?RJ8eh^FrN) zrLM`oR6PClf(!2oB8ybUbA?S)|ZO%On_~#_Dm*_ zx@S@~H)2RCA1zVq0U@kRZ5WD_Ux8u5Uv(_-hK!8K_OpFU@GbEEpQ2~@8h-J0J&q`U zBZSVhSBhzQXVAaNk%nIzk}PF^RP#hRWzl8&^{9AU9YytdxC@7G$PV; zzPrjqlAoYvxxv)@D_%t}RcQ9)llo;pVjT?eMHdeLR9_l`k}zNBwxmTf(u5X#W9^SGySqHu{?wo$8h+@_b^F#6(D zM{n%;K;}w9wp^0Lo^Wh{H(=EeMoRP}m+jWK+DB6mhG<*Q?~>RTIzNMzG)mbkcXaVs z+k0Fu_h=vjY4n-@x_)c=QsfzjEEk!=k*-%|Y(IPnIHEB*E7TzFk|9_D?Nj&i*SxNv zj%d%>z*%`~EbLMC0q%*23Sd92;c(q)#7r{RYeE#%W6u7RzqYb{GSW_FX6ZkWy&SCm zMWuVGCx3Wk3xFOv=&k5a8S}X95b$Gqsk?28CPNPg zFENewI@ZBx68PodG#66eWS(Wl^Lr#@C8Ob1K^)ygHY8AT~!*si}q|Nl4k~7Re zwu2-FVllFf+NVXRMFXJ5)5nQM+X>zUD1R#mli30~%m8$3C0Y|FI!3k)M{B^W>6AJ~ z`RU%uuRg3>X@Hg0QGGDyoRpY=ABow)*&Ki1@(#?zfi-9*ya`8!#_ile)w2lfF}qlGiFDerM6rc_ujJE3r| zM|3NhUzznNljNq$xoO5LVZ@BGctA74*rCwilhAw<4u8Z>97#D{yI z5sK!ZDm~f;Fup-s)`;@2;-Nm~r8B3aZSUbtt5ItmQr+>TUsD5s&>%(@d{l5slJ&K! ziRd09rhmzqt@*?9oS+2ftN8+%QfoTk%1edO@125YW+5g~JICRXDjTX3+q{VKGEdaK zE&|nNXjkRY_z=7w53B&%%I(i<7x6S^25Q5!?mYO~?wx_Q6##<+WK5a42gURj$|cpl zzzm`N3W9T--Mu|g`$6P5h?r~b5PC47axijSL@^OL3TbB{^*5LZ?^{S4vm*nq$w7Hf zNor1`I|ZVL#lcEIc8NOUAfUO>>StaP{Q*fc8}Wh(sPZjz?V>1Xu=I~@Lz||GVpj3K z^k2a@M)U0;0CQbKkHaGQR{u<6(Y7q6NF$`vTI-(QBGBu{xw8&yo4` zhG1I+WcAXl4<^RU&8a}J0D#uJtZANq{$5kDDjn$R#@SBu{gL4(Ief^pqQo~^2Z$47 zu4$w$|B5Ak!kW|IKiD)JWgbE0e%Q1tosuKA{$NAkC-#RV@h64>RWhp(WVg-tr%eY%47*veQu_w1u?_8o`BBEMp*}`-t6d#Oeo~MNQ7utN&M*n z{>(&x?aiD7%MoI00Q!fk0DYBW>_?Z&nYoTsw5bsRx`38JJUcM4|Lkix)OzI^L1iP*Q(EELaFMU8|sIXL<=%NVNu2vcOX-0aFoZcBh ze;mmf)L$7$oo=TY8w?GRydLSoO;~RkUU}d_6)IvY+8Lqw70Y#9o*;UNp3EynDKArrFBcRdjc=4u>3tm2zlGcV zSOX7!;$Mr%O2eJ^ET7Z#lM!71#O;nOZ1Cwp1?hKc{>)V7WhKI4;yHdE&}adD8v8mQ zCNcQ+Ad%XI`fdhElq#^t1t)G#E?3WwQvGX|ZLiRXwcn=qM8Xf)bbSWSXlVtaj^ew!Dv@D!e*lG*me;ZzsxpNuqxCaqUo3 zYa#%506qG>>ZGp4$mDxVLDy{);e_^PJ?8~5CkEpWF4H&4zSXObn{;#gz;aq37$Qw6 zHq&!qq=$3E>S>qOG1(f6hx8K0(n23(nzzgL9uYKK6-1f&wrlk|caTwd3sp=uWd?Rk z9;O#e9{a}5xpQeX83wb5NfUGs40EZHcq=~^=TeWc@MXywaKsJOi_yb0U|8ALx0u0a z0YpbcGxSNMd){8m&h^0F)1Tjlxm?yM zOabo!7?+iEjiJO34%V!5%@CBg24x1JItb!?(&MPcfOFE#r}=F%x{5Ht!W|z?DIwng zs%Sc};g~W4RXzNfG+mgIB+^IahL;tN4Kn(GnGZqyo>;nlAMGpO8mL@j)9|}6oW(uU zBi(D_^InHQ9p+K*DhWAm%J%2-nE0l-QbDnJ^LI?&+wJ>5OB@QMJ)T=Vw(ciuP0{K6 zPHg|M0Cv=4cx$5L1nsWJrbbOFrccne*G=GHT4u_b&c6e3wYru7un}e+$E9{iS(tYT zFL0rhD}a{sq!7#1?#xc6rZ$A^_kM>|E9aDkBd{Saw%{$`y^CHm7&F!d04IvRT#nfk z`>Ceyd|(w{iJcHjdU6z6@iaaQhIU{NlYCXxb`()Z*^;vX(zI_2Z;9Q}6hT}^3WS1Ta~O{$ z+nUH7EMxcCKd7sftT2kp`nkM6aMdo9+82Dik4l`o;VU!js4LDQGI8H~QuvsVw*lE_ z&+zb9ATcPv2{-kFWduCnRR}mcx5Z096{-6Htw}?veb|_5tE5c-yac>>7B}DDnHeI7$0myx=Zo4z|xm zMYAEwY4IHl#q)njnYg@tqL0?Rv^_uyuNiQ5BFpl=MO9`ANjNyCCI&-PUF#Al)SW9? z(I6h5afMAa^F>MS6Ho)t^sZG=cQ8l1rdg8n%u^;08?X?Ba6#AK)GpTu&f(pXcD)j0R<8%Gr;gv z5A6Wm!VvJG13EN_@hZYK~>ow*Zq*eeDKBh$p!W?fE#n> zQp0S|+V(MCu7`@(@iVmImg$YcRBs40ibLMZ2=b*~&WeCZvPk$2*%sByn2((rV8l8k zlJ@ney_LnmF3PxoF$*5gToj{*zeNx=OmB~78i3abDu1g9Xsf+OKW0fzCTfC^hD_8_ zz<3u)tx@;?O|C5I{die%?0wv?9dN%LIJj6&(LLTA4i^A3U|DZ~Z}tPy`y{I?yer4a z*eR8j)j*d_q9cLQ`5rQX(#j$C2^$hBbl{4kqJTm>E}Ze@mI9maOa}n9v+vO|=b%`i zXcl=Bwc5})C;<40%kc)lumJ5a{OPT{isExr7*;ptZBR9OmA;LbSpX-4mH2sp_i{&3 zJegn~Bs_|^k3o?P@7)DR#@~QR1yC9q@R%Yv81dub6Z=uHO$0(G*_`L@Wgs4De-kjx zpuOXsiC4)1n?^VZsLam9z1ks}(=ZRX(%yBz2Xfa@hq%+pZ~BEN2`&f{bT^`gc@k}j zJ5em3T@Q1)q6CPlPuaAbQD!p(!c)Hx!d{#gAyx}iy|l=N>4=>Ri0HW|0ho9U#ZpUA zoObCV%#5Ix3Q9y?<$f>f1)dSWvA#;2$}G^L1~w&uF=X`_CO>Z|VuGkDQp;7Y-39at zTmrQjP9Vb(#kpD3RDzO2kv;M0>dnjy>H{e4*f?bC2Yk-Uge({c?re1N1VEDzQC0-be9j-RL~frzK*V^PJ#zeF}}y>O$y z@-c9d!ouW~7QSnlLPUCQ$89N~K}9=BA}T!NUEo`IgyC?!Fai}GSrM!)WrymKY+tyP`ZFp0>QA9`XLOkRLwvI zS9M@0vi+c*2~bFOWXve=8ny6#h;#>=O~;j{PYLQxC;4)%I}(xlI-p+J6{gR9IdA() z0Q{@u8q^%f4sUK||?&~1^1x}4P(?$K&9)|%k|>flk~ZY@u}epTm)LN_K+YCZ#ws_dTP&v6zpvoC}H6o_?tXr~HMqP^|O z8}E{y(Cbrfn}M3Zw29W=*3L-G%l?jwxpbj+Nct9}1RHN=G0G|_`T6=59EYE1elC3q zLIQtM$_~7_fqZjU0z4rv0MSj&Gl*Hfck<2kIN8~NX?DmKaI20Y;%%8lo1w>7Y!z|N zzLpaT{1KvO94L&w{f2v}L^IA88$0|rX&@oi-)9MTwXz3ReJ zd_w8Xal^<=?~j>5me%ew4j79o7&ja|16WYZjuj$pojm_(N@b1gmXg#5_NseZxn4a$HZ9GK)Ws{vG= zjp89{&@zj0#N({h#l+sj^$Id=W88}a!9xu{3(7g#^_+qQgDz*Y2#S(FVD>nZ(k{dP z`nZscnU7N&v$9<#4EW%g!U)VHI3OEXIpV>u5?dX~ok?$kI1TR{sWt&hi7nD$<}HY} zs$y>0_b{0azXOx2c?yuTgA=CP$qd9iLSBYt;*pA%7;HYdZ6lD|+v8i4(B4;My=5Ec z?H#4^BQRoZeaN#di($%}A!V{AA_RDVZMn~6sR&p7EGWVmbTtFM1I;=Go@#nq&KJva zC#l{fknB@6!58u`9+TsIC`H(aTApIurhan%1$oO{aG*O1QOjZ`5)QyEM0gMBp7FzT zxCkKmY?((5fcXjTf(W#3858L`f(%pra8dz4FQ)k6Wa<&zPl)$HwhO%lz-oLB)614l z5}h{TdoUu}vWban0?H|U?%qdnIo4>+lv9-_Pcxg&_$9BP1pKYrEUBo6N%#~=4Qq*F z$9e#u5kJLlp$SRW>>$*7HaX42y7|z6ymVBtZ2zaVX>ejaq(7utr~>o$tsQU>%~x;o z)g16s=Es0#8;n28hC09jHfwJbN|@hAHxg1W$ze%lIX^M;0o~7+ETNBdFx#st!fgIT zlf1kmLN$4@A(^OkA}Ty23?%E&zQ7NZeQ~Y64kBV;7CS^hm7ProH6uL>3xgq0E4451 zKIV0=br^=rxBfz27Y>o;>&7qHSVsh|O@u(#NL+6(oM2mMj$(G^Zqe_yk7pJ$J@_vO zzmvEI$dUc}MJI%WxXc(bx|5&A#(??#SO~m&0=oWM6JnO>KSf!tzB2O`G6~sA<}*L;yyl*y%=*DGt9$KZ zmi%Bo4{*{DMq!EzaOWXyk|Q70&VxALMm5=afz=fS^TT~E_+%G5Vo|N0e+ww(gDcK5 z>#O&mxGCe9&;l*Cm8D*=Md5sA7L&~7n_l%}LT3WkasiW1Zg>-bu-lkjXNzNANe<#+ z@7dy3;M_kv3S4juh+2(`#N80{0rqH@k1GEAVty*Us0d!(0V3K4KFV)9@DAxfPw;gEvUYr z8jGr}c!ijOf7pfqwt@$< zrE9I}97hi_FgYJAFAh;WT?UAbL&g2u#c9+T9Z}qs!L@5%bjCRULr4G5k{`PN?}dvK z>!Bb29z!iI&!X`{d~9X$gXu4>$@eqL{{5DC_(`0oT}^>N$ncI-P7lr02dfb*p8sPR z{!haBTem)3c-P~*2K$4;p{W0tg?CJ-uEIMT+*Rz~>h(8~K_F@ILydbdQ#-6O56SkQ zMDf5r_3xs1u(SNVH~%JzhsytZh5vT$79W(O&Bf5s6I14-H#owONbyIxT8h8K3u4ew9Z|o`q#Mim5-7lj{ z3St@mr^i23O4r*CVTo(m{R01|82;}I?s|qOEl6Zn`cuih#FE{*qi7r~371-BR?6DV z>Juf8B$2+6ifBKpGL#PXw+2Krkt%CoXm=}XRa=81gRNY&COpI%YSl*RtYOx0tKMn| zkBE-68Y4~NJ))wl<|vD`r!_h<#>z+b3bvZwKKIE(Nlr;&S=rFaNt4Dt(V1!Q#Y2qx z&O1`mnm0b_W_tHU$hG%hRa4Z$ySnVZswSK&9<0CrRW;!N@L)UWRDk}gYIYo5JE&X! zt7_g~I$#m$+yoye1R$cWh2^0G<9}7n`+D(zRn7YYzXkCRW%>dML>n_ zlFNTSNT7dAg{)>ZgINiSR0t`e#2oZviXWdmKE@7KNBHUQHbN*N#$d~qu!Ck`FX5<5u2Le0@JBEaFv+m{ol&_$12Wa*w4Ckw=4-0-st{#w8C^lyVlEvDAiL!wkA#>Q% z%fMIeq|P~NkvtXxWzONg5ZW(~?;VG8AWb8(;o0z?+!kx6`r{bDhsg!I9glQF9c=Lq zuLt>A?Xjwu-rPZWrd7adJegOE?)S`*P@p}|EB+Vf^ahKMF@Ayb`JKowPKXW67|4t5 zh_m4!_i<=Rd~a_)l3C-RNLg&WF%M6MSXu|ff6L-+)LqCMi5$kCv6@SfJ7eSVYCHm* zOUUYdSt5&zPw$6h4qJ{1%d9r)clSt;h&^=(4uaPAwpu;CC33sdq5lwXMU(j1Qt)H- zbR%R`6m1c4gQC+|HBjiv5}+MfrDAUjz(H#KF~-MKzwA# zS1CsdrMwS)uMvLt{)ZOt!jMSdZ*2~^_v3@Qh&A~4Z{f21@%P#+?HDI0T4I%kOMrY& zX2sFCTQJDLDvL%G{UK$Q1!Jo$in5|eNq=dS#7YIr2BJtATug;Z!>KYH4evH!kXSGk zjY1`+70nL|jmq>CJ~p{iYCELrRZ`Q%Fz+MahUL zHA+sG508?6{}wJA^7y|=41vU?^Pu5U$dx9OMN3K0 zQmZr=KZ1r!Bhf-EJ%UlFbSR3H28#j)nNC9krO~obWct_Yzl+EVTXm<1nxyJm64QZ| zAfjt4Iz;sE)e%MX@8ACOZnfrwlwJ4??%E7K`3@(&k6||`FTZa%4QG_rPRr9ht0xzx z4FLaQRHqrS6RI^dQnWF38h0RBsaBp`Rz?(q0X9@pKJJO|!ph?C4g*?!wbP<(jDO;q_5VjeTo#YGx4ZS7CCB^-xHH27E>$ncB+7C zl$A`z0mcYf+E_?eFNcRiQVI4B_beM2)5o2Ts0QkoyBaBNXn=k>@51^qeU?fP5`7^e zs7a(5#PdVLJ6tGyI1{Y@+E}b*I`KAKgd7|%B;h`H8wsJ(aFU)?{i$ zgi=gU%po+XB;6Qn{MZkKQjGzo&kaxYQXzO5_GJpR1KH*JGszdxktrbB$BQSyF`DX59Ru(@-eJCCWVQVPP(#r;Psaa} z@qBnuabaZ#vMXb>h}tn9p*W~Y>UD<-DWAyNoc$S_fOoNK+pDC%_&d%n)KJNcjB2yo{5q)f(K24Q#sf(kq1kfgnlKN!`=AO!rD?THBD)M# z6CDn~FH+ge$579-A~q9W^#DRvz4znHUJ`(2plaiw!oH~f?y$Wh0|2I0Jo$F+(Wk#! zv9VdpC?iDv!gbXUiKkq5fC-^iGD>B9z`#O)EaGG4GpxTdOnY!Id!wX&K{8DZyU>bD zc^?2-%EU2@qKOxR0;o-LFO2Z+h&1r$d;k?=T<-YFM_Hhax;a9(MBYh3YWz4c8b6Bn zpmLr?#3HMZUJZ^cy3cNzTbA6nF-)t|2cR;#NnSh65sbdL3xC$-D$`t7WSm(Wo>qJ# zO$5cIwU&Gjd12gP2yh?DH!cu~_Wa5qdVuV@a z)0Ado8cpOGtJISNSR0vd{0@~^BK)Z!`xO!wvxlk}v{KKDRUW2bAOa&2_R$pkn8%W9qRcA1(Tys$N$NF5{t7IfaSG@}a zCdtF8xA8=*^z_GEJC0=AxI#dC_J_2xOpNPo1hHOYMc{*wRY96qU(GpRjYY2e)L;J*B$TK3D=gk1Rk^=mm|E$ARY6EZsWK*$ ziXg|CK#fiTUvX*FB8b8o1rwz=8%TW^FbFoZXr*ocJoP6*5VoF6hpNF}vQ7v=>d9*4 z#Xc}wxToo_2{qVOK|KT64`-{Jf~YaHMnSpK>k)nv@l1n$AP?NAS~yqfy(ojPq%2D1 zx=(7~(tqOoO`Wga7(i+0IA1!IWqVeSW&<7V-8?}^RVc?ndmqg%0v=O3U#?y44nf{H zM2vhq!duBZ9_Xu|lp*{X#047X;!WB>G^zA+Ij-bC!un>{Q&QJ%MEJsYS3HK4J!je?B-#f>%PLjr1n>+T{s(+2>r0Wk3s}+{h zftuSi2p<^UXVQ!+V~pXF|Me|wK>amXXNJ+Ah42@o$|%c={!}`-v30RB5nyx4?YiwM zDwV{VOYw`!H-K;pXgJEKKVW22HLmN}v6?0Ycv|{lWM;(fx=GEZ%ItEyLR-xSL(tJa zJ}khq%14zeFFd#ROZ%zYQ<)H53Eh~EW0I}3J%};f9_DdF?k4}#UaVcqZ4XG^%xzZkPIEVcgtpC}@i-d+K^t~_A*@3JLyY&|;GN|X&=LqB(#%8B4 z^?XJzJd`PB2Ezst&E`y5Qs+U&bF3BcgV~dCWx+<29*dZB04&66vk5P?2jH6mC^%=C z4`IuG5(n6QfZS$){WZqHsersk#&b8enyv(`Zq827hD|)0HUT!j?6AR8Y(AW=DHM5H5uLh4~>KCn`FF zGLEU=CE9-M6UM`hpBYQ&_X+hW|1#D169D>Rwz5g-qflyPawX1u;h*uvr zpy-&tEaljl;Q(1nzAVaF-5vXYG30dMz)thw5 zF>Mk*6u9UR-K0#hB2%h=VM0n6%ATM6*rlz>KQ0TVp2c5k-B_P-UHb%9vl(17Hym;= zpTSG;VC_IEklPOWv?~m;J6yrY4Kz$M+(Qv%re@QZfdmpE znn0pNKocPf3K}#hsAy2MsHmV6k0_oho+?_cSheD@p1RdmTYIq5YL(WuYPGFe>!HFKt$$AR2kX-n{A`;B ziG?^)>!Y-e;TBipQer858Nm!XmLAP~1?!9B-5t0xMcteDOMgN0Y{O2D&xps3*|9hp z#=Ku`l}NNfU$^8(lpo zbgB45LnZ%!Xl#>#As;`$qxngOS;(S(Aa@13=LQ3RxosG>&nBoAwO`{bXK{o>$N;nt-b{I2`w2!g-s)19XU2<7f}Auy8x#rL?}h zk7R>RY$Pb~(Q(wS2Oi_KV66D*`@l>sL<@Pg^%(M)dx=Az@h056Wd%Nu-AB5UXg^Un1cH=;(fgTFcebsMq3s*Git@S*EXq zS+I#1I+J68F^f*&M5YEB;6&{ihP@q6)Ru(|?TYnESRW^mF&3ad^(KFzy%s`v!)#rW zX@dG@2%E!_Qe?^e)j|(zwrS0j#a(5Vsk`Dg@0KpA%kOYujIS<^ggHN>IMP*i;dPuq z!PxMXvicAqLJAI{Y8;(k!{po$EJh`CrgImcz&+A5QcWzAx*!YHHM=_TGjvOV2J{uBp@X>Fb}Be~ z2sb^`j52=1gX=~U5Szmxv#1}mp^wC}H2PWMSYDWmQ6NNC0ORml}UDB_XbFro*|J%H}I-c|eyU@l` zOSQyx0b&|qC#S;|_0RHZ!Qg*hx6S{+xfhwTvJw6V*xEa}UL~1x!pfqbtO{5+>@g=Ib>3=Z5_i@!Aa$ z{<->3IZd64iz-JS?CsZ;V8HP7AD$)&)Lu27JXOVt&J8TvN_Qj|n`T5{#|XB2fd$u|8TxpGH_%){;bDPiHbz0Qp67;*aikb@r_5(G0jn~|ki^Bca*{79Ya+uvQ z>Ulid8pOj)YO>sDfMTbX6Z+ahFD;=RsyWtGm&nbZIcWdBPd#mQ5lhj5?vB* zj}Pa(3@NIPP!LBl7)7t{qVfnBe+}IXA=OiI_VS@XC0Dk@?2=cEZqU$lj?LN4u_Q+i zieqMIukGN3B*awn5`0vP)t0hEsKW<*0`UR+uXKZ>rkwqA7bA=I49j(2ah_RNH;~M; z_+<1`_eUm@m8&(8uFjW(be~E+Bj~eCCawgz*-B)vE0;qt{yaghTF*Ac-v9EW?VLz@ zXMD)S*zYs3ws&x5CdPgXD0pV!mzk(Er+=IVJIlIm+rgA&4nVq|Wkrl9=e>YQGgW_m ztJcSh`PkB;HF@~y&Q(ZrL?Nc(@gATYbwH9J9cp>Ajp0QaXHO$W^s2c7Lwel(m|^+$ zhWCX~L!z~s^yFD;=Av1rip-$5vU>yjFcTf{mr21c@g^{L7}czd){q}AL0_S*4~TUf$=unV?;Pz zc++7*=#Pxob2QR*R;v%;Ldj_R8Cu4jc74w&w{4K9g7)QD!+7I@T&9$hXg_!_U}e)n z{!J!_S23}fmoP3cNv4a;VNG)wBf4ub`&A?vYUvt;lXE7yl!J?yzL`@HzLz@%L6#wX z$~BPouf9jeXSPSA0ytxn-5_;KEc)#VI$C@K$gV7}diW510c0F;td;(`+=!?cd-FvX z#T_`6=5qz7hIAOs>)ib#Vj)q8QKVfNW`B`u4Xiy)|2FIT-eyFOQ?T$-C&}bbgl>CD9uk1q!b%B>_8ctxV_+^ygnL& zl;DtX&1Wkpoo1Ki7aD*F(z{wXo1A>R--5g^)ky-+V7)u>$OKi zGzuldv8z~t(+8W>dAnv)KxqmDACpMopc{jDjXDg}jC>+U^4L8ckxtM_3T4 zH{IZKO#RrA3h=;)OZW)kG!1h?=54Y}h-MaAzhpwqv09qvOJQ_^OBcKNkEVH+ZZcB} z*qLIHZXvF*&5Z*ye+*_aLdXK&hPgYy1i}{5+3{w4z5|K#NDP@@bUt~w&Wknb4oWe_ z6d;JEu|T5iV^qEox^yCtX{3jkfF;xKx?-#)1U$-Fu*4CW65d1lfix2y4%!&QU~tK3 zN;UN(gXnD9!B8l4$yn}Mi*}jgEBeU z6)K*+&hVih6+%nOP_N-E>w=g>b~Gj9ildQ6ouF?kr!S!#j+DZ zu!RKcdzkz(a4VH&k9N&aw-3iJkk0C-!W^B{hG49N@wtgus~aF!okm+W>#zQ1yx5(* zm9~PBxO1B87C!XqC(;ZBS;{fV1ED;H_GPdzXPGi6$q4X1^jG(dbO1TW4EGS03{oRl zZ_?acNZxa^v-G4t3~($9z zbMHD(9c_cT`+0S#EyHo-iuPr%xcs12O(M!~NPDB04DjLEY7vXWNUf%m$53X0Xx$iT zW**Rl){tge!?{az$T1TUBmS0MlZ49&$A5xQLP)cuQITzA%k(W?#mIc68@dKBFBO-gNGl? zn=Fk;=hZHY!_(^)vE$_C%048LUqRAwKfbqfH6r_kU-?>HFfN&UgQ+TBhD3Y7tvVIB zWTNt4va%g zlG8|NyiFEt`$wMso>DU-l)PeoD;jq(<#BVEuQ!0+!1GO8iNf+T!6nxdNFi88$#Iz@ zQT{)`Bqi;0eQMnxlxMyh&r~I!BaZu1$a>@2aGJ#3W0JVg>qq&}@@||6_T5KIIZ1mr z^yVo#67Jji?i4D4wN%5aU<_kMkBz3J#dMmhW|o0XF)I4zE9N&$g3rH;ogTVtC-vyF zLP>GBCDsjKeQj@1%x2!m*hQX(SP1OsfymM0C(BRG3FekgA^`Z4||)Xw4>#fP2kG~Pw+&#-|}Vb<k8mNI{gj=YK^nfbs5YK zb+fX*k2o>F_OTYQH!tInj%NT?Xh3kX68O$)+b%Ria{|4sg-Vn6BUuOmr za|s#b|H^$A`BY$W7RoGLRvy%-*M?hO3b7nVw*5g`V@S?d{1Ln%?+^PFpv+PiaNr?T z=v*{|>jMLaKNDPxdBR5t#zys#f2vCrSV0Ty@z_$`i(d8B(@^51wPZ2rtZO1{X+}VV z`ZtnC(seK3n!xhOXSm$*VKz&wxPrS+eyU5tV1Efwj$_Ev8I@KdW|uApnzxhN!twlg z%hy@ts?4&*xFf!)_G**!la{e<)yoxk$KgRomhkIyE;rp} zr^@}u$XL1~=No2mUNkr~2ZEB7FV~Km{|WA@j+*Hb(+5Y9MY$uQ)w>w1^AD9OU1B$? zQ{R?@_ZnL~=Mb5R&#hQPzn~U17h=gqh9P(wE(2*-gCMi4DitV=wXe>TTeqpF%8foL znMh`8pn}AtbMw?+$k9mKwMh-n z7)?%*7aWZyF^+WcBr2GnK$nUn8D65V12GDz(6$)}?9l|g{_jloFmtsNSlx%!y_wqT z6vItxJ=2K`b$!W9ot&M$4vh2M1Za?Z_`-m7q$Zd6cwYmrCb^oEA*9AKGYD+<6(IV~ zIFkF6CF;)W-w4V1g>%&uoFzaw2N$@358-^Us;laFLv z>PVg_Epw3Rd34AVs@T(|WzX3M#-jGDOFjZ<@@hL=9-7}7o#fqJ(AzhFeMXFNc7uKs zB3+4R3US!kqq!ZBKCS~Wys()aDmKzw%<)OWC;1{${}O_K#i`=Uuu|lzaCvqqPPOr< z<%BH)2_G4vZO$NZ44ztf6uMIK=5>zo$k_+kj)Xdfhne)Y zH&J0NvZc$#vDk%0wL<~xB=b6|?jC2m7Gxet%jzsZ#?rx`gR8*Pzf|apqe&%m&hrb} ztRUSjEh(8GQ9DcwPiw@VIep0TC31aep9A5j&DLcy%WHqe&24L(p{`33*ts$xv_42* z9-cQ@YEdtKC;t>-dSpH&<5h-g=OF^a>`2r0%yprf;qu(dHq1^p`1nWX`F<=V>+JUH z!yUK-`_RvhHtLEjv4}}`EI@?Mj^ZoS=M?N1EA;}o)tk(w z!kL(SXND--Ky#l2HeD%(GQI4}vNvmi%=mJIPv z(63Sone3)WvA-~n)_@n-(FqAJWkQf9v2IXyCCw#ag*KEoq`u|)OX{uG`i=ZPLpxg% z5U1dm=6WrEI@Vc{&>e4fz9!2&tIADAo7?Dya!Gq?3C|zGgK-iVXwex{Ji8DmlH72z z47DtvRX4G=Nt?D(+z)&>O-P(8+6?*R+?jft8L72$+Y(H7qmde!%kjD1{v!5bhD&l* zV0#jdC$ro=5CZqle@gLQLmubC1{iA|kv8J|?he=Ne2SNCtle)1i7qSosK zsyOiXlLPr0p^j8)A*W3K3;s(CodV11-zf7QR0Xq19 z7nQs6os<6xD2GNpu4?ilY~fE=gEiM)#Kv#7pKN2?{UV?X9VqdC#>}xJ1MRsLo!B~d z{m+;=p|$@%n(qFs6FeEw{%6empD}Y{U~qmi*8iUzGyfyl``R->{335J{upfqeBYjp z2S7>yKt3LEF$A*BADLo|sOiv(MQ%-d0iZLNKzN81s#+U#Ca7UQnnnVk`qpH1oIw)f z!(rzOiW||Z45+-^xc3sGl?guWI1+I z8=j>KOlKMI^a1b|+MGWc6fXwjDi9C#U8^M zJY5i~0(fT_kTgDxyF9{8+rRa6MR=QiE0;<0aF?=PD3tNF!iU2H0Bw8wR^~t)uA66S z&nF{4bt$0=;<>ICMR2P=WsZ(p;TwSy0YvP^!wctOVju@ey!Qvp=mr4pbcpu{5;I~Z zwjL)5q}161d3O>W--DRRBEAv{%sp7<$HMATC9~+jV*%cAVz4&o)VqkT);`?Spc~#0 zEt=n1D#+?dfT}Lmls=m=@fvoSinyri6|m3Hueed*igGU z%ytr2Mk@mroWXoKA%HN(0;tiqinJDK{1n`rOteHYb zc#jLPuHh*s5Zaz05i*O`_B+76sEbN@My(o)-6D|d7qkhg8^q~xFJT7v8vepMwC-zuz4Smyp7zbhalU981+4Mh5E=(8&5%Jr zzp_jN5R$tV;W()!gvRMh7!tbANm%IqB*N)N&O>O=G}2CRJKjas!;WlR7>{)eom-GK z9^CEUI7*RsGW6e#$a`2i7`zFX>+5GVo&lDqflWE!K12(20BozJ2#8sXstc=?PFy-0hzZ-`Z8|jlz1-N`~6c z643*KwgzC=HNX+gxe)7kj<2(;Z-+Gd>QW&_(7q+v!Q-?Iva!SO?xQvxOHUJ(UQ&S{ za}#RVPL15=hTD+6xy4$qYscU7j>V_-e^9u6AE`fMuY+8P{f5I3fqWll;3&&URGG+U z8@I~2F#9T!pF0AP4cu3p18=>a&jEZsxkB9=L|7e-sJX5Hs19EspTninE#r~t0{f?2 zvM9+&7t!wz(^a?haYrCciX3;5E-OhFR~5(MOu}QMwv=j?D6x^@uz|uhKZU&on>+`~ zzr0+55Z4)pg1(lRi^JI86_(kEEoInX%6&`6Vk4&p8gK|tUdjZ2VK3Jn%TQ#}v4ToGHiYXDsIx5C!GMDdnHyGJx!k2q5`2OCq?gv_?0~20gip>$cdBWVqX* zR=P+{3&-`Nuj6TOwW;(i9pzw%Xr5y!3()a0g7XxB_oQgn@{SCr&|@dpHwl*0A)y|aCuxG(AT6C-m?Y)DK+;M$-vt3 zm6lh7Y-^C?ELu>8aBgLPQs(;-YYT>IgyG!VE8Zh+824U+yr!RYShrzuWX>4wMccaw zUp18QgZ(<(6(>Lo-kj3#EDp4-Nu)EoM7fVQH>#N0vJ7sz7(-n206!hI(>AKa1W3u{ z+n4MN%K5-`4}ZY5#|>oh$zX5-y1pg>rqS8F2+EXoOEQO{=CX!|e0H)DM_aEI=VLBK zKS`k*Qjm*1#ONkOI!bQE$k+w_SUE!N9CfR>Cd?HCoQOD=mGJ?EAfv2>Bt|GmpV2v2Z z_aaG+O_xXeci>Kbi+^F|J6yPKF$P*P66rXI8q!G=874l( zt}A$#p)Yw^{mTF(oF@02!xAAsNIy5tmcD~Z;< z0+F2{aZPTUGQ^SoHqwU*Is~hwlk%KBuA`h<_e!A#l}EAdlw1-Ut8lgDR1iE1x0E7H zZ(Z(h!R2qVotTO%bf|M`Fztf*wY{P1@8{0pDYPpj6Vu=DD84=G3vuldeYhJKsaKfg zM75_MD=6(t3>Dc!HQz+w4K6=6T)vh)1TPYKTuOyX6-3x`O|R8OS^s3G$@9m-tgM@e z2Y4rQ9|M>m5S}|&w_l9Zy_oxY5RRyLmkPNmq>2hq&5NW(zJC>!`)nIPCY- zVqyibEj)5#P7POWP+Qu|)oVj_{q;Y}@h6}-`5}w>@^|Wb@)}*OI|C7obqan)|BYbX zw)uixuRAMsloKs~-YQ_dcO}u6wWH^t4@JU^o=FVZt8lz@ECe_3aTY%+Jd4RkkbX84 zGIQCxv-3jv;=9}Gj@wxGP2l*PXh5p)=@vsV zbZTG_H;w%2Jq(Z7iDS zlJbe(v99gBhu-7fBYJ7>P_HDp}cKLJeS%-1+1RuGPU8ny}9(Y0TvaXfjtj{*+F2Jv%W=P`C-pPhj zj&DwIJAySSA^y;62S1!w<7bHm_tp-hM8%$zGb%nFzaoZfzM@T27+zBfnIU?4IN!_s zIVIt^mt|%!&x z@vy+!pEPQ7D6S(fq#4tcblzqaKg)8(+`Nlqkhi&6V6zPnW&u<3A>_zJnYlsao{RJ9 zb1Ge_-a(`hIv}UpKzP@9sKJ~(|1K_HcgIqK%71eSz6Tl~XE7knOa=&gyW=XV!HG9r zIT!J`im%HeT*DX@?nuJj{e$UtoW~8LdA8Mv?sBK2ZT+1ikwJySxwQ}geJD9Bn=6WT z`M7Ndb7jHgK;?9o>df-NStl>x*lK!mrI>g!T?q4E<~DizIwVBua@VTz=cBQmG^3tH zCf>Cn=ZJ}sA`_`J_H*Qluj@?B?C-JcF{^Ywglb^kA6eENO70|8yi|hX=`1>es*8U{5Qg8*BydZBl$?v18hm%aqER!j#oM@TOiEywA$I!fMProayVcXH8Dg!arPQT$5M zmHf_s;Z4P}NDQDtV{`kqRUcI}%q4z64yyQCkfne$6*7yMtWCI<-{J(G`wM&?iFIy8 zu6|M$J#rARspdm+O$>GQ=Zr2_&QbOcIj0E-hNx%Cr4w>&%nwJd*YHGU7~}>Hfi9V| z-}MzYL~~b;E4^O)ahltlHV1(JY4L3(x9b> z8piQmrPu^-!1&R1AoIO-yqJ3t0}yG&6yCJ>6rH|j3NP{9UB6`K5D#|*@;hR3;z_K| z%YH3~g;XgmxhePjfym*L@A+TnCrMM}+$er3l<|e25es6tp27_M#%Rq9IbU7or$2c< zv2qKjk>1_*Iw00`7Bnvdqxk6vxJe zbK~sY_=(_g$-{}#&oE0sOXyKo?#tnIxj7);j)dcocs2PBN**O~q?W7|tv5?;VOTV? zr|jM)%#?0K5|tCfo=vi{;V>shf>o(ANd=r;t{<%7)b?Jsmyq>qoF#org)hlG*D^ke zb)@PCghKKlHwBvEy2_~}PFhFd1!+x(*lG0XC@rkTpC##U{|S@u6qtmk5`$qgj=wpG zMHH+H!8;IE-|4W-)p2*Qj`R~=gWpknI*I2ed9P&T@#ZA((*>eR;PI~s#F4)U#7;X@B$dHniA zLCVxihk{jEvCXpZenXo{ZNxT9S+C7 zr%XLP^gX82H|yVH)9+k*FSKi~g86Ir^*5s*hstV@oo{3#HU%#-!srhlwc2(EMFYi-OZ+L#_vU=kS<4@Hmyf{<6AaUc;f(53n z>z6Gs@7R56LA!q(a(7SKd)(bKdH z!_?+pDIcf5(v~@q_35nCPy2k`-QHoqgpb-T9J+k5fYm_9bp=dR5hpNxP#8Q)S0DSi*kn>dn49U}A$avTV~yPjvM+C%ebq zRWIui*U)cSPD0aj1>MXUubzrX+V{<=o*j4k*h*v1db_6R)A0o>i-fh+s93#u#T<0;n+=~8k2!gA<-l>xaH+y0aH*;b%TEuQ zc&6<0!Su3yu|4>kyR$>p*Ef7#GHn+*-hTRz@y`sIaRfZwBYq59l`)I)4Dinr=M5-* zHF1CBu*GS=Mh+jCZ9F@CdW=`ot8AL-_QEpv;CV&XWAV)kiyOH(Z`taK_lriVHlJKR z^2HUd#y;Q798r|#_Rd?VZmM^%y*K*8=cpnpJz8Ni{d9TnEo*;ObeOj53^z)9=DF3Q zcI@#KjehxUk34txSyhx`??;}26_dVrI!gZf)h*}8zIFH7K;M)<3zw%ID&KUjteJj( zZv5f0!a>$|(8l26_p@bdoUZAcj#nPT%h&X7j@|fW)r%``K3{xb%&X6rAGfz%Ho<|{ z&+8s@)pl|MS$|j2;lwt6aQkwOdtu`4Ufl;*?=GrY+vSV0tqYz$U-|jknu~Q2>n45O z(0|?JZ=0T9H|6_1pRb$xb92Ot(?0#E`;h6sUU+6m?e9N+9ya4oyzQW}Nq8=Wt&c zF3)L6?(Uzvy{N|`^(ubCWoxA7`KEbMj-$FVxYWE(*DoDrhJKA^&MOm3Us^qP7xS&I zPc!|^Kl94WRfY4f&0p1jLi~3r`g+6ad+*l2wtm%y1?_eoD>YeUr>@M=zJBkDrldJ? z}q;2XHa}~POOhdO#d7Joc z3#-ay>sQ*cBF{!U|HOrxqJveYXlwblryH$7`#t@%-K*xr&p^`Uk5sWQH#C*J@ym*$ zWl9r0zpR(TbfRm1CM|oepulSA(r>JH^NRl46N6XQQu!rr+RfiCmb`s0sKF9b@!91L z@BDI$v5oq(ENh}`+sWCXYv=C&e59s))#jB0tIlqI-Xq>Mtnx2NyB1^o^7T{y5@MED zR+mkf2)@%tLFVt)1Zh@{Fy7gCs*UmRDTqb??~SMbG4#`kPk&4S6+I?E;^Z4UdhEEG zv9dsTrmDIuz~1BWkC{*g!}$goe=z9Zhx4|7ogPVAPlA&hf;v4WeNrLP*w~2pwx}Iu zRcL8rBc*MG5US$ZsNg^(g6Isxs`$W3q8sSDfEcZ9Bf)aW&>;z^5qDQ|aEw|pmBVj- z2~v<`)JVfYBV{QH=SC|9*o`?1g$2eJvl6z#IX&~7Jgl*idk!d*8gWf(Ti6>o@Tf4x z^#}j8hTHhZPN*rXdQ`vf6V0_?u_j*E9o)A6sWmEf=Lh) zih_YFDNv1pe~(F!pcZGffr|W>TKtl7N=Q)7XmP z3RhQ#%DVQUG<9Llz-93>Uu{T6NCj#|6vgAv@E>>Qs4&5yvRDH{RkC;$o`Kbg@v%9} z&?(P;6^f@oc*IjQlTpjGa~PU56B%-XdPJQKn!PlhPUPUtisZX;7*X1J_fEU`oyq2#*|1qzc-;X=%(vfyXv2l7!fm+H*&m_WT(CmDE2ZG|EP?{Lq`Jd^9hfbH>+&?qqq66t>z&yt~&&8^WAsgod1n_{*Q0@ z7tAjKvL~rEL^=sxDVF`xg|w9;c~>e&DxedKgikbl^zcFO35QQ2e2nmkg^vY3Rz@Bl z-!;%A5Hfd#=CHFZzZCKiPK5F*pkfOY^U*U*QB5k@FNS2(53k1!_QP-BVr;|TuRn< zMB5~4^fmL}gcEC0wgaV^kF-HqOq*CPqACmY6Kk??x=NqrJC3MB<=1!gU4Y2z1)2^7 zXj$9Iq%63EUq1nE1oycB=T}X@ZE&}6L0qL<{UX!&QS9F@- z`vP{>v_2U;lkww^1I;MpF&&+^7i68ZQbisN(Hv@PeCrrAqa{aMo6-OO_wygy(frvw zziMCbW7@F8%^^#@FiiY^syWcmq<>Wf;1$XMFFc>2Y7NcvUE=>1Zg3X^ZKMN!r1HHV zOB10~&?kDN$;eNMek`?sPX@xvd}QnsjRh=#UJ)o(0)@RbO`i0xO!HO{vf{VOQcYa* zBl)5flnTkakM)a??OmXdw^;@wdXwvKTZJ4;F_1m!Y@7+%`5iz^nV&JaRmBM8^(>Ec zjBE-l4t*qJly(%AX0PIQfkb6q_DuU}&@loTu>^8j4uUDZfR<4~tCA5vETCjm9@(m7 zggWZ7pJSQ*w-hp5(z*Io*-`mPy|;s z^~*tShL5Y8n$tj|>oT}50pYz?VUp@&C`C+b#Ssj8!f?hL>*By=Tn+sPLi~-&x_Fy} zT9p_ZAJnxIVjfYQjZn1$8|rwvwXUO(z%K&2Ga(LCvvyHuni90^P+D<3B5(31fr%3m zsNH`Aq{0R=)oyn{K5QtYeOy zeQ-5l74s`-UhPBT5ZEW`7C8rE%kkiUw3B}hdI3eC%MQix!-fXL;J-y5eRyD+;g2RJBhhpn42b61 zZiw4&cptKj^6kAr;oJ*4js|s;OdRwGZISyxwtaVN_0`p)zLtw^W1ld#oi*>OrXTx1 zZ%P$S&F@-rg8i2~amW^=^nVM#9ix=~pGds3N-j*%PnO^OjkMELD$L`Q{;74z0c4d4o~E}JY0mFi_nzg$kkQWKg)41nv+V}j^Xj!mw7Nga4}?)lUO^+e;Huu}S}$DH zAC+tg6eza{w;rs01p&!n?r@ZBefU;z$-p3#k~<$pHevqzdxNSzM-Sf#%6rE%9F@L; zKpNWiQyXgpeDC1|Y@JX%2${}4oQacX7Q-_}Am8v)i*bGdvX|}s2m#Fyzear{EP!NT zuZ1`kQr62b0#M^wMlsrU9M>PFmR=b*)ms#jUXo5lnd;er44?_(+OPu{{X>;wF;e$t z*mjK6F@#$V^3Q%*&KNp2UzE{U&RKApfUvHC%l3erJPih3vt83|>q2O*Wn-HKb~L31 zfu5pugSJM&bx3#OjL3}~38RvIE{Gz>4#4x$IH{v7CWnsQ6 z|DoeYl;0nLN_L4CPyR#d69)3iwUZyh$aH}<-r>E;+-O@eDg=VHX4@hR&(;`nUz!A;+jf)iUqV`@wwdKf(@Zzty8XKenPO?QJ{h4FZK(wjqKASAQb8uKy&S8ofu18C0LI!3T;h$oQQ`umliH z7Q9TI%hR6^Y*k;Cvv0}qQkaw;@~PZ%n*&+jUU7|cK`{!>1eIhUu7@U@Y8Pm5J%2-I zByWMt?7N`KIK9FAqJn*c&%TQ{;5U~En z%~&%zlInadnlL@PP13#}LSro-1;JfNtZj$Z@?lWg&kzm=^hl|oZv`;v7SIu{7F_|3 z*F!GiZT(>_`==7?+4B*ZA7h#YX_%az&$65hRx22+C)4o9(9P98tq>#ZfS9HJMI+4? zjJ8q8S_t~JmPo8#W3(L%1|(dWsWbrDRIf;+{VG$8TVl!*@eUnp9udWvkwY6t->xcK z!=>0`$oevsDND4fKNhf+#0zU$L78ikHQWS{KaEk^R>k2B_T8i>8OL`t&KArqoa;~Z zPjX=<|B4k_K>j{7*>%@bScYr{8Cflqkx*tE#t+LuzSH2loGP3x5Md$w@M$DI&DH6O z5j>7m*B_>jg(9TkH!9DCpeb*vm>^IaBqcFb#AX%uymN0&fDbLdOjnQfFEb~A;zg=xUVbeBC(3hq) zM(W2iLKx~OjSU6jz+QZ@ZFqb3v|RfQBi&Nc;jSZ6nlX=~LR}9|a37TGyIM6C1GRw! z>={|wk4Mh)R!1%Jf93j!+b7NEPkt|ad1MOnF0JO`jZ+m4XeO9TL>+&;3`S1_n3eb7 zRzO#0ZceT4#_dez!CXT?XU2>HmDd?^=1}HpWb~+Q$C0-anPPXP#f?3S_zVy}|3*j# zX6kqVQE)YeD*t_Ezh^R<_d0@*3IAS(lV6-{wXDTrrm$~pB9eLlYk_HbRePk?hjEE~ zJ^yr}2Imh)>(UXBe9_4Tzo3Ue%r<;oBg$UeG&lMCT)|zy=Mx^oi$>>}V2Cn(HOKt@5y0lQMVoEkT z_X0416^94sE&+>_rsl_D-g;^+o^l28gVVNSd~gX`Hv*PAy1okrBVh@bJf#$!+m5Fc z!bogZtBbP1et40}3vOfEYj_J_b=wIc{L;ejgFFuGc^-jE?z*Lr#)&+IKuR>rgdbKS z51iF^Y$JLYjn~2dOQ--i#foO##19Yu^}p&cUgyGTCqarE_#a-fod{Yt0X;k@TL=G_ zqH{-(ofLj3dsvI6)B=k;+;CaR7c%ye4b*a_FQ{<>Wm&PA?B| zv2&b5k1YE&>?<5DWw%F^Y(Q)Xa73~Xc=3kw7?R4uu(2c;Nkw6_GYDYAxDclA6y`|; zj2MRXQGzoA)<4=0U{o-Ln$t9>(`1{zS!I5huKzJy7?{(<3X?)2eKvc!`qOakXXZIDFLcqu7;Q@wmoPa|bDu*tV`g{mI2380WeT#+ z;TNlStNBlLMr#)Ab6LhB#$}W#bJn61q0SlsCcax357B?O5ay1I0?RIszXxW1K5}0O zvQL6|I1Kp|-x!MSekYtYZ!qYLXreYX!~cGrs&-!F%C%b2SbIcg*+YP22-mZHwZ;{Z zl1Df**{|dh%q=?n4j=F5bK{Z4*VbZft0xlaqn<9`152TY!HGS|U)k3Uj@JMi&HCu#*+#X)_(E$T)`r zmz4LktKXTixQFMvHvB8TbR)5s;m*sm+8FA>6VgU?eb2ri0EhhS&mYS!1tzfK8Nm} z^?IwzDtGI?GfxO{C!)$dI5Brruy$)a{l4-5SP78)9EvO7Ao1D|anBX%sa(M60Tb;$ z9xT3T8G*`n>Xh7xS#KfzOp&+Q(``k_`iTc9({|g3czQ^K8*N_1`s59TgX6{a+-S8m z#1wDCLB{eB&a5l4`ar4Lj()6ZoSNBA3lqB9$$7F+HGg5%+*_9q+NR^8n-qI`pvcNtSJ`?a0@gl1G z#eY$(oV=Q57^$%=lOM+A?D+3q34Bq-6C6XdTS5u(b=3T@M9p5X2AUrorDnT&Xbk3{fvM>W|ar z9QG4Aq}JaZXsT{5$OYW%Ttjmaz&yY#>29{AhcrJ0=?w*oLYk{_qU{9*d0$OJp~jn^ z;gYmZE1;sJVg=6Q#|pRXjI>Sx#)P8-)=yX9S$HhWv-)ld5|bv&tw4H@!r2ZvTnY=- zoL$3KCXn0CbmZKLtj`nU*!#$H#H1NabAlYJO-8WC3-C~LvqHL(c6Q&@Ki z6M1El%xd5Dt8olvB_KeQ<211*yN#x!il5AN&!38zB6GY(eJt$q`9PXHS*GnB!rVdj z%~_P$P>A-lle%`KT~OMuJyCOu_MnaI^wePP;ZOSz*++M0n2mc3H0t*cQ9ih1E^5D0 zkc)*E@x!lC71*_3ioaRDZ$rh0_fhVBlwX6ODqFN)N5E;0Eef+rDU~bei%mz(d6Zv?bp(B?>3J^T)NGo|DwUkXjkX>zMn=qK*iXZ_cE(kd zDbw?yk%KA+S04n(^G`5Pb_HHxzUMsfMh~r@gi?)j221V&{=?}fegb~#F`^{y&tx z3se(V*Ehb;B*9D|11B)xL=#DrNKzQhKmtLDfEooQN)#+nXrY1?6$>gAs#H+0UMpIu zV#P}yqU-&+5*X2E3U%*>gY zGkc%C_iz7p4_yk0`SpN)ixOYAK4O%4Q0h-K-T61q8nyZ9tlIQScg<*yCOJ1iK`80T z*_3>a_&F44(~u3Q3B*lG(`XI5P+YC#*0FYr9{PtHlqkflV9y(q{D}}@Ijpy&YAmmY zfW6_B+-sUzk(^Mp7rsD@z_NX9A<}lDd7wlBkrWKX}qnZW<)DOGy=Sf z(#Y7<0K>2?0W=z|w{Rz`j&^!Lu<#zk=ccOe;b>UpI-)dRh17gP>J&Tkc2XNnz%Qyn zQ8x!^?AMhfgYc^TG_il(J@*Y%#$F)_><9FWX>6E*OMVh(=Xp34wEd`_=y(NxpcpQW zy0U4iVG1enOd+@hQy9vV{zc@2*zo(Iblxnpagc$n+$E6L3jWf(reb^SiXc6Vp{k@o zuq#5s=QxDllPr}Q^@~DtH)OxW=8+eq(Q#a?lDx0(#V<|2%WmHlQ7j+>2Vu7rS763fbAu$VDAaTtg8?~ zjq|EwJ9e22$1=u3!$?z!+B7+oUE?`R%BFq!Dh}r@P9vfDVAX@#RKsE30qrf-AXh0) z3~9frM#xBmnriJg308|?f!3^~k8>@7Y_-^ceBBVQogT{eCb85})qs+fEYkLQQd|U+ zn+Or|Se17%@ME0owV%8U){Dm%xEC?$_vu|Ul8ou3tnm$iLSAA8aCMWccq7p z{$?F9f9eIsmQcC4vmBWbX8%*&pQZI?yj8Z8tejI4uD$~y#=^4%B4rP~cL&mFBw(<7keRlgxpH?sPDm4yeG5Gs@Or&;|gSgYV&;P zmyq$mMOg-?f>QaIT;$>v> zGQzLPxdwcsuZg&u2tVh+ui)E3%6AZcOQ8X~@!&o5995iSgz0#~B&msMiy&<=z?bH~ zj$$K3|9y}2t6JSttlA?H&CGlnS@jhI)TzF;;985`t8#=MNA3Me!T!?x zCQ{?um!tV-tCN<<_;4vs=3GbETyY_EzAT&kGLm>#ZGGfA6>lsM5AfWZy0imU_MYYq zoqmxd#)D=ZW{XO8UVl6l=h_!~YlfI;oZZH2HtT2)DUP?loNC-{!7q1=L2u`+gXC6g zY@040wJdtKG}@9SVMp}No5Rec6EU6d0{B+mwN=H)Ib`;Pn3@M z+iV1Nl6N!+M||UfAMg7RNzSOJ z%!%<(yB8`9a1YJJ@%*s-LwG<%JP|xq3y3d+RAdlgA-~^w6_0ke0-x~UN2n+UA4U-r zZN>hYNMAd9kgPv=giw>#Jn%jAFW!eBboe5e^ax?J&F!2{@L)78qe(_I5z3ao1dB!R zS($PxBg|XA1azXhQJmC`|Eb~vqfSbFO&6#eF9h-)=`!KNH)F>=?)~U4WbkTFpFtyQ zm={m>5KiG$Uds6td@Mn-W}(q*Av%K)nA3rjUKKqUVOTAyEJNz9RtKC|0+||djBM{p zvR8x?n*jZA1En4^WY_CF3yQORk?%ASPZQzY180%`nqMRRg(t~x^Sg76GS0qM16F%) zDW{vv@(Qlj9|YZ0`#M~cUh6&dV(jbQ1|?f5{N??aEFTKAPi9xc6B>X+ zd8>4X2!`eavKaf++g(KXMbeXuna}YOVKjE-I9@ITcMWte1$zg=56*iqWi;{45p7`B{`vUH4po7r$jo}7TQt`bfo4$G$zbpVWRrQAf*Gc zB-7QqFf2IDQ5{Ca=a}jk5G#Q$(A-JjPrGWM_6+E1P{!~T(#NvY2VgT@$sp8F+^3`0L8zWn zHEU?02RZG@y)Lt}H~c(p&3Vc#$qCm=>ZdH0g^He1ujJI;G)aGA5Sv)A%+jNu)~;lG zN?!#!3hS=v;+I`#;|r?LXM#rgT_qctT7(R#+gV+~3&^Ca={XeFYIHjLdl*O#-;N}@ z7_3Y}3NJl^7(;bVQz9BVnKCgJEZ3VQGbuW|=chZrvrCKK<$GY@xadGZx$a|w)qExE zfpDg%R3Dz|GJ{jh;VabJXqIJraMT9{NBJ0xKE;{_Dor)4Ve|_d7T8hNwhqCX@Yak2J1T9@GRs!3$)hoBXn5$6l~I& z9wupWQ?6#+S&iAd`n3+eZ;i5MuOiv0Rj_AjC?$?OMm!Lc!sy1T_Cqrsoe)Aj;(Oe8J z%hi6AO|7P|2z@_}eMP#?OnaNgJ8oC+heI(*J>{kHR0h%YD}h>s(&~kzd;^>s1vD;y8yJ3rILB|fi}AFNIlkc! z38Bs*Ot$>|X*}(4-TX^64qybUB1iUy$lskfbVN?e+{+e{tIA$gPRwokAD2~Js9(oul?S3MF@3YA%Z@97!S5X z6Et6q7Dy*%;1p(N3bV*%xT#&2qy0;%zQUGjcP>CXwT(CJqn6bbnwk*xQ2S^#H!IAV zp#4h8dblZJXl-jFxZS~*dP=K6`&KZU3W>J8m4lqCa58d!J3D}TE)2atmAPyWsfDwD z0MfrWF07AQiuH;Xm2naq^@%aIOuElW?{Jp)`*RO?Ar4JZtnp)9Z7_Wrsb6GZn{pN! zoP7x2Z0`ik+ubd1bLzLtEI7fp)EH1hitC8JZy>wAC6(y+1xE?CeVLhbg|%KN(+7pH z)4BO}R&}Bh(rN=WYqicQ5P@NDBLzcM{ceWd4$lb#$>j*4v&82~<~$*ks|eNP=%%gA z`U{QiMnMFJCl%;oO>St-L-oiqktHifg7i7xIvePGjWuYKUOm4-#IL^&n(82SlBuqb zo^mMt>Y=$FvKc{Tv)DhCSyNIoAx1lXYwX}@E$mxd9k1@L-vFkI88%oC%#c#^!*K4n4ge!|0X|a8QHfdLwzE|kghkw1eD~`@w+e@qlTc#%o z=s?c}FpsR711Q|6uB`#wSjb_Cgk!E5(3^#E*PMaG@@I(jb%6A%Q@RJH$HN=Wvxl%A zkLkvf<@bsH?+`W(86ui77@3A6*HvBymi*_-qoH#gbRP5vP&&J?2F*4&{%b?9{Y5#q zCd!y(5VH$32My?h$!45?E79TdV*4y^c%T@lKt6G^sY0g-Qqj%3N@(9KzH+^@qPQea zjxNotmGlYm2E+FBG{}(^7YP-Hh|6T^p+cqcmmncjNK=<1h=At#Ho@{u(B+6>PhRaU z?nS?@*q6BflxIvN!Z?hUU=23U>!hV##@F6hPJCD3#ud1QQdmT zbywi#mYL8gFyO8(lcog}FYpT_e5<+!OH{1(k6>y=WQ)4mayv}(PB8ba#*z_| z)P%~aR!R@le-@(YsnK@?n#KlJ%mUXU(0rqz!}!`p7npWzQY_vU)JYeTSK)%6#E zey+)hpp9ZWoLUR$iR8|O>RvN_7DUL27RcsXJ_Svin!6aPTj)3<%twa>$ExyKM)>M- z1JD#Kx;dy@_~QlI?xC3XG#;&6A3l@Yt&C zjmz5c>LvcrZ^NZ_J~91SzEHC!r~;+R$gQ7vwqu0MbSdco3je~jx3Fcl_hYb~_C$i^ z&`UR#fT2u`j<0;ln(X@t$WP9jATF1ohKz){=K4~(BWmxrBzc8%9&lkim@J3mE$wr- zV`bWjX4d}YDDJa3T_00iJhvptsEX%SXwlnjIk!+Ot>Buq#KIk4=G^kku|X(#mVy3o zJXbXnr{%{6h8HbkcN~i+gGdvZ0EL$F$;a$C9mTPCERojppc~sT zz+NP`L?@;W5-j2YP<%m`=(8^Bk~9+|I8P9HT6Z?J;${XulC=mF$@&n(Zx_)#iHgH5 z$_m^z zR}edaABT=HMG^wdXs2P9`~_9`v_Sn5M9r}&sqbED)DE$;TJ7{eRDNfb5RXMF=m(}} z0xcEM((OuqMN~CkCN74Wv4S8KCfnCc-80(rEL=UDaRAD9fsllHBgIn$`JX{`0f>{7 z`gfJ=B<%zY&#-jyY%rZrN$teg+zWqa{;{EP6Y(@Xu1&(gd}9t2?W7~b+ho%l#)v5C zZP4BbWHAWhkc$0EV)XDPU*=xd*cD2bmb z#$kX|>KCmm(@apIMopC2o4oqvkLi-LerDe@Ww1G0fr@1=I~GA1l92~F{m?M=tRez> zWz)t(;XRUOfoti|wgD<);Mz9$BnK)IK+{K=E!yYHG59Kl@M)gQjO!a~P6x6729|QO z{t319jma%)PEs@BbvMrM#ku;1OJgpP7NmYv3@7Z{ z{7RfU+^yw$nKW@MJt=s22On#1lv{o`qpFau;IKm{T7#NSGRbt(9aMMr$7Iyz!Dz?l zSmqbv{{W92hR&tyUFZG95zS6ZMBMg8EQwvk*V+dWx@Jp`wL0q;gfFE6Hs&sQ)6LmH9r{(AAnq^4qvLW ztO=LC4X}&|(@vo5LTS0mF zPa}ORZEg_Z!wOA$RCTO^aSYVKzq7&9$+VbL_B<&v|nS*tk?7fuvpOVkVFZ-F6 zNxy@sQ|(*>reE}mHQWZOJHd~oInsO35G$oCF6F5|vgKpUf*;^~U=qKB#v~9X(bq)8 zkxjPWBihf^>_D+U>~_mU!jz2)vRey-u)nL0>Qq}xTp!-yUOH7+f(>}-u12_ z`invQD9wASthui3P4#Vro$mP1lozbl*6t-%qxdZ0HwvS=poPLb`xT;I;KPadDE9)$ zm;maE-2<7DH{il3XnMmBPW0^uy1#P*uoLhJB|jrRBbzHX_ZQ1#x(ohiGD5O3htP zK{k1Q9eB@!x(;EUby$~H8bJ7}r1eS|ri~k@_l&)J2czhF40Zvyw|is{)Nbb3IQ!!f zNEgEj+}0k}`=?Lh%3CbDAV&cAN)KK@e}QobmYhQ0KRsajj$kGoHhs zxP}jOVsY1Y^vu@$%c@TOb6R&w*bL7`lC&KByM}reZ^tlIrO*g<-Q)>IY-4&%SL?6J~} z#~OYyQcd{)5UzfHr3!fkXX^|43aAHrSyXXNqrrGIQds@h{OZwQnG$QC(v3Ted4%>P zMtis?e=dJGkq&aYW_uhutPt0vlu8-ocF`_Y>MAX-N9G>mH?<<`*m61`V+u&8Wnu!8 zGyvLOCh7s{Z<}tVRO)`Mp-2oI^M;swa3B+o0|lj+Cl**83hjisysU7#k@ zL(wj`57K)M5pg^;mk`sdsq89GzMSom_tHu`G(SbyeJn{Uf$FbiiIFqQCu7ZXYkzZO ztTVE_&#b9Mk~wmeCo)=1hX3zxOzM@G|lkka%Bh!+Ohi=iCley`K)YE0sbVZ`1a~jgMF&dp<&w3q2A2+!HV_AvzxS zrC5`?DqJW1o7{1{%?a_gg23 zEt*@8C?on3#AOeIIAWEjNV5(+O4Y&Qb#uhGWqbl8Bwb~sld@e6kU%D^c2{1aUN3%V zgD^fis4J^wu(%#t(5pOJ@uEB>UN<_(&$Fri0X=TJa!iD}+_x3UqcP!S4`R@Y`GN}KL*D{g5;A0 zGdJC5Z<$@kVlkAbMEXNRH&%B{q`G{3W;XT0K98t7{jA}rF~P1jDc;eU6n6e2NI2b0 zW+oHiIsaLPD%lO~>;GtB(e0$IR?qXG&sPr;sjQL(BNt8(t}&GQK472PEt3#Uk?Z5F0`j0XC8-787sp!ikNnZN|$K(nO< zlVY6qkTd6iep=HZ-z8fsrG~^Klyyd=KLx6btDw&2#{(aWrX`LCh^yW8INP&fG#MV! zMeeztZAc}VL>K!q>u4}h9htX%H*09)q-32**s<049{t-5_)JlByP(6 z@;WASrs>9{M)6rKW576{^@NhTZe<%uVWlOiN0EhHqML*GKV7x88~2$~E@~$4Q6fD< z-Pd}NH7^BgcrP`b0}@WA8&y$hbWj&D9NCLhakEj!qkj7Gd$kbcr-MBf%}NDF^u?Tg zpNyhYjEw<%&T_ELMJ4eU;#G|=s&JY+7EHal&)=;=4HA!!<^JnXjjNG>L>88_!S+{3 zjn6vYzMj1enftqnR<)(#c6v&_b_> zhKkuxJJ9d^0=psE#%lYkS^S9E4XhgF2A^(P9&E8`?8PApkzffehc)LkWcx0Apca7* zrurwKVgz)e&N^I+tLSmN&(O=7c$Mv4%wxe)T9xP=An-+)e+Chsu|jPIKqiASFp22INW&vjzCKLCbXT$uKk60j)N5dra=w-f94hsS}p4Y;{f9+xyL zdi5FyxN&f5L z-?}MW_mJ3_5b0W`KCsgDY=8n%e? zDrWaPU^Ch!_V8p_d<6mB6WbP_3`bie!LpC@riAb_g~@z+=SEO$#MGYEkSGNDHbU!06uQ0? zf=d-H8{yFk5+v45acyRDBLr2B0pr2G>%?}w>tHDr@VGM@q3Sx33S_vB3x()&`%7q$15OiYkYdG$rhxUucT5}E}JPgLhKt6{#8$!j52aqfol_wSnonG zU02(m(g@u(x==b?e;cC=n5>quYoI=%w`q3Z=N(|5m53AVoL|XG^p8~YIESlj^G$`? zsgU={H&ellK*BS=AtY%CK|hIfjo~9ZcM>`=mo<(u3!&(*t3~@RM}FvIpP5NAqe8}# zf%ZehWdxs{@!A>ZDT0V^Uk_PP57#(9=HcEw4D9D7=Z|Kn1xKl{Gp&0_{&KdVl8!oq z4ex;q8!Sho#9qQ|ec5+VmUd8vXK*4Qx)L^Hi%YVqOGpze-6fPSp51jNA6f1r&N||% zhkHND=%}h7Qje=aB;D&iD6_2*e`4q!?=~{4pR_)(>__xRDyB+71n*NZm7bI82>ZGa zTK%4!?O!{Dcn}`K`?5%B7T%|D!IB>#RQmFXHJ?rwyi&Bx-3x3V-kU<)UJ#}u+PW0` zT!npJA@>=Y|0aDGM5*suZ&|fRC){q%oM-bE-Q-z33R%)%$`7 zdU)KggK!8PW^y?0BpN`{pE-I%RB2qQIDU*tfS=%gRHsY9EMLSE$HTJW~!PQZ0G4C ztMYN!fWLs(%LyXZp}4Q9nW59gw}|5;zLopF4#k!ZDT{bklA_k)?u@_nD|pqkuB-OG zhu0s95*#m>(_fCaRDw@pB|4%po+Ccb*m^&}vrVY_n0T5QY_qn1SD%_vp`wor55#*f z>Qme*YyHo$kFFmT)bt*lTIqjo!7_f>%>wfaHOZ{X*GJ~=Bg2cZ_1J?pyhcpbZJBL^ zXLx`IXNT@~n^R1D4*ZlkRc(NwkGLrF*WIF$IdiuKe)c`({t5DJyX&FO#Zz^E;tIC7j zZ|&+py~&^H!?*ed1YRBx*wM8Odq-QPT;?Rgd#kU8cipqMneiklik@eyeb}LPVr{R& zw(aChJ5j8%KH+FN1rd)PPP=r|e|CkuRi&iW_@wajTm`yS(nat+rr7eB5-orSPc>sQvYvjw;;F&z_q^KM(x<=l(M*dIRcGA?2&knDT zk4G9O?`q{)g_l}82A`iVjzq=bb-HA=?<3;+h}3U{;*b0i9v5>;TbGP?r4WCk>m=$r z7H{&+V}{N{F>c@Je+9VGv=Q2_``e#MA$Y*z6k@rRXn)$FUFJSH{|}-$<}$uLBK*%Z zwhvb~h8OHj4!vq5&cR}h+2buO!|JCv`GF0A`iJ8YkmMOCEr`gDFMQj{XYh|1FR6r3 z(}v-u<0I?+7CgIK$jHe9zE1m$^4eKoOYw-w$>3PuyQ&Us;7cXmR3d!6xx0VVh##ce zZ(@{PJ2KU*^E^euPe{~oVIx>FGLkkFVE$x2`b{o-f*9^M7oO)g*W?0BrTWG`W1!F- z|7iE-vRB2YhhY|GuGeEh?|y}vRry^!XY&)8rm4U$;j=UuEJ`O7VOyTU|0uKE=ym$e zTccxZ+N<)P3*v{H-YMj#XW+gt9ACb#iS29poUlLp+b)5+7X@ldx4GARB}{1vW9^2v zlWnWwZ@-p#mRbHR0 z>%`vxQ#O_@7A&|WBglUSXB2~9>1Aw_EN@GeTjeOmP|IxS(lQd$Au-Nv#D(K@oP6y# z6b~j+-!;G;ru2302$}7O=#Myqz=QiU&<|8rt zAqMw3RyKJ+!l%+l=IWATNNkG`R+N|cI8n{C)`K;lRXT2YlR`9kfn9KCB94Y-{kx z;x0*AvI?%XlNJ;u7V#)!^Pfe;vrMjU$6V~qU8AQGX0+iH^?96IV^0oXvyVl@r0(+#3hEpbq#YF0(X|8jnN#RK zNo2ksEQIdI;0xF5An3c)$M zbsX;LjFc5c(nVsLEO(zDM1Y$PM9Tc#{P!h&ptuhTX#**alv&3~^YB)EcgW^D{-hK; z=A}F!RS!u0cJL2-uYbwFTBx`kan4?X#)R)J2A695+tnVG%$|w9Gu>LxbZhIzNQ~@J zZcFuc*y|;h2dVnq&a$`k@6@$FhFGEZlJ!MORw+d4BN52N4O+sgJdZ07RfPC=-6?x4 z)Nbe&Ug}iO&8U;>y!0)4UpV7w4`jWbSbUzIPAH!QE;I`_VJZ0(&Ec16T+ZOZY>OGy zMH&swInJ;NsD`4eT2iQ63?6(KJ#O!NR;KbT`WNchm!%7^xebu3yh#4dPIyoW;w7S= zIn<`+w`nF1 z`0dm~Bg(RJ24x`Tt)m>1=T6MItl*=06-wB~AYy+*Ryo!82DAAMhW;Uzfjx@xtDXH! z$9~2sF@9xmURHHphWQ4Mbb%K?tR?jq{95NzBAoL5CSU&>os3@|N*Vu0_c~%t>_0GD zyZIFI9EBWbG`Nu$Ryk3ouY%51pkC$MBEPXkZq--C`KKAaV&;A^ zoK8l&(!VQ(cvDFFXYM8PS%SD!M$d|gWbRQu@RR;5yWA1u?aiWA!*2?24kz6xi~r?0 zuf!iHx9K|H26A}=!43#r9q?@<^{CxuqM6rae(T_T+zuC+3o)puJa z-j<;xjAa}>ak4#EnjL`F>?*kTA6a!=hw<)qQstLc-a5a9lMv9F;1_5ATS&E&4is4^ zpx*qS0t%muby@BgIK)u}nYzT37iVZs00tVjZpBGo;bRIsm49yQCD*#d8fu|ytH4^v zDs%Okvno0#w?MOANh8qOd3CVwZorwl0e%7V5sCW9oakL0WHmcdihTjD82>YTG#|qi zd{R~Z@4oOuc@=)kk+Ld(7yc1BZiFoF^VKT~>lI~@2rIL_R60#w-1X7p!6gsh8ZN?*9J}I+ZAN22;;qilX`-p(7cXSyMkLnS3$`2|>Eq>NV7U-#>& zuA%nm9`{v!iEfYs^Sa^tKzC2kQQ!4|s_T9U`RF8F(ljci=}W(ylkn)7Soer8(8Q|E zmp9?e(05d}_o&~)!EVF`s5bDu;43~VYdb2VGw~S&`G-rFgmzp%gZGCD%iqyW(1t=k z2KRWclcwioo{b94^*|3E%;y?>+f`NDRXAWeyOQ}Hkf;ZpUQ&EO@qZMYo!ywB-K1>h z8j%-w`>*swd3k0#pzOqh@aQP-BVilmE!$u9p5l?TO@9kpHFpW&M@_KxTg=e6@W-Rp z#a@Clz)$@O?4e(Q{rX6OT{|eJd!a8?45~IauA%wd0YPr|)9- zzP})ZexvK*dBU&3ZjxENCOH^oPhAgojSnx|jj8X(RN+Bg>-KJpV!O4>@r!Rr4{6Aw zgOGnoz=zp-Q10spDDDWru4imVmKK-=zUtt{>R{Jd(A>s?yfR!S7hvP!{;FbZfkV1W z;h4SFvPXOE1u_H`&6nlgMpZThw{;fC{2l(!wS7-3a5?leiiqL@nY9cdo2bpgn9E^| z?*Jx;fX~3R8JPM5$VJEaW)fVgXOcGDj(=woX)5@>V{qAxf4kcIwb_Th66LiLWt+%I zb{THQW%mKNF_Tz2hUtHYA0$`tfw1 zEP$c$t$%`R0cL8gTmbAeN3#3;@VsV={d0)-K2I>ToM&2`25l?Zd>P}`l5B2-y{{k`VqXk<_v~G{+tuROxLfLfrJ+4 zhF52Xq)(xVxvIH)d`qw{P!+bkvvLX1jr!+jGyYVJvX1FoLd;7vks%(8h4YSmb9=9R z1KK9w!zGSxo%=DRsrV`4ngIFxK};N}|8yC3=BV9!bfz9lx7JI;GifL<=Ksi+%|X3r z6L*YM4@YdSz2O7~PkyY9ck>^V{{aY!;79qi#Gyr%R1ZQuH*kd|?qgG!icWKURW#iE zuDgf3@nzZOQRt9nvWR+-ZBmh_=4}?C*WqTs&gVCSVHD<9E@{voLv(D@E0Fw|co>9_ zPysy5M{~}g*JRl)RS)$mm%=cjf9E1zh^?<`BB)85(4Wy|dPN1H8{*7L|F)>0&VM_4 zveie)lv(e$-C6>!*-E`>THBUD7+F>7Mu)aQPo|!9S75 zFu-IlyUU&UnD#{Y)sA1d6F>4L+~=LNx250R|B}x|>lfeiv!_XDXpFnRwU}FaM==6V zs#t89d52qe2Saz^^gc%a=iVbP3wNRfP2Nx9Q^5I}$?*IbzzhxJjC*zo3~Dw{oJFkt z6fuU8x(=AgTJm{S7Z&DA|pvZnieFEkB+AKG4YRr&=_d8n@c7G zQmr5a6?vO%;2<`6io{mXC&M0vH8Imv z@DDGep~lazpIaZ~kBnR2#qe{2Ji&|^7V@}A_C+BQy|YLXMU5DJPLn5MkQ}QauC#%( z5Oe3`c605EfMCA^(=icL8Uo1h9$J144yQr+ZAhg~RQrsl0Z>SuxBVc_kRyxYC9>84 zw%F6`B*#r;4ed_PS#JtPhV4!mvm}Ko}<9VhU2_3 z0eu2}cPRon>;3$f$gp?w zS$lv?ZjICRNU}puKaRj(Njb`fAU}k^oy7y}wggQiOXHFzgW(k}MHL%Q_12%g!9>`v zuI2k9b!G){Q7ZbC^-qknPm@H@HzEOqVImiyq7Lh1mLU9tx-?f+9Iv7-^J>J0x!_RG z!W}?oLZadTvZU}cF&{P)D-k01P(A_?YxJ2cOZJwcBWdx9+EYWFbu|? z$cBi79ylak5Qaj0tk(QH#M_pY$1>Q9pJ}Xpj*K1S!tcm#trLvK_gEpc5r2)Li#$y- z=Lqo3gWVax-VkjB`=nrO_vXgZ)xromSUSwGy_!Bo(0MsW%BK>Vh8<8ZbG%kE0=1UG zNXKBQ5;PZ|hElAGKs~AB~RlWj9D*&1+p>MLYsRdn}l8eynQ(=m%;dHPUfgQcR zK?FydwF)gw%@U6N5~1wEUOLXRl~lwK_G!-x(EKFYGv(W%0?rpP-&aDm0^aj8 zEdPsX`5B&rXumpztk%szt~@ zh1^LrzF;wXaC2(Fk8Z64j4pVitt$6FQ~1iZOThogrywNb?53*RXg#!yfS{ zh}#Lx9~1hrq5FZSFzz8^(>+Uwutpu_tA(6e@Ok7(9yz+kpC`Hw^+k6BDHe$jp|9JZ z{2~-~;0R6?X-Zku+J&dyRM5=o0)i(m+=Js@c-3c7lv)(D)DUIv=eZ1r+dvq{W(%h~ zo+0W~sTDya>-ovie(#Tz9jDz3Tgh z;F9(Yp{ISL5j}%$Wsj5CCirmrY?n>8o8J;QFy)7#@FAggUlGBj1OK+8TM-J|G0Dy2 zVvvBse9pH(*114N_mc(e^1U6H7=XDCwHb`%ncmvl61xKu#Ob}=Ei%8t*;)M!@&tawx6w8DPg7meNFeL8z^6P|{^IO}~Z}ADXfoezk8ti&JV$=&oOj+2D-> z5FltCRDBnDE3Ul@?9=9d(H6%h+gKsAq*+Qi?3 zvj6nU?&_PMc)3fj(&?U2$Xf|$F(7)}^$p5x>lfmj0OW~4I$B{VO)5W#yq)sc5NzQ& z=(kDOa|omrvQZ9x3dNuLliFqEghZUkOVXVb<6mSz`$J>y_emQxZqrUXleRiFU=K>^5;#sZG#M_j^3(DPp$4k=^QG1?Fwfx}JoKEJG z?LUgBQhA&yhZs=iR$CRGHJwf7 z59ubV`w5}8DG1G-o9HO!M+wP}VM18ca9gByK8GLKR=a_y!`43SYFE`JkkX-`ep2|X z4wD1jT1X2+gk63QnN#eB&QmhSmVx}%Cy=IcIfAN5Z9d$&orYNmQR?uVZ{%5fDhv6G z6;{ZVgyu6tp=mk{UB=yVlx1hHV81}B!WA?Kr$rwy>QG^uBq)+ni7h-Tg>G)zBjc0H z7lvZ?CqD^{MmepiR&F$P?Mh^wB@ow7~g?x&bDCgyhBqwz}j&)haa0A zWR5XMoTwmtdD6sgc}Ai2!3|P^g5`)5E$90??0l%r=KT!`AzH71Z33TszY_8yX4N2( z08TW1LvS9L1zi~bhh1bE))^m5zI!pv!61m;Z%CuZ58ZnWVeyFMERxyR4UFZ~pIP#Q zvBseI-oJ}j8;3ZwD^-YU&Zrz@(R1q$;yd3dASNGdB+|MGD|{lmd^{W5+z)4Bxhpk4 zEAj?wMkY#S+Vwmk!ktBjY~<21#bUH zKLGnC%VrmJL$bQ?`ZU&9Ff7UFXL~v@GHo^#^j3(n5O4Nf_BeidQ6nw;d)Eyj3G|e1k@Pt+?BM1PAu+I2*RkH#*vX%3@4NX6$s2Ksi}r&zDz7F1MTTpz3=K|XxGRD6j{GFlpIjW) zH@LHzG&$bP^>)#Vx)S9fT?kQe%qU^NELCbf$q_S%e9C0YiQ#3x^9FA+V^)-XmVv~X zuR%j!OyoX^$srpXUSp#T-&#(l*YqqKOq0Z)Kw-aw0~vsZ>`=I^`>Gs;vNyDyR=9nEVT^IQmkL@hQE?EVp!ReiWiGL z&@eT>H_>gTfpyEuir6QTDiHU%`A^X0(m=y{d3(3-r)a-SKlZvlJd_>(Wu986ZwXt2vrG7FY51x z;1(nj`Mam-q7rPbvIqnhKO9=9@29z&#!is(GuzABSF?Q`%cY|l%V}ztE4BN3vdNIJ zXSblz|E3pa=yoRGv!5R&q!3ls+rkiAHz711F=q$Ck{P5wqO@MM_NS$$TO9W;YkSk5 zt@H}f^w*lz`kk3b7+IjSHfIi_)6ifNT|oY3M^~j2C;AL?9fsO?V%im&^#L8~MiRX; zYOI=snenur_#>>w`V3j037I!dTn}}bRcN9k98dCJ3ZYk9%tPI)$+8G^eIy5#C{-Cj z9_I%+Ek_8u(a{}guIbN?Nd9Luww1ElaUhf-AmABR*ej^qGRAg5dLMaf5M;-GTa^hJ z!{j(KPg?}1MiM?QLj_ehAr6BCA<)^2EM7wRTIB8_3~w%}1mRrO3CQ>z$Ut8s6gR>N zFZf=Cs#jsXaQ7hp8vk6mi`Wn8vDR#=ZCk}9zn2qpbcZnfsGP?Yro$}91|leP&r?ZF z0cT!N+FuPuRoh&npv@XSgnLnap6H)f(t9LtQ8rOwN$^zLNW2BCv2M24D3RfK9Gp4~ z^kn!48n8JgrR4^Y87GcHb_E&a+6}_}R?KYM<9t<4CSs@3UWNPF#QJ3E8*ri!d^zMs z4)MJKY4{Vl^~XqY0qAHOr?vLf{uruP2By!{)@pGiQxk+)&heIFwPtLfdc?AF>M*W& zvg`*|(EbvZH4n$5ZHMWtK;0pyLY0(+bRFzObfDRk_Pvl*hToqbCO0f3oX_pF^ZVh22wqGe(0S-88O8N zIg4>#MC<-E{vKlA4Of5F=+)fqK=mh9WL{za%x}WnxySsOZUvw_3wfHwyn3p*lvbcN zPdmPbzi9mw`<9lEc0yVavV^;8p*jWWYQNO-Lmagz&RzhzDr)Po*Z47Iwa9WY3N((M z_`e76V+)fQI*a>CE$^WWpGY}}*3`Wx*V^4afO69*QlQCa6uJBN;;L!B8T_pJtK+z( zG#{CCX%FMyJqk{vQnOswA|$im^I{96lYp?v7eNw+eW%)Ad(3_S|)%r?ISH!~9VMAF>&M+{>1n2YusTkBhA$jy9gIe;* zjYJ-s&c6C%>uwRXP}I35wN>>Q0Izj2wrA zX}b59dV}Mpn9UfYi%}PDAxpG-d+d5A=K>Bf)9v2e4?Q)<^fd9R!0$5*Lhg{`n)h_< zgZ6KowQNfdW_6IH>V=uB&BXi;+GjQ8vzaX>gOwf>M}j$@`mox;$z*AqUu`<-PoOLK zT?pS`!oKHVcKu$aCI$lI_Y1G^C;-vW8$nbj4=UqLts26fbRx76XZU zIdGq19uvC&Z8iMSo^GwFxCPQp`JI8jW@u~%y3rRvTmhKF;yVfTC;h_k8Dn@arL#4{ zoUDBg*{V%J2L0(tYD5HZ83JMAe zDqc}hF-1YqG%ulHVrp7yUeZLPBD2D@)UKFTR#v8#cCoDN&C1Hk?)jc)K)h7%`ObH~ zbH3mC{m#ozVP@~O*KM!$tmpcFN(K_#G2Bj}uk?bWKION4Wa&uEzVqk|n3qmURLCiT ztqUOY)1pT5o(dRkIL}Q`n#P;U?}y9XVS9H#oRP~PkL(GuDWb1Ym0eu7v{kvh7;3vHrpO3sV7#{v4_~_z=MDWeM^~rBh3Y~{iH26$# z*EGPyAD6#^#a{se&|@jj?ZNO!%ZE7sp|g*KX09nZ08i2oL{Gc?Em{06N?q{HLc%S? z#~z&>GA|bsZJb#YI(r`Y%%r@!`fl>%FHqe-Sj{(>GvtoyY2@-+P}c(6>0K0hr3quO z3G1V5<(c@9VDqhL_Q8@3pf)Pt`C=G^IrxH)=BbOhAFCRtUN`i7o zbw2TBLCzvj*YMchb7>H~g4eO|N$|Z$uo(UmHdMbz43D`T5xnE|WY?J#7b5wfVlvLm z{xI!N5vn%6Uhf$W~D;rcE_4l6;b zc>5Ld=w@Quk>JYLo0bg~*4R!KIu?rtx8C$zyeD1Hca$y9bVa;ZeoB@YYy910A7#F` zP?%}!J4l{sh?Xp-c-L;?tkeM@!bu{j^AWquIostR;>?`w5?(=tlj}SwP>8FU_;X2majr)P!seoH;p72V|B!i! zA+B3UW(vj+AOg4#-N4a4I7*GvsDF^ua|fD21dm)Md?v)ouPuEbWML|qR{%w2k6~J*EZS77ImK42yr&mLg?9o7A^ zHWxh=%o>25_7`Cka<34aOwS5}eJ{Yz!-9!Y?x3Do7IR8CYv$`6=BL7gN^}!{GQ4WP z;jM5M&A%EK)q8ST_0$SOb7zEm;)gqmA9G#Iah>9A8{*Jv^jcP^a|Ejbgdz%}g4j&j zy@}EQ$JaVUBv3eMtEVII`yJwb^X5!$%K6DiQD4{j?hc0sS)#NIo%qBr4R1e0Bu>}jnjF2=8Hc+4`` zAs4u;q~Tf7YPl^RMbcS@O9NdC9rmJzW1`bCs6Qfqm^-EM&aLvzdHJNF9P$x40&VKN zF6tm>3XF|`?EoVWH4^?YJs3l>IPdW z7HCc4cD2Octf|*}-Igl3y*ojpYOt!-s|i=T)86#e3fuCzwar5N&FiM3t@}w=$Jjop zU4wDEH*|Go`IXsguLYZEf9{&?wl&_jm+LR>UF}}`81Ts}P2TWmd+W}&DCA%%{Ar*6 z_Pbp%^7y(N|5$_De$||uaqT1K&10#KHG{V8uK#Jc z?F+57n*TvP?Y+V7VwLG_Rkkg*Ys=_bcU)Jy|GzXH*p&PFrvCXY|3BVr`(WFai|6_t z+&K6DZ?@dt30x~U4c)Hq#MK3R;~V_n)SLE>1(!n1F>R2DU7sJlodh^rL-nywf88KR z5!W{SM}@QtMATGq(&AfXCoUT?3t>y0&ETl#;kx$O*Yeg4MEgOu*No55({@~hPc ziCoas5NsBcP+q+rq-m{6wcw2#A899J?elPbcFOh%K&lahF~B1MI~+tYX#M#=pPXw? zTsKd_%G;a&d*!(E{wFJMUFGdPZyRuXwb!$%!|>-xL;PX96{1e3VZ%hoXkkB#l+JF>Z^6M&%*U9?>{wv zT`lb&TPG_>kFQqv*J=2_UvYaI!Pz2&O!=-N6#u*x0Uh)t4bnnVLen$}G_6Bg$24sU zOAAX2Pt&DwDSTQ)iat$9GsHxuMJ0)8#>D8vm;@=wlolHkmmnvZ6XVko(v&z$LZ`IE zL~D#KrE^+Rnmxsll$@B7mKvj`bcsu|t$*a5>yn$ZvZ+%CRZpKjab{bh-A|fC<1g=r z+TN>sr-N!^vqi5I7n*Sx1 zv7M6qmv?JpHm;K-Zj?Iy%e%GhzIHO!&H>$csI`^(FYku?v~4Q>%e!48S^tT7`u{QS zhFKyssO}0O_)Cv}2*K}0(KJ8|5s872@T87-Z9@5sS(8)USO#z1s1@sYT&wRNySP;^-rHe- zIJ&iycWQ4Iu-T&WsRiYeQU?z8r}lBDy4~rKc+o#=R>Aa2DO%SxBP|M3^+Xe$GtKG5 zTz6VmMjD9FN6OY_bVH;QUnSy2p}|7q$)KXAC*F5v<~WEpvzr@s!4NWC-lgs4@s#XB z|N6WQMC)`q3;Gb9E5of%)k=pDKJ9`QTa%--Zp=5_3p4oLh7YH?avsMfUEK`X#rW5m zmI>Lumx#7&MpsnKYPx0QEg{uNKt2CFRU&wW@0W)Pl2Cc*SabVzG2v}uHDe@Qsc^?IZ%q_w4U_z90fFP zXUPbBs3bW=laW@iK7^zPYGH=-swOiH5vH}CjEsU$ut`rI*5PrcD;e;!Gz>@Cm0p5M z^-QprX>bO^Z?V%wDOe`0D-6djX)?MMO+6O>s zPe!*GL-6HXyAqrnd}9;8D{mJjqDT@76KSC-nluz9Qc##kyCO`aa7lbZM4CPkg^9FQ zVIszu7M&IoBc-7*kr)?;!bBPh6A4P1B@Km%G;5qKt#cv@6LF5T(m!0q8pJ{EJ8eY=6uf>3A&Kw{CAJSf4vtJCxk(4T6r-6|c5|OA z(h(TH1l#V9aBSb7!7~37t^MQJ#)|z0h`QFXrD?*@(}8qk9W_M9X$jA1d+4u>GW^%wAt;^(@6x!CG@6Ld#kD>iTxYgd&Rsuiv>>N!{H(TV zdpy**HPp81Q=GPkKWUw|zjyCHbow8sZIIY&0OqL*E{P-!3r?FhIBgwp%G&3k{oUgN zSq|c|8>fr~X9<69Tq1wJibVo_+GngsaO`9Sz(~qcu1ppgf|o#=l@ziXNO00Nguqz* z5QqO~5S&$5ZDY+99 zW=@}0K5KGC*XhD z6I#jTy3AL=&ove83xU2l4zPYlM`Jm47;)dHBm>7j@W;7+Anp`MbiO5T^M}Tq075Vl z3VJ8a#W1N!YA~3o93l|rQ09UWZRKiEFBYh8i@=d0Qi9P`6VwFs&90sc-nM8iSY&6;r_(^D$WAu=U#)} z)P=EHfXE3n7Uq$Z9EEVtCT<`HVmnsg$B%ko6^JZ?T&ou$9(3gvd-;y&dQ@ zPJp2-ofBw|R!!)uEF~$dJgXCXUW>%7F$q11>ZtW-gT(2%*@6L`jCOU>x7vZWj31@? zVu`;-Q$9gXX@wxI9~o6$Hf~(StfE+go*f1A2IZ~%5ht+J z{H!KL+6%IM5~)z<6WZJQ&i)ciqHEom)0MFPW!n)4Ej{R1h%I#FUX1Cyo2O7oFyv}Ov?;GhdVk>GuVNHSDmmgnDzD**D#_T%0Gq~Nij$ulPz zq($R@IO^x89yqN6P zy6drDpWIu%^7aeyY<6z`uJ`=6C`NIYc_3pc#rHuXsW4VCX-HWm%=Zq4z)Tp9xLF{T z=ji65Ve{NMYX^vCvx;k>RQ%3+Ct(rA@g6PE1}Nkv<11;rm$~T}d5idr^1OI}ayZM@ zT2N_T_FKgIre{9!n?)y?E8b!c6X(-0;yfmc9%gp0$&B}5u!5hIeJQ^;x(9I65xsO} z3?@%OKCbfDpNV?xNbZs=ruuSn_(55}@^RUqpE<3pdRA$pmQ(eGH5KKvR6|E4L$4-e zS4={Fj<;wb-q2C2nKW5N+|DZKYqV?OA#}*24?=g4au#atWsvF3k+wx)#gxA-9MV&tt-rP53`q6a4ezoT z2!lsV<5)usjYO+^!*VHMxItXZ%=xaBL@6wYA(%Kx>LM@ZMCoyHezu9gE>{^5_gB4I z+CVT3G$sZVKbbh5%$=^56VGw5eZ$-@(?4aK>k9&%>$8<7#5(qCpsqPj8P87*_ope7 zMekk}hJz9M`??eBblL+EeDhzY4blm#AV26umx(U4iOiML?I}llLkk@^yhe0Whw!57 zUIKfWll@5Vr<)D^b(*O)^f=8EEU96oeF?0U0@=A8;DM7*(-e76)+u6}HuKmSLpE2I z#tGJUR6Q}~aDt(D2LFQ=s*a5p6nXa5h~nJSbS-%7#=~zi6Ryt7@>CX;833QE5-Hbb z!rX6%eXtR6T+176=vXEGBswr@+PDHUp%1(F7@rT9_9-R)_tZBc=m={MFkAQHCSgW< z9IMJ-1RU%$#Bp>$%SCFWxvVQ)3Z~p57Qz3l<#k+3R7JcFY4yxNt^Jp2(LT%(JPJe2 z0^FUfRGtTi;1gKS*8e>IN_gXDo$r`OYUH21yo7SNS^6kP+*5%R^ zOs))O)du29nu1*c!)^LMKW%yP!UD53f^HKy<5}LaQqOM+lX%Fows<1R+0SCsHpM%< z&yC?DwOJkNK1G5yoYx8@g$`43oVOWAYUOllRDPyes)?`-1;wBohKJ}8rK4dE=c@{% z<$_VQ5$Mj|@{J-ela5xO23(rLw@6MiL&Riv6b!Y-u&H89$xVbggjXSvbt4sqkvjWg z^82ok{bJzuihle8L!DVR7c2hLFlf}Y+Fbq>!`^39A(#WM_Bda}1f%~uR$;L7?54t} zJs5CfB!+nmeNCkP;vTUpG_gt2%d97z1bTk>jidNNeno#%;#(!*JO?RrrRw zpc;1M#1nB1#5<*6Ceu8Km(FHJVTA9=4q^}aNMQ$bFV5S0cf@xs0+1DPAcmw+vq?KEW*8slavv3;ada3$`Z33bNKv#T{{%lmklv*mtmoWY`14_gFtNxxDEbnf(YJ zdYHQ%nKi#MlF-b7$?P92fNFtV|f3SgSkRLEo9|1Ile>Uq(L?vQY^ zMjh&SFv{2xMiR_VMsa6NZ$=siN9L`Mavav}de@Q`mpeg>;NlI-IL9-wTr|n%_v&+^ z2^ntOsH69)@#M&1&sT)rFMrMJ1eQdKlwG)2IW<5mM|3)5(Nb7FmZF1jgUpJ97SXY4A(3vP8&cOAp9z!VpvZ3ZoQ|irl=u5JB2^T-;IayC zOPOwB?y|Kkf*asP=YHziNL)Fg5TN&o(GW=~7bDGw96ABqY@TIcjPk{ra13C}U}I~J z`Ea)k&6MS*4~IKscK zM~3S&LRCX=$!wPb$BkJA_7-Ho{m32qh!tGnq2{%E>uq!kyCd}gKhNSz!)@g6u5_Vm z)N}$O&CvHojylCYP;Dfz*~^EtoHI<}pqPyb%x86}Ykap8xImpy@sWJ4GrRxDBIiTG5bS#A7AQin1 zv%p~#N)%nZbQQ=J1mq0lxn6`oQRX2|u?&r*H4<9?ZB#dfTdHCBb@pf3c}P%DR{4F?U5Y_fEw`xJSJi@yX;eE>TlnsfvUSrE>~T z(qVL_V1Rr!PcT@!W-k^YiKzbLh7Eel&CywjU{N0=N*9g#hWTzSI=-o;VP>ar{^T)D z*@eb`v*;t6j&)^GLMBAlPvdK~!4qItxC_%hd3eKGp)`&_oi!zMha)^3%=XS_E0N5Y zgmwmhb;Cn_?4Q8Jj9^m=?I-2Y0Oq`EEzm`z)+l|oP=A?KmF@+SdFCFPCw0G z!D^&eGY3P)VU1XulR=P07Sn3qBvbjyBn%@JlUI!+@PyKP;syd1IZv`9p4{$5Wd9p# zI>0PUZ-lTQYF5siP-$)BzjA-(4H0X8aTzdcu2vFG=g1Q(n$!&r=nVJBKb0M&GfuxQ z+I$0uGX?Id%c4G9a&?=K9IxC0Q$_VscT{ApGl;^xL_&9ZkwwlkH(EJs{-6e(djkrV zm4|bV=v@m#rl^F=5(m)7r+v(Z!E4564dTCQ4lzr`OZ*CR0RjW<5}m+_Q>m}!RcMr^ zWRi{zkcB~dFbUCkT7vEf?vPERf0-q@HN9njbdO zZ(uC^P$vYLHmBin9Z9L^rq=18i`B2p5(k!#Mt-5PGf^hMPfODXwLup{oQQdixQl$f zG3R{)CnG_yuxM(adFI$?dAAUW$Gu92sNWOn(5Ndg`p57i=Sq(-B!*?3SXtr%Uf_@j zXOE2#%-n638DaK*NMf=?Ox35Acs|;Y(=(Fq97gvL)SIbEVRT=9?6h9AkJSOU*k@KA z3!}rqV*PjhQ``goRgQIGw6wT8H=QPXd!k5BlT5b=pl6*>O8<#C98X8_8Jz7>jNgr% zZ;Ja9x=V^kotCv91rI&)+5#IT3xQHpU~?r^yXjzoV}k^q>mfwYodU=0bbr8=cz1zI zisfhOFxU`dxU$`^ar3ABi&?UEVI*}W$?2x!8cBaXs+*iej~ITEaG7w`o*~F61}c@| zuys^ltJnW5SW!2~Lbj&zC37gp5Qq|TIA zs3(ZW5lY`f+rS?f=|fHSRoujuMdcn^3*o7KF|VM1t}BmRDwmSzDA02wUAQ7-HZP|V zFcM;{^)u4~Owv)7J4!vA2vO_%k*Y5R zRa#Lnn|R(KWgolNMcIeb{taO)V)ukuIe~hpA&yBRR$4$gS;of2sTLH!9e}%gq(!c;O!gviJ;xoc1sgpgPuJF9kNgO8r zXwr&ezLjOpl=Gk~i$KKef&3AMfzxq>mK-UuHbI}jO6rCAfq<(BknJ3ephKHYVAQBh zg)O$S&U;g=cS8n!JvUcQqVc)+m_-&q3~*(=u`+^6{?7ZKYy2`VhPVdc-aQ$If^f^v zu1^qHNE#*8VS1_V;PU1p|1bV%wrEv9NiC`6#1&G4b+d9@j?9XM4S`MKI7R&6t8P-sQ5IOFOH(gCEY>3H_sF0PN|zKrxfH9aYj?m{gag#?(Wnm zhzvX~#~8$L@~6WcMFqFut2LyEKg_sDB6y$aPtH6$eG9O+1Z)u;`lfGcyp zbMF4EX&laE2B(U8`kgJ_=#3y;zGaxf@RnZW*$C|5h}2h_o;4wk%Lj&!!^~gsZb9sf zr)&~oUuF*^bUS{cYZ2o`8B252E`&SIPmiMWjURR9j0PVIN;jX9!Tf4}utT%_%M6eO4pAeeQD88H0BZn3|*LC{D+2+)YSZcWv!;Q#t&`OZn`xa(Im-G z{xtL$htH)>Gfn)EqYvZ64bdpJIvWQyIkbOV{Lj+M6 z=%|eIoF$ZZPY^#4?iEcmNnAjAdja2U$y%46AtuXnQ3g*IN5X7GHRId`v_hC84}chr z8m6kDnJLCcw7Grh2vdXJV<3h*!}&8|w3FkhD8sMeEQN-nWm=4E>QA#-6hc&~5|Ky3 z)Y4dj35=OeJ}zZ&vGNdWI9-;58+21(*Vbdef5}hl1~qC0;l>m;(0FA;Q1SDD`vD=z zvO8Sa1ZL`5zLI3ero$TH1@Es!T%~k?RfacpP+4&+jm}w4a$>-L)Vz(a%Nf@r+_#tv z-^yRm=SQo(!8?LjJ6c8KW)60Y{*=&%#Bp2@yp#4OkNo-0k*TIjxyPR1A`A~{f8BOI z>Z0ZF2}!mVps?88{HK9VM3$hR`S~!;(ef=O4u4a1{3@LP7?iUQA`}r_nCFV+8ogh3 z^luPeri<(uLL}Vongo^(PEQNa?ml~v<+c;&P|eh-^mX+`!o?c4vb^63J*81M<(!Tv zbL5K6XDUv&=o*Ie>m0RDaC&=h5QHxNCz;=Li|CTcr~{2FP;HU~qYP6c*>o1Q?ybC6 zdBZ-fI*5q1%2M^RkqvN;=OTRdx!DI3~WZeanKOZK{&+=h~aSQK1!9{_q zg0obbf~w?AELWH>cdM4sUg0j|YgpD2)NntF1}EN~Ls#WL@9jpEp#cP+&KcA}Y?N<; zbpLI>m*DJ%@{?d<%OE+^n1?{Z_lp%=DVd8RTQ2P*?V!s*k4F|JaGfi;;gsQ9o!SA! zTOfs-O?7m<{S~%b&NCk`Ql{hi!f()8)|#yOv@e81F&fCkc{!H|92C+)Ywc@k&X)!w zdg(AiVfie@vZPTc?PMdW0pj6M^^uI=9HjXgpwYiT&BJ{n$K`OrV-w>_Ev|cM( zr6MSkQ`TARH=$a2HnR5!@$#|O7BI4?f-=HP;y8ReQ=y-9K#t;fz$K-rTE_B+LurQH$1SwX3y&Q#CJ8vU>HpXtlukj`5%uQHjA_k6C4Ba>k%UV zVAuF(R6JBSmQ{&@+A3O5yswE;_nbnb1(&{RHB zXI{dY=IDe7!(N?~Y}z1N%A&bE^KK3;2^^P)oK^6@*YJ@}{aHtQr_SV0Yc1nArGoZh zf1F#589>W#;vb92KAucf_g7p#Z|9*uy%ll-@x~>R-J1QVosQ#oaA?&isN?BwG2UuH zHiuiv-yQ8};OQb`sF9XXJsNjtKaE1?Z=jcN7{;=$kMEq4*QQ8HR3FIfoHv;?K{IQ^%Xd0s$NJWBRsE9V95+~cS zF&6x6@VXQ>2+woZ8a*wr^paQ#av*cX2t-)jS9Y{zvw^#wc#M-TDNqRllHT z|1=yQ3jM*BGbot2by_`51QmUOoZIC?c;4vgr}kQuB)g(3(I+T4jZ#rdTTQ#MYWA4L z(33-;D*ofXb&A@ZaI){;gxh<5scCndPEFSk!^jC_ob6@BF(<+Bwzm9eNdjJCs22P) zR`R2+eD;=d8p(^CQNyJ1tO!l(HX~O%ipp|@yqt!YyoBcrCSW8i-ZPr2QRM7lSiqtt z9zbwUd8-c*$L5qgKt!`^2@{Rd&2(~IzU_zbqS++(mfC7*x#}QFfwv#w=7Zbt6qAPu z%e^k*-9QSwM4UYP4pQC&IzbwmdO>co%5O=xE^Z)nSfjqQPif{Lsl-}IHzOW~n16bp zYf)&P55Y{35_?NP_R=T$C$#R^1v}YRdII8E#L`tH3qkC2e!{dtNJ1CoM{Cr3ZKK0X z5qih#cFwT(6T@ZY!zfIbZZa`3ZDmVya^vSkgSr|Xaj2=RA>ZvcooBQ_eA#%GHJn4B zo~H5a0-AFg8d)F5Q;d7j*dqX5IgWc1+2e52JMprG4s1G&I>t4a&MmcTet>(GrdS_p zF~is1cL|zYy=0|1Ev)DiHH^?UO_UYq2X&vxG1((ngGNrUL^9Jn9Zlf>)Q-AOt_G9X zRqD&SvEK4b%bQ_Hqy`hT58{jRqCoZ$VX2pXg}24XqdQXP8+&T=nu)c(Y^qcbh1L%s zrmd% zS^t!JQf<073U0|+sFO-kP0(b|4|M^nFkoiz9%`-0ea_ zyP0jKZr3V3jq!dTB7FcOg>*Ted)oAinf8|5)Lh=d|2i|vABaOFbH#Z6d4`ZGLGyh1 zqw*3u)Vq(Y%%-<^YD2|Yi~k^U6CKayOFI#aDCbrZNXn}v_9$n6;j~8W>p0EP?zSzR z&y|=&gJGqP)6p377iKQqQpFjgV{wzl8+b={I!AMTGr-uy*(=!tj?w12{D@e3kQ zi)CYJ5UqroEk@9fMm8`ekj{G1agvFDC1T5mqb4J>nI+wUO80bTG7i@xF%fT;o?^+O zL`O|)f`j6DmK3W_Pc{P)G?j>A8b^-9W>J(Y6)>xy>UkPlO zusD5g0!Dzg21y59ZNz_c4E%)#eS6TYqCIS|H2~wv_qO<}t5>eZleR_vwq6f9{3MJI z0;{$81O4^Zm8igLWv?Mhw>gKX|8(oGwfs}dZI35ht1sAe~B! zwe`Qx`VHl;ud226U@O5Fd-X=!xLXHvtp~vu7WBUQd+V*2ueSczdB36UYd3=p{%z>3 zi>9?*oW$#f(Y_*XsOz7)d&AuSeX6cCf87xAnX6R=ABlM+v^|I+80weM{sqy|(TC;g z*H-VAHZQK=7HNe5X!Yp|e!H@Wf-YWH-PW#^z4B;#7-VZJ?O)pJ31V6YAG}f$9lKf^ zNJ(hz#1#*(px0Mh2zx@X09NzQH(K9MN?Tpmm$=eNoYeMy2CE3Zl=knf&9}YT_DgO3 zyYeE?aX8q^wobLLmsW4I_MYEZ@Vff2bX&ppX~hu)!||{0;FVj0gMLK+F!Z+Nh`yBn z`&^UH+P+w2H5~f%m_)k;E4-KZGP3L4W0mYUGM;+Ns>{E?%0T>N71IK-bwVq z16n}8JQxU~>lMQ4v+-B74>h}IV4`q_-iMwh>^11D4f=O~pvQ9wt67P**gKd_t3&kF zP}l;yosnRpr@$(B;W8ZbzY+9VhB1&qqEbImzJ)005lpP%5kp#?q;rkBATv^Uk#QLGFZx$>1)k8#>fR3w5d9>BS{#}y}d*ufqLM+Eb zG4LAo(@s@0QH(dS?R33HmAP~1pirxBCj#p3@D-jdEeGiZu=<}-K4Gt0KShsk@mJ0$ z-s0&&NG!LNv!U7aIeOYzhD)Hg@LbRq73aw&(!bf@avrwU-U|0dwelB6&fV&3T{qtU zb$NZEizk+fP`cvyk$$_YnF<)p#+jKDBT^ zx?G)Ou~nrk*1Ll^FEP3Fe&P&cKa94K+B=j5n(<}1F?ENX@mzOOaXyd5dG#UUCe-3= zF7W|p^^PTCA1ovJ(U|$vv4a>>RYzJKzAuE)c;R<%0?^LoYpIRs^T%_)2S$}*7Ow@g zuy`@IgAT2TgqD`?j(MB%Fn@p{^%Hb*ZajL$LpqQR5?z8o^H+Ezks#z6Y0b%A;XT$B z^+NdKDkpgF?to8OKSda_po_GP6b&FugacaSN5uxV8nz3@ToKh5%;z5|eQHbQ9lM>zC052|H>Wq%HhNP#b;_ z7Skv?I(J`-_2PFlPJEGC=@N{5=sP-*Wc58JNs(*-;?~~}%{^fun;h68%lBAPHc`zaB_X=z7Af*aV2Wrh7baFh5mH$|?!*v_UoR;r0 z$7X?9_+tM1P96?J$B8~?+!A4wiq%|~(OGdja%Ez*|5pMubQhFbUp)`mGPOlYd|dxa!_0?qO- zLWMmwHvAwOse$jsi3avn_9P-j`}%f3f44Vz0bS$R+J>QWDt+F6RE~mFRthb$#Ig~8 z+t`^$6h;n1CWyJzPV>+y z?0DH_n2Ki83n$^YEGm#|Yfb_c*5r;9CTP@7Tn+j%&4462UF=*qRS=}Pqu&o<3#)u$ z28{47!3ZjDiI_NL89A1TDHD}@=pOqt=Tn*YSKdNoo46peh80ykKzU|nN0hZ|?sxSC zUp67h-1*s+M0h{2GV8dysH2dGc?`1Wf|9@<7qTn^wCrtE(eAM3Ne{Vi##MEO6-mb8 z>HNpx>Q4T`K=TZa&2+t~DO`@^Y!&RItGI0E?X>LD9cWw(dhs@7x$oy>ah!P*Ppws5 zIICk?1XPKQ=wQ%?Cea70I}_n1*3-6~VJL^=e3W1XqxdazK^*GG?PB3I`ldqBYtS@y&35~1IB(}xt=W#Y$f(*KhOOGFo!qDHA@1M6 zWyuW3T@;(8H5Z2uUj}9Mi_Ok(njwyyyID#f_aVrs%532bo_LcDGr|hc2U~JI9zyfv z{m!Kb6TgMPjF#_QEr6TIa5IOBS|uN1gi7n~z`Dhi=&3aPY2j{~J^F6K|IERn)F+Bd zoUeJZ$htz-#hpTJD>c@Xss-?~ngUz~NuAP*$}d@l$K*XojG~sLOhJ^>U2?y|v9uW! zdoe^9e%4yt(ex$damP$;;4^=^IWt0egxVc5j8tFtuxce0`TS1Q3G-isqth4_G3THS zDMNWRe-{&?j2U{c$(!kH{%(fGneHrEi!q1hJ$n8Q21`vZ>g|29(J_8HY>~&Y6lbq` zeWss(B&_sjn)#NoWB8g%&xJ7SVj-K_hd+Ub*PNPI$fj}j!%Qyx3FP8S)K+d{*24RO z>qteOU>S=amqV1#%X+ZR4KklAn9Hzl%5rL2Q|d8cT+t-!V#tL(RXHYiI4bSpAjZDL ztk+Vbc&~B?J&Qg!h4x&_LWGuPwPFwRU6C}}J(~5v)v)q&CYLNAf}eJEodtBeGLPZl zd^UOq^(h<+3LID0gMWV&H6-i!&%%qpGsZ_1ydHw2+v6a{!pJhedY4YA^8bLZj7}_@ zFHWQeYY(cAQ3i4l(lShcbal3~@eeXN5NtJ;Z_jr5Ht z8y~i8<%NN;P1r3hM{nWA>B^5n67;}Vcb}MS--9O#y&qPqS){27UKNb+9{$$Dcw|t< z758D?CVF@a(%TPVd2KYmU3dO*9AaRqEW#wVZ|`*URHFSVifC@tQHZTsWjL+fm}h>F z180GiSeEFNaHyqr@t$T*FiIQnyfldmJztV3ckx(DIeOjH&6Z|P>?ACbkH}l$9mb>nIF~R(tSULs2Zwpa-cv!P?2RM_jNKB9#ehXVRK`%oxXH zJM;={@h8bKEH!T}+C97~$;|?>_yG*dS?YhfMy?nENn)gsbg|sYo;?OX!gA$#{z>uZ zrHVH%F0?(xGK-}s%l0sFOmV>Z1wYCtOcZSwA1v%F6_xl&RWCV7=za1HHL;WVM-CPg znm{Rzk#fb`AR+rXf;SIi?fsw(^Es*iCd57^AzVmu#-fMkU9L$%|4OOyAyW0Y3q422 zm|x%oA*VkPOy&AfagBfA`IZ@@)aO3rtbhi~8D6rxF@{!baX#!{>CBbVy^n@8YlR(B zU;aUDolr+=zM*`bT0c}O%{dSPy|ZnEI8vXUf?3~&n7@jaBH?3JOz*IK6)jt`!+|*p ze?Y&ZzWg>O#Nsb^1v0?DLTu@9Qu{CEUFcL5FxT>2RBe{^+hbnzdQ(MH-XqYkj(rV{ zPH(}N1RT~!okNRzunO^{m~bpf5QG&5yS8Lqh_NZ$c{jZ07L>2hTG-@!i#Fwh(flKW zORRu@ODh2IGT~v7(Ipp(In~+${R5y^S1mvTKL1%fB z`x{a=%7O8IJ;cfO!QfXXliAsXrhAd)AA`1RbM0<8qm0f^ZQAVY23w>#%zbi_x-<-| z^h4#SH!igCl(38T$rRx(mVx;kiyL8f@eb;2JluR2+tE;K3Dwnq((v-Jxeb0KQ+j_9 zL^+=}*o}eD?1H_@`7|}V575r^0cLZW(a-ib)|)To#V?SF%*H1CG_h(WO|<+PMq|y- z;IS$8G<(Bor!`r?DNh;?>x4{dEXgG1FLYIJm7;6-!}ROYMB>b0iPnTHjrr$DgdC=} zOu8mgTtyS)oaRqxj^bx=LYnwcNixt)?uTg~_Y_YYS^0*GggOg6BZ+HQh;WYUDL-fH z7&f=exZUor%YDvV8HV|nzJkiRW7HT;b23IP;4!`yQ|ioVK29ygocO%#D9oo0%RW)q ziqvhN>*){=Cdi6S6;cP4|LOc%n(OUB%uh$i3fJp!2k%q_W5C3Q7hmOWg>URq?TCw; z>DxKIi0xOY%8DCyBFn`*KzCtYIG7nY%a)ux$s*uwqmNf=%%6oRBaC%n>O)}_CxQ}y zkuL}neAdy(M;g8l$h-|UzKuFC+e~9z6Yd6#mweDV5 za`KG2C{*kWxx#p%t8$8+Z#JTrAZ%vls)WFjn(nomN~dcI&(KaN$;0a0yJ1bqE)68o z_o0*Ur?{ym6b~O|Ft68Qu-LnSF;&CF9@92a`C>SRj}2h=z-QuylKwzDnKA5PBnd1N zBtBk1p0}evhLoONoh4fImrDT>t-0ClmA`X zucPxFIv0h=9T3O-v`E}ddCvt>7O6bUW%3{DktuNX)>M=$Z>yoKabWEf^ZOAM-S9N+ zT=5H(2?qZmW<-OaeRk_i2OagsLA_e3q4j(NL+cqFs*Q&Cl;5~_&B=VRt@t_Xtm4lx zgF$!qS;2it1aqFBJo}+}rB3KBEGxW#j&sO%Je55zly0`aA&)R0v5LJhO=@v&zJ6C(qY@ux>7Jqk9vxo=wEqLX&#}%@-%b(wZjY6A{WB zVIz7HKgm9Xp2b5^mfu*|fw|oZwfeU(KW9GnHE!y7a{|{mOMQ$<3*T7b0Y{zq|7#7MGn3{1lVWlf9go2yy27nQOEp z-U}AzBCsIM-^d2ITm1XQ`KXL}pR->4iA5-}WiRsCdd$iJr!W4xln*-IDS zFm}<_cCuvYik=M5!zB~hP%3tZ@d#?ZO(#az&O|m@ptomxi7|{7ektxVOb&CFyAF47 zkEbc_i%oFY z4VvuLw{?YUV1jrDj`oiV)t^??1f3VoB*stm6PpN>mXA9-zN*2V0kNzGDlA>}FgP1S znD4nbmibJpb;fyN&MYOwq6vd)W$AD`vhwU<#c9U)BC+f&-#4o875{j1gtqQq;%ZB{ z);2*~b0>9}cQWBF0a-x9Yo<_NT z3RQNLedh4Tf*qoTQ_>jtkoI;?8#kN!6RW$0As0C%f!MRmUl{!RN1brjTjnrO+-_u7 z(q((qS5l;Xq`fCRQn+5Wh((#VgTwr5Y=tUX3+52>Z@N@l@r+}WVV@|P_at(u)x*iL zOY);|D|=HC#di=fz?>K+JJw{w-BN$HqL?8?e!|}=z?#38`sef{Rbv8&<#?r_Fp(Q! zy@|a{RZA6P2N8DPf1nIw$}a8kJjl?)I7y7>YNYR2ymK^NoLNu%21;3mWn{RLjta8< zxPk7XLtwL#-uRZVm)RlK+W+iFmV=ST!%^PnLeH%!d(QHFB!9blc29E+>sGa&wd~)A z8+l#thGWI!3-vTj^tEKQyvN=Fe(wVC9Zjm(S=`g}zRU{Oq+-^US#{4_3z*gXDvFpG zba68?n=5qGJgyH}=Try83LnDd!WjEnR8dVNg-7WuX;RUdj&!+e1T=r`^`Y=0pFh?D zjcHfmldm`toQf1biM$Rm2hCq`K}~U+sWk|dFsscK;EFXjM%Qjx4eD1>Py03d@hi<0 zRFtqqM3e9W(L{}X0knzRUI@{pfBZtIzE47nCThso78)~QTT6$ySs%A_Ot>xKpf+*s z*n=$T{%r@tQucg&Fg)#0!i&1}6JuZGGCte(BH!c3k6(=FrBM#)`$Ux;68a@J95M_@ zKYJ)Lx|dKFB@OTg#FCM<0b}XZmO%7qjL?i3x5A$zO}w`@$24XB;~iqB?Yr0^uId$M zN4e%yRY&vOFPb~XFZktR$Ans~ORLnyRBJ6253N~dxg+iEWu5Nqb+A|HntrY$bnTFF zN30vBuCBLjp7C~l=Rq0Yv80A&t}uJ!hUzd!(?h$%l6URkuO#kx-9^)muju+_ugI0@$926|rkxx%lk0M7 z!j7Y!4`zLuPd~afa#hBstB(gVKOZZ!WPZ`_)?9D+RA-&{tH+P8>i+Euk$3j^;jO`U zX1(;ml7YTcG27qt{qf_cZ}ucKQEv+shOGAA8F$;D?69oI^}V^wA#e2Fl0nvF3bl%0 zi!2MGc3MkehfT9SJJwfQ8+BK|!WDgray1)2tJC~`?`=hSj$OBD z`={>TbFhEf;l$(r2W4*`-_rU2kH4byvX-Q~k zX-R3Ro6^wIZc2-y8&ec@-=Z@c8^*BBu-T1`tu{6`Huh$lnT?Iz(S2WG@6YG``F%fs z{JtKNo}25OlXKl)uh;YSd=6dsAbmvc&|SXOI^~y(M&xbyE~z=pCiZDQ+t$eF<(8}I&Z0=24P*VMHy<3!F1LQRY1T*S{ZYJB?T7o?JO1Rv(f3Y-X?c{6A;yQNemA&_W-u`sm z>#_;YWPSYZ+vK}5G2c9sbYb#0%dKCp-@d|j>%9rjzWV#p58{TV|JG||dV9={n40fx zG0mCknu&u3*R9#X<%kAdTJ_GCZ%tgC=PDPkapyP;E%}8thP4Gj&s|?Tw%U}QQCvGJ zkZbEkjJ@9DkIt28`?ycmjc;7GwC2U7ra`(1E3C5Cm)De+MW<|9_JwJ3$McsWrtE#c zY~zN3pG7u5Rh6-AcEz!p(bf?svdcF4&t^~BTz%zv-Iki0M`E|m`}29GbpA0Kx1s)M zukR9m`FO%fIz*xSXj^Jn;jXqN`kX60zmJD>$+C)1>)Wf#x8=?KI{s4F_J93uBiYNH ze@Q2$qtUVkomC>Qj|o7ZDnfYU0!Vrs>VITaGz9O*}Q0shVM zO`BDUsIU$Rw^sB&JM?bm94GR zj`V4*ni!_Hy&Hsu2ToE4aS;hKp33dm`!iAtv`UEt!dMM-lZNrjfh9(gN@Qq!cuuNB zJ8ZIjJdhQ{!K|WY8Q^_kQ#h0mcn$|1&#-d=<0il=>fM=4q+wnArHr>We|f zFIQnI%*+4pyZo>DHJ;1(Zz44kU<4D~Z49ENcJ0PW#Z`UwEfM~7led~q=XJdt~${OJdgme zDu%qDbqHObluDwa7%J!AhbfdqV;jaD_3V>@X1xToXg0;70^H`(@Kt5~fHJoz2i_kc5fC1NT5* z2n+8~M_ePmRd+n{qmfwpkdO}>vR6s_#`FCL2Y#p=R>ou-Pi_vBspQ|3dG3LwGar}e zgKnxuWCC1|CHne0O!NPc)&FZre;r_R8;T*@0rt0pk2mm_32!tVZo(w+` z_|fAh20u~w>46_3exmUc&&Xop(jJ$yISpITs&3rj|5+U#pNvoYcftRhs#?%3?w`8x zpNBEw`{KTP@lOOqkudy3F%pdT2mv+%+e8dWl8Ju~lZMH}$0MXN(t}8lny;@Ee-zsB zqogsiZVys5W~`?!BCryf^g${qV%Y}4 zOd7%|C5d_(!o@&16C)eAv{h=3-wkZW()`yTabV6;k{l8Y~4J8r~w`ft^t{|oBy z2nZ3F6aQOi!-}$!NLU&m!ZST0!sAd^i8VhW!^=auP=G}Aqx?@syc+&l&I?J%=ktgb zuN^~)!N&A@#Emx>P>Tud-bd<8&`EP32va3Gx#>N7=I`v!CntfppM z#D5DD49g%c;puqCe+V-m$(f)@%s55}f!T(WLO(2TWKPY1L<}KtXiji5A-XXW*x^Wp zIvkStfMnAp6m0TQ_PNKA)Fh)K4qJun9zVG4;F>F)R_ zUpF>NhLm>&r_=wEAq*okJ|uuetZ}CQi&Z~{PjIDSwtxZ$dmfUw&8Xs55%!n}ukJBm zgG&UvB@v)s%3G)`p9<`^k|Yx+CwKXLdpr2J^zH0LtDM~k0+$7eWFvb9`SPS6qC%(* z{ZmOM+QF)YFF>>Ml0_J$kphcp6KYcbl%S0PW8uB`2Q

So z$s%r-^H(V=IKq%2@T!XK1Bv;lR9Qci^dV1{^hIXf!oJ9|hNkp_pOsI`$hZtIk^U*M zjNw)bY6?ZtBx$dT`yjDex%F6#@12;dnVx~#nSY~bd1VCm0-ck-T%8$ANI8f3xjf7< z1d`_cN&6H|29(FVYEzS7I^S_r*J_BvTpnG!1h`L7>U~x11ISy0y7XX^ZdDHtMv*^h z7`Kfr>u3kA%rYhj6aTP#0MWd}%FjoptE9X0I1!fg%yUODJ{kHaRMMd+(7xx|T@~Sq zKwyec7Jbs~Uc}JLYAHDe>~YlTQY^C{oYy&0+DCsr zOsoTtXADK(s#xqetr}sy*0ExQZ!gjI_)%zT5c^ z=u3||2UBKRE176-1qdGok)>p?D=WldEj_Gzo^Ihr(us>J*qiP*PQBkrq$QkPnklup z-xsD}udwXfJ&n>NvNJag^P{R5L0YJCXz45EviaMnOgj|VQ3g(1jltNSZ*aPFb{w!% zbiwd&`qlt&#UN9=89GY$D`cpag(3lkZ~Q-~7-(KG4o*Qa?{SQ<^?mT4duE-41@}ZXbfP5Kj6!I4O5)@^W{aE@6JKgbv;k;%?LKtg8 zCQ0-1Fef^~?6wJQqRf|=Ib1+SvKFkZQoCmHBfyQ$M2IQDvJ{ptb7++YY7NRt2Fn&; zlK%)5lEK=B6=AMF84PQEh0KpNa+>me923I*X#O(P+>c4$qsxgmo1Y?*CN=v2z2}4*mBag#OUWP zwkig5=odNIVw#09%t?yy0I>|11=pGx?nM zAj9v~J7sr@=!;kfW|h*na}vRIF-X5v#wH=V(5bIUlgkI!3k4u*=Y`Ya2n|4`j%Df}kCSFYg6ckp8uKZ@4qispKZUS^O_iuI zAJCi^UhgIysrkyZwDN06T%1A3SsctWouDDBE4gjZE*w_D_-j7wU&w<9yi7cqbI>MxKFw zW}ac6w8~KPJQl-}m`#SKb)nhi_ApZUB(nS|?QcQlT-vi{6dB1Kubf8>{1hCM0~;x! zmS5ymPg!HgD%D;Yy$9BW9qw#9trtzYxv>n_T)-^Uqwe)r-SNAX_t)%|Fw@#lK)1Yaaz{ z3B952+k=+0JR_aDczNzvo}8Tw>@3CEaCk|5Qf9Ww6<4*|i`a$$+)z9~N z*qwLoxj(JxcWNG&MX$3)=T-UDdYoc@iEU=5-~nrS={OF_B2XffwMkc{zs63}^+{l{ zTKMtz8=~2P)}APJpAPCPA$(_MJNJ&}&$@SkZ8CK8WwI-*4_R_-C8&dB7=y;uUH(Gp z)N-dYMw8tiBRO01H`7h~K)h0EzzA!HN;e4?2FPSl>^(a8~^aCfnMytHlay5N% z!W&I=w(n)Mj{mV*^}3Fle0PXRU9Q_RjrQ<;fe~zI<-Yo>a=e1-eBZD-9@)}V=WqGG zCo$}H-)qPTqa7{7FxIR!VZs35r&&G#ZIO)2*7a1KmN`(@@w3F4@S=7B#j;&#w}N|r`Eqq|2ub#w z#nP-D4D5(<1V)5d!*!XKH8>Aw9}deG9rs) z${EPDzf5>Wd^Jlqlhs%{(1^|T5Ke|v4wGuRTC&t8t{RDq5F>~^o>YxsOu9b8bSNE6 zcJaD9Q%x5AGjeHxWeT#J@N2B2sVQp;SUohl@FM6&R(?i)!QPLAnRRjuEuB>Q2{~m* zgo>cB zG&t|Q+%4-Ia(<%X<>uqP;8Q zbd99SzEbSdr3Xp1ngM)4)vB(AlI06ErOxxU8#Yl-V7G@iTR6!OqmYuwfdzY2wj-s z!N6FuHW%2@bmR0R($VQ_4I^1{(hcm`Wt=)UG<{W0x|onMAE?KKRCaovC2WQHklg+w zVRdc&V8Qf@+V~#!9b(^mtlEAd$alB|ntSd}y6P>eIg6AVcb>rE4LfY@dvXNJNb5Pjwo^`H`E^)h zuMhFvCSU0$@v+P-_h{o-W#$*iPCo!Y$zSX;UJHdIWZos~gxRA;e!d1(HNnf%i zB|(}hEn)kkX1DtsH-m03h{P6t5b1o`{);~$bEK2=7{bmGUII3?JX^ghlny9-9qI-F z>yf_i`-^W0@T?NrS-c7~Ls+@=+dH%9F5*?2^?93crj8@!Gz`O5WXWK(dR=JqRQ1LP zI?DIK<#;5R?(RFS>5j`b-$_jm#SNu4nWHJb;~HJ_S6KMRwC}0Z2ROx;r2unzi zwKw$JGtRLH`tS4e;b3FK`Js@gE1(s51Hk4q>|=LkjS0uPbP?)f?>(^p5?SA!>uyJ; z3niOx9a3=%oI?|pz6iFj@u6a|Lvb~j9b>wR6;whp3Q1`x_XfWuZzeLpq5gy|=lVn6 zc6L#24ki1S08?Z+ODruGTRDvScf zY?(qN)9iA;M#q7W@VW7q;C*5?nyt0;B(@D%0i9>z9=L1G1LX*{zKhD^+Ln0BJKZe9 z3D}AT7KahmkLa$1?d*1(Kq7)V9jBnJ;`Akpze&k+FD1k(P#H2Z(QrqEaehBW-7twT zaok0u!(}hxlFJ}+a5=-EXhYU{@T^94Z%393rRH}LJebllJpwDp9AO<{FP5%BvWxaR z8mq?goWs*4qT?L{&G)+-`}T98MWLVNqU6dbp!xPT;9f-vOZI16pxN*5g-315i*2-k z-@3P1#NKGHCI#BAN|?tKq_JlU?h5zGh8S_lXHYT<_|LE@af5|?Y3?!JBpegXbK7Sj zShA<-RB@r$`s~gTio>!_e^wvKp<%$h!p~Lo3RAun!j@z$B7B0dh}^CLTEpH@7^uX} zs%FbJ=b2EI(OE59zMb|^FTwfTMY&dRxrfwTFxxF<2AJnUp0uHkUyGEUQQ$`v_K6@d z6E!+zO#LD(lO5hB|eZwnC)f~{MjQ_PNU$|7v<_CaFS z>Os&`2fTx~KUml#(hPH4EsTdc9l2c&!oT1cey2d!IjA@XdvP02odZ9JgeN4zS77p6 z?uhQ<;RDcB4i)84b`Grc(n1lN>KQEFTMYuzjOUZWe8TSOx&?W+03mh42P6y6#Dn)1 znD>X;iCiJ(^o+&wCZia@^Sos_r^w)OboxQA%;5F=B9W5|nXb6*$dsdKR4JBm+Pe{K zPxhAaV}0fE>KNsWG)~dVvrlrp*?bI_*X9RH`*BOuUn`e&1-K z*M~&gdxFBHB|X_f1PcDBrfIn6(t+xMkwz=l^FlO0g+4f5rRYmzwM5TN=3~k0Txb3A z`fg+dd8n8Yt3Q%WhiF$(TnxXVAEROINQ<|KDZ)zP0(a2jF>I!Jq3KW-WDiwS9Y&9! zfq|&s)wy}kd0^Ms=O(JG>7+wCR?rhlnr?zH0&-tLgIA@=ZCM)!6?xdBk**3P=3;N! z>ZMb#yOl zTc+e>nw<$taJaTub|GV%@p5eD2lYXk4C^XN*5X8SRr=2Bb2P&pN=i;5k8TnD3CAZ( z5geJzlAGfop{GMoq*91iABe91&^V-z@lapYkaSw@8&Bdca!SL(v^Y*P9!Sdw9t=An*|+sH-U18yf6-g7l?Hdx0O3>`2m!#C)LXkO?9~N zL#Vu0<5LcmlVom^?Gw6!OEeNgvxNDB=gaqkppuTsTaGIaF25?-{7xi0&TjzeRN*iv z=EtcJ=}s~>fw{ehQR2brlGz=sav0FEs5xVw4E~+qnH}h>T?>F*^X;)cux2nvE${S9 zStitgZKAy+s5lwy3!(YTgAR68eypRrdIi0(5iMlKSv{(=p=1}Z2Qt5Cdp6?$V6Y9T zE`{Q3fm(+qtRIBg%vD$=SA4-h0+#D8aCtfS6%Vqy0_pEE@aNu zbQ02ajyTQ<4?y)N#iiy1z)2Ce6IV$oUkP`iYXW#Dfc;st_J*qM<9(`{*Dvo?URT_^ ztxrT5fRRw4wPbhNxjuI;kUkmzD$tk6z^Am0Q1?=rayx%QH_JFxNGjik5hTSj>2o>V z($UtU9VTP<^7gAclqu;M=lbe;PCrFAQzWk8QWXGXjM14!ahpSe~QQgh!MBDqjVEr1^IPeTJ5s6|arfjm7vL%XT!*?22ar?exsEd@k6K zx{5ptNse!{1_yQn`NgBqQ(!)ytbE19^y8v6uN%k68H42nud!Ai0KJ_@?*r#jg`+i= z|D^IKtZFsDWgR*XWDN38W@vuXK9M{ssN5rk1Ds*t%#Ewn}&J$BcUAaf6`c_p*+H*U23 zO#p|gg`s6gR%l+V6@nw6FVd!KThzv_GWT$1q;D3LTMk41GK?DQ)L}E}bid(F@5x`Z z*O9Cq`R;OKXSi8pG_1A7I7>z8Lliz)?m}w@w~O1P9Hg{~HB z=Roii^TN2ic_`AM9TaSuXGho4jKbAq14ip)t$3bT-&8aQE7O^TT$_>0<$Al`5?Kqf zSFn9?a5;ngj_geLc$}6k6W5_V|0PJ&_bg`T5Rx#GE3>~4sLukA9-<8A59CxTyS^!4 ze>M#;9xis{YLjWbIR@A=pHkvM-hQh#jSBaBI_Hgc)ag5Xe7JTK$KK}EVDBV+co}-s z1;+uSD|p^JW$4ebw>yE|jI=0D6a0*4sn`V*=<=~$z_O2rpaUwsaY$Df&LDM{PZ7kqf{PtqnH%ZQ$#5*%^ zQBFBDH3bIToN8#=LEfnb(*B`kCeIsWLyw@kvEX?*@EB%npkMf|KE`*zl%Im zN!M}7=HplJDT(5)op5_6FgqK=M7YWB45Y6W)h;Igb>eH-uoKEljYq@%e*rpTumJMP z;dYt$7*3_{LVI%1{%YttMr`PUrL|jbhx>2C?XR&EFe5Zi-xlF?-i5C|99krpDf?9< zkY!K6hI+ILxiE|Fkao-pJ85^~fyZw-R$Mn$Tze1NQ;6%AK&Ief>3V!2*Z4r8wD%&l zpTN!EMVL`|(2s9f6iAEP!gvv;W!HP=lHK^iO40o@lDm(tFUGW(b$uU|$#~IPyzWs> z<4@U*H)K1CzA4$e;#bXlW|i2VhGfRIO*v)Dc-0U53Uh) ztO*oQ`zYeN6x4M^Tyy2oBRu^?T@Eq+cj5Q^AYp!xzb%k%?E})dm2^!c)`@|={m}R) zbnOrPcRku}*bn9>`=}-f<@mKx(IEeL~!i?Db8GExx?MS#G!5=5?82e~WB^Nb@5dTQV=}DO;7CX_Uw=Y4NN~1|jf}}Kew@rtWXm+gRYNrq z9zUSsO;!BqWbn>~L$8B(0ptt>dugg5bqX=_y~Bxe;0rl_L*ZLc+y}gS!H(YdSNjV| zsftghWoLr@pv!zK-PqKh8oanpI^{Z}?nB9axZMCu17>`dgm^uH64)yt#~Q%f7aD#R*^hP8ZW)q&$-W`Wcra7j zIe;29d{&$H$OrbuVC^><7>7aVusQ*h=LVSH3bt$H+U|qg`Ner)jD6A~mTUKC(I)fA zOuJNWc|TL1kY&`e=FoiOkzi(o@jxyb!%4c3I>6SQoy~sGlnnQN*{}|n7R5(dd&_|7 zS9=$;i7|VA0CN-L)j{DYIk(&61@oN19&RwZ8n=+eq7E!fbC;Pkn$eJe>oR8Rm2A>g z1xWMP6d~$rAm3iCJ3(E20SF_E$mGryClu zk6}i4F~rXVIu+NWPQiiEXI+@t1Mv?ML8jGS!`_QAUwh@zp^CwPO|D}iSuq6&T8}HR z#l0r3e2tQdDS@`f?q7iyEiF`u%nejHtJMCnhH*88Nz{9lRWDpC60ORHrawXRg?+dj z-S)XX8eRaV2^&KvWKETuUkctbP2P|Q%IR_~S7?dUU>bi9X1j4<59LmTCfRo)4ZmtWmbKMy<%4C+Fn+49u0cJ(Eb&MlmO1hp^FH24i+4dG3Xa_z?{hXAyBV>;>$fx!Tt;=8f-bh+m>}miB)}j5O|e@Exdi1umcOX z!2TrS#imeltpn!G?CJp0(Rhh;9e`B_;AA90lZ}LUbfWw{#tmU;&`9uL_i~bC48kU* z6*;J)<|)t9kUQ8vUqZ8SD(l$@E6_?oXp!e0RO|!q42l0~Qt>>T#<|E#qKs`=E2i9q zMvpjSB+$I#&7^TBtk_MeCqm;vSTQkh>6G0Hk@ar-DG6&Wo(S0OKqC9W>AoWGd=WdN z>p0Nk?N1Z$aWK`@2@=b0QWp=@NKq`Smhmu zQ^MOvh~dbE)o^#c#6JrH&mJneJ5;oHbzoz|P*Kw)C`lyQj)HL=$E0;f0^NPdSE9hB z9bI3EE`23xS{Kx{4eoA(roRbpkZpl0%0zV`qJIuwgr;pkdufkG`0v2Ax1_r#!nMI- z{O;n#<^1kS=-N$8yRnq2T7UDdCd7=J7S8|{!z!t@;bjSpz1@hkzSnLC=7gAcfual~ z!Q8^}DUh3(@YSwWq+=E7>LD)gfhUi48ARCz|2j#>U)?Y)x2_P#X*~QySE{HnRn)YA zkY~~K^ynRhp`ySo8*sl7nm)w1^^;$TFdMs?q-9M~%vfC?yz(CAM&nQs<|AG0okr-} z4VV?<#NI_gIz65)!Mx3Sl+9ke(n!jTfnp4t!ku%EiY4$X-)u!!~r_WgzhBL4zt`c~vakO`gPNf4tpj33kDjUT^#(?z`P z{WNk7uU;V9upm&_x@?>~gnGUv-g7c)y`4r3X;_igMvJ|T{}k^akuEuK!{Rhj7x-QG zb4k}8pnIAUMfjKO3ETux0(3@KA-P@n&$%q1KNNNonWqib?ibvn{@AL0A%*7fQN|`D z*C`%Gg!6(2`GIoSI^*uX?Vkwxsb-YeRh|>fsV>!dft_jTa&^_mEDci4}oYAX}jM$6DFw%ydh-xNj)P6OojvovLMzXm2oY(;ep z@u1D<3D{BxY-UPK?QBx`4CG`(Z9VD82Jb4k`3-nCK(!mp8|~`nv$#a8%Tv=RDYBl8SL~IlXHfFd|{Ty;d$J1G_fC*-fzJKEaKw zO^_hCc{~?>C6jDO6ftFZizYoT9HZkBT+x0MYIc}R(Tp6yl=8v-O#!T99R8c_FGuZO zYhpBNULZ>Q}M3`>uJTe&?F;W9&*|f zST!7iwTJLs$lhtBXa=+<=`M*JX<^vQJMdyoqSA=HKtW#`CjboFG1L3 z0U9M%u*YoIv&X3H+#A`?u}8A#@m z$c)M9gULO8APk?CmZ+&j{HF;=1SA;p`hoi#9NfH)`LM489HhyXf?VS4{hS=AZA7%| z&A=CFl%yr4ggpX+nck)3oe08x14)|JoX?X4VPP2?*(9Vhciz$M`iBGTMZD{@`oBy#wb8Xn(yWdT@}3LgCO~3+B+AWgB?;$KQPyc4nz53y z4oKM;%WI%F%6Sg@@gGC~&H~ifPH-_#=Oq(sJa4xtY;WYfCSv>NJr7JZmu9Pw68JZByL9By6if|5| zt6NWUTP@STWg|kVi2XfpKG-0?)-cIYZ3;Ea!3kmAIFYUm63eC3=ZzE*VlO3*$o6=G zmNhaLy|r^uC_GS?E5Tj~ZnwdG^;&uh{k3>qprtN>k|hDN{5O&{;>!iezS;lHMi*dt zJvIIjwocnMV-k ztGG=cc255l+vNhwGQv5t-sbAo5_YyCjNUt=4hr}Wrd!&PTwnW_jOoRFjV^2B#!%YF za*1p~yi&Ra-+u)f_D!8A=-7&fYCE7~5L`Z0P>YuL9U^Oe=7s#1G8za{QgJrxLcHJY z;x|MUiQtZDxEPc(1I)qN;*k=~HCC=rg(}ndqHA{!QlG!#Lo57&JUONGNM9FqqZ_!s^KRK>7Ynt$VBOvBm<4vsM&`u-c6|5C=3Rr zHe8_&M!q$*rjjgBE>O~SkZ4=09EMGb==p2xbWM`r3^ID7q~!>6&yps&8xf%GmS@jY zf2Smg()$^aJqwdT{Th2@YiShscDgL#77_*7OL^4c(KNGi<*Hy`Dd%>)N?u^D5aP$2 z>_GlULzQnPH!&|ASA@4q(F3QO38j`N#nHZL6Y*6hO)ItJiu9dPbXHXnpP+A2DR)FE zpH}Jqu98VgDqkjx%{x@cDA(&^xblHq z<1s9xzX}V0b)qA89@`iNzLt6SOW)SMi(6 zX^{|whfaJY)s{UttR*N~zk`0l z8QjzlrLDKjjY{7Iu1q~lMo$UzSmQ&PLBXzj9GH^-4J0A}jQcpFlx6lC8|2X6=%$Dp zaz7(1MA9ehY{A5zw#SI=quHGKU^xOtM?|q7_4m}t)MTw68i<`qe@cjg`c(Z-jDWHx zY7PezrWGekSL~;Wavx)e;hPCOV04CC&*eOgAWiF4=$8PkX~Go}fV=dwZ-ruB#2vJ&MRuDCXR~w;eM1o%LW4`H zpzI9}b!xO@WlXLxRqXiNxHy!Fv*Z(WoEy)#lmOWOfn%6Th2!Eej>wDunu^=dlv5k8lFAL$EjT zHTISi%gFM$=~Zmg#dD?QRk<*hg|{>qWQ zx!;QXcqmdnL>$^41>da9k@KNk%Tcrket6Y-y^XE3jp8SE&4R31z}6XFK-aNjVRH#f z{>&xPqwGK_!(ZSQ-*6JmyV!GCl#+-Dd%es(npyTxqFoJv&>d{wfwMK^{Jv=8y%Mjuq|mSL zE4(OHhX=Fs>W<6UIE5*~^tw?VEKDI)ONC#>*jw6XitION<2bxfsFWS~n6?P}CFY;0 zDS|y^StmA)qb@$mzCi9O1GFO3G&BMXgc~19PU3(aBDx&U%C+Ci@!&2vIz)VXBsA?p z%`;*=*qy#&9EKpO43xN8L%8kcK~WX~S4-66xO-!704t)YSP@OEpX~k;Zd`l3f9=b_ z*nBX}{;v2)h}K~@o#&%U-#rMfcg4c5lFHe1K;u%0b%}CbI5%P6)#fP{gOrxg@!&8{ z#M>$$iLu}V1TRV~-;oz)gXKx7%PmHXkfo=%x)QiQ15VqYxz8~V5~KAf z&Y+Q!S;xh@d_np(!H&i3I?K0WF3tFyju!F;;RO-m{Ed@)dS*zn4iQAPrX0kfOj#n= zCd%#vp17;vD@fGN;EYdejNN-;%YuG;6F^W%5loum;^bwsp%B4X<4F^KAD7%%5!l5t zRZNvh5}o-?HMpQR6&EiTHES|IvYu|mL6WAUGKqRZxaC9iAZH!##ydS1$toulZY9F} zU@lvDU0lwg1K~Z$i-eL=V(ndf4f009-Cb~u5%IgyqaevRB5ZRzrU^r9MB(RzE66*n z=(tWc41ybX$$ekIVzj{rg@;K~hzNJFMyAK$P#j}V#wA*IgyU<^2U2do{f8j;)Assq zowxXrb-aYjZWt2GkL*epWu|jAby$}x;OH|19c|u?gv(fQQ}Jg7U_pkMiqfU_sEE$W z>}i&$2<=ztRIQGRpp3D9@?up76u1AQq&RP{C}kLSAjcye3fmZNk`RgrK|{IXnPA%>cSWF%S)8!>J?z_&&yFopRj4iY zf$oPm_#lhiINPfT5>TdxUQOUGS0d1;3#~^uNtUPo26dJ}2F1xZ{ZWJEWK3JGqN0~n zFT-_?`a`EW%}5XE#~VnNex2T26H8+i<1}Q5;z%!U8jb{tGEIgaG6qBa1wHW%CU>E)-i|a`u_ocI6DlN6xVEUgIYnHul8E)V{Vt%7! z)evBcjk{UZr#+l*gP_;uT>@qh3dS?xLLpQJFY|*<^+U1&ou>KMt*I=z_AY3qvvOa9 z#3xa`E7LVPpG1}4*n<9Qi%aL#?K)$n&6V?6jcUG`_NbgK?P1=Orfl!cjjNn1Rb`Ba z%9)(jy^Kz%oJD)Oh=|5i&ZIG#rDQ#~q_P6XE~kQ2R?x_leW;69HI0eYRO_a5)uq#P z3j?Iz%XpKnyt0K%)zmT`ce8M~o9c~0Qmaji@rs%E$O`FGMx=yWYkAJhPBCXD+M{H~ z%JAz=WCU|n^}bp8atfFA$F0Rf6q{v4AkRtr>d(cSKIXqRn?g#55WDn;tQokdostU5 zRO-!@kR|FXCU!rvT2+p>4My?NU$Bp?MmT+@Da6ts@m|2)DIPGV(v&{*XG^Ul1APJH z>}aqcJC0JhtW-NK7;&}KTR#eedCDmwKg^6{n(;LjP1gO)M?&kr;6~YdY3)vi+huH1 zS-&bS0QQpME9WXXU0wen%WD_ODF#BSJ`AS}*w1hm{Al|3`@L4y(5i2)ldlLH=On~(l%IoNwB<6+MH~ZdRqvc+SXgUj>Bc}&YtyW-9*1# zPMtynaeT~vW;JG=w%eCTjM-6^ERpR!Hh~=`M2P4zKHQH}kqrMNbQh2{2(SJY+{NaN zVYRd2ok4*CV+n%3!KOVT%R?gpK}Rav;qQSnxInyzx9&YSwV*Pxc@mpa>0=N!gtbTb6G=r9S(1K zqa}HZusK^09C3gTZ`pvDY^Ihwz{l7ZLEaR|;YeOA3UI= z`ywGXb;NTD=y3k;t|p>u@{~iz8z5bXt~Jj(LJhue*;$D1Aj`J&0Tf+hQyez)VpmO@ zYf8YqvafC@AkdawUN;g9`4}6t5VLJdI^>NJ(PT%=#ksfwi>~_+yooYvuw@;oYPeR8 zS;xO(|D4eMycQSQC3s+2*H_^B3S&^}s)+w>2}MHux@;&81ch(OfUeJp?(^M$pk`~= zQ^fTYy0HpU>|;bamaT2fCtcy>WH=_IC-!d!^L@tocd){5rEZ~*{7$B_hDFv!V}#tQ z7gFSGl5%ILcCg%ap0OP2XRP26Ca(CsCnOq=r)$S5@VCBLJQvu7%C|$=g;`tWO^adq zM9mK6!cfJ2)*8xxLCKblkU4Q}0w})@QM}KxvoX2`VVc=+J)!OpvAUeE1~pA5tWy^Q z`z;T77M%r{Z)OJWiPbGnJ0!S zKV?WdTV;&nl%I^`7Ad}Dg*Y%j8?M?DNvpK`RZ5Z|LkNJq6fZ*|*id@|?@N4-2z;2$mQ30p}_E828qCQ7l+}oZ||Ou5=8m z#HH*@nfrae2m?roR>VFI{Yytj(Y!;7b)&plnyTFhG$yy~4@6Zj;+FYgnzcv%A3}e% zK4E}jY=&}iR7PK@9HGR3pmnOsC@#P9O;q+o+3Ct-NF)4~`d)Was&9>M4%3sYS#}_A zcL5@2$x~djLd%gM>_Sa0=8rO-D>NZDA~!;rr*2L}fz*@gechXxBYUq)E0;5Ui~gec zX7r)p0C)H7Z>O);T~zECkTrE8Vnf+M%J4j7np~3cY*h6^+%4}hy^5^xd=z-u;b4Ai z2>o82$dfS{+wsWRQDAukp={>X35r^E!N(|>@FOejRr8nfaQFOBjA(OW@pPBb9YUGd zagb^Ri&*nLvQiqP1$-S@&dn2A#0T3=S2zO(xg9S20Tkn+(s>#~pE1)xm4j%{!sSpk zkQ%vXkv6^5g|g{8$<*BU>3!uwjT0@pGiK|rQ^sH&#bk0*b@ANq`cG0(8e%d3fG8eT z8c)ef_h2|s4h|Q_Aldl~(!LI)9n?%P?$Ibel#>aj*n>lyYcTFwtnz7TenlCW0=h=-6?Rc^Ezx*bxg}G>rZ&C>{#0oC7%(fo z*s~Fp9WhewGP`X*0-~o`B7!SLxFaa-I09 z{4N(}-4dzeD?$*BXCBKIug1FW8rsLQ2sDENOSNR7Buu+VLrK;e$g_iaYNGOaA4^WV z0^T8vF(s!*fkBKNldFyr;S=a+f&HTZ13v4nldcvxhr6GE*G%j+R1qoPc@ulim5qNv zK`RxS)`RNe;QCj}ueZiEU&mXx8y5mD<2#aQYST)n+|zQKS=XA^jFwzluzNi~Qi^fk zYTVd4%DG9#Z=!qln9x?yhE+i7IEU?L=xzjS4-L$&O>wH@vFeu-5sk1ToaU<+x@}7R z3f?HkWxgimd42~Sf(x$F<0!rD3I}^@s2~+FdxX~+VMLtvr=dKW*qJr7EU!^8uYZC~ zz#ovv4-p1O3Ygvu#cx4|3DEZ5Q2Bq@d-w1rsxIl@PBJB#ULkY+GJ|VZKiJr%9P(<_hG6N(#mpn~}*7 zx6rm`QRoUkUw$j8aj==V4?{IgYgG#omW}Mb;h^U?vSTu^nLCD&jkl0X zKN9grp}yP%>;;c2dZ+d8NfCE~zaFRT1vOxGZ*-E8Ufg?i!hMi1{@Wo?HnNy4<`?ry zy`mYZx$7Wib;P-C35-j*czDfyj`>PZ>8_Lxmxt~eP~MZciLaLA_V<}0y}>s+CN$k} zClh}3Jwy!^7@F?eN{QQFty8LI%QtPF5JdFa2wGwzr{5;4f~>rHEpZpy{^^}RbIN_h z_Q-&8Ke_ZRsrr^QU>lzV;Zh|2X-9P4qa&Xf`BHf`QVTRpB-XeF3n`xr*Llb|V^l*= zGUX7Fzi^t+#C2af&cOCe-#Ef0X+63MNx8GFy*YTAp_8w6aE=TT^=CfoJ`^2V$$hlYNn>Ln0zJl8~>{tT&5%M+;Qu_(v$ zWxmaE)uXP-zb5;)3{OF9{`WCkMs%*w8FyRIw2k5l$~M7%$&=0-K4=hr@C@ZHgbbZi zm5Xt{5>k#1hjM%Xy|!0kw=Z@xM_!zJhOk?kKzs{G6~?loQK??@XP-5JV4f&&-cUU+H(O+J~0#!t#Gc3B8b8>`q)s z7Lp3hF;9mo4Z!-yx4(0pXL(F8lav&aEt6xXl%Xv7$ZyU6G?tjirT2*No;$Z;GS(n> z^OjG^b5%rZ?(DXDmVmriv%vaT*s%vKhWAZIaq;37G4H+xGJ8LQc0J38RexzR$wv(S zkkx2)*DifbxQ`Lec8Nk21+m4`8AeC!dCm<|k|$p0eTTR!-jEzxVGLrhsu8e1;>I&* zJCZk1S^sCv7A&3~I4AVZfMe zUW#%by2eW$100uZos#p-#L6+TsxW$0PQ!zwJSqx34-Hksz%=DU-v1D{cutC^ypwh< zFE(oT^1B{aR_p8%OcEYI$p^9fv(E{BWJ#XC89fz3@%m2j=)K4Ges2qQrIwA)5H{A{ zTj;&Mj=V7vVV{wJ!lz4#_4Ly@r1Bimo=GS=7p*;?F#VjASmRLMNI(J*-wI~mC@1B2 zjj6hyE$&HdarzC{lpka3XA<{_>-v#~46Occ65Tx!V8D@)D)V^vGJBmj{K(? zKh?S}z(5Wh^@{3A@HfJLoEh^)l+l^Vr#ko{ z9>W@kr=?73a#4lU`9B}VwkR#G{I0~oZdaDN_@q3?$Jem}tJ>{LRi#_J?x6=$5G4g>D7YR)_Rtx5@b6GD- zi_2MzVHOxSFxYT7BkX|Zp#WNJ<>odgs8DI_S;MVz?a@&V-hSBadNuDMWI4GLo zUe8_Qe5be>Yuxh_ zcKC0{5?k*$DOOzQxINo5GZ9w^{?6||ZE5MNrQT?MGnZ`$zt{X|c{gGh>fiNQ_;Y_2 zape0j;@LOYX&aSjT?zd_YfbZ=?9^lu72B!;X@j`@`0sRpu%Yr6%xs3#8lcv6sgFo)^_0}o7*0XC_nqfedbB%i~OOrmpnD6E>(lq%WWlqw% z3XNuujr)Qa-pWHdBijlex7mG@I7oVkKIOfcxGfKBqQAbs@7NIIwnmt3eOqcEnSx(A z74jf={Tz(m%!`Kp4xcW@?GxuI@0b9tTZ@3-=DT16ZqJ1zt&Z6KuAV<=-mHT)IAD2t zk=ZzFEu%wlkoL?P%N^%Gx<$~7y&UO2+oW#dY>ZhI>I{LYw-ys2-80lsJq)Ed&aB4T zCYiry^SX|H*0U156CP4tesh#NYxHs4+7%jEp{Fyob`?y)o8lacI1GR) z{k$+(REJB&rz^<$U(Eyi(2->Y`1Q~z;!dvVeYSgG7oF(Yi2#QEV~7<)-4Ge7twVG( z|AIc|Ve|QX^R=?CHQc(^adEXzCTC?!ZLIQ96T8d9b+%1fRendb@^S|A0|LxZ={{aR zT69Dk9Q{}s0zZ*doyC?9CXSK1`FEkf3$Q%gCRvxTXVtfJ(AI+d8o&~yI~~!n_nC1(${#??c{7A3wuQ-#Q<3D?EzqJo z*D4E~WXDZ}EtEdwF0$m+wYULiZfU@!7Qlbb7EE|IS{!!&6m>>IP)T6_6bzKO0gV+? z0%SvNX)ocrZTG`h1ENX?oS7ZD^z63B5WXDAf6(GiQHS1+5k6Xs5i9Rg9R4_3k)FIc0Go;vt0;=yR1@CimHC8UH?M^Pe z4fxO9aH$}=ra&kiY1?=a);huZMdaR(p~>XFP9Hx>jv~?9i){ab!BLmeqRP{v@DST| z$r<&tGwS2#BX>V=#vi3!O82ECRAu!u^pq^w3Cf->tl8W-rRa6?+_t!?!c4Az(O7ch zoza>%33q6Ji`x7mdlxJCGhCFe+;#wbb>wJ(Jm>1{T!mW;!?s5VS9kOw!k;mWtW&sD zu8FN>+>HmKnNtAfU2qb(r_eaEnN7i${qZDaZi+Tl<_}B!6xsY-qIs|EcG_-AHS|e# z98E-058LQ8YHz&XKSj=cvZ&OwGy%~=?9&??;pF`Y-w{qrOK*HW+R$4O-|$~V*ADS* zBGu!Ftrj)4z;^8b+Q9#6a;~-S#Ap2lnF*BTq9HRi@4kEttiB&Guv&aCKRd!zBWDYr zZW{#B_d9oC(pR;gi1}?)rm4A^zrp0xdvow$K{XG;N7k}DsiZHdP6edfsqdp~Lq0rq zv$T`sl)XqSw<%gC5vz@AKE8u$zScF;X~r-9guL&;DzgsHORAhn7AJ!|6Ti}#{Ocy? zQ6H|7;L@k0{8Q8#2yI)C3?4Psw$Q!v7YWcZhjzRvBgp0hd5=dhmA8OrL?^uV;0Vlk z-Gc5UzW|Bgs{6s>p~Sj>?IJ=S!HQM;k=x8qS^429j$^5g*ar-!Y_?@x%)wMS%Qmr# zFwHomi`*5XvOmc5l@X;ZP3~ryoN3|9S*3DX<=@U2w~;92X<$X(w9(=r<)q3c$oFb{ zC-R(5O{R})vk3BiVbWk0(eMMFx90Z%%bTj$#r$NtomfubCx4=aFG%J0>ZHd#7MUyZ zgrjWNFOp7x4(DQ+#nYvcEJe^V0|e$UTer_`}FXp`sT<1(oTn4_4iEE zFfjiKB2Pk8Ko4E(ozNgn&@O>Jvf+Fc7pb&SSj3;;$PbPci{Sg<+uh6wgV;hxbcSLr zWrzV3D+CjI=gkhU%i)peFYqJGB6W>BYr8i30~5h&Xzf~*4D9;)x0w}T6H1K^%`rzs z1*!Y+!vUs9x7g>Pnf`giP$A2H{XUlASevGy{po46H2F(O{j<1iuUY9$YdnO!5Bo^b zv1s3I6KamBljvxs>yK5sNob#nj_e_?V7waEF-1G68{18!ZTs58c)AUhPK!0Y% z(q=oHqFv=vv|i3uvU=DqW*9KCwijDgcP&B3Vm%GZ^~KR7voz#0MDIyvzV~O)r|3hK zy-58_bnZ?AD{^ekK$}5AAKS~>^VfRfl3~5MwksPZucv}mYZkmgbXAksWo#U?lrU|7J)okdr;53p0UJzy3JTRYJ87_apP#NFG?GtvAqZxh}a#(Yq^VeKOw-z5V0OWbFiCeH=?~+eV^PuU27E$ zr`(nsJgc^_ap9g~y2YqRpkufnr1KADi~XVEWWVrW!P4~d{HEj8kXJR9gmpr`*mc!F z_8^*By3%!$Rr@`A;_=Q7gZIL5S}h%;!^KxGyvnTpqM6^nh*Cw5dJ@2YptESzmXULZ z!#BYx$d_&desdA~&9*H5pdVannRgjoD!Xhq=r^PNjdqnh{xGrq+?|H`!HM978vhnO zTjdFp(Cp^(;X8$1B_%psPZpy2taj+JH()191+hY7uWqYutHv9>qKI($RJ;Cq z$4L(&WIIk?(W7tEPPlS?_T?lImEEghs(((Eb9E{#0gB3A$-#T|xd=}3Pl^m3Me+T0 zsz2YR$JL4civst&oTgpzA?=SFw&?_S+%ETWs&=7>@sqqc&VIzq7a&u>6b6>gQkB7i!#ER`m zo_!@b65O;WZ)>OjDm`MpFK7Sf^j8Z0=j?l2N#3&~`+uv|e|>_h8Gip%Isb#F#%k;+ zSKDJFw!7`oFW>CnO4srDf4Wyk4p)kLrOn!9izBtxapBbumevk`|D!5%t^ngZlK&U? z`HL$fEuGz7`1afX(Gr*YL|Z8?L+<~7igBeh- z!|(5Qvh9BmiP--$JGM_~C%#L+eEeZZS-Th~F{BI3!e~e!3$^R$Dt^dr9|Ct@H zOtQEf>6o!_e((7B|Jv;Mm+~G)(L6|uYEymDXGRo}Ce&OzYqHae`#U`K=iOcB%jZlT zA27K-^YVNPug4SHrl+o+6g!QdQ8%%6Qu~Z}7Z^8zZTFM!b+RqOUy=E+Bbz_+`^zF8 zO%PXi8YGTwE97R~HHmoJz^qwiGwNz4IR_69IQw~>Ioa6)mn>s+Ux`R`-kcs~0ir|l z4M^6N*G%(_z+=9ikeok*#ANrNh4~tZ>zVCK;ufPrBf;%Lg$B+fZA30()cNi!CB=BW zaLAWLVtQnkuO~4%Ui!W-i|BG(xkUjI=gaMBC|W>t?w&4`2QSbbj@-&u6eK#2%L7^Y zoj~VtyAd;*EFI8!J>H^I2;eI}Kw>;@`n9is#Q0n^3q7TXcgU?wCOTgaciDQ(9XTY{ z!~4?u7sfGMFh`6hrz{7mJ_KF1$D{s~Ux>GM<&>y^1%*A*Xp2CP5%GBJbP!g)na7&Tks#N2bd@Lqldn_ZF(x?FtHZZO@WV2A{KjXJnG zx2H$p(0r7}>DjaV0Su$4Y>J9;=U4~f-QwIHcMmlUcIT#{@1cAU=-k;J>>#g$_}0G| z01~mb|I{!TfMGI3TI-Lta=WvA*o2e6nbfgV%OvTzR7;I^#iZdS6p zbNjVFx|DxVp-=HqUUr3t+%}sEC!>@CbFG_HueuCP~H5_&+)UY`-48y2@x-QF#2U z_Bz`ZZM-Ym_R>pOXCEDItFwPE+ka8wzpS$YvF9LB*EWEq#jr@7=~(9i((&+Db&mCb z#>hW)57t&c*!H@PWRW}n`%z3*x~QXj48q=#iWQIsn{19dQG|IN=7}m`zue8<8znA5| zDB)k$&6($;#ZMQb_E`G>|MdqjU=`p9UsqQXu^>)tY-pILr3vv7Wu!@yrTFwYlWS+y zXlWQH23efU@my+qBrGWD5p!eOfG}PGd}_qeS^hf77x6D*LF>U6I={0mD%r@civ~b-7PD`k%ORJp)$@Cg_ z8!Ls6(e3T*M1nAd#^F`8HBL(_uR+aZUEKsNh{0s}^k&_R#yaqbi$x3&_VQpR`}5XB z0@v02%KHH|nP9FU+b465%ytHXHbMgUk@XjNl#}ltwr^so-bd(@dCzkt3BhTNHCaqH zrCnPy16dNR&#{4VeP>LYpcx6*FMVKb-Gr=2katbw2|^&FO&kzvO-o895hkm1UlQv6TC?<2wc)}wB?d7(GQesd`ERpjSF0&?}&)^OMGiYw6 zb`jg8Z+k#>b?H1^zwqp`ctQu{J_4g9J|br&^IUNw5^^z@m}r;8cvc|B7tSJ@l)&9E zJwRr(aOx?0b{twZ=UG4Jdctp@kSsb$!|21sz5xiRwN_%hz!V6PI-sl)Oej0`0E8i( z)Jch=)!mn-hsOv4SeREZz-YJ;8B5D+ZYs-*LT|waArZ#aoC+m^KxYbqG*d9xZRD%@ z2TTzSompDi=s5c(S%4893t_utOU?VjT}@VzW2FMJrwcq1EOWOAsq`DfrgvfutCDE0 zz;U_x=b~x4?<=6gtSYRvFRv)z`UeWo!*VNI04WelvWir~P6?{ki@+4?=GNa!pQBUZ zy3w_C78Y-0tAvj@L@OfHbHoIpBNOFT>&&?Fnh9CVff!OYa;y>G*ofKo-*nVqNm9g8 zuBG|A5Of;R#bqX99ffKs5lV$Y?IZ}yr$ePAZ6ZN|=`JYL0j@TgwPJA%B#UFpFz8#B zZ$KF8g~@C>BuLkwyHgBAE@9oN3LDiK{zM}Fj*>5x`S%c(CXUv+kkWO=1f3LQo`Z3u zc3f}3o&gpv%XbJsDy*R2$f@)lPb1OctJ%!4Y;?|AulHy~JgBZ{dJE+|q<6)^(#gsj zh+(tNGE+yF)nvxZn#`UR8}hFqpvp;NX3;LFS`dtmVQJ1?D{AQh z@uwqi&^liRQJ1T4mUSoGkEDoSphsmwi@cVWaWeFmQ|N=%6B~X}_5M|a&Te^+{#tY? zhTTl^8xF*@$NZ1tHC(sf|O=#P^vw2r! zcbF{jCF=-+VhmI?O67&07&gW>=b5*}@dx9aCuy?m7W*|159f;p`8zt?6C|>nn*asM z_PB}$7$$d>bFF+})I?;QUm@O0y>g*6s-ld2B&Va`RIPCUckp{w9#cCjw{BbsaW)ot z2#oL}#dJlK=+50VZUQMoaB;z68T>a9q(#6mo)5`;>pl+KBdDyN z83S=zJmEj(EPLZvFML&di}5RrVggsn_hK{!XHWyF^I%->u@;r;i=N=n$@mh<;svHH zkD)z@X0Y)%yig~rqKK~{^j7cO?IHfj_|QY!2lMyEqc4*7F1)SWjqF9(f3yODnN6dxY_U76zxLX22eme^Vn!9dQI7@yB z4#`>xF&7BPh^{tTH_&Y;C`g0W-^@8WI)!F&0+!Ol32?uCKbK;;MsOAc(*QDKw1VTm zMf3^hzhxN3_U-eVNXwHT@n7g{%TOwrtW)q;o1R&IZs%j4m3|FXV32~)bmSZiQnv<% z1h&XVsYTpFHObWUAg!jRxCt|AX0idK#@IbJe-aT@`nX!lS^!+2y88Dw9bPP{smp(U@-6d0UYN#!CkC~9xwMt(NWkDw3&o{jIkE-O1M|Z zId)gkVq(2T%OLhC+>h!CZ78AtIIF?8q3bA9JXkpW~xY-AmvCWf}b7u^9>vFpU6!6mFz$lHIha;+w zQTswfplP`a=sNrD>d*B#5GU?+e+|z-A4+LgSjh6YFnOTJ8yzS${8J1Jkmv2JEuQ0( zu)2d1vFwev-svAqo=t3C2wmWicZ@WSjRYB^q`-jG0jOs+!En96ikpf(??;0m4iFy( zqa3I<5qTul!>HT>F>&)7Y!ORBVi$vyq+MW!6}m#Q@7~f<7-9X6D&BYJjkT7{C&&R# zb1exX9T>V){G9Wk+(-Uhxy-x&KRFe-^3{c_pQ=!THeMP4zz9fmYP^VDV+mMEt~q01-|!(>$ct7E@4n zDFmgf#d*@R>dBa)QRcHEug0Do#GgwIXH#L`+scgi;whfxBtq;X8G~6dMY#lLp~%;= z1mcT{1*^0a)^XP&2y(-2#9IkGR8Q~f{KT@F(PS&?x6P7~6S~3yTyYZbQ*bPlR%74v z;E5sv>=C31@cvEQjBavsiH`_NM5lM^$)U{y5q20vV9jn)5wIu0fUO6`b%EmQw}{vx z4HJ6mwA2{i@F?T+aTOy<@30?+FXVou7^@k0IgC;Rv$UIZU~K$aY@lv|Cu!bdxlEL? z%gZZq1;sz0_ZMTd13c)LiT6gpSWmbI<)R?PUQxD;h%d=9)l2)OxqgWVPqTU^PgzZv zinK+;Jdo<7_q=#XXGA4Z6Frq3|xVi1qNAe-x4O zRg0QvJdhBU!d1}U9tUY+i7?e)M!ZSjluD&y?Nd_Kk4*0?^r@IrrgcUw%LDX7vdvMV znD-?pAE|smXKU?hSf#VMQ5;Drl?=&xkwZl)OHYG&SDctYoyzhg)z7Iyq9+aY0EATN z?mML0>RIuUeUbeR&d;AzX}WQsp`{9kcWDQyvF8cT!8qEB4HA;M2Rsi(7k_SkKu1-U z!xnK58h&ENFC}@2b80>cdn8+5k#Ayyt@UKM`ItW7uBa}2vgHOaoqfwNF=^)>#}UT6 z;+O+srM_(}M&@QcmDuUCQ=m{zrMPRKo5u6zfVVVv2eZ z?@Khr`WwBUf7YfR0UlTJw8n$XS;*g0VSin*+UOXC)5AFoEw-loW*1hoS-56mJB80Q z6|9@{mWqp-KBf!Ri4aQ{MaCS)gXW(cFRy`}$b&B{^p5J+Nw|yj2-0E1Xrbw&_;UTO zB15YgvY}V;Do9gC#YqMjWY3|$1U7+PEZ%wBo

2Wuw04SMC~5mEJHsR>(b>Uuh)L zE%<&(S%^$l6Qrjtec~XwsG9hUM41{Vgw&*6y-WvqHbTM}O$(*a zPZ}eJAoJKKo(GUk1+5umUeO>zdoZF1+J;q!YBx;?D|VU#KrE65L`b_l^HC9n37k_4a6O zDazxJqmI{@A()^XV|+!d?Kx)t$*jDuW4*nlG}m3las{5t72<2YZT*`d7+#K-O6V5H zm)&SqelH~^SR1~>(jVtOL&$E>r;&9WR+{fJGoKJkrT4s1RgRa$b2~7#~ra{e2oU4!BLB`oGnASX6vvyycELWCN zHs)!&+X+ z?@5q6&D)DfL_NN~H7Jdj=c<{3F`(ka_VtBJvM>K_YUmSJ^htDSX-ikjKbSPY z?;+yLu#k>7=EXsOf47LHGOAXMl`_=%w49!abS$%^RgWjo{Y-BnRkOZYe7d@t#22MU z^V& zwMKZv`?}{=#9!BbqXvbnr4xz!RWZjmhhQ|JG)cRiNJe(X?G#mB7YplOm*l*;$A;mvyx~C2(EDgoCe{ z&pXUJ+`oyeHZY0~@T5e-9=R@&!EP|P*(>5WuyeDanAV%C9r6^z0A|GKwy$ygp&ph( zZ6&G1FvlgAao2jLMwK>M_o>I)%6g$uOFo+TvObrJT{5^o~62%e+W{9*B6jG@{9E%Zk% z90OhVZ5O|gmx@Vj*~lvYeRc@(uX5Z%80wo%=rEcg4uz*M6g81e^j{$SOFezam3k&d zd)#q?w`VIk z#rSb<=#XWaj+U#lU<*p^P{(|W(Uc{R;O@bCw4CSF+trVii#)t)fl}-Hff%~PL!)bdWnYj}%3ZPi>s>6dafa;z+-5kOWE>YuEx-NDpG~SX6T_-F zmI78*X2gKm|uh9*d@R`8v58NwKdZ ztS|F3nYS_HgHC>to+Zhp?C|t5`&#SdTyvp8D@$P$)RyLDv~MoT6M@WS`oBYjqjgFB zF2+mS&ByHAG}*`Y2e$C>v5cp)*khbq9L^>1i*?wg*PI%8lU!A@l2qJ4$3Z1)n0S(K z*TN>B&BwN3^u4^WWGN_F$--dqHU+n1b+l5uA4+h%-)~Qs&et}U);VXgt#WrLr8lbe zlq-G}5{jdO*#yR!U(fYK$HbvUE_wQU{Jc2J%y`T9NrjssMP6jS(-e3fM!>Hrx@d zEYs$5+Z|J*?TIXnF1t7B61Qmg6MtNhMM)680|R|E~AT(LN6eOMwBn4MaQ9 zAZE<_#p)`(%WsUL0VKo7-Q=yVk;ECeOh516O5`pujrR7v za;xW=4DZCkc!*Vd&>MtqAZ;~EXTV-InZPh(1yX!zCrI%xd}2Jw3Z{~#i-DJfhVU-W zCB1bV%u=uQbR&6ptC@vs-AQt4*g=*$zKW#{%5G+OA>Ov%#I{+O9*#Ip#u@f7IpLUM zIT6dH@iSxT2<ad0f!lRU>_l&b!PwUDM(8A=T}Ij}9(Wy-e#0*bQ)L-;*fhcj?842;p{_(t;P zW~QhH^N-BiY$(&`%{IKP7ZolKm!nH^5`==ifZPN*8>Dev^3 ze;+NducS^iMR42s=_#@Yimk4EUVu5I4j1<{M7zxwraVY6euvpxf1$UqYVow1ORn8s z+?p1iN~ZC-JEzSR`>CewP2T*3m@E|<*D%Q}_Ltlci_y6(-)1ox z?lHm*xE)mbr*V=WB@c6IR1Ev7P%{cYv|x?qd6$dbtzE6i2xDRzD{5*+mEJPC9Tm7y zaSatT7kbwq$7XI{b+YHP7_mP}=y8LDhed~V0xdj$3liF#C*g<13^A_=?FAok|CFns zuTIlN*&Z3#vd#Q;v9-hzm&x}@5K`9^SRP2KEnHPhi_vIVj6-2>pGN2?%dP}`$6M~M zeUV<$c0|)r&V?(omEYrOEj!ydoOUPud1Fv3Bv5mZvKqL}_(+D99Amqfh2x+yUqoqK z4Z>J~BB3{Uw{Ytuhq#iyj>Z%!7Bb&hBKg$$zVFG|Tbc%yO&~=Yad$%9Rm+70T4`ROQy(Hb9pl)+C7!KN=*sKISuT7>gCb8~*AAm2DYzAk z-zS#dWBF$y*BkAeBY(@s(4LQFqv3I#_INZ6Xo%Mu#GJJRWp(yf@Zx`@Oy6s#F4yw4^RXug}lHsh6E{R3UO*3PT+^vzPtbd<0&GWf zd(O$_=*g~@{ZyoWd8*i>`Ki2qq2k{fxKB$5aw}<1=x_b$$d1PTp05bK9;eJ6Sc20r zT9bK#-XJ6yp688y;|+01#@}!cWXRo!U%5LqLxQ!FXGfGgmmS&MzoNkj@(Mc0{<+o||?QX@LH;|(nv<7@WO zH-u8^t{H(oiIANa4CX~T{!EG4V3~h{lUsj)>Ee_1tW_k#d@))5dS1UkL2WWMjb1jHi zDxx^2rXFRY{X9>V@QqYxJdIKBv?oUFv6S-N5l*g2r3R=KlV{^{L!lEqYe0O6?pE*S zSHx3pJ6fflJzuEIzYSLzKCZ9*r1k=^E^>F_d8`JM#ZYiNT1~r&tvJ(zj3aLMqFN-t zG6~nCd>f4Q_aWR0I(zgX{$Ab4XPd|4OclhTjHa}_9~g*cobikg<>Zyh?k%^W2@AAS zF)-7To&u>ba2oTNUrvxxVN@0F;(Org=SRW@ zuv{iLMZ#*2_k!KbWck{Rv)L%vfEy|>+2;!tc~g`w3glYvDBfv!H5Om7yiRZ;^daMv zFEYd;G1)!=jciSOg#w4kqYfK6*xcH$Fcy;8SGOXU{(d#f^Fe2JyL`BW2U&qzr@u(! zg8v}ewVex1^10lZ&|f%7Id?sZjna?p58%3i9YqOnjmTTHWhepwKN-g8q&d`DkwK?{ z><03hZIs~r(VQ4(TpRm+nOcSx_q7+ML^he6|NG~$$Hqr&*|=HU{+{xWgyMdnZT`5t|}$ zxt1TfNO9OiED}z#T)ts_S;=oz)?6(H(CsKqm-K`m8*iu<P@{J{EC&w5>3Y7nn+E3qzWeZt9D^Co@#hI;q8G zp8$pY@i_ln!up{DLXpPTEhI3Bn=gKVR%;f&esJV|aFb!0EPME~W6+N@T7?_wGoF<> zw2^+p59E-v+)lWs`0w=L-Lw!5ldq9+1F^n^fmL@B%p^fl9i{a!owD;OX6oE>=yrhI*22Q@C^r&DKZNUSpPN_;Z?2dJGk7YgA3~LEsmG_c(W1Nid{-EX=jvb5*ZTfce z6A{1kn7on7T|x0TV^cggg_J|RR)C9W>v-WadNa$%>3x^D(0qTKyeXj#aPZeyusb_N z9NXx_PP-BzaYaGkN<2}U9zc7%)ASjQGZEJjxu`942tCXZO@phBM9Ase)3$lWucZ9r z_*HqdeZ-tPE@_K;Y0JH%6m0=&5x~TskN$DVmAhQI;*WDz-Ra8NE6@4w7e@SlX^6Rq z)WsjsU4OpumCG;ZeHnz(hFj?|XJRpe*{uM$c0=N#Lw#SGHg>*mVY z_Nw_)Mt?f@$AujYgAf)3*ZdEzh!h}lr>igcmu#+T`nLMQ+#*-t=d`O%wPo<9-2P~T zD;3{XDOYZH)zyDhlUJRN+^g+ctgEXIcjWsoPxu!pIx0HS8rZmzYWd?SJF@xLPG~wB z-GOdu11xoXX|Gg7*0cei+ObJ#9bYfwSo((>=C$>O2-2zJOZ$Z#-!5O+@ikJeHYilb zf%YJ@D;MKe#4ELt; zkGg5^y_bveugNZ>t^O_f<)`}BXxv(;|=A)~Byr)ZQWpyZgV1Wc}#N_pb^&>V%zlM#H>zVBYH|qm3Wl1Gbf?-tT0) z`8Y!Jd?fQfgK$mSmG|&JgYebEQ`^XT)tL65K{zttwU4D8qweM5q~q&<24Ngl|7BME zi=qAh{viC9$l{+DMTv{b28mCxHstlQi*Q+w!*$1W+m0hP$c6!tDY6}B9FOPQ@xyjg z`;?KWC8FXVOC}s5-V!3S0Sdqo$OI9|!P`Z_P)-;TTs{Y3D}v~QTWK7Xc01=S6VBkBb>_LdXD-y`be0$spvh!Qe-mlpk>d zMfrpoAip92ecENp=88so80kSGNMw7WaD$qt4nPeB=KygK2r$q)5@w2F58BPc>Vyc= zw?;?Tt8XCowm055LlEu9VFKoz!HilNdS>$Rmxw-1dNgv|;&#y4B&oHC+cKEXi{oq(HEHs=+p#U<)+PI_U8M+ds$YjhkZUt<$C^s$Mv5AV&u|bL_*uT zQ$$7;&dfsMthn(=)xc&aM25{|&WhkMvs6I3$SEcHSh3+*)?V-gcb+|_Vpx(olu5!g z(Bx^b1plU#Oe2VbfNfP>iF-m`7Lq&?g*$;fCD7IDEtvrb*m8=nn51z*e+78@5o8pR zKa=i?(X8Bn%B4iMS9w8Q;G2w?A8|RLY!o+{Jt{AUK*-{0CNv$P+c^h6R$o)+qSs|} zD7>Qn`t$m5#h1kl8As|5o$r)?DjHia69GqP&u2ym3qxv#gj>0W<{l+`AcB7_epO|m zwcO#r+Lo&DY57Asnxs2@;Pj4&oV6zBZ6IB_OexXcht0VHf~}ZSKA5z@Xd4M|T3;fK zjL|Z%YjNvNq~}6nFH`7Ank6=un4x4@ zwD&g1i_vUIgd7)PFUYTf`Y7qF_$IM)h3+Y{9Yh6sbLu-wrT73G!|%#lcPCoRgP$O&1*LhWdO55h!#g@OiYp| z(j;OkHMQw3jow)}=7I~jk()g~Q}{?b5KWiE9(2SYCT=O+1T5BF| z9iuGK?Hf36^uC$}`2^DIi|IHtT~(q%B%LB(xp2~IpPpKHTAc!4p^&U893$LDomIz( za9ema{iLN^^)#}%s49o3smg2}3>F)_4?|_(de}x8>2RK-bkOJerr5Oe6IqW!TkH4{#j%ZfMs_z3#9 z&^R;%Vwu(o$_)#0`o}{6@d-1Vzg0hU zdenjNtNTYT$6U>X*T5NkmC(WN-FZ1!%ur@UkRyGS>zPzkL?K)u>}I3H`H)iAmnf+5oawHW zr&_+y)8UrQI@#h~EtD{aZ?fLspM(OmTXm4QOVuU88Ul}K`@r)JYF2~~`mZBG1*DW$ zkos3Z4J>n0o5`>6|`^bOZ-U;ITVUZ z9wFfdp?7$VWuorFy<+dimmr&1zI;|xybP(|ZNgKcP3$Kaym!#2$_q*8dTK#zil+;y z*d>m2N7H<9Y-pyK;h7U9)__+$2%HoYJ^^FJOyJa@db;-Q&C)X!=rJKp?wjsO==2v58jRu zwc0;KHW{*nPvImR21X?+5sd6}m?9XFXx<( zsGg)-(}#bMHTK7V5=Up&FGAHWEp0|-i3WYR8DU*Rore9^lYZX*V<10r-7t=WzF zV$kVrS?4Z;&pFA^Xb9Z`x93`5$i7Z{`eVx$KH2o)PQ_M~h^rRF(mY}b`oa1PTL&mX0^(O1W`f^_ifswRJ$S8MNGX`UcwQlBJOiCQt2U|o+6(5z5 z(z$dwmb&6KIj!PWS?UYJ%v@(*o3s-)Rz&bKRe_@zZOKOn3YRNt<6!U1GJ|mFrtP zUsxcg<+`xiDi@I2Shqt>nExq$ThkLx{N^=2U=W8Qz!7qh{cSdL9T!GW6A*;P*T^hT_BUJQYx)(VAuEGhBt;DG92eeU&9ycPcF|#hr|+A zQ@!;jH9PE}g_fG+o%w=Mo#h+B(3z&*s=N|MD}%R^`gu&L_>AtNE9eud9+o2}ZpA8s z(3D%%>pkefS$1KJ$3;Loz8c5wW)BEE>sW8w`#SVe*h1XIp+Ga-<#eKWa1{y>!HaN* z`yf|=G}_c#;zQC*{|zAapq=H5m7LAm_2lFYHxAg&V5go+}r-{v=k zWr7HGR1&_VQeK>J_xJBo718*P!Y@So#4{=`nnJ_b5w}UPu(Q?F%YG5Z*Uzh7PH34} zB=pF80dl?1qett6d#}&~UlXs~PfV+Csv1Dfj$L&f?OX9OI>}VR-_M=v6ncgYkBnoD z^UgM5C}X+ujgB)}-xW6T-dOLRc@9{-Pi$)7dV~)sFSCn3NO_h-9Y3C}IwIR)b>PF2 zqm0hAzs4`s?+p9%2>-1vrgqYG1qAlg#m3U9h4+9%_(xzEU&~0Xt;nuQqbGq@SCNjL ze}uHVv5p(#8{UZ%>D&Af=3T9QW|D@hQvFJ4ymhu6nXS(*yO7K3&JMgd8neZvu~4XQ zN)o(qt91*MC|vyc2b*jTK?jbDZzJ3R;rjbJ`!U?ADtty8&R8{H)fF2tKkx*Sp~F;U zEO-gT1xW{`A8?eYC_*j*;X98? zw53r91n@i^6F$|l2`BnBn^Zp>D88F*YFaEi+hY}B}D& zKr;?*4DXVM(n;WG++~@YUUH1s4X{P%u2!hoLT$|)cn7DO&%-IW1{&XTC(Oe+o%R7^ zc(?I~SS8dgXe7;JLZ66PFq)c=-^a`chZR4}`(iCik;=324VqE7joQZbBY{ne`w?ne zwGX(6q>vS6m*IXiPrQ{{56))Cja543l_bg+bs=s$>#{Q`CweTcjaU^nZpzDk4KTS5KfA71iefoSp&-eTK{a&x1*JSO^ojY^poHJ+6oO5PI zOuVE|&er$8!lt^!4hYaF49QS%iAg37gA7U!41ZyCV8>ihdMVHxP6RVe+^@*yNQO1& zIk|(7Yc>c=I(9cw#g4-3;y5WIcSFb%VrXcXe_10D-WXOW z4WpIfIH6NV+0XoK(7auzJ0kKhGVn&|o4)?N#Cc2T=B~@d#Y^tKE%Xg~hFUvLG+~EQ ztPmc)k%ny=j7c%9sv@+a()<%pLhKL90Q0Esufd_@& za*}XO2oeX-fb^yGg8ZB1Hr01#wGZkiJ)(nC6Nq>&{S~pfa)Qt&kJa2g6Mi9)mn7@= z%3R(E>&`Lvisdx?qa*Kscm9Zw7BW+ALCxPG{wcJf8Ew;gZ7U_#N9Y&z>-Z&>mcCP; z@Si1G`>rs?yhvkVV+lGtP7HEj8M{3(Mhp+#+-2$@v5nj}4H2w>jwe=}{Mi*g!Sv5?vSduEozUw^FDGpYqFBbUNK1`64P6W?RacIQx3fb`yMY zj=Iq|>H~3EC}+y;Egi`^v@9m8trSh$_}^+K&Jq%>wX}nEI_xM1#4zbgnv)%ltAK@Q z!6rU8@71%;u2Y(uULRk0H#aDlz8shsRjh_!_l4Y9@DJ)27%iU=J0~|0dQCooHUHDZ z|FrD?m2b!NW+5vg?leREWq`+1iPh_+mhz33e>>d(4vO}=fyR46;oof0UcX&izdvnt zy4?+?q&woz-}8^pIPiUm@WDq2-)ig;Y7Ey6$gx%9u2R z#?B8ZG5Ias#7sG>vW^Enzjf2`b`$qqKi+=I(U1>2Oh1?PVbH9`O&@lA@#pIwb^<^` z@VuVECxYj<%03aYC~Wg0zlGh^f#T9$<%>GMl8|i+D<5o2312g&I3;4@zD*xRyf*#D zM^9{=A9}LO)>YXj&D*zbKG}8Z?uOECli$1R+kMXoOS8!Rmt0FC4m585Sb6W;hL5G3 z2ltxweBT)D7j>-d%O6Lb2;1_B<&$1te-eFWK<7_;of|RkQ|qOiEuY3*nf~>sy|2yh zeCo-@RpU~SsTyv4@k=SD7-~lh3L_kEmk4|ex=7XEO)KYj7~`8I}vhrhi4?0izf*@O6)54hr+ z=U4VK`Q^3DDq66*=e)tKuN-SB__u0&Ije}D+BSQ!+3;!hQtPctV;2@reEV$1`bqD^ z&3k6@!5{KI9Xa%;2=#@-zZ(>}j`IGB%HOQ#3Tk~U1wOM5zV#)Zs%haP~KwMvg2j_S;-({C?Z+;mv1>CCi_QlUUH41;M{Uar^yj z8$-Z@v(7f|cSn9UM-FzK@cZf5l$S&Lbop>#=eyTe;k1aeW9PjX>$kSv-tWB`Y^d+2 zZRQ7j5VX%&^vjoHzbcA46MVw{V06zbiGBKzxlrZ{b>IO{aT(F@tVjFJQLOU{?W*!y#qzc!_1Slq(_bH_xp z{jAxPy7ZO7x86Npnd!UBr?{En%!!emtR=y(FKat-%DAbsp5pj#xhR zNtV?zi<#DLDSPVPr7f@YV}VNI&$?)&EvMja;dkhvpV z@H*iCrI%UXLX0 z1f&iau(et+w8HPUxDBEe<&6Q%M18QI+K6vLz7G*%Xm8S1dP0c9J)*oEC$y#`+M@i{ z02V@nXmeAs#gEWJ(n=aang@2JZAn0?i;yP*I}2eZ1B`&t*v$QPPZM78v{s!ufRDI# z`|sE^WKEtnGuP$C<#D0)VJ_m)H$dfPe0a_$`yYMzulO1(5BTdiBtlFSW^W^5_~URG zl8!(9pN>EMA8X4`qcK%bD2DcA^rKvzjN{aT<*YQTyo75LMP>{4{Juk z8j@?r5wdvSib<<*gwjlWi4^tBRG0+_?I;?^FsV5o*qKI>NTH80WgjthB%vnJm>NOF z79>ULDI>QPr85E!DSmiGG4smsEaQn@Qdwajf@qvPm={H3L<%p= z;|G<9ZyG~7GaPzO>Hx zagrF`MzkAK7%J>((2+1G7Y7jGOT=sUbn5L>UBc?tMVj39q2{DtDLEB*rT*8zWB z@E3)@F#NT}Uj+VwO~$b937{1I^-KVR9Q2Vl!Ub}sxf~!HWF1)V!>EKmzx~v&^(8}> z|B{V@UveXA@n2gSfIsd?D~yY_RQRo5E0FT10HHZ;V`@n|Dm=j@2?0h9S-ceB*NXI{ z^l8dVt*BAyMQ8^afaPZ}yy!#tJXHM&2?>opG!ywkM?NANNBx8f;6y&}5VeIxL?8MRrQV+TB^|-f{Dc~4 z3qO<|Kph>T-^7dK4$Tz&$RWuPmUn1o6Y9ttP)%FVzJ7Vp)qenKYw*CU9y8TZNQ~kfE(|_fvin0lEV}m^8F(R%D#FdXEO1AJ8v)EQ04EGkXggiAh7bk5c?GiIcbWA*+o30Uy zjJ^KDh6c981%=ayejD;~+yf-1;}Azz58}c-$gxTi#nog%$L-JJ^ao-IYV8j-r38bVxsiOWq>l1WstjbyzfcE_r+Acab60EYcC#Z_?f7~H?upYm37K``N*>q18ihxv+YP6t|*My!&UO9U%4tr1C|g9V5yy zB2Cv6TCC8TR$SLKQTfK`ZxPS-@`M0Hv=fQ-BWub_Bw9XCqSI?guhH+4=uabY+@sxU zkQ4H(#Fa>ibuzANk5wkHR6CzPpQ!jHs|_@D1);d?7}rbNRscKe3S7_PIFJh?iG3ll z;RYgl^;x2Y(lYcs=kS;Koqvf)Bh@ddww^|=uf*-n+iCW8D$TR>g-aJ#<{iJtTti4) z%KM*0E>EA|HCNPT6Z>o;t+)I^#Q72b^u_PZ_+3_s-#gx&ACib$ryEFxodyoUp;grx zhC(=nosMsaZ7$91yxB*%okKQHzJIIBzreuTZH>y-2hNg8hMTdn(y{n=E_AR>g4agS5(WpRM~IaU^z)7RK;mnX*JI z5NKvv)?oVvqLmP-q;d?2#mLaPQ}Q^ICBu*IEg`r-EOjJtp~wJ7JpnMWe-NqP zqqa;DeDRrTRVH_^aEdS0R*(`xnT%pY2;aK}D@>ra;WX$r{Qwti$x|$6;K2fra)}*{ zoul{A?o@RzMPsfj6b}lKvAysLeFSjxh&(**U#PwVXCFaqFS7-~_O7JRP40K#@Ye6t znQu%pxZ{ZYE{ZhhUC;tpdVn;{=|^3`q$z+U1>i2uq@c)|){z-yY%>(ZAsLIADJXj) zk!mbORGZ{mFv-_Gjbv{mrX$))f`nrL>_>?EK9#R2{kgy^=vG8#3+H>B12DBA86(k! zQ!9z|occB?>aV>^oh$>a9~=i7Hda^YUlPV4dbb zez>0+N19&c7rctC8RkjK+GYh4nXpl`Hhsm?zQSvPE7eqebnW0AJ|hS7y>| z9zHixT}K=}1!<$?%!{C=uG&U|1Qbg3))UQfo!=Z9&wO%Ur=2 zlJw94{Nk>i(xMZNxy+6T1C;AZ&=+Bsc%$hWjl5F)kWgiML-X+K6aO&Lsd&rkG6|s>>|>uj{XcH z7{8E`k#YLq(_Ce5Qscv<5qSB`0f%jAq&jzGek)UrY*~W}3pCQn*dNkqbd= zcLa@+)bS*#P71ZO;=lthit>)8vBI{oRZ}={;Sw#!kdb3(SVA`EbE<<@O(V{v4rb}X z00!;>2|*iid+`9K_9c5GsAS7)Wa1M1mQpOuIBf}0@#X*~9t`;bVrj-|OO9YGq`3p_ z31sh=M4r^d_+`v=Q63(2MA&5t{)>JN@XtGT$iC+dG0z+9a|w7MHjR3p>zv}HS_0ME zeVa44TK5K6+MY%1`Ff#RlvqOwi~_#v{J2ED&+xi=q6*q?B)4@IwfriGZ;oz*pZO?_ z7RIr-H0@(U`NxKnuM+K&q2Q81TA?Pg@Qy&v$F!z7Z=Kb2)9~p{`!XVr)$SRP;_n&u zdWc<6Nwt1lc0VqDJE!@ud>`hxuhZQA4b`p%BDKKhE@DC9G=c(`eOOf^mlTo`<3HBd zs>Q#tXe@G2Z?&0)MSu?QU;Ez z$syM3S_r!r!cO5L?SlkKJm|PdO=lsB`*D!9)9JnG`fEBH?s0xd+Cn|kV*&khhFL;} z_`8QmftI~?(z|uhKxq<*N&lY2U<)nSoJ7%i2n%d|a~SSDBTp)S42xMZg!IAIo|yJ2 zd=zdg9Y&%eK2wbdDfF*YrMHwiU-6^JpHk2BF~LN#Ioe@!trTwIeZ_3$bhG?O@DC&_l$jpMx+kMRod6ZH;O}9(D0~lr8g`i7|BdGV*?+Wp2PUe zVE?C>eAuUiluo5edbdX0|=5zVFmSWjP#i^EL zl*)UTSZ*PhCSqqY&fk!?b{#rA-bk@)E_Dd8KS9f&r#wkgv3J)^w2>req}@#lp2f}5 zmP%+N$A6&aV_BbI8gR$-U{dz2BlHv$mQFOXllX|-zd1@VRKS8iNZ7D0m0gO1? zYt8Ics7N?dJQ3VTgiDB7dDvO|jZXfJI_3~fWbq*`_MN?i?t@P=ix~P^d@|O zbmK7eq@F~3oh7|4txzt~^dq-l3c$6tP6}mxm{#^e3F(#YbBPctlc#|ut zk7Wa>>OdgLNN5>&t2*@#0V3l%9KOeu!G=LE0FuL`GK@w|Q07v(Z{9mp+5t^TzbyJ7 zVC_w8?@;#?z9Nap-)prjqn1_aHATH78s9A`(9Bh}4BbYDj@L4E4Vb`D%;eyZcg#JC zmvJ+QI+mBFDm$5+S5`vQL?W(NPEzPEb}0KP?$g|(U^aT4(w=U1lj8x*+zVGm3iG3Q z`!HgAo^CrYS(F3B{TY=nsp0I@df-+az=Z8$#-k%lOsb8cCCCf4^rzy4s`E_jsUDz- znb1jrt-gU1!=oe%PLIIE`aE?j2Jtzym=tdzuGvJ`Eje9~lUvCBExM*XoQenf6jkDT znqvv>Zlv+EiIz;0lPQX1AUgxUkP!S;rY@v$!xbxEMug&OzT`TsT#uL%PJcN^S*GLA z>I1wL>?T!hIP^1nCGa&~v>WK;Fz(b@tOG~|-uReUnL6FazD~brxy4KVphXldZeVDz zX$z^q6_ofyon=}&zb;);mF--^btHQR~f6?8)U2yAEyvZqsRH!0jrqI}gC$pRbrYGdkQ zeSjhx$-SGn?h>I+`T;1e3}A&xMEjIwf6ByT?v*FQNAFYsP6w(r8g<7C-BS~GQjG75Vt0SlI_I6bx!b$O~M?W*^ zxtiv*q>xG(d7f&q6S@J}4<%&`v3_uH4j+%TLLn^%IJf|{j#%n+O4+_4m-qStz^giV zc>|dFwWfdgw)lsyG+yh$5_?F4-TR5XP_UZS&Vu+uR+E$iJg)(jCzAra+n1THTMY+y zZ~!Hd8rgf;SoSN4b%TCpV@Nh8!htbHPVCsHXHtMDLyF7s`9=C{Dts;d zh85k_B%f4B{N>6-hGC$+71{Bv$m9VuvQ<+FF_m0xMIq)bojCP1GJ1&8ho-l%3}tfb z{4NX&EHq)g*OTeYQAV1|h*)O7LmsUmxKF~|XZDBMaTar&*^iT?HW+zxl=kc(WVMs5 zfvj%k{F0Y~wP}WoX$HyZ{uk^kP@^+Si1{VuK8vgn1MQjAwvpETlJ%mrNBNvsSJeN= z)vhNQD#L^yv|kxV$L!Cw%6J~TP zWO0A>obh;b&OJ%*nYWXk1hkqY(Qn6GJR>S$s5v}T1WKCcH+6VODb`tfHa-P`wvZn1s*bZhiP}@`z+n-|2+D2wrER8r- z{K7y^8ow7+T9r!O-h&1TJq?^7*gB+bWRo{C*CNtlfi>T)*J86|BDzockw?45L#cfc zk!NJS3|KZQ2RON#_A1MGl^y(r6E_}j?;}2`Kw~Wgs@fM;Q5$R{igryXzb4p^Q`>6d zEYpo1pmIKU<4Hlva1RB(aSRa}HgDFKXxj-uH*J?r7TzP52XYlK-kdUbL7b#KL;IG? z{+7c+$OUV|x19T1PO5V}!)#+YfN=Fy*5K(<0JAj^+&3PB5QAyXp%iAIxJ+fckp4mK zT!S>hqUn>?MuPGfK)DCyb*Y>5IXc`dSz@p0OlGxh5Y{}P>MP`WFX=fk7HsyjUg3VN5n(wH~Iu!FqZCx7{{V*1VagVHwH{=YMV`BhXecWQe8Q? zj{;T1{fMMr$Unh5hH#XoO?2n!0wZ=3^m(~L3+C;(AE%qclZgr2rnF=>tla~2+f|>X z%5nnbTBtLRJAB4~c`?aof0BZFb{x4Jec=GJmk_Vc5f`8Mi*9hM&<-#K`QwQV#=+-J zho3juU!_T<5GCW3GG<3dE~$$+G%u>af7A0^?(@-H)visnyWv+8c?mZka57vDd-aG)wvY! z9$@YRI%ky^$!X1O7FKzLFDb^T%0uY(Yyybil*TFov)F z7^#IYTslwE@tJ8$bW(PSHSwbS$b+NJf5TCbWu-3WlYk`GP;L#n7y!uAr2RX7OSkEryb`T}>%4b^c1P3$h(b(#OV<-TsG-Vdd~ zz8V`2g4{yAxI@Fvr+jM8-wPcsk`&ZX_Y0!gC%+Surm23+3A?`)XX|O5SPin~I`*Mj(2SVXU zV)fN}vx44i_Ls^zCKu%`q>(FhJMd(F_2k0N^e}24g4!>q`sDx2Dm;>CTSp+gYAbCj zq~V3?Tw?xSnPe=epja7LwLRS4J)BlY0_!|TM{5~aEI11{uxb;F)oVu))l&f|dH> zv(N&wZMw2RpHJ%u+J$jeE{)4X-}b}v7Ys*lH!m}~_rn5s!$qS)^C*K>-d>kBvq|_M zED2?X1L84Nz7Y3HoZvQU~RTl6Jkwn32b>(6~{d)KcmBW8noXFn6$s}9<>R~0=b{0 zUMA>IJ`g_(J*tQ!)?L~qA^wt3F_#o%QXuA%P<~05T=5WlcNlt-at8=`k4=8a0N5=T zy}h3t2Y8d*c^oc2kh+8SG6qrDt(=4o+7Sufo3X^R%uzRS>a#?AMp@SmOSbM{JUK|7 z5>!&O&|fx5-MxJZs;gW{z>DUt>d(Y|NwB-fWzcC5$zG^Cvr?fvC4en6d;bSlBIg1a z_3widR6hliz;^XZ0(QjMulGor@;<)Mk{43(gmQ~V8E~kF2{Mv|Du<6flcYW(vDXAC zMs3c*U0_--JNDMuF^^xC2X?f7PvRfYSh)0bZj5^cN^=a9W)C+yM>O|x;$t3zbO0v; z0CSbMe;8X5qW5(s{9Egp7ypw57p(d}v7moIGx4Sai@%?=9h`Fq_h0zX5$92w9`hkc zC+U<=yHlcDz|yvPSubu>;#W}Ny0i2P8|E~C{+S-pkq>Fv$*uF?BM%Q=z)*aTS{GG0 z`Pw?jb?kJCC}|d#o7fjR93le#;=_B&5T=iXJFFDUzUaThfMM|`_r>L+=&d{Ko`>tu zm+T#!&T}IfFmZ>KV?6v1o^wv%cN|x53V(4OzF1utSF!wzNDBn#TO``C*XV%P7iwGU znqPh3^noz^wfGAjldY?hUgIfnaVK`66M_)U({UWT?OE!4x`p^u(+VzkMZL?TwR!j% zJ6m%TrKK?A;!=wzm9ccj;G*5fhGTkzM|A*kclH%amA9ynDHW8=*CWZchwVh1r;iCDItd@G0SJCQK6vJ3J zi4j|Hi8h_YS9KaOt4bMHP(mg{{=*6Qv0i2MNurm$X!e8YYp;{xIP8p7y5Ai3pFiJ6 zg~)?|{fIZaM!WGkVET-=!(MfgTsTRjO7%9X5bt=cXDLosHP%n!z30X358&i5_fvkS zr6_g>mQH&w7Q2ax6IHbCWLME9;KyV)k*h?BG)HsVB3P8ea0q!pA_*_V^#2A_AoF5f z1v>l~V7Q!xEq+NZ3pc1A56MKOj zL@t%aU&M81r~(Q2HJ!Bos&@i?igB_EGzBydV+h6YLhZp)UKeikFsZv@;k@tFpzB9S z0noULUiDN9$86H9KAXIZ;imF#AL*ugw7eFZY+D3&ABXfU$k`@r-y4TML$ln@dvMJ7`q~LvIuSFj$S|go{x= z-p+w9rBB@XG!}Teo<1;hj<=JK$-P;B>3{ae?IAE8I6a7Qx1#COwfA`Ed%U#T3;tjI z0f%kd2bZ*mI9bfLnt6FI%~>^G0B8Jq>WYtDqUq%pgCMMudK5EBP{g&$L~4JA1l8Ne z`^eE+Fc%-pNuMYiNva=%hJzWo3TD3ymY>1yoh06gq!$msn^w{ARj{R?{ge`K|6o&= z?i6lk-lvhPbf#FlAuVo`wvR90$3w>0E^@~bFp>%}!uRn_`}oECr2USsne8@-d#U(@ zApfqpg>tvhpc4Beem{R zajerS26`_xJp+wMc~0g&sf#t?V#@no%z8$3`DPxox1Sy+^SwTPPdQmtIS;HvzA5k9 zV8(FFxW^U7(Zi^4h=F$+1t)XM@6VIh^2QcY8JPt>b}3OlK9YVL&5o> z*qMoWK_3*yP4X{QpvPBg154_HHQ9N6R5YXExl%@~kH@R9FK$Oel~KyP0YpOK$H3^* zQn{|v07)M&pJ1N%j1F%W%IPB=Bg4r`o%$U9?~(rh=g4?;#V4vmUKgxW#0ma;{7t^; zM=U1{7tkpTim_n2c=YS1LX3z`EY20;qib3FEUn=2@WN^F4o*LP1UKn33()D-g}Mua z!P7a9tk;LepQ2G88ag`v??Xd1an9vWPin0Psr~LP`rn5JU_{Cd_6&`*{^^}FZs-{^ zg5kvfmLgbAcun^x+HZ3(_n(&HTv;uvbS1wgn5%l0w0K&SdZ^&C@7!%^P-9bpu&qE^ z>7Gu?meK}b!H;T7Y3))P#i@kT3WQSyg0!L@tkh>Oh-OtL6Wd7ca;gcQE9;jV@@ybg zAE#%q{0%PQr^Sb$0tD3~4}(~$FAQYZ&~L%inWP&*GgxH?lNO+V6$oy;s3jO&35JSg zq+limni34h6Aa+Act{RUUt@JvbNs|6M{)oTDRL=Po#RXC4qkagS|l6g`Nd`A;B=!j z+TzPsK|k8VLkGf07nO+je2=w;7+O8%_vqYXm}|Auh-cZqKXTGX4uU#a`7m4&xxks|H2 zT{niS(Q{F)>7q2$9nJ}jkvwu!$3R6uZUY)CLZqd;oLFCK8pBN*qgyN{#-8*MWi_0J zZ-Us#i13l$x3tltfi9B07m58H%=JMVJvCh<$U}-pHbTc1u%-npX@Rs_bus5vS+d3s z;p|XTZqmwEeBgC?jU@gG+i}m>WjMho?V+Z5JNeVy4iZn!N~G^c9^3`kCVUL-LWNu`~j zuHtCEaxqy`L-A9%sMGCjE@w<6sT&680jTFH2(-Z{uZ{a6_7F9{>kycn;4N8kk*GR}l_VXa z?280T3TP|gt8}4%i2}I%XkM)#$s=ijP96yTXdY=Qja^osp4++h%Gmav zc%%j0suGPsr|s(l3&6}7h2K-*70*;GgqTMtgW&!u3V7ycM45tDkvIE5Um3T=H?z-s3rSzuy zD+nIB)?0DR0tU3)`a>)nNoMQ-j-9?j;apNZp8|Q2$K>}nw(M5@X7&0$quY7`{clzpJk{PdBEm^HZZB`6(2Nk4-FP60|bBt z)&a}?jSX==+Bsr_neGKOjCK+$(_y<0CntDYa5;e43?;3c?rfaH^YpbE^*U-Z? z^#8`7I*!4h9k_D$}ayOa*n~pB+uA-%S^?eGi z|5*E6DE(ZJmMCe|8ho&ZChig6b=yg7qwYlYr#PIzvUVhwDr~

Vl2XqhgG*{z!r@G!yWtQ<6)>QVz&1lGkN?1*3d?1 zavEDWjrMLd{rF_S)F-cqK}?qDntb@%k)LT*^aduLT_kmx9+`$Iw(0|_6|u@920rjA z@eio=x`ts0WGqnN2VGCgyYa(jNvan{d}78pUHGT40NQoAzjZ@dQ2|~%&IJ25l2OET zWggQd6OeEzuvCwbJ&dThb^dGoCOPfcL&Ai6Oz==w8^Iyvjo_rsj;S7l&>?Tuq!E~J zrPIepa482AAA0i&rpxvgo|VA6rf*WQ%Ut+;j49!zd1;|KiKe+xdoh|Ue~KjcCfO)fiZEI^ zO}*kL79n^JC)6*=UMYwUEH{q{Dj;!14z{g3b!2sjIHOzc_E!lzS%HMqs`@9 z?Q#ylxM z5A*S`f~a_*E71qtUD2lPWJqZ{5vA7DNKB3DNL}Pz;;m80F5k%t!5%yfKZLbbUjtHd zUxTB9q)oIwW9h>c;0}(vrUcaNtz3F|3!Syao~NdNWjv+pzMk5Xc2+3@GQG&eXI>*w z&w~QWMgy!wh;a;`D|OH6E}pO2^@59yM3GB1DG&T$w!(BAEnXk>-d!%^p(Kc7y1ogu^m z^O2{oLSv z-8Fv7#N1vo?ngEYfw+H2#%X|o&4^Wu#2&vMd{nUP>j0uh!UfflM2U%Fn;S4m4f(Tm zm(Gsjk0A=IMgJo5Da&}B1wEiuc*s!D9^1>j88&1bCDui8m0--sul^e9kB~1>^cKY` z8wnN{n1#Y?AP_f6<~raVY3g$I4I*xNH)&f5s5paR3|G!f1)scC#x!E zo>sK!eA9G3YP`~y%h;*QMT|N@M@}kc;RG$%#|1uLrVl_jwE>kEBllDTxjWgtovZ-_ zwOSB8Cp#2f03qd{pss_&Q?q=kt77!#x*kg=i)VzbG{}#f0}m~ifl*AcPxAY23Uk8nhhH`*(1Q<`p=ys4T;V1Fc?JZYECSrccB5B zw7{pJOUxynL3>n}L)u+E72YNGP@0;}yg$7;QHH!9u};!Q=M9Q<>IN;j3lUm=jYW2> zj$qnRF8?S8l%RP0U2-aitnOHq=VKnFyy+7@P9OESsRtO=X$kUvVNnsPRfQTd)$v@5 zzRgkMx5O7Gqkpj3joV!XuR2L)zT6qOCgjcp7zQ&*~MzG81uaQD*+v<62Y&psy9Y4z50C0Uk zO9&2R+y)c}l($&<4Xldu^q#vR%C(dzJS#oQVYt{n!>SlSneM`6+!3+C#Ja9#wown{ zNJ$=rO@ZcR76^%!v1d6jo|gc1N(p!ddfSDziU$c}&Y4EV8kq}pc;DIe9p zr5<5$J}Lp>=fO@vTt+W0V>$xFyZ}q@Iq!NDNX`4k!OxiMEZKJ5bk@4ME!xpX`4;be#r_$ybXm0cSvexL zhA5CsK=UB=-d|zF_WL{%hlm$+cw!C9km>oEy`H2Wk;^Sd^tJLlc6A<; zHd@Z{$*>1+CpDfZIqc~Bh->~Q0}JcbfqJxNxK*mrMi@RHK~v33)cwpYh^D7(+i1HjMnv8y@SG0D)ogG^rYGmW zst4o5BWpc^Xm0P;Tfd4Zo>}A(!lXN6Po8GvuNry8<_gQ8?SF>ns^>Z4U!wXUR!W=1 zrB33^g7Ul(&yXg2;)bGzTE3y;FWO39Bnv)0(Lo3(GWS=WWRpgTf$vWSV$w4=|I4Q~ z6`P&%Wdl51E_m#IA@1`WzSqFJv=JK^zN`d&!4pi1KnWGTez+dj zk<}G3&l*B<q z)MW;MauwdxSvr=Q>huVb?P?}%K*OpshO=F#_u=Lphn}EgIyj3g-;=C&QugR0;k%f1 zyl8&pn9aoF^d)O4~NenU@;hZ$5s1M1S0WILn z>@(lKnOFzZS&{86bQRXnA4%#y!OCil9C%A>6y9yDN!2Ux*5N>X$;_UNIC)PzXjtaA z$8P0gW1x{MHFEYh$==^+=`(_wL&RSrT8lT9>Je2nhgo$biCdwx7OYpadhT#NSM?1E zI(XHN2u*B>i7Kv*^RY1|Y>@`X9y34}v=&%YNSSobG?`+;KvS@EAv7Wo|r&qx- z5)LcW(uGsHaBzyCedq;yKjOVD>D9E+y=qAIE?iYQx8bA1l}7D0=eo`5_TzGrUW>0$ zpF46n;T4?H?4RjA%4qC&p?lE#BzBoRN zZuSD|TQn}7Eg}}UL&qtDTc9y=1UE8&X5ssgIe1#7c7E0Yi{*e6Kt4Z356a`p? zLEnQ$_-%!oYpStF+RruD54$tOSKsX!IohMzW$F%h)5(ejBzpM7paa}#QK%j$9fp>PO;47#Pfka zH~9KU4o3$XUZOLYI8!Ml)SjQ>0}S~o9Yq604IaFxl+QCzK~98M>yLNP8xk<2}^IG z#u;G9h=*t3Elgf@?xKd;Xo_{1$Dfdl?B9rcDu4Mj@yZ4{JI?Lg-3)u0lfFuMLYdDp zuu^DUTS=Q{5n)!rb2wgr9iGJSdKq5HA?6*9s|Kx--mav21FvLO#J)+rmE%)5jp}V9 zecT9I(?IrQ=2A~_6BsyZ=B%5(F<5Zp3#j^S1)?ZWe^2ZnC{s4n^_75NZ9#= zi{4>wFQeM4hI_9X^2cx>@Lqv~I|kOrtFX9UBxTs|o*_#r?cT9jl4bB1!qI;rS6o;!QisFSHWu(6Q~1ZVSPgk< zDupfWA@;Zz_|wV*25dJQPVZlnBR*)Uyn{1Ew6A^hzxGWeX};K3iWm06j+~|NurYFg z3wCaO=$29EG-ITyOSYGA^Y|`b6m%d#wl&G`XTF7!NbxXF)~hg!w-LN8;}d<59(oOP zd*NnT%*7p2oO1d~ukk8(L<1=Mrf(&B`U`d{TB0Se9`1?hYhjA&yXTQ8+N7|J%ofHoCC6rgxs9$F2>)&<@4=K(F*i{I9)sNfV6 zDxV{ofgkM>sERQ>YJS~hC*!2G5556+{+YgbbtHaW-t*Y z!7F4Q9IG&#y&}(y`JtJZ@cC>={3>0E^u7ahz-S8At69Kcwb!RWJ1C3uYCNWH^JQI# zc?|o~>Ra&Y*g!=1FhVVuXm5;u&s#|{DgiiO=my=>Rg3*}Pj)K`KgQ~A887g-@CD7($EoQes2UF&`Uox`&Xu{Osuy?cf%p~( z8>bsr%VBaoO{&nb3}a}95qets@#Nn*OjA$t=B?{!+&a%R^#Q$%u5DL(asV10D}9)^TbN5mpS>6$JZ1 z)P4CN{Fqo;Yu2q=9`i;a9$-h=Z*P>h47Jtp zV_f$2)LOQc!NgDq69Y_PYqdpO476qBYxAkQnp6sVjq7D@P#8Oq={)^R%n9%`Y^YLbY!30->8f|KcPo{nI)td- zTLC`*G_*$eHLu+5TQ!#6&lTc5_N*9^P$K-M`<$W0G<@i`gqNwfgw)e{sr_R_|_ojQN?0cntV;{N*R5b?RtOeNc+OhCuUM0lc!2nz$DbsoRh$BcyoT@+A z+(=}d5V0_^b}xZ3J+10n#KoxKtq#r2%~g=75$-zJmdkZ+Ly8CZ9{cStM%Zr~VAj>W z5dd4l_B0ANgl-I*&eu%mL7l8O&C}eV&^%s@ulgN!*L&q_aK3Y$!*xzuT zntz5UzdTfs+-?Nwp@(^@Zb|h{hF?D}?;XVHvw#0eXPBm;!nUE6(}{M3Rz9yoFjTlT zRDc&`Z%dpT!}JOKS@o38Pn7_4fhCHo`Blh(F?S?M+4=bdF9=m05Z|me7nNNM0*4?nTyFn_wkxi|$)PMMzw-+z<4}SwS_q>5<7Ysg+0X6vsZF19acX*#< zE48l9_|+J)90SWmCq8&TohARAwA<{uR%jLuQ(MYOZ ze{2Vhze_5CMOY83{~y}k2fm47`x~Cw%_iBjNt-|lDKyYRD=o0vg#;UHg$ThGDNtw> zv=NY2+N(&xR*6!jN|kb{g3_zu5(K46RsJblMd=l!D5w=s@lvlS^+#3IprELr%k!Px zHk3a;@AJOT=ly&R%XBk4f6kn9=FFLyb4+}LmZ^;)OZW+$sCs}$tuxwaC(Eu{5qLU* z@rBx!^tMQd2%*XsX=mX}2V_Thd2L1LIPcLTsn$h2gkTwaGYxjkToh3H?K_?g{0=s4J0%r@7{XVo||^ z{OH$JK@OANZuKa^lPGv9N}Y?XjRpTBD3~KAu{lDmu|+kHR<`I50$H~g+{=xAiqaNX zY_UuFiFE<2q8ot9yO9}IOz_bGQdooTwIVkwHv-eL|S#ZLk1s_&Hj>#U(#3ngUGHlWDf(AOUZ^H?^Sm$aH87YUKFd9a|W4l z%1gDLm+rBW-WFnTr<9MY@2DimB5 z*}IkwsUJ*IPcYgA9?+760vN!rC%E<`{AkVEwwM!!M{V6OfRl*GrHci(8&EwUc)kUN zFE1FH8l&345B|nmpDcKi-nj$SJr?}a_Zc$4?pIX&2Tx0UjaImCrd6x4Q8&gk2ZY08u zYWBH*(8%+M)lk_?Q)6J22bAEckUB+`7Is&=ypqWawIkK2^$4*yC4KA>StboyP}xB0 zy+&7cS~oar+ZvtaI5tScY^l+xVlaOfO&n-cF$mW6KdNDHgMk;<)f)!su%DCKg8hzvN@KV!&oddH8UtHl6%h$`%EG|N%CGHTLRQ+ zOif$Vzx`bTj~>E&&*!MFX*nslfv@?In-R<06T;h#GMuIkuO3a-RZRT7P9lSYuEYhm z9-lz#g2-;JD*US8QPS)*XW*(i8fhOPALUn7t8qZ(99{LpI{S`-=X7uwR%9G8)U)EN z!#AN%pQ?i1@h~ncewY1``!{_oTJLf^?avmfClYxshl9bskzvKrmAt{^z~4(Ts*bA%8?l(lf@jUtgy~Z= zKQN!A6nGplM1-0VWe2~z^t4!jCklIApyCCUO)vViQ_ zP8sH&6XgnEfW4wN>5$f5CG{5kH~unzTl+);iXIKA`acvEGuD`+54l zTvBhuG9S)>&)Mz?ZRv4Y_~CkgWChr`zT6B-^V*A#$`SZpL-K+s*dlHs@(QcttAfN> z@k+;$l!q<8sh|-Vz5wma7ho~PJr-!<_P4`pNY+1U#*hWAao1F-u8yIyx9x) z4M8IQBmEcuG$N*;3u#lXm2>%V?MZ<}V=cPwZQdxrdie)e)E3UeFx(og}ZT}hH2gmY*6-hz*?G~WkD0mB;Z zAm&+8CP6r1YVKY0HCg*1sZmL|YysJTJJjbWJ;T!lg^9Yj`Kh1u@+VL-bg5vjPP(%4 zU1Gf&UtKe`l7<$do^UR6P*#~qq=eXlW|H>;26sX)*{OW2_s;`!wMU)aro7FV3RN}ri}%y;0;ilLOw9YLnN zZ_i7bW}9h-H*Lq$3BQ=E6uXOX2lOqa-$H+!KxQN^Fo`rgf#j6v?0-voLq4vzC(Fb1 zvFSytbP10n-ofJT%$SaV@Ws<_zXLIn5zV-GUf;X%cII7aZ#WV^iN(>N7k=NH)Mo1! z>lsfF4>NO_c+|2c$=8ph-z=tBHYXxZ7eW=Amutb3Qw&baZ!t8(i0H>K4Ld%tXIS1# zvS#EgCzcPAti6qhplmLa{veizldLKBCAd^)ygI$eH-NZbA(kJK=vX6yDbvNdy!e~# zLww*^>>fdE|4Fi@+W)S*ZFnqK0bL+QN3e??O3unEaTo-TUBp3v3m;L^3EhX zyo)@RGbWlzOC6`u3n%`x?*05b$g+nQT}gf7JxQB$$6_2tyuLFhn_pw3qiAiC*SZAq zc9iO3e9>&(P>(Qvda`VU0Bslx2O73t;}`Cx>!?3zo#Shf9t;p`X?L8>D*C3^;x%ee z@TPdxn|sAU&*QqoCsInfJG!N=H2bvp#CG5GLC!r^_cW67N&G~bwUrEeebO;1ev4x? zLeM%rvCwS2GVpea9PC4etUF;HlIfJIp~t$X*{Dan+F>eqjubs?^+KHI6bvObzma{f zVG2+xi8x}z&m`mPe)6+);a2}E{dQXIiSAzgJ?j%mR?19c+WPqHCNk9Nwxq4`wH@JNgPUmrYvMVjUyD z%s)LnrCW?xm{!x>S#LM@%$_gjk!AN5jdlBapkt#N=EGC7^-Y8}kFBaA8Q+_%Z(E1c zF-=QIa6CAyrk?B@39Af!%^JJBlr$Y9`EzK~C_>yy8#!1`nq0(j95@*d7nX9LS`%>4HkOP!i%)5ohbJkbM7}<_cs*5ryrLy zjT3)pc#yQ#;8*d^f)U*EsVI5-%d8e#Q>^nHSI#kgn)fQ(W3j)?$$@Bn){wDzu*YJM zjvEr^*1pLT#aP^&D}%k3igL}TqIrOQe8D>X#2s)m@0~%cUxNOs zDxA2(BRd5|@y(Ep%3H+u7IC~#g{?*yt6GUNmhKu$TmQh|zziK`%s)%BR)#DPjF zag<_HQaXg$`*b-Qx~f`;ztiY*j#NY&>xp8a?H1~NjiBSlmyqg3)U~I1rsZt6#6+9( z-MGz@ESqxDm!&N*%O4`%w%&p59P@#0(!x03EoAWZj=R=P11Cqu6Z80B1If6?;(Wo9 z*(2aF+NPz6FV!R&)1J%Dxs}MD8#0GkEZu+q#<{+mb$RW!xTIAQ)YkI(Q%pKe%Vjo~c*)fJiG2nJ_vx8A%SgeM#5Od>njsn;12VGAB{!1bH{{3$626hl9Y7r0 zD9!nT6m;uRxe4y0#fevE4Tp9=7l$Hd67x))Y%9DoTRrxgN%JzPYvSBrNMt^lJB27G z$?TIPjPw9x9|^Xt2zM{J&YR&d>fx@|KYmTwZRQ-6O)q$h77JMMv}EcYNGp~Pcd zyyH&LS}kd;CBC}_mFyZGB8?t8(xE%8Px!u<<)+?gN0X#mnZUd&?X_N(BiDEa5*Bsc zx2><`%U+%V#9~a!_{QUm>*JZ5Efnngm!zWC6GwBS{?q+i1W_A_OzV;^mYENuRYl@FX6=`vEFu1U&~WH={(1;Ns_~! zQQqfuzip9~X479>H3cr%CVmLQ)9@NwOHXUIV;81~RcUvcY`lr4+ds^^&nX^+FUgTp z-OwzaNnVunVH$6;^^*_=rck!lI|irR(bry2X1o4Vz|pijZK=a755&?t9D^hn2@8c6 zP}~uDJ}v*o`LYS_hY?C5b=<3<)$eyw1)YT%-tj}~81ZvUlgT=%;9K}2P8(|^L%rXct)2pf$R4t@TjImX z!c$Tk2Mf&Ki7Uf7pf_$8);>)#%ZqPv9!wUV^YsIdv|LSL(YDUM*$>R>B2LNk+qV}nOewp^~SX{0?^g0>&y6#2W-ZP0c@p5(FonL2cklhoVJOAtST$OnB zb?NJNegvP*SI`A#mc3!UM_$UM z4itZ>IY(hR8{_75)&zMGww&{i=zs)2o&!nBm!@$ymmh}=*)QM9S(n(TX<}K9by&@> z6h1`dyE*Z0tm{jE-!CR+eYlDba9qjlBy*NDp3JzLz_)dl1MybHXW$3j?bVs|=KzTh5&qnfs5OQaV_VFIMuBH5N=woZ0S zH07i5R)6hBByUQ;^thCLL#^ZftidwYStO#&>(eC1t{Z8}X9L~CY2vpw^!TSeH3xwlWHM!_xXCe#WYw5>>-N+;UH>Uh zu)a}5rOARgC-613-n{4z`^`AMB;~M+>GO%bfMoff=B(wy`Mc_fsT1u{7crvN9d=-B3N~Pq^haH7EZ`rZ1%gl1v>Ovx2DOA)Tl*R3w>&pBmdCAS$(=*0&ms`lf^0Z;%6xoztwSAi5V$(8g&qX+ z+zz+b$#cojlyhSCHz?@J+IcjyYTX+d<4uXlM$ps*;wi8)i_70_pP824Bqi&xxLJZL z3Lc|KOwy!Lm>%b5+}bzc?Ge`L3H8aIe#Fw0lp^%A9O-TOu#cs9MB0-hWxV{Rx3wRc zopMhy`{M!8+Ao%c9nI_4-}6d8=kp0-qlM3*BP?}&9k)_P)7e+byB}9@DDT(W! zJV$suVO4)|Y`G_GkbU&^^uFXox>EdyH64>_O7jOa9U;+5=grR-7tCMUeB;hvsYD;i zADj%Oe&Q!K-2mzqW+pX>?XX+jNvt{RlGaS8UV1N?U3i04VdEIUwbOCO7SY_CCB!$D z$Y+Rk#H!y@Z(I0?eZ1QW0VJ-d%_G)nsRI}O-CpQNv{u?u1fEPb>gMqY11MKu3nv~@b^Oq$i^_y}wIaJZKEE$`Gp7~^1M$(|1 zY$`sm%ni{iKR}jckGv=4-hPf@_UFsLr30qVMnv$G$kpOJ`D=bf4T6y`zR|On6#tYw zoBlm%ciw!mVvBekEm-WxA4HNvd3ggemh}@~mfz5mqKcm#lN`6xwYJw%mra$gA<}HF z;%z#_F*3JUq$S!#j`wU!O&F44rE7DEb@DnrPNN~b^hR@=sP%68J;o&)jJBN8 zMh;uQ&N}^vMQLZpCa+Jt?=G=_@&Vr%;*9Gi_9sIU;!L8M3{8AV%xXx@_l&|s zmY2TDJlyv<@$M7EjPggPn_XiZ?^L+TAE5)hpAjj@+aJ#x&Hhh%+;%M2URGZ9gE{fc zU~xmmoixc_hMVveGigfFOu0YFT;l0Z+>a99=VRTcU^_^E2_v%Vu*de=-zthL2VwWf z`9w^{Pq7&$ldbkDWh@cLN@=mm7P4Uru{IU#=gRNQI2;?aQ5=yD-Arte81a-+2S3Y{ z-AaFlM6hS`4$Kd(4UNyz^n1#B^UD3igM~pRe6Cb;k%*5k^(o7UXBpgI z(y6b}5W)qe=t6EdHs^6^MayNgiI$$m=3TyL41qv_Y&RTjn_6y4%qX{RlRw}S-?Ei{ zUG42 z8hVppvCX==g!7*4=&JlX4UV-r%?YJbYK9qXX-3E3J=;m*aHCB!CLT4WyxiY>Q-RLt zD$1GFN3j|K5j;O30QV`!9%T8J6{RTH@L~|a z^Be*A&yf(;Yk%;TdyJsmS<}--^h`V6!+DRR5{|?t zJZnt(GT!=%c`+=R|Kh5)7^Qq_^Rh{9th7T9E38KXlUMVvI(#nkXx3{8!}ut)5931~D$V7UlLBDZNw&(nf!}ZgAM(=`wE7)^d1*hX)8I4` zH&aAXQL0UHwFzgqG+5g}LyM>sPjT%6@U)vX;s#!W(>L(GZbEpu4wY7;>KR;Q1~+;J z#vq(Y*RD2;)EA->LRs9vyYbC&0xv((i$s~uw@l}i1H^lPxQ;2K&43&{)!*~qprK+S z4JXPP4yujM%)6FVXNhoT_6F{$hGM9_A_zkD3DrKq=V7fZL0fxMPj9MZ3OSiV2PMBj zt5Fi%)9$Aw`>F35F8nEnA^=Tz|2Nujjz}x0LJcj{fR}6W64*jNd+7m(d$E2t&=zz* zn>O6T*)!_C*MkqFR8|C_63+uTWM=TC zU_VXW-_gBFzPggvx`)?Mn6aOR9;Aiqsz2nUMyjkaX|QLFsd`RF8`zOpjqVo-$|7Ov zBEfe%ZCJy4I7bMLr_wK+QXU(HV0mn)fT9KES_@Fsa#VPZc!5B8<7CA$*rR<6^gP46 zpW)GJtrahl%>5k$+D_cCU#Yo+$laHQ7g2AaA)<~%=6>G}e-HJqOeu#PNv=WrU$*gaM`5YlEq(cLTL|{$EVKjU9-I?5BhGS3_EA z6#fQ11hh7HkOrex$^#S2fr(yR7{rBBsuw~d{(PGAJk5E}(Du>r#3C@%@57P)4sh?| zLoTX(!2>G4;C*@AMI~r|!p&i*5&Pk^*zB5C4n!RwGC0&%m)*^$$$($&?qBV` zJBalo| z74)eJuMvhcV}UX^H}BDtde5hwZ5yj2h+G zDsW1%8H*?<{)HepC99_g3gaki^r7|E!S-h0~aEQ9%F|)RP9> z`pu{V6YkcEssm*%B=)xss**)%C)?YZ#-V1@*l9V~QWHe~rbq8~>7?z;*@tjVu}ef%My7BcoM z1IJl=ZQaj&=m_y3w;Mhzn&P;29Mk-n?+R7;^9-#z)4}-uIL>z~jx%%HzvMI|Rg`Jj z+mW$5JXcfcW9od#tW5^!Y?}y(w23w(x@eSz{}asD`%!-}$&R3gIy9nV)B~dKDOeV9 zM5OOU8;A3XJGKq)F1@{Yu5|MNB_*>aB{SuXE7#WrZ{a;pQE{l$`%3%oK_>_I1J)o; zfq5{)uA-h*)DaB9l>Qj0dW`7Oi$)t#Pfg)su?dJB0c>Uu#d$d5cK$kq40V+U$~bF= zw0CIc{UWWdrl4wjWzE-=&J;&Z-zS<{WG-idPRzq<7_f`dPz4vBPL%{&mH^35l%o_r zS5gwnQWBIwT+tx>5J{k^37{NhBo`UUjT@O>DSgj-24O^r=RNioP>*LvPNkB1Dxsw5 z0A4)5gkxalISo+n=R&^_Wg)+PA!8@yCEdxFbfu5y+$vhO8LdraxVx_EtM4O39Vg$2 z;cpR4;%+oF0%Hfwyes%nto{4oeWtq9KIXIey<*J0Je4uIJ<&Y z?GBB^WRiXk<`5+TKXLv94g%BJ&`rVI@FoerNn8h76sE0y$29sdp3hSTxA9#e=Qchx zfl9wpB~P!x2MF7Yll&X*#AnpzJ`~WRQL!w2(H~ z(Hg2uF|>9{-LW0pmn={L>*HF!dabIy;!PLW-VR=;g$Jt7 za?)E=!Rf(HaHhsoZ|P`<_x(-{_8mcaN0|DKs=@w?^>d35DyC90uf&+65R5T14ff6I zRaz@h;c?Vyr(U3O8K5I^Q(zqB68U*Pf-Jw^&%2l6cN{KNlVZb}yQdK@gWc3?s$t~6D) zeROx9CKv|xa1ZRkRN0-ulJ5R2V}~mHCanTfYN{+)U4_U}zIZ7(3}XiZ_1(@jFj@l* z1L{G>V4FkAzj(kQJXLpc0v#dwZy8md^@_Z zlt-k;LrXcPIs7g#l}2k+h6py?g{LNz#_1qX09zl`Cf&k0%C%w?GOiU>eqgH4ih{%y z1>U24yG;Oj*Mq#>w6HwbYC=h{foHGA+bEntTBXz`a3pliWL83#-;oZWgnAktq*Hd- z08{bYBAihfu;|3dv+bb2PPWn#hwx`7uY21&_00n2k3q)8$cpxvF>ICcK3}4;9z@X* z@uDIm6rrwzl(U=+83FDc9S2Am9oPO9CJl3ao*BsVGP%lmdUO7NF-e5@B53{0m;fq( zCb0!#pdCEYO0z{sfjT>7YUUxv&cztx3)D=NgO1~=NsCXY@?Qb4^}ianyRru3h#<=x5@IXT)xQrYV(c zpTi-NRaZEKKjXQo_>RStKb7-UaLQ?J`{_1d|3+ zk+7e)>s7=DAJ_ZQgkn;}Dyc&|Iuyl<37CHDXNu31|DBz6d< ztstn}-CV=nT=@&iZv6+lbH)pq#jZs8Q5^CPt`km=r=hP13kLK`79fD9Fz~vBHGqX^l@&iBj2R?l~K7pq8tOB#lecY7$T=V5udFdsBPaDS5!AVoE z*9lKraSkWAUnj_72ApPi=F-q9>M9DJ)hQE&#)*P5l4=kbNnL+a-sK|ia^v1jpP4&f zDKr6U3Qc7mSSA&$4EK`oUXpq*EVaK1b%=>wrhJKz)g7=Mi7cT5exZsAu3tinv55!= zFGfJxR_JrkiN)HZB7WcS3q{AaZmpgQ^QX^YKqW`Wh9iUt>DAS!?-#lqSx^8zO6CFc zlU;tTVC{*Yea~PG!kW;EXA>7`;zlsdP70zSaW{f6eMPakXjzDC6WHL`&Co1sQ+hR~0JpJVF2`@$Agj z)Lj>PnO2;uE@ir5wh>^-Hu@eBwN9G2?IzCmB9X8pa2eb#1G=^c-JVO7Qw$nUsS8N; zJMHU8w$X+^;il$7i1gud`-FDUh6e;xbiE$1^LnkHN{&v0CL~5u??_tRheH*JC#Vz~ z+{Fgp0Ry~!+;7xQo1vqTK{Ry`5ZN#ir&$9zI@X>(TnWB{?A)si z`^u^4s0Z$Vb92gabHw)oKa=n}TJYR}(3oB*3@{tWC%)NyW|r`^*{oa{Gxy3E^UNB3 znwYMHx#M9@IY>PRq1UH1>eJGP*UnV=Aqm1Y_{XgR?z=p?#&_uebuQEtiH%JFIcg+p{U8k%Q8rKO4HyJ~3fq`EB z6tbdP2viG94EWJsT3>;1`X*j{b8-}0ukDv5fA3-26JMW zlt;tqRGH21n$2S%wf;6TV)Ko{DZOe?GzyrEduAIx;uvY&5j*#e*r=#*{k;vO`!B)s zFTwk+u4C3$snmz3O80jrSDQF6LNSHnE$XAtBq9uP%P0DSZvLj?%=13@y4cF>-Epp@ z4-V(Xu!~@^hz2zP8x7aOSe9c>5_^zLAzh4xb*#)jP@aUdoWUos_!Sq3lj$_k1ey#- zt!dV0a7KQ_ku|E->^B^m`X_eU#jw%Z~AtB!>>*#zF#6dds z08O2|q9vN}=f9~3=A2G;i6%wXN7|MYH zaBIf%1o5VKj_-w>>j7Kgg0T%M8Yx^AJjHv5a=xt`aIdkr580z!u$eiK~W!T8aS@H?vud7(CZOi@$&1Lq~l9+dQV>H$*!V*_~b)CA=| zY>oBOpbiODhE#l_EHeUT;Mpl)qKQh>vy4NyZP;dqwjAn?_-}wnk>2`SQ0}93$B#|{ zCF!~vH1}21rqGsv%cL(yEb6Lj`5m0xby0bvN6mOtytzAl|upkQ>tln@zi#O}fERpqlLrK8W0Lqpv-&o#WSh%a2#^r;yH!b+N@>k4(VbfH(M zXQ)aZ-%{@aUHg+v*6+fb80r~G+mA8{Cqulg2|S|L#>QS1EusnE_l3=dE5Qe-U=6Kx z#Q1*VJW(FFqH{6dS@9kuRC+25C<}CeZ3}e1eVl!75aLknNC?kwsRzxe1-~ibyh0|&v8SQHOvo{;)t<0V%otjAS{g` zzTlK=de&ak6LbVpzzh=T0azR8QE^T=W(3SQW@M#x_EJl<&C(sZhR2>eLoC=^MJy(b zRbxN^8u%yaKs6w#6$eml6zYM-2Rf)aYoxt4@J~I4Q<=zXz)0wfQG>QK#`g6b@UG-? zm%@fzF7!QJu^@Q89uYQtZ*bB<9?f?%SnG~WdR4*xt_tmV=5l+GADTiKNJs|+9qG(6 z_L*LTw$JpTPbu=RTCU|nQP1lF&+B{xgoaZjY4xQIz?(=emzx^`3e`X>c>%7J56ml) zj&V3BU?yuP7Kzgo`?V4KwKn^;uAtm%#>6yFgdsPtARx9v*9I)db2aB(&AFJa3~(`h zSlZ1gjYfB)F*mN|TZF2MaTPw`h&Q3n1;RgP{G z6cr+E!pm*S4#XCt+jh{382L#-XwH35*=2}A%PwfF=_9273et`6-pJIg!`CyZ@D|_l z7BpU%_bz~~TbU{g3;iAjQ}+1x>To62B2Km7Kmn$6E5Oq2*gcx>d4@ z;YMCrY%W-A#u7?{k*9^`^qZ9RF_HB#3F~7*Nqn?0Em5QC-r1b8SJYrG636*HXlFGH zM!e9fDbwZW#7C7c1V9s>S_2zIxk1F#`-Q1%sjSG4DPry5PzIn1$`@8ElY2#B-{f8x zleIdAQJw=#;n5H0`WVC#jeN|F{uraT;?>}SIOU_5f{$X-kIoGwLCr{)UeYtg%EY-L zWITNqfCtaP@p}fxV++7Xsn9Im=pU63dYqH4C(0GE?ki$ZX2X7FHFfF_vsUau z{n*HWHrF~E;p%!TE<2zVPyEmYWT0RR%4QZ2C@ zqw^0es^IV@;NsyH6ctC(b&Jw-Z?l`lwm1S$A?@5SALYIrl=2?ub1>b~mo_!k=a zg{J-zn#M*u@GXbDT|47JXRroDXJnHGwMd-b0SW(trFhpm*B3>{0Ar^ie~d{PW3r4f z`A`yAsFO10cGrn#m8LWeTAI>A?=nP|ph~R&i~?)6y0)9rM~M&*sBf4~9;QQFXy=Pg zMr9yX6~)Mo?f$?O2G)2?N`1I9c;-`YK9zo_6Ni>cQoDg2uTX!x=!uo$=sux`*}RTv z8cXP~!b9IV4IQSFGeGal(m{KX14O_^!3E`nI%`54JKqkT)uJkQ+OrH=6();(290P9 zCJS|HTQP~P)lr2Cv!Naqa$z2RqhhN+jAdv719kqYCA|1kZGIExL+p=4TRWWB6vY-O zig!^I!g6Zb*K-4vPVhcAFd>lSdzHiTq=zzD034buNIOY^%MqHY5`Aa0_n^(F;|AKM z*X1sj9N+ONF=#K*aJWNLS&ng4`{;pecuct?!*WN4@&WaHK)pA0D0%)7Jz!=-8724>RHQbk zV3~0(R5bW@>q;c;eU$b-DeZkix6|;?2#CoL1-!LDrQ@jwW4u6@d+N|92E4lzj^O2! zoaaf-zgh2lnv?G0l;n88K|DJ(u!yQ3E=SF1Q7%^k{Sa%cpQ-XseZfEVmXG2yyGvgQ zAeNV==UMwH6RH9esx+z!45ZQ_xVh{G@Z%}c5DtRh%@yo7<_=Z2OQ+;wiCV@rE+KTj zI1)|CgX(ulLzzxo#QAi#5$q)%;` zYJeHIrk%LrP%7rJhoz>J=>4CF4M(l*0>-(n1So zM&Hp$teU|!m{-_hyNIyGwq`X<+RG;Kww~fTL?va?qPV-exI4^z;r%qQh+>?}KGgYE z5KK#e4O$6NgQM^Y430J2!5VJaeC7LYiQjiqR&tj@)k-dOB_|!?6t{3$2)JS5=E9%o z{rh6qPgM?JC-q`jjyDrH4i6IX_USPmNie!GE9;0AM7IA}13a=3;& zF_FsO+fu&)I`-*QbZiopO=89-k$uyp6AehK^(sb#Y&3NJDVnZC|AL(KDX%11098pA zhUfKtl(DgZnz6Aep47gdb_)a4$P9O=Mj>;|fJ+QQ?C8|^g1!R;YQ{xqSaDzwa_ce? zr@@@2>pQ^A2Gl;NrjpRP%2^*vLj%*~E2)9Q^qO^?pI6oB4^&xliLHL;b>z-S)ze zTn=Z)!5=U9Li_sQCN4CJlfL7WI0K*x&n^XT!LNjCoJ=i?jqCNNGdO>$QJktw!v^KW z(2h6imreKv^NX9Wa4QWlazjkTX(iqmh4y$OigcCL%oN?M5O$(nsSqL+!ukr|Q6b!$ zDs#+HsGDO3A$p3jmZZvKI{7gj8|^L`qUjJ`cDCG$M5m^=wKiHc5;M?}FKFZon)(IM z>Dm{ZbG~I=^C9g=)?!w*l4{gIPBpd<5|y`18YCi-#CejqKmxUyaaG?pPc@32USx|B z8eH{Y@NfVxe2ZSWswW^3PgM&X{e(y{PP@C;?^fA&HT9o0gd{3N#QQONfCUTfXSJ## zZ<(-6uzz3O2D3L5zSLb6C~20MZ`r!|=Vr-m=23WjKTkr)cAM!qFGgV^1gH2YDa< z84m5sHheiBN6vVx>EAcX?;BVATb>#VvLrFAd&4N?eYCk#(N@*I)UXF5RWfiiT@^r;W3JArBVK!wU9N7DWd` z)41@f@R%JRg{ghxLnTy!SL{9fhCMuM#J9hfowLFi8wS00$%%9gGH<4%b?J)os|d*W zRV*AMSL%hAu$%R&ve?_U*egCDW%Bk{gWV0$5r`%N(}Yka{He38i)PL@iW|+$^>sX8 zK^>!x2klWvdC<=0jcb^V?KNHD@Zb$NrEQSMV3~61*x^mVCT_7`+N>{nY~)Hz&4pIX zO&YY-aG_&-I9+85s2Ce*$wnpt8`{|#p5dxyJf{fx8bpNr1f-v&9*Bu_y^QD@wVV@@ zMpN=P_i}IUg^$CFV9&6ZHQIfp0+_HQfnwgoEZJp}P5weF#oOGuS-M&fKUA^|^;wwU z)I;|XrB=8IO7P}q>IDHV;+54nMK5e!?ep=4D}!;yu37791tx7lhgAl5l>u^yAy5@t zg`05B2B%9d1sN~Z!t+}>UxvCusOR1Fox=TuGTs=48RLzic@)_Jjc5+m3tgKN&8H>W zkoznbUQfLdbL3~5kKvu59wWb`gXlynUaHM&YE}h&D_4T{`1tTqUO8;;3MGflA-h^E zKG6jHz1<@Bc1yUoTeNqPW^QydwyC@aY2ht$M(mDP>(?K z^4m-bdSausB2j{h?ObCi-N~mPU*qV&VmMy81P+GdK~kO|m-}#w?mQt}G}8F90A$kH zeMa4#6XYlRyXM`7Tt8C~L+a0Lg8U-b)716nuIWZ(4YHb*nMMudna1|NiOOx=BDZzJ z*aBuBq$_sH&**J!=jTVueCW8^h!&hPu{q%YDZ%+^RJW+whpS`qMz)VXf<(|+&3y3> zo%|0ba4`^{f=-^}R0Xh^9mVR{hVU389%F*XsPU+ul@RT1*Th;3_7qNekuQ0XUrbuw z(0A<-(j{OCAYRfj#GgKXF{4LExA7uw7|U0TRp38U5gU_rZTEUR=ChY{PrqcZXahYR zAyptwjT=@Ak=4Tb)q9ICs(cG7AH^v*@f9~Iuj}O3Rb_|vS32Pg?H@97TkSP7Eocau z0Lwgx(f$N_Slwkv3;WAi21rN`47D93ap;0^4ey1G_wvMYepFWr)vE>H3nt}eJ-~mn zzT(Ab_r2)8%z0!kP}iLei6(KvKT}n4?qr`RMOWcXC+#7z4TB(2iSWvaO!tY*(!#D} zodbgY2mNG8@LY^mod1UntgaPpT z6HKt6>`s8DsM74ogA{IbIEcq6rloBcl#lZja}qh(w}I zo#;Ts0KZ1Z7tRsdd=bIRPP({2Ce7(ep8ua@()$+qeM^UA>OvEKq&335Ha7K7$dX4@ zo!#=bagh(=Y#+oi!szmimJZ@gXIqgtPs2a-RJuUj4?RJ?4Q>aw??K5Z}dlGa4q_y0uI zXD||~%*fCmJ-+wF(_q=HdSSY{^0XOP!%kPR1(*gh635t`i$I7rrgCVG8_oGrJtzMM zl|kKhC=IzEO6?pDVbt*(>Ub;^|`Q#7;@c)i%x?l|0lkw+2spp?? zs>AqE<9MKIHs;ou!sgXJkN&TwRzLa&SLY%Fzo_mzbr~gX#DbvKSzJSn0b}x*INAnz z)uIE0TXd?t>hi&q=Ja@}Iaa!YDogZ$swGgAaqa{ss2sev~uHGFVe`Iki6|(jtuHlVI555%l_L-`wGu9tz0NW zRRFx{g{LJ!dG)WMm8(K!>eS*t!IkDJ_ZsT&?a)?NxGw#2JIWF{FObz;uOR*zZWcdl z^xe!CZVKibm02+wBqE{F;RyLhUgedJ^(~?)dM%d)8SmA8=i#ZH(m;boN$JLly6P5P z7wuTdq@GNAQQJz;u=UgfeYCSb(bhy0fzD=aC2e)M@xzXSpw2_US2K}xdS!i2K*9Q+ z1ES8IGjYA`|H^9P7;7DeV?8h1^I*0qY&gXHJGF7uBXU*q;mRR@dYzhBQ3k*^WQ8(Rh`cc*1wBs^G&a9M&Dg^TNE*KS5O2 zV)o=pPH-5waEQAIlNe%M~sx+CKGTDy-hT7B2m4Mc@qxFALauA4|&7Cj$G#{y|t3bR`Y!>l9WM-I%bVRS*juk^w^WFFK*U z_u*F$@A2>#(JG@-P1=Bf>Wm&dyJ%;A^bE(IK}pXV-On1o)k(b!;kONed)3_`^$UE& zXir^boz$!jo$v8eSMcIbRSJx5g@6b@tMk7q_=X6Qoh=jHSemIzN@xW7cqpu0xGLba zgdU}uSZf5QqOW@ez}CGT<9%U0+v|*>cpl@e+#D<49LrXUP$IAz`3tcj;k}BxCiE88 zx+o=KxG(pK2lUiA+)mKaY_;&cf_txkCA7M+9_3JPCx`k6YU;W+#cJrv{uz@ih9Bx5 z=8I;|4bjXL{~%|HRy-RmfJq)-e-9Jc+ftQXoj+9(U!~$=;t6p(PzPu|Kq_?6FQW-2 z;$GvuufZj{I-00UYb=v;(Ol7lyOUj%-quUu2wsliJY%@P>*Au#n9yga2Iz$?QR!2y zVo}qbb{ny}IQSwCwsj>0r0Xz78Jz3M;9SFb`Sx`0$kV+Op6=bA$_EzfptH5TnbW~Q zUsGI;bJ=AZ_Sm^d-7j#ZD)oG%o-eMq*J>&ob{sCp z9JA3<>^`XD-44$9>%k7crn{&E7yS7c=Xs3t){BwfbW$CZhJ==536VER#aqaggPv}t zFas&Ec0g6Ey{nyUFM$Uc=*FOzpH93$k~U!6GP?G28~CgXpF4Y6Ky;n^xR@~iEh?wG zm7VSeJzIiFPUYZ6JdcnFtPn>)+YO-D#T1eqY!8OqNZqhQbg=!U=s!OW1If(WF0 zf^(~K{(n!pnbzt|>%~(35;37PQ4hpKE2q)y1)P65yml4z=Q;nvVnNxOs!(W^pHOvP z4QF9(JqXj*#q1sx7RMnh&hz?U<#10x>*1cN0q2Am*M-aF#mqtqHR(U&*$N4!A3+B= zDCktvk18HcikxQpfl?OPO;dM^k3&CY^CRj}VfL&T=;x@Dsev8Z|Mb^7IN58d_FBa4 z(iF~v6GO=)Jf3=S4fFqa!ekuv*GLTCBq&#;My^OrxFYq^Y#43K&|m2Q{;$-P|IuzO zN4v3Gh|EgVb#jP!Es2;PR#6Go0=O1-#YNOFCbnwmItkHuxn{^Jces8Ip0RbM@r%n}z&Mx$T!;4h@#s>-NkYm(me@#2&`~_pK%r^qk@H|6t6Iv6hUI@^EkO!@WDc>(Z+;=nRwy%+nVVqxNU3 zDr_5X(pd~*;!VbrlP}hgE?_;i*d`PR;WCY{n5NujsJ+e5=+*`PGyV{EYqZ_rL%OFA z;k?bAacudtKD+Gp>>DO_=E`m3j}Gh&Qob;O*F z4sl)Ci#(&XAO~8*aEGxW)}^0a(?K*5Q?H#r8Hw?p;QsgI)&R*2s4O4N85JYftb36KX7duUt?z5(|f7kVC~%BdXdK@x!^@8KJVF7#qZJvYJw+xgknvDa?~$sAfDSV z%Gws~NGFR&c|DqF0MoyYTM-6;|Dd|dtm>@3zWS}TSo8!qGc)AW8L@HBmVUo>2UPvq zUEL#jZ(HnLp#y9!M(f1dS_(b_p%T?!G^gwxwO}sCt#Mq==`ShV>DrA#&S)q3Qt@&TXCy$ z1jexr*mguXB(lSbht_ls%){Q#eH<_0ldS!*#y~3<<;EKFU zzr&j~M-(ULh33DPQ`(Gxls2Pp4qwMd}%bg_ENUgDJ#qyxhj)=3CTU?GOeg533cgeD z=O%utoDu-9pAsK$>1GNnGj&DuAz)%U&t|E;@$S9x2*Sg}#wFd--qhp$2`+Mi8-0SU zl|Inl=fceIUXqo_n8@_{iC2wg=%l7L1~CGe)UXzMABDDRKy`hk|V;G0xF z{1LW=tkoN>Y&nA!Sr;K2x{w5_L+V?qH&-$91S=U;<52u<=wUufo>Q z=*x)9spz;`m-mQJI;Ew%)&H8h?F*`TMF+@#MR(p3uJWERN1R+f)-2kV=p`AoPyhd5ti|1x#oZI|)Z}%mL2fl%VuxUM zc!Rt_rq*T5zSmQOib*hKT3sLRHpPlO>X)@9tIBcfuvX7vbf)}?0u+ZOJa0B+=X7?MDPhdFhVtb`BtfWQ&286Q~CkD zSawLA;hc-Rcd%9~=Z17t7pQ@a_!hUt`T=&~scGR9swY@jvy-3Ts?mT=B$XHcgiP`1 zc(L%%TYTYR`F<1Zj~9|%E%^UhuJH*veO7Mwk);}56^!12n1ll{;%Aq35V9B~;dzd0 z$IN;}0Dt>dGABkQ+PVhw<)t-jp~?`hWC-WOl!?CKY%4~$^K1gnzg_r60Dn3;(9dWm zxUEnO;tbw}IlBH?fS;aY?a}m9JmofHWTPH;EsqE}XdSfuL>zdu0S<1m2|HoV|1!9+ zfT?u!6s(g~u$KQX%H9VqimLk`zjyz@4zLTeFsrk$D=f0QtBmgGuCfLS3JL}a3g#bH zK~XV9L9tww!h({@($W$O)6&vP(?_i=Ei8RflgiR3t$fnb$_leT_J8}mX9l)a>-m0u zuh)GIm)YH!`{$f<&pG$J&s7%SzckghDTb_PBnVvb>1Epyt$=YnpiwJ<3R%7A1^BE# zhYtjgnv9SBNAcs+X=?8@brY|y>>_-vsqi4MN*DG|z=mNbsxn#ds(*ac ze<(cbw=hZcz-)|St|{$Nj0rboow0b3I3ObXI7@Ti2_!Kno+O5OsBPN+YNOKpMVdgA zCM!x)aiwyC?MfGf)l|y66e>2LVvnoX)!#R+2>0FAdl|GDMeg#tMqUSGi`<(%xFS#P zOd7C+p-ixZ<;+#NxBK5v`M#9wuD~99)*kzXqa;g~VLlUW_)s3cpLBtrbRJwgS!oR_ za*Dd*cJX7$8#Jt=@l_a0*^RW6uk135?bsK}`l&-+DjMMg=!G4>4xN^Eje3p-DrAMH zvTwi{iBji`l+=#P$tbqV$*?k@ufM7FU6Ho{LT1RL3zNJs<0Wfj90OJ{Y-cd1Wz+s? z4sm}oe&bc2LxUB{!c5Me6&?Y#Kp}hnT`T}sPvklLtI%;uR6s7LQ=%?l;^ePo$rD`1 zsxSgMy{OTT!|-wxa|^?_0>dXuDJ(dhI;7wT+g;~>J~D7Z-FQNc*U4Qvtiz(m?b$zs zUbu()`e;(VmL|b}I#ObXG9K26tO}GUI(A%iAf#+W9X*oE5nN>hp$gZ|oBvd))+jts zlEma33lp%Z)jLTkXL=_!FQ!UtesDYl^flDd0yAJ8Y^OO`%T7_0^i$Y8^7ZW=^x7Dn ziFC}azh4>brj#h?XqO_fXDE%gyp;22q`AiK`*p>JJ97K;a8*R`a8??2*}jmdN#4Zt zy{XySqzRqzc3s#(UEn?H#e#&NcFuDSxMpbB_3!cEJu-)`7Q{)W?5iZUMtu@}Jg96m z%RA5rjGG_fZuSqkR#r4&7UdcG4l@MD&vpG#?p&061){HzKqQ+7XbX6C&Rw!1D3eog ztb-M-Sdh^uTVc~+tYj`eVaaJwZwB=^#dolF_-|waH>76WklHLt;26W2NJmoVsQYe= zPwb6+Otwqaf)p?=uHD6%T%7WRA}GD9i5HGzd6P2h5&~YO2y~FU_9V#tM{rDs z%+b*-9o2rvT(m_Y50tFs$x>61oqLiP$2?(9M9bqEwC8^pKd)}~Yt9Mk3yahNG3=kp zulR^p*Wqb$lbQr|&OK`H=*~TEZ+N3OTtX&KM21<;hHDP>=1|`$x^Sh6n~v8%>KEN2hhAx>aDFBLt@O~{Z|&LOJ*CTVQwT`W1wqzW7lx^#K6Y* z>&u>v@y&--#a91TONpSayj#d)|Mx&BpU&Z%>(l{3JsllvR&Ty2Ik*3LRPy9eY3J1y zJjk_Hv#cwkIPmL5LghZ>mn@k`1h+;;I$J;1GlOTX30JbGWW5m~Wu`iU!0}*dLw!5- zV*e%ESd?vae1Gm=DhcM?F3Il{Ys*rcZr@S-sK82_MoW-91yG+ikR?iW=3^;UTG%YV zgd=J>g$$S~@iEoX8v>rNU@1pk4kO!x$kyRvqYhB#1%Y0=&|>Qa5$z}j{x?`oqy7Ve zh_5QUe~?hl!!>|`-@*io{T2!19H-d^*ydh(qRX;d_30l3VgXU>DCMy_fO*eHNnqYt zK?JJ>XobJZ0ZWAAEHd#le@O+*#;8Qks6=L~aL-@pN(E-=!AmZyFJM3aBenRE+WkAQ zttfi|Zym1Y{=4jw6tBrB@tU)q@1OG}%}$0E^N|{5=||jGBBg*O7fmurJsBZE`#W)< z&8Wm_q{Jf+Q}>VlPgFjnLqDB=v`E6n3RPi3Kk3^cxL65}tl&ZWg#|jx!G6HU1_Bc7 z6kSDcmO9GZP$fctsMG;ZcC4)^c)O9MI7`9 zhY-uTzfbBzReyAo#u3=OHGt;i@PUj93u~A=tmVV#&-kQa_ccw{R{fXzx&KsQWM5Zm=!I>1JptJl^dae6#alzD&SR| zj@bztI z$6D%LOG|)Zy;J4=wj+IWpu1M=u2n`u$|52o6srm(P_6ZOX%vDbqnqk%wCjyo=k+-Q zXz?@q=Szu&eZFuRRy{bLJ?ozvC6kXIvjoH-I1)nJDuvS&b&17eq{nxHtAW-_m=&uI zY$4t)Bx^)i$8d(c4nF|QQkt3>($tL6_%KkwF9NwMLsH>Omjk|9goj3ZWPqV8E})P-)U z!ae?g~7NfewC@Ad(jtZ5Bot zhQ?PNAmj^UG#AEFDLqwxI!mT4X#nKCG7qxY$l9n-CLOvMEUT929Ctu$yWbFRjz}3L zahA}Zk;6NhblxT%lF52+Rl!|`t&T=1zz#7Lc%plhA8F@?YtIbVN_<%pmij}xoKU2I z)*%buRsnPOiv)1Jz63F#CBT5Ly*7mi@T}imjbz=6uN_fso{F?zVyzC&@EgJ}J{oos z9MFyv7$mZka*D|5zJUxi^od|TGMFMdNGw@jl&sfpYkWti@D4M%twEOspejaf8WJC;I&XD?MYSTlWKF6OEiR zl0!`b^yW4t-Gf}uSHC_uZNb^8<9n$09tyy?1P9MmDZ|wAuGYuM z0d_wnX8n{X*^`qcpBU^(DW}0Zy3hi&@kxA&+%b3vW~ZB4dgFUUSRx4oO{7xVHIXJw zBt|a1f6|bgGAc2KJh0{cRVN{aAdIZ^LM8R3%d9d`FR=<9sO%T#>)Z47#(aHF3vfvU zpyRq9Iz{{6&CXvPxmz6^kOO#HD}^sdpsFGv5=n{_A#`5nJFkO+gQrR|aG)Ll5yq&R_D$tc@!l{HZ%&rKWh+{h4fWUe`h%r)Co z!ZAsK>CADXRA%Ad&Sz)m!oDdjLi(B&NTKszRm%rj1s82t%(@)HQJqA05X37?l)WSH zzIx94lHfauloa}_3GP;HYh5ZS6-LV`J8uE!s%;zbp~DfQp&3o_%)O;(5-eWhdr4|W z(Ku{`OYj`%s8G?CuzH;JmgAGXjWEYimQIs4>SWME@jB#-_5SuZ*kJ(I>Htp!;O{Gm zX}D+~7hU<4Fg+ZB&@ml&Q3c$lTr*@WB}5f0CmEb-R=OB5ROy~<#r^BL2D(1Z`Nv+PAhL3s~WDKJ$V@T!Umx?Oyq!E#lh z4t_gWkq~Zx9TF)um3&ClHP;DqyGo!ZUIR>G&ii4=*HQB40IVwBYRM<{mqL0qWXOnr zACeK5>8zN}Vgm}1?LpPF6IG)`^arm%5dt`(fD(TNyeKhD(N04E4&}h<3{yS!T>VQD z=vxl@3#zHbgBsKHp2UtA{7{g{3cP#16g!^dRGs@l)>q>quhCbpYml792mN;=|zoAR(Qq5b}%8w*Q4)QN937WA4EYbV-FwY5@Ph(pcSR z|Ii35L<-SQ0K`JxUD#Sp72t>g=m%MM4Zbk{pd2VunQ7Q+kQNiKsy>>Ra!8)DNXb+d z$WD(N9f6Rt3U#?F%GgdoU`{911Sk;3L*VE)RoAuxJW#&1IJe#E>?%vdc}+`*-s-nXq#}C!c=lg zC6vY@3iU{4h`^ofwmVsbTS-tp94~VYU_g1Z{Ez|y%-x1=t-%lFjl59!De59{MT#T( zIy_0meU*1z^KFH95y*C;2~fq9Kj0zP`q%c9gZgD?qkozXQCfh(!E>;k9@wlsBo=}TVsD(6*0zy)*3xOXyB=69#wFK5$>}xHnPhy0ms3_Bq5uu>HVBL>tI;fJ- zy-=$VAnRo?Hl?R?KM;=TWdZtxI`D*g=@XLBzM3Bk@UMa=Z44J1!;3HZ)@$WizGeXM zuYe(u7qAvwWoarUT6jb4eM4RHhI~lM^IGV`nG6hvQ(;+?rDU}&FqqOL2mUO;kmZO1 zTsNa4%djkPDn@F(6dC(JN*z9xAq6Ga+#amn_w-d^guAZ7==kvOY1Jx(>{Uo1ynFGB zdFsv5mXWAJ4!%Z#Irm@3g+0K3hl|gL%dV1?1Mop^^_N9Rv{(Nr7(UIwRW^>LQX-ry z5X+rhT>@S~mvV3{Z%14!Dk~7>236pGRq_3Ze8=!_RuJHC#RlGrwc#o+6i83g5#)1C z+Z)l|PMmqCzUY4^47<~T?O~_3!`{DoXrur=DKxurs0P1F`$2$&yLtqI{~nTu0>9rc z$58kDPH09HcU)M>Y=h~LK?sj7ZM){>7*?8(fzmD%_waF(RV6Ex=!Zj5U_d~j_V7i9VijOPzVC#3q zVI=PsGBquU*WwTWXTktU@Oo?z%WK9p55~WKJX?vf{8lYTS&mn*%`!f%4v;B;WljS~ zgdhV9+0_j!2UzA|+LF`}-MIp7{GMcePfDLIzErtI(CZLyjvs|IJyLowi5M!jXU3Bk8WalK0` zjR5q{!$`F##fDyA>|1#>M4}`QX@M3cqtS3}d_s5ORmRsMBO*X3vUUXt4FKzrFiFyO z#7YImM56e|M24&!jqTw{d16I-MR zIRCZCh`(bFME(bh2M_=Nmnzhr|Ayr>YNSJ0ijl!7n~u>^0&A>HZ%8I~jGXdF4DSeF13OijsQyc^ zQ?36cl_b5SaK^SR6ul8&l=Cvmt61^D>JfeRQd2 zl<;c=#%WndAVWd>Khmy5$4ZQ|9B;jEnL=N7nYe;PUWIQdEO-?t;Osu^c!o&V(0cpK zNFzQ9p{+e2VS#!P7yv?!V-PDZHiSWBc0ND?MJcCG$&(K}6?Pw`Fwb4sqGC~OF80Ft zFyD4s{H=dcltNckATT*vMMeRI02T~rvJ%mu1d>1Vj}hZw+2)s|FwyUd%%SZ?{WO{{ z^VN5sQ#l{OmMwu)B(*dYr5Y3s17=Bkc0=OIMU*p z$%Y^S)1pYaH*6odoiDO;2}>g#quXxLhc@XPh!1iLA^4#rj#>G;qJRLECIv-k zix)9K5^Y0@-il-m{)1sb@qP}1{XHsJwSm>VXSKBNC5h0#dvwRm5F(c_wz3ojrWYbK zNPxh-{2i5}Q=mme0Rfi@jjV%76$7OOO_EdCdI^*(>hQQL3ao zOh}STLbAbgEOX1Ni7Nj)`GdOgP@2(72DcuARlzH#u)8RrK zRg?%D$XYgHz?QJVFqR&S;wLg1URK(`m%nuh8I&tX)p(eQhovmmShi(QJOp?r@uAW* z&<0OvaYbXEIkPq}NtHRt2mBIjC?tYYh9r}bJ*?;8#!*b0tJlp&{JTRs{t0o}QY?BS zNKpx7kihZ{>K%u3nxx>ItJjU-DAs{+Us9DCGp#v;RkcF{tHQRe3X^93xm+{?DdpT|1CvQdN_2xGFVSph(d)>+8qy^-*dsBL5K@fWuX;4xkME_Y6L|q*^71 zULu-cFTRf$g!^>C_&qb?_W&*HNK&JK9dZ5Q z@hF*~+GH+6h@ldAf=IntZD^z%+zhF@7yBX@$?g7|fi=7;fO|Ur-6DhN(KC51@90^` z7+pUMxKo3kVE{UNcFkiE%m;7@#2rE`rA?5-T16Fv*7n!=S|Oo$=MX)3H}(Fkxq$FH zM%9Q2W$fv^X21@JLY*a+KuFnBVv(q=LIZY4`2-etr2h*l>k(Fr-xLGdhiK>Ko2arO z)UpDn`4XJnB!xdf)GTyKVI4r5!1`WDGHaR4%;AbI>O*Y34Ab9({>#B9XpM+)&yN`? z3heVkZn1f28Kz$C}EA+Pa5JAwTyZe(2ht3v%ecgjqUafSfG-RC$PU zl?XE=D!G_FH^ZF6A&-VXiqGogcFC{O!@YZ&0#a zIyFlfGFS&V8OFDPRe<&2{ugyV5DPf_@8-P`H|3-QrTc0%mHP#Iq%tXg_ubG3Q7NSs|1EHA4_2lE5>J_zVLtS!g(BXnhSxm(ZUAx6+l{;56gNV{x&G$>tTkgG!7eRvIYYy)W*6moxNgHE5mju3!$pOO4^qVS zm0x9|Qho?{WQVPKLVX-zYPF$X?|=<`Au$)^B?t+i*k}I#g%UTO(_IKKz8iQP89fWq z>yWe}PX|&;rZ^eTqnKER=aKKM&0<1UQpFjkEM^^o3<1)=kw%=}EJgiifXE}LcL)vG zRi$=m?-I(vvq4tRyrdw5Zqgxni@Y8L2kCDs*RE|R)O$~KoQ-!ia!{F?y_iHL6A6Gz z{gZ?1_6&1CE<0zKp*!RJ>e>eam%_JQl9JCuS|62tR_`g&8p=!CvJR+Q=!ggF(i}m1 zJEpEUhGDOL(Vu#4RCw^KewpQiQ*;G%&>0ZWf?+!qCZ2+cCB7hO&zuIh52c(#qI$%i zgI*bx0vAL`dCpQsmT>;}8Q2(x-Vw|#;GR7A1n0*}J1w;LNmd1u=1fHUnF!;V2sj$h zwR`2RDGL!$MtOh}%4k{1D|6{2SQ1+|(;CNUlNO}qpyS>DKImU!%}SNG5;^w}+8#Lp zSD9CoD?Evck+=GO9}r?l`tgWn^&>&vKi$du?$eExVanK)V+<92{5V7L6mW>b`w}L_ zc1(wW$^nY=N9k@-UT1HEV=Dtf;Rwf^)PDMXKGyhq9v;&LVp^_k)e%U$QmKn;= zufLwVMkMfISd`A`d_crCs8=udFS!<%w-?h54&VP5hy!TSzb$?s$EsBO=m!0T=QI)y z8lFd4f1Q9u6W#@wk5`K-;9w+-pgiiEI|V}v6q6HbQIZYfT%=#|>zP1yB1#pmidWyP zkyef^ll{A8k1U=lp?G8`o3wOnXR&m=X1EBg220WQPUug_cBZj{(0}34@5PUl-J1?nj?AdccjTEc&e+p3wo_Z!I(oN$^Y_Ef-C}Sj% zlO*ltc8M)G`wVzz3=up?dPXDkY6AmbIbDgY2O37aka<8y+jJmkOU#o^$U08zQ&`$wG4*VS2#bCWkUPwZ; zm;Zs0!@4BFQ4YhUD#2TKe;<5Guu^ylL?~ff-;MMD6@#{Qno)o%7SYWx?VX{l)c#7O zWFg3S0p%eJJ4vzFzaLMKSE;LsNBJHmQI;QY$~AXHpZ{HhARrY|%Q_PSh>Wm2EZEjy zr48Sir1DNu`M!z{F%YFhF=R&o(16{N9QOk zsG!~?y9YxliT=MYX53e}~(efTRWn*N*2UPD)(<4#oZvPfyr!KM}4`; zxzV$}itaEf*5fRKYE>TeZy;4=v?mVagTzv_N&b5Y3~fUjk%mli*8ANW<(d3%Sli|J zb>+GTG5uCm?o_~cuz4cslz4EZDi4D9x;S>_PMa?5BtqX2Z6v{d{*Q12I zgu)g+5tj9;QE|tuUJwlJS1KzI_`hFH3u9F^f^g2LtY^D)_5*+uUrH1rwSj?|5#b9+ zh@JMXMkP&`M~v*yccg9LpsO1`v{2AVaBPdGqC*D|n-8GL2LIdYEKZyIz)4FaB(P-D zged6}-lPqO{J|eBqgO%)@S6H&jO|M*?@OvIUM-p(MwjE%QFOxg3#LIk#= zPlo^}&c#GYX}Dxq1+G%KP6+Bnskg;NH$SDa{TAt;7X=)F#8t~|a)fvt3Fx(rdM%da z4GIVO!AGZPGmO@C^c;{bN_tznsu2>K^Esk(vxM&r3Z5u08le7%)!5IGs2djdPrBwO zsO2=~aD{CAD;|(jlG@%#ukWdVaZvI!U^=51349`Zg)XXn=&2Gj(tiEVlsg+iZg;4b z>JhQO0wg3)J^)bXBP5Sp_jr`5?(q^>QFiG`Gv{dXQzaJy40a)lX?gH(;Ao+AR{&VW zLTR>urk52g9%7Jg4p2p=kl5|J`?CAvf=m z^8lPtbz)|eF9L-EXp?{pMuRd@?1M6~iz%8yasbf7a#~h@YixiwH1Y-z9{hxIuW3@3-iIRY+zCN>VT{T zf8Kz|lWzic-9@_;K#BC-V9(6!I}m#3JIwD-YQPDBm8$Fs(8k417Fz8PBf5YCUoZu_ z8d1t|4Z6xfVM@udO8%z*C{*CLgdt~4v$_TN$Fnk`Fht-03kI%$1PF9VK(Tj8khF@B zFND^whH|x>)0A{I=G16`q5~JeFl{7(=$OXn7_2`b&@NDo8N7FgsKA;NR~1GFvVMOU*?qkc){}| zM7&5mbe&)|VAk*sfavf$#gmD50E`yGZ5L3N-Qh@zk^^}J#ioNal*MR+WP9(9_{+Zr z3n6GkE}}u(TYk9-*CDhH07x7|pi!5>jOYOSOa1#TG8o(zG9PE838S@p_j}o3yB4BR z@~Tw=sOwNFYn;Ik|F+VM0l_*QqHv%>qx#CkRPM#-#cu(Vtb3KE$$?$y~10 zNjl9HER{~AipCM561{}Xc4++~CaqO1A;Wqnc>u43)Xf64_gc`fa;HtE5v8@iLS>Ny z@mtob1L|;5Egk3})4OtoK46AQ@CA;omedsYmOyySw(uCqM#79$cbML>5y9|utR#|_ zenYC~hSZJ?l|Gs#%-oM~{U-YVkevxY9IogGKZgQ&#kDRas{H~fZohshz@2gs$vBO7 zoJRTj1mI*t=wvJEvb|d}Ota}LNDc*C->SoKJ`GrKn0P_j2C-t1m2=gBfuh6R-u)jl zk{5Q$UqgBT!=)hWrHuBUDqi}2*eaF)l^rJZGo+di`nf|I5!#?&eU?1+A-r&X@3ui> zk{JQm!(}p?VWHX^T&S*_Km+c`=u^C8napZ`QP%%uv63OiwyOtFX>SdlhWrH(Pnk)c z%p}Rm==3mS`vyjj1PBczc2&w6RFtv00n^&xx3dzhDo^s`NkcoL{fh73@8TST+I+Fs z5MvW)@DJ+kCnXff0;7Ro>r{&Vas9Oo8p$0hg#sa%uGa>)!3LgAy`M|F1m|EMD0#rG z;WF<3)jh~%rGQi6N>HSY>~Km+b)*>2N0?Og~Fnnibn&YIw^lnm}rJV`?~r_c&w5I3rww zO3AUSq>Luu6z0bcPRRrT3KPR|689t)I)_BBBbn>V1l+W%peGcM7KdrFKgXn;--9+O z-M&$aYygY?A6-BPrCuyjdw~-LfU{2B;9|O*?b@M3|Jk8K`_dwJTN;mr2XMOR(&%zr zl|_-_m5hS+^Z?iy#MlN9@~|ihfe*~4ld0jgYB3Sen+pJ@K0u|knlB`x*k4GLkARRA z5=U*2e}a`-O*7I8obsQ-S(9P2#4uiF$&|)th1gHdLCib40e+wJrOm>|~dIF<$ zjiYsvYQM%9TC8h~&03YP7=#jr#!64%)k}FPvPs@Q*!sPkqzj|*4@CjiwzR6VhKC*A zA-pLER?m!D8Ogv^P})O5ULObY`ZeO2`! z2y?HLuL&_yz5R0hlQXB4$S>bVET7}WE50YL$$o64#xB!QbX@XRu~UVcsFrucz(_&? z)Da<*?GnVb(@~Y8b|tubv8?|As!fN4+dPEAoz*H?L%|6^Wg$kYohqfJowf)nvWnD624TpYH%*H=DU0jtrBCRcjgUmV zx)asi5{09){zhIYH*MgAM{p3E4(<9_1eslt8}ZlvNou$VF>2aC(tmr7LblG|2qQy`8*Q>LpMJf7+ z?`?}T(r<8CZ*Z{o&UOd?p6OTxUj0j7LSGe8fhh_tSMaYv<27iqhN^QnwXIP5#={Vj zI3e^~e_O8=5X<3Rp>7(guFMo3S656ym=y4c|6C-rqM$w`$cbw3t9)UadaEU}^&-ry z73#bd>JoQ?qE3bo_J!z-3(?s8f~;5wSuyIf_8^yQq7S|Ics?q@&{GIB5?|k_|v8gf`*&`T@C7Eo!yzzDUgE zJdeXs`m36dA$`4xV`o+*mRFS3Bv#H(EU%m)Oq}zf&gCfO6Nb&Myt!h2;sSg=zq+=v zrlw*x*OQ3)o;OS_TaY+yEXVJv z%)KQe9>UENPv{*{Rh3gKxDqnJlE}YBf8vtKKudB|RYk=#W?j}LLelg-Se`b;)Xc4& zF_X*f>gww#O&sEKOyGLBMl=;MLju>n?w3JV`tMcKdw7%xCM$0-9+|PCy+s zb?)qG;}7NEne=VuXS$m!t9VQG4_XWVO4NeN85N5PtB>fW&7DCr%N~lEQBzS-#Z6rq zMUyo1D|}Nl)mL2n_&mC(B2P1I?qe^M)rqgGR?qOPCoB7LH)$&8dsK8~f1KbchS8NG zmqb@CACSazUu5;u@I5^b65?{zaz*YgUI%g2YrE7LsVj>~bw`U&N*`_WrVzG?JBI2W z#=&jy6krxiPcZk{NdMx+xxYM@KrsN?(WO^3E)VA+{cW|`1%;&WKfE29N^d@gxUFMG zkO5pjGLVfWF8iSoqIU%6TwU#A`CoJEs@DtiNUQF-RobuJscb*iEq+b71;ow$#Pt;O zDE|u=3A`va3Bzbc7-efW^$};PxihZhlw<76LRV`3Fju&nCiOZdczRK9K4C|di@(%LsC*l63sL{pl0nWi*M zpGw?$JdQ3E8&!^Y@QprJ5Dm*ySgP-L@=?m9PcN08X6JVWVl_28Xx>BQo3XB)i~1$a zozn*g)*=Y=X*|kWuA{zk9L;x>I*z&{iRe8^xygYKsOy7Sv!vdn)0A}A=_4mq+zqYY zkQVcFeN<*uRfVBk7c;%Kre@JE`5H$lXBMB2B4TAcbCkHU@>GTc440+@RXf))XW!Hf zD_f|YgP`ZLFS5L*ro#RfW3cMDt~h=5n}eQ{49^EdLeeHzhEGYa~e5yYKU zHbS#qYmd+ynxanpXk8h>j4XTR?Cmt!@JNhicCFnPlldT<5Vf#!ex><8F}m56bM4&mmIwARVT?mA}iA zLdw?D6s?I*p%Yf`E!)I*Csnq-tadzSuXu>>VR_i3icFp8n#5FF?BaZI#&aB{Tv~OM zGhuAOdun4TRk+3?WPg8Bn@ySsu7( z{9ez^#I!ZmF}V1(j8Dj-uSh@ZavdY4?N3TJ-lbz6^QfJ=o0sFBALQk=mQ`zMy9&5cW@!mYKKVIJd9<1*1>LPBi`799Tl#OX3DVz^~K1 z^e^!iQ`FR%W%Ki5jdK#kUIbEyaaiw-T)k^Y1JajQ&i`=?)4Jm#wWN)5Y-VgbzA&tf zYwhVQ>awF%AAk7*GjPXi)WT0NbvNO|SE$W4I~vkx$BSYT5gsKwcH?grrMq{xer37G zxv9(Uoiw@VUSfQT$>cmXA`BxgCtGj-x6$>e*oU~1xIU!PbaPkFaB5p`_Mh|v5v8Yubnd0e(mi`*qirx*M6A!ytX2V;qUcK!_3(yMHn8`Y5TGz zLNj6GEVC?wv^QI;jr2)=u9!xOPLt~6rY9NmJuKao$5T-8L!yQ9L(RW3mPZfHH~1ow z=FxHGj}l4`l@fkQ{T1tkE}F6hnReUaNcI=YBjyjRlzvxB*xL;`k(%`IbIa*% zTcR0X{XKC*XO`8>t~74YTgxLEOMR)uVor!;5=cMKfvB`wZLi1hvBq1YEV)th=akhL zZZ^tX&p*u5 zBO8d(8CBTdr&F=@&I!p4(fYf`FJ|eH<%Fvc!Zi#%Qa~>Jhn(>e&l1gqb#&)9RBQsE zl%%YyWqgm(t%YR5lUhV%KeiKJJSBZG=`oEe`pZnKn-j7lZAW9PBi4Rs`Ga_J8p1Z+ z!4`>MS9xAHuqD zBs%$K1o70)BLmEt(ag=nCG<_w_a`eq+Jsl(*J=L-vfCU5PvY6F!mjM^plG z3e;-ZZ1%OHPf3~p&krVh+WWdUo`Pelc!j7%kPS})^MI_5g ziXKzv-A~q}ku@KZjW-h3(Q=uveYxL@&JZ%7^<~G&g$`mI99j6j_2wQ-8c8d8Uq$+@ z*rhUBA}!;bpLM|q2{#e(KDF7H%G@^I>*=i(Q%J!Wb#0_Q%;0htRnVHrq{d5}H(Abp z7nL}oti}|RfYevU8AjghneH$M(S{%Om)~1i!rmfu)iJ+1EY<=GpP2QI${p@Z)vp|h zp3T7cX2-K@*%w)nUz8D}D!P$m$5`j+>}#W#yTvKGm+Gt!>Dc+sssxgjs%PVc92NI7 zpThQ-Fh(^?L@Hxdk(aPljdN5*gNY-KxZRHy4JRJI%Gy_NJZvhynUov%aO?`=D(olP z%!Zjpjp!9F(2A{?#kxHGoMrb4&4gWOl8C%_5Bv9!^gp`%p4 zh~47RP}g8%??{6wrtrt{%kcGK{Ac1$!e!?yRI#<12(j-gsJMb!-e)80???Xr3+C?SWwWP2;hr(OVxgTs%NfeM zSo)T%=gqP41wD!JNP;ao-td)y78!2rf+g_tZu~&bAq?Mjo&oHvRXU)IrE zGkO!#FMR$w*LEhQYCW+D@!noUOpZ^w!w}2RTlt5QjJw~_FDkCYder)+w?DDvB=RGS zwdU0i2w9|XkMV6|YnZg)ZDVL&6S0h7BP+jfu5nFY3s&1$OxP(e&4jwwu*2V-a3#)f zSYu>F{g$M-%y+p~0nt44$ScHBZFlPYo5;n(#N|#}P2$Yw&GbLxyJyZe7jpWyg+~b6 zY~K^{@xy4 z7LdZrvpyi1gOZkzstL!4J;7(x zxpj(dT!P0pCOjX&q@89ASBa9ao)X|B1<7t9P=)bL=Gh7xq8wa<<3#=ZufW zvq#h8S*QIlYnmDXre|>seIj#+f5H}@%*Q5e?udumnU9X-SrwHTdXD^B3wD||{{X8$0m=zg;L zt-Jxm^+ow6vO~w-07-hwFLuiZq~DH$oNeH5{~*HNzvfNUmK73qOv!eV{-ZHFBK=3t z+ba7Z!@?TkIY~YHRL0L@Z8tLF@GwIg!Pq$oVa#0 z>~!zAFQ0pe^sgOXQcV_pob@m{Xvi`Vae&(KtiC(FnY*=a52?GA9LXgM`;m=p=&k;E z(LtikT{xSF-KleSxA9LStABr$>%EHq7S71nr813pum?S*Xl~OjJOR{7kp@rzsm*lG~eIX$V2N~YeYd#G#rRevqO8rfL zk8p?9(Sza5z4VO!RQL1uuRdPw*4vlQFZ|Hn-pz8}W7N(W0xc_n9lYqQ<&1F1!g%=U z&fa~RMUpqoASRpGcQ9gA$jRuM*|>wJ0@y;K=cHAgbs9f!gSy+c$Y#B{D zKBed&Ws7S5q+*6@l}Ku4lZ^dj@9VUso-B$LG}P_z+^TY3U>uLRSm6f3`kB@uqB6eB z6q1!o*c)FO+c2#-I-@7CJ9}t*8X_XtFh?`4&X>`Th(03rBf=ZubBs`q zXG1y8{++ueFO&HEM9d_DT2~v%(3ZQ%kGdi&HJ#!#Zm)anbD#3aih!k^J!M$MkS*ql zWb2D|*N@Dc>F2|oG$J*c5e?hA6q-CY68vS&sf|oO;dXuQ1*WUGyASE-&RFYrHrhSs zskn-W!&$?~BF1OWPgpwN*gvAUx92q?_GI}C&#=BE%{+u1Ki0Z8LcfsvwPcE9b9$ zHS^BmE*VP=;#bt!;=sU&jnX2>Eq3*V2vG}5N$Pe!*6Nb0}Ril(=5r;voG? z`b8J$Y2E|mpxE4-2$=Fav)`{D&mGV0$6VFIe zf0?se*1%0-Xl7`NS?s1g%hY)CiD3(4>FEvh5O-^wlanfL@eCk_#qrfo=f>5Sdb$(q zl#xuLEvBdbNy|~slf>wVqj}mc!dry#x+{zW<9LVR#%#}zeO--AuBBSMfqIyp=8q<_ zujGtWS8f)zjCJRLKE7F-{Mf~m;fBX`{4UEwnZ2A9Ht|NIZxr$DQJa76!L&Q?%f{Cp z-Y=;!%n#dS_(5nd|J&Xdn!ovQ(BY7PH!sSS^X6I=Gq6X2eV;I*G6!CGjA4d z%&&fjOXAlH2Z;4udtMKseV*G;eUNjw7Yn0E?a`bb#50OiY&`o>=677G@L_jHxt%h` zB~jHrZ9acTDy$e-h2KOuFZVG%^5>8qcTm z@74}o3G1*lG0#a>8tOm&V<#$QpH~m(yJ??TZrD+8*F+lEMIJgm%1XdHHj7?0DW$`TXVaq|ElZE3L{jz89vfLTo36 z3o1<7d8T(pIFOHwar58X-Wklt9{f_9?)jLwJVkpTN79Be7ayC=EQX_#^`wkm`IP0S z@%!1@y>aSAO!}X$&G_MJ{*RIv%08X)rgfUm^0cKi!%p|^AnYvn2+Q=^6)wGDPbJfO zdOFFOnQ%In7`c(Z-a`y`8_bg#%a7?3(_Um|wf{-{}$tT{UOsD?^zh9ehu z1_?8Weh@UKvGq@~e)cQwm=ST>d36oM_1{gixd*tnm~4YCfi30lw#Dc3vCjX*3dF+X z@I7Fw>A%1lZaT-XU*sp_Sw$zmB>Kv+Sh8x@??#hqYI%qpNpyLfROouWv?L9Py-f;ZvOl5>jm398-glx!K&B!04?5 z2ip&K-SGjNnDz=kQ(O(V^>i<(+e%zhJnyMI0jvO|7*3G z(4>q4HRV>-WD)S&Tw)o=4J#4oq2=VtB(gb!IOnr9e-hU`;p?!vE5w6)50MIg(YsyW z?YZ=U>V@ovwF5W3Vg0R7^)j}{ON%_|>WooD_>7pM6LOh?3o0fNZ|E+js+d^uQC#?P z>t*;9^;W%|PxF*Wu4wD-SA=oM0iCdWGvkHVzUWXkKgr`K-c&+&Gh=vviC*12oD`JP z+8NG&8=#Z7J}4QriK?_;T)&An)yfswVQ2T0PTZ2q4X}Lb8%o%MhK~#+%2ME7bQ((5 zB-0cfwq(zf9m(LNyY@a$_{m$pAZ1(0ljbiHj1dO&aD%B5jvHsG-r3c|SkBtnH2eLr zhQ3By_ZY)n5p1%pJl2$)a}RO36dS_*0zqQcRM{@Q2=UTj5N5pV;j4 z^niX$PH*Cj?4?aD%cm~=1pBLtdef&JzO)NhzCyT&ys~>8K(+(?J%id+Xkiit& zcEvg-@Jnq|1kl~Q?#2;ObPSW@FCmr(xN(-ajGIW=uXIwX$F?0S^?@yay-B}I z@MB45CR&;sVZD@+`f;?3zEnIf_az>ZAgzR(#>aYCYMIJLo`00i(jWEDA!m*gVJ;y> zRo3XkZOrMMy%Xv`w|yREwdt7D`c@m&YvwMn?KLpg`gN@JZ~@b`{(W0^tT^=E%|QpWK#6JIt!h$n}4G708x(Tsllh?E1C{^mm|OpmfkOM*3qVJu}Og>PHc zgBbJKA8ZdAg~v(R0G=0Gi1+7i&QxanMsX(V?vtIy6?>i_-Z$M`|APUpzh@t*z1#B3 z^t;sAMXoS*Y2ilVnNUr@JL0FrG$q!uH0S2XwEdn~YG2#kQA??7RiV!|EuDX?;#apJ zXD$)f6L!SGo6CM>|KLwR8My`EpOl=l|7G)q2Iz4IMiF)b^OSRQ&-{h%C$eWz+71U= zRpz~#c`DQ0eRllYa|i3)r{2<+S&ToPfu!|AYi+dtb;eWn1pKatRb`L6Pm2AC__!Ko zXxYZrhSJ;hgIwbHrS)5kM6<4RdT~4q^rUZ$A2OC{u6#&?slrbre>TG(KS3-@*vJj7nyFD)3slCBikMlM z3kp}T8yK_ro6BAotvziyxx9esm$@7k*Jf4beb!%fm-jIP%=*5C*=4sd{Mx(zcv^fn z+<8D(=wk=j?WRIEV=g?zUO9Gxt+VP!r#)(Yu?sWU@L9Az!ac*&LhQwii?WmKx9aS( zO>Dx>E5!B5rWRMR>s79Z>yfg{aFc=k!F4;#m1A>ypq<{xG?Z@<%i(b07{@taOHIS3#539t(Q?imOm?+@VeT66S>ex z>XPX63F>XXX)ZiY91R=owB~IhE>m52kkm{g&N)5X4^hXVnps3_BkrdI<5hLzRVVS8 zhxq%^nj3)Kq*?FL&4b8A1m_@L<#D2aTr$A(sm@XQZqA1W?~JH|=Z%IB3~-B_h_${R zQF*UnRFvMbqc7YdBcnVsqbxTYJ~UV?)>~P|+jPcYeUe1n_arSRUwd11 z=AnuDMZS;js-JyXFdWc{H)=NgERC*1$Bf-@+WIIf&LQ>7SY8}WHXN|N(?#To*ky?Q z<58`zb1rL@j#;|lxb0QvoXb%8-h`iIC)sq+pz6xD*gxQz8*(!34Q1RY_RiX0?6<_{ z8ibYk`g0&1pGP3BSG4C1;}~wbDUD~R8ORVesyqu)G?OtVbmj6>oAJFyZ0}-6v4JCQ z=itF<8PZRE8;S9hj!C{)PuP2t)@UkOQ`fE=Mr;`P%Yys-OjYKuT=HW*V8~^D33JVP zVE|K5)`vQ1M&3(WCdHhU>e_9XDKNZA9l=D|U*+}{I+u5GhH)Qf*qzZ#PR1m{E?6|o z`E}1dmE_nB85hZA6?1#pSMC@?g59__mPsgU=MrozlQo7~_cGe?g_h2C%liag=X~YlJPNh zjjImZ`wnFX7`H~ztr^gQW6tl)t0X49g?hA~ICtqdPr+9>aKPGNW>bWp2`E$=oq(23 z*HTx^roHquJ(9FH>m}`kXVn?cQ{giz_y}7mFdpXP31QSCCM`0PJ5m-Irs~AwjeEvw zn13-#8Lw+)<37Tzv5tx_7*3jw6IZlxOqBc9)k#T>*^PL^)Csp!E>BpIaO53QFqmw8 zll-`VzLm1+F$ay&w=r)y7BW$FACQkV_I{(8LCo+Y-;j-C$yOB=#}Z*+SScLr%)Yvx ziSbP{cA`>A;R=TCL^#XTBfsMyk>gcl=XhGV1JZNe*6rkC9(7spx4nw!s}6lc*r%~e z=jo?9l1cPmvfi!9v}7^ann}EiN&6L|y>bEn;R|1B_jR*QVm2k`o@u`v{>|k|H#P}f zyLP706SJ&smW7jG_0!8Sh7(a9voYQAF&K(jR%g-X3u{t|_;0Oa7)#gS6;)TJ(o+}F zs>S5wGMcfN963x<)oXT>S=E$XycPLL78BgvYE$bMv%B%;CN`UIg{ro0zj=^~$n)!&GXZWNS8wIju$C*BfGe5y6t*5P7YvT465w_I$R*YeF9KED1 zbw8}#m-0wTnGr!MG&la-JYv>Z`74G$_2d@wyIym9H&-=tb6FQXZ+*bZ@MU^ylS%wE z-u$-cDz|!eU_;=ir7bCw*__mI%;d7}P~Of3$_8f4G%<_IoDe8W zh*{r{{m6RX47;bq@{x84H^Q@&l$CMu8K1?P_UYJr3saM}+8SNv^DNWd_;sxHahGQ% zG48S$K8kf|>{m?84MiE$?(WU5V=teI(%#R#o-vLT@sxiRe~HWb<#gxI16N0J75URa z^81RW6Ib8ti7pd22>X;SLw$@s5`@R*81pUlpStk!_NLWw{zUz_Sz6@&Z!{ zKXuL(=bxju2+pPb3O{FPYP{uLOXM;a6wcpQo?5EEt@Lj3Tb1C~ z6y`Dg&MtLr5sq~+zu%QfF+A6siLeiLJ74aavWm?XSCWiH8t#ZK0d}oWJ1u7pN$tw_ zvAx}ck6o2T_ye|^x?@jk>3mODjW}hHb^cI3Ul$x2_IZ0fwcdRy?2jqqSyk*XVOf`wApPo?WWzdn>J|^n$RrCwn>{n3n{eF zKnsnuK!r*REf#2@wKE6mUU&0Q@^A zzjAG~QXZ`gR#G1Vm0W@6o*|AMh+soEO1kyB@wG?NBTdkpp@NSEbHIcFfrMnns?12BPOxv{tCb!r zHBy`%kCYkK+*B}nvhsyWPXf+Z2WHumEbu+Cy(yTi{!>C7%GBrN8L$z>>ednkKS6;-VanxqQ% z+q=^B`qRMSDChAakMyX5DM2#->)KM90pUc#0@;9Tuu};tiyTx1CZ(1hVMrDQcN0xW z1xjkRnqx;%Rr$EdLK-Bg(W7Ql5q37EE5Ji+0i3b9C`!k78k(rgV>q7ui5O~Cv9!QGV@j_<=>F)pbAXnEN4|Y+v!MyPZ zO|>epK-8+4!deOjua!GP%6_h0A&+H&_MQ&`gUsrROwO6ViB^C$lG7Pd-|OnktgdR5 z%3KmgAlJ|w!Ojg5I?IDGzj2C;;IsoU%b#**VgOO^UaJJ--S5!a&#rncDwWkDMPp`# zkdbws6vX2>F0lP&Ou`tHR^vj`hhZka60A?temou6grA>@m|7wKjPhDDAfUyV=)D$au^O!+s-BW1WqsnVfAp8WFgXZKEKqV=N|7lDdE}x|= z7=`#kc?)<0WyRq~o12@y6_r~t|H$m4=z}u!{3|H$${IwbuSWdYy6Lg!L1=5FKWOU=Ut9LBv_El0)~ zDkH3dI}!|Nm~!A9&l$9FRFam&l*Hp@ppUH--jmZXs5=XyG4GTg1l#d~7ZAvw+twhq zfm1rYroIvRQ@C3!1u;2eP0^7->VGVfbT)L2a4+QLW1VbIi2-XTF(J?tN)osoB`<_f zv-RTqEu=hv?EQoa?Mj~e#579F-0s?yYmb2gRKD}!ulzD9n28LXIG7gGd3>S=+6LA# z2SeOfu~Zgf9cy(I^azm>km22U;H7Cy0{3}+y*yv(&Ovo{R1-kVuR?|S>Vb*gYk2M0 z+}E)1eDRr(V6C&zx@%b22N4`vDsAY8V*vR%+>Q? z5t18~r6Z68*G34DWQ6N|!*5y;rglr`Fkf!D48N&${?~X)55%nV94#IcDtA}qT?RpU zq2OB-swlY|IoC=3(TOd{XMm|}(C-EoNB4NXDBXjEPjY3%tP*nEY1sBp0SI!aa?=b1 zqr}Vr#yA6VQ^pu}=~k!0(8K&+I6qnG+#vjjWNs-a9hZXZrZzNYa{s_;B)n0|W3j-q zo?9*TK+{ba^xAA6!D*M~fepqh4zNjfKNP|}=&|j|#N1=rDSB7mQgH54W4>GIhnP1O z!=L_W#}F*-Md(xg9&uRE(m!arA2bNPZrC5RP_MJBvIOV58H_`j#AeG|OO(hC6u7>8 zqB|F{g<`Y0kTe!4N0wQ7h-`_-C4xercANEU_O2K)uGy~Hm|T8$j6XM8yHw=-Ef)RX zyWc?UED?76y3$8r?XkyX!ztb`hi~*DEa8O*h&9UnTk&T;!Q>T-mD7r<_i{gxGqryRXC}|+W;2Rvkc7pi~}RoDF(~cR?RD7nRRNQUq4M zV%2pv1dTxbAvOuGCqx(b4_z6J`^6_$s>P%;x|d6PNmwOpaLmkqgISjqC& zgH+i&Nr;4r3C0H8iuxMc&_pmP3pAli0}!Z`c3c2$8weh+PhRFRf=pq3&6|dU+-dw3 zAHFsWF~hh%fz#M_TXG-)mHdLaL9=hgTrvo3WLRAudIqeLezgbgMdm23R{99-I*nmR zS+F-`?Mv6HkW_`Z*_G!|-f?(%&-Zvf{5PFBhnNRgE&)2EX;i=gAB60S=?*Y3g6J@`^zZ0>7K zy=Lh2i$Us!-x`Llb;Ft6xPDTSqTmWXaZa&o7`k*nHs4<`4(%#N6`}Se1<UuJQEI}0v$$daeGUdD7hF`D0$q_fpl$`O9E?ESFWwfo16>-7=-|3L z;8@2=W~V8*#4H&psHPWGN_Z~xO;zaHX1r}P-t#4~dDZ$@n_YKoG-V{4LUihv zCvr)ay_w)Q!A|S}b`#hxje~Ur6~tniF#SzT&2$V(olGsNDBCV$c4w#SXV_{+g-exc zTEg7{s?%H^$)l0~(ImQ+ot0qPZjoy+J0XGBOAt9hu=9_xPxa8c6Z8q9E>z^!T7*Px zMm(3K%iwdtKp`&Pu%WN1Fp2J$uY_yIbOC$caSW`6BcxQ!KY?WX5U_T&OM-&88_eCn zhO0nQWV_%{LV8+J@RUm44@D4{UAF-Yc!6eC?nJ@|1^p5Ku1&>M#$YbnGt<3JVJMG> zQ!ii;0bR&5@MAEVvI4Any#sIo*wHNZ>v4et@k{0;EBO*<=Muniw5MiG8s;)eE(EQ# zxfFpf^WWsopJR7rJY`{!c)bh7+ z3)kLj!(Ft45|`fB^eeE)(UKFn!Uf(Pj%`+3R$q{X;Rt_wZ3aPIP$ z;@)V}eW(D+bO-qnpJ*mBPD;~X~*kwl*4X)GrG2vXp)`d{d z%f*|ap3;wT(ME6_T0xf$MSLUQ`)r82Kd${@N(HJbL~|I$wF<;k)HR~gchHe!5pSM-d`DY=hf^ZevWR5nQYRjBTSmHp7x!D?69ZU;XvHt`l~ zDtpfAwV|NPobCs^1m?M3yEhrZs%3Aae!~$-oCGd0WAzbTRp6Y*mfES!@DB;|#Wl!q zLL#QDZ;DyIKVBSkEd$eWZNDz2$8Cmf5;pU13hVh~y`no^TR*xnlB>vSKx{UP<4Bz} z7vV?v64L>Rb`~1J_riNn^4@~AdnI9v?NvM73nyBW=t$cxJCk6#8*D?EDCF3#hcyfA z>BDE$+rFl@dxsQ%D2qnz*Fq$VcxhH`;lJ?F5Jj6_3Bg@_D zNzd{joatT-7USlLT$Z#JYztA^@eN>fzXPqfrpp6cDcwIL?>_KtK-|>Q0|>O_+;hWU z1yO8O$y12$4O^F&xM`&|Se(X%=N$nD#kaG;lc9Lg2_zRIeA=v={=VY7%^}cmv|AWk znXUM4G~!NQKy1>0f;vPl=1+6Fu1!JQ6t2NH7v&uP#=xXsT#)BD@&N}{+zb_tyv_-_ zBXF|2wa~CBQi?%G9&0vf^>GF|kjh6MGIbA=M$P?1Fg;(8!J8uk(rM@K zhJR`D0z@O%j>#&H4lQ%DqNluvLCu{jApVH^gu z>lDHxxGmBQ#P^?Fj&e65W)N3g8o=Ai(d;~QZ35UW9_b7dyy(zU4UEC3rB5oH)3kk} z&LSequsyaeZ5etXKlMbEp)Nj z=k|u;;KYPE;2Ni8M6mB1a)-a&yZTdlHP$k$?Zh4{wmu+=l$4xNFOiT38j*lg@T!I!`Q`N}L zRi(C6)jYh=aL{WPhNI>67i(#)FtxeDv0DyZ!Zf)I2c3#xlt3I!QJ>z!6baLb*vR`6O2wnNlb zu_p*g&@uP-eRJIah~s(}AcxWQL`p!rL7jFhCLA4qwzSu-GzUul{bQ{Uwod`5y5+e) zwsF(KtrtPL{ukP7DFS70MzU>9{}+&3n{0>hX2aZmw-raN&)v}3|C@lcHu%?Y(+){H z=r?w(y~GV&_*1-hpsO1w+})9GTy2B_k!fzEr$1KSQlPbO{|%CMvJS?3sHNWFfBGcIA??ru9@|cIJ2H)CS+@O7FwjdI zird7*Rw1F4tF$)TzVZX;9nj{yKE2xS|AC&{Km!q=70TaN(%KC0(Ceenp>VU5)e2ZE zX|z7k-th0~;ih#p(?hGU(Mk`kb+yOB4~k7~9JW;^X)OlAcPo@Y^EZ$|M=H8Wq1GDy z14;eK6aR(2Zu(?vYyX|tZuGi(_y2K5kz-z&(UF& zn`dhKvfVz;e=<#4t8OoR1AMJx)dosizdKOdpH}~;Pu|d0M+9`(^0XlJKj5Ghea*6R zPuMrLqNAMx|0_b;y3|gZZ9v~-uC^5iif?VcUb&69ts3Xh~?od0JWY!Vk&?ImPT1TWKDus{Hr9`L1I0T2@5t|(65FLh; z_~e8XW3tJS=txR2J1maQNy$mpWLsPpM@pRCA!)i=Ub^r_XdJH=Tqsl{#L%*F;|A7^ zA743dPqmWEf7oaK2TZiL0u8rT@jrLsuRZwJy7rgrYAyIzJKS3S&wKYjprONb zYgMbX4Bg)vw~GI&ux{gE&6}sTjnm&6w>n^49d`GBYuv7{bT=%IZPe3oL;QPQ{2v%Y z+p{<5Y&vR7{?@p)8yU19^}j20K#TLY#;wEA!QUFUKck%gQ(a-J*!%wnjhm3dE5W!- zf#5>}UkJf}9k1`tD|nFWPrk0h!*4_& z%c{q|?4V`~9XYdcv z4WkpfptL|SQl~jHqL^ZN9#YBa>46xea>y>cF>60krKftprcdQ`dbo|k0=3iONX1?7 zIYFmNb7jDlg;R&ZR13wBLJ<3$KYr5Eop}AeGDE#KSQUk>FLb$4yS) z7~zC6HPsB}`2w#>Pji3;wkjh{HqLh2piXzX+pj}PhbQMegn|#Ykyfx48kb!p2A4?t z;HSq0&d;h;r!(MEK%EY99`_YqQ_7COQwo*K?ZO|sVSv)%|5k7tvj(tT-inm&3~>8^ zPRW7M3h0ZYVlwV4ZdJtq43K=`QV@MWEuji% z#uETyl+)7!1C%PK!)4xwPY88@lUg?)L{v#970^K{Fp5VhzejZ=tB8b|c*FdJDHo#+ zPTJNf8=MHvRG7)9l|N+R>rA9m407OPg#!)(93&|;rc;6{rTHKrMXg~ptR_OE(Qq2A zCQ=in;WauehSK!8!r_RV5`J@?H|zv5=dmC)y4i!B|9Vi%A+rM3zGqj%DE7@#k~cA?Ao>M-bBu#eZ_ zvaR-S59}NS(BtXWOf<^q)&Nl6jrdo`q#$wtM?tJaG5r`fV2K*{r`6*u55LxNEm2gBYFS6-J9Xbh zTYh^U){!Uox2z+7nb>Z+yo})c_UF~jYl}lkAS(q5rJa-rGb*HDRNaG=8GM0HcJmA9 zeI4evbTrS7QH5T=8Kc72f9X*2O|HVt{BI%nee0anCb+WQo}nO-b#2!z&ivm z7nCr9uU3=*<`ydXk3u?diWrrqr3|_ebAP-F#pWr#t-g*rWgDNsj*ui2gApyQ)xC<;TX-@wQHj&u8o5BLp2IK3qL)` z6sORH!l-si2m%qJ=@bXw3FP(|KG<4nD$c}(>L4_DG%idF!Vqktxng8_^xcj_OA2z! zMowxO+m}LhpA*X)Z^PKW@>cWM{t;zC68z&;bknh&zz^&XA@YJ^V1_a@IJBzZ&{7!6 z;PC#3;an5KFS~I#X|M+CMgdHDk*OzJi5Oc=E6$U8)=lJIvj!}tW3Zm2lH3PC;`{OCt#3+&n95_r3}ei zc~^>(1RuXEDFzc!1tfyIs1u+R(ImszlB7JS@7)wUVNfVM7koaHPs%%3{oa{_)sI)d zr@%dj}FaiIF zh~Oao@#@V7>7DI_|M?hh6NSHeOVK+QW>>3OO0y$G0>?II;u6@npzbSZ$xW<;Y4*s$ z?v&;TB2tTC0oFhmpNL@G2uPkpy76L*n~m6=>7P*mE+GjMD#lM3SCLRwSHaw(@{JpZ zok}pJh(+|axV*}QiQ}s)#?yb0TusnXqXrXHPkJ$9Pyp9LmY}E>YcA~LeipO1NOFL` z1Er9=Ac2qB({m(@e9!};Es=w{3yDPuxiN^DhJ`ptot6L|VH5H0sDx(MY>3zwqYip< zP(c_h7+Tz_4MC?b8Xf!;^0OdNp@@P>*MwBpHM|0M7V70>B-DXyL=IKXK;C%pnWiy8 z&$46q4nDFuSrl`MMhUBnXG1<2av)!)nRI(q&1gK53{)qS)r>N)F^*S*gUlphKUpoi zkoz9Y%W+^Y-<-cJC&O3IkA%DsBO$!5u!r_Sld?N2T&c0m+Wk`19#JjZY~(*Q8i_h~QSAEMBO z<|W+)W89K)r(#5M(Dt}Fzm^1EnVM$15Lt`t?iJ575!cgX)#E-@53SwM@Ey-$qtsi8 zQs^j@V15`)Y#NE3O=Y5vS&aJl94Mv1?-!9gNdYY~7Hi+3;~E-BL3SUMGbKt&2vm$p zAumZI5fhg+5}C2F!n}L(zfrESA9&)EWR;X~i?I;u&X?kmbp}%A{;CAm`K3?5K#i|y zy1n6zqLU@C84LQXY&_5BiZR%W_bJC#Z9UZBB-)|(K@JT*2Yf+s2C+g+YX}V6zp<~7 zA_#aAJw;QeS0Fx~6xx>_e*~hy*qhWqWc5Z9#Lu-NNStMS@6A)t9ARn0j!eG#3sm0p zWdnmP!T`@}SR}7YkWys=1U-8M_o70i035Et6M(B~IQ@gnk3ZZsNt*4-6VFZVi;ux@8kRswRdLL>M%*7>8+)>{5ioJ9NK z=!ScADHP9QwBmBC6&AX?BXuyF;P&jog~CZ%MjjWZn|e_|uHUQ@YXji({|o$4=2aS> z79)jveDugNpB<}(o<>K}vpCkHsXnp&2ce%(#|OknxdPLnK!L(|^MmpbBzy_fbia;O z{W6K$pMNgrDKW}?7;`yKl3Zbsu#TkrzN4?ZFgW=IijN>M0Eo-_u@j$ay@X%H1(fAQ z?7=bg0V;y)v|B_F5czc#F7&>G_-c9^UIZ---GKwRZ)P-(pesFHjAPhnRoM$jS9`^m zYup}5EDSK&S+X3-PGD;lt0AU%W}5MH z-}(!8vYjG`gd^;smsinuNuRPpayz{MQPY$vs`Hj2mmZIGpFyOcL1nx}A0H+x!znn6 z7V~|`bR4H!&E{Cp5?h(ZT&|H4ARYpD3(qwC14*Vq8vTJV)8_E9ks_;oP{WJ5d0~Qv z_T%H3$-G9}D;#E4wss0tR@E2|hqHo){AhSrgZq&0IF5MeMPR1)0u@-S8k|cL4c*}u zlC)=4oXAfiS=zdAl!DdLkZ}63)};pLV$v)7X=KOwJ9Zv&K4#u6;aaiN$=9?2`d+G>$1}E5h-7@}%x@*4hO%Zoi<+~T>8)~!8*BmY+C0d0>-oR|1Z@0Z^*I^B7{RhgW213kmOJ7M(;Du!C}siM59MB`#vPt$T(OS?XJTg@gKSKu(DF2 zyUIh95$*kv6^ny0{xw%8Yu^pWG3V(};d%NIDx&7oXs@GQcAyF;i|OR9)eqxArg17R)$)>tT+VEO;04?rw2l{z zZmvIJ46#vUDqe+6kOM3i^L%f5i=2zxKZTS2kb>_8@k9I#cQ01+0el-bQ2#95TGu#V zaw&W(AcV9v0gcuRD(&mk@DwFGz~vwNaOVb5Sy7K0Fbm1X42Cgk(`8tebhXs9H(V66 zXGSm+eUl41BXgKIfmrdc>>UvhrEs4Y_h??tZxb?vVwwrcu^vqju9lD7y-k)QrfNa3NNcN#vvJ#ja zq|wNRl%7L`2YHWKZ`~vqAY&6mZK2-AF!&OO8Q(w8AAh&ZZ`z>pJ%b;SIdox(Y>Ua; zVOyrsPG!^*SXAgfjLUz_v{Xe$W&2gMkM{0pGD?1`(}iwF4wL-jALLNoDoP*78i#3L zpPt-}|800CT6iC(ys%#PB~@0`h+5ri6tp^c0t68uBfNLwrk7BSJQZ!nN=Q-`Wf~KP z7n5BosT6;~d!yN-QDujWPjSUfU9i^Dlf@ZA%y6G}m=wGR>yeAHBu#kOxP+)$+Jr7{Bb( zkU$a=t_pVwhe;|fdbUGf~_y+eqdiXeRJbSt~wL^5b2G-l4pq42*EDXZs z_#S*3t4%8zXJ_A1Hi?nnMZ#33hLh@+U{Um@BV1uRrNWDu1X0EtNhOZQOx8T)eHObv zM#QTl;X>8va`nh@fELhS8Ao(rR(l1KKhcWRD6UkCJ9VX1A#;29irlsS3 z83(Q!Cb8Okq8kl3-o3LEq{DRL(_{}w2$@4bA`HXj`2*R1hd10wqJ3-GF*=Du^-Wyj z?*6BXPV(Iv7Xv8tFsW;~I{~R6k^zuJ_$-dq=0! zt1S1bn9ofQs&q5s_z0!|1ch1^k_?xl2`f!g(P|(>)2#v-PoIP!<&Vjq2V-b3osI8e z19fPX410p7_o1n8mI0T_gaEB->oYjcRSn6gITqLWj?&M|eg@u2-lYBcXwQO*?;z_B zU!5C^iq__2;1kqb98mBzg+-P*kz6bUPvh%3gWrS5DslX=$1Iyfbv?N5o7DzmqOpf? zr*Q^o3L!`9GqJ`k?)$>?6Aeeh8&!fye_Y2Ij5BCakp@TRWw=cWj%AhMf&>I6GPh}y zV_=WiMOq(9m!MwavqvMj%)FsP&ocSi6M6}@B}bLgHn9)hPj&nmCZGF4J4bcFp@eNN zM8qA1^&~v^U3=a-+qG!p#ELj>7@mzS*4>(!su)P4gIBI z7ma6MRvj25OcEH@$_i^U|PTIqe9CH}&1 zC@TyheJ9tIdjZdr#54$icu_QV^%fyvA{iw^JSu5D8u9Vw?vcm zV|FtGFfh~b?#AY zdqvH3b;d9e{1`md90{R7atqP+?Ria1Hs=z@LLeku#WiAeC4}<2sQpl zFTPwX^uURPHFh=fuzQ+FqqDmQ<12ZQHaVJmHp`311>(R<<#mX}u6rATl#EGKk#gTO z-*MD=)@PaB^SW9;EYtBHktDpu^gQIcsy}Rai^1LS7{i+kqtW|SM`D0U3@2Ygehf+0 zR`e#_fVA;&on0kqk#rj>o)Tw(IG5@4qOd^tgg?e4lC9Ro`~oJ{e-!aq+<02z?TL6X zw+99?r`40=z2`&mrJQbyCTq*Cu=m+>QoR*~=J*a9H?uuhHk4P@Vr1wNo72tGKuNq1 zp*7N=sLsxD*v>|=|5n-8FFjlKft;&`o@e1%73Ec*3F-RYI@~~>WHi`gxs`G}KB!6P z2Z3D;4XNH`h#DJyBW3zqV*`+A^igCUYx+iw=i+;4os^3pWsDct(Pw3QVe_>J_Y;4} zdlzlAO^Id;!z_owm|{bpFq|!jJ5TDjM4LYcPBLAH&<{zpr!mD0%Xs1KG2I7Z7q20c z1=d$;6OyvBK*hpdOqA@HNoSMeGMku8<3q&ge-qmc%5mdJnC_=EF`L;9nQqBEb0aCv znu9OvNq7ANYVj6Qhd#ZSz^;t7@nQP;wBbQE3{vcHO|?YCu#nNns?(w`_mE(j6pjNq zv*hEH6c>$diWSm`fqZ2ft@7t0{10yqGVS7hdxEJ<4w5AeT^Wt#OcrWUxJAvjw4IRi&&;C#J08b|Dd8U4nLrj)EB#8M)Z&r z$XnD~`X-doJnFzm$(}(ApzSCDG@9R1uEmyTB6t2`*s3A%JlmKhL@a%kOKF^Iahhlz#IC1#uy4xaBJy(KdoUN_ z9gL2C=$(asoSySjla5Kxa$z#u?8cM*PLyTD%tN+76!A3pxL-&j?Z-uy>_Bw3xC8e$ zjrI~(_C~BchfKRw%s;t`^W&LFakC$2s`5x76%Sv*y|pL9>{k6T6&Xx-nxa*tGtOZ@ zW5ixNe}&cJ@^CteT(~$MSI~Lv3o4Lo$?Zz%;Xt_F^gXYAoylE8QQ-VNQddmsb7K|R zlQB6q|5pS4jJ#yKVz@9|Bk4ddWpJgCe4b&O)I7^P0s9i*=sKSA5ynJ1oR7?juuTPg zo7Sk9QeH!EgQaT(uVD&;!fYhTrXTa2#f5II0^gSNFKoh#si(+5@|DtOhTba6x8MmyqQ;;k(x~JAyjQ8xD;$J+3zV#F7ba$Sk;>yhNVZdH{zN z!`aj!BkNLObyYl zFrl|tuAduW@QdaO4AwFE>g=k~DU2g?3vDt!MMeZwsQXcqp_f2%v9!ePdnm}^dYqX&|UQegO zgvn$yhD%|?n;wzbrtKT>G$m)SSDq$5bgO1W< zHY=rAL!YkfzHWSyP+axi_SGcO;AF(ehAviraIZHu8>W$&meV*qgbtvw#`+8Cr^Aee zAWG?ns2#%QAdO&_Rh%Q;jL-0~_-WT8R0o{|dnJ zZQxx)?Rr?O4Y2%oHg@Ntjh}4)QR<2+KS5l&v5u_F>W|FZ$QfQ=gvnqMV@2c(zH{L` z^rg34Jl1HKt+fu}*s|{}Gqo2U;9`#!3311Jat89ikD+wrMWazm{EUXl10LI#VQ~u6 zPtI2C?rm0qc=(lexhelRd6gykO#ZQlxLd2snK-7x78=e-qV_1~e!!;NU;&lI!f-hW zF(rn`@E|WRQ=Xv%3^0$nfMVqiE`oUBg4dpOME!-!@OIZ9zhZKf8*~q z<5zKAjV3$eIJ9K=l$24^h;ZK&nh&gOplkucN$ZUgeL3{PXBhSBFl&UkabSor)A0IAgSNFu1 za9MU5l*^t3nr7(~B6rgvjL6RiVamM_F%F@My+vi7K)ga8D1I$rvBm>5rTP+_9SGHh zka{imNmT2?qr^qb`l6Q@4H&B20ei^|^I^GPX#E@R0SxVfF%azPnT7R}IsdG3+a16ZDTbG3P6tU?j9u+HxVtpE&uF*t z#(W5uy#U$w>YNntX??yJ*vjn{ zUy%t0iv}keBcbP7?TK)CEr#7F$)L+j7b5U7G*SO@nA^h{f9ACGH;|I8334RDi`-g- zhYN|GFP8ow#1_2>T-+bS;{`MspBB~&QQ}5{7d8t~{8lDXxDQ{UTbWq?J}4#LN8{`> zw~m(G$b9GO%lHsxE37cy5}j03gZ*M9HSpbS4G~m7Jp)yTiRt)pegKmLHf}gUE<*e% zS_{GZBKUah;fH!_5h*Ntjp;3(C+W-sTzuh+S$B4VeDq|{`Kd-3cFWuV(DmPr`*0zJ*0g}4QefyNa&somODV72-%0WwpC3#@)tnBiN_n};rr zH8^z?)~;4rGbnE|c_v2`vkLfh7QB1#8ogDgi|v!iGDE-&koH8PZIH?RG@=RRn-R71 zv$OUfdc|}ql1jjfC6H_$^~$Iz)%XE9BE5yEZTP1_{esz-MTU883SmSk&_EWDHaWl! z?!!M=T?Pt@>1tbI626`I<+KneO|4`zPBg#jtwwqK$YoM2U52AYtum&Z(Sgk!Nh5Uy z9A=Jbdt^vs5Z=VZxose@dLKi~m)Ru>CI$@j3VwiPS}D2RA4gZbW81@8FNs{9UgXHF z^?RA;YWLEf(C^IJN#>7uR{Jb;u@Bso@ve&;_&%+HsUU zr~yf(ENf5*;fa?V#WEqsmeX~WO+|vRHd6AZ(c}WbG^+h4f4fYoRoQ#v1*e`B!Mu`0=fxr?uTbuvZybo zF<-Y_pS!fvkyA9YI1b?fqMp2UEROCM$VBQd8|M-g>-~rj@9bfpFVGu6V&=74thgXzCq0WJq+Ep(CB-`Xpl^ zmo4rz*Xr+M@LKb){ELv}dbS3~iRs*jI2M;c(jam>jxBLRQf7@+CyvJ{vIhx+xEdkD zy%=$qOb@c8ue5X|7{Tap<;iPwF7L9Z78Ogd&UTkBC;E(#O1m_g6$Rd9@WqkGd`;M( zf1fQ{Dn{WvI8bXW5VZUd_A3E5x*<}#S|g0F(RLep4R_Y{jAk##kO#9BMTOB=FFcPM zj}GBt$n)|dh3REI_S%cfmasp0oa^u#MWe}B&sm|TuIm_c{Wd4iv*_S*eJg<#9w+rA zI;cX-hYhOvY57wmmSy>ir6Y)p6yCQ^*6+`ec8}&KH|cVVF$fj68>KS}(_AhK0@H3m zN~y_qUv&Pci+OB1wTw-Bj zN@J>(((4NClo%mK-z63fRp{};H#Su z@?qk%s&A>M{82RY6Z0!{7@Urj=AGhy6BhA>?39VJRO^z7&>~Ww6B- z3Ny3^b)fP3-2Q~c4z@;ZJ!49Yuei%Mglfsd;>Wp@5bj+t5%kAO>1*4&VfxT;d3gxO zuw90;3(cZN?@-xJhA}?Fj}*JMj;lY3wV z$eckEeWi9I>?xOck0NOsqlQ3K*;ykM=69+;FPet?le&7t?s3{@!Znf)cKoIkmj6Ut znlqU!lYCC=<9MqjBaH8ZCt;cAa5Cvj7V**UON6;fl5rLpN@d}S?~r6n7gqD2Le07b zqBrBkIW@S5+(uuOmUdzm(av}=c9Gp)7Xkxy54vhQreO_gQ=!JqqQ*4c3k-h3usI4+ zzw4$Lik!v<5@Xzhb!4IWF*>j5H#i#qs`@ywnJb`A%d@^WU<+}VS0cl7JFPTR`UH7F zdKA$(NOZrs`xoCBUgauu>uRIOIU$AK%KP>8tYKWF{WC7Yc-}HKlJSEo+Fz8&tcD#( zrt2W^OAU?JVx4op?MFy$dvRrcH&SM8Dtek0qfONZwf75#Rm?Hr$b8vr*6oRtmWEb~A12EXMD? zT=f%MtICZ-<`LHSMA0QcxPM;c_CUf^ml}4HWUVnoEEYQ3mkL~IjRFrU8IQPGbgZ?9 z@I2ryNv;JU6m31083LP${N=`UK3aINd@SN0F?U;PIPexJGR9Oq%BM&L=;ASc5+n_z zKHvL-M}n+IGtm58N#WmweY>nFqJMQ>z<~0Lj?FO|M6V$soZf8CAY1ipd-~wWq+(vK5KL2@^Kb0VxjXw6By9G+0m(2(%?i-%x{B#%UvRu1+h67Cwev?N*PV<`Pb7UHod?c!?O;mC9ll9q zAear299{qZxi2!rNd|DA3$tM@yaFZ{kxaUFW|&Q)c%lAKY?cnO_oW-G3@APrh5kiq zT1^>^w;)ZsBb@9$Ke+0jY;u(Qr+{x2W7EGw*#lwHsW59V_6$pIhta}a^big{8fn+7 zv6BqV&X`PK!=<*}A7KsSF5|nk?l8;Gu@x(Y2r@*7u4UvwrS)IhD=PN2*a9~yNJexo>u}cY#{sKl@)GOV+I7}d zaO%`Gr%C9_WECaS9(+Xp%Iy2xWjd}A6#gfI8#l1%0UG&~TKHdxw=ib-d$^0PJ43#Q z1EPVl5$!YPWRVvkb*eU8a^HcddEeNkWIoybDw573JjR>~qhKZXPEK3uAg|M8{$ny# zCEbBaZtX+oIJYpxrcq1|vAtx-pUNkYwPFI(Q+K7V;+Q@$LR~dldPIMpn*B(9`k|v= z;5|oY>V~O^i3ndP49|ya_o>)&$VM#MW0&~1jE}gLM6S-n&Rj}!vVb( z^srIq&$_3FkOp8qT_~y-rinw@PMvp;ILb5Xs;srkci*#mbG4DzfSr!9e>Kl1*`Ko9 znZ}#x{mcyJR-rQ)))>c_NFHR3GQLB4NT)E7vScOMKzpr*gr>L`8yO|>#LzdfI0rQx zz=_!H{#0pop@sSRzAudLRlRS1(t0ZYJUd>@j)PsZ7z=4@7c^FRZ$bQArd!cw;zhqP zOW6C_ja4KrXD1e3Yr$rXKd_yd(?QHNI@!AHm%Ra-uA zO3!OveEYbCvdMwEL>ysppgTqTmqOQv!C?ZGK`E!Xl$%Zpt?iL|{sh9A?olLwAIWvB zQW|esMrc%U3wIXU@-~#rBSD%f2rV1azY=Bam~tJb zB*tnzXcJUcTnR#13G0Csv6rwjv0R<)UvW)6O9fy)J!?mzq_HAaqlzF8&4rw@YX6%fz@2jzHHO#vr!8P^Xe`=k{!tGYB|Vh!Ynr6) z89}Ei3cTqicMy%1Muoy_64OFY03mNt7Ru;65bjDuXMwwk?M7wmt}_nW6>jNBB@qpC zgHF{Pwzo`s5Y-{AlHzQ$_(J&=Hp=tPCMqv)q^yKj@9fGgK78u*NyS4Ar6RQ?gRDg} zg%uh_$M!hBu@-li1-z5eEI0e>UKcbAfuh8z^cgzNw!R73Vl)%TjFL1Qs1u|3aG8=y zRTlc=gee*-5z^znWFqL*`b$(Y3zq}F_dFeD?c^@CE63Om)^X+AKeOzNH z4ls>rOr0{d5Rq4^B5t^fs?*4L3HmvSV0|c6Y>Gvj&*3T_v>vt6k5{rg(|Hv4G21@L z+mDv9Q?Wl+!i^yf5RWKBk3M7bVatK zcrfm%9N~=_3RXU}Z5?)0*mFOGT&ZmrRlinHV&RWB^_bOUE9XeKK_D|pZ>G(C@5Wk6 zNR5-QDoBSaTO(^xsGX7@>dt+-Sqh7p_Fse3u2H;7sy0dFqa<{^RSVgds$`skACmnf z8V8VA^t<+!x5A5rhxaJp=H#L|%pk?%NoU!>|;bI9jR4h#7T2vuwt&iqR(nH9Rk#3SGd%mlw z(S1nz;`O%K6bG^A6tYZLMje2`#!aRUfUwyUHwzy&^pz@d2p^(51CB~MLw{H^$o`?~ zHE2OHx&&e)``9mBeM>5BeQ{TEQC;9o3}{Grp0_TYnL*cqD&HeK-y5pTN!$6r27&Q2 z1fi%A>a7X_Vu?7_aem;O^rN#_e+$HV3s~MAzSA96-C)NrklkBLf#e7`NS;fk1qi?s>7dQypL%dqE=h8VBTM)Iqv9 zGlVO`cJc`uvZ>iM6&e|7!O=f95r8}af_)dn|2RTq zdE4Xv%RYB^|90}fZ!{eB_L~1~-`m>^*=he5wEKTSyZ;TeyW*oq|4sk_Gk;w1l(%TO z4-QiDGuN^9;r2(K+OxL-4`)JQ|5srA|3YB=SIp_03K9ExpWf^)(uzC%bOuhKL9`?m z7qk|oYGoW`ct!$i1E6-a$k&Z;jE6#5tgo9f9``nMLGFUjgcTPI13(glZ&>VNSgN-K zV60qhC?MtD3M?rg<>1|jkyIFC#$kbP1*0$DG}XOCwS|+q*R8)%hpj79E9_9v(%=;K zZ!Jni^>i1hqcs16StN&<#L&OdfPxANwQK;>j+;&etGc6L zLmFZmTA_>79)EXrBqan%x;cMEyc!~euL0B}1VSNX_5=!Y1R?GeGp`leIK;3WA(oCe ztj73L)Pd%x*{N}eJ8X=?`Ihey;^`#ZF8(&)kZnJyE@71$px9dB-8c;38z%N3RbvE? zmw#&su9Qri!FyD}j^S9=ibuxxLlA;K3{JAytMOrG6pSz18JhZZv`8g9{>_CB_gY52Kcva%TgxsAxKX5CLySx>cZx45C@u2#z;z+ z$hy2KDHAJ!CC_pYv5>iHuO%@h5kjqq`NegI`w;&N&fJde3Yk{HREX*_UXDYW>rnuG zk`7R)XX*&62ITC5^izmWV3st;^X=jxWphMBFKR>vxSUfj zBj3@G?P*$rR6IGvjWs4ynQWQ8E0$-pQAM+pDTV$7#8u+(NX=~3{e}c8#P}y);p(s2 zT(!wo)VLLeM!nDJxS@JyT@<)V@pSroz~;T$n4apkg11xQ_OY18d3<6~Zh9h^2sjoH zJLio8-l2~o?czsc98xrlgy33!mNQBMAji+_8WL|Fukv=j_A(qt_LRn>s&^rPn37V| z9tS!uBb>`!VwdB~@pp0Jn(6||OplgtCH81a!F{UjO;AV@FJhPR9Z)2ox{Rf49p5Rn zw}>5}>1)iPR^NG7x8C-RaXnY(0fCYAFC?Sc_RgL0=|d< z#Yx@xzJiHtG1ZwZ)_+NB^v%Q%4>{e(uHypfN#YSBo0j1%T##l@Q83pQM^o*XZ7?lg z>Vhi7NKK!jmFy0xL*mC+YkyNQ!VGbm<^IHv>w$HUU&zI~FjZ@Rg`Mm)OBl99dQzS3 zzi6hXZIpGC==WeduH=4X6q;ppw62J`MYiGT#Due1$eDsvhe6a$+}64WmvE}C(!IX! zs>W1tUAOp5iQG)2I-2evpGa&=)I({wf$~1IbgG15NoUsyFdsS)IZkKfnzq(-kW1kI zCMEC=HijvCONk7JL7P(em`8txSzWdSVC)PlEs=oPz+uk~e|{;>|~3tLhuRjT6RTH`@uY zzvcI&ZsT8um&Xlsu!v;fWqdepvH8$#bkUI60NZpI@Rx>aAKgWq$F}uv)q>N{A;Jmp zM~0^hX;}6h!5!42eKOXvGAdLxhn1-YQF6SHmFqrKU8SGn4s0KLn65jXz{t4H;IxML z^$2Q6-FSecZL5PkeKichHp}-O?sR8BwY_PLb-O1FO665T#b~trWZk#6Xr9HJ2#25Z zoQAW#gs^5571$hsKd~fuDZL0x&FiL>NU);i-;=!#D{A-x5Rly@1{Y#NRA$wAykB}& z0&&E={>%W}hF#9YkO8)S*d#0RVLIz)5!Uhnf)}10U_J>KC8zzsYbN_Zrk{hWuO*{G z?LryJV2g1t$19|FVwGz&9z!+b0c1?!OkbuO75&Q`sMX0`VZs|1KP#e4rE#nJ1;F;7p z(hVOghr9zdLay+=61lk1$*GuOVPL65uKe^!E)55H*^5 zm+Nfis}^Z^=6xKH)DQD<_Cu>}5sf)Eo|}>AIpr1fPJ-y;aAv6ZJqG0dL+T{f zRmbrB10Tb%I$xG0t8thx zA88`+`nU)xKtD>gOEpusQ}%&(Ltos^_ymV)-lszB%{WB*gEz7M14vWfqj7sS9)gPT zYzK9izf?_+3PVg`U07Cw4F>HIj$2qxXenW4(_EH;EEZ0hz8-^52&CsOYVU&ISh#@r@H;rXy(;dvo zq+*Vm6p}MgTRDCo{aNCkbOi$5b=`U8C$y$|v64x7jE*5mt zbnjz-c3H~T>RXCxJ=+%VBv0(uAnpcE>Ima6l#*R+{+Vct_EXaQ4yZ9ml|ZGbHz|~t zBqVNOFU^{|7B`-kRqZxjm9=AR7_flXR1cL3KcEYnuC~zdzecfZ=|rER<3VehER{U*um& zAppzg%Mn?sQZtb$F?TA3{>b(#Xnpb_QtNP#tg1_p!>-9p{V8BooUNlVutJ_O4~I_4 z&>zB`sCK%}i38R92tc(C%S%3?V!6>pl{njY3ouy0WE`bpEeOB!4Pd zo?rD^HL$u5$dOmfqN*2~{x}VXmb}OqMtZ9r=#CW?kvOc!LDEW6^f|4_8HcLVv2(T$ z`5j-;&$3;;`HkEndA0)c>|j7hHxbBi0o|~u3khLoz^K6rQcl|0R%^WF7J9ZpPbjtU z6M{H|@VQ$g?3YJ*11*Pp-fk*dDg+~9P+QuwA?!1%H}#B;aP$*{F09O?iID`8-yvUV zx_4nQ!Z#|^iW`!G+qRPZP$@%(+t8u*AlGeHE4$?5I-?pReMmA&_4lL;y}1{cTJkcj z#|S{gz98*$=8ABb#!NcsJ5$o!F-ZAG+x`sq z<%dv?l8-5AYCXcXXER7BSC_ae<6~;bIo;+f&Nqnth;%d5A{;~x6JEcAlx1wd9W?oP z;_@ifeQq5-Tya8~N^F{Kw`@7hQHfexXNF11meNv2R&m$0FMBNH4JH5bHP+b1LT14@ z%;K3@%al5AslNoga)$@AZAqKdmm%uCzOH|%FVgA=nYly5OdM9UwvJJC)8%uf<$B9# zEF>U%9?)$h;i0Mo?v3=RpDH*iMmJfxpHA5;v=?hmDJMYQ8TXm0S@$D*=h8=zJF1F5 zhYT5_X@1zSzdt=MZ7;PCiU-fWO%IX+fbENlH1el3*GF30!4CQ|cTmMs2dOB{Q?N*? zt~7iLy1&DwBJK2Jr~x>guQDz1;CL!on2b|;SdNNh=Owl~QR^sw{EaZOEt%c?p37+{ z6)Au4#avW(4gKs8knXLt1uMr%up;Sm573$3SB2W@_1XBnqIs$yxtOz!fwcDTtPolS zg`()sl$qJf3VzV{y0ehI+q{1H32-;>FOsoZCV^pIJ!?FxPk^Y>mLEG@eV&n@x3~ zhL*&tp0H!sUIl9`yHJ!@%9@5iDxKu$2;HS2kOZ^2+*~@Wd9z_2f&toKb&pR2WDO)+ z#vywo>1-8I8AWt^mnhs6kmrzoFS*o49_%k%5v828M+w74voGj>(k+a#74Qv}1NLYEOv##@0cSWqCA%_a!i?RRg8f6LXR_>_>km<7L z&QRQMbDN^1>SBOh%_z_@cXZkKBXXPgXZ%E&RJUoyh818vcdDbe@gh zW!Nk$1&uSsPa5W3y3P};?IRjLxpoaJ^hZE*IO100=csOG{|Xk~1KZaX)0g{UPGzMy zSiv$N zTO}LipR zPi+~7ih9wj*}UeikY>D9`@$FGeX8qh^={W=K9B3jj$rn3-Fc1jGmh27FG75j(oXQi z!Z4&C&Svm+_+vN`H%Jv$5w2~u6F1Pbtvg+6=dFJLlwv7b~DmUpAn-PW!0Rd;Mpc|qFHKa&eVg)?+Q&zgojMWIT0F>APbEr& zz0o-7haq;H5og>-jokbrHk6FSGzrqZX3V2*2H5+s5k=?SX;D=t>}Snqr}VsYEj1XW zbs=9?OQk^)TM603rL#`~#{VM@Cl9lFH1s|_5Ub;Rqly=X@gxPQuHBrb`&9KO8(H^_ za*Yoes=X^wH7!pA9eOL|S#6~>MPWn(bO%(Bva^%~u{OgCu`-@c3Fb7Wd}P`R5F%=X zQY(SPSWtHY*#sOz4bk!~EL#P+IsQ}D@@lI0FX2Xiw$Zj*^GbEv*qMwhF)*=gPY`*D_Va9* z{a2j9b7VQ+?eZq7ol+gmwr@<7 zRr;jpNmAmmHqSdCxZ9-zOZAo>p1gd2HJYMx|L-3%YisL_W_C@`FfZQI_joT$ZY!Br9+zn;g8G$w`@7!is+_1!9J7aOMZ$e z%*z|z>QKuC`Xd3NMpxUgcia3M1t2(q+qu1Otq!+;FIoTA0~hG~cf<$8x&SVxN94ti z;=hRFyr&~^@Npy#72`NrHn?%|&h+$av{KeUkw9KNB^Gic)NMz7#m!6zi4 z%f`gXR`x_R?n6X8s9v-t+MA+Dll-C>SW;XWv-Ll$W4Gz9JBAv$#z4I zGjoF`T(HmOC*7`|t9<8a^W65+k!)V@On=8b)!g8kdFln7F3t;~x~e@wt9u%VX8E$? z^EB@bEsodD8@Y#cm^Sh5=?)uaiIA#7BAOYt5%@-QTb>qqhkI-@8COmoj@ z+IVT;1ln|MWb|p%Hxs`*7khhF$obCqmJLhysa-qse22N4HlDXU+V|c0E>AxjX7hM{ zwjYlBMLg`wxZmz={L(t%k$+X_bW|hhwq(r3#ohiy0ZY2K?cB-VMsX9DC?uK}Rq;0> zXGwe9-FKlcBaIW=6J%)#_C$I1EPIk->}U4ms6#_5liODW)b#xN-2_L9wz)`_YTC5P z5ggI*bxp4sn{Llbp3&VPQFYXye!UIn68fc?ZqDkLZh8D!zxcRUFWU6Ak&JVF6WF|E z?UGf?mpOWA`boW4b=rKwd)>YZ%i3RCcK2)L%C1yKe@9wkMn-1#?2Jt3*rtpDInyr5 z2D-QnGX~BZnR|TT@W(|W@4Qu;)4aV;2OrNGxq0(t=a_R}uMjMUe#z91*T~)rC_cBJ z%`UlC(l%$x4;iO&`aiqWR$KmtP0=pxE4r$kGr7&mq0?qE`Tbm7nsVp6=Bi$%g>DXg zDL2p8J^fs}I%s#`u!ZKA15=hHZdpEjsXa5xu;R@`E`L?Q0dB;)DGzAp`e!QX$j!5~ z*GFzzo`1by#D>zEFzPp)GOBXx0mbN@_nEobyEHEpV;W9BxDHIHiGw<%U7Axhw(6Ug zmy-|OKY60xk;f<3#DD){OXaw6Z?qoc4^zpgXCwX8D|qNpO;GIpiNj9d$gl@(`%T{+ zv$pX1Ky|9=M0WAKQA?NsYl}{)V%P9JGzWd7&qSRX?AornFgWb|l%Fq7xbVuKPiioS z^2J}-2dpc(;+ktOtsZ&sX2>^me2V$V#P4rTx>yl=ePW+=iJz+PRQ<~M&Rba`^1ksKa7O!;$M?sh`5T_D8GDqPH$U7%HZWNC zIxg>a#gO2Y8!CMaS2xV`iw{ehwepU-u3wwypOV=tk7v})ZkxNZZce-6t95hRR|eM4 z^N)(HFAiOCXhT(p`pGABjhjCw<2;6MygNVgz`yP;V2;mAc-L^g=f;u72YDgv>97eQ zi_8x{Uo*W+Wqn`ot}nN)UuKuW3q6i*h-IiS-kLE_weI+CdhAS8e|=VuMIHmg zKeg4M)W|og;A$6Ju%a-5ipxkE ze!oC_Z0qBHi>XP9O7bR51ctr0QMGw1MDnkPYcDT-?5TbDDFomC&*bTU4a{_AyY^;1 zTZ1w|W8A#A{fkTTD0oeBjhT?=CW+4|99=kWQXz=*C1Ow>{!^TL{k1ocYHbhA=ZXI2 zycKyRY~P-ckPs*$2?>l3qOcG0XS@)LrQ*~CjQuyICM0a4JJA|69V;c`?-R5g4uJniyKm>e-#SlM z;e<(f#cyxiK1#mQL;GSo+_$yxr~`_L-J(E=`(C>L1xnt&A|wYI(Eoia?5*(V|JP#Y!F3m<47*XYMjWa>ynif3 zBELDgKk9Hw_xSn4ZXBRU!hryax~Ih?WxhW(9o|%Jp#srGY(itG=*Y_8{bPF-%9bn% zy#{T??*`E%c!uP{fvA)NQP(I>bei%^_d}tuH}po$@EbLQVcT%{9Yc9a2HmK^(LnPN zD2_4%CdXGi{01E=9(w~=yN6Sqe8=9X8O8)c%fP;4dlirEwFiE($M!mK?=tiSKX?Kf zP6)a}5p<1_`NA2la=zkwSMh2zh@?<1=)@P&7JY-^v}1Z57~89c@(>q}#p5LhHeChg zhkSGm+aujqcJ08utMFH(y|>T(T>s%bwkPC`fBRHhyyT0382Uqas+V^`oBxA*{a>H< zZp;?;hHMx&G44PF!&My6or1@$rX}L1-3UanXn!PuXYUWcf$$pyzrnO5G_3pEM+*cN zh&}1aUi?p<+_yW!y8k@_o_3RO^$PoIIQ;u&Xt>d%>k@dO{GR&bK;Sy|M}d?C`(kmh z$MHz)0b2w3K;HnQ_v5hdm!JOpl*ayke*V}C9^Z7x$HM+yyLNs3DKOu&u^6MS7_*^W zJ;c)yqmEAKn?Fe%oiS-1_6^K{w+R_gj9^3m43rQ1@+UzH@z6>0)X|9atm`l~|YMfN7QkIzuinFdC}-xCwSs zA*VDb20plh*ErYL9bo2$1sne^0t7k9!%={#wPqSUKL~1qwH6`5%Sa%`WD7F0LE;!4 z>w^rO57P4nrmtAvi48~5TzC#-fNerM!nYFiZg+MaFD+2Z5(6qf^>WxUydjbAeM3nb@w#WLb?MNs}oR3PhI??B*fUEV1peQIr}tD-`2StS>)IW zNdTjAzQ?}0>?rDVN+-Ad@DG)66QLK9%Z>fOsH^TnLK|~%Xu|&<+F$;-v49DI=rM2# zhjNoyU1J%ed&?`VbBEnoH8PrZi&1p?BZQ197fx;s#xG4Bha@Ilc2Za?*Dza%VtJKy zoLAjVCXc%WaVccxt=#$4d1&)B+*=b{ycZ$8ekr7@3ZYOjLcf%RLfFOrtF8e)EN0uc zvJjhxiS;qM;k1AZ#$iof-22=w>0cpfgapWN{}fbkoT{R+8S8A_L;p!P7*yhIxQii= z@=*L3Q4w$}anUH&=G}N0yGX2I7|M)BMcWE~7e`wtD|Zj~NbM;$O+sA4xjeC6&jz4q zyn?GS2kDv!jw&~tMO+5!llZ8j7QDKfQk9tC(t*ga6ETx?>ByK4SK&@BC%vKE-UlVQ9|D7=){wHH#c}Le;{;%u+mUk`ZdDBD>*HYyIA24j| z+PsbYCr*Oksi}@~<*QxbidMGq)=?G5+4jO}@1iMu_0CsCZ46UH+Av>>7K&XMHHkbs zCd(g~`%G-u>_pd6Hd5aK2A+V@YB*b-)wP1P>1PvM(*vnLA>6?5KEBB8s&i$q!}QA- z+>(b#p528yQ{%-(3pd_40=5;Q_#(tiRUJa*nNkVl5$ok4$6&XFHLG5AjCkRgaL#J$>QV$ocS*i6fZV>}k_%BA*>@!nwQ?o18aDs%+>$r0D)0|>iwDPhF9}g{V}(dBWtzka z{)waP2z82tXbWo)yt>EIL?la*JljCRU@&Qsk4|U$0RK=Av82-m8LrMnoik9uytw4D!{Tk3U>Dv&~8JY5?KE6-7vQu@w1eYZM&R%}g z2gQ&tTp?yEYCCi4`E!vtJGi2w&4Gst%W=yPL=9oiZzGSV<58p9;pZ0+SG4o#wJa2^ zCcvz&o7*x5(PP+2CZ{;%GyIeEg-=FOixXR&n0aBV6n`U;50R)YPKh#)lPkQ*n}!NL zjNMAq4HYIeGTagaAPpem@XaoLPm&vg`Q)tgvUH#2QyK(5V)-=TW7MGcb$b&s)u64kwBGZ*#Idwge{xB37^6GjP-aZ8-hBY9!oBT&+}>ggY5#nO1qMqxS%8yU&h4c$Zq;XDq1X3+(xWxqv zLlGn{sFJgOCrb_=LB_G`NTBOI;%&;u_J`6G9|-dd%pU;-S<2jh)W-tEpQN`v}EGDYz)cJ9j_QcgR?Yi$~1>;1uQ)Q(iKq^NrXr z13hbFNfs5HV=|yXi|ioLy(sg;>=0z2R}&M^gt1O-M?VzHbqRk&c)467eLRuuo)%&~ zfPqe%*li#eQgz7W!ru-=<kNj`oZk>>lZ|9_c;edWfRc$RAl@HY8I^%vC36d>|oOa;4GMP6tNk|ppExi6pJL; z?Zx4@C3jwH;{xP)KDzhSHzcMIq_FsqQ1wj-4t>l1JV6ejF7>zWdF;+H>^uW2gO`6W^=_&aNaTa07a6!lUGt&MM% zsFz4+6+hNcgJcc@gjcF~VW=;8ZRqRq!`FBr4%hdz58xso#{4Q5XPE=YGQ+=U&V2OO z&5x2wG2e~UA#=tRE;;;x&;4P|-;p@_W7#Gi7N%6LyJ;?ZCdik_&Xse$6oo#pH1$Tz z0NDkp@;*%uh})Agg2U&BB4)IFpH%UHrbq8zK>VXtfzT{OJC~WvVoA2et13kKO|a=q zK!w7cN}}4V2x>!SRY>VTL$ptYNcmZ?a$x{5xPDdJS^2j#;S_@ugti2Fb9$jzW%?zU zzM@^;&cyow{~Y9f>t{1jMX_8miq-46HpQ?u$HP!7?tqFXqH+r=4n{Juud$EvBNlMk zbt*!0Pp+LH3dc2+caa@v@D39R?f?g22_u>=P(_#r(~DjFq77OQE zWri>p977Oepl&vP!;D(EkKp3b$T-SOg}3GMK4KOKpP=%^h*?dYy%WK#HfIw2avfqu z7-}#ubZ*&(!mmmVpJ8UWwJpB0UEj`n8MTz6oKnQRi=T?QLX*`iC0yTE%Y~VIy^x{m z3#Lx{qTRHNJWqW?D-*VqmXIvPNsiD{WU@^p+!gd zPY@0dXm9H8VQ7*F-=UNN%ns))#1A;PlI%5nCWjz6;N2V;Z$4Bs$h6SIfQS%>Ak9TM zg@g!^HZWMo4mPO?>YUbI8%~sG!pL=G21;6`M|(uyoW$|RX2D2>?~>&B4Hcin=>YcGsIF*}6eS|#ZJ(vbqw7^T7fk%& zj@u~is#!)hKy-^swQ-8YGWYRq}t^X~VUyFfkG`w7QU{a}>jg$0n}UQ~fDeam{$ zuEEIB1RyEyr{6zuU&39)51t}n48kC63`lI3u11B2P!cp+gf!zFgW)kcfI_n=X&OG# zglY>Ab5Xamu9$e+!k7f-JIL58^$;S7xDR|^X_mKPqEF#?toNdA+-2u-4|XZ!Td{J} zW1!Q(n9gRk^|i><2a(56RKb8R??9&C5gDvslCuLb!L`{U@`28a_&$Ly519fm8O*F~ zIfR(OOkd$&z@2<~JT4myO1Lg0rwIX&X&MVuYmit1ZR}zC0N^vk7;;qVZ;P10#8x{? z#LO3Zi%JG(uJkY!pjxBoOaZda$Ch|ex&yWJ5nb;ig1J@?4}8mD5tA$|#FsB3{U*k7 zqCmu$%P%6XpxA)!4^LTr{b!F|1<*SgEBuCx)hN2=q$hkz6c%GPQC1@%!PhUMtXujn z`EOgDaUV;12w&sGAWe`JNp9hyH#wBiwh77itzJrd5JnGc&+0ueF)G3%4v zd|(`ATrD$^VJ4F878J+VUW`dzlI5!ZAa*oTJaO+r&%FOtrUhpV} zOYe(XV1KDd-^Jn{pLbgull0nKBIZ3|wa7RqQz0HzifU(y&Xl6!V^}yRa?TM!ag(yv z;mKSP?qSviHq}hsI^jb=X5Wk{hH;vWoR<)^Vn=Vkiov3zhNOde?ArbaInqTKj{-LK zkrFzXT1b3bK7$P;)lrA3Qg{<8%)>x62Xi>?DxAZ49JMSKJJUt_Mi|jBiO-{!LTX!~ zFcfPVnT0tSm|Nid5E(1u#yMZ1B=?zMm^)^ovga6>7T6PMBgy-aTtvMOz)#k^=ZXjO zQ{hbaj9G!nB1Zy>t19!v!ac;FbN=MMV%`iwe5TV^#N2Id*W!u6#&;y*G~YRJoZ5LB zrMJNkS74?vA9y*{+m|3iFb*F(5ar4~j7}LPn`2Qr^d^`;dc)*SNUz z!+9}3!H^ea`Mocg%W_*F^ChHOY{F!Mwhg_sL*Cryv7nu2ieOGHYgnKY$@1at_(=Ef?$h$uvgMhid zLK#-3>Q{Hc*uka<=keW52)L2iLFJoZUg5Y~Y)btmROmqYFA+PkyaAOj5wR(T1}K19 zJ_I?AAxJaj`|~~-l4;Mg+w2*F*hz*jkbWIIs(uLKqMMTGlU}s?cG312T z6h}4&HUj!fQW_KnWB6pY(f4^KOI(8q`PeG37DC&>KV%oX+9uYxZI4}n$3FRQ?i z>Rr4WJ7O`@H;&3NiP^o|i#>VR3FK_Owj4v{Q?a86U;hG#_wec}%r3roPNWaZIgWAy zk#S(lMx475*Iz{r=)--lTCO7DD#{rHBUL}t*y;CqB6bXDK2NS9a@8?U)Vkv#GzTlO zZ~Y4qySC+}c;U+e;Dv#L1;&qLKeKGe_9DC+$OaZTT2+>2m~4a;~?Y zcv0pQu_If=9*l=C2$VO&G|$pjgIVL80+Y6u1_8n!sV5H9#BBO8N9K>p#_+pK3`5g3n4Q97FVYr7*)0giMIeQ_^Ty}guhuIKkPn5nCY%6T} zxR+AglNpE%JLi}!%4x|d$B|*b!!W<6_84oem2)ZSkkhARMu7Yn%>|h(h~2@Knl_5G zb5j(P0vWwvN6hi zjiYvFN1IdW3~u}Ukzz8Mwj42f5pW>W-E%${x$omX`Nd?WyK1~HD1Dv>Yu7G_p`%!Z?1hYGqw=|L*KGlyH>YXZJwF~P z-;E&=kn_Tv6ILL$ZqzLFm+r?Vn11r8eg~++LCpg?Elln?D$ucxpcL2kLC1C=GElVu zE=+0+HYHLZI8#?*I>fNrGp7%#-GQu|F_aLhDL}yLa~V`J=3P#s*$k4@is}P!mX!23 z0UMVKX4C=;N~*-Yr~$|^8!8r~PJtsf`x8&4`SQW@NeNR?zac>3b#yQxoj@f9lGL0$y#sdJy z!XgwmhyU%|6aK<9MfoGl9uY<&KAWGw`VC)_>7 z(=bRn=4w=aT|Mnn@ywBp;(D<@&>@`+1*F{asGT8RQalyw{h1#8w=$?J87M%^VpVB9 za4@=?fK;+>*@RMiVn-al-hhBbe>GfjWo@xYk8`%P3I~15I4q3AAdK}>Tkq5F$574? zw?r}<$w`Zd9RdY+o*YBunBCI4{oyfyUDG}4SBcog+YfkH#-Nlfuw2Aq<6PO%HXx8d zJogtl`lA+?=z$9wl|S@|2SFE$|B{0vGJo~Z?`GG52hS~yGBrojvOvmmW7z(16YpjlcH?#^{Xf=h`kCjA2wB=cOMLNnY%D`oSg+1 z$yYkxN5;H3I|w`=xTpHJOmPc4kdy2zSU0HJsE#0r*ze2ddcb`ii&<-4JLqT_h&@*G z`!WybLG)I1vWqjHBlA7>c_D~O&6DSddY(E3{XQDAYn_eA=$-vt>L`)Z3Zzi%u>3z^ zHoJw;93*?$TX;M|sRTVVWmv^F;$1d{V~1*o#WPCyA4k@FEM?uPPuVqDs)V)2i_<^c7s_z23GiNv~W zp-Q0*RznY`uFX&1E#j2w>tn;ODNLIcrhQV*QaKRiB((>-%J7Fs0EN!F+{7tOax8zh zjQ=Dl#p}tZi2jsak~GYVTV*L|ZPLB+0@w~xzEJ!G$Y2YV6M}U26nus~o*Nf_uMkv5 zMmJ@6xOHsYm!SECzYbM~7LjskV~H}SP-z}V6ovXTTA=0Z%i|h zz6~IQFflm4K)Jvwhf6JpQ`as+q%Zj#w);C*Blc{|T_8llZbwwyw?(nUuIRO-JX(aZ zl_MsYf<)3b`VqnP;XL|bOd-77M*p-hXB^vien#im^%Mcr8DAuu@Z zU#B$;04KqTq(veiqpwXyx-v@zoEjoOCz3_^YvAoe7fR}aENev0GSqUyE%o%Dd<&&j zx`|Amta6SSCmT9JU9iZqhEj}~41!c0ZhU9dXo~G)szfqTd4BLDVY@g#fF5P>X!x8d z)u#(hVv)g1<+mQN%&)?0_c}nh-a5 zF};BCi76nfa`I64@ikD@!$gVX{ijF8aS=?Jp&NeYA>$%5w4k(3PJ}L&0_6}BBO5rG zjj3({Z!KZ#z3N}-9f8P`*^>*s%{N#n6;us(*Y^8@NzXx;Nu#cayT`EcSsCCe z+%?}FvXT}Png8Udr9wC^TMjwWWvv0LH(n61>KAExPIPU_7t&tSi?&Onmnp0Q;T5vU zgw~EFR?jHu`+z0VB5AnHPwg>Sxa(p1RWv6a={>nQ;qwBtNu{}62l|4Br>#Dme#2Twx;HyCCnp!*UhF>U7;K+?FeL**wJCN9{E$6%eD zYgX;*>cLpK-*Sy2XkM@yR;tI0^Bu0P%l-_k@qm6)@Oh)J69e6L&Fv33Ae+MLls^pPDA| z!h)nq#Ba;(>9*j;zL!+sw%e>1QSLu)y5L0@QLzNKC`7pm5x4^4*o&oz@1EPC^@AE_ z`gZvIL18J%wTbuxE#NPBtbOP-rxU-1l&6R^86?8tiwg@-VgWM))Hv`uEmCdTWKB+# z$BJ9-Z{1T+ipnSvIEx<4M3q`x3x88kVl#GMTdpT|Z?zz^XHuo;afJIcw{TP&9kb=8 zIDHg){>+21KbeVg=Xunw6+Q99I?r5ae+#!%;W<^f))VU&T-1oc&*J1n50;?HG<-4A zqcRgkZA||TmF0W1EI~(L^BGjQ1m%7zdaxVA$=+^k3C5Yh7}~aU7iD%A?^=!kq&{_XGscmITR)ev^UF~gIJ;h>veyW< zlnF4W4Y%T0d0l7m7asD(de_tNK}X_me{9#L1UE#c8_?!pS-?@?tZqo)V@d>h%pNjW z*g;8EXCP>AdE8n0{x0=b7rXzLieiA|5l}|bgN}S9R%as78FTCSf*}gJqKqwck z8Z4i6vFLNHx5=j9BiJp}{MnJZpsX1(9Lr_%a}C!a=%!uzj?5X-+?5&{H=KM5-+#QJ z9u<8mGng((0ZS)zNB6xUr2&ExY3h#M@mZV(=`aM>ry!=kCVl@@Qyn-bA%F+sXM{?E z)+y*Sid5}mmSnoJ=s;IS)Eg4yYUYDXAyZvP!oTTki1TnQvcCCB(o8e#@&5^d|4&DJ2$ znqRu3j;dbbPWa|{Q^8?jp^xnYP>sxFo^2HFu~_A()mau9MF82W5SV6@A9 zxR8Hvwrr~HGp56SNx?y~$o2(RF%~{exQOgmaYTifJIt7m4%EKa)piWk2r>9lX~pWa zUr3cc2I8|yqlJX(yKF1?#oAijG57P&^u0-py0bSo!WgOVN5ZX%v_6$p0s(@)Cx8rX zp5zpmfZRNY!B`EmBt?6*#l9-1W)WmyP)yt+D61Rii%c13q%UWPzeZVSRL#`HA2tZT zVf_l*2xC_uH|u!R*jc|qPD`^C!U&Om4(Y=6qGH%oRb`#kmQRNp@8f}*047==kX4AU zqVLlRl`$RShl?1_^a;kFF^Y;FJ0on;Qk60;4Y{InU+0v9VavPzKDE9jE;pNRDKEf&$Uo)`6wR(%2!cT&?=~ih$yItsHljjh>BGaQBgrb@fLiq6pHZN zKJW9qzyE&6apyRuX}7zxvoo_Z*IaX6=LuU?0uV3)S1UdFP2)w8eBPf%Bu2XODa37< z>htFmIFVS3{63~LdksJe{veaeKMMx~0}9em?aS;2knKw$<6*NzOi=~y;#1g%#X~5N z&)a+w4lDwUp7byon8aK7HfanJX8P~v(<+BaTA*l`TNLO!aWnz(WLGO3Q66*Q2C`Gr z_rZgT#)tSN<x@)72{OI=2gN3lfMG$(ws=P%tZH4KW_AT zXR5$bus%x417q;1H73|eW!@9NAnPo_skn_rj~vB9S~%;3A3zo72Gavy&6|lKVy+#E zb!dD<(0egc;ynMc!-!vD_#QnZKWf%vmRn1R#6*cy(yP9}z>+*8+E7oClbhXyHLNn! z^(GTdujhkF{UmKT9>bRUK2SC1GNIs%D7Kqm%`X*KqDHx7RwN8JOs)y;z@RFk>#>8F zQuf4!ugQac4-o4cajEeiN3Z$lx@iFls%1s#!M7h-Uba5H71c;jDQwTo`2Jj1n(1|gbKaw0z2)fW=cteCq z3@7IO0a0Zj?-KGu! zd_x=-BWkc;AMOsMEDUpXMo;2x@rVXbHWpDZp05Ih@e6b4&tuUd*iMrtQRWhc%wtXv zMsbpQ`zF$cPqTZWU!GiGp865t>#>SkM{iK0&t}i}W9MC3hij^aS%&S_A2mc*!w}7d zXf^|{cNMW2hAgr)13_E6&x+q6;UOj@)H@ex#7C6QAxRGF)D{rv9=8Zpvp|{|dsa+W z)IW-aMf0683H4hkUj8boevM<8C*IRnyoh}7(m;d&C3RV;;l$U*7LE84vRp2=0iR7Y^Sm_7a-X5-Hasy0Ik$!z^NyW0<;K=Mns4$S zztmr{sr~y|)3Mh{w@@9fr$TMK>uYA8{f!trPqkZPRIwLW=~1=mr82T2xH4>>CXklk zXx417G8Sf@{R^j)O^JXHx|%P~J)E_Qpv zOvJdEM~e|Ai-Y4(1jxXz1g7XJ@ma+5l+NK@U-#%1JP0@i(0Ukwue}5QziS|>xgIg) zD<#aN({m;`e8Yc6u&PShLOS2shqxfwd%+tD%E7HIdK|ww1g*?O*CrtF_%YKKbjPy~ zNEcL%A2zp$@5e|xQ;Pn?#@Bm0rq4TsVLO?5zUYc->Og7zVE%yobE3TULB0n$Wz#rh z|N0*JG9i6$D3i_9XUvEqD`xMDJY}{B-m|V7`-0vO(|t#G+`QGWKgRW=`LRIytM;Rn z@)rdCk^1N_@(fHLS5usvi4A>8YrX+O^~}e2Gl!t@R^90tW=#%Dul*>$i_1a8YRECk zSv9W55Z^+j;oYeYH9w`Oh2WFk0bl4A^gws?&U5Jf3iN;*8LoCJp~X=uurq4;2(OmPqv!H^WPH{!v z3{-wh;oNj(**1l*D`J){_!cq0;BDxDb33estVp}I*5vFh$v(2hbY%;IM=U9F9>at_NH=YJ)Mb##oy!lW8|mD z3dLxR7^kHBO(308IS&2lTU)@v;A_s&1j`X~2q4oz7Ws~<1+UH7;~w8xBz0H8ikn+t zK1DUuqwoi)()4DVxzd=Y*MUsX21kmtl`xvSlN|S>)l*@AUg!K`xcmlP1uz<4tXPKJ z>zyxF0sPB(S{=IDXxybmb`PMuKgcHDrR zPpFn0?J#r#$4_afy<xeupH92^F;zcJO?%e0LTt-ZuWVq5M{tbwg+)fv?JG_Kpt@j_%r|zah)rS zT?`;8KH)l0z6c-~z&L_(*d@qCJ;FRp{lOjf%mvB@lhlAgn@$V2Or=Emc~o;8m%_MS zh4@qYc9Jvhau*3o4M6t@5WiaZCA|+bU+SvR!ZC?+GWjs%o)&@QTN^1C%A(E|m7~Dc zU~lLN{M$KM@W|^RmLP)r2S^@%#@mX)T;YyJmN#a^{6uvFu&fZntU@l(ts>7;scPW! z^8XCkJ_^Q(>p{E$-A!${fqk|OYR8XNj*Wvd0XbT2SU;wrx_Y8}Dc%V6u}J|KffXv3 zmrIggK%Oyi65PHXJ1p8r+<+jEU6{S7l8YBlEAec`C9g$58(=C-B4Gi`_ZP;i0lsfb z0k)wGCi^;}9s4av=jMchWR@ixZrRRRO6(CgLuG=Rv%Cdb1gQQc5JUff9SHUXK*<-e zi2!DtYGf_qX%y-@U926TN5?%##Y!mpV1=gK;zunn72 zuak|n#~ByigEQEG@C@F9(=d0P;E|RdF{Tk;rN&;NwMgj;BcfL z1w2C4#E8I`>C-O*jPA<)UO5k_(u5Gqu#u%0Q(R?N5% zkhx$%H!SVMbcLD|i$E2{jQk6ZHaLd){{UFI{H`jj00}lL*jFu1=~obEa$Kyv8>Lbc zJ#QNJl3Xbum)-X>UCIsvztk7e^%EpFzTj+ZM3a{`Mo19Pq(~Q$@H1Fu? zHI1Uo@+K7UP$u~DjZoqGbieCCl+%3P^B!>0eVRU<8q&PZ;Sl`LiX#-l3i#TOgcZ&o z)Zl{_Kq^swOeNd}Uw0s34t!A{bPQk3NLXN=u9lY}p$S}{8?mhh8h(e`HpWa-FmKtO zV-n;~BE6IamGN=lJQRn(6l8ynY=Hp^%u69PyqmvB4tAZJF(3Cq%RlQ!v+D3yVge<6 z6+Rvb(J0-h7QSZ$-{UIKvA>V8tRHJUt!7r0O~$LxnZn8ZE0RZvSHV&~BL**rA_+>o z0=`ld{yFB4v{HYKPz;p_>%eKSUi=aJCo?8#0QQ5;3zD+%Ws=vUK)tm>13=e6J-pQO zfw2<0BZ;Bc$gr@F4lM=iI#3SRorpXMDSXQuVCr07Sib>$_U_}2!&G+VxywtP@?a$X zOHpPyQvf<*HH+@^UcpBmCKJ5BVOUGzpDJVJ2bA(h(d>%{mxJzH?MQNh5aWuL3z6w} zK-rUNC%=c9d69-#nHXXW(_i9oc{BrTU@qB={ll$yX~aYvsN_syZz@m;1wD%3D^c2r z06`<}gQybwH#%Z7n+2mpU^<)V-5(|0i}{ehci_%KhRF_1FUuyJJo)qBdMnyJq-?A?YkOrs$cpd=C_B42+6QC7q&2e>g2M?Sh*NH8(vC z*84OqNiFr>RHTi>_uF@A!Xjg{F4sWNg>hVroQC}GGilb%blx-+9?jSf_J)oe9IIq3 zaDu6KOkNPRjE}5&xcW%e?3XRWOYH~-)0R3Z6|pmbEHcak>y%L(hQ+C<+QHdtG`KpO zbNJ$-tG%EXB6Kk=CG(@VZ30h-_v`4!-JFH}POy`KZ1Zn`s7V9A9)We3?p>LV>HmIxdwq2L;+C-P}H~DeizomGKee+DZM3H^tE^l z!-9SNJbcw~UI%WHWqNj;y9Ex-mUy(yaP;dvb z6PVf7Xk@s>uK=ZAiCmW{3rIb#F($;2dtAQ}72G(`b#VPkc8)ycT?+5d5xFk!c$G_L zd&)^v!B@C4lYCJnR(QUhvA69;#ri&qS$(_Vs5C1R1`<^s)aH1K9EU*W)6ST|i|-I(!h8rNV}#s{EyRfyg82 zAymJM@ye6c@MWeBg5f*V;4z}?(07d6xJ6553D?;B$~vD=lJMe)e^T~;f$9iRUUJRb z1DUKkvH*h73Oh?IWjsd`LFbNmZ(nplCOZkGk_XrC0@I}%p85nQNIoook>ot3cISeg zQy!lB9F^n=;P=*CG3V+^dYWg(IRBtgj@gyO$HB7fX&U47UMGJ-*`OR(8bIlzsE6H; z%MYREEXv+v33Nf}1s%$<24Ij(KPA0{W+zAih4aUx;yA_3{;2Lq!9E4`xNB_j8bmH; zIzMtZkmaN&xdWtLd`ngODK<5Ae&BVic2q7ljV0MLdB=6eH&*+iQkdF=7|w zIwy1q=ga?!f;q43T@gGG4SkPDlOsRX%6dEqaLml~B9F5pCN8h&VMpjnAK zyXS%UBBISrnuF0o8FsYwfbq#46^h^6OAo@0l_66rW4f&I9%Y?(Sf%?_ zg2NndFpt$ZQiYu`A*AYsjWCf6ixDbdA^~tz3&B0Vt%Z?}y-LoN?k6~@t(P^Llimck zli9*aJCQIM&fke_wJMscaO7kQA+B6eFJijl`)Q2c>Wdm{&rB`F#8w%C7s0xd5iMzXUSh7;%o6m@0?SU&_vw zijV|xY{}R^ly!p!IeyQ2fRzTI@RQ)58i4#xHbMGI8DO}Ch=l?ElmfvAawkh%-R&<^ zLN_!Y;&@;uf1FC_0Ycv6%^baW6 zb3UlqQwVI8@(^Z*(oqzm&v!NZDQ0;7AD~}l3Z7E6{|H4%1F6POpn?~xq$3J*j3C9} zljmWlq45ecxX~vKSBTpc^25l#!~8oVhmijX=n{ZdWC{5o@}@+aN9vqPtuP_@8cwfi ze9Qes-eGhmflczRK|%=_9A}UOVhM14CITB);0V7dUyc8{ffXm4{dLlYo>wZ-psgxd2 zi4ZHY1jC%l4Ur#Io?k?svp*VZUK?>@@5Az>_DGJ$%vnipe7=xNcb>B_fNCKp!l)aH z4g$!mmQ9BEw`I}tK%-m7eBu^!XN3zbri(SEr|VFYUMBFM?qhgmbm(AB~8JTZ}-hO*d=j!(;!DARn7 zEP|y@h)e8otQaByPU7Z2*`SzCJJQKzJXila$raUOKpvs&IT9w*p`anp3(`XDPTiZ% z?2gpLu1HNRxB|%9>ow7|z2vLr9ZbIXBJBB2+lq|(&TJ?&1muo<1*mK^(-lD15O@tE z+&!j{F7&>9nWD$2O>@d z8I(sg=A~+fmwdSK1h|cuQ+SFgg>pG(gz4>S=6!JPiSMiB<5>C{HBTgp_+0=Nv`>RHX4#B!pylkg| zC@c{ll()nPJ9$BzfrTge1n-mB(UW|mY==OwZu>iN;w2=!hlkMf(+VsYjdCW~4$foJ zyqA!{rxg<+8)SHshT{K%3`ttvEU*w|Vtyu`{1nE(-C(kq2k_2?+Wqf0zYS~Q7LS13 z^#_LcMy9$>f;q27Fl^E?FL;In9@nr<%XAL(Gir=5hL`WhhGWU$@l39JGoDbniutIN z!TBa8dEUQ}s`8+M+Z|4Tfr z@M=|NnjzQKXJL;JAFM#t-CSqADX4mOa37}MpwVp88}zP)FfIt|juuEe>Bfz_K5TuC zd`!s2P0Rpci}`L1(EWKT^jxUg% ziAVE&1mirHU_WH0FLp*73puV^-a1>|ZtGf`n6Gr*L-GaFki#M@t7<_+cfLjTC{TQ% zCp2C*QFtRn_cQUdJ;D2@5>}a}Xn%q;OD%(MKDJ(mOQnyM!fCKy(}RtOCe$dO8fv9ts09uPk7dmlwt|>V z%R)4hDomdu9wu;sRUZog0sjz|lYdZz`mssAKVs}D8vhsQm%^Ur!Lia|6}}sW>hCdb zgt_oEd2M243(?>8}1Dfp-vP1z$9*7}?h1Ucmzs$n;ZxBfLM<5&}#Q2Y}rA)VyDV}2b zTdld)@4rI#O=|p5Ua1uR#O8xbeZQ!LYdFzp6OKHzy%6`eev%Yg5^+}S{T|De zr&}gvBJ*5ISfI7!W_m#}&I6!?X}O5$SKS%#Y*IgDT~CthZFMBxG#KSAR<;zQS4|2N z{>2{fi3)}IEom|V+YmLy*~#PFWw4Q;Uv65Zk^E7v1N?L<#g#>VA{>U$JU0a|z`?hM zr=n1D$=L8noK7<_)>mWf50cz!R%*Nl%;BSITr}=8MdM1Q7yD}7gQ#(HWR*v*ty>Pr zfv57=bxqI04wr8eYTD%pPIcrKsM!o8X*9T)9)lZ)0s*ytK;$EW-dwg^zcEY$o# zOQmWdVO*2otk+OINRO}_oD3VHC8Z8!+Ry6QD(7cl+ndNCFma$9`&yPsFR9>*TeIw= zNR;Ju!4zaY?f_S%Jk})_D*fr^57ZJzNPg1Oh_b1>$P*y17H?$o!I$RGg>F`e{Vv8- zGmr$&S>t|l0tv2x#$CLr@`t7k(EY}urZwhVtyGJeBF>(1DDS+%p@sFD`x)03hGVQ( zo^ky|S)Hy}^Krr1Dmp(-WXelYio2qsJCO5uKlxP5HVgBeHwgBCS0g)nR{BczygMu}P;l{q1+MQ+Z)<>HdUb|f#jZ&qK)6un ziW@NF7cQW-^OCtm=bfvN_p0O=s*SSl(aH&^@dIyx!n7)e`FX}7x{FSntT4Wz1AY#} zIhMTxdS9897{I1L-EelIQ0QLy1LWXolYj@lhiwk;vq#4j?}N>jGd!+VLw zcOn(7kUsBZrv%~`a~>lOFwzIr;P~8)4sM}1iHMel^tao2A&JePrC9l`0R2Ur{|K|2 z8sz%Q(}4S;JX3(WP>cu4@k(Jr{gZ{SI5LGohAU)APM8m`^+4Gh1mQH@5L~>u*h&uI;_1sIHdDcsM?sGP!;AI`XS!?B~@GLf+-el@ARG?tem+n!9tJ`@p4&+LeNQlSD znB|l40k%;P3X+lc190UO00VY69b420EV{rookxpr7SU^BN>fl?F={%`cd?G6@d@@$ z!>$Fe;Vw9j z*}BUcns&0b?hm$qqA?>77rMgx)qSO_C2NL-P%@OjP&TulZ+75J|JkQ4Q-6S8wkO{PeewEw3O)OTqr;FQ#T{-Tn?s*ZL=_~2iDEC}4 z5mp=S*>FI-Vixa4?t8$xi8#_0HfHreu-orihEv%K;%JL&74Ub@$#X4bhLrX~P&n#0 z6Qy-6agOUO_cX`@wZ1=i@p-NAAPDtJYh#3EYeva)RKik!8k5s}fmv(cLi?@AF6NTb zn^Dpo2ru#n_|EJ59ege?Rlz$OE?9_C>9;6ccIY?rYN56|ltQHYo{SHTA^560P$-Wm z^PJ=!XI~HX2H&ZePKNrB$$90`p?orlUo8aygd?c7&n($luo_wWlRm)1twDw&QuqrG z#wL5R+Ux-4b?1|vs?NsAk15d3s)i^gnp>{d@}vytD7& zF67|dotbW+)FFv#bl-mDDdyG)0$a=MEdq}BBj=8w}S$j5c&FIWI^>5ybjV(mZbS`a|qAcjpE z$k|`e*k95yUv3(Y>_{)Cu*b5=H-szv8Tk|;T-<#boJ_*c;A=2p;irhN0SRZ|uW`uz z34fojSyOZcfk$z@X0|o&OGQCYS;W&pKSkNaYIV3abgw)Gxhh?)o+I==2CZCr+`KbZ z0u*$j+37C^VdrTTT1(w;(rTqHI_HO88HSBD zRu@Aj#ndeXw9tAapNoXf!*KtgEUH!OqKxmmrtNxJZ4eM|5Tk{aRfYpd$H1#p3Hm-Oya+00uP3d)umXOqfYGl8V?V3e-c~kIN zZ6Pl=;zkRsK&ilS^06J%0mRMZ$dl|HDHU^P1txoZ{($_pO)Cu3-J z^9W`u@|b!h!SZl@pJ1i}^iIp=#}%X*w27FB(s%{?=9~kHnxTj^eSShg`rg@zir+(9 zjkxS;=u2i`kp}0-P){tFiR|Ad`M$^YG=JGzIyV*t&u5qX;Cx3s_(0p;Y@+XR9eb&* z5yhF}bQiAq=0&sdVna+@BN#w0D%)m*)qQ`oG)g1ZMmxH=ip;IuIIC}-i5bp(z$~ZrkT;ZR9t@NX@oZ#$4`<;y7ECVJ1 z+WINw&mxk=)v;m?YPkg4QCBJ93X=%i0UyMHC)=-rIml3^XXpEMO!Dx@ke`DoP27R} zR@|AW1h`?q&LweA0k-)}7H1p26rITppT%i{*KRk|#43Oe92J4n!A`_l$LghS*!2Zw zgOv=|)7{tgGvQ(fL-3XRM^UUO0KT3};PE%uV~ynuEbl`KI-h~%tLQX@ltgmzTI9#B z0bI3EN{6+kILcMNcWDcBrPf};V!0cVp#N<(ACu(*RL~2FpAha!&mKBA&S4U3jIPnV zgS{k1sM7h=$~z!eS2f+oXkC;*bTPaX$N5V%CFgNwo_@gg%roB3LnQ56W{lgF?E>(lOW2yInXunVV9EFR`h8Sk< z_Wr`>_)*4uv9Za(&&*&ah? z`$t+Ebzm`qAkgc~B*S_&b4b2REzLx*b;P}b&!ZXgD=2*~xfma$#s@*m;~|7!;va(D zyKUTT;VSCe+Lfv{UnBG8KztMKF;tqV#&f~QpRE>p^1SO5IVs!(UW)smpspt!MWj1C zAT-D?N^qbTVB}swVK;QVa$J2<$mN$XR#$KHVbZ=&FC0OyruSza&3h9=|NIS!3l$~@ z37(Y#CKI0$e?vk(b0D&>8iYMl2?>5CUjCc}99@5DHxhDLlLTndT)q3<0%t&)zl$dgsp&S}n?F5y`8W$DjRR-|dG zJ{etlB2GM0DSXj#q3!9G(b86h@O5Nc0o-9F+P%9CQTePJbdrpkOF8UjKLv1nk;7y3J}#sv!5RJ%$;HU|c<<^~ejKiD+> zn}U~NCl$o3mUHLvzuc99+0Y&{hr)c$4u$AnfUQ}#mg3>q1e1O9;`Q?kgBYBF9~RPJ zu1?GH+yu5n{O>@v`46(RgCp>c2)^MqY1)d^>i`(n4gAP$C;Tl)TalW2^Tg}4jT5RP zNSXNcx=6OS(v#nsW5@C9a;hEwk=n60|CV1i-w`DS41c#JMy}&X4vtctXuPv zZ&rhJ9p7`~9)BOtx$U^ia{b}q>~<>3$TMBfuj6UmH~%C58+hnumHgvL|MgBCIl>)o z+zXz!0vb|0;dZPzq-K;}stO3QAjwiUa>2AN>tp&MxF?6K% zi#sm=rw(-UT2zf|{s&Hm<%ZsvMhueo_N0yX+u%sHYG&`}LH5mA4uJa_yn=hm9& zpktj--Tofl6n?(_MfBWyo7?Lf;Aywj4fMAg9sRZrb^A%#H{QU%Pli#Y3p-0{JxVQF~|I5i8<@r0KTN*Ue z@efztTH_sK-_2YyZdMlD|CW9Y#J3&Q)A8P4AL{<8!f(AW`{t|h-_%&gQ+E{M@0Po* z9d6#fqg;Q#1^?3(9R-eD(Q%i5EX@CW!~YMLw+~b|dw<7B)sfMyW$&no8x?!=iEnGr zNUxH-f4`a$t=&ks`o|3aYfgXnv5wRKn|ip>ZT|jm1kwqJ&i^Qs|3{(xpA^bJY5n;Y zH3c#}VZy+MNt0?OU+0hi<{_=|_n#E@bxl7<*}vQmRO7J2@gMUM5ab<0)AbkipJxBt z2ZdYBi<{%a-y`DnZ2s}2|9Yp60pK6!4LEpXF6ub#*4gOhjsIglS{k4c|LgeNG2`EE z&iu!GY!8h1kNJ3`8am9WTYArb%tv^eI>w$Gw#$Fa$6M|7|6iMr|EL+#h0W;Cs#pY4 zFvh_V6{OMCcT5?Z?*98%7r37iS<5Y2KVUsX-#9J)#xE|olFqsz>VsFS(2FtHzTmxE zt&*rwlP1=Hl(WM4p3e9zHiEYO{qKT7^5#2m)<0(Xj|JW&vY+ewv-1`0WnSKCWE|Yu zKV?eMq>0sI(gzIjr}uWHOBtE&SkRf)=45&dR3|Q7>vGE;z$mCCw~W)(#nlr4lc3Jb zl!_WqyemiYFbH`?P{D9z!dY4=N6yCaxB@nT)LB_BJQ=^sZ&Bw+nFU6q&dAD+e7SSn zpyQJVkPMY4o7j`rfYdqJGR^?LoZ)?u8YtO_43LP?x};1`QD4Y2%att*gCi;_yLby$ zXM5cEg9w^VEoFEj2i)!)JlVITy^KTv)N%t_S5{VrutkQuWqGoSd%>40122>#&ynS^ zZSrn{%rZ*<05GV>wit`zVhn+7lFfjJ0cTp|UtOVaIe`VZEBB68a=Tr4FT}H}vU7^d z6lzyiW@#6!&TzRP+D?^|Q{<2Qgp((8i?puHjBM=p8Y8&~m+-T|$*s!Cu;t=Te4aWh zBL}#!;c+u@9v%WR%J?^&Cw7WFV^$_ap`py;NpQN$HV~I{P1?*1PgcPN$lO!y&YOg^ z85tgZ-VaJ71)}r1L<(3u3QCicS&*SpxpUyrH-e*I>yoo_igZ|&l^y5@fD3K5?AGOd zqXHyM8Os05mkU*#B?UyNZnY%Iwz=?&)|H(h2j^my$3wjBW3Vbys@;qOo<_Ax&M9bw z%E`%TnuxoI(5#Xxd)v@FxLD4}DLM?N%7V|g7)mYM9>@#8x4U?j0(rJy$%8t~$|m~w zhDYw0X=9;fzEx#r6f{Of+El`Oa0Qp9ma=mS+6a}Dl^=tLh_P5DXBP}pYN2RZ!g`#} zm8r6%CfMy4q2gRpMuC-p`Y4_UWpZa0$0$^puG)8SCEtMD1@}UG%BA}iD9fgm{qR)K zLBkEu3xMkD7g>f&vOG=AvJrzflFeTXtqXG&7(B0`nvKC}Q&0un!Mc2-7Q zT^+OxoZ~9~O990z|CT_m{C#+Y#{=caDISBhk|#UMe;m5cG^CO}1tSz{XfbGpZ{Zz@ zbk<8MD5S@q1<$z%WtM*f_m!#_uBX%;rFLbz3g%#8ryq?pW^a=VzJ+C+Glk^t7pttHf>y!01ybvSQ^e(-m z&(vq>-FjJ{tIo?qk{?nYq+XDELkd6&Lh1vlFQj}( z1@Jii;JZJhLP!wdj|M;*2q^@q7}6j}gCUhbDupxz(ojfckjf!dKpFq;P=Upra+ns zX&R*IknV&u1JX=LcR`v331q3!97uC1oOSn&PhjP#IAjj0Uy2i1M5Uk`9uVQg>HGDhWOv6#@12l8XKM zcKtaJu516?USI!y6i(W#Sa_qtRPfmCFER@XjwSG^sj9K`~>aADl6&4lzt6L^EMG>-ArH>|w3RO)F zuEb^WC5Z%F5=CU=GNi;kw4fT<8}s@a`1How=g6Sx7=N8^`OT`-}+ zGc9UpFDOy(c)VUsSk%N_T6hAAX(J9J1`on#)ipKoct(y=uZC;e3#3O{m3`~wTicZ= z3Wi5bx!$lpL>a#XA-W6Dum^r_Z`gmYvq;bT_oL_^8+IU@+n?36w`(e>8bhCtinOZ& z+OebkZioU#`u!(L_Q~7ZvE!e&x8uJbg(fz% z6pDvqM6x5lcx7^2q^(u)DDvmZ)yeS~YFHKN02ZuKW4#LJS|A@K9D!s)Dnd=hsT6u# z6KRK-d|Z{fx^W(32;`D=i8OF-aAViMe=sBztWJ^d>#fT|r@xR$>41&)XZT7*=N28|!t# zxR|iN^E))w#oyW+>)$IT(pdj~^q(8+xibX&*k|~rMSbd`V(=!YJs=K<>@c-Q`is{k z0ClO?T`KK#3RssI*_MhB0+6%?l>Dkii+{odGG(ykj_OH3!C(nDR9j$!W6W65l3!y1 zdN-{lJaII`5LSI827e-BASzKGe0Q(_C4!D4iui4C6X8u1ExpEu8z$5ehIVa2?%4<} zz{Jt~qx$yEE8;%(1?(bcv9VNX7sz??q`K-UV{0dl!FAdQ!2_{}u#j1*+9}w?4UvG- zw1P|_asY31ouz?{5UAqas{9&nEFxyH_UoJrUN53R%bG|+UC3vNSI}hJQoKqnR)dNR zNSxsbt`o%a9vMVXEn13&SM^;i5zqf}Txh`)i5!4-lHY4jLA8Z?5;IE*$>~gDzK@|n zfJ|3-CwnE3$kLP<)Uxm}FNew5cn8I+YA2>MM3Lx2I87dhsZ3S%L~h#1>s#vu&`sL8 z3n1R#(jK8d8Q&Raf#_h-0{n$>*CYPQZW8O4FeNQiu*pOQ=*g5iJ0Pe5x>rs z6BK)xn%;B@--*5KRKUlQyGff`EXKQM2G+ES{uM}MDE|_cs+Fmf>UnHJo$R<~4U^;EweeLyd;c4?g!ZaJf=A2k{cIoL`3my%oycjQ9YU=!F;M0eZ|P2}Rp z`%k72vdv3Bm{I$c%2rbwhATwvy-%Rn&Z>QNzTxhS*q$*j}1d+D~>9*-`Te zVy)6ENHn6><@g!4Q`H_gz&;2U*v{D$4p%T4aW9K!QDq|`I38qu^>4F``5CpKCJ5~e z%jikcd6lr>%-wB|N){Cx2-Jrkhq>|1`kggF#Jz-j5%Wb*Lmh?Qx!Q>?QJ?(b$j}r2 z%D;Fi9#uO(QCH`2&cdNn!{iWFM-655WEra?%AwCyK=lpN_N$#Z+7wbdKPMOUK;P8W zs78ekl{r?UAahg#JT24cpGUDJceA6JArLWv!sjQjJiCBM z*ad_RQviYEc@ghr$1{NvzhMX&w4mbk3R`ckjOmX*x6Lm6!8-_1KbEYf^z16)T4^_g z_l2#fR;t95A4D%}`OD0T;h!R=C=AlB?!Jr%#@UI|AViKI9zvv<*}A<8nrM2C1c2hW zFA;keb(RdEG4}N_hDLQ|Nx1{8Nb+9d6bc*OjiJBQvqiWHK9vx79w3XEy$xKUxq` zwecJv_(<9KsJ6T-s(h79#T7QxHj4^ahsIO^9j7cUkHmrl+J|XuH!thaOB5HT(( zwS^XC6NM1VAUsHnB3=|-h%7^mrcr9=X!67YdMafcsOHV)iKHP%&BtHz0VgnPHhx2b zXc6DtxlqIV=)ZL4*&1pR6-(|Tf)KLj?4rh&f=-B=0*lx>T-O+s7_*7S(?W+TGf zI-Z=%82If(tUH?9LByA@Ms>wUD%@-FBjKTK69<1X_G$o4&NmS58F9DAG?3I^S0Y$q}6{M4hU8ckZK%cL~Wv75tg6&Dvr{6C+_2L_(9;iLUo%U{I)A#51pZSELs5hvD zZA;n2re7#ilZ`bMzO?2qVg%H3kku1?;ky88yT9QhJ?erB#OYBDJR*;X{p08=GVlO6 zC|cIzt}uUX6h|RyMf&*j>BOC6zY}j0XXF%MVigt<7qK(&uJI{`=oOjAj@Q1I+r zxe5_9JBN4>#;A>(^D~ZGmVUhZ&TYSL+_G& zD*WZj;Y7DhT0ZOG_?%jrwaWc?wyni z8j-b?#ZMF6i2|&t_ES1G1!x3${4g=;Ah&zJNPI zbi<#LX@z=h08t>W*l|DFSo!n01nX==;7jXo48>0cRdMpm%-`l-ZxLAiD4{7 zR4{bi9A4M96b8_tkcKSXQF1?FC$Ab8sfj!A@5FF;Pok@R)(g;)eSHuy90a`xpGr)& zzhNM3|c+-~fLgndp3uq~1+mUHBPMMc#SFa;6_` z=I!fP@=bmk9*sroW-I=g$hVQRyK&tx2k`V_+{wfJO$`I7`kFEYu>YKwRzq#GJj1w>{zzoj88 zouPp|jmRV?vPo<`{M#NIiyPQ1(;2O|0OUf+bLGI3$8V)ZrB5MfF$u9F{jUi-Sw`Ll z;_;3RWG~jtWXu_^bV_`ACMvKZ2-$F%$rbQIiEkqUxC6EYyHR|(X*_T1O3#Yv;gk}P ze3^kbG*S!u2B9q%THT3MT6zVVL1y6>h`aXgHeVB}@{#@17+xkm#Ckr-y?|b&CIq8f zOD*Om6N#`qT>@OTc?OK_wmX<0Z{^lYz2VIO#CU-UbKSWrKF%E!t7!ZY2ZUSGnV~{A zaUBv)ap&D5>3K}+L0rHe$rHeZgnL8e&({d%h_8K%Q22gSy>Sb+@LkCXYOxMW^GKsi zo_N};Lk3E1@0-y2xb;ajDYCk4^MO)}>Pr3V5;}C;){A}WoSMq@WgwytkpZ(5Z&)Xg zKN;Rilb_cT88){$mLhWeT83d~z~XUroM_2|RbGLH0s){O*g;?=4`xBKKvjoKRh$U~ zkiF|QyU*df8onSeDTw^g7?Nfa{S#1veG=JbBJVIYkkp&ZZ*!M~B-qs!wQt>dpN`32zLtcHqp#BOUeg|8Wjh{wFk zK#NV#h4;`_HQ3O@nZwvbd_yG3HHavI#a6mB6ixL9lMp_D_DOG%Qy&r5oVmaiwhk>y zKuiV6lMdWp$o9pdrB`v7a@Y@Oh=#~gIT7y5(4I81knF*lA?_7+fZP@)3zTO;4ODn= z`wRG(qgbp{6!$^g3&e-R1BjhS*lll@J;n7VN3nPLcNv6C)Y~~Iv$4|tO~TRRUPC9- zK`Z3O8_rUkuBpoUu7Mn~^i8UiqQe$8l^RSX7}_W{kqT3Z)X3(S$sj{h9(tti*w+0n z%549IA)0NKR3$EQq*4sE4iyU-VB`29_=;Sr>Wb|@OXLM>nwqG(`lF#%FLp5#0&&kJ z!@+psadI)t=yiu;m?ZnXafTRHTB6v#2d0g#);KlWmEBHM66tI#FSBvPQ-NCZPj>vI z%}zeabRq^CyQsw-IxGq*^ho7h#@8t4yLxgH&tREYX0IVBotq~EtnNIlwy3UhNlKuM z+{4#V-P#)bIw;;-zC*wkU?XQVm@f2#Z=#~<`m+KxrcCVV-$|v#5`J-TsH6sl3Jefd! z<$s%4%^JB!+1TnNF$M8ce5(=Z<^^(wDOt~n{72a8*xz=9?@T>R&0WgV2Q;2oxjR@g z))s^9tamU9`0yAajqA%#vu3IJIBK!26|FY8)#XXZRs@nBwS;huPh=m5ZJ-&%TCx{? zlA@+_-HGQe$y@=M30(P?qZvc(AUuaK;7P_2G;D9OYt3K97TXaB!iyDp<2X&hRs>7R zZ}>v|MC({^wOnF{5|7h!)xu6}I(NmK)|EHf)*-@fpz>e4qNL{v8#xF^WK3H$W@9`= zNYh>(Ir=eat$mKkWI6a_(ipmFn|)yXqD`%3SIXpo_*8y`* zj0&9-dDCc$|DpOKuWxM153BNOCAS@OWKWa`VMOz1e`2oHRLv4!=HZ3J?xmn8W&fPT_j~OM>t{5K>t#pR>zI|qJ)u5CQZ36^*dZ)4)r9A= z-PTBW3EP=?A14<5goaN<{4eyL9&9-~uQAq;Wt>T4E>sSWLdGMe-P+0OQM+}*l0biBj%SI zV2S`uZ0-ei9LcdSfI&>WM(zQVj#(2JS9YE)CcK_XQpa9oeQ4nNQ`8=Bi3-B*moB$v zYnqY`zF75`v0aQ;HR50u)s;R-63&{=sA+jk5{lI0JyU0SS0h|)m;*~wa>B%g2>fG< zKEPE%ZrioI=qTfI19h}6o^lW$xx=Kx(F=VS+Ks~EcUIdx$6Nm0WpO-5#LP&C;OHvs zk{&~tTNJ{h>+_s>b|N3U(QP>nq!??oq=%)-Br zt>nzsVl;!`pfSq0L#Btk>{?nAE8m6Nf?OZgfhM(nw(HK_8A4am=K-vXL2SR4Bd2tO_?&;WZ+Q1p`f6kQ>LP#qN3sRR8&+{RLsW|)5^!9 zGPAU#Qu8Ubvb3_Kvb40)va(Np`n_lMdAP36_xfGGe}C84OW4!d*g5Au_rvS;e!X5X zjNaJk^zk4nFhZvVpUj^0wLM44#4#Dr8H3gbySWVUqpSTyo=f!&dSVU29@T46y7>G% z4At6pu{f4|DbAB>=qnwX;F4YTwy?K?@9x=3r98_7=4sW!wAtqTkmr(itN zeIL&uJ3Mb{y*e@wCeW9_m7I*&z1aq~aYcL#zK9E5%UpOc5yfM86)84vAd-JDKnF`f zZ+I7z=?sU@kgYTmmaA{0OKFo84Ql-W-oI0bqK)NCc~YUx;2AqJmS$?EGYsI8s$B{| z52Z91HOuK?ZVr4dglRTPNc&NtT|?_;w4bnyi^81phsefc-VhkW_hEZQR^P#K zO>^;lfv@|fc1!hjK@$CNNbxY7LFX%z5!1IzNE}Y7Iy;-M^gfKdB3X9EdJ>BrGM}xJG9B z()M{O&A)cO{d0>!UT{(Dd}9%;K2&QI-Vf*?jxG4H_E|atZqIX3q^u>4c7cPw%=WB| zIPo{S!75!Oor>1!hZK+@+#3HN{dpBhG!+pvsj*f%dVZ0Ah`kDV5`q`#5X?2yapPdz ziwU;z9hym<^cQ>!NSw?_C+YrSBv3u$yicu6E^OS(2Ca7i+e0Vi7Zo?Mm^f{Dh#_7_k(O zN8(|J73s>T6}mKTy!NhWXhO$o4iqdp)Psp`%=7W!X>rwaoELJrP%d3mw@5@JF3C-v zvd1DG*uC##<&`H_YJjZ z^ia-{&QG?CK-xc8G7G2fp2|ew-uev@=ulIR@>4yZ*}B^>7)O}CL*PtM<6aLSqPx58 zfDEV823t-(xIy-3-=#!nS%3g;A+XMzCc|B2re0~$3PTcYlZpc`we7^w{7~@o)DNHr zSj-GXx|z;dOoHVNITLGh0E&lrKgr8_?U<2qXWk1gTU-DG7P&GIJ3fQGDcAMZT%vq8 z{KKe`h=tVqVN6Yy`Zb8x(}Z(;9w*o#uKNpq9@AI5KNhFsewN1(r{}7{6T@&$a9JP+ zu|L^}>S5%c?rlW*RGO!N+KTs`)JdEQwoaLP2Pwoc)1O zb=IEN+47*eCsehj3yb5lB~h7=v#pW39>6HaHSQv71$9}vG#YmmPT7Ol5kHKb#FoN} zU+t_fAq?04piD0EY2f~<5*n0U;_z1Jg~Y8S5>EpED?UyfMq~3U5RB=clRD$dOWjQe z62bFA$7*}Y(^`~xH8V%-Z<&jVH-xI@mey>z{D$2UufAk~9;Dj79pN#)J@l&MY$%&6 zCwBi?dlw%39C;7nAw6LOincR?FG8nWBsPPPf|f65{)k1i{T51MHd~ z$aMAPL6h~&M7`4FsWt7|%xI}Ena(Tg=fTuUXZ~LKMyd>0!JjcxinS*g0wF#YU6{I% zsy>LQFe~$TvhY%a)h}6vRl39GKFFl3AENmn0{DkfHcw~a9cLG1b9Zwg* zFq%X;u<_`^52po%4&vyH__1)(_;FcdZD2}Wg?kGgvR-$GJxK8jhfbVO0l(ElGe=I6 z3(gsPE}4!@dt~%GnQ5MW0IRH2sJpREdo}YIKm?hBcsmK@qg1abgy_HsF-m=a(PqVv zVLa>G!Z?`=mmiXu2BgZ5V)7lSNP9Mt>X|dXg`~`Mfx(lQBnJRaabQnCPk|#8uJNt% zMZ;x*%gN;GY=B$F2;`FL2#amOabtX>?~3Oc>3drzgIkYdn=*V#SkgRC?KHME?ABMx zThTCr9m*~UBl%Rpj9@Rt;t>Kbj%0WUqh=EMQFWb3gYx+Z+Cp~ISu{Z?f@`q`v)@LD znT8slkr*M@Ay7AfMlm0l`lm1gES>t19<5V!PXTFU8Il8GlC}W|KjChpT?LIU#&Qic zK15?x0kvg$4jBtRJedl5qWC4G-q+vVg*pLuAq}WZy=|0sfX3EeW+3*B*!@E;XQrd2 zX1ZSNq5Di`de0OYb;v~%-4oaea@!9ft>8?niivctCmDiZVkmu{%f+jer9F1%cpSMV zB#N}$cWGM|&BY&q&+WYSOK9{FXGe}@bWGDujgU-}T5dC%z~%sC1UAM~0})i?BCIObAxsZlXS~u@8KV6%vUCoThGOe( zHb^P*`1BsY*&&~=y)#;yIhLkrItexwkzx8o@kE9YwdXC)t~|k9K1}<;fbD_xBB1yX z8=&4C3n?H&segl5qeEOYu^42)5iK3!OZ?d^=+Gg=uUti z+?9o9bZw=WziE$elVczRp8{^RO~!W$%q#eT7BHN6ict#3;r0ll6rTqWZJ%&l@bmj% zGjShaSOq;Ba$$s6@1dssWRwLJmm>GEseX%f7U5l&okAQ8A&W4O!j3xLVnuYZ#SxyLjxyiFGx)=p0n669 z=dJtPi8@l+eTW6DsKJJL7FZ;v`4lHwJ^eZgOZtiNF!rl+qr!PBcJZe$Q_G;w>`W4S zUQCNrtKNtJpmJ<*1~oL%rbKLQ#G!2Gv9t^YE#@^$_I*#&(*P+?5m-72Ho_AdE}!_- zHok-wpl!4I7^oi1HJVi7<@OJ5)LBx|o=jnNYnd3uhl!b9*>`n zU@DZoG)IHkqz7QBdPA&s0_igMYi3HcK;=~Zbg$gJBee+wyXekSSK=_>=W{xKcbOo|BO~QM)^Kkq_~nM z=~qSL{Z6?sh|!9J$t2?kjW=Khr2ACmi^|VB}aIAW5wDh*BOwMq|%M5FL zX6}5$X_2E2kz-ue+tk8G(e8Yd+Xl4M6y~d%bZjBlh=yL#K1-D!M#xNybF)%4D1!K4 zS6twbWBlY$DAS2w-LwWSfh1Y6zmQ}>{MsqoTO_kGD+!XF>k;&~OO3AD0R;XCc1WDw zreg*eGd$|x>dFn{WV&)igk*EaT$+}i`Iti|XteIf&C zVpGDH?AB$_&t{vBEoCxnr%dEET}uT=oOHXW60&PnvhT3$dw>Jge+l69aMf)_8f;pL zsu$T-ATpA8#X6xxi9a0G?7Z7TiuIfHr-2q&+0)kWu|dy@qJFb zTKUf|(x=9sG%a1It4u2~VidO2Tq$ugqxooiNeFd$dx=gihFJ(a$HJB#G@FkC;6IjG z2z#{9aXFO4>4xCJQgQ7?W|6~;NQ%>j>&Qkh*}w4<`r+YJ?V!l>X{G~VXOo4Vg-*q}&my%=&UfWY=@@$%f~*nVCfsLwpxc^n6qeu8 zZggR{%hiu7+><;q)j#AA3Y_*s4DLd`!Ys{i3ftadJK9c0f^xSuxP zhcpEKrsym$LG&$F&o>{`zihkocvBP?RRAkJzwNUW4^$J@-JH73y97HboWBE);3vA^bh9hE>ylR!==ox%xtMlTVyjAsy=ITcDfP}Uq#hf z7a^kpJY?wyXrgU>R6*>+Kb&a=?8V z1=Mgg>W4&BcXLd{#GckBXY`s1IT@=R+oipkysUZ!cx=OmuI-2nA=@DY(Jr@C67YuG zO2(3IWC29+wXoI>ekM(^z*yrUs}BT#f#I+NcsK{6qK~t`r>KWVk}dRW($}NMDX_vR z-G;MP)4nLRX;4{j95=`+fucT?M&$oX}S?%N`0B8j~fm;T~g+ox? z`_xlD1ZmE7h8W8H>4@a$7PIfi>pZyEowK9*XK7jn13LFXT2++vf+t)vBeGxy7j7b14_Ip0oRqO=_d~&iHx0#qIRf}Z~%oqp68-=$7Q9FHFZ;|KL~}u zMVSSLLsQuk(Im;#ClnW=C0V!VM)L>8Sv3Rm9JCnvv$d{+sdxz;M~0%VOmA@tWB0ww_M-XG@nmw%+}t^(IXoewi+vk7MB!vHJ1 zUxcgaG?)oN%xauAjK|Z7lCR?pvHNIhu!8yx#$C$fBt_zb?u8q7tU=Dx`rm+wOUnOw8j9p5JJn!}ijq>C6!YKcKu#=klYdzkupO0Dn|#x`cJqO z0t*|ez&q-e3NamPRONDfn28r&5T2%E842&D)#YFzT?A1OmRCb~Ei*{B+mfC{1(~VG z9j|g<1U|XPZYe-_uJdlg1DWYC)2sap+jF7L_tIv_HToX(2GE^AQ8tFtDt=nY4QD5| zXo&v}ZKD44LDx%=4a@x|xT1a2P2Ldwv*PX-^>ZVfe+aDl2)#5}y2y^CJXdhXl7v(} zOaPED+wXsc^XNDL6sutlHU{QkgW;0#YCdL}H(`Jq00>uqo}u|^HwD~i&~wR5kwX?j z>UIN{Ni$R*Md3@ZssLxGq~bKxQP0e_p2B%#jP9)2MJ~`BE(RNfGn>YFmZ~SDxt>Ch z*IUlrA`{8GK#i1%Q$P_z9r!Tqv3rziNEBUx?xkI!>IAB}8>vg=nc|HK&C?21H@W^t z%H-=qBUoJue8mAUi|9y#?^&o`P)-Kq6RNB%gcT*uOFQ8v)rJP{ZBnRwMKq_7tsEou zCpP_s2sOY8TBI8we!s`WAJ@GlcG7JXqsdg>#7u^dswikt?*g=hp3&|CV`9|Ybg9GR z>`&g1Cbu37e0A&<VHuh z8TCzW&mM*`#xpEA#3`!pGAzBtvBsp9A#@OQOr5Mn%mSzn><0CLGhmk^vFMI(K=_*@8x1&+TAII6oqRa6mxF*&1jYwX=$!L;kEk}Mvy5gPk zYNcvKU)`<7PR@Rf4rVDybdDlsI%<+P{6TEeISUG^?kC6m*7$ZJL+Dq>N{v|VgYjZ(qL0X3r&vl*UjjKzROD=;95QLtv zAC{J3%6F4XYJvr}cE61FxBZU2%f-ETuwlQ*Gna~&bJ(n##Mcv(ZUO+z)yiFRAc}kN z*KjMu;u6U3pI6e*~4W3xr0w*bV=WEF_)W3)vSK%37bn z6MzORV?-z?=#W_gDBpq_eM%WKz6;XiMv?J+E?w#mqj|(2s6b2``FjOkiBokC?8Gn$nT&mB!v zyQmm{gX9iHWUWqv2i=G@jYH)&bnRQZhDk+b>{@F+%#S-+im_{;R&zg>>^66%Yn^hq zxSqMcmgC7Ond!$nV_84do{rM&h|+yqeURN6ZF(064+~yl+*&Xg7uy$v;PuW7SV)Lu zICP$(Yb65qFKW5=>)ipT7RSK!4WJvuv>?nQ=HnMj`6<=Zv zS!x=igu=#;;T*CvBBT^yI)5HNWlq5g(MR_41)_lcVB!E=9>1vx*e){&qItg1= zgt}kXk5f>yMj>}k6-1iF0j#SKM9)lKV;_ocSaP8dBS#mHhg)T^0;z;~bw6SzJ}|6f z0?Lyn(|4i7p!_Y`wrnzUP1O-cAkPnxYCx>c`86@!wz(kA^klVKqfn(#hJo5vwt1^+ zO)0aAVVN^50y;03>^Aofg<`!k}RPZN1_`}|k19J-{685Io)N>RB z@_$Iap+zexNRFyF-tc|eL`pZZx=MD7oHej@W^HW(us3Z|6p|aT;%o;O6JU^>zCRusxOn=f)(!P<>^_5hmN(-ex;gC?6`i%a z2=}H@hu+u3CYhB&XVoZ*IfG(nCdzsVZzgAiA^Z)JXn!1)t*~svkjI{-zC0BN*G_Y} z_pX{nkr|H)7aeftFyapLYVT8h~|Zo^=khESG5TdG?R~N%n_pTa8-$d?@R|mU*ZjP-~py) z8D7e+&Cu+PX*$LnW?1cOjQSkq4l_e7@gdG9(d5&!3`R|=d5;qBF_nc8K(r^MX|!0Y z*JyY9E)TN|#`r9+-n|YA*GsvRwjAVmAHk^h1ueDq3f5#p-KL&5y$$7Erpc4ZI8Qq7 zU<#23YHsm-NX1%Y43U9+qPuA&h#q)H->v>c&<6>CP6Ne6>yde%+#c2s0^_*V zxRtS`Jy}g!&@1{68D^<1Ayl(Xe*PD(7)o{2XXKowzzy8Rv)pxN95g_vOlFK}E6PYA zxyUtc`6{;e~WhP!zrPRxk4;{6P31?kY)UkGk{dlm(Bn4e9 zyQoU!Fm+Qtj0TyAads{MS-W7;r*DnEVT9V={QlGu87{1)Wmr`81w|wh-h|oC_xy37 z;r@kT70yJ$K9dHWH%cc8`ylt*%Knj9gCodz+ck_2Fe{3SU>zV>@G=}_S_<;zG*h(H z2~A`Z*DwQAP-?8gnKypYG_re!_^J0aF`MSarDaCjqQco2$}&+Vw^oeBOL6q>i=2VE z<D*4(J+J$uHR+0HqGnc6SNJHLYU&^W&!mP#J@jlI`6GSZ;Xx|twA<}A^gf(jy zz{GQr%oL`csaGaNYBw<2kxWCQvO3c5)t5(>LfU3e_+yR@kucC|eAC;e!IajyF1HIh zk&+vSHhm0Ut}3g%wSZRz;^`^!A5pJOR0SKpCjyh7Qp>5O^D2&24nt48spS zy?4h!31kH1I=f)W(xtJ88!3%3um$h7uCU)lZX21*7I~#&%+h}NW3t518&n9OrC4ex zVkgqT*HFzRl6=34Owb(Qjh)3OI##noSf*dv&OsKicxA=2WC{R~l7qes$ugQuJsPL6 z$=S_n=lTYXvo}-)D-E9!rBKQo<-00JutF`(AhY#DqOg&R5z2_NxC{}sSSC&1H?W=2h!nG z#QS)lqQpfsmLG#x=ybXLQA;;2L0w6yt70ZivaW(+p|a`)Fcn-4Du@xJyL*j(o6_Y# z(zmu@Axz#!LlCK>S%pK;=GDmd7NSMYskD;U(0ybu*3c+vA3HEodqOTI2!D`#C=?N) zC`ZISm4?XN_c2L=qf+`ZZtQMZjZE>6;Wc<1^C~DpfCc}S)av%*^Kb$mC$orP#JX4M zEPqe*yXg}hG11bi-}u(ERf<3kdsl;_8SlNW$+2lAVuX1^ERClM<}a-6fr^p>z!7bJ!D+kV(6W_0bcnCr^TF=6}h~ zdjthu!NAC=L80BB3cCN4v;F<-Be7gk_4MH5pyV$8EdJZ#=#c{NUk{)v5;SzaGvUS3Mox2}-`dQj-7D_5DX?^1omFOAz?4jURpRzaIVd$^Ux% z*GGde@J}Tn>ru~OD5Q?1tuc{s->i_>x)!+X5-hUX;g@Img^3?i2g{$}O6V;Ae zSikv`dtv%>{{-o(4W<6yYapnP{XZyk?_>V00R#Aj^pTYM<5?paxLE#6mm5@M2eZww zGBN1w9PAE6UHqS-TX5Y5FdW_r%2uk1kAh9%vZP)bgJJ-J0X@?!#ERL1QW5MU@XGRD z=r4Wkn%F<}w_;Z?E}r0bxPmCWh+NErKPo;NJ)Ix~93DA3CmCIh$w#r*}3 zI?Q0F7{@rM9>?KNNdk&x5=a@UrnB+8TsnzY1S7#gjl#-IDxe=_QzuJzrA9nIsAhsi zQ$JtqpORFLld5=*EJf8Gp68<<^=srTAPcFm!+mNRF<-Wx@2VSzBxcvY1*C7L{#$A) zGP{m2ZGFKA#mA4v3u zg`^lI<`yI4tJQY%F>F*MP4oN3UY0f3r;@zZ-qIkQ04sM&##5l%nIp8{uk~D ze?~UiSMia#xATg*SHWg}KaI8qXjEno5T{lr(D=F>+)(G_l3h(u1B{al@qp4;@(}1U zyuWc4X-4BBX-H64xqFB^5YSgVqX-UGMAsZ3I@e%qcpbtY3j`%+ubzODp=@S(>$9ef zGOCh36PHzko6j|Q!?OI7gwDZ3P2pj*uS10l;aFu_4DAx{=T!7HaLk9cL{!}S&QWv$ zNTR9Iyfhemoq5uEyQHYTKzb4n&`qhmD|RY*kz^xX!8@W3%+m=gXa4eR9o!{b4tbG9+Nk7ll;3w+ha0Z0gW}N;UX$lu2?@zdk%oGn? z=y~ny@-Z$MtwhPWy%GO4=f_*Qi}-NeF)WPnAy0^T1>P$Squ&er{KkSKo~iaTA)ZL5 z=-u|Gt{mhk^c)1JB}-FEp(yO}jyqh}R*D3pJo?cfZ`y?AqkYpa`z_sNx?^raGRR@+ zwboF;6_~N+9t_k8(*<`|i-P|N^En(J)W0>oLPvRfJ<`*a{9x!*3R*@3eE&_lg>*Ai z(D0i%73^NClnav9>A1VHkGysTufpAlx>id(CB5-corvT3S8N|ZX}C8D%3d7aS<>9V zTQDm#5zq-mYNt@?b!Ue8LU29aevQ|w_E4xs(M@lCzhEKNn?rTkWI9_xYa0!rb)@2~ zxfP$|lL)Z+oeDJ!Y=|w zoTh+IGExu3y56_yVH8enoK_K1JdmH z%%!+bVm;3R)J1t8AMDHQf%mvr{GB5cxt1V$FtFUtWBxIy1bYGB6L~l?6Qoy!du%AR z?818*@fzRh_P%hAjMezG$lrL)dm0-a>FWx<093Ya5mwjb;?4~d0OYmoBcKYgFGZg0 zmL>3_Q1`W*a7*Yf^q#tb$!rqM`R~fLSrK?%TOl(~-OTtay~E4&(2V?%bze8W z0mXbVwQk?><~y||g3eb`Ym~C_OdM-oVXBU3*oLd5T|jo2tivrMqDyWepQ@J<_h70# z7i!m%9(WcUU`B0ba5vvr!)}~Pe!VjUmYnb5_1qUw-@FI^%B1St+`D+t{akiJgk~4D z%z$La>5W$JtUv;9Y3$CU_^Yjg2gZxye1ziP>x?;MBRmi!0?w7m^RIkyj3+&4gbt#+1O6C*aq0|F2#RO|3$=jU>MCnf7Ho&G_ z-ou41wCQuQEdN)QRC!c_^K!coBW!T4A}wT4%OLHP7@#wXiB@wcLIlqlIXh2|-#uWF zR_auBBcTO3SJT3dMhHkN$9dSI3p6i>dew%XTYILxB-ee2`vK~Z*Ld4GS(`_dpT;@k zVJ}jt$~n2|Fy?6%M2nSr+F1n^d3Ha|pNCXF>Jnr}O7K1Hb5T-!eo9E4&kTi30F~BP z<`7+~Yc8rtl;*fN zP>Hq>7vl?8bE_-Op+Y?FM>8r9hnaViTh`rBnbMVNG&NCBF(jR7xJr|88{UeOwceOw zP|Pi$6ZzR7Gb=SEg`~BxzO{BSq~Tn9Wr0~`j*wQH7RgSZl4f3N!2Rtu`P?T0;ry%g zsa!`WTQ4`S35+br@yB!VMupTw;!9knX9$_3xfhKsb$iG<-Dq56%0kv1B+H&ooP$k6 zLT}xLP}eabROOQ@#sUK;;KAD6ERBI=JE4CpXgqav_3QV zD>&TR%Bf*cJ+qcr_;s~KSjA^!#`F(_qf180jbSFBlIqe@Kh%7 zH6`Ihr@Kyv6A|o3Kz%lFEzBLu`LWnSofHDg+O81sz+GQj;EHsEi}yrw_s+YR?#fWP z1~JkfX;2%au^u8R)K~rHki)E@O`kh_7cwGedahi z@)BGwj!}p^f=5B*4NK+s-)>mTcB2|-Gn~`Iae+^jpDI{E?yb~biUDN$U^u_$66nIs z51ktUAb*j+0i$$p7^OASqa5uaI)RofpbNGHP-Cdq7)yrPDVVLz2?UzDo`u%$VX zs$LQ1f1XzJulO>_I$zK7WMsVo)4KH%!daF!WbR4*Ry&&#V{Jk{?bFG06PJM@X^9r& z46hfa7|)Yr`a;@Xkxng#q{Vou6JCm>3BNZ9{CXJC!K*i8O{ZJ z9L^&eXM}1&gmkFntjZXTbsBF(t`eyRvYKb2((X}azwMk{OxpB<_GuUMgcVE)k`wQ-038BfYplIPo!L{fBCMqjy`zzRxJ z6-Afgot8-ui+Kp{R6p;##m7MpGK!jcY}f-fs!-J(r#p`O@T$f&fl*m==-|L>FpbG> z%;^{a6-ze^((>kK*d#SB)f7iVRnEM?Iv5`3djDwsx#V?Yer+F|Xq{5Kok=b!g#pJe zfI`8`Vv%>&^ zAkvwHRnoBY7S%DvTtvF@FIelypxUvR5hv4|?gx%hAyA5I`3CDk=&i==<^|9_&Ab#L zy~TCL&+{A2H%L$GKHRyai6(f*!Sx~{))wKt?Y=32+mtj59|xVQ^qBc*pg8Mj<&GrW z*)tS&)p7uIWriqeX6d(3u0^s)XS_-}j%P{7eJ_|_#eZ0}x(PzhyS27SA!Y6S9Ni~; zZV7U3v@SQ@jpVoE%n~ht#ZRei=C;wIhCFQy)o+vsrkIyCPVvQFGUFo8A#N?6BOLOI zIQS#kpO&U!Rdp|K4R>2mX|hD_ zHm~+Mny0|Zx*HbSbRY=0UQ$cq>x_gYi(%en9Ht44lpepa%aEhl%V}-V94Ax(SMGLx zz#VpeplwO4>sI&^#y0K>wzW+2edb*UVOh4RAYg_XWHo&SI|6IHU%R{VU7^+Mey3fW zMJVEXr zbIzeqWww*@fve{0Ds`mm5NiCPwv+86nd3#&e2u(8HJNvtuR(hEuShzqamno~L-5R& z2f>S+`x$CWmq}BJwk`|*hE?Zx(VK0#nCDm4edinGjd6YpI?pq;uR~Eur(7rEQ#8Be z99Q;~34A8qb%z^%v3?1C$Vl!E?L4mq!!oG_dvtB|G!@%^hf8P74dPxQd8{z0bZ-q47dY z)^UNKIw{&*Ep{s%P2eDx1k0+O7F}Pg#U0Lt&JRi+=Lf1@u;B;Q6ED4o1)OJi&UwAI zukL8(b3mg{ly+Wj#Gpi=+1`M)6G^iE#OLs-rIjINiT<}Q1NT63?URvrl>J4d85D_^ z)agJ8Lo#>`m=(MkLVBBHTZQ}!h*<4?gX++yNnh?8(pAVIDVak{tC1Z_*1y9;g?wuT zj`N2(S^WdK`}*B48L(KPyQ$K8ghu68f)u6huA%V0ibQD_vF5LxYkd2CTX2i>1UsCv zSL87BD~v6wmsnsEqStbJsxI#mvIN= zG?!@1@4`I4Z${7~<`Mq$FPJ@s|2*cu-CYy@4YSXvo>o15+M_r8xg?K&gnj)DtOLe$ zoBs5z>@P#Xi1|pCbR5ZIM;^!WOD6dBi#heqdsk!H-mfdLXXa!nvCVM=#rxMmJ= z$+au9T~xnyfh!_y|8ZBO=_u-}u$;^8%h*0y(3iE}KHfLV@jJ?i=y4@_adh8k@8XEu z#6XTRKXppGl63dx#1!_%?pQuC=|t?{!M+px(5luGs^QZ+PQ;B|ES-#xjn6)*^lz*U zQ&&IJ7M4)+^4+k++PBT&V%?S6a83Qqwo_qqerjJFKks+kFKMB|)lXWIxUip=ramw4 z+|=`)Jh{1_B!CJBfA~TZeH4L=kFmA-P`5q3e{V&qtBVwt>maBG`@MI zyp3T&!zeNWm3PI<3@i+k)zXV_=iYZgey7sRmI$fTrq zdVYD)?9TjZ>!L#YH~ZgQrMUC*k8JO|Z>L9PMGh`ro%Kui1x2ZB>hZkZ4{p8?rTP7* z&=r0DK(TAGL%G3goQz^hv{II_Fd8fxUc8v5Xuq_kZ&x4MvZ zdFIm@F$Gq?@4bSaH-1_eX}>c#yeR9zPiKmzBmRA>i?N1_o$tB^dw-6vTOaysQp@_{ z{^rZ;2NgN_mcfI(B`qaGd?l{Z@|qHENJTy9)qRatRhfTNovOTg&mq;Yng<;p#7wUL z@nXc3CgtP9r(G&}yu$H`^>lo6&W@1E`vXS~tel&Wwfn=2*>^8LK4LyrZ5+9X)5}~9 z&Z?okLlc(_)izd)S|5KubO@@09g#FG=2Ne)D|x@Y?NVYnKf( zygX)jZ`+(1Lwn@%`l4~Cq{p{Tb;MdfnR=jXr#!UB;+>4)oDZ(6^Ouh2rF_w~BT+pj z>4(JWmpplIOn;vlw5@K&@FAz{SNu-hqB6HSvP?KnPT^Tg-ZPIw}@Ryp%p{V&_t z>kTQNKK4xWhy3Upn`UZe-P&_lGw^op2T#oY{s9>==id3e?J26GRgJQ}=8m^w#%4VC z*09G);EV4QOSjMcrQ`7txyiRaEbsrAZc1o>>w+;CCj29yZ45a%_oO@S_xoRW8okQD zbXosDZh%gij}5zCl1+MUSP*K;%gK_dUfvcsId^K(LYnsSnS~156*=C1VAoK~x|PoC z&OZ(Q{Q9Ek+>P(WP3+fGYT(Ns^A(r)HcCC?s&-2KmXz(d#^mmwadOE(xw#RatFXwl zi9bI-VyS27=S@qoympPRwfdPrfY<}qmL}O%JC}9-Ef<>chAV70$Hw^OwW*D+ap8TezB_eI~Si^-6y2% z<3jz#cYgd2#ztOS=bttmQ0hN9o0pe^Tfa|#^T>~3`UQ7@+5yVu|3iQJKiy$_^1TP} zVUH+{#EC%%;lWeu`~+@ueG{ko!{JWJqzRKI&zuCT=`tC==081=;m?Qv^=dqMv^{LT zI3)FN^W*tBd-;&q{9XAuyYg`eAI>Mr_vYk?3L)dA2t+EdkCUOf9OdO}i;>Wci;(5) z&E*kul23L-ApKYG{^y|x^G%vI(?9jk1F@f|UJlVOxdg}I;6>Q#e|(Yuxw8XY7Rs=*3&Z%g{@V!m?-%3$HgiR)|1yC7^CKSp4utmn+Xr`k z_F9w;{yt#}xDCOfNfaTvCKatoCZTe`v9S_|$-spm8Lbt=6d}pkN)m;3;!NBpT8Xot zN8r`ImQ$d$R6~p?L=1z?6f~YH(OS}-Q_4IcOsI^4jWufIqR?Dkka>cpCSZIZPX@R< z6k(!3oEQdc)Ob+;#0R&Hg8lwQk&M>l=)j5?twDq`d+Ak2~R~R`_B)PXT!-_FXQk1XUqKi6v?yyzV|~P)$#Du zzs}r$J`JC;JR~*%H-;#TlP|p4r+4q)-+c4UKA4S;ipTSRmS(C`m5<>d-uvj$LHv7f|KE4$e;&on z=fn8lzWTSZ@cE}g*Zd5h8O)dcFB0?b_{v~pt$S+qB&`0EUgOn?7I^9rzp0i3x5>xH z2ZLjSET$j_3QDlVX29cYGhh9e(J&V5(H02S+sgd*CkJ|pn;`t-FY=R!kLX9hPac}%6hNs?64aJI{-Q{Es~L$U z+*EF#a19KC=0HItm;{T}(q{7lMX&}!7>Bo67b@!EZMJP#TEu0JS%9P@^ck~&`^FNA z@d8eO={%kfHz-6(-~_JTFhNp7l=7GmWHl9r7&>S=vH?H}b&;q?!8op%_Q)NL@fWfs zA)bdrgOl1I+4+|_@ZTh;^(g)h_|ND^JSiBR@F_ulk$PaZF3EXaY_No6Vx3JFYJ&9R z=~#kVsz1GgeUQ^F2{`$Yi{p7@UyP(=PXBMq;5PCA%5CL6A&od_GHe5b?Mz!D1VDty z%-tE04g}GYG$C`ixq?aM*XUM~wWbb)%uXLZ3dsyQF1H&pb4)ku2HRp}ZgJ=lShP5w z5of_?LD84A!#Bc~jEvX40a<#I=MBieXlV+Zk)?-vmLFK^ImD#NArYgF-kY}LnwovC(AIYRZ_J)Gh@!wZ)0G3v<;<;o$=Vj33-7w!j`8hTX_CNF~_#`t^ zyb7U;8>jiM#=96BMiy^Dt?lSLQ#<*$8F8ax&pcrLCfhE`eGmq)sd|(BUrch#Hv9!| z-qf2P&l`MoxdsF-dClWUz)?t=M?ws@K0Hv#j|v{lkHee4CcS~!J^xnz9^^Cwl=_IGecm+M~dnHbUDU8R2ZG zI}u#x&VX$1&B!^1Pq1u3zPY^Gv=zB!@Z=Ln_fJ02wgc&Ykxp~3H(#_)xVz0dtz)ZD z1Qv2Alj&~RA(K_Oj895m0qdwQcGwQQ)c4ve|77`1+5zyqOC83_}&TmSPEipt&)%>oosgb0`&+(afvg12k-{?Dm zel&i??6ABNg13Risax2_2(~RDcuSg^wJnXpPe9`OAS4}un=42<=)GgviF`AF2f7WW z#nS6geP~-A=G(|=Y=5x+O+vdYlD7}H>Z(lo1+6Nrj%aykD`F3P zQruNeHv;`6ik%NhVE*cqDh)_&kkewP#cn{#ne=ow%V6Z}OS-T>M!W9EIP-#sk}kZI~PI(%>iiryC1?x@*t^w0dh7q&T=5;bv(NbV%;T?_5Tl8?Ml86wr%7Rsa~C_mB67=WD{AhW09liClDyc6)t zE`_NIBk!y?S&3yPr|+Q1s=gA*4Mf(KCe%YO=Uh6Z{#-81g?`A0^i|R7feOPoWKq2l zMHysc`kEe>*^&^q7CJM28?v~Ji0f9~j#h!2{kqBzkmhr)HQPMO_Bpn!QwkrUp3DL6 z$>MiWu!Ed;CMYM_{02fjv!2u>$qkP?zbwcyC5Jn&GI2H%ZV6Mu2hNAyRjjr>5sG@4 z?qJh52xOivFGLZ6m@C&Eg3Q1o)1X24TD& zjjsp|juWl=c)6o8RNG%}JBHhrL9=-spO^{F<_&ye5;U9L7?~|Egj#MO)6-ZKP!B+` z^UorH9^vmusApZJt|{<4zrM+BelI@**;pAerx_EjRv~L;s0@(f3e&x4e*GK0k>xYY z=jA_*gvX4u@;1gx!D6kjJRx2Yl z<035&7&bxr@6qEdqvvg zRCs9nF-HH60;RWJX7_6FK+*@#F>b)vGu7llCADqGxt*3$9 zF@+RYAa*5(=BNErA@$P!q9C=}gG%drfEwz1Mc6tci$q`!aT%Gf4%2nTXO;JZ5u{D{!qgeDVFHr=6aNa*8RBK9f%4xKn9jOLR;n&Deen*o-qspPY{ z;YadwSB0pjMSI^mmfrR`^zSE-_qwkM&9YyXS^j~Y_3Fvg)*OzHA9`r|JlvU&ukxa% zMa3%UPrcd#u=+xQUNgj0QCj?pX>ZX~vZ852Bj;1;OG9j=d$*Gv+G z`jQ&wPxutJ;VITrq;J;t%%RTV=nLjT8#n@n;dae19^?`Dm{#I#=?K4K?GHQ#_arxw zxn~|{|3@f4(w>4cS2t++iE!sgJBALR>9A0eW*05j8ND~s!A0svYf!p|MhbqgnW;3D z$5=pyH8Vmo^6NA+m7Wl|lVIzI1MP70RY>3!%?%~QsaY}<$Nb!vbh_q5{D#LvtznjK z$i(VRVW7|8Hrw=}wop>GU3%G+j&AIrdz2d@xk8(W8{UC_Uc@bLS+lrC?;_I|SZ=83 zRA6lyXc~xp0uyJMFOzOF@wwjs(rxmDTHZ=3`-nXXW=ZN!DfBn#_p~qLOzV-w%Vza+ zd=j4ZN7_?T$2C(q3cO?a7`5LMXW2eO(x;*r{EDC9tBK?b_y(4*k^NHGri8$YV18%Y z9-(_EmO%80MISDd_>Z+_8F%8}xnAA`4VPH9qy1B~=s+KFy6se`({RXT`2u7dC5^U1 z9EiiK!R~)eO#!!BSlR*47wqNCHV|Jd)_kH;PmJ&s;6*SazKt!bxJ@@ux@93N!~^{! zY)hLT#by0J?7e$*6IJ&&eomTcGi_#?NjqsL?Mypq6G)&#XWC4gKm!wKq=gnzXrah0 zK!GAHlzWj|k%Ayas$2vqQneyiMFm0SQUnwf6a@si34#iOii(1Y{&rBG=kfb}ervsd zzw6CfyOYkG%$zybefHV=^9k%nygh$D^Q08eDb5IGC>k)wq^wA*JuQqfIC0}GE;WDX z$-Y7iz|1xef~J*;l_5m=74KlecE}*dko~ws;&*nKdJu<(!Qf-X%9|!{ENt($Q3`aH z1?}WVYIRyZ>S*0cRT08jifqxk!OT1YY260>P7Nd7+Pi$Rx`AlD1T%9Ps{3*>4>(xj zJeE^~sID2`q}I!w12>WV3jeUrg`_h&soD-RpVAPoA2chYv$>9h4UoWg5q$o~eM2BPq1X{6{vE6q!vLsl+#YmimZS+eC;CTX@ zI6|SB93hV3Q`I`8ZD4q=P70-JuP`>-`e;c+r8^l1ME|ytPdK)a&2OW?mPo8x`o)+% zF7h+sSgK8qkpZp7_AU+DfZ~os+16)aPMQ3E$jeU~6I!3RbXf{lz-@aM<_B7AYTvhpO+uk+tzx)W^}S6Y}ob&PWk@$8d4x zdt~UC=V)O$VtNRkSb!zLo!F*MX$n z5hEQam__DEPE>G@oS=1(Q_G%1mQg0umdf09!~UR{PNNOdh}SKSuXPh+R6j}Xe^hErn&5wGaKX&DH!0y%Ck+d2Q z@T0Xykmm~Y(h(X!jpL9ZZy0)Dw zEvfD-`zXC45z0Xc^4w72xKX|{VJK=n#|}L|SBk;P%dsWJi0mp0_(kjJWM@zR9@4#w z$vQvu?ld8TVh(ekqwLywVI8F8SyWRA(>uKPEB8JzuK}2!s$A+V>O3j1yAHoq+A9d) zsffQw76+Ti&bUf(;@}D{Mb#pM%c)dHQ4BGST@qa3Z-e|xk^ftAvJnE6`V{|6DsLkH zPvqcsSfO;}NNx)AuKd2RJk?Q0Y1`0ME93U&Se(PfZ7|0lixOL4QF0<$Tmk>pUx;zAFUTb*`}URKO71<^h3w||ZMn(Q$I4m6v{3xfq16|CMP(p_zjey6jq@LDwxz()FEeAWhY{^;$?_!ReI_UPpi&F zZ0QSIu)H&WlYkA%!#XqJWUStp=$$n#)Pih zQlil?SGgf{9WP*l=AVH~j9KV#kn}MYB_B;?UiT+O4jyO3bNOUEn)$)`IbH;Op>>nk z-3ly1@}YlBj&1${=Cm=Wt}FhLJpetA&%R#RA+8vmt zy&aJ)Ek~Sg?w+emK*5w@Rp6Ix{gMo{LCWX);8XPXrlMV-1S_L-?CLQsDe?{cnj?zj z=DWWYJ@^;G=@Tu!bvi}WfBKBhwvUuXnDZx>?ZY+k^6pj6OV`nyjNLas@gF9j^_wiKlDEn>BXp%`54cosu6xLmpV*Sj4rE@$>65!KjjV&&XufIW+DbYK z(b|`a1Nn$Z?OWiWlKdv^HcllDVIS0VV=l)lTLtZRu9L?sHKWE0WLLKtw9x!txbAGa zod?)OqR@flRL&_5(iVePcQ;Q*K12S}brewHP=3Z&B}??;`I<-77>p+g?~`hpUVPV9 zOsX|{aW~#Tjb(D#)wY@#dNj$_f^D$2FVTh_%QQ2+98+lXD3NX37zAn>`j2SyY8Ts{ zn*peDDA)0r5idj=r1KFliq2eYU*>t~=G2f}4$jR;9PBxEyA*f0`Yjmk#PMP&xV`o* z?M2#|ogTIMNf`KlYTB!OK;RajlLBv~CO)~YKz%V5Kf#MqC_>qv>iLeoVNgKFT0ts@ zQaQIcxzvv5t5v$twcuM=Q2V0Lby4MC^c{;5dMA0jS}NL{;T6Zx5v}M@5aXmkFGA#^`X0n3UrDE0y_6@!Av8qKYhoi&| z4NKMMkk}mTa?R=7r7UIWt{j=bO>vE9eNR~+oWnYhk+P%JgQivcq}ZhG>1#(JIYH`$ z*nIUJGd>0;LDzD*WD=ULpgmuq>2Tpq&p`NRmJYjy^it+Uga!q%lBH9Y>Xm+Y)l#*m zF4TePaeQ`Bj`K&7;(FGfvt4JT*}9OI<^0EVp*@O#j<=E_b2|gjI|0hdSXfiOfXs^x zZ1OfI)mMQP>0pETUG8?F;>YIrST+eCQl?|`fLJ!gyB>)>>*D0z%#vWFWQzb>p;Z}z zg>!NE1yr@=gy1l$A4JyKprZ|stV@H7pP}Zx&?TouDmcpVLCU3NtipWc9NN66p&8ib zM93jPZ8pyk1WG-EAoA2IY&4P;S}xpS8_G`*$1@)?9=S|v)jQtk$mBB)&kFoCI^^mW zN55t`IZ|2_DNbv?gGJx(vEp*XV6t}+NBnMcI4q{Cr67tnD*>q+C{OpI*PH~ z{7{*U#TS@VzR?SjC{JStez0}lwUgk~?_4N87qB4-%t@Qz=&eNd9pGx+h$_y2%WxO& z9?-+otGwOUfNg3VmG7u=lP4-Z;JfgTgZF4XTh<1NneNAy>u~!bzM*rl+F_5@stG6V zidQ#Pv65qfK$|I|1NWZqLF9;y#sg7JLq}KlXiBDjLr&#Pbag?DdLcsF%a>h zR6<)=b3|E$v@1}G33_eCwqm6jEGrCG^E3I0Ru3kqr&0d2lTN^;$$tnYnwuzpSX~9v zmuZ%tbG()$K8v2PK14PA4!{^LLxI|zsLK*wp#hvhtdzz^x`xSMv0K5WRQ14vR#*x2p56V1t`UxAx&&$`x`S%ofy-^Q-|D~_Hq@EttXB`!r8 zf-3Jamum~~Wi)5^>%`dY?Omfy1tRkW(T0AWF;B3P$;=rxSxU%4HPl6sF|chAQ&GC5(Ft zA1t+1^iiCMUj>+A;w0@ou*|ymQtjoRq%BcuSJHKnbZzL;OsWHrXBX2~-5&uY$J|BP z?c&o^U`8IadP@yHZ2pDf4w)y$dHAZ)q}}p0XCD5b^Nz@H-TW5zBP=w}(sj*X(a!}7T;JMQGQPg+jEY0tt z4eHZK^YT1>*#IMu<^v+Gu$8Yftb~4}H1*a>U}DN|3tHS{RNn-k1Hcqr-x#(IPDW;9 zG?Sus#^&m1CdoTUr#y&VThr*PRDMZDBWPT_@KL5`iBCx5tU$){k%@~Nyf>a1;z*;& zg^m}7h&jwJV88#S0(udXP!Od(AZ$ED&YeEDrTDZ(VDLxbhx=LdN=?f8D3b#$F)rUyf!|^|c zLM-Rxw}b7dLIhR>F!@(x;C76aZzjGy*`~s?jTaT}2-8W*i&}o^_VYw9-%L8#RR#aY zy4}aj!!m5cELPdz91sMrdC7>u#dW79F|QNO-M>*zrXJKE^!&YB_`B8^S5Y)GlS-1@ zQFx-*7kt~^u$-aTmBD5*0aj9gO{VnMI|Q=g4jxANd|YgB8sLE*4)z9^ z>XdJE_X1&-DPLZs+69S|gIlo`*1CbYI{YA-KS-lBeo#Gel06h`kL|Wk;|R&j^OpUz zb7F83Zs(UHgZ(h?k=3y%I0UD=JA_I2Zi?~r3&62pIT5D@z`YKb(=58+04kX_8x(6q zurD;yGbZKXv{g+NCz;jUMd^#o(uqKoo~FKq0@HPVz#pHf^A}OxsXA^91T@JH5wks2 z3cPc5@ImoOu7`73V1SN(jdw@oHLID(lcOy{p`&*OjEt6I^OQ>w+A6%3$)$K^`I*zr ztIZ$r+dbjrb)_7yGjT;>CN9d7`y4^mM~#)_F$XK?7Kr&qXNH^2)nZoGTsa zqDk>vCQ;SX;tks@wrCakq4GhpFiWXrDm2y`m`;N+=S?hr0*j7TN<3vNVZj(7zRz-X z6>1f-?-r+JxTx_pgB`03DBHK)Y?XTM6XAek4~TP1Ulu$UyyutNZ|0t`$N?7m(rdM0?vzs_LYOKRWy zFB6S(D|9$Tok3|Uaep?2`Ke&8wuVcAR=S=vA7z%i8XqI`Z#PuFz&dU{L?%#=xlSY~ zH7Sm7jpmvZJdeu-)kNFDrw(pG+5x@|`+^eE(@%5*r_Ik?2}a^m_Q>)_$u`^sFgS`c zLJ7DeqiNfhL1%3;`xTKdrC_Fg`ERfp>)2}~IyHS&Ysf!`7ZPdwYtDXrw(ApCsJAh5 z!GsZfuGwEfbA!1?=U|M3K_&;~1b#Nv9Y?!wUdBb{=c2bCuvdBJ1#eqcbX4PXVlCE` z3z4{(?Hs&AlyW1aj}6*y?meLMN@X!%N3wVhh%sm%)w;!~DA9Pk>w~z)^Ufr^U5H8o zPAR;3c@At=Gtcv-RL4LQQfKSo4ax_C$#jkNL@sqeSssZG2wRgO(nm2zA=P%0J-(A0 zw)=)Cv&Cv@B>ssR9gw3K>z07iuVhAfR``_o7uKNQ=88OKqI8c^hLGF@vD=x+iUTXN zqtx$_(lrmsj)a7}-@88L%(Qm$v?}7dufewW5>lsnxc=(PNccJ4S*q4}xNPB8DX6-4 z`Z=N;WE$5IW!L-P6%ykjsl~*+Fn;T1#Uyl zA|D7X3c!i(26eSbj^@6@I|>1^=yd|XB>9)`4wU*)LJt6(xc#Bj7KN(3Zy;APBe{?| zBZArInPUEd#64R3_(tQP8NT8hn@fiG7jYVRpe=3&PGLu(v5ezP0VmHw^5Mi}U3 z3wN4dUIt$27jTZ09tLPuV+`!exXQ7|0O&YY@+5;>h_#|=SSBj}17`|t$Fe6~XJX9@ z4F1!Azh!X01n1lUvl&5B*(4E{VbQJyIr%v68Tp^Js}SlVb&e(xgahdYj$4qhmnjGT+T>#_Qx zUdd?Bm1u7OhZOCP4a|$?C*G3CiQ+-GT{(iR9Z7d=Kr(8l1pZXqtQL3KY;G@8#Q z-e$7{tw^!z)T`i(4x4`{KUuuO4)9;b#UF=NfGZ8>ZM~z_e!9WW_7`^xDaOD7bm@6U zkoN0B!(fcthsLbN()PYUmk}C@e`NYB6y*bs_YLAi-;25Q>n8ue&iLDAhE9py)m>U0 zh3{Zn^BCM!TFpWKNalQ&Np!&+5iz#&J7HxEkj-fpF4osKUZi04qt-`(a+h*yamM!aGjM3bM0pM#;%qsI?}hBi_se$rH;)1vDu|iA^KqtdK@ehj;~j9bi#*^G zSX<%W*(2l>X9s)_o<-{L@9I81nT3C468($9JK((f2x5L?1l*CS*~Y2ejc7`hEch(a zP87;u5`h&AUk4AIA>>Z{HDe7v1XLo|!;3VGZ@}RLgs-_h_7X0VrX{mM>#SYJE?n$5VIXr|CPVEY?R&7X55gYTomlVB z0#k2&f>vRZZ3gaa0W!Ti2Fq)r?-Pj9Czo(HL3b2aG6$gis$B9T-2PAvir%uSAw~So zYtp&8d(~??{6^zqm{>wJP#Md0N_L$3F)qD~=QW;l9tt&-rU6}L^INc#_o{<&XtQWx z)0oF)8g{5ZGohx851S4GtH2_O#=a*FrMICeh*ZsP+^ptf`E@pL+dQV(V;5gSv$mva zG`*1-B-7t9{$7kX9TjM-L)_06!pwd>8H^{mm37$GFjAKYd=M7VN+S~A#%ZA;e$d1Z z!v4zw1+>V+Fw%QBqUNFCVc^9h!5rUQ0c#JXAJsB~6>1lVnmegJNZwU1%b9$g?%QSbtc8MbMP@p_IBW4#Uw0F5~npjy=6mV8>hZ-5>~rl@E8LQ zIB`njI^h+PEE6YdJT%5W;8#?2$%qzg>7?}teKGfI*7q*!I?;e%!qb_awsI$`ur8=4 zI^A382tbtG;I#v_02@7E z^tVi9lOY^cG>E5|#pHPTgsmg%Fr~#7W!Z@#317eXHZ}5}Zs|$DKJXeILQBz>Yc}=fIO@Ugw&c zm!b7i6F45(MlALZGq6oz)$2jTDz}F)8!xrFH&7ZA0}EZHH^OdyllnpgdWza4PXh}S zZZ6GLyXx_i+a3wLhi#umtG9Kb_2L(dhp8^Rg3$e&9O7N@>tzZz#G3Aj8-iO8u}W*6M@;h zg(_={@E7d17AxPD{+L$F2zdZiLy9h4TuU3?&%UmL6V?c=3wC9+FqOe>j?o4i(UzJ# zs55DvIm@M(%)rJSBJKX?F;fZJ-%69V)%+o#5#XoF9zu*47@UOHNjw#uy}1TIuxgy+ zxZ(Z|s`*+X`LuhEJh(U;`NsAvNDqF%E50+_L47F_KLf3IivcfXIL%<0Y#=u)iDu7mdX53c zMkPzJ_D&(YIyggU8tCH3?~zXBb4pzo$*O7*8ERnOXlx>ThS2TT@k!--q-}$VtPj%G zfhGkG9!o%z`VOg2wRPQlfSyBfZuMK#azuzScsF5u20F+()Ut<3Qr02-1N53_Q0P1D z29uIOl?H6jCVDoTr?jQ}XENC^jkm%?HX5*mwvB1tipFjkBMc?g^##?8(TF^cph z(zdXP%H2pYTi73?UW#d+3teXeDQ4R?kSgHzWkZ(cqGl_{DUTrKjW)vRVMuk;b*q$) z=-vu#8e68ep#16LUgm&&LEd-fYF#AC%NQ^1!hroIc7vf-{>1sQ2-766h17L{fng{X zr?YPI<%9mR8JtK3kEVecNexJvscy}zqJ#eLvQWAM#q!Q zwc78%^CD6$HwvF#C38 z;C*Q9(J1Q^W_2o7$46LiBuSc1b+i{M{0bN6YyfHo$H%>t5m90UH9zd3b;({l0&ziU z3Kkivca5H0tc|8P`5eh2g6R*tBHm9}u!I(TRv>VR2gkR53(k|F zUvJAL+tBfEeAyPT>~MCgt3BvIc%MED5F(?<-s zOSDmV7@6+vgO6LtS3IxQkAohnX5p4!!`p{$d=P;FP|CsTk!0ahk(=qG+{!@t=J}Bl zg4KRu25LC(rh)lNRl5ncm|blv#&Ksnr<95K;3m$I_X${HHCyXPCG8OLtgDMji41!L z{dV-EHP7IE2CL85E1H!0sOCIj6|L%k?N>P!p|*<(#o||~sSMxf^0>?s;##*+uDe@G z+M~uY-<(`f-x+)8LuJFT;^$|}T?)>MW^oj~IbLeS@PcAOc*8Z+K9G#@JuWTptonU) z`TV-y^?eA--XZ5--trN*mQUXDHkpi<@yYT8k{7ogZ&XT<_#({1z;OAq;K;IqKSr%V zsEMr|wXMRvC$O!9E5g7OV@z%oCQLuG)K(qMRX~`u>wE_wRt%}kS#<=}T*O;lduT-? zO5Q}uRMIhP!kJ%PZy9{edOUASv(PK)u*<&`NlBwtwKXO3PDK+9k^? z^*{i}fXQRe7NMe^+$Q>1G?LT;lQJ!)`PR{gnLFgf=HAe`-BHaw;gGKjA7qN`L8Itf z0nlOUo`>OaBvSG%-cy;N#?3(hKFKwXU!_KR-`OQe2GGKVB*!9KTX@8YOT~;@JS1@-S_FEy>+ayMxorY0>_?B>4`JEuG|X2ezAr zrM<{D$6*hdU*-u-I*7Js(QynncTq>Qi>9k%1iDI?l?bYtV_Q5;8QioSUFhdho0=xw5I;G5-T|Hf0AEG}qGNo#KWZef; zHCUcBBQ%hmNCVN?S4r47-?xRB%VaKBA7jA?zvK8h&`otFfr7>220Y7X!!~hL3wWfEn-Yg_N8qu=eN`FWZjm!wdl6c?@LIIm(@?io zZVWrv{{o#MIY#;!tItMAcQLGYtdGPnm&zB~cEr}My1Gp6u3ko37f7`nS*L*N9<|CHL&cZ_m;}%2TmG^X+<*DVqyUY3jMi5-I$=U3DAE zQI>7pK2Or2gNRvV9~&$P1kuKi5Z{M6&#Zj*A~*mbeV1(Zdd(n=i%w<;(jXm51-|my}b2iry?5|v;n-_tJQr)U=UIq(ZM^_HU&r7qx z!5&qYWW_euW2bVO^7w75D7sBF)7Gy~vVKA1ZazQ0x|8>aoxq3k>K@qAh{xs|sk{Ix zh8bX^1dpL`53&WV_&E<*4EvYETTOr!kUH3ng8LkDZ0lH96PhU8jULE}vQl2q{4Ol= zfSZK*lnFXej4(O1U@Vu|+(QssUB4QnRXW9(9;l9Q@kkwEXhqsdK3OD2Tjwk(Jj}I6U3hck(B({ z`n7?yI|f_Ct8Av4ghN55P))?vQwFjpV4A~bf<&;d`DD!WSF{N0Q|V+sr4!Lcu?b9_BdxSv?=tCd5XCy66b8^L+y+0VT|lhZg`h?m?7@C z3@pW6^Zds%!Za>(DA5eYH~&KRcpCUkTCW+&U$rB?t`J&9smFDtJA?~KWWe>Fr9y?d zch_U~q3$4f5o4F7KyXDU$~1g(5ID|3caxie!+45XjDUZ@VH?T<8Mgd1EP~_*xC7$z z+H(9Zt`r~12nAOvOEWClq*Dd%!JC7LuH2jac&1qBo>cpy`Rf=6YLljDu(RSm5ITig zT{jZwX(HYSF&WfqhNsRm`z?!EB0P7@FsMaXouVd<*wS%D1Uh&!@1pEdK$HWp@xzj@)g$PPS$5;C|+biQW##J5`T=fvzH-AdCGZ zXFn=F4&;)fd=+4)lz$|XOZFrAXQY-s5xR|by5>e}HIRo!Bm0MZhvsAOORmNaxE^oT z9+$cyX{=FxpXragNt+|Zqs(EVJ0Qxv&%C9iMe7H>FHO^fJ>bDk?v)h|`%{*z^o0gy zKCjqbv^qQcze9XGKTzJ@rT4}ZPDflvwk)^|E9`Xq9cvRwcM)4k?=lj{yf2{Oa@;kr z4gn;hK=-GVrYP?-5$qF%Z=m2dvW{yf4Z-<4$l~ukkmE^?wF*c9H)_iZDhkglV>&G@)|**ouEYMTVy&HbjK)_%~+t zpGp5tIOyN!!Z?<--H>c7v2V@CfzACA=o6U$$@asS7a zKas2dzM{evh&%lY5&Qlt{F$$ue_Z&_j6ta6zkl-2oO%B9(tl=6&iv0S|IC~mj*tCU z9{!m8Lcht-*s;AQj2ky{;-5kEi!Mc4Uib++*1mH)(((I6hyVwSga6mTEB^29;Quvp z-@;mZvN{%-5sGOW2ILq~F@DnM3>hW?xb)8{AnLDciGP2AiQa{X_S0vW*6t=9xju$UNi~Ifpqza>I{IC1{*DUVKVBa?ZH2R;p{LC@~@`_3- z#uitM%IMWk%jhO&C~B4x4`;PWlZwYxbBRVdJ39+YIFYk}w{2Fj1?jVM;IA7(!R^ir)FYz|KfxLJX)w;})m$P2cjLzEWe@qTYC#4i zHwz5GMn(1H;BwqvDu+`_j+o|4fFEYca$qf7lmXuFXYeLm0Jn65xfsm03buf)$|&b% z%MclSF`U?~6t9JcX6FFea|dp`QOV3z3n8mnZlHnJ=eSu3jT=Phv((}mI4Rq|@$Nu+ zcVale`d#;8BTkAK+(r@}mIo+o)pA;T6|IJ0#BAzSxoc8kFyHlJ!H3BG2fQ~_fWEO@pia}LC(x30+8)R zdL?JTaGldWirNhvwWSPkH11v&L zaZRK#D>FA6faU_+LW3gb9F*WG1EI7ErU8RzhCVa9A_C4pYg6RI98TmVy~j;F1J1Pu zSyAl=;N2y?EFbf7_u_6!Lu6PIlE*tf#kzI@Gh{=>fLhw zx4x<2o0i;je)%27P*@7_i%$wybf(=8 z)ndq1a|2iOaQ7^L&(X_S_MiMPP39D& z)#v7vc?py~z#RdvXm{W{e2qR+KG;Kj5b~a>dcbc8DJ8?8hBB3k-@;|8$SUy@u9gaP zdPNy96T)RmT+#Ym)x6&Th4&hCz8u2hodCT#xA+LWS&q540lcI1?ySOddgQTu7Y#dj z29H~T;p-I5&N2LR0E-Kc8sn<}J#KhZInf**H2!@moG}1L83qmAS6gMNDPP(gaV;KVnJZ(ix?0yNE}E!2n%8XNdQR%;Xte)Ng&A} zJct020+I?Mg4jUPK+-|%AP$f=AZVaZDtxBF|Fs~~;dc+iaR$gt0vn@d z&YVTz?Ad>P=G^}{Ui|exr!rmTh(D*XH}WjsagG!|KnEmUuU;2Y;I5B zybe#msd{Kh(9p=JF6h5tMm>tz`Tv9=`Zs12h9(>S{1f`<@3U~B+q%D+vo0Q)unA-- zG)>$EnRFk*7hNhcMGS=#Gmr^pq_`Bdk4_Z}3=kH0~hM8p4a&i-qeEXC~5oA{9PpBg8JWQ;rAPLFaA|h0A|I&#|ED)_;l;m zEnR=V=m;pTNR!?aWinu+0lr|po&X|-Zcwa|rU(<9%8W?Whl`Xjw}moH)tL|hw;+Pq z$q^&bxD=QIqNrqd(m55Y47@)PrBa8=7CEc;fkOIFBza38Myp zAAT*^iVkG{eY^X2cPv@((|^=2Q5*;jpY&%1&yBJGf6MB*KSes$)Ip-e|5A4UKPCEK zE4Vk?y1sVM5~j>hzY z>a#m=GC*^gbVT7CxKZ5MNI<%JBHdZ=#Ip2)SE|lB3Z8&g`Eu3S73qnXm}`L6fU8j| zo{!)-lua)vd?LN-?2dvb((MILEKM(f^pMe|L}D`BH=;m?5{YJGDr5q?QG2{TKHPrv znYb|%atK{g2bXll2*-_ve^yt?aCQCfv;Uo) zXzeb7-TxuLd;O(@e{fE>bO-dL`@mHHV!cTX)9c&^r@D_wHAzbC3vea><|hLx$Luhf zPimOH=sr9v(KQ^EL$(S3<;uf&NR$uX=Vx02l+Azgv*Gb!_%DbDXM@Ht1nmDHX(QfF z|BFWr=5->>)VA9Y0(zNY|K@5#)tDgC`~xvx4qRRN2HFg7zZY>Fc%t=pBKiU0TzLogxlR7)$$5j;Sn|a zeb}>aiW6{R*U_N~V=F5F_+vfKwEfdGbRQdyONHkY0UP~Eh6bvq48{OPBC^mJwkrW) zy+B>MJMVB(ll?tZZZ@w5BgmD&avB?a^eaFNlDeA}Dg?5aXoL z71dNJ`G>w>B)1CC`P>jHxtAQm&X%Sl`#AJKU0a~gAX-gQ09tC^;DRAxiXi*U`1?pt zQn`gP8U5h`wCIQ(dZ}6k1oZpnCifQxIBMVVW2m0Id0|JMq1^I5sssp3qp37lBfW{* zlMFbDkY&E97+c&^hb5fHij-(zPyYW1mEcD>!t48mRDFN6Kg zTE<*)!nX;txm>36XGUUtV!9GS#5@R?B0h#9jpviaUXdVi%7t0#IAAGRK=Z`&9k zCJ{3$KIfYP-B4(R_Pf13;&isBK zV}|d@aevYaamu~Nc`M<&I~IOry<`Aha=(H~fKArTSAvb7xAH+EMx5r+lX2V#wmZr3 z-HD0bx3Mn;x!>kFqQE4524z&UL|at5DO6{TGcaPt+~Dd4pdckXGqm$I8;gsp_9-0+ zsv8?mO<+wpmzsL8Q_Da!s_xU}3&6!|24R!h5oEE^4tJVtD41sMW61yZTEfDvdQNBg z4b0%S>}Y$Is2NiMp{b-uXL+0?lfr0C(1H3y01;;X2F zXv38-72Y$tfQUGa$--OfJAwPAttbXRf**$t;kg2y?(WN6Z?SjA%ea?*8!7oE5VmqymZgMsC^H-wrGit}|s_)|W9@(f%} z0G=LtrfMDE4sKTUTdR{#qv=+;L?~n?8C-9iSq%G zHuyCuGZ67qVICqDfoo$jH<3s(7aB0IP-t&ko`_M_qv;KZZ&n9Gg(%e#%{Pe0l{GqI z#^6QB=&u~rp3JrHI4l&1N(%~&)K?DANVg=DxLPm0qJCkhoL^eSZL9cEn^)Is=8gPZ zoOtyU&lDn&noCbM$(@Lc;UT9Mx5FgmVLv0g^TUYge4+acUL?PTjUg93f&#K>mX(P9 zK>zt9cV6oQ+)C6K74fTyK0vq`%cqvy zOl5?=16D4_;yKn|NxlVJEJsKQblF-1&sa{9%6rJNmt^Ar-2Vol!8i^KXlq#^W0o+1 zrk;a2q?4FPks1p6O#RqkjpN5&D>!EBYgtNVNy%-8I4jjbKSK1<7lG87f+bBEyy^a!rWFse#p@F*MkATV5Z9Y z=o$wSxeP^(hcTL&NHF*`s%8L?9sXsr@PUI8>0k_O#dlfJr1o^aUHupo+aCpQB>1h1!B(@D%3GV{C zr}j!_D^7FvV9eY=@UEyUfB}MJ$+q=f>0wrK2gID$t#?f@((y53`0a52V?<&ZB4 znH!VDL&SHey**O8qG!tZRXCgNefT@VK?P8?(giuoa1xF-JK|Jm{nN~O2_=cB==F^F z(#>u&)tL(sYtjCW;B zsP{vw$Ujv12cCv+6!cZ!K*S{Um1`DPAXIH`NMvGLUiZIgJia~D&e4{nI>O#`M<%u^ zf7=4GBj{2cQIPH-NIXn)T4ywj9u{jRNa)p+XTSs^Onrx&c92t#e?j?_KDcs|y(iJx z`GB(@bpXO8TECbeBWhpaE_81=(Lh!+>+Gw2)yN)CjN=t@9g!&-17i?++Sq9#uqGRXwg{J8d|_6l)uOopM0_|2JD{XndOOiBU)$OV5F0xAw>29NiM=k&PHH4 zHyu5Ou(hcIS#JOQ!vY)5jsG#-sfLeTL) zpmLzhVBYit;KX`FNh6;^oRuu__0etLi7H(;6Nq-`DQibotjv3!NVcb84w^}2JJO7k zy>WG!Wp-W&M=he2v5#DHDIm z4YYR#2x?1$8Phx`LGw+eX4VEfGIwC`FC*Fm z`X#C*ml8?DP`&hV!^f=``OQw9rr~JGimrBHxiS61sL8m-sQ|vs%fvyk9WjEvE-+Ty zPCkN-tO#>Fxu3{!XW}$=0J?YY>6XjTuWiR5gj_#%?BS=SpNWHQY`bVf^@#QYYp^v_ z^!Ft3uGnDdZ3uU+zQk_xLq@XY@DR(z=up@tiA-nX$^NJh{dKz3h&J?dJsg7>vZGLK zAVc)`DXzOQv@yE1gG3pLrybqxIIZP*=!$@vf)lQ;u~(w5j@d@?S#Ji!!1}q5rzxfr?_Yk%K{NZKdV~FsHCf9fbVk$PVB}xGzQpgp=$=@MfVFB5T zZKe8fjBgTRws1BsfR_W>f%|!Y1?&ivaOKP_@T*aVB&#Yef%&L6F_bz|@S)aUL%4ug zNTzR(-{vkE0FF~^37Dd}GNucRWdrcylGA8wF$#W&G}i;hih%W#xP{vpddrhkGSODh zQ4r`JOSzcXiY>$zrV|=RPmG0z#e`nW*HI>_w`*y*qAIr#Dr8l*@28th6&DY)L`vbU z*p`P-Kl)HR>42V)tfg&*PdNXfSo|2ZhB%L>*=pk#2GFMs0pv5?rUB_=8=F(z@9gMWf1#QC-P0wju^YwI?7Bwt1Li7CcV=@ zCbuqx!IZjIwi~8N&=M+@%SM7DcHrL5;m+j{BXNziuzTdE?T5h^+WmkQMO5KZV21g= z@`JFm>;UUKq8*seAyEru|JS8(mKVku&+FH!!x)K+T!XF zQ<@26Uti;BF44Y+O%Qpriw6Z>`ywNNY7eIX-()9jurHMo5gulLGNhxn;C_5Y>(@9I zchgIi)=nlmHO}#1)db{hV!6^3wnJlY+uc||N9t!g6^9d89}qU)!+bR;+XZY5 z$pv}V2RZYUOvDML1DSeh8}dDb*!0k2P-Cz&K~7?msvksLvaedlv<9=J zd9nCX=}b&fv#9R}%~8i-dbtRbNYZWNUCXHaAu2esRi*JZ%R>g+0Fsi0 zN>WTC6o#Q*VPdy3$UiivSd zZ^!d4d_FwQZAf)aM5P%|)8~@$l*zkTru28lT(H3Eq8L_+(6OxLA#<~(;@3cZ3iwS! zQHumIQ{SVKu4jp^5O2Wc;WjW~5$((mrvO{4wN><&qP))TDsch6;B{ep{9pj`o>6`; zWW!zc(wiCO&ApV`2#Tqkq%EWvYCCV<4Z!Z@x#F>c3880P4#W1lIMIsD-2cbkyT>(E z|9{}`H|&jjZ=A!<;0(^-49;MKO?GtCO_+inbm$O}p{U?>A}Zcd@sii6sCY^7mRgp0 z$<#D4O)D)iO|7)7w5%+ttSl|9tSqbFYgC`l=X?3%_xt9RY+)cDkAubS5J`Zq5)(pS<~Zf;01vfhYGt01*nb9vO<&N8Ol*Hh&QHgAr;t5COJ!7RKN@on&z)`jKqKnOMMx8VvsL}LwbYgn z`ifW!lHw$&5~<`L?KgG$`I@|)M&nLhosVN^kTDu3XiU?!WB|`HqPeq{_T*!rGGaN( zo0tY(r+))r`-Wqhg4qtbvFLsC+*snaT{k`z%MMi|ul1(Qk|rD?$^1#u!1Og<)a8Gu z)&HzDtm3hlvwXkLx5E(MSrqA5&k#g<`*z`iz{Z_a*A zB%dFPX5~FVBn6Vk5jluv(m&`9;ZvY)cuynY563KTH_SiI1kI{=+zX3C#~^X9u$-G1 z_MrFEL*zT$&o&Ee29t%JD)|Nb5AE4P_2xstTLK$O5!fnM)1C|cOrs4n3(7op^SxL) z0uoGOJ(9f2k4jl{temMLJ;K>q4PFVFE)ZjV$HmgI%`f6LkR%TVvOD&<-o!yQc_>&x zR?yP2OG01VrGRNe+`0V_`5c26_nr_LlWPNcQ$RlB<487TM58L8%j3l=xu3nZ>xESJ zEc}N3n9L-bOey*YS}D2uM{}f^rmIe4`^{X^)_r(SH$LX}AZ`FTll?YR$C)5XyHRRs z!}kffNxY5n33U4YO7FTh(m|XhIcTSw+nBlRCq58eCE13mc8mz#lZPQyCwFtlBWfKw z9&sJGukk^;lG8H}at9!C1TwE*=_|M=h+Ig|;C5~!;5*XkM6iUsjxHL9$FrlEy4Cf` zY>f71JVG1~sC2mIZf{&(U258-!}`sO!d%b>kl53En3lDW4itc_?T%ew$3@r@Ny>Q)Oe*lake z-8`BGHcwZw1=hPLiYeh!n4-qTq^-P|Fqz12U(pMY%o(bxiJ*ci1FPz1X*h^J>OapS z4*@ucfFFbj`qEblV6{-CTD~~%V?3qJ$f8B%`o22Rg)3BYZ+li+5Tv#U>n8EJtKsep*f)r~9z?PUg_(7KPdZrG_ ztV5VZP;dO*V?^)aQ%}LFmp_J4zx%z_PAQw7e6OH$I8o%L= zSk_cX%|fM^TKAdvy~w#wlU1vpW{FPdfgk5{Kpi?!7`Drahth=r%)o;02gYQE)qeA; zA2ysYUld4BKnw6cahb3NiIaq6=7ME!epe){=UhS>os0BFtlRbGwFqjmJWmq&Eij1K zw_{A}6N#PwMaXH)b#?V{Hf&JxTy0U&BBdkAupZ*YIZ*g%LbxsMMH9^*Gp6LYungq$ zh<0Fh7kz^l2np;sy(bp&$9RkQJgmPj(7CStSP-ehH*exw7CbW%0RY7Vohoh<5%BG8YoYiEcX{mF>eXSdQyQ#F(Bp zaXUcZlX(W)$t-gVCrl7l_YrNF<-cZ4`DNIat(&d;n#tttWe1w(nys` zHBKw8#Lh?}73AYlSCM6MO4%w|Yi%*$$>ta1 z^|~0IU3J9xTDkF0~X2NA)l?@lal8 zoUevwlh{j?^p+Q?X(oFoK3HH%F_H8=kCNE?$JouUG1J~B$y%96*BY}Z{({agDuJE{552KGpxK>6G8~WN*^dYda9FxnoehsGcLYwgl zXE$#Lgo{j%boAUs@>JwLL`HD^AYBNRb?fKci*ZUTaD$4(gB2V z5`YD0#R+&YZFjXlsGoihoN}Bn6x5IMphQu2j2H8I;l@f(rogvDGh4M8TUmIs9l+ zK4LCr3*w*;rChf~Fr4ubHN*O6nm^M~J0H`?+XJ!2U-ag+YTp|$Ly!5pFFFIp+&T`% z++a2)FaJSj>VT@B~|Lc_i;%3e&CVhtR>M-~3tf zGlZS0u`cXQyuO(ZEqTH;u^S{#i#ND*OnrNGZ9Qj$X zv$mlr`S;4_ri~a9Y5tbdZe)pJZ;XDBmM(KWK}YmPrIQe^NE6u~*b9@GNy15prxu60 ziLtr6QPnqK2HUH24uYut!bC%#(%!p7m6r?dP?jBh$=0um^H9NKMEViB zMZ#dxNhqf=*=fS_Map?U{NKs+&(DH1UamnEK(XD==2vjNc~Dz-&!aKyapeF~St1(^}tG97K7t~Jmw#R5Z-;sONdktsjagvb7>+zSaP^B;XW$XHws@~uzZrOKj-TB(fO-yHA2R2W2*A4Bg^>ge$S@2!j z2UgOnLgUx;c?iMwd!)S}#V>8gy~r}!>Bt0}z$_?whv{7GK&23Ot;Cfu2{OajgF4SJ z1YI3-F|@KR;o8?IKy#gM)ERs5(r*yTnI_mb9ohrH;NS?Ynd+$6yl@+UC6}o-SHf1Bt^pe z`iH?fgXsXWwfu*)80v!Nmo)es?TbG!j8F@4-UZ0<=N>1YM2Gsi%J0Q6@wJaKI`hJ4 z$c()EP@V^oFTvKA9PrLo@hhQ$mn(PBfq_Rnm7tl!&y_}Dt7ljImK?-fCwF916fX1D zAW|w`baojsmG9-+3b|#Y3zy~hgk+9S_VAc=4h^uq#1F8!f)9XkXe!~!7|#GCo}fRd z52*a&M}^8FLoq>>-CA8=HU zGtSi1Ex4LMlUyK9&GpikM$_?zFDUOc8KXrr+(Kic^@Fu!l3c}yi`~cU?^*SjG3`pJ zZwtk7KNmxatk0yJnJdK5iX;6YW=Mm+4^ZI8F#Hw8bD`Aykn!?dy4pNpkoD)up^_%M z7@za3p@0uf?4N?zTRNI-jOlAQ1(pDEA>wDji+myb7PnzBR1dk_wvjlYT5!$iKw~SW zqullpWWSVASIkXCD~2p~yjWC6+GoGO#N_rzQYg5;r4vaFi!Sm^nSFQx(bM$6Dr^I7 zPxOubR~7<}jgtPw=ft2P$EH}jr)uMPuPSJ7mM7HesP$0esrRs+JhHflg&%BopK~o1%TYefU0;O(5 z_;Bi=IIQ-L6iTf@xfqMpTs(bKzo?Q9&Eagr(eRw_sJ<+=`rCj+h6*C-BgBxk=KGL> z7M)?rpv~9`{(0=PQi)g8(ZvlP5EI8h(#$*o9f}Ii`9d<+(n%cQz9PoepUSsQCW`mT zs0nAu0LZydoo_>(=m+Ctn$2sm$9Ew#0M-Q3W7VMzr}Q63-?W8(9h(dysCg;KY-L)& zm4^K>ma#S#{C-NP6;t?b#0Ko?YJ|JHt`UZl-#|E)-N}G6=7+_j5dUN;7}=O;zPOk@ z9Y?l;KGq~!LDJwZ(cj{wnehBr?hTDFg7z{F;iwa;NVUN)+4%s4;|ejiYbj?4p0(Ur zm2Q{r)$;iTR-HJ3}^L5E~GV;fEWZCXCUqIV0ttiXidaQX!w-CA~cQR7;PF z*??lmdk4{Yu22{W>oeF8DW3d}h!lEX1v)({8^SGxvO*WyPdX}QmfgTxiMZu4xTEl1 zob6wLy=aY*Xz3JoIAdzG@cLEHxgL&~;BNksXi=u)@e?oZc~5_IY98ridEI!*2AYpx zU72mV6^EbU?^=?{S+b=%o226B^ePSB!ReKYd*(rnQUA0a0Et6__sC#lQnZko-41#z z;#z72ce&B9J6duuZxn_E?p4>b5#%Sa7v81cLirbQBR0?>D!F_+>$-5ye3m<}7Iels z?a(n=rkxVW?oj9a>N<;zud16*1t(cP#m_(scDuTvmLChTQGnN5+T(Gwn+(E41>S>M z!~%)gn$dZg2AX7o72fS%XiC;F?Hw%+BTl8` z%q^5=ph=#bYR5D72(|x$%!R=I-j=16;S7Z$T5J~)M3 zCXe7Zh?lN45K7Op{vzYglyc^$Y5hg#*Oc{~!#IwXy3fh=$nmZ6kncm@V!I7NT7m{{ zt9_h)*GSv}R)JWHP9@K=8?|JjNu#Y^3;>lrP?Pp*xFN0m+$8QM?a8r@I6$xTZ$(B` zT`r4Yyumpn17d$-*MHp(+TnCW-pYYYv78(s4GazEr{EWCELHsQ8R38YvvDSz#EZY1B2cz}^AjJF4G9pe z831YM?s;297Pz_FPt)dRhvSW_S%4zp-r*mGzULVi z^NIq#uMt@KHH!QAzXJJU&wnJ@vVB;tFk-Rm8 zcJ(~Uk&aRVnh14Hevo75{^O$K$Z@`{{XNL`>rqG8&(odk=Em6;Lx0d&=Vw2!Yf&YT!f+5IQJB zZ*~ylgz03-4LAFvT6s*ICEcyLWxvvc`$i`R0BL2;rR-DD5Toyx#60$U`=!C&mzFBm zXd)UQKdV9G*+a`N-6{IaSeQ*7K=F^JY!&G`k;9{c16-XDogt^A{6Xl=R+qzM-=2%V?32)LDSDn-5UmxL+tq}%3FFB zXa7UZ-sF5YiEwX&{!ClGy%2ATZA)bNCWZRP1i^dt6~2^hlL=-xIH4$uD$us+2BI_x zXp*bMDU{2~N|;&AKNvmTBi&w0TT_XIXO#a+_F|pQE-E1WjZ-I#XCKvb=h0gGchr_> z+)SYXa`nvd<{Gvp+CERG_o~n6^&}crC+S;~EUsf$Yfx1=<9mbOY}iG^0HDLh4`T5* z9&MDtq&?EclJ5;7c7j1HGl^=hE!d{y=R?EQmQ0iA-rUzCcD>8DmFM>%P&!uSzZPZL zcK*rT~X-!Lu{Z!I1c zL0-xk=U&VoG;XDGJSMaFK0;g2-F%9ym)2$zCJBw^ABFN?w#QomqSi=iLk3;ShLp_4 zeIdso!IpamI`tqrQ9L&a`2*?+fW&p60F{{@`lDn~U>@owu$cm7Mr>qlb8mSs{q+biq~ z{p2!L-7+I+J1oT0rE*@O2DeC$xt>DeY-(~waxr`k36@*HGc!lHtehn5&>;{anjemC zdX4nugS5Lif=I~NrNH}l==2H-BW{rrQm#r;{$79mmAw*iosPJd1vs$jT1zlvO) zP3YlHfyf_Vvyb{MRXuP4D91HBRUlk}*PHHhd=}uo_P`9HWD19JjiC1mS9jMr`ZgcW zzem;l1~Q{&UC&bpG?+f zFJLcmx8G%czI%E9Li64D8?!;Dl&hno4TIxs%Uqu$W3ifiLi&R$Co`SRRdY$^Df<3X z!8ifb7D$#Mk2NV8zB_Rkju**>%%p(wp4r7X>aYQ?GUWfeaJ=~YMKDget z2%7M#azR`y-*O*^$PU`c?*MbAei2aV>WKTv?GW?s^eU)c`+lJ#u}>wR^<3siz3WL_ zl#xFhi+aD?97w2JY8sk=rwfT>8lS{W2gZOwG!0&F&S9FKDfUW#Tnsx71I)>0Q= zj@zpWk@=lXATvB9g837bdZxvb?=3R3*xim8(E_2w;7M#)S~b)9Q%v>ArVns$A&JT6 zL^6{;8AhhTi=Yv2VsF1UMdig`8PE=D=lHH zbL#;;iPJ34fO*C>`ikfzg`i%~?=U_ZEpSu%L(&bPm??agO1@n_)<3&!T(!*{L8YNS zD^!Eq^E&!GALFQis<3k5blJ;*I%Kh#P6vav&yAq`t}*Nv?ISs`z3P|aG!GcP>-L7l zz7JKhy5eUws+7yO)~hEZ;VRliepW@>|1LRVL_NgyT+!l&WL#bVhy-Ipr+N$na+IV8 zFu;41PLg*HU`+yhHBnMoD^nn)eG5(Y2FMQbW_KIglfE z;~2*aFr*9NpC5k>$emv>__-!R8*aCiDbnvRE`Uf;@pO#9aaHByu&rZRjw1HWHe2WTznMXU7{m#o*3) zxCrw?J3cSa4I-f4ZFj|TAlKrG>^atp#5YXe@e*sOj}hkJK=Tko*J#;-Nurbu<8hyH zslnbcj$NiRZPm3TvFCI)$r8?v@mJ;@G5X7#ts^v0mk9l9%X9Z2NG;OEIPWNgsN)LR zoheDiPkRl6A(o_JBId-lcz$x2-0E{3hl(^B6s+4^FwkffRb*83R7;*JB|ybFhXqFf90s}1dGOz{RZ>qmeQ2svbv@C_;S zjg*fd_9UBo9yups8!3T{{5qKe@`3$?HReZovY>b{l8)l8Rqgrykn0&r%Mh7rn@a{* z%$|~b=!*5Rs)(F-$V`=dbtkCzdN|aJbTmm zfpk4Mo8!SSOYh32|?LUKD$*+OIG`8dyu!sX$;;Z@6#yvIY}C9R+pUl z@LoGW3jD}+k9U0@11UxKpr9O#>`L9NrDicDWw#0A2t7}FR zhBuN;8@3a6#B|6T3jkL)(R&_olg+pKnKUL+MW%9Ihh6MI?qeNbgEJ8yvZ!1#7D9Nh zut5KKto$p*$%2Ed;oA`rEGjmD3y-l(;%3{Q67c|GdRCa3(@OoBRz13E3V=WUH~Q@w z{9p8A!jdolRZ*suGVZ|+*p(dpg2sS|F2+N>krogxU=X-yN zv80rTNjv}Z^@Ilz|EQ?6?#;iRw331Tc?SF=pa%W(tfscQ3b;+cf2j&{n_55j&y&C3 z18&g7*7sV!=AUPO@5(<<|N7Q{p8dB^h6z3YR&M$Gli_pFx*eS9>WQPLhS@|Zty_jc z*8lUZzkWmCuRYT@qd#@)x=izVe1U@f0GE{gEM&*EI1Ki>bDLa5Q695{(|`f zMTPt_+R7q7I%gT!0R4BuDgdGWVx#`Od;$6a0>S+DC^}4K1@Xro415Uqq2USbFBLAG zz~Mn1ffzbcj)C{`t0zqi;`D^SR;k!9&dF90k2?M}$Fi_Rc!G!MRG$Y_`_{=DeBP*D zY^2_#u#Qd7;FMW_%ATeBYkEybbUETY=Md$+*H9}Ll}v3Vc?O6cf9Ht9LDiHhTg1O8 zqBC(Uem6|UBsyIy8Ix?`^f;RuK=7n9Jp;l5P!L2|rUJ+tQ$32y2awB?0PPC%Gl3`j zu{bt5Jcx>`5q%_QAmzMIA)8a$?H2Kq6eMkOhTu`4JRKdL-g8S@KQ(#`$#$LyvsK9% zHLQwWABJC9L$~JM!_?q?7WN&tl@&w}N$=()adXP9So-455IN2z27EhkLb{KqgDogX z0CwiUHo>-5+Q}Jg80WyZWLUalpzlf0CYbP2+Js59Q>$93!V_LpR|comen`a)QN&tx zJ>jo7Ba!JrSZb>NlW<@>#g58H%HGh-@TSVI_^^Kyw}W=uFqmvm$;r$d>?weP&8w0I zmlG!*88H%vd4rQvStnboKy!kK8cE`G_?9lEJkJU+&7e zRB{s2-TMUMQ$X1xg)SF%@&!^0PO(&Dh9y z#wUE)*j#hUI}C0H;9XYRu!Z|AsP?uH=T~@y^Z<5l)gPhTIS&O7wd4&pBZm%0KxE2ai|9+z1p5iKum)@<`cQ*fi*Jf;DbL;9{|p?kVLRn6 zGV%PIRhxWv-xoDmOgg-J;dG$8dPG%lYyYNdDwq96EJe1Pkpl`2sevn_T>)V= z0QWM_R%3=9sL#hb-_U#SC~n0sb7~x?Jjq+=Lp2w?`p9gCu5(|bF}4SEe)GLc3mKEU zUwJCFg0bF%V7Y_$2c3Jv9Mh>xe3O9N^L?GMIM8sKW|0YWJ>e|lYq;`UB@?o|s!~aY zDIsVJHgR$KkARcn?#mw3;NJEQi~*#mwN`7iG)=n8yEnAQ1}Fm?XlLarm+3zp@nP4@&>3PhPzIobrIB+}aV-wuSGdkNPX8+lq_q>D26I)_qv7&GMLipvOs}Y+ zf@1sJ`LqX6k6t#58I_F4+7T5f8m7{=`+pWI^5h61sccEG6MhdbvRu5>l?ZuxNSWMl zy7ABEf&K}&z4-$*_!V}+X?3L}l^foo3v1mz#D5VQjB~^wpNoQ9QyQyC5a%kVgTwG} zNI|zN?E|IwraxLSafUtPaYkSa&M2S9Whid|$9I;044wwlPL>jd3!(5zr-6JGo!PW1 zdz*YV(p;*U_!+MH*+Tes$X2B1xa>&)x@y?SJ4{|``i2S3m#S^6>Ob4?Jr>;;grSVJ z#*eM$-s;BR+;770?PkiQ#B9pcVx}S$1=<7pbPnBtUG56HJRc^=1pW^wT5e~T)24TB zd?a+eDv(j!LKq53bP>)oJS+Ff>k6(O z)gQAJYQC#swMG)J)lgm%MIO(m0$u>%K-i7q_K0qVc?D=}hc?V>jJ#A~F_e8)^KESg zNp=r(ZsgMgF&uZ|2`*M8XN;JkYJ9`z;WJG$p>-h4hP!bs`AT}1&uFP{ahf`4uvN&J zH54aoSRm&j!!J}yH@>L01(ckoThb$qui-f7A6%Rqh_Jn=1mHHOC3iEcYs@9O;7ZdV zZD?Ba9yT)uzk?^?TTB9pYl_mp4R9gnHr$6B8x-ccabnW~np->`VKD#n`-{N0m*Q)v54bPHNVOp5& zIL*>06fL=#IH@Ck!r4JdCbxv;%AyVPaeK>1+zYOOVYx;*WxA!V?`T@0u1)9nLz!v1 zd(@$N(*>n3648dk_sJcx}_UmC0*#I*DX&pswDE|jgmq2}^9 zL7%Ft335D^>jO;>6C=OHU6128oKTiadfP8}2fq|pt!|2kvUknc9pofX*h|W zN-P$Jqy>&vq@kc1I^*pHfcptOx%68cIAnVXzJkXaRgQ zlMW?1vnl#aTcJBN)Vl+{_%ui@n^M(e6}J~?S>5E(AXH5i=OVaccn{n?GbkV{%Pi8+ zBjcNr7+!kg%sYYk;V~Py2}^1wuH_!a@#Z46^mOwLdAWMebIlizeC+!MX9#*&3aLSP zSALR`wwO1bS7V#u1%P66c3~v2P=2s?)lkmAtP2?P$X*gw4KIep={K zMnUWX_Z>n#MG;smo(yDw;#x#TY<-;e#dhaTcX~wzGELOtmq?y4p{WM$m%}ufi}j6d*l+k#r;G*Q$5_K~jdanzT!RJ6 zk|uG_?7ZQ`{->tO<{S@-d=F={?(taSzsL4mplfe1@s71_BeaZ58nXdOjr&*lHOy-3Tj9!T0;G#GV+;mk&uNK69iR zCij^we#?xY>=_UV8ZIYDQvVye&85WRJOqI5-!VHS%Rmm0rCc-L4kpcK1;>znrn}Kl zqO;PM#q>*$guVr(46ftYrwydo(})6J;@;V9#qpuHf4^kggZWGO?#qpr82fpbvnL)L z6qs`mm3dBREOTj6s1N7C8QB2rJn{x+vI_!0bF7UDRpmVrLCj4Lc3k5wQEYr^-Y^|D*}$5KJ0zC-O(16C~w!s=`CukGnG*GqBi%ZC_|<8ZeC85aMrj*Fr{e4G&j`NlJ50lPiWxT`}md&9yr=9?MTmp#_Ze@OV#H}VBeeI;N@M2zliWDj<$7R0V zjU#!3G?QJR<+=Q|5q{CxxBi36t}~aMeI4)A$uX z%u391mc%D5PD@}pvBp4jy%$D}en#WnO!FE7WISycc&->h7@@REDeY$yT z;DV?|~WlPe}gC z_R|>dk6krNvix&|Ew*ub?M9NJBpz8NT~`J}FFKv$^ODsDk2-jhSNxOm?1;{l-vPOl zybQGGC%h|gTJVDLtA4N=H^SiDM)-j4^7Ce^w(ecGOjxJG@Gf=UZ`_mq(IF-`HFiRXFAD7_ho<^{{VCRJ$f zKl+$kR5xyWe))J_S3(rwR^cG>$NS!lY zDA@Io*t_OiXuZ5kVtkX!zTNdTbP@DYJ~1d?^9KJu_P1F3Va_rTv?~0HX{6c}M|{a- zC)>zenh7C?k=|<5%*zE}*$e@~@w^86-IBWQ?s1`q$sAzoj_^yo#Y8CH7I+?9r^!Cz zC&Gp+Fx3@+sZ(K~=MWW$R{fw@1CLo6mFrU7jW!jX2)B%XMY5bYyy?iPN z-`pf!%907oJ#KKS@4ilyT7lShZ3~SGUf9ot`UKX%j!yLq#-VNUHe%5}d#s8iK!ArpMm`Lp4yT1hmw zrM~sjLM~0&L*8qiho`~PT1yOE+D7B;Nkj=XpPt|1|c$%B&{- zyUo)o^Y)*gNQnNYj}mU2KmqI){qY;s-wJ)2`AC&=5~<>bpTz34Z6_n5J6=B-sq2x_ ztcvS5d;y6cz9tlvIQgwmo8$$$Q!4YyZh6%D*n&Kb{ppi=TA&ekk9NJ$tvloSXhCjif-}b=q5eqdNPwIOoO6Od!TMvH~ zSmAhl&Z!>U(d%nh$S>Y`dqumK(PzEepNj5Y=zKM4QK9R#%vTCKTb}L@ zyJY>S>%sXuaz4KN^EZ77RXZ7eMi0DvU%FuDH*$VzFm+hy|cD= zyXLrcg&i*STUXS{v8Zpc_x5RhuJ-P`>-uypitJZ%FwXq0Dl)o^4furGxKh83f338z z?Cte^FLenk)%o3g*~6#xZ{ae3?83}$1Nox91A?H|HmIg{h0A>Doecwqg)a9VIAWEr zfBC4b1XUc2OIeJogWVM}R(bYH_V^<=t_+%d#uDFc>ZP(rhRkT;eM8TFb@}a~b8GuG z4;a?#mwWNU11jtL!=rWiY{@f8C7XgvrHz|LtZ-i0RJmF)Y&Ng0cM9DG2l{WWdL+0} zkhe_euN%E}mi7J7+v=>wh#d`ItV6q+@v7>Qh7Kn??rz+;W$eDDpL&lwa3X5Z_(SC# z6DK&{HEftrckL(5#OJT=`f%d$dzT-b^fHc5nskck`O(nseEP|>u|k`rZO%3>8q9j5 z*FQGpb?19Y{);(nhDLk|2E-M*adu7PaucoGcrD&~h4WB{1S3B<9SaY@ds5s-= zte?f1Gv5lu53YTmdwk|+4FevZ^=0EDk3W=`aPV>IR`#^SvfK3YWx5ZdcdnX!cK=xu zX}sNtf}6UzLM3nK+}oF~QiPHDcs&`CRnJk@R3T+P)P$@A{toDo^`+uig* z^LskYM{OR^%fJfRmW_$GFPP%x>r)N7!b)^58mb!$8*EKFl zobrB4FVnnZ>@qm*+kHpTqCCy_b4mtk)d{1MNdNko&8E~(7bMlUk*77&o!JOm>U5>s z+c3)Tk5JlLPlZaeDS_9fYpyTolCv$NS(TQx-YlJ)yJi7vKaf@N&=XhBjlYgycD->hb#=~9H&Xj8(Ru1kJEYy)(xOaR^})wRZW~;`*w&sdjQlD%T+{VR z|4n7xOuCVS@|FyIZH@J#kAC@&j+eTowrc7$D5(C`^SZMt!tlZf>yKxDiL!4064CkSxASAs^M+2T2+q*7z@*IBw#k852RI6!n`@TSee8KRAAB6*N$msrWhn zbvAGF_tpudbsN}ral}8O{}J=o&_5#3#0aF?j4C1!6OZN&O+onysA4xln@dlkf^LXT z&0ItO{nz@@_5VEnsNlq@GpeTib@Y1y`yOFk`w1NU3m?N)aPa^A*Z;3aSQ0)$P3sY6 zAOyP3pd<@|-Rdskg(dtae5m0+aD)q^_!s`Gn(RMsCj6s^`rl-f|N3a_&roF6KWeh` z(Hex-q=}KJ7lBR=iBhQ$6NxeawUmI;Ali=^(kQ}Fs=1hGXcVF(8uW-=F^DEcg9f;U z1HpWfjyMuU&Z5cO)9|~tp&lfPeublSAR$YU5T)`*Fp)_Vq522}a!o^MEges{P`#>K z1g3D%w7Pxx2+$f;>(4annlHmw=3fHOfgV+p|L(-LF{~xlE1$x3`J)B4`A>o8f6h)= zQ1*YG$^X4O*PhS(XGDgN1FPWKLz7^7{N zV323hZ7V6+HXO7TFg*RJMf}^sA4=?%GpU9FD z>&9E*Q>gjdctsT`tor-LzD^9sBCSu}gj4wOSFNY;|NY_ouVa461Hymt?!QHO7yS`& z{S7$Se|(xo{9Bm!UwzKja4d}L0L;vce_0`cc~Y+HubwB#i2JLZ#kWOHXcZ8}=LRi38 zSdBU{5`7?qZKzOo1@xIJbA~0fnjm#^+BP!%fQ=EvZ%2oXj2tVw{M#%lY)K_W*xph@ z9~PfeLnBgnQd+?zv^GcGMG{oUJe$Cd!Zw5xS`~Yp(qP6J9qzSe-
gujG)XG?jE zplj{Z@^f^ZQu>spaIYg5|GLU)gZ`Y_nKI2c19|uq{EaRw?mIE>29m%o()9(BX2HWn zWSI!gZbuPvN*%y&^Lg+>aD|mqviU6_I)}2D7m(BQB#uk@t0#OMtf^ts8t@k1g(T4a z0bed@hSCmdpZlEU;G-aJ1MAjf9!rGh9v;GimIdknHC*H>IE+;u8`x7i?*tvH5!Kn> zOMU-o_vT@YZ-`0J;byUCNJMnFdkl0$u;UcK%rLkKT7DP8XCHoaa_&Oy#b(gxbNW#y z-t77ofnXx+t)rYr?(9V03*3573sSaoM&~L2eU-C4;3dI_P1oueW#ggEJZp#V1>Wc_ zM$%_Wd+*vv?#8U8(H^)QU=3?K$7LY5n?Y`<>%Hg!F%E*^qupFyU@15@@TKl9Ky8;> zRH}ujzGX;y-VIf_OYIx{SC@LjIQ&zs8IbG2nGz?K1^nEjvzm2bzp72QJ2~={&;ODS z<|im$Fk)Cj_(T`HL>%p1hU71Cc4Y2S4Bo)rj**^;C}ebQg6dY#U6#U}6n6)`lAbxu z?RK)GQX_Ehz$8xIJP&o4&=$_k=g9db>Yx-WHfAn34s)Hsbs7-;=&K@gxRLFP^8A9N z%{dFWebr;6t^IQ%6f7e-P_Kn&kf<-@_ba}nwYL=n(S>11QFgjke?_Xjo3$~~jFYSW|Y z@`pWGou2}=P~neVhq>a?qewL*@Afn7PHnggo`>2O@T%)fq|%)eLI*tWX+cNBPgNKU6hUbc<=QnrNGq`<(Z5W3G9?TdywTGpW^uhDV^j`BRNy;#>>Nk$C3ZSu-aE# z8AS5KENPm4lAwEz4br9HhXpfZKm^CrMa#9#`PGohmZgKjiZ$GIpH=j));({PUgWGG zPkcMZ<)>0Jm(u@eg!CGC;O12$>3J?)JR;*ru)aPdrlKjH-a6?s(71^gK9mcP^hR+S z0@jv~!*0cbT3GX?T&&uV~tp6-KP`3Y=Cf;t0xBW5VZ3T%j*%avWaf% zQ=at*+2-nna{Qw!U&XByQ-@?5Q#pDRuavs6L-o+%a&^WvDkjnOC$2#_Df@9@GJmV4 z4X!QUP+$WKMvo22_qm`tPym7m)l(aWI-57IWH+nPgPi72S9m4&XO(fH9v2B`{Ba%= zR_a=t^F^KHjmT*|vr70Bpu>`be?HvJ9}iuRm#r^p^c`6ChSvG0`D`p1?Mo^3Ao&|D zuvLuILR7*%ms{Ggk5Fvuwtzm0`+01 z0xI{;_U7CC)&sdV%vXbWh0Ck*N@jD-p8Y)^~z4?rklFb<=8qg z7G^i^NHu#;?W|y~VCa?s^4au_T6wkA&71FJn~rh52Mt*0| zss_##Hq~`Q@9k<1>S&w>8f~b<{v@H)lSE+Q(MKA&DV{H}^tgGF-bLXN*1GRO#~9YS zACPM>F(r!D$Ep4p!*}*9NA6SH9#fjed4_vmzSzdq9$${lHeS=;_>G^FI|P}=CxhMd zig=X84=KHZnt1R;cY>8{Hq~{6(4cI>!Lp_HM>u5(m%#0_{ox9++1kd3d6&npg8Qh@ zGZhD4x4);6LnwGrOmv|Lr6aglZ-Zq)6pbn^J?_emfM_iEfqSdxNmM34EH=eC@b@#4 z8ZF;HuyL)mfNT6j{uC^XL(T##G91zHLp>jZPYU8*%XcDnzY%@w_>yF~j%rzboc^fR z@TJa{CLMr4ncb+RZSC(RNH6nkjZ1jfK7v2vB|On^RSUMSq4)UI%b!9!UeOeok$p;< zqQmBv7w{ftlxS9fhapsnl42y1e8vK@diSJG_a^&dxJ-6ktnGj;7hKqra93tUj$40_ za;d^f_$DbXVD!9;n0oh3)7y;fQNcxh+3|f%ZSM34xZ<4&o(|*SqbOsumVUbVqq^~M zAv;7W#=ARRFGhm(tN=`0=?rW#AG!LA$m3xmVGDTeV$-WGczB|93(FO$mMb+CXr1Ft z`(Swve!~}Y&vNay##%DC=`hO_{0L^xXvwPX&S9=sQE&ht5d9?MtAOw zb)3&HahB{)o2}>wvs`(0>jitI#`IzQEVJ<#&j~?m!_I)u5Ea9lRTHaBc?n=yP!d{) zuXq=s;G8qha?cANOH)y$aTLWK_8F~s$S_$8P`88F%9p{~&m) zCwDyxjGmREj7C%TPr#u6J7hFa9E*OyX|P;wP}_C|k6{H&-%ZFHg~bu_HXIn|$ShbT z;-T){_**=cX_wvEWkrF_hEWFl_bmKZS>W_yL70mN+~`gedu*)r;~4$wXuKRGBP!`N z=XAjt+K3+gf7tu>@TST4@8@Zot!bOA>6UKkmToC)S<4!hY|Ylf3Ms6z!3G_S!#EZg zFkpiXhJc&~4jCr_oqz~31O*fn5fsG3P()A!R8Ry|R6L-dsHk{+?}GT%-`DrL-v8fU zuIp~vBu$l({-@}5F#uRB5`2@a~<d340&t^x$)M@)E-3B!u7{9fH6! z=x4NWcGo}#L5@~U>aUpJGjiL9q@X5Y;e!3teo)|)&T(W1;TqGSVXJt8sH?`kqMIz4 z2C}o-6L+?RSkWAJ@JE2E5+XsfZV5uT?_yq%PCupLQmf2`O+hlFt*5La;>lt-XE?R z5V^2rIVlMdDj5(dg}FcopI!=aRg9~t5N3Fx3z0_Gf6e!O@Y zsb(&-d?Hdgt{q=1_COVxoTnvAT888un_ZQR&=QbQbrF+$hE|85QKds7k0|@&glAxq z0h3GNaW#icFD+xnx}MeJvFNqS^YLr0P6^^!o%}PhHJSQ*kX@q>1vGre(C~stA)h%Y zD^!jmz15|jr;I>8AL#>wJ9ueC2H-5uO5@soLL%m8Oa_PDk0bp`f4w?`3`YR`r9O;` z%JF2ygTy$kBRPRNA|hO}7AUt8*c{tPR?($9+9j~_H}_0NJ~dfdYhDmi^$_XH@K3^&ro0d*8h?>gQAK?~x?0 zK4NDK3gAF-jP1fWh=o;`GHFVxMx6tNIX|xPsAEOCI4@qEz;bxJvfH560M<}nR5V;@ z;Xhy;!DhTRy=fQyL^`j43m|qUOD_Pv%CeuiM7qR)O!LR-jvS)~gvaSxM{dgj^n;zM zbLi-y`#lNC!hQh2+4D=}Si^DQ81`OxBgE>2HyECq80wCMv$6S$xJ@grMZy<=Ig3B` z)EJ#wwY60tPT8ir|TXdS4#y&<50$2G60V}b)NYB??#Gt?gZ2^iH zi1vYx5V!@VmB*PF{_;!3KS#g7ZOo+p525hSI2bX9FXJ|cOyr0cFtN0JGL}AewdsW_ zw4?ANqO*X-SF!X7!z*j!@E!P5!aisZbIrG-?gJtVo&-IVblQ4=ax6090=86om&~LA z9wSAOPQZk>MeYuYIMY};0RfCOtmqD7?+IPO{3lRBoZp7-)_UqlX{%#{%XK1M*oD3j zA0p^4cwyK26(c)>Rb|(AuK6aEZ+kC;nKI)y(7iT00YbU>{n+f^^+9{ODzS)W*8oXo zqyxjtJ+;f?%bQV2J#yUsazWeso{vmll#-)X0!xs~nM)(R!(Vrr?Ln&O)Pnk5N|`LMi4#t3BMJ~BjW@s{~gZve9OUf zrf-5LHNEj^2tqiDbNMHse-&$-gErRXy1UM3q94{19}{7|Kd##IV8j%hZkC;>ZS$_R zWSJj;FZs{7wJq1kA!Bk8_Y{E0tg`vd!Umx{bShqH)hMe?%yG)EJg))GmlEi^Ogom= zjk6C*;*JOp+iAUhK%xS)l=m_=`&yHG1zu@8pD1tC;-xU}d_W5fl_^R(6&+}=qo^mz zkS^qV};M=c+P*zDI_P*+O(Syypbvor^*|v*xN91b+Q{ysa zC`PSo{%v6oDnG0zN1t5l0#c^}W_#^;#9p9I*LOkna}iU*)q>%GBlj;w&-X&|TI6ZU ztyv*CEMN3uhSU$kZ7(;RmWS#TkG4#~;3GYSsjakP{xPw$R=y_6oe+1Qk{2JXwLhFJ z|A5*mA=5^oXqIC`vbc&AbIJ~py>2nMkZatWs|VG1LG(!#pE!* zHndhdXCwwrTu=Kv?^$Mn{hhF@$lNr`M@v(g9M>Rji$_ZJHZm?xwxMVseLRWlYbi>D zy#F$$A#JoDTEPrspDG`LsBieG^mzbCzg#SBIQcd?wXJ_ertI(B)}4D)USz&d#@qw8 zolOaC0Jg!TF$%MD?MQqYeMGHgt3=RL)^MCSGfrNEl*4*)4T?08pW*xY`#hvQ8ibx5 zqRzX(E|H9?;^&Cm7ycAo_!Qk^!~V7wdXFI-1=a|BwImbSUtz92j{jh?9J`s23ke3s z6>KyLCO)lrA=xBQF-zbNSa~$QqVx^z$x6VB@azD5bH$8`WDHTuRJ5l+v*?5Ul7j$W(E2MtF;W25d z{Qwp2iyPlUyZHXDRzo?!tInXc40nW+LYK8ZFDHtxn4?#i$GEU40*-ii4-$-M%(6`< z1=*q(;-Muodb!x=A6it&$nsGQewgKAww*(o#ybEcNV!AXSjgCmMfYhag%o8o5luR! zf{{t_6uMqFx(=85vIaflsqcq!<#PthcO;3)dw!eii8BuC3T8P_$iy>9CJXq!mav|E zH=x(iV+)~cNWfs8YBuo^^=ZzhOvCoE1Ll~qpLiIUp}(-QJ0nBNCm?bJHN>86a22N5 zIRhzxf4l!ZFcgQ_q2k2;Ey;l#ool#(FY!EJWu}!>Aji=@e1JCTk=^!DioJx9-_=LQ z!+a}UvXH0SVs9g6YodcdXK2IGbPsU73{XDNU#Q~+rKcr&56=Tks%+A`9x^uemVrX1 z+z>s)_W^dH3vX6{2cyDc`K$(~E9v;+ez^+*4BLy(0yeDp2DFRMY`}D#`XfMCz)cuav>_q*kgUn{a>Z;ZQRYsQb1oC{&fUlkSECTIg5HXJ5zm^b& zqh80p6l@nydDcKcTlHkQBe8Y@F5-fY0uo3ZnAeGsv_H|)j#9dtTV@FZxPhKLo?IS% zm3@ldu7}cA-j0ht8pA67NOOS}Gmx@X1K>7xP<20WE2mLohnRjU`Z4~@_iFSo=W@(T z1S{KA%iKgTAyu8?ynxkT^%mrT{7QV)Q%X7te_t#uCZCGNS;iaO6;=BIF#&y6^0JGF=WU$~)Fdt_?T$S6aIw39tiYRb!XUOer%-d|qQ~ zXAaLqOS0fv>#u)73s3`FO@WnI+S#~rjz)*;8-9;k!~#dOqjV4JtXN76 zcCO)eua{k_iJoRcmu*{;ZFi+8E#PhtRcg)n2qo?M+WlVR0WdWUNx)CSu1OO;W8cVt zF-DyZ9ZxBW9*3#L1v>gN{2GU%&p5D6fllZSSnIkIRc(gC{t8vihTSGq^&Hqn`OQ_U z*|cDDykay|e7|K4>r>96hE2fC&^PivP%?+n0`FBdYJV*~a0Xqzov>f`TSrmu&sB_7 z^`fsnfBi3XMGfO;NCJDSndMfa%%Om17u*g?Hhfs`ijS4bzgo>XS9% zSS+n-91_x z@&bvc6+J3!h-zYxTEL5GWu42K9J z=NnR7*p0Yy>_$ThA38G&=gYZT?Q8FzyEoz)c0cLc$*`W^^KYR zqo-55&>qayfU|z+DLngVNedF&FqaORv()Um%No_9d%Yuee4#uRC*)DEh=qk5CdKt( zqI;aM#Bq+2t?}x6VCj<+g%lWFn;5}#YK!BE}R>OT5pGQU!pAyV0<+s z$nTl#UPjC`h_CckUPKq)iVkN#WQIs9?8%bylLk2gKbZqNp_6pYELLX43A^oQ%;J8d zu$xVhN15ffHQ{ka)hS-aN;4An4>c%Dk#GQX&nd98x3}4TPc1GKS{Y8Qj9F#QFm_

z8WFi)umZOfq@qKpjloU*)B?LQ4Y8Y(JB%W})T$ z-4?~+`q;e77FvQBj^9IcV%;KO;(PavV7$yKMF7tBWgplN8kLAfNMLN_yTz$^3cR2< zK6+cjQF)q9eqX1IMJfYrqz{U=gE883$|&oKUEf(~mUXV?TL~qMG0}k?R`iPe99~;b zKa-9gUsf-CZD~pHwCam7#nklv_+RNzrY$pwDH<1Ktqk*0d@Eo zqGdf);$mDiK`4nuuu8p@gQQ5&zx9e{Z&AqSg#OWD-Z8YnwlM)rJLAT5K;jlk_@40C z^pdhnFN|jGfZB^4pgDmFT4kw5SXZMcDi)d}OCY3Dn4z|-JJ2@WcFDxdpAp|! zkA~OOF;aLwMExp}M7$vKy~6A90>*~tDi*D*_2^e`Nae+H`OBMvi8Ds*8&n0r*dT#7DklbDZ+a5VX!wHN5VlEPu3y1Ubvp^ zyp58SnMim9248Uway|?T)dkoR)z{f!#Y`x_F{y%GY|-2Th~TM^Mn?+8q%&6|UKkKx z$y6p_WcSQZTl>8W)^VJ78zKm;3 zgpo{1#p+~uLDn~!JybN8?SStlzX2$@qDk0AHzg7ukuJf-^_0dEouO+Lf5k;jxF_kt z?EHp?Y+m72vZt&|A!Mdx9IGmu5 zg2RqgoWu4BBmrrAC$MQE_pXQRGDFRB-Oh*FGl9E@q8*ppgbvPA^ZRS1&OqR#ep|J` zy2n(pDKeN4gLhHVIEJ@P(36McWF1gy-A)L1u}=>g5@@N)5}?cD=mbSoL!xKuz>b#s{4tqU&s4S#3m7?=HuyW^n-$9)M<+VzNze zH#}6~7_`U}pBr#$xPHpccws&}>EsLk=Ru$N#-t`X?lb|gsPGsJCVh~wNeHn0f|IrK ztH?SqpUpn<*~7nr)5Ch(Afv~rR~$N_+Fou5eTLO{*jb_78hdAh5<%(}`9lO%XYY(3 z>7R|rUK$6?w(Br%<$1YMi#Ptcg1ZR|@A?)=)&6(cRJlKr!5-XCsft^C4)gaGpJIM> zLv3mEI=?dEVK*}ldjMO-6Ij;sk>qCHZ;cfA z6^0?t0?t0jOunI>Rq`>JqDnWG_0()>p^PvDpmNHaxb=Q;m9SwY&da>+d7(q-Yb3tc z;c6Ey$x?4(#)I$DmJgWJ=BeZ*MM~vMi^PiK%A3f74eAu>Dp@Yw=f6YwHJj@_K&Su4?pogcM=?GQ$$Xc|l^JQWta7oyy=)fgLu=U1cD!Bv_-cQT?f?>69z zTubBzt|l@ASi#+%DZjo%_yv7-?9s^Kz^9t^`K1r|e_?XNzhLM~dT8Vq&4b>;utuj0 z&4YB+xee1@7No>x9cmSr>#hIlk5U03ti z+W6q-z%3l(;86Sv-8$a|#{iR(LZHH9Z>xoLZ#I0+5Za^xdp`|PHxPU72tL5p-Hoe( zBG@{-ox7oKDV0V(Po~x_Vp8Q-u$sV6RxW5k!{r^6Ren5X0*|@Wy(!jMRho4K-$X?T z(1+7uQhpZ|C4v=Id><8AfkjNYk|1e_hnpEsGw0}Q23D6^$5F5N3UWwhBGYFAL#rUJ z%n~L-M_$nr`skNv-&!q1+TRSCQz2jOtv73%-&vgcEs*jFyhx#D3EIM2MMgw*Ybs*#V?K%68 z2@pe7kjMl9>@`IL%Gqr(%L9egeozA3vn8J(bzG&0VDu@P4qa4XAk39pG40$ z*cNa~1le_{It%Z7V-Lc zowruP7Ddm7M3-nlAe*`MSoGg--G@*`m}o9XyaU*_@>Vb0-kbP(3D-2(=b5JQ}m zO;~=w;j(sDmx7OK?X~y8Wd}g@2GYM}SDr<}b4z$0oeH+0?)?0bq=*>mIzj~MR+o9kGu1~6NpduCT$9L}P3r>ey9%Vg3KVaOk z;+^s=U6hwJ+*p1VxdCO>JjR`)YxVp<-*94VVSzZ0f&1+!+@pR;te_=>_z5Wy?hy{2 zIyB4jb21LFA4&#WRtnop1i=d|j`^Ih&G1rX%*VlO!yoRuF1PXeRwyhET5aRVK59117A^3%@1jkZ0vgR0y z+ig20&&vp`OegMSRbL6Jvh50hMSSJYtQauhmLFv>LYQF>by=MNeLIYUsen7EWMW58 z5>$*ptxjrW+xbettYqm!Mw*2w9)~Y7AI#@xJ6`Y8wgR~2JMV}D<|5Ceo=T=(?c?wz z$#2H1y@A~{;_bpNY`NN6yXPJ%#JJWnt;wjSMua7$Vw-H$uC)R$e2xsGjGAP-8 zpc}Ko72*B&c|I#TG(c@(CI|1+?0ZlRpaL6HUf3;g04b-<$~#(HdnWR_-IT_E#HZM4~cOBS!_A-pt2ejlq-VAws6<#QeVwXPPkbJCN9;9pSkSI=Wylrahx=uax03gvHxafI&#I1E~#8%(-LNV~;gOT}(ssWdd#aItWHP= z7jna;RYz##7ODhaJ8vXSfoOjj^2cn&8(&^!M${Z%)>@U}aT*sE2&*YAlFxTgpGNoF_M4YwMm_=Sd`o1mY}Bb89g|GZ zQL8#Om6}DC3D-CqZ8m#Un>q@Dj+F%lVIL^$OR;dhp&P8%2#3Kqu^2g5bEz?#vJ^1eW2k&0Ud)@Ia|A{9y>i{^mRyYlJ;**9^PvR=y)Zw=yJ3ACZ;x zL_L#B0mMw(6^3h@rMTn3$q;7Vb9IfouAK*`bNO@y_uUp)>xMSg_&RhBPb2w+UVa8$ zu(CdJ9SZCly6-uZS5Z#>eC9*X=s`+=QNVgy%Yd2P^HPE`ga}M##FG~H^~gYZ8*2Gw z#xf>Lz8&qVdd_jNb7PY9G_!(HT~jT%1A5XnjHd52((W|NQd8wYlRAvZ0^6x&ld%$( z5c6<*`vD`L9emG@w*q+|Ki7IZjoIrztd^h?{9e!b)L<{pw%TSHVsfmpiFYFAQT(Rk zbc!XM>R3oc{rDkp)Od}%9j4PgnK!v~V9H_Mc6p8T6MD4O_LBkE5Ko2%oss(-)pppfs`gW>=r%!$Tez3CZp&Ul+Xu{1Ft=sW^YEhfzS=ydsC&xE_ z!ip73W4HhxvYCO`HIeN^ElxudJt=!5n;E|KRrzU?dOui*u^`ov8(UAZ4tj1v^?9&0 z$mfVM9Zz)hQ+CYbH4U!TxA1r}8^7jBOlUm~4H|e`EN_}%>Vl8R;Fyz0f~p;xDEw@K z2}?wE>n&ed!N6~jUq+53o;>8d=9ZN9Na$bpWC&3B7|$7VVWjo`fRz_rSat9EK*@<$ z+h4OnSb*9NFSfZ77$y9)whCbNp(k*a8E}^Ux9wB~&}HI>sN`i0?h&}vv(q3Sz<4t> zcBfu_2^xC^lE2CX#T=+@t{TY2bR}i~gBJIr=ysSgE&$~c2H<%xg9l6Ls_+a3oQ@AO zMJHeg+klF;`tFk3aFr&UK+ z_qzdz{I}cvb%Vd(_^)Tc-TwBB+`lgV*Qeb|SS(a0 zZ%Mle$9yYod2r?y#B&U`;MQ^9-;V$D9}1kg1??Pz&iv~y`F}fctJrTQuHbKH{*g2O zzvql}>s=sn?$*ov*X#c06qN0sRpvj(VgYr3CGMZez7dXhE8Q^!=UZA$} z^H*;C=g^JJxOMA)rtd!&#aJw*w{#)ce8J#$>PyM7xW2W2;lKyaA zob}RW?E3cL&vC9#FGGwkgs=baVDe|zd#fM%t1&{$`%k<4-@&Bne+QGQ|9=LPe~sw3 zvbJ8V<_3y|F)JPhoY7U2r;hVVpr*p9e=4c*f1XRZ^#v|B-h$=8ClZir`<1_UR&k>y z)sCqid$XrngRL8}>&45^Pc4Rz8!#LHb-#a2;!%;^Y3{`?yqU@^$^Bv&=H*or%c{nD zdk;{(-6gN=_sL~eq|eV|0M}EWlb=Mfx=FQMH*ece?9_q_0f#fOq#IIO{pf6pn4>G_c=Sw+i27aB-Mg`N+_Do|om@~pUxx}Rzs1O3 z9S+XLdP&Zy8Ww~!%5r~8>}P&?K%>tG#{<02`4z5E&Bv|ubg1d>YW0R!#B;j>Dg&&Lx4*5e~xN|{OBm_^$&F?P~<$_k1 zBQ>1i>rqZ+-#A^KQU$Nii%@q;tbm?Sxd94D&Mp5H9wq0O08mS=+buAn8#3nD6Sx_& z6Ff7NvV&S(fp5z*!P_9G3#2^U5#9mi_wN=5XC>lUh@#d@l60{zPVpz}eE$BEAV+eF zEMOo4)CQ=4dO24)^a;>B>hg2?|AOIdoNoxpT(e&GE3x`nkX!Z)*5wpbB|revV2GWp z-T+U4a`Bg3)}w+ij>g_h@%MjCtIL&|xGBGQt`J`UC!~_G@j5BLc^KU2 z6{s+Bp7SN}Xwb=u`%%ERMv~J2RknL9Ns@)v$1*s_U$zn8Iw0g9FZLT_`B$E+gfknfxq!hWhkVhph~N-@Z9|JPoSmxW$;6TcP7?jRlbh&J}K5;9i-Vs|6^Kh ziFFf`YX8$w_;XV%&wwmzK!4I2pZzDuj-E#V<%0pr2O}+r4uk-S1BnOGgODHw z5F>~QgaV-noMuiS%&;*O9&LfmoM=umvu3L~*_>hq3SM)nIc*eAfCC9!pAM1%B7itR z+JR((I6+(>?I~=A*?E>5zI#AA!0&9>yzm{+{7^@b91saa2FV4<1Mz`?)fu2qFu*!M z%K-_1bOPxNQV0?R=>pOfLbvi!rL)ZUn#roF) zEr%8VLL$;ZWx|~`Py=IItO~|9sLlH^yYrt=M7K_+=mBx(#ukG=`tPG~YUt=cE3+mE znK4jkXeJ_U1p+z{oB=onW;`9fnK6q}2r?rB&x4u>g9|}toADDGI2F5a4F(|p?UfZo z3jD|cF(KEbWw8wU3#_RoI=%bNELy0w{-kjoSOQt}?P9nl$H66A$j?r>kAN~p>-Yt8W)TC>Kih0w-0z}`}IdNVF9 z(3^E|2Mt_}%yGu<5PjglD@==E!}_E#V^ZSG1RevO(82CwV1s1DQrW#b{0o`M5qL=w z%F&ti8F-*xYt|7hdR>Nw7y?BO&t0?#Q2INiF-!_1&rA@iPDha(BXo}4>E_$O?U4z) z-fa1MnGj&)j{Z(EmF>V}<_TNBz%wkvZs)=X!uFM3yGe9saE?JdXLnIW`rfE~)yjh!E z>?mG!FOxA9c2F@hidQ{Va~A&7eO2b#Ovr1k8D}6U=V?$fTDYZFi=L=S(Gs;thZkpL zXo<|?TDUziK&K;dtvR#`5ZQo2U5C4;K=L#hI0Gv>s8>f(1`(HJ)-h-I7UOlM@TyEV zaW`@halJyTQgl$?;8AHBc$ChpG3i|A9{6V=mV=%5W+5()v+gHczpsWu+yo!ca{oKS zVukqMNB_ML=Y2`AJI@06&7b=Ei`O)hJ3?N?@L7SFq#np*fB-252X+(AH3M^50D=>< zc*huyNG3)y*z1PDE#pt#HyFS(fGvsYN|fn=F^(uDs2kWX6pzbIaHm>KkbK%Lz%e33 zB*$QNU|}|PDValXsJb|l9l)?R z*pFc4h96HjD@I8BK$$Y%fKqd35?tw9=BY6{KH#}Yb$WEwQ@K9QVa`-yoRmw_>@;Eo z=1YbnA{2@ucQ8h0k0(RaJM$JSZ4m>>&fHx1OQ0X}eMg?)eZtnr?bsACvxhMocm(T; z#{hb^E%Fs`6Y;~idjOi3W_yhvi-AwJFZ>UWbiRf|PO`Eu^vR{GGXBDRQx7idORT~w z+0ghFekX?Fc4HZ$*pDrQ+g-->2oz#i_>Qrx4+aD`#hg)FRW+LI8NP(d$06oh_5z$G z_wW_I)qE10L-fb(Hq`^2Dm=6PF;w;q@;*S+k)QA@!WD?)1HG`EiCO=ulfY;zJi|=M zf(PET1$*%Mw@SCTKWo)Ay+JHJy_`(Q;+Lr*I`20krOPvZk^#f@L|SblZim8b`JI(J8Np zFZl)%L&;}B)Bh93j^mceKpP)J5VLpCC3yi5lCB{tsp9F-$T&*iYpHViQB0n;N@UX|K8JWl7E$0E-Nr@hCsr42O}W9wC1&uJw3t~rX1*rUi)Jzuy@V{{f!;R=F8Ef9fw6dh zFyA0z#BUJYXsl-~WQ0w)0a~{No`JE5}o@XCFf>#3F zwG4@oEp4{oZ*rJgs+*!PhlL~l|e6}&(s#B%bkgv zRB>G5mT5^h$^L{|GRV-|Ish4MDZ^X(m`q~EZP6o-kOANn@4(Q34v3m6M{wzDPF)*K zJc6$}m#POW-_s}>x#ZetBGc?{lILbDv1RGipZSayo=+F<@Ew9SP~Ha-nOrV6eA``Q zdUd~wy4Ga2ij&DJfKrs?m}Z1_)tT(=>~LXxBo)e~0@L^vq9)u6!P-4IS@}%rm*~vp zG=Tzi(PP*QQxNqz$U)}>Y@MCuG?F&LNDQ{D(hFx;|PfP-^@5J0ua1~#%$wVhnLcRwHg-mCw1Nn$e0l-v==~6NQg;P;&K6FaZON$G%>J-SW z@oaS03xN#atHA{X5#$kZmVU(0+C}UTw@sDLV)iFkfkxGykrc}{C0c(3T47_Ac;-vr z3IN@}=U7YOG2BLkAS|5XR6rU0k+6j~BVq{~m{B?NEF$vBgQfFi3GolIyP0N|VL!)@ z5D{>ar1&n*ox}$v0>;@u9cE%)z{Q8wvZKh`8i!tO2B!{&0`$X#Bgfc;wyQP2G7ekc zMDtBV%G-%Dj&3Re7VTj`W!wv-)D)^7n@yU;@fxz1#Y&6Gi0UUp@adO{&Lq6Yv4L`L z$BAE@M@M&!Y3@cm-)OeIoUr~q&tS6cT;ct=vj`5Hsnl)q+t}eZZ^^)ERC~RcF^Jxn zBe_Q6eMtU8<(gg%wf7J_nHrzQ@cErii$gd`oCec@cVBSXsQdyKx)1Vl(ui zgA8?(Mv+S^Hn8^6CQm+7WCgbJ!93%Agtt)rD&8Zyu{5c&3B-Di{$eQP!A{m39E_+Z zs(jGN@k(uD)g1)a2(-gHpa7qly3pgulWS9acvA8K;Gu2F3vG*SI~!^#0fy3v`43$ zK!l1{21X2y$jY=5*E>hOprLH57L#ERf{TQDK&tb~= z7r3s0QAqg%l?_Az2?Y}|vx5JM`rY}Wdv@6}123_=nB2fR4VqXS#0s!99`0b`KW}zSUyx`yfQIh2wpQj5g*J z8HnE42#}R}@0VN(fTi(^n5X%?NPl8fiv#abp2XZ7dY4mtJ}G=9sr7Imgt(PVaf}#s zjYY{IkHQU!x2=LPDBw~6Z4#SF;tlpwDnUGn)U-klPNPX;U%VRSwHgyp_X5*w1Dzy6 zehD=sQ)#&J*o9!4-h0Y<8KrnH(|?eGC*sK02oB4R?+k6Pal`236w-rJejCVfFhd&x zL}g?yVT-=gn8qh^!-2Vs<1Rie%(uSg{cQrSAbXLiEjxa@ABfsSVLm~SG;;;rt)#f3 zq%%+4l?3c)Gt4cKrfilzGGfnpEH!_y>uajZo+pVe&$SR4&JP$FcaNTG%7cL0*4EDn zY1wScPqa17?5*;~L8`taHWI_}0HQNF$hwZASbAQ15J(5JTkpnBd@ATiNABC}=9K|F$4LUL4S!vmF z`1+gpzQUu#UT+<$mCwcrX5tAv|G6)5E;-dwZ*08;OGx))`V&KCavZh78v*ZSd=8)k z+u`9wC#~D4Lyr+lE4)yWcp4h()xgNkKEnbF;i%#amVv{dxG~9uUpEdpRv2uD_0*1v z$wV^Q>i*sNDtJhfhnZ6$@MNyhiQ%DCDYAWH0Oe#Ye&WbjVFykVleIuRYqkGwq2EYY z-?OC(jj~3ZWVmr!Q-1S)dRrn+-1Gjvr*R+WbXDim(3ka9&(2Yt;3&@K)sH}Y9kQN(;%oY85`c77oKUo!NaAxO8FX(3`=z~HkhOEK1Fm9_ zs>gm|lv>C%U#r8N2&=FTljK^0F1sJ0->+u4Iy2;{BO{?dw7i^IM1?ris;VxYJJZCx z7lLWy<6pc&zaekO%HKn1d+1G_{cWnL>H0J3^nK$QC$_GC zfl21v%XagblqEW*=$u@r!wp4eaXNm%vNgk<6C*&qqx1<|oMEWjLXpK5ig!F}gmy&l zFxsEUrbK{Jx=gW-AxV5U!YIy!ibmc6JcBdg630%65+X$iqa~Br8BEA~M8aN^g zm&neJHlwY~2)(~^2$vn$j%`TPLtz^M7}F|I5zrnZ#nWPi1rwu<5-~b0xjSEydD^I+1F!$v&;SY z0L8;Q#)F~fY(tK!SMrhXSyyEeKMAdx@hN%SJ|@A^tOu0Ey9|_BzNS};t1=F);c)Jw+iN7ptX)g zgqIvc@#R@W(FRIjD~Sa)WBG?7CB(1M8a^#_0bxO&s%2mE_7T3~72*l-t$vY>(H6h! z>1=4aWG76mBV0X95TMSa9$UpHv@K>5tU(i-;Cypv0a4{RW+KNxZ(bQQG!KUEeF*hU zMc1MM?^62@?R0@aJ2o+MsDRJ|oP5mZg` zusH<&gV|r~fp`dFl>BWXu@1nMiLU6&x>o}uOhu1Y2Z+>DwLrQmu81c*ZH3Ud$zfG9 z87p;9TL&f)X8db-&vR+~M8XJu*;N(l2%;w$1Xw%!(G)xpj1bI5dy$^ZXRMAnnQU@Z zHQvKnTuBx-iGPJma=dFKPVkS`bSO{NwbnH@kll!Yb+i#5!ZzU(Tc-qSA>aGtdEV{M zBKqpYVV*wiotl-IuS~tz60p+@F%~p} zkS;vPLAZ-ASynm-v;4V6xD>ses7KjuKZHLyuUX?#h(*@>EJSfQ6isj5z27e`KFfHA#7kg@ErWSs2*q*45u45@R4{#cqwmCF@iIuO7sw> z%To}(mmCJDbHoFp0kGakH&7K2f5L0I>6@>ejtwKau@J&qgBx-OzzgY&5^HtE16TR60a5&}-wLwvS9N29l z*1BK?wc)b6a2vKZ74b=7z<*WO^Mu?mm6&6BMi08i8(L}s#E}uh**A#6f#ZnE5B<;) z57&uTmGU%V3IAMlvHXI@c{_|B&fc+)Wv_ab3^$$;yN7J`jn zIq3iuVP>!dSd{}27E*g{2RVsou@oktY%1iSMPi0d9BdzIb9GCxNG9u4ljEd?Pj}>! z)`}!c8p)?yN0YQ*rhQ-wx^RH(&->{fN&IB%CWZt~-53FKie1)o9&Q*nrOb{Xe6ofc z4GK*RyAgtK8hmcT$@K%Hk>floq>&u}^NCCf3`C{I3mKe^+R*xJ(`U{wHZr!N2D*f% zJi%U=?{D8jGPxevAhH-5S5a3!muuwn&=S}Fq^1=zud}>uaNR@J46Tc!a-a@gRU0&y zBTZj7Xa##@7JuJ`4_cRyWdWa1RlWXW?2d-yhf#AZoSAy;+F;-kucEKluNg--F;BC@D z{U8N*C?AdhTMr1H8!irw(lzf8k7BcBhq<_-S#cdOap|@PP1RqJGCkHrN)5AWaET2d ze`fGR5!olqBeGbYqG{+)_zO+A7SSsGcbV( zOkg4tNFb4nCYorXM1lql3KA3)6>3yete~i-xi1nLtya%=aUD2$PX^1UwL>B@ zk`)c7eO?lF3_=>$vq--xhIT0L&x9YjKe#(OH;8t*^$Wf_r5K&-%8caaa3g3|qlZ_s zdR{#!(RLi_5%e`YP+kmk$#uRpA3C(?dBnvFuua9&WVj1dpF3ijEM9dp(z9%A1}5c=yogwZ;ZEQ4;C58_S1<+ewO zWkSATd0>VJSR`6n-rqFKb|=VkS+kV}Y7OtZ9t?71ASOI;9adK%8_&f*J8NiXCXd81 zo!A{p+`$_~1n~-SRBXeWfsSbylcQgoro){{7aaGB~dGXR^+>Q>~b-XwL5G{O(#6xP*@bzFAf&Fw4o!Q(T z4QE&Mz~OSoHe{e?Vg&JL)W_jnv^9YbzE>8F)p$bnV_Desons?!uRGu)@jR2E$gyNJBoocj6C_tR&13jV zldGj}tS2u*c8mkR0rHXYBnzeBh}NouBjYC42f|EW38R<{%mId(Y_jatbd0d?Besm; zh*W0uQK*l4Q3^D&rk${#`{Z+K*z*$u@`)syb*y+Rv%I&0-{bKI|-iNv?X;(HM@^Yc~Pu zO1dKkX%8ydvnpM+QnnC&7%vL_#jdc6E=U+pV{L62K2p34_UmJ0j#CO+JVYwrb(OGo zyJ)pC)eVNt04@(@##JwA%mZYsE_HxzX@a!M7KdQyKp|-?$ z^J*n?x_WwkBBHZx-G+)Dz-zuwM(Uyr;#6lWxkCC z7O4^>SLoG(v9`S!M}s;9-eY~9GMp7#d{2WALWK$qHGZyMx=(jFeDClkZ~Z9wX0&>k z*7&KKq|&i_6Kl4k+AJk|Ck_zuKJ0IAD%7lwkSi6Ac*L`TyN%6IT?a(v^# z3xnmp58r9{=-a07A#YV`>U(=9D)qN$U%g?gRXkJF&HQq;U{W7+7&#pIN{ID~FR z*NSqm&uDFn3!Q~@0~e=uDD^E2xh$~WaeTNYo5JFn4?hFJ;~9in`gl8Y)9_Gwms3-Z zxlt{LwAP;X|E+? zP2fCW>`Q+%910$VY@77-32T{Ur(H>P_-$}xP9nz4Mw)d``ou3hbAsilB2Vy?T7t)} z^`9+we53IHd}@=eA5%TTJf303is~$#sHPJ{&hQ+Z%4lmMFa(6t?r^zY(0&>RDS!e3 zN)W-iU%hNjsCg~bYh#E|<<>+A?20fh(lV8gG(MpOkgX7-HycThd;R$K>=!X&HQye` zc)FZ|GC1ahfjIltEgZuS4OVBDAh?nFMjXx0rem~~ zVZf8xDBXImpfL$&NHMe%6!XMl1JrZHV*DJnadUL<(z+5l zO6-JplC>I7xaD`-DkOq}HkGq>K@ry(E-be-BEvucEpprW8gU}`UA>VW69W8e+;?IZ zJVOcg%=}iicXU%>NpkuE1bLop-65gsJK7HYw091>fN`n9yv3R!p#@25KjWFH&kyAt ze5~e^F#q$mNX%PkqIHY@4PG5@fioFK&PkLnCy5$o7=Fn!06IxjP)RvLhI4I!hCNt5 zq*XK01a2Sxgo&tr4~(=iu?wePJDO1g>e1o6NSB)i;1pvdgv~-8|=tdcx%(_|CO&Y2msWg1Zsq@l! zuHXt6$*l1(B(fmPdXkU5lm{j)^A`-^Qe62rbUV!esy-n~e4gP&AKp#9Tz}llatuEO z*_Zb-J3;3G9pUPaa_=C1u(+Iamx{n2AnI_X=|i* z-j2mF%rlOzt!m;fqR(_8OGNs06ZzR#t|m#eyCnrrHG$mGQltrH%vs8oYTvsw?w;g7 z1|k1})frK!X#n+BTEtzDrqre>S!)P>DO)7BIu4e)*P+)yl9O{lm zT%K!XNUEKrn#Qt&lr&t7=hG4Ec)!D0zx=#H{VFW)hLg6>6s8k$BJu`|liHQMrmKsB z6eLTBajbWk;AF-@Xj}p&dz86u5YEDPP#JIvi*J(N-isnn#?e$!gL4g|Tu}&E80d$k zT{S6Tj)ox3;V|+v@!Nb#Nl$7?JcTkUSp&s|ZQ6;2q)>A?*3#ZR1tPSTO4<|r8$+6$ zjOaM_d_epbXE|3=R_}>0waw7G*xwm9u+!*e5Y--`R0AJwFZnW}qud?@BvQVx);Q>u z^bVkdi96takQie+us=lr{`UiZep)IFKNK?3|0F(k6`r2172NnwvM zVo!&F>T-Z)wu57H_*1q@Nyl_;Esf0O_c@}GPz5IQIV8*@+Du>_1`8A*(OTX}7jf!S zvoh*2e$oDHDl|QzMy*+Nb-@jxv=D1;We9UdUL~4Im^*+Bt6}BNKyX=l`6T(f-m^B;+LenClbxC+XM?)UltY-jpFIPi zc3G#4&2g3ebfdzmefo3}Pf{m`K^Aju|H@6GBlUX2gRTm+kFfCTji!$nlBCN!X|*h_+4b;CdI)cyS1LgtnU)@EZ1S zL=XMI`%1w@F;yz_CI~vwEzV-QGLpT1xBZp+o~HTW^z2sX&JH2M#|yQaqc~0Db^LS< zByuZXAUzpt`czb`!-t7oP7E?1Er49-3)qj==w5(Al&qg_P2#=~s%0%=r>YOP16Nse zfpkSFUgY*6{35-Lb^rVX6_;+!HeWS2Zu<)Wdi-d{Sz+JRO1UpiZ zVOKze^o9s=iB6pvoq_?>?X>7h>2h&Eh}!^J@$ zV=3MepJJApulJBrxfU^6=mdOxd^7G0QSUgM;XIw$A6dT$mZ`RVm{f)0Eh=9NQD=S` ztiG(K3D8pJVDBhhk;s%DI7p3azrzJkS?AAarYdt|QS~{PJ>;vJuzz+ICSvs=33t2NK=ASUGnF;h1xA$|s%`IIm#LsaN z)}K(bBP~|*u2TKH*1U`JK18ynN}chcOgk~35eF{98ahRzi`1_UcimINZOp6JN9Nsc zJ*pDFMsSU7a54*q98- zr4xE$y#X)~XxOPGm_?A=5a8bIOOxz5nBb%2k3vtX= zc6THmnF$4kEs0v`^Mt?FTU? z2g8t`IF+fiupey)nbt3Cy`t$j$VX>nAVc5OA5NvX@-d`&S8!+PERKap3099+1ntda z;8it6GinQwc9O#x-zn%$cDT%Rq_g#z8dAlx#+|WzWbsVHDLzu#O3ZW#A4B@GADfD| zY1&1DbipLl?OgH4XXT;nu`*H8f5zswMOnjlHHe*;{+1nsOgkG_LT3#*ni-8Wvgi`f zvG2sS5b9loGCN&FCH^A(g6%Z~iJRBMyiec-d?bHRPz!r$l(-X!SxdJW8nTxo!)G6m^PPJk_jkO%8 z-0J;se1N`;$6TQlMSoA@F{L1SHJ+z44x;oT#3Taa36tntV2Bid zDjhEzpC((AezE~ig*q7DPzSJqiFT9R- zc(=KGBk_4_urvl*imIH&+%HtGZ;3)5PCQN2vzV&wqOS@v(pKGpLb$nqj{x!?9^D=wY7A|KZ2kJM+(w4$!tau6QDG?ll6~J`?L7Rd!ulrf z$BlwR`%)^u#1JEn;X4Zptq)s!0@5@B15LSv0oeuHP(|tt+>H%{RR`hzu>6ij0u<4t zdD>c~crYKj)Q0MF!nxi=W3MGH94Ah)J&!WqL7Dqu3WIVC8D!EqGoXH&b>-AXaBDOj z7@w7j>@+1iwymeN6jJ}JbVMSL5llnr=YosBobfc8@e6obP*8dak!NWMBf<+I zQhZt9g;#_q;Rtx3uQEJ;G-Eark1}GR5&FHHXAaboPWH2v!)T=~Mv>YKcU)&M1S)Y( zh8^Yo3Zl_H)2or^fx&`8jcZljSZ!&Tx-Lwgm8=PAqgLZ2;%92mJKX z-LR0E5ILvm>%*X_6Y?;YU`=>v;2GUcMw1mj7*c=Hh6H_?8G1aP4Mj7}N5*c@=2#=wK6G}<*RdA0DU_;~ZSL{8!v>uq!)I@ijEbtgZE2*!!#1NbJTA>W1!ycqmv& z+ff-GNzbdVw$m|Pim_%eXSf|KZ?WinL!?a2UA5K_$4BFBhRTfTL7K>(Hd~No)Zo6z z{u*cnLx-)*=0Bl+&Z>{=NutqwN1g_Q1e-##8g9#D6!Z^Bkjqi60q9gz1`WKm`4Spbm za+EJ492&=N+XBhEGxwG;?^{)^J*<`q{BI(mIsCtzQ>MKp|1E68T@2~4@dY5(#tnja8 zUb9XlD>-KG%aD5yH7ABv#fafvr*T+6CRJlxW1c~o4CbY!PGTX4ah_>dT@R)J3KirP zVuK{7T)bA(Ih1xpKj|)|7)Nm06SO8K@Eul{PGtgyH*mDUr*kUH5`+0Tu|&%$)kC1SCRNdT0Hgd6Q;1!qdh2`AAiiE$T>Nyy9MT1c0byPC%pg9)&@;<| zpRkQk&WCQ?uji4Ywmk^$3pC#BnJ?_X(cEU^i)#0eh;%3k&%O`xZjsUnE(;uU;kH?@ z;@jdNa%`OspM5#2Pj)v9n#wvX94Sh`z{{brL?}DWcE7Qo96BhkVsI9H_^z zK*m5ffkBHkgaDr;J17jqh1!I>quMYLc=oP;F`T!Kt~UgwCgXnWgK)>R+4M`72D6i? zfwygsG`)id2Fs=9msm1L7pu}(pq~O#zdH5QF#SR3ZPCt+CgaSpDl$;-)Q~AcI5V1W z%k+U97yD%*)O{-Xh~hEkLN_VZf5^~M_~lgOGrzNdOfbC!l@oKf?qoYPS`|!XR<*vf zikhWK(1F@XGm9|+vLv-!dnl5xERI34`@*2WZ<vFQZKvvzy#6`o06U|8e4+p@#g4pILqM48(h!u z3~p=K?^Yv^K5K?yiY=Ca+UPI>hTmrp^>_@kK-5^Qu%3^z_a|ea+MYp&*dh^A0IP9R zYbVM3S%dZlq&D6>oJVR*^A4Y(B_J1uqj)>ngF94jtieoH#$=K`95Fj*@U*|@>+&cv zQ5~&>9)@o{u~_s4ZFmRI6%%Ryd{EnIQWzpgiMK$UrikG&ba~awQ{RT$& zZM6EW(8l&gmYPSZcpa+`m48<1b~$j2{$e<^2I*Es@4AhXZ+WEokdRdyo&LI*)7 z6gWDjraK7z15!Onk1#(9_@)CG1Uj%Eb;bEUrWdkRBwDb zm-NgUN238-{5?F6PQUff z{{2boaXi}Z-=91hZ>aM851qmP&>0v{FM0S6I)f0HDdQ(rK1Tg+pBJK8_boQg{^hq2 zfzWh%5h!bMZY&-^7Wgel* z|7J{WT|pliR*uoOBEWG>%;QxvoZ(yH)tHZHUGaD(@(~~#M`2IYqbuH)5pW9pMll@{ z{|IB*&&VtDhOEz znDpnxxRk#^(Z#Y+)Mr9w*=)_leO0Z9XW@c83h_Om@%cP-(2WxMWkR4J2FoIp{&5bV z(Ivc;p9IJp=NtfQ0wpxYD26d5wgQ+R0pW{C;?dSeZs4?HgJ4i zM<7%8Ay2XOYd{o4aTffkZ8Aby$Xhu%lFvhbkofhVNag%@kngwLz8GNe1uM8|w2us2 zPcTsVO$x3%6tmQ}BM45__iCI9#=4cU5_9+`NySANT&2}fk737935$++z?A7BPUw#p%;iE$Lii^R4$$}eT zlBswTiemy;59h>mopBN+LK(8zA0sB0@5a6PWW1D&6;1Z+y5rK$s7I@QlsK-mBZ;Z# z1G~Ua3)c?cX?#>YK@KusonJULGm*QE>n}x z8m+N2!hP>U?p)Q%ZVKGbCC36oY-bdw-p88YUIE`(d^X|{9G>KGnutd@ZIY}6+S5y) z3(4F7s+K=M{Na*Mn>?wj?We8ZQZwfj0ogz4)+!WhIRR;5{A$aKbz9`6igGG-^Dhz8 z_#HSNwaXZW_y(@G(9O9G!draO*BSQ)UZLK$8dRa7Uvcl^R2)m)iId>CCQdAd#5vca zH4dJKlfB>ZNx46O6aZda)hNH92(&5x5wu25sQ}NuS%)ZLr8)Hp9FJGSad?IXmyN8* zuhL~*Yv@+%z?Q%+`bAY#odZ%@P*|=wT3cjb!@+%hc5Rx3!FR2E2utm{$2H#t9kf9%6l0nL-IHP{9^~X0MFx8Zlv!TJbsOngkmmr7gyfa{*aAR1{aUC-vLAd?v3NJ zy`-i`(c&PgLrKGr27?ZHnXL)YqqxadhYhS$$ZHzU;UsG)-fv>1^MT$a=kX20UJ%pf zre?gR0M$Tart>glfgjPduEeko8l?C|E*Z^zRC zO`f=PRP9VI3cp)5oXaU1uE05P<~htl+_|ZS^vhhU!2JxvVLJod)JxZA4r5Dinf4*Q z`?cV}m!(l3HzG6i2=mpry&+75v@9bFkwOP&H$i9bq3yyLUMT;Hi87?C^%1%{T06h^ zIz7nFW2EJl2e=dI>&jQqUpy;q6M{%PP+r{`SW|wd=0g2>I<6YoyE8g_^nss2&hAO+ zIWS1G$&=O(sb+9jRHeaPnSjn2dZ6Cb4LOSlC{a~?t+ zUgFVY0m+d zPcb81O&B%@K2I;eRa^BNl_jeoC8LR^o}(b}Go3~UmYPqpyRHYm1rsAv0m%JKV}Q(& z3i9V68EPcVw!Di+-?HG*BCmN4`uGv;e!yzFVfPtdRo2h0=ms!;gZ~}Ut?n#gO@~Zl z376MGSfQu$Qz8^4Az=kga+Ihlc2ZI9j7?KLpWhXo#z1W9_Lk9ZGooqDg_ay*#KR8^ z^jVt|#J;$=Wlht8!`BMuunkn#5QdoRd#ti1xZ$hJTZqI+PAGi)Cc}Kytf1+Af=r`q6+tu-r|BA~G@v8| zuT3rWy3bKMQ8sH)f|Ihxj$FC{wKlME=@NO&(b>UxA) zZeSgddpc4`<`HaNCe0{j0<98_9EeN8{c8H0d)>FYUNZ4zTG8tiHrJbgvW4%%aT(C`TMU@MWZ@c>Je-^n>@i4P>TKYa8GzFg%%yiB z7iH@0`5H9cy@j3^_`cp39Ls6ynMS?7T$6n&h@_m-`mE(=vD2A|S$hx6WPlKsMqk3S z=b7{+nCNv6HKa^P6cz{##nr4@g|qb|LRly4nT!SMWxr(D6RO6pkj69hC=a3*D8`w7 zCY-A)cD_S((rkGTAtlng*1CrCQf*xtpRn|mvzM`t;R0Z!@EOjBHM@Sn+5V7SA)~%j zM61d zr{yKL`iXR|;1v3@*OgEU$S@uZ=fOn)4~EU8+(+zLC1CE$aBTf8j~&M{cXr+KXWPRx zeUw}o?!d2cycnzth)^QHQw@lHHJn?4=ipRvg=eV0+&k2hD9!qyx{@y!ma{DwM|4cW}g|o0xH?2pKqL>?aDB36;M^;XV>e zr6d{d06s7UEP8`QiYy-n7$&vdV4nhLfRcrtC_Y&lNu%*}fIb<6v~D z`KI7E{YywLz5%mmC3nK}D=S5*HyixrY+PtX$Gi0bkomw82wH&ZDkx0T>P!LAG2GAC zR`tD4hXc8Xg9?VR6DYLyS8##NhEe5D;`t?mr0H-DrVCO8r;#EKjLSOA7u1jA>KZ?@ zM>{fubu+_YI2)!{_o-N*%LG9Uu*JXf@$7dh>1Q0jw8ii%7sHvb$c|ApO<-Q;H` zX{t4Z-~tK?Kf2~nPYB=bFyPYdDF}yF>_V?=W{K(OCJFH)gQ$VrIo;# z;=?-cbbO`mcl-&sF6}`kSgne#-&#IclSHliJ(mhRfp>F3*)xG$I5icxZ!nYn6T-dj zZg)Ui-ac+PSnTfQ#~=m&IsTa>>{7vjRK!+o%N&ml9{n?+gx&BCiQs=CEFLVSHY}@u z31phJXFsd0CW~CJ;-Yau1sh3L-EhKEov)AY2OjJMe?{oUB-h5~@1=}Ew@D2=RoV78 z$te49X}qMQ-_E&$!P~b3g3_+W+HwG}^KV%{#(L|opx50v!CQnAWT&FI4*&yVJ@=sv z#(n7<-Rlf<*VPH>7V?aaUkwr|75U*o^*P){&lx_|-WTidR@E=z>zYK*^XKg9I3?Rb ziQi;myiXm_Lr^`K-gUMdR$?h*9)eJ-8}!eOYAdz3KZRrYp7u(TPmBo&-j81(ZkB9+B3Iwkd8@c#nKSxaRvSlLx!ttU-iB^-a4uz>v#w%Ete zMB`c|1Z#N{1ex5W!w;O%n?%uQud~PVvMyISQAT)%f3F0EWja;p0tR%bFx8oa-TZZ- zo9E1_(X|U)KZSULoR_V?nG*P`)`Mi^fuS_f-iyTLn}b33=x%=LCyq2!{!>u{tZMFV z!T3#6M=~#P&SAloWQSiG=`(3Yu^E%%Tb>GwQ3~1YqDLN1Y?K@9;#%qU%d*`*T8RPTjV7^4* zenCMstS2n*Hg;Rr7$!;2vdJoTYbdDT@^~N?nvPOIKTz2msGUG#^ISi_fela}aN*TcA7vipi_rMeN;eSbA;5`-H14lilt>+|^*@R7z()|M) zsloHLE;v&CAwXf}AF%^yXZKpK(*9*lZLCV{IBZ`F6vapOlXjVVg7a<@Np~|s?3*=_ z*7=tLJVm`F)Ot|z+7DFDuCEljH)5&U^n>&y*PX;>rnNemr^5^{(NC#|yf*l~Hm)FC z4)h7)T+*Mfu9En9fLPPjDv3=@uL|gf(&7QqcDl(a+n!Wd2A6!rb(Ol4iRoQY`BYlS zZ*q>160Bd?7OVX2v7}Qfq1-3*ga)c_@JgsYu4IcD&((8Edc3L$R@Y?8o5z{zzbPN3 z9~cS(jtkm=Ah2#xJL`Dp9ID!)L!o?J-Z@Tfw{x646mwD4537*$fPE5@S)CO+Eu9+I&rT0D?>UhkCcg%Brq(kZf*AYd2|=v$X4(l>zVpG{@a~A47ttfa zKacAbUpr6T=hG8CBcV+1jmquo@$&gYt4`tIk@crELnk+%iXJvkIvq1|RUjjL^yb?6 z+9&rn&5s?w5cP_i_^zjyIOWr-Ub?5gY3$W@=5M%n{2Wz!Z)twqoZkAB&Cs|OWHVHk(s<@NqVMf+6RF}aXSVn(v>^6ZCMoa{QmQq zG5dNRINfglN&P!1hb|6($1>ydm5b%0ch0|~JpP-aZ-+NjTl>f-@8m9tIDNBRWjmYv zqN?MwL(i*>XOn+e+;N8TuBua0?~aW9(x3}x?3YJwJ?Hpz@}wn6?@s&S9Q}M=!h2nA zpqypSuQork%=PvD3(LBGcVbdzx9_KSTpsakVvl~Q_dlJx+!=XeYqI~SIB{{!{x zo0h0dJefBA$Mgt+)C4~8C=J^_NS80Zk<(sbzwtqj2+Q2QJ=MiF&dV1}<}yrUYHKrg zj62z+d}YGw*Uc>iERLrNbKYmrWpj2X;+8xoY5y*Y4J34XZYMXubAL$NV0q z)Zj((jGTi}1s|^B7Z!}Jos&O!?B15y`ab(FtsXLd19S_NpS2GhG~=!K9s>)fT&*5h z^wjNB1D_~OG^}{yJ^rde1M)8)7_ACT*<6hYl z0*59poA4$#aDDk(QqtgwZ`ZsSH|d=7LEPk+o=I0HU(D;ZuHvJ>nhjGvDgS80)N57I zpK)I-{Yb2|uZqrS_vMBKMNj=}Z?EvDZy$M}n|}A~N6%&$dMBQr{$o?(5W_Dg9KIR% zOAZQY56;cq)NS|0x=n?j_pDyx3si5rHdARhbTa?9dtY6fH6V`+oBbOd^yciFoN`!I z@0e+uqm{;;@vcy5@3MXyY_HoIGETHVsCs`OIkNCU@t_c;wyZac;?y5C&+Y2FAnCZJN&h9Jy`9kNo{BE9Q^$ zjI7PjnUpJiW&w2`v}*hEVTw~P^|AHYqU_siruFB6<`KacxAhEe+5T?q{as()c;;eS zO^;QwZPT6whxOsps-@SG7C2el7aScCaJ z|70bHKi}rh&11-;jbP(>ioZlb6th-PkS|uQMQbS-@pJ{swIg`lmuW+pDIo~Wpl!3E z>1`6}4&BN`7#@Ox*COhIl@6`Nr&CtYfB!e$_~V}g6A~z!G_`o*<6+rDG#3@dn-5`B zR=~p}agqP+u>R|*r}3To^2$dQrFevZ6dwPBYr1vSY5n*3wEv~}$13(udh^E{A*A^a zGWNedh39#S4u39SidnF;JVt>CQR0wbf=EbA4#~+uIXPGvLEsrPFzT2^dBll|sR<$4 zBaY;uIt1Ht{Z%|FMmQPAtw-!SE)~0euVmbBPB*cLr20u};-mKjU>#kM$+#aO{3e z%RM3nHU}BMWM)J+&+;}E@um#a(Y_|a0Z00i z3@q@0aU-RPget0wU+SmcVM!V9v6!2Wzr#kAAIsrRhL@m*W6Lz#o&%6 z`~cZ}GjYeU4-nLi9t)ZA&~ouabzKwDEos@XTAn?!ACgTss8fh5a}t{ z-gcplXC@~)niZajkL%J>wawo;hvv6V4Ss#sYoRpT^B&O$y11$^j$`*J2fK*0#NUhb5R&OAZvEQx zQXAAKD;gJl{5hU214MiM&%*%wHzJU^Js2VXg2!fP4?lmJ78%gFxoi>x_R8K2fsGnJAV znQ3U|3&PzEoP?%2kn zMmK2r&Ly4)AQwCjd2YhHkwI0zKmmQ1&o&A*uYkSuMGYKChi9RdDWD(x9%@PTyv5z- zT-GXND=l=sQ?&=VEt5Qo$`ewggA0*nx)Raaa>vXz(h4A~u6O`?Mbdhx%N)$>3hnDs z1D8-#j->rK5xDz(!uxg0r4xdg-OOCwCY_W#SOUgy<89EaLXNz{QaUoFrsK1&d}MXD zUZ%ra$@BagtF5Y?yO;AV8@+s`K1uM9d?7yI_{}t8Q0&mtqU7$#?YK$O>T}f?}(5? zvDJbTqz_~twi=l@d31;*c-&m9Z5^tjocJ&=b#|4S)5~uWF`+un-yrFPOnTkF4cTqm z6mUm$Vp`+$2gobuEkaiLGkSNq@m}bqC$aZol5e|xEefbbPID;SF$`HZrI&Fn8rsXc znIzUl10}I_6B#O>Lxr#z^4B2i3E+vcWg){!>1GBn zn$6>{+5uDx3=eg9`)z;(GANzH;F?}VE?`yGY*fQs+xXhhN- zkdr=+q!xH;K!%T{GVUa^!a4$3Eh8N3gU}xH+p2)8YQojk(kLL6`;o1@BcD{rUty3~ zGt$n-RupvCza2^wZP17l&%GjaWG$h=8;E8$*V-j;YLxAg67S;#Sxb;jUWz}CM4en( zwQgCI@n)!5uVx=Ge4(nfKNNqI$4CWb*09+ofLI)%I(d7sTYWLt(DBZ9$3F_Vy0 zxGDW0q{~D6)>ajQLFtuJxNMtrm6xvR3v0ZKzTo4YpeK|BA{! z2ew&0rZSE5w`8{mnJtqwB4Yx2stYOu;NpA)lfB4s38ct6(JjoCd@mN=4psp+`Gg|# z3TBUmI;S}v!h4%tlRXXVF7eF9Ez>a9rA)%`ejV&)AWEH9e7yeo^56VZ`83NfmDD{W z$hw!a-Q8?F7QrS&$u9(1M{u@`<{-Kz*yaKfGFVQq=}Az8&}D?zC!(w7+f=v zpmz4d_EtwdH`MuZ#_RI?*v5JI*C-J$TAHGvx{ ze!)eG<1_R@jmv{iP|X~ruAFlmQqX0-6kV9IpcBY+?c?IPmypBWbAxfd1+MnTe$K+> z8oyMcj#g#H0+efkg8sx+h%?xLIF%P%x%CLDQ7e!`I5Tk{nh7kS@j_K*KMdnFyQm6f z^g@HrpbQfdCv3me`c9niZ7(!@83G+cv0XtQ*sNV{E_OVJG6o>=^b~k7%^ZNX>_ofa zWxGIg#TDBgVhanEU5b+LGk!v3{jd7oWiS`7-X9Xop4IeI&@DRDTj?PZ4Z<7I%Y~;6ukn6~0V1 zxw6`3_D1zz<90yg(l=|ZXX=^yzYVp#~WKQCmaf2g${ zWIyH2?}f`+t#vm}5Ehxc!V3uB9hZ>pn-JpQ*#W{|WRY7}&~tTy^LjWoV+ zhCCA6DviQ!;RbP=o7uJ9>{()Gag?AD-NrY=^kd)J4k@4l zZ)6n;1cNtHhpKjPT6s0{yro~SaTv5!EBRQsJ-x?aohd=yy?mVGJo0Y6dq@j3h7nap zn2HOKcO7^t3y`F&59Pe)(DZ4t3dX0Xc{AHMmv_6Y3O3%P?`8sAn70qFb?j_?igWBn-Yh;2Fm3P@>#*Rw ze%zOqXLCOW9XTPxl>}?V+9@7_PMB%v@KH+JjBwrDD51B(U3FacpxfV>Zh0Iq#e4^8 zyr)~h>`p|wE(~|0Jhajkpy-S?Rp~EwEyi+#(Aveg22bUjrq8(2BiAI8V9;!h23JA% zb{M^2UMa{^g37DZyVyDbbT5Q!rwZ7WG2B+S8fTA&@XgpxrF&UOUxoCcOwmTf?UDk* zF83@jyL@lkAp}}a?AB!N^}MAS-9aJK#P`kKh-{aDMa5m9mfu6!K#~>3_t?4?Wekt_Lc7OQbKN#*lNyGtpgVVp59nVNLnsrHRgwejx zzX&Ior>blajV_0fdm+M;d7r-yFlWV#trsJONo|NuSPZ-+5WxcG{iMqGi+`zRi7Peo zf3f%O;Z0O)yzp9Srp-z-(@fe)J85Uy2~B9yc4(%}vQ8}NIBm#t@e&iTIQ`ObeQ&+~Ss zbDy==to5$<^84WeZdrIGvD^2vq+6gb%pHrcHMelL)jnJ&El0O4PwJe9+7+LmtJG`x zI72N?mXRcQ^o#;hLNt!!G1hC?R~rbR?Z!%Fj2|>$x7GY&6h~vw;wEhvg{ay%cYmm`n?f z-t6QXujA{$DcQr7tq#Yy6v#f(^`Y+}XKjkwC6@h(^#oS1bNFxZ9Q45Ri?og1eRosR zys0;rSe(a-@Cq!3`cR6fjToR}av<$7WID;R&wGme&+v}@Ex4$nJ1gy`T=;OXzm^^5 zNi)sVG3oK#s)NN#o`wN@g|Y#OQ*_c0%7-V19z_*X5L?Wo#iNtX-8$!OR*Kk?*;!;H z@Es`$s;i|W6V>WT57$40%>Bn*2lmdFcGv)hFNy!qyjv#y!L{XJyd8?~2Jd*^#`CPR zWWL;ZK@ikgv1i?Q1iuHy&$C6K1(jSz$NcPg{_Rj01=s4PeFUFF0vN3&Oavf}=rOznP5iHY;? zKYz9HQ}tg)|DMKty3*1uo_la=dE_=ay6LL<1d(S!-mb24S<6(Zn$EKB*Q<79S)Cc2 z0DV$0ITOzZ;xvXew63eO2+wjT**LX8Aot3c2?i#*i%TJxFD3 zm`v=xTGB9u6V*vt*qqMo0_u(0I;jocB-s}Rmk+=?N6pkKjv6)$?GVL>AqiOLuYoAb zG__-lYYkYVYM3&;JLp=At(Vi_8-Z;cz6g^%*J4%_W7yIp*E~uTBHnI*@lTRHr{!AO zwUW*(8A90>OYyt}x2}jh6Bi|VBtHXNorG9d;&rslOdp; zDsn&MJ%Xzz#@2BS`EO06SOhG20nCz6S^h+f)*;A>nEQ~jaf&m1@(jB$;g%7>I!QDX-fe)gayrwl3R z&on2Ec|q7i;dEQNKd{guzYXAr6Qu@O;+7e(pHpH@YeHrx^3CcBK8lH83^0%pn-V zoguS{rMdp<_eh!30pb^GES64$%#MuY%3OdJt&Gyh9};rVbvmlq?h-TfpeL5Yv`f5c zKn0-W0@%GTRecNj54k>4XJP9Dsq6~-hE$*&w5~B%WWdy=6wcUD(H=Pmr-TCSog;0b zK1iG`*vAEgJm|p7Q}Ne*(4-ltMdPkk4`^y{M>^TLX%0?##k1p+w*h%xhL9AmH8J^g&G9JE&6bL3`(>sE?4gkC~o?vRm`x!A9Bk4R}^BF;o|(EyZr-$qq&r4HUzY zdbhUizNm%3Ou8^K;Y4SpL46bfI0Uv+X8R$F37}ICTkvM>Q$0~dRMy?$vM!;y1?mKBnn|~O z%6GH1HxB`XZD*%=XQ#|aEULBSOX7Z_0FcHn8u6%m#%|_%5?>_$3;6-jPW^%~y$R@X zTI{c6Q_i-M+x`v^Td&lD4XvX%prhUFKn3+LLLK%jH+OJ$FGcw`gF+6*7OwwnNpTjw;SovcXpT+IUze(3 znOY;a$7NrG{xI8zWMh8;|80+KBiJp~^ib4i22;B^n>t;Vji4$)GP4@gI-pkbeS%na#q zYG;kQmEsPrzK=}cQyR5El&Fr4QR>W}GVM}xzZ%$4yx&kU6S;e^ojH5OF~oJ?D>>JUE|rI2 zzNb8c-68cAO{)z`^$gx?n>{}FZMF$a*p??dJJ^bo8g`BCN1@8mz*gE_S^N*AQl5ag zGEa!}yRLAV&f^`Nr&5AmBu5Y(@LX`7=ujKmFg(1Gomc2oYr{S)Z1!3li1SRbkM-}GuO6r9!_gp z4Z6C$gH7#?+AiX3=B6ZUG_Mo6scpwtd-ZzM_%qwCg!47tW(9sJf0V0ZPUygxq&|Zh z&*4n+7=K>~CPDA%pt-9RsOcS{J^!fk7vdeBUW$JA!l<Zq_)Y+F z9Vm&AW&=ru7IlC=k_@eWak~frZ8M`&O#e(ID;_}mG? zKf*pwtp7bQER+}`>5;0Is?ftZCU=VLjS(lAnqTtgz+BMDbhF5SLOg~SVVd}mI~u!R zhBH@uP-R2@SeWb0+pwCN!L9Pos{&}!yEun`rIfGaB7PQI1;+6UU{U#okql_1B_pw6 zr)9UHOlw}OBlL_t(lpMc4%0|>wx?2~ss1$HchU$W*|!hi$GIxMQN%Ra00g;HAlHak zAXL$^dI99w&C^(a>BmhHn~O*;a$B2|D;`0nOjGzXH33Txf%zZ-TRIzDYn9I_g0Db>y>}Tr!%bVj zVWj|!_!6x>%ixnW%KNCesB|B9R{j!&AZI8`*@RpRogZcf7IV+2&bZcCIC&>-C6O(z zQ@KyGGnCs{Tl4f+JC)aCst=O-7PizrG~RiK}Zr^}Q@1 zr=lKdYrfdAP@J2np2g0ithyxzPiFJwXDMY_ta2FJHw*BTEwk8=Iu|#_p6?ALHZ8-T z7dsal0o*|I61S7?5Sh!R%lpukUtAx{W02{L9*jS!SW1Io@j3MI&dR<@Z`3l1vnbCa zb+JaR$MF1xYG-WSq~|j}4!FKXt_y`%9s_KwZ~WQz1$z0exU1s6PeT9WTu~oyn)KMl?pIsm^K(plT4Iv3bIhzC%=>@y~_^dtQId}`+3Sxfo~(VceHcmUBHVayuq9$mUV_8e0nQPR}(xM z=gSP2cl}6318Tdh4eHIKvR8NW9*;fQx3oe`V)svI9l?5)bZmJvpLoQk410IovA(QF zeb?f@;(Wnys(_UG&w*cKJA#B*`|)(ogHf*#C2KJ8~jo&wzh6NYbAwb&=3&@+g% zTh|-i-hsyhEIlU6KR*R0P78n!l|4SB4y@&_?-o9Y)zO{RZgGmoP|+6<%Tulf$T4NV z3|{l~;v9qhCBZ3h;-+{~!n@gf`0F+F5I0cz8e9zTQATL?u9|c&T$EnJxs>i`{F9p2 zr#Br`f6#h)x_T&b*7rX(maMuGFRnAG9OX-)=`GIh<5$1svf4))k;VD|3$l3JK=xD|vpEmPA8W^+2jiPsL(997Gc#G;gp`5tP7D3*270YOn~SH3eNnvn zrq-TjlE2oNmgvO`dhb5Otchm|bTzTL$6d4KpYYY0tR?(&#qk)ES0_}_H`z{nf%*+9 zUl2p4k$cE+4!gp0hVt1kG0TRA<_X%Kk zh5|B|>sfc@1NW#%l#TvIbho7-UVNK?y(b2kU*j!{l7lx4*1k;HKJp2p(?@dY!iJvg zYPr7_CgDBkS?pnN1%uxM9hwtMz+HZ#aVpZu`c&qo!Pn#gD5&Z2tRQZUC(l`5rEy0z z-VT`sMOFAB_A@%#`D{GQLq5{8LbaA@>=A5-OrII8A}x-i#Un1YBnAft_r8y2PN0i zfChX&|Gp!Zb%}Ag;3hU)*^TZm8-Tmmw=u#7JdeAj@EX&?Jj*^N_#xxBD=#55zS0S8 zfqg{%MgtKCi;Vu!!GS(;h7pVW_ckrJ3m|FVRbFvog|mjAz*d0shlMa?I0`?BGldTU z?lb%ZwQ&fH9sdA7hhw&<+=i9OvF>w`f4a_j2Wso)NJV1DnKoUE_SB4JE@s=GFg85oUWZ$y=g=h6kHzxxn38OSp9LQR4@@G(TtECW z-i~vrxu&CR>0zK-9+M;WMrk`b4Ed1)qg$tBydL_+(HKl_7G^<`!o@_5q+$kWo~bd9nVx}EqL?}*o2>DYKCK8b5l>ag-oDgf@2 z;p8rUv$!ymPO(na^Hzn{%YbLK%FGs-GHisFKZFbl_7-?zxmTGjWYa&K8;Nwe>aaGV zhrwV;qU9-uEEQ*Va<*qold`yu$`Nd_`AA109~imvm3r(w#@L@CYJY5Ps&P(Xyo=+V z;M)uOW=4Z+z})qa4&HUBUi~@=yq4zMwc(H1BG;2L(m0MeQpA-yzNdKE$a>{pu=`_( zi3+ebS+5a`4P36T0`beOyT+C0qVmCr>og2Q@<2XK8oCeso?}|K40;uWK zj2)O{Ok<+ER!5((|tzv93u`j%vzQfD=fH)Nf`l$Uj6) zYV9rK^v=7CbROA?t6V!(KZeOUOlsJ7g??&JQ)*DlrGr+#p=FdmEN(^{{>9OZ(@iUNl_QYD35TW z$+TgJZH`=lFMEMmRY+AoAkn4ZO^ERxcPa0o*0DlI@Uxr#t%JeoHDvlg7hVDLSE&G| zxf7xbi&~DYH*{<|JE1ZxZp(JQW|I{3vgNuiGM4!YCZX}N*A^+}GR@znI#aSEeh4rN z-*kKt32>r)UKC^&e;)$F#gZa?i)&{M2#^u#?})8Tt=-8P;GdRkww=!*_-$+&zg6O_ zvkZRN!Yz=8qCf{Yt~&#xMG%3$aN)FRxeiRdYm7BV0=YHF^ zxGQIH|8UJJl zXVBv8%Sk;@?N?RezY~-LagjrSrm#A-v}5E2X&+YzCUMTn{eyd`F&~|#>+nArK559m zGc6Zb^Pz-+s`<2upN+d)uP1Q5Amx2^7i(`;=3^SY_%QB{S6bhdOmCY^?@H{DVHP9W z@l^uuRu(G{N9-$fs{9Eh`29aD*gNouBhkUP!mtt&UqC`*0gH+{;zX-}92% z9yk9;OP=hyI(oEgEN%DXC~$@K?CcFp9sxMk;-Jz6Nvpz3r18E{sG)4b?J?DeJXy1Q z!>-5z6bgQ!_Xc$8C!*3_=ilSppi{E6{%4@AEigzuz{uVM{<9Vtl=B9Ohv~{p;(r+C zq({(|l`v~LjQrDKV-pHYk(z{mG@fOr1@FaDIci;TR-CT)4kFHvjOtvCw-f{Ar4+(T z*~&T(+c;xHfD)bp8bLKzgBEOh{Nv$_O((B3;q4LVljZwj@J=NSDXX;jDQK-=#gcyJ z#DNzox7OA9V?fQc>!8H^3}>6&3tWGGOL=>A@HH~kpM@QyONj~lbHRB9rh|YYNWvN^ zu(!T>2iu6pK)^-wQ(QZbQ|*OZ^#Ex@j`P!9_i))m24It5z$YQ)?^RzFlA8RRa2`pk zkWuB%flo#9Q1Oa6l^1;rG%W9%tKm{gW@=bVut5u7-_;oZSlJx|Jk|Iz*f##D_4kL; zdnU%;6H0F@@|VH_LSlkanBB<&rJB8GyyQp8UOyz<*Zov_E^-`n{DQd1F~M>x*Wb_5 zY6?OO%YJz@@&++p#O^0cq@LFAST#`#1$d2~Liz{4L8g82Tvt4deVEO$?~iYZM?dDK z`X4l>nVg;DO;|r8%@Wa*_ExXH0j4if0pHtvfN|!?lE;^hiU%|_l94msP?txmB*4y& z;yZh}l~P~DiMahxEz(dW3zh6g{-+@5L^$Bz1FrAw*st`63+(07`HSij)ci9E^6l9# zxr?oUPz33s0XYr}9Z*)~U80+gn6*<9%vZ8&b|^h`%7@u@m)X}$i)+kE$2fL$5NyQD zD_*0W-{~yvX?v2SiD!?Gu$5h>T~~4jF;$-!`h(uo{~R_IfjwT9e~C z&W^LLce-B^-w?>n@`j1dZEVz9Uh!lM&?pTcsQ(Mxq_AX8rJbj0%ki78-ZAfAABSevt6Hsb(Np-iU;2lK(~W9 z7{n_Z5Ongd^u-Ut7KoGiU}pn*FbA!>r3scHg=nY`U^gnjeBD=XlxQj{5a}bIHQb(q zcFsY;`%#c!vSof-?6iAuunsLO$0K3G{jwYXcEoGo62Mi>=qC3J__hA-`i&AcdYqY0YX8SFoTRt8ONN4UI{RB zxTu-Km}*JP0mg{+IFqr6LM@ny#BW)gY2C=;$=1(|jKZ)%Um!z#pJkS%4H<@*F5p%$ zf3QXIVx}ttqvA0+76Qvy0QI&iN0Iei7MtZoNI8zI7g)+(^#wA$$>RIKDFJa`*3)LH z-LMTkL65BBOwXGAPCP=IR9rx6!}-uE4>36=lBWh9gJ@#)ZCYNO=N*M$jB#HIkH9wH zYbZPnr`gA*LBg-{oY8(U$+W57GH=0K7&J;zllSkd^YyCDFxVK+=N&qqyo z#hBwa+6ecMt1Ff1ZAPw+RGM6ixNBT@$uFHEH~4z+L^qrPbzB~(G`tD%g8j5pU#Bys zZ9-Gu23Mg9RHB!tR_ zTQ&8U$~Sl=@RF%#rdogij=vysz&CETD-k@S_iz+lroNaYnWc|~@`1TBkS%^T42+dv z>s^SmrIEgXcl8knjC}^Jeh#O)kMQf=gPYqR+(})4n)gx3!kguNkiS#dLh{`21-Iky znb6^fBaa}es)GhV4&KyP9mDF{Wc+~CoqxuYEI)`tM=`a}ywL_32BDX*;B@v)U4p$Q zuw`02Nef?*?rrngkH8(v7>%c7WMr!U3Nynvu<{{_t@C zyAG^nQ-Nx>X-jwqu+9YThL_1lQXW_pL%4DpH`da({lF~xOwCPvR=i!9yBUUgxl)yv zfd9n$YNGnHUHY=+ZZ5siMpv=R?T^Ic`G}Gy0SijJ^9Jk1vGP`Y<7tue=Dz5D*8X@q zVzK_S6dVPgX5iHy9~G8bFVhhFB2ibq5}dy8;(&6x9a4UZlirLjhiKF#vY0(wIfP2~ zATaJZBY@Bq9Erl24jz&fGSRIY;I)Z#2hJ0-{3Q0!*LQ#W3!re6g`B9iJKx_o!%*83 z>>z+KUK@s`tiiRFFoUeOlH0X|`3&Lb@@=Sblm8Rm6?#g8vY>_kOCulDIA1ij+>cVK zNX*h120N=aeW7#D3_Yr`RuQGa6xybN3&|TzmAjeE0cX0~(Ou#t4nm6_2zA4i_v0S? zx@OEBt6U%bZm**7eN?9KJVbzmmr~|w52MOuB{@hoV0BHVxZrTnCFQeRwZzDBzPu0tg2N~QCL*R_We)ED%w zC%JUXEL~~D1#?}c4_Syku*L7Y=YPOKy-=>=qeDMlBd28+?K-VVi#DZrMcln z0EbSDvX!!a=G?!saUp71(Zli$#H4Bb)97UNXuN+CcqN}rC}sWQz}zq>#y`qA(x9wO z@YjOsz7FG$;ES4o{ME3S3>|@Zwj(%I{18W?jzhKYSpN|(7ob2I%zQ?pK#H`8z5(pf z4d08OW_p)sxL)7{w>EOlV~l@4GUv96UlPaZsi8%|*PVUFjE-qc|2c97*i=9OGcR9tX1R1g_()6y-{-FPmID2x$#eB;j?Dld0 zW))oCw#IzfY?3nAwAm9>Kk{F~HpuAcdhlK;Pl4`W6!u?%ZsDuX91EpX;p)#VyAj9$wgDaplCe^3iz@Dq3}mtKF69SI&x{4?4~k92jzZ>x_`(t1`5j)}(Q zysTxvVa42@RSOVj51-`PTfl0c()c0@(@#r1OYb#*sWO4Y647{T5iGfTlt_&I+vs(w;%+Af6>1kc0 zh|8dV2ye3riT1C+$b;_99og`8{TRn;DTn2y1opWG=^iH&j#8j#eO{3Tq@QtDI;#s5lT7qLGelQ3@3)#CRk{g)@lS>n$4=qFy zU?^#uKs|ACqS_Zp|6pyQcMv|Z_k{E{o8ud02FH9Fevym=1f9l1Fap6OJu;Hbq~0Mt zR2!r)JP^9odP!KK9*L7b z*HnCnDvv@Q7B6{H+-oaO0A-|UkDhB+d0ZX;2E0e*aZtP`qsrGwc8y&6xPvP>qY<){ z6UaT$+MgV|PwGe_n>vsPtK15SmpZYj^ABRK-qbN!ykPdbg~zFRHE%7f0%s*_*`^zI z07$?^q<*q365m>na|IfaY zQJ3-nQpIPO##p6Q^b}y(f#I%Mo`x)g7(S8l6Hre8f0rL?EqIkr6w}k$56U+qdJ1T8 z&~&OUw-Y=zzRmIO{{D98S)qE&>{vP#!cL@1cpRM;-t6e^x+F+t zJbOztNEhk?*94dEQ_MRdE_e2+`^A%bUqKw3BKqRVdWiS2utUMJ{4_)mcGD9}+my0A z7=xK3I-bA0q)o7%)XN)C8wcS(EU9gagRx={YWW3BXY*0(^=Lq0Qxz{L3o_-el8|RZ zANxNI&UKRQVQ#Ey#mBP2zwC(f7LNrxrn3_*+p%e1iq%7dZew~fg-i7=MAGz#28;_! z!jsj?m?j;Y9e$C^b~6xyv^zV z3za+$mZ8RrsMVVkgR9kE8vH=nGp81jiFhr9^0?KJnn)`2_cfzti>`^JZ$vzJQ@(jyCHYj zR8HJ2@~22mj#~FlBh#T&&V$p{Q>ZqM%Yd=ZYw63s;(rj{p!mtDQtl~w<-qUBH}(^x z&C2EiUJt9-2N?rfi`#)6%{lugyhUCr+I#8k`HbjDkqZp|7urN24<__2DzMu4UxTP& zgI=DgcMdA>zrnV%GB#l1^uNVQ&i#@@^1mwx?3YCFUxHAQ&HP^LTk-y@5K026dj4-H ztJ=>K>V?|cvCh!l31*l+Z4R7bbGVzKekkw`(7Gx;k$a5A4aBHZnorX8?mFITxlaeW zNF98P(>mbRpV?KOflj-~? z8-?%^mTPRDTsxRqrWbPPT8!EGXXCs}m^{`YR+w+Cg_XJD%|19^>WP zNO}L5RXA{sUY@U;Cmz~;3*+DBW|b@1%cEbtU;bj>U% z{3Gez1u4RSUvPxs7VG|mAEBbG@bAg@f54YRw)LpdkTySMQr*OHwJt|ZMi-Yi<3C_Y zkeq!7-5e6@|2XFNcZ#->-)rLcyZwHB*MHSDy!&6C;O|<)-<5g+l!O-ha8p@74d; zqyN)Z{{Gtef4TO5j{e(AN52$={x7`>>Iz^v-DqqKz%K~v-9dVQl!AmndV=%AB`AV@XHAdtZzH6TMk?gAMK5&;Kt_Yqfs6qe3o;I*9%MX)4aNz!iE!Hn_;(V>WRNK!Q$ePIOb59eWCk2_ z4=iVb%!2jVu$%)j7i1od3mSj>&A;=r-@9dATpDNi4Znp%#*OPUX~Kk&lYa$qS@Thx zc~`T>{?<~6OFg$7U|jxhr~iLD{X0YZ|F)0$Uw3a&o#Ov?`Wcg^j;sCCnE!ve)Bjsw zB{OH~#cA%~hs9?_q0>gxPMk72*99sc?E0(17x&w~l;2n2@c7?>((suCWZ(MCpF5P; z;StQ+-fZ?YbnH)H#Or=c%d2!HMXoc-7J{`L_+%jMP@dvO2-i%bZ8Zyt~c_w`Si zQVv{ZqjG!q_vdzV<+_x-@?>NvD0C%3R*p_lm8uk!mG5@LDX5}$T)8k<=gxQIAb8)V zAfr-HSj5spcv)9a;3;2Rbgy(M3_AT7Dd!sxV)PCLt;L;AEMIboub_eHb3PARi9~dRe%CLFjR8Q1U&6 zfT5tvcX_C8zEK#;#~rYg3`W}gBHIHcDbZUiczH<=xT~jpP>e1w&t3i$q#zejzxV?1 zfG$^I@M)|qa@$I9?u=ZW;>xpKQ-QyzsOnRVElHm3yFk^3{quc$|Ds?N0!81qJK!D513)ZDD>D zu${V8TPJmM^gZ*`kX55q3aAF0BR4=n=jYY_1P_i})N>`9k+v|eRq~}kNfb0a2;~ic zAJy}q%#^@-UmhIo_JrPmYpb5XI^Sck;x42<$HC&wTDRJ?5#9stS6c>;n61lKiYf|Y zq6Jr53p}qnS6+S~0q7dF9+hfRtD|=)Z-R1jQ~lNK=;L~h)!_c%anZVqs(yeAxuD@` zJ$bed0L8#I4o`zfC@6Qe>2sXtNi?{iCL$S7HCm;pc7!(JuslZVa#tl{ZGJ&TwHDsoRdoUbRLtb)3%Np*;Y0=EI+5z|;nyI# z&!8wps+1Ki4Ye>dTLa$pML385IeL}1pbR|@ADGPH$%{h86fE+CU&I*TeLcaxaFJ?j zthT5qbY2r}BgdZbJ`GpNv(3d1f}aBJrUU7IeJ=O3FV>k*C8mN0*b$=$n=Xo+G6vHDjuSA1)gXZwLO8`@;}T<6Qdvd zpL+)Qs8USP?&43K1vEqG7T$_0_zl)j7w!2F28~Grnolv_=K&-Id4kQ!A z24V+k4;p54%IJV~CrCC(4oEHt*u+r>kUS69lM_MncwB@^N+#U z_1d0a$FBd^&FpW7v^-A!12Gb?p$YB;_>Fgdn%|btxc6Z0G5n_y_|K4?zaMV?3uNc- zTj3hjfF^YZa#|CEDwA-`6V(H-QPT%!Xfm)7{R_iC8L+i71y&9NT<1%eLcpD&Gh!pB zMTa2}Xfqsxc0~__Z3rO5{`p3D-68p+L2MXSnZir+AQ_#A)GE)1f#J4G6%T!sn;!r2VbDqV#UjAC%koT5i4eFXd+Z zbstL6{a!-Ra{KSCaM<&j!@m`r7WxF1WdXd!nxCI_UQW?=b#u)q!+=RNJ(-~taJ)p*>+<9Dz zTALTWZA|pP44nblUwZe?HBOZWBg3csTIE~f%fnPwnrMy3LJdc&Bl`Qj>Y#?t#c-Qr{!+ubUyu18YWTmm!eO7|e|7n- zieqBXeVOoatjV;c;S7kad)8LE1`Zi_@!8dxr6Jf{x(3!u*JQ%Y?@NQ~hqBZ}>j%dg zb8woLV5u8m0B4l0(V`R-{ZimBrrKrV3@scQJ%LKeg3^Slj454nUlQz(!9BGZF;qqh z)Il1Y0Uuum@o8i7Ftlt+jBbL{;OkT|lte}h)}jp71h}$hqc%?iXJ+QX?&w2A?`Mdy z-*@G&wNwGqieGE#FlD}}wg2l9)Y4k`10Uvpmq@gh{(CF>+gf_;D8;?@2B5J1ri;IE zMbpg>MH2*c=g1wSC>X^uIObPaOTqXX(=^aW^X>k_49zDRqNJ0QEh9?Nd57E?S5v(V zQ9@!8Bn8^KDL55(OOZ3W!eJRy2jd;?XR-`)F#2^8(u{Ykn-EY*tpqQE&OdG()hw4F zGDTZD5}@*Q0K88<3gksS5PhS(6p>{qhoMpdFNr@*)6@@0W|?1sU+Ju0ErA(PVo0h` zx`(56FvI6lAt^!lm707qE=JtaRXdAhm1)1jd$5rN%z!Mz#en-9yTZlFk z6R1WYu1s(=aS8m>k?v@M;{oa}vc~{ipfhZ5vQ>UF6ri>E8r>hiNyUSoiJp(ss35FV z%tNHadn|@qO6POEL-RCL+fbQ@n?;THKpU9>)S{C!qV%M-ktw)m5`e5umoq3aW5V=| zJFKFUNeV>50SGYgiat$DQSwW^2bB+c7R~^AxhZrHb|^OA2`8bG*}Lx0my!UmmgXrA zZ8SB03>x1!fjcQQj_(NG_~~3neq)rBvb0!eS<@76GonbVTx-R~l5J?n5oDYc88)mg zx0rG({Sj+g(t{fqMWuCNNYhqsA;(-Yl>C%iz~t0oN<8pgQ3XeQ`Q8_j13|$c{^;Z__lfoIOfXS>{*p;Qh(o1VnvI-M71n zGLdC$;wnbO;GPcTp~Ujhyb2ypqZ)$ z+??iUla+bIO~LmQo}GgydjVlQmG2WO0&ZJsHUOr&Q>3u8l(j2Cjkg=1n48w>xLwqV z$k3)FS*O8!Yy+#qNZRD*P@VHh;(83HZA!sCsiEN2L*>)sE-xyZ6Rs?4WfMrCdHs@) zR&TxY$sXWnH8-}=xVMo6qg9!US#pT&T$+YDs|7mz7FBzlD*eR}2_z`!mhLWgQ+`q*n7Pi}W^xZMhBvhV`CcMbesT_R zQO}!aB>=J0TEOd|lBt0bSCSHoIcmRFo?}l)paz3molf8u=AQo6ZmWX_5_ugZljkhi zI%+C;mg)$-(ZyS*N{i91Q^O(I?xsGnsU@|phEMXx_>v%47dPRXmLxr+CsLRa$m;70 z0wXPN>iI!<0?s_Sg-;=qQ3Z36fxH47K-1(GVwnWv?w4?{3n!NBWYeT~t-TT`HP=b% z;DfNcMn*pfH4W8wRlt%^H`!4|&Xk@e-R8Fk=1lWu9W#WjsU>$eHsfBoCxr~hNjzLQ zW?M)b@nCX44UzrQ3sg^h0M}7P{ua`-Egh~we}f)5^(xa$?=9HBz40^qazh&wAm=#v z94WzL}kC0sWugL@y!Ce`Ku^dM{@kKiyr-^1GS z>qkrT)O8yCDs8T9RRALQAis_8Z+nKFNEj%<6*dvVI{9rOFSJ8>C!zw?6y|3_s4Ufl zMQXHGKCt3!=6~p#O^G_P)i4YwJxgIYG#iy2xLg=9j z>ra)+rE&0Ke#>3INZV^}R8I4M4@A^pq5o|`Nnz7U^8SK(C>O7e1DhT@qxS^ z5d*~8@iWO}+RD8Jrz#Bwx`3Yyu^hPvPBL77I$t{GFQ*gAOJK|?9YEV8uM}Rfj5c%C z{48#WkVuO8eh}3p4MSX*ia7YyO?_-5aEkmCdqSS31;XX& zbq`8Iz%b%nj=jZ*%J!#GXG(uzN0TH7;AY1WFo0sJ*SCAQb9f84pZU(x#Irr1PsR(h za-%a{-B6FGW5?$bGp_*Ui~|j0EH!`j+I6_kngqU-5N~e((=+bLB9ix>K)84crX8igOFE zl7%!Fbf~*f4%g1zjfMLN<+0BV`TC>%3*=YSHK?;(d zz*-cB5nlI5o zK&HdfASAvMkj&;|YJzqYDw!X{KH|t?8M!fT?*`Lxmh|7ToEfFB)yWqyc^>TrAQoy? zWgYb}pRgotU{{h`S%KdZMCx9_NSARPd;mP;&n@6GNz0Pc!Tkt5daB6$k>Rq(5RK!o zOeB_&-kPDKa!v-VUmG|GA{-B6j0 zhETfF1#_+-m~ztv6TP!?C>g{h2mT|ddWxxLtgGn_w) zFb$c7_25Im{Z|YeGXqgilYZO`>Sx@SS{Ll31LWpRyf$<;4rki7sIw50z%ln4sC351 z<7q83EPZrTiUFn!qI0&PewgbOs?eFh(?)6+Fp&jc(+L?;yU=z-N1#nr_NEG`ZQ)4m zRI-CjJXsG>siZyrfH|6MA51eh2$#pcf>#0exQXgqJB6*KHWC|~NNn2F7;}Qad>9|- zjV74K>$kPB<}z$OnP7J%ZM#im=46t!fHTFI@T6_e5-XAMXn?LyLVVxWPe>XSPkIK| zu|!b%vRtCDn@h5-w3)?G@t4oy1D?^^5fcJk`IpFkz$*3bMx2jspgO60QSnE@J+=|j z7i}LQmaaANi=u|u$$QTpmbV0%ccrWz@_LU3)dJGs0ydH$zwsEwVxxyHu zUfG%QsGLYz)72X!GHX*{>c;ReOC!tvVE)=bcVp~1zA+S?ib|c^a{~LQ1AE)>5_}IC z0DPs5Kj6+nBkv3d8@e@qNj3NuM#+4-bAy`~g9++O>m?mj{0KCjPo(amLT5jvR!U1b zmf0oke~C@TWm@@+r7FugF{yZeU`gXz>9RBi2bXxT$r{x2K5D6yYAV&y1!z3I7v{C{ zDh*Xr|1^}80T-tjRjo;=GXn2PjB z4tC8vc~4|^s6!&@t1Zx2+f0NNQxXErV7LB;qv_d}E(v8zX{Mg?dSjq_>j8aG2)@`} zAmvl10kLEPy_++VA+RiuZYvvXnPsAEwhL6b^g2Z?IYhTWcq3j2lqwUwF3?cSKO3p` z&L0h9=0bK!^V4)Ud#yx`_Rq?#r6dedc<>dE12B&?VLG2Gy_2pKj!H9OZ#ZKo#V z&SWgN8L!gHqJ`q4WGnWqjMJDv#jlvgq&piAoce5PJClaDJe5N7tp8$w*zsCq2sYdp zOdKwSPT?nol?MmU##)tl z?jeBHJ$d5b3GQJbor>p6*m_jq+`zGX7>lD77V|A)Qz4~wGe z`^V3LJ+g;o24>+b%)+e9!mjKBqr12(pdgDZ3JS6)D5&VFsHmu*l)n`f6%`c~%b$r# zX=+JoX=O>NX=SOUWo3z}WoBkYcb3)n4c^^%&-2{Z_xt($`Ms{k>ylk|hnYDuXWr-i z>-Boswa6VU1t(!LPSTrug{J~a^$wy5z<)bkTFOGiW$>^rry*i3J`Rj1Vl8aIYC&jr zIEK?1C6A~UC~wFKG8KrSsWk}rdGs+F+|~Jlx^g}O@J0e)_o`a5`iS#s6F!8>Qn%{q z0P&DG2v1DThcDrKO#EKI+e-d&h;oa4101REu)ZwpC2 z71ER{g=im8Daa@W*gN}k#gH5+G3*QBo`B>=p}vq}bki&w7*NzJZSU z3bpGgl7Pzed~oeHu28$rraT)$iqVGnO~?9z^z5bsv-ox_Ll~bCQ2sK^e_d!}?18tm z6HNAlsLhKbEO+foeDFy0{ki?OKe7I<$qJ@ZsKf?lh9l25r7JkfhM&3QFm!b_9iV{O zFQ>Ll36%~6AO+i)nFyg`rW0}7GHX%Nyv#h*7J^N39`Iz6v0@ZN^>0E}Bx+N_gPqu8 zc}wV4cotKGyL#UH(EEz@WtZu+Owd1gDgGySsMJ}z(H}Pu5nRz)4(_`iCa-DJZEZ+o zZW!Xr60^e)*+xh3%OjI~fHx}?0fTM3*v9tSPw+56U%riS3ms0wy)W}&CNUmpBA7|~ z0;a|jse_R8E55Ejr@>o*RRU;H58!aa$mpcqSSQ)&IR3DJKUba$$l9j@c1LaR(vkeS zh<0)IreU?{*v0UKnRFw37eku}2ykU`cGJ`nl-w0bol9OoT7NY>MM);Im~N@A z1?k|LSHQsz+yQ`hE&+#mt`2C$97<0$xejZy@fb*RlW5s( zcu$QPcU@IF1@y#mZ`BB7HcGV`P(8P_8dfs>eRcI5$ipl{)T(>m;6AR~E|Gtzl+NWx z^}E$aCP0|Fox9#RAJRnIl@N4%9yS-{^5+!MYP|0cw|0b86tO?BW!11v0+Tkv`hFYl z0V(w+Sc5tz(A6YZd&D&lOR5pnOlt-n6c83v!fq7{3q2T>3ce4B7=?k=|#);@e=APO%W_ z1WdnI3Kt>v3Me1vbZxzm3$zm-?p-H3Bnz3<^o=X&1vg@=r$A;Zf-OO_WH8239hv8v zMPpf^^t|g8fPDnBF4S4@8VxMiF51a>;fC!UQY^PHmw8_Z$tKRn<{)7k=_WoY&cNb8rBAK@ z1@g~pYCh7f;!IPM-|)Q@q+iL&b^NEa8X|^3>je#$krE7Iw)lkd1umGY&F7>fCUSE; zham(XgoC(n09vl2&)_IJ2~tre86`SPy0qFzn6gB$#4B1vezQI;m|g?)lwP5R*TX3w z+Bpx{##~s-7Xh?y4yCCq5J%~jsKpR&5Q`>*MZPpq4C1`nHno;_8>9TQ2E@<59c2H> zNB5&Zr=Z51-t!JQ_U9lMtY3hxufxIdZ#UFwRhq0yqB&kBjxc>*y@EdBOhHLsQkVPy zutn&K)jyV28`AvCM+t!@JL5<%7MR>GxGoIn_=Z9b`gw2`Ca@q<#@bhdAa1zwODqYd zt#A(;(QGrXXuqN(*1JsfNtCXAKG<=cZg;M-$UoQY2ZdoAM`uCg5BA%cS#5SMG=W$0 z91F}@U@MQ8g}|&4NBnZWN!Ae|5IQJwZVLu(rVtoEIrVcNGMfBJHqrZ8x4A7^-vGnm z82195e*iZhxaNtIc<8X27pRBY(HQHt08@X%)&SD&>LO0kUFRKdif5E{Iy#=yf_CA1 zhWlFcLjNkKu2S&UVSno}e=)wQg8xD-CW$%ZhRDSF0QjnjvSM z{73pyG3lJu7+^Y<+!-YwM%+;OEL)>h80i5Xayxy#Xj~QvjGHEwKMXFT6fQoi|A8vh zzwxSRYiloWcK~X*zb##iCt-hXq@$T^k{pguJ2+S`1LY=36LOV{K4KQKUp>ojiD@2$ zpEtOI#dQ8wm)1bf!2Re z)5nGqwKj(;qy6|u@otM}iq=MJAJesRreXYB1Ax8l=5=5JF>a%rfgh;>bDyBzJD00) z=!Gu2Q#wOe(X<%|X0;d8_$O_BB&_QY2I4$n3-(eYL~kQ>WsGPHQwNgyy0dCiC&f*E$q-tl`%2BaIzn8{B#vpd8cHD>L9$dzL}p^JaY=+*kDZN%vW!jr zsG)2?R$=M2h6%FWRg(^`$w)(Jh?v?~!}pN1P9U8V1l>)EkI)OcwjePTu3K++I4wgb3wMk#&O0v~^M~amjAOJTNlPNH@Shg@*KHAXi?1$Vxld(l#km{oT zVo$tQfjitkIUPC7q7i`D_mgtBqI9S<%xe#?=7jM_1?d?e4a-Wzl5xHoT(bB*VjQ>3 zE}*hC?w9aDxpJ1D{$ZhRSWu}i^4d!k=L`f1l4hj+M!?BTV$JY3c%J=40&sc049Q6( zy{>>m+83U9J(A9`(0OA?L(X^S;&4C5%V?Hic!HsmEZAIIAft~X+#_&2i1rBG+y!3|q~zfcHPUPjm~9d5fSl}U$l0UUoA z!Im2$#9%0);>Y+qYVQid<&H(zP_~*xrJteROz9PAaO$v3mR;D513}$BfFOVGz5VER zC!q8m9O!-F(i_^QKvyExrSz_Pok;w0js1BaEL?gMAip1hLRq)W&gj&aEDt-gMuKaC z&CYVD<5hn_(}-4dHLb>{z}IG1h0%DZ_fEk923(e8Kk73t)E}p%ib$G7!j;L;_kqisIN&iiwi8~5N<&~_94bAPeuc-AN;6vaG%W!_ zf7-{fhX!)bqI=G6dj4{NeQl?@_Z3?w`mUg*c7f0Cinyc3SH-;>f+l0-rb6Md+u8 z3zD7>5CUsfi1GT_;ew%Nvvp`^THMf^Jfpkj&qBC#@L>8F2L{l6+%IRhfCZ;!dQaCk zfKG&j02u)RJ$(;3^dHdM>g2;dB12P+N~&ut3!@pjKeM#@4DH}lV_k%+%=8CLQe``s zyK{l%igPr=X;4xL`(^OX1j58CZElvha>KVR09@bj47sxRFLwb>W`EdhO!A zZZBXaX-{-ckAwILoUu`(d)}W9QsdAg0I{TRzyYTU+AC$ixu%T@I6J02+!5z#zX`zo zNT?k&IJLEPppz>tASQ7kcvR9tB9<%XX5q_OAKv^HI%hR3u6jBd<%pH#3)6_+J{xLo z-mgeH&`14_r1=CYEqKtCGMtA4NlEGE`&PDu%;aj&ET;|OWI}W!H1@j$M0!hdA46mf zPQk0~kD(GfDmfKQvgsJINBD&D#{O&^_{P9tEo0)vLrA_#X|W#bM(-IC0wBT4%io%> zrQ7pV)KYa4LKwcZVOu`Mm3-|G0gQ5f zB66>QdLDTqekiSjJm(s!73E6fQ=)wTrzlNV`ja`=&K0o`!lA?R1UjTgga0{9ucG(X~Fc41;*_k$a}?*lseD z1G;bn-!GawU3N}MK(x(%DH3O)I{iM4^=-zSjR)x>$RWR{0i0}T(s%hzWK0eg4KR-; zi~VUOu(1@t`o{{uhypqAxsllq(G&n<4+v<)%FiKUHd@r?>Y3YY` zhG8;Le?!io?l&pcQ4a!+mPnVfshb#24aA~6JBi#A6Fwdk4v(+BdqDy)@-p41{xd zwL2DX!OJZp>k+Rd)joKQ1Y%-z%%$nK!jd=}xS zsWUSISaP{=wlm#$u$ST5;|{hR~+K5(m6R- zZe|+A+Uj^T#eRX5eu^@!%YrQ>#!0~~?+BcBtG{_e@Hw0HgW&3Y#BS`S zp}7#d%le5LSaJ$s$r)n&g(o}3zylw#&U7?Ru>2zS09SC1@rauC&8Sf z#%1zTs4Q`Tjvwee#~`Sq^(K=cR9z}&{m4@AhomPk2a*(UIdh;1Z8piyUgyW$*n~MY zlI~Y2e`KyvUp;m9OF2}2r|rJDv}lB7svYVciM*Hz#v}CXA+YvzJuRt(G}I&t4H-`P zZEa7cf2y+>%6Im6>=I{)?+bgl1XGpVO^PEw&<)gVnw|6_Fd0T-S6Mh0t;O5H2kSXJDqJMH7(|VfD38XlL78L(+-K5??lR-_|s~| z+DRK3!n;HCrCePekT1;U$bM-jOVDi(KwnyCK!LdW598yUep;|$DaWl60&!O|Mzpmr zVkfvhP}ok;=TvZQMj?_eR85{tlaz~uOyzg`b2n>0l6m$Oj^aFRdx4xXVYPlSXP6pt zswc4TK_cQ0<1vl|o3fxGYtofu7RudA-GxMJk&_gheGLS4zC~O_YTx!IjpfSc!4_YB zh$tu0XcH9GqsRy-Y5f4rrCR)+J6feobiN&%Wim$v=J*;D0?8C95^zr3JV&JI3z64; z9-Ms(8WLLHb-W2BXrYj|-mVm8z!{BUPfI-^n{WoN z!(&s*Nu#NJ#1DkgxsaCbV_0nF*9+!BoMBbK+2tf6IZ@r3Ov23IGUTbD76HAGt^16L zTAWVD;!v@_7}jEH+iq+NGmJL?7yKsCDNM)qv!Ag97T!45{Qivim#dG8%Wy+eV9g;M z20c_0_yJYquK82j)rlZF6{#QYPw&GsUFVzZLBAW=30!QSh}c4ID1RuVrPdJJO%S{@ zK=~ZH8?jTG+A@~L%c|moIKLZsbdpWl9zVvtpW7)9EDdC%@z?0M{-HnVpZ+`6PWGo; zi3}H75YFC_b0OpLhoF^z*A1mmqHDUw1o_9TwA9B?+v@iCD6<*i3VM*rkVs%!yjpyb zg^DjhR{Jodmv*O?AxBSxAGEpY`}#xD^$gUI*6^}F;Tu1?de0l7AEpLHcExxkqGAh9 zQYnw=&77;3y$zyZ@u0C$>l_^H^2JU3R5kQzCFp)#2l*_E;_r(GqUHH1oeb|rH~E=U zv&)eoI>u5Y@W~Q7H(oF_t-IY5_fWb-G@Sqyr^ku0rXMs-)@moNx{#B8KeFj_l3N^s z$cAxeHaPodLwCZ`tG;*(*)NyJw}OPruN?8x?oB@Y*VH^pZ3{42G3Yp$$PnZ)_sZbD zzkj!8tH6=oY>DN*Yc@YDkQVA*P}2-FS1j-*m^$14w364XL29y6DTn5UK7p4JdPfZ~0o&HM>W`L)}f5sWM95h#TT?tShqGiUS}~UQPO9i3?(pnb7g` zHqIu=sZXHfWk^ckMhUC9K#(M&`FIr`ncfq$v5?`Yp5!ZQIj$I>msCvdi!!SbDzk6I zoCDSBcLr7e>G{EOmj75S?Kd1&Lw8+9Cmau)%Erc;acPJcKtGHGvlq1)fo-baZ#9l4 zqEL_fx({Im8d1v;;0$#d4i+J(5!+2_=Nx32Z+ZtxanMjr4%(BDEzop^tip-fiRzRg z_-80X=2jx-)TzLxsk9(~GVTJoK+&Ohr{T`vghx*titrxnB!u#Jmydf5k?!8G^w&^k zHY&Y?vPaaVL~G4z%L^cv^Sl&BCZ$hSOES^$MzyX#Ey#p~3GPQHQnBvYL(@!HJnO@whYg&P`@O&aUw0ITtgz4jVV}Y*4 zM)o+_M*52zxF1O0!UzUk5o_7_6l5y4Q(s7LL*hdB8U$pMvwI?aK36TEeR>~%a*K$D zH$w1t`ZD#+P_m)*9caqAY>LynO}t9&h~}L9#K4UXBu4>}GuD!kVklXnQXX>8lS__^ z+Bv$c1yu(fJtc`~tWEwn)84Kxj>vJml_ttgr#sd@Kw~>E{9%1F(OS}j^e1sZ=~kWm z7UU`DZzL9vEnAJ_Kx``>wMHw$Itf8qv(R{s6D&?`qd$&NvT505^qc-o&Ww1am(N{9 z@+G4(8%d##wUFz?FNu0lp#{W{e$JQtN@dz#*?_ke&&HX z;8tb7YdOa56|X}qQd~zC;W6HRwY%^*8p^r>rJ`QNbJOR2B$^7I;Y`l&QBj^`XE)LA zoV?afzYn6>mdvtEl5`W}m#7)%xQ4qgZFArdHgBE}bwU?{X(XuHgKEWzjrtcL1!Zj3 z=x+va;ohfMc-;nT23P&P5`?%E$!J**k+j?S4-J%CT+pl0n+58x2N<3RpvT&qo1kJ| zR{3!Nb@Bb7DsEV@)w-4^*R=1v%?H9oCx~J4>AjHM>IaMN(bh9cshN(xIaAREkkEqZx}j>RQOIsw4-e}Y89@V( z9&-RR1m7G|uxD8>rq#W#0X15$LhIt|smglT8EON%bHj?ACbEzJqEXiZNaC= zMqL+L`nWc0jv+2kn-XX|CejH)#D&~K{WGWLmaovMf}nM4+$=Hc8RL$nujRG^%3c4QnjIfFps|UkYV#App5@A0zHJM@wXVh8ACu9k zW+e($*|kYQc&0EBS|Q!5Xb+MuzXD#rzAp{MwNTL(GEH`GSH6To;uF891v0ev;_yl| z!Vu4a5aJ3eDFu{nm_pQCkYyo$3uf#zNjN)65FC9BEesT1w@sGxL^Ep(R0r~D7=EHu zk4s@Ks)he6X|Qt@&e;SiU<6-sZL5xiJMcQxPiR(6j5aTXoWRiQVPA#0r*TAlb!8lq zi`IeTbP7-f&q0&%m@FB;F6<#3++f{r{<2XK{7TQv7P0y5u5<<~rGa%-DrJ{GP1873 z4lta9hPAsN$#069+FZ9<1A6`@6bY-5T>| zP3u3zdm=asl32Q%JKt0(ML;S0`0e3jmJ=#Bb8rQTFRjsSsw}&zeZM;y5z_$~ikwn5 zrW8!|f5HhL@o9&){F}N8;$^@oMFKeFZy&aEBDH@s<-dMDzOuA*iW1qk{Ut6ESg$&^ zDw{I?(NQ}%uKwrFO8?WY9?>2BkBvKy@E?x+&&>gJ6c^d?9=7>!#|1dl|NQEoXAA@U z7v`!Rul3h1V1Q*a+CON=IYoBt{jW3l*WMo;I_zhkznGc;45dW=>zDQ(ynp@n=nDMx zUB_LB1pL*%AY%V~-wp$VcIHQ4Jlg6ndaXxa{q@^_{q7OXSo<~me;>@Fef)oJHoD`~ zJFqd4Fs8p>(MQK^zoPB?itCt9fB*iUw*wCGw?VYy*#7#xecz96<3Bg}_h0;%b8kOT z$KSO>tR9`jzwb#0s~RBK{ui(Qzj*ckidSEHcG2GmoH~J}np!#Q5%zQW=S27PEo{Dc zWRaiw+I2vGI#JC38omEDdXEhK|4)qGe}o}#_#LzD0|&6(v;#2y_WS{XU>*MjLVkQg z*^E*pSP4dIu%=unIQpR|q+`IqWR9?f=)&6R0>C2UJOV&!F$jA02L!Z(fUzm40}@OI zK%%7!)q#vjFBJA@_0)*09a@|^3I%nnZ=kXK2#K6|8M^qG!2MuI-t0d0crhDz-{}o(gDL|Tts`5H1yt7TQY!CM2r9=V+UZDgp(B33x!Hi zL@y3O27nw-XT96uxHJV2Jplh1)q&0J3B6XRj6QA&mhZ5)pt_mWE0v*;j@2)Oo391{ zFt*@J?lK$2VNx@0QYn#Ach*cyqD~MKj z`%8+eQn}?rP1(16RO2UKNPIByYWNdTeZBNsza8T+%Y~>@44g}?3q{nxqKRm zt$4dhi)-tT(aZQ$`)ptb1!ftBH@CkRbvEERqJu!{q;?&MO2?qAL9&Mp_U^7e2BNF3 z9=TsaL|P%mOb4ubWo7B)$mykZlY`nJrpEG~%urPd_|&rF*j#`95qPyQ3fZ!&*V{*< ziZ@JiSV`5JWY7_wm{@PjlcIS>In^>)PW8kU>EQ4&R42zn%v-pE#CTH;oTLkTax40G_sJM`K;X^SLPb`J*QYaCs z%EnhULn=Q2oWbavCpmp)q7N0bha$NSMHQza&xc$J3J2wmwrsAmydfn31W7a%D=aoS z-6qw1Y>RMTk;Ai|QzCuuZnk`N|2uCI`>GwuT{fQ|uNI8(Bh!eyJL(_c4BYeVA6S2X zv$wyPVpEgdjtmkFa}_tMri`unDY6~$7}A7iBR() zM!FmKY>2{Kem~R>i!3fj=2CS@Iea6P+v0Em{?4__vI3ce-RwHZZZn<3X6lVI++Q~L zCq)jPEHLpzahy9+L1emv8iA~588eO^fGSKRQS4%{`U@_{JA&Xsv=VZR59RN&L21j< z{JtP4Cy)?Qs$g51yU=O>4xug-K ziG0iN2(Vdj?@fELp1sx%?N7l`te2ri?Hq-GO274ByE@o~2K)ugws&MN)NDdYZfzSp znxMeZhW5VdnlWMrB$*4PU^t=B##>O9$=aR#r4Jq2k}FKHj096mqv64f#^X+ng$4@C zDQKmrS!ex9Q#t|vRMiXT00~wO(`mm{;~2$Gbz{{n-+)|MA3Q_4s|#1lam);MA`T|; z<1{oo4(vK!0MagiEqn&r^E5aHo|GX#;}#Tke8f_e+ zCVbJ;MPG(>1cFLL-DF7Lt}fes#L)Z_jciz!{t~&cma7{FoX#__ZdgG23=F2e&G4LB z*0`}83BhI73-Uc%BoK)7Y8S`5k9!Gb?8!QU>sc%fR-V9c?4E`J6!)Y%;Usjl79=7? zo!#V9Dk^~d`OJ2q^sDMP%PPyDhWBV-wI8k}-`#&Nxe4EVu4X;XFVKR@4H1pkgK&4+ zhb~igQWD{~f%l2yJ^9=ocLhzSqwqf*Z}4*irxhY^HViea}@X5-MXj#&AoW3vC|P$RF5xVLILnOGLTg#^G#S$}aOE>N?(d4_o(s z2M^cH_qVk;9?Apt4>Vcj7v{7+#wJu8tljUaXkg3{9)UuHTow_D#a4Z=Lw(s^6wp*YA29`>^&o9yN$0*Ikfh>m%W4Z95u?UoZ z*)PXwb@=u|4;Z4Kmf%j)7_dvo2taCx8<0dXKJn4^1 z3XP~@UeO?uE;cp?Pn?MGM^(2V0n$h4;ZT*Gay<(teRqJZvppQ?^#1j|+}iB*SlCV@ z*_X#M<6kkn5lF`v;{?*9;1wDtZEZJyW|}0Au!PfO;bqcR)CLOk`A(I4P4j!z-@_&4 zZu5EmuFD*gC5un~5>C8^XIBN2hRVUPc58%}aJl#*>EDvtHrMs4>wV)sHC^A>1$?4s z$w#d(GK>2p)*43AvTit8jIJN#`If%^yV+D#@GZ!++#oSGC(tfJCgG{UvX2N1-i^yd z#mQ8DAWd%WMRTyEOhUyO2skA&$XNiw1F9V;DEL1D>L<&~Tn-^fPBMAz2XG^F1J=zo zZIGuK*7{?ojIjqs|za5fOk}|7l&pyVSYz&!xT_v zyYNeO^M#kOGCC9GUsgFvaNou!y}5Wo`>bjeoZG&+RAD+(5G5HKtYU~tiPaxei^1Zv z7Y2zD>;p13(+agWl@d2`FmjD_CrSn0VYWAQwX)ug3@r7F8qR{N`B=w9obuUt%2fkFB z`v5yWB6A8ZmaR07)--ovpsY*QiiFD^6Goi`5k7@Lv^m1LMokGy^$N6pQ!>K zg_nvh&02G6g{QA17fh{BAeQVazSUe-e_}LDrTZ^8rf+`kjp_>}}8~O9Tkg-ErW| z3hH@?pELC-&X^D zpzT@U44fyr6(zbcV#Kkm-NKi+M%kgFCv1nIm1h+B)9@l#z~TiMRt{T9G!n)F4u@G> zc*qfGqY_=%oOHu`M2?^)!w?<*roqW4saxWh;2J5gicfJ!jgniTf@LZ*6m806Lrn(^ zVH$F=syF{`VD?+sebc6r-_o{Giwe6O892f*o|uw+4H*GR4`emIV7XN>Dj8@CvH}f* z{Q+wXv(plgy-RiVwCHFEHUKMNwJF#54~_X?^xh%$wOGu)f?6j)Kjx(rEE;|YVpEvw z{xgD}J;dXsS8!%}u#Y#&FpU#G8}X~iD$lFEv8L@(H`@&{SdOyn5N6=r?Cqo*?A?~n zTz9H}sP>av3I->QB4M^(LJGFsls%lw<0#OX)j~MTMVm`acgb;h4h#487REA$yJ1nt z!egN~1PW8ep=#QleMiiu?nJD*41ciFo#WkNf0EOw{cS2JjLPqV=#pFBSXR_{m7fR$ zjvs)#8fqd~U$!0hB-?~=`ph6nhhZ9QZ1dMw)3gAvv#T)Q0)XKn0x64qcPyz&zw0%>$?(WUEM&l?PZKpNnB z9(yf4YQBLb3f7~Viu1%MoW#b`&NS8gZsDX(c(my#>D{I%CnE$ec7tM(>>Xu1A++RP zh%v2csRCsidS6}#Ykg@gtj7$nDPP0r#jguSoFKhz3LszORIkbP2~_P* zdp8(lEtJb`mK4itxVz&u{0qGx)Dn{%OS^l|7{_ykwTRfOs=@*MzS)xH{sp!;Jsw#cwl#1{S#&xHtjYDBAyW)DgbR0C9PxV7 zmHJnNczN2*gvJ`2$=OJV;5JX=bn9vL2^=S1Ge!pqER{mg0gSTruvbFP&@n(%-vNJkn$&M}(2=s<@b% zEr)UMiR(d}2RQWB=kD~Obsj;el9$OPCavKBC%7q=Q%e$mUs-jLS5+R-10;1~{0yKPa~QjdC|ki2#xg_mgsW+YspSkS5AQl&IjwgN`&(omESYI;1B-dZ-ivrCa+AL(uoW4E~r^yi^XB?KHLJhUj-TP^u0`?-Q#hT@G6c< zD#O3HO0KF+nS7eYFjvC_{d|_?hE_DeQsm84>V3%J=G2_4WIgv1L<|K}fe7IxL>-Rd zG!WF>>icjK%fw&OhsbN*7iyn?0LE7TBiGk8(UoJIOObcpH5%>k$Y*B#?!72D?OT2L zjS<%Kk;K`QVhO~F6+@wq?`=pryn~~K??ExuG!)>^VXWF)K*9m@9Z?Ypoj}8Ags{J6 zsB2x;+cqj}f#7Cqg+z+M^=yw8@0NI8Vxh9;_AFNdo(vt2Hg`gE5MgX$^F^#H(9%KD zb>+4Xm2itP-j1g-y>6UfdmazN6D-2n@TG(OX^a3aj2uecc#xwPK+G@Nd*Q;5aKSFp z^U_ZJ6L13qL zlMG7^c6&Hl!zS7&IOK1E)mwwX`>VD0$EG7>zp&#H5d_))c3}Nm@*cK?Kd2$D8nJa& zX{|msrKQr9hC`q;ImhK9B8!g!hB?U0b|jpjT=#J>yB_>Een-e$hY$W&VXi&KpE127 z{q-nn3*-N)G>xmOtegc@Ea+SM(;Z+A?O;IlUw~ARCy**+)CsJPUc1mo)9w61-@vq> zYE^JvUNs3FwYIub__XuYew`NvEmB9V&09pf>{z?VKlb4HMVhWBf))oPoX=a#^|-cn zG2iq1^KYtCA0icX&5b-6lo8@RDfEkOJPBR$ttW%?GQ8CxgYrCp>Kj#GqbZ);;tnmD zi!+ILdBv%)u^YUn#RlASw1#Vi{ zc-Fji#`UvZb}X?kj@h*~Kig;Qla<-#JfjdkW?0&)fG1~oR{5Te zSUkY~cHEl-_`%)3d^cfsT5w(W5Ap`pb(rfxavJBnGT{){*CzxZ}z{L+w;3ueFygX;oUw1Q-1zz@%sr6zCN@@T=V@0 zf!04l4)*i;^B~Gg^Wie`T%DvPdFlS~-T6LT(oaDdLRNRd&5Bg-fUM#opKfB=VS%^K zY&pS2H3bg}v7PNcD82io zvFrQwIKDVIblRTiH#LqMyFbY7)pp~9fobH(!jQ{fk9s#Vy(uBY;}+RPPrr%{8}j=< z=;J%+i<9{$XnOaX9}aTwsMHMh9Eg4=jx3Qcg%9!+G!zW+HZ&9ttGLuKWMs8_@X*n9 zO{{2M=_bd(o~n>(mwU%HnlgRL&h5HfJo(7Y%fqIfx|tnc*}t)BlG%4p4H-HAcQSO;BJMJ%7oTy5arwUtx-_&#eC&hHb0U7mqif0TuwYgE>7ip* zr|7t`^;zaLBo-xXGVc30y{L5Kks0E+O=T}$88l*4z9#?Bw9A{uhs?Y6Ufzxx^X9?( z*Sh?pineYzIbr1fYp2|&2Ba02J-uz|Cw_Y?c5ddUojOvSzyHXs%_+~fbP97fpEZ9n z`P_gPH|wxEZCLq>SI1?IKYH`&Pp70lJh8>^_=V^VQ(woSTc^D#42keRE&T&kz8tas zv*g=5b`4MYAmYV{>F1LE5i#S{yKLKxUwS1-RUZr7o70 z-x~4w-I@Q8X13OL`C#UN?n2P4o0}fro>C(^wX=5|U%!3!o#xQ>?Vbw&x{FCbA7nbdij+@SG%yqgOuPq92F5k9zMZuzgNrC3d zwBE64YCa&5J9JSqWpHr+B_sDo`WBxW8r3=>XuzJu4vW;sTcayk?p+!=;i$Y!n*EEs z{F|DX>&v4z4&7MWWoOLj6;|icpvX*0_%35ApTj!>LN;jCd9$WmkQlPq`s&x7cC>A^_ z25w&GqkC?w`QYxwe&+8!gqq?1twsHhb(lof>n|4Th{>w<3PojADS_8a@8s#F?Ud>T zQzlKB`uG$u>C07Y{(rUTe*gS3jC5=cTQBkXi^tk$N!H*?8f5$8X}Znxc|u04MY3f=Wk;RQ~yQc9rhQoF46(Z?*II>W6aC{ zxlH*i$jd_nkvx(IDcd}n2Xwa#6~IT3G3%rP=dTkG6RN@*;L`@wL_=_*n&m+vPk_rK zbQSsle{d=3tcG0>z8A?ud9WXp=MVepls6A3yfJ}@91p;IE)6_yZj@X>EW{ z20{OsuKg$rpt-0M4xuWXhN}}F9lxRDJm5^s-@MU&jsHag?#U>f_UH(2Pa{D+TW!<9aXi{J%9k6yh3;otjjW@DuOu~#oHOx3#=2r2{x2H^$Yi#WA2S`8Eu z6r1AOZ&Kb`_@B2U4{BjM;3aRz4$ud{oB@r(0Vof$T|n?3g9A9gSpj!*9?2=hCYNEy+L#@`shq0;NVYdMh98%|XS%UtNg z+0@``%AZpkN)T-U?ImB}_!A@ArT;p(pvTP1Lk`GBDRV#y24HZ&1kl5Bl@3LYf;yG0 zo1=#_&sUuFh$6bmf)XXY{S-n;lBlXIbxos_VH=lKWlLsfg)ePC0^_4l1hw>aDETFwnXwx})Ui@ig1E@JDUXXLh zaUfgKOl0?7=MwE(;gpj8P(vv?DM_Blbpsw8coCHskf}@vYv+~DMz#^_obMuJlf}YA zL>8IezN!7U2oMRKgk%GYNG?aN?Jj=^0zNL#B)uEbuFQme%St;6(q3QZ3LhuuQ$TPM zvpa7ReD_i1dVqZ~#@~W;WGTXTKsxdp1cUh=&XO%a3G!Eh-E${v68;mu(PR5IU(}rq zK;7&1alNaKpzb*(;$z79AOJaVwLH$|6lxr$TxwDRC|FDojG`XdGXGGy&j`bXw}fP5 zOMexFo|VC9vlF8=Z9&@?IJ2B|;Pgjmh_X zycA0vq}F953uJPbY3Q{s`eM;N5s}fX{A@d#z*AV?>iw(s zsTfbX+sEF;2T$O_pt|Nl#zv|P^^t!N#78vMRlDSS^>dwiB!3Gx{3|4XiN6vI=Z*`l zsD~pD+3XXr7#7q6Ce~u^LH%i47fUw&RnXsm0t9j&!e0Q$;t%|UV9-Mf^9e&Ey~3)` zgRICh$O_oJL75;`F+?#UTaYkZ9PGV?z9_$C`_R4;<4<7z{RC4$Y48#A?+4O9MZlu8 z78hQ^Hh*D)YuObu;9X8F6k=_Iginf|Gf&`CUC6pmGtPvpA!_+g@n!8cjWE@m7l^v! zFZe{BZRRXOtg;yuR2p`JkZ|QQXq_E_GVgsqycvzshX%NqUEK)^_h+{Tv@=cvCdLc< zhY3<)6B^-Bj@Wb)G}2vdLKYG9xI{%c4X!Ql0Xg8wo8jZ?%EIiGom}b* z$!N4SGsx8kv}5NXH(gBLKbb0U^svPCNAkbDF`$xTcj#Wfst z4MuyoCtSBsrB>(f)ucCea&|`c)p+#No$B5a3ole!ity|B8RsyRg>8L~{n5Gw{Zx)F zU>Zkr<#ZN?CTq8Zz;IkZ1HDs)7Ybth%Rv3pU3uIOCFq;EBqv^B8?G!u-r)G@_DJj% zV2+PRUcvUd-G-DPUjU*if-jH{RB5@giqp1!AggoQTuECFvjwSOe-Z(=pHvV_y0*^a zyzyf&wm9-fqx-TKv2wtmlawU4q7F>}gHGSvDkf6Pz*0-Y!iEMM7tjn2bcl5cmKc)k<#QVCCR zMX5T~G2hbjZLGZ#{v3(f=B#@U1dX5bWE%Z~#c}vsaU6gQl<}zUAh2%s;z2v<-PZdD z{-Ai{LL_W&`ib2y&OzdQc1{eoPYwrL)!o`Ppy*vi<#W47`g9*D-gsFH%FR zlYc|4J%NfUR2hiHCdZ)Gfl|Cu7|V@w0JT zkaIUkc9cKFlWTU16Zf`Sx(jPa)TQsiis2>9eSAK^q&;0)XYi4n5)$Ew1X=e(*rSKp zFdwgS%)RgnP@T<(YNq_a)&+}rNmhx?WcWxoYrJ_7X+ zIzvGK?%`aek%Nq@G`O>2W`Lzi4#o$C;^q;;bI!LhdXjrOzXn@>4#E3zH2-c$ff;hc z&k5m0YB|<10cZ&}2wki$H5pq7ZpD6X>+zK2Y5w3XDdRe&XJDJJ(}{$-t2=5pW-di? zyN>*01KQP64+@VvpTziptP%`DgYejuN9U;cPC(8g71up1M#l4=N|sZQz;=K-JepJ&euy9`Y^$n+QhDyWrA~&R4jm zKzR`N6IW&PIB)x)5C8DsR1fB=Ji(TUavo?~f3L1y1uso1{HL=@jR$SLD9`4jD z`?cz3EPEOVn#S{Ho}srh1Gu^P9w zw&-ttMdV$WDb`_!?Mow@uEOhn!|8;jGWx zSa}He;lgbJc0DgFFoMq()%2>;9gw2n!Cg@}>wuz6#9|YCAb_(h#jrGC?<#kOg8O18 z8>x{>G!748lGG9Ci&w*g*#)@W*(`ao=Vy9k9NV?D4d~RBTX6=Ow(Bjqw64WDT-+e% zsZ%uK#`@b3cqI<>#VjvE<`5i{U?y&;5KVYNOji&g%R}kBYnaHF&;z;5n`e;0x z;ol&Sgdy)y7$t?=c)CzT&rn~BHiyA1WojfU0snwq{^Nm|1pFhz+kzz5tGrewfQm4g z%OUHavwXfHz##Lk3$D5Pz%nhLByAz^wx)7G@xd#hWajC@k3qfpQggL|*(K4jS8r7= zsP4gZZd&2o5Z(c2K85H_00EOYz-H#wqGUEkOkFH9qR5FCbb z937Ri6tufDdUFk0pNn=siJtBSV>*of^e{5>Ep@x5>^+00MD?|H*yXYo%w#evN+)YZ z2MY(Gv2MihV*x_gi8nJ@r46WjebwY8hfw7sUjlE&)4yQuU10`E4!7ncO|L=3YQ`?SmCUVh4bCh4 zD7)-eJncHCkV{d{1Xa^_6aZ%EOWB76qVk^Ovf?#sJek1vK7KBf5vJDovK*M%8+Y&J9Uc|$=2@;P$Ekz zthnsF2KL-#^+?!jC@0loTsBnwJw*Qd!Szmf-<7xt**=~!D#JRcA1Y0`P5d;;%PMj0v= zA>~8l8mX81VfWrix0!F*#EPwm98hrqTtml>L{tr4&C1g+5!^O5r)&s%b3bCseuFjt zMz&YkRu23UtZPXHf($!8&~}UQ0-|0@Jj}{D z!upb)`c~0um1p!7?<2=#{iYpI6~mv=FPp3(dRH9Vp}uin6uG7}hlF9WZwLeSdypAc zmWhhVw$?h@^DfF;l`YM} ze9h;uV^tTTC&%L|!ou|tJ}lt;Y=8P|wir61=sfsKHySy`a>rucl;r%HPPRmP!f{0N zqg*n+Zn3(GYY?rs$ZN^7jtN|7x@W0>CrY(`>c?SP$6>jtgk10LYW>KnRFkrg;nkuj z*#*8whlthg?#ecDRjzq;0=oi@u~ifRD5{)94C?zS7FhuG^cH@C0_y;n8U?mO|Adr< zRMQOZc=;`Isz;0Wx;5%{9<4_Bxf%ZP0Cjn0sQdZzq^_OGl!8f;kV2 zmBi43*@TIhP*#aqzaMahjyy2`Y5c9Vgrla@n*(5!B1Uql)}vDIco!hCjbF@sg7V17p%{Yu3i7;8BssBbTPiT#xHges(|*0`=*9d% zH!XEyk-xfj)qYDKo=o-64)?O2 zU3hqOK5lDySnukWTQl`g6?GbLeOr<6eC7=42)rUj+%?6Y)sI0F;ugba-y^s z5xv+wemm}5n2wtEIDO%zeEKXC$y}!Txb^CE6yC>Iunw>l3Ts5F8x4%l4cXzx`L3Re zkY&|#K_?r`y(Y{g$sz9K>NQ*zMD4pi>{z{#OW`K?z^1f4G@YDM+EEjl0kE`=&&38{ z_^O)g{{UEIBqb*F@I80;v+>T8@+zp5FC~X25yBnW@E3=y$QT47yo0SgdDa)dyX|dqI;J5pC zU+4#r80v)>w3Vt6Zi!wcTKds)I?vgRhp~gzD5HNqp2Z$!dNJQ}v&_$sY`Q!XGBVr| z&7^kt*Ee$FIb|8byRqP0=$c_CvdUHb0^SHtyjIY#nAwgwB)!xCM6R>1-;gF@Je@tI zn!!rLCI)aceuNdsGG_XnZ}4=XI$Nksm*00T!85JddZ06b6^&^E;ZWyA$=d-dIInOT z5@(=}>yBMLC2^(9RI~9k~@h!Y7AfNWN|eu9`H6zEI%4&~y-|f?Hq2 zW90z0RVBgvtm!#uU=OG-qo(DIkeN+xUj7IpfE$JlH(g^=q~Fl;oh+|R&0M~dNcL!? zVdU~XM4DR*&htu#SlgyJ#}-Qb+CGQqRA5&MkvP)7U*2O2>4kSqq!jARJ_JqVBqw;*9vteHv&45z&Tou+;oo1(7OhPtrH%CETo0XA9v39C1f zY`F6a7F~3*|LM{hQNhc$-Fp8<>>@1T zfU<}1hP4-dG|M#Gsjh~wOz08~{ca*2M`l@unaxip%G*@|qY>7vNkT_jX+{7zz^Qx` zegSNZ?|=ybY>aLrUJF|N0ZUkdpEn4Ym-zuZqWMcO4xHEczlZ7B0Tdp{CIWR_wI2Rk zkE(T$>W#>}g9PM~6y~Np+Et(2a2^dV@maZ87_&|#h@-0B2FK|eNF0ktQf;Z5?C=X- zJPiGkc|lkm>wQN%=$ilDUUEbaZ)RDQ#xTExP40}Y#ql)G^oCf-A z3_8y5qMv5C?publ)0rpDPn$Tqr6b8Y@MgS`Y}LF)!L;}wPA2+EM@Y--CURq#X1-RJ zAUw6~G71A0(xOB>(BpF~Au|PX2=ivC6X+)b=fI)$XmIf`vZ^6jZK(T4QyR8~bn5SK>2Fyh*{U9!|H$<3y=Wf#&BR|ij z;D@|Z^w5bB1BtH+R1_A@gbJ<;a|Suyr|B;ZsAI{o(Z4E}wc^)!36*puvEm~wYHwW; zgRc^cTtCJTce$^nXSB4Dla6<;(-0j8rGN#;-`QN!zi6rdM?BU41HeSIVJC;;ahh)u zkd9GFS38saLs2-XV2HF@6EZ>{I(jTw7>dEEm08dw2er%zE)C`v!fRP%In1%Qif;g5 zngkSpZZiG2g8SMZ!O6;}$Xp-8C8IGumY{-iH5ud_c$|Bv4Puab;ExNPDAe&#H~gZI zpCH^M0r?;7>Iv#7(yv_H;PQ|Sz5Pd6p1Q$IQwzZrpya6Fq^_4yKTB~Yh%QvDq@zBU z>+kCQKub3Fs2WDhE@sBApO~jEE(&<u;MkCB2k-KmRN#9Lnhs)gxYmm5v+wEP9 zxKEhH&h*06cwe`Hv(hloGIE26z3$__eTYjZ_R)9R%blE0vhPoKVo-}hCA#3D0|BYK zPPwA-PX-IBZAe1n!{!rCG*}ArO}}tetRk#P00hLkI$ri2()qo3PRktnV2Z@3P1l*E zh+%Swq3JdjZDCTGg_?fFEFL&I=)Bf+8&B#G$=!hKO*ZrsN-tf8>Za2_8j#ubn2R1C z7qnUm(uCAFk3lMqcP(hef|bN}S|4bSKnHg%&7?me$&V~chAU&E%R7)s$|pE9BVusX zl~<7-7`@8-02AL$W2h(Q3q}RrLZJZ+C$+^EF}^4^RKupbZIT0(4`o~X&XBj#z=R8H zPPftl?50wHQ~pvPbdhQJRw-Ply6_iWl_FG-tz1H4UHL0z=SC`Rdm&YMLPHEz zR74D$|59I==c>vYRB=&Lms0f@-7y2LwbmMyz6R%8&32}h@>^Up1O%wqr`9>#I z=-8lYfS`t38Oj^l;79&cW(K&FHY+2cCx50QCfYYGN_@&s9IC~s(nVN$DYhZyA{LJp zrbSFg;;Uc^@4GNYJm7Uf|594Z6LkH}2MO*7lHIvN53pSmf94o9n(A zdV$_Y*|w2l>JiSF$Xu&%A!|?%F+<w-HT_4-6rV z3JEvZKGQ~4T|hz}_pW99W!in>D^(%6&l8l>X} z`4?E>g&BL`BkX#c4qO7~lDvo?cT8ZiERpfrfqBrr^@I=oj zv8?WWwkvr?J`T0%oha0hdHn8UunsT22qx}sg!-F7>4PrZj2N5uU#9}aSo|J}MAcw% z3n&P4kW~|IaW}wMvJGw`27^LF z#pbw?MAsO7mfG-S-*AmMzi#!aZ2RZ#-^JgUG&JT`1Gr#|L!leDNJSc{k4}7&vmaQ1 zdu>?&sGedLm*EQ&b+gFYQm9!MxenY1(hwx>_CaqNd+Qi0R$NB6USiX^FYImIpDRbAcWvALJ=hMH7v5;=AA$~z zz9M+73ZwN`F`RXafxN7Is`b7U#mMSmtA8L2#!tp5cOc7`OL!ftc;DB$l6m2nm0StE z@KE&$t-nqE!^#^lQIA&on56M3;%AUq{$6YutQ!P7gLW|=1(Se{O0C7=?MjADcFC`} z4pU+ZKw2va{>3LXkTvw@Y1aIFR%~i!%iZJ6uNdeeu<9fvYjH@ zSHCDU+q#De%~7MY_+`dQbuK!jgtT0l`BfJq*Stk$;|rig?J(l=1rF(PT{xdl1O&3M zN8Qbm!^3%C2;YZBt8&IFow_XG_{1WOL0}WFPuqxSBWV5(TZ%J!720xq zeDfaSFs}AIDvhA59n;Bg`L@BY@Q*}W-!?1^C!w`}7^R#x-|6p*u{u(M+;P{ePOyMm z29S8)aFX1}SJa>2fpEL_My4kcUE3A#GoYtdM zzt_+k2fY0>q@TH<*tAuxxE11?(zOJKoeLyq0k)k?eepV;hl?U~TqanUw|<$(cXqVu z8d#|5`x4ew4Y&5=gawrPuHIGbvjS&tW%FD{2@tw{BB-qsVjB>YS21dN|G-rsPi=XR z<@PNlrz^Eu$0Q2sWsWiwg-3#7ybraUWv$-PQA+=z!kswB5s!L44S6yj;}+Xrw@uZn zm00Wxjr$=aR{0mnVdidVc4ZlHgMpY$STOk}p35SdibLQTSyD{F_<|YqXCVn6xA7 z)glz$itXUYxYfCvY=K4!BhfZ=A(d>)?U1y%x}NLE+g%^VRZr*a+!@GISs`nAy97J! zNIQR9>561up#w?XkoZzVJYMZ@%N-%|rG%)^T-S7Wu!U#~>4VkbI{&KYX_Z39tY@jF z?9flnNB!%Tr#4Lnyu4+2C*vs@$qZF)MY+zz2~Wf_>8qY2UJM^+%D6U6rc#dTo@=;< zo}f+?-$k;Ad={ULq}lZ)Sd&S*1jYS^ECIdI2!e`zQN#p*HLc5 zFEPB+TVP^#@HTFqwTqtoF?5o5+0I&^>kOU7ERbI1EngZsLpZq!#V+JOkFOIhc0#ce zH5AAdM5c@J$UV-E^7IjZN6!}g&Q)?py$j;3=g6>QQkctUKbHp*?WHC0k)d}G1k7i< z-zlmB?16=quh4l$LF*6Q6n{U>;lV`Lm4D%ZODk;Fr; z)(I9vHv5WV!0ZsITY^jzMXU`_Lgg63?i-pZM&UQ;w^|MGqtI5I7U-!BZ2)A!liJV} zD(O1yd_D9$=2yMqJ&ZyykCHMle$(TkHHr9Duxd$J*w%-nTC>-|k4CPDsEAO@Dkytk zyT(>dQX=;m5T3|Yf!0VF1A}O27v*xCbsSh}>tj>}0+n3q-=bWe4g9UK`Oby@8fE|` zj$X?4vpuB`zmDD;{kkAnlv@~=fVMhPCsx3OVo!n?S=UaD@~@ZH#M7_pUD4TMy9-rH zBNDS&D>w-JO!`-Wt!5GOKMrfRk0Spf$J-Pd<$8Hea3&o1oCwx~3*}Z6905jyZPG_5 zI5@HjzXJu^g6ZHg3QiZ_hDr7*_c_~v4y!hbAELbwnCoaxExbWA{Z`*7UJlRZ)yi9z zfWER8%(i#>(Rn1>({CN*LV*StOR(gBxo|In-q4Q$k{mahAEN_(!AptBvUZQLW*W(J z{`pJ_chf_%XZ3qM;7^=Q2)L69pAJI2E_Smti*kJ-H$HFq=AdA~1~NHnNV- zQeMIGnh1B>eD+3g0Sv$VTQI*63;p}C#9hH}*OgTsQ5NgaxAp*JGG>ouWn z@Cyc{&_{s%c|n4Vs*yLc8Ma&l*+$;9s+_*1M`K(rtNK2cJdC^zjIc`g75qHtpwkN(Fl!^TB@tMB(kMDnF@y z8veN8G4+IqhLj9-Nz`aDw88a>M>?j1*v#!Vr!iCtimF%r5hEeY6e#$*%#RUjbQPEHH-C3AN-V)t+LA@K_~ky%Ho;v4KiDNiH5#&J@8tbCj;1Bboug@;nO z+kn?y!klBWJ+F!a+LXKjW8Qu!2-gvKn7Qx78fZNhE?gJBwy zFA|nQa8_6!ljiqh#K*}@uZqj{te_-f`+GpMt#H`(qLK9hB-mtJ-ib{0 z*p#!#{D3*s0b2)Q0GnBr-x7-+zq%Xm^q=!Z=|UbLXM0#O#D&_^6XJQB>zvKsiFpEd zS+|@lDqMs7pQC)Mn;E+?TDY2e_H=CY8}5`I(equ$ahA24&~BC|1;>g9?XFD=3DNd>LxXY|49Dk<|5S?d7jk&k1U z-9lar)4D8-i4}|uuOv6^=!OFU#FWl?A5{Qz*-@d3f$0Ir%rIx@3qVJ9Na?#}T1+NZ zrl_B3gd4HpL*@)q!8~pgvl*O))wW2NcVB=|D*ZWaKFX@HpcnK=o5b+;=s@NLvc-9CHu(tOLSCR@5*)Bu7{D+!iE zFGh(w@iac7MW57@PG-Jm2K@vrbtt`@Z&@O^HaM7>0N=!K6$*^(lXw;eP!Mmk-Y>yw zZCjH#6Z2+8KPHU8;mHa9$IZ7{!M1_4yw5nVh#Og(D=X&89Wo6V0+^5RaOra_93Z6> zqz>1BpBq@d)Emgwon%wX_9F8^Qa&%P;rByJIOmWo{(fa&paC-SYYCZsq~Kw3sp~7V z<3ft#W+K4uAeZYpg`eaDX4z1l8iGJ!_J_z&Scs=MIv4~tM$JH>-h_o7W3+xtyJk2; zRbY_81K1UzK4hA2f+5rgT7{nQ_mZDrZNec=-T=mUP#}MX=}QhUX~7* z<4X{0O`E4$*za(^u+IIx?K27j=jFMCWnD4u&z6WYnI}mnTS}!@>_Wa@bzVuwY^FEH z;6$m$%&er6WVYsrv=~vMZy{dwYuJV6x?Z3iOssTNv%Q|Z!K~pk@g^_0x`ugM`8VDY zg!h1jD5LOOjXlIp3T+0W#t>J{Iz!jVQPL>{)Hb0HsZ8IC*jeHK3~%$nT(TMM^H2`2 z1@Ft_1bG!X&m)n$)GZ7@M18 z>x^JH@6CJz15JfcpP?QggyEwBnmcghJMstako6^Qemg#W`)A|}b?LyPIaledg~f&4 zRH{SLlgyEy)Sd<;Sns;6B_!C7@LDQCc*Dpora0wW9i9*Vo1LS@DXxwNX|UG2lSZm- zOpNW=L@usn0}QpmM;AtXwQ?8xe*`PkdgTAUOlMGLc^tz%Qg*cPxzWk-iR?=}AW*X- z)E7~;8x+hV$UI07L(hd6Z+bGfrlpJRLX7$@7Pkr4V!WWNZU@HzJFbtGdp%R_^CEC3rP=~0Sv$1U zYa;0fT1ibwVMq9DC7Qgxr2gx=mmBBcz#7 z?VraM9k%ZDF#`k}ux&85tT--?{$9_N!g!^`#|f88Ce``RtSYXd$ho$-0Q7iq!d%a~ za@(vaj)rX43mqUxX#2urJ|te?*GdIgnMV{)_XcYZi0VKrjEHoR@7>vHgNg53Xi*eo z*O(^1I!xmq&RD@X;2#mr3iWc1mcJ?sYTV~bo?$Y};x)>Tai!m2>a|K$z0fw4&r~ZG zOjJ3giq|k9vTdo6RZulqK0Y{2mb{;#J5{TK=1(lmx83ivZg#Rw(pQ|q$~IK-I-!_omek;>yga!ptasQML?(2L#B*lbj|7?thR%FGG)PeBC*t~sLjhQ=|Xpzl>I z3}YKfdJpUVX>>h_o%j4D^@sE}ZHe$tWCm=Tz_n zexAzNB|6Uls6^6LH<=`_ff>z7qr3R?`Iy(Y_R{jaMcB=sg z3c)DGUj&R(>wY6StMtw2aJsz*(-vPB+QyN2p(0pfQNF{W&M>o5pP@osS(^t-hv@QN zuoj~M79zQkZC#)RtB2S`e-PuB#WoJJDU=Nc-XXqi*?lD}Bgg(Q}17s_ea{~ zf0y6A#Qg!Z{*Scf!JGa#{zqore@6blkN-2to`0YCdy3`kza5XD{QmVVvi$Ee|NIt6 zU)BFdux%t`{tCnWN5bSt-u!jy9-#2QU*-P$x&QGp70z{#{}$c*=Xd>8C;nZQk?IZs z#{UZ||G%*E|Adv_f2{FuSQ2D-)Tka~Yioy&yC3O)?q-zb#!uL>dv{~Be>=!Od)oieYyH34LH<`@1q*BK#%k`t&&Q-kLnk_<`oZzTGiA^o;M6~Lhv+}f zCH%Pqm&c_4f%<{Z#3IMCGkF`WWQfv-RwSUb`y?(EW8Sm(*J`@oA^mzPZ(@KwSWDA~D%2jE#bvQjz<>(o5r zS>P#zyX73BDv}2|*$R>1tB<@SuPjZYS8`=yAdocb;p2%dz#^bibNzt1;_0jNc-(#< z7f|x@i21k;ILSkX%f)`Ilk=Q@JeTXFlhul^wU8G%a8#e0=LTqzI&e?y7|cdMd7IbgCTe=^FrFm9K7T=RE{z$Rq9o z&zLSp=_~6ZUv~vK*A63HzFgc2>t)qb_JFSMCdiZQ;yP@U)qJ=AX&?OW@obrc=cDQi zDNqyg?ESDs+5lJORm_Ah&B?FWtAShW<8T*lfJs*Kl-ScNcuV1BtXGtr(r4iLo{CQZ zzN3QB>E&Ec@I&9vaJN!(1Fw_5h|~$^7@W;-&}HXW=R^5eAi+7+P1vG9MaY*u_yx#e zU9N2JgZruAWUM0~Z`@^9;H&fUN*BWC$ib7oagj$>tc*573O$A6pdPq`?QoF$QZIWv zW$iS2cYb~;yv?1rCCLZB`R?MbkYR4m^5?laD6gF2r=p=UR43s+T$@OnsDO$fXIC%5 zuLI(OPRT9prqy}m;+YzxmQjGuaU~zml`2s~kw{1Ck6iIMT(49p@QrzSW#v#y++`nO zs2OVgQRz{@?=Z*ceUCtDb4mknGQapI66H8|i|sw5Aro`Au#l@`ppLl})!z-67o;mY z0RUN-oei#1kb~7(zP+#F#7!ho1T;y~gl zJf4NkWHGfeB>-86)s$#TGVvzClx#{di6u68P%2!Q24V+sfV2il2XTV9K-z$0fMkM5 zAXy;UATo#ok^__!JxTfeZ;4UEz8QlRz>Q`ioAdN*fsIt#v_V7Oep#D6W zpvU*Gx(B`WpGVvqVb&4&FHki}4)cc6(V z1+RpPTuz{kI}F|6cn^>caC79kY`DZQ1a|bu@#3{eX8nbfH99=8)BWsPp|vd5I%Zvk z?ArYuT$7;x&*Vk$!v6Cp`mfow7_$Sr0evWfk-Q6lUP6AE$Y>ojEIl+hJu-mAf@mmx zyFZ`#XXZd2t|ZvSy1zC11ik5xocm`U{^wD+>eQ)I4s4MskHrM|uM=Fs%EqCvfoEo#&St{~EMOPb!?@ND8)469dQ-lvFiYO-ZNs+ghqD)$1AtHz|y68A3 zN4$xT^|09@9}`L4JlNn%&_fR)$Lb&dUfM)yVR-QP`^9}C+VW_WW5Eq5?nkcQEAIcy z$w+bk=h6RO+&$P1-B`oD(oVl$+R!?5(B!yF z1i-s1&_gXEk|M83xc3BCK2Fg@fADP4lC-9@qA^KYfc#A-qp%I>h;Dcw9)N9F2R9)y zKNo8G;`m5afeHdG^3%KjETgjeQPua$=pDlHlg@GC4wTV1Kiw;%|ICj_8U5$c|6WF~ zpC{Or?*Z=GAKLepZ!`}cfeek9?IHkFgNKL5Ro{oOjW9Y%DFhc^`%nt--hlQB@E=?U zxauAst?23y^zX#YRr9^0`xQ;-px`U;;5EDn0FtM<%m2uz5 zbl)I_tL|gH@h0+JHksPRn(%{EScyk~$`(%zQ>J5xm?Ya8BXovD5gsM>R2yMX#7hFb zFiI%s72(kGWEvxUTpWELL5+(|x<@<-&};UE_^`qt>Hw2M?Uy~oP=?CX1AA>7_8Kgw z(NrUK7u6P#_(|etfLfz&86it11>IDs3d}DoA>)I@PB5O2!33<#Cg2Ki>4kh}juV%e zZN5vGQ0xUj+Kye)P)ud$iiUEpQCWB_8Uxb_GE-NMD!(SpOER7u8%*5qlv3^{YxH?0L(%7V183U2Le4d~MIOO(c$%&npv zUCrPU$=RDM)3w&_sst}Y=_6gU@lfUR5B80KL{aTo^F8D--!cLRrE(PE0V8FCgL6eY zh>naI+-Qa~arkS9C?=l==hbQ}AICkW)+5tB6lL;Bg3FY`i}^%iO2d-o4+#na4P43{ z;u4E9%Fp3)J_)#>dZ9^xM%kHY#dNQEh5EQ+4Z?-sHTnQHagzr;gQzKlQ=Dp7u+-=y z`nZ?yQ_w$cCYKE6N~8OT%>yozUyx2NuhGmHBq2w&rnAI!oAe zs+vmN{^FqmqU=CdsuwUP7qPLUV}Mmz9Ko8XD%2YmT~P*6Ai;Ww4|TeQr5g0mO;0#MY}FF_?;KWiRY=4OusGPvJ?)%yd*R2`f{=dLp%EcDY1`_6}3!k zi6ovQdL^VhSX~Qi0_IM7X4&P7{vpLl2of!Ag)obvq0B)%uc#Vm-N&p;IccCgZjw|X zsD=D^j0(L2uxfZ~7A+Wsh*Y4K!Lyw?=xo6qh|!u=6kXEn{3s!%-v7@6(Y&79q)#L2L@yp_{vIfArqc)yC3&`OwA-3{#h-1Pw*T*p&H|SwR z4Pkp;+D}eoAgD=p;1dMFc`HuP_=hW_*}+0jJ!dALD?F>gZ{V4_n(-^Tpt6qOwxYE^ zOU|lETXb+yw&isLx1YR)AEv+6leD`lF^1p@ffk|-SH#$K()=Uu6N?mDH^1$=P+VU!rAU><2`7+Q@eL|3h`i`}u=&nY6gf=z_ z;SBdhdaJ=2CdK@qe|rNzfS3pY+u%9W5jZOzBs)N@%ms#$?*Y$BJnUMhztEaksXK%% zO~&khvy=fnT*;n$kX-XqO9gZf;Dag{j7$1kIYg93AvuitPE=q^ukn(k8 zd}TYnCjr#X&iH1TjN>G3H#vw*;ofDxwP*R?C03{{$exFjNM9+?*(KXs__5$VVsF0) zSg4Ch=P3T}{U$Sv>a6ionY8eRpDEHc?1 z_9!^%$R|9tEvrJMugN%9o; zboo?1&iezxqs)9fmmnTR@kd_qXOMNmLBr`XCN?;nr5hJ=vE~>O1uTl$I?!l)(8%?L zs!Bb;#y6hiVzEk&1AdNb7(#}bN@48GAf8uPEqoLcRse()didwa0{WasL!+| zmViNeK8iB8_=(xjgN%^AA*eUZ4Xmrbk$#mzS9b06zvSAiZ?sN|ZyrMrj1OI5R!a4WY=yy1=v0;V1U~~)0v-r-@D^&O>vt1jChhDL z_w?KMGk7Z;Gj^F;F@i*wmmp9?ubuC!s zV~H8O2?y=jd^}mc>NA{XH5=HW*04eN)<6!0uCf|N#~yqv9mT*-G3rU@Cc-$G;hmLu zsH6Ks=_gFCLQk)ID>J|5`-V@1YDzJq?MV%js8oOuu%XOlOltVj$(!-_IVZV{JG9S= z4$uHoKpOE1=T02v;=x}&o?FAk^Xn;=YhJ#QvU1IE728a3%H}ApJ5?B*LLWC!CQd9Y zKx`i>gJ`EbL=(BzEJNn33rX0-?-!;dL&mw(sQ`*qY&qs0le%BvEKi> zZz9kC6#pz6ZzgztdI62X7FAEork@a`4hT&O+(!Jgpu!v_Mi4KT#$a-HU=EV9k#hiX zljz2868E0|RV=qnh{3tw&&mngD7=L$f`C#ZC=olY?l@P4!RfA<$+s#Wf4MFoAinn% zwt6D{vr*}R0Op!mv_HI-h=W*7Aei$Ch%SbRM84jakBCM*qWm^zw*Q8wka4pL5v*fQv(d5Z1frHH0T6=WsD2hv zwyFZRsrFxv3xCFc<>Xi|8O!$O<`NykIxdbnb$n>aLp%?ZVLgfV#WN5uvlqEv{2MPH zVmI(f{44kx5hga$r%dcLUM?Pp)KrYy*Z6pqOXXg}!!WoABR&VvUie)^XTZB2NpvaR zgLKlzuEQz5K6=%zzj8>I5~3eVl+H#sry=Q!?{KzcMb@j7^mYmnM?P*_qsMvnKEfb9 zX2>+gOb)T^r7B*Pn&=|md$w~rq$O&pxL>aY7g_z{PGEFQB>Mrykhft4$ofudn zvhXd4tif@adS4!l)NH;eNN1n`bW#VaMPIenCQ#Qe_-Ae(&O6kvp))~vFC~XZNXw%5 zR#n%zK`qaXXn=lypFnoS<~y<6JWgP{6Lq4Ne-KZG`raN90=-BNoq#xz?8UGR55c&e z`BF;>VIR5@5y|W-z${s5){|^|Vy{KfOREr|kd*=P%1sz`i^IsiIC!C<8OVaBk=4X> zWdM>#5}`~2d(C~!*CPkqp0rztbP##5xhI1Y;gRaj( z&C}p{+-3+QvnK`yMKylevSGgHN;XmNxqDM4VJv9^=SYP1QDLa$j_>KlkXi3^<(RA6 zqmFWUIN;e#_IG9lgZ}mAna=XOg4X7ZdX_7EPy>J-6~hoYZjv2HA{!`cISJr5tnF=v zieqQuO=1>5lS;+bqDACT>$iF!#A%PW0p%)rxApQ-WJo7Xay%i9UN3xZ+9F)kwj3;2 zb+vo*+gqF{!_qcZ+J-4Vpmp|xhHV)hYpj52mM{}Q9dCJv9B#(dX60X+@N`sdId38) z^4pUxY9kaY@l^0K_6C=b+1x;;33}mFCXVoVzt$)|md_=7Gw+yh$5(TfQ*EH<>r9uq zz;5}7SBiFRYRx`X=O{WS_Jtv&FCy=t4c4zR{4LT#ZBw9VAww$;qB=e^-+RS?lbq&8 zZFsWnx^=gL8t0=I3+@(G$-^?;Oe}ehjU{eCy$mvKg3*=k<|R~#?4@kB?s4Q~n6OBo z^-g6?&PlNU2x}r1aWuWz2oOA9NKas3273_*<1$)RB~x?hcmt?)s4$59IlJGZi!M}=L$*Ra%!_~ZzVD1GP^yGz^| z035B1`YB>HsF{s($h~YUehNVN>dI;@Q|aYX3kx;8mn}WwDO#okG{rs~ENOH*064#O zpf_Tz;(@y+sOUES z?s^&##P6XoY+Usa%RZ{%E9j5y07p$Pisk2V4+3QB{Pyg^;=$2Q3Vm|tmGC-qF6nx! z74Bo}xT4O9keDj5&iUZ5msY|FCfuz?VrZRhu~{7mBS zEyt+xrNmLBvtA=30Ms=}mMGGCLSL;VjppC0k(lFOihGuirGik& zc*+FPI=#Tc=HYw6l&LLFrWcarSW*c3XnPD^EF>711+G0XqC-q&-BpyoYkb32erjDu zrvdXyXM$pivh10Z`Q*X|Kg9$$!=$LF5olD;6plsiG>8HNZGR66zXz~Lys`)VspxZu zV2^!KVL|z4TXC-yE=25WL}JM?aWCg)yU3d@SJHwzAgGb;%F6y<{Oy28Y9qi|(008< zXok*2;x48b8w-a6Kpv5N`eW3}`l7{OWz!qYyLjg!oIpKBGUndKs-eNV{)lGG2Z=;b zaAD;B3Nz;U%h*1S&yDPZl7yYr0J$=uY$FN)%J4|?d;rqiUrGj~H&Czgiq{~x+cyGn zIb2OuF9@CY91s@(g6$BcQp591Z_dY>o7}igsn>AJiGJnXST85yh2X+z zor3L+JF%Q7vSlz$ejS_0g-Qvcjxt>wfaw}yme))<-km5=uAq{)FiX^P#{e)wFMW<& z|A)PI4{PFT+eg<5S&#*p2@{yW1ST+n1QN|iB8dXjD+FXi@QuN)?q> ztf*M6wG~_1YO5Blwzjnu4^>-jwXJ=%tyNoXYmXj#w%t!W^zi-OeeG-ivH#kiUb#Xh zla-m3b$CwqeeW{ld=kuF?qL|CVnj}JbT`N9jS%Z_q@(5~T&%XI%37$QKI5yZrt>go z^T2e?&_;9GZ^CrNEEA>QYruuTGDC_`rS(3pdIqFKI<6~o5{#-@oW^!te+)>Z88u_Ex-s&&DIxDrpijMb_ z9}MEh*Nzpmb%$Av*f1>Tm!JumsB`J%=DiBxSdJSBdo4=QB`-zX0lb=wHFU5IVN(Ch zvD{e5JPHf3%-ys;Oy{|fb%7!4VWmA@T$I}l9r^(6)qfspO<>lw3lDVuDkj|g&5{5c z*g8&#HcnxDBU}Jh8-{eHF{68eJ7Ih#(y+}8N*5!z0{MHCXF&Pw?o{M6u*(wwiqc-Z1~c798$IQ$a#`HR5S$Z`|@}+;4kZOhVW3Ko?0^BGYKlWO5xbTnoh}6 zmB)K-c!b@~=r4rANY}og6S*3vsNJd;wau#x#~4}d<&;j2=w2=T;11a-w6gaaY7UiZRT($Wc@Vyrp ze-S|7xM)7&UX~jW_0o)j_yDP4oHIdqosSh}2_or(pUt=8y?msz2e>WS++fprPq53$ z;*pkjwB1ZN4To|kmE*Cw+GF{mc!VcG|GmnwoZ}hoQwbc)zCg|KQOtf$BzrlA83&y; zrg)+@g2Esi3Omp+*nvu6;FrPjINVSZN(ZQNpdc`v(l>8i^km+8`*Im?=0`{{6>_tK z$aHC}b#xBNM#rr#i8*R03Dvzpp_!xh1pSv2hM`_mGj^ z-#~!+Ia-+WvC`B5SW$llC=+||K(d3T(_iW1fZ?4S#_prH)*9c?uy$6Ap0&mQ5v;GP zz@+p)p?f7l`*kRnEJQ(#1FWZ2h)?H5TxB?r0$pF3iO29fTd$(?`Ge5mi%2X$^n_R` z%;Yx&hY2wNi`D~Qc8$Xcs>(%9Ts8$kcxVc$mKXEfOWqhf1w`1`GoOK!vZDo>#v6n~ zd|xsZ!e)Yr`?|D97(T&+43F|kx!HP{^-YikRppYLgBtd86}u)>{zU0{m63H*1*;;O ziMADYrh1atq-gG=reCG5O1V)!BQnXC)!MzG!l#{+r~rAKF5fjVI`ot?(Y-~6xHW`X|QtV+KtK8U*#_*8|yu6yPK*qJpLktT3WvfV=v zZPZVR!@cBz$nt0)koP9Sk)#0iHizV3FC7MMb3R!H{_Z*Qp{T=ymGY2sDSx$?K=W&> zh`sa=_KPry_dHzrqfU;bxyr@J@ghrmaz58kRQ)qQ41XxFj98au8oD>en};9Neh{Cz z8dikh?8{%;Z`dP9K-RC#RXz?yG~(3XZP zEv>pKDzGn$wCh8Shgh-}$Qp))l2iPl#_ocK$ozA(3%3V~$rs%Xf{~;3?{+#x4L42q zl2q+b@p= z40ZMJEGUd$qbgXBj9+Sbkxh!U&Zoi{S_W2)KU|*Eg^3i7GMuoV;lx)NE$%12jCDds z!Cb_501-;L57c(^S%sQyr&uk;&Uu5vq2y_N$)OQgZ1Y%huRaDbx+m0h_#=L~w(=o6sk)o-~8V4(>ALpgw>5u5ZW;pL+AR zWN`69cQW$4Pu78HMFS!C%tnx1zJh5Aqa``HW59zX?wnR6T*Eavy{sffDgV4xWSxxh zPpwwNG#te`&llPWI*v1EsvSVhA7yYb%?*L9gJ|Yc*$|eWVpM7zIs}vpI7as^M@u<_ zkjn#)xpj@1h*@u8DbbYWQCjYIe5%fMBH>HCLiz+;JBWSaA6ljo24od-J8|2zyuJvR z^L;U6Je=(~fSlk*G0m`t1oJ*#E3}$sJBA=;0(Ci9%=L1=i2#2p(TuhuyjI^H=kAH} z%ehx8@=$e^v^6&y$sSzx8?fqNZk1AgT{dZiIgYXrrp-4+`h*{&`-S!M(p;Q;VN9pm zK2V=b{aKQ_VOk*OQjIlq{P9^ZIrX~Z9KbDhk=Rpf@UsvI>xHQPLR2TnsLXm6U?9Xw z2g>Rwsuo4^1G9t?Z_UC!&oJp2q^svc>IEj_87@PRp#EoiPlOHZG@6x(-Aj>Ei&N@9 zqPvyyZtLM5w7;QCnE$M~ZFEQqHXwjk8rMTW4RRZ85DxrZ2qy!012YHAc}F>7nr{Ba)W86%fX5))%9~G; zC`)TorM@360d~$%QW_Xe526QZ9|AUl@^~HS3&&|oBg)@yT_70zuR-v@Ch@8D{n;n7 za5R?zj5FF%dYaG2T}T!lAV%<-@G8eMO7RJZL!a~CAZ+Um;v)c2#ox59B{?uCyU%*w zb-7f?F>DRv%lW-h6&}TNQXG3En=j_|WO~yIJVPn7w#99$#Mow|sW*<{r-9{u{CC01 z%z$5v+SDXOd&G}XRYJIT1Z zP9_67D-#}B+OAId(=aBvt$QG^seRCl#`&)qS8>b^D<7jPla-+D^|FxQ+3n6$dbX1d zmPJi{$!k`74BUAaJCL!_?p%b$mJ{p(>G^fo{5r!v7JfX%HjiP+kUftR%gLUd^MshA z8@X5}m(y(C%(2ZrxUjLTKLJ+M^xR3o=F@6YMt)|V#7pRp3`c8BPpBa`(UpYDMTi^% zYQLr6{+MJqeW+EVp(XWDla@jb(#2YRIJ;Ae=jno3oT1}JiiKpJzGh4gjHhsYE~9;p zZkW02Wg-|qSNU&pT3pjq!D&rD0QYHUY-=5tlz*BZkS7O|E>;WWA9lAAoJ^-+0T5rX z5I+r%c823Oa^boyD*Oc2o=V2gNOkTyBtA`-yI#elz}wgK0%Qt@pVV20hw;5T`{G3R zNQ9#sOms0BxOs=k2%LS@AQUv1YoN^Kv5f;{pws9j_pa(_wrF%)a?|ZJT%Qxl)VGdZ zm)^RjX*9`(YDS#cutIkz%GlY1crU%|*r${Z0Tn55AKi#5x<8Qi@N5Q(b59PLSU;B@ z#m>fuf%e&aA+vgUL#6u|2@5H8R@9P7VemH7Hg1nP$gYtWl67TEePdcc5>o4WjF%+N0aptj<47u)ceUw(XzR={ydU>e%B%Dv)$ByIrwlLlHE`PIKRgS#i0W$aLhC}g zg!0`a;>-+P_pU-#J25xF;x{P|7*hi|Wn-%OkFmFrI~VOSdh|hy0(uuEs(v>(PHm0p_|+bRaV!8 z@C%t2NDqGy#2}=$hPPT)K+=slku?bMEz%+wTmXr7mYBXIu{fFcgEP-_&F$rFNfv$1 zSOiAMIY_}cija|nIeKD7N7^6sAa-n&8r-W^!>duogCh2|Kjo#aXk?n|i3hW+rYPqV z73pRx0)}uHpN1BM?r|M~RRLgx~}$ef$}2$eW01qH`G4WJy}f#yu6( z3>JY6GvAO$ou`UYkuVtBv>jm`!^n%^3^u5s%Q=-fU)%gNXD~b&s$XDcR(A}cdC={7 zu;9VN@+bT~4E`R*`c>oyx4vlBxvVNM)5-S7JxF|zKFjBbdhRK5Z~`zK;qkg{_Yjg?jXmn_cNydV4XE&JAn>)a&dk>}~xVeLo zW3w7enh?FXzV$ksDD(qa`ca@Q$B*Q7xQBQ&^J7meJCnChlDB0Nm%YNeD+3QjtF6Ud zw1-v3@1yh?>Z`ez66Dn)8>P4YM(Tv^EbOMt;zDvx~!+*;QX4BGHoSv!snY$iG2gje?aFnz6i~jdkX|C6W_L zc}woCpqsmoKesMddqh>afRqs!hxbQSxi8Ui>b2;j7pC1Wz9 zd>~CiV_WiBn^*sIMD<8c>*)%aGO}Q~6>GC}SxYf}fqOk`4Wg;6!I{??&dkCFd5MCF z0!Dnep7C^w_?y(D%!z1M?s3xFosKNw{#?djtWKbMU0ZU!heV+u+jw?s9PqS~rMZnF zezLNFJ(Dcv<7uWj4Ku`ivJ*%Rl5u#Yp0j9&F-1w(eG!pXPh`MG z8)2PSMd7Sb+gqxNLno)!ceh#@VQ@)2%F9AUtwE-@NMp^*wtPOqT*Ck|r{Dz8<$>m# zc6>ivhy_V+Sfhc8uu-5x3LB~2{|Wsv;OBps)q$Z#=1HMk+=~|I?~lZ5Z&k5BF|-ng z0_7~WQ2pio;td+(ScHCgne_91<>>51yp@q>=8K!9rJmZ&iw@;euir)tbw4>~BB3|r zeEZ<;ly$#|z!e^v8;9_2H>hW3(gM6u7*TKyib{%SIJTjj!62Rqv4g56WD4b$62?=8 zCbM=m>5m&olsIAf$B4*~OA?yN&+g@j`G_nAPF*}+$Rlj}<9M7>KB)gA+VyTYnqr+h z2|S9|k#;O+^RiE9g~3c$?lm;a(AfhN2z89azfqKhYyq%v8cQ$1C&skgPep2hh#U(g0V|mp$1t@Jxwn|%rS)`P(HLYja%7og$hi-J zU_x)i72@V}Bd-%?^LzPNaR?FfCt04~`@ZBUoJ1J@1t^q_;fLt1hT)|}^Hh6+u$#Wi zSGXQd0aP>H1X}^PaMlvD&0c&jHLZ zUFDcAkV|jjDzF`bz$D2#5yueLI4F{Hf^j*BSV#|9ikx6axQ4<;A*6LepxjS7~rXz%kAwcM$oJ1x&< z>RhiisV*dtDE%gt?=`4E*a+JTc?!H?a)z1u-W?+5WuZDvrCfplmDH62)1e^*4 zl7oQwiKTkS0?bFGKLGno6^(R`1zA1uKSXaE+r9wCgoTrvlw`QOL@8Gz-Z7;L0SjBp z5?idXETUmOjui6>=Aq5UJK9_tRY3}J%thXQ-@PU6cBpY-4sOd);w%u=e5U3*AUaek zxNz{D`A{hWGiL z##`(=Hl2;a_2dU?1ozXJoN~l|#>rce?j35%gyJ`+Qhw6>VKi~-KcOV$m!rO-t4G)a zVa!^{_BUgouz@#w_ zNGC!a>UHk^#x5M={tDs8g)f<6t}7|#nad`_Y!xYnP)8aV)m^Oivc_KCax>)8>>+_Q#^E8Kh0cW^P!MmREzk%0FUwJ2Qo)3F#vtiSO zLo0Mp^YJIdjfC7m2+C%Q5Otx_?{=FkrOm06mLOq#x_GO5)%-bGn{ z2iFTCOD|A~ep6M9EOt+LX^=KKl=`5W(Vd4*)#olifR0HdD~ShpX7WbA#$X7gYrKyF z!F|qECSiscZ65)Vjz$qw5-Tr?iD$lYjY65yC=;n++H?X zA-+tG*v5(D#JxXmwh|N_LU6PcXTv7ai;O4H+&e&MmIyuko`rFIg2jD&3b~Fa z@>+jC{c(p2YK#`>%o^TCdQ}f=@;gAju9;7~0mcm{8SR5>`}+JhRU{FApi4jtAp!cmZ9#szhOr&u5B5 zbC~d<{_Vjawwq%cP?0zQj8m&eS{nRaNh&jhY{Xh7UMR+HtdSy=^1Ie) z?#@%@^QpQcVTKc_+RI^(NIfDz6q2z{VYDm595FgNNK9Y`8+NMcJP1C>;Q3C5Njf=C zN@U9-v{%)+_a!hZ*Z_F5T#oKWOA7Q_xdyQ=4m=+J+Ykt%{feI^_QIWvoIV}aX;zx3*Kx)Mj&0Rh zgL*UNt|&}Wy>;R`Pgi^vO@eGFv%tk*GKBQP4MLhz@9P3-xN>Z#26k<&{%M;SPtIq3 z7D4Ve#5&2!K-_sSHKJ`+Qy!YguHK@bsl`T16cn;V85O;7ob4tPpI^a1X)I(J9j5H` z9kj;2lTNr3=D8jH^|?l3(%m@{mrG^t*Mn)5`9v4oPP(+66!(xbG@H@!?uN+xbKs?$ zoCj@*+Jau0ZBUspGmq?pDiiWr;}q_5yiRQ7qAV0m{caw+OqG`&s~k-gd(Nh-pjCvDnsf|F=h*OhtKdqc(4;`|a#g z%mmq^BN3)-el%&o+pO(<$V8=FVU70*OTiqkLf$Z26secWgz?^ubmZCJa_s0(K3V5^ zgBg4CO?pwAqLSx8=7~&z#T`4yK;srYGY@7?^J_4&!gwN^I$@-(fOV5-0dsg&PvpcHCAU)wKRk@K&cQrJ+!(6d&q_@M4Gp8^IKFH+WTp60s5uQ{9NPyI zo$;s|6m7>jhQf+Pr?_^Y>TA+w$7aHr8?Ln}@_%akK->%Rubd`#1tQO65sZ)PpVc7s z*5}O+Fy>w?9qVJYRhp)E*)0iei?w-tQxiRh6RAwyI0b*~WUF6od=*49AFp=j&u6Yf zjfyde<(9*U~{LjPxxa_|U2jC^~0fbxN z7UHMf>(T#l0spvzyVvKd`upU6UjAPV1D5Uf8GjuJ^kwDkW0U^<#{cal-2INfTKLDW zeCKz)_Z|QKl>@E+kFS95zSC3CyJPlW-~9J?{kJaot1EARTcEA@zk2VlUb*wZzZ<%Dh8(?4 zagSUqz;71+*NXsd=dV{)bpZ4G`{mt>ym#*1p?B})-60o1Ne1R~0K#|&GZ}bwx21b; z-fijL%R9)-d#~=cd++7lc0Cg(-kI55<8L2TB41M}_=)cmLe0Blzuk;o|uCj{mv*mrk!R}JLuQUdl&fZFUfTP9~sy+dUXU^NSDuYl`Etiy%?Nl%lZ z>XqnXIe06uqeHDVk25(w{Prf9Q;F{I8bIY6)grantQ=jPn}&n}ZWO*wbvfq|jY15_ zIY}yfRRvT9{7#DWwr4(jR2njWg9tA@Q14+ZyPsK5#Y{7kTiTBlI!NsbZN8Y4HU&> zL9tsZI8ESgJ$#2qfDFSskq$B+n}tltC`Tzkc3OwRZv*!$`*AwS zawT*Y)(X8Ec42L856k0t0QBi-s*`u3%8@w9?!ifPCy;mRDC9yT?*QQ&2Nm(iG7>~M z&irjantryNyMuKvPA9CV8PB2{QDjyojFhRBT;VOg_&D*~fLJP(4lJJRUFDrjgyQe` z-r`y=vSI)tUBm%M?*M{2Fg^2srxV;=vE@bl5!C5lH#Nxj;ie_HS4$mEs(cRfg@os& zy|NWmN8%!`3oXLQ{@=r=RgbHjBK0JLYxj{|KzuXIbr2{14G9-7MUDpiw`{g4M5A-I z6mGH+YfB}qFEb%-8Fr`u8J^z_voOq_;j;lhOvjR;N?BkYCamBgsg9cp@~f0zcn;qr zykweH3~qXpkktiMPLgwj2$ypr$oCFtBrUOz_Gy4PtD_(rw`ok-Dwt+_lA+?!R9fxB zdQXw`A=cMu8W(qzIi^Ey35kGCke(L?pX^6_Iwu0y)prX|my#eNnt*3EERd24r%4&! zkKNUTM6$oAI(#@?a^FnHZr?#MiM)ctxlwH^@bLNqGQ4v$E9Yc%~+(vr~$8#fvUcR+-S)nwc^9HM{Nq+@|?me zB&xVf`dyd_xt=!15ry|tnOFKYNJs61@p`J0RyeZI=C3{1Y%fs`CgvO^&B9fIky5+P zwHe)o3m5EHnBF?s8#{{|@t3B#p2a7D5<=Q796+(Q*BGF~uslM!y5IoT5#mCHDWJL+ zsQYMZdYU#P3Ho}?8X3O!r=5>O2;0qN%2 z-*AtHT>3JWr5ErfPXg}Nv=~IUx)dx{X59#GnG9NLmr&bQTt=dCb4$Khp1#a?7T;;`8lT*BAC#Ff!A+@vKY8=3_)E9_b0M%oeS< zQPwG{Uo6Ze*=?U0CuyAT!_U4~$Ct^~3X%YK%?z$x?b!;%ekeYl)=Vu;7PkTiTcQvl zoGrA`?79_HgO_+$UR@zX;g3m7?G3S<`IW>K-V)rtB*WZLCfZp8dbReQOw!&PRO?OM zHKUsS`JlUlk^7f!fz9E$5c8zeX{f}AS4(ehITnMhlu>KmbHwj#EZ%7jy0y= z(+}c-&d*3JKLVS4t!!~9HyqpXjHWj*Ym#b7<#~VA@s+wHMshHm6h?W;$n_9(Vn+2R z{_hPohH7y-^j136wSCpv3r97TK($r%5&Km`sd{q(Jwd)Ppio|NM(mkMEcieECjkSx zirlh)&S&L6-#8f(@DAkLQu1n${Sy$b*oA?tpLTFnkLIU=93Ll}kkGR|9p7y5LzmLghVfKL!ZEm^tuJTbOJRzC_f^AT!+A9x zRg3h$ou`S3H;>kEU-;)@%fbF2)u z{Ekh|3SYEKnz=ZGorKSsYGnzassc3Kzq^d zd=3_Kdm+Z;P6_6dJ7(gl3j;h6*jE_QGMe_qQ67zHB%}qqN!MxynsirLVBdL@ZuKM< zJrjx(ya_PzJ>DmjL1VZUVR0XJx|FpYU^$2 zO52xs23q#mIj51m6qbW9cIJMpbd1J1MNs#M3_zKmowpcObq0I6${^BQJJr<>kr+dj zW{(M~*W6bSHvxASo-e#2WSHjo_uH-br^fG5V$Bj)4gxVo$R}SHhTz`P0n*o#gGXs! zQ)4|8)RS^{d!#lw+T-o`&*m+j3A-9;M9b85%V{R}0=G{1QED;`*YY%{YY>jJWYNK= z4o}EKjFp>4HF;AI6^cjThTQv6$68{@8K$UgF+Ql`R~tDsRO@CryS6Wu=JHx;B`B-R zSJ|rw=O0x28Zj%Y$3abDV<=3oBMlydTT{#9Nd9GMplK4n?i2%N05Mo<8tUxJus+uV z#53F&E?-D0evti5!;RsSj9#W=I-uprC3cdgZhPSTLG)2T72hXUD-G+ZXHDzJx_3gk z2GhZ2w{PvqG@^%uU8U#OvR^SanQ};C$)eD@x7Z*xHwMZRM`MjwX?RG5JFC5*v9|dI z98qker`n!}{Xdfp3e9_-(93xOI@-Z*qVLqS0J-De*FgpO!T!X`D&)Oe0d{eyJ-okcK748y~jmcp` zq$$`xxa|_i-)19Q#~h>7uK+DmvmFH}~QvDZ*kPsQ1VdQ(04C}BDGwGj^R48gIc2;=N$tluSGRgwTCBxD%Eb<U_)iD|M_2 z#x49oPduMNMw9)PCEA%`K-{7+?O>%aZkQN#^4*s0P@zAZdxS=t9&?oNreTQj7 z=GMv@`w)M!cY{TPHN^*E!JjF-kE83N0LmnFt(}hb{B9u&CvZQ(^71pChhsds_(c9` zUjw^aE%H(#{sL6Bn$Gd_k-vUEq>EShNl^k4HvyAIaKhQQAtBKyMsSV(CO4qioABeJ zK>0R6YF%KY=dTVhJ%+1Yz98+=u-g9k3^`$O=BrwUP)+)*!fw9H9b*~uu5L7(_Yzxf zAHEj10gT(;kK#G)1(EB`=x9qQkO~_wtHmb zS+%LeE>T_aIx>x{s(hz58Z*EANm9$ALje>_6U(a5u0N@{7P+8!lyw1@Ll0mmjBR_g z&{{3n$9p34-bWoeZ@U!1aXAgj%ww=^SSE7qkg05Z$^Mc%2DQA(tr6pdw*=lC7j9Hj zT#x(eszQz3G(x;-yCp)<)x}6=5Own97KQ_l!)R~+t6QiJP^6nnHFhO6ImU<729s%g zuiD922cvL0pH+Rd!GWXXX6${E8_WxhtLgVO_NpZjCOvtD>*XBfF~Dv2=i@;vYlLtJ zxRFR+Td04kyhF)uV%P&zjFfhOJ@XNie(Jia+-g$&Y{OTQ${FYTfLqf!E^jre&bhjS zJ0^F*IK4Q7bOW#umrmB>#gd8rI<$QvH_~w`r1on`XMaxmDi4^A66EwysmM~#?g*U? z4p>6rEZk5YjAJ@`pNg||m%xLNmeVLhZ`CYoQHa72L+uezK;dn#nDnFCJH%@dMjM;r z_=39Fy5U?5U|W0Pxfl3`Zw$|d`eehFFw4nPuLwOWuH)PpXwrOJC=}1N_d;*K#IWE6zFQLhBB-&nL?<=oDZ9aQi+a`XMX}-xt2YMIQ&Ubcn zEHZ^Uno&nA(eou&-{2nFwUi_Y-{40KU#PgQLN2h2tj8{+jq=IH5-o}I_q>&AiGb`X zk5Bklf>@3>*1ZQ$*%>T-Bo7XDXQ0Aq?$ZiiL7^7x{Y#`b`NF?Fz?7r+MUd2DIA~vj zPh6#VrgPENagd9Q^FNed&{Sr4EDG~{nsYi$xBo_1uC8&b;q_3Qg`M;{`xDMenhx;& zKGIr8b%J6 zq`2HXDNGkmm6OI6XGojVwVowH57uYm2Wvl|yM72Rm!G`k8fT=Lv9 z?omk_0(G80s|;&(x|LC$AGx23d$;s;zS+K??%*PKtpP*qW#L!kH^=a%U$LI{Js!%P z0>k|QytT<~Pi10-4BY?J1jbMtg_BG(i1}ns5VlPpPLhD~NeX6?+!Lvw)AFI*+RCjE z&hQ?-s(|742yFFhiCNl+Yt#OUD&EOMKrZxj1pisYKL|=83LO&&_T2W4zy{SS2k@QBYIbsQongsg3(XyS{jSe^|Gtl#&caF42UA5K$u1aaQzS|t#%btoh9)2=Eb3qOfJ6ggyw{}4ZHY}+B- zh-oJmMvYv+BT{)HiN3$BF3H>h&nj9(Nv`iQhNanljwvef+#Bs`q$=$p85K#tF}X2b)&n04cK z(4@3wCz_I;7_Z1n-n1+y&+_zRMrz&s?2gbbTVK8w+O^}zdre6d$8sJD*>&3gw(aGM zo8FdRTXgcFZg2d2Rgoes4PTaW09~W@L(x;0B_2t9@|Yto<^5&d-<_t&PknE-opGKT z_IaoCbiWnNu0azI98Wnrb7yeyxdjo+(>`A@czODl`?Sb?`PrRp&+lHo&SqRa(p{5z z^Yr!3%ndUY3S4vk$)nwWnYgku{4aoiEJf5_Jl`edg?^Z zD=8lwjM5B?&+ctZyAj@p^QCfLzI63b6y;ZXbM-X`n}P>VOBs;T^XGkqeGT=>qJGBa zRAQTR#Z#o&xO(+NzNEIN!g^aaKZO*JJ^xft|N0k|Z?f#mi3@tKc?~qx$h4rrs(rU+Nlw|(fquWwv@f8gF} z=mXY6ok5yRwRg4Q^~lN(3j3MbKPVdDJoLcefgbOh@rAzD_l7hKI;C>g7nj!YC8d|9 zy&v}L`1Zpkr~91@6wnx2{fC7O`&CnzF3t z`wWS$K-<+wKr)k&j=4xDkJ^^uA*<0B4N%=K{Zn|@l9 z6VWaD#;Il9gYN&VRXy((8CKQ+5FLMG=I4w3=Ppit*T2;C^y$&doVyo|ac2e(=w*t% za)8P6=mbYU; zz5hpX=7pvn6&2FbD_U|97k!#h`c$9C27j?(NyY51w;rw-@$S|WkI$)oZHapBvO^(Y z!5m%kpYZD)k;{7QyD?_S&>O$hu8M3dkB{j7#J&!1{f}ptgv{%A@tG$QYdf+>44<@j zSKRztzl;m9{MjBnYQfN>&ZP^2w8PF%^+}cI8&qc1B7NvQ?%;T7?6n0X%zAo(>5uUn zhgMv-FAa*0ADjKr_}L>;m$~*$llp`+nWGKm9p$$UC3i z>5%_B{ukJA0{`yZ@v?t2Y~On``W{{MZ4UbX^C*0N zk)qGty-P7a&=?}{AFKMnAMk1r8H5G_n+rS>60Ampg5f!wz*8_26^`IAgLR3;s2vr< zfB0Z6jFT1BGpb``Y8%*OZQ@pLYJ7l*1_0~a?Nq#dmA7Ekh$$)LbxL7QZddCfP0?*EJH zzOYZ_{db2W(S4#cKlmkd{wrU=Ink>Bvm10kto?r;{qMxuDSX#^LlFcv2v%O{MM9Dh z$`1S(2&uB6*VZcejf#I*6!(4xRrbBVuJqC!2}!>D>-_UDG_gz(xe%V_X8=va?+315 z;X#!`#L9OMSbf`7qxId$#BZ`1LOoJg|gp-pM^9OAlG-%_fjT@n3RT~G5 z!c@6&5EBHF7o*^vjaW^HdeER1@U9w8TtPzN_@IrD=1~qB1kS9|0ga7f*i?A)c1zH) zg9ah$68K3dDcwaz`?psVBzir@Qn>tW2!{@7@VP3eM^Sf;_ z@&>#dNN)`4so?aun!r<02NHgGA(}=m#|BjM0$IPD$p|?`f!ReJpo%J>oTVVPA{tza z5K0sEfv0p)e<$z9f0%e%)$ext5O2Jb0|bU0j*oS9!4k{I;C3|Cp#iNB{G%ft0T3Df zy2Z!4s^O4yijQ?~M^dbGm5;Z%?LR2(cITDwfC$(`_Z18&MDe%GA5@S`OW%P%u^&?h z5|^dB@S~g_=*vsp`1?R6(K}cQu!G{SxmXY%!N))-_Dcl9%aGKPKf^93e*7~m7a-Sp z?D`s+E=bkf4_uqQTIq=QZAGch`~9QP=9)ja|Hu?e_t#QawL+>*KM6jd<7p&K!%ZLy z-xEZlui^#>S7w2Pe0P4UM@03^R_=37rf2YW_{La_x8KP}`n$W{$J|yfoil(kGP>q| zTmd|%6HAB43jmD~gy(akuXk9`URd{Yf)o8WH2qhoJSR$;24j*YdJkUHTK~2ax`vS#tV)QNTl5v5PEcO zDEt7~OOw?BxlBIO{W_A8pp{R#a;^}i)g+?y;u(0L@>Au}MVE{aeXKHu(8oaCH4miK zk14xbnBmC94@YTSgqT#R<;FvB#PtRC^b=#by>y}{pA&Bg^bX*L6WXq!Kv|#x^?)r3+0)Mnq0Y-Fg)dg7TKF)O zCWI-SmYjT854a7ybJI%v9`IF$(ySxcKSv&bT}MGtM(%{MneQr3fI0G6;fug@4lx1u zgXm3rgy)T*x>qO_h3{t?*XHOh*-Yz^x?%?K)(W!Cv&()FvC93PPe_(5{Q!#WRf2G<1C&<4ZgKI9m! zEWO5pK#Rlmk)rcg&kAnP(QWn!)ZL~<00;99_E(w%Lv!LZneJa%N(PjYYe9VQDHO7%r&joD15UEQq{Iy?6nn zrW@YiV;nF7-743IN{}q_ZJ{$-!+xoj5{03zH&EjPAWXj>wa#MBb2BEr3fez8d7-YI zD(iT4VJLlBYBBmkxd}8zTJ5=?k263pzRCQg3V(wN@->jtahy;C$C*FdwE*MBzzXB) ziluKjgIrAUMn2jxgnC?tFT)&5kVk}}yFd|mat%P9SW&;h=81)_*%EYUk<^om<9@Ka zWs?HbhK1+`6}sXU)gVqL7h%V@Sjx|L+dI-v+)YgzO{_~oQjeAtX^G3K0HJ6D@W4nV z&>GC;p_0n}3@+h}cJ&#JCs%0>GCvx6m!SPW^e=*T<0n)i7oMP27_QE0dJQ?`5g=u> zOF<j*9Q$xDn(T1`sE?P9Y@%Y~L|kA(uImQIbA8TDBQO?6S%R%@IXA6JG z?2WLbBfI`VHDyuy@x8$7(mRxk2RWut$4$&V=O2;t9C97O?TZ|?0PnW@7}kErfI4sH zGj1PtEmAYDr}ssvo)&+yV_+Z~pFf*BF4!-8jP}%6Ye%>{kMmc$t}7vOD%4*PN0P#@R3$%#UCR)pb^Q*p*`#?|Jgdl@dk3tVo;j%T0ThQCtr>3R`-@;x-A_-dFh%*OK4J*&cZbkJ3Wp_7UZ8uT8<~I?r;y z&w>nND3s&4>QUiBoKW$WmWg#eA6z&Ui=~f&{&f37ZgYBa-WFsWtHJ{Xt9u}_&m&Rk zU2%$bCj~ND2wkfBQFGQ<}oVz)ts2So`e1BvoOzkeKzA-tC32K zJ2j4dA)aVnpR*8oCOd$M@-%9=4wKAr7I}Z>#|8P@Yr?KjrN z>gNE`uk$3CYxxteEq}=tLSsE?Vyt5ZZh0FIJ~g~Dk)Q5K#=Y20Jf0!_48RRfH#r{3 zuVGIFADd+kqK|u`a0025e@E5*smU{|$b{SyHbh3z{9Uz>Zr1(8-~;?=Z-!7TJnk|h zdmWhov>n|V*FxgdZlkjCBQ<@q^&*sH^uGL~{0(Z{;u!;_78d>pfJ5rYdATymTrPNu z(8UKXC~8xrzn;rK)4>CWpNsmKGy6}PdaH%hkm zHg;8o2R8qOTYaqt2Vihtfm4nld=WbGLXh9a$4Cb50m}jW9dxt-n4jYC84#YR2o9KS zhUH<@g>M=%)Q)G7KNc42XOJI$Hy|FbREjayqY>U?T#RcWD5*)axH$PY-OTJ=_2+iKO;w%)3(ZEb6BZM9Zgz1{3W-zQjY{oVV=`~Lm@ z=EK7zneEKk&$E2LP3wfKJU`#}c2iZhljawh&Hp^2%Knk$Yv|&Dt9q2a17F_8v4B@= z)s0d^?(yqr>j552K>Rj{6N$o0q(8t_22c~EtH`=njz>}ia8$rv-lw#_Waio1(je%* zjDWm25y=g`_~U^7gK90aIdE0+-8GMJg~8y@Px0koJAc!=0QvK5$8=45&{K=|(6X=V z<&Olf!o1$`3s>A7Wy-L2QKt0PZ+NNtNAVS{aij`tQ=r*&x zvR4Ftp4S10skaV^^Km(jmD`p4Y(VYjnEC9a3++<9fy?4;+cdhtv4wfa*iDz$qb`OR zXMQWc7S&l!9Kr{ME4VJ6HA`74`F!YPz;jO~`v^`X96?o*pC(=|p5)iI+_050zFpP` za!5%zV7a;Tbqi=zad!Ld&hmf|-<1m{35EF5_qNE@AwCN}&SWl5qi5MFHAuFcpzQ~P z69-$s&`dCWxNh3q0%TR`UX5dtTNYyM4Im`jn)ss0h`YnX_by0Uk1Y1cvYtq7FK3;V zT&7wWrr?Ls(b6=6&!JgoH*%hIooO}dCaPHxnzUzmD8Gm9D|RRQ1y(}kcwQ;ZQ(Dq2 z2iE(tiWS0n6nM;s{2cYNxX+dwiT9(;C1+HYff{vHV3MIk6VR;SdATXS@$Gi2RiwL3EOKMhNSPmUDz<`aVEA=d*Fo<0X?1A>m>u;{e=(FHp-gT%vn6O!}9J zA5KraG}RsMaztbON4mE0g~qB zkCA18mWacyXGzj&$T|ng*d=j!-rG#NpAX zUOq47ux~4Ui1NE9(uZ58Z%P5~!RP8`OJyp&-f~4Ntj2f& zuBPRhWO{hxFL*fGx%dKKSjD+_kZsHrP!-s$TZ(_gDLHchQ6pJ;7wgCfesRa5!RxEh<-MWov?Ib6<&Mav6lQ&zaAPKoTc)iLrJim&(Uq~AmNQN=yv zsRaKT-a?J#-lPBpJTM3ypjLBRco_F^>knt;{Rm*fOJ=C){^xGxHX%cFj80V3N%U!0 zK^!do-q94Ro25a!sl)sNUz1=q)SW4g1z;mPbXhx9!fzzL2*5o~%=&sR*3vIGUgx{P zM9H~1*MS1hqe|0Gj{b&nQePQoQnbg$YmjK0M_$>@c;)TbbTO9f!(FhkIm8ZnsyKpl z`g+kOaR+Jg^@MT7p_ER>(c|3PP`ar|L*^ja(T8J~$``=@B-ZebnyHs+Ljxbzg&sdE zx1+#^9aF}@#Ri*H2g?h49l2GGaLCi_?1w;ci^|zjc?pu=;E-r}k!16%Pcp0IrTFSv zCRUn3a4&Jxezu>lf=!oC;;U~l{e)B4^MQrlZaWbzp8;l2mt}OAl!CKfwtJ|JIK}^t z{45f`gDF=RB=p1JvS=`pf#v=fCqtJ@0~M$jU(O_NTOqy)$Bm# z>wr5O&ZPuKv8@OAuEj*@mEQC_P?T}^o!$NMJFa+PDF`X*)XAJFe@q;8XJAY?@YpzQLM zyu{tq1EBZXyX7O-=ut*%rnM8@TfPcd7>1E*#(H*8ZXGg&r2+8*odk{)n0%idV1Ash zLoLqkrimnVfpqa&D*E_8P^IT+Bw*eMCn$ah70cz)WIsNeeny@a;#&fJRXS=i?ClDx zmZosaXC!D$n-olpe1#1B1iNZfbxrsTo9=4G@#jW1>Q5YH*4Y)bVB4X$US}qGicuZm zxMsp7=y8Wd6Lj;M-wm?LvOCP)-*+XD27SXpZ4g_2tA}sFA7VT13j`;8fGgIAIDYcxt`Birg@2+GE2OYA|0~{v zpu>g#3}Gu8EZ;wCB{2T8?`x(Bq_ zvO6RHEj9_7b&@MacnKAQb++URDxTrBB6$rGtH5TO+lrv8n&~r_2O$#r67s*otUG8w zU+vuO-zzcHq?6}~SuZ8e^m>A(HCGX)btK~H0TTYwKE}UQBn@6*pS52DuXy`Jk z5Ff%so7SqKlWm|)+-o#oaO`%R+r;6n;wu+oS zgN-(%}p_~_(Ir6(ObJekhCocIqiJ{aHdSOeeTj|}6SQE1w+)a0*M@^m7bY(%l zeYDR6ld89|FNQfwtt8WZF`%#FT5R-wn@Np7K^IMcZ`aNWYe_r<2H@ccPlxkYA?fuv zpkW&W>VqnUZ!g_PUV&j}qEC?j^1T4n`ghXzg6Rbfc-n7@rK03~DB0x8x{q5K{ECQicLE=6FS&_G!B=?tp@{+Ai- zDC#7l(($@p6x{C;mL1XImj=_lnJXe;7A!BSsWo{sMGa=mopKF&k(TWU-2ZtRZ!;c> zvv5GTl8C)bo9|aPnSDBUI`T=dxE^152?x?8JMy~K0k4-wxldA%9JW>X$XMlj>Hp@KW1K?U&Qt=nL1>w>!NO~!BeR{wJh43?yb{d7z*f^dM zXG15#jbQjC%pfTZ%fE!OgRJTFOR^rfHNaf?Hfoz}=}AiehCLJG@lgD5CYIkQ|AyLD zLW7+Q&RE@-$Kg@_5^z9-qswBuv`ky+u5=O;=}9y zwZi7x!Su0Ak085)S|;{VBzH$cT3enXX9|y~@HA#LjIw=lJ0l2)_w6(%0*mArO>qAF zerU^VYIMaxbmeW_Q`8HG5CB#lXyhnCCs@_$HfsRzvpmWzgyJIV8j>GEzQym@K+S@oK*}j`^%(Wm0nc?T+&d@s_KmdHs zFNd7Q%N#Ayd@Df43E@h94Jgb(FDb<0z|+tbvzLX=h?}FvnEuvrSWSmH5;?=0EdM61 z;MaR$z5br9ShJ}Qk>ZMF)9DD|CvD>l+ZRTRH*W&^K;zq4xz8ei04oBuI5^|}Y6G-K za+&W5#}gX4S_ysJ1)UUO@IA`s(ZzHoy~OqhrRzkpIe|T(^A^Mq=v7yFf7SU$7(Zay zeSD;DgSOl!Z4JeTaRO$rPu{1dk203hdAK<19q4b+>6(vP-V}aS@V%fk!BKV*lr5#i zbK%=omDD%Xo!?Z^dP$g$0~ROm27L+)ThX3ao*XN24|y9V2`N zvldWr+xuM2gvQi_WWNMzOzxR5x2~!cynec2d9B4}h_w2O-<8^6!N8hiP~d|XkGNaR z^?y@p&G`oW#Lv;4IWq$UoUgfN)34L1p5<}$4etz;6+z5oPG;K?>&JEkiz2n)Q6qUp zKVo0q_ogVSdZq8n4mAb?+8*Cnnxj{fra%b1(=vSg2&gzGX!%_*4;?}F;di+Dwu~fW zj!y&g$J0=Ka*lz)V>9x7&;P;1k=w*=@~=AXor0tNwdfbT?;;iXetU2Jt(KE zx?8#jLOZCh=z-<}W}rEe>FwCrPkLKq_`prH;%py(iszD2F6!y*l$Xjcs5|Yf2Hnj3 zx`lZp8SQ(X-^9c&?m>Sb7pc)Lsx@mEs0{F0dS>NnByS6@jGY76HS|gtMFaUOQmPok zwN7LPl$lw6T@e_KzX5zVTUs~zj=YON3eR{Iz_j99;xqnHWHUd{^jnk^it$ZQRA*v- zE-0#BK==lCQwM|^_$+POJBOUkEAUtJT55LgXVB#7DRg(*=KeWQjOLn#Cer<-9asp( za(Srq51xC@aH$tAWBOBD$=CQq`m!_*@xir)1Uvt<;4ZP_n9b_uJ%5m&4e<64ur`C;~m)&klA?5i!itmnmT-V3<&qqcEk9=(HJ z$nn{7Vlm9H zcJ%-#Q7oNIz^)p22Pf)u363B2?h4BVec)5t!S|9rrNnW#r_Euq#~LK9*<;Phn%ivl z#G~5_sBCdAH5B?{!}AezH@A@g8iG@3hbz3$j`$~vF`^Mc&6()F^-l@6}MLTmkx;Irwd> zkzP%MlY?{n;g@le>RZxys5doS78S_;!*t~vS;OQqKhmF65E@mxlqZ!(cEKb&2m&Z6s_ro3=`wH zK@_+SNo{dLlA?MjGpuX}rfp2(8Ru-?Cv4UA@YxrU>78drztRPr8`U4FmvVTol8$*OdT(I0f}*yE-YM)GN$rWKWSj7 zMVkr>ZLQjK0~>$IU|zr5sq#@ouQQC*S@!EatMQd*VWKz%-`oS&A6PIM8DCM~{^RC$ z`o+8dzSKw#X3MhX8%BgN8$5l$y2pK>HLtuoiLN)BOYE4P4=c6Bvt8)$c=k~9FU;wks@X_H-HzJ(RUL zDq_ejI$apu*>NsIfcb4X?xfplW_A>M%s^zEJqGFO4RlZ4=uVC&Be-&kPG?5}TM}1F zF}AYjks*=dR%m(NHkT4lanD7Up0WOnH!>Buvocvh=hmYaP0wqwOIH??HBxZvTqjY$ z@L3kuX(`mBhV``20Q*K=vhuPJyRGRN&ZBe+*cek)OZWi z``p8!!g62-}p&KUVdwEQ9hARrGt79t6>U+F2$9-#Q1n7 z#>tT`pM^1rhscIZvm!N z`r;{j7axCG`WgF1V6$Nope#n76AtW!iLiasAeh9+@Z2^}h;6Q}m{1VvLkxbbOg8zo6ttb892H&o%R( zlx!|eh_ac(0!fUAY9-y0nmT+(mq;?Aj8sx?)+Mj6@2P`YPo zNbAd%D>8Iz4t25|hxt3V&%sVQ7mDN`&T(UOW` zBj)qcMl4zA((cxc^bOBH2wm0ym~b7z@`w;=6qe$82|Q*#mOjIKH`?6>#2)wpRSLgE z%c~XnCkVqA4yKFeP1F<*CHWR=;$gQGz6DwspbB-hT9z1v1f?8;OZFh~sE~=Y_VSiQ zSraWNv0Q?<CfxrjeW@@LnTu;X1ID#ud7m{yQSCtF6k7*N z_4%Ti&1N-u<$@hE&txea=NOd!Nnd2XQw9o`m5AC=^f>}Us4c=IA5v|4-}GIWd|Gj( z3-^u&RhAEs4iL7+NR;kGc6VJ(<2CQwm^A?bgMB%j13`6tTbuJwW3LO`U!1XxLe^OC zlZbX6y@_O4{_k2TqkRYAdr1=l=o!G_8r_X? zw1!kmMYtgc8b6tWd(&^wi>2;}8dx8unCt`8T~necx?&QnrRH!jv=`n|2)$JFV&S|3 zmUxVnbc_ep4=5a+t)_YQiyQzQM$kj9R&qoe25$b zCf;belHKB1NiTU4IgPe%;gAnSTQE6qqzlojgc^Kte~{cvOru9FYe#1=;eLj$r=OIT zs+{4%O|;-J2FIBbMO{(;+t~h?pj6QL^!lP~MSVWxz?O8RmkrnAL4vJXSfZrFtBOdz{vim$9DuS2yco}Z5tM}{K$S4Cr zUD~Fk#Wll_ycj`50^LXKDti?$y&oe0bMc*%1|>akas#AE5EV-r5Zr6FMnOOI$=B!( ze9J;Bzeerur_K4t2 zjj2PzY^8ZDfU#~JhP@uNpaCsOL(_)g`OCNV*0jH(T=0sr{vwilE8zwZ8`ZuDf4vCP zJK7g1mMv1yH6<@Af_Y=ad5)58Vcr3tlTc*6z=Y-R3MuS(v;6tWmBY~Fl6y64-H#Vh zeIc4XP)W`f8dSC4AbMQkcm?ymZFJbyKa}kah-jcUlsv7t2+8jwysc>e8qJ2k1_U1p zzeZ)}@#L``x3X8ieL+F@_;4YjyNX?}v(x$Ac7qo^i{F?M66WA3S!_i0eyG z!`nrxHSI=~Y*cM6M9luCP4%y!SB>~sA(9rNJk!=w$W@VlGXy3!{Ydo;LJ7YfJB21M zL}b&}OKA4)5OyQ9k1FX)#H^H_VHsoYVP-=iTCfS#_eRw2t+h(H6@0U&Ze4+08SS+S zf9>S+=;U!l$tL937cDcK;R>(&B;J(9nFc1)D+?9zrrQD~nohE;$ZG6E$|lAcr?F(G zH9O_%Q4LbpIODbM)bre47UO+0V7V1f9%JW2LIxE5fTqvNwL}+=!Bl~C7I9sZ z*=(|YO%H6DSZPa5@M6`Pd~j8wHx}ljT0PFch^PqocM~;hD8lka>Bqr`u5OZ{L7cZV2{b&f22gid!2Hxxw%VSw9o8W=QZx0V`Zx z+CRk7hZxSx-hl3XUILe-V`tB;AL1hgsC~ck$bKap|8WDFasR|4esGVM_A6mYPnbp| z>;93fTbC{Ro#Pnhp8mGwt0Vy6 zHJwQ(4twjJy6DcrJ|v|j>0AyV(a@b=>)0>r+zzmo%Yz&`vJ=CVe3>GB*G>K>GOp-P z?00-2L-)Z=5Of~d(U5}EEE7}U8&0siG!!o~CQgvhP{2h^_P&G-4h=p_nN4>|`z3?W z#cY;(V8cI?%w}+*F=R?GwUED%#F=;!SWyomex&X-4eklR-=7%0<8Zj+#nhrYg<(%J z`NrHK3V7SarU5Qot21TT)~Ap?>M)GlH<50w-JBuMO9iFyNvcbBb#jgQ@B-bWUZ@|{ zB4nqPZ^ldUAak7WMD`HWa96j^iF#54IP5h=Y1z*Kk-}{2A4bP>Z5rGg9in=3v%)-U z5mzoqeHFajvNc`mqu_0p`A*rX05Hx~R5gdPT58xUhF4PQslae)a}UNZA<03f+g{2Q z7ATCv-1N`Y`<%ywuVLaP{!)I*_?g(S3%FuzWR$I|#LY+}N8xMOMi_;klw<}|Sa+68 zoEDMpczy&qQn#}+Ux>$$rGWFOpFYU8q!TZr-e;4X^Rv4s#77~Hj<>)xvLI3VA;rB> zI*=+?CGtGo8>~;f0Tyr5l}+9K@1ROYtTU(;N8=n*cWs&mS3HNxl!?T1v?#4WZG&L- zwGy?J6yJjWwyi&F0&`$n5$JEg!R?0AF*%hh3%CDjW_3LuV+-o~Go6j#!FtV_S(oP- zucQ*3Nx4>Jji;>Ce)!-kcO3`f8&J~1%q3MVr72okWxE870Biv_yn(vIwS_w}GdXWK zV_{wt5~7&KB`L_UAxXE?i;_&gcmfLyD>Jg!gf5;+oA-W1J{2ex9zlz51JH0i{fMw% z73e9r(cZ5}PXMU9bbZy=>kJ8_SIh|vWUT9d2G5K@RWLKNKS6;pLEn>45%;N@$&x-p zRpsDG028>XVL^7(Z{1=SvYh=AW|dc~>eyV1y#TbZVjdLgpb!B)$(g-1(k7J;pt6Iy zi?12hR#Qxlk`lwXQ>5dXQKuon^mzpNI?;nX0Ydkwy!SEbBC`GpWByiT{gyHDJ(_Q;Zq0lMxb)3}+2*ExS+BP|$xQaXjC|X@J|w$UzIss3o4*tmqMTX$#{ec|E7FQz z2z>aJ22S~`sh|fyg<$(|Kz=aE+Dl8X)Nrf9@HEFq8m~EAya~a4LJna%A5KoW>+zN3 zmm^uP^pW%*awV#nC}MVy?<#uJ)L)BVYO@y4Gkl}T-l-rGvgSas`gamW9t)I0*o+u{ z@+LK2NhW2BA@n;oGuiYa`n_iQ-p9Zz*L2%$ui$2u*gn)-M>3g0s76|a_om7{G2@oI zhT(tH{adUF%9cO<_{Fz(2)m*^8Dmb1BoZm2m@Elh8 zPa8K<;I$-7Qt_Yqo`Fc|B%;9(X=u6I(2M`soHjilNb<7h5=4BZ~t zGF?H0Z~>c_)D)OZYOfu&>0D?1+X&l%BjCmB-){I>BTPX!lPU18C2iSP_1Vi6%mjHk z@-HWhtQ9K0zZqbQ#yZ|KG(E~EfF?0o)ijHZD|JW#l#|4-hvk?ldp<&mu4>^ZiOywh z@pJ`N`5xj1Fo0h%yZVaja6)$65^)&?jK~Cd;+Wabpg_e%GU&}RobJin3rsZG zSk3i(gwt!mT6kQ3EQE~aU$PW2xks>XGM#aI0R6P=Qlq@Z0ZXN!XsC+e>O$!Pxk3d5 z^UvyXZiAjIcF5sRAR4aiayF;(7no)5wlHxcRBZVK!KZjY|9wenj^-Z$=NI~teW<_P zJgzuB`z7T6((Jq(2_}92ziAe4HV#yikNLlYQFZrulK0;fcmyly=4to~2td~j)XExM zd`AG~Ac=E+l=2b(`srKjcPl0s3W6Z^t_<*#7Dq9&vNC}cz-RM)1SHMzWh0RP86->P zgz93badA!^CzWB}a2N&@I$tSNTMPE}ZCD_|ENuhB*}S&pYWa~!n90#UgwO1nFJD(k zBlGF8?gg^ZSf7<>UI>@h55T%z;n1ZS?i5yk(8Myw<@Y-`MZ&Q1VwAKgx~PjnFqrAz z!ABKdzVH}=ym0?ckFzx!9K++e*xuxatc#viCMkksud~ zZ5k*HigB3L7K_f%UuWB?=04VeLs>RYUHQQ?R-HX4?#drHfv8|>z{R7UyQwA}^*zbs zZ-TdB5(f%`0o~VVcMKpCzyQIN-(=)`iiND3=Mq`U5tK zGW3t6edmVKoo&F=@j0FI2i?!`Vl>R<=lQSvKG^q-;p=+J#SX=IvK!HT0d=FQ(K1L) z&Y*q2$Ll;==|c@4%Kc;lr>4w6IKP4^=6Z(Fzq=Fg<4i6d&b_XslN!I)eHw>OI-j?G ztIK+(G9LJRrD&tnHHt0uW{0vS$8}P7AWoVRRKbF+!qlqCJp&eM)Z2VUM|SqU73rJK z_W(Gj_yX2mCHKJGjA>k%UfzIkfx{dLC`)<#DgRdL1+a*`Azmo}aPg)ScpY$&d2FN`U9i~kzLDUUb9u$v_!N=ii*yV#u+>Zw{;&{MYXi{U^~3;g zvtn-xZ59SZ?wtefLaV^lh2TIp^q3KxZsj{+4d;D>*;mWD;R8#3r2>tmOb7H#R(`jG zW!k3j01tp_nQhrNoU74$lW=Z(xOZ%b^j$bzX>O2WaospiR~~sC1q{A=IbL@y!u1FJ zZ_Ef;0G`iS{WDG+se~cCA&|h^a98t0!tJ;fbtw!uPFtUlr>op`-h9*=nWF~kU_6WH zEbK)1Gos0rTJFmpP98sn7Oj6ym&LG;d%uk~^(R4%)qsQyBi}>ha9_)>td3P1fRMQx z(Kf$9cqZsDID=Zc{-Sh)!1K7i8u?-`% zQ7y+Qo9hTM%lZ$Pb*#vxQoNriTW+&)GEH#R8YQMe|%Q%gEOBv|dRL#VhK3CJ<93FvZqRPc3TsSG)$-usrSb3`gHvy1Zrni=rUs9nf z)JQ&tKW1646B8Sj;d*S_^gN%H`xB7j(it{ol+dUU0UC|y#f%3|>cj4znm)adg>Bw4 zfLjtDa4GgqTXe#%pa$?NsSq0pZT6;E_0u*LPnp4&r!MZT#(WBwz zJ&A7u1BFMh!L*_7n4ExB<(m zNf3ZE2Y5y0Qk8EW!&#DJ0725Xl(Af{1kI|{ZfQJwVi@kC8x3)<__GzGe1~a^m&Q3S zfr)jnLhOTwR3vEWSP6bwVIC;MZVk=3XlXz4Y*rku%#rCXSxK@N@e^U1Ylpdq2^SA< zcoazLQ(-Yer^@~iR9C)CmrPyFG_Ft^R)o3cND+x_k4^c+B!F4!q&Fz_)s@E^@ROhn zKCbldV$IWc`ky7{Kpc)x74Cn5w0ffyd^bFu;iPDV|2c*OH-k-pM&imBW+4AlWOmjY z0Awb&u~5`GO7Rn3VeUrwFaO9L>zpqt37E}cf;M-ty^`qKPITf0`%bW)JSEku+ zN7+6kk18zLBstLKAi~Y_VI+};o~fBmF3HRE>{m)FwEh89hWsM-55Q(!wWjct!ao=% z*b;Q~^JJ6141ylGlj?>D|8U%y`305$*<%$F_%w}Cuq{F+;U7y6uKXCah4}~KmCGIp zBYp!IsnRUpb7-Pzv)*AKr6MJNz%r|o>2;00kbeQMV7SvO{nJW6Fy!c2+wLcGA=otC z6B{dKBkmT7_ZvEC7{Bd%O>TeWh&LH-GmMM7mcXQ0{!oJj{={3l&*n2erxjyo`0Q*% zzZNJ*pPLqjaRar&7Y5s+D!IRwuY>MJs!;^uX;$}bxM(0-113=4{RGx|JtmG zH6!0o{EyUO+AsE!4~C$AXXloe(;_(=e*?+{Fiqd$-q+?{Krq?ofMgMW3x<6lX}HNm z7d%cjgO&hQUcM%G5p2vjxlq&CH^(Z<^5Yn|8B7Hp^06irG^kUk>IZOCIE@Uysi7g9 zLDHfy;Z5YZImVV4Rn?ap80Kk0d_Elm9J+jgFC^9{l~cAk%$OYn*fyM?wJi_vjmB{Y=336{uO2mw)3c*5Sba@6!}v^+q&#aQ`l z@Ex!-!!GovlbP!)EclvgVu&%xhPxQ-8pms-v`B6A^Lc$8-)lWE*B-*{v(S_8zUJ^+ z!LyFrtuDRkNP9Hbi8dMOVUB7VX5dVV<9jOvKADmX#BaLU8lf&lJOF_(ts&xC7}m0s z{4!UO&aIVZ=zQ

D<+LXBD=4c<&4sf#c~cWDbQmsN;vw_tIW*(U`zLpu)?ufzPu0q_G%>sP zX&IL8QbX{Yzo})6@I)l!`0em=#v$maB53hyNQct4Ws16ela?IfnA(;m5(5uvr1CMM ztI&)4n)p7newJ-`{TLEgCKNe^B=1j9+8%m=t<;*|V?p%{B|dmR0EV=#%nHyD(qy(* zBJGDYc#^cA#EJVGZbFssQ0%akOYx$Dzog|%cQFZ%bS5EbQ*JLL8A*LXeTzxFf{Uwf zC|6WK&a;dEI0oN?HO#%?d3k%IWp7iKzH1!*4EJg}T))(|PFk07UFs^#z$*dIR66f| z7Uax11JM+m-&W^~#-ag-rNy!lYXxWhSdu0!#(&$ig-YBhof5&WuU-r#V=Sc3DgtXb z1T`83K1s`d#&KG9l-jo>npTY28_kRrl9_QZ);MHN)$(UGA{%xJTKX)kY=Z@z^g!q; zR+JB;neM2VO-ce~wH-VYMhcN3i${S-~ zdPwZ2@uU$=_HQ#Ei~-7{p?E(@Csy}6iPUTzlBl1V2=8qZaV}m2D4wLa79%smH z>TF&gb9kQQq$8E7C{IG>uCc9`{aYD#;gxtCrcZ*OS~N%#NDK~IzN4=Q@u4o^9ZDh+ z2au5WQ76z26JX{s^W;s z_aX1^^1HZySjLT5Lmvj=TSGFiuCNecxA;6$K*~x|d^rdYBBPk0RHgyT!{o;0=jaJ( zB1sk|G09{ckdU9NT>yOPq^~drJDh_sxV?onAe~*L`LqoEYM;XuB<$OM@~00j5#8-` zr+==fshSRjVK(c%lpKersZRmwvKc`Aes#TmL#+PsSi4Ok3k+Wv8YW0a{p&HN+sUA( zn77-XBl9E=twD<62i|lt6~B7=FwVpp;L?TF@(1_a#FNkEzlNlnWUF;8rB2{`q^ksN z)u#Z1m+hG1dAPIxSxbxgG>rWtIp3+~m&Agu6ee2INC7vOG}vC_;>a*`%Hd!i zG&pan7>@LAY{C3{0__|=n^ZHw?I}f34 z6+b%eF%@bZb4)|E{@&KE28&uS!rIWyQZ6uTy#^_^m5{GXhx*6BDwYIQl;~pH1Fiao;aa-x|FB@{n`Sf{tKfp2kWvtCnw{zI3a%oaIi|H zLihTG^)k52mNGj3art4og%N~>SSK#TzlmMNMPm|?@D?5*ZJ|As9+Ykm3RjIK826Qj9=hEE2@ zDkvGJ*?!jFr!n^st~+QFjm2jw$0?VwG7fpRff17=_hkkMPP{0?kSig&!6h?&ga>gS zmGa=ODU~0YUoi0FV(lOE?U$}cfe6g&)L^qz-Cou(hU^gHh?Q;-;+wkZ235|Om`(G-Z~mq|RjN=GubKX7!LC;rQA^92a_*`B3QUKi$}HbDHfa$rR@L|AJqNq&4fJ z+#vf&;%Hn51cHgUuy9VK_~0r{fg(a9azzPAR+WT5QW6mU*`*akadrL_Bub=mS4zoB z{Cde`%qUMsRlh1I!n{rK0w<*6{z4JV75a#@rm2`Iime0ubMiNNJ{|}~OSr;yPDte@ zsgy^me&LJbaI$Ur)wgWNz%+SWgS&yGk<8xpkiXji& zoF($Y0U=J@8EGKeJIP+U6Nn>s!k46-jM1^A{TE5111&3fz%fFl7d3*TKz36Sn8+Jewd^fyMKIK1NHWu^y-ceYt-7XC%9T6?bxR3q`iG7_v zb3Zdxo{o!dJRY&Ux6*~JKY3;&sPDj%*f+FSzfj|t75vIuBkc&i1^c|Z{ltogk_R)I z6)3rXUD5M&j58YJ5_|xk$ry||@nJH#@<*|WT&sVB4l7PWbb$V|*wgQ$0>?YS0r&wh zvJ5JYQ9Cb;0{L)xa)g`$Xcw18u(-UBUUF{VfHJ)2PAmKE4J*bo8n?M@d0>YdhtZqq@S< zen?D_vgt8tDS3o0$Tgz8-bfton}ZmyC`)C4u9Za7U7t~{_+7>U+N<^~n8o1XF*(;F zr%zS;u_qrB46;S@h84u(j-qvIHjC z_d6;W61<d!`H{*1ZJDlhjQOWlp94473GD6WDePTRgD zad>@hrzm158D&aPlhac62VKA^5#wBl1YZ9lht~^n+lPs9@br{N5NyAi;CcT+9;Qvy zY}QhIToI9wO%6zXyr)Q#w{z}t?1Xx${+6XBqe%|j>k?@cJ_vwJ%n|up{*g?s2sSJ4 zIFqBw2cgsJcxG35sDb_l6}2uOtsaMP;vGq4b%13#vX(Gr~zyx?`UL9MYfvXeuQpxxscm^^-5hPRxEnU(Ri!G- z^=;lO^c0smJqV}d?nYuBYe=r2?#x6MEp>Sn5_|cEs&WEpb<8+(A#00&C%V1hebF$( zV1Hlam&TYpiJ>)gE5|b#oEB^m{gODrXsAx*y5Yf9%T2|JOaZ5bm6u@(BFnI!@Rql^ zVJ*`v{lFVOQJ>BN;=lvlVWumeBK@pH&aLkfYn>Pmyw<>y)z`N?9-JuW-I`uxJl!eH zcks&1E+mfH<`yF|ncAdc`ZyZErt~#w1v_sfD`8)l$J+X!bY>dpV0JoVi3T-}J~Z6a z_?MWSG1gH!Wwcvwj%f|x#7z#7ufu>f&>j=K3PJ`-s&0d6WsLtVI$mGXD|kQqvzp;- zj{|Xa4WL?zv&z8*u?noSWweF-^1%mC0T$R%zY(tkZz0x)TOshd6|oPy*B7GD4b$^f zD7ZcoCx(058#rMrJrOqJ?Nsa4>j1CnN$i~MwiQ694z4P02z`5jK+Pu!R9w z$s~|4*dh*SJ*qs0_={GsyqxifeZR-tZKy&ELH18byM;c4esaG{a94LTW+zB__hNja zA-IXG;QTy(UjaUZ%k-FU=Wlh*7F=s4=6mceBtheY?GjPn|V>lsvDTU z0HP-`ZX@DY@dzN-Pl3YcBM96x;%gX)xC5fa4L^4BBbHEMKT!>|jl zpU6Lw2)B;P?Jnbu+lJ;;hOKy<*|W(E1wQ_*BvF|cUH^+EPL++UJ<|g}`KGz~kqHnO z>8_jyeT1sr(S%e>8%dhNp*&!_83EPefp#a49FIsN3nn!8B=ceQdkS_&b6{s#1OJY} zpO6tCtF#-+Wib~HRenXfBq}L|;51Ih3&9+!Z{zC{NgYgNy4}!}o@+wPPeNn#G<2gA_zwt_)LnS66uOLz7fxy9XX;Pr{a-H zgoht~g`FMGcIME`%TX;a%eiE*sZnixRxR#nM~uh92p&4n4Mun`RK}|E4fpr9zoQ{J z=I=Em9rk~C15HK4&J1J^XzbG%z6)*J0vJ;QYXune8kWi+bA6DxSOXq2@Kh%`uM)xw zQ%oB;C>1@tTFM6lXDPx#x}7Gu0a7TQoHCr%uojE+Ey8TGEOGly)SI!I(H1`ixhZ*< zq8nWm_xp9umT1f8)=Uk}s7|H|$AWDyzv=NI9A_A%HbW>nKKLjs^i09wd|C%jCogw< zv{=}Z>l+)zl(7CDz9hsv=BO?Bmh`a9A<3>ub+)#X?%mO#@%Pj2-U=+zF92|doFS7v z4pf|nNVD%^G!aNY90qAz!rzEzAJo_$M?rhTKtOtNI_G0CTSy?;XmZ}Zq{a7}o>T`v zwNB;oXRG<2)sk7iI=&E0#TIbbTh`GIU*@D$VD6Z|Q;RjCrwU*txR=D9>?(#lAtWge zMYCxvdy?vR3EtRA2E+}dr8G-u@$^D%k6r#+4AXd%PeXI0dzDX6!K-|k8gi1L#O!yr zj-{;BkK2PydV^NrB`fI_SS|+WPBdBnQ8zKcorvMbjUfHNGMA2{DTZfKfyNt;O=osl0JXod7-aM_7|6%?|if6Yka(bc|F5E>h z7bbMVHmSb#S?Ywxsl_Lw@C<5j&Vrqi5CSzSg@~a*Q~#E?iS{p2Q}$f5>k;K+fuveS z%O4OHXfN<3t`NtXzO;Gn>y!~hPi!hQEJ)`k#^A3BmvxSP(MA&GYqi~qwnRKBCN2e5 zDV^&e!&MAmc>W%>7!c>-l`yt>b;vsdoIaPo6%UC;u%T#Xqhhc#;xqGSos}GA0gYitS9at5JJ`d39g6nPLl2KP8jzzgcC_I zm5LUDceJPDA$J`jdTAhC%3g>ikJ+bdNN-rnc1XSOXngUi1Q(8>jTy=Iw@mniO8M(1 zoBm3?>v=}!+0w~6IX+`Y5a`}SV=EEG+PCt+t=_6PYHB1T6?0ty3QI6a<;BZ8xo30| zp9Ap|MXsE_OE!sr^|(>_xA2^$9pdnU-EHqnX4=znfnoEuAlHYCxnwRfdN!&G`ZjNt zriQy<(VusE4E=)BvE!g*yv>^b91(W}Mw20c#$zB;n6E?Su5>)5>=B%SwK!qMH&Iia zC^VBU!DsRFt{{LGO$;uE%J;}F>~-l$uNxb=Qe{LZr3hJPmel-;GOprmmq6RZs|0qO z@W>4~<9jaOet)uW0Af8cp)c5tnI<+L>&&CNw;kb<_-$%|k@H2n{t~NPi6KGzw=wlE z0}>ytkjzYf(+4^-lRXn#y4tQEXHe33oPoyK>ytbH2b^+ulmV^h1{uuw3Z)mtuBTw<5dqQ5dm(`6GI zrM1@el5dj{Tr#7Se1T;$MC5s#&b;1o3{@Il8xbhsD@FY;YW)Bm8RJ$^o(17a*oJnM z_Q-9tGhYVo;TT@j2`mQE8@G(BHgKPjw>XB5ffWN*3o;DMusp+{B-~rM6wP?p0~F@5 z5ljU~r`mSd-t@xySq7jIRai}e(jSrTNNMF^>1D1%!XooPa9DkRf4tS7D<(q$zbKOx z!7Yp#zs!DE$Y_J=qDjoI5-XW0$M6@Enx>oUlMMB0&$c95EZ#$g17H#^MX%T|i2mL< z{=!z;@7%-tDw%@}n{fu86_|#vA!5?aF}&ca|7riHxYpl5ckq*9E(gKDAK>ndfcLEn zuZyh|Xjk-&L8H6;#V&25qkat5$j{09P9pYoH3kDi-ME&d;cc7|c1AFl3AHyr?rTu* zdqU_wX}>xzqy`6v2jDT)v>HD~lElYUiu$+Retp(4%f^gnEx(kXQ_)^Ub%94kJIUjW zO=mc*<05Q>10I28Ol2?fD(4U@aFy_kK0(=#!b zccqiHORV3B)84b6TrGMlQu5qLC?{5VztR_RJ;-L*@dQrLG9iKqE12@fB2OYC=5Q{M zu9IbZ3ME9I3=Z*>Aju$R`K$@PZuK>U6zjl)nTtpp9&hUJFF)fOQ_BgMaa?ipDjhytWeaqzu-aF+zOR^UU+N z?~%G)Ux*9IIBuCsBXIhkVsn9H(y0tYmx1c?!Y@o?Q(}YF`9^0pHx>87KkEOQN%k4a zV*$H8w7nbnMO{F_g;S7dL@bW#Iw0H z(vyzj;&3mrPo-2?H^I^;2Cr{%MOjYg`qlNza!+EWo6jG`$E(SYc&YplZ4M4CccEZ~ z`6?|3yrBX_pYu;58Or!5n&jJw$gj!LOus}Je3;$x3)BPq8b^Ek6+^k2jy-&q>F<6_l8t1SmjO;K z$zVCJQb?{jx;8%Gu8R+jI=q>}f=#+A65KjJHXXXdYiSbmQL6!8Ui@-pcSm-?672E? z5$V}LmE>4iHs?+u_mR~0Q=}yQkn8LI$FU38 z=-z2-h5bRHqDAbZ364i`cT&OV=x9j4l$fy+Z<)!!bjvCQIbiyMxkq{myw8Qg^GXa= zlZeHl;Nk4IG2yprXOmCSKvSPMeWgf`o8F8uj43 zM;s85?b2-fGY)1hdDi6Bc%n62Q{Wy_<5`D<5(t^$?sym=dzgB$u3oi8crg1S3sGZy z(Ujg5hm=>4oS_RFGrQRrx8$E3Zuyaf1|L9VPX4G!j5Nv2K+iCe#8xn$>cTvkn!$#bYu(Izs9 z7QZqGXlyMTwqGvkEj%d4>X)fQ7wG_bwIB;Ui;Gb4Zt!VSMf3?nNt z=LuT<0gb3*R>SogVMVCgq-MJF7qrUT(PR?pW;m}molu`XsP8N-{^PQ#-iVG^KQz#n zZcJ-h$gl;S88$T9`nkyV;FLxU*4@0<))_7VGD8P&Ea?pa;fPx-C-P2WX`*1e~@`SR7KNTat?l>Q@;8M{lG$Mwr&cxFyVu#|e%k({~1WwMv;_ zxERZ;Q`={Nj(tK6;A4yqIML)S^mp7hn25W+_l!FcxhjC7_aU2G%u*l$ zAaTU*L#3zZjWC_^DCVZ;>2_=0n!080ZWK1pNNjH4X zt3huZRYD^x&osIAZQWJ3@07$h8k%p>oWq}cw5Z{;+}nth&{klO(QhiS_e-R=WZ5*% zhSM6J0Z$AW2P89(@Q-Qi>Bh=lwhiF_ctryf7FQO{gzmYkE9B2W*?j=EiqI@ga=sW# zvMbEW0vLPc5W))0XN$72_=h5DjMhr!U~o8He-&U2XVD z%Osn=m;77m-xU+&emKtZ6qo4TQx4I+dI&-nHlX@PgLW_>s84x{q0K5~WkLF`vr;y{ zC=1^+K;mgPpY$KF`VHKHJ2)#5sT?~QUCy4rQnxDQM9MHvD66; zYw~&1nte~2Rxp|qQs5kr9yiCT!iMe z-7^gNJL6Z$6SjMCVZp}Je+hgg3{^fES6+aME^_w({*2F$#T}lf!Kp1KOViP7hNH=1 z9Atr97+;)>ZVn1MrBw4ITI@&O6n&Z$*oeDvU%7d7M(aP!S?sGQi7UQ@M5nOPHw#H? z#pk6gDFx7NI2MSxqzZ7|y>VEgJm`TVbP9y^Dxpv(Pezul1;01WhcPRvlZuqdh>j>4 z0Wg-;=c}y37e#9e&WWOU(HhPd%7nhK5wCd>u~VI-@Aa*gek;F1fajM1?oxU|uoh-u zk6B%qii8~Lj3wylgR*#hM$S;~;aqX#srJ33i&!lV!xCX(EZiPs)(FU`9M|L@=}e{w ziKHyJl86E%0kWS_ArTN;dpHx&^_#09RD7 zhs+fW)aH_@RyId0sxx`>J9}Tl18EhUnaQ43w-U2d}iojG{A;lR6LPX$X9W0j+Hdzd@5g&6+d>*31 z6_gcCQkC#L(~nsUmhDBu$CO{E7D~YX=!VUOp>PHwrCB=fVA2zancg6b@VCN!h?v)m zM`EfintY|a7cEvS087dv>~e6tQSHe>4nI!kcQL}Nwvb90pxli1U$ySmh4x8L@+x)k z0b=lWkF4G#$S&qXFH&Co1$*fLY7jO@oKGQuVcbZ>B09juQ|(+Y;;vJ-vK$kir$40J z6G_PQEJysel0C%w8=S)u4Re5GgFnmzTopfzwRTHpdYb+g@3;&}6XRmVbSB%hBc4eI zZJZ8TxeiwHZ2Lu-@bqt-h32v^B;vni~5J&vg{Oi95OaJax0s=;p5w&oVLO29ES-2S4SLxbhgAXHDDR8W~REsV?c zp1vLSQA5ZYTMcKyCCn7dJbq{o^LHj}5(jKQWoT2^p8#G-KOL#pQgWZl5oK<sL+9Uy^ZglhSIq;B|RO(eK!&P1aOC!<6OGjW~VOHbMdoyp7n7ta1`vO-$mAO zq=09-L1s@G47A-m*-XQ5bJ^f{oh)ci&Jfs!6L}9|JWTi;{I%B*E%q5PnNM6~KirD! zpe}ZMFJEI6>8?_A5S+71I`di0Pd{2KVoXnAjE6382G)UhqRr zfgqW`j`58~f|*^W4$Qy&4fvid+nfSY?(6J6ui5^hbQXW;-wq*4pt-{O+uuMCrj%Qn z_Xn2ut}j5s8wOJ>SBypA(_ILnZ^OR6QEb0N(!FwUz6D9gvN)Q_eoUo!$q#BBBN%TV}E> zBNk;MA~$pGQTUprmYF~cgS`QMY$KoR4weY_*1y9C2bq3QQ^oMbCT2xOQtOx29}>x2 zQOi5jZZ`R{*|nG{I5U=bmG=YjXhjWi(VnYhI1ol9^5Hr%( zL@X>h1i8t?r_VOYIeF=wX#+ACzR|MxXCGGA<8BCgIL z8d;E$X&}uFLcJfBB$L4jD#87l1|Jg&Wj%9@#NzwmULnv`hJ6%!T*#a`I-}9o1084Z zIPO|jAGS{da@oHxE+{guPzUA}e5$A!Hjz;&;|+7QEmQOdVr*|Py5OQf9Ohjo9V7kS z_}MyFswC>))rv{C-vsBwjQVlp0nog9m?tA#M}Z{@u-4Wv5;)j{kVl?;{1@0IjB>sM zSiPc$un=b^y?}q-pJ+O55S*^pNfl0@O)90>ouV}CxAxFlqD>#LmaX37e5TY`Z@y|yR)J*;a5u?sbkk8Td7af%$>(nI+AzH^bYZX31wmF}PE?I_?OANwUVW!zT8qKthN}`##vGF{&SN@#-SfUb& z>N_d>I6z|;tn3Ta{PBJJV!@>|gB&E^DixCWv+yOJ0Pv5*Eq5mU4PUBB5AhhlTQg6G zuCtv|BAXB8iVf$JTs#8T2)~G%vC;M|KvMcqoV|dypSCV!ngS-ZItcTA-}{C&49#K~ zrZ*^pUJS!Jr~*DBquTzpn(=^|^nse34@*8CU^c1gI?xcqou{yTncX@{9!XMcMtwI5 z*+09hTHCiZBm~0^t(CR<*W-?VUX)Xwj3QY^D=2zXyA5BFSfO(1s<-lvn_UjFdtoqM3A}`+c2z zKT!oLq`} z+ref^(yP^`18O}WYpzyPqp4X9J_y*jnyAiN_#jg!@sKlYo}#A1Kn`aKy70RzMa~Vb zoYj`GQXSrpt7Jpr6D!!~bpU$qP32xJKDHYTvCi+q>!{0ytH?_0CmerH53bLVrexlc zz-gtNNCK+A{wt!u{tCaB-`CIdRA%lWkJ?m1IrTZyql*UnABLTIKJC?LAp<=hMiosJ z+?MEkH!6M^mc_Y0%m}>I=(6vLad&1R{h*<9{h&|~5Fj~|PHi7*60_+_BLb_7F^J#p!uUxD!(c}%otQm#d5tehufxd!{zbHS6EMp2p z7jZS3kBh=o+uNZ>0F7DRzUBJ5efulNa;#ovnWTNS42uI?Y`7g9;S>0>SnJR}bb{#( zj+uBTpvp`FSNLRhxKDXiC5JS71e+M-?VsY=i7v|6<~SFc zFJ|IXw$sY8Xq*Bjxxzq_e8Uh86ai5?0BJ)`H}1-1^7GUHd(KVC zNQW?PcaFz>Ten0CA6t@vKitF`D|d&cTcY(hL{!5Ddt0iMZ=$J;bl#&R)mji2jE9!cKffe zPHG<}?t6`$Dk0VzAF|n1G0a7-wBSjmG;0$#5~whbD`q1uwOlt>#gKg4mqI*K6*>^4 zC3}c+;UxjkxgouF0b>0z`D0_k;~*O;w@QN_S1D#MAEp=X3q0kVX?3j2IMaHIyo~dm z^--baRxz9Owg^8l^mRsubMkH>Qct_mTR?P~yJQeewx7%)Z&H8Jhh#08#w?W2h3;dt zcnx(j9L+#EhI;Uwv--it_Q{wpK29KQbcF8sJ0!;6YWWKefa9wboTJio+67Ed{!J|) zR!hJ;)G*GLP0Jt!Eo6mV@E^gIjo(Xoq{h;H`!?|_JW=kWoJ_>=-2CDoV(*K=79Rwa z#K09=iyyS47#`G-H2{|InlBwmgYyLJ>H+!a2k{EZ!bTE;y({n@^VUSXA`9tzbF`cL z22U1+&eta>x@i2AN*UtrA4NWpe`BWk7ubG*i0*fg5qL^JR^&WFfY6mCCK{5T|G>F{)T&;Fe)&+ZGeI481>*e!NQUHx2?(M?*mHTXG+Q)_Tcvo<1mqZx`&S2r zUd|)E*r5rM1ISaWj#!`RE7gHH7N61ikurpz$Ac`1!Z6uVGFBXCNtHhm ziG_LDqp?DAK@4w*KVDXFBLy-`VUrYJ(+BxhpwbbT8&NnCUjzhlhx{&zF>oyFW6X&O zmFCL!wubW08ES*w9)C5~`*v;?lFrEkAT!@3?=K#Pvi7>0s~AT{8l-a1(f=SwtAtDR zESF&&lS=bd%6C=!0Sz`Yd^)@zQhyJc!YPKgb)mC3rF}7)ZYtWqaP2e1TvxpZ7s>J*V>_!i5vFAmJ15!lxN^wv*@7HbOCg8K>n|n4gm*|CNhG_&0|aa6DSuAx2H+;a zT^h}#IIGW?RfvQ{H`SJuTTVH%5%+@}t9*}&s{BR5Ma+}{Eg^ZW{t=rNw3yfn+eIT@ zf!=EB)c&I2vc|>xFTu8V4`j3og5ctd)oh6B_iM~9M)pD)WtENl!qOZZj#mj+BZ+O? z?7RYW^*P$xeQFLQvdh;v4&sJ@CA{ltyi8~kJnoyw5EX;FNglx=pK$^c*_$|17zThpX8wRNTow%R_8XLxaNGOg38{gH3_f+|8r&rXW)dM@AW%^;5xb@f$rQ_aWJ) zfdeXUx>f;koZF&zu0o#oVdXi&u!$u<5i)RdO8XZPLi*o=PCwnKL(BhzX8{{8wLG0W_x=q!@E0m z#<$p;98hXmR*SrI5*8C`fhA0tB$F@6j`Gh-lpTnsN;@bQX>b6^Z1B!XG29Gs2i8|5 zx2=<2H}sK}Z&Gl)i8FbU*GP+6>g}e*nh7!hzdjZI2{=YeZrS=x3Lxck8)ls6kV;u^AG_D_ zs!5JBydGx~68QTVNQ&>IwmuKO@OX24LS-{74Eg#ArR0EqT1s$~kHO~Nto|g+jK18P z41_&7o#OLDI+m->(P-(;od{gD%;I>i98%eYIOY?(-jml036FCF8JDonuzqpwEie@5 z5J;B&8~WHfco08WZFnt?DCQ62@h1XPxryo8lFobL!QnB&dO{$j=GTRmbV*`>!-9^6 zn<j-LOwE;=e^;Re%F zpvSwFryalX&Mm?fX3wk&0}fLJ0Wb1PI{J_NtbgtH&cJlsRiw*~JGoQG+R@t`tmFUq zb$<@ef4RFmXC&^7{u5z0Qo{RpxZOyd>pzYr)z;M1{p0ZN#r{0;&P_q#Z{#NcqVnV^ zN=l%naz^CvPCtJh-Rf%} z{@&d?`S;zhCW=-8) zIEmAp^sldqvOe*{+0NFLD*$!Ejk^Ayvg|-C_&;U&Uv$)+RScALhf?iOOv-=g-v56o z%l`^~^y%+dcxA|7;St(_e{^W+qgK$W5hJ1l^W^UY1rfCWh}KT|2Uv=d%Gkv?T?a!0 zcqssbtV^G&nYFV!7P>o&m%t=Mz(8P+7*4#SvJH%wG9FMzQX&iq%rKGzNgO6rNq5CY zz)u8G8k%^=6iH%+k{oaeAT#i?=iLO4v`W!4Rx(cw7%lX(t`Uq8z@+H_^jN2hEV5cr zOWsz&f6Pb?OAl~^;W)$r=33$%AaF($?jn3x)v!2Q`s2~$2O|%C3<%ZK;bmB$xA4ll zxEu+0FgPr$gg9)c2~dwp^B1K;H&%$zX+9tS=b?nfCyJfL=uu#0v4PEv}P*-YNqnH2*d?kb_AB; zJcj_-aqhc-727-G4DMaVSX_c!34mRJtLVnc1ppv73Mb|E0Sh0=Oe$f=Sdf1Jeuh~E znN@w51Yx|q%Q7Fow5cCsX+~5RSX*+t1I8w-D8*5Y--Q&Yehm8u3!J+7#MM*2s0)1x@?zb{=gu?RLu71-hCcl5_qP4qUXM`)NI7k#mtV}#`R5+j`inWJgmoPuX_lct zQHB?kry|I@H=6;+E%XIIh=S0UT%}J5PNFp@Q{Q4tO-tH=mwwZmgbgIy+AB-V?*Uo3 zaG_)X(}jz0a`|-@6WJq7CoJg?gLQ5e9c~*9!8-ZZ624`0{b|oFRUld^h-#bVpCe?0 zi#hm-bG|xQD6evkSGQF-?P$Bb1MOg(8W&eC!VeWZNW0W$GaR;(ry=(}o6f`Ipw9c} zO;P;f7c#`hnpaGh)4@NK5`+6zs4KtDm!d37Os-f`EY`f)X0&v5@lEt+}9LhMjIy`o2 z7hs$B*U^_)Kq36SXb~Mu65xkBMr_I;Wv$5Bif&%;J4rJ&g}*yI7OJr=&zFPr`-J?At2i9aRVExwGoPznZIn~+H$kBX#qugY*k4L){Z zqiKN_QqC*)n_i6(OmczkIu|#7461*>@KqEp_IFymGfS%71s9`s7G{oshlO@?I&8u5 z^?s?4OMv$T{59Sr#SzHu)5t5h5w@Q)rm?qUEB**}%@7G&HoZRSs+!G>HRb3qI0kIJ zp~&Wz2KMp`VDgU(?Jt@ld*rLQkGYJ4OgMS3&?NVgdX>z-nQmL|zhwGSgKL88@ob1+ z6R!`*d;Kj#xM6`U@(MgZbO`2fUWbeI_y~=cra#C+&+oYUDtl5b8N>6;H#CGT9D=dC zL<7E;aYQ$!Kj08pHdCuJg?~+do9Kb9Hpm7@p`K#rRuD?n?xxB%& zPgkf=*+RC2X1Dx`bCl$$)?cgLOquX@(Om2`Jr#?+xYX89oYTD6me90>+$!FIEA`yl zg3ETWNJ|rPHzJZyGGAOF%vDuRUeXWQ{wL!aDZ*dVi&XMhc=5Kai?EC+QZmt%%%Ki$ z2mJ_YLgwvSP94pAa-kBB3z+0r!*7}$Tt+6*yLy&w#fh%JK|Q|(UkX@pf@cXLep>=v zax;k2@e==mj4NzUoo8IMX_V-FMA$`sCUxy6Q2NyGV{i$vi35%nn;#HK7rIvzN`44^ zjSq&x{0e$=H5AcYlloK}AOQ6=!X9CO*h?uuBsFwZ@vF(w&<4+1s$ZdH*MhUD65ta| zrRvHo$Y~SPICpSzeIDrB+fa@D_3o4IKzBgmGB#bMz{ zI=H9ai7b>a@2g%&rkTpr zrvFFTyT?UQ_W#4zwYvj5yX?TVFblJ=BeSpzyUO4U?8vULI4CG6>XN9SsEcCa859i@ z6&25>sF-+2DXlEEFe$a{77v+eCLSs)Q%mh=WoFsIdOp;Bf1msJJl{W_r&lkBWtZ8R zYp%oR`n=zt_d8Y(1p>IcXEB@X*-6ay!7P+{_Lue$>%^{z-$S!q!R72j_}x&?NfKM! z2k*xP`5~Aw>rK)GVV7WXKOd35xPDvKScd>ktCovKF+@w7Z*1nVDfc$cAVj!Q#3HI3 z7ZSJYg`gc;B(t&-YJYPxRrCFa`Hs#!x*03vSF>J^n}O$D2C}`?aLx2Gs5iH4H^^c1 zu6oxv^;*@j%6@l_FITFL(Xlm4r8{|kWZ!JWvFZi&P>YEScleaNup^7HyD18rNDq3= z-9w;P(F5VB(9AF&nf?$M`+lQG@zevSf1_B99nUu=-_qa}uFZ{)(a~9jSB%Aff+we! zN@-}fb-UZGDx6EDKBrQtegl7^sUp`|+asuJd7YN(PCa5vB^S6z`f++VJ-6K=yc^so zgb6+B&yq|zpWzPS)ZAyG7SPoXJn4LZ%}itFGQkckwXEd9Nv~`Es>0_S&j%?ivet?N zMcskl%ufM%3ePrbu_Kn^DxSl`Obz%BI7ml23g}nVJ0uq0ZTOsy#phc0;I9g%BIyCU zA1Ajxr+z!H0t0Oe1gaiIc!lJq6779S(1*XGUQa1;xcEPf#70=WwNAVQ)2_J@MJeGqDI&OMegM|3l8;m@|)vhJUZ7GI09Ub zGPXrXm#<(Dx*CRK$z~x8m^;!)x?C!APt|wY-HlWK5LZONWPiM)u`fMEA8uw(3y#`vIAGM1km z>p0G3OMlSAE`Optji_`-65rd{u;2U}`Jhm%MTnCmgeuP`WcXeSG3Hh##WE~v$o=c+|gBE*DNkg z2I-hUUy`182VrMmFYBbHRNf&`j>Te<#_^5tJ7I(S)Gn|LeutxSHft@LXmO^V8lY~m z@722=;GPii52mBlaQ6>-*CWDyF~VS3XsFL77S{=EW`{W5gvrN@$5R%Z9M}SJ&VFLf zy#yqPnUqI}06-8lG1(D<38#^@^g(=+&BgPU-?kN0a01UJ(Q9#}x>H3=B-WV zXTUEjD27wXIFrhMWPxG|KEI8Q@F#0rO8b*#S@;8*6Shd#Tw5CZRq1wpE|;V6?FRcd zCey0MYIZE$FyUl7*kVAwiQ8p;3pclZxN2>_M@f`s-wo$yp5S+2NW@T z!)SBOSf4}Voo25kTqL*Or@>WLTUTnYt3PL{c@58E|1!THMtunMw@(~n1y$XwU@a$7 zYw0QKZGNmV=T;~ubDuK$RPX|R)xQ$)GmP{g{5w6#Hn8{-keR8TVCepD@mu*eTw|ezw(?RCjZX{d%nfyRhI#a6$~!p^Rm%bVM0oWKF^F?$D${l+c17(#L}P$t94N zeamk_mXa{2xwT&b5NJL1R!ZDmS>X#)3`W zP`Wp1fPt}8%B7;&e^IKM%xJqX7P^Ww91)+Oi(*5h8n!PiLhrsU-7OpJF_V?;?-e|z z@qPf;FmPUIPCta_71sg!w-Bi9Vt$KY-Z4@cm1A)_*@PqIO<*hzG1I0SwdM@t-K1S-)U|NcPz2Zr zJC^9GKK{8FXWK980dL&5>tKb7Uk)6^2@q0cl|?QOzg%%2(F4R+wfw^{dJQ!R3R)gP zDHFdlg8JE$+!#+!dQcW~KaE>;V>&%KFuAxH*Kwaxh3q+DqbCmcfl|sz60pL_d~=(g ze~ZR`{A9fcNAYtbgzZdsTKK#%A4gHHmf^f19J9NJhPEj-YCQwvlpAQ@njs-My zLWSrG#kRme;TnFPzn?6fr9JHM`i~*mkV*c;nZ>d7#jF)#gkj6=U?h5ySZNDcVi`tb znT{b#D3NXOGyoud4ljXq?h`7Oe?nhxustY=Y8r~|>=>#mb=&6dme2GE6sXZmIS`7*ukxB9fcF5AE{yNekp+MK+{ve zXMR1p^+}aVKbFgzK1V@sMdOgXS>W^x7U9nJJZ6PRM#2_O2%~HPUj3MT*D=lhpQF|$Jxcj+FTEt2wmA3e1e)FBnKW)l*V{wm7snsdCvF&Xj85LU2=8oe`=1eg$^Mw6$ z(zeHbq?22g$p+W1P1OeX?&tR#y6!#rqoG^t+p;kw>r(ldl!)Z|{^H?pkM&P|^AF8{ z?#G_*9wwcPx!5kfotRc1^3K85Rfgo9M+c;x%hVR8Ul`E4(DVMtMTOjzw|BgY-ygE* zxbn%&&rKoM7F-;VvGPFtxs00|#y;WsVu+UVef9jk6TX*T9-G(mV!z0So;TmnhNs@$ z6aQXj;QS+NvVOU~evSY4A1=;hyPr(FI3WGxqO*gGWacZwT}i znl=>4-A)d9WMCFmJfx^Fx48KB@Ug|lVZo-Rp(Cm;U&f_+?KPVPeQ$;X!xm_ zYnK<4SIU->isl+iY31%+M@ygGaKSW!ukYTVWe+&|#wpitTC~&Jslg*RzfD~jIa3-u z%s=aD!?00v?$p$~s((0HA6w^*zxd?nls~AL2<_!@~1|uSF z4vJkWyrq`E^GE9ibp=U3Uyi&-hmRf7%@V4A0&52AGIf30$FB88l#HFayJeMT9XC!p zka~FIy>SVHUybQ+-*8~HdqYIgl@XsFZCq6Gq*rSkzi(W~`;IjybJxWQ-FI9We{}l$ z&5v%cw``v9L`TDL61gg`wDQ?)OG+ocu=lOf5$?SQ^1?~X`vWr0jeJXE*n24CgGr0t zXv&NKbFo4ux1Jt4c!E-_#7=3uvgD&F19eMAh=;yfauomg^7>7b{g2iW@h>kwF~Yy& z{_T&aT|&`YryqZqyLHe>ZgyPtY1eCUGv4+75;wCWzlW{na>;Dltn}QbZL>bUbFysq zr*%o%p4V;h=hZIQzNw&X@$3^48`!Y8&x%6JQi?m+zWT9-U+=Ob;&T!SR8b?NAN zzuh@?P2ppPoas_Gq+|R1zi`Zs1p~uknkVZl6UI19y=KNQ3{7m>k!}#%;uo2G58@Y( z?2~+B@xj3{LmDijmMyQ3S(x|%p$ayxo1D~`v#jFT>FZmT#Qt_7xYSy!|G-4hkT6r1 z{o3+njAyYnrC`}Xl{COKJbJ>aerCt$rs^1~M@hu7ku&pu4qZNd%HT1idUw&&%afc9 zpQXCSKVu)#b^oT^mExQFv8&{B{XVyN-hA}))fw_n+yw8}2NTw0{q`VXt!lV(dTk#| z<;})^&gIXnliCj?t}pb_XV&jMD4%$IaGq<|GI#Cq=#Z%mi^IA&S3LZ0Y*AlTQ!!&E zh{FGaE`GUQW4ScWx#P?8q0Uz~!3Y0;PN@GYGLyk({>QT;ZgQvJMDf%~Q>V?I3Kk1! zNOesGn8%>J;N%$hBN1hZk%9cKtXXjy3bw(rf8v)Qm%k zPS=cN4IUg2Py~CdDn=E9Lk7bEvLc9u z)oU;sObrIXzrhq`(1Edx27|;XrNK!iMn9My3?w!OcpXrAm{7@3QEb*hYD9`EhQF>r zAbv<;DjqJduJgnQXW*%LCOsD+EQJ-LCPeqvH6h#`XNNVR8j${gS5!Hi4#(;)Bf1Nu zb9HzXt%I|KLn~BJ8agtu0#4O=`eNjKVrgfK|BoL^pijm0f7<&dWjUsEZe7$7>O8v; zKJ)*hJ^t6{(4Fn}pN%nlqH*ZDKN*kKAoJ4`e@MGcLqFtiqjz%iA^ zVeqlFR0J1A8_*bdNa-1!pB~eBf*ll`13AyG>TF)azsUo-zyKh2{p~CFDP{RV>)g2< zn)j1se>d;{_gnp6+xPvWq3m}HH2-5o@#1yu`N1G((P?1b8HN4d2gRB?XeCsluL41UPRo0&}RvCYv5$UC2tX^ZTY*Pe{fc|Tqkw+$0H>fBPp zAFTHuWIC(PJ2R@&czTu2mB%)KAR<0X4-onhPPwU-IcMkxsbzP9hSAy$yp)_wP=alL}Yb6&4<^f?==PI+U zk}IHjIy;K9N?}&hhTf-!8t7*d?5UsPfZj)Vr9Sn{t+9 zH9x4YD```9!i})Qx%u=?IYLY7c7@d-{|w~)ERaT4%WJiy5N|@X7189a-EYtfdwd|D}E2Db- z$r2?IE6-@fa%7!hwEZZ|Z>`BQX>tdV3RebkzzE2@3ZujSsBS36u9t0Ja2aHj*oN}D zBa~JUg>t8o7xDXr)uf1B#f|V&TF&ZO#YF~9=zthBS@+Q{i|L~Erh$!v43GLD({3a- z#it2If@?+A9rY8I|J(M$Qf=sD0oa2^^%k38$41~$1beb}H)9YJQ7{50cD~J=(aY`d z$`%(;=--1;#KyJYZ`r5q+Av(kKCL7`^$kw2J)<~~P|)%|nGO(N)ei5SrjyJVy>61m zQcP1)L~tgsMy#(G#orOznGnH6$}JP<;rO|05!J!+@=E3`?b1mna1MJN@CoS@K-0cl zB)u(YxaU!j8~>l*h>%oy2^1d1cQI%8^+n)&z;^IiVf0U)%T%;&f7uq#`*b2(068kh zhe8D%Q#t@i6@CY}$CON#CYh3)--nxClO8q2vm1a$EKDk{gv;TaWJ+K-Gm93hnaZP@%Wl4W7*dB=o_& z(DpaMfp0Yf8K8NMFt{KQTwCOkn85aw{#Y1gi&LP?u$=bA^C=51}iikGvPmM~z^iuom70lMJ`B zpAq$7p3!5sX@1rb+U)j*-@o84(5snZFXZfJF33hTZA_+K7a4jwk?(EDf7bPt{FT9Z z!(irV(p`Q^Bd-Z>wxJ&Oc$)m?tPFEEh9lWIGb|5u8s?)6E=iV=duzDzkrt(i*$nq5 zl1v-vZ@GQEhoNKm>qaiaf5yQ1P!DdiQr7vEV5`a%N%8Z(Lu4n7=@;guqw1#sDLd8| znJ+T|T3MlM*-EUIk4$8gGlwV!gY|xdq$#y)TxW=*^d2G(lH`2@N#3XBT8&>u1AoRf zJwRPH23EvQc5U#QY}BG25lnC1_>!?h$AaWUZV9=qlxSMMhfXmkL}_5ee1M;&v0^Ot z3`gl8@jWmZ+fu9nruZ{!Z44RPsi0ctN*7-Si5Vi7KBIx5)12iFwfGOCIj?I-5vk>d zWG#@Bv_z(lFFd1DoH*-6vxOtGWvxa5Dc-}FEp#4WNKWY~3_5!AF5#+i%smFJv9i%O zHaLHXb*F`y2gTY`Y5qx?vd9ngD9EpkW4p=udbUfw%D)v!K9^aIuB_HN+8C%|?u3VR zQl_BB)wLBbu}+RrVs&_ii6i4^nK2pcJtF0!x|ViW0K$#TXEfyR8kEV1;SKy;quei? z`I#o1JP9#h!4cFpgLjA(7Gm>zG_m5vJ{k)K(na|Z+25u~7k(Hk)dZX+OPMknjdM2} znRE0%J|wlBOfPc<&&Qfv!|}IjPu$ghj*&I7)-(e10l1_JZKMxy$EGN9sPK$U5FZT{ zKD5OuS}Z(GpoEf5!@$?K${T`6hNGD3<>|j4rV*}>R`uy(yiz_B%<>`h0DLDaBBo~{!zK&o*NHJWv*GJh?MvQF(2CSDKGyUIdWH?J;N zc57i3AThEpT-fb4Mu1`mUTKRHKh&uAU>%WR;=g=$JgoeEdtf{6iiFL za^u5A_6Kb9eSD6~m+O$wgB=Sc#r5FE+*(3!st<#eeyy(JBTzSrCl{ra@{0(rINrLA zQ{OkQ3=e)K8#Tft5Qj5`(;I|Z)>+q5StQ45aZ>#$Xg%d}h_KuiS7@V03vf67^%@de zenTrvAP(D8Rw0odCsc#0Ad9ytp;)M4d2gt^TgSK9>HD~kd=a-bo8q}VVU8!UZ4N|g zcr%xzUcl>2NwyD^K}Z^&my94_5yq-MkU>}Twxi3-sFWaL~+h zkY@Lt(6;0gUa6vm4`3)S(x7z9Rb&1>ufPnUK@Hx0pA#-M8RXZ%y$J@wK@<#St;!Y@ z)Is}gMWbYf+6MKSwx=p0e3w}IY6UFIqAoV~7g!Yzquj5#*qoWz317`NuCoTkBO2qw5Uvs*2{CTy2YKQm+Nr-cvvq+VRf0*Oa71&L$yj8vfd~3 zNu<=QHR~=!39BlIY!tC1*~1UJP7na z&%++g-WGCE#a;teZydK(LJ`%M2zs;GYs~o!@(=dQVSh&?W+)c!hVUC?w%?~8|5xXT zSC>N7^`4;*!qj!PME}pREg7~hc&{bD%ju)^!PzA`x}dZz8pfw;zq~}gq*I3raV!s%J!gs4f!L(GR!QZO zgD%J(92Kq=j1%*d@G1N_gdFrCQc}AR*Q2|p65E$@fWkwdzU*1L$|qoDyiG`GO$7W; zu)~}=7zGDIr`x0n=E31n6jbqj!duQ5$sO=?T7i_N**8*Ak9V&LF6KbIze$Vl!_!@f z;8QkdwJ~>X({lU=Np$x!cE(|Pz%?v6i(zu$c&<`p;;jnfTJ4neFk5EY>R}K_UR)ti zeu%VsE8R6{c}mZ!e5D-=UjB=4gxL_#lO z&5v>=sRe9|H7N`!n&+Q}9#t@dHRG@T<(Uq2(61Y(8qm$36NuMH!Qu>takT#H19 z9_jp3!t?Hjh+QHB8*iLYr;E{8IIKdrDjx_J-eh^0Tz@u;J3|8JC{>)HaVIAV8*pEy zlx9e zH;Sz}29qF-GzsD_=vIF`7sqiAgxsb=^V4A@5l!{f!Om5hkNa_nz(zAShJ(1}7fL@A z>;gRtEaXHta*^VV@C`ZbPlH~`yyC_9J##HhFCiIMt|%XciMK*6%?y!?UcpuR8=s=X z@1A7a>@j-ru1;E7e}@(DP0z%@7a;m>Ul46C)4R@B^##Vk=_&i^F2V{q2RqN(Nk?r* z{YPLP{AMF+>4B2P0Q<1gS7u#*X9DYp?AiQAC~Hcnr%aq2WnPh-v^ z)bv;<5__@KiP{k!h@D&^{(?QrFE`=@{9|bWY81(Gt_Fk~l$#O!i+cCU@RJkp`aBRf zScj$cY?8Yp(KVrILg#`zMI3~iDp?12Q#pjBrUDm|n~_kfF2^T?bnjn*6}Ioxm1yUb zFf5rzM|ziohPP)0xkp*V3FekT0g*Qodk9KJ!tm%*RnTiE)3Tl@i?#NL6qNg75wZQuElkq``c zs8}#(2&7-R2*v)33O}*SQU2~4juR8H+Ksj5C2R0XwoBzXGM|441+NCQ(X>=`xZ8-= zFCWtuo|c&Cfbvf1JL1Fn32So${_t_Pwf;#wd0qZ_o-kLJQ!Y)h%9gSG~i`&S;FIMf)r| zUuKFzQIUZX-eiED|iMqeU_7ge04~wq$b;j&>7q=VRF^$bhq*mn!p}qok{E_ z&}G8@s>;eiP;DH~eMVKYt0jn6vxd_>*d%pR=_^Pz$Xhk!fVf=?AxTpCz;Hf4ky^x7 zONC4irc2MBkty|1oO8j$>`mCphRu%?v8*{*7oW`8WkJ)3rq zOtw!qP~*Hm!6>OlG@4NPW8>v$!E-PXOJ4|48H@lJgPodDSpYgrU163QU98%#<{ z4{ep1$u+LxkaE*3-y5C6eDmWDo6|kMqh{GF@S{!aVy4BC}ya5Q3;lNZ15H6cA>| zKoGSa3qky#EL56+k_(N_)du`MyPu3DNy-Nr^lOSGSQ&iHt}zr0d>p3(RO*qF`2!VuvnoGd(UTW9`0Qo6wRWv+hFF_*sQ z{8@1x?58H`&WBr$DrLp8QzxHLuIx0gjkcvj5>I~A4&>!&5Dv^kg+T3Sh@uN>aIe_qg-|AL1T;(}%!DCTmpHQTmf$lFinr zqiynJ19Tg+w*Q4>4Uf4AtmwR_#aD?C|S;zoqgtNHJ_O#dK z3eFNy$y)^?B2`0gq3TLBt0&@SvB@Rt2ZDfY7jE`jndpVb5L@xs-qGsu2%uV&5=#61reJ$&e1toSgQ1R8JR z6%2p8ZzvM?fNjF4A2j$~Qu_jf#e?Y2ax@h7z9$fA8QKT?;dU{-;iC@p=QOlp8anB? zY*d^fN^+t66H>B5N8O@eQ~&mgP<%CvKOW}lt*p+Ms}TXmmePvO1i`9N%QbcL{9w*p zimc@kwmkRm3C;zCOocmipEHXfGmvGgP{wNLyS6T+i_u%13m#&=Nzh3?aV#xuAtlaU zCUTVC;vB>BJp>{*ha%6w8Q7F<`pg+L6x~3hQjmNS`5{v^L>_`C{)NR?(8gvo@D9rH zq0(m&$t-;y<@7~Go%iD6pMuo$6UhCi!Rj!Ojq+lH^Pa&UqjCN~0x@u}>p-!FPqr2T zMun@>QHqHxnge>hF8L1(=Yab4wq$Eqn8egAG3F!~(*WAj<&SqJoRacv~CEW$R3tR}rJ>qpoG{;-+sX)g4ant+s3 z6~l~<0R7NjHbxm_-(==5*zHLc=JiO%PN*dR9fDtn$wmgDgD1_zrR>3ogkyn*;tW-8CVDh4)+%y9+}BAl1OUXOv_YG#xC47P7E!&sIh z0SE8=0W2uYPnw}s8Mj;B-PQhm9Hb5vJGOrv$0m4_~^DZrTrt@MQzzFq`^tzpz$(hw1*b`lF0;Ii|mZx5*yyW8~>)pOZb*2mSKdRTv2KIrotJJ)iZ z%v*rmp$sbDme_LNeo`+l(aHy-PzGspj?q^Xu|1W++LKxc<271d8!lxyt7*AaL#~pf zp|A&f7nD21ZvX?(_X|jNup_^ zX`r$fXLYkw%4}(4I1Gavc_f&9*b1A?WYxTCG_X(S5^Ax|r?2Xjz8c@pA=bn&dTslC zo45T63>G@x7YxDi$}OAxi;jOG31avpW=;T_PIAzrZj7+aQ)cOzME%`Fc>`jWcjm9Y zM!}_!N%;aXQ{g2(5eT7|R!jh$chH+KPXJ+Zq&$zz<7nQimvmuh7g?>e16FZ`5^3xs!iDSZa$?FL(L? zT?BF3u^M4Vptr0bVLc>7VEwOv+nx-2QeiY`%P6xLVHo5^LbSq%_C5k0CTDAf>EQgN zWFg1Iwt4a?RIwjc?Bg=Pp`!7VX(PSGeQclqd!@z-un9 z5So3dXyC75^i<(C=u7&(NfOTF!JzGjh0C35@G&f0$B9gXuq`R)O(g6m$?R(&@poG_ zlVpFZR*e8}kTNdc(p8{;7ybkvC$UOveng;?b3?JqvMJei1b!#YhSVKd!oHp>Z~^u< zDAh@`=|Ps_aPxzJsY&W|z;i!g*maW|XZyHd0B-x4lWezT30jL?z<1M^yv?k2%P)0j zUL-lUbRe0?`$wAbVx~ExR1+b@1j``d&>Mz~<+~iR)7fAQ7NDi8f56`MrMAy@wRyK& zqukgL4D){~5!F9SgE!maG2OFR6}p(-2A zv#UXUq{>PsWCfuzv?5wsLA$*oJjNvcImX!#tvb*h@v^SaA>Ij-7E*B~dP|3|5;Y!F z-8E{?M6I+QJMlJmz$C4M5bZXGfILpQog{zEI0r@8$H^v-a-4<_*|-jTy?C~?2{0V+ z*^{>7q^!*l!#lRCYnXbyH$k3(nhsEjkgaHXme}NbRMQTMFTIGGc2N%7K4l4#rjZjl zE0FqgU?P6txr>LpcXs8!(mVMu-q9uBgFN=dX89nNt4%^09%tL<8;`hA5Po!+iiRR) zK{%RNcJ~JMPr{AWmh=k68yff;+aP{3x}cf2hD9XLa+Ws|)x%zc*A}mCebfAjjZOcZL zQ_Ot5`%jhJ4JLzA%lFab*5yb!Lx(?9Junq)$16Ou0;TXp;&!B#NCM8X4WN@GhciUq z{y54?iQ_+vM&(x{1<=u#+fZ;3;b1q)#^g{K=8y7l0d$MP#04omjDfk!leeCp4 zrvdYdEBWEwA(d+cElFq^3yN1z<&cQIqkg4@7&g()M&KIrhqA8-3Eeu~M;oTptPngn z5fl^qTc8wfDI~({fz+SbX&Kc63V>H}$#@f8s0=e$9IVUgyb)D@#g@gsEN3EV8NHlM zl=q@t7gZXs5L*4q5P+h1E|OP!t+fLxyVASxEE1iwtS`s8pE3z|13!rxop1{_CnZ|p zW1dQrpN|&a`a74~nRa*+_JxCB`lv|;-Oz>@E|zJ{I+7q96Eevz9Pctpit@Elw=&E! zDlR2N?2qKf;}7j(x_C&cd|ManXX-1DFv(GIV8DAV$<$r>fGD5D@~0Skh=Cs&SQ1ZuLgU%f;K{IKcCw- z&xfkxLB8IeayfstYl)l~BQDg419V)BbG?JkmTrkFv1cRSJB&0}r=U@#2z;s+mLfP? zUMV7tT&jEvPka6>Ef<42!nTWgR9#i4nJ#i)~@}W61fpWlQ&a1>k zmQz81a~>e3Pap^%pIwB%?u*`f0&&+%x8aRXprXELAH4G@a(7D>Gc@oKl+GOPzFg+E z4K-@a8{-;x%Tanc+sySfXM@$E;x)>{>9mT7pjaKRP)-cI$qYx z^FnX@3f*o{D8DD2UTQDP$eYo{C&2yzd{P8y36}sGQp&H0tE`FOBK-?OIV+n2t+tHJ zm;bxn*qK}@*YbZf-K|HYkHjINJhrE7bO!9T-A%E4Qx_lx6hBffBJmwGRYddNM9w!O z0|2pcYl~{}tI!%Rp(1DymdljWHAVG*H^bX#V_(EI&v}vJT()CJB8uXXJdScNovU2e zDR&a&16aPHD;kR$ZZM5u#mDwe$pcmVa#U+Q60x^Z`85o=oPC2(8pX^Bvztv~9>tt8 z;X2l43XnSI85{GsnNJ*LuaEF|?ay+)8WY}3;`sd$m5<|k(^&{AnS90*={_7O_GOeV zMC``^e8%K4fGsZ~8RYhrllV58oidgg70$#*xgU*HmWEq@vS79-o!}WbmlEt}!l!-` ziLO|m2`9VdbTgh#IMIxSt1vEp!9p4TB_sZfg^_HGxHD2HgXfVL3I{9XNQDt>jI2g6 zE#WW&t-&`|*xTa8O~`yW9QNcMWVVvx=fDcl96?}tKZwj9TY!)8G%}y-Jod!qf5FiQ z>0lFl*)`HLFqr?Kuk&RSvw)z{;_688N0s>(F<&$1IbSk=X^erQmD=1s2G)&!9Q!;sQ!g) z@u+8!S_O7LZ`ho~>j{^Kx*tB=RmJ7hY|2ql?h~Agy6TD)KSjBlikt{EC4~3D@hMff zXqgjZjuHYron4G-8tcxf>*Q20sb*BRx>u`LNz#fhxn*8MHjy5cH}b|Jb5t1fb{cV+ z@-W{09``S|!GqGRAL>mB_F_E@NAZ=OCdoctZyPddb7<9{7*EVbH~O=0HCo`ubi_A3jSVnN(QY2A8WerdYtBhm1-)P67-~8$lHo@Q{4s*k^xt~ zz$s{w>5MNODNn=zqhPBNi|~2;6x#)K`p8yg8WhqDk+e!7!V>^vJuJtwcp@+fhG3y5 zUQBr0)8C6O$;Lk;`xLu%raqABsuGtVIg`N)*)J7S2wqebu2_-uFViG{jh@?NKESY} zO|?>$UDEWAGMQmEsJ{DV*hX5>EPwwnF~J zdN&G=PGa>ru_e(+lK3!FaEiD^1F4-G_2NN|_)SQ=0P6kBN`wEV9%9abrhO0aD_%r$ zQHXO$oboUk+>gi0VNB&T^^o7E@$7W&WdsBAr>sr6l=rHp*bglrG?KA}vQ+7QRstt_ z->Vw%so3Oc2^Mm*LE=F9UF%7F zf1%S>Y(vBwxJkA(SK)2wY~h@$Bg^~K6?hYgDTMM~Asq(TAuYVL3h&5YQbG@SDDNTA zLAP1m%i`({Q!Jn+7(8u?!4t&SP`v=?bqk2!hS_Z5U0l%yk=k}-))~BaI#aK!5cnU0 z8j3s&wiAFkl^`J!8qxL};1>0LOzTtnOQ-BJ)0=k-=h3q%=iQ48at4+!#g!NvZ<0~9 z6Wqk(G(;7KS~tgWee2!_{mLOZsmR^if3>BBh)2N{)HKuD6wZ$}x_uGC1fjd_cj*sy zQByj9KhiWbXA5$^5j6^S(MOQHANj&{d7w0~-~a0b@wi5uqg5W);agSioaGw9Mr@)L ztK(tLIT#wOEgT~!Y3gPxdvtYWN&yNsHlBn$c5ntvGli(4y5lH5m*REJsF(%$#rIIf zbm41q$<#x-?Yxy7G?VK>_BhV^467!hFEIrn?#5 zY;R)#+)u!4c?A+)VjVf-k?;!GQ9kapUt@3)`zXAdNWaNd$^eR;u{oF@U1C34=uo<# zlpNPn!uz%^>@v$=W;)SvUD%CXzL&wg)*ah5ub4E^bT{r4)!)|BdzRsicc%w1 z-RLaOk6=D9gmpW|5T6@?j?BxTo$dJ-n?nATcSINLtV90ROzwl(C15{bW23{n;II+P zcGwlQ?ZOjTN%4gWvq*oXSQm^ZR{jsY>srvlTWBa93mTy7rJ*2IYzAUv5RBj;(9QiB z&}YC}_gj6tb!@tF%h>QeOx~f`T&9O3{qN(42wn%ygCU5JqzaPRbSyw>rwH58;Ii{~ zH^@mA)r1GC(@a9k*SpV?A+?Ek2wJvx^}EfW(SZk00FJQb)1%e#4_&U46)*~a3lMWI-K+et!{M~ELd|*(rGBsRSp$)@GqB17mJ5PH<0+ zhPv_KMzX_}sGLN>r#mrQPy+#7^O~1&S8TPtPWiG{D}U+$aD0~g)-NHs%4DyeJ>?m7 zc20~IW{R&V;q|)b6@Q4(2vg~2T48hr*cDGQt1^|r(;UO5k2lvdt!iT#a^s9W*t8_e7= zq$wMBq{Q7lUUtP<_ZV$%n9k@w1LJLpdAGH6*Wdzt-I`8A3>laSjqx!Zn2Bv!7H&o{ z5n}P!hSA~&sGu7P?4`T;ESf+)ZR0K!^n>Uwy7r4~+)4*2wbPu=7vp ze`pMIK@SD4HcXEv-JOLrGl=`2nAvLOdU(CuFYN8WOe*N{0D#o^Bb7KSOq)B>@i}g_b;~(`+q4k0iAY(1nod*E zLa97}k}gBG-~_DbU$k|n9k%9zDBQ;8r69{=y<7+6D2nUL?Wm$fuSPr-%Rknm*5yxS z-RaNSBgVjqTD$qCVCvwJwIzY#om9f8SPgrqxiom(++uZHwP#e02T!*?_N5WBqIKzs zW1s=E8P4Kp*dA>{)|nPL8uJ&e)T?+u{XH|&Xz!6+1U4kTnmM$uOai@?vROIEF^QSH z2QSEyf$YoXvX9Hjn6;pE574>hcrffwNansAEEPhCvC{u}n4Quqsd}+l18}FWGP|u! zJyP>3AURbZGoW^pfTfx%cTdQWDO!bEYoT_y4zjSz=)12|acoeW%ie7TcvE>6wf3Pb zqr9fpT-s4I8STpAD`*()DP|`l9jZOUL=%3Z+c#EIwhtflq)1N!Gid~qW{~@YNgFH| zXyY>c?lf8JeGbzKd3p2B0fC#i)EKhd9icQ8f>BvW>{=P=6hFy#k_ay(L< zVe={nSP-GIDI>y#349r=3_+cdeP9HANO%M?n6xSQC9Da+Ci#^AoQ0(~coBYEi2Uv} zWh^FX$~O?(L)KCOGa^I>dt@2O3eVM?&`@DB@SRLg6N!Ja+IxoCV?vyDkBR>+TIO}a z6NIbpDHc$|O$bGlMl9TdB;nm9t|s9$WC=gi!ojNaB!3?cnS^(;T;i_I)i+kziG*`D zoBSJ6I`G|E_Y=KAZQPH9E=ntMoV1Mr8lU6Ozyc6H6L^Sehbgf2__LEZ2(!c~NUAD{ z*#5e~)`&+EXTWh~syYxw7TT;Kk@B@L6`5iJTU=L#-(mIn5V9W-V9hCf3P=<8Ab-*o z%UwtWCKxLu}0xz2s7;882QWL&N`YOPTN@n(}QlDUO7|v6$hBJMmHbDrLhB5y3-?X z7E-~=4i@8KNIZkoBsm$erwi(k+7q_p%x*~>(G^rToMCLmw|*}YyK2@qS*0KO5yq0u!a@&ADoCpLfKsHF&mhZyNK!2g2PjW7a3->TX5^L%den2u z(Rv+ov!6Ya=O31C)6ye^4k9*v0qJQq7ydDS7T&Z#9Y_+Gb>VJpxHd^scL`K;3^`9IM5@dWEn~kqVVI zP(Hk?ek-V}m#)V6F}6~C0^^S2wI|P-dz+~-SJ!z{g2U0Klyz5y&VVD8e?Lro3JGq$ zS9r=AS8pNSzZ=6&&?1}ya-mN;4gF3yjn1343XKn|a(2YwXKP%iE-ZQM93xjlgwW;r3bI zG{_Z5eGG!naY&sG!+tF2-o(Rw<_95%x5(=<#8oplpf-R8cujR&@Y`As8Cmlu#Z z)uiyq{dPC=mhj7~>HB#Fb;hDSmOJYHSIqm}YrBs%pB+ zAzZ``^TkLp!WbA|b0)AY$Bh(7FM#4-@m#9D;)fjAqJ7B8e!nr;#PPM+ohXh2J4qSj zq<~&@N) zyMI_FoN3!zd5UiMyADD;M_IqK5D}c+%-0RL348tedg%;ALAhFK6SiGm0V)O3df-fV z9v@&q9EshFM$0>CB=Hv*Z#mShUl0bie^UgOaw-5dwtEe^#O@z5q@fQq<~AKb3G=+`ZAYL6Xs1z3!6{b7 zhs2FY*c)gUdfD6b(&Ks082AJI3uoHj3i~zJy*=GLD3W~S>FL_Sj=l0??m=dgiKOMN zMb2v(N(Ku2j;ndQ59gWxFZSNWzlmylAKp97rrBv`l9_hWPTEO3p$ScBhGyENZJ>b! zQfQ%t7FwWCAV7fv1&R~|1SwFUKt&MHa+9h>P!SP95mD+96%`Z}?+B>qLBZP*6&3xh zfOt9QeBaOe2b_FZB+X1__U!B0>+(DwCkcI-{q7`yG8tU+`G&H+Nf1@q)BH1~z3M~o zw2DUAgIk;M6k%k2A2L&UQ|lCIjl3CmP&;1Y`ju(?%JT$XrWA4JMvG_EyFvD5K$5~9 zVGx($IB1ZgOkl+P%_po~@B5&WYtIwb={$Wx&Od$%au#GStRbb*&7GH#tX&vdDt8@w zORU@(9{TM#x%1@(>Ppne!i>EFHNv{!kJSN7RSHswPIcvd^Hg=459lxR8oYCNyG&{P zC6h22@~lRUF0!8v^6o;;=Q(pQi@F>Y$IG4;T*6j02i1=On?jMLRL@NHzo&D2uE_uN zy^4bp@Lc+43+h|y@D@B>Pzwj4poSa79V^NQq)3a0p_brao67)UPr)2H%;lHldXoK1 zRLc_gdMeI+MEAh?Kg7KK%BzkHP zvrxGY%d?q8Sf1rbxom9w9#+e9sPQt4`j1f4zhKJVgM8m=UDM5EFP8&ErM!klsv-2} zgvaaM<9Na>cSU-aJucX{sM5SU&V1ffks;p}PG@V=ZQBjQm#IJK6r_V4f%VBaXG<_@ zO0Rg-=SIOjf;%uTu6{VVFI3b5`F!0Sew`mys+eN+z zOos>XQgx)!{*9Pg)d$(W)YHwl(3h+6s1U~X3h-dAw*8=IGDb~Dp4@2i;hQj32S?*) zWXbyu9@;dLTUb`-*e`}5KrsIR=e)8bxB>8N2CN(p@pDsvTKC0eZOC;AHm*o%dD^;x zDx5y}M&R~NMS|Q?S{xtofStvpm1h7@T=!VzRutTLd5ABMMtJ!yuDm(HGotV+W81D1 zJhprh!p$ssiSS4)HK6DGDu&Q&Ima_V?a;{CU|vXzfeoD)Iq{Y10Os8(sAdXDsaHxg)sWhnB?-UYDDtT_ovTAi;P)$EMA#D}7q?Odw!L%Om_ z$BBDCXOiX2pqWc`PxO4`>K+%l3Eg73L-34Jzt_qy*pxWmM;KJZvA&ly@=JJ;kniRo zu5~@j`Yq@w|03i!#5%s!`Q78-K5-OjNB{l61x;6QfKLY zWEQ&79gcEC;5&ZQ5u~^Bs!J%8L%t=fgX}M_MIF=8oI5?sPmxn?zRDt z%L2CcwqXzw@H)`ix9<@;OM76)?J0+)!|tDs+J^#zR8nz29S(Y(?RS@UgJg4Fq`oZV z@iC(-E%<1HR4M!b%BQ@ezB9JS%all``n1De2j?Sl=?NThyv^VObxfx^;FfNEN|6QC zkvRP8jw&*a{VBoD7HPym-f-|S?nNNOyhnKEw--~iSaCOUO#Yr zu1wiedRuS7xmDQiiED~Ae{Z0#fV;N76$}PI&p03sSe870>&2 zq2TlKVmw1UWxZK~1cHWb#4S9itkI}*wGcrIVO8_Aj&%mQPp#Jms*-(EwV?^@*a=$L zN;jN^SiipN`q&K>LaOg4oq8n(vIj3XEyR+1{ya zl#u2 zYF6PTeQ*cKmU`DdTI2^9)^z6`2j7q8T5@YI(gDJUzC*b6L3U(3dLEMX@N@ZJH>q@y znvs}aA^$|~0>5jC4pzO(h&#zhW8aGjIAZGGVDfxVYm_=|{wn1~q@IbleVynyK^-Rt zGCx}VU8Ho|#e6A&-5uwp`Ev?F>Ks?qP{h|pgt=u4ty7E+ZJBFVvivNaJLFx4Hf6lof1Zec>RX;%t-ZlyuXZ*d@HmSsFsJ|&<#7Vwcyy;9#VN{EFR2X ztAxOLQ=f%v{Z}-eTV3xbfTKif;F2pnc&$8Ff=EoDs}Bo+ELNE6IK?{>n4-AS)5zlE z6mK+yr~1+h)@`i60=w8E-wSs@ddI zRc`>oj#St`o@FOmXv^jy zelge|0>*FAvoAsV955WW4TeqLHpCyLpgK(F<#aH|Zb$9z;2T1k+wHmAvE$<$)p;Xd zKbrRqC=4r%!baU+kT3xDV~6GjjKFm;CrIhPMx}BCH$a6{u0NrkqDOB~#N0T;^Y3R| z$78>7I2#W4@?1wM_~RDW(cYt=0<&h;&X`)``J<#hXEag&#`k|dfft_O?*)lMxc_+t zHSPM9vj4ae{Pxp1E%}Y#Md1?u_+hkaZXAeK>orjK8&{21{9g}V2jjYN)c2R8*U1KM9Erj<-1yyf z2>lyJyl~`t^7%EyeE^{Sqa?Zib_j6h|2UQh$D)t|H^^iDIFSFB1Ai}rC+n|O0@w?` zxALD&0L}Ebde8r(y5OAua`xYE^_M#IM7!UO;{Cmju46vjX#T(60e%wgl7Fd;X!YNy ztsB3{`=dmSAf1S!Y zjhjAgLhZ!s^VnV3yd67M!wHVJo`kbt7Q1noKd<*+i}!oHeVo zW}JAte(TJicrdCk6VzCy(kW zPeQspH5;!4!pmx%n&&MwBW*t5M}XH$m!0J)pNVv8mJgT@bb0w+$b~g{a`STWRy_=gY~)GXpD;LG^lafQ(${_2pqRzDZnR@ML9Y;St!ZG{cYbym&+)5gD>Q z`JTe#NbAe0LCsTh z8Yf97w0T+N6X2DHtK?*rkA%B;f!?D0Lnw?lJONk1E=!xMmi~gYd7k2(F$Oiu>nYv` z^_ojE@fGD5z){(sgNK5sy_>|a!K3Eq2IoPnhgs|Mkh749QH8WQKH;pG z2@RK*U$_s7<5lh7271G9)$mjBTa;DKVx-n;0%aJysn6{GY8hzl86}AF9pwl~Rp1E4v&T zIop$6J{_WP?cd_9;&7cOJG*>T4D^lM8Vy#I%UI{}_=+Lu)|2ZE=3=)r0&GE5&=k3z zrtk4N6&@ff>*ypvQG!00RX74FCBJ;21}dodl^C6x?+dR3lgU=-Wx1p`o~AAX=&bNM zXlI@3%dNNs$PLhlrCqc-=p9E-1q!1r#k+NI0`iSoNJtnzq1*(3R89^jO0S~);tw#~ z+Xofg6>I@;G9(N_p}ob=fk8aaQ|`jryu79v0q8)guYCfzsqTg+@R04$pwNHv%G;w4 z=W9BLM@W63SNno`e;>Gx+Bn@OM6Z-*zY7N;UKsG>JkbYGOQB48YH>r1&XeUWFC)-G z-txCKP~hB}7U20np30Ec;K}jk6`lt?E%TieznX7CYUPiyFoJw!1$L{@SA5yw_kef+ z_;s>8A$Ti)Q3nuQ(e9;Ym0pd7CORhLnd0No4iJ{{cF}Ce&dSOz{1Mv5JWucI3Wf7| zE8o)Svhq}zw$3ubhp~U3xZ!rBq648IdXP8sM&(hVdF!~>#&WP{{@ zctLz1xgdEU`5=Cf?jSuFoK^s@0K9s_-@QN}eUt8momtr-Ol{g8`+3fu@6j_$Nf|jr%~wJxzoo+P{qXB%SGcZJ{LH zjnksV`Ok0Rv@@DVey=!ySO+qg1Z>inVoX{S0f{kTkWTP*1-vG}i(?FF(Tn$i7e`Ee zl7N83)Co@3m}1kkX_x{XN*0$5uQ~9t*^)F^PKk#u8QD9nFv_21!d|E<;k^IQ1+cFk+Q zw|WfiwJyCmz3BA=b;$@NplekO?VhF~>CU2c>(eu$9pc&`GR36fPG1*7d%112zBauGrj7KXb?^Xi9^=x+ z5Mt3zOTjb?ZfH+|l0vzl^W2RKlb}Ehd`ZS;!S5VJp>^p8>yn_e?r|K7so4O45bx9~%q%-<2miSy9H-+pqfh5xfQqb>ZO-=hE8!XI5B!msD>AL{%! zzi4`#g{J{@*QkLsY8*^s45n)aZh^f{Qp#LovJ{yV*zQGf@@5Hq<~8n5OECn?BhKux_sru#N?+-D~8kI4vXX z1|Oi3CZqt$8Yz|dYZzIyo9UVrUb0-{MHK<2h-1Y`cs9)wQp8G8B4Z>A2dOE_SIC!- z@C(dEAp9gh(ZbuZ5t%2p3)8fxH3gaCbRF!J z#H6UX2q)SXfu^{q=nPYWtFRD0FZAWi*Rg&lgU9G2`i?M*yb%1na1E001b=^MHC8jR zWF?h=Om4cyMjLsbbiopNykeODE=1nIcWG;9;jax*V>^I#O=C>B$lmJjh4Lo}PtzbI zvy+vz^}=*HmN1a&FT6rhqwrrh zZ%>~%Df4&AbGrfE)KtfGR%`LDVRSwHP;~5`iW}@b8B?`|;mKsJa(~MUQJhprKD&-& zTE8udr!;fdBaHxS-mC_Y>QqIpt_brBPiPuHQ;69O-w?dKXSj&F`>E-Y#QGt!UByuB@NZ5Y+E(mCy0_mC!C{|x?;x$--Z;7WeWJX(yZ$T%4%S%!^MaK2 zUVy#a#%XJ(?apPsxa4E18WHWot%Q{3Rb&oMCj0zAn<)}Py5jY1FQbd@PtyN{*?#vz z6f+BZgUQYY$zE#GNU7Du4I?W7`~5*WI=BSN(*Co^U7q7VL4#efN17}~XwR1A!h;Lb zkhF^F-rRyFmds*=&^lB#3{^P18WO=3@-ccJjh}oJg=824B~P}k5YA9n*==Ypt-vOw z4H;@-q+k8OyoE|!WYw`wl5lC8#9xPZb_hD`3zj+@I{poVHAiQ;*Ki#O`d8xOn7Yq6 zBhyveFT(cKMM_AKV8peIDkRW7f|1!Rn3xAa#zH818-p@wiSme!)-zT}ytN{x00yS8 z7q5db_Q`0PkVyI>xxQK*&$NvQKLh>3{){BH+%EBRFA2RHMI8`7TL@4cMLo6(vhFmH zaZ(m;Y|3eTFgO6R6HfU6mXLkl8tW%sz;e5nWZ?gPqZ|sxT^SChg0v+;`w`D6}xvl$7@WD8=20oeLBqN z>mYPaOp@l1IOSQ`J5Y=8tUn0>StsP>M2Ne^Z+7UIC+wfA5{vJXhgkO*0Gd0n%OEVF z6T&9wC!xm>U>OwLA;*)Pjy;$e`x;guqt6ls^>kEA<&fEWvb>u^~|NS8m4RFXwvq30obi&C$fb`v7Sq`{oeG~TMrLc$gj zM%|TzCg1T+kyEGcA@1;D^GJO#iCs_I7g(0+aJs0{4DKprckiJmcd2BI zR_Wt&>yCZ~>qM-MYy=$T%e%DSynLydGg@BPLuV@iDK1IuSRGsnP~+r5a#+K720cZ|4iUAs=uFX4=1` zqdXrliwxlPol>{Fyaw0I!Ip}x&ILkJ@MU(H`RGXV119sobP|Ur2qsslUg}Tc#G0@N zhiH;|zLOB|wu)V(5hUoQyOKh$Ym1hIPqzM8JprHaD1_m@fK&``QZ(%43dC$ZK57i2 zR_;Fk24K3d15W8I2Fl;9{g=uRz_hDWL&Wf#5VV zO>#eL-5X!W+6s~w6H{F`2dLG)8~y^nljY;%P$r&Km=vS^0=ZtMYPqH@vWdW!f~rL$hLzGfZwR&STa~( z-6J^3^18qo-4#H-+2iCAI*em!O5jsO?(!xyo@J}WS__OoH_J@7SQB;A#%JQr{MjVi zXB?e{hC?h4aJf%YgNXc~3r%gnGXXz-;?d0zRmc1scog9mmA!}zf%(UqfEUv=kAr-o z19HFCuz5-%N?SXGyux6 zd6B8$jHDMBHI_5GxOgVuF5Jx#!D&actWU9?ejV>JUDjp`L$T6cw5tzYWdITaw0DiA zGlkB)x?+3dUYE~Go)RRef9K=EG2-Tr=yvUH@1)!zqKPd}JD%p1Ph#5kHs30x*>>qS zOv7D3hq3idU_bf{w6~6)!pF^^vECksTaUg;)9`a@e;`9^yI-^w z4@Wq|J3uNs7koDcAnZ$s6W5DlXuLSK5@4C8;Gcc{vDh82Kd#_6`K#vIOp+`*705Ta z6YpI>`a+WH!cO)P0WZR@k{pPh5+^!ehP*9&3>{KF&=s6D-<+ttpurJm@36tT$wcGj zSyBMofRwhMqlcb633R-PvaKQLY!c!FXHZR8c+Ljg8dcmg!)q3pgz2Euj{q~tt^7{C z|4z`D?YrN-Jvy9UbW8`2|Y5ur?i2 z$=2xJop0YKZX|)oMaB)-=%!2OMGr2W=0Ug&CaOYyavETilM~+ASJ&^|a$%V`{puki zkXd8_Kmc;DNm&~mNci05(~(KX=GnJg*diUpQ&AU(9LM(8nLFv+ZsM~Ia{%H6<4j~S zocD4p?(6=ENeh4P$cv-ntr|U3!x)N#6^Y9%7TYkJbX6M&UqIbq}IWaRo3RGiej%Ax4%)13mJ_!W2Yy z7X2hIQohsJUkbAI5fQ-oi{e>cAgtHgvLkZA`yH`0PHmW3xHRUN1-*58U(v58ca${L zIq`1wyM&TgtR4eRgO`Ib4I8B-6t3m_cT+$8F!C?i?~C6f${nFBWQvBq|ko=HAPU2ug>gT zf3=46R)LnnOS(g@B)dkZng9q)PWp<|SlG|appcf_42e)T>vkV4YbA5`4rcC!J9hgEfMSPw zvkzoc-%Etxv&3f|KouD|$1)cqYuL?kmibBKF8^29SqHl$9EKoAQm=|yX*l@^)LIhO zDPgT;S%TvWy?boL8u*boCL7pK;{sOHx>B&NTNBT>$I()pWz#0Rv=+u{-VqLf79LV#dw#uKS0(2gh|QL=1x0^Siw zLhONzP^`xCP-c6FtiyV8*0F(t_FvNgJ9#sJvPpwrqt=Gcw5c6oY{0{)h2Fu9V2mZ* z+#4#(QIrs&97SB8CgTRE!2bR!N{Uiok5FRpwf9jC_R-&!IN+2fErd)F7{G?^4or*VlmLFWdnP3v`7#-Gm{j zr=3}Ve-VrA{po!6L8B0M5&C*Cm<V=pIEsq+t)zOe$q`?7Dm&LvI+gfbGVZ70L zx2{bU#DW?09UyLy(n7Nkz(Ei42ax66IJ?2_#tZnybm?bqFWc2nv^(%4AaO$qru1DB zXyS`uC9`Hy^BP#WEe$$<=QvPcX(mj#r*)1WP5d1?q=Y7CustZwQ*x+zyaBDM>&|vc zz%N<`$3C+HrpXx^i-=ba#~Rg-bRM1sT!eA;b_#c z&vsk}`~iH`uh$g(15d^)eNv3jUf6_~$$1p7M z=818N5wVA@oYfzUsY|aP#PpDixCac&9=3KF;M9CZeQkvEejh_l*wvWkl0EI203B9@lv?7tW(nT8|#gKH=&Yrs$)U*kt} z$*tH(ZQ(O*r*MhbNCTw<5P#K52QUt4Nnjf~m0nMzTOs9uK8R%RNar3LhYuoDoed%?y`0lx77BrY`|9njD^_NCVNt@$R_$vftV9fHUnTPbu6 ze^;0WHooqA+d|4_ z>LK;K$ov?!K9i-@Y8+ps0nu!`u#A>NDi_C)fuald@c#qVBsgxRw92y@XW5?@Wm?BU z+7#${3R4ejY`w*bO*TKZ^h`RR1=B__7i>$1dFUYpWMtD+9H#NYXnv>xClMd)=_gnaSh^2U zpR|BUaevzJrZ9zOMm+q-yxoA~7}1^w*0jlx&XvrSGN5#uA2QK8aY*BE=YI5}3yIFe zmJF3a!4&xiTX9O$%>rwGkIQfQnCZK_q^y*NL1D;)R_$u*N$Fz2Skl~9NyaI65}Ja( zapfe^+LJ%koaY$o7L1Ul{YZEY^Av4lm^u&Ktc)=*!TKr^5}5F0xX=c;P&sJOgE@v7 z5@H+e^__mDDyB0EPgC&Bky3Tmo(I?H1TF9?6-$5Hnxwq&#G^4tsWMf5k(U|B$jLP{p zOt!~uOtxFvaLAh)-asE}ejXU{)*v;I?|j>3pzJ5CdPV1swIx~X5rL(>1S1Uy#`aGy z+y@4WOd>0d7?+}NU0)_g9>yJ4e9Wh1qv+V^1gLkBWFSdjRK5+lv)m_1C|nAvhR3N^ zl)>~&(yDvm91;SabbLRl1ao#tbryXc4IcF%i@Uovv+U!rs_Wf@xL@T0fnkd@NaUT&x%6|5jm5Cvo<7Gh*erIxkZg7) zxZVJ$$iTBGe2zS)F3-bNCl3>*@7krL4*w8p+v*@B_G>ENuJ{`kY02WP5kT#2gxK&IL?iS2Q z=^4|uOju9m18av-XvMjxkLwQJb|D$k%zWWnbvf=`KOLNZx@mzs?0#ZtvoK^Rnf;h-=t*Y(Wu#9?wT&O($K}r0;3do(uu@BfLqMIxpNJNm zp_HMPFNMuOW<)33M_>sDEeE{VbiRQI(gFMi`gm`5M@079P)#A24@)jbCQ7n!6+Wt$ zv{J5fUT8YXPr!QuQ;}$u>g4_&&xQB#Jw)b`4v(NoVv%@3p$4O}opV`}RZ#o0(oo6LCNgob8LGI7+!zGE%0Ss4QV))%($bQT_ zBIc$oVu5%@5=mTODIx=?1<;0IGj}fu^7%)EF487g-L}~Mcpt28TZpK3(Zc$X-y2^n z=t27VPvYPR79~fvt6L=8Lru~!E_IP&UaYhJX0Qy2WgEH)=bZ!;+o4Vhu!ePwIHR?vg!|-0cPQ z1hCzK`6JhbS^AjeE@KG}_3K3P`DLkS=_S3qut;T>S%L)f!(-~UfH^l#`IswA)rfhx z(EUZjKXHQnbKlD;WSC#kh(*Lo`nR=FR_aS| zFkN3m05S`-lA;`!?+lh zo~sJrwu?l@o61^giM%5iu->B-R4|(yV|`>MDNz~_9m4RqzgEfHy&eCwb-g@z*WE;H zb+QwT_6Cx4_$&J?nrxY7a`uqhFjv_Xu+^kFQW&1thj3TF7YBwQdPW@+kMH;U(7}08 zW}~*g(BZzo^-*5~eCiGv|A&3AdBT^r9&zrMID5UqA$vQtMe|}v^eU;W-%Bf?PRn7` z3|u>a@$+{It`o9Pc7JFmUZlEuQDg5e(BKz)_FkX7uuW1No2I+^Hg^{_ZoArZwAJLb>R8TLYMF}pO;et_ff7=C+R^(Uk+Sm}=bB5_BX)Q>bxU%~@3 zCnO)a?aDMVq3j3eSa4GewEdV!GDVi$4uA9jEqXAWmkCfzgPx*)`G+bg~p)ppbraE#UR~3mY-HlZ>ccQqa=A zwz-5l3i>lCfnA8pu(@;$z)GZE7=_;$=XB*K&+G~-1OR>JkUsWx>`12R5pf}r z$QSY+$^yq0z})YocURj;H?T#}r%Aaw&a7?)<|uPoVjv$3h4d!hvoW}r9~d@QVk?=2 zpC^nY(I@OJLh9^PjJI35_kh%8sekB0&|HSP9@JlY|MYvizyIc!qtEzHBG~Xy2fn|l zB)ap-U^8ktf6;3kdoj#5}-SyYPEFJjt@XVYl}}kBl{B&?@UuLrEuY9q9pT@f}AEZVY#=p_~r0)I{1U8$w*4;f}UQZ;; z!jsPlB`?{H;t`pFklsnrUn=txof80Ho<1Dh*wH{)&v6`20RN{V2;tS>uy za4t>V@I96GYLCu_#;xb9Om|zF9{fp9l}y5$$XB?EK3n5qC&V*@*clZ^t9^z%#@aDo z>Cif7yT-(e!?{+w!tbqMVeU_J84~ci02@Qn?aPI&^n~qMyRxz;Z=uZ|634DG6#1=j zeh5Kve+Q;z+iX1~enVi$AogvcX&)Gb$vp6g3sc-niy9WBKoG`7kq0e&7Wi(2WT9u| z3#GDFP89}Y#&($Hvb{6udT`LcKzk@77_KR@jdm7PJR0mC$=DDA9mG<52&W2pq_2ND za(k$%oJ1QRM|io9bm8)Z^2U5^?L_{n%StJ1rp@%+Ga}31Pq~be7dT_lT3d<^XdJrh zqGs541fI7>HIrci)BIq=6SW*Tw+F!9FP`)iS=f8m?Gn`a6CmqCSlkmLSj+(XU* zvNP9Ldhj&d>3`2-sfqI)5b!5bud5=lL?^aYmUI&vl8W!sHh+Mnk^+?jlS;dVk)7ie z9=VURL=U+3({-io1gE%y#`+H0pJO4ugFldlD+MX?2`lMBX5>@?nMgPUDDct|B@szS zg+%eC!c|CmiAd8VO~EXjsYTe4=a1w#eqos{wr5zmgMU)zTFFyY=v)#HGthS;+Z+;1 zxU6P^RL1=D&6~^&a6e3knPE_imE59!rim1U0K9K$?OT@lR9iEiH)^BFJPEuw#(4*jPTE$oZ9aYBDm&^||q=XV&L<5|hz^;zCFkbqOmtA@7qST76!B7wlm$ljOaMefCV=6QPs`>vjz z5)aj_#0znD?O}S4kVB1lB~7*KAmX{mY8h;lOQbEdfkirT32+=LLLH1nSz!hS8j*LH z0BXK?lJBjWsFJ9!FAz{pLP0=@ZqB92xX}Yq6f>IPwff zU*%HxHtL$FrvnadpvC*|BR$j}7Ivtf-Y(jkd-5~&%0ew2;P0+)xg+$d#OyCg+Hi?< zqcfT>F?&P3(7Ytnwu$U4_HyJ+t#Zy^V&~6N<)|JuC7eCQGmN>FGpgWzdM^L=@Efil zb#!vYFs9g7rQukZs_1%9M;pMMwgFbQrBMk?gM~hPGs#kJ#>^ma2H?YL7gRcrZYx2+ z3BY_MABLVXN<$uM$gl7~*vGT%dxn}z0A|ikpWY!fj%r=k9(zm+pxYY~P8W;0O~(L1 zy4TkJO(SRy7mB>KYbEv&+3_>w>@=H79s1A!-1;!Ri92fxgMZU6V8Cw{a%|%nU@ZmE z*7ZUb5aIq{J>aCv)xucww?3S3{#*K{P>N?;(|Q!d*}BBFKZ0io+5Qt?XSILK72_=H z;1s4|-YInQU&38NqkIPZEAQLKmP@f*_rmRnEWuu~p1gixyIs*LpSi~AVTQDT^FBKc zbHQg%&B9#s_EsBCp!N-39ADZ6a3}SS*8~Vq1ItA1!Be&Fx=Vb2T}_qwl4ygy~Do}v7w6Hm?R~!57U#VVL+e*DS+1m(<2PcK`G|?rA3XHVL;$bnHBuP2Km$U$Irvk~SI1V%3 zx*zEVh;#$5_E{YI2|3#$uP{9&8(9I!42`>71M{RQF3UAR^ou_jbDR%N%dFflr}QJYJrPgttghK3krP z#8i@NInIb(mHh}m7k(soN$Tw0N1v_p`&KbzCD+~jq(MI49?~gxjrv*N^Vw=jV*B%_ zFBkpe)HjSrFgf!CW8{!j0GlVeRP1IMpfCG@PKAe?0#kg{&Kq^NPl6#cw7^=D>rceY zny5=;9cch=!&887x6FVaI(oa5K%BHdGSh>Rr%0NmLUcU{-W4?5-1R29SW2Z|_`XZT zLqIK~PF#yqi!VrIM0;o91Dr#Pgm~&eLmdh&nrd-TW;Ym{Usro+s9X9Cj|EH{{(Bv4 z0h`{8?gNJb1%*569FC6So}ORnVkqLRP{do{?}@++l2Po3T?v_3T#1>jzBWwU&f&o5 z-W4SQjisX|r2bP2E^p_Wrp+*R-JKerm&C0 z!{%-T;WHMlvoHpt+kb-IMh1!L=kFrvfo1S8!V2LZG>P3r*{g|l@9~}Eu+Y$=zGro{ z%_-i7$cR7@ve)5OzPF*+2VAy*QVUV1$7axn*i=~Y6KPWWCMbtgq3fbWf%aHoS;q$4 z6K-vvkH!w~^X@3~*9LI83;pu%>F7!`uwE{GFr~69xe|OpXff?rf6UST)MtAx9Z&MZ-mZhXJ?jK7tpy9JbXdw2 zo4sF=F+`lb0ICUhiCzOA=N~n>Ke`|;oCl8jq65;CpoWjLOg5Y!Nxl#)v%f)p*c#=Y zFU5n{R}#_tCE3+KNe`U27fI}Uru-J~m|Dj!ME+C+{1d5~60bbizFindditN& zw4UQiX&*bs}X_Z`ic^i=HJc(9oPp^DjkGIxUa9t_;Ya=I}#RGdqDF zHkhj}6{KN1cm( zN$-BR2-R#~@Qi0Mgvqfur~Rb7;@tM#SMUa>qy0zH566Kw7-FfDohR{9d)2}mR5-<0 zzl6IBa25-OkhkPFgB8&|Hc-~UTZ#(7O9dPUghkOEg)Du9XF|WTCFsN-xtEm!gIp=~ z6-IC`30y-&T?Kh1oeA}-moBU z4p0_bj?w|uv&9nc7c{+e2Evv0rN9$O_#USek*mc zG)7U6av_k!1G|wv=A9-nf&H9{EK_ElY9^)1AuZFxXXHq>y^GX}KXxWb0-0ioi^rRk z5r|CHD!a-qvb~2E+#X3QQi;Xq(Qxs2F!0e14{_<$K?0n4ak~gG>f~P#MXU$7LAC*<#yXd=mWy2(`b$Qb;^0=Mln#~Qkl%cT;k=?}p|5tZ$u59A{5wvdR#pDW8y z&A;d)!Wwp0CTPWA)-Dnsrqjr9@vW#2V-TXM?=gr0ubhAi9+4gqYx9>%3BHL~>Rqy= z<~I9h5Fnx_|Ma|y=Heh`u{n?!8=i-yu!81_A@aOdiL*SR3u+FI`liP>CTAdAa_SST z(j@ab1KvG1j`LT4j(di-AfN@7-i^D1K$(*P*8 zl=}=Ps+$n_p_xGi1xyv!N<#J#%8F|++Pud4!7E;(Lwf`57+T)^|+jfk=KhLt=aOduJHvjKuE?F09M~D)PsL28LRdy z)&hgC9wu=S>e1w0H%6-8+^fpt7id^v$c9FSFU4#d5B1Dcw;}wQz zl}6ujed9=Vm!3M5A1U+sS`?YlnoN6vnF_+W>R{RD=Oq`6rNzQ_MiET>e52HjS>dUq z0Z;-~fD+Ijlz?L26+P}{&vShY7?aLiP)SC%Y_vZaTuv%TkhD^tdAJ#mF#nQC{-u10 ziBGGnbjfD^eX7=D`y0bY)HLtUVY;zfOfV<>tR>BAag5Dr?C8g`dG()}7pBqM&^pUI zgD)Sg|F!V|q#-zIz>M5==1Z9_YbtpH@5H&l2Ev1P(L(lyUI5N7h{)X@^!3wnYYtDv z4+Cas>)NO7DKLETa*4lk*_=$po|m86f0@`M6 z?t^%UYdp4zz@EGx5_Gna+v!2UDr_sv2g3{f8n_b03ZXbSzU?Q06Vu6DEFIe@*u=+) zt>UTL38ED@LIB3{zQN@1Np(m9S3R}_%)+D;KTKKc{5Wo)@H0sz{YAI1QH}!$nShG=KSSggQ^nXln5+<9&OTdV>E3MLbKzx@y!9O%0mTT7wrX@9s}I8 zl~HhrGSXk5uA6|$v{{jRppmsHRUl;hIGXSX{FKz(2Q;dflSlLrzK-|0k zZR!#CMni)3LP*fl?9Xvx3GLHv=hraUg7u+n2)L!$?$>NN2Asy_W1aJLxf~CMiOF)n zK>I;cW-^sb3i}dgDfWniX|6TbfJ@rO11c=;U;HK_-AQ(EC$`%LQcfXe{0c-+b2VZL z?!`RfdJdu}J{*W3OTXX zum_StAfrsL4ATm`hII$?rGKUkp7wi}AqIL*PgT0$?DPpqZ zxTePz9Q2Jwc(eUW^VK*x4Snqcvi10YqB9TG!C1J|4>kkMJ7C;P*7*!y&NyB%FxCox z^JVY}O$8s)|6}jn!Br<^n5@d8nGD;L=P*70NprD|jQBhGr zQBkqpqGH86Dq2*mSg%#v(rT^RTJc(~TCv`%RjjtvYFk^awXOE7VB2rs_xGOXInVj$ z{Bd68$t0OeX7+XMwbtkJ(L{}C?xSV=`2qz!+3-+vk!YOSqTw>e1sRVKQl4ogj}!yE zF>ys$cWO5f?hXz~IC60~6P{QEUIX3MWOELc4pG>EK)_OsPfJ4V+PT6>QC_x_g`40S92rlo5E zN&fTU<=LgBEu?fU6nOve*9|WpKfVGk{nyTytbzZ0gzJtN$^V`z{rlHj?z9Cb`p;K?9pt&df4}yB z&Yv*0qzKTao)+`+R{(MP^6-fx;W^-?1#}wmS4sQ_pW4#KJP+eJ;a|W0&lxRG2II^B z@>2l8!~c)?Db_S!{1-W#H?)Vb<11c5vrjGe*4=rGE!WOo^s&7E0KnN2iuvE6YfN!V z|NE}fQggV%{Rc#zA!Vt zhO9RwAEGw+kAeGR`v5Ac6#y5QKOr?B5|XJSfh=gEzo&qi1%%-Wk|3nNY)3K!|_|-as=r+TSx{VjZoO zlfbBoiDIA_Ubbs0mSt6Hgh+1a%eg)%&4vO!_JKbe6Wn5-=;OM#9`715qM%U^N@%ScRQ2ot1Te*_26=&^8-u9mQN^R>TslCz>p+JUZK|DNbaoL zAJ@hWdEKq4at)db;E6d1?Ln{g@kC;5u=XM5SV$cOE- z01-p6fPE2Q5mL4dN;^Vb4)^FH?^L#PL@VK!<2C@Mdm~h33Ms-Hg?f=4|=e$!A02Chq1~am%d#TL~aEhCMH^enO93F@0O~OUI$$rtZ z;*B<6hGj_6y{1;sR1#3VT$k|@HC|aB*xdz|2+1h=4pi;}TUaTm<%VQ{&#;(Rc5|^^ zHm`BN&g8l0V+(&%Nfm<{Nk@t}rxmT2S6NHtv(7v!%w8nrDRO@DfN+}RpHOhz>m(R{ za68R}Zhy{%N(BlJEWBh9o{Nm6rw1Q22S=K}k=H&7$EKWG{2tRE>)C7O6IqMU-QFm` zFfJH+4-hSmDEkb;YnU^QEASYSQ?(P8<1aZO7+uw2 z$iYeXfehaiW+vCe*-Yu(>*W*87aBjo<%#d$lfr6xaCs2!%-p5J)tU4z<8l=p#>}Py z?p8Wy-m8>l{;t9)^TEg|3j^?W5X~fE)Cf}T?-`IS6G5p1-w@OcgNraLT*kxHS5jG_ zKSXScQh*UhWL9xya!=Dcz6rZkV7EeYltxq$9iGbtlR)ws4mN(RBEhaRtP8-^fgYW_ zsy3S6R7^B=#vR7}#GS@pQ%sW&{-pf-eSPZvoIz9vDy)jf;kmq$GN<0eQ9^9}FncU! zjqmwkmYG&Pit8!d!gVf@o`UDw*SI#g^>i4vld)JIciQ?YmkB9>toelfS;aS0Xm$v; zfIjv}XE?3{-7aP?R0bWdu7i#FNyF>)Z@cc2Ky!1^UG6LWr@p#4Kkk72435E_T!(?1 zj7}8YisJR4T9Y0r&sLA1p5WorXVb56y$lSV4lD&D4J=;H4Jo^att6OVufW0bIubKv zIHJ$;v8ebONCG{r>XmW}(IFr;HUclDb+FYHd8H(wd%N+}vT5{Y;V0RhI{?&r@LlHs zATyecLygUTHd&Rq6&uA8uhg>4M1NS0#huw|aFn;FVv8oQ#=I(Me8nr-o+x@$Pvja+ z^|&XM-GTlzUIzLXyte7C_^B6Tay^v0yJldM`bTSSsguS7v_WUs_DlQBm@b>=1(ct9(CgdOx*kYLkt<<@USyMi7eml3Nh z!H_!0H5>QL8I3ck`CMC3hti`!Uo9D?h!pZOmJ=Ql9n}YSat?-Q3xlr{rg#F*BJbho z^cNs3mPKnDK5tB{akx)!e**2*bcn9)MnzOTz#KA>bFu_T*^> z(x&x*0eF%}X^tJE7f^wWv3@Q!oi?PulkdfCN^kQp($;UsRK3L1DYO&(4~WgnO+$o+h3yrHvyEk<}V>$qda zcU0VX)5m^HvavcC8|@#E)r=*-i^^22!XsVp;*W8LyK}<@co&K{;!t%mt8l>B7V~!{S!qI@ylKYS<9+Dv8t8 z({wT2)_zeOf$XoS&92uPKCfL@b{>zbigNch(ONcy?+hVJ*Pjr`NR4)X0OR9e!JC^> z>Wz)Z)mitE)}OBSW;iCxw#Qd9l@;Q}@raGmr1?5OV|tobTl?XN=0|*-0!k`QYPyC8 z)^wmIr8uy)vHqGcqW*;ZDm3PPI2gvDIvjj5*crlI0al*%MQ*ADZ=f`?XuaS($AsW4 zI;_k^huJ&k#89E-f8dFpRLLs*dcy_mJP8={8$->1VjCaqP1_os;OU`aHT5d}9@V`q zko8C5W*>gCg0>_LLFtQeCh0^K;%LYoevgiJvf>4=CW9_XWprzCWNJI>BoOO@vC&{p zp)5sBAm#KuNIIF}_u^(4eOW3ps}r)$#Cvfk;Jiqp&fqWOV(<0AL)8S|$Oh-`FK`rTHN7&zK$}z+|lGq?_8XhTHydiqmC<_hSLAYMtTm5PF6x8V8R&(EC zE+-14*BC=jjf*MUrw(C0aR;SNuAK1*T4iAr656OUu$=xSO>#CvTTBxm2vQ!IzS%w{ z^$TV`40Bz|iZp#yjEvQlZh9WoyL=dckRCd=DyzQ*Ec2Y^Kg;e&$%q`mI@1DG{n4U> z^epvFVH`L;XMuH4sdqYw5qL}gq7S`}xcp|!mb*Op}ip+Qe!7{uj4F7>ji={i1>V4&wh zj;e>npnt>b)@O$AJf>HUA&hEm3h~7T^}?dVWq(kXwD!P3L$_ic;N9l?RA|OJtQ;|N zbNHkC+n2a`{)d%B3_u+E| zD~fu_XVj3J18|G}Tx+@?zk{N}(t2YY3HS(z=-_}HmOh)7j3_ga@d=P7FJm1tx;O^A zjqhuyn-IEzp8qdSQkX`O?1 zCGwMzHc^F>Ag)0t;YCD8uh;zOZ#XGW(QTz6rUzec1eo>4qzaU(!b6F<>Q$^ISLuN` z!S#c=r|Sn7!3)4Pz>6^JtOs=aX6piOO`*R6TZ(RhW4LI0o&d`er$CRm_?(jQ5z}s8 z^I)+R3?cZE_@gfu1w1)sj*OJIXj;+q8IZp^TeuzJ_?im<(mI>EiF!;W4QY?5uAokD zI;Vjycd{T@cQ(Mmp!8Spm(0)RP|ayyLnrPi=i@dyb&y$;ytoZ4rJQxgzAoF!&0)WF ztEq3OlVw|}{rnV)GUo56HowkxoekORZhJeNN2fpxEpUhdQ4X%7;X!c)NN+R63?}4H zb7X_8>8;6GYJPH&F&z)IA0}E;LI@!VvT=nU(dR5D#I>BOaZTs8xmMvyeTm+qNgrY|B?Ef^D9rs!$5{j@FVSUan*R|R>)(vVSsD3YHsAbbH246YF0YW;}!U%X?C#wa+Gm)@T3q8On>%sIDt7{(WL3*FPL$p zdmmkg6Xk@=jN(;X5sYPXXvVdpVIHl;7wwC5F$6n^8Fw^~Z0y0rFgn*gnN6+c-lcO2 z-^JQbeQ^ekFWzNb8b_`%Iy{VOTc&_TBR$d>0%#<=SaC%NweNABP7K9CTqkEe^N_!c ztq<`&(F>=Z5oJtUt9w{=Os$+%IgUEzxPr>B<2~dGkTwB;ln3ppVF+Fy^>lv0jiKHf z-h*+xf$&e<4!TI#Vf<39^AE6&ORu70Ocsqg0w86zbd2$Bmf0}GhMWcnS=I#`^Me2d z=Q5bb(4&o37XTib8}R)APj*KGZ(CE%%DETAj)F(g+jke}a%)Zag~HOx87a zDgJ>TO%F<0;#Cy9Z7)&Hoe(i-;$;$Q%< zZecrDK6CuyL+x_5Wn*!U>(E0L4q?ikd92r zLb)K5w#l2DT9ig7rOzn)EcYFR+nEllAWv&oV;^Cf!I*c1N`B;HFl9V~%+!qIgw0~* z%4>T%>b~?9K22Z8$6$Iu{%^{J3DmB_JzmC@D!P!_Mh(dN45?#;*XS4%MN^|6Eyijg zyZ-00W$X`-$#c(mO_lCvPumm5w%Zdy$ClZe8G8r$8*8WX99^i28q=_VdYu`a(5Cv4 z-5)11F_o_s8JHNOuOINn_@)?vI~2di)(hR)W*kwxDYq>yx+$Es&SdH!bChM)P#SX< zAL&(};OL~ZELOP}ZZ37Wzn!HVyJQ;|?%I+J!rgrd4knx3aLtwyQF0@jOfgozUr*83?76uQ>rkw5nX`+m8xc)xidE~YGcNfeHd zU^z$QqaxY(xZNi~QfHTaiw~rJk-isSat&k}%_m5l>o-Fj*SFz{Sc;gB|KntWn9-FW z=62A(_-4WJ+7btP>6mKqv%K_7{fG395B2{$4&(99fD7jV{rEdzoJHtd0QQ}Ulo5xJ zGI;PItcu!jNZ}uU>yTGq*N8@CaNog=ROqk`jo#rCZ#DWv%#Ap#ids4NFdegL!(rdn zyKf!#YkM@}h=2Tr!AH~`?rb=s>Gb&4k$_|+cQmkTuqEt-%7#xwzqmbDwB5PAx0Zj(?SF8% zN1KB?fAWhxq-2~tBS`@#lYvh^u3w`G-vR{sx zlPO&r^MP z19#qlVEp5t%FchH;AP2P5ExMGh*i*(k|~F`7k*D3>nuc{sb;gAUUW-f}H|_2w*_^wx+qT|w=X{UUL%}P0wrdJbjkaH%_<2x= zyPH1G@_%&UbHAkL%D%l*)a60WRJJ@gJKbu&kloYOw6afaCn~3J@{i-^$s@aiN2+g5 zjbE$Wg36qTu0@+K<_@%8sOjgNPUZHmop0CW%~@G=DevsB8&au$-G5T%7jL&8&NnvH z$OCfrnf>A*6T4sL_%o^f3MQ$CT*{k1*|2e8-+t`ukO7x^SN1BLTJM~1d&PNlb;i}l zcP|f`MOm&4p1Lwef5T4i+4wSJZ0Dw*L?Gq(1Z=GkM|!s75WYvo9LZ4Y={tb zb(p$$E<2#p;|<4inEtv&LqCiNo@E+2(4rn*`|Mo5c55Cru+l;QU;H2wpdlhfYq;!Zn~x8QY&iZ}?EGby zjtt$kFD*Cu?Z!(vV`hD_Mds1WR{#{+0+9dWr zKES^E%yKs3qw0o5-3~tY9yspsMPZ%xC^KSU_X`6jt?Rm!TYbI2Y9D^C?COK&SBs{f z+_Gf+r^4lR6F$3$>q48-+Z)O+=6%!M`?9<;OuSMuxaXv6+ut!vj!q5kIk{uoRsF_) zIpwKgO7FSfET1x3InL1atCGe=1p_|FuB8@rH|s^Qy5IVWZ|YCvOufHrb)oQJ&o^Jb z^5a7p#@-)q&(GVxYg35+#>4j(q&_-%;^ef)7f0L-p*lReG5uHfr2HAHizj^2?zie@ zRs8RdLJk){fA+LhH2+ao2G^BwTqdDd6h~tI`7<4XsK@MhB4H?Hk&?&HfKl)P?W&9o$@b`die!byN)r z9T0lIZDHWq=d0^S>q|eWFE&j5m7C8km~w4?=VhN9)6LqZomIp}t(Z6T!UvTX_2#T0 zx2s~dY%|%qP(Fe4?)D(d;k}o9Eax9U)a(Dnp!z=s89FeX{-$0JAEWey z5XP4mQLs&OjhRs7(LBj19bGzhaw!b#^Oejy|7Ku^d+_;dZz$DrJRCk(@wY~RVrJJ( z8CeRHAA&%KAjyoBUEib>km~AJ=#5B}YWka99et5B1SvOVkQ^S6@F7?U#y;fJ0Pz!t zm6RG2UWo!THo>S-vrM{2W-#(=eKYT zw^!T0W;3su$qEn%@KQ#l1GP1xyio*US|_I~qR{fFSu3N^GE6HEy@tJ&XgL)?Gsy-D8+(QJS&q6dN9mM5N|yW)ya}a^ zs5j+LOQ<^)r<$I;oIa@Ro({xZ{wRtX1wRe(Blwjt>>W(cGSkbV;39BIWTt0P-pU9w z4)DAjP_2xbg+Ip&mGCRGmA#i^xFh0?(g_XMrSTi;a&i+P<~IE;io#>#mqo#q;19L@ zS?*u3Jgf4AmPC|ayk zB~v~z=*P}~)nYPK<7-N0z2d)AA$~*0~aYm=fI{<=S~b( z{&6G)BVr5<2nYzokv}GZ?nNNL*@GC5Hbelyfu9{Ya^z=hVm+(uR`CG=pHWASC}#G~ z@1LLF8+$2x=L0j9p9(%umXCA{GR^YgQ_^KmH3$Iy2ue|10_2CN)reK?I*>J;Cw7#qzc?YtgN@vfazebF&Dc!eTmRZ-JXg|2xQndfiAM<}K+pphH zF&kGX{vjv-xmr1KDfAeRawWv${!Rq?TM!bY6G_NlROKuZS@tDed1!FE7X3nXk}^Jm zP74P~&bXwA@xbNAc4%QTXF8yGL+F3l%niuS8vH%6BUXy=C{wlsK$AW|$deZd%;s!6 z)B%>fAX|zOAmj+TrJ#@kZy=co2_Ris3AvB(CRzomjI2k#)CBwEB0;=G1S0u?aVv&- zqNe}woBx-Xsoj7CemqVXg+y)?(;56!QWL_jF@~3P=LIk6&Y64_sBN<5mKbVOiW_kU za8JUrJMn%di#rBDFm|#C;nWK_hFWAWlR=D=yTc8{am2uGr8+D50rpX#ggzLfc}eh6 zYF8?Uy7DTxFYq8wK-6Fo-$p{lzev!d!Sx|zP-b?t2=2RXjwr-0MM4)U(q1j5At6bM zMBqu{+hg2O4lgk|SEYU6m6D}UL7q?1FQgq3?1NByX9eXUlTL|6$PR>@${Hk2S2_lI zML`+A44@X_42W@#sU5{ts36KpvHW{VZp_PAENBBEZip-pi5SUI)DGBkeo#(S(6y-^ z8bJO!en~iu?=5uYS5Ja!Rn+tm>7AWZh|%AZefI3KV5W>U>HJkBw2}ZvF>EZ`Rp2O7 zek;rwIlVlc8R7BZO~IU@t8^bZCwaoSpd~XoC#-ot_-IX_VuW&L;V5Pi)Kg9+<;Wk6 za^}$<|FL5L&T#{Y-zdHS=S-)g49}!xh#TrGzxmnXt4Tjs(k|`&}mA@i16qV zzxUj`@vEFsj}p^+I!EEiq@zmbNF1K`47{<8={!AIxZnfSDrR&H+cA zvt3dwl0HRFNp0D_rC?pEC?8OBIfx&DYsOOpajMkOM|hQPHA#nSrh51)#v^Wo^CbIx z$Us#6YTo6>lTc@cs}OOZgq&vVKp~mUw%=*}M&H_ML%2Io{K!W>Vu&z)OVf#58-u~$ zBlc?fl$N&|TltC;kX%DpfOpSQ60j{aa%BtqIk$%w5o8^Nrp?uW26Ru9+FAtxZ*>-b zL6f=%&9*WNi!xCzB5N^GZLkIypiR^oLmFPmY?o8Z7ULez<_J)zVkA~x z^0Msn$LahzKYltA%|J9n2}b;-?UDwVcGmD-c#n(XH($onnbxSC7_49#VB_nD1j`&X zVYBZbV=ry9#w_El``!k}3p)kb`6MEj{)fIb z;WF_o>WTQ!x9oyD#+0eTvE}p2uIgU#clU$sYLkn}$C zPo#(B#*4?2Pn(XR_Drr)vf3ZjK12fhEfN>kE>A(#d)Yy#-Qf&Gip6Iz*ksqDED=52 z#a3Zr!}eSRd+~PwTl8KzRsMAlwOD zNBV%ehuu%}73eJ$yz*$6*pY?Ifv+j(c>urWH5f0%k(t@jVT2bGLt+-+CD1uQvz?@X z#m=hLhFyVHWqk%7sI}5*K=axQM^YcB%tH2^VlYMv6N8fm`NBhqi@j>QaJke3+))!x z^9PLfSRh>Q7Mk_}#yeSqwtX1T!kIz0J;58C@`l{O8X*>&a*soP5H%xXjoviJ-_zR% zBinjSS$k|U3~-V48K=^h}wYFwj3l6`5tQF(&aouacQL=@k_*lJ0571{TdBC&qi zs0a{^D|sE`QPIfIjUVj8>`d#1vOOQN-$KXX?Fgie0I@qBw3$R9p8k$cL^t*Vl!UpB zB-U^94fP=Drpoomcv}lv^sP)No}NNaO1Lc*1TX5u&ZpWA3G7K?WA`V^uUd8d1#_vxKUa*GSqMR1XbiD z^q996rA_y^;m2Rb@Fd-4yn?2$WMlJxKyR)^TimGVt#XNf+e<8fHjx^LxGcToC+7)8NGRNMg)s(J1#E);^^TRnM__j^?-E z!Ya>d6%{c3V7fsGbmzF_nvA3Y0el(CFr)RiP~$nvUcgr2yAj4vjp(J&ZVG~lAs%UZ zt2E!yyA~KjOk^qV^5&rne@P|i8%~nW>=WZ*U!u>dQrJU)@0MxLL`ka@#yUULLGx5? zy5x(797`gdY`y)oNBsl>b`kq?6RaDoH*GhA3bsstp39-4Ix;qCD3;nG-5yQC678Wd zjA=JpXP8xCq0M3)20{>4-QU>=U$@KdkCKik;5D_{aNW^>q%UDSLByW61m)TR`;Kh- zU17#G{(&t?a{$_b{?6z%qk^S$fB8Go0UM>QN`M=K4MtX3BiuKMQKwM@XnCiK3Ds}0 z(0Wa_pKV&8v>j<;{a}FGhBU2V3&j5#v!BO8ACD?MfY8H8R4Sz}(y?}9h;W_%2x)JI5EhI>AlZD?@UdgHmo!Apbcb@NEz_i_(F1*0fDs2s z{UHDgh3&79Z8fRl84dR%qvvlRxibq)f+6@i6V_l#H_QD5EuV$t2rhtWPxe=zM)rrF zSUQH{A5oocipG}F%BIn3j%&m=UYZ7A3NW1r;kRkH04he)91hACrT`Puhl^lhH3lue zK*dEts5vbfd+bq@g0nHk>@A3kXH2&30U29>=q@W3@lPOS2)I?2Y2b(XAHs^pbK9^L z&|E)@<=#@Y0&UH$$CmK{{G~v71C?hVVPgXT32dJ%Y{a{Oby`>fYDHOr!g5H{szmZf zxDuP}lYy*PSgUan7=dmPNG;hSY@|BlZQ>#%)BtW|Nk%#n*3q%dYW`y^0#khqfO@QD zJ&g-hmVQB+bs7}J@4${{3cX-1K5E~J&4q6hVvsH>gteT5@9)JAQwVS1iI(HRd5(~82Z?Va!Gq8Za@ z9iN1_R%E?8WxJWIwY;x#zd-Hc-hH%;FGYYX4CPlU@vDSwJS}aYxaq`*CWs$K;&nH6 zNmnqpyeS{_LAb?m7;NSfHihwm?z$Galu*+%P|ok971=Me&%4+BDQfL#j~(GEi>6)E z+=N4kSUOE{#)}_HP9PrTE(-nBKah2fZ+w_kM>LXt_14~FiIZ%F4zWY*i^Ms;%%C(o z5{Dq(j?m1ww)&oaQZKdbGd<)Y$;0szbvzxG_A}CM@-qgilIDBmJw);1LNyzzz2vX? z(WoB5reu#sbSn973zdS+X^)w1o2)&gzFu$)$s+M4JxSCf``%^?4d^) z6NklhSYD|PRgb4niT#2TGF@RzTaP{A5OA1mb+-D>ua^a*^g%3A!=4S?dAH@ zxI0iB>)RX*#ql+A{YmuVH>l_ZZ0F+ENX+(lXnaF%6}<46Vm+N2y~CafUgZlW9twmK%f2eON2EtbQGi zW7l(;j+Khq@XCX@EuMgFnFE~%uXd6@qHI8M6YI!9mL@HgQ-6@pLkyoi05u%O9np9C zTKbWX*j?$;LJ?JYx#-0!)yJw@)$`A9N>{z)ADgy{65?Q$-ZX>mEuVw-l!@e{+$^$z zbRa(&FN9s~4(ki$8L#SOBGIMdeWl|AOhn*m<5X~PFPif;#i+nO00^1nMm&wBEyVMh zg#=oN-gQ|}8GjCd8TTo$E}o22CGJf54I9FxEeJm`80v4R%dOq;?~Vur^u9EQ&lot} zdOtdh3x@%6cn}faK^$c-mEJ<`&tN674Y?08dVE|eMU{)02w>{0Jjdvz>!@p5v&O)LF$J^Wu*o?)W3OBx3FmJU~yxt%uE1 z#P3&lmhums>!d_4ZVzWGI}&$3$%HEoYe)#%rvH?2|KOMc;aQt4R)e2G?IxWLNT100 zI;;o=pXxx}lK|SvvDm6fi!k-%ja)o$MffqX=1xRh1~IWE+OYu_hjD#j$uf2_I~K=j z_wy-tB8J1_qaRAWLgF-E*u(%GR|D>l0|}#;^{)PDRs^VX*I;5Yl@bSxY160>yd>o~ z7Ro_P;!k}*oT-UsRy;XKw`L{+f#KbKcvTX3L54(fhk(^Eh8>w0NM}3Ww5)Ao`6W=^ ziRPBn;%;{zCpdM@Dt5oVj|H-=R7pF$$Wljl$j{?<#Oa$E=_7B{WSB31$i8Z(fB`@w z0qT{0P^=K%Hl0ppqop25dLNs{`vHsC1ec0@0o?L7kUf$vB6Qzz5!pVc#nU)0-<1mK z2sTp`xfnMcDCY|pa-JM9{7xt2UTATSI1x$Y-@{L8fpXY7IW4UQn*K`Nej3Z?2haNK*N*e>Q%~3{HX(E!qdY zm-vU~X|PL>bTk*_nk;{s*pxWS+L7ZRzmesgOkqxNR%?XkC0=~=Wx_GdP$SAb^P%9M z^p-aXm1H0M2K>NANK7;6ZF?dh$w)7072GkWR=SB>K8-}&QG?zvvXO#aBT@bHoFEu( zG~3dkC4PsFt%arS>*!c46VA7ykRTcaBs3^(D_R*>7_Eitq)I~&K8Q3eUJ46 z5{*QBtQVZ*g)ep!7SMaDKQlh(^P;Fqp%;h?7=NcNvmt0gZ6iXKN&1Z+RgZIeh^n1VQGlnbJ`^4JYJUz&wj5k-VO5 z#eT|vM9JIOD0T;A@W}77QHC8r3XyuyeU7!+2Fbz~rgrI9-_u04K^A>@yz!AQu*=&j zBSb?0w~Ywmb_z_X>M{!sGHN2z{hTFiwG`}yL{lvTs~fN(hejHBD|VC2JtTfK_Wsd$8uj=qgpzL?|4>}-mR@{Vh|8PR%uvr0cKNGhedJ1`NIdAnn!&fdjq zH8Co#P;E~am;;j5OC6K~K4kioWF@lHbX4;RFo7KQ^vF^&m|6nP!&S);r?vBGW~G z82QW^G1OK}QMO<@Q-qb)ZqUv@nN-BKo*P=p49WCxbT#+z?uksS_DX%Wp_Gv}h zlF8Ok@qL>A2J;G))932bq_Z?RDo#YkFI1JQ$V{n~GVwWo#7lgGM$*I9mIsE$6+)Ug z6DR&zJ(B)L{J724>&8Djl8-&M%?bAgGKnw8VlKsQP8t(I2C_4384>1D zQm`kJMq$>)Rwj)B1hrHGD&1m*BELJ*z1l5qS6P-bgf(=J3We3)mlRU~WM_>z@C zdu%vCa?&r^zM+%G__H6f%fZe-)ASeVvNh6b%00B^q{vdT7pw;Aas4XyEyh4Vquuff z?Y@m3t7q9h^q0mcq{bwDs*(N;&oy+Aj)OX#DIg5iuzHodlwrj&sIi36i=&Xc4~%t6 z-^RZ9M?)1|%KW%^|Gp0RR}}fMv+#ppVXuJ&R)z2-(8Cz0=SQo!)?ic1toRs-@yPS4 z!JgMjM1Hnw$w%a8<5hoglETqFoYa$e<0iq0koA zD)`U56PDtUOk3#&=0LWde+6+82_+}#8cxdj9RS{(ong5HVlOX^Tg4cqVwGl&3M>l# zUXW&Qusof7kNcA(A@A7|aj??L5_7^Nxy~?7`?Ho<>gM8Tbh_k2;9$vJuD9(7<=%oh zy~MY0rytDQmN6{rG+p{$^l-VijZezGME`Cp(k+hB^9f79k=Wx(#~L|U^o5gE5%{sd6n#f{8W1#h&giK zaH<_+ zmXDA_c%J2V9o62pRL_s}&+LQ8juO$n_h3c&e%%bW!}L6YYtk->NZ-h;6|iPzn5|DB z7*T>Rkl|$NuD2?j8isqNO+!_`SC3@(*Uv>Nexwq)O!IRMEBP^q>;=cUkZZj|K7tJB zZ6MnxoH5vvPI+;k%9)-x&tflm7f}3j)6?4Gn$_(0tW~N-)pcAy%^VR{4;RnVcba2y zIn|y-8fUBM$m+RtBsffG<}r`D;67|bLVN2%;pB5gQIqj*41OzR6!=o;YNdR;cx%4}k3D#xXiB(^4Hfg!-tr<-6QU)ELfxfwg_{*ZGi^>fhJ*`@ zQJkg}ni!+;u*%v=IK#A(zCq?je3Xu0?_2lLT`%U)X7)P>*l@k7Kjft8)l>)mBW1=x zC2l9btGkniV$`n~&EOf99q6ODUyW1LViy(n1O`KZuYjo{w)f$_C#)-8GGp#2F>U zR=w-4G09h)i@5V}9Bj@4&}TGgSaN5eAC5xYC&qX`Nsr7&jKhPV7n(mHdVZ?XzLQ+S zRWv75SgzB?kO2B8qgJ(Vr51$3_oSsGR&y6m!ZM}fPwMzT6>Rve-05~|EK|vEM~$OxD+0&{oSf82iC1G-`Ae9R4}xVd2FtK+fZ0{PNes2| z(z{5$N1_S`VEIQJMLGEA$Qp0mBz_!Zsg0KIV?#GbD_j)87Nzy^69&+gDY;xx98eEQ z{#ZN40JR>#A4S?S6KhTg^whybDOHgXsBos+tbX-DsA5-8N(Ql};=6`0X{Az5fqH<3 zmSPBZO_UJkzBO=F-RN@YKw+q4CvCtF;odq1%C73Z`~w9<1w+NHs6GPB&N;~Z0_tLz zN5>@$VzlPR+yYp&AFxlCW+;@uMdhFVcDs!h~%#aL7}#WNn!ye5ifcp(%mp}%})@G%0GZftAq8((F>7o zXE&hiPN;l8YX9X{)0{q!P}N zKEc_Mh`F%-6so0ZU(TQ8^RFqGY0nd<1}jOo?1gB}crUufeV=5BXL0u4Ubbo07rPL< zi_8SDV+M`k=H4!H&`rM$$Atw51^`#~R?5sdd&sXgeFfN7*@uNlJCVoevrQ2Lexaw&eX{GEz?_-QN8j z+4^*o=4zyEW*|e6+Gq+(k#0$p@s`G@v64;3pMovz0vsQPU!2bWsj)94aika9t=#z^ zpER({tt4#tA6&V#6e6U@VSyg`YK!K9lAfg*T3ew;4YPe{S*KmUZE|_C5)FdneTA8r@lPU5m z*;6|@K*SG3 zq%S`MtqN4a3DO5B%Y+UeLly7QzVFXgG1b+d(5dcu7^^jmrEb=$;|jI>{5LTjLwNc% zMb=m}b(d1;QMkkNxEXM%w)|?ur2aM(=X)AlT$?P6SB=ADV8ZaqO1l4x50LtUmZnG# zz7OwZU=TZ6*bA{`{Cb=fkGEXKWFmWAT&8+ai~z1qMi0M<;?(=kBldv#XEK5fd2t?* z^K7=dn2gST7g3WA!sl#ubkg+zI{W+ciq!M-iakA`r0}MPfM>^BlN4lD;XuUBxIah1 zuHD#x$!q5)!3v(8l5`NmqrP~6vihR(F4{IUc;$BuAB#QB?+Sha1U{2U+Ph;hIQ(we zhMSF(;`q;6X{MPpf0*=@QPM{Q-h(pT!Pbrgk($X7z#^C&W9c7hA)q?&(r8FR9kAIX`2}$@w_4$SyK!H#JmXHY&>O2%a0^_V{)MNI;^8$>5lPv z{cVf*l}RH+!m^_W(!@ooS)*G+57W3KxNx;WUl$>Kox3JlTNA4m$Z2@yY;YYdo@!~1 z)+~)OHg~eGwuG9wN%oJqj!YDoXte^rQgoWQ4gAdLR2`Gf^~UL%_HE>Dd|V`#O~P$e zNg#mE4Z>#py5TKYL2;u!%W%FY;8B=G!W7_Wd!N0E0}5)SA_XPj#vyHy4Fr#u5eNe+kxnZ!soENyCx$M~myRVZQOHCF>Zn?H-MWX#3iT z*|MXZJc^kwTp`hEBg%xu#KfngxZl_yElDD$lC~k67_4a>i}sxv(IC<9SdY28!Hn1y zgP)NlgXwl|fwRKetvmVPSshgFH$f!U*ew<+Ad?4m;=626eW3Bpj=Scbs?S$+W)`%`e5=!>PFF?Y4PAHN85mr1DewskCDrIgkq zca>>SM+lZkE5l6b9mGAYt$zs7S=ZuFyRuBN1435Y(2n9=EL|N86ps)?1Q)jUNi1^) zLMV>V1WQFs(o>v!A0<8@Pfk6BNTY(;E>&Y~F%QlnUSS%{3tz`2l7(5PsT&c3mb9@v z0y_h6WTa;(Z%dX+#!^xPi{-TOY4fEQX(;a+w^I&_ymJq zr(Uun_r;vene*tH#$}A2+ab+I?oCW9UR1a*$|BiJhYQ=JMLz5*zzJKdf!tZcNPS&4 z$x5Tt@_e)*b3V5mR9Y?XXv`bz`%|7{x|05r%L0AG=NLPg6fO@x$g(0TA@O;_UAzg+ zR&O$%R7tEiUNhY)P4LBQ%9cv~fIQI9k#K^TFbmH^ZS;HnNiPvAa3x`lvos0eL|;|~ z0$qoE*fHkgL`?0eT_yvyZ!vJ9i*=&hix?#pmJc|KfbC6Q3!P>kY6h2-_?w^ju+5De z&di9QtggM~M>2t&_80RWJCJy#ch#_&YfMb(G)QABHobti~#FUe4R3yA+gZIWfWGljF`+aM5-wDqB-62qyf0-39(B9anWPvG^sb@ zoptddblXo*c9d6{ZyRdLuJsKkIyRk0B&pMaiis?`y&M3nBB+!xh zsK5c1-VgW`iafKnc|h~TEO!FE*|iWB&xcbqZ`0bOF8aBkz{-tfT3dF_r47))Jh=)A z1_*FnD{&NNz$mWu9aOa0y`M3&E5#A0@sekW z0r_ibO8K;CL=CrSSL%5-f}M|VGpAB-u$KHPl=`ha0=Nm@z>AxIP**z>6Ygub2VtK6 z(A?eXgFD-jXwxqPY_pOz?{`46&Ma+Mq#mWdZm~@;I((r9?%&uhJ@=BM@Uf=buxe$v zv_@2a1z9q8s0FFnt8SQdhsJZueiPdvJPRtklM0*};Gslkv}8jqkJ@Rvh0#w~#`Zo} zHWyy9&C$5a7q*)L( zN)Ultk6lLfBo?QYWU|rnSnc#+5(}h<;5g6d=$Xj->Az6RKWPd>O+V>NYyBCsF??wG zD!B{rC?vVYsFw>TbtfR_+O#b_B@KxQo!B2V3pG?B5!fm|SYLg|^FvdZoz>riy*7gq ze#1?SIqQ8SlwPgFJ5Y{eXfC*&P6mkAgVP>(6KCye+bOrJxu)>UY3pEaM)l;R&wU}v z-k_mHXnc96rP1bu*-5{2;`bvHqDdmmA;Sw#Afrf+I-I+>8-S!OPG3F`moy8q#pa(R zW5*N~?P~mhVLd^{g9;E>JF&ra!a&d!k`(4km$fQ`+yqb zE(f`6XT{cvyLuR{!1t{1W%WQ<2=u|j^$N&K`rg*;n-@m^4zB(^^z*K^ZaJx;%mQh! zx3OogU=z#G;_nQ(kOMM-Z3B5-mTX;x@8+S*oQ5mppyn%>Y%E{J!OE~moT0GUA%UdQ zmsq6zNPBQ48Jx8VW)0J%8D~nkFC5`m`YMFKf!&eLU1Ff3`400fB;qxHh40$ds~jJA zSKO>zYp@!Z`IGNhTRq2)b2yR3Cy;V7tCPS`jKRIo0R0nH{o9&eCffnJ;ozP>I1`Dn z4rInVw%YLr~G5yr%@%ViokMDoqw+`$w*K=NT&g-1>x;&rmVz#?=SuC(R z)GcZCtXzXg+Z@>%I^;8L90eVW8KaZ9sJc&GV4t!njL!yh^O%?()|{~VI#)O3NX7N_ zF0eFb;`(KN(48(4ASF!JLV$2qS3pt_7rRg3Wbx4Zl;r zhZtze?gAsEkHC-*91q?@jv(4S4w6hA7XtRbz{OPYW#hOgsR@?kl-ayhWvC9OA`Rd2 zx4*!5gd+K-!rj1)bG(M#*@jhW#~I}5#703Fk|zzi(-;V06nER|sMEHss|MAlaos(Q ztjYROC^n<_l0SBXQEFJ~V-&11ho?_<5 zA~v4a(wJ7xxmi`+}taa;A=YKZRBzDKiWTM6g_{1&?ox^~&;q&I!g1-#d0+{@6d&!3B> zF$!2L|IFrEnnfC)f>7pL><-5$gxty1^yBm%Di4oX!OH^!@rbH*W2&$mskBX?$FMEz z%FGG)4nJk&n+W(<*!lE2wqVb1jykpL5#*Sqk{d$#T3C}B-VBD}b#}7H^P^+bM(tc} z?Qp#-6q~a5hKVIOTYH|7J`R)y1-MV}rn4{05VGL&ze!8L*$f;bT@R8s;l`QdRs4|b z(bmxJWL!WDjGwblNF9b3N%jtfx38Wu-rvcwg8xcZH{o2p6J=X%FbKI z)1sQ|A}NF18SFyGI}!NfmN-XLxc;?JwmP#)s5aEZ`lB2Qc}tJtJj9Shev$kZcCX|% zN}r*kCiYBi3snwrq{2{FB9a?XgNp5I3&S|C1U0H$DlAV$tO-8Be*)8pA|+_8S@Mfu zClPNehXm@LEtFCNB~3`(Ou%j*j=jOqCr4m;R!rGB`FRDb05-_OH4rMf5!w4o!%^Kz z+ju|In0OnS@KL3_ZFFr{*8(ihM7CsREHmS_6pxwi)QT_wvt_cWVos^epy1Rrkeqqd zSFm(ArlBqy$5dJ$Ws8zHW7Tl^nx6YaenKao!P;dMyH1*no%&ewEwkwiC(GVIr%TJ9 zFhnNNFB^Z;@J7SJBJSO?-bO`aaYu;WTqW09nrC+XP~E_eR~ zK9PASSUW>Qc?=aQUNq)JQ9EsO!5imbuG7-7I_f*uX8qY!xJ2Lo;p~G0Z5H-rY-H|) z%9jaqj)IxUdE+6CHY!YeNW;3gYoY^Kl^uW=E$MCnHc0XDV0;oNPsRu9OM~$;xkCv4 z7#hm+2!99x7LTg&J2fG=zuXDooiJH(WPx?x->GWi#jm!H0E9Bz8Nr}G`?T#pRVrpJ zgJ$UunZ!&cn}vLdTs7qo2^U|IBr8QRgo|UYv(i!(d=spVtTY0N+Jbl_k3?c5HZd)9 z)_Kd#5)A}6nO$RsiXs~g41agHuE2Dk7mu7H5z~XhX55^~LENdfh=LS_@zQN%Y|v7} zq*DkIL-gsirKxuH=ZdOVKA&LB(cdoma;{rJ*3z}5pJU@q9c|A3CBU|ajvaalvP!Bp zi6)#|5mvAV>Af1dgfWNfdRt(Qw=(obJR2oN0?PoLPSCrmmFzMf;q8h!6!5khQC>{ns>_?Qir?C$t z)5vc}7>i_csEVv(oiKm)!V&@e{N8CWdA%Jd&r33>C~J2$cwbm21ljxM!Qs=$H`VxP zsG|V^0Fir}jiZ+p`G7A)2ExAhB_|It9@U|P(&+$ktGkbN)o9M+s1+N;$DOIj z8|O-hZP^VzklACP#Z6VoMaUfigE*OXwHxp%xFI*cd9G^+an_RL)ZAL}7dAr-q6UIN zAEwlC!c2$_mmeXn(SfG#aW+l`V6QpI^dsbo%*!;`hneo=K~NrrTX<5DIiR2qWWxYD zo!kfVbKF&UGI+BNi>E547R@qW3HFVI@KRU*kX25vgg)1ge92lL>SUuGMr1k7WnX3%Xgiy)Wcem=Fq@{1r$ziOWJyYpv4L%;sY1r8`&9$Sa7gtJdJd zT`=FDQ`?t5a?S7Hxmmp&-ATaN33%;us5)A~d0v94k)8T&>b?NJBd4A^2p1>enRZn0 z3;wAJZ9b@wG+Ku~@a)wV+ljf!4&CxFiiYq?SdJCU1O6BGjNA|aoIi#}9o#({y81ME zewRE@K__9Kmg+9gQiC&F_Jt1x^RNlcObc*A#P2N$0O3E9ZQZRaIJqfE8$lTYf*nmk z&QlTA9%1HTv>c+O)>=3TjHV~SGkcksgF4C&1!>1n?9=e+{4|2|nqQ%d{-T%Fo{(0d zf$t)Fb`vPv8GHc*wtjv{xax=u&=NKKtz)Rd_y@(tRHfVg5T+QehjKS*3K$z;#L@2* z^y{>GmzwTSdD{jnj`fK7n1Vb2xd1U|)Sz76#?YrhyS$)fl0(1>@)TX?fsaR#qlYpX zn+u|~+F-+=2**4uzY}2G$v8BT)-zEKSD?sr+o_5@TPK$10$Q&eJ%CA^=wFS}*`SEy%=*9ZARRagjw2u?G2( zz@pyZd^?Nf&*?RS*359#Vw~=f2Fz_1OOcy+c`HP46y*|ACYRR-6@3WNg^oU`WCSsr z9v!|Om5d|ZM3eZJjb#RN}>kI8(lxoo!yA+CKs1=zHi5QaD)n@NC?RGiaAamF6K7 zVSPH0OURGgT-dUEBp^RewN<$Q93# zj`d$;=SJH)IBdu;x;gJlMWc_{oFfIXQ0z^j?XivxsBs~?h~LcC0A*&Qic6_>D82bW z0U&Yn^Nym%9eK$}`g(igF7l)>i%rj*!GINdCS|RhhE^;EwFYeQVzW0F58w}qQ}g1v z+6~$Y5vQ@mxum>={<`SGzUyZ#hL;YnFja)*zTh5i_>GeLPg(m(;%;b`CXeS_Jn_D69ewm^nd-qMe#qkuzc!efMdJY>d4 znFD}N-o};MF9TCd27kIvjpFAV3vjGcLVx@f%QR*$_}i&|=?MN?dRq8jR#!(7s(OOx5yM&0OPf zXd~gc=2I%RdY01nnfp7ul;47z#K#STLr`M!%Dj_N?qO*2HI4N~h&(319SME7=sYSg zUcAEb5bSQ+Ai^5-;)xNbAVLdmZy#O?l=sJ#kt2WK$vRD*u1dYY^*`x3@9aU<>t*o)@@ zzN%)A{EWu>g2nNT16JGVk9}EVnhJ4%s~GXB|MIB{)AtfkK)tP`?V~ZCPV13DtGVbdCeG z5>$WCzO!TsZ)N($=q4Mfe47&99i+3B)bl+uDMvNZuS}r^n@e={u_ghqU4JU?C4Gg8 zwlSTZuC1u(IULQ;;rns7fu(mmS(BNQ2lz|SR$W!7WG2K1=yAzxcyEs*&$1$u3sjoM zTBfpw>BP?Hv^9?u4fXAPpf!q;VgGJ?&p<~zf2Mvm87_l3)*AiR&YZ8=K)hF^h+PI@4I&KMO3b35-F zJTEO#yO+XPzA#9>m}2f61z4)7Fs!&A=Xx9Bf~j5ZdM?V*f;@A?q3kE@{Ki7_Ts4`- z%u8ZB&_`k98!aWFYX>tI?Z1xl^s80g&ZeV7*95b|*%OZKNSqCTiBbR-cj0K~(qQSY z0C5wJ^PVrcSl>Y_s3F=(+zq;gld6d{CtN(h#n-NfNYc7eaX3!EtNCASBfzP=D-^5~ z7F1zlE#~KR%z7G)NiHyqXKi~eOWhEFB=&GYcEPKW$%m*kaR|76@{yQM^HNU)R*ney zk3ccPIFzCfQ4fnut2x?z0P1uLyAK%tq8+P|XFtp&pGKQHL*Ua|)Y5@|oo=>`G(4=z zTlq0bg)>%Z^ z`muzUr(n4b4g8aLoD9g^1x!Mw)%N3#k3&ssz$^@_;NU^vVwm0vFVUFh6MaCqRSdSAn?S$CH${=S%?xx;fW*rTp(k$Q4tlrnrZLx$cQyCoxBEwLhd(D66rBi*OB9K zhP*sLHijTa3Eg~Y(+KMXmC)H1522*!<7ECsMFmIwDnimvwgwotfFMT15+8jbvZh&67# zcm-x8XS+cxAYK5g)b~=1owZeGsTaimuyL-%VGsu%y&`t|(3V@`Nl1VgAiaqA16-1L zg-;p@gYR$ff-CqpB#hmGfPv}SkFxWExN5SMTWPv1Zo>s)vh@_l&fOGdNizsK$2dxQ z9mwca&L!CP5*;N+2H2j1{GZVZTRj`?Ql#4ULk_II{ zHmSON!Z@EFCBctr0LkZVu;y)WTkU62rpWYG42DFCPO+uk1z;HGOSjN2(lNRn$bogB z3;;|E@uR$R29ybzKPteS=M4a#01RDiU=3MHn+=%TBF9f^TX_H7*?S9ArGiB>f6SaC9dK4b}ymB#DE$hIssduK6%%T!kTGAD___$^Mb6|#Hy zdb~&3PeIkYUC{ue5c@E|%ohyD$(@0P^7$bmUc|aGr?%qNb6fG_IL^J!>4NMjItpKf zG-DAQWH{Cz>3dtj&+y|gaMMvb{TlZ2M(907=P@@F9Bx-hd`K&x{$gC@8zWVtlFvv| zBmj*25xq0%8ji%^?A#aI&=C0DCAUe!ke47n#x@Wpl>7W90NY49A?I;OBj80)Lx5B< z+FdFxCXJBaoxHH9|Bx@;1C(8H?tsX4P=*xK>mh!28vD~K*)jysa-`3(yGrQXnzWu7 zjc>JrHI&L#N_+*hFnCPP0@ix@=ny}8KA(@zwA#Mhooaf>zbf4_i~*m(ni>q=u23T8 z0H66jdv}zwLKM3z!vZYb#hQv*pmq}D+2~b|_`w!rFJ_HpW1`!6eYga%kWCme1}x&@ zLnIM`Ma2`+HY^VF+t2}h_F=H@ZpnTKi4)ia{-suMg*_4CRMsDT|ARuD0}<7k_&J9i zpLm>$QC5!!qbG2%#g2Iy)oh@w{0?ajhA*apJ5f!uEgZj^FI?MZ^K!<46OcI0JwjB7 z&+!SY^UEgCClio-;!w_W$WvJI%;#NDDx1od3FAnPP_9gmrQYGI+-J!q&IOhd$0U^2 z4n8u@=Z7=^Y?yzcJKBc*P0!z*+UwiiLGB@)v~{MozL$EhJNW@6{&8I^>p=U3@b><3 z0zh>@{hCpL<(?H;@#8adk>Z2p^+z5{vzKGsMmf!+xne zR;`k2Q^)O0B<;nu0r1aVO$~?qwRxbbHh-hPcjf){u>pq8eMcUw(Sr@63vG(h{;2W!_#TXFA2+wQiEc1b<(z<=HqM%O;Yv41zoe}D47 zU3b4Q9&DTN$TqFe&K1^vxV=mdyuJHm>W9|+TWLI4^43z`70SO$X9$eK|0US^e~V!2 zi)Eh!x>(3vbTP_1Zd_sY`0*nrwxPG}IIPlr|FXio`=?Vu=IdVp$e05q{&&2*tNHyy z@x9UI0UhX9f$hW2{Tk4(0PpR8K>t0c{_ay$_bdAUT`T@~yo6QJf5*!j{~GUqjz{+z z(|^ay*4f(s#qsiAVH9)umE+y#Fpu5K++rPl+ z!HIWqMDg)ZWL~@Jegz%)@c7D+<)hlP^OIP&9-DV<{5;5f=NUNbU+?#?Mf`%}o>ukd zrnVOH2lcRUcx}5JTMz&retEBV?0vX(lP+tEyU(XNykafdZe8IuQG6*Z{c9$T(k&sl8^lek z9Cmv_ceq=cEaONBp-{;wj=at|M0VI^T#Y5ZT9ulfRsaRCWv1u7h(l}{DQOT?wDxLr_=QQShq2(6)jID1^PVAOH}tT-ihYLIh%)C2}{oNnSS8J~KT7 zXkn81JxbYTst2=kHe7E{Pc3MM#PdvYIopp{mR2vgn!#*S`gwpVCBp%&^b^8eP$qG^ zgE$Qr$OZb_RoMS*9qB3dNG-I8g8Ldwnm_a#eXE%5Z@;^PaA05fL>i?Vwpi61*iu5? zhOMgxhxINB_rT_joDW-7^gFQC#bQ&}rubagHY6^BZAa4411UJI=f`RJu$|9X2HVe_ zKZGp+mm&@6j*5s35V~=ykGmJ)a8yEYny>5$*lLD+23x%skHMPGzOv2bt6_Vk;tXtu ztMGJe%%~Z1xppmVzs~p?wjjI>5X{n)^SxvV+CXNg&i8D>m81*-O(NP%?5fKR8z9VM zK>TKnRns9Z>FACmJS^jtitk=~3AX>d@gr=(B0?#+TKP^DHY$(qAjcwq?(Hvm4cUTT zAuG|Zq@J2cc}Y&^@7gYCt;x?IA@ikO_xEu{`3UIWyMuHeMe8;&=GiYp|30|6t$+Xj zeh>fJ?Nd1E9(XRGAyc@s!vBWgpZ|^d|H0cI%ni8j-AAh04@IhQ+c~We$p7362LV+G ze#4trL?aE3g`ckQ^CUcp0%&6@X(5I`Ux!}`4Kg3!?XUDb$lwa^lbg z)2~z{;^s<8zCf;=^%DkVdH?ng9?I6jl=y8=wh-PlX1~1fqq#l{IbR%-*yP?_V)(zy@k1- z0B`)BrioOwpY))7|G5|BJMDVscKK4R@`ZgMVw{9D0U!uKxo#C9w6zo^$N|LG6*_sV zApM_+ghLjXH8QOAt>ofBO-@t%o(dc|9qtBtXjOb94n}_2R-SnUloGr;Q#4$rQJN3G z{h&CDVcyjy&T|2}4+6}eyanR??afwk{ASV1Du2?xk3kjr7~&!3%(6{17}5ZRo`j_bj-4w5FAoqge3c(_k+c(%E6Orq#+! zcY$3(wR4dFkTAK8!<4rRll&%eDw4$ED*hubEW~fPq~}xN{1wQjhs3!b{mk_RQxNOM z)0AV&*-@>`^~&6lwxN0RP>7$)8?3!R!uKk$aACkP!vxakKod&1G}ccQK52A$zDsEjh@U*fiUFP&WmQfZO~2`{(bUTdIKf91 z;FEZzV=RJ#PxLv#9|BkL>r5)|i&zJvFCAX?7tIRWXf5|5tEpX%wcJwfMR^K>vn2qW zKJ3iFrlzGm^NJ82WqKOi5cI%F2t;D~MFn#!nP7P+lJ;R-=u1YmfQHZDq0v$;Xdb}V z7E|xC*v8UKVw+7W)>B4HLNK=&V{;}R`-lx#9=PT*A8zZm-UTe2a~b5 z2~~0c+dvi4S8Dc?zEmLct2q-kuEcll_@^RDd5_Q7#M0lD=-I{SIKkl3U)t%7<%O zeNT=`CAZbB%iF7j7nOBqe+=4`dB+rEzeBB$ybC$~WoLn{$P%>Fp8_k+22fYpC&X2F z1uZ=dd>Faq^e8rz8o@Gv1QD-*IFoCewn7_XCj$f$5GTDydM*NwU*i5Hb-g7U!V@E< z*ly4Tl4!GMM{XV^xP8<_Aqw|I5{bg8gBVEqP?P9*U<3`@6Ag3ZZqPc~(^N-vN|5JSaETM49%?Av$fJHW!u zRtDyHP`Dpzd6Lv}lJwht4!=g#b6V{v6~}-m*8jFto1f*!=agUaFG0k2o zor8#rP5E*KFdI_={7hWJ%Va0k@Tp&YfSNDliI^QnYWW4(8xUDk@euPVWh)~zpCP@8 zC}^&pqAY9X0FuKlMzvHLOcnTeP)>Il$nE2K#?zMz&F#X4>XxZ_P2Gs4^SO8&UcW;~ zEZ<{IVK#M_yD;=1E}ZVqY3RQGAK{MS+h9{KJfC#Kw>(cY+@Zc{UWn&utAbIbe30-W z>4K7|RZ@wPUIZ^1YF$Yp0A^FyLdf1=y zX|17x*>uD4I4FV|+m=PTv04~dxH{4UPY2}VX5f0|(jfav*EgI#!zJoE)1KwJq|kxj zw46=mItPVPhgI3*YQz@pBcaCKDsdzgBc8%)>0ufY6r=z>r~Z5kzU~g#GSv}@$kk2z z<(MFPhm%LOHM%F&*+s}0p&b~Dw4bXR)PTKBh2UrDDaplkld@9*e7Wu@oh}&pLmEJL z2aqI-DN1rG#LhAcX-z_^=|_#^cPp8)sch&bT@2ZjgF$p=O_ci`fvKO&2~;O8^w?*d zhI)bv^$Zg7>9MZr06Ib19l+?-&9z)FTr2iKl|UL-ku}5c6yNK)=ir#18wthPo3mgDj+Sk3&REsr>K1xrAI z+0hY!hWupyAOhQSv;nvWHJY`GC&_C>=5#_ouA)Fdpyvc)oW(&_;@E~i%SL;50a@%B z$nL1XjwJ|Z9Qq8e0+=|6BIZiD(YQgbMSxDh$y|4nN?wI@J1Jb~QF2yl(eUL2koE1! zkY~Q0&_`D3Koty!?r3>Yc>xW5o~bZY4Jm({W%OfIY-s-HY^Zjb&bn9Cu-f>QiXPZ_ zfil35(hK!vPB7B{7a$P%>R1sQuY@hyR4L#R=hSrw7hFNo#TI`bh z5sq}O!ni9Ifu*`H8^-rzwe_K#qx9Fna;kVPqNDf>ZC`zU-u{!^dc3u00}kPMy4#*w z{2dM@8%v6DKIB*8IA5|gHH7L7IbGan@)J9fVz%B?O48EPw@b?QGBv@L@q&T57Owq4 zEjpq3?F#}b>`xkg6$%++NKG7{Ojlxqcm72W8BJ@2skGL9h-1y?^+Fi4Aeze+nv5Ds zm}>kg%Fr)ip{|UzUoF}wE}}yCXh^YO89dE& zo<3b%g!q@J7~rqKPUZ}A^&GdDvXaZP!@z&4lu|3A^iQ&7)6d?@Y+`El(nqNFd7{s^ zQL_qG20A`4uxa~0z_r3?G~NN^uF*X1P*0PT6GO;v0Hi!5K$9=Q8aNRq> zp7m5XAkJUh;gxj%MoLHLg47qT1Apv&cS#E+w*t5Q6jE;1-7&yy_OpoAuBrGGxV zIe8a#)!2)sY8Z(kvYbFMJ3|0>fgJG6f#q|KY0Q@I-$+6D1W7|>%(JloeNOZjz0%h) z%t_X?*;WVy*iA|)V(1i|x4!wKLnVd*Dp`wge?fclhwYaj*J^A4Th^=^G6#>QWKeJr zjg5um$9RdG#(OFT0aytg%{jQ`E;uv|UbR$$D4ANs#p3mDh1dnSUJv~YG)`HO)ZTo% zZ#UmejkLV&C<|mC+Voi6K9+S2g8O-@2}mEYGU>MG<1D8*$5*!pI;KAP5V(3rlW zL#Tx`4TyY87aE?{ls^d?H3MXq3G#IsZ?LpRHYmig%-4e0!FwDRQKu}TE{aCk+R|ua zeK?=Xj=i~rWpQt+v#M8lrE#Fn({v=S;kFA@QYsK-P-axj><&gr6UTRq?#Ufztj%KZ2E~h%KmpYLL+U;~dqkK_Wc=O5<08Ro zArpr-93%i9ufNV17tmy|7{-TXKa99Pgm}Y+V5Rh>HA?I4YM#nnT_b(0qhhTWbe8u8 zHu+IOt6ils=W*IVjt`~WRlhptDCs(Fj@qix)5S1mOQ6o4qOPKD=EVtQC{pk1R=1Tu ztAC$09M>*=QV3%Q#p~ z^@e`Xk->WDx{@kEFK7KoZDX&~+gh$u1}=0998G=!2F0PghOV!8(tX=MYv(MRJwG$u zOw<6p6<$(^^ev{Aqxa3zE%filzBPT#(#hTEDEd*Fp_keUFLp94P|Gx;hq2L=7n;d% zA=DkqhVI{)zunG}!5l*mfvL+Ax~{=regU&xXL1&a61$L-^)^y2b~jw&hNd9>rs$jA zt1Ib6WGW0Bj8uo{t4#k85}X%@=-2ZguCf{*BBP|uh;q2+&hTJs?g1Nco7xk}7d!*0 zAzUaKF=PtaE@<#jQ^t`cWRCQ(g6f06Q-RN3d(i+h8E9C-DoKm}8U|G3SG6WA0&ig&J1tYzn0E z4^EozeA*(IWUe)tq7<)=d3^g+z)fNxd2B>=dg27t>J*h zkikJn^At=cPs`3l_A;`@*iY5$6<=^);&Nezxdm%*KUX927_dP0S0*EqsBctRl{#Ia zCVMgfhryyLO?&~>>1!yFJR-#o(Nx)O*#qa3#1Th?ixRGFq@Q&x{HH8jWUany|`p1em$ej!(y-4l^fNYd#j zV%BMC{E!e;e^jfEHcp`-x_br*1~hZB4B)G%M0X$jQ1)U}vcNc9MS5C%TsSc+7b9z~ z$#TMQO-o|;e1yliw*jcW=_zg*j;F?0hHWXz?uzkH34nXzQ3ri5&a>M)-;l(zEcFa< z-D`1f?tG#(&emw_!YQ5vLnr68hrp`Cg_)AT62edB68I@pn7OYGFO<3>Yix*7W1-Tx ztrVX>qHY(EDq9k@Pf>;qdeT)X)&Ge+;bu>;hm*}AN9z7O=bLIC#Zeb-T%!foi69_D z?_rld39v}0UP=kd(S~O#sNGpru5_HG%tf9u@`t`hM=WEO>W$T&({v~{G`ySL4?{3E zTSjLd``A^8PEOwb$C&;IM{%Wurr$o1v}LZPT)4`wB6dhHos{elQXQ88%qQ8zIw3%E z#@Srb!_^7Zk_prWK}Wtq^D9O%{bG%SRHpFqzS@zh{3C*PMZR`>Y~8h+r^q#4oB1r) zfjopu8oGi3GHlcDo`(!hN*ar(gTB4Cw@B#_JJ*rCmY-T~c6)J_DcJgJEZIvYxnH3c zb3KT__M{p96XGk$0)}^iBMfg2a)%OXChZUuK0l63Fe@lILq-Hq8K_!DfO!ztz$Ii0jjI-8GESc zn3K7*2IVkYJ4xTEsPvF1u<#l+n)-)9pJlM2zE0NXS!QupHadT$@mm#@3raPQ)A*`{ z{jffZC4+f}c~xhPq^KdTuMudwd`?61d8Q$8hSsQ*Y`>N>B;CIrJCA(2Y7H2A4#Gs=1tsCG5UR>O!9Gj9 z=IzL8O&s+s8`k^{fE0PH>4t{K4BJ#!OIU_XH=j}I=c(-n{c9dPH2FC$JonL(!<1}@ z3WkgthVEqV>(~CmP*_^7htf8~&rGog87f%<=+60R+OZ*S2kB<&iL2bPo@`xxFkNW9 zEpVa@AOT5trF7-k$ogMbEHyMo6buN=i$>O(PzR7%F#JH6@sx7W#-NBp6S#;KXMuuB zsGan=kLcg~%TdHq*xgOb4%<^U~=l5hqjcxcBZ zVVUqUPqSLjbiu_$sdUz0k~K70f#>31Aly8}`6$AXz`;4%csPV4KrggAn}H7tlZPBX zM3G&lzVa{=jsUO(GMah^8`$2-dA^5$OalLewpt_g`R5H!b0mGwr$>4clNecHoe#$bD3!{(84=Z$s!n7N-<)2}eiC5t#4Q`e3buHGT z*RAy$>@&~P9NNo==6`DorIO$==U`>`V+h9_d6EFZLY^M$_GH7SfV7)cc^zHUB=n{k z_~<`0@JzB`Po|P#;_xNA-4w;|pj|gl&{FbP<{WDoU}@6E)6DJg%-x1hg6Ra)1^0BE zJ#b-OKQ)Zl>j5dBy20j9fZLfRddf_3B!-gh{n(YtapS1v(lRwY5l6#N z1HvgKV*!^4m-!90)DZOAiJXGkeDQ$z+LjB=FJ9g3fV|P~L-t#lEav2M%`B&r(h)X0 z$`ICm-dWp;;XCbnl2>C)h<&_HIJmf{S;$WG*ZzPGT2N+NS`Cv3GpM52|_2K|*pF`J9p z{|ZdmBOH&Zu{JXvFlzZoU0NL9-B?BOHmtt=v}|JC!6ZgZV-|O8p2u-Fk3$C7DX`g- z3~s#k$58B~;_#@etA_IkccpgIsrvmIS2%ds=mfm9bP(e8*@F>x)Nn>e8S@7 zQMUJW`q0{E8@2X>U<+-kXYhQi#=m2g@BPA<(9ErP zIR<2t>?VZDEi85zkE+O8-22cN^t^s~w1d|!wE_=xhg%HiogsccDL8*O0jXRs35LRR>Re2=ZH?BBtT5%ucM+od{ zKEa>}C-cnLIsFjz@U_A9seBCS#U<0d4SR#NcD1}Wm{~}(25qETH$4QGNQz*(r_rSz zJ}DmE(8sFl#)<=v?efkdVRcL7YGs}tWj@CVnTr}~3V_`+9g#%m9Dh5Wi<_ukE&ttWe&!h&^bUHoPS)0SWDQG*nw3m#I?Fp6u)XCbBF`10HG=7F>DwZ2+X>Tnr zR5aNNsGgvqnqd{1WQfrE)fF`fc1&VJ^*cgg?*RXg@taUO3&yjKuC!1(LF@vc97*J~ z)K^JAqHE+24N7Wt#Iz=tRKi00--0o=Df|w=it#lQeX*53--x#4pK9;$;o$vh%_M01 z-kJ~NcM7(j{lG!+gS93Z+<(E}cWX-}YCYEa)$cZI%UpPHUt47Ief$2tMSFn?z~KaC zX!kMQeQNH=zkPuJD5$^4m4BDp|M0sHdf>9ZpVd~z)~m|f@_-(wcjR0}d)TEvMEYI~ zW-9^K-+%i3g8p#Ld&lqA_&)O6b|PH=sdulwd(^+jpAu9lwVwmIRB*4mhgXy^MZhZ*c{SYbj-_F_Q*S}9Q{kL=8i+1q$#s8&q z{%h>gr%N&SJp^sNMp{E^zROt%p+uz~10W1G4teP;z^Ha11Ehny5MIm;V~yMvGKfX@pKq997WRG+5!+vd*~lRyf6xatDvMy=2tMowa<4)+2=#n>06lRI@x`&t7Hl_ z6~M(yrubuFI#H`hic$)vpT<$BJohuxxZ%hBkuau(5RYJ4&_<(d8pdkHTuO&RGBZd& z@oDg}Xj+3ZOy4H=!ktXj;#}5BI=RmXCIEgiBh#PkmGHI!kUdU{Q51cJ-13aI1X3MH zeO+M4aG$ptXNVVUQEWI~3smqrx);?61HU2C(|VT=pb_kS9T_OM3pV_I+h7SEEyUW# z@D;f*p`&{{UqO_BL|OoTO7VngE4G8_qi(Y0dwzy#i@Q_Z$db_~^ibC~a-V1h{7Ns^ z+*=3(=!A&kHNw`b`Q7DG`T=Ijw=bs){Jr3t9{4_jm1`z8;48K|nOTjpV! z?*}+DiFK!J6Y@4_C^rTq|c(D9hD$;0^{TPuf z$5v@e`vsB;6i4^uCHI-^@n~d-vb;cybRVT3h1Il45`VWx;%_X`Vv|1^*rc^=^lr}j zknaHWFCBQD_yUAMxwR!r#tID?ZLh*zeI;}k+lNdi6^^z5Unerr z-I@#dZYOND<=iH~{618kSQH8TFaSx_f%Vl~s)pdLUQD!_-+@D0ZeSY7iT6)6bY+A} z!NbihC{P}9T4IY9a?4nj`&H>1vEoG?tx7&g{o?K?ws28Ygkhn|GK)XJm{g_~q1pB| zHx+nl)(YmTOg@ZjfGdm|6}5nOv;9g8bR%y(d$VRMAel`L-qgTO!jWqT)t%do4JA*I z1ab~|V5m?4YsPcD^TZywH}jhsy5EWrSj*tO#48KcYwm&>$z5@Rl_0 z05^jyH$I|mxaT=Ck;=8;%IvbF_~T=@rF0m zn5Lqs<0UVbZd39(oTV{Pu0&<^T;hp=V7HEUK7zJ)<4nnOO?v4Ubh5?LXmZ@xMUutA zEGteRocQdCt_=z9!SYhoktXpC)+Nq!{)Nfc)LzkDa)er%Swj+YYB2W|i4}U36@kaHkK#?fnCv991za?25~am1Ym1h811B_|qqL$Lp5TN2pT+)$ zb*9yjZU36LT0V-X%A13nv&D@sd*+a++~YV})Z-}-8#fikMo*z(DNQAn+}g94@HM9iGouU9 zcya)P*QVHB4R*ha)Fu*Y%CkR#WnIr;@!J!-p{TEwEWsAjN%31?RTC$QFLNC*iwiiG z{DceGVK~3M9Mpl%@;jg-^loYu9iaZ%7 zKSt>d5h0|1&0);6#Ib|fOrZBZ4{%MUZfr4=$JXv6#kK?BS$P}B*Y_uJRWznaRQVqm z@N)1MxC>}VdcU~CF$sfJUK4E_W_iiI1@I)O!`LMiD2r_hi`D%H*TL&_W3Dea6XPpl zVdNS{vu+J##+fD4z>5{fZl}gW+a6zL7kZm2n5n^ZxaS2yLpBPHlm|~2yEBilUJ{b2k;F8MHPKccX`1NtkZw(xZ3>#JS z(44s_2Vsa~ieeXvQCt^x0TowTLpkD+!3OaVP9HK{WoZL|f?4tTk}kB_u$C$cW0KTo zIm^0NBa(T1McdrI5Or$cd9$- zMBOH=YngJ@H11vP6dvzfT7n1F(Kw7d%$rvn*2SpmemHRzJL{L%9Z9>F{@yz21uM>b zD((~2eSz+b^hwal*WHU1lpNefQ@c zYwp%@V61w1&lAR+rO{b)!gD{0&s&i+YFXn}f8h0e4 zy70YKi^KCi$((fcldZw~nZmstfB0(u&T8vgWo^u*6EBSV(csE?^C$0#^ieTy&b;&D zp8=7D-*lbxX5`Hdqp!yvn5T}A$6dMZ75R^1*EVTREb2aG$QLtKB`!D@k!Eo9+cjl- z@Zlx;bmrWt6VI$!8snB#maZG0XpHYwyw~^9+|FGm-dfY0+TJIxi?x5TH*@QzqbpN9 zyB72A%}n&CJHDTox_o5*Q|YU|d4J2qgb&w7&A77>r#*MPx%*;$)}pj69}VcW%2D(C zq!CA#7k>O!gSF=QjYa)lxRrhO{clTNjM;GjyKUL2Gpcu0UTjTUG5=A2=00nMs;b5} zaZ>sC$~Jq&;gwi-DZ{+^55K+Q7??HwPnzMsu1_<#&g~gR(c_fRRQpxe_y~OFc*jlj z`I8?@D#uoipIixjV2*+t`Cu0ax_dB^w4M%U*Wtvw?Oaj2F|Po;oZSmJv>GDyyFU;A zUCFQmb4mX1cmE^vxrY0z9O$i_IN4X-R^g2Sx+MzpOAF5gnLk|sXF+}c=QIDcT7_K3 z-&rgeIUu4-L5H@cn?NCvzoPzsP^sS)-0TN4gxU{Aw&!@X=1cu^FI>M5_qDokQYt6(J-U z#go8T|M?V(ryj!rO7s{VfVz?zIyAfq@>x(Z3Ct*L{noPy4R1o(3S>UD%rCloIao#A zeG}RQcS))HB*1)XF$iuR{DK^;e^x*Tc`X0j`|o)yDO^%}JBfrkV5O=n2}*=K8^0I< zb)rjK`&jm1GEmz=Ro8Y=Uhe{>O1vxA`**{MbvQf=K5F0Qv9e3&N{m#Yp&!y6ls{jm za4b@E*|>fa{DUa^jabcL5~fjB7w=A!UnJ_gfC$Q>-oCq? z=Xikbl*0VOV<3{v@C!r&kAr{rm*amc-oG}oZ*~N53#YW__H6qcFARg$(2hlPe}2zB z=~zf?%(%&zwQ@*9JBXcYrWU=^}epP z*0pjQN-@~^fa@W+3Icm>ngCZDCxhoE_2`f5PN_{YxNeGsEV#f&T`cw9BoVJ**zVxo zF8RQN)6L+)3I6D<`EY_iA0S?w;E$d@@Z$uhg5atz-IJ5;7GI}q$Vf8ya*DxzN;>7Y z;Jvx{8^~}4OuM_Ce(V`6Q}^w3hWK{6<6Sq9+x$G~kztZMAP=+MX&Kp|8JzB+rmiMS z3$557)h*6buQ2G%z=v}1HREs#VPU~QtGA=n1ss?*qDC!OKi~JU$?{8Z@W4I3OY`K$ z-aM=C@7Trx`0o-8f7i`_- zJN^|3b}ac<&B56hp7XKp7;N$iexClgXHN{Vhh-9e$biblSX_XUvxEhehHperL2O5k+=AB zf%SKfeGi<7N4xK{Wu<5LEcnK@P)hGv_&nIg<}~&eSv-B=LWlWQFrf@9+~GZF_Y}$L zs(}qIefsdSXQU?rE-owT2D*Ur+a4BqvGn>+kGA|F@U$$?jdlC(cKj~ClyK{#1w#k) zZ(mqP%JfdON;%msDcf^*a#kSU8f*;LP2Omcvb|j-DYMfysg0`#ynv|KF zD)}P8FW{bNXUon_q>j%>;0(@NDRoLozb?2cd2gVH43}}gD@oZdxC6ldmel@7xB}9j zDoHu{u({VCo9bNOK40=zfNwZRAy>|yB{^HdZA8%3oo_f>N^PDSCU@*7Id2-;U-Ivg zz`0=HcKiIV+D?H>Kj)W&;qS#&fti*?7vScM8J0!oz@ORxY0=(-i34+!#yFgCTea(_ z!g%LxT~eLk-YxKkRZ1WDM!{ir$mr9$;}ZOpb{7H;58HhT)_||qqYm|$QQ%{HML13SRE=5!}Ght;eiD zrB%wxZXD;1lI}{r7}q%}|3a+%t8+-KNBJ_w`Do7Va8C33I>;Ga@Qe2|$zMNOnHkw% zO8GWYYVDdWwa%@Klzgw%k=mpbM?T_(^=&B&E_IlaXrBws<=<)Xz3*z|-3Wdm!TD%c zn`c&&na5V+hODUbOR6)u)4Ptp3!Zf4&c7l3iuVS&;8~cY2c>-<4`&$)Ccrf0^>|nUM zdjEHFa!#Coo0MCpUbogMFGt0maV4gljm`t1o!zM)Tr<~@<+u*yeB^BQ+{==) zS?{~0k$YeB1=?Fj&s=dBoEf*VIUn(sNExRc_CWq3D>nHW9o1O)Ac)ADX-5nNWY&YaItu6!D?wvQj9yJG^XVkhu3o_ zxW{j9@w9{gUXVR)!J+m@i~o_t9+9Kh#^9A|INgQaM`nR5*B2yDYRa}4KU~`byG;Tk zC8>?~Q`?$+`^av8^sh*_`Wx8%uSx;M2JYtrE?Zz{)Hs*xaer&*nVH^lDJ45HV_SS- z3)fA#+4cSR%NhL}e))IoUbv=WnRQPv*udR4&=#Cq`2UDYzNN{{!Q!^RIm@Rt8nM&f z*SE*n$Jw;Ue7T$S-oRg{4e`#BgLA<7^SZild0o=DEg6rcz#okQovj61lZGUK`6l>W zY=ivd`mu@f!+|jp@o{Xi1j}QSy>LtUW8g=5lC53;*rbjl>-ai)!69^^)7^fq6dxJm zZ0sE?#aG2U-MQcf*#V02NkF(8t zx5qW8mu9KwZ)WZBar}&Wa<1Gm<3o4+3n_Q}<@wH)=IR9p%H;1|X&?S8<&6~AIGB9W z-!4yXEJxk?QaCPQAv2%Ry zqqWhadr5JhI(;Vszu3IxwiLJta`~WM2~&z-igCX9S}J&J{UAEM30xinGrenGpocY> z<6P_S0sFhH;BMKw4{mgbawI-8M@lXZw6yxu?cn&>y)Gpu*?BCZeKZ)hg2A+(q5{82 z!5jCS#FtdHfR>&mb!+Hs?5pSeG2@Y_g6-0>k=v7&yWocI`4fWuVw3$}!39pvMrcP& zr!kI;p4raphEIh9qW*WS`Dg3--?8R3j34s4e7Bqoc5Kgm@(4S=F#dOEZbvJ4#zu|? zy|+l7!O6(oS;26VunN`8(#7IxDcPTl=`&5&Z^J(_RZR4ea zlsXOE-+PKzyz5Stw;kKye6oGI#q+DQKPfsc*faU2jJFc@Jm-F*y;kx zJ?m)TZVJbRy1=ndd9}B_?D^e!#8DLN2NO&FmvHGsq|~9;&ZM*k{x!05>&6o~4=T$% zT{lT1W_z1R@_J{v-0!a&9G6B8TC*!{aHQjUd9MOaViviZ#~-a57k!;)f!qf?vcu%M z!kwK_)>vx2@p1X4*vCt5hKc--4sm&PrN`RdnLZ{b#?d{$5g4|;9W3@7SF=D;eA=xs zc^}yFCRsg$l6Sf%#4mEYdIvM%NRcA93l!OgoPl|s(FeO!JPDJX_`KM|VwLEU$Lm?%Cb( zdMW=2sUXVPEN`XNv)I|lwGv2B;7U@rMtRY;-ixH)()-VK7lIGrCf~{v@|sBbJ0&n4 zXTU8xBP2&&c4~Y~U4IKWEaqJr=PPz~%DXYmH^Jp;`;H&U{s&vash3j8nfLVoaQFR4 zuuSUs_D3lvVqi1f9m9julTbZ4rW>3Lv(y9&_`kkgl7EhM2bNj=`(wNbcHrx4>IeUw z(y5;RSt&SxOtvs>B?X?7MtA7_XM9{gN5L^??v(e398WnHpVRr6Q~JxB?TC9Is%>T4 z$vM4(P3~w5)_D2GZk;>>@eK3Gh&rR|z=cX)DS1rnea??Y+#`RGc4uVlOTlSLnek4a zl!>+^4KINUOX4Fp{!3Z`4zJUuN5S#Nx8>mdaz*lW$&2H*$K?MF$HbwFx^Hwf_e!$6 zu{?6mo6a49$G}TTuFdLyB2Ip5NV2m-`UcNy8FLc+;JaWF$d$h&e`-B6+fh&g=gfW2 zIR=idm)s>#QU^pu&w7rGFQ3h;aKSdtl%A2_J>KQJz|aKmJy!oF$=lT$7+@{v3U`ot z<@_#I=SRL7Xl;`GvJ~@Emha#GyCc0bVqccBfk;_V`XGi7gA87@79U)Y@7q>FDr;Iy>mKyt(6pFr>wM5ASi_A}1R z+;5zo8{vx3K)JMKI|%)G;6B;aF!vtGbKU5-dVSvIY?pdyagWh##?Ey)BR#DH4@5hD1qq!P_*C*wXb4m!={r}BJHAbn^G5&AQbAvGTV&oE znYa$aH<|{Ywf4;r4}2^#?xb{IpAR^pHdH zqsJmgJKY@ux61xWR(T~ju@Bzj8Xedr2a7xpxfU&dmGO0q|NWSx$Li-Uij5ysFRiWveE8o17kG_|@eYzb z6M?cw_T*l1UF&<-xIDe#o}mY1Ptcj%`!k1Ulze^sXO6V%61<0{W6`cO@D%`hMK4Ri zJ8NV`TZw75G{0%5_oR|ujDPOoOgfNT3(l*VDof#PR*Mi?JkjDkUsb{)ibx?u3)71lpPjJ;40t+ zlBXS>Eh{9?tuR|QjE^7g8g7}k(5~eDTN={No$US7R&bO2pex1qdiwR#=EEf|Youv& zTq*vw(zIEQ6x5}GC)M@AE7Ram<)E~tjX>G;-Qqym5%^Y;+dc2Pce~Q$qjJl%JjV-t8mgKNrrAAxO4@@ww&w4T{1 z`8Ua9+P;Qn)}8;lbnC$Tk{*f9>uQZ{;EiY~zv^rN+v8t|k|)7@d%x_N)OInx7;Z{( zL*ISrvS%vXhLLG0Xp@`_9vlj?u@CeLsUQp9E|Cgbz%lW(fkS<#x^D|gO3MzO332UH zf7{#S!x58{evJGj!T*{C?r*-uo;>`1@AHj;+@$S))_bSydBmOkTC5lDRv!#E@y^Vj zY4JP(D*K+a^p`wCJ&nMD`a;)tj=sLM9t8z4(su)6IwhqP#X0Wr)cY-dkK}0RiQ9wk zo%Ylj{zjmo1f_f(&RlkN&I(jmT@QlmlmMJD9e^*%Xj)hP!S-g9@>N#K{(63Uouq}4 zj<2Nbq!w}RTT*ssIa8f0{Ke8Q)0{2aH<8kkeC>OJ;Uwk!^=rzd?36>-KawrECxE4< zvP|kaSaMEw-g94NO17lJsPZA*GG zF8w4N8bq(w3p{BJ?5XFP33ml#MR)Bd$2;0}{z`(&Y5J^f;{VYl`BJRe8Sh-@TkiNA zE{&a>g=RMGdPH`#ayRL=uHyreb4$ne^}4NptTo&=COPkNyB?b>bsr+lx>dsY_%}lF zPi~OP;i;L_t$F+i&wGyqHd*HHgNgOIh-2;Hzay4ox4{jn-&g{_rTF{G84ooM9E1C9 z{f+GItiW+gcenxlTZ{Wf$=CT&**iHVP-ahhUGcS(d}|y%UO_2JmtR~rtoSTrxi{y) zV{o-dKgrd3#J3r@W#kW&y5A(Zl|lO~-Iq&iM@!GNlb$J-x(<{EHfn2mvV-hu=N%{= zZzp-5mb=0gW`n^?(OTN`v5+{9V3Ks(`;Uq~wL(?r^cREq;D{+G03c zYKt$A2MU^R^PjB)dU|@n_BL>OE@Po1@KZEcqW)7SM^R#(FiZZiD5*(|Z$0W0X>b18 zncQa5njLV9=f0%A>CU^8SLA+a>)z4oKV(Z@BV~5~Lk`>^d6&wan_1w-k1a{dV^SP- z^ULGlf{q0-V68cpJ~i%aq!YTF;z){nIXXKJ${aT(#+4M85+AtU5?2xfr10O-j(ay& zrZkH2-y>~Y1%hdbU8gHG07opYSOWFQ?^ja% zbXV{-=Q8Jg-R?m7IdMvePmqPLvi^{rMUf3Y2U_X{NTz@m;9Uj zDGloO_;>tMk@6kR9MmdKe$(}8&;twP`S08wOb7MC^&yzc{HLuWHpErc3*0Ov?}y8K zgZFvrqB1K;Nzp0`F?aHckO9KfyT~W z&ZappwzIp=z*N$xa;extx z{!aLwI=6G{9e4Z3SYYd!lIL(VN$KeH9t9eUnkOX1DvlPx`Oe1!$0LICy=AiVMc-3_ z7h%<}WpYwwLi%<`Ur$5O$VXc|N%_lU&=eZND85_vCd+|k(ZSBnop7ZO!4&)E2YylLYH8)w9Q?a6?fJ01Y(;QgzSrB+rc3XTAq=S)iw4#fX)eZ1S92An$9dHrAKpl@wd$bA{3;qJQlq`#f_9^Nsbl1BXFooE|0(WI`F#T z`^4_`@aYc}kx^qq3_aF?aLpCjkGeu)1i>lgH+z`3tJEzS6raGI zl5ZB=WxDM;-yFDy=SwNRVPtZ#$D{le<)4HCoHtb=)ox~Jvuoi{Y}oQ8|sFGr=1_528Z=&uORw`o%yfi-gQHCMx=XCfW{@_Y`%@gB?k zHg0S=^MBnY(5_C}VMhQ|;CC`EI5OUj@yv&qDRp% z3bquqaNg)R@9E`ADfs2ZABHS)H1RwNSMc1sB@g>MEM1#j}<{}Q>GJ+J*5 z$uq;<*u7T%e)y&#w>oZfH_0C;d0ugMc7Fg@VS47lYD<1+smVL;jFFFmd$av-IOZld zZQoV$z2HppIQe=xqk)^fWFbL^qxOU{QK$Q)i>F%?69vc3w|7c8b z|B$D=FGPDfY&;g*-_g*u$zLbNH7swPwB{!HgZM=Wa23}YxNWgFbc2+_m;m^g^mnYP zpYdv=_#51|TQboYw-eU1h89Y$CsJldI)4~HRB|qfTNf$aJ!NW2pV*cc9sl;sf$4IL z>?s4ObeFy7j@Y~;SIXQL{!tOm(v8o%9`x6%<2mkpIxy8fy3F^cf3q}tCWM?`XEa=! z3spJ#*_2>in9N2$0m(S!aSy@UcsbCdKHMYkEplc&5Z^=sO>{uLaZfrM20oL<4Tk@A zOXCXC*4N7g$2z&LMp!{?ThP@v%sHjUfIHH&*xgLnnLI3loA};6Wua@r)g1ZamWRnf zEOp;`$e}9zh6_LMQ=a7j-;l${*S3!9(XjJ+yk|*Eo}D{TcP-IeWNE?Ftxb@KdWedC z#+O2|olo#tJ=jG*)0?f-*bGAj)$@X{Oo6MVNJ?t0a4FGSGT5yy@Rx8&hfrvGDF|+X z#P_V#-mC+VbYGTw@{8t~_x4YZkkM}jkN@1wKe(Q>^I+<=9qQd2xPG+P@+(-4$2K|WZO8bbr$QQt=k2Nt*# z$raPYk_gV|n@D#xg89{DgGU>7)2{xhdJ(68V;9(J4DEz0jfE4@x1sVcwT+te6-ga$ zK$Kij7zl5?QxjzK5)F&f)QYUVQc5da?#u7U?saHECcDo_b)~<%t}?zznU#rFdr%~< z4uco{RxMix0^)53t>F3#f2PS^Mzk-7+c2p)tp|YRcICVct;$A6vjm6rP;ulR-Ykjt zdg6a{=OFwU+6-vttqef-)D8$sqm;@>wD2Z0^F}}j^~a78Lf@JpoVklf(43b8!l?-5 zNCZ0F4oz(b2-@~W$Sv%CCI2u&=vy;{6YtqrBd{aWfHC9k7-i-6R3SfUbokB zwC!CA7{=YcfU(Z1oVK8uOYErXO^l(AfU`HVzm(Dlx)qs!ZB{L%+Z?PJ*mS10L-D?P z%H`K==+G($DqBYCW~zQ8sjfr`x&T%YqC{}O!T)u6%axx2DI_p4VcahXXr}NBKq0@P0mI)|2@*+U!eT>cLd+pF=(U@^j zXyw?bTK2J%FLN0Dl)gMl*%XOZO^!kplQ2l=^d0`BK4y*p!e;d?;gF1qkH#xN1EW5X7(TbI^n^O8}(E;&nr za@Y4}!F9u`v5;9fxyy}dU>b-O0PaGjMn-D%tT8Z6;VLjR7|Sng{HFjlVqPsK{eIO9 z)EF@Q-28)NY7Cl%dkU2h>bybwfnY4gB9VT`k} zqh2ONVTFrlg{~qb%V&shTP;wHwIS3$ml4t6Tg`>+WL1Jzr79q3*0G@pACjU%lfG}w z*O<>o@7`uLLp!~88@5j$PwZZ8uJUMTT1K#shjeZ*fYWz12d9Z#1&IdZ(iLj4`Z94h zk+VFBacSaL%|nd=#Wc05WRR>HSdL5q#dKsvovCe6XT1)`mgFRi=LIfTQ4` z51$&Fz-W%H51%bkj%1=M=jx-$dr0~r`f!^p6Z2*k_~B~dvca0O1s`Ou2mitG=UI~g zLZ^gGAD(VkPTA0?2?=QV_ynM9p|(s+2}9qSVJv%v!{GJd4N=O@NOX2e0y;h!gVaVJ z-drw#Fn#z?gt9XN?Rzx=U7U$QYNHQteL0aeh@cOT|2Rfj{i_w7`=bFWnU{c@{g5oE zx~f@Fc%``y72cWZ$k;?FhSK#w>}n9M8pOkvXwXDYBMGaj*04tlN8qdeR7aU|~6@@uf2Gx+9W~h5k)wIH{sy#qe*Eox< zT90>vF4=VwJ5{KUC`n%1RBX8WLApB4qd!wIGltmsPc9YgS^_l(1T=YnQ4L zOY(0vOty}4v(9DEDo;(aC|mo2wIvaanv;loS3}kxIO8qRZ;TFQOosjPaU7OWubgg0 z7sj|z`53tQDI5nHX!#^aO`k-VURh;VPS{Y{1UK3_-d)Q{fbQ^VFP=PgTSO<>e3tM-GYTxLW2UQ9-n(@5Ry*SG5EiX~}Y%1nJAW>`DH5EXZ7 z2(nn0tU9vG~I_}(%vbttU)af}D= z!w^eH2AHnkRHJE_Xw|}Y6p-49SL$3vai)Tr6#(e+nZBE#5L>tlAp5~k$4>0-# zdLO^53AZ)C)N=64a;geT%J44OOKLQel7oXU$EtEu%4d@M^{4m z?&ZG$K^Ikw?_RE>T(P5lmy*$yKaxR=gc>`QuuY(oi&Gc|&v(~GDcd5^-Z3d?^XL=+ zsSV$q__6@P`0l<4Wn~0fIXML#n1n%U!*`cm^e}lS@ZBqOW0b?+TG5VgJZSHX6x{0b zWkJ;8fhCFul@1DlOxZ48?-4>V62`GzN(_O`4HG!7N)6S|9C5`^iTllItI8?Gp{d)? zL>7xz2FRe-zmqc1xcIX=W+`FBZ`AZP!l;ft`dLj~`=lnUJ&<&@zqKUk?5akhPb8r3 zf{@|WKw4Fx&R~z^$*z_&BY}qWiB^GA#>guDRoSc>#cZTaJdwuwj)Bf@0y=xV4_fe9 z8mbtbhC5FZYjCy+I9xV+_#_8qWV2T+sIn>z9r=#ngt1C;_JnRj5Tql>8P-ZbW=SukL@9JRgxh;8&`&06MB3@sXb$_1 zMUe<8%J`72=jud3vjo!EtnR1p;i|<%kS*Sg(7Df0*n+HlcQUrzfNWBhpNmYWg9TaH z_@=DtbwRdisB$V3tvip<%Dp805JA=^D>Gy#gRhOL<>ts_fY7@slVlsnZkc5ho1)_r znnD)}wb9^i8v53(s;E&X z{z#{IZbO2acOe8xpE6*Qp8i0piax1gFQkC9ia2{n$o>wDstX;Q4li^_#hLZjk}sRH zRyN3-i*ZcM+VxFybm2&I7z4H8rRPrqhKbODy>BNhXhT(VG_?w2m!)m@b zFz6R7OY}~T`!xN4bvpI|_iy?It91GoGEC?ftO>I(8g0_!VGUaN%I6TP%5?nj*&wHM z^bdSC$SEEAg$y~G4RNtYSjPkuy#7IHs}_xFnM@5QMjk!0hG0xmlQTIc>ejOJTyHRu zwVQvv0hRoEL)fx*<-!y!Ye9S}r^h)GBC)JJvA7lMak{K6DN<%;qIs{jLc4w=>4(VL zoPa+>X>4VxG?p$01buKaQM<2>a@LMUz10dWUecZsg0=JurQ0YhahS%PJ+$g-&oPbNm;05ODo*! zW60fhy7g2Qi5>8@YN?#=roQfq4Lq>V4CF`1H_e6*%1Owlkkm*oCVLJINvR)tT9<= z#@kudi|cT8#N97*SVnOTD;_haWux^|v%?hEhh{-)`ivlm>oaz=`IT&RdPa6FXM|aE z0mEEeU$mgTW!Y#!8OAUX*Ym;_*Q@dQmKe?ZwNYGO9P3o}y=y~z-_AiN=8?Jy71yK- z>kPS}nLQYsppm)G3+T(PkHkzanNSPl=sNpZS9q~^X&$ie~L zm{Hw#5Z~OYPaBh6QBVeIk2fYpse({o8knrWXk`~`pU@cHR>fDNVV4Z6cT$lo3SX55 zg2R?OsAYlX(wD8(4xB)ynS}PFf3o0u1Qt$Tf2l4mbPGLuVvCZM2K}4RLCH~Q{ga`R zgr3O3l1)Z>B(eAUgnnpVU~xT4NZ7P~M3Sg6Y+6M;`x6s39XqV9xdEuLW||~50Wtn5 zc00e`M}^sgCQSp=RT|A=gzu=Ah+2=7deI_pT%da)2)@Q$KMeL}7BhX?`w~4?4L%K2+J8iB7zf zi_ZQ;(hnuqSy>^5tX8c|PgovZ3=q03W$gM?9p#`M9ezC*O?*8U zguXRn8kbjc7(BaP6{YNpM3ryl0)@vQwPDw%J`g|{yWSn4EQ~-4-pfT>S7DIauDie}wavV|%LMU?!^#BRbIsUYy z*7%;8Kwo24i7Qp-)r9Di7L*cK!mH_n8j?O~ zA$x#wfqA}OR+WlFUBMrrhg-CYGIC)E8&VG;wk<;-H9N+X2mqngxR^qsL`Q&(sX@3b zla$Q5|D`{@AJ^%vb?Jj?W-ROJwEDYu7~Q^^T0V1^-$>2D|u+& zUj!+P)tJK*AT@nP34W&6X;KI>^2H~G>@fOK+N3A~+8u)y*BpEs}Z>|flW zA#g6fbXPADpJ!%Y#1jb3r^wArjwsNYqg;Ve0!ABz8c}l<5}fVqsi9e5+l?BLh1Rb00g3=+Ai_L_ zb$ zF=Q&=O!p*|y#!uhs2R>gm0MYIE4n=8*05E%S-&;J>m;C^DMx;cOo+j%+^LT^3|*Bw zQlu=)L}ypriq=gf>4&ItZE`~QB(ySLC|UUl=gfxq4pMzyoUEgase>kOy%jCra%(Ng z+P?i92CvGkCJQAKcioCEflr;gj!#xzXVlow-uc&?SPgZCCxHb7IZn><;ATrn(8EkBKCUW4K~PY8jtWE-f5cM zFkWTURTbf_8aVM~bN!BtIo-sn&UX5vLBS(~Q2(f9j50lS7_y~OQf6^2l6};0^v@cQ z{;VSDj~bNztYLKqyKCsN5-lxI(e&^HPSwivcLc&r{W?7JcGl1a^=tPfS((=xogaNW zTDQ8xRn;%?s$i29*G;oIEaN%{xa67q+U;mn>Fs1Dx%#$*1M?v@6YcA`UAbsO%jVpU zj+EUF!yt4!krMVMqp}LXFxS3d@7}K0Z%5^?V+<4RYev}X9L4W~6D&Hx8nv&Iin_|e zNj7w9%3Y}H4N^Ci|8Osy+C``!4%rOHh8+zOvUiP_@mPB?8J;w*psFxIj2Gb(H$?v9 z)fZlTQwuCJL{c%Xl22;QWTtj;6@rR9_T8usFqX{meON^hq(3#+vt&4Hy)iJKqNa|7 zW}nJrvy@FDK?BffNZ=5{f|LNvEv1-Ya0!Zih1XQc3_@F(S5?LJ0ipdvTMSe&p)!SR zYR#yV7-0!bofT;Y@ctHB3F?$jzwmUHCtqzuU`|mK+8WZO1Xe7Vz4}rX-%}AI2$`z(W8lqIRQ18;fd8k7$%J+*2~oxCMJutMs2j1`^#ybCJ(yi1tua^=^MnhCo+8lhaYqv;2`ptWCgflgeT zO|OTK0fsrdJZ?ctzUhK49l;nT>~e9~?6PcqH`WG5cDZ;%ta9NHxXPQ~4OM(g>IQ|_ z_F3PgG8WtSE9_yBIiBrsGMjW6nw&sf7_Fl0jS3h+e5#U@1*RKDn3a$ZuFD+Yp;VsK zn0)xj2q$_q!AXe><0zs8=joFurSXnlaZJ)m5-dH;qHQEp)s>o)+WamR%$9W9k_lZ> zOOm5k8nG+s5rpDmf~0>jtOsF+Bv_-!zGt(Bg@Ba5&@^Z;#uW)M)UmX_M1yf`1? zQic4loSPY=R8|3H z_`U}^KBqfw_U+={Upxg8v3svzfg-Y3ctu8ps2>x>Nqj{lv9_wN`8yHlh3XYWmAPUt zoIW8IAzY&RIGBq758=+DlH!oeSC=|ZcKDRLVsDxxuSWS#HZ2>!;DRQ;XKssAi$^EB znr(6F^r_E`nnc1@K{{EesnI7bHTsCdYebE{QuQV_VUa4qhD&`~!Edy5^mkf5^k-u# z>SV6^^Co~$@%pX}EihC$Ei{H8NviEbU#qE@ahz>Gaedf8sP_ILD~o%hqX&DUc`x;> zo=}CmE4ktvhh^kb<6)=#&j9o@0SaTU#PL5MHGQsPdnJxUDD&!|1?PLBO~3Yp5gwtE z9m7tl(6?r_Q*i|_O!yR>T)k{ThyLt|mi&n^O!!pzdnL}6KFFpKBcCc?URN0f4z!p4 z+8dqyo77F{UJ11)Qn`+~)N;pFxD=IbOzv~5$wneW)o4b&I12|BiF*GNSqZ;kfy!RS zWH<-DJWr^`2?;ry!$lF80wy`!H+7KF`Ve>yHQDi^pEn6IcQ9Z~(3ZY{kkLPlxSDlKw5*&d_q$Q z2eib7Ff6Ll6g_SGb2i1k(&iP~2_1#WQC8ZyfU-_EAPUFbc=l<4|3 zqxIAtNwN5Ds^yXoY|g4TFXLuL6IOlb?FZ4qw;v3fRd4#57~+5^D~I26B*YU|eT>7< zS@nXU$|WC~xBEeK;vJHH2&>M?^oJPYd;wEdJ@F(!=#q-D>SE$C?DV%#h;JVRDS~|z z;(t`0sC#}x-hYze%SMS!w^*noJU5!STMe=eCD;a9Boe3oFqT+a5-{K7N=?Raak$9<>Kj z(`O9EZBN@3xY1_w&WF*(PacMGRvSHh?S8;8;kIx<{+tC}-1{)vwijclbCR$RIQ#?h zReK&~O8-Z&vsxh#|NJ4%olsXa8Eb?|(eNLnwc~dN#9_d$p0a`3K zm{iTCxAjN4v1P)J_I>jxD*xuuu-Q??c*2f=@F-PN90>`S9UXY3KO4U~JK8WrxtNJo zz0e;WIY!bCWk;>EL)cNP>>RUVl+OVOeXe8d=qTAncmCD>sO;7LFb~ycUF32FhrzQW zaLPP05}lvhA61oOklL`LvC9Pz#*Sc_ay^`gdb2;;x)_7hh8-Q5F_1Ngz>e0=iczM5 zle%4(2B2Ll`r~F_D6%6>9Ct7}93XZ`QRsr1O{WX0l+}c{7%bEfNO=Kp6PyM|izpd@ zFA%MTYCaPJfN3ve{gg*w3`k2$%nX4hOu>vLV8dZ*SL`gnh?#gH9R5S5F?}KtxeiI2 zP6&`U-i)Y*q{^hW^G-MSk*e39)UaK#MU({ObE@J)i75`AK?pYjA~{HZs|TZqBp9{V z(wAyB%tqt!v4dFuGH|BJr50uLBk0o415tVTz}j=BSub)}M$UB9f~HRxgw~E96eed{ z@Dik^&m)X8ow6&ZZD{ zi&zsFIn$U|8z|Gq*wMnjhobSXkh+-?x_eI@A5^kn35ZP=f>_3VmR*R)gc~`4ev97_ znhGRF2!t4vH(-NI;@`Cs#UXq_@9?~v0AA3lMNvgJFJsk_NNWMhSK9vt)`3?n=?8US z&?wkurVma$ROts{Wl~5CA6PIQS97^WH4)Yq%Zt#a@}jVX^{HSurMl1rYimW5W8NU0Gm9l?RGY z)&8Pd4zh*caTo?+jZGO}7opvUF-UEM_1ZH6h#;)t28A8p7ojs%7^F7B`uKsT*hm(H z^~~2}lq0Y}cxCNVXzW?iEbByJjpuEXwLeY13PV{H8@G~OHmVTh)`--P`Y~vb>iY5# zg8;DtQiRD@97&h|>^0*6LTH>#lh7)%CZh=~zPCY@&GZI422|6fcVZj{$HhrJ9?qJe zTA_48F_<*8n$j#9HE(C)B{PxXA{Aja3%(*%BBka*3{Q%L>qIRn)GoKSYHAhHW00?U z?Q<3pVz?ru2;E=B8j|xdOv0*`mTGcsHY2Ru{50$12Ewp=qD7h52km(0X|&|{Q?(}y z<=Z(dBVm|fMaQ>3jf%HE9VTIzu^Up;=Q2hZHbp3h>}dKYPouRvo`xBqHj2lteSl$3 z7{JIfdGFKc@E(j|LKwm~vMfFJENcQIVOa7`oH7Hp`>%ZaSyXy})Xn11iyYKxg^IV( z9sRuM4b|c4R7K+pRvN=%L4*)8QEt;Uk1tU#hnZK{RSb5wb|R z3^o@fj=tKNbCq?l1ZuDi2=*mLpU4I%Iwg@gh*l%NSzcVA64pprQpUmx+2YHks|x~k z66{pE$w^q>rH!Q)TUc2QwTuBgXGdWd(eWA9VQApcHi6(O9J6fI7?`F|BaE6N&Jzt@ zU1iaFy9#Fb$pEROp0YSfiCL)jTId9vpDeKt2#&JYqBF5_QfKKrXT{7^_a-8cY~!H< zI*8c7GT1=bB00A;j$4SN!D*dv$Lt|Zt?ENlHxI7AWmm}wP+X~miX(>_Xhn!sXSn7~ zNSM_TKQ>?ineWQ1uaMC}QN+;!Ua9yv`f@ibIPFqejkMAyB=c$|%ia9iv(}1w4QW-& zatEufTo&j_9X5_=L$T4I{iP2}Zh_jEm=3E47TQHcrh!l&@~niFOcHunKMmc&}}ddH*b^SRJ^VUAu7V;u;AX$q#ecq_CS>0Ca3 zBx5`#+Vs|OBhl1xBg59FD}N_m?Lk3S4!!9}NW|LovUMDWu1(JzrW^q$ol8cd-4jUq zA=-3~&*X$oD^qQ{>?45C87R}Hx7wA(u*|o9Bs%}$NMMJxFhRsxL^xJbo{)(Gu1uTENUyY0Y>mYG=AON0n<{J0n9O@dqnqa6}u_AIO$i`c$L# ziAS|g%QQ1Fji`=h-AF|ssKrVx7=2P9=#!>7(nkV8A2bO1s6nvfI^;!&nv1`anABey zXW&o{1*BcOigXdL2RmSQwjWOW(!`>QfO@hELj+lW;Zan~>b{#So@;lhLUa z7{**59t&=X-vOAaWdz1VBM$#+!x?MGbM0YNi7U?4RSu1}p;;B5}ewI!o^cW z93~5^$TINO@e^cpY8(Wroito_p_uF9f^qr65;%SGy%lXbQY@p3B>)Az;E0TSZxJX$ zLx&a)AQxW~;beTPPK3s{s%_NxR$XQy!-7v(6QWoW;CL{J>LzD>VjpJ642h#ox5iIu zj+kU3Q#Y5Unv3xK%2NrT8F|SF)TJ)Xca0Wcs_PLUtUr*dq)!?MeN;i{lLkT`H8V4P zt)m{Ra;UL-H)G z;?azf=YRz*I{{D!zJ*YD>bd$>x5+=@1oh$1B+phDE_PIL5|Z2XJ%p*<9b{{N!7%2M z2bP+Pe+HOCX9$dmg zud6W?k{BC}5y^0&QcJKof*z)wXdspZV?@DvLXEtJaSeBK)1(E92;DNyv}edAr(ZH( z)Ou7_PHnQRHmEMHCdh2Etj0OtGc+)*RMQfx zDTN}`7>Rzo3alPXtAMN2i5AK%FaI&7=Ay4Dl2H58ukl{BhT1(pnABGY1-Y$cUlFeov6A*StRP^35!Od2im@Nv-eWql4>Rx_EHzC^R3fR!)ECNN9xF_KpeDILV>2?c(9ej4V|38(>s^u406;?N+{! z4IHgn1%XvsSd~;tUzBTL@6l4OUsP zbT!!9yL(Tm7k%$PVSoJ}OEE<}Z|y0WCpV#oyE{Yk%S^qxLy^qyP(qZV~lG2#~h z=@$(^`=q6>J!#2nPg?3)Ni{bBB)YCxsry4zFx)OM8MaU-T3**sLCmI))qnHjz@TjG zg-a(7_C~u-y&|Kd^B^D$gjyQ9R*#*@k2`~Z{dwRtbo5LxL%hm8{ zH^9(!#fFxQhvW{8gD|zTHdMZZVa(NysaAAgGQd>855SnH8)L)XE4u!dSzP@X)s2Z& z@yhC>HZ=9USuz?w4d9?f7SszlVj~bpVe>{PO;yDC;ZziIYpBpTQ(TOnj9tVlG) zu<}d;o5ItNG^MZ#!phGo3p7$n@oH=#3dqL{sRUTiq=~`mpukya{P6R@YLv#k3U)|# zSPEKehlGG?qly3jnK6c;W`q@l8$v9%G&l=pqEHH1534u-^JL9p=q=237tF-}k*%Fj zAF2un8W>+@W1^Ux&`5$YgN_0g8KyCz`-N7J`28v+RRhyNHRxBNIS3;XKX}7HqA4;g zVGtWrs4=*%*0IEB)zNs&KT?#dR*KJ=qJ14|Z?+W6s9c_%W+&~7o zu3$Qwa^J6BS`yeS!)CLK5SYnUkbuS>NwY~)76Q|k)zlxDz{2#!$8Xx;tA(DKgh@#E zp(1{#S%7?MA-K7#dJlN~nN4xj!|0|gTQFqurWKV+(=lIzX@$?LkV6I{+8?;xd#Zgw zZ4b>wu=>FHIiZuY_JPg-oVQ-uetHO6VccFiV~uHQfKV^QFrs}B>V^1ep&yJJc!j-% zT&`dk2wl)TGyFy*vC7GwJPlMd?-;h^v7QNq)Hg&HhWq+o+h+2=ftZm?Neq@4AmgBt;3={yx9#9-5=wTVkU zUzS;EHXp($y28Q?He2f`hwW(He!w}o55m;WU^D(Z9)>sAz!BN=k!ar6fHVCt!KsbG zX7L#jhZ$^6L@0YB(8})t=Rg&~sm*4giY;^bP5@Q`eY4QgucMV^`>p82lDV)v`ZGX5 zH`ps0Y_Nq<)spY!ttDng8`T^j1k;ps;T=`|4f{^CprX!B!m1}Rw0sy8cr8|bwTVG_ zncYTB4qh1yBU))hY?8E&Ek@-}mq085qNq#v18T2G7QnH*cDfylh3=7+w*@zjLPM)>)6 z=5bxsU{jg;x2#-z5KW#vPezwNgFX#?wc)*b>v9XY;dn^eYpfD_bbC}vVQOT3kAt%T$*y$4}xXHr@J9}Ht|QaNKmqdo+f-RlU9iAkj_ zY?I2;uNHF6VKk}io#Ir=XW7usj~2?PWFx>qC9Tp|aCJ_p_EbtWgk@O9B}L1HfoQNs zhRsH#AJWuB4JU*risXW=yi&D>tQ2F|FB=`$`ZWyppr zb<(4sO*J+F%b-K5Bb7!6@@F;{x1Qh|--J6H{ubK30)EKg2xqZp#&~kkFy;cvxrL5| zRLmXL&RWEEGMzi@9;)ohLI)=-f~`p3sTiT$p^Y!m85}mOb78-h|GF>O^0rnjeLhpq z8pZQ5h(0hGby#gz#@o@pGJqKiKeZf~rEl>tJavFe05-r{&+CA5Z~?)o4Rt7ACE_sZ z08V`?Bhcoz0q5jWf>Rsnu_hezH5>X?( z(WI8}j*#>aZx>h=>7tAYaOnB4@q()GP+F}I13ZZTqHXEfgPQA&skU?S|f61bZ0k2;B-vq)s z9s)uWan>YGV)iM3+Ab{UH=r<#jZYWP@R&xi3Ep7$od&?mKdOLXh|L4%af15jWMcEE zU0G*CRc9f&S@2WK(OLWlhA|hLRgmio0J9K&0LDaYhJP!-#bs}EZDJIgXII83<*Tfy zbmrTzzH$lRpjBQm*>cOBhzk(_YGspq<0o6EU`wT;hnuo-*X3CeNMb zada`c4vy($qAQ00qjZgm5h5mYvO@Pn_TNXCO@N z2<)Z5co<$zf{ML660N=fI7@ybIJJ?J3nnb%ievB0`ZRF(g z6Dzn8FUZOAzu-#8udHa{XDeiMZX)Cdy21T|094srhy-Lh;4odu0sdQ!AX5i)VyU?# zt4YsO9zhhS=sjh zn!I8q>|6N(Di|uRcKY6~9Xy+X=~? z{RG0)&LXw=0ERIaT;MyQ>T`gpgdcOk75-(3JHM~wn!_l#ici*6_Pqp4=$}=BvFHnc zgGx#ZSwUBO44sHUOe9tiosf1RL5T3yWoDNr>k>4)pzrZUZ+_8A&;waQ#QaJVQhPSd z7;g-xv%YF!Hb@*kzv3x>c37HZn3GcCMo27-xQ{}C48F+uGKrRF21W|Sr6-n)Sh=z2 z<3iB#QGK)x)kj&Pc>lE72%Y{5-z7}M+v2m(8_xXvlS z7H>-yz0Y+$UA*lmQqK9&$(P@k(du(5Mu>Q8)24N(7HE3D=JHz@L?5n9x`7r5&SclV z0Wjw)AWZF~+rmm7hL>(|ugjrGbZ{Bq?0B2t)JD4P_>YLgq}yTQgnIXCT%Pv{PHm*y zg#{mQZ6ipxt$#!-hmTp&$?+cmMc)We&4ag?OV^w()grI6(6ke$vn^Rb*&m>j< zQw2_l`qV?cM~y`0bto0ns21YP5fiT5po==#QG!S$|d&)*p>JHLF|=TUDy@jz}(NYL#d&)cz$m}7 zpe>uh)6?X>Xx(2hB1+$Zkpm;5cC=;Ut2~^Mwt$)X(2R958UsIM4!$~VIWh+)sLz9p zw(N^gR@u>&Qb=wI{M3@Rlr6w8=CtLk1s$FXFiYXboVJ8-rmm>iz%_@Fwk$5KtE?RZ zUZ09LfGP2HfP)74)kNRM-IB6{5QUrcQut2|2!hEpOLG4qE`)^yCef9d;t z_cu_n#Z8qf3OfB3^#57&ARP361$Wh_`VTF{6^EMu&cPH6@Fv#Nst>;+^=SrnY8?+I z5V6U2<)RhsSOZY!R;y59*pF6i#0lzi9wTB0tjc05I=CK^n+!j-ob$@IVHh(aR!5m- zN2fmmm@)996S34=*b;~`Il7sqJ@T*3>Sx}c7$?S^E!C;#PBap+6U$^}l@IOs3D8b& zhmg=53r%Mv1ipW+QfGlzpkzZ^P-fQ+5w)y~UK-g`_z5p$x+eTrhV6}lvQe;^- z)Civy0Z1=vNHYkN53K`X`*1+Z0V}h(IU}H-7Z4z6*=S&D!eW7-a#g!sXv(I6Ltk=L zNcP)ng;8fkS{T9f$D^}q6!{#mRI@R%f%L z^dI_gQOm*sg?*v4eftj^VUoDAeoq~|ITQ0SW#2n;LNmin%LRsr`5Yo`F( z*hwl{L)c4k_uwM3m!cg*>YAU`GBdG;kETmWSEgfFeQslXZoRB*g%VB!;MMR0la8$O zANrR9{D=O{zMB*oouA3W@O-Y)qAa$cd9MJ@&KU%!j*dg!$YGq&w`MrSvqT)m=hX6? zF9n><@B`&x%#Hqqap>RdyBW^q!x)Fop#q;#KB z6lAr^%u?yICO{tDI@0Tw`$RLSf1_|LMTXdS_|Tz+gTVecd=PF|-3&?FL(lWo0_tdb zPWaXu(7)fKAYz9P=o1Ds3;f@N-lq^KB5TX)ij0H(HzAVI5eB4T6jhfqRwFD;?i~!M zegg(S#doo4n@g+<@&wU`Lfo*T8w#dALITj0N8kh!uaJ3#8|rwNt5b_<&rnC&Kbw14 z(OGku%~3QLbdsRY*CrrMkGVDhna+J?{j0j6Njo*|WAs@Nmg1nRacr_4T`NSxIIR}) zf87LRMvYF+{D`AQ23>z%6Q$CHW)y!Uqm`o}9B`wAdx4Npsi}<-Zz6fiO(A4rGlN?{ zn}-v${WDhOq6L+|24GuDRj@F${ljx{f;uB++WuIp0=p*X&4J{OmO&WCc&Qq$-ha#( zu|{MivwV+Tgkemy{hc=DkQJSo4=_vMN7wcvd2RosuI=-$&2Wyd!#I?w8nyi$4=5!H zy0{9!_EkVYXpb>uGa+si)6u2&VXAM@wE@tMpfX|_mERnx zLvieo+cK!Bne05CzMeyqX3PxGsh-KyQha_dajtIhF!n*3C0ZIiJ3Ip;*o%R$tfenq&r@{|w{mqt&Rt z9@z!R%iu>Ct#pK9eUJXlMza~r*nK<NG_W_=;z z81>h&2LNZ^eu5LKsp9g4zBR)+JbN=YD+v1Qs{L@Eay}aKJ0P7p2uLs|d_;IA?Vi`P zRnX#@hC|6PHy=@DTBtD=g}&y-xiQ8yvUrUw3O1kW2r8q`tbcLu{wHaxQyrL97zJwe zRxe-dKBvYoNYU~HcbSwUuBGoV3dxi%$17iC?Bjj3vtIu@Aquj&RXC5zYe*Z&y? zG&5>+aX(LuLiN`w7aG5PGaS|10O5ce)lz>weu#%N>aVcXW!XUhJMe`H7KZ+M?g&m$ zXT(f@9dA|O*!kwekla}K5g0MmR7FNi-!2#w8to2b)%zAunvj(Yt3pW*73s9&Dhd0(H`H> zRcNEIqdH-Y+9Nlk(D3-QL$xZoLC>aT5=16VsAgpptMjzLdhKz%mg&ppClLj~%!v{f zk8PN%PK!M`VGGybCR*%)@mpZO1^nRF4pmvh)nfl3S}fK|m2>0egcewfol(ML>ssvc zIOT{9U7iHEl`pEeHE6M|eTg-E&2D8jns!dZ!1|yys}!;f zU)la&x8#v{@&Ce_>$Rx|wxfcDOttXXrM`4Hn! zLTX%X-Fm-rRzX#jxIHQ$AhgHp|3q7*%A2WXM^#EXH`1kas`;5MG#a+PF*S`XHe%Pd ziJ$1X{4XiA!gA<8Su&=oEG?6`bjq&^(-5Xgr?|Ll)^2OJ^6h4#bS~Zkjdo661uvHNzP-`(tj53rgqW&#lU(Aga6oNaMc*BpBga1f`RX z%Id8-2C;Q*sX{&cbB+9&njo&}o#s2L4Wp>K1sSvIYN5OtL3p(@_BsU9w1U5`p zNHKe4Y?!_^tETneVi*%mbg4}_VMPm$0?eUr2#kp)dOqxZzcc>AIMr#QmwGGX6H(=P z04wNG_E|iNnOy9j=QBH%y$uf)sKTsZ)A}s?hPv~1SoHL(p=er3=cKv3OmE&y6 zVsHX`a?N(I`pp9<=qSJ1R5ujVwc(?1z7!vNEg0}r!3a40hP_0<>BM2=jsS9!aReL+ z1&#q>h~JUh3Z5hnrj;W?T_2}T#M=>V$8v@RS1`jP5)_?Gz)ZsT&QSdXM;e!$?ta0(v|qXyv&FU}?| zAtW`l2-3%OLNL{5pg~O`6EL9Reh}UpiEEJh-zb9g)!Y}P4l5k=aKWIy zkYm31`S{9IH9J}v;2iR!nhz0D+|&YSAuWHJXA-Vz@W)3A3kN_sR6i}41CkaY@rnxi zLuOS#e2%y?pJfb$YZXUP8=mABC#j}DvQjwc$r0XE10-oY*80#&{h_V;6yj`P4^RZ0 zR5?DrocMw*IG{kQQ(VW7!1>a_Pqj!L{0P(v%Xd-1!{BWOI-lC#R9Atd!_o2=78MTc zGeAFh-G5LYoJ;}jp(NWa^gs#9#95=g z@u~iBZntmY&|!cIon9S2FjAr9Pm!~_K^l_uOgva2D{K&}%?q!wzhUe~2KQIo#qp?s zEQK`iKj>4zK_f_w7Y!ad3|f?CgbW~Uh~N1TZ|49;>HFXC!eHnP^ zna7l6H=rwj!}N9fC`@xOeVOyp7}~pVNz7nQ&){JMK3Z;9#sVLmz61MHfKUJu1|PjR z3n!>cE5=99)=^G@yZxDvTnYRL(uy)qJiF7Go~@Ud<@^6*@BO2^s;+#&)Gv_qub8Iq zs-8)&Ro&^_^qPe%5Cxf;^;Vni*Dt=zOR{XIyM1rEXG$obTA-Y&BDC)>f`kwx1PLJo zksu-=h=d?PB!~pDL_|bHL_{P65s?rih=_>u*?XUT&OY~^s`?gR?3pzyz0zNcd(Ykb z{63%0+57BsVJWFe;L$S!vUUCPv-d$w*CJLU!iU&%XuGdc%ZPoP(sN|(v!)q}mXW1P z>$3&30XFV`7C~2+K^-b-d37*Mwty^^-pqrZ2IeAA!jr#_mnkNP|zz8 zb-Ky1&pZfGC7CbCR+W7ylNOJ7S858_xy?=i5#KmilO07+ohLE+k8edPjQ#}Q=yZkg!(tOc=tH$z+{dL)@Ivfv# zp3{3-PeAznokr4AewxyA{9vpn@QXQo5_-!4=sEcc>rv@}Igy_7)0CdYtDiF~Lu5}o zwWU5g_B=Yqg6D8>^$=8{W2~vCd0YW4BWVvcm|-ZeV6cNJY+~~SU@ydr8tmsSL0JTr zI8kRCqU-!eL~Lpr-P$p#4X{lCc+1y#ACs{atsX!_JR<@D3JNC~3_<7*2M%3Apf({8 zjDE0>?1)2v{~;UAfJhP+%^SK5so-h0=^trNmDMsRWbif$m={rkMzyyBur)hiG)QD{ z(HPeG6rdmz@Ro}E1)>EkV@%ul+kw+OCI@%}oBDeLsACe!NgWN; zM}n(RX&vcu!7W{2Me1ZugYPw5UL#YeLL{^L&hrH(PBLn!tWw*A%_p=pBODRld|rD1 zZ^+{T7)VD6&(qNGmE}7k7xwdD5JF$61ET+ewlH62Wy+Ut1WTJZy7gn-rSIO0ak$-yPUhznyQ}l;I?OOZp`V zBF2i5fPv$;0_Y_nFDWIJmU{7+G2>fDb>d&#^C1S*h`4Nt);JBw@@*}=s}O1cvl9!W z{z4Rs0AXrIJoPI(BNiyj&Kt8;f1b~M5i{b}tw@I%@sA3@iW_@nE2rMH8X~rG3b%RH z<};5${@OQ0eg$l0<0%s8*S^43F7?k=Hsr_Og19;OiPk>LR>In+Pg6B>=p3m@u$Ae* zm+kA9Z+Zu6W}Id_k=Iq>N7W=$%xm8p9hvQpC9U9>g zCIP&Npf5@fRlrT4o_DA429ph-o%7DO)e}WSA@y6E z&Q~B`GVim^YmH?y73W)v;{F?=WHK%B3X0{q-si4zO)LA#3OGA(> zRysKCuo-EdYv+|tM*~W~u%m{ClYdU@fFGMQp3IwxfpNPat6Co;d|hh5)lfrdd(l7A z*A)7ijw0>^G%!_JK(N*;1W<4(UQcKE($M#!tm^F2|r9r{V11-pWWy3o5C0%z~D zOjC2d()%nVk+C$zJ@JBFHzJC=pe9>VlTSf{e8+C28jf8+$7dV$kHk`xEuQ~-L~Mzu zW>fdn4ZMzs?dpS8k0-XX~o77g>Qm=eE6VBfPnYQSK}8Pr4!o=FW^@6?dS%L)uM{FS52Ogy+n z*oKA`ZfqMF!@RK%D^cUx`Ws>JYWM7REP~rk2Fpf65Xl0^nmCATU$jRel$+S7WI*_m zG#r`8XqjX`Wo@d8_gaV*cW;lqncF{bNDn#UI-&&Qn2HnSV?@iF5<*=aVWZl^&WC)7 z&4ktoEggecG!Zvg&tNY?!Q17{;3nvXSi|BPd$l*AjYhYOX`Ki&9lC(>Q#JQSeTFm(vjwr_4#X6i$~VqkvfT>n zF`1&rHBFj`vEev2zLP=!RiUsT(2`N6!8)$OK&O_~F)2G1smW{MX*+opDCm|OvkiZq zZ+;z<*O6UFhsmq&6m-v7t0AJG`x~;ewfXupkbmeMkzWA?UH${n~Zoewoq-i}YQ~ESnGvC+)H3Stdx z%SVxdZu)M&Y#X9pEcwZc2-7wlSwbVMV=%2N1@{W&fJ7+u1rH^CL3~nQL===bs~Ul# zFNhlI3mSJG{u0F2)x|<=zM{#$uvRd>*Gb<*+6k8Hi%1Efa(z)m<^FjIl}A&I&oJK) zMPOQsgF(!oUD0&;b}%+osUDsw4F4ReK4>EyU_|*8xR>a!t5a1KNL9~LoaBPFPIJT~ z-{fed$GkmD_1Wx!)?R^}mT)vxXXC^DE8&1qAGGFE+Y6}E8VVSFL;cpgi+Yu1htUh7 zblN*2X{b-OsyVLa>v@F#Yv_>lpT4d=(+dfDt%$Alc+9@54BXQBJB#nZ<70sif}WJrZS^IET15wD$ys^#F0oXEq|uc zi-R<(XJ0|d%BA99%SM$4Nh$4Uz0~8fh7kQ{1Q~WUpT)5l<f3 zgl6_*?tw|u?us|%n~!0gnt`8+dGEpl%zKH)X6Ik28#tVJ@ANZPkLSIo{w&)t zAU}8tI(8iw9Z7zB!|=vGNf~;R$0PT=OS(Ls2(UwjtY4*eEsg3&WJ=LQFy zo@npR3s#M#z3^iP?VWZWdX~J$da9wl%RY+r1lqfhPi~*S2tAANQzh*^eDEcMTO!)K z<#c^^@>PJwXI=tEnzENWLzi* zhs3T4@6#O2qKP($$$+0T9kk?5=3Qq59pnhKuPC7&B+%JQxh8mm_f}l-o1|xhn%Jg2 z*&WakuFdsI1hWn7pt)&u+oap*(ls&+1};Jxc*<;QzKzlmp`6ev zj&x`>FjO)HN{((WGB6U$WibR;l6JctLCni{5oc3re6CKYFI@~(HSN_d0O4x*_I&_t zB*jAcTSkus;pEJ4x05Dd=FF&i6nqbwxKdFM)LD`9N$@2_kLA88CV1=upks>|*MnjH zX0{48XxJ(@0Yrd=;tOJ@G*GC6q7o-{aKlUHXy=72^|5(V{c*=NgG|yl-0-)xjB1|L z;jE-!oOGrDtd)jaGfcAF1ID!CVv)b0;pei$Pf3IyAJizE4e@%AHgv3%H!mn<#{{_X zqEaDUGTK7k-|VH}eXuEaNyF%}Is44qQedSgZ_H->Mc(xh=9UGgFb9DU^_`W@nP)W= zSt)L++A?<^xp5*Dzc7 z&M-p#Al&5FqbNn-jBE)zt5jq+LY=|vbJ-ePQ33-XV{hZ!iY$b2D^*AjrDmirP**gQ zek`v*9c}Ycf7GtRGoE(T$m(u2ant$@39U!T1$8|8%9s$T=UFbMANn5Qc?8?YO<9U5 zgLRoxl5J4ISE-jJrE8~PW28}3_&R0xhQ{b?OUGRG1==+ zZK^8Wq2()Vs_N5J@E->9)92zTt_%-r6u?}tz86eOz7_IG4PtS2HtIOV%-I_dca z>nU6Ls66GTsq*YP`ifa5BN8-oUwyXd06c+ry@Hj0CRCw2yyQp_VOQ&HIi{^0{+bBF z&A%K2+8=MAXTSw7p zjx(sZdQ9tB_`|USAsfR+AzQH8u)%7Aa|RT0B^l;r*P&23h{fP?Je)gmMy;iT;5cAt zu#0xKO>V}utp1$fmk8P_sAfdW2B{7xi2y9I428z6onU;p^bb!awZrM}zqEC*fh<(D z6G*DnM-dAoAhRn?voIv&9>fY3IcH+U%D}$FAA{$`*M3hTA z0x}=-lEIB<>dTI=)W?J~i9-6OZ%(f|v6lT_wQVZ46cU^m>=#g6&QvaB-#?{gDIRkkQ)2Ycgs|c zT9?(zsOEl5hatHe(%1Y1JR5ASlLWL(#6#++&i*(^_7HS~gKEzh9N8tDw^1|~6?fZ$ zYpn~i=$uwDBT=snEkG=p`YiX>)O^^r@PL^Q3&gGK#%%we=O?~}N%7Qq%$t}G199WV z9^AV}>z2hy6+t@$ z86dg7h_qV^B$O}@kx#4%GFDIU*(2*H%Y?Zt(^BZK&{z3PpjeTy!^zUr>VTI3*;;A1hw=ra6@(G(;7T@L;)Od5Up8Y!>s3u`TdaY}jL9jaNpU%Rz9fB}&owZSHu= zNi27w_SNTFjneYeBlS(xyb%|SIt%qkJx*Bac={reMIBEGaP$TBE`6bOCi#kJVDwGQ z1LLo>Pil$utv0s5exaKtG?dPbHT^Phsvc!%rvu$8*v$AGY2au*N%1|h?@Coab^6qF zw)32w&Jt|v$h(-yR^f-I`%2i>;?tibM@wQ)*_z#T1OI1YTMNE^&`g`2ZO!^KVp|tJ zgpM=siHh=U7xLo$m#wVJyS@oMN2ar$YD`Z1X2*I0+nR|unYHU zNDJa<#V8F_$U5qal@@Z;pAEczpU|q1WEb%=Y)@YzVGjQK-FZTh%qy50 z*!_8$SAku*ESQ+u0$NpWLUSKc1u!*(WKnlO!OEW;il&*3^+?qa2~zVIFWq{8ukYSz zFfCoF^J2HOO>o7bb->UUOLc;o;(QT%0DqAiP9xaFoxnLnj-&pMKI=}tPQc+b3Hm|(JQOqldqHW5 zjRf7@uBdn4%pK8mpUd8L=wtj6Y*J7L-9b#(v=}iHo8h5L#>_hrTL{#Ph>V(|+%aEA zxo(0VEschb<}q*+orJ9h`b=t31X%V@tQyp?1+~cosbZ4mc2kJc%2t79Tel1-?n=l% zcOM%ahqSpPz*H(am5GLB$|n0k+;`P|o2=|SLHHrgy%xilx|qaU;r`3vg-~J+^&{%B zVFGqOijE6^ndS=9s-Y%m0>XS??b$qAP+n5A`H}|?nc2L+6=CFC_ZRuLxrcD{dvqHyPuJ(Ge++TERv?XC zx7C~%uiN@GRWoPSlbQrq-1B?cvHtnaHBd9_C#*)qTxYprF!I^QDLn_@dEK-?kt?qF zSwpt)F>GM&e;r3qH$WX4;Vrh(C}@swt~>iAa9H7D*nbb$P>ELXrvl|tUZ;Q%+wb}( z+oV(_cSvu*Bc7mdxbylq#1qULV_+eopl_rnS?a3j9@5M=WHr*+FDf(<0)0W_(d#EZ zKx|Vr@pK&m@2Bd3z5t-tFL*r-U-Z5H1kkHEp;rOW_gS8DIFI&|Wza?oN4lhC`>sxz z%$4m*mF6Dw^udZOlCEK0w?`W)my5bX!C^J}s9=(G?Jfcf7Rk83Qt#LPYS}Y0PJIz& zgZQStz>4L2tL3$E&mR#7l?i9|u<@ZSWPF;3xLy*{f!UcpA*Bj$+0R-xI--)ZJzd|# zd18BdPg^-bKJRpBiM94L-|*Bd=0`SPFbegX!nm!xs5F|Bc68NVxhT!0`!AYTYqUEf z<(ip?&CH&l&0XI*3WA{ME zzPm+7nl|6ijgfN5h}3#@b^&Sg%Wt5~muj-%SFDy;F}t-F<}pH5`VO9(pBSP)Z1K&1llD)ZFT(HzIe zA<4$4&W2y%l{G;`48+Hn7WNLr&d`@KB;1RKyVx6<-!t_0c$Fs`OxAS1strzYC1*`Y zQ~S)|rmt{#NoVZ@ZK9fRKp%=3X!~knuD}FNPpkn;GZ_PZzHAfUc6Z{BTcv8h$D4uH z)x3uS7=s)tf&y?dJ>qh4S*ei(ddbXK0gIGf_zDuDHRB$E422HXjArdEV$#jbHMzYV zH@Pf>@mJ&EFebn!_XXmR#D1s?$$~_@&(U0K2^E{Rv*mWQjt+--DM$^BYv>QX1e^VP z6O{?o(HFa1lZ@WL^*G{9a6L|vvF#5XF>^$Lj4it{+Xchj!Xq{Lg>NAp=7YF zn@LTAjV=CUwxwS_?=h%3^(dxi_E67rxNDxsU{UCyLmPJLd zlu)iW+Qkfyv7UbyiHi*@Hp^;O(OjrVg8NKLM>5kqo+zDYmfxd(7M z@T-&#kC;;u9l8rjydhAPND)J>uB@_>egc<`A9YWH?7_GY1xM*xVD~--PI$!Ctusc{ zs6CtUJSsQAm4@4V1e<92OsCIB!Dg#MqkLEsAo@eW_N?P1`h@$VzKOq~4r$()odp_2 z`bImEkdhuOid0E{OvGP#ZltyAhNkwKRP#WZ)cDiB8E4?!Sg!b!U}a^}VBJs!q_Wt@9A(bQXSiDXYXP zx#CAmuZS*X$KeC|ABbL^{h`(4>D9T%9XNSj|z z1HD>No8d&n!llr+`+lUc>!}hcq9c|0fKK_bRb%NDd_XtW-?crEY zpjVe_Del0shp0R&Sx=crQF+QwQ|tDzuOG9W!P2XlyXvz&dvH$W*KgG1^L_$VShSyT z^olp;`tAg(9iPS?n{ODCvI7~$0xTMI;s;Q5bUW-8@FjJq{qJyyNDha=>_OiSYGPl< zv2AUmWwj!zLe31=MoLY=dw1Vm< z-2Cjr8DB#{F**&im!UzKqG-K$v~{%dZ5`A~62V4qa`27E9YIWWSQN<~#;4o3GZ6Xz zJo4(z)zPI2H<8=#9qlch2yNSW=N+x15U~{9j(eQz)ufmEf-AV#$GGRnfw@B8^j*dk z(izkwk0QgzU*+wIg7uG@#a;d(+ZpI-W-}vpyrz8xwL8k`SLwFMGqn}votp(6j~3w6 zG`4%aoyH0b5azgpf1aOx@E91?Jfy=kR$_p?1|vPa(Q1eY;DLthU~PVK1LV)c53icN z6To@DAc20tiU{D;hWyMXh?|R_Xu(p$TfAWD(^SnI+d*m)1aSZFWz(+8mu-WZBU@RG zh#6tcalv)dK2GUbIrF$#NQwk-_N$1N0|GeX%$qg&`khdRMmQA_KpvxN%(4KMX9Im< ztp+rm>2vGr$-UISA-JgkQ98VSLuL&>kudYuH-u~bn#bgn8wm=31>ngQ)X(h_!5MWyV1AXL1y5y{iN4b6s*AZ_kc zL8#vu%d(7m{h;EyA}Q#-s@MQM z4~ULGzPV*Q-;{UFSN`$FYyNiFH6uriZ2UAuLurv)^Zs_oHA9D7m-I_r_9$ub3u<71 zh|Ia5ECL$^~`H<5rDjfb$x%UG@2ljnH#u1MB&eTbaY%^R#f6pQak;!q!+% zV1V=MvlDgs#V4R=4t`LctCD)kPg8nME;(Tq?#M57!T$PeDZF2|-F*UwLbpK`R_$L_ zakE8_JdU|xiO2EwAzia@2j+^=A@V-Ypn#M(q$ZO{(-(mc2`@V4HWoLl5h(ZTxG@u5 zNz&rw^F$~2Uo z*TaTj7!+;eR>C4mj)b`)C9V#rBBp5LMHeMSjeJ#G3>g4cV9nG02?jU5t)!l%p%Xg_ zH^+psc|6lYdy^y@sX|jNs`D~85XcVcx&T6|+|fc&ao7uzNInx$>J2nNu)BaB00&X{ zlv6BH`j?#M>y4KMF-(bl_d<6QK%sjRz9WQ+q-+@LY-xXj;~nuBO3hMhXTEJ_sRF?} ze7q*R@DKTpcQH+Ecm&fKrm6q&78J3wbu8Rdzt#%&joQ!$l^oRjj#U@2z1dTK?jeWJ8m_lBHWKi`apAQ!q5?o47%UZV~I&w=_jDHI^*( zSUCC=%tAk<%_U2!d;GRk3mj)eMJY+?OC5W4p&HSGMLz7k{z`T3yFzH0WMfgO!Gtuc zh6z=lTh}#Q-U9awTMr*cztfIu^`#ll@$dZF%v%xTA=4G+;Mu>%{RjA=DeKdtTkhx_ zcg?Vtf9t%aBJwl;59n|nk(un`WAy{SK;&o6GON;)pG%+1PJTLHy%_42-6QJC$)`h3H3=sEZx(p0y;%>1cUW62Mu{GD)HSp_|t zA7VXannUYY`Dv;+OCOE(1oCsKKHFZO?|uY&4y&)53V))HdeNlXjcD)04p zog!Znp#*}_7so|(!4=(RK3z86GzMW!0Lkf`6=OVLJ;7cb_-t^K_m?yI)X@68Z;`;Y zUkx5*den&4?2qH-@h_2~g!1i*L~KK{@7&Q4Tm!CX;le+Gk3x~SO8#F970DMKs`&%8 zFWF|SO|~7!^V}&p;aqfXjn^qTkVI+aD^q&$Bpt)%p@8GTgXNxU(>7FB3@yY`QptU8 zjqfyk3}Gnyz^^)5N8L_m1O2f;tvDP*BY#%u#bP?bfWto-B6(*MsmFG@BoQA>?*1Bw zzvF8ojj0rtJgV=`NpycYZy$_pnMikm&{G~^RG-4gZ|2(9(N666vOF`5Sx}3~+CI)R zeO2|!E9fuGlb12>(flaKKe-B=EtKmSb)&Xe861T(wPG3sNRvjO_L8Q-his3xhxgpg zn3z`F9gaz};jy)+&GcVjm1n+Hn;mb?FWq;VPG)1B!2DkwtK7K3s*6}9Zj(4ymoNGm zbZuLQRM1tyk-n8%NT6T!1FJ;%mtDANa3jPWd<LuwMN^7w#kUjKadlTdU1 z7px}1Dpyp@DtB%QG4w*rY>?vT%L$1%dGn{sZhr zFL~nd9PC=lD%EI|V3%Gt&$IsXVT#V3G6#Es+TC@6=J*hw6(XV%WrsVuJtilTtOT3I zp3b4c3}Mt3imjYU5q?kr@)j8dleM6Ni;2}b7sTPOViAH-uls89zNI~?FH6$$^!Qmt zd8$-WMd^MQAf~+)tEF1|)UsOYg|4q?>jj&dcTv_)JxkR-r0t+Cp-CCqZ^c9h(yQW% z{JbYAzHf%n*Hdyo3JU`=ML*{3vlCuKM-S9wbYfvI=DOARp}8(aM-$Hyin7y}{*ag{ zG0kks zz)VlnWt-~qnJ1xV-P=fG&%Nm$X9gx0&b{f=L<#eA?^-pMnXc%UZD`1ky#qa)PqUsf z2PHk_r%62@#CifV-CLinsn0i^hn}wYSWlUQlAiL@l%6#&oi%G=WR~0XDhz-KX}YBg zH#~HG2vz7D!=iPC>4aDv_)iXoXUP?hr^aXNbwC8x!pxNoOTW!1#ioooqEPs-KgR*dh-GAIGnz7)+#6!yr*Mb{o* zK%P~dD;M>)A5-y}aJ8?phALJ;b`%atoP6U@s2SIf!s&ji#i6zE zNH~r03G}*EP)G~wgg&fXdX!;p8Li1+NvKXssaV||oY}U{4xR*BTm1;e&5^Z8g>jQW zW{rtwiCHu2n!%C6){cKR+kJI@Xe%_&UoV==Xl=xGMYML^ zkl{%us^!m-7C+www6>r=J6o5}*a1CjpFx`H(AtF;ts0Bgb~R+v8}gaEq37%_))R19 ztpk8rgx2(Fq9*fwuf%!+T3cVA&8pA0?1P>iFR`97E+akVrzt(_o_^oVs}Wi|I}LUO z*uiJ4dLN+*UWF=jj)nbbofAtqE=%nYhYY}}c6iRntx&OXKE9k+ z${Hf-VRJW;(MXcds8^|D0z@4^{a`?S@6d>B*$Kld`F0js!#q^{#pt^DSWH8qTKM6uy59y|w{RgI8nx$mZ z4{p5IpHPw-D1`a*U|#y5TS0}2@IuDj%15=3FoBaM!tt$h(!^%Ipe4Ae&9cw1 z>(7nG`Qr@5vE=z{By=tgZ+ zGhrO*isNf0im{;k#IPl}nt^mv*knec_nIqB86;uXT7?EjJ1My>f~$=1U7UkqAWEvE zmsaxXRD%D`zk%`N^2JHsM|kE&e|Z(I7~OOrpMj`ST$5=N6=9}!dg9yE>3uqkG+u5s z0WtMr0z247rkXTVxZ1IbPvPYJ2$F=gaRXM2(W1txUDq&voEP%nj@*M3O=tv`d)n61qR$_sVW$s`%nSNe$wv z#A!x)>q^yR*?e2^AiP3_(&E|q%vbphVgADiGr9CB&`-1_(9rrPndcf$M0<#KzmAr` z$WGyBcG}_7H_?Wj-F1vN1-m`BNxOo2g0D2!=nLi-UcC!1DuXz9-SU!dzA%2w_6%s8 zFMHxSQqS9n#l0_4$wOU_tO#t@36eJ^X@gPo;i^a5PrGNxH4i-1Q%LPylg%b#lwRva z#hY|o8>s`Fnl_ac*R4k;mP#~Jbdb|KZC|E5ry}?c>*5glZy$4ro}cIv+S$ppox-h) zmwjk(YhrhC#seP$h%ZGdK-R=gVx_x_EB5~p*@9`eFx$SkVc-{OcX9orR=eL_JoVYE z>*{>bT4+A~plB}bF5Ync^~K%A>xT>(nJVM{O{B$Bjj+3Twl3ROm+yNFdZyy1N~&?> zNvp>0F5;H0O$~Y16VS7KGwTVvi#5sJMSYqo&ben|Jz;n8V12f&K407gJ!_w0J>`AG ztm56pg!E?hO0UN3aDy3svYGkJ8m4*kz-wk-o?1xkaxC(Or-@ z^h%FsIQdXP=?tgjMl2M4&yVb!Xlxfx)p^Phvn5@I(2jfV+@VR{&GP17uh4mZ@;oWm zj?4a|n1^|bgRgVE6H#JuS`RxBScGIF0ef4Rt()#>#$^iX>g)Ch^0LQ%AuUo zgcR8pp^XIWA>ev>vhFfz#5E2RC(6ZqG}-b86rG0mHO5Z5vkB)k$F{bQ_nC1~M$Id@ z$ErIpwtRTA(0Ez`GGF;np1fx9T_d<>5J8Gi+~%<`9K#08`$3!wch3U7WDB0!ohen% zZq2{DQ>2Bqy}hr2uP~{1>O5oN1pm7`MY!kjHs1e_?i88wiz&6A`IF!O)9XLc?^A!; zSlC9~|3GcFU~Il%6^^7Fe+BCS=K1QpkvDW%b+<~W&rn-&91uv7D#75$-0okJd`J5M^=Hm0LMppD|?MC7PzmaGk zr&jklQ|~g(QQSz}KjV|xiXWpuXQrY-_Cp;iX_D?EdS8i%l?=7?KWxqUEkOU3-O3;; zLtHq#jOad{aDBYns|YPYDs5FNbK=RxlNusOy7Ct{IB8$Tyo-1WQ5*Bl7J;~peH9hJ zo{)_lKA7GpBZ+ib4-Q#!l=t)yu!btqdr8FYLS-hh6laosITXulSf;=e_`oL-8}n6x zH-(LznF!N(c~{%2w%3m&lAJsa8dm)U`<^JDix^X7X*bBT?N96q$jMy|d7`sB6o z`&N(^KVJnlGOs>6QLYAhQ$fjf#C@@)@6&$5-Qry4eL{AaPA zz(y|AX9w!@X=|Zp_D@+)HEd++ecv$iV&v;^;@$de2cm_}y6YRY`G!ZK3Z3I*6#-*B z7vXJ;n26A%D7Yv_z2<}?xf(E_#zZD3F=;w+r^Vc!GD8U(xBQ13NRoNT#&d+Cs%~oF z6J-wF!w8ML0zz1BsBef9LQh8gD~WW5UDKM<#hxHcvWPQ zMmE!ONp58}YV5%rF_jyJ83Ynba2_UidI(HBOxdLlh?iT))fif?bz;lcT05I>1LboX z9TjSP#d{Bk>oE}~$JL;b?Y~s{d>@J@8<+TU&-Ai1)7|xy-$(cDll*~P>+7P#w-7VP~&spG+#wDl98{N_| zs=bv0=DKVNF(C7)yw(tBY=sHO^3MR`fhc1+jmRX!TzD(oWb-?O|#N}Rr zf-bD%T^fbQqFlxz=Uk~*dg`a6Q98E_(WE=T+-o&D#0^+im_iyy(X zjp_JL1DG@()}z`cSKwYf?fX_)L>YE8WDDx^ZQsRJMknVY6*N^q8O|>zfqn^&D8rt9 z`Nahgw;VrJF2QS7keUQ#z%3Xj`sYXPhnlV>tVSq4g_+I-4Ns6!=vx30t)BB&d2hG1(g8r_3!6Hd8`D`Af*a0hHhu~VGF z<@f-k|4_HUotdGu3$OkG9vu5GkuUiuWGE!oaTJIjlr7eusl9pQD#Yl`{`Sw*EO zM)<#A$I*w;pT7Cf@a`M`2!ux-1yhmn6fq6R1|iLuASj=+AtujJ_a-K%-$bP(BBw8G zb!xmHC9kST%T=J&DuR~*WA_fX&~<;*Fey^U7JsJFwcqI%eW+X%lgwFKoFGYM*#e>U zQjdLG`Q{7eS+>k;KDDE(kSL#~Ym@~B+MDhVC zsfNLx*c7G+W~q@@X*ir!2Z z!@=D`givB)B$UBD>5-}-x;Uy+PCQEH9KJ_LBc8OpnTborIb;!3Lgl{95s^i*plH|+ z&|3KSf;V6hYo;iW5NKluA*0fEERFKc#zfwsY`Udwf-8==E=x{anc*c&5mh6XaL2DZ zIj+sW!ulFq*MoUXs3%3fncPAFY$(TfHjSGEgP;;s*L;p5P&HAd2y+9g4fi)TV;|to z!HvJ>bG#JQwv7)Cgy^fBW!#qH3g&K!&~8FEnBW))hY6($@G+`fL7ttvIn+yJ4x%WP!UE;cFw;U*WTLEIf3>! z&<8^|M;1+Mqnu2*rAW?X8s0nZ=&2a@dVIsZAoMJ%Y_(K!yc$!ZgQ1 zTmB7QhDv3|eUgVB`0?FlPA%}zOK>$g@!#?@^X{(APd|sr7n5pr#;cV-vFaiwii5t` zy`8fPx;8w7RM1rc6W#DA3G_>8V4^4cXD9pROMeP+JJ%phb(_H}wvd_x6Wu-_TiQQg zv=M5iKgMc=iC$-oSF1b|wU1LwbpLbTHqB9FqHFKHDmx5Kr#5~Y0q%YQb*Q8lYL$tq zkEP5dF_j5?%j_QL2cEo;twn>~=u2~!i)~p*toSg*j}cP{j4GtZe;FJ}!7MiO^{qe@($3WW z1+gywBK{^apz%_yYT`rCt~!Mp5+$YP_A+USGVQB=e1SsB(P6Z+{{-`)t6`Cu`bL?k z`)@cWEhG-j=Eb=h;`VktxQ`N5nI}W)JM7AA$k^pc4xEapb7~ZK9kQc1!C}_Ch5>x^ zAW~rfSHWS{y~aL)#7VM+AJz~2GI5v#XRLP5VfKD5+xqEz_OGFN!C}!{;xNO9mpIJO z5!WR-%*OMi#ZSC}!>r`UrRUB<&vN`!Iq|Oi$f~g%W=})5v>~7U0rbqczzq^{|-#F--If3 zj<55HV+o`Yj$O!f%9E{o1vDfRLg68!BRL1`QWhs=`+->-j0%}g{pl(f)q}tDQ>~!? zu*x7myf0)@1;u3vMzOwh2U7`gLKuT*KpyAnhs-cQOC&a;BzNVnT-l5UUpV=M5E?$a zQ)1AwrlKrjL#}eWm!qo75$zKh5A_r4x~z{~3Ea0qwCJT0aZNV4e-|swpDd>8_m$%k zCu*l4wp4LxdC77X^E$ZkxjNlui?3{_dM4)aUQUPjqO<`{SPdS9i|_lni@ zXlYD4)ruX?ky_o_hadxRx!a(Se@LIAf-&(ZBQV*=0RNO>lfEkk0-8#nK zkm>c3?UslPksR$Ja)?%U69iI`iCxWpv;*L>PPe*vhQrel+XRDWF3%FF6?5*d=9p=* zKttfho-O^CeC4h=pdr(c5c6VnH00EAtFA~xF4g7R-ymH_MOOthWY=jD=vTu)Lyq;& zHuuYqpMbbI_^EO=yzoA$Nzjl>1F}Q?^KHL{nnh<=jnEK#|2txSszJ;?PBq8*yS{6h zqew%}EV?SgE^WT|?A+RX#|Kb1{1Z3K?e-jyb!Lk}t3B=`I8rcL!S+HsSc+x~?rO2T zf?dXnBuuT_+`KTUzz7~&P3*?zaj8u8`cVYLd9eBn5)da$ty7kMsPrXl@iS*qcLXeP z#gxHn=-HJDuD8TkYV>#5Ud=P0G zuj(h$#3vecU;Yyrj<=MbrqrDIiB)5vIquq-(~zHkh>Ek4^;84R5B@CH6QDURNmz(W z64pY`)}OK-Ek=BETls0KJZtXzo|*I_Xg>c$eKrj@u5OzCz1n=$qfmt<=!t4B70~m2 z>hHo!@HN+1Jfp8nh!hT{fmrM6_9j!0+zFDn2|#AA3Zk5dd7y88Znv~g!WKPtEju|R zBb=ey@04IGJdvr}OdHS_paigr?%FzFz^*b3Zy*E3_aQ#80g7!*>{uh9yxJXniFpf| zpf^DxY`_yfMLZG)EwbCsHAx_f^YBSR~ z3`x9&?x1X9PhE^R2E0>#Bx2quy5Ed?4Sh|8Mb0O6G?6*YSw#p%s)>#gQ9D8u;PT+6 zo7v7`d={CfL4qTs;r^weJ<+r8Bnu-s=jMKQ%FW^LLe1{EtfneYvlS~A znC2(~>l3H0%9hWn&G*e+P@7L(1a+vS@9|#rE$HBgG(=k=G3F(#Y+f?MQkbe|P~3++ zFMFV>URd-p#A(n-69U8uHLGx}FA{ogd~4f8FNGj?DMc)VAiE|p`wWp7LgAE#9yWPR zu^d9yl!l*DMbMy&%1f|3r07l;1A9v5HZ4NoDU_4e9iQJ%riydLC-zM`pZQ3bR<={= z6GfFURIA&iG6g8;M6EY2k8KpPb03;bsX|mimWo++6cI6+V?s5cN}Z7cbCG{c?d2Xv z3aG8!^SHNBKhf~_OQzt^4G%h-4o zGK86Tg1XLN2B6@p-mSzrwkYr738LC#7pR=eycl>Qka-Kv*C^CSoCF7}9h@ZO$TN{g zjLu1m%f)z6D3CpC&Gk%Q`iWrn20NS_NZ~}4h4dUe{;7=EqHsMx!25U1sb&cVokR5pYzk}?u9A&B&I)1 zYv#C(2WxDus^GZIhUcxahy-nG$Y$2((|1DC>SvJ(nkpbc3tlFHeklti2)9tfy0GyD zh&!+wX{z%VzI2$>BuEhM3tMnie&!XZIkunG2nouqlhX`uU9gW+jj{T-_nF2hlAxvE zhm#ZR7@J0Dbyt_ z0>1#gqR@K9ujSv!v;}NhV!;j$k|Ok9K;Ns zUyNoA|3TJ-S@c1uN7}S$-}rJ&Yz*tL^d+VQ5rJWkBnQMJK4N$cQ7vT`JZmWLBXXfH zVjaYJ^bOB``U#O9ePLM@aUO3#ifB^Fwq$ZfyeD$XVjRLv?aCAm!EnFuDtIY13Dvy` z+O#8iD&s$Lg%2Ikq~;)`qBJc_#d0U`B3y zojGX5Hy4|^D8Yp0PG5|}3*SI0OhZ*Lq2u5D6a`EmW|J-de#5|9hzV`{fz|Gr(B8ku zwtOmIIS-mI%n;2bCNyG5$sTmw^}~mz=G#MyNsC`T0uw^`w*7Vav3sFsI)18LK2|ZyKKs2N*5;R1K@~a&A2$J9Wm<1BHv<>lF{T3q_@82`2r$b>a;APlGawHB zp8#;PgQ%T2ZE)M*p3k?_?h65?_7;+$FpanQd5)@jpT9@yC38SYzjYTu;q~Y^2n8$= zEmTCBGo1a2Ai1ytTr{8%dQ98+@vs2IMh|8JbP7YycEEswQ!`ZGE-;(H_iX-Q7k)NL z@!<(~-K>0G-6@0r($>-G-SN3~4G|Es#lE-QlQoovW9m1#lN~beldBDCLyjoXkr|>r zj;Tte@hT+-70jDla7nFkAEbDL8`l`3hm>&tp*kJpj!bYbrMmBEhIJ*JfZ^F(-3OpX zoQR}>T)m@73zUt7S$b%~{1G3M<2^W>fLzE3xUFq8Semx>WQ3`sUcn8_ZW|RCF>eJu zahD96s#lRk4)z78cFEMpNDUCoM9h&VP^-GKagkvtEPv>$jwCR-9y4Zq>!?orOLj8Y zC?%Bnkud3HQ9UIi9>^6A z-a`yZs2l=%W&8ineEyjw zwfWK?VgAOvTn&|5G0Q58sN5z*@T|*Med~TWLd`%bXsUq9&6r05{aPHT9Ik!_m0LL* z;&yx+X{w}hi%3m^%E6wsqJMsFKGf{{9;-<>iY@b0t~W=q?LT?IG)9ri9o}?Rb^%mw z%Yp|$p;Fr)Q(@b#gQbHD-vpk45)#MBBbp%A8lAtC755k#B zkeingirml)EHqW&e1+0V3JB#lK3I{LAWargE32i1*CN|djMG8%5w(JO7m+V&Li0}R zTiV3(Lfh`l*p%c&*|2shsV$LYi6pOazCXY-i8iSxwfPU?(WM&-UfL%ydl+0$fNdzvhrTl8~tZJ}!^{UqEgnEqHx?P;Rw z=GDaYPFF>Jt~FPChG2Hb6sJ68r@91FJnm;6D&k zJo1Xw9++aD&H3Z}#Ea0pr%N=KnBvHhr9j`;UVlR}(D%hdq{XjJfhnG=%XZb}Qx8JV z>Q|AbI-A*?`V6le9zRy5=%ehEE04zr$WnBvK|V?BW>9V*0UbBVYJ0?VNa9_0iQIgYVoB<+*%?@{e-e9TxU1Hmah{pUAWvH4%H^4$WLpd@45`PreGQgHI=Kx@ zimZF963El!=5`#9m%G3QN8u6*Xq>-P7)+>Ev2yXo=8DPP-)L!?#WfMt0-F?$ML5QW zCB+%Z0+eRRYYTq4vC0~^`g_4;4}lv6RSo^>oyl!+$N1(u)!&>V=&5;+ecZT?q$iN0 zndFmJye1+rsNRWScC^co=wp23MGzA!;u#vX%qn(r@oa%@?$|ge`q0gDDL?LBU;xV!;+j~iui{$QTan)fQgzWg1rre{MSu^?_8?f@)PK&`Y+POo-i3(}6I^wta}Mpb>LSv$p&>h7 zm+yK3y3XxJD(I?!bnQAw0{yZUNEd2`x1nJs3AY0f!U->%J zEIPz$685uco^Dv27|7<4$2OfK61-5nHggR8xuWK|&fSkFbF=|1! zI!6)s4=I?HDNKuwmI$DWQge(t8t4%svtKFJ@<=k`99}I6;t?P7j@~3GOeA>Pc)D8~ z5-|g%6Fk^FEGJ%|Z=C+X3G{_U_`__VIz53B0@g82^WX92pHdfVuHxCrXM!3cIM5lh z5RpYQy@n6y3w;q6h&hYCib_PBMPKlg>BU99bc^?As_7rvftsKUr$4|LU4|bT zqg7CbUAvhw5CzC~e6wNTKM`e^H|NJ@n(&li%4f4pSLaLaMiBh{mqc@kG7P(Jc=52& z&>KdKNR@HH_ehJMTLWd-UzcsD%eTyhp2PPbO?4YuC+@XsEM>sWdqGOT>IK0ESqO}_o;O4!RDfGTv3 zpEhtDULG5ho5$adr8}Uii4>6Pwzl?hZEb{M)ta471OgEur8QIvun5Z=we=Vo8OdA!}5mq|>{NLTEJ#WkuX z737Yp>N4+AW>Eq@sn9HmYE>;=z?=d%xheRf7#F(RrvMn#AjyAk%shn69ge34;CA6U zEgWpR13XM3J`s^|$C{wc`9 z)CxRd7J`Y*{+ImF%MT&I*K8!jtX3UQxb%)y7x9Gkd=t*aQ_!^xKcuSyo^bem66n{m zz!TtSx20b`~x(aF%JORPPX7gFChsy)WPjqsxyVf@<|ct%m5 z%O}No^EcufJOy~&0Pl_Ov1Li&W5jQ0TVG#9dA2TPQFbjvr*%-FJHc%~6`88B+x;{b z`VXwzSftvzjYX=7h$uRbO2M1-`X*8mLH)R53F{YKvjl{f5WRk=kh=ioX%Am3(P`I| zbosRt>e(HdOaU^R3~USm0tvyy6}}FCMY@9=$036;th?>{V+U>LPhjueucF^i!w>cQ zDzNwBqrXp%U4*5xxohhO{#U}@2YzFhcTkK+kggRJpHl@&l{JVsA_#vm5eD??KO@bF8Nt?0xa; zt4(oi3@&WfBL>&nOVG3FL)KFb_TG5(CuUxZu=l}3_1USzHTltJe}cG?cOgIM9PhjB zdhYvtlpR>ZIfV%3^C5<4#irA_4oDLeR!BqNL<=ybm2|udXTulq1XF>_%YSOe#e;x9 zZo83?A3-n!4cS4Sj*fVoDd#7Q8w$YrVq!xI$zX6!4RGbI#hD>K zTf_pSYEjBj<62rk0C}UH%_`ykA$K9pWZK^+Cn{IS4*ZSt5|Gg{s(BLPDoDS>wL`5q z10%(EyH1hiK+abnnCy7?5)yqwz+)zTQcGHQ*r&%aeV7;q;czY-rX0Z#QJv#jC*H1m zTD;D&ivf2n*I;TLDL9dFl~Nn?xgR=U=B|KBu!FyC*H(S{PRAhTuh~Zd<&#m1PJ)p`1=Yf&~QmL8(y|*BA~yqA=_P-Z`lhS$6rJ$=%@hb z&v=~#`h_z9eHa8*!wc&bh&!+!X{xhx&pA$N5RzX=E~R1c7kxSTfUaoM7M_%*^9uyIMh4F~QBwPsTr|se%t2 z7-0hI9Dn2IL{I`CSK;DXk5?>&bqg&c0a)R@5|`_=a_H%_MT9VBInhH=jz{FwW9oym z+PGZI0B#>1X(=9s1{%gMJ@tO|oe|-8Pris$)f{Y{O5dugi!tDy(CMr1)$w>%z zXdz@qJevshDXK`S0%+E(0lYY^J$`{h{gr)@%4ua^dIhMh9`k}@1C?dD8Zn7-^d=65 zm}RjchVia~#9)Vs=%!^T5qYSHp=ftiKpkQ|M@ophD4{5G7d5QJ!jx(#t>Q`AjErHW zD)M)v=qJ1kTEw6F#)%1m6@)jSZ>t!YrA3bRj0z<=;UT624V=^jv*`mn!6dNp@(Y+- z4!n<4m|LpA#s_Ax#}Z-PY}JYSf&W6-c+Ph=nCZ=9Zu95-y;hCI#%uaz#~Sjr--n*L z^I1n!0EB3Fg`wyzfP3MwL!ahhVh^adjh}d11FW zJ(pa{)$6HLY(}S4FjtHo@)yb;5+zFLE2dPyAi$?de2;QEP%Bm5LrH_cQn>~0uel z8@~dLbllLLp%8aFlW!hcXjyeMBSxh*KV*qaKVW=p7rVST3%4Qzm3v23aUSCzn>!KI zi(CWAa3gK+EII6lNWGaGFtY2o8iZkm$Q*45dgBuDozX1_&)fzKvEikMN(`&P}&H0hHH{#N+A7cK+ zyqacMY*VSglrnp|RTnX=?Hr(a%3VLN%~woCD(I?!VV(Il3G}OJU|2AvY=zI%42WCv zO{A%AH9aw()Fc=dZa!JrKi@Y8YPNib)g(+QmEU}_e%|AzIf@Kx$BBN~#Sd!o^QSk# z3wQz4p^}dBndV!xx33+9wCq3WdRQx;4sW}+)4RojZb;C&+F z%A^(*|30X7^RQ+wGN|ZQY(SHNJ-O0&ju6sdH&zJ{HsvKatA1XOittP?_;Hc)GZlctxFNFx>lK})LZI47?2{(HriTSGthGLo@`m3^w2!&`#x<| z=$ec{7QLg+Zr<^7=|7}FqboEml-jTD*?q^-qzDyx^U;*9lB_eIEJgZ;MwyaMtGjp@ zA2=epI(1dcUq0yagF@A7)E%{ zVoWiTY9zAcb)gHC_7|>Tjrpu5hbm8Gro^S3T){&7oFpryJ7eF5pV{?1v7xba-Q#e= zcm%1ilvlB#v19WelCh6AD6(mYbpC(QhQ|EuR=eNOSn}Cy*46ofC!u-fqoTRAp)vB> z(uT&c>xNyMf{=5bBP||+g$<2eb=m5=eC-bCIr0qBR0qN4?X_y`hQ`c(*?PEvJ`X*I zcCnsnHZ;z>66*;Y8n{|^c748kAM_l3iS<;op|R+>Ck)h!HZ&H`!}$S3ZP>o<2?U6E z6{^rVzTI#uJSF{EDIDVn2Q?{FF_E>K#FJ8Z8Ldz1O-UnzQ}982nTq{-mGEa1kL?PG zC;N9<(#O=t5l7^R{-TMF4<6mgfx+bHZ|uiNqzZ14Jn>`aK=u;&Y8&|W5p5mU(hAQy z#Bqa@Cn7eqj;BX*QxT7PJuB44;p)IN5h_BBpT^+Ff#qoTf#0#;Mw1?QvJ4g8gcLU1 z?qD!|CZ|Wf90-QBNw;<4oQ#AH(+pENc*S(5%aF;Y39X|?(^2{_3n>(PncnLYD0Tg%(PnA(AfT)n(V}_`HmlLL4cnln13;^rZ+U$nm4%d4-^yfB$HbGF8#vl zi*_`2HqbGMlbfMz9)3t!1v?tMo*{vLISo4+r`S34;*$`!1V2?Srw8_sn#7LAnE~16 z{`uCOP_yV+R#VlE#)4KRb1Yyx9x#Fuue-J!A~v)!2L?O$7@9 z0;G-vJAUa46vU!WA&};m%fccsB>;pO;+T- zLpA&ZRB5yLT^apItI7)x7c-g943YI4GAhAUX<(Sp>!k(FkqEbch04*4G2v5@#ZGAi znm@ad?L`vhPEDqJU$c`%f-Y@7h%`(WM(kmV6_JUU%(vsWNt*BQ1V@4|ECi;(T4c?6=Uf>kQIV zN0+vIXw_J{bgm&=)sU}yAA07UXFb)>rImL*X^LY{&8_F_aW8%ZJ#+Ab@>D~YcAnm5 z){%%Vo%vxyw&(4de8z!oh`c@x`9bISsE#I6-3JXjqhhHrGp*nE)U<5oB;YPnJlK&t zg@PE)?d>h&nbXjF{eU*MX(Av>BA#~grT6NG3VP>1@P<_HKS?81K1a~;lEy-MpJP!| z(2C5+%t2_Mv`Q*{T+F1|vDNZ)r%vB<1t6cke8_NAzM#W@;>*OjDQHOKp zjqmtybi$}y#It{GyN$dp>E<5Pi91t9f!Sd?HzNSH;D#XG^Mk79&GbpWDNeYlIv(n@cjWSTFkEJ_9t#;UtMQ=)v)6H8PRO1Oc!EK53doeW<|`Vk=wCtq)PJ0 zMG-$}8W%<|d%)7OQRAB15$3L?y%nbiN72DcXSn9Nbg>h;Hb@J|GJI%NIuJx^zCU~P zDKl{u2+6XUwb}aSeAe!#YV*x^At7e2G$E03)4LDrniE!C#7A&g4L+4XKC(772#|_Cz<-4yUypXoa1BeM?0# zFADh^0&)6LL{Nz(=nKqpUYI&_`giVpo^Lb_JTlTZyxQSwxb|++;-}64 z^{3Wn+w1a;Goa_hH<6~gsdM#QtEK?;S2yHKW<$@EZ?m4Np#FkbPq2*as?S!{=O^Yt z&!z9Oo@$`}l5g%XjT1rr>Gw8d%YR*yPk-kbK>Z&;73Sxs8R~OC){SeoQQhN-em8-H zdtwB`d@-B`VsON8f^ZA7Y1v~)pf?}mCZI0#4AtWSiYj5tP zi^&xpb&?rG;R_iJ1acv!E+19GB({GC&g0PBKd-c&*a%uYgz0f|OZ%VH!tkH1ZJ=AlyFP-l zQl&eTs4+n@U3RoUtJxTSpdb0Ayupbjl^(4S9p9&E%JX~25WW)G-^ zG~7lhtbPOV4qrDy(@RLtgWI~)1w@9ER0?<%H1Xzf`8FJ$6&%d>n9)PUv>X))echhd z>iJ7SjLte?O5_eyC|~G%hJ4Q97wGd=g&5G1%NBz|YE4y>8zY9uR^#0M-Fq#fpQv@Q z+~bnQ4{I*bz7Xh@Zqd80DKD&9B>seWl5zmctt@$o^F{PUzp%81Y%;`VHP1X>hOrU6 zKDk?KHVdgjJO=6fCSrvjJ5r?J)D=nA=3^_JW(AYHv+!xZvfsFI7d*O{Xln)wYKME% zNtD${t$tcoYrk=7L#Pqq_uyojZD|jmWv@BPyuR+eJ~WSP$x$8Bf@B*~L6LM<*LGBB zS5tA!O|{5zmP1(csNkxp_qtRak@2aVNaTkw+mFWjVESOzW~MM}m!>+J;4A zDSoPCqZj7!J-oy&vxPrs7&wO5=*(BFcF#u7{$;lA>ipn~(7f+y(OhDqH(X!x)4O)~ z4MS38+fd(#6?l4=cz(LH;|(bPRiBM5@KFeGOQ8b%Pi^R1on6-zz~4&H+* zfjJXzA@V4}E&e0(dPmT10Sw|vx^WtPUk6PGwra?3Hi6o-np2di#cRj5-DVapQ0+y}*JKyIk{|r(?%I6!Sxncx zQSDwsJ}%v1)kRjc%?;Uwx_rvh(6yoqsi3O@roCtn3G|C^VA`{<%J%omSM7wjZOXW*7SBQ(uCb6ECtF(K6UF?HS&RW*?{Y zte*a&X^tY(-uxae-d$0f&;IqE+I-z>P=`u-#m9D6a~SQj(TI(xHqmCAfM+vnEGi~& zFkQiEFsxZA++~?LOS)p5i{fE8=;Nr_Ly;B z825)2gBr8p>9wXc3mPXSxX2~TseQ^j@|h08bse}`>U+&#po{KF6_Oa(g3*mbN2Cv`ek^Fr8dC=1Kxg~vLr1I#C)SW}*;rr}7o8YB87QG0Y+r3DI zDYgoS$VGt`XSw5Hzp-p=d7g(vibT4w2VhH#8X# zXYP8^;+Mw2OJ~$)XX^4xYoTWeey}t)B$vkW)6|kR>v5~b@=^qgghS+%$Drr%qpYVI zUV3_KtS9i&74_M?`h3e1&~tDz>(Ldy@v0hEGFs}(PgCVtzxXAy1V_B|z)3LrS8DQ8 zcfVAdZ`lS_=p6TRut>ishQs#GBahZq@mukJeQJ{N3$g^YkyHSlv0r4tsV_tq_Bsjv z!T_dQ?8JM(k@$hEGa4I4{2~ikw8?qZh*OvH!&nt6eC|mxedq-h6bx=WzDOVhklV%EA3L6C6>O5t?I0P#--ty~rSca-+{Up{bW|s7 zb}(HDJz?O{1lmhXnCT~j1f}in&>B%cRF^Y-;fURMxwcox=fpdi5b1~Q9iY{t$WDtK zf}1nbr>yYO=Q+M;u98c*&%w>uZBX_FJZTk$=FSPqI1_RvbJCFRLNXWFQVKzN(<+Gl z_=JnWwyJcKC@pn%;p$RDC^*-b339|*DJ}aPMyUl6q{i{3@9Z<Q zL)^~!NK@VPJ#{&$Nids31G0Jj^XW^V=G0-2P%~bdY z?m;m7qwl{Aug4!j9V%&W**~y2vnU*o9Rz!rX!Qe)%+lSQtLezUPCW|!eCy^r!+V0& zQLK87_lWdzrUUBHzajyO7QOuflU!fX$4-eHYUoLvn~rb!Pzc&uMz{jFu>yd1GV|W%E8mmN7Cf^KT-~NW{#) zkyS$5UtJ5eKt%=;+Kri#=Bbzr;ZKV}IW(!GqS}}vJg|+v(a(LC(9fla`gJe>^(v=l zJ>3E4dH302oB+<3?%fagiXR%mRRHI+)7ia{fN*wlPyN7uCE&b$jn(df^TE$$N3PBn zJ_OCj7K`RGa2{GR=nTDncrx(9{Pm>8&%6ORFRIU`!X0ld^vuH#X5RWFa4tVh&4?=> zw`weKp4~6&YRIQO20cd~Wj)mZ=dDl1dIE612zSZ){PYvhb73>q*{I^H$_e)_6jwMwMadZ&6=F ziUkszP1KlzBDga@rb3ZTCU-!`;0bMQbX1ATN_2x9PT7bf1|06TD0Zv0)Ubgu)_1eF zYmpx3RVv0Y9wiKpd5Fk6J&1!_p}EN@DYG-KLn1bKzzut&BNfi*#V|ZH42q%yPdqMIxN@XN((EFCkbWNO zwr(WHW2A5S+k3$dC%23rk9(}4Noq^1!cv_QCGbblCs~>;p zRWl0~Xvd;UHQB{~$)|k()!O{zPE41W2CJhT3x8_WMYIFQlJ?f+i&sNe*TYB!T@}!d zS&xxGzxV~(fn!O#`{i>Vfw)a;k*2!EZ^>3tlb{{j24r10mh^L|Ik1t{$P)WMS=tef zCE3TR=GeUQHPakL+Og-Ee%US@OIrJb*J|_APeL6k>2+^V2~K(Fk{)|1*D!DGi5wR- zPd9YszhOh2`2j6_;d2Fx?h}B~_&tv~1*FmKO3A&?;^#cveC~md8z1SG0T2=|Lfw!p zeG^NxCynsNU~#G`GhIgIu%;CnR6c`*xYgzop>!LffJdkQ#Ik{?r6_9(lq2mpZ^K*N zQnvWmfB1xENv(IL4=O7zCea7th*~|aIEu-G`MP91Iz{p-Dmqw)(;#{ zY~bQ^R=Z~ddq0=$`gFc(J2bEUxzl`e%lIz?!;HP=EB|=oHGezonvo;RXN`v3kSgNR z7fFeq4+9xEUzZ)M%NOm2ny%-Orn>oX?E$OCl7R*NvaJpIoP9Jy?PWdHkb$*_V?BWk z;ELQe_4)aO&@&Z3C{HzHVA*r8n|U`P1M6_*(o%#K*uD03s5$~w=o`;no_7}wq`@*> z$j)tq+-Vw(QKf?p0ceZ{wnu+FIQ1l#E_h9@c=vZ>3E z$oNr>1E7*DP~bG@GS%7AJb^(5z2(W2y=?}^vD*{@v&cR(1#!me0Dr=jrGgxJZy6e! zfl)g<@mOFJcA05EmY@!Km|Q8^@CEXxYPr)OEm6n!+jg{$x_x2`4%aYx6oku@YG4Ai z$3E(IRJ$?}PK&vxf?GVHU77bHJoBMQ>h_o^^ZT$Yf+XcU#s_>#2a|bru zSHOL(Un4hz+B}G;amjckcKuTt$}th`rP8=m0lr>oRR<5G0W)qAenMNj<8r{@+9ypQ z_vUEKk_6_Jw8rTNq*Qa}Ix$>c{M}cQS=SvjgB{Jdcub}TYH`X8i*!AOnEp+jeDKW) z>O|Kg8rVGXP8lhv6!#%_0&|E9d9eWzcsW)p8d2vfW#=fdYN-d!R_O5Dr(M%&dvLQQ z&s&{+;;@;l3!G)k`I_w9f6He-bQlKlUtw0qZ2dpb%qpAP=D_@I*bt~7R{ff%thR`< zz*2I!E?=<~s&@YZsi3L?%5vdZ66lxcKv_;TWGfo-rB6fLo-U+mys9p_UsrybLIUUa zl9~i%*)$+q(;p#Hp=SGYtVXo_m8C3;ybqXtoYJ#-;}O#uMar`M)qdHzU)AJGRvv-6 zeNcx=n(rx#Gz$8o1ECJ!0-=T`quv@F#fps~cr9H;p|7=pc=)liKoCt^K;YT#fD9FQ&?gPz&=iKs@c zo1wGF?x0Uo^W~wvN6ma0QH|qA5L)`Jntbb~qgYYihAMQ9Q}wqN0zNAp=k-(k`1=;| z`R}l^D`AcS0to;Pg8L1y#MrjB(ZWt>Kf1kT0^Hsibquc9EO9gMVJeHEAjfvl6|mup_K0~J_-+^%*q z8rJ1+7~h0eVnAo?8NAl9YC&~Q_Z{smoj`zGCicMc``IwbIM;k~DiREdn&KtZdHV2{ zH+=Yck!<{F-~xIB6k85hDav~LM7m5?peffz0Ln%4$p1oTKU&a6gXok8btl#a$n>D1HTV1OdB21TN{le!ghDQ9Y2)dPyV_+~P*5FK)jMoqz8 zSFC;myKW~iA!DLV zTQ(|=0KI;@)fe%Etqs|>x_rk|Ph9W!Te#D#AkwBSK4R`PY**MZ& zNNF}Kge~sic>}k8)f=uEF6TDRQ}}|)?Cu)&?1rWm3=mX|{9mzrkxH-K-rd^={hAdD zanU$Ew$0EUit;crnJ83=n$22mcs|iDtV0(sv0j!n+Gu-dA%p!T(qio|yu+bdY%GLG zJsC!LYYCGzFSA~K(XC4B+GQb03%n@JuU4@hhY1Hqe5eDj-M6J^NPXgz1}WaxN~O5! z2z@XqrkB@}0jtF+M(=S{iH1xH=^lU1j`#!#+OrdbeL8+w)n~`*^Ih*i z&ymxtry6_9!57{#i$O$!rv0Km+jgKPpTGGnTsQe1RH1Vmuc0Z~->ohv#056?PkG8< zl-g+%6LP=<*-!V0WtnLD62T`vX8<5A$O(R%Zs*uM7mdJd*jG1?Wo%=b8}F^+a3FypuYvb&DdWXJv?KehA(+=mWhz+)i)DUD;nE&ikq|FeRf_{EP~ zWf8)L^ANUZrfr0#RgWPRG*y7Gk8dM^e)0|o8_q*3`sMSUfVeH2k*2!I``~k=CV{Yb z49J%E&$m4dHS4=rjUa3ryf_PI7VP8HdOLm7Nz)ibguV1+zwE%tntaWVPok2ZhdNZ! zY`+ulCq|y>{vY<Y3Iw{m$vBt|_ZKdHepMso+oeuan&BJ9oOq z+t=$^5~Jq{EQKhxVF|IN zj|505P$a{SBgPc`*Hl4Q5QbHjw_RpNP2Y!~d~Pefz38`bltp4F5HBn)kl9xayV zL^SO=&lGJvVw&!aL%$-mM6R-+mn&=R${f*=gSkeNGs1}GQJm0y+R{0B)TfB*(HyaR zLVeD4QHflqFv z*@!;5Cr$sG#@B$=_A^c^6nO8^ z6em*PRgGeCqnv*jIIDioIIU3NEjtc7ZJkiyoxg7s^M8Zu=hq&_;gpX6g~2hCKKuv| z91$}t;YOEu8D}pyt1G5ZWcgu?@(r!*xTYO_zJ~`vGjt%7_zgQh-L*TJfDE-HtCH!C znyYab0RBVr2Hz@CiyTT$kvX7DEF27mi-}uuFAj%Dd3zwlwtNS{&0rZw9puwSFRrl7 zgtd@PQF0h)BGobYuPHu5c93g9HL>JWWqj`gaYW9Y$qgl>kv-1BGQTFpX2n<`iy}`Q z=9K;1PaM<(*+bQcs{NQl`uWaaDRulVC4X)L=TJFNoanCwisOhZVpni;ubzJ3r8?Z6 zCH`FM5P0K}1wsF`sUoEqD;pz~AQWCQrQOMhqOV*iEH8B3&&%-z+)Ryq8_>#I$Nk_t zH--b@7=AZ>=jI;+7AFYU(aw!0`$5#}yo#HPh((&V255pDu6X%Tg-Zc1lp>Y z*cK~Cl*?X)xZRtPrZwAQ!ft}e*cJ=UFXnfZd*1}i-t7#Nu`Om)+~bVFe{{JpYf)Ji3B_R_l zJWmCYn?1Z>m1JXuOsv69W~AS5Ol-VSWEztBs-=_d2^}uUiDj{gLP8r8Qo(p1R5q&) z2fMFHD;K=@B1E0NLZ@u$!;s_t z<%c)Ih_TN@B2^d^s4G<-hLpxP@t#9yMG-|iKL2F9z|w;Mn0|bOZ5$hQIL~qe4C3$d znGtSMj6I1InhMyoliB0DJwmIPGQrLhHQ3^qUYJ;P61X-i5Vx_iX$*3 zmK;Y=?EBD^(16XE5`><`+cDtrs-^@yVgt_s?9f`I0$3BK#Ij8!&=$VLlvptWX9Xbc z)C)+{+QK*R2Ek-ZiS_3f8@kG=uL9=uD-4q{CFV43N^IVI!u3bhl-RYft623hu2y>L z1gLu~xbkX}c1CVRrEl0W-h^ zMl2qcpa-DidDnP}rE+PddhU)Q04H`v0;uW9MCv{{==O;>CD;nqw)3V0k7<43EeUN3 zDdc5oapGxlcX~H|j>5k-?>kzcT4A>FJnJy}?{|38exq(pIlD-0){;o-E zHfD6~k#)e`@8ma)WKFYtYJzCR!noBDku;9grIILy+VGKVSBy%+%-yzP^twabT0Sd* znIlPAbXc+7rv?pkr)Y1-4?-p-OtMm}TF9=0$VD94cyJ?USgB#;MDvYCPR^+_d9T+r z8LQ~<9w?b!{2?XNf>qSJl}}-il~e3F*ckcGWEHJD;nB@1I#d>izF4k30_5%Q3v%5m z8Z)}O`*P{!SB=Wmaq($FvBe=;McA#Fi`$=00%tn@U~#BlkXqo>Lj7qDX7z0!I~Z>j z$?Z?GKL^f<&lsl_tElge6en6ms~g2a9Qgj}$ME^#59-s3RkZljNw)|kR?)h7IEVLP zTRGu3C-LQwI{}5k@$|WUToNNcnlDfrG+&wjkaE$;7rCpG4&(+uI;&y32|_rZktY5? z08ylbLs6&>D3{2W?=}qi-Nvu|(Z1^U52%S50IXbsmpD*Ywxwk1%dw8gIUWBS<_4T< zGz@KAkQ_5SD7Xh)m4du*1~w95Zp!YbWt)PiqO=<4Wy41|OK3+#rAdnm)#Y6=WRz#H zoPcuCIek1{wjk;sd>_=RqGg(_DOU10?W=YyNBL{-duvBppX$crKzFG^1fcUy6es_nmGpXWWJ&p^+YArc7Mj z?n$)|wac!NQMh0_SUOC}gea@^;S&h&4|F*r0CUUnN21zEQ2-&cPYXdTy_zDW!bI?s z6!GTmv_8o<8b(z-{D}m2SUwd&^qNx2zKyk;Hh>X#;>9stwcVIgC$D|0v0p!Zo3t4_ z_p9$+h}EcIr35o0)|2gwBxBl;qqH}qcCi_2)kEX?`nl$+C%sZ^CMiv%t~L8FmJ`fd znKY63?)#E$qS^>l1EW$Ilu(zj#OxdLc!cKg{XuoL=Sfdcd+D1Loy=+t3rh;jU9WEv zL(7{|yzuD^pfRUg_NgqIfBGiL!b8YkbtNldG+=bQD;m^1IQ%y}LZd~SC7Z{06d%vg z-U#JUV~h3{2qj@M>o@F$6puo=}U${-u$8<*G!)=mtR&jeMSvp`b^(VD7J`2)8|-6 zvAv_5^)_(&cOp$|i`c1s9>$wKCp(MzxcK%x;Ou&raau8bCVi0NMAK(yqv*#MBYq2< zjr$p=71L+e<}+@wOiZ8sZ#If)dvO4L;i?QGx_k#M z1#CeSX+1u#pcmfoW9Y|NZgy3|&k02nU-WNp8jp`N zU`GPA5=rPo$>q#1R;YBB7QQJFjHk2tB4P-b)2#p;cc6xnTU}rZTsQVdxZM@~1qKjE z0R5{Kr$Qe~o_#!BZY@2r z_H(B&E5_c!Puhz9Zc$&zzjF7mw%*+J9xbu;20Duk_(JdV zfZDnasQ}f4t+)3T5@^e0wDs_1jzuHNc^e>Z^@~W;nul=fc7n;+dblFD7q;FO!1TS! zFki%b~PmvxiCUZuHeMnTA_v|RV-;%*;rfoN4LsdJ6!3S3E@*`HzIWN>I5 zrRTIXE?O*`IrL#X8zcq{HeFPn*l^D5i1BC5N(>+|g3V?C8K${OI%A!mq#5($)LP8X zW%xt$vjy{G|00e@BXgoyyRk9yzmoaUv(2NM`LX@4izOG7b6y4V-sc6mW`0~TrvBZH ztMVUGpYj%=m|l(M$M%k5Sx4Eo9XLDQK$_O{>fv`ij5j~_b{2Cx5sC(!Z95sK74u{5 zZ&I9Sek|kfh%DI)oHg$;PAlfe`YpFP{hgQ}TTV5KmAL~k7Th+#xeu4uCLN=MTC9VmkTH*%4iU1P&gR%ca$?;ulnyVD-u6Ize zOCdwqM6YCC{9_F6;ZFx(=8@2wv8#in-{|gm;w?(Mh(U=dfQ^WoD53}JlskH>99j4l zu~HEECc}RI?ce@0c7$#o4_ksb6F|9%9O08<63t4!upT~qK<7Qi-gF)A6%~IzuY+_1 zTR%#zlIUX@LY29?%pCPd2z!c@k13niur%J`Ag&p#8sdHN-c!+ZYcHd#&O}`aeZFG7{acMsMaSkC|p;% zy928GY?Mj&u;PG%N?@(g`gYqNYlk(rzOHy?vQwfJljQh*TyFKva?9e$9p#qaK-)r# zwsP)%-#QPLSR@-e$X5+>wt~06@$*g%Wvre>?lU7dYC>L%692!Zk zO(K(otU@wJg!YBa3NT3jE+w$K-NZSE+H)Z9d)4YmMd?n5nLKf`gRNDyAatL@(#3BC zCh2N>P_B4MLZa?^uK?ErEkIg0Yi4oKQ?(+rI7CN&+%=I;R)>>9R^C`IeZ-lSW&7;4 z=psAT;k$%2rkomTQb0Vn z>RdGzd;z@SRogn!42dM_e!tyfdnY=qb$5d=yiyTqPwL4dzePr3eFR(5_0h177MqKm zP9BdP3_d8y(WUQzSyP#7}zl~JTDJ@u0 zYu9u98d*ifq5X}K|2J7t6OMUwv!YIXx!Cf>a@8Rq_q{8~H7jcLm7}VgIG26(^6aUe zbsrOotp(AF!q*E=;Bxijz}fT>(zIqp?KtCMycIQXM6sc>>^}vZ8J{ptD^}F$$+x@e zbY2~;s0sMK6>blhcsnXJ0f}0RUz>Mms#|jsD{2C+>e_Cb);Qm3>LM6@X|T`^+L`lP?n(&RL;lS{!w{%+Q9c}KC5dnWK^x_OpQriqZ^qCa7U7v@j-AaWi(}cuQ=?r%21fmeebsb| z>BVLm+K$0hR%U)kdWv_$MOi<-nf`-SS4|$fL+dNukDBeH1_#?tVUvmFeHS}{u!*Ss zA){u_g@&=9x$DQ`(q*-6GL|zBs?76b)Ca=|h4}6bxJPf^`#3vKbSRFN+`NIVc_hRGh{*<8_`vyXar-r>|^#Xg#Gu&vnet#Z{1 zcXX6HCmk`}L3*G9J`$B=J?)uYQGi^OeFc}MJ&Yu)Vy2{BP0A}y+7)DU8@_RNDY|q9& z&f#o)xW{!z)k4}i`}|^YAL18}+=)G#j{t{8dilT8O`G`T!N9u$oAd!ymj}`oV`;FL z!DnV9aXgI@sXmyY^3g#P2eENK1hz;ulX6MjIEV-!qyk?r){vR>Wt5aDt0v0A>dX4} zM79E!+$x6>OVMK)hOAAq5_0JbRJ$Q=Rz&oCflS=c9R&k|jJG(Fg83GD$B&c*(TyOD z!a^DC)96XQObPt^+^rJe{ZUx0jA9o_5tFUNXy>4?$-%JPG%$#IVrxB1lZ-QaIz-M) ztu31iV2lzJGdpbSv&DopDM7^}dFZC$s-!ux1=5$p%p(KyrL?^EHa~`&taP*Da_OuD zgLFwQPj3EOx~99mKB{>`KwTNx&%?&P!$?oYcYKp?$|P}i#!6#HIaP#Vr)j2Ha&>eY z*zm7(zkEKeX6ipkyeTdEdBCk4R>jYgzO3xnyKLmRvF&o^f96x7jd^>Os7>+@*_#we z-FsSL=6cRur(L7^Dk@dkzV^xzd>8`;heMJrV3;; zkX>JYcX=EPp-pMcYq^eRTNGcMM93X1sOQbo1Sa7PB^^50PD zbz<1CIOj2L!Soc?a&e=W(I{tp z0Gt&Ek*2kH^F4p?Fy2);1D}8IEEgXI&dei>(~7I|(5ER*bX6W`6ssHMqLaYs`>CX5|T$TMxJBvPC_Au-1=^f?j&j5wNagN_sW>=*;`qRq^ zhj1re1BZzEAl(fx{zxM4kc$fjZV*`=!@?KNOtQ;`qJ&{%um@!P*c%c34A12ceuQge zD9q%$V{!18T#FJEO?Tdq(?i2M$S)IJEgXSDZWTGsI*5D79DC$#Q$Hd(SIA|Wxvl7$ zoVSR8;e)|yNVn&cuL;4}pDkge}C)`5$W5ys|!bYK?g4SAuf954>^;Q zEcg-AR-n>Q%bKrALRmtnFYYfQ-;p?tGTaS=3xUv{LbfgwQdK<^6(V@4Fgk+-pPKdwNZE4$0i3 z*^BHtI?^%0V}&akCb^VS<4h{wc{sb1?Kyor?RR%OeOvK;?m5#|tohGn@3ySLCeQr4H;S%2`zRG~_Bd`4cSO*RYRujI@Ewj=0d7`V>FrwUe1mX^Uh%~M3 z2p;~NU^2eXDSuKN?keYf0+G`56*PmQT2W9hVOId1GobI zr!x^Z|A!$Ba)dq2N!2!$kTMDOE3Y-AJ$rC+?RRiC-e^f}WsG&K$ z#9BG!EPy|@?F$vNq6rd5ggTGBfodhMC)VN(((ps()Vxjff;JsTH;{MK#u~2-)+6M; zcsM!Zz-mrCI6mei>B(e}#>OE7LN5g3waS1ftVLI`1i}ZXq|OQQo!ElrV^=uH-`*tB z_z;4TQH+tIs@0cqIR2rv+`x6X>Gwg^M;4 z-NHDn*rkWxPI01Ly0%d)Xp{pxfV25c#;IGN&D*70SIu$@b7Gh7+0iIwz0+3q{bCkY z<#zxDn$*`q2#uaWV0FWG7PCU$`{&??>uW8 ziBOW>;Qz2#Ci|4oq6A1I%7?^gimJT>UJ#3cJ34ViD>G7%W@gUr^Z_d-`Ft2_Fa~2; zWH4Pn?$+yWxdF60Mg_18t{U6HmIBXz5JDZkPUi<$#&>TfE18J1ln0g|K1o2K;c64g zXDYbjp!qOBC3s=19%P`)kNC?K@|D*5?4;rl_MIJi(ru%fq zANd3_kCi4YNnKfDN5}CddOH(sa}5Tcv+u^<=)a>UD;Tyg=&bF{IL@t6DmDnI^{L@$ z5u|_?I6v?iJ{lhQwmV&9OTGpE`bWj`lK83s;BWdukNmTPjWHe5814G+ZyPRsrW;B zq=g-@Ne^J=Fr=@%;p{wz&432h5fq zP+7)Z|GjayiUo#WsG$%+GPbV817?sF!l{?1;({GJOMr|wVQ=YrzC|P45QJxvo!Tq( zqu=EbJSmF&pIi6lAC15DhU@8?A^Kn-e!PZ{1-q;=( zWRH=hpY_2C*Z=r{#!qxxjOs*{R;!h(AtCXyZAv>h)QWOwAy^4=ME4?`ETMA?-@D>j$_XuPx>n7qHLE21K#TBb6tAv3 zhxwhc*t#4y_ItRNclgVQw*1;-CKd!XccwJT-emyX_$X2Vun7xd)l($U7Lde(z~;`@ z$06?6a-?Z(0ok~YU@{g&|M|tbu5$Kjz)XFbVKNrPJlotE&VtyuX`btoss*v+?yjP5 zD(;+pXkG{IS_B*#Y3qNlf$dDr~8*Z~By7HM1k%sXZd7LSuOupq7w;ObKBv2Z& zJJ`Kk6)0LqCFaf$v(DB8!$fex@$c&r*i_sONH>z=IZ7pl(cp2!zA98Hov*P~GDV2j zAH~FI24@H*TQ@Ng{wK{B`$LOShX-36E^)4cgSJi`0madWIZ0NbA7T;c0 z2JL~N;4%_2-6D-jqeNwSz|ee644J$H>$M>zG>tt(Z`Mnn#U4UJbt?0CsEfs8NjXfF zniQ8UrS1kX=y-#JY#GD9sTqPBEDrXefPx0AmqFa7*ojuL(jX+YnFL!r_ZkC?DQcYPBHnz#>mO+^jS9T0Y^X0 z>9gcZMc)_8X+M3SqdfDmK-Zi;V=k@SvpwpPQKPQP#yu~;n^26iN2kw*j-nq|4D|r# z)SXDvTHN!L*&fC_eYU{V=qwk^1kQwe7^fAd&#ZYVPIUV0Y7}c4<+?e**?u46wBq#X zIX>TYPU`g8+9(!pZ!4$1GryzU_W+j=drL|ZwW4sR*(79G9f;UbkA)_7YNN@-l|pu91<@2r<-ua02~IG*8ZL@7S7HA zNrAGvEo)XS*$qE0gIhGnW?TsUTR2L_-|{1Tfs?eLPff-d15y$K2wU0SGoyRpL8$W_ zWxnjnMW$$Q*(`Pbl3Q`r95y_u->hCxuk0mpZZq~cQCjjQrKv^tcW-FO)-#WxmT$hk z296LNL+FvSiIi`4%UTw%Cib?`T4{td3dEJ>Hg6`N;Tm@3=^&Mh#?i!qA|ohOqX3?Ji^B`%%zb&Xabqf=98)6?g=U`wL$Qh#WMxjZ=A0F-GffIReVu< z?`$tljxD!sdl26`y&Vam-10HTKe!ne!#ClE+I-lKyvpey1K8QQ=A<}f8*AWi9r1vY-pXOY4i#{Wmj2mjk`NdZ3mwybHZ6_E; zQ2bSMF2>kD&fyGfdB}A~)eY5)&Hl}=;j0c$KZM=>Gk`-Qt>{oUl*N6D=1@jEh%X6W zdh`w*GyaGnIfo+#Vd5rA;(FCQ0GrRArH^hP4V{g)f!pe>?ny?^jF|~_1Z9RvVtW{f z-ym?c8X_V%b=*}`$h_AkO?+k9s#ThhRg{?}6p6dLDMKf*K)jukc5&sja8i|4Hptyd zk=B3$1$aHc@CY_Quo>Kow9S%J#z~%vSwlMAnu>SO$*^%nQMuaLdiXew1hZ3IuF#aV zOlB}=#pt-^kbEaCR3I8Cx!hq8#<9zDiw-Y4Nfk?t0%mJv^wUe)*~<(t(a51VlALxq z@V?hBiIKCXtvJwD?%fN;G68=`vE+=LuItDBaQyc#xillaICS7o=|CqLD#iR&jgeE> zvN`n!k7Qdl;lMrW|gEuRpIEd$ZAnc7}V zgWvunaMpi}G~Tjl4+}zp6OavC9Q0`p=J@9x##=V{)adp`Iqx)Z=6}jKtyne#KkaqZ z@t4odZWI$5<(x^qSdk|pk-vOSOHTEP_KrTy)o1$)54+_iv21p4YZU9&w3W+NK8!Cg z-3}-WiHZF2R9k0wN~LQB&x`btOjr7LJ@IWJc;mkhzAGW4cn$9p$0H8*E^HkeE`bo! z61ruNMJMupVTi6pBEt!914ZW-M9)|jaVBAgBouM9cri$NF0L8{S`5h{&Cz6GL#tF% z)A!B?sh%`c_jB!E!~NpHI-#4n!VfxEWWS^+`tG|wx`nJV{V9E!Qng7^1SlZ$Edd;B>6mRCHA zkXEx39mt?IOvJJj*}18(|A~ceDpZK@{Mqfrsq4x!3l?^ihhD>+!Cc4_VIGV`gtc4H zfH}Awt2|sngmIJ_!Rqt+fi>_XQUR+8BE0T75@;GQ5@AGi;#$n@t0C^x(@4|We(Z(~ z1d}1cOS+2w&hp^%fSG|mfDw&4(noZj9`Ua-k8|xa^VvnNJE}x@;JFdSDMWN`oxiA~ zoU;*dXr!0BYDAc)fs(dxjwvp$*ygZPXZBw_too{}^fX?+kd*+=Ik*H}+Os+Fu>KzR zAZsztz93DC%O%ScCEYbSn@WP4)G<07;1g6_tGHDJfvAduox9 znHSbyT3uBTSzY0AT3Fi73NMnf;!{Fyw7^LaT8|4GGNfh2X+xJI?kw@HPRNm#mG`)6 z^gxR|idxv%fUgXH&^NyEea~O;wO5q_>M_kwm|z~O!qIImn4wzPbbgJo`IS^ICPsN( zZ4_MPqduCHo5V^P+TGH{ewKp(&?HW5rPTN;vSmyF6pKc1Ze`v7j$c_5BXCYzv7oIy zy$g%#di-JL5e&ZWp)9{$AMv-F$dD@*tZR&%%9h`v4?U1se#gI5%)J2D2mqw#T>+_C zeq*k@wEM!ZjURvYxbI!^@4or9Oa3)1zpq}EtIdRu2*hYlV))I#cj}G;=ExDG@%}$G zi3%7>(f_AUb1;iP@i5--o84LLY?Pb+0G!Ro8K)J)Z}XWHCvIu&=TG5o`V=@PPccs2 z#H0GupXTZ_ZD6sZSBc>_3*T-!^n6>n`KiUQWheZShrzNoTGM>E8dLb{!(cO2AG3?Y zhqO9gFUw;v+Bm=G_2F$w>?IZZxif*tJgd4tYE#9^1=Sy-18w=>wDt?19v#Pb9g9T; zCwjD*LP1oH%<-tDf?S*0L6rSwS@D;cy!Jat3$--Ulpl)$BL*f{kNHo>D^gHO!t>nvxjgt#?NAdUCz1ZNIkpd39r`ZU)}%hwT1#;%#$RjlhQH$4NG zBdZxEW7ou!YTn$*;ym>$*Bw>6X4R)7ioQRzm1`dPRYy5#0B~reBiWN`G!|^d!~#^E zb4p{Ca@JF%ZheR#H)~Z)WUoO`jkwubRn1yi-r`=DpY$IgM$|{I@)i(U^H(DrQ|! z?%oEFX)g)L7q1z2a)M^QKwB48guAV)M$NMIqjiGamM%{prA_6Fpa5r3E1__21>?jO#WD* zFV)o<(9J(IF3=bE0%y0G4WQ>nIgj69)(GT4QO+^Wb~^ z779o4Bwh@5)w+*$sA5Sy#DTc!ODbBBq-SKs!-_pW{@4g5NS_1=nt*3HZ4p}XK#BaL zP&fZ5prWxAn4pC5ac%W+C_fsG%HgXTfc_1gpz_a2P7(e-eGE{4dp)`ZNb~`f-BEu)>*L#jMV9;4#1) zSjI3JRv14#I4mptd7tZ!Dl6Q*YDBUB{kF1aS|9HEdjfFikfX*5E9y-7g}=POCkYn` z2%+#U4{(c`^HQdxcU~qrbd?v+C-$|k^*V}%w(V|5xBDOxqC3OL1J-^;ARf`Zk3(H_ zRwiCK?-UeOr0wAOAC*X}Bn?2mCY>&<&@@|!aA5V73M6`_DvKwfW+8T_F9<1-7b4Cp z>QJ*Lw~|GdCHsrKNSV=^i-?_nn^w(2C$zz+Orpy2-fhK3QcUo0X-xJ*%l?#<9r#?d{roJNG+uUAkYA>fe4V=}h zkft@dH}`oDQ=xkUjdI(wz}dcraay5!>o=r0k?u{vnRwXeF97G@0OQn&9jW8`)0{e< zdG~UsCKI}M>`&?4OfscnCd7z120OSMGlfsD_(+W9Z#Ne zVp*A!=e9g2PvbJ4JPsuTbx0nc9by!cuoSK#a|u^e;T~4TBm+H_3Q4LU_gh3M!x`?B zSW@^#wdheuQX^79thZ}4nNcdR#8_7vV`cA`>ayT))1M?)Xu3X0ymz5TRT+iM`cpFg zJ-**N*1{_6mz36iR?-H+X54Za?N`9D-;&vW2DhL64#EO~q^r{q#o(NPXi14;;JR^t zB)(GiSAr0;9RDVi~-xX?ro@|0tInSdN3+)XeU);SCJSap`$ zrUB;U9SoCUolEV^`*5uD)Z`~z`&3!ylH((ag@~~@`2oVRx6c3^I^@oJu(7BIr6d+) zA@oXJeQ}4%9Y$m>ajj>JtgFmJmh9(7)<_&7r?9mMMCsI(X~dURoufU$&*aM`o<*fR z9xs!aFseKKrrbPV9S$4y}qPtrc-{eZyK-vk)gY z6mA<;E_qYpGEc=5H%QS_(2v>{Z1x z8$u0iI7NxhnBp*GlTfLLZkB5oD1eHLydD1wqc==;--p_r)kLw+lLDzEMTyDMp%KOU zUeZR@+-@tM2ex&m4BkvKHdw4lD#>DDpcV4{Wd@Hy#dgcX`I_Wbf$j6WcFveQhwgs@ z*8$^C((?Z!hMzmkauUv*$6SX>Fr^dB2D8CeO^yVt=FDxB@tv9%r0ZOr9;zq&U&! zIn+^X#)7#DIFs-P^{E>-#0Bb4bIrEu=t{RnCnnG0MU7(aa%>j9zp|rT@GPLPK;Pa* z3u>}a&(XEjr$YU!PifpMGY|X|nv4k_UI{ZCuPjuUvAV83-z4qVJ-MM8gnp(RGyW9U zioKO$X~y7p)t|u-u^C3o6w9_Jq6aG4JN^vvEO`*9r_Mue{V8S9U&7t>SCFJXgCOu^ zeG=Wu`h-f$2-1x9nC=qgEeL&SKKsx%!5%QTGlPi`G0?P`K>az(#p2~b5)&nL$xBk# zwBpzO*;-Zx;?bZ_s8Ui@42zqr_VifVBsZov?R?UW>53U}U}Af5@Z05q7oNl&&A|6BG7u#yB@6SdY*uT^}B$y2!B|O4)1!Nv7ZE*B8x_V1X?e858^iL zL7MLKMg*3xvCv=OfQ0(fTq7;}J;7v*fO%a7Y>gEM0JHnI43jYeCO2&aY<%G<*BMnK zVD9fai%mG+zUqmm&{Bs1hwgaCT+cN634a z&~ZL7%A^)RI!I#R2KQ6c{%pvobQCaY;KX?yQfk^nqR*9^$V<2R36|k;>t4s)>cJmY zK+VKkE_{u)@e@wnYzE+$-1PJa&|Ti+0nI*%KDMJ?X)@@$~O z+TRg~X}?J0=Cv0K+sj?Q1eXMqGtSqNW&MIVpmT;cC zo)*v|EF2B%K9=W%71B$dx{{;%S`-1D+2be!;}PL`Mj+mVZSJb9KnB#QTzxG?{D$mr z8xUn0inKrqw$k{Z9w+PWJ^N#EfnTZORvHyz#kfL|sEVG`kok~Sl_0ZF`@w`;e@XT9 zSAf)?6)^!LnxPUWTI&VgSY*y9t?r0kkofgVOoT|zsi*l%R=bf|A!EnxYA@D&r(AjO zY8YoPVhCesw&s)Fx6H#;>DYnxa@$g1o&FV40jmk0?5QV6pedwC#}El{ytCZh2XRyI z2NSsNeJz^y$xeEPU@~-UL07S=vs~B@m<>-dOoon4Xqt{4U$Mq@N0pA9{%l0id!h}I z5^JE%*8mQU^jemV$?#RW<%0n{oeG>x7q;m1%wACnnM^k7$(fU=L(~J967nm3HovZ; zOu^>Kcgk`BpjhX1#wHu=iDNUmy*L0-Gw@{8Ht|kPnV0&;(1;DU0| zR)8#BFCcZAcX{O#*%YCWKUZ^bC!v^HjXVz#3R~ODy*q$22Y(W^s-dT;TGgl7R(sFG zc%FxIHJcmd%6EX%zl(8N;d$%!r#O-4o#cSjCGP`g`(DPWJLaf9^{2V|%zSvQQ{M^C z+qn)`H$086(9Bqi4bB6A!Z`R%=d~baw~YM`eZ1>Bd?gDvyAwg;eJcq|2rsb}%q+vD zr%R=3$z{jOiIV)45C>r;B+GWl0yRmVu|F_n*~C#Hx$p{6xdb9j1A4Ou~+OD{MTdFU5zrKD^wQz%7{MyaU< zrK*|YR!S3V9cn9f{>O6O$Iu8X9*5?DMsPdZ&exgV_3vm=4s*v0 zk6Go|d)v#+)1SlrVRs=F0Gr_0`|cxwwirZ?4VUM^&T{8Wh&y!;(zJHB#LoEyli}El zx{Ae}9j(`^=p2yz7%H$DXxqL~-E5wsO)Z>tOmX02~_W zDRv2xCJa-}&2XM6wk58f&p0J%Bq^CmNNNl|utk>h*)r9MY%$5Iypcjxx*r_emhsIHEr28fBI&ur zot!j0jg0K+d>RVo@=ScwGz{#`tv?uh%Xk~6$@K$~26L0!){plH)36|pZt~*pxA=df z5H`qEh{9?IM9*r1Rh1T#u{1I~RU$91Y#roe2ETF4FE_=xtEWSIQ^z(d!1wk=e|LE- zi_Clxbq>N*F4`{a3Y<%sEUrFQ+RY*|gmOCa)Gxe_%$PGXkf7YT5UFSlX~vuxc!_Tb zAnT-QfSE zb2_rp{d^_Ip^qVM0sdf4$4frKjy!L~*PrH^Y5HyJ0h3{+%e#v8o#m1=# zk9mHFW2OB++u-I}m6e|8#fN#Px0f>yzKDJQ$tV&!I`hUV;+c}?&B^oH zt}r;23)fSk8Mz32tI2-52J1#LmxL=<5?kR>peoC0Msh8a7FW4~yE4IH*?+TT)4bko z9Ds(YRW7GtHC08G5UH%|VW3wVDb`nW4pZv0m7rn=DUj99Gb|}&QjlT93{ff(=D$+q z1si_SO!hRE>RiMOQ7WyEFAJt;?y(hSxFY5ybPUTWE3Ux;-TZfSE2mo-R>SHRV^ zS1MwVQdtq2olz}F&6L@-WYVYM1ah`De34^Eq@73mi`qqL=b`-K9MIQcF6W`d>!L|@ z77x;vnI2AuU<+-Rw~H4(?O9sJE?%{2Lq|Cof10+7``_kmJ~DHQMQ=4m&Sty#%q9-Wx#%6Kqvj279tlG*rt=PqTcBMGcF2*+Bv5s=xTfjNIgK=81 zi?`0&=(u`f7q97W6um3k%I&vr>?r$o0}4caUz_tjf~6+`Jn>d^XY)yl+O7m|HQ_0C zkX&ML?QjOyU4P94TtfGGZ)1Ge2a_YDB0p?eX{f&h4as&{IBA-dTssON1?YaQ8QVNH z#<@anMS^y=ZqyW7j&i7!J*Oh76?HDR~+Pa}b*bE4gjh^@o;I^0i5 z++?I_En;ikJp_}n+vj%`t2@iRJ%E{lKY+{D#6U%uwtfKLqs#X*4UeBHEsDM)<0P?u+@k`xK|17q?OC95P#@a)LLfz1Q6K ziqjVv2Dxq0E4X+Ue^{S3v$L}7Gd>SMgs@omU}NMQW{@ZE^+3iTcYL{+bz!;a9)Rqd zEFd)oIp)fGpxC9CUy-ZMnTbEBPb&=a*gKp3C;)4? z`Ieu^-4tur;>$Z=kjG!cInusg0t!pUWM+^)vX5)$$jykI&%WwLP=y7q`mn9o_aDm>OI}5w&wdOw452|zQQrLHCP-lafCtNL-t?>k z(u(Jh3P??mz!NW%KvNqD37j{gT(%zKcD{f#t&zZ4uMwGNtwBQyLVOr9G`Ov%PEO z4Yq|Q%C?IO9jhcCrQ0ix*Q={M)Fp1Pq!rQm$pqi(q(ei?gD=!*o7jw2#T8zBHEuS? zIg6H30A}`N85oEf8^eIu>ue=WepSH?Qe-DB{?~-K@(!W9AbRM$XquRy-g19D(Gg|X zD&&3ZeRphii)h9&T0eCwzAlG9Ofs6WjL!V@&*+<^WatzJUu%q<%a+lR`#q3ZMrX=m z?uF(4*#Ox-O+f0F(N$yWzV)ldmm>1Eu-a~#njGnLoaYPKEyb!SVq&9rZ~|uI^9tm0L@$soL>BC(K6cn;p=`B zc*|(du10bEIeek$-Pgem9|aV6)b`p@X|s%+H=LfCQ8a{ao81Y_^qKMloez%;kpnu_ z-NYUek|}dF*$mDI;DmgD0#Xxp#!z%Zr1~N$b&^Hg9vnT#|E<|L0WBCoD4{EfG!VU_ z{|%D0`)IWF=)j#VB4VlNk`fAHid1CV&)_w;-)!WmPetre{UvhsSCFeeMXde`QuQYb z4F;Q?;t3Wk`cKZwa3ZQR?@neuL@W4JFka1;pvI)_$Nq!zj`iM(% z4NJ3pQls4bUjNoMHyC-(j(gAD&XYNOc81=dE`LX6 ziT-r|Ds}nO6jzE$cBjs79?<$CJ-!log)R6M5R)RaS;Y|XH;uqETi+z76;gloAUgyp z|D~y=vXYFU6P9>&wv&7H-R&T{qrz*#ewaay6PyBDT7k*?xPir5=J z@DOlj;ZKWnb^nC7{3yUeZ;t%Ek9QXRJK@Mbw4xUR*tG ziWPwT;Hfh@G8>=?;baH1alMRFTRqTKhKc7)ZmQ3D=`q5bP)}iPC{iX5IBbr`CR{oZ z7HH}bxyQOFtTLr_$gxh--TI(LreJLTA zt&sGL+ryp+%e0@AAe;fQXR=mQmf83-6s5{`S&DSKuv{r1k|`hH!f^-a6Do{k(I)}B zDx5Jns|dmPQF0z~&`9oBPbjHrr7>x<+_&uGINc9)CkIzW3K4_v&xsAb9LGK8bM^($@2DMMSFSj zRe&tRpJV`@Jv%x0ribzD1lLF71BuJF0jKYE#%YC}On4{7iR@%wN3p)6oW2t{tKMRq zR>BPSF4*k`dJ?F*`E;Y0xeoWy+_xK}d^eyl2>#b=E3PRS;Nc=bw?507O8T1q$AlyG zF%enseki(-{2kD;sOV}zDZO6jrOs(p*7HdUi7&T9nxvzH8n2wq)SnEYHVMnuA1<$d zBqh`*p#=Ifkro;#tRIvQON=dEp;-UGZZ-h>cOo@6*w6I5>w2xST5O$zPlAps=bS{h zZT=;?7v1IpJmVz=a=AhGpK3c(y>no=9x(2LxTKb5krFXX|CK09weB|V$su8Ov5(-=K^Ln{@7ySBRPwH zJDBMo=Wymf@Sf|9>SEFJYFDxBbX&P=`g{16%mTonky=?ScxL_4d_J|sg7((B?-~4t zW9RzeNuX<6a`lAsvXC#wO;#FYnxzu(DdSyV(%!7gmmV1**Nx8II72ln`ET@XD%4+o zN3&FOcvp!pVd5#N1932>&U$*Cvf5v&NkFDA2x11K@2Nr_s73r{t%_7nhHW|8 z!q5Ap-lHMv#uJBJrZ6U=`wCvWEP+_Q#E<+8f!Oc}2K`L@Va?EthvVR4-jE|cP#oFR z7`cE6#F?i(kP(P^UoIA1P|ki5AUl2~ATmhQuJ`F;EycN zUjv+t&mfK0OP)hSy`)cbFbmdu7|$VQbQU`r<@$BN+3+0Ww89|{zMSGj4l#!>ff(2T zoFgwXPAeQ@?ZfXo{g-fvsr~TT;ClF}_r4Fh@(Q4!{ARUPNraGvsyRr@Avp_ZVo?e) z&BA7l`8}#m1|H&)wE7D3iJT=@i>%5T-2HL>Lvms(>KYkVa}8CNm-;Kj`RUJKLYu`+ ziX|G@R4d7D31mXYB%!?aKFGJ<0U%W|=D7|<)we;I{tU80n}-8FTmWl3@f-z^e^2(W z-y;mqiQ!R4IqDaxp|*O)*%ZL9q5h}`Lx#6sPo;+H43a0jO{>F#YzQHV?4Y_0Tke3| z9Njf%pBvK^hSjsUy*PeDdHlA0^mShhehli??D16(c(^LX!bd1(-Vdx*bCIe!inZ!t z5@@O{QmlQQ#qLJg`yj;anvXR8+@6xDB00CGPjk(*atXm?C>GApEW_o>zW~fs{K-?S z8BJ5H)lckq-BG1jeRrN$th}SWT-&=JM|PG14vlnQ)*cV!NiAeqP^;=Fu9BKgw+JjQ zsG5Zb7wAN8s{olaKa;E3>BgEPMB(Fjf*LnK7*#cp`0jx4u?P@Z7t!oJ{ak+xt=u{na+jk(QB}pT4S;kQ!HCRf?czaaJ0O$%ty{fjn3)I9d8qg zspZHpC$$&T+Tqm!&gQp}#;axJlBrtOr#YBI?|B%{FnchjChAm`i_~ z;zWiytx+67DBeEctbU(yT49*S?mytvf5I?VuWS@2@R74)_aMaV^Z`IY_y3=yo|6lT z+@+H^ODWSUeTLaUyKL&Q0t+&NC^YSw5XWVYc`fOlpLbzN9#z_$H0n*^q53j-t8~gp zPW>f0)tZ%e`b!junYuEc?PnlpnmC{+{|kBbr@-j1kQOygy;YK`%F|ht(5wneC!LrZ zpT|%8{;aU84aeGwz27Q(4xmG4K8%Fu(AL=1=83=a!>4jW`E+}^H}z?*nfBdHFd25Wguf{<{Z7CvnZ__8 z#-BndrW(8Qk8?P4?*G8GPnBJ*pMPGl5A15;ogd%?&pm)chrDF$Dw$@wOw&e3G6&NI zjaWz3BErkW2{Mu(c{l&NIdHu_S}$rDdmkh|hVUAUaEfK;bl= zc7=ik*5yN0VrWT9n|S(bWy#^A7^#!Xulfl(t@(+5P+8vbmE`b#uatHWHBuEJ3Pgo5 zFVa_{Ozai)uf9qPojAQxsKn`&v|8fzs>oBXm%>%X0ZQpR)2v^iV@824Q$J_y6B{=w zIn5G-v{DE~qwKlKwDl1`nKF#!z+%j!<@nPyW7%~V`^1QV6r0vIMlNK=viE5ZWQ=9* zmx_ZIluMrk$jK!FQe!M*uDq-sq<&@gdtPgvB@|P2k+Do~FJ@q0?HS-K!=FUeDK|+~ zoj%RA+VK}WjAtx!JBtI2a@soJ^gPEntuU4)FQ+(>u^i|qKvw2#0M5XRjMEBZ*+1*| zPNgP{W#Na7;?Rq2<&??4$90yQ00n(|l!Me0U7D&tvPvpXB4J_m=@|>BuCCLpgUua+ z(Jr1IAFcdvZW+h%?8b3ei|8R@E1uwKAWwX(0np<;{fch$nj9)aO^T(L;w7^3#mS11 z+9J3AxC6MK`Q5r-j1Ip{{JJVw(h5=A!f7X3GI5#{E)Ans%j(zHe~ zr_Lpq48_D(WY>0<^X~=BhFJ_F6w_~p7R_IRvwYSO*Bw=gIe!f|!?^e+|1{;ceO1R#4J5Rf{Pxgz6x8J%Y`za|u$ zQIW|k#D!Sx<*~6f>0vyRInXGUfyt}@PS4|v(+ZQ>xjMy( zOy*!mu?2TPKLwm=_=Ebi!eq96cGS(>gvm@f*eI4f+g7eWdK8A}8bD#%4z$sr4tGqs z+r*e9R47btX~d$D9G7Der1*o(B-pts->qB}=Q3C}q5Lm%n4QE4^$jnLUrDT$_=DMqF095^?0sMgnxG;o6v3{J=k?Wog}nA# zN}q|UP1!*_G?%i*Ag;E?!j_>UAg;>V>nuNI}&1; zwYFR@{LsTymuu{|ojwGth4{m&ZTOI;`6o!ADVMlh!y~k#vz&Jn;?^HQ8n0Z`_me6Y zeVS{g)29h0vs};UDrUg(bP_O!K4zHAa=pMjLVgv`;q>+V!F5Mb6;24nsbQNfW9TyiaLLSq!_X$4|tzV{4Ft7md*LNo>n!3%M%yv zWIIpHm@JmAq)AR)J_)${-od}&gZij?VC~^6sxMTL=sUl8Co@sskh@5gh^Is3Cei0K zsWrWiloCy$Z~Q4YFNu6bs#}r*`yeUPN-B-LMVd|2g1t(%HRDxz++&(0EnDJ6N*jQ^ zNT$Dh!P$#sZz^R-P6r~T@4bsGlW)1&HFqjeM?+=oY3o;L+*QHz6t}&2)M@If(0HE; zHxC7GX;N*6xB-`ytu-5LOKs`{er{)I-TZlffLU}uQej#*74>~=K5wZJODi_vhT_Fc z>oza*Kt}6k@P|m3ECI-}`2zCAYsTGpHDXY{cger|=GQLy*Oy+B+flnL%j%XbClFJ- zk=4y=FL0yM-af$0!JouVQcn~q-sp|k zq*_@c-a-c5Ys-TC;%&1hXlEv%Ku?5Q0i+4)8LO@ImF@+3MjkdYbtM%`-Bw%<$hBWG z05vHOJo_QuRCgPc-p&*N!W$8xH#(71R{t*oEI2P@v)_!St6eCi{^WN_2cg}Z15<{W z))Z`=|BDtiKP?w4r?~cg?k9SMSoh6nFZPTrPapgkSJKZ%Ld^6$v6ewJ{8@ojlTUiR zQrT)f*nX9ebQnc}jl^xsYyBKY0vW3vcO&r^a;E5))fZ-ljy7IBR_Elu8YT39K3(`nLYb?YILSL)qA!M<|vJ zr4(kWTrsjg^0sl2EU_z(uGz7~1DRd3@XN)L3(I4_0LZeR3rNjfJ^Ir6#`|TX zv!Q~kml29Be9^F(-CoRTFApyT&O-c27Ctp$ilz;l2~T(!Z`iEqEKW4aslNu!v_8gZ z#jshuD#eM0&GC-n5UTPdaJH;uoL1b`n`fSO3v6Q8EM3%DtixfHQ)fQKV!j$s7zfiE zq*Q~W3F=V@W1`G&8aM8Gv37#{$#3SGA~tnCK1YI;;o+r%*+-@=r*4JY15ww}s<0RJ zB4y5DNL2!@q!S)i)==Gm_mhiAT*}Y260!qK-X5j#x({6~f|XLTh@*T6a7EDOu(o%3 zsQ$L?iwr-x==z)GI8e2~W}Hwx2Q8XnU4Qd92?VHB{43p?VpIU_{OejE_0eCV*6d}V z^ZGV5I=Jigl|*lwOGl)tgC|JUpFyhr6sh`4q{`u&`bF(QQq`p3$Go%7vZc$!xCmtq zr+J)Z5lT$si?e6$z(@v~Z50RvjWHJC!9wv!ChCDVX2&o zRJ1M)ZxYR%P6BOZh$az^Pxp){_fCblDfokxA#Pdft^%zL^{2UJT5>PJWK5z}UByQ1 zHOv6ap1T<)V-hw0UE8^je(t)XY7(8Acz&^f9C-^rN3_&zz@d@uw$Olz;#N{tvxKTD z!K{nScEb?bAu{vGH%He9eNbD#P$m;oGySh!=`jpsR*dqYs|MM=Klr$B*9;$;fCS~n za%%6#a+3m(Y$(A2*vc3e=-e-0oso)C}m+MUPPMK907Z_co@%zjx>saMmhHt;LO{^ zIIZxZ-t8$)`g#n9DLe#ZPk$F?da;$yoWdJ8ed&GVH+NkzUTjXjn4}i zWq<;gwcZv3myO_XkThK^*kI70LgPkN(vVo?j7H@kfxZ~L5_f-|U;M*5qlWf#Q*or6G{X^Vd?o1ugms`8V0%G1hz*66bggP+Di14izKP_ zacEd{57oxwhr&UGYZNUd@Z8ggMpV^E1iFC>OVF{LLVjW)b5m&M-ILrDs_=zv540Dv zzFRIlg*kL)G3FZP(Emh}MI2zxx1$5JiD<$Jvpix#8E~L}8qSE_GpSLYn1NKJx`(F> z19M5BDbGk54s{m2o#nB6A+8sHpgiLTJ3VEnKh3q&>|TP&P=@tg#pDs?nR$Sji9di5 z;eYMFrV^tG{o@?Y{1ua3k5nl`-<0!;e#E9Pnlrgk?td6?Xrvu{=(eiGc-9+f@P3)N zVw>kpJCG*zux?e+T`D?!UfR}i3+;;zK6j@p{E51_<9*`Ha$iQUG)Yc9=U{K)m^n)c zR!WnBCeQ-q#0{AtDV>SQ)vI|iO;z$N#0{BL+^FF=k{<)KmPCr@d(sai?-;A}gtdli z-#kCWh-3X8;f5aw&dC@P`_dSE8oNq~his6vN59?O+mwG;Rv?`a{s0wgeSP60UqY3| zKkVJWqT)3RZ8I>HP&Whk6p$mIj1@;Z=D_X^pO0a)e-&TOBoo$h>2&JaBcXg@M-u7A+W^I{T%#6O) z3dX=2-ZXJdTuqrY1wz8IpJ@z1VAchRcvV@01;QNL>{pS*Kw8^YY`|wEUcmyg1b=7& z`4cgaE*tkRoXPlu`qZtVqG=mxZYu;)r7d<=B#CPh zXyWEeL2sfYb?Bld{Lomk&m5e(WXhoUE=#bZq@Zc4q~;>JULz(_7m-EADa6Ke=bz$x z`d{s}RHJ)i-fk23s#+I8R507r2N`}!9G)2{+^3o`7(cf6C1UNT$hDtAu>EFHy2r%> zz?&$mY4%Z!3`)l9B=M~5AZ!c%;zN1mD zej9LTq($bkHLXQM+K2-O-~Eq6#8Ijz^&)HAhZm1rlC+S>=Qo z&kmBIgk^XsDi9$aiJ>)Y&YBfNp4{$Vcb(%0Gt+}$^ubIe&as46`!w+tmN?o6Fncs# z5-cHeTl+1E^N8$=ZDv!SuAe=gl8+KemBLjva+54Na>bg)Bv&9ES#g37D`9Aa!HkQ=cTICDGBGZe zv=z9pXnD^xxbW^oDriSLy*V$`MSWe{Jz7RM}eFEc0UZ9Y53EkeX;XV5995N z?VZK^&T``;z*)VRaayr2wmzQXMEjx-ZQCfP^Z{qdV~o>^eR1aaoqjBU1luQIj=kL| zcHs!+>HT-Y1N#J^FdDYET^qwh)Y+)K+Z@`FB@Nup@`LJiP~zw4EGbegFU0;n5DdLxNEt3|q7;Hyi)AejzHU zJnAvkyiSTfVl{iwH|dM@6}COd*WqWs*W<=yg;5^_qdqdWT(+sFQ7-x%gBOFcHAa14 zzlTd0^{UQ-juE~OtmAu;3Rq1r>P?49psAwBsBz$O-H39}0f?K1KP{@FB_9(^o>9-} zDyJU>%-kaklVQ~Hg45v`_2z|lyY8qm>N&f*ifz9_(BHo4IBIkfaA>3{wxf~G;w-0* zNrJakSK7#pl@iw9U}=x*Wz66hqN6%Y7E}EdoRV3=DP=b9RPiyh`!5wLDkY)nmOCk# zvhq573Zk4r7)LM+V!N?Y6}Y;j6tMo@Aw>q7Yg3odIg!DdnwA-8@E~oG!#vyW)rLCf zn$+uZ?nQvbwBmml#$r-Dz3Uz$J=`7V`VDkH8H;Yu#2Pa@j@-IZV?NZ#bS;J69E28-J+NSm~>m6NtA?d53LWCE4!<6tXAM@1aiQl$9B`gphk z&0bHgwT_>2k0vq3PLMW;5Le2ya(psHE09*L`nk>=L^`IZVH<^I8_w zO75CL*s@LG4gj}ER8eTbY`*!>imMj zi|RRbiDB1YQ&l-lURMv5T#K8XK9(`zJ(WS0DE}zV^5*qNBGHW?Rp=%twjYxd@)SCj zQ0?ifVykA_-^!FOL_U+^4%R8!@+g1O{juC8VWbbKhZuaL-( zt(dN)Dz!S0yabinM3Y2u`5WhY_IfKg<20T9-rewI?m?<6&&p{!>1Q02K|au8(S**C z%h_qV@M8~WPSXW{TkQYya?w#ht$AOd>Q2)!wV;ekzd9=W-R#Mq5sG;#qSJImqnOnw z2R;GLk&{T%THyM$$uk^`cbXolwyr#c4WiT8a~$rW+eYU!z<(Wd^$F zr%2RVP{!6b?r|QGBq(FSl+NPhOKs(m7w!Snoq)n?x(4 zZVryfIOFKKsOm~i7FXFD4+$xFfdnHsfhD@V`AQ1!niG#*hy{torpE^3{IKF%ttFRY zY3xT7!@xN?4BP!d{w@tJe?0RhO3Q2~4naumkob-*1Y79YW2vjYIE(ccmpI;h7ceZI zOiZ5`UnZIDHJ2g&k~n$)o9@1~-$8f?cF1_nIe|2jM1lwSd=9v5^?THVNapNb9yLT} z7pGjlYNi|A75D3u<88&lZ;5lp`u&HLzyj4`DUo zex0;|1e#Kd?$`ZY#rhHDtaT8#`Z=U&O{pE*LNFQk>+yE1Xb;~1vQp|Z8XV5-^zFxN#aA>3ts`uSNy~x-$I~f!}V;U+mGaJ?* z5eXnLsiQNvEOeQ5W{U9@6+XsS z=8LurMFE&1anS)317OdSs}9JDaBrM9!f#j$(Gm2kQXV=c&@E?WJLai`Pg^Hm{vSO6 zu91_RD4FWE;OGvV&AmtmhQCNJZ5R-AXLlsnF6Or49!jp)gVihW2*uSNRP!mkh@m0r zJ$NxWN^UwdsS`&O+p8piCkZG{>ziK8hj*^~_{s^BSZR&K7nl}Srj`x~&8Phr%|f13 z+CSQGnk+jgk{&R7A?b^JODW9`%^VH+>gdY%k#$!lxfVEW16K_FFWVht1Zm4us~kgp zk~Y%(7};o9s1MDrmC_OnpI=2$QF2S)zJ*@bW=Q_whwp8a%khWQtc!-|cK^=^E>0cg zZ_g8FFIN4mbL0vp`Tb9MI3xLIzFhSFd3o${K+RqxP<4`j)#cU5h*4KwF(!juPI;D4 zY(0!5e@Uajp{IRM17|Y+U_Gp#zAltZ@nb#;6Yyi%{i;UAsWW>yw_qla9A^As+H;TPDox1F{`x<56D}cgic!){99m0vH zx;YBaU+`xqs_hT{1+CGiJ4%EhMvx8+lTYl6ftx_ypUT9L%} zoL6idQ4UO;(<=q66A@MjBN}(Ee0Ot5qh7lD1 zy)yTW3I8~UGca+kQzlgszv0Y?V$G4Za@V1sBeLrrz@bmJSyZyk@9KO~&Z<{RNWAe7 z>P0gU{Us(Z8EP}zw$q3>shMD<(8wzn&TRZ3u@gjkz0kT|$IacyM;wzCz7Wg>k>#PA zm!hja6|Q^1;3on-yNV2ii=o;`=D2T0eIv6`-}qQ!ym6#*h*)AYcDPGTn2nINglI-b zCKoGv^_sg3PJBFCsLH`X4??ux=}T5@nvM5(-OIG5)z8qTwPjL1#6F7ec;EcG$q8q3 z2!~KZLAyQaAWc;D1^Yz7_V5y8gI5gMXrELiCLIuA)8?y4^ZeXb(kMPatd@CVdg5nZ ze`JX11SBX2W+D|-ha;oI5!202@ilV9GmD-V8Y5QL_{zTxc#|R|DOZyuId?(v~1(-?r)1sed(@GEHd1>E> z;$UZa({5cpq7!$2|Z2NEba0%H%!0Z_uL7V&lj-cI!RKRM2>@B&Q1ezv@ zWDfzeTSk<9cR<|EsYuhB$9B>jg2|A*`R5nYy2=yx0OsTjhRJwr%Cd2CNEe9(1A zmF&%U;Jjkdo$cj>pFfCAub%@Bjr7;G?}^FSv^5ya<#i^6I<7*@XK?6X{qd`8aE$3% z8CO}`h*mM;Cvy=swiIEZRN=Zhk-L>WFq&H^1m(^_c; z2VgA&`J;2wY00C$|1yj1ilykflfObLblq7jw$lgrd1*( z=4KD$SKFO@ozIz~r7amBn<& znYLo_x6Abh(dAQmkq}+p+G2Wga<3m?{;LFQ`8@Z&iM_bq0e=XqiN*9#4+*r1o-C#~ z&wXqP#LdN@7AN}VdkH49m}1SI)m1LM8!)S;Gfc*Fa?;Lo59c}AIcK43pXy?|V0%}w zdSZJyY1%@toBIHVMtaOVC+0Pfg-X}6=+v+Tx(;d*T_bG4Or|vt%KZ5bWYE04TqgNs zybhbub~=*GG6@Ge=8@p?%9yE&mdtGu(jwUXcuFn!Y`bQUTc`=;@H?n+jw@gBUJjXR z`i49s&Y7SsB4~aq)pr?fr0SecNBL4(F0lla&>5y6rCL%M5FYzmRvc8 zH{|ow;lM&aS~Jw)*uxm8EAfX0>RC{SllO3x7%_q3`1Z!gRZJcBKIP$zI-Dts4S!x9 zcpOl37YS62I$T-(juq_m%dWUArxCY4ODLvMB6V2VC;%~eHU2Dn8fjXi4tv&n7*8Ee zb&gdhdA&IDH!!rxofjb=e}Pxf1HI_r=a)`W|c` z-MsPL zB`v~~0%ZxM)pvnp=#CKSCEF|_%_j|{uSKr@V!8IC5)vjE%}YVDB)2`{?D1D6f8aOv zJ`^-`EfXOMEF_uSyWD5oPO?eJHL0d%A;KeFs&AoVK~;kUV^~=UI+&_(j*fAW98-%W z*S4}HMT(-2rJu-`l3uqPy6o#rfvtG*G^f(~dw=QXW`*SSJk(yC99M3+>z6QzR$~%l za^^{1v!7r;`AZL%cuYX@V16B52&~!oLs(6ay#0@nKvT()h&z~hO7Fvv(f1K-%<$aI1?x>Qyffq&;%TBa` zQ$B*#W)>;K!YZ$0uS!yGnOPAi0#xJphZI~*oU3uI z3fO(&h%u#4*-ZL!Ncg&>rm~^3!Ukil&s|beh#Zjk#^3>ozE9)k6pEKLlrOGX6Wq7D zChrB+uG}=d)Oq^K8m|^=n#eD2GoTlX+Sa-?1irA+E!#@=u6+aWJlO@ zUYRvV8Yvm~619b-iqV*e%{yHAwJO|lw(bXAB4T+z)?OK>u(Hu$vDdyn>Boyxby+#D zIQYnLk)2KjYQ?pBqpnofa8$Y2&(7B_wcbXB8@Hk;%Z6cMO`xJ`dMk^Z%jcUZ9h-KM ztoFXX)-old&$YG;SWT5Ql^^bdv`*Gly?wJ^I5YO#DDF2o;NGta`_JadZog~@y@ zRvl@KT+R08{=FW~?9KUKE_Q#hT>K88rfw0an!P#t(ptdcrB{s31}ttkKqy9TqP;o4 zQOs_X(|-e;<@=DPHG8w~Ll5Ka&2^o{+|F{=2f&$qka1eEH>dp}#fkRjoCck5*mV>* z6YvN1X~o_=_3W=4iAwCv1V3Dy?15J%ze5)Brfnz&`&d+?v?(~Yo+I=ot2w4tNUJ)(4DNC zjg>0!IEGFksu->A|fIpVx>eZ2|+9o2_nIAerNBq_u2b- z&Rg$WzPW3SA4=ZmoU?!X{QvEJ_H&-K_|xWMx@LEP$yka@rWY5dmaBGz7J7_eGM3`J zmMz7;9UDz|R4v6-N2V1UE?}K|cq2|3p8^~j>9zWCfMb8bRFoh`wa<7!B)iEG737bv zLTP?oGr+NRhu1eWTxsDZc`rXLFj*N*rHNp+IB~XqgI&pK&NdM|83;iOCQokStleXK zDnm^+JQX@=H*%qqCP7VhKSZwZz%+`TFLlk>PSj-Qu!U1io;XN(GlP*!Jjr~)Bckd#!{2L-9=w_IXDWO zO|KJ9JJh6a%;O|#vZ5;l@?1OxoYnZ#CNebfCFr}qdfg6UeG@MHlQ#X zo+D~P-nCDe&lK^Siu{s9dTTLFJ^OZIdOd=jbh7uya+PG-hOhz2Tg?WPwUEt8GHA?n zk{&i9cDgna&Z0Cv8#0J&MU@BwK37dAB}@)=^Q&u@SxTTpL<4xkgNUm7SN7bmj3rnh zdUVgroc?4EC-J6iyT6NeX$?B&|YYNV*V{C|-WDeE9{T z5?{w{U`PVz{BrPJ+s!`e;mHUPX%Lu(M29eQh#0;AX;q;ZvHfzCDOQk_sRwj~X38z1 zgWDc56Q{yH)_{GS`AWI(ClA3-{W4}4X3n47pliMv1Yf=B-&)`v3wByC$35^SHav``FTX`p%Czcg2Q=bO1Bt&mFJ6Do3PJAo;JoyAccAU2` zl`zgYB0qx06H?%ub25pAnC4=gla!~Nh;>)BJDu{cU7$nU@+NZ3>lLn*u5&(|1R%}9 z&6KVJm*x|;m{O|EBnzf-?fUBh<;JPxc!JZ>cye(oo}ic;m|PG@gX~Eu6JH|2MP|x` z-r{Q3HOXd{hZAchxg1XYVMaq%hN@rB@0(fZ?1Ys|zHO_EdLUhkrt#y4xAzX4npX#S z7J>%23<%o#WL*0D7S+$02BN&X&5e@24VJ~RuNV1wVVgFXe!a0O&*M7;N zx9=s%%_i~l#va6EiDwbjX=7eH_Z^xrdHYs%+zVB>cTq-0UJ^Bgjjd*%xfHrK4*28} zmjT3@r+3m*M>HI$DRWx(+?Z;-0yb1b6ix7uU4NL-sh-J{oKV43^_&dt%2unEW}U4> zUJQns*;VMsR&d437CCtHJ*OfHCJ7et5p9; zKv8a+JONATdv=Ro0nXr242O1}fNhU=6?=x@3AlX-9?sK%!f4pj9ayn__c&UE?r}1> z+0W`dUu1(ClVEra6RY0O2AUHEjEgN;-cUX`c3s?4h zQ8p&(iOAvjB;~KZuAgM5!Kw%Jq2oBq7eW-D@omu4+`=?)=P%3*tGEny-P2htnN#kZ z_Y1s>I*6%=Dc0VB#qcT%=bQ#OMm;p8Ja!kb7UEC9YQbr+ZEX;!3u|&3;J{-0)bem2 z#EsvBJnb#4y9WYH#%Zu_da-S4d3qgS7U2(I*lEyXzel%54=n8CTz70Zx5acv)oF14 z>F#0$KIeM$*Z5}WiVc86Bi%nmyaqZjb&@HI1 z6wAy?d1ekZ5;vkC6gdcyoV6)LMTK{`!ooF}FvWWwR8GTXFC1YcCelD+q*W=E>?YS> zXi`}gTN0^!GZ4X^Z%*W2v2$BGEc8QVnoCmXh5C$_RJ=-&8&^v{wBss6s#cC;NDY60 zTo_W5AXVdUT^>kP;7G;dyK*dkCi;Qgxx< z<0MkGqpKLe_q%=soc(JFryWwYr*o8@Fslv|qmr0i5%FdXs zu=Ylx9$K-4xf*lxwVP-yB$3o;l;O&rms+{6s}cgksKRw((1ls~sNv1;dJguNX>cWv zGzqqgiMn2rIQ_+W^=DK~f3t4-lRQpo>5ZaegH;aMsImBs2&piRd8kN(_aZ+3uQ%WP zofwH^-gO`ya*N;aOOKjaTp?~dKkO)${$qJ==c9Pn_=o3HHo zxO4!$E|-HF{FQ}s#0|GN;FIjjjsk1z%g6<+7Kq!bH-bQ2yc2Q5y}Ns+mTO;yxPv3e z)869UI~HIv#BJ+kMc=gY#IFH!@&v&!akJMo6zN04_HnL#&d=L!x}!?mb}gG;ti8Rn zJb3(4+T{YrXTM2k($>tso6Wp>`S&Jo~yw0FAJub_VE-cTc$4HXI^c)Zb z&`1;s?$kxT0AXTO;jF8u3JDng=BVPg6l3j@T~pGfS1#GN6Gd9Pbl*zk6;J7=jih^( z-G^A@p2w$6L`G#Ha5V_yMG|;9lZFXoR8m~6+yIfcH4?!l_ox))HC;r8abXtxuwqM6 z7!W4OmkX1_B=YhsC2h>UtJ*|y`4Fg!zg5GZoumNlIvL{{USo!p(1`YCX1+kRpK_m*{Xm1jd zq&FJ5%?JAI29&YzHs7-y*U+p&F6=#%u<&*dQ2<>q*oxj0T{Cu(g|}zW!l{KfP!^{@ zSsobx)bPCwRkQG}nOU>&uD*I^_8OYyLjgreLbCASW}eqoUfKkl<@f`VFqOCO%DtZT zr@76$_m>vNT6o9k8k#d(fOGs8gwu|NcVwr>NfsX7Rp`YDz+=EUw4HF;vG5Mxxxg%-}4A_#h4h-)BkeH`ABUgQE+3#Q1WB|)IBGRYLd_lDMYm+KZm+@af$r)T<< z>?%`#nro&lcLkV?DKdCjF*dc_b30)6E+v?ZDU!ax+{_f|8-2obN7WSB^Txj`mLu?N z=*cJGXulh9Xrv?h2@qz`Rf22Tj4+sV2CZa26%Ol#a4)eoG?iw9q`Gi1Idr#73Ol=B zQ%qn}xH!fqR!xka1^>Pw-L7%sNlTyHgkjW-Vt}Dq}lN8@0K9(u*ylR&iR#@$maC{=w<|;_b zrO+r+TQZ3Tk}a{=YG{)a;0A)!Mh1e&LVcn!lG?1=|E`u3O*Ck|4h*hf>cS_LfQE>QOOpn0vC!uprn5!cS!Wp=8J&9dP`Y*J^&v7cd+nuN_V zK1!iJ!2~I`J=8s8H`y#l?zC`fvuytJqIX7l@Q1sw%in?=fU4On*I#pWHPq*tYi7;L zRchls0Y%wFvRU@fsnoocz*%<}^0XJmzGO`kb3?{>~qF;&8Fp{JXB=Ag<0FKmH`{HXHyH zy6FFO`+mkiA!EJ54njnR+;C|)GnMXnJb!$_qGdB>UM|0cY{z$A7*Z1DmDr{)#6&6f z99V+Mql}mo34G1Tk-Rfx6R3lSRo9;)4DYTOD~y%?JRd($7Msc<%&8ElA?eFj1GWSg1F9O1fXZzvkulDw{Xrnz(K{?Ddmz^fi*OO zT)=9BjCY`#RZxjE>3L$Z_u^D{vZM+&eA!nW7555Rb3izJk|A`9wKrd$Q_;qcThA<1 zAX!b&M3izR!HQ%Bam3UcN~WyezZ(H0sls+*O$?rpO-^wJNNR}0yEt1iO-wb2Vo5cG z*l~VmfYc4XDw($RiNpe}tFCFOytJ>?Q?o&aR5q1Fz0E@E8>N1hU=FT=8DdKM+C^JL z)JY6hbx358W{8k;YtT6B#0^qsop@yO?Fak9=;lofs|@NO$jU5ZeUNdb^ymAI?1kg9_w_{$Akti6EE&XV57Qz^FsZvXDnW(CZ!&OP&=2G78su=q`a zbuM^^Zovs8vKW53YsMa8oyS&MIAxv7%Hqr)l|#z_b*7i0>Z~&p3w8DEY%J8C)d59! zDaShTDThm|fU^OAuuFAieOUFUxwaemv4yd$bJ5gdPj}gOKX6v8A)Izt=fDFVC$Y|D zUE$r*MeBjH@h61S4(nX-&R#nfEbAP98xd__oo8O(i@^B}fWm0_YG9pmt}54MGN%j^ z!#ZN)i{{~V<1YrUluaX=7CqngIgR$7_Yx5$zq_oXo_q3&rF%srcak?!#Yh~vWc(2e zHsq9?*~~%m>zm&Z$~=i^QX|7IC2#Ovo5wj?8J<;GrPKl`bbjFP2clL4HH|f)@*(QU zRGQ`as(x_}K5$Nwoknmd#VEvWe;s++TNrkq4KNw{dS+U2 zc51ozG+++BNiZ4u+Sf9D-EjO_(;Zd%dIooYt{Cem&pz`kmZ5WiLnHm)LSJk1Rv9dI z!&+c744pKE%}pq}$A#^?=XoDZVg25b7t7X_+@@x`@}aytSMZpYw7cO%b9m#O37qML1&DLn3DY#1B+6eMk;NylG}i(5fORfkLS)Hh(241Y~HE zBf!LpLO018Ck3-DocOL(L$W2p3Mv+TUy_z>ck{|zD#5jF-eW>IXNT5^OeG#)`yYkcgeDiInn#Jef|} z%rwXY35*a)?lWvpF{ht1{6la@YFyW`AQEBGH{RL8*%PgWNFoB zflj(-ks_sM)mM8=b|2Ag1(~Qpa`M>7bEmVqfQ-)i%;;>NiO%}W=*-WO&hdhzP#sQE zoogvZ=a?4Vlp2f8ByVmATt_T+0wKxzZk}eRD$#3x$n9~NM{+nxXQ}D2qcLn%Y6-w2|NQhnMYOhd97`GJ01KB;?{zhzr z{t7KC?Qe4PK&VxWh4idU)>3%$#FGR48HcN+60y)kGH@h`Hylli28?hbc?nEOQh31o zxqB4xv>1%T^c@Jolcb0zKO>%NV6;1I9cmdAwcQbOe?EBc@mxcFsD8OMf8*!@vv^g^ znf-WeU>Cku_1uB3^3(!k#OjqdXJXr5E{zsUu^e3gDGTS!neDhXx2qgI0j$ON6R=t^ zXL`>Dfx2foa|SPB_ML{fJ#QjUd*;lkivcEM&Mcpf?|7Hn&H?7&y9C4LjQubb{Plkk zHyHak*FHN}zhJtfYR=5tIjvZ@wzC{RaS-oTTml>#>G&UuJ;T#YmS-W*&K;llsf2pK zeH)#p#`ES`q%9=WGr3_w(6SOhZ*Q>s9M1sJO5FXbvv6A`v>}e%m8PXbBRnL|M@#cE zB*NuY0!~hg8!vs5%Q>E1eJr*vX1=hqah#Q43s)B{t$@GoDS-<$mS(mW%p_NKzRAhH z3XR6=V|5%QG%|O_WR%DV(YnYXO0rfk_%yXy^)ix;dMYLdqE*Z{ zTt@PQ;*8H30q<1{%p5K?f{TM&`^irYvTI#G`ngemf5cCY`U@m}c2olUb2YFwB&w*b zkp_#gf$3}~>6@k-O+Ov-mG@F~UR83rQ>GS1o>=U0EM#k=`ZpM3uDan$CoPZ@mmf{7 z>G2T+yTM`>luEm~)eQGv#rDA1j>~)12yUfqClE4WP11;I)Z!CJj!7T2A1098Oy>#H zwISWC&b2doOuUD@1J%a50@YRztc}KhBi(2>X`7xdoigjVnVMB;f}7^CuZ)2Xq9uC^ zLq%K1p}Vo076#c$lYA{+J??F`z}BXn%1m`MD*45kw`yL7wU27bCEpo&Ko}&6Kh=viwp0z%5(9f zvZB@r?sr)GmZEbhySEh6(n%4x0uqch0S`n|o{M9W!Gm{PQrIYyGLAV)yh9qSn2^ci z?v$f_U(7-45_|3h;WEtTRmbDlHlt{Z=p((uVC2dbGFTf7p!fQ z@tF=Cd;uq`&m$Mino0Of*Y?vJX~6|rth=py#y;|y?mKDW)Mt9}&x^4?D%Ttb)W{)* zs{2f@uU+JJ)zzQP`b-y&1r)VElg|`izQOkvE}R0+O8jZpXZl+UV|}J8rWVJ$%i%M? zIs7)^wBs{f{5y}6e5PyYjkMACfU^*P+Vq+B?tjtPxz1;LW)0r5!5eAg+g`*=gO>n> z(J(M25lk31baq7sqH^dktjUk!GBR`aIhif{XE`?(a40MJSx9`i$|s8M$E*hp&C^HcHo1RQRTYDNKMZ=2Mn?&b^vgTpUKv9*g;4&GXb zo@)(DZWlbFukIv+lN9Oc&wJqLa7Y(LUV`*zyvIY%k%H$={!K9t@kjKm#b2>^^)xG{ zN}Le`%C870KV#Wyqmc;P3KQlF%|;n)2?;|`wSupX+Df0WF1bZ=@%F=JVpRNbJMQQ# z4u7>=_tV3OSUrjvgqe}|$1#cNY3h$V`GkdY{Ce+k+D6=d+Hy$7`XkAX zo+W)M4hXDtyzojfu(Y0obh(N!vM@y@)e=Y-#?Tsn^sl6uI0}p5oEo!Zv!G?8Y3?0R zv(;zVEfjQvD%j}KZnCAmw=V&05$cmPnx z`xvTDa%W#(eT8Y()iY=3Dz#xKpy;BWNbXwt&QI^pfwOTF^0arzvgwx=#**Ai-Nlyf za^WMux%dmhX@}&ldBWo)l8Z|VSHmuN3^?=gr%jSO|MpkR=HW>0;RW5rvV9%p`45jG z-gg(EFdE+UpHyV}Ql(zuDYFSsip0FaRH)H3JS1l4bLIt1!1jU|h^TPAym~4oQzE31 zMO#xem6DTZ-2p;UUI8aAeLhKuF4K0s&wx*$BM?4j-1ECUOXbsi*(k`OkRS1IRenZx zA6M3x=Wiy~@nzMu3x*NJdn?s?_)Ft<#EA z-|H-UKl~MHbr0asNN;7Xjc^gL-~r+p*9jiRX`^u3hF?k~QkeGb6vByrMULwUQ`q=# zunVTH9{&2?W|Cz8hfnz*dS3f@OLs}g4H*p_iZla-l12WWtD3O`j7K|>apCsDhf-Bc zNfT>K@8rll32Tt(VBMqMwHN5El&ElQdn}PE3LTz^Hr(oh5_?I9g3GMgC)lFzn-9TgIcoYG;!IjhsvTy*lLYq*Xec7!&pAKrY4gp5+L zUYZU+tEo9n$%A;cb4{vhHkgGXL28qek;C?_VNYCIl~8T;TsdezS;c&$dR)_znAGWR za!51C+~WVI%x<}o%%WO@;iAn}T^gH@9T{`9G&)-`O@^j*QvCYrm74;Z-NawnlC9TP zCE4QAvJ;AN&1}TvZQR{YT4s>3aS!Yo!99HV6G*`%Y~0~96#O1c*5cw=*Ng*X@SMFGs=M%0d-+FL)C2D&t6>%e!ptwHQB2L2VV;)%HEQVyR)lU3p4sxz*&Mn zZL+uFlNQF>xErPxBM5#U1|CY~IRD7~S<%=+?YEXzZ4VJG8 zt=X@~^Y$w%F56#hBH7Z(CX^rXKtz6WL&&dq9wR@a9OWW0S%1fLGWW7=7Bhr)__WkY zTO(@1tsRU?(-B58{qxg&cx|&pWuk4W4M}Ym%u|*K|Ap=GYHkt|dQ`H7w#wN>V?TM# zjQEO~x(gB02mhg5c*kq_Le5@H4Gj5-E?RGTKr{R^i{`Ae#emKR%H2AjFMtM4tAn)J@w1OvXyRI4uNB_ih2qs$URH=71*Mv)=50 zX4MO?o8G8eslBfO?T*fJ>BFzXqqhTaXrv|G5-^=?P>fkMf7}60I%OdG?v^E*F+$

Xk4;dsDla zA?s{TIg-)FQS01IHfy%?>Mt6(=&CGkGWdPNxp$DgQ1=e9FI6+dqngvU!$&chqcaYV-8{d9nMC z%7q^QYX92|^~o>J`Q{gJYVgmW`MWRud#z%RrOf!s+lvhcf_1r7(kQ?B$H== z-j5x+brfe|y~xwv`@Z8pv@q7>SwMHh?D{@%h87V{J0{PWJ3US^d4|Y@8(0RM{kIcN zJ0?%>@i$E0IFskpcvrD&Z%29Rg*Wg?v%3I=!Ej55TmLi03>^TuOju+>+?7U#)s2vt zqe^4xv8AyD*RwuS1zuP|~(N%9#0z$+2gCXR+_UmivZI z;LAmCVrXK>wHFk&=y?n0Y!1And0|R<>RDhd!=HfFg3WR4ND!zCO|m)0rxly0mc1`P z+=he5)80a}=CuHmu{q{V4|mS2dIc~Wj}lDA=2)yJW6f-ig&&+W-BGnU#_q){p{qK} z`6DNBw0|6MXrzCwnH-LnJCh?B4Rw91;_OPkxEH%O-JtlNQ!Mce-}9f zNVTZ-Wa+d0MiKm)U^|Z9)RPnsANo{Mcny@{fzKYfvm6LXD#)2^dd41hb9oO}M%vDr zduFuAX{2PcJ>lVPSF0ju{M6#2zR1emeqJ3wu3e>4sjaC}(mPdM(RI=ws2#Nx4?)Dh zNrD*Ss#B6}2rgAadx2I2Es$E6I^J3kslt*w0qcB7kEk-T5~RxH${PJm1Irvr27qe< zEmXA@U3+A5i3YASG+%XsNjqhyht!Y(xlvt{9FGFyTbQf#`=HRBMOEeAGO zI5k^V{cpvRPnK(b0;rv<7^-$ubN$TORl8-@%>3P!3pWK6r4z|+!CjE2r<7+m0;dmu z+H_%#ZLu)cZrRaYtn4liZ3fQapA$}7cFT5;lk67UR=){u(no=_eJkO#W4D}r|CAjI zAgOwz`mO^&dZeS=eCibJmK}h?Xn58i)r2Dp+NCo7MgJ(B!2ly2kdOz1X|{VFR{nZK zUK=NRhJe>RxBMMF^`;r} z6~k%Xs?K8mobv38Z+4YOZbe3n`SuK_Rc9=mGn{bO{P8K}(zk%Mhijk@1?u&pKexG16hSR#14X3f!-ZI@$ zHJpz0Pc24Y?I>3~_ZHp}nh%xGA^n{bTTV42Nams1LGtliHIsNw32zN%O)VxdIa?z| z)7@Ig3O{$-a^>J9%##$?C?3niFHqJKW`m*sOe7=&D4Tz9&-Xmv_yre_lQaP7OXS8q zu7a5Z4Mz(lx=QjVo6@=KZ9t)K{SZ)SmM$+Z7#k*$8hwZ z`$BmgN_}LTpaLCVLlQbxH#LcqTedCGt+%kNEL&=+a1JqY)>M5qstlEsF_`4oI>z#8 z5SwleEty+U`_I}boFSBh?_lL}HWa8Pgx15Azf+YzRe6d5Oaj6TlxM zH|96abEXW+G9t%P=dO=9A+>sL$$QMn9b$=9&`gMk5S#dgAGQEf7;#M2pqZEsvg02y zyU}N<`qtN+-bF{{nX)SJB35O*)d|Q*poc^X34lRW7B>-8GbKp>O1`Y<&`6bhu@Zkz zpC>h{kxabnjV>@xdGXAxKZ8%6F=MX6=r+F9QEdD#<=(+Fi1v63gA;?!MBjXC&YZ7( zJLttW$(7Atk6!VNMRSA>x3A+JkHDWC-2D>BY&Z<@y%^v*{4QFrl+w2`bX-(e`n!H|D)~*7Qb|(4AX0typoP zqn!8nSsaZH0}hS!9pQ6+9@pqvN~WPGd${nul*}Vb(p~sN^0*O28mGV?nXJ6SGM$M2 zciG<4j%d6|L4?k9PgEv;Q#ihOVDZdr!aM;){Xludf#^;MoNxU4xO1lfXyUr*vgB?)coH<=w^3 zLmg%R{&NVoUjitMhJ*f69<{u^H!%9kZjfy^eI>^|;>E`ojoz=%Rgcd(IKqDPHTiPSoK7ZFe>M;SzH}kg&0oetL;lN zbXMaas>0AXU(doWyFu!P7o|uVN0Di2=z8XCx|tA*)?Xn*6d^0IE@>_k*HQ9B82M>n zbY)~5{TV^@H}hEi$>Q~Al&`;I9scvbeq+vD%SRamoi6pKjNE|oD9Z99!{kGMR>p!< zi*%-8AWuv&c@%bzFn~p5K}!qC&sV zz1C4|yP-Vz@Nc`ydFQZ}V2zmI9qp#E@0<5qFvq?T`@R|r`CcHcz@LEB0{fo#Vi1^N z-zU3^0er0N0K^@B4td)9bmz#g0!)T|uby5komTFA2{8K)6HJDEkLqRN&Di&eciuCd zQDxuzzCXR#vaGY*KKvfSUS0(p8fkO=aw48FLO@*@dtzsveWk;7VmLR{mUfZm*tl@I zbc$MWrfM*Ss%t?4dB3oeGRde(Sjhgta+GuFOy^! z$DXZP1%TFcHHcsm^b9t3?m|0Rfhs*|QqsbyN|{t%xg;exYh^8P)pVB_rATEW!%`ps zc{OaPwk|D#6+E)GC@s&DXibxP1;_@Gvc3k+a&c9dsW|k>a@#UM4cy95^%&;b z)kN2P_PT3wb=rS#0MR8qQGI;lX8~CLD!}Zy8+qDusO(;6VJy`@N?XU;HNfe+k8s+d z`uzhQCsF;CUB%L_@@zkFR^U&YRDW#jeLEDuO*9tZ_*hqQVP{8q^tJbKv&RE~!eIFC zZUv-~=NCnuGX5DagN;ZFm8cLFnp{2i=UuOiDvORwb+_T$S~hQvj|j11o4g$ zh&%Qxu)X3El*=iTTQBTqJ*O@Uj$@hO z>_>~vTkMPa+{Uq5w=4~FRl{!0bw&n8+2CXzd#qr}c1~fI0`C}rBLH@H_R@3sN*0n^ zQnvX-QuE4)Uc_ibFW(D}$XR)4NV8^2YX#mBAA2{jxmS``1u5aevOgP}Ecsfi4Bl}g z(Vr{}v&`Ba4+PI7xxR&4)bcJFO^L5odpD(MgQiE+y9UZPq^Faq6j3}=%C}A>R6BJ5 z%oaE9oIuwuvY|u@7{{b#?rtPfK(~~sC=(c`b>&O4j5lXqIrWm_sIOBmjuvSw5#{>X z^Nv6I zXiH(TA+kw#eO|Nl#gzC{ZEVV$esMI(m%)_%MI%9?(acAshA@vWQsAjZkwjYpmDg>y z8kx$i7@H?uOcLoeH57VJZX6*!YnjE#i`CSBeSn46>e1jaZ527%zUahyhdAvEpNYk$IYHr-4fWCPUhB<^1^6a?N?bZ1^p~ zWJvow4U%m}+7CW5zx#?mzWh(F{n*q${F9z4X+=XaMEKL8wh6Z`@qN#6Yvfq=V8E zcaBRWH!(I{*?+5<(p`WlJH84o*$sst)@POi_24=$c#`59r#Vita(IE0E(*aU@|KfN zao)tRx=4{g=_?DOBvpfC<5&?smDH!O3aM@!Gm;C97`>gyPi@X4AeEMI4=IsSOka=< zAXTdhRp zv@{V6-3G%FjnrbvdN$XL&BU0dNtG6vu6aahY5{5VdhJsgQ-}1>)jsd6UiO?_1~YuO zZ$DPRW6vTNR=`Q{-BqVQ5dw_^eJ!@!-#uf5`0jz@7Ebx@g8#Kx{K>NaSAg1efT8Mv zDYI&q3|@WhHCe(t_UnM6TU8>wy*>QWOcf?INY`yiTxvh8U=3cWUy13IeqhV`T*s{ct_^CNJ&b48mw4Z4rwlro;t_YqI8>>BJ@|bxXuIs2i z=GE9gu6_m4ry4>`D;!9;Nq=%VuD#04e^}#reAdxLrHwh4()Er5JBV{6#D|0Gi@uD#fsIP#nyi+4=lg6yByz%`Hgwo-rIM3 zH(EGnSm5ou%~Q&;2Y|H#e*#tuhQ+p_AW&E9WLV%d-~cZ4AB4Em4gb;vhKh+hafdG*qElL{&s58mvQui9=D=iriUtI>TRKGn4u#V%CS z>Ej9FGq&{H)RUO7E9e`NT*@guHDj%M6w{D$n&zr!ZTMQBXUIlR^oLN=@XA`x-BVjR zCZe@dy4oHS3Hud;)z~iLcuwaSLfm6hD#>`ZQANC{tmniRUZ zg?&+4h9-ojIGm3f$Aex_fxca6XotfS(NdDN;nV#sRDYEt<4iM37nz|=FS7Tw}wqsp0 zj&VrPdlt@GStFk)kDdk8niC9Fx3aFT-w!f-cJ?aw-VXwb?%T=A8l6&Xol^E+1kT>~ zk*B?5h5g@MXke_BwXeItk@}Gjfpc)2aN4o5mfz-al9jcft2jTUym;%v?s7H$v}t8+ zIeeSp2hPeG{eE|G=$Vf41Sd4_q*PDi&K zh80n+_BOo@nR3?pja*doPifg!J&QOonI-Woi~Q zptFvTT;-szsW3zJtjQZ8@%%(q>G<-c{ETYK8Dt1k4MF4SG&US!$PH&HQd1vAagrm7 z)73|MH$=F zG9$QRa4fi|vsgQ)y!g-}ENHJ`sACA5=ybzNzIx-_7S1si@3Uae+(7WrAzb$HG?2FJ zK`tP*U~ZgyAqdoEE14TO$Jjl!T(KYGHa?3y?VV$684fTRb7RN!;{4Qd%VEIme34)> z=0eo#8&bk`1z8=E;ya=e?KQK`&8y98Zb`&EbNo)k}3UAyftjpA+Qyh*lmgWWfsNw%Y- z*waz&d*BB+`X4|pY?;<1oA$Li|Igg7f9C28H7e!}(y3Q4uZp9$ch5LZ_SpQb7EA51 z9e-9Vzr5T(1e~#-F;3kcn>Ewl*Ld}3X3e@Ld(ZsgUj`HYZ>L`!Av81~kdKyp|3U5ped;GuL^snEZ zla9P%SPpIfl_cR+P9E=&>|Q^o!ZO2kJ=8cAoMn5JLs^=inkd<`@e zV0^;iXiXMR%P68zrk=>^xmRtISj|3H&Z6{5$~2(_ZsuUyK*V=G6-tGFNsFmm&L?eJ zwLBA;lUMD0Rjwj76_*^YzKqId9BGM;CnaOU8H2kn$rQWs<~e-dhkXS|2a(hKJE6Y` zLo`x3u~JZq7vQWgE!DJToln5jL`O#)pVDNekGT3h?|a+a@C!bTP!S;)ER)a85t}ZGht_D&gh?fUJKdPKO;HJ$jlgHowp;;y?M*q@VJBwxiwH!bC z!|w9HQe?zB*}&+(>EBu~`iIV0FlY21><)|n^0PqN_6{SpV)S1O0(EapM*lgyz|>u? zKM!$7ev3S5?~`M|k5TZV>?`SMu93FPUkaFv(ZBt&;(T|x;{(9#yhJd(*V?ax7i-k$ zw~uo;9Fx zm`2RLl-@36H0@>*N*=#zS+xt9M{ypcR6o@J_k$lNM0GmLP&2~@ycaNay~??3N^z( zcILoPgxA_afs*KH8^Xt%;Mrw`M=OtSvd_|StRGshwOH&_no9AGOuiZvbOwg;AVmkaPG&_{84^~gUm zB8#EDbh&hJW)({|cg+|j@7JlV7D&Bchp#ABf4m&{1wi)wj6v$&ui3L|-mjV0gj4r(6)xsmY?mC)%HHM1l5pOyJzKkq1Nd4=-`E}9 z<(|EO!Z=uFykC){8>d%z!Xd`Vgut_Cxu$1n^W<1QBSI;yN#W2w2x6l-$k9i1T<)J_ zVy}$`Trz3Eq=PizB-NmnVh*okTJ#pAb9#gs1Opq#@)ZO%=A)w}B@?Q8hN?l?ycNwA zM;QN96?0{cmRzBzkaP}f0u4>ZTy;E%mI`7*yt}Jl+IUHWhq1szozfRO~!hu zXrocCk&-NK(a=UoU)75nP+OmWR?1%4^I-laoe+4zBUbhm0nFC-7e z`RpiV3C}qCEp1^5Mt8M{qrXitbem{H!nwiZQIhqa>2gLBMiOOy0Xly=hNtIKAyH#b zV)Z%V-6ljQT8IV;c``|Ee4%rVON@hF!k+F&A##zh(3znoq%v2~#L1voZY5m$zFi3` z4z828brz%lt=urWyt~}65*e`+8V8pjFD*E@&V69PoP%p8Zal}^xxWL_sf&!%f`jWq z@11u0OAapFczzt`OCLhq3jA@~U)+_*!IchwGtK{-G4oXl-a#o4$AA9+#41G47xnb^n^9!9%rwca37o775~0Xlhc%|@^+he`4zx?-YQ zOMNCGPKq>b0?GIhWKX6&1m>d+usG)OV0*37#8e&cr&UNH{vulmO-9vBC!DlI7(R9?RjN$kAvgJM3^S z)fYwsn{;23u=|BAKg|+Et{|5nj454JJf;nTk}UrHR2VCwQ$yV#=BoDtiQ# z(}rSyS{k%Yz7*jt0&A*3rBcnHtcV;BJ^6&?hZ*P9_|CiFw7{R1omV3d(FI+>7ge0Y zmo!e0^XlO97D$~}2mY+sb$PjNKR}i|$sl#-RrSIGgl^5eKKm-oz>5JTXHt zz@d?=Vnb(?&~T2bG}5~<5Un9K%Q;l3q2U~$uI$;F_j8at$Sn z%TcZxBOFtWpF%W~rIHG8_2iL;x|r`a@R!%nHq=Y*{$49QT>M3uM3%hngHeH+@t`na zLME9JOj@i8#2Y<~y1-#QQYEDoLJg?>sK>`&d7{INe=ty#p|Nmk|uF z(a!hL`WrnP&fH^qqw4!OvubM5e;A(#dhH&Z&a46)8tEOqnM}^>!+U}lJ!;2?ivz^s zw0RJXqL_c{2IP}zQEXM3r#xL z7pF#QCE|Rck7Vf*6;hLC3kf7KODQXLZm}$n50E=4ujiI=1i-^0qpFz_q7RJ~ktdB7 z#7tIDXv^F}H~&LBwKBAE5@ehzIEIl#Mf5J1*qy2Q|8CYO(WLejYlSCU={GiXw zVWo|0t|-PXFOS|9LJsF42SDny@v6!PbwL}ix;lI2d2wk#(Si^tSsB;OtpOICX+pfS%T$=6YxIJsu~~#(^nCAMWj137nPq z(sWtTw~8 z!qWEN+gU9Ar*hGcS7XY*fborS+ul7-$G2O!DotB9rCh%aSO*?OE?~7l(=O}^0(G@Y zH0=xw?yhq04v6c;AIxrvSddesNyT9A3osd));GO4izBM10JD2H!DMJ!>leswdt;61 zjw(&t`^#y?=DRw}T^rUQ275o?&`8hfXTj2Rq>(73!LqcJ1;dE$5|UjoLjZ1YQ`}Ii zDjhQ~1rp)#1(_|S{njDLF3oXI(N&(bR3_P^IABE*SY9=dOw*jAHC73K(?={>Jwvfo zG?c|YR-H^_ZwT7%+5A5@yah?rHZEGEJPEX-Ovz%u^Ot zaqdOQCWRL-8F=xHRsqiGTRSo#_nrU=S!E!1l$k0GZ)NN?&enSUi0KNJKSp#1o6RM< zfI)I=NE^6!xzjtPL`qG3o^R6NA2x};RfBt2?ksXp*K<2?EBF_YT?65*=9niP*rM5G z{$P++XMx0Kn>U#;b|w~LwDgrD|Fu-WSIvKuBd@0@C+MO^a#}Y~Ew!2~eNlwFaa!Zh zeO;+V6jDaC-r#h-ww{|lu0uj_Z^i@q&Es#|s-#smA@=-*i8-%#KHI{Bukd#UX1?P-Ce2WDI-tM-d zxui*@)2^nA7&h|g%W-Qouw>_wW&ulKD$O@G!6tfUwj`;#U|tsoiuF9%KE6&D zKeq>pcw&vRC$JMuB%8Nss+=ajR%?4@va8VC^wENj_efXe7XKtp%jVZfC((>8SF*tNZF>ragWIaIo?qiVL2cJIimviTSVa`8)=I_4rm!J9T z;1`^gtIWm+1BM#f$t{Sxpx1PkM}7vBCHMnFyMAt5w0xSp_+blU-GY1QBdQl40?wsD z!l^p|15W*Et~$pb@i@sXxM)hT02fXE0yx7%gpQ8ex>&DjFF#z9{e(&k* zqqt}v7l9lcUfW%6dK6F?1bK^wb5GMW5L>Q?jEC4# z;A=NgKz7q|q0a0Ot0*y{>e>)VL#i05UoRQ7;4c+q3aX0ra|NY%I-}}T-EeYxvEh!+ za`QVsMm*H}fI}l)(Az9&#>xe`;?KcBS_l0qCpzAq=Dp;YKWpK8+E2umwQukY0D;)h~hIe zyL7S?NIk%Twk8fl+Bl7Caa-6{&^iJ!`jNR0n>UHH4o_DT1(K9(8C%szM>A5zNhu;a zh1SUJEo*;b_m+%}x23 z<>mN80NJyiLF&OD*VKbQX3n}MSDn*a0*dbZ$;vy~QJlfs`@aCrr6J^LFZg5ob_-*z zyrHh5x2xRpC~&rJC7ilF7Z^tUX|6g8pYS-z%EJrqxbf@A4&W@oAJnIA&jpOpqRq}`NVNYrW}~K$n1E{A3BOT66@V*y7UiQl zV$6ju%)vmGACaWXPhK+BkxRC;_--XDxIR|QPsi9+6LlL4f0@mg;LEl5@`Y8FzA0=< zkiS>%%5VH7g1`Tl8*iSQ0VI)>Xo0x8xiPn9-+D9VDkjDPyjr~fA2DCo<1-d-VQ^y5 zwPRu|dftLL6Jrpo)Rgkzejr_Z7P)}bf{C&6r65ojnq*>}>Ml-qmGfSJxD5x9r@gq1 zqay((V`2*+y=Ya4TF*lkn2~t4p4lYoejY{`|)geS)R|fGCCAO0|j0@mp>2;-LqfN&P zPJnEwY(~V850+)2TbCjNgK|9&HKxy&pvnE(;F-~?ftg{vKQp4jxninFw zk}J`8mrDkf=$ziDW-bjDF9N-NFk45iE0X3!P#RNIO3TPfJiMudi4j6WW_Pz2?Sh)& z)kBA{md?W;+HhLo)rVfcJbXMj(B$IcysjBz#H*LQZh@3n@4lkgb9uS*ReA~# z7cKMZRquG5#H-JB7Uw$4Gh@K%$DcNN_1={m%(m)y_2BJzyYR;y<=~84*4_^v;-NzBV`=1w8)qzHqyGf1i7%)=P!?YnYfkp>&eY7_GCh)v+-1t$&}ImVh& zU9%c+?}T2XvdC;+DdgJa7RF2Se`cmch4vr01+Vu0W4U|`bK=Z8%pJ^$_5!v~eb2%< z;*T$7f%tE_^=DYRdXWoQEfD|y9|nQC5+>r0JB4tzFnSxrEyf?L9QE6S!U|P?nro)< z6#*tg{BftyqN(Mn+W~WKDZyljf9vnnjo5eM#pLb|lG5A(TIq$uV_)Nx1z@d@e z)c5MrRON+AxLiJBo5x*KR-S~?R5JN>CkCC0q!*M~{>e-s((xpu9`@Z-j7TJR_U$db zQODz5>Tmtop5tRS|F4b*6~N0_8c^3` zB#45|MAp>?JezBlqCij@iUtvGsD*Nij7_l~T!K+5-4 zTv7CX9APp5Idmt3)cM}^*VZl$opo)N@AdZw6kX*K-@DjR%6-M6+SQtA_zkyJYFup#p`7{vN;ZDZauGGe+Mk*s< zv70+IBCUy;wy4VOIhOZElTSJG5+O77^!3&dKNEjNHXMI(BxUGo@e7c7LN%2q1oFjj zYXp_G21F`u<#C1L6Ezwtq&74JBx~iF+;Z+<&5-DfITQ64gU4zE785F}0W`SgBG6)E z3q^fD2U2aG(ngtE-%boaWY&WU**%Jn!e07XIsVi`FaY1f!hr>$J+gc3H4Ep+?k;@N zWlGuiDzJ8qAQ!M&AiKjSgFxK|9N9&L%i-4{Za)6FZ9qb1ik8Xl=`#T)Lw0vwR_vTw z_P+_3fl~y-!tJME%mteEajrWy{BX1Bjw;zb|G;I%nZC|)-I<@`jmWcrLnHOqz1-Eg zC9KbTx#LozuIj)E#Z}GgL~Tv8=krQy*~<(bbb}2%F)ITv9D&scmr1@+;cI`Wxm^mRy+Vt`Ic_OvpvZRWOLj+)leZ5ZYj;ea^JOCt zL3A}QAyCUkB%b*K<=&pNeq;}2l~4epol&YM-R@O7i3mx=*t_IstCeE$6{Vh8I;)XV z(g0FY@;7a-NUZCMwk|<(PFR&Rer+~whIBIFdh_?9o#@wk+ewK@shTTP>(P(c45?W2 zN~8(K+nEe|7cSR)T)1gBnT7!V6&qtEZ@Fu7Dz4MMgO6g_wn+`7J&3U$RKsg_v%ap z(d?|{JN8&WQOc7n-|>!OL1(#sJ8(|^5_znDPi$OIdE{x1ii|vIVXWnQq^nrlRc_r0 zoNbR2PCJ(G?!6u-S-$J06f38c7oGynM*Km2lI1I!hx*i?=IXQKy@w68a+dGFPrHf% zTpx4r&4+Q_`aVEm9Q=SzI+zH7DzR@zEXH`y;f)*S_v~oQW()>F#uXj7MI}E8sTdB# z;Vb!A0WvfyuWp1-Ub64%Q-8x>&SaTYqo5+NA#l$FdHalGlVmACak5Y1Sw^&EB*Ky^ zsz2ydLVmGTB)?dw{E9;5XB4VVGm@Hqk=S4$iQhqAP*6Kfw57fXjVBKXiJM&>#Wsv* z5$e=xu0f^_>_p1F&LhU4*H1^lRnD=ZEmA$y<;SBk(^4Ld^rvM1Ko2 zZsE$l&2L&nXKn57E;dgokDLVDJp7@B@BjMNfB)7^|Msn(?$6)&&2P`i&7lKlgFsz+ zoV9fk7SLM|clb2&*rjLk*4Ckm0VZQ@ZMm!%np*b#7BH*N5lqI~I;Js2&8)5QA3S1u zq-t%=dj~H`+}>G^T-*Xz;w8YLPu|kIU@9wvP!xNzpjl{Ene9I9s~qVbjVH}dW5^mz zu7GUyRl_2iNrHrRd`hB}K1f(by+mjW}ZCDG>uhL=@U+VQfMl zq#nRkO0Fcxk5r{zvegzy5)kaPuBF2jTCZdT*s~R0x+KM(tq5sit?XL?+*s-Jj;$whc>Vu|2osV`=!vNv3mD!ThvrG`hz1&OXx3Ts9cf zQ31_DkGQ(}EP~YPN!Ned5ECM%QZeg|PeA6xfT0>udF8IA1nIAR!OfW!olcB&w8TpM zeF&Aes>L?>oIgI`ML)*~m%aR`8Q&FByBIeYte#U2?0OVur0-%PV1T!GesJMe7S1tR ze1Hp=Q15vKSZ9tR7qD75KUn%k5U9&qVzj5Hg-^eqeHG$X;g4I^CeLV(oenS=MvEx< z`BTe-zXr_634&qa_Kn-(oHAPbIM*H9$9`$LqsnOa?wD3Anb%p)-~G$(a&QcAXrv1o zEF+c$y^BkRoDdgFYHhB_AL^V;H|!fKONiNUBN?!i#qO#4Ssx3?!4mOps^dOF8&%oB7;mLOW6q!}yBkluIXR&Z~TI;lw%Pfd{(4;$)@ z;5>Dru4J=S(S~nOLdrOGq9hkgS#q9CK1qr&VIhTH`eX+ z7Re0nCaJV#up8;1N2j^CNkknhP^T7jjK^A%t&wyALY0lyl~rN3Zj)KG>O{6!t(D{! z2r#Yc+XS<9F`<27>udX_@sgCu*1EwUX%*QO&mT!`T(RBow2X6L*PYuDjEO(QV_R_! zZ2JWTV+LEl*z<7LjPv9i*s#t5sdM1`pA|c0O#;e38x+Bz@|+eCpiaJ zPYDtErym5)TKqwM+HnqyAAQV@0vKm{by+_??RBZYqa1qfF$6Ge1{A3JoGhExZwXjC zj%?3(@PmKbB#x*HuVja{z^0Jn;L4u8c~hIbbe`DiugW{)@pTMYs0mSjRId1Eu{ufF zpx2*Ku>K}d@~#|L^2VFL6D$^%BT2EG{EQ08PgaO;p@P|NybUBWXW9qDJTxRa$-G6v z+WPz-l-V1Oo+Su3a*`b63`yhsl>s?|1H@t+HwSxw_A=Vt4!Jv+>>tJ>^$ zcNRy!S`PnwM|XL86yp=)u05N5`?D6VYO^Ee@8Vuyt;HW&>zbcJtvD0}>S~j0cD&$% zlcAyKAnw?H~ISiQ57YQa~v$y`y?2#vSn(nCD>?fbc zhoeq(l*b>~32*VQ0EZ5_wI1__84$O2-f

=<9o52CEe&5MF{wI`m1e+inf4YvH_ z36PZ&=3FDgJu64~g~c;G2nPHU(_1p&VWCuBL6@yOv3Fy@lO-j~m1|UYk-5B?on#1e z;WkMxxTgvj4@5n)C}q`E&0R?_8__SiU>MT55iF{3M$XmG=^obdlP5l!B#`+IuX{MyFUHpuIsFPmoQ5_sBO&4YJ++{WCRZ&}(Zk z^ZL_Vt1UZgVJtt#rBmZm%4Kf@XZaZ6w8PJjpZ7S4pW|hzc~i;_=YVtkUBYRHpPyK@ z%k0eV@b3I~yNbh?Lxvjo4ofH(ptpQQ^Pkqg53bvw!L9-1mJ&>c-B03sV?Tb%bVrrl zA6hWI82AB#c7M0KyIi&saOjYQZLoWevyrXP@h{LzjL5aWeLDpfh|%K^kHB`0>3CT9zUW|AJuW|**{v{L`0uv%_XA$R0fHyegD zV2Gr%dxty^w-C5(L=pnOmra8gXh{j=UQ%eumxK@}CkcK`;+9w%Qrwv73ILi;y8AeO z9}IX+@xw%Eyo@5+41#gZ@^k$NX_8xNBiWO!BsOVFL&6R;9S1E+2mk_~({|$Nsc7aL z^?w}jM;U@L8tp4T)n-pdp3NoWMq0<7xY!X<>GJd`x3uQ7tz=#$ii36XO>ahGO-3GB zIxuNN$56p?(?Ol8nlze(G->1da^1QR?c0129cZ*>hj*S-d0C#Dsva^(XXa6|ZIx=L zN>ta_2GTwn;3Qf?RO1uOYfYo1A>OpkA5BYb3oM*Q4f$t%5%~W>8ztrPXMt;;vkWog zYZ%)96yDOnA7aq0_!{OvO=p3@bx`cz)HUNG`5G<`TOjo{ocOb1^X28fmjSZ-0E5(g z4cA{^KMR~W^ST_dK6NahD1T4BhP9o=y3TUxs{v;Od3vT#jRZa2KwIE-uKLp)%+3=Q z#`+qzb`^`d%AwbRv*kG9wBu`7@}|d0zJ_sJj?h`2I0>9(_=EZ+U&G`tW?8oMX=5ii zU&EUBrxcrigbS{3eHu2&X+Xh980rX2KHVafto-18v({yB8PI{(7wB^`VF97O=DTo8N>MLiiPoD@`Y1w%^DGkHfq)IYvB##@6j7Sd7ZOZ1VLpTQ|1KcfXN z3^3S3!tY2*Oo&3n{TP^+Iy+evNs6k-PZFX(_$*U?M(i(!*hzK{n3KhrSUD@?CbCD0 zY>BdOv5IQM2pG4x-`3&R*n{dXfHhLX9qT5o)ySCLwH z#cbDk3+BxKk?vy2lyb>AAPv3CNG$~9E*lR5b@@o<|6+VZW@@?r0>qto4|(kJA%?zR zKICbxkrpl33z&@gfBLdwU}`xsZ!gXeKO`6yW8Wn!lKF2R=Wynof5uGfs`)?oYaH&4 zb(Cv{pTQM>--Al%j#X;@S7x`E8TM!|Wl^Vl)nHQ^=ogHM&h=14b}eE)zN9QD`7=RN zmI*>U3pAR>*9aOO2O1H^^$=Kc&)UlxIs~kRl~^+ld)!%3vRaJA?@V%<{?gVqWLNlV zG_s6E6&3|4VXukiRYp>R2`bAJ&vHp|=Uq<2RKlBpJ_uA8r1qLnMOO8*O73jC)G`Z8 zwF)$poXso`Cxl5lNp=gUTA7}g+T`-1YPrXGG3WrhF-Y?VgI@Lp)04rRm&dfwOMZ9u z=8bkg*xaX8txD-+&5brP>}5Cc!);dZ4M~z6Z}^P1N$`4x5hrE*_?e~g$#J=`eIT8l zjJIkJxQdxBaL;XpWjWy`0a41SVd>aZ`Y;{Xk-aF&%XE=!9)~@f(zDnW?aJgNiW)TG zgE1NlN#mr!WQ&;!+Q*IRm)i#hf4I-=0~wOPd&$1;aw-0_O!Chzq65Xi*^9GFyJlP> zlE3<13#26fFx|F2ayLK@FJ+KA$)8<6P`v7@>vPpvc7H(8T{@Bc{?1}OzVvnehXts{;sZKaaTF=Bj6lcOE~S2{M8S5oJ8_RI*a3-<$|9AXWM$hNhIIa zr~Wk8Y<&$2I^8RNzua*m?PTYU*RJQ^VSuXYr8A zb4})uAu^4Ut89{(ayYxO6t7e&R@Iczi^{w7>JVdK@9S$nl|%5eFf^{odY zirbZly#Am%$uEx8lV8N+^#}8K`N=^O`pPqFEiXW`82RPQfeEY#E@hT89F~L@)h96y zP<}%ccaS`YI-!U_r}#p75={&`>J66}2E}djqa!1%eT%SmLtzy2xoYX~A)qgX!$>QW z^~w$Q4g2?-!CtXLmLM{C=)aY_AKBkso_`Co0;By;!(it-5X^lS-~7f+-)g}S+4h1( zbB4%Py6fWD0YELpA6j6WpF>_c8U*SRmkbfS8Mu0CIrJjLjT}Or_M!}T9}h4YLuBpr z;u0*UUjb(CFu|}Pa>f7A6BnB^|9g?XpJN~AdgH*E1Ex2shRCjg>BZK?_*~b~1GoWa z6maN|$Mvp@$_k`B2=qd34Ad+%pJ@k<%tE(G-uvTS7n*+}I|Lk$s zt4mMp)S;Q)l7HgW$y7(~1?lK?>{KQ7*(Mf=G!*poqf&Vjt4Gtv-HI;oqJYoruKX$<&KnSOr_U4{rV--OLfFb#ZD>*Nk!E z;@j`AK+44r{%Nu7@^a-;fNc04gVebAbywGKLceO})w$}dy(^&TMwPhu3i|TRp*w-I z2!Gn;;(Zpza&dh5=F*gM>~7$kSxGqUaPckodz{3@FOkE2!F|BlwwiG2th;FWKDZ_O z586>M*KqOe_jeTwa35Un;|D<*egr6tgDw6(IGO>0!J%LzEnw*3DTU6tr?fCB-!{2} zXP!A(4A1i~qws=OA>IT5@#Za*Y(54J1U-8EZ3(8M0W^sFG{382C_kO@wpcrI2ZmZ? zYDhRezskG(d4W}z7-PzA!!*K%`Nr%f@R!K9`JFhjNFmdOIz*n36xLK8rDA~=YZxRw z=A1D&GZ5g|QNh7488l!otaOxtQsfJiCIFDs;ViXd7`{0V14`7Y>yG;7G|w#xqmR8{ zMt6mLufDglSoKfkrGXc~Enmho!0>MG9iLUZESzKC2zNfxS+3d%teuY|S6EV;v+vc< z1cAD!Ire=VQGmN4ZrhW{(;oX?a4^7R*!R%%VijBq&jRN3K7wKPZ7<*`)=&G3xB}V7 zx$and*Ndh*s_c8o`tD-i6CLHqtuMko^8(<|NU!NJfL;qnYmTrOdkUaAcqK?&BXJ34 zr`3z*bnaTho}tPpExRfafv{2EU>81`=ms~*NdHn1UYZC71BN+)7z-zuR)r>lCj%j9 zA@Zu{`Np@qd21uRG6Hg*D2RK^6f!Y0N7Yd^nb)3IS{@zi%7P|{1%xoO>UnvAO`F89 zM9PS9rwoY(lB3lW;pI>Yg)lfvdwB^<9b%iH0v)fA5#Cq7P+Ym9G>t&F-omc3Ri>Fk zjAlftK2HpcXHkNiET|xw+d9Vb*=`OknVbFF*W1~jA)JSPf{DKxe`s}VCBmb3Eq!V+ z@W*2Q`%`Aj>-^ZCY%8}9Ss*2x`{^pU@l603{V9Xg2Tt20k zKczhNIB?eB59-qn;oN@lu-OA#gva2+UB$l59p#SS9LAkfPXY=X!0q(uo#6iZlyQgg zF)Dv}CmyMqRC1OHVPqzwNBSfw@IkN{eHcX$pNwylQ2YjXNFqaXZk+q=Ks+SeBnmOO zR*cE0Fd4nrpG~nSV5U~5i84p%szwv*Zxp3Qpxi-C`UOQ2fo`Nc^DdKGk*W9Iaig15 z+cc=9YM!qpvvyL@W@aH*_Pmp4(oE;YeeHim+AN8Yf{Oox^UAN7*L6OchaAGhq61$D zMJz2Q50@Wv+PB{P-~q<@1CI{>`gD|DXUWh)^dhnxWXS{O#?(ymh{$(Ub37!yt2)z8 z+dyY&d{iRH%q{2(#$Ga0xx%j3+|gNV`dYdA<(F`|#%;*hHoG1@YvCNbMt~n)c-wXc zSfg(reS8&I!7a;oO9Kik82cv;USOfXT3H#PXcO=Nc~o z=IHMTCd00iZ@U@0KJfa>raP+adgZHAi%rL1&A<3EHrek&C3MI$%C2b*sLfX;O@U_L zkd{7^ktVRvq(I}u6;2ZUJWqTnF>-w9g+)_-U4>HC#4-4-n@HZh__#8JQbJc;IpMqH z5fs`U*Cf9@vxp`_Bs4&|eBeAitLdab2o%#WX0f69jd_~s=T&lXH@At^?|^16{W3U6T~;u*@i(!Nk$c$%NrZh(o0k^bdnUO zwK9!}a7SCKf<&c8r1a=JcG6@>>6tT_FI(}aWl}mcN)ZX8;F!hg`?_Y#CsI24p#@S> z+J8kcdU-i?2_W;{WspyPan3itfQZL`{> z7DDwkggL5lP zHf7&>`SUj~HydN;z)(}jFKec{q@ZN_; zOm|fI)BgVH#irXj%ZsZ%9px*x%xdg^d2~?V_%hZ#LT`bD~%q<#Y{AZ zE>u>HS+neMI3ieM0lf94A6u{F5VAB&n!*H*8ZR^&$Q-movKe(LmKog~5nY2OaI3hh zEl^FJd{;s>hpm;N5vmR0dU=-X=6vN?sy0B=Y8VCM)Qgo314GrQ^i>!c!R#@coYYQ` zQ@{pQNSJLkn>o$rsW}mec9~Nf>_Hv9J8iI)S4?re!l%a1OkLJoenpQt8%wyF;&97)zx$5|!RG44loc z5KcQ(dcmm2NmLra1aO=jcnvrU@CWs2hf2@8@0i&^9hKhm2tF?N2;SaXcnpVoZvYD0 z=brAcXW8rVq6^YJu71bYpNxg=)DqpVrZ20j;6QrkS|sDY;Efxp6iJYjF>)wN{lcG` zkQz)ybEVt~MZfDyaHM2Hlkn6UkZ8*`K=4Kq|1`#eDblzVs#VPBr~Vk*#5v)jQmUHC zm8ukafm=NI6+>vPG@3pQOMKFV9~(`jI={zGH>Q+n!bY9<9X^MkzEWj+2D*e#kh4O) zJ-oo{PujoqSG0trB=0JkDgnqheI;G&8bb%!>WM!hMEu1F@ka!RzoPv3D~kWCuj|cz zthsp*C7UNKy=pL}E@R(z6kW|0wC0|zW|J03Ipj%Hp(={1LSu)jXr*%71k;+z*6lH_ zW>q3(&U(pXBUTGgrNij0X%I&MG~goxV+)dUxefHdir382S+NC|-j2^Aex*Ed%WDV| z|2fv!X13tRrTIve9Ny7;EMCr7AHCwZFFdwd|kWQ@V%mj#=1^v8fXy^dg5jD0n=IHaGDv5#{&7k0gF z`lD(L?znYYF|e|;+%@lYIPf_0g36C04WxHGH7P)bHsHA-39CRr3{SW^>Y&0M9C zIr8<9B-R=6)&vTL1S7e|jXB*A?rMcgz*#L#u)WkSVP;D}5z#4|UXR(&W;0@1YLTSX zgxQVQENor7R>e)2uP!!=PTEQ9;fLPhtN+aO=wxa>S=qcI`O(sGFuu7lWU7swfKEBOsiNjsC`XZE#0gSGBs%fs8y{TDz;D|Nz5_D z&8HV9PB27KKU&`fdBQ=FGD~(mnQ-R?AFA&q>K_H8X}}8i(Gi7#xl=LfN2_u67ZuwppZ6dE`zwD2Z4_ zOOT8N5$;|$gOiYD;Wl*{vO*O&q5ig%UpdIl*eI);kakF3uQUS}J_vATdlbRa+_`(s z8Zs=Wno7vxO{l0AP1nJt_fX&zH66yH{BfxNvS0Y3Rzag>5XW zNAmu|v~fE}lMzeP)c9ZARIQwU*sz#cX<2S*ET+40W=%>=bub!L{kWJ_Iau?9Lk>`6 zy^Dicx-M15zYCgM;e7L^G2)xS1U~0oyHWgFl^7+kj#ZgSAsEm9qIoZa} z2G*ZhIBI+qnZuU_$WR{m9&!a=PAi8mmzL1sOE^m@cD&LxV*wq${D17deXy2Sl`rTy zhjU2McH7+{&pr0FZso71x~8HP67w~8rt4mv>N{0k)wga;RZmxqbz5U@>$Kg@q|w2_%iZutK;vi_diA;3uY-ud-3Jwn}`3Xv59GF zaU0YAMGRtrBwu@((O=E!r??cs>|97?Cbsr6b7_Q$YcESDRYwQvWls^#^2LHPk+qlY z%X1uGdpX`;o$RldEhC%*Ul5#$ti6ovekBe93bfm$Di>xTY!rTw-y8BWERf*Wq_RHl(1BS zfSXWiR@OK_*bi0sjW$N}QW>V;SwWYRXav6|k~VzhyRkf<|7vAxGlq|p_gS z#qhK3-grpjz@w;G+bgcB#~u?M`@CApw&#@Z`_q{kHQi2mrUHLK$?Z=(Bu+jcJKJ>> zG%JR^ZxE{$Nz61O?koxESQ}Tmj-U-~mKGw~S!u_8hi&ZZzH=A%&x zRvn{nHy)r@j9#6I9TGkFy$F{@-bV+kWBv8zl8kGG$G zmdGunpG;vQ#$NTjjeXr-hABkeH(g!Pd7XnV5X{(afhk1Z7uzAxZjtx3YmbNSXhz=G zESOxa8SAT$E;>%%)7VFF)FCU{+puD|ytoaE)qsb`-2f&#L1+BCq9)V<9m>0dV*W|6 zFvM)bHgnT(q6Rc*os8?QRA5ZN2sXo^TTS?F#vSjoAD+|G?yJnmj3+boormq4?btC_ z!T`ziD#pOuC21uA?G))lfoT`1sIu^eA6sn7<@VHWazaytCAfcNton5z=usul)+t~` zouH9%>%6KZ^@mmUQ0Zvcm_4`i6K#xYoL}7c;DS4QehJp z#y2G6u2YG0d8vlSJm{chV2~rt_`6q%-ix_i->y%??d>E#9-}t4NNY?4vwTc;^x3HY z3fBCw?WFqF(vQp!y;$=r-;fgtY@Ao8AD%R2rdadye-MGpnxFliYRNn6V=ofOxg849 zvgU8Q_2%|gs@rZWEu@b83!~WVz#ZdAkIG+dDVEsZ42^B`?_B7B_dGRQy=fY7LX?#g{Y`GX;f`(;&VNQRwQdpVM1#{s}7B(K44y z_IkKHal>bR5#PCw{KG%~_j~TWuD=?6S49UT77f&AFA>&a`Vr0B-7-HvlL?ycbIY9e z#4H`EH{SmXa{Z@MnThR*SwELy3YIy+oTAGUA0n6?vjj#h^LUc98ZpZ}CYQS7#FMWD z`7|x_WrrtM$LN5>xwlRZ)+6%>jyhy(+cKATA4XKsH0RMDOl_NPb;n8CxngfNzet%; z9m~Uhu+7kSMXO$4AgzoE-#vj~mQr<4QvaZNKZ|ORPHc#ka2Wu=q7{!156}3$Y|DzY z7Vbkdu#H1;KA@7onAV8Ke73zkv*qzgXWxb+k_XA$ENxu$9~aI!-k%=}AZ@ z4N`ZQu8_&57_r_AUf%}JTLNeOSDF#mJQHWcg0HrH<7;#nntsG$=*3st_?)b~u4d_-dE-<~Z)FtsLNw^6VQW zoYOA~&ebU(ntz0=omv_NGk<+5*hQJIc5?cpYSYrb`ob|X#P;kXC^CwEk^5>I;3s>V z>}y|BkYG0~?vR}PtGsN<6Y4-f7Deoq#TJyNM-fEd!bg9Su4UP3D_UH`e@JRXke4UxGdqP#W=_=Ky*<9@pA`eVSSzDXT z(V>5Cr}u<2mjLhNWB2X#6Q-I85*^-sEwv zo`+Ruria*{t<@KMQ#<*4#7UE-VC~R4!iVWo936cz;vN1&-KW(`!}RSIN;cEVKBPKfU-%RqB|hm2Tku-4E96w6L5I9Rh7*|cfh z#hmp7ix#^5mm#B?nYO8#19Yzl8r)T-0ls78Oc>yqwYI*m+T2&~zyA!~*+@UZTDxT! z8)gb5tCc6jT4Up@I=+0;l-XjfZJrZ>%vu}!<7)J(`s70da`FKMX<2Kx-_fwvZh7z2 z8*eRcl$kS+QB3`~wKlE4n$chHoJ%+}>4(&he@qmotg7r2qev|@u|B;Z!bEFrwcNwA zbw1&YJtjDAtwFUhPCK=Pv;4^%$E~%KG!yjK^PeD`tqTRm?J~5CaoVXRocYiFDvkm& zcxIr_LV28! z%I>V>!%Q-LhdTdo&pjX0dnPq*DG-UC=LPtb7tVjRD~8Na6FglX_zZO|8>W`>ZpqG# zvd}TR1ZfAwgf+G(RK`j~YII;r^D@zS5*Zw%X=t{Hf$7ltBrJkUH^)1C;xd^;9MEny zQ0*S78_xiHHEu&eI66Flm`0M5_WB_%FVXvCBY#@>5D95JK}y5*nWbHTPc4SQogN*( z!Jbht0SAF#AOt}$A?Ga__Ovfn~k15w~5)l}CQUzj<3CNzM>0;^gGM0>y zu#A#Qe~=e`LbCFnmR;Jl5!ltQ0UZ@KS7ov8yB9SD&K zMRAmnB9yf6kff5~wzam;u?S0w{`3oHgQ9P^7nip7SF=7<&wPe%;5>GSW(3mo6WiA{ zx;MgQ?!_LuoqC{NG0L}nzDT7As|WXD^hZq4=6825E>5oKzK*^7h}@YUP??FX9$ow? z!xY?$rPox4=oYUrf?4viz^HpMHM$qGZS^Q7m%3wY%NwCPn(oE)7k{ss`!a2Qd+?3H zdiT!=j)e5WJK0a~NJ|D3{CW@v;M#Lu=dfDj4VOM_EbJ zt3FNUJje%Gvns5j^Hm2v`jHiJxv3;fzOr`Fp=jQwd?}+Dm1h!CzH?LMgRx$&+0$}f zA>}E;Y~mKw2EgmitH;sMx8kXtuJFZWs`jgGJ`ecE_+N z=)j5niM5Wb>SeG64sDTxg{&O5yI)W8gZgFgXzY@p!n$3H9!U2f&%ikTWN-QU|8R?j zahg*0fdY^gdV6Ra-_(IX2`lJfM`m+yw1@-sikk*}9!tZ=Wj;ZeCPr3x0)YV+)3XIr z4{nIetUL#Vp%Y?IM@=QgH1;i3dI%c*vl#8iDLQi38SIOnU4T0 zxvP9|)-(|Ei6M#54nW5dZ2|#3X9*o0izCg&Ux2x?&Mz=E>~-@pPb>-j6B1}4QI;<*llF*=p*74R7-<4+#hB?suz zuc8B#g`XGpRkTPvp9<86&QK|K5OuSFg`aOJkgVp8Qb_q-5>2j-Jw7;Pj)b4rUy48$ ze%^F#HTUXz|C94m;J3m-o z`YpjsEc$$MMudsc=Zyo^;(>bo2;q$0PlbjHaptP`=<`E4jz^zQ^jF8}%FhQ0XY)+K zX~&rvr=407+opg1P4I%Vy#lMo2C5xP`s$hUe?!sd*#t$yV9OAjmh!QS;J2#rD^6AZ z9gJoMS)=;?dRa=+?bk-wjr-(|d122Al#}}!_+cipz_xw&qg~BOwrY769FImwId2XM zvBU38vQ(!Qn28PsZ?0OS&|0f--n@P1ht)%uD78!q^0u67;n|Tv9#c)<^RL;Mnb;(>Tr z6)Dslm9r(t#~w7gOU?`JKgqXk(D^aahC+DpGatMC_85Uni%Kp zJ;pc$>t9u9up!+b)imZC>ZT6Mh9bX1>F`66S9qT&Q|pwJ^2sk=2uisTDLzA=Pnr3# zdgh}S=;Kn~CGAaG`Q5BL_2meWn2&wxZ+qB=a$!{j%i_el2CMZ0^^%o@wBt)uijaDU z6VG4A1j}(^nzSyiCUT4EXM%C!MVlF>5GOwUd)3CP>Sf;`m?K{om_nTRxNSq}7AIc1 z_pQ(w%{cL#*}q?Hps&9i7n$c=RfIBn^@!zB>owJM< zV!y3YrjgN3@x8eT$SK@&3Q@-*nXu$eos5X{mCM3H%#!T$C`g+$8X;Y$m$kDI+4WLw zdNIB$-DLt!vx{$|!I_ChAk{h=)1lY!jZYTdZ8R{k4X?yqN)6eiol-etp%JL}ehau} zkZ@OQ$4%B5VZ@;~+>h%@F?no=s(n1Og` zB_Vp16GaCjEY{)gzNh1Uu{mQTV9wws_r8j3Q>8 zF~{_nk7MW ztCI<$TVWYc;q_J*S0`m17G2+PlLftV9p6G~b^F!pwI({I_)=2~Frp&^C@o!_yV(k|IsW zC{ne8+51#1k-bk=FADN^r)AKCVzwuR6XlMk#rO2GbWVr%Xn#hkRxlG-vBc#FtQ&#L z)kc}Xf?|T<%3TGaU5;w9=EsFwBV@TGoN+aS73@l;O}mp=JJ1}LfGLS+J{h5~%_8Ts z8_jX^b6tXt%JwJZy##8mj*RUNy3JaUvwhi$E@O@t{a~A!N1@|rLL3^izMijCC&Df` zXAh?oubi>;QV5Y1RuUI~{t|6#T|%WegxJeU;^;T7<&{KU7_63lYjDb3SxG#?yKwBD+y%v7Zjwml6c$gjj!$TL6%$IUuw>VHH=~bOkYZ*PvFvtvyrb5&i2(* zW@1Z;^S&No;!@&LISzb$E#ZvN&jgnek9;%7@ukFB1N^nUE#DxVBkKjn7Y%U)r^=QR zky;Yl_PxK2qu{=9kmdA_fok3pw4(g&-wxL6o*^h22WRAKdv|~8zgyfz;*cqUCL}s7 zD=E4O>~25nlA>K9(*mQCmO_UAc+Wk0a780VlBFRnDlQgwo+MF&JSlLYHI1h3L<^-u z;2r#>Xcb2)~ zsR)OEke}|z&0d=kbR=SaNP{r0%<-#XD|6WaaK8pC(8j_Ol6XDJ3mRbw3aRuhjiWv| zyJRbGJY(6yTj*w8dJC(A%>^-Tm{g=nSQpkx8jxb72rXqTL264cTawUeGuR?8bL{nh z&R;~Q2HKjR3Yrg(B-)l!Yq3Y)i^3ECv+r#)s| z#oy06u!G2*ewNC_NiZHJ$4SUxTs!!Vl9*2ZkYP%zc-K_3ud3(1$P#)%V3hcc@wCTE zTg8jXC7k7#?hoD3T*aIH$h)fJD+cOq+wUK$H~$O4k&vFh7OQx1jzTCJ3rg8^g-k5k zsgh~WTquX-yM}&7cD6;AwyLTPM=_n`g3I=?yGY%aCp?hB3ZG3jDY~TOu(W5n@=l;G zR`e`aUIAO;!cv}Qo3fMkSRt(BX`!G<(>w_*S;xcie3ok{3W_j}v!x?lz*HfII;{IW z0PkWW)8Ar3xyhYTg_Ofqad8|~Y{jA!8q-|*BlS^OKgkJoV8Q(oa$-OvuL&6xi@psk z;1aVQ8Ua?ut#TPGQ9vq;=g^nU{x1S*<<>B3*3IOm%OVWg7;!>I#t#}<>~dL2Ec4u^ zP~&;;Z$qpbVn` zA?u=CvXN-bEEX;5mlDvpLMj7}TcrrhqP{f_${_0IuzXvG=D0IYE{@-+Vu=0= z`Er0{OD%KjkikY8GSuflPS1N7MD?OQSj*QjmXjyEg%clilPavZkF?a zu^h2NOOw<=&0l_zE*}apIa*N^&Pak;sR!zi0cvFAQA1THEp8iOat(Ng-;Bmi6mnKLfdv7QW+1?8Wo0?a@N}l4vjU&NR zECjRHd~;-|KEHuVu_xV2Fnj%lDICn^*mSl0+k;c)Nih5Hwg_aw?3LG6%dW0xZ6%N` z&nQSMn0@;lx3!MN+*rJnY2FS7F*n|0*@ye8<9+ps?F6%melj;6QQnGTzwX8(wIsCD zyCO`CWiK13<_^@`cM{Iw=LDyH{SxD}Q%gAOU(9hlmVK_jI!l)_y+AlycMFckve5>{ zX{VNOww-+-4ubnaEc@u|1J#zN`|1Theqg8`d5NHC7(64#Vrav)#Io&VzL=(*`pHlH zU5Z7^CQ3{9-JXaUvoXsx3O5~iRoP=n(NYOgaSchZDvahK$rwaW5!RUGtVI^oo;Hfi zr%-erv_vp&Vs-tSg<&julIZH_=P_5g%u-?JjrX$0DxTvUrAo%M@D{l4E$aP|d+$-E zLvcsbR?~QhfpyPT7Azjwh?EyAw}(IgPW{D=NcTfoPY5wVqD&bwO*RmuMtI1PWVnDP zvc0;BG-reQF>vv*Pf3p%Gtxbwf6)%Rs)1#Xdf?U` z(^oO@J*8CFrY0Go{v^?KdrY|YoRFdoVTM^EjJ!tC#Km8I{1f-l2^V3J1Zwf-RGMT6 zJ|)O5a@7ks$ua<(j0W0Mivo~9Yv&r0NP*+xN+>WY;-cCn5^0!L zw=|V$Guoa+(Bzd0YjtH%B~jAK=TFWETDcKZpD~wiQ2J;+|G*52bI+oJq?W_E7z+)g zQTI+5{mg0!Y~Gm&mPORJ(ML!J>Q%23(%w^w)I&u5;BT0qO~oEjr~8vu4Al$I61nxi zqB0Y^Kk3l)&k{@_qJH?AYQyCE@I``I`KG{3>|D$@9}Jz*jHu6g{Oan=I{G~7$b&=m znh|1&y5ps55K$j*hJ$B=<11V?n;}pDA$Ts(P+lm4Ks*;|>Ll~J5QP`5XtM`XdppQNghK@3 zceuMN{@`6L`^h>?89_bwlq`&?a`%zdgmRx!Hrp{&YDar?dAyLUERlf-O$rcY zq|zE!9BT;lX>ngDp#h>vv2cJ<>jezt>zy`~Wk7*3wGL1tyV=fRvF%;4Z%aJ*{yr+1 z0{L3PgIpvXh!;fKgWcl3C5kAH6L?w6LAwhD(C`+O1vxIcAZFY^qpfA#4sohU261NJ z5cQYaqk>6XrA`gJ*dmD*@4Xeo7%b3yWbizf8JFNV-S=bybF8p4R9<(l9>=^)jFy#; zdfeLt;=Y1xy+PH{Zc(^KDIcc!?SM|lhZrz|+RqyRm@GibwksqtHTz~3O`E78FFc%* zT&z>`H_m%pUOCihv?YJ%ypA^}b$iAFxXJj>N1xqah%unegJ@_JrZshGk%<~jLOB;N z@zxxQoyG@9OT&#c_yg&zcbc>_+$4f*cmP9V$`rjuJ0W175VE$So`{YoR@BQPx{BDT zB4}t>m}WlEz>r51^UoFaKn|4E;GjiDP1+WW0R)L*RbucBanq{XHBWbuC7OZMIa+56{Homz2oNgW%^TZDcz)0 z&;AXgn6v0{+XH>o;lBFh8-%l(ekK^VJ^xmOiE-Pt1Jx4R8~i5W9K0Yn?FcQ$Q`@Pf z-q}2TR%p)PUwYhj`T)mm7f+itRPX$);It#OjMGjn;hbCgP;g4K>x}m79jHz$?yG0d zdWgP-GD7^2M><#Hw!Bv&Y|;|PLV}H)kqpE5>;X(J;C_pp=C;BXb;z?|k4uz=ZS9nx zia=^}ic{v@5teL3ol*WP<5Us~^(Ea15Qvh^lXGVA_Y299*;BZ8Rx%4R@VN|7Dy~>dV@pn z1BrU`a2#Ib;aC}-uoP3=5RWOwnvRd@8KQhmE-{^d7856Xb z*2A*1uBzy&`GZdpxigEY%)~Z2PhZV2g|O`QYpOky>w{k;nDxsAM#Hl4^H|lGZFG*w zrS90e?vc`f7!fqDC+_d3;n3m=sZ%eDtWHvY*PrkS&CW`u<$4M#qhexSvXQ#mPo>3)<=(v zkzWfMGH768s4alkD@G^PYCsOFkZ6Y>okw?Ok|2ZCM9Rq30P6@$_c=N%2;}7GtQgE( z$t$r&uq?A=z=i09c>Rz}vHpT&0y2ghg*?V0BN!|;O8GK`#1M?9Mll};8fu_dGKnb+ zQSH49H|ssH(5jL#kySB%T6HpxvN|yif=<*?tqgWRE9@i=!_Qt(G(rrz=Bs&yq|a%160_Z_#DnzQm}jABNfhf}8a z^X<^5eo8pY>4%Iw99Q#I_=>_0?bH&?{NoX(9Zos;3gMhPDmd-H3FEX=OE_aEa~uz+ z%owQ7_t#rb5YEw81;+y?*ucj)?bH&^+D9J^#$*;wxpZov8li1))6dVPNYp8UqH*xg z@@+yfPH4KJ*OEVc$1`eLx#UFtTv|x-Nn57aa+dC!k9lSuVIozccnULjTDFwRmfc>M zb95`@>#PCaa*cxsAO$55Bfc}Y(~^QXEG@+lyj)2fTH12}n0z|h^JDkw(mopJ9SmC> zK+8ASx9CFXDegY?s?)}t^rbt$KDmvOmDm2y*eujw|5gEbiWDiCFW=D=LtIH4{k2KNBwn38Hq-EQW7{pz)L=M z>Owx*U{9$UN@_i;rJ{MzgWF|s7%5?L*N~CY=uoLt0kXk1x%A=m5H$%UsAcW1 z9TtN)GT^vxOPJa_ACwOd3iT|k#nPh&Kn^S;Z6s3o6|;6CQMhQA6A725g&lL|g=wJ? z@)`L&eW2iD_1JG79jXs~ndT3g7vAFvF6`V$dThAsR=lytB3>5rp)0C4P|RoUJc{|y zj~FA}V?MhVF+np2Jmzz0aYd}hylJoHC1=CgUmJF5jh>#tYspHIfea)P5CIgnpbZL_sG zC*-{c7PH@Ent z7!ZI_3EZ^{Q}9#U+eR9NZ;Ze=eGBNeQOE(J0Z#Ok#Ec8MO??8Qd_vGq0+a;Cp z?=|wEV75o9$dA{|ReSc8#CA>Uw4j(=d1PE+49MFTtZ|Gto)}YdCIOz^KKOCJdOf^4 zw$Coc*s|SksRKhADI#=9NDaMC8gKjp&9^5om&;owRG725KxHnCVODhxeEz{kO&1|C z9)#>SdbYbG3@lVai<}(kk>-mwZedX90+)9dMl34l68F>N`JTG4p-nc`@rLmrWEWMD zY^lqME1s?bkt~L)g2(Ca!td*-(*QkMeqj&Tq-u#%KJIQduPr7cTd zl_~iq^EXAGp%CC*^~~c#_1TS7irj^s0=%Qo%h&%nUR%wbGdN|T1bFvsk3bgS-E(a< z|LXeGcL`+Ew-lru;Jy8};XnS5_ucoG_x$a9|MOq{$M^nkd}n7lz`J-SqnJnM0p4l- z)%5=Q=nleJL_g%wO;%s)9q!vz6cBBvmZUc8g$NS^yz2(4r33YzU4(PudBJIiav7(c zTEbcLQjX&R-Xs0hzW#c{i-dD4lN*O zcrQWGIM^k3cBU0wiPf;djc1E_rUX?V;zyeQ3-;N%HE3p*R}jv0ECM^M#&f)mF9miyc_HcHweL=RgWC=sftCx_j=QLaWl|I}a^%yz`{@bNv4h$ByDV0%;p1$LH_Nk&)7 zLL@U0#VVkVY&>a2JS7Y~CPGOnX)C5Aib!oifVx9NoJu<{&j?bS-e>DQEiQ{SR2rN* zX`~ng5=1FbmDE&WSg5B2jaka@Oes<$?W&`2Wyk1g%n`;u^!FdR_r5Gu7aU}>CbcC{ zN^<-2=B_rzF6qTHXFnJ8Vk5%2W@CS~;gj|3!=IzeB4<)TQjC9c7ik0?a3R7e;h666 z&GWyBXwCR0?P*)_20`sPr%*i{HNH4)VVn)K_~wzp`ofz;ZV~-VFuu9%L53;BH`iWM zou^%M_b(i(cTJ}<2$RNJIxGJKUra9b#^Hyb4875eZ*KeTyQ)3Y2kO-q7Y)_(9wIpE zk5So&!kxnUg;jTOX5ztN&WgKK5LrvrU;(>}7-%LtPxBDQR9)n{DQO${UI=1pv0PVK zpaStopCmFK5!m$Xj1vSYQ?|3hDjj?vK$!{|Be9HlRovcYAz|J~wWF08x3Xys;YAj! z&m#&3``80uvSTnFUiB)<3Ssj<^a>o_%(qOQNZ=pyORC+az8U@*Ux3n0YblDBN%z+>PdCz*+=z$ca|f1e>-wz0*)kJW z8XH{-a7MuMLUYte@kv2!l;Gxg4(KSN)^n20de%O#7VJ!?Dng>hq{Baa03!2%k`-%K zDQ7m#QvEhWAWz-XC}%PgafhPL3FU}o%97>3i3r(=xGSGh{UnL@eV_usF&&$@viFB{dE1*=u#5WVS=L$ z`Gp`_K0>)!`KXbY~+wkS7xkPQ9mt_vHh2pZy&L_f-75-;6_<_ew#%%q0#We ztVEeLxLSo`c_)~^Rh*-N+HkkLKS1AFV8?}ubGOk$_i8DVU7K7yE~JG?B+2zezh`~T zE?C;m(HJ{{xR05vE|xOf`?AA6P4Q?icc5bfN*9gN5uXM-spHWIURTB6-I>CORX-`Y zgaQ!71A13X8!)!wbXPD=F)&LgZwDg4dGkm~XDvJ*bymR>Tk{5~tMlim6sfD8mXkKk zyN*3EcC4yP%Lb<`R!?mD7lLv$Pi*tG)!eJ=bH62!Ex%EamM3;wX*ubp;`Iv)W-yA) zD88I@wy(O_S05bt0(oNeLo*8em3%p=om!IG*sKT>Ju&(;8|~xYIg@aXepYbWK3CPV zC${X794GU{&h^*R9wwaCvjxXJOSFM;+Nq`XocQvx&^ehWHu^lZXklM{d_H|W=*(P# zqH!>ypMd*_SV|h3=0Sb8CL~J+DYgK0Ph4ni8E`J|G!M1OUkjUPa6z8Qhn7NtwOLUQ)->jLnr(+|KOJ z{Eh-{z9R@RsU%_xOkvs!g>AxwghFv|c&`9nBgqb2A@11dI|AdzG5H{ZRJXDI779dm z;P1)agyHpNCrUdSK2-8Uf&-xWAt9}IhLmL4hm?koL<5J<$k>fTO4A-weS5YO5}`_> z7`lLZ%vWl{`W{IwEdx<798O8{w}p!M9KurQY`YNoPUbbPs<__*A*nAyzC98G!yn-N z_hC&YNh{}D!MPJz5)CejHG*s8?UR*gq6{{?bw~-VL{gD_Nqj2tk^U=FMin1UnacOi6h zq_#fsrO+EqN9z0|RkiV_1NE7sbo=hijRZ$Rdh7RaMQxgdKaF>x#LvI_QeI~iQ7Vbk(_$>O|oV{0^%QFlzI;Y znH8mg>UM7f3#0^^$pW<;lxmF&TCA>n(vxr2l9LW{Zgw}$!H)0JMvYFeUW4VGujdtp z!{sqyqmnu*Z87&Y^uQ6AQ`a?Lfy=w*iup1Yv9nkyU53~Kllap{L+Z*717hM#`##!8 z>+&QErg;nwf1%rTx{RYyt(#JW!e2sab|8j7X(O=pJ!*o6A2A54ot?~M!+Ng(Hi4F=@o6xmRSJK~d#gF#su*in8r*_MTDNTI*wwD&lZiIdo6Tm}&sIkTL``4e|i@bc-y?soJCfB;F2;qMl!3yt&F)_l5&m=CdG! zHgH)C#=0xE-er=3Lp&IQ-sD_Bs3c>sv2&l7m~^9!3AfmJfouEIRYRz2e|8!;;HIfQ z(3<90x+Ml`vyKO)T(9aB4{C*8xm<#Pkq+l$0H9rv-2`X@rqgcz^?RbHQwYEAdf`iS zlM4NaC)mqJ%T9jbJ#zakMN_L?(}t!jk?`yJ0};r=uNSVZmRw!W+fN_|UsRA*`1OuE zZfx)7zwy?R8@+RkQOpnZ@T*?eGUsK&*?y49Ol&v*wx33r7=GP4P_3qQ$U}s)fPM&P zBH`CL$8sDGztVLrv=Qdi&j@E8{Sb}^T5-m_%EGTmEs1T}gI^B*ZXSL;K2U9^-TXVw zuB1ITKPM=1cHfZjtE^PCEHv?Rb(11lnxtg0J;l;e+=)F6O$+9-tf$1Fr_*&YrYeqo0ypg zYLx9vVgSZXjghwHjV=N=`LYfP?M~x_I*{p07c_IRV@7jHk~~6O3@Yy+B}ndl!(SSJ zNx*vAF5r>}XmIHkd(aoaZYmQ&an&qE!pV73dP|z)kV{&t!x-?pb$HPCQb@%K>vM}q;!RpXJy>a>~`nu(3s1$+q5N16(n+e+V=3&-3SMh$8ou6fLGpI~lT}-Fe zn2_Ij_dm0K|g;;|GncK_5Q~hrVwUbb4|5;a=rHvf>}35V3hd( z6!)tfw*4wGxrB4**y_+9%`oe}=YOx-_+o#(`uWv#N6Y63j)e5$Ai}KjVmI}Hxue** zqOUR!>MY)fkgH|uD1@7cc&lay?ICjmN+I-`RIl?Q)r=LyUt7gYtAHTlu*k^fFBIZ< zEP|UwwVophfCoKtL$5V>;5VB1papb&rT;ZK0aH9KOOxWtk*|bF zvEY$!x&JG)>_|UiH1y(;AH4KO?2)sBU0r-*(v+p*k*}WVwVa92q-O89yrp}LZFw3GtC1JPm%ao}1vrt%;roWa;@-7v#KAk_v>tInUL0pd?km$q@a(nC0rUW|Kprg}EZ-lKcQKDcTYw2^u@Mx_v5a zR!Uf$r}aXf)CwI#-LGYMxJbnyFWF5cQps!RHYORM2+5E<_00+3gw?)fRJc`FTHyk7 zsoio`{ss;;#VuGW(2~BNzVWL;aW#DG8Eg8hCI45w@aeD8?$j4Z!}aWAiwRT0oAvF8 zm-*PVm1*Tby=fDH9eIXI_2y&G-_8VW!g3#b_EpvK!Fu+0h}`NeRAyp6_SkNQDfrm* zS(gj6NBBAB`dNWdA3N?@s-{i;({!z9OfJc1{layjKbk)FnWwI)X71{*Hy{2QwQ3K+ zk&up>kIibubh@doq*CA^z?bI2G=lRLL-HQ(>M+ZoKAdgQB}72S7INWa7c~tEHC$|C z*>pbFHa`h&wrW4qP^^JK5N-|gF33hQ>MM6Q{LU_MH>?^pN3^z=bjL)k(s;_Dp_r3# zs@8d|mkf4K5?=$CJqo{0N}DCdcG`d7^@!~z^D-nDLiE7*?>l z2g&1RjE;hSJD`BdoizODb=h@~tXk3i96f?+*XaN`amz$LPkDYqnN$bIi;{ci#kKY*FgXfw`UCNr5HQbr%CP(l`%DthyW6dD1%jFIo)0teUM5)W2)i6?<Kd=}Q9{x17Xa@k$v8xHB3(ung`ss!IzNVIcZoQp&o)2T~Z9LF$v9 z%4J4C5WYi$OeS{65cbC^#wA(DZ&~Df_-f6$gVydt3}W83hl98DRXh6X4L>HB z8T3QmH8w2yUlna=YNwWjw*F@kCWeDo4^)fjyB~)MXA%7n&P2k&=YO8#csTf6KYyP5 zz$=6^LO+Bvk#O+Bht~%$KHH$R=kT1mCHZ``YY4N=fzluqdtjLt}=yZWbxPLUvX^cTFP!^Dhk&1Q=Abu@tvdCnXMk zo@vxHkD_Mx!JGGRCcB)J?7?8G1rUo;%Qlm6a)+y?xUNLeotY#kqnn<+KnL0_Z0rSd ze!G$u(WSNmCIpI`^{q$~qS0)UzjQb_^0t@+Y4eaZz(k&HOCoiPOOmLtlK>M9OlL_3 zBxEfQ?aJPbAjgA7ARBZ$)g_*CNU6tzhTCYPo2$!EG92q@E@v`OQNM5a`ySNheP4(x z$ew$9lGibupTHRc-D!-cSSqzF)zN7kAWu zmVGvqz;=#*;v4+rXtFK!&F z_kDrjNJu{)!nQJgg~Oa_{xq4;cVYTqy%HjL2!M-XGM$5(S$Nx&1Ho7X5FzfQn@!QM zGRhQ<)j$M0)kyr}#76Qd633~GE4>KK!3b_vDpX_-M|(}(5nS?&l7EnhSOLe9c>t1- zm;|F)LBq?-ariac;^qWVl|%u9-FKj<%Ml~$4SgQn_pBP67V!=cNC%eBBU--*>=ew- zFCt_?bwlXTK=zX+iU!8aAIo~6D4@3)796l}hsWfcJSIWi7p22!szx*P!FTzP6tkd- zOEpB8<>(lQ=I=p_*y|LA@yKr`!aHe;l!EgMiHy7o2kY%ljU0#HNz2N}@k@p+RM|

I=JBw?7y^xPYhoal-nuZ_!XdLRm_W@$hWDXJX51RI z`w#i!wxbLGLI#AovqobMZ-c(CPCn~nv`bz_)Ue(LUa^XdHya^%=TODJT$T+M;8}bS zm_Ba0a!T?9N+-quBMQ`b^wEy`-MIuMn*)rR%k_$=fv`xP4-*>UToe-|ZiBDb4J@CM zIktbvGr=4y1+boah5}ghBj#!^0j#t8{)7Wq9FMA2-9I#CxdgE0e>nnK0E=#TTX=Q7 zWd(s;{Jes+16YOc1>Jl{sWqdk8N_U54`7|{tIqV*EB~2b4y~dx6FXtJ>1z=t2C&u) zREue!;a3S~$r{0#NC0c$h8)KOSPSVZJ_Gf!uM^HJ`k7z=Ywey*aS+@W_A{>9Hc;(c z&{r@0=BAuCWoS9NQ?<*-FtN|y~DF$b1wD9rXc zLSbf(-R%eDjJ9POY#^^&NlMjPIiRC_X?8N;lbf5OH=5-Jnl>6y5Rmb>1o0(u(t0Fe z4QgpMCxePva6_e#g|qTzGG(P_9E;e9R}b-&s!&kHl0}y6ceDFI6wS9*BL~|-CFA-a zOoil@XCa!e4{%N<6RNz5ND1vgl5%;cMyiy(KvYFt zn!XP0_*T%vjab!Lx@T_5N9%K6`_@ps^(ZOqZn3JaA7G!pJHln5D*6EXj)8jq^Mti| zCza|gRJG&>OwguZ4^`2P-4_Pykv&9i`3qFWSB?CvW0kERX^e?}3nw7Aj4@0hRJG@t zYVYKF`F?^qxldq}%+z=S@~EAFjL9XOg`2j7?r4Up_J8l4)vU4pdfuWfL-m|P1V=)8 zE(=weZWWDU0iyi)qZMKW4DUDlcCb4EvTx!pQ-D@gG>uh8P)qd~E19@`4goF8jnOjf z)imuH^kn1@F)l0Dffa5U5+ra8sR@Oe$4X1|(;`wu_0%={x6PDc=k! zel3>;SUw|q72j`RyH^|{vn z%QWAL5Xj+Ab^OyNP~)<5gRdM0h%A@kugl%{nEO~eTMzdTB9TxbD#Oi6frl8$@)LXX zS7X19zjh(IK!m|&7S^JfLJq7c2ET!&`=|KbOX)dN{N8=gXTj`+<#!D;OP0YeSBxs9 zO!$%b(6F}=@sPx1aId?yRfa0$i5Jd*Oe8W2LpvZ9lyuir-XXNAS*-A?0XuDA_cyD^ zxkM}iAI@=+6ZELC52o66GPbfhU2j;*8Xl_RPZ_U3*1;a%qfW?Kb>0jf+Kd6Fbh@=W zP{N;Cq^L}-2fi|DjV~&vASpP!G9CfIfu_sC1EDTBTf-I#@)i}$m5fP=v$+q5RscGRaa4=35re-DBT3Bq>bSBuY z6SiA*iX@FqtA}Ep+HCob86|1iIpyTLX}rN}vZUas^WUChbnZhm#8TK&lzVA1qOgvH z9_On|NRGJ^6|w!L=8YQ>F=B$A$1j9P2Au&ItO)>&H$n@9!SkQ+O9)n+`Qh@u`mD3cY`8q#2D5;+FzajXuaX&RyuIFgfu2;!hd%c zIY;Vng}ZjVv%7{F_RWZhS(stRV6}UoK79Xo`OX9?MQ}arh*>m;3EC9sVTKEntK~!W z{+UGX+-IrG#KH_~KgTeIFav!UZ0F>9*`ow={1JiCFhe};8NP!YlS@5v;lTGok2J#! zm$uN6)9>`x`__Dq?qYa?;7CYc@%!wHGnBbXz|mLujE@sD(+J z@5NJ8FUpUJhz-xuP9#hM5yo!G2ib81ZXf!xvfe($Fz)3#VaB$iWpwT#Y~IQH5fzCf z>~N1cSktne9k+_C`+%J8+28~( zu6vO3{~>ogqKALnIhaK+By1fFPK0N&oj|?;f?_dfx(rEFcdG^3G48H1(+Zia3Q!f^ zy&|)gMh-$Vnv>n_eoH#O;}IBo7lUSu7bAD#9u1K(|3SCnV!V%ae8^G*53OL`4g*bW z9%S4RSqZ18B$9<1dAlWaY_?Y;58ECgm;?qjk~J{n*Q_yDtgi2}h!grBG=0+g2VpUszJZZ{G340xSI09MNYx%X+nXBp<4-v@8 z5d~?7y{5L0rrmf;@usp3k1~qc{2un2)nCo-ug^Y0IIHM~Z2olj$~)ZpuPE%*PAy4o z&VmRN!(Mt*+408+XM}zTXCh&*ZHsao4||>Jua5TDn-&tzq0b4d~GX0TC&>zE9*20~i;lqzU6fQad)h9DRMXEsaCE73Es;;a24@%AA%@(4( z4!Pmqmg8b6WChDYwr<%2ZzAz?X*%nfb%tFzDVnC+Ua`WM$fos1p^Cqis6X)?g6S#I zz&>^fui+t4{NF!v@4cU9r>yy$>Qb+xhVU!#N~8$ODpDkQHQo-EBrmk3rqV#4rTsm; zEARt!a4hVrNy4Di8`?L$CBfa!TxH_-_#pEw_~WDyPI@5>F99}sCA9TE&N)9%c60#>4!G2 z?ps4x7r#QK2&;!^+~SQ)&}L?j#?hvqBZKwAuM@dV>!^&+$5*oHXXSSprVx$Wdrh^4 zHvN2yU`{+EFcXT#9sADnp*xzkdBB`AlWTq+Bekn#x{xIv0x8Ka(2!8 zkZ=D24lvi@{bO%ieYAGAmPoS706fGx;pke8g*O)nhzNa87L_@4}MlNn=FgNK& zBc780B(3i!NL1+r>NOa@86>mjqSw_60@17sj3tWe1giLxoMK}M^?P8-tEX2Gf^Y4& z0@2H1ioE}cFl8QNHpWb7U^PUsu8c{Orw^s*j$VcsiDO8V!*8W|ZQ=f?NDB_=njf+b z-AAQ(qUpr}-TCr$e6oc7$?D?5!6~c60UbRYfy@EDcx^TB>iX=D31rK^C`j7@z2o-w zzKdImccUyk$|yF?xdVE(ue#V*j~yYL#q>kdTziK_)$_iK8Lvi|=zy*psFn`YyN(gg zu~!6VA`a-L*K(Yu1G?@PgtPyI;7r5;UGeDm!*rVMyEt@=4$CZ~Q#luR(J7YK35v$S z8M!K(!rWoKiq}tM+RRrhI2LZnw%n1WhMB?AaS&V;q7aZIk7?&cJzXakuhGU7LY8cN zOLE{P5VBcGmwMeea9AUwWsSVCsp)|}UhPaud<+bB)5q}saou_H_6 z^6HJ!AyZjtIkVh2!?XrS!;*!qT()ps3f3lKNsb=nSz?tV%Mh%ooWlJ;PmHyA^XHT;|$sAFK`z z)XN{*P2X9VMWuMg?SA#h*yBvl<~(=p=(cUTdSvxnBDeDqDih~C^}gP58DF$IwS-{` zt{t7{*gm;FxR790eNJGM_$~1~$Ecm>h{>hy*f{oL=#Hjqw{+JZRTsWBP%ruVi)1k@ zB{&k&FU_@M?cpypYXUeUIL<+7p#+t;5^(0YgsGZX0A3sy2--9jfeR-($$JGHTVn79awXtLOLS7DOK1u8Bm7n5Y3e?%uj-nJb?v%TjcFSZXv3l&>r z8$h&77)0Dg8;SJg<$ME(=|6W|vyNz7tRsO#FPil=5l%iX4`XjiVxaq&3RvUR&M-sw zhuWd_`UW_5v9@kvsAQ*hAjYr#zG=_6ObxF zDHxMX9Pk+IPMqX?nZ)IV0&zWG2(nqHWg=_D<@`;hnI|h)5=DCxiof%ndNUJ6=)0WZ zthRTfjvlniLnku+tWO(l^7As%Cf1i27I~wJbTfVp0>jYTo1vhR>@>-DP{=@xFK?%c zpg|)^^_qc03YSR*1a&7$bE||8b0rI5^uS&qj6Zpxm#o3F4~zzDun?b`MFr}8BUFm5 zJz!6~ctT+rMIWbvtKQ>xLc>$!6XWYK38q;>Pjt+%woQ#Ve% zvDBKi^BKfUbq`Nnknq%{c?7ebe#lgxoGf%-kEtj;)lMzJEP5is#PHMxx%uSC0>ZiU zxZq4AJazb~9LK{`bo}UCf4$>L!a1=>a3&I-TJW8h;vgXZ-M-{@>Xm`&*ysD|qpMyT zs@Hy=plBE@wlBH)H4kEOc_hj+EN&|yBQ?w{sLKYPq@xrY9qRV7xfoOR4bKZZiiXrB zSC>N!0yG-o8nYjfubwlt-BFE3qTclRGl#oHumR}2j)UlhL^2tm0jLa#)403Bcm?$a zywyg2j1&|?8W|@NF`xjLffQM=uFKfAI&2RkCdPkTMuQmV8MhrIpG7ZnLLDy>ky*$B zNh#)n=~?$VTCVI9K%T@yeD{Hx2-qpWy5Iih8wT)@0I%J>|1C3_0? z>|vNf;EB%MY@JLupAgKP=LAOQ%y?r+<$P-fI*fg)mUk z*+U!HCe;RKRbg&o4}qGlO<#=Ml$cSZP!4dBsSF5W6n}~vk;#YDUy3kwVN@5Ln`dNf zaA2TaCc7T@(7}e8Q3EM&t2hWMol8+Dn>o>U(#tM|I6~f@ULX!`)sr#S*dY7gB{KS7 zJMp&2M28;ySK;9GIyV&KR1qMj|;Y ze;k1zU* zW?85WD6tk|(;dYqH7tsBxGh925CEb)hIOsBO*gCv71qAi>fGOs$-L?)ik z@C-pOocTyhl2E}Xli(47XMxuaL6Y*9IwGA#L1ahAi=OsKoaY4tJsK`r5MrekFw3zC zDeFUeVnk6w(^aaafWpPOKMKmO5#Krat^R8J-`Ddl9vG@OK22JYwB38|vNtU(;ih5N zJ;1YQLBz`fJalMe%Rs&Uu^$c9WAmsK&#>JCJlmdPf;P!{fQJr^%%Ev>A(7ksIVv-; z0MD5(GE5=BGyj_E2uWut!OZ=0{ez1XS41jjAr2G+3kjNQxYStddc?_>s%1@-5d%0!k{Jaa!Hn3x&-;39Q8(q?KX8A2C)HmItG4HA2PMu-2BF zw%gnRr%;o7I>o^h-g_>Mi5LXy!iKq6w12@Ic{JfNc!Fd!!jlfvG})793v&UbcMgr& zJZcF-SH>I+U7$>oU8@=J1V{`=>{m3NWiyOV~S8`y7z2a)u%E2jX^}x=y2xM+F zeF|pQ)%E%B5Xg>a6r_D%=cf0!c0^3Qxp-h_!45_-6T|)J^L^EYzWUg9!dXl|WMZ`M zhNybJG2-H`2owG2RRh(+fqLgo!a4e!;7r7iUjJf_lljrd`|G7I5YF!1g5!QPjv{e; z+Nq^caP+kw2U8~Vqep)@P#s>}SI<50W4Z+6C4wS5=5zKf7<;)b{w}jHPldte)O7{- zeM!~piG7>b@)aI0>FI%n2HrhO6t>g>7wpgLGBG1qs#oFZGq2%!0m*7wJKGiQSSXcY zw?ZcN263yNXlFiO;?;aalTNb~%S>FE=-sI>2sdtzFgz7aMkvcuP;hMvfVnfC*MN5| z_6zaK&QpU-=z5VC;WI>IR0x5Ln)iVT-Wn#Q1L2Y+LpEbcU6NHu2Hi%up-=*X=H5tm zYkDg|CM?p5q=$Ev-E4I*;cg}u5Rb{LgnKNWGaj@eo>E0TGG7vJLPB!M!()ErhhtOm zzz^Sp@PYiSjRM}OXJUjNwb~BFXl^!~vJpVSrsu>)vltw4CSrX<#Z#-A#XA)HFaPw3 zd-y^S*drD_`B#VO#LLrjW9w}+c?XMgPnzG@9U!>DLv+u6QMh}sj zIh_iUsw{7^(81f?2S0ow!eu@^xWMCUwnoM+60;T;ERUpBPWU6 zbo!Z~55D6~hAH^qW7kw;baBJ43FgGF1g5ab;((p*>9)yY$1AUf?r8ephhP4?YVGlB z=o7}T4%G|ZA~@=h=O;%W+*BLhX!j_CR~OWS_8gp3xaH7=>BdU6Ml*-pRU2zW)X%(e zFOq}6Etk}$#sMXG_!G-L6mpgt`Mu?9FV*Gx@#o4kLY{R zjY^{gUZes?K(?>o1_dD)hMdZ$>@$%M2iGUMEtgZ+>Jby*N7hua)1t`_q&HV^`eP#OaOX6WgEqhr5+w zTM??Ew7&u-rZz^gFcRsK$R6;FH}9+hbQhKZ=^U22*>lHj?C+8hFxs1JoD*j~Z^dQxw-KyzGnQOMYI6asGL z7GKT+JH1uxt!X{eLcv}ejPlm@V(TtL3}H;GXN1w7oi}y~(`=B!j%n1`(4)BqV^%B% zyejGffh;i|^gl8B-aotk-hcY!J%o_ab;MkyWQ9tvRDmLdRuuBMp5u+L1kxVBBpd`6~Ow;Ppk*AO>J2Qt?_KEg>GpQ0gUhU3x%^yd>9(2;fyuM zLy?w@2N)X|51^IV7p`Gplb~3*{ffqXHVon@vUYnRQ0OqE#;MU|d=+Z~t@~grR&VO! zBAI;TVGxQzbuON+Ce}e=4pwP)*x-T$FX~5%vvA%RP?*y9F4HE z#@2{@#7(#v)}rFrdRu!VvEWL0nV?g(V7dNZb0XZ}rnaT|ebTCX6jRlWC5ZCt}Q^}SQ4PQAI* zoQtE3VnIt^)mt!7jSSRddkE+J3sffVj_pe)o~vwkEK*A_>kdSixT?2fs5(AakN$vg zcI_1$U)2Le#%ZUPa4sIoaeP&8* z3kCoDpZH?zu!B!E3|7z*0ZEi4B{CXJgb9%)eJ8_4GKq0spU}zyBIGf-kOM(eE#*1n zss1jFlr1Y?3nQhmsxfmxf3@#p_5R0RqnQ2oXh_jeDX(hi&Xn$}8tcCj;j&eY^@F^A zes&dMEv6q)Pu*8Fj;?2drXYM(gN}~QAszHpBDa4Hm6_Pi!g-q+rm(89;Ogq|V7=v= z1hZ~~z^L;1)3~#6rR^+?$))Z%_?6S4JDRH+$DV#?b^i7Kdf@}7X~E{(1V&#@AR^`DvTbrNjOXjTCg!R zCxuD%!F>y|^Ma@5>5c6)Ef0>k$($ND{6p9k#9^2e3pJ5YIBPFvX@^BIH&jE+y~sna zHNX%XG^kT#raRyjR2Me~T?h+Hdo2rA$9Csk(TP_d8LIOz%Cb-;dFCm^0ed)MTe{nu zniCo6SP0ge7cN@fz00f7WRIg63*od@hDC3P&2VukfEVd3BYzKXkMD@P@A4j6mHb8I zB|6K><&BsU8cX9Xi98!nc?)k#Z=e^>8im53nK9WD`EhGzSky9JEW{X9<%sHtLHHnS z#(I1RP$)%*P^mBodS2+zV$CRV=su(3H?GOQP#wE(vM)l zdoJr{>wNI#N~c>5Ff4j1txFY|=?(}cFQd9BDjVX^R3H?2ha{3|=GTMO(pUTH zMPp~k>$^lyGz@NIqfmEhWA_An7dwh48xO@z(hXib1r2|{589L;O||N_OJt?vSa=kt z5)blrT*)|yc&#cywSuW0#?n4rBt z?iHPyTrD1~5AP##GwCOLfzq2KH#z$Ygw&Fl)*ND(f>(58u-ZIOZ+e+v&KwjNC398u zinf|p6q8Fh%lH2}bVt)Gn)TD6YQ?#}ddYLYrpxGlLU1Ic{|v7vAKx${qg!Mp)VzX9 z_L-c_i4PAyJkX0nl&WHo#1yLb}hIjvfAcG8p$ zdNIJ85y&RNP5*0k`rY-4GX%2nrwY=DebOX&>(u;21J8oD7H$x?K{%8>z673r%IJgvx|H>BAm#N1?sjDvfB`|%r^hndqHrXPq1bu@kWVn1GW z;l>_hBE*yIb~K%kf}dChmU?(dc{q}-(=?tED|l3@cxu$lr`lALWgz9UsZ|1-y!X15 zr3fG5L(s8CqDH}2Q!)f6aZ^iR&Z!QCVl64n_st#T)P4=QT8*?no%u43wO_)9a^bBs zsK&<5he6da2u?rTUv2tmefGKYv?2QfjXoMx6Eg_L4oA4mAXqh6E$gr6{e-YK9imdK z$+{Z^bAQeRO_yW_!MwqG{}Cd0>8DgC>Jm)-{O*s=FoA0 zDHsH!JsSk0FJB1V(KHASKRHyLc&)EKv+V+XJn1!pBO!gMzhx2dOM)p8N3iV;$26sr z4|aQ7wkiPB=J^~ulC6l2=+Z<-Q(o}tZ)$}Vbdzz~uWa;e$z55x**tomL4)TEkG@&B zh!$to;S+-svUKDfGQq@#zQ5JbW^m5KdBnbQ?nxeT(42OVj$(lAO4Kz_nX1mf8yj0t zk#Q)nsfF~s2Af(?jhUs#!8l}~+m#bGwUCoZCffn#%l_@akJ+Q1Wx@&JAQ>}2%Gnmv z4Oy8@m-b30c}4(Y+jMN+qP9UN1}xb0{>n#SskaCOf=;plm0MFs#t?iSm+{!YNyC#w z7$B`JHp*Si$W^DJaw(XRTVEr+GK+ph`SxN)ZhiR=*ord*WdRG0pE*dN zHINj39!qJbmL|x(k4KnjMQ)y4(ea`Ua|vhTBZAYm7kP$hrB)PWR{S* z;xQJv5eDZTO|kQGoSQaT1z)Mdg1psY6Gv>Jtb$&XBUUHn+DSP{9{x#riCzstC`qM& zCwVVTf#wDvD^1rDO2w3hn!om_RP9m8+G9@FZ8~t_(m{$6Ao<1wG5L^S@_ zOA&dOM)JBh<4A6pt_SJd;(@#AGm~!()dxRE1!*Wx%yd2a+X$DLt`y7K*Iyrhi?HU> zk7&>Crt8)RE=2|Art8tcYSW~8|7R`@)idZPQ()0_bp?jhl9)ywVwi&IO0leS1NHvT z63iU>A((>c+IuW(WZAUI@44=s@4n?7Lx1@0;il<2@95-e?c@FR{#nx|*ZXD@9CgTl zX<4qhaas&!$vAW4lO{=Dwfpe!D?=S^ypqM{(=b_>ZcoW84|6I;yK?*E%A#G^;huqH zi@$|!`t6mK+s#b&08-fGNwzaAgJQlJ7oIEIBf(wXQnmw;!*4NU6A!mg-_fCEKk2J0}VCJ!2?Of|Fkh3&a%O!fK6+~GYGs4d1)UjxnYgc)ZE~=dFdi)ep5<{X2sW| z0w|c5o7d61KZAZmLH1%^F8IkGvU$nYVs+xl!6}=>yj-y-0-1Ta@z1J*@2;mmOCY<~ zD@ZF!dE2eG7NV3lm6~&SFQXLf%V`7EDY7p|3FpjXeg7)Q%=ck8hAhR!L9vZAx9P6w1 zeq;LN`tT8gqB-Cj{dYw}5+(xK0B&81W-+70(^F{eKizxJJ^vsdG$l)-X&bi8OS3RC z2vr)b!h%phPQ~x!K%o5H#o_=-OtP53m0Vx?8dwzLfAL)4D+p#7D8J zOqi3<2(f3;S__w^1h0{G1UFFXiR%JKBwhhhdbbuobAK4~4NG*+wr`;_!&mj2GYzYgl~6mi#P^x!7^Yy0vdKG8PkWYNHf|S~f-SnU=P>H}Z4ZPF zY1*QD&kj{*&iB=8);ut|-u67fk&s^KYa64%&?%atI*5W5VDq+ElekIHJX?MHxx7vF zu?A*iIpL9M#iq?`bAM+2qCQ(1!=IhhlOc?#soOacV!{xVR~IJT#0+5w3wG6q@vf>J zq{*2XjICec;EynuUg3;4Hc(S~5|$EV12v`R7A@PSDTC)6v{6EeNY4yfSqn}%d0QlK zXd9+tbL4BbmXk3iU$C{T+;*PIky^`ZfN`vr&0Wh!yKGE(Uv^qhoP31r z&hDX7tUr1&)n+~`3(9PHRol-^nzC6;wWB8@keO|izjOkaKaUp_mzUiVvqqG2#9H{|JN{BWPDU7aEe$+lNNSvsu7EKSXaEQ#N}ykfE{ zvQqjAgmQjyPYFI;G?QoJDc*uB+%@jDqg`Wxf2(Di$(XsA8hDP$fo)5+tM#}EY+0&! z8VrOMB>u>@vBHskBaG;)CFp@CuBF%LSw=?|5{4BFy{vr*4C_%?r%ecxRA%+Hd#%8o zvfa4MF13a6$r$U2PEmxJu_wKz9H@nt`n&_rB@vh?1xuCLnhf7Ua1&zxMZ8li%uvL+VsUHD3b%dBjQ z`0nbjSNx2y_8d{H9<1yIzhHtkQMr{(=I_{~de+a0+@@nxCWaKEmEBv!ch6~tDOlOZ z2CEYT_3GCM=IBX*nUIxzbm>E(JDOJZ?q6J0?O4-aFB*Aha=qjX!BK~-knrqX(0V0B z=B5}KI$n}SijG%UYT2PIH+dw?mQ|Bk2emk4o8?C14_DWjdefnZy7{Gb7`nzUuB+?# zx`Phes?I~uQ&1g7lC4)RiHs;Ofw7Wo&SoV|Gd1QJFflbdh&I(c3g42S?YU@@Z*>Qv zx+y$KQBXU-RH&Qv32hPx(Z@SdZJo@us0EPae20L9sWBU5OAOfygMA1T z`Az+l`F;7htGLdQzl3pLZ!Y9aD$brb#$Yd(dFM?ivBgv2vHHmt;T#iH&UxIWl5@^4 z4C>^L8Gm*GIeDA%fg0RWX%*_^t&+jU{u;8?KSZ}C54Q5f>Us<~eqoU%onwsS8AEx;FF@mBQcc;YH)5k1W6~f_4NkOkc*EM_*H(a%fndW>CKr>Tx~`&` zw*FA2z^T$j(xylZ0wK?V3t>Zf@C#H7rNMrB+ng}i8wUTW&-Pb4|E8X~X3pe#)- zXtYnv;Gg+iglii7o5WMuBvzmSgW)#Z^o0@Y}NaUcBnNACUPC+^{k>GNuAkHOH$?HzVrY)@5gB(dRTS(#{Yiat z_M?;Qxfd0rV0aZa&Q2|zf3D{}$tb3j-0(Ug$FF8TK{y*1QkjW`%NH+;FwyYZHdJjM ztPed!IENPtPTRz)dN#Z+tjuxT@Y*BCuXZjcoRd!rPTRy{oOWtyE}H(;$3o|1hS#2F zhN_Jt{q^i89;0!vilAs5JT!^*h-*DH6Y?~jOY^j*f#zloRGHdmiL!s=tC$_sSDue2 z`M3pa!YomaDdt|Q^P=btOVMHug33lfYJbzdYct(8?~E814z$#^aN67e)g{r$YjO(u zpQeup$j48bEVjrNC70|gHX{pdAg0;|sPy~rV`bY>L!y`hbU5HiHM?1ds{d?HotTH% zm!V|vq-5}v$lx)NF;%Hm?J-$v_N=t*u~}PvUD=tzB@0pERO16;VVV)CFs0XQ?Njr^ zYt}INrqAfF4*yNPbLRZX_2_1LAL%`tn8~;H3lT0e`Sd{AvCk9M9QqO6-hEf^jFn8# zw5ywZbV7aoV7=;TBDZ%Lm5JIl#&~@(5~(FIomtH=1(WaKAb<6G@hXDZ_ho@8n0)(s z-bt}%^@7kHO_OiO4~MGRm-^~+k1Zf)eGS1;hrA?aP_ERnwR#*$bKNMT3??D$JkO3X zS_I}&uD|EdU1kL$nwv_t-&ZS%z-}s8dh@|twn4#yH*xnT**M&Gu;U*sX=)sUmpunr zoraN&fU(i!{B(-kw>e}KTrS!u1LL??$u>?s1nbIUt76(->TKE)J!q^v+!!*l{*BSZ zw)F~Hsy85Z?jdL}wL!JrY`R)HpCU#D78x=!^tfX=M`y{PN{%iaWI8ZwWqw0IZdXg_ z&#Gly$i@)MYM|wj`J0oSN}ECus+Ab8)o#QaSybG?5F~g)&-#`jiJPLu&0=mAbFq>N zTD~Q!hJsnV>D#0gM(9UWXD?>)kzdLt61H-yjh`EwvQ5n5bq6DmnZ@(}=j!;M)GJ2` zWY>2Tq-_>YE$sKb>6TJ+&K_bEQ`~MAj|^1j`s0*>^0$ zM6-DJD7&^9So`uM*DkBoDI=19HO}{5G&PUwtQ9I^_a2-90zq~gew|WJc~ByNU4&a z4ojzQMos9Oc(pGzE$4ptoEpXj*x81Iky^*+E8Cu{&yQcgc*i)tHjZP37n+-9-_ZSG zv8^9#W(IU3v0z_KzV#z;I@W<&;8a1J@!Y3GFxV~wI@jZ*lTScy?=jS=4s_1@H)4|j zok;B8i$uFqV6*EpW|IJ&2Py`g+kf-CdKe|p*;=2SYN^RDeeygo?rE@tk`{$HV=x;g zk|mfklxj>Vh%*+N%ugLo3{_~}_$6Id))?5M1-jvE=f@4`4NcjJ?QFmM=CI!#>8lg_ z?B=+t>|sNEZ5`n>0T7)xO7=yX847?IVhVUl3i2}B%vxmKX#q7_I$PeIAd$PXI>KI~ zOJ^#j#K5X37=tP4i5WA5q@=*ve<4M%(<}v2K(NynSWri>Q=1`;RT*BYLRme8C;`(# zvF#ayP_u?e)3E#Oh4N2IlpFWZLkv|a@)06Z@0KtIO$!+pogu{2-&>*PaRMP;nYW@o z--jQzbCn>(mW>=ZCBT<$c%iP(9!7{;U(k#KLOeD&TicMgJqsoapL9$T2r;o^Js^2* z)fX=kmtbWhLcCN%Z-lk42A?_jF;-TvV1__rbnWGCYAI^_v1X$Y;@bM`37n3z7JPQT z#C)nji1W5sJ`o}As>{yf%>GxwXEA=zpK1`|x|dh#QGlgCoY~*n+AC}Sj~@Az=U2j% z{|i{bl#hrjE8v40>EYcU{UW<_fw{;*3k4n=41A-9%wGcoT_{$HN0S) zMnETX!)4>^Dqc+0$P*>h!++{dx%R1XvG}PMlpYHZ<-p}0+0nnt*I$4lw{L*Lp~&hY zV=dp;>w4y2E(E!a_%RNa#K36! zLLR!>%bf|!=`BYaQ=m0f)&;$A zQH0IkFD;z@z8mVY9MQU2ng>!yYi9^**mksfhN5!RCKOq*d0o|^5HF;xY63!{awyi7 z8dD2j)6Y7wkhN~cWBy_jYSCP%WFedPF)w7aE@itH)%DrS3)#N?no(HD&JNC&G~}n- zz+~$d$E3WF4Z6AEzctRDJ#ymYuiY`G@oTr@g_(iLNXMLC5R)(w<2rVR*Rf*E0|W+AP2rmCBn>Rt>ryTn*k6b1A}J__Mpd@eL( z{~a%4#70h**|MwV^ie1dTZ^u8EOoUh?f?QY;zTAd#5%l+i^?)mrYO4CMS_N|ik=?| z+*_g$1u}h4DGW_n`=Y6^MM|3FZn{ph#ww>K)q@&RyrUYNqOD?Msgi*7?k>aduSBz< zSCB_NJC>42h7n4`xZ%U}#;P08YOUchudX@FC?~0LVYuKRVR*gL#hW}+;)go6AZUd#|@!yhZkl>wmbzBOz$e5Gs=ucGo>J4l%4cZdaYh@ zDYWY(O1AHCt1^KF2s&q8P4?UWiO=`6Vu$lTU@Kt*(@`?|`g_BF70|*`q!y5)M>IEs zKoKU}h6qqQSheDZSKaRSW-oj~1jE7?5h(U%FXCfp9Uyn1$KBIKj*i??=DSD!C(e7hHr>O zfW)6#G0oi)A?+oS7N)&hEu@%$WNaPnKTqkfcPAUSjz}~uww7$#x>~_@*-B=+HoQ6z zkG0{%eUiu+6%kkVT|*&T6)7c9YMO@iAoPSHH>QeJN7(pv45B``Pk{=DcOsdnkU}+5 zzPJwstw_xPeM2a)aM(c5W3dHfm2eL=X;{~};{h>bZX1P>e98io(G^_|(80eL6y$H4 zs3v6NqzR1@F|wKzjf-$!dn@F81OsbAmh_yppTHJLrFqH@Y|sEt10`1>tQI>!s!Ex* zISXG_Q#avIEdBn=$c}44EzH`A9Ez21^Sd16A7qz)T-RqGI}}G=(Tt))@fX?VKgk!Z z29veVI3{I>;+DjBP5LJzV@oy?mta_$CP= z`H9Wob8-{&sm7z&`=;e%Jc`|Q`N{3z^8|j-pK3gcRqJ2TqhPj*jJ5nfd_m=Z_sH9q zzfzwseG9BG4t`R zqj7BMdNo`M=<8TZO?JFFzwp?4q$zB{xWafz2LPRA?|zqZ>GPUh5q=%RS?$k(*N$bV zMK-E?_|?9e2nH)*;1@pLvgk)3w|xcbR0qERrj;v~ANj=f4fco8tt=)Oy-HYwT__V4P*ML|31 zY^CH<^};|gj{;-cjB8#=B2rBaPd&h;TuW}tyAj0>!wQE|#f{2hi8x74QW%?=0b|)J zYZX*$O9_SA}K!9}U|oiX#}5M0m$w z^MG|!fyO{4^G9C#j7zvVKSH;oP=W#X!iYi%2IosbF_KWQ&%!$f2s#HmMH2ui1v}6l zZpuM8`uM8~ktU)F=jOf&#Eu_E?3HX&&biFnloTY$j&7~%v!A013xA{;g{Z=ouV)Jz z@?}2+lR4jWOv+J(n+KIoU>-Cm*`3wICHM<5s<5Osn^T)_d;xrpu0$Q}FUXE$R&l<~ z-d8jm9aX@0;#T&`*S3Psx)+&GHBp7Rn=PLhRoGsao$Z;Q|1tP1#ZQ${g*`8A(xU(# zb;!3_u>>cdBHw1`vzrj3e+{hQl&tGPkix(F0zaJR8pDiu&u8J-iZoTici`a0=rk7f zVi>9=O1$$Z3lNlxhSLEIT6eBVYOb^_ z-mD&aAvQ1{AHz64A#c5mr@rx3j1D~YbZmfK$OH zL2Tgc3L+Thx`_=SgL&yPkZXGub@W`9G$1?IT@c%Gx7gfLKlg zR!VgebF3i=GlCRiS}ZM!4Ld7(?W-(?orzimDY4nH6w8-cM)Olz=mprO`I?O#eRh_E zf^PAY4Xn7|1AxO&(Ur@o05PeRv!g^3+b>$$r9_V0b!7A_Wm@I5`x6X;?iTO+gp$IZ z5IyElX4Mq3c}0t&6M1|Qzjc<$)Uinq%mhUEVk5@ncKq4R{ZSL({+6g zFhp4JubNSS2uHr2wKU}Oe+DL3HajLIh%o4;^2S5IzPF_2bIW_gC76u}5q8zk2JxzQ z!RN?+)T!>Jt<&wAjfMzFLtfY`@Aw7y96iWl59#3?VLsJt zJe=LVRhcJ~$~5Prx~$`~9{KJqTk$=JPrwScX<-2(@Jd(!1MVd)d()$Uu_!AqaxSbs z+M)v=Yp2ZE_-zHXGP=pqus#h09CVS{;pT6^0W7qX`P2=)heul$>e{zfcYGU({WFk| z3%{7lrEe^kF5oX$EJ&E*PUdjQg=uiaM8p1!14dq^(WESvLBjk z46i$##CPC-_&RbL_hF=91XKqX7Hrb&if{p22~WHVUK=-{7I;+v7Y=MCf??iAxPV;Z zRXy{In?Y^^e$2cVV31XwOZ*dJlYk5OcGjud{P;GoS&pAHT&Vnor-QG&p&myOE?nBu zE1QGw@?HAj8%UV^DcC_t??d;iD6tEU8k+ zYK7T%)s6P~BL>EFi7xpQ29#4F6s6Y!Rr&?t^dQiK1U1T)O;5UuhpgDHr&R*%Ye4pUBC}Ho*!lcCfAEyBOSTjrJU!^LEPkmO1+cUH8`+XS$#?AsleV8YCMB>lcu*Pa z^u2jN%4jd?ATGh^MX+}Vhkn#6+l)8VHy`{7j>J9< zR%BUg3B-i6Hkzk2&6+rimR*-VQ8@Dm$6R(^h{y&dg)vevM5TZ>e>v0=*rCLwWv1%8 z*)D|h5+mG--3hl;Kf*oR z33og8APQiy5mRzmA99A}Y<>DD)48Exdm1l#Ib=Doi5@=sBZXK#DHlFwkP%)CSFUNe zB>Nc)Jq#A_kqg6xBO8n;t2A6Wvf+-EfLGIW`sH2Y_*61-FJuG*VYC1)166g`<@VC|GYd!^= zqbHb+Bh&k@B_-wDUuBhld3F20?^KVYh#pV>u2**8aeNZ&y`4A*@7G`lB|XdUrW>oOX^AdNv0~rb$uqKLl}~=t1F0k6e5x#T&knfWF$ejSjkOiAw`(X z$nA};K|O@cOr>aYZ0~HgZ&&tH_}k>)pfnLWB6T`&oMdn|&zn`DQb_)#QmqOO37N)5 z<&51-vDFa+I8z?Xa1cNqn-eeUr`!?JxFjIE+M(B?%z)?wU!#8-#x=awxeuVhVLS{8 zd;Ss7+uj);Cmv`-Nx8uVFr&dFOGOrp{KGn+oGk52SoeyQCM|3bkCY@YO=8`)64P*0 zg_b4_LFGq~b(V)jV@(xVqU|F<%wISzPiN(W93alE~ zL6D*XIT=S%EZqr%Cq5c_mMPmi=l9wsCZPY)D=>#AE~6H$8I?f)CC_l2laPG29EVdK zV(5STxi^*Z4bXqtH?r;5=6e>si3IC8r~xKr=-;n@Vk+w@1^gsTRW}~4$4&=I2m!DV#J||ybKGi_~)(w_Vg#L%{QF43~OSEhKdlGi*cnx&kHLG>MxB7D_rc0WA8;!{~UWQi8Ip>yfs5 zSrZEn$-G-K8y6CeEJ8hm9V!#ismYVs4m2e0|~ zVY^cSR(+BPhM6C+Dk7cRdgf~$-;EuPxu~OeI0Thu6-PQZv=EyFRz;-qFtF-VU~_an zvq@mp$~Q*$J=3Q2Q^cx={vBBLF=Uqi=4Xh@d>`!aK<<&8>C(iM)sJGGf;)62w?c+h z!vc*T_3q{asWDwuuu5EZR5A{3x>Yc4zQw#h;oThtsYf9%`MaAox;KKL{&N|t#5DfM zQJB0Mpc)MJ)w-u~-&dhv@Sd}oGIDf~m`$w|bdBu9;#y(^TcpHUM4?8oE?8cT+X&Ld z0n%hR{R6c;+t8ABWJ2 z_epZglqCt39Wx&R{U*Q6=PIa8eP5cC1^nEZ`awh%=7xrrO3<{6J&U1o<~rD|bbwbX z`<->!zjBaRt{h#t@^s~r`xoC4^n|>U0-EOAPE8I(GhC;HK`tr173jM{FAdtW^jWgh z#GCu(J8Ga7pzoaLYO-aM^X2Q_L7v_R7||H1)j{9+Khx}rVcK;y`S!QK>%=b90Z^j(Vs!`eV@J${URx_an)@?Bz+fW8RR?y1c`-v>4;@dGvq=)0%l_XSUU z{&V#>iqN;ctv=g`;~LiO|2eGgdte78Eem1VF#0umkUjoT=tiEPjso=Zv6`@sb5!eY zJ^9_tlIA`bCTphT2t=5xKrpYi0>Ohg9#M5gL9giXBcx$(SPLsKfVZ%X+!8(#Mp48F zh+XfyBwVbV>TwC{1OA(rPm+y9urAq`DOJ=Aoh|wwU!77#90>q69I5Pd+xRF<5Y;A7 z>Ld;aCgo`qsu%cknl9))lUwf!uJxxSpjq*@98VvCslOHV7ckY2c= zEq4OeSbf8j$Z{UJfhQev`B?`RADR3?m8m6>hPUug1c_Al`6ZjY;VWogLnZhQ%8@s)J}EY{5Z^qJ^d1g&eFOL(@{p>*_|SQpCePYWz4(tft(GGL^K0p_)K>w9%#N zMIK%Qs&+g#u|~ zJhs?#_rUzYe$H>BN6KTZC^%^sWo{TW{Bx~%O=QA@gXMfCDdKI%P*!xlC}BowI@=yL zLivbgzbk5s+^VN{J{=R;IAm$U1%=nbHl^n;g|xJWGS5WHJQq9|F9f%B8u53yIVwmK zRYPvEEMuljon1Z;#`C+2j`V}y=XOKFK{cYOvghYZxE;g^Er?ZW9cx+juCic7hj3X< zws>OR`t-ZVrP%>f2NPDEL%6(Evnx7;oAHv^8t^)^8nwWy0*A0;JrN8GS9A!Gw?hZW ztOdE9FQJZJxU@qUmovGWQd9dTVv}$P@e;;H93Zm+Y}Vo@?GRS}ZM6%pzo#BY(INbD zZ?EhSJ}S9k@q0Mr@HMc5lHLgC_sLwQ?`-P?L_xsf8-{wa#7Koyx{if*sazZZQ4R%{ z5^)N~B;+SZ4oQ$knKoxkMJx)U(<11MQ7~@Nb_yO07C^iirPxjv3`Q6DzJ2c;5K zcU`sFJl_0SeKG2evPWH%B;lkB>nkAgcg^II=-m`&o1}?(13zZ`Sf8r=C6uB^ZgP0Ub73D#mJaPAX;;sgSP@6( z;Lz$K_f`6hZ9s#=n|kYM72G$Y4jvEM{0p06ntsqZ+%e_xsxQ73&mrn3UZ?Wl)FCuN zCkzHrEj%(&8-|el8L4;Oz`IzT@q~^-Z}nCdPf#hb;{rMUy2G7~jC6Mkffo!W9~i*U zl|N;KU46%ddeW zn=nx?avDW2uNFOQLqsyh~o}ov0@vo%h~Wq`f!4;WWdY&{5bs^UU^zH7{MJAAzMi3ltTw!X(e`^VJ9EV`tH6_6_#_bwmNI&B$ZBirnXh>K zeH@xO7j?9y6rasnO1Ybo`#=k^NqBPjVBxviy!9!tIX0i!I5Or9jH}q%TlY()pQ0zX z^3(ck&+?jl^E1D!&sQu2J3NuKeD0MoPizhZBZ_+#OpMIq09M7r3pKYUH=@h%LB8Alv&e>O3R&xL~8j?yG zq<+zsjD-k7dGHAni)zu;lDKHdjD=7*@ZWT)t9H^-3tg^{O~C|jr7G%Gar0XqMkHOF zD6u3wi+GE6y;COcw?EaUCjp^bP$56E1GQjvDuU2ER`E&lgov|wJL~#%xV@<(no)qz zd;c=qb#4CTdt}<)bWBPR`j%U6DeX=59gy6cTKX|@2@6An(0I||96n~z0X}Q-V-^Mh z%XVRqyD6=$`AoCX5c+I=wyRfu@)Phmb&UB`1ED`ZWBEh~y`fijp)No8Yw$ULiuqIn zp_hO9fm(nJgx2gWhQn+~8B@4ER)C%+*Z zO#x6QkwT^pol^-fQ7*MfHFN|U9;@V|-5xDfhDsd}Rp!P?qHcKnsqXloy1E1L2+v9c zgS#0n%%*~;CWW3Rk?JiZA&#Kfk_(Jws<0KCX$ zJ6)U4ISMx0KVmisz+3q%$Hx|aq@GC;@NU`LJ3EWB@3)`tsK@8ibvMnWU!BC&1qexV0n|vTF#t(R9=a}#V|cH#ZU|X}w5=Cn!kUIo3}!lD z=VbLsSc1b06cl!>K(Vn#fdrXDLBwE=G+}Ki)Y>ID9qzNK7wuX&9XB6DLym65Xi>f0 z$uC`D&4pJkjFZ9uI}{P3G+pJOdMMWYvFG*J@zT!@m^jIz=&n-;DT|CyxBMv`m+tio zaq8$us(l69yF$#`kBmqvaKSL~LPV;?ouD-5R69J~pe8#uL)cuNz7&g0X7njCZoo<{ zqbhB}(lVxD{K}WKK~2E;t*sy7$ix>>3%0Z(7{75B!+1jF+1?#>eU7?UOSWo84#sb< z&kp}-w&oA>Ih(*_&sxW%4CDKjQ_ODapFFzx(01YymOBsQ!Kbw*TZvaowt>$U{8S0! z*X`150*nWrEj_aZJ@X|$1)r5Wm`^n@e(&3skB9N#bFwx&Sev)+2A_*>F&|mA8+wZa zLd$pgZgTm4`>0x0Ba8>5qgQIO1^+8w{`ye>g?GS-mQ)UeyHCBva~a%;Z7zk&pWfCS z&oFXd|6zy}k9Ol_P~VHxIJ#8G2Xkwyf?4n%+}u(3A_);_B!$jZK-F z7(XQH8JT90mkWlW0e?lRNbZJ)$J1|(NPO126&#h&8A-m!YJW}k(5R|!?Mvy7hrj*~ z+jVI`raJuX4$bt{Tofg&MaIuiY{XhIA-V8vjaKkf97Y#);0BA58hV$$_pus!8f9bf z?R~aK_W7WE?Ijv~?_rE$@TpIGhK~li!P5PwrA|JjnMHUFR;{&J3-){Fe~h5Tlc+`3 zu6uahv5*J`d*k6X$bH^3Yp=~ao(8#j_<_AC=K#_CEZB?eaQ-s%GbEr0hQ}D$i zuvv>Aut~t{_S*lRxSis2WaTmSFbupVX7AKy^B45UFSZ=Rd5}xM4oW%`;>n%Zg8*u< zAQGDH%rr;bS}0t3nGlknt_SXkgWjlRhX6Zq^yn* zBmHROBKK9EO0*bKsIy*zjgmr@`l2NxaO@e`C&bAu#&8KG2Cib4G`2T+AZ76ww@N!L zLzih2{t=7YREWApkE62`gafbYsTP43=Gn3y*{UA-$qkrg8}P%XsFD!;3`H1qneU-wVfPeRJtLk~`z#TQd2 z@P8)Ee)NHf`0M&v81XYEU;pRVUH|uT>)s|zxa+@*TZF4@^{F#v-+WUiwMPzXYMy-+ z)d}TPULA`JzB6I#cPacoJT!6E?5Q(nTtySN@pu&tXd$rGyHe1oZ%r&nGiln)rp^`G zG;P|Q56+x9$vwHs9$E9u8Iz_?wla0Drtg0DyVqbj9X9Itg&%&8!wTX}3{=oR@;~pMy|IEqw zd-}LB!}?CR@AhfUkB+!`#BH;tHjNoI^^U1SZW%Fsbl-{h4VgyuM$8!5w|V-shsHfR zV%CVEw@;dI+q6f<-G%x?Zyz&u%s=)Uch~KMzcsXR>i99kZW=w*(HVE!=z-0{?*Xkw z&>YxzrlyVl{fVSh93zQ!{D%5*UL?&0@7 zl;Aym{P4k3D$wDS@x%XdRP*$~509Jiw`CbB97ALK4}NIe^l38^a&)hQ`}z%@#Pfs3 zKjsg{`$II1MvTHV88V9I&h2!4Csn$Y=gTyzIh=klneY!4QFQ;G(WC{5VKi}RveE_p zxPN2upCR{;?>}&Q)0pPQ#-ZOq{lSxOeE7y2sbI)xu7v_mk1xR*|1e)>-E-UR50CFZ z?mKin=FVGgyzwS#&-`w6{AB)94f;p&4&mp6KOpU763Iyo?v39H?T4o2b?rwFzn2L& z-g&p@M@qrJJ3{-e`a5O(jFAJz-3PVZaVxdIhfEs@)=7U^ziM6(r^Z|FM5Dg9vQg|t zzcMG$=x)>>JQF|6uW<^KqKDv~7hgKl=j{OQ44v%jH#Xiw6^4$jsQtIcO&L3Y$Hyq! z{?-wN_B<$fyg2@>dbWY?8vTC+52x`qZ=dO|(>EHyPNRHm&hz@%k+G zkJf-j*k}BXqJA^KYZ|V5py@#@&$GYQ{J;ZWYkKg(nU7re@WcmaVX?lh-+&wX-q82j Yoqu}GHC_Mjngjo*_ceDmj_&vW0WDbT=>Px# literal 0 HcmV?d00001 diff --git a/examples/proofwriter_test_processed.json b/examples/proofwriter_test_processed.json new file mode 100644 index 0000000..188c706 --- /dev/null +++ b/examples/proofwriter_test_processed.json @@ -0,0 +1,8002 @@ +[ + { + "id": "AttNoneg-OWA-D3-1881", + "question": "Erin is red. Red things are nice. If Erin is nice then Erin is cold. If Erin is cold then Erin is big.\n\nQuestion: Erin is not cold.", + "answer": false, + "QDep": 2, + "original_theory": "Erin is red. Red things are nice. If Erin is nice then Erin is cold. If Erin is cold then Erin is big.", + "original_question": "Erin is not cold." + }, + { + "id": "AttNeg-OWA-D2-140", + "question": "Dave is nice. Fiona is quiet. If something is red and cold then it is quiet. If Fiona is quiet and Fiona is blue then Fiona is round. Nice, green things are red. If something is nice then it is not blue. If Dave is not blue then Dave is round. If Dave is red and Dave is not round then Dave is not quiet.\n\nQuestion: Dave is not round.", + "answer": false, + "QDep": 2, + "original_theory": "Dave is nice. Fiona is quiet. If something is red and cold then it is quiet. If Fiona is quiet and Fiona is blue then Fiona is round. Nice, green things are red. If something is nice then it is not blue. If Dave is not blue then Dave is round. If Dave is red and Dave is not round then Dave is not quiet.", + "original_question": "Dave is not round." + }, + { + "id": "AttNoneg-OWA-D3-438", + "question": "Charlie is round. All blue, smart things are red. Blue, rough things are round. If something is green then it is red. If Charlie is rough then Charlie is green. All round things are smart. All smart, red things are blue. If something is blue and round then it is smart. All smart things are rough.\n\nQuestion: Charlie is not green.", + "answer": false, + "QDep": 3, + "original_theory": "Charlie is round. All blue, smart things are red. Blue, rough things are round. If something is green then it is red. If Charlie is rough then Charlie is green. All round things are smart. All smart, red things are blue. If something is blue and round then it is smart. All smart things are rough.", + "original_question": "Charlie is not green." + }, + { + "id": "AttNeg-OWA-D3-1686", + "question": "Bob is cold. Erin is rough. Fiona is kind. If someone is blue then they are round. If someone is nice then they are blue. All rough people are nice. All rough, blue people are cold. If Fiona is not round then Fiona is cold. If someone is cold and rough then they are kind.\n\nQuestion: Erin is not blue.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is cold. Erin is rough. Fiona is kind. If someone is blue then they are round. If someone is nice then they are blue. All rough people are nice. All rough, blue people are cold. If Fiona is not round then Fiona is cold. If someone is cold and rough then they are kind.", + "original_question": "Erin is not blue." + }, + { + "id": "AttNoneg-OWA-D3-867", + "question": "Bob is white. Charlie is smart. Fiona is cold. Harry is smart. If someone is smart then they are young. All white, rough people are quiet. All smart people are quiet. If someone is smart and white then they are young. All young people are quiet. All cold, quiet people are nice. Cold people are smart. All white people are young.\n\nQuestion: Fiona is quiet.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is white. Charlie is smart. Fiona is cold. Harry is smart. If someone is smart then they are young. All white, rough people are quiet. All smart people are quiet. If someone is smart and white then they are young. All young people are quiet. All cold, quiet people are nice. Cold people are smart. All white people are young.", + "original_question": "Fiona is quiet." + }, + { + "id": "AttNoneg-OWA-D1-1249", + "question": "Anne is blue. Anne is quiet. Anne is white. Bob is blue. Bob is kind. Bob is nice. Bob is red. Bob is young. Charlie is blue. Charlie is quiet. Fiona is blue. Fiona is kind. Fiona is nice. Fiona is quiet. Fiona is young. If something is kind then it is red. Red, nice things are white. If something is blue and white then it is red. If something is quiet and red then it is nice. Blue things are white. All red things are young. If Fiona is quiet and Fiona is nice then Fiona is kind. If something is young and white then it is kind.\n\nQuestion: Fiona is not white.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is blue. Anne is quiet. Anne is white. Bob is blue. Bob is kind. Bob is nice. Bob is red. Bob is young. Charlie is blue. Charlie is quiet. Fiona is blue. Fiona is kind. Fiona is nice. Fiona is quiet. Fiona is young. If something is kind then it is red. Red, nice things are white. If something is blue and white then it is red. If something is quiet and red then it is nice. Blue things are white. All red things are young. If Fiona is quiet and Fiona is nice then Fiona is kind. If something is young and white then it is kind.", + "original_question": "Fiona is not white." + }, + { + "id": "RelNeg-OWA-D2-510", + "question": "The bald eagle eats the cat. The bald eagle eats the lion. The cat does not chase the rabbit. The cat is not big. The cat does not like the lion. The lion is cold. The lion is round. The rabbit chases the lion. The rabbit does not eat the bald eagle. The rabbit eats the lion. The rabbit is red. The rabbit likes the bald eagle. If someone is cold then they do not chase the bald eagle. If the lion chases the cat and the cat eats the rabbit then the cat is not red. If someone is round and they do not chase the bald eagle then they do not like the lion.\n\nQuestion: The lion chases the bald eagle.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle eats the cat. The bald eagle eats the lion. The cat does not chase the rabbit. The cat is not big. The cat does not like the lion. The lion is cold. The lion is round. The rabbit chases the lion. The rabbit does not eat the bald eagle. The rabbit eats the lion. The rabbit is red. The rabbit likes the bald eagle. If someone is cold then they do not chase the bald eagle. If the lion chases the cat and the cat eats the rabbit then the cat is not red. If someone is round and they do not chase the bald eagle then they do not like the lion.", + "original_question": "The lion chases the bald eagle." + }, + { + "id": "RelNoneg-OWA-D1-2622", + "question": "The cat is nice. The cat sees the dog. The dog chases the rabbit. The dog eats the rabbit. The dog is round. The dog sees the lion. The dog sees the rabbit. The lion chases the cat. The lion chases the dog. The lion eats the cat. The lion eats the rabbit. The rabbit chases the cat. The rabbit eats the cat. The rabbit eats the dog. The rabbit sees the cat. If something eats the lion then the lion chases the rabbit. If something chases the dog and it eats the cat then it eats the dog. If something is kind then it is round.\n\nQuestion: The rabbit does not eat the cat.", + "answer": false, + "QDep": 0, + "original_theory": "The cat is nice. The cat sees the dog. The dog chases the rabbit. The dog eats the rabbit. The dog is round. The dog sees the lion. The dog sees the rabbit. The lion chases the cat. The lion chases the dog. The lion eats the cat. The lion eats the rabbit. The rabbit chases the cat. The rabbit eats the cat. The rabbit eats the dog. The rabbit sees the cat. If something eats the lion then the lion chases the rabbit. If something chases the dog and it eats the cat then it eats the dog. If something is kind then it is round.", + "original_question": "The rabbit does not eat the cat." + }, + { + "id": "AttNoneg-OWA-D0-5925", + "question": "Charlie is smart. Gary is red. Cold, rough things are nice. If something is smart then it is big.\n\nQuestion: Charlie is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is smart. Gary is red. Cold, rough things are nice. If something is smart then it is big.", + "original_question": "Charlie is not smart." + }, + { + "id": "AttNoneg-OWA-D3-150", + "question": "Dave is smart. Erin is furry. Erin is nice. Gary is nice. Harry is nice. Harry is red. Harry is smart. Big things are furry. If something is blue then it is big. Red things are blue.\n\nQuestion: Harry is blue.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is smart. Erin is furry. Erin is nice. Gary is nice. Harry is nice. Harry is red. Harry is smart. Big things are furry. If something is blue then it is big. Red things are blue.", + "original_question": "Harry is blue." + }, + { + "id": "AttNeg-OWA-D2-624", + "question": "Anne is big. Anne is nice. Bob is big. Bob is cold. Bob is nice. Fiona is cold. Gary is not cold. If someone is nice and cold then they are smart. If someone is nice and big then they are cold. Furry people are round.\n\nQuestion: Anne is not cold.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is big. Anne is nice. Bob is big. Bob is cold. Bob is nice. Fiona is cold. Gary is not cold. If someone is nice and cold then they are smart. If someone is nice and big then they are cold. Furry people are round.", + "original_question": "Anne is not cold." + }, + { + "id": "RelNeg-OWA-D2-1753", + "question": "The bear eats the cat. The bear sees the cat. The cat eats the bear. The cat is red. The cat sees the rabbit. The rabbit eats the squirrel. The rabbit sees the squirrel. The squirrel eats the bear. The squirrel eats the cat. The squirrel visits the rabbit. If something sees the cat then the cat visits the squirrel. If something eats the squirrel and the squirrel is green then the squirrel does not visit the cat. If something is nice and it eats the squirrel then the squirrel visits the cat. If something is red and it visits the squirrel then it eats the cat. If the rabbit is not green and the rabbit does not see the bear then the rabbit visits the squirrel. If something visits the bear then the bear eats the rabbit. If the squirrel does not eat the rabbit then the rabbit visits the cat. If something visits the cat and it sees the squirrel then the cat does not eat the bear.\n\nQuestion: The cat visits the squirrel.", + "answer": true, + "QDep": 1, + "original_theory": "The bear eats the cat. The bear sees the cat. The cat eats the bear. The cat is red. The cat sees the rabbit. The rabbit eats the squirrel. The rabbit sees the squirrel. The squirrel eats the bear. The squirrel eats the cat. The squirrel visits the rabbit. If something sees the cat then the cat visits the squirrel. If something eats the squirrel and the squirrel is green then the squirrel does not visit the cat. If something is nice and it eats the squirrel then the squirrel visits the cat. If something is red and it visits the squirrel then it eats the cat. If the rabbit is not green and the rabbit does not see the bear then the rabbit visits the squirrel. If something visits the bear then the bear eats the rabbit. If the squirrel does not eat the rabbit then the rabbit visits the cat. If something visits the cat and it sees the squirrel then the cat does not eat the bear.", + "original_question": "The cat visits the squirrel." + }, + { + "id": "AttNoneg-OWA-D3-150", + "question": "Dave is smart. Erin is furry. Erin is nice. Gary is nice. Harry is nice. Harry is red. Harry is smart. Big things are furry. If something is blue then it is big. Red things are blue.\n\nQuestion: Harry is not blue.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is smart. Erin is furry. Erin is nice. Gary is nice. Harry is nice. Harry is red. Harry is smart. Big things are furry. If something is blue then it is big. Red things are blue.", + "original_question": "Harry is not blue." + }, + { + "id": "RelNoneg-OWA-D5-392", + "question": "The bald eagle likes the mouse. The mouse likes the bald eagle. The rabbit likes the mouse. The tiger chases the mouse. The tiger chases the rabbit. The tiger is big. The tiger sees the bald eagle. If the rabbit likes the tiger and the tiger sees the bald eagle then the rabbit is rough. If someone sees the rabbit then the rabbit likes the tiger. If someone likes the bald eagle and the bald eagle likes the rabbit then the rabbit is big. If someone likes the bald eagle then the bald eagle is rough. If the mouse chases the rabbit then the rabbit chases the tiger. If the rabbit sees the bald eagle then the bald eagle chases the rabbit. If someone is young and they chase the mouse then they see the mouse. If someone likes the mouse and they are rough then they see the rabbit.\n\nQuestion: The rabbit does not like the mouse.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle likes the mouse. The mouse likes the bald eagle. The rabbit likes the mouse. The tiger chases the mouse. The tiger chases the rabbit. The tiger is big. The tiger sees the bald eagle. If the rabbit likes the tiger and the tiger sees the bald eagle then the rabbit is rough. If someone sees the rabbit then the rabbit likes the tiger. If someone likes the bald eagle and the bald eagle likes the rabbit then the rabbit is big. If someone likes the bald eagle then the bald eagle is rough. If the mouse chases the rabbit then the rabbit chases the tiger. If the rabbit sees the bald eagle then the bald eagle chases the rabbit. If someone is young and they chase the mouse then they see the mouse. If someone likes the mouse and they are rough then they see the rabbit.", + "original_question": "The rabbit does not like the mouse." + }, + { + "id": "AttNeg-OWA-D3-649", + "question": "Anne is big. Charlie is not blue. Dave is kind. Erin is not big. If someone is red then they are not young. If someone is nice then they are blue. If someone is kind and not round then they are blue. Big, blue people are red. All big people are red. Kind people are big.\n\nQuestion: Anne is not big.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is big. Charlie is not blue. Dave is kind. Erin is not big. If someone is red then they are not young. If someone is nice then they are blue. If someone is kind and not round then they are blue. Big, blue people are red. All big people are red. Kind people are big.", + "original_question": "Anne is not big." + }, + { + "id": "RelNeg-OWA-D1-2748", + "question": "The dog does not chase the rabbit. The dog is not cold. The dog does not like the rabbit. The dog sees the rabbit. The rabbit chases the dog. The rabbit is blue. The rabbit is cold. The rabbit is not young. The rabbit does not like the dog. The rabbit does not see the dog. If something sees the rabbit then it chases the dog. If something sees the dog then the dog is red. If the rabbit sees the dog and the rabbit is cold then the dog chases the rabbit. If something is red and it does not see the rabbit then the rabbit is not red. If the rabbit sees the dog then the rabbit does not chase the dog. If something chases the rabbit and the rabbit sees the dog then the rabbit is cold.\n\nQuestion: The dog does not chase the dog.", + "answer": false, + "QDep": 1, + "original_theory": "The dog does not chase the rabbit. The dog is not cold. The dog does not like the rabbit. The dog sees the rabbit. The rabbit chases the dog. The rabbit is blue. The rabbit is cold. The rabbit is not young. The rabbit does not like the dog. The rabbit does not see the dog. If something sees the rabbit then it chases the dog. If something sees the dog then the dog is red. If the rabbit sees the dog and the rabbit is cold then the dog chases the rabbit. If something is red and it does not see the rabbit then the rabbit is not red. If the rabbit sees the dog then the rabbit does not chase the dog. If something chases the rabbit and the rabbit sees the dog then the rabbit is cold.", + "original_question": "The dog does not chase the dog." + }, + { + "id": "AttNonegNatLang-OWA-349", + "question": "Bob may be round, but he is also kind. The young person who is always feeling cold is named Charlie. Dave is a round and rough around the edges, and he is also big. Gary is nice and kind even though people make fun of his red and green skin. Gary always feels cold. A kind person who is down in the dumps and blue tends to have a rough side. Every time you meet someone kind and nice, they'll be green, too. A red hued and rough looking person is definitely a young person. Anyone who is both red and green must be as cold as Christmas. Watch out for young people that are kind for they are rough. Nice and green people are often found to be big as well. A person who inherits genes that make them big and green will also express a blue color.\n\nQuestion: Gary is young.", + "answer": true, + "QDep": 4, + "original_theory": "Bob may be round, but he is also kind. The young person who is always feeling cold is named Charlie. Dave is a round and rough around the edges, and he is also big. Gary is nice and kind even though people make fun of his red and green skin. Gary always feels cold. A kind person who is down in the dumps and blue tends to have a rough side. Every time you meet someone kind and nice, they'll be green, too. A red hued and rough looking person is definitely a young person. Anyone who is both red and green must be as cold as Christmas. Watch out for young people that are kind for they are rough. Nice and green people are often found to be big as well. A person who inherits genes that make them big and green will also express a blue color.", + "original_question": "Gary is young." + }, + { + "id": "AttNoneg-OWA-D3-924", + "question": "Anne is big. Anne is red. Bob is big. Bob is kind. Bob is round. Bob is smart. Bob is white. If Anne is kind then Anne is red. Red, smart people are white. If Bob is white then Bob is kind. If someone is big and red then they are kind. All white, round people are smart. All kind people are round. All round, blue people are white. Big people are blue.\n\nQuestion: Anne is not kind.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is big. Anne is red. Bob is big. Bob is kind. Bob is round. Bob is smart. Bob is white. If Anne is kind then Anne is red. Red, smart people are white. If Bob is white then Bob is kind. If someone is big and red then they are kind. All white, round people are smart. All kind people are round. All round, blue people are white. Big people are blue.", + "original_question": "Anne is not kind." + }, + { + "id": "RelNoneg-OWA-D3-1202", + "question": "The bald eagle eats the mouse. The bald eagle sees the mouse. The bald eagle sees the rabbit. The bald eagle visits the mouse. The mouse eats the bald eagle. The mouse eats the rabbit. The mouse sees the bald eagle. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit is cold. The rabbit is kind. The rabbit is rough. The rabbit is young. The rabbit sees the bald eagle. The rabbit sees the mouse. The rabbit visits the bald eagle. If something visits the rabbit then it is young. If something sees the mouse then the mouse visits the bald eagle. Big things are cold. If something sees the rabbit then it visits the rabbit. Young things are cold. If something sees the mouse and it visits the mouse then the mouse eats the rabbit. If something sees the mouse then the mouse is big. If something visits the mouse and the mouse is rough then it eats the mouse.\n\nQuestion: The mouse does not eat the bald eagle.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle eats the mouse. The bald eagle sees the mouse. The bald eagle sees the rabbit. The bald eagle visits the mouse. The mouse eats the bald eagle. The mouse eats the rabbit. The mouse sees the bald eagle. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit is cold. The rabbit is kind. The rabbit is rough. The rabbit is young. The rabbit sees the bald eagle. The rabbit sees the mouse. The rabbit visits the bald eagle. If something visits the rabbit then it is young. If something sees the mouse then the mouse visits the bald eagle. Big things are cold. If something sees the rabbit then it visits the rabbit. Young things are cold. If something sees the mouse and it visits the mouse then the mouse eats the rabbit. If something sees the mouse then the mouse is big. If something visits the mouse and the mouse is rough then it eats the mouse.", + "original_question": "The mouse does not eat the bald eagle." + }, + { + "id": "AttNoneg-OWA-D2-273", + "question": "Bob is red. Bob is rough. Charlie is smart. All big things are blue. If Charlie is big then Charlie is rough. If Bob is kind and Bob is big then Bob is young. If Bob is young then Bob is big. All blue things are young. If something is red then it is blue. All smart things are kind. If Charlie is smart then Charlie is kind.\n\nQuestion: Bob is rough.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is red. Bob is rough. Charlie is smart. All big things are blue. If Charlie is big then Charlie is rough. If Bob is kind and Bob is big then Bob is young. If Bob is young then Bob is big. All blue things are young. If something is red then it is blue. All smart things are kind. If Charlie is smart then Charlie is kind.", + "original_question": "Bob is rough." + }, + { + "id": "RelNeg-OWA-D5-808", + "question": "The cat is young. The cow is young. The cow visits the mouse. The mouse eats the cat. The mouse needs the cat. The mouse needs the rabbit. The mouse does not visit the cow. The mouse visits the rabbit. The rabbit is round. The rabbit does not need the cat. The rabbit visits the mouse. If someone eats the cat and they eat the cow then they do not need the mouse. If someone visits the cat then the cat eats the cow. All nice people are red. If the mouse needs the rabbit and the mouse eats the cat then the mouse eats the cow. If someone is red and they visit the mouse then the mouse needs the cow. If someone needs the cow then the cow visits the cat. All round people are nice. If someone needs the cat and the cat visits the rabbit then they do not eat the rabbit.\n\nQuestion: The cat does not eat the cow.", + "answer": false, + "QDep": 5, + "original_theory": "The cat is young. The cow is young. The cow visits the mouse. The mouse eats the cat. The mouse needs the cat. The mouse needs the rabbit. The mouse does not visit the cow. The mouse visits the rabbit. The rabbit is round. The rabbit does not need the cat. The rabbit visits the mouse. If someone eats the cat and they eat the cow then they do not need the mouse. If someone visits the cat then the cat eats the cow. All nice people are red. If the mouse needs the rabbit and the mouse eats the cat then the mouse eats the cow. If someone is red and they visit the mouse then the mouse needs the cow. If someone needs the cow then the cow visits the cat. All round people are nice. If someone needs the cat and the cat visits the rabbit then they do not eat the rabbit.", + "original_question": "The cat does not eat the cow." + }, + { + "id": "AttNoneg-OWA-D3-627", + "question": "Anne is furry. Dave is cold. Dave is furry. Dave is green. Dave is nice. Dave is red. Dave is round. Fiona is cold. Fiona is red. Gary is rough. All round, furry people are red. All nice, red people are furry. All red people are round. If someone is furry and cold then they are rough. Round people are furry. All furry people are red. If Dave is nice and Dave is furry then Dave is green. If Anne is red then Anne is nice.\n\nQuestion: Anne is furry.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is furry. Dave is cold. Dave is furry. Dave is green. Dave is nice. Dave is red. Dave is round. Fiona is cold. Fiona is red. Gary is rough. All round, furry people are red. All nice, red people are furry. All red people are round. If someone is furry and cold then they are rough. Round people are furry. All furry people are red. If Dave is nice and Dave is furry then Dave is green. If Anne is red then Anne is nice.", + "original_question": "Anne is furry." + }, + { + "id": "AttNoneg-OWA-D2-2348", + "question": "Dave is cold. If something is cold then it is quiet. All quiet things are green. If Dave is cold and Dave is kind then Dave is furry. If Dave is kind and Dave is cold then Dave is big. If something is cold and green then it is blue. If something is kind then it is big.\n\nQuestion: Dave is quiet.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is cold. If something is cold then it is quiet. All quiet things are green. If Dave is cold and Dave is kind then Dave is furry. If Dave is kind and Dave is cold then Dave is big. If something is cold and green then it is blue. If something is kind then it is big.", + "original_question": "Dave is quiet." + }, + { + "id": "RelNeg-OWA-D2-1525", + "question": "The bear is cold. The dog does not chase the lion. The lion is not blue. The lion likes the squirrel. The squirrel eats the lion. The squirrel is cold. The squirrel does not like the bear. If the squirrel is cold then the squirrel chases the bear. If something chases the bear then the bear eats the squirrel.\n\nQuestion: The bear does not eat the squirrel.", + "answer": false, + "QDep": 2, + "original_theory": "The bear is cold. The dog does not chase the lion. The lion is not blue. The lion likes the squirrel. The squirrel eats the lion. The squirrel is cold. The squirrel does not like the bear. If the squirrel is cold then the squirrel chases the bear. If something chases the bear then the bear eats the squirrel.", + "original_question": "The bear does not eat the squirrel." + }, + { + "id": "RelNeg-OWA-D3-384", + "question": "The bear chases the cat. The bear visits the tiger. The cat chases the dog. The cat is not young. The dog does not chase the bear. The dog eats the bear. The tiger visits the cat. If something chases the cat then the cat is not kind. If something visits the tiger then the tiger chases the cat. If the cat eats the dog and the dog chases the tiger then the tiger eats the bear. If something chases the cat then it is kind. If something visits the tiger and it does not eat the tiger then the tiger visits the bear. If something is kind then it visits the tiger.\n\nQuestion: The tiger visits the tiger.", + "answer": true, + "QDep": 3, + "original_theory": "The bear chases the cat. The bear visits the tiger. The cat chases the dog. The cat is not young. The dog does not chase the bear. The dog eats the bear. The tiger visits the cat. If something chases the cat then the cat is not kind. If something visits the tiger then the tiger chases the cat. If the cat eats the dog and the dog chases the tiger then the tiger eats the bear. If something chases the cat then it is kind. If something visits the tiger and it does not eat the tiger then the tiger visits the bear. If something is kind then it visits the tiger.", + "original_question": "The tiger visits the tiger." + }, + { + "id": "AttPos-OWA-ElectricityRB4-63", + "question": "The battery is flat. The switch is on. The wire is metal. The circuit includes the bell. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The switch is on.", + "answer": true, + "QDep": 0, + "original_theory": "The battery is flat. The switch is on. The wire is metal. The circuit includes the bell. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The switch is on." + }, + { + "id": "RelNeg-OWA-D0-1998", + "question": "The cow is not round. The cow needs the lion. The cow needs the squirrel. The cow does not see the lion. The cow does not see the squirrel. The lion is not red. The lion needs the squirrel. The lion sees the cow. The lion does not see the squirrel. The squirrel is cold. The squirrel is not red. The squirrel likes the cow. The squirrel does not like the lion. The squirrel needs the cow. The squirrel sees the cow. If someone is blue then they do not see the squirrel. If someone is round and not blue then they see the squirrel. If someone is blue then they do not like the lion. If someone is blue then they like the lion. If someone sees the lion then the lion does not see the cow. If the lion is round and the lion needs the cow then the cow is nice.\n\nQuestion: The squirrel likes the cow.", + "answer": true, + "QDep": 0, + "original_theory": "The cow is not round. The cow needs the lion. The cow needs the squirrel. The cow does not see the lion. The cow does not see the squirrel. The lion is not red. The lion needs the squirrel. The lion sees the cow. The lion does not see the squirrel. The squirrel is cold. The squirrel is not red. The squirrel likes the cow. The squirrel does not like the lion. The squirrel needs the cow. The squirrel sees the cow. If someone is blue then they do not see the squirrel. If someone is round and not blue then they see the squirrel. If someone is blue then they do not like the lion. If someone is blue then they like the lion. If someone sees the lion then the lion does not see the cow. If the lion is round and the lion needs the cow then the cow is nice.", + "original_question": "The squirrel likes the cow." + }, + { + "id": "AttNeg-OWA-D3-476", + "question": "Anne is not nice. Anne is rough. Anne is smart. Bob is rough. Gary is nice. Gary is quiet. Harry is rough. If Gary is big then Gary is cold. All nice people are big. If Gary is big then Gary is quiet. If someone is green then they are smart. If Anne is quiet and Anne is not green then Anne is big. If someone is nice and not quiet then they are not rough. If someone is quiet and not big then they are not rough. Cold people are rough.\n\nQuestion: Gary is not cold.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is not nice. Anne is rough. Anne is smart. Bob is rough. Gary is nice. Gary is quiet. Harry is rough. If Gary is big then Gary is cold. All nice people are big. If Gary is big then Gary is quiet. If someone is green then they are smart. If Anne is quiet and Anne is not green then Anne is big. If someone is nice and not quiet then they are not rough. If someone is quiet and not big then they are not rough. Cold people are rough.", + "original_question": "Gary is not cold." + }, + { + "id": "AttNoneg-OWA-D2-1963", + "question": "Bob is smart. Erin is cold. Erin is young. If Bob is white and Bob is cold then Bob is kind. Furry things are cold. All furry things are white. All cold, smart things are rough. Young things are smart. If Bob is white then Bob is young.\n\nQuestion: Erin is not rough.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is smart. Erin is cold. Erin is young. If Bob is white and Bob is cold then Bob is kind. Furry things are cold. All furry things are white. All cold, smart things are rough. Young things are smart. If Bob is white then Bob is young.", + "original_question": "Erin is not rough." + }, + { + "id": "RelNoneg-OWA-D5-323", + "question": "The bear sees the rabbit. The cow likes the rabbit. The cow needs the rabbit. The cow sees the rabbit. The dog is green. The dog is red. The dog likes the cow. The dog likes the rabbit. The dog needs the bear. The dog sees the cow. The dog sees the rabbit. The rabbit is blue. The rabbit is cold. The rabbit needs the bear. The rabbit needs the cow. The rabbit sees the dog. If the bear is cold then the bear is red. If someone likes the rabbit and they are red then the rabbit likes the dog. If someone sees the dog and they need the bear then they are red. Green people are red. If someone is red then they need the cow. If someone sees the cow and they need the cow then they like the bear. All cold, kind people are green. If someone sees the bear and the bear is cold then the bear needs the rabbit. If someone sees the dog and the dog likes the bear then the bear is cold.\n\nQuestion: The bear is not cold.", + "answer": false, + "QDep": 3, + "original_theory": "The bear sees the rabbit. The cow likes the rabbit. The cow needs the rabbit. The cow sees the rabbit. The dog is green. The dog is red. The dog likes the cow. The dog likes the rabbit. The dog needs the bear. The dog sees the cow. The dog sees the rabbit. The rabbit is blue. The rabbit is cold. The rabbit needs the bear. The rabbit needs the cow. The rabbit sees the dog. If the bear is cold then the bear is red. If someone likes the rabbit and they are red then the rabbit likes the dog. If someone sees the dog and they need the bear then they are red. Green people are red. If someone is red then they need the cow. If someone sees the cow and they need the cow then they like the bear. All cold, kind people are green. If someone sees the bear and the bear is cold then the bear needs the rabbit. If someone sees the dog and the dog likes the bear then the bear is cold.", + "original_question": "The bear is not cold." + }, + { + "id": "AttNoneg-OWA-D3-663", + "question": "Anne is red. Charlie is young. All red, young people are smart. If someone is young then they are cold. If Anne is red then Anne is cold. All red people are young. Young, cold people are quiet. All cold, young people are red.\n\nQuestion: Anne is red.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is red. Charlie is young. All red, young people are smart. If someone is young then they are cold. If Anne is red then Anne is cold. All red people are young. Young, cold people are quiet. All cold, young people are red.", + "original_question": "Anne is red." + }, + { + "id": "RelNoneg-OWA-D2-566", + "question": "The cat likes the squirrel. The squirrel is blue. If something visits the cat and the cat likes the squirrel then the squirrel is kind. If something visits the cat then the cat visits the squirrel. If something likes the cat and the cat is round then the cat visits the squirrel. If something sees the cat then it visits the cat. If something is kind and it visits the cat then the cat likes the squirrel. If something likes the squirrel then it sees the cat.\n\nQuestion: The cat likes the squirrel.", + "answer": true, + "QDep": 0, + "original_theory": "The cat likes the squirrel. The squirrel is blue. If something visits the cat and the cat likes the squirrel then the squirrel is kind. If something visits the cat then the cat visits the squirrel. If something likes the cat and the cat is round then the cat visits the squirrel. If something sees the cat then it visits the cat. If something is kind and it visits the cat then the cat likes the squirrel. If something likes the squirrel then it sees the cat.", + "original_question": "The cat likes the squirrel." + }, + { + "id": "AttNeg-OWA-D0-3926", + "question": "Bob is not big. Bob is furry. Bob is green. Bob is rough. Bob is round. Bob is smart. Bob is not white. Dave is big. Dave is furry. Dave is green. Dave is rough. Dave is not round. Dave is not smart. Dave is white. Smart, white things are big. If Dave is white then Dave is big. If something is white and not big then it is round. Big, white things are not round. If something is big and smart then it is round. If something is white then it is furry. If something is round and rough then it is furry. If Dave is round and Dave is green then Dave is furry.\n\nQuestion: Bob is white.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is not big. Bob is furry. Bob is green. Bob is rough. Bob is round. Bob is smart. Bob is not white. Dave is big. Dave is furry. Dave is green. Dave is rough. Dave is not round. Dave is not smart. Dave is white. Smart, white things are big. If Dave is white then Dave is big. If something is white and not big then it is round. Big, white things are not round. If something is big and smart then it is round. If something is white then it is furry. If something is round and rough then it is furry. If Dave is round and Dave is green then Dave is furry.", + "original_question": "Bob is white." + }, + { + "id": "AttPos-OWA-ElectricityRB4-50", + "question": "The circuit includes the switch. The switch is on. The wire is metal. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The circuit includes the light bulb.", + "answer": true, + "QDep": 0, + "original_theory": "The circuit includes the switch. The switch is on. The wire is metal. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The circuit includes the light bulb." + }, + { + "id": "RelNoneg-OWA-D1-1455", + "question": "The bald eagle eats the bear. The bald eagle eats the tiger. The bald eagle is rough. The bald eagle likes the bear. The bald eagle needs the tiger. The bear eats the cow. The bear eats the tiger. The bear is cold. The cow needs the tiger. The tiger needs the bald eagle. Rough people are kind. If someone likes the bear and they need the tiger then the bear likes the bald eagle. If someone is cold and they need the bear then they need the bald eagle.\n\nQuestion: The bald eagle needs the tiger.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle eats the bear. The bald eagle eats the tiger. The bald eagle is rough. The bald eagle likes the bear. The bald eagle needs the tiger. The bear eats the cow. The bear eats the tiger. The bear is cold. The cow needs the tiger. The tiger needs the bald eagle. Rough people are kind. If someone likes the bear and they need the tiger then the bear likes the bald eagle. If someone is cold and they need the bear then they need the bald eagle.", + "original_question": "The bald eagle needs the tiger." + }, + { + "id": "RelNeg-OWA-D2-265", + "question": "The dog is nice. If something is round and not nice then it is green. If something is kind and big then it is green. All big, kind things are green. All green things are kind. If something is green and kind then it is big. If the dog is green then the dog is kind. If the dog is nice then the dog is green. All nice, kind things are round.\n\nQuestion: The dog is kind.", + "answer": true, + "QDep": 2, + "original_theory": "The dog is nice. If something is round and not nice then it is green. If something is kind and big then it is green. All big, kind things are green. All green things are kind. If something is green and kind then it is big. If the dog is green then the dog is kind. If the dog is nice then the dog is green. All nice, kind things are round.", + "original_question": "The dog is kind." + }, + { + "id": "AttNeg-OWA-D5-656", + "question": "Anne is smart. Charlie is not blue. Charlie is quiet. Erin is not nice. Erin is round. Harry is green. Harry is young. Smart things are green. If Anne is round then Anne is young. If something is blue and green then it is not quiet. If something is green and smart then it is round. If something is young then it is blue. Smart things are nice. If Harry is quiet and Harry is not smart then Harry is young.\n\nQuestion: Harry is quiet.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is smart. Charlie is not blue. Charlie is quiet. Erin is not nice. Erin is round. Harry is green. Harry is young. Smart things are green. If Anne is round then Anne is young. If something is blue and green then it is not quiet. If something is green and smart then it is round. If something is young then it is blue. Smart things are nice. If Harry is quiet and Harry is not smart then Harry is young.", + "original_question": "Harry is quiet." + }, + { + "id": "RelNeg-OWA-D5-61", + "question": "The bear sees the mouse. The bear does not see the tiger. The bear visits the squirrel. The bear visits the tiger. The mouse does not eat the tiger. The mouse is cold. The mouse is green. The mouse visits the squirrel. The squirrel is cold. The squirrel visits the bear. The squirrel visits the mouse. The tiger eats the mouse. The tiger is big. The tiger sees the bear. The tiger sees the mouse. The tiger does not visit the mouse. If something eats the squirrel then the squirrel is not green. If something sees the bear and the bear sees the mouse then it visits the tiger. If something sees the squirrel then it is not rough. If something is round and big then it sees the bear. If something visits the tiger then it sees the squirrel. If something visits the squirrel and it visits the tiger then the squirrel eats the mouse. If something visits the bear and it eats the mouse then the mouse sees the bear. If something eats the mouse and the mouse is not round then it is not cold.\n\nQuestion: The mouse does not visit the tiger.", + "answer": false, + "QDep": 3, + "original_theory": "The bear sees the mouse. The bear does not see the tiger. The bear visits the squirrel. The bear visits the tiger. The mouse does not eat the tiger. The mouse is cold. The mouse is green. The mouse visits the squirrel. The squirrel is cold. The squirrel visits the bear. The squirrel visits the mouse. The tiger eats the mouse. The tiger is big. The tiger sees the bear. The tiger sees the mouse. The tiger does not visit the mouse. If something eats the squirrel then the squirrel is not green. If something sees the bear and the bear sees the mouse then it visits the tiger. If something sees the squirrel then it is not rough. If something is round and big then it sees the bear. If something visits the tiger then it sees the squirrel. If something visits the squirrel and it visits the tiger then the squirrel eats the mouse. If something visits the bear and it eats the mouse then the mouse sees the bear. If something eats the mouse and the mouse is not round then it is not cold.", + "original_question": "The mouse does not visit the tiger." + }, + { + "id": "AttNoneg-OWA-D3-1522", + "question": "Bob is cold. Bob is furry. Bob is nice. Bob is red. Bob is round. Bob is smart. Erin is red. If someone is furry then they are round. If Bob is nice and Bob is big then Bob is smart. All red people are furry. If someone is furry and big then they are round. If someone is red and round then they are nice. All big, cold people are red. All furry people are red. All big people are cold.\n\nQuestion: Erin is not nice.", + "answer": false, + "QDep": 3, + "original_theory": "Bob is cold. Bob is furry. Bob is nice. Bob is red. Bob is round. Bob is smart. Erin is red. If someone is furry then they are round. If Bob is nice and Bob is big then Bob is smart. All red people are furry. If someone is furry and big then they are round. If someone is red and round then they are nice. All big, cold people are red. All furry people are red. All big people are cold.", + "original_question": "Erin is not nice." + }, + { + "id": "RelNoneg-OWA-D2-1976", + "question": "The cat sees the squirrel. The squirrel sees the cat. If someone visits the cat and the cat is young then they eat the squirrel. If someone eats the squirrel and the squirrel sees the cat then the squirrel is round. If someone sees the cat and the cat sees the squirrel then they eat the squirrel.\n\nQuestion: The squirrel eats the squirrel.", + "answer": true, + "QDep": 1, + "original_theory": "The cat sees the squirrel. The squirrel sees the cat. If someone visits the cat and the cat is young then they eat the squirrel. If someone eats the squirrel and the squirrel sees the cat then the squirrel is round. If someone sees the cat and the cat sees the squirrel then they eat the squirrel.", + "original_question": "The squirrel eats the squirrel." + }, + { + "id": "RelNeg-OWA-D5-458", + "question": "The bald eagle sees the cow. The bald eagle does not see the tiger. The bald eagle does not visit the tiger. The cat is not rough. The cow does not visit the bald eagle. The tiger is blue. The tiger is rough. The tiger needs the bald eagle. The tiger needs the cat. The tiger sees the bald eagle. The tiger visits the cat. The tiger visits the cow. If something visits the tiger and the tiger visits the bald eagle then the tiger does not visit the cow. If something needs the tiger and the tiger sees the cat then the tiger sees the bald eagle. If something is blue then it sees the tiger. If something needs the cat then it is nice. If something is nice then it needs the cow. If something needs the bald eagle then it visits the bald eagle. If something needs the cow then the cow needs the cat.\n\nQuestion: The tiger visits the bald eagle.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle sees the cow. The bald eagle does not see the tiger. The bald eagle does not visit the tiger. The cat is not rough. The cow does not visit the bald eagle. The tiger is blue. The tiger is rough. The tiger needs the bald eagle. The tiger needs the cat. The tiger sees the bald eagle. The tiger visits the cat. The tiger visits the cow. If something visits the tiger and the tiger visits the bald eagle then the tiger does not visit the cow. If something needs the tiger and the tiger sees the cat then the tiger sees the bald eagle. If something is blue then it sees the tiger. If something needs the cat then it is nice. If something is nice then it needs the cow. If something needs the bald eagle then it visits the bald eagle. If something needs the cow then the cow needs the cat.", + "original_question": "The tiger visits the bald eagle." + }, + { + "id": "AttNoneg-OWA-D3-1240", + "question": "Dave is furry. Gary is cold. Gary is furry. Gary is rough. Gary is smart. Gary is white. Gary is young. If Gary is furry and Gary is round then Gary is young. Furry things are white. All smart things are cold. If something is smart and white then it is cold. If something is white then it is smart. If something is white and smart then it is cold. Round, rough things are white. Young, cold things are furry.\n\nQuestion: Dave is white.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is furry. Gary is cold. Gary is furry. Gary is rough. Gary is smart. Gary is white. Gary is young. If Gary is furry and Gary is round then Gary is young. Furry things are white. All smart things are cold. If something is smart and white then it is cold. If something is white then it is smart. If something is white and smart then it is cold. Round, rough things are white. Young, cold things are furry.", + "original_question": "Dave is white." + }, + { + "id": "RelNeg-OWA-D5-554", + "question": "The bald eagle chases the cow. The bald eagle likes the lion. The bear chases the lion. The bear does not eat the bald eagle. The bear eats the lion. The cow chases the bald eagle. The cow chases the lion. The cow likes the bald eagle. The lion is rough. The lion likes the bald eagle. If something is rough then it eats the cow. If something likes the cow then it eats the cow. If something likes the cow then it likes the lion. If something is cold then it likes the lion. If the bear is cold and the bear eats the lion then the bear chases the cow. If something is round and not big then it does not eat the bald eagle. If the bald eagle likes the bear and the bear chases the bald eagle then the bald eagle chases the bear. If something is rough and it chases the cow then the cow is rough. If something eats the cow then it chases the cow.\n\nQuestion: The lion chases the cow.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle chases the cow. The bald eagle likes the lion. The bear chases the lion. The bear does not eat the bald eagle. The bear eats the lion. The cow chases the bald eagle. The cow chases the lion. The cow likes the bald eagle. The lion is rough. The lion likes the bald eagle. If something is rough then it eats the cow. If something likes the cow then it eats the cow. If something likes the cow then it likes the lion. If something is cold then it likes the lion. If the bear is cold and the bear eats the lion then the bear chases the cow. If something is round and not big then it does not eat the bald eagle. If the bald eagle likes the bear and the bear chases the bald eagle then the bald eagle chases the bear. If something is rough and it chases the cow then the cow is rough. If something eats the cow then it chases the cow.", + "original_question": "The lion chases the cow." + }, + { + "id": "RelNeg-OWA-D5-271", + "question": "The bear is cold. The dog does not like the bear. The dog likes the squirrel. The mouse is blue. The mouse is rough. The mouse likes the dog. The mouse does not need the bear. The squirrel is cold. The squirrel likes the dog. The squirrel likes the mouse. If someone likes the bear and they like the dog then they like the squirrel. If someone is blue then they chase the bear. If someone needs the squirrel and the squirrel is cold then they chase the bear. If the dog does not need the bear then the dog does not chase the squirrel. If someone likes the mouse and the mouse needs the dog then they chase the dog. If someone chases the dog then the dog needs the squirrel. If someone chases the bear and they do not need the bear then they need the dog. If someone likes the mouse and they are cold then they need the squirrel.\n\nQuestion: The mouse is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "The bear is cold. The dog does not like the bear. The dog likes the squirrel. The mouse is blue. The mouse is rough. The mouse likes the dog. The mouse does not need the bear. The squirrel is cold. The squirrel likes the dog. The squirrel likes the mouse. If someone likes the bear and they like the dog then they like the squirrel. If someone is blue then they chase the bear. If someone needs the squirrel and the squirrel is cold then they chase the bear. If the dog does not need the bear then the dog does not chase the squirrel. If someone likes the mouse and the mouse needs the dog then they chase the dog. If someone chases the dog then the dog needs the squirrel. If someone chases the bear and they do not need the bear then they need the dog. If someone likes the mouse and they are cold then they need the squirrel.", + "original_question": "The mouse is not rough." + }, + { + "id": "AttNoneg-OWA-D0-6997", + "question": "Dave is red. Dave is rough. Dave is round. All kind people are round. If Dave is white and Dave is big then Dave is rough.\n\nQuestion: Dave is rough.", + "answer": true, + "QDep": 0, + "original_theory": "Dave is red. Dave is rough. Dave is round. All kind people are round. If Dave is white and Dave is big then Dave is rough.", + "original_question": "Dave is rough." + }, + { + "id": "RelNeg-OWA-D0-1298", + "question": "The bald eagle chases the mouse. The bear is rough. The mouse visits the bear. Red things are not rough. Rough, red things are not blue. If something chases the mouse then the mouse chases the bear. If something chases the mouse and the mouse is big then it visits the bear. If the bear likes the mouse and the bear is not red then the mouse chases the bald eagle. If something chases the bear then it is kind.\n\nQuestion: The bear is rough.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle chases the mouse. The bear is rough. The mouse visits the bear. Red things are not rough. Rough, red things are not blue. If something chases the mouse then the mouse chases the bear. If something chases the mouse and the mouse is big then it visits the bear. If the bear likes the mouse and the bear is not red then the mouse chases the bald eagle. If something chases the bear then it is kind.", + "original_question": "The bear is rough." + }, + { + "id": "AttNeg-OWA-D3-1318", + "question": "Bob is cold. Charlie is quiet. Erin is quiet. Harry is big. All big, round things are green. Cold, red things are green. White, cold things are big. Cold things are big. If something is big then it is red. If something is red and not white then it is not round.\n\nQuestion: Harry is not big.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is cold. Charlie is quiet. Erin is quiet. Harry is big. All big, round things are green. Cold, red things are green. White, cold things are big. Cold things are big. If something is big then it is red. If something is red and not white then it is not round.", + "original_question": "Harry is not big." + }, + { + "id": "RelNeg-OWA-D0-1998", + "question": "The cow is not round. The cow needs the lion. The cow needs the squirrel. The cow does not see the lion. The cow does not see the squirrel. The lion is not red. The lion needs the squirrel. The lion sees the cow. The lion does not see the squirrel. The squirrel is cold. The squirrel is not red. The squirrel likes the cow. The squirrel does not like the lion. The squirrel needs the cow. The squirrel sees the cow. If someone is blue then they do not see the squirrel. If someone is round and not blue then they see the squirrel. If someone is blue then they do not like the lion. If someone is blue then they like the lion. If someone sees the lion then the lion does not see the cow. If the lion is round and the lion needs the cow then the cow is nice.\n\nQuestion: The squirrel is red.", + "answer": false, + "QDep": 0, + "original_theory": "The cow is not round. The cow needs the lion. The cow needs the squirrel. The cow does not see the lion. The cow does not see the squirrel. The lion is not red. The lion needs the squirrel. The lion sees the cow. The lion does not see the squirrel. The squirrel is cold. The squirrel is not red. The squirrel likes the cow. The squirrel does not like the lion. The squirrel needs the cow. The squirrel sees the cow. If someone is blue then they do not see the squirrel. If someone is round and not blue then they see the squirrel. If someone is blue then they do not like the lion. If someone is blue then they like the lion. If someone sees the lion then the lion does not see the cow. If the lion is round and the lion needs the cow then the cow is nice.", + "original_question": "The squirrel is red." + }, + { + "id": "AttNeg-OWA-D2-840", + "question": "Bob is not big. Bob is blue. Bob is green. Bob is red. Bob is rough. Bob is round. Bob is not white. Gary is big. Gary is green. Gary is rough. Gary is round. Gary is white. Red, rough people are round. Green people are round. All red, white people are round. If someone is blue and round then they are red. Round, white people are big. All round people are blue.\n\nQuestion: Bob is green.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is not big. Bob is blue. Bob is green. Bob is red. Bob is rough. Bob is round. Bob is not white. Gary is big. Gary is green. Gary is rough. Gary is round. Gary is white. Red, rough people are round. Green people are round. All red, white people are round. If someone is blue and round then they are red. Round, white people are big. All round people are blue.", + "original_question": "Bob is green." + }, + { + "id": "AttNeg-OWA-D5-64", + "question": "Anne is quiet. Anne is smart. Anne is white. Anne is not young. Bob is young. Erin is not young. Fiona is big. Fiona is quiet. Fiona is red. Fiona is smart. White people are quiet. If someone is young then they are big. Young, smart people are round. Smart, quiet people are round. All quiet, big people are red. If Anne is big and Anne is young then Anne is round. Big people are smart. All smart people are white.\n\nQuestion: Bob is not quiet.", + "answer": false, + "QDep": 4, + "original_theory": "Anne is quiet. Anne is smart. Anne is white. Anne is not young. Bob is young. Erin is not young. Fiona is big. Fiona is quiet. Fiona is red. Fiona is smart. White people are quiet. If someone is young then they are big. Young, smart people are round. Smart, quiet people are round. All quiet, big people are red. If Anne is big and Anne is young then Anne is round. Big people are smart. All smart people are white.", + "original_question": "Bob is not quiet." + }, + { + "id": "AttNonegNatLang-OWA-157", + "question": "You can tell me Alan is rough, and I know he is kind, cold, blue and very young. For being so cold, it's good Dave can remain nice. Fred may be round, but he is also kind. Round young people, red with loveliness, are very cold towards others. Nice people with blue and rough skin are very young and cannot be trusted with responsibility. Most young kind people tend to be red too. Someone that is cold rough and red is also considered to be kind. A young aged and big blue person will definitely be cold. I bet anyone who is round and kind is also pretty young. If a person acts cold yet nice and green, they will be kind.\n\nQuestion: Fred is not young.", + "answer": false, + "QDep": 1, + "original_theory": "You can tell me Alan is rough, and I know he is kind, cold, blue and very young. For being so cold, it's good Dave can remain nice. Fred may be round, but he is also kind. Round young people, red with loveliness, are very cold towards others. Nice people with blue and rough skin are very young and cannot be trusted with responsibility. Most young kind people tend to be red too. Someone that is cold rough and red is also considered to be kind. A young aged and big blue person will definitely be cold. I bet anyone who is round and kind is also pretty young. If a person acts cold yet nice and green, they will be kind.", + "original_question": "Fred is not young." + }, + { + "id": "AttNeg-OWA-D3-372", + "question": "Anne is big. Anne is red. Fiona is big. Fiona is not round. Fiona is smart. Gary is furry. Gary is smart. If Anne is big and Anne is furry then Anne is blue. If someone is white then they are round. If Anne is blue then Anne is white. All red, big people are white. All white people are furry. If someone is furry then they are smart. If Gary is blue and Gary is not big then Gary is smart. If Fiona is red and Fiona is not furry then Fiona is smart.\n\nQuestion: Gary is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is big. Anne is red. Fiona is big. Fiona is not round. Fiona is smart. Gary is furry. Gary is smart. If Anne is big and Anne is furry then Anne is blue. If someone is white then they are round. If Anne is blue then Anne is white. All red, big people are white. All white people are furry. If someone is furry then they are smart. If Gary is blue and Gary is not big then Gary is smart. If Fiona is red and Fiona is not furry then Fiona is smart.", + "original_question": "Gary is not smart." + }, + { + "id": "RelNoneg-OWA-D3-1202", + "question": "The bald eagle eats the mouse. The bald eagle sees the mouse. The bald eagle sees the rabbit. The bald eagle visits the mouse. The mouse eats the bald eagle. The mouse eats the rabbit. The mouse sees the bald eagle. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit is cold. The rabbit is kind. The rabbit is rough. The rabbit is young. The rabbit sees the bald eagle. The rabbit sees the mouse. The rabbit visits the bald eagle. If something visits the rabbit then it is young. If something sees the mouse then the mouse visits the bald eagle. Big things are cold. If something sees the rabbit then it visits the rabbit. Young things are cold. If something sees the mouse and it visits the mouse then the mouse eats the rabbit. If something sees the mouse then the mouse is big. If something visits the mouse and the mouse is rough then it eats the mouse.\n\nQuestion: The mouse eats the bald eagle.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle eats the mouse. The bald eagle sees the mouse. The bald eagle sees the rabbit. The bald eagle visits the mouse. The mouse eats the bald eagle. The mouse eats the rabbit. The mouse sees the bald eagle. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit is cold. The rabbit is kind. The rabbit is rough. The rabbit is young. The rabbit sees the bald eagle. The rabbit sees the mouse. The rabbit visits the bald eagle. If something visits the rabbit then it is young. If something sees the mouse then the mouse visits the bald eagle. Big things are cold. If something sees the rabbit then it visits the rabbit. Young things are cold. If something sees the mouse and it visits the mouse then the mouse eats the rabbit. If something sees the mouse then the mouse is big. If something visits the mouse and the mouse is rough then it eats the mouse.", + "original_question": "The mouse eats the bald eagle." + }, + { + "id": "RelNoneg-OWA-D2-424", + "question": "The bald eagle is rough. The cow chases the bald eagle. If something likes the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something eats the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something likes the cow and it is blue then it chases the bald eagle. If something eats the cow then it likes the bald eagle. If something is cold then it chases the bald eagle. If something chases the bald eagle then the bald eagle eats the cow.\n\nQuestion: The bald eagle does not like the bald eagle.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle is rough. The cow chases the bald eagle. If something likes the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something eats the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something likes the cow and it is blue then it chases the bald eagle. If something eats the cow then it likes the bald eagle. If something is cold then it chases the bald eagle. If something chases the bald eagle then the bald eagle eats the cow.", + "original_question": "The bald eagle does not like the bald eagle." + }, + { + "id": "AttNoneg-OWA-D2-864", + "question": "Bob is cold. Bob is green. Bob is kind. Bob is quiet. Erin is kind. Erin is quiet. Gary is cold. Gary is green. Gary is quiet. Gary is red. Harry is cold. Harry is red. All cold things are kind. If something is kind then it is green.\n\nQuestion: Gary is kind.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is cold. Bob is green. Bob is kind. Bob is quiet. Erin is kind. Erin is quiet. Gary is cold. Gary is green. Gary is quiet. Gary is red. Harry is cold. Harry is red. All cold things are kind. If something is kind then it is green.", + "original_question": "Gary is kind." + }, + { + "id": "RelNeg-OWA-D1-1684", + "question": "The cow chases the rabbit. The cow eats the dog. The cow is red. The cow is round. The dog chases the cow. The dog chases the rabbit. The dog eats the mouse. The dog is kind. The mouse eats the cow. The rabbit does not chase the cow. The rabbit eats the cow. The rabbit is kind. If someone chases the cow then the cow eats the mouse. If the dog does not visit the cow then the dog is not round. If someone chases the cow then they chase the rabbit.\n\nQuestion: The cow eats the dog.", + "answer": true, + "QDep": 0, + "original_theory": "The cow chases the rabbit. The cow eats the dog. The cow is red. The cow is round. The dog chases the cow. The dog chases the rabbit. The dog eats the mouse. The dog is kind. The mouse eats the cow. The rabbit does not chase the cow. The rabbit eats the cow. The rabbit is kind. If someone chases the cow then the cow eats the mouse. If the dog does not visit the cow then the dog is not round. If someone chases the cow then they chase the rabbit.", + "original_question": "The cow eats the dog." + }, + { + "id": "AttNoneg-OWA-D3-1079", + "question": "Charlie is furry. Charlie is round. Charlie is young. Erin is furry. Erin is rough. Fiona is rough. Fiona is round. Kind people are cold. If someone is big then they are round. All rough, furry people are big. All kind, young people are cold. If Erin is round and Erin is furry then Erin is cold. If someone is big then they are kind. If Fiona is cold then Fiona is rough. If Fiona is furry and Fiona is rough then Fiona is round.\n\nQuestion: Erin is not cold.", + "answer": false, + "QDep": 3, + "original_theory": "Charlie is furry. Charlie is round. Charlie is young. Erin is furry. Erin is rough. Fiona is rough. Fiona is round. Kind people are cold. If someone is big then they are round. All rough, furry people are big. All kind, young people are cold. If Erin is round and Erin is furry then Erin is cold. If someone is big then they are kind. If Fiona is cold then Fiona is rough. If Fiona is furry and Fiona is rough then Fiona is round.", + "original_question": "Erin is not cold." + }, + { + "id": "AttNeg-OWA-D5-73", + "question": "Anne is nice. Bob is cold. Bob is not red. Bob is rough. Charlie is red. Charlie is rough. Harry is nice. Harry is quiet. Harry is rough. Harry is round. Nice people are quiet. If someone is red and nice then they are not quiet. Quiet people are cold. If someone is quiet and round then they are not red. If someone is green and quiet then they are round. If someone is cold then they are green.\n\nQuestion: Bob is not red.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is nice. Bob is cold. Bob is not red. Bob is rough. Charlie is red. Charlie is rough. Harry is nice. Harry is quiet. Harry is rough. Harry is round. Nice people are quiet. If someone is red and nice then they are not quiet. Quiet people are cold. If someone is quiet and round then they are not red. If someone is green and quiet then they are round. If someone is cold then they are green.", + "original_question": "Bob is not red." + }, + { + "id": "AttNoneg-OWA-D3-1401", + "question": "Charlie is cold. Charlie is furry. Charlie is green. Charlie is red. Charlie is round. Charlie is smart. Charlie is white. Dave is cold. Dave is green. Erin is furry. Green people are round. Smart, green people are white. Round people are smart.\n\nQuestion: Dave is round.", + "answer": true, + "QDep": 1, + "original_theory": "Charlie is cold. Charlie is furry. Charlie is green. Charlie is red. Charlie is round. Charlie is smart. Charlie is white. Dave is cold. Dave is green. Erin is furry. Green people are round. Smart, green people are white. Round people are smart.", + "original_question": "Dave is round." + }, + { + "id": "AttNoneg-OWA-D3-49", + "question": "Bob is big. Bob is kind. Bob is red. Fiona is big. Fiona is cold. Fiona is kind. Fiona is red. Fiona is young. Gary is blue. Gary is cold. Gary is kind. Gary is red. Gary is rough. Gary is young. Harry is blue. All red people are blue. If someone is blue then they are young. Red, young people are cold.\n\nQuestion: Harry is not young.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is big. Bob is kind. Bob is red. Fiona is big. Fiona is cold. Fiona is kind. Fiona is red. Fiona is young. Gary is blue. Gary is cold. Gary is kind. Gary is red. Gary is rough. Gary is young. Harry is blue. All red people are blue. If someone is blue then they are young. Red, young people are cold.", + "original_question": "Harry is not young." + }, + { + "id": "RelNeg-OWA-D1-2242", + "question": "The cow does not eat the lion. The cow is green. The cow does not need the lion. The cow visits the lion. The lion eats the cow. The lion is big. The lion is cold. The lion is green. The lion needs the cow. The lion does not visit the cow. If the lion is blue and the lion does not need the cow then the lion visits the cow. If something visits the lion and it is not cold then it needs the lion. If something is green then it is big. If something needs the lion then the lion is not green. If the lion is rough and the lion does not visit the cow then the cow does not need the lion. If something visits the cow and the cow does not need the lion then it eats the lion.\n\nQuestion: The cow is big.", + "answer": true, + "QDep": 1, + "original_theory": "The cow does not eat the lion. The cow is green. The cow does not need the lion. The cow visits the lion. The lion eats the cow. The lion is big. The lion is cold. The lion is green. The lion needs the cow. The lion does not visit the cow. If the lion is blue and the lion does not need the cow then the lion visits the cow. If something visits the lion and it is not cold then it needs the lion. If something is green then it is big. If something needs the lion then the lion is not green. If the lion is rough and the lion does not visit the cow then the cow does not need the lion. If something visits the cow and the cow does not need the lion then it eats the lion.", + "original_question": "The cow is big." + }, + { + "id": "RelNoneg-OWA-D3-1548", + "question": "The bald eagle is cold. The bald eagle is kind. The bald eagle is young. The bald eagle sees the cat. The bald eagle visits the cat. The bald eagle visits the dog. The cat is kind. The cat sees the dog. The dog eats the bald eagle. The dog eats the cat. The dog is cold. The dog is round. The dog sees the bald eagle. The dog sees the cat. The dog visits the bald eagle. The dog visits the cat. If the dog visits the cat then the cat eats the dog. If something is kind then it sees the dog. If the bald eagle sees the dog then the dog is cold. If something visits the cat and the cat eats the dog then the dog is kind. If something eats the cat and it is round then the cat is rough. If something visits the cat and the cat visits the bald eagle then the cat visits the dog.\n\nQuestion: The dog sees the dog.", + "answer": true, + "QDep": 3, + "original_theory": "The bald eagle is cold. The bald eagle is kind. The bald eagle is young. The bald eagle sees the cat. The bald eagle visits the cat. The bald eagle visits the dog. The cat is kind. The cat sees the dog. The dog eats the bald eagle. The dog eats the cat. The dog is cold. The dog is round. The dog sees the bald eagle. The dog sees the cat. The dog visits the bald eagle. The dog visits the cat. If the dog visits the cat then the cat eats the dog. If something is kind then it sees the dog. If the bald eagle sees the dog then the dog is cold. If something visits the cat and the cat eats the dog then the dog is kind. If something eats the cat and it is round then the cat is rough. If something visits the cat and the cat visits the bald eagle then the cat visits the dog.", + "original_question": "The dog sees the dog." + }, + { + "id": "AttNoneg-OWA-D3-678", + "question": "Fiona is green. Fiona is rough. Fiona is smart. Gary is blue. Gary is furry. Gary is nice. Gary is red. All rough, green things are nice. All nice things are rough. Blue things are red. If something is green and blue then it is nice. All blue, red things are furry. Red, rough things are blue. Green, furry things are blue. If Fiona is green then Fiona is red.\n\nQuestion: Fiona is not blue.", + "answer": false, + "QDep": 2, + "original_theory": "Fiona is green. Fiona is rough. Fiona is smart. Gary is blue. Gary is furry. Gary is nice. Gary is red. All rough, green things are nice. All nice things are rough. Blue things are red. If something is green and blue then it is nice. All blue, red things are furry. Red, rough things are blue. Green, furry things are blue. If Fiona is green then Fiona is red.", + "original_question": "Fiona is not blue." + }, + { + "id": "AttNoneg-OWA-D3-744", + "question": "Charlie is furry. Charlie is rough. Charlie is white. Charlie is young. Fiona is nice. Fiona is red. Fiona is round. Fiona is white. Fiona is young. Harry is nice. Harry is red. Harry is round. All young, white things are rough. All round things are white. All white things are young.\n\nQuestion: Harry is young.", + "answer": true, + "QDep": 2, + "original_theory": "Charlie is furry. Charlie is rough. Charlie is white. Charlie is young. Fiona is nice. Fiona is red. Fiona is round. Fiona is white. Fiona is young. Harry is nice. Harry is red. Harry is round. All young, white things are rough. All round things are white. All white things are young.", + "original_question": "Harry is young." + }, + { + "id": "AttNoneg-OWA-D1-134", + "question": "Bob is green. Bob is rough. Bob is smart. Dave is big. Dave is blue. Dave is quiet. Dave is rough. Dave is smart. Fiona is rough. Fiona is smart. If someone is smart and big then they are blue. All smart people are furry. Rough, green people are big. All green, rough people are smart. If someone is blue and rough then they are quiet. If Bob is blue and Bob is smart then Bob is big. All quiet people are big. If someone is big then they are furry.\n\nQuestion: Bob is not furry.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is green. Bob is rough. Bob is smart. Dave is big. Dave is blue. Dave is quiet. Dave is rough. Dave is smart. Fiona is rough. Fiona is smart. If someone is smart and big then they are blue. All smart people are furry. Rough, green people are big. All green, rough people are smart. If someone is blue and rough then they are quiet. If Bob is blue and Bob is smart then Bob is big. All quiet people are big. If someone is big then they are furry.", + "original_question": "Bob is not furry." + }, + { + "id": "RelNoneg-OWA-D3-583", + "question": "The bald eagle is red. The cow is green. The cow likes the bald eagle. The cow likes the rabbit. The cow visits the bald eagle. The cow visits the rabbit. The rabbit likes the cow. The rabbit sees the tiger. The rabbit visits the tiger. The tiger is red. The tiger visits the cow. The tiger visits the rabbit. If something visits the rabbit then it is red. If something sees the bald eagle and the bald eagle visits the cow then it sees the cow. If something is red then it is kind. If the cow sees the tiger and the tiger sees the rabbit then the cow is green. If something is kind then it sees the bald eagle. If the rabbit is green then the rabbit is red. If something is red then it sees the rabbit. If something likes the cow and it likes the bald eagle then the cow sees the rabbit.\n\nQuestion: The cow does not visit the bald eagle.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle is red. The cow is green. The cow likes the bald eagle. The cow likes the rabbit. The cow visits the bald eagle. The cow visits the rabbit. The rabbit likes the cow. The rabbit sees the tiger. The rabbit visits the tiger. The tiger is red. The tiger visits the cow. The tiger visits the rabbit. If something visits the rabbit then it is red. If something sees the bald eagle and the bald eagle visits the cow then it sees the cow. If something is red then it is kind. If the cow sees the tiger and the tiger sees the rabbit then the cow is green. If something is kind then it sees the bald eagle. If the rabbit is green then the rabbit is red. If something is red then it sees the rabbit. If something likes the cow and it likes the bald eagle then the cow sees the rabbit.", + "original_question": "The cow does not visit the bald eagle." + }, + { + "id": "RelNoneg-OWA-D3-961", + "question": "The bald eagle chases the tiger. The bald eagle needs the tiger. The bald eagle sees the cow. The bald eagle sees the tiger. The cow chases the tiger. The cow is kind. The cow is red. The cow sees the bald eagle. The cow sees the tiger. The tiger chases the bald eagle. The tiger chases the cow. The tiger is blue. The tiger is kind. The tiger is red. The tiger needs the bald eagle. Young, kind people are green. If someone needs the tiger and the tiger needs the cow then the cow is young. If someone chases the tiger and they chase the bald eagle then the bald eagle sees the tiger. If someone sees the tiger then the tiger needs the cow. If someone needs the bald eagle and the bald eagle chases the tiger then the bald eagle sees the cow. If someone is red and they need the tiger then they are blue.\n\nQuestion: The cow is not young.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle chases the tiger. The bald eagle needs the tiger. The bald eagle sees the cow. The bald eagle sees the tiger. The cow chases the tiger. The cow is kind. The cow is red. The cow sees the bald eagle. The cow sees the tiger. The tiger chases the bald eagle. The tiger chases the cow. The tiger is blue. The tiger is kind. The tiger is red. The tiger needs the bald eagle. Young, kind people are green. If someone needs the tiger and the tiger needs the cow then the cow is young. If someone chases the tiger and they chase the bald eagle then the bald eagle sees the tiger. If someone sees the tiger then the tiger needs the cow. If someone needs the bald eagle and the bald eagle chases the tiger then the bald eagle sees the cow. If someone is red and they need the tiger then they are blue.", + "original_question": "The cow is not young." + }, + { + "id": "AttNeg-OWA-D3-1028", + "question": "Bob is blue. Erin is quiet. Fiona is cold. Harry is cold. All quiet things are blue. If Harry is blue then Harry is not young. Blue things are young. Blue, round things are cold. If something is blue and not red then it is round. If something is young then it is white. If Erin is red and Erin is not round then Erin is young. If Erin is red and Erin is not cold then Erin is white.\n\nQuestion: Erin is not blue.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is blue. Erin is quiet. Fiona is cold. Harry is cold. All quiet things are blue. If Harry is blue then Harry is not young. Blue things are young. Blue, round things are cold. If something is blue and not red then it is round. If something is young then it is white. If Erin is red and Erin is not round then Erin is young. If Erin is red and Erin is not cold then Erin is white.", + "original_question": "Erin is not blue." + }, + { + "id": "AttNonegNatLang-OWA-157", + "question": "You can tell me Alan is rough, and I know he is kind, cold, blue and very young. For being so cold, it's good Dave can remain nice. Fred may be round, but he is also kind. Round young people, red with loveliness, are very cold towards others. Nice people with blue and rough skin are very young and cannot be trusted with responsibility. Most young kind people tend to be red too. Someone that is cold rough and red is also considered to be kind. A young aged and big blue person will definitely be cold. I bet anyone who is round and kind is also pretty young. If a person acts cold yet nice and green, they will be kind.\n\nQuestion: Alan is red.", + "answer": true, + "QDep": 1, + "original_theory": "You can tell me Alan is rough, and I know he is kind, cold, blue and very young. For being so cold, it's good Dave can remain nice. Fred may be round, but he is also kind. Round young people, red with loveliness, are very cold towards others. Nice people with blue and rough skin are very young and cannot be trusted with responsibility. Most young kind people tend to be red too. Someone that is cold rough and red is also considered to be kind. A young aged and big blue person will definitely be cold. I bet anyone who is round and kind is also pretty young. If a person acts cold yet nice and green, they will be kind.", + "original_question": "Alan is red." + }, + { + "id": "AttNonegNatLang-OWA-118", + "question": "Young Bob is kind and blue with green and cold traits that show how really big he is. That guy Dave sure is nice. Fred is green and cold too. No one knows Gary like me and he is a kind guy, very round in the belly and green as grass. When a person is nice and round and cold, they look blue. People that are green and big while also being cold are always nice. A kind young person who is green will be cold. Someone who is young at heart and age are very round. A person that is round and somewhat green while being nice tends to be red as well. Any human who is rough, green, and kind, has a blue personality. People who are round and red tend to be rough.\n\nQuestion: Bob is not red.", + "answer": false, + "QDep": 2, + "original_theory": "Young Bob is kind and blue with green and cold traits that show how really big he is. That guy Dave sure is nice. Fred is green and cold too. No one knows Gary like me and he is a kind guy, very round in the belly and green as grass. When a person is nice and round and cold, they look blue. People that are green and big while also being cold are always nice. A kind young person who is green will be cold. Someone who is young at heart and age are very round. A person that is round and somewhat green while being nice tends to be red as well. Any human who is rough, green, and kind, has a blue personality. People who are round and red tend to be rough.", + "original_question": "Bob is not red." + }, + { + "id": "RelNoneg-OWA-D2-1146", + "question": "The bald eagle sees the bear. The bald eagle sees the rabbit. The bear chases the bald eagle. The bear chases the rabbit. The bear eats the mouse. The bear is blue. The bear sees the rabbit. The mouse chases the rabbit. The mouse is cold. The mouse is nice. The mouse sees the bear. The mouse sees the rabbit. The rabbit eats the bear. The rabbit eats the mouse. The rabbit sees the bald eagle. If something chases the rabbit then the rabbit eats the bald eagle. If something sees the bear then the bear is red. If something is red then it is big. If something chases the bald eagle and the bald eagle eats the rabbit then the bald eagle is red. Red things are blue. If something eats the rabbit and the rabbit is red then it is blue.\n\nQuestion: The rabbit eats the mouse.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle sees the bear. The bald eagle sees the rabbit. The bear chases the bald eagle. The bear chases the rabbit. The bear eats the mouse. The bear is blue. The bear sees the rabbit. The mouse chases the rabbit. The mouse is cold. The mouse is nice. The mouse sees the bear. The mouse sees the rabbit. The rabbit eats the bear. The rabbit eats the mouse. The rabbit sees the bald eagle. If something chases the rabbit then the rabbit eats the bald eagle. If something sees the bear then the bear is red. If something is red then it is big. If something chases the bald eagle and the bald eagle eats the rabbit then the bald eagle is red. Red things are blue. If something eats the rabbit and the rabbit is red then it is blue.", + "original_question": "The rabbit eats the mouse." + }, + { + "id": "RelNoneg-OWA-D1-2930", + "question": "The bald eagle sees the rabbit. The rabbit likes the bald eagle. The squirrel is blue. If something likes the bald eagle then it is blue. If something likes the bald eagle and it sees the bald eagle then the bald eagle is blue. If something chases the rabbit then the rabbit is young.\n\nQuestion: The rabbit is blue.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle sees the rabbit. The rabbit likes the bald eagle. The squirrel is blue. If something likes the bald eagle then it is blue. If something likes the bald eagle and it sees the bald eagle then the bald eagle is blue. If something chases the rabbit then the rabbit is young.", + "original_question": "The rabbit is blue." + }, + { + "id": "RelNeg-OWA-D3-184", + "question": "The squirrel is kind. If something is round and blue then it is rough. If something is round and not kind then it is not young. All kind things are blue. All round things are blue. If something is kind and blue then it is round. If the squirrel is rough then the squirrel is round.\n\nQuestion: The squirrel is not blue.", + "answer": false, + "QDep": 1, + "original_theory": "The squirrel is kind. If something is round and blue then it is rough. If something is round and not kind then it is not young. All kind things are blue. All round things are blue. If something is kind and blue then it is round. If the squirrel is rough then the squirrel is round.", + "original_question": "The squirrel is not blue." + }, + { + "id": "AttNoneg-OWA-D2-2194", + "question": "Erin is quiet. Erin is young. Fiona is furry. If someone is young then they are big. All furry people are young.\n\nQuestion: Fiona is not furry.", + "answer": false, + "QDep": 0, + "original_theory": "Erin is quiet. Erin is young. Fiona is furry. If someone is young then they are big. All furry people are young.", + "original_question": "Fiona is not furry." + }, + { + "id": "RelNeg-OWA-D3-1027", + "question": "The bald eagle chases the dog. The bald eagle chases the tiger. The dog chases the bald eagle. The dog is blue. The dog is cold. The dog is red. The dog is round. The dog is young. The tiger chases the dog. The tiger is round. The tiger likes the bald eagle. The tiger sees the bald eagle. If someone chases the bald eagle and they chase the tiger then they see the bald eagle. If the bald eagle sees the tiger and the tiger is young then the bald eagle chases the tiger. If the tiger likes the dog and the dog is cold then the dog sees the bald eagle. If the dog is red and the dog sees the bald eagle then the bald eagle does not like the tiger. If someone is blue then they chase the tiger. If the dog chases the tiger and the dog sees the tiger then the tiger does not like the bald eagle. If someone chases the bald eagle and they do not like the tiger then the tiger is red. If someone is round and they do not see the bald eagle then the bald eagle sees the dog.\n\nQuestion: The bald eagle chases the dog.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle chases the dog. The bald eagle chases the tiger. The dog chases the bald eagle. The dog is blue. The dog is cold. The dog is red. The dog is round. The dog is young. The tiger chases the dog. The tiger is round. The tiger likes the bald eagle. The tiger sees the bald eagle. If someone chases the bald eagle and they chase the tiger then they see the bald eagle. If the bald eagle sees the tiger and the tiger is young then the bald eagle chases the tiger. If the tiger likes the dog and the dog is cold then the dog sees the bald eagle. If the dog is red and the dog sees the bald eagle then the bald eagle does not like the tiger. If someone is blue then they chase the tiger. If the dog chases the tiger and the dog sees the tiger then the tiger does not like the bald eagle. If someone chases the bald eagle and they do not like the tiger then the tiger is red. If someone is round and they do not see the bald eagle then the bald eagle sees the dog.", + "original_question": "The bald eagle chases the dog." + }, + { + "id": "RelNoneg-OWA-D3-648", + "question": "The cow is round. All kind people are young. If someone is round and red then they are young. If someone is young then they are round. If the cow is round and the cow is young then the cow is kind. Round people are red. All round, kind people are young.\n\nQuestion: The cow is round.", + "answer": true, + "QDep": 0, + "original_theory": "The cow is round. All kind people are young. If someone is round and red then they are young. If someone is young then they are round. If the cow is round and the cow is young then the cow is kind. Round people are red. All round, kind people are young.", + "original_question": "The cow is round." + }, + { + "id": "AttNonegNatLang-OWA-173", + "question": "Alan is a young, rough person who is rather round but is also kind to everyone he meets. Bob is cold but nice with red hair and dresses green. Charlie might be rough and red but he's actually very kind. Eric seems to be round. A person who is feeling rough, has red cheeks and feeling green will also tend to feel blue. A person with big, round, kind face appears to be rough around the edges because they are naive. Kind red people are green on the inside. Kind people with rough skin are usually red because it's wind burn. If a person is blue and red and big, then that person is cold.\n\nQuestion: Alan is not red.", + "answer": false, + "QDep": 1, + "original_theory": "Alan is a young, rough person who is rather round but is also kind to everyone he meets. Bob is cold but nice with red hair and dresses green. Charlie might be rough and red but he's actually very kind. Eric seems to be round. A person who is feeling rough, has red cheeks and feeling green will also tend to feel blue. A person with big, round, kind face appears to be rough around the edges because they are naive. Kind red people are green on the inside. Kind people with rough skin are usually red because it's wind burn. If a person is blue and red and big, then that person is cold.", + "original_question": "Alan is not red." + }, + { + "id": "AttNoneg-OWA-D1-1317", + "question": "Bob is cold. Bob is white. Dave is big. Dave is cold. Dave is quiet. Dave is smart. Fiona is kind. Fiona is smart. Harry is big. Harry is cold. Harry is rough. Harry is smart. Big, rough people are white. If Fiona is big and Fiona is cold then Fiona is kind. If Dave is cold then Dave is quiet.\n\nQuestion: Bob is cold.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is cold. Bob is white. Dave is big. Dave is cold. Dave is quiet. Dave is smart. Fiona is kind. Fiona is smart. Harry is big. Harry is cold. Harry is rough. Harry is smart. Big, rough people are white. If Fiona is big and Fiona is cold then Fiona is kind. If Dave is cold then Dave is quiet.", + "original_question": "Bob is cold." + }, + { + "id": "AttNeg-OWA-D2-1617", + "question": "Gary is big. Gary is green. Gary is round. If Gary is big and Gary is green then Gary is quiet. If someone is blue and big then they are not rough. If someone is round and green then they are rough. If someone is big and round then they are rough. If Gary is green and Gary is blue then Gary is red. If Gary is rough then Gary is round. Round, quiet people are not red. If Gary is round and Gary is blue then Gary is green.\n\nQuestion: Gary is not round.", + "answer": false, + "QDep": 0, + "original_theory": "Gary is big. Gary is green. Gary is round. If Gary is big and Gary is green then Gary is quiet. If someone is blue and big then they are not rough. If someone is round and green then they are rough. If someone is big and round then they are rough. If Gary is green and Gary is blue then Gary is red. If Gary is rough then Gary is round. Round, quiet people are not red. If Gary is round and Gary is blue then Gary is green.", + "original_question": "Gary is not round." + }, + { + "id": "AttNeg-OWA-D2-560", + "question": "Anne is young. Dave is young. Erin is white. All green things are not cold. If Anne is nice and Anne is cold then Anne is not young. If something is white then it is green. White, blue things are nice. If Anne is nice then Anne is green. If something is young then it is not blue. Green things are blue. If something is young and not green then it is not smart.\n\nQuestion: Erin is not cold.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is young. Dave is young. Erin is white. All green things are not cold. If Anne is nice and Anne is cold then Anne is not young. If something is white then it is green. White, blue things are nice. If Anne is nice then Anne is green. If something is young then it is not blue. Green things are blue. If something is young and not green then it is not smart.", + "original_question": "Erin is not cold." + }, + { + "id": "RelNeg-OWA-D2-1942", + "question": "The mouse visits the rabbit. The rabbit needs the mouse. If the mouse visits the rabbit then the mouse needs the rabbit. If something visits the rabbit and the rabbit sees the mouse then the mouse does not see the rabbit. If something needs the rabbit then it is not rough.\n\nQuestion: The rabbit does not need the mouse.", + "answer": false, + "QDep": 0, + "original_theory": "The mouse visits the rabbit. The rabbit needs the mouse. If the mouse visits the rabbit then the mouse needs the rabbit. If something visits the rabbit and the rabbit sees the mouse then the mouse does not see the rabbit. If something needs the rabbit then it is not rough.", + "original_question": "The rabbit does not need the mouse." + }, + { + "id": "AttNeg-OWA-D0-2005", + "question": "Harry is furry. Harry is green. Harry is kind. Harry is red. Harry is rough. Harry is round. Harry is not young. If Harry is young and Harry is green then Harry is kind. If Harry is not young then Harry is rough. If something is rough and young then it is furry.\n\nQuestion: Harry is furry.", + "answer": true, + "QDep": 0, + "original_theory": "Harry is furry. Harry is green. Harry is kind. Harry is red. Harry is rough. Harry is round. Harry is not young. If Harry is young and Harry is green then Harry is kind. If Harry is not young then Harry is rough. If something is rough and young then it is furry.", + "original_question": "Harry is furry." + }, + { + "id": "RelNoneg-OWA-D1-2149", + "question": "The bear is blue. The bear is nice. The bear likes the cat. The bear likes the tiger. The cat chases the tiger. The cat is blue. The cat is nice. The cat is rough. The cat needs the tiger. The tiger chases the cat. The tiger is blue. The tiger is rough. The tiger likes the bear. The tiger likes the cat. The tiger needs the bear. The tiger needs the cat. If someone needs the cat then the cat likes the tiger. Red people are blue.\n\nQuestion: The cat needs the tiger.", + "answer": true, + "QDep": 0, + "original_theory": "The bear is blue. The bear is nice. The bear likes the cat. The bear likes the tiger. The cat chases the tiger. The cat is blue. The cat is nice. The cat is rough. The cat needs the tiger. The tiger chases the cat. The tiger is blue. The tiger is rough. The tiger likes the bear. The tiger likes the cat. The tiger needs the bear. The tiger needs the cat. If someone needs the cat then the cat likes the tiger. Red people are blue.", + "original_question": "The cat needs the tiger." + }, + { + "id": "AttNeg-OWA-D3-942", + "question": "Anne is red. Charlie is young. Erin is not young. Harry is white. If something is kind then it is young. All cold things are young. Red things are not young. If Harry is kind and Harry is nice then Harry is red. All white things are quiet. Quiet things are red.\n\nQuestion: Erin is not young.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is red. Charlie is young. Erin is not young. Harry is white. If something is kind then it is young. All cold things are young. Red things are not young. If Harry is kind and Harry is nice then Harry is red. All white things are quiet. Quiet things are red.", + "original_question": "Erin is not young." + }, + { + "id": "AttNonegNatLang-OWA-298", + "question": "Alan may be round, but he is also kind. Dave may be round, but he is also kind. Gary is a young, round shaped young man who is also very cold. Young Harry has rough, green skin that is always cold. Harry is known for being a nice guy. People who have red coloration usually treat people in a kind manner. They are also usually young looking. If you run across a young person with rough skin and a round figure, you can count on them being kind. A person that is both nice and rough is someone who is also big. People with big smiles and round eyes will have red hair. A red, nice person will definitely be a blue person. Someone that is cold rough and red is also considered to be kind. A young person who is big and rough and big is also usually round.\n\nQuestion: Harry is big.", + "answer": true, + "QDep": 1, + "original_theory": "Alan may be round, but he is also kind. Dave may be round, but he is also kind. Gary is a young, round shaped young man who is also very cold. Young Harry has rough, green skin that is always cold. Harry is known for being a nice guy. People who have red coloration usually treat people in a kind manner. They are also usually young looking. If you run across a young person with rough skin and a round figure, you can count on them being kind. A person that is both nice and rough is someone who is also big. People with big smiles and round eyes will have red hair. A red, nice person will definitely be a blue person. Someone that is cold rough and red is also considered to be kind. A young person who is big and rough and big is also usually round.", + "original_question": "Harry is big." + }, + { + "id": "RelNeg-OWA-D0-828", + "question": "The cat eats the rabbit. The cat is cold. The cat is green. The cat is nice. The cat is round. The cat is young. The cat likes the rabbit. The cat visits the rabbit. The rabbit eats the cat. The rabbit is not cold. The rabbit is green. The rabbit is nice. The rabbit is round. The rabbit is young. The rabbit does not like the cat. The rabbit visits the cat. If someone eats the cat and they are not nice then the cat does not eat the rabbit. If the cat is cold then the cat eats the rabbit. All nice people are young. If someone is green then they do not like the cat. If someone likes the cat then the cat visits the rabbit. If someone eats the rabbit and the rabbit does not eat the cat then the rabbit visits the cat. If someone likes the rabbit and they do not like the cat then the rabbit visits the cat. If someone likes the cat and the cat does not visit the rabbit then the cat likes the rabbit.\n\nQuestion: The rabbit is not young.", + "answer": false, + "QDep": 0, + "original_theory": "The cat eats the rabbit. The cat is cold. The cat is green. The cat is nice. The cat is round. The cat is young. The cat likes the rabbit. The cat visits the rabbit. The rabbit eats the cat. The rabbit is not cold. The rabbit is green. The rabbit is nice. The rabbit is round. The rabbit is young. The rabbit does not like the cat. The rabbit visits the cat. If someone eats the cat and they are not nice then the cat does not eat the rabbit. If the cat is cold then the cat eats the rabbit. All nice people are young. If someone is green then they do not like the cat. If someone likes the cat then the cat visits the rabbit. If someone eats the rabbit and the rabbit does not eat the cat then the rabbit visits the cat. If someone likes the rabbit and they do not like the cat then the rabbit visits the cat. If someone likes the cat and the cat does not visit the rabbit then the cat likes the rabbit.", + "original_question": "The rabbit is not young." + }, + { + "id": "RelNoneg-OWA-D0-2570", + "question": "The bald eagle is round. The bald eagle likes the squirrel. The squirrel eats the bald eagle. The squirrel is blue. The squirrel is kind. The squirrel likes the bald eagle. The squirrel visits the bald eagle. If something is kind then it visits the squirrel. If something eats the bald eagle and it is blue then the bald eagle likes the squirrel. All round, blue things are kind. If something visits the squirrel then the squirrel visits the bald eagle. If the squirrel is blue then the squirrel likes the bald eagle. If something is round then it eats the bald eagle.\n\nQuestion: The bald eagle does not like the squirrel.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle is round. The bald eagle likes the squirrel. The squirrel eats the bald eagle. The squirrel is blue. The squirrel is kind. The squirrel likes the bald eagle. The squirrel visits the bald eagle. If something is kind then it visits the squirrel. If something eats the bald eagle and it is blue then the bald eagle likes the squirrel. All round, blue things are kind. If something visits the squirrel then the squirrel visits the bald eagle. If the squirrel is blue then the squirrel likes the bald eagle. If something is round then it eats the bald eagle.", + "original_question": "The bald eagle does not like the squirrel." + }, + { + "id": "AttNeg-OWA-D5-940", + "question": "Charlie is blue. Charlie is green. Dave is rough. Erin is not cold. Erin is green. Erin is rough. Erin is young. Harry is green. Harry is red. Harry is rough. Harry is not young. All rough people are red. If someone is blue then they are rough. All green people are rough. If someone is quiet then they are cold. If Harry is blue then Harry is green. If Dave is blue and Dave is red then Dave is quiet. Rough, red people are blue. Green, cold people are not quiet. Cold people are not young.\n\nQuestion: Charlie is not red.", + "answer": false, + "QDep": 2, + "original_theory": "Charlie is blue. Charlie is green. Dave is rough. Erin is not cold. Erin is green. Erin is rough. Erin is young. Harry is green. Harry is red. Harry is rough. Harry is not young. All rough people are red. If someone is blue then they are rough. All green people are rough. If someone is quiet then they are cold. If Harry is blue then Harry is green. If Dave is blue and Dave is red then Dave is quiet. Rough, red people are blue. Green, cold people are not quiet. Cold people are not young.", + "original_question": "Charlie is not red." + }, + { + "id": "RelNeg-OWA-D3-525", + "question": "The rabbit is blue. Green, round things are not blue. Blue things are green. If the rabbit is green then the rabbit is cold. If something is green and not blue then it is not cold. Round things are not red. If something is cold then it is not red. All round things are red. If the rabbit is cold then the rabbit is not red.\n\nQuestion: The rabbit is not green.", + "answer": false, + "QDep": 1, + "original_theory": "The rabbit is blue. Green, round things are not blue. Blue things are green. If the rabbit is green then the rabbit is cold. If something is green and not blue then it is not cold. Round things are not red. If something is cold then it is not red. All round things are red. If the rabbit is cold then the rabbit is not red.", + "original_question": "The rabbit is not green." + }, + { + "id": "RelNeg-OWA-D1-2162", + "question": "The bald eagle sees the cat. The cat sees the bald eagle. The mouse does not eat the cat. The rabbit does not see the mouse. If someone is red then they do not eat the bald eagle. If someone sees the bald eagle and the bald eagle does not see the rabbit then they eat the cat. If the mouse is not rough then the mouse does not eat the cat. If someone eats the bald eagle and they do not see the bald eagle then they do not visit the rabbit. If someone sees the cat then the cat is rough. If someone sees the mouse then they are not blue.\n\nQuestion: The cat is rough.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle sees the cat. The cat sees the bald eagle. The mouse does not eat the cat. The rabbit does not see the mouse. If someone is red then they do not eat the bald eagle. If someone sees the bald eagle and the bald eagle does not see the rabbit then they eat the cat. If the mouse is not rough then the mouse does not eat the cat. If someone eats the bald eagle and they do not see the bald eagle then they do not visit the rabbit. If someone sees the cat then the cat is rough. If someone sees the mouse then they are not blue.", + "original_question": "The cat is rough." + }, + { + "id": "AttNeg-OWA-D3-1151", + "question": "Anne is red. Bob is not nice. Charlie is blue. If someone is young then they are green. If someone is young and green then they are not red. Red people are white. If Charlie is white then Charlie is blue. All white people are not young. If someone is red and not young then they are nice.\n\nQuestion: Anne is nice.", + "answer": true, + "QDep": 3, + "original_theory": "Anne is red. Bob is not nice. Charlie is blue. If someone is young then they are green. If someone is young and green then they are not red. Red people are white. If Charlie is white then Charlie is blue. All white people are not young. If someone is red and not young then they are nice.", + "original_question": "Anne is nice." + }, + { + "id": "RelNeg-OWA-D1-292", + "question": "The lion is young. The lion does not like the mouse. The lion likes the rabbit. The lion visits the mouse. The mouse does not eat the rabbit. The mouse is blue. The mouse is green. The mouse visits the lion. The mouse visits the rabbit. The rabbit eats the lion. The rabbit eats the mouse. The rabbit is cold. The rabbit is green. The rabbit is not nice. The rabbit visits the lion. The rabbit does not visit the mouse. If someone likes the rabbit and the rabbit visits the mouse then they are not green. If someone visits the mouse then the mouse visits the rabbit. If someone is cold then they like the mouse. If someone eats the mouse then the mouse likes the lion. If someone is nice then they like the lion. If someone likes the rabbit and the rabbit eats the lion then the rabbit is green.\n\nQuestion: The rabbit likes the mouse.", + "answer": true, + "QDep": 1, + "original_theory": "The lion is young. The lion does not like the mouse. The lion likes the rabbit. The lion visits the mouse. The mouse does not eat the rabbit. The mouse is blue. The mouse is green. The mouse visits the lion. The mouse visits the rabbit. The rabbit eats the lion. The rabbit eats the mouse. The rabbit is cold. The rabbit is green. The rabbit is not nice. The rabbit visits the lion. The rabbit does not visit the mouse. If someone likes the rabbit and the rabbit visits the mouse then they are not green. If someone visits the mouse then the mouse visits the rabbit. If someone is cold then they like the mouse. If someone eats the mouse then the mouse likes the lion. If someone is nice then they like the lion. If someone likes the rabbit and the rabbit eats the lion then the rabbit is green.", + "original_question": "The rabbit likes the mouse." + }, + { + "id": "RelNeg-OWA-D3-972", + "question": "The bald eagle is kind. The cow is blue. The lion chases the mouse. The mouse chases the lion. If someone chases the mouse then the mouse is not rough. If someone sees the mouse then they chase the cow. If someone is kind then they are cold. If someone chases the lion and they do not see the mouse then they are not kind. If someone is cold then they like the lion. If someone likes the lion then the lion chases the cow.\n\nQuestion: The bald eagle does not like the lion.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle is kind. The cow is blue. The lion chases the mouse. The mouse chases the lion. If someone chases the mouse then the mouse is not rough. If someone sees the mouse then they chase the cow. If someone is kind then they are cold. If someone chases the lion and they do not see the mouse then they are not kind. If someone is cold then they like the lion. If someone likes the lion then the lion chases the cow.", + "original_question": "The bald eagle does not like the lion." + }, + { + "id": "AttNoneg-OWA-D3-1519", + "question": "Bob is round. Bob is smart. Bob is white. Bob is young. Charlie is green. Charlie is smart. Charlie is white. Red things are big. If Bob is red then Bob is white. Young, red things are white. All white things are green. If Bob is green then Bob is red. All smart things are green.\n\nQuestion: Bob is smart.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is round. Bob is smart. Bob is white. Bob is young. Charlie is green. Charlie is smart. Charlie is white. Red things are big. If Bob is red then Bob is white. Young, red things are white. All white things are green. If Bob is green then Bob is red. All smart things are green.", + "original_question": "Bob is smart." + }, + { + "id": "RelNoneg-OWA-D3-619", + "question": "The cat is nice. The dog chases the rabbit. The rabbit visits the tiger. The tiger is nice. If the rabbit is blue and the rabbit visits the tiger then the tiger is young. If the rabbit visits the dog and the dog visits the rabbit then the rabbit eats the cat. If something eats the rabbit and it is red then the rabbit eats the cat. If something eats the tiger and it eats the rabbit then it visits the tiger. All young things are blue. If something chases the rabbit then the rabbit is blue. If something is red and it visits the cat then the cat visits the tiger. If something eats the tiger and it visits the rabbit then it chases the dog.\n\nQuestion: The cat is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "The cat is nice. The dog chases the rabbit. The rabbit visits the tiger. The tiger is nice. If the rabbit is blue and the rabbit visits the tiger then the tiger is young. If the rabbit visits the dog and the dog visits the rabbit then the rabbit eats the cat. If something eats the rabbit and it is red then the rabbit eats the cat. If something eats the tiger and it eats the rabbit then it visits the tiger. All young things are blue. If something chases the rabbit then the rabbit is blue. If something is red and it visits the cat then the cat visits the tiger. If something eats the tiger and it visits the rabbit then it chases the dog.", + "original_question": "The cat is not nice." + }, + { + "id": "RelNoneg-OWA-D2-2021", + "question": "The mouse is rough. The mouse likes the rabbit. The mouse likes the tiger. The mouse visits the rabbit. The rabbit is red. The rabbit is round. The rabbit likes the tiger. The rabbit visits the tiger. The tiger is nice. The tiger is rough. Red, nice things are kind. If something likes the rabbit then the rabbit is nice.\n\nQuestion: The rabbit is kind.", + "answer": true, + "QDep": 2, + "original_theory": "The mouse is rough. The mouse likes the rabbit. The mouse likes the tiger. The mouse visits the rabbit. The rabbit is red. The rabbit is round. The rabbit likes the tiger. The rabbit visits the tiger. The tiger is nice. The tiger is rough. Red, nice things are kind. If something likes the rabbit then the rabbit is nice.", + "original_question": "The rabbit is kind." + }, + { + "id": "RelNeg-OWA-D3-1407", + "question": "The cat eats the tiger. The cat is cold. The cat is round. The mouse is nice. The mouse is not rough. The mouse likes the cat. The mouse likes the squirrel. The mouse does not visit the cat. The squirrel eats the mouse. The squirrel is nice. The squirrel is rough. The squirrel visits the tiger. The tiger eats the squirrel. The tiger is nice. The tiger likes the cat. The tiger likes the squirrel. If someone likes the mouse and the mouse is not round then the mouse is cold. All rough people are not cold. If the mouse visits the tiger and the mouse is not cold then the tiger is cold. If someone eats the tiger and the tiger is cold then the tiger does not eat the cat. If someone is red and they visit the tiger then the tiger does not eat the cat. If the squirrel eats the tiger and the squirrel visits the cat then the tiger visits the cat. If the squirrel is not cold then the squirrel visits the cat. If someone visits the cat then the cat visits the squirrel.\n\nQuestion: The squirrel is cold.", + "answer": false, + "QDep": 1, + "original_theory": "The cat eats the tiger. The cat is cold. The cat is round. The mouse is nice. The mouse is not rough. The mouse likes the cat. The mouse likes the squirrel. The mouse does not visit the cat. The squirrel eats the mouse. The squirrel is nice. The squirrel is rough. The squirrel visits the tiger. The tiger eats the squirrel. The tiger is nice. The tiger likes the cat. The tiger likes the squirrel. If someone likes the mouse and the mouse is not round then the mouse is cold. All rough people are not cold. If the mouse visits the tiger and the mouse is not cold then the tiger is cold. If someone eats the tiger and the tiger is cold then the tiger does not eat the cat. If someone is red and they visit the tiger then the tiger does not eat the cat. If the squirrel eats the tiger and the squirrel visits the cat then the tiger visits the cat. If the squirrel is not cold then the squirrel visits the cat. If someone visits the cat then the cat visits the squirrel.", + "original_question": "The squirrel is cold." + }, + { + "id": "RelNoneg-OWA-D1-2186", + "question": "The bald eagle likes the mouse. The bear likes the squirrel. The mouse is round. The squirrel eats the mouse. If something eats the mouse then the mouse chases the squirrel.\n\nQuestion: The bald eagle likes the mouse.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle likes the mouse. The bear likes the squirrel. The mouse is round. The squirrel eats the mouse. If something eats the mouse then the mouse chases the squirrel.", + "original_question": "The bald eagle likes the mouse." + }, + { + "id": "RelNoneg-OWA-D2-214", + "question": "The cat chases the rabbit. The cat is kind. The cat is red. The cat is rough. The cat visits the mouse. The mouse chases the cat. The mouse chases the rabbit. The mouse eats the rabbit. The mouse is red. The mouse is rough. The mouse visits the cat. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit eats the cat. The rabbit eats the mouse. The rabbit is red. If something visits the rabbit and it visits the cat then the rabbit chases the cat. If something chases the cat then it visits the mouse.\n\nQuestion: The rabbit chases the cat.", + "answer": true, + "QDep": 1, + "original_theory": "The cat chases the rabbit. The cat is kind. The cat is red. The cat is rough. The cat visits the mouse. The mouse chases the cat. The mouse chases the rabbit. The mouse eats the rabbit. The mouse is red. The mouse is rough. The mouse visits the cat. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit eats the cat. The rabbit eats the mouse. The rabbit is red. If something visits the rabbit and it visits the cat then the rabbit chases the cat. If something chases the cat then it visits the mouse.", + "original_question": "The rabbit chases the cat." + }, + { + "id": "AttNeg-OWA-D0-2211", + "question": "Anne is blue. Bob is not blue. Gary is blue. If someone is rough then they are big. All furry, kind people are big. Furry people are big. Green people are rough. Blue, quiet people are not furry. If Gary is quiet then Gary is rough.\n\nQuestion: Bob is blue.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is blue. Bob is not blue. Gary is blue. If someone is rough then they are big. All furry, kind people are big. Furry people are big. Green people are rough. Blue, quiet people are not furry. If Gary is quiet then Gary is rough.", + "original_question": "Bob is blue." + }, + { + "id": "AttNoneg-OWA-D3-1670", + "question": "Anne is furry. Anne is green. Anne is kind. Anne is quiet. Anne is white. Anne is young. Bob is kind. Bob is quiet. Bob is white. Bob is young. Gary is furry. Gary is green. Gary is kind. Gary is quiet. Gary is smart. Gary is white. All green people are kind. If someone is green and kind then they are quiet. If someone is kind and green then they are smart. White, young people are furry. If someone is green and smart then they are quiet. All furry people are green.\n\nQuestion: Bob is not green.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is furry. Anne is green. Anne is kind. Anne is quiet. Anne is white. Anne is young. Bob is kind. Bob is quiet. Bob is white. Bob is young. Gary is furry. Gary is green. Gary is kind. Gary is quiet. Gary is smart. Gary is white. All green people are kind. If someone is green and kind then they are quiet. If someone is kind and green then they are smart. White, young people are furry. If someone is green and smart then they are quiet. All furry people are green.", + "original_question": "Bob is not green." + }, + { + "id": "AttNoneg-OWA-D3-1859", + "question": "Bob is red. Bob is smart. Bob is white. Dave is smart. Fiona is rough. Fiona is white. Gary is blue. Gary is red. Gary is rough. Gary is young. All smart people are red. White, blue people are quiet. Quiet, rough people are young. All rough people are young. All white, young people are red. All red people are rough.\n\nQuestion: Fiona is white.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is red. Bob is smart. Bob is white. Dave is smart. Fiona is rough. Fiona is white. Gary is blue. Gary is red. Gary is rough. Gary is young. All smart people are red. White, blue people are quiet. Quiet, rough people are young. All rough people are young. All white, young people are red. All red people are rough.", + "original_question": "Fiona is white." + }, + { + "id": "RelNoneg-OWA-D2-2021", + "question": "The mouse is rough. The mouse likes the rabbit. The mouse likes the tiger. The mouse visits the rabbit. The rabbit is red. The rabbit is round. The rabbit likes the tiger. The rabbit visits the tiger. The tiger is nice. The tiger is rough. Red, nice things are kind. If something likes the rabbit then the rabbit is nice.\n\nQuestion: The rabbit is not kind.", + "answer": false, + "QDep": 2, + "original_theory": "The mouse is rough. The mouse likes the rabbit. The mouse likes the tiger. The mouse visits the rabbit. The rabbit is red. The rabbit is round. The rabbit likes the tiger. The rabbit visits the tiger. The tiger is nice. The tiger is rough. Red, nice things are kind. If something likes the rabbit then the rabbit is nice.", + "original_question": "The rabbit is not kind." + }, + { + "id": "AttNoneg-OWA-D1-2976", + "question": "Charlie is big. Charlie is blue. Charlie is quiet. Charlie is round. Charlie is white. Dave is big. Dave is blue. Dave is furry. Dave is kind. Dave is quiet. Dave is round. Dave is white. All white people are kind. If Dave is round then Dave is big. If Dave is blue then Dave is white. All round, kind people are white. All big, blue people are kind. All blue people are quiet.\n\nQuestion: Dave is blue.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is big. Charlie is blue. Charlie is quiet. Charlie is round. Charlie is white. Dave is big. Dave is blue. Dave is furry. Dave is kind. Dave is quiet. Dave is round. Dave is white. All white people are kind. If Dave is round then Dave is big. If Dave is blue then Dave is white. All round, kind people are white. All big, blue people are kind. All blue people are quiet.", + "original_question": "Dave is blue." + }, + { + "id": "AttNeg-OWA-D3-201", + "question": "Bob is green. Fiona is nice. Gary is nice. All white things are cold. White things are cold. If something is green and not blue then it is cold. Cold, green things are smart. All blue things are red. Green things are white.\n\nQuestion: Bob is not white.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is green. Fiona is nice. Gary is nice. All white things are cold. White things are cold. If something is green and not blue then it is cold. Cold, green things are smart. All blue things are red. Green things are white.", + "original_question": "Bob is not white." + }, + { + "id": "RelNeg-OWA-D1-1281", + "question": "The bald eagle is kind. The bald eagle likes the rabbit. The bald eagle does not need the rabbit. The bald eagle does not see the mouse. The mouse sees the rabbit. The rabbit is big. The rabbit is not cold. The rabbit likes the bald eagle. The rabbit needs the bald eagle. The rabbit sees the bald eagle. If something sees the rabbit then it likes the rabbit.\n\nQuestion: The mouse does not like the rabbit.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle is kind. The bald eagle likes the rabbit. The bald eagle does not need the rabbit. The bald eagle does not see the mouse. The mouse sees the rabbit. The rabbit is big. The rabbit is not cold. The rabbit likes the bald eagle. The rabbit needs the bald eagle. The rabbit sees the bald eagle. If something sees the rabbit then it likes the rabbit.", + "original_question": "The mouse does not like the rabbit." + }, + { + "id": "RelNoneg-OWA-D3-1548", + "question": "The bald eagle is cold. The bald eagle is kind. The bald eagle is young. The bald eagle sees the cat. The bald eagle visits the cat. The bald eagle visits the dog. The cat is kind. The cat sees the dog. The dog eats the bald eagle. The dog eats the cat. The dog is cold. The dog is round. The dog sees the bald eagle. The dog sees the cat. The dog visits the bald eagle. The dog visits the cat. If the dog visits the cat then the cat eats the dog. If something is kind then it sees the dog. If the bald eagle sees the dog then the dog is cold. If something visits the cat and the cat eats the dog then the dog is kind. If something eats the cat and it is round then the cat is rough. If something visits the cat and the cat visits the bald eagle then the cat visits the dog.\n\nQuestion: The dog does not see the dog.", + "answer": false, + "QDep": 3, + "original_theory": "The bald eagle is cold. The bald eagle is kind. The bald eagle is young. The bald eagle sees the cat. The bald eagle visits the cat. The bald eagle visits the dog. The cat is kind. The cat sees the dog. The dog eats the bald eagle. The dog eats the cat. The dog is cold. The dog is round. The dog sees the bald eagle. The dog sees the cat. The dog visits the bald eagle. The dog visits the cat. If the dog visits the cat then the cat eats the dog. If something is kind then it sees the dog. If the bald eagle sees the dog then the dog is cold. If something visits the cat and the cat eats the dog then the dog is kind. If something eats the cat and it is round then the cat is rough. If something visits the cat and the cat visits the bald eagle then the cat visits the dog.", + "original_question": "The dog does not see the dog." + }, + { + "id": "AttNoneg-OWA-D3-1038", + "question": "Bob is furry. Bob is nice. Charlie is blue. Dave is nice. Dave is rough. Dave is round. Gary is big. Smart, round things are nice. Furry things are blue. Blue things are round. If something is furry then it is rough. If Bob is furry then Bob is round. If something is blue and round then it is smart.\n\nQuestion: Bob is not furry.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is furry. Bob is nice. Charlie is blue. Dave is nice. Dave is rough. Dave is round. Gary is big. Smart, round things are nice. Furry things are blue. Blue things are round. If something is furry then it is rough. If Bob is furry then Bob is round. If something is blue and round then it is smart.", + "original_question": "Bob is not furry." + }, + { + "id": "AttNoneg-OWA-D0-1131", + "question": "Fiona is blue. Gary is green. Harry is quiet. All white things are nice. All blue things are white. If Harry is nice and Harry is blue then Harry is young. All big things are green. If Fiona is white then Fiona is big. If something is green and big then it is white. All blue, white things are quiet. All quiet, nice things are green.\n\nQuestion: Fiona is blue.", + "answer": true, + "QDep": 0, + "original_theory": "Fiona is blue. Gary is green. Harry is quiet. All white things are nice. All blue things are white. If Harry is nice and Harry is blue then Harry is young. All big things are green. If Fiona is white then Fiona is big. If something is green and big then it is white. All blue, white things are quiet. All quiet, nice things are green.", + "original_question": "Fiona is blue." + }, + { + "id": "RelNeg-OWA-D3-991", + "question": "The bald eagle is big. The bear needs the cat. The cat does not chase the bald eagle. The lion is big. If someone is kind then they do not eat the lion. If the bald eagle is big then the bald eagle needs the lion. If someone is rough and they chase the bear then they do not need the bear. If someone needs the lion then the lion is kind. If someone needs the bear then they chase the lion. If someone chases the bear and they are kind then the bear chases the bald eagle.\n\nQuestion: The bald eagle does not need the lion.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle is big. The bear needs the cat. The cat does not chase the bald eagle. The lion is big. If someone is kind then they do not eat the lion. If the bald eagle is big then the bald eagle needs the lion. If someone is rough and they chase the bear then they do not need the bear. If someone needs the lion then the lion is kind. If someone needs the bear then they chase the lion. If someone chases the bear and they are kind then the bear chases the bald eagle.", + "original_question": "The bald eagle does not need the lion." + }, + { + "id": "AttNeg-OWA-D3-236", + "question": "Anne is smart. Bob is cold. Fiona is nice. Harry is kind. Nice things are green. If Harry is smart then Harry is blue. Green things are smart. All cold things are nice. Big things are blue. If Anne is nice then Anne is big. If something is green and big then it is not kind. If something is smart and nice then it is kind.\n\nQuestion: Harry is not kind.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is smart. Bob is cold. Fiona is nice. Harry is kind. Nice things are green. If Harry is smart then Harry is blue. Green things are smart. All cold things are nice. Big things are blue. If Anne is nice then Anne is big. If something is green and big then it is not kind. If something is smart and nice then it is kind.", + "original_question": "Harry is not kind." + }, + { + "id": "RelNeg-OWA-D1-2620", + "question": "The bald eagle does not eat the cat. The bald eagle is not big. The bald eagle is not cold. The bald eagle is red. The bald eagle is rough. The bald eagle is young. The bald eagle likes the cat. The bald eagle visits the cat. The cat eats the bald eagle. The cat is big. The cat is cold. The cat is not red. The cat is rough. The cat is young. The cat does not like the bald eagle. The cat visits the bald eagle. If the bald eagle visits the cat and the bald eagle does not like the cat then the bald eagle eats the cat. If something eats the bald eagle and the bald eagle likes the cat then it does not eat the cat. If something likes the bald eagle then it is red. If something likes the cat then it visits the bald eagle. If something is rough and it does not like the cat then it visits the bald eagle. If something is big then it visits the bald eagle. If something eats the bald eagle and it visits the cat then the cat does not visit the bald eagle. If something visits the bald eagle and the bald eagle visits the cat then the bald eagle is young.\n\nQuestion: The cat is red.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle does not eat the cat. The bald eagle is not big. The bald eagle is not cold. The bald eagle is red. The bald eagle is rough. The bald eagle is young. The bald eagle likes the cat. The bald eagle visits the cat. The cat eats the bald eagle. The cat is big. The cat is cold. The cat is not red. The cat is rough. The cat is young. The cat does not like the bald eagle. The cat visits the bald eagle. If the bald eagle visits the cat and the bald eagle does not like the cat then the bald eagle eats the cat. If something eats the bald eagle and the bald eagle likes the cat then it does not eat the cat. If something likes the bald eagle then it is red. If something likes the cat then it visits the bald eagle. If something is rough and it does not like the cat then it visits the bald eagle. If something is big then it visits the bald eagle. If something eats the bald eagle and it visits the cat then the cat does not visit the bald eagle. If something visits the bald eagle and the bald eagle visits the cat then the bald eagle is young.", + "original_question": "The cat is red." + }, + { + "id": "RelNoneg-OWA-D2-68", + "question": "The cow eats the lion. The cow is blue. The cow is cold. The cow is red. The cow is round. The cow is young. The cow sees the lion. The cow visits the lion. The lion eats the cow. The lion is blue. The lion is cold. The lion is red. The lion is round. The lion is young. The lion sees the cow. The lion visits the cow. If something eats the lion then the lion is young. If something eats the lion then it visits the lion. If something sees the lion and the lion is round then it is blue. If something is blue then it sees the lion. If something visits the cow then the cow sees the lion. If something sees the cow then it eats the lion. If something is round and red then it sees the lion. If something is blue and it sees the lion then the lion is red.\n\nQuestion: The lion does not see the lion.", + "answer": false, + "QDep": 1, + "original_theory": "The cow eats the lion. The cow is blue. The cow is cold. The cow is red. The cow is round. The cow is young. The cow sees the lion. The cow visits the lion. The lion eats the cow. The lion is blue. The lion is cold. The lion is red. The lion is round. The lion is young. The lion sees the cow. The lion visits the cow. If something eats the lion then the lion is young. If something eats the lion then it visits the lion. If something sees the lion and the lion is round then it is blue. If something is blue then it sees the lion. If something visits the cow then the cow sees the lion. If something sees the cow then it eats the lion. If something is round and red then it sees the lion. If something is blue and it sees the lion then the lion is red.", + "original_question": "The lion does not see the lion." + }, + { + "id": "AttNoneg-OWA-D1-3206", + "question": "Anne is nice. Anne is round. Anne is young. Bob is red. Bob is rough. Bob is round. Bob is smart. All young, cold people are round. All round people are smart.\n\nQuestion: Anne is not smart.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is nice. Anne is round. Anne is young. Bob is red. Bob is rough. Bob is round. Bob is smart. All young, cold people are round. All round people are smart.", + "original_question": "Anne is not smart." + }, + { + "id": "RelNoneg-OWA-D0-3177", + "question": "The dog is blue. The dog is green. The dog is rough. If the dog is green and the dog is red then the dog is rough. Green things are blue. All red things are green.\n\nQuestion: The dog is blue.", + "answer": true, + "QDep": 0, + "original_theory": "The dog is blue. The dog is green. The dog is rough. If the dog is green and the dog is red then the dog is rough. Green things are blue. All red things are green.", + "original_question": "The dog is blue." + }, + { + "id": "AttPos-OWA-BirdsVar2-3", + "question": "Arthur is a bird. Arthur is not wounded. Bill is an ostrich. Colin is a bird. Colin is wounded. Dave is not an ostrich. Dave is wounded. If someone is an ostrich then they are a bird. If someone is an ostrich then they are abnormal. If someone is an ostrich then they cannot fly. If someone is a bird and wounded then they are abnormal. If someone is wounded then they cannot fly. If someone is a bird and not abnormal then they can fly.\n\nQuestion: Arthur is not wounded.", + "answer": true, + "QDep": 0, + "original_theory": "Arthur is a bird. Arthur is not wounded. Bill is an ostrich. Colin is a bird. Colin is wounded. Dave is not an ostrich. Dave is wounded. If someone is an ostrich then they are a bird. If someone is an ostrich then they are abnormal. If someone is an ostrich then they cannot fly. If someone is a bird and wounded then they are abnormal. If someone is wounded then they cannot fly. If someone is a bird and not abnormal then they can fly.", + "original_question": "Arthur is not wounded." + }, + { + "id": "AttNeg-OWA-D0-6984", + "question": "Bob is not furry. Bob is nice. Bob is smart. Bob is young. Charlie is cold. Charlie is furry. Charlie is round. Erin is cold. Erin is round. Harry is furry. Harry is round. Harry is not smart. Young, round things are red. If Bob is round then Bob is young.\n\nQuestion: Bob is smart.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is not furry. Bob is nice. Bob is smart. Bob is young. Charlie is cold. Charlie is furry. Charlie is round. Erin is cold. Erin is round. Harry is furry. Harry is round. Harry is not smart. Young, round things are red. If Bob is round then Bob is young.", + "original_question": "Bob is smart." + }, + { + "id": "RelNoneg-OWA-D0-5495", + "question": "The cat chases the mouse. The cat is round. The cat likes the rabbit. The dog chases the cat. The dog chases the rabbit. The dog is round. The dog likes the cat. The dog visits the mouse. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit is big. The rabbit is green. The rabbit is rough. The rabbit likes the dog. The rabbit visits the cat. The rabbit visits the mouse. All green things are nice.\n\nQuestion: The cat is not round.", + "answer": false, + "QDep": 0, + "original_theory": "The cat chases the mouse. The cat is round. The cat likes the rabbit. The dog chases the cat. The dog chases the rabbit. The dog is round. The dog likes the cat. The dog visits the mouse. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit is big. The rabbit is green. The rabbit is rough. The rabbit likes the dog. The rabbit visits the cat. The rabbit visits the mouse. All green things are nice.", + "original_question": "The cat is not round." + }, + { + "id": "AttNoneg-OWA-D2-1696", + "question": "Dave is blue. Dave is nice. Dave is red. Dave is smart. Dave is young. Erin is big. Erin is blue. Erin is nice. Erin is red. Erin is round. Erin is smart. Erin is young. Round, red things are big. Red things are round. Smart things are red. Round things are nice. If something is big and blue then it is nice. If something is smart and red then it is young.\n\nQuestion: Dave is not round.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is blue. Dave is nice. Dave is red. Dave is smart. Dave is young. Erin is big. Erin is blue. Erin is nice. Erin is red. Erin is round. Erin is smart. Erin is young. Round, red things are big. Red things are round. Smart things are red. Round things are nice. If something is big and blue then it is nice. If something is smart and red then it is young.", + "original_question": "Dave is not round." + }, + { + "id": "RelNoneg-OWA-D1-2261", + "question": "The cow is big. The cow is red. The cow sees the rabbit. The rabbit chases the cow. The rabbit is cold. The rabbit likes the cow. The rabbit sees the cow. If someone chases the rabbit then they chase the cow. If someone sees the rabbit then they are cold. If someone sees the cow then they chase the cow. Kind people are green. If the rabbit is green then the rabbit likes the cow. If someone sees the rabbit and they like the cow then the rabbit is green. If someone is big and they chase the cow then they chase the rabbit. If someone is red then they chase the rabbit.\n\nQuestion: The cow is big.", + "answer": true, + "QDep": 0, + "original_theory": "The cow is big. The cow is red. The cow sees the rabbit. The rabbit chases the cow. The rabbit is cold. The rabbit likes the cow. The rabbit sees the cow. If someone chases the rabbit then they chase the cow. If someone sees the rabbit then they are cold. If someone sees the cow then they chase the cow. Kind people are green. If the rabbit is green then the rabbit likes the cow. If someone sees the rabbit and they like the cow then the rabbit is green. If someone is big and they chase the cow then they chase the rabbit. If someone is red then they chase the rabbit.", + "original_question": "The cow is big." + }, + { + "id": "RelNeg-OWA-D3-138", + "question": "The lion is nice. Big things are nice. If something is green then it is red. All red things are big. If the lion is nice then the lion is green. If something is big and not red then it is round. If something is big and not nice then it is round.\n\nQuestion: The lion is not green.", + "answer": false, + "QDep": 1, + "original_theory": "The lion is nice. Big things are nice. If something is green then it is red. All red things are big. If the lion is nice then the lion is green. If something is big and not red then it is round. If something is big and not nice then it is round.", + "original_question": "The lion is not green." + }, + { + "id": "RelNoneg-OWA-D3-822", + "question": "The bear is green. The lion chases the mouse. The lion is green. The lion is kind. The lion is nice. The lion is round. The lion visits the bear. The lion visits the mouse. The mouse chases the squirrel. The mouse is green. The mouse is red. The squirrel chases the bear. The squirrel eats the mouse. The squirrel is green. The squirrel visits the bear. If the bear eats the squirrel and the bear visits the squirrel then the squirrel chases the lion. If something is red and round then it chases the mouse. If something chases the mouse then it is nice. If something chases the bear and it eats the squirrel then the bear visits the squirrel. If something visits the bear and the bear chases the lion then the bear visits the lion. If something is green and it visits the mouse then it chases the lion. If something chases the mouse then the mouse is round. If something eats the bear and it visits the mouse then the bear is nice.\n\nQuestion: The lion visits the bear.", + "answer": true, + "QDep": 0, + "original_theory": "The bear is green. The lion chases the mouse. The lion is green. The lion is kind. The lion is nice. The lion is round. The lion visits the bear. The lion visits the mouse. The mouse chases the squirrel. The mouse is green. The mouse is red. The squirrel chases the bear. The squirrel eats the mouse. The squirrel is green. The squirrel visits the bear. If the bear eats the squirrel and the bear visits the squirrel then the squirrel chases the lion. If something is red and round then it chases the mouse. If something chases the mouse then it is nice. If something chases the bear and it eats the squirrel then the bear visits the squirrel. If something visits the bear and the bear chases the lion then the bear visits the lion. If something is green and it visits the mouse then it chases the lion. If something chases the mouse then the mouse is round. If something eats the bear and it visits the mouse then the bear is nice.", + "original_question": "The lion visits the bear." + }, + { + "id": "AttNeg-OWA-D1-2530", + "question": "Bob is furry. Bob is kind. Bob is red. Bob is round. Bob is young. Dave is kind. Dave is not red. Dave is round. Fiona is young. Harry is not young. If Fiona is furry and Fiona is green then Fiona is round. All round things are blue. Red, kind things are furry. Young, kind things are furry. All furry, kind things are young. All round, young things are not green. If something is round then it is kind. If Fiona is blue then Fiona is green.\n\nQuestion: Bob is not blue.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is furry. Bob is kind. Bob is red. Bob is round. Bob is young. Dave is kind. Dave is not red. Dave is round. Fiona is young. Harry is not young. If Fiona is furry and Fiona is green then Fiona is round. All round things are blue. Red, kind things are furry. Young, kind things are furry. All furry, kind things are young. All round, young things are not green. If something is round then it is kind. If Fiona is blue then Fiona is green.", + "original_question": "Bob is not blue." + }, + { + "id": "AttNonegNatLang-OWA-75", + "question": "Big rough Alan is round and rather green. Green, big and red are qualities which all describe Charlie. That guy Dave sure is nice. Fred can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Young round people who are green are usually blue. Rough and big people are always also cold people. I've noticed that nice people who have rough, green skin have a tendancy to be round. A nice, green, big person is also sure to be a red person. Anyone feeling cold is bound to act nice. People who are round and behave in a cold way are surely blue.\n\nQuestion: Alan is red.", + "answer": true, + "QDep": 3, + "original_theory": "Big rough Alan is round and rather green. Green, big and red are qualities which all describe Charlie. That guy Dave sure is nice. Fred can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Young round people who are green are usually blue. Rough and big people are always also cold people. I've noticed that nice people who have rough, green skin have a tendancy to be round. A nice, green, big person is also sure to be a red person. Anyone feeling cold is bound to act nice. People who are round and behave in a cold way are surely blue.", + "original_question": "Alan is red." + }, + { + "id": "AttNeg-OWA-D2-140", + "question": "Dave is nice. Fiona is quiet. If something is red and cold then it is quiet. If Fiona is quiet and Fiona is blue then Fiona is round. Nice, green things are red. If something is nice then it is not blue. If Dave is not blue then Dave is round. If Dave is red and Dave is not round then Dave is not quiet.\n\nQuestion: Dave is round.", + "answer": true, + "QDep": 2, + "original_theory": "Dave is nice. Fiona is quiet. If something is red and cold then it is quiet. If Fiona is quiet and Fiona is blue then Fiona is round. Nice, green things are red. If something is nice then it is not blue. If Dave is not blue then Dave is round. If Dave is red and Dave is not round then Dave is not quiet.", + "original_question": "Dave is round." + }, + { + "id": "RelNoneg-OWA-D2-1976", + "question": "The cat sees the squirrel. The squirrel sees the cat. If someone visits the cat and the cat is young then they eat the squirrel. If someone eats the squirrel and the squirrel sees the cat then the squirrel is round. If someone sees the cat and the cat sees the squirrel then they eat the squirrel.\n\nQuestion: The squirrel does not eat the squirrel.", + "answer": false, + "QDep": 1, + "original_theory": "The cat sees the squirrel. The squirrel sees the cat. If someone visits the cat and the cat is young then they eat the squirrel. If someone eats the squirrel and the squirrel sees the cat then the squirrel is round. If someone sees the cat and the cat sees the squirrel then they eat the squirrel.", + "original_question": "The squirrel does not eat the squirrel." + }, + { + "id": "RelNeg-OWA-D1-131", + "question": "The cow chases the squirrel. The squirrel chases the tiger. The tiger visits the cow. If someone visits the tiger and the tiger visits the squirrel then the squirrel sees the tiger. If someone is big then they see the tiger. If the tiger visits the cow then the cow does not visit the tiger.\n\nQuestion: The cow does not chase the squirrel.", + "answer": false, + "QDep": 0, + "original_theory": "The cow chases the squirrel. The squirrel chases the tiger. The tiger visits the cow. If someone visits the tiger and the tiger visits the squirrel then the squirrel sees the tiger. If someone is big then they see the tiger. If the tiger visits the cow then the cow does not visit the tiger.", + "original_question": "The cow does not chase the squirrel." + }, + { + "id": "AttNeg-OWA-D1-2312", + "question": "Bob is not big. Bob is not blue. Bob is cold. Bob is young. Dave is furry. Dave is young. Erin is big. Fiona is furry. Fiona is round. Fiona is young. If something is furry and young then it is kind. All big things are blue.\n\nQuestion: Fiona is young.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is not big. Bob is not blue. Bob is cold. Bob is young. Dave is furry. Dave is young. Erin is big. Fiona is furry. Fiona is round. Fiona is young. If something is furry and young then it is kind. All big things are blue.", + "original_question": "Fiona is young." + }, + { + "id": "RelNoneg-OWA-D3-1167", + "question": "The bald eagle needs the rabbit. The bald eagle visits the squirrel. The rabbit chases the bald eagle. The rabbit needs the bald eagle. The squirrel is green. The squirrel needs the bald eagle. The squirrel needs the rabbit. If someone visits the squirrel then the squirrel needs the rabbit. If someone visits the squirrel and the squirrel chases the rabbit then they chase the squirrel. If someone visits the squirrel then they visit the rabbit. If someone visits the squirrel then they need the bald eagle. If someone visits the rabbit then they visit the bald eagle. If someone visits the bald eagle then the bald eagle is young. If someone visits the rabbit and they need the bald eagle then the rabbit visits the bald eagle. If someone chases the rabbit then they are young.\n\nQuestion: The bald eagle does not visit the bald eagle.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle needs the rabbit. The bald eagle visits the squirrel. The rabbit chases the bald eagle. The rabbit needs the bald eagle. The squirrel is green. The squirrel needs the bald eagle. The squirrel needs the rabbit. If someone visits the squirrel then the squirrel needs the rabbit. If someone visits the squirrel and the squirrel chases the rabbit then they chase the squirrel. If someone visits the squirrel then they visit the rabbit. If someone visits the squirrel then they need the bald eagle. If someone visits the rabbit then they visit the bald eagle. If someone visits the bald eagle then the bald eagle is young. If someone visits the rabbit and they need the bald eagle then the rabbit visits the bald eagle. If someone chases the rabbit then they are young.", + "original_question": "The bald eagle does not visit the bald eagle." + }, + { + "id": "RelNoneg-OWA-D5-954", + "question": "The bald eagle is kind. The bald eagle needs the bear. The bear is kind. The lion needs the bear. The squirrel is kind. The squirrel needs the bald eagle. The squirrel visits the lion. If someone is blue and rough then they need the bear. If someone needs the bald eagle then they are blue. If someone needs the lion then they eat the lion. If someone eats the bear then the bear is kind. If someone is blue then they visit the bear. If the lion is rough and the lion eats the squirrel then the lion is blue. If someone is blue and they visit the bear then the bear needs the bald eagle.\n\nQuestion: The squirrel is not blue.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle is kind. The bald eagle needs the bear. The bear is kind. The lion needs the bear. The squirrel is kind. The squirrel needs the bald eagle. The squirrel visits the lion. If someone is blue and rough then they need the bear. If someone needs the bald eagle then they are blue. If someone needs the lion then they eat the lion. If someone eats the bear then the bear is kind. If someone is blue then they visit the bear. If the lion is rough and the lion eats the squirrel then the lion is blue. If someone is blue and they visit the bear then the bear needs the bald eagle.", + "original_question": "The squirrel is not blue." + }, + { + "id": "RelNeg-OWA-D3-910", + "question": "The bear chases the dog. The bear likes the squirrel. The bear visits the cat. The cat chases the dog. The cat is kind. The cat likes the dog. The dog is kind. The squirrel is big. The squirrel is rough. The squirrel does not visit the cat. If something likes the squirrel and it visits the cat then the squirrel likes the dog. If something visits the squirrel and the squirrel visits the dog then it is round. If something likes the cat then it is not round. All nice things are round. If something visits the squirrel and the squirrel likes the cat then it is round. If the squirrel does not like the bear then the squirrel does not visit the bear. If something is big then it is nice. If something likes the squirrel and the squirrel is round then it is rough.\n\nQuestion: The squirrel does not like the dog.", + "answer": false, + "QDep": 1, + "original_theory": "The bear chases the dog. The bear likes the squirrel. The bear visits the cat. The cat chases the dog. The cat is kind. The cat likes the dog. The dog is kind. The squirrel is big. The squirrel is rough. The squirrel does not visit the cat. If something likes the squirrel and it visits the cat then the squirrel likes the dog. If something visits the squirrel and the squirrel visits the dog then it is round. If something likes the cat then it is not round. All nice things are round. If something visits the squirrel and the squirrel likes the cat then it is round. If the squirrel does not like the bear then the squirrel does not visit the bear. If something is big then it is nice. If something likes the squirrel and the squirrel is round then it is rough.", + "original_question": "The squirrel does not like the dog." + }, + { + "id": "RelNeg-OWA-D3-587", + "question": "The bear visits the lion. The cat needs the bear. The cat visits the mouse. The lion is round. The lion needs the cat. The lion needs the mouse. The mouse needs the lion. If something is rough and it needs the lion then it is nice. If something needs the mouse and it chases the mouse then it is nice. If something is nice then it is round. If something visits the cat then the cat visits the lion. If something needs the lion then it is rough. If something needs the bear then the bear is green.\n\nQuestion: The mouse is not nice.", + "answer": false, + "QDep": 2, + "original_theory": "The bear visits the lion. The cat needs the bear. The cat visits the mouse. The lion is round. The lion needs the cat. The lion needs the mouse. The mouse needs the lion. If something is rough and it needs the lion then it is nice. If something needs the mouse and it chases the mouse then it is nice. If something is nice then it is round. If something visits the cat then the cat visits the lion. If something needs the lion then it is rough. If something needs the bear then the bear is green.", + "original_question": "The mouse is not nice." + }, + { + "id": "AttNoneg-OWA-D2-976", + "question": "Dave is kind. Erin is blue. Erin is green. Erin is kind. Erin is rough. Erin is white. Fiona is big. Fiona is green. Gary is kind. Gary is white. If someone is white then they are cold. All white, cold people are rough.\n\nQuestion: Gary is rough.", + "answer": true, + "QDep": 2, + "original_theory": "Dave is kind. Erin is blue. Erin is green. Erin is kind. Erin is rough. Erin is white. Fiona is big. Fiona is green. Gary is kind. Gary is white. If someone is white then they are cold. All white, cold people are rough.", + "original_question": "Gary is rough." + }, + { + "id": "AttNoneg-OWA-D3-1319", + "question": "Bob is blue. Bob is cold. Bob is furry. Bob is kind. Bob is white. Dave is cold. Dave is furry. Dave is kind. Dave is young. Harry is white. If someone is white then they are blue. If someone is young then they are quiet. All white, blue people are cold. Furry people are cold. If someone is quiet then they are cold. Kind people are quiet. If someone is quiet and furry then they are white. If someone is quiet and young then they are white.\n\nQuestion: Dave is not blue.", + "answer": false, + "QDep": 3, + "original_theory": "Bob is blue. Bob is cold. Bob is furry. Bob is kind. Bob is white. Dave is cold. Dave is furry. Dave is kind. Dave is young. Harry is white. If someone is white then they are blue. If someone is young then they are quiet. All white, blue people are cold. Furry people are cold. If someone is quiet then they are cold. Kind people are quiet. If someone is quiet and furry then they are white. If someone is quiet and young then they are white.", + "original_question": "Dave is not blue." + }, + { + "id": "RelNoneg-OWA-D3-2", + "question": "The bald eagle eats the cat. The bald eagle is rough. The cat visits the bald eagle. If someone eats the bald eagle then the bald eagle is rough. If the cat visits the bald eagle then the cat is blue. If someone chases the bald eagle and the bald eagle is blue then the bald eagle is kind. If someone chases the cat and the cat visits the bald eagle then the cat chases the bald eagle. If someone eats the bald eagle then the bald eagle chases the cat. If the cat visits the bald eagle then the cat eats the bald eagle. If someone chases the bald eagle then they visit the cat. If the cat is rough then the cat visits the bald eagle.\n\nQuestion: The bald eagle does not chase the cat.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle eats the cat. The bald eagle is rough. The cat visits the bald eagle. If someone eats the bald eagle then the bald eagle is rough. If the cat visits the bald eagle then the cat is blue. If someone chases the bald eagle and the bald eagle is blue then the bald eagle is kind. If someone chases the cat and the cat visits the bald eagle then the cat chases the bald eagle. If someone eats the bald eagle then the bald eagle chases the cat. If the cat visits the bald eagle then the cat eats the bald eagle. If someone chases the bald eagle then they visit the cat. If the cat is rough then the cat visits the bald eagle.", + "original_question": "The bald eagle does not chase the cat." + }, + { + "id": "AttNoneg-OWA-D5-995", + "question": "Anne is cold. Anne is kind. Anne is round. Dave is big. Dave is young. Gary is green. Harry is young. Kind things are cold. If Dave is big then Dave is kind. If something is young then it is cold. Round, cold things are big. All kind, young things are smart. Kind, green things are round. Young, round things are green. If Harry is young and Harry is cold then Harry is green. Young, green things are kind.\n\nQuestion: Dave is cold.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is cold. Anne is kind. Anne is round. Dave is big. Dave is young. Gary is green. Harry is young. Kind things are cold. If Dave is big then Dave is kind. If something is young then it is cold. Round, cold things are big. All kind, young things are smart. Kind, green things are round. Young, round things are green. If Harry is young and Harry is cold then Harry is green. Young, green things are kind.", + "original_question": "Dave is cold." + }, + { + "id": "RelNeg-OWA-D2-1968", + "question": "The bald eagle is nice. The bald eagle likes the lion. The bald eagle likes the squirrel. The bald eagle likes the tiger. The lion is nice. The lion is rough. The squirrel is rough. The squirrel likes the tiger. The squirrel visits the tiger. The tiger is blue. The tiger likes the squirrel. The tiger visits the lion. If something likes the bald eagle and it is big then it visits the squirrel. If something likes the bald eagle then the bald eagle visits the squirrel. If the lion eats the tiger then the lion visits the tiger. If something eats the squirrel then the squirrel is not big. If something is nice then it visits the lion. If the lion does not eat the tiger and the lion does not visit the tiger then the tiger visits the lion. If something visits the lion then it likes the lion. If something is big and it likes the squirrel then it does not like the lion.\n\nQuestion: The lion likes the lion.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle is nice. The bald eagle likes the lion. The bald eagle likes the squirrel. The bald eagle likes the tiger. The lion is nice. The lion is rough. The squirrel is rough. The squirrel likes the tiger. The squirrel visits the tiger. The tiger is blue. The tiger likes the squirrel. The tiger visits the lion. If something likes the bald eagle and it is big then it visits the squirrel. If something likes the bald eagle then the bald eagle visits the squirrel. If the lion eats the tiger then the lion visits the tiger. If something eats the squirrel then the squirrel is not big. If something is nice then it visits the lion. If the lion does not eat the tiger and the lion does not visit the tiger then the tiger visits the lion. If something visits the lion then it likes the lion. If something is big and it likes the squirrel then it does not like the lion.", + "original_question": "The lion likes the lion." + }, + { + "id": "RelNeg-OWA-D3-1556", + "question": "The bear is cold. The mouse chases the tiger. The tiger visits the mouse. If something eats the bear then it is red. If the tiger chases the bear then the bear is green. If something is cold then it eats the mouse. If something is cold and it visits the tiger then the tiger is kind. If something visits the mouse then it chases the tiger. If something eats the mouse then the mouse eats the bear. If something visits the bear and the bear does not eat the mouse then it eats the tiger. If something eats the bear and it chases the bear then it eats the tiger.\n\nQuestion: The mouse chases the tiger.", + "answer": true, + "QDep": 0, + "original_theory": "The bear is cold. The mouse chases the tiger. The tiger visits the mouse. If something eats the bear then it is red. If the tiger chases the bear then the bear is green. If something is cold then it eats the mouse. If something is cold and it visits the tiger then the tiger is kind. If something visits the mouse then it chases the tiger. If something eats the mouse then the mouse eats the bear. If something visits the bear and the bear does not eat the mouse then it eats the tiger. If something eats the bear and it chases the bear then it eats the tiger.", + "original_question": "The mouse chases the tiger." + }, + { + "id": "AttNeg-OWA-D2-175", + "question": "Fiona is big. Fiona is green. Fiona is white. Harry is furry. Harry is not rough. Harry is smart. Harry is white. Big, furry things are green. All big things are green. All white things are furry. If Fiona is furry then Fiona is not round. If Fiona is green and Fiona is round then Fiona is not big. White things are smart. If Fiona is round and Fiona is green then Fiona is rough. If Fiona is big then Fiona is smart.\n\nQuestion: Fiona is white.", + "answer": true, + "QDep": 0, + "original_theory": "Fiona is big. Fiona is green. Fiona is white. Harry is furry. Harry is not rough. Harry is smart. Harry is white. Big, furry things are green. All big things are green. All white things are furry. If Fiona is furry then Fiona is not round. If Fiona is green and Fiona is round then Fiona is not big. White things are smart. If Fiona is round and Fiona is green then Fiona is rough. If Fiona is big then Fiona is smart.", + "original_question": "Fiona is white." + }, + { + "id": "AttNoneg-OWA-D2-2256", + "question": "Dave is cold. Erin is big. All cold people are big. If someone is young then they are cold. Blue, rough people are young. All big people are cold. If someone is big then they are rough. If someone is cold then they are kind.\n\nQuestion: Erin is rough.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is cold. Erin is big. All cold people are big. If someone is young then they are cold. Blue, rough people are young. All big people are cold. If someone is big then they are rough. If someone is cold then they are kind.", + "original_question": "Erin is rough." + }, + { + "id": "AttNeg-OWA-D1-1150", + "question": "Anne is furry. Anne is kind. Anne is white. Bob is quiet. Charlie is furry. Charlie is kind. Fiona is not young. Smart people are white. If Bob is smart and Bob is quiet then Bob is not red. Smart people are young. If someone is furry and quiet then they are not young. If someone is young and not red then they are furry. All quiet people are not furry. If Charlie is not kind and Charlie is not white then Charlie is young. If Fiona is not red and Fiona is not white then Fiona is quiet.\n\nQuestion: Bob is not furry.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is furry. Anne is kind. Anne is white. Bob is quiet. Charlie is furry. Charlie is kind. Fiona is not young. Smart people are white. If Bob is smart and Bob is quiet then Bob is not red. Smart people are young. If someone is furry and quiet then they are not young. If someone is young and not red then they are furry. All quiet people are not furry. If Charlie is not kind and Charlie is not white then Charlie is young. If Fiona is not red and Fiona is not white then Fiona is quiet.", + "original_question": "Bob is not furry." + }, + { + "id": "RelNoneg-OWA-D2-1579", + "question": "The mouse is cold. The mouse is green. The mouse is rough. The mouse is round. The mouse is young. The mouse likes the tiger. The mouse sees the tiger. The mouse visits the tiger. The tiger is cold. The tiger is green. The tiger is rough. The tiger is round. The tiger is young. The tiger likes the mouse. The tiger sees the mouse. The tiger visits the mouse. If something is young then it likes the tiger. If something is green and it sees the mouse then it is cold. If something is young and it likes the tiger then it sees the mouse. If the tiger sees the mouse then the mouse visits the tiger. If something is green then it sees the tiger. If something likes the mouse and the mouse visits the tiger then it is young. If something sees the mouse and it is round then it visits the mouse. If something is cold and it visits the tiger then it sees the mouse.\n\nQuestion: The mouse visits the mouse.", + "answer": true, + "QDep": 2, + "original_theory": "The mouse is cold. The mouse is green. The mouse is rough. The mouse is round. The mouse is young. The mouse likes the tiger. The mouse sees the tiger. The mouse visits the tiger. The tiger is cold. The tiger is green. The tiger is rough. The tiger is round. The tiger is young. The tiger likes the mouse. The tiger sees the mouse. The tiger visits the mouse. If something is young then it likes the tiger. If something is green and it sees the mouse then it is cold. If something is young and it likes the tiger then it sees the mouse. If the tiger sees the mouse then the mouse visits the tiger. If something is green then it sees the tiger. If something likes the mouse and the mouse visits the tiger then it is young. If something sees the mouse and it is round then it visits the mouse. If something is cold and it visits the tiger then it sees the mouse.", + "original_question": "The mouse visits the mouse." + }, + { + "id": "AttNoneg-OWA-D3-1401", + "question": "Charlie is cold. Charlie is furry. Charlie is green. Charlie is red. Charlie is round. Charlie is smart. Charlie is white. Dave is cold. Dave is green. Erin is furry. Green people are round. Smart, green people are white. Round people are smart.\n\nQuestion: Dave is not round.", + "answer": false, + "QDep": 1, + "original_theory": "Charlie is cold. Charlie is furry. Charlie is green. Charlie is red. Charlie is round. Charlie is smart. Charlie is white. Dave is cold. Dave is green. Erin is furry. Green people are round. Smart, green people are white. Round people are smart.", + "original_question": "Dave is not round." + }, + { + "id": "AttNeg-OWA-D1-2015", + "question": "Bob is big. Bob is cold. Bob is young. Charlie is big. Charlie is cold. Charlie is red. Charlie is rough. Charlie is round. Charlie is young. Dave is red. Gary is quiet. Gary is red. Gary is rough. Gary is round. Gary is young. Young, cold things are red.\n\nQuestion: Charlie is young.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is big. Bob is cold. Bob is young. Charlie is big. Charlie is cold. Charlie is red. Charlie is rough. Charlie is round. Charlie is young. Dave is red. Gary is quiet. Gary is red. Gary is rough. Gary is round. Gary is young. Young, cold things are red.", + "original_question": "Charlie is young." + }, + { + "id": "RelNeg-OWA-D1-382", + "question": "The bald eagle is cold. The bald eagle likes the mouse. The bald eagle sees the rabbit. The mouse visits the rabbit. The rabbit is not round. The rabbit likes the bald eagle. The squirrel likes the rabbit. If someone is blue then they see the squirrel. If someone visits the rabbit and they like the bald eagle then they see the squirrel. If the mouse does not visit the rabbit then the rabbit does not visit the squirrel. If the bald eagle likes the mouse then the bald eagle likes the squirrel. If someone visits the bald eagle then they are red. If someone is red and they like the squirrel then they are not blue.\n\nQuestion: The bald eagle does not like the squirrel.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle is cold. The bald eagle likes the mouse. The bald eagle sees the rabbit. The mouse visits the rabbit. The rabbit is not round. The rabbit likes the bald eagle. The squirrel likes the rabbit. If someone is blue then they see the squirrel. If someone visits the rabbit and they like the bald eagle then they see the squirrel. If the mouse does not visit the rabbit then the rabbit does not visit the squirrel. If the bald eagle likes the mouse then the bald eagle likes the squirrel. If someone visits the bald eagle then they are red. If someone is red and they like the squirrel then they are not blue.", + "original_question": "The bald eagle does not like the squirrel." + }, + { + "id": "AttNeg-OWA-D1-1100", + "question": "Charlie is green. Charlie is kind. Charlie is nice. Charlie is smart. Charlie is white. Fiona is cold. Fiona is furry. Fiona is green. Fiona is kind. Fiona is white. Nice people are not furry.\n\nQuestion: Fiona is not kind.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is green. Charlie is kind. Charlie is nice. Charlie is smart. Charlie is white. Fiona is cold. Fiona is furry. Fiona is green. Fiona is kind. Fiona is white. Nice people are not furry.", + "original_question": "Fiona is not kind." + }, + { + "id": "AttNoneg-OWA-D3-248", + "question": "Bob is furry. Bob is red. Fiona is nice. Fiona is red. Gary is furry. Harry is blue. Harry is furry. Harry is kind. Harry is red. Harry is smart. If something is blue and kind then it is red. If something is red then it is green. If Gary is nice then Gary is kind. If something is nice then it is blue. If Harry is nice and Harry is furry then Harry is blue. All red, nice things are kind. If something is furry then it is nice. All smart things are red.\n\nQuestion: Bob is not kind.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is furry. Bob is red. Fiona is nice. Fiona is red. Gary is furry. Harry is blue. Harry is furry. Harry is kind. Harry is red. Harry is smart. If something is blue and kind then it is red. If something is red then it is green. If Gary is nice then Gary is kind. If something is nice then it is blue. If Harry is nice and Harry is furry then Harry is blue. All red, nice things are kind. If something is furry then it is nice. All smart things are red.", + "original_question": "Bob is not kind." + }, + { + "id": "AttNoneg-OWA-D3-1682", + "question": "Anne is blue. Anne is furry. Anne is kind. Anne is quiet. Anne is rough. Anne is round. Anne is young. Erin is blue. Erin is quiet. Fiona is kind. Fiona is rough. Fiona is round. Fiona is young. Harry is blue. Harry is round. If someone is rough and furry then they are kind. Furry people are rough. All quiet people are kind. If someone is kind and rough then they are round. If Harry is blue then Harry is young. If someone is quiet then they are furry. All rough people are quiet. All kind people are quiet.\n\nQuestion: Erin is furry.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is blue. Anne is furry. Anne is kind. Anne is quiet. Anne is rough. Anne is round. Anne is young. Erin is blue. Erin is quiet. Fiona is kind. Fiona is rough. Fiona is round. Fiona is young. Harry is blue. Harry is round. If someone is rough and furry then they are kind. Furry people are rough. All quiet people are kind. If someone is kind and rough then they are round. If Harry is blue then Harry is young. If someone is quiet then they are furry. All rough people are quiet. All kind people are quiet.", + "original_question": "Erin is furry." + }, + { + "id": "AttNeg-OWA-D2-973", + "question": "Anne is blue. Anne is cold. Dave is big. Dave is not round. Dave is not young. Gary is blue. Gary is nice. If someone is blue then they are quiet. Nice people are blue. If someone is quiet and blue then they are round. If someone is quiet then they are young. If someone is round then they are young. If Gary is round then Gary is blue. If someone is round and not blue then they are not big. If Dave is not big and Dave is not blue then Dave is not cold.\n\nQuestion: Gary is not young.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is blue. Anne is cold. Dave is big. Dave is not round. Dave is not young. Gary is blue. Gary is nice. If someone is blue then they are quiet. Nice people are blue. If someone is quiet and blue then they are round. If someone is quiet then they are young. If someone is round then they are young. If Gary is round then Gary is blue. If someone is round and not blue then they are not big. If Dave is not big and Dave is not blue then Dave is not cold.", + "original_question": "Gary is not young." + }, + { + "id": "RelNeg-OWA-D2-1730", + "question": "The lion is big. The lion is cold. The lion is red. Cold, blue things are kind. All big, blue things are red. If something is kind and big then it is red. If something is kind and big then it is red. Big things are blue. Blue things are cold. All kind things are cold. If the lion is cold then the lion is red.\n\nQuestion: The lion is red.", + "answer": true, + "QDep": 0, + "original_theory": "The lion is big. The lion is cold. The lion is red. Cold, blue things are kind. All big, blue things are red. If something is kind and big then it is red. If something is kind and big then it is red. Big things are blue. Blue things are cold. All kind things are cold. If the lion is cold then the lion is red.", + "original_question": "The lion is red." + }, + { + "id": "AttNeg-OWA-D2-1400", + "question": "Anne is nice. Gary is furry. If someone is kind and not young then they are nice. Nice people are kind. All kind people are not big.\n\nQuestion: Anne is not kind.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is nice. Gary is furry. If someone is kind and not young then they are nice. Nice people are kind. All kind people are not big.", + "original_question": "Anne is not kind." + }, + { + "id": "AttNoneg-OWA-D3-33", + "question": "Anne is red. Dave is rough. Erin is red. Big things are round. All rough things are big. Round, rough things are red.\n\nQuestion: Dave is round.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is red. Dave is rough. Erin is red. Big things are round. All rough things are big. Round, rough things are red.", + "original_question": "Dave is round." + }, + { + "id": "RelNoneg-OWA-D2-1020", + "question": "The bear is nice. The bear is young. The cat visits the mouse. The cow sees the cat. The cow visits the cat. The mouse eats the bear. The mouse eats the cat. The mouse sees the cat. The mouse sees the cow. The mouse visits the cat. If someone sees the cow then the cow visits the mouse. If someone is red then they visit the bear. If someone visits the cow then the cow is green. If someone eats the bear then the bear visits the cow. If the mouse visits the cow and the mouse is young then the mouse sees the cow. If someone visits the cat then the cat visits the bear. If the cow is big then the cow visits the mouse. If someone is red then they see the cat.\n\nQuestion: The cat does not visit the mouse.", + "answer": false, + "QDep": 0, + "original_theory": "The bear is nice. The bear is young. The cat visits the mouse. The cow sees the cat. The cow visits the cat. The mouse eats the bear. The mouse eats the cat. The mouse sees the cat. The mouse sees the cow. The mouse visits the cat. If someone sees the cow then the cow visits the mouse. If someone is red then they visit the bear. If someone visits the cow then the cow is green. If someone eats the bear then the bear visits the cow. If the mouse visits the cow and the mouse is young then the mouse sees the cow. If someone visits the cat then the cat visits the bear. If the cow is big then the cow visits the mouse. If someone is red then they see the cat.", + "original_question": "The cat does not visit the mouse." + }, + { + "id": "AttNoneg-OWA-D3-51", + "question": "Anne is young. Bob is round. Dave is smart. If someone is young then they are smart. Round, kind people are blue. If Dave is young then Dave is white. Smart people are young. Kind, young people are round. If Dave is white and Dave is young then Dave is round.\n\nQuestion: Dave is round.", + "answer": true, + "QDep": 3, + "original_theory": "Anne is young. Bob is round. Dave is smart. If someone is young then they are smart. Round, kind people are blue. If Dave is young then Dave is white. Smart people are young. Kind, young people are round. If Dave is white and Dave is young then Dave is round.", + "original_question": "Dave is round." + }, + { + "id": "RelNoneg-OWA-D1-1595", + "question": "The bald eagle chases the mouse. The bald eagle chases the rabbit. The bald eagle eats the rabbit. The bald eagle is blue. The bald eagle is kind. The bald eagle is round. The bald eagle sees the mouse. The bald eagle sees the rabbit. The mouse chases the bald eagle. The mouse eats the bald eagle. The rabbit chases the bald eagle. The rabbit eats the bald eagle. The rabbit eats the mouse. The rabbit is blue. The rabbit sees the bald eagle. The rabbit sees the mouse. If something chases the mouse then the mouse chases the bald eagle. If something is round then it chases the rabbit. If something sees the mouse then it chases the bald eagle. If the rabbit chases the bald eagle then the rabbit eats the mouse. If something sees the mouse and it sees the rabbit then the rabbit chases the mouse. If something eats the bald eagle and the bald eagle sees the mouse then the bald eagle is blue. If something chases the rabbit and the rabbit is red then the rabbit eats the mouse. If something eats the bald eagle then the bald eagle eats the mouse.\n\nQuestion: The bald eagle does not chase the bald eagle.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle chases the mouse. The bald eagle chases the rabbit. The bald eagle eats the rabbit. The bald eagle is blue. The bald eagle is kind. The bald eagle is round. The bald eagle sees the mouse. The bald eagle sees the rabbit. The mouse chases the bald eagle. The mouse eats the bald eagle. The rabbit chases the bald eagle. The rabbit eats the bald eagle. The rabbit eats the mouse. The rabbit is blue. The rabbit sees the bald eagle. The rabbit sees the mouse. If something chases the mouse then the mouse chases the bald eagle. If something is round then it chases the rabbit. If something sees the mouse then it chases the bald eagle. If the rabbit chases the bald eagle then the rabbit eats the mouse. If something sees the mouse and it sees the rabbit then the rabbit chases the mouse. If something eats the bald eagle and the bald eagle sees the mouse then the bald eagle is blue. If something chases the rabbit and the rabbit is red then the rabbit eats the mouse. If something eats the bald eagle then the bald eagle eats the mouse.", + "original_question": "The bald eagle does not chase the bald eagle." + }, + { + "id": "AttNeg-OWA-D3-1071", + "question": "Bob is blue. Bob is quiet. Charlie is quiet. Fiona is not blue. Fiona is green. Fiona is not smart. Gary is green. If someone is kind and not quiet then they are rough. Quiet people are not smart. Quiet people are kind. If Gary is smart and Gary is blue then Gary is rough. If someone is quiet and not smart then they are green. If someone is green then they are big. All blue people are big. If someone is smart then they are not big.\n\nQuestion: Charlie is big.", + "answer": true, + "QDep": 3, + "original_theory": "Bob is blue. Bob is quiet. Charlie is quiet. Fiona is not blue. Fiona is green. Fiona is not smart. Gary is green. If someone is kind and not quiet then they are rough. Quiet people are not smart. Quiet people are kind. If Gary is smart and Gary is blue then Gary is rough. If someone is quiet and not smart then they are green. If someone is green then they are big. All blue people are big. If someone is smart then they are not big.", + "original_question": "Charlie is big." + }, + { + "id": "AttNeg-OWA-D0-5301", + "question": "Anne is blue. Bob is furry. Bob is not rough. Bob is smart. Bob is white. Bob is young. Charlie is cold. Charlie is furry. Charlie is smart. Charlie is young. Erin is blue. Erin is cold. Erin is not rough. Erin is white. Erin is young. All smart, white things are young. All furry, cold things are young. Cold, smart things are white. If Charlie is cold then Charlie is furry. All smart things are furry. Smart, blue things are not furry.\n\nQuestion: Charlie is young.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is blue. Bob is furry. Bob is not rough. Bob is smart. Bob is white. Bob is young. Charlie is cold. Charlie is furry. Charlie is smart. Charlie is young. Erin is blue. Erin is cold. Erin is not rough. Erin is white. Erin is young. All smart, white things are young. All furry, cold things are young. Cold, smart things are white. If Charlie is cold then Charlie is furry. All smart things are furry. Smart, blue things are not furry.", + "original_question": "Charlie is young." + }, + { + "id": "RelNeg-OWA-D0-4641", + "question": "The mouse chases the rabbit. The mouse chases the squirrel. The mouse is blue. The mouse does not like the squirrel. The mouse visits the rabbit. The mouse visits the squirrel. The rabbit chases the mouse. The rabbit chases the squirrel. The rabbit is blue. The rabbit does not like the mouse. The squirrel chases the rabbit. The squirrel is big. The squirrel is blue. The squirrel is not cold. The squirrel is not red. The squirrel visits the rabbit. If something likes the squirrel and it does not chase the squirrel then the squirrel chases the rabbit.\n\nQuestion: The squirrel does not chase the rabbit.", + "answer": false, + "QDep": 0, + "original_theory": "The mouse chases the rabbit. The mouse chases the squirrel. The mouse is blue. The mouse does not like the squirrel. The mouse visits the rabbit. The mouse visits the squirrel. The rabbit chases the mouse. The rabbit chases the squirrel. The rabbit is blue. The rabbit does not like the mouse. The squirrel chases the rabbit. The squirrel is big. The squirrel is blue. The squirrel is not cold. The squirrel is not red. The squirrel visits the rabbit. If something likes the squirrel and it does not chase the squirrel then the squirrel chases the rabbit.", + "original_question": "The squirrel does not chase the rabbit." + }, + { + "id": "AttNeg-OWA-D3-183", + "question": "Charlie is cold. Charlie is kind. Dave is cold. Dave is kind. Erin is cold. Erin is kind. Erin is red. Erin is smart. Erin is young. Gary is kind. Gary is red. Gary is not young. If Charlie is blue then Charlie is not young. If Gary is red then Gary is rough. Kind things are smart. All smart things are blue. Young things are blue. If Gary is rough and Gary is not kind then Gary is not cold.\n\nQuestion: Gary is not young.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is cold. Charlie is kind. Dave is cold. Dave is kind. Erin is cold. Erin is kind. Erin is red. Erin is smart. Erin is young. Gary is kind. Gary is red. Gary is not young. If Charlie is blue then Charlie is not young. If Gary is red then Gary is rough. Kind things are smart. All smart things are blue. Young things are blue. If Gary is rough and Gary is not kind then Gary is not cold.", + "original_question": "Gary is not young." + }, + { + "id": "AttNoneg-OWA-D3-1495", + "question": "Dave is furry. Dave is green. Dave is kind. Dave is nice. Erin is blue. Erin is green. Erin is nice. If something is blue and kind then it is furry. Young, blue things are big. If something is young and furry then it is kind. Young things are blue. If Erin is furry then Erin is young. All furry, kind things are young.\n\nQuestion: Dave is not blue.", + "answer": false, + "QDep": 2, + "original_theory": "Dave is furry. Dave is green. Dave is kind. Dave is nice. Erin is blue. Erin is green. Erin is nice. If something is blue and kind then it is furry. Young, blue things are big. If something is young and furry then it is kind. Young things are blue. If Erin is furry then Erin is young. All furry, kind things are young.", + "original_question": "Dave is not blue." + }, + { + "id": "AttNonegNatLang-OWA-220", + "question": "Rough and cold that is what they say about Blue Bob. That guy Charlie sure is nice. Dave is kind and nice and looks green. Fred seems to be round. If you meet someone with rough skin who is cold from being outside, you'll notice they are nice. Every time you meet someone kind and nice, they'll be green, too. If someone plays rough and is nice and round, they will be big. Nice, young red people will also turn out to always be green. Most young kind people tend to be red too. A person that is round and somewhat green while being nice tends to be red as well. A nice person is inevitably round as well.\n\nQuestion: Charlie is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "Rough and cold that is what they say about Blue Bob. That guy Charlie sure is nice. Dave is kind and nice and looks green. Fred seems to be round. If you meet someone with rough skin who is cold from being outside, you'll notice they are nice. Every time you meet someone kind and nice, they'll be green, too. If someone plays rough and is nice and round, they will be big. Nice, young red people will also turn out to always be green. Most young kind people tend to be red too. A person that is round and somewhat green while being nice tends to be red as well. A nice person is inevitably round as well.", + "original_question": "Charlie is not nice." + }, + { + "id": "RelNoneg-OWA-D2-591", + "question": "The cat is blue. The cat is kind. The lion is big. The lion is blue. The lion is kind. The lion sees the tiger. The squirrel is round. The squirrel is young. The squirrel needs the cat. The squirrel sees the lion. The tiger is blue. The tiger is kind. The tiger needs the lion. The tiger needs the squirrel. The tiger sees the squirrel. The tiger visits the lion. If someone is blue then they are big. If someone needs the lion and the lion is blue then the lion visits the tiger. If someone visits the tiger and they are blue then they see the lion. If the cat needs the lion then the lion needs the cat. If someone sees the cat then they are round. If someone sees the tiger then they visit the cat.\n\nQuestion: The lion does not see the lion.", + "answer": false, + "QDep": 2, + "original_theory": "The cat is blue. The cat is kind. The lion is big. The lion is blue. The lion is kind. The lion sees the tiger. The squirrel is round. The squirrel is young. The squirrel needs the cat. The squirrel sees the lion. The tiger is blue. The tiger is kind. The tiger needs the lion. The tiger needs the squirrel. The tiger sees the squirrel. The tiger visits the lion. If someone is blue then they are big. If someone needs the lion and the lion is blue then the lion visits the tiger. If someone visits the tiger and they are blue then they see the lion. If the cat needs the lion then the lion needs the cat. If someone sees the cat then they are round. If someone sees the tiger then they visit the cat.", + "original_question": "The lion does not see the lion." + }, + { + "id": "RelNeg-OWA-D0-5299", + "question": "The tiger is big. The tiger is blue. The tiger is kind. The tiger is red. The tiger is not young. If something is kind then it is red. If something is young and not red then it is blue. Big things are not young. If something is big then it is not young. All blue things are big. If something is red and not kind then it is big.\n\nQuestion: The tiger is young.", + "answer": false, + "QDep": 0, + "original_theory": "The tiger is big. The tiger is blue. The tiger is kind. The tiger is red. The tiger is not young. If something is kind then it is red. If something is young and not red then it is blue. Big things are not young. If something is big then it is not young. All blue things are big. If something is red and not kind then it is big.", + "original_question": "The tiger is young." + }, + { + "id": "AttPos-OWA-ElectricityRB4-66", + "question": "The circuit includes the battery. The battery is flat. The circuit includes the switch. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The wire is not plastic.", + "answer": false, + "QDep": 0, + "original_theory": "The circuit includes the battery. The battery is flat. The circuit includes the switch. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The wire is not plastic." + }, + { + "id": "RelNeg-OWA-D3-1520", + "question": "The cat is nice. The cat needs the mouse. The cat needs the squirrel. The mouse needs the cat. The squirrel eats the mouse. The squirrel is not kind. The squirrel needs the mouse. If something eats the mouse and it is not nice then it is kind. If something is big then it eats the cat. If something is nice then it does not eat the cat. If something needs the mouse then it needs the cat. If something sees the squirrel then the squirrel does not see the cat. If something eats the mouse then it is rough. If something is round then it does not eat the squirrel. If something is nice and it does not eat the cat then it is round.\n\nQuestion: The cat eats the squirrel.", + "answer": false, + "QDep": 3, + "original_theory": "The cat is nice. The cat needs the mouse. The cat needs the squirrel. The mouse needs the cat. The squirrel eats the mouse. The squirrel is not kind. The squirrel needs the mouse. If something eats the mouse and it is not nice then it is kind. If something is big then it eats the cat. If something is nice then it does not eat the cat. If something needs the mouse then it needs the cat. If something sees the squirrel then the squirrel does not see the cat. If something eats the mouse then it is rough. If something is round then it does not eat the squirrel. If something is nice and it does not eat the cat then it is round.", + "original_question": "The cat eats the squirrel." + }, + { + "id": "AttNoneg-OWA-D0-1131", + "question": "Fiona is blue. Gary is green. Harry is quiet. All white things are nice. All blue things are white. If Harry is nice and Harry is blue then Harry is young. All big things are green. If Fiona is white then Fiona is big. If something is green and big then it is white. All blue, white things are quiet. All quiet, nice things are green.\n\nQuestion: Gary is not green.", + "answer": false, + "QDep": 0, + "original_theory": "Fiona is blue. Gary is green. Harry is quiet. All white things are nice. All blue things are white. If Harry is nice and Harry is blue then Harry is young. All big things are green. If Fiona is white then Fiona is big. If something is green and big then it is white. All blue, white things are quiet. All quiet, nice things are green.", + "original_question": "Gary is not green." + }, + { + "id": "AttNonegNatLang-OWA-241", + "question": "The young person who is always feeling cold is named Bob. For as cold as Charlie is around most people, I have found that he is very kind. Even if he is round, green and red. Fred, who is relatively young, is also pretty big and tends to be cold. Harry is green and cold too. When green, young and round fits a person, you'll see that rough will also fit. Nice people who are blue and round at the same time are always young. Kind, round people that are really feeling blue are going to always be big. A person who is kind and rough and blue is young. Nice people that are very green and even round shaped will be very young. Any red sort of person is a nice person.\n\nQuestion: Charlie is rough.", + "answer": true, + "QDep": 3, + "original_theory": "The young person who is always feeling cold is named Bob. For as cold as Charlie is around most people, I have found that he is very kind. Even if he is round, green and red. Fred, who is relatively young, is also pretty big and tends to be cold. Harry is green and cold too. When green, young and round fits a person, you'll see that rough will also fit. Nice people who are blue and round at the same time are always young. Kind, round people that are really feeling blue are going to always be big. A person who is kind and rough and blue is young. Nice people that are very green and even round shaped will be very young. Any red sort of person is a nice person.", + "original_question": "Charlie is rough." + }, + { + "id": "RelNoneg-OWA-D3-152", + "question": "The bear chases the tiger. The bear needs the rabbit. The bear needs the tiger. The rabbit chases the tiger. The rabbit is red. The rabbit likes the bear. The rabbit needs the bear. The tiger chases the bear. The tiger chases the rabbit. The tiger is green. The tiger is young. The tiger likes the bear. The tiger likes the rabbit. The tiger needs the bear. The tiger needs the rabbit. If someone needs the tiger then they need the rabbit. If someone needs the rabbit and they chase the tiger then they chase the bear. If the rabbit chases the tiger then the rabbit needs the tiger.\n\nQuestion: The bear does not chase the bear.", + "answer": false, + "QDep": 1, + "original_theory": "The bear chases the tiger. The bear needs the rabbit. The bear needs the tiger. The rabbit chases the tiger. The rabbit is red. The rabbit likes the bear. The rabbit needs the bear. The tiger chases the bear. The tiger chases the rabbit. The tiger is green. The tiger is young. The tiger likes the bear. The tiger likes the rabbit. The tiger needs the bear. The tiger needs the rabbit. If someone needs the tiger then they need the rabbit. If someone needs the rabbit and they chase the tiger then they chase the bear. If the rabbit chases the tiger then the rabbit needs the tiger.", + "original_question": "The bear does not chase the bear." + }, + { + "id": "AttNoneg-OWA-D5-651", + "question": "Charlie is rough. Erin is nice. Erin is red. Fiona is cold. Fiona is red. Harry is furry. Harry is nice. All furry people are nice. Nice, red people are rough. All nice people are rough. If someone is red and round then they are furry. All big, rough people are round. All red, rough people are big. All cold, furry people are rough. If someone is cold and round then they are red. All furry people are cold.\n\nQuestion: Charlie is rough.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is rough. Erin is nice. Erin is red. Fiona is cold. Fiona is red. Harry is furry. Harry is nice. All furry people are nice. Nice, red people are rough. All nice people are rough. If someone is red and round then they are furry. All big, rough people are round. All red, rough people are big. All cold, furry people are rough. If someone is cold and round then they are red. All furry people are cold.", + "original_question": "Charlie is rough." + }, + { + "id": "AttNoneg-OWA-D3-248", + "question": "Bob is furry. Bob is red. Fiona is nice. Fiona is red. Gary is furry. Harry is blue. Harry is furry. Harry is kind. Harry is red. Harry is smart. If something is blue and kind then it is red. If something is red then it is green. If Gary is nice then Gary is kind. If something is nice then it is blue. If Harry is nice and Harry is furry then Harry is blue. All red, nice things are kind. If something is furry then it is nice. All smart things are red.\n\nQuestion: Bob is blue.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is furry. Bob is red. Fiona is nice. Fiona is red. Gary is furry. Harry is blue. Harry is furry. Harry is kind. Harry is red. Harry is smart. If something is blue and kind then it is red. If something is red then it is green. If Gary is nice then Gary is kind. If something is nice then it is blue. If Harry is nice and Harry is furry then Harry is blue. All red, nice things are kind. If something is furry then it is nice. All smart things are red.", + "original_question": "Bob is blue." + }, + { + "id": "AttNeg-OWA-D1-2506", + "question": "Anne is red. Charlie is big. Charlie is furry. Charlie is red. Charlie is young. Erin is furry. Erin is kind. Red people are green.\n\nQuestion: Charlie is young.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is red. Charlie is big. Charlie is furry. Charlie is red. Charlie is young. Erin is furry. Erin is kind. Red people are green.", + "original_question": "Charlie is young." + }, + { + "id": "AttNeg-OWA-D0-6283", + "question": "Charlie is cold. Charlie is furry. Charlie is green. Charlie is quiet. Charlie is round. Charlie is not white. Charlie is young. Dave is cold. Dave is furry. Dave is green. Dave is quiet. Dave is round. Dave is white. Dave is young. All furry, young things are cold.\n\nQuestion: Dave is furry.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is cold. Charlie is furry. Charlie is green. Charlie is quiet. Charlie is round. Charlie is not white. Charlie is young. Dave is cold. Dave is furry. Dave is green. Dave is quiet. Dave is round. Dave is white. Dave is young. All furry, young things are cold.", + "original_question": "Dave is furry." + }, + { + "id": "RelNeg-OWA-D3-407", + "question": "The cow eats the rabbit. The cow is not blue. The cow does not see the rabbit. The cow does not visit the rabbit. The rabbit is blue. The rabbit is not cold. The rabbit sees the cow. If something eats the rabbit then it is not cold. If the cow visits the rabbit and the rabbit is blue then the rabbit does not eat the cow. If something eats the rabbit then the rabbit eats the cow. If something is red then it visits the cow. If something eats the cow then it is red. If something sees the cow then the cow does not visit the rabbit. If something visits the rabbit and it sees the cow then it is not young. If something is green and not red then it sees the rabbit.\n\nQuestion: The rabbit visits the cow.", + "answer": true, + "QDep": 3, + "original_theory": "The cow eats the rabbit. The cow is not blue. The cow does not see the rabbit. The cow does not visit the rabbit. The rabbit is blue. The rabbit is not cold. The rabbit sees the cow. If something eats the rabbit then it is not cold. If the cow visits the rabbit and the rabbit is blue then the rabbit does not eat the cow. If something eats the rabbit then the rabbit eats the cow. If something is red then it visits the cow. If something eats the cow then it is red. If something sees the cow then the cow does not visit the rabbit. If something visits the rabbit and it sees the cow then it is not young. If something is green and not red then it sees the rabbit.", + "original_question": "The rabbit visits the cow." + }, + { + "id": "AttNeg-OWA-D2-1400", + "question": "Anne is nice. Gary is furry. If someone is kind and not young then they are nice. Nice people are kind. All kind people are not big.\n\nQuestion: Anne is not kind.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is nice. Gary is furry. If someone is kind and not young then they are nice. Nice people are kind. All kind people are not big.", + "original_question": "Anne is not kind." + }, + { + "id": "AttNeg-OWA-D3-476", + "question": "Anne is not nice. Anne is rough. Anne is smart. Bob is rough. Gary is nice. Gary is quiet. Harry is rough. If Gary is big then Gary is cold. All nice people are big. If Gary is big then Gary is quiet. If someone is green then they are smart. If Anne is quiet and Anne is not green then Anne is big. If someone is nice and not quiet then they are not rough. If someone is quiet and not big then they are not rough. Cold people are rough.\n\nQuestion: Gary is cold.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is not nice. Anne is rough. Anne is smart. Bob is rough. Gary is nice. Gary is quiet. Harry is rough. If Gary is big then Gary is cold. All nice people are big. If Gary is big then Gary is quiet. If someone is green then they are smart. If Anne is quiet and Anne is not green then Anne is big. If someone is nice and not quiet then they are not rough. If someone is quiet and not big then they are not rough. Cold people are rough.", + "original_question": "Gary is cold." + }, + { + "id": "AttNonegNatLang-OWA-179", + "question": "For being so young, Bob is nice. He has rough, red hands from working all day and it makes him feel blue. Even though Dave is round and big, he is very kind. Fred may be round, but he is also kind. For being so cold, it's good Gary can remain nice. A person with big, round, kind face appears to be rough around the edges because they are naive. Kind red people are green on the inside. Nice, young red people will also turn out to always be green. If someone is green and naive they may also have red, rough skin. It is a safe guess then that they are also round. A nice person who feels blue and looks round is usually kind. If a person is both cold and round, that person is also someone who is red.\n\nQuestion: Bob is green.", + "answer": true, + "QDep": 1, + "original_theory": "For being so young, Bob is nice. He has rough, red hands from working all day and it makes him feel blue. Even though Dave is round and big, he is very kind. Fred may be round, but he is also kind. For being so cold, it's good Gary can remain nice. A person with big, round, kind face appears to be rough around the edges because they are naive. Kind red people are green on the inside. Nice, young red people will also turn out to always be green. If someone is green and naive they may also have red, rough skin. It is a safe guess then that they are also round. A nice person who feels blue and looks round is usually kind. If a person is both cold and round, that person is also someone who is red.", + "original_question": "Bob is green." + }, + { + "id": "RelNoneg-OWA-D3-842", + "question": "The bald eagle is green. The bear is rough. The mouse likes the bear. The squirrel likes the bear. If something chases the squirrel and it likes the mouse then it is kind. If something is rough and it likes the mouse then it is kind. If something is rough and it likes the squirrel then it likes the bald eagle. All rough things are young. If something is rough then it needs the mouse. If something is young then it needs the bear. If something chases the squirrel and the squirrel chases the bald eagle then the squirrel is rough. If something needs the mouse and it is young then it likes the mouse.\n\nQuestion: The bear needs the bear.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle is green. The bear is rough. The mouse likes the bear. The squirrel likes the bear. If something chases the squirrel and it likes the mouse then it is kind. If something is rough and it likes the mouse then it is kind. If something is rough and it likes the squirrel then it likes the bald eagle. All rough things are young. If something is rough then it needs the mouse. If something is young then it needs the bear. If something chases the squirrel and the squirrel chases the bald eagle then the squirrel is rough. If something needs the mouse and it is young then it likes the mouse.", + "original_question": "The bear needs the bear." + }, + { + "id": "AttNeg-OWA-D3-1096", + "question": "Bob is blue. Erin is red. Erin is young. If something is nice then it is blue. If Erin is blue then Erin is red. If something is blue then it is nice. If something is white and not nice then it is not round. All nice things are red. If something is white and not nice then it is red. Round, blue things are green. Red things are young.\n\nQuestion: Bob is red.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is blue. Erin is red. Erin is young. If something is nice then it is blue. If Erin is blue then Erin is red. If something is blue then it is nice. If something is white and not nice then it is not round. All nice things are red. If something is white and not nice then it is red. Round, blue things are green. Red things are young.", + "original_question": "Bob is red." + }, + { + "id": "AttNoneg-OWA-D3-74", + "question": "Erin is white. Harry is round. Big people are young. If Harry is white and Harry is smart then Harry is big. All young people are round. If someone is white then they are big. If someone is big and white then they are smart. All young, white people are rough.\n\nQuestion: Erin is not big.", + "answer": false, + "QDep": 1, + "original_theory": "Erin is white. Harry is round. Big people are young. If Harry is white and Harry is smart then Harry is big. All young people are round. If someone is white then they are big. If someone is big and white then they are smart. All young, white people are rough.", + "original_question": "Erin is not big." + }, + { + "id": "RelNeg-OWA-D2-1338", + "question": "The bear eats the tiger. The dog chases the bear. The mouse chases the dog. The tiger chases the dog. If something is green then it sees the mouse. If something sees the dog then it does not eat the bear. If something chases the bear then the bear sees the dog. If something chases the tiger then it is not green. If something is red and it chases the mouse then it chases the bear. If something is big then it chases the tiger.\n\nQuestion: The bear eats the bear.", + "answer": false, + "QDep": 2, + "original_theory": "The bear eats the tiger. The dog chases the bear. The mouse chases the dog. The tiger chases the dog. If something is green then it sees the mouse. If something sees the dog then it does not eat the bear. If something chases the bear then the bear sees the dog. If something chases the tiger then it is not green. If something is red and it chases the mouse then it chases the bear. If something is big then it chases the tiger.", + "original_question": "The bear eats the bear." + }, + { + "id": "RelNeg-OWA-D3-504", + "question": "The cow is green. The cow is nice. The cow likes the lion. The cow needs the tiger. The cow sees the lion. The cow sees the tiger. The lion likes the cow. The lion does not need the cow. The tiger is cold. The tiger likes the cow. The tiger sees the cow. The tiger sees the lion. If someone needs the cow and the cow is green then they like the cow. If someone needs the tiger then the tiger is blue. If the lion is kind and the lion sees the cow then the lion needs the cow. If the tiger does not see the lion then the lion needs the cow. Blue people are nice. If someone is nice then they need the cow. If someone is cold and they do not like the tiger then they do not see the tiger. If someone needs the tiger and they do not like the cow then the tiger is cold.\n\nQuestion: The tiger needs the cow.", + "answer": true, + "QDep": 3, + "original_theory": "The cow is green. The cow is nice. The cow likes the lion. The cow needs the tiger. The cow sees the lion. The cow sees the tiger. The lion likes the cow. The lion does not need the cow. The tiger is cold. The tiger likes the cow. The tiger sees the cow. The tiger sees the lion. If someone needs the cow and the cow is green then they like the cow. If someone needs the tiger then the tiger is blue. If the lion is kind and the lion sees the cow then the lion needs the cow. If the tiger does not see the lion then the lion needs the cow. Blue people are nice. If someone is nice then they need the cow. If someone is cold and they do not like the tiger then they do not see the tiger. If someone needs the tiger and they do not like the cow then the tiger is cold.", + "original_question": "The tiger needs the cow." + }, + { + "id": "AttNoneg-OWA-D0-6440", + "question": "Anne is kind. Bob is red. Erin is big. If something is red then it is rough. If something is rough and kind then it is big. Blue things are kind. All big, quiet things are rough. If something is kind and red then it is big. Blue, red things are kind.\n\nQuestion: Erin is not big.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is kind. Bob is red. Erin is big. If something is red then it is rough. If something is rough and kind then it is big. Blue things are kind. All big, quiet things are rough. If something is kind and red then it is big. Blue, red things are kind.", + "original_question": "Erin is not big." + }, + { + "id": "RelNoneg-OWA-D3-204", + "question": "The dog is big. If the dog is young then the dog is blue. Big things are kind. All kind things are young.\n\nQuestion: The dog is big.", + "answer": true, + "QDep": 0, + "original_theory": "The dog is big. If the dog is young then the dog is blue. Big things are kind. All kind things are young.", + "original_question": "The dog is big." + }, + { + "id": "RelNoneg-OWA-D2-279", + "question": "The bear is big. The bear is green. The bear is nice. Nice things are red. If the bear is nice and the bear is red then the bear is cold.\n\nQuestion: The bear is not green.", + "answer": false, + "QDep": 0, + "original_theory": "The bear is big. The bear is green. The bear is nice. Nice things are red. If the bear is nice and the bear is red then the bear is cold.", + "original_question": "The bear is not green." + }, + { + "id": "AttNoneg-OWA-D3-1155", + "question": "Erin is nice. Erin is red. Fiona is cold. Fiona is nice. Fiona is smart. Fiona is white. Harry is nice. Harry is red. Harry is round. Harry is white. If someone is round and smart then they are red. Nice, smart people are round. Red people are furry.\n\nQuestion: Fiona is not red.", + "answer": false, + "QDep": 2, + "original_theory": "Erin is nice. Erin is red. Fiona is cold. Fiona is nice. Fiona is smart. Fiona is white. Harry is nice. Harry is red. Harry is round. Harry is white. If someone is round and smart then they are red. Nice, smart people are round. Red people are furry.", + "original_question": "Fiona is not red." + }, + { + "id": "AttNeg-OWA-D3-368", + "question": "Bob is big. Bob is nice. Bob is quiet. Bob is rough. Bob is round. Gary is red. Gary is rough. Gary is round. Harry is nice. Harry is rough. Round things are big. If something is red and rough then it is big. All quiet things are red. All big, round things are quiet. If something is nice and round then it is quiet. All rough, quiet things are nice.\n\nQuestion: Harry is rough.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is big. Bob is nice. Bob is quiet. Bob is rough. Bob is round. Gary is red. Gary is rough. Gary is round. Harry is nice. Harry is rough. Round things are big. If something is red and rough then it is big. All quiet things are red. All big, round things are quiet. If something is nice and round then it is quiet. All rough, quiet things are nice.", + "original_question": "Harry is rough." + }, + { + "id": "AttNoneg-OWA-D2-161", + "question": "Anne is furry. Anne is quiet. Anne is round. Anne is smart. Bob is big. Bob is furry. Bob is kind. Bob is quiet. Bob is rough. Bob is round. Bob is smart. Charlie is big. Charlie is kind. Charlie is quiet. Harry is furry. Harry is round. Furry things are rough. All round, kind things are quiet. All kind, quiet things are furry.\n\nQuestion: Bob is smart.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is furry. Anne is quiet. Anne is round. Anne is smart. Bob is big. Bob is furry. Bob is kind. Bob is quiet. Bob is rough. Bob is round. Bob is smart. Charlie is big. Charlie is kind. Charlie is quiet. Harry is furry. Harry is round. Furry things are rough. All round, kind things are quiet. All kind, quiet things are furry.", + "original_question": "Bob is smart." + }, + { + "id": "RelNeg-OWA-D3-1520", + "question": "The cat is nice. The cat needs the mouse. The cat needs the squirrel. The mouse needs the cat. The squirrel eats the mouse. The squirrel is not kind. The squirrel needs the mouse. If something eats the mouse and it is not nice then it is kind. If something is big then it eats the cat. If something is nice then it does not eat the cat. If something needs the mouse then it needs the cat. If something sees the squirrel then the squirrel does not see the cat. If something eats the mouse then it is rough. If something is round then it does not eat the squirrel. If something is nice and it does not eat the cat then it is round.\n\nQuestion: The cat does not eat the squirrel.", + "answer": true, + "QDep": 3, + "original_theory": "The cat is nice. The cat needs the mouse. The cat needs the squirrel. The mouse needs the cat. The squirrel eats the mouse. The squirrel is not kind. The squirrel needs the mouse. If something eats the mouse and it is not nice then it is kind. If something is big then it eats the cat. If something is nice then it does not eat the cat. If something needs the mouse then it needs the cat. If something sees the squirrel then the squirrel does not see the cat. If something eats the mouse then it is rough. If something is round then it does not eat the squirrel. If something is nice and it does not eat the cat then it is round.", + "original_question": "The cat does not eat the squirrel." + }, + { + "id": "RelNoneg-OWA-D3-581", + "question": "The bald eagle eats the lion. The bald eagle eats the tiger. The bald eagle is big. The bald eagle is nice. The bald eagle is young. The bald eagle likes the lion. The bald eagle likes the tiger. The bald eagle needs the lion. The bald eagle needs the tiger. The lion eats the bald eagle. The lion eats the tiger. The lion is big. The lion is blue. The lion is nice. The lion likes the bald eagle. The tiger needs the bald eagle. If something needs the tiger then the tiger likes the bald eagle. If something is round then it needs the lion. If something eats the lion and it is round then it likes the lion. If something needs the lion then it is blue. If something is big and blue then it likes the tiger. If the tiger needs the bald eagle then the tiger is round.\n\nQuestion: The tiger is not blue.", + "answer": false, + "QDep": 3, + "original_theory": "The bald eagle eats the lion. The bald eagle eats the tiger. The bald eagle is big. The bald eagle is nice. The bald eagle is young. The bald eagle likes the lion. The bald eagle likes the tiger. The bald eagle needs the lion. The bald eagle needs the tiger. The lion eats the bald eagle. The lion eats the tiger. The lion is big. The lion is blue. The lion is nice. The lion likes the bald eagle. The tiger needs the bald eagle. If something needs the tiger then the tiger likes the bald eagle. If something is round then it needs the lion. If something eats the lion and it is round then it likes the lion. If something needs the lion then it is blue. If something is big and blue then it likes the tiger. If the tiger needs the bald eagle then the tiger is round.", + "original_question": "The tiger is not blue." + }, + { + "id": "AttNoneg-OWA-D2-521", + "question": "Dave is furry. Dave is nice. Dave is red. Gary is green. Gary is nice. Gary is red. Harry is furry. Harry is green. Harry is nice. Harry is red. Harry is rough. Harry is round. If Dave is rough and Dave is red then Dave is nice. Green, rough things are quiet. If something is red then it is quiet. Quiet, furry things are nice. Rough, furry things are quiet. All nice things are green. If Dave is green and Dave is red then Dave is rough. All round things are furry.\n\nQuestion: Gary is not quiet.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is furry. Dave is nice. Dave is red. Gary is green. Gary is nice. Gary is red. Harry is furry. Harry is green. Harry is nice. Harry is red. Harry is rough. Harry is round. If Dave is rough and Dave is red then Dave is nice. Green, rough things are quiet. If something is red then it is quiet. Quiet, furry things are nice. Rough, furry things are quiet. All nice things are green. If Dave is green and Dave is red then Dave is rough. All round things are furry.", + "original_question": "Gary is not quiet." + }, + { + "id": "AttNoneg-OWA-D3-1537", + "question": "Anne is blue. Anne is nice. Dave is big. Dave is nice. Dave is rough. Dave is white. Dave is young. Gary is cold. Gary is rough. Gary is white. If Dave is white then Dave is cold. If Gary is cold then Gary is nice. Nice things are white. If Anne is young and Anne is nice then Anne is rough. All white, nice things are big. All big, blue things are rough.\n\nQuestion: Dave is not white.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is blue. Anne is nice. Dave is big. Dave is nice. Dave is rough. Dave is white. Dave is young. Gary is cold. Gary is rough. Gary is white. If Dave is white then Dave is cold. If Gary is cold then Gary is nice. Nice things are white. If Anne is young and Anne is nice then Anne is rough. All white, nice things are big. All big, blue things are rough.", + "original_question": "Dave is not white." + }, + { + "id": "RelNeg-OWA-D2-1609", + "question": "The cat is blue. If someone is young then they are nice. If someone is big then they are nice. If the cat is nice and the cat is big then the cat is blue. If the cat is nice then the cat is big. If the cat is kind and the cat is blue then the cat is big. Big, nice people are blue. All young, kind people are blue. Blue people are big.\n\nQuestion: The cat is not nice.", + "answer": false, + "QDep": 2, + "original_theory": "The cat is blue. If someone is young then they are nice. If someone is big then they are nice. If the cat is nice and the cat is big then the cat is blue. If the cat is nice then the cat is big. If the cat is kind and the cat is blue then the cat is big. Big, nice people are blue. All young, kind people are blue. Blue people are big.", + "original_question": "The cat is not nice." + }, + { + "id": "AttNoneg-OWA-D5-570", + "question": "Bob is big. Bob is red. Charlie is big. Erin is nice. Erin is quiet. Erin is red. Fiona is cold. Fiona is kind. Fiona is nice. Fiona is red. If someone is quiet then they are furry. Kind, nice people are red. All big people are quiet. If someone is kind then they are cold. All nice, furry people are red. If someone is nice and red then they are kind. Big people are nice. Kind people are quiet.\n\nQuestion: Erin is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is big. Bob is red. Charlie is big. Erin is nice. Erin is quiet. Erin is red. Fiona is cold. Fiona is kind. Fiona is nice. Fiona is red. If someone is quiet then they are furry. Kind, nice people are red. All big people are quiet. If someone is kind then they are cold. All nice, furry people are red. If someone is nice and red then they are kind. Big people are nice. Kind people are quiet.", + "original_question": "Erin is not nice." + }, + { + "id": "RelNoneg-OWA-D3-1229", + "question": "The cat eats the lion. The cow eats the lion. The cow is blue. The cow likes the lion. The cow likes the squirrel. The lion is young. The squirrel likes the cat. If someone is round then they chase the cow. If someone eats the lion then the lion likes the cat. If someone is young and they like the cat then the cat is round.\n\nQuestion: The cat is round.", + "answer": true, + "QDep": 2, + "original_theory": "The cat eats the lion. The cow eats the lion. The cow is blue. The cow likes the lion. The cow likes the squirrel. The lion is young. The squirrel likes the cat. If someone is round then they chase the cow. If someone eats the lion then the lion likes the cat. If someone is young and they like the cat then the cat is round.", + "original_question": "The cat is round." + }, + { + "id": "AttNeg-OWA-D1-2530", + "question": "Bob is furry. Bob is kind. Bob is red. Bob is round. Bob is young. Dave is kind. Dave is not red. Dave is round. Fiona is young. Harry is not young. If Fiona is furry and Fiona is green then Fiona is round. All round things are blue. Red, kind things are furry. Young, kind things are furry. All furry, kind things are young. All round, young things are not green. If something is round then it is kind. If Fiona is blue then Fiona is green.\n\nQuestion: Bob is not green.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is furry. Bob is kind. Bob is red. Bob is round. Bob is young. Dave is kind. Dave is not red. Dave is round. Fiona is young. Harry is not young. If Fiona is furry and Fiona is green then Fiona is round. All round things are blue. Red, kind things are furry. Young, kind things are furry. All furry, kind things are young. All round, young things are not green. If something is round then it is kind. If Fiona is blue then Fiona is green.", + "original_question": "Bob is not green." + }, + { + "id": "RelNoneg-OWA-D1-2593", + "question": "The dog is big. The dog is kind. The dog is round. All cold people are big. Round people are rough. If someone is big and round then they are cold.\n\nQuestion: The dog is rough.", + "answer": true, + "QDep": 1, + "original_theory": "The dog is big. The dog is kind. The dog is round. All cold people are big. Round people are rough. If someone is big and round then they are cold.", + "original_question": "The dog is rough." + }, + { + "id": "RelNeg-OWA-D2-170", + "question": "The cat eats the squirrel. The squirrel eats the cat. The squirrel is nice. The squirrel is round. The squirrel sees the tiger. The tiger is not nice. The tiger sees the cat. If the squirrel sees the tiger and the tiger does not chase the squirrel then the squirrel does not see the cat. If something chases the squirrel and it eats the squirrel then the squirrel chases the cat. If something sees the squirrel then it chases the tiger. If something sees the squirrel then the squirrel chases the tiger. If the squirrel is kind then the squirrel chases the tiger. If something sees the tiger then it sees the squirrel. If the tiger does not see the cat then the tiger is kind. If the tiger eats the squirrel then the tiger is cold.\n\nQuestion: The squirrel sees the squirrel.", + "answer": true, + "QDep": 1, + "original_theory": "The cat eats the squirrel. The squirrel eats the cat. The squirrel is nice. The squirrel is round. The squirrel sees the tiger. The tiger is not nice. The tiger sees the cat. If the squirrel sees the tiger and the tiger does not chase the squirrel then the squirrel does not see the cat. If something chases the squirrel and it eats the squirrel then the squirrel chases the cat. If something sees the squirrel then it chases the tiger. If something sees the squirrel then the squirrel chases the tiger. If the squirrel is kind then the squirrel chases the tiger. If something sees the tiger then it sees the squirrel. If the tiger does not see the cat then the tiger is kind. If the tiger eats the squirrel then the tiger is cold.", + "original_question": "The squirrel sees the squirrel." + }, + { + "id": "AttNoneg-OWA-D0-2528", + "question": "Anne is white. Erin is young. Fiona is furry. Fiona is nice. Fiona is rough. Fiona is white. Fiona is young. Harry is furry. Harry is rough. Harry is young. Red things are green. All nice things are white. If something is rough and red then it is young.\n\nQuestion: Anne is white.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is white. Erin is young. Fiona is furry. Fiona is nice. Fiona is rough. Fiona is white. Fiona is young. Harry is furry. Harry is rough. Harry is young. Red things are green. All nice things are white. If something is rough and red then it is young.", + "original_question": "Anne is white." + }, + { + "id": "AttNoneg-OWA-D3-1081", + "question": "Bob is cold. Bob is nice. Bob is round. Bob is smart. Erin is blue. Erin is cold. Erin is kind. Erin is nice. Fiona is cold. Fiona is kind. Fiona is red. Fiona is round. Harry is nice. Harry is red. Harry is round. Smart things are kind. Nice things are smart. All red, kind things are cold.\n\nQuestion: Bob is not round.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is cold. Bob is nice. Bob is round. Bob is smart. Erin is blue. Erin is cold. Erin is kind. Erin is nice. Fiona is cold. Fiona is kind. Fiona is red. Fiona is round. Harry is nice. Harry is red. Harry is round. Smart things are kind. Nice things are smart. All red, kind things are cold.", + "original_question": "Bob is not round." + }, + { + "id": "RelNoneg-OWA-D2-424", + "question": "The bald eagle is rough. The cow chases the bald eagle. If something likes the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something eats the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something likes the cow and it is blue then it chases the bald eagle. If something eats the cow then it likes the bald eagle. If something is cold then it chases the bald eagle. If something chases the bald eagle then the bald eagle eats the cow.\n\nQuestion: The bald eagle likes the bald eagle.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle is rough. The cow chases the bald eagle. If something likes the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something eats the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something likes the cow and it is blue then it chases the bald eagle. If something eats the cow then it likes the bald eagle. If something is cold then it chases the bald eagle. If something chases the bald eagle then the bald eagle eats the cow.", + "original_question": "The bald eagle likes the bald eagle." + }, + { + "id": "RelNoneg-OWA-D3-2", + "question": "The bald eagle eats the cat. The bald eagle is rough. The cat visits the bald eagle. If someone eats the bald eagle then the bald eagle is rough. If the cat visits the bald eagle then the cat is blue. If someone chases the bald eagle and the bald eagle is blue then the bald eagle is kind. If someone chases the cat and the cat visits the bald eagle then the cat chases the bald eagle. If someone eats the bald eagle then the bald eagle chases the cat. If the cat visits the bald eagle then the cat eats the bald eagle. If someone chases the bald eagle then they visit the cat. If the cat is rough then the cat visits the bald eagle.\n\nQuestion: The bald eagle chases the cat.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle eats the cat. The bald eagle is rough. The cat visits the bald eagle. If someone eats the bald eagle then the bald eagle is rough. If the cat visits the bald eagle then the cat is blue. If someone chases the bald eagle and the bald eagle is blue then the bald eagle is kind. If someone chases the cat and the cat visits the bald eagle then the cat chases the bald eagle. If someone eats the bald eagle then the bald eagle chases the cat. If the cat visits the bald eagle then the cat eats the bald eagle. If someone chases the bald eagle then they visit the cat. If the cat is rough then the cat visits the bald eagle.", + "original_question": "The bald eagle chases the cat." + }, + { + "id": "AttNoneg-OWA-D1-1897", + "question": "Bob is cold. Charlie is green. Charlie is quiet. Charlie is white. Charlie is young. Gary is quiet. Gary is white. If something is young then it is red. All white things are quiet. Quiet, young things are cold. If Gary is quiet and Gary is green then Gary is young. If something is red then it is green. If Gary is round then Gary is white. White, young things are green. If something is red then it is young.\n\nQuestion: Gary is not white.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is cold. Charlie is green. Charlie is quiet. Charlie is white. Charlie is young. Gary is quiet. Gary is white. If something is young then it is red. All white things are quiet. Quiet, young things are cold. If Gary is quiet and Gary is green then Gary is young. If something is red then it is green. If Gary is round then Gary is white. White, young things are green. If something is red then it is young.", + "original_question": "Gary is not white." + }, + { + "id": "AttNeg-OWA-D3-501", + "question": "Harry is rough. If Harry is not kind then Harry is nice. If Harry is rough then Harry is nice. If something is nice and kind then it is cold. Nice things are cold. If Harry is cold and Harry is rough then Harry is smart. If something is nice and cold then it is rough. If something is white and not cold then it is smart. If something is nice and smart then it is not white.\n\nQuestion: Harry is not cold.", + "answer": false, + "QDep": 2, + "original_theory": "Harry is rough. If Harry is not kind then Harry is nice. If Harry is rough then Harry is nice. If something is nice and kind then it is cold. Nice things are cold. If Harry is cold and Harry is rough then Harry is smart. If something is nice and cold then it is rough. If something is white and not cold then it is smart. If something is nice and smart then it is not white.", + "original_question": "Harry is not cold." + }, + { + "id": "RelNoneg-OWA-D3-359", + "question": "The bald eagle eats the cat. The bald eagle likes the cow. The bald eagle needs the lion. The cat eats the lion. The cat is red. The cow eats the bald eagle. The lion eats the cat. The lion eats the cow. The lion is kind. The lion is red. The lion likes the cat. The lion likes the cow. The lion needs the bald eagle. The lion needs the cat. The lion needs the cow. If the cow needs the bald eagle and the cow likes the cat then the bald eagle likes the cow. If something needs the bald eagle and it needs the cow then the bald eagle eats the cow. If something needs the lion and the lion eats the cow then it is green. If something is green and it likes the cat then the cat needs the cow. If something eats the cow then it needs the lion. If something needs the cat and the cat eats the lion then the cat eats the bald eagle.\n\nQuestion: The lion does not need the lion.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle eats the cat. The bald eagle likes the cow. The bald eagle needs the lion. The cat eats the lion. The cat is red. The cow eats the bald eagle. The lion eats the cat. The lion eats the cow. The lion is kind. The lion is red. The lion likes the cat. The lion likes the cow. The lion needs the bald eagle. The lion needs the cat. The lion needs the cow. If the cow needs the bald eagle and the cow likes the cat then the bald eagle likes the cow. If something needs the bald eagle and it needs the cow then the bald eagle eats the cow. If something needs the lion and the lion eats the cow then it is green. If something is green and it likes the cat then the cat needs the cow. If something eats the cow then it needs the lion. If something needs the cat and the cat eats the lion then the cat eats the bald eagle.", + "original_question": "The lion does not need the lion." + }, + { + "id": "AttNeg-OWA-D2-383", + "question": "Anne is cold. Anne is furry. Anne is green. Anne is nice. Charlie is cold. Charlie is green. Charlie is nice. Charlie is round. Charlie is white. Charlie is young. Dave is not cold. Dave is round. Dave is white. Dave is young. Fiona is cold. Fiona is white. All white things are nice. If something is round then it is nice. If something is white and nice then it is furry. Young, cold things are white. All white, round things are green. Round things are young.\n\nQuestion: Dave is not green.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is cold. Anne is furry. Anne is green. Anne is nice. Charlie is cold. Charlie is green. Charlie is nice. Charlie is round. Charlie is white. Charlie is young. Dave is not cold. Dave is round. Dave is white. Dave is young. Fiona is cold. Fiona is white. All white things are nice. If something is round then it is nice. If something is white and nice then it is furry. Young, cold things are white. All white, round things are green. Round things are young.", + "original_question": "Dave is not green." + }, + { + "id": "AttNoneg-OWA-D3-1240", + "question": "Dave is furry. Gary is cold. Gary is furry. Gary is rough. Gary is smart. Gary is white. Gary is young. If Gary is furry and Gary is round then Gary is young. Furry things are white. All smart things are cold. If something is smart and white then it is cold. If something is white then it is smart. If something is white and smart then it is cold. Round, rough things are white. Young, cold things are furry.\n\nQuestion: Dave is not white.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is furry. Gary is cold. Gary is furry. Gary is rough. Gary is smart. Gary is white. Gary is young. If Gary is furry and Gary is round then Gary is young. Furry things are white. All smart things are cold. If something is smart and white then it is cold. If something is white then it is smart. If something is white and smart then it is cold. Round, rough things are white. Young, cold things are furry.", + "original_question": "Dave is not white." + }, + { + "id": "AttNoneg-OWA-D3-9", + "question": "Bob is kind. Bob is nice. Bob is round. Gary is blue. Gary is round. Harry is cold. Harry is rough. If something is blue and kind then it is round. Kind, round things are young. All cold things are kind. If something is kind and blue then it is rough. If something is young then it is nice. Cold things are round.\n\nQuestion: Harry is young.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is kind. Bob is nice. Bob is round. Gary is blue. Gary is round. Harry is cold. Harry is rough. If something is blue and kind then it is round. Kind, round things are young. All cold things are kind. If something is kind and blue then it is rough. If something is young then it is nice. Cold things are round.", + "original_question": "Harry is young." + }, + { + "id": "AttNeg-OWA-D2-179", + "question": "Charlie is round. Charlie is not white. Dave is young. Fiona is round. Gary is furry. Gary is quiet. Gary is young. If someone is young and rough then they are white. All big people are not white. Round people are big.\n\nQuestion: Fiona is white.", + "answer": false, + "QDep": 2, + "original_theory": "Charlie is round. Charlie is not white. Dave is young. Fiona is round. Gary is furry. Gary is quiet. Gary is young. If someone is young and rough then they are white. All big people are not white. Round people are big.", + "original_question": "Fiona is white." + }, + { + "id": "AttNoneg-OWA-D3-1319", + "question": "Bob is blue. Bob is cold. Bob is furry. Bob is kind. Bob is white. Dave is cold. Dave is furry. Dave is kind. Dave is young. Harry is white. If someone is white then they are blue. If someone is young then they are quiet. All white, blue people are cold. Furry people are cold. If someone is quiet then they are cold. Kind people are quiet. If someone is quiet and furry then they are white. If someone is quiet and young then they are white.\n\nQuestion: Dave is blue.", + "answer": true, + "QDep": 3, + "original_theory": "Bob is blue. Bob is cold. Bob is furry. Bob is kind. Bob is white. Dave is cold. Dave is furry. Dave is kind. Dave is young. Harry is white. If someone is white then they are blue. If someone is young then they are quiet. All white, blue people are cold. Furry people are cold. If someone is quiet then they are cold. Kind people are quiet. If someone is quiet and furry then they are white. If someone is quiet and young then they are white.", + "original_question": "Dave is blue." + }, + { + "id": "AttNeg-OWA-D1-2859", + "question": "Bob is round. Bob is smart. Bob is white. Fiona is rough. Fiona is round. Fiona is not smart. Gary is not big. Gary is quiet. Gary is not rough. Gary is smart. If someone is rough then they are not quiet.\n\nQuestion: Fiona is quiet.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is round. Bob is smart. Bob is white. Fiona is rough. Fiona is round. Fiona is not smart. Gary is not big. Gary is quiet. Gary is not rough. Gary is smart. If someone is rough then they are not quiet.", + "original_question": "Fiona is quiet." + }, + { + "id": "AttNoneg-OWA-D5-240", + "question": "Anne is round. Anne is young. Bob is round. Bob is smart. Dave is blue. Dave is kind. Dave is round. Dave is smart. Dave is white. Erin is smart. If someone is round and blue then they are white. Kind people are blue. All round people are kind. White, round people are young. All round, kind people are smart. If Bob is young and Bob is blue then Bob is furry. Furry people are young.\n\nQuestion: Bob is young.", + "answer": true, + "QDep": 4, + "original_theory": "Anne is round. Anne is young. Bob is round. Bob is smart. Dave is blue. Dave is kind. Dave is round. Dave is smart. Dave is white. Erin is smart. If someone is round and blue then they are white. Kind people are blue. All round people are kind. White, round people are young. All round, kind people are smart. If Bob is young and Bob is blue then Bob is furry. Furry people are young.", + "original_question": "Bob is young." + }, + { + "id": "AttNeg-OWA-D3-536", + "question": "Anne is nice. Anne is rough. Anne is white. Dave is big. Dave is young. Gary is big. Gary is white. All nice, white things are big. If something is big then it is nice. If Dave is nice and Dave is not young then Dave is blue. Nice things are rough. All young things are not kind. All rough things are blue. All young things are blue. If something is young and not big then it is blue.\n\nQuestion: Anne is rough.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is nice. Anne is rough. Anne is white. Dave is big. Dave is young. Gary is big. Gary is white. All nice, white things are big. If something is big then it is nice. If Dave is nice and Dave is not young then Dave is blue. Nice things are rough. All young things are not kind. All rough things are blue. All young things are blue. If something is young and not big then it is blue.", + "original_question": "Anne is rough." + }, + { + "id": "RelNoneg-OWA-D3-822", + "question": "The bear is green. The lion chases the mouse. The lion is green. The lion is kind. The lion is nice. The lion is round. The lion visits the bear. The lion visits the mouse. The mouse chases the squirrel. The mouse is green. The mouse is red. The squirrel chases the bear. The squirrel eats the mouse. The squirrel is green. The squirrel visits the bear. If the bear eats the squirrel and the bear visits the squirrel then the squirrel chases the lion. If something is red and round then it chases the mouse. If something chases the mouse then it is nice. If something chases the bear and it eats the squirrel then the bear visits the squirrel. If something visits the bear and the bear chases the lion then the bear visits the lion. If something is green and it visits the mouse then it chases the lion. If something chases the mouse then the mouse is round. If something eats the bear and it visits the mouse then the bear is nice.\n\nQuestion: The lion is not kind.", + "answer": false, + "QDep": 0, + "original_theory": "The bear is green. The lion chases the mouse. The lion is green. The lion is kind. The lion is nice. The lion is round. The lion visits the bear. The lion visits the mouse. The mouse chases the squirrel. The mouse is green. The mouse is red. The squirrel chases the bear. The squirrel eats the mouse. The squirrel is green. The squirrel visits the bear. If the bear eats the squirrel and the bear visits the squirrel then the squirrel chases the lion. If something is red and round then it chases the mouse. If something chases the mouse then it is nice. If something chases the bear and it eats the squirrel then the bear visits the squirrel. If something visits the bear and the bear chases the lion then the bear visits the lion. If something is green and it visits the mouse then it chases the lion. If something chases the mouse then the mouse is round. If something eats the bear and it visits the mouse then the bear is nice.", + "original_question": "The lion is not kind." + }, + { + "id": "RelNeg-OWA-D1-2162", + "question": "The bald eagle sees the cat. The cat sees the bald eagle. The mouse does not eat the cat. The rabbit does not see the mouse. If someone is red then they do not eat the bald eagle. If someone sees the bald eagle and the bald eagle does not see the rabbit then they eat the cat. If the mouse is not rough then the mouse does not eat the cat. If someone eats the bald eagle and they do not see the bald eagle then they do not visit the rabbit. If someone sees the cat then the cat is rough. If someone sees the mouse then they are not blue.\n\nQuestion: The cat is not rough.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle sees the cat. The cat sees the bald eagle. The mouse does not eat the cat. The rabbit does not see the mouse. If someone is red then they do not eat the bald eagle. If someone sees the bald eagle and the bald eagle does not see the rabbit then they eat the cat. If the mouse is not rough then the mouse does not eat the cat. If someone eats the bald eagle and they do not see the bald eagle then they do not visit the rabbit. If someone sees the cat then the cat is rough. If someone sees the mouse then they are not blue.", + "original_question": "The cat is not rough." + }, + { + "id": "AttNoneg-OWA-D5-787", + "question": "Anne is big. Bob is round. Bob is smart. Bob is white. Gary is big. Gary is furry. Gary is red. Gary is rough. Gary is round. Harry is furry. All big, rough things are smart. Red, rough things are furry. Rough things are round. Smart things are white. Big things are smart. All white things are rough. If something is furry then it is round. Smart, round things are furry. Round things are red.\n\nQuestion: Anne is not red.", + "answer": false, + "QDep": 5, + "original_theory": "Anne is big. Bob is round. Bob is smart. Bob is white. Gary is big. Gary is furry. Gary is red. Gary is rough. Gary is round. Harry is furry. All big, rough things are smart. Red, rough things are furry. Rough things are round. Smart things are white. Big things are smart. All white things are rough. If something is furry then it is round. Smart, round things are furry. Round things are red.", + "original_question": "Anne is not red." + }, + { + "id": "AttPos-OWA-ElectricityRB4-49", + "question": "The circuit includes the battery. The circuit includes the switch. The switch is on. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The circuit includes the light bulb.", + "answer": true, + "QDep": 0, + "original_theory": "The circuit includes the battery. The circuit includes the switch. The switch is on. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The circuit includes the light bulb." + }, + { + "id": "AttNoneg-OWA-D0-4653", + "question": "Anne is cold. Anne is green. Anne is kind. Anne is nice. Anne is red. Anne is smart. Anne is white. If someone is cold and white then they are smart. If someone is nice then they are smart. If someone is green then they are red. If Anne is red then Anne is cold. Red people are smart. If someone is red and smart then they are green.\n\nQuestion: Anne is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is cold. Anne is green. Anne is kind. Anne is nice. Anne is red. Anne is smart. Anne is white. If someone is cold and white then they are smart. If someone is nice then they are smart. If someone is green then they are red. If Anne is red then Anne is cold. Red people are smart. If someone is red and smart then they are green.", + "original_question": "Anne is not smart." + }, + { + "id": "AttNoneg-OWA-D2-521", + "question": "Dave is furry. Dave is nice. Dave is red. Gary is green. Gary is nice. Gary is red. Harry is furry. Harry is green. Harry is nice. Harry is red. Harry is rough. Harry is round. If Dave is rough and Dave is red then Dave is nice. Green, rough things are quiet. If something is red then it is quiet. Quiet, furry things are nice. Rough, furry things are quiet. All nice things are green. If Dave is green and Dave is red then Dave is rough. All round things are furry.\n\nQuestion: Dave is quiet.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is furry. Dave is nice. Dave is red. Gary is green. Gary is nice. Gary is red. Harry is furry. Harry is green. Harry is nice. Harry is red. Harry is rough. Harry is round. If Dave is rough and Dave is red then Dave is nice. Green, rough things are quiet. If something is red then it is quiet. Quiet, furry things are nice. Rough, furry things are quiet. All nice things are green. If Dave is green and Dave is red then Dave is rough. All round things are furry.", + "original_question": "Dave is quiet." + }, + { + "id": "AttNeg-OWA-D3-915", + "question": "Bob is rough. Dave is nice. Erin is smart. Green things are smart. Nice things are smart. If something is green and quiet then it is not rough. All rough things are kind. All rough, kind things are nice. If something is rough and not nice then it is red.\n\nQuestion: Bob is not kind.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is rough. Dave is nice. Erin is smart. Green things are smart. Nice things are smart. If something is green and quiet then it is not rough. All rough things are kind. All rough, kind things are nice. If something is rough and not nice then it is red.", + "original_question": "Bob is not kind." + }, + { + "id": "AttNoneg-OWA-D0-2528", + "question": "Anne is white. Erin is young. Fiona is furry. Fiona is nice. Fiona is rough. Fiona is white. Fiona is young. Harry is furry. Harry is rough. Harry is young. Red things are green. All nice things are white. If something is rough and red then it is young.\n\nQuestion: Erin is not young.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is white. Erin is young. Fiona is furry. Fiona is nice. Fiona is rough. Fiona is white. Fiona is young. Harry is furry. Harry is rough. Harry is young. Red things are green. All nice things are white. If something is rough and red then it is young.", + "original_question": "Erin is not young." + }, + { + "id": "AttNoneg-OWA-D5-457", + "question": "Anne is blue. Anne is red. Anne is young. Bob is nice. Bob is young. Charlie is nice. Charlie is quiet. Charlie is red. Charlie is white. Charlie is young. Gary is green. If something is red and blue then it is white. Green things are red. If something is white then it is quiet. If something is red then it is blue. All blue, young things are white. If Bob is quiet and Bob is green then Bob is young. Quiet, green things are young. Red, nice things are white. All white, nice things are quiet.\n\nQuestion: Charlie is white.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is blue. Anne is red. Anne is young. Bob is nice. Bob is young. Charlie is nice. Charlie is quiet. Charlie is red. Charlie is white. Charlie is young. Gary is green. If something is red and blue then it is white. Green things are red. If something is white then it is quiet. If something is red then it is blue. All blue, young things are white. If Bob is quiet and Bob is green then Bob is young. Quiet, green things are young. Red, nice things are white. All white, nice things are quiet.", + "original_question": "Charlie is white." + }, + { + "id": "RelNeg-OWA-D3-941", + "question": "The bald eagle eats the tiger. The bald eagle is green. The bald eagle is nice. The bald eagle is rough. The bald eagle sees the lion. The bald eagle does not visit the tiger. The dog eats the bald eagle. The dog does not eat the tiger. The dog is young. The dog sees the lion. The lion is not rough. The tiger sees the dog. If something eats the dog then the dog is rough. If something visits the tiger then it eats the lion. If something visits the lion and it eats the lion then the lion is not green. If something sees the lion then the lion eats the bald eagle. If something visits the dog then it is young. If something is big and it eats the bald eagle then the bald eagle eats the dog. Young things are big. If the tiger is rough and the tiger sees the lion then the lion visits the bald eagle.\n\nQuestion: The bald eagle does not eat the dog.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle eats the tiger. The bald eagle is green. The bald eagle is nice. The bald eagle is rough. The bald eagle sees the lion. The bald eagle does not visit the tiger. The dog eats the bald eagle. The dog does not eat the tiger. The dog is young. The dog sees the lion. The lion is not rough. The tiger sees the dog. If something eats the dog then the dog is rough. If something visits the tiger then it eats the lion. If something visits the lion and it eats the lion then the lion is not green. If something sees the lion then the lion eats the bald eagle. If something visits the dog then it is young. If something is big and it eats the bald eagle then the bald eagle eats the dog. Young things are big. If the tiger is rough and the tiger sees the lion then the lion visits the bald eagle.", + "original_question": "The bald eagle does not eat the dog." + }, + { + "id": "AttNeg-OWA-D0-2565", + "question": "Anne is blue. Anne is cold. Anne is kind. Anne is not rough. Anne is round. Anne is white. Bob is not big. Bob is blue. Bob is rough. Dave is not blue. Dave is cold. Dave is kind. Dave is round. Fiona is not cold. Fiona is kind. All rough things are not round. If Bob is kind then Bob is not rough. If something is kind and not rough then it is cold.\n\nQuestion: Fiona is not kind.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is blue. Anne is cold. Anne is kind. Anne is not rough. Anne is round. Anne is white. Bob is not big. Bob is blue. Bob is rough. Dave is not blue. Dave is cold. Dave is kind. Dave is round. Fiona is not cold. Fiona is kind. All rough things are not round. If Bob is kind then Bob is not rough. If something is kind and not rough then it is cold.", + "original_question": "Fiona is not kind." + }, + { + "id": "RelNeg-OWA-D5-808", + "question": "The cat is young. The cow is young. The cow visits the mouse. The mouse eats the cat. The mouse needs the cat. The mouse needs the rabbit. The mouse does not visit the cow. The mouse visits the rabbit. The rabbit is round. The rabbit does not need the cat. The rabbit visits the mouse. If someone eats the cat and they eat the cow then they do not need the mouse. If someone visits the cat then the cat eats the cow. All nice people are red. If the mouse needs the rabbit and the mouse eats the cat then the mouse eats the cow. If someone is red and they visit the mouse then the mouse needs the cow. If someone needs the cow then the cow visits the cat. All round people are nice. If someone needs the cat and the cat visits the rabbit then they do not eat the rabbit.\n\nQuestion: The cat eats the cow.", + "answer": true, + "QDep": 5, + "original_theory": "The cat is young. The cow is young. The cow visits the mouse. The mouse eats the cat. The mouse needs the cat. The mouse needs the rabbit. The mouse does not visit the cow. The mouse visits the rabbit. The rabbit is round. The rabbit does not need the cat. The rabbit visits the mouse. If someone eats the cat and they eat the cow then they do not need the mouse. If someone visits the cat then the cat eats the cow. All nice people are red. If the mouse needs the rabbit and the mouse eats the cat then the mouse eats the cow. If someone is red and they visit the mouse then the mouse needs the cow. If someone needs the cow then the cow visits the cat. All round people are nice. If someone needs the cat and the cat visits the rabbit then they do not eat the rabbit.", + "original_question": "The cat eats the cow." + }, + { + "id": "AttNoneg-OWA-D3-1332", + "question": "Anne is nice. Anne is quiet. Bob is cold. Bob is nice. Bob is white. Charlie is big. Charlie is blue. Charlie is quiet. Charlie is smart. Charlie is white. If someone is nice and smart then they are big. Quiet, white people are smart. If someone is cold then they are smart. Big, quiet people are nice. If Charlie is nice then Charlie is blue. All big people are nice. Nice people are cold. If someone is white then they are smart.\n\nQuestion: Charlie is not cold.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is nice. Anne is quiet. Bob is cold. Bob is nice. Bob is white. Charlie is big. Charlie is blue. Charlie is quiet. Charlie is smart. Charlie is white. If someone is nice and smart then they are big. Quiet, white people are smart. If someone is cold then they are smart. Big, quiet people are nice. If Charlie is nice then Charlie is blue. All big people are nice. Nice people are cold. If someone is white then they are smart.", + "original_question": "Charlie is not cold." + }, + { + "id": "AttNoneg-OWA-D5-1270", + "question": "Bob is cold. Dave is kind. Dave is young. Gary is big. Gary is cold. Gary is white. Gary is young. Harry is cold. Harry is kind. Harry is white. Harry is young. Smart, young people are furry. All kind, furry people are big. Smart, big people are furry. All white, kind people are young. If someone is furry and big then they are cold. If someone is big then they are furry. All cold, smart people are big. All young people are smart. All cold, young people are white.\n\nQuestion: Gary is white.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is cold. Dave is kind. Dave is young. Gary is big. Gary is cold. Gary is white. Gary is young. Harry is cold. Harry is kind. Harry is white. Harry is young. Smart, young people are furry. All kind, furry people are big. Smart, big people are furry. All white, kind people are young. If someone is furry and big then they are cold. If someone is big then they are furry. All cold, smart people are big. All young people are smart. All cold, young people are white.", + "original_question": "Gary is white." + }, + { + "id": "AttNeg-OWA-D1-1150", + "question": "Anne is furry. Anne is kind. Anne is white. Bob is quiet. Charlie is furry. Charlie is kind. Fiona is not young. Smart people are white. If Bob is smart and Bob is quiet then Bob is not red. Smart people are young. If someone is furry and quiet then they are not young. If someone is young and not red then they are furry. All quiet people are not furry. If Charlie is not kind and Charlie is not white then Charlie is young. If Fiona is not red and Fiona is not white then Fiona is quiet.\n\nQuestion: Bob is furry.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is furry. Anne is kind. Anne is white. Bob is quiet. Charlie is furry. Charlie is kind. Fiona is not young. Smart people are white. If Bob is smart and Bob is quiet then Bob is not red. Smart people are young. If someone is furry and quiet then they are not young. If someone is young and not red then they are furry. All quiet people are not furry. If Charlie is not kind and Charlie is not white then Charlie is young. If Fiona is not red and Fiona is not white then Fiona is quiet.", + "original_question": "Bob is furry." + }, + { + "id": "RelNoneg-OWA-D2-1695", + "question": "The mouse is round. If something is round and young then it is kind. Round things are young. If something is red and kind then it is round. All red things are kind. If something is red and round then it is young. If the mouse is round and the mouse is young then the mouse is red.\n\nQuestion: The mouse is round.", + "answer": true, + "QDep": 0, + "original_theory": "The mouse is round. If something is round and young then it is kind. Round things are young. If something is red and kind then it is round. All red things are kind. If something is red and round then it is young. If the mouse is round and the mouse is young then the mouse is red.", + "original_question": "The mouse is round." + }, + { + "id": "RelNeg-OWA-D2-847", + "question": "The lion chases the squirrel. The lion is not big. The lion is rough. The lion visits the mouse. The mouse chases the lion. The mouse visits the lion. The mouse visits the squirrel. The squirrel is big. The squirrel is young. The squirrel needs the lion. The squirrel visits the lion. The squirrel visits the mouse. If something chases the squirrel then the squirrel chases the mouse. If something chases the mouse then it needs the mouse.\n\nQuestion: The squirrel does not need the mouse.", + "answer": false, + "QDep": 2, + "original_theory": "The lion chases the squirrel. The lion is not big. The lion is rough. The lion visits the mouse. The mouse chases the lion. The mouse visits the lion. The mouse visits the squirrel. The squirrel is big. The squirrel is young. The squirrel needs the lion. The squirrel visits the lion. The squirrel visits the mouse. If something chases the squirrel then the squirrel chases the mouse. If something chases the mouse then it needs the mouse.", + "original_question": "The squirrel does not need the mouse." + }, + { + "id": "RelNeg-OWA-D3-5", + "question": "The cow visits the squirrel. The lion is rough. The squirrel likes the tiger. The tiger visits the cow. If something is young and it chases the lion then it likes the squirrel. If something is cold then it likes the cow. If something likes the cow then it likes the tiger. If something is rough then it chases the squirrel. If something visits the cow then it is cold. If the cow does not like the tiger then the cow chases the tiger.\n\nQuestion: The tiger is not cold.", + "answer": false, + "QDep": 1, + "original_theory": "The cow visits the squirrel. The lion is rough. The squirrel likes the tiger. The tiger visits the cow. If something is young and it chases the lion then it likes the squirrel. If something is cold then it likes the cow. If something likes the cow then it likes the tiger. If something is rough then it chases the squirrel. If something visits the cow then it is cold. If the cow does not like the tiger then the cow chases the tiger.", + "original_question": "The tiger is not cold." + }, + { + "id": "AttNeg-OWA-D2-427", + "question": "Bob is kind. Gary is young. Harry is nice. If Gary is cold and Gary is not blue then Gary is nice. If something is nice then it is young. If something is young then it is smart.\n\nQuestion: Harry is smart.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is kind. Gary is young. Harry is nice. If Gary is cold and Gary is not blue then Gary is nice. If something is nice then it is young. If something is young then it is smart.", + "original_question": "Harry is smart." + }, + { + "id": "RelNeg-OWA-D3-504", + "question": "The cow is green. The cow is nice. The cow likes the lion. The cow needs the tiger. The cow sees the lion. The cow sees the tiger. The lion likes the cow. The lion does not need the cow. The tiger is cold. The tiger likes the cow. The tiger sees the cow. The tiger sees the lion. If someone needs the cow and the cow is green then they like the cow. If someone needs the tiger then the tiger is blue. If the lion is kind and the lion sees the cow then the lion needs the cow. If the tiger does not see the lion then the lion needs the cow. Blue people are nice. If someone is nice then they need the cow. If someone is cold and they do not like the tiger then they do not see the tiger. If someone needs the tiger and they do not like the cow then the tiger is cold.\n\nQuestion: The tiger does not need the cow.", + "answer": false, + "QDep": 3, + "original_theory": "The cow is green. The cow is nice. The cow likes the lion. The cow needs the tiger. The cow sees the lion. The cow sees the tiger. The lion likes the cow. The lion does not need the cow. The tiger is cold. The tiger likes the cow. The tiger sees the cow. The tiger sees the lion. If someone needs the cow and the cow is green then they like the cow. If someone needs the tiger then the tiger is blue. If the lion is kind and the lion sees the cow then the lion needs the cow. If the tiger does not see the lion then the lion needs the cow. Blue people are nice. If someone is nice then they need the cow. If someone is cold and they do not like the tiger then they do not see the tiger. If someone needs the tiger and they do not like the cow then the tiger is cold.", + "original_question": "The tiger does not need the cow." + }, + { + "id": "AttNeg-OWA-D3-498", + "question": "Dave is furry. Dave is not kind. Dave is nice. Dave is rough. Dave is young. Erin is furry. Erin is not kind. Erin is nice. Erin is round. Erin is young. Fiona is furry. Fiona is white. If Fiona is not furry then Fiona is young. If Fiona is rough and Fiona is kind then Fiona is young. White, round people are rough. White, nice people are not kind. If someone is round and not furry then they are not nice. If someone is white then they are round. If Fiona is rough then Fiona is kind. If Erin is not kind then Erin is rough.\n\nQuestion: Fiona is rough.", + "answer": true, + "QDep": 2, + "original_theory": "Dave is furry. Dave is not kind. Dave is nice. Dave is rough. Dave is young. Erin is furry. Erin is not kind. Erin is nice. Erin is round. Erin is young. Fiona is furry. Fiona is white. If Fiona is not furry then Fiona is young. If Fiona is rough and Fiona is kind then Fiona is young. White, round people are rough. White, nice people are not kind. If someone is round and not furry then they are not nice. If someone is white then they are round. If Fiona is rough then Fiona is kind. If Erin is not kind then Erin is rough.", + "original_question": "Fiona is rough." + }, + { + "id": "AttNeg-OWA-D3-1232", + "question": "Anne is smart. Charlie is nice. Fiona is big. Harry is nice. If Anne is young then Anne is smart. If Fiona is quiet then Fiona is smart. If something is big then it is young. All quiet, smart things are young. If something is young then it is cold. Nice, young things are cold. If something is kind then it is not quiet. All cold things are kind.\n\nQuestion: Charlie is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is smart. Charlie is nice. Fiona is big. Harry is nice. If Anne is young then Anne is smart. If Fiona is quiet then Fiona is smart. If something is big then it is young. All quiet, smart things are young. If something is young then it is cold. Nice, young things are cold. If something is kind then it is not quiet. All cold things are kind.", + "original_question": "Charlie is not nice." + }, + { + "id": "RelNoneg-OWA-D1-946", + "question": "The bear chases the rabbit. The bear is big. The mouse chases the squirrel. The mouse is round. The mouse visits the bear. The mouse visits the rabbit. The rabbit is big. The rabbit is rough. The rabbit is round. The rabbit sees the bear. The squirrel chases the mouse. The squirrel is big. The squirrel is rough. The squirrel is round. The squirrel sees the rabbit. If something visits the bear then the bear is big. If the squirrel is rough then the squirrel is nice.\n\nQuestion: The rabbit sees the bear.", + "answer": true, + "QDep": 0, + "original_theory": "The bear chases the rabbit. The bear is big. The mouse chases the squirrel. The mouse is round. The mouse visits the bear. The mouse visits the rabbit. The rabbit is big. The rabbit is rough. The rabbit is round. The rabbit sees the bear. The squirrel chases the mouse. The squirrel is big. The squirrel is rough. The squirrel is round. The squirrel sees the rabbit. If something visits the bear then the bear is big. If the squirrel is rough then the squirrel is nice.", + "original_question": "The rabbit sees the bear." + }, + { + "id": "AttPos-OWA-ElectricityRB4-89", + "question": "The battery is flat. The switch is on. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The battery is flat.", + "answer": true, + "QDep": 0, + "original_theory": "The battery is flat. The switch is on. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The battery is flat." + }, + { + "id": "AttNeg-OWA-D3-29", + "question": "Bob is quiet. Charlie is furry. Charlie is quiet. Charlie is not red. Fiona is furry. Fiona is green. Fiona is quiet. If someone is furry then they are not red. Nice people are not green. Nice people are green. All nice people are not kind. All quiet people are kind. If someone is kind and quiet then they are furry. If Fiona is green then Fiona is not nice. Furry people are quiet.\n\nQuestion: Fiona is furry.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is quiet. Charlie is furry. Charlie is quiet. Charlie is not red. Fiona is furry. Fiona is green. Fiona is quiet. If someone is furry then they are not red. Nice people are not green. Nice people are green. All nice people are not kind. All quiet people are kind. If someone is kind and quiet then they are furry. If Fiona is green then Fiona is not nice. Furry people are quiet.", + "original_question": "Fiona is furry." + }, + { + "id": "RelNeg-OWA-D2-612", + "question": "The bear chases the cow. The bear chases the tiger. The bear eats the cow. The bear is blue. The bear is green. The bear needs the cow. The bear needs the tiger. The cow chases the bear. The cow chases the tiger. The cow eats the tiger. The cow needs the bear. The cow needs the tiger. The tiger eats the bear. The tiger eats the cow. The tiger does not need the cow. If something eats the tiger and the tiger chases the bear then the bear needs the cow. If something eats the tiger and it is young then it is blue. If something eats the bear and it chases the tiger then the tiger is young. If something chases the bear and it is nice then the bear is blue. If something chases the tiger then the tiger is nice. If the bear is green then the bear eats the cow. If the bear is not nice and the bear does not chase the cow then the bear eats the cow. If something needs the cow then the cow is young.\n\nQuestion: The cow is not young.", + "answer": false, + "QDep": 1, + "original_theory": "The bear chases the cow. The bear chases the tiger. The bear eats the cow. The bear is blue. The bear is green. The bear needs the cow. The bear needs the tiger. The cow chases the bear. The cow chases the tiger. The cow eats the tiger. The cow needs the bear. The cow needs the tiger. The tiger eats the bear. The tiger eats the cow. The tiger does not need the cow. If something eats the tiger and the tiger chases the bear then the bear needs the cow. If something eats the tiger and it is young then it is blue. If something eats the bear and it chases the tiger then the tiger is young. If something chases the bear and it is nice then the bear is blue. If something chases the tiger then the tiger is nice. If the bear is green then the bear eats the cow. If the bear is not nice and the bear does not chase the cow then the bear eats the cow. If something needs the cow then the cow is young.", + "original_question": "The cow is not young." + }, + { + "id": "RelNoneg-OWA-D3-583", + "question": "The bald eagle is red. The cow is green. The cow likes the bald eagle. The cow likes the rabbit. The cow visits the bald eagle. The cow visits the rabbit. The rabbit likes the cow. The rabbit sees the tiger. The rabbit visits the tiger. The tiger is red. The tiger visits the cow. The tiger visits the rabbit. If something visits the rabbit then it is red. If something sees the bald eagle and the bald eagle visits the cow then it sees the cow. If something is red then it is kind. If the cow sees the tiger and the tiger sees the rabbit then the cow is green. If something is kind then it sees the bald eagle. If the rabbit is green then the rabbit is red. If something is red then it sees the rabbit. If something likes the cow and it likes the bald eagle then the cow sees the rabbit.\n\nQuestion: The rabbit likes the cow.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle is red. The cow is green. The cow likes the bald eagle. The cow likes the rabbit. The cow visits the bald eagle. The cow visits the rabbit. The rabbit likes the cow. The rabbit sees the tiger. The rabbit visits the tiger. The tiger is red. The tiger visits the cow. The tiger visits the rabbit. If something visits the rabbit then it is red. If something sees the bald eagle and the bald eagle visits the cow then it sees the cow. If something is red then it is kind. If the cow sees the tiger and the tiger sees the rabbit then the cow is green. If something is kind then it sees the bald eagle. If the rabbit is green then the rabbit is red. If something is red then it sees the rabbit. If something likes the cow and it likes the bald eagle then the cow sees the rabbit.", + "original_question": "The rabbit likes the cow." + }, + { + "id": "AttNonegNatLang-OWA-67", + "question": "That guy Alan sure is nice. Bob is round but he is also nice and kind. People that know Charlie will tell you he is rough and cold. But he can also be kind and red despite being blue because he is so young. That guy Harry sure is nice. People who are very nice and easily flush red are often wearing green concealer. If you're truly nice, cold, and blue, you're kind, too. Big, kind folks are green ones. Round people who are kind tend to be nice. Young and red people look round. A nice and green man or woman is also red in color.\n\nQuestion: Charlie is nice.", + "answer": true, + "QDep": 2, + "original_theory": "That guy Alan sure is nice. Bob is round but he is also nice and kind. People that know Charlie will tell you he is rough and cold. But he can also be kind and red despite being blue because he is so young. That guy Harry sure is nice. People who are very nice and easily flush red are often wearing green concealer. If you're truly nice, cold, and blue, you're kind, too. Big, kind folks are green ones. Round people who are kind tend to be nice. Young and red people look round. A nice and green man or woman is also red in color.", + "original_question": "Charlie is nice." + }, + { + "id": "AttNeg-OWA-D2-1248", + "question": "Bob is young. Erin is rough. Harry is red. All red people are young. If someone is young then they are not rough.\n\nQuestion: Harry is not rough.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is young. Erin is rough. Harry is red. All red people are young. If someone is young then they are not rough.", + "original_question": "Harry is not rough." + }, + { + "id": "AttNoneg-OWA-D3-201", + "question": "Anne is blue. Anne is cold. Anne is quiet. Anne is rough. Anne is smart. Charlie is blue. Charlie is quiet. Dave is blue. Dave is cold. Harry is quiet. If something is blue then it is quiet. Big things are quiet. If something is rough and blue then it is big. If something is quiet and blue then it is big. Nice, big things are blue. All blue things are quiet. If something is cold then it is rough. Rough, big things are smart.\n\nQuestion: Dave is big.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is blue. Anne is cold. Anne is quiet. Anne is rough. Anne is smart. Charlie is blue. Charlie is quiet. Dave is blue. Dave is cold. Harry is quiet. If something is blue then it is quiet. Big things are quiet. If something is rough and blue then it is big. If something is quiet and blue then it is big. Nice, big things are blue. All blue things are quiet. If something is cold then it is rough. Rough, big things are smart.", + "original_question": "Dave is big." + }, + { + "id": "AttNeg-OWA-D3-1675", + "question": "Harry is cold. If something is smart and furry then it is red. Green, furry things are not red. All cold things are kind. If something is red and not green then it is kind. If Harry is quiet then Harry is red. If Harry is kind then Harry is quiet. All furry things are cold. Furry, green things are quiet.\n\nQuestion: Harry is not kind.", + "answer": false, + "QDep": 1, + "original_theory": "Harry is cold. If something is smart and furry then it is red. Green, furry things are not red. All cold things are kind. If something is red and not green then it is kind. If Harry is quiet then Harry is red. If Harry is kind then Harry is quiet. All furry things are cold. Furry, green things are quiet.", + "original_question": "Harry is not kind." + }, + { + "id": "AttNoneg-OWA-D0-6997", + "question": "Dave is red. Dave is rough. Dave is round. All kind people are round. If Dave is white and Dave is big then Dave is rough.\n\nQuestion: Dave is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "Dave is red. Dave is rough. Dave is round. All kind people are round. If Dave is white and Dave is big then Dave is rough.", + "original_question": "Dave is not rough." + }, + { + "id": "AttNoneg-OWA-D3-1301", + "question": "Bob is cold. Charlie is nice. Dave is smart. All nice, smart things are rough. Big things are cold. All red, rough things are big. Rough, nice things are red. If something is big and rough then it is green. All nice things are green. All nice things are big. Cold, big things are red.\n\nQuestion: Charlie is nice.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is cold. Charlie is nice. Dave is smart. All nice, smart things are rough. Big things are cold. All red, rough things are big. Rough, nice things are red. If something is big and rough then it is green. All nice things are green. All nice things are big. Cold, big things are red.", + "original_question": "Charlie is nice." + }, + { + "id": "AttNoneg-OWA-D1-2748", + "question": "Bob is young. Erin is round. Fiona is cold. If something is young then it is blue. If something is kind and round then it is young. All round things are cold. If something is rough then it is round. All quiet things are rough. Kind things are young.\n\nQuestion: Fiona is cold.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is young. Erin is round. Fiona is cold. If something is young then it is blue. If something is kind and round then it is young. All round things are cold. If something is rough then it is round. All quiet things are rough. Kind things are young.", + "original_question": "Fiona is cold." + }, + { + "id": "AttNonegNatLang-OWA-288", + "question": "For being so cold, it's good Alan can remain nice. Eric is young and green. This makes him cold to others. Fred is a kind person and he is also often cold. That guy Harry sure is nice. All those who are nice and big are red. If you come across a young, blue person you can count on them being nice to you. People who are said to be big and nice are round. People who are young are also blue. A kind person will certainly be young.\n\nQuestion: Eric is nice.", + "answer": true, + "QDep": 2, + "original_theory": "For being so cold, it's good Alan can remain nice. Eric is young and green. This makes him cold to others. Fred is a kind person and he is also often cold. That guy Harry sure is nice. All those who are nice and big are red. If you come across a young, blue person you can count on them being nice to you. People who are said to be big and nice are round. People who are young are also blue. A kind person will certainly be young.", + "original_question": "Eric is nice." + }, + { + "id": "AttNoneg-OWA-D1-2334", + "question": "Bob is red. Bob is young. Charlie is cold. Charlie is furry. Charlie is green. Charlie is red. Charlie is round. Erin is cold. Erin is green. Erin is red. Erin is round. Erin is smart. All cold people are young. Cold people are furry. If someone is red and young then they are smart. If someone is round then they are furry. Young, smart people are cold. All furry people are red.\n\nQuestion: Erin is round.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is red. Bob is young. Charlie is cold. Charlie is furry. Charlie is green. Charlie is red. Charlie is round. Erin is cold. Erin is green. Erin is red. Erin is round. Erin is smart. All cold people are young. Cold people are furry. If someone is red and young then they are smart. If someone is round then they are furry. Young, smart people are cold. All furry people are red.", + "original_question": "Erin is round." + }, + { + "id": "RelNeg-OWA-D5-61", + "question": "The bear sees the mouse. The bear does not see the tiger. The bear visits the squirrel. The bear visits the tiger. The mouse does not eat the tiger. The mouse is cold. The mouse is green. The mouse visits the squirrel. The squirrel is cold. The squirrel visits the bear. The squirrel visits the mouse. The tiger eats the mouse. The tiger is big. The tiger sees the bear. The tiger sees the mouse. The tiger does not visit the mouse. If something eats the squirrel then the squirrel is not green. If something sees the bear and the bear sees the mouse then it visits the tiger. If something sees the squirrel then it is not rough. If something is round and big then it sees the bear. If something visits the tiger then it sees the squirrel. If something visits the squirrel and it visits the tiger then the squirrel eats the mouse. If something visits the bear and it eats the mouse then the mouse sees the bear. If something eats the mouse and the mouse is not round then it is not cold.\n\nQuestion: The mouse visits the tiger.", + "answer": true, + "QDep": 3, + "original_theory": "The bear sees the mouse. The bear does not see the tiger. The bear visits the squirrel. The bear visits the tiger. The mouse does not eat the tiger. The mouse is cold. The mouse is green. The mouse visits the squirrel. The squirrel is cold. The squirrel visits the bear. The squirrel visits the mouse. The tiger eats the mouse. The tiger is big. The tiger sees the bear. The tiger sees the mouse. The tiger does not visit the mouse. If something eats the squirrel then the squirrel is not green. If something sees the bear and the bear sees the mouse then it visits the tiger. If something sees the squirrel then it is not rough. If something is round and big then it sees the bear. If something visits the tiger then it sees the squirrel. If something visits the squirrel and it visits the tiger then the squirrel eats the mouse. If something visits the bear and it eats the mouse then the mouse sees the bear. If something eats the mouse and the mouse is not round then it is not cold.", + "original_question": "The mouse visits the tiger." + }, + { + "id": "AttNeg-OWA-D3-774", + "question": "Charlie is nice. Charlie is smart. Dave is young. If someone is blue then they are kind. If Dave is kind then Dave is smart. If Charlie is young then Charlie is smart. If Charlie is blue then Charlie is not kind. If someone is young then they are blue. If someone is smart and not blue then they are red.\n\nQuestion: Charlie is smart.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is nice. Charlie is smart. Dave is young. If someone is blue then they are kind. If Dave is kind then Dave is smart. If Charlie is young then Charlie is smart. If Charlie is blue then Charlie is not kind. If someone is young then they are blue. If someone is smart and not blue then they are red.", + "original_question": "Charlie is smart." + }, + { + "id": "RelNoneg-OWA-D0-5853", + "question": "The cow eats the lion. The cow eats the squirrel. The cow needs the lion. The cow visits the lion. The lion eats the cow. The lion is blue. The lion is young. The lion needs the squirrel. The lion visits the cow. The squirrel needs the cow. If someone needs the lion then they eat the squirrel. If someone is rough and they eat the cow then they need the lion. If someone needs the cow then they visit the squirrel.\n\nQuestion: The lion eats the cow.", + "answer": true, + "QDep": 0, + "original_theory": "The cow eats the lion. The cow eats the squirrel. The cow needs the lion. The cow visits the lion. The lion eats the cow. The lion is blue. The lion is young. The lion needs the squirrel. The lion visits the cow. The squirrel needs the cow. If someone needs the lion then they eat the squirrel. If someone is rough and they eat the cow then they need the lion. If someone needs the cow then they visit the squirrel.", + "original_question": "The lion eats the cow." + }, + { + "id": "RelNoneg-OWA-D3-1503", + "question": "The bear eats the cow. The bear is cold. The bear is kind. The bear visits the dog. The cat eats the cow. The cat is big. The cat sees the cow. The cat sees the dog. The cat visits the bear. The cow eats the cat. The cow is big. The cow is cold. The cow sees the bear. The cow visits the cat. The dog is round. The dog visits the cat. If the cat visits the bear then the cat is round. If the cat visits the cow then the cow sees the cat. If the cow visits the cat and the cow sees the cat then the cat is round. If the cat visits the cow then the cat is round. If someone is nice then they visit the dog. If someone is round then they visit the cow. If someone eats the dog and they see the cat then the dog eats the cat. If someone sees the cat and the cat visits the cow then the cat sees the dog.\n\nQuestion: The cow does not see the cat.", + "answer": false, + "QDep": 3, + "original_theory": "The bear eats the cow. The bear is cold. The bear is kind. The bear visits the dog. The cat eats the cow. The cat is big. The cat sees the cow. The cat sees the dog. The cat visits the bear. The cow eats the cat. The cow is big. The cow is cold. The cow sees the bear. The cow visits the cat. The dog is round. The dog visits the cat. If the cat visits the bear then the cat is round. If the cat visits the cow then the cow sees the cat. If the cow visits the cat and the cow sees the cat then the cat is round. If the cat visits the cow then the cat is round. If someone is nice then they visit the dog. If someone is round then they visit the cow. If someone eats the dog and they see the cat then the dog eats the cat. If someone sees the cat and the cat visits the cow then the cat sees the dog.", + "original_question": "The cow does not see the cat." + }, + { + "id": "RelNoneg-OWA-D3-648", + "question": "The cow is round. All kind people are young. If someone is round and red then they are young. If someone is young then they are round. If the cow is round and the cow is young then the cow is kind. Round people are red. All round, kind people are young.\n\nQuestion: The cow is not round.", + "answer": false, + "QDep": 0, + "original_theory": "The cow is round. All kind people are young. If someone is round and red then they are young. If someone is young then they are round. If the cow is round and the cow is young then the cow is kind. Round people are red. All round, kind people are young.", + "original_question": "The cow is not round." + }, + { + "id": "AttNeg-OWA-D5-607", + "question": "Bob is furry. Bob is young. Charlie is nice. Charlie is not young. Erin is kind. Erin is not nice. Erin is not rough. Erin is young. Harry is kind. Harry is rough. If something is kind and big then it is nice. If something is kind and nice then it is white. If something is furry and young then it is rough. If Erin is rough then Erin is furry. If Erin is kind and Erin is nice then Erin is furry. If Charlie is furry and Charlie is nice then Charlie is not kind. Rough, young things are big. If something is furry and big then it is kind. If Bob is big and Bob is nice then Bob is kind.\n\nQuestion: Bob is not rough.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is furry. Bob is young. Charlie is nice. Charlie is not young. Erin is kind. Erin is not nice. Erin is not rough. Erin is young. Harry is kind. Harry is rough. If something is kind and big then it is nice. If something is kind and nice then it is white. If something is furry and young then it is rough. If Erin is rough then Erin is furry. If Erin is kind and Erin is nice then Erin is furry. If Charlie is furry and Charlie is nice then Charlie is not kind. Rough, young things are big. If something is furry and big then it is kind. If Bob is big and Bob is nice then Bob is kind.", + "original_question": "Bob is not rough." + }, + { + "id": "AttNoneg-OWA-D2-2203", + "question": "Charlie is quiet. Charlie is rough. Charlie is young. Harry is blue. Harry is quiet. Harry is red. Harry is rough. If someone is red and quiet then they are kind. If someone is quiet then they are red.\n\nQuestion: Charlie is kind.", + "answer": true, + "QDep": 2, + "original_theory": "Charlie is quiet. Charlie is rough. Charlie is young. Harry is blue. Harry is quiet. Harry is red. Harry is rough. If someone is red and quiet then they are kind. If someone is quiet then they are red.", + "original_question": "Charlie is kind." + }, + { + "id": "RelNeg-OWA-D1-2620", + "question": "The bald eagle does not eat the cat. The bald eagle is not big. The bald eagle is not cold. The bald eagle is red. The bald eagle is rough. The bald eagle is young. The bald eagle likes the cat. The bald eagle visits the cat. The cat eats the bald eagle. The cat is big. The cat is cold. The cat is not red. The cat is rough. The cat is young. The cat does not like the bald eagle. The cat visits the bald eagle. If the bald eagle visits the cat and the bald eagle does not like the cat then the bald eagle eats the cat. If something eats the bald eagle and the bald eagle likes the cat then it does not eat the cat. If something likes the bald eagle then it is red. If something likes the cat then it visits the bald eagle. If something is rough and it does not like the cat then it visits the bald eagle. If something is big then it visits the bald eagle. If something eats the bald eagle and it visits the cat then the cat does not visit the bald eagle. If something visits the bald eagle and the bald eagle visits the cat then the bald eagle is young.\n\nQuestion: The cat is not red.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle does not eat the cat. The bald eagle is not big. The bald eagle is not cold. The bald eagle is red. The bald eagle is rough. The bald eagle is young. The bald eagle likes the cat. The bald eagle visits the cat. The cat eats the bald eagle. The cat is big. The cat is cold. The cat is not red. The cat is rough. The cat is young. The cat does not like the bald eagle. The cat visits the bald eagle. If the bald eagle visits the cat and the bald eagle does not like the cat then the bald eagle eats the cat. If something eats the bald eagle and the bald eagle likes the cat then it does not eat the cat. If something likes the bald eagle then it is red. If something likes the cat then it visits the bald eagle. If something is rough and it does not like the cat then it visits the bald eagle. If something is big then it visits the bald eagle. If something eats the bald eagle and it visits the cat then the cat does not visit the bald eagle. If something visits the bald eagle and the bald eagle visits the cat then the bald eagle is young.", + "original_question": "The cat is not red." + }, + { + "id": "RelNeg-OWA-D5-598", + "question": "The bald eagle likes the dog. The bald eagle needs the lion. The bald eagle visits the dog. The bald eagle visits the lion. The dog is cold. The dog is not nice. The dog does not like the lion. The dog visits the lion. The dog visits the mouse. The lion likes the bald eagle. The lion visits the bald eagle. The lion visits the dog. The mouse likes the lion. The mouse does not visit the lion. If something is round then it visits the mouse. If something visits the mouse then it is cold. If something visits the dog and the dog needs the lion then the lion is round. If something is cold then it needs the lion. If the mouse does not visit the dog then the dog is green.\n\nQuestion: The lion is not cold.", + "answer": false, + "QDep": 4, + "original_theory": "The bald eagle likes the dog. The bald eagle needs the lion. The bald eagle visits the dog. The bald eagle visits the lion. The dog is cold. The dog is not nice. The dog does not like the lion. The dog visits the lion. The dog visits the mouse. The lion likes the bald eagle. The lion visits the bald eagle. The lion visits the dog. The mouse likes the lion. The mouse does not visit the lion. If something is round then it visits the mouse. If something visits the mouse then it is cold. If something visits the dog and the dog needs the lion then the lion is round. If something is cold then it needs the lion. If the mouse does not visit the dog then the dog is green.", + "original_question": "The lion is not cold." + }, + { + "id": "RelNeg-OWA-D1-1108", + "question": "The bear is not rough. The bear sees the lion. The bear visits the squirrel. The lion is rough. The lion sees the bear. The squirrel eats the lion. The squirrel is not red. If someone visits the squirrel then they visit the bear. If the squirrel sees the bear and the bear is cold then the bear does not visit the squirrel.\n\nQuestion: The bear does not visit the squirrel.", + "answer": false, + "QDep": 0, + "original_theory": "The bear is not rough. The bear sees the lion. The bear visits the squirrel. The lion is rough. The lion sees the bear. The squirrel eats the lion. The squirrel is not red. If someone visits the squirrel then they visit the bear. If the squirrel sees the bear and the bear is cold then the bear does not visit the squirrel.", + "original_question": "The bear does not visit the squirrel." + }, + { + "id": "AttNoneg-OWA-D3-16", + "question": "Dave is blue. Dave is cold. Dave is furry. Dave is red. Dave is rough. Dave is round. Dave is smart. Fiona is blue. Fiona is cold. Fiona is furry. Gary is cold. Gary is furry. Gary is rough. Gary is round. Gary is smart. All round people are red. Rough people are round. All rough, blue people are cold. If someone is blue then they are rough. If someone is cold and smart then they are round. If Dave is rough and Dave is furry then Dave is cold.\n\nQuestion: Fiona is not furry.", + "answer": false, + "QDep": 0, + "original_theory": "Dave is blue. Dave is cold. Dave is furry. Dave is red. Dave is rough. Dave is round. Dave is smart. Fiona is blue. Fiona is cold. Fiona is furry. Gary is cold. Gary is furry. Gary is rough. Gary is round. Gary is smart. All round people are red. Rough people are round. All rough, blue people are cold. If someone is blue then they are rough. If someone is cold and smart then they are round. If Dave is rough and Dave is furry then Dave is cold.", + "original_question": "Fiona is not furry." + }, + { + "id": "AttNoneg-OWA-D3-1338", + "question": "Fiona is big. Fiona is furry. Fiona is quiet. All furry things are nice. If something is quiet and furry then it is rough. If Fiona is big and Fiona is white then Fiona is quiet. If something is white then it is smart. If Fiona is nice then Fiona is big. If Fiona is rough then Fiona is white.\n\nQuestion: Fiona is rough.", + "answer": true, + "QDep": 1, + "original_theory": "Fiona is big. Fiona is furry. Fiona is quiet. All furry things are nice. If something is quiet and furry then it is rough. If Fiona is big and Fiona is white then Fiona is quiet. If something is white then it is smart. If Fiona is nice then Fiona is big. If Fiona is rough then Fiona is white.", + "original_question": "Fiona is rough." + }, + { + "id": "AttNeg-OWA-D3-29", + "question": "Bob is quiet. Charlie is furry. Charlie is quiet. Charlie is not red. Fiona is furry. Fiona is green. Fiona is quiet. If someone is furry then they are not red. Nice people are not green. Nice people are green. All nice people are not kind. All quiet people are kind. If someone is kind and quiet then they are furry. If Fiona is green then Fiona is not nice. Furry people are quiet.\n\nQuestion: Charlie is not quiet.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is quiet. Charlie is furry. Charlie is quiet. Charlie is not red. Fiona is furry. Fiona is green. Fiona is quiet. If someone is furry then they are not red. Nice people are not green. Nice people are green. All nice people are not kind. All quiet people are kind. If someone is kind and quiet then they are furry. If Fiona is green then Fiona is not nice. Furry people are quiet.", + "original_question": "Charlie is not quiet." + }, + { + "id": "AttNoneg-OWA-D3-884", + "question": "Anne is big. Erin is cold. Erin is furry. Harry is big. Harry is cold. Harry is furry. Harry is white. Rough things are white. Furry, blue things are rough. All rough, white things are round. White, cold things are rough. All big things are rough. If Erin is white and Erin is rough then Erin is big. If something is furry and blue then it is round. If something is white and big then it is furry.\n\nQuestion: Erin is cold.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is big. Erin is cold. Erin is furry. Harry is big. Harry is cold. Harry is furry. Harry is white. Rough things are white. Furry, blue things are rough. All rough, white things are round. White, cold things are rough. All big things are rough. If Erin is white and Erin is rough then Erin is big. If something is furry and blue then it is round. If something is white and big then it is furry.", + "original_question": "Erin is cold." + }, + { + "id": "AttNeg-OWA-D0-1897", + "question": "Erin is cold. Erin is furry. Erin is green. Erin is not nice. Erin is quiet. Erin is rough. Erin is young. All furry, quiet people are not nice. If someone is young then they are not nice. If someone is nice then they are not cold.\n\nQuestion: Erin is not nice.", + "answer": true, + "QDep": 0, + "original_theory": "Erin is cold. Erin is furry. Erin is green. Erin is not nice. Erin is quiet. Erin is rough. Erin is young. All furry, quiet people are not nice. If someone is young then they are not nice. If someone is nice then they are not cold.", + "original_question": "Erin is not nice." + }, + { + "id": "AttNoneg-OWA-D2-2256", + "question": "Dave is cold. Erin is big. All cold people are big. If someone is young then they are cold. Blue, rough people are young. All big people are cold. If someone is big then they are rough. If someone is cold then they are kind.\n\nQuestion: Erin is rough.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is cold. Erin is big. All cold people are big. If someone is young then they are cold. Blue, rough people are young. All big people are cold. If someone is big then they are rough. If someone is cold then they are kind.", + "original_question": "Erin is rough." + }, + { + "id": "AttNonegNatLang-OWA-405", + "question": "Alan is a cold and round man who has red and green skin. Dave is green to the job, which is why he turned blue from being so cold. Fred seems to be round. A person who is cold and blue is nice. It seems that a cold person who is round and nice will be green. A nice young person who is big can be considered round. You'll always find rough, cold, green people to also be red people. People that are green and big while also being cold are always nice. Count on anyone you meet who is big, round, and red also being kind. A nice person with cold skin is going to be rough.\n\nQuestion: Dave is nice.", + "answer": true, + "QDep": 1, + "original_theory": "Alan is a cold and round man who has red and green skin. Dave is green to the job, which is why he turned blue from being so cold. Fred seems to be round. A person who is cold and blue is nice. It seems that a cold person who is round and nice will be green. A nice young person who is big can be considered round. You'll always find rough, cold, green people to also be red people. People that are green and big while also being cold are always nice. Count on anyone you meet who is big, round, and red also being kind. A nice person with cold skin is going to be rough.", + "original_question": "Dave is nice." + }, + { + "id": "RelNeg-OWA-D5-439", + "question": "The bald eagle is round. The mouse eats the squirrel. The mouse is cold. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit eats the squirrel. The rabbit sees the mouse. The rabbit does not visit the bald eagle. The squirrel is not big. The squirrel does not visit the bald eagle. The squirrel visits the rabbit. If something sees the rabbit then it visits the bald eagle. If the mouse sees the rabbit and the rabbit is blue then the mouse is blue. If something is cold then it sees the rabbit. If something visits the bald eagle then the bald eagle is cold. If something visits the rabbit then the rabbit sees the squirrel.\n\nQuestion: The rabbit does not see the squirrel.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle is round. The mouse eats the squirrel. The mouse is cold. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit eats the squirrel. The rabbit sees the mouse. The rabbit does not visit the bald eagle. The squirrel is not big. The squirrel does not visit the bald eagle. The squirrel visits the rabbit. If something sees the rabbit then it visits the bald eagle. If the mouse sees the rabbit and the rabbit is blue then the mouse is blue. If something is cold then it sees the rabbit. If something visits the bald eagle then the bald eagle is cold. If something visits the rabbit then the rabbit sees the squirrel.", + "original_question": "The rabbit does not see the squirrel." + }, + { + "id": "AttNonegNatLang-OWA-241", + "question": "The young person who is always feeling cold is named Bob. For as cold as Charlie is around most people, I have found that he is very kind. Even if he is round, green and red. Fred, who is relatively young, is also pretty big and tends to be cold. Harry is green and cold too. When green, young and round fits a person, you'll see that rough will also fit. Nice people who are blue and round at the same time are always young. Kind, round people that are really feeling blue are going to always be big. A person who is kind and rough and blue is young. Nice people that are very green and even round shaped will be very young. Any red sort of person is a nice person.\n\nQuestion: Charlie is not rough.", + "answer": false, + "QDep": 3, + "original_theory": "The young person who is always feeling cold is named Bob. For as cold as Charlie is around most people, I have found that he is very kind. Even if he is round, green and red. Fred, who is relatively young, is also pretty big and tends to be cold. Harry is green and cold too. When green, young and round fits a person, you'll see that rough will also fit. Nice people who are blue and round at the same time are always young. Kind, round people that are really feeling blue are going to always be big. A person who is kind and rough and blue is young. Nice people that are very green and even round shaped will be very young. Any red sort of person is a nice person.", + "original_question": "Charlie is not rough." + }, + { + "id": "AttNoneg-OWA-D5-1105", + "question": "Anne is green. Anne is red. Bob is big. Bob is red. Dave is green. Harry is blue. Harry is green. Furry, big things are red. If something is big then it is rough. If something is blue then it is nice. If something is nice then it is furry. If something is rough then it is blue. If something is nice and furry then it is green.\n\nQuestion: Harry is nice.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is green. Anne is red. Bob is big. Bob is red. Dave is green. Harry is blue. Harry is green. Furry, big things are red. If something is big then it is rough. If something is blue then it is nice. If something is nice then it is furry. If something is rough then it is blue. If something is nice and furry then it is green.", + "original_question": "Harry is nice." + }, + { + "id": "RelNeg-OWA-D1-1804", + "question": "The mouse needs the rabbit. The rabbit chases the mouse. The rabbit is blue. The rabbit needs the tiger. The tiger is round. The tiger is young. The tiger needs the rabbit. Nice things are blue. If something chases the mouse then the mouse is young. If something needs the tiger then it chases the mouse.\n\nQuestion: The mouse does not need the rabbit.", + "answer": false, + "QDep": 0, + "original_theory": "The mouse needs the rabbit. The rabbit chases the mouse. The rabbit is blue. The rabbit needs the tiger. The tiger is round. The tiger is young. The tiger needs the rabbit. Nice things are blue. If something chases the mouse then the mouse is young. If something needs the tiger then it chases the mouse.", + "original_question": "The mouse does not need the rabbit." + }, + { + "id": "RelNeg-OWA-D3-625", + "question": "The bear eats the squirrel. The bear is nice. The bear is round. The bear needs the squirrel. The cow does not eat the tiger. The cow is cold. The cow needs the tiger. The squirrel is cold. The squirrel is nice. The squirrel does not see the bear. The squirrel sees the tiger. The tiger needs the bear. If the squirrel is blue then the squirrel sees the tiger. If someone sees the tiger then they need the cow. If someone eats the tiger and they are not blue then they eat the cow. If someone needs the cow then they eat the bear. If someone is cold then they see the tiger. If someone needs the cow then they see the squirrel.\n\nQuestion: The squirrel does not see the bear.", + "answer": true, + "QDep": 0, + "original_theory": "The bear eats the squirrel. The bear is nice. The bear is round. The bear needs the squirrel. The cow does not eat the tiger. The cow is cold. The cow needs the tiger. The squirrel is cold. The squirrel is nice. The squirrel does not see the bear. The squirrel sees the tiger. The tiger needs the bear. If the squirrel is blue then the squirrel sees the tiger. If someone sees the tiger then they need the cow. If someone eats the tiger and they are not blue then they eat the cow. If someone needs the cow then they eat the bear. If someone is cold then they see the tiger. If someone needs the cow then they see the squirrel.", + "original_question": "The squirrel does not see the bear." + }, + { + "id": "RelNoneg-OWA-D5-357", + "question": "The bald eagle is red. The bald eagle needs the cat. The bald eagle needs the squirrel. The bald eagle sees the squirrel. The cat eats the squirrel. The cow eats the cat. The cow eats the squirrel. The cow needs the bald eagle. The cow sees the bald eagle. The cow sees the cat. The cow sees the squirrel. The squirrel is kind. The squirrel is red. The squirrel needs the cat. If something is green then it eats the cat. If something sees the cow then it sees the cat. If something sees the squirrel then it is green. If something sees the bald eagle and the bald eagle is young then the bald eagle is big. If something needs the cat and it eats the cat then the cat sees the squirrel. If something is red and it eats the cat then it sees the bald eagle. If something needs the bald eagle then it needs the squirrel. If the bald eagle is red and the bald eagle sees the cow then the cow is young.\n\nQuestion: The bald eagle eats the cat.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle is red. The bald eagle needs the cat. The bald eagle needs the squirrel. The bald eagle sees the squirrel. The cat eats the squirrel. The cow eats the cat. The cow eats the squirrel. The cow needs the bald eagle. The cow sees the bald eagle. The cow sees the cat. The cow sees the squirrel. The squirrel is kind. The squirrel is red. The squirrel needs the cat. If something is green then it eats the cat. If something sees the cow then it sees the cat. If something sees the squirrel then it is green. If something sees the bald eagle and the bald eagle is young then the bald eagle is big. If something needs the cat and it eats the cat then the cat sees the squirrel. If something is red and it eats the cat then it sees the bald eagle. If something needs the bald eagle then it needs the squirrel. If the bald eagle is red and the bald eagle sees the cow then the cow is young.", + "original_question": "The bald eagle eats the cat." + }, + { + "id": "AttNeg-OWA-D3-1537", + "question": "Anne is green. Charlie is green. Erin is smart. White things are not young. All green things are blue. If something is young and not smart then it is blue. If something is round and blue then it is green. All smart, young things are green. All blue things are white.\n\nQuestion: Erin is smart.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is green. Charlie is green. Erin is smart. White things are not young. All green things are blue. If something is young and not smart then it is blue. If something is round and blue then it is green. All smart, young things are green. All blue things are white.", + "original_question": "Erin is smart." + }, + { + "id": "AttNeg-OWA-D2-1738", + "question": "Anne is nice. Anne is not round. Anne is young. Bob is not green. Bob is rough. Bob is round. Bob is white. Gary is green. Gary is nice. Gary is red. Gary is rough. Gary is round. Gary is white. Gary is young. Harry is rough. Harry is round. If someone is rough and red then they are young. If someone is rough and round then they are red. If Bob is white then Bob is rough.\n\nQuestion: Bob is not red.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is nice. Anne is not round. Anne is young. Bob is not green. Bob is rough. Bob is round. Bob is white. Gary is green. Gary is nice. Gary is red. Gary is rough. Gary is round. Gary is white. Gary is young. Harry is rough. Harry is round. If someone is rough and red then they are young. If someone is rough and round then they are red. If Bob is white then Bob is rough.", + "original_question": "Bob is not red." + }, + { + "id": "RelNeg-OWA-D1-2519", + "question": "The cat eats the dog. The cat is not green. The cat is young. The cow chases the cat. The cow chases the dog. The cow eats the dog. The cow is green. The cow is nice. The dog chases the cat. The dog eats the cat. The dog eats the cow. The dog is green. If something chases the cow then the cow is not big. If the cat is nice and the cat needs the cow then the cow does not chase the cat. If something is green and it chases the cat then it eats the cat. If the cat does not chase the dog and the cat does not need the cow then the dog is big. If something needs the cow then the cow does not chase the dog. If something needs the cow then the cow is green. If something eats the cow and it is not big then the cow is nice. If something is green and it does not chase the cat then it needs the dog.\n\nQuestion: The cow eats the cat.", + "answer": true, + "QDep": 1, + "original_theory": "The cat eats the dog. The cat is not green. The cat is young. The cow chases the cat. The cow chases the dog. The cow eats the dog. The cow is green. The cow is nice. The dog chases the cat. The dog eats the cat. The dog eats the cow. The dog is green. If something chases the cow then the cow is not big. If the cat is nice and the cat needs the cow then the cow does not chase the cat. If something is green and it chases the cat then it eats the cat. If the cat does not chase the dog and the cat does not need the cow then the dog is big. If something needs the cow then the cow does not chase the dog. If something needs the cow then the cow is green. If something eats the cow and it is not big then the cow is nice. If something is green and it does not chase the cat then it needs the dog.", + "original_question": "The cow eats the cat." + }, + { + "id": "AttNoneg-OWA-D2-864", + "question": "Bob is cold. Bob is green. Bob is kind. Bob is quiet. Erin is kind. Erin is quiet. Gary is cold. Gary is green. Gary is quiet. Gary is red. Harry is cold. Harry is red. All cold things are kind. If something is kind then it is green.\n\nQuestion: Gary is not kind.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is cold. Bob is green. Bob is kind. Bob is quiet. Erin is kind. Erin is quiet. Gary is cold. Gary is green. Gary is quiet. Gary is red. Harry is cold. Harry is red. All cold things are kind. If something is kind then it is green.", + "original_question": "Gary is not kind." + }, + { + "id": "AttNoneg-OWA-D1-697", + "question": "Bob is young. Young people are nice. If someone is kind then they are young.\n\nQuestion: Bob is young.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is young. Young people are nice. If someone is kind then they are young.", + "original_question": "Bob is young." + }, + { + "id": "RelNoneg-OWA-D0-5495", + "question": "The cat chases the mouse. The cat is round. The cat likes the rabbit. The dog chases the cat. The dog chases the rabbit. The dog is round. The dog likes the cat. The dog visits the mouse. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit is big. The rabbit is green. The rabbit is rough. The rabbit likes the dog. The rabbit visits the cat. The rabbit visits the mouse. All green things are nice.\n\nQuestion: The rabbit is rough.", + "answer": true, + "QDep": 0, + "original_theory": "The cat chases the mouse. The cat is round. The cat likes the rabbit. The dog chases the cat. The dog chases the rabbit. The dog is round. The dog likes the cat. The dog visits the mouse. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit is big. The rabbit is green. The rabbit is rough. The rabbit likes the dog. The rabbit visits the cat. The rabbit visits the mouse. All green things are nice.", + "original_question": "The rabbit is rough." + }, + { + "id": "RelNeg-OWA-D2-521", + "question": "The dog eats the lion. The dog is blue. The dog is green. The dog is round. The dog likes the lion. The dog needs the lion. The lion does not eat the dog. The lion is big. The lion is green. The lion does not need the dog. If someone is round and green then they eat the dog. If someone likes the lion then they are green. If someone needs the lion and they eat the dog then the dog eats the lion. If someone eats the dog then the dog is red. If someone likes the dog then they are not red. If someone is red and they do not eat the lion then they are blue.\n\nQuestion: The dog is not round.", + "answer": false, + "QDep": 0, + "original_theory": "The dog eats the lion. The dog is blue. The dog is green. The dog is round. The dog likes the lion. The dog needs the lion. The lion does not eat the dog. The lion is big. The lion is green. The lion does not need the dog. If someone is round and green then they eat the dog. If someone likes the lion then they are green. If someone needs the lion and they eat the dog then the dog eats the lion. If someone eats the dog then the dog is red. If someone likes the dog then they are not red. If someone is red and they do not eat the lion then they are blue.", + "original_question": "The dog is not round." + }, + { + "id": "AttNeg-OWA-D1-2942", + "question": "Bob is green. Bob is nice. Bob is rough. Bob is round. Bob is smart. Dave is big. Erin is big. Erin is green. Erin is nice. Erin is rough. Erin is round. Erin is not young. Harry is big. Harry is green. Harry is smart. Young things are not big. If something is round and young then it is big. If something is rough and big then it is green. Young, green things are rough. All rough, green things are smart. If something is rough and not green then it is smart.\n\nQuestion: Erin is smart.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is green. Bob is nice. Bob is rough. Bob is round. Bob is smart. Dave is big. Erin is big. Erin is green. Erin is nice. Erin is rough. Erin is round. Erin is not young. Harry is big. Harry is green. Harry is smart. Young things are not big. If something is round and young then it is big. If something is rough and big then it is green. Young, green things are rough. All rough, green things are smart. If something is rough and not green then it is smart.", + "original_question": "Erin is smart." + }, + { + "id": "AttNoneg-OWA-D5-1357", + "question": "Bob is cold. Bob is green. Bob is red. Bob is round. Fiona is green. Fiona is smart. Gary is green. Gary is red. Harry is green. Harry is smart. All smart people are cold. If someone is red then they are rough. All nice, red people are green. All red, rough people are round. If someone is rough and round then they are smart. If Gary is smart and Gary is cold then Gary is nice. Green, smart people are red.\n\nQuestion: Harry is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is cold. Bob is green. Bob is red. Bob is round. Fiona is green. Fiona is smart. Gary is green. Gary is red. Harry is green. Harry is smart. All smart people are cold. If someone is red then they are rough. All nice, red people are green. All red, rough people are round. If someone is rough and round then they are smart. If Gary is smart and Gary is cold then Gary is nice. Green, smart people are red.", + "original_question": "Harry is not smart." + }, + { + "id": "AttNeg-OWA-D3-498", + "question": "Dave is furry. Dave is not kind. Dave is nice. Dave is rough. Dave is young. Erin is furry. Erin is not kind. Erin is nice. Erin is round. Erin is young. Fiona is furry. Fiona is white. If Fiona is not furry then Fiona is young. If Fiona is rough and Fiona is kind then Fiona is young. White, round people are rough. White, nice people are not kind. If someone is round and not furry then they are not nice. If someone is white then they are round. If Fiona is rough then Fiona is kind. If Erin is not kind then Erin is rough.\n\nQuestion: Fiona is not round.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is furry. Dave is not kind. Dave is nice. Dave is rough. Dave is young. Erin is furry. Erin is not kind. Erin is nice. Erin is round. Erin is young. Fiona is furry. Fiona is white. If Fiona is not furry then Fiona is young. If Fiona is rough and Fiona is kind then Fiona is young. White, round people are rough. White, nice people are not kind. If someone is round and not furry then they are not nice. If someone is white then they are round. If Fiona is rough then Fiona is kind. If Erin is not kind then Erin is rough.", + "original_question": "Fiona is not round." + }, + { + "id": "AttNeg-OWA-D3-1101", + "question": "Bob is white. Erin is nice. Harry is round. Round people are nice. All kind, round people are nice. Kind people are not white. All blue people are not white. Nice, smart people are blue. Smart people are round. If someone is blue and white then they are kind. All nice people are smart.\n\nQuestion: Harry is not blue.", + "answer": false, + "QDep": 3, + "original_theory": "Bob is white. Erin is nice. Harry is round. Round people are nice. All kind, round people are nice. Kind people are not white. All blue people are not white. Nice, smart people are blue. Smart people are round. If someone is blue and white then they are kind. All nice people are smart.", + "original_question": "Harry is not blue." + }, + { + "id": "AttNeg-OWA-D3-943", + "question": "Anne is nice. Anne is red. Anne is young. Charlie is red. Charlie is round. Charlie is smart. Charlie is young. Gary is red. Gary is rough. Gary is round. All young people are nice. If someone is round and not smart then they are nice. If someone is round then they are young. If someone is furry and not rough then they are young. If Anne is not rough then Anne is young. All round, nice people are furry.\n\nQuestion: Charlie is smart.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is nice. Anne is red. Anne is young. Charlie is red. Charlie is round. Charlie is smart. Charlie is young. Gary is red. Gary is rough. Gary is round. All young people are nice. If someone is round and not smart then they are nice. If someone is round then they are young. If someone is furry and not rough then they are young. If Anne is not rough then Anne is young. All round, nice people are furry.", + "original_question": "Charlie is smart." + }, + { + "id": "AttNoneg-OWA-D1-2157", + "question": "Anne is blue. Anne is cold. Charlie is blue. Charlie is cold. Charlie is green. Charlie is rough. Charlie is smart. Fiona is cold. Fiona is quiet. Fiona is rough. Fiona is white. Gary is cold. Gary is green. Gary is quiet. Gary is white. If someone is green then they are cold. All green, quiet people are rough.\n\nQuestion: Gary is cold.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is blue. Anne is cold. Charlie is blue. Charlie is cold. Charlie is green. Charlie is rough. Charlie is smart. Fiona is cold. Fiona is quiet. Fiona is rough. Fiona is white. Gary is cold. Gary is green. Gary is quiet. Gary is white. If someone is green then they are cold. All green, quiet people are rough.", + "original_question": "Gary is cold." + }, + { + "id": "RelNoneg-OWA-D0-4550", + "question": "The bald eagle visits the rabbit. The rabbit chases the bald eagle. The rabbit visits the bald eagle. If something chases the bald eagle and it visits the bald eagle then it sees the bald eagle. If something sees the rabbit then the rabbit chases the bald eagle. If something is red and it chases the rabbit then the rabbit is big.\n\nQuestion: The rabbit visits the bald eagle.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle visits the rabbit. The rabbit chases the bald eagle. The rabbit visits the bald eagle. If something chases the bald eagle and it visits the bald eagle then it sees the bald eagle. If something sees the rabbit then the rabbit chases the bald eagle. If something is red and it chases the rabbit then the rabbit is big.", + "original_question": "The rabbit visits the bald eagle." + }, + { + "id": "RelNoneg-OWA-D0-2273", + "question": "The rabbit chases the squirrel. The rabbit is kind. The rabbit is nice. The rabbit is red. The rabbit is rough. The rabbit is round. The rabbit likes the squirrel. The rabbit needs the squirrel. The squirrel chases the rabbit. The squirrel is kind. The squirrel is nice. The squirrel is red. The squirrel is rough. The squirrel is round. The squirrel likes the rabbit. The squirrel needs the rabbit. If someone is kind and they chase the squirrel then the squirrel likes the rabbit.\n\nQuestion: The rabbit is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "The rabbit chases the squirrel. The rabbit is kind. The rabbit is nice. The rabbit is red. The rabbit is rough. The rabbit is round. The rabbit likes the squirrel. The rabbit needs the squirrel. The squirrel chases the rabbit. The squirrel is kind. The squirrel is nice. The squirrel is red. The squirrel is rough. The squirrel is round. The squirrel likes the rabbit. The squirrel needs the rabbit. If someone is kind and they chase the squirrel then the squirrel likes the rabbit.", + "original_question": "The rabbit is not nice." + }, + { + "id": "AttNoneg-OWA-D0-5925", + "question": "Charlie is smart. Gary is red. Cold, rough things are nice. If something is smart then it is big.\n\nQuestion: Gary is red.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is smart. Gary is red. Cold, rough things are nice. If something is smart then it is big.", + "original_question": "Gary is red." + }, + { + "id": "RelNoneg-OWA-D3-1197", + "question": "The dog is rough. The lion visits the dog. The rabbit likes the dog. Big things are green. If something visits the dog then it visits the rabbit. If something is rough and it likes the lion then the lion visits the dog. If something visits the rabbit then the rabbit is big. If something sees the lion and the lion is green then it visits the dog. If something visits the lion then the lion likes the dog. If something visits the dog then it sees the rabbit. If the rabbit likes the lion then the lion is big.\n\nQuestion: The lion visits the rabbit.", + "answer": true, + "QDep": 1, + "original_theory": "The dog is rough. The lion visits the dog. The rabbit likes the dog. Big things are green. If something visits the dog then it visits the rabbit. If something is rough and it likes the lion then the lion visits the dog. If something visits the rabbit then the rabbit is big. If something sees the lion and the lion is green then it visits the dog. If something visits the lion then the lion likes the dog. If something visits the dog then it sees the rabbit. If the rabbit likes the lion then the lion is big.", + "original_question": "The lion visits the rabbit." + }, + { + "id": "RelNeg-OWA-D2-375", + "question": "The cat eats the tiger. The cat is round. The cat needs the tiger. The tiger chases the cat. The tiger eats the cat. The tiger is young. The tiger needs the cat. If someone chases the cat and they are big then they need the tiger. If someone is round and they need the tiger then the tiger is big. If someone needs the cat then they eat the cat. If someone is round then they are not young. If the cat is green then the cat is big. If the tiger chases the cat then the cat needs the tiger. If someone chases the cat and they need the tiger then they eat the tiger. If someone is round and they chase the tiger then the tiger eats the cat.\n\nQuestion: The cat needs the tiger.", + "answer": true, + "QDep": 0, + "original_theory": "The cat eats the tiger. The cat is round. The cat needs the tiger. The tiger chases the cat. The tiger eats the cat. The tiger is young. The tiger needs the cat. If someone chases the cat and they are big then they need the tiger. If someone is round and they need the tiger then the tiger is big. If someone needs the cat then they eat the cat. If someone is round then they are not young. If the cat is green then the cat is big. If the tiger chases the cat then the cat needs the tiger. If someone chases the cat and they need the tiger then they eat the tiger. If someone is round and they chase the tiger then the tiger eats the cat.", + "original_question": "The cat needs the tiger." + }, + { + "id": "RelNoneg-OWA-D3-1442", + "question": "The bald eagle chases the cow. The bald eagle is nice. The bald eagle sees the lion. The cow chases the lion. The cow is big. The cow is nice. The cow sees the bald eagle. The cow sees the lion. The lion chases the bald eagle. The lion is cold. The lion is green. The lion is nice. If something eats the cow and the cow sees the bald eagle then it is big. If something chases the bald eagle then the bald eagle eats the cow. If something is big then it sees the bald eagle.\n\nQuestion: The bald eagle does not see the bald eagle.", + "answer": false, + "QDep": 3, + "original_theory": "The bald eagle chases the cow. The bald eagle is nice. The bald eagle sees the lion. The cow chases the lion. The cow is big. The cow is nice. The cow sees the bald eagle. The cow sees the lion. The lion chases the bald eagle. The lion is cold. The lion is green. The lion is nice. If something eats the cow and the cow sees the bald eagle then it is big. If something chases the bald eagle then the bald eagle eats the cow. If something is big then it sees the bald eagle.", + "original_question": "The bald eagle does not see the bald eagle." + }, + { + "id": "RelNoneg-OWA-D3-841", + "question": "The tiger is green. If someone is green then they are rough. If someone is green and blue then they are big. If someone is rough then they are blue. If someone is green and rough then they are young. Green, rough people are blue. If someone is rough then they are blue.\n\nQuestion: The tiger is not blue.", + "answer": false, + "QDep": 2, + "original_theory": "The tiger is green. If someone is green then they are rough. If someone is green and blue then they are big. If someone is rough then they are blue. If someone is green and rough then they are young. Green, rough people are blue. If someone is rough then they are blue.", + "original_question": "The tiger is not blue." + }, + { + "id": "RelNeg-OWA-D1-2242", + "question": "The cow does not eat the lion. The cow is green. The cow does not need the lion. The cow visits the lion. The lion eats the cow. The lion is big. The lion is cold. The lion is green. The lion needs the cow. The lion does not visit the cow. If the lion is blue and the lion does not need the cow then the lion visits the cow. If something visits the lion and it is not cold then it needs the lion. If something is green then it is big. If something needs the lion then the lion is not green. If the lion is rough and the lion does not visit the cow then the cow does not need the lion. If something visits the cow and the cow does not need the lion then it eats the lion.\n\nQuestion: The cow is not big.", + "answer": false, + "QDep": 1, + "original_theory": "The cow does not eat the lion. The cow is green. The cow does not need the lion. The cow visits the lion. The lion eats the cow. The lion is big. The lion is cold. The lion is green. The lion needs the cow. The lion does not visit the cow. If the lion is blue and the lion does not need the cow then the lion visits the cow. If something visits the lion and it is not cold then it needs the lion. If something is green then it is big. If something needs the lion then the lion is not green. If the lion is rough and the lion does not visit the cow then the cow does not need the lion. If something visits the cow and the cow does not need the lion then it eats the lion.", + "original_question": "The cow is not big." + }, + { + "id": "RelNoneg-OWA-D2-1579", + "question": "The mouse is cold. The mouse is green. The mouse is rough. The mouse is round. The mouse is young. The mouse likes the tiger. The mouse sees the tiger. The mouse visits the tiger. The tiger is cold. The tiger is green. The tiger is rough. The tiger is round. The tiger is young. The tiger likes the mouse. The tiger sees the mouse. The tiger visits the mouse. If something is young then it likes the tiger. If something is green and it sees the mouse then it is cold. If something is young and it likes the tiger then it sees the mouse. If the tiger sees the mouse then the mouse visits the tiger. If something is green then it sees the tiger. If something likes the mouse and the mouse visits the tiger then it is young. If something sees the mouse and it is round then it visits the mouse. If something is cold and it visits the tiger then it sees the mouse.\n\nQuestion: The tiger does not like the tiger.", + "answer": false, + "QDep": 1, + "original_theory": "The mouse is cold. The mouse is green. The mouse is rough. The mouse is round. The mouse is young. The mouse likes the tiger. The mouse sees the tiger. The mouse visits the tiger. The tiger is cold. The tiger is green. The tiger is rough. The tiger is round. The tiger is young. The tiger likes the mouse. The tiger sees the mouse. The tiger visits the mouse. If something is young then it likes the tiger. If something is green and it sees the mouse then it is cold. If something is young and it likes the tiger then it sees the mouse. If the tiger sees the mouse then the mouse visits the tiger. If something is green then it sees the tiger. If something likes the mouse and the mouse visits the tiger then it is young. If something sees the mouse and it is round then it visits the mouse. If something is cold and it visits the tiger then it sees the mouse.", + "original_question": "The tiger does not like the tiger." + }, + { + "id": "AttNonegNatLang-OWA-406", + "question": "Bob is a round and rough around the edges, and he is also big. Charlie is green and cold too. Fred can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Round people who feel blue and are green in color are often young in age. A very big person who is green but also red is a rough person. When green, young and round fits a person, you'll see that rough will also fit. Being young and cold also means you're green. Interesting that all round people are cold. A round person who is on the young side is also likely to treat people in a kind manner. A kind person will certainly be young.\n\nQuestion: Fred is young.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is a round and rough around the edges, and he is also big. Charlie is green and cold too. Fred can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Round people who feel blue and are green in color are often young in age. A very big person who is green but also red is a rough person. When green, young and round fits a person, you'll see that rough will also fit. Being young and cold also means you're green. Interesting that all round people are cold. A round person who is on the young side is also likely to treat people in a kind manner. A kind person will certainly be young.", + "original_question": "Fred is young." + }, + { + "id": "AttNeg-OWA-D3-289", + "question": "Anne is furry. Charlie is furry. Dave is not red. Gary is not white. All big, young people are white. Furry people are white. If someone is big and not young then they are red. White, furry people are red. Red people are not round. All red, big people are cold. All red people are furry. If Gary is white and Gary is not young then Gary is big.\n\nQuestion: Charlie is white.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is furry. Charlie is furry. Dave is not red. Gary is not white. All big, young people are white. Furry people are white. If someone is big and not young then they are red. White, furry people are red. Red people are not round. All red, big people are cold. All red people are furry. If Gary is white and Gary is not young then Gary is big.", + "original_question": "Charlie is white." + }, + { + "id": "AttNoneg-OWA-D3-1095", + "question": "Anne is blue. Anne is red. Bob is nice. Bob is red. Charlie is kind. Charlie is quiet. Erin is blue. If someone is green then they are nice. All big, green people are kind. If someone is red then they are green. All big people are red. If Charlie is red then Charlie is blue. All blue, nice people are kind.\n\nQuestion: Charlie is quiet.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is blue. Anne is red. Bob is nice. Bob is red. Charlie is kind. Charlie is quiet. Erin is blue. If someone is green then they are nice. All big, green people are kind. If someone is red then they are green. All big people are red. If Charlie is red then Charlie is blue. All blue, nice people are kind.", + "original_question": "Charlie is quiet." + }, + { + "id": "RelNoneg-OWA-D3-189", + "question": "The bald eagle chases the squirrel. The bald eagle is rough. The bald eagle likes the squirrel. The cat chases the cow. The cat likes the bald eagle. The cat likes the squirrel. The cat sees the squirrel. The cow chases the bald eagle. The cow chases the squirrel. The cow likes the cat. The squirrel chases the cat. The squirrel is kind. If someone chases the bald eagle then they are cold. If someone is rough then they like the cow. If the cow is cold then the cow is rough. If someone chases the cow and they are cold then they like the cat. If someone likes the bald eagle and the bald eagle sees the squirrel then the squirrel chases the bald eagle. Kind people are rough. If someone likes the squirrel then they chase the cow. If the bald eagle is kind then the bald eagle sees the cat.\n\nQuestion: The cow does not like the cow.", + "answer": false, + "QDep": 3, + "original_theory": "The bald eagle chases the squirrel. The bald eagle is rough. The bald eagle likes the squirrel. The cat chases the cow. The cat likes the bald eagle. The cat likes the squirrel. The cat sees the squirrel. The cow chases the bald eagle. The cow chases the squirrel. The cow likes the cat. The squirrel chases the cat. The squirrel is kind. If someone chases the bald eagle then they are cold. If someone is rough then they like the cow. If the cow is cold then the cow is rough. If someone chases the cow and they are cold then they like the cat. If someone likes the bald eagle and the bald eagle sees the squirrel then the squirrel chases the bald eagle. Kind people are rough. If someone likes the squirrel then they chase the cow. If the bald eagle is kind then the bald eagle sees the cat.", + "original_question": "The cow does not like the cow." + }, + { + "id": "RelNoneg-OWA-D2-618", + "question": "The bear is young. The bear needs the cat. The cat chases the bear. The cat is big. The cat is kind. The cat is young. The cat needs the cow. The cow chases the bear. The cow chases the squirrel. The cow is nice. The cow is rough. The cow is young. The cow likes the cat. The cow likes the squirrel. The cow needs the cat. The squirrel needs the cat. If someone needs the cat and the cat needs the cow then they are young. If someone chases the squirrel and they chase the cat then the cat needs the squirrel. If someone is young then they are big.\n\nQuestion: The cat needs the cow.", + "answer": true, + "QDep": 0, + "original_theory": "The bear is young. The bear needs the cat. The cat chases the bear. The cat is big. The cat is kind. The cat is young. The cat needs the cow. The cow chases the bear. The cow chases the squirrel. The cow is nice. The cow is rough. The cow is young. The cow likes the cat. The cow likes the squirrel. The cow needs the cat. The squirrel needs the cat. If someone needs the cat and the cat needs the cow then they are young. If someone chases the squirrel and they chase the cat then the cat needs the squirrel. If someone is young then they are big.", + "original_question": "The cat needs the cow." + }, + { + "id": "RelNeg-OWA-D5-367", + "question": "The cow sees the squirrel. The mouse does not chase the cow. The mouse eats the squirrel. The mouse is young. The mouse does not see the tiger. The squirrel chases the tiger. The squirrel eats the mouse. The tiger does not chase the mouse. The tiger eats the cow. The tiger eats the squirrel. The tiger is green. The tiger is young. If the cow sees the tiger then the tiger is nice. If someone eats the squirrel then the squirrel is big. If the mouse does not chase the cow then the cow chases the squirrel. If the cow is not young and the cow does not eat the tiger then the cow chases the squirrel. If someone is nice then they see the tiger. If the tiger chases the mouse then the tiger eats the squirrel. If someone chases the squirrel then they are nice.\n\nQuestion: The cow is nice.", + "answer": true, + "QDep": 2, + "original_theory": "The cow sees the squirrel. The mouse does not chase the cow. The mouse eats the squirrel. The mouse is young. The mouse does not see the tiger. The squirrel chases the tiger. The squirrel eats the mouse. The tiger does not chase the mouse. The tiger eats the cow. The tiger eats the squirrel. The tiger is green. The tiger is young. If the cow sees the tiger then the tiger is nice. If someone eats the squirrel then the squirrel is big. If the mouse does not chase the cow then the cow chases the squirrel. If the cow is not young and the cow does not eat the tiger then the cow chases the squirrel. If someone is nice then they see the tiger. If the tiger chases the mouse then the tiger eats the squirrel. If someone chases the squirrel then they are nice.", + "original_question": "The cow is nice." + }, + { + "id": "AttNoneg-OWA-D5-787", + "question": "Anne is big. Bob is round. Bob is smart. Bob is white. Gary is big. Gary is furry. Gary is red. Gary is rough. Gary is round. Harry is furry. All big, rough things are smart. Red, rough things are furry. Rough things are round. Smart things are white. Big things are smart. All white things are rough. If something is furry then it is round. Smart, round things are furry. Round things are red.\n\nQuestion: Anne is red.", + "answer": true, + "QDep": 5, + "original_theory": "Anne is big. Bob is round. Bob is smart. Bob is white. Gary is big. Gary is furry. Gary is red. Gary is rough. Gary is round. Harry is furry. All big, rough things are smart. Red, rough things are furry. Rough things are round. Smart things are white. Big things are smart. All white things are rough. If something is furry then it is round. Smart, round things are furry. Round things are red.", + "original_question": "Anne is red." + }, + { + "id": "RelNoneg-OWA-D3-611", + "question": "The lion eats the rabbit. The lion is green. The lion is nice. The lion is red. The lion is rough. The lion is round. The lion sees the rabbit. The lion visits the rabbit. The rabbit eats the lion. The rabbit is nice. The rabbit is rough. The rabbit visits the lion. If something is round then it visits the lion. If something is nice then it eats the rabbit. If something eats the rabbit then the rabbit sees the lion. If the rabbit visits the lion and the rabbit is red then the lion sees the rabbit. If something is nice and it eats the rabbit then it is round. If something is round then it visits the rabbit. If something is round and it visits the rabbit then the rabbit eats the lion. If something sees the rabbit and the rabbit is red then it is red.\n\nQuestion: The lion does not see the rabbit.", + "answer": false, + "QDep": 0, + "original_theory": "The lion eats the rabbit. The lion is green. The lion is nice. The lion is red. The lion is rough. The lion is round. The lion sees the rabbit. The lion visits the rabbit. The rabbit eats the lion. The rabbit is nice. The rabbit is rough. The rabbit visits the lion. If something is round then it visits the lion. If something is nice then it eats the rabbit. If something eats the rabbit then the rabbit sees the lion. If the rabbit visits the lion and the rabbit is red then the lion sees the rabbit. If something is nice and it eats the rabbit then it is round. If something is round then it visits the rabbit. If something is round and it visits the rabbit then the rabbit eats the lion. If something sees the rabbit and the rabbit is red then it is red.", + "original_question": "The lion does not see the rabbit." + }, + { + "id": "AttNeg-OWA-D5-1218", + "question": "Anne is big. Anne is blue. Anne is quiet. Anne is red. Anne is rough. Anne is round. Anne is young. Dave is red. Dave is rough. Dave is round. Dave is young. Fiona is round. Gary is big. Gary is not round. Round things are big. If Dave is young and Dave is red then Dave is rough. All blue, big things are young. If something is young and not big then it is blue. All round things are blue. Young things are rough. All rough, big things are red. Young, red things are quiet. If something is red and not rough then it is quiet.\n\nQuestion: Fiona is quiet.", + "answer": true, + "QDep": 5, + "original_theory": "Anne is big. Anne is blue. Anne is quiet. Anne is red. Anne is rough. Anne is round. Anne is young. Dave is red. Dave is rough. Dave is round. Dave is young. Fiona is round. Gary is big. Gary is not round. Round things are big. If Dave is young and Dave is red then Dave is rough. All blue, big things are young. If something is young and not big then it is blue. All round things are blue. Young things are rough. All rough, big things are red. Young, red things are quiet. If something is red and not rough then it is quiet.", + "original_question": "Fiona is quiet." + }, + { + "id": "AttNeg-OWA-D5-1209", + "question": "Anne is cold. Anne is kind. Anne is not round. Charlie is cold. Charlie is smart. Fiona is big. Fiona is not kind. Fiona is red. Gary is big. Gary is smart. All kind things are furry. All cold things are furry. If Charlie is red then Charlie is big. If Charlie is red and Charlie is kind then Charlie is not round. All smart, furry things are red. All big things are red. Big, furry things are kind. If Gary is red and Gary is cold then Gary is furry.\n\nQuestion: Charlie is kind.", + "answer": true, + "QDep": 4, + "original_theory": "Anne is cold. Anne is kind. Anne is not round. Charlie is cold. Charlie is smart. Fiona is big. Fiona is not kind. Fiona is red. Gary is big. Gary is smart. All kind things are furry. All cold things are furry. If Charlie is red then Charlie is big. If Charlie is red and Charlie is kind then Charlie is not round. All smart, furry things are red. All big things are red. Big, furry things are kind. If Gary is red and Gary is cold then Gary is furry.", + "original_question": "Charlie is kind." + }, + { + "id": "AttNoneg-OWA-D3-16", + "question": "Dave is blue. Dave is cold. Dave is furry. Dave is red. Dave is rough. Dave is round. Dave is smart. Fiona is blue. Fiona is cold. Fiona is furry. Gary is cold. Gary is furry. Gary is rough. Gary is round. Gary is smart. All round people are red. Rough people are round. All rough, blue people are cold. If someone is blue then they are rough. If someone is cold and smart then they are round. If Dave is rough and Dave is furry then Dave is cold.\n\nQuestion: Dave is smart.", + "answer": true, + "QDep": 0, + "original_theory": "Dave is blue. Dave is cold. Dave is furry. Dave is red. Dave is rough. Dave is round. Dave is smart. Fiona is blue. Fiona is cold. Fiona is furry. Gary is cold. Gary is furry. Gary is rough. Gary is round. Gary is smart. All round people are red. Rough people are round. All rough, blue people are cold. If someone is blue then they are rough. If someone is cold and smart then they are round. If Dave is rough and Dave is furry then Dave is cold.", + "original_question": "Dave is smart." + }, + { + "id": "RelNeg-OWA-D3-325", + "question": "The bald eagle chases the cow. The bald eagle eats the cow. The bear eats the bald eagle. The bear is green. The cow chases the bear. The cow sees the bald eagle. The cow sees the bear. If someone sees the cow and they are not green then the cow is young. If the cow eats the bald eagle then the cow is not young. If someone chases the cow then the cow is not nice. If someone eats the bear then the bear chases the cow. If someone chases the cow then they eat the bear. If someone is red then they chase the bear.\n\nQuestion: The cow does not see the bald eagle.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle chases the cow. The bald eagle eats the cow. The bear eats the bald eagle. The bear is green. The cow chases the bear. The cow sees the bald eagle. The cow sees the bear. If someone sees the cow and they are not green then the cow is young. If the cow eats the bald eagle then the cow is not young. If someone chases the cow then the cow is not nice. If someone eats the bear then the bear chases the cow. If someone chases the cow then they eat the bear. If someone is red then they chase the bear.", + "original_question": "The cow does not see the bald eagle." + }, + { + "id": "RelNoneg-OWA-D3-1197", + "question": "The dog is rough. The lion visits the dog. The rabbit likes the dog. Big things are green. If something visits the dog then it visits the rabbit. If something is rough and it likes the lion then the lion visits the dog. If something visits the rabbit then the rabbit is big. If something sees the lion and the lion is green then it visits the dog. If something visits the lion then the lion likes the dog. If something visits the dog then it sees the rabbit. If the rabbit likes the lion then the lion is big.\n\nQuestion: The lion does not see the rabbit.", + "answer": false, + "QDep": 1, + "original_theory": "The dog is rough. The lion visits the dog. The rabbit likes the dog. Big things are green. If something visits the dog then it visits the rabbit. If something is rough and it likes the lion then the lion visits the dog. If something visits the rabbit then the rabbit is big. If something sees the lion and the lion is green then it visits the dog. If something visits the lion then the lion likes the dog. If something visits the dog then it sees the rabbit. If the rabbit likes the lion then the lion is big.", + "original_question": "The lion does not see the rabbit." + }, + { + "id": "AttNeg-OWA-D3-1330", + "question": "Bob is big. Bob is white. Fiona is not big. Gary is big. Gary is nice. Harry is blue. Harry is rough. If something is big and not nice then it is white. Round, big things are white. If something is white then it is green. All blue, big things are green. All nice, big things are round. All big things are rough. If Harry is round and Harry is nice then Harry is not rough. If something is round then it is blue.\n\nQuestion: Gary is rough.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is big. Bob is white. Fiona is not big. Gary is big. Gary is nice. Harry is blue. Harry is rough. If something is big and not nice then it is white. Round, big things are white. If something is white then it is green. All blue, big things are green. All nice, big things are round. All big things are rough. If Harry is round and Harry is nice then Harry is not rough. If something is round then it is blue.", + "original_question": "Gary is rough." + }, + { + "id": "RelNeg-OWA-D2-1753", + "question": "The bear eats the cat. The bear sees the cat. The cat eats the bear. The cat is red. The cat sees the rabbit. The rabbit eats the squirrel. The rabbit sees the squirrel. The squirrel eats the bear. The squirrel eats the cat. The squirrel visits the rabbit. If something sees the cat then the cat visits the squirrel. If something eats the squirrel and the squirrel is green then the squirrel does not visit the cat. If something is nice and it eats the squirrel then the squirrel visits the cat. If something is red and it visits the squirrel then it eats the cat. If the rabbit is not green and the rabbit does not see the bear then the rabbit visits the squirrel. If something visits the bear then the bear eats the rabbit. If the squirrel does not eat the rabbit then the rabbit visits the cat. If something visits the cat and it sees the squirrel then the cat does not eat the bear.\n\nQuestion: The cat does not visit the squirrel.", + "answer": false, + "QDep": 1, + "original_theory": "The bear eats the cat. The bear sees the cat. The cat eats the bear. The cat is red. The cat sees the rabbit. The rabbit eats the squirrel. The rabbit sees the squirrel. The squirrel eats the bear. The squirrel eats the cat. The squirrel visits the rabbit. If something sees the cat then the cat visits the squirrel. If something eats the squirrel and the squirrel is green then the squirrel does not visit the cat. If something is nice and it eats the squirrel then the squirrel visits the cat. If something is red and it visits the squirrel then it eats the cat. If the rabbit is not green and the rabbit does not see the bear then the rabbit visits the squirrel. If something visits the bear then the bear eats the rabbit. If the squirrel does not eat the rabbit then the rabbit visits the cat. If something visits the cat and it sees the squirrel then the cat does not eat the bear.", + "original_question": "The cat does not visit the squirrel." + }, + { + "id": "AttNeg-OWA-D3-1566", + "question": "Bob is blue. Dave is kind. Erin is rough. Harry is white. If Bob is green then Bob is white. If someone is rough then they are green. If someone is green and kind then they are furry. If Harry is kind then Harry is smart. If Dave is kind then Dave is rough. If Erin is blue then Erin is rough.\n\nQuestion: Dave is not rough.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is blue. Dave is kind. Erin is rough. Harry is white. If Bob is green then Bob is white. If someone is rough then they are green. If someone is green and kind then they are furry. If Harry is kind then Harry is smart. If Dave is kind then Dave is rough. If Erin is blue then Erin is rough.", + "original_question": "Dave is not rough." + }, + { + "id": "AttNeg-OWA-D3-942", + "question": "Anne is red. Charlie is young. Erin is not young. Harry is white. If something is kind then it is young. All cold things are young. Red things are not young. If Harry is kind and Harry is nice then Harry is red. All white things are quiet. Quiet things are red.\n\nQuestion: Erin is young.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is red. Charlie is young. Erin is not young. Harry is white. If something is kind then it is young. All cold things are young. Red things are not young. If Harry is kind and Harry is nice then Harry is red. All white things are quiet. Quiet things are red.", + "original_question": "Erin is young." + }, + { + "id": "AttNeg-OWA-D3-524", + "question": "Bob is nice. Bob is not red. Bob is smart. Bob is white. Fiona is furry. Fiona is red. Fiona is white. Gary is blue. Gary is furry. Gary is not kind. Gary is red. Gary is smart. Gary is white. Harry is kind. Harry is red. Harry is not smart. If Harry is kind and Harry is red then Harry is not nice. If Gary is not nice then Gary is kind. If Harry is not kind and Harry is not red then Harry is furry. If something is red and not nice then it is blue. If something is furry and nice then it is not white. Blue things are white. If Bob is kind then Bob is not white. If Bob is not blue then Bob is kind.\n\nQuestion: Harry is nice.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is nice. Bob is not red. Bob is smart. Bob is white. Fiona is furry. Fiona is red. Fiona is white. Gary is blue. Gary is furry. Gary is not kind. Gary is red. Gary is smart. Gary is white. Harry is kind. Harry is red. Harry is not smart. If Harry is kind and Harry is red then Harry is not nice. If Gary is not nice then Gary is kind. If Harry is not kind and Harry is not red then Harry is furry. If something is red and not nice then it is blue. If something is furry and nice then it is not white. Blue things are white. If Bob is kind then Bob is not white. If Bob is not blue then Bob is kind.", + "original_question": "Harry is nice." + }, + { + "id": "RelNeg-OWA-D1-1684", + "question": "The cow chases the rabbit. The cow eats the dog. The cow is red. The cow is round. The dog chases the cow. The dog chases the rabbit. The dog eats the mouse. The dog is kind. The mouse eats the cow. The rabbit does not chase the cow. The rabbit eats the cow. The rabbit is kind. If someone chases the cow then the cow eats the mouse. If the dog does not visit the cow then the dog is not round. If someone chases the cow then they chase the rabbit.\n\nQuestion: The cow does not eat the dog.", + "answer": false, + "QDep": 0, + "original_theory": "The cow chases the rabbit. The cow eats the dog. The cow is red. The cow is round. The dog chases the cow. The dog chases the rabbit. The dog eats the mouse. The dog is kind. The mouse eats the cow. The rabbit does not chase the cow. The rabbit eats the cow. The rabbit is kind. If someone chases the cow then the cow eats the mouse. If the dog does not visit the cow then the dog is not round. If someone chases the cow then they chase the rabbit.", + "original_question": "The cow does not eat the dog." + }, + { + "id": "AttNeg-OWA-D1-2942", + "question": "Bob is green. Bob is nice. Bob is rough. Bob is round. Bob is smart. Dave is big. Erin is big. Erin is green. Erin is nice. Erin is rough. Erin is round. Erin is not young. Harry is big. Harry is green. Harry is smart. Young things are not big. If something is round and young then it is big. If something is rough and big then it is green. Young, green things are rough. All rough, green things are smart. If something is rough and not green then it is smart.\n\nQuestion: Erin is not smart.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is green. Bob is nice. Bob is rough. Bob is round. Bob is smart. Dave is big. Erin is big. Erin is green. Erin is nice. Erin is rough. Erin is round. Erin is not young. Harry is big. Harry is green. Harry is smart. Young things are not big. If something is round and young then it is big. If something is rough and big then it is green. Young, green things are rough. All rough, green things are smart. If something is rough and not green then it is smart.", + "original_question": "Erin is not smart." + }, + { + "id": "AttNeg-OWA-D5-1227", + "question": "Anne is cold. Anne is round. Bob is blue. Bob is round. Charlie is blue. Charlie is nice. Gary is cold. If something is big and green then it is not round. Blue, nice things are round. If Bob is furry then Bob is green. All cold, blue things are furry. Nice things are big. All round, cold things are not green. Green, cold things are not nice. If something is cold then it is nice. Big things are blue.\n\nQuestion: Gary is not blue.", + "answer": false, + "QDep": 3, + "original_theory": "Anne is cold. Anne is round. Bob is blue. Bob is round. Charlie is blue. Charlie is nice. Gary is cold. If something is big and green then it is not round. Blue, nice things are round. If Bob is furry then Bob is green. All cold, blue things are furry. Nice things are big. All round, cold things are not green. Green, cold things are not nice. If something is cold then it is nice. Big things are blue.", + "original_question": "Gary is not blue." + }, + { + "id": "AttNoneg-OWA-D3-1537", + "question": "Anne is blue. Anne is nice. Dave is big. Dave is nice. Dave is rough. Dave is white. Dave is young. Gary is cold. Gary is rough. Gary is white. If Dave is white then Dave is cold. If Gary is cold then Gary is nice. Nice things are white. If Anne is young and Anne is nice then Anne is rough. All white, nice things are big. All big, blue things are rough.\n\nQuestion: Dave is nice.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is blue. Anne is nice. Dave is big. Dave is nice. Dave is rough. Dave is white. Dave is young. Gary is cold. Gary is rough. Gary is white. If Dave is white then Dave is cold. If Gary is cold then Gary is nice. Nice things are white. If Anne is young and Anne is nice then Anne is rough. All white, nice things are big. All big, blue things are rough.", + "original_question": "Dave is nice." + }, + { + "id": "AttNoneg-OWA-D5-751", + "question": "Bob is cold. Bob is furry. Erin is furry. Erin is kind. Erin is nice. Erin is young. Gary is nice. Gary is young. Harry is furry. Harry is nice. Harry is quiet. Harry is smart. If something is kind and smart then it is nice. If Bob is young then Bob is kind. If something is nice and young then it is quiet. Young, kind things are quiet. If Bob is kind and Bob is smart then Bob is young. Furry things are young. If something is kind and nice then it is cold. All furry, quiet things are smart. Smart, nice things are furry.\n\nQuestion: Erin is nice.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is cold. Bob is furry. Erin is furry. Erin is kind. Erin is nice. Erin is young. Gary is nice. Gary is young. Harry is furry. Harry is nice. Harry is quiet. Harry is smart. If something is kind and smart then it is nice. If Bob is young then Bob is kind. If something is nice and young then it is quiet. Young, kind things are quiet. If Bob is kind and Bob is smart then Bob is young. Furry things are young. If something is kind and nice then it is cold. All furry, quiet things are smart. Smart, nice things are furry.", + "original_question": "Erin is nice." + }, + { + "id": "AttNeg-OWA-D3-415", + "question": "Bob is rough. Fiona is green. Harry is rough. Furry people are quiet. All furry people are quiet. All green people are quiet. If someone is quiet and cold then they are young. All young people are green. If someone is rough then they are furry. Green people are rough. All rough, furry people are cold.\n\nQuestion: Harry is furry.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is rough. Fiona is green. Harry is rough. Furry people are quiet. All furry people are quiet. All green people are quiet. If someone is quiet and cold then they are young. All young people are green. If someone is rough then they are furry. Green people are rough. All rough, furry people are cold.", + "original_question": "Harry is furry." + }, + { + "id": "RelNoneg-OWA-D2-424", + "question": "The bald eagle is rough. The cow chases the bald eagle. If something likes the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something eats the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something likes the cow and it is blue then it chases the bald eagle. If something eats the cow then it likes the bald eagle. If something is cold then it chases the bald eagle. If something chases the bald eagle then the bald eagle eats the cow.\n\nQuestion: The bald eagle eats the cow.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle is rough. The cow chases the bald eagle. If something likes the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something eats the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something likes the cow and it is blue then it chases the bald eagle. If something eats the cow then it likes the bald eagle. If something is cold then it chases the bald eagle. If something chases the bald eagle then the bald eagle eats the cow.", + "original_question": "The bald eagle eats the cow." + }, + { + "id": "AttNeg-OWA-D3-415", + "question": "Bob is rough. Fiona is green. Harry is rough. Furry people are quiet. All furry people are quiet. All green people are quiet. If someone is quiet and cold then they are young. All young people are green. If someone is rough then they are furry. Green people are rough. All rough, furry people are cold.\n\nQuestion: Fiona is not rough.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is rough. Fiona is green. Harry is rough. Furry people are quiet. All furry people are quiet. All green people are quiet. If someone is quiet and cold then they are young. All young people are green. If someone is rough then they are furry. Green people are rough. All rough, furry people are cold.", + "original_question": "Fiona is not rough." + }, + { + "id": "AttNeg-OWA-D5-561", + "question": "Bob is blue. Dave is nice. Dave is white. Erin is blue. Erin is white. Fiona is big. Fiona is not nice. Big things are furry. Blue, nice things are furry. If something is white and kind then it is blue. Furry, round things are blue. All white things are round. If something is furry then it is white. Round things are white. If something is blue then it is kind.\n\nQuestion: Fiona is white.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is blue. Dave is nice. Dave is white. Erin is blue. Erin is white. Fiona is big. Fiona is not nice. Big things are furry. Blue, nice things are furry. If something is white and kind then it is blue. Furry, round things are blue. All white things are round. If something is furry then it is white. Round things are white. If something is blue then it is kind.", + "original_question": "Fiona is white." + }, + { + "id": "AttNoneg-OWA-D1-198", + "question": "Charlie is cold. Charlie is quiet. Charlie is red. Charlie is round. Erin is round. Gary is cold. Gary is quiet. Gary is round. Gary is smart. Harry is quiet. Harry is red. Harry is round. If Gary is quiet then Gary is young. If someone is round then they are red. All quiet people are red. Round people are young. If someone is smart then they are kind. All kind people are red. If Gary is smart and Gary is kind then Gary is red. Quiet, young people are red.\n\nQuestion: Erin is round.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is cold. Charlie is quiet. Charlie is red. Charlie is round. Erin is round. Gary is cold. Gary is quiet. Gary is round. Gary is smart. Harry is quiet. Harry is red. Harry is round. If Gary is quiet then Gary is young. If someone is round then they are red. All quiet people are red. Round people are young. If someone is smart then they are kind. All kind people are red. If Gary is smart and Gary is kind then Gary is red. Quiet, young people are red.", + "original_question": "Erin is round." + }, + { + "id": "RelNoneg-OWA-D5-701", + "question": "The bald eagle chases the rabbit. The bald eagle likes the rabbit. The bald eagle likes the tiger. The bald eagle sees the rabbit. The mouse chases the bald eagle. The mouse chases the tiger. The mouse likes the rabbit. The mouse sees the bald eagle. The rabbit chases the tiger. The rabbit is big. The rabbit is red. The rabbit likes the mouse. The rabbit likes the tiger. The tiger likes the bald eagle. If something likes the tiger then it sees the tiger. If something likes the rabbit and the rabbit is rough then the rabbit chases the bald eagle. If the tiger is rough and the tiger likes the mouse then the mouse likes the bald eagle. If something likes the bald eagle and the bald eagle is kind then the bald eagle sees the mouse. If the mouse sees the bald eagle then the mouse likes the rabbit. If something is kind and it likes the bald eagle then the bald eagle likes the tiger. If something likes the bald eagle then it is kind. If something sees the tiger then it is rough. If something is rough then it likes the bald eagle.\n\nQuestion: The bald eagle sees the mouse.", + "answer": true, + "QDep": 5, + "original_theory": "The bald eagle chases the rabbit. The bald eagle likes the rabbit. The bald eagle likes the tiger. The bald eagle sees the rabbit. The mouse chases the bald eagle. The mouse chases the tiger. The mouse likes the rabbit. The mouse sees the bald eagle. The rabbit chases the tiger. The rabbit is big. The rabbit is red. The rabbit likes the mouse. The rabbit likes the tiger. The tiger likes the bald eagle. If something likes the tiger then it sees the tiger. If something likes the rabbit and the rabbit is rough then the rabbit chases the bald eagle. If the tiger is rough and the tiger likes the mouse then the mouse likes the bald eagle. If something likes the bald eagle and the bald eagle is kind then the bald eagle sees the mouse. If the mouse sees the bald eagle then the mouse likes the rabbit. If something is kind and it likes the bald eagle then the bald eagle likes the tiger. If something likes the bald eagle then it is kind. If something sees the tiger then it is rough. If something is rough then it likes the bald eagle.", + "original_question": "The bald eagle sees the mouse." + }, + { + "id": "AttNoneg-OWA-D3-74", + "question": "Erin is white. Harry is round. Big people are young. If Harry is white and Harry is smart then Harry is big. All young people are round. If someone is white then they are big. If someone is big and white then they are smart. All young, white people are rough.\n\nQuestion: Erin is big.", + "answer": true, + "QDep": 1, + "original_theory": "Erin is white. Harry is round. Big people are young. If Harry is white and Harry is smart then Harry is big. All young people are round. If someone is white then they are big. If someone is big and white then they are smart. All young, white people are rough.", + "original_question": "Erin is big." + }, + { + "id": "RelNeg-OWA-D3-1462", + "question": "The rabbit is green. If someone is nice then they are young. All nice people are young. Young people are not big. Young people are not big. If the rabbit is cold and the rabbit is not green then the rabbit is not big. If someone is cold and green then they are nice. All big, young people are nice. All green people are cold.\n\nQuestion: The rabbit is not cold.", + "answer": false, + "QDep": 1, + "original_theory": "The rabbit is green. If someone is nice then they are young. All nice people are young. Young people are not big. Young people are not big. If the rabbit is cold and the rabbit is not green then the rabbit is not big. If someone is cold and green then they are nice. All big, young people are nice. All green people are cold.", + "original_question": "The rabbit is not cold." + }, + { + "id": "RelNeg-OWA-D0-1298", + "question": "The bald eagle chases the mouse. The bear is rough. The mouse visits the bear. Red things are not rough. Rough, red things are not blue. If something chases the mouse then the mouse chases the bear. If something chases the mouse and the mouse is big then it visits the bear. If the bear likes the mouse and the bear is not red then the mouse chases the bald eagle. If something chases the bear then it is kind.\n\nQuestion: The bald eagle does not chase the mouse.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle chases the mouse. The bear is rough. The mouse visits the bear. Red things are not rough. Rough, red things are not blue. If something chases the mouse then the mouse chases the bear. If something chases the mouse and the mouse is big then it visits the bear. If the bear likes the mouse and the bear is not red then the mouse chases the bald eagle. If something chases the bear then it is kind.", + "original_question": "The bald eagle does not chase the mouse." + }, + { + "id": "RelNeg-OWA-D3-1269", + "question": "The bald eagle eats the cat. The bald eagle eats the lion. The bald eagle likes the bear. The bald eagle sees the bear. The bear is cold. The bear is not kind. The bear is round. The bear likes the cat. The cat eats the bear. The cat eats the lion. The cat is cold. The cat is red. The cat likes the bear. The cat sees the bald eagle. The lion eats the bear. The lion is blue. If something eats the lion and it is not kind then the lion is not blue. If something is cold then it likes the bear. If something likes the lion then it is round. If something eats the bear and it sees the bald eagle then it likes the lion. If something sees the cat then the cat does not eat the lion. If something likes the bear and it is round then it likes the bald eagle. If something is cold and it does not like the bear then the bear is red. If something eats the bear and it is not blue then it eats the cat.\n\nQuestion: The bear does not like the bald eagle.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle eats the cat. The bald eagle eats the lion. The bald eagle likes the bear. The bald eagle sees the bear. The bear is cold. The bear is not kind. The bear is round. The bear likes the cat. The cat eats the bear. The cat eats the lion. The cat is cold. The cat is red. The cat likes the bear. The cat sees the bald eagle. The lion eats the bear. The lion is blue. If something eats the lion and it is not kind then the lion is not blue. If something is cold then it likes the bear. If something likes the lion then it is round. If something eats the bear and it sees the bald eagle then it likes the lion. If something sees the cat then the cat does not eat the lion. If something likes the bear and it is round then it likes the bald eagle. If something is cold and it does not like the bear then the bear is red. If something eats the bear and it is not blue then it eats the cat.", + "original_question": "The bear does not like the bald eagle." + }, + { + "id": "AttNeg-OWA-D3-363", + "question": "Bob is kind. Bob is nice. Bob is smart. Dave is kind. Erin is green. Erin is kind. Erin is quiet. Erin is smart. Harry is quiet. Harry is smart. If Dave is kind and Dave is quiet then Dave is smart. If Bob is round and Bob is not green then Bob is quiet. All smart people are kind. Smart, quiet people are nice. Kind people are quiet. If Harry is not kind and Harry is not smart then Harry is red. If someone is kind and not quiet then they are red. Smart, round people are red.\n\nQuestion: Harry is kind.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is kind. Bob is nice. Bob is smart. Dave is kind. Erin is green. Erin is kind. Erin is quiet. Erin is smart. Harry is quiet. Harry is smart. If Dave is kind and Dave is quiet then Dave is smart. If Bob is round and Bob is not green then Bob is quiet. All smart people are kind. Smart, quiet people are nice. Kind people are quiet. If Harry is not kind and Harry is not smart then Harry is red. If someone is kind and not quiet then they are red. Smart, round people are red.", + "original_question": "Harry is kind." + }, + { + "id": "RelNoneg-OWA-D2-68", + "question": "The cow eats the lion. The cow is blue. The cow is cold. The cow is red. The cow is round. The cow is young. The cow sees the lion. The cow visits the lion. The lion eats the cow. The lion is blue. The lion is cold. The lion is red. The lion is round. The lion is young. The lion sees the cow. The lion visits the cow. If something eats the lion then the lion is young. If something eats the lion then it visits the lion. If something sees the lion and the lion is round then it is blue. If something is blue then it sees the lion. If something visits the cow then the cow sees the lion. If something sees the cow then it eats the lion. If something is round and red then it sees the lion. If something is blue and it sees the lion then the lion is red.\n\nQuestion: The lion eats the lion.", + "answer": true, + "QDep": 1, + "original_theory": "The cow eats the lion. The cow is blue. The cow is cold. The cow is red. The cow is round. The cow is young. The cow sees the lion. The cow visits the lion. The lion eats the cow. The lion is blue. The lion is cold. The lion is red. The lion is round. The lion is young. The lion sees the cow. The lion visits the cow. If something eats the lion then the lion is young. If something eats the lion then it visits the lion. If something sees the lion and the lion is round then it is blue. If something is blue then it sees the lion. If something visits the cow then the cow sees the lion. If something sees the cow then it eats the lion. If something is round and red then it sees the lion. If something is blue and it sees the lion then the lion is red.", + "original_question": "The lion eats the lion." + }, + { + "id": "RelNoneg-OWA-D0-4550", + "question": "The bald eagle visits the rabbit. The rabbit chases the bald eagle. The rabbit visits the bald eagle. If something chases the bald eagle and it visits the bald eagle then it sees the bald eagle. If something sees the rabbit then the rabbit chases the bald eagle. If something is red and it chases the rabbit then the rabbit is big.\n\nQuestion: The rabbit does not visit the bald eagle.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle visits the rabbit. The rabbit chases the bald eagle. The rabbit visits the bald eagle. If something chases the bald eagle and it visits the bald eagle then it sees the bald eagle. If something sees the rabbit then the rabbit chases the bald eagle. If something is red and it chases the rabbit then the rabbit is big.", + "original_question": "The rabbit does not visit the bald eagle." + }, + { + "id": "AttNoneg-OWA-D3-1108", + "question": "Bob is blue. Bob is round. Bob is white. All round people are big. All green, white people are nice. All big people are green.\n\nQuestion: Bob is big.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is blue. Bob is round. Bob is white. All round people are big. All green, white people are nice. All big people are green.", + "original_question": "Bob is big." + }, + { + "id": "AttNeg-OWA-D1-618", + "question": "Fiona is white. Gary is young. Harry is young. All kind people are not red. If someone is white then they are not nice. All red people are not nice. If Gary is nice then Gary is kind. If someone is nice and not red then they are young. If someone is white and not young then they are not rough.\n\nQuestion: Fiona is nice.", + "answer": false, + "QDep": 1, + "original_theory": "Fiona is white. Gary is young. Harry is young. All kind people are not red. If someone is white then they are not nice. All red people are not nice. If Gary is nice then Gary is kind. If someone is nice and not red then they are young. If someone is white and not young then they are not rough.", + "original_question": "Fiona is nice." + }, + { + "id": "AttNeg-OWA-D2-624", + "question": "Anne is big. Anne is nice. Bob is big. Bob is cold. Bob is nice. Fiona is cold. Gary is not cold. If someone is nice and cold then they are smart. If someone is nice and big then they are cold. Furry people are round.\n\nQuestion: Bob is smart.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is big. Anne is nice. Bob is big. Bob is cold. Bob is nice. Fiona is cold. Gary is not cold. If someone is nice and cold then they are smart. If someone is nice and big then they are cold. Furry people are round.", + "original_question": "Bob is smart." + }, + { + "id": "AttNeg-OWA-D3-841", + "question": "Anne is big. Anne is furry. Anne is green. Bob is big. Bob is round. Erin is not green. Erin is nice. Erin is rough. Erin is round. Harry is furry. If someone is nice then they are big. Kind, round people are not big. If someone is round and rough then they are nice. All furry people are nice. If Harry is round then Harry is green. If Bob is rough then Bob is nice. If someone is green then they are not kind. All furry, big people are not kind.\n\nQuestion: Harry is not nice.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is big. Anne is furry. Anne is green. Bob is big. Bob is round. Erin is not green. Erin is nice. Erin is rough. Erin is round. Harry is furry. If someone is nice then they are big. Kind, round people are not big. If someone is round and rough then they are nice. All furry people are nice. If Harry is round then Harry is green. If Bob is rough then Bob is nice. If someone is green then they are not kind. All furry, big people are not kind.", + "original_question": "Harry is not nice." + }, + { + "id": "RelNoneg-OWA-D1-1428", + "question": "The bear sees the lion. The lion visits the bear. If something sees the lion and it visits the bear then it chases the lion. If the bear sees the lion then the lion chases the bear.\n\nQuestion: The lion does not chase the bear.", + "answer": false, + "QDep": 1, + "original_theory": "The bear sees the lion. The lion visits the bear. If something sees the lion and it visits the bear then it chases the lion. If the bear sees the lion then the lion chases the bear.", + "original_question": "The lion does not chase the bear." + }, + { + "id": "AttNoneg-OWA-D3-366", + "question": "Anne is blue. Anne is kind. Anne is nice. Anne is rough. Charlie is furry. Gary is kind. Gary is rough. If someone is smart and nice then they are white. If someone is blue and furry then they are kind. All furry people are white. All rough, kind people are smart. All white people are blue. If someone is smart then they are rough.\n\nQuestion: Charlie is blue.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is blue. Anne is kind. Anne is nice. Anne is rough. Charlie is furry. Gary is kind. Gary is rough. If someone is smart and nice then they are white. If someone is blue and furry then they are kind. All furry people are white. All rough, kind people are smart. All white people are blue. If someone is smart then they are rough.", + "original_question": "Charlie is blue." + }, + { + "id": "AttNoneg-OWA-D1-3206", + "question": "Anne is nice. Anne is round. Anne is young. Bob is red. Bob is rough. Bob is round. Bob is smart. All young, cold people are round. All round people are smart.\n\nQuestion: Anne is smart.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is nice. Anne is round. Anne is young. Bob is red. Bob is rough. Bob is round. Bob is smart. All young, cold people are round. All round people are smart.", + "original_question": "Anne is smart." + }, + { + "id": "RelNeg-OWA-D5-755", + "question": "The bear chases the dog. The bear is big. The bear is rough. The bear sees the tiger. The dog chases the bear. The dog chases the rabbit. The dog is big. The dog is blue. The rabbit is red. The tiger chases the dog. If the rabbit visits the dog then the dog is red. If the dog chases the tiger and the dog is big then the tiger does not see the bear. If the tiger sees the rabbit then the rabbit does not chase the dog. If someone is young then they visit the dog. Red people are young. If someone is rough then they chase the bear.\n\nQuestion: The dog does not chase the bear.", + "answer": false, + "QDep": 0, + "original_theory": "The bear chases the dog. The bear is big. The bear is rough. The bear sees the tiger. The dog chases the bear. The dog chases the rabbit. The dog is big. The dog is blue. The rabbit is red. The tiger chases the dog. If the rabbit visits the dog then the dog is red. If the dog chases the tiger and the dog is big then the tiger does not see the bear. If the tiger sees the rabbit then the rabbit does not chase the dog. If someone is young then they visit the dog. Red people are young. If someone is rough then they chase the bear.", + "original_question": "The dog does not chase the bear." + }, + { + "id": "RelNeg-OWA-D3-5", + "question": "The cow visits the squirrel. The lion is rough. The squirrel likes the tiger. The tiger visits the cow. If something is young and it chases the lion then it likes the squirrel. If something is cold then it likes the cow. If something likes the cow then it likes the tiger. If something is rough then it chases the squirrel. If something visits the cow then it is cold. If the cow does not like the tiger then the cow chases the tiger.\n\nQuestion: The tiger is not cold.", + "answer": false, + "QDep": 1, + "original_theory": "The cow visits the squirrel. The lion is rough. The squirrel likes the tiger. The tiger visits the cow. If something is young and it chases the lion then it likes the squirrel. If something is cold then it likes the cow. If something likes the cow then it likes the tiger. If something is rough then it chases the squirrel. If something visits the cow then it is cold. If the cow does not like the tiger then the cow chases the tiger.", + "original_question": "The tiger is not cold." + }, + { + "id": "RelNoneg-OWA-D0-5280", + "question": "The lion likes the rabbit. The rabbit likes the tiger. The tiger is round. If something likes the tiger then the tiger likes the rabbit. If something needs the rabbit then it visits the tiger. If something needs the lion and it likes the rabbit then the lion likes the rabbit. If something is nice then it likes the rabbit. If something visits the tiger and it likes the lion then it likes the rabbit. If something likes the rabbit and it is kind then the rabbit is big.\n\nQuestion: The lion does not like the rabbit.", + "answer": false, + "QDep": 0, + "original_theory": "The lion likes the rabbit. The rabbit likes the tiger. The tiger is round. If something likes the tiger then the tiger likes the rabbit. If something needs the rabbit then it visits the tiger. If something needs the lion and it likes the rabbit then the lion likes the rabbit. If something is nice then it likes the rabbit. If something visits the tiger and it likes the lion then it likes the rabbit. If something likes the rabbit and it is kind then the rabbit is big.", + "original_question": "The lion does not like the rabbit." + }, + { + "id": "RelNeg-OWA-D0-4329", + "question": "The cat is red. The cat is rough. The mouse likes the cat. The mouse sees the cat. The mouse sees the squirrel. The mouse visits the cat. The rabbit is green. The rabbit does not like the mouse. The squirrel is rough. The squirrel likes the mouse. The squirrel likes the rabbit. The squirrel visits the cat. If something likes the rabbit and it is not red then it is not rough. If the mouse likes the squirrel then the mouse is green. If something likes the cat then the cat is not green. If something sees the squirrel and it visits the rabbit then it likes the squirrel. If the rabbit sees the squirrel and the mouse does not see the rabbit then the mouse sees the cat. If something is red then it visits the rabbit. If something visits the squirrel and it does not visit the mouse then the squirrel visits the rabbit. Red, round things are not young.\n\nQuestion: The mouse does not see the squirrel.", + "answer": false, + "QDep": 0, + "original_theory": "The cat is red. The cat is rough. The mouse likes the cat. The mouse sees the cat. The mouse sees the squirrel. The mouse visits the cat. The rabbit is green. The rabbit does not like the mouse. The squirrel is rough. The squirrel likes the mouse. The squirrel likes the rabbit. The squirrel visits the cat. If something likes the rabbit and it is not red then it is not rough. If the mouse likes the squirrel then the mouse is green. If something likes the cat then the cat is not green. If something sees the squirrel and it visits the rabbit then it likes the squirrel. If the rabbit sees the squirrel and the mouse does not see the rabbit then the mouse sees the cat. If something is red then it visits the rabbit. If something visits the squirrel and it does not visit the mouse then the squirrel visits the rabbit. Red, round things are not young.", + "original_question": "The mouse does not see the squirrel." + }, + { + "id": "RelNoneg-OWA-D2-1020", + "question": "The bear is nice. The bear is young. The cat visits the mouse. The cow sees the cat. The cow visits the cat. The mouse eats the bear. The mouse eats the cat. The mouse sees the cat. The mouse sees the cow. The mouse visits the cat. If someone sees the cow then the cow visits the mouse. If someone is red then they visit the bear. If someone visits the cow then the cow is green. If someone eats the bear then the bear visits the cow. If the mouse visits the cow and the mouse is young then the mouse sees the cow. If someone visits the cat then the cat visits the bear. If the cow is big then the cow visits the mouse. If someone is red then they see the cat.\n\nQuestion: The mouse sees the cow.", + "answer": true, + "QDep": 0, + "original_theory": "The bear is nice. The bear is young. The cat visits the mouse. The cow sees the cat. The cow visits the cat. The mouse eats the bear. The mouse eats the cat. The mouse sees the cat. The mouse sees the cow. The mouse visits the cat. If someone sees the cow then the cow visits the mouse. If someone is red then they visit the bear. If someone visits the cow then the cow is green. If someone eats the bear then the bear visits the cow. If the mouse visits the cow and the mouse is young then the mouse sees the cow. If someone visits the cat then the cat visits the bear. If the cow is big then the cow visits the mouse. If someone is red then they see the cat.", + "original_question": "The mouse sees the cow." + }, + { + "id": "RelNeg-OWA-D2-847", + "question": "The lion chases the squirrel. The lion is not big. The lion is rough. The lion visits the mouse. The mouse chases the lion. The mouse visits the lion. The mouse visits the squirrel. The squirrel is big. The squirrel is young. The squirrel needs the lion. The squirrel visits the lion. The squirrel visits the mouse. If something chases the squirrel then the squirrel chases the mouse. If something chases the mouse then it needs the mouse.\n\nQuestion: The squirrel needs the mouse.", + "answer": true, + "QDep": 2, + "original_theory": "The lion chases the squirrel. The lion is not big. The lion is rough. The lion visits the mouse. The mouse chases the lion. The mouse visits the lion. The mouse visits the squirrel. The squirrel is big. The squirrel is young. The squirrel needs the lion. The squirrel visits the lion. The squirrel visits the mouse. If something chases the squirrel then the squirrel chases the mouse. If something chases the mouse then it needs the mouse.", + "original_question": "The squirrel needs the mouse." + }, + { + "id": "RelNoneg-OWA-D1-1161", + "question": "The bald eagle eats the bear. The bald eagle eats the dog. The bald eagle is rough. The bear is blue. The bear is rough. The bear needs the bald eagle. The bear visits the mouse. The dog eats the bald eagle. The dog eats the bear. The dog needs the bear. The dog needs the mouse. The dog visits the bear. The mouse is round. The mouse visits the bald eagle. The mouse visits the bear. If someone visits the bear then the bear eats the mouse. If the mouse is round and the mouse visits the bear then the mouse visits the bald eagle.\n\nQuestion: The bear eats the mouse.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle eats the bear. The bald eagle eats the dog. The bald eagle is rough. The bear is blue. The bear is rough. The bear needs the bald eagle. The bear visits the mouse. The dog eats the bald eagle. The dog eats the bear. The dog needs the bear. The dog needs the mouse. The dog visits the bear. The mouse is round. The mouse visits the bald eagle. The mouse visits the bear. If someone visits the bear then the bear eats the mouse. If the mouse is round and the mouse visits the bear then the mouse visits the bald eagle.", + "original_question": "The bear eats the mouse." + }, + { + "id": "RelNeg-OWA-D3-819", + "question": "The cat is rough. The cat is round. The cat does not need the mouse. The cat sees the tiger. The cat visits the mouse. The mouse does not need the tiger. The mouse sees the cat. The tiger is round. The tiger needs the cat. The tiger visits the cat. If the cat sees the tiger then the cat does not need the tiger. If something needs the cat and the cat does not visit the mouse then the cat is rough. If something sees the mouse then it sees the cat. If the tiger sees the cat then the tiger is green. If the mouse sees the cat then the cat sees the mouse. If something sees the cat then the cat is young. If something sees the cat and the cat sees the mouse then it visits the tiger. If something visits the mouse then the mouse sees the tiger.\n\nQuestion: The mouse sees the tiger.", + "answer": true, + "QDep": 1, + "original_theory": "The cat is rough. The cat is round. The cat does not need the mouse. The cat sees the tiger. The cat visits the mouse. The mouse does not need the tiger. The mouse sees the cat. The tiger is round. The tiger needs the cat. The tiger visits the cat. If the cat sees the tiger then the cat does not need the tiger. If something needs the cat and the cat does not visit the mouse then the cat is rough. If something sees the mouse then it sees the cat. If the tiger sees the cat then the tiger is green. If the mouse sees the cat then the cat sees the mouse. If something sees the cat then the cat is young. If something sees the cat and the cat sees the mouse then it visits the tiger. If something visits the mouse then the mouse sees the tiger.", + "original_question": "The mouse sees the tiger." + }, + { + "id": "AttNeg-OWA-D5-607", + "question": "Bob is furry. Bob is young. Charlie is nice. Charlie is not young. Erin is kind. Erin is not nice. Erin is not rough. Erin is young. Harry is kind. Harry is rough. If something is kind and big then it is nice. If something is kind and nice then it is white. If something is furry and young then it is rough. If Erin is rough then Erin is furry. If Erin is kind and Erin is nice then Erin is furry. If Charlie is furry and Charlie is nice then Charlie is not kind. Rough, young things are big. If something is furry and big then it is kind. If Bob is big and Bob is nice then Bob is kind.\n\nQuestion: Bob is rough.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is furry. Bob is young. Charlie is nice. Charlie is not young. Erin is kind. Erin is not nice. Erin is not rough. Erin is young. Harry is kind. Harry is rough. If something is kind and big then it is nice. If something is kind and nice then it is white. If something is furry and young then it is rough. If Erin is rough then Erin is furry. If Erin is kind and Erin is nice then Erin is furry. If Charlie is furry and Charlie is nice then Charlie is not kind. Rough, young things are big. If something is furry and big then it is kind. If Bob is big and Bob is nice then Bob is kind.", + "original_question": "Bob is rough." + }, + { + "id": "RelNoneg-OWA-D1-2265", + "question": "The squirrel is big. The squirrel is nice. The squirrel is round. Round people are big. All nice people are blue. All young, big people are round.\n\nQuestion: The squirrel is blue.", + "answer": true, + "QDep": 1, + "original_theory": "The squirrel is big. The squirrel is nice. The squirrel is round. Round people are big. All nice people are blue. All young, big people are round.", + "original_question": "The squirrel is blue." + }, + { + "id": "AttNeg-OWA-D3-66", + "question": "Bob is not blue. Dave is red. Gary is red. Harry is nice. If Gary is not rough then Gary is white. If something is red then it is round. If Dave is white then Dave is not furry. All white things are blue. Rough, red things are not nice. If something is furry then it is nice. All red, round things are furry. If something is round and not blue then it is furry.\n\nQuestion: Harry is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is not blue. Dave is red. Gary is red. Harry is nice. If Gary is not rough then Gary is white. If something is red then it is round. If Dave is white then Dave is not furry. All white things are blue. Rough, red things are not nice. If something is furry then it is nice. All red, round things are furry. If something is round and not blue then it is furry.", + "original_question": "Harry is not nice." + }, + { + "id": "AttNeg-OWA-D5-1192", + "question": "Charlie is not white. Dave is furry. Dave is white. Dave is young. Fiona is smart. Harry is furry. Harry is smart. If someone is round then they are young. All smart people are round. Furry, green people are white. If someone is nice and white then they are furry. All young people are furry. If someone is furry and young then they are nice. If someone is nice and not young then they are green. Nice people are green.\n\nQuestion: Harry is not furry.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is not white. Dave is furry. Dave is white. Dave is young. Fiona is smart. Harry is furry. Harry is smart. If someone is round then they are young. All smart people are round. Furry, green people are white. If someone is nice and white then they are furry. All young people are furry. If someone is furry and young then they are nice. If someone is nice and not young then they are green. Nice people are green.", + "original_question": "Harry is not furry." + }, + { + "id": "RelNeg-OWA-D3-184", + "question": "The squirrel is kind. If something is round and blue then it is rough. If something is round and not kind then it is not young. All kind things are blue. All round things are blue. If something is kind and blue then it is round. If the squirrel is rough then the squirrel is round.\n\nQuestion: The squirrel is blue.", + "answer": true, + "QDep": 1, + "original_theory": "The squirrel is kind. If something is round and blue then it is rough. If something is round and not kind then it is not young. All kind things are blue. All round things are blue. If something is kind and blue then it is round. If the squirrel is rough then the squirrel is round.", + "original_question": "The squirrel is blue." + }, + { + "id": "AttNeg-OWA-D2-840", + "question": "Bob is not big. Bob is blue. Bob is green. Bob is red. Bob is rough. Bob is round. Bob is not white. Gary is big. Gary is green. Gary is rough. Gary is round. Gary is white. Red, rough people are round. Green people are round. All red, white people are round. If someone is blue and round then they are red. Round, white people are big. All round people are blue.\n\nQuestion: Gary is not round.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is not big. Bob is blue. Bob is green. Bob is red. Bob is rough. Bob is round. Bob is not white. Gary is big. Gary is green. Gary is rough. Gary is round. Gary is white. Red, rough people are round. Green people are round. All red, white people are round. If someone is blue and round then they are red. Round, white people are big. All round people are blue.", + "original_question": "Gary is not round." + }, + { + "id": "AttNoneg-OWA-D0-6977", + "question": "Bob is kind. Bob is nice. Bob is quiet. Bob is red. Bob is rough. Bob is round. Bob is white. Charlie is kind. Charlie is nice. Charlie is quiet. Charlie is red. Charlie is rough. Charlie is round. Charlie is white. If something is nice then it is quiet. If something is kind and red then it is rough.\n\nQuestion: Bob is rough.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is kind. Bob is nice. Bob is quiet. Bob is red. Bob is rough. Bob is round. Bob is white. Charlie is kind. Charlie is nice. Charlie is quiet. Charlie is red. Charlie is rough. Charlie is round. Charlie is white. If something is nice then it is quiet. If something is kind and red then it is rough.", + "original_question": "Bob is rough." + }, + { + "id": "AttNoneg-OWA-D1-1140", + "question": "Bob is kind. Fiona is quiet. If someone is young and round then they are smart. Kind people are furry. If someone is furry and young then they are round. All quiet people are smart. If someone is furry then they are kind. If Bob is furry and Bob is round then Bob is quiet. Kind people are round. If someone is kind and young then they are quiet.\n\nQuestion: Fiona is quiet.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is kind. Fiona is quiet. If someone is young and round then they are smart. Kind people are furry. If someone is furry and young then they are round. All quiet people are smart. If someone is furry then they are kind. If Bob is furry and Bob is round then Bob is quiet. Kind people are round. If someone is kind and young then they are quiet.", + "original_question": "Fiona is quiet." + }, + { + "id": "RelNeg-OWA-D2-1170", + "question": "The rabbit is blue. Blue things are kind. If the rabbit is blue and the rabbit is kind then the rabbit is nice.\n\nQuestion: The rabbit is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "The rabbit is blue. Blue things are kind. If the rabbit is blue and the rabbit is kind then the rabbit is nice.", + "original_question": "The rabbit is not blue." + }, + { + "id": "AttNeg-OWA-D3-160", + "question": "Charlie is quiet. Dave is young. Erin is cold. Fiona is cold. Cold people are young. All young people are nice. Quiet people are nice. If Erin is young and Erin is not cold then Erin is nice. If Dave is blue then Dave is not white. All cold, nice people are blue. All nice, white people are blue. All cold, white people are quiet.\n\nQuestion: Erin is cold.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is quiet. Dave is young. Erin is cold. Fiona is cold. Cold people are young. All young people are nice. Quiet people are nice. If Erin is young and Erin is not cold then Erin is nice. If Dave is blue then Dave is not white. All cold, nice people are blue. All nice, white people are blue. All cold, white people are quiet.", + "original_question": "Erin is cold." + }, + { + "id": "AttNonegNatLang-OWA-316", + "question": "Dave seems to be round. No one knows Fred like me and he is a kind guy, very round in the belly and green as grass. Gary is a kind person and he is also often cold. Harry is round but he is also nice and kind. A person with big, round, kind face appears to be rough around the edges because they are naive. All young and kind people that feel blue are described as red. Round young people, red with loveliness, are very cold towards others. A person that is round and somewhat green while being nice tends to be red as well. People who are young are also blue. I bet anyone who is round and kind is also pretty young.\n\nQuestion: Harry is cold.", + "answer": true, + "QDep": 4, + "original_theory": "Dave seems to be round. No one knows Fred like me and he is a kind guy, very round in the belly and green as grass. Gary is a kind person and he is also often cold. Harry is round but he is also nice and kind. A person with big, round, kind face appears to be rough around the edges because they are naive. All young and kind people that feel blue are described as red. Round young people, red with loveliness, are very cold towards others. A person that is round and somewhat green while being nice tends to be red as well. People who are young are also blue. I bet anyone who is round and kind is also pretty young.", + "original_question": "Harry is cold." + }, + { + "id": "RelNeg-OWA-D1-1804", + "question": "The mouse needs the rabbit. The rabbit chases the mouse. The rabbit is blue. The rabbit needs the tiger. The tiger is round. The tiger is young. The tiger needs the rabbit. Nice things are blue. If something chases the mouse then the mouse is young. If something needs the tiger then it chases the mouse.\n\nQuestion: The tiger needs the rabbit.", + "answer": true, + "QDep": 0, + "original_theory": "The mouse needs the rabbit. The rabbit chases the mouse. The rabbit is blue. The rabbit needs the tiger. The tiger is round. The tiger is young. The tiger needs the rabbit. Nice things are blue. If something chases the mouse then the mouse is young. If something needs the tiger then it chases the mouse.", + "original_question": "The tiger needs the rabbit." + }, + { + "id": "RelNoneg-OWA-D5-954", + "question": "The bald eagle is kind. The bald eagle needs the bear. The bear is kind. The lion needs the bear. The squirrel is kind. The squirrel needs the bald eagle. The squirrel visits the lion. If someone is blue and rough then they need the bear. If someone needs the bald eagle then they are blue. If someone needs the lion then they eat the lion. If someone eats the bear then the bear is kind. If someone is blue then they visit the bear. If the lion is rough and the lion eats the squirrel then the lion is blue. If someone is blue and they visit the bear then the bear needs the bald eagle.\n\nQuestion: The squirrel is blue.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle is kind. The bald eagle needs the bear. The bear is kind. The lion needs the bear. The squirrel is kind. The squirrel needs the bald eagle. The squirrel visits the lion. If someone is blue and rough then they need the bear. If someone needs the bald eagle then they are blue. If someone needs the lion then they eat the lion. If someone eats the bear then the bear is kind. If someone is blue then they visit the bear. If the lion is rough and the lion eats the squirrel then the lion is blue. If someone is blue and they visit the bear then the bear needs the bald eagle.", + "original_question": "The squirrel is blue." + }, + { + "id": "AttNeg-OWA-D3-1318", + "question": "Bob is cold. Charlie is quiet. Erin is quiet. Harry is big. All big, round things are green. Cold, red things are green. White, cold things are big. Cold things are big. If something is big then it is red. If something is red and not white then it is not round.\n\nQuestion: Bob is cold.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is cold. Charlie is quiet. Erin is quiet. Harry is big. All big, round things are green. Cold, red things are green. White, cold things are big. Cold things are big. If something is big then it is red. If something is red and not white then it is not round.", + "original_question": "Bob is cold." + }, + { + "id": "AttNeg-OWA-D0-2211", + "question": "Anne is blue. Bob is not blue. Gary is blue. If someone is rough then they are big. All furry, kind people are big. Furry people are big. Green people are rough. Blue, quiet people are not furry. If Gary is quiet then Gary is rough.\n\nQuestion: Anne is blue.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is blue. Bob is not blue. Gary is blue. If someone is rough then they are big. All furry, kind people are big. Furry people are big. Green people are rough. Blue, quiet people are not furry. If Gary is quiet then Gary is rough.", + "original_question": "Anne is blue." + }, + { + "id": "RelNeg-OWA-D1-1281", + "question": "The bald eagle is kind. The bald eagle likes the rabbit. The bald eagle does not need the rabbit. The bald eagle does not see the mouse. The mouse sees the rabbit. The rabbit is big. The rabbit is not cold. The rabbit likes the bald eagle. The rabbit needs the bald eagle. The rabbit sees the bald eagle. If something sees the rabbit then it likes the rabbit.\n\nQuestion: The mouse likes the rabbit.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle is kind. The bald eagle likes the rabbit. The bald eagle does not need the rabbit. The bald eagle does not see the mouse. The mouse sees the rabbit. The rabbit is big. The rabbit is not cold. The rabbit likes the bald eagle. The rabbit needs the bald eagle. The rabbit sees the bald eagle. If something sees the rabbit then it likes the rabbit.", + "original_question": "The mouse likes the rabbit." + }, + { + "id": "RelNoneg-OWA-D3-138", + "question": "The cat sees the squirrel. The squirrel needs the cat. If someone chases the cat then the cat is kind. If the cat needs the squirrel and the cat is red then the squirrel needs the cat. If someone is red then they need the cat. If someone is round then they see the cat. If the cat is rough and the cat needs the squirrel then the cat chases the squirrel. If the cat sees the squirrel then the squirrel chases the cat. If someone chases the cat then the cat sees the squirrel. If the cat is kind then the cat needs the squirrel.\n\nQuestion: The squirrel needs the cat.", + "answer": true, + "QDep": 0, + "original_theory": "The cat sees the squirrel. The squirrel needs the cat. If someone chases the cat then the cat is kind. If the cat needs the squirrel and the cat is red then the squirrel needs the cat. If someone is red then they need the cat. If someone is round then they see the cat. If the cat is rough and the cat needs the squirrel then the cat chases the squirrel. If the cat sees the squirrel then the squirrel chases the cat. If someone chases the cat then the cat sees the squirrel. If the cat is kind then the cat needs the squirrel.", + "original_question": "The squirrel needs the cat." + }, + { + "id": "AttNoneg-OWA-D5-115", + "question": "Bob is nice. Bob is rough. Bob is round. Dave is nice. Erin is cold. Harry is green. Harry is quiet. All rough things are nice. Nice things are rough. All round, quiet things are cold. All big, round things are green. If something is big and quiet then it is round. If something is rough and quiet then it is green. Rough things are quiet. All green things are big.\n\nQuestion: Harry is not quiet.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is nice. Bob is rough. Bob is round. Dave is nice. Erin is cold. Harry is green. Harry is quiet. All rough things are nice. Nice things are rough. All round, quiet things are cold. All big, round things are green. If something is big and quiet then it is round. If something is rough and quiet then it is green. Rough things are quiet. All green things are big.", + "original_question": "Harry is not quiet." + }, + { + "id": "AttNeg-OWA-D3-201", + "question": "Bob is green. Fiona is nice. Gary is nice. All white things are cold. White things are cold. If something is green and not blue then it is cold. Cold, green things are smart. All blue things are red. Green things are white.\n\nQuestion: Bob is white.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is green. Fiona is nice. Gary is nice. All white things are cold. White things are cold. If something is green and not blue then it is cold. Cold, green things are smart. All blue things are red. Green things are white.", + "original_question": "Bob is white." + }, + { + "id": "RelNoneg-OWA-D3-1442", + "question": "The bald eagle chases the cow. The bald eagle is nice. The bald eagle sees the lion. The cow chases the lion. The cow is big. The cow is nice. The cow sees the bald eagle. The cow sees the lion. The lion chases the bald eagle. The lion is cold. The lion is green. The lion is nice. If something eats the cow and the cow sees the bald eagle then it is big. If something chases the bald eagle then the bald eagle eats the cow. If something is big then it sees the bald eagle.\n\nQuestion: The bald eagle sees the bald eagle.", + "answer": true, + "QDep": 3, + "original_theory": "The bald eagle chases the cow. The bald eagle is nice. The bald eagle sees the lion. The cow chases the lion. The cow is big. The cow is nice. The cow sees the bald eagle. The cow sees the lion. The lion chases the bald eagle. The lion is cold. The lion is green. The lion is nice. If something eats the cow and the cow sees the bald eagle then it is big. If something chases the bald eagle then the bald eagle eats the cow. If something is big then it sees the bald eagle.", + "original_question": "The bald eagle sees the bald eagle." + }, + { + "id": "AttNoneg-OWA-D0-4653", + "question": "Anne is cold. Anne is green. Anne is kind. Anne is nice. Anne is red. Anne is smart. Anne is white. If someone is cold and white then they are smart. If someone is nice then they are smart. If someone is green then they are red. If Anne is red then Anne is cold. Red people are smart. If someone is red and smart then they are green.\n\nQuestion: Anne is green.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is cold. Anne is green. Anne is kind. Anne is nice. Anne is red. Anne is smart. Anne is white. If someone is cold and white then they are smart. If someone is nice then they are smart. If someone is green then they are red. If Anne is red then Anne is cold. Red people are smart. If someone is red and smart then they are green.", + "original_question": "Anne is green." + }, + { + "id": "AttNeg-OWA-D3-236", + "question": "Anne is smart. Bob is cold. Fiona is nice. Harry is kind. Nice things are green. If Harry is smart then Harry is blue. Green things are smart. All cold things are nice. Big things are blue. If Anne is nice then Anne is big. If something is green and big then it is not kind. If something is smart and nice then it is kind.\n\nQuestion: Harry is kind.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is smart. Bob is cold. Fiona is nice. Harry is kind. Nice things are green. If Harry is smart then Harry is blue. Green things are smart. All cold things are nice. Big things are blue. If Anne is nice then Anne is big. If something is green and big then it is not kind. If something is smart and nice then it is kind.", + "original_question": "Harry is kind." + }, + { + "id": "AttPos-OWA-BirdsVar1-3", + "question": "Arthur is a bird. Arthur is not wounded. Bill is an ostrich. Colin is a bird. Colin is wounded. Dave is not an ostrich. Dave is wounded. If someone is an ostrich then they are a bird. If someone is an ostrich then they are abnormal. If someone is an ostrich then they are not flying. If someone is a bird and wounded then they are abnormal. If someone is wounded then they are not flying. If someone is a bird and not abnormal then they are flying.\n\nQuestion: Dave is an ostrich.", + "answer": false, + "QDep": 0, + "original_theory": "Arthur is a bird. Arthur is not wounded. Bill is an ostrich. Colin is a bird. Colin is wounded. Dave is not an ostrich. Dave is wounded. If someone is an ostrich then they are a bird. If someone is an ostrich then they are abnormal. If someone is an ostrich then they are not flying. If someone is a bird and wounded then they are abnormal. If someone is wounded then they are not flying. If someone is a bird and not abnormal then they are flying.", + "original_question": "Dave is an ostrich." + }, + { + "id": "AttNeg-OWA-D3-1613", + "question": "Anne is smart. Erin is green. Erin is young. Fiona is not quiet. Gary is green. Gary is not smart. Gary is young. Rough things are blue. All quiet things are not smart. If Gary is blue and Gary is smart then Gary is not young. If something is quiet then it is not young. If something is quiet and blue then it is green. If Gary is green and Gary is blue then Gary is round. All blue, rough things are not round. All smart things are rough.\n\nQuestion: Erin is young.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is smart. Erin is green. Erin is young. Fiona is not quiet. Gary is green. Gary is not smart. Gary is young. Rough things are blue. All quiet things are not smart. If Gary is blue and Gary is smart then Gary is not young. If something is quiet then it is not young. If something is quiet and blue then it is green. If Gary is green and Gary is blue then Gary is round. All blue, rough things are not round. All smart things are rough.", + "original_question": "Erin is young." + }, + { + "id": "RelNeg-OWA-D3-488", + "question": "The cow likes the squirrel. The rabbit chases the squirrel. The rabbit is rough. The rabbit is young. The rabbit does not like the squirrel. The squirrel is not kind. The squirrel is not round. If someone likes the squirrel then they like the rabbit. All rough people are young. If someone chases the rabbit and they chase the squirrel then they do not like the cow. If someone needs the rabbit then the rabbit is blue. If someone likes the squirrel then the squirrel is blue. If someone likes the squirrel and they are kind then the squirrel likes the rabbit. Blue people are rough. If the rabbit does not need the squirrel then the rabbit is not rough.\n\nQuestion: The squirrel is young.", + "answer": true, + "QDep": 3, + "original_theory": "The cow likes the squirrel. The rabbit chases the squirrel. The rabbit is rough. The rabbit is young. The rabbit does not like the squirrel. The squirrel is not kind. The squirrel is not round. If someone likes the squirrel then they like the rabbit. All rough people are young. If someone chases the rabbit and they chase the squirrel then they do not like the cow. If someone needs the rabbit then the rabbit is blue. If someone likes the squirrel then the squirrel is blue. If someone likes the squirrel and they are kind then the squirrel likes the rabbit. Blue people are rough. If the rabbit does not need the squirrel then the rabbit is not rough.", + "original_question": "The squirrel is young." + }, + { + "id": "RelNoneg-OWA-D2-424", + "question": "The bald eagle is rough. The cow chases the bald eagle. If something likes the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something eats the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something likes the cow and it is blue then it chases the bald eagle. If something eats the cow then it likes the bald eagle. If something is cold then it chases the bald eagle. If something chases the bald eagle then the bald eagle eats the cow.\n\nQuestion: The bald eagle does not eat the cow.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle is rough. The cow chases the bald eagle. If something likes the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something eats the bald eagle and the bald eagle eats the cow then the bald eagle chases the cow. If something likes the cow and it is blue then it chases the bald eagle. If something eats the cow then it likes the bald eagle. If something is cold then it chases the bald eagle. If something chases the bald eagle then the bald eagle eats the cow.", + "original_question": "The bald eagle does not eat the cow." + }, + { + "id": "RelNeg-OWA-D3-1293", + "question": "The dog eats the rabbit. The dog is cold. The dog is not green. The dog is not nice. The mouse chases the dog. The mouse likes the rabbit. The rabbit eats the dog. If something chases the rabbit and the rabbit does not chase the mouse then the rabbit likes the dog. If something is cold then it is not nice. If the mouse is nice then the mouse chases the dog. Cold things are not green. If something eats the rabbit then it eats the mouse. If something is nice and big then it does not like the rabbit. If something eats the mouse then the mouse eats the rabbit. If something likes the dog then the dog does not chase the mouse.\n\nQuestion: The mouse eats the mouse.", + "answer": true, + "QDep": 3, + "original_theory": "The dog eats the rabbit. The dog is cold. The dog is not green. The dog is not nice. The mouse chases the dog. The mouse likes the rabbit. The rabbit eats the dog. If something chases the rabbit and the rabbit does not chase the mouse then the rabbit likes the dog. If something is cold then it is not nice. If the mouse is nice then the mouse chases the dog. Cold things are not green. If something eats the rabbit then it eats the mouse. If something is nice and big then it does not like the rabbit. If something eats the mouse then the mouse eats the rabbit. If something likes the dog then the dog does not chase the mouse.", + "original_question": "The mouse eats the mouse." + }, + { + "id": "RelNeg-OWA-D3-994", + "question": "The cow does not chase the tiger. The tiger is big. If someone is big then they chase the cow. If someone is red then they do not chase the cow. If the tiger chases the cow then the cow is red. If someone is nice and they do not need the tiger then the tiger needs the cow. If the tiger sees the cow and the tiger is not green then the tiger does not need the cow. If someone chases the cow and they chase the tiger then the tiger does not chase the cow. If someone needs the cow and they are red then they see the tiger. If someone is nice then they need the cow.\n\nQuestion: The tiger does not chase the cow.", + "answer": false, + "QDep": 1, + "original_theory": "The cow does not chase the tiger. The tiger is big. If someone is big then they chase the cow. If someone is red then they do not chase the cow. If the tiger chases the cow then the cow is red. If someone is nice and they do not need the tiger then the tiger needs the cow. If the tiger sees the cow and the tiger is not green then the tiger does not need the cow. If someone chases the cow and they chase the tiger then the tiger does not chase the cow. If someone needs the cow and they are red then they see the tiger. If someone is nice then they need the cow.", + "original_question": "The tiger does not chase the cow." + }, + { + "id": "AttNeg-OWA-D0-1916", + "question": "Dave is not cold. Dave is green. Dave is not red. Dave is round. Dave is smart. Dave is white. Erin is blue. Erin is green. Erin is red. Erin is not round. Harry is blue. Harry is not cold. Harry is green. Harry is round. Harry is not smart. Harry is white. All smart, green things are round. If something is white and blue then it is round. White things are green. All red, green things are blue. All smart, white things are blue. If something is green and not cold then it is blue. If Harry is smart then Harry is white. If something is green and cold then it is white.\n\nQuestion: Harry is white.", + "answer": true, + "QDep": 0, + "original_theory": "Dave is not cold. Dave is green. Dave is not red. Dave is round. Dave is smart. Dave is white. Erin is blue. Erin is green. Erin is red. Erin is not round. Harry is blue. Harry is not cold. Harry is green. Harry is round. Harry is not smart. Harry is white. All smart, green things are round. If something is white and blue then it is round. White things are green. All red, green things are blue. All smart, white things are blue. If something is green and not cold then it is blue. If Harry is smart then Harry is white. If something is green and cold then it is white.", + "original_question": "Harry is white." + }, + { + "id": "RelNeg-OWA-D3-1447", + "question": "The rabbit is cold. All cold things are green. All green things are round. If something is young and not green then it is round. If something is round and not cold then it is red. All young things are red. Round things are red.\n\nQuestion: The rabbit is green.", + "answer": true, + "QDep": 1, + "original_theory": "The rabbit is cold. All cold things are green. All green things are round. If something is young and not green then it is round. If something is round and not cold then it is red. All young things are red. Round things are red.", + "original_question": "The rabbit is green." + }, + { + "id": "RelNeg-OWA-D3-1269", + "question": "The bald eagle eats the cat. The bald eagle eats the lion. The bald eagle likes the bear. The bald eagle sees the bear. The bear is cold. The bear is not kind. The bear is round. The bear likes the cat. The cat eats the bear. The cat eats the lion. The cat is cold. The cat is red. The cat likes the bear. The cat sees the bald eagle. The lion eats the bear. The lion is blue. If something eats the lion and it is not kind then the lion is not blue. If something is cold then it likes the bear. If something likes the lion then it is round. If something eats the bear and it sees the bald eagle then it likes the lion. If something sees the cat then the cat does not eat the lion. If something likes the bear and it is round then it likes the bald eagle. If something is cold and it does not like the bear then the bear is red. If something eats the bear and it is not blue then it eats the cat.\n\nQuestion: The bear likes the bald eagle.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle eats the cat. The bald eagle eats the lion. The bald eagle likes the bear. The bald eagle sees the bear. The bear is cold. The bear is not kind. The bear is round. The bear likes the cat. The cat eats the bear. The cat eats the lion. The cat is cold. The cat is red. The cat likes the bear. The cat sees the bald eagle. The lion eats the bear. The lion is blue. If something eats the lion and it is not kind then the lion is not blue. If something is cold then it likes the bear. If something likes the lion then it is round. If something eats the bear and it sees the bald eagle then it likes the lion. If something sees the cat then the cat does not eat the lion. If something likes the bear and it is round then it likes the bald eagle. If something is cold and it does not like the bear then the bear is red. If something eats the bear and it is not blue then it eats the cat.", + "original_question": "The bear likes the bald eagle." + }, + { + "id": "AttNeg-OWA-D2-490", + "question": "Anne is blue. Harry is green. If Harry is young then Harry is not round. All green people are young.\n\nQuestion: Harry is round.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is blue. Harry is green. If Harry is young then Harry is not round. All green people are young.", + "original_question": "Harry is round." + }, + { + "id": "RelNoneg-OWA-D0-5495", + "question": "The cat chases the mouse. The cat is round. The cat likes the rabbit. The dog chases the cat. The dog chases the rabbit. The dog is round. The dog likes the cat. The dog visits the mouse. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit is big. The rabbit is green. The rabbit is rough. The rabbit likes the dog. The rabbit visits the cat. The rabbit visits the mouse. All green things are nice.\n\nQuestion: The rabbit is rough.", + "answer": true, + "QDep": 0, + "original_theory": "The cat chases the mouse. The cat is round. The cat likes the rabbit. The dog chases the cat. The dog chases the rabbit. The dog is round. The dog likes the cat. The dog visits the mouse. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit is big. The rabbit is green. The rabbit is rough. The rabbit likes the dog. The rabbit visits the cat. The rabbit visits the mouse. All green things are nice.", + "original_question": "The rabbit is rough." + }, + { + "id": "AttNeg-OWA-D1-1695", + "question": "Dave is not smart. Erin is cold. Erin is kind. Erin is not round. Erin is smart. Harry is cold. Harry is young. If Dave is white and Dave is young then Dave is kind. If someone is nice then they are young. Smart people are nice. All white, kind people are not nice. All smart people are nice. If someone is smart then they are nice. If Dave is young and Dave is not round then Dave is white. If someone is young then they are smart.\n\nQuestion: Harry is young.", + "answer": true, + "QDep": 0, + "original_theory": "Dave is not smart. Erin is cold. Erin is kind. Erin is not round. Erin is smart. Harry is cold. Harry is young. If Dave is white and Dave is young then Dave is kind. If someone is nice then they are young. Smart people are nice. All white, kind people are not nice. All smart people are nice. If someone is smart then they are nice. If Dave is young and Dave is not round then Dave is white. If someone is young then they are smart.", + "original_question": "Harry is young." + }, + { + "id": "RelNoneg-OWA-D5-948", + "question": "The dog is red. The dog likes the mouse. The dog visits the tiger. The lion visits the dog. The lion visits the tiger. The mouse chases the tiger. The mouse is green. The mouse visits the dog. The tiger chases the lion. The tiger is nice. The tiger visits the dog. If something chases the dog then it visits the lion. If the dog is cold then the dog likes the tiger. If something likes the tiger then the tiger likes the mouse. If something is nice then it visits the tiger. If something likes the lion and the lion is green then it is blue. If something is cold then it likes the lion. If something visits the tiger then it visits the mouse. If something visits the tiger then the tiger chases the mouse. If something likes the mouse then it is cold.\n\nQuestion: The tiger does not like the mouse.", + "answer": false, + "QDep": 3, + "original_theory": "The dog is red. The dog likes the mouse. The dog visits the tiger. The lion visits the dog. The lion visits the tiger. The mouse chases the tiger. The mouse is green. The mouse visits the dog. The tiger chases the lion. The tiger is nice. The tiger visits the dog. If something chases the dog then it visits the lion. If the dog is cold then the dog likes the tiger. If something likes the tiger then the tiger likes the mouse. If something is nice then it visits the tiger. If something likes the lion and the lion is green then it is blue. If something is cold then it likes the lion. If something visits the tiger then it visits the mouse. If something visits the tiger then the tiger chases the mouse. If something likes the mouse then it is cold.", + "original_question": "The tiger does not like the mouse." + }, + { + "id": "AttNonegNatLang-OWA-435", + "question": "Alan is big and rough around the edges. Even though he is feeling ill and green, he is nice. For being so cold, it's good Dave can remain nice. The young person who is always feeling cold is named Eric. The young person who is always feeling cold is named Harry. Young people are so rough that they can hold their breath until they are blue. People who are young and blue are also red. A kind person who looks blue because he is is cold is usually big in stature. If you know someone who is nice, green, and big, you know a young person.\n\nQuestion: Alan is not red.", + "answer": false, + "QDep": 3, + "original_theory": "Alan is big and rough around the edges. Even though he is feeling ill and green, he is nice. For being so cold, it's good Dave can remain nice. The young person who is always feeling cold is named Eric. The young person who is always feeling cold is named Harry. Young people are so rough that they can hold their breath until they are blue. People who are young and blue are also red. A kind person who looks blue because he is is cold is usually big in stature. If you know someone who is nice, green, and big, you know a young person.", + "original_question": "Alan is not red." + }, + { + "id": "RelNoneg-OWA-D3-1367", + "question": "The bald eagle likes the rabbit. The bear chases the bald eagle. The lion needs the rabbit. The rabbit is nice. If someone is young and they like the bald eagle then the bald eagle is big. If someone chases the bald eagle and the bald eagle needs the rabbit then they need the rabbit. If someone needs the rabbit then they need the lion. If someone likes the rabbit then they need the rabbit. If someone chases the rabbit and they need the bald eagle then the bald eagle likes the lion. If someone chases the lion and they like the bald eagle then they like the bear.\n\nQuestion: The bear chases the bald eagle.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle likes the rabbit. The bear chases the bald eagle. The lion needs the rabbit. The rabbit is nice. If someone is young and they like the bald eagle then the bald eagle is big. If someone chases the bald eagle and the bald eagle needs the rabbit then they need the rabbit. If someone needs the rabbit then they need the lion. If someone likes the rabbit then they need the rabbit. If someone chases the rabbit and they need the bald eagle then the bald eagle likes the lion. If someone chases the lion and they like the bald eagle then they like the bear.", + "original_question": "The bear chases the bald eagle." + }, + { + "id": "RelNoneg-OWA-D1-1131", + "question": "The bear likes the dog. The bear needs the rabbit. The dog is blue. The dog is green. The dog sees the bear. The dog sees the rabbit. The mouse likes the rabbit. The mouse needs the dog. The mouse sees the dog. The rabbit sees the dog. If the dog likes the rabbit then the dog is young. If something is young then it sees the dog. If something sees the dog and the dog is blue then the dog is young.\n\nQuestion: The dog is green.", + "answer": true, + "QDep": 0, + "original_theory": "The bear likes the dog. The bear needs the rabbit. The dog is blue. The dog is green. The dog sees the bear. The dog sees the rabbit. The mouse likes the rabbit. The mouse needs the dog. The mouse sees the dog. The rabbit sees the dog. If the dog likes the rabbit then the dog is young. If something is young then it sees the dog. If something sees the dog and the dog is blue then the dog is young.", + "original_question": "The dog is green." + }, + { + "id": "RelNeg-OWA-D3-1027", + "question": "The bald eagle chases the dog. The bald eagle chases the tiger. The dog chases the bald eagle. The dog is blue. The dog is cold. The dog is red. The dog is round. The dog is young. The tiger chases the dog. The tiger is round. The tiger likes the bald eagle. The tiger sees the bald eagle. If someone chases the bald eagle and they chase the tiger then they see the bald eagle. If the bald eagle sees the tiger and the tiger is young then the bald eagle chases the tiger. If the tiger likes the dog and the dog is cold then the dog sees the bald eagle. If the dog is red and the dog sees the bald eagle then the bald eagle does not like the tiger. If someone is blue then they chase the tiger. If the dog chases the tiger and the dog sees the tiger then the tiger does not like the bald eagle. If someone chases the bald eagle and they do not like the tiger then the tiger is red. If someone is round and they do not see the bald eagle then the bald eagle sees the dog.\n\nQuestion: The dog is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle chases the dog. The bald eagle chases the tiger. The dog chases the bald eagle. The dog is blue. The dog is cold. The dog is red. The dog is round. The dog is young. The tiger chases the dog. The tiger is round. The tiger likes the bald eagle. The tiger sees the bald eagle. If someone chases the bald eagle and they chase the tiger then they see the bald eagle. If the bald eagle sees the tiger and the tiger is young then the bald eagle chases the tiger. If the tiger likes the dog and the dog is cold then the dog sees the bald eagle. If the dog is red and the dog sees the bald eagle then the bald eagle does not like the tiger. If someone is blue then they chase the tiger. If the dog chases the tiger and the dog sees the tiger then the tiger does not like the bald eagle. If someone chases the bald eagle and they do not like the tiger then the tiger is red. If someone is round and they do not see the bald eagle then the bald eagle sees the dog.", + "original_question": "The dog is not blue." + }, + { + "id": "RelNeg-OWA-D3-941", + "question": "The bald eagle eats the tiger. The bald eagle is green. The bald eagle is nice. The bald eagle is rough. The bald eagle sees the lion. The bald eagle does not visit the tiger. The dog eats the bald eagle. The dog does not eat the tiger. The dog is young. The dog sees the lion. The lion is not rough. The tiger sees the dog. If something eats the dog then the dog is rough. If something visits the tiger then it eats the lion. If something visits the lion and it eats the lion then the lion is not green. If something sees the lion then the lion eats the bald eagle. If something visits the dog then it is young. If something is big and it eats the bald eagle then the bald eagle eats the dog. Young things are big. If the tiger is rough and the tiger sees the lion then the lion visits the bald eagle.\n\nQuestion: The bald eagle eats the dog.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle eats the tiger. The bald eagle is green. The bald eagle is nice. The bald eagle is rough. The bald eagle sees the lion. The bald eagle does not visit the tiger. The dog eats the bald eagle. The dog does not eat the tiger. The dog is young. The dog sees the lion. The lion is not rough. The tiger sees the dog. If something eats the dog then the dog is rough. If something visits the tiger then it eats the lion. If something visits the lion and it eats the lion then the lion is not green. If something sees the lion then the lion eats the bald eagle. If something visits the dog then it is young. If something is big and it eats the bald eagle then the bald eagle eats the dog. Young things are big. If the tiger is rough and the tiger sees the lion then the lion visits the bald eagle.", + "original_question": "The bald eagle eats the dog." + }, + { + "id": "RelNeg-OWA-D0-6157", + "question": "The cat does not need the cow. The cow is not big. The cow likes the cat. The cow does not like the mouse. The cow needs the squirrel. The cow visits the cat. The cow visits the mouse. The mouse does not need the squirrel. The mouse visits the cat. The squirrel needs the cow. All kind things are big. If something likes the squirrel and it does not need the cow then the squirrel likes the mouse.\n\nQuestion: The cow visits the mouse.", + "answer": true, + "QDep": 0, + "original_theory": "The cat does not need the cow. The cow is not big. The cow likes the cat. The cow does not like the mouse. The cow needs the squirrel. The cow visits the cat. The cow visits the mouse. The mouse does not need the squirrel. The mouse visits the cat. The squirrel needs the cow. All kind things are big. If something likes the squirrel and it does not need the cow then the squirrel likes the mouse.", + "original_question": "The cow visits the mouse." + }, + { + "id": "RelNoneg-OWA-D3-138", + "question": "The cat sees the squirrel. The squirrel needs the cat. If someone chases the cat then the cat is kind. If the cat needs the squirrel and the cat is red then the squirrel needs the cat. If someone is red then they need the cat. If someone is round then they see the cat. If the cat is rough and the cat needs the squirrel then the cat chases the squirrel. If the cat sees the squirrel then the squirrel chases the cat. If someone chases the cat then the cat sees the squirrel. If the cat is kind then the cat needs the squirrel.\n\nQuestion: The squirrel does not need the cat.", + "answer": false, + "QDep": 0, + "original_theory": "The cat sees the squirrel. The squirrel needs the cat. If someone chases the cat then the cat is kind. If the cat needs the squirrel and the cat is red then the squirrel needs the cat. If someone is red then they need the cat. If someone is round then they see the cat. If the cat is rough and the cat needs the squirrel then the cat chases the squirrel. If the cat sees the squirrel then the squirrel chases the cat. If someone chases the cat then the cat sees the squirrel. If the cat is kind then the cat needs the squirrel.", + "original_question": "The squirrel does not need the cat." + }, + { + "id": "AttNoneg-OWA-D3-366", + "question": "Anne is blue. Anne is kind. Anne is nice. Anne is rough. Charlie is furry. Gary is kind. Gary is rough. If someone is smart and nice then they are white. If someone is blue and furry then they are kind. All furry people are white. All rough, kind people are smart. All white people are blue. If someone is smart then they are rough.\n\nQuestion: Anne is not white.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is blue. Anne is kind. Anne is nice. Anne is rough. Charlie is furry. Gary is kind. Gary is rough. If someone is smart and nice then they are white. If someone is blue and furry then they are kind. All furry people are white. All rough, kind people are smart. All white people are blue. If someone is smart then they are rough.", + "original_question": "Anne is not white." + }, + { + "id": "AttNonegNatLang-OWA-121", + "question": "That guy Bob sure is nice. Young Charlie has rough, green skin that is always cold. Charlie is known for being a nice guy. Fred is a cold and round man who has red and green skin. A blue colored person who is nice is a red person. Every single big person is a little green in some areas. If someone has a kind disposition and looks rather round and rough then you'll find that they're actually quite young. A person who is kind and rough and blue is young. A kind person will certainly be rough as well. Blue eyed people, green with sickness and rough around the edges quickly turn red and blush when stepping ashore. Cold and red people are always kind to others.\n\nQuestion: Charlie is green.", + "answer": true, + "QDep": 0, + "original_theory": "That guy Bob sure is nice. Young Charlie has rough, green skin that is always cold. Charlie is known for being a nice guy. Fred is a cold and round man who has red and green skin. A blue colored person who is nice is a red person. Every single big person is a little green in some areas. If someone has a kind disposition and looks rather round and rough then you'll find that they're actually quite young. A person who is kind and rough and blue is young. A kind person will certainly be rough as well. Blue eyed people, green with sickness and rough around the edges quickly turn red and blush when stepping ashore. Cold and red people are always kind to others.", + "original_question": "Charlie is green." + }, + { + "id": "RelNoneg-OWA-D5-357", + "question": "The bald eagle is red. The bald eagle needs the cat. The bald eagle needs the squirrel. The bald eagle sees the squirrel. The cat eats the squirrel. The cow eats the cat. The cow eats the squirrel. The cow needs the bald eagle. The cow sees the bald eagle. The cow sees the cat. The cow sees the squirrel. The squirrel is kind. The squirrel is red. The squirrel needs the cat. If something is green then it eats the cat. If something sees the cow then it sees the cat. If something sees the squirrel then it is green. If something sees the bald eagle and the bald eagle is young then the bald eagle is big. If something needs the cat and it eats the cat then the cat sees the squirrel. If something is red and it eats the cat then it sees the bald eagle. If something needs the bald eagle then it needs the squirrel. If the bald eagle is red and the bald eagle sees the cow then the cow is young.\n\nQuestion: The bald eagle does not eat the cat.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle is red. The bald eagle needs the cat. The bald eagle needs the squirrel. The bald eagle sees the squirrel. The cat eats the squirrel. The cow eats the cat. The cow eats the squirrel. The cow needs the bald eagle. The cow sees the bald eagle. The cow sees the cat. The cow sees the squirrel. The squirrel is kind. The squirrel is red. The squirrel needs the cat. If something is green then it eats the cat. If something sees the cow then it sees the cat. If something sees the squirrel then it is green. If something sees the bald eagle and the bald eagle is young then the bald eagle is big. If something needs the cat and it eats the cat then the cat sees the squirrel. If something is red and it eats the cat then it sees the bald eagle. If something needs the bald eagle then it needs the squirrel. If the bald eagle is red and the bald eagle sees the cow then the cow is young.", + "original_question": "The bald eagle does not eat the cat." + }, + { + "id": "AttNoneg-OWA-D1-1140", + "question": "Bob is kind. Fiona is quiet. If someone is young and round then they are smart. Kind people are furry. If someone is furry and young then they are round. All quiet people are smart. If someone is furry then they are kind. If Bob is furry and Bob is round then Bob is quiet. Kind people are round. If someone is kind and young then they are quiet.\n\nQuestion: Fiona is not quiet.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is kind. Fiona is quiet. If someone is young and round then they are smart. Kind people are furry. If someone is furry and young then they are round. All quiet people are smart. If someone is furry then they are kind. If Bob is furry and Bob is round then Bob is quiet. Kind people are round. If someone is kind and young then they are quiet.", + "original_question": "Fiona is not quiet." + }, + { + "id": "AttNeg-OWA-D5-751", + "question": "Anne is furry. Anne is quiet. Erin is furry. Erin is not rough. Fiona is not quiet. Fiona is smart. Harry is quiet. Smart people are white. Quiet people are smart. All smart, rough people are not furry. If someone is white and not quiet then they are not furry. All white people are cold. All furry, quiet people are not rough. If Fiona is smart and Fiona is quiet then Fiona is white. If Harry is cold then Harry is rough. If Erin is white and Erin is not smart then Erin is not cold.\n\nQuestion: Harry is not furry.", + "answer": true, + "QDep": 5, + "original_theory": "Anne is furry. Anne is quiet. Erin is furry. Erin is not rough. Fiona is not quiet. Fiona is smart. Harry is quiet. Smart people are white. Quiet people are smart. All smart, rough people are not furry. If someone is white and not quiet then they are not furry. All white people are cold. All furry, quiet people are not rough. If Fiona is smart and Fiona is quiet then Fiona is white. If Harry is cold then Harry is rough. If Erin is white and Erin is not smart then Erin is not cold.", + "original_question": "Harry is not furry." + }, + { + "id": "RelNoneg-OWA-D3-611", + "question": "The lion eats the rabbit. The lion is green. The lion is nice. The lion is red. The lion is rough. The lion is round. The lion sees the rabbit. The lion visits the rabbit. The rabbit eats the lion. The rabbit is nice. The rabbit is rough. The rabbit visits the lion. If something is round then it visits the lion. If something is nice then it eats the rabbit. If something eats the rabbit then the rabbit sees the lion. If the rabbit visits the lion and the rabbit is red then the lion sees the rabbit. If something is nice and it eats the rabbit then it is round. If something is round then it visits the rabbit. If something is round and it visits the rabbit then the rabbit eats the lion. If something sees the rabbit and the rabbit is red then it is red.\n\nQuestion: The lion is round.", + "answer": true, + "QDep": 0, + "original_theory": "The lion eats the rabbit. The lion is green. The lion is nice. The lion is red. The lion is rough. The lion is round. The lion sees the rabbit. The lion visits the rabbit. The rabbit eats the lion. The rabbit is nice. The rabbit is rough. The rabbit visits the lion. If something is round then it visits the lion. If something is nice then it eats the rabbit. If something eats the rabbit then the rabbit sees the lion. If the rabbit visits the lion and the rabbit is red then the lion sees the rabbit. If something is nice and it eats the rabbit then it is round. If something is round then it visits the rabbit. If something is round and it visits the rabbit then the rabbit eats the lion. If something sees the rabbit and the rabbit is red then it is red.", + "original_question": "The lion is round." + }, + { + "id": "RelNoneg-OWA-D0-5495", + "question": "The cat chases the mouse. The cat is round. The cat likes the rabbit. The dog chases the cat. The dog chases the rabbit. The dog is round. The dog likes the cat. The dog visits the mouse. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit is big. The rabbit is green. The rabbit is rough. The rabbit likes the dog. The rabbit visits the cat. The rabbit visits the mouse. All green things are nice.\n\nQuestion: The cat is not round.", + "answer": false, + "QDep": 0, + "original_theory": "The cat chases the mouse. The cat is round. The cat likes the rabbit. The dog chases the cat. The dog chases the rabbit. The dog is round. The dog likes the cat. The dog visits the mouse. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit is big. The rabbit is green. The rabbit is rough. The rabbit likes the dog. The rabbit visits the cat. The rabbit visits the mouse. All green things are nice.", + "original_question": "The cat is not round." + }, + { + "id": "RelNoneg-OWA-D3-1056", + "question": "The squirrel is kind. All kind people are big. Green, big people are red. Big, kind people are green.\n\nQuestion: The squirrel is green.", + "answer": true, + "QDep": 2, + "original_theory": "The squirrel is kind. All kind people are big. Green, big people are red. Big, kind people are green.", + "original_question": "The squirrel is green." + }, + { + "id": "RelNoneg-OWA-D1-2186", + "question": "The bald eagle likes the mouse. The bear likes the squirrel. The mouse is round. The squirrel eats the mouse. If something eats the mouse then the mouse chases the squirrel.\n\nQuestion: The mouse is not round.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle likes the mouse. The bear likes the squirrel. The mouse is round. The squirrel eats the mouse. If something eats the mouse then the mouse chases the squirrel.", + "original_question": "The mouse is not round." + }, + { + "id": "RelNoneg-OWA-D3-810", + "question": "The bald eagle chases the lion. The bald eagle is cold. The bald eagle likes the lion. The bald eagle likes the mouse. The bald eagle needs the lion. The lion chases the bald eagle. The lion is big. The lion is rough. The lion needs the mouse. The mouse chases the lion. The mouse is cold. The mouse is kind. The mouse likes the bald eagle. The mouse likes the lion. The mouse needs the lion. If someone is round and they chase the lion then the lion needs the bald eagle. If someone needs the lion and they chase the lion then they like the bald eagle. If someone is rough and kind then they like the mouse. If the bald eagle is cold then the bald eagle is big. If someone is big and they like the mouse then the mouse is round. If the bald eagle needs the lion and the lion is round then the lion chases the bald eagle.\n\nQuestion: The lion is rough.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle chases the lion. The bald eagle is cold. The bald eagle likes the lion. The bald eagle likes the mouse. The bald eagle needs the lion. The lion chases the bald eagle. The lion is big. The lion is rough. The lion needs the mouse. The mouse chases the lion. The mouse is cold. The mouse is kind. The mouse likes the bald eagle. The mouse likes the lion. The mouse needs the lion. If someone is round and they chase the lion then the lion needs the bald eagle. If someone needs the lion and they chase the lion then they like the bald eagle. If someone is rough and kind then they like the mouse. If the bald eagle is cold then the bald eagle is big. If someone is big and they like the mouse then the mouse is round. If the bald eagle needs the lion and the lion is round then the lion chases the bald eagle.", + "original_question": "The lion is rough." + }, + { + "id": "AttPos-OWA-ElectricityRB4-16", + "question": "The circuit includes the battery. The circuit includes the switch. The switch is on. The wire is metal. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The wire is conducting.", + "answer": true, + "QDep": 1, + "original_theory": "The circuit includes the battery. The circuit includes the switch. The switch is on. The wire is metal. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The wire is conducting." + }, + { + "id": "RelNoneg-OWA-D3-581", + "question": "The bald eagle eats the lion. The bald eagle eats the tiger. The bald eagle is big. The bald eagle is nice. The bald eagle is young. The bald eagle likes the lion. The bald eagle likes the tiger. The bald eagle needs the lion. The bald eagle needs the tiger. The lion eats the bald eagle. The lion eats the tiger. The lion is big. The lion is blue. The lion is nice. The lion likes the bald eagle. The tiger needs the bald eagle. If something needs the tiger then the tiger likes the bald eagle. If something is round then it needs the lion. If something eats the lion and it is round then it likes the lion. If something needs the lion then it is blue. If something is big and blue then it likes the tiger. If the tiger needs the bald eagle then the tiger is round.\n\nQuestion: The tiger is blue.", + "answer": true, + "QDep": 3, + "original_theory": "The bald eagle eats the lion. The bald eagle eats the tiger. The bald eagle is big. The bald eagle is nice. The bald eagle is young. The bald eagle likes the lion. The bald eagle likes the tiger. The bald eagle needs the lion. The bald eagle needs the tiger. The lion eats the bald eagle. The lion eats the tiger. The lion is big. The lion is blue. The lion is nice. The lion likes the bald eagle. The tiger needs the bald eagle. If something needs the tiger then the tiger likes the bald eagle. If something is round then it needs the lion. If something eats the lion and it is round then it likes the lion. If something needs the lion then it is blue. If something is big and blue then it likes the tiger. If the tiger needs the bald eagle then the tiger is round.", + "original_question": "The tiger is blue." + }, + { + "id": "RelNoneg-OWA-D5-1011", + "question": "The dog is big. The dog is green. The dog sees the tiger. The lion chases the tiger. The lion is red. The lion needs the rabbit. The lion needs the tiger. The lion sees the tiger. The rabbit needs the lion. The tiger chases the lion. The tiger is green. The tiger sees the lion. If something needs the lion then it needs the tiger. If something sees the lion and it needs the tiger then the tiger sees the dog. If something is green then it chases the tiger. If something sees the dog and the dog sees the tiger then the tiger is rough. If something is rough then it needs the lion. If something needs the dog and it needs the lion then it chases the rabbit. If something sees the tiger then it needs the dog. If something needs the tiger then it sees the dog.\n\nQuestion: The lion does not need the dog.", + "answer": false, + "QDep": 1, + "original_theory": "The dog is big. The dog is green. The dog sees the tiger. The lion chases the tiger. The lion is red. The lion needs the rabbit. The lion needs the tiger. The lion sees the tiger. The rabbit needs the lion. The tiger chases the lion. The tiger is green. The tiger sees the lion. If something needs the lion then it needs the tiger. If something sees the lion and it needs the tiger then the tiger sees the dog. If something is green then it chases the tiger. If something sees the dog and the dog sees the tiger then the tiger is rough. If something is rough then it needs the lion. If something needs the dog and it needs the lion then it chases the rabbit. If something sees the tiger then it needs the dog. If something needs the tiger then it sees the dog.", + "original_question": "The lion does not need the dog." + }, + { + "id": "AttNeg-OWA-D3-1411", + "question": "Bob is blue. Bob is furry. Bob is quiet. Bob is smart. Gary is not big. Gary is nice. Gary is quiet. If Gary is white then Gary is blue. All nice things are white. If something is blue and not big then it is smart.\n\nQuestion: Gary is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is blue. Bob is furry. Bob is quiet. Bob is smart. Gary is not big. Gary is nice. Gary is quiet. If Gary is white then Gary is blue. All nice things are white. If something is blue and not big then it is smart.", + "original_question": "Gary is not nice." + }, + { + "id": "AttNoneg-OWA-D3-643", + "question": "Bob is kind. Harry is big. Harry is blue. Round people are green. Blue, kind people are big. If someone is blue and big then they are kind. All red people are kind. If Harry is kind and Harry is green then Harry is cold. All red, kind people are green. If Harry is green and Harry is cold then Harry is blue. All blue, big people are round.\n\nQuestion: Harry is round.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is kind. Harry is big. Harry is blue. Round people are green. Blue, kind people are big. If someone is blue and big then they are kind. All red people are kind. If Harry is kind and Harry is green then Harry is cold. All red, kind people are green. If Harry is green and Harry is cold then Harry is blue. All blue, big people are round.", + "original_question": "Harry is round." + }, + { + "id": "AttNeg-OWA-D1-454", + "question": "Bob is not green. Erin is furry. Erin is green. Erin is smart. Gary is not rough. Harry is green. Harry is not young. If something is green then it is smart. If something is quiet and not smart then it is rough.\n\nQuestion: Gary is not rough.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is not green. Erin is furry. Erin is green. Erin is smart. Gary is not rough. Harry is green. Harry is not young. If something is green then it is smart. If something is quiet and not smart then it is rough.", + "original_question": "Gary is not rough." + }, + { + "id": "AttNoneg-OWA-D1-1317", + "question": "Bob is cold. Bob is white. Dave is big. Dave is cold. Dave is quiet. Dave is smart. Fiona is kind. Fiona is smart. Harry is big. Harry is cold. Harry is rough. Harry is smart. Big, rough people are white. If Fiona is big and Fiona is cold then Fiona is kind. If Dave is cold then Dave is quiet.\n\nQuestion: Harry is not big.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is cold. Bob is white. Dave is big. Dave is cold. Dave is quiet. Dave is smart. Fiona is kind. Fiona is smart. Harry is big. Harry is cold. Harry is rough. Harry is smart. Big, rough people are white. If Fiona is big and Fiona is cold then Fiona is kind. If Dave is cold then Dave is quiet.", + "original_question": "Harry is not big." + }, + { + "id": "AttPos-OWA-ElectricityRB4-89", + "question": "The battery is flat. The switch is on. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The battery is not flat.", + "answer": false, + "QDep": 0, + "original_theory": "The battery is flat. The switch is on. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The battery is not flat." + }, + { + "id": "AttNeg-OWA-D3-1537", + "question": "Anne is green. Charlie is green. Erin is smart. White things are not young. All green things are blue. If something is young and not smart then it is blue. If something is round and blue then it is green. All smart, young things are green. All blue things are white.\n\nQuestion: Erin is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is green. Charlie is green. Erin is smart. White things are not young. All green things are blue. If something is young and not smart then it is blue. If something is round and blue then it is green. All smart, young things are green. All blue things are white.", + "original_question": "Erin is not smart." + }, + { + "id": "RelNeg-OWA-D5-819", + "question": "The bald eagle chases the cat. The bald eagle chases the cow. The bald eagle chases the mouse. The bald eagle is blue. The bald eagle sees the cat. The cat needs the bald eagle. The cow chases the cat. The cow is not young. The mouse chases the bald eagle. The mouse does not chase the cow. The mouse does not need the cow. The mouse sees the cat. If something is kind then it sees the mouse. Blue things are cold. If something sees the mouse then it is blue. If something chases the mouse and it sees the cat then the cat does not see the cow. If something is nice and it needs the mouse then it chases the cow. If something sees the cat then the cat is kind. If something chases the cow and it needs the bald eagle then the bald eagle sees the cow. If the bald eagle is cold then the bald eagle does not see the cow. If the cat is cold and the cat needs the bald eagle then the cat needs the cow.\n\nQuestion: The cat does not need the cow.", + "answer": false, + "QDep": 5, + "original_theory": "The bald eagle chases the cat. The bald eagle chases the cow. The bald eagle chases the mouse. The bald eagle is blue. The bald eagle sees the cat. The cat needs the bald eagle. The cow chases the cat. The cow is not young. The mouse chases the bald eagle. The mouse does not chase the cow. The mouse does not need the cow. The mouse sees the cat. If something is kind then it sees the mouse. Blue things are cold. If something sees the mouse then it is blue. If something chases the mouse and it sees the cat then the cat does not see the cow. If something is nice and it needs the mouse then it chases the cow. If something sees the cat then the cat is kind. If something chases the cow and it needs the bald eagle then the bald eagle sees the cow. If the bald eagle is cold then the bald eagle does not see the cow. If the cat is cold and the cat needs the bald eagle then the cat needs the cow.", + "original_question": "The cat does not need the cow." + }, + { + "id": "RelNoneg-OWA-D3-1133", + "question": "The bear is red. The bear is rough. The dog is green. If something needs the bear then the bear needs the dog. If something needs the bear then the bear needs the dog. If something likes the bear then it is green. If something is rough then it likes the bear. If something likes the bear and it is green then it likes the dog. If something is red and it visits the bear then it needs the bear.\n\nQuestion: The bear is not green.", + "answer": false, + "QDep": 2, + "original_theory": "The bear is red. The bear is rough. The dog is green. If something needs the bear then the bear needs the dog. If something needs the bear then the bear needs the dog. If something likes the bear then it is green. If something is rough then it likes the bear. If something likes the bear and it is green then it likes the dog. If something is red and it visits the bear then it needs the bear.", + "original_question": "The bear is not green." + }, + { + "id": "AttNoneg-OWA-D2-836", + "question": "Charlie is white. Dave is cold. All quiet things are cold. If Charlie is rough then Charlie is green. If something is round and rough then it is quiet. If Dave is cold and Dave is white then Dave is round. If something is white then it is quiet. If something is quiet then it is round.\n\nQuestion: Charlie is round.", + "answer": true, + "QDep": 2, + "original_theory": "Charlie is white. Dave is cold. All quiet things are cold. If Charlie is rough then Charlie is green. If something is round and rough then it is quiet. If Dave is cold and Dave is white then Dave is round. If something is white then it is quiet. If something is quiet then it is round.", + "original_question": "Charlie is round." + }, + { + "id": "AttNoneg-OWA-D3-1175", + "question": "Charlie is big. Charlie is smart. Charlie is young. Dave is big. Dave is cold. Dave is green. Dave is kind. Dave is round. Dave is smart. Dave is young. If Charlie is cold then Charlie is young. If something is young then it is kind. If Charlie is kind and Charlie is young then Charlie is green. If something is green then it is young. All green things are round. If Dave is green then Dave is kind.\n\nQuestion: Dave is big.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is big. Charlie is smart. Charlie is young. Dave is big. Dave is cold. Dave is green. Dave is kind. Dave is round. Dave is smart. Dave is young. If Charlie is cold then Charlie is young. If something is young then it is kind. If Charlie is kind and Charlie is young then Charlie is green. If something is green then it is young. All green things are round. If Dave is green then Dave is kind.", + "original_question": "Dave is big." + }, + { + "id": "RelNeg-OWA-D5-367", + "question": "The cow sees the squirrel. The mouse does not chase the cow. The mouse eats the squirrel. The mouse is young. The mouse does not see the tiger. The squirrel chases the tiger. The squirrel eats the mouse. The tiger does not chase the mouse. The tiger eats the cow. The tiger eats the squirrel. The tiger is green. The tiger is young. If the cow sees the tiger then the tiger is nice. If someone eats the squirrel then the squirrel is big. If the mouse does not chase the cow then the cow chases the squirrel. If the cow is not young and the cow does not eat the tiger then the cow chases the squirrel. If someone is nice then they see the tiger. If the tiger chases the mouse then the tiger eats the squirrel. If someone chases the squirrel then they are nice.\n\nQuestion: The cow is not nice.", + "answer": false, + "QDep": 2, + "original_theory": "The cow sees the squirrel. The mouse does not chase the cow. The mouse eats the squirrel. The mouse is young. The mouse does not see the tiger. The squirrel chases the tiger. The squirrel eats the mouse. The tiger does not chase the mouse. The tiger eats the cow. The tiger eats the squirrel. The tiger is green. The tiger is young. If the cow sees the tiger then the tiger is nice. If someone eats the squirrel then the squirrel is big. If the mouse does not chase the cow then the cow chases the squirrel. If the cow is not young and the cow does not eat the tiger then the cow chases the squirrel. If someone is nice then they see the tiger. If the tiger chases the mouse then the tiger eats the squirrel. If someone chases the squirrel then they are nice.", + "original_question": "The cow is not nice." + }, + { + "id": "AttNoneg-OWA-D3-257", + "question": "Anne is kind. Anne is rough. Anne is round. Anne is young. Charlie is blue. Charlie is kind. Charlie is nice. Charlie is rough. Charlie is round. Erin is kind. Erin is nice. Erin is rough. If Erin is rough then Erin is quiet. All quiet things are blue. If Anne is quiet then Anne is nice. Blue, rough things are young. All round things are quiet. Round, nice things are rough. If something is round then it is quiet. If Anne is kind and Anne is young then Anne is quiet.\n\nQuestion: Anne is not quiet.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is kind. Anne is rough. Anne is round. Anne is young. Charlie is blue. Charlie is kind. Charlie is nice. Charlie is rough. Charlie is round. Erin is kind. Erin is nice. Erin is rough. If Erin is rough then Erin is quiet. All quiet things are blue. If Anne is quiet then Anne is nice. Blue, rough things are young. All round things are quiet. Round, nice things are rough. If something is round then it is quiet. If Anne is kind and Anne is young then Anne is quiet.", + "original_question": "Anne is not quiet." + }, + { + "id": "RelNoneg-OWA-D1-2265", + "question": "The squirrel is big. The squirrel is nice. The squirrel is round. Round people are big. All nice people are blue. All young, big people are round.\n\nQuestion: The squirrel is not blue.", + "answer": false, + "QDep": 1, + "original_theory": "The squirrel is big. The squirrel is nice. The squirrel is round. Round people are big. All nice people are blue. All young, big people are round.", + "original_question": "The squirrel is not blue." + }, + { + "id": "AttNeg-OWA-D1-2015", + "question": "Bob is big. Bob is cold. Bob is young. Charlie is big. Charlie is cold. Charlie is red. Charlie is rough. Charlie is round. Charlie is young. Dave is red. Gary is quiet. Gary is red. Gary is rough. Gary is round. Gary is young. Young, cold things are red.\n\nQuestion: Charlie is not round.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is big. Bob is cold. Bob is young. Charlie is big. Charlie is cold. Charlie is red. Charlie is rough. Charlie is round. Charlie is young. Dave is red. Gary is quiet. Gary is red. Gary is rough. Gary is round. Gary is young. Young, cold things are red.", + "original_question": "Charlie is not round." + }, + { + "id": "RelNeg-OWA-D3-1407", + "question": "The cat eats the tiger. The cat is cold. The cat is round. The mouse is nice. The mouse is not rough. The mouse likes the cat. The mouse likes the squirrel. The mouse does not visit the cat. The squirrel eats the mouse. The squirrel is nice. The squirrel is rough. The squirrel visits the tiger. The tiger eats the squirrel. The tiger is nice. The tiger likes the cat. The tiger likes the squirrel. If someone likes the mouse and the mouse is not round then the mouse is cold. All rough people are not cold. If the mouse visits the tiger and the mouse is not cold then the tiger is cold. If someone eats the tiger and the tiger is cold then the tiger does not eat the cat. If someone is red and they visit the tiger then the tiger does not eat the cat. If the squirrel eats the tiger and the squirrel visits the cat then the tiger visits the cat. If the squirrel is not cold then the squirrel visits the cat. If someone visits the cat then the cat visits the squirrel.\n\nQuestion: The squirrel is not cold.", + "answer": true, + "QDep": 1, + "original_theory": "The cat eats the tiger. The cat is cold. The cat is round. The mouse is nice. The mouse is not rough. The mouse likes the cat. The mouse likes the squirrel. The mouse does not visit the cat. The squirrel eats the mouse. The squirrel is nice. The squirrel is rough. The squirrel visits the tiger. The tiger eats the squirrel. The tiger is nice. The tiger likes the cat. The tiger likes the squirrel. If someone likes the mouse and the mouse is not round then the mouse is cold. All rough people are not cold. If the mouse visits the tiger and the mouse is not cold then the tiger is cold. If someone eats the tiger and the tiger is cold then the tiger does not eat the cat. If someone is red and they visit the tiger then the tiger does not eat the cat. If the squirrel eats the tiger and the squirrel visits the cat then the tiger visits the cat. If the squirrel is not cold then the squirrel visits the cat. If someone visits the cat then the cat visits the squirrel.", + "original_question": "The squirrel is not cold." + }, + { + "id": "RelNoneg-OWA-D5-1041", + "question": "The cat is blue. The cat is green. The cat likes the lion. The cat sees the cow. The cow eats the lion. The cow likes the rabbit. The cow sees the lion. The lion likes the rabbit. The rabbit eats the cat. The rabbit eats the cow. The rabbit sees the lion. If something is round then it eats the rabbit. If something is green and it eats the rabbit then the rabbit eats the cat. If something sees the lion then it is blue. If something likes the cow then the cow sees the cat. If something is blue and it sees the lion then it is round. If something is cold then it sees the cat. If something eats the rabbit then it is cold.\n\nQuestion: The cow is not blue.", + "answer": false, + "QDep": 1, + "original_theory": "The cat is blue. The cat is green. The cat likes the lion. The cat sees the cow. The cow eats the lion. The cow likes the rabbit. The cow sees the lion. The lion likes the rabbit. The rabbit eats the cat. The rabbit eats the cow. The rabbit sees the lion. If something is round then it eats the rabbit. If something is green and it eats the rabbit then the rabbit eats the cat. If something sees the lion then it is blue. If something likes the cow then the cow sees the cat. If something is blue and it sees the lion then it is round. If something is cold then it sees the cat. If something eats the rabbit then it is cold.", + "original_question": "The cow is not blue." + }, + { + "id": "RelNeg-OWA-D3-384", + "question": "The bear chases the cat. The bear visits the tiger. The cat chases the dog. The cat is not young. The dog does not chase the bear. The dog eats the bear. The tiger visits the cat. If something chases the cat then the cat is not kind. If something visits the tiger then the tiger chases the cat. If the cat eats the dog and the dog chases the tiger then the tiger eats the bear. If something chases the cat then it is kind. If something visits the tiger and it does not eat the tiger then the tiger visits the bear. If something is kind then it visits the tiger.\n\nQuestion: The tiger does not visit the tiger.", + "answer": false, + "QDep": 3, + "original_theory": "The bear chases the cat. The bear visits the tiger. The cat chases the dog. The cat is not young. The dog does not chase the bear. The dog eats the bear. The tiger visits the cat. If something chases the cat then the cat is not kind. If something visits the tiger then the tiger chases the cat. If the cat eats the dog and the dog chases the tiger then the tiger eats the bear. If something chases the cat then it is kind. If something visits the tiger and it does not eat the tiger then the tiger visits the bear. If something is kind then it visits the tiger.", + "original_question": "The tiger does not visit the tiger." + }, + { + "id": "RelNeg-OWA-D2-354", + "question": "The dog likes the lion. The dog needs the lion. The lion does not like the dog. The lion does not need the mouse. The lion visits the dog. The mouse likes the lion. The mouse needs the dog. If someone visits the lion and they are not kind then they visit the dog. If the mouse is not blue then the mouse needs the lion. If someone is kind and young then they do not need the mouse. If someone is red and they do not need the dog then they are not cold. If someone is young then they like the mouse. If someone needs the dog then they are young.\n\nQuestion: The mouse is not young.", + "answer": false, + "QDep": 1, + "original_theory": "The dog likes the lion. The dog needs the lion. The lion does not like the dog. The lion does not need the mouse. The lion visits the dog. The mouse likes the lion. The mouse needs the dog. If someone visits the lion and they are not kind then they visit the dog. If the mouse is not blue then the mouse needs the lion. If someone is kind and young then they do not need the mouse. If someone is red and they do not need the dog then they are not cold. If someone is young then they like the mouse. If someone needs the dog then they are young.", + "original_question": "The mouse is not young." + }, + { + "id": "RelNeg-OWA-D2-170", + "question": "The cat eats the squirrel. The squirrel eats the cat. The squirrel is nice. The squirrel is round. The squirrel sees the tiger. The tiger is not nice. The tiger sees the cat. If the squirrel sees the tiger and the tiger does not chase the squirrel then the squirrel does not see the cat. If something chases the squirrel and it eats the squirrel then the squirrel chases the cat. If something sees the squirrel then it chases the tiger. If something sees the squirrel then the squirrel chases the tiger. If the squirrel is kind then the squirrel chases the tiger. If something sees the tiger then it sees the squirrel. If the tiger does not see the cat then the tiger is kind. If the tiger eats the squirrel then the tiger is cold.\n\nQuestion: The squirrel does not see the squirrel.", + "answer": false, + "QDep": 1, + "original_theory": "The cat eats the squirrel. The squirrel eats the cat. The squirrel is nice. The squirrel is round. The squirrel sees the tiger. The tiger is not nice. The tiger sees the cat. If the squirrel sees the tiger and the tiger does not chase the squirrel then the squirrel does not see the cat. If something chases the squirrel and it eats the squirrel then the squirrel chases the cat. If something sees the squirrel then it chases the tiger. If something sees the squirrel then the squirrel chases the tiger. If the squirrel is kind then the squirrel chases the tiger. If something sees the tiger then it sees the squirrel. If the tiger does not see the cat then the tiger is kind. If the tiger eats the squirrel then the tiger is cold.", + "original_question": "The squirrel does not see the squirrel." + }, + { + "id": "RelNoneg-OWA-D1-1156", + "question": "The cow is blue. The cow is kind. The cow is young. The cow sees the rabbit. The rabbit eats the cow. The rabbit is young. The rabbit needs the cow. If the cow sees the rabbit then the cow is young. If the rabbit is young and the rabbit sees the cow then the rabbit eats the cow. If someone is red then they are kind. If someone needs the rabbit and the rabbit eats the cow then they eat the rabbit. If someone needs the cow then they are kind. If someone eats the cow then the cow needs the rabbit. If someone needs the rabbit and they eat the cow then the rabbit eats the cow. If the cow needs the rabbit and the rabbit needs the cow then the cow is young.\n\nQuestion: The cow does not need the rabbit.", + "answer": false, + "QDep": 1, + "original_theory": "The cow is blue. The cow is kind. The cow is young. The cow sees the rabbit. The rabbit eats the cow. The rabbit is young. The rabbit needs the cow. If the cow sees the rabbit then the cow is young. If the rabbit is young and the rabbit sees the cow then the rabbit eats the cow. If someone is red then they are kind. If someone needs the rabbit and the rabbit eats the cow then they eat the rabbit. If someone needs the cow then they are kind. If someone eats the cow then the cow needs the rabbit. If someone needs the rabbit and they eat the cow then the rabbit eats the cow. If the cow needs the rabbit and the rabbit needs the cow then the cow is young.", + "original_question": "The cow does not need the rabbit." + }, + { + "id": "RelNoneg-OWA-D5-323", + "question": "The bear sees the rabbit. The cow likes the rabbit. The cow needs the rabbit. The cow sees the rabbit. The dog is green. The dog is red. The dog likes the cow. The dog likes the rabbit. The dog needs the bear. The dog sees the cow. The dog sees the rabbit. The rabbit is blue. The rabbit is cold. The rabbit needs the bear. The rabbit needs the cow. The rabbit sees the dog. If the bear is cold then the bear is red. If someone likes the rabbit and they are red then the rabbit likes the dog. If someone sees the dog and they need the bear then they are red. Green people are red. If someone is red then they need the cow. If someone sees the cow and they need the cow then they like the bear. All cold, kind people are green. If someone sees the bear and the bear is cold then the bear needs the rabbit. If someone sees the dog and the dog likes the bear then the bear is cold.\n\nQuestion: The bear is cold.", + "answer": true, + "QDep": 3, + "original_theory": "The bear sees the rabbit. The cow likes the rabbit. The cow needs the rabbit. The cow sees the rabbit. The dog is green. The dog is red. The dog likes the cow. The dog likes the rabbit. The dog needs the bear. The dog sees the cow. The dog sees the rabbit. The rabbit is blue. The rabbit is cold. The rabbit needs the bear. The rabbit needs the cow. The rabbit sees the dog. If the bear is cold then the bear is red. If someone likes the rabbit and they are red then the rabbit likes the dog. If someone sees the dog and they need the bear then they are red. Green people are red. If someone is red then they need the cow. If someone sees the cow and they need the cow then they like the bear. All cold, kind people are green. If someone sees the bear and the bear is cold then the bear needs the rabbit. If someone sees the dog and the dog likes the bear then the bear is cold.", + "original_question": "The bear is cold." + }, + { + "id": "RelNoneg-OWA-D1-1156", + "question": "The cow is blue. The cow is kind. The cow is young. The cow sees the rabbit. The rabbit eats the cow. The rabbit is young. The rabbit needs the cow. If the cow sees the rabbit then the cow is young. If the rabbit is young and the rabbit sees the cow then the rabbit eats the cow. If someone is red then they are kind. If someone needs the rabbit and the rabbit eats the cow then they eat the rabbit. If someone needs the cow then they are kind. If someone eats the cow then the cow needs the rabbit. If someone needs the rabbit and they eat the cow then the rabbit eats the cow. If the cow needs the rabbit and the rabbit needs the cow then the cow is young.\n\nQuestion: The rabbit is kind.", + "answer": true, + "QDep": 1, + "original_theory": "The cow is blue. The cow is kind. The cow is young. The cow sees the rabbit. The rabbit eats the cow. The rabbit is young. The rabbit needs the cow. If the cow sees the rabbit then the cow is young. If the rabbit is young and the rabbit sees the cow then the rabbit eats the cow. If someone is red then they are kind. If someone needs the rabbit and the rabbit eats the cow then they eat the rabbit. If someone needs the cow then they are kind. If someone eats the cow then the cow needs the rabbit. If someone needs the rabbit and they eat the cow then the rabbit eats the cow. If the cow needs the rabbit and the rabbit needs the cow then the cow is young.", + "original_question": "The rabbit is kind." + }, + { + "id": "RelNeg-OWA-D3-1556", + "question": "The bear is cold. The mouse chases the tiger. The tiger visits the mouse. If something eats the bear then it is red. If the tiger chases the bear then the bear is green. If something is cold then it eats the mouse. If something is cold and it visits the tiger then the tiger is kind. If something visits the mouse then it chases the tiger. If something eats the mouse then the mouse eats the bear. If something visits the bear and the bear does not eat the mouse then it eats the tiger. If something eats the bear and it chases the bear then it eats the tiger.\n\nQuestion: The bear is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "The bear is cold. The mouse chases the tiger. The tiger visits the mouse. If something eats the bear then it is red. If the tiger chases the bear then the bear is green. If something is cold then it eats the mouse. If something is cold and it visits the tiger then the tiger is kind. If something visits the mouse then it chases the tiger. If something eats the mouse then the mouse eats the bear. If something visits the bear and the bear does not eat the mouse then it eats the tiger. If something eats the bear and it chases the bear then it eats the tiger.", + "original_question": "The bear is not cold." + }, + { + "id": "RelNoneg-OWA-D0-3500", + "question": "The bear eats the cat. The cat is young. The cow is kind. All green things are round. If something is blue and it chases the bear then the bear is young. If something is kind and it eats the bear then the bear chases the cat. If the cow eats the cat and the cow likes the bear then the cow eats the bear. If something eats the cow and the cow is blue then it eats the bear. If something eats the bear and it likes the cow then the bear chases the cat. If something chases the bear then it eats the bear. If something is kind and it likes the cow then the cow chases the bear.\n\nQuestion: The cow is kind.", + "answer": true, + "QDep": 0, + "original_theory": "The bear eats the cat. The cat is young. The cow is kind. All green things are round. If something is blue and it chases the bear then the bear is young. If something is kind and it eats the bear then the bear chases the cat. If the cow eats the cat and the cow likes the bear then the cow eats the bear. If something eats the cow and the cow is blue then it eats the bear. If something eats the bear and it likes the cow then the bear chases the cat. If something chases the bear then it eats the bear. If something is kind and it likes the cow then the cow chases the bear.", + "original_question": "The cow is kind." + }, + { + "id": "AttNeg-OWA-D5-649", + "question": "Charlie is big. Erin is cold. Erin is kind. Erin is smart. Fiona is big. Gary is blue. Gary is young. All big people are kind. Green people are smart. All blue, young people are smart. If someone is blue and smart then they are cold. Smart, blue people are green. Blue people are green. All kind people are blue.\n\nQuestion: Gary is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is big. Erin is cold. Erin is kind. Erin is smart. Fiona is big. Gary is blue. Gary is young. All big people are kind. Green people are smart. All blue, young people are smart. If someone is blue and smart then they are cold. Smart, blue people are green. Blue people are green. All kind people are blue.", + "original_question": "Gary is not blue." + }, + { + "id": "AttNeg-OWA-D0-374", + "question": "Bob is blue. Bob is nice. Erin is nice. Erin is quiet. Erin is round. Erin is not young. Gary is red. Round, rough things are young. All quiet things are blue.\n\nQuestion: Bob is blue.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is blue. Bob is nice. Erin is nice. Erin is quiet. Erin is round. Erin is not young. Gary is red. Round, rough things are young. All quiet things are blue.", + "original_question": "Bob is blue." + }, + { + "id": "RelNoneg-OWA-D3-1167", + "question": "The bald eagle needs the rabbit. The bald eagle visits the squirrel. The rabbit chases the bald eagle. The rabbit needs the bald eagle. The squirrel is green. The squirrel needs the bald eagle. The squirrel needs the rabbit. If someone visits the squirrel then the squirrel needs the rabbit. If someone visits the squirrel and the squirrel chases the rabbit then they chase the squirrel. If someone visits the squirrel then they visit the rabbit. If someone visits the squirrel then they need the bald eagle. If someone visits the rabbit then they visit the bald eagle. If someone visits the bald eagle then the bald eagle is young. If someone visits the rabbit and they need the bald eagle then the rabbit visits the bald eagle. If someone chases the rabbit then they are young.\n\nQuestion: The rabbit visits the bald eagle.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle needs the rabbit. The bald eagle visits the squirrel. The rabbit chases the bald eagle. The rabbit needs the bald eagle. The squirrel is green. The squirrel needs the bald eagle. The squirrel needs the rabbit. If someone visits the squirrel then the squirrel needs the rabbit. If someone visits the squirrel and the squirrel chases the rabbit then they chase the squirrel. If someone visits the squirrel then they visit the rabbit. If someone visits the squirrel then they need the bald eagle. If someone visits the rabbit then they visit the bald eagle. If someone visits the bald eagle then the bald eagle is young. If someone visits the rabbit and they need the bald eagle then the rabbit visits the bald eagle. If someone chases the rabbit then they are young.", + "original_question": "The rabbit visits the bald eagle." + }, + { + "id": "RelNeg-OWA-D1-131", + "question": "The cow chases the squirrel. The squirrel chases the tiger. The tiger visits the cow. If someone visits the tiger and the tiger visits the squirrel then the squirrel sees the tiger. If someone is big then they see the tiger. If the tiger visits the cow then the cow does not visit the tiger.\n\nQuestion: The squirrel chases the tiger.", + "answer": true, + "QDep": 0, + "original_theory": "The cow chases the squirrel. The squirrel chases the tiger. The tiger visits the cow. If someone visits the tiger and the tiger visits the squirrel then the squirrel sees the tiger. If someone is big then they see the tiger. If the tiger visits the cow then the cow does not visit the tiger.", + "original_question": "The squirrel chases the tiger." + }, + { + "id": "RelNoneg-OWA-D5-902", + "question": "The bald eagle is kind. The bald eagle needs the mouse. The cow chases the bald eagle. The cow is blue. The dog chases the bald eagle. The dog chases the cow. The dog chases the mouse. The dog eats the mouse. The dog is green. The mouse needs the bald eagle. If the bald eagle eats the mouse and the mouse is nice then the mouse is rough. If something chases the bald eagle and the bald eagle is rough then the bald eagle eats the cow. If something chases the bald eagle then the bald eagle is rough. If something chases the cow and it is nice then the cow chases the mouse. If something needs the bald eagle then it is blue. If something eats the cow then it is green. If something chases the dog then the dog eats the cow. If something eats the dog and the dog chases the mouse then the dog needs the bald eagle. If something is green and it needs the mouse then the mouse eats the cow.\n\nQuestion: The mouse eats the cow.", + "answer": true, + "QDep": 4, + "original_theory": "The bald eagle is kind. The bald eagle needs the mouse. The cow chases the bald eagle. The cow is blue. The dog chases the bald eagle. The dog chases the cow. The dog chases the mouse. The dog eats the mouse. The dog is green. The mouse needs the bald eagle. If the bald eagle eats the mouse and the mouse is nice then the mouse is rough. If something chases the bald eagle and the bald eagle is rough then the bald eagle eats the cow. If something chases the bald eagle then the bald eagle is rough. If something chases the cow and it is nice then the cow chases the mouse. If something needs the bald eagle then it is blue. If something eats the cow then it is green. If something chases the dog then the dog eats the cow. If something eats the dog and the dog chases the mouse then the dog needs the bald eagle. If something is green and it needs the mouse then the mouse eats the cow.", + "original_question": "The mouse eats the cow." + }, + { + "id": "AttNonegNatLang-OWA-219", + "question": "When Bob walks around the neighborhood being nice and kind, the closer you get to him you can tell he is blue and red. Gary seems to be round. Harry may be round, but he is also kind. Round people who feel blue and are green in color are often young in age. Any person that's blue, young and green will turn out to be a nice person, too. People who are feeling blue and green are said to be red. A kind young person who is green will be cold. Any person who can be red and blue at the same time is cold. A nice person with cold skin is going to be rough. Every single blue and red person who acts sort of rough tends to be green in places.\n\nQuestion: Bob is not cold.", + "answer": false, + "QDep": 1, + "original_theory": "When Bob walks around the neighborhood being nice and kind, the closer you get to him you can tell he is blue and red. Gary seems to be round. Harry may be round, but he is also kind. Round people who feel blue and are green in color are often young in age. Any person that's blue, young and green will turn out to be a nice person, too. People who are feeling blue and green are said to be red. A kind young person who is green will be cold. Any person who can be red and blue at the same time is cold. A nice person with cold skin is going to be rough. Every single blue and red person who acts sort of rough tends to be green in places.", + "original_question": "Bob is not cold." + }, + { + "id": "RelNoneg-OWA-D1-2863", + "question": "The cat chases the rabbit. The rabbit chases the cat. If something is kind and it needs the cat then it is nice. If something sees the cat and the cat sees the rabbit then the rabbit sees the cat. If something chases the cat then it needs the cat. If something chases the rabbit and the rabbit sees the cat then the cat chases the rabbit. If something is young and it sees the rabbit then it needs the rabbit. If something sees the cat then it chases the rabbit.\n\nQuestion: The rabbit needs the cat.", + "answer": true, + "QDep": 1, + "original_theory": "The cat chases the rabbit. The rabbit chases the cat. If something is kind and it needs the cat then it is nice. If something sees the cat and the cat sees the rabbit then the rabbit sees the cat. If something chases the cat then it needs the cat. If something chases the rabbit and the rabbit sees the cat then the cat chases the rabbit. If something is young and it sees the rabbit then it needs the rabbit. If something sees the cat then it chases the rabbit.", + "original_question": "The rabbit needs the cat." + }, + { + "id": "RelNoneg-OWA-D0-2697", + "question": "The bald eagle likes the cat. The cat likes the squirrel. The mouse likes the bald eagle. The squirrel chases the bald eagle. If the bald eagle chases the cat then the cat chases the mouse. If someone likes the cat and the cat likes the squirrel then they need the mouse.\n\nQuestion: The cat likes the squirrel.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle likes the cat. The cat likes the squirrel. The mouse likes the bald eagle. The squirrel chases the bald eagle. If the bald eagle chases the cat then the cat chases the mouse. If someone likes the cat and the cat likes the squirrel then they need the mouse.", + "original_question": "The cat likes the squirrel." + }, + { + "id": "RelNeg-OWA-D3-1588", + "question": "The mouse eats the squirrel. The mouse is not red. The squirrel is green. If someone eats the mouse then the mouse needs the squirrel. If the mouse is not rough and the mouse does not eat the squirrel then the mouse does not need the squirrel. If someone needs the squirrel then they need the mouse. If someone eats the squirrel then they eat the mouse. If someone is red and they eat the squirrel then the squirrel is big. If someone visits the squirrel then the squirrel is not kind. If someone visits the mouse and they do not need the mouse then the mouse visits the squirrel. If the mouse does not need the squirrel then the mouse visits the squirrel.\n\nQuestion: The mouse needs the squirrel.", + "answer": true, + "QDep": 2, + "original_theory": "The mouse eats the squirrel. The mouse is not red. The squirrel is green. If someone eats the mouse then the mouse needs the squirrel. If the mouse is not rough and the mouse does not eat the squirrel then the mouse does not need the squirrel. If someone needs the squirrel then they need the mouse. If someone eats the squirrel then they eat the mouse. If someone is red and they eat the squirrel then the squirrel is big. If someone visits the squirrel then the squirrel is not kind. If someone visits the mouse and they do not need the mouse then the mouse visits the squirrel. If the mouse does not need the squirrel then the mouse visits the squirrel.", + "original_question": "The mouse needs the squirrel." + }, + { + "id": "RelNoneg-OWA-D3-1503", + "question": "The bear eats the cow. The bear is cold. The bear is kind. The bear visits the dog. The cat eats the cow. The cat is big. The cat sees the cow. The cat sees the dog. The cat visits the bear. The cow eats the cat. The cow is big. The cow is cold. The cow sees the bear. The cow visits the cat. The dog is round. The dog visits the cat. If the cat visits the bear then the cat is round. If the cat visits the cow then the cow sees the cat. If the cow visits the cat and the cow sees the cat then the cat is round. If the cat visits the cow then the cat is round. If someone is nice then they visit the dog. If someone is round then they visit the cow. If someone eats the dog and they see the cat then the dog eats the cat. If someone sees the cat and the cat visits the cow then the cat sees the dog.\n\nQuestion: The dog visits the cow.", + "answer": true, + "QDep": 1, + "original_theory": "The bear eats the cow. The bear is cold. The bear is kind. The bear visits the dog. The cat eats the cow. The cat is big. The cat sees the cow. The cat sees the dog. The cat visits the bear. The cow eats the cat. The cow is big. The cow is cold. The cow sees the bear. The cow visits the cat. The dog is round. The dog visits the cat. If the cat visits the bear then the cat is round. If the cat visits the cow then the cow sees the cat. If the cow visits the cat and the cow sees the cat then the cat is round. If the cat visits the cow then the cat is round. If someone is nice then they visit the dog. If someone is round then they visit the cow. If someone eats the dog and they see the cat then the dog eats the cat. If someone sees the cat and the cat visits the cow then the cat sees the dog.", + "original_question": "The dog visits the cow." + }, + { + "id": "AttNeg-OWA-D3-1475", + "question": "Charlie is big. Charlie is rough. Charlie is not young. Erin is rough. Erin is smart. Gary is big. Gary is quiet. If Gary is rough then Gary is not kind. All big things are quiet. All smart things are quiet. Big things are kind. If Erin is kind then Erin is quiet. If something is rough then it is cold. Smart things are rough. Quiet things are big.\n\nQuestion: Erin is big.", + "answer": true, + "QDep": 2, + "original_theory": "Charlie is big. Charlie is rough. Charlie is not young. Erin is rough. Erin is smart. Gary is big. Gary is quiet. If Gary is rough then Gary is not kind. All big things are quiet. All smart things are quiet. Big things are kind. If Erin is kind then Erin is quiet. If something is rough then it is cold. Smart things are rough. Quiet things are big.", + "original_question": "Erin is big." + }, + { + "id": "RelNeg-OWA-D3-325", + "question": "The bald eagle chases the cow. The bald eagle eats the cow. The bear eats the bald eagle. The bear is green. The cow chases the bear. The cow sees the bald eagle. The cow sees the bear. If someone sees the cow and they are not green then the cow is young. If the cow eats the bald eagle then the cow is not young. If someone chases the cow then the cow is not nice. If someone eats the bear then the bear chases the cow. If someone chases the cow then they eat the bear. If someone is red then they chase the bear.\n\nQuestion: The cow sees the bald eagle.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle chases the cow. The bald eagle eats the cow. The bear eats the bald eagle. The bear is green. The cow chases the bear. The cow sees the bald eagle. The cow sees the bear. If someone sees the cow and they are not green then the cow is young. If the cow eats the bald eagle then the cow is not young. If someone chases the cow then the cow is not nice. If someone eats the bear then the bear chases the cow. If someone chases the cow then they eat the bear. If someone is red then they chase the bear.", + "original_question": "The cow sees the bald eagle." + }, + { + "id": "AttNonegNatLang-OWA-165", + "question": "That guy Alan sure is nice. Charlie discovered that even though he was round, rough, and nice and green, he was actually big. Dave is a cold and round man who has red and green skin. The young person who is always feeling cold is named Harry. People who have green body paint and act kind to others are quite young. A very nice person who is also green is certainly kind. Big people with red hair are cold because they cannot find coats that fit. Most young kind people tend to be red too.\n\nQuestion: Dave is round.", + "answer": true, + "QDep": 0, + "original_theory": "That guy Alan sure is nice. Charlie discovered that even though he was round, rough, and nice and green, he was actually big. Dave is a cold and round man who has red and green skin. The young person who is always feeling cold is named Harry. People who have green body paint and act kind to others are quite young. A very nice person who is also green is certainly kind. Big people with red hair are cold because they cannot find coats that fit. Most young kind people tend to be red too.", + "original_question": "Dave is round." + }, + { + "id": "RelNeg-OWA-D2-354", + "question": "The dog likes the lion. The dog needs the lion. The lion does not like the dog. The lion does not need the mouse. The lion visits the dog. The mouse likes the lion. The mouse needs the dog. If someone visits the lion and they are not kind then they visit the dog. If the mouse is not blue then the mouse needs the lion. If someone is kind and young then they do not need the mouse. If someone is red and they do not need the dog then they are not cold. If someone is young then they like the mouse. If someone needs the dog then they are young.\n\nQuestion: The mouse is young.", + "answer": true, + "QDep": 1, + "original_theory": "The dog likes the lion. The dog needs the lion. The lion does not like the dog. The lion does not need the mouse. The lion visits the dog. The mouse likes the lion. The mouse needs the dog. If someone visits the lion and they are not kind then they visit the dog. If the mouse is not blue then the mouse needs the lion. If someone is kind and young then they do not need the mouse. If someone is red and they do not need the dog then they are not cold. If someone is young then they like the mouse. If someone needs the dog then they are young.", + "original_question": "The mouse is young." + }, + { + "id": "RelNeg-OWA-D5-439", + "question": "The bald eagle is round. The mouse eats the squirrel. The mouse is cold. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit eats the squirrel. The rabbit sees the mouse. The rabbit does not visit the bald eagle. The squirrel is not big. The squirrel does not visit the bald eagle. The squirrel visits the rabbit. If something sees the rabbit then it visits the bald eagle. If the mouse sees the rabbit and the rabbit is blue then the mouse is blue. If something is cold then it sees the rabbit. If something visits the bald eagle then the bald eagle is cold. If something visits the rabbit then the rabbit sees the squirrel.\n\nQuestion: The mouse sees the rabbit.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle is round. The mouse eats the squirrel. The mouse is cold. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit eats the squirrel. The rabbit sees the mouse. The rabbit does not visit the bald eagle. The squirrel is not big. The squirrel does not visit the bald eagle. The squirrel visits the rabbit. If something sees the rabbit then it visits the bald eagle. If the mouse sees the rabbit and the rabbit is blue then the mouse is blue. If something is cold then it sees the rabbit. If something visits the bald eagle then the bald eagle is cold. If something visits the rabbit then the rabbit sees the squirrel.", + "original_question": "The mouse sees the rabbit." + }, + { + "id": "RelNeg-OWA-D3-625", + "question": "The bear eats the squirrel. The bear is nice. The bear is round. The bear needs the squirrel. The cow does not eat the tiger. The cow is cold. The cow needs the tiger. The squirrel is cold. The squirrel is nice. The squirrel does not see the bear. The squirrel sees the tiger. The tiger needs the bear. If the squirrel is blue then the squirrel sees the tiger. If someone sees the tiger then they need the cow. If someone eats the tiger and they are not blue then they eat the cow. If someone needs the cow then they eat the bear. If someone is cold then they see the tiger. If someone needs the cow then they see the squirrel.\n\nQuestion: The tiger does not need the bear.", + "answer": false, + "QDep": 0, + "original_theory": "The bear eats the squirrel. The bear is nice. The bear is round. The bear needs the squirrel. The cow does not eat the tiger. The cow is cold. The cow needs the tiger. The squirrel is cold. The squirrel is nice. The squirrel does not see the bear. The squirrel sees the tiger. The tiger needs the bear. If the squirrel is blue then the squirrel sees the tiger. If someone sees the tiger then they need the cow. If someone eats the tiger and they are not blue then they eat the cow. If someone needs the cow then they eat the bear. If someone is cold then they see the tiger. If someone needs the cow then they see the squirrel.", + "original_question": "The tiger does not need the bear." + }, + { + "id": "RelNoneg-OWA-D2-987", + "question": "The bear is blue. The bear is cold. The bear is round. If the bear is young and the bear is round then the bear is green. If the bear is blue then the bear is young. If someone is cold and blue then they are round.\n\nQuestion: The bear is not young.", + "answer": false, + "QDep": 1, + "original_theory": "The bear is blue. The bear is cold. The bear is round. If the bear is young and the bear is round then the bear is green. If the bear is blue then the bear is young. If someone is cold and blue then they are round.", + "original_question": "The bear is not young." + }, + { + "id": "RelNeg-OWA-D2-2105", + "question": "The bald eagle sees the rabbit. The rabbit is round. The tiger does not see the rabbit. If something chases the bald eagle then it does not chase the tiger. If something is rough then it likes the tiger. If the bald eagle sees the rabbit and the rabbit is not rough then the rabbit is red. If the tiger does not see the rabbit and the rabbit is not rough then the tiger likes the rabbit. If something sees the rabbit then the rabbit likes the bald eagle. If the bald eagle is not round then the bald eagle sees the rabbit. If something likes the bald eagle then the bald eagle sees the tiger. If something sees the rabbit and it does not see the tiger then the rabbit chases the tiger.\n\nQuestion: The bald eagle sees the tiger.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle sees the rabbit. The rabbit is round. The tiger does not see the rabbit. If something chases the bald eagle then it does not chase the tiger. If something is rough then it likes the tiger. If the bald eagle sees the rabbit and the rabbit is not rough then the rabbit is red. If the tiger does not see the rabbit and the rabbit is not rough then the tiger likes the rabbit. If something sees the rabbit then the rabbit likes the bald eagle. If the bald eagle is not round then the bald eagle sees the rabbit. If something likes the bald eagle then the bald eagle sees the tiger. If something sees the rabbit and it does not see the tiger then the rabbit chases the tiger.", + "original_question": "The bald eagle sees the tiger." + }, + { + "id": "AttNoneg-OWA-D2-2256", + "question": "Dave is cold. Erin is big. All cold people are big. If someone is young then they are cold. Blue, rough people are young. All big people are cold. If someone is big then they are rough. If someone is cold then they are kind.\n\nQuestion: Erin is not rough.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is cold. Erin is big. All cold people are big. If someone is young then they are cold. Blue, rough people are young. All big people are cold. If someone is big then they are rough. If someone is cold then they are kind.", + "original_question": "Erin is not rough." + }, + { + "id": "AttNoneg-OWA-D2-1493", + "question": "Bob is furry. Bob is quiet. Bob is rough. Bob is round. Charlie is big. Charlie is quiet. Charlie is rough. Charlie is white. Charlie is young. Harry is quiet. Harry is round. Harry is white. Big people are young. If someone is round and white then they are young. If someone is young then they are furry.\n\nQuestion: Harry is not furry.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is furry. Bob is quiet. Bob is rough. Bob is round. Charlie is big. Charlie is quiet. Charlie is rough. Charlie is white. Charlie is young. Harry is quiet. Harry is round. Harry is white. Big people are young. If someone is round and white then they are young. If someone is young then they are furry.", + "original_question": "Harry is not furry." + }, + { + "id": "AttNeg-OWA-D0-4411", + "question": "Bob is kind. Bob is round. Bob is smart. Charlie is big. Charlie is quiet. Charlie is round. Dave is kind. Dave is round. Dave is young. Erin is big. Erin is not nice. Erin is not quiet. Erin is round. Erin is smart. Erin is young. All quiet people are big. All quiet people are not nice. All smart people are round. If Dave is round and Dave is nice then Dave is big. If someone is kind and not nice then they are smart. If someone is nice then they are smart. If Erin is nice and Erin is round then Erin is smart. If someone is round then they are kind.\n\nQuestion: Erin is not young.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is kind. Bob is round. Bob is smart. Charlie is big. Charlie is quiet. Charlie is round. Dave is kind. Dave is round. Dave is young. Erin is big. Erin is not nice. Erin is not quiet. Erin is round. Erin is smart. Erin is young. All quiet people are big. All quiet people are not nice. All smart people are round. If Dave is round and Dave is nice then Dave is big. If someone is kind and not nice then they are smart. If someone is nice then they are smart. If Erin is nice and Erin is round then Erin is smart. If someone is round then they are kind.", + "original_question": "Erin is not young." + }, + { + "id": "RelNoneg-OWA-D1-491", + "question": "The cat chases the lion. The cow likes the lion. The lion likes the cat. If something likes the lion then it is nice. If something chases the cow then the cow is kind. Kind things are nice.\n\nQuestion: The cow does not like the lion.", + "answer": false, + "QDep": 0, + "original_theory": "The cat chases the lion. The cow likes the lion. The lion likes the cat. If something likes the lion then it is nice. If something chases the cow then the cow is kind. Kind things are nice.", + "original_question": "The cow does not like the lion." + }, + { + "id": "RelNoneg-OWA-D0-5853", + "question": "The cow eats the lion. The cow eats the squirrel. The cow needs the lion. The cow visits the lion. The lion eats the cow. The lion is blue. The lion is young. The lion needs the squirrel. The lion visits the cow. The squirrel needs the cow. If someone needs the lion then they eat the squirrel. If someone is rough and they eat the cow then they need the lion. If someone needs the cow then they visit the squirrel.\n\nQuestion: The cow does not visit the lion.", + "answer": false, + "QDep": 0, + "original_theory": "The cow eats the lion. The cow eats the squirrel. The cow needs the lion. The cow visits the lion. The lion eats the cow. The lion is blue. The lion is young. The lion needs the squirrel. The lion visits the cow. The squirrel needs the cow. If someone needs the lion then they eat the squirrel. If someone is rough and they eat the cow then they need the lion. If someone needs the cow then they visit the squirrel.", + "original_question": "The cow does not visit the lion." + }, + { + "id": "AttNoneg-OWA-D3-1108", + "question": "Bob is blue. Bob is round. Bob is white. All round people are big. All green, white people are nice. All big people are green.\n\nQuestion: Bob is not big.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is blue. Bob is round. Bob is white. All round people are big. All green, white people are nice. All big people are green.", + "original_question": "Bob is not big." + }, + { + "id": "AttNonegNatLang-OWA-175", + "question": "Alan is rather round shaped nice fellow who is feeling blue and looking green today. Charlie seems to be round. Eric seems to be round. No one knows Harry like me and he is a kind guy, very round in the belly and green as grass. Round people who feel blue and are green in color are often young in age. Every time you meet someone kind and nice, they'll be green, too. Young people who are cold and blue are actually kind. Rough people who are kind and green with envy are red with their toughened skin. When green, young and round fits a person, you'll see that rough will also fit. Anyone rough in texture and young in age is a cold person. Most young kind people tend to be red too.\n\nQuestion: Alan is young.", + "answer": true, + "QDep": 1, + "original_theory": "Alan is rather round shaped nice fellow who is feeling blue and looking green today. Charlie seems to be round. Eric seems to be round. No one knows Harry like me and he is a kind guy, very round in the belly and green as grass. Round people who feel blue and are green in color are often young in age. Every time you meet someone kind and nice, they'll be green, too. Young people who are cold and blue are actually kind. Rough people who are kind and green with envy are red with their toughened skin. When green, young and round fits a person, you'll see that rough will also fit. Anyone rough in texture and young in age is a cold person. Most young kind people tend to be red too.", + "original_question": "Alan is young." + }, + { + "id": "AttNoneg-OWA-D3-9", + "question": "Bob is kind. Bob is nice. Bob is round. Gary is blue. Gary is round. Harry is cold. Harry is rough. If something is blue and kind then it is round. Kind, round things are young. All cold things are kind. If something is kind and blue then it is rough. If something is young then it is nice. Cold things are round.\n\nQuestion: Harry is not young.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is kind. Bob is nice. Bob is round. Gary is blue. Gary is round. Harry is cold. Harry is rough. If something is blue and kind then it is round. Kind, round things are young. All cold things are kind. If something is kind and blue then it is rough. If something is young then it is nice. Cold things are round.", + "original_question": "Harry is not young." + }, + { + "id": "RelNeg-OWA-D3-1447", + "question": "The rabbit is cold. All cold things are green. All green things are round. If something is young and not green then it is round. If something is round and not cold then it is red. All young things are red. Round things are red.\n\nQuestion: The rabbit is not green.", + "answer": false, + "QDep": 1, + "original_theory": "The rabbit is cold. All cold things are green. All green things are round. If something is young and not green then it is round. If something is round and not cold then it is red. All young things are red. Round things are red.", + "original_question": "The rabbit is not green." + }, + { + "id": "AttNoneg-OWA-D3-98", + "question": "Dave is big. Dave is cold. Dave is furry. Dave is kind. Dave is nice. Dave is rough. Dave is round. Erin is cold. Erin is furry. Erin is nice. Erin is rough. Fiona is cold. Fiona is furry. Fiona is rough. Fiona is round. Furry, nice things are rough. Round things are furry. All nice, cold things are furry. Kind things are nice. If something is nice then it is big. If something is furry and nice then it is cold. If something is furry then it is kind. If Fiona is cold and Fiona is nice then Fiona is rough.\n\nQuestion: Dave is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "Dave is big. Dave is cold. Dave is furry. Dave is kind. Dave is nice. Dave is rough. Dave is round. Erin is cold. Erin is furry. Erin is nice. Erin is rough. Fiona is cold. Fiona is furry. Fiona is rough. Fiona is round. Furry, nice things are rough. Round things are furry. All nice, cold things are furry. Kind things are nice. If something is nice then it is big. If something is furry and nice then it is cold. If something is furry then it is kind. If Fiona is cold and Fiona is nice then Fiona is rough.", + "original_question": "Dave is not nice." + }, + { + "id": "AttNoneg-OWA-D3-1895", + "question": "Erin is cold. Fiona is smart. If something is cold then it is rough. All rough things are red. Red things are kind. All cold things are blue. If Fiona is cold then Fiona is big. All rough, blue things are red. If something is blue and smart then it is red. Kind things are blue.\n\nQuestion: Erin is not red.", + "answer": false, + "QDep": 2, + "original_theory": "Erin is cold. Fiona is smart. If something is cold then it is rough. All rough things are red. Red things are kind. All cold things are blue. If Fiona is cold then Fiona is big. All rough, blue things are red. If something is blue and smart then it is red. Kind things are blue.", + "original_question": "Erin is not red." + }, + { + "id": "RelNeg-OWA-D1-382", + "question": "The bald eagle is cold. The bald eagle likes the mouse. The bald eagle sees the rabbit. The mouse visits the rabbit. The rabbit is not round. The rabbit likes the bald eagle. The squirrel likes the rabbit. If someone is blue then they see the squirrel. If someone visits the rabbit and they like the bald eagle then they see the squirrel. If the mouse does not visit the rabbit then the rabbit does not visit the squirrel. If the bald eagle likes the mouse then the bald eagle likes the squirrel. If someone visits the bald eagle then they are red. If someone is red and they like the squirrel then they are not blue.\n\nQuestion: The bald eagle likes the squirrel.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle is cold. The bald eagle likes the mouse. The bald eagle sees the rabbit. The mouse visits the rabbit. The rabbit is not round. The rabbit likes the bald eagle. The squirrel likes the rabbit. If someone is blue then they see the squirrel. If someone visits the rabbit and they like the bald eagle then they see the squirrel. If the mouse does not visit the rabbit then the rabbit does not visit the squirrel. If the bald eagle likes the mouse then the bald eagle likes the squirrel. If someone visits the bald eagle then they are red. If someone is red and they like the squirrel then they are not blue.", + "original_question": "The bald eagle likes the squirrel." + }, + { + "id": "AttNeg-OWA-D5-419", + "question": "Anne is cold. Anne is rough. Anne is smart. Erin is smart. Fiona is cold. Fiona is round. Harry is cold. If someone is cold then they are young. Cold people are young. If someone is round then they are rough. If someone is rough and young then they are furry. If someone is young then they are round. Rough people are green. If someone is round and young then they are cold. If someone is furry then they are smart.\n\nQuestion: Harry is round.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is cold. Anne is rough. Anne is smart. Erin is smart. Fiona is cold. Fiona is round. Harry is cold. If someone is cold then they are young. Cold people are young. If someone is round then they are rough. If someone is rough and young then they are furry. If someone is young then they are round. Rough people are green. If someone is round and young then they are cold. If someone is furry then they are smart.", + "original_question": "Harry is round." + }, + { + "id": "AttNoneg-OWA-D3-647", + "question": "Bob is green. Dave is furry. Dave is green. Dave is nice. Dave is red. Dave is smart. Harry is green. Harry is quiet. Harry is red. Harry is smart. If Harry is quiet then Harry is nice. Green things are nice. If something is green and nice then it is cold. If Harry is cold then Harry is red. Cold things are green. All cold things are furry.\n\nQuestion: Bob is furry.", + "answer": true, + "QDep": 3, + "original_theory": "Bob is green. Dave is furry. Dave is green. Dave is nice. Dave is red. Dave is smart. Harry is green. Harry is quiet. Harry is red. Harry is smart. If Harry is quiet then Harry is nice. Green things are nice. If something is green and nice then it is cold. If Harry is cold then Harry is red. Cold things are green. All cold things are furry.", + "original_question": "Bob is furry." + }, + { + "id": "AttPos-OWA-ElectricityRB4-63", + "question": "The battery is flat. The switch is on. The wire is metal. The circuit includes the bell. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The wire is not conducting.", + "answer": false, + "QDep": 1, + "original_theory": "The battery is flat. The switch is on. The wire is metal. The circuit includes the bell. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The wire is not conducting." + }, + { + "id": "RelNeg-OWA-D3-1224", + "question": "The bear chases the dog. The bear is green. The bear does not need the dog. The bear visits the dog. The dog is big. The dog is not green. The dog visits the bear. If someone chases the bear then the bear does not need the dog. If the dog needs the bear then the dog chases the bear. If someone visits the dog then they do not chase the bear. If someone needs the bear then they do not visit the dog. If someone is green then they do not need the bear. If someone visits the dog then they are not round. If the dog is not green then the dog needs the bear. If someone chases the bear then they chase the dog.\n\nQuestion: The dog does not chase the dog.", + "answer": false, + "QDep": 3, + "original_theory": "The bear chases the dog. The bear is green. The bear does not need the dog. The bear visits the dog. The dog is big. The dog is not green. The dog visits the bear. If someone chases the bear then the bear does not need the dog. If the dog needs the bear then the dog chases the bear. If someone visits the dog then they do not chase the bear. If someone needs the bear then they do not visit the dog. If someone is green then they do not need the bear. If someone visits the dog then they are not round. If the dog is not green then the dog needs the bear. If someone chases the bear then they chase the dog.", + "original_question": "The dog does not chase the dog." + }, + { + "id": "RelNeg-OWA-D3-1293", + "question": "The dog eats the rabbit. The dog is cold. The dog is not green. The dog is not nice. The mouse chases the dog. The mouse likes the rabbit. The rabbit eats the dog. If something chases the rabbit and the rabbit does not chase the mouse then the rabbit likes the dog. If something is cold then it is not nice. If the mouse is nice then the mouse chases the dog. Cold things are not green. If something eats the rabbit then it eats the mouse. If something is nice and big then it does not like the rabbit. If something eats the mouse then the mouse eats the rabbit. If something likes the dog then the dog does not chase the mouse.\n\nQuestion: The mouse does not eat the mouse.", + "answer": false, + "QDep": 3, + "original_theory": "The dog eats the rabbit. The dog is cold. The dog is not green. The dog is not nice. The mouse chases the dog. The mouse likes the rabbit. The rabbit eats the dog. If something chases the rabbit and the rabbit does not chase the mouse then the rabbit likes the dog. If something is cold then it is not nice. If the mouse is nice then the mouse chases the dog. Cold things are not green. If something eats the rabbit then it eats the mouse. If something is nice and big then it does not like the rabbit. If something eats the mouse then the mouse eats the rabbit. If something likes the dog then the dog does not chase the mouse.", + "original_question": "The mouse does not eat the mouse." + }, + { + "id": "AttNeg-OWA-D3-1708", + "question": "Bob is smart. Charlie is big. Charlie is cold. Charlie is quiet. Charlie is smart. Charlie is young. Erin is big. Erin is cold. Erin is nice. Erin is quiet. Erin is not rough. Erin is not smart. Erin is young. Gary is not cold. Gary is nice. Gary is rough. Smart people are young. If someone is young then they are quiet. If someone is quiet and young then they are not rough.\n\nQuestion: Bob is quiet.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is smart. Charlie is big. Charlie is cold. Charlie is quiet. Charlie is smart. Charlie is young. Erin is big. Erin is cold. Erin is nice. Erin is quiet. Erin is not rough. Erin is not smart. Erin is young. Gary is not cold. Gary is nice. Gary is rough. Smart people are young. If someone is young then they are quiet. If someone is quiet and young then they are not rough.", + "original_question": "Bob is quiet." + }, + { + "id": "RelNoneg-OWA-D3-1302", + "question": "The cat chases the cow. The cat is blue. The cat is cold. The cat is green. The cat is nice. The cat needs the cow. The cat sees the cow. The cow chases the cat. The cow is big. The cow is blue. The cow is cold. The cow is green. The cow is nice. The cow needs the cat. The cow sees the cat. If someone needs the cow and they chase the cat then the cow is cold. If someone sees the cow and they are blue then they chase the cat. If someone needs the cat and the cat needs the cow then they see the cat. Big people are blue. If someone sees the cow and they chase the cat then they need the cat. If someone chases the cow then the cow is cold.\n\nQuestion: The cat needs the cat.", + "answer": true, + "QDep": 2, + "original_theory": "The cat chases the cow. The cat is blue. The cat is cold. The cat is green. The cat is nice. The cat needs the cow. The cat sees the cow. The cow chases the cat. The cow is big. The cow is blue. The cow is cold. The cow is green. The cow is nice. The cow needs the cat. The cow sees the cat. If someone needs the cow and they chase the cat then the cow is cold. If someone sees the cow and they are blue then they chase the cat. If someone needs the cat and the cat needs the cow then they see the cat. Big people are blue. If someone sees the cow and they chase the cat then they need the cat. If someone chases the cow then the cow is cold.", + "original_question": "The cat needs the cat." + }, + { + "id": "RelNeg-OWA-D5-690", + "question": "The bear likes the tiger. The bear does not visit the dog. The dog is not cold. The dog is kind. The dog likes the bear. The dog sees the tiger. The dog visits the tiger. The squirrel is not blue. The squirrel does not like the dog. The squirrel does not like the tiger. The squirrel sees the tiger. The squirrel visits the dog. The tiger is not young. The tiger likes the bear. The tiger likes the squirrel. The tiger sees the squirrel. If the squirrel sees the dog then the dog likes the squirrel. If someone visits the tiger and they visit the dog then they are green. If the bear is kind and the bear sees the dog then the dog likes the bear. If someone is green then they see the dog. If someone sees the tiger then they visit the tiger. If someone likes the squirrel and the squirrel is green then they visit the bear. If someone likes the tiger and they do not like the bear then they are young.\n\nQuestion: The dog likes the squirrel.", + "answer": true, + "QDep": 4, + "original_theory": "The bear likes the tiger. The bear does not visit the dog. The dog is not cold. The dog is kind. The dog likes the bear. The dog sees the tiger. The dog visits the tiger. The squirrel is not blue. The squirrel does not like the dog. The squirrel does not like the tiger. The squirrel sees the tiger. The squirrel visits the dog. The tiger is not young. The tiger likes the bear. The tiger likes the squirrel. The tiger sees the squirrel. If the squirrel sees the dog then the dog likes the squirrel. If someone visits the tiger and they visit the dog then they are green. If the bear is kind and the bear sees the dog then the dog likes the bear. If someone is green then they see the dog. If someone sees the tiger then they visit the tiger. If someone likes the squirrel and the squirrel is green then they visit the bear. If someone likes the tiger and they do not like the bear then they are young.", + "original_question": "The dog likes the squirrel." + }, + { + "id": "AttNoneg-OWA-D3-1081", + "question": "Bob is cold. Bob is nice. Bob is round. Bob is smart. Erin is blue. Erin is cold. Erin is kind. Erin is nice. Fiona is cold. Fiona is kind. Fiona is red. Fiona is round. Harry is nice. Harry is red. Harry is round. Smart things are kind. Nice things are smart. All red, kind things are cold.\n\nQuestion: Harry is round.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is cold. Bob is nice. Bob is round. Bob is smart. Erin is blue. Erin is cold. Erin is kind. Erin is nice. Fiona is cold. Fiona is kind. Fiona is red. Fiona is round. Harry is nice. Harry is red. Harry is round. Smart things are kind. Nice things are smart. All red, kind things are cold.", + "original_question": "Harry is round." + }, + { + "id": "AttNeg-OWA-D2-548", + "question": "Anne is furry. Charlie is quiet. Fiona is cold. If Charlie is quiet then Charlie is white. All quiet people are furry. If someone is smart then they are not furry. If Charlie is cold then Charlie is quiet. If someone is furry and not quiet then they are nice. All furry people are nice.\n\nQuestion: Charlie is not quiet.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is furry. Charlie is quiet. Fiona is cold. If Charlie is quiet then Charlie is white. All quiet people are furry. If someone is smart then they are not furry. If Charlie is cold then Charlie is quiet. If someone is furry and not quiet then they are nice. All furry people are nice.", + "original_question": "Charlie is not quiet." + }, + { + "id": "RelNoneg-OWA-D3-194", + "question": "The bald eagle likes the cat. The bald eagle likes the cow. The bald eagle visits the cow. The bear needs the cow. The cat likes the bear. The cat needs the bear. The cat visits the bald eagle. The cow is round. The cow likes the bear. The cow visits the bald eagle. If someone needs the bald eagle then the bald eagle is cold. If someone is rough then they visit the bear. If someone likes the cat then the cat needs the bear. If someone likes the bear then they like the bald eagle. If someone is rough and round then they need the bear. If someone needs the cow then they visit the cow. If someone likes the bald eagle then they visit the bear. If someone needs the cow and the cow visits the bear then the cow needs the cat.\n\nQuestion: The cat does not like the bald eagle.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle likes the cat. The bald eagle likes the cow. The bald eagle visits the cow. The bear needs the cow. The cat likes the bear. The cat needs the bear. The cat visits the bald eagle. The cow is round. The cow likes the bear. The cow visits the bald eagle. If someone needs the bald eagle then the bald eagle is cold. If someone is rough then they visit the bear. If someone likes the cat then the cat needs the bear. If someone likes the bear then they like the bald eagle. If someone is rough and round then they need the bear. If someone needs the cow then they visit the cow. If someone likes the bald eagle then they visit the bear. If someone needs the cow and the cow visits the bear then the cow needs the cat.", + "original_question": "The cat does not like the bald eagle." + }, + { + "id": "RelNoneg-OWA-D1-3029", + "question": "The dog eats the tiger. The dog is nice. The lion chases the dog. The lion chases the tiger. The lion eats the tiger. The lion is blue. The lion is cold. The lion likes the dog. The squirrel is blue. The tiger chases the dog. The tiger chases the lion. The tiger chases the squirrel. The tiger eats the dog. The tiger likes the dog. The tiger likes the lion. The tiger likes the squirrel. If someone eats the dog then the dog chases the tiger. If someone chases the squirrel then the squirrel is cold. If the squirrel likes the tiger and the squirrel likes the dog then the squirrel eats the dog. If someone eats the dog and the dog eats the lion then they chase the tiger. If someone is cold and they eat the dog then they are young. If the squirrel is nice then the squirrel likes the dog.\n\nQuestion: The dog chases the tiger.", + "answer": true, + "QDep": 1, + "original_theory": "The dog eats the tiger. The dog is nice. The lion chases the dog. The lion chases the tiger. The lion eats the tiger. The lion is blue. The lion is cold. The lion likes the dog. The squirrel is blue. The tiger chases the dog. The tiger chases the lion. The tiger chases the squirrel. The tiger eats the dog. The tiger likes the dog. The tiger likes the lion. The tiger likes the squirrel. If someone eats the dog then the dog chases the tiger. If someone chases the squirrel then the squirrel is cold. If the squirrel likes the tiger and the squirrel likes the dog then the squirrel eats the dog. If someone eats the dog and the dog eats the lion then they chase the tiger. If someone is cold and they eat the dog then they are young. If the squirrel is nice then the squirrel likes the dog.", + "original_question": "The dog chases the tiger." + }, + { + "id": "AttNoneg-OWA-D1-134", + "question": "Bob is green. Bob is rough. Bob is smart. Dave is big. Dave is blue. Dave is quiet. Dave is rough. Dave is smart. Fiona is rough. Fiona is smart. If someone is smart and big then they are blue. All smart people are furry. Rough, green people are big. All green, rough people are smart. If someone is blue and rough then they are quiet. If Bob is blue and Bob is smart then Bob is big. All quiet people are big. If someone is big then they are furry.\n\nQuestion: Bob is furry.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is green. Bob is rough. Bob is smart. Dave is big. Dave is blue. Dave is quiet. Dave is rough. Dave is smart. Fiona is rough. Fiona is smart. If someone is smart and big then they are blue. All smart people are furry. Rough, green people are big. All green, rough people are smart. If someone is blue and rough then they are quiet. If Bob is blue and Bob is smart then Bob is big. All quiet people are big. If someone is big then they are furry.", + "original_question": "Bob is furry." + }, + { + "id": "RelNeg-OWA-D3-1383", + "question": "The dog likes the lion. The lion eats the mouse. The mouse likes the dog. If something eats the lion then the lion likes the dog. If the lion visits the mouse and the lion eats the mouse then the lion is kind. If something likes the lion then it is kind. If something likes the lion then the lion is nice. If something visits the dog then it visits the mouse. If something likes the mouse then it does not like the dog. If something likes the dog and the dog is kind then the dog is not big. If the dog is kind and the dog is not big then the dog visits the lion.\n\nQuestion: The dog visits the lion.", + "answer": true, + "QDep": 3, + "original_theory": "The dog likes the lion. The lion eats the mouse. The mouse likes the dog. If something eats the lion then the lion likes the dog. If the lion visits the mouse and the lion eats the mouse then the lion is kind. If something likes the lion then it is kind. If something likes the lion then the lion is nice. If something visits the dog then it visits the mouse. If something likes the mouse then it does not like the dog. If something likes the dog and the dog is kind then the dog is not big. If the dog is kind and the dog is not big then the dog visits the lion.", + "original_question": "The dog visits the lion." + }, + { + "id": "RelNeg-OWA-D3-991", + "question": "The bald eagle is big. The bear needs the cat. The cat does not chase the bald eagle. The lion is big. If someone is kind then they do not eat the lion. If the bald eagle is big then the bald eagle needs the lion. If someone is rough and they chase the bear then they do not need the bear. If someone needs the lion then the lion is kind. If someone needs the bear then they chase the lion. If someone chases the bear and they are kind then the bear chases the bald eagle.\n\nQuestion: The bald eagle needs the lion.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle is big. The bear needs the cat. The cat does not chase the bald eagle. The lion is big. If someone is kind then they do not eat the lion. If the bald eagle is big then the bald eagle needs the lion. If someone is rough and they chase the bear then they do not need the bear. If someone needs the lion then the lion is kind. If someone needs the bear then they chase the lion. If someone chases the bear and they are kind then the bear chases the bald eagle.", + "original_question": "The bald eagle needs the lion." + }, + { + "id": "AttNeg-OWA-D2-175", + "question": "Fiona is big. Fiona is green. Fiona is white. Harry is furry. Harry is not rough. Harry is smart. Harry is white. Big, furry things are green. All big things are green. All white things are furry. If Fiona is furry then Fiona is not round. If Fiona is green and Fiona is round then Fiona is not big. White things are smart. If Fiona is round and Fiona is green then Fiona is rough. If Fiona is big then Fiona is smart.\n\nQuestion: Harry is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Fiona is big. Fiona is green. Fiona is white. Harry is furry. Harry is not rough. Harry is smart. Harry is white. Big, furry things are green. All big things are green. All white things are furry. If Fiona is furry then Fiona is not round. If Fiona is green and Fiona is round then Fiona is not big. White things are smart. If Fiona is round and Fiona is green then Fiona is rough. If Fiona is big then Fiona is smart.", + "original_question": "Harry is not smart." + }, + { + "id": "RelNeg-OWA-D3-1297", + "question": "The bear chases the cow. The bear chases the tiger. The bear is blue. The bear is kind. The bear visits the cow. The cow chases the tiger. The cow needs the bear. The cow visits the bear. The tiger chases the bear. The tiger does not need the bear. The tiger does not visit the bear. The tiger visits the cow. If something visits the tiger then the tiger is not kind. If something chases the bear and the bear does not chase the cow then the bear needs the tiger. If something needs the tiger then it visits the tiger. If something needs the bear and the bear chases the cow then the cow needs the tiger. If the tiger is rough then the tiger needs the bear. If something is kind and it visits the tiger then the tiger is blue.\n\nQuestion: The cow visits the tiger.", + "answer": true, + "QDep": 2, + "original_theory": "The bear chases the cow. The bear chases the tiger. The bear is blue. The bear is kind. The bear visits the cow. The cow chases the tiger. The cow needs the bear. The cow visits the bear. The tiger chases the bear. The tiger does not need the bear. The tiger does not visit the bear. The tiger visits the cow. If something visits the tiger then the tiger is not kind. If something chases the bear and the bear does not chase the cow then the bear needs the tiger. If something needs the tiger then it visits the tiger. If something needs the bear and the bear chases the cow then the cow needs the tiger. If the tiger is rough then the tiger needs the bear. If something is kind and it visits the tiger then the tiger is blue.", + "original_question": "The cow visits the tiger." + }, + { + "id": "RelNoneg-OWA-D1-1819", + "question": "The bald eagle is kind. The bald eagle is red. The bald eagle is young. Young people are red. If the bald eagle is young then the bald eagle is nice.\n\nQuestion: The bald eagle is nice.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle is kind. The bald eagle is red. The bald eagle is young. Young people are red. If the bald eagle is young then the bald eagle is nice.", + "original_question": "The bald eagle is nice." + }, + { + "id": "RelNoneg-OWA-D3-480", + "question": "The dog eats the mouse. The mouse needs the dog. If the mouse eats the dog then the mouse sees the dog. If someone needs the mouse then the mouse eats the dog. If someone is red then they see the dog. If someone needs the dog and the dog sees the mouse then the dog needs the mouse. If someone eats the dog then the dog eats the mouse. If someone eats the mouse and the mouse needs the dog then the dog needs the mouse. If someone is round then they see the mouse. If someone eats the dog then the dog is round.\n\nQuestion: The mouse needs the dog.", + "answer": true, + "QDep": 0, + "original_theory": "The dog eats the mouse. The mouse needs the dog. If the mouse eats the dog then the mouse sees the dog. If someone needs the mouse then the mouse eats the dog. If someone is red then they see the dog. If someone needs the dog and the dog sees the mouse then the dog needs the mouse. If someone eats the dog then the dog eats the mouse. If someone eats the mouse and the mouse needs the dog then the dog needs the mouse. If someone is round then they see the mouse. If someone eats the dog then the dog is round.", + "original_question": "The mouse needs the dog." + }, + { + "id": "AttNonegNatLang-OWA-288", + "question": "For being so cold, it's good Alan can remain nice. Eric is young and green. This makes him cold to others. Fred is a kind person and he is also often cold. That guy Harry sure is nice. All those who are nice and big are red. If you come across a young, blue person you can count on them being nice to you. People who are said to be big and nice are round. People who are young are also blue. A kind person will certainly be young.\n\nQuestion: Fred is not blue.", + "answer": false, + "QDep": 2, + "original_theory": "For being so cold, it's good Alan can remain nice. Eric is young and green. This makes him cold to others. Fred is a kind person and he is also often cold. That guy Harry sure is nice. All those who are nice and big are red. If you come across a young, blue person you can count on them being nice to you. People who are said to be big and nice are round. People who are young are also blue. A kind person will certainly be young.", + "original_question": "Fred is not blue." + }, + { + "id": "AttNeg-OWA-D2-1617", + "question": "Gary is big. Gary is green. Gary is round. If Gary is big and Gary is green then Gary is quiet. If someone is blue and big then they are not rough. If someone is round and green then they are rough. If someone is big and round then they are rough. If Gary is green and Gary is blue then Gary is red. If Gary is rough then Gary is round. Round, quiet people are not red. If Gary is round and Gary is blue then Gary is green.\n\nQuestion: Gary is big.", + "answer": true, + "QDep": 0, + "original_theory": "Gary is big. Gary is green. Gary is round. If Gary is big and Gary is green then Gary is quiet. If someone is blue and big then they are not rough. If someone is round and green then they are rough. If someone is big and round then they are rough. If Gary is green and Gary is blue then Gary is red. If Gary is rough then Gary is round. Round, quiet people are not red. If Gary is round and Gary is blue then Gary is green.", + "original_question": "Gary is big." + }, + { + "id": "AttNeg-OWA-D2-383", + "question": "Anne is cold. Anne is furry. Anne is green. Anne is nice. Charlie is cold. Charlie is green. Charlie is nice. Charlie is round. Charlie is white. Charlie is young. Dave is not cold. Dave is round. Dave is white. Dave is young. Fiona is cold. Fiona is white. All white things are nice. If something is round then it is nice. If something is white and nice then it is furry. Young, cold things are white. All white, round things are green. Round things are young.\n\nQuestion: Fiona is nice.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is cold. Anne is furry. Anne is green. Anne is nice. Charlie is cold. Charlie is green. Charlie is nice. Charlie is round. Charlie is white. Charlie is young. Dave is not cold. Dave is round. Dave is white. Dave is young. Fiona is cold. Fiona is white. All white things are nice. If something is round then it is nice. If something is white and nice then it is furry. Young, cold things are white. All white, round things are green. Round things are young.", + "original_question": "Fiona is nice." + }, + { + "id": "AttNonegNatLang-OWA-471", + "question": "Alan is green and cold too. The young person who is always feeling cold is named Charlie. Gary is young and green. He is round with rosy red skin which makes him blue. Harry seems to be round. If a person is described as being nice, cold and young it usually follow that they are red. Every time you meet someone kind and nice, they'll be green, too. Even though young people are rough, they are still very red. Anyone feeling cold is bound to act nice. Any person who can be red and blue at the same time is cold. A nice person with cold skin is going to be rough. A cold blue person who is rough is also kind.\n\nQuestion: Gary is not rough.", + "answer": false, + "QDep": 3, + "original_theory": "Alan is green and cold too. The young person who is always feeling cold is named Charlie. Gary is young and green. He is round with rosy red skin which makes him blue. Harry seems to be round. If a person is described as being nice, cold and young it usually follow that they are red. Every time you meet someone kind and nice, they'll be green, too. Even though young people are rough, they are still very red. Anyone feeling cold is bound to act nice. Any person who can be red and blue at the same time is cold. A nice person with cold skin is going to be rough. A cold blue person who is rough is also kind.", + "original_question": "Gary is not rough." + }, + { + "id": "AttNonegNatLang-OWA-53", + "question": "Alan is a kind person and he is also often cold. After Dave got wet in the rain, he feels cold. He also looks green but big. Fred was proud of being round, yet rough. His red cheeks glowed. Gary is green and cold too. A very big person who is green but also red is a rough person. If you pass someone who is red and round and kind, you'll notice they act in a cold manner. Anyone having rough, cold and green qualities will also have a big quality. Count on anyone you meet who is big, round, and red also being kind. People that are rough and red in the face, are usually big in size. When you meet and big and nice man, they will be kind to the earth and live green lifestyle. A young aged and big blue person will definitely be cold.\n\nQuestion: Fred is not cold.", + "answer": false, + "QDep": 3, + "original_theory": "Alan is a kind person and he is also often cold. After Dave got wet in the rain, he feels cold. He also looks green but big. Fred was proud of being round, yet rough. His red cheeks glowed. Gary is green and cold too. A very big person who is green but also red is a rough person. If you pass someone who is red and round and kind, you'll notice they act in a cold manner. Anyone having rough, cold and green qualities will also have a big quality. Count on anyone you meet who is big, round, and red also being kind. People that are rough and red in the face, are usually big in size. When you meet and big and nice man, they will be kind to the earth and live green lifestyle. A young aged and big blue person will definitely be cold.", + "original_question": "Fred is not cold." + }, + { + "id": "AttNeg-OWA-D0-374", + "question": "Bob is blue. Bob is nice. Erin is nice. Erin is quiet. Erin is round. Erin is not young. Gary is red. Round, rough things are young. All quiet things are blue.\n\nQuestion: Erin is not quiet.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is blue. Bob is nice. Erin is nice. Erin is quiet. Erin is round. Erin is not young. Gary is red. Round, rough things are young. All quiet things are blue.", + "original_question": "Erin is not quiet." + }, + { + "id": "RelNeg-OWA-D3-592", + "question": "The bald eagle is rough. The bald eagle is not young. The bald eagle does not like the lion. The lion likes the tiger. The lion needs the bald eagle. The tiger is rough. The tiger likes the bald eagle. If someone is young and they do not need the bald eagle then they are blue. If someone needs the bald eagle and the bald eagle is young then they are blue. If someone likes the lion and the lion needs the bald eagle then the lion needs the tiger. If someone needs the tiger then they do not like the bald eagle. If someone likes the tiger then the tiger likes the lion. If someone needs the bald eagle and the bald eagle likes the lion then they do not like the lion.\n\nQuestion: The tiger does not like the lion.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle is rough. The bald eagle is not young. The bald eagle does not like the lion. The lion likes the tiger. The lion needs the bald eagle. The tiger is rough. The tiger likes the bald eagle. If someone is young and they do not need the bald eagle then they are blue. If someone needs the bald eagle and the bald eagle is young then they are blue. If someone likes the lion and the lion needs the bald eagle then the lion needs the tiger. If someone needs the tiger then they do not like the bald eagle. If someone likes the tiger then the tiger likes the lion. If someone needs the bald eagle and the bald eagle likes the lion then they do not like the lion.", + "original_question": "The tiger does not like the lion." + }, + { + "id": "AttNeg-OWA-D3-240", + "question": "Anne is blue. Charlie is red. Erin is nice. Harry is red. All red people are quiet. Blue people are round. If someone is blue and not nice then they are round. If someone is big then they are round. If someone is quiet and red then they are big. Red, quiet people are not blue.\n\nQuestion: Anne is not round.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is blue. Charlie is red. Erin is nice. Harry is red. All red people are quiet. Blue people are round. If someone is blue and not nice then they are round. If someone is big then they are round. If someone is quiet and red then they are big. Red, quiet people are not blue.", + "original_question": "Anne is not round." + }, + { + "id": "RelNeg-OWA-D0-5230", + "question": "The cat is big. The cat is blue. The cat is green. The cat is not kind. The cat is red. Red, blue things are big. All blue things are big. All big things are blue. All blue things are red. If the cat is green and the cat is kind then the cat is big. All green things are not kind.\n\nQuestion: The cat is not big.", + "answer": false, + "QDep": 0, + "original_theory": "The cat is big. The cat is blue. The cat is green. The cat is not kind. The cat is red. Red, blue things are big. All blue things are big. All big things are blue. All blue things are red. If the cat is green and the cat is kind then the cat is big. All green things are not kind.", + "original_question": "The cat is not big." + }, + { + "id": "AttNeg-OWA-D3-524", + "question": "Bob is nice. Bob is not red. Bob is smart. Bob is white. Fiona is furry. Fiona is red. Fiona is white. Gary is blue. Gary is furry. Gary is not kind. Gary is red. Gary is smart. Gary is white. Harry is kind. Harry is red. Harry is not smart. If Harry is kind and Harry is red then Harry is not nice. If Gary is not nice then Gary is kind. If Harry is not kind and Harry is not red then Harry is furry. If something is red and not nice then it is blue. If something is furry and nice then it is not white. Blue things are white. If Bob is kind then Bob is not white. If Bob is not blue then Bob is kind.\n\nQuestion: Harry is not nice.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is nice. Bob is not red. Bob is smart. Bob is white. Fiona is furry. Fiona is red. Fiona is white. Gary is blue. Gary is furry. Gary is not kind. Gary is red. Gary is smart. Gary is white. Harry is kind. Harry is red. Harry is not smart. If Harry is kind and Harry is red then Harry is not nice. If Gary is not nice then Gary is kind. If Harry is not kind and Harry is not red then Harry is furry. If something is red and not nice then it is blue. If something is furry and nice then it is not white. Blue things are white. If Bob is kind then Bob is not white. If Bob is not blue then Bob is kind.", + "original_question": "Harry is not nice." + }, + { + "id": "AttNeg-OWA-D1-184", + "question": "Anne is cold. Anne is not green. Anne is not quiet. Anne is white. Dave is big. Dave is cold. Dave is green. Dave is not rough. Dave is white. Dave is young. Gary is cold. Gary is green. All cold people are young.\n\nQuestion: Anne is young.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is cold. Anne is not green. Anne is not quiet. Anne is white. Dave is big. Dave is cold. Dave is green. Dave is not rough. Dave is white. Dave is young. Gary is cold. Gary is green. All cold people are young.", + "original_question": "Anne is young." + }, + { + "id": "AttNoneg-OWA-D3-1332", + "question": "Anne is nice. Anne is quiet. Bob is cold. Bob is nice. Bob is white. Charlie is big. Charlie is blue. Charlie is quiet. Charlie is smart. Charlie is white. If someone is nice and smart then they are big. Quiet, white people are smart. If someone is cold then they are smart. Big, quiet people are nice. If Charlie is nice then Charlie is blue. All big people are nice. Nice people are cold. If someone is white then they are smart.\n\nQuestion: Bob is big.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is nice. Anne is quiet. Bob is cold. Bob is nice. Bob is white. Charlie is big. Charlie is blue. Charlie is quiet. Charlie is smart. Charlie is white. If someone is nice and smart then they are big. Quiet, white people are smart. If someone is cold then they are smart. Big, quiet people are nice. If Charlie is nice then Charlie is blue. All big people are nice. Nice people are cold. If someone is white then they are smart.", + "original_question": "Bob is big." + }, + { + "id": "RelNoneg-OWA-D1-946", + "question": "The bear chases the rabbit. The bear is big. The mouse chases the squirrel. The mouse is round. The mouse visits the bear. The mouse visits the rabbit. The rabbit is big. The rabbit is rough. The rabbit is round. The rabbit sees the bear. The squirrel chases the mouse. The squirrel is big. The squirrel is rough. The squirrel is round. The squirrel sees the rabbit. If something visits the bear then the bear is big. If the squirrel is rough then the squirrel is nice.\n\nQuestion: The rabbit is not round.", + "answer": false, + "QDep": 0, + "original_theory": "The bear chases the rabbit. The bear is big. The mouse chases the squirrel. The mouse is round. The mouse visits the bear. The mouse visits the rabbit. The rabbit is big. The rabbit is rough. The rabbit is round. The rabbit sees the bear. The squirrel chases the mouse. The squirrel is big. The squirrel is rough. The squirrel is round. The squirrel sees the rabbit. If something visits the bear then the bear is big. If the squirrel is rough then the squirrel is nice.", + "original_question": "The rabbit is not round." + }, + { + "id": "AttNonegNatLang-OWA-118", + "question": "Young Bob is kind and blue with green and cold traits that show how really big he is. That guy Dave sure is nice. Fred is green and cold too. No one knows Gary like me and he is a kind guy, very round in the belly and green as grass. When a person is nice and round and cold, they look blue. People that are green and big while also being cold are always nice. A kind young person who is green will be cold. Someone who is young at heart and age are very round. A person that is round and somewhat green while being nice tends to be red as well. Any human who is rough, green, and kind, has a blue personality. People who are round and red tend to be rough.\n\nQuestion: Bob is red.", + "answer": true, + "QDep": 2, + "original_theory": "Young Bob is kind and blue with green and cold traits that show how really big he is. That guy Dave sure is nice. Fred is green and cold too. No one knows Gary like me and he is a kind guy, very round in the belly and green as grass. When a person is nice and round and cold, they look blue. People that are green and big while also being cold are always nice. A kind young person who is green will be cold. Someone who is young at heart and age are very round. A person that is round and somewhat green while being nice tends to be red as well. Any human who is rough, green, and kind, has a blue personality. People who are round and red tend to be rough.", + "original_question": "Bob is red." + }, + { + "id": "AttNoneg-OWA-D3-678", + "question": "Fiona is green. Fiona is rough. Fiona is smart. Gary is blue. Gary is furry. Gary is nice. Gary is red. All rough, green things are nice. All nice things are rough. Blue things are red. If something is green and blue then it is nice. All blue, red things are furry. Red, rough things are blue. Green, furry things are blue. If Fiona is green then Fiona is red.\n\nQuestion: Fiona is blue.", + "answer": true, + "QDep": 2, + "original_theory": "Fiona is green. Fiona is rough. Fiona is smart. Gary is blue. Gary is furry. Gary is nice. Gary is red. All rough, green things are nice. All nice things are rough. Blue things are red. If something is green and blue then it is nice. All blue, red things are furry. Red, rough things are blue. Green, furry things are blue. If Fiona is green then Fiona is red.", + "original_question": "Fiona is blue." + }, + { + "id": "RelNeg-OWA-D2-1609", + "question": "The cat is blue. If someone is young then they are nice. If someone is big then they are nice. If the cat is nice and the cat is big then the cat is blue. If the cat is nice then the cat is big. If the cat is kind and the cat is blue then the cat is big. Big, nice people are blue. All young, kind people are blue. Blue people are big.\n\nQuestion: The cat is nice.", + "answer": true, + "QDep": 2, + "original_theory": "The cat is blue. If someone is young then they are nice. If someone is big then they are nice. If the cat is nice and the cat is big then the cat is blue. If the cat is nice then the cat is big. If the cat is kind and the cat is blue then the cat is big. Big, nice people are blue. All young, kind people are blue. Blue people are big.", + "original_question": "The cat is nice." + }, + { + "id": "RelNeg-OWA-D3-1193", + "question": "The bald eagle is cold. The bald eagle is round. The bald eagle sees the lion. The lion is green. The rabbit sees the bald eagle. The rabbit sees the lion. The tiger visits the lion. If the bald eagle sees the tiger then the bald eagle likes the rabbit. If something is cold then it sees the tiger. If something visits the lion and the lion likes the tiger then the lion is not round. If something sees the lion then it likes the bald eagle. If something likes the rabbit and the rabbit sees the lion then the rabbit does not visit the bald eagle. If something is green and it does not visit the lion then it does not see the rabbit. If something is kind and green then it visits the rabbit. If something sees the bald eagle and the bald eagle does not like the rabbit then the bald eagle is young.\n\nQuestion: The rabbit does not visit the bald eagle.", + "answer": true, + "QDep": 3, + "original_theory": "The bald eagle is cold. The bald eagle is round. The bald eagle sees the lion. The lion is green. The rabbit sees the bald eagle. The rabbit sees the lion. The tiger visits the lion. If the bald eagle sees the tiger then the bald eagle likes the rabbit. If something is cold then it sees the tiger. If something visits the lion and the lion likes the tiger then the lion is not round. If something sees the lion then it likes the bald eagle. If something likes the rabbit and the rabbit sees the lion then the rabbit does not visit the bald eagle. If something is green and it does not visit the lion then it does not see the rabbit. If something is kind and green then it visits the rabbit. If something sees the bald eagle and the bald eagle does not like the rabbit then the bald eagle is young.", + "original_question": "The rabbit does not visit the bald eagle." + }, + { + "id": "AttNeg-OWA-D3-1411", + "question": "Bob is blue. Bob is furry. Bob is quiet. Bob is smart. Gary is not big. Gary is nice. Gary is quiet. If Gary is white then Gary is blue. All nice things are white. If something is blue and not big then it is smart.\n\nQuestion: Bob is furry.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is blue. Bob is furry. Bob is quiet. Bob is smart. Gary is not big. Gary is nice. Gary is quiet. If Gary is white then Gary is blue. All nice things are white. If something is blue and not big then it is smart.", + "original_question": "Bob is furry." + }, + { + "id": "AttNoneg-OWA-D0-1984", + "question": "Bob is blue. If Bob is big and Bob is kind then Bob is furry. Kind, green people are furry. All blue people are furry. Green people are red. Green people are nice. If someone is red then they are nice. If Bob is nice then Bob is red. All red, nice people are furry.\n\nQuestion: Bob is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is blue. If Bob is big and Bob is kind then Bob is furry. Kind, green people are furry. All blue people are furry. Green people are red. Green people are nice. If someone is red then they are nice. If Bob is nice then Bob is red. All red, nice people are furry.", + "original_question": "Bob is not blue." + }, + { + "id": "AttNeg-OWA-D0-1897", + "question": "Erin is cold. Erin is furry. Erin is green. Erin is not nice. Erin is quiet. Erin is rough. Erin is young. All furry, quiet people are not nice. If someone is young then they are not nice. If someone is nice then they are not cold.\n\nQuestion: Erin is not young.", + "answer": false, + "QDep": 0, + "original_theory": "Erin is cold. Erin is furry. Erin is green. Erin is not nice. Erin is quiet. Erin is rough. Erin is young. All furry, quiet people are not nice. If someone is young then they are not nice. If someone is nice then they are not cold.", + "original_question": "Erin is not young." + }, + { + "id": "AttNoneg-OWA-D1-2976", + "question": "Charlie is big. Charlie is blue. Charlie is quiet. Charlie is round. Charlie is white. Dave is big. Dave is blue. Dave is furry. Dave is kind. Dave is quiet. Dave is round. Dave is white. All white people are kind. If Dave is round then Dave is big. If Dave is blue then Dave is white. All round, kind people are white. All big, blue people are kind. All blue people are quiet.\n\nQuestion: Charlie is not white.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is big. Charlie is blue. Charlie is quiet. Charlie is round. Charlie is white. Dave is big. Dave is blue. Dave is furry. Dave is kind. Dave is quiet. Dave is round. Dave is white. All white people are kind. If Dave is round then Dave is big. If Dave is blue then Dave is white. All round, kind people are white. All big, blue people are kind. All blue people are quiet.", + "original_question": "Charlie is not white." + }, + { + "id": "RelNoneg-OWA-D3-636", + "question": "The lion eats the mouse. The lion is green. The lion sees the mouse. The lion visits the tiger. The mouse is red. The mouse sees the lion. The tiger eats the lion. The tiger eats the mouse. The tiger is cold. The tiger is red. The tiger is round. The tiger is young. The tiger sees the lion. The tiger sees the mouse. The tiger visits the lion. The tiger visits the mouse. All green things are cold. If something is cold then it eats the lion. If something visits the mouse then the mouse visits the lion. If something visits the mouse and it is red then the mouse is round. If something is round and red then it is green. If the tiger is red then the tiger eats the mouse.\n\nQuestion: The mouse is green.", + "answer": true, + "QDep": 2, + "original_theory": "The lion eats the mouse. The lion is green. The lion sees the mouse. The lion visits the tiger. The mouse is red. The mouse sees the lion. The tiger eats the lion. The tiger eats the mouse. The tiger is cold. The tiger is red. The tiger is round. The tiger is young. The tiger sees the lion. The tiger sees the mouse. The tiger visits the lion. The tiger visits the mouse. All green things are cold. If something is cold then it eats the lion. If something visits the mouse then the mouse visits the lion. If something visits the mouse and it is red then the mouse is round. If something is round and red then it is green. If the tiger is red then the tiger eats the mouse.", + "original_question": "The mouse is green." + }, + { + "id": "RelNoneg-OWA-D3-1133", + "question": "The bear is red. The bear is rough. The dog is green. If something needs the bear then the bear needs the dog. If something needs the bear then the bear needs the dog. If something likes the bear then it is green. If something is rough then it likes the bear. If something likes the bear and it is green then it likes the dog. If something is red and it visits the bear then it needs the bear.\n\nQuestion: The bear is green.", + "answer": true, + "QDep": 2, + "original_theory": "The bear is red. The bear is rough. The dog is green. If something needs the bear then the bear needs the dog. If something needs the bear then the bear needs the dog. If something likes the bear then it is green. If something is rough then it likes the bear. If something likes the bear and it is green then it likes the dog. If something is red and it visits the bear then it needs the bear.", + "original_question": "The bear is green." + }, + { + "id": "AttNoneg-OWA-D1-1249", + "question": "Anne is blue. Anne is quiet. Anne is white. Bob is blue. Bob is kind. Bob is nice. Bob is red. Bob is young. Charlie is blue. Charlie is quiet. Fiona is blue. Fiona is kind. Fiona is nice. Fiona is quiet. Fiona is young. If something is kind then it is red. Red, nice things are white. If something is blue and white then it is red. If something is quiet and red then it is nice. Blue things are white. All red things are young. If Fiona is quiet and Fiona is nice then Fiona is kind. If something is young and white then it is kind.\n\nQuestion: Anne is red.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is blue. Anne is quiet. Anne is white. Bob is blue. Bob is kind. Bob is nice. Bob is red. Bob is young. Charlie is blue. Charlie is quiet. Fiona is blue. Fiona is kind. Fiona is nice. Fiona is quiet. Fiona is young. If something is kind then it is red. Red, nice things are white. If something is blue and white then it is red. If something is quiet and red then it is nice. Blue things are white. All red things are young. If Fiona is quiet and Fiona is nice then Fiona is kind. If something is young and white then it is kind.", + "original_question": "Anne is red." + }, + { + "id": "RelNeg-OWA-D2-712", + "question": "The bear chases the dog. The dog is big. The dog needs the bear. If someone is cold and they do not need the bear then they do not like the bear. If someone needs the bear then the bear likes the dog. If someone likes the dog then the dog does not like the bear.\n\nQuestion: The dog does not like the bear.", + "answer": true, + "QDep": 2, + "original_theory": "The bear chases the dog. The dog is big. The dog needs the bear. If someone is cold and they do not need the bear then they do not like the bear. If someone needs the bear then the bear likes the dog. If someone likes the dog then the dog does not like the bear.", + "original_question": "The dog does not like the bear." + }, + { + "id": "RelNeg-OWA-D1-1108", + "question": "The bear is not rough. The bear sees the lion. The bear visits the squirrel. The lion is rough. The lion sees the bear. The squirrel eats the lion. The squirrel is not red. If someone visits the squirrel then they visit the bear. If the squirrel sees the bear and the bear is cold then the bear does not visit the squirrel.\n\nQuestion: The lion is rough.", + "answer": true, + "QDep": 0, + "original_theory": "The bear is not rough. The bear sees the lion. The bear visits the squirrel. The lion is rough. The lion sees the bear. The squirrel eats the lion. The squirrel is not red. If someone visits the squirrel then they visit the bear. If the squirrel sees the bear and the bear is cold then the bear does not visit the squirrel.", + "original_question": "The lion is rough." + }, + { + "id": "RelNoneg-OWA-D1-1455", + "question": "The bald eagle eats the bear. The bald eagle eats the tiger. The bald eagle is rough. The bald eagle likes the bear. The bald eagle needs the tiger. The bear eats the cow. The bear eats the tiger. The bear is cold. The cow needs the tiger. The tiger needs the bald eagle. Rough people are kind. If someone likes the bear and they need the tiger then the bear likes the bald eagle. If someone is cold and they need the bear then they need the bald eagle.\n\nQuestion: The bald eagle does not like the bear.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle eats the bear. The bald eagle eats the tiger. The bald eagle is rough. The bald eagle likes the bear. The bald eagle needs the tiger. The bear eats the cow. The bear eats the tiger. The bear is cold. The cow needs the tiger. The tiger needs the bald eagle. Rough people are kind. If someone likes the bear and they need the tiger then the bear likes the bald eagle. If someone is cold and they need the bear then they need the bald eagle.", + "original_question": "The bald eagle does not like the bear." + }, + { + "id": "AttNeg-OWA-D3-1151", + "question": "Anne is red. Bob is not nice. Charlie is blue. If someone is young then they are green. If someone is young and green then they are not red. Red people are white. If Charlie is white then Charlie is blue. All white people are not young. If someone is red and not young then they are nice.\n\nQuestion: Anne is not nice.", + "answer": false, + "QDep": 3, + "original_theory": "Anne is red. Bob is not nice. Charlie is blue. If someone is young then they are green. If someone is young and green then they are not red. Red people are white. If Charlie is white then Charlie is blue. All white people are not young. If someone is red and not young then they are nice.", + "original_question": "Anne is not nice." + }, + { + "id": "RelNoneg-OWA-D5-938", + "question": "The bald eagle is green. The bald eagle needs the squirrel. The bald eagle sees the tiger. The bald eagle visits the mouse. The mouse is round. The mouse needs the squirrel. The mouse sees the squirrel. The squirrel is big. The squirrel is round. The squirrel needs the mouse. The squirrel visits the mouse. The squirrel visits the tiger. The tiger is big. The tiger is rough. The tiger needs the squirrel. The tiger visits the squirrel. If something visits the bald eagle and it is round then the bald eagle sees the squirrel. If something sees the tiger and it needs the squirrel then the tiger is round. If something is nice then it visits the bald eagle. If something is round then it sees the squirrel. If something sees the squirrel then it is nice.\n\nQuestion: The mouse is not round.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle is green. The bald eagle needs the squirrel. The bald eagle sees the tiger. The bald eagle visits the mouse. The mouse is round. The mouse needs the squirrel. The mouse sees the squirrel. The squirrel is big. The squirrel is round. The squirrel needs the mouse. The squirrel visits the mouse. The squirrel visits the tiger. The tiger is big. The tiger is rough. The tiger needs the squirrel. The tiger visits the squirrel. If something visits the bald eagle and it is round then the bald eagle sees the squirrel. If something sees the tiger and it needs the squirrel then the tiger is round. If something is nice then it visits the bald eagle. If something is round then it sees the squirrel. If something sees the squirrel then it is nice.", + "original_question": "The mouse is not round." + }, + { + "id": "RelNeg-OWA-D2-1338", + "question": "The bear eats the tiger. The dog chases the bear. The mouse chases the dog. The tiger chases the dog. If something is green then it sees the mouse. If something sees the dog then it does not eat the bear. If something chases the bear then the bear sees the dog. If something chases the tiger then it is not green. If something is red and it chases the mouse then it chases the bear. If something is big then it chases the tiger.\n\nQuestion: The bear does not eat the bear.", + "answer": true, + "QDep": 2, + "original_theory": "The bear eats the tiger. The dog chases the bear. The mouse chases the dog. The tiger chases the dog. If something is green then it sees the mouse. If something sees the dog then it does not eat the bear. If something chases the bear then the bear sees the dog. If something chases the tiger then it is not green. If something is red and it chases the mouse then it chases the bear. If something is big then it chases the tiger.", + "original_question": "The bear does not eat the bear." + }, + { + "id": "RelNeg-OWA-D2-1170", + "question": "The rabbit is blue. Blue things are kind. If the rabbit is blue and the rabbit is kind then the rabbit is nice.\n\nQuestion: The rabbit is blue.", + "answer": true, + "QDep": 0, + "original_theory": "The rabbit is blue. Blue things are kind. If the rabbit is blue and the rabbit is kind then the rabbit is nice.", + "original_question": "The rabbit is blue." + }, + { + "id": "AttNoneg-OWA-D3-867", + "question": "Bob is white. Charlie is smart. Fiona is cold. Harry is smart. If someone is smart then they are young. All white, rough people are quiet. All smart people are quiet. If someone is smart and white then they are young. All young people are quiet. All cold, quiet people are nice. Cold people are smart. All white people are young.\n\nQuestion: Bob is not quiet.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is white. Charlie is smart. Fiona is cold. Harry is smart. If someone is smart then they are young. All white, rough people are quiet. All smart people are quiet. If someone is smart and white then they are young. All young people are quiet. All cold, quiet people are nice. Cold people are smart. All white people are young.", + "original_question": "Bob is not quiet." + }, + { + "id": "RelNoneg-OWA-D5-941", + "question": "The bald eagle eats the mouse. The cat chases the dog. The cat is red. The cat is rough. The dog chases the cat. The dog eats the bald eagle. The dog eats the cat. The dog eats the mouse. The dog is green. The dog is rough. The dog likes the bald eagle. The dog likes the cat. The mouse chases the bald eagle. The mouse eats the dog. The mouse is big. The mouse likes the cat. If someone chases the dog and they are kind then they like the mouse. If someone chases the mouse and they are big then the mouse is green. If someone likes the mouse then the mouse likes the bald eagle. If someone is kind then they like the cat. If the mouse likes the bald eagle then the bald eagle eats the dog. If someone eats the dog and they eat the mouse then the mouse is kind. If someone is green then they chase the dog. If someone is green then they chase the bald eagle. If someone likes the bald eagle and they eat the mouse then they are kind.\n\nQuestion: The dog does not eat the cat.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle eats the mouse. The cat chases the dog. The cat is red. The cat is rough. The dog chases the cat. The dog eats the bald eagle. The dog eats the cat. The dog eats the mouse. The dog is green. The dog is rough. The dog likes the bald eagle. The dog likes the cat. The mouse chases the bald eagle. The mouse eats the dog. The mouse is big. The mouse likes the cat. If someone chases the dog and they are kind then they like the mouse. If someone chases the mouse and they are big then the mouse is green. If someone likes the mouse then the mouse likes the bald eagle. If someone is kind then they like the cat. If the mouse likes the bald eagle then the bald eagle eats the dog. If someone eats the dog and they eat the mouse then the mouse is kind. If someone is green then they chase the dog. If someone is green then they chase the bald eagle. If someone likes the bald eagle and they eat the mouse then they are kind.", + "original_question": "The dog does not eat the cat." + }, + { + "id": "AttNoneg-OWA-D3-296", + "question": "Charlie is furry. Charlie is rough. Charlie is young. Erin is furry. Erin is red. Fiona is big. Fiona is young. Gary is furry. Gary is red. Gary is white. White, rough people are red. All furry people are big. If Erin is red then Erin is furry. If Charlie is blue then Charlie is white. All big people are blue. If Erin is rough and Erin is red then Erin is young.\n\nQuestion: Charlie is not blue.", + "answer": false, + "QDep": 2, + "original_theory": "Charlie is furry. Charlie is rough. Charlie is young. Erin is furry. Erin is red. Fiona is big. Fiona is young. Gary is furry. Gary is red. Gary is white. White, rough people are red. All furry people are big. If Erin is red then Erin is furry. If Charlie is blue then Charlie is white. All big people are blue. If Erin is rough and Erin is red then Erin is young.", + "original_question": "Charlie is not blue." + }, + { + "id": "AttNeg-OWA-D0-6984", + "question": "Bob is not furry. Bob is nice. Bob is smart. Bob is young. Charlie is cold. Charlie is furry. Charlie is round. Erin is cold. Erin is round. Harry is furry. Harry is round. Harry is not smart. Young, round things are red. If Bob is round then Bob is young.\n\nQuestion: Charlie is not round.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is not furry. Bob is nice. Bob is smart. Bob is young. Charlie is cold. Charlie is furry. Charlie is round. Erin is cold. Erin is round. Harry is furry. Harry is round. Harry is not smart. Young, round things are red. If Bob is round then Bob is young.", + "original_question": "Charlie is not round." + }, + { + "id": "AttNoneg-OWA-D3-924", + "question": "Anne is big. Anne is red. Bob is big. Bob is kind. Bob is round. Bob is smart. Bob is white. If Anne is kind then Anne is red. Red, smart people are white. If Bob is white then Bob is kind. If someone is big and red then they are kind. All white, round people are smart. All kind people are round. All round, blue people are white. Big people are blue.\n\nQuestion: Bob is blue.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is big. Anne is red. Bob is big. Bob is kind. Bob is round. Bob is smart. Bob is white. If Anne is kind then Anne is red. Red, smart people are white. If Bob is white then Bob is kind. If someone is big and red then they are kind. All white, round people are smart. All kind people are round. All round, blue people are white. Big people are blue.", + "original_question": "Bob is blue." + }, + { + "id": "AttNeg-OWA-D3-1475", + "question": "Charlie is big. Charlie is rough. Charlie is not young. Erin is rough. Erin is smart. Gary is big. Gary is quiet. If Gary is rough then Gary is not kind. All big things are quiet. All smart things are quiet. Big things are kind. If Erin is kind then Erin is quiet. If something is rough then it is cold. Smart things are rough. Quiet things are big.\n\nQuestion: Erin is not big.", + "answer": false, + "QDep": 2, + "original_theory": "Charlie is big. Charlie is rough. Charlie is not young. Erin is rough. Erin is smart. Gary is big. Gary is quiet. If Gary is rough then Gary is not kind. All big things are quiet. All smart things are quiet. Big things are kind. If Erin is kind then Erin is quiet. If something is rough then it is cold. Smart things are rough. Quiet things are big.", + "original_question": "Erin is not big." + }, + { + "id": "RelNeg-OWA-D2-327", + "question": "The bald eagle does not chase the rabbit. The bald eagle is not big. The bald eagle is red. The bald eagle likes the rabbit. The bald eagle sees the rabbit. The rabbit does not chase the bald eagle. The rabbit is red. The rabbit is not rough. The rabbit likes the bald eagle. The rabbit sees the bald eagle. If something is rough then it is big. If the rabbit sees the bald eagle and the rabbit does not chase the bald eagle then the bald eagle sees the rabbit. If something likes the rabbit and it does not see the bald eagle then it likes the bald eagle. If something likes the rabbit then the rabbit is big. If something chases the bald eagle and the bald eagle sees the rabbit then it chases the rabbit. All big things are cold. If the bald eagle is rough then the bald eagle chases the rabbit. If the rabbit sees the bald eagle and the bald eagle does not like the rabbit then the bald eagle is rough.\n\nQuestion: The rabbit is not cold.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle does not chase the rabbit. The bald eagle is not big. The bald eagle is red. The bald eagle likes the rabbit. The bald eagle sees the rabbit. The rabbit does not chase the bald eagle. The rabbit is red. The rabbit is not rough. The rabbit likes the bald eagle. The rabbit sees the bald eagle. If something is rough then it is big. If the rabbit sees the bald eagle and the rabbit does not chase the bald eagle then the bald eagle sees the rabbit. If something likes the rabbit and it does not see the bald eagle then it likes the bald eagle. If something likes the rabbit then the rabbit is big. If something chases the bald eagle and the bald eagle sees the rabbit then it chases the rabbit. All big things are cold. If the bald eagle is rough then the bald eagle chases the rabbit. If the rabbit sees the bald eagle and the bald eagle does not like the rabbit then the bald eagle is rough.", + "original_question": "The rabbit is not cold." + }, + { + "id": "RelNoneg-OWA-D5-1011", + "question": "The dog is big. The dog is green. The dog sees the tiger. The lion chases the tiger. The lion is red. The lion needs the rabbit. The lion needs the tiger. The lion sees the tiger. The rabbit needs the lion. The tiger chases the lion. The tiger is green. The tiger sees the lion. If something needs the lion then it needs the tiger. If something sees the lion and it needs the tiger then the tiger sees the dog. If something is green then it chases the tiger. If something sees the dog and the dog sees the tiger then the tiger is rough. If something is rough then it needs the lion. If something needs the dog and it needs the lion then it chases the rabbit. If something sees the tiger then it needs the dog. If something needs the tiger then it sees the dog.\n\nQuestion: The lion needs the dog.", + "answer": true, + "QDep": 1, + "original_theory": "The dog is big. The dog is green. The dog sees the tiger. The lion chases the tiger. The lion is red. The lion needs the rabbit. The lion needs the tiger. The lion sees the tiger. The rabbit needs the lion. The tiger chases the lion. The tiger is green. The tiger sees the lion. If something needs the lion then it needs the tiger. If something sees the lion and it needs the tiger then the tiger sees the dog. If something is green then it chases the tiger. If something sees the dog and the dog sees the tiger then the tiger is rough. If something is rough then it needs the lion. If something needs the dog and it needs the lion then it chases the rabbit. If something sees the tiger then it needs the dog. If something needs the tiger then it sees the dog.", + "original_question": "The lion needs the dog." + }, + { + "id": "RelNoneg-OWA-D3-57", + "question": "The bald eagle visits the squirrel. The bear needs the squirrel. The cow is nice. The squirrel is big. If someone is blue then they are nice. If someone visits the squirrel then they are kind. Kind people are blue.\n\nQuestion: The bald eagle is not kind.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle visits the squirrel. The bear needs the squirrel. The cow is nice. The squirrel is big. If someone is blue then they are nice. If someone visits the squirrel then they are kind. Kind people are blue.", + "original_question": "The bald eagle is not kind." + }, + { + "id": "RelNoneg-OWA-D0-5457", + "question": "The bear chases the cat. The cat likes the rabbit. The cow sees the bear. The rabbit sees the cat. If something is green then it sees the bear. If something sees the cat and it likes the cat then it is green. If something likes the cat then it chases the bear. If something is round and it sees the rabbit then it is blue. If something chases the cow and it sees the cow then the cow likes the rabbit. If something chases the bear then it sees the cat.\n\nQuestion: The cat likes the rabbit.", + "answer": true, + "QDep": 0, + "original_theory": "The bear chases the cat. The cat likes the rabbit. The cow sees the bear. The rabbit sees the cat. If something is green then it sees the bear. If something sees the cat and it likes the cat then it is green. If something likes the cat then it chases the bear. If something is round and it sees the rabbit then it is blue. If something chases the cow and it sees the cow then the cow likes the rabbit. If something chases the bear then it sees the cat.", + "original_question": "The cat likes the rabbit." + }, + { + "id": "RelNeg-OWA-D2-740", + "question": "The bald eagle visits the bear. The bear likes the bald eagle. The dog is not green. The tiger is not nice. If the tiger likes the dog then the dog does not visit the tiger. If someone chases the bald eagle and the bald eagle is red then the bald eagle does not like the bear. If someone visits the bear and the bear is red then the bear does not chase the tiger. If someone visits the bear then they like the bear. If someone likes the bear then they chase the bald eagle. If someone is red then they visit the tiger. If the bear chases the tiger and the bear is not green then the tiger visits the bald eagle. If someone visits the bear and they do not visit the dog then the dog chases the bear.\n\nQuestion: The tiger is not nice.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle visits the bear. The bear likes the bald eagle. The dog is not green. The tiger is not nice. If the tiger likes the dog then the dog does not visit the tiger. If someone chases the bald eagle and the bald eagle is red then the bald eagle does not like the bear. If someone visits the bear and the bear is red then the bear does not chase the tiger. If someone visits the bear then they like the bear. If someone likes the bear then they chase the bald eagle. If someone is red then they visit the tiger. If the bear chases the tiger and the bear is not green then the tiger visits the bald eagle. If someone visits the bear and they do not visit the dog then the dog chases the bear.", + "original_question": "The tiger is not nice." + }, + { + "id": "AttNeg-OWA-D1-2859", + "question": "Bob is round. Bob is smart. Bob is white. Fiona is rough. Fiona is round. Fiona is not smart. Gary is not big. Gary is quiet. Gary is not rough. Gary is smart. If someone is rough then they are not quiet.\n\nQuestion: Fiona is not quiet.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is round. Bob is smart. Bob is white. Fiona is rough. Fiona is round. Fiona is not smart. Gary is not big. Gary is quiet. Gary is not rough. Gary is smart. If someone is rough then they are not quiet.", + "original_question": "Fiona is not quiet." + }, + { + "id": "AttNeg-OWA-D5-669", + "question": "Bob is blue. Bob is not young. Dave is white. Fiona is green. Fiona is rough. Fiona is smart. Gary is blue. If something is nice then it is smart. Blue, smart things are green. All rough things are nice. Blue things are nice. All green, smart things are rough. Green, smart things are blue. If something is green and not rough then it is white. Rough, green things are not young. If something is smart and not white then it is young.\n\nQuestion: Gary is young.", + "answer": false, + "QDep": 5, + "original_theory": "Bob is blue. Bob is not young. Dave is white. Fiona is green. Fiona is rough. Fiona is smart. Gary is blue. If something is nice then it is smart. Blue, smart things are green. All rough things are nice. Blue things are nice. All green, smart things are rough. Green, smart things are blue. If something is green and not rough then it is white. Rough, green things are not young. If something is smart and not white then it is young.", + "original_question": "Gary is young." + }, + { + "id": "AttNeg-OWA-D3-841", + "question": "Anne is big. Anne is furry. Anne is green. Bob is big. Bob is round. Erin is not green. Erin is nice. Erin is rough. Erin is round. Harry is furry. If someone is nice then they are big. Kind, round people are not big. If someone is round and rough then they are nice. All furry people are nice. If Harry is round then Harry is green. If Bob is rough then Bob is nice. If someone is green then they are not kind. All furry, big people are not kind.\n\nQuestion: Anne is nice.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is big. Anne is furry. Anne is green. Bob is big. Bob is round. Erin is not green. Erin is nice. Erin is rough. Erin is round. Harry is furry. If someone is nice then they are big. Kind, round people are not big. If someone is round and rough then they are nice. All furry people are nice. If Harry is round then Harry is green. If Bob is rough then Bob is nice. If someone is green then they are not kind. All furry, big people are not kind.", + "original_question": "Anne is nice." + }, + { + "id": "RelNeg-OWA-D2-1942", + "question": "The mouse visits the rabbit. The rabbit needs the mouse. If the mouse visits the rabbit then the mouse needs the rabbit. If something visits the rabbit and the rabbit sees the mouse then the mouse does not see the rabbit. If something needs the rabbit then it is not rough.\n\nQuestion: The rabbit needs the mouse.", + "answer": true, + "QDep": 0, + "original_theory": "The mouse visits the rabbit. The rabbit needs the mouse. If the mouse visits the rabbit then the mouse needs the rabbit. If something visits the rabbit and the rabbit sees the mouse then the mouse does not see the rabbit. If something needs the rabbit then it is not rough.", + "original_question": "The rabbit needs the mouse." + }, + { + "id": "RelNoneg-OWA-D0-3500", + "question": "The bear eats the cat. The cat is young. The cow is kind. All green things are round. If something is blue and it chases the bear then the bear is young. If something is kind and it eats the bear then the bear chases the cat. If the cow eats the cat and the cow likes the bear then the cow eats the bear. If something eats the cow and the cow is blue then it eats the bear. If something eats the bear and it likes the cow then the bear chases the cat. If something chases the bear then it eats the bear. If something is kind and it likes the cow then the cow chases the bear.\n\nQuestion: The cat is not young.", + "answer": false, + "QDep": 0, + "original_theory": "The bear eats the cat. The cat is young. The cow is kind. All green things are round. If something is blue and it chases the bear then the bear is young. If something is kind and it eats the bear then the bear chases the cat. If the cow eats the cat and the cow likes the bear then the cow eats the bear. If something eats the cow and the cow is blue then it eats the bear. If something eats the bear and it likes the cow then the bear chases the cat. If something chases the bear then it eats the bear. If something is kind and it likes the cow then the cow chases the bear.", + "original_question": "The cat is not young." + }, + { + "id": "RelNeg-OWA-D3-972", + "question": "The bald eagle is kind. The cow is blue. The lion chases the mouse. The mouse chases the lion. If someone chases the mouse then the mouse is not rough. If someone sees the mouse then they chase the cow. If someone is kind then they are cold. If someone chases the lion and they do not see the mouse then they are not kind. If someone is cold then they like the lion. If someone likes the lion then the lion chases the cow.\n\nQuestion: The bald eagle likes the lion.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle is kind. The cow is blue. The lion chases the mouse. The mouse chases the lion. If someone chases the mouse then the mouse is not rough. If someone sees the mouse then they chase the cow. If someone is kind then they are cold. If someone chases the lion and they do not see the mouse then they are not kind. If someone is cold then they like the lion. If someone likes the lion then the lion chases the cow.", + "original_question": "The bald eagle likes the lion." + }, + { + "id": "AttNeg-OWA-D3-1354", + "question": "Bob is not kind. If Bob is white then Bob is kind. If Bob is not kind then Bob is cold. If someone is rough then they are green. If Bob is cold and Bob is not kind then Bob is rough. Round, white people are not cold. If someone is green then they are not round.\n\nQuestion: Bob is rough.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is not kind. If Bob is white then Bob is kind. If Bob is not kind then Bob is cold. If someone is rough then they are green. If Bob is cold and Bob is not kind then Bob is rough. Round, white people are not cold. If someone is green then they are not round.", + "original_question": "Bob is rough." + }, + { + "id": "AttNeg-OWA-D2-273", + "question": "Bob is green. Fiona is cold. Round things are red. Young, big things are green. All green things are round.\n\nQuestion: Bob is not round.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is green. Fiona is cold. Round things are red. Young, big things are green. All green things are round.", + "original_question": "Bob is not round." + }, + { + "id": "AttNeg-OWA-D1-2506", + "question": "Anne is red. Charlie is big. Charlie is furry. Charlie is red. Charlie is young. Erin is furry. Erin is kind. Red people are green.\n\nQuestion: Charlie is not furry.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is red. Charlie is big. Charlie is furry. Charlie is red. Charlie is young. Erin is furry. Erin is kind. Red people are green.", + "original_question": "Charlie is not furry." + }, + { + "id": "AttNoneg-OWA-D1-2957", + "question": "Dave is red. Harry is smart. Red people are furry.\n\nQuestion: Dave is furry.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is red. Harry is smart. Red people are furry.", + "original_question": "Dave is furry." + }, + { + "id": "RelNeg-OWA-D0-1100", + "question": "The bald eagle chases the cat. The bald eagle does not chase the cow. The bald eagle is not kind. The bald eagle does not like the cow. The cat is not blue. The cat does not like the bald eagle. The cat sees the cow. The cow chases the bald eagle. The cow chases the cat. The cow is green. The cow likes the cat. The cow sees the bald eagle. If the cow sees the bald eagle then the cow likes the cat. If someone sees the cat and the cat does not like the cow then the cow is rough. If someone likes the bald eagle then the bald eagle is kind. If someone sees the bald eagle then the bald eagle sees the cow. If someone chases the bald eagle and the bald eagle sees the cow then the cow does not like the bald eagle. If the bald eagle likes the cat and the bald eagle does not see the cat then the bald eagle chases the cow. If someone is green and they do not chase the cow then the cow chases the cat. If someone likes the cat and they chase the cow then the cow chases the cat.\n\nQuestion: The cat does not like the bald eagle.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle chases the cat. The bald eagle does not chase the cow. The bald eagle is not kind. The bald eagle does not like the cow. The cat is not blue. The cat does not like the bald eagle. The cat sees the cow. The cow chases the bald eagle. The cow chases the cat. The cow is green. The cow likes the cat. The cow sees the bald eagle. If the cow sees the bald eagle then the cow likes the cat. If someone sees the cat and the cat does not like the cow then the cow is rough. If someone likes the bald eagle then the bald eagle is kind. If someone sees the bald eagle then the bald eagle sees the cow. If someone chases the bald eagle and the bald eagle sees the cow then the cow does not like the bald eagle. If the bald eagle likes the cat and the bald eagle does not see the cat then the bald eagle chases the cow. If someone is green and they do not chase the cow then the cow chases the cat. If someone likes the cat and they chase the cow then the cow chases the cat.", + "original_question": "The cat does not like the bald eagle." + }, + { + "id": "AttNoneg-OWA-D3-1175", + "question": "Charlie is big. Charlie is smart. Charlie is young. Dave is big. Dave is cold. Dave is green. Dave is kind. Dave is round. Dave is smart. Dave is young. If Charlie is cold then Charlie is young. If something is young then it is kind. If Charlie is kind and Charlie is young then Charlie is green. If something is green then it is young. All green things are round. If Dave is green then Dave is kind.\n\nQuestion: Dave is not round.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is big. Charlie is smart. Charlie is young. Dave is big. Dave is cold. Dave is green. Dave is kind. Dave is round. Dave is smart. Dave is young. If Charlie is cold then Charlie is young. If something is young then it is kind. If Charlie is kind and Charlie is young then Charlie is green. If something is green then it is young. All green things are round. If Dave is green then Dave is kind.", + "original_question": "Dave is not round." + }, + { + "id": "AttNonegNatLang-OWA-67", + "question": "That guy Alan sure is nice. Bob is round but he is also nice and kind. People that know Charlie will tell you he is rough and cold. But he can also be kind and red despite being blue because he is so young. That guy Harry sure is nice. People who are very nice and easily flush red are often wearing green concealer. If you're truly nice, cold, and blue, you're kind, too. Big, kind folks are green ones. Round people who are kind tend to be nice. Young and red people look round. A nice and green man or woman is also red in color.\n\nQuestion: Charlie is not nice.", + "answer": false, + "QDep": 2, + "original_theory": "That guy Alan sure is nice. Bob is round but he is also nice and kind. People that know Charlie will tell you he is rough and cold. But he can also be kind and red despite being blue because he is so young. That guy Harry sure is nice. People who are very nice and easily flush red are often wearing green concealer. If you're truly nice, cold, and blue, you're kind, too. Big, kind folks are green ones. Round people who are kind tend to be nice. Young and red people look round. A nice and green man or woman is also red in color.", + "original_question": "Charlie is not nice." + }, + { + "id": "AttNeg-OWA-D1-618", + "question": "Fiona is white. Gary is young. Harry is young. All kind people are not red. If someone is white then they are not nice. All red people are not nice. If Gary is nice then Gary is kind. If someone is nice and not red then they are young. If someone is white and not young then they are not rough.\n\nQuestion: Fiona is not nice.", + "answer": true, + "QDep": 1, + "original_theory": "Fiona is white. Gary is young. Harry is young. All kind people are not red. If someone is white then they are not nice. All red people are not nice. If Gary is nice then Gary is kind. If someone is nice and not red then they are young. If someone is white and not young then they are not rough.", + "original_question": "Fiona is not nice." + }, + { + "id": "AttNeg-OWA-D3-1288", + "question": "Bob is not furry. Bob is quiet. Bob is smart. Gary is nice. Gary is smart. Harry is nice. Harry is smart. Quiet things are smart. If something is round and smart then it is quiet. Smart things are round. If Gary is quiet then Gary is white. If something is furry and not round then it is nice. If something is rough and not nice then it is white.\n\nQuestion: Gary is not quiet.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is not furry. Bob is quiet. Bob is smart. Gary is nice. Gary is smart. Harry is nice. Harry is smart. Quiet things are smart. If something is round and smart then it is quiet. Smart things are round. If Gary is quiet then Gary is white. If something is furry and not round then it is nice. If something is rough and not nice then it is white.", + "original_question": "Gary is not quiet." + }, + { + "id": "AttNeg-OWA-D3-240", + "question": "Anne is blue. Charlie is red. Erin is nice. Harry is red. All red people are quiet. Blue people are round. If someone is blue and not nice then they are round. If someone is big then they are round. If someone is quiet and red then they are big. Red, quiet people are not blue.\n\nQuestion: Charlie is quiet.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is blue. Charlie is red. Erin is nice. Harry is red. All red people are quiet. Blue people are round. If someone is blue and not nice then they are round. If someone is big then they are round. If someone is quiet and red then they are big. Red, quiet people are not blue.", + "original_question": "Charlie is quiet." + }, + { + "id": "AttNonegNatLang-OWA-399", + "question": "Bob might be rough and red but he's actually very kind. That guy Charlie sure is nice. That guy Gary sure is nice. Harry may be young but he is nice, wears green shoes and is cold. Even though young people are rough, they are still very red. One who is young, red and also cold will definitely be round, too. Cold, young people are also certain to be rough people. When somebody is red, blue and round, you can bet they are also rough.\n\nQuestion: Harry is not round.", + "answer": false, + "QDep": 3, + "original_theory": "Bob might be rough and red but he's actually very kind. That guy Charlie sure is nice. That guy Gary sure is nice. Harry may be young but he is nice, wears green shoes and is cold. Even though young people are rough, they are still very red. One who is young, red and also cold will definitely be round, too. Cold, young people are also certain to be rough people. When somebody is red, blue and round, you can bet they are also rough.", + "original_question": "Harry is not round." + }, + { + "id": "AttNeg-OWA-D5-649", + "question": "Charlie is big. Erin is cold. Erin is kind. Erin is smart. Fiona is big. Gary is blue. Gary is young. All big people are kind. Green people are smart. All blue, young people are smart. If someone is blue and smart then they are cold. Smart, blue people are green. Blue people are green. All kind people are blue.\n\nQuestion: Erin is cold.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is big. Erin is cold. Erin is kind. Erin is smart. Fiona is big. Gary is blue. Gary is young. All big people are kind. Green people are smart. All blue, young people are smart. If someone is blue and smart then they are cold. Smart, blue people are green. Blue people are green. All kind people are blue.", + "original_question": "Erin is cold." + }, + { + "id": "RelNoneg-OWA-D3-124", + "question": "The cow chases the tiger. The cow is red. The cow is rough. The cow is round. The cow likes the tiger. The tiger chases the cow. The tiger is blue. The tiger is red. The tiger is rough. The tiger is round. The tiger likes the cow. The tiger visits the cow. If someone visits the tiger and the tiger likes the cow then the cow is blue. If someone is big and they like the cow then they are red. If someone is blue then they visit the tiger. If someone is blue and they chase the cow then they visit the cow. If someone chases the cow and they like the cow then the cow visits the tiger. If someone likes the cow and the cow chases the tiger then the tiger likes the cow. If someone is red and they visit the tiger then the tiger chases the cow. If someone is round and they like the tiger then they chase the cow.\n\nQuestion: The cow does not visit the tiger.", + "answer": false, + "QDep": 1, + "original_theory": "The cow chases the tiger. The cow is red. The cow is rough. The cow is round. The cow likes the tiger. The tiger chases the cow. The tiger is blue. The tiger is red. The tiger is rough. The tiger is round. The tiger likes the cow. The tiger visits the cow. If someone visits the tiger and the tiger likes the cow then the cow is blue. If someone is big and they like the cow then they are red. If someone is blue then they visit the tiger. If someone is blue and they chase the cow then they visit the cow. If someone chases the cow and they like the cow then the cow visits the tiger. If someone likes the cow and the cow chases the tiger then the tiger likes the cow. If someone is red and they visit the tiger then the tiger chases the cow. If someone is round and they like the tiger then they chase the cow.", + "original_question": "The cow does not visit the tiger." + }, + { + "id": "AttNeg-OWA-D3-36", + "question": "Erin is rough. Erin is white. Fiona is quiet. All green people are furry. If Erin is rough then Erin is green. Furry people are red.\n\nQuestion: Erin is red.", + "answer": true, + "QDep": 3, + "original_theory": "Erin is rough. Erin is white. Fiona is quiet. All green people are furry. If Erin is rough then Erin is green. Furry people are red.", + "original_question": "Erin is red." + }, + { + "id": "AttNeg-OWA-D2-427", + "question": "Bob is kind. Gary is young. Harry is nice. If Gary is cold and Gary is not blue then Gary is nice. If something is nice then it is young. If something is young then it is smart.\n\nQuestion: Harry is not smart.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is kind. Gary is young. Harry is nice. If Gary is cold and Gary is not blue then Gary is nice. If something is nice then it is young. If something is young then it is smart.", + "original_question": "Harry is not smart." + }, + { + "id": "AttNeg-OWA-D3-1566", + "question": "Bob is blue. Dave is kind. Erin is rough. Harry is white. If Bob is green then Bob is white. If someone is rough then they are green. If someone is green and kind then they are furry. If Harry is kind then Harry is smart. If Dave is kind then Dave is rough. If Erin is blue then Erin is rough.\n\nQuestion: Erin is green.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is blue. Dave is kind. Erin is rough. Harry is white. If Bob is green then Bob is white. If someone is rough then they are green. If someone is green and kind then they are furry. If Harry is kind then Harry is smart. If Dave is kind then Dave is rough. If Erin is blue then Erin is rough.", + "original_question": "Erin is green." + }, + { + "id": "AttNeg-OWA-D0-4411", + "question": "Bob is kind. Bob is round. Bob is smart. Charlie is big. Charlie is quiet. Charlie is round. Dave is kind. Dave is round. Dave is young. Erin is big. Erin is not nice. Erin is not quiet. Erin is round. Erin is smart. Erin is young. All quiet people are big. All quiet people are not nice. All smart people are round. If Dave is round and Dave is nice then Dave is big. If someone is kind and not nice then they are smart. If someone is nice then they are smart. If Erin is nice and Erin is round then Erin is smart. If someone is round then they are kind.\n\nQuestion: Dave is young.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is kind. Bob is round. Bob is smart. Charlie is big. Charlie is quiet. Charlie is round. Dave is kind. Dave is round. Dave is young. Erin is big. Erin is not nice. Erin is not quiet. Erin is round. Erin is smart. Erin is young. All quiet people are big. All quiet people are not nice. All smart people are round. If Dave is round and Dave is nice then Dave is big. If someone is kind and not nice then they are smart. If someone is nice then they are smart. If Erin is nice and Erin is round then Erin is smart. If someone is round then they are kind.", + "original_question": "Dave is young." + }, + { + "id": "AttNeg-OWA-D3-1232", + "question": "Anne is smart. Charlie is nice. Fiona is big. Harry is nice. If Anne is young then Anne is smart. If Fiona is quiet then Fiona is smart. If something is big then it is young. All quiet, smart things are young. If something is young then it is cold. Nice, young things are cold. If something is kind then it is not quiet. All cold things are kind.\n\nQuestion: Anne is smart.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is smart. Charlie is nice. Fiona is big. Harry is nice. If Anne is young then Anne is smart. If Fiona is quiet then Fiona is smart. If something is big then it is young. All quiet, smart things are young. If something is young then it is cold. Nice, young things are cold. If something is kind then it is not quiet. All cold things are kind.", + "original_question": "Anne is smart." + }, + { + "id": "AttNoneg-OWA-D5-712", + "question": "Anne is cold. Anne is green. Anne is young. Bob is nice. Bob is red. Bob is rough. Erin is cold. Erin is furry. Erin is green. Erin is nice. Erin is red. Erin is rough. Fiona is furry. Fiona is rough. If something is nice then it is young. Cold, nice things are red. Rough, furry things are nice. All red things are young. If something is cold then it is young. If something is furry and red then it is nice. If something is young then it is green. Cold, nice things are young. Green, furry things are cold.\n\nQuestion: Fiona is not red.", + "answer": false, + "QDep": 5, + "original_theory": "Anne is cold. Anne is green. Anne is young. Bob is nice. Bob is red. Bob is rough. Erin is cold. Erin is furry. Erin is green. Erin is nice. Erin is red. Erin is rough. Fiona is furry. Fiona is rough. If something is nice then it is young. Cold, nice things are red. Rough, furry things are nice. All red things are young. If something is cold then it is young. If something is furry and red then it is nice. If something is young then it is green. Cold, nice things are young. Green, furry things are cold.", + "original_question": "Fiona is not red." + }, + { + "id": "RelNoneg-OWA-D3-841", + "question": "The tiger is green. If someone is green then they are rough. If someone is green and blue then they are big. If someone is rough then they are blue. If someone is green and rough then they are young. Green, rough people are blue. If someone is rough then they are blue.\n\nQuestion: The tiger is young.", + "answer": true, + "QDep": 2, + "original_theory": "The tiger is green. If someone is green then they are rough. If someone is green and blue then they are big. If someone is rough then they are blue. If someone is green and rough then they are young. Green, rough people are blue. If someone is rough then they are blue.", + "original_question": "The tiger is young." + }, + { + "id": "RelNoneg-OWA-D3-1017", + "question": "The cow eats the lion. The cow is nice. The cow is round. The cow is young. The cow needs the lion. The cow sees the lion. The lion is nice. The lion is rough. The lion needs the cow. The lion sees the cow. If something eats the lion and the lion is kind then it sees the lion. If something eats the cow then it eats the lion. If something sees the cow and the cow sees the lion then it is kind. If the lion is rough then the lion eats the cow. If something is young and kind then it eats the cow. If something is kind then it sees the cow.\n\nQuestion: The lion eats the lion.", + "answer": true, + "QDep": 2, + "original_theory": "The cow eats the lion. The cow is nice. The cow is round. The cow is young. The cow needs the lion. The cow sees the lion. The lion is nice. The lion is rough. The lion needs the cow. The lion sees the cow. If something eats the lion and the lion is kind then it sees the lion. If something eats the cow then it eats the lion. If something sees the cow and the cow sees the lion then it is kind. If the lion is rough then the lion eats the cow. If something is young and kind then it eats the cow. If something is kind then it sees the cow.", + "original_question": "The lion eats the lion." + }, + { + "id": "AttNoneg-OWA-D0-1478", + "question": "Dave is cold. Dave is quiet. Dave is round. If Dave is big then Dave is quiet. Quiet people are red. If someone is quiet then they are cold. If Dave is young then Dave is cold. All round, red people are cold. If Dave is round and Dave is quiet then Dave is red.\n\nQuestion: Dave is round.", + "answer": true, + "QDep": 0, + "original_theory": "Dave is cold. Dave is quiet. Dave is round. If Dave is big then Dave is quiet. Quiet people are red. If someone is quiet then they are cold. If Dave is young then Dave is cold. All round, red people are cold. If Dave is round and Dave is quiet then Dave is red.", + "original_question": "Dave is round." + }, + { + "id": "RelNoneg-OWA-D1-2364", + "question": "The cat visits the lion. The lion likes the tiger. The lion needs the cat. The lion visits the rabbit. The rabbit needs the cat. The tiger needs the cat. The tiger needs the rabbit. If something needs the rabbit then it likes the tiger.\n\nQuestion: The lion likes the tiger.", + "answer": true, + "QDep": 0, + "original_theory": "The cat visits the lion. The lion likes the tiger. The lion needs the cat. The lion visits the rabbit. The rabbit needs the cat. The tiger needs the cat. The tiger needs the rabbit. If something needs the rabbit then it likes the tiger.", + "original_question": "The lion likes the tiger." + }, + { + "id": "RelNeg-OWA-D3-1619", + "question": "The cow chases the mouse. The cow is cold. The cow needs the mouse. The cow does not visit the tiger. The mouse chases the cow. The mouse chases the rabbit. The rabbit needs the mouse. The tiger chases the cow. The tiger is nice. The tiger visits the cow. The tiger visits the mouse. The tiger visits the rabbit. If something is nice then it needs the rabbit. If the cow is nice and the cow does not need the mouse then the cow is big. If something needs the cow then the cow visits the mouse. If something chases the tiger then it visits the mouse. If something chases the rabbit then it chases the mouse. If something is big and it chases the tiger then it needs the cow. If something visits the tiger then it is cold. If something needs the rabbit then the rabbit needs the cow.\n\nQuestion: The tiger visits the mouse.", + "answer": true, + "QDep": 0, + "original_theory": "The cow chases the mouse. The cow is cold. The cow needs the mouse. The cow does not visit the tiger. The mouse chases the cow. The mouse chases the rabbit. The rabbit needs the mouse. The tiger chases the cow. The tiger is nice. The tiger visits the cow. The tiger visits the mouse. The tiger visits the rabbit. If something is nice then it needs the rabbit. If the cow is nice and the cow does not need the mouse then the cow is big. If something needs the cow then the cow visits the mouse. If something chases the tiger then it visits the mouse. If something chases the rabbit then it chases the mouse. If something is big and it chases the tiger then it needs the cow. If something visits the tiger then it is cold. If something needs the rabbit then the rabbit needs the cow.", + "original_question": "The tiger visits the mouse." + }, + { + "id": "AttNoneg-OWA-D3-1079", + "question": "Charlie is furry. Charlie is round. Charlie is young. Erin is furry. Erin is rough. Fiona is rough. Fiona is round. Kind people are cold. If someone is big then they are round. All rough, furry people are big. All kind, young people are cold. If Erin is round and Erin is furry then Erin is cold. If someone is big then they are kind. If Fiona is cold then Fiona is rough. If Fiona is furry and Fiona is rough then Fiona is round.\n\nQuestion: Erin is cold.", + "answer": true, + "QDep": 3, + "original_theory": "Charlie is furry. Charlie is round. Charlie is young. Erin is furry. Erin is rough. Fiona is rough. Fiona is round. Kind people are cold. If someone is big then they are round. All rough, furry people are big. All kind, young people are cold. If Erin is round and Erin is furry then Erin is cold. If someone is big then they are kind. If Fiona is cold then Fiona is rough. If Fiona is furry and Fiona is rough then Fiona is round.", + "original_question": "Erin is cold." + }, + { + "id": "RelNeg-OWA-D5-57", + "question": "The bald eagle eats the squirrel. The bald eagle is kind. The bald eagle is round. The bald eagle does not visit the squirrel. The cat is rough. The cat likes the squirrel. The cow is big. The cow likes the squirrel. The cow visits the squirrel. The squirrel eats the cow. The squirrel likes the bald eagle. If someone likes the cow and they do not eat the cat then they do not eat the bald eagle. If someone eats the cat then they are blue. If someone is big then they do not like the cat. If the cow eats the cat and the cat is big then the cow visits the bald eagle. If someone visits the cat then the cat is round. If someone visits the cow then they are round. If someone is kind then they like the squirrel. If someone visits the cat and the cat is round then they are big. If someone eats the squirrel and they like the squirrel then the squirrel visits the cat.\n\nQuestion: The cat is not round.", + "answer": false, + "QDep": 3, + "original_theory": "The bald eagle eats the squirrel. The bald eagle is kind. The bald eagle is round. The bald eagle does not visit the squirrel. The cat is rough. The cat likes the squirrel. The cow is big. The cow likes the squirrel. The cow visits the squirrel. The squirrel eats the cow. The squirrel likes the bald eagle. If someone likes the cow and they do not eat the cat then they do not eat the bald eagle. If someone eats the cat then they are blue. If someone is big then they do not like the cat. If the cow eats the cat and the cat is big then the cow visits the bald eagle. If someone visits the cat then the cat is round. If someone visits the cow then they are round. If someone is kind then they like the squirrel. If someone visits the cat and the cat is round then they are big. If someone eats the squirrel and they like the squirrel then the squirrel visits the cat.", + "original_question": "The cat is not round." + }, + { + "id": "AttNonegNatLang-OWA-165", + "question": "That guy Alan sure is nice. Charlie discovered that even though he was round, rough, and nice and green, he was actually big. Dave is a cold and round man who has red and green skin. The young person who is always feeling cold is named Harry. People who have green body paint and act kind to others are quite young. A very nice person who is also green is certainly kind. Big people with red hair are cold because they cannot find coats that fit. Most young kind people tend to be red too.\n\nQuestion: Harry is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "That guy Alan sure is nice. Charlie discovered that even though he was round, rough, and nice and green, he was actually big. Dave is a cold and round man who has red and green skin. The young person who is always feeling cold is named Harry. People who have green body paint and act kind to others are quite young. A very nice person who is also green is certainly kind. Big people with red hair are cold because they cannot find coats that fit. Most young kind people tend to be red too.", + "original_question": "Harry is not cold." + }, + { + "id": "AttNeg-OWA-D3-1665", + "question": "Harry is green. If someone is big then they are kind. All green people are kind. If someone is kind and not rough then they are blue. All green people are nice. If someone is furry and green then they are not big. If Harry is kind then Harry is furry. Kind, rough people are furry. If Harry is big and Harry is nice then Harry is green.\n\nQuestion: Harry is not green.", + "answer": false, + "QDep": 0, + "original_theory": "Harry is green. If someone is big then they are kind. All green people are kind. If someone is kind and not rough then they are blue. All green people are nice. If someone is furry and green then they are not big. If Harry is kind then Harry is furry. Kind, rough people are furry. If Harry is big and Harry is nice then Harry is green.", + "original_question": "Harry is not green." + }, + { + "id": "AttNeg-OWA-D0-4296", + "question": "Bob is smart. Charlie is nice. Harry is rough. Quiet people are nice.\n\nQuestion: Charlie is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is smart. Charlie is nice. Harry is rough. Quiet people are nice.", + "original_question": "Charlie is not nice." + }, + { + "id": "RelNeg-OWA-D2-510", + "question": "The bald eagle eats the cat. The bald eagle eats the lion. The cat does not chase the rabbit. The cat is not big. The cat does not like the lion. The lion is cold. The lion is round. The rabbit chases the lion. The rabbit does not eat the bald eagle. The rabbit eats the lion. The rabbit is red. The rabbit likes the bald eagle. If someone is cold then they do not chase the bald eagle. If the lion chases the cat and the cat eats the rabbit then the cat is not red. If someone is round and they do not chase the bald eagle then they do not like the lion.\n\nQuestion: The lion does not chase the bald eagle.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle eats the cat. The bald eagle eats the lion. The cat does not chase the rabbit. The cat is not big. The cat does not like the lion. The lion is cold. The lion is round. The rabbit chases the lion. The rabbit does not eat the bald eagle. The rabbit eats the lion. The rabbit is red. The rabbit likes the bald eagle. If someone is cold then they do not chase the bald eagle. If the lion chases the cat and the cat eats the rabbit then the cat is not red. If someone is round and they do not chase the bald eagle then they do not like the lion.", + "original_question": "The lion does not chase the bald eagle." + }, + { + "id": "AttNoneg-OWA-D1-120", + "question": "Fiona is big. Fiona is furry. Fiona is white. If Fiona is blue then Fiona is cold. If something is furry and white then it is blue. Cold things are big. Cold, furry things are quiet. If something is furry then it is blue. All cold things are blue. If something is big and blue then it is white. All cold things are quiet.\n\nQuestion: Fiona is white.", + "answer": true, + "QDep": 0, + "original_theory": "Fiona is big. Fiona is furry. Fiona is white. If Fiona is blue then Fiona is cold. If something is furry and white then it is blue. Cold things are big. Cold, furry things are quiet. If something is furry then it is blue. All cold things are blue. If something is big and blue then it is white. All cold things are quiet.", + "original_question": "Fiona is white." + }, + { + "id": "RelNoneg-OWA-D5-392", + "question": "The bald eagle likes the mouse. The mouse likes the bald eagle. The rabbit likes the mouse. The tiger chases the mouse. The tiger chases the rabbit. The tiger is big. The tiger sees the bald eagle. If the rabbit likes the tiger and the tiger sees the bald eagle then the rabbit is rough. If someone sees the rabbit then the rabbit likes the tiger. If someone likes the bald eagle and the bald eagle likes the rabbit then the rabbit is big. If someone likes the bald eagle then the bald eagle is rough. If the mouse chases the rabbit then the rabbit chases the tiger. If the rabbit sees the bald eagle then the bald eagle chases the rabbit. If someone is young and they chase the mouse then they see the mouse. If someone likes the mouse and they are rough then they see the rabbit.\n\nQuestion: The bald eagle likes the mouse.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle likes the mouse. The mouse likes the bald eagle. The rabbit likes the mouse. The tiger chases the mouse. The tiger chases the rabbit. The tiger is big. The tiger sees the bald eagle. If the rabbit likes the tiger and the tiger sees the bald eagle then the rabbit is rough. If someone sees the rabbit then the rabbit likes the tiger. If someone likes the bald eagle and the bald eagle likes the rabbit then the rabbit is big. If someone likes the bald eagle then the bald eagle is rough. If the mouse chases the rabbit then the rabbit chases the tiger. If the rabbit sees the bald eagle then the bald eagle chases the rabbit. If someone is young and they chase the mouse then they see the mouse. If someone likes the mouse and they are rough then they see the rabbit.", + "original_question": "The bald eagle likes the mouse." + }, + { + "id": "AttNeg-OWA-D3-1613", + "question": "Anne is smart. Erin is green. Erin is young. Fiona is not quiet. Gary is green. Gary is not smart. Gary is young. Rough things are blue. All quiet things are not smart. If Gary is blue and Gary is smart then Gary is not young. If something is quiet then it is not young. If something is quiet and blue then it is green. If Gary is green and Gary is blue then Gary is round. All blue, rough things are not round. All smart things are rough.\n\nQuestion: Anne is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is smart. Erin is green. Erin is young. Fiona is not quiet. Gary is green. Gary is not smart. Gary is young. Rough things are blue. All quiet things are not smart. If Gary is blue and Gary is smart then Gary is not young. If something is quiet then it is not young. If something is quiet and blue then it is green. If Gary is green and Gary is blue then Gary is round. All blue, rough things are not round. All smart things are rough.", + "original_question": "Anne is not smart." + }, + { + "id": "RelNoneg-OWA-D3-359", + "question": "The bald eagle eats the cat. The bald eagle likes the cow. The bald eagle needs the lion. The cat eats the lion. The cat is red. The cow eats the bald eagle. The lion eats the cat. The lion eats the cow. The lion is kind. The lion is red. The lion likes the cat. The lion likes the cow. The lion needs the bald eagle. The lion needs the cat. The lion needs the cow. If the cow needs the bald eagle and the cow likes the cat then the bald eagle likes the cow. If something needs the bald eagle and it needs the cow then the bald eagle eats the cow. If something needs the lion and the lion eats the cow then it is green. If something is green and it likes the cat then the cat needs the cow. If something eats the cow then it needs the lion. If something needs the cat and the cat eats the lion then the cat eats the bald eagle.\n\nQuestion: The bald eagle is green.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle eats the cat. The bald eagle likes the cow. The bald eagle needs the lion. The cat eats the lion. The cat is red. The cow eats the bald eagle. The lion eats the cat. The lion eats the cow. The lion is kind. The lion is red. The lion likes the cat. The lion likes the cow. The lion needs the bald eagle. The lion needs the cat. The lion needs the cow. If the cow needs the bald eagle and the cow likes the cat then the bald eagle likes the cow. If something needs the bald eagle and it needs the cow then the bald eagle eats the cow. If something needs the lion and the lion eats the cow then it is green. If something is green and it likes the cat then the cat needs the cow. If something eats the cow then it needs the lion. If something needs the cat and the cat eats the lion then the cat eats the bald eagle.", + "original_question": "The bald eagle is green." + }, + { + "id": "AttNonegNatLang-OWA-179", + "question": "For being so young, Bob is nice. He has rough, red hands from working all day and it makes him feel blue. Even though Dave is round and big, he is very kind. Fred may be round, but he is also kind. For being so cold, it's good Gary can remain nice. A person with big, round, kind face appears to be rough around the edges because they are naive. Kind red people are green on the inside. Nice, young red people will also turn out to always be green. If someone is green and naive they may also have red, rough skin. It is a safe guess then that they are also round. A nice person who feels blue and looks round is usually kind. If a person is both cold and round, that person is also someone who is red.\n\nQuestion: Bob is not green.", + "answer": false, + "QDep": 1, + "original_theory": "For being so young, Bob is nice. He has rough, red hands from working all day and it makes him feel blue. Even though Dave is round and big, he is very kind. Fred may be round, but he is also kind. For being so cold, it's good Gary can remain nice. A person with big, round, kind face appears to be rough around the edges because they are naive. Kind red people are green on the inside. Nice, young red people will also turn out to always be green. If someone is green and naive they may also have red, rough skin. It is a safe guess then that they are also round. A nice person who feels blue and looks round is usually kind. If a person is both cold and round, that person is also someone who is red.", + "original_question": "Bob is not green." + }, + { + "id": "RelNoneg-OWA-D3-1302", + "question": "The cat chases the cow. The cat is blue. The cat is cold. The cat is green. The cat is nice. The cat needs the cow. The cat sees the cow. The cow chases the cat. The cow is big. The cow is blue. The cow is cold. The cow is green. The cow is nice. The cow needs the cat. The cow sees the cat. If someone needs the cow and they chase the cat then the cow is cold. If someone sees the cow and they are blue then they chase the cat. If someone needs the cat and the cat needs the cow then they see the cat. Big people are blue. If someone sees the cow and they chase the cat then they need the cat. If someone chases the cow then the cow is cold.\n\nQuestion: The cat does not need the cat.", + "answer": false, + "QDep": 2, + "original_theory": "The cat chases the cow. The cat is blue. The cat is cold. The cat is green. The cat is nice. The cat needs the cow. The cat sees the cow. The cow chases the cat. The cow is big. The cow is blue. The cow is cold. The cow is green. The cow is nice. The cow needs the cat. The cow sees the cat. If someone needs the cow and they chase the cat then the cow is cold. If someone sees the cow and they are blue then they chase the cat. If someone needs the cat and the cat needs the cow then they see the cat. Big people are blue. If someone sees the cow and they chase the cat then they need the cat. If someone chases the cow then the cow is cold.", + "original_question": "The cat does not need the cat." + }, + { + "id": "AttNoneg-OWA-D2-2069", + "question": "Dave is nice. Dave is quiet. Dave is red. Dave is rough. Dave is smart. Dave is white. Erin is nice. Erin is red. Erin is rough. Erin is white. Harry is nice. Harry is red. If something is rough and nice then it is white. If Harry is red and Harry is smart then Harry is rough. If something is red then it is smart. If something is young and rough then it is quiet. Smart things are rough. White, quiet things are red.\n\nQuestion: Harry is smart.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is nice. Dave is quiet. Dave is red. Dave is rough. Dave is smart. Dave is white. Erin is nice. Erin is red. Erin is rough. Erin is white. Harry is nice. Harry is red. If something is rough and nice then it is white. If Harry is red and Harry is smart then Harry is rough. If something is red then it is smart. If something is young and rough then it is quiet. Smart things are rough. White, quiet things are red.", + "original_question": "Harry is smart." + }, + { + "id": "AttNoneg-OWA-D3-584", + "question": "Anne is red. Bob is blue. Dave is furry. Erin is cold. If Dave is cold and Dave is red then Dave is big. Big, blue people are cold. Big, furry people are blue. If Anne is smart then Anne is young. If someone is cold then they are blue. Blue, young people are smart. If Bob is young then Bob is smart. Furry people are big.\n\nQuestion: Dave is cold.", + "answer": true, + "QDep": 3, + "original_theory": "Anne is red. Bob is blue. Dave is furry. Erin is cold. If Dave is cold and Dave is red then Dave is big. Big, blue people are cold. Big, furry people are blue. If Anne is smart then Anne is young. If someone is cold then they are blue. Blue, young people are smart. If Bob is young then Bob is smart. Furry people are big.", + "original_question": "Dave is cold." + }, + { + "id": "AttNoneg-OWA-D1-260", + "question": "Bob is blue. Bob is rough. Bob is young. Charlie is blue. Charlie is nice. Charlie is round. Charlie is white. Charlie is young. Dave is quiet. Dave is rough. Dave is white. Gary is blue. Gary is nice. Gary is round. Gary is young. All nice, white people are young. All white, rough people are quiet. If Charlie is white then Charlie is quiet.\n\nQuestion: Charlie is nice.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is blue. Bob is rough. Bob is young. Charlie is blue. Charlie is nice. Charlie is round. Charlie is white. Charlie is young. Dave is quiet. Dave is rough. Dave is white. Gary is blue. Gary is nice. Gary is round. Gary is young. All nice, white people are young. All white, rough people are quiet. If Charlie is white then Charlie is quiet.", + "original_question": "Charlie is nice." + }, + { + "id": "RelNeg-OWA-D3-587", + "question": "The bear visits the lion. The cat needs the bear. The cat visits the mouse. The lion is round. The lion needs the cat. The lion needs the mouse. The mouse needs the lion. If something is rough and it needs the lion then it is nice. If something needs the mouse and it chases the mouse then it is nice. If something is nice then it is round. If something visits the cat then the cat visits the lion. If something needs the lion then it is rough. If something needs the bear then the bear is green.\n\nQuestion: The mouse is nice.", + "answer": true, + "QDep": 2, + "original_theory": "The bear visits the lion. The cat needs the bear. The cat visits the mouse. The lion is round. The lion needs the cat. The lion needs the mouse. The mouse needs the lion. If something is rough and it needs the lion then it is nice. If something needs the mouse and it chases the mouse then it is nice. If something is nice then it is round. If something visits the cat then the cat visits the lion. If something needs the lion then it is rough. If something needs the bear then the bear is green.", + "original_question": "The mouse is nice." + }, + { + "id": "AttNeg-OWA-D3-501", + "question": "Harry is rough. If Harry is not kind then Harry is nice. If Harry is rough then Harry is nice. If something is nice and kind then it is cold. Nice things are cold. If Harry is cold and Harry is rough then Harry is smart. If something is nice and cold then it is rough. If something is white and not cold then it is smart. If something is nice and smart then it is not white.\n\nQuestion: Harry is cold.", + "answer": true, + "QDep": 2, + "original_theory": "Harry is rough. If Harry is not kind then Harry is nice. If Harry is rough then Harry is nice. If something is nice and kind then it is cold. Nice things are cold. If Harry is cold and Harry is rough then Harry is smart. If something is nice and cold then it is rough. If something is white and not cold then it is smart. If something is nice and smart then it is not white.", + "original_question": "Harry is cold." + }, + { + "id": "AttPos-OWA-ElectricityRB4-50", + "question": "The circuit includes the switch. The switch is on. The wire is metal. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The circuit does not include the light bulb.", + "answer": false, + "QDep": 0, + "original_theory": "The circuit includes the switch. The switch is on. The wire is metal. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The circuit does not include the light bulb." + }, + { + "id": "AttNeg-OWA-D3-1330", + "question": "Bob is big. Bob is white. Fiona is not big. Gary is big. Gary is nice. Harry is blue. Harry is rough. If something is big and not nice then it is white. Round, big things are white. If something is white then it is green. All blue, big things are green. All nice, big things are round. All big things are rough. If Harry is round and Harry is nice then Harry is not rough. If something is round then it is blue.\n\nQuestion: Bob is not green.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is big. Bob is white. Fiona is not big. Gary is big. Gary is nice. Harry is blue. Harry is rough. If something is big and not nice then it is white. Round, big things are white. If something is white then it is green. All blue, big things are green. All nice, big things are round. All big things are rough. If Harry is round and Harry is nice then Harry is not rough. If something is round then it is blue.", + "original_question": "Bob is not green." + }, + { + "id": "RelNoneg-OWA-D1-2364", + "question": "The cat visits the lion. The lion likes the tiger. The lion needs the cat. The lion visits the rabbit. The rabbit needs the cat. The tiger needs the cat. The tiger needs the rabbit. If something needs the rabbit then it likes the tiger.\n\nQuestion: The lion does not need the cat.", + "answer": false, + "QDep": 0, + "original_theory": "The cat visits the lion. The lion likes the tiger. The lion needs the cat. The lion visits the rabbit. The rabbit needs the cat. The tiger needs the cat. The tiger needs the rabbit. If something needs the rabbit then it likes the tiger.", + "original_question": "The lion does not need the cat." + }, + { + "id": "AttNonegNatLang-OWA-431", + "question": "Bob is a red, rough, green and blue man. Eric is a big fellow, often blue and sad, but he is nice. Gary is a kind person and he is also often cold. Harry seems to be round. When rough and kind can describe a person, then cold will describe them, too. Nice, young red people will also turn out to always be green. Someone with rough and green feet is invariably kind. A big round young person is often blue. A kind person who looks blue because he is is cold is usually big in stature. Green folks who are nice and rough are a round shape.\n\nQuestion: Bob is cold.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is a red, rough, green and blue man. Eric is a big fellow, often blue and sad, but he is nice. Gary is a kind person and he is also often cold. Harry seems to be round. When rough and kind can describe a person, then cold will describe them, too. Nice, young red people will also turn out to always be green. Someone with rough and green feet is invariably kind. A big round young person is often blue. A kind person who looks blue because he is is cold is usually big in stature. Green folks who are nice and rough are a round shape.", + "original_question": "Bob is cold." + }, + { + "id": "RelNeg-OWA-D5-57", + "question": "The bald eagle eats the squirrel. The bald eagle is kind. The bald eagle is round. The bald eagle does not visit the squirrel. The cat is rough. The cat likes the squirrel. The cow is big. The cow likes the squirrel. The cow visits the squirrel. The squirrel eats the cow. The squirrel likes the bald eagle. If someone likes the cow and they do not eat the cat then they do not eat the bald eagle. If someone eats the cat then they are blue. If someone is big then they do not like the cat. If the cow eats the cat and the cat is big then the cow visits the bald eagle. If someone visits the cat then the cat is round. If someone visits the cow then they are round. If someone is kind then they like the squirrel. If someone visits the cat and the cat is round then they are big. If someone eats the squirrel and they like the squirrel then the squirrel visits the cat.\n\nQuestion: The cat is round.", + "answer": true, + "QDep": 3, + "original_theory": "The bald eagle eats the squirrel. The bald eagle is kind. The bald eagle is round. The bald eagle does not visit the squirrel. The cat is rough. The cat likes the squirrel. The cow is big. The cow likes the squirrel. The cow visits the squirrel. The squirrel eats the cow. The squirrel likes the bald eagle. If someone likes the cow and they do not eat the cat then they do not eat the bald eagle. If someone eats the cat then they are blue. If someone is big then they do not like the cat. If the cow eats the cat and the cat is big then the cow visits the bald eagle. If someone visits the cat then the cat is round. If someone visits the cow then they are round. If someone is kind then they like the squirrel. If someone visits the cat and the cat is round then they are big. If someone eats the squirrel and they like the squirrel then the squirrel visits the cat.", + "original_question": "The cat is round." + }, + { + "id": "AttNonegNatLang-OWA-46", + "question": "Charlie may be round, but he is also kind. Dave is shaped big and round like a balloon. His red color shows how kind he is. Eric seems to be round. Young people are so rough that they can hold their breath until they are blue. If a person happens to be big kind and red at the same time they are a young person. A nice, green, big person is also sure to be a red person. Anyone feeling cold is bound to act nice. A young person with red hands is rough around the edges. A nice person with cold skin is going to be rough. Green folks who are nice and rough are a round shape.\n\nQuestion: Dave is not big.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie may be round, but he is also kind. Dave is shaped big and round like a balloon. His red color shows how kind he is. Eric seems to be round. Young people are so rough that they can hold their breath until they are blue. If a person happens to be big kind and red at the same time they are a young person. A nice, green, big person is also sure to be a red person. Anyone feeling cold is bound to act nice. A young person with red hands is rough around the edges. A nice person with cold skin is going to be rough. Green folks who are nice and rough are a round shape.", + "original_question": "Dave is not big." + }, + { + "id": "AttNoneg-OWA-D5-54", + "question": "Erin is furry. Erin is quiet. Fiona is red. Gary is quiet. Gary is smart. Harry is blue. Harry is furry. Harry is nice. Harry is quiet. Harry is red. If Gary is blue then Gary is furry. If someone is nice then they are young. All red people are nice. Young, blue people are quiet. All nice, quiet people are red. If someone is smart and quiet then they are red. All red people are quiet. All red, young people are blue. If Harry is quiet then Harry is furry.\n\nQuestion: Harry is young.", + "answer": true, + "QDep": 1, + "original_theory": "Erin is furry. Erin is quiet. Fiona is red. Gary is quiet. Gary is smart. Harry is blue. Harry is furry. Harry is nice. Harry is quiet. Harry is red. If Gary is blue then Gary is furry. If someone is nice then they are young. All red people are nice. Young, blue people are quiet. All nice, quiet people are red. If someone is smart and quiet then they are red. All red people are quiet. All red, young people are blue. If Harry is quiet then Harry is furry.", + "original_question": "Harry is young." + }, + { + "id": "RelNoneg-OWA-D1-221", + "question": "The lion chases the mouse. The mouse needs the tiger. The tiger likes the mouse. If someone needs the mouse and the mouse needs the lion then they are big. If the mouse needs the tiger then the tiger is kind. If someone likes the mouse and the mouse needs the lion then the lion likes the tiger.\n\nQuestion: The mouse needs the tiger.", + "answer": true, + "QDep": 0, + "original_theory": "The lion chases the mouse. The mouse needs the tiger. The tiger likes the mouse. If someone needs the mouse and the mouse needs the lion then they are big. If the mouse needs the tiger then the tiger is kind. If someone likes the mouse and the mouse needs the lion then the lion likes the tiger.", + "original_question": "The mouse needs the tiger." + }, + { + "id": "RelNeg-OWA-D2-1482", + "question": "The lion likes the squirrel. The mouse visits the lion. The squirrel likes the mouse. The tiger is not nice. If something is green and not blue then it visits the mouse. If something is green then it does not see the lion. If something visits the lion then the lion is green.\n\nQuestion: The lion does not like the squirrel.", + "answer": false, + "QDep": 0, + "original_theory": "The lion likes the squirrel. The mouse visits the lion. The squirrel likes the mouse. The tiger is not nice. If something is green and not blue then it visits the mouse. If something is green then it does not see the lion. If something visits the lion then the lion is green.", + "original_question": "The lion does not like the squirrel." + }, + { + "id": "RelNeg-OWA-D0-5299", + "question": "The tiger is big. The tiger is blue. The tiger is kind. The tiger is red. The tiger is not young. If something is kind then it is red. If something is young and not red then it is blue. Big things are not young. If something is big then it is not young. All blue things are big. If something is red and not kind then it is big.\n\nQuestion: The tiger is kind.", + "answer": true, + "QDep": 0, + "original_theory": "The tiger is big. The tiger is blue. The tiger is kind. The tiger is red. The tiger is not young. If something is kind then it is red. If something is young and not red then it is blue. Big things are not young. If something is big then it is not young. All blue things are big. If something is red and not kind then it is big.", + "original_question": "The tiger is kind." + }, + { + "id": "RelNeg-OWA-D3-1043", + "question": "The bear does not visit the tiger. The cow is young. The tiger visits the cow. If the cow is red then the cow likes the tiger. If someone needs the cow then they need the tiger. If someone visits the cow then the cow visits the bear. If someone is blue and young then they like the cow. If someone visits the bear then the bear needs the cow. If someone likes the tiger and they are not young then the tiger is not red.\n\nQuestion: The tiger visits the cow.", + "answer": true, + "QDep": 0, + "original_theory": "The bear does not visit the tiger. The cow is young. The tiger visits the cow. If the cow is red then the cow likes the tiger. If someone needs the cow then they need the tiger. If someone visits the cow then the cow visits the bear. If someone is blue and young then they like the cow. If someone visits the bear then the bear needs the cow. If someone likes the tiger and they are not young then the tiger is not red.", + "original_question": "The tiger visits the cow." + }, + { + "id": "AttNeg-OWA-D3-774", + "question": "Charlie is nice. Charlie is smart. Dave is young. If someone is blue then they are kind. If Dave is kind then Dave is smart. If Charlie is young then Charlie is smart. If Charlie is blue then Charlie is not kind. If someone is young then they are blue. If someone is smart and not blue then they are red.\n\nQuestion: Dave is not young.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is nice. Charlie is smart. Dave is young. If someone is blue then they are kind. If Dave is kind then Dave is smart. If Charlie is young then Charlie is smart. If Charlie is blue then Charlie is not kind. If someone is young then they are blue. If someone is smart and not blue then they are red.", + "original_question": "Dave is not young." + }, + { + "id": "AttNoneg-OWA-D0-1477", + "question": "Dave is big. Dave is furry. Dave is green. Dave is kind. Dave is red. Dave is white. Dave is young. Gary is big. Gary is furry. Gary is green. Gary is kind. Gary is red. If Gary is white and Gary is kind then Gary is big.\n\nQuestion: Dave is white.", + "answer": true, + "QDep": 0, + "original_theory": "Dave is big. Dave is furry. Dave is green. Dave is kind. Dave is red. Dave is white. Dave is young. Gary is big. Gary is furry. Gary is green. Gary is kind. Gary is red. If Gary is white and Gary is kind then Gary is big.", + "original_question": "Dave is white." + }, + { + "id": "AttNoneg-OWA-D2-1097", + "question": "Dave is quiet. Fiona is round. Gary is big. Blue, big people are kind. Big people are young. Quiet people are big. If Gary is big and Gary is quiet then Gary is young. Kind, young people are smart. All kind people are quiet.\n\nQuestion: Gary is young.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is quiet. Fiona is round. Gary is big. Blue, big people are kind. Big people are young. Quiet people are big. If Gary is big and Gary is quiet then Gary is young. Kind, young people are smart. All kind people are quiet.", + "original_question": "Gary is young." + }, + { + "id": "RelNoneg-OWA-D3-134", + "question": "The bear is kind. The cat visits the bear. The dog is round. If something sees the dog then the dog visits the cat. If something visits the bear and the bear sees the dog then it is round. If something is round then it sees the cat. If the bear sees the dog then the bear likes the dog. If something visits the cat then the cat likes the bear. If something likes the dog and the dog likes the cat then the dog visits the bear. If something visits the cat and it is cold then it sees the cat. If something is kind then it sees the dog.\n\nQuestion: The cat does not see the cat.", + "answer": false, + "QDep": 3, + "original_theory": "The bear is kind. The cat visits the bear. The dog is round. If something sees the dog then the dog visits the cat. If something visits the bear and the bear sees the dog then it is round. If something is round then it sees the cat. If the bear sees the dog then the bear likes the dog. If something visits the cat then the cat likes the bear. If something likes the dog and the dog likes the cat then the dog visits the bear. If something visits the cat and it is cold then it sees the cat. If something is kind then it sees the dog.", + "original_question": "The cat does not see the cat." + }, + { + "id": "AttNeg-OWA-D1-441", + "question": "Bob is young. Charlie is kind. Charlie is not quiet. Charlie is red. Charlie is rough. Charlie is not white. Charlie is young. Erin is kind. Erin is quiet. Erin is smart. Erin is not young. Harry is kind. Harry is red. Harry is not rough. Harry is smart. Harry is not white. If something is red and not white then it is smart.\n\nQuestion: Harry is not white.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is young. Charlie is kind. Charlie is not quiet. Charlie is red. Charlie is rough. Charlie is not white. Charlie is young. Erin is kind. Erin is quiet. Erin is smart. Erin is not young. Harry is kind. Harry is red. Harry is not rough. Harry is smart. Harry is not white. If something is red and not white then it is smart.", + "original_question": "Harry is not white." + }, + { + "id": "AttNoneg-OWA-D2-1493", + "question": "Bob is furry. Bob is quiet. Bob is rough. Bob is round. Charlie is big. Charlie is quiet. Charlie is rough. Charlie is white. Charlie is young. Harry is quiet. Harry is round. Harry is white. Big people are young. If someone is round and white then they are young. If someone is young then they are furry.\n\nQuestion: Harry is furry.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is furry. Bob is quiet. Bob is rough. Bob is round. Charlie is big. Charlie is quiet. Charlie is rough. Charlie is white. Charlie is young. Harry is quiet. Harry is round. Harry is white. Big people are young. If someone is round and white then they are young. If someone is young then they are furry.", + "original_question": "Harry is furry." + }, + { + "id": "RelNeg-OWA-D1-2748", + "question": "The dog does not chase the rabbit. The dog is not cold. The dog does not like the rabbit. The dog sees the rabbit. The rabbit chases the dog. The rabbit is blue. The rabbit is cold. The rabbit is not young. The rabbit does not like the dog. The rabbit does not see the dog. If something sees the rabbit then it chases the dog. If something sees the dog then the dog is red. If the rabbit sees the dog and the rabbit is cold then the dog chases the rabbit. If something is red and it does not see the rabbit then the rabbit is not red. If the rabbit sees the dog then the rabbit does not chase the dog. If something chases the rabbit and the rabbit sees the dog then the rabbit is cold.\n\nQuestion: The dog chases the dog.", + "answer": true, + "QDep": 1, + "original_theory": "The dog does not chase the rabbit. The dog is not cold. The dog does not like the rabbit. The dog sees the rabbit. The rabbit chases the dog. The rabbit is blue. The rabbit is cold. The rabbit is not young. The rabbit does not like the dog. The rabbit does not see the dog. If something sees the rabbit then it chases the dog. If something sees the dog then the dog is red. If the rabbit sees the dog and the rabbit is cold then the dog chases the rabbit. If something is red and it does not see the rabbit then the rabbit is not red. If the rabbit sees the dog then the rabbit does not chase the dog. If something chases the rabbit and the rabbit sees the dog then the rabbit is cold.", + "original_question": "The dog chases the dog." + }, + { + "id": "RelNeg-OWA-D3-819", + "question": "The cat is rough. The cat is round. The cat does not need the mouse. The cat sees the tiger. The cat visits the mouse. The mouse does not need the tiger. The mouse sees the cat. The tiger is round. The tiger needs the cat. The tiger visits the cat. If the cat sees the tiger then the cat does not need the tiger. If something needs the cat and the cat does not visit the mouse then the cat is rough. If something sees the mouse then it sees the cat. If the tiger sees the cat then the tiger is green. If the mouse sees the cat then the cat sees the mouse. If something sees the cat then the cat is young. If something sees the cat and the cat sees the mouse then it visits the tiger. If something visits the mouse then the mouse sees the tiger.\n\nQuestion: The cat does not see the mouse.", + "answer": false, + "QDep": 1, + "original_theory": "The cat is rough. The cat is round. The cat does not need the mouse. The cat sees the tiger. The cat visits the mouse. The mouse does not need the tiger. The mouse sees the cat. The tiger is round. The tiger needs the cat. The tiger visits the cat. If the cat sees the tiger then the cat does not need the tiger. If something needs the cat and the cat does not visit the mouse then the cat is rough. If something sees the mouse then it sees the cat. If the tiger sees the cat then the tiger is green. If the mouse sees the cat then the cat sees the mouse. If something sees the cat then the cat is young. If something sees the cat and the cat sees the mouse then it visits the tiger. If something visits the mouse then the mouse sees the tiger.", + "original_question": "The cat does not see the mouse." + }, + { + "id": "AttNoneg-OWA-D3-49", + "question": "Bob is big. Bob is kind. Bob is red. Fiona is big. Fiona is cold. Fiona is kind. Fiona is red. Fiona is young. Gary is blue. Gary is cold. Gary is kind. Gary is red. Gary is rough. Gary is young. Harry is blue. All red people are blue. If someone is blue then they are young. Red, young people are cold.\n\nQuestion: Bob is blue.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is big. Bob is kind. Bob is red. Fiona is big. Fiona is cold. Fiona is kind. Fiona is red. Fiona is young. Gary is blue. Gary is cold. Gary is kind. Gary is red. Gary is rough. Gary is young. Harry is blue. All red people are blue. If someone is blue then they are young. Red, young people are cold.", + "original_question": "Bob is blue." + }, + { + "id": "RelNeg-OWA-D5-598", + "question": "The bald eagle likes the dog. The bald eagle needs the lion. The bald eagle visits the dog. The bald eagle visits the lion. The dog is cold. The dog is not nice. The dog does not like the lion. The dog visits the lion. The dog visits the mouse. The lion likes the bald eagle. The lion visits the bald eagle. The lion visits the dog. The mouse likes the lion. The mouse does not visit the lion. If something is round then it visits the mouse. If something visits the mouse then it is cold. If something visits the dog and the dog needs the lion then the lion is round. If something is cold then it needs the lion. If the mouse does not visit the dog then the dog is green.\n\nQuestion: The lion is cold.", + "answer": true, + "QDep": 4, + "original_theory": "The bald eagle likes the dog. The bald eagle needs the lion. The bald eagle visits the dog. The bald eagle visits the lion. The dog is cold. The dog is not nice. The dog does not like the lion. The dog visits the lion. The dog visits the mouse. The lion likes the bald eagle. The lion visits the bald eagle. The lion visits the dog. The mouse likes the lion. The mouse does not visit the lion. If something is round then it visits the mouse. If something visits the mouse then it is cold. If something visits the dog and the dog needs the lion then the lion is round. If something is cold then it needs the lion. If the mouse does not visit the dog then the dog is green.", + "original_question": "The lion is cold." + }, + { + "id": "AttNeg-OWA-D0-5301", + "question": "Anne is blue. Bob is furry. Bob is not rough. Bob is smart. Bob is white. Bob is young. Charlie is cold. Charlie is furry. Charlie is smart. Charlie is young. Erin is blue. Erin is cold. Erin is not rough. Erin is white. Erin is young. All smart, white things are young. All furry, cold things are young. Cold, smart things are white. If Charlie is cold then Charlie is furry. All smart things are furry. Smart, blue things are not furry.\n\nQuestion: Bob is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is blue. Bob is furry. Bob is not rough. Bob is smart. Bob is white. Bob is young. Charlie is cold. Charlie is furry. Charlie is smart. Charlie is young. Erin is blue. Erin is cold. Erin is not rough. Erin is white. Erin is young. All smart, white things are young. All furry, cold things are young. Cold, smart things are white. If Charlie is cold then Charlie is furry. All smart things are furry. Smart, blue things are not furry.", + "original_question": "Bob is not smart." + }, + { + "id": "AttNoneg-OWA-D1-2157", + "question": "Anne is blue. Anne is cold. Charlie is blue. Charlie is cold. Charlie is green. Charlie is rough. Charlie is smart. Fiona is cold. Fiona is quiet. Fiona is rough. Fiona is white. Gary is cold. Gary is green. Gary is quiet. Gary is white. If someone is green then they are cold. All green, quiet people are rough.\n\nQuestion: Charlie is not green.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is blue. Anne is cold. Charlie is blue. Charlie is cold. Charlie is green. Charlie is rough. Charlie is smart. Fiona is cold. Fiona is quiet. Fiona is rough. Fiona is white. Gary is cold. Gary is green. Gary is quiet. Gary is white. If someone is green then they are cold. All green, quiet people are rough.", + "original_question": "Charlie is not green." + }, + { + "id": "RelNoneg-OWA-D5-253", + "question": "The cat eats the mouse. The cat eats the squirrel. The cat is rough. The cat sees the lion. The cat sees the mouse. The cat sees the squirrel. The lion sees the cat. The lion sees the squirrel. The mouse is round. The mouse sees the squirrel. The squirrel likes the lion. If someone is cold then they are kind. If someone eats the cat then the cat eats the mouse. If someone eats the mouse then they are cold. If someone eats the squirrel and the squirrel is nice then they see the squirrel. If someone eats the squirrel then they are cold. If someone sees the squirrel then they like the cat. If someone likes the lion and the lion likes the cat then they see the squirrel. If someone sees the mouse and they like the cat then they are nice. If someone sees the squirrel and they are nice then the squirrel eats the mouse.\n\nQuestion: The squirrel is not cold.", + "answer": false, + "QDep": 4, + "original_theory": "The cat eats the mouse. The cat eats the squirrel. The cat is rough. The cat sees the lion. The cat sees the mouse. The cat sees the squirrel. The lion sees the cat. The lion sees the squirrel. The mouse is round. The mouse sees the squirrel. The squirrel likes the lion. If someone is cold then they are kind. If someone eats the cat then the cat eats the mouse. If someone eats the mouse then they are cold. If someone eats the squirrel and the squirrel is nice then they see the squirrel. If someone eats the squirrel then they are cold. If someone sees the squirrel then they like the cat. If someone likes the lion and the lion likes the cat then they see the squirrel. If someone sees the mouse and they like the cat then they are nice. If someone sees the squirrel and they are nice then the squirrel eats the mouse.", + "original_question": "The squirrel is not cold." + }, + { + "id": "AttNeg-OWA-D3-915", + "question": "Bob is rough. Dave is nice. Erin is smart. Green things are smart. Nice things are smart. If something is green and quiet then it is not rough. All rough things are kind. All rough, kind things are nice. If something is rough and not nice then it is red.\n\nQuestion: Dave is smart.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is rough. Dave is nice. Erin is smart. Green things are smart. Nice things are smart. If something is green and quiet then it is not rough. All rough things are kind. All rough, kind things are nice. If something is rough and not nice then it is red.", + "original_question": "Dave is smart." + }, + { + "id": "AttNoneg-OWA-D2-1410", + "question": "Charlie is cold. Charlie is green. Charlie is round. If Charlie is rough then Charlie is young. All cold, round things are white. If something is white and green then it is red.\n\nQuestion: Charlie is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is cold. Charlie is green. Charlie is round. If Charlie is rough then Charlie is young. All cold, round things are white. If something is white and green then it is red.", + "original_question": "Charlie is not cold." + }, + { + "id": "RelNeg-OWA-D2-1968", + "question": "The bald eagle is nice. The bald eagle likes the lion. The bald eagle likes the squirrel. The bald eagle likes the tiger. The lion is nice. The lion is rough. The squirrel is rough. The squirrel likes the tiger. The squirrel visits the tiger. The tiger is blue. The tiger likes the squirrel. The tiger visits the lion. If something likes the bald eagle and it is big then it visits the squirrel. If something likes the bald eagle then the bald eagle visits the squirrel. If the lion eats the tiger then the lion visits the tiger. If something eats the squirrel then the squirrel is not big. If something is nice then it visits the lion. If the lion does not eat the tiger and the lion does not visit the tiger then the tiger visits the lion. If something visits the lion then it likes the lion. If something is big and it likes the squirrel then it does not like the lion.\n\nQuestion: The lion does not like the lion.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle is nice. The bald eagle likes the lion. The bald eagle likes the squirrel. The bald eagle likes the tiger. The lion is nice. The lion is rough. The squirrel is rough. The squirrel likes the tiger. The squirrel visits the tiger. The tiger is blue. The tiger likes the squirrel. The tiger visits the lion. If something likes the bald eagle and it is big then it visits the squirrel. If something likes the bald eagle then the bald eagle visits the squirrel. If the lion eats the tiger then the lion visits the tiger. If something eats the squirrel then the squirrel is not big. If something is nice then it visits the lion. If the lion does not eat the tiger and the lion does not visit the tiger then the tiger visits the lion. If something visits the lion then it likes the lion. If something is big and it likes the squirrel then it does not like the lion.", + "original_question": "The lion does not like the lion." + }, + { + "id": "RelNoneg-OWA-D3-57", + "question": "The bald eagle visits the squirrel. The bear needs the squirrel. The cow is nice. The squirrel is big. If someone is blue then they are nice. If someone visits the squirrel then they are kind. Kind people are blue.\n\nQuestion: The bald eagle is kind.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle visits the squirrel. The bear needs the squirrel. The cow is nice. The squirrel is big. If someone is blue then they are nice. If someone visits the squirrel then they are kind. Kind people are blue.", + "original_question": "The bald eagle is kind." + }, + { + "id": "AttNonegNatLang-OWA-46", + "question": "Charlie may be round, but he is also kind. Dave is shaped big and round like a balloon. His red color shows how kind he is. Eric seems to be round. Young people are so rough that they can hold their breath until they are blue. If a person happens to be big kind and red at the same time they are a young person. A nice, green, big person is also sure to be a red person. Anyone feeling cold is bound to act nice. A young person with red hands is rough around the edges. A nice person with cold skin is going to be rough. Green folks who are nice and rough are a round shape.\n\nQuestion: Dave is round.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie may be round, but he is also kind. Dave is shaped big and round like a balloon. His red color shows how kind he is. Eric seems to be round. Young people are so rough that they can hold their breath until they are blue. If a person happens to be big kind and red at the same time they are a young person. A nice, green, big person is also sure to be a red person. Anyone feeling cold is bound to act nice. A young person with red hands is rough around the edges. A nice person with cold skin is going to be rough. Green folks who are nice and rough are a round shape.", + "original_question": "Dave is round." + }, + { + "id": "AttNeg-OWA-D2-490", + "question": "Anne is blue. Harry is green. If Harry is young then Harry is not round. All green people are young.\n\nQuestion: Harry is not round.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is blue. Harry is green. If Harry is young then Harry is not round. All green people are young.", + "original_question": "Harry is not round." + }, + { + "id": "RelNeg-OWA-D5-458", + "question": "The bald eagle sees the cow. The bald eagle does not see the tiger. The bald eagle does not visit the tiger. The cat is not rough. The cow does not visit the bald eagle. The tiger is blue. The tiger is rough. The tiger needs the bald eagle. The tiger needs the cat. The tiger sees the bald eagle. The tiger visits the cat. The tiger visits the cow. If something visits the tiger and the tiger visits the bald eagle then the tiger does not visit the cow. If something needs the tiger and the tiger sees the cat then the tiger sees the bald eagle. If something is blue then it sees the tiger. If something needs the cat then it is nice. If something is nice then it needs the cow. If something needs the bald eagle then it visits the bald eagle. If something needs the cow then the cow needs the cat.\n\nQuestion: The tiger does not see the tiger.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle sees the cow. The bald eagle does not see the tiger. The bald eagle does not visit the tiger. The cat is not rough. The cow does not visit the bald eagle. The tiger is blue. The tiger is rough. The tiger needs the bald eagle. The tiger needs the cat. The tiger sees the bald eagle. The tiger visits the cat. The tiger visits the cow. If something visits the tiger and the tiger visits the bald eagle then the tiger does not visit the cow. If something needs the tiger and the tiger sees the cat then the tiger sees the bald eagle. If something is blue then it sees the tiger. If something needs the cat then it is nice. If something is nice then it needs the cow. If something needs the bald eagle then it visits the bald eagle. If something needs the cow then the cow needs the cat.", + "original_question": "The tiger does not see the tiger." + }, + { + "id": "RelNeg-OWA-D3-1193", + "question": "The bald eagle is cold. The bald eagle is round. The bald eagle sees the lion. The lion is green. The rabbit sees the bald eagle. The rabbit sees the lion. The tiger visits the lion. If the bald eagle sees the tiger then the bald eagle likes the rabbit. If something is cold then it sees the tiger. If something visits the lion and the lion likes the tiger then the lion is not round. If something sees the lion then it likes the bald eagle. If something likes the rabbit and the rabbit sees the lion then the rabbit does not visit the bald eagle. If something is green and it does not visit the lion then it does not see the rabbit. If something is kind and green then it visits the rabbit. If something sees the bald eagle and the bald eagle does not like the rabbit then the bald eagle is young.\n\nQuestion: The rabbit visits the bald eagle.", + "answer": false, + "QDep": 3, + "original_theory": "The bald eagle is cold. The bald eagle is round. The bald eagle sees the lion. The lion is green. The rabbit sees the bald eagle. The rabbit sees the lion. The tiger visits the lion. If the bald eagle sees the tiger then the bald eagle likes the rabbit. If something is cold then it sees the tiger. If something visits the lion and the lion likes the tiger then the lion is not round. If something sees the lion then it likes the bald eagle. If something likes the rabbit and the rabbit sees the lion then the rabbit does not visit the bald eagle. If something is green and it does not visit the lion then it does not see the rabbit. If something is kind and green then it visits the rabbit. If something sees the bald eagle and the bald eagle does not like the rabbit then the bald eagle is young.", + "original_question": "The rabbit visits the bald eagle." + }, + { + "id": "RelNoneg-OWA-D3-842", + "question": "The bald eagle is green. The bear is rough. The mouse likes the bear. The squirrel likes the bear. If something chases the squirrel and it likes the mouse then it is kind. If something is rough and it likes the mouse then it is kind. If something is rough and it likes the squirrel then it likes the bald eagle. All rough things are young. If something is rough then it needs the mouse. If something is young then it needs the bear. If something chases the squirrel and the squirrel chases the bald eagle then the squirrel is rough. If something needs the mouse and it is young then it likes the mouse.\n\nQuestion: The bear does not need the bear.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle is green. The bear is rough. The mouse likes the bear. The squirrel likes the bear. If something chases the squirrel and it likes the mouse then it is kind. If something is rough and it likes the mouse then it is kind. If something is rough and it likes the squirrel then it likes the bald eagle. All rough things are young. If something is rough then it needs the mouse. If something is young then it needs the bear. If something chases the squirrel and the squirrel chases the bald eagle then the squirrel is rough. If something needs the mouse and it is young then it likes the mouse.", + "original_question": "The bear does not need the bear." + }, + { + "id": "AttNonegNatLang-OWA-375", + "question": "Alan seems to be round. Rough and round Bob is nice and kind and he's also cold. Eric is green because he is young. Eric is also very kind but he can be rough when people make fun of him. Fred is green and cold too. Young, red people are usually quite blue too. Young people who are cold and blue are actually kind. A kind person will certainly be rough as well. Any person who can be red and blue at the same time is cold. Nice people with red and rough skin are green with envy. When you meet and big and nice man, they will be kind to the earth and live green lifestyle. When you run into someone who is rough and green at the same time, they will also be red.\n\nQuestion: Eric is not red.", + "answer": false, + "QDep": 1, + "original_theory": "Alan seems to be round. Rough and round Bob is nice and kind and he's also cold. Eric is green because he is young. Eric is also very kind but he can be rough when people make fun of him. Fred is green and cold too. Young, red people are usually quite blue too. Young people who are cold and blue are actually kind. A kind person will certainly be rough as well. Any person who can be red and blue at the same time is cold. Nice people with red and rough skin are green with envy. When you meet and big and nice man, they will be kind to the earth and live green lifestyle. When you run into someone who is rough and green at the same time, they will also be red.", + "original_question": "Eric is not red." + }, + { + "id": "AttNoneg-OWA-D5-577", + "question": "Bob is smart. Bob is young. Charlie is cold. Charlie is round. Charlie is white. Charlie is young. Gary is smart. Gary is white. Harry is rough. Harry is smart. Harry is white. All red people are round. Round, smart people are cold. If someone is cold and young then they are white. Red people are round. All round, young people are red. If someone is smart then they are rough. Rough, young people are red. If Bob is round then Bob is smart. If Charlie is white and Charlie is rough then Charlie is young.\n\nQuestion: Bob is white.", + "answer": true, + "QDep": 5, + "original_theory": "Bob is smart. Bob is young. Charlie is cold. Charlie is round. Charlie is white. Charlie is young. Gary is smart. Gary is white. Harry is rough. Harry is smart. Harry is white. All red people are round. Round, smart people are cold. If someone is cold and young then they are white. Red people are round. All round, young people are red. If someone is smart then they are rough. Rough, young people are red. If Bob is round then Bob is smart. If Charlie is white and Charlie is rough then Charlie is young.", + "original_question": "Bob is white." + }, + { + "id": "RelNoneg-OWA-D3-619", + "question": "The cat is nice. The dog chases the rabbit. The rabbit visits the tiger. The tiger is nice. If the rabbit is blue and the rabbit visits the tiger then the tiger is young. If the rabbit visits the dog and the dog visits the rabbit then the rabbit eats the cat. If something eats the rabbit and it is red then the rabbit eats the cat. If something eats the tiger and it eats the rabbit then it visits the tiger. All young things are blue. If something chases the rabbit then the rabbit is blue. If something is red and it visits the cat then the cat visits the tiger. If something eats the tiger and it visits the rabbit then it chases the dog.\n\nQuestion: The cat is nice.", + "answer": true, + "QDep": 0, + "original_theory": "The cat is nice. The dog chases the rabbit. The rabbit visits the tiger. The tiger is nice. If the rabbit is blue and the rabbit visits the tiger then the tiger is young. If the rabbit visits the dog and the dog visits the rabbit then the rabbit eats the cat. If something eats the rabbit and it is red then the rabbit eats the cat. If something eats the tiger and it eats the rabbit then it visits the tiger. All young things are blue. If something chases the rabbit then the rabbit is blue. If something is red and it visits the cat then the cat visits the tiger. If something eats the tiger and it visits the rabbit then it chases the dog.", + "original_question": "The cat is nice." + }, + { + "id": "RelNoneg-OWA-D3-315", + "question": "The bald eagle eats the cat. The cat is kind. The cow is round. The rabbit eats the bald eagle. The rabbit eats the cow. The rabbit is kind. The rabbit visits the bald eagle. If something needs the rabbit and the rabbit is round then it is green. If something is cold then it needs the rabbit. If something needs the cow then it visits the cow. If something is kind and it needs the bald eagle then it is round. If something eats the cat then the cat needs the cow. If something needs the cow and the cow visits the bald eagle then the bald eagle is green. If something needs the cat then the cat needs the rabbit. If something visits the cow then the cow eats the rabbit.\n\nQuestion: The cat does not visit the cow.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle eats the cat. The cat is kind. The cow is round. The rabbit eats the bald eagle. The rabbit eats the cow. The rabbit is kind. The rabbit visits the bald eagle. If something needs the rabbit and the rabbit is round then it is green. If something is cold then it needs the rabbit. If something needs the cow then it visits the cow. If something is kind and it needs the bald eagle then it is round. If something eats the cat then the cat needs the cow. If something needs the cow and the cow visits the bald eagle then the bald eagle is green. If something needs the cat then the cat needs the rabbit. If something visits the cow then the cow eats the rabbit.", + "original_question": "The cat does not visit the cow." + }, + { + "id": "AttNeg-OWA-D3-160", + "question": "Charlie is quiet. Dave is young. Erin is cold. Fiona is cold. Cold people are young. All young people are nice. Quiet people are nice. If Erin is young and Erin is not cold then Erin is nice. If Dave is blue then Dave is not white. All cold, nice people are blue. All nice, white people are blue. All cold, white people are quiet.\n\nQuestion: Charlie is not quiet.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is quiet. Dave is young. Erin is cold. Fiona is cold. Cold people are young. All young people are nice. Quiet people are nice. If Erin is young and Erin is not cold then Erin is nice. If Dave is blue then Dave is not white. All cold, nice people are blue. All nice, white people are blue. All cold, white people are quiet.", + "original_question": "Charlie is not quiet." + }, + { + "id": "AttNoneg-OWA-D3-1043", + "question": "Bob is big. Bob is green. Bob is red. Bob is white. Charlie is round. Charlie is white. Charlie is young. Fiona is green. Fiona is red. Harry is big. Harry is red. Harry is young. Red things are young. Round, young things are white. Green, young things are round.\n\nQuestion: Bob is not young.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is big. Bob is green. Bob is red. Bob is white. Charlie is round. Charlie is white. Charlie is young. Fiona is green. Fiona is red. Harry is big. Harry is red. Harry is young. Red things are young. Round, young things are white. Green, young things are round.", + "original_question": "Bob is not young." + }, + { + "id": "AttNoneg-OWA-D2-1311", + "question": "Anne is smart. Erin is kind. Erin is round. Erin is smart. Harry is kind. Harry is round. Harry is white. Kind, red things are quiet. If something is kind then it is red. All quiet, white things are round.\n\nQuestion: Erin is quiet.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is smart. Erin is kind. Erin is round. Erin is smart. Harry is kind. Harry is round. Harry is white. Kind, red things are quiet. If something is kind then it is red. All quiet, white things are round.", + "original_question": "Erin is quiet." + }, + { + "id": "RelNeg-OWA-D0-1074", + "question": "The lion is rough. The mouse eats the lion. The mouse eats the rabbit. The mouse is blue. The mouse is nice. The mouse does not visit the lion. The mouse visits the rabbit. The rabbit eats the mouse. The rabbit is nice. The rabbit is young. The rabbit needs the lion. The rabbit needs the mouse. If something needs the rabbit and it is not big then it is young. If the lion does not visit the rabbit then the rabbit needs the lion. If something eats the mouse then it needs the mouse.\n\nQuestion: The mouse is blue.", + "answer": true, + "QDep": 0, + "original_theory": "The lion is rough. The mouse eats the lion. The mouse eats the rabbit. The mouse is blue. The mouse is nice. The mouse does not visit the lion. The mouse visits the rabbit. The rabbit eats the mouse. The rabbit is nice. The rabbit is young. The rabbit needs the lion. The rabbit needs the mouse. If something needs the rabbit and it is not big then it is young. If the lion does not visit the rabbit then the rabbit needs the lion. If something eats the mouse then it needs the mouse.", + "original_question": "The mouse is blue." + }, + { + "id": "AttNeg-OWA-D2-973", + "question": "Anne is blue. Anne is cold. Dave is big. Dave is not round. Dave is not young. Gary is blue. Gary is nice. If someone is blue then they are quiet. Nice people are blue. If someone is quiet and blue then they are round. If someone is quiet then they are young. If someone is round then they are young. If Gary is round then Gary is blue. If someone is round and not blue then they are not big. If Dave is not big and Dave is not blue then Dave is not cold.\n\nQuestion: Anne is young.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is blue. Anne is cold. Dave is big. Dave is not round. Dave is not young. Gary is blue. Gary is nice. If someone is blue then they are quiet. Nice people are blue. If someone is quiet and blue then they are round. If someone is quiet then they are young. If someone is round then they are young. If Gary is round then Gary is blue. If someone is round and not blue then they are not big. If Dave is not big and Dave is not blue then Dave is not cold.", + "original_question": "Anne is young." + }, + { + "id": "AttNoneg-OWA-D5-928", + "question": "Charlie is cold. Charlie is furry. Charlie is kind. Charlie is nice. Charlie is red. Charlie is rough. Dave is red. Dave is rough. Fiona is rough. Harry is kind. Harry is rough. Red things are nice. All nice things are cold. Furry things are kind. If something is cold and rough then it is white. If Fiona is furry then Fiona is kind. Rough, kind things are furry. White things are kind.\n\nQuestion: Dave is cold.", + "answer": true, + "QDep": 2, + "original_theory": "Charlie is cold. Charlie is furry. Charlie is kind. Charlie is nice. Charlie is red. Charlie is rough. Dave is red. Dave is rough. Fiona is rough. Harry is kind. Harry is rough. Red things are nice. All nice things are cold. Furry things are kind. If something is cold and rough then it is white. If Fiona is furry then Fiona is kind. Rough, kind things are furry. White things are kind.", + "original_question": "Dave is cold." + }, + { + "id": "RelNeg-OWA-D3-625", + "question": "The bear eats the squirrel. The bear is nice. The bear is round. The bear needs the squirrel. The cow does not eat the tiger. The cow is cold. The cow needs the tiger. The squirrel is cold. The squirrel is nice. The squirrel does not see the bear. The squirrel sees the tiger. The tiger needs the bear. If the squirrel is blue then the squirrel sees the tiger. If someone sees the tiger then they need the cow. If someone eats the tiger and they are not blue then they eat the cow. If someone needs the cow then they eat the bear. If someone is cold then they see the tiger. If someone needs the cow then they see the squirrel.\n\nQuestion: The cow does not see the squirrel.", + "answer": false, + "QDep": 3, + "original_theory": "The bear eats the squirrel. The bear is nice. The bear is round. The bear needs the squirrel. The cow does not eat the tiger. The cow is cold. The cow needs the tiger. The squirrel is cold. The squirrel is nice. The squirrel does not see the bear. The squirrel sees the tiger. The tiger needs the bear. If the squirrel is blue then the squirrel sees the tiger. If someone sees the tiger then they need the cow. If someone eats the tiger and they are not blue then they eat the cow. If someone needs the cow then they eat the bear. If someone is cold then they see the tiger. If someone needs the cow then they see the squirrel.", + "original_question": "The cow does not see the squirrel." + }, + { + "id": "AttNonegNatLang-OWA-406", + "question": "Bob is a round and rough around the edges, and he is also big. Charlie is green and cold too. Fred can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Round people who feel blue and are green in color are often young in age. A very big person who is green but also red is a rough person. When green, young and round fits a person, you'll see that rough will also fit. Being young and cold also means you're green. Interesting that all round people are cold. A round person who is on the young side is also likely to treat people in a kind manner. A kind person will certainly be young.\n\nQuestion: Fred is not cold.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is a round and rough around the edges, and he is also big. Charlie is green and cold too. Fred can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Round people who feel blue and are green in color are often young in age. A very big person who is green but also red is a rough person. When green, young and round fits a person, you'll see that rough will also fit. Being young and cold also means you're green. Interesting that all round people are cold. A round person who is on the young side is also likely to treat people in a kind manner. A kind person will certainly be young.", + "original_question": "Fred is not cold." + }, + { + "id": "AttNeg-OWA-D0-7075", + "question": "Anne is big. Anne is kind. Anne is quiet. Anne is smart. Anne is white. Bob is round. Bob is smart. Bob is white. Gary is not big. Gary is kind. Gary is quiet. Gary is not red. Gary is not round. Gary is smart. Gary is white. Smart, big things are not red. Kind things are not red. If Bob is round and Bob is white then Bob is quiet.\n\nQuestion: Anne is quiet.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is big. Anne is kind. Anne is quiet. Anne is smart. Anne is white. Bob is round. Bob is smart. Bob is white. Gary is not big. Gary is kind. Gary is quiet. Gary is not red. Gary is not round. Gary is smart. Gary is white. Smart, big things are not red. Kind things are not red. If Bob is round and Bob is white then Bob is quiet.", + "original_question": "Anne is quiet." + }, + { + "id": "RelNoneg-OWA-D2-987", + "question": "The bear is blue. The bear is cold. The bear is round. If the bear is young and the bear is round then the bear is green. If the bear is blue then the bear is young. If someone is cold and blue then they are round.\n\nQuestion: The bear is young.", + "answer": true, + "QDep": 1, + "original_theory": "The bear is blue. The bear is cold. The bear is round. If the bear is young and the bear is round then the bear is green. If the bear is blue then the bear is young. If someone is cold and blue then they are round.", + "original_question": "The bear is young." + }, + { + "id": "AttNoneg-OWA-D1-120", + "question": "Fiona is big. Fiona is furry. Fiona is white. If Fiona is blue then Fiona is cold. If something is furry and white then it is blue. Cold things are big. Cold, furry things are quiet. If something is furry then it is blue. All cold things are blue. If something is big and blue then it is white. All cold things are quiet.\n\nQuestion: Fiona is not white.", + "answer": false, + "QDep": 0, + "original_theory": "Fiona is big. Fiona is furry. Fiona is white. If Fiona is blue then Fiona is cold. If something is furry and white then it is blue. Cold things are big. Cold, furry things are quiet. If something is furry then it is blue. All cold things are blue. If something is big and blue then it is white. All cold things are quiet.", + "original_question": "Fiona is not white." + }, + { + "id": "RelNoneg-OWA-D5-279", + "question": "The bear is blue. The bear is round. The bear sees the cow. The cow is blue. The lion is rough. The lion likes the tiger. The lion sees the bear. The tiger is cold. The tiger is round. The tiger sees the bear. The tiger sees the cow. If someone is blue then they like the tiger. If the cow is blue then the cow chases the lion. If someone likes the tiger and the tiger sees the bear then they chase the lion. If someone likes the lion then the lion chases the tiger. If the cow is cold and the cow chases the bear then the bear chases the tiger. If someone chases the cow and they chase the lion then they chase the bear. If someone is rough then they chase the cow. If someone is cold then they are blue. If someone is blue and they chase the lion then they are rough.\n\nQuestion: The bear does not see the cow.", + "answer": false, + "QDep": 0, + "original_theory": "The bear is blue. The bear is round. The bear sees the cow. The cow is blue. The lion is rough. The lion likes the tiger. The lion sees the bear. The tiger is cold. The tiger is round. The tiger sees the bear. The tiger sees the cow. If someone is blue then they like the tiger. If the cow is blue then the cow chases the lion. If someone likes the tiger and the tiger sees the bear then they chase the lion. If someone likes the lion then the lion chases the tiger. If the cow is cold and the cow chases the bear then the bear chases the tiger. If someone chases the cow and they chase the lion then they chase the bear. If someone is rough then they chase the cow. If someone is cold then they are blue. If someone is blue and they chase the lion then they are rough.", + "original_question": "The bear does not see the cow." + }, + { + "id": "RelNoneg-OWA-D5-938", + "question": "The bald eagle is green. The bald eagle needs the squirrel. The bald eagle sees the tiger. The bald eagle visits the mouse. The mouse is round. The mouse needs the squirrel. The mouse sees the squirrel. The squirrel is big. The squirrel is round. The squirrel needs the mouse. The squirrel visits the mouse. The squirrel visits the tiger. The tiger is big. The tiger is rough. The tiger needs the squirrel. The tiger visits the squirrel. If something visits the bald eagle and it is round then the bald eagle sees the squirrel. If something sees the tiger and it needs the squirrel then the tiger is round. If something is nice then it visits the bald eagle. If something is round then it sees the squirrel. If something sees the squirrel then it is nice.\n\nQuestion: The bald eagle sees the tiger.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle is green. The bald eagle needs the squirrel. The bald eagle sees the tiger. The bald eagle visits the mouse. The mouse is round. The mouse needs the squirrel. The mouse sees the squirrel. The squirrel is big. The squirrel is round. The squirrel needs the mouse. The squirrel visits the mouse. The squirrel visits the tiger. The tiger is big. The tiger is rough. The tiger needs the squirrel. The tiger visits the squirrel. If something visits the bald eagle and it is round then the bald eagle sees the squirrel. If something sees the tiger and it needs the squirrel then the tiger is round. If something is nice then it visits the bald eagle. If something is round then it sees the squirrel. If something sees the squirrel then it is nice.", + "original_question": "The bald eagle sees the tiger." + }, + { + "id": "AttNoneg-OWA-D3-1897", + "question": "Anne is nice. Bob is red. Bob is rough. Bob is young. Charlie is red. Harry is round. Harry is white. If Harry is nice then Harry is big. All young, white people are round. Red people are nice. If Charlie is nice and Charlie is round then Charlie is red. Rough, red people are big. All big people are white.\n\nQuestion: Harry is round.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is nice. Bob is red. Bob is rough. Bob is young. Charlie is red. Harry is round. Harry is white. If Harry is nice then Harry is big. All young, white people are round. Red people are nice. If Charlie is nice and Charlie is round then Charlie is red. Rough, red people are big. All big people are white.", + "original_question": "Harry is round." + }, + { + "id": "AttNeg-OWA-D3-1096", + "question": "Bob is blue. Erin is red. Erin is young. If something is nice then it is blue. If Erin is blue then Erin is red. If something is blue then it is nice. If something is white and not nice then it is not round. All nice things are red. If something is white and not nice then it is red. Round, blue things are green. Red things are young.\n\nQuestion: Bob is not red.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is blue. Erin is red. Erin is young. If something is nice then it is blue. If Erin is blue then Erin is red. If something is blue then it is nice. If something is white and not nice then it is not round. All nice things are red. If something is white and not nice then it is red. Round, blue things are green. Red things are young.", + "original_question": "Bob is not red." + }, + { + "id": "AttNeg-OWA-D5-561", + "question": "Bob is blue. Dave is nice. Dave is white. Erin is blue. Erin is white. Fiona is big. Fiona is not nice. Big things are furry. Blue, nice things are furry. If something is white and kind then it is blue. Furry, round things are blue. All white things are round. If something is furry then it is white. Round things are white. If something is blue then it is kind.\n\nQuestion: Fiona is not white.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is blue. Dave is nice. Dave is white. Erin is blue. Erin is white. Fiona is big. Fiona is not nice. Big things are furry. Blue, nice things are furry. If something is white and kind then it is blue. Furry, round things are blue. All white things are round. If something is furry then it is white. Round things are white. If something is blue then it is kind.", + "original_question": "Fiona is not white." + }, + { + "id": "RelNeg-OWA-D2-2105", + "question": "The bald eagle sees the rabbit. The rabbit is round. The tiger does not see the rabbit. If something chases the bald eagle then it does not chase the tiger. If something is rough then it likes the tiger. If the bald eagle sees the rabbit and the rabbit is not rough then the rabbit is red. If the tiger does not see the rabbit and the rabbit is not rough then the tiger likes the rabbit. If something sees the rabbit then the rabbit likes the bald eagle. If the bald eagle is not round then the bald eagle sees the rabbit. If something likes the bald eagle then the bald eagle sees the tiger. If something sees the rabbit and it does not see the tiger then the rabbit chases the tiger.\n\nQuestion: The bald eagle does not see the tiger.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle sees the rabbit. The rabbit is round. The tiger does not see the rabbit. If something chases the bald eagle then it does not chase the tiger. If something is rough then it likes the tiger. If the bald eagle sees the rabbit and the rabbit is not rough then the rabbit is red. If the tiger does not see the rabbit and the rabbit is not rough then the tiger likes the rabbit. If something sees the rabbit then the rabbit likes the bald eagle. If the bald eagle is not round then the bald eagle sees the rabbit. If something likes the bald eagle then the bald eagle sees the tiger. If something sees the rabbit and it does not see the tiger then the rabbit chases the tiger.", + "original_question": "The bald eagle does not see the tiger." + }, + { + "id": "AttNeg-OWA-D5-751", + "question": "Anne is furry. Anne is quiet. Erin is furry. Erin is not rough. Fiona is not quiet. Fiona is smart. Harry is quiet. Smart people are white. Quiet people are smart. All smart, rough people are not furry. If someone is white and not quiet then they are not furry. All white people are cold. All furry, quiet people are not rough. If Fiona is smart and Fiona is quiet then Fiona is white. If Harry is cold then Harry is rough. If Erin is white and Erin is not smart then Erin is not cold.\n\nQuestion: Harry is furry.", + "answer": false, + "QDep": 5, + "original_theory": "Anne is furry. Anne is quiet. Erin is furry. Erin is not rough. Fiona is not quiet. Fiona is smart. Harry is quiet. Smart people are white. Quiet people are smart. All smart, rough people are not furry. If someone is white and not quiet then they are not furry. All white people are cold. All furry, quiet people are not rough. If Fiona is smart and Fiona is quiet then Fiona is white. If Harry is cold then Harry is rough. If Erin is white and Erin is not smart then Erin is not cold.", + "original_question": "Harry is furry." + }, + { + "id": "AttNeg-OWA-D0-6283", + "question": "Charlie is cold. Charlie is furry. Charlie is green. Charlie is quiet. Charlie is round. Charlie is not white. Charlie is young. Dave is cold. Dave is furry. Dave is green. Dave is quiet. Dave is round. Dave is white. Dave is young. All furry, young things are cold.\n\nQuestion: Charlie is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is cold. Charlie is furry. Charlie is green. Charlie is quiet. Charlie is round. Charlie is not white. Charlie is young. Dave is cold. Dave is furry. Dave is green. Dave is quiet. Dave is round. Dave is white. Dave is young. All furry, young things are cold.", + "original_question": "Charlie is not cold." + }, + { + "id": "AttNoneg-OWA-D2-1311", + "question": "Anne is smart. Erin is kind. Erin is round. Erin is smart. Harry is kind. Harry is round. Harry is white. Kind, red things are quiet. If something is kind then it is red. All quiet, white things are round.\n\nQuestion: Erin is not quiet.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is smart. Erin is kind. Erin is round. Erin is smart. Harry is kind. Harry is round. Harry is white. Kind, red things are quiet. If something is kind then it is red. All quiet, white things are round.", + "original_question": "Erin is not quiet." + }, + { + "id": "AttNonegNatLang-OWA-59", + "question": "Dave may be round, but he is also kind. Eric is rather round shaped nice fellow who is feeling blue and looking green today. Harry is big, round and rough, but he is nice and kind. Young people who are cold to others and green with envy are actually nice. Every single big person is a little green in some areas. You'll always find rough, cold, green people to also be red people. Someone that is cold rough and red is also considered to be kind. A round shaped kind person who is colored green will be cold natured.\n\nQuestion: Harry is not red.", + "answer": false, + "QDep": 3, + "original_theory": "Dave may be round, but he is also kind. Eric is rather round shaped nice fellow who is feeling blue and looking green today. Harry is big, round and rough, but he is nice and kind. Young people who are cold to others and green with envy are actually nice. Every single big person is a little green in some areas. You'll always find rough, cold, green people to also be red people. Someone that is cold rough and red is also considered to be kind. A round shaped kind person who is colored green will be cold natured.", + "original_question": "Harry is not red." + }, + { + "id": "RelNoneg-OWA-D1-491", + "question": "The cat chases the lion. The cow likes the lion. The lion likes the cat. If something likes the lion then it is nice. If something chases the cow then the cow is kind. Kind things are nice.\n\nQuestion: The cat chases the lion.", + "answer": true, + "QDep": 0, + "original_theory": "The cat chases the lion. The cow likes the lion. The lion likes the cat. If something likes the lion then it is nice. If something chases the cow then the cow is kind. Kind things are nice.", + "original_question": "The cat chases the lion." + }, + { + "id": "RelNoneg-OWA-D1-1819", + "question": "The bald eagle is kind. The bald eagle is red. The bald eagle is young. Young people are red. If the bald eagle is young then the bald eagle is nice.\n\nQuestion: The bald eagle is not nice.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle is kind. The bald eagle is red. The bald eagle is young. Young people are red. If the bald eagle is young then the bald eagle is nice.", + "original_question": "The bald eagle is not nice." + }, + { + "id": "RelNeg-OWA-D3-625", + "question": "The bear eats the squirrel. The bear is nice. The bear is round. The bear needs the squirrel. The cow does not eat the tiger. The cow is cold. The cow needs the tiger. The squirrel is cold. The squirrel is nice. The squirrel does not see the bear. The squirrel sees the tiger. The tiger needs the bear. If the squirrel is blue then the squirrel sees the tiger. If someone sees the tiger then they need the cow. If someone eats the tiger and they are not blue then they eat the cow. If someone needs the cow then they eat the bear. If someone is cold then they see the tiger. If someone needs the cow then they see the squirrel.\n\nQuestion: The cow eats the bear.", + "answer": true, + "QDep": 3, + "original_theory": "The bear eats the squirrel. The bear is nice. The bear is round. The bear needs the squirrel. The cow does not eat the tiger. The cow is cold. The cow needs the tiger. The squirrel is cold. The squirrel is nice. The squirrel does not see the bear. The squirrel sees the tiger. The tiger needs the bear. If the squirrel is blue then the squirrel sees the tiger. If someone sees the tiger then they need the cow. If someone eats the tiger and they are not blue then they eat the cow. If someone needs the cow then they eat the bear. If someone is cold then they see the tiger. If someone needs the cow then they see the squirrel.", + "original_question": "The cow eats the bear." + }, + { + "id": "AttNoneg-OWA-D3-1859", + "question": "Bob is red. Bob is smart. Bob is white. Dave is smart. Fiona is rough. Fiona is white. Gary is blue. Gary is red. Gary is rough. Gary is young. All smart people are red. White, blue people are quiet. Quiet, rough people are young. All rough people are young. All white, young people are red. All red people are rough.\n\nQuestion: Gary is not red.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is red. Bob is smart. Bob is white. Dave is smart. Fiona is rough. Fiona is white. Gary is blue. Gary is red. Gary is rough. Gary is young. All smart people are red. White, blue people are quiet. Quiet, rough people are young. All rough people are young. All white, young people are red. All red people are rough.", + "original_question": "Gary is not red." + }, + { + "id": "RelNoneg-OWA-D3-777", + "question": "The cow is red. The cow likes the dog. The dog chases the cow. The tiger chases the dog. The tiger likes the cow. The tiger likes the dog. The tiger sees the dog. If something is young then it chases the cow. If something chases the dog then it sees the cow. If the tiger is blue and the tiger sees the dog then the dog likes the tiger. If the cow likes the tiger and the tiger likes the cow then the tiger sees the cow. If something sees the cow then the cow chases the dog. If something likes the cow then it likes the dog. If something sees the dog then the dog likes the tiger. If something sees the cow then the cow sees the dog.\n\nQuestion: The tiger sees the cow.", + "answer": true, + "QDep": 1, + "original_theory": "The cow is red. The cow likes the dog. The dog chases the cow. The tiger chases the dog. The tiger likes the cow. The tiger likes the dog. The tiger sees the dog. If something is young then it chases the cow. If something chases the dog then it sees the cow. If the tiger is blue and the tiger sees the dog then the dog likes the tiger. If the cow likes the tiger and the tiger likes the cow then the tiger sees the cow. If something sees the cow then the cow chases the dog. If something likes the cow then it likes the dog. If something sees the dog then the dog likes the tiger. If something sees the cow then the cow sees the dog.", + "original_question": "The tiger sees the cow." + }, + { + "id": "AttNoneg-OWA-D3-257", + "question": "Anne is kind. Anne is rough. Anne is round. Anne is young. Charlie is blue. Charlie is kind. Charlie is nice. Charlie is rough. Charlie is round. Erin is kind. Erin is nice. Erin is rough. If Erin is rough then Erin is quiet. All quiet things are blue. If Anne is quiet then Anne is nice. Blue, rough things are young. All round things are quiet. Round, nice things are rough. If something is round then it is quiet. If Anne is kind and Anne is young then Anne is quiet.\n\nQuestion: Anne is quiet.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is kind. Anne is rough. Anne is round. Anne is young. Charlie is blue. Charlie is kind. Charlie is nice. Charlie is rough. Charlie is round. Erin is kind. Erin is nice. Erin is rough. If Erin is rough then Erin is quiet. All quiet things are blue. If Anne is quiet then Anne is nice. Blue, rough things are young. All round things are quiet. Round, nice things are rough. If something is round then it is quiet. If Anne is kind and Anne is young then Anne is quiet.", + "original_question": "Anne is quiet." + }, + { + "id": "AttNeg-OWA-D1-184", + "question": "Anne is cold. Anne is not green. Anne is not quiet. Anne is white. Dave is big. Dave is cold. Dave is green. Dave is not rough. Dave is white. Dave is young. Gary is cold. Gary is green. All cold people are young.\n\nQuestion: Gary is not young.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is cold. Anne is not green. Anne is not quiet. Anne is white. Dave is big. Dave is cold. Dave is green. Dave is not rough. Dave is white. Dave is young. Gary is cold. Gary is green. All cold people are young.", + "original_question": "Gary is not young." + }, + { + "id": "RelNeg-OWA-D0-828", + "question": "The cat eats the rabbit. The cat is cold. The cat is green. The cat is nice. The cat is round. The cat is young. The cat likes the rabbit. The cat visits the rabbit. The rabbit eats the cat. The rabbit is not cold. The rabbit is green. The rabbit is nice. The rabbit is round. The rabbit is young. The rabbit does not like the cat. The rabbit visits the cat. If someone eats the cat and they are not nice then the cat does not eat the rabbit. If the cat is cold then the cat eats the rabbit. All nice people are young. If someone is green then they do not like the cat. If someone likes the cat then the cat visits the rabbit. If someone eats the rabbit and the rabbit does not eat the cat then the rabbit visits the cat. If someone likes the rabbit and they do not like the cat then the rabbit visits the cat. If someone likes the cat and the cat does not visit the rabbit then the cat likes the rabbit.\n\nQuestion: The cat is green.", + "answer": true, + "QDep": 0, + "original_theory": "The cat eats the rabbit. The cat is cold. The cat is green. The cat is nice. The cat is round. The cat is young. The cat likes the rabbit. The cat visits the rabbit. The rabbit eats the cat. The rabbit is not cold. The rabbit is green. The rabbit is nice. The rabbit is round. The rabbit is young. The rabbit does not like the cat. The rabbit visits the cat. If someone eats the cat and they are not nice then the cat does not eat the rabbit. If the cat is cold then the cat eats the rabbit. All nice people are young. If someone is green then they do not like the cat. If someone likes the cat then the cat visits the rabbit. If someone eats the rabbit and the rabbit does not eat the cat then the rabbit visits the cat. If someone likes the rabbit and they do not like the cat then the rabbit visits the cat. If someone likes the cat and the cat does not visit the rabbit then the cat likes the rabbit.", + "original_question": "The cat is green." + }, + { + "id": "RelNoneg-OWA-D5-537", + "question": "The bald eagle is rough. The bald eagle likes the dog. The bald eagle visits the dog. The bald eagle visits the rabbit. The dog visits the bald eagle. The mouse is green. The mouse is round. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit is rough. The rabbit likes the bald eagle. The rabbit likes the mouse. If the mouse visits the rabbit and the mouse visits the dog then the mouse eats the rabbit. If something is rough then it is big. If something likes the mouse and the mouse likes the rabbit then it likes the rabbit. If something likes the dog then it visits the dog. If something visits the mouse then it is round. If something is green then it is rough. If something is rough then it is green. If something is big and green then it likes the dog.\n\nQuestion: The mouse does not visit the dog.", + "answer": false, + "QDep": 4, + "original_theory": "The bald eagle is rough. The bald eagle likes the dog. The bald eagle visits the dog. The bald eagle visits the rabbit. The dog visits the bald eagle. The mouse is green. The mouse is round. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit is rough. The rabbit likes the bald eagle. The rabbit likes the mouse. If the mouse visits the rabbit and the mouse visits the dog then the mouse eats the rabbit. If something is rough then it is big. If something likes the mouse and the mouse likes the rabbit then it likes the rabbit. If something likes the dog then it visits the dog. If something visits the mouse then it is round. If something is green then it is rough. If something is rough then it is green. If something is big and green then it likes the dog.", + "original_question": "The mouse does not visit the dog." + }, + { + "id": "AttNeg-OWA-D5-1218", + "question": "Anne is big. Anne is blue. Anne is quiet. Anne is red. Anne is rough. Anne is round. Anne is young. Dave is red. Dave is rough. Dave is round. Dave is young. Fiona is round. Gary is big. Gary is not round. Round things are big. If Dave is young and Dave is red then Dave is rough. All blue, big things are young. If something is young and not big then it is blue. All round things are blue. Young things are rough. All rough, big things are red. Young, red things are quiet. If something is red and not rough then it is quiet.\n\nQuestion: Fiona is not quiet.", + "answer": false, + "QDep": 5, + "original_theory": "Anne is big. Anne is blue. Anne is quiet. Anne is red. Anne is rough. Anne is round. Anne is young. Dave is red. Dave is rough. Dave is round. Dave is young. Fiona is round. Gary is big. Gary is not round. Round things are big. If Dave is young and Dave is red then Dave is rough. All blue, big things are young. If something is young and not big then it is blue. All round things are blue. Young things are rough. All rough, big things are red. Young, red things are quiet. If something is red and not rough then it is quiet.", + "original_question": "Fiona is not quiet." + }, + { + "id": "RelNeg-OWA-D2-740", + "question": "The bald eagle visits the bear. The bear likes the bald eagle. The dog is not green. The tiger is not nice. If the tiger likes the dog then the dog does not visit the tiger. If someone chases the bald eagle and the bald eagle is red then the bald eagle does not like the bear. If someone visits the bear and the bear is red then the bear does not chase the tiger. If someone visits the bear then they like the bear. If someone likes the bear then they chase the bald eagle. If someone is red then they visit the tiger. If the bear chases the tiger and the bear is not green then the tiger visits the bald eagle. If someone visits the bear and they do not visit the dog then the dog chases the bear.\n\nQuestion: The tiger is nice.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle visits the bear. The bear likes the bald eagle. The dog is not green. The tiger is not nice. If the tiger likes the dog then the dog does not visit the tiger. If someone chases the bald eagle and the bald eagle is red then the bald eagle does not like the bear. If someone visits the bear and the bear is red then the bear does not chase the tiger. If someone visits the bear then they like the bear. If someone likes the bear then they chase the bald eagle. If someone is red then they visit the tiger. If the bear chases the tiger and the bear is not green then the tiger visits the bald eagle. If someone visits the bear and they do not visit the dog then the dog chases the bear.", + "original_question": "The tiger is nice." + }, + { + "id": "AttNonegNatLang-OWA-417", + "question": "The young person who is always feeling cold is named Bob. No one knows Eric like me and he is a kind guy, very round in the belly and green as grass. Gary is a kind person and he is also often cold. Young people who are cold to others and green with envy are actually nice. Young people that are turning blue from being cold will be rough looking. Interesting that all round people are cold. People who are round and red tend to be rough. People who are round and green while being cold are also red. A nice and green man or woman is also red in color.\n\nQuestion: Eric is not rough.", + "answer": false, + "QDep": 3, + "original_theory": "The young person who is always feeling cold is named Bob. No one knows Eric like me and he is a kind guy, very round in the belly and green as grass. Gary is a kind person and he is also often cold. Young people who are cold to others and green with envy are actually nice. Young people that are turning blue from being cold will be rough looking. Interesting that all round people are cold. People who are round and red tend to be rough. People who are round and green while being cold are also red. A nice and green man or woman is also red in color.", + "original_question": "Eric is not rough." + }, + { + "id": "RelNeg-OWA-D0-145", + "question": "The cow is red. The dog sees the cow. The mouse sees the cow. The tiger does not chase the cow. If something sees the mouse and the mouse needs the tiger then the mouse sees the cow. Rough, green things are red.\n\nQuestion: The cow is red.", + "answer": true, + "QDep": 0, + "original_theory": "The cow is red. The dog sees the cow. The mouse sees the cow. The tiger does not chase the cow. If something sees the mouse and the mouse needs the tiger then the mouse sees the cow. Rough, green things are red.", + "original_question": "The cow is red." + }, + { + "id": "AttNoneg-OWA-D5-1357", + "question": "Bob is cold. Bob is green. Bob is red. Bob is round. Fiona is green. Fiona is smart. Gary is green. Gary is red. Harry is green. Harry is smart. All smart people are cold. If someone is red then they are rough. All nice, red people are green. All red, rough people are round. If someone is rough and round then they are smart. If Gary is smart and Gary is cold then Gary is nice. Green, smart people are red.\n\nQuestion: Gary is red.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is cold. Bob is green. Bob is red. Bob is round. Fiona is green. Fiona is smart. Gary is green. Gary is red. Harry is green. Harry is smart. All smart people are cold. If someone is red then they are rough. All nice, red people are green. All red, rough people are round. If someone is rough and round then they are smart. If Gary is smart and Gary is cold then Gary is nice. Green, smart people are red.", + "original_question": "Gary is red." + }, + { + "id": "AttNoneg-OWA-D3-1519", + "question": "Bob is round. Bob is smart. Bob is white. Bob is young. Charlie is green. Charlie is smart. Charlie is white. Red things are big. If Bob is red then Bob is white. Young, red things are white. All white things are green. If Bob is green then Bob is red. All smart things are green.\n\nQuestion: Bob is not white.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is round. Bob is smart. Bob is white. Bob is young. Charlie is green. Charlie is smart. Charlie is white. Red things are big. If Bob is red then Bob is white. Young, red things are white. All white things are green. If Bob is green then Bob is red. All smart things are green.", + "original_question": "Bob is not white." + }, + { + "id": "RelNoneg-OWA-D3-204", + "question": "The dog is big. If the dog is young then the dog is blue. Big things are kind. All kind things are young.\n\nQuestion: The dog is not big.", + "answer": false, + "QDep": 0, + "original_theory": "The dog is big. If the dog is young then the dog is blue. Big things are kind. All kind things are young.", + "original_question": "The dog is not big." + }, + { + "id": "RelNeg-OWA-D5-25", + "question": "The bear needs the cat. The bear needs the lion. The cat likes the lion. The cat needs the lion. The cat visits the dog. The dog is rough. The dog needs the bear. The lion is not nice. The lion likes the cat. The lion likes the dog. The lion does not need the bear. The lion does not visit the bear. If the cat is rough and the cat visits the lion then the cat is not blue. If something is kind then it needs the cat. If something is blue then it visits the dog. If something visits the cat then it is kind. If something is rough then it is nice. If the bear visits the lion and the lion does not like the bear then the bear needs the dog. If something visits the dog then it visits the cat. If something likes the lion then the lion is blue. If the lion likes the dog and the lion does not need the dog then the lion needs the cat.\n\nQuestion: The lion is kind.", + "answer": true, + "QDep": 4, + "original_theory": "The bear needs the cat. The bear needs the lion. The cat likes the lion. The cat needs the lion. The cat visits the dog. The dog is rough. The dog needs the bear. The lion is not nice. The lion likes the cat. The lion likes the dog. The lion does not need the bear. The lion does not visit the bear. If the cat is rough and the cat visits the lion then the cat is not blue. If something is kind then it needs the cat. If something is blue then it visits the dog. If something visits the cat then it is kind. If something is rough then it is nice. If the bear visits the lion and the lion does not like the bear then the bear needs the dog. If something visits the dog then it visits the cat. If something likes the lion then the lion is blue. If the lion likes the dog and the lion does not need the dog then the lion needs the cat.", + "original_question": "The lion is kind." + }, + { + "id": "RelNoneg-OWA-D2-279", + "question": "The bear is big. The bear is green. The bear is nice. Nice things are red. If the bear is nice and the bear is red then the bear is cold.\n\nQuestion: The bear is nice.", + "answer": true, + "QDep": 0, + "original_theory": "The bear is big. The bear is green. The bear is nice. Nice things are red. If the bear is nice and the bear is red then the bear is cold.", + "original_question": "The bear is nice." + }, + { + "id": "AttNoneg-OWA-D0-6811", + "question": "Bob is big. Bob is furry. Bob is green. Bob is smart. Bob is white. Charlie is big. Charlie is furry. Charlie is green. Charlie is kind. Charlie is smart. Charlie is white. Dave is furry. Dave is kind. Dave is round. Gary is furry. Gary is smart. All round things are green.\n\nQuestion: Dave is not furry.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is big. Bob is furry. Bob is green. Bob is smart. Bob is white. Charlie is big. Charlie is furry. Charlie is green. Charlie is kind. Charlie is smart. Charlie is white. Dave is furry. Dave is kind. Dave is round. Gary is furry. Gary is smart. All round things are green.", + "original_question": "Dave is not furry." + }, + { + "id": "AttNeg-OWA-D1-1450", + "question": "Anne is blue. Anne is furry. Dave is rough. Nice things are furry. If something is blue then it is furry. If Dave is rough and Dave is blue then Dave is red. If something is rough then it is red. If something is blue then it is not round. If Anne is blue then Anne is furry. Furry things are rough. If Dave is nice and Dave is not red then Dave is not white.\n\nQuestion: Anne is furry.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is blue. Anne is furry. Dave is rough. Nice things are furry. If something is blue then it is furry. If Dave is rough and Dave is blue then Dave is red. If something is rough then it is red. If something is blue then it is not round. If Anne is blue then Anne is furry. Furry things are rough. If Dave is nice and Dave is not red then Dave is not white.", + "original_question": "Anne is furry." + }, + { + "id": "RelNeg-OWA-D1-292", + "question": "The lion is young. The lion does not like the mouse. The lion likes the rabbit. The lion visits the mouse. The mouse does not eat the rabbit. The mouse is blue. The mouse is green. The mouse visits the lion. The mouse visits the rabbit. The rabbit eats the lion. The rabbit eats the mouse. The rabbit is cold. The rabbit is green. The rabbit is not nice. The rabbit visits the lion. The rabbit does not visit the mouse. If someone likes the rabbit and the rabbit visits the mouse then they are not green. If someone visits the mouse then the mouse visits the rabbit. If someone is cold then they like the mouse. If someone eats the mouse then the mouse likes the lion. If someone is nice then they like the lion. If someone likes the rabbit and the rabbit eats the lion then the rabbit is green.\n\nQuestion: The rabbit does not like the mouse.", + "answer": false, + "QDep": 1, + "original_theory": "The lion is young. The lion does not like the mouse. The lion likes the rabbit. The lion visits the mouse. The mouse does not eat the rabbit. The mouse is blue. The mouse is green. The mouse visits the lion. The mouse visits the rabbit. The rabbit eats the lion. The rabbit eats the mouse. The rabbit is cold. The rabbit is green. The rabbit is not nice. The rabbit visits the lion. The rabbit does not visit the mouse. If someone likes the rabbit and the rabbit visits the mouse then they are not green. If someone visits the mouse then the mouse visits the rabbit. If someone is cold then they like the mouse. If someone eats the mouse then the mouse likes the lion. If someone is nice then they like the lion. If someone likes the rabbit and the rabbit eats the lion then the rabbit is green.", + "original_question": "The rabbit does not like the mouse." + }, + { + "id": "AttNonegNatLang-OWA-343", + "question": "That guy Alan sure is nice. Bob may be round, but he is also kind. The kind, young, blue one is Fred. He's nice and round. Gary may be young but he is nice, wears green shoes and is cold. A kind person who is down in the dumps and blue tends to have a rough side. People who are young are also blue. A kind person will certainly be young. Nice people who are also red are going to be cold too. Green folks who are nice and rough are a round shape.\n\nQuestion: Gary is nice.", + "answer": true, + "QDep": 0, + "original_theory": "That guy Alan sure is nice. Bob may be round, but he is also kind. The kind, young, blue one is Fred. He's nice and round. Gary may be young but he is nice, wears green shoes and is cold. A kind person who is down in the dumps and blue tends to have a rough side. People who are young are also blue. A kind person will certainly be young. Nice people who are also red are going to be cold too. Green folks who are nice and rough are a round shape.", + "original_question": "Gary is nice." + }, + { + "id": "AttNeg-OWA-D3-712", + "question": "Bob is not big. Erin is rough. Gary is big. Gary is not furry. Gary is not young. Harry is quiet. Harry is young. All young, nice people are not big. If someone is smart then they are furry. If someone is furry and smart then they are rough. All big, smart people are nice. All rough, nice people are young. If someone is young then they are smart.\n\nQuestion: Harry is smart.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is not big. Erin is rough. Gary is big. Gary is not furry. Gary is not young. Harry is quiet. Harry is young. All young, nice people are not big. If someone is smart then they are furry. If someone is furry and smart then they are rough. All big, smart people are nice. All rough, nice people are young. If someone is young then they are smart.", + "original_question": "Harry is smart." + }, + { + "id": "AttNoneg-OWA-D2-1410", + "question": "Charlie is cold. Charlie is green. Charlie is round. If Charlie is rough then Charlie is young. All cold, round things are white. If something is white and green then it is red.\n\nQuestion: Charlie is cold.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is cold. Charlie is green. Charlie is round. If Charlie is rough then Charlie is young. All cold, round things are white. If something is white and green then it is red.", + "original_question": "Charlie is cold." + }, + { + "id": "AttNoneg-OWA-D3-884", + "question": "Anne is big. Erin is cold. Erin is furry. Harry is big. Harry is cold. Harry is furry. Harry is white. Rough things are white. Furry, blue things are rough. All rough, white things are round. White, cold things are rough. All big things are rough. If Erin is white and Erin is rough then Erin is big. If something is furry and blue then it is round. If something is white and big then it is furry.\n\nQuestion: Harry is not white.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is big. Erin is cold. Erin is furry. Harry is big. Harry is cold. Harry is furry. Harry is white. Rough things are white. Furry, blue things are rough. All rough, white things are round. White, cold things are rough. All big things are rough. If Erin is white and Erin is rough then Erin is big. If something is furry and blue then it is round. If something is white and big then it is furry.", + "original_question": "Harry is not white." + }, + { + "id": "AttNoneg-OWA-D1-896", + "question": "Erin is red. Fiona is quiet. Harry is red. If Erin is big then Erin is red. Furry, smart people are big. If someone is quiet then they are furry.\n\nQuestion: Fiona is furry.", + "answer": true, + "QDep": 1, + "original_theory": "Erin is red. Fiona is quiet. Harry is red. If Erin is big then Erin is red. Furry, smart people are big. If someone is quiet then they are furry.", + "original_question": "Fiona is furry." + }, + { + "id": "AttNeg-OWA-D0-2460", + "question": "Bob is kind. Bob is not nice. Bob is quiet. Bob is red. Bob is rough. Bob is round. Bob is white. Gary is nice. Gary is quiet. Gary is red. Gary is rough. Gary is white. If something is kind and not nice then it is white. If something is kind then it is round. All kind, rough things are round. If something is red then it is kind. If Gary is rough and Gary is red then Gary is quiet. If Gary is nice and Gary is red then Gary is quiet.\n\nQuestion: Gary is nice.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is kind. Bob is not nice. Bob is quiet. Bob is red. Bob is rough. Bob is round. Bob is white. Gary is nice. Gary is quiet. Gary is red. Gary is rough. Gary is white. If something is kind and not nice then it is white. If something is kind then it is round. All kind, rough things are round. If something is red then it is kind. If Gary is rough and Gary is red then Gary is quiet. If Gary is nice and Gary is red then Gary is quiet.", + "original_question": "Gary is nice." + }, + { + "id": "AttNeg-OWA-D1-454", + "question": "Bob is not green. Erin is furry. Erin is green. Erin is smart. Gary is not rough. Harry is green. Harry is not young. If something is green then it is smart. If something is quiet and not smart then it is rough.\n\nQuestion: Harry is not green.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is not green. Erin is furry. Erin is green. Erin is smart. Gary is not rough. Harry is green. Harry is not young. If something is green then it is smart. If something is quiet and not smart then it is rough.", + "original_question": "Harry is not green." + }, + { + "id": "RelNoneg-OWA-D2-1695", + "question": "The mouse is round. If something is round and young then it is kind. Round things are young. If something is red and kind then it is round. All red things are kind. If something is red and round then it is young. If the mouse is round and the mouse is young then the mouse is red.\n\nQuestion: The mouse is not round.", + "answer": false, + "QDep": 0, + "original_theory": "The mouse is round. If something is round and young then it is kind. Round things are young. If something is red and kind then it is round. All red things are kind. If something is red and round then it is young. If the mouse is round and the mouse is young then the mouse is red.", + "original_question": "The mouse is not round." + }, + { + "id": "AttNoneg-OWA-D3-201", + "question": "Anne is blue. Anne is cold. Anne is quiet. Anne is rough. Anne is smart. Charlie is blue. Charlie is quiet. Dave is blue. Dave is cold. Harry is quiet. If something is blue then it is quiet. Big things are quiet. If something is rough and blue then it is big. If something is quiet and blue then it is big. Nice, big things are blue. All blue things are quiet. If something is cold then it is rough. Rough, big things are smart.\n\nQuestion: Dave is not big.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is blue. Anne is cold. Anne is quiet. Anne is rough. Anne is smart. Charlie is blue. Charlie is quiet. Dave is blue. Dave is cold. Harry is quiet. If something is blue then it is quiet. Big things are quiet. If something is rough and blue then it is big. If something is quiet and blue then it is big. Nice, big things are blue. All blue things are quiet. If something is cold then it is rough. Rough, big things are smart.", + "original_question": "Dave is not big." + }, + { + "id": "RelNoneg-OWA-D1-221", + "question": "The lion chases the mouse. The mouse needs the tiger. The tiger likes the mouse. If someone needs the mouse and the mouse needs the lion then they are big. If the mouse needs the tiger then the tiger is kind. If someone likes the mouse and the mouse needs the lion then the lion likes the tiger.\n\nQuestion: The lion does not chase the mouse.", + "answer": false, + "QDep": 0, + "original_theory": "The lion chases the mouse. The mouse needs the tiger. The tiger likes the mouse. If someone needs the mouse and the mouse needs the lion then they are big. If the mouse needs the tiger then the tiger is kind. If someone likes the mouse and the mouse needs the lion then the lion likes the tiger.", + "original_question": "The lion does not chase the mouse." + }, + { + "id": "RelNeg-OWA-D5-819", + "question": "The bald eagle chases the cat. The bald eagle chases the cow. The bald eagle chases the mouse. The bald eagle is blue. The bald eagle sees the cat. The cat needs the bald eagle. The cow chases the cat. The cow is not young. The mouse chases the bald eagle. The mouse does not chase the cow. The mouse does not need the cow. The mouse sees the cat. If something is kind then it sees the mouse. Blue things are cold. If something sees the mouse then it is blue. If something chases the mouse and it sees the cat then the cat does not see the cow. If something is nice and it needs the mouse then it chases the cow. If something sees the cat then the cat is kind. If something chases the cow and it needs the bald eagle then the bald eagle sees the cow. If the bald eagle is cold then the bald eagle does not see the cow. If the cat is cold and the cat needs the bald eagle then the cat needs the cow.\n\nQuestion: The cat needs the cow.", + "answer": true, + "QDep": 5, + "original_theory": "The bald eagle chases the cat. The bald eagle chases the cow. The bald eagle chases the mouse. The bald eagle is blue. The bald eagle sees the cat. The cat needs the bald eagle. The cow chases the cat. The cow is not young. The mouse chases the bald eagle. The mouse does not chase the cow. The mouse does not need the cow. The mouse sees the cat. If something is kind then it sees the mouse. Blue things are cold. If something sees the mouse then it is blue. If something chases the mouse and it sees the cat then the cat does not see the cow. If something is nice and it needs the mouse then it chases the cow. If something sees the cat then the cat is kind. If something chases the cow and it needs the bald eagle then the bald eagle sees the cow. If the bald eagle is cold then the bald eagle does not see the cow. If the cat is cold and the cat needs the bald eagle then the cat needs the cow.", + "original_question": "The cat needs the cow." + }, + { + "id": "RelNoneg-OWA-D3-1503", + "question": "The bear eats the cow. The bear is cold. The bear is kind. The bear visits the dog. The cat eats the cow. The cat is big. The cat sees the cow. The cat sees the dog. The cat visits the bear. The cow eats the cat. The cow is big. The cow is cold. The cow sees the bear. The cow visits the cat. The dog is round. The dog visits the cat. If the cat visits the bear then the cat is round. If the cat visits the cow then the cow sees the cat. If the cow visits the cat and the cow sees the cat then the cat is round. If the cat visits the cow then the cat is round. If someone is nice then they visit the dog. If someone is round then they visit the cow. If someone eats the dog and they see the cat then the dog eats the cat. If someone sees the cat and the cat visits the cow then the cat sees the dog.\n\nQuestion: The dog does not visit the cow.", + "answer": false, + "QDep": 1, + "original_theory": "The bear eats the cow. The bear is cold. The bear is kind. The bear visits the dog. The cat eats the cow. The cat is big. The cat sees the cow. The cat sees the dog. The cat visits the bear. The cow eats the cat. The cow is big. The cow is cold. The cow sees the bear. The cow visits the cat. The dog is round. The dog visits the cat. If the cat visits the bear then the cat is round. If the cat visits the cow then the cow sees the cat. If the cow visits the cat and the cow sees the cat then the cat is round. If the cat visits the cow then the cat is round. If someone is nice then they visit the dog. If someone is round then they visit the cow. If someone eats the dog and they see the cat then the dog eats the cat. If someone sees the cat and the cat visits the cow then the cat sees the dog.", + "original_question": "The dog does not visit the cow." + }, + { + "id": "AttNonegNatLang-OWA-343", + "question": "That guy Alan sure is nice. Bob may be round, but he is also kind. The kind, young, blue one is Fred. He's nice and round. Gary may be young but he is nice, wears green shoes and is cold. A kind person who is down in the dumps and blue tends to have a rough side. People who are young are also blue. A kind person will certainly be young. Nice people who are also red are going to be cold too. Green folks who are nice and rough are a round shape.\n\nQuestion: Gary is not green.", + "answer": false, + "QDep": 0, + "original_theory": "That guy Alan sure is nice. Bob may be round, but he is also kind. The kind, young, blue one is Fred. He's nice and round. Gary may be young but he is nice, wears green shoes and is cold. A kind person who is down in the dumps and blue tends to have a rough side. People who are young are also blue. A kind person will certainly be young. Nice people who are also red are going to be cold too. Green folks who are nice and rough are a round shape.", + "original_question": "Gary is not green." + }, + { + "id": "AttNeg-OWA-D2-1248", + "question": "Bob is young. Erin is rough. Harry is red. All red people are young. If someone is young then they are not rough.\n\nQuestion: Harry is rough.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is young. Erin is rough. Harry is red. All red people are young. If someone is young then they are not rough.", + "original_question": "Harry is rough." + }, + { + "id": "AttNeg-OWA-D0-2460", + "question": "Bob is kind. Bob is not nice. Bob is quiet. Bob is red. Bob is rough. Bob is round. Bob is white. Gary is nice. Gary is quiet. Gary is red. Gary is rough. Gary is white. If something is kind and not nice then it is white. If something is kind then it is round. All kind, rough things are round. If something is red then it is kind. If Gary is rough and Gary is red then Gary is quiet. If Gary is nice and Gary is red then Gary is quiet.\n\nQuestion: Bob is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is kind. Bob is not nice. Bob is quiet. Bob is red. Bob is rough. Bob is round. Bob is white. Gary is nice. Gary is quiet. Gary is red. Gary is rough. Gary is white. If something is kind and not nice then it is white. If something is kind then it is round. All kind, rough things are round. If something is red then it is kind. If Gary is rough and Gary is red then Gary is quiet. If Gary is nice and Gary is red then Gary is quiet.", + "original_question": "Bob is not rough." + }, + { + "id": "RelNoneg-OWA-D5-406", + "question": "The cat eats the mouse. The cat is blue. The cat is rough. The cat sees the squirrel. The mouse is kind. The mouse is young. The mouse needs the rabbit. The mouse sees the cat. The rabbit eats the cat. The rabbit eats the mouse. The rabbit eats the squirrel. The rabbit is rough. The rabbit needs the cat. The rabbit sees the mouse. The squirrel eats the mouse. The squirrel is kind. If someone is young and they eat the squirrel then they need the mouse. If someone sees the cat and the cat is rough then they see the squirrel. If someone is rough and they eat the cat then they are big. Big people are young. If someone needs the mouse then they see the cat.\n\nQuestion: The rabbit is not big.", + "answer": false, + "QDep": 1, + "original_theory": "The cat eats the mouse. The cat is blue. The cat is rough. The cat sees the squirrel. The mouse is kind. The mouse is young. The mouse needs the rabbit. The mouse sees the cat. The rabbit eats the cat. The rabbit eats the mouse. The rabbit eats the squirrel. The rabbit is rough. The rabbit needs the cat. The rabbit sees the mouse. The squirrel eats the mouse. The squirrel is kind. If someone is young and they eat the squirrel then they need the mouse. If someone sees the cat and the cat is rough then they see the squirrel. If someone is rough and they eat the cat then they are big. Big people are young. If someone needs the mouse then they see the cat.", + "original_question": "The rabbit is not big." + }, + { + "id": "AttNoneg-OWA-D1-198", + "question": "Charlie is cold. Charlie is quiet. Charlie is red. Charlie is round. Erin is round. Gary is cold. Gary is quiet. Gary is round. Gary is smart. Harry is quiet. Harry is red. Harry is round. If Gary is quiet then Gary is young. If someone is round then they are red. All quiet people are red. Round people are young. If someone is smart then they are kind. All kind people are red. If Gary is smart and Gary is kind then Gary is red. Quiet, young people are red.\n\nQuestion: Gary is not quiet.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is cold. Charlie is quiet. Charlie is red. Charlie is round. Erin is round. Gary is cold. Gary is quiet. Gary is round. Gary is smart. Harry is quiet. Harry is red. Harry is round. If Gary is quiet then Gary is young. If someone is round then they are red. All quiet people are red. Round people are young. If someone is smart then they are kind. All kind people are red. If Gary is smart and Gary is kind then Gary is red. Quiet, young people are red.", + "original_question": "Gary is not quiet." + }, + { + "id": "AttNoneg-OWA-D3-1095", + "question": "Anne is blue. Anne is red. Bob is nice. Bob is red. Charlie is kind. Charlie is quiet. Erin is blue. If someone is green then they are nice. All big, green people are kind. If someone is red then they are green. All big people are red. If Charlie is red then Charlie is blue. All blue, nice people are kind.\n\nQuestion: Charlie is not quiet.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is blue. Anne is red. Bob is nice. Bob is red. Charlie is kind. Charlie is quiet. Erin is blue. If someone is green then they are nice. All big, green people are kind. If someone is red then they are green. All big people are red. If Charlie is red then Charlie is blue. All blue, nice people are kind.", + "original_question": "Charlie is not quiet." + }, + { + "id": "RelNoneg-OWA-D3-961", + "question": "The bald eagle chases the tiger. The bald eagle needs the tiger. The bald eagle sees the cow. The bald eagle sees the tiger. The cow chases the tiger. The cow is kind. The cow is red. The cow sees the bald eagle. The cow sees the tiger. The tiger chases the bald eagle. The tiger chases the cow. The tiger is blue. The tiger is kind. The tiger is red. The tiger needs the bald eagle. Young, kind people are green. If someone needs the tiger and the tiger needs the cow then the cow is young. If someone chases the tiger and they chase the bald eagle then the bald eagle sees the tiger. If someone sees the tiger then the tiger needs the cow. If someone needs the bald eagle and the bald eagle chases the tiger then the bald eagle sees the cow. If someone is red and they need the tiger then they are blue.\n\nQuestion: The cow is young.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle chases the tiger. The bald eagle needs the tiger. The bald eagle sees the cow. The bald eagle sees the tiger. The cow chases the tiger. The cow is kind. The cow is red. The cow sees the bald eagle. The cow sees the tiger. The tiger chases the bald eagle. The tiger chases the cow. The tiger is blue. The tiger is kind. The tiger is red. The tiger needs the bald eagle. Young, kind people are green. If someone needs the tiger and the tiger needs the cow then the cow is young. If someone chases the tiger and they chase the bald eagle then the bald eagle sees the tiger. If someone sees the tiger then the tiger needs the cow. If someone needs the bald eagle and the bald eagle chases the tiger then the bald eagle sees the cow. If someone is red and they need the tiger then they are blue.", + "original_question": "The cow is young." + }, + { + "id": "RelNoneg-OWA-D1-2593", + "question": "The dog is big. The dog is kind. The dog is round. All cold people are big. Round people are rough. If someone is big and round then they are cold.\n\nQuestion: The dog is not rough.", + "answer": false, + "QDep": 1, + "original_theory": "The dog is big. The dog is kind. The dog is round. All cold people are big. Round people are rough. If someone is big and round then they are cold.", + "original_question": "The dog is not rough." + }, + { + "id": "AttNonegNatLang-OWA-173", + "question": "Alan is a young, rough person who is rather round but is also kind to everyone he meets. Bob is cold but nice with red hair and dresses green. Charlie might be rough and red but he's actually very kind. Eric seems to be round. A person who is feeling rough, has red cheeks and feeling green will also tend to feel blue. A person with big, round, kind face appears to be rough around the edges because they are naive. Kind red people are green on the inside. Kind people with rough skin are usually red because it's wind burn. If a person is blue and red and big, then that person is cold.\n\nQuestion: Charlie is green.", + "answer": true, + "QDep": 1, + "original_theory": "Alan is a young, rough person who is rather round but is also kind to everyone he meets. Bob is cold but nice with red hair and dresses green. Charlie might be rough and red but he's actually very kind. Eric seems to be round. A person who is feeling rough, has red cheeks and feeling green will also tend to feel blue. A person with big, round, kind face appears to be rough around the edges because they are naive. Kind red people are green on the inside. Kind people with rough skin are usually red because it's wind burn. If a person is blue and red and big, then that person is cold.", + "original_question": "Charlie is green." + }, + { + "id": "AttNoneg-OWA-D3-1897", + "question": "Anne is nice. Bob is red. Bob is rough. Bob is young. Charlie is red. Harry is round. Harry is white. If Harry is nice then Harry is big. All young, white people are round. Red people are nice. If Charlie is nice and Charlie is round then Charlie is red. Rough, red people are big. All big people are white.\n\nQuestion: Bob is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is nice. Bob is red. Bob is rough. Bob is young. Charlie is red. Harry is round. Harry is white. If Harry is nice then Harry is big. All young, white people are round. Red people are nice. If Charlie is nice and Charlie is round then Charlie is red. Rough, red people are big. All big people are white.", + "original_question": "Bob is not rough." + }, + { + "id": "RelNoneg-OWA-D1-2930", + "question": "The bald eagle sees the rabbit. The rabbit likes the bald eagle. The squirrel is blue. If something likes the bald eagle then it is blue. If something likes the bald eagle and it sees the bald eagle then the bald eagle is blue. If something chases the rabbit then the rabbit is young.\n\nQuestion: The rabbit is not blue.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle sees the rabbit. The rabbit likes the bald eagle. The squirrel is blue. If something likes the bald eagle then it is blue. If something likes the bald eagle and it sees the bald eagle then the bald eagle is blue. If something chases the rabbit then the rabbit is young.", + "original_question": "The rabbit is not blue." + }, + { + "id": "AttNoneg-OWA-D5-928", + "question": "Charlie is cold. Charlie is furry. Charlie is kind. Charlie is nice. Charlie is red. Charlie is rough. Dave is red. Dave is rough. Fiona is rough. Harry is kind. Harry is rough. Red things are nice. All nice things are cold. Furry things are kind. If something is cold and rough then it is white. If Fiona is furry then Fiona is kind. Rough, kind things are furry. White things are kind.\n\nQuestion: Dave is not cold.", + "answer": false, + "QDep": 2, + "original_theory": "Charlie is cold. Charlie is furry. Charlie is kind. Charlie is nice. Charlie is red. Charlie is rough. Dave is red. Dave is rough. Fiona is rough. Harry is kind. Harry is rough. Red things are nice. All nice things are cold. Furry things are kind. If something is cold and rough then it is white. If Fiona is furry then Fiona is kind. Rough, kind things are furry. White things are kind.", + "original_question": "Dave is not cold." + }, + { + "id": "RelNeg-OWA-D0-5230", + "question": "The cat is big. The cat is blue. The cat is green. The cat is not kind. The cat is red. Red, blue things are big. All blue things are big. All big things are blue. All blue things are red. If the cat is green and the cat is kind then the cat is big. All green things are not kind.\n\nQuestion: The cat is blue.", + "answer": true, + "QDep": 0, + "original_theory": "The cat is big. The cat is blue. The cat is green. The cat is not kind. The cat is red. Red, blue things are big. All blue things are big. All big things are blue. All blue things are red. If the cat is green and the cat is kind then the cat is big. All green things are not kind.", + "original_question": "The cat is blue." + }, + { + "id": "AttNonegNatLang-OWA-398", + "question": "No one knows Alan like me and he is a kind guy, very round in the belly and green as grass. Eric may be round, but he is also kind. Fred has a round shape and is known to be cold and rough around the edges; however, he can also be kind. That guy Harry sure is nice. People who have green body paint and act kind to others are quite young. Young, red people are usually quite blue too. Rough and big people are always also cold people. You must be aware of big, red, young people being rough. Big people with rough, green skin are cold because of it. A kind person will certainly be young. A person who is rough and young while being kind tends to be red.\n\nQuestion: Fred is young.", + "answer": true, + "QDep": 1, + "original_theory": "No one knows Alan like me and he is a kind guy, very round in the belly and green as grass. Eric may be round, but he is also kind. Fred has a round shape and is known to be cold and rough around the edges; however, he can also be kind. That guy Harry sure is nice. People who have green body paint and act kind to others are quite young. Young, red people are usually quite blue too. Rough and big people are always also cold people. You must be aware of big, red, young people being rough. Big people with rough, green skin are cold because of it. A kind person will certainly be young. A person who is rough and young while being kind tends to be red.", + "original_question": "Fred is young." + }, + { + "id": "RelNoneg-OWA-D3-1017", + "question": "The cow eats the lion. The cow is nice. The cow is round. The cow is young. The cow needs the lion. The cow sees the lion. The lion is nice. The lion is rough. The lion needs the cow. The lion sees the cow. If something eats the lion and the lion is kind then it sees the lion. If something eats the cow then it eats the lion. If something sees the cow and the cow sees the lion then it is kind. If the lion is rough then the lion eats the cow. If something is young and kind then it eats the cow. If something is kind then it sees the cow.\n\nQuestion: The lion does not eat the lion.", + "answer": false, + "QDep": 2, + "original_theory": "The cow eats the lion. The cow is nice. The cow is round. The cow is young. The cow needs the lion. The cow sees the lion. The lion is nice. The lion is rough. The lion needs the cow. The lion sees the cow. If something eats the lion and the lion is kind then it sees the lion. If something eats the cow then it eats the lion. If something sees the cow and the cow sees the lion then it is kind. If the lion is rough then the lion eats the cow. If something is young and kind then it eats the cow. If something is kind then it sees the cow.", + "original_question": "The lion does not eat the lion." + }, + { + "id": "RelNeg-OWA-D2-521", + "question": "The dog eats the lion. The dog is blue. The dog is green. The dog is round. The dog likes the lion. The dog needs the lion. The lion does not eat the dog. The lion is big. The lion is green. The lion does not need the dog. If someone is round and green then they eat the dog. If someone likes the lion then they are green. If someone needs the lion and they eat the dog then the dog eats the lion. If someone eats the dog then the dog is red. If someone likes the dog then they are not red. If someone is red and they do not eat the lion then they are blue.\n\nQuestion: The lion is big.", + "answer": true, + "QDep": 0, + "original_theory": "The dog eats the lion. The dog is blue. The dog is green. The dog is round. The dog likes the lion. The dog needs the lion. The lion does not eat the dog. The lion is big. The lion is green. The lion does not need the dog. If someone is round and green then they eat the dog. If someone likes the lion then they are green. If someone needs the lion and they eat the dog then the dog eats the lion. If someone eats the dog then the dog is red. If someone likes the dog then they are not red. If someone is red and they do not eat the lion then they are blue.", + "original_question": "The lion is big." + }, + { + "id": "AttNonegNatLang-OWA-53", + "question": "Alan is a kind person and he is also often cold. After Dave got wet in the rain, he feels cold. He also looks green but big. Fred was proud of being round, yet rough. His red cheeks glowed. Gary is green and cold too. A very big person who is green but also red is a rough person. If you pass someone who is red and round and kind, you'll notice they act in a cold manner. Anyone having rough, cold and green qualities will also have a big quality. Count on anyone you meet who is big, round, and red also being kind. People that are rough and red in the face, are usually big in size. When you meet and big and nice man, they will be kind to the earth and live green lifestyle. A young aged and big blue person will definitely be cold.\n\nQuestion: Fred is cold.", + "answer": true, + "QDep": 3, + "original_theory": "Alan is a kind person and he is also often cold. After Dave got wet in the rain, he feels cold. He also looks green but big. Fred was proud of being round, yet rough. His red cheeks glowed. Gary is green and cold too. A very big person who is green but also red is a rough person. If you pass someone who is red and round and kind, you'll notice they act in a cold manner. Anyone having rough, cold and green qualities will also have a big quality. Count on anyone you meet who is big, round, and red also being kind. People that are rough and red in the face, are usually big in size. When you meet and big and nice man, they will be kind to the earth and live green lifestyle. A young aged and big blue person will definitely be cold.", + "original_question": "Fred is cold." + }, + { + "id": "AttNoneg-OWA-D1-1250", + "question": "Fiona is big. Fiona is blue. Fiona is rough. Fiona is round. Harry is blue. Harry is kind. Harry is quiet. If something is kind then it is round.\n\nQuestion: Harry is blue.", + "answer": true, + "QDep": 0, + "original_theory": "Fiona is big. Fiona is blue. Fiona is rough. Fiona is round. Harry is blue. Harry is kind. Harry is quiet. If something is kind then it is round.", + "original_question": "Harry is blue." + }, + { + "id": "RelNeg-OWA-D1-2519", + "question": "The cat eats the dog. The cat is not green. The cat is young. The cow chases the cat. The cow chases the dog. The cow eats the dog. The cow is green. The cow is nice. The dog chases the cat. The dog eats the cat. The dog eats the cow. The dog is green. If something chases the cow then the cow is not big. If the cat is nice and the cat needs the cow then the cow does not chase the cat. If something is green and it chases the cat then it eats the cat. If the cat does not chase the dog and the cat does not need the cow then the dog is big. If something needs the cow then the cow does not chase the dog. If something needs the cow then the cow is green. If something eats the cow and it is not big then the cow is nice. If something is green and it does not chase the cat then it needs the dog.\n\nQuestion: The cow does not eat the cat.", + "answer": false, + "QDep": 1, + "original_theory": "The cat eats the dog. The cat is not green. The cat is young. The cow chases the cat. The cow chases the dog. The cow eats the dog. The cow is green. The cow is nice. The dog chases the cat. The dog eats the cat. The dog eats the cow. The dog is green. If something chases the cow then the cow is not big. If the cat is nice and the cat needs the cow then the cow does not chase the cat. If something is green and it chases the cat then it eats the cat. If the cat does not chase the dog and the cat does not need the cow then the dog is big. If something needs the cow then the cow does not chase the dog. If something needs the cow then the cow is green. If something eats the cow and it is not big then the cow is nice. If something is green and it does not chase the cat then it needs the dog.", + "original_question": "The cow does not eat the cat." + }, + { + "id": "RelNoneg-OWA-D0-3177", + "question": "The dog is blue. The dog is green. The dog is rough. If the dog is green and the dog is red then the dog is rough. Green things are blue. All red things are green.\n\nQuestion: The dog is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "The dog is blue. The dog is green. The dog is rough. If the dog is green and the dog is red then the dog is rough. Green things are blue. All red things are green.", + "original_question": "The dog is not rough." + }, + { + "id": "AttNonegNatLang-OWA-349", + "question": "Bob may be round, but he is also kind. The young person who is always feeling cold is named Charlie. Dave is a round and rough around the edges, and he is also big. Gary is nice and kind even though people make fun of his red and green skin. Gary always feels cold. A kind person who is down in the dumps and blue tends to have a rough side. Every time you meet someone kind and nice, they'll be green, too. A red hued and rough looking person is definitely a young person. Anyone who is both red and green must be as cold as Christmas. Watch out for young people that are kind for they are rough. Nice and green people are often found to be big as well. A person who inherits genes that make them big and green will also express a blue color.\n\nQuestion: Gary is not young.", + "answer": false, + "QDep": 4, + "original_theory": "Bob may be round, but he is also kind. The young person who is always feeling cold is named Charlie. Dave is a round and rough around the edges, and he is also big. Gary is nice and kind even though people make fun of his red and green skin. Gary always feels cold. A kind person who is down in the dumps and blue tends to have a rough side. Every time you meet someone kind and nice, they'll be green, too. A red hued and rough looking person is definitely a young person. Anyone who is both red and green must be as cold as Christmas. Watch out for young people that are kind for they are rough. Nice and green people are often found to be big as well. A person who inherits genes that make them big and green will also express a blue color.", + "original_question": "Gary is not young." + }, + { + "id": "RelNoneg-OWA-D1-1161", + "question": "The bald eagle eats the bear. The bald eagle eats the dog. The bald eagle is rough. The bear is blue. The bear is rough. The bear needs the bald eagle. The bear visits the mouse. The dog eats the bald eagle. The dog eats the bear. The dog needs the bear. The dog needs the mouse. The dog visits the bear. The mouse is round. The mouse visits the bald eagle. The mouse visits the bear. If someone visits the bear then the bear eats the mouse. If the mouse is round and the mouse visits the bear then the mouse visits the bald eagle.\n\nQuestion: The bear does not eat the mouse.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle eats the bear. The bald eagle eats the dog. The bald eagle is rough. The bear is blue. The bear is rough. The bear needs the bald eagle. The bear visits the mouse. The dog eats the bald eagle. The dog eats the bear. The dog needs the bear. The dog needs the mouse. The dog visits the bear. The mouse is round. The mouse visits the bald eagle. The mouse visits the bear. If someone visits the bear then the bear eats the mouse. If the mouse is round and the mouse visits the bear then the mouse visits the bald eagle.", + "original_question": "The bear does not eat the mouse." + }, + { + "id": "AttNoneg-OWA-D3-484", + "question": "Bob is rough. Dave is rough. Gary is white. Harry is blue. Green things are kind. If something is kind then it is white. All big things are green. If something is white then it is big. If something is big then it is young. If something is rough and green then it is big. If Bob is rough and Bob is white then Bob is kind. Big, blue things are green.\n\nQuestion: Gary is big.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is rough. Dave is rough. Gary is white. Harry is blue. Green things are kind. If something is kind then it is white. All big things are green. If something is white then it is big. If something is big then it is young. If something is rough and green then it is big. If Bob is rough and Bob is white then Bob is kind. Big, blue things are green.", + "original_question": "Gary is big." + }, + { + "id": "RelNoneg-OWA-D0-1131", + "question": "The lion chases the mouse. The mouse chases the lion. The mouse is cold. The mouse is green. The mouse is kind. The mouse is round. The mouse needs the lion. If something chases the mouse and it visits the mouse then the mouse visits the lion. If something is blue then it needs the lion. If something needs the lion and it is green then it is round.\n\nQuestion: The mouse is round.", + "answer": true, + "QDep": 0, + "original_theory": "The lion chases the mouse. The mouse chases the lion. The mouse is cold. The mouse is green. The mouse is kind. The mouse is round. The mouse needs the lion. If something chases the mouse and it visits the mouse then the mouse visits the lion. If something is blue then it needs the lion. If something needs the lion and it is green then it is round.", + "original_question": "The mouse is round." + }, + { + "id": "AttNeg-OWA-D1-93", + "question": "Anne is blue. Anne is not cold. Anne is smart. Erin is not blue. Erin is cold. Erin is furry. Erin is not red. Erin is smart. Erin is young. Gary is furry. Gary is round. Gary is young. Harry is blue. Harry is furry. Harry is not red. Harry is not round. If Gary is red and Gary is cold then Gary is blue. If Erin is cold and Erin is blue then Erin is red. If Anne is round then Anne is not furry. If Harry is not young then Harry is not round. If someone is cold then they are smart. If Anne is smart and Anne is blue then Anne is not young. If Harry is blue and Harry is round then Harry is cold. If Harry is blue and Harry is not round then Harry is cold.\n\nQuestion: Harry is cold.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is blue. Anne is not cold. Anne is smart. Erin is not blue. Erin is cold. Erin is furry. Erin is not red. Erin is smart. Erin is young. Gary is furry. Gary is round. Gary is young. Harry is blue. Harry is furry. Harry is not red. Harry is not round. If Gary is red and Gary is cold then Gary is blue. If Erin is cold and Erin is blue then Erin is red. If Anne is round then Anne is not furry. If Harry is not young then Harry is not round. If someone is cold then they are smart. If Anne is smart and Anne is blue then Anne is not young. If Harry is blue and Harry is round then Harry is cold. If Harry is blue and Harry is not round then Harry is cold.", + "original_question": "Harry is cold." + }, + { + "id": "AttNeg-OWA-D5-1192", + "question": "Charlie is not white. Dave is furry. Dave is white. Dave is young. Fiona is smart. Harry is furry. Harry is smart. If someone is round then they are young. All smart people are round. Furry, green people are white. If someone is nice and white then they are furry. All young people are furry. If someone is furry and young then they are nice. If someone is nice and not young then they are green. Nice people are green.\n\nQuestion: Harry is smart.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is not white. Dave is furry. Dave is white. Dave is young. Fiona is smart. Harry is furry. Harry is smart. If someone is round then they are young. All smart people are round. Furry, green people are white. If someone is nice and white then they are furry. All young people are furry. If someone is furry and young then they are nice. If someone is nice and not young then they are green. Nice people are green.", + "original_question": "Harry is smart." + }, + { + "id": "AttNeg-OWA-D1-2312", + "question": "Bob is not big. Bob is not blue. Bob is cold. Bob is young. Dave is furry. Dave is young. Erin is big. Fiona is furry. Fiona is round. Fiona is young. If something is furry and young then it is kind. All big things are blue.\n\nQuestion: Fiona is not round.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is not big. Bob is not blue. Bob is cold. Bob is young. Dave is furry. Dave is young. Erin is big. Fiona is furry. Fiona is round. Fiona is young. If something is furry and young then it is kind. All big things are blue.", + "original_question": "Fiona is not round." + }, + { + "id": "AttNeg-OWA-D5-1227", + "question": "Anne is cold. Anne is round. Bob is blue. Bob is round. Charlie is blue. Charlie is nice. Gary is cold. If something is big and green then it is not round. Blue, nice things are round. If Bob is furry then Bob is green. All cold, blue things are furry. Nice things are big. All round, cold things are not green. Green, cold things are not nice. If something is cold then it is nice. Big things are blue.\n\nQuestion: Anne is blue.", + "answer": true, + "QDep": 3, + "original_theory": "Anne is cold. Anne is round. Bob is blue. Bob is round. Charlie is blue. Charlie is nice. Gary is cold. If something is big and green then it is not round. Blue, nice things are round. If Bob is furry then Bob is green. All cold, blue things are furry. Nice things are big. All round, cold things are not green. Green, cold things are not nice. If something is cold then it is nice. Big things are blue.", + "original_question": "Anne is blue." + }, + { + "id": "AttNoneg-OWA-D3-33", + "question": "Anne is red. Dave is rough. Erin is red. Big things are round. All rough things are big. Round, rough things are red.\n\nQuestion: Dave is not round.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is red. Dave is rough. Erin is red. Big things are round. All rough things are big. Round, rough things are red.", + "original_question": "Dave is not round." + }, + { + "id": "AttNeg-OWA-D0-4356", + "question": "Bob is big. Bob is cold. Bob is smart. Bob is white. Bob is young. Erin is big. Erin is cold. Erin is not green. Erin is smart. Erin is white. Smart people are cold. All young people are cold. If someone is cold and not smart then they are white. Green, smart people are not big. If someone is smart then they are big. Smart, green people are big. If someone is young and not cold then they are not round. If someone is green then they are round.\n\nQuestion: Bob is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is big. Bob is cold. Bob is smart. Bob is white. Bob is young. Erin is big. Erin is cold. Erin is not green. Erin is smart. Erin is white. Smart people are cold. All young people are cold. If someone is cold and not smart then they are white. Green, smart people are not big. If someone is smart then they are big. Smart, green people are big. If someone is young and not cold then they are not round. If someone is green then they are round.", + "original_question": "Bob is not smart." + }, + { + "id": "AttNeg-OWA-D0-3994", + "question": "Anne is cold. Anne is young. Bob is cold. Bob is not young. Gary is big. Gary is cold. Gary is kind. Gary is not young. Harry is not round. Harry is young. If someone is round then they are not cold. Kind, nice people are not big. If someone is big and not cold then they are nice.\n\nQuestion: Gary is not kind.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is cold. Anne is young. Bob is cold. Bob is not young. Gary is big. Gary is cold. Gary is kind. Gary is not young. Harry is not round. Harry is young. If someone is round then they are not cold. Kind, nice people are not big. If someone is big and not cold then they are nice.", + "original_question": "Gary is not kind." + }, + { + "id": "RelNeg-OWA-D1-190", + "question": "The cat is not big. The cat is cold. The cat is nice. The cat is red. The cat is not round. The cat likes the lion. The cat needs the lion. The cat sees the lion. The lion is big. The lion is cold. The lion is nice. The lion is red. The lion is not round. The lion likes the cat. The lion needs the cat. The lion sees the cat. If the cat needs the lion and the cat does not see the lion then the cat is nice. If someone sees the lion and the lion is red then they see the cat. If someone needs the cat and the cat is not nice then they do not like the cat.\n\nQuestion: The cat sees the cat.", + "answer": true, + "QDep": 1, + "original_theory": "The cat is not big. The cat is cold. The cat is nice. The cat is red. The cat is not round. The cat likes the lion. The cat needs the lion. The cat sees the lion. The lion is big. The lion is cold. The lion is nice. The lion is red. The lion is not round. The lion likes the cat. The lion needs the cat. The lion sees the cat. If the cat needs the lion and the cat does not see the lion then the cat is nice. If someone sees the lion and the lion is red then they see the cat. If someone needs the cat and the cat is not nice then they do not like the cat.", + "original_question": "The cat sees the cat." + }, + { + "id": "AttNeg-OWA-D2-560", + "question": "Anne is young. Dave is young. Erin is white. All green things are not cold. If Anne is nice and Anne is cold then Anne is not young. If something is white then it is green. White, blue things are nice. If Anne is nice then Anne is green. If something is young then it is not blue. Green things are blue. If something is young and not green then it is not smart.\n\nQuestion: Erin is not blue.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is young. Dave is young. Erin is white. All green things are not cold. If Anne is nice and Anne is cold then Anne is not young. If something is white then it is green. White, blue things are nice. If Anne is nice then Anne is green. If something is young then it is not blue. Green things are blue. If something is young and not green then it is not smart.", + "original_question": "Erin is not blue." + }, + { + "id": "RelNeg-OWA-D3-5", + "question": "The cow visits the squirrel. The lion is rough. The squirrel likes the tiger. The tiger visits the cow. If something is young and it chases the lion then it likes the squirrel. If something is cold then it likes the cow. If something likes the cow then it likes the tiger. If something is rough then it chases the squirrel. If something visits the cow then it is cold. If the cow does not like the tiger then the cow chases the tiger.\n\nQuestion: The lion chases the squirrel.", + "answer": true, + "QDep": 1, + "original_theory": "The cow visits the squirrel. The lion is rough. The squirrel likes the tiger. The tiger visits the cow. If something is young and it chases the lion then it likes the squirrel. If something is cold then it likes the cow. If something likes the cow then it likes the tiger. If something is rough then it chases the squirrel. If something visits the cow then it is cold. If the cow does not like the tiger then the cow chases the tiger.", + "original_question": "The lion chases the squirrel." + }, + { + "id": "AttNonegNatLang-OWA-417", + "question": "The young person who is always feeling cold is named Bob. No one knows Eric like me and he is a kind guy, very round in the belly and green as grass. Gary is a kind person and he is also often cold. Young people who are cold to others and green with envy are actually nice. Young people that are turning blue from being cold will be rough looking. Interesting that all round people are cold. People who are round and red tend to be rough. People who are round and green while being cold are also red. A nice and green man or woman is also red in color.\n\nQuestion: Eric is rough.", + "answer": true, + "QDep": 3, + "original_theory": "The young person who is always feeling cold is named Bob. No one knows Eric like me and he is a kind guy, very round in the belly and green as grass. Gary is a kind person and he is also often cold. Young people who are cold to others and green with envy are actually nice. Young people that are turning blue from being cold will be rough looking. Interesting that all round people are cold. People who are round and red tend to be rough. People who are round and green while being cold are also red. A nice and green man or woman is also red in color.", + "original_question": "Eric is rough." + }, + { + "id": "AttNeg-OWA-D1-93", + "question": "Anne is blue. Anne is not cold. Anne is smart. Erin is not blue. Erin is cold. Erin is furry. Erin is not red. Erin is smart. Erin is young. Gary is furry. Gary is round. Gary is young. Harry is blue. Harry is furry. Harry is not red. Harry is not round. If Gary is red and Gary is cold then Gary is blue. If Erin is cold and Erin is blue then Erin is red. If Anne is round then Anne is not furry. If Harry is not young then Harry is not round. If someone is cold then they are smart. If Anne is smart and Anne is blue then Anne is not young. If Harry is blue and Harry is round then Harry is cold. If Harry is blue and Harry is not round then Harry is cold.\n\nQuestion: Anne is young.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is blue. Anne is not cold. Anne is smart. Erin is not blue. Erin is cold. Erin is furry. Erin is not red. Erin is smart. Erin is young. Gary is furry. Gary is round. Gary is young. Harry is blue. Harry is furry. Harry is not red. Harry is not round. If Gary is red and Gary is cold then Gary is blue. If Erin is cold and Erin is blue then Erin is red. If Anne is round then Anne is not furry. If Harry is not young then Harry is not round. If someone is cold then they are smart. If Anne is smart and Anne is blue then Anne is not young. If Harry is blue and Harry is round then Harry is cold. If Harry is blue and Harry is not round then Harry is cold.", + "original_question": "Anne is young." + }, + { + "id": "RelNeg-OWA-D3-525", + "question": "The rabbit is blue. Green, round things are not blue. Blue things are green. If the rabbit is green then the rabbit is cold. If something is green and not blue then it is not cold. Round things are not red. If something is cold then it is not red. All round things are red. If the rabbit is cold then the rabbit is not red.\n\nQuestion: The rabbit is green.", + "answer": true, + "QDep": 1, + "original_theory": "The rabbit is blue. Green, round things are not blue. Blue things are green. If the rabbit is green then the rabbit is cold. If something is green and not blue then it is not cold. Round things are not red. If something is cold then it is not red. All round things are red. If the rabbit is cold then the rabbit is not red.", + "original_question": "The rabbit is green." + }, + { + "id": "RelNeg-OWA-D1-2637", + "question": "The bald eagle is big. The bald eagle is not young. The bald eagle likes the tiger. The bald eagle visits the dog. The bald eagle visits the tiger. The dog is not rough. The dog is young. The dog likes the lion. The lion eats the dog. The lion likes the tiger. The tiger is nice. The tiger likes the dog. If someone eats the dog then they visit the tiger. If someone is young and nice then they eat the lion. If someone visits the tiger and they do not visit the lion then the lion likes the bald eagle. If someone eats the dog then they are not rough. If someone eats the tiger and the tiger does not visit the lion then the tiger visits the dog. If someone visits the dog and they like the lion then they like the tiger.\n\nQuestion: The lion is not rough.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle is big. The bald eagle is not young. The bald eagle likes the tiger. The bald eagle visits the dog. The bald eagle visits the tiger. The dog is not rough. The dog is young. The dog likes the lion. The lion eats the dog. The lion likes the tiger. The tiger is nice. The tiger likes the dog. If someone eats the dog then they visit the tiger. If someone is young and nice then they eat the lion. If someone visits the tiger and they do not visit the lion then the lion likes the bald eagle. If someone eats the dog then they are not rough. If someone eats the tiger and the tiger does not visit the lion then the tiger visits the dog. If someone visits the dog and they like the lion then they like the tiger.", + "original_question": "The lion is not rough." + }, + { + "id": "RelNoneg-OWA-D2-1822", + "question": "The cat visits the dog. The dog likes the cat. The mouse visits the squirrel. The squirrel is round. If something visits the dog then it is young. If something likes the cat and it visits the dog then the dog sees the cat. If something is young then it sees the squirrel.\n\nQuestion: The cat does not visit the dog.", + "answer": false, + "QDep": 0, + "original_theory": "The cat visits the dog. The dog likes the cat. The mouse visits the squirrel. The squirrel is round. If something visits the dog then it is young. If something likes the cat and it visits the dog then the dog sees the cat. If something is young then it sees the squirrel.", + "original_question": "The cat does not visit the dog." + }, + { + "id": "RelNeg-OWA-D0-2221", + "question": "The cat eats the squirrel. The cat is blue. The cat is rough. The cat sees the squirrel. The squirrel eats the cat. The squirrel is blue. The squirrel is not rough. The squirrel is round. The squirrel does not see the cat. The squirrel visits the cat. If someone visits the squirrel then they see the cat. If someone eats the cat and the cat visits the squirrel then the squirrel sees the cat.\n\nQuestion: The cat does not eat the squirrel.", + "answer": false, + "QDep": 0, + "original_theory": "The cat eats the squirrel. The cat is blue. The cat is rough. The cat sees the squirrel. The squirrel eats the cat. The squirrel is blue. The squirrel is not rough. The squirrel is round. The squirrel does not see the cat. The squirrel visits the cat. If someone visits the squirrel then they see the cat. If someone eats the cat and the cat visits the squirrel then the squirrel sees the cat.", + "original_question": "The cat does not eat the squirrel." + }, + { + "id": "RelNoneg-OWA-D3-699", + "question": "The cat is blue. The cat needs the lion. The lion is blue. The lion likes the rabbit. The lion needs the rabbit. The lion sees the cat. The lion sees the rabbit. The rabbit is green. The rabbit sees the cat. The rabbit sees the lion. If something sees the rabbit and the rabbit likes the cat then it needs the lion. If something needs the cat then the cat sees the lion. If something sees the rabbit and the rabbit is green then the rabbit is rough. If something likes the lion and it sees the cat then the lion is cold. All round things are cold. If something is green and rough then it needs the cat.\n\nQuestion: The rabbit is not rough.", + "answer": false, + "QDep": 1, + "original_theory": "The cat is blue. The cat needs the lion. The lion is blue. The lion likes the rabbit. The lion needs the rabbit. The lion sees the cat. The lion sees the rabbit. The rabbit is green. The rabbit sees the cat. The rabbit sees the lion. If something sees the rabbit and the rabbit likes the cat then it needs the lion. If something needs the cat then the cat sees the lion. If something sees the rabbit and the rabbit is green then the rabbit is rough. If something likes the lion and it sees the cat then the lion is cold. All round things are cold. If something is green and rough then it needs the cat.", + "original_question": "The rabbit is not rough." + }, + { + "id": "AttNoneg-OWA-D3-1126", + "question": "Charlie is white. Erin is furry. Harry is rough. All smart, round things are white. White things are quiet. If something is furry then it is white. If something is quiet then it is round. If something is furry and round then it is rough. Round, furry things are smart.\n\nQuestion: Erin is not quiet.", + "answer": false, + "QDep": 2, + "original_theory": "Charlie is white. Erin is furry. Harry is rough. All smart, round things are white. White things are quiet. If something is furry then it is white. If something is quiet then it is round. If something is furry and round then it is rough. Round, furry things are smart.", + "original_question": "Erin is not quiet." + }, + { + "id": "AttNoneg-OWA-D0-6509", + "question": "Bob is big. Bob is cold. Bob is nice. Bob is rough. Bob is round. Bob is smart. Erin is big. Erin is round. Erin is smart. Fiona is big. Fiona is cold. Fiona is green. Fiona is nice. Fiona is round. Fiona is smart. Big, rough things are smart. If something is green and rough then it is round. All big things are nice. All smart things are round. If something is nice and round then it is cold. If something is big then it is smart.\n\nQuestion: Bob is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is big. Bob is cold. Bob is nice. Bob is rough. Bob is round. Bob is smart. Erin is big. Erin is round. Erin is smart. Fiona is big. Fiona is cold. Fiona is green. Fiona is nice. Fiona is round. Fiona is smart. Big, rough things are smart. If something is green and rough then it is round. All big things are nice. All smart things are round. If something is nice and round then it is cold. If something is big then it is smart.", + "original_question": "Bob is not smart." + }, + { + "id": "AttNeg-OWA-D0-3994", + "question": "Anne is cold. Anne is young. Bob is cold. Bob is not young. Gary is big. Gary is cold. Gary is kind. Gary is not young. Harry is not round. Harry is young. If someone is round then they are not cold. Kind, nice people are not big. If someone is big and not cold then they are nice.\n\nQuestion: Gary is kind.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is cold. Anne is young. Bob is cold. Bob is not young. Gary is big. Gary is cold. Gary is kind. Gary is not young. Harry is not round. Harry is young. If someone is round then they are not cold. Kind, nice people are not big. If someone is big and not cold then they are nice.", + "original_question": "Gary is kind." + }, + { + "id": "RelNeg-OWA-D3-407", + "question": "The cow eats the rabbit. The cow is not blue. The cow does not see the rabbit. The cow does not visit the rabbit. The rabbit is blue. The rabbit is not cold. The rabbit sees the cow. If something eats the rabbit then it is not cold. If the cow visits the rabbit and the rabbit is blue then the rabbit does not eat the cow. If something eats the rabbit then the rabbit eats the cow. If something is red then it visits the cow. If something eats the cow then it is red. If something sees the cow then the cow does not visit the rabbit. If something visits the rabbit and it sees the cow then it is not young. If something is green and not red then it sees the rabbit.\n\nQuestion: The rabbit does not visit the cow.", + "answer": false, + "QDep": 3, + "original_theory": "The cow eats the rabbit. The cow is not blue. The cow does not see the rabbit. The cow does not visit the rabbit. The rabbit is blue. The rabbit is not cold. The rabbit sees the cow. If something eats the rabbit then it is not cold. If the cow visits the rabbit and the rabbit is blue then the rabbit does not eat the cow. If something eats the rabbit then the rabbit eats the cow. If something is red then it visits the cow. If something eats the cow then it is red. If something sees the cow then the cow does not visit the rabbit. If something visits the rabbit and it sees the cow then it is not young. If something is green and not red then it sees the rabbit.", + "original_question": "The rabbit does not visit the cow." + }, + { + "id": "AttNeg-OWA-D3-1101", + "question": "Bob is white. Erin is nice. Harry is round. Round people are nice. All kind, round people are nice. Kind people are not white. All blue people are not white. Nice, smart people are blue. Smart people are round. If someone is blue and white then they are kind. All nice people are smart.\n\nQuestion: Erin is not white.", + "answer": true, + "QDep": 3, + "original_theory": "Bob is white. Erin is nice. Harry is round. Round people are nice. All kind, round people are nice. Kind people are not white. All blue people are not white. Nice, smart people are blue. Smart people are round. If someone is blue and white then they are kind. All nice people are smart.", + "original_question": "Erin is not white." + }, + { + "id": "AttNeg-OWA-D1-1100", + "question": "Charlie is green. Charlie is kind. Charlie is nice. Charlie is smart. Charlie is white. Fiona is cold. Fiona is furry. Fiona is green. Fiona is kind. Fiona is white. Nice people are not furry.\n\nQuestion: Fiona is furry.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is green. Charlie is kind. Charlie is nice. Charlie is smart. Charlie is white. Fiona is cold. Fiona is furry. Fiona is green. Fiona is kind. Fiona is white. Nice people are not furry.", + "original_question": "Fiona is furry." + }, + { + "id": "AttPos-OWA-ElectricityRB4-66", + "question": "The circuit includes the battery. The battery is flat. The circuit includes the switch. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The wire is plastic.", + "answer": true, + "QDep": 0, + "original_theory": "The circuit includes the battery. The battery is flat. The circuit includes the switch. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The wire is plastic." + }, + { + "id": "AttNoneg-OWA-D0-1224", + "question": "Fiona is cold. Fiona is nice. Fiona is white. Fiona is young. Harry is blue. Harry is cold. Harry is green. Harry is nice. Harry is red. Harry is young. If something is nice and white then it is red. If Harry is blue and Harry is cold then Harry is green.\n\nQuestion: Harry is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "Fiona is cold. Fiona is nice. Fiona is white. Fiona is young. Harry is blue. Harry is cold. Harry is green. Harry is nice. Harry is red. Harry is young. If something is nice and white then it is red. If Harry is blue and Harry is cold then Harry is green.", + "original_question": "Harry is not nice." + }, + { + "id": "AttNeg-OWA-D0-1916", + "question": "Dave is not cold. Dave is green. Dave is not red. Dave is round. Dave is smart. Dave is white. Erin is blue. Erin is green. Erin is red. Erin is not round. Harry is blue. Harry is not cold. Harry is green. Harry is round. Harry is not smart. Harry is white. All smart, green things are round. If something is white and blue then it is round. White things are green. All red, green things are blue. All smart, white things are blue. If something is green and not cold then it is blue. If Harry is smart then Harry is white. If something is green and cold then it is white.\n\nQuestion: Erin is not red.", + "answer": false, + "QDep": 0, + "original_theory": "Dave is not cold. Dave is green. Dave is not red. Dave is round. Dave is smart. Dave is white. Erin is blue. Erin is green. Erin is red. Erin is not round. Harry is blue. Harry is not cold. Harry is green. Harry is round. Harry is not smart. Harry is white. All smart, green things are round. If something is white and blue then it is round. White things are green. All red, green things are blue. All smart, white things are blue. If something is green and not cold then it is blue. If Harry is smart then Harry is white. If something is green and cold then it is white.", + "original_question": "Erin is not red." + }, + { + "id": "RelNeg-OWA-D3-1128", + "question": "The bear needs the cat. The bear needs the dog. The bear visits the dog. The cat is cold. The cat is red. The cat needs the bear. The cat sees the dog. The cat does not visit the dog. The dog is not red. The dog sees the bear. If someone sees the bear and they need the bear then they are not round. If someone visits the dog then the dog visits the cat. If someone visits the cat and the cat sees the dog then the cat sees the bear. If someone visits the dog then the dog sees the bear. If someone visits the bear and they see the cat then the bear visits the dog. If the cat does not see the dog and the cat is not big then the cat visits the dog.\n\nQuestion: The cat is round.", + "answer": false, + "QDep": 3, + "original_theory": "The bear needs the cat. The bear needs the dog. The bear visits the dog. The cat is cold. The cat is red. The cat needs the bear. The cat sees the dog. The cat does not visit the dog. The dog is not red. The dog sees the bear. If someone sees the bear and they need the bear then they are not round. If someone visits the dog then the dog visits the cat. If someone visits the cat and the cat sees the dog then the cat sees the bear. If someone visits the dog then the dog sees the bear. If someone visits the bear and they see the cat then the bear visits the dog. If the cat does not see the dog and the cat is not big then the cat visits the dog.", + "original_question": "The cat is round." + }, + { + "id": "AttNoneg-OWA-D0-1477", + "question": "Dave is big. Dave is furry. Dave is green. Dave is kind. Dave is red. Dave is white. Dave is young. Gary is big. Gary is furry. Gary is green. Gary is kind. Gary is red. If Gary is white and Gary is kind then Gary is big.\n\nQuestion: Gary is not big.", + "answer": false, + "QDep": 0, + "original_theory": "Dave is big. Dave is furry. Dave is green. Dave is kind. Dave is red. Dave is white. Dave is young. Gary is big. Gary is furry. Gary is green. Gary is kind. Gary is red. If Gary is white and Gary is kind then Gary is big.", + "original_question": "Gary is not big." + }, + { + "id": "RelNeg-OWA-D0-2906", + "question": "The lion chases the rabbit. The lion is not big. The lion is cold. The lion is red. The lion likes the rabbit. The lion sees the rabbit. The rabbit chases the lion. The rabbit is not cold. The rabbit is kind. The rabbit is not red. The rabbit likes the lion. The rabbit sees the lion. If someone chases the lion and they chase the rabbit then they see the rabbit. If someone sees the rabbit and they do not chase the lion then the lion chases the rabbit. If someone likes the lion and the lion is big then the lion chases the rabbit. If someone sees the rabbit then the rabbit is not big. If someone is cold then they like the lion. If someone likes the lion and they do not chase the rabbit then the rabbit sees the lion.\n\nQuestion: The rabbit is red.", + "answer": false, + "QDep": 0, + "original_theory": "The lion chases the rabbit. The lion is not big. The lion is cold. The lion is red. The lion likes the rabbit. The lion sees the rabbit. The rabbit chases the lion. The rabbit is not cold. The rabbit is kind. The rabbit is not red. The rabbit likes the lion. The rabbit sees the lion. If someone chases the lion and they chase the rabbit then they see the rabbit. If someone sees the rabbit and they do not chase the lion then the lion chases the rabbit. If someone likes the lion and the lion is big then the lion chases the rabbit. If someone sees the rabbit then the rabbit is not big. If someone is cold then they like the lion. If someone likes the lion and they do not chase the rabbit then the rabbit sees the lion.", + "original_question": "The rabbit is red." + }, + { + "id": "AttNonegNatLang-OWA-471", + "question": "Alan is green and cold too. The young person who is always feeling cold is named Charlie. Gary is young and green. He is round with rosy red skin which makes him blue. Harry seems to be round. If a person is described as being nice, cold and young it usually follow that they are red. Every time you meet someone kind and nice, they'll be green, too. Even though young people are rough, they are still very red. Anyone feeling cold is bound to act nice. Any person who can be red and blue at the same time is cold. A nice person with cold skin is going to be rough. A cold blue person who is rough is also kind.\n\nQuestion: Gary is rough.", + "answer": true, + "QDep": 3, + "original_theory": "Alan is green and cold too. The young person who is always feeling cold is named Charlie. Gary is young and green. He is round with rosy red skin which makes him blue. Harry seems to be round. If a person is described as being nice, cold and young it usually follow that they are red. Every time you meet someone kind and nice, they'll be green, too. Even though young people are rough, they are still very red. Anyone feeling cold is bound to act nice. Any person who can be red and blue at the same time is cold. A nice person with cold skin is going to be rough. A cold blue person who is rough is also kind.", + "original_question": "Gary is rough." + }, + { + "id": "AttNeg-OWA-D0-4597", + "question": "Anne is blue. Anne is furry. Anne is smart. Bob is big. Bob is smart. Dave is blue. Dave is not furry. Dave is green. Dave is not quiet. Dave is not smart. Gary is big. Gary is blue. Gary is furry. Gary is green. Gary is quiet. Gary is smart. If Bob is blue and Bob is not smart then Bob is red. If someone is big then they are quiet. Quiet people are green. All quiet people are blue. If someone is green and furry then they are not red. If someone is big and not smart then they are red. If someone is furry and not quiet then they are red. If Dave is green and Dave is not red then Dave is blue.\n\nQuestion: Dave is blue.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is blue. Anne is furry. Anne is smart. Bob is big. Bob is smart. Dave is blue. Dave is not furry. Dave is green. Dave is not quiet. Dave is not smart. Gary is big. Gary is blue. Gary is furry. Gary is green. Gary is quiet. Gary is smart. If Bob is blue and Bob is not smart then Bob is red. If someone is big then they are quiet. Quiet people are green. All quiet people are blue. If someone is green and furry then they are not red. If someone is big and not smart then they are red. If someone is furry and not quiet then they are red. If Dave is green and Dave is not red then Dave is blue.", + "original_question": "Dave is blue." + }, + { + "id": "AttNoneg-OWA-D3-888", + "question": "Dave is red. Dave is round. Erin is quiet. Erin is rough. Erin is round. Erin is young. Fiona is red. Fiona is rough. Fiona is round. Gary is blue. Gary is red. Gary is smart. If someone is red and round then they are rough. All smart people are round. If Erin is young then Erin is rough. Young, red people are quiet. All blue, smart people are rough. Round people are young.\n\nQuestion: Gary is young.", + "answer": true, + "QDep": 2, + "original_theory": "Dave is red. Dave is round. Erin is quiet. Erin is rough. Erin is round. Erin is young. Fiona is red. Fiona is rough. Fiona is round. Gary is blue. Gary is red. Gary is smart. If someone is red and round then they are rough. All smart people are round. If Erin is young then Erin is rough. Young, red people are quiet. All blue, smart people are rough. Round people are young.", + "original_question": "Gary is young." + }, + { + "id": "RelNeg-OWA-D0-6157", + "question": "The cat does not need the cow. The cow is not big. The cow likes the cat. The cow does not like the mouse. The cow needs the squirrel. The cow visits the cat. The cow visits the mouse. The mouse does not need the squirrel. The mouse visits the cat. The squirrel needs the cow. All kind things are big. If something likes the squirrel and it does not need the cow then the squirrel likes the mouse.\n\nQuestion: The mouse does not visit the cat.", + "answer": false, + "QDep": 0, + "original_theory": "The cat does not need the cow. The cow is not big. The cow likes the cat. The cow does not like the mouse. The cow needs the squirrel. The cow visits the cat. The cow visits the mouse. The mouse does not need the squirrel. The mouse visits the cat. The squirrel needs the cow. All kind things are big. If something likes the squirrel and it does not need the cow then the squirrel likes the mouse.", + "original_question": "The mouse does not visit the cat." + }, + { + "id": "RelNeg-OWA-D0-1100", + "question": "The bald eagle chases the cat. The bald eagle does not chase the cow. The bald eagle is not kind. The bald eagle does not like the cow. The cat is not blue. The cat does not like the bald eagle. The cat sees the cow. The cow chases the bald eagle. The cow chases the cat. The cow is green. The cow likes the cat. The cow sees the bald eagle. If the cow sees the bald eagle then the cow likes the cat. If someone sees the cat and the cat does not like the cow then the cow is rough. If someone likes the bald eagle then the bald eagle is kind. If someone sees the bald eagle then the bald eagle sees the cow. If someone chases the bald eagle and the bald eagle sees the cow then the cow does not like the bald eagle. If the bald eagle likes the cat and the bald eagle does not see the cat then the bald eagle chases the cow. If someone is green and they do not chase the cow then the cow chases the cat. If someone likes the cat and they chase the cow then the cow chases the cat.\n\nQuestion: The bald eagle chases the cow.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle chases the cat. The bald eagle does not chase the cow. The bald eagle is not kind. The bald eagle does not like the cow. The cat is not blue. The cat does not like the bald eagle. The cat sees the cow. The cow chases the bald eagle. The cow chases the cat. The cow is green. The cow likes the cat. The cow sees the bald eagle. If the cow sees the bald eagle then the cow likes the cat. If someone sees the cat and the cat does not like the cow then the cow is rough. If someone likes the bald eagle then the bald eagle is kind. If someone sees the bald eagle then the bald eagle sees the cow. If someone chases the bald eagle and the bald eagle sees the cow then the cow does not like the bald eagle. If the bald eagle likes the cat and the bald eagle does not see the cat then the bald eagle chases the cow. If someone is green and they do not chase the cow then the cow chases the cat. If someone likes the cat and they chase the cow then the cow chases the cat.", + "original_question": "The bald eagle chases the cow." + }, + { + "id": "AttNeg-OWA-D3-943", + "question": "Anne is nice. Anne is red. Anne is young. Charlie is red. Charlie is round. Charlie is smart. Charlie is young. Gary is red. Gary is rough. Gary is round. All young people are nice. If someone is round and not smart then they are nice. If someone is round then they are young. If someone is furry and not rough then they are young. If Anne is not rough then Anne is young. All round, nice people are furry.\n\nQuestion: Charlie is not round.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is nice. Anne is red. Anne is young. Charlie is red. Charlie is round. Charlie is smart. Charlie is young. Gary is red. Gary is rough. Gary is round. All young people are nice. If someone is round and not smart then they are nice. If someone is round then they are young. If someone is furry and not rough then they are young. If Anne is not rough then Anne is young. All round, nice people are furry.", + "original_question": "Charlie is not round." + }, + { + "id": "AttNeg-OWA-D5-427", + "question": "Anne is furry. Anne is not green. Anne is white. Charlie is green. Charlie is rough. Gary is blue. Gary is furry. Gary is green. Gary is nice. Gary is round. Gary is white. Harry is nice. Harry is rough. Harry is round. If something is white then it is blue. All furry things are round. Green, rough things are round. Blue things are furry. If Charlie is furry then Charlie is nice. Rough, round things are white.\n\nQuestion: Charlie is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is furry. Anne is not green. Anne is white. Charlie is green. Charlie is rough. Gary is blue. Gary is furry. Gary is green. Gary is nice. Gary is round. Gary is white. Harry is nice. Harry is rough. Harry is round. If something is white then it is blue. All furry things are round. Green, rough things are round. Blue things are furry. If Charlie is furry then Charlie is nice. Rough, round things are white.", + "original_question": "Charlie is not rough." + }, + { + "id": "RelNeg-OWA-D5-767", + "question": "The cat is not round. The cow is blue. The cow is kind. The cow likes the cat. The cow sees the rabbit. The rabbit chases the cow. The rabbit is nice. The tiger does not chase the cow. The tiger does not like the rabbit. The tiger sees the rabbit. If something chases the cow then the cow chases the cat. If something chases the rabbit then it is not big. If something likes the cow then the cow is nice. If something is kind then it sees the rabbit. If something chases the cat then the cat likes the cow. If the rabbit chases the tiger then the rabbit does not see the cow. If something is nice and it sees the rabbit then it chases the rabbit. If something is big then it is round.\n\nQuestion: The tiger sees the rabbit.", + "answer": true, + "QDep": 0, + "original_theory": "The cat is not round. The cow is blue. The cow is kind. The cow likes the cat. The cow sees the rabbit. The rabbit chases the cow. The rabbit is nice. The tiger does not chase the cow. The tiger does not like the rabbit. The tiger sees the rabbit. If something chases the cow then the cow chases the cat. If something chases the rabbit then it is not big. If something likes the cow then the cow is nice. If something is kind then it sees the rabbit. If something chases the cat then the cat likes the cow. If the rabbit chases the tiger then the rabbit does not see the cow. If something is nice and it sees the rabbit then it chases the rabbit. If something is big then it is round.", + "original_question": "The tiger sees the rabbit." + }, + { + "id": "RelNeg-OWA-D2-612", + "question": "The bear chases the cow. The bear chases the tiger. The bear eats the cow. The bear is blue. The bear is green. The bear needs the cow. The bear needs the tiger. The cow chases the bear. The cow chases the tiger. The cow eats the tiger. The cow needs the bear. The cow needs the tiger. The tiger eats the bear. The tiger eats the cow. The tiger does not need the cow. If something eats the tiger and the tiger chases the bear then the bear needs the cow. If something eats the tiger and it is young then it is blue. If something eats the bear and it chases the tiger then the tiger is young. If something chases the bear and it is nice then the bear is blue. If something chases the tiger then the tiger is nice. If the bear is green then the bear eats the cow. If the bear is not nice and the bear does not chase the cow then the bear eats the cow. If something needs the cow then the cow is young.\n\nQuestion: The cow is young.", + "answer": true, + "QDep": 1, + "original_theory": "The bear chases the cow. The bear chases the tiger. The bear eats the cow. The bear is blue. The bear is green. The bear needs the cow. The bear needs the tiger. The cow chases the bear. The cow chases the tiger. The cow eats the tiger. The cow needs the bear. The cow needs the tiger. The tiger eats the bear. The tiger eats the cow. The tiger does not need the cow. If something eats the tiger and the tiger chases the bear then the bear needs the cow. If something eats the tiger and it is young then it is blue. If something eats the bear and it chases the tiger then the tiger is young. If something chases the bear and it is nice then the bear is blue. If something chases the tiger then the tiger is nice. If the bear is green then the bear eats the cow. If the bear is not nice and the bear does not chase the cow then the bear eats the cow. If something needs the cow then the cow is young.", + "original_question": "The cow is young." + }, + { + "id": "AttNeg-OWA-D3-1665", + "question": "Harry is green. If someone is big then they are kind. All green people are kind. If someone is kind and not rough then they are blue. All green people are nice. If someone is furry and green then they are not big. If Harry is kind then Harry is furry. Kind, rough people are furry. If Harry is big and Harry is nice then Harry is green.\n\nQuestion: Harry is green.", + "answer": true, + "QDep": 0, + "original_theory": "Harry is green. If someone is big then they are kind. All green people are kind. If someone is kind and not rough then they are blue. All green people are nice. If someone is furry and green then they are not big. If Harry is kind then Harry is furry. Kind, rough people are furry. If Harry is big and Harry is nice then Harry is green.", + "original_question": "Harry is green." + }, + { + "id": "AttNonegNatLang-OWA-469", + "question": "Alan is green and cold too. For being so cold, it's good Fred can remain nice. Gary seems to be round. No one knows Harry like me and he is a kind guy, very round in the belly and green as grass. If you meet someone with rough skin who is cold from being outside, you'll notice they are nice. Kind red people are green on the inside. Even though young people are rough, they are still very red. Nice people that are very green and even round shaped will be very young. Round people who are kind tend to be nice. A green person that is rough and cold is often also nice. Someone who is a young age and looks like they are round are also red.\n\nQuestion: Harry is young.", + "answer": true, + "QDep": 2, + "original_theory": "Alan is green and cold too. For being so cold, it's good Fred can remain nice. Gary seems to be round. No one knows Harry like me and he is a kind guy, very round in the belly and green as grass. If you meet someone with rough skin who is cold from being outside, you'll notice they are nice. Kind red people are green on the inside. Even though young people are rough, they are still very red. Nice people that are very green and even round shaped will be very young. Round people who are kind tend to be nice. A green person that is rough and cold is often also nice. Someone who is a young age and looks like they are round are also red.", + "original_question": "Harry is young." + }, + { + "id": "RelNoneg-OWA-D3-699", + "question": "The cat is blue. The cat needs the lion. The lion is blue. The lion likes the rabbit. The lion needs the rabbit. The lion sees the cat. The lion sees the rabbit. The rabbit is green. The rabbit sees the cat. The rabbit sees the lion. If something sees the rabbit and the rabbit likes the cat then it needs the lion. If something needs the cat then the cat sees the lion. If something sees the rabbit and the rabbit is green then the rabbit is rough. If something likes the lion and it sees the cat then the lion is cold. All round things are cold. If something is green and rough then it needs the cat.\n\nQuestion: The rabbit is rough.", + "answer": true, + "QDep": 1, + "original_theory": "The cat is blue. The cat needs the lion. The lion is blue. The lion likes the rabbit. The lion needs the rabbit. The lion sees the cat. The lion sees the rabbit. The rabbit is green. The rabbit sees the cat. The rabbit sees the lion. If something sees the rabbit and the rabbit likes the cat then it needs the lion. If something needs the cat then the cat sees the lion. If something sees the rabbit and the rabbit is green then the rabbit is rough. If something likes the lion and it sees the cat then the lion is cold. All round things are cold. If something is green and rough then it needs the cat.", + "original_question": "The rabbit is rough." + }, + { + "id": "AttNoneg-OWA-D2-1097", + "question": "Dave is quiet. Fiona is round. Gary is big. Blue, big people are kind. Big people are young. Quiet people are big. If Gary is big and Gary is quiet then Gary is young. Kind, young people are smart. All kind people are quiet.\n\nQuestion: Dave is not big.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is quiet. Fiona is round. Gary is big. Blue, big people are kind. Big people are young. Quiet people are big. If Gary is big and Gary is quiet then Gary is young. Kind, young people are smart. All kind people are quiet.", + "original_question": "Dave is not big." + }, + { + "id": "RelNoneg-OWA-D3-1056", + "question": "The squirrel is kind. All kind people are big. Green, big people are red. Big, kind people are green.\n\nQuestion: The squirrel is not green.", + "answer": false, + "QDep": 2, + "original_theory": "The squirrel is kind. All kind people are big. Green, big people are red. Big, kind people are green.", + "original_question": "The squirrel is not green." + }, + { + "id": "AttNeg-OWA-D2-1400", + "question": "Anne is nice. Gary is furry. If someone is kind and not young then they are nice. Nice people are kind. All kind people are not big.\n\nQuestion: Anne is kind.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is nice. Gary is furry. If someone is kind and not young then they are nice. Nice people are kind. All kind people are not big.", + "original_question": "Anne is kind." + }, + { + "id": "AttNoneg-OWA-D2-1484", + "question": "Anne is quiet. Anne is smart. Anne is young. Bob is big. Bob is red. Bob is rough. Bob is smart. Bob is white. Bob is young. Charlie is big. Charlie is rough. Charlie is smart. Harry is rough. Harry is smart. Harry is white. Harry is young. Quiet people are smart. All smart, rough people are quiet. Red, big people are quiet. Smart, quiet people are young. If someone is rough and quiet then they are big. Big people are smart.\n\nQuestion: Bob is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is quiet. Anne is smart. Anne is young. Bob is big. Bob is red. Bob is rough. Bob is smart. Bob is white. Bob is young. Charlie is big. Charlie is rough. Charlie is smart. Harry is rough. Harry is smart. Harry is white. Harry is young. Quiet people are smart. All smart, rough people are quiet. Red, big people are quiet. Smart, quiet people are young. If someone is rough and quiet then they are big. Big people are smart.", + "original_question": "Bob is not rough." + }, + { + "id": "RelNeg-OWA-D0-4641", + "question": "The mouse chases the rabbit. The mouse chases the squirrel. The mouse is blue. The mouse does not like the squirrel. The mouse visits the rabbit. The mouse visits the squirrel. The rabbit chases the mouse. The rabbit chases the squirrel. The rabbit is blue. The rabbit does not like the mouse. The squirrel chases the rabbit. The squirrel is big. The squirrel is blue. The squirrel is not cold. The squirrel is not red. The squirrel visits the rabbit. If something likes the squirrel and it does not chase the squirrel then the squirrel chases the rabbit.\n\nQuestion: The mouse is blue.", + "answer": true, + "QDep": 0, + "original_theory": "The mouse chases the rabbit. The mouse chases the squirrel. The mouse is blue. The mouse does not like the squirrel. The mouse visits the rabbit. The mouse visits the squirrel. The rabbit chases the mouse. The rabbit chases the squirrel. The rabbit is blue. The rabbit does not like the mouse. The squirrel chases the rabbit. The squirrel is big. The squirrel is blue. The squirrel is not cold. The squirrel is not red. The squirrel visits the rabbit. If something likes the squirrel and it does not chase the squirrel then the squirrel chases the rabbit.", + "original_question": "The mouse is blue." + }, + { + "id": "AttNoneg-OWA-D1-2748", + "question": "Bob is young. Erin is round. Fiona is cold. If something is young then it is blue. If something is kind and round then it is young. All round things are cold. If something is rough then it is round. All quiet things are rough. Kind things are young.\n\nQuestion: Fiona is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is young. Erin is round. Fiona is cold. If something is young then it is blue. If something is kind and round then it is young. All round things are cold. If something is rough then it is round. All quiet things are rough. Kind things are young.", + "original_question": "Fiona is not cold." + }, + { + "id": "AttNeg-OWA-D2-121", + "question": "Erin is big. Erin is cold. Erin is furry. Erin is rough. Erin is round. Fiona is not blue. Fiona is cold. Fiona is furry. Fiona is green. Fiona is rough. Fiona is round. Harry is big. Harry is blue. Harry is furry. Harry is green. Harry is round. If something is furry then it is cold. If something is blue and cold then it is not rough. Round, cold things are furry.\n\nQuestion: Harry is cold.", + "answer": true, + "QDep": 1, + "original_theory": "Erin is big. Erin is cold. Erin is furry. Erin is rough. Erin is round. Fiona is not blue. Fiona is cold. Fiona is furry. Fiona is green. Fiona is rough. Fiona is round. Harry is big. Harry is blue. Harry is furry. Harry is green. Harry is round. If something is furry then it is cold. If something is blue and cold then it is not rough. Round, cold things are furry.", + "original_question": "Harry is cold." + }, + { + "id": "RelNoneg-OWA-D5-941", + "question": "The bald eagle eats the mouse. The cat chases the dog. The cat is red. The cat is rough. The dog chases the cat. The dog eats the bald eagle. The dog eats the cat. The dog eats the mouse. The dog is green. The dog is rough. The dog likes the bald eagle. The dog likes the cat. The mouse chases the bald eagle. The mouse eats the dog. The mouse is big. The mouse likes the cat. If someone chases the dog and they are kind then they like the mouse. If someone chases the mouse and they are big then the mouse is green. If someone likes the mouse then the mouse likes the bald eagle. If someone is kind then they like the cat. If the mouse likes the bald eagle then the bald eagle eats the dog. If someone eats the dog and they eat the mouse then the mouse is kind. If someone is green then they chase the dog. If someone is green then they chase the bald eagle. If someone likes the bald eagle and they eat the mouse then they are kind.\n\nQuestion: The cat is rough.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle eats the mouse. The cat chases the dog. The cat is red. The cat is rough. The dog chases the cat. The dog eats the bald eagle. The dog eats the cat. The dog eats the mouse. The dog is green. The dog is rough. The dog likes the bald eagle. The dog likes the cat. The mouse chases the bald eagle. The mouse eats the dog. The mouse is big. The mouse likes the cat. If someone chases the dog and they are kind then they like the mouse. If someone chases the mouse and they are big then the mouse is green. If someone likes the mouse then the mouse likes the bald eagle. If someone is kind then they like the cat. If the mouse likes the bald eagle then the bald eagle eats the dog. If someone eats the dog and they eat the mouse then the mouse is kind. If someone is green then they chase the dog. If someone is green then they chase the bald eagle. If someone likes the bald eagle and they eat the mouse then they are kind.", + "original_question": "The cat is rough." + }, + { + "id": "AttNeg-OWA-D2-1738", + "question": "Anne is nice. Anne is not round. Anne is young. Bob is not green. Bob is rough. Bob is round. Bob is white. Gary is green. Gary is nice. Gary is red. Gary is rough. Gary is round. Gary is white. Gary is young. Harry is rough. Harry is round. If someone is rough and red then they are young. If someone is rough and round then they are red. If Bob is white then Bob is rough.\n\nQuestion: Bob is red.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is nice. Anne is not round. Anne is young. Bob is not green. Bob is rough. Bob is round. Bob is white. Gary is green. Gary is nice. Gary is red. Gary is rough. Gary is round. Gary is white. Gary is young. Harry is rough. Harry is round. If someone is rough and red then they are young. If someone is rough and round then they are red. If Bob is white then Bob is rough.", + "original_question": "Bob is red." + }, + { + "id": "RelNoneg-OWA-D3-124", + "question": "The cow chases the tiger. The cow is red. The cow is rough. The cow is round. The cow likes the tiger. The tiger chases the cow. The tiger is blue. The tiger is red. The tiger is rough. The tiger is round. The tiger likes the cow. The tiger visits the cow. If someone visits the tiger and the tiger likes the cow then the cow is blue. If someone is big and they like the cow then they are red. If someone is blue then they visit the tiger. If someone is blue and they chase the cow then they visit the cow. If someone chases the cow and they like the cow then the cow visits the tiger. If someone likes the cow and the cow chases the tiger then the tiger likes the cow. If someone is red and they visit the tiger then the tiger chases the cow. If someone is round and they like the tiger then they chase the cow.\n\nQuestion: The cow chases the cow.", + "answer": true, + "QDep": 1, + "original_theory": "The cow chases the tiger. The cow is red. The cow is rough. The cow is round. The cow likes the tiger. The tiger chases the cow. The tiger is blue. The tiger is red. The tiger is rough. The tiger is round. The tiger likes the cow. The tiger visits the cow. If someone visits the tiger and the tiger likes the cow then the cow is blue. If someone is big and they like the cow then they are red. If someone is blue then they visit the tiger. If someone is blue and they chase the cow then they visit the cow. If someone chases the cow and they like the cow then the cow visits the tiger. If someone likes the cow and the cow chases the tiger then the tiger likes the cow. If someone is red and they visit the tiger then the tiger chases the cow. If someone is round and they like the tiger then they chase the cow.", + "original_question": "The cow chases the cow." + }, + { + "id": "AttNoneg-OWA-D2-408", + "question": "Anne is cold. Dave is kind. Gary is young. Harry is white. All cold things are nice. If something is nice then it is white.\n\nQuestion: Anne is white.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is cold. Dave is kind. Gary is young. Harry is white. All cold things are nice. If something is nice then it is white.", + "original_question": "Anne is white." + }, + { + "id": "RelNoneg-OWA-D0-6192", + "question": "The lion is cold. The lion is green. The lion is nice. The lion is rough. The lion is young. All young, cold things are green. All rough, green things are cold. If the lion is young and the lion is nice then the lion is cold. If the lion is young then the lion is green. Cold things are green. All young, cold things are rough.\n\nQuestion: The lion is nice.", + "answer": true, + "QDep": 0, + "original_theory": "The lion is cold. The lion is green. The lion is nice. The lion is rough. The lion is young. All young, cold things are green. All rough, green things are cold. If the lion is young and the lion is nice then the lion is cold. If the lion is young then the lion is green. Cold things are green. All young, cold things are rough.", + "original_question": "The lion is nice." + }, + { + "id": "AttNeg-OWA-D3-649", + "question": "Anne is big. Charlie is not blue. Dave is kind. Erin is not big. If someone is red then they are not young. If someone is nice then they are blue. If someone is kind and not round then they are blue. Big, blue people are red. All big people are red. Kind people are big.\n\nQuestion: Anne is big.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is big. Charlie is not blue. Dave is kind. Erin is not big. If someone is red then they are not young. If someone is nice then they are blue. If someone is kind and not round then they are blue. Big, blue people are red. All big people are red. Kind people are big.", + "original_question": "Anne is big." + }, + { + "id": "RelNoneg-OWA-D2-1822", + "question": "The cat visits the dog. The dog likes the cat. The mouse visits the squirrel. The squirrel is round. If something visits the dog then it is young. If something likes the cat and it visits the dog then the dog sees the cat. If something is young then it sees the squirrel.\n\nQuestion: The cat visits the dog.", + "answer": true, + "QDep": 0, + "original_theory": "The cat visits the dog. The dog likes the cat. The mouse visits the squirrel. The squirrel is round. If something visits the dog then it is young. If something likes the cat and it visits the dog then the dog sees the cat. If something is young then it sees the squirrel.", + "original_question": "The cat visits the dog." + }, + { + "id": "RelNoneg-OWA-D3-1502", + "question": "The dog is young. The dog likes the squirrel. The lion eats the dog. The lion likes the dog. The squirrel chases the dog. The squirrel eats the lion. The squirrel likes the lion. If something is young and it eats the dog then the dog is rough. If something is cold then it is young. If something likes the squirrel then it eats the dog. If the squirrel eats the lion and the lion is cold then the squirrel eats the dog. Rough things are cold. If something likes the lion then it chases the squirrel. If the squirrel likes the dog then the dog chases the lion. If something likes the lion then it likes the squirrel.\n\nQuestion: The squirrel likes the squirrel.", + "answer": true, + "QDep": 1, + "original_theory": "The dog is young. The dog likes the squirrel. The lion eats the dog. The lion likes the dog. The squirrel chases the dog. The squirrel eats the lion. The squirrel likes the lion. If something is young and it eats the dog then the dog is rough. If something is cold then it is young. If something likes the squirrel then it eats the dog. If the squirrel eats the lion and the lion is cold then the squirrel eats the dog. Rough things are cold. If something likes the lion then it chases the squirrel. If the squirrel likes the dog then the dog chases the lion. If something likes the lion then it likes the squirrel.", + "original_question": "The squirrel likes the squirrel." + }, + { + "id": "AttPos-OWA-BirdsVar2-3", + "question": "Arthur is a bird. Arthur is not wounded. Bill is an ostrich. Colin is a bird. Colin is wounded. Dave is not an ostrich. Dave is wounded. If someone is an ostrich then they are a bird. If someone is an ostrich then they are abnormal. If someone is an ostrich then they cannot fly. If someone is a bird and wounded then they are abnormal. If someone is wounded then they cannot fly. If someone is a bird and not abnormal then they can fly.\n\nQuestion: Arthur is wounded.", + "answer": false, + "QDep": 0, + "original_theory": "Arthur is a bird. Arthur is not wounded. Bill is an ostrich. Colin is a bird. Colin is wounded. Dave is not an ostrich. Dave is wounded. If someone is an ostrich then they are a bird. If someone is an ostrich then they are abnormal. If someone is an ostrich then they cannot fly. If someone is a bird and wounded then they are abnormal. If someone is wounded then they cannot fly. If someone is a bird and not abnormal then they can fly.", + "original_question": "Arthur is wounded." + }, + { + "id": "AttNoneg-OWA-D2-976", + "question": "Dave is kind. Erin is blue. Erin is green. Erin is kind. Erin is rough. Erin is white. Fiona is big. Fiona is green. Gary is kind. Gary is white. If someone is white then they are cold. All white, cold people are rough.\n\nQuestion: Gary is not rough.", + "answer": false, + "QDep": 2, + "original_theory": "Dave is kind. Erin is blue. Erin is green. Erin is kind. Erin is rough. Erin is white. Fiona is big. Fiona is green. Gary is kind. Gary is white. If someone is white then they are cold. All white, cold people are rough.", + "original_question": "Gary is not rough." + }, + { + "id": "AttNoneg-OWA-D3-1078", + "question": "Bob is green. Bob is white. Dave is quiet. Dave is rough. Dave is round. Dave is white. Fiona is big. Fiona is white. Harry is big. Harry is green. Harry is rough. Harry is white. All quiet, red people are green. All rough, quiet people are round. If Fiona is quiet and Fiona is big then Fiona is white. If someone is red then they are quiet. If someone is white and green then they are quiet. If someone is big then they are red. All big, rough people are green. Quiet, rough people are round.\n\nQuestion: Fiona is not quiet.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is green. Bob is white. Dave is quiet. Dave is rough. Dave is round. Dave is white. Fiona is big. Fiona is white. Harry is big. Harry is green. Harry is rough. Harry is white. All quiet, red people are green. All rough, quiet people are round. If Fiona is quiet and Fiona is big then Fiona is white. If someone is red then they are quiet. If someone is white and green then they are quiet. If someone is big then they are red. All big, rough people are green. Quiet, rough people are round.", + "original_question": "Fiona is not quiet." + }, + { + "id": "RelNoneg-OWA-D0-5457", + "question": "The bear chases the cat. The cat likes the rabbit. The cow sees the bear. The rabbit sees the cat. If something is green then it sees the bear. If something sees the cat and it likes the cat then it is green. If something likes the cat then it chases the bear. If something is round and it sees the rabbit then it is blue. If something chases the cow and it sees the cow then the cow likes the rabbit. If something chases the bear then it sees the cat.\n\nQuestion: The rabbit does not see the cat.", + "answer": false, + "QDep": 0, + "original_theory": "The bear chases the cat. The cat likes the rabbit. The cow sees the bear. The rabbit sees the cat. If something is green then it sees the bear. If something sees the cat and it likes the cat then it is green. If something likes the cat then it chases the bear. If something is round and it sees the rabbit then it is blue. If something chases the cow and it sees the cow then the cow likes the rabbit. If something chases the bear then it sees the cat.", + "original_question": "The rabbit does not see the cat." + }, + { + "id": "AttPos-OWA-ElectricityRB4-7", + "question": "The circuit includes the battery. The switch is on. The wire is plastic. The circuit includes the radio. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The circuit does not include the radio.", + "answer": false, + "QDep": 0, + "original_theory": "The circuit includes the battery. The switch is on. The wire is plastic. The circuit includes the radio. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The circuit does not include the radio." + }, + { + "id": "RelNoneg-OWA-D1-1428", + "question": "The bear sees the lion. The lion visits the bear. If something sees the lion and it visits the bear then it chases the lion. If the bear sees the lion then the lion chases the bear.\n\nQuestion: The lion chases the bear.", + "answer": true, + "QDep": 1, + "original_theory": "The bear sees the lion. The lion visits the bear. If something sees the lion and it visits the bear then it chases the lion. If the bear sees the lion then the lion chases the bear.", + "original_question": "The lion chases the bear." + }, + { + "id": "AttNeg-OWA-D3-368", + "question": "Bob is big. Bob is nice. Bob is quiet. Bob is rough. Bob is round. Gary is red. Gary is rough. Gary is round. Harry is nice. Harry is rough. Round things are big. If something is red and rough then it is big. All quiet things are red. All big, round things are quiet. If something is nice and round then it is quiet. All rough, quiet things are nice.\n\nQuestion: Gary is not red.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is big. Bob is nice. Bob is quiet. Bob is rough. Bob is round. Gary is red. Gary is rough. Gary is round. Harry is nice. Harry is rough. Round things are big. If something is red and rough then it is big. All quiet things are red. All big, round things are quiet. If something is nice and round then it is quiet. All rough, quiet things are nice.", + "original_question": "Gary is not red." + }, + { + "id": "AttNoneg-OWA-D2-1963", + "question": "Bob is smart. Erin is cold. Erin is young. If Bob is white and Bob is cold then Bob is kind. Furry things are cold. All furry things are white. All cold, smart things are rough. Young things are smart. If Bob is white then Bob is young.\n\nQuestion: Erin is rough.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is smart. Erin is cold. Erin is young. If Bob is white and Bob is cold then Bob is kind. Furry things are cold. All furry things are white. All cold, smart things are rough. Young things are smart. If Bob is white then Bob is young.", + "original_question": "Erin is rough." + }, + { + "id": "AttNeg-OWA-D3-36", + "question": "Erin is rough. Erin is white. Fiona is quiet. All green people are furry. If Erin is rough then Erin is green. Furry people are red.\n\nQuestion: Erin is not red.", + "answer": false, + "QDep": 3, + "original_theory": "Erin is rough. Erin is white. Fiona is quiet. All green people are furry. If Erin is rough then Erin is green. Furry people are red.", + "original_question": "Erin is not red." + }, + { + "id": "AttNoneg-OWA-D3-30", + "question": "Erin is blue. Erin is smart. Erin is young. All blue people are cold. If someone is cold then they are red. If Erin is blue and Erin is red then Erin is quiet.\n\nQuestion: Erin is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "Erin is blue. Erin is smart. Erin is young. All blue people are cold. If someone is cold then they are red. If Erin is blue and Erin is red then Erin is quiet.", + "original_question": "Erin is not blue." + }, + { + "id": "AttPos-OWA-ElectricityRB4-63", + "question": "The battery is flat. The switch is on. The wire is metal. The circuit includes the bell. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The switch is not on.", + "answer": false, + "QDep": 0, + "original_theory": "The battery is flat. The switch is on. The wire is metal. The circuit includes the bell. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The switch is not on." + }, + { + "id": "AttNoneg-OWA-D0-5742", + "question": "Bob is nice. Bob is rough. Dave is furry. Dave is green. Dave is kind. Harry is big. Harry is furry. Harry is green. Harry is kind. Harry is nice. Harry is rough. Harry is smart. Smart, furry things are rough. If Dave is big and Dave is green then Dave is kind.\n\nQuestion: Harry is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is nice. Bob is rough. Dave is furry. Dave is green. Dave is kind. Harry is big. Harry is furry. Harry is green. Harry is kind. Harry is nice. Harry is rough. Harry is smart. Smart, furry things are rough. If Dave is big and Dave is green then Dave is kind.", + "original_question": "Harry is not nice." + }, + { + "id": "AttNeg-OWA-D0-5790", + "question": "Anne is big. Anne is blue. Anne is furry. Anne is green. Anne is not nice. Anne is not rough. Anne is young. All green, big people are furry. If someone is blue and not young then they are nice.\n\nQuestion: Anne is not rough.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is big. Anne is blue. Anne is furry. Anne is green. Anne is not nice. Anne is not rough. Anne is young. All green, big people are furry. If someone is blue and not young then they are nice.", + "original_question": "Anne is not rough." + }, + { + "id": "AttNeg-OWA-D3-536", + "question": "Anne is nice. Anne is rough. Anne is white. Dave is big. Dave is young. Gary is big. Gary is white. All nice, white things are big. If something is big then it is nice. If Dave is nice and Dave is not young then Dave is blue. Nice things are rough. All young things are not kind. All rough things are blue. All young things are blue. If something is young and not big then it is blue.\n\nQuestion: Dave is not big.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is nice. Anne is rough. Anne is white. Dave is big. Dave is young. Gary is big. Gary is white. All nice, white things are big. If something is big then it is nice. If Dave is nice and Dave is not young then Dave is blue. Nice things are rough. All young things are not kind. All rough things are blue. All young things are blue. If something is young and not big then it is blue.", + "original_question": "Dave is not big." + }, + { + "id": "RelNoneg-OWA-D3-1502", + "question": "The dog is young. The dog likes the squirrel. The lion eats the dog. The lion likes the dog. The squirrel chases the dog. The squirrel eats the lion. The squirrel likes the lion. If something is young and it eats the dog then the dog is rough. If something is cold then it is young. If something likes the squirrel then it eats the dog. If the squirrel eats the lion and the lion is cold then the squirrel eats the dog. Rough things are cold. If something likes the lion then it chases the squirrel. If the squirrel likes the dog then the dog chases the lion. If something likes the lion then it likes the squirrel.\n\nQuestion: The squirrel does not like the squirrel.", + "answer": false, + "QDep": 1, + "original_theory": "The dog is young. The dog likes the squirrel. The lion eats the dog. The lion likes the dog. The squirrel chases the dog. The squirrel eats the lion. The squirrel likes the lion. If something is young and it eats the dog then the dog is rough. If something is cold then it is young. If something likes the squirrel then it eats the dog. If the squirrel eats the lion and the lion is cold then the squirrel eats the dog. Rough things are cold. If something likes the lion then it chases the squirrel. If the squirrel likes the dog then the dog chases the lion. If something likes the lion then it likes the squirrel.", + "original_question": "The squirrel does not like the squirrel." + }, + { + "id": "AttNonegNatLang-OWA-66", + "question": "Dave is a kind person and he is also often cold. For being so cold, it's good Eric can remain nice. Fred may be round, but he is also kind. Young Harry here is always rough but nice and yes he is big. Nice, young red people will also turn out to always be green. All young and kind people that feel blue are described as red. Big, young people with green color are rather rough. People with big smiles and round eyes will have red hair. A person that is very big and also the color red they will also be blue. A young person who is big and rough and big is also usually round.\n\nQuestion: Harry is not round.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is a kind person and he is also often cold. For being so cold, it's good Eric can remain nice. Fred may be round, but he is also kind. Young Harry here is always rough but nice and yes he is big. Nice, young red people will also turn out to always be green. All young and kind people that feel blue are described as red. Big, young people with green color are rather rough. People with big smiles and round eyes will have red hair. A person that is very big and also the color red they will also be blue. A young person who is big and rough and big is also usually round.", + "original_question": "Harry is not round." + }, + { + "id": "AttNoneg-OWA-D3-1301", + "question": "Bob is cold. Charlie is nice. Dave is smart. All nice, smart things are rough. Big things are cold. All red, rough things are big. Rough, nice things are red. If something is big and rough then it is green. All nice things are green. All nice things are big. Cold, big things are red.\n\nQuestion: Bob is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is cold. Charlie is nice. Dave is smart. All nice, smart things are rough. Big things are cold. All red, rough things are big. Rough, nice things are red. If something is big and rough then it is green. All nice things are green. All nice things are big. Cold, big things are red.", + "original_question": "Bob is not cold." + }, + { + "id": "AttNoneg-OWA-D1-1250", + "question": "Fiona is big. Fiona is blue. Fiona is rough. Fiona is round. Harry is blue. Harry is kind. Harry is quiet. If something is kind then it is round.\n\nQuestion: Fiona is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "Fiona is big. Fiona is blue. Fiona is rough. Fiona is round. Harry is blue. Harry is kind. Harry is quiet. If something is kind then it is round.", + "original_question": "Fiona is not blue." + }, + { + "id": "RelNeg-OWA-D3-1043", + "question": "The bear does not visit the tiger. The cow is young. The tiger visits the cow. If the cow is red then the cow likes the tiger. If someone needs the cow then they need the tiger. If someone visits the cow then the cow visits the bear. If someone is blue and young then they like the cow. If someone visits the bear then the bear needs the cow. If someone likes the tiger and they are not young then the tiger is not red.\n\nQuestion: The cow is not young.", + "answer": false, + "QDep": 0, + "original_theory": "The bear does not visit the tiger. The cow is young. The tiger visits the cow. If the cow is red then the cow likes the tiger. If someone needs the cow then they need the tiger. If someone visits the cow then the cow visits the bear. If someone is blue and young then they like the cow. If someone visits the bear then the bear needs the cow. If someone likes the tiger and they are not young then the tiger is not red.", + "original_question": "The cow is not young." + }, + { + "id": "AttNoneg-OWA-D1-896", + "question": "Erin is red. Fiona is quiet. Harry is red. If Erin is big then Erin is red. Furry, smart people are big. If someone is quiet then they are furry.\n\nQuestion: Fiona is not furry.", + "answer": false, + "QDep": 1, + "original_theory": "Erin is red. Fiona is quiet. Harry is red. If Erin is big then Erin is red. Furry, smart people are big. If someone is quiet then they are furry.", + "original_question": "Fiona is not furry." + }, + { + "id": "AttNonegNatLang-OWA-75", + "question": "Big rough Alan is round and rather green. Green, big and red are qualities which all describe Charlie. That guy Dave sure is nice. Fred can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Young round people who are green are usually blue. Rough and big people are always also cold people. I've noticed that nice people who have rough, green skin have a tendancy to be round. A nice, green, big person is also sure to be a red person. Anyone feeling cold is bound to act nice. People who are round and behave in a cold way are surely blue.\n\nQuestion: Alan is not red.", + "answer": false, + "QDep": 3, + "original_theory": "Big rough Alan is round and rather green. Green, big and red are qualities which all describe Charlie. That guy Dave sure is nice. Fred can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Young round people who are green are usually blue. Rough and big people are always also cold people. I've noticed that nice people who have rough, green skin have a tendancy to be round. A nice, green, big person is also sure to be a red person. Anyone feeling cold is bound to act nice. People who are round and behave in a cold way are surely blue.", + "original_question": "Alan is not red." + }, + { + "id": "RelNeg-OWA-D0-2906", + "question": "The lion chases the rabbit. The lion is not big. The lion is cold. The lion is red. The lion likes the rabbit. The lion sees the rabbit. The rabbit chases the lion. The rabbit is not cold. The rabbit is kind. The rabbit is not red. The rabbit likes the lion. The rabbit sees the lion. If someone chases the lion and they chase the rabbit then they see the rabbit. If someone sees the rabbit and they do not chase the lion then the lion chases the rabbit. If someone likes the lion and the lion is big then the lion chases the rabbit. If someone sees the rabbit then the rabbit is not big. If someone is cold then they like the lion. If someone likes the lion and they do not chase the rabbit then the rabbit sees the lion.\n\nQuestion: The rabbit sees the lion.", + "answer": true, + "QDep": 0, + "original_theory": "The lion chases the rabbit. The lion is not big. The lion is cold. The lion is red. The lion likes the rabbit. The lion sees the rabbit. The rabbit chases the lion. The rabbit is not cold. The rabbit is kind. The rabbit is not red. The rabbit likes the lion. The rabbit sees the lion. If someone chases the lion and they chase the rabbit then they see the rabbit. If someone sees the rabbit and they do not chase the lion then the lion chases the rabbit. If someone likes the lion and the lion is big then the lion chases the rabbit. If someone sees the rabbit then the rabbit is not big. If someone is cold then they like the lion. If someone likes the lion and they do not chase the rabbit then the rabbit sees the lion.", + "original_question": "The rabbit sees the lion." + }, + { + "id": "AttNoneg-OWA-D1-112", + "question": "Dave is young. Erin is rough. Young things are furry.\n\nQuestion: Dave is not furry.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is young. Erin is rough. Young things are furry.", + "original_question": "Dave is not furry." + }, + { + "id": "AttNoneg-OWA-D1-697", + "question": "Bob is young. Young people are nice. If someone is kind then they are young.\n\nQuestion: Bob is not young.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is young. Young people are nice. If someone is kind then they are young.", + "original_question": "Bob is not young." + }, + { + "id": "RelNoneg-OWA-D2-591", + "question": "The cat is blue. The cat is kind. The lion is big. The lion is blue. The lion is kind. The lion sees the tiger. The squirrel is round. The squirrel is young. The squirrel needs the cat. The squirrel sees the lion. The tiger is blue. The tiger is kind. The tiger needs the lion. The tiger needs the squirrel. The tiger sees the squirrel. The tiger visits the lion. If someone is blue then they are big. If someone needs the lion and the lion is blue then the lion visits the tiger. If someone visits the tiger and they are blue then they see the lion. If the cat needs the lion then the lion needs the cat. If someone sees the cat then they are round. If someone sees the tiger then they visit the cat.\n\nQuestion: The lion sees the lion.", + "answer": true, + "QDep": 2, + "original_theory": "The cat is blue. The cat is kind. The lion is big. The lion is blue. The lion is kind. The lion sees the tiger. The squirrel is round. The squirrel is young. The squirrel needs the cat. The squirrel sees the lion. The tiger is blue. The tiger is kind. The tiger needs the lion. The tiger needs the squirrel. The tiger sees the squirrel. The tiger visits the lion. If someone is blue then they are big. If someone needs the lion and the lion is blue then the lion visits the tiger. If someone visits the tiger and they are blue then they see the lion. If the cat needs the lion then the lion needs the cat. If someone sees the cat then they are round. If someone sees the tiger then they visit the cat.", + "original_question": "The lion sees the lion." + }, + { + "id": "AttNoneg-OWA-D2-273", + "question": "Bob is red. Bob is rough. Charlie is smart. All big things are blue. If Charlie is big then Charlie is rough. If Bob is kind and Bob is big then Bob is young. If Bob is young then Bob is big. All blue things are young. If something is red then it is blue. All smart things are kind. If Charlie is smart then Charlie is kind.\n\nQuestion: Charlie is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is red. Bob is rough. Charlie is smart. All big things are blue. If Charlie is big then Charlie is rough. If Bob is kind and Bob is big then Bob is young. If Bob is young then Bob is big. All blue things are young. If something is red then it is blue. All smart things are kind. If Charlie is smart then Charlie is kind.", + "original_question": "Charlie is not smart." + }, + { + "id": "RelNoneg-OWA-D1-1595", + "question": "The bald eagle chases the mouse. The bald eagle chases the rabbit. The bald eagle eats the rabbit. The bald eagle is blue. The bald eagle is kind. The bald eagle is round. The bald eagle sees the mouse. The bald eagle sees the rabbit. The mouse chases the bald eagle. The mouse eats the bald eagle. The rabbit chases the bald eagle. The rabbit eats the bald eagle. The rabbit eats the mouse. The rabbit is blue. The rabbit sees the bald eagle. The rabbit sees the mouse. If something chases the mouse then the mouse chases the bald eagle. If something is round then it chases the rabbit. If something sees the mouse then it chases the bald eagle. If the rabbit chases the bald eagle then the rabbit eats the mouse. If something sees the mouse and it sees the rabbit then the rabbit chases the mouse. If something eats the bald eagle and the bald eagle sees the mouse then the bald eagle is blue. If something chases the rabbit and the rabbit is red then the rabbit eats the mouse. If something eats the bald eagle then the bald eagle eats the mouse.\n\nQuestion: The bald eagle eats the mouse.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle chases the mouse. The bald eagle chases the rabbit. The bald eagle eats the rabbit. The bald eagle is blue. The bald eagle is kind. The bald eagle is round. The bald eagle sees the mouse. The bald eagle sees the rabbit. The mouse chases the bald eagle. The mouse eats the bald eagle. The rabbit chases the bald eagle. The rabbit eats the bald eagle. The rabbit eats the mouse. The rabbit is blue. The rabbit sees the bald eagle. The rabbit sees the mouse. If something chases the mouse then the mouse chases the bald eagle. If something is round then it chases the rabbit. If something sees the mouse then it chases the bald eagle. If the rabbit chases the bald eagle then the rabbit eats the mouse. If something sees the mouse and it sees the rabbit then the rabbit chases the mouse. If something eats the bald eagle and the bald eagle sees the mouse then the bald eagle is blue. If something chases the rabbit and the rabbit is red then the rabbit eats the mouse. If something eats the bald eagle then the bald eagle eats the mouse.", + "original_question": "The bald eagle eats the mouse." + }, + { + "id": "RelNeg-OWA-D0-4543", + "question": "The bear does not chase the cow. The bear chases the dog. The bear is blue. The bear is not green. The bear visits the dog. The cow is not young. The cow does not visit the dog. The dog does not need the tiger. The dog visits the bear. The tiger visits the dog. If something chases the tiger then it is young. If something visits the dog and it is not big then it is rough. If something visits the cow and it is not young then it visits the tiger.\n\nQuestion: The dog does not need the tiger.", + "answer": true, + "QDep": 0, + "original_theory": "The bear does not chase the cow. The bear chases the dog. The bear is blue. The bear is not green. The bear visits the dog. The cow is not young. The cow does not visit the dog. The dog does not need the tiger. The dog visits the bear. The tiger visits the dog. If something chases the tiger then it is young. If something visits the dog and it is not big then it is rough. If something visits the cow and it is not young then it visits the tiger.", + "original_question": "The dog does not need the tiger." + }, + { + "id": "AttNonegNatLang-OWA-467", + "question": "Bob is kind. He is also very cold and blue. Look, we know Dave is young and rough. We have to accept he's also red, nice, cold, and blue. After Harry got wet in the rain, he feels cold. He also looks green but big. Rough, cold people are blue. If a person happens to be big kind and red at the same time they are a young person. A kind person will certainly be rough as well. Do not fear big cold people for they are often kind. A person who is rough and young while being kind tends to be red.\n\nQuestion: Harry is blue.", + "answer": true, + "QDep": 3, + "original_theory": "Bob is kind. He is also very cold and blue. Look, we know Dave is young and rough. We have to accept he's also red, nice, cold, and blue. After Harry got wet in the rain, he feels cold. He also looks green but big. Rough, cold people are blue. If a person happens to be big kind and red at the same time they are a young person. A kind person will certainly be rough as well. Do not fear big cold people for they are often kind. A person who is rough and young while being kind tends to be red.", + "original_question": "Harry is blue." + }, + { + "id": "AttNoneg-OWA-D0-1522", + "question": "Anne is big. Anne is furry. Anne is red. Anne is young. Gary is young. Harry is red. Harry is rough. Young things are red. Cold, blue things are rough. Red things are furry. If Anne is red then Anne is cold. If something is big and cold then it is red. If something is blue and rough then it is cold. Young things are cold. Young things are blue.\n\nQuestion: Harry is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is big. Anne is furry. Anne is red. Anne is young. Gary is young. Harry is red. Harry is rough. Young things are red. Cold, blue things are rough. Red things are furry. If Anne is red then Anne is cold. If something is big and cold then it is red. If something is blue and rough then it is cold. Young things are cold. Young things are blue.", + "original_question": "Harry is not rough." + }, + { + "id": "AttNoneg-OWA-D3-1126", + "question": "Charlie is white. Erin is furry. Harry is rough. All smart, round things are white. White things are quiet. If something is furry then it is white. If something is quiet then it is round. If something is furry and round then it is rough. Round, furry things are smart.\n\nQuestion: Charlie is round.", + "answer": true, + "QDep": 2, + "original_theory": "Charlie is white. Erin is furry. Harry is rough. All smart, round things are white. White things are quiet. If something is furry then it is white. If something is quiet then it is round. If something is furry and round then it is rough. Round, furry things are smart.", + "original_question": "Charlie is round." + }, + { + "id": "AttNoneg-OWA-D2-2069", + "question": "Dave is nice. Dave is quiet. Dave is red. Dave is rough. Dave is smart. Dave is white. Erin is nice. Erin is red. Erin is rough. Erin is white. Harry is nice. Harry is red. If something is rough and nice then it is white. If Harry is red and Harry is smart then Harry is rough. If something is red then it is smart. If something is young and rough then it is quiet. Smart things are rough. White, quiet things are red.\n\nQuestion: Erin is not smart.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is nice. Dave is quiet. Dave is red. Dave is rough. Dave is smart. Dave is white. Erin is nice. Erin is red. Erin is rough. Erin is white. Harry is nice. Harry is red. If something is rough and nice then it is white. If Harry is red and Harry is smart then Harry is rough. If something is red then it is smart. If something is young and rough then it is quiet. Smart things are rough. White, quiet things are red.", + "original_question": "Erin is not smart." + }, + { + "id": "RelNoneg-OWA-D2-1146", + "question": "The bald eagle sees the bear. The bald eagle sees the rabbit. The bear chases the bald eagle. The bear chases the rabbit. The bear eats the mouse. The bear is blue. The bear sees the rabbit. The mouse chases the rabbit. The mouse is cold. The mouse is nice. The mouse sees the bear. The mouse sees the rabbit. The rabbit eats the bear. The rabbit eats the mouse. The rabbit sees the bald eagle. If something chases the rabbit then the rabbit eats the bald eagle. If something sees the bear then the bear is red. If something is red then it is big. If something chases the bald eagle and the bald eagle eats the rabbit then the bald eagle is red. Red things are blue. If something eats the rabbit and the rabbit is red then it is blue.\n\nQuestion: The mouse does not chase the rabbit.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle sees the bear. The bald eagle sees the rabbit. The bear chases the bald eagle. The bear chases the rabbit. The bear eats the mouse. The bear is blue. The bear sees the rabbit. The mouse chases the rabbit. The mouse is cold. The mouse is nice. The mouse sees the bear. The mouse sees the rabbit. The rabbit eats the bear. The rabbit eats the mouse. The rabbit sees the bald eagle. If something chases the rabbit then the rabbit eats the bald eagle. If something sees the bear then the bear is red. If something is red then it is big. If something chases the bald eagle and the bald eagle eats the rabbit then the bald eagle is red. Red things are blue. If something eats the rabbit and the rabbit is red then it is blue.", + "original_question": "The mouse does not chase the rabbit." + }, + { + "id": "RelNoneg-OWA-D3-777", + "question": "The cow is red. The cow likes the dog. The dog chases the cow. The tiger chases the dog. The tiger likes the cow. The tiger likes the dog. The tiger sees the dog. If something is young then it chases the cow. If something chases the dog then it sees the cow. If the tiger is blue and the tiger sees the dog then the dog likes the tiger. If the cow likes the tiger and the tiger likes the cow then the tiger sees the cow. If something sees the cow then the cow chases the dog. If something likes the cow then it likes the dog. If something sees the dog then the dog likes the tiger. If something sees the cow then the cow sees the dog.\n\nQuestion: The tiger does not see the cow.", + "answer": false, + "QDep": 1, + "original_theory": "The cow is red. The cow likes the dog. The dog chases the cow. The tiger chases the dog. The tiger likes the cow. The tiger likes the dog. The tiger sees the dog. If something is young then it chases the cow. If something chases the dog then it sees the cow. If the tiger is blue and the tiger sees the dog then the dog likes the tiger. If the cow likes the tiger and the tiger likes the cow then the tiger sees the cow. If something sees the cow then the cow chases the dog. If something likes the cow then it likes the dog. If something sees the dog then the dog likes the tiger. If something sees the cow then the cow sees the dog.", + "original_question": "The tiger does not see the cow." + }, + { + "id": "AttNoneg-OWA-D3-1895", + "question": "Erin is cold. Fiona is smart. If something is cold then it is rough. All rough things are red. Red things are kind. All cold things are blue. If Fiona is cold then Fiona is big. All rough, blue things are red. If something is blue and smart then it is red. Kind things are blue.\n\nQuestion: Erin is red.", + "answer": true, + "QDep": 2, + "original_theory": "Erin is cold. Fiona is smart. If something is cold then it is rough. All rough things are red. Red things are kind. All cold things are blue. If Fiona is cold then Fiona is big. All rough, blue things are red. If something is blue and smart then it is red. Kind things are blue.", + "original_question": "Erin is red." + }, + { + "id": "AttNeg-OWA-D3-498", + "question": "Dave is furry. Dave is not kind. Dave is nice. Dave is rough. Dave is young. Erin is furry. Erin is not kind. Erin is nice. Erin is round. Erin is young. Fiona is furry. Fiona is white. If Fiona is not furry then Fiona is young. If Fiona is rough and Fiona is kind then Fiona is young. White, round people are rough. White, nice people are not kind. If someone is round and not furry then they are not nice. If someone is white then they are round. If Fiona is rough then Fiona is kind. If Erin is not kind then Erin is rough.\n\nQuestion: Fiona is not rough.", + "answer": false, + "QDep": 2, + "original_theory": "Dave is furry. Dave is not kind. Dave is nice. Dave is rough. Dave is young. Erin is furry. Erin is not kind. Erin is nice. Erin is round. Erin is young. Fiona is furry. Fiona is white. If Fiona is not furry then Fiona is young. If Fiona is rough and Fiona is kind then Fiona is young. White, round people are rough. White, nice people are not kind. If someone is round and not furry then they are not nice. If someone is white then they are round. If Fiona is rough then Fiona is kind. If Erin is not kind then Erin is rough.", + "original_question": "Fiona is not rough." + }, + { + "id": "AttNeg-OWA-D3-363", + "question": "Bob is kind. Bob is nice. Bob is smart. Dave is kind. Erin is green. Erin is kind. Erin is quiet. Erin is smart. Harry is quiet. Harry is smart. If Dave is kind and Dave is quiet then Dave is smart. If Bob is round and Bob is not green then Bob is quiet. All smart people are kind. Smart, quiet people are nice. Kind people are quiet. If Harry is not kind and Harry is not smart then Harry is red. If someone is kind and not quiet then they are red. Smart, round people are red.\n\nQuestion: Bob is not quiet.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is kind. Bob is nice. Bob is smart. Dave is kind. Erin is green. Erin is kind. Erin is quiet. Erin is smart. Harry is quiet. Harry is smart. If Dave is kind and Dave is quiet then Dave is smart. If Bob is round and Bob is not green then Bob is quiet. All smart people are kind. Smart, quiet people are nice. Kind people are quiet. If Harry is not kind and Harry is not smart then Harry is red. If someone is kind and not quiet then they are red. Smart, round people are red.", + "original_question": "Bob is not quiet." + }, + { + "id": "AttNoneg-OWA-D3-1107", + "question": "Anne is big. Anne is cold. Anne is red. Anne is white. Anne is young. Bob is white. Erin is cold. Fiona is big. Fiona is nice. Fiona is red. If someone is cold then they are young. If someone is red and cold then they are big. If someone is furry then they are cold. If someone is nice then they are furry. If someone is big and nice then they are furry. All big people are nice.\n\nQuestion: Fiona is young.", + "answer": true, + "QDep": 3, + "original_theory": "Anne is big. Anne is cold. Anne is red. Anne is white. Anne is young. Bob is white. Erin is cold. Fiona is big. Fiona is nice. Fiona is red. If someone is cold then they are young. If someone is red and cold then they are big. If someone is furry then they are cold. If someone is nice then they are furry. If someone is big and nice then they are furry. All big people are nice.", + "original_question": "Fiona is young." + }, + { + "id": "RelNoneg-OWA-D0-2697", + "question": "The bald eagle likes the cat. The cat likes the squirrel. The mouse likes the bald eagle. The squirrel chases the bald eagle. If the bald eagle chases the cat then the cat chases the mouse. If someone likes the cat and the cat likes the squirrel then they need the mouse.\n\nQuestion: The bald eagle does not like the cat.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle likes the cat. The cat likes the squirrel. The mouse likes the bald eagle. The squirrel chases the bald eagle. If the bald eagle chases the cat then the cat chases the mouse. If someone likes the cat and the cat likes the squirrel then they need the mouse.", + "original_question": "The bald eagle does not like the cat." + }, + { + "id": "AttNonegNatLang-OWA-175", + "question": "Alan is rather round shaped nice fellow who is feeling blue and looking green today. Charlie seems to be round. Eric seems to be round. No one knows Harry like me and he is a kind guy, very round in the belly and green as grass. Round people who feel blue and are green in color are often young in age. Every time you meet someone kind and nice, they'll be green, too. Young people who are cold and blue are actually kind. Rough people who are kind and green with envy are red with their toughened skin. When green, young and round fits a person, you'll see that rough will also fit. Anyone rough in texture and young in age is a cold person. Most young kind people tend to be red too.\n\nQuestion: Alan is not young.", + "answer": false, + "QDep": 1, + "original_theory": "Alan is rather round shaped nice fellow who is feeling blue and looking green today. Charlie seems to be round. Eric seems to be round. No one knows Harry like me and he is a kind guy, very round in the belly and green as grass. Round people who feel blue and are green in color are often young in age. Every time you meet someone kind and nice, they'll be green, too. Young people who are cold and blue are actually kind. Rough people who are kind and green with envy are red with their toughened skin. When green, young and round fits a person, you'll see that rough will also fit. Anyone rough in texture and young in age is a cold person. Most young kind people tend to be red too.", + "original_question": "Alan is not young." + }, + { + "id": "RelNoneg-OWA-D5-1041", + "question": "The cat is blue. The cat is green. The cat likes the lion. The cat sees the cow. The cow eats the lion. The cow likes the rabbit. The cow sees the lion. The lion likes the rabbit. The rabbit eats the cat. The rabbit eats the cow. The rabbit sees the lion. If something is round then it eats the rabbit. If something is green and it eats the rabbit then the rabbit eats the cat. If something sees the lion then it is blue. If something likes the cow then the cow sees the cat. If something is blue and it sees the lion then it is round. If something is cold then it sees the cat. If something eats the rabbit then it is cold.\n\nQuestion: The rabbit is blue.", + "answer": true, + "QDep": 1, + "original_theory": "The cat is blue. The cat is green. The cat likes the lion. The cat sees the cow. The cow eats the lion. The cow likes the rabbit. The cow sees the lion. The lion likes the rabbit. The rabbit eats the cat. The rabbit eats the cow. The rabbit sees the lion. If something is round then it eats the rabbit. If something is green and it eats the rabbit then the rabbit eats the cat. If something sees the lion then it is blue. If something likes the cow then the cow sees the cat. If something is blue and it sees the lion then it is round. If something is cold then it sees the cat. If something eats the rabbit then it is cold.", + "original_question": "The rabbit is blue." + }, + { + "id": "RelNoneg-OWA-D5-701", + "question": "The bald eagle chases the rabbit. The bald eagle likes the rabbit. The bald eagle likes the tiger. The bald eagle sees the rabbit. The mouse chases the bald eagle. The mouse chases the tiger. The mouse likes the rabbit. The mouse sees the bald eagle. The rabbit chases the tiger. The rabbit is big. The rabbit is red. The rabbit likes the mouse. The rabbit likes the tiger. The tiger likes the bald eagle. If something likes the tiger then it sees the tiger. If something likes the rabbit and the rabbit is rough then the rabbit chases the bald eagle. If the tiger is rough and the tiger likes the mouse then the mouse likes the bald eagle. If something likes the bald eagle and the bald eagle is kind then the bald eagle sees the mouse. If the mouse sees the bald eagle then the mouse likes the rabbit. If something is kind and it likes the bald eagle then the bald eagle likes the tiger. If something likes the bald eagle then it is kind. If something sees the tiger then it is rough. If something is rough then it likes the bald eagle.\n\nQuestion: The bald eagle does not see the mouse.", + "answer": false, + "QDep": 5, + "original_theory": "The bald eagle chases the rabbit. The bald eagle likes the rabbit. The bald eagle likes the tiger. The bald eagle sees the rabbit. The mouse chases the bald eagle. The mouse chases the tiger. The mouse likes the rabbit. The mouse sees the bald eagle. The rabbit chases the tiger. The rabbit is big. The rabbit is red. The rabbit likes the mouse. The rabbit likes the tiger. The tiger likes the bald eagle. If something likes the tiger then it sees the tiger. If something likes the rabbit and the rabbit is rough then the rabbit chases the bald eagle. If the tiger is rough and the tiger likes the mouse then the mouse likes the bald eagle. If something likes the bald eagle and the bald eagle is kind then the bald eagle sees the mouse. If the mouse sees the bald eagle then the mouse likes the rabbit. If something is kind and it likes the bald eagle then the bald eagle likes the tiger. If something likes the bald eagle then it is kind. If something sees the tiger then it is rough. If something is rough then it likes the bald eagle.", + "original_question": "The bald eagle does not see the mouse." + }, + { + "id": "RelNoneg-OWA-D5-948", + "question": "The dog is red. The dog likes the mouse. The dog visits the tiger. The lion visits the dog. The lion visits the tiger. The mouse chases the tiger. The mouse is green. The mouse visits the dog. The tiger chases the lion. The tiger is nice. The tiger visits the dog. If something chases the dog then it visits the lion. If the dog is cold then the dog likes the tiger. If something likes the tiger then the tiger likes the mouse. If something is nice then it visits the tiger. If something likes the lion and the lion is green then it is blue. If something is cold then it likes the lion. If something visits the tiger then it visits the mouse. If something visits the tiger then the tiger chases the mouse. If something likes the mouse then it is cold.\n\nQuestion: The tiger likes the mouse.", + "answer": true, + "QDep": 3, + "original_theory": "The dog is red. The dog likes the mouse. The dog visits the tiger. The lion visits the dog. The lion visits the tiger. The mouse chases the tiger. The mouse is green. The mouse visits the dog. The tiger chases the lion. The tiger is nice. The tiger visits the dog. If something chases the dog then it visits the lion. If the dog is cold then the dog likes the tiger. If something likes the tiger then the tiger likes the mouse. If something is nice then it visits the tiger. If something likes the lion and the lion is green then it is blue. If something is cold then it likes the lion. If something visits the tiger then it visits the mouse. If something visits the tiger then the tiger chases the mouse. If something likes the mouse then it is cold.", + "original_question": "The tiger likes the mouse." + }, + { + "id": "AttNoneg-OWA-D2-2203", + "question": "Charlie is quiet. Charlie is rough. Charlie is young. Harry is blue. Harry is quiet. Harry is red. Harry is rough. If someone is red and quiet then they are kind. If someone is quiet then they are red.\n\nQuestion: Charlie is not kind.", + "answer": false, + "QDep": 2, + "original_theory": "Charlie is quiet. Charlie is rough. Charlie is young. Harry is blue. Harry is quiet. Harry is red. Harry is rough. If someone is red and quiet then they are kind. If someone is quiet then they are red.", + "original_question": "Charlie is not kind." + }, + { + "id": "AttNoneg-OWA-D3-744", + "question": "Charlie is furry. Charlie is rough. Charlie is white. Charlie is young. Fiona is nice. Fiona is red. Fiona is round. Fiona is white. Fiona is young. Harry is nice. Harry is red. Harry is round. All young, white things are rough. All round things are white. All white things are young.\n\nQuestion: Harry is not young.", + "answer": false, + "QDep": 2, + "original_theory": "Charlie is furry. Charlie is rough. Charlie is white. Charlie is young. Fiona is nice. Fiona is red. Fiona is round. Fiona is white. Fiona is young. Harry is nice. Harry is red. Harry is round. All young, white things are rough. All round things are white. All white things are young.", + "original_question": "Harry is not young." + }, + { + "id": "AttNonegNatLang-OWA-375", + "question": "Alan seems to be round. Rough and round Bob is nice and kind and he's also cold. Eric is green because he is young. Eric is also very kind but he can be rough when people make fun of him. Fred is green and cold too. Young, red people are usually quite blue too. Young people who are cold and blue are actually kind. A kind person will certainly be rough as well. Any person who can be red and blue at the same time is cold. Nice people with red and rough skin are green with envy. When you meet and big and nice man, they will be kind to the earth and live green lifestyle. When you run into someone who is rough and green at the same time, they will also be red.\n\nQuestion: Eric is red.", + "answer": true, + "QDep": 1, + "original_theory": "Alan seems to be round. Rough and round Bob is nice and kind and he's also cold. Eric is green because he is young. Eric is also very kind but he can be rough when people make fun of him. Fred is green and cold too. Young, red people are usually quite blue too. Young people who are cold and blue are actually kind. A kind person will certainly be rough as well. Any person who can be red and blue at the same time is cold. Nice people with red and rough skin are green with envy. When you meet and big and nice man, they will be kind to the earth and live green lifestyle. When you run into someone who is rough and green at the same time, they will also be red.", + "original_question": "Eric is red." + }, + { + "id": "AttNeg-OWA-D5-669", + "question": "Bob is blue. Bob is not young. Dave is white. Fiona is green. Fiona is rough. Fiona is smart. Gary is blue. If something is nice then it is smart. Blue, smart things are green. All rough things are nice. Blue things are nice. All green, smart things are rough. Green, smart things are blue. If something is green and not rough then it is white. Rough, green things are not young. If something is smart and not white then it is young.\n\nQuestion: Gary is not young.", + "answer": true, + "QDep": 5, + "original_theory": "Bob is blue. Bob is not young. Dave is white. Fiona is green. Fiona is rough. Fiona is smart. Gary is blue. If something is nice then it is smart. Blue, smart things are green. All rough things are nice. Blue things are nice. All green, smart things are rough. Green, smart things are blue. If something is green and not rough then it is white. Rough, green things are not young. If something is smart and not white then it is young.", + "original_question": "Gary is not young." + }, + { + "id": "AttNoneg-OWA-D3-1682", + "question": "Anne is blue. Anne is furry. Anne is kind. Anne is quiet. Anne is rough. Anne is round. Anne is young. Erin is blue. Erin is quiet. Fiona is kind. Fiona is rough. Fiona is round. Fiona is young. Harry is blue. Harry is round. If someone is rough and furry then they are kind. Furry people are rough. All quiet people are kind. If someone is kind and rough then they are round. If Harry is blue then Harry is young. If someone is quiet then they are furry. All rough people are quiet. All kind people are quiet.\n\nQuestion: Fiona is not quiet.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is blue. Anne is furry. Anne is kind. Anne is quiet. Anne is rough. Anne is round. Anne is young. Erin is blue. Erin is quiet. Fiona is kind. Fiona is rough. Fiona is round. Fiona is young. Harry is blue. Harry is round. If someone is rough and furry then they are kind. Furry people are rough. All quiet people are kind. If someone is kind and rough then they are round. If Harry is blue then Harry is young. If someone is quiet then they are furry. All rough people are quiet. All kind people are quiet.", + "original_question": "Fiona is not quiet." + }, + { + "id": "RelNeg-OWA-D0-1074", + "question": "The lion is rough. The mouse eats the lion. The mouse eats the rabbit. The mouse is blue. The mouse is nice. The mouse does not visit the lion. The mouse visits the rabbit. The rabbit eats the mouse. The rabbit is nice. The rabbit is young. The rabbit needs the lion. The rabbit needs the mouse. If something needs the rabbit and it is not big then it is young. If the lion does not visit the rabbit then the rabbit needs the lion. If something eats the mouse then it needs the mouse.\n\nQuestion: The rabbit does not need the lion.", + "answer": false, + "QDep": 0, + "original_theory": "The lion is rough. The mouse eats the lion. The mouse eats the rabbit. The mouse is blue. The mouse is nice. The mouse does not visit the lion. The mouse visits the rabbit. The rabbit eats the mouse. The rabbit is nice. The rabbit is young. The rabbit needs the lion. The rabbit needs the mouse. If something needs the rabbit and it is not big then it is young. If the lion does not visit the rabbit then the rabbit needs the lion. If something eats the mouse then it needs the mouse.", + "original_question": "The rabbit does not need the lion." + }, + { + "id": "AttNonegNatLang-OWA-121", + "question": "That guy Bob sure is nice. Young Charlie has rough, green skin that is always cold. Charlie is known for being a nice guy. Fred is a cold and round man who has red and green skin. A blue colored person who is nice is a red person. Every single big person is a little green in some areas. If someone has a kind disposition and looks rather round and rough then you'll find that they're actually quite young. A person who is kind and rough and blue is young. A kind person will certainly be rough as well. Blue eyed people, green with sickness and rough around the edges quickly turn red and blush when stepping ashore. Cold and red people are always kind to others.\n\nQuestion: Charlie is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "That guy Bob sure is nice. Young Charlie has rough, green skin that is always cold. Charlie is known for being a nice guy. Fred is a cold and round man who has red and green skin. A blue colored person who is nice is a red person. Every single big person is a little green in some areas. If someone has a kind disposition and looks rather round and rough then you'll find that they're actually quite young. A person who is kind and rough and blue is young. A kind person will certainly be rough as well. Blue eyed people, green with sickness and rough around the edges quickly turn red and blush when stepping ashore. Cold and red people are always kind to others.", + "original_question": "Charlie is not cold." + }, + { + "id": "RelNeg-OWA-D1-343", + "question": "The cat is young. If something is young and not nice then it is cold. Young things are not cold. If something is big and nice then it is cold. If something is nice then it is cold. All round things are not cold. If something is big and not nice then it is not young. Cold things are not young. If the cat is not big then the cat is not round.\n\nQuestion: The cat is not cold.", + "answer": true, + "QDep": 1, + "original_theory": "The cat is young. If something is young and not nice then it is cold. Young things are not cold. If something is big and nice then it is cold. If something is nice then it is cold. All round things are not cold. If something is big and not nice then it is not young. Cold things are not young. If the cat is not big then the cat is not round.", + "original_question": "The cat is not cold." + }, + { + "id": "AttNoneg-OWA-D0-1984", + "question": "Bob is blue. If Bob is big and Bob is kind then Bob is furry. Kind, green people are furry. All blue people are furry. Green people are red. Green people are nice. If someone is red then they are nice. If Bob is nice then Bob is red. All red, nice people are furry.\n\nQuestion: Bob is blue.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is blue. If Bob is big and Bob is kind then Bob is furry. Kind, green people are furry. All blue people are furry. Green people are red. Green people are nice. If someone is red then they are nice. If Bob is nice then Bob is red. All red, nice people are furry.", + "original_question": "Bob is blue." + }, + { + "id": "AttNoneg-OWA-D3-1495", + "question": "Dave is furry. Dave is green. Dave is kind. Dave is nice. Erin is blue. Erin is green. Erin is nice. If something is blue and kind then it is furry. Young, blue things are big. If something is young and furry then it is kind. Young things are blue. If Erin is furry then Erin is young. All furry, kind things are young.\n\nQuestion: Dave is blue.", + "answer": true, + "QDep": 2, + "original_theory": "Dave is furry. Dave is green. Dave is kind. Dave is nice. Erin is blue. Erin is green. Erin is nice. If something is blue and kind then it is furry. Young, blue things are big. If something is young and furry then it is kind. Young things are blue. If Erin is furry then Erin is young. All furry, kind things are young.", + "original_question": "Dave is blue." + }, + { + "id": "AttNoneg-OWA-D2-1591", + "question": "Charlie is big. Charlie is cold. Charlie is green. Charlie is quiet. Charlie is rough. Charlie is round. Dave is big. Dave is blue. Dave is cold. Dave is green. Dave is quiet. Dave is rough. Dave is round. Erin is big. Erin is blue. Erin is round. Quiet, round things are green. All big things are quiet.\n\nQuestion: Erin is quiet.", + "answer": true, + "QDep": 1, + "original_theory": "Charlie is big. Charlie is cold. Charlie is green. Charlie is quiet. Charlie is rough. Charlie is round. Dave is big. Dave is blue. Dave is cold. Dave is green. Dave is quiet. Dave is rough. Dave is round. Erin is big. Erin is blue. Erin is round. Quiet, round things are green. All big things are quiet.", + "original_question": "Erin is quiet." + }, + { + "id": "AttNoneg-OWA-D5-751", + "question": "Bob is cold. Bob is furry. Erin is furry. Erin is kind. Erin is nice. Erin is young. Gary is nice. Gary is young. Harry is furry. Harry is nice. Harry is quiet. Harry is smart. If something is kind and smart then it is nice. If Bob is young then Bob is kind. If something is nice and young then it is quiet. Young, kind things are quiet. If Bob is kind and Bob is smart then Bob is young. Furry things are young. If something is kind and nice then it is cold. All furry, quiet things are smart. Smart, nice things are furry.\n\nQuestion: Harry is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is cold. Bob is furry. Erin is furry. Erin is kind. Erin is nice. Erin is young. Gary is nice. Gary is young. Harry is furry. Harry is nice. Harry is quiet. Harry is smart. If something is kind and smart then it is nice. If Bob is young then Bob is kind. If something is nice and young then it is quiet. Young, kind things are quiet. If Bob is kind and Bob is smart then Bob is young. Furry things are young. If something is kind and nice then it is cold. All furry, quiet things are smart. Smart, nice things are furry.", + "original_question": "Harry is not smart." + }, + { + "id": "AttNoneg-OWA-D5-651", + "question": "Charlie is rough. Erin is nice. Erin is red. Fiona is cold. Fiona is red. Harry is furry. Harry is nice. All furry people are nice. Nice, red people are rough. All nice people are rough. If someone is red and round then they are furry. All big, rough people are round. All red, rough people are big. All cold, furry people are rough. If someone is cold and round then they are red. All furry people are cold.\n\nQuestion: Harry is not nice.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is rough. Erin is nice. Erin is red. Fiona is cold. Fiona is red. Harry is furry. Harry is nice. All furry people are nice. Nice, red people are rough. All nice people are rough. If someone is red and round then they are furry. All big, rough people are round. All red, rough people are big. All cold, furry people are rough. If someone is cold and round then they are red. All furry people are cold.", + "original_question": "Harry is not nice." + }, + { + "id": "AttNoneg-OWA-D1-112", + "question": "Dave is young. Erin is rough. Young things are furry.\n\nQuestion: Dave is furry.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is young. Erin is rough. Young things are furry.", + "original_question": "Dave is furry." + }, + { + "id": "AttNoneg-OWA-D0-3509", + "question": "Bob is cold. Bob is furry. Bob is green. Bob is kind. Bob is quiet. Bob is smart. Bob is white. White people are cold.\n\nQuestion: Bob is green.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is cold. Bob is furry. Bob is green. Bob is kind. Bob is quiet. Bob is smart. Bob is white. White people are cold.", + "original_question": "Bob is green." + }, + { + "id": "AttNoneg-OWA-D3-1338", + "question": "Fiona is big. Fiona is furry. Fiona is quiet. All furry things are nice. If something is quiet and furry then it is rough. If Fiona is big and Fiona is white then Fiona is quiet. If something is white then it is smart. If Fiona is nice then Fiona is big. If Fiona is rough then Fiona is white.\n\nQuestion: Fiona is not rough.", + "answer": false, + "QDep": 1, + "original_theory": "Fiona is big. Fiona is furry. Fiona is quiet. All furry things are nice. If something is quiet and furry then it is rough. If Fiona is big and Fiona is white then Fiona is quiet. If something is white then it is smart. If Fiona is nice then Fiona is big. If Fiona is rough then Fiona is white.", + "original_question": "Fiona is not rough." + }, + { + "id": "RelNoneg-OWA-D2-566", + "question": "The cat likes the squirrel. The squirrel is blue. If something visits the cat and the cat likes the squirrel then the squirrel is kind. If something visits the cat then the cat visits the squirrel. If something likes the cat and the cat is round then the cat visits the squirrel. If something sees the cat then it visits the cat. If something is kind and it visits the cat then the cat likes the squirrel. If something likes the squirrel then it sees the cat.\n\nQuestion: The squirrel is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "The cat likes the squirrel. The squirrel is blue. If something visits the cat and the cat likes the squirrel then the squirrel is kind. If something visits the cat then the cat visits the squirrel. If something likes the cat and the cat is round then the cat visits the squirrel. If something sees the cat then it visits the cat. If something is kind and it visits the cat then the cat likes the squirrel. If something likes the squirrel then it sees the cat.", + "original_question": "The squirrel is not blue." + }, + { + "id": "RelNeg-OWA-D3-1619", + "question": "The cow chases the mouse. The cow is cold. The cow needs the mouse. The cow does not visit the tiger. The mouse chases the cow. The mouse chases the rabbit. The rabbit needs the mouse. The tiger chases the cow. The tiger is nice. The tiger visits the cow. The tiger visits the mouse. The tiger visits the rabbit. If something is nice then it needs the rabbit. If the cow is nice and the cow does not need the mouse then the cow is big. If something needs the cow then the cow visits the mouse. If something chases the tiger then it visits the mouse. If something chases the rabbit then it chases the mouse. If something is big and it chases the tiger then it needs the cow. If something visits the tiger then it is cold. If something needs the rabbit then the rabbit needs the cow.\n\nQuestion: The cow does not need the mouse.", + "answer": false, + "QDep": 0, + "original_theory": "The cow chases the mouse. The cow is cold. The cow needs the mouse. The cow does not visit the tiger. The mouse chases the cow. The mouse chases the rabbit. The rabbit needs the mouse. The tiger chases the cow. The tiger is nice. The tiger visits the cow. The tiger visits the mouse. The tiger visits the rabbit. If something is nice then it needs the rabbit. If the cow is nice and the cow does not need the mouse then the cow is big. If something needs the cow then the cow visits the mouse. If something chases the tiger then it visits the mouse. If something chases the rabbit then it chases the mouse. If something is big and it chases the tiger then it needs the cow. If something visits the tiger then it is cold. If something needs the rabbit then the rabbit needs the cow.", + "original_question": "The cow does not need the mouse." + }, + { + "id": "RelNoneg-OWA-D2-618", + "question": "The bear is young. The bear needs the cat. The cat chases the bear. The cat is big. The cat is kind. The cat is young. The cat needs the cow. The cow chases the bear. The cow chases the squirrel. The cow is nice. The cow is rough. The cow is young. The cow likes the cat. The cow likes the squirrel. The cow needs the cat. The squirrel needs the cat. If someone needs the cat and the cat needs the cow then they are young. If someone chases the squirrel and they chase the cat then the cat needs the squirrel. If someone is young then they are big.\n\nQuestion: The squirrel does not need the cat.", + "answer": false, + "QDep": 0, + "original_theory": "The bear is young. The bear needs the cat. The cat chases the bear. The cat is big. The cat is kind. The cat is young. The cat needs the cow. The cow chases the bear. The cow chases the squirrel. The cow is nice. The cow is rough. The cow is young. The cow likes the cat. The cow likes the squirrel. The cow needs the cat. The squirrel needs the cat. If someone needs the cat and the cat needs the cow then they are young. If someone chases the squirrel and they chase the cat then the cat needs the squirrel. If someone is young then they are big.", + "original_question": "The squirrel does not need the cat." + }, + { + "id": "AttPos-OWA-ElectricityRB4-16", + "question": "The circuit includes the battery. The circuit includes the switch. The switch is on. The wire is metal. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The wire is not conducting.", + "answer": false, + "QDep": 1, + "original_theory": "The circuit includes the battery. The circuit includes the switch. The switch is on. The wire is metal. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The wire is not conducting." + }, + { + "id": "AttNoneg-OWA-D3-484", + "question": "Bob is rough. Dave is rough. Gary is white. Harry is blue. Green things are kind. If something is kind then it is white. All big things are green. If something is white then it is big. If something is big then it is young. If something is rough and green then it is big. If Bob is rough and Bob is white then Bob is kind. Big, blue things are green.\n\nQuestion: Gary is not big.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is rough. Dave is rough. Gary is white. Harry is blue. Green things are kind. If something is kind then it is white. All big things are green. If something is white then it is big. If something is big then it is young. If something is rough and green then it is big. If Bob is rough and Bob is white then Bob is kind. Big, blue things are green.", + "original_question": "Gary is not big." + }, + { + "id": "AttNoneg-OWA-D2-161", + "question": "Anne is furry. Anne is quiet. Anne is round. Anne is smart. Bob is big. Bob is furry. Bob is kind. Bob is quiet. Bob is rough. Bob is round. Bob is smart. Charlie is big. Charlie is kind. Charlie is quiet. Harry is furry. Harry is round. Furry things are rough. All round, kind things are quiet. All kind, quiet things are furry.\n\nQuestion: Bob is not kind.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is furry. Anne is quiet. Anne is round. Anne is smart. Bob is big. Bob is furry. Bob is kind. Bob is quiet. Bob is rough. Bob is round. Bob is smart. Charlie is big. Charlie is kind. Charlie is quiet. Harry is furry. Harry is round. Furry things are rough. All round, kind things are quiet. All kind, quiet things are furry.", + "original_question": "Bob is not kind." + }, + { + "id": "RelNeg-OWA-D1-2637", + "question": "The bald eagle is big. The bald eagle is not young. The bald eagle likes the tiger. The bald eagle visits the dog. The bald eagle visits the tiger. The dog is not rough. The dog is young. The dog likes the lion. The lion eats the dog. The lion likes the tiger. The tiger is nice. The tiger likes the dog. If someone eats the dog then they visit the tiger. If someone is young and nice then they eat the lion. If someone visits the tiger and they do not visit the lion then the lion likes the bald eagle. If someone eats the dog then they are not rough. If someone eats the tiger and the tiger does not visit the lion then the tiger visits the dog. If someone visits the dog and they like the lion then they like the tiger.\n\nQuestion: The lion is rough.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle is big. The bald eagle is not young. The bald eagle likes the tiger. The bald eagle visits the dog. The bald eagle visits the tiger. The dog is not rough. The dog is young. The dog likes the lion. The lion eats the dog. The lion likes the tiger. The tiger is nice. The tiger likes the dog. If someone eats the dog then they visit the tiger. If someone is young and nice then they eat the lion. If someone visits the tiger and they do not visit the lion then the lion likes the bald eagle. If someone eats the dog then they are not rough. If someone eats the tiger and the tiger does not visit the lion then the tiger visits the dog. If someone visits the dog and they like the lion then they like the tiger.", + "original_question": "The lion is rough." + }, + { + "id": "RelNoneg-OWA-D1-1131", + "question": "The bear likes the dog. The bear needs the rabbit. The dog is blue. The dog is green. The dog sees the bear. The dog sees the rabbit. The mouse likes the rabbit. The mouse needs the dog. The mouse sees the dog. The rabbit sees the dog. If the dog likes the rabbit then the dog is young. If something is young then it sees the dog. If something sees the dog and the dog is blue then the dog is young.\n\nQuestion: The dog does not see the bear.", + "answer": false, + "QDep": 0, + "original_theory": "The bear likes the dog. The bear needs the rabbit. The dog is blue. The dog is green. The dog sees the bear. The dog sees the rabbit. The mouse likes the rabbit. The mouse needs the dog. The mouse sees the dog. The rabbit sees the dog. If the dog likes the rabbit then the dog is young. If something is young then it sees the dog. If something sees the dog and the dog is blue then the dog is young.", + "original_question": "The dog does not see the bear." + }, + { + "id": "AttNoneg-OWA-D3-663", + "question": "Anne is red. Charlie is young. All red, young people are smart. If someone is young then they are cold. If Anne is red then Anne is cold. All red people are young. Young, cold people are quiet. All cold, young people are red.\n\nQuestion: Charlie is not young.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is red. Charlie is young. All red, young people are smart. If someone is young then they are cold. If Anne is red then Anne is cold. All red people are young. Young, cold people are quiet. All cold, young people are red.", + "original_question": "Charlie is not young." + }, + { + "id": "RelNoneg-OWA-D3-810", + "question": "The bald eagle chases the lion. The bald eagle is cold. The bald eagle likes the lion. The bald eagle likes the mouse. The bald eagle needs the lion. The lion chases the bald eagle. The lion is big. The lion is rough. The lion needs the mouse. The mouse chases the lion. The mouse is cold. The mouse is kind. The mouse likes the bald eagle. The mouse likes the lion. The mouse needs the lion. If someone is round and they chase the lion then the lion needs the bald eagle. If someone needs the lion and they chase the lion then they like the bald eagle. If someone is rough and kind then they like the mouse. If the bald eagle is cold then the bald eagle is big. If someone is big and they like the mouse then the mouse is round. If the bald eagle needs the lion and the lion is round then the lion chases the bald eagle.\n\nQuestion: The mouse does not like the bald eagle.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle chases the lion. The bald eagle is cold. The bald eagle likes the lion. The bald eagle likes the mouse. The bald eagle needs the lion. The lion chases the bald eagle. The lion is big. The lion is rough. The lion needs the mouse. The mouse chases the lion. The mouse is cold. The mouse is kind. The mouse likes the bald eagle. The mouse likes the lion. The mouse needs the lion. If someone is round and they chase the lion then the lion needs the bald eagle. If someone needs the lion and they chase the lion then they like the bald eagle. If someone is rough and kind then they like the mouse. If the bald eagle is cold then the bald eagle is big. If someone is big and they like the mouse then the mouse is round. If the bald eagle needs the lion and the lion is round then the lion chases the bald eagle.", + "original_question": "The mouse does not like the bald eagle." + }, + { + "id": "RelNeg-OWA-D3-1297", + "question": "The bear chases the cow. The bear chases the tiger. The bear is blue. The bear is kind. The bear visits the cow. The cow chases the tiger. The cow needs the bear. The cow visits the bear. The tiger chases the bear. The tiger does not need the bear. The tiger does not visit the bear. The tiger visits the cow. If something visits the tiger then the tiger is not kind. If something chases the bear and the bear does not chase the cow then the bear needs the tiger. If something needs the tiger then it visits the tiger. If something needs the bear and the bear chases the cow then the cow needs the tiger. If the tiger is rough then the tiger needs the bear. If something is kind and it visits the tiger then the tiger is blue.\n\nQuestion: The cow does not visit the tiger.", + "answer": false, + "QDep": 2, + "original_theory": "The bear chases the cow. The bear chases the tiger. The bear is blue. The bear is kind. The bear visits the cow. The cow chases the tiger. The cow needs the bear. The cow visits the bear. The tiger chases the bear. The tiger does not need the bear. The tiger does not visit the bear. The tiger visits the cow. If something visits the tiger then the tiger is not kind. If something chases the bear and the bear does not chase the cow then the bear needs the tiger. If something needs the tiger then it visits the tiger. If something needs the bear and the bear chases the cow then the cow needs the tiger. If the tiger is rough then the tiger needs the bear. If something is kind and it visits the tiger then the tiger is blue.", + "original_question": "The cow does not visit the tiger." + }, + { + "id": "AttNoneg-OWA-D1-2334", + "question": "Bob is red. Bob is young. Charlie is cold. Charlie is furry. Charlie is green. Charlie is red. Charlie is round. Erin is cold. Erin is green. Erin is red. Erin is round. Erin is smart. All cold people are young. Cold people are furry. If someone is red and young then they are smart. If someone is round then they are furry. Young, smart people are cold. All furry people are red.\n\nQuestion: Erin is not green.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is red. Bob is young. Charlie is cold. Charlie is furry. Charlie is green. Charlie is red. Charlie is round. Erin is cold. Erin is green. Erin is red. Erin is round. Erin is smart. All cold people are young. Cold people are furry. If someone is red and young then they are smart. If someone is round then they are furry. Young, smart people are cold. All furry people are red.", + "original_question": "Erin is not green." + }, + { + "id": "AttNeg-OWA-D3-1470", + "question": "Anne is green. Harry is cold. If Harry is young then Harry is kind. All furry people are kind. If someone is kind and furry then they are cold. If someone is green then they are young. If someone is smart and furry then they are not young. Green people are furry.\n\nQuestion: Anne is not furry.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is green. Harry is cold. If Harry is young then Harry is kind. All furry people are kind. If someone is kind and furry then they are cold. If someone is green then they are young. If someone is smart and furry then they are not young. Green people are furry.", + "original_question": "Anne is not furry." + }, + { + "id": "AttNoneg-OWA-D3-98", + "question": "Dave is big. Dave is cold. Dave is furry. Dave is kind. Dave is nice. Dave is rough. Dave is round. Erin is cold. Erin is furry. Erin is nice. Erin is rough. Fiona is cold. Fiona is furry. Fiona is rough. Fiona is round. Furry, nice things are rough. Round things are furry. All nice, cold things are furry. Kind things are nice. If something is nice then it is big. If something is furry and nice then it is cold. If something is furry then it is kind. If Fiona is cold and Fiona is nice then Fiona is rough.\n\nQuestion: Erin is nice.", + "answer": true, + "QDep": 0, + "original_theory": "Dave is big. Dave is cold. Dave is furry. Dave is kind. Dave is nice. Dave is rough. Dave is round. Erin is cold. Erin is furry. Erin is nice. Erin is rough. Fiona is cold. Fiona is furry. Fiona is rough. Fiona is round. Furry, nice things are rough. Round things are furry. All nice, cold things are furry. Kind things are nice. If something is nice then it is big. If something is furry and nice then it is cold. If something is furry then it is kind. If Fiona is cold and Fiona is nice then Fiona is rough.", + "original_question": "Erin is nice." + }, + { + "id": "AttNoneg-OWA-D1-2300", + "question": "Anne is furry. Anne is quiet. Anne is round. Anne is white. Dave is green. Dave is quiet. Gary is furry. Gary is green. Gary is quiet. Gary is rough. Gary is round. Gary is smart. If something is furry and white then it is green. White, green things are quiet. If something is green and furry then it is quiet.\n\nQuestion: Anne is furry.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is furry. Anne is quiet. Anne is round. Anne is white. Dave is green. Dave is quiet. Gary is furry. Gary is green. Gary is quiet. Gary is rough. Gary is round. Gary is smart. If something is furry and white then it is green. White, green things are quiet. If something is green and furry then it is quiet.", + "original_question": "Anne is furry." + }, + { + "id": "RelNeg-OWA-D2-265", + "question": "The dog is nice. If something is round and not nice then it is green. If something is kind and big then it is green. All big, kind things are green. All green things are kind. If something is green and kind then it is big. If the dog is green then the dog is kind. If the dog is nice then the dog is green. All nice, kind things are round.\n\nQuestion: The dog is not kind.", + "answer": false, + "QDep": 2, + "original_theory": "The dog is nice. If something is round and not nice then it is green. If something is kind and big then it is green. All big, kind things are green. All green things are kind. If something is green and kind then it is big. If the dog is green then the dog is kind. If the dog is nice then the dog is green. All nice, kind things are round.", + "original_question": "The dog is not kind." + }, + { + "id": "AttNeg-OWA-D5-427", + "question": "Anne is furry. Anne is not green. Anne is white. Charlie is green. Charlie is rough. Gary is blue. Gary is furry. Gary is green. Gary is nice. Gary is round. Gary is white. Harry is nice. Harry is rough. Harry is round. If something is white then it is blue. All furry things are round. Green, rough things are round. Blue things are furry. If Charlie is furry then Charlie is nice. Rough, round things are white.\n\nQuestion: Harry is round.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is furry. Anne is not green. Anne is white. Charlie is green. Charlie is rough. Gary is blue. Gary is furry. Gary is green. Gary is nice. Gary is round. Gary is white. Harry is nice. Harry is rough. Harry is round. If something is white then it is blue. All furry things are round. Green, rough things are round. Blue things are furry. If Charlie is furry then Charlie is nice. Rough, round things are white.", + "original_question": "Harry is round." + }, + { + "id": "AttNoneg-OWA-D3-643", + "question": "Bob is kind. Harry is big. Harry is blue. Round people are green. Blue, kind people are big. If someone is blue and big then they are kind. All red people are kind. If Harry is kind and Harry is green then Harry is cold. All red, kind people are green. If Harry is green and Harry is cold then Harry is blue. All blue, big people are round.\n\nQuestion: Harry is not round.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is kind. Harry is big. Harry is blue. Round people are green. Blue, kind people are big. If someone is blue and big then they are kind. All red people are kind. If Harry is kind and Harry is green then Harry is cold. All red, kind people are green. If Harry is green and Harry is cold then Harry is blue. All blue, big people are round.", + "original_question": "Harry is not round." + }, + { + "id": "AttNoneg-OWA-D1-1897", + "question": "Bob is cold. Charlie is green. Charlie is quiet. Charlie is white. Charlie is young. Gary is quiet. Gary is white. If something is young then it is red. All white things are quiet. Quiet, young things are cold. If Gary is quiet and Gary is green then Gary is young. If something is red then it is green. If Gary is round then Gary is white. White, young things are green. If something is red then it is young.\n\nQuestion: Charlie is green.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is cold. Charlie is green. Charlie is quiet. Charlie is white. Charlie is young. Gary is quiet. Gary is white. If something is young then it is red. All white things are quiet. Quiet, young things are cold. If Gary is quiet and Gary is green then Gary is young. If something is red then it is green. If Gary is round then Gary is white. White, young things are green. If something is red then it is young.", + "original_question": "Charlie is green." + }, + { + "id": "AttNonegNatLang-OWA-150", + "question": "The young person who is always feeling cold is named Bob. Eric, who is relatively young, is also pretty big and tends to be cold. Fred may be young but he is nice, wears green shoes and is cold. Harry may be round, but he is also kind. Young people that are turning blue from being cold will be rough looking. Big people with rough, green skin are cold because of it. Kind people that are round are on the big side. Every person I met that was cold and round was also red. People who are young are also blue. When you run into someone who is rough and green at the same time, they will also be red. A cold blue person who is rough is also kind.\n\nQuestion: Bob is not blue.", + "answer": false, + "QDep": 1, + "original_theory": "The young person who is always feeling cold is named Bob. Eric, who is relatively young, is also pretty big and tends to be cold. Fred may be young but he is nice, wears green shoes and is cold. Harry may be round, but he is also kind. Young people that are turning blue from being cold will be rough looking. Big people with rough, green skin are cold because of it. Kind people that are round are on the big side. Every person I met that was cold and round was also red. People who are young are also blue. When you run into someone who is rough and green at the same time, they will also be red. A cold blue person who is rough is also kind.", + "original_question": "Bob is not blue." + }, + { + "id": "AttNoneg-OWA-D0-6440", + "question": "Anne is kind. Bob is red. Erin is big. If something is red then it is rough. If something is rough and kind then it is big. Blue things are kind. All big, quiet things are rough. If something is kind and red then it is big. Blue, red things are kind.\n\nQuestion: Bob is red.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is kind. Bob is red. Erin is big. If something is red then it is rough. If something is rough and kind then it is big. Blue things are kind. All big, quiet things are rough. If something is kind and red then it is big. Blue, red things are kind.", + "original_question": "Bob is red." + }, + { + "id": "AttNoneg-OWA-D5-577", + "question": "Bob is smart. Bob is young. Charlie is cold. Charlie is round. Charlie is white. Charlie is young. Gary is smart. Gary is white. Harry is rough. Harry is smart. Harry is white. All red people are round. Round, smart people are cold. If someone is cold and young then they are white. Red people are round. All round, young people are red. If someone is smart then they are rough. Rough, young people are red. If Bob is round then Bob is smart. If Charlie is white and Charlie is rough then Charlie is young.\n\nQuestion: Bob is not white.", + "answer": false, + "QDep": 5, + "original_theory": "Bob is smart. Bob is young. Charlie is cold. Charlie is round. Charlie is white. Charlie is young. Gary is smart. Gary is white. Harry is rough. Harry is smart. Harry is white. All red people are round. Round, smart people are cold. If someone is cold and young then they are white. Red people are round. All round, young people are red. If someone is smart then they are rough. Rough, young people are red. If Bob is round then Bob is smart. If Charlie is white and Charlie is rough then Charlie is young.", + "original_question": "Bob is not white." + }, + { + "id": "RelNoneg-OWA-D1-3029", + "question": "The dog eats the tiger. The dog is nice. The lion chases the dog. The lion chases the tiger. The lion eats the tiger. The lion is blue. The lion is cold. The lion likes the dog. The squirrel is blue. The tiger chases the dog. The tiger chases the lion. The tiger chases the squirrel. The tiger eats the dog. The tiger likes the dog. The tiger likes the lion. The tiger likes the squirrel. If someone eats the dog then the dog chases the tiger. If someone chases the squirrel then the squirrel is cold. If the squirrel likes the tiger and the squirrel likes the dog then the squirrel eats the dog. If someone eats the dog and the dog eats the lion then they chase the tiger. If someone is cold and they eat the dog then they are young. If the squirrel is nice then the squirrel likes the dog.\n\nQuestion: The dog does not chase the tiger.", + "answer": false, + "QDep": 1, + "original_theory": "The dog eats the tiger. The dog is nice. The lion chases the dog. The lion chases the tiger. The lion eats the tiger. The lion is blue. The lion is cold. The lion likes the dog. The squirrel is blue. The tiger chases the dog. The tiger chases the lion. The tiger chases the squirrel. The tiger eats the dog. The tiger likes the dog. The tiger likes the lion. The tiger likes the squirrel. If someone eats the dog then the dog chases the tiger. If someone chases the squirrel then the squirrel is cold. If the squirrel likes the tiger and the squirrel likes the dog then the squirrel eats the dog. If someone eats the dog and the dog eats the lion then they chase the tiger. If someone is cold and they eat the dog then they are young. If the squirrel is nice then the squirrel likes the dog.", + "original_question": "The dog does not chase the tiger." + }, + { + "id": "AttNonegNatLang-OWA-405", + "question": "Alan is a cold and round man who has red and green skin. Dave is green to the job, which is why he turned blue from being so cold. Fred seems to be round. A person who is cold and blue is nice. It seems that a cold person who is round and nice will be green. A nice young person who is big can be considered round. You'll always find rough, cold, green people to also be red people. People that are green and big while also being cold are always nice. Count on anyone you meet who is big, round, and red also being kind. A nice person with cold skin is going to be rough.\n\nQuestion: Dave is not nice.", + "answer": false, + "QDep": 1, + "original_theory": "Alan is a cold and round man who has red and green skin. Dave is green to the job, which is why he turned blue from being so cold. Fred seems to be round. A person who is cold and blue is nice. It seems that a cold person who is round and nice will be green. A nice young person who is big can be considered round. You'll always find rough, cold, green people to also be red people. People that are green and big while also being cold are always nice. Count on anyone you meet who is big, round, and red also being kind. A nice person with cold skin is going to be rough.", + "original_question": "Dave is not nice." + }, + { + "id": "AttNoneg-OWA-D0-3509", + "question": "Bob is cold. Bob is furry. Bob is green. Bob is kind. Bob is quiet. Bob is smart. Bob is white. White people are cold.\n\nQuestion: Bob is not kind.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is cold. Bob is furry. Bob is green. Bob is kind. Bob is quiet. Bob is smart. Bob is white. White people are cold.", + "original_question": "Bob is not kind." + }, + { + "id": "RelNeg-OWA-D2-712", + "question": "The bear chases the dog. The dog is big. The dog needs the bear. If someone is cold and they do not need the bear then they do not like the bear. If someone needs the bear then the bear likes the dog. If someone likes the dog then the dog does not like the bear.\n\nQuestion: The dog likes the bear.", + "answer": false, + "QDep": 2, + "original_theory": "The bear chases the dog. The dog is big. The dog needs the bear. If someone is cold and they do not need the bear then they do not like the bear. If someone needs the bear then the bear likes the dog. If someone likes the dog then the dog does not like the bear.", + "original_question": "The dog likes the bear." + }, + { + "id": "AttNoneg-OWA-D3-1107", + "question": "Anne is big. Anne is cold. Anne is red. Anne is white. Anne is young. Bob is white. Erin is cold. Fiona is big. Fiona is nice. Fiona is red. If someone is cold then they are young. If someone is red and cold then they are big. If someone is furry then they are cold. If someone is nice then they are furry. If someone is big and nice then they are furry. All big people are nice.\n\nQuestion: Fiona is not young.", + "answer": false, + "QDep": 3, + "original_theory": "Anne is big. Anne is cold. Anne is red. Anne is white. Anne is young. Bob is white. Erin is cold. Fiona is big. Fiona is nice. Fiona is red. If someone is cold then they are young. If someone is red and cold then they are big. If someone is furry then they are cold. If someone is nice then they are furry. If someone is big and nice then they are furry. All big people are nice.", + "original_question": "Fiona is not young." + }, + { + "id": "AttNonegNatLang-OWA-220", + "question": "Rough and cold that is what they say about Blue Bob. That guy Charlie sure is nice. Dave is kind and nice and looks green. Fred seems to be round. If you meet someone with rough skin who is cold from being outside, you'll notice they are nice. Every time you meet someone kind and nice, they'll be green, too. If someone plays rough and is nice and round, they will be big. Nice, young red people will also turn out to always be green. Most young kind people tend to be red too. A person that is round and somewhat green while being nice tends to be red as well. A nice person is inevitably round as well.\n\nQuestion: Dave is nice.", + "answer": true, + "QDep": 0, + "original_theory": "Rough and cold that is what they say about Blue Bob. That guy Charlie sure is nice. Dave is kind and nice and looks green. Fred seems to be round. If you meet someone with rough skin who is cold from being outside, you'll notice they are nice. Every time you meet someone kind and nice, they'll be green, too. If someone plays rough and is nice and round, they will be big. Nice, young red people will also turn out to always be green. Most young kind people tend to be red too. A person that is round and somewhat green while being nice tends to be red as well. A nice person is inevitably round as well.", + "original_question": "Dave is nice." + }, + { + "id": "RelNoneg-OWA-D2-214", + "question": "The cat chases the rabbit. The cat is kind. The cat is red. The cat is rough. The cat visits the mouse. The mouse chases the cat. The mouse chases the rabbit. The mouse eats the rabbit. The mouse is red. The mouse is rough. The mouse visits the cat. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit eats the cat. The rabbit eats the mouse. The rabbit is red. If something visits the rabbit and it visits the cat then the rabbit chases the cat. If something chases the cat then it visits the mouse.\n\nQuestion: The mouse does not visit the mouse.", + "answer": false, + "QDep": 1, + "original_theory": "The cat chases the rabbit. The cat is kind. The cat is red. The cat is rough. The cat visits the mouse. The mouse chases the cat. The mouse chases the rabbit. The mouse eats the rabbit. The mouse is red. The mouse is rough. The mouse visits the cat. The mouse visits the rabbit. The rabbit chases the mouse. The rabbit eats the cat. The rabbit eats the mouse. The rabbit is red. If something visits the rabbit and it visits the cat then the rabbit chases the cat. If something chases the cat then it visits the mouse.", + "original_question": "The mouse does not visit the mouse." + }, + { + "id": "AttNoneg-OWA-D3-438", + "question": "Charlie is round. All blue, smart things are red. Blue, rough things are round. If something is green then it is red. If Charlie is rough then Charlie is green. All round things are smart. All smart, red things are blue. If something is blue and round then it is smart. All smart things are rough.\n\nQuestion: Charlie is green.", + "answer": true, + "QDep": 3, + "original_theory": "Charlie is round. All blue, smart things are red. Blue, rough things are round. If something is green then it is red. If Charlie is rough then Charlie is green. All round things are smart. All smart, red things are blue. If something is blue and round then it is smart. All smart things are rough.", + "original_question": "Charlie is green." + }, + { + "id": "AttNoneg-OWA-D1-2300", + "question": "Anne is furry. Anne is quiet. Anne is round. Anne is white. Dave is green. Dave is quiet. Gary is furry. Gary is green. Gary is quiet. Gary is rough. Gary is round. Gary is smart. If something is furry and white then it is green. White, green things are quiet. If something is green and furry then it is quiet.\n\nQuestion: Dave is not quiet.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is furry. Anne is quiet. Anne is round. Anne is white. Dave is green. Dave is quiet. Gary is furry. Gary is green. Gary is quiet. Gary is rough. Gary is round. Gary is smart. If something is furry and white then it is green. White, green things are quiet. If something is green and furry then it is quiet.", + "original_question": "Dave is not quiet." + }, + { + "id": "RelNeg-OWA-D5-690", + "question": "The bear likes the tiger. The bear does not visit the dog. The dog is not cold. The dog is kind. The dog likes the bear. The dog sees the tiger. The dog visits the tiger. The squirrel is not blue. The squirrel does not like the dog. The squirrel does not like the tiger. The squirrel sees the tiger. The squirrel visits the dog. The tiger is not young. The tiger likes the bear. The tiger likes the squirrel. The tiger sees the squirrel. If the squirrel sees the dog then the dog likes the squirrel. If someone visits the tiger and they visit the dog then they are green. If the bear is kind and the bear sees the dog then the dog likes the bear. If someone is green then they see the dog. If someone sees the tiger then they visit the tiger. If someone likes the squirrel and the squirrel is green then they visit the bear. If someone likes the tiger and they do not like the bear then they are young.\n\nQuestion: The dog does not like the squirrel.", + "answer": false, + "QDep": 4, + "original_theory": "The bear likes the tiger. The bear does not visit the dog. The dog is not cold. The dog is kind. The dog likes the bear. The dog sees the tiger. The dog visits the tiger. The squirrel is not blue. The squirrel does not like the dog. The squirrel does not like the tiger. The squirrel sees the tiger. The squirrel visits the dog. The tiger is not young. The tiger likes the bear. The tiger likes the squirrel. The tiger sees the squirrel. If the squirrel sees the dog then the dog likes the squirrel. If someone visits the tiger and they visit the dog then they are green. If the bear is kind and the bear sees the dog then the dog likes the bear. If someone is green then they see the dog. If someone sees the tiger then they visit the tiger. If someone likes the squirrel and the squirrel is green then they visit the bear. If someone likes the tiger and they do not like the bear then they are young.", + "original_question": "The dog does not like the squirrel." + }, + { + "id": "AttNeg-OWA-D0-7075", + "question": "Anne is big. Anne is kind. Anne is quiet. Anne is smart. Anne is white. Bob is round. Bob is smart. Bob is white. Gary is not big. Gary is kind. Gary is quiet. Gary is not red. Gary is not round. Gary is smart. Gary is white. Smart, big things are not red. Kind things are not red. If Bob is round and Bob is white then Bob is quiet.\n\nQuestion: Gary is round.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is big. Anne is kind. Anne is quiet. Anne is smart. Anne is white. Bob is round. Bob is smart. Bob is white. Gary is not big. Gary is kind. Gary is quiet. Gary is not red. Gary is not round. Gary is smart. Gary is white. Smart, big things are not red. Kind things are not red. If Bob is round and Bob is white then Bob is quiet.", + "original_question": "Gary is round." + }, + { + "id": "AttNoneg-OWA-D3-296", + "question": "Charlie is furry. Charlie is rough. Charlie is young. Erin is furry. Erin is red. Fiona is big. Fiona is young. Gary is furry. Gary is red. Gary is white. White, rough people are red. All furry people are big. If Erin is red then Erin is furry. If Charlie is blue then Charlie is white. All big people are blue. If Erin is rough and Erin is red then Erin is young.\n\nQuestion: Gary is blue.", + "answer": true, + "QDep": 2, + "original_theory": "Charlie is furry. Charlie is rough. Charlie is young. Erin is furry. Erin is red. Fiona is big. Fiona is young. Gary is furry. Gary is red. Gary is white. White, rough people are red. All furry people are big. If Erin is red then Erin is furry. If Charlie is blue then Charlie is white. All big people are blue. If Erin is rough and Erin is red then Erin is young.", + "original_question": "Gary is blue." + }, + { + "id": "RelNoneg-OWA-D0-1131", + "question": "The lion chases the mouse. The mouse chases the lion. The mouse is cold. The mouse is green. The mouse is kind. The mouse is round. The mouse needs the lion. If something chases the mouse and it visits the mouse then the mouse visits the lion. If something is blue then it needs the lion. If something needs the lion and it is green then it is round.\n\nQuestion: The lion does not chase the mouse.", + "answer": false, + "QDep": 0, + "original_theory": "The lion chases the mouse. The mouse chases the lion. The mouse is cold. The mouse is green. The mouse is kind. The mouse is round. The mouse needs the lion. If something chases the mouse and it visits the mouse then the mouse visits the lion. If something is blue then it needs the lion. If something needs the lion and it is green then it is round.", + "original_question": "The lion does not chase the mouse." + }, + { + "id": "RelNeg-OWA-D3-488", + "question": "The cow likes the squirrel. The rabbit chases the squirrel. The rabbit is rough. The rabbit is young. The rabbit does not like the squirrel. The squirrel is not kind. The squirrel is not round. If someone likes the squirrel then they like the rabbit. All rough people are young. If someone chases the rabbit and they chase the squirrel then they do not like the cow. If someone needs the rabbit then the rabbit is blue. If someone likes the squirrel then the squirrel is blue. If someone likes the squirrel and they are kind then the squirrel likes the rabbit. Blue people are rough. If the rabbit does not need the squirrel then the rabbit is not rough.\n\nQuestion: The squirrel is not young.", + "answer": false, + "QDep": 3, + "original_theory": "The cow likes the squirrel. The rabbit chases the squirrel. The rabbit is rough. The rabbit is young. The rabbit does not like the squirrel. The squirrel is not kind. The squirrel is not round. If someone likes the squirrel then they like the rabbit. All rough people are young. If someone chases the rabbit and they chase the squirrel then they do not like the cow. If someone needs the rabbit then the rabbit is blue. If someone likes the squirrel then the squirrel is blue. If someone likes the squirrel and they are kind then the squirrel likes the rabbit. Blue people are rough. If the rabbit does not need the squirrel then the rabbit is not rough.", + "original_question": "The squirrel is not young." + }, + { + "id": "RelNeg-OWA-D5-755", + "question": "The bear chases the dog. The bear is big. The bear is rough. The bear sees the tiger. The dog chases the bear. The dog chases the rabbit. The dog is big. The dog is blue. The rabbit is red. The tiger chases the dog. If the rabbit visits the dog then the dog is red. If the dog chases the tiger and the dog is big then the tiger does not see the bear. If the tiger sees the rabbit then the rabbit does not chase the dog. If someone is young then they visit the dog. Red people are young. If someone is rough then they chase the bear.\n\nQuestion: The dog chases the rabbit.", + "answer": true, + "QDep": 0, + "original_theory": "The bear chases the dog. The bear is big. The bear is rough. The bear sees the tiger. The dog chases the bear. The dog chases the rabbit. The dog is big. The dog is blue. The rabbit is red. The tiger chases the dog. If the rabbit visits the dog then the dog is red. If the dog chases the tiger and the dog is big then the tiger does not see the bear. If the tiger sees the rabbit then the rabbit does not chase the dog. If someone is young then they visit the dog. Red people are young. If someone is rough then they chase the bear.", + "original_question": "The dog chases the rabbit." + }, + { + "id": "RelNeg-OWA-D3-138", + "question": "The lion is nice. Big things are nice. If something is green then it is red. All red things are big. If the lion is nice then the lion is green. If something is big and not red then it is round. If something is big and not nice then it is round.\n\nQuestion: The lion is green.", + "answer": true, + "QDep": 1, + "original_theory": "The lion is nice. Big things are nice. If something is green then it is red. All red things are big. If the lion is nice then the lion is green. If something is big and not red then it is round. If something is big and not nice then it is round.", + "original_question": "The lion is green." + }, + { + "id": "RelNoneg-OWA-D1-2261", + "question": "The cow is big. The cow is red. The cow sees the rabbit. The rabbit chases the cow. The rabbit is cold. The rabbit likes the cow. The rabbit sees the cow. If someone chases the rabbit then they chase the cow. If someone sees the rabbit then they are cold. If someone sees the cow then they chase the cow. Kind people are green. If the rabbit is green then the rabbit likes the cow. If someone sees the rabbit and they like the cow then the rabbit is green. If someone is big and they chase the cow then they chase the rabbit. If someone is red then they chase the rabbit.\n\nQuestion: The rabbit is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "The cow is big. The cow is red. The cow sees the rabbit. The rabbit chases the cow. The rabbit is cold. The rabbit likes the cow. The rabbit sees the cow. If someone chases the rabbit then they chase the cow. If someone sees the rabbit then they are cold. If someone sees the cow then they chase the cow. Kind people are green. If the rabbit is green then the rabbit likes the cow. If someone sees the rabbit and they like the cow then the rabbit is green. If someone is big and they chase the cow then they chase the rabbit. If someone is red then they chase the rabbit.", + "original_question": "The rabbit is not cold." + }, + { + "id": "AttNeg-OWA-D5-382", + "question": "Bob is kind. Bob is red. Bob is round. Charlie is kind. Fiona is not green. Fiona is smart. Gary is round. All round people are quiet. All smart people are round. If someone is furry and not green then they are smart. Quiet people are smart. If someone is kind and quiet then they are not furry. If someone is smart then they are kind. If someone is kind and not furry then they are red.\n\nQuestion: Gary is round.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is kind. Bob is red. Bob is round. Charlie is kind. Fiona is not green. Fiona is smart. Gary is round. All round people are quiet. All smart people are round. If someone is furry and not green then they are smart. Quiet people are smart. If someone is kind and quiet then they are not furry. If someone is smart then they are kind. If someone is kind and not furry then they are red.", + "original_question": "Gary is round." + }, + { + "id": "AttNoneg-OWA-D2-2256", + "question": "Dave is cold. Erin is big. All cold people are big. If someone is young then they are cold. Blue, rough people are young. All big people are cold. If someone is big then they are rough. If someone is cold then they are kind.\n\nQuestion: Erin is not rough.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is cold. Erin is big. All cold people are big. If someone is young then they are cold. Blue, rough people are young. All big people are cold. If someone is big then they are rough. If someone is cold then they are kind.", + "original_question": "Erin is not rough." + }, + { + "id": "RelNeg-OWA-D5-767", + "question": "The cat is not round. The cow is blue. The cow is kind. The cow likes the cat. The cow sees the rabbit. The rabbit chases the cow. The rabbit is nice. The tiger does not chase the cow. The tiger does not like the rabbit. The tiger sees the rabbit. If something chases the cow then the cow chases the cat. If something chases the rabbit then it is not big. If something likes the cow then the cow is nice. If something is kind then it sees the rabbit. If something chases the cat then the cat likes the cow. If the rabbit chases the tiger then the rabbit does not see the cow. If something is nice and it sees the rabbit then it chases the rabbit. If something is big then it is round.\n\nQuestion: The cat is round.", + "answer": false, + "QDep": 0, + "original_theory": "The cat is not round. The cow is blue. The cow is kind. The cow likes the cat. The cow sees the rabbit. The rabbit chases the cow. The rabbit is nice. The tiger does not chase the cow. The tiger does not like the rabbit. The tiger sees the rabbit. If something chases the cow then the cow chases the cat. If something chases the rabbit then it is not big. If something likes the cow then the cow is nice. If something is kind then it sees the rabbit. If something chases the cat then the cat likes the cow. If the rabbit chases the tiger then the rabbit does not see the cow. If something is nice and it sees the rabbit then it chases the rabbit. If something is big then it is round.", + "original_question": "The cat is round." + }, + { + "id": "RelNoneg-OWA-D0-2273", + "question": "The rabbit chases the squirrel. The rabbit is kind. The rabbit is nice. The rabbit is red. The rabbit is rough. The rabbit is round. The rabbit likes the squirrel. The rabbit needs the squirrel. The squirrel chases the rabbit. The squirrel is kind. The squirrel is nice. The squirrel is red. The squirrel is rough. The squirrel is round. The squirrel likes the rabbit. The squirrel needs the rabbit. If someone is kind and they chase the squirrel then the squirrel likes the rabbit.\n\nQuestion: The rabbit likes the squirrel.", + "answer": true, + "QDep": 0, + "original_theory": "The rabbit chases the squirrel. The rabbit is kind. The rabbit is nice. The rabbit is red. The rabbit is rough. The rabbit is round. The rabbit likes the squirrel. The rabbit needs the squirrel. The squirrel chases the rabbit. The squirrel is kind. The squirrel is nice. The squirrel is red. The squirrel is rough. The squirrel is round. The squirrel likes the rabbit. The squirrel needs the rabbit. If someone is kind and they chase the squirrel then the squirrel likes the rabbit.", + "original_question": "The rabbit likes the squirrel." + }, + { + "id": "RelNoneg-OWA-D2-2018", + "question": "The cow likes the rabbit. The rabbit is round. Big things are kind. If something is kind and big then it visits the rabbit. If something is nice then it likes the cow. If something likes the rabbit then the rabbit is nice. If something is big then it is nice. If something is kind then it likes the rabbit.\n\nQuestion: The rabbit is nice.", + "answer": true, + "QDep": 1, + "original_theory": "The cow likes the rabbit. The rabbit is round. Big things are kind. If something is kind and big then it visits the rabbit. If something is nice then it likes the cow. If something likes the rabbit then the rabbit is nice. If something is big then it is nice. If something is kind then it likes the rabbit.", + "original_question": "The rabbit is nice." + }, + { + "id": "AttNoneg-OWA-D3-584", + "question": "Anne is red. Bob is blue. Dave is furry. Erin is cold. If Dave is cold and Dave is red then Dave is big. Big, blue people are cold. Big, furry people are blue. If Anne is smart then Anne is young. If someone is cold then they are blue. Blue, young people are smart. If Bob is young then Bob is smart. Furry people are big.\n\nQuestion: Dave is not cold.", + "answer": false, + "QDep": 3, + "original_theory": "Anne is red. Bob is blue. Dave is furry. Erin is cold. If Dave is cold and Dave is red then Dave is big. Big, blue people are cold. Big, furry people are blue. If Anne is smart then Anne is young. If someone is cold then they are blue. Blue, young people are smart. If Bob is young then Bob is smart. Furry people are big.", + "original_question": "Dave is not cold." + }, + { + "id": "AttNeg-OWA-D1-441", + "question": "Bob is young. Charlie is kind. Charlie is not quiet. Charlie is red. Charlie is rough. Charlie is not white. Charlie is young. Erin is kind. Erin is quiet. Erin is smart. Erin is not young. Harry is kind. Harry is red. Harry is not rough. Harry is smart. Harry is not white. If something is red and not white then it is smart.\n\nQuestion: Harry is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is young. Charlie is kind. Charlie is not quiet. Charlie is red. Charlie is rough. Charlie is not white. Charlie is young. Erin is kind. Erin is quiet. Erin is smart. Erin is not young. Harry is kind. Harry is red. Harry is not rough. Harry is smart. Harry is not white. If something is red and not white then it is smart.", + "original_question": "Harry is not smart." + }, + { + "id": "AttNoneg-OWA-D3-51", + "question": "Anne is young. Bob is round. Dave is smart. If someone is young then they are smart. Round, kind people are blue. If Dave is young then Dave is white. Smart people are young. Kind, young people are round. If Dave is white and Dave is young then Dave is round.\n\nQuestion: Dave is not round.", + "answer": false, + "QDep": 3, + "original_theory": "Anne is young. Bob is round. Dave is smart. If someone is young then they are smart. Round, kind people are blue. If Dave is young then Dave is white. Smart people are young. Kind, young people are round. If Dave is white and Dave is young then Dave is round.", + "original_question": "Dave is not round." + }, + { + "id": "AttNonegNatLang-OWA-467", + "question": "Bob is kind. He is also very cold and blue. Look, we know Dave is young and rough. We have to accept he's also red, nice, cold, and blue. After Harry got wet in the rain, he feels cold. He also looks green but big. Rough, cold people are blue. If a person happens to be big kind and red at the same time they are a young person. A kind person will certainly be rough as well. Do not fear big cold people for they are often kind. A person who is rough and young while being kind tends to be red.\n\nQuestion: Harry is not blue.", + "answer": false, + "QDep": 3, + "original_theory": "Bob is kind. He is also very cold and blue. Look, we know Dave is young and rough. We have to accept he's also red, nice, cold, and blue. After Harry got wet in the rain, he feels cold. He also looks green but big. Rough, cold people are blue. If a person happens to be big kind and red at the same time they are a young person. A kind person will certainly be rough as well. Do not fear big cold people for they are often kind. A person who is rough and young while being kind tends to be red.", + "original_question": "Harry is not blue." + }, + { + "id": "RelNoneg-OWA-D3-1367", + "question": "The bald eagle likes the rabbit. The bear chases the bald eagle. The lion needs the rabbit. The rabbit is nice. If someone is young and they like the bald eagle then the bald eagle is big. If someone chases the bald eagle and the bald eagle needs the rabbit then they need the rabbit. If someone needs the rabbit then they need the lion. If someone likes the rabbit then they need the rabbit. If someone chases the rabbit and they need the bald eagle then the bald eagle likes the lion. If someone chases the lion and they like the bald eagle then they like the bear.\n\nQuestion: The bald eagle does not like the rabbit.", + "answer": false, + "QDep": 0, + "original_theory": "The bald eagle likes the rabbit. The bear chases the bald eagle. The lion needs the rabbit. The rabbit is nice. If someone is young and they like the bald eagle then the bald eagle is big. If someone chases the bald eagle and the bald eagle needs the rabbit then they need the rabbit. If someone needs the rabbit then they need the lion. If someone likes the rabbit then they need the rabbit. If someone chases the rabbit and they need the bald eagle then the bald eagle likes the lion. If someone chases the lion and they like the bald eagle then they like the bear.", + "original_question": "The bald eagle does not like the rabbit." + }, + { + "id": "AttNoneg-OWA-D1-260", + "question": "Bob is blue. Bob is rough. Bob is young. Charlie is blue. Charlie is nice. Charlie is round. Charlie is white. Charlie is young. Dave is quiet. Dave is rough. Dave is white. Gary is blue. Gary is nice. Gary is round. Gary is young. All nice, white people are young. All white, rough people are quiet. If Charlie is white then Charlie is quiet.\n\nQuestion: Charlie is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is blue. Bob is rough. Bob is young. Charlie is blue. Charlie is nice. Charlie is round. Charlie is white. Charlie is young. Dave is quiet. Dave is rough. Dave is white. Gary is blue. Gary is nice. Gary is round. Gary is young. All nice, white people are young. All white, rough people are quiet. If Charlie is white then Charlie is quiet.", + "original_question": "Charlie is not blue." + }, + { + "id": "RelNeg-OWA-D5-25", + "question": "The bear needs the cat. The bear needs the lion. The cat likes the lion. The cat needs the lion. The cat visits the dog. The dog is rough. The dog needs the bear. The lion is not nice. The lion likes the cat. The lion likes the dog. The lion does not need the bear. The lion does not visit the bear. If the cat is rough and the cat visits the lion then the cat is not blue. If something is kind then it needs the cat. If something is blue then it visits the dog. If something visits the cat then it is kind. If something is rough then it is nice. If the bear visits the lion and the lion does not like the bear then the bear needs the dog. If something visits the dog then it visits the cat. If something likes the lion then the lion is blue. If the lion likes the dog and the lion does not need the dog then the lion needs the cat.\n\nQuestion: The lion is not kind.", + "answer": false, + "QDep": 4, + "original_theory": "The bear needs the cat. The bear needs the lion. The cat likes the lion. The cat needs the lion. The cat visits the dog. The dog is rough. The dog needs the bear. The lion is not nice. The lion likes the cat. The lion likes the dog. The lion does not need the bear. The lion does not visit the bear. If the cat is rough and the cat visits the lion then the cat is not blue. If something is kind then it needs the cat. If something is blue then it visits the dog. If something visits the cat then it is kind. If something is rough then it is nice. If the bear visits the lion and the lion does not like the bear then the bear needs the dog. If something visits the dog then it visits the cat. If something likes the lion then the lion is blue. If the lion likes the dog and the lion does not need the dog then the lion needs the cat.", + "original_question": "The lion is not kind." + }, + { + "id": "AttNoneg-OWA-D2-408", + "question": "Anne is cold. Dave is kind. Gary is young. Harry is white. All cold things are nice. If something is nice then it is white.\n\nQuestion: Anne is not white.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is cold. Dave is kind. Gary is young. Harry is white. All cold things are nice. If something is nice then it is white.", + "original_question": "Anne is not white." + }, + { + "id": "AttNeg-OWA-D2-548", + "question": "Anne is furry. Charlie is quiet. Fiona is cold. If Charlie is quiet then Charlie is white. All quiet people are furry. If someone is smart then they are not furry. If Charlie is cold then Charlie is quiet. If someone is furry and not quiet then they are nice. All furry people are nice.\n\nQuestion: Charlie is quiet.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is furry. Charlie is quiet. Fiona is cold. If Charlie is quiet then Charlie is white. All quiet people are furry. If someone is smart then they are not furry. If Charlie is cold then Charlie is quiet. If someone is furry and not quiet then they are nice. All furry people are nice.", + "original_question": "Charlie is quiet." + }, + { + "id": "AttNoneg-OWA-D5-54", + "question": "Erin is furry. Erin is quiet. Fiona is red. Gary is quiet. Gary is smart. Harry is blue. Harry is furry. Harry is nice. Harry is quiet. Harry is red. If Gary is blue then Gary is furry. If someone is nice then they are young. All red people are nice. Young, blue people are quiet. All nice, quiet people are red. If someone is smart and quiet then they are red. All red people are quiet. All red, young people are blue. If Harry is quiet then Harry is furry.\n\nQuestion: Fiona is not quiet.", + "answer": false, + "QDep": 1, + "original_theory": "Erin is furry. Erin is quiet. Fiona is red. Gary is quiet. Gary is smart. Harry is blue. Harry is furry. Harry is nice. Harry is quiet. Harry is red. If Gary is blue then Gary is furry. If someone is nice then they are young. All red people are nice. Young, blue people are quiet. All nice, quiet people are red. If someone is smart and quiet then they are red. All red people are quiet. All red, young people are blue. If Harry is quiet then Harry is furry.", + "original_question": "Fiona is not quiet." + }, + { + "id": "RelNeg-OWA-D2-375", + "question": "The cat eats the tiger. The cat is round. The cat needs the tiger. The tiger chases the cat. The tiger eats the cat. The tiger is young. The tiger needs the cat. If someone chases the cat and they are big then they need the tiger. If someone is round and they need the tiger then the tiger is big. If someone needs the cat then they eat the cat. If someone is round then they are not young. If the cat is green then the cat is big. If the tiger chases the cat then the cat needs the tiger. If someone chases the cat and they need the tiger then they eat the tiger. If someone is round and they chase the tiger then the tiger eats the cat.\n\nQuestion: The tiger does not chase the cat.", + "answer": false, + "QDep": 0, + "original_theory": "The cat eats the tiger. The cat is round. The cat needs the tiger. The tiger chases the cat. The tiger eats the cat. The tiger is young. The tiger needs the cat. If someone chases the cat and they are big then they need the tiger. If someone is round and they need the tiger then the tiger is big. If someone needs the cat then they eat the cat. If someone is round then they are not young. If the cat is green then the cat is big. If the tiger chases the cat then the cat needs the tiger. If someone chases the cat and they need the tiger then they eat the tiger. If someone is round and they chase the tiger then the tiger eats the cat.", + "original_question": "The tiger does not chase the cat." + }, + { + "id": "AttNeg-OWA-D1-1695", + "question": "Dave is not smart. Erin is cold. Erin is kind. Erin is not round. Erin is smart. Harry is cold. Harry is young. If Dave is white and Dave is young then Dave is kind. If someone is nice then they are young. Smart people are nice. All white, kind people are not nice. All smart people are nice. If someone is smart then they are nice. If Dave is young and Dave is not round then Dave is white. If someone is young then they are smart.\n\nQuestion: Erin is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "Dave is not smart. Erin is cold. Erin is kind. Erin is not round. Erin is smart. Harry is cold. Harry is young. If Dave is white and Dave is young then Dave is kind. If someone is nice then they are young. Smart people are nice. All white, kind people are not nice. All smart people are nice. If someone is smart then they are nice. If Dave is young and Dave is not round then Dave is white. If someone is young then they are smart.", + "original_question": "Erin is not cold." + }, + { + "id": "AttNoneg-OWA-D3-1078", + "question": "Bob is green. Bob is white. Dave is quiet. Dave is rough. Dave is round. Dave is white. Fiona is big. Fiona is white. Harry is big. Harry is green. Harry is rough. Harry is white. All quiet, red people are green. All rough, quiet people are round. If Fiona is quiet and Fiona is big then Fiona is white. If someone is red then they are quiet. If someone is white and green then they are quiet. If someone is big then they are red. All big, rough people are green. Quiet, rough people are round.\n\nQuestion: Harry is round.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is green. Bob is white. Dave is quiet. Dave is rough. Dave is round. Dave is white. Fiona is big. Fiona is white. Harry is big. Harry is green. Harry is rough. Harry is white. All quiet, red people are green. All rough, quiet people are round. If Fiona is quiet and Fiona is big then Fiona is white. If someone is red then they are quiet. If someone is white and green then they are quiet. If someone is big then they are red. All big, rough people are green. Quiet, rough people are round.", + "original_question": "Harry is round." + }, + { + "id": "AttNoneg-OWA-D5-1270", + "question": "Bob is cold. Dave is kind. Dave is young. Gary is big. Gary is cold. Gary is white. Gary is young. Harry is cold. Harry is kind. Harry is white. Harry is young. Smart, young people are furry. All kind, furry people are big. Smart, big people are furry. All white, kind people are young. If someone is furry and big then they are cold. If someone is big then they are furry. All cold, smart people are big. All young people are smart. All cold, young people are white.\n\nQuestion: Bob is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is cold. Dave is kind. Dave is young. Gary is big. Gary is cold. Gary is white. Gary is young. Harry is cold. Harry is kind. Harry is white. Harry is young. Smart, young people are furry. All kind, furry people are big. Smart, big people are furry. All white, kind people are young. If someone is furry and big then they are cold. If someone is big then they are furry. All cold, smart people are big. All young people are smart. All cold, young people are white.", + "original_question": "Bob is not cold." + }, + { + "id": "RelNeg-OWA-D3-5", + "question": "The cow visits the squirrel. The lion is rough. The squirrel likes the tiger. The tiger visits the cow. If something is young and it chases the lion then it likes the squirrel. If something is cold then it likes the cow. If something likes the cow then it likes the tiger. If something is rough then it chases the squirrel. If something visits the cow then it is cold. If the cow does not like the tiger then the cow chases the tiger.\n\nQuestion: The lion chases the squirrel.", + "answer": true, + "QDep": 1, + "original_theory": "The cow visits the squirrel. The lion is rough. The squirrel likes the tiger. The tiger visits the cow. If something is young and it chases the lion then it likes the squirrel. If something is cold then it likes the cow. If something likes the cow then it likes the tiger. If something is rough then it chases the squirrel. If something visits the cow then it is cold. If the cow does not like the tiger then the cow chases the tiger.", + "original_question": "The lion chases the squirrel." + }, + { + "id": "RelNeg-OWA-D0-4329", + "question": "The cat is red. The cat is rough. The mouse likes the cat. The mouse sees the cat. The mouse sees the squirrel. The mouse visits the cat. The rabbit is green. The rabbit does not like the mouse. The squirrel is rough. The squirrel likes the mouse. The squirrel likes the rabbit. The squirrel visits the cat. If something likes the rabbit and it is not red then it is not rough. If the mouse likes the squirrel then the mouse is green. If something likes the cat then the cat is not green. If something sees the squirrel and it visits the rabbit then it likes the squirrel. If the rabbit sees the squirrel and the mouse does not see the rabbit then the mouse sees the cat. If something is red then it visits the rabbit. If something visits the squirrel and it does not visit the mouse then the squirrel visits the rabbit. Red, round things are not young.\n\nQuestion: The mouse likes the cat.", + "answer": true, + "QDep": 0, + "original_theory": "The cat is red. The cat is rough. The mouse likes the cat. The mouse sees the cat. The mouse sees the squirrel. The mouse visits the cat. The rabbit is green. The rabbit does not like the mouse. The squirrel is rough. The squirrel likes the mouse. The squirrel likes the rabbit. The squirrel visits the cat. If something likes the rabbit and it is not red then it is not rough. If the mouse likes the squirrel then the mouse is green. If something likes the cat then the cat is not green. If something sees the squirrel and it visits the rabbit then it likes the squirrel. If the rabbit sees the squirrel and the mouse does not see the rabbit then the mouse sees the cat. If something is red then it visits the rabbit. If something visits the squirrel and it does not visit the mouse then the squirrel visits the rabbit. Red, round things are not young.", + "original_question": "The mouse likes the cat." + }, + { + "id": "AttNeg-OWA-D2-121", + "question": "Erin is big. Erin is cold. Erin is furry. Erin is rough. Erin is round. Fiona is not blue. Fiona is cold. Fiona is furry. Fiona is green. Fiona is rough. Fiona is round. Harry is big. Harry is blue. Harry is furry. Harry is green. Harry is round. If something is furry then it is cold. If something is blue and cold then it is not rough. Round, cold things are furry.\n\nQuestion: Harry is not cold.", + "answer": false, + "QDep": 1, + "original_theory": "Erin is big. Erin is cold. Erin is furry. Erin is rough. Erin is round. Fiona is not blue. Fiona is cold. Fiona is furry. Fiona is green. Fiona is rough. Fiona is round. Harry is big. Harry is blue. Harry is furry. Harry is green. Harry is round. If something is furry then it is cold. If something is blue and cold then it is not rough. Round, cold things are furry.", + "original_question": "Harry is not cold." + }, + { + "id": "RelNoneg-OWA-D3-1427", + "question": "The bald eagle chases the cow. The bald eagle eats the cow. The bald eagle is big. The bald eagle visits the cow. The cow is big. The cow is blue. The cow is red. If something chases the bald eagle and it visits the bald eagle then it is young. If the bald eagle eats the cow and the cow visits the bald eagle then the cow is nice. If something is blue then it chases the cow. If the bald eagle visits the cow then the bald eagle is big. If something visits the bald eagle then it eats the cow. If something chases the bald eagle then the bald eagle is young. If the cow visits the bald eagle then the bald eagle is red. If something chases the cow then it visits the bald eagle.\n\nQuestion: The cow does not chase the cow.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle chases the cow. The bald eagle eats the cow. The bald eagle is big. The bald eagle visits the cow. The cow is big. The cow is blue. The cow is red. If something chases the bald eagle and it visits the bald eagle then it is young. If the bald eagle eats the cow and the cow visits the bald eagle then the cow is nice. If something is blue then it chases the cow. If the bald eagle visits the cow then the bald eagle is big. If something visits the bald eagle then it eats the cow. If something chases the bald eagle then the bald eagle is young. If the cow visits the bald eagle then the bald eagle is red. If something chases the cow then it visits the bald eagle.", + "original_question": "The cow does not chase the cow." + }, + { + "id": "AttNoneg-OWA-D0-3610", + "question": "Charlie is round. Gary is rough. If something is red then it is big. If Gary is green then Gary is rough. All rough, big things are round. All round, rough things are red. If something is round and green then it is big. If something is quiet then it is white.\n\nQuestion: Charlie is round.", + "answer": true, + "QDep": 0, + "original_theory": "Charlie is round. Gary is rough. If something is red then it is big. If Gary is green then Gary is rough. All rough, big things are round. All round, rough things are red. If something is round and green then it is big. If something is quiet then it is white.", + "original_question": "Charlie is round." + }, + { + "id": "AttPos-OWA-ElectricityRB4-63", + "question": "The battery is flat. The switch is on. The wire is metal. The circuit includes the bell. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The wire is conducting.", + "answer": true, + "QDep": 1, + "original_theory": "The battery is flat. The switch is on. The wire is metal. The circuit includes the bell. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The wire is conducting." + }, + { + "id": "RelNeg-OWA-D2-1525", + "question": "The bear is cold. The dog does not chase the lion. The lion is not blue. The lion likes the squirrel. The squirrel eats the lion. The squirrel is cold. The squirrel does not like the bear. If the squirrel is cold then the squirrel chases the bear. If something chases the bear then the bear eats the squirrel.\n\nQuestion: The bear eats the squirrel.", + "answer": true, + "QDep": 2, + "original_theory": "The bear is cold. The dog does not chase the lion. The lion is not blue. The lion likes the squirrel. The squirrel eats the lion. The squirrel is cold. The squirrel does not like the bear. If the squirrel is cold then the squirrel chases the bear. If something chases the bear then the bear eats the squirrel.", + "original_question": "The bear eats the squirrel." + }, + { + "id": "AttNoneg-OWA-D5-1105", + "question": "Anne is green. Anne is red. Bob is big. Bob is red. Dave is green. Harry is blue. Harry is green. Furry, big things are red. If something is big then it is rough. If something is blue then it is nice. If something is nice then it is furry. If something is rough then it is blue. If something is nice and furry then it is green.\n\nQuestion: Harry is not nice.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is green. Anne is red. Bob is big. Bob is red. Dave is green. Harry is blue. Harry is green. Furry, big things are red. If something is big then it is rough. If something is blue then it is nice. If something is nice then it is furry. If something is rough then it is blue. If something is nice and furry then it is green.", + "original_question": "Harry is not nice." + }, + { + "id": "AttNoneg-OWA-D5-712", + "question": "Anne is cold. Anne is green. Anne is young. Bob is nice. Bob is red. Bob is rough. Erin is cold. Erin is furry. Erin is green. Erin is nice. Erin is red. Erin is rough. Fiona is furry. Fiona is rough. If something is nice then it is young. Cold, nice things are red. Rough, furry things are nice. All red things are young. If something is cold then it is young. If something is furry and red then it is nice. If something is young then it is green. Cold, nice things are young. Green, furry things are cold.\n\nQuestion: Fiona is red.", + "answer": true, + "QDep": 5, + "original_theory": "Anne is cold. Anne is green. Anne is young. Bob is nice. Bob is red. Bob is rough. Erin is cold. Erin is furry. Erin is green. Erin is nice. Erin is red. Erin is rough. Fiona is furry. Fiona is rough. If something is nice then it is young. Cold, nice things are red. Rough, furry things are nice. All red things are young. If something is cold then it is young. If something is furry and red then it is nice. If something is young then it is green. Cold, nice things are young. Green, furry things are cold.", + "original_question": "Fiona is red." + }, + { + "id": "AttNeg-OWA-D2-1400", + "question": "Anne is nice. Gary is furry. If someone is kind and not young then they are nice. Nice people are kind. All kind people are not big.\n\nQuestion: Anne is kind.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is nice. Gary is furry. If someone is kind and not young then they are nice. Nice people are kind. All kind people are not big.", + "original_question": "Anne is kind." + }, + { + "id": "RelNoneg-OWA-D1-2863", + "question": "The cat chases the rabbit. The rabbit chases the cat. If something is kind and it needs the cat then it is nice. If something sees the cat and the cat sees the rabbit then the rabbit sees the cat. If something chases the cat then it needs the cat. If something chases the rabbit and the rabbit sees the cat then the cat chases the rabbit. If something is young and it sees the rabbit then it needs the rabbit. If something sees the cat then it chases the rabbit.\n\nQuestion: The rabbit does not need the cat.", + "answer": false, + "QDep": 1, + "original_theory": "The cat chases the rabbit. The rabbit chases the cat. If something is kind and it needs the cat then it is nice. If something sees the cat and the cat sees the rabbit then the rabbit sees the cat. If something chases the cat then it needs the cat. If something chases the rabbit and the rabbit sees the cat then the cat chases the rabbit. If something is young and it sees the rabbit then it needs the rabbit. If something sees the cat then it chases the rabbit.", + "original_question": "The rabbit does not need the cat." + }, + { + "id": "RelNoneg-OWA-D2-2004", + "question": "The cat chases the lion. The cat chases the rabbit. The cat eats the rabbit. The cat is green. The lion chases the cat. The lion chases the rabbit. The lion eats the cat. The lion is cold. The lion is red. The lion needs the mouse. The mouse eats the cat. The mouse eats the lion. The rabbit chases the cat. The rabbit eats the cat. The rabbit eats the mouse. The rabbit is cold. If something chases the lion then the lion needs the cat. If something eats the mouse then the mouse is green. If something is cold and it needs the cat then the cat needs the mouse.\n\nQuestion: The cat needs the mouse.", + "answer": true, + "QDep": 2, + "original_theory": "The cat chases the lion. The cat chases the rabbit. The cat eats the rabbit. The cat is green. The lion chases the cat. The lion chases the rabbit. The lion eats the cat. The lion is cold. The lion is red. The lion needs the mouse. The mouse eats the cat. The mouse eats the lion. The rabbit chases the cat. The rabbit eats the cat. The rabbit eats the mouse. The rabbit is cold. If something chases the lion then the lion needs the cat. If something eats the mouse then the mouse is green. If something is cold and it needs the cat then the cat needs the mouse.", + "original_question": "The cat needs the mouse." + }, + { + "id": "AttNoneg-OWA-D0-1224", + "question": "Fiona is cold. Fiona is nice. Fiona is white. Fiona is young. Harry is blue. Harry is cold. Harry is green. Harry is nice. Harry is red. Harry is young. If something is nice and white then it is red. If Harry is blue and Harry is cold then Harry is green.\n\nQuestion: Harry is blue.", + "answer": true, + "QDep": 0, + "original_theory": "Fiona is cold. Fiona is nice. Fiona is white. Fiona is young. Harry is blue. Harry is cold. Harry is green. Harry is nice. Harry is red. Harry is young. If something is nice and white then it is red. If Harry is blue and Harry is cold then Harry is green.", + "original_question": "Harry is blue." + }, + { + "id": "AttNeg-OWA-D2-179", + "question": "Charlie is round. Charlie is not white. Dave is young. Fiona is round. Gary is furry. Gary is quiet. Gary is young. If someone is young and rough then they are white. All big people are not white. Round people are big.\n\nQuestion: Fiona is not white.", + "answer": true, + "QDep": 2, + "original_theory": "Charlie is round. Charlie is not white. Dave is young. Fiona is round. Gary is furry. Gary is quiet. Gary is young. If someone is young and rough then they are white. All big people are not white. Round people are big.", + "original_question": "Fiona is not white." + }, + { + "id": "AttNoneg-OWA-D3-627", + "question": "Anne is furry. Dave is cold. Dave is furry. Dave is green. Dave is nice. Dave is red. Dave is round. Fiona is cold. Fiona is red. Gary is rough. All round, furry people are red. All nice, red people are furry. All red people are round. If someone is furry and cold then they are rough. Round people are furry. All furry people are red. If Dave is nice and Dave is furry then Dave is green. If Anne is red then Anne is nice.\n\nQuestion: Gary is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is furry. Dave is cold. Dave is furry. Dave is green. Dave is nice. Dave is red. Dave is round. Fiona is cold. Fiona is red. Gary is rough. All round, furry people are red. All nice, red people are furry. All red people are round. If someone is furry and cold then they are rough. Round people are furry. All furry people are red. If Dave is nice and Dave is furry then Dave is green. If Anne is red then Anne is nice.", + "original_question": "Gary is not rough." + }, + { + "id": "AttNoneg-OWA-D0-6509", + "question": "Bob is big. Bob is cold. Bob is nice. Bob is rough. Bob is round. Bob is smart. Erin is big. Erin is round. Erin is smart. Fiona is big. Fiona is cold. Fiona is green. Fiona is nice. Fiona is round. Fiona is smart. Big, rough things are smart. If something is green and rough then it is round. All big things are nice. All smart things are round. If something is nice and round then it is cold. If something is big then it is smart.\n\nQuestion: Bob is smart.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is big. Bob is cold. Bob is nice. Bob is rough. Bob is round. Bob is smart. Erin is big. Erin is round. Erin is smart. Fiona is big. Fiona is cold. Fiona is green. Fiona is nice. Fiona is round. Fiona is smart. Big, rough things are smart. If something is green and rough then it is round. All big things are nice. All smart things are round. If something is nice and round then it is cold. If something is big then it is smart.", + "original_question": "Bob is smart." + }, + { + "id": "RelNoneg-OWA-D3-480", + "question": "The dog eats the mouse. The mouse needs the dog. If the mouse eats the dog then the mouse sees the dog. If someone needs the mouse then the mouse eats the dog. If someone is red then they see the dog. If someone needs the dog and the dog sees the mouse then the dog needs the mouse. If someone eats the dog then the dog eats the mouse. If someone eats the mouse and the mouse needs the dog then the dog needs the mouse. If someone is round then they see the mouse. If someone eats the dog then the dog is round.\n\nQuestion: The dog does not eat the mouse.", + "answer": false, + "QDep": 0, + "original_theory": "The dog eats the mouse. The mouse needs the dog. If the mouse eats the dog then the mouse sees the dog. If someone needs the mouse then the mouse eats the dog. If someone is red then they see the dog. If someone needs the dog and the dog sees the mouse then the dog needs the mouse. If someone eats the dog then the dog eats the mouse. If someone eats the mouse and the mouse needs the dog then the dog needs the mouse. If someone is round then they see the mouse. If someone eats the dog then the dog is round.", + "original_question": "The dog does not eat the mouse." + }, + { + "id": "RelNoneg-OWA-D0-2570", + "question": "The bald eagle is round. The bald eagle likes the squirrel. The squirrel eats the bald eagle. The squirrel is blue. The squirrel is kind. The squirrel likes the bald eagle. The squirrel visits the bald eagle. If something is kind then it visits the squirrel. If something eats the bald eagle and it is blue then the bald eagle likes the squirrel. All round, blue things are kind. If something visits the squirrel then the squirrel visits the bald eagle. If the squirrel is blue then the squirrel likes the bald eagle. If something is round then it eats the bald eagle.\n\nQuestion: The squirrel likes the bald eagle.", + "answer": true, + "QDep": 0, + "original_theory": "The bald eagle is round. The bald eagle likes the squirrel. The squirrel eats the bald eagle. The squirrel is blue. The squirrel is kind. The squirrel likes the bald eagle. The squirrel visits the bald eagle. If something is kind then it visits the squirrel. If something eats the bald eagle and it is blue then the bald eagle likes the squirrel. All round, blue things are kind. If something visits the squirrel then the squirrel visits the bald eagle. If the squirrel is blue then the squirrel likes the bald eagle. If something is round then it eats the bald eagle.", + "original_question": "The squirrel likes the bald eagle." + }, + { + "id": "AttNonegNatLang-OWA-219", + "question": "When Bob walks around the neighborhood being nice and kind, the closer you get to him you can tell he is blue and red. Gary seems to be round. Harry may be round, but he is also kind. Round people who feel blue and are green in color are often young in age. Any person that's blue, young and green will turn out to be a nice person, too. People who are feeling blue and green are said to be red. A kind young person who is green will be cold. Any person who can be red and blue at the same time is cold. A nice person with cold skin is going to be rough. Every single blue and red person who acts sort of rough tends to be green in places.\n\nQuestion: Bob is cold.", + "answer": true, + "QDep": 1, + "original_theory": "When Bob walks around the neighborhood being nice and kind, the closer you get to him you can tell he is blue and red. Gary seems to be round. Harry may be round, but he is also kind. Round people who feel blue and are green in color are often young in age. Any person that's blue, young and green will turn out to be a nice person, too. People who are feeling blue and green are said to be red. A kind young person who is green will be cold. Any person who can be red and blue at the same time is cold. A nice person with cold skin is going to be rough. Every single blue and red person who acts sort of rough tends to be green in places.", + "original_question": "Bob is cold." + }, + { + "id": "RelNeg-OWA-D5-831", + "question": "The bald eagle chases the cat. The bald eagle chases the dog. The bald eagle does not eat the cat. The bald eagle eats the dog. The cat does not chase the bald eagle. The cat eats the bald eagle. The cat is young. The cat sees the bald eagle. The cat sees the tiger. The dog chases the cat. The dog eats the bald eagle. The dog is blue. The tiger chases the bald eagle. The tiger chases the cat. If something is young then it does not chase the cat. If the cat chases the tiger then the tiger is nice. Nice things are big. If something chases the dog and the dog eats the bald eagle then it is nice. If something is big and it chases the cat then the cat chases the dog.\n\nQuestion: The bald eagle is nice.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle chases the cat. The bald eagle chases the dog. The bald eagle does not eat the cat. The bald eagle eats the dog. The cat does not chase the bald eagle. The cat eats the bald eagle. The cat is young. The cat sees the bald eagle. The cat sees the tiger. The dog chases the cat. The dog eats the bald eagle. The dog is blue. The tiger chases the bald eagle. The tiger chases the cat. If something is young then it does not chase the cat. If the cat chases the tiger then the tiger is nice. Nice things are big. If something chases the dog and the dog eats the bald eagle then it is nice. If something is big and it chases the cat then the cat chases the dog.", + "original_question": "The bald eagle is nice." + }, + { + "id": "RelNoneg-OWA-D5-537", + "question": "The bald eagle is rough. The bald eagle likes the dog. The bald eagle visits the dog. The bald eagle visits the rabbit. The dog visits the bald eagle. The mouse is green. The mouse is round. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit is rough. The rabbit likes the bald eagle. The rabbit likes the mouse. If the mouse visits the rabbit and the mouse visits the dog then the mouse eats the rabbit. If something is rough then it is big. If something likes the mouse and the mouse likes the rabbit then it likes the rabbit. If something likes the dog then it visits the dog. If something visits the mouse then it is round. If something is green then it is rough. If something is rough then it is green. If something is big and green then it likes the dog.\n\nQuestion: The mouse visits the dog.", + "answer": true, + "QDep": 4, + "original_theory": "The bald eagle is rough. The bald eagle likes the dog. The bald eagle visits the dog. The bald eagle visits the rabbit. The dog visits the bald eagle. The mouse is green. The mouse is round. The mouse visits the rabbit. The rabbit eats the bald eagle. The rabbit is rough. The rabbit likes the bald eagle. The rabbit likes the mouse. If the mouse visits the rabbit and the mouse visits the dog then the mouse eats the rabbit. If something is rough then it is big. If something likes the mouse and the mouse likes the rabbit then it likes the rabbit. If something likes the dog then it visits the dog. If something visits the mouse then it is round. If something is green then it is rough. If something is rough then it is green. If something is big and green then it likes the dog.", + "original_question": "The mouse visits the dog." + }, + { + "id": "AttNeg-OWA-D0-4597", + "question": "Anne is blue. Anne is furry. Anne is smart. Bob is big. Bob is smart. Dave is blue. Dave is not furry. Dave is green. Dave is not quiet. Dave is not smart. Gary is big. Gary is blue. Gary is furry. Gary is green. Gary is quiet. Gary is smart. If Bob is blue and Bob is not smart then Bob is red. If someone is big then they are quiet. Quiet people are green. All quiet people are blue. If someone is green and furry then they are not red. If someone is big and not smart then they are red. If someone is furry and not quiet then they are red. If Dave is green and Dave is not red then Dave is blue.\n\nQuestion: Gary is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is blue. Anne is furry. Anne is smart. Bob is big. Bob is smart. Dave is blue. Dave is not furry. Dave is green. Dave is not quiet. Dave is not smart. Gary is big. Gary is blue. Gary is furry. Gary is green. Gary is quiet. Gary is smart. If Bob is blue and Bob is not smart then Bob is red. If someone is big then they are quiet. Quiet people are green. All quiet people are blue. If someone is green and furry then they are not red. If someone is big and not smart then they are red. If someone is furry and not quiet then they are red. If Dave is green and Dave is not red then Dave is blue.", + "original_question": "Gary is not blue." + }, + { + "id": "RelNeg-OWA-D3-1462", + "question": "The rabbit is green. If someone is nice then they are young. All nice people are young. Young people are not big. Young people are not big. If the rabbit is cold and the rabbit is not green then the rabbit is not big. If someone is cold and green then they are nice. All big, young people are nice. All green people are cold.\n\nQuestion: The rabbit is cold.", + "answer": true, + "QDep": 1, + "original_theory": "The rabbit is green. If someone is nice then they are young. All nice people are young. Young people are not big. Young people are not big. If the rabbit is cold and the rabbit is not green then the rabbit is not big. If someone is cold and green then they are nice. All big, young people are nice. All green people are cold.", + "original_question": "The rabbit is cold." + }, + { + "id": "RelNoneg-OWA-D5-568", + "question": "The bald eagle chases the dog. The bald eagle is kind. The bald eagle is red. The bald eagle sees the tiger. The cat chases the bald eagle. The cat is kind. The cat likes the dog. The cat sees the bald eagle. The cat sees the tiger. The dog is big. The dog likes the tiger. The dog sees the cat. The tiger is cold. The tiger is red. The tiger likes the bald eagle. The tiger sees the bald eagle. If something likes the tiger then it chases the bald eagle. If the tiger chases the dog then the dog chases the cat. If something is round then it chases the dog. If something sees the cat and it chases the bald eagle then it likes the cat. If something is red then it is round. If the dog sees the bald eagle then the bald eagle sees the dog. If something chases the cat then the cat is round.\n\nQuestion: The dog does not chase the cat.", + "answer": false, + "QDep": 3, + "original_theory": "The bald eagle chases the dog. The bald eagle is kind. The bald eagle is red. The bald eagle sees the tiger. The cat chases the bald eagle. The cat is kind. The cat likes the dog. The cat sees the bald eagle. The cat sees the tiger. The dog is big. The dog likes the tiger. The dog sees the cat. The tiger is cold. The tiger is red. The tiger likes the bald eagle. The tiger sees the bald eagle. If something likes the tiger then it chases the bald eagle. If the tiger chases the dog then the dog chases the cat. If something is round then it chases the dog. If something sees the cat and it chases the bald eagle then it likes the cat. If something is red then it is round. If the dog sees the bald eagle then the bald eagle sees the dog. If something chases the cat then the cat is round.", + "original_question": "The dog does not chase the cat." + }, + { + "id": "AttNeg-OWA-D0-1443", + "question": "Anne is not green. Anne is kind. Anne is red. Anne is round. Anne is not smart. Anne is white. Anne is young. If something is smart then it is white. If Anne is young and Anne is not smart then Anne is white.\n\nQuestion: Anne is smart.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is not green. Anne is kind. Anne is red. Anne is round. Anne is not smart. Anne is white. Anne is young. If something is smart then it is white. If Anne is young and Anne is not smart then Anne is white.", + "original_question": "Anne is smart." + }, + { + "id": "AttNoneg-OWA-D2-836", + "question": "Charlie is white. Dave is cold. All quiet things are cold. If Charlie is rough then Charlie is green. If something is round and rough then it is quiet. If Dave is cold and Dave is white then Dave is round. If something is white then it is quiet. If something is quiet then it is round.\n\nQuestion: Charlie is not cold.", + "answer": false, + "QDep": 2, + "original_theory": "Charlie is white. Dave is cold. All quiet things are cold. If Charlie is rough then Charlie is green. If something is round and rough then it is quiet. If Dave is cold and Dave is white then Dave is round. If something is white then it is quiet. If something is quiet then it is round.", + "original_question": "Charlie is not cold." + }, + { + "id": "AttNeg-OWA-D3-1071", + "question": "Bob is blue. Bob is quiet. Charlie is quiet. Fiona is not blue. Fiona is green. Fiona is not smart. Gary is green. If someone is kind and not quiet then they are rough. Quiet people are not smart. Quiet people are kind. If Gary is smart and Gary is blue then Gary is rough. If someone is quiet and not smart then they are green. If someone is green then they are big. All blue people are big. If someone is smart then they are not big.\n\nQuestion: Charlie is not big.", + "answer": false, + "QDep": 3, + "original_theory": "Bob is blue. Bob is quiet. Charlie is quiet. Fiona is not blue. Fiona is green. Fiona is not smart. Gary is green. If someone is kind and not quiet then they are rough. Quiet people are not smart. Quiet people are kind. If Gary is smart and Gary is blue then Gary is rough. If someone is quiet and not smart then they are green. If someone is green then they are big. All blue people are big. If someone is smart then they are not big.", + "original_question": "Charlie is not big." + }, + { + "id": "AttNonegNatLang-OWA-287", + "question": "Bob is a young, round shaped young man who is also very cold. Charlie is a young, round shaped young man who is also very cold. Eric is still young, yet very big and plays rough. He has red hair with green eyes, and nice skin tone. Rough people who are red in color and big are usally round in shape. All those who are nice and big are red. If you pass someone who is red and round and kind, you'll notice they act in a cold manner. A big and round individual is sure to be a kind individual, too. People who are young and blue are also red. People that are green and big while also being cold are always nice. A nice person with cold skin is going to be rough.\n\nQuestion: Charlie is young.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is a young, round shaped young man who is also very cold. Charlie is a young, round shaped young man who is also very cold. Eric is still young, yet very big and plays rough. He has red hair with green eyes, and nice skin tone. Rough people who are red in color and big are usally round in shape. All those who are nice and big are red. If you pass someone who is red and round and kind, you'll notice they act in a cold manner. A big and round individual is sure to be a kind individual, too. People who are young and blue are also red. People that are green and big while also being cold are always nice. A nice person with cold skin is going to be rough.", + "original_question": "Charlie is young." + }, + { + "id": "RelNeg-OWA-D5-554", + "question": "The bald eagle chases the cow. The bald eagle likes the lion. The bear chases the lion. The bear does not eat the bald eagle. The bear eats the lion. The cow chases the bald eagle. The cow chases the lion. The cow likes the bald eagle. The lion is rough. The lion likes the bald eagle. If something is rough then it eats the cow. If something likes the cow then it eats the cow. If something likes the cow then it likes the lion. If something is cold then it likes the lion. If the bear is cold and the bear eats the lion then the bear chases the cow. If something is round and not big then it does not eat the bald eagle. If the bald eagle likes the bear and the bear chases the bald eagle then the bald eagle chases the bear. If something is rough and it chases the cow then the cow is rough. If something eats the cow then it chases the cow.\n\nQuestion: The lion does not chase the cow.", + "answer": false, + "QDep": 2, + "original_theory": "The bald eagle chases the cow. The bald eagle likes the lion. The bear chases the lion. The bear does not eat the bald eagle. The bear eats the lion. The cow chases the bald eagle. The cow chases the lion. The cow likes the bald eagle. The lion is rough. The lion likes the bald eagle. If something is rough then it eats the cow. If something likes the cow then it eats the cow. If something likes the cow then it likes the lion. If something is cold then it likes the lion. If the bear is cold and the bear eats the lion then the bear chases the cow. If something is round and not big then it does not eat the bald eagle. If the bald eagle likes the bear and the bear chases the bald eagle then the bald eagle chases the bear. If something is rough and it chases the cow then the cow is rough. If something eats the cow then it chases the cow.", + "original_question": "The lion does not chase the cow." + }, + { + "id": "AttNeg-OWA-D3-1675", + "question": "Harry is cold. If something is smart and furry then it is red. Green, furry things are not red. All cold things are kind. If something is red and not green then it is kind. If Harry is quiet then Harry is red. If Harry is kind then Harry is quiet. All furry things are cold. Furry, green things are quiet.\n\nQuestion: Harry is kind.", + "answer": true, + "QDep": 1, + "original_theory": "Harry is cold. If something is smart and furry then it is red. Green, furry things are not red. All cold things are kind. If something is red and not green then it is kind. If Harry is quiet then Harry is red. If Harry is kind then Harry is quiet. All furry things are cold. Furry, green things are quiet.", + "original_question": "Harry is kind." + }, + { + "id": "AttNoneg-OWA-D5-570", + "question": "Bob is big. Bob is red. Charlie is big. Erin is nice. Erin is quiet. Erin is red. Fiona is cold. Fiona is kind. Fiona is nice. Fiona is red. If someone is quiet then they are furry. Kind, nice people are red. All big people are quiet. If someone is kind then they are cold. All nice, furry people are red. If someone is nice and red then they are kind. Big people are nice. Kind people are quiet.\n\nQuestion: Fiona is red.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is big. Bob is red. Charlie is big. Erin is nice. Erin is quiet. Erin is red. Fiona is cold. Fiona is kind. Fiona is nice. Fiona is red. If someone is quiet then they are furry. Kind, nice people are red. All big people are quiet. If someone is kind then they are cold. All nice, furry people are red. If someone is nice and red then they are kind. Big people are nice. Kind people are quiet.", + "original_question": "Fiona is red." + }, + { + "id": "AttNonegNatLang-OWA-150", + "question": "The young person who is always feeling cold is named Bob. Eric, who is relatively young, is also pretty big and tends to be cold. Fred may be young but he is nice, wears green shoes and is cold. Harry may be round, but he is also kind. Young people that are turning blue from being cold will be rough looking. Big people with rough, green skin are cold because of it. Kind people that are round are on the big side. Every person I met that was cold and round was also red. People who are young are also blue. When you run into someone who is rough and green at the same time, they will also be red. A cold blue person who is rough is also kind.\n\nQuestion: Harry is big.", + "answer": true, + "QDep": 1, + "original_theory": "The young person who is always feeling cold is named Bob. Eric, who is relatively young, is also pretty big and tends to be cold. Fred may be young but he is nice, wears green shoes and is cold. Harry may be round, but he is also kind. Young people that are turning blue from being cold will be rough looking. Big people with rough, green skin are cold because of it. Kind people that are round are on the big side. Every person I met that was cold and round was also red. People who are young are also blue. When you run into someone who is rough and green at the same time, they will also be red. A cold blue person who is rough is also kind.", + "original_question": "Harry is big." + }, + { + "id": "AttNonegNatLang-OWA-322", + "question": "Alan can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Bob seems big and rough, but he's actually quite kind. After Eric got wet in the rain, he feels cold. He also looks green but big. For being so cold, it's good Harry can remain nice. A person who is feeling rough, has red cheeks and feeling green will also tend to feel blue. Young and rough people will most certainly be red. A kind person who looks blue because he is is cold is usually big in stature. Rough people who look red are cold. When somebody is red, blue and round, you can bet they are also rough.\n\nQuestion: Bob is big.", + "answer": true, + "QDep": 0, + "original_theory": "Alan can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Bob seems big and rough, but he's actually quite kind. After Eric got wet in the rain, he feels cold. He also looks green but big. For being so cold, it's good Harry can remain nice. A person who is feeling rough, has red cheeks and feeling green will also tend to feel blue. Young and rough people will most certainly be red. A kind person who looks blue because he is is cold is usually big in stature. Rough people who look red are cold. When somebody is red, blue and round, you can bet they are also rough.", + "original_question": "Bob is big." + }, + { + "id": "AttNeg-OWA-D3-372", + "question": "Anne is big. Anne is red. Fiona is big. Fiona is not round. Fiona is smart. Gary is furry. Gary is smart. If Anne is big and Anne is furry then Anne is blue. If someone is white then they are round. If Anne is blue then Anne is white. All red, big people are white. All white people are furry. If someone is furry then they are smart. If Gary is blue and Gary is not big then Gary is smart. If Fiona is red and Fiona is not furry then Fiona is smart.\n\nQuestion: Fiona is not round.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is big. Anne is red. Fiona is big. Fiona is not round. Fiona is smart. Gary is furry. Gary is smart. If Anne is big and Anne is furry then Anne is blue. If someone is white then they are round. If Anne is blue then Anne is white. All red, big people are white. All white people are furry. If someone is furry then they are smart. If Gary is blue and Gary is not big then Gary is smart. If Fiona is red and Fiona is not furry then Fiona is smart.", + "original_question": "Fiona is not round." + }, + { + "id": "AttNeg-OWA-D5-656", + "question": "Anne is smart. Charlie is not blue. Charlie is quiet. Erin is not nice. Erin is round. Harry is green. Harry is young. Smart things are green. If Anne is round then Anne is young. If something is blue and green then it is not quiet. If something is green and smart then it is round. If something is young then it is blue. Smart things are nice. If Harry is quiet and Harry is not smart then Harry is young.\n\nQuestion: Harry is not quiet.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is smart. Charlie is not blue. Charlie is quiet. Erin is not nice. Erin is round. Harry is green. Harry is young. Smart things are green. If Anne is round then Anne is young. If something is blue and green then it is not quiet. If something is green and smart then it is round. If something is young then it is blue. Smart things are nice. If Harry is quiet and Harry is not smart then Harry is young.", + "original_question": "Harry is not quiet." + }, + { + "id": "AttNonegNatLang-OWA-431", + "question": "Bob is a red, rough, green and blue man. Eric is a big fellow, often blue and sad, but he is nice. Gary is a kind person and he is also often cold. Harry seems to be round. When rough and kind can describe a person, then cold will describe them, too. Nice, young red people will also turn out to always be green. Someone with rough and green feet is invariably kind. A big round young person is often blue. A kind person who looks blue because he is is cold is usually big in stature. Green folks who are nice and rough are a round shape.\n\nQuestion: Bob is not cold.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is a red, rough, green and blue man. Eric is a big fellow, often blue and sad, but he is nice. Gary is a kind person and he is also often cold. Harry seems to be round. When rough and kind can describe a person, then cold will describe them, too. Nice, young red people will also turn out to always be green. Someone with rough and green feet is invariably kind. A big round young person is often blue. A kind person who looks blue because he is is cold is usually big in stature. Green folks who are nice and rough are a round shape.", + "original_question": "Bob is not cold." + }, + { + "id": "AttNoneg-OWA-D3-1670", + "question": "Anne is furry. Anne is green. Anne is kind. Anne is quiet. Anne is white. Anne is young. Bob is kind. Bob is quiet. Bob is white. Bob is young. Gary is furry. Gary is green. Gary is kind. Gary is quiet. Gary is smart. Gary is white. All green people are kind. If someone is green and kind then they are quiet. If someone is kind and green then they are smart. White, young people are furry. If someone is green and smart then they are quiet. All furry people are green.\n\nQuestion: Bob is green.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is furry. Anne is green. Anne is kind. Anne is quiet. Anne is white. Anne is young. Bob is kind. Bob is quiet. Bob is white. Bob is young. Gary is furry. Gary is green. Gary is kind. Gary is quiet. Gary is smart. Gary is white. All green people are kind. If someone is green and kind then they are quiet. If someone is kind and green then they are smart. White, young people are furry. If someone is green and smart then they are quiet. All furry people are green.", + "original_question": "Bob is green." + }, + { + "id": "AttNonegNatLang-OWA-316", + "question": "Dave seems to be round. No one knows Fred like me and he is a kind guy, very round in the belly and green as grass. Gary is a kind person and he is also often cold. Harry is round but he is also nice and kind. A person with big, round, kind face appears to be rough around the edges because they are naive. All young and kind people that feel blue are described as red. Round young people, red with loveliness, are very cold towards others. A person that is round and somewhat green while being nice tends to be red as well. People who are young are also blue. I bet anyone who is round and kind is also pretty young.\n\nQuestion: Fred is not cold.", + "answer": false, + "QDep": 4, + "original_theory": "Dave seems to be round. No one knows Fred like me and he is a kind guy, very round in the belly and green as grass. Gary is a kind person and he is also often cold. Harry is round but he is also nice and kind. A person with big, round, kind face appears to be rough around the edges because they are naive. All young and kind people that feel blue are described as red. Round young people, red with loveliness, are very cold towards others. A person that is round and somewhat green while being nice tends to be red as well. People who are young are also blue. I bet anyone who is round and kind is also pretty young.", + "original_question": "Fred is not cold." + }, + { + "id": "AttNeg-OWA-D3-66", + "question": "Bob is not blue. Dave is red. Gary is red. Harry is nice. If Gary is not rough then Gary is white. If something is red then it is round. If Dave is white then Dave is not furry. All white things are blue. Rough, red things are not nice. If something is furry then it is nice. All red, round things are furry. If something is round and not blue then it is furry.\n\nQuestion: Bob is not blue.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is not blue. Dave is red. Gary is red. Harry is nice. If Gary is not rough then Gary is white. If something is red then it is round. If Dave is white then Dave is not furry. All white things are blue. Rough, red things are not nice. If something is furry then it is nice. All red, round things are furry. If something is round and not blue then it is furry.", + "original_question": "Bob is not blue." + }, + { + "id": "RelNoneg-OWA-D2-2004", + "question": "The cat chases the lion. The cat chases the rabbit. The cat eats the rabbit. The cat is green. The lion chases the cat. The lion chases the rabbit. The lion eats the cat. The lion is cold. The lion is red. The lion needs the mouse. The mouse eats the cat. The mouse eats the lion. The rabbit chases the cat. The rabbit eats the cat. The rabbit eats the mouse. The rabbit is cold. If something chases the lion then the lion needs the cat. If something eats the mouse then the mouse is green. If something is cold and it needs the cat then the cat needs the mouse.\n\nQuestion: The cat does not need the mouse.", + "answer": false, + "QDep": 2, + "original_theory": "The cat chases the lion. The cat chases the rabbit. The cat eats the rabbit. The cat is green. The lion chases the cat. The lion chases the rabbit. The lion eats the cat. The lion is cold. The lion is red. The lion needs the mouse. The mouse eats the cat. The mouse eats the lion. The rabbit chases the cat. The rabbit eats the cat. The rabbit eats the mouse. The rabbit is cold. If something chases the lion then the lion needs the cat. If something eats the mouse then the mouse is green. If something is cold and it needs the cat then the cat needs the mouse.", + "original_question": "The cat does not need the mouse." + }, + { + "id": "AttNeg-OWA-D5-64", + "question": "Anne is quiet. Anne is smart. Anne is white. Anne is not young. Bob is young. Erin is not young. Fiona is big. Fiona is quiet. Fiona is red. Fiona is smart. White people are quiet. If someone is young then they are big. Young, smart people are round. Smart, quiet people are round. All quiet, big people are red. If Anne is big and Anne is young then Anne is round. Big people are smart. All smart people are white.\n\nQuestion: Bob is quiet.", + "answer": true, + "QDep": 4, + "original_theory": "Anne is quiet. Anne is smart. Anne is white. Anne is not young. Bob is young. Erin is not young. Fiona is big. Fiona is quiet. Fiona is red. Fiona is smart. White people are quiet. If someone is young then they are big. Young, smart people are round. Smart, quiet people are round. All quiet, big people are red. If Anne is big and Anne is young then Anne is round. Big people are smart. All smart people are white.", + "original_question": "Bob is quiet." + }, + { + "id": "AttNoneg-OWA-D3-647", + "question": "Bob is green. Dave is furry. Dave is green. Dave is nice. Dave is red. Dave is smart. Harry is green. Harry is quiet. Harry is red. Harry is smart. If Harry is quiet then Harry is nice. Green things are nice. If something is green and nice then it is cold. If Harry is cold then Harry is red. Cold things are green. All cold things are furry.\n\nQuestion: Bob is not furry.", + "answer": false, + "QDep": 3, + "original_theory": "Bob is green. Dave is furry. Dave is green. Dave is nice. Dave is red. Dave is smart. Harry is green. Harry is quiet. Harry is red. Harry is smart. If Harry is quiet then Harry is nice. Green things are nice. If something is green and nice then it is cold. If Harry is cold then Harry is red. Cold things are green. All cold things are furry.", + "original_question": "Bob is not furry." + }, + { + "id": "AttNeg-OWA-D0-5790", + "question": "Anne is big. Anne is blue. Anne is furry. Anne is green. Anne is not nice. Anne is not rough. Anne is young. All green, big people are furry. If someone is blue and not young then they are nice.\n\nQuestion: Anne is not young.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is big. Anne is blue. Anne is furry. Anne is green. Anne is not nice. Anne is not rough. Anne is young. All green, big people are furry. If someone is blue and not young then they are nice.", + "original_question": "Anne is not young." + }, + { + "id": "AttNoneg-OWA-D2-1591", + "question": "Charlie is big. Charlie is cold. Charlie is green. Charlie is quiet. Charlie is rough. Charlie is round. Dave is big. Dave is blue. Dave is cold. Dave is green. Dave is quiet. Dave is rough. Dave is round. Erin is big. Erin is blue. Erin is round. Quiet, round things are green. All big things are quiet.\n\nQuestion: Erin is not quiet.", + "answer": false, + "QDep": 1, + "original_theory": "Charlie is big. Charlie is cold. Charlie is green. Charlie is quiet. Charlie is rough. Charlie is round. Dave is big. Dave is blue. Dave is cold. Dave is green. Dave is quiet. Dave is rough. Dave is round. Erin is big. Erin is blue. Erin is round. Quiet, round things are green. All big things are quiet.", + "original_question": "Erin is not quiet." + }, + { + "id": "AttNeg-OWA-D3-1470", + "question": "Anne is green. Harry is cold. If Harry is young then Harry is kind. All furry people are kind. If someone is kind and furry then they are cold. If someone is green then they are young. If someone is smart and furry then they are not young. Green people are furry.\n\nQuestion: Anne is young.", + "answer": true, + "QDep": 1, + "original_theory": "Anne is green. Harry is cold. If Harry is young then Harry is kind. All furry people are kind. If someone is kind and furry then they are cold. If someone is green then they are young. If someone is smart and furry then they are not young. Green people are furry.", + "original_question": "Anne is young." + }, + { + "id": "AttNeg-OWA-D3-1631", + "question": "Bob is big. All quiet things are not green. Round things are green. If something is green and quiet then it is not big. All big things are round. If something is quiet and not blue then it is round. If Bob is green then Bob is nice.\n\nQuestion: Bob is not big.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is big. All quiet things are not green. Round things are green. If something is green and quiet then it is not big. All big things are round. If something is quiet and not blue then it is round. If Bob is green then Bob is nice.", + "original_question": "Bob is not big." + }, + { + "id": "RelNeg-OWA-D2-327", + "question": "The bald eagle does not chase the rabbit. The bald eagle is not big. The bald eagle is red. The bald eagle likes the rabbit. The bald eagle sees the rabbit. The rabbit does not chase the bald eagle. The rabbit is red. The rabbit is not rough. The rabbit likes the bald eagle. The rabbit sees the bald eagle. If something is rough then it is big. If the rabbit sees the bald eagle and the rabbit does not chase the bald eagle then the bald eagle sees the rabbit. If something likes the rabbit and it does not see the bald eagle then it likes the bald eagle. If something likes the rabbit then the rabbit is big. If something chases the bald eagle and the bald eagle sees the rabbit then it chases the rabbit. All big things are cold. If the bald eagle is rough then the bald eagle chases the rabbit. If the rabbit sees the bald eagle and the bald eagle does not like the rabbit then the bald eagle is rough.\n\nQuestion: The rabbit is cold.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle does not chase the rabbit. The bald eagle is not big. The bald eagle is red. The bald eagle likes the rabbit. The bald eagle sees the rabbit. The rabbit does not chase the bald eagle. The rabbit is red. The rabbit is not rough. The rabbit likes the bald eagle. The rabbit sees the bald eagle. If something is rough then it is big. If the rabbit sees the bald eagle and the rabbit does not chase the bald eagle then the bald eagle sees the rabbit. If something likes the rabbit and it does not see the bald eagle then it likes the bald eagle. If something likes the rabbit then the rabbit is big. If something chases the bald eagle and the bald eagle sees the rabbit then it chases the rabbit. All big things are cold. If the bald eagle is rough then the bald eagle chases the rabbit. If the rabbit sees the bald eagle and the bald eagle does not like the rabbit then the bald eagle is rough.", + "original_question": "The rabbit is cold." + }, + { + "id": "AttNonegNatLang-OWA-398", + "question": "No one knows Alan like me and he is a kind guy, very round in the belly and green as grass. Eric may be round, but he is also kind. Fred has a round shape and is known to be cold and rough around the edges; however, he can also be kind. That guy Harry sure is nice. People who have green body paint and act kind to others are quite young. Young, red people are usually quite blue too. Rough and big people are always also cold people. You must be aware of big, red, young people being rough. Big people with rough, green skin are cold because of it. A kind person will certainly be young. A person who is rough and young while being kind tends to be red.\n\nQuestion: Fred is not young.", + "answer": false, + "QDep": 1, + "original_theory": "No one knows Alan like me and he is a kind guy, very round in the belly and green as grass. Eric may be round, but he is also kind. Fred has a round shape and is known to be cold and rough around the edges; however, he can also be kind. That guy Harry sure is nice. People who have green body paint and act kind to others are quite young. Young, red people are usually quite blue too. Rough and big people are always also cold people. You must be aware of big, red, young people being rough. Big people with rough, green skin are cold because of it. A kind person will certainly be young. A person who is rough and young while being kind tends to be red.", + "original_question": "Fred is not young." + }, + { + "id": "RelNoneg-OWA-D3-194", + "question": "The bald eagle likes the cat. The bald eagle likes the cow. The bald eagle visits the cow. The bear needs the cow. The cat likes the bear. The cat needs the bear. The cat visits the bald eagle. The cow is round. The cow likes the bear. The cow visits the bald eagle. If someone needs the bald eagle then the bald eagle is cold. If someone is rough then they visit the bear. If someone likes the cat then the cat needs the bear. If someone likes the bear then they like the bald eagle. If someone is rough and round then they need the bear. If someone needs the cow then they visit the cow. If someone likes the bald eagle then they visit the bear. If someone needs the cow and the cow visits the bear then the cow needs the cat.\n\nQuestion: The cat likes the bald eagle.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle likes the cat. The bald eagle likes the cow. The bald eagle visits the cow. The bear needs the cow. The cat likes the bear. The cat needs the bear. The cat visits the bald eagle. The cow is round. The cow likes the bear. The cow visits the bald eagle. If someone needs the bald eagle then the bald eagle is cold. If someone is rough then they visit the bear. If someone likes the cat then the cat needs the bear. If someone likes the bear then they like the bald eagle. If someone is rough and round then they need the bear. If someone needs the cow then they visit the cow. If someone likes the bald eagle then they visit the bear. If someone needs the cow and the cow visits the bear then the cow needs the cat.", + "original_question": "The cat likes the bald eagle." + }, + { + "id": "AttNeg-OWA-D2-1969", + "question": "Anne is blue. Bob is quiet. Charlie is not cold. Erin is blue. If something is smart and not kind then it is not nice. Cold things are nice. If something is smart and not kind then it is cold. Smart things are not cold. All quiet things are smart. If Charlie is nice and Charlie is kind then Charlie is rough.\n\nQuestion: Charlie is not cold.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is blue. Bob is quiet. Charlie is not cold. Erin is blue. If something is smart and not kind then it is not nice. Cold things are nice. If something is smart and not kind then it is cold. Smart things are not cold. All quiet things are smart. If Charlie is nice and Charlie is kind then Charlie is rough.", + "original_question": "Charlie is not cold." + }, + { + "id": "RelNeg-OWA-D0-4543", + "question": "The bear does not chase the cow. The bear chases the dog. The bear is blue. The bear is not green. The bear visits the dog. The cow is not young. The cow does not visit the dog. The dog does not need the tiger. The dog visits the bear. The tiger visits the dog. If something chases the tiger then it is young. If something visits the dog and it is not big then it is rough. If something visits the cow and it is not young then it visits the tiger.\n\nQuestion: The dog does not visit the bear.", + "answer": false, + "QDep": 0, + "original_theory": "The bear does not chase the cow. The bear chases the dog. The bear is blue. The bear is not green. The bear visits the dog. The cow is not young. The cow does not visit the dog. The dog does not need the tiger. The dog visits the bear. The tiger visits the dog. If something chases the tiger then it is young. If something visits the dog and it is not big then it is rough. If something visits the cow and it is not young then it visits the tiger.", + "original_question": "The dog does not visit the bear." + }, + { + "id": "AttNoneg-OWA-D3-1393", + "question": "Charlie is smart. Fiona is quiet. Gary is round. Harry is smart. If Fiona is blue then Fiona is cold. Green, blue things are young. All smart, round things are quiet. If something is round and cold then it is green. Cold things are young. If something is quiet then it is blue.\n\nQuestion: Fiona is not blue.", + "answer": false, + "QDep": 1, + "original_theory": "Charlie is smart. Fiona is quiet. Gary is round. Harry is smart. If Fiona is blue then Fiona is cold. Green, blue things are young. All smart, round things are quiet. If something is round and cold then it is green. Cold things are young. If something is quiet then it is blue.", + "original_question": "Fiona is not blue." + }, + { + "id": "AttNeg-OWA-D3-289", + "question": "Anne is furry. Charlie is furry. Dave is not red. Gary is not white. All big, young people are white. Furry people are white. If someone is big and not young then they are red. White, furry people are red. Red people are not round. All red, big people are cold. All red people are furry. If Gary is white and Gary is not young then Gary is big.\n\nQuestion: Charlie is not white.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is furry. Charlie is furry. Dave is not red. Gary is not white. All big, young people are white. Furry people are white. If someone is big and not young then they are red. White, furry people are red. Red people are not round. All red, big people are cold. All red people are furry. If Gary is white and Gary is not young then Gary is big.", + "original_question": "Charlie is not white." + }, + { + "id": "RelNeg-OWA-D3-1427", + "question": "The cat eats the rabbit. The rabbit eats the tiger. The tiger sees the cat. If the tiger does not see the rabbit then the tiger is round. If the cat needs the tiger then the tiger is round. If something needs the cat then the cat does not need the tiger. If something sees the tiger then the tiger is big. If the tiger is round then the tiger needs the rabbit. If something eats the rabbit then it needs the tiger.\n\nQuestion: The tiger needs the rabbit.", + "answer": true, + "QDep": 3, + "original_theory": "The cat eats the rabbit. The rabbit eats the tiger. The tiger sees the cat. If the tiger does not see the rabbit then the tiger is round. If the cat needs the tiger then the tiger is round. If something needs the cat then the cat does not need the tiger. If something sees the tiger then the tiger is big. If the tiger is round then the tiger needs the rabbit. If something eats the rabbit then it needs the tiger.", + "original_question": "The tiger needs the rabbit." + }, + { + "id": "AttNeg-OWA-D3-1631", + "question": "Bob is big. All quiet things are not green. Round things are green. If something is green and quiet then it is not big. All big things are round. If something is quiet and not blue then it is round. If Bob is green then Bob is nice.\n\nQuestion: Bob is big.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is big. All quiet things are not green. Round things are green. If something is green and quiet then it is not big. All big things are round. If something is quiet and not blue then it is round. If Bob is green then Bob is nice.", + "original_question": "Bob is big." + }, + { + "id": "AttNeg-OWA-D3-267", + "question": "Anne is red. Fiona is furry. Gary is quiet. Big, round people are white. Red people are not white. If Fiona is rough and Fiona is white then Fiona is big. All quiet people are big. Rough, quiet people are red. If someone is quiet and not rough then they are furry. If someone is quiet and big then they are furry. Furry people are round.\n\nQuestion: Gary is furry.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is red. Fiona is furry. Gary is quiet. Big, round people are white. Red people are not white. If Fiona is rough and Fiona is white then Fiona is big. All quiet people are big. Rough, quiet people are red. If someone is quiet and not rough then they are furry. If someone is quiet and big then they are furry. Furry people are round.", + "original_question": "Gary is furry." + }, + { + "id": "AttNoneg-OWA-D5-995", + "question": "Anne is cold. Anne is kind. Anne is round. Dave is big. Dave is young. Gary is green. Harry is young. Kind things are cold. If Dave is big then Dave is kind. If something is young then it is cold. Round, cold things are big. All kind, young things are smart. Kind, green things are round. Young, round things are green. If Harry is young and Harry is cold then Harry is green. Young, green things are kind.\n\nQuestion: Anne is not big.", + "answer": false, + "QDep": 1, + "original_theory": "Anne is cold. Anne is kind. Anne is round. Dave is big. Dave is young. Gary is green. Harry is young. Kind things are cold. If Dave is big then Dave is kind. If something is young then it is cold. Round, cold things are big. All kind, young things are smart. Kind, green things are round. Young, round things are green. If Harry is young and Harry is cold then Harry is green. Young, green things are kind.", + "original_question": "Anne is not big." + }, + { + "id": "AttNeg-OWA-D3-712", + "question": "Bob is not big. Erin is rough. Gary is big. Gary is not furry. Gary is not young. Harry is quiet. Harry is young. All young, nice people are not big. If someone is smart then they are furry. If someone is furry and smart then they are rough. All big, smart people are nice. All rough, nice people are young. If someone is young then they are smart.\n\nQuestion: Harry is not smart.", + "answer": false, + "QDep": 1, + "original_theory": "Bob is not big. Erin is rough. Gary is big. Gary is not furry. Gary is not young. Harry is quiet. Harry is young. All young, nice people are not big. If someone is smart then they are furry. If someone is furry and smart then they are rough. All big, smart people are nice. All rough, nice people are young. If someone is young then they are smart.", + "original_question": "Harry is not smart." + }, + { + "id": "AttNoneg-OWA-D3-1522", + "question": "Bob is cold. Bob is furry. Bob is nice. Bob is red. Bob is round. Bob is smart. Erin is red. If someone is furry then they are round. If Bob is nice and Bob is big then Bob is smart. All red people are furry. If someone is furry and big then they are round. If someone is red and round then they are nice. All big, cold people are red. All furry people are red. All big people are cold.\n\nQuestion: Erin is nice.", + "answer": true, + "QDep": 3, + "original_theory": "Bob is cold. Bob is furry. Bob is nice. Bob is red. Bob is round. Bob is smart. Erin is red. If someone is furry then they are round. If Bob is nice and Bob is big then Bob is smart. All red people are furry. If someone is furry and big then they are round. If someone is red and round then they are nice. All big, cold people are red. All furry people are red. All big people are cold.", + "original_question": "Erin is nice." + }, + { + "id": "RelNoneg-OWA-D0-6192", + "question": "The lion is cold. The lion is green. The lion is nice. The lion is rough. The lion is young. All young, cold things are green. All rough, green things are cold. If the lion is young and the lion is nice then the lion is cold. If the lion is young then the lion is green. Cold things are green. All young, cold things are rough.\n\nQuestion: The lion is not cold.", + "answer": false, + "QDep": 0, + "original_theory": "The lion is cold. The lion is green. The lion is nice. The lion is rough. The lion is young. All young, cold things are green. All rough, green things are cold. If the lion is young and the lion is nice then the lion is cold. If the lion is young then the lion is green. Cold things are green. All young, cold things are rough.", + "original_question": "The lion is not cold." + }, + { + "id": "RelNoneg-OWA-D5-568", + "question": "The bald eagle chases the dog. The bald eagle is kind. The bald eagle is red. The bald eagle sees the tiger. The cat chases the bald eagle. The cat is kind. The cat likes the dog. The cat sees the bald eagle. The cat sees the tiger. The dog is big. The dog likes the tiger. The dog sees the cat. The tiger is cold. The tiger is red. The tiger likes the bald eagle. The tiger sees the bald eagle. If something likes the tiger then it chases the bald eagle. If the tiger chases the dog then the dog chases the cat. If something is round then it chases the dog. If something sees the cat and it chases the bald eagle then it likes the cat. If something is red then it is round. If the dog sees the bald eagle then the bald eagle sees the dog. If something chases the cat then the cat is round.\n\nQuestion: The dog chases the cat.", + "answer": true, + "QDep": 3, + "original_theory": "The bald eagle chases the dog. The bald eagle is kind. The bald eagle is red. The bald eagle sees the tiger. The cat chases the bald eagle. The cat is kind. The cat likes the dog. The cat sees the bald eagle. The cat sees the tiger. The dog is big. The dog likes the tiger. The dog sees the cat. The tiger is cold. The tiger is red. The tiger likes the bald eagle. The tiger sees the bald eagle. If something likes the tiger then it chases the bald eagle. If the tiger chases the dog then the dog chases the cat. If something is round then it chases the dog. If something sees the cat and it chases the bald eagle then it likes the cat. If something is red then it is round. If the dog sees the bald eagle then the bald eagle sees the dog. If something chases the cat then the cat is round.", + "original_question": "The dog chases the cat." + }, + { + "id": "RelNeg-OWA-D2-1730", + "question": "The lion is big. The lion is cold. The lion is red. Cold, blue things are kind. All big, blue things are red. If something is kind and big then it is red. If something is kind and big then it is red. Big things are blue. Blue things are cold. All kind things are cold. If the lion is cold then the lion is red.\n\nQuestion: The lion is not red.", + "answer": false, + "QDep": 0, + "original_theory": "The lion is big. The lion is cold. The lion is red. Cold, blue things are kind. All big, blue things are red. If something is kind and big then it is red. If something is kind and big then it is red. Big things are blue. Blue things are cold. All kind things are cold. If the lion is cold then the lion is red.", + "original_question": "The lion is not red." + }, + { + "id": "AttNoneg-OWA-D0-1478", + "question": "Dave is cold. Dave is quiet. Dave is round. If Dave is big then Dave is quiet. Quiet people are red. If someone is quiet then they are cold. If Dave is young then Dave is cold. All round, red people are cold. If Dave is round and Dave is quiet then Dave is red.\n\nQuestion: Dave is not round.", + "answer": false, + "QDep": 0, + "original_theory": "Dave is cold. Dave is quiet. Dave is round. If Dave is big then Dave is quiet. Quiet people are red. If someone is quiet then they are cold. If Dave is young then Dave is cold. All round, red people are cold. If Dave is round and Dave is quiet then Dave is red.", + "original_question": "Dave is not round." + }, + { + "id": "RelNeg-OWA-D3-592", + "question": "The bald eagle is rough. The bald eagle is not young. The bald eagle does not like the lion. The lion likes the tiger. The lion needs the bald eagle. The tiger is rough. The tiger likes the bald eagle. If someone is young and they do not need the bald eagle then they are blue. If someone needs the bald eagle and the bald eagle is young then they are blue. If someone likes the lion and the lion needs the bald eagle then the lion needs the tiger. If someone needs the tiger then they do not like the bald eagle. If someone likes the tiger then the tiger likes the lion. If someone needs the bald eagle and the bald eagle likes the lion then they do not like the lion.\n\nQuestion: The tiger likes the lion.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle is rough. The bald eagle is not young. The bald eagle does not like the lion. The lion likes the tiger. The lion needs the bald eagle. The tiger is rough. The tiger likes the bald eagle. If someone is young and they do not need the bald eagle then they are blue. If someone needs the bald eagle and the bald eagle is young then they are blue. If someone likes the lion and the lion needs the bald eagle then the lion needs the tiger. If someone needs the tiger then they do not like the bald eagle. If someone likes the tiger then the tiger likes the lion. If someone needs the bald eagle and the bald eagle likes the lion then they do not like the lion.", + "original_question": "The tiger likes the lion." + }, + { + "id": "AttNoneg-OWA-D5-240", + "question": "Anne is round. Anne is young. Bob is round. Bob is smart. Dave is blue. Dave is kind. Dave is round. Dave is smart. Dave is white. Erin is smart. If someone is round and blue then they are white. Kind people are blue. All round people are kind. White, round people are young. All round, kind people are smart. If Bob is young and Bob is blue then Bob is furry. Furry people are young.\n\nQuestion: Bob is not young.", + "answer": false, + "QDep": 4, + "original_theory": "Anne is round. Anne is young. Bob is round. Bob is smart. Dave is blue. Dave is kind. Dave is round. Dave is smart. Dave is white. Erin is smart. If someone is round and blue then they are white. Kind people are blue. All round people are kind. White, round people are young. All round, kind people are smart. If Bob is young and Bob is blue then Bob is furry. Furry people are young.", + "original_question": "Bob is not young." + }, + { + "id": "RelNeg-OWA-D3-1128", + "question": "The bear needs the cat. The bear needs the dog. The bear visits the dog. The cat is cold. The cat is red. The cat needs the bear. The cat sees the dog. The cat does not visit the dog. The dog is not red. The dog sees the bear. If someone sees the bear and they need the bear then they are not round. If someone visits the dog then the dog visits the cat. If someone visits the cat and the cat sees the dog then the cat sees the bear. If someone visits the dog then the dog sees the bear. If someone visits the bear and they see the cat then the bear visits the dog. If the cat does not see the dog and the cat is not big then the cat visits the dog.\n\nQuestion: The cat is not round.", + "answer": true, + "QDep": 3, + "original_theory": "The bear needs the cat. The bear needs the dog. The bear visits the dog. The cat is cold. The cat is red. The cat needs the bear. The cat sees the dog. The cat does not visit the dog. The dog is not red. The dog sees the bear. If someone sees the bear and they need the bear then they are not round. If someone visits the dog then the dog visits the cat. If someone visits the cat and the cat sees the dog then the cat sees the bear. If someone visits the dog then the dog sees the bear. If someone visits the bear and they see the cat then the bear visits the dog. If the cat does not see the dog and the cat is not big then the cat visits the dog.", + "original_question": "The cat is not round." + }, + { + "id": "RelNoneg-OWA-D2-1579", + "question": "The mouse is cold. The mouse is green. The mouse is rough. The mouse is round. The mouse is young. The mouse likes the tiger. The mouse sees the tiger. The mouse visits the tiger. The tiger is cold. The tiger is green. The tiger is rough. The tiger is round. The tiger is young. The tiger likes the mouse. The tiger sees the mouse. The tiger visits the mouse. If something is young then it likes the tiger. If something is green and it sees the mouse then it is cold. If something is young and it likes the tiger then it sees the mouse. If the tiger sees the mouse then the mouse visits the tiger. If something is green then it sees the tiger. If something likes the mouse and the mouse visits the tiger then it is young. If something sees the mouse and it is round then it visits the mouse. If something is cold and it visits the tiger then it sees the mouse.\n\nQuestion: The tiger likes the tiger.", + "answer": true, + "QDep": 1, + "original_theory": "The mouse is cold. The mouse is green. The mouse is rough. The mouse is round. The mouse is young. The mouse likes the tiger. The mouse sees the tiger. The mouse visits the tiger. The tiger is cold. The tiger is green. The tiger is rough. The tiger is round. The tiger is young. The tiger likes the mouse. The tiger sees the mouse. The tiger visits the mouse. If something is young then it likes the tiger. If something is green and it sees the mouse then it is cold. If something is young and it likes the tiger then it sees the mouse. If the tiger sees the mouse then the mouse visits the tiger. If something is green then it sees the tiger. If something likes the mouse and the mouse visits the tiger then it is young. If something sees the mouse and it is round then it visits the mouse. If something is cold and it visits the tiger then it sees the mouse.", + "original_question": "The tiger likes the tiger." + }, + { + "id": "AttNeg-OWA-D1-1450", + "question": "Anne is blue. Anne is furry. Dave is rough. Nice things are furry. If something is blue then it is furry. If Dave is rough and Dave is blue then Dave is red. If something is rough then it is red. If something is blue then it is not round. If Anne is blue then Anne is furry. Furry things are rough. If Dave is nice and Dave is not red then Dave is not white.\n\nQuestion: Anne is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is blue. Anne is furry. Dave is rough. Nice things are furry. If something is blue then it is furry. If Dave is rough and Dave is blue then Dave is red. If something is rough then it is red. If something is blue then it is not round. If Anne is blue then Anne is furry. Furry things are rough. If Dave is nice and Dave is not red then Dave is not white.", + "original_question": "Anne is not blue." + }, + { + "id": "AttNeg-OWA-D5-1209", + "question": "Anne is cold. Anne is kind. Anne is not round. Charlie is cold. Charlie is smart. Fiona is big. Fiona is not kind. Fiona is red. Gary is big. Gary is smart. All kind things are furry. All cold things are furry. If Charlie is red then Charlie is big. If Charlie is red and Charlie is kind then Charlie is not round. All smart, furry things are red. All big things are red. Big, furry things are kind. If Gary is red and Gary is cold then Gary is furry.\n\nQuestion: Charlie is not kind.", + "answer": false, + "QDep": 4, + "original_theory": "Anne is cold. Anne is kind. Anne is not round. Charlie is cold. Charlie is smart. Fiona is big. Fiona is not kind. Fiona is red. Gary is big. Gary is smart. All kind things are furry. All cold things are furry. If Charlie is red then Charlie is big. If Charlie is red and Charlie is kind then Charlie is not round. All smart, furry things are red. All big things are red. Big, furry things are kind. If Gary is red and Gary is cold then Gary is furry.", + "original_question": "Charlie is not kind." + }, + { + "id": "RelNoneg-OWA-D5-902", + "question": "The bald eagle is kind. The bald eagle needs the mouse. The cow chases the bald eagle. The cow is blue. The dog chases the bald eagle. The dog chases the cow. The dog chases the mouse. The dog eats the mouse. The dog is green. The mouse needs the bald eagle. If the bald eagle eats the mouse and the mouse is nice then the mouse is rough. If something chases the bald eagle and the bald eagle is rough then the bald eagle eats the cow. If something chases the bald eagle then the bald eagle is rough. If something chases the cow and it is nice then the cow chases the mouse. If something needs the bald eagle then it is blue. If something eats the cow then it is green. If something chases the dog then the dog eats the cow. If something eats the dog and the dog chases the mouse then the dog needs the bald eagle. If something is green and it needs the mouse then the mouse eats the cow.\n\nQuestion: The mouse does not eat the cow.", + "answer": false, + "QDep": 4, + "original_theory": "The bald eagle is kind. The bald eagle needs the mouse. The cow chases the bald eagle. The cow is blue. The dog chases the bald eagle. The dog chases the cow. The dog chases the mouse. The dog eats the mouse. The dog is green. The mouse needs the bald eagle. If the bald eagle eats the mouse and the mouse is nice then the mouse is rough. If something chases the bald eagle and the bald eagle is rough then the bald eagle eats the cow. If something chases the bald eagle then the bald eagle is rough. If something chases the cow and it is nice then the cow chases the mouse. If something needs the bald eagle then it is blue. If something eats the cow then it is green. If something chases the dog then the dog eats the cow. If something eats the dog and the dog chases the mouse then the dog needs the bald eagle. If something is green and it needs the mouse then the mouse eats the cow.", + "original_question": "The mouse does not eat the cow." + }, + { + "id": "AttNoneg-OWA-D5-115", + "question": "Bob is nice. Bob is rough. Bob is round. Dave is nice. Erin is cold. Harry is green. Harry is quiet. All rough things are nice. Nice things are rough. All round, quiet things are cold. All big, round things are green. If something is big and quiet then it is round. If something is rough and quiet then it is green. Rough things are quiet. All green things are big.\n\nQuestion: Harry is quiet.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is nice. Bob is rough. Bob is round. Dave is nice. Erin is cold. Harry is green. Harry is quiet. All rough things are nice. Nice things are rough. All round, quiet things are cold. All big, round things are green. If something is big and quiet then it is round. If something is rough and quiet then it is green. Rough things are quiet. All green things are big.", + "original_question": "Harry is quiet." + }, + { + "id": "RelNeg-OWA-D3-994", + "question": "The cow does not chase the tiger. The tiger is big. If someone is big then they chase the cow. If someone is red then they do not chase the cow. If the tiger chases the cow then the cow is red. If someone is nice and they do not need the tiger then the tiger needs the cow. If the tiger sees the cow and the tiger is not green then the tiger does not need the cow. If someone chases the cow and they chase the tiger then the tiger does not chase the cow. If someone needs the cow and they are red then they see the tiger. If someone is nice then they need the cow.\n\nQuestion: The tiger chases the cow.", + "answer": true, + "QDep": 1, + "original_theory": "The cow does not chase the tiger. The tiger is big. If someone is big then they chase the cow. If someone is red then they do not chase the cow. If the tiger chases the cow then the cow is red. If someone is nice and they do not need the tiger then the tiger needs the cow. If the tiger sees the cow and the tiger is not green then the tiger does not need the cow. If someone chases the cow and they chase the tiger then the tiger does not chase the cow. If someone needs the cow and they are red then they see the tiger. If someone is nice then they need the cow.", + "original_question": "The tiger chases the cow." + }, + { + "id": "AttNoneg-OWA-D2-1696", + "question": "Dave is blue. Dave is nice. Dave is red. Dave is smart. Dave is young. Erin is big. Erin is blue. Erin is nice. Erin is red. Erin is round. Erin is smart. Erin is young. Round, red things are big. Red things are round. Smart things are red. Round things are nice. If something is big and blue then it is nice. If something is smart and red then it is young.\n\nQuestion: Dave is round.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is blue. Dave is nice. Dave is red. Dave is smart. Dave is young. Erin is big. Erin is blue. Erin is nice. Erin is red. Erin is round. Erin is smart. Erin is young. Round, red things are big. Red things are round. Smart things are red. Round things are nice. If something is big and blue then it is nice. If something is smart and red then it is young.", + "original_question": "Dave is round." + }, + { + "id": "RelNoneg-OWA-D1-2149", + "question": "The bear is blue. The bear is nice. The bear likes the cat. The bear likes the tiger. The cat chases the tiger. The cat is blue. The cat is nice. The cat is rough. The cat needs the tiger. The tiger chases the cat. The tiger is blue. The tiger is rough. The tiger likes the bear. The tiger likes the cat. The tiger needs the bear. The tiger needs the cat. If someone needs the cat then the cat likes the tiger. Red people are blue.\n\nQuestion: The cat does not chase the tiger.", + "answer": false, + "QDep": 0, + "original_theory": "The bear is blue. The bear is nice. The bear likes the cat. The bear likes the tiger. The cat chases the tiger. The cat is blue. The cat is nice. The cat is rough. The cat needs the tiger. The tiger chases the cat. The tiger is blue. The tiger is rough. The tiger likes the bear. The tiger likes the cat. The tiger needs the bear. The tiger needs the cat. If someone needs the cat then the cat likes the tiger. Red people are blue.", + "original_question": "The cat does not chase the tiger." + }, + { + "id": "RelNeg-OWA-D1-190", + "question": "The cat is not big. The cat is cold. The cat is nice. The cat is red. The cat is not round. The cat likes the lion. The cat needs the lion. The cat sees the lion. The lion is big. The lion is cold. The lion is nice. The lion is red. The lion is not round. The lion likes the cat. The lion needs the cat. The lion sees the cat. If the cat needs the lion and the cat does not see the lion then the cat is nice. If someone sees the lion and the lion is red then they see the cat. If someone needs the cat and the cat is not nice then they do not like the cat.\n\nQuestion: The cat does not see the cat.", + "answer": false, + "QDep": 1, + "original_theory": "The cat is not big. The cat is cold. The cat is nice. The cat is red. The cat is not round. The cat likes the lion. The cat needs the lion. The cat sees the lion. The lion is big. The lion is cold. The lion is nice. The lion is red. The lion is not round. The lion likes the cat. The lion needs the cat. The lion sees the cat. If the cat needs the lion and the cat does not see the lion then the cat is nice. If someone sees the lion and the lion is red then they see the cat. If someone needs the cat and the cat is not nice then they do not like the cat.", + "original_question": "The cat does not see the cat." + }, + { + "id": "RelNoneg-OWA-D3-134", + "question": "The bear is kind. The cat visits the bear. The dog is round. If something sees the dog then the dog visits the cat. If something visits the bear and the bear sees the dog then it is round. If something is round then it sees the cat. If the bear sees the dog then the bear likes the dog. If something visits the cat then the cat likes the bear. If something likes the dog and the dog likes the cat then the dog visits the bear. If something visits the cat and it is cold then it sees the cat. If something is kind then it sees the dog.\n\nQuestion: The cat sees the cat.", + "answer": true, + "QDep": 3, + "original_theory": "The bear is kind. The cat visits the bear. The dog is round. If something sees the dog then the dog visits the cat. If something visits the bear and the bear sees the dog then it is round. If something is round then it sees the cat. If the bear sees the dog then the bear likes the dog. If something visits the cat then the cat likes the bear. If something likes the dog and the dog likes the cat then the dog visits the bear. If something visits the cat and it is cold then it sees the cat. If something is kind then it sees the dog.", + "original_question": "The cat sees the cat." + }, + { + "id": "AttNoneg-OWA-D0-6811", + "question": "Bob is big. Bob is furry. Bob is green. Bob is smart. Bob is white. Charlie is big. Charlie is furry. Charlie is green. Charlie is kind. Charlie is smart. Charlie is white. Dave is furry. Dave is kind. Dave is round. Gary is furry. Gary is smart. All round things are green.\n\nQuestion: Dave is kind.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is big. Bob is furry. Bob is green. Bob is smart. Bob is white. Charlie is big. Charlie is furry. Charlie is green. Charlie is kind. Charlie is smart. Charlie is white. Dave is furry. Dave is kind. Dave is round. Gary is furry. Gary is smart. All round things are green.", + "original_question": "Dave is kind." + }, + { + "id": "AttNeg-OWA-D3-1028", + "question": "Bob is blue. Erin is quiet. Fiona is cold. Harry is cold. All quiet things are blue. If Harry is blue then Harry is not young. Blue things are young. Blue, round things are cold. If something is blue and not red then it is round. If something is young then it is white. If Erin is red and Erin is not round then Erin is young. If Erin is red and Erin is not cold then Erin is white.\n\nQuestion: Bob is young.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is blue. Erin is quiet. Fiona is cold. Harry is cold. All quiet things are blue. If Harry is blue then Harry is not young. Blue things are young. Blue, round things are cold. If something is blue and not red then it is round. If something is young then it is white. If Erin is red and Erin is not round then Erin is young. If Erin is red and Erin is not cold then Erin is white.", + "original_question": "Bob is young." + }, + { + "id": "AttNeg-OWA-D0-4296", + "question": "Bob is smart. Charlie is nice. Harry is rough. Quiet people are nice.\n\nQuestion: Harry is rough.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is smart. Charlie is nice. Harry is rough. Quiet people are nice.", + "original_question": "Harry is rough." + }, + { + "id": "RelNoneg-OWA-D3-1427", + "question": "The bald eagle chases the cow. The bald eagle eats the cow. The bald eagle is big. The bald eagle visits the cow. The cow is big. The cow is blue. The cow is red. If something chases the bald eagle and it visits the bald eagle then it is young. If the bald eagle eats the cow and the cow visits the bald eagle then the cow is nice. If something is blue then it chases the cow. If the bald eagle visits the cow then the bald eagle is big. If something visits the bald eagle then it eats the cow. If something chases the bald eagle then the bald eagle is young. If the cow visits the bald eagle then the bald eagle is red. If something chases the cow then it visits the bald eagle.\n\nQuestion: The cow chases the cow.", + "answer": true, + "QDep": 1, + "original_theory": "The bald eagle chases the cow. The bald eagle eats the cow. The bald eagle is big. The bald eagle visits the cow. The cow is big. The cow is blue. The cow is red. If something chases the bald eagle and it visits the bald eagle then it is young. If the bald eagle eats the cow and the cow visits the bald eagle then the cow is nice. If something is blue then it chases the cow. If the bald eagle visits the cow then the bald eagle is big. If something visits the bald eagle then it eats the cow. If something chases the bald eagle then the bald eagle is young. If the cow visits the bald eagle then the bald eagle is red. If something chases the cow then it visits the bald eagle.", + "original_question": "The cow chases the cow." + }, + { + "id": "AttNeg-OWA-D5-382", + "question": "Bob is kind. Bob is red. Bob is round. Charlie is kind. Fiona is not green. Fiona is smart. Gary is round. All round people are quiet. All smart people are round. If someone is furry and not green then they are smart. Quiet people are smart. If someone is kind and quiet then they are not furry. If someone is smart then they are kind. If someone is kind and not furry then they are red.\n\nQuestion: Gary is not round.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is kind. Bob is red. Bob is round. Charlie is kind. Fiona is not green. Fiona is smart. Gary is round. All round people are quiet. All smart people are round. If someone is furry and not green then they are smart. Quiet people are smart. If someone is kind and quiet then they are not furry. If someone is smart then they are kind. If someone is kind and not furry then they are red.", + "original_question": "Gary is not round." + }, + { + "id": "AttNonegNatLang-OWA-287", + "question": "Bob is a young, round shaped young man who is also very cold. Charlie is a young, round shaped young man who is also very cold. Eric is still young, yet very big and plays rough. He has red hair with green eyes, and nice skin tone. Rough people who are red in color and big are usally round in shape. All those who are nice and big are red. If you pass someone who is red and round and kind, you'll notice they act in a cold manner. A big and round individual is sure to be a kind individual, too. People who are young and blue are also red. People that are green and big while also being cold are always nice. A nice person with cold skin is going to be rough.\n\nQuestion: Bob is not young.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is a young, round shaped young man who is also very cold. Charlie is a young, round shaped young man who is also very cold. Eric is still young, yet very big and plays rough. He has red hair with green eyes, and nice skin tone. Rough people who are red in color and big are usally round in shape. All those who are nice and big are red. If you pass someone who is red and round and kind, you'll notice they act in a cold manner. A big and round individual is sure to be a kind individual, too. People who are young and blue are also red. People that are green and big while also being cold are always nice. A nice person with cold skin is going to be rough.", + "original_question": "Bob is not young." + }, + { + "id": "AttNoneg-OWA-D3-1155", + "question": "Erin is nice. Erin is red. Fiona is cold. Fiona is nice. Fiona is smart. Fiona is white. Harry is nice. Harry is red. Harry is round. Harry is white. If someone is round and smart then they are red. Nice, smart people are round. Red people are furry.\n\nQuestion: Fiona is red.", + "answer": true, + "QDep": 2, + "original_theory": "Erin is nice. Erin is red. Fiona is cold. Fiona is nice. Fiona is smart. Fiona is white. Harry is nice. Harry is red. Harry is round. Harry is white. If someone is round and smart then they are red. Nice, smart people are round. Red people are furry.", + "original_question": "Fiona is red." + }, + { + "id": "AttNoneg-OWA-D3-595", + "question": "Anne is quiet. Anne is round. Anne is smart. Anne is young. Dave is blue. Dave is cold. Dave is round. Dave is smart. Fiona is quiet. Fiona is round. Fiona is smart. Fiona is young. Harry is blue. Harry is quiet. Harry is smart. If something is round then it is green. Green, smart things are young. Blue things are round. If something is young and smart then it is blue. All blue, cold things are quiet. If Fiona is quiet then Fiona is young.\n\nQuestion: Dave is not young.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is quiet. Anne is round. Anne is smart. Anne is young. Dave is blue. Dave is cold. Dave is round. Dave is smart. Fiona is quiet. Fiona is round. Fiona is smart. Fiona is young. Harry is blue. Harry is quiet. Harry is smart. If something is round then it is green. Green, smart things are young. Blue things are round. If something is young and smart then it is blue. All blue, cold things are quiet. If Fiona is quiet then Fiona is young.", + "original_question": "Dave is not young." + }, + { + "id": "AttNoneg-OWA-D2-2194", + "question": "Erin is quiet. Erin is young. Fiona is furry. If someone is young then they are big. All furry people are young.\n\nQuestion: Erin is young.", + "answer": true, + "QDep": 0, + "original_theory": "Erin is quiet. Erin is young. Fiona is furry. If someone is young then they are big. All furry people are young.", + "original_question": "Erin is young." + }, + { + "id": "RelNoneg-OWA-D1-2622", + "question": "The cat is nice. The cat sees the dog. The dog chases the rabbit. The dog eats the rabbit. The dog is round. The dog sees the lion. The dog sees the rabbit. The lion chases the cat. The lion chases the dog. The lion eats the cat. The lion eats the rabbit. The rabbit chases the cat. The rabbit eats the cat. The rabbit eats the dog. The rabbit sees the cat. If something eats the lion then the lion chases the rabbit. If something chases the dog and it eats the cat then it eats the dog. If something is kind then it is round.\n\nQuestion: The dog sees the lion.", + "answer": true, + "QDep": 0, + "original_theory": "The cat is nice. The cat sees the dog. The dog chases the rabbit. The dog eats the rabbit. The dog is round. The dog sees the lion. The dog sees the rabbit. The lion chases the cat. The lion chases the dog. The lion eats the cat. The lion eats the rabbit. The rabbit chases the cat. The rabbit eats the cat. The rabbit eats the dog. The rabbit sees the cat. If something eats the lion then the lion chases the rabbit. If something chases the dog and it eats the cat then it eats the dog. If something is kind then it is round.", + "original_question": "The dog sees the lion." + }, + { + "id": "AttNoneg-OWA-D3-1393", + "question": "Charlie is smart. Fiona is quiet. Gary is round. Harry is smart. If Fiona is blue then Fiona is cold. Green, blue things are young. All smart, round things are quiet. If something is round and cold then it is green. Cold things are young. If something is quiet then it is blue.\n\nQuestion: Fiona is blue.", + "answer": true, + "QDep": 1, + "original_theory": "Charlie is smart. Fiona is quiet. Gary is round. Harry is smart. If Fiona is blue then Fiona is cold. Green, blue things are young. All smart, round things are quiet. If something is round and cold then it is green. Cold things are young. If something is quiet then it is blue.", + "original_question": "Fiona is blue." + }, + { + "id": "RelNoneg-OWA-D3-636", + "question": "The lion eats the mouse. The lion is green. The lion sees the mouse. The lion visits the tiger. The mouse is red. The mouse sees the lion. The tiger eats the lion. The tiger eats the mouse. The tiger is cold. The tiger is red. The tiger is round. The tiger is young. The tiger sees the lion. The tiger sees the mouse. The tiger visits the lion. The tiger visits the mouse. All green things are cold. If something is cold then it eats the lion. If something visits the mouse then the mouse visits the lion. If something visits the mouse and it is red then the mouse is round. If something is round and red then it is green. If the tiger is red then the tiger eats the mouse.\n\nQuestion: The mouse is not green.", + "answer": false, + "QDep": 2, + "original_theory": "The lion eats the mouse. The lion is green. The lion sees the mouse. The lion visits the tiger. The mouse is red. The mouse sees the lion. The tiger eats the lion. The tiger eats the mouse. The tiger is cold. The tiger is red. The tiger is round. The tiger is young. The tiger sees the lion. The tiger sees the mouse. The tiger visits the lion. The tiger visits the mouse. All green things are cold. If something is cold then it eats the lion. If something visits the mouse then the mouse visits the lion. If something visits the mouse and it is red then the mouse is round. If something is round and red then it is green. If the tiger is red then the tiger eats the mouse.", + "original_question": "The mouse is not green." + }, + { + "id": "AttPos-OWA-ElectricityRB4-7", + "question": "The circuit includes the battery. The switch is on. The wire is plastic. The circuit includes the radio. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The circuit includes the radio.", + "answer": true, + "QDep": 0, + "original_theory": "The circuit includes the battery. The switch is on. The wire is plastic. The circuit includes the radio. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The circuit includes the radio." + }, + { + "id": "AttPos-OWA-BirdsVar1-3", + "question": "Arthur is a bird. Arthur is not wounded. Bill is an ostrich. Colin is a bird. Colin is wounded. Dave is not an ostrich. Dave is wounded. If someone is an ostrich then they are a bird. If someone is an ostrich then they are abnormal. If someone is an ostrich then they are not flying. If someone is a bird and wounded then they are abnormal. If someone is wounded then they are not flying. If someone is a bird and not abnormal then they are flying.\n\nQuestion: Dave is not an ostrich.", + "answer": true, + "QDep": 0, + "original_theory": "Arthur is a bird. Arthur is not wounded. Bill is an ostrich. Colin is a bird. Colin is wounded. Dave is not an ostrich. Dave is wounded. If someone is an ostrich then they are a bird. If someone is an ostrich then they are abnormal. If someone is an ostrich then they are not flying. If someone is a bird and wounded then they are abnormal. If someone is wounded then they are not flying. If someone is a bird and not abnormal then they are flying.", + "original_question": "Dave is not an ostrich." + }, + { + "id": "AttNeg-OWA-D2-273", + "question": "Bob is green. Fiona is cold. Round things are red. Young, big things are green. All green things are round.\n\nQuestion: Bob is round.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is green. Fiona is cold. Round things are red. Young, big things are green. All green things are round.", + "original_question": "Bob is round." + }, + { + "id": "AttNoneg-OWA-D1-2957", + "question": "Dave is red. Harry is smart. Red people are furry.\n\nQuestion: Dave is not furry.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is red. Harry is smart. Red people are furry.", + "original_question": "Dave is not furry." + }, + { + "id": "AttNonegNatLang-OWA-322", + "question": "Alan can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Bob seems big and rough, but he's actually quite kind. After Eric got wet in the rain, he feels cold. He also looks green but big. For being so cold, it's good Harry can remain nice. A person who is feeling rough, has red cheeks and feeling green will also tend to feel blue. Young and rough people will most certainly be red. A kind person who looks blue because he is is cold is usually big in stature. Rough people who look red are cold. When somebody is red, blue and round, you can bet they are also rough.\n\nQuestion: Bob is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "Alan can be kind but he will talks so much his face turns blue. He is usually red and round other than that. Bob seems big and rough, but he's actually quite kind. After Eric got wet in the rain, he feels cold. He also looks green but big. For being so cold, it's good Harry can remain nice. A person who is feeling rough, has red cheeks and feeling green will also tend to feel blue. Young and rough people will most certainly be red. A kind person who looks blue because he is is cold is usually big in stature. Rough people who look red are cold. When somebody is red, blue and round, you can bet they are also rough.", + "original_question": "Bob is not rough." + }, + { + "id": "AttNoneg-OWA-D3-888", + "question": "Dave is red. Dave is round. Erin is quiet. Erin is rough. Erin is round. Erin is young. Fiona is red. Fiona is rough. Fiona is round. Gary is blue. Gary is red. Gary is smart. If someone is red and round then they are rough. All smart people are round. If Erin is young then Erin is rough. Young, red people are quiet. All blue, smart people are rough. Round people are young.\n\nQuestion: Dave is not quiet.", + "answer": false, + "QDep": 2, + "original_theory": "Dave is red. Dave is round. Erin is quiet. Erin is rough. Erin is round. Erin is young. Fiona is red. Fiona is rough. Fiona is round. Gary is blue. Gary is red. Gary is smart. If someone is red and round then they are rough. All smart people are round. If Erin is young then Erin is rough. Young, red people are quiet. All blue, smart people are rough. Round people are young.", + "original_question": "Dave is not quiet." + }, + { + "id": "AttNonegNatLang-OWA-298", + "question": "Alan may be round, but he is also kind. Dave may be round, but he is also kind. Gary is a young, round shaped young man who is also very cold. Young Harry has rough, green skin that is always cold. Harry is known for being a nice guy. People who have red coloration usually treat people in a kind manner. They are also usually young looking. If you run across a young person with rough skin and a round figure, you can count on them being kind. A person that is both nice and rough is someone who is also big. People with big smiles and round eyes will have red hair. A red, nice person will definitely be a blue person. Someone that is cold rough and red is also considered to be kind. A young person who is big and rough and big is also usually round.\n\nQuestion: Harry is not big.", + "answer": false, + "QDep": 1, + "original_theory": "Alan may be round, but he is also kind. Dave may be round, but he is also kind. Gary is a young, round shaped young man who is also very cold. Young Harry has rough, green skin that is always cold. Harry is known for being a nice guy. People who have red coloration usually treat people in a kind manner. They are also usually young looking. If you run across a young person with rough skin and a round figure, you can count on them being kind. A person that is both nice and rough is someone who is also big. People with big smiles and round eyes will have red hair. A red, nice person will definitely be a blue person. Someone that is cold rough and red is also considered to be kind. A young person who is big and rough and big is also usually round.", + "original_question": "Harry is not big." + }, + { + "id": "AttNonegNatLang-OWA-59", + "question": "Dave may be round, but he is also kind. Eric is rather round shaped nice fellow who is feeling blue and looking green today. Harry is big, round and rough, but he is nice and kind. Young people who are cold to others and green with envy are actually nice. Every single big person is a little green in some areas. You'll always find rough, cold, green people to also be red people. Someone that is cold rough and red is also considered to be kind. A round shaped kind person who is colored green will be cold natured.\n\nQuestion: Harry is red.", + "answer": true, + "QDep": 3, + "original_theory": "Dave may be round, but he is also kind. Eric is rather round shaped nice fellow who is feeling blue and looking green today. Harry is big, round and rough, but he is nice and kind. Young people who are cold to others and green with envy are actually nice. Every single big person is a little green in some areas. You'll always find rough, cold, green people to also be red people. Someone that is cold rough and red is also considered to be kind. A round shaped kind person who is colored green will be cold natured.", + "original_question": "Harry is red." + }, + { + "id": "RelNeg-OWA-D0-145", + "question": "The cow is red. The dog sees the cow. The mouse sees the cow. The tiger does not chase the cow. If something sees the mouse and the mouse needs the tiger then the mouse sees the cow. Rough, green things are red.\n\nQuestion: The mouse does not see the cow.", + "answer": false, + "QDep": 0, + "original_theory": "The cow is red. The dog sees the cow. The mouse sees the cow. The tiger does not chase the cow. If something sees the mouse and the mouse needs the tiger then the mouse sees the cow. Rough, green things are red.", + "original_question": "The mouse does not see the cow." + }, + { + "id": "RelNoneg-OWA-D2-2018", + "question": "The cow likes the rabbit. The rabbit is round. Big things are kind. If something is kind and big then it visits the rabbit. If something is nice then it likes the cow. If something likes the rabbit then the rabbit is nice. If something is big then it is nice. If something is kind then it likes the rabbit.\n\nQuestion: The rabbit is not nice.", + "answer": false, + "QDep": 1, + "original_theory": "The cow likes the rabbit. The rabbit is round. Big things are kind. If something is kind and big then it visits the rabbit. If something is nice then it likes the cow. If something likes the rabbit then the rabbit is nice. If something is big then it is nice. If something is kind then it likes the rabbit.", + "original_question": "The rabbit is not nice." + }, + { + "id": "AttPos-OWA-ElectricityRB4-49", + "question": "The circuit includes the battery. The circuit includes the switch. The switch is on. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.\n\nQuestion: The circuit does not include the light bulb.", + "answer": false, + "QDep": 0, + "original_theory": "The circuit includes the battery. The circuit includes the switch. The switch is on. The wire is plastic. The circuit includes the light bulb. If the circuit includes the battery and the battery is not flat then the circuit is powered. If the circuit includes the switch and the switch is on then the circuit is complete. If the circuit does not include the switch then the circuit is complete. If the wire is metal then the wire is conducting. If the wire is plastic then the wire is not conducting. If the circuit is powered and the circuit is complete and the wire is conducting then the current runs through the circuit. If the current runs through the circuit and the circuit includes the light bulb then the current runs through the light bulb. If the current runs through the circuit and the circuit includes the bell then the current runs through the bell. If the current runs through the circuit and the circuit includes the radio then the current runs through the radio. If the current runs through the light bulb then the light bulb is glowing. If the current runs through the bell then the bell is ringing. If the current runs through the radio then the radio is playing.", + "original_question": "The circuit does not include the light bulb." + }, + { + "id": "AttNoneg-OWA-D3-1043", + "question": "Bob is big. Bob is green. Bob is red. Bob is white. Charlie is round. Charlie is white. Charlie is young. Fiona is green. Fiona is red. Harry is big. Harry is red. Harry is young. Red things are young. Round, young things are white. Green, young things are round.\n\nQuestion: Fiona is young.", + "answer": true, + "QDep": 1, + "original_theory": "Bob is big. Bob is green. Bob is red. Bob is white. Charlie is round. Charlie is white. Charlie is young. Fiona is green. Fiona is red. Harry is big. Harry is red. Harry is young. Red things are young. Round, young things are white. Green, young things are round.", + "original_question": "Fiona is young." + }, + { + "id": "AttNeg-OWA-D0-2005", + "question": "Harry is furry. Harry is green. Harry is kind. Harry is red. Harry is rough. Harry is round. Harry is not young. If Harry is young and Harry is green then Harry is kind. If Harry is not young then Harry is rough. If something is rough and young then it is furry.\n\nQuestion: Harry is not red.", + "answer": false, + "QDep": 0, + "original_theory": "Harry is furry. Harry is green. Harry is kind. Harry is red. Harry is rough. Harry is round. Harry is not young. If Harry is young and Harry is green then Harry is kind. If Harry is not young then Harry is rough. If something is rough and young then it is furry.", + "original_question": "Harry is not red." + }, + { + "id": "AttNeg-OWA-D3-1708", + "question": "Bob is smart. Charlie is big. Charlie is cold. Charlie is quiet. Charlie is smart. Charlie is young. Erin is big. Erin is cold. Erin is nice. Erin is quiet. Erin is not rough. Erin is not smart. Erin is young. Gary is not cold. Gary is nice. Gary is rough. Smart people are young. If someone is young then they are quiet. If someone is quiet and young then they are not rough.\n\nQuestion: Bob is not quiet.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is smart. Charlie is big. Charlie is cold. Charlie is quiet. Charlie is smart. Charlie is young. Erin is big. Erin is cold. Erin is nice. Erin is quiet. Erin is not rough. Erin is not smart. Erin is young. Gary is not cold. Gary is nice. Gary is rough. Smart people are young. If someone is young then they are quiet. If someone is quiet and young then they are not rough.", + "original_question": "Bob is not quiet." + }, + { + "id": "RelNeg-OWA-D5-831", + "question": "The bald eagle chases the cat. The bald eagle chases the dog. The bald eagle does not eat the cat. The bald eagle eats the dog. The cat does not chase the bald eagle. The cat eats the bald eagle. The cat is young. The cat sees the bald eagle. The cat sees the tiger. The dog chases the cat. The dog eats the bald eagle. The dog is blue. The tiger chases the bald eagle. The tiger chases the cat. If something is young then it does not chase the cat. If the cat chases the tiger then the tiger is nice. Nice things are big. If something chases the dog and the dog eats the bald eagle then it is nice. If something is big and it chases the cat then the cat chases the dog.\n\nQuestion: The cat chases the cat.", + "answer": false, + "QDep": 1, + "original_theory": "The bald eagle chases the cat. The bald eagle chases the dog. The bald eagle does not eat the cat. The bald eagle eats the dog. The cat does not chase the bald eagle. The cat eats the bald eagle. The cat is young. The cat sees the bald eagle. The cat sees the tiger. The dog chases the cat. The dog eats the bald eagle. The dog is blue. The tiger chases the bald eagle. The tiger chases the cat. If something is young then it does not chase the cat. If the cat chases the tiger then the tiger is nice. Nice things are big. If something chases the dog and the dog eats the bald eagle then it is nice. If something is big and it chases the cat then the cat chases the dog.", + "original_question": "The cat chases the cat." + }, + { + "id": "AttNonegNatLang-OWA-469", + "question": "Alan is green and cold too. For being so cold, it's good Fred can remain nice. Gary seems to be round. No one knows Harry like me and he is a kind guy, very round in the belly and green as grass. If you meet someone with rough skin who is cold from being outside, you'll notice they are nice. Kind red people are green on the inside. Even though young people are rough, they are still very red. Nice people that are very green and even round shaped will be very young. Round people who are kind tend to be nice. A green person that is rough and cold is often also nice. Someone who is a young age and looks like they are round are also red.\n\nQuestion: Harry is not young.", + "answer": false, + "QDep": 2, + "original_theory": "Alan is green and cold too. For being so cold, it's good Fred can remain nice. Gary seems to be round. No one knows Harry like me and he is a kind guy, very round in the belly and green as grass. If you meet someone with rough skin who is cold from being outside, you'll notice they are nice. Kind red people are green on the inside. Even though young people are rough, they are still very red. Nice people that are very green and even round shaped will be very young. Round people who are kind tend to be nice. A green person that is rough and cold is often also nice. Someone who is a young age and looks like they are round are also red.", + "original_question": "Harry is not young." + }, + { + "id": "RelNoneg-OWA-D3-152", + "question": "The bear chases the tiger. The bear needs the rabbit. The bear needs the tiger. The rabbit chases the tiger. The rabbit is red. The rabbit likes the bear. The rabbit needs the bear. The tiger chases the bear. The tiger chases the rabbit. The tiger is green. The tiger is young. The tiger likes the bear. The tiger likes the rabbit. The tiger needs the bear. The tiger needs the rabbit. If someone needs the tiger then they need the rabbit. If someone needs the rabbit and they chase the tiger then they chase the bear. If the rabbit chases the tiger then the rabbit needs the tiger.\n\nQuestion: The rabbit needs the tiger.", + "answer": true, + "QDep": 1, + "original_theory": "The bear chases the tiger. The bear needs the rabbit. The bear needs the tiger. The rabbit chases the tiger. The rabbit is red. The rabbit likes the bear. The rabbit needs the bear. The tiger chases the bear. The tiger chases the rabbit. The tiger is green. The tiger is young. The tiger likes the bear. The tiger likes the rabbit. The tiger needs the bear. The tiger needs the rabbit. If someone needs the tiger then they need the rabbit. If someone needs the rabbit and they chase the tiger then they chase the bear. If the rabbit chases the tiger then the rabbit needs the tiger.", + "original_question": "The rabbit needs the tiger." + }, + { + "id": "RelNeg-OWA-D1-343", + "question": "The cat is young. If something is young and not nice then it is cold. Young things are not cold. If something is big and nice then it is cold. If something is nice then it is cold. All round things are not cold. If something is big and not nice then it is not young. Cold things are not young. If the cat is not big then the cat is not round.\n\nQuestion: The cat is cold.", + "answer": false, + "QDep": 1, + "original_theory": "The cat is young. If something is young and not nice then it is cold. Young things are not cold. If something is big and nice then it is cold. If something is nice then it is cold. All round things are not cold. If something is big and not nice then it is not young. Cold things are not young. If the cat is not big then the cat is not round.", + "original_question": "The cat is cold." + }, + { + "id": "RelNoneg-OWA-D3-1229", + "question": "The cat eats the lion. The cow eats the lion. The cow is blue. The cow likes the lion. The cow likes the squirrel. The lion is young. The squirrel likes the cat. If someone is round then they chase the cow. If someone eats the lion then the lion likes the cat. If someone is young and they like the cat then the cat is round.\n\nQuestion: The cat is not round.", + "answer": false, + "QDep": 2, + "original_theory": "The cat eats the lion. The cow eats the lion. The cow is blue. The cow likes the lion. The cow likes the squirrel. The lion is young. The squirrel likes the cat. If someone is round then they chase the cow. If someone eats the lion then the lion likes the cat. If someone is young and they like the cat then the cat is round.", + "original_question": "The cat is not round." + }, + { + "id": "AttNeg-OWA-D0-2565", + "question": "Anne is blue. Anne is cold. Anne is kind. Anne is not rough. Anne is round. Anne is white. Bob is not big. Bob is blue. Bob is rough. Dave is not blue. Dave is cold. Dave is kind. Dave is round. Fiona is not cold. Fiona is kind. All rough things are not round. If Bob is kind then Bob is not rough. If something is kind and not rough then it is cold.\n\nQuestion: Bob is rough.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is blue. Anne is cold. Anne is kind. Anne is not rough. Anne is round. Anne is white. Bob is not big. Bob is blue. Bob is rough. Dave is not blue. Dave is cold. Dave is kind. Dave is round. Fiona is not cold. Fiona is kind. All rough things are not round. If Bob is kind then Bob is not rough. If something is kind and not rough then it is cold.", + "original_question": "Bob is rough." + }, + { + "id": "AttNoneg-OWA-D0-6977", + "question": "Bob is kind. Bob is nice. Bob is quiet. Bob is red. Bob is rough. Bob is round. Bob is white. Charlie is kind. Charlie is nice. Charlie is quiet. Charlie is red. Charlie is rough. Charlie is round. Charlie is white. If something is nice then it is quiet. If something is kind and red then it is rough.\n\nQuestion: Bob is not quiet.", + "answer": false, + "QDep": 0, + "original_theory": "Bob is kind. Bob is nice. Bob is quiet. Bob is red. Bob is rough. Bob is round. Bob is white. Charlie is kind. Charlie is nice. Charlie is quiet. Charlie is red. Charlie is rough. Charlie is round. Charlie is white. If something is nice then it is quiet. If something is kind and red then it is rough.", + "original_question": "Bob is not quiet." + }, + { + "id": "AttNeg-OWA-D5-73", + "question": "Anne is nice. Bob is cold. Bob is not red. Bob is rough. Charlie is red. Charlie is rough. Harry is nice. Harry is quiet. Harry is rough. Harry is round. Nice people are quiet. If someone is red and nice then they are not quiet. Quiet people are cold. If someone is quiet and round then they are not red. If someone is green and quiet then they are round. If someone is cold then they are green.\n\nQuestion: Bob is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is nice. Bob is cold. Bob is not red. Bob is rough. Charlie is red. Charlie is rough. Harry is nice. Harry is quiet. Harry is rough. Harry is round. Nice people are quiet. If someone is red and nice then they are not quiet. Quiet people are cold. If someone is quiet and round then they are not red. If someone is green and quiet then they are round. If someone is cold then they are green.", + "original_question": "Bob is not rough." + }, + { + "id": "AttNonegNatLang-OWA-399", + "question": "Bob might be rough and red but he's actually very kind. That guy Charlie sure is nice. That guy Gary sure is nice. Harry may be young but he is nice, wears green shoes and is cold. Even though young people are rough, they are still very red. One who is young, red and also cold will definitely be round, too. Cold, young people are also certain to be rough people. When somebody is red, blue and round, you can bet they are also rough.\n\nQuestion: Harry is round.", + "answer": true, + "QDep": 3, + "original_theory": "Bob might be rough and red but he's actually very kind. That guy Charlie sure is nice. That guy Gary sure is nice. Harry may be young but he is nice, wears green shoes and is cold. Even though young people are rough, they are still very red. One who is young, red and also cold will definitely be round, too. Cold, young people are also certain to be rough people. When somebody is red, blue and round, you can bet they are also rough.", + "original_question": "Harry is round." + }, + { + "id": "RelNeg-OWA-D5-271", + "question": "The bear is cold. The dog does not like the bear. The dog likes the squirrel. The mouse is blue. The mouse is rough. The mouse likes the dog. The mouse does not need the bear. The squirrel is cold. The squirrel likes the dog. The squirrel likes the mouse. If someone likes the bear and they like the dog then they like the squirrel. If someone is blue then they chase the bear. If someone needs the squirrel and the squirrel is cold then they chase the bear. If the dog does not need the bear then the dog does not chase the squirrel. If someone likes the mouse and the mouse needs the dog then they chase the dog. If someone chases the dog then the dog needs the squirrel. If someone chases the bear and they do not need the bear then they need the dog. If someone likes the mouse and they are cold then they need the squirrel.\n\nQuestion: The bear is cold.", + "answer": true, + "QDep": 0, + "original_theory": "The bear is cold. The dog does not like the bear. The dog likes the squirrel. The mouse is blue. The mouse is rough. The mouse likes the dog. The mouse does not need the bear. The squirrel is cold. The squirrel likes the dog. The squirrel likes the mouse. If someone likes the bear and they like the dog then they like the squirrel. If someone is blue then they chase the bear. If someone needs the squirrel and the squirrel is cold then they chase the bear. If the dog does not need the bear then the dog does not chase the squirrel. If someone likes the mouse and the mouse needs the dog then they chase the dog. If someone chases the dog then the dog needs the squirrel. If someone chases the bear and they do not need the bear then they need the dog. If someone likes the mouse and they are cold then they need the squirrel.", + "original_question": "The bear is cold." + }, + { + "id": "AttNeg-OWA-D3-183", + "question": "Charlie is cold. Charlie is kind. Dave is cold. Dave is kind. Erin is cold. Erin is kind. Erin is red. Erin is smart. Erin is young. Gary is kind. Gary is red. Gary is not young. If Charlie is blue then Charlie is not young. If Gary is red then Gary is rough. Kind things are smart. All smart things are blue. Young things are blue. If Gary is rough and Gary is not kind then Gary is not cold.\n\nQuestion: Erin is not smart.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is cold. Charlie is kind. Dave is cold. Dave is kind. Erin is cold. Erin is kind. Erin is red. Erin is smart. Erin is young. Gary is kind. Gary is red. Gary is not young. If Charlie is blue then Charlie is not young. If Gary is red then Gary is rough. Kind things are smart. All smart things are blue. Young things are blue. If Gary is rough and Gary is not kind then Gary is not cold.", + "original_question": "Erin is not smart." + }, + { + "id": "AttNeg-OWA-D3-1354", + "question": "Bob is not kind. If Bob is white then Bob is kind. If Bob is not kind then Bob is cold. If someone is rough then they are green. If Bob is cold and Bob is not kind then Bob is rough. Round, white people are not cold. If someone is green then they are not round.\n\nQuestion: Bob is not rough.", + "answer": false, + "QDep": 2, + "original_theory": "Bob is not kind. If Bob is white then Bob is kind. If Bob is not kind then Bob is cold. If someone is rough then they are green. If Bob is cold and Bob is not kind then Bob is rough. Round, white people are not cold. If someone is green then they are not round.", + "original_question": "Bob is not rough." + }, + { + "id": "RelNoneg-OWA-D2-1579", + "question": "The mouse is cold. The mouse is green. The mouse is rough. The mouse is round. The mouse is young. The mouse likes the tiger. The mouse sees the tiger. The mouse visits the tiger. The tiger is cold. The tiger is green. The tiger is rough. The tiger is round. The tiger is young. The tiger likes the mouse. The tiger sees the mouse. The tiger visits the mouse. If something is young then it likes the tiger. If something is green and it sees the mouse then it is cold. If something is young and it likes the tiger then it sees the mouse. If the tiger sees the mouse then the mouse visits the tiger. If something is green then it sees the tiger. If something likes the mouse and the mouse visits the tiger then it is young. If something sees the mouse and it is round then it visits the mouse. If something is cold and it visits the tiger then it sees the mouse.\n\nQuestion: The mouse does not visit the mouse.", + "answer": false, + "QDep": 2, + "original_theory": "The mouse is cold. The mouse is green. The mouse is rough. The mouse is round. The mouse is young. The mouse likes the tiger. The mouse sees the tiger. The mouse visits the tiger. The tiger is cold. The tiger is green. The tiger is rough. The tiger is round. The tiger is young. The tiger likes the mouse. The tiger sees the mouse. The tiger visits the mouse. If something is young then it likes the tiger. If something is green and it sees the mouse then it is cold. If something is young and it likes the tiger then it sees the mouse. If the tiger sees the mouse then the mouse visits the tiger. If something is green then it sees the tiger. If something likes the mouse and the mouse visits the tiger then it is young. If something sees the mouse and it is round then it visits the mouse. If something is cold and it visits the tiger then it sees the mouse.", + "original_question": "The mouse does not visit the mouse." + }, + { + "id": "AttNonegNatLang-OWA-66", + "question": "Dave is a kind person and he is also often cold. For being so cold, it's good Eric can remain nice. Fred may be round, but he is also kind. Young Harry here is always rough but nice and yes he is big. Nice, young red people will also turn out to always be green. All young and kind people that feel blue are described as red. Big, young people with green color are rather rough. People with big smiles and round eyes will have red hair. A person that is very big and also the color red they will also be blue. A young person who is big and rough and big is also usually round.\n\nQuestion: Harry is round.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is a kind person and he is also often cold. For being so cold, it's good Eric can remain nice. Fred may be round, but he is also kind. Young Harry here is always rough but nice and yes he is big. Nice, young red people will also turn out to always be green. All young and kind people that feel blue are described as red. Big, young people with green color are rather rough. People with big smiles and round eyes will have red hair. A person that is very big and also the color red they will also be blue. A young person who is big and rough and big is also usually round.", + "original_question": "Harry is round." + }, + { + "id": "AttNoneg-OWA-D3-1881", + "question": "Erin is red. Red things are nice. If Erin is nice then Erin is cold. If Erin is cold then Erin is big.\n\nQuestion: Erin is cold.", + "answer": true, + "QDep": 2, + "original_theory": "Erin is red. Red things are nice. If Erin is nice then Erin is cold. If Erin is cold then Erin is big.", + "original_question": "Erin is cold." + }, + { + "id": "AttNonegNatLang-OWA-435", + "question": "Alan is big and rough around the edges. Even though he is feeling ill and green, he is nice. For being so cold, it's good Dave can remain nice. The young person who is always feeling cold is named Eric. The young person who is always feeling cold is named Harry. Young people are so rough that they can hold their breath until they are blue. People who are young and blue are also red. A kind person who looks blue because he is is cold is usually big in stature. If you know someone who is nice, green, and big, you know a young person.\n\nQuestion: Alan is red.", + "answer": true, + "QDep": 3, + "original_theory": "Alan is big and rough around the edges. Even though he is feeling ill and green, he is nice. For being so cold, it's good Dave can remain nice. The young person who is always feeling cold is named Eric. The young person who is always feeling cold is named Harry. Young people are so rough that they can hold their breath until they are blue. People who are young and blue are also red. A kind person who looks blue because he is is cold is usually big in stature. If you know someone who is nice, green, and big, you know a young person.", + "original_question": "Alan is red." + }, + { + "id": "AttNoneg-OWA-D3-1038", + "question": "Bob is furry. Bob is nice. Charlie is blue. Dave is nice. Dave is rough. Dave is round. Gary is big. Smart, round things are nice. Furry things are blue. Blue things are round. If something is furry then it is rough. If Bob is furry then Bob is round. If something is blue and round then it is smart.\n\nQuestion: Gary is big.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is furry. Bob is nice. Charlie is blue. Dave is nice. Dave is rough. Dave is round. Gary is big. Smart, round things are nice. Furry things are blue. Blue things are round. If something is furry then it is rough. If Bob is furry then Bob is round. If something is blue and round then it is smart.", + "original_question": "Gary is big." + }, + { + "id": "AttNeg-OWA-D3-1686", + "question": "Bob is cold. Erin is rough. Fiona is kind. If someone is blue then they are round. If someone is nice then they are blue. All rough people are nice. All rough, blue people are cold. If Fiona is not round then Fiona is cold. If someone is cold and rough then they are kind.\n\nQuestion: Erin is blue.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is cold. Erin is rough. Fiona is kind. If someone is blue then they are round. If someone is nice then they are blue. All rough people are nice. All rough, blue people are cold. If Fiona is not round then Fiona is cold. If someone is cold and rough then they are kind.", + "original_question": "Erin is blue." + }, + { + "id": "AttNoneg-OWA-D3-595", + "question": "Anne is quiet. Anne is round. Anne is smart. Anne is young. Dave is blue. Dave is cold. Dave is round. Dave is smart. Fiona is quiet. Fiona is round. Fiona is smart. Fiona is young. Harry is blue. Harry is quiet. Harry is smart. If something is round then it is green. Green, smart things are young. Blue things are round. If something is young and smart then it is blue. All blue, cold things are quiet. If Fiona is quiet then Fiona is young.\n\nQuestion: Dave is young.", + "answer": true, + "QDep": 2, + "original_theory": "Anne is quiet. Anne is round. Anne is smart. Anne is young. Dave is blue. Dave is cold. Dave is round. Dave is smart. Fiona is quiet. Fiona is round. Fiona is smart. Fiona is young. Harry is blue. Harry is quiet. Harry is smart. If something is round then it is green. Green, smart things are young. Blue things are round. If something is young and smart then it is blue. All blue, cold things are quiet. If Fiona is quiet then Fiona is young.", + "original_question": "Dave is young." + }, + { + "id": "AttNeg-OWA-D2-1969", + "question": "Anne is blue. Bob is quiet. Charlie is not cold. Erin is blue. If something is smart and not kind then it is not nice. Cold things are nice. If something is smart and not kind then it is cold. Smart things are not cold. All quiet things are smart. If Charlie is nice and Charlie is kind then Charlie is rough.\n\nQuestion: Erin is not blue.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is blue. Bob is quiet. Charlie is not cold. Erin is blue. If something is smart and not kind then it is not nice. Cold things are nice. If something is smart and not kind then it is cold. Smart things are not cold. All quiet things are smart. If Charlie is nice and Charlie is kind then Charlie is rough.", + "original_question": "Erin is not blue." + }, + { + "id": "AttNoneg-OWA-D0-1522", + "question": "Anne is big. Anne is furry. Anne is red. Anne is young. Gary is young. Harry is red. Harry is rough. Young things are red. Cold, blue things are rough. Red things are furry. If Anne is red then Anne is cold. If something is big and cold then it is red. If something is blue and rough then it is cold. Young things are cold. Young things are blue.\n\nQuestion: Gary is young.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is big. Anne is furry. Anne is red. Anne is young. Gary is young. Harry is red. Harry is rough. Young things are red. Cold, blue things are rough. Red things are furry. If Anne is red then Anne is cold. If something is big and cold then it is red. If something is blue and rough then it is cold. Young things are cold. Young things are blue.", + "original_question": "Gary is young." + }, + { + "id": "RelNeg-OWA-D3-1224", + "question": "The bear chases the dog. The bear is green. The bear does not need the dog. The bear visits the dog. The dog is big. The dog is not green. The dog visits the bear. If someone chases the bear then the bear does not need the dog. If the dog needs the bear then the dog chases the bear. If someone visits the dog then they do not chase the bear. If someone needs the bear then they do not visit the dog. If someone is green then they do not need the bear. If someone visits the dog then they are not round. If the dog is not green then the dog needs the bear. If someone chases the bear then they chase the dog.\n\nQuestion: The dog chases the dog.", + "answer": true, + "QDep": 3, + "original_theory": "The bear chases the dog. The bear is green. The bear does not need the dog. The bear visits the dog. The dog is big. The dog is not green. The dog visits the bear. If someone chases the bear then the bear does not need the dog. If the dog needs the bear then the dog chases the bear. If someone visits the dog then they do not chase the bear. If someone needs the bear then they do not visit the dog. If someone is green then they do not need the bear. If someone visits the dog then they are not round. If the dog is not green then the dog needs the bear. If someone chases the bear then they chase the dog.", + "original_question": "The dog chases the dog." + }, + { + "id": "AttNoneg-OWA-D5-457", + "question": "Anne is blue. Anne is red. Anne is young. Bob is nice. Bob is young. Charlie is nice. Charlie is quiet. Charlie is red. Charlie is white. Charlie is young. Gary is green. If something is red and blue then it is white. Green things are red. If something is white then it is quiet. If something is red then it is blue. All blue, young things are white. If Bob is quiet and Bob is green then Bob is young. Quiet, green things are young. Red, nice things are white. All white, nice things are quiet.\n\nQuestion: Charlie is not red.", + "answer": false, + "QDep": 0, + "original_theory": "Anne is blue. Anne is red. Anne is young. Bob is nice. Bob is young. Charlie is nice. Charlie is quiet. Charlie is red. Charlie is white. Charlie is young. Gary is green. If something is red and blue then it is white. Green things are red. If something is white then it is quiet. If something is red then it is blue. All blue, young things are white. If Bob is quiet and Bob is green then Bob is young. Quiet, green things are young. Red, nice things are white. All white, nice things are quiet.", + "original_question": "Charlie is not red." + }, + { + "id": "AttNoneg-OWA-D0-5742", + "question": "Bob is nice. Bob is rough. Dave is furry. Dave is green. Dave is kind. Harry is big. Harry is furry. Harry is green. Harry is kind. Harry is nice. Harry is rough. Harry is smart. Smart, furry things are rough. If Dave is big and Dave is green then Dave is kind.\n\nQuestion: Harry is furry.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is nice. Bob is rough. Dave is furry. Dave is green. Dave is kind. Harry is big. Harry is furry. Harry is green. Harry is kind. Harry is nice. Harry is rough. Harry is smart. Smart, furry things are rough. If Dave is big and Dave is green then Dave is kind.", + "original_question": "Harry is furry." + }, + { + "id": "RelNoneg-OWA-D3-1503", + "question": "The bear eats the cow. The bear is cold. The bear is kind. The bear visits the dog. The cat eats the cow. The cat is big. The cat sees the cow. The cat sees the dog. The cat visits the bear. The cow eats the cat. The cow is big. The cow is cold. The cow sees the bear. The cow visits the cat. The dog is round. The dog visits the cat. If the cat visits the bear then the cat is round. If the cat visits the cow then the cow sees the cat. If the cow visits the cat and the cow sees the cat then the cat is round. If the cat visits the cow then the cat is round. If someone is nice then they visit the dog. If someone is round then they visit the cow. If someone eats the dog and they see the cat then the dog eats the cat. If someone sees the cat and the cat visits the cow then the cat sees the dog.\n\nQuestion: The cow sees the cat.", + "answer": true, + "QDep": 3, + "original_theory": "The bear eats the cow. The bear is cold. The bear is kind. The bear visits the dog. The cat eats the cow. The cat is big. The cat sees the cow. The cat sees the dog. The cat visits the bear. The cow eats the cat. The cow is big. The cow is cold. The cow sees the bear. The cow visits the cat. The dog is round. The dog visits the cat. If the cat visits the bear then the cat is round. If the cat visits the cow then the cow sees the cat. If the cow visits the cat and the cow sees the cat then the cat is round. If the cat visits the cow then the cat is round. If someone is nice then they visit the dog. If someone is round then they visit the cow. If someone eats the dog and they see the cat then the dog eats the cat. If someone sees the cat and the cat visits the cow then the cat sees the dog.", + "original_question": "The cow sees the cat." + }, + { + "id": "AttNeg-OWA-D0-4356", + "question": "Bob is big. Bob is cold. Bob is smart. Bob is white. Bob is young. Erin is big. Erin is cold. Erin is not green. Erin is smart. Erin is white. Smart people are cold. All young people are cold. If someone is cold and not smart then they are white. Green, smart people are not big. If someone is smart then they are big. Smart, green people are big. If someone is young and not cold then they are not round. If someone is green then they are round.\n\nQuestion: Erin is white.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is big. Bob is cold. Bob is smart. Bob is white. Bob is young. Erin is big. Erin is cold. Erin is not green. Erin is smart. Erin is white. Smart people are cold. All young people are cold. If someone is cold and not smart then they are white. Green, smart people are not big. If someone is smart then they are big. Smart, green people are big. If someone is young and not cold then they are not round. If someone is green then they are round.", + "original_question": "Erin is white." + }, + { + "id": "RelNeg-OWA-D3-1427", + "question": "The cat eats the rabbit. The rabbit eats the tiger. The tiger sees the cat. If the tiger does not see the rabbit then the tiger is round. If the cat needs the tiger then the tiger is round. If something needs the cat then the cat does not need the tiger. If something sees the tiger then the tiger is big. If the tiger is round then the tiger needs the rabbit. If something eats the rabbit then it needs the tiger.\n\nQuestion: The tiger does not need the rabbit.", + "answer": false, + "QDep": 3, + "original_theory": "The cat eats the rabbit. The rabbit eats the tiger. The tiger sees the cat. If the tiger does not see the rabbit then the tiger is round. If the cat needs the tiger then the tiger is round. If something needs the cat then the cat does not need the tiger. If something sees the tiger then the tiger is big. If the tiger is round then the tiger needs the rabbit. If something eats the rabbit then it needs the tiger.", + "original_question": "The tiger does not need the rabbit." + }, + { + "id": "RelNoneg-OWA-D5-253", + "question": "The cat eats the mouse. The cat eats the squirrel. The cat is rough. The cat sees the lion. The cat sees the mouse. The cat sees the squirrel. The lion sees the cat. The lion sees the squirrel. The mouse is round. The mouse sees the squirrel. The squirrel likes the lion. If someone is cold then they are kind. If someone eats the cat then the cat eats the mouse. If someone eats the mouse then they are cold. If someone eats the squirrel and the squirrel is nice then they see the squirrel. If someone eats the squirrel then they are cold. If someone sees the squirrel then they like the cat. If someone likes the lion and the lion likes the cat then they see the squirrel. If someone sees the mouse and they like the cat then they are nice. If someone sees the squirrel and they are nice then the squirrel eats the mouse.\n\nQuestion: The squirrel is cold.", + "answer": true, + "QDep": 4, + "original_theory": "The cat eats the mouse. The cat eats the squirrel. The cat is rough. The cat sees the lion. The cat sees the mouse. The cat sees the squirrel. The lion sees the cat. The lion sees the squirrel. The mouse is round. The mouse sees the squirrel. The squirrel likes the lion. If someone is cold then they are kind. If someone eats the cat then the cat eats the mouse. If someone eats the mouse then they are cold. If someone eats the squirrel and the squirrel is nice then they see the squirrel. If someone eats the squirrel then they are cold. If someone sees the squirrel then they like the cat. If someone likes the lion and the lion likes the cat then they see the squirrel. If someone sees the mouse and they like the cat then they are nice. If someone sees the squirrel and they are nice then the squirrel eats the mouse.", + "original_question": "The squirrel is cold." + }, + { + "id": "AttNeg-OWA-D3-267", + "question": "Anne is red. Fiona is furry. Gary is quiet. Big, round people are white. Red people are not white. If Fiona is rough and Fiona is white then Fiona is big. All quiet people are big. Rough, quiet people are red. If someone is quiet and not rough then they are furry. If someone is quiet and big then they are furry. Furry people are round.\n\nQuestion: Gary is not furry.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is red. Fiona is furry. Gary is quiet. Big, round people are white. Red people are not white. If Fiona is rough and Fiona is white then Fiona is big. All quiet people are big. Rough, quiet people are red. If someone is quiet and not rough then they are furry. If someone is quiet and big then they are furry. Furry people are round.", + "original_question": "Gary is not furry." + }, + { + "id": "AttNeg-OWA-D3-1288", + "question": "Bob is not furry. Bob is quiet. Bob is smart. Gary is nice. Gary is smart. Harry is nice. Harry is smart. Quiet things are smart. If something is round and smart then it is quiet. Smart things are round. If Gary is quiet then Gary is white. If something is furry and not round then it is nice. If something is rough and not nice then it is white.\n\nQuestion: Harry is quiet.", + "answer": true, + "QDep": 2, + "original_theory": "Bob is not furry. Bob is quiet. Bob is smart. Gary is nice. Gary is smart. Harry is nice. Harry is smart. Quiet things are smart. If something is round and smart then it is quiet. Smart things are round. If Gary is quiet then Gary is white. If something is furry and not round then it is nice. If something is rough and not nice then it is white.", + "original_question": "Harry is quiet." + }, + { + "id": "AttNeg-OWA-D5-419", + "question": "Anne is cold. Anne is rough. Anne is smart. Erin is smart. Fiona is cold. Fiona is round. Harry is cold. If someone is cold then they are young. Cold people are young. If someone is round then they are rough. If someone is rough and young then they are furry. If someone is young then they are round. Rough people are green. If someone is round and young then they are cold. If someone is furry then they are smart.\n\nQuestion: Anne is not round.", + "answer": false, + "QDep": 2, + "original_theory": "Anne is cold. Anne is rough. Anne is smart. Erin is smart. Fiona is cold. Fiona is round. Harry is cold. If someone is cold then they are young. Cold people are young. If someone is round then they are rough. If someone is rough and young then they are furry. If someone is young then they are round. Rough people are green. If someone is round and young then they are cold. If someone is furry then they are smart.", + "original_question": "Anne is not round." + }, + { + "id": "AttNoneg-OWA-D2-2348", + "question": "Dave is cold. If something is cold then it is quiet. All quiet things are green. If Dave is cold and Dave is kind then Dave is furry. If Dave is kind and Dave is cold then Dave is big. If something is cold and green then it is blue. If something is kind then it is big.\n\nQuestion: Dave is not quiet.", + "answer": false, + "QDep": 1, + "original_theory": "Dave is cold. If something is cold then it is quiet. All quiet things are green. If Dave is cold and Dave is kind then Dave is furry. If Dave is kind and Dave is cold then Dave is big. If something is cold and green then it is blue. If something is kind then it is big.", + "original_question": "Dave is not quiet." + }, + { + "id": "RelNeg-OWA-D3-910", + "question": "The bear chases the dog. The bear likes the squirrel. The bear visits the cat. The cat chases the dog. The cat is kind. The cat likes the dog. The dog is kind. The squirrel is big. The squirrel is rough. The squirrel does not visit the cat. If something likes the squirrel and it visits the cat then the squirrel likes the dog. If something visits the squirrel and the squirrel visits the dog then it is round. If something likes the cat then it is not round. All nice things are round. If something visits the squirrel and the squirrel likes the cat then it is round. If the squirrel does not like the bear then the squirrel does not visit the bear. If something is big then it is nice. If something likes the squirrel and the squirrel is round then it is rough.\n\nQuestion: The squirrel is nice.", + "answer": true, + "QDep": 1, + "original_theory": "The bear chases the dog. The bear likes the squirrel. The bear visits the cat. The cat chases the dog. The cat is kind. The cat likes the dog. The dog is kind. The squirrel is big. The squirrel is rough. The squirrel does not visit the cat. If something likes the squirrel and it visits the cat then the squirrel likes the dog. If something visits the squirrel and the squirrel visits the dog then it is round. If something likes the cat then it is not round. All nice things are round. If something visits the squirrel and the squirrel likes the cat then it is round. If the squirrel does not like the bear then the squirrel does not visit the bear. If something is big then it is nice. If something likes the squirrel and the squirrel is round then it is rough.", + "original_question": "The squirrel is nice." + }, + { + "id": "RelNoneg-OWA-D0-5280", + "question": "The lion likes the rabbit. The rabbit likes the tiger. The tiger is round. If something likes the tiger then the tiger likes the rabbit. If something needs the rabbit then it visits the tiger. If something needs the lion and it likes the rabbit then the lion likes the rabbit. If something is nice then it likes the rabbit. If something visits the tiger and it likes the lion then it likes the rabbit. If something likes the rabbit and it is kind then the rabbit is big.\n\nQuestion: The lion likes the rabbit.", + "answer": true, + "QDep": 0, + "original_theory": "The lion likes the rabbit. The rabbit likes the tiger. The tiger is round. If something likes the tiger then the tiger likes the rabbit. If something needs the rabbit then it visits the tiger. If something needs the lion and it likes the rabbit then the lion likes the rabbit. If something is nice then it likes the rabbit. If something visits the tiger and it likes the lion then it likes the rabbit. If something likes the rabbit and it is kind then the rabbit is big.", + "original_question": "The lion likes the rabbit." + }, + { + "id": "AttNeg-OWA-D3-498", + "question": "Dave is furry. Dave is not kind. Dave is nice. Dave is rough. Dave is young. Erin is furry. Erin is not kind. Erin is nice. Erin is round. Erin is young. Fiona is furry. Fiona is white. If Fiona is not furry then Fiona is young. If Fiona is rough and Fiona is kind then Fiona is young. White, round people are rough. White, nice people are not kind. If someone is round and not furry then they are not nice. If someone is white then they are round. If Fiona is rough then Fiona is kind. If Erin is not kind then Erin is rough.\n\nQuestion: Erin is rough.", + "answer": true, + "QDep": 1, + "original_theory": "Dave is furry. Dave is not kind. Dave is nice. Dave is rough. Dave is young. Erin is furry. Erin is not kind. Erin is nice. Erin is round. Erin is young. Fiona is furry. Fiona is white. If Fiona is not furry then Fiona is young. If Fiona is rough and Fiona is kind then Fiona is young. White, round people are rough. White, nice people are not kind. If someone is round and not furry then they are not nice. If someone is white then they are round. If Fiona is rough then Fiona is kind. If Erin is not kind then Erin is rough.", + "original_question": "Erin is rough." + }, + { + "id": "AttNoneg-OWA-D2-1484", + "question": "Anne is quiet. Anne is smart. Anne is young. Bob is big. Bob is red. Bob is rough. Bob is smart. Bob is white. Bob is young. Charlie is big. Charlie is rough. Charlie is smart. Harry is rough. Harry is smart. Harry is white. Harry is young. Quiet people are smart. All smart, rough people are quiet. Red, big people are quiet. Smart, quiet people are young. If someone is rough and quiet then they are big. Big people are smart.\n\nQuestion: Charlie is big.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is quiet. Anne is smart. Anne is young. Bob is big. Bob is red. Bob is rough. Bob is smart. Bob is white. Bob is young. Charlie is big. Charlie is rough. Charlie is smart. Harry is rough. Harry is smart. Harry is white. Harry is young. Quiet people are smart. All smart, rough people are quiet. Red, big people are quiet. Smart, quiet people are young. If someone is rough and quiet then they are big. Big people are smart.", + "original_question": "Charlie is big." + }, + { + "id": "RelNoneg-OWA-D5-406", + "question": "The cat eats the mouse. The cat is blue. The cat is rough. The cat sees the squirrel. The mouse is kind. The mouse is young. The mouse needs the rabbit. The mouse sees the cat. The rabbit eats the cat. The rabbit eats the mouse. The rabbit eats the squirrel. The rabbit is rough. The rabbit needs the cat. The rabbit sees the mouse. The squirrel eats the mouse. The squirrel is kind. If someone is young and they eat the squirrel then they need the mouse. If someone sees the cat and the cat is rough then they see the squirrel. If someone is rough and they eat the cat then they are big. Big people are young. If someone needs the mouse then they see the cat.\n\nQuestion: The rabbit is big.", + "answer": true, + "QDep": 1, + "original_theory": "The cat eats the mouse. The cat is blue. The cat is rough. The cat sees the squirrel. The mouse is kind. The mouse is young. The mouse needs the rabbit. The mouse sees the cat. The rabbit eats the cat. The rabbit eats the mouse. The rabbit eats the squirrel. The rabbit is rough. The rabbit needs the cat. The rabbit sees the mouse. The squirrel eats the mouse. The squirrel is kind. If someone is young and they eat the squirrel then they need the mouse. If someone sees the cat and the cat is rough then they see the squirrel. If someone is rough and they eat the cat then they are big. Big people are young. If someone needs the mouse then they see the cat.", + "original_question": "The rabbit is big." + }, + { + "id": "AttNeg-OWA-D5-940", + "question": "Charlie is blue. Charlie is green. Dave is rough. Erin is not cold. Erin is green. Erin is rough. Erin is young. Harry is green. Harry is red. Harry is rough. Harry is not young. All rough people are red. If someone is blue then they are rough. All green people are rough. If someone is quiet then they are cold. If Harry is blue then Harry is green. If Dave is blue and Dave is red then Dave is quiet. Rough, red people are blue. Green, cold people are not quiet. Cold people are not young.\n\nQuestion: Charlie is red.", + "answer": true, + "QDep": 2, + "original_theory": "Charlie is blue. Charlie is green. Dave is rough. Erin is not cold. Erin is green. Erin is rough. Erin is young. Harry is green. Harry is red. Harry is rough. Harry is not young. All rough people are red. If someone is blue then they are rough. All green people are rough. If someone is quiet then they are cold. If Harry is blue then Harry is green. If Dave is blue and Dave is red then Dave is quiet. Rough, red people are blue. Green, cold people are not quiet. Cold people are not young.", + "original_question": "Charlie is red." + }, + { + "id": "RelNeg-OWA-D2-1482", + "question": "The lion likes the squirrel. The mouse visits the lion. The squirrel likes the mouse. The tiger is not nice. If something is green and not blue then it visits the mouse. If something is green then it does not see the lion. If something visits the lion then the lion is green.\n\nQuestion: The mouse visits the lion.", + "answer": true, + "QDep": 0, + "original_theory": "The lion likes the squirrel. The mouse visits the lion. The squirrel likes the mouse. The tiger is not nice. If something is green and not blue then it visits the mouse. If something is green then it does not see the lion. If something visits the lion then the lion is green.", + "original_question": "The mouse visits the lion." + }, + { + "id": "AttNeg-OWA-D0-3926", + "question": "Bob is not big. Bob is furry. Bob is green. Bob is rough. Bob is round. Bob is smart. Bob is not white. Dave is big. Dave is furry. Dave is green. Dave is rough. Dave is not round. Dave is not smart. Dave is white. Smart, white things are big. If Dave is white then Dave is big. If something is white and not big then it is round. Big, white things are not round. If something is big and smart then it is round. If something is white then it is furry. If something is round and rough then it is furry. If Dave is round and Dave is green then Dave is furry.\n\nQuestion: Bob is green.", + "answer": true, + "QDep": 0, + "original_theory": "Bob is not big. Bob is furry. Bob is green. Bob is rough. Bob is round. Bob is smart. Bob is not white. Dave is big. Dave is furry. Dave is green. Dave is rough. Dave is not round. Dave is not smart. Dave is white. Smart, white things are big. If Dave is white then Dave is big. If something is white and not big then it is round. Big, white things are not round. If something is big and smart then it is round. If something is white then it is furry. If something is round and rough then it is furry. If Dave is round and Dave is green then Dave is furry.", + "original_question": "Bob is green." + }, + { + "id": "RelNeg-OWA-D3-1383", + "question": "The dog likes the lion. The lion eats the mouse. The mouse likes the dog. If something eats the lion then the lion likes the dog. If the lion visits the mouse and the lion eats the mouse then the lion is kind. If something likes the lion then it is kind. If something likes the lion then the lion is nice. If something visits the dog then it visits the mouse. If something likes the mouse then it does not like the dog. If something likes the dog and the dog is kind then the dog is not big. If the dog is kind and the dog is not big then the dog visits the lion.\n\nQuestion: The dog does not visit the lion.", + "answer": false, + "QDep": 3, + "original_theory": "The dog likes the lion. The lion eats the mouse. The mouse likes the dog. If something eats the lion then the lion likes the dog. If the lion visits the mouse and the lion eats the mouse then the lion is kind. If something likes the lion then it is kind. If something likes the lion then the lion is nice. If something visits the dog then it visits the mouse. If something likes the mouse then it does not like the dog. If something likes the dog and the dog is kind then the dog is not big. If the dog is kind and the dog is not big then the dog visits the lion.", + "original_question": "The dog does not visit the lion." + }, + { + "id": "AttNeg-OWA-D0-1443", + "question": "Anne is not green. Anne is kind. Anne is red. Anne is round. Anne is not smart. Anne is white. Anne is young. If something is smart then it is white. If Anne is young and Anne is not smart then Anne is white.\n\nQuestion: Anne is young.", + "answer": true, + "QDep": 0, + "original_theory": "Anne is not green. Anne is kind. Anne is red. Anne is round. Anne is not smart. Anne is white. Anne is young. If something is smart then it is white. If Anne is young and Anne is not smart then Anne is white.", + "original_question": "Anne is young." + }, + { + "id": "AttNoneg-OWA-D0-3610", + "question": "Charlie is round. Gary is rough. If something is red then it is big. If Gary is green then Gary is rough. All rough, big things are round. All round, rough things are red. If something is round and green then it is big. If something is quiet then it is white.\n\nQuestion: Gary is not rough.", + "answer": false, + "QDep": 0, + "original_theory": "Charlie is round. Gary is rough. If something is red then it is big. If Gary is green then Gary is rough. All rough, big things are round. All round, rough things are red. If something is round and green then it is big. If something is quiet then it is white.", + "original_question": "Gary is not rough." + }, + { + "id": "RelNeg-OWA-D0-2221", + "question": "The cat eats the squirrel. The cat is blue. The cat is rough. The cat sees the squirrel. The squirrel eats the cat. The squirrel is blue. The squirrel is not rough. The squirrel is round. The squirrel does not see the cat. The squirrel visits the cat. If someone visits the squirrel then they see the cat. If someone eats the cat and the cat visits the squirrel then the squirrel sees the cat.\n\nQuestion: The cat is blue.", + "answer": true, + "QDep": 0, + "original_theory": "The cat eats the squirrel. The cat is blue. The cat is rough. The cat sees the squirrel. The squirrel eats the cat. The squirrel is blue. The squirrel is not rough. The squirrel is round. The squirrel does not see the cat. The squirrel visits the cat. If someone visits the squirrel then they see the cat. If someone eats the cat and the cat visits the squirrel then the squirrel sees the cat.", + "original_question": "The cat is blue." + }, + { + "id": "RelNoneg-OWA-D5-279", + "question": "The bear is blue. The bear is round. The bear sees the cow. The cow is blue. The lion is rough. The lion likes the tiger. The lion sees the bear. The tiger is cold. The tiger is round. The tiger sees the bear. The tiger sees the cow. If someone is blue then they like the tiger. If the cow is blue then the cow chases the lion. If someone likes the tiger and the tiger sees the bear then they chase the lion. If someone likes the lion then the lion chases the tiger. If the cow is cold and the cow chases the bear then the bear chases the tiger. If someone chases the cow and they chase the lion then they chase the bear. If someone is rough then they chase the cow. If someone is cold then they are blue. If someone is blue and they chase the lion then they are rough.\n\nQuestion: The tiger sees the cow.", + "answer": true, + "QDep": 0, + "original_theory": "The bear is blue. The bear is round. The bear sees the cow. The cow is blue. The lion is rough. The lion likes the tiger. The lion sees the bear. The tiger is cold. The tiger is round. The tiger sees the bear. The tiger sees the cow. If someone is blue then they like the tiger. If the cow is blue then the cow chases the lion. If someone likes the tiger and the tiger sees the bear then they chase the lion. If someone likes the lion then the lion chases the tiger. If the cow is cold and the cow chases the bear then the bear chases the tiger. If someone chases the cow and they chase the lion then they chase the bear. If someone is rough then they chase the cow. If someone is cold then they are blue. If someone is blue and they chase the lion then they are rough.", + "original_question": "The tiger sees the cow." + }, + { + "id": "AttNoneg-OWA-D3-30", + "question": "Erin is blue. Erin is smart. Erin is young. All blue people are cold. If someone is cold then they are red. If Erin is blue and Erin is red then Erin is quiet.\n\nQuestion: Erin is blue.", + "answer": true, + "QDep": 0, + "original_theory": "Erin is blue. Erin is smart. Erin is young. All blue people are cold. If someone is cold then they are red. If Erin is blue and Erin is red then Erin is quiet.", + "original_question": "Erin is blue." + }, + { + "id": "RelNeg-OWA-D3-1588", + "question": "The mouse eats the squirrel. The mouse is not red. The squirrel is green. If someone eats the mouse then the mouse needs the squirrel. If the mouse is not rough and the mouse does not eat the squirrel then the mouse does not need the squirrel. If someone needs the squirrel then they need the mouse. If someone eats the squirrel then they eat the mouse. If someone is red and they eat the squirrel then the squirrel is big. If someone visits the squirrel then the squirrel is not kind. If someone visits the mouse and they do not need the mouse then the mouse visits the squirrel. If the mouse does not need the squirrel then the mouse visits the squirrel.\n\nQuestion: The mouse does not need the squirrel.", + "answer": false, + "QDep": 2, + "original_theory": "The mouse eats the squirrel. The mouse is not red. The squirrel is green. If someone eats the mouse then the mouse needs the squirrel. If the mouse is not rough and the mouse does not eat the squirrel then the mouse does not need the squirrel. If someone needs the squirrel then they need the mouse. If someone eats the squirrel then they eat the mouse. If someone is red and they eat the squirrel then the squirrel is big. If someone visits the squirrel then the squirrel is not kind. If someone visits the mouse and they do not need the mouse then the mouse visits the squirrel. If the mouse does not need the squirrel then the mouse visits the squirrel.", + "original_question": "The mouse does not need the squirrel." + }, + { + "id": "RelNoneg-OWA-D3-189", + "question": "The bald eagle chases the squirrel. The bald eagle is rough. The bald eagle likes the squirrel. The cat chases the cow. The cat likes the bald eagle. The cat likes the squirrel. The cat sees the squirrel. The cow chases the bald eagle. The cow chases the squirrel. The cow likes the cat. The squirrel chases the cat. The squirrel is kind. If someone chases the bald eagle then they are cold. If someone is rough then they like the cow. If the cow is cold then the cow is rough. If someone chases the cow and they are cold then they like the cat. If someone likes the bald eagle and the bald eagle sees the squirrel then the squirrel chases the bald eagle. Kind people are rough. If someone likes the squirrel then they chase the cow. If the bald eagle is kind then the bald eagle sees the cat.\n\nQuestion: The cow likes the cow.", + "answer": true, + "QDep": 3, + "original_theory": "The bald eagle chases the squirrel. The bald eagle is rough. The bald eagle likes the squirrel. The cat chases the cow. The cat likes the bald eagle. The cat likes the squirrel. The cat sees the squirrel. The cow chases the bald eagle. The cow chases the squirrel. The cow likes the cat. The squirrel chases the cat. The squirrel is kind. If someone chases the bald eagle then they are cold. If someone is rough then they like the cow. If the cow is cold then the cow is rough. If someone chases the cow and they are cold then they like the cat. If someone likes the bald eagle and the bald eagle sees the squirrel then the squirrel chases the bald eagle. Kind people are rough. If someone likes the squirrel then they chase the cow. If the bald eagle is kind then the bald eagle sees the cat.", + "original_question": "The cow likes the cow." + }, + { + "id": "RelNoneg-OWA-D3-315", + "question": "The bald eagle eats the cat. The cat is kind. The cow is round. The rabbit eats the bald eagle. The rabbit eats the cow. The rabbit is kind. The rabbit visits the bald eagle. If something needs the rabbit and the rabbit is round then it is green. If something is cold then it needs the rabbit. If something needs the cow then it visits the cow. If something is kind and it needs the bald eagle then it is round. If something eats the cat then the cat needs the cow. If something needs the cow and the cow visits the bald eagle then the bald eagle is green. If something needs the cat then the cat needs the rabbit. If something visits the cow then the cow eats the rabbit.\n\nQuestion: The cat visits the cow.", + "answer": true, + "QDep": 2, + "original_theory": "The bald eagle eats the cat. The cat is kind. The cow is round. The rabbit eats the bald eagle. The rabbit eats the cow. The rabbit is kind. The rabbit visits the bald eagle. If something needs the rabbit and the rabbit is round then it is green. If something is cold then it needs the rabbit. If something needs the cow then it visits the cow. If something is kind and it needs the bald eagle then it is round. If something eats the cat then the cat needs the cow. If something needs the cow and the cow visits the bald eagle then the bald eagle is green. If something needs the cat then the cat needs the rabbit. If something visits the cow then the cow eats the rabbit.", + "original_question": "The cat visits the cow." + } +] \ No newline at end of file From 3c464dc2867ad5fd8d53ad9035f70870cf731de5 Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Wed, 15 Oct 2025 16:22:56 -0400 Subject: [PATCH 03/11] Adding ConditionalQA --- examples/bench_conditionalqa.py | 311 + examples/conditionalqa_documents.json | 73113 +++++++++++++++ .../conditionalqa_documents_processed.json | 73765 ++++++++++++++++ examples/conditionalqa_train.json | 49490 +++++++++++ examples/conditionalqa_train_processed.json | 12072 +++ 5 files changed, 208751 insertions(+) create mode 100644 examples/bench_conditionalqa.py create mode 100644 examples/conditionalqa_documents.json create mode 100644 examples/conditionalqa_documents_processed.json create mode 100644 examples/conditionalqa_train.json create mode 100644 examples/conditionalqa_train_processed.json diff --git a/examples/bench_conditionalqa.py b/examples/bench_conditionalqa.py new file mode 100644 index 0000000..37f4db0 --- /dev/null +++ b/examples/bench_conditionalqa.py @@ -0,0 +1,311 @@ +#!/usr/bin/env python3 +"""Benchmark: ConditionalQA with SMT2 backend and Azure OpenAI. + +ConditionalQA is a reading comprehension dataset that requires conditional reasoning +over legal and government documents. Questions include a scenario and ask whether +specific conditions apply based on the document content. + +Dataset: ConditionalQA (UK government documents) +Format: +- Documents: 652 UK government web pages with legal/procedural information +- Questions: 2,338 scenario-based questions requiring document reasoning +Structure: +- Each question has: url, scenario, question, answers, evidences +- Documents have: title, url, contents (list of HTML snippets) + +Evaluation Strategy: Boolean Question Subset +We focus on boolean (yes/no) questions for clean SMT verification: +- Filter to only questions with "yes"/"no" answers (~60% of dataset) +- Keep original Q&A format (minimal preprocessing) +- Direct SAT/UNSAT evaluation matches boolean answers +""" + +import json +import logging +import os +import sys +from pathlib import Path +from typing import Any + +# Add parent directory to path for z3dsl imports +sys.path.insert(0, str(Path(__file__).parent.parent)) + +from azure_config import get_client_config + +from z3dsl.reasoning import EvaluationPipeline, ProofOfThought + +# Configure logging +logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") + + +def clean_html_content(html_list: list[str]) -> str: + """Convert list of HTML snippets to clean text for reasoning. + + Args: + html_list: List of HTML content strings + + Returns: + Clean text with basic structure preserved + """ + import re + + text_parts = [] + for html in html_list: + # Remove HTML tags but preserve structure + text = re.sub(r"", "\n## ", html) + text = re.sub(r"", "\n", text) + text = re.sub(r"

", "\n", text) + text = re.sub(r"

", "\n", text) + text = re.sub(r"
  • ", "\n- ", text) + text = re.sub(r"
  • ", "", text) + text = re.sub(r"", "\n| ", text) + text = re.sub(r"", " |", text) + text = re.sub(r"<[^>]+>", "", text) + + # Clean up whitespace + text = re.sub(r"\n\s*\n\s*\n", "\n\n", text) + text = text.strip() + + if text: + text_parts.append(text) + + return "\n\n".join(text_parts) + + +def preprocess_documents(documents_path: str, output_path: str) -> dict[str, dict[str, Any]]: + """Preprocess ConditionalQA documents for reasoning. + + Args: + documents_path: Path to conditionalqa_documents.json + output_path: Path to save preprocessed documents + + Returns: + Dictionary mapping URL to processed document data + """ + with open(documents_path) as f: + documents = json.load(f) + + print(f"Total documents: {len(documents)}") + + processed_docs = {} + for doc in documents: + url = doc["url"] + title = doc["title"] + contents_text = clean_html_content(doc["contents"]) + + processed_docs[url] = { + "url": url, + "title": title, + "content": contents_text, + "original_contents": doc["contents"], + } + + with open(output_path, "w") as f: + json.dump(processed_docs, f, indent=2) + + print(f"Preprocessed {len(processed_docs)} documents") + print(f"Saved to: {output_path}") + + return processed_docs + + +def preprocess_questions( + questions_path: str, + documents: dict[str, dict[str, Any]], + output_path: str, + max_samples: int | None = None, +) -> list[dict[str, Any]]: + """Preprocess ConditionalQA questions for evaluation. + + ConditionalQA format: + - url: Link to source document + - scenario: User's situation/context + - question: Specific question about the scenario + - not_answerable: Whether question can be answered from document + - answers: List of [answer_text, supporting_facts] + - evidences: List of HTML snippets supporting the answer + + Output format: + - id: Original question ID + - question: scenario + question + document content (MINIMAL CHANGES) + - answer: Boolean (True/False) for yes/no answers only + - url: Document URL + - answerable: Whether question is answerable + + Note: Only includes questions with boolean yes/no answers. + """ + with open(questions_path) as f: + questions = json.load(f) + + print(f"Total questions: {len(questions)}") + + processed = [] + answerable_count = 0 + not_answerable_count = 0 + skipped_non_boolean = 0 + + for q in questions: + url = q["url"] + + # Get associated document + if url not in documents: + print(f"Warning: No document found for URL {url}") + continue + + doc = documents[url] + + # Parse answer - ConditionalQA answers are [answer_text, supporting_facts] + answer_text = q["answers"][0][0] if q["answers"] else None + if not answer_text: + continue + + # Convert to boolean (filter to boolean-only) + answer_lower = answer_text.lower().strip() + if answer_lower in ["yes", "true"]: + answer_bool = True + elif answer_lower in ["no", "false"]: + answer_bool = False + else: + # Skip non-boolean answers + skipped_non_boolean += 1 + continue + + # Combine scenario, question, and document (MINIMAL - no transformation) + full_question = ( + f"Scenario: {q['scenario']}\n\n" + f"Question: {q['question']}\n\n" + f"Document - {doc['title']}:\n{doc['content']}" + ) + + is_answerable = not q.get("not_answerable", False) + if is_answerable: + answerable_count += 1 + else: + not_answerable_count += 1 + + processed.append( + { + "id": q["id"], + "question": full_question, + "answer": answer_bool, + "answer_text": answer_text, + "url": url, + "answerable": is_answerable, + "scenario": q["scenario"], + "original_question": q["question"], + } + ) + + if max_samples and len(processed) >= max_samples: + break + + with open(output_path, "w") as f: + json.dump(processed, f, indent=2) + + print(f"Preprocessed {len(processed)} questions (boolean answers only)") + print(f" - Answerable: {answerable_count}, Not answerable: {not_answerable_count}") + print(f" - Skipped non-boolean: {skipped_non_boolean}") + print(f"Saved to: {output_path}") + + return processed + + +def main() -> None: + """Run ConditionalQA benchmark.""" + # Preprocess documents + documents_file = "examples/conditionalqa_documents.json" + processed_docs_file = "examples/conditionalqa_documents_processed.json" + + print("=" * 80) + print("STAGE 1: PREPROCESSING DOCUMENTS") + print("=" * 80) + + if os.path.exists(processed_docs_file): + print(f"Loading preprocessed documents from {processed_docs_file}") + with open(processed_docs_file) as f: + processed_docs = json.load(f) + else: + print("Preprocessing ConditionalQA documents...") + processed_docs = preprocess_documents(documents_file, processed_docs_file) + + print() + + # Preprocess questions + questions_file = "examples/conditionalqa_train.json" + processed_questions_file = "examples/conditionalqa_train_processed.json" + + print("=" * 80) + print("STAGE 2: PREPROCESSING QUESTIONS") + print("=" * 80) + + if os.path.exists(processed_questions_file): + print(f"Loading preprocessed questions from {processed_questions_file}") + else: + print("Preprocessing ConditionalQA questions...") + preprocess_questions(questions_file, processed_docs, processed_questions_file) + + print() + + # Get Azure OpenAI configuration + config = get_client_config() + + # Create ProofOfThought instance with SMT2 backend + pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + max_attempts=3, + cache_dir="output/programs_smt2_conditionalqa", + z3_path="z3", + ) + + # Run evaluation + print("=" * 80) + print("STAGE 3: EVALUATING QUESTIONS") + print("=" * 80) + + # Create evaluation pipeline with parallel workers + evaluator = EvaluationPipeline( + proof_of_thought=pot, + output_dir="output/evaluation_results_conditionalqa", + num_workers=10, + ) + + # Run evaluation on preprocessed questions + result = evaluator.evaluate( + dataset=processed_questions_file, + question_field="question", + answer_field="answer", + id_field="id", + max_samples=100, + skip_existing=True, + ) + + # Print results + print("\n" + "=" * 80) + print("CONDITIONALQA BENCHMARK RESULTS (SMT2 Backend + Azure GPT-5)") + print("=" * 80) + print(f"Total Samples: {result.metrics.total_samples}") + print(f"Correct: {result.metrics.correct_answers}") + print(f"Wrong: {result.metrics.wrong_answers}") + print(f"Failed: {result.metrics.failed_answers}") + print() + print(f"Accuracy: {result.metrics.accuracy:.2%}") + print(f"Precision: {result.metrics.precision:.4f}") + print(f"Recall: {result.metrics.recall:.4f}") + print(f"F1 Score: {result.metrics.f1_score:.4f}") + print(f"Specificity: {result.metrics.specificity:.4f}") + print() + print(f"True Positives: {result.metrics.tp}") + print(f"True Negatives: {result.metrics.tn}") + print(f"False Positives: {result.metrics.fp}") + print(f"False Negatives: {result.metrics.fn}") + print("=" * 80) + print("\nNOTE: ConditionalQA benchmark uses boolean question subset.") + print(" Dataset: 652 documents, filtered to ~60% with yes/no answers.") + print(" Original Q&A format preserved (minimal preprocessing).") + print("=" * 80) + + +if __name__ == "__main__": + main() diff --git a/examples/conditionalqa_documents.json b/examples/conditionalqa_documents.json new file mode 100644 index 0000000..200464a --- /dev/null +++ b/examples/conditionalqa_documents.json @@ -0,0 +1,73113 @@ +[ + { + "title": "Child Tax Credit", + "url": "https://www.gov.uk/child-tax-credit", + "contents": [ + "

    Overview

    ", + "

    You can only make a claim for Child Tax Credit if you already get Working Tax Credit.

    ", + "

    If you cannot apply for Child Tax Credit, you can apply for Universal Credit instead.

    ", + "

    You might be able to apply for Pension Credit if you and your partner are State Pension age or over.

    ", + "

    What you\u2019ll get

    ", + "

    The amount you can get depends on how many children you\u2019ve got and whether you\u2019re:

    ", + "
  • making a new claim for Child Tax Credit
  • ", + "
  • already claiming Child Tax Credit
  • ", + "

    Child Tax Credit will not affect your Child Benefit.

    ", + "

    You can only claim Child Tax Credit for children you\u2019re responsible for.

    ", + "

    If you're making a new claim

    ", + "

    You can only make a claim for Child Tax Credit if you already get Working Tax Credit.

    ", + "

    You can only claim Child Tax Credit for children you\u2019re responsible for.

    ", + "

    What you\u2019ll get

    ", + "

    The amount you could get depends on when your children were born.

    ", + "

    If all your children were born before 6 April 2017

    ", + "

    You could get the \u2018child element\u2019 of Child Tax Credit for all of your children.

    ", + "

    You\u2019ll also get the basic amount, known as the \u2018family element\u2019.

    ", + "

    If one or more of your children were born on or after 6 April 2017

    ", + "

    You could get the child element of Child Tax Credit for up to 2 children. You might get the child element for more children if exceptions apply.

    ", + "

    You\u2019ll only get the family element if at least one of your children was born before 6 April 2017.

    ", + "

    Child Tax Credit rates for the 2021 to 2022 tax year

    ", + "Element | Yearly amount", + "The basic amount (this is known as \u2018the family element\u2019) | Up to \u00a3545", + "For each child (this is known as \u2018the child element\u2019) | Up to \u00a32,845", + "For each disabled child | Up to \u00a33,435 (on top of the child element)", + "For each severely disabled child | Up to \u00a31,390 (on top of the child element and the disabled child element)", + "

    Use the tax credit calculator to work out how much you could get.

    ", + "

    Moving to the UK from the EEA

    ", + "

    You must wait 3 months before claiming Child Tax Credit if you arrived in the UK from the EEA on or after 1 July 2014 and do not work.

    ", + "

    There are some exceptions who will not have to wait 3 months, for example refugees.

    ", + "

    You're already claiming Child Tax Credit

    ", + "

    How much Child Tax Credit you get depends on your circumstances.

    ", + "

    You must tell HM Revenue and Customs if your circumstances change.

    ", + "

    If your claim started before 6 April 2017

    ", + "

    You get:

    ", + "
  • the basic amount of Child Tax Credit (known as the \u2018family element\u2019)
  • ", + "
  • the \u2018child element\u2019 for children born before 6 April 2017
  • ", + "

    If you have another child on or after 6 April 2017, you\u2019ll usually only get the child element for them if they\u2019re the second child you\u2019re claiming for.

    ", + "

    You might get the child element for more children if exceptions apply.

    ", + "

    If your claim started on or after 6 April 2017

    ", + "

    You get the child element for up to 2 children. You might get the child element for more children if exceptions apply.

    ", + "

    You only get the family element if at least one of your children was born before 6 April 2017.

    ", + "

    If all your children were born before 6 April 2017

    ", + "

    You get the child element for all your children. You also get the basic amount (known as the family element).

    ", + "

    Child Tax Credit rates for the 2021 to 2022 tax year

    ", + "Element | Yearly amount", + "The basic amount (this is known as \u2018the family element\u2019) | Up to \u00a3545", + "For each child (this is known as \u2018the child element\u2019) | Up to \u00a32,845", + "For each disabled child | Up to \u00a33,435 (on top of the child element)", + "For each severely disabled child | Up to \u00a31,390 (on top of the child element and the disabled child element)", + "

    Use the tax credit calculator to work out how much you could get.

    ", + "

    How you're paid

    ", + "

    All benefits, pensions and allowances are paid into an account (a bank account, for example) of the person mainly responsible for the child.

    ", + "

    You\u2019re paid every week or every 4 weeks from the date of your claim up to the end of the tax year (5 April), unless your circumstances change.

    ", + "

    How to claim

    ", + "

    You can no longer make a new claim for Child Tax Credit. You can apply for Universal Credit instead.

    ", + "

    You might be able to apply for Pension Credit if you and your partner are State Pension age or over.

    ", + "

    You can only make a claim for Child Tax Credit if you already get Working Tax Credit.

    ", + "

    To claim Child Tax Credit, update your existing tax credit claim by reporting a change in your circumstances online or by phone.

    ", + "

    Responsibility for a child

    ", + "

    You can only claim Child Tax Credit for children you\u2019re responsible for.

    ", + "

    You\u2019re usually responsible for a child if:

    ", + "
  • they live with you all the time
  • ", + "
  • they normally live with you and you\u2019re the main carer
  • ", + "
  • they keep their toys and clothes at your home
  • ", + "
  • you pay for their meals and give them pocket money
  • ", + "
  • they live in an EEA country or Switzerland but are financially dependent on you
  • ", + "

    Contact HM Revenue and Customs (HMRC) if you\u2019re not sure you\u2019re responsible for the child.

    ", + "

    If you share responsibility for a child and you cannot agree who should claim you can both apply. HMRC will decide for you.

    ", + "

    If you adopted or fostered a child

    ", + "

    You can claim for an adopted or fostered child if you\u2019re not getting money from your local council (Health and Social Services Board in Northern Ireland). If you do get money, call HMRC to find out if you can claim.

    ", + "

    If you\u2019re responsible for a disabled child

    ", + "

    You may get extra Child Tax Credits if your child either:

    ", + "
  • gets Disability Living Allowance, Personal Independence Payment or Armed Forces Independence Payment
  • ", + "
  • is certified blind (or was within 28 weeks of your tax credits claim)
  • ", + "

    You still qualify if Disability Living Allowance, Personal Independence Payment or Armed Forces Independence Payment stops because the child goes into hospital.

    " + ] + }, + { + "title": "Working Tax Credit", + "url": "https://www.gov.uk/working-tax-credit", + "contents": [ + "

    Eligibility

    ", + "

    You can only make a claim for Working Tax Credit if you already get Child Tax Credit.

    ", + "

    If you cannot apply for Working Tax Credit, you can apply for Universal Credit instead.

    ", + "

    You might be able to apply for Pension Credit if you and your partner are State Pension age or over.

    ", + "

    Hours you work

    ", + "

    You must work a certain number of hours a week to qualify.

    ", + "Circumstance | Hours a week", + "Aged 25 to 59 | At least 30 hours", + "Aged 60 or over | At least 16 hours", + "Disabled | At least 16 hours", + "Single with 1 or more children | At least 16 hours", + "Couple with 1 or more children | Usually, at least 24 hours between you (with 1 of you working at least 16 hours)", + "

    A child is someone who is under 16 (or under 20 if they\u2019re in approved education or training).

    ", + "

    Use the tax credits calculator to check if you work the right number of hours.

    ", + "

    You can still apply for Working Tax Credit if you\u2019re on leave.

    ", + "

    Exceptions for couples with at least one child

    ", + "

    You can claim if you work less than 24 hours a week between you and one of the following applies:

    ", + "
  • you work at least 16 hours a week and you\u2019re disabled or aged 60 or above
  • ", + "
  • you work at least 16 hours a week and your partner is incapacitated (getting certain benefits because of disability or ill health), is entitled to Carer\u2019s Allowance, or is in hospital or prison
  • ", + "

    What counts as work

    ", + "

    Your work can be:

    ", + "
  • for someone else, as a worker or employee
  • ", + "
  • as someone who\u2019s self-employed
  • ", + "
  • a mixture of the two
  • ", + "

    If you\u2019re self-employed

    ", + "

    Some self-employed people are not eligible for Working Tax Credit. To qualify, your self-employed work must aim to make a profit. It must also be commercial, regular and organised.

    ", + "

    This means you may not qualify if you do not:

    ", + "
  • make a profit or have clear plans to make one
  • ", + "
  • work regularly
  • ", + "
  • keep business records, such as receipts and invoices
  • ", + "
  • follow any regulations that apply to your work, for example having the right licence or insurance
  • ", + "

    If the average hourly profit from your self-employed work is less than the National Minimum Wage, HM Revenue and Customs may ask you to provide:

    ", + "
  • business records
  • ", + "
  • your business plan - find out how to write a business plan
  • ", + "
  • details of the day-to-day running of your business
  • ", + "
  • evidence that you\u2019ve promoted your business - such as advertisements or flyers
  • ", + "

    Your pay

    ", + "

    The work must last at least 4 weeks (or you must expect it to last 4 weeks) and must be paid.

    ", + "

    This can include payment in kind (for example farm produce for a farm labourer) or where you expect to be paid for the work.

    ", + "

    Exceptions

    ", + "

    Paid work does not include money paid:

    ", + "
  • for a \u2018Rent a Room\u2019 scheme (less than \u00a37,500 or \u00a33,750 for joint owners)
  • ", + "
  • for work done while in prison
  • ", + "
  • as a grant for training or studying
  • ", + "
  • as a sports award
  • ", + "

    Your income

    ", + "

    There\u2019s no set limit for income because it depends on your circumstances (and those of your partner). For example, \u00a318,000 for a couple without children or \u00a313,100 for a single person without children - but it can be higher if you have children, pay for approved childcare or one of you is disabled.

    ", + "

    What you'll get

    ", + "

    You get a basic amount and extra (known as \u2018elements\u2019) on top of this.

    ", + "

    How much you get depends on things like your circumstances and income.

    ", + "

    The basic amount is up to \u00a32,005 a year.

    ", + "Element | Amount", + "You\u2019re a couple applying together | Up to \u00a32,060 a year", + "You\u2019re a single parent | Up to \u00a32,060 a year", + "You work at least 30 hours a week | Up to \u00a3830 a year", + "You have a disability | Up to \u00a33,240 a year", + "You have a severe disability | Up to \u00a31,400 a year (usually on top of the disability payment)", + "You pay for approved childcare | Up to \u00a3122.50 (1 child) or \u00a3210 (2 or more children) a week", + "

    Use the tax credits calculator to work out how much you could get.

    ", + "

    How you\u2019re paid

    ", + "

    Money is paid directly into your bank or building society account, every week or 4 weeks.

    ", + "

    You must choose one account if you\u2019re a couple.

    ", + "

    Usually, you\u2019re paid from the date of your claim up to the end of the tax year (5 April).

    ", + "

    If your circumstances change

    ", + "

    Your tax credits can go up or down if your family or work life change if you start a new job, you\u2019re laid off work or your partner dies.

    ", + "

    You must report these changes to HM Revenue and Customs.

    ", + "

    How to claim

    ", + "

    You can no longer make a new claim for Working Tax Credit. You can apply for Universal Credit instead.

    ", + "

    You might be able to apply for Pension Credit if you and your partner are State Pension age or over.

    ", + "

    You can only make a claim for Working Tax Credit if you already get Child Tax Credit.

    ", + "

    To claim Working Tax Credit, update your existing tax credit claim by reporting a change in your circumstances online or by phone.

    ", + "

    Leave and gaps in your employment

    ", + "

    You can get Working Tax Credit for periods when you do not work. For example, when you:

    ", + "
  • go on maternity leave
  • ", + "
  • get sick pay
  • ", + "
  • are in between jobs
  • ", + "

    You\u2019re entitled to the tax credits for a certain period of time providing you qualify.

    ", + "

    If you do not return to work at the end of the period contact HM Revenue and Customs.

    ", + "Circumstance | Period you get tax credits for", + "You lose or leave your job | For 4 weeks", + "You\u2019re on maternity leave | For the first 39 weeks of your leave", + "You\u2019re on adoption leave | For the first 39 weeks of your leave", + "You\u2019re on paternity leave | For the period of your ordinary paternity leave", + "You\u2019re on additional paternity leave | Up to the equivalent 39th week of your partner\u2019s leave", + "You\u2019re off sick | For the first 28 weeks", + "You\u2019re on strike | For the first 10 days", + "You\u2019re laid off work | For 4 weeks after you\u2019re laid off or the lay off becomes indefinite", + "You\u2019re suspended from work - for example because of a complaint | Usually the period of suspension", + "

    Qualifying rules

    ", + "

    To qualify, you must:

    ", + "
  • have been in paid work
  • ", + "
  • have worked the right number of hours before you go on leave or the gap happens
  • ", + "
  • have got Statutory Sick Pay or an equivalent benefit if you were on sick leave
  • ", + "

    You\u2019ll still qualify if you were self employed and you would have been eligible for Statutory Sick Pay or an equivalent benefit if you were not self employed.

    ", + "

    The equivalent benefits are National Insurance credits (incapacity for work element), Employment and Support Allowance or Income Support (incapacity for work element).

    " + ] + }, + { + "title": "Manage your Child Maintenance Service case", + "url": "https://www.gov.uk/manage-child-maintenance-case", + "contents": [ + "

    Overview

    ", + "

    The Child Maintenance Service is for parents who have not been able to make a private arrangement for paying their child\u2019s living costs.

    ", + "

    Once you\u2019ve set up a Child Maintenance Service case, you:

    ", + "
  • can manage your case online
  • ", + "
  • need to report any changes to your circumstances, for example changes to your employment, benefits or the people who live with you
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Making and getting payments

    ", + "

    Child maintenance can be paid:

    ", + "
  • between parents
  • ", + "
  • directly from the paying parent\u2019s earnings - arranged with their employer
  • ", + "
  • by Direct Debit
  • ", + "
  • by reducing the paying parent\u2019s benefits
  • ", + "

    Payments are paid into the receiving parent\u2019s bank account.

    ", + "

    The receiving parent has main day-to-day care of the child. The paying parent does not have main day-to-day care.

    ", + "

    Contact the Child Maintenance Service if you\u2019re having problems paying.

    ", + "

    You can adjust your payment plan if you\u2019re self-isolating because of coronavirus (COVID-19).

    ", + "

    If you\u2019re experiencing domestic abuse or controlling behaviour

    ", + "

    Tell the Child Maintenance Service. They can arrange payments with your child\u2019s other parent for you.

    ", + "

    If you\u2019ve changed your name, you can arrange child maintenance without the other parent knowing your new name.

    ", + "

    If you do not want the other parent to know where you live, ask your bank to set up an account with a \u2018non-geographic\u2019 sort code. The Child Maintenance Service can give you a letter for your bank explaining why you need to set up this type of account.

    ", + "

    Making payments yourself

    ", + "

    Once the Child Maintenance Service has worked out an amount, you can make the payments yourself.

    ", + "

    This is called Direct Pay.

    ", + "

    The easiest way to pay is by standing order - payments go direct from the paying parent\u2019s bank, building society or Post Office account into the receiving parent\u2019s account.

    ", + "

    The Child Maintenance Service can still enforce missed payments. Keep a record of payments in case there are any problems in the future.

    ", + "

    Either parent can choose Direct Pay without needing the other\u2019s consent, unless there\u2019s evidence that the paying parent is unlikely to pay.

    ", + "

    Arranging payments for you

    ", + "

    If you\u2019re using the Child Maintenance Service to collect and pass on payments, they\u2019ll arrange this based on when the paying parent is paid their wages, pension or benefits.

    ", + "

    This is called Collect and Pay.

    ", + "

    You must tell the Child Maintenance Service about any Direct Pay transactions you make or receive while you\u2019re signed up to the Collect and Pay service.

    ", + "

    Collection fees

    ", + "

    You have to pay a fee each time you make or receive a regular child maintenance payment. The fee is:

    ", + "
  • 20% (which is added to the payment) for paying parents
  • ", + "
  • 4% (which is taken off the payment) for receiving parents
  • ", + "

    You cannot avoid collection fees by making payments in advance.

    ", + "

    You will not have to pay:

    ", + "
  • any fees if you choose a private arrangement
  • ", + "
  • collection fees if you use Direct Pay
  • ", + "

    When you\u2019ll pay or receive the money

    ", + "

    If you\u2019re the paying parent you\u2019ll be sent a letter explaining how much you need to pay and when. This is called a payment plan.

    ", + "

    If you\u2019re the receiving parent, you\u2019ll be sent a letter telling you what payments will be made and when. This is called an expected payment plan.

    ", + "

    The first payment is usually made within 12 weeks of making payment arrangements.

    ", + "

    If a parent does not pay

    ", + "

    The Child Maintenance Service will take action if child maintenance is not paid.

    ", + "

    Enforcement charges

    ", + "Action taken by the Child Maintenance Service | Charge", + "Liability order | \u00a3300", + "Lump sum deduction order | \u00a3200", + "Regular deduction order | \u00a350", + "Deduction from earnings request or order | \u00a350", + "

    What action is taken

    ", + "

    The Child Maintenance Service will take action immediately if the paying parent pays through them.

    ", + "

    If the paying parent used the Child Maintenance Service to calculate child maintenance but pays directly, the receiving parent needs to ask the service to take action.

    ", + "

    Disagreements about parentage

    ", + "

    When someone denies they\u2019re the parent of a child, the Child Maintenance Service will:

    ", + "
  • ask them for evidence proving they\u2019re not the parent
  • ", + "
  • tell the other parent what\u2019s happened and ask for evidence to prove parentage
  • ", + "

    If there\u2019s no evidence to prove they\u2019re not the parent, the Child Maintenance Service can:

    ", + "
  • ask both parents to take a DNA test
  • ", + "
  • ask the courts to make a decision
  • ", + "

    Assumed parentage

    ", + "

    The Child Maintenance Service can assume parentage if the person named as the parent:

    ", + "
  • was married to the child\u2019s mother at any time between the conception and birth of the child (unless the child was adopted)
  • ", + "
  • is named on the child\u2019s birth certificate (unless the child was adopted)
  • ", + "
  • has taken a DNA test that shows they\u2019re the parent
  • ", + "
  • has legally adopted the child
  • ", + "
  • is named in a court order as the parent when the child was born to a surrogate mother
  • ", + "

    If parentage is assumed, they\u2019ll work out a child maintenance amount. The person named as the parent has to pay this until they can prove that they\u2019re not the parent.

    ", + "

    Paying child maintenance during a disagreement

    ", + "

    When a child maintenance amount has already been worked out, the person named as the parent has to pay until they can provide evidence they\u2019re not the parent.

    ", + "

    When the amount has not been worked out, the service managing the case will not work it out or ask for payment until the disagreement has been sorted out.

    ", + "

    If the person is found to be the parent, the amount of child maintenance they have to pay will be back-dated.

    ", + "

    Named person proves they\u2019re not the parent

    ", + "

    When this happens, the Child Maintenance Service may:

    ", + "
  • refund any payments made after the date they first denied they were the parent, or offset the amount against maintenance for another child
  • ", + "
  • refund the cost of any DNA tests arranged through the service
  • ", + "

    They may also ask the other parent to pay back any child maintenance.

    ", + "

    Refunds depend on the circumstances of each case.

    ", + "

    Changes you need to report

    ", + "

    There are some changes you must tell the Child Maintenance Service about by law. You should report the change as soon as it happens.

    ", + "

    You can report changes to the Child Maintenance Service online or by phone.

    ", + "

    Either parent

    ", + "

    Tell the Child Maintenance Service if:

    ", + "
  • a parent or a child has died
  • ", + "
  • one of the parents is adopting a child
  • ", + "
  • you want to close your case
  • ", + "
  • you want to change from using a payment collection service to a Direct Pay service, or the other way around
  • ", + "
  • there\u2019s a change to the number of nights a child regularly stays overnight with the paying parent
  • ", + "

    Paying parent

    ", + "

    Tell the Child Maintenance Service if you:

    ", + "
  • start or stop working for an employer
  • ", + "
  • start or stop being self-employed
  • ", + "
  • have lost your job or you\u2019re temporarily receiving Statutory Sick Pay
  • ", + "
  • want to restart your payments
  • ", + "
  • have received notification of a court or tribunal date
  • ", + "
  • have received notification of a deduction order from a bank
  • ", + "
  • move house (give your new address within 7 days of moving)
  • ", + "
  • change your phone number (including mobile number)
  • ", + "
  • have an income change of 25% or more
  • ", + "

    Your payments may be reduced for a period. You\u2019ll get a payment schedule with the new amount.

    ", + "

    If you pay child maintenance through deductions in your earnings and you leave your job, you must tell the Child Maintenance Service:

    ", + "
  • the date you left your last job
  • ", + "
  • the name and address of your new employer (if any)
  • ", + "
  • how much you expect to earn
  • ", + "
  • your new payroll number (if any)
  • ", + "

    You should also report details about children who you or your partner have registered for Child Benefit, for example:

    ", + "
  • any changes to the number of children living with you
  • ", + "
  • if any child living with you reaches the age of 20
  • ", + "

    Receiving parent

    ", + "

    Tell the Child Maintenance Service if:

    ", + "
  • there\u2019s a change to the number of children living with you that you get child maintenance for
  • ", + "
  • there\u2019s a change to the number of children that you or your partner have registered for Child Benefit
  • ", + "
  • a child you get child maintenance for leaves full-time education (up to and including A Level) or reaches the age of 20
  • ", + "
  • you or any of the children you get child maintenance for no longer live in the UK
  • ", + "
  • you find out that the paying parent is coming off benefits
  • ", + "
  • you\u2019re moving house or know that the other parent is
  • ", + "
  • your phone number (including mobile number) changes
  • ", + "
  • the paying parent\u2019s income has changed by 25% or more
  • ", + "

    When you report a change

    ", + "

    You might need to provide:

    ", + "
  • employers\u2019 details or payslips
  • ", + "
  • benefits information
  • ", + "
  • a tax return or an explanation of what you think you\u2019ll earn if you\u2019re self-employed
  • ", + "

    If you do not give the right information

    ", + "

    You could be taken to court and fined up to \u00a31,000 if you:

    ", + "
  • do not give the information you are asked for
  • ", + "
  • give information that you know is false
  • ", + "

    This applies to any person or organisation who, by law, must give the Child Maintenance Service information, for example:

    ", + "
  • employers
  • ", + "
  • accountants
  • ", + "
  • either parent
  • ", + "

    When changes could affect your payments

    ", + "

    Changes to your circumstances may mean a change to the amount of child maintenance you pay or receive.

    ", + "

    You can find out how child maintenance is worked out.

    ", + "

    Complaints and appeals

    ", + "

    Contact the Child Maintenance Service if you\u2019re unhappy with the service you\u2019ve received.

    ", + "

    If you\u2019re not satisfied with how the Child Maintenance Service deals with your complaint, ask for it to go to a senior manager and be looked at by the DWP Complaints team.

    ", + "

    Independent Case Examiner

    ", + "

    You can ask the Independent Case Examiner (ICE) to look into your complaint if you\u2019ve already been through the full complaints process.

    ", + "

    You must not contact the Independent Case Examiner until you\u2019ve received a final response from the Child Maintenance Service saying you can do so.

    ", + "

    If you\u2019re unhappy with the response from the Independent Case Examiner, you can ask your MP to get the Parliamentary and Health Service Ombudsman to look into it.

    ", + "

    If your complaint is valid

    ", + "

    The Child Maintenance Service will:

    ", + "
  • apologise and explain what went wrong
  • ", + "
  • make any changes needed to put it right
  • ", + "

    If you\u2019ve been treated particularly badly, you may get a consolatory payment. However, you do not have a legal right to this.

    ", + "

    Appeals

    ", + "

    You can appeal a child maintenance decision about payment amounts.

    ", + "

    Before you can appeal, you must contact the Child Maintenance Service to ask for the decision to be looked at again. This is called \u2018mandatory reconsideration\u2019. You\u2019ll need to say why you disagree with the decision.

    ", + "

    If you\u2019re unhappy with the outcome of the mandatory reconsideration, you can appeal to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.

    ", + "

    Appeal to the Social Security and Child Support Tribunal

    ", + "

    Appeal to the tribunal within one month of getting the mandatory reconsideration decision. If you submit your appeal after a month you\u2019ll have to explain why you did not do it earlier.

    ", + "

    Download and fill in form SSCS2 and send it to the address on the form.

    ", + "

    You\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.

    ", + "

    After you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts. The judge will then make a decision.

    ", + "

    It usually takes around 6 months for your appeal to be heard by the tribunal.

    ", + "

    Contact

    ", + "

    Report changes online

    ", + "

    Report changes to your circumstances through your online account.

    ", + "

    Call the Child Maintenance Service

    ", + "

    British Sign Language (BSL) video relay service

    ", + "

    Watch a video to check you can use the service.

    ", + "

    Go to the video relay service.

    ", + "

    Monday to Friday, 9.30am to 3.30pm

    ", + "

    There\u2019s a different phone number if you live in Northern Ireland.

    ", + "

    Contact the Child Maintenance Service by post

    ", + "

    You can also write to the Child Maintenance Service.

    " + ] + }, + { + "title": "Disability premiums", + "url": "https://www.gov.uk/disability-premiums", + "contents": [ + "

    Overview

    ", + "

    Disability premiums are extra amounts of money added to your:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Housing Benefit
  • ", + "

    Any money you get is added to your benefit payments automatically so you usually do not have to apply for a disability premium.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    There are 3 types of disability premium for adults:

    ", + "
  • disability premium
  • ", + "
  • enhanced disability premium
  • ", + "
  • severe disability premium
  • ", + "

    You can get more than one premium at a time.

    ", + "

    What you'll get

    ", + "

    You can get the disability premium on its own. You might get the severe or enhanced disability premium as well if you\u2019re eligible for them.

    ", + "

    If you get income-related Employment and Support Allowance (ESA) you cannot get the disability premium, but you may still qualify for the severe and enhanced premiums.

    ", + "

    Disability premium

    ", + "

    You\u2019ll get:

    ", + "
  • \u00a335.10 a week for a single person
  • ", + "
  • \u00a350.05 a week for a couple
  • ", + "

    Severe disability premium

    ", + "

    You\u2019ll get:

    ", + "
  • \u00a367.30 a week for a single person
  • ", + "
  • \u00a3134.60 a week for a couple if you\u2019re both eligible
  • ", + "

    Some couples will be eligible for the lower amount of \u00a367.30 a week instead.

    ", + "

    Enhanced disability premium

    ", + "

    You\u2019ll get:

    ", + "
  • \u00a317.20 a week for a single person
  • ", + "
  • \u00a324.60 a week for a couple if at least one of you is eligible
  • ", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are paid into an account such as your bank account.

    ", + "

    There is a limit on the total amount of benefit that most people aged 16 to under State Pension age can get. This is called a benefit cap.

    ", + "

    Eligibility

    ", + "

    Disability premium payments can be added to your:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • housing benefit
  • ", + "

    You usually need to be eligible for the disability premium to qualify for the severe or enhanced premiums.

    ", + "

    If you get income-related Employment and Support Allowance (ESA) you can only get the severe or enhanced premium.

    ", + "

    Use a benefits calculator to check your eligibility.

    ", + "

    Disability premium

    ", + "

    You or your partner must be under pension credit age and either registered blind or getting:

    ", + "
  • Disability Living Allowance (DLA)
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • Armed Forces Independence Payment (AFIP)
  • ", + "
  • Working Tax Credit with a disability element
  • ", + "
  • Attendance Allowance
  • ", + "
  • Constant Attendance Allowance
  • ", + "
  • War Pensioners Mobility Supplement
  • ", + "
  • Severe Disablement Allowance
  • ", + "
  • Incapacity Benefit
  • ", + "

    If you do not qualify, you may still get the premium if you\u2019ve been unable to work for at least a year.

    ", + "

    Severe disability premium

    ", + "

    You must get the disability premium or income-related ESA, and one of the following qualifying benefits:

    ", + "
  • PIP daily living component
  • ", + "
  • AFIP
  • ", + "
  • DLA care component at the middle or highest rate
  • ", + "
  • Attendance Allowance (or Constant Attendance Allowance paid with Industrial Injuries Disablement Benefit or War Pension)
  • ", + "

    You usually cannot have anyone aged 18 or over living with you, unless they\u2019re in one of these situations:

    ", + "
  • they get a qualifying benefit
  • ", + "
  • they\u2019re registered blind
  • ", + "
  • they\u2019re a boarder or subtenant (but not a close relative)
  • ", + "
  • they make separate payments to the landlord
  • ", + "

    You cannot get the severe disability premium if someone is getting Carer\u2019s Allowance or the carers element of Universal Credit for looking after you.

    ", + "

    If you\u2019re in a couple

    ", + "

    You\u2019ll get the higher amount of severe disability premium if both you and your partner are eligible.

    ", + "

    You can get the lower amount if:

    ", + "
  • someone gets Carers Allowance or the carers element of Universal Credit for looking after only one of you
  • ", + "
  • only one of you meets the eligibility criteria and the other is registered blind
  • ", + "

    Enhanced disability premium

    ", + "

    To get this, you must be under pension credit age.

    ", + "

    You must get the disability premium or income-related ESA, and one of the following:

    ", + "
  • PIP daily living component at the higher (\u2018enhanced\u2019) rate
  • ", + "
  • AFIP
  • ", + "
  • DLA care component at the highest rate
  • ", + "

    You\u2019ll also get this if you\u2019re in the support group for income-related ESA.

    ", + "

    How to claim

    ", + "

    You do not have to claim disability premium. If you\u2019re eligible, it\u2019s automatically added to your:

    ", + "
  • Income Support
  • ", + "
  • Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • Employment and Support Allowance (ESA)
  • ", + "
  • housing benefit
  • ", + "

    Contact your local Jobcentre Plus if it has not been paid.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    " + ] + }, + { + "title": "Cold Weather Payment", + "url": "https://www.gov.uk/cold-weather-payment", + "contents": [ + "

    Overview

    ", + "

    You may get a Cold Weather Payment if you\u2019re getting certain benefits or Support for Mortgage Interest.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You\u2019ll get a payment if the average temperature in your area is recorded as, or forecast to be, zero degrees celsius or below over 7 consecutive days.

    ", + "

    You\u2019ll get \u00a325 for each 7 day period of very cold weather between 1 November and 31 March.

    ", + "

    The 2020 to 2021 Cold Weather Payment scheme has now ended. You\u2019ll be able to check if your area is due a payment when next year\u2019s scheme starts on 1 November 2021.

    ", + "

    Cold Weather Payments are different to Winter Fuel Payments.

    ", + "

    What you'll get

    ", + "

    You\u2019ll get \u00a325 for each 7 day period of very cold weather between 1 November and 31 March.

    ", + "

    After each period of very cold weather in your area, you should get a payment within 14 working days. It\u2019s paid into the same bank or building society account as your benefit payments.

    ", + "

    Cold Weather Payments do not affect your other benefits.

    ", + "

    Eligibility

    ", + "

    You may get Cold Weather Payments if you\u2019re getting:

    ", + "
  • Pension Credit
  • ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Universal Credit
  • ", + "
  • Support for Mortgage Interest
  • ", + "

    Pension Credit

    ", + "

    You\u2019ll usually get Cold Weather Payments if you get Pension Credit.

    ", + "

    Income Support and income-based Jobseeker\u2019s Allowance

    ", + "

    You\u2019ll usually get Cold Weather Payments if you get Income Support or income-based Jobseeker\u2019s Allowance and have any of the following:

    ", + "
  • a disability or pensioner premium
  • ", + "
  • a child who is disabled
  • ", + "
  • Child Tax Credit that includes a disability or severe disability element
  • ", + "
  • a child under 5 living with you
  • ", + "

    Income-related Employment and Support Allowance (ESA)

    ", + "

    You\u2019ll usually get Cold Weather Payments if you get income-related ESA and are in a work-related activity group or support group. If you\u2019re not in either group, you might also get Cold Weather Payments if you have any of the following:

    ", + "
  • a severe or enhanced disability premium
  • ", + "
  • a pensioner premium
  • ", + "
  • a child who is disabled
  • ", + "
  • Child Tax Credit that includes a disability or severe disability element
  • ", + "
  • a child under 5 living with you
  • ", + "

    Universal Credit

    ", + "

    You\u2019ll usually get Cold Weather Payments if you get Universal Credit and you\u2019re not employed or self-employed. One of the following must also apply:

    ", + "
  • you have a health condition or disability and have limited capability for work (with or without work-related activity)
  • ", + "
  • you have a child under 5 living with you
  • ", + "

    You\u2019ll also be eligible if you have a disabled child amount in your claim, whether you\u2019re employed or not.

    ", + "

    Support for Mortgage Interest (SMI)

    ", + "

    You\u2019ll usually get Cold Weather Payments if you get Support for Mortgage Interest (SMI) and have any of the following:

    ", + "
  • a severe or enhanced disability premium
  • ", + "
  • a pensioner premium
  • ", + "
  • a child who is disabled
  • ", + "
  • Child Tax Credit that includes a disability or severe disability element
  • ", + "
  • a child under 5 living with you
  • ", + "

    How to claim

    ", + "

    You do not need to apply. If you\u2019re eligible to get a Cold Weather Payment, you\u2019ll be paid it automatically.

    ", + "

    The 2020 to 2021 Cold Weather Payment scheme has now ended. You\u2019ll be able to check if your area is due a payment when next year\u2019s scheme starts on 1 November 2021.

    ", + "

    If you have a baby or a child under 5 comes to live with you

    ", + "

    Tell Jobcentre Plus if you get Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance and:

    ", + "
  • you\u2019ve had a baby
  • ", + "
  • a child under 5 has come to live with you
  • ", + "

    You will not automatically get Cold Weather Payments if you do not.

    ", + "

    If you do not receive your Cold Weather Payment

    ", + "

    Tell the Pension Service or Jobcentre Plus if you think you should\u2019ve received a Cold Weather Payment but you have not.

    ", + "

    If you\u2019re getting Universal Credit, sign in to your account and add a note to your journal.

    ", + "

    If you do not have an online account, ring the Universal Credit helpline instead. The phone number is on letters about your Universal Credit claim.

    ", + "

    Hospital stays

    ", + "

    Tell the Pension Service or Jobcentre Plus if you go into hospital - this could affect your payment.

    ", + "

    If you\u2019re getting Universal Credit, sign in to your account and add a note to your journal.

    ", + "

    If you do not have an online account, ring the Universal Credit helpline instead. The phone number is on letters about your Universal Credit.

    " + ] + }, + { + "title": "Winter Fuel Payment", + "url": "https://www.gov.uk/winter-fuel-payment", + "contents": [ + "

    Overview

    ", + "

    If you were born on or before 5 October 1954 you could get between \u00a3100 and \u00a3300 to help you pay your heating bills. This is known as a \u2018Winter Fuel Payment\u2019.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You will get your Winter Fuel Payment automatically (you do not need to claim) if you\u2019re eligible and either:

    ", + "
  • get the State Pension
  • ", + "
  • get another social security benefit (not Housing Benefit, Council Tax Reduction, Child Benefit or Universal Credit)
  • ", + "

    If you do not get either of these, or if you live abroad, you may need to make a claim.

    ", + "

    If you\u2019ve got a Winter Fuel Payment before, you do not need to claim again unless you\u2019ve deferred your State Pension or moved abroad.

    ", + "

    The deadline for you to make a claim for winter 2020 to 2021 is 31 March 2021.

    ", + "

    When you\u2019ll be paid

    ", + "

    Most payments are made automatically in November or December. You should get your money by 31 March 2021.

    ", + "

    If you do not get your payment, contact the Winter Fuel Payment Centre.

    ", + "

    Any money you get will not affect your other benefits.

    ", + "

    Winter Fuel Payments are different to Cold Weather Payments.

    ", + "

    Eligibility

    ", + "

    You qualify for a Winter Fuel Payment if both the following apply:

    ", + "
  • you were born on or before 5 October 1954
  • ", + "
  • you lived in the UK for at least one day during the week of 21 to 27 September 2020 - this is called the \u2018qualifying week\u2019
  • ", + "

    If you did not live in the UK during the qualifying week, you might still get the payment if both the following apply:

    ", + "
  • you live in Switzerland or a European Economic Area (EEA) country
  • ", + "
  • you have a genuine and sufficient link to the UK - this can include having lived or worked in the UK, and having family in the UK
  • ", + "

    Read guidance to check if you can get benefits as a UK national in an EU or EEA country, or Switzerland.

    ", + "

    You cannot get the payment if you live in Cyprus, France, Gibraltar, Greece, Malta, Portugal or Spain because the average winter temperature is higher than the warmest region of the UK.

    ", + "

    You may still be able to get Cold Weather Payment or the Warm Home Discount Scheme, even if you do not qualify for Winter Fuel Payment.

    ", + "

    When you will not qualify

    ", + "

    You will not qualify if you:

    ", + "
  • are in hospital getting free treatment for more than a year
  • ", + "
  • need permission to enter the UK and your granted leave states that you can not claim public funds
  • ", + "
  • were in prison for the whole week from 21 to 27 September 2020
  • ", + "
  • lived in a care home for the whole time from 29 June to 27 September 2020, and got Pension Credit, Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance
  • ", + "

    How much you'll get

    ", + "

    How much you get depends on your circumstances during the qualifying week. The qualifying week for winter 2020 to 2021 is 21 to 27 September 2020.

    ", + "

    Any money you get is tax-free and will not affect your other benefits.

    ", + " | Born between 28 September 1940 and 5 October 1954 | Born on or before 27 September 1940", + "You qualify and live alone (or none of the people you live with qualify) | \u00a3200 | \u00a3300", + "You qualify and live with someone under 80 who also qualifies | \u00a3100 | \u00a3200", + "You qualify and live with someone 80 or over who also qualifies | \u00a3100 | \u00a3150", + "You qualify, live in a care home and do not get certain benefits | \u00a3100 | \u00a3150", + "

    If you get certain benefits

    ", + "

    Your payment may be different if you or your partner get one of the following benefits:

    ", + "
  • Pension Credit
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Income Support
  • ", + " | Born between 28 September 1940 and 5 October 1954 | Born on or before 27 September 1940", + "You qualify, get one of the benefits and live alone (or none of the people you live with qualify) | \u00a3200 | \u00a3300", + "You qualify and live with someone who also gets one of the benefits | \u00a3200 - only one of you will get the payment | \u00a3300 - only one of you will get the payment", + "You qualify, live in a care home and get one of the benefits | Nil | Nil", + "

    When you\u2019ll get paid

    ", + "

    Most payments are made automatically in November or December.

    ", + "

    You\u2019ll get a letter telling you how much you will get and an estimated payment date.

    ", + "

    If the money is not paid into your account by 31 March 2021, contact the Winter Fuel Payment Centre.

    ", + "

    All benefits, pensions and allowances are paid into an account, such as a bank account.

    ", + "

    How to claim

    ", + "

    You usually do not need to claim Winter Fuel Payment - you\u2019ll get it automatically if you\u2019re eligible.

    ", + "

    If you have not got a Winter Fuel Payment before, you only need to claim if any of the following apply:

    ", + "
  • you do not get benefits or a State Pension
  • ", + "
  • you only get Housing Benefit, Council Tax Reduction, Child Benefit or Universal Credit
  • ", + "
  • you get benefits or a State Pension but live in Switzerland or an EEA country
  • ", + "

    If you have got a Winter Fuel Payment before, you only need to claim if since your last payment you have either:

    ", + "
  • deferred your State Pension
  • ", + "
  • moved to Switzerland or an EEA country
  • ", + "

    Contact the Winter Fuel Payment Centre if your circumstances have changed.

    ", + "

    If you need to claim

    ", + "

    You can claim Winter Fuel Payment by phone or by post.

    ", + "

    Claim for the first time by phone

    ", + "

    Call the Winter Fuel Payment Centre to claim by phone.

    ", + "

    You will need to know:

    ", + "
  • your National Insurance number
  • ", + "
  • your bank or building society details
  • ", + "
  • your BIC and IBAN numbers if you live in the EEA or Switzerland
  • ", + "
  • the date you were married or entered into a civil partnership (if appropriate)
  • ", + "

    Payments can not be made into a National Savings and Investments (NS&I) account unless you already get other benefits paid into the account.

    ", + "

    You\u2019ll also need to say whether during the qualifying week of 21 to 27 September 2020 you were:

    ", + "
  • in hospital getting free in-patient treatment
  • ", + "
  • in a residential care home or Ilford Park Resettlement Home
  • ", + "
  • in prison
  • ", + "

    Claim for the first time by post

    ", + "

    The claim form you need depends on where you live.

    ", + "
  • Winter Fuel Payment claim form if you live in the UK
  • ", + "
  • Winter Fuel Payment claim form if you live in Switzerland or an eligible EEA country
  • ", + "

    Send your claim to the following address if you\u2019re in the UK.

    ", + "

    Send your claim to the following address if you\u2019re in an EEA country or Switzerland.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Report a change or cancel your payment

    ", + "

    Contact the Winter Fuel Payment Centre if you\u2019ve claimed Winter Fuel Payment before and you:

    ", + "
  • need to report a change of circumstances
  • ", + "
  • need to change your address or personal details
  • ", + "
  • want to cancel future payments
  • ", + "
  • want to return a payment
  • ", + "

    Report any change of circumstances as soon as possible, as these can affect how much Winter Fuel Payment you get. For example, if you stop getting a benefit, move house or go into care.

    ", + "

    If you cancel your payments, you can change this at any time.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    " + ] + }, + { + "title": "Christmas Bonus", + "url": "https://www.gov.uk/christmas-bonus", + "contents": [ + "

    Overview

    ", + "

    The Christmas Bonus is a one-off tax-free \u00a310 payment made before Christmas, paid to people who get certain benefits in the qualifying week. This is normally the first full week of December.

    ", + "

    You do not need to claim - you should get paid automatically.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    What you'll get

    ", + "

    The Christmas Bonus is a one-off payment of \u00a310.

    ", + "

    It will not affect any other benefits you get.

    ", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are normally paid into an account, such as your bank account. It may show up as \u2018DWP XB\u2019 on your bank statement.

    ", + "

    Eligibility

    ", + "

    To get a Christmas Bonus you must be present or \u2018ordinarily resident\u2019 in the UK, Channel Islands, Isle of Man or Gibraltar during the qualifying week.

    ", + "

    If you live in or are moving to a European Economic Area (EEA) country or Switzerland, find out about benefits for UK nationals in the EU, EEA and Switzerland.

    ", + "

    You must also get at least one of the following benefits in the \u2018qualifying week\u2019 - this is normally the first full week of December:

    ", + "
  • Armed Forces Independence Payment
  • ", + "
  • Attendance Allowance
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Constant Attendance Allowance (paid under Industrial Injuries or War Pensions schemes)
  • ", + "
  • Contribution-based Employment and Support Allowance (once the main phase of the benefit is entered after the first 13 weeks of claim)
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Incapacity Benefit at the long-term rate
  • ", + "
  • Industrial Death Benefit (for widows or widowers)
  • ", + "
  • Mobility Supplement
  • ", + "
  • Pension Credit - the guarantee element
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • State Pension (including Graduated Retirement Benefit)
  • ", + "
  • Severe Disablement Allowance (transitionally protected)
  • ", + "
  • Unemployability Supplement or Allowance (paid under Industrial Injuries or War Pensions schemes)
  • ", + "
  • War Disablement Pension at State Pension age
  • ", + "
  • War Widow\u2019s Pension
  • ", + "
  • Widowed Mother\u2019s Allowance
  • ", + "
  • Widowed Parent\u2019s Allowance
  • ", + "
  • Widow\u2019s Pension
  • ", + "

    If you have not claimed your State Pension and are not entitled to one of the other qualifying benefits you will not get a Christmas Bonus

    ", + "

    How to claim

    ", + "

    You do not need to claim the Christmas Bonus - you should get it automatically.

    ", + "

    If you think you should get it, but have not, contact the Jobcentre Plus office that deals with your payments or the Pension Service.

    ", + "

    Further information

    ", + "

    If you\u2019re part of a married couple, in a civil partnership or living together as if you are and you both get one of the qualifying benefits you\u2019ll each get a Christmas Bonus payment.

    ", + "

    If your partner or civil partner does not get one of the qualifying benefits, they may still get the Christmas Bonus if both the following apply:

    ", + "
  • you\u2019re both over State Pension age by the end of the qualifying week
  • ", + "
  • your partner or civil partner was also present (or \u2018ordinarily resident\u2019) in the UK, Channel Islands, Isle of Man, Gibraltar, European Economic Area (EEA) country or Switzerland during the qualifying week
  • ", + "

    and either:

    ", + "
  • you\u2019re entitled to an increase of a qualifying benefit for your partner or civil partner
  • ", + "
  • the only qualifying benefit you\u2019re getting is Pension Credit
  • " + ] + }, + { + "title": "Claiming benefits if you live, move or travel abroad", + "url": "https://www.gov.uk/claim-benefits-abroad", + "contents": [ + "

    Overview

    ", + "

    You may still be able to claim some benefits if you travel or move abroad, or if you\u2019re already living abroad. What you\u2019re entitled to depends on where you\u2019re going and how long for.

    ", + "

    Who to contact if you\u2019re going abroad

    ", + "

    Tell your local Jobcentre Plus or the office that pays your benefit if you\u2019re going abroad. If it\u2019s a temporary move, tell them when you\u2019re coming back.

    ", + "

    You must also tell HMRC if you\u2019re leaving the UK.

    ", + "

    Claiming when abroad

    ", + "

    If you\u2019re going to (or are already living in) a European Economic Area (EEA) country or a country with a special agreement with the UK, you may be able to claim:

    ", + "
  • UK-based benefits
  • ", + "
  • benefits provided by the country you\u2019re going to
  • ", + "

    You can also claim your State Pension abroad.

    ", + "

    Claiming benefits in an EEA country or Switzerland

    ", + "

    If you\u2019re living in or planning to go to an EEA country or Switzerland you may be able to get some UK benefits.

    ", + "

    Find out if you can get benefits in the EEA or Switzerland.

    ", + "

    When you get your payment

    ", + "

    The date you get your payment depends on which benefit you claim.

    ", + "

    If you live abroad and your payment is due in the same week as a US bank holiday, it could arrive one day late. This is because a US company processes these payments.

    ", + "

    Benefit fraud

    ", + "

    You\u2019re committing benefit fraud if you:

    ", + "
  • do not tell the office that pays your benefit you\u2019re going abroad, even if it\u2019s just for a visit
  • ", + "
  • deliberately do not report a change in your circumstances while abroad, like buying a property, working, or claiming a pension or benefit from another country
  • ", + "
  • are dishonest in order to get benefits, like continuing to claim the pension or benefit of someone who has died overseas
  • ", + "

    Where you can claim benefits

    ", + "

    European Economic Area (EEA) countries

    ", + "

    If you\u2019re living in or planning to go to an EEA country or Switzerland you may be able to get some UK benefits.

    ", + "

    Find out if you can get benefits in the EEA or Switzerland.

    ", + "

    Other countries with UK benefits arrangements

    ", + "

    The following countries have social security agreements with the UK:

    ", + "
  • Barbados
  • ", + "
  • Bermuda
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Canada
  • ", + "
  • Channel Islands
  • ", + "
  • Gibraltar
  • ", + "
  • Israel
  • ", + "
  • Jamaica
  • ", + "
  • Kosovo
  • ", + "
  • Mauritius
  • ", + "
  • Montenegro
  • ", + "
  • New Zealand
  • ", + "
  • North Macedonia
  • ", + "
  • the Philippines
  • ", + "
  • Serbia
  • ", + "
  • Turkey
  • ", + "
  • USA
  • ", + "

    You may be able to claim certain benefits in these countries but it will depend on the particular country.

    ", + "

    Jobseeker's Allowance

    ", + "

    There are 3 different types of Jobseeker\u2019s Allowance (JSA):

    ", + "
  • \u2018new style\u2019 JSA
  • ", + "
  • contribution-based JSA
  • ", + "
  • income-based JSA
  • ", + "

    You cannot get income-based JSA abroad.

    ", + "

    You may get \u2018new style\u2019 JSA or contribution-based JSA in the European Economic Area (EEA) or Switzerland for up to 3 months if you:

    ", + "
  • are entitled to it on the day you go abroad
  • ", + "
  • register as a jobseeker at least 4 weeks before you leave
  • ", + "
  • are looking for work in the UK up to the day you leave
  • ", + "
  • are going abroad to look for work
  • ", + "
  • register at the equivalent of a Jobcentre in the country you\u2019re going to
  • ", + "
  • follow the other country\u2019s rules on registering and looking for work
  • ", + "
  • are covered by the Withdrawal Agreement
  • ", + "

    Find out if you can get JSA in the EEA or Switzerland.

    ", + "

    Moving to a country not in the EEA

    ", + "

    Some countries outside the EEA have social security agreements with the UK. This means that if you\u2019ve paid enough National Insurance contributions in the UK, you may be able to get unemployment benefits in:

    ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Channel Islands
  • ", + "
  • Kosovo
  • ", + "
  • Macedonia
  • ", + "
  • Montenegro
  • ", + "
  • New Zealand
  • ", + "
  • Serbia
  • ", + "

    Help and advice on JSA

    ", + "

    Maternity and childcare benefits

    ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    If you work for a UK employer in the European Economic Area (EEA) or Switzerland, you may get SMP as long as you\u2019re eligible.

    ", + "

    Find out if you can get Statutory Maternity Pay in the EEA or Switzerland.

    ", + "

    If you work in a different country, you can still get SMP as long as your employer pays UK National Insurance contributions for you.

    ", + "

    Talk to your employer about claiming SMP.

    ", + "

    Maternity Allowance

    ", + "

    If you cannot get SMP, you might be eligible for Maternity Allowance.

    ", + "

    If you\u2019re eligible, you may get Maternity Allowance in an EEA country or Switzerland.

    ", + "

    Find out if you can get Maternity Allowance in the EEA or Switzerland.

    ", + "

    You may also be able to claim it in:

    ", + "
  • Barbados
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Channel Islands
  • ", + "
  • Gibraltar
  • ", + "
  • Israel
  • ", + "
  • Kosovo
  • ", + "
  • Macedonia
  • ", + "
  • Montenegro
  • ", + "
  • Serbia
  • ", + "
  • Turkey
  • ", + "

    Ask your local Jobcentre Plus for more information.

    ", + "

    Child-related benefits

    ", + "

    You may also get the following in an EEA country or Switzerland if you\u2019re eligible:

    ", + "
  • Child Benefit
  • ", + "
  • tax credits
  • ", + "
  • Guardian\u2019s Allowance (you can claim this if you\u2019re getting Child Benefit for a child whose parents have both died)
  • ", + "

    Illness and injury benefits

    ", + "

    Statutory Sick Pay (SSP)

    ", + "

    You can get SSP if you\u2019re eligible and either of the following apply:

    ", + "
  • you work for a UK employer in the European Economic Area (EEA) or Switzerland
  • ", + "
  • you work outside the EEA and your employer pays National Insurance contributions for you
  • ", + "

    Contact your employer to claim SSP.

    ", + "

    Employment and Support Allowance (ESA)

    ", + "

    You can get ESA for up to 4 weeks if you go abroad. Talk to your local Jobcentre Plus before you go.

    ", + "

    Going abroad for more than 4 weeks but less than a year

    ", + "

    Tell your local Jobcentre Plus if you\u2019re going abroad for more than 4 weeks.

    ", + "

    You can carry on getting contribution-based ESA for up to 26 weeks if you\u2019re going abroad for medical treatment for yourself or your child.

    ", + "

    It does not matter which country you go to.

    ", + "

    Going abroad for more than a year

    ", + "

    You may get contribution-based ESA in the EEA or Switzerland if you:

    ", + "
  • are eligible
  • ", + "
  • have paid enough National Insurance contributions
  • ", + "
  • are covered by the Withdrawal Agreement
  • ", + "

    Find out if you can get contribution-based ESA in the EEA or Switzerland.

    ", + "

    Help and advice on ESA

    ", + "

    Industrial Injuries Disablement Benefit (IIDB)

    ", + "

    If you\u2019re getting Industrial Injuries Benefit for work-related accidents and illnesses, you can still get this abroad.

    ", + "

    Contact the office dealing with your benefit if you\u2019re still in the UK, or the International Pension Centre if you\u2019re living abroad.

    ", + "

    Help and advice on IIDB

    ", + "

    Benefits for carers and people with disabilities

    ", + "

    What you can claim depends on:

    ", + "
  • which benefit you\u2019re claiming
  • ", + "
  • where you\u2019re going and for how long
  • ", + "

    Going abroad temporarily

    ", + "

    You can claim the following benefits if you\u2019re going abroad for up to 13 weeks (or 26 weeks if it\u2019s for medical treatment):

    ", + "
  • Attendance Allowance
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Personal Independence Payment
  • ", + "

    You can carry on claiming Carer\u2019s Allowance if you take up to 4 weeks holiday out of a 26-week period.

    ", + "

    Tell the office that deals with your benefit that you\u2019ll be away.

    ", + "

    Going abroad permanently to an EEA country or Switzerland

    ", + "

    You or a family member may be able to claim benefits if you:

    ", + "
  • work in the UK or pay National Insurance in the UK because of work
  • ", + "
  • have paid enough National Insurance to qualify for contribution-based benefits
  • ", + "
  • are getting State Pension, Industrial Injuries Benefit, contribution-based ESA or bereavement benefits
  • ", + "
  • are covered by the Withdrawal Agreement
  • ", + "

    If you\u2019re eligible then you may be able to claim:

    ", + "
  • Disability Living Allowance care component
  • ", + "
  • Personal Independence Payment living component
  • ", + "
  • Attendance Allowance or Carer\u2019s Allowance
  • ", + "

    You cannot claim Disability Living Allowance mobility component and Personal Independence Payment mobility component abroad.

    ", + "

    Find out if you can get benefits in an EEA country or Switzerland.

    ", + "

    If you already live in an EEA country or Switzerland

    ", + "

    You do not need to have claimed in the UK before you moved. But you must:

    ", + "
  • be habitually resident in the EEA country or Switzerland
  • ", + "
  • have a genuine link with the UK social security system, for example you\u2019ve lived or worked in the UK
  • ", + "
  • be covered by the Withdrawal Agreement
  • ", + "

    Find out if you can get benefits in an EEA country or Switzerland.

    ", + "

    Make a claim or change your details

    ", + "

    To make a claim or change any personal details, such as your address or bank account, write to the Exportability Team that deals with the benefit you are claiming.

    ", + "

    If you\u2019re making a claim, your letter should say:

    ", + "
  • what benefits you want to claim
  • ", + "
  • where you live
  • ", + "

    Attendance Allowance Exportability Team

    ", + "

    Disability Living Allowance Exportability Team

    ", + "

    Personal Independence Payment 7 Exportability Team

    ", + "

    Carer\u2019s Allowance

    ", + "

    You can claim Carer\u2019s Allowance or report a change of circumstances online.

    ", + "

    You can also write to the Carers Allowance Exportability Team.

    ", + "

    Help and advice

    ", + "

    Contact the Disability Benefits Exportability Team about Disability Living Allowance, Attendance Allowance and Personal Independence Payment.

    ", + "

    If you have a general enquiry about Carer\u2019s Allowance, contact the Carer\u2019s Allowance Unit.

    ", + "

    If you\u2019re a British Sign Language (BSL) user, you can use the video relay service. It\u2019s available Monday to Friday, 8am to 6pm - check you can use the service.

    ", + "

    Winter Fuel Payments

    ", + "

    You may be able to claim a Winter Fuel Payment if all of the following apply:

    ", + "
  • you were born on or before 5 October 1954
  • ", + "
  • you live in Switzerland or a European Economic Area (EEA) country (except for Cyprus, France, Gibraltar, Greece, Malta, Portugal or Spain)
  • ", + "
  • you have a genuine and sufficient link to the UK - this can include having lived or worked in the UK, and having family in the UK
  • ", + "
  • you\u2019re covered by the Withdrawal Agreement
  • ", + "

    You do not need to have claimed Winter Fuel Payments in the UK before you go abroad.

    ", + "

    Find out if you can get Winter Fuel Payments in an EEA country or Switzerland.

    ", + "

    Bereavement benefits

    ", + "

    If you\u2019re already getting a bereavement benefit when you move abroad, you\u2019ll still get it - it does not matter where you move to.

    ", + "

    You may be able to make a new claim if you live in certain countries outside the UK.

    ", + "

    European Economic Area (EEA) countries, Switzerland and Gibraltar

    ", + "

    If you live in an EEA country, Switzerland or Gibraltar, and you\u2019re eligible, you may be able to claim the following:

    ", + "
  • Bereavement Support Payment
  • ", + "
  • Widowed Parent\u2019s Allowance
  • ", + "

    Find out if you can get bereavement benefits in an EEA country or Switzerland.

    ", + "

    Countries outside the EEA

    ", + "

    You may also be able to claim bereavement benefits in some countries outside the EEA.

    ", + "

    Bereavement Support Payment:

    ", + "
  • Barbados
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Channel Islands
  • ", + "
  • Israel
  • ", + "
  • Jamaica
  • ", + "
  • Kosovo
  • ", + "
  • Macedonia
  • ", + "
  • Montenegro
  • ", + "
  • New Zealand
  • ", + "
  • the Philippines
  • ", + "
  • Serbia
  • ", + "
  • Turkey
  • ", + "
  • USA
  • ", + "

    Widowed Parent\u2019s Allowance:

    ", + "
  • Barbados
  • ", + "
  • Bermuda
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Channel Islands
  • ", + "
  • Israel
  • ", + "
  • Jamaica
  • ", + "
  • Kosovo
  • ", + "
  • Macedonia
  • ", + "
  • Mauritius
  • ", + "
  • Montenegro
  • ", + "
  • New Zealand
  • ", + "
  • the Philippines
  • ", + "
  • Serbia
  • ", + "
  • Turkey
  • ", + "
  • USA
  • ", + "

    The rate and eligibility criteria may vary between countries.

    ", + "

    Help and advice on bereavement benefits

    " + ] + }, + { + "title": "Benefits and prison", + "url": "https://www.gov.uk/benefits-and-prison", + "contents": [ + "

    Overview

    ", + "

    Benefit payments and entitlement may change or stop if you, your partner or your child is:

    ", + "
  • sent to prison or a young offenders\u2019 institution
  • ", + "
  • in custody awaiting trial (on remand)
  • ", + "

    You must tell the Tax Credit Office about prison sentences.

    ", + "

    You cannot claim State Pension while you\u2019re in prison.

    ", + "

    If you\u2019re in prison or on remand

    ", + "

    You can get help from a benefits adviser to suspend or close down benefits you\u2019re no longer able to claim if you go to prison or on remand.

    ", + "

    If your partner or child is in prison or on remand

    ", + "

    If your partner or child has gone to prison or is on remand, you must tell whoever pays your benefits and find out:

    ", + "
  • if your benefit claims will be affected
  • ", + "
  • if you can claim other benefits
  • ", + "

    You may still be entitled to benefits if your partner has gone to prison, as long as you satisfy the benefit entitlement conditions in your own right.

    ", + "

    Benefits that stop or are suspended

    ", + "

    Your entitlement to benefit stops if you go to prison, apart from:

    ", + "
  • Housing Benefit\nfor shorter sentences
  • ", + "
  • help with council tax if you\u2019re eligible
  • ", + "
  • tax credits and Child Benefit, in some cases
  • ", + "
  • Industrial Injuries Disabled Benefit, which is suspended
  • ", + "

    You\u2019ll stop getting Carer\u2019s Allowance if the person you care for goes to prison or is on remand.

    ", + "

    Benefits while on remand

    ", + "

    If you\u2019re on remand, you cannot claim:

    ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Income Support - apart from help with housing costs
  • ", + "
  • Working Tax Credit - although your partner may be able to claim for an absent partner
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Employment and Support Allowance or Incapacity Benefit
  • ", + "
  • Attendance Allowance
  • ", + "
  • Pension Credit - apart from help with housing costs
  • ", + "
  • Industrial Injuries Disablement Benefit
  • ", + "

    You will not be entitled to Statutory Sick Pay or Statutory Maternity Pay from your employer.

    ", + "

    Benefit arrears

    ", + "

    If you\u2019re owed any benefit arrears at the time you\u2019re sent to prison or on remand, you can make a request in writing for these to be paid to someone else.

    ", + "

    Benefit arrears if you\u2019re not convicted

    ", + "

    If you\u2019re not convicted, you can get benefit arrears for:

    ", + "
  • Contributory Employment and Support Allowance
  • ", + "
  • Incapacity Benefit
  • ", + "

    Benefit arrears if you\u2019re convicted

    ", + "

    If you\u2019re sent to prison and claim Industrial Injuries Disablement Benefit, you may be entitled to up to a year\u2019s arrears whenever you\u2019re released.

    ", + "

    Claiming benefits on release

    ", + "

    If you\u2019re entitled to benefits, you can put in new claims as soon as you leave prison. You may also be able to get other financial and practical support.

    ", + "

    You cannot claim Job Seeker\u2019s Allowance if you\u2019re released on temporary licence (ROTL).

    ", + "

    Housing Benefit

    ", + "

    You may be able to continue getting Housing Benefit or make a claim for the first time if you go to prison or are on remand.

    ", + "

    Making a new Housing Benefit claim

    ", + "

    You can only make a new claim for Housing Benefit if one of the following is true:

    ", + "
  • you have reached State Pension age
  • ", + "
  • you live in temporary accommodation
  • ", + "
  • you live in sheltered or supported housing with special facilities such as alarms or wardens
  • ", + "

    When you will not be able to claim

    ", + "

    You will not be entitled to claim Housing Benefit if:

    ", + "
  • you\u2019re likely to be on remand for more than 52 weeks
  • ", + "
  • you\u2019re likely to be in prison for more than 13 weeks (including any time on remand)
  • ", + "
  • you\u2019re not intending to return home on release
  • ", + "
  • you\u2019re claiming as a couple and you\u2019ve split up
  • ", + "
  • the property is going to be rented out
  • ", + "

    On remand

    ", + "

    If you\u2019re single

    ", + "

    You can claim Housing Benefit payments for up to 52 weeks while you\u2019re on remand, if you\u2019re likely to return home in a year or less.

    ", + "

    If you\u2019re in a couple

    ", + "

    You can claim joint Housing Benefit for up to 52 weeks while one of you is on remand, if it\u2019s likely to be for a year or less.

    ", + "

    If your child is on remand

    ", + "

    Your Housing Benefit payments can continue for up to 52 weeks if your child\u2019s on remand, if they\u2019re likely to be away for a year or less.

    ", + "

    In prison

    ", + "

    If you\u2019re single

    ", + "

    You can claim Housing Benefit for up to 13 weeks if you\u2019re single and go to prison and are likely to return home in 13 weeks or less - including any time on remand.

    ", + "

    If you\u2019re in a couple

    ", + "

    You can claim joint Housing Benefit for up to 13 weeks if one of you has gone to prison and is likely to return home in 13 weeks or less - including any time on remand.

    ", + "

    If your partner\u2019s been the one claiming Housing Benefit and goes to prison, you may be able to claim it instead. You may need to have your name added to the tenancy agreement, if it\u2019s not there already.

    ", + "

    If your child is in prison

    ", + "

    If your child goes to prison, you\u2019ll need to contact your local council to see if your Housing Benefit entitlement will change. For example, if you rent from a private landlord, the amount of benefit paid is limited, depending on who\u2019s living with you.

    ", + "

    Council Tax exemption and reduction

    ", + "

    You will not count as an adult living in a property for Council Tax if you\u2019re in prison or on remand.

    ", + "

    If you\u2019re single

    ", + "

    You can apply for your home to be exempt from Council Tax if you\u2019re single, in prison or on remand, and there\u2019s no one living there.

    ", + "

    Your home will not be exempt if you\u2019re in prison for not paying Council Tax or a fine for not paying it.

    ", + "

    If you\u2019re in a couple

    ", + "

    On remand

    ", + "

    You can apply or continue to get joint Council Tax Reduction if your partner\u2019s on remand and is expected home in a year or less.

    ", + "

    In prison

    ", + "

    You can claim or continue to claim joint Council Tax Reduction if your partner\u2019s expected to be in prison for 13 weeks or less \u2013 including any time on remand.

    ", + "

    Making a new claim

    ", + "

    You\u2019ll get a 25% discount off your Council Tax bill if your partner\u2019s going to be absent for more than 13 weeks and you\u2019re the only adult in the property. You may be able to apply for Council Tax Reduction if you do not already get it.

    ", + "

    Tax Credits

    ", + "

    Reporting changes

    ", + "

    You must tell the Tax Credit Office about changes that affect your tax credits. They\u2019ll tell you what happens next.

    ", + "

    Working Tax Credit

    ", + "

    If you\u2019re single

    ", + "

    Your Working Tax Credit will stop if you\u2019re single and:

    ", + "
  • you\u2019re on on remand
  • ", + "
  • you\u2019re sent to prison
  • ", + "
  • you\u2019re sent to a young offenders\u2019 institution
  • ", + "

    If you\u2019re in a couple

    ", + "

    You may be able to continue claiming Working Tax Credit if you\u2019re in a couple and your partner goes to prison for a year or less.

    ", + "

    You must work a certain number of hours a week to qualify.

    ", + "

    Any work you do while you\u2019re serving a sentence or on remand will not be counted.

    ", + "

    Child Tax Credit

    ", + "

    If you\u2019re single and you go to prison

    ", + "

    Your Child Tax Credit may stop if you\u2019re single with children and go to prison. The Tax Credit Office will decide by looking at:

    ", + "
  • whether you\u2019re still responsible for your child
  • ", + "
  • how long you\u2019re in prison for
  • ", + "
  • if you\u2019re still in regular contact
  • ", + "
  • if your child\u2019s with you in prison
  • ", + "

    The person looking after your child or children may be able to claim Child Tax Credit if you cannot.

    ", + "

    If you\u2019re in a couple and one of you goes to prison

    ", + "

    Your Child Tax Credit will continue if you\u2019re in a couple and one of you goes on remand or to prison.

    ", + "

    If your child goes to prison

    ", + "

    You\u2019ll still get Child Tax Credit if your child goes to prison for 4 months or less.

    ", + "

    You will not get Child Tax Credit for your child\u2019s sentence if it\u2019s more than 4 months.

    ", + "

    Child Benefit

    ", + "

    You can continue to claim Child Benefit when you\u2019re in prison if:

    ", + "
  • your child is with you in prison
  • ", + "
  • the child you\u2019re claiming for for is living with someone else and you pay an equivalent sum to them
  • ", + "

    You can also ask to transfer the Child Benefit payment to someone else.

    ", + "

    If your child is being cared for by the local council, your Child Benefit payments will stop after 8 weeks.

    ", + "

    If your child goes to prison or is on remand

    ", + "

    Your Child Benefit payments will stop after 8 weeks if your child goes to prison or is on remand. You\u2019ll get arrears if they\u2019re cleared of the offence.

    ", + "

    Looking after someone else\u2019s child

    ", + "

    You may be able to claim Child Benefit and Guardian\u2019s Allowance if you look after your partner\u2019s child or someone else\u2019s child while they\u2019re in prison.

    ", + "

    You may also be able to to claim Child Tax Credit.

    ", + "

    Support for Mortgage Interest

    ", + "

    Support for Mortgage Interest (SMI) is no longer a benefit. It\u2019s now only available as a loan.

    ", + "

    You cannot get an SMI loan if you\u2019re serving a prison sentence but your partner might be able to claim instead.

    ", + "

    Your partner\u2019s name may not have to be on the mortgage to be able to claim.

    ", + "

    Getting an SMI loan while on remand

    ", + "

    If you\u2019re single and on remand, you may be able to continue getting SMI loan payments if you meet the eligibility conditions.

    ", + "

    You cannot get an SMI loan or Income Support if you\u2019re part of a couple and on remand, but your partner can claim benefit and housing costs.

    ", + "

    Eligibility

    ", + "

    If you\u2019re on remand, you must be getting Pension Credit or Income Support to get an SMI loan.

    ", + "

    You\u2019ll need to apply for one of these benefits if you\u2019ve previously qualified for SMI by getting Income-based Job Seeker\u2019s Allowance or Employment and Support allowance.

    ", + "

    You\u2019ll only be able to get SMI loan payments - you will not be paid Pension Credit or Income Support.

    ", + "

    If you get Income Support and have accepted an offer of an SMI loan, you can only get loan payments after you\u2019ve been receiving the benefit for 39 consecutive weeks.

    " + ] + }, + { + "title": "Benefit cap", + "url": "https://www.gov.uk/benefit-cap", + "contents": [ + "

    Benefits affected by the cap

    ", + "

    The benefit cap is a limit on the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    The benefit cap affects:

    ", + "
  • Universal Credit
  • ", + "
  • Bereavement Allowance
  • ", + "
  • Child Benefit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Employment and Support Allowance
  • ", + "
  • Housing Benefit
  • ", + "
  • Incapacity Benefit
  • ", + "
  • Income Support
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Maternity Allowance
  • ", + "
  • Severe Disablement Allowance
  • ", + "
  • Widowed Parent\u2019s Allowance (or Widowed Mother\u2019s Allowance or Widow\u2019s Pension if you started getting it before 9 April 2001)
  • ", + "

    You might not be affected by the benefit cap if you get certain benefits or you\u2019re over State Pension age.

    ", + "

    If you\u2019re claiming Universal Credit the benefit cap might not start for 9 months, depending on your earnings.

    ", + "

    When you're not affected

    ", + "

    You\u2019re not affected by the cap if you\u2019re over State Pension age. If you\u2019re part of a couple and one of you is under State Pension age, the cap may apply.

    ", + "

    You\u2019re not affected by the cap if you or your partner:

    ", + "
  • get Working Tax Credit (even if the amount you get is \u00a30)
  • ", + "
  • get Universal Credit because of a disability or health condition that stops you from working (this is called \u2018limited capability for work and work-related activity\u2019)
  • ", + "
  • get Universal Credit because you care for someone with a disability
  • ", + "
  • get Universal Credit and you and your partner earn \u00a3617 or more a month combined, after tax and National Insurance contributions
  • ", + "

    You\u2019re also not affected by the cap if you, your partner or any children under 18 living with you gets:

    ", + "
  • Armed Forces Compensation Scheme
  • ", + "
  • Armed Forces Independence Payment
  • ", + "
  • Attendance Allowance
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Disability Living Allowance (DLA)
  • ", + "
  • Employment and Support Allowance (if you get the support component)
  • ", + "
  • Guardian\u2019s Allowance
  • ", + "
  • Industrial Injuries Benefits (and equivalent payments as part of a War Disablement Pension or the Armed Forces Compensation Scheme)
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • War pensions
  • ", + "
  • War Widow\u2019s or War Widower\u2019s Pension
  • ", + "

    If you are affected, the benefit cap might not start for 9 months - depending on your earnings.

    ", + "

    When the benefit cap affects your Universal Credit payments

    ", + "

    The benefit cap might not affect your Universal Credit payments for up to 9 months. This is called the \u2018grace period\u2019.

    ", + "

    You\u2019ll get the grace period if all of the following are true:

    ", + "
  • you\u2019re claiming Universal Credit because you stopped working or your earnings went down
  • ", + "
  • you\u2019re now earning less than \u00a3617 a month
  • ", + "
  • in each of the 12 months before your earnings went down or you stopped working, you earned the same as or more than the earnings threshold (this was \u00a3604 up to 11 April 2021 and is \u00a3617 from 12 April 2021)
  • ", + "

    Your partner\u2019s earnings will be included when working out how much you earned even if they\u2019re not claiming benefits. If you have separated from your partner, their earnings will be included for the time that you lived with them before you separated.

    ", + "

    You need to report your last 12 months\u2019 earnings when you apply for Universal Credit to get the grace period.

    ", + "

    You will not be affected by the benefit cap if you or your partner get Universal Credit because you have a disability or health condition or because you care for someone with a disability or you earn \u00a3617 or more between you.

    ", + "

    How the 9 month grace period works

    ", + "

    If you\u2019re already claiming Universal Credit, the grace period will start on the first day of the assessment period in which your earnings went below the earnings threshold. The threshold was \u00a3604 up to 11 April 2021 and is \u00a3617 from 12 April 2021.

    ", + "

    If you\u2019re making a new claim for Universal Credit, the grace period starts from either:

    ", + "
  • the day after the last day you worked
  • ", + "
  • the payday when your earnings went below the earnings threshold (this was \u00a3604 up to 11 April 2021 and is \u00a3617 from 12 April 2021)
  • ", + "

    The 9 month grace period continues if you stop claiming Universal Credit and then start again.

    ", + "

    After the 9 month grace period ends, the amount of Universal Credit you get will usually go down. It might not go down if your circumstances change and you are not affected by the benefit cap.

    ", + "

    Help if you're affected by the benefit cap

    ", + "

    Contact the Department for Work and Pensions (DWP) if you\u2019re affected by the benefit cap and you need help.

    ", + "

    If you need help paying your rent or a rent deposit, contact your local council as well. They can check if you\u2019re eligible for a discretionary housing payment, which is not affected by the benefit cap.

    ", + "

    If you get Universal Credit

    ", + "

    Contact DWP either:

    ", + "
  • through the journal in your online account
  • ", + "
  • by calling the Universal Credit helpline
  • ", + "

    If you get any other benefits

    ", + "

    Benefit cap amounts

    ", + "

    The amount you get through the benefit cap depends on whether:

    ", + "
  • you live inside or outside Greater London
  • ", + "
  • you\u2019re single or in a couple
  • ", + "
  • your children live with you (if you\u2019re single)
  • ", + "

    If you\u2019re in a couple but you do not live together, you\u2019ll get the amounts for a single person.

    ", + "

    Use the benefit cap calculator to find out how much your benefit might be capped.

    ", + "

    Outside Greater London

    ", + "

    The benefit cap outside Greater London is:

    ", + "
  • \u00a3384.62 per week (\u00a320,000 a year) if you\u2019re in a couple
  • ", + "
  • \u00a3384.62 per week (\u00a320,000 a year) if you\u2019re a single parent and your children live with you
  • ", + "
  • \u00a3257.69 per week (\u00a313,400 a year) if you\u2019re a single adult
  • ", + "

    Inside Greater London

    ", + "

    The benefit cap inside Greater London is:

    ", + "
  • \u00a3442.31 per week (\u00a323,000 a year) if you\u2019re in a couple
  • ", + "
  • \u00a3442.31 per week (\u00a323,000 a year) if you\u2019re a single parent and your children live with you
  • ", + "
  • \u00a3296.35 per week (\u00a315,410 a year) if you\u2019re a single adult
  • " + ] + }, + { + "title": "Challenge a benefit decision (mandatory reconsideration)", + "url": "https://www.gov.uk/mandatory-reconsideration", + "contents": [ + "

    Eligibility

    ", + "

    If you disagree with a decision about benefits, tax credits or child maintenance you can ask for the decision to be looked at again - this is called \u2018mandatory reconsideration\u2019.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You can do this if any of the following apply:

    ", + "
  • you think the office dealing with your claim has made an error or missed important evidence
  • ", + "
  • you disagree with the reasons for the decision
  • ", + "
  • you want to have the decision looked at again
  • ", + "

    Some decisions cannot be reconsidered. Others can go straight to an appeal. Your original decision letter will say if this applies to you.

    ", + "

    You need to ask for mandatory reconsideration within one month of the date of the decision.

    ", + "

    Benefits this applies to

    ", + "

    You can ask for mandatory reconsideration for benefits including:

    ", + "
  • Attendance Allowance
  • ", + "
  • Bereavement Allowance
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Carer\u2019s Credit
  • ", + "
  • child maintenance (sometimes known as \u2018child support\u2019)
  • ", + "
  • Compensation Recovery Scheme (including NHS recovery claims)
  • ", + "
  • Diffuse Mesotheliomia Payment Scheme
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Employment and Support Allowance (ESA)
  • ", + "
  • Funeral Expenses Payment
  • ", + "
  • Income Support
  • ", + "
  • Industrial Injuries Disablement Benefit
  • ", + "
  • Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • Maternity Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • Sure Start Maternity Grant
  • ", + "
  • Universal Credit (including advance payments)
  • ", + "
  • Winter Fuel Payment
  • ", + "

    There\u2019s a different process for Child Benefit, Tax-Free Childcare and 30 hours free childcare, Guardian\u2019s Allowance, tax credits, Housing Benefit and Vaccine Damage Payment.

    ", + "

    How to ask for mandatory reconsideration

    ", + "

    Contact the benefits office that gave you the decision. You can contact them:

    ", + "
  • by phone
  • ", + "
  • by letter
  • ", + "
  • by filling in and returning a form
  • ", + "

    The contact details are on your decision letter.

    ", + "

    You need to ask for mandatory reconsideration within one month of the date on your decision letter. If you\u2019re writing, the letter or form must arrive by then.

    ", + "

    If you do not have your decision letter, contact the office where you applied for the benefit.

    ", + "

    There\u2019s a different process for Child Benefit, Tax-Free Childcare and 30 hours free childcare, Guardian\u2019s Allowance, tax credits, Housing Benefit and Vaccine Damage Payment.

    ", + "

    If you get Universal Credit

    ", + "

    If you get Universal Credit you can use your journal to ask for mandatory reconsideration.

    ", + "

    If you\u2019re unable to use your journal, you can ask for mandatory reconsideration in any of the following ways:

    ", + "
  • writing to the address on your decision letter
  • ", + "
  • filling in and returning a form
  • ", + "
  • calling the Universal Credit helpline
  • ", + "

    Before you ask for mandatory reconsideration

    ", + "

    If you\u2019re not sure whether to ask for mandatory reconsideration or what evidence to give, call the benefits office dealing with your claim. They\u2019ll be able to explain the reason for your benefit decision and answer any questions.

    ", + "

    You can still ask for mandatory reconsideration after you\u2019ve spoken to your benefits office.

    ", + "

    If you want an explanation in writing

    ", + "

    You can ask for a written explanation from the benefits office dealing with your claim - known as a \u2018written statement of reasons\u2019.

    ", + "

    You do not need to do this for Personal Independence Payment - your decision letter will include a written statement.

    ", + "

    You can still ask for mandatory reconsideration, but must do this within 14 days of the date on your written statement of reasons.

    ", + "

    Applying after one month

    ", + "

    You can ask for mandatory reconsideration after this but it must be for a good reason, for example if you\u2019ve been in hospital or had a bereavement. You must explain why your request is late.

    ", + "

    Call the phone number on your decision letter first.

    ", + "

    What you need to provide

    ", + "

    You need to give:

    ", + "
  • the date of the original benefit decision
  • ", + "
  • your name and address
  • ", + "
  • your date of birth
  • ", + "
  • your National Insurance number
  • ", + "

    Explain what part of the decision is wrong and why.

    ", + "

    If you want to send evidence

    ", + "

    This needs to shows why the decision was wrong. It could, for example, be:

    ", + "
  • new medical evidence
  • ", + "
  • reports or care plans from specialists, therapists or nurses
  • ", + "
  • bank statements or payslips
  • ", + "

    Only include evidence you have not already sent.

    ", + "

    Write your full name, date of birth and National Insurance number at the top of each bit of evidence and send it to the benefit office where you applied for your benefit.

    ", + "

    You cannot claim back the cost of any evidence you pay for.

    ", + "

    It will not help your claim to include:

    ", + "
  • general information about your condition - for example factsheets, medical certificates or sick notes
  • ", + "
  • appointment cards or letters about medical appointments, unless you could not claim your benefit because you were at the appointment
  • ", + "
  • letters about tests that you\u2019re due to have
  • ", + "

    If you\u2019re not sure what evidence to send, read the guidance for the request form. You can also call the number on your decision letter.

    ", + "

    What happens next

    ", + "

    The benefits office that gave you the original benefit decision will reconsider it - you\u2019ll get a \u2018mandatory reconsideration notice\u2019 telling you whether they\u2019ve changed the decision. It\u2019ll explain the reasons for that decision and the evidence it was based on.

    ", + "

    Your benefit may increase, decrease, stop or stay the same following mandatory reconsideration.

    ", + "

    If you disagree with the outcome

    ", + "

    You can appeal to the Social Security and Child Support Tribunal if you think the decision in the mandatory reconsideration notice is wrong. The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    You usually need to do this within one month of the date of your mandatory reconsideration notice.

    ", + "

    You cannot appeal to the Social Security and Child Support Tribunal until you get your mandatory reconsideration notice.

    " + ] + }, + { + "title": "Appeal a benefit decision", + "url": "https://www.gov.uk/appeal-benefit-decision", + "contents": [ + "

    Overview

    ", + "

    You can appeal a decision about your entitlement to benefits, for example Personal Independence Payment (PIP), Employment and Support Allowance (ESA) and Universal Credit.

    ", + "

    There\u2019s a different process if you live in Northern Ireland.

    ", + "

    Appeals are decided by the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government. The tribunal will listen to both sides before making a decision.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    How to appeal

    ", + "

    Before you appeal you must usually ask for the decision about your benefits to be looked at again - this is called \u2018mandatory reconsideration\u2019.

    ", + "

    If you do not need to do this, your decision letter will say that you can appeal straight away. The letter will explain why you do not need a mandatory reconsideration - include this when you submit your appeal.

    ", + "

    Appeal to the tribunal within one month of getting your mandatory reconsideration decision. If you start your appeal after a month you\u2019ll have to explain why you did not do it earlier. Your appeal might not be accepted.

    ", + "

    After you submit your appeal, you can provide evidence to the tribunal. Your appeal will be decided at a tribunal hearing.

    ", + "

    Benefit decisions you can appeal

    ", + "

    You can appeal a decision about:

    ", + "
  • 30 hours free childcare scheme
  • ", + "
  • Attendance Allowance
  • ", + "
  • Bereavement Support Payment
  • ", + "
  • Budgeting Loans
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Child Benefit
  • ", + "
  • Cold Weather Payment
  • ", + "
  • Compensation Recovery Unit
  • ", + "
  • Contracted Out Employment Group
  • ", + "
  • Disability Living Allowance (DLA)
  • ", + "
  • Disability Working Allowance
  • ", + "
  • Employment and Support Allowance (ESA)
  • ", + "
  • Funeral Expenses Payment
  • ", + "
  • Health in Pregnancy Grant
  • ", + "
  • Home Responsibilities Protection
  • ", + "
  • Housing Benefit
  • ", + "
  • Incapacity Benefit
  • ", + "
  • Income Support
  • ", + "
  • Industrial Death Benefit
  • ", + "
  • Industrial Injuries Disablement Benefit
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Maternity Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • Retirement Pension
  • ", + "
  • Severe Disablement Allowance
  • ", + "
  • Sure Start Maternity Grant
  • ", + "
  • Tax credits
  • ", + "
  • Tax-Free Childcare
  • ", + "
  • Universal Credit
  • ", + "
  • Widowed Parent\u2019s Allowance
  • ", + "
  • Winter Fuel Payment
  • ", + "

    Check any letters you\u2019ve received about your benefit if you do not know the exact name.

    ", + "

    Submit your appeal

    ", + "

    You can appeal a decision about your entitlement to benefits, for example Personal Independence Payment (PIP), Employment and Support Allowance (ESA) or Universal Credit.

    ", + "

    You must ask for the decision about your benefits to be looked at again before you can appeal, unless your decision letter says you do not need a \u2018mandatory reconsideration\u2019.

    ", + "

    You\u2019ll need:

    ", + "
  • your National Insurance number
  • ", + "
  • the details of the representative helping with your appeal (if you\u2019re using one)
  • ", + "
  • your mandatory reconsideration notice - you get this after you ask for the benefit decision to be looked at again
  • ", + "

    If you do not need a mandatory reconsideration your decision letter will say why. Include this explanation when you submit your appeal.

    ", + "

    You\u2019ll need to choose whether you want to go to the tribunal hearing to explain your appeal in person. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence you provide.

    ", + "

    Start now

    ", + "

    You can only access the service\u2019s web chat if you\u2019re using Google Chrome, Mozilla Firefox or Safari. You can access everything else in the service using any browser.

    ", + "

    Continue with an existing appeal

    ", + "

    Sign in to continue with your saved benefit appeal application.

    ", + "

    Appealing by post

    ", + "

    Use form SSCS1 to appeal a Universal Credit, ESA or PIP decision by post.

    ", + "

    Help with your appeal

    ", + "

    You can appoint someone as a \u2018representative\u2019 to help you with your appeal. A representative can:

    ", + "
  • help you submit your appeal or prepare your evidence
  • ", + "
  • act on your behalf
  • ", + "
  • give you advice
  • ", + "

    Anyone can be a representative, including friends and family.

    ", + "

    You might also be able to find a representative through a library or from an organisation in your area that gives advice on claiming benefits, such as Citizens Advice.

    ", + "

    Your representative will have permission to act on your behalf, for example to respond to letters. They\u2019ll be sent all the information about your appeal, including any medical evidence.

    ", + "

    To register a representative, you can either:

    ", + "
  • name your representative when you submit your appeal
  • ", + "
  • register a representative at any point after you submit your appeal
  • ", + "

    Write to HMCTS Benefit Appeals to register a representative after you submit your appeal.

    ", + "

    Contact the benefit appeals helpline if you need more help submitting an appeal.

    ", + "

    After you submit your appeal

    ", + "

    Your appeal will be sent to the department that made the decision about your entitlement to benefits. They\u2019ll respond to your appeal explaining why they made the decision.

    ", + "

    You\u2019ll get a copy of the response.

    ", + "

    Providing evidence

    ", + "

    You can provide evidence to help the tribunal understand your condition or circumstances so they can make a decision. Evidence can include a letter from a doctor or someone who knows you.

    ", + "

    You\u2019ll be told where to send your evidence after you submit your appeal. Send it as soon as you can so the tribunal have time to read it before the hearing.

    ", + "

    The hearing

    ", + "

    Your appeal is decided at a tribunal hearing.

    ", + "

    You\u2019ll get the decision by post after the hearing. You may get a decision on the day if you go to the hearing.

    ", + "

    How long it takes

    ", + "

    It usually takes up to 6 months for an appeal to be heard by the tribunal.

    ", + "

    Your appeal might be delayed unless you:

    ", + "
  • send any evidence as soon as you can before the hearing
  • ", + "
  • arrive at the hearing on time (if you\u2019re attending)
  • ", + "
  • register your representative as soon as you can (if you\u2019re using one)
  • ", + "

    What happens at the hearing

    ", + "

    Submit any evidence as soon as possible before the hearing so the tribunal have time to read it. Evidence will usually be shared with all parties, including your representative (if you\u2019re using one).

    ", + "

    A judge and one or two experts will make a decision about the case. Who the experts are depends on what benefit you\u2019re appealing. The judge and experts are impartial and independent of government.

    ", + "

    The tribunal must follow the rules in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.

    ", + "

    If you attend the hearing

    ", + "

    You\u2019ll have to the opportunity to explain your appeal.

    ", + "

    You\u2019ll be asked questions about your condition or circumstances by the judge or the experts.

    ", + "

    The department that made the original decision may also be at the hearing. They may ask questions, but they\u2019re not part of the tribunal and do not decide the result of the appeal.

    ", + "

    You can get support during the hearing, for example an interpreter, hearing loop or accessible tribunal room. You can request support when you make an appeal.

    ", + "

    You cannot use your own interpreter during the hearing.

    ", + "

    Claiming expenses

    ", + "

    You may be able to claim for reasonable expenses for going to the tribunal, for example:

    ", + "
  • travel expenses to cover your fare if you get there using public transport
  • ", + "
  • travel expenses of 12p per mile if you drive, plus 2p per mile for up to 2 passengers
  • ", + "
  • meals - \u00a34.25 if you\u2019re away for more than 5 hours, \u00a39.30 for more than 10 hours or \u00a313.55 for more than 12 hours
  • ", + "
  • loss of earnings - \u00a338.96 if you\u2019re away from work for up to 4 hours or \u00a375.59 for 4 hours or more
  • ", + "
  • care expenses up to the National Minimum Wage, for example for a childminder
  • ", + "

    The clerk will help you fill in a claim form when you go to the hearing.

    ", + "

    You\u2019ll need to include proof, for example:

    ", + "
  • receipts
  • ", + "
  • a letter from your employer for loss of earnings
  • ", + "

    If you're unhappy with the tribunal's decision

    ", + "

    You may be able to:

    ", + "
  • get a decision cancelled (\u2018set aside\u2019)
  • ", + "
  • appeal to the Upper Tribunal (Administrative Appeals Chamber)
  • ", + "

    Your decision letter has more information.

    ", + "

    Get a decision set aside

    ", + "

    You\u2019ll be told how to get a decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process. Contact Citizens Advice if you need help.

    ", + "

    Appeal to the Upper Tribunal Administrative Appeals Chamber

    ", + "

    You can only appeal to the Upper Tribunal (Administrative Appeals Chamber) if you think the decision was wrong for a legal reason, for example, if the tribunal did not:

    ", + "
  • give proper reasons for its decision, or back up the decision with facts
  • ", + "
  • apply the law properly
  • ", + "

    You may be able to get legal aid when you appeal to the Upper Tribunal (Administrative Appeals Chamber) - this can help pay for legal advice.

    ", + "

    Contact Citizens Advice if you need help.

    ", + "

    You must then follow 3 steps.

    ", + "
  • Ask the Social Security and Child Support Tribunal for full written reasons (known as a \u2018statement of reasons\u2019) within one month of the date of the decision. The decision letter will tell you how to do this.
  • ", + "
  • Ask the Social Security and Child Support Tribunal for permission to appeal to the Upper Tribunal (Administrative Appeals Chamber).
  • ", + "
  • If the Social Security and Child Support Tribunal refuses, ask the Upper Tribunal (Administrative Appeals Chamber) for permission to appeal.
  • " + ] + }, + { + "title": "Tax credits: appeals and complaints", + "url": "https://www.gov.uk/tax-credits-appeals-complaints", + "contents": [ + "

    Overview

    ", + "

    You can:

    ", + "
  • dispute an overpayment decision if you\u2019ve been asked to pay back tax credits
  • ", + "
  • disagree with a tax credits decision if you think your tax credits are wrong
  • ", + "
  • complain if you think you\u2019ve been treated unfairly
  • ", + "

    Call the helpline first if you think HM Revenue and Customs (HMRC) made a mistake.

    ", + "

    Dispute a tax credits overpayment

    ", + "

    You can be overpaid tax credits even if you told HM Revenue and Customs (HMRC) about a change of circumstances on time. You\u2019ll normally have to repay these.

    ", + "

    Disputes are usually only successful if HMRC made a mistake.

    ", + "

    Fewer than 1 in 10 tax credit disputes are successful.

    ", + "

    How to dispute

    ", + "

    Tell HMRC online or by post.

    ", + "

    You can do this even if you\u2019re no longer getting tax credits.

    ", + "

    HMRC will continue to reclaim overpayments while they review your dispute.

    ", + "

    Deadlines

    ", + "

    Send your dispute form within 3 months of either:

    ", + "
  • the date on the first letter, statement or notice you received telling you that you\u2019ve been overpaid
  • ", + "
  • the \u2018decision date\u2019 on your Annual Review notice
  • ", + "

    You can only send it after the deadline in exceptional circumstances, for example you were in hospital for the 3 months.

    ", + "

    If you\u2019ve requested a \u2018mandatory reconsideration\u2019, you need to send your dispute form within 3 months of getting a reconsideration decision.

    ", + "

    What happens next

    ", + "

    You\u2019ll get a dispute decision letter telling you:

    ", + "
  • if you have to repay the tax credits
  • ", + "
  • how much you have to repay
  • ", + "
  • the reasons for the decision
  • ", + "

    If you do not agree with the decision

    ", + "

    You can:

    ", + "
  • send HMRC new information
  • ", + "
  • ask them to review the information you sent
  • ", + "

    You need to do this within 30 days of getting your dispute decision letter unless there are exceptional circumstances, for example you were in hospital.

    ", + "

    You can only ask for the decision to be reviewed once.

    ", + "

    HMRC will continue to reclaim overpayments while they review your information.

    ", + "

    You can contact an organisation like Citizens Advice if you have not got any new information and you\u2019re still unhappy.

    ", + "

    Disagree with a tax credits decision

    ", + "

    Call HM Revenue and Customs (HMRC) if you think your tax credits are wrong. They can check your award and may be able to change it if it\u2019s wrong.

    ", + "

    There\u2019s a different way of disagreeing with an overpayment decision.

    ", + "

    If they do not change it or you still think it\u2019s wrong

    ", + "

    You can ask for the decision to be reconsidered by filling in a WTC/AP form. This process is called \u2018mandatory reconsideration\u2019. You can fill in the form online or print it and send it to HMRC.

    ", + "

    You need to do this within 30 days of getting your award notice unless there are exceptional circumstances, for example you were in hospital.

    ", + "

    If you disagree with the result

    ", + "

    If you\u2019re in England, Scotland or Wales you can appeal to the Social Security and Child Support Tribunal.

    ", + "

    If you\u2019re in Northern Ireland appeal to the Appeals Service Northern Ireland.

    ", + "

    Complain about tax credits

    ", + "

    You can complain about things like unreasonable delays or the way you\u2019ve been treated.

    ", + "

    There\u2019s a different process if you think your tax credits are wrong or you want to dispute a tax credits overpayment.

    ", + "

    How to complain

    ", + "

    You can:

    ", + "
  • complain online
  • ", + "
  • call or write (telephone complaints are usually dealt with faster)
  • ", + "

    To complain online, you need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you complain.

    ", + "

    You can call or write to HM Revenue and Customs (HMRC). If you write, include:

    ", + "
  • your National Insurance number
  • ", + "
  • your full name, address and telephone number
  • ", + "
  • details of what happened and when
  • ", + "
  • how you\u2019d like your complaint settled
  • ", + "
  • the word \u2018Complaint\u2019 at the top of your letter
  • ", + "

    If you do not agree with the response

    ", + "

    Ask HMRC to review their response and send you a final decision.

    ", + "

    If you\u2019re unhappy with the final decision, you can contact the Independent Adjudicator.

    ", + "

    You may be able to claim costs (for example for postage or phone calls) if HMRC admits they made a mistake. Ask them for details.

    " + ] + }, + { + "title": "Benefit overpayments", + "url": "https://www.gov.uk/benefit-overpayments", + "contents": [ + "

    Overview

    ", + "

    Tell the office dealing with your benefit straight away if:

    ", + "
  • you think you\u2019re being overpaid
  • ", + "
  • your circumstances change
  • ", + "

    You may have to pay back the benefit if you\u2019ve been overpaid.

    ", + "

    There\u2019s a different process for tax credits overpayment.

    ", + "

    You may be prosecuted for benefit fraud or have to pay a penalty if you do not tell benefit providers about overpayments.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you\u2019ve been overpaid Universal Credit

    ", + "

    You can report an overpayment by signing into your Universal Credit account or calling the Universal Credit helpline.

    ", + "

    When the benefit office will contact you

    ", + "

    You\u2019ll get a letter to let you know that you\u2019ve been overpaid.

    ", + "

    If you think it\u2019s a mistake you can ask for mandatory reconsideration within one month of receiving the letter.

    ", + "

    Housing Benefit paid directly to your landlord

    ", + "

    Your landlord may be asked to repay the money if they\u2019re responsible for an overpayment. You may have to repay if it was your fault.

    ", + "

    When repayments have to be made

    ", + "

    You may have to pay the money back if you\u2019ve been overpaid. For example, if:

    ", + "
  • the information you gave was wrong
  • ", + "
  • you did not report a change in your circumstances straight away
  • ", + "
  • you gave the wrong information when you reported a change of circumstances
  • ", + "
  • a mistake was made with your payment
  • ", + "

    Find out how to make repayments.

    ", + "

    There\u2019s a different system if the person overpaid has died.

    ", + "

    Repayments when someone has died

    ", + "

    The Department for Work and Pensions (DWP) can recover benefit overpayments from a person\u2019s estate.

    ", + "

    An overpayment could have happened because, for example, the person who died:

    ", + "
  • had more savings than they declared in their benefit claim
  • ", + "
  • had not declared an income
  • ", + "
  • was in hospital or a nursing home and had not told DWP
  • ", + "

    If you\u2019re dealing with the estate, DWP will write to you once probate has been granted to ask for the information they need.

    ", + "

    You should not distribute the estate until you know what needs to be repaid. If you do, you may have to pay back the money yourself.

    ", + "

    What you need to do

    ", + "

    You\u2019ll be asked to provide information to help work out if anything needs to be repaid.

    ", + "

    You may need bank statements, building society passbooks or other information about the dead person\u2019s assets.

    ", + "

    If you do not provide the information asked for, the overpayment will be calculated based on the probate figure before any deductions (that is, the whole estate).

    ", + "

    If there has been an overpayment

    ", + "

    DWP will write to you asking for the money back from the estate. They will tell you how any overpayment has been worked out and explain why it happened. They will also tell you how to pay.

    ", + "

    If you need to discuss your payment, or setting up a repayment plan, call DWP\u2019s Debt Management Recovery from Estates. The number is on the letter.

    ", + "

    You can also write to them:

    ", + "

    If you\u2019re in England and Wales

    ", + "

    If you\u2019re in Scotland

    ", + "

    If you\u2019re in Northern Ireland, contact the Department for Communities Debt Management service.

    ", + "

    If you disagree with the overpayment decision

    ", + "

    If you disagree with the overpayment decision, you can ask for the decision to be looked at again - this is called a \u2018mandatory reconsideration\u2019.

    ", + "

    You can do this if you:

    ", + "
  • think DWP made an error or missed important evidence
  • ", + "
  • disagree with the reasons for the decision
  • ", + "
  • want to have the decision looked at again
  • ", + "

    Payments made after death

    ", + "

    If the overpayment happened because the payment arrived before DWP were told about the death, DWP Debt Management will contact:

    ", + "
  • the deceased\u2019s next of kin
  • ", + "
  • the bank the benefit was paid in to
  • ", + "
  • whoever is handling the estate
  • ", + "

    How to make a repayment

    ", + "

    How you pay back the overpayment depends on:

    ", + "
  • whether you\u2019re making repayments for the first time or restarting them
  • ", + "
  • whether you still receive benefits
  • ", + "

    Start making repayments if you\u2019re still receiving benefits

    ", + "

    If you\u2019re still receiving benefits, the regular amount you get will be reduced until you\u2019ve paid back the money.

    ", + "

    Contact the Department for Work and Pensions (DWP) Debt Management contact centre if you think too much has been taken for a repayment.

    ", + "

    If you\u2019re in Northern Ireland, contact the Department for Communities Debt Management service.

    ", + "

    Start making repayments if you no longer receive benefits

    ", + "

    If you no longer receive benefits, you need to pay back the overpayment to DWP Debt Management. You\u2019ll get a letter telling you how much you need to repay.

    ", + "

    If you cannot pay the debt in full, contact DWP Debt Management to arrange a payment plan.

    ", + "

    If you\u2019re in Northern Ireland, contact the Department for Communities Debt Management service.

    ", + "

    Online banking

    ", + "

    Use DWP\u2019s bank account details to pay, quoting the reference number shown on your letter or your National Insurance number.

    ", + "Account name | Sort code | Account number", + "DWP Debt Management | 60 70 80 | 10025634", + "

    Overseas accounts

    ", + "

    Use the following details if you\u2019re paying from an overseas account.

    ", + "Account name | IBAN | BIC", + "DWP Debt Management | GB30NWBK60708010025634 | NWBKGB2L", + "

    Direct Debit, card, cheques and cash

    ", + "

    Contact the DWP Debt Management contact centre to:

    ", + "
  • set up monthly repayments by Direct Debit
  • ", + "
  • make a payment using a debit card
  • ", + "
  • request a paying-in slip for cheque or cash payments
  • ", + "

    If you do not pay back the money

    ", + "

    If you do not pay back the money or contact the DWP Debt Management contact centre, they may pass your case to an independent debt collector.

    ", + "

    You\u2019ll get a letter to tell you about this.

    ", + "

    If your case is passed to a debt collector, the letter will be from one of the following debt collection agencies:

    ", + "
  • Advantis
  • ", + "
  • BPO Collections
  • ", + "
  • CCS Collect
  • ", + "
  • Moorcroft
  • ", + "
  • Past Due Credit
  • ", + "
  • Resolve Call
  • ", + "
  • Shakespeare Martineau
  • ", + "

    You should deal directly with the debt collector to arrange repayment.

    " + ] + }, + { + "title": "Tax credits overpayments", + "url": "https://www.gov.uk/tax-credits-overpayments", + "contents": [ + "

    Overview

    ", + "

    You might be overpaid tax credits if:

    ", + "
  • there\u2019s a change in your circumstances - even if you report the change on time
  • ", + "
  • you or the Tax Credit Office make a mistake
  • ", + "
  • you do not renew your tax credits on time
  • ", + "

    The Tax Credit Office will write to tell you what you owe and how to repay the money. If you think they made a mistake, call the helpline.

    ", + "

    If you still get tax credits or are now getting Universal Credit, the money you owe will usually be taken from your future payments.

    ", + "

    If you no longer get tax credits and you do not get Universal Credit, you\u2019ll have to pay HM Revenue and Customs (HMRC) directly. The money may be recovered from you in another way if you do not repay HMRC in time.

    ", + "

    How to repay your tax credits

    ", + "

    The Tax Credit Office will write to tell you what you owe and how to repay.

    ", + "

    How you repay depends on whether you still get tax credits, Universal Credit or neither.

    ", + "

    Call the helpline if you:

    ", + "
  • think the Tax Credit Office made a mistake
  • ", + "
  • already have a repayment plan but you get another letter - you may need to set up a new plan
  • ", + "

    If you still get tax credits

    ", + "

    HMRC will automatically reduce your future tax credit payments until you\u2019ve paid back the money you owe.

    ", + "

    The amount they\u2019ll reduce your tax credit payments by usually depends on how much you currently get and your household income.

    ", + "Household income | Reduction", + "\u00a320,000 or less and you get maximum tax credits | 10%", + "\u00a320,000 or less and you get less than the maximum tax credits | 25%", + "More than \u00a320,000 | 50%", + "

    If you only get the family element of Child Tax Credit, your payments will be reduced by 100% whatever your income is.

    ", + "

    If you\u2019ve moved to Universal Credit

    ", + "

    Your future payments will be reduced until you\u2019ve paid back the money you owe.

    ", + "

    If you do not get tax credits or Universal Credit

    ", + "

    HMRC will send you a \u2018notice to pay\u2019 which you should pay within 30 days.

    ", + "

    It\u2019s your responsibility to make sure payments reach HMRC on time. Check your bank\u2019s transaction limits and processing times.

    ", + "

    If you do not pay in time, the money you owe will be recovered from you in another way.

    ", + "

    Call the helpline if you want to make extra payments to clear the debt more quickly.

    ", + "

    There are several ways to repay.

    ", + "

    Direct Debit

    ", + "

    You can call the helpline to set up a Direct Debit.

    ", + "

    You\u2019ll need your tax credit reference number - you\u2019ll find it on your notice to pay.

    ", + "

    It takes up to 5 working days to set up. Payments appear on your statements as \u2018HMRC NDDS\u2019.

    ", + "

    Online and telephone banking (Faster Payments)

    ", + "

    Pay to HMRC\u2019s account and use your tax credit reference number (found on your notice to pay) as the payment reference.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001039 | HMRC Cumbernauld", + "

    Payments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    If you\u2019re paying from an overseas account, you can pay HMRC in sterling or another currency.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld", + "

    HMRC\u2019s bank address is:

    ", + "

    At your bank or building society

    ", + "

    Pay at your branch by cash or cheque.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019. Write your tax credit reference number on the back of the cheque. You\u2019ll find this on your notice to pay.

    ", + "

    HMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC). Allow 3 working days for your payment to reach HMRC.

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019. Write your tax credit reference number on the back of the cheque. You\u2019ll find this on your notice to pay.

    ", + "

    Do not fold your cheque.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    Include a note with:

    ", + "
  • your name, address and phone number
  • ", + "
  • your tax credit reference number
  • ", + "
  • how much you\u2019re paying
  • ", + "
  • the period you\u2019re paying for
  • ", + "

    You can ask for a receipt if you want one.

    ", + "

    If you cannot afford your repayments

    ", + "

    You can ask to repay what you owe over a longer period of time if you\u2019re having financial difficulty. This will mean you pay less each week or month.

    ", + "

    You may be asked about:

    ", + "
  • any savings and income you have - including benefits and pensions
  • ", + "
  • your living expenses - including rent, mortgage or childcare payments and household costs
  • ", + "
  • any other repayments you have to make - including loans, credit cards and utility bill repayments
  • ", + "

    How you ask for your repayments to be reconsidered depends on whether you still get tax credits, Universal Credit or neither.

    ", + "

    HMRC is offering further help and support during the COVID-19 crisis. If you are in temporary financial difficulty, and you are unable to pay or to keep up repayment of your existing debts, you should contact HMRC so we can work with you to ensure your arrangement remains affordable until you return to a more stable footing. If you need it, hardship arrangements can offer flexibility if you have previous overpayments being recovered from your tax credits award.

    ", + "

    If you still get tax credits

    ", + "

    If HMRC has reduced your tax credits to pay back an overpayment, you can ask them to reconsider:

    ", + "
  • online - you need your Government Gateway user ID and password - if you do not have one, you can create one when you use this service
  • ", + "
  • by phone
  • ", + "

    If HMRC give you more time to pay back what you owe, this will mean they take less money from your tax credits each week or month.

    ", + "

    You will usually receive a decision within 14 working days.

    ", + "

    If you are still having financial difficulty at the end of the financial year (5 April), you will need to ask HMRC to reconsider your payments again.

    ", + "

    If you have moved to Universal Credit

    ", + "

    Contact the Department for Work and Pensions (DWP) Debt Management centre if you cannot afford your repayments.

    ", + "

    If you do not get tax credits or Universal Credit

    ", + "

    Call the tax credits payments helpline to ask HMRC to reconsider.

    ", + "

    If you\u2019ve received a \u2018TC1131\u2019 letter, this means your debt has passed to DWP. Call the DWP Debt Management contact centre to discuss your options. Call DfC Debt Management if you\u2019re in Northern Ireland.

    ", + "

    If you get Universal Credit

    ", + "

    After you start getting Universal Credit you\u2019ll get a letter from HM Revenue and Customs (HMRC) telling you how much you owe. The letter is called a \u2018TC1131 (UC)\u2019.

    ", + "

    The letter may come a few months after you\u2019ve moved to Universal Credit.

    ", + "

    If you are already paying a \u2018notice to pay\u2019, keep making payments until you get the letter.

    ", + "

    After you get the letter, the Department for Work and Pensions (DWP) will reduce your Universal Credit payments until you pay back the money you owe. You do not have to do anything to set this up.

    ", + "

    If you\u2019re in Northern Ireland this will be handled by the Department for Communities.

    ", + "

    If you are repaying tax credits overpayments from different years, you may get more than one letter - you must repay each of these debts.

    ", + "

    If you cannot afford your repayments

    ", + "

    Contact DWP Debt Management if you cannot afford your repayments.

    ", + "

    If you have an existing payment plan

    ", + "

    If you have a repayment plan for your tax credits debt (also known as a \u2018Time to Pay\u2019 arrangement), it will end after you get the letter from HMRC. This applies whether the plan is with HMRC or an independent debt collector.

    ", + "

    You must cancel any standing orders you\u2019ve set up to repay the debt. HMRC will cancel any Direct Debits.

    ", + "

    If you claimed tax credits as a couple

    ", + "

    The debt will be split in half between you. Each of you will receive a letter with details of your half of the debt. You must each pay your half.

    ", + "

    Contact HMRC if you think your share is wrong.

    ", + "

    If you do not get Universal Credit any more

    ", + "

    If you get the letter from HMRC after you\u2019ve stopped receiving Universal Credit, you must repay DWP directly.

    ", + "

    If you\u2019re in Northern Ireland, you must repay the Department for Communities.

    ", + "

    If you do not repay HMRC

    ", + "

    If you get a \u2018notice to pay\u2019 you must repay HM Revenue and Customs (HMRC) within 30 days. If you asked for more time to pay you should repay within the agreed time.

    ", + "

    HMRC will take \u2018enforcement action\u2019 if you do not pay all the money you owe in the agreed time. For example, they might ask a debt collection agency to collect any remaining money.

    ", + "

    Your debt may be passed to the Department for Work and Pensions (DWP) if HMRC cannot get the money you owe. You\u2019ll get a letter called a \u2018TC1131 (non-UC)\u2019 when this happens.

    ", + "

    Your debt will be passed to the Department for Communities (DfC) if you\u2019re in Northern Ireland.

    ", + "

    You do not need to do anything - DWP or DfC will arrange the most suitable method of recovery with you. This might be by:

    ", + "
  • reducing your other benefits
  • ", + "
  • agreeing a repayment plan with you
  • ", + "
  • asking your employer to take money from your earnings (\u2018Direct Earnings Attachment\u2019)
  • ", + "
  • asking a debt collection agency to collect the money
  • ", + "

    If you start getting Universal Credit

    ", + "

    If you start getting Universal Credit before all your debt has been recovered, DWP will usually start to take repayments from your Universal Credit to collect the remaining money.

    " + ] + }, + { + "title": "Jobseeker's Allowance (JSA)", + "url": "https://www.gov.uk/jobseekers-allowance", + "contents": [ + "

    How it works

    ", + "

    You can apply for \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA) to help you when you\u2019re looking for work.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You cannot apply for contribution-based or income-based JSA anymore. If you\u2019re currently getting contribution-based or income-based JSA, you\u2019ll keep getting payments while you\u2019re eligible until your claim ends.

    ", + "

    What you need to do

    ", + "
  • Check you\u2019re eligible.
  • ", + "
  • Make a claim for \u2018new style\u2019 JSA and attend a phone interview with your local Jobcentre Plus office.
  • ", + "
  • Keep to your agreement to look for work. This agreement is called a \u2018Claimant Commitment\u2019 and you will create it at your phone interview.
  • ", + "

    Your JSA payments will be stopped if you do not keep to your agreement to look for work and cannot give a good reason.

    ", + "

    Check if you\u2019re eligible for Universal Credit. If you are, you could get Universal Credit at the same time or instead of \u2018new style\u2019 JSA.

    ", + "

    What you\u2019ll get

    ", + "

    There\u2019s a maximum amount you can get - but how much you\u2019re entitled to depends on your age.

    ", + "

    Use a benefits calculator to check how much JSA you can get, and how your other benefits will be affected.

    ", + "Age | JSA weekly amount", + "Up to 24 | up to \u00a359.20", + "25 or over | up to \u00a374.70", + "

    How you\u2019re paid

    ", + "

    Your first payment will usually be within 7 days of your phone interview. It may not be the usual full amount.

    ", + "

    After that, payments are usually made every 2 weeks and they will be the full amount.

    ", + "

    All benefits, pensions and allowances are usually paid into your bank, building society or credit union account.

    ", + "

    If you\u2019re moving to Universal Credit from income-based JSA

    ", + "

    If your income-based JSA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of JSA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.

    ", + "

    The Department for Work and Pensions (DWP) will write to you telling you how this works.

    ", + "

    You do not need to pay this money back, and it will not affect the amount of Universal Credit you get.

    ", + "

    Eligibility

    ", + "

    To be eligible for \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA) you\u2019ll need to have both:

    ", + "
  • worked as an employee
  • ", + "
  • paid Class 1 National Insurance contributions, usually in the last 2 to 3 years (National Insurance credits can also count)
  • ", + "

    You will not be eligible if you were self-employed and only paid Class 2 National Insurance contributions, unless you were working as a share fisherman or a volunteer development worker.

    ", + "

    You\u2019ll also need to:

    ", + "
  • be 18 or over (there are some exceptions if you\u2019re 16 or 17 - contact Jobcentre Plus for advice)
  • ", + "
  • be under the State Pension age
  • ", + "
  • not be in full-time education
  • ", + "
  • be available for work
  • ", + "
  • not be working at the moment, or be working less than 16 hours per week on average
  • ", + "
  • not have an illness or disability which stops you from working
  • ", + "
  • live in England, Scotland or Wales
  • ", + "
  • have the right to work in the UK
  • ", + "

    While you receive JSA, you\u2019ll need to take reasonable steps to look for work as agreed with your work coach. You must still follow the guidance on working safely during coronavirus.

    ", + "

    Your savings and your partner\u2019s income and savings will not affect your claim.

    ", + "

    You can get \u2018new style\u2019 JSA for up to 182 days (about 6 months). After this you can talk to your work coach about your options.

    ", + "

    Check if you\u2019re eligible for Universal Credit. If you are, you could get Universal Credit at the same time or instead of \u2018new style\u2019 JSA.

    ", + "

    If you cannot work because of coronavirus (COVID-19)

    ", + "

    You can claim JSA if you cannot work but you\u2019re still getting paid by your employer (\u2018on furlough\u2019) or through the Self-Employment Income Support Scheme.

    ", + "

    Both of the following must also apply:

    ", + "
  • you usually work less than 16 hours a week
  • ", + "
  • you meet the other eligibility requirements for JSA
  • ", + "

    Apply for 'new style' JSA

    ", + "

    Before you apply for \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA), check if you\u2019re eligible.

    ", + "

    There is a different process in Northern Ireland.

    ", + "

    To apply, you\u2019ll need your:

    ", + "
  • National Insurance number
  • ", + "
  • bank or building society account details (or those of a family member or trusted friend)
  • ", + "
  • employment details for the past 6 months, including employer contact details and dates you worked with them
  • ", + "
  • private pension statement letter
  • ", + "

    To reclaim you need to apply again, even if your details have not changed.

    ", + "

    Backdating your claim

    ", + "

    When you apply, you can ask for your claim to be backdated by up to 3 months if you were not able to claim sooner.

    ", + "

    If you want to backdate your claim, you\u2019ll need:

    ", + "
  • the date you want your claim to start from
  • ", + "
  • the reason your claim was delayed
  • ", + "

    Your claim may not be backdated if you do not have a good reason for the delay in making your claim. Reasons for backdating your claim could include:

    ", + "
  • you had a family bereavement - a partner, parent, child, brother or sister died
  • ", + "
  • you were given the wrong advice that you could not get JSA
  • ", + "

    Apply online

    ", + "

    You cannot apply online if you\u2019re under 18.

    ", + "

    Apply for new style JSA

    ", + "

    If you cannot apply online

    ", + "

    If you need help applying or you\u2019re aged 16 to 17, contact Jobcentre Plus.

    ", + "

    After you make your claim

    ", + "

    If you applied online, you\u2019ll get a text to confirm that your application has been submitted.

    ", + "

    The Department for Work and Pensions (DWP) will then contact you within 10 days of applying.

    ", + "

    You do not need to contact DWP unless it has been more than 10 days since you applied and you haven\u2019t heard anything.

    ", + "

    If you\u2019re eligible

    ", + "

    DWP will contact you within 10 days to schedule a phone interview that you must attend. It will normally be with a work coach from your local Jobcentre Plus office.

    ", + "

    At the interview, you\u2019ll be asked some questions to confirm your identity and then you\u2019ll make an agreement about what steps you\u2019ll take to look for work. This agreement is called a \u2018Claimant Commitment\u2019.

    ", + "

    If you need support during the appointment, you can have another person with you.

    ", + "

    Contact Jobcentre Plus before your appointment if you:

    ", + "
  • need a foreign language interpreter, and do not have someone who can help with interpretation
  • ", + "
  • have a disability or health condition, for example a hearing impairment which means you cannot attend a phone interview
  • ", + "

    If you\u2019re not eligible

    ", + "

    DWP will send you a letter within 10 days to explain why you are not eligible for JSA.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Make a complaint

    ", + "

    You can complain about Jobcentre Plus if you\u2019re unhappy with the service you\u2019ve received.

    ", + "

    Your JSA claim

    ", + "

    When you apply to claim JSA, your work coach will make an agreement with you to look for work. This agreement is called a \u2018Claimant Commitment\u2019.

    ", + "

    Your Claimant Commitment could include:

    ", + "
  • what you need to do to look for work - for example registering with recruitment agencies or writing a CV
  • ", + "
  • how many hours you need to spend looking for work each week
  • ", + "

    You should continue to do all the things you have agreed to do if you can do them safely. You must still follow the guidance on working safely during coronavirus.

    ", + "

    You can search and apply for work using the \u2018Find a job\u2019 service.

    ", + "

    You must tell Jobcentre Plus if your circumstances change, for example you start working or your income changes.

    ", + "

    Attending regular appointments

    ", + "

    Your work coach will arrange appointments with you every 1 to 2 weeks.

    ", + "

    At these appointments, you must show your work coach what you\u2019ve been doing to look for work, for example proof of job applications and interviews.

    ", + "

    If you\u2019re a victim of domestic abuse you might be able to get a break of up to 13 weeks from job seeking - speak to your work coach if you need this support.

    ", + "

    When payment can be stopped

    ", + "

    Your JSA payments can be stopped for a period if you do not do something your work coach asks you to do. This is called being \u2018sanctioned\u2019. For example, if you:

    ", + "
  • do not take part in an appointment with your work coach
  • ", + "
  • do not accept or keep to your agreement to look for work
  • ", + "
  • turn down a job or training course
  • ", + "
  • do not apply for any jobs you\u2019re told about
  • ", + "
  • do not take part in any interviews you\u2019re invited to
  • ", + "
  • do not go to any training booked for you or take part in employment schemes
  • ", + "
  • leave your last job or training without good reason or because of your behaviour
  • ", + "

    Contact Jobcentre Plus as soon as possible if any of these apply to you. You may be able to keep your payment if you have good reason.

    ", + "

    You\u2019ll be told how long your payment will be stopped for. It could be between 4 weeks and 26 weeks (about 6 months).

    ", + "

    If you want to know how long your JSA payment could be stopped for, read part 3 of the guidance on JSA sanctions.

    ", + "

    If your JSA payment is stopped

    ", + "

    If your payment is stopped, you should keep looking for work. Your benefit payment could be stopped for longer if you do not.

    ", + "

    If you disagree with the decision to stop payment, you can ask for the decision to be looked at again - this is called \u2018mandatory reconsideration\u2019.

    ", + "

    If you disagree with the outcome of the mandatory reconsideration, you can appeal to the Social Security and Child Support Tribunal.

    ", + "

    You should continue with any JSA claim until the dispute is settled.

    ", + "

    If you claim Housing Benefit or Council Tax Reduction

    ", + "

    You should contact your local council immediately. They\u2019ll tell you what to do to continue getting support.

    ", + "

    If your claim is ended

    ", + "

    Your JSA claim may be ended if you\u2019re not available for or actively seeking work. You can apply again straight away, but your payments will be stopped for a period of either:

    ", + "
  • 4 weeks if it\u2019s the first time your claim has been ended
  • ", + "
  • 13 weeks if a previous claim has been ended within the past year
  • ", + "

    Hardship payments

    ", + "

    You may be able to get a hardship payment if your JSA payments have been stopped. You do not have to pay it back.

    ", + "

    A hardship payment is a reduced amount (usually 60%) of your JSA.

    ", + "

    Eligibility

    ", + "

    You can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your child.

    ", + "

    You must be 18 or over.

    ", + "

    You\u2019ll have to show that you\u2019ve tried to find the money from somewhere else, such as borrowing from a friend or working extra hours.

    ", + "

    How to claim

    ", + "

    Speak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.

    ", + "

    If you\u2019re getting contribution-based or income-based JSA

    ", + "

    As long as you\u2019re still eligible, you\u2019ll keep getting contribution-based or income-based Jobseeker\u2019s Allowance (JSA) until either:

    ", + "
  • your circumstances change
  • ", + "
  • your claim for contribution-based JSA ends (you can get it for up to 182 days)
  • ", + "

    Jobcentre Plus will talk to you about your options. If you\u2019re eligible you might be able to claim Universal Credit.

    ", + "

    You need to take reasonable steps to look for work while getting JSA. You must still follow the guidance on working safely during coronavirus.

    ", + "

    You must tell Jobcentre Plus if your circumstances change, for example you start working or your income changes.

    ", + "

    Working hours and income

    ", + "

    If you start working more than 16 hours a week, you might stop being eligible for JSA.

    ", + "

    You might stop being eligible for income-based JSA if:

    ", + "
  • your partner starts working 24 hours or more a week, or increases their hours to 16 hours or more a week
  • ", + "
  • your savings increase to \u00a316,000 or more (including your partner\u2019s savings)
  • ", + "

    You cannot apply for contribution-based or income-based JSA anymore. Instead, check if you\u2019re eligible for Universal Credit and \u2018new style\u2019 JSA. You could get both at the same time.

    ", + "

    Report a change of circumstances

    ", + "

    You must tell Jobcentre Plus if your circumstances change, for example you start working or your income changes. This might affect how much you get.

    ", + "

    Volunteering will not normally affect your JSA but you should report it before you start.

    ", + "

    Your claim might be stopped or reduced if you do not report a change straight away.

    ", + "

    A change of circumstance can include:

    ", + "
  • starting or stopping work, education, training or an apprenticeship
  • ", + "
  • changes to your or your partner\u2019s income or working hours
  • ", + "
  • moving house
  • ", + "
  • changing your name
  • ", + "
  • people moving into or out of the place you live (for example your partner or a child)
  • ", + "
  • changes to the benefits you or anyone else in your house gets
  • ", + "
  • changes to your pension, savings, investments or property
  • ", + "
  • changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)
  • ", + "
  • changing your doctor
  • ", + "
  • any changes to your medical condition or disability
  • ", + "
  • going into hospital or a care home or sheltered accommodation
  • ", + "
  • going abroad for any length of time
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    You must tell Jobcentre Plus if you cannot work but you\u2019re still getting paid by your employer (\u2018on furlough\u2019) or you\u2019ve been given a grant through the Self-Employment Income Support Scheme.

    ", + "

    Call the JSA helpline if you\u2019re not sure whether you need to report a change.

    ", + "

    You may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information, or do not report changes straight away.

    ", + "

    How to report

    ", + "

    You can report a change of circumstances by:

    ", + "
  • calling the JSA helpline
  • ", + "
  • writing to the Jobcentre Plus office that pays your JSA - the address is on the letters you get about your JSA
  • ", + "

    If you\u2019re claiming Universal Credit as well as new style JSA, you must report changes to both services.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    If you do not report a change straight away or give wrong or incomplete information, you might be paid too much. If you are, you might have to pay some of the money back.

    " + ] + }, + { + "title": "Universal Credit", + "url": "https://www.gov.uk/universal-credit", + "contents": [ + "

    What Universal Credit is

    ", + "

    Universal Credit is a payment to help with your living costs. It\u2019s paid monthly - or twice a month for some people in Scotland.

    ", + "

    You may be able to get it if you\u2019re on a low income, out of work or you cannot work.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you live in Northern Ireland, go to Universal Credit in Northern Ireland.

    ", + "

    Sign in

    ", + "

    Sign in to your Universal Credit account if you already have one.

    ", + "

    If you already get other benefits

    ", + "

    Universal Credit is replacing the following benefits:

    ", + "
  • Child Tax Credit
  • ", + "
  • Housing Benefit
  • ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Working Tax Credit
  • ", + "

    If you currently get any of these benefits, you do not need to do anything unless:

    ", + "
  • you have a change of circumstances you need to report
  • ", + "
  • the Department for Work and Pensions (DWP) contacts you about moving to Universal Credit
  • ", + "

    If you get tax credits, they will stop when you or your partner applies for Universal Credit. Check how tax credits and Universal Credit affect each other.

    ", + "

    Eligibility

    ", + "

    You may be able to get Universal Credit if:

    ", + "
  • you\u2019re on a low income or out of work
  • ", + "
  • you\u2019re 18 or over (there are some exceptions if you\u2019re 16 to 17)
  • ", + "
  • you\u2019re under State Pension age (or your partner is)
  • ", + "
  • you and your partner have \u00a316,000 or less in savings between you
  • ", + "
  • you live in the UK
  • ", + "

    If you\u2019re an\u00a0EU,\u00a0EEA\u00a0or Swiss citizen, you and your family usually also need settled or pre-settled status under the EU Settlement Scheme to get Universal Credit. The deadline to apply to the EU Settlement Scheme is 30 June 2021.

    ", + "

    The number of children you have does not affect your eligibility for Universal Credit, but it may affect how much you get.

    ", + "

    Use a benefits calculator to check what benefits you could get if you\u2019re not eligible for Universal Credit.

    ", + "

    If you live with your partner

    ", + "

    Your partner\u2019s income and savings will be taken into account, even if they are not eligible for Universal Credit.

    ", + "

    If you\u2019re 18 or over and in training or studying full-time

    ", + "

    You can make a new claim for Universal Credit if any of the following apply:

    ", + "
  • you live with your partner and they\u2019re eligible for Universal Credit
  • ", + "
  • you\u2019re responsible for a child, either as a single person or as a couple
  • ", + "
  • you\u2019re in further education, are 21 or under and do not have parental support, for example you\u2019re estranged from your parents and you\u2019re not under local authority care
  • ", + "

    If you\u2019re moving from Employment and Support Allowance (ESA)

    ", + "

    You can make a new claim for Universal Credit if you\u2019re in full-time education and all of the following apply:

    ", + "
  • you\u2019re entitled to Personal Independence Payment (PIP) or Disability Living Allowance (DLA)
  • ", + "
  • you\u2019ve already been assessed as having limited capability for work
  • ", + "
  • you make a new claim before your ESA ends or as soon as you\u2019re notified that your ESA claim has ended
  • ", + "

    If you\u2019re 16 or 17

    ", + "

    You can make a new claim for Universal Credit if any of the following apply:

    ", + "
  • you have medical evidence and are waiting for a Work Capability Assessment
  • ", + "
  • you\u2019re caring for a severely disabled person
  • ", + "
  • you\u2019re responsible for a child
  • ", + "
  • you\u2019re in a couple with responsibility for at least one child and your partner is eligible for Universal Credit
  • ", + "
  • you\u2019re pregnant and it\u2019s 11 weeks or less before your expected week of childbirth
  • ", + "
  • you\u2019ve had a child in the last 15 weeks
  • ", + "
  • you do not have parental support, for example you\u2019re estranged from your parents and you\u2019re not under local authority care
  • ", + "

    If you\u2019re studying full-time

    ", + "

    You can also make a claim if you\u2019re in full-time further education and any of the following apply:

    ", + "
  • you do not have parental support and you\u2019re not under local authority care
  • ", + "
  • you have limited capability for work and you\u2019re entitled to Personal Independence Payment (PIP) or Disability Living Allowance (DLA)
  • ", + "
  • you\u2019re responsible for a child
  • ", + "
  • you\u2019re in a couple with responsibility for a child and your partner is eligible for Universal Credit
  • ", + "

    If you\u2019re in a couple and one of you is State Pension age

    ", + "

    You and your partner can claim Universal Credit as a couple if one of you is under State Pension age and eligible for Universal Credit.

    ", + "

    When you both reach State Pension age your Universal Credit claim will stop.

    ", + "

    You may be able to apply for Pension Credit or other benefits as a couple when your Universal Credit stops. Ask your Jobcentre Plus work coach what else you could be eligible for.

    ", + "

    What you'll get

    ", + "

    Your Universal Credit payment is made up of a standard allowance and any extra amounts that apply to you, for example if you:

    ", + "
  • have children
  • ", + "
  • have a disability or health condition which prevents you from working
  • ", + "
  • need help paying your rent
  • ", + "

    Use a benefits calculator to see how much you could get.

    ", + "

    How much Universal Credit you get will depend on your earnings.

    ", + "

    Your circumstances are assessed every month. Changes in your circumstances can affect how much you\u2019re paid for the whole assessment period - not just from the date you report them.

    ", + "

    The benefit cap may limit the total amount of benefit you receive.

    ", + "

    Standard allowance

    ", + "Your circumstances | Monthly standard allowance", + "Single and under 25 | \u00a3344", + "Single and 25 or over | \u00a3411.51", + "In a couple and you\u2019re both under 25 | \u00a3490.60 (for you both)", + "In a couple and either of you are 25 or over | \u00a3596.58 (for you both)", + "

    Extra amounts

    ", + "

    You may get more money on top of your standard allowance if you\u2019re eligible.

    ", + "

    If you have children

    ", + "

    If you have 1 or 2 children, you\u2019ll get an extra amount for each child.

    ", + "

    If you have 3 or more children, you\u2019ll get an extra amount for at least 2 children. You can only get an extra amount for more children if any of the following are true:

    ", + "
  • your children were born before 6 April 2017
  • ", + "
  • you were already claiming for 3 or more children before 6 April 2017
  • ", + "
  • other exceptions apply
  • ", + "

    You\u2019ll get an extra amount for any disabled or severely disabled child - no matter how many children you have or when they were born.

    ", + "How much you\u2019ll get | Extra monthly amount", + "For your first child | \u00a3282.50 (born before 6 April 2017) \u00a3237.08 (born on or after 6 April 2017)", + "For your second child and any other eligible children | \u00a3237.08 per child", + "If you have a disabled or severely disabled child | \u00a3128.89 or \u00a3402.41", + "If you need help with childcare costs | up to 85% of your costs (up to \u00a3646.35 for one child and \u00a31,108.04 for 2 or more children)", + "

    You might get the extra amount if you start caring for another child, depending on when they were born and how many children you have.

    ", + "

    If you have a disability or health condition

    ", + "How much you\u2019ll get | Extra monthly amount", + "If you have limited capability for work and work-related activity | \u00a3343.63", + "If you have limited capability for work and you started your health-related Universal Credit or Employment and Support Allowance (ESA) claim before 3 April 2017 | \u00a3128.89", + "

    If you get the severe disability premium you may also be entitled to an extra \u2018transitional protection\u2019 payment if you\u2019re moving to Universal Credit.

    ", + "

    If you care for a severely disabled person

    ", + "How much you\u2019ll get | Extra monthly amount", + "If you provide care for at least 35 hours a week for a severely disabled person who receives a disability-related benefit | \u00a3163.73", + "

    This is on top of any extra amount you get if you have a disabled child.

    ", + "

    Housing costs

    ", + "

    You could get money to help pay your housing costs. How much you get depends on your age and circumstances.

    ", + "

    The payment can cover rent and some service charges.

    ", + "

    If you\u2019re a homeowner, you might be able to get a loan to help with interest payments on your mortgage or other loans you\u2019ve taken out for your home.

    ", + "

    Other support you could get

    ", + "

    If you receive Universal Credit you may also be able to get other financial support depending on your circumstances.

    ", + "

    How your earnings affect your payments

    ", + "

    If you\u2019re employed, how much Universal Credit you get will depend on your earnings. Your Universal Credit payment will reduce gradually as you earn more - for every \u00a31 you earn your payment reduces by 63p.

    ", + "

    There\u2019s no limit to how many hours you can work.

    ", + "

    Use a benefits calculator to see how increasing your hours or starting a new job could affect what you get.

    ", + "

    The work allowance

    ", + "

    You can earn a certain amount before your Universal Credit is reduced if you or your partner are either:

    ", + "
  • responsible for a child or young person
  • ", + "
  • living with a disability or health condition that affects your ability to work
  • ", + "

    This is called a \u2018work allowance\u2019. Your work allowance is lower if you get help with housing costs.

    ", + "Your circumstances | Monthly work allowance", + "You get help with housing costs | \u00a3293", + "You do not get help with housing costs | \u00a3515", + "

    If your employer has put you on temporary leave (\u2018furlough\u2019)

    ", + "

    If you\u2019re on furlough because your employer has no work for you, you can get up to 80% of your wages paid through the Coronavirus Job Retention Scheme, up to a monthly limit of \u00a32,500. Your employer takes care of this.

    ", + "

    You can check if your employer can use the scheme.

    ", + "

    If your payment stops because your earnings increased

    ", + "

    As your income increases, your payment will reduce until you\u2019re earning enough to no longer claim Universal Credit. Your payment will then be stopped. You\u2019ll be told when this happens.

    ", + "

    If your earnings decrease after this, you can claim Universal Credit again.

    ", + "

    If you received your last payment 6 months ago or less, you can restart your old claim by signing in to your Universal Credit account. You\u2019ll need to report any changes in your circumstances. If you\u2019re eligible for Universal Credit, your payments will restart with the same monthly assessment period you had previously.

    ", + "

    If you received your last payment more than 6 months ago, you\u2019ll need to make a new claim for Universal Credit. You can make a new claim by signing in to your Universal Credit account. You will not be paid on the same date as your previous claim. It usually takes around 5 weeks to get your first payment.

    ", + "

    Surplus earnings

    ", + "

    If your monthly earnings are more than \u00a32,500 over the amount where your payment stopped, this becomes \u2018surplus earnings\u2019.

    ", + "

    Your surplus earnings will be carried forward to the following month, where they count towards your earnings. If your earnings (including your surplus earnings) are then still over the amount where your payment stops, you will not get a Universal Credit payment.

    ", + "

    If your earnings fall below the amount where your payment stopped, your surplus will decrease. Once your surplus has gone, you\u2019ll be able to get a Universal Credit payment again.

    ", + "

    You\u2019ll need to reclaim Universal Credit every month until your earnings have reduced enough to get another payment.

    ", + "

    You can talk to your work coach for more information about surplus earnings.

    ", + "

    The statement in your online journal will show your work allowance and when the surplus reduces.

    ", + "

    If you separate from your partner

    ", + "

    If you\u2019re part of a couple that claims Universal Credit together, any surplus earnings will be divided equally between you if you separate.

    ", + "

    You\u2019ll then need to re-apply individually, with your part of the surplus earnings counting towards your earnings.

    ", + "

    If you\u2019re a victim of domestic abuse you do not take on any surplus earnings from your partner. Talk to your work coach to make sure your partner\u2019s surplus earnings are not divided between you.

    ", + "

    If you\u2019re self-employed

    ", + "

    You can carry over a loss (as well as a surplus) to the following month. A loss will be deducted from your next month\u2019s earnings.

    ", + "

    How you're paid

    ", + "

    Universal Credit is paid once a month, usually into your bank, building society or credit union account.

    ", + "

    Your payment can include an amount for housing, which you\u2019ll usually need to pay to your landlord.

    ", + "

    If you\u2019re not able to open a bank, building society or credit union account, call the Universal Credit helpline to arrange a different way of getting paid.

    ", + "

    Find out how you\u2019ll be paid if you\u2019re in Northern Ireland.

    ", + "

    Your first payment

    ", + "

    It usually takes around 5 weeks to get your first payment.

    ", + "

    If you need help with your living costs while you wait for your first payment, you can apply for an advance.

    ", + "

    The wait before your first payment is made up of a one month assessment period and up to 7 days for the payment to reach your account.

    ", + "

    Payment dates

    ", + "

    After the first payment, you\u2019ll be paid on the same date of every month.

    ", + "

    If your payment date is on a weekend, you\u2019ll be paid on the working day before.

    ", + "

    You\u2019ll get a monthly statement that tells you how much Universal Credit you\u2019re going to get.

    ", + "

    Call the helpline straight away if your payment does not arrive on time.

    ", + "

    If you live in Scotland

    ", + "

    You can get paid once or twice a month.

    ", + "

    If you\u2019re making a new claim, you\u2019ll get a notification about how often you want to be paid. You get this after your first payment.

    ", + "

    If you\u2019re already getting Universal Credit and have not had a notification, you can ask your work coach to be paid twice a month.

    ", + "

    When you\u2019re paid twice a month your first payment will be for a full month. You\u2019ll get the first half of your second month\u2019s payment a month after this. The second half will be paid 15 days later. This means there will be about a month and a half between your first payment and the full amount for your second month.

    ", + "

    After this, you\u2019ll be paid twice a month.

    ", + "

    If you live with a partner

    ", + "

    If you both claim Universal Credit, you\u2019ll get one payment each month for your household.

    ", + "

    If you live in Scotland and you\u2019ve chosen to be paid twice monthly, you\u2019ll receive 2 payments each month for your household.

    ", + "

    Phone the Universal Credit helpline if you\u2019re worried about getting access to this money.

    ", + "

    How often you\u2019re paid can affect your Universal Credit

    ", + "

    If you\u2019re paid once a month on the same date and nothing changes in your earnings, then your Universal Credit amount should stay the same.

    ", + "

    Your Universal Credit can be affected if you receive no wages or more than one set of wages during some assessment periods. This could happen if:

    ", + "
  • you\u2019re paid weekly, every 2 weeks or every 4 weeks
  • ", + "
  • your monthly payment date changes, for example you get paid on the last working day of each month
  • ", + "

    If your monthly payment date changes

    ", + "

    You\u2019ll need to sign into your online account to check how much your next monthly payment will be. If it looks like you\u2019ll get paid too much or too little Universal Credit, ask your work coach to move your wages into another assessment period.

    ", + "

    If you\u2019re paid weekly, every 2 weeks or every 4 weeks

    ", + "

    You\u2019ll be told if your earnings are too high and whether you\u2019ll need to reapply to continue to get Universal Credit.

    ", + "How often you\u2019re paid by your employer | The impact", + "Every 4 weeks | Once a year, you\u2019ll get 2 sets of wages in one assessment period", + "Every 2 weeks | Twice a year, you\u2019ll get 3 sets of wages in one assessment period", + "Every week | Four times a year, you\u2019ll get 5 sets of wages in one assessment period", + "

    How to claim

    ", + "

    Apply for Universal Credit online.

    ", + "

    You have to apply as a couple if you and your partner live together. You do not need to be married.

    ", + "

    The Universal Credit team might phone you after you\u2019ve sent your application if they need more information or if you cannot verify your identity online.

    ", + "

    You cannot claim Universal Credit and tax credits at the same time. If you get tax credits, they will stop when you or your partner applies for Universal Credit. Check how tax credits and Universal Credit affect each other.

    ", + "

    What you need to apply

    ", + "

    You\u2019ll need:

    ", + "
  • your bank, building society or credit union account details (call the Universal Credit helpline if you do not have one)
  • ", + "
  • an email address
  • ", + "
  • information about your housing, for example how much rent you pay
  • ", + "
  • details of your income, for example payslips
  • ", + "
  • details of savings and any investments, like shares or a property that you rent out
  • ", + "
  • details of how much you pay for childcare if you\u2019re applying for help with childcare costs
  • ", + "

    If you do not provide the right information when you apply it might affect when you get paid or how much you get.

    ", + "

    You also have to verify your identity online. You\u2019ll need some proof of identity for this, for example your:

    ", + "
  • driving licence
  • ", + "
  • passport
  • ", + "
  • debit or credit card
  • ", + "

    Apply for Universal Credit online

    ", + "

    Apply now

    ", + "

    If you cannot verify your identity online

    ", + "

    The Universal Credit team will phone you to help you verify your identity.

    ", + "

    Help with your application

    ", + "

    If you need help with your application, ask straight away - the sooner you apply for Universal Credit, the sooner you get your first payment.

    ", + "

    There are 2 ways to get help with your Universal Credit application.

    ", + "

    Universal Credit helpline

    ", + "

    Contact the Universal Credit helpline if:

    ", + "
  • you cannot use digital services at all - this might be because of disability or your circumstances
  • ", + "
  • you have a question about your claim and cannot access your online claim
  • ", + "

    British Sign Language (BSL) video relay service

    ", + "

    You can use the BSL video relay service to make a claim.

    ", + "

    Find out what you need to do to use the service.

    ", + "

    The service is available Monday to Friday, 8am to 4pm.

    ", + "

    Help to Claim

    ", + "

    Help to Claim can support you in the early stages of your Universal Credit claim, from the online application, through to support with your application before your first full payment.

    ", + "

    It\u2019s a free, independent, confidential and impartial service provided by trained advisers from Citizens Advice. They can help with things like how to gather evidence for your application or how to prepare for your first Jobcentre appointment.

    ", + "

    Get Help to Claim:

    ", + "
  • if you live in England or Wales
  • ", + "
  • if you live in Scotland
  • ", + "

    After you apply

    ", + "

    The Department for Work and Pensions (DWP) will make an appointment to talk to you, either over the phone or face-to-face.

    ", + "

    If you have a disability or illness that affects your work

    ", + "

    You may need a Work Capability Assessment to see how your disability or health condition affects your ability to work.

    ", + "

    Depending on the outcome of your assessment you may be eligible for an extra amount on top of your standard allowance.

    ", + "

    Terminal illness

    ", + "

    If you\u2019re terminally ill, you may get extra money for Universal Credit.

    ", + "

    If you\u2019re making a new claim, you can declare this during your application. If you\u2019ve already made a claim, you\u2019ll need to report this as a change of circumstances.

    ", + "

    If you\u2019ve claimed Universal Credit before

    ", + "

    You can sign in to your account to make a new claim if you\u2019ve claimed Universal Credit at any time during the last 6 months.

    ", + "

    If you stopped claiming more than 6 months ago, you\u2019ll need to reapply for Universal Credit.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Get an advance on your first payment

    ", + "

    If you need help to pay your bills or cover other costs while you wait for your first Universal Credit payment, you can apply to get an advance.

    ", + "

    The most you can get as an advance is the amount of your first estimated payment.

    ", + "

    How to apply

    ", + "

    You can apply for an advance payment in your online account or through your Jobcentre Plus work coach.

    ", + "

    You\u2019ll need to:

    ", + "
  • explain why you need an advance
  • ", + "
  • verify your identity (you\u2019ll do this when you apply online or on the phone with a work coach)
  • ", + "
  • provide bank account details for the advance (talk to your work coach if you cannot open an account)
  • ", + "

    You\u2019ll usually find out the same day if you can get an advance.

    ", + "

    If you need help

    ", + "

    Call the Universal Credit helpline if you need help applying for an advance payment.

    ", + "

    How you pay back your advance

    ", + "

    You start paying it back out of your first payment.

    ", + "

    You can choose how many months you pay the advance back over, within the time limit. You must usually pay back the advance within:

    ", + "
  • 24 months if you apply on or after 12 April 2021
  • ", + "
  • 12 months if you applied before 12 April 2021
  • ", + "

    You do not pay interest on it - the total amount you pay back is the same.

    ", + "

    Read more about getting a Universal Credit advance.

    ", + "

    Your responsibilities

    ", + "

    You\u2019ll make an agreement called a \u2018Claimant Commitment\u2019 with your work coach.

    ", + "

    What you need to do depends on your situation. You might need to do activities such as:

    ", + "
  • write a CV
  • ", + "
  • look and apply for jobs
  • ", + "
  • go on training courses
  • ", + "

    You\u2019ll also need to do things like:

    ", + "
  • pay your own rent and other housing costs
  • ", + "
  • report any changes in your circumstances
  • ", + "

    If you\u2019re claiming with your partner, you\u2019ll each have a Claimant Commitment and set of responsibilities.

    ", + "

    If you have children

    ", + "

    If you\u2019re a single parent or the lead carer in a couple, your responsibilities will change as your youngest child gets older and will be tailored to your personal circumstances.

    ", + "Age of your youngest child | Your responsibilities", + "Under 1 | You do not need to look for work", + "Aged 1 | You do not need to look for work. You need to have phone appointments with your work coach to discuss plans for moving into work in the future", + "Aged 2 | You do not need to look for work. You need to have regular phone appointments with your work coach and do work preparation activities (for example, writing your CV)", + "Aged 3 or 4 | Work a maximum of 16 hours a week (or spend 16 hours a week looking for work)", + "Aged between 5 and 12 | Work a maximum of 25 hours a week (or spend 25 hours a week looking for work)", + "13 or older | Work a maximum of 35 hours a week (or spend 35 hours a week looking for work)", + "

    If you get support with childcare costs

    ", + "

    You must:

    ", + "
  • report your childcare costs when you pay them
  • ", + "
  • prove you\u2019ve paid your childcare provider
  • ", + "

    You\u2019ll need to show proof of:

    ", + "
  • your childcare provider for each child, for example an invoice or contract that includes the provider\u2019s registration number and full contact details
  • ", + "
  • the amount you paid and when you paid it, for example a receipt or bank statement
  • ", + "

    You can report childcare costs and provide proof that you\u2019ve paid by signing in to your Universal Credit account.

    ", + "

    You\u2019ll usually get the childcare amount in your next Universal Credit payment.

    ", + "

    If you pay for childcare after it\u2019s been provided, you can claim up to 3 months of past costs at a time. There may be a limit to how much you get back if you claim for more than one month\u2019s fees at a time. Talk to your work coach for advice.

    ", + "

    If you pay for childcare in advance, you can claim up to 3 months of advance costs at a time. You\u2019ll be paid back in your monthly Universal Credit payments during the months the childcare is for.

    ", + "

    If your payment is stopped or reduced

    ", + "

    If you do not meet your responsibilities or what you\u2019ve agreed in your Claimant Commitment, your Universal Credit could be stopped or reduced. This is called a sanction.

    ", + "

    There are different levels of sanctions and they\u2019re decided based on what you did and how often.

    ", + "

    You\u2019ll get half a sanction if you apply with a partner and only one of you does not meet their responsibilities.

    ", + "

    You can appeal a sanction if you think it\u2019s wrong. Citizens Advice can help with challenging a sanction.

    ", + "

    Help if your payment is stopped or reduced

    ", + "

    You can ask for a hardship payment if you cannot pay for rent, heating, food or hygiene needs because you got a sanction. You\u2019ll repay it through your Universal Credit payments - they\u2019ll be lower until you pay it back.

    ", + "

    You must be 18 or over.

    ", + "

    You\u2019ll have to show that you\u2019ve tried to:

    ", + "
  • find the money from somewhere else
  • ", + "
  • only spend money on essentials
  • ", + "

    Call the Universal Credit helpline to ask for a hardship payment.

    ", + "

    Report a change of circumstances

    ", + "

    You need to report changes to your circumstances so you keep getting the right amount each month.

    ", + "

    Changes can include:

    ", + "
  • finding or finishing a job
  • ", + "
  • having a child
  • ", + "
  • moving in with your partner
  • ", + "
  • starting to care for a child or disabled person
  • ", + "
  • changing your mobile number or email address
  • ", + "
  • moving to a new address
  • ", + "
  • changing your bank details
  • ", + "
  • your rent going up or down
  • ", + "
  • changes to your health condition
  • ", + "
  • becoming too ill to work or meet your work coach
  • ", + "
  • changes to your earnings (only if you\u2019re self-employed)
  • ", + "
  • changes to your savings, investments and how much money you have
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    How to report

    ", + "

    You can report a change of circumstances by signing in to your Universal Credit account.

    ", + "

    If you get a job or increase the hours you work

    ", + "

    Use a benefits calculator or speak with your work coach to find out how getting a job or an increase in your earnings might affect your Universal Credit claim.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    If you have a terminal illness

    ", + "

    You may get extra money if you\u2019re terminally ill.

    ", + "

    If your life expectancy is more than 6 months

    ", + "

    You\u2019ll need to report this in the same way as any other change of circumstance.

    ", + "

    If your life expectancy is less than 6 months

    ", + "

    Report the change online through your Universal Credit account. You\u2019ll be contacted about what to do next.

    ", + "

    You can also get someone else to report the change for you. They\u2019ll need to ask a doctor or healthcare professional to fill in form DS1500 (the doctor will have the form already). Either the doctor or your representative can send it to:

    ", + "

    If you\u2019ve already sent form DS1500 for Personal Independence Payment or Employment and Support Allowance, you do not need to send it again.

    ", + "

    You will not need to have a Work Capability Assessment.

    ", + "

    Other financial support

    ", + "

    If you\u2019re in financial difficulties, you can get help and advice from the government, local councils and other organisations.

    ", + "

    Advance and hardship payments

    ", + "

    If you do not have enough to live on while you wait for your first payment you can ask for an advance payment after you\u2019ve made a claim.

    ", + "

    You can also ask for a hardship payment if you cannot pay for rent, heating, food or hygiene needs because you got a sanction.

    ", + "

    You need to pay it back through your Universal Credit payments - they\u2019ll be lower until you pay it back.

    ", + "

    Alternative Payment Arrangements

    ", + "

    If you\u2019re having financial difficulties or you\u2019re behind on your rent, you or your landlord may be able to apply for an Alternative Payment Arrangement (APA).

    ", + "

    Depending on your circumstances, you could get an APA to:

    ", + "
  • get your rent paid directly to your landlord
  • ", + "
  • get paid more frequently than once a month
  • ", + "
  • receive split payments, if you\u2019re part of a couple
  • ", + "

    Speak to your work coach to apply for an APA.

    ", + "

    Budgeting Advance

    ", + "

    You might be able to get a Budgeting Advance to help with:

    ", + "
  • emergency household costs such as replacing a broken cooker
  • ", + "
  • getting a job or staying in work
  • ", + "
  • funeral costs
  • ", + "

    You\u2019ll repay it through your regular Universal Credit payments - these will be lower until you pay it back. If you stop getting Universal Credit, you\u2019ll have to repay the money in another way.

    ", + "

    How much you can borrow

    ", + "

    The smallest amount you can borrow is \u00a3100. You can get up to:

    ", + "
  • \u00a3348 if you\u2019re single
  • ", + "
  • \u00a3464 if you\u2019re part of a couple
  • ", + "
  • \u00a3812 if you have children
  • ", + "

    What you get depends on whether you have savings of over \u00a31,000 and can pay the loan back.

    ", + "

    Eligibility

    ", + "

    To get a Budgeting Advance, all of the following must apply:

    ", + "
  • you\u2019ve been getting Universal Credit, Employment and Support Allowance, Income Support, Jobseeker\u2019s Allowance or State Pension Credit for 6 months or more, unless you need the money to help you start a new job or stay in work
  • ", + "
  • you\u2019ve earned less than \u00a32,600 (\u00a33,600 together for couples) in the past 6 months
  • ", + "
  • you\u2019ve paid off any previous Budgeting Advance loans
  • ", + "

    How to apply

    ", + "

    Sign into your Universal Credit account and contact your work coach. They can tell you how to apply.

    ", + "

    Other benefits you can claim

    ", + "

    If you want to claim a benefit without your savings, your partner\u2019s savings or their income being taken into account, you can apply for either:

    ", + "
  • \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • \u2018new style\u2019 Employment and Support Allowance (ESA)
  • ", + "

    Use a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment if you\u2019re disabled.

    ", + "

    Other financial support you might get

    ", + "

    If you receive Universal Credit you may be able to get other payments too.

    ", + "

    The support you could get might be different in Scotland or Wales.

    ", + "

    Help with housing costs and bills

    ", + "

    You might be able to get:

    ", + "
  • BT Basic (or KCOM Flex Packages for the East Riding or Hull City Council local authority areas) if you have no income
  • ", + "
  • a Cold Weather Payment
  • ", + "
  • Disabled Facilities Grants
  • ", + "
  • Discretionary Housing Payments if your Universal Credit payment is not enough to pay your rent
  • ", + "
  • Energy Company Obligation (ECO) Affordable Warmth
  • ", + "
  • a reduction in your Council Tax
  • ", + "
  • WaterSure to cap your bills if you have a water meter
  • ", + "

    You can get advice on reducing your energy bills from:

    ", + "
  • Simple Energy Advice - in England and Wales
  • ", + "
  • Energy Savings Trust Scotland - in Scotland
  • ", + "
  • Bryson Energy - in Northern Ireland
  • ", + "

    Help if you\u2019re pregnant or have a child

    ", + "

    You might be able to get:

    ", + "
  • free early education for 2 year olds
  • ", + "
  • free school meals
  • ", + "
  • Healthy Start vouchers (in England and Wales) if you\u2019re pregnant or have a child under 4 years old
  • ", + "
  • Best Start Foods and a Best Start Grant (in Scotland) if you\u2019re pregnant or have a child under 4 years old
  • ", + "
  • a Sure Start Maternity Grant in England and Wales
  • ", + "
  • a Pregnancy and Baby payment in Scotland
  • ", + "

    Help with legal costs

    ", + "

    You might be able to get:

    ", + "
  • help with prison visiting costs
  • ", + "
  • help with the costs of using courts or tribunals
  • ", + "
  • legal aid
  • ", + "

    Help with other costs

    ", + "

    You might be able to get:

    ", + "
  • help with health costs, including prescriptions and dental treatment
  • ", + "
  • a Funeral Expenses Payment
  • ", + "
  • help with building up savings through Help to Save
  • ", + "

    Advice on money and debt

    ", + "

    You can get help and advice from:

    ", + "
  • your Jobcentre Plus work coach
  • ", + "
  • Citizens Advice
  • ", + "
  • Money Advice Trust
  • ", + "
  • the Money Manager tool from Money Advice Service
  • ", + "
  • My Money Steps
  • ", + "
  • National Debtline
  • ", + "
  • Shelter for help with housing and homelessness
  • ", + "
  • StepChange
  • ", + "
  • Turn2Us
  • ", + "

    Contact Universal Credit

    ", + "

    You can contact Universal Credit:

    ", + "
  • through your online account
  • ", + "
  • by calling the Universal Credit helpline
  • ", + "

    If your query is about claiming \u2018new style\u2019 benefits with Universal Credit

    ", + "

    You could get \u2018new style\u2019 Employment and Support Allowance (ESA) or \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA) at the same time or instead of Universal Credit.

    ", + "

    Apply for \u2018new style\u2019 ESA

    ", + "

    You can apply for \u2018new style\u2019 ESA online or contact the Universal Credit helpline.

    ", + "

    Apply for \u2019new style\u2019 JSA

    ", + "

    You can apply for \u2018new style\u2019 JSA online or contact the Jobcentre Plus helpline.

    ", + "

    If you have a query about an existing claim for \u2018new style\u2019 ESA or JSA

    ", + "

    Contact the Jobcentre Plus helpline.

    " + ] + }, + { + "title": "Pension Credit", + "url": "https://www.gov.uk/pension-credit", + "contents": [ + "

    Overview

    ", + "

    Pension Credit gives you extra money to help with your living costs if you\u2019re over State Pension age and on a low income. Pension Credit can also help with housing costs such as ground rent or service charges.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You might get extra help if you\u2019re a carer, severely disabled, or responsible for a child or young person.

    ", + "

    Pension Credit is separate from your State Pension.

    ", + "

    You can get Pension Credit even if you have other income, savings or own your own home.

    ", + "

    This guide covers Pension Credit in England, Scotland and Wales. Find out about Pension Credit in Northern Ireland.

    ", + "

    Other help if you get Pension Credit

    ", + "

    If you get Pension Credit you can also get other help, such as:

    ", + "
  • Housing Benefit if you rent the property you live in
  • ", + "
  • Support for Mortgage Interest if you own the property you live in
  • ", + "
  • Council Tax Reduction
  • ", + "
  • a free TV licence if you\u2019re aged 75 or over
  • ", + "
  • help with NHS dental treatment, glasses and transport costs for hospital appointments
  • ", + "
  • help with your heating costs
  • ", + "

    Eligibility

    ", + "

    You must live in England, Scotland or Wales and have reached State Pension age to qualify for Pension Credit.

    ", + "

    Find out about Pension Credit in Northern Ireland.

    ", + "

    If you have a partner

    ", + "

    You must include your partner on your application.

    ", + "

    You\u2019ll be eligible if either:

    ", + "
  • you and your partner have both reached State Pension age
  • ", + "
  • one of you is getting Housing Benefit for people over State Pension age
  • ", + "

    A partner is either:

    ", + "
  • your husband, wife or civil partner - if you live with them
  • ", + "
  • someone you live with as a couple, without being married or in a civil partnership
  • ", + "

    Your income

    ", + "

    When you apply for Pension Credit your income is calculated. If you have a partner, your income is calculated together.

    ", + "

    Pension Credit tops up:

    ", + "
  • your weekly income to \u00a3177.10 if you\u2019re single
  • ", + "
  • your joint weekly income to \u00a3270.30 if you have a partner
  • ", + "

    If your income is higher, you might still be eligible for Pension Credit if you have a disability, you care for someone, you have savings or you have housing costs.

    ", + "

    What counts as income

    ", + "

    Your income includes:

    ", + "
  • State Pension
  • ", + "
  • other pensions
  • ", + "
  • earnings from employment and self-employment
  • ", + "
  • most social security benefits, for example Carer\u2019s Allowance
  • ", + "

    What does not count as income

    ", + "

    Not all benefits are counted as income. For example, the following are not counted:

    ", + "
  • Attendance Allowance
  • ", + "
  • Christmas Bonus
  • ", + "
  • Child Benefit
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Personal Independence Payment
  • ", + "
  • social fund payments like Winter Fuel Allowance
  • ", + "
  • Housing Benefit
  • ", + "
  • Council Tax Reduction
  • ", + "

    If you\u2019ve deferred your pension

    ", + "

    If you\u2019re entitled to a personal or workplace pension and you have not claimed it yet, the amount you\u2019d expect to get still counts as income.

    ", + "

    If you\u2019ve deferred your State Pension, the amount of State Pension you would get is counted as income.

    ", + "

    You cannot build up extra amounts for deferring your State Pension if you or your partner are getting Pension Credit.

    ", + "

    Your savings and investments

    ", + "

    If you have \u00a310,000 or less in savings and investments this will not affect your Pension Credit.

    ", + "

    If you have more than \u00a310,000, every \u00a3500 over \u00a310,000 counts as \u00a31 income a week. For example, if you have \u00a311,000 in savings, this counts as \u00a32 income a week.

    ", + "

    Contact the Pension Service helpline if your circumstances change.

    ", + "

    What you'll get

    ", + "

    Pension Credit tops up:

    ", + "
  • your weekly income to \u00a3177.10 if you\u2019re single
  • ", + "
  • your joint weekly income to \u00a3270.30 if you have a partner
  • ", + "

    You may get extra amounts if you have other responsibilities and costs.

    ", + "

    The top up and extra amounts are known as \u2018Guarantee Credit\u2019.

    ", + "

    If you have a severe disability

    ", + "

    You could get an extra \u00a367.30 a week if you get any of the following:

    ", + "
  • Attendance Allowance
  • ", + "
  • the middle or highest rate care component of Disability Living Allowance (DLA)
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • Armed Forces Independence Payment
  • ", + "

    If you care for another adult

    ", + "

    You could get an extra \u00a337.70 a week if:

    ", + "
  • you get Carer\u2019s Allowance
  • ", + "
  • you\u2019ve claimed Carer\u2019s Allowance but are not being paid because you already get another benefit paying a higher amount
  • ", + "

    If you and your partner have both claimed or are getting Carer\u2019s Allowance, you can both get this extra amount.

    ", + "

    If you\u2019re responsible for children or young people

    ", + "

    You could get an extra \u00a354.60 a week for each child or young person you\u2019re responsible for. This is increased to \u00a365.10 a week for the first child if they were born before 6 April 2017.

    ", + "

    The child or young person must normally live with you and be under the age of 20.

    ", + "

    If they\u2019re 16 or over and under 20, they must be in (or accepted for):

    ", + "
  • approved training, such as Foundation Apprenticeships
  • ", + "
  • a course of non-advanced education (for example, they\u2019re studying for GCSEs or A levels)
  • ", + "

    If they\u2019re in education, it must be for more than 12 hours a week on average.

    ", + "

    If you get Tax Credits, you cannot get this extra amount of Pension Credit for caring for a child. But you might be eligible for Child Tax Credits.

    ", + "

    If the child or young person is disabled

    ", + "

    If the child or young person is disabled, you could also get an extra amount of either:

    ", + "
  • \u00a329.66 a week if they get DLA or PIP
  • ", + "
  • \u00a392.54 a week if they\u2019re blind or they get the highest rate care component of DLA, or the enhanced daily living component of PIP
  • ", + "

    If you have housing costs

    ", + "

    You could get an extra amount to cover your housing costs, such as:

    ", + "
  • ground rent if your property is a leasehold
  • ", + "
  • some service charges
  • ", + "
  • charges for tents and site rents
  • ", + "

    The amount you could get depends on your housing costs.

    ", + "

    If you get Pension Credit, you could also be eligible for:

    ", + "
  • Council Tax Reduction
  • ", + "
  • Housing Benefit if you rent the property you live in
  • ", + "
  • Support for Mortgage Interest if you own the property you live in
  • ", + "

    If you have savings or a second pension

    ", + "

    You could get the \u2018Savings Credit\u2019 part of Pension Credit if both of the following apply:

    ", + "
  • you reached State Pension age before 6 April 2016
  • ", + "
  • you saved some money for retirement, for example a personal or workplace pension
  • ", + "

    You\u2019ll get up to \u00a314.04 Savings Credit a week if you\u2019re single. If you have a partner, you\u2019ll get up to \u00a315.71 a week.

    ", + "

    You might still get some Savings Credit even if you do not get the Guarantee Credit part of Pension Credit.

    ", + "

    Other help if you get Pension Credit

    ", + "

    If you get Pension Credit you\u2019ll automatically get cold weather payments.

    ", + "

    You\u2019ll also be eligible to:

    ", + "
  • get help with NHS costs, such as prescriptions, dental treatment, glasses and transport costs for hospital appointments
  • ", + "
  • apply for a free TV licence if you\u2019re aged 75 or over
  • ", + "

    Find out how much you could get

    ", + "

    Use the Pension Credit calculator to work out how much you might get.

    ", + "

    Contact the Pension Service helpline if you\u2019re not sure whether you\u2019re eligible for extra amounts.

    ", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are paid into an account, for example a bank account.

    ", + "

    How to claim

    ", + "

    You can start your application up to 4 months before you reach State Pension age.

    ", + "

    You can apply any time after you reach State Pension age but your application can only be backdated by 3 months. This means you can get up to 3 months of Pension Credit in your first payment if you were eligible during that time.

    ", + "

    Information you\u2019ll need

    ", + "

    You\u2019ll need the following information about you and your partner if you have one:

    ", + "
  • National Insurance number
  • ", + "
  • information about any income, savings and investments you have
  • ", + "
  • information about your income, savings and investments on the date you want to backdate your application to (usually 3 months ago or the date you reached State Pension age)
  • ", + "

    You\u2019ll also need your bank account details if you\u2019re applying by phone or by post.

    ", + "

    Apply online

    ", + "

    You can use the online service if:

    ", + "
  • you have already claimed your State Pension
  • ", + "
  • there are no children or young people included in your application
  • ", + "

    Apply now

    ", + "

    Apply by phone

    ", + "

    A friend or family member can call for you if you cannot use the phone.

    ", + "

    Apply by post

    ", + "

    To apply by post, print out and fill in the Pension Credit claim form or call the claim line to request a form.

    ", + "

    Send the claim form to the Pension Service, or ask someone to do it for you.

    ", + "

    Contact a voluntary organisation like Citizens Advice or Age UK if you need help with the form.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your Pension Credit application. This is called asking for mandatory reconsideration.

    ", + "

    Report a change of circumstances

    ", + "

    You need to report changes to you and your partner\u2019s personal and financial circumstances.

    ", + "

    Your claim might be stopped or reduced if you do not report a change straight away. Some changes will increase the amount of Pension Credit you could get.

    ", + "

    Changes to your personal circumstances

    ", + "

    A change of personal circumstances can include:

    ", + "
  • moving to a new address
  • ", + "
  • starting or stopping living with a partner
  • ", + "
  • the death of a partner who is named on your claim
  • ", + "
  • starting or stopping work
  • ", + "
  • going into hospital or a care home
  • ", + "
  • people moving in or out of your house
  • ", + "
  • changing your name
  • ", + "
  • switching your bank account
  • ", + "
  • changes to your Post Office card account
  • ", + "
  • leaving England, Scotland and Wales for any period (for example, going on holiday)
  • ", + "
  • you start or stop looking after a child or young person under the age of 20
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    Changes to your financial circumstances

    ", + "

    You also need to report if your income or expenses change. This can include changes to:

    ", + "
  • housing costs, for example ground rent or service charges
  • ", + "
  • benefits that anyone living in your home gets - including getting a new benefit or a benefit being stopped
  • ", + "
  • occupational or personal pensions - including if you start to get a new pension or take a lump sum out of your pension pot
  • ", + "
  • other income, for example foreign pensions or Working Tax Credits
  • ", + "
  • savings, investments or property
  • ", + "

    Call the Pension Credit helpline if you\u2019re not sure if you need to report a change.

    ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    How to report a change

    ", + "

    You can also report by post. The address is on the letters you get about your Pension Credit.

    ", + "

    Living with a partner under State Pension age

    ", + "

    You will stop getting Pension Credit if you start living with a partner who is under State Pension age. You can start getting it again when your partner reaches State Pension age.

    ", + "

    If you were living with a partner under State Pension age before 15 May 2019 and getting Pension Credit, you\u2019ll keep getting it unless you stop being eligible. If this happens, you usually won\u2019t be able to get Pension Credit again until you and your partner are both eligible.

    ", + "

    If you cannot get Pension Credit, you might be entitled to Universal Credit instead, but you and your partner cannot get both at the same time. If one of you starts getting Universal Credit you\u2019ll stop being eligible for Pension Credit.

    ", + "

    If you have an Assessed Income Period (AIP)

    ", + "

    An AIP is a period of time when you do not have to report changes to your pensions, savings or investments.

    ", + "

    If you have an AIP you must still report all other changes to your personal circumstances.

    ", + "

    Your Pension Credit award letter will tell you if you have an AIP. You may have one if you\u2019re aged 75 or over and you started getting Pension Credit before 6 April 2016.

    ", + "

    Your AIP will end if your household circumstances change, for example if you move into a care home or if you become a member of a couple.

    ", + "

    You\u2019ll get a letter saying your AIP has ended. From then on, you must report all changes to your circumstances, including changes to your pensions, savings or investments.

    ", + "

    Call the Pension Service helpline if you\u2019re not sure if you need to report a change.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    " + ] + }, + { + "title": "Help with moving from benefits to work", + "url": "https://www.gov.uk/moving-from-benefits-to-work", + "contents": [ + "

    Overview

    ", + "

    Get support from Jobcentre Plus to help you prepare for, find and stay in work, including:

    ", + "
  • training, guidance and work placement programmes
  • ", + "
  • work experience, volunteering and job trialling schemes
  • ", + "
  • help with starting your own business
  • ", + "
  • help combining work with looking after children or caring responsibilities
  • ", + "
  • extra help for specific problems
  • ", + "

    You may also be able to keep getting some benefits once you start working.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Support for disabled people

    ", + "

    Speak to your local Jobcentre Plus if you\u2019re disabled or have a long-term health condition. They can help you find a job or gain new skills, and tell you about specific programmes to help you back into work.

    ", + "

    You might be able to get an Access to Work grant to pay for:

    ", + "
  • special equipment, adaptations or support worker services to help you do things like answer the phone or go to meetings
  • ", + "
  • help getting to and from work
  • ", + "
  • mental health support
  • ", + "
  • communication support at a job interview (for example, a British Sign Language interpreter or a lipspeaker)
  • ", + "

    Job search programmes

    ", + "

    Your Jobcentre Plus work coach can give you more information about programmes that can help you prepare for, find and stay in work.

    ", + "

    If you live in Scotland, you can also get help from Fair Start Scotland.

    ", + "

    Work Programme

    ", + "

    The Work Programme stopped taking new participants on 1 April 2017. If you\u2019re already taking part, you can continue to do so for up to 2 years from the date you joined.

    ", + "

    You\u2019ll have to attend an assessment interview with Jobcentre Plus if you\u2019ve been on the Work Programme for 2 years. The interview will help you plan, prepare and find work.

    ", + "

    Help for specific types of work

    ", + "

    Sector-based work academies offer training and work experience for up to 6 weeks in a particular industry or area of work.

    ", + "

    Most academies also offer a guaranteed interview for a job or an apprenticeship.

    ", + "

    They\u2019re available to you if you\u2019re claiming any of the following because you\u2019re unemployed:

    ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Employment and Support Allowance (if you\u2019re in the Work-Related Activity Group)
  • ", + "
  • Universal Credit
  • ", + "

    Work clubs

    ", + "

    Anyone who\u2019s unemployed can join a Work Club. They\u2019re run by local organisations like employers and community groups, and give you the chance to share knowledge, experience and job hunting tips.

    ", + "

    Work experience and volunteering

    ", + "

    Contact Jobcentre Plus to find out about opportunities that can improve your chances of finding work, including work experience, volunteering and work trials.

    ", + "

    You might be able to get help with costs like childcare and travel.

    ", + "

    Work experience

    ", + "

    If you\u2019re getting Jobseeker\u2019s Allowance (JSA) or Universal Credit, you can get work experience through Jobcentre Plus.

    ", + "

    Work experience can last between 2 and 8 weeks, and you\u2019ll normally be expected to work between 25 and 30 hours a week. You\u2019ll carry on getting your JSA or Universal Credit payment as long as you continue to look for work.

    ", + "

    You may also be able to get help from Jobcentre Plus for costs related to work experience, for example for travel or childcare.

    ", + "

    Work Together (volunteering)

    ", + "

    If you\u2019re unemployed and looking for work, you can volunteer with a local organisation through the Work Together programme. Your Jobcentre Plus work coach will help you to find a volunteering opportunity.

    ", + "

    Work trials

    ", + "

    A work trial gives you the chance to try out a job and keep getting benefits. It can last up to 30 working days, and you might get offered a job at the end.

    ", + "

    Work trials are voluntary, and your benefits will not be affected if you finish early or turn down a job you\u2019re offered.

    ", + "

    Your Jobcentre Plus can arrange a work trial for you, or you can ask them about how to do this yourself.

    ", + "

    Employment on Trial

    ", + "

    Employment on Trial allows you to leave a job and start claiming JSA again without this affecting your benefit (unless you\u2019re sacked or leave because of misconduct).

    ", + "

    You must have worked more than 16 hours a week for between 4 and 12 weeks before leaving the job.

    ", + "

    Starting or running your own business

    ", + "

    You may be able to get New Enterprise Allowance to help you:

    ", + "
  • start your own business
  • ", + "
  • develop your business, if you\u2019re already self-employed
  • ", + "

    Starting your own business

    ", + "

    You could get mentoring and an allowance to help you start your own business through New Enterprise Allowance.

    ", + "

    You may be eligible if you\u2019re over 18 and either:

    ", + "
  • you or your partner get Universal Credit, Jobseeker\u2019s Allowance or Employment and Support Allowance
  • ", + "
  • you get Income Support and you\u2019re a lone parent, sick or disabled
  • ", + "

    What you\u2019ll get

    ", + "

    You\u2019ll get a mentor who\u2019ll give you advice and support to help you set up your business and start to trade.

    ", + "

    Once you\u2019ve made a business plan that your mentor has approved, you:

    ", + "
  • may get a weekly allowance worth up to \u00a31,274 over 26 weeks
  • ", + "
  • can apply for a loan to help with start-up costs
  • ", + "

    How to get New Enterprise Allowance

    ", + "

    Talk to your Jobcentre Plus work coach. They\u2019ll check your business idea and help you if you\u2019re eligible.

    ", + "

    Developing your business

    ", + "

    If you\u2019re self-employed and getting Universal Credit, you may be able to:

    ", + "
  • get a mentor who\u2019ll give you advice and support to help you develop your business
  • ", + "
  • apply for a start-up loan if your business is less than 2 years old
  • ", + "

    To find out if you\u2019re eligible for New Enterprise Allowance, contact your work coach by signing in to your Universal Credit account.

    ", + "

    If you\u2019re disabled or you have a health condition

    ", + "

    You may be able to get extra support through an Access to Work grant.

    ", + "

    Help for parents and carers

    ", + "

    Your Jobcentre Plus work coach can tell you about support you can get to help you combine work with looking after children or caring responsibilities.

    ", + "

    Help for parents

    ", + "

    Parents can get help with childcare costs when moving from benefits to work.

    ", + "

    Help for carers

    ", + "

    Work Preparation Support for Carers provides help and support for you to make a successful move into work, including access to training and advice on job hunting and applications.

    ", + "

    You might be able to get help with the cost of replacement care while you take part in training or attend interviews.

    ", + "

    Help with drug and alcohol problems

    ", + "

    You may be able to get extra support if you have drug or alcohol problems that are stopping you working.

    ", + "

    Your Jobcentre Plus work coach can tell you about the help available from specialist drugs or alcohol treatment professionals in your area, and refer you to their services if you want.

    ", + "

    This help is available to anyone getting benefits.

    ", + "

    Support when you start working

    ", + "

    Going back to work does not mean giving up all your benefits. Some benefits may carry on, and others may be available once you\u2019re working.

    ", + "

    Contact Jobcentre Plus if you\u2019ve found a job and you or your partner have been getting:

    ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Employment and Support Allowance
  • ", + "
  • Income Support
  • ", + "
  • Universal Credit
  • ", + "

    Your Jobcentre Plus work coach will help you to manage your move into work, and sort out changes to your other benefits, including tax credits. What you can get will depend on how long you were claiming these benefits without a break.

    ", + "

    You do not have to fill in any forms, but make sure you have details of your income, savings and any rent payments to hand.

    ", + "

    Use a benefits calculator to see how starting a job or increasing your working hours affects your benefits.

    ", + "

    Help with housing

    ", + "

    Depending on how long you have been claiming benefits, you may be able to get:

    ", + "
  • Mortgage Interest Run On
  • ", + "
  • Extended Payment of Housing Benefit
  • ", + "

    These payments provide help for up to 4 weeks when you start a new job and begin earning a wage. You may also be able to get extended reductions on your Council Tax.

    ", + "

    If you\u2019re disabled or you have a health condition

    ", + "

    You may be able to get extra support through an Access to Work grant.

    " + ] + }, + { + "title": "Get support in work if you have a disability or health condition (Access to Work)", + "url": "https://www.gov.uk/access-to-work", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re disabled or have a physical or mental health condition that makes it hard for you to do your job, you can:

    ", + "
  • talk to your employer about changes they must make in your workplace
  • ", + "
  • get extra help from Access to Work, including mental health support
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Talk to your employer about changes they must make in your workplace

    ", + "

    Your employer must make certain changes (known as \u2018reasonable adjustments\u2019) to make sure you\u2019re not substantially disadvantaged when doing your job. These could include changing your working hours or providing equipment to help you do your job.

    ", + "

    You should talk to your employer about reasonable adjustments before you apply for Access to Work.

    ", + "

    Get help from Access to Work

    ", + "

    If the help you need at work is not covered by your employer making reasonable adjustments, you may be able to get help from Access to Work.

    ", + "

    You need to have a paid job, or be about to start or return to one.

    ", + "

    You\u2019ll be offered support based on your needs, which may include a grant to help cover the costs of practical support in the workplace. Your workplace can include your home if you work from there some or all of the time.

    ", + "

    An Access to Work grant can pay for:

    ", + "
  • special equipment, adaptations or support worker services to help you do things like answer the phone or go to meetings
  • ", + "
  • help getting to and from work
  • ", + "

    You might not get a grant if you already get certain benefits.

    ", + "

    The money does not have to be paid back and will not affect your other benefits.

    ", + "

    There\u2019s a different system in Northern Ireland.

    ", + "

    Get mental health support

    ", + "

    You can apply for Access to Work to get mental health support, or contact a Mental Health Support Service provider directly.

    ", + "

    Eligibility

    ", + "

    To get help from Access to Work you must:

    ", + "
  • have a disability or health condition (physical or mental) that makes it hard for you to do parts of your job or get to and from work
  • ", + "
  • be 16 or over
  • ", + "
  • live in England, Scotland or Wales - there\u2019s a different system in Northern Ireland
  • ", + "

    You also need to have a paid job, or be about to start or return to one. A paid job could include:

    ", + "
  • self-employment
  • ", + "
  • an apprenticeship
  • ", + "
  • a work trial or work experience
  • ", + "
  • an internship
  • ", + "

    You cannot get a grant for voluntary work.

    ", + "

    Your job must be based in England, Scotland or Wales.

    ", + "

    You cannot get Access to Work if you live in the Channel Islands or the Isle of Man.

    ", + "

    If you get other benefits

    ", + "

    Certain benefits may affect whether you can get an Access to Work grant.

    ", + "

    Universal Credit, Jobseeker\u2019s Allowance or Income Support

    ", + "

    You can still get help from Access to Work if you work more than one hour a week.

    ", + "

    Employment and Support Allowance

    ", + "

    You can only get help from Access to Work if you\u2019re doing \u2018permitted work\u2019. It\u2019s permitted work if all of the following apply:

    ", + "
  • you earn up to \u00a3143 a week
  • ", + "
  • you work less than 16 hours a week
  • ", + "
  • it\u2019s been agreed with your work coach
  • ", + "

    What you'll get

    ", + "

    You\u2019ll be offered support based on your needs. This may include a grant to help cover the costs of travel to and from work or practical support in the workplace. Your workplace can include your home if you work from there some or all of the time.

    ", + "

    The grant can help pay for items or services you need, including:

    ", + "
  • adaptations to the equipment you use
  • ", + "
  • special equipment or software
  • ", + "
  • British Sign Language interpreters and video relay service support, lip speakers or note takers
  • ", + "
  • adaptations to your vehicle so you can get to work
  • ", + "
  • taxi fares to work or a support worker if you cannot use public transport - for example, if you use a wheelchair and your journey includes a train station that does not have ramps
  • ", + "
  • taxi fares to work or a support worker if you cannot use public transport safely because of coronavirus (COVID-19) - for example, if you\u2019re blind and because of this you\u2019re unable to stay apart from other people
  • ", + "
  • a support worker or job coach to help you in your workplace
  • ", + "
  • personal protective equipment for your support worker, if you employ them yourself
  • ", + "
  • disability awareness training for your colleagues
  • ", + "
  • the cost of moving your equipment if you change location or job
  • ", + "

    Access to Work can also help assess whether your needs can be met through reasonable adjustments by your employer.

    ", + "

    Mental health support

    ", + "

    You can get confidential support and advice from a trained healthcare professional from the Mental Health Support Service. You do not need to have a diagnosed condition to use the service.

    ", + "

    You do not have to get Access to Work to get support from the Mental Health Support Service, but you must be eligible.

    ", + "

    To get mental health support you can apply for Access to Work. You can also contact one of the Mental Health Support Service providers directly. They are:

    ", + "
  • Able Futures
  • ", + "
  • Remploy
  • ", + "

    How your Access to Work grant is paid

    ", + "

    You or your employer will buy the items or services you need.

    ", + "

    Access to Work will pay the money back, up to the amount of the grant you\u2019ve been offered and with any contributions (such as employer or NHS contributions) deducted.

    ", + "

    What Access to Work will not cover

    ", + "

    You will not get an Access to Work grant to pay for:

    ", + "
  • changes that your employer has to make (reasonable adjustments)
  • ", + "
  • items that would normally be needed to do the job whether a person is disabled or not
  • ", + "
  • support that your employer used to provide but has stopped
  • ", + "

    Apply

    ", + "

    Check you\u2019re eligible before you apply.

    ", + "

    You can apply for Access to Work online or by phone.

    ", + "

    You\u2019ll need to provide:

    ", + "
  • your workplace address and postcode
  • ", + "
  • the name of a workplace contact who can authorise your Access to Work payments
  • ", + "
  • your workplace contact\u2019s email address or work phone number
  • ", + "
  • your unique tax reference number (if you\u2019re self-employed)
  • ", + "

    You\u2019ll also need to explain:

    ", + "
  • how your condition affects you at work or getting to work
  • ", + "
  • what help you\u2019re already getting
  • ", + "
  • what else could help you
  • ", + "

    It will help your application if you\u2019ve spoken to your employer about reasonable adjustments before you apply for Access to Work.

    ", + "

    Apply online

    ", + "

    Apply by phone

    ", + "

    You can apply by calling the Access to Work helpline. Make sure you have all the necessary details with you when you call.

    ", + "

    British Sign Language (BSL) video relay service

    ", + "

    To use this you must:

    ", + "
  • first check you can use the service
  • ", + "
  • go to the video relay service
  • ", + "

    Monday to Friday, 9am to 5pm

    ", + "

    Alternative formats

    ", + "

    Call the Access to Work number to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    Complaints

    ", + "

    You can contact Access to Work to complain if you are not happy with how your case has been handled.

    ", + "

    After you've applied

    ", + "

    Once you\u2019ve applied, an Access to Work adviser will contact you to discuss what help you could get.

    ", + "

    An adviser may also contact your employer to discuss how Access to Work can support you. They will not contact your employer until they\u2019ve agreed this with you first.

    ", + "

    An assessor may visit your workplace to assess your needs.

    ", + "

    You may get an offer of support, which could include a grant. If it does, you\u2019ll be told how much you\u2019ll get and for how long.

    ", + "

    Renew

    ", + "

    If your Access to Work grant is ending soon, you need to apply to renew it. You can apply up to 12 weeks before the date it ends.

    ", + "

    Check you\u2019re still eligible before you apply.

    ", + "

    You can apply online or by phone.

    ", + "

    You\u2019ll need to provide your:

    ", + "
  • name
  • ", + "
  • address
  • ", + "
  • date of birth
  • ", + "
  • unique reference number (if you know it)
  • ", + "

    After you apply, an Access to Work adviser will contact you. They may request further information about your condition.

    ", + "

    They\u2019ll also contact your employer.

    ", + "

    If you\u2019re offered a new grant, you\u2019ll be told how much you\u2019ll get and for how long.

    ", + "

    Renew online

    ", + "

    Renew by phone

    ", + "

    You can apply by calling the Access to Work helpline. Make sure you have all the necessary details with you when you call.

    ", + "

    British Sign Language (BSL) video relay service

    ", + "

    To use this you must:

    ", + "
  • first check you can use the service
  • ", + "
  • go to the video relay service
  • ", + "

    Monday to Friday, 9am to 5pm

    ", + "

    Alternative formats

    ", + "

    Call the Access to Work number to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    Complaints

    ", + "

    You can contact Access to Work to complain if you are not happy with how your case has been handled.

    ", + "

    Report a change of circumstances

    ", + "

    If you\u2019re getting support from Access to Work you need to report changes to:

    ", + "
  • your disability or health condition (physical or mental)
  • ", + "
  • your home or work address - if you get travel to work support
  • ", + "
  • your employer, job role or working pattern
  • ", + "

    You\u2019ll also need to tell Access to Work if your contact details change. For example, if you get a new phone number.

    ", + "

    To report a change call the Access to Work helpline.

    ", + "

    British Sign Language (BSL) video relay service

    ", + "

    To use this you must:

    ", + "
  • first check you can use the service
  • ", + "
  • go to the video relay service
  • ", + "

    Monday to Friday, 9am to 5pm

    " + ] + }, + { + "title": "Get help with savings if you\u2019re on a low income (Help to Save)", + "url": "https://www.gov.uk/get-help-savings-low-income", + "contents": [ + "

    How it works

    ", + "

    Help to Save is a type of savings account. It allows certain people entitled to Working Tax Credit or receiving Universal Credit to get a bonus of 50p for every \u00a31 they save over 4 years.

    ", + "

    Help to Save is backed by the government so all savings in the scheme are secure.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    How payments work

    ", + "

    You can save between \u00a31 and \u00a350 each calendar month. You do not have to pay money in every month.

    ", + "

    You can pay money into your Help to Save account by debit card, standing order or bank transfer.

    ", + "

    You can pay in as many times as you like, but the most you can pay in each calendar month is \u00a350. For example, if you have saved \u00a350 by 8 January you will not be able to pay in again until 1 February.

    ", + "

    You can only withdraw money from your Help to Save account to your bank account.

    ", + "

    How bonuses work

    ", + "

    You get bonuses at the end of the second and fourth years. They\u2019re based on how much you\u2019ve saved.

    ", + "

    What happens after 4 years

    ", + "

    Your Help to Save account will close 4 years after you open it. You will not be able to reopen it or open another Help to Save account. You\u2019ll be able to keep the money from your account.

    ", + "

    You can close your account at any time. If you close your account early you\u2019ll miss your next bonus and you will not be able to open another one.

    ", + "

    Sign in

    ", + "

    Sign in to your Help to Save account if you already have one.

    ", + "

    What you\u2019ll get

    ", + "

    You can earn 2 tax-free bonuses over 4 years. You\u2019ll get any bonuses you\u2019ve earned even if you withdraw money.

    ", + "

    After your first 2 years, you\u2019ll get a first bonus if you\u2019ve been using your account to save. This bonus will be 50% of the highest balance you\u2019ve saved.

    ", + "

    After 4 years, you\u2019ll get a final bonus if you continue to save. This bonus will be 50% of the difference between 2 amounts:

    ", + "
  • the highest balance saved in the first 2 years (years 1 and 2)
  • ", + "
  • the highest balance saved in the last 2 years (years 3 and 4)
  • ", + "

    If your highest balance does not increase, you will not earn a final bonus.

    ", + "

    The most you can pay into your account each calendar month is \u00a350, which is \u00a32,400 over 4 years. The most you can earn from your savings in 4 years is \u00a31,200 in bonus money.

    ", + "

    Your bonus is paid into your bank account, not your Help to Save account.

    ", + "

    What happens if you withdraw money

    ", + "

    If you withdraw money it will be harder for you to:

    ", + "
  • grow your highest balance
  • ", + "
  • earn the largest possible bonuses
  • ", + "

    Withdrawing money could mean you are not able to earn a final bonus - depending on how much you withdraw and when.

    ", + "

    Eligibility

    ", + "

    You can open a Help to Save account if you\u2019re any of the following:

    ", + "
  • receiving Working Tax Credit
  • ", + "
  • entitled to Working Tax Credit and receiving Child Tax Credit
  • ", + "
  • claiming Universal Credit and you (with your partner if it\u2019s a joint claim) earned \u00a3617.73 or more from paid work in your last monthly assessment period
  • ", + "

    If you get payments as a couple, you and your partner can apply for your own Help to Save accounts. You need to apply separately.

    ", + "

    You also need to be living in the UK. If you live overseas, you can apply for an account if you\u2019re either a:

    ", + "
  • Crown servant or their spouse or civil partner
  • ", + "
  • member of the British armed forces or their spouse or civil partner
  • ", + "

    If you stop claiming benefits

    ", + "

    You can keep using your Help to Save account.

    ", + "

    How it will affect your benefits

    ", + "

    Saving money though a Help to Save account could affect your eligibility for certain benefits and how much you get.

    ", + "

    Universal Credit

    ", + "

    If you or your partner have \u00a36,000 or less in personal savings this will not affect how much Universal Credit you get. This includes any savings in your Help to Save account.

    ", + "

    Your Help to Save bonuses will not affect your Universal Credit payments.

    ", + "

    Working Tax Credit

    ", + "

    Any savings or bonuses you earn through Help to Save will not affect how much Working Tax Credit you get.

    ", + "

    Housing Benefit

    ", + "

    If you or your partner have \u00a36,000 or less in personal savings this will not affect how much Housing Benefit you get. This includes any savings in your Help to Save account.

    ", + "

    Your Help to Save bonuses will not affect your Housing Benefit payments.

    ", + "

    How to apply

    ", + "

    You need a Government Gateway user ID and password to apply. If you do not have a user ID, you can create one when you apply.

    ", + "

    You\u2019ll be asked to provide your UK bank details when you apply.

    ", + "

    Apply now

    ", + "

    Sign in

    ", + "

    Sign in to your Help to Save account if you already have one.

    " + ] + }, + { + "title": "Budgeting Loans", + "url": "https://www.gov.uk/budgeting-help-benefits", + "contents": [ + "

    How they work

    ", + "

    A Budgeting Loan can help pay for:

    ", + "
  • furniture or household items (for example, washing machines or other \u2018white goods\u2019)
  • ", + "
  • clothes or footwear
  • ", + "
  • rent in advance
  • ", + "
  • costs linked to moving house
  • ", + "
  • maintenance, improvements or security for your home
  • ", + "
  • travelling costs within the UK
  • ", + "
  • costs linked to getting a new job
  • ", + "
  • maternity costs
  • ", + "
  • funeral costs
  • ", + "
  • repaying hire purchase loans
  • ", + "
  • repaying loans taken for the above items
  • ", + "

    Crisis Loans are not available any more.

    ", + "

    You may be eligible for a Budgeting Loan if you\u2019ve been on certain benefits for 6 months.

    ", + "

    You only have to pay back the amount you borrow, and repayments are taken automatically from your benefits.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Check if you're eligible

    ", + "

    To get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "

    If you moved from Universal Credit to Pension Credit, any time spent claiming Universal Credit will count towards the 6 months.

    ", + "

    You cannot get a Budgeting Loan if:

    ", + "
  • you are currently claiming Universal Credit - apply for a Budgeting Advance instead
  • ", + "
  • you\u2019re involved in industrial action (for example, a strike, walkout or lockout)
  • ", + "
  • you owe more than \u00a31,500 in total for Crisis Loans and Budgeting Loans
  • ", + "

    If you live in Northern Ireland, go to Budgeting Loans in Northern Ireland.

    ", + "

    What you could get

    ", + "

    The lowest amount you can borrow is \u00a3100. You could get up to:

    ", + "
  • \u00a3348 if you\u2019re single
  • ", + "
  • \u00a3464 if you have a partner
  • ", + "
  • \u00a3812 if you or your partner claim Child Benefit
  • ", + "

    How much you could get depends on whether you:

    ", + "
  • can pay the loan back
  • ", + "
  • have savings of more than \u00a31,000 (\u00a32,000 if you or your partner are 63 or over)
  • ", + "
  • are paying back an existing Budgeting Loan or Crisis Loan
  • ", + "

    Paying back the loan

    ", + "

    A Budgeting Loan is interest free so you only pay back what you borrow.

    ", + "

    The repayments will be taken automatically from your benefits. The amount you repay is based on your income - including any benefits you receive - and what you can afford.

    ", + "

    After you apply for a Budgeting Loan, you\u2019ll get an email, text or letter telling you if you\u2019ve been offered a loan. This explains how much your weekly repayments will be if you accept the loan.

    ", + "

    You normally have to repay the loan within 2 years (104 weeks). If you stop getting benefits, you\u2019ll need to arrange another way to repay.

    ", + "

    Apply

    ", + "

    Check you\u2019re eligible before you apply.

    ", + "

    If you get Universal Credit you cannot get a Budgeting Loan. You\u2019ll need to apply for a Budgeting Advance\u00a0instead.

    ", + "

    You can apply online or using the paper form. It\u2019s quicker to apply online.

    ", + "

    Apply online

    ", + "

    When you apply online, you can choose to get a decision on your loan by either:

    ", + "
  • email
  • ", + "
  • text message
  • ", + "
  • letter
  • ", + "

    It\u2019s quicker to get the decision by email or text message and accept it online.

    ", + "

    There\u2019s a different way to apply for a Budgeting Loan in Northern Ireland.

    ", + "

    Apply online

    ", + "

    Apply using the paper form

    ", + "

    You will need to fill in form SF500. You can:

    ", + "
  • download and print the form
  • ", + "
  • phone the Social Fund Enquiry Line and ask for a form to be posted to you - allow 7 days for the form to arrive
  • ", + "

    Return your completed form by post.

    ", + "

    After you apply

    ", + "

    After you apply you will be given a decision on your application. You need to accept the decision before you get your money.

    ", + "

    If you apply online

    ", + "

    You\u2019ll find out if you\u2019ve been offered a loan within:

    ", + "
  • 7 days if you get the decision by text or email
  • ", + "
  • 21 days if you get the decision by letter
  • ", + "

    If you apply by post

    ", + "

    You\u2019ll get a letter telling you if you\u2019ve been offered a loan within 21 days.

    ", + "

    Accepting the loan

    ", + "

    How you accept the loan depends on how you applied.

    ", + "

    Accept online

    ", + "

    You can accept the loan offer online by following the instructions in the text or email.

    ", + "

    Accept by post

    ", + "

    You can accept by signing page 4 of the acceptance letter and returning it in the pre-paid envelope provided. Make sure the reply slip is folded so that the return address is fully visible in the envelope window.

    ", + "

    Return it to the address on the letter. Do not send it to your local Jobcentre Plus office as this may delay getting your loan.

    ", + "

    Getting your money

    ", + "

    You\u2019ll get your money within:

    ", + "
  • 7 days of accepting the loan offer online
  • ", + "
  • 21 days of your loan offer acceptance being received by post
  • ", + "

    The money will be paid into your bank, building society or credit union account.

    ", + "

    You\u2019ll get a text message confirming this has been done.

    ", + "

    Questions about your application

    ", + "

    Call the Social Fund Enquiry Line if you have a question about the progress of your application.

    ", + "

    You should wait:

    ", + "
  • 14 days before phoning if you applied online
  • ", + "
  • 21 days before phoning if you applied by post
  • ", + "

    Your application may not have been processed before then.

    ", + "

    Other help you can get

    ", + "

    You may be able to get other kinds of support, including:

    ", + "
  • help from your local council and Jobcentre Plus
  • ", + "
  • the Discretionary Assistance Fund in Wales
  • ", + "
  • a Crisis Grant or Community Care Grant in Scotland
  • ", + "
  • Discretionary Support or a Short-term Benefit Advance in Northern Ireland
  • " + ] + }, + { + "title": "Employment and Support Allowance (ESA)", + "url": "https://www.gov.uk/employment-support-allowance", + "contents": [ + "

    Overview

    ", + "

    You can apply for Employment and Support Allowance (ESA) if you have a disability or health condition that affects how much you can work.

    ", + "

    You may also be able to get ESA if you were unable to work while self-isolating or \u2018shielding\u2019 because of coronavirus (COVID-19).

    ", + "

    ESA gives you:

    ", + "
  • money to help with living costs if you\u2019re unable to work
  • ", + "
  • support to get back into work if you\u2019re able to
  • ", + "

    You can apply if you\u2019re employed, self-employed or unemployed.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Eligibility

    ", + "

    You can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.

    ", + "

    You also need to have both:

    ", + "
  • worked as an employee or have been self-employed
  • ", + "
  • paid enough National Insurance contributions, usually in the last 2 to 3 years - National Insurance credits also count
  • ", + "

    Check your National Insurance record for gaps.

    ", + "

    You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. Universal Credit can help with, for example, your housing and childcare costs.

    ", + "

    You cannot get \u2018new style\u2019 ESA if you:

    ", + "
  • claim Jobseeker\u2019s Allowance
  • ", + "
  • claim Statutory Sick Pay
  • ", + "

    If your Statutory Sick Pay (SSP) is due to end

    ", + "

    You can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends. You\u2019ll start getting \u2018new style\u2019 ESA as soon as your SSP ends.

    ", + "

    If you\u2019re working

    ", + "

    You can apply whether you\u2019re in or out of work. There are conditions to working while claiming ESA.

    ", + "

    If you\u2019ve been affected by coronavirus (COVID-19)

    ", + "

    You can apply for \u2018new style\u2019 ESA if you\u2019re unable to claim Statutory Sick Pay and one of the following applies:

    ", + "
  • you or your child might have COVID-19 or you\u2019re recovering from it
  • ", + "
  • you or your child are self-isolating because you came into contact with someone who might have COVID-19
  • ", + "
  • you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery
  • ", + "
  • you were advised to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19
  • ", + "

    Shielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.

    ", + "

    If you\u2019re claiming ESA because of COVID-19, you\u2019ll need to give evidence to support your claim.

    ", + "

    Proof if you\u2019re self-isolating because of COVID-19

    ", + "

    If you or your child are self-isolating and you cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019ve been off work for 7 or more days. You do not have to go to your doctor or a hospital.

    ", + "

    If you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.

    ", + "

    If you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.

    ", + "

    Proof if you were advised to shield because of COVID-19

    ", + "

    Your doctor or health authority should have sent you a letter advising you or your child to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19.

    ", + "

    The letter will have included the period to shield for. It is proof of your eligibility for ESA for days away from work in that period.

    ", + "

    You may have more than one letter covering more than one shielding period.

    ", + "

    Contact your doctor if you do not have a letter but think you should have one.

    ", + "

    What you'll get

    ", + "

    How much you get will depend on what stage your application is at, as well as things like your age and whether you\u2019re able to get back into work.

    ", + "

    If you get \u2018new style\u2019 ESA you\u2019ll earn Class 1 National Insurance credits, which can help towards your State Pension and some benefits in the future.

    ", + "

    What might affect how much you get paid

    ", + "

    You cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.

    ", + "

    Neither your or your partner\u2019s savings or income will affect how much \u2018new style\u2019 ESA you\u2019re paid. But a private pension worth more than \u00a385 per week may affect how much you can get.

    ", + "

    If you get income-related ESA, your household income and savings worth \u00a36,000 or more may affect how much you can get.

    ", + "

    While your claim is being assessed

    ", + "

    You\u2019ll normally get the \u2018assessment rate\u2019 for 13 weeks while your claim is being assessed.

    ", + "

    This will be:

    ", + "
  • up to \u00a359.20 a week if you\u2019re aged under 25
  • ", + "
  • up to \u00a374.70 a week if you\u2019re aged 25 or over
  • ", + "

    If it takes longer than 13 weeks to assess your claim, you\u2019ll continue getting the \u2018assessment rate\u2019 until you get a decision or until your ESA is due to end. Your ESA will be backdated if you\u2019re owed any money after 13 weeks.

    ", + "

    After you\u2019re assessed

    ", + "

    You\u2019ll be placed into one of 2 groups if you\u2019re entitled to ESA. If you\u2019re able to get back into work in the future, you\u2019ll be put into the work-related activity group. Otherwise, you\u2019ll be put into the support group.

    ", + "

    You\u2019ll get:

    ", + "
  • up to \u00a374.70 a week if you\u2019re in the work-related activity group
  • ", + "
  • up to \u00a3114.10 a week if you\u2019re in the support group
  • ", + "

    If you\u2019re in the support group

    ", + "

    If you\u2019re in the support group and on income-related ESA, you\u2019re also entitled to the enhanced disability premium.

    ", + "

    You may also qualify for the severe disability premium.

    ", + "

    Find out how to apply for a disability premium.

    ", + "

    How you\u2019re paid

    ", + "

    You\u2019ll get paid ESA every 2 weeks.

    ", + "

    All benefits are paid into your bank, building society or credit union account.

    ", + "

    Other benefits you can claim

    ", + "

    Universal Credit can help with, for example, your housing and childcare costs. You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA.

    ", + "

    Use a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment (PIP) if you have a long-term health condition or disability.

    ", + "

    The benefit cap may affect the total amount of benefit you can get. The cap will not affect you if you\u2019re in the support group.

    ", + "

    If you\u2019re moving to Universal Credit from income-related ESA

    ", + "

    If your income-related ESA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of ESA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.

    ", + "

    The Department for Work and Pensions (DWP) will write to you telling you how this works.

    ", + "

    You do not need to pay this money back, and it will not affect the amount of Universal Credit you get.

    ", + "

    Budgeting Loan

    ", + "

    You can apply for a Budgeting Loan if you\u2019ve been on income-related ESA for at least 6 months.

    ", + "

    Advice on money and debt

    ", + "

    You can get help and advice from your Jobcentre Plus work coach or:

    ", + "
  • Citizens Advice
  • ", + "
  • Money Advice Service
  • ", + "
  • National Debtline
  • ", + "
  • Shelter
  • ", + "
  • Turn2us
  • ", + "

    Working while you claim

    ", + "

    You can usually work while you are claiming ESA if both of the following apply:

    ", + "
  • you work less than 16 hours a week
  • ", + "
  • you do not earn more than \u00a3143 a week
  • ", + "

    Tell Jobcentre Plus about your work when you make a claim.

    ", + "

    Send this form to Jobcentre Plus if you\u2019re already claiming ESA and you want to start work.

    ", + "

    When you can work 16 hours or more a week

    ", + "

    You can work more than 16 hours a week if the work is either voluntary or \u2018supported permitted work\u2019.

    ", + "

    Supported permitted work

    ", + "

    The work must be either:

    ", + "
  • supervised by someone from a local council or voluntary organisation who arranges work for disabled people
  • ", + "
  • part of a treatment programme under medical supervision
  • ", + "

    You can still earn no more than \u00a3143 a week.

    ", + "

    How to claim

    ", + "

    You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. \nCheck if you\u2019re eligible for Universal Credit.

    ", + "

    There\u2019s a different way to apply in Northern Ireland.

    ", + "

    What you need to apply

    ", + "

    You\u2019ll need:

    ", + "
  • your National Insurance number
  • ", + "
  • your bank or building society account number and sort code (you can use a friend or family member\u2019s account if you do not have one)
  • ", + "
  • your doctor\u2019s name, address and telephone number
  • ", + "
  • details of your income if you\u2019re working
  • ", + "
  • the date your Statutory Sick Pay (SSP) ends if you\u2019re claiming it
  • ", + "

    You cannot get \u2018new style\u2019 ESA if you\u2019re getting Statutory Sick Pay (SSP) from an employer. You can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends.

    ", + "

    If you\u2019re applying because of COVID-19, you\u2019ll also need:

    ", + "
  • an \u2018isolation note\u2019 if you\u2019re unable to work because of COVID-19
  • ", + "
  • your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19
  • ", + "
  • a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery
  • ", + "
  • a letter from your doctor or a health authority advising you or your child to shield (take extra precautions to reduce contact with others) because you\u2019re at very high risk of severe illness from COVID-19
  • ", + "

    Shielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.

    ", + "

    Once you\u2019ve applied, you\u2019ll be contacted by phone and told when to give the evidence and where to send it.

    ", + "

    Apply now

    ", + "

    When you can apply by phone

    ", + "

    Call the Universal Credit helpline if:

    ", + "
  • you cannot make an application online
  • ", + "
  • you\u2019re an appointee for someone
  • ", + "

    After you apply

    ", + "

    The Department for Work and Pensions (DWP) will contact you within 10 working days of applying.

    ", + "

    If you\u2019re eligible

    ", + "

    DWP will contact you within 10 working days to schedule an appointment that you must attend. It will normally be over the phone with a work coach from your local Jobcentre Plus office.

    ", + "

    Your work coach will explain what you need to do to get \u2018new style\u2019 ESA. They will create an agreement with you called a \u2018Claimant Commitment\u2019.

    ", + "

    You must agree to your Claimant Commitment before you can get \u2018new style\u2019 ESA.

    ", + "

    At the appointment, you\u2019ll be asked to:

    ", + "
  • explain how your illness or disability affects your ability to work
  • ", + "
  • provide medical evidence
  • ", + "
  • agree to tell your local Jobcentre Plus if your circumstances change
  • ", + "

    If you\u2019re not eligible

    ", + "

    DWP will send you a letter within 10 working days of applying to explain why you\u2019re not eligible for ESA.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.

    ", + "

    Reapplying for ESA

    ", + "

    You cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.

    ", + "

    You may be able to reapply after your \u2018new style\u2019 ESA ends. You may qualify again depending on:

    ", + "
  • what National Insurance contributions you paid in the last 2 full tax years before the tax year you\u2019re claiming in
  • ", + "
  • whether you\u2019re placed in the support group because you developed a new condition or your health deteriorated
  • ", + "

    Your ESA claim

    ", + "

    After you\u2019ve made your claim, you\u2019ll be told if you need to have a \u2018Work Capability Assessment\u2019 and what group you\u2019ll be put in.

    ", + "

    Work Capability Assessment

    ", + "

    A Work Capability Assessment is used to find out if your illness or disability affects how much you can work.

    ", + "

    You might not need one, for example if you\u2019re in hospital or you have a terminal illness.

    ", + "

    If you need a Work Capability Assessment you\u2019ll get a letter telling you to fill in the \u2018Capability for work questionnaire\u2019 and send it to the Health Assessment Advisory Service. The address is on the form. The questionnaire is different in Northern Ireland.

    ", + "

    You\u2019ll be told what happens next, for example if you need an appointment to understand your health condition better.

    ", + "

    If you\u2019re claiming both Universal Credit and \u2018new style\u2019 ESA, you\u2019ll only have one Work Capability Assessment.

    ", + "

    You can ask for your assessment to be recorded. If you would like this, tell the Health Assessment Advisory Service using the contact details in your appointment invite letter.

    ", + "

    How the assessment happens

    ", + "

    Assessments can be in person, by video call or on the phone. You\u2019ll be told how your assessment will take place.

    ", + "

    If you\u2019re asked to attend in person you\u2019ll be told how to do this safely because of coronavirus (COVID-19). You can bring one adult from your household with you.

    ", + "

    If your assessment is by phone or video call, you can have someone else with you, for example a friend or support worker. You can ask the assessor to call them if they\u2019re not with you when the assessment starts.

    ", + "

    You\u2019ll stay on the \u2018assessment rate\u2019 until a decision can be made on your Work Capability Assessment.

    ", + "

    After your claim is assessed

    ", + "

    If you\u2019re entitled to ESA you\u2019ll be placed in one of 2 groups:

    ", + "
  • a work-related activity group (you cannot work now, but can prepare to work in the future, for example by writing a CV)
  • ", + "
  • a support group (you cannot work now and you\u2019re not expected to prepare for work in the future)
  • ", + "

    If you\u2019re in the work-related activity group

    ", + "

    You must attend regular interviews with a work coach. They can help you improve your skills or write a CV to help you get back into work.

    ", + "

    If you\u2019re in the support group

    ", + "

    You\u2019re usually in this group if your illness or disability severely limits what you can do. You do not have to go to interviews. You can tell your work coach if you\u2019d like to take part in work-related activities.

    ", + "

    How long you\u2019ll get ESA for

    ", + "

    You cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.

    ", + "

    \u2018New style\u2019 and contribution-based ESA last for 365 days if you\u2019re in the work-related activity group.

    ", + "

    There\u2019s no time limit if you\u2019re in the support group, or if you\u2019re getting income-related ESA.

    ", + "

    To keep getting ESA you must report any change in your circumstances. You may also need to send fit notes regularly.

    ", + "

    If you get a sanction

    ", + "

    Your ESA can be reduced if you do not attend interviews or do work-related activity as agreed with your work coach in your \u2018Claimant Commitment\u2019. This reduction can continue for up to 4 weeks after you restart work-related activities.

    ", + "

    You\u2019ll get a letter to say you may be sanctioned. Tell your work coach if you have a good reason for not doing what was agreed in your Claimant Commitment.

    ", + "

    You\u2019ll get another letter if the decision is made to give you a sanction. Your benefit will only be affected once a decision has been made.

    ", + "

    You should contact your local council immediately if you claim Housing Benefit or Council Tax Reduction. They\u2019ll tell you what to do to continue getting support.

    ", + "

    If you get a sanction you can:

    ", + "
  • ask for the decision to be looked at again
  • ", + "
  • ask for a hardship payment
  • ", + "

    You will not get a sanction if you\u2019re in the support group.

    ", + "

    Hardship payments

    ", + "

    If you get income-related ESA, you may be able to get a hardship payment if your benefit has been reduced because of a sanction or a penalty due to suspected benefit fraud.

    ", + "

    A hardship payment is a reduced amount of your ESA. You do not have to pay it back.

    ", + "

    You can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your family. You must be 18 or over.

    ", + "

    Speak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.

    ", + "

    Report a change of circumstances

    ", + "

    You need to report changes to your circumstances so you keep getting the right amount of Employment and Support Allowance (ESA).

    ", + "

    Your claim might be stopped or reduced if you do not report a change straight away.

    ", + "

    A change of circumstance can include:

    ", + "
  • starting or stopping work, education, training or an apprenticeship
  • ", + "
  • moving house
  • ", + "
  • changing your name
  • ", + "
  • people moving into or out of the place you live (for example your partner or a child)
  • ", + "
  • changes to the benefits you or anyone else in your house gets
  • ", + "
  • changes to your pension, savings, investments or property
  • ", + "
  • changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)
  • ", + "
  • changing your doctor
  • ", + "
  • any changes to your medical condition or disability
  • ", + "
  • going into hospital or a care home or sheltered accommodation
  • ", + "
  • going abroad for any length of time
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    Call Jobcentre Plus if you\u2019re not sure whether you need to report a change.

    ", + "

    You may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    If you give wrong or incomplete information or do not report a change straight away, you might be paid too much. If you are, you might have to\u00a0pay some of the money back.

    ", + "

    How to report

    ", + "

    You can report a change of circumstances by:

    ", + "
  • calling Jobcentre Plus
  • ", + "
  • writing to the Jobcentre Plus office that pays your ESA - the address is on the letters you get about your ESA
  • ", + "

    If you get Universal Credit at the same time as \u2018new style\u2019 ESA, you must also report the changes of circumstances in your Universal Credit account.

    ", + "

    British Sign Language (BSL) video relay service

    ", + "

    Watch a video to check you can use the service

    ", + "

    Go to the video relay service

    ", + "

    Monday to Friday, 8am to 6pm.

    ", + "

    If you\u2019re in Northern Ireland contact the ESA Centre.

    " + ] + }, + { + "title": "Statutory Sick Pay (SSP)", + "url": "https://www.gov.uk/statutory-sick-pay", + "contents": [ + "

    Overview

    ", + "

    You can get \u00a396.35 per week Statutory Sick Pay (SSP) if you\u2019re too ill to work. It\u2019s paid by your employer for up to 28 weeks.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You must be eligible for SSP.

    ", + "

    You cannot get less than the statutory amount. You can get more if your company has a sick pay scheme (or \u2018occupational scheme\u2019) - check your employment contract.

    ", + "

    There are different sick pay rules for agricultural workers.

    ", + "

    There\u2019s a separate guide on Statutory Sick Pay if you\u2019re an employer.

    ", + "

    If you cannot work because of coronavirus (COVID-19)

    ", + "

    You could get SSP if you\u2019re self-isolating because:

    ", + "
  • you or someone you live with has COVID-19 symptoms or has tested positive for COVID-19
  • ", + "
  • you\u2019ve been notified by the NHS or public health authorities that you\u2019ve been in contact with someone with COVID-19
  • ", + "
  • someone in your support bubble (or your \u2018extended household\u2019 if you live in Scotland or Wales) has COVID-19 symptoms or has tested positive for COVID-19
  • ", + "
  • you\u2019ve been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery
  • ", + "

    You could get SSP for every day you\u2019re off work.

    ", + "

    You cannot get SSP if you\u2019re self-isolating after entering or returning to the UK and do not need to self-isolate for any other reason.

    ", + "

    If your illness is not related to COVID-19

    ", + "

    If your illness is not related to COVID-19, you can get SSP from the fourth day you are off work sick.

    ", + "

    What you'll get

    ", + "

    You can get \u00a396.35 a week Statutory Sick Pay (SSP) for up to 28 weeks.

    ", + "

    If you\u2019re off work because of coronavirus (COVID-19)

    ", + "

    How many days you can get SSP for depends on why you\u2019re off work.

    ", + "

    If you\u2019re self-isolating because you or someone you live with has symptoms or has tested positive for COVID-19

    ", + "

    You must self-isolate for at least 4 days to be eligible for SSP.

    ", + "

    You can get SSP for every day you were self-isolating if you started on or after 13 March.

    ", + "

    If you started self-isolating before 13 March, you can get SSP from:

    ", + "
  • the fourth day you were sick - if you had COVID-19 symptoms
  • ", + "
  • 13 March - if you were self-isolating because someone you live with had symptoms
  • ", + "

    Check you\u2019re eligible for SSP.

    ", + "

    If you\u2019re self-isolating because of contact with someone with COVID-19

    ", + "

    You should self-isolate if you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19.

    ", + "

    You must self-isolate for at least 4 days to be eligible for SSP.

    ", + "

    You can get SSP for every day you were self-isolating from 28 May.

    ", + "

    If you\u2019re self-isolating because someone in your \u2018support bubble\u2019 or extended household has symptoms or has tested positive for COVID-19

    ", + "

    You should self-isolate if someone in your \u2018support bubble\u2019 (or your \u2018extended household\u2019 if you live in Scotland or Wales) has symptoms or has tested positive for COVID-19.

    ", + "

    You must self-isolate for at least 4 days to be eligible for SSP.

    ", + "

    You can get SSP for every day you were self-isolating from 6 July.

    ", + "

    You are not eligible for SSP for any days away from work before 6 July.

    ", + "

    If you\u2019re self-isolating before surgery

    ", + "

    If you\u2019ve been advised by your doctor or a healthcare professional to self-isolate before going into hospital for surgery, you can get SSP.

    ", + "

    You must self-isolate for at least 4 days (including non-working days) to be eligible for SSP.

    ", + "

    You can get SSP for every day you are self-isolating.

    ", + "

    You are not eligible for SSP for any day you were self-isolating before 26 August.

    ", + "

    If you\u2019re off sick for another reason

    ", + "

    You can get SSP from the fourth day you\u2019re off sick.

    ", + "

    The days you\u2019re off sick when you normally would have worked are called \u2018qualifying days\u2019. If you\u2019re eligible, you\u2019ll get SSP for all your qualifying days, except for the first 3. These are called \u2018waiting days\u2019.

    ", + "

    You only get paid for waiting days if you\u2019ve already received SSP within the last 8 weeks, and that included a 3-day waiting period.

    ", + "

    Check you\u2019re eligible for SSP.

    ", + "

    How you\u2019re paid

    ", + "

    SSP is paid by your employer in the same way as your normal wages, for example weekly or monthly.

    ", + "

    If you have more than one job you may get SSP from each employer.

    ", + "

    Tax and National Insurance will be deducted.

    ", + "

    If you think you are not getting the right amount of SSP, talk to your employer. If you\u2019re still not happy, contact the HM Revenue and Customs (HMRC) enquiry line.

    ", + "

    Eligibility

    ", + "

    To qualify for Statutory Sick Pay (SSP) you must:

    ", + "
  • be classed as an employee and have done some work for your employer
  • ", + "
  • earn an average of at least \u00a3120 per week
  • ", + "
  • have been ill or self-isolating for at least 4 days in a row (including non-working days)
  • ", + "

    How many days you can get SSP for depends on why you\u2019re off work.

    ", + "

    Agency workers are entitled to Statutory Sick Pay.

    ", + "

    Telling your employer

    ", + "

    You must usually tell your employer you\u2019re unable to work before the deadline they set (or within 7 days if they have not set one).

    ", + "

    You could lose some of your SSP if you do not tell your employer in time.

    ", + "

    Exceptions

    ", + "

    You will not qualify if you:

    ", + "
  • have received the maximum amount of SSP (28 weeks)
  • ", + "
  • are getting Statutory Maternity Pay
  • ", + "
  • are self-isolating after entering or returning to the UK and do not need to self-isolate for any other reason
  • ", + "

    You can still qualify if you started your job recently and you have not received 8 weeks\u2019 pay yet. Ask your employer to find out more.

    ", + "

    You can still qualify if you\u2019re on furlough.

    ", + "

    Linked periods of sickness

    ", + "

    If you have regular periods of sickness, they may count as \u2018linked\u2019. To be linked, the periods must:

    ", + "
  • last 4 or more days each
  • ", + "
  • be 8 weeks or less apart
  • ", + "

    You\u2019re no longer eligible for SSP if you have a continuous series of linked periods that lasts more than 3 years.

    ", + "

    Fit notes and asking for proof

    ", + "

    You only have to give your employer a fit note (sometimes called a sick note) if you\u2019re off sick for more than 7 days in a row (including non-working days).

    ", + "

    You can get a fit note from your doctor or hospital doctor. If your employer agrees, a similar document can be provided by a physiotherapist, podiatrist or occupational therapist instead. This is called an Allied Health Professional (AHP) Health and Work Report.

    ", + "

    Proof if you\u2019re self-isolating because of coronavirus (COVID-19)

    ", + "

    If you\u2019re self-isolating and cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019re off work for 7 or more days. You do not have to go to your doctor or a hospital.

    ", + "

    If you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.

    ", + "

    If you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.

    ", + "

    You cannot get SSP if you\u2019re self-isolating after entering or returning to the UK and do not need to self-isolate for any other reason.

    ", + "

    Proof if you were \u2018shielding\u2019 because of COVID-19

    ", + "

    Shielding has stopped in the UK.

    ", + "

    You can no longer apply for a new shielding note or a replacement shielding note.

    ", + "

    If you\u2019re not eligible or your SSP ends

    ", + "

    You may be able to apply for Universal Credit or Employment and Support Allowance (ESA). You can use form SSP1 to support your application.

    ", + "

    If your SSP is ending your employer must send you form SSP1 either:

    ", + "
  • within 7 days of your SSP ending, if it ends unexpectedly while you\u2019re still sick
  • ", + "
  • on or before the beginning of the 23rd week, if your SSP is expected to end before your sickness does
  • ", + "

    If you do not qualify for SSP your employer must send you form SSP1 within 7 days of you going off sick.

    ", + "

    How to claim

    ", + "

    To claim Statutory Sick Pay (SSP), tell your employer by the deadline. Check with your employer how you should tell them.

    ", + "

    If you cannot work for 7 or more days (including non-working days) you need:

    ", + "
  • an \u2018isolation note\u2019 if you\u2019re unable to work because of coronavirus (COVID-19)
  • ", + "
  • your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19
  • ", + "
  • a \u2018fit note\u2019 (or sick note) if you\u2019re off sick for another reason
  • ", + "
  • a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery
  • ", + "

    If you\u2019re unhappy with a decision

    ", + "

    Talk to your employer if you think:

    ", + "
  • their decision not to pay you SSP is wrong
  • ", + "
  • you\u2019re not getting the right amount of SSP
  • ", + "

    You can ask them for a reason.

    ", + "

    If this does not sort the problem, contact the HMRC Statutory Payment Disputes Team.

    " + ] + }, + { + "title": "Maternity pay and leave", + "url": "https://www.gov.uk/maternity-pay-leave", + "contents": [ + "

    Overview

    ", + "

    When you take time off to have a baby you might be eligible for:

    ", + "
  • Statutory Maternity Leave
  • ", + "
  • Statutory Maternity Pay
  • ", + "
  • paid time off for antenatal care
  • ", + "
  • extra help from the government
  • ", + "

    There are rules on when and how to claim your paid leave and if you want to change your dates.

    ", + "

    You can work out your maternity pay and leave online.

    ", + "

    You may also be eligible to get Shared Parental Leave and Pay.

    ", + "

    Employment rights when on leave

    ", + "

    Your employment rights are protected while on Statutory Maternity Leave. This includes your right to:

    ", + "
  • pay rises
  • ", + "
  • build up (accrue) holiday
  • ", + "
  • return to work
  • ", + "

    Leave

    ", + "

    Statutory Maternity Leave is 52 weeks. It\u2019s made up of:

    ", + "
  • Ordinary Maternity Leave - first 26 weeks
  • ", + "
  • Additional Maternity Leave - last 26 weeks
  • ", + "

    You do not have to take 52 weeks but you must take 2 weeks\u2019 leave after your baby is born (or 4 weeks if you work in a factory).

    ", + "

    Use the maternity planner to work out the dates for your ordinary and additional leave.

    ", + "

    You may be entitled to take some of your leave as Shared Parental Leave.

    ", + "

    Start date and early births

    ", + "

    Usually, the earliest you can start your leave is 11 weeks before the expected week of childbirth.

    ", + "

    Leave will also start:

    ", + "
  • the day after the birth if the baby is early
  • ", + "
  • automatically if you\u2019re off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that your baby is due
  • ", + "

    Use the maternity planner to work out the earliest date your maternity leave can start.

    ", + "

    Change your date for returning to work

    ", + "

    You must give your employer at least 8 weeks\u2019 notice if you want to change your return to work date.

    ", + "

    Pay

    ", + "

    Statutory Maternity Pay (SMP) is paid for up to 39 weeks. You get:

    ", + "
  • 90% of your average weekly earnings (before tax) for the first 6 weeks
  • ", + "
  • \u00a3151.97or 90% of your average weekly earnings (whichever is lower) for the next 33 weeks
  • ", + "

    SMP is paid in the same way as your wages (for example monthly or weekly). Tax and National Insurance will be deducted.

    ", + "

    Use the maternity pay calculator to work out how much you could get.

    ", + "

    If you take Shared Parental Leave you\u2019ll get Statutory Shared Parental Pay (ShPP). ShPP is \u00a3151.97 a week or 90% of your average weekly earnings, whichever is lower.

    ", + "

    Start date

    ", + "

    SMP usually starts when you take your maternity leave.

    ", + "

    It starts automatically if you\u2019re off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that your baby is due.

    ", + "

    Problems and disputes

    ", + "

    Ask your employer to explain your SMP if you think it\u2019s not right. If you disagree about the amount or your employer cannot pay (for example because they\u2019re insolvent), contact the Statutory Payment Disputes Team.

    ", + "

    Eligibility

    ", + "

    Statutory Maternity Leave

    ", + "

    You qualify for Statutory Maternity Leave if:

    ", + "
  • you\u2019re an employee not a \u2018worker\u2019
  • ", + "
  • you give your employer the correct notice
  • ", + "

    It does not matter how long you\u2019ve been with your employer, how many hours you work or how much you get paid.

    ", + "

    You cannot get Statutory Maternity Leave if you have a child through surrogacy - you could get Statutory Adoption Leave and Pay instead.

    ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    To qualify for SMP you must:

    ", + "
  • earn on average at least \u00a3120 a week
  • ", + "
  • give the correct notice
  • ", + "
  • give proof you\u2019re pregnant
  • ", + "
  • have worked for your employer continuously for at least 26 weeks continuing into the \u2018qualifying week\u2019 - the 15th week before the expected week of childbirth
  • ", + "

    If you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.

    ", + "

    You cannot get SMP if you go into police custody during your maternity pay period. It will not restart when you\u2019re discharged.

    ", + "

    Early births or you lose your baby

    ", + "

    You can still get Statutory Maternity Leave and SMP if your baby:

    ", + "
  • is born early
  • ", + "
  • is stillborn after the start of your 24th week of pregnancy
  • ", + "
  • dies after being born
  • ", + "

    If you\u2019re not eligible for SMP

    ", + "

    Your employer must give you form SMP1 explaining why you cannot get SMP within 7 days of making their decision. You may be eligible for Maternity Allowance instead.

    ", + "

    How to claim

    ", + "

    Statutory Maternity Leave

    ", + "

    At least 15 weeks before your due date, tell your employer when the baby is due and when you want to start your maternity leave. Your employer can ask for this in writing.

    ", + "

    Your employer must write to you within 28 days confirming your start and end dates.

    ", + "

    Use the maternity planner to work out when you must claim your maternity leave.

    ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    Tell your employer you want to stop work to have a baby and the day you want your SMP to start. You must give them at least 28 days\u2019 notice (in writing if they ask for it) and proof that you\u2019re pregnant.

    ", + "

    Your employer must confirm within 28 days how much SMP you\u2019ll get and when it will start and stop.

    ", + "

    If they decide you\u2019re not eligible, they must give you form SMP1 within 7 days of making their decision and explain why.

    ", + "

    Proof you\u2019re pregnant

    ", + "

    You need to give your employer proof of the pregnancy to get SMP. You do not need it for maternity leave.

    ", + "

    Within 21 days of your SMP start date (or as soon as possible if the baby\u2019s born early) give your employer either:

    ", + "
  • a letter from your doctor or midwife
  • ", + "
  • your MATB1 certificate - doctors and midwives will give you this no more than 20 weeks before the due date
  • ", + "

    You will not get SMP if you do not give your employer proof that the baby is due.

    ", + "

    Extra help

    ", + "

    Maternity benefits

    ", + "

    Use a benefits calculator to see what help you can get from:

    ", + "
  • Universal Credit
  • ", + "
  • Child Benefit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Working Tax Credit - this can continue for 39 weeks after you go on maternity leave
  • ", + "
  • Income Support - you may get this while you\u2019re not working
  • ", + "

    You could get a \u00a3500 Sure Start Maternity Grant (usually if it\u2019s your first child).

    ", + "

    If you\u2019re not eligible for Statutory Maternity Pay, you could get Maternity Allowance from the government.

    ", + "

    Company maternity schemes

    ", + "

    You might get more than the statutory amount of leave and pay if your employer has a company maternity scheme. They cannot offer you less than the statutory amount.

    ", + "

    Extra leave

    ", + "

    You could get 18 weeks\u2019 unpaid parental leave after the birth - this may be restricted to 4 weeks per year.

    " + ] + }, + { + "title": "Maternity Allowance", + "url": "https://www.gov.uk/maternity-allowance", + "contents": [ + "

    Overview

    ", + "

    Maternity Allowance is usually paid to you if you do not qualify for Statutory Maternity Pay.

    ", + "

    The amount you can get depends on your eligibility.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You can claim Maternity Allowance as soon as you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.

    ", + "

    Any money you get can affect your other benefits.

    ", + "

    What you'll get

    ", + "

    The amount you can get depends on your eligibility.

    ", + "

    You could get either:

    ", + "
  • \u00a3151.97 a week or 90% of your average weekly earnings (whichever is less) for 39 weeks
  • ", + "
  • \u00a327 a week for 39 weeks
  • ", + "
  • \u00a327 a week for 14 weeks
  • ", + "

    Maternity Allowance is paid every 2 or 4 weeks.

    ", + "

    You can claim Maternity Allowance once you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.

    ", + "

    Use the maternity entitlement calculator to work out how much you could get.

    ", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are usually paid straight into your bank, building society or credit union account.

    ", + "

    Impact on other benefits

    ", + "

    Maternity Allowance will not affect your tax credits but it will affect how much you get for:

    ", + "
  • Council Tax Reduction
  • ", + "
  • Housing Benefit
  • ", + "
  • Employment and Support Allowance (ESA)
  • ", + "
  • Income Support
  • ", + "
  • Jobseeker\u2019s Allowance (JSA) - this will stop if you get Maternity Allowance
  • ", + "
  • bereavement benefits
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Universal Credit
  • ", + "

    The benefit cap

    ", + "

    The benefit cap limits the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.

    ", + "

    Some individual benefits are not affected, but it may affect the total amount of benefit you get.

    ", + "

    Eligibility

    ", + "

    You can use the maternity entitlement calculator to check your eligibility.

    ", + "

    Maternity Allowance for 39 weeks

    ", + "

    You might get Maternity Allowance for 39 weeks if one of the following applies:

    ", + "
  • you\u2019re employed, but cannot get Statutory Maternity Pay
  • ", + "
  • you\u2019re self-employed
  • ", + "
  • you\u2019ve recently stopped working
  • ", + "

    In the 66 weeks before your baby\u2019s due, you must also have been:

    ", + "
  • employed or self-employed for at least 26 weeks
  • ", + "
  • earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together
  • ", + "

    You may still qualify if you\u2019ve recently stopped working. It does not matter if you had different jobs or periods of unemployment.

    ", + "

    If you usually earn \u00a330 or more a week and only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible. You must give details in your claim form.

    ", + "

    If you\u2019re self-employed

    ", + "

    To get the full amount of Maternity Allowance, you must have paid Class 2 National Insurance for at least 13 of the 66 weeks before your baby\u2019s due.

    ", + "

    The Department for Work and Pensions (DWP) will check if you\u2019ve paid enough when you make your claim. They\u2019ll write to you if you have not.

    ", + "

    If you have not paid enough Class 2 National Insurance to get the full rate (\u00a3151.97 a week), you\u2019ll get \u00a327 a week for 39 weeks. You still need to meet all the other eligibility criteria to get this amount.

    ", + "

    You may be able to get the full rate by making early National Insurance payments. HM Revenue and Customs (HMRC) will send you a letter to tell you how.

    ", + "

    You\u2019ll need to pay using the reference number in the letter to get the full rate, even if you\u2019ve recently made a payment through Self Assessment.

    ", + "

    Maternity Allowance for 14 weeks

    ", + "

    You might get Maternity Allowance for 14 weeks if for at least 26 weeks in the 66 weeks before your baby is due:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re not employed or self-employed
  • ", + "
  • you take part in the business of your self-employed spouse or civil partner
  • ", + "
  • the work you do is for the business and unpaid
  • ", + "
  • your spouse or civil partner is registered as self-employed with HMRC and should pay Class 2 National Insurance
  • ", + "
  • your spouse or civil partner is working as self-employed person
  • ", + "
  • you\u2019re not eligible for Statutory Maternity Pay or the higher amount of Maternity Allowance (for the same pregnancy)
  • ", + "

    If you lose the baby

    ", + "

    You may still qualify if the baby is either:

    ", + "
  • stillborn from the start of the 24th week of pregnancy
  • ", + "
  • born alive at any point during the pregnancy
  • ", + "

    Change of circumstances

    ", + "

    Report any changes to your circumstances to your local Jobcentre Plus as they can affect how much you get. For example, if you go back to work.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    How to claim

    ", + "

    You\u2019ll need a Maternity Allowance (MA1) claim form. You can either:

    ", + "
  • print it and fill it in
  • ", + "
  • fill it in online and print it
  • ", + "
  • order a form if you cannot print it
  • ", + "

    The form has notes to help you fill it in.

    ", + "

    Send it to the address on the form.

    ", + "

    If you\u2019ve arranged to pay your Self Assessment tax and National Insurance bill in instalments because of coronavirus (COVID-19), your application might be rejected. Contact HMRC before applying for Maternity Allowance.

    ", + "

    Alternative formats

    ", + "

    Call Jobcentre Plus to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    What to send with your claim form

    ", + "

    You can claim Maternity Allowance once you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.

    ", + "

    You need to provide:

    ", + "
  • proof of your income, such as original payslips or a Certificate of Small Earnings Exemption (if applicable for the 2014 to 2015 tax year)
  • ", + "
  • proof of the baby\u2019s due date, such as a letter from the doctor or midwife or your MATB1 certificate
  • ", + "
  • your SMP1 form - only if you were refused Statutory Maternity Pay by your employer
  • ", + "

    If your proof of income includes times you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, mention this in the \u2018additional information\u2019 section of your form. Include the dates that you were on the scheme and how much (as a percentage) of your normal pay you were actually paid.

    ", + "

    You may need to give more information about your partner\u2019s self-employed business and what you do if you\u2019re applying for Maternity Allowance for 14 weeks.

    ", + "

    When you\u2019ll hear about your claim

    ", + "

    You should get a decision on your claim within 20 working days.

    ", + "

    If you\u2019re eligible, a form will be sent to you confirming your entitlement and asking you to confirm your last day of employment before leave.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    " + ] + }, + { + "title": "Sure Start Maternity Grant", + "url": "https://www.gov.uk/sure-start-maternity-grant", + "contents": [ + "

    Overview

    ", + "

    You could get a one-off payment of \u00a3500 to help towards the costs of having a child. This is known as a Sure Start Maternity Grant.

    ", + "

    If you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.

    ", + "

    You usually qualify for the grant if both of the following apply:

    ", + "
  • you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already
  • ", + "
  • you or your partner already get certain benefits
  • ", + "

    You must claim the grant within 11 weeks of the baby\u2019s due date or within 6 months after the baby\u2019s birth.

    ", + "

    You do not have to pay the grant back and it will not affect your other benefits or tax credits.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    What you'll get

    ", + "

    A Sure Start Maternity Grant is \u00a3500 and you do not have to pay it back.

    ", + "

    You may not get a grant if you already have children.

    ", + "

    If you already have children under 16

    ", + "

    You can only get a grant if at least one of the following applies:

    ", + "
  • you\u2019re expecting a multiple birth (such as twins)
  • ", + "
  • the child you\u2019re caring for is someone else\u2019s
  • ", + "
  • you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK
  • ", + "Children under 16 | Grant if you have twins | Grant if you have triplets", + "You have 1 or more (and none of them are from multiple births) | \u00a3500 | \u00a31,000", + "You\u2019ve already had twins | \u00a30 | \u00a3500", + "You\u2019ve already had triplets | \u00a30 | \u00a30", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are paid into your bank, building society or credit union account.

    ", + "

    Eligibility

    ", + "

    Usually, to qualify for a Sure Start Maternity Grant there must be no other children in your family. You or your partner must also get one of these benefits:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Working Tax Credit that includes a disability or severe disability element
  • ", + "
  • Universal Credit
  • ", + "

    You may also qualify if you\u2019re getting a Support for Mortgage Interest loan.

    ", + "

    If you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.

    ", + "

    If you already have children under 16

    ", + "

    You may still be able to get a grant if any of the following apply:

    ", + "
  • you\u2019re expecting a multiple birth (such as twins)
  • ", + "
  • the child you\u2019re caring for is someone else\u2019s (but not your partner\u2019s) and the child was over 12 months old when the arrangement started
  • ", + "
  • you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK
  • ", + "

    You must claim by the deadline.

    ", + "

    If you\u2019re not giving birth

    ", + "

    You may also be able to get a grant if you\u2019re adopting or becoming a surrogate parent.

    ", + "

    The baby must be less than 1 year old on the date you claim. You must be receiving one of the benefits above and one of the following must also apply:

    ", + "
  • you\u2019ve become responsible for the baby and you\u2019re not the mother
  • ", + "
  • the baby has been placed with you for adoption
  • ", + "
  • you\u2019ve got permission to adopt a baby from abroad
  • ", + "
  • you\u2019ve got a parental order for a surrogate birth
  • ", + "
  • you\u2019ve been appointed as guardian
  • ", + "
  • you\u2019ve an adoption or a residence order
  • ", + "

    How to claim

    ", + "

    You can claim from 11 weeks before the week your baby is due. The latest you can claim is 6 months after your baby is born.

    ", + "

    If you\u2019re becoming responsible for a child, you must claim within 6 months of this happening.

    ", + "

    Claim by post

    ", + "
  • Print out and fill in the Sure Start Maternity Grant (SF100) claim form.
  • ", + "
  • Get a health professional such as a doctor or midwife to fill in the statement on page 10 of the form. You can send your form without this statement if necessary to meet the deadline. If you do this, you\u2019ll be contacted about arranging the statement at a later date.
  • ", + "
  • Post the form to \u2018Freepost DWP SSMG\u2019 - you do not need a postcode or a stamp.
  • ", + "

    There\u2019s a different form and postal address if you live in Northern Ireland.

    ", + "

    You\u2019ll get a letter telling you if your claim was successful.

    ", + "

    If you get Universal Credit, you will not get a decision on your claim until after your next payment.

    ", + "

    Get help with your claim

    ", + "

    Call the Sure Start Maternity Grant helpline.

    ", + "

    You can also contact Jobcentre Plus.

    ", + "

    Alternative formats

    ", + "

    Call the Sure Start Maternity Grant helpline to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    " + ] + }, + { + "title": "Paternity pay and leave", + "url": "https://www.gov.uk/paternity-pay-leave", + "contents": [ + "

    Overview

    ", + "

    When you take time off because your partner\u2019s having a baby, adopting a child or having a baby through a surrogacy arrangement you might be eligible for:

    ", + "
  • 1 or 2 weeks\u2019 paid Paternity Leave
  • ", + "
  • Paternity Pay
  • ", + "
  • Shared Parental Leave and Pay
  • ", + "

    You may not get both leave and pay, and there are rules on how to claim and when your leave can start.

    ", + "

    Employment rights when on leave

    ", + "

    Your employment rights are protected while on paternity leave. This includes your right to:

    ", + "
  • pay rises
  • ", + "
  • build up (accrue) holiday
  • ", + "
  • return to work
  • ", + "

    You can get time off to accompany your partner (or the surrogate mother) to 2 antenatal appointments.

    ", + "

    If you\u2019re adopting a child, you can get time off to attend 2 adoption appointments after you\u2019ve been matched with a child.

    ", + "

    Leave

    ", + "

    Paternity leave

    ", + "

    You can choose to take either 1 or 2 weeks. You get the same amount of leave if your partner has a multiple birth (such as twins).

    ", + "

    You must take your leave in one go. A week is the same amount of days that you normally work in a week - for example, a week is 2 days if you only work on Mondays and Tuesdays.

    ", + "

    Start and end dates

    ", + "

    Leave cannot start before the birth. It must end within 56 days of the birth (or due date if the baby is early).

    ", + "

    You must give your employer 28 days\u2019 notice if you want to change your start date.

    ", + "

    You do not have to give a precise date when you want to take leave (for example 1 February). Instead you can give a general time, such as the day of the birth or 1 week after the birth.

    ", + "

    The rules are different if you adopt.

    ", + "

    Shared Parental Leave

    ", + "

    You may also be eligible for Shared Parental Leave (SPL). You cannot take Paternity Leave after you take SPL.

    ", + "

    Leave for antenatal appointments

    ", + "

    You can take unpaid leave to accompany a pregnant woman to 2 antenatal appointments if you\u2019re:

    ", + "
  • the baby\u2019s father
  • ", + "
  • the expectant mother\u2019s spouse or civil partner
  • ", + "
  • in a long-term relationship with the expectant mother
  • ", + "
  • the intended parent (if you\u2019re having a baby through a surrogacy arrangement)
  • ", + "

    You can take up to 6 and a half hours per appointment. Your employer can choose to give you longer.

    ", + "

    You can apply for leave immediately if you\u2019re a permanent employee. You\u2019ll need to have been doing a job for 12 weeks before you qualify if you\u2019re an agency worker.

    ", + "

    Pay

    ", + "

    The statutory weekly rate of Paternity Pay is \u00a3151.97, or 90% of your average weekly earnings (whichever is lower).

    ", + "

    Any money you get is paid in the same way as your wages, for example monthly or weekly. Tax and National Insurance will be deducted.

    ", + "

    Start and end dates

    ", + "

    The money is usually paid while you\u2019re on leave. Your employer must confirm the start and end dates for your Paternity Pay when you claim it.

    ", + "

    To change the start date you must give your employer 28 days\u2019 notice.

    ", + "

    You could get more pay if your employer has a company paternity scheme - they cannot offer you less than the statutory amounts.

    ", + "

    Eligibility

    ", + "

    You must be taking time off to look after the child and be one of the following:

    ", + "
  • the father
  • ", + "
  • the husband or partner of the mother (or adopter) - this includes same-sex partners
  • ", + "
  • the child\u2019s adopter
  • ", + "
  • the intended parent (if you\u2019re having a baby through a surrogacy arrangement)
  • ", + "

    There are extra conditions you need to meet to qualify for leave and pay.

    ", + "

    You cannot get Paternity Pay and Leave if you\u2019ve taken paid time off to attend adoption appointments.

    ", + "

    Paternity Leave

    ", + "

    You must:

    ", + "
  • be an employee
  • ", + "
  • give the correct notice
  • ", + "
  • have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • ", + "

    The \u2018qualifying week\u2019 is the 15th week before the baby is due. This is different if you adopt.

    ", + "

    Paternity Pay

    ", + "

    You must:

    ", + "
  • be employed by your employer up to the date of birth
  • ", + "
  • earn at least \u00a3120 a week (before tax)
  • ", + "
  • give the correct notice
  • ", + "
  • have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • ", + "

    The \u2018qualifying week\u2019 is the 15th week before the baby is due. This is different if you adopt.

    ", + "

    If you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.

    ", + "

    If you lose your baby

    ", + "

    You can still get Paternity Leave or Pay if your baby is:

    ", + "
  • stillborn from 24 weeks of pregnancy
  • ", + "
  • born alive at any point during the pregnancy
  • ", + "

    If you\u2019re not eligible

    ", + "

    Your employer must tell you within 28 days if you do not qualify and why using form SPP1.

    ", + "

    How to claim

    ", + "

    Claim Paternity Leave and Pay through your employer. You do not need to give proof of the pregnancy or birth.

    ", + "

    The rules and forms are different if you adopt.

    ", + "

    Paternity Leave

    ", + "

    At least 15 weeks before the baby is due, tell your employer:

    ", + "
  • the due date
  • ", + "
  • when you want your leave to start, for example the day of the birth or the week after the birth
  • ", + "
  • if you want 1 or 2 weeks\u2019 leave
  • ", + "

    Your employer can ask for this in writing. You can ask for Paternity Pay at the same time, if you use form SC3 (or your employer\u2019s own version).

    ", + "

    Use the paternity planner to find out when you need to claim Paternity Leave by.

    ", + "

    Paternity Pay

    ", + "

    At least 15 weeks before the baby is due, give your employer form SC3 (or their own version).

    ", + "

    Adoption and surrogacy

    ", + "

    Eligibility

    ", + "

    You must have been continuously employed by your employer for at least 26 weeks by the \u2018matching week\u2019. For adoption this is either:

    ", + "
  • the end of the week you\u2019re matched with the child (UK adoptions)
  • ", + "
  • the date the child enters the UK or when you want your pay to start (overseas adoptions)
  • ", + "

    You must also meet the other eligibility conditions for paternity leave or pay.

    ", + "

    Start and end dates - Paternity Leave

    ", + "

    Your period of Paternity Leave can start:

    ", + "
  • on the date of placement
  • ", + "
  • an agreed number of days after the date of placement
  • ", + "
  • on the date the child arrives in the UK or an agreed number of days after this (overseas adoptions only)
  • ", + "
  • the day the child\u2019s born or the day after if you\u2019re working that day (surrogate parents)
  • ", + "

    Leave must be taken within 56 days of the date of placement or the child\u2019s arrival in the UK (overseas adoptions).

    ", + "

    You must give your employer 28 days\u2019 notice if you want to change your start date.

    ", + "

    How to claim - Paternity Leave or Pay

    ", + "

    You must use form SC4 (or your employer\u2019s own version) for:

    ", + "
  • leave - within 7 days of your co-adopter or partner being matched with a child
  • ", + "
  • pay - 28 days before you want your pay to start
  • ", + "

    For overseas adoptions the form and notice period is different. The process is explained on form SC5.

    ", + "

    Proof of adoption

    ", + "

    You must give your employer proof of adoption to qualify for Paternity Pay. Proof is not needed for Paternity Leave unless your employer asks for it.

    ", + "

    Proof can be a letter from your adoption agency or the matching certificate.

    ", + "

    You\u2019ll need to provide this information within 28 days.

    ", + "

    Surrogacy arrangements

    ", + "

    To be eligible for Paternity Pay and Leave if you use a surrogate to have a baby, you must:

    ", + "
  • be in a couple
  • ", + "
  • be responsible for the child (with your partner)
  • ", + "
  • have worked for your employer continuously for at least 26 weeks by the end of the \u2018qualifying week\u2019 (the 15th week before the baby is due)
  • ", + "

    At least 15 weeks before the due date, tell your employer when the baby is due and when you want to start your leave - they may ask for this in writing.

    ", + "

    Your employer may ask for a written statement to confirm you intend to apply for a parental order in the 6 months after the child\u2019s birth. You must sign this in the presence of a legal professional.

    ", + "

    You cannot get Paternity Leave if you take Shared Parental Leave.

    " + ] + }, + { + "title": "Shared Parental Leave and Pay", + "url": "https://www.gov.uk/shared-parental-leave-and-pay", + "contents": [ + "

    How it works

    ", + "

    You and your partner may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if you\u2019re:

    ", + "
  • having a baby
  • ", + "
  • using a surrogate to have a baby
  • ", + "
  • adopting a child
  • ", + "

    You can share up to 50 weeks of leave and up to 37 weeks of pay between you.

    ", + "

    You need to share the pay and leave in the first year after your child is born or placed with your family.

    ", + "

    You can use SPL to take leave in blocks separated by periods of work, or take it all in one go. You can also choose to be off work together or to stagger the leave and pay.

    ", + "

    To get SPL and ShPP, you and your partner need to:

    ", + "
  • meet the eligibility criteria - there\u2019s different criteria for birth parents and criteria for adoptive parents or parents using a surrogate
  • ", + "
  • give notice to your employers
  • ", + "

    Eligibility for birth parents

    ", + "

    To be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both parents must:

    ", + "
  • share responsibility for the child at birth
  • ", + "
  • meet work and pay criteria - these are different depending on which parent wants to use the shared parental leave and pay
  • ", + "

    You\u2019re not eligible if you started sharing responsibility for the child after it was born.

    ", + "

    The eligibility criteria are different if you\u2019re adoptive parents or parents using a surrogate.

    ", + "

    You can check if you can get SPL and ShPP. You\u2019ll need to know:

    ", + "
  • your child\u2019s due date or birth date
  • ", + "
  • your and your partner\u2019s employment status and earnings
  • ", + "
  • if you and your partner can get Statutory Maternity Pay or Statutory Paternity Pay
  • ", + "

    If both parents want to share the SPL and ShPP

    ", + "

    To be eligible for SPL and ShPP, you and your partner must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date
  • ", + "
  • stay with the same employer until you start your SPL
  • ", + "

    To be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.

    ", + "

    To be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.

    ", + "

    If the mother\u2019s partner wants to take the SPL and ShPP

    ", + "

    For the mother\u2019s partner to take SPL and ShPP, both the mother and the mother\u2019s partner must meet some eligibility requirements.

    ", + "

    The mother must:

    ", + "
  • have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)
  • ", + "
  • have earned at least \u00a3390 in total across any 13 of the 66 weeks
  • ", + "

    The mother\u2019s partner must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date
  • ", + "
  • stay with the same employer until they start their SPL
  • ", + "

    To be eligible for SPL, the partner must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the partner is a \u2018worker\u2019, they might be able to get ShPP but not SPL.

    ", + "

    To be eligible for ShPP, the partner must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    If the mother wants to take the SPL and ShPP

    ", + "

    For the mother to take SPL and ShPP, both the mother\u2019s partner and the mother must meet some eligibility criteria.

    ", + "

    The mother\u2019s partner must:

    ", + "
  • have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)
  • ", + "
  • have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)
  • ", + "

    The mother must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date
  • ", + "
  • stay with the same employer until they start their SPL
  • ", + "

    To be eligible for SPL, the mother must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the mother is a \u2018worker\u2019, they might be able to get ShPP but not SPL.

    ", + "

    To be eligible for ShPP, the mother must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    Eligibility for adopters or parents using a surrogate

    ", + "

    To be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both adoptive parents or both parents using a surrogate must:

    ", + "
  • share responsibility for the child on the child\u2019s due date or birth date if you\u2019re using a surrogate, or the date they\u2019re placed with you if you\u2019re adopting
  • ", + "
  • meet the work and earnings criteria - these are different depending on which one of you wants to use the shared parental leave and pay
  • ", + "

    The eligibility criteria are different if you\u2019re birth parents.

    ", + "

    You can check if you can get SPL and ShPP. You\u2019ll need to know:

    ", + "
  • your child\u2019s due date or birth date if you\u2019re using a surrogate, or the match date if you\u2019re adopting
  • ", + "
  • your and your partner\u2019s employment status and earnings
  • ", + "
  • if you and your partner can get Statutory Adoption Pay or Statutory Paternity Pay
  • ", + "

    If both parents want to share the SPL and ShPP

    ", + "

    To be eligible for SPL and ShPP, you and your partner must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family
  • ", + "
  • stay with the same employer until you start your SPL
  • ", + "

    To be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.

    ", + "

    To be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.

    ", + "

    If only one of the parents wants to take the SPL and ShPP

    ", + "

    Both parents must meet some eligibility criteria.

    ", + "

    The parent who wants to take the leave and pay must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family
  • ", + "
  • stay with the same employer until they start their SPL
  • ", + "

    To be eligible for SPL, they must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If they are a \u2018worker\u2019, they might be able to get ShPP but not SPL.

    ", + "

    To be eligible for ShPP, they must earn on average at least \u00a3120 each a week.

    ", + "

    The other parent must:

    ", + "
  • have been working for at least 26 weeks out of the 66 weeks before the week the child was placed with you (the 26 weeks do not need to be in a row)
  • ", + "
  • have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)
  • ", + "

    If either parent earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    What you'll get

    ", + "

    If you\u2019re eligible and you or your partner end maternity or adoption leave and pay (or Maternity Allowance) early, then you can:

    ", + "
  • take the rest of the 52 weeks of maternity or adoption leave as Shared Parental Leave (SPL)
  • ", + "
  • take the rest of the 39 weeks of maternity or adoption pay (or Maternity Allowance) as Statutory Shared Parental Pay (ShPP)
  • ", + "

    You can check when you and your partner can take your leave and how much statutory pay you\u2019ll get using the Shared Parental Leave and Pay planning tool.

    ", + "

    How much pay you\u2019ll get

    ", + "

    ShPP is paid at the rate of \u00a3151.97 a week or 90% of your average weekly earnings, whichever is lower.

    ", + "

    This is the same as Statutory Maternity Pay (SMP) except that during the first 6 weeks SMP is paid at 90% of whatever you earn (with no maximum).

    ", + "

    When you can start

    ", + "

    You can only start Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) once the child has been born or placed for adoption.

    ", + "

    You can check when you and your partner can start your leave using the Shared Parental Leave and Pay planning tool.

    ", + "

    For SPL to start

    ", + "

    The mother (or the person getting adoption leave) must either:

    ", + "
  • return to work, which ends any maternity or adoption leave
  • ", + "
  • give their employer \u2018binding notice\u2019 of the date when they plan to end their leave (you cannot normally change the date you give in binding notice)
  • ", + "

    You can start SPL while your partner is still on maternity or adoption leave as long as they\u2019ve given binding notice to end it.

    ", + "

    You can give binding notice and say when you plan to take your SPL at the same time.

    ", + "

    A mother cannot return to work before the end of the compulsory 2 weeks of maternity leave following the birth (4 weeks if they work in a factory). If you\u2019re adopting, the person claiming adoption pay must take at least 2 weeks of adoption leave.

    ", + "

    If the mother or adopter does not get maternity or adoption leave

    ", + "

    The mother or adopter must end any maternity pay, adoption pay or Maternity Allowance so that they or their partner can get SPL.

    ", + "

    For ShPP to start

    ", + "

    The mother (or the person getting adoption pay) must give their employer binding notice of the date when they plan to end any maternity or adoption pay.

    ", + "

    If they get Maternity Allowance, they must give notice to Jobcentre Plus instead.

    ", + "

    They cannot restart maternity pay, Maternity Allowance or adoption pay once it\u2019s ended.

    ", + "

    You can start ShPP while your partner is still on maternity pay, adoption pay or Maternity Allowance as long as they\u2019ve given binding notice to end it.

    ", + "

    You can give binding notice and say when you plan to take your ShPP at the same time.

    ", + "

    Change the decision to end maternity or adoption leave

    ", + "

    The mother or adopter may be able to change their decision to end maternity or adoption leave early. They must let their employer know.

    ", + "

    They can only change the decision if both:

    ", + "
  • the planned end date has not passed
  • ", + "
  • they have not already returned to work
  • ", + "

    One of the following must also apply:

    ", + "
  • you find out during the 8-week notice period that neither of you is eligible for SPL or ShPP
  • ", + "
  • the mother or adopter\u2019s partner has died
  • ", + "
  • the mother tells their employer less than 6 weeks after the birth (and they gave their employer notice before the birth)
  • ", + "

    Booking blocks of leave

    ", + "

    You can book up to 3 separate blocks of Shared Parental Leave (SPL) instead of taking it all in one go, even if you are not sharing the leave with your partner.

    ", + "

    If your partner is also eligible for SPL, you can take up to 3 blocks of leave each. You can take leave at different times or both at the same time.

    ", + "

    You must tell your employer about your plans for leave when you apply for SPL. You can change these plans later but you must give your employer at least 8 weeks\u2019 notice before you want to begin a block of leave.

    ", + "

    You can check when you and your partner can take your leave using the Shared Parental Leave and Pay planning tool.

    ", + "

    Splitting blocks of leave

    ", + "

    If your employer agrees, you can split blocks into shorter periods of at least a week.

    ", + "

    Shared Parental Leave in touch (SPLIT) days

    ", + "

    You and your partner can each work up to 20 days while you\u2019re taking SPL. These are called \u2018Shared Parental Leave in touch\u2019 (or SPLIT) days.

    ", + "

    These days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days available to those on maternity or adoption leave.

    ", + "

    KIT and SPLIT days are optional - both you and your employer must agree to them.

    ", + "

    Applying for leave and pay

    ", + "

    To get Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) you must:

    ", + "
  • follow the rules for starting SPL and ShPP
  • ", + "
  • give your employer at least 8 weeks\u2019 written notice of your leave dates
  • ", + "

    If the mother (or person taking adoption leave) plans to take SPL or ShPP, they must apply to their employer.

    ", + "

    If the partner plans to take SPL or ShPP, both the partner and the mother (or person taking adoption leave) must apply to their employers.

    ", + "

    You can use Shared Parental Leave forms and templates created by Acas to:

    ", + "
  • give your employer notice that you plan to take SPL and ShPP
  • ", + "
  • give your employer notice of when the mother or adopter is going to end their maternity or adoption leave, and when they\u2019ll stop getting maternity or adoption pay
  • ", + "
  • book your leave dates
  • ", + "

    If your employer has their own forms you can use those instead.

    ", + "

    You can change your mind later about how much SPL or ShPP you plan to take and when you want to take it. You must give notice of any changes at least 8 weeks before the start of any leave.

    ", + "

    You might not get SPL or ShPP if you do not include all the required information.

    ", + "

    Giving more information

    ", + "

    Your employer can ask you for more information within 14 days of you applying for SPL or ShPP. They can ask for:

    ", + "
  • a copy of the birth certificate
  • ", + "
  • a declaration of the place and date of birth (if the birth has not been registered yet)
  • ", + "
  • the name and address of your partner\u2019s employer or a declaration that your partner has no employer
  • ", + "

    If you\u2019re adopting, your employer can ask for the:

    ", + "
  • name and address of the adoption agency
  • ", + "
  • date you were matched with the child
  • ", + "
  • date the child will start to live with you
  • ", + "
  • name and address of your partner\u2019s employer or a declaration that your partner has no employer
  • ", + "

    You must give this information within 14 days of being asked for it.

    " + ] + }, + { + "title": "Adoption pay and leave", + "url": "https://www.gov.uk/adoption-pay-leave", + "contents": [ + "

    Overview

    ", + "

    When you take time off to adopt a child or have a child through a surrogacy arrangement you might be eligible for:

    ", + "
  • Statutory Adoption Leave
  • ", + "
  • Statutory Adoption Pay
  • ", + "

    There are rules on when and how to claim your paid leave and if you want to change your dates.

    ", + "

    You may also be eligible to take Shared Parental Leave and Pay.

    ", + "

    Your employment rights when on leave

    ", + "

    Your employment rights are protected while on Statutory Adoption Leave. This includes your right to:

    ", + "
  • pay rises
  • ", + "
  • build up (accrue) holiday
  • ", + "
  • return to work
  • ", + "

    Leave

    ", + "

    Statutory Adoption Leave is 52 weeks. It\u2019s made up of:

    ", + "
  • 26 weeks of Ordinary Adoption Leave
  • ", + "
  • 26 weeks of Additional Adoption Leave
  • ", + "

    Only 1 person in a couple can take adoption leave. The other partner could get paternity leave instead.

    ", + "

    If you get adoption leave, you can also get paid time off work to attend 5 adoption appointments after you\u2019ve been matched with a child.

    ", + "

    Use the planner to work out the dates for your adoption leave.

    ", + "

    Start date

    ", + "

    Adoption leave can start:

    ", + "
  • up to 14 days before the date the child starts living with you (UK adoptions)
  • ", + "
  • when the child arrives in the UK or within 28 days of this date (overseas adoptions)
  • ", + "
  • the day the child\u2019s born or the day after (if you\u2019ve used a surrogate to have a child)
  • ", + "

    Change your dates

    ", + "

    You must tell your employer within 28 days if the date of placement (or UK arrival date for overseas adoptions) changes.

    ", + "

    You must give your employer at least 8 weeks\u2019 notice if you want to change your return to work date.

    ", + "

    Pay

    ", + "

    Statutory Adoption Pay is paid for up to 39 weeks. The weekly amount is:

    ", + "
  • 90% of your average weekly earnings for the first 6 weeks
  • ", + "
  • \u00a3151.97 or 90% of your average weekly earnings (whichever is lower) for the next 33 weeks
  • ", + "

    It\u2019s paid in the same way as your wages (for example monthly or weekly). Tax and National Insurance will be deducted.

    ", + "

    Extra pay

    ", + "

    You may get more pay if your employer has a company adoption pay scheme. Your employer cannot offer you less than the statutory amount.

    ", + "

    Start date

    ", + "

    Statutory Adoption Pay starts when you take your adoption leave.

    ", + "

    Problems and disputes

    ", + "

    If you disagree with the amount of Statutory Adoption Pay you get or your employer cannot pay it, for example because they\u2019re insolvent, contact the Statutory Payment Disputes Team.

    ", + "

    Eligibility

    ", + "

    There are different eligibility rules for leave and pay.

    ", + "

    Adoption leave

    ", + "

    To get Statutory Adoption Leave, you must:

    ", + "
  • be an employee
  • ", + "
  • give the correct notice
  • ", + "
  • give proof of the adoption or surrogacy, if your employer asks you for it
  • ", + "

    Leave if you\u2019re adopting a child from overseas

    ", + "

    You must also sign form SC6 if you\u2019re adopting from overseas with a partner. This confirms you\u2019re not taking paternity leave or pay.

    ", + "

    Adoption pay

    ", + "

    To get Statutory Adoption Pay, you must:

    ", + "
  • have been continuously employed by your employer for at least 26 weeks by the week you were matched with a child
  • ", + "
  • earn on average at least \u00a3120 a week (before tax)
  • ", + "
  • give the correct notice
  • ", + "
  • give proof of the adoption or surrogacy
  • ", + "

    If you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.

    ", + "

    Pay if you\u2019re adopting a child from overseas

    ", + "

    The requirements are the same if you\u2019re adopting from overseas, except you must have been continuously employed by your employer for at least 26 weeks when you start getting adoption pay.

    ", + "

    You must also sign form SC6 if you\u2019re adopting from overseas with a partner. This confirms you\u2019re not taking paternity leave or pay.

    ", + "

    Pay if you\u2019re in a surrogacy arrangement

    ", + "

    The requirements are the same if you\u2019re in a surrogacy arrangement, except you must have been continuously employed by your employer for at least 26 weeks by the 15th week before the baby\u2019s due.

    ", + "

    You must also:

    ", + "
  • intend to apply for a parental order
  • ", + "
  • expect the order to be granted (for example because you do not have any convictions involving children, and the birth mother or father agree to the arrangement)
  • ", + "

    If you\u2019re genetically related to the child (the egg or sperm donor), you can choose to get paternity leave and pay instead. You cannot get both.

    ", + "

    You\u2019re fostering for adoption

    ", + "

    If you\u2019re eligible for adoption pay and leave, you\u2019ll receive them from when the child comes to live with you.

    ", + "

    Exceptions

    ", + "

    You do not qualify for Statutory Adoption Leave or Pay if you:

    ", + "
  • arrange a private adoption
  • ", + "
  • become a special guardian or kinship carer
  • ", + "
  • adopt a stepchild
  • ", + "
  • adopt a family member
  • ", + "

    If you\u2019re not eligible

    ", + "

    Your employer must give you form SAP1 explaining why you cannot get Statutory Adoption Pay.

    ", + "

    You may get support from your local council instead, if you\u2019re adopting a child.

    ", + "

    How to claim

    ", + "

    The rules are slightly different if you\u2019re adopting from overseas or you\u2019re having a child through a surrogacy arrangement.

    ", + "

    Statutory Adoption Leave

    ", + "

    Within 7 days of being matched with a child you must tell your employer:

    ", + "
  • how much leave you want
  • ", + "
  • your leave start date
  • ", + "
  • the \u2018date of placement\u2019 - the date the child is placed with you
  • ", + "

    Your employer can ask for this in writing and for proof of the adoption.

    ", + "

    Your employer must confirm your leave start and end dates within 28 days.

    ", + "

    Use the planner to work out when you must claim your adoption leave.

    ", + "

    Statutory Adoption Pay

    ", + "

    Tell your employer you want to stop work to adopt a child and when you want your Statutory Adoption Pay to start. You must give them at least 28 days\u2019 notice. They can ask for this in writing and for proof of the adoption.

    ", + "

    Your employer must confirm within 28 days how much Statutory Adoption Pay you\u2019ll get and when it will start and stop.

    ", + "

    If they decide you\u2019re not eligible, they must give you form SAP1 within 7 days of making their decision and explain why.

    ", + "

    Proof of adoption

    ", + "

    You must give your employer proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless they request it.

    ", + "

    The proof must show:

    ", + "
  • your name and address and that of the agency
  • ", + "
  • the match date - for example the matching certificate
  • ", + "
  • the date of placement - for example a letter from the agency
  • ", + "
  • the relevant UK authority\u2019s \u2018official notification\u2019 confirming you\u2019re allowed to adopt (overseas adoptions only)
  • ", + "
  • the date the child arrived in the UK - for example a plane ticket (overseas adoptions only)
  • ", + "

    Overseas adoptions

    ", + "

    Tell your employer the date of your \u2018official notification\u2019 and when you expect the child to arrive in the UK. You must usually do this within 28 days of getting the notification.

    ", + "

    You can only take longer if you\u2019ve worked for your employer for less than 26 weeks. Tell them within 28 days of the Sunday in your 26th week.

    ", + "

    You must also tell them:

    ", + "
  • the actual date the child arrives in the UK - within 28 days of this date
  • ", + "
  • how much leave you want and your start date - giving your employer 28 days\u2019 notice
  • ", + "

    Surrogacy arrangements

    ", + "

    If you use a surrogate to have a baby, tell your employer the due date and when you want to start your leave at least 15 weeks before the expected week of birth. They may ask for this in writing.

    ", + "

    Your employer may also ask for a written statement (\u2018statutory declaration\u2019) to confirm you\u2019ve applied or will apply for a parental order in the 6 months after the child\u2019s birth. You must sign this in the presence of a legal professional.

    " + ] + }, + { + "title": "Unpaid parental leave", + "url": "https://www.gov.uk/parental-leave", + "contents": [ + "

    Overview

    ", + "

    Eligible employees can take unpaid parental leave to look after their child\u2019s welfare, for example to:

    ", + "
  • spend more time with their children
  • ", + "
  • look at new schools
  • ", + "
  • settle children into new childcare arrangements
  • ", + "
  • spend more time with family, such as visiting grandparents
  • ", + "

    Their employment rights (like the right to pay, holidays and returning to a job) are protected during parental leave.

    ", + "

    Entitlement

    ", + "

    Parental leave is unpaid. You\u2019re entitled to 18 weeks\u2019 leave for each child and adopted child, up to their 18th birthday.

    ", + "

    The limit on how much parental leave each parent can take in a year is 4 weeks for each child (unless the employer agrees otherwise).

    ", + "

    You must take parental leave as whole weeks (eg 1 week or 2 weeks) rather than individual days, unless your employer agrees otherwise or if your child is disabled. You don\u2019t have to take all the leave at once.

    ", + "

    A \u2018week\u2019 equals the length of time an employee normally works over 7 days.

    ", + "

    Carrying leave over from a previous job

    ", + "

    Parental leave applies to each child not to an individual\u2019s job.

    ", + "

    Eligibility

    ", + "

    Employees qualify if all of these apply:

    ", + "
  • they\u2019ve been in the company for more than a year
  • ", + "
  • they\u2019re named on the child\u2019s birth or adoption certificate or they have or expect to have parental responsibility
  • ", + "
  • they\u2019re not self-employed or a \u2018worker\u2019, eg an agency worker or contractor
  • ", + "
  • they\u2019re not a foster parent (unless they\u2019ve secured parental responsibility through the courts)
  • ", + "
  • the child is under 18
  • ", + "

    Employers can ask for proof (like a birth certificate) as long as it\u2019s reasonable to do so, eg they can\u2019t ask for proof each time an employee requests leave.

    ", + "

    Employers can extend parental leave to those groups who aren\u2019t eligible. Employees can check this in their staff handbook.

    ", + "

    Notice period

    ", + "

    Employees must give 21 days\u2019 notice before their intended start date. If they or their partner are having a baby or adopting, it\u2019s 21 days before the week the baby or child is expected.

    ", + "

    Employees must confirm the start and end dates in their notice. Unless an employer requests it, this doesn\u2019t have to be in writing.

    ", + "

    Delaying leave

    ", + "

    Leave can\u2019t be postponed (delayed) if:

    ", + "
  • the employer doesn\u2019t have a \u2018significant reason\u2019, eg it would cause serious disruption to the business
  • ", + "
  • it\u2019s being taken by the father or partner immediately after the birth or adoption of a child
  • ", + "
  • it means an employee would no longer qualify for parental leave, eg postponing it until after the child\u2019s 18th birthday
  • ", + "

    If it\u2019s postponed, the employer:

    ", + "
  • must write explaining why within 7 days of the original request
  • ", + "
  • suggest a new start date - this must be within 6 months of the requested start date
  • ", + "
  • can\u2019t change the amount of leave being requested
  • " + ] + }, + { + "title": "Claim Child Benefit", + "url": "https://www.gov.uk/child-benefit", + "contents": [ + "

    How it works

    ", + "

    You get Child Benefit if you\u2019re responsible for bringing up a child who is:

    ", + "
  • under 16
  • ", + "
  • under 20 if they stay in approved education or training
  • ", + "

    Only one person can get Child Benefit for a child.

    ", + "

    It\u2019s paid every 4 weeks and there\u2019s no limit to how many children you can claim for.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    By claiming Child Benefit:

    ", + "
  • you can get National Insurance credits which count towards your State Pension
  • ", + "
  • your child will automatically get a National Insurance number when they\u2019re 16 years old
  • ", + "

    If you choose not to get Child Benefit payments, you should still fill in and send off the claim form.

    ", + "

    If you or your partner earn over \u00a350,000

    ", + "

    You may have to pay back some of your Child Benefit in tax if your (or your partner\u2019s) individual income is over \u00a350,000.

    ", + "

    If your circumstances change

    ", + "

    You must report any change of circumstances to the Child Benefit Office.

    ", + "

    What you'll get

    ", + "

    There are 2 Child Benefit rates.

    ", + "Who the allowance is for | Rate (weekly)", + "Eldest or only child | \u00a321.15", + "Additional children | \u00a314 per child", + "

    You must contact the Child Benefit Office if you\u2019re paid too much or too little.

    ", + "

    The benefit cap may affect the total amount of benefits you get, including Child Benefit.

    ", + "

    How and when Child Benefit is paid

    ", + "

    Child Benefit is usually paid every 4 weeks on a Monday or Tuesday.

    ", + "

    You can have the money paid weekly if you\u2019re a single parent or getting certain other benefits, such as Income Support.

    ", + "

    You can get the money paid into any account, apart from a Nationwide cashbuilder account (sort code 070030) in someone else\u2019s name.

    ", + "

    You can only get the money paid into one account.

    ", + "

    Child Benefit and your State Pension

    ", + "

    If your child is under 12 and you\u2019re not working or do not earn enough to pay National Insurance contributions, Child Benefit can give you National Insurance credits.

    ", + "

    These credits count towards your State Pension, so you do not have gaps in your National Insurance record.

    ", + "

    If families split up

    ", + "

    If a family splits up, you get \u00a321.15 a week for the eldest child.

    ", + "

    If you have 2 children and one stays with you and the other stays with your ex-partner, you\u2019ll both get \u00a321.15 a week for each child.

    ", + "

    If you both claim for the same child, only one of you will get Child Benefit for them.

    ", + "

    If you have other children who are entitled to Child Benefit, you\u2019ll get \u00a314 for each child.

    ", + "

    If families join together

    ", + "

    If 2 families join together, the eldest child in the new family qualifies for the \u00a321.15 rate and any other children who are eligible will get the \u00a314 rate.

    ", + "

    If you or your partner earn over \u00a350,000

    ", + "

    You can get Child Benefit if your (or your partner\u2019s) individual income is over \u00a350,000, but you may be taxed on the benefit. This is known as the High Income Child Benefit Tax Charge.

    ", + "

    If your partner\u2019s income is also over \u00a350,000 but yours is higher, you\u2019re responsible for paying the tax charge. You need to fill in a Self Assessment tax return each tax year and pay what you owe.

    ", + "

    Use the Child Benefit tax calculator to estimate how much tax you may have to pay.

    ", + "

    Once you earn \u00a360,000 you lose all of your benefit through tax.

    ", + "

    Eligibility

    ", + "

    Only one person can get Child Benefit for a child.

    ", + "

    You normally qualify for Child Benefit if you\u2019re responsible for a child under 16 (or under 20 if they stay in approved education or training) and you live in the UK.

    ", + "

    You\u2019ll usually be responsible for a child if you live with them or you\u2019re paying at least the same amount as Child Benefit (or the equivalent in kind) towards looking after them, for example on food, clothes or pocket money.

    ", + "

    Eligibility rules are different if your child:

    ", + "
  • goes into hospital or care
  • ", + "
  • lives with someone else
  • ", + "

    Child Benefit continues for 20 weeks if 16 or 17 year olds leave education or training and register with the armed services or a government-sponsored careers service.

    ", + "

    Fostering a child

    ", + "

    You\u2019ll get Child Benefit if you foster a child, as long as the local council is not paying anything towards their accommodation or maintenance.

    ", + "

    Adopting a child

    ", + "

    You can apply for Child Benefit as soon as any child you\u2019re adopting comes to live with you - you do not have to wait until the adoption process is complete.

    ", + "

    You might be able to get Child Benefit for a period before the adoption - contact the Child Benefit Office to find out.

    ", + "

    Looking after someone else\u2019s child

    ", + "

    You may be able to get Child Benefit if you\u2019ve got an informal arrangement to look after a friend or relative\u2019s child.

    ", + "

    You might not qualify if your local council is paying towards the child\u2019s accommodation or maintenance - contact the Child Benefit Office to find out.

    ", + "

    Two people cannot get Child Benefit for the same child - if you want to make a claim, you must agree it with the person who\u2019s currently claiming. HMRC will decide who receives the Child Benefit if you cannot agree.

    ", + "

    You may also be entitled to Guardian\u2019s Allowance if you\u2019re responsible for a child who has lost one or both of their parents.

    ", + "

    Living abroad

    ", + "

    You may be able to get Child Benefit if you go to live in certain countries or if you\u2019re a Crown servant.

    ", + "

    If you\u2019ve moved to the UK

    ", + "

    You may be able to get Child Benefit if you have moved to the UK and you have a \u2018right to reside\u2019.

    ", + "

    If your child starts work or gets benefits in their own right

    ", + "

    You\u2019ll stop receiving Child Benefit immediately if your child:

    ", + "
  • starts paid work for 24 hours or more a week and is no longer in approved education or training
  • ", + "
  • starts an apprenticeship in England
  • ", + "
  • starts getting certain benefits in their own right, such as Income Support, Employment and Support Allowance or tax credits
  • ", + "

    If you or your partner earn over \u00a350,000

    ", + "

    You\u2019ll still be eligible for Child Benefit even if you choose to stop receiving it. You can always change your mind and restart your payments.

    ", + "

    Contact the Child Benefit Office if you\u2019re not sure about your eligibility.

    ", + "

    How to claim

    ", + "

    You can claim Child Benefit as soon as you\u2019ve registered the birth of your child, or they come to live with you.

    ", + "

    If you\u2019re not able to register the birth of your child because of coronavirus (COVID-19), you can still make a claim to receive Child Benefit.

    ", + "

    How long it takes

    ", + "

    It can take 6 to 12 weeks to process a new Child Benefit claim (or longer if you\u2019re new to the UK). Child Benefit can be backdated for up to 3 months.

    ", + "

    Deciding who should claim

    ", + "

    Only one person can get Child Benefit for a child, so you need to decide whether it\u2019s better for you or the other parent to claim. The person who claims will get National Insurance credits towards their state pension if they are not working or earn less than \u00a3184 per week.

    ", + "

    Make a claim for the first time

    ", + "

    Fill in Child Benefit claim form CH2 and send it to the Child Benefit Office. The address is on the form.

    ", + "

    If your child is adopted, send their original adoption certificate with the form. You can order a new adoption certificate if you\u2019ve lost the original.

    ", + "

    If you do not have the certificate you need, send your claim form now and send the certificate once you\u2019ve got it.

    ", + "

    If your child\u2019s birth was registered outside the UK

    ", + "

    When you send your claim form, include your child\u2019s:

    ", + "
  • original birth certificate
  • ", + "
  • passport or travel document used to enter the UK
  • ", + "

    If you\u2019ve lost the original you can order a new birth certificate.

    ", + "

    Add a child to an existing claim

    ", + "

    Call the child benefit helpline if:

    ", + "
  • your child is under 6 months old and lives with you
  • ", + "
  • your child was born in the UK and their birth was registered in England, Scotland or Wales more than 24 hours ago
  • ", + "
  • you\u2019re a UK, EEA or Swiss national and you\u2019ve lived in the UK since the start of your claim
  • ", + "

    When you call, you\u2019ll need your:

    ", + "
  • National Insurance number
  • ", + "
  • child\u2019s birth certificate
  • ", + "

    If you do not meet the criteria to add a child by phone

    ", + "

    You\u2019ll need to make a new claim by post. Fill in Child Benefit form CH2 and send it to the Child Benefit Office. The address is on the form.

    ", + "

    If you\u2019re claiming for more than 2 children, also include the \u2018additional children\u2019 form.

    ", + "

    Claiming Child Benefit for someone else

    ", + "

    You may be able to manage someone else\u2019s Child Benefit claim.

    ", + "

    Make a change to your claim

    ", + "

    You must report any change of circumstances to the Child Benefit Office. These include changes to your:

    ", + "
  • family life, for example getting married
  • ", + "
  • child\u2019s life, for example leaving education or training
  • ", + "

    Change who gets Child Benefit

    ", + "

    Contact the Child Benefit Office if you want someone else to claim Child Benefit, for example, your spouse or partner.

    ", + "

    After you\u2019ve done this, tell the other person to make a new claim.

    ", + "

    Stop or restart payments

    ", + "

    You can choose to stop or restart your payments at any time, for example because you or your partner earn over \u00a350,000 a year. It does not affect your eligibility.

    ", + "

    Get help with your claim

    ", + "

    Contact the Child Benefit Office if you have any questions.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Make a complaint

    ", + "

    You can complain to the Child Benefit Office if you\u2019re unhappy with the way you\u2019ve been treated.

    " + ] + }, + { + "title": "High Income Child Benefit Tax Charge", + "url": "https://www.gov.uk/child-benefit-tax-charge", + "contents": [ + "

    Overview

    ", + "

    You may have to pay a tax charge, known as the \u2018High Income Child Benefit Charge\u2019, if you have an individual income over \u00a350,000 and either:

    ", + "
  • you or your partner get Child Benefit
  • ", + "
  • someone else gets Child Benefit for a child living with you and they contribute at least an equal amount towards the child\u2019s upkeep
  • ", + "

    It does not matter if the child living with you is not your own child.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    What counts as income

    ", + "

    To work out if your income is over the threshold, you\u2019ll need to work out your \u2018adjusted net income\u2019.

    ", + "

    Your adjusted net income is your total taxable income before any personal allowances and less things like Gift Aid.

    ", + "

    Use the Child Benefit tax calculator to get an estimate of your adjusted net income.

    ", + "

    Who pays the tax charge

    ", + "

    If your individual income is over \u00a350,000 and so is your partner\u2019s, then whoever has the higher income is responsible for paying the tax charge.

    ", + "

    \u2018Partner\u2019 means someone you\u2019re not permanently separated from who you\u2019re married to, in a civil partnership with or living with as if you were.

    ", + "

    If your income is over the threshold

    ", + "

    You can choose to either:

    ", + "
  • get Child Benefit payments, and pay any tax charge at the end of each tax year
  • ", + "
  • not get Child Benefit payments, and not pay the tax charge
  • ", + "

    If you choose to not get Child Benefit

    ", + "

    You can still fill in the Child Benefit claim form. You need to state on the form that you do not want to get payments.

    ", + "

    You need to fill in the claim form if you want to:

    ", + "
  • get National Insurance credits, which count towards your State Pension
  • ", + "
  • ensure your child gets their National Insurance number automatically before they\u2019re 16 - otherwise they need to apply for one themselves
  • ", + "

    Already getting Child Benefit

    ", + "

    You can choose to either:

    ", + "
  • stop getting Child Benefit - sometimes known as \u2018opting out\u2019
  • ", + "
  • carry on getting Child Benefit and pay any tax charge at the end of each tax year
  • ", + "

    Pay the tax charge

    ", + "

    To pay the tax charge, you must:

    ", + "
  • register for Self Assessment
  • ", + "
  • fill in a Self Assessment tax return each tax year and pay what you owe
  • ", + "

    Register for Self Assessment

    ", + "

    If you do not usually send a tax return, you need to register by 5 October following the tax year you need to pay the tax charge.

    ", + "

    You can get a penalty if you do not register for Self Assessment or do not declare child benefit on your Self Assessment tax return.

    ", + "

    You\u2019ll get a letter telling you what to do next after you\u2019ve registered.

    ", + "

    Register now

    ", + "

    If you cannot get information from your partner or ex-partner

    ", + "

    You can write to HM Revenue and Customs (HMRC) to ask whether your partner or ex-partner gets Child Benefit or has a higher adjusted net income than you. HMRC will reply \u2018yes\u2019 or \u2018no\u2019 - they will not give you any financial information.

    ", + "

    You can only ask for this information if you and your partner either live together, or separated within the tax year you want information for.

    ", + "

    Write to HMRC

    ", + "

    You need to tell HMRC the tax year you\u2019re asking about, as well as your:

    ", + "
  • name, address, date of birth and National Insurance number
  • ", + "
  • Unique Taxpayer Reference, if you have one
  • ", + "
  • adjusted net income
  • ", + "
  • partner or ex-partner\u2019s name
  • ", + "

    If you can, include your partner or ex-partner\u2019s:

    ", + "
  • address
  • ", + "
  • date of birth
  • ", + "
  • National Insurance number, if you know it
  • ", + "
  • Unique Taxpayer Reference, if they have one
  • ", + "

    Send your letter to:

    ", + "

    Stop your Child Benefit

    ", + "

    To stop your Child Benefit you can either:

    ", + "
  • fill in an online form
  • ", + "
  • contact the Child Benefit Office by phone or post
  • ", + "

    You need a Government Gateway user ID and password to fill in the online form. If you do not have a user ID, you can create one when you fill in the form.

    ", + "

    You cannot use the online form if you\u2019re an appointee or authorised agent.

    ", + "

    You cannot stop your Child Benefit if you\u2019re using it to pay back an overpayment (or to pay back certain other benefits from another country).

    ", + "

    Responsibilities after your Child Benefit stops

    ", + "

    You must pay any tax charge owed for each tax year up to the date your Child Benefit stops.

    ", + "

    Use the Child Benefit tax calculator to get an estimate of how much you may owe each tax year.

    ", + "

    Even after your payments stop, you must report any changes in your family life that affect your entitlement to Child Benefit.

    ", + "

    Restart your Child Benefit

    ", + "

    You can restart your Child Benefit if:

    ", + "
  • you\u2019ve previously stopped it because of the tax charge
  • ", + "
  • you still qualify for Child Benefit
  • ", + "

    To restart your Child Benefit, either:

    ", + "
  • fill in an online form
  • ", + "
  • contact the Child Benefit Office
  • ", + "

    You need a Government Gateway user ID and password to fill in the online form. If you do not have a user ID, you can create one when you fill in the form.

    ", + "

    You cannot use the online form if you\u2019re an appointee or authorised agent.

    ", + "

    Payments usually start again the Monday after your request is received. The Child Benefit Office will write telling you how much backdated Child Benefit you\u2019ll get (if any).

    ", + "

    Responsibilities after your Child Benefit restarts

    ", + "

    You (or your partner) will have to pay any tax charge on the benefit received from the restart date if your income is over \u00a350,000.

    ", + "

    Use the Child Benefit tax calculator to get an estimate of your income and tax deductions to see if you may be affected by the tax charge.

    ", + "

    You must report any changes to your family life that affect your Child Benefit.

    ", + "

    If your circumstances change

    ", + "

    Your income changes

    ", + "

    You will not have to pay the tax charge if your income for the whole of a tax year is less than \u00a350,000.

    ", + "

    You can choose to stop or restart your Child Benefit at any time. Use the Child Benefit tax calculator to get an estimate of your income changes to see if they may affect the tax charge.

    ", + "

    You have a new child

    ", + "

    Claiming Child Benefit helps you qualify for:

    ", + "
  • National Insurance credits, which protect your right to the State Pension
  • ", + "
  • other benefits like Guardian\u2019s Allowance
  • ", + "

    Child Benefit proves you (or your partner) support another child. You may pay less child maintenance for children not living with you.

    ", + "

    You can make a new claim or just protect your entitlement to the above by:

    ", + "
  • sending a Child Benefit claim form
  • ", + "
  • ticking the option to \u2018not have the benefit paid\u2019
  • ", + "

    A partner moves in or out

    ", + "

    Your situation may change if your income is more than \u00a350,000 and you move in or split up with someone who\u2019s getting Child Benefit.

    ", + "

    You\u2019ll have to pay the tax charge if your income is more than \u00a350,000 and higher than your new partner\u2019s income. Your partner pays it if their income is higher.

    ", + "

    The tax charge applies from the date you move in together to either the date you permanently separate or the Child Benefit stops - for example because the child is too old to qualify for it.

    ", + "

    Short periods apart do not count as separation, for example a hospital stay or working away from home.

    " + ] + }, + { + "title": "Making a child maintenance arrangement", + "url": "https://www.gov.uk/making-child-maintenance-arrangement", + "contents": [ + "

    Overview

    ", + "

    Child maintenance is an arrangement between you and the other parent of your child. It covers how your child\u2019s living costs will be paid for when one of the parents no longer lives with them. It\u2019s made when you\u2019ve separated from the other parent (or if you\u2019ve never been in a relationship).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Both parents are responsible for the costs of raising their children, even if they do not see them. Making agreements about access to your children happens separately.

    ", + "

    Child maintenance can be either:

    ", + "
  • a private arrangement between you and the other parent
  • ", + "
  • made through the Child Maintenance Service - a government scheme
  • ", + "

    You need to have child maintenance arrangements for children under 16 (or under 20 if they\u2019re in approved education or training). If you make a private arrangement you can continue paying after then.

    ", + "

    If you\u2019re experiencing domestic abuse or controlling behaviour

    ", + "

    Domestic abuse includes controlling behaviour. For example:

    ", + "
  • emotionally controlling or manipulative behaviour
  • ", + "
  • controlling your finances
  • ", + "
  • controlling the way you look after your children
  • ", + "

    You can use the Child Maintenance Service to arrange child maintenance if you do not want to contact the\u00a0other parent yourself. They will contact the other parent for you and you will not need to pay the application fee if you\u2019re experiencing domestic abuse.

    ", + "

    How it affects benefits

    ", + "

    Child maintenance payments will not affect any benefits that you and your children get. You will not have to pay tax on them.

    ", + "

    Your Council Tax Reduction could be affected. Contact your local council to find out if this applies to you.

    ", + "

    Making an arrangement for the first time

    ", + "
  • Talk to the other parent about making your own arrangements.
  • ", + "
  • If you cannot agree, or you feel at risk talking to the other parent, contact Child Maintenance Options for help and support.
  • ", + "
  • If you decide to use the Child Maintenance Service, they\u2019ll give you a reference number and explain how to apply.
  • ", + "

    Arrange child maintenance yourself

    ", + "

    You can make arrangements for your children if both parents agree. This might cover their living costs and care.

    ", + "

    This is a private arrangement where you and the other parent organise everything yourselves. No one else has to be involved. It\u2019s flexible and can be changed if your circumstances change. For example, you could both agree that one parent:

    ", + "
  • does school or nursery pick ups
  • ", + "
  • looks after the children in the holidays
  • ", + "
  • pays a proportion of their income to the parent with day to day care
  • ", + "
  • pays for things like housing, school uniform, trips or after school clubs
  • ", + "
  • pays a regular set amount directly to the parent with care
  • ", + "

    Working out payments

    ", + "

    If you agree to make regular payments, you can use the child maintenance calculator to help you decide how much payments should be.

    ", + "

    Get help to make an arrangement

    ", + "

    You can search for a local mediator to help you reach agreement about an arrangement.

    ", + "

    You can read guidance on:

    ", + "
  • working out the cost of raising your children
  • ", + "
  • having a conversation about child maintenance
  • ", + "
  • recording your agreement
  • ", + "

    You can contact Child Maintenance Options for support.

    ", + "

    There are different contact details if you live in Northern Ireland.

    ", + "

    If your private arrangement stops working

    ", + "

    You can search for a local mediator to help you work out child maintenance arrangements.

    ", + "

    If you later decide to switch to using the Child Maintenance Service you may have to pay an application fee. You will not need to pay the fee if you\u2019ve experienced domestic abuse, you\u2019re under 19 years old or you live in Northern Ireland.

    ", + "

    Using the Child Maintenance Service

    ", + "

    The Child Maintenance Service is for parents who have not been able to make a private arrangement about how their child\u2019s living costs will be paid. The payments are a fixed amount on a schedule.

    ", + "

    Once the Child Maintenance Service calculates the maintenance amount, payments are usually managed between parents. The payments are fixed amounts paid on a schedule.

    ", + "

    If you use the service to collect and transfer payments, you\u2019ll pay a fee each time you make or receive a payment.

    ", + "

    The Child Maintenance Service can:

    ", + "
  • work out child maintenance payment amounts (you can do this yourself with the calculator)
  • ", + "
  • arrange for the other parent to pay child maintenance and take action if payments are not made
  • ", + "
  • help find the other parent (they\u2019ll need information from you and will not be able to set up a case if they cannot be found)
  • ", + "
  • sort out disagreements about parentage
  • ", + "
  • look at the payments if changes in parents\u2019 circumstances are reported
  • ", + "

    You can switch to arranging child maintenance yourself later on.

    ", + "

    If you\u2019ve experienced domestic abuse or controlling behaviour from your child\u2019s other parent

    ", + "

    If you\u2019re worried about your child\u2019s other parent contacting you, tell the Child Maintenance Service. You do not need to be in contact with the other parent.

    ", + "

    Tell the Child Maintenance Service if it\u2019s not safe for the other parent to know your location or personal information, for example if you\u2019ve changed your name.

    ", + "

    Getting payments without sharing your location

    ", + "

    There are ways to get payments from your child\u2019s other parent without sharing your location.

    ", + "

    You can ask your bank to set up a \u2018non-geographical\u2019 bank account if you do not want the other parent to know your address. Ask the Child Maintenance Service to give you a letter to explain why you need it.

    ", + "

    You can also set up a pre-payment card which is not connected to a bank account. The paying parent can set up a standing order to your pre-payment card.

    ", + "

    Eligibility

    ", + "

    Your child needs to be under 16 (or under 20 if they stay in approved education or training).

    ", + "

    You need to live in the UK as your main home and have the right to live here.

    ", + "

    You can apply if you\u2019re:

    ", + "
  • either parent (you do not need to live with the child)
  • ", + "
  • a grandparent or other guardian of the child
  • ", + "
  • a child over 12 living in Scotland
  • ", + "

    If you\u2019re in prison or a full-time student with no income, you do not have to pay child maintenance - there\u2019s no need to apply.

    ", + "

    You cannot use this service if you have an existing consent order approved by a court that is either less than a year old or made before 3 March 2003.

    ", + "

    If one of the parents lives outside the UK

    ", + "

    You cannot apply if the child and the parent with main day-to-day care live outside the UK.

    ", + "

    The service can only help if the paying parent works outside the UK for a British organisation.

    ", + "

    Fees

    ", + "

    The application fee is \u00a320.

    ", + "

    You will not have to pay this if you:

    ", + "
  • have experienced domestic abuse
  • ", + "
  • are under 19 years old
  • ", + "
  • live in Northern Ireland
  • ", + "

    How to apply

    ", + "

    Contact Child Maintenance Options before you apply.

    ", + "

    They\u2019ll discuss your maintenance arrangements with you, give you a reference number and explain how to apply.

    ", + "

    There are different contact details if you live in Northern Ireland.

    ", + "

    What you\u2019ll need to provide

    ", + "

    You\u2019ll need to give information about you and your family, for example:

    ", + "
  • details about the child you\u2019re applying for - including the full names of their parents
  • ", + "
  • your National Insurance number
  • ", + "
  • your bank account details (tell the Child Maintenance Service if it\u2019s not safe to tell the other parent your name, if you\u2019ve changed it, or location)
  • ", + "

    How your information is used

    ", + "

    Your information is used to set up and manage child maintenance payments, and sometimes to try to find the paying parent.

    ", + "

    The Child Maintenance Service will share your name and your child\u2019s name with the other parent. They will not share your address.

    ", + "

    They may share your contact details with other government organisations, debt collection agencies or the courts. They will not share details of your case.

    ", + "

    If the Child Maintenance Service cannot get the information from either parent, they might ask others, for example:

    ", + "
  • the paying parent\u2019s employer
  • ", + "
  • government organisations like Jobcentre Plus
  • ", + "
  • prison services or local councils
  • ", + "
  • the paying parent\u2019s bank or building society
  • " + ] + }, + { + "title": "Disability Living Allowance (DLA) for children", + "url": "https://www.gov.uk/disability-living-allowance-children", + "contents": [ + "

    Overview

    ", + "

    Disability Living Allowance (DLA) for children may help with the extra costs of looking after a child who:

    ", + "
  • is under 16
  • ", + "
  • has difficulties walking or needs much more looking after than a child of the same age who does not have a disability
  • ", + "

    They will need to meet all the eligibility requirements.

    ", + "

    The DLA rate is between \u00a323.70 and \u00a3152.15 a week and depends on the level of help the child needs.

    ", + "

    DLA rates for children

    ", + "

    Disability Living Allowance (DLA) for children is a tax-free benefit made up of 2 components (parts). The child might qualify for one or both components.

    ", + "

    Care component

    ", + "Care component | Weekly rate", + "Lowest | \u00a323.70", + "Middle | \u00a360.00", + "Highest | \u00a389.60", + "

    Mobility component

    ", + "Mobility component | Weekly rate", + "Lower | \u00a323.70", + "Higher | \u00a362.55", + "

    How DLA for children is paid

    ", + "

    DLA is usually paid every 4 weeks on a Tuesday.

    ", + "

    If your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.

    ", + "

    All benefits, pensions and allowances are paid into your bank, building society or credit union account.

    ", + "

    Extra help

    ", + "

    You might qualify for Carer\u2019s Allowance if you spend at least 35 hours a week caring for a child who gets the middle or highest care rate of DLA.

    ", + "

    Eligibility

    ", + "

    Usually, to qualify for Disability Living Allowance (DLA) for children the child must:

    ", + "
  • be under 16 - anyone over 16 must apply for Personal Independence Payment (PIP)
  • ", + "
  • need extra looking after or have walking dif\ufb01culties
  • ", + "
  • be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces
  • ", + "
  • have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old
  • ", + "
  • be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands
  • ", + "
  • not be subject to immigration control
  • ", + "

    The process is different in Northern Ireland.

    ", + "

    There are some exceptions to these conditions if the child is living in or coming from an EEA country or Switzerland.

    ", + "

    You can claim DLA for children if you\u2019re in or out of work.

    ", + "

    Children under 3

    ", + "

    A child under 6 months must have lived in Great Britain for at least 13 weeks.

    ", + "

    A child aged between 6 months and 3 years must have lived in Great Britain for at least 26 of the last 156 weeks.

    ", + "

    The rules on residence do not normally apply if a child is terminally ill.

    ", + "

    The child\u2019s disability or health condition

    ", + "

    The child\u2019s disability or health condition must mean at least one of the following apply:

    ", + "
  • they need much more looking after than a child of the same age who does not have a disability
  • ", + "
  • they have difficulty getting about
  • ", + "

    They must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.

    ", + "

    Care component

    ", + "

    The rate the child gets depends on the level of looking after they need, for example:

    ", + "
  • lowest rate - help for some of the day
  • ", + "
  • middle rate - frequent help or constant supervision during the day, supervision at night or someone to help while they\u2019re on dialysis
  • ", + "
  • highest rate - help or supervision throughout both day and night, or they\u2019re terminally ill
  • ", + "

    Mobility component

    ", + "

    The rate the child gets depends on the level of help they need getting about, for example:

    ", + "
  • lowest rate - they can walk but need help and or supervision when outdoors
  • ", + "
  • highest rate - they cannot walk, can only walk a short distance without severe discomfort, could become very ill if they try to walk or they\u2019re blind or severely sight impaired
  • ", + "

    There are also age limits to receiving the mobility component:

    ", + "
  • lowest rate - the child must be 5 years or over
  • ", + "
  • highest rate - the child must be 3 years or over
  • ", + "

    If your child is under these ages and you claim DLA for them, you should be sent a claim pack 6 months before they turn 3 and 6 months before they turn 5. You can then apply for the mobility component if you think they\u2019re eligible for it.

    ", + "

    If you have not received any claim packs and you think your child may be entitled to the mobility component, contact the Disability Service Centre.

    ", + "

    Change of circumstances

    ", + "

    Contact the Disability Service Centre as soon as the child\u2019s circumstances change. This can affect how much they get, for example if their disability gets worse or they go abroad for medical treatment.

    ", + "

    Their DLA will not usually be affected if they go:

    ", + "
  • into a local authority care home for less than 28 days
  • ", + "
  • into a hospital
  • ", + "
  • abroad for less than 13 weeks
  • ", + "
  • abroad for less than 26 weeks to get medical treatment for a condition which began before they left
  • ", + "

    How to claim

    ", + "

    To claim DLA for a child you need to be their parent or look after them as if you\u2019re their parent. This includes step-parents, guardians, grandparents, foster-parents or older brothers or sisters.

    ", + "

    To apply you can either:

    ", + "
  • print off and fill in the DLA claim form
  • ", + "
  • phone the Disability Living Allowance helpline and ask for a printed form
  • ", + "

    The process is different in Northern Ireland.

    ", + "

    Alternative formats

    ", + "

    Call the Disability Living Allowance helpline to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    When you\u2019ll be paid

    ", + "

    DLA can be paid from the start of your claim. It cannot be backdated. Your claim will start on the date the form is received or the date you call the enquiry line (if you return the claim pack within 6 weeks).

    ", + "

    You\u2019ll usually get a decision letter about 8 weeks (40 working days) after your form is received. The letter will tell you when you\u2019ll get your first payment.

    ", + "

    If the child is terminally ill

    ", + "

    There are special rules if the child is not expected to live more than 6 months, so they can get DLA more quickly.

    ", + "

    Phone the Disability Living Allowance helpline to start your claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to the Department for Work and Pensions (DWP).

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    When your child turns 16

    ", + "

    Your child will need to apply for Personal Independence Payment (PIP) when they turn 16.

    ", + "

    When they apply for PIP

    ", + "

    Your child will get a letter inviting them to apply for PIP. The letter will be sent:

    ", + "
  • shortly after their 16th birthday
  • ", + "
  • when they leave hospital, if they were in hospital on their 16th birthday
  • ", + "
  • about 20 weeks before their DLA award ends, if they were awarded DLA under the rules for people who are terminally ill
  • ", + "

    Your child\u2019s DLA payments will stop unless they apply for PIP by the date given in the letter.

    ", + "

    If they apply by the date given in the letter, they\u2019ll continue to receive DLA until their claim is assessed.

    " + ] + }, + { + "title": "Help if you have a disabled child", + "url": "https://www.gov.uk/help-for-disabled-child", + "contents": [ + "

    Overview

    ", + "

    Your local council can provide help if you have a disabled child, including:

    ", + "
  • short break services
  • ", + "
  • holiday play schemes
  • ", + "
  • care at home
  • ", + "
  • some aids and adaptations
  • ", + "
  • financial help, eg money towards travel costs for hospital visits
  • ", + "

    Your council has a duty to provide these services under the Children Act 1989. Some are free of charge - the council might ask you to contribute towards others.

    ", + "

    If you think your child may qualify, contact the social services team at your local council.

    ", + "

    A social worker will then talk to you about the needs of your family, including:

    ", + "
  • health
  • ", + "
  • social care
  • ", + "
  • education
  • ", + "

    This is called a \u2018needs assessment\u2019 - the social worker will give you advice on what to do next.

    ", + "

    You can also ask your council about local support groups for carers and families with disabled children.

    ", + "

    Help with costs

    ", + "

    If your child qualifies for services from your local council, you\u2019ll also have the option of getting direct payments.

    ", + "

    These are paid directly to you so you can arrange services you need. They\u2019re an alternative to social care services provided by your local council.

    ", + "

    You may also be eligible for extra Child Tax Credit for each disabled child you\u2019re responsible for or Disability Living Allowance for children.

    ", + "

    Childcare

    ", + "

    Your local council\u2019s Family Information Service can give you details about childcare in your local area.

    ", + "

    You can also ask them about other specialist services that your child may need because of their disability.

    ", + "

    Help with childcare costs

    ", + "

    All 3 and 4 year olds are entitled to 15 hours of free education for 38 weeks of the year - read the information on childcare and tax credits for more details.

    ", + "

    Some 2-year-olds (even if they have an education, health and care plan or get Disability Living Allowance) are also entitled to the 15 hours of free education.

    ", + "

    You can also get direct payments from your local council to help pay for childcare.

    ", + "

    If you\u2019re on the Early Support Programme and have a Family File, show this to your childcare provider.

    ", + "

    If you\u2019re working, you may be able to get up to \u00a34,000 a year to help pay for childcare for a disabled child through Tax-Free Childcare.

    ", + "

    Education

    ", + "

    Under the Equality Act 2010, it\u2019s against the law for schools and other education providers to discriminate against disabled children.

    ", + "

    Examples of discrimination include:

    ", + "
  • a school refusing to admit a disabled child just because of their disability
  • ", + "
  • stopping a disabled pupil going outside at break time because it takes them longer to get there
  • ", + "

    Contact the Equality Advisory Support Service if you think your child has been discriminated against because of their disability.

    ", + "

    Making \u2018reasonable adjustments\u2019

    ", + "

    Schools have to make \u2018reasonable adjustments\u2019 for disabled children. These can include:

    ", + "
  • changes to physical features, eg adding a ramp
  • ", + "
  • changes to how learners are assessed
  • ", + "
  • providing extra support and aids, eg specialist teachers or equipment
  • ", + "

    Special educational needs

    ", + "

    Some children may have special educational needs because their disabilities affect their ability to learn.

    ", + "

    You can ask your council to carry out an education, health and care (EHC) needs assessment for your child. They may get an EHC plan, which will explain the extra support they need.

    ", + "

    The council must make sure your child gets this support.

    ", + "

    Ask to see a school\u2019s policy on special educational needs so you know what support they can offer.

    ", + "

    Find your local support service if you need impartial advice about special educational needs.

    ", + "

    Motability scheme

    ", + "

    The Motability Scheme can help you lease a car if your child is aged 3 or over and is entitled to either the:

    ", + "
  • higher rate of the mobility component of Disability Living Allowance
  • ", + "
  • enhanced mobility component of Personal Independence Payment
  • ", + "

    More information about the scheme is on the Motability website.

    ", + "

    You can also contact:

    ", + "

    Home adaptations

    ", + "

    If your home needs to be adapted to meet your child\u2019s needs, you may be able to get a Disabled Facilities Grant to help with the costs.

    ", + "

    Usually, an occupational therapist will talk to you to work out what adaptations would be best for your child.

    ", + "

    A Disabled Facilities Grant will not affect any benefits that you\u2019re getting.

    " + ] + }, + { + "title": "Disabled Facilities Grants", + "url": "https://www.gov.uk/disabled-facilities-grants", + "contents": [ + "

    Overview

    ", + "

    You could get a grant from your council if you\u2019re disabled and need to make changes to your home, for example to:

    ", + "
  • widen doors and install ramps
  • ", + "
  • improve access to rooms and facilities - eg stairlifts or a downstairs bathroom
  • ", + "
  • provide a heating system suitable for your needs
  • ", + "
  • adapt heating or lighting controls to make them easier to use
  • ", + "

    A Disabled Facilities Grant won\u2019t affect any benefits you get.

    ", + "

    What you'll get

    ", + "

    How much you get depends on your:

    ", + "
  • household income
  • ", + "
  • household savings over \u00a36,000
  • ", + "Country | Grant", + "England | Up to \u00a330,000", + "Wales | Up to \u00a336,000", + "Northern Ireland | Up to \u00a325,000", + "Scotland | Disabled Facilities Grants are not available - find out about support for equipment and adaptations", + "

    Depending on your income, you may need to pay towards the cost of the work to the property.

    ", + "

    Disabled children under 18 can get a grant without their parents\u2019 income being taken into account. Contact your local council for more information.

    ", + "

    You might not get any grant if you start work on your property before the council approves your application.

    ", + "

    How you\u2019ll be paid

    ", + "

    You\u2019ll be paid either:

    ", + "
  • in instalments - as the work progresses
  • ", + "
  • in full - when the work is finished
  • ", + "

    The council may pay the contractor directly or give you a cheque to pass on to them. They\u2019ll agree this with you when they approve your application.

    ", + "

    When you\u2019ll be paid

    ", + "

    You\u2019ll be paid either:

    ", + "
  • when the council is happy with the finished work
  • ", + "
  • when you give the council the invoice, demand or receipt for payment from the contractor
  • ", + "

    Normally, if you (or a relative) does the work the council will only accept invoices for materials or services you\u2019ve bought.

    ", + "

    Eligibility

    ", + "

    You or someone living in your property must be disabled. Either you or the person you\u2019re applying for must:

    ", + "
  • own the property or be a tenant
  • ", + "
  • intend to live in the property during the grant period (which is currently 5 years)
  • ", + "

    You can also apply for a grant if you\u2019re a landlord and have a disabled tenant.

    ", + "

    The council needs to be happy that the work is:

    ", + "
  • necessary and appropriate to meet the disabled person\u2019s needs
  • ", + "
  • reasonable and can be done - depending on the age and condition of the property
  • ", + "

    You might not get any grant if you start work on your property before the council approves your application.

    ", + "

    Planning and building regulations approval

    ", + "

    You need to apply separately for any planning permission or building regulations approval.

    ", + "

    The council may ask you to employ a qualified architect or surveyor to plan and oversee the work. If you get a grant, you can use it towards the cost of their fees.

    ", + "

    How to apply

    ", + "

    Apply through your local council.

    ", + "

    The council may send an occupational therapist round to see you. They\u2019ll check your circumstances and see what changes you need.

    ", + "

    Appeals

    ", + "

    You can appeal to your council if you\u2019re unhappy with their decision.

    ", + "

    If you appeal and you\u2019re still not happy, you can complain to the Local Government Ombudsman.

    " + ] + }, + { + "title": "Childcare Grant", + "url": "https://www.gov.uk/childcare-grant", + "contents": [ + "

    Overview

    ", + "

    You may be eligible for help with your childcare costs if you:

    ", + "
  • are a full-time higher education student
  • ", + "
  • have children under 15, or under 17 if they have special educational needs
  • ", + "

    The grant:

    ", + "
  • does not have to be paid back
  • ", + "
  • is paid on top of your other student finance
  • ", + "

    You must be eligible for student finance to apply for a Childcare Grant.

    ", + "

    What you'll get

    ", + "

    The amount you\u2019ll get depends on:

    ", + "
  • your household income
  • ", + "
  • the number of children who are dependent on you
  • ", + "

    2021 to 2022 academic year

    ", + "

    You can get 85% of your childcare costs or a fixed maximum amount, whichever is less.

    ", + "

    The maximum you can get is:

    ", + "
  • up to \u00a3179.62 a week for 1 child
  • ", + "
  • up to \u00a3307.95 a week for 2 or more children
  • ", + "

    You have to pay for any remaining costs.

    ", + "

    2020 to 2021 academic year

    ", + "

    You can get 85% of your childcare costs or a fixed maximum amount, whichever is less.

    ", + "

    The maximum you can get is:

    ", + "
  • up to \u00a3174.22 a week for 1 child
  • ", + "
  • up to \u00a3298.69 a week for 2 or more children
  • ", + "

    You have to pay for any remaining costs.

    ", + "

    How you\u2019re paid

    ", + "

    Your grant will be paid into a Childcare Grant Payment Service (CCGPS) account. You\u2019ll get an email telling you how to set one up.

    ", + "

    Your childcare provider will send requests for payment to the CCGPS, which you can approve through your account. Your provider will be paid directly from the money in your account.

    ", + "

    Any money that\u2019s left over at the end of the academic year will be returned to Student Finance England.

    ", + "

    Income-related, unemployment and housing benefits are not affected by a Childcare Grant.

    ", + "

    Eligibility

    ", + "

    To qualify for a Childcare Grant all the following must apply:

    ", + "
  • you\u2019re a full-time student
  • ", + "
  • your child must be under 15, or under 17 if they have special educational needs
  • ", + "
  • you get undergraduate student finance based on your household income, or are eligible to
  • ", + "
  • you\u2019re not getting a Postgraduate Loan
  • ", + "
  • you\u2019re a permanent resident in England
  • ", + "
  • the children in your grant application are financially dependent on you
  • ", + "
  • your childcare provider is on the Ofsted Early Years Register or General Childcare Register - check with your provider
  • ", + "
  • if your child is cared for at home, the carer cannot be a relative and must be registered with an appropriate body - check with Student Finance England
  • ", + "
  • neither you or your partner are claiming Tax-Free Childcare, the childcare element of working Tax Credit or Universal Credit
  • ", + "
  • neither you or your partner receive help with childcare costs from the National Health Service (NHS)
  • ", + "

    Childcare Grant isn\u2019t the same as 15 or 30 hours free childcare. You can\u2019t use it to pay for those hours.

    ", + "

    How to apply

    ", + "

    To apply for a Childcare Grant follow these steps:

    ", + "
  • Apply online as part of your main student finance application.
  • ", + "
  • Send in evidence. You\u2019ll be told what evidence you need to provide when you apply.
  • ", + "
  • You\u2019ll be sent a letter telling you how much Childcare Grant you\u2019ll get.
  • ", + "
  • Create an online account with the Childcare Grant Payment Service (CCGPS). You\u2019ll get an email telling you how to set one up. Your grant will be paid into this account.
  • ", + "

    Use the paper form instead if you:

    ", + "
  • have already applied for student finance but didn\u2019t apply for a childcare grant at the same time
  • ", + "
  • want to apply for another child
  • ", + "

    You can download the form from the student finance form finder.

    ", + "

    Use your online account to send the form to Student Finance England, or send it by post.

    " + ] + }, + { + "title": "Care to Learn", + "url": "https://www.gov.uk/care-to-learn", + "contents": [ + "

    Overview

    ", + "

    The Care to Learn scheme can help with childcare costs while you study.

    ", + "

    You must be aged under 20 at the start of your course.

    ", + "

    The scheme is available for publicly-funded courses in England. This includes courses in:

    ", + "
  • schools
  • ", + "
  • sixth-forms in schools
  • ", + "
  • sixth-form colleges
  • ", + "

    What you'll get

    ", + "

    You can get up to:

    ", + "
  • \u00a3160 per child per week if you live outside London
  • ", + "
  • \u00a3175 per child per week if you live in London
  • ", + "

    What it covers

    ", + "

    Care to Learn can help with the cost of:

    ", + "
  • your childcare, including deposit and registration fees
  • ", + "
  • a childcare taster session for up to 5 days
  • ", + "
  • keeping your childcare place over the summer holidays
  • ", + "
  • taking your child to their childcare provider
  • ", + "

    Payments

    ", + "

    Childcare payments go directly to your childcare provider.

    ", + "

    Before they can be paid:

    ", + "
  • your childcare provider needs to confirm your child\u2019s attendance
  • ", + "
  • your school or college needs to confirm that you\u2019re attending your course
  • ", + "

    Travel payments go direct to your school or college - they\u2019ll either pay you or arrange travel for you.

    ", + "

    When payments stop

    ", + "

    Payments end when:

    ", + "
  • you stop attending your course
  • ", + "
  • you reach the end of your course
  • ", + "
  • your child stops attending childcare
  • ", + "

    Eligibility

    ", + "

    You can get Care to Learn if all of the following apply to you:

    ", + "
  • you\u2019re a parent under 20 at the start of your course
  • ", + "
  • you\u2019re the main carer for your child
  • ", + "
  • you live in England
  • ", + "
  • you\u2019re either a British citizen or have a legal right to live and study in England
  • ", + "
  • your course qualifies
  • ", + "
  • your childcare provider qualifies
  • ", + "

    If you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.

    ", + "

    Your course

    ", + "

    Care to Learn is only available for publicly-funded courses in England. This includes courses that take place in:

    ", + "
  • schools
  • ", + "
  • sixth-forms in schools
  • ", + "
  • sixth-form colleges
  • ", + "
  • other colleges and learning providers, including Foundation Learning
  • ", + "
  • your community at Children\u2019s Centres
  • ", + "

    Your learning provider can tell you if your course is eligible.

    ", + "

    Your childcare provider

    ", + "

    To qualify, your childcare provider must be registered with Ofsted.

    ", + "

    They can be a:

    ", + "
  • childminder
  • ", + "
  • preschool playgroup
  • ", + "
  • day nursery
  • ", + "
  • out of school club
  • ", + "

    Who cannot get Care to Learn

    ", + "

    You\u2019re not eligible if:

    ", + "
  • you\u2019re an apprentice who gets a salary
  • ", + "
  • you\u2019re doing a higher education course at university
  • ", + "

    Apply for Care to Learn

    ", + "

    You must choose your learning provider and childcare provider before you apply.

    ", + "

    You need to make a new application for each year you study.

    ", + "

    Your childcare provider is paid from the beginning of your course if you apply either:

    ", + "
  • before your course starts
  • ", + "
  • within 28 days of starting your course
  • ", + "

    If you apply after that, your childcare provider will only be paid from the beginning of the week that your application was received.

    ", + "

    Apply online for Care to Learn.

    ", + "

    After you've applied

    ", + "

    You must give your learning provider either:

    ", + "
  • a copy of the child\u2019s birth certificate
  • ", + "
  • a letter confirming receipt of Child Benefit for that child
  • ", + "

    If you qualify

    ", + "

    You\u2019ll get a letter and a payment plan telling you what financial help you can get.

    ", + "

    Your childcare provider will only be paid after you\u2019ve provided this.

    ", + "

    Your childcare provider will also get the payment plan to let them know when they\u2019ll be paid.

    ", + "

    If you\u2019re eligible for travel costs, your learning provider will be told about payments for this.

    ", + "

    If your circumstances change

    ", + "

    You must report changes to your:

    ", + "
  • personal details
  • ", + "
  • childcare provider
  • ", + "
  • hours of childcare
  • ", + "
  • travel costs
  • ", + "
  • learning provider
  • ", + "

    You can do this by updating your online application.

    ", + "

    Benefits

    ", + "

    Claiming Care to Learn will not affect your family\u2019s benefits or allowances.

    " + ] + }, + { + "title": "Healthy Start", + "url": "https://www.gov.uk/healthy-start", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re pregnant or have a child under 4, the Healthy Start scheme can help you buy basic foods like milk or fruit.

    ", + "

    If you live in Scotland you cannot get Healthy Start. You can apply for Best Start Foods instead.

    ", + "

    If you qualify for the scheme you\u2019ll be sent vouchers you can use in over 30,000 shops in the UK.

    ", + "

    You can also get coupons to swap for:

    ", + "
  • pregnancy vitamins
  • ", + "
  • breastfeeding vitamins
  • ", + "
  • vitamins for children aged 6 months to 5 years old
  • ", + "

    What you'll get

    ", + "

    If you qualify, you\u2019ll get vouchers worth \u00a34.25 each to spend on:

    ", + "
  • cow\u2019s milk
  • ", + "
  • fresh, frozen or tinned fruit and vegetables
  • ", + "
  • infant formula milk
  • ", + "
  • fresh, dried, and tinned pulses
  • ", + "

    You get 1 voucher a week if:

    ", + "
  • you\u2019re pregnant
  • ", + "
  • you have a child aged between 1 and 4
  • ", + "

    You get 2 vouchers a week if you have a child under 1.

    ", + "

    You can also get free vitamin supplements.

    ", + "

    Eligibility

    ", + "

    You can get Healthy Start vouchers if you live in England, Wales or Northern Ireland. If you live in Scotland, apply for Best Start Foods instead.

    ", + "

    You will qualify for the Healthy Start scheme if either:

    ", + "
  • you\u2019re at least 10 weeks pregnant
  • ", + "
  • you have at least 1 child under 4 years old
  • ", + "

    In addition, you must be receiving any of the following:

    ", + "
  • Child Tax Credit (but only if your family\u2019s annual income is \u00a316,190 or less)
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Universal Credit (but only if your family earns \u00a3408 or less per month from employment)
  • ", + "
  • Working Tax Credit (but only if your family is receiving the 4 week \u2018run-on\u2019 payment)
  • ", + "

    You\u2019ll also be eligible for the Healthy Start scheme if you\u2019re pregnant and under 18, even if you do not receive any benefits.

    ", + "

    Working Tax Credit run-on is the payment you receive for a further 4 weeks immediately after you stop qualifying for Working Tax Credit.

    ", + "

    How to claim

    ", + "

    Apply for Healthy Start vouchers.

    ", + "

    You can also get an application form from your midwife or \u2018health visitor\u2019, or by phoning the Healthy Start helpline.

    " + ] + }, + { + "title": "Guardian's Allowance", + "url": "https://www.gov.uk/guardians-allowance", + "contents": [ + "

    Overview

    ", + "

    You could get Guardian\u2019s Allowance if you\u2019re bringing up a child whose parents have died. You may also be eligible if there\u2019s one surviving parent.

    ", + "

    The Guardian\u2019s Allowance rate is \u00a318 a week. You get it on top of Child Benefit and it\u2019s tax-free.

    ", + "

    You must tell the Guardian\u2019s Allowance Unit about certain changes to your circumstances.

    ", + "

    What you'll get

    ", + "

    The Guardian Allowance rate is:

    ", + "
  • \u00a318 a week per child
  • ", + "
  • tax-free
  • ", + "
  • paid on top of your Child Benefit payments
  • ", + "

    How the money is paid

    ", + "

    Usually, the money is paid into a bank account every 4 weeks. It can be paid weekly if you\u2019re a single parent or getting certain other benefits, such as Income Support.

    ", + "

    You can get the money paid into any account, apart from a Nationwide Building Society account in someone else\u2019s name.

    ", + "

    Effect on other benefits

    ", + "

    Guardian\u2019s Allowance does not count as income if you\u2019re claiming tax credits, Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance.

    ", + "

    Guardian\u2019s Allowance is not affected by the High Income Child Benefit charge. If you decide not to be paid Child Benefit your Guardian\u2019s Allowance can continue.

    ", + "

    Guardian\u2019s Allowance does not count towards the benefit cap.

    ", + "

    Use a benefits calculator to work out what benefits you can get.

    ", + "

    Eligibility

    ", + "

    To get Guardian\u2019s Allowance all of the following must apply:

    ", + "
  • you\u2019re bringing up someone else\u2019s child
  • ", + "
  • the child\u2019s parents are dead (see conditions for one surviving parent below)
  • ", + "
  • you qualify for Child Benefit
  • ", + "
  • one of the parents was born in the UK (or was living in the UK since the age of 16 for at least 52 weeks in any 2-year period)
  • ", + "

    If you adopt a child you may still get Guardian\u2019s Allowance as long as you were getting it before you adopted the child.

    ", + "

    If there is one surviving parent

    ", + "

    You could get Guardian\u2019s Allowance if one of the following is true:

    ", + "
  • you do not know where the surviving parent is
  • ", + "
  • the parents were divorced or their civil partnership had dissolved, the surviving parent does not have custody and is not maintaining the child and there is not a court order in place saying they should
  • ", + "
  • the parents were not married, the mother has died and the father is unknown
  • ", + "
  • the surviving parent will be in prison for at least 2 years from the date of death of the other parent
  • ", + "
  • the surviving parent is in a hospital by court order
  • ", + "

    Use a benefits calculator to check the benefits you\u2019re entitled to.

    ", + "

    How to claim

    ", + "

    To avoid losing money, claim Guardian\u2019s Allowance as soon as the child comes to live with you.

    ", + "
  • Fill in the claim form (BG1).
  • ", + "
  • Send it to the Guardian\u2019s Allowance Unit with the child\u2019s full birth certificate and the parents\u2019 death certificates (or certificate if one parent has died) - send originals.
  • ", + "

    You should also claim Child Benefit as soon as possible.

    ", + "

    Guardian\u2019s Allowance can be backdated for up to 3 months.

    ", + "

    You can also call the Guardian\u2019s Allowance Unit and ask for a claim pack.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Changes to your circumstances

    ", + "

    If your circumstances change, your entitlement to Guardian\u2019s Allowance could be affected or your payments could stop.

    ", + "

    You must report changes straight away. You can do this online if:

    ", + "
  • the child goes to live with someone else
  • ", + "
  • you go abroad, either temporarily (for more than 8 weeks), or permanently (for more than 1 year)
  • ", + "
  • the child leaves full-time education or approved training
  • ", + "
  • your bank or contact details change
  • ", + "
  • you find out where the surviving parent is
  • ", + "
  • the surviving parent comes out of hospital or prison (or has their sentence shortened)
  • ", + "
  • the surviving parent makes a payment towards their child\u2019s upkeep
  • ", + "

    You can also report a change of circumstance by phone or post.

    " + ] + }, + { + "title": "Parents' Learning Allowance", + "url": "https://www.gov.uk/parents-learning-allowance", + "contents": [ + "

    Overview

    ", + "

    You may be eligible for help with your learning costs if you\u2019re a full-time student with children. This is called Parents\u2019 Learning Allowance.

    ", + "

    How much you get depends on your household income.

    ", + "

    The allowance:

    ", + "
  • does not have to be paid back
  • ", + "
  • is paid on top of your other student finance
  • ", + "
  • will not affect your benefits or tax credit
  • ", + "

    What you'll get

    ", + "

    Depending on your household income, in the 2021 to 2022 academic year you could get between \u00a350 and \u00a31,821 a year.

    ", + "

    It\u2019s usually paid in 3 instalments direct to your bank account, one at the start of each term.

    ", + "

    Parents\u2019 Learning Allowance is paid on top of your other student finance and does not have to be paid back.

    ", + "

    2020 to 2021 academic year

    ", + "

    Full-time students could get up to \u00a31,766 a year.

    ", + "

    Eligibility

    ", + "

    If you\u2019re a student from England with dependent children you may qualify if you\u2019re taking:

    ", + "
  • a full-time undergraduate course
  • ", + "
  • an Initial Teacher Training (ITT) course
  • ", + "

    You do not need to be paying for childcare to qualify.

    ", + "

    How to apply

    ", + "

    You can apply for the Parents\u2019 Learning Allowance when you apply for student finance.

    ", + "

    After you apply

    ", + "

    After you apply you\u2019ll get a letter telling you how much you can get.

    " + ] + }, + { + "title": "Financial help if you're disabled", + "url": "https://www.gov.uk/financial-help-disabled", + "contents": [ + "

    Overview

    ", + "

    There is a wide range of disability-related financial support, including benefits, tax credits, payments, grants and concessions.

    ", + "

    Some benefits you might get are:

    ", + "
  • Universal Credit
  • ", + "
  • Personal Independence Payment (PIP) or Disability Living Allowance (DLA)
  • ", + "
  • Attendance Allowance
  • ", + "
  • \u2018new style\u2019 Employment and Support Allowance (ESA)
  • ", + "

    Depending on your circumstances, you might also be able to get:

    ", + "
  • Industrial Injuries Benefit if you\u2019re disabled as a result of work
  • ", + "
  • Constant Attendance Allowance if you need daily care and attention because of a disability
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Vehicles and transport

    ", + "

    If you\u2019re disabled you can apply for the following:

    ", + "
  • exemption from paying vehicle tax
  • ", + "
  • parking benefits - Blue Badge
  • ", + "
  • disabled persons bus pass or railcard
  • ", + "
  • help to buy or lease a car from The Motability Scheme
  • ", + "

    Home and housing

    ", + "

    If you\u2019ve been assessed by your local council as needing care and support services, you can get:

    ", + "
  • Direct payments - allowing you to buy in and arrange help yourself instead of getting it directly from social services
  • ", + "
  • Disabled Facilities Grants - which is money towards the costs of home adaptations to enable you to continue living there
  • ", + "

    If you\u2019re on a low income

    ", + "

    You may be eligible for Universal Credit and could get help with housing costs.

    ", + "

    If not, check if you\u2019re eligible for Housing Benefit and Council Tax Reduction from your local council.

    ", + "

    Help if you\u2019re employed

    ", + "

    You may be able to top up a low salary by claiming Universal Credit.

    ", + "

    You also might be able to get an Access to Work grant to pay for:

    ", + "
  • special equipment, adaptations or support worker services to help you do things like answer the phone or go to meetings
  • ", + "
  • help getting to and from work
  • ", + "
  • mental health support
  • ", + "
  • communication support at a job interview (for example, a British Sign Language interpreter or a lipspeaker)
  • ", + "

    VAT relief on certain goods and services

    ", + "

    You do not have to pay VAT on certain goods and services if they\u2019re just for your own use and you\u2019re disabled or have a long term illness.

    ", + "

    Armed forces compensation

    ", + "

    You may be able to get compensation if you\u2019ve been injured or disabled while serving in the armed forces.

    ", + "

    Disability and sickness benefits

    ", + "

    Disability Living Allowance for children

    ", + "

    Disability Living Allowance for children (DLA) is a tax-free benefit for children under 16 to help with the extra costs caused by long-term ill health or a disability.

    ", + "

    Disability Living Allowance for adults

    ", + "

    Personal Independence Payment is gradually replacing DLA for adults with long-term ill health or a disability. If you\u2019ve reached State Pension age you can apply for Attendance Allowance instead.

    ", + "

    Personal Independence Payment

    ", + "

    Personal Independence Payment (PIP) is a tax-free benefit for people aged 16 or over who have not reached State Pension age. It can help with the extra costs caused by long term ill-health or a disability.

    ", + "

    Attendance Allowance

    ", + "

    Attendance Allowance is a tax-free benefit for people who are State Pension age or over, have a disability and need someone to help look after them.

    ", + "

    Employment and Support Allowance

    ", + "

    You may be able to get \u2018new style\u2019 Employment and Support Allowance (ESA) if you cannot work because of illness or disability.

    ", + "

    Carers

    ", + "

    Carer\u2019s Allowance is extra money to help you look after someone with substantial caring needs.

    ", + "

    You could also get Carer\u2019s Credit so there will not be any gaps in your National Insurance record if you have to take on caring responsibilities.

    ", + "

    Vehicles and transport

    ", + "

    You\u2019ll need to meet the legal obligations for drivers before you can drive.

    ", + "

    Blue Badge parking scheme

    ", + "

    The Blue Badge scheme provides a range of parking benefits for disabled people with severe walking difficulties who travel either as drivers or as passengers.

    ", + "

    Vehicle tax exemption

    ", + "

    Eligibility

    ", + "

    You can apply for exemption from paying vehicle tax if you get the:

    ", + "
  • higher rate mobility component of Disability Living Allowance (DLA)
  • ", + "
  • enhanced rate mobility component of Personal Independence Payment (PIP)
  • ", + "
  • War Pensioners\u2019 Mobility Supplement
  • ", + "
  • Armed Forces Independence Payment
  • ", + "

    The vehicle must be registered in the disabled person\u2019s name or their nominated driver\u2019s name.

    ", + "

    It must only be used for the disabled person\u2019s personal needs. It cannot be used by the nominated driver for their own personal use.

    ", + "

    You can only have one vehicle tax exemption at any one time.

    ", + "

    How to claim

    ", + "

    You claim the exemption when you apply for vehicle tax.

    ", + "

    If you\u2019re claiming for a vehicle for the first time, you have to claim at a Post Office. You must do this every time you change your vehicle.

    ", + "

    Vehicle tax reduction

    ", + "

    Eligibility

    ", + "

    You can get a 50% reduction in vehicle tax if you get the PIP standard rate mobility component.

    ", + "

    The vehicle should be registered in the disabled person\u2019s name or their nominated driver\u2019s name.

    ", + "

    You cannot get a reduction for getting the DLA lower rate mobility component.

    ", + "

    How to claim

    ", + "

    You must include the following with your application:

    ", + "
  • a letter or statement from the Department for Work and Pensions that shows your PIP rate and the dates you\u2019re getting it
  • ", + "
  • the vehicle log book (V5C)
  • ", + "
  • a V10 form
  • ", + "
  • an original MOT or GVT certificate (if your vehicle needs one)
  • ", + "
  • a cheque or payable order (made out to \u2018DVLA, Swansea\u2019) for 50% of the full rate of car tax for the vehicle
  • ", + "
  • an insurance certificate or cover note (if you live in Northern Ireland)
  • ", + "

    Do not send your PIP assessment or any other medical information with your application.

    ", + "

    If you\u2019ve just bought the vehicle and it\u2019s not registered in your name yet, you\u2019ll need to complete a V62 form and include the green \u2018new keeper\u2019 slip from the log book with your application.

    ", + "

    Send the documents to:

    ", + "

    If the vehicle is not registered to you or the nominated driver

    ", + "

    When you make your application you will need to include a signed letter from the vehicle\u2019s registered keeper. This needs to say:

    ", + "
  • how they know you
  • ", + "
  • how the vehicle will be used, for example picking up your prescription or shopping
  • ", + "

    The Motability Scheme

    ", + "

    The Motability Scheme can help you with leasing a car, powered wheelchair or scooter. You\u2019ll need to be getting one of the following:

    ", + "
  • the higher rate of the mobility component of DLA
  • ", + "
  • War Pensioners\u2019 Mobility Supplement
  • ", + "
  • Armed Forces Independence Payment
  • ", + "
  • the enhanced rate of the mobility component of PIP
  • ", + "

    VAT relief for vehicles

    ", + "

    You may not have to pay VAT on having a vehicle adapted to suit your condition, or on the lease of a Motability vehicle - this is known as VAT relief.

    ", + "

    Community and public transport

    ", + "

    Your local council may operate dial-a-ride or taxi schemes, for example, using vouchers or tokens. You may also be eligible for a bus pass, a Disabled Persons Railcard or both.

    ", + "

    Home and housing

    ", + "

    Direct Payments - arranging your own care and services

    ", + "

    If you\u2019ve been assessed by your local council as needing care and support services, you may want to choose Direct Payments. They allow you to buy in and arrange help yourself instead of receiving it directly from your local council.

    ", + "

    Disabled Facilities Grants

    ", + "

    Disabled Facilities Grants are local council grants. It helps towards the cost of essential adaptations to your home to enable you to continue to live there.

    ", + "

    Council Tax Disabled Band Reduction Scheme

    ", + "

    You may be entitled to a reduction in your Council Tax bill if your home has certain features that are essential to you living there.

    ", + "

    Contact your local council to apply for Council Tax Disabled Band Reduction.

    ", + "

    If you\u2019re on a low income

    ", + "

    Universal Credit

    ", + "

    If you\u2019re eligible for Universal Credit you could get help paying for your housing.

    ", + "

    Housing Benefit

    ", + "

    Housing Benefit is being replaced by Universal Credit. Most people will need to claim Universal Credit instead.

    ", + "

    Check if you\u2019re eligible for Housing Benefit before you apply.

    ", + "

    You may also get a Council Tax Reduction from your local council.

    ", + "

    On a low income

    ", + "

    Universal Credit

    ", + "

    You may be able to get Universal Credit if you\u2019re on a low income or out of work.

    ", + "

    Check if you\u2019re eligible for Universal Credit.

    ", + "

    Jobseeker\u2019s Allowance (JSA)

    ", + "

    You may be able to claim \u2018new style\u2019 JSA.

    ", + "

    You\u2019ll need to have worked as an employee and paid Class 1 National Insurance contributions, usually in the last 2 to 3 years. National Insurance credits can also count.

    ", + "

    You will not be eligible if you were self-employed and only paid Class 2 National Insurance contributions, unless you were working as a share fisherman or a volunteer development worker.

    ", + "

    You\u2019ll also need to take reasonable steps to look for work.

    ", + "

    Check if you\u2019re eligible for \u2018new style\u2019 JSA.

    ", + "

    Blind Person\u2019s Allowance

    ", + "

    The Blind Person\u2019s Allowance allows you to receive an amount of income without having to pay tax. It\u2019s added to your personal tax allowance.

    ", + "

    Television licence discount

    ", + "

    You can get 50% off the cost of your TV licence if either:

    ", + "
  • you\u2019re registered blind or severely sight impaired
  • ", + "
  • you live with someone who is registered blind or severely sight impaired
  • ", + "

    If the person who is registered blind is not the current licence holder for your address, you\u2019ll need to transfer the licence to their name.

    ", + "

    You can either:

    ", + "
  • transfer the licence online - you\u2019ll need your licence number
  • ", + "
  • contact TV Licensing to transfer the licence
  • ", + "

    How to apply

    ", + "

    To claim the TV licence concession for blind people, you\u2019ll need to get a certificate from your local authority or ophthalmologist stating that you are registered blind or severely sight impaired.

    ", + "

    In Northern Ireland, the certificate or document must be issued by or on behalf of a Health and Social Services Trust. On the Isle of Man, it must be issued by or on behalf of the Department for Health and Social Services.

    ", + "

    Post a copy of the certificate along with your licence renewal notice - if you have one - and a cheque or postal order for the licence to:

    ", + "

    Remember to include your name, address, phone number and TV licence number, if you have one.

    ", + "

    VAT relief for disabled people

    ", + "

    If you\u2019re disabled or have a long-term illness, you will not be charged VAT on products designed or adapted for your own personal or domestic use. Also, you will not be charged VAT on:

    ", + "
  • the installation and any extra work needed as part of this
  • ", + "
  • repairs or maintenance
  • ", + "
  • spare parts or accessories
  • ", + "

    The product and your disability have to qualify.

    ", + "

    Qualifying products or services

    ", + "

    Your supplier can tell you, but usually products designed or adapted for a disability qualify. For example, certain types of:

    ", + "
  • adjustable beds
  • ", + "
  • stair lifts
  • ", + "
  • wheelchairs
  • ", + "
  • medical appliances to help with severe injuries
  • ", + "
  • alarms
  • ", + "
  • braille paper or low vision aids - but not spectacles or contact lenses
  • ", + "
  • motor vehicles - or the leasing of a motability vehicle
  • ", + "
  • building work like ramps, widening doors, installing a lift or toilet
  • ", + "

    How to get the product VAT free

    ", + "

    To get the product VAT free your disability has to qualify. For VAT purposes, you\u2019re disabled or have a long-term illness if:

    ", + "
  • you have a physical or mental impairment that affects your ability to carry out everyday activities, for example blindness
  • ", + "
  • you have a condition that\u2019s treated as chronic sickness, like diabetes
  • ", + "
  • you\u2019re terminally ill
  • ", + "

    You do not qualify if you\u2019re elderly but not disabled, or if you\u2019re temporarily disabled.

    ", + "

    You\u2019ll need to confirm in writing that you meet these conditions. Your supplier may give you a form for this.

    ", + "

    Help from your council

    ", + "

    You can apply to your council for equipment or help to adapt your home if you have a disability.

    ", + "

    Importing goods

    ", + "

    You do not pay VAT if you import qualifying goods that are for your own personal or domestic use. This includes certain goods for blind and partially sighted people.

    ", + "

    If you use a freight service they can help you with the paperwork, otherwise make sure the following is written on parcel, \u2018Goods for disabled people: relief claimed\u2019.

    ", + "

    If you bring them in yourself, declare them in the red channel at Customs. For any other method of import, contact the National Import Reliefs Unit.

    ", + "

    Work-related injuries or illness

    ", + "

    Industrial Injuries Disablement Benefit

    ", + "

    You may be entitled to get Industrial Injuries Benefit if you\u2019re disabled as a result of:

    ", + "
  • an accident at work
  • ", + "
  • a disease
  • ", + "
  • deafness caused by work
  • ", + "

    Constant Attendance Allowance

    ", + "

    You can claim Constant Attendance Allowance if you need daily care and attention because of a disability and you claim Industrial Injuries Disablement Benefit.

    ", + "

    Armed forces compensation

    ", + "

    You can claim for compensation if while serving in the armed forces:

    ", + "
  • you got an injury or illness
  • ", + "
  • an existing condition you had was made worse
  • ", + "

    Constant Attendance Allowance

    ", + "

    You can also apply for Constant Attendance Allowance if you need daily care for a disability.

    " + ] + }, + { + "title": "Personal Independence Payment (PIP)", + "url": "https://www.gov.uk/pip", + "contents": [ + "

    Overview

    ", + "

    Personal Independence Payment (PIP) can help you with some of the extra costs if you have a long term physical or mental health condition or disability.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    The amount you get depends on how your condition affects you, not the condition itself. You\u2019ll be assessed by a health professional to work out the level of help you can get.

    ", + "

    Your carer could get Carer\u2019s Allowance if you have substantial caring needs.

    ", + "

    If you get Disability Living Allowance (DLA)

    ", + "

    Disability Living Allowance (DLA) is being replaced by PIP for most adults. You\u2019ll keep getting DLA if:

    ", + "
  • you\u2019re under 16
  • ", + "
  • you were born on or before 8 April 1948
  • ", + "

    If you were born after 8 April 1948, the Department for Work and Pensions (DWP) will invite you to apply for PIP. You do not need to do anything until DWP writes to you about your DLA unless your circumstances change.

    ", + "

    Help with PIP

    ", + "

    You can contact a local support organisation or Citizens Advice to get help understanding PIP.

    ", + "

    Eligibility

    ", + "

    You can get Personal Independence Payment (PIP) whether you\u2019re working or not.

    ", + "

    You must be aged 16 or over and usually have not reached State Pension age to claim.

    ", + "

    You must also have a physical or mental health condition or disability where you:

    ", + "
  • have had difficulties with daily living or getting around (or both) for 3 months
  • ", + "
  • expect these difficulties to continue for at least 9 months
  • ", + "

    You usually need to have lived in England, Scotland or Wales for at least 2 of the last 3 years, and be in one of these countries when you apply. If you\u2019ve recently returned from living in an EEA country, you might be able to get PIP sooner.

    ", + "

    Find out about PIP if you live in Northern Ireland.

    ", + "

    There are different rules if you\u2019re terminally ill and a healthcare professional has said you might have less than 6 months to live.

    ", + "

    You cannot get PIP and Armed Forces Independence Payment at the same time.

    ", + "

    Daily living difficulties

    ", + "

    You may get the daily living part of PIP if you need help more than half of the time with things like:

    ", + "
  • preparing or eating food
  • ", + "
  • washing, bathing and using the toilet
  • ", + "
  • dressing and undressing
  • ", + "
  • reading and communicating
  • ", + "
  • managing your medicines or treatments
  • ", + "
  • making decisions about money
  • ", + "
  • engaging with other people
  • ", + "

    Mobility difficulties

    ", + "

    You may get the mobility part of PIP if you need help going out or moving around.

    ", + "

    How you\u2019re assessed

    ", + "

    You\u2019ll be assessed by an independent healthcare professional to work out the level of help you need.

    ", + "

    If you\u2019ve reached State Pension age

    ", + "

    You can get PIP if you:

    ", + "
  • were already getting PIP before you reached State Pension age and your condition has not changed
  • ", + "
  • have been claiming Disability Living Allowance (DLA) and you\u2019ve had a letter inviting you to apply for PIP
  • ", + "

    You may get PIP if you previously got it and you were still entitled to it within the last year.

    ", + "

    If you cannot get PIP, you can apply for Attendance Allowance instead.

    ", + "

    Living abroad

    ", + "

    You might still be able to get PIP if you:

    ", + "
  • live in an EU or EEA country or Switzerland - you can only get help with daily living needs
  • ", + "
  • are a member or family member of the Armed Forces
  • ", + "

    If you\u2019re not a British citizen

    ", + "

    You must:

    ", + "
  • normally live in or show that you intend to settle in the UK, Ireland, the Isle of Man or the Channel Islands
  • ", + "
  • not be subject to immigration control (unless you\u2019re a sponsored immigrant)
  • ", + "

    You might still be able to get PIP if you are a refugee or have humanitarian protection status.

    ", + "

    What you\u2019ll get

    ", + "

    Personal Independence Payment (PIP) is made up of 2 parts - a daily living part and a mobility part. Whether you get one or both of these and how much you\u2019ll get depends on how severely your condition affects you.

    ", + "

    You\u2019ll need an assessment to work out how much you\u2019ll get. Your rate will be regularly reviewed to make sure you\u2019re getting the right support.

    ", + "

    PIP is tax free. The amount you get is not affected by your income or savings.

    ", + "

    You need to tell DWP straight away if there\u2019s a change in your personal circumstances or how your condition affects you.

    ", + "

    Daily living part

    ", + "

    The weekly rate for the daily living part of PIP is either \u00a360.00 or \u00a389.60.

    ", + "

    Mobility part

    ", + "

    The weekly rate for the mobility part of PIP is either \u00a323.70 or \u00a362.55.

    ", + "

    Terminal illness

    ", + "

    You\u2019ll get the higher daily living part if you\u2019re not expected to live more than 6 months. The rate of the mobility part depends on your needs.

    ", + "

    How other benefits affect your PIP

    ", + "

    The daily living part of your PIP will be reduced if you get any of the following benefits:

    ", + "
  • Constant Attendance Allowance
  • ", + "
  • War Pensioners\u2019 Mobility Supplement
  • ", + "

    How you\u2019re paid

    ", + "

    PIP is usually paid every 4 weeks.

    ", + "

    Your decision letter will tell you:

    ", + "
  • the date of your first payment
  • ", + "
  • what day of the week you\u2019ll usually be paid
  • ", + "

    If your payment date is on a bank holiday, you\u2019ll usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.

    ", + "

    All benefits, pensions and allowances are paid into your bank, building society or credit union account.

    ", + "

    Other help

    ", + "

    You or your carer might also qualify for other financial help, for example Carer\u2019s Allowance, or help with housing or transport costs.

    ", + "

    If you get PIP and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.

    ", + "

    How to claim

    ", + "

    Call the Department for Work and Pensions (DWP) to make a new Personal Independence Payment (PIP) claim.

    ", + "

    There is a different way to claim if you\u2019re terminally ill.

    ", + "

    Find out how to claim if you live in Northern Ireland.

    ", + "

    Claim by telephone or textphone

    ", + "

    Before you call, you\u2019ll need:

    ", + "
  • your contact details, for example telephone number
  • ", + "
  • your date of birth
  • ", + "
  • your National Insurance number - this is on letters about tax, pensions and benefits
  • ", + "
  • your bank or building society account number and sort code
  • ", + "
  • your doctor or health worker\u2019s name, address and telephone number
  • ", + "
  • dates and addresses for any time you\u2019ve spent in a care home or hospital
  • ", + "
  • dates for any time you spent abroad for more than 4 weeks at a time, and the countries you visited
  • ", + "

    If you need someone to help you, ask DWP to add them to your call when you:

    ", + "
  • phone
  • ", + "
  • use Relay UK
  • ", + "
  • use the video relay service
  • ", + "

    You cannot do this if you use textphone.

    ", + "

    If you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.

    ", + "

    Claim by post

    ", + "

    You can get a form to send information by post (although this can delay the decision on your claim). Write a letter to ask for the form.

    ", + "

    What happens next

    ", + "
  • You\u2019ll be sent a \u2018How your disability affects you\u2019 form. Call the PIP enquiry line if you need it in an alternative format such as braille, large print or audio CD.
  • ", + "
  • Fill in the form using the notes that come with it to help you. You can also read Citizens Advice\u2019s help on filling in the form.
  • ", + "
  • Return the form to DWP - the address is on the form. You have 1 month to return the form. DWP will start processing your claim when they receive your form. Contact the PIP enquiry line if you need more time.
  • ", + "
  • If more information is needed, an independent health professional will send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call. You\u2019ll be asked questions about your ability to carry out activities and how your condition affects your daily life. You can read Citizens Advice\u2019s help on preparing for an assessment.
  • ", + "
  • You\u2019ll get a letter that tells you whether you\u2019ll get PIP. If you do, you\u2019ll be told how much you\u2019ll get, when you\u2019ll be paid and the date your PIP will be reviewed so that you continue to get the right support.
  • ", + "

    Because of coronavirus (COVID-19), you\u2019ll only be invited to attend an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.

    ", + "

    You cannot apply using any Disability Living Allowance (DLA) forms you may have.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.

    ", + "

    If your PIP claim is reviewed

    ", + "

    The letter you got when your Personal Independence Payment (PIP) was approved will tell you when your claim will end and if it will be reviewed.

    ", + "

    If your claim is going to be reviewed, the letter will tell you when you\u2019ll be contacted about the review.

    ", + "

    How PIP reviews work

    ", + "

    You will continue to get PIP while your claim is being reviewed.

    ", + "
  • You\u2019ll get a letter asking you to fill in a form called \u2018Award review - how your disability affects you\u2019.
  • ", + "
  • Fill in the form using the notes that come with it.
  • ", + "
  • Send the form and any supporting information you have not shared with the Department for Work and Pensions (DWP) before - the form explains what to include and where to send it. You\u2019ll need to return it within 1 month. Contact the PIP enquiry line if you need more time.
  • ", + "
  • DWP will review your form. If they need more information, an independent health professional might phone you to ask some questions or send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call.
  • ", + "
  • You\u2019ll get a letter that tells you what will happen with your PIP. If your needs have changed, your PIP might be increased, reduced or stopped.
  • ", + "

    Because of coronavirus (COVID-19), you\u2019ll only be invited to an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Change of circumstances

    ", + "

    You must contact the Personal Independence Payment (PIP) enquiry line if:

    ", + "
  • your personal details change, for example your name, address or doctor
  • ", + "
  • the help you need or your condition changes
  • ", + "
  • your condition has worsened and you\u2019re not expected to live more than 6 months
  • ", + "
  • you go into hospital or a care home
  • ", + "
  • you go abroad
  • ", + "
  • you\u2019re imprisoned or held in detention
  • ", + "
  • your immigration status changes, if you\u2019re not a British citizen
  • ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    How to report a change of circumstances

    ", + "

    Contact the PIP enquiry line to report a change of circumstances.

    ", + "

    If you need someone to help you, ask the Department for Work and Pensions (DWP) to add them to your call when you:

    ", + "
  • phone
  • ", + "
  • use Relay UK
  • ", + "
  • use the video relay service
  • ", + "

    You cannot do this if you use textphone.

    ", + "

    If you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    Claiming PIP if you're terminally ill

    ", + "

    You can get Personal Independence Payment (PIP) more quickly if you\u2019re terminally ill.

    ", + "

    You can claim PIP if:

    ", + "
  • your doctor or a healthcare professional has said you might have less than 6 months to live
  • ", + "
  • you are aged 16 or over and usually have not reached State Pension age
  • ", + "

    How to claim

    ", + "

    You can claim for yourself or someone else can do it for you.

    ", + "

    Call DWP to start your PIP claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to DWP.

    ", + "

    You will not need to go to a face-to-face consultation.

    ", + "

    If you need someone to help you, ask DWP to add them to your call when you:

    ", + "
  • phone
  • ", + "
  • use Relay UK
  • ", + "
  • use the video relay service
  • ", + "

    You cannot do this if you use textphone.

    ", + "

    If you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.

    ", + "

    You may be able to get other benefits if you\u2019re terminally ill.

    " + ] + }, + { + "title": "Attendance Allowance", + "url": "https://www.gov.uk/attendance-allowance", + "contents": [ + "

    Overview

    ", + "

    Attendance Allowance helps with extra costs if you have a disability severe enough that you need someone to help look after you.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    It\u2019s paid at 2 different rates and how much you get depends on the level of care that you need because of your disability.

    ", + "

    You could get \u00a360 or \u00a389.60 a week to help with personal support if you\u2019re both:

    ", + "
  • physically or mentally disabled
  • ", + "
  • State Pension age or older
  • ", + "

    It does not cover mobility needs.

    ", + "

    The other benefits you get can increase if you get Attendance Allowance.

    ", + "

    You do not have to have someone caring for you in order to claim.

    ", + "

    If you do have a carer, they could get Carer\u2019s Allowance if you have substantial caring needs.

    ", + "

    What you'll get

    ", + "

    Attendance Allowance is paid weekly at 2 different rates - the one you get depends on the level of help you need.

    ", + "

    Attendance Allowance is not means-tested - what you earn or how much you have in savings will not affect what you get.

    ", + "

    Attendance Allowance rates

    ", + "Rate | Level of help you need", + "Lower rate - \u00a360 | Frequent help or constant supervision during the day, or supervision at night", + "Higher rate - \u00a389.60 | Help or supervision throughout both day and night, or you\u2019re terminally ill", + "

    If your circumstances change, you could get a different rate. You must report a change of circumstances.

    ", + "

    You could get extra Pension Credit, Housing Benefit or Council Tax Reduction if you get Attendance Allowance - check with the helpline or office dealing with your benefit.

    ", + "

    How you\u2019re paid

    ", + "

    All benefits are paid into your bank, building society or credit union account.

    ", + "

    Eligibility

    ", + "

    You can get Attendance Allowance if you\u2019ve reached State Pension age and the following apply:

    ", + "
  • you have a physical disability (including sensory disability, for example blindness), a mental disability (including learning difficulties), or both
  • ", + "
  • your disability is severe enough for you to need help caring for yourself or someone to supervise you, for your own or someone else\u2019s safety
  • ", + "
  • you have needed that help for at least 6 months (unless you\u2019re terminally ill)
  • ", + "

    You must also:

    ", + "
  • be in Great Britain when you claim - there are some exceptions, such as members and family members of the armed forces
  • ", + "
  • have been in Great Britain for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)
  • ", + "
  • be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands
  • ", + "
  • not be subject to immigration control (unless you\u2019re a sponsored immigrant)
  • ", + "

    If you live in the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    You might still be able to get Attendance Allowance if you\u2019re a UK national and you live in or move to the EU, European Economic Area (EEA) or Switzerland.

    ", + "

    Read guidance to find out if you can get benefits in the EU, EEA or Switzerland.

    ", + "

    If you\u2019re terminally ill

    ", + "

    If you\u2019re not expected to live for more than 6 months, there are \u2018special rules\u2019:

    ", + "
  • there\u2019s no qualifying period for how long you\u2019ve had your illness
  • ", + "
  • if you\u2019re eligible, you\u2019ll automatically get the higher rate of Attendance Allowance
  • ", + "

    If you\u2019re in a care home

    ", + "

    You cannot usually get Attendance Allowance if you live in a care home and your care is paid for by your local authority. You can still claim Attendance Allowance if you pay for all your care home costs yourself.

    ", + "

    If you need an assessment

    ", + "

    You\u2019ll only need to attend an assessment to check your eligibility if it\u2019s unclear how your illness or disability affects you.

    ", + "

    If you do need an assessment you\u2019ll get a letter saying why and where you must go. During the assessment, a healthcare professional will need to examine you.

    ", + "

    You cannot get Attendance Allowance if you already get Disability Living Allowance (DLA) or Personal Independence Payment (PIP).

    ", + "

    How to claim

    ", + "

    Use the Attendance Allowance claim form to apply by post. The form comes with notes telling you how to fill it in.

    ", + "

    Send the completed form to:

    ", + "

    You do not need a postcode or a stamp.

    ", + "

    Call the Attendance Allowance helpline to ask for:

    ", + "
  • a copy of the form
  • ", + "
  • alternative formats, such as braille, large print or audio CD
  • ", + "

    Backdating your claim

    ", + "

    Attendance Allowance can be backdated to the date of your claim. This is usually the date your form is received or the date you call the enquiry line (if you then return the claim pack within 6 weeks).

    ", + "

    If you\u2019re terminally ill (\u2018special rules\u2019)

    ", + "

    There are \u2018special rules\u2019 so you get Attendance Allowance more quickly if you\u2019re not expected to live more than 6 months. You must:

    ", + "
  • complete an Attendance Allowance form
  • ", + "
  • ask a doctor or other healthcare professional for form DS1500 - they\u2019ll either fill it in and give the form to you or send it directly to DWP
  • ", + "

    You can do this on behalf of someone else without their permission. The letter about the money awarded will not mention \u2018special rules\u2019.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Complaints

    ", + "

    You can complain to the Department for Work and Pensions (DWP) if you\u2019re unhappy with the service you\u2019ve received.

    ", + "

    Report a change in circumstances

    ", + "

    Your circumstances can affect how much Attendance Allowance you get.

    ", + "

    You must contact the Attendance Allowance helpline straight away if:

    ", + "
  • the level of help you need or your condition changes
  • ", + "
  • you go into hospital or a care home
  • ", + "
  • you leave the country for more than 4 weeks
  • ", + "
  • you go into prison
  • ", + "
  • you change your name, address or bank details
  • ", + "
  • you want to stop receiving your benefit
  • ", + "
  • your doctor\u2019s details change
  • ", + "
  • your immigration status changes, if you\u2019re not a British citizen
  • ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    " + ] + }, + { + "title": "Industrial Injuries Disablement Benefit", + "url": "https://www.gov.uk/industrial-injuries-disablement-benefit", + "contents": [ + "

    Overview

    ", + "

    You might get Industrial Injuries Disablement Benefit (IIDB) if you became ill or are disabled because of an accident or disease either:

    ", + "
  • at work
  • ", + "
  • on an approved employment training scheme or course
  • ", + "

    The amount you may get depends on your individual circumstances.

    ", + "

    Your carer could get Carer\u2019s Allowance if you have substantial caring needs.

    ", + "

    What you'll get

    ", + "

    The level of your disability will affect the amount of benefit you may get. This will be assessed by a \u2018medical advisor\u2019 on a scale of 1 to 100%.

    ", + "

    Normally you must be assessed as 14% disabled or more to get the benefit.

    ", + "

    All amounts are a guide only.

    ", + "Assessed level of disablement | Weekly amount", + "100% | \u00a3182.90", + "90% | \u00a3164.61", + "80% | \u00a3146.32", + "70% | \u00a3128.03", + "60% | \u00a3109.74", + "50% | \u00a391.45", + "40% | \u00a373.16", + "30% | \u00a354.87", + "20% | \u00a336.58", + "

    Eligibility

    ", + "

    Accidents

    ", + "

    You may be able to claim Industrial Injuries Disablement Benefit (IIDB) if:

    ", + "
  • you were employed when the accident or event happened
  • ", + "
  • you were on an approved employment training scheme or course when the accident or event happened
  • ", + "
  • the work accident or event that caused your illness or disability happened in England, Scotland or Wales
  • ", + "

    There are some exceptions you can ask your regional Industrial Injuries Disablement Benefit Centre about.

    ", + "

    Diseases

    ", + "

    You can claim IIDB if you were employed in a job or were on an approved employment training scheme or course that caused your disease. The scheme covers more than 70 diseases, including:

    ", + "
  • asthma
  • ", + "
  • chronic bronchitis or emphysema - also known as chronic obstructive pulmonary disease (COPD)
  • ", + "
  • deafness
  • ", + "
  • pneumoconiosis (including silicosis and asbestosis)
  • ", + "
  • osteoarthritis of the knee in coal miners
  • ", + "
  • prescribed disease A11 (previously known as vibration white finger)
  • ", + "
  • Dupuytren\u2019s contracture
  • ", + "

    The scheme also covers asbestos related diseases including:

    ", + "
  • pneumoconiosis (asbestosis)
  • ", + "
  • diffuse mesothelioma
  • ", + "
  • primary carcinoma of the lung with asbestosis
  • ", + "
  • primary carcinoma of the lung without asbestosis but where there has been extensive occupational exposure to asbestos in specified occupations
  • ", + "
  • unilateral or bilateral diffuse pleural thickening
  • ", + "

    You can get a full list of illnesses from your regional Industrial Injuries Disablement Benefit centre.

    ", + "

    You cannot claim Industrial Injuries Disablement Benefit if you were self-employed.

    ", + "

    How to claim

    ", + "

    You\u2019ll need to fill in and post a claim form.

    ", + "

    The form comes with notes that:

    ", + "
  • help you fill it in
  • ", + "
  • tell you where to send it
  • ", + "

    Download and print a claim form

    ", + "

    To claim for:

    ", + "
  • accidents caused by work, use form BI100A
  • ", + "
  • diseases caused by work, use form BI100PD
  • ", + "

    Request a claim form by phone

    ", + "

    You can also ask Barnsley Industrial Injuries Disablement Benefit (IIDB) Centre to send you a claim form.

    ", + "

    Alternative formats

    ", + "

    Call to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    After you send your form

    ", + "

    Your claim will be assessed using the information provided in your claim form, or at a face to face medical assessment.

    ", + "

    The Centre for Health and Disability Assessments (CHDA) will contact you if you need a face to face medical assessment. They\u2019ll send you information about what to expect at the appointment. Read the guidance on how to attend your face to face assessment safely because of coronavirus (COVID-19).

    ", + "

    You will not need to attend a face to face assessment if you\u2019re terminally ill or you have any of the following diseases:

    ", + "
  • diffuse mesothelioma
  • ", + "
  • angiosarcoma of the liver due to exposure to vinyl chloride monomer
  • ", + "
  • primary carcinoma of the bronchus or lung through exposure to arsenic
  • ", + "
  • primary carcinoma of the bronchus or lung through exposure to Nickel/Nickel compounds
  • ", + "
  • primary carcinoma of the lung where there is accompanying evidence of asbestosis
  • ", + "
  • primary carcinoma of the lung, through exposure to asbestos
  • ", + "
  • primary carcinoma of the lung, linked to tin and other specified chemicals or work with coke ovens
  • ", + "
  • primary carcinoma of the lung where there is accompanying silicosis
  • ", + "

    The assessment of your claim may be delayed because of coronavirus. When your claim is considered, your IIDB payments will be backdated to the date DWP received your claim form.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.

    ", + "

    If your IIDB payments are reviewed

    ", + "

    If your IIDB payments were due to be reviewed, they will automatically be extended for 6 months because of coronavirus (COVID-19). You will not have to pay back any IIDB you get.

    ", + "

    DWP will write to you to tell you that your payments are being extended.

    ", + "

    If you were given a \u2018final award\u2019 and your payments are for a limited time, they will not be extended. If the condition for which you\u2019re getting IIDB has changed, you should report the change to DWP.

    ", + "

    Illnesses that may still be reviewed

    ", + "

    Your payments may still be reviewed if you are terminally ill or you have any of the following:

    ", + "
  • diffuse mesothelioma
  • ", + "
  • angiosarcoma of the liver due to exposure to vinyl chloride monomer
  • ", + "
  • primary carcinoma of the bronchus or lung through exposure to arsenic
  • ", + "
  • primary carcinoma of the bronchus or lung through exposure to Nickel/Nickel compounds
  • ", + "
  • primary carcinoma of the lung where there is accompanying evidence of asbestosis
  • ", + "
  • primary carcinoma of the lung, through exposure to asbestos
  • ", + "
  • primary carcinoma of the lung, linked to tin and other specified chemicals or work with coke ovens
  • ", + "
  • primary carcinoma of the lung where there is accompanying silicosis
  • ", + "

    DWP will write to you to tell you if your payments will be reviewed.

    ", + "

    Report a change in circumstances

    ", + "

    You, or the person who claims on your behalf, must tell the office that deals with your payments about any changes to your circumstances or personal details. Let them know straight away if:

    ", + "
  • the condition for which you\u2019re getting benefit improves or gets worse
  • ", + "
  • you change your name or gender
  • ", + "
  • you get married or form a civil partnership
  • ", + "
  • you change your address
  • ", + "
  • you leave the country
  • ", + "
  • you go into prison
  • ", + "
  • your immigration status changes, if you\u2019re not a British citizen
  • ", + "

    You must also report these if you receive Unemployability Supplement, which topped up Industrial Disablement Supplement until 1987.

    ", + "

    There will be a delay in assessing your change of circumstances because of coronavirus (COVID-19). Any changes to your payments will be backdated to when you reported the change.

    ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    Industrial Injuries Disablement Benefit Centres

    ", + "

    Barrow IIDB Centre

    ", + "

    Barnsley IIDB Centre

    ", + "

    Bradford IIDB Centre

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    Further information

    ", + "

    Other benefits you may be able to get

    ", + "

    Constant Attendance Allowance (CAA)

    ", + "

    You can claim CAA for accidents where your disability is assessed at 100% and you need daily care and attention.

    ", + "

    The CAA rate you\u2019re paid is based on an assessment of your needs.

    ", + "

    Exceptionally Severe Disablement Allowance

    ", + "

    You can claim \u00a373.20 paid in addition to the CAA rates, if you\u2019re assessed at one of the top 2 rates of CAA and need permanent, constant care and attention.

    ", + "

    Reduced Earnings Allowance (REA)

    ", + "

    You may get REA if:

    ", + "
  • you cannot do your usual job or other work with similar pay because of an accident or disease caused by work
  • ", + "
  • you have a disability or injury which began before 1 October 1990
  • ", + "

    Pneumoconiosis Etc. (Workers\u2019 Compensation) Act 1979

    ", + "

    Jobcentre Plus may pay you a lump sum if you have one of the following diseases:

    ", + "
  • pneumoconiosis
  • ", + "
  • byssinosis
  • ", + "
  • diffuse mesothelioma
  • ", + "
  • bilateral diffuse pleural thickening
  • ", + "
  • primary carcinoma of the lung when accompanied by asbestosis or bilateral diffuse pleural thickening
  • ", + "

    To get a payment you must meet all the following conditions:

    ", + "
  • your dust-related disease must have been caused by your employment
  • ", + "
  • you\u2019re getting Industrial Injuries Disablement Benefit for one of the listed diseases
  • ", + "
  • you must claim within 12 months of the decision awarding Industrial Injuries Disablement Benefit
  • ", + "
  • you cannot or have not taken civil action because your former employer has stopped trading
  • ", + "
  • you have not brought a court action or received compensation from an employer in respect of the disease
  • ", + "

    You may be able to make a claim if you\u2019re the dependant of someone who suffered from a dust-related disease but who has died. A dependant claim must be made within 12 months of the death of the sufferer.

    ", + "

    Diffuse mesothelioma payment

    ", + "

    You may still be able to get a payment for an asbestos-related illness if you are not eligible for compensation under the Pneumoconiosis etc (Workers\u2019 Compensation) Act 1979.

    ", + "

    You can claim for the \u20182008 scheme\u2019 if you came into contact with asbestos:

    ", + "
  • while you were self employed
  • ", + "
  • through a family member, for example by washing their clothes
  • ", + "

    There\u2019s a different payment scheme if you were diagnosed with diffuse mesothelioma on or after 25 July 2012. You can apply for this even if you\u2019ve claimed compensation under the Pneumoconiosis etc (Workers\u2019 Compensation) Act 1979.

    ", + "

    Effects on other benefits

    ", + "

    You can still get Industrial Injuries Disablement Benefit (IIDB) if you\u2019re claiming:

    ", + "
  • contribution-based Employment and Support Allowance
  • ", + "
  • Incapacity Benefit
  • ", + "
  • contribution-based Jobseeker\u2019s Allowance
  • ", + "
  • State Pension
  • ", + "

    IIDB will affect the following benefits if you or your partner are claiming them:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Housing Benefit
  • ", + "
  • Working Tax Credit
  • ", + "
  • Universal Credit
  • ", + "

    It may also affect Council Tax Reduction - contact your local council for more information.

    ", + "

    Industrial Injuries Disablement Benefit Centres

    ", + "

    Barrow IIDB Centre

    ", + "

    Barnsley IIDB Centre

    ", + "

    Bradford IIDB Centre

    " + ] + }, + { + "title": "Claim if you were injured while serving in the armed forces", + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "contents": [ + "

    Overview

    ", + "

    You can claim compensation if you were injured or got an illness while serving in the armed forces (including the reserve forces).

    ", + "

    Compensation may include:

    ", + "
  • a lump sum
  • ", + "
  • regular payments
  • ", + "

    What you can claim for

    ", + "

    You can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.

    ", + "

    You can also claim:

    ", + "
  • if you were injured during a service-related activity, eg a training exercise
  • ", + "
  • for conditions you had before service if you feel your service made them worse
  • ", + "

    If you\u2019re a victim of crime while serving abroad

    ", + "

    Find out if you qualify for the Criminal Injuries Compensation (Overseas) scheme if you were the victim of a violent crime while serving abroad.

    ", + "

    What you'll get

    ", + "

    The compensation you get depends on either:

    ", + "
  • when you were injured
  • ", + "
  • when the circumstances happened that caused your illness
  • ", + "

    What you get might be reduced if you\u2019re getting compensation from another scheme.

    ", + "

    If your injury or illness is due to service after 5 April 2005

    ", + "

    If your claim is successful, you\u2019ll get a tax-free lump sum payment between \u00a31,236 and \u00a3650,000. The amount you get will depend on how severe your injury is.

    ", + "

    If you have a more serious illness or injury

    ", + "

    You may also receive a tax-free monthly payment for life when you\u2019re discharged - sometimes known as a Guaranteed Income Payment (GIP).

    ", + "

    The GIP is based on your salary, age and how severe your injury is.

    ", + "

    If your GIP payment level is 50% of your salary or more, you can also claim an Armed Forces Independence Payment (AFIP).

    ", + "

    If your injury or illness is due to service before 6 April 2005

    ", + "

    If your claim is successful, you\u2019ll be awarded either:

    ", + "
  • a pension - if your disability is assessed at 20% or more
  • ", + "
  • a lump sum - if your disability is assessed at less than 20%
  • ", + "

    The amount you get will depend on how severe your injury is.

    ", + "

    You might also be able to get other allowances if you\u2019re having problems getting around or finding a job.

    ", + "

    Eligibility

    ", + "

    The rules for qualifying are different depending on when you were injured.

    ", + "

    If your injury or illness is due to service after 5 April 2005

    ", + "

    Claim under the Armed Forces Compensation Scheme (AFCS).

    ", + "

    To qualify you must be:

    ", + "
  • a current or former member of the armed forces
  • ", + "
  • applying no later than 7 years after the injury or illness, unless you\u2019re claiming for an illness that started later (sometimes known as a \u2018late onset illness\u2019)
  • ", + "

    If your injury or illness is due to service before 6 April 2005

    ", + "

    Claim under the War Pension Scheme (WPS).

    ", + "

    There are no time limits for claiming under the WPS but you must be no longer serving in the armed forces.

    ", + "

    How to claim

    ", + "

    Fill in the claim form and send it to the address on the form.

    ", + "

    It\u2019s the same claim form for the Armed Forces Compensation Scheme (AFCS) and War Pension Scheme (WPS).

    ", + "

    You can ask the Veterans Welfare Service (VWS) for help with making your claim.

    ", + "

    You may be contacted for more evidence in support of your claim.

    ", + "

    You may be able to apply for a \u2018fast payment\u2019 of \u00a360,000 if you were seriously injured during service after 8 May 2011.

    ", + "

    If you disagree with the decision on your claim

    ", + "

    You can write to Veterans UK to ask them reconsider their decision.

    ", + "

    You can also appeal to an independent tribunal within 12 months.

    ", + "

    Additional payments

    ", + "

    You can apply for a Personal Independence Payment (PIP) while your compensation claim is being dealt with.

    ", + "

    You might also be able to get:

    ", + "
  • other allowances if your injury or illness is due to service before 6 April 2005
  • ", + "
  • an Armed Forces Independence Payment (AFIP) if you were seriously injured on or after 6 April 2005
  • ", + "

    Armed Forces Independence Payment (AFIP)

    ", + "

    Once you\u2019ve had the result of your compensation claim, you might be able to claim AFIP if you\u2019ve been seriously injured.

    ", + "

    AFIP is \u00a3151.40 per week. It\u2019s tax free and is paid every 4 weeks into your bank account.

    ", + "

    Eligibility

    ", + "

    You\u2019re eligible if both of the following apply:

    ", + "
  • you were injured on or after 6 April 2005
  • ", + "
  • you\u2019re given a Guaranteed Income Payment (GIP) of 50% or more
  • ", + "

    You\u2019ll get the payment as long as you\u2019re entitled to this level of GIP. You won\u2019t be reassessed in the future.

    ", + "

    If you\u2019re not eligible for AFIP, you can get a PIP if you have a long-term health condition or disability.

    ", + "

    How to claim

    ", + "

    Contact Veterans UK for a claim form. There\u2019s no deadline.

    ", + "

    Claiming other benefits with AFIP

    ", + "

    If you get AFIP you might be eligible for other benefits, eg Child Tax Credit.

    ", + "

    AFIP is not counted as income when working out your what other benefits you can claim.

    ", + "

    Your household is exempt from the benefit cap if you or your partner are getting AFIP.

    " + ] + }, + { + "title": "Diffuse mesothelioma payments", + "url": "https://www.gov.uk/diffuse-mesothelioma-payment", + "contents": [ + "

    Overview

    ", + "

    You may be able to get a payment if you\u2019ve been diagnosed with the asbestos-related disease, diffuse mesothelioma.

    ", + "

    There are 2 types of payment you can claim for:

    ", + "
  • diffuse mesothelioma payments (the \u20182008 scheme\u2019)
  • ", + "
  • the Diffuse Mesothelioma Payment Scheme (DMPS)
  • ", + "

    You can claim DMPS if you cannot find the employer responsible for your contact with asbestos, or their insurer.

    ", + "

    What you'll get

    ", + "

    The 2008 scheme

    ", + "

    You\u2019ll get one payment.

    ", + "

    The amount you\u2019ll get depends on how old you were when your disease was diagnosed. For example, if you were 60 when your disease was diagnosed, and you qualify, you\u2019ll get a payment of \u00a344,312.

    ", + "

    Rates

    ", + "Age when diagnosed | Payment", + "37 and under | \u00a394,296", + "38 | \u00a392,463", + "39 | \u00a390,633", + "40 | \u00a388,804", + "41 | \u00a386,971", + "42 | \u00a385,140", + "43 | \u00a384,227", + "44 | \u00a383,306", + "45 | \u00a382,394", + "46 | \u00a381,477", + "47 | \u00a380,562", + "48 | \u00a378,003", + "49 | \u00a375,440", + "50 | \u00a372,873", + "51 | \u00a370,312", + "52 | \u00a367,742", + "53 | \u00a365,913", + "54 | \u00a364,085", + "55 | \u00a362,258", + "56 | \u00a360,418", + "57 | \u00a358,587", + "58 | \u00a353,829", + "59 | \u00a349,066", + "60 | \u00a344,312", + "61 | \u00a339,550", + "62 | \u00a334,790", + "63 | \u00a331,859", + "64 | \u00a328,926", + "65 | \u00a326,001", + "66 | \u00a323,071", + "67 | \u00a320,142", + "68 | \u00a319,545", + "69 | \u00a318,946", + "70 | \u00a318,357", + "71 | \u00a317,761", + "72 | \u00a317,169", + "73 | \u00a316,662", + "74 | \u00a316,146", + "75 | \u00a315,652", + "76 | \u00a315,155", + "77 and over | \u00a314,651", + "

    Diffuse Mesothelioma Payment Scheme (DMPS)

    ", + "

    Your payment will depend on the details of your claim. Read about payment amounts on the DMPS website.

    ", + "

    Eligibility

    ", + "

    The 2008 scheme

    ", + "

    You can claim a one-off payment if you:

    ", + "
  • are not entitled to a payment under the 1979 Pneumoconiosis Act
  • ", + "
  • have not been given a payment for the disease from an employer, a civil claim or elsewhere
  • ", + "
  • are not entitled to compensation from a Ministry of Defence scheme
  • ", + "

    You must have been exposed to asbestos in the United Kingdom.

    ", + "

    Examples of exposure include:

    ", + "
  • you came into contact with asbestos from a relative, for instance by washing their clothes
  • ", + "
  • you were exposed to asbestos in the environment, for instance you lived near a factory using asbestos
  • ", + "
  • you were exposed to asbestos while self-employed
  • ", + "
  • your exposure cannot be specified but it occurred in the United Kingdom
  • ", + "

    You must claim within 12 months of diagnosis.

    ", + "

    Diffuse Mesothelioma Payment Scheme (DMPS)

    ", + "

    You may be able to claim if all of the following apply:

    ", + "
  • you were diagnosed with diffuse mesothelioma on or after 25 July 2012
  • ", + "
  • your mesothelioma was caused by exposure to asbestos when working in the UK
  • ", + "
  • you cannot trace the employer that exposed you to asbestos, or their insurers
  • ", + "
  • you have not made a civil claim against any employer or insurer
  • ", + "
  • you have not received damages or a specified payment for mesothelioma and you\u2019re not eligible to a specified payment
  • ", + "

    You may also be able to claim if you were the dependant of a sufferer who has died.

    ", + "

    You can claim for DMPS even if you have already claimed from the 2008 scheme or under the 1979 Pneumoconiosis Act. If you\u2019ve already got a payment from the 2008 scheme or the Pneumoconiosis Act, it will be deducted from the amount you get from DMPS.

    ", + "

    You may still be able to claim from the 2008 scheme even if you are unsuccessful in your DMPS claim.

    ", + "

    Claims through the DMPS scheme must be made within 3 years of diagnosis.

    ", + "

    Payments for dependants

    ", + "

    The 2008 scheme

    ", + "

    You may be able to claim if you were the dependant of a sufferer who has died. You must claim within 12 months of their death.

    ", + "

    Contact Barrow Industrial Injuries Disablement Benefit (IIDB) Centre to find out if you\u2019re eligible.

    ", + "

    Rates

    ", + "

    If you qualify, you\u2019ll get one payment. The amount will depend on how old the person with mesothelioma was when they died. For example, if they were 60 when they died, and you qualify, you\u2019ll get a payment of \u00a319,182.

    ", + "Age of death | Payment", + "37 and under | \u00a349,073", + "38 | \u00a348,018", + "39 | \u00a346,965", + "40 | \u00a345,913", + "41 | \u00a344,860", + "42 | \u00a343,808", + "43 | \u00a342,800", + "44 | \u00a341,784", + "45 | \u00a340,783", + "46 | \u00a339,777", + "47 | \u00a338,772", + "48 | \u00a337,536", + "49 | \u00a336,297", + "50 | \u00a335,063", + "51 | \u00a333,831", + "52 | \u00a332,596", + "53 | \u00a331,583", + "54 | \u00a330,580", + "55 | \u00a329,573", + "56 | \u00a328,559", + "57 | \u00a327,555", + "58 | \u00a324,768", + "59 | \u00a321,971", + "60 | \u00a319,182", + "61 | \u00a316,389", + "62 | \u00a313,593", + "63 | \u00a312,795", + "64 | \u00a312,003", + "65 | \u00a311,191", + "66 | \u00a310,392", + "67 and over | \u00a38,124", + "

    Diffuse Mesothelioma Payment Scheme (DMPS)

    ", + "

    Your payment will depend on the details of your claim. Read about payment amounts on the DMPS website.

    ", + "

    How to claim

    ", + "

    The 2008 scheme

    ", + "

    Fill in a mesothelioma payment claim form and provide medical evidence.

    ", + "

    Contact Barrow Industrial Injuries Disablement Benefit (IIDB) Centre if you cannot print out a form and you need one sent to you.

    ", + "

    Alternative formats

    ", + "

    Contact the Barrow IIDB Centre to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    You must claim within 12 months of diagnosis. If you\u2019re a dependant claiming for a sufferer who is now deceased, you must claim within 12 months from the date of their death.

    ", + "

    Diffuse Mesothelioma Payment Scheme (DMPS)

    ", + "

    You can apply online at the DMPS website.

    ", + "

    You\u2019ll need:

    ", + "
  • your National Insurance number
  • ", + "
  • your full employment history, with evidence - for example, P60s
  • ", + "
  • evidence of unsuccessful attempts to trace your employer or insurers
  • ", + "
  • the date of your diagnosis
  • ", + "
  • evidence of diagnosis
  • ", + "
  • details of any previous claims
  • ", + "
  • a witness statement
  • ", + "

    Contact TopMark for more information on the DMPS and how to apply.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for a mandatory review.

    ", + "

    If you\u2019re unhappy with the outcome of the mandatory review, you can appeal to to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.

    ", + "

    Appeal to the tribunal within one month of getting the mandatory review decision. If you submit your appeal after a month you\u2019ll have to explain why you did not do it earlier.

    ", + "

    Download and fill in form SSCS6a and send it to the address on the form.

    ", + "

    You\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.

    ", + "

    After you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts. The judge will then make a decision.

    ", + "

    It usually takes around 6 months for your appeal to be heard by the tribunal.

    " + ] + }, + { + "title": "Reduced Earnings Allowance", + "url": "https://www.gov.uk/reduced-earnings-allowance", + "contents": [ + "

    Overview

    ", + "

    If you cannot earn as much as you used to because of an accident or disease caused by your work, you could get up to \u00a373.16 per week Reduced Earnings Allowance.

    ", + "

    You can only get it for accidents that happened, or diseases that started, before 1 October 1990.

    ", + "

    You may also be able to get Industrial Injuries Disablement Benefit (IIDB).

    ", + "

    Effect on other benefits

    ", + "

    Reduced Earnings Allowance could affect any income-related benefits that you or your partner get.

    ", + "

    Contact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre for details.

    ", + "

    What you'll get

    ", + "

    You could get up to \u00a373.16 per week.

    ", + "

    What you get depends on how much you earn in your regular employment.

    ", + "

    Ask the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre about how much you can get.

    ", + "

    Reduced Earnings Allowance will be replaced by another benefit called Retirement Allowance if both the following apply:

    ", + "
  • you reach State Pension age
  • ", + "
  • you\u2019re not in regular employment
  • ", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are paid into your bank, building society or credit union account.

    ", + "

    Eligibility

    ", + "

    You could get Reduced Earnings Allowance if you have an illness or disability caused by a work-related accident or disease that happened before 1 October 1990.

    ", + "

    You must also meet all of the following criteria:

    ", + "
  • your level of disability is assessed to be at least 1%
  • ", + "
  • you cannot return to your regular occupation
  • ", + "
  • you cannot do other work with the same level of earnings as your regular occupation
  • ", + "

    Going abroad

    ", + "

    If you leave the UK to live abroad permanently, you may not be able to get Reduced Earnings Allowance.

    ", + "

    Check if you can get benefits if you move to the EU, European Economic Area (EEA) or Switzerland.

    ", + "

    For temporary visits to countries outside the EEA, you can usually claim for the first 3 months of your stay.

    ", + "

    This can be longer in special circumstances - check with the International Pensions Centre to see if you qualify.

    ", + "

    Your circumstances change

    ", + "

    Tell the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre straight away if your circumstances change, for example:

    ", + "
  • you stop or start work
  • ", + "
  • you change your occupation
  • ", + "
  • your earnings change
  • ", + "

    How to claim

    ", + "

    You\u2019ll need to fill in and post a claim form.

    ", + "

    Contact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre to get a form.

    ", + "

    The form comes with notes that will:

    ", + "
  • help you fill it in
  • ", + "
  • tell you where to send it
  • ", + "

    Claim straight away or you might lose benefit.

    ", + "

    Contact the Barnsley IIDB centre

    ", + "

    Alternative formats

    ", + "

    Call to ask for alternative formats, such as braille, large print or audio CD.

    " + ] + }, + { + "title": "Blind Person's Allowance", + "url": "https://www.gov.uk/blind-persons-allowance", + "contents": [ + "

    Overview

    ", + "

    Blind Person\u2019s Allowance is an extra amount of tax-free allowance.

    ", + "

    It means you can earn more before you start paying Income Tax.

    ", + "

    What you'll get

    ", + "

    Blind Person\u2019s Allowance is added to your yearly Personal Allowance - the amount of money you can earn before you start paying Income Tax.

    ", + "Tax year | Blind Person\u2019s Allowance", + "2021 to 2022 | \u00a32,520", + "2020 to 2021 | \u00a32,500", + "

    If you and your spouse or civil partner are both eligible, you\u2019ll each get an allowance.

    ", + "

    You can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or earn enough to use all of your allowance.

    ", + "

    Previous tax years

    ", + "

    HM Revenue and Customs (HMRC) publishes tables with tax rates that include Blind Person\u2019s Allowance for current and past tax years.

    ", + "

    Eligibility

    ", + "

    England and Wales

    ", + "

    You can claim Blind Person\u2019s Allowance if both of the following apply:

    ", + "
  • you\u2019re registered with your local council as blind or severely sight impaired
  • ", + "
  • you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)
  • ", + "

    Scotland and Northern Ireland

    ", + "

    You can claim Blind Person\u2019s Allowance if both of the following apply:

    ", + "
  • you cannot do work for which eyesight is essential
  • ", + "
  • you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)
  • ", + "

    How to claim

    ", + "

    Contact HM Revenue and Customs (HMRC) to claim.

    ", + "

    Transfer your allowance

    ", + "

    You can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or cannot use all of it.

    ", + "

    You can do this:

    ", + "
  • if you\u2019re married or in a civil partnership
  • ", + "
  • if you\u2019re living with your spouse or civil partner
  • ", + "
  • whether or not your spouse or civil partner is blind
  • ", + "

    You can still transfer your allowance if you\u2019re unable to live with your spouse or civil partner because of:

    ", + "
  • illness or old age, for example where your spouse or partner is in residential care
  • ", + "
  • working away from home
  • ", + "
  • an armed forces posting
  • ", + "
  • being in prison
  • ", + "
  • training or education
  • ", + "

    How to transfer your allowance

    ", + "

    To transfer your allowance to a spouse or civil partner, use form 575 or call HM Revenue and Customs (HMRC).

    ", + "

    You\u2019ll also get the option to transfer any Married Couple\u2019s Allowance.

    ", + "

    If you\u2019re making a claim to get tax back on savings and investment interest using form R40 you can also ask for a copy of form 575 by ticking the appropriate box.

    ", + "

    Get the form in another format

    ", + "

    Contact HM Revenue and Customs (HMRC) if you need the form in a different format, for example Braille.

    " + ] + }, + { + "title": "Vaccine Damage Payment", + "url": "https://www.gov.uk/vaccine-damage-payment", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re severely disabled as a result of a vaccination against certain diseases, you could get a one-off tax-free payment of \u00a3120,000. This is called a Vaccine Damage Payment.

    ", + "

    Effect on benefits you receive

    ", + "

    A Vaccine Damage Payment can affect benefits and entitlements like:

    ", + "
  • Income Support
  • ", + "
  • Income-based Jobseeker\u2019s Allowance
  • ", + "
  • Working Tax Credit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Universal Credit
  • ", + "
  • Pension Credit
  • ", + "
  • Housing Benefit
  • ", + "
  • Council Tax Reduction
  • ", + "
  • Employment and Support Allowance
  • ", + "

    The effect the payment will have depends on a number of things. This includes the payment being put into a trust and the payments being made from it.

    ", + "

    You should let the office that deals with your benefit or tax credit claim know if you\u2019ve got a Vaccine Damage Payment. You can get contact details from letters they have sent you.

    ", + "

    What you'll get

    ", + "

    A Vaccine Damage Payment is a tax free one-off payment of \u00a3120,000.

    ", + "

    How you\u2019re paid

    ", + "

    You\u2019ll get payment direct to you or, if you\u2019re under 18 or cannot manage your own affairs, payment will be made to trustees.

    ", + "

    If you live with your family, your parents may be appointed as trustees.

    ", + "

    All benefits, pensions and allowances are paid into an account, for example your bank account.

    ", + "

    Eligibility

    ", + "

    You could get a payment if you\u2019re severely disabled and your disability was caused by vaccination against any of the following diseases:

    ", + "
  • coronavirus (COVID-19)
  • ", + "
  • diphtheria
  • ", + "
  • haemophilus influenzae type b (Hib)
  • ", + "
  • human papillomavirus
  • ", + "
  • influenza, except for influenza caused by a pandemic influenza virus
  • ", + "
  • measles
  • ", + "
  • meningococcal group B (meningitis B)
  • ", + "
  • meningococcal group C (meningitis C)
  • ", + "
  • meningococcal group W (meningitis W)
  • ", + "
  • mumps
  • ", + "
  • pandemic influenza A (H1N1) 2009 (swine flu) - up to 31 August 2010
  • ", + "
  • pertussis (whooping cough)
  • ", + "
  • pneumococcal infection
  • ", + "
  • poliomyelitis
  • ", + "
  • rotavirus
  • ", + "
  • rubella (German measles)
  • ", + "
  • smallpox - up to 1 August 1971
  • ", + "
  • tetanus
  • ", + "
  • tuberculosis (TB)
  • ", + "

    You may have had a combined vaccination against a number of the diseases listed. For example, you might have been vaccinated against DTP (diphtheria, tetanus and pertussis) or MMR (measles, mumps and rubella).

    ", + "

    You may also be able to get a payment if you\u2019re severely disabled because either:

    ", + "
  • your mother was vaccinated against one of the diseases in the list while she was pregnant
  • ", + "
  • you\u2019ve been in close physical contact with someone who\u2019s had an oral vaccine against poliomyelitis
  • ", + "

    What counts as \u2018severely disabled\u2019

    ", + "

    Disablement is worked out as a percentage, and \u2018severe disablement\u2019 means at least 60% disabled.

    ", + "

    This could be a mental or physical disablement and will be based on medical evidence from the doctors or hospitals involved in your treatment.

    ", + "

    When and where the vaccination must have taken place

    ", + "

    You must normally have been vaccinated before your 18th birthday, unless the vaccination was during an outbreak of disease in the UK or the Isle of Man, or it was against:

    ", + "
  • coronavirus (COVID-19)
  • ", + "
  • poliomyelitis
  • ", + "
  • rubella
  • ", + "
  • meningococcal group C
  • ", + "
  • human papillomavirus
  • ", + "
  • pandemic influenza A (H1N1) 2009 (swine flu)
  • ", + "
  • meningococcal group W before your 26th birthday
  • ", + "
  • influenza
  • ", + "

    The vaccination must have been given in the UK or the Isle of Man, unless you were vaccinated as part of your armed forces medical treatment.

    ", + "

    How to claim

    ", + "

    Apply by filling out a claim form. If you\u2019re under 16, your parent or guardian should claim on your behalf.

    ", + "

    Send it to:

    ", + "

    You can also contact the Vaccine Damage Payments Unit to ask for a claim form:

    ", + "

    Time limits on making a claim

    ", + "

    You can only claim for a child once they are 2 years old.

    ", + "

    To claim for an adult, apply by whichever is the latest of the following dates:

    ", + "
  • on or before their 21st birthday (or if they\u2019ve died, the date they would have reached 21)
  • ", + "
  • within 6 years of the vaccination
  • ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for \u2018mandatory reversal\u2019

    ", + "

    If the decision was made after 27 October 2013

    ", + "

    Write to the Vaccine Damage Payments Unit. You must:

    ", + "
  • explain why you think the decision is wrong
  • ", + "
  • include any new evidence to support your application - only include evidence you have not already sent
  • ", + "

    You need to include:

    ", + "
  • the date of the original payment decision
  • ", + "
  • your name and address
  • ", + "
  • your date of birth
  • ", + "
  • your National Insurance number
  • ", + "

    If the decision was made on or before 27 October 2013

    ", + "

    Contact the Vaccine Damage Payments Unit for advice on challenging the decision.

    ", + "

    What happens next

    ", + "

    The original decision will be reviewed. The Department for Work and Pensions will send you a new decision if they think it should be changed.

    ", + "

    If they do not think the decision should be changed, you\u2019ll get a \u2018mandatory reversal notice\u2019 that will explain the reasons why. This will include the information you need to be able to appeal.

    ", + "

    If you disagree with the outcome

    ", + "

    You can ask for mandatory reversal again - there\u2019s no limit on the number of times you can make this request, and no time limit.

    ", + "

    You can also appeal to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.

    ", + "

    There is no time limit for requesting an appeal.

    ", + "

    Download and fill in form SSCS1 and send it to the address on the form.

    ", + "

    You\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.

    ", + "

    After you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts, for example a doctor. The judge will then make a decision.

    ", + "

    It usually takes around 6 months for for your appeal to be heard by the tribunal.

    " + ] + }, + { + "title": "Help if you're a student with a learning difficulty, health problem or disability", + "url": "https://www.gov.uk/disabled-students-allowance-dsa", + "contents": [ + "

    Disabled Students' Allowance

    ", + "

    Disabled Students\u2019 Allowance (DSA) is support to cover the study-related costs you have because of a mental health problem, long term illness or any other disability.

    ", + "

    This can be on its own or in addition to any student finance you get.

    ", + "

    The type of support and how much you get depends on your individual needs - not your household income.

    ", + "

    You do not need to pay back DSA.

    ", + "

    What you\u2019ll get

    ", + "

    2021 to 2022 academic year

    ", + "

    Undergraduate and postgraduate students can get up to \u00a325,000 a year for support.

    ", + "

    2020 to 2021 academic year

    ", + " | Specialist equipment allowance | Non-medical helper allowance | General allowance", + "Full-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a323,258 a year | Up to \u00a31,954 a year", + "Part-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a317,443 a year | Up to \u00a31,465 a year", + "

    Postgraduates can get support of up to \u00a320,580 a year.

    ", + "

    These figures are the maximum amounts - most students get less.

    ", + "

    What DSA can pay for

    ", + "

    You can get help with the costs of:

    ", + "
  • specialist equipment, for example a computer if you need one because of your disability
  • ", + "
  • non-medical helpers, for example a British Sign Language (BSL) interpreter or specialist note taker
  • ", + "
  • extra travel to attend your course or placement because of your disability
  • ", + "
  • other disability-related study support, for example having to print additional copies of documents for proof-reading
  • ", + "

    DSA does not cover disability-related costs you\u2019d have if you were not attending a course, or costs that any student might have.

    ", + "

    Buying a new computer

    ", + "

    You may get a new computer if you\u2019re assessed as needing one because:

    ", + "
  • you do not already have one
  • ", + "
  • your current one does not meet your study needs
  • ", + "

    When buying a new computer, you\u2019ll need to pay the first \u00a3200.

    ", + "

    The DSA team will send you more information about this after your needs assessment.

    ", + "

    Your \u2018needs assessment\u2019

    ", + "

    Once your eligibility for DSA is confirmed, Student Finance England may ask you to contact an assessment centre to work out what help you need.

    ", + "

    This is known as a needs assessment. Do not book this until Student Finance England asks you to.

    ", + "

    The assessment is paid for through any DSA entitlement you may have.

    ", + "

    After the assessment, you\u2019ll get a report listing equipment and other support you can get for your course.

    ", + "

    Do not buy any equipment until you\u2019ve been assessed - you will not be reimbursed for it.

    ", + "

    How DSA is paid

    ", + "

    Money is paid either into your bank account or directly to the organisation providing the service or equipment.

    ", + "

    You\u2019ll find out how your support will be paid to you after your needs assessment.

    ", + "

    Eligibility

    ", + "

    You can apply for Disabled Students\u2019 Allowance (DSA) if you live in England and have a disability that affects your ability to study, such as a:

    ", + "
  • specific learning difficulty, for example dyslexia or ADHD
  • ", + "
  • mental health condition, for example anxiety or depression
  • ", + "
  • physical disability, for example if you have to use crutches, a wheelchair or a special keyboard
  • ", + "
  • sensory disability, for example if you\u2019re visually impaired, deaf or have a hearing impairment
  • ", + "
  • long-term health condition, for example cancer, chronic heart disease or HIV
  • ", + "

    You must also:

    ", + "
  • be an undergraduate or postgraduate student (including Open University or distance learning)
  • ", + "
  • qualify for student finance from Student Finance England
  • ", + "
  • be studying on a course that lasts at least a year
  • ", + "

    Who is not eligible

    ", + "

    You cannot get DSA from Student Finance England if you\u2019re:

    ", + "
  • an EU student who is eligible for fee support only
  • ", + "
  • eligible for NHS Disabled Students\u2019 Allowances (this is a separate scheme)
  • ", + "
  • getting equivalent support from another funding source, like from your university or a social work bursary
  • ", + "

    Proving you\u2019re eligible

    ", + "

    You will not automatically get DSA - you need proof of your eligibility.

    ", + "Condition | Proof", + "Disabilities or long-term health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB)", + "Mental health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB)", + "Specific learning difficulty such as dyslexia | A copy of a \u2018diagnostic assessment\u2019 from a practitioner psychologist or suitably qualified specialist teacher", + "

    You could get extra help to pay for a new diagnostic assessment.

    ", + "

    Where to send letters or reports from a doctor

    ", + "

    You can send proof of a health condition or learning disability to Student Finance England through your online account - if you have one. You can also send your proof by email or post.

    ", + "

    Your course

    ", + "

    Your course must be in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "
  • a Foundation Degree
  • ", + "
  • a Certificate of Higher Education
  • ", + "
  • a Diploma of Higher Education (DipHE)
  • ", + "
  • a Higher National Certificate (HNC)
  • ", + "
  • a Higher National Diploma (HND)
  • ", + "
  • a Postgraduate Certificate of Education (PGCE)
  • ", + "
  • a postgraduate course
  • ", + "
  • Initial Teacher Training
  • ", + "

    Check with your university or college that your course is recognised.

    ", + "

    Part-time course intensity

    ", + "

    2020 to 2021 academic year

    ", + "

    For part-time students, your course intensity can affect how much DSA you get.

    ", + "

    \u2018Course intensity\u2019 means how long your course takes to complete each year compared to an equivalent full-time course. You can check course intensity with your university or college.

    ", + "

    The rules are different depending on your course.

    ", + "

    Part-time undergraduate courses

    ", + "

    Your course cannot be more than 4 times longer than the equivalent full-time course. Your course must last at least a year.

    ", + "

    Part-time postgraduate master\u2019s courses

    ", + "

    If you\u2019re applying for a Postgraduate Loan for a part-time master\u2019s degree, the course must not last more than twice as long as the full-time equivalent.

    ", + "

    How to apply

    ", + "

    How you apply for Disabled Students\u2019 Allowance (DSA) depends on whether you\u2019re studying full-time or part-time.

    ", + "

    Full-time students

    ", + "

    If you\u2019ve already applied for student finance

    ", + "

    Sign in to your student finance account to start your DSA application.

    ", + "

    The application for DSA should be on your \u2018to-do list\u2019 if you chose DSA in your application for other support. If it is not, select \u2018change your circumstances\u2019 to apply.

    ", + "

    If you do not have an online account because you applied for student finance by post, fill in a student finance form (form DSA1).

    ", + "

    If you have not applied for student finance

    ", + "

    You can apply for DSA when you apply for student finance online.

    ", + "

    If you do not need student finance, you can fill in a student finance form (form DSA1) to apply just for DSA.

    ", + "

    You cannot apply for student finance online once you\u2019ve applied for DSA.

    ", + "

    Part-time students

    ", + "

    Fill in a student finance form (form DSA1) to apply for DSA.

    ", + "

    If you\u2019re already getting DSA

    ", + "

    Fill in a student finance form (form DSA1) to claim back your expenses.

    ", + "

    How long it takes

    ", + "

    You\u2019ll get confirmation of whether your application is successful within 6 weeks.

    ", + "

    It can take up to 14 weeks to get your DSA support in place as this is done separately.

    ", + "

    Further information

    ", + "

    Contact the disability adviser at your university or college if you need advice about financial help.

    ", + "

    If your circumstances change

    ", + "

    Contact Student Finance England if your circumstances change as this may affect what you\u2019re entitled to. For example, if your condition gets worse you may be able to get extra help.

    ", + "

    Appeals

    ", + "

    You can ask for an explanation or to have your case reviewed if your application is turned down. Contact Student Finance England for more details.

    " + ] + }, + { + "title": "Carer's Allowance", + "url": "https://www.gov.uk/carers-allowance", + "contents": [ + "

    How it works

    ", + "

    You could get \u00a367.60 a week if you care for someone at least 35 hours a week and they get certain benefits.

    ", + "

    You do not have to be related to, or live with, the person you care for.

    ", + "

    You do not get paid extra if you care for more than one person.

    ", + "

    If someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.

    ", + "

    Carer\u2019s Allowance can affect the other benefits that you and the person you care for get. You have to pay tax on it if your income is over the Personal Allowance.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Claiming Carer\u2019s Allowance if you\u2019re affected by coronavirus (COVID-19)

    ", + "

    You can claim Carer\u2019s Allowance if you provide care remotely during the coronavirus outbreak. This includes giving emotional support over the phone or online.

    ", + "

    How you\u2019re paid

    ", + "

    You can choose to be paid weekly in advance or every 4 weeks.

    ", + "

    It will be paid into an account, for example your bank account.

    ", + "

    What else you can get

    ", + "

    For each week you get Carer\u2019s Allowance you\u2019ll automatically get National Insurance credits.

    ", + "

    You may also be able to apply for:

    ", + "
  • support from your local council
  • ", + "
  • a Council Tax Reduction
  • ", + "
  • Universal Credit if you\u2019re on a low income or out of work
  • ", + "
  • Pension Credit if you\u2019re over working age
  • ", + "
  • grants and bursaries to help pay for courses and training
  • ", + "
  • Income Support (if you get the severe disability premium and you\u2019re on a low income)
  • ", + "
  • income-based Employment and Support Allowance (if you get the severe disability premium and you cannot work)
  • ", + "

    If you live in Scotland and get Carer\u2019s Allowance, you may also get Carer\u2019s Allowance Supplement.

    ", + "

    Get help and advice

    ", + "

    You can get more help and advice from:

    ", + "
  • Carers UK
  • ", + "
  • Carers Trust
  • ", + "
  • Citizens Advice
  • ", + "
  • NHS: Carers Direct helpline
  • ", + "

    Eligibility

    ", + "

    You may be eligible for Carer\u2019s Allowance if you, the person you care for and the type of care you provide meets certain criteria.

    ", + "

    The person you care for

    ", + "

    The person you care for must already get one of these benefits:

    ", + "
  • Personal Independence Payment - daily living component
  • ", + "
  • Disability Living Allowance - the middle or highest care rate
  • ", + "
  • Attendance Allowance
  • ", + "
  • Constant Attendance Allowance at or above the normal maximum rate with an Industrial Injuries Disablement Benefit
  • ", + "
  • Constant Attendance Allowance at the basic (full day) rate with a War Disablement Pension
  • ", + "
  • Armed Forces Independence Payment
  • ", + "

    If someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.

    ", + "

    The type of care you provide

    ", + "

    You need to spend at least 35 hours a week caring for someone. This can include:

    ", + "
  • helping with washing and cooking
  • ", + "
  • taking the person you care for to a doctor\u2019s appointment
  • ", + "
  • helping with household tasks, like managing bills and shopping
  • ", + "

    If you or the person you care for are affected by coronavirus, you can still claim Carer\u2019s Allowance if you provide care remotely. This includes giving emotional support over the phone or online.

    ", + "

    Your eligibility

    ", + "

    All of the following must apply:

    ", + "
  • you\u2019re 16 or over
  • ", + "
  • you spend at least 35 hours a week caring for someone
  • ", + "
  • you\u2019ve been in England, Scotland or Wales for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)
  • ", + "
  • you normally live in England, Scotland or Wales, or you live abroad as a member of the armed forces (you might still be eligible if you\u2019re moving to or already living in an EEA country or Switzerland)
  • ", + "
  • you\u2019re not in full-time education
  • ", + "
  • you\u2019re not studying for 21 hours a week or more
  • ", + "
  • you\u2019re not subject to immigration control
  • ", + "
  • your earnings are \u00a3128 or less a week after tax, National Insurance and expenses
  • ", + "

    If your earnings are sometimes more than \u00a3128 a week you might still be eligible for Carer\u2019s Allowance. Your average earnings may be calculated to work out if you\u2019re eligible.

    ", + "

    Calculating your earnings

    ", + "

    Your earnings are any income from employment and self-employment after tax, National Insurance and expenses.

    ", + "

    Expenses can include:

    ", + "
  • 50% of your pension contributions
  • ", + "
  • equipment you need to do your job, for example specialist clothing
  • ", + "
  • travel costs between different workplaces that are not paid for by your employer, for example fuel or train fares
  • ", + "
  • business costs if you\u2019re self-employed, for example a computer you only use for work
  • ", + "

    If you pay a carer to look after the disabled person or your children while you work, you can treat care costs that are less than or equal to 50% of your earnings as an expense. The carer must not be your spouse, partner, parent, child or sibling.

    ", + "

    Payments that do not count as earnings include:

    ", + "
  • money received from an occupational or private pension
  • ", + "
  • contributions towards your living or accommodation costs from someone you live with (they cannot be a tenant or boarder)
  • ", + "
  • the first \u00a320 a week and 50% of the rest of any income you make from someone boarding in your home
  • ", + "
  • a loan or advance payment from your employer
  • ", + "

    If you get State Pension

    ", + "

    You cannot get the full amount of both Carer\u2019s Allowance and your State Pension at the same time.

    ", + "

    If your pension is \u00a367.60 a week or more, you will not get a Carer\u2019s Allowance payment.

    ", + "

    If your pension is less than \u00a367.60 a week, you\u2019ll get a Carer\u2019s Allowance payment to make up the difference.

    ", + "

    If you get Pension Credit

    ", + "

    If your State Pension is more than \u00a367.60 a week, you will not get a Carer\u2019s Allowance payment but your Pension Credit payments will increase instead.

    ", + "

    If you\u2019re not eligible

    ", + "

    You might be eligible for Carer\u2019s Credit if you\u2019re not eligible for Carer\u2019s Allowance.

    ", + "

    Effect on other benefits

    ", + "

    Carer\u2019s Allowance can affect the other benefits that both you and the person you care for get.

    ", + "

    Effect on the benefits of the person you care for

    ", + "

    When you claim Carer\u2019s Allowance, the person you care for will stop getting:

    ", + "
  • a severe disability premium paid with their benefits
  • ", + "
  • an extra amount for severe disability paid with Pension Credit, if they get one
  • ", + "

    They might also stop getting reduced Council Tax. Contact their local council to find out if this affects them.

    ", + "

    Effect on your benefits

    ", + "

    When you claim Carer\u2019s Allowance your other benefit payments may change, but your total benefit payments will usually either go up or stay the same.

    ", + "

    Carer\u2019s Allowance does not count towards the benefit cap.

    ", + "

    If you get Working Tax Credit or Child Tax Credit, you must contact HM Revenue and Customs (HMRC) to tell them about your Carer\u2019s Allowance claim.

    ", + "

    If you get Pension Credit, your payments will increase if you\u2019re eligible for Carer\u2019s Allowance.

    ", + "

    If you delay claiming your State Pension, this could increase the State Pension payments you get when you decide to claim it. You cannot build up extra State Pension during any period you get Carer\u2019s Allowance.

    ", + "

    Use a benefits calculator to work out how your other benefits will be affected.

    ", + "

    Make a claim

    ", + "

    Before you apply make sure you have your:

    ", + "
  • National Insurance number (if you have a partner you\u2019ll need theirs too)
  • ", + "
  • bank or building society details (unless you get your State Pension)
  • ", + "
  • employment details and latest payslip if you\u2019re working
  • ", + "
  • P45 if you\u2019ve recently finished work
  • ", + "
  • course details if you\u2019re studying
  • ", + "
  • details of any expenses, for example pension contributions or the cost of caring for your children or the disabled person while you\u2019re at work
  • ", + "

    You also need details of the person you care for. You need their:

    ", + "
  • date of birth and address
  • ", + "
  • National Insurance number if they\u2019re 16 or over
  • ", + "
  • Disability Living Allowance reference if they\u2019re under 16
  • ", + "

    You can backdate your claim by up to 3 months.

    ", + "

    Apply now

    ", + "

    Other ways to apply

    ", + "

    If you cannot apply online, you can apply by post. The address to send your application to is at the end of the form.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Report a change in circumstances

    ", + "

    You must report changes in your circumstances if you\u2019re claiming or have applied for Carer\u2019s Allowance.

    ", + "

    Changes can include:

    ", + "
  • starting a job
  • ", + "
  • starting or ending full-time education
  • ", + "
  • changes to your income
  • ", + "
  • stopping being a carer
  • ", + "
  • the person you care for no longer getting their disability benefit
  • ", + "
  • someone else who cares for the same person claiming Carer\u2019s Allowance instead of you
  • ", + "
  • someone else who cares for the same person claims the carer\u2019s element of Universal Credit
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    You must tell the Department for Work and Pensions if the person you\u2019re caring for dies.

    ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    If you temporarily stop providing care for someone

    ", + "

    You can still get Carer\u2019s Allowance if you temporarily stop providing care. This means any period when you spend less than 35 hours a week caring for the other person.

    ", + "

    The person you care for must still receive their disability benefit.

    ", + "

    You must tell DWP if you temporarily stop providing care and:

    ", + "
  • you or the person you care for will be in hospital, a nursing home, or respite care for more than 12 weeks
  • ", + "
  • you stop caring for more than 28 days for any other reason
  • ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    If you\u2019re working

    ", + "

    You can work and get Carer\u2019s Allowance, as long as you spend at least 35 hours in your caring role.

    ", + "

    You can get support for you or the person you care for from your employer, local councils and other organisations.

    ", + "

    Time off for an emergency

    ", + "

    You can ask your employer for time off to deal with an emergency involving someone else who depends on you for care. How much time off you get depends on your situation.

    ", + "

    If you do not qualify for time off, your employer may allow you \u2018compassionate leave\u2019 for emergency situations.

    ", + "

    Flexible working

    ", + "

    If you need to work more flexibly, for example work part-time or work from home, you can request flexible working.

    ", + "

    You do not have to tell your employer about your caring role or give another reason why you need to work more flexibly.

    ", + "

    Respite care or \u2018short break\u2019 care

    ", + "

    If you need someone to help look after the person you care for while you\u2019re at work, you can apply for respite care (also known as \u2018short break\u2019 care).

    ", + "

    Respite care options include:

    ", + "
  • getting a paid carer or a volunteer to sit with the person you look after for a few hours
  • ", + "
  • a regular place in a day care centre for the person you care for
  • ", + "

    Your local council may pay for respite care but you and the person you care for will need an assessment before you can apply.

    ", + "

    Contact your local authority for information about local support.

    ", + "

    Advice on starting work

    ", + "

    If you need help starting or returning to work, contact your local Jobcentre Plus for help on how to combine work with your caring responsibilities.

    " + ] + }, + { + "title": "Carer's Credit", + "url": "https://www.gov.uk/carers-credit", + "contents": [ + "

    Overview

    ", + "

    You could get Carer\u2019s Credit if you\u2019re caring for someone for at least 20 hours a week.

    ", + "

    Carer\u2019s Credit is a National Insurance credit that helps with gaps in your National Insurance record. Your State Pension is based on your National Insurance record.

    ", + "

    Your income, savings or investments will not affect eligibility for Carer\u2019s Credit.

    ", + "

    What you'll get

    ", + "

    If you\u2019re eligible for Carer\u2019s Credit, you can get credits to help fill gaps in your National Insurance record.

    ", + "

    This means you can take on caring responsibilities without affecting your ability to qualify for the State Pension.

    ", + "

    Eligibility

    ", + "

    To get Carer\u2019s Credit you must be:

    ", + "
  • aged 16 or over
  • ", + "
  • under State Pension age
  • ", + "
  • looking after one or more people for at least 20 hours a week
  • ", + "

    The person you\u2019re looking after must get one of the following:

    ", + "
  • Disability Living Allowance care component at the middle or highest rate
  • ", + "
  • Attendance Allowance
  • ", + "
  • Constant Attendance Allowance
  • ", + "
  • Personal Independence Payment - daily living component, at the standard or enhanced rate
  • ", + "
  • Armed Forces Independence Payment
  • ", + "

    If the person you\u2019re caring for does not get one of these benefits, you may still be able to get Carer\u2019s Credit. When you apply, fill in the \u2018Care Certificate\u2019 part of the application form and get a health or social care professional to sign it.

    ", + "

    Carers who do not qualify for Carer\u2019s Allowance may qualify for Carer\u2019s Credit.

    ", + "

    Breaks in caring and eligibility

    ", + "

    You can still get Carer\u2019s Credit even if you have breaks from caring (up to 12 weeks in a row).

    ", + "

    For example, you\u2019ll still get Carer\u2019s Credit for 12 weeks if:

    ", + "
  • you take a short holiday
  • ", + "
  • someone you look after goes into hospital
  • ", + "
  • you go into hospital
  • ", + "

    Keep the Carer\u2019s Allowance Unit updated if you have a break in caring of more than 12 weeks in a row.

    ", + "

    How to claim

    ", + "

    Before you start

    ", + "

    You do not need to apply for Carer\u2019s Credit if you:

    ", + "
  • get Carer\u2019s Allowance - you\u2019ll automatically get credits
  • ", + "
  • get Child Benefit for a child under the age of 12 - you\u2019ll automatically get credits
  • ", + "
  • are a foster carer - you can apply for National Insurance credits instead
  • ", + "

    Apply using a form

    ", + "

    Download the Carer\u2019s Credit claim form.

    ", + "

    The form includes a Care Certificate - ask a health or social care professional to sign it for you.

    ", + "

    You can also get the form by calling the Carer\u2019s Allowance Unit.

    ", + "

    Alternative formats

    ", + "

    Call the Carer\u2019s Allowance Unit to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    Where to send your form

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    " + ] + }, + { + "title": "Housing Benefit", + "url": "https://www.gov.uk/housing-benefit", + "contents": [ + "

    Eligibility

    ", + "

    Housing Benefit can help you pay your rent if you\u2019re unemployed, on a low income or claiming benefits. It\u2019s being replaced by Universal Credit.

    ", + "

    You can only make a new claim for Housing Benefit if either of the following apply:

    ", + "
  • you have reached State Pension age
  • ", + "
  • you\u2019re in supported, sheltered or temporary housing
  • ", + "

    You\u2019ve reached State Pension age

    ", + "

    If you\u2019re single you can make a new claim for Housing Benefit.

    ", + "

    If you\u2019re over State Pension age and live with your partner

    ", + "

    You can make a new claim for Housing Benefit if any of the following apply:

    ", + "
  • you and your partner have both reached State Pension age
  • ", + "
  • one of you has reached State Pension age and started claiming Pension Credit (for you as a couple) before 15 May 2019
  • ", + "
  • you\u2019re in supported, sheltered or temporary housing
  • ", + "

    If you\u2019re over State Pension age and have an existing claim

    ", + "

    Your existing claim will not be affected if, before 15 May 2019, you:

    ", + "
  • were getting Housing Benefit
  • ", + "
  • had reached State Pension age
  • ", + "

    It does not matter if your partner is under State Pension age.

    ", + "

    If your circumstances change and your Housing Benefit is stopped, you cannot start getting it again unless you and your partner are eligible to make a new claim.

    ", + "

    You can apply for Universal Credit if you\u2019re not eligible.

    ", + "

    If you\u2019re in supported, sheltered or temporary housing

    ", + "

    You can make a new claim if:

    ", + "
  • you\u2019re living in temporary accommodation, such as a B&B arranged by your council
  • ", + "
  • you\u2019re living in a refuge for survivors of domestic abuse
  • ", + "
  • you\u2019re living in sheltered or supported housing (such as a hostel) which provides you with \u2018care, support or supervision\u2019
  • ", + "

    If you do not get \u2018care, support or supervision\u2019 through your supported or sheltered housing, you can apply for Universal Credit to help with housing costs.

    ", + "

    If you\u2019re in supported, sheltered or temporary housing, you can apply for Universal Credit to help with other living costs.

    ", + "

    When you may not be able to claim

    ", + "

    Usually, you will not get Housing Benefit if:

    ", + "
  • your savings are over \u00a316,000 - unless you get Guarantee Credit of Pension Credit
  • ", + "
  • you\u2019re paying a mortgage on your own home - you may be able to get Support for Mortgage Interest (SMI)
  • ", + "
  • you live in the home of a close relative
  • ", + "
  • you\u2019re already claiming Universal Credit (unless you\u2019re in temporary or supported housing)
  • ", + "
  • you live with your partner and they are already claiming Housing Benefit
  • ", + "
  • you\u2019re a full-time student
  • ", + "
  • you\u2019re residing in the UK as a European Economic Area jobseeker
  • ", + "
  • you\u2019re an asylum seeker or sponsored to be in the UK
  • ", + "
  • you\u2019re subject to immigration control and your granted leave states that you cannot claim public funds
  • ", + "
  • you\u2019re a Crown Tenant
  • ", + "
  • you\u2019ve reached State Pension age but your live-in partner has not - unless you had an existing claim as a couple before 15 May 2019
  • ", + "

    You may be able to get other help with housing costs.

    ", + "

    If not, you\u2019ll need to claim Universal Credit instead.

    ", + "

    Use a benefits calculator to check if you can get Housing Benefit before you apply

    ", + "

    What you'll get

    ", + "

    You may get help with all or part of your rent. There\u2019s no set amount of Housing Benefit and what you get will depend on whether you rent privately or from a council.

    ", + "

    Use a benefits calculator to work out what you could get or check what extra help is available.

    ", + "

    Council and social housing rent

    ", + "

    How much you get depends on:

    ", + "
  • your \u2018eligible\u2019 rent
  • ", + "
  • if you have a spare room
  • ", + "
  • your household income - including benefits, pensions and savings (over \u00a36,000)
  • ", + "
  • your circumstances, for example the age of people in the house or if someone has a disability
  • ", + "

    Eligible rent

    ", + "

    Your eligible rent is the amount used to calculate your Housing Benefit claim. It\u2019s your actual rent plus any service charges you have to pay (such as for lift maintenance or a communal laundry) but not things like heating or water costs for your home.

    ", + "

    Spare bedrooms

    ", + "

    Your Housing Benefit could be reduced if you live in council or social housing and have a spare bedroom. The reduction is:

    ", + "
  • 14% of the \u2018eligible rent\u2019 for 1 spare bedroom
  • ", + "
  • 25% of the \u2018eligible rent\u2019 for 2 or more spare bedrooms
  • ", + "

    Sharing bedrooms

    ", + "

    The following are expected to share:

    ", + "
  • an adult couple
  • ", + "
  • 2 children under 16 of the same sex
  • ", + "
  • 2 children under 10 (regardless of sex)
  • ", + "

    The following can have their own bedroom:

    ", + "
  • a single adult (16 or over)
  • ", + "
  • a child that would normally share but shared bedrooms are already taken, for example you have 3 children and 2 already share
  • ", + "
  • a couple or children who cannot share because of a disability or medical condition
  • ", + "
  • an overnight carer for you, your partner, your child or another adult - this is only if the carer does not live with you but sometimes has to stay overnight
  • ", + "

    One spare bedroom is allowed for:

    ", + "
  • an approved foster carer who is between placements but only for up to 52 weeks from the end of the last placement
  • ", + "
  • a newly approved foster carer for up to 52 weeks from the date of approval if no child is placed with them during that time
  • ", + "

    Rooms used by students and members of the armed or reserve forces will not be counted as \u2018spare\u2019 if they\u2019re away and intend to return home.

    ", + "

    Private rent

    ", + "

    If you rent privately, your eligible rent amount is either your Local Housing Allowance (LHA) rate or your actual rent, whichever is lower. The LHA rate is based on:

    ", + "
  • where you live
  • ", + "
  • your household size - find out how many bedrooms you\u2019re eligible for
  • ", + "

    How much you can get

    ", + "

    How much you get depends on:

    ", + "
  • the lower figure of your \u2018eligible\u2019 rent or LHA rate
  • ", + "
  • your household income including benefits, pensions and savings (over \u00a36,000)
  • ", + "
  • your circumstances (for example your age or whether you have a disability)
  • ", + "

    Contact your local council if you\u2019re living in:

    ", + "
  • a houseboat or a mooring
  • ", + "
  • a caravan site
  • ", + "
  • a room with any meals included in the rent (sometimes known as a boarding home)
  • ", + "
  • a hostel
  • ", + "
  • a Rent Act protected property
  • ", + "

    Exception

    ", + "

    If you\u2019ve been getting Housing Benefit since before 7 April 2008, these limits only apply if you:

    ", + "
  • change address
  • ", + "
  • have a break in your claim for Housing Benefit
  • ", + "

    How you\u2019re paid

    ", + "

    The way you get paid Housing Benefit by your council depends on the type of tenant you are.

    ", + "

    If you\u2019re a:

    ", + "
  • council tenant, it\u2019s paid into your rent account (you will not receive the money)
  • ", + "
  • private or housing association tenant, it\u2019s paid into your bank or building society account (rarely by cheque)
  • ", + "

    The benefit cap

    ", + "

    The benefit cap limits the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.

    ", + "

    If you\u2019re affected, your Housing Benefit will go down to make sure that the total amount of benefit you get is not more than the cap level. Use the benefit cap calculator to find out how the benefit cap affects you.

    ", + "

    Appeal a Housing Benefit decision

    ", + "

    Contact your local council to appeal a Housing Benefit decision.

    ", + "

    Supporting your claim

    ", + "

    You\u2019ll need to provide some information and evidence to support your claim for Housing Benefit.

    ", + "

    You\u2019ll get Housing Benefit faster if you have this available when you make your claim.

    ", + "

    You\u2019ll need to know:

    ", + "
  • how much rent you pay
  • ", + "
  • whether anything else is included in the rent, such as water, gas or electricity charges
  • ", + "
  • if you pay any service charges, including building maintenance or insurance
  • ", + "
  • your landlord or agent\u2019s details
  • ", + "

    Special types of tenancy

    ", + "

    If your current tenancy started in 1997 or earlier and you rent from a private landlord, you\u2019ll need to know if you have an \u2018assured tenancy\u2019. You can check your tenancy on the Shelter website.

    ", + "

    If you live in and pay rent for a government property (a \u2018Crown Tenant\u2019), you\u2019re not entitled to Housing Benefit. This includes armed forces living in service family accommodation (SFA).

    ", + "

    Evidence you\u2019ll have to provide

    ", + "

    You\u2019ll need to provide original documents, not copies. The supporting evidence you\u2019ll need includes:

    ", + "
  • your most recent payslips (5 if paid weekly, or 2 if paid monthly)
  • ", + "
  • bank or building society statements for the last 2 full months
  • ", + "
  • proof of other income or investments, including shares, ISAs or Premium Bonds
  • ", + "
  • proof of income for any non-dependants living with you, such as adult relatives or friends
  • ", + "

    You\u2019ll also need proof of your partner\u2019s name and address. You cannot use the same document to prove both their name and address.

    ", + "

    Provide any 2 of the following:

    ", + "
  • UK photocard driving licence
  • ", + "
  • current passport
  • ", + "
  • birth or marriage certificate
  • ", + "
  • biometric residence permit
  • ", + "
  • certificate of registration or naturalisation
  • ", + "
  • permanent residence card
  • ", + "
  • letter from HMRC or the Home Office
  • ", + "
  • recent utility bill
  • ", + "
  • recent bank or building society statement
  • ", + "
  • recent benefit award statements
  • ", + "

    If you rent from a private landlord

    ", + "

    You\u2019ll also need to provide one of the following:

    ", + "
  • a tenancy agreement or rent book
  • ", + "
  • a letter from your landlord confirming your tenancy - this is usually supplied at the start of your tenancy
  • ", + "

    How to claim

    ", + "

    Housing Benefit is being replaced by Universal Credit. Most people will need to claim Universal Credit instead.

    ", + "

    Check if you\u2019re eligible for Housing Benefit before you apply.

    ", + "

    You can either apply:

    ", + "
  • through your local council
  • ", + "
  • as part of a Pension Credit claim, if you\u2019re eligible for this
  • ", + "

    You\u2019ll need to provide evidence to support your Housing Benefit claim.

    ", + "

    If you\u2019re applying for Pension Credit

    ", + "

    You can apply for Housing Benefit as part of your Pension Credit application.

    ", + "

    Apply for Pension Credit online or contact the Pension Service to claim.

    ", + "

    The Pension Service will send details of your claim for Housing Benefit to your council.

    ", + "

    Claiming in advance and backdating

    ", + "

    You can claim in advance by up to 13 weeks (or 17 weeks if you\u2019re aged 60 or over), for example if you\u2019re moving. You will not usually get any money before you move.

    ", + "

    You might also be able to get your claim backdated - ask your council.

    ", + "

    Appeal a decision

    ", + "

    You can ask your council for a Housing Benefit decision to be reconsidered.

    ", + "

    If you\u2019re unhappy with the response you can appeal the decision.

    ", + "

    Report a change of circumstances

    ", + "

    You need to report a change of circumstances for you and anyone else in your house.

    ", + "

    Your claim might be stopped or reduced if you do not report a change of circumstances straight away.

    ", + "

    Changes can include:

    ", + "
  • starting or stopping work, education, training or an apprenticeship
  • ", + "
  • changes to the benefits you or anyone else in your house gets
  • ", + "
  • changes to your personal or workplace pension
  • ", + "
  • changes to your savings, investments or property
  • ", + "
  • your income going up or down
  • ", + "
  • moving house
  • ", + "
  • your rent going up or down
  • ", + "
  • going abroad for any length of time
  • ", + "
  • going into hospital, a care home or sheltered accommodation
  • ", + "
  • people moving into or out of your house (for example your partner, a child or lodger)
  • ", + "
  • having a baby
  • ", + "
  • your partner or someone you live with dying
  • ", + "
  • your child turning 18
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    Contact your council if you\u2019re not sure whether you need to report a change.

    ", + "

    How to report

    ", + "

    Report a change of circumstances to your council.

    ", + "

    If you receive other benefits

    ", + "

    You need to report a change of circumstances for all benefits you receive.

    ", + "

    If your other benefits stop

    ", + "

    Some benefits stop if you go back to work, work more hours or earn more money.

    ", + "

    If this happens, your council might:

    ", + "
  • give you an extra 4 weeks of housing benefit (\u2018Extended Payment of Housing Benefit\u2019)
  • ", + "
  • start paying you an \u2018in-work Housing Benefit\u2019
  • ", + "

    You do not have to claim - your council will decide if you\u2019re eligible for help and write to let you know.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    Other help with housing costs

    ", + "

    Housing Benefit will not cover heating, hot water, energy or food. If you need help, use a benefits calculator to see what else you might be entitled to.

    ", + "

    Extra help to pay the rent

    ", + "

    You could also apply for extra help from your council if your Housing Benefit does not cover your rent. This is called a Discretionary Housing Payment.

    ", + "

    Help with heating costs

    ", + "

    Check what help you can get with heating and energy costs.

    " + ] + }, + { + "title": "Support for Mortgage Interest (SMI)", + "url": "https://www.gov.uk/support-for-mortgage-interest", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re a homeowner, you might be able to get help towards interest payments on:

    ", + "
  • your mortgage
  • ", + "
  • loans you\u2019ve taken out for certain repairs and improvements to your home
  • ", + "

    This help is called Support for Mortgage Interest (SMI).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    It\u2019s paid as a loan, which you\u2019ll need to repay with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).

    ", + "

    You usually need to be getting, or treated as getting, a qualifying benefit to get SMI.

    ", + "

    There\u2019s no guarantee that you\u2019ll get SMI for a mortgage or loan you take out.

    ", + "

    What you cannot use SMI for

    ", + "

    SMI cannot help you pay:

    ", + "
  • the amount you borrowed - only the interest on your mortgage
  • ", + "
  • anything towards insurance policies you have
  • ", + "
  • missed mortgage payments (arrears)
  • ", + "

    What you'll get

    ", + "

    If you qualify for Support for Mortgage Interest (SMI), you\u2019ll usually get help paying the interest on up to \u00a3200,000 of your loan or mortgage.

    ", + "

    However, you can only get up to \u00a3100,000 if either:

    ", + "
  • you\u2019re getting Pension Credit
  • ", + "
  • you started claiming another qualifying benefit before January 2009 and you were below State Pension age at that time
  • ", + "

    If you\u2019re already getting SMI and move to Pension Credit within 12 weeks of stopping your other benefits, you\u2019ll still get help with interest on up to \u00a3200,000.

    ", + "

    The interest rate used to calculate the amount of SMI you\u2019ll get is currently 2.09%.

    ", + "

    What you\u2019ll pay back

    ", + "

    SMI is paid as a loan. You\u2019ll need to repay the money you get with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).

    ", + "

    The interest added to the loan can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%.

    ", + "

    If you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.

    ", + "

    How SMI is paid

    ", + "

    SMI is normally paid direct to your lender.

    ", + "

    Payments can start either:

    ", + "
  • from the date you start getting Pension Credit
  • ", + "
  • after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income
  • ", + "
  • after you\u2019ve claimed any other qualifying benefit for 39 weeks in a row
  • ", + "

    Eligibility

    ", + "

    To be eligible for a Support for Mortgage Interest (SMI) loan, you usually need to be getting one of the following qualifying benefits:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Universal Credit
  • ", + "
  • Pension Credit
  • ", + "

    Contact the relevant office to check if you\u2019re eligible for SMI.

    ", + "

    You can start getting the loan:

    ", + "
  • from the date you start getting Pension Credit
  • ", + "
  • after you\u2019ve claimed Income Support, income-based JSA or income-based ESA for 39 weeks in a row
  • ", + "
  • after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income
  • ", + "

    If you receive Universal Credit

    ", + "

    You cannot get SMI if you get any of the following income:

    ", + "
  • earnings from your job if you\u2019re employed or self-employed
  • ", + "
  • a tax refund
  • ", + "
  • Statutory Sick Pay
  • ", + "
  • Statutory Maternity Pay
  • ", + "
  • Statutory Paternity Pay
  • ", + "
  • Statutory Adoption Pay
  • ", + "
  • Statutory Shared Parental Pay
  • ", + "

    To start getting SMI (or get it again if your SMI stopped), you\u2019ll need to stop getting this income and then get Universal Credit for 9 months in a row.

    ", + "

    If your income is too high to get a qualifying benefit

    ", + "

    You might still be able to get SMI if you apply for one of the qualifying benefits but cannot get it because your income is too high. You\u2019ll then be treated as getting the benefit you applied for.

    ", + "

    You will not be treated as getting Universal Credit if you cannot get it because your income is too high.

    ", + "

    How to apply

    ", + "

    When you apply for a qualifying benefit, you\u2019ll be asked extra questions about your housing costs to find out if you\u2019re eligible for Support for Mortgage Interest (SMI). You might also be sent a form asking for more detailed information.

    ", + "

    If you qualify for SMI, you\u2019ll be offered a loan.

    ", + "

    If you turn down the offer at first, you can still accept it at any time as long as you\u2019re eligible for SMI. The payments to your lender will be backdated to when you were first entitled to the loan. Contact the office that pays your benefit.

    ", + "

    If you already get a qualifying benefit

    ", + "

    Contact the office that pays your benefit to find out if you could get an SMI loan.

    ", + "

    The payments to your lender will be backdated to when you were first entitled to the loan.

    ", + "

    If you get or have applied for Income Support, income-based JSA or income-related ESA, contact Jobcentre Plus.

    ", + "

    If you get or have applied for Pension Credit, contact the Pension Service.

    ", + "

    If you get or have applied for Universal Credit, contact the Universal Credit helpline.

    ", + "

    Repaying your loan

    ", + "

    You\u2019ll need to repay your SMI loan with interest if you sell or transfer ownership of your home.

    ", + "

    The interest you pay can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%. You\u2019ll be told if this is going to change.

    ", + "

    Selling your home

    ", + "

    You will not be asked to sell your home in order to repay your SMI loan.

    ", + "

    If you sell your home, you\u2019ll repay the SMI loan from what\u2019s left after you pay:

    ", + "
  • your mortgage
  • ", + "
  • any home improvement loans
  • ", + "
  • any other loans secured against your home
  • ", + "

    If you do not have enough left to pay off all of the SMI loan, you will have to pay back what you can. The rest of the loan will be written off.

    ", + "

    If you\u2019re buying a new home

    ", + "

    You may be able to transfer the loan to your new home. Contact DWP Loan Management as soon as you know you intend to move, and before you complete your sale.

    ", + "

    You\u2019ll need to give DWP Loan Management your solicitor\u2019s contact details. They will work with your solicitor to arrange for the loan to be moved to your new home.

    ", + "

    The office paying your qualifying benefit will also check you\u2019re still eligible.

    ", + "

    Voluntary repayments

    ", + "

    If you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.

    ", + "

    How to repay

    ", + "

    Contact DWP Loan Repayment to ask for a \u2018settlement letter\u2019 - this will tell you how much you need to pay.

    ", + "

    You can pay by telephone or online banking using the bank account details in your settlement letter.

    ", + "

    Get other financial help with your housing costs

    ", + "

    You can still get financial help with your housing costs if your Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance is going to stop because you are about to:

    ", + "
  • return to work full-time
  • ", + "
  • work more hours
  • ", + "
  • earn more money
  • ", + "

    Help and support

    ", + "

    You can get free information about housing support from:

    ", + "
  • Citizens Advice
  • ", + "
  • Money Advice Service
  • ", + "
  • Shelter
  • " + ] + }, + { + "title": "Mortgage Interest Run On", + "url": "https://www.gov.uk/mortgage-interest-run-on", + "contents": [ + "

    Overview

    ", + "

    Mortgage Interest Run On is extra money you can get towards your housing costs if certain other benefits are stopping because you\u2019re:

    ", + "
  • returning to work full-time
  • ", + "
  • working more hours
  • ", + "
  • earning more money
  • ", + "

    You can get this help for 4 weeks.

    ", + "

    What you'll get

    ", + "

    If you\u2019re eligible and were getting Support for Mortgage Interest before your work situation changed, you\u2019ll usually continue to get the same amount as you were getting before your benefits stopped.

    ", + "

    Payments for your mortgage or loan interest will be paid direct to you instead of to your lender.

    ", + "

    Eligibility

    ", + "

    You can claim Mortgage Interest Run On if you\u2019ve stopped getting income-based Jobseeker\u2019s Allowance, Income Support or income-related Employment and Support Allowance because you\u2019re:

    ", + "
  • returning to work full-time
  • ", + "
  • working more hours
  • ", + "
  • earning more money
  • ", + "

    All of the following must also apply:

    ", + "
  • you\u2019ve been claiming the benefit continuously for at least 26 weeks
  • ", + "
  • you expect the work (or more money) to last for 5 weeks or more
  • ", + "
  • you were entitled to help with your\u00a0housing costs\u00a0before your work started and you\u2019ll still have these costs when you start work
  • ", + "

    How to claim

    ", + "

    You don\u2019t need to apply - you should get Mortgage Interest Run On automatically. You just need to let your Jobcentre Plus office know as soon as you\u2019re starting work.

    " + ] + }, + { + "title": "Warm Home Discount Scheme", + "url": "https://www.gov.uk/the-warm-home-discount-scheme", + "contents": [ + "

    Overview

    ", + "

    You could get \u00a3140 off your electricity bill for winter 2021 to 2022 under the Warm Home Discount Scheme. The scheme opens on 18 October 2021.

    ", + "

    The money is not paid to you - it\u2019s a one-off discount on your electricity bill, between October and March.

    ", + "

    You may be able to get the discount on your gas bill instead if your supplier provides you with both gas and electricity. Contact your supplier to find out.

    ", + "

    The discount will not affect your Cold Weather Payment or Winter Fuel Payment.

    ", + "

    Eligibility

    ", + "

    There are 2 ways to qualify for the Warm Home Discount Scheme:

    ", + "
  • you get the Guarantee Credit element of Pension Credit - known as the \u2018core group\u2019
  • ", + "
  • you\u2019re on a low income and meet your energy supplier\u2019s criteria for the scheme - known as the \u2018broader group\u2019
  • ", + "

    How you apply for the Warm Home Discount Scheme depends on how you qualify for the discount.

    ", + "

    Pre-pay or pay-as-you-go meters

    ", + "

    You can still qualify for the discount if you use a pre-pay or pay-as-you-go electricity meter.

    ", + "

    Your electricity supplier can tell you how you\u2019ll get the discount if you\u2019re eligible, for example a voucher you can use to top up your meter.

    ", + "

    Park (mobile) homes

    ", + "

    You apply a different way if you live in a park home.

    ", + "

    Park home applications for winter 2021 to 2022 will open in autumn 2021.

    ", + "

    Fill in the Park Homes Warm Home Discount contact form to be told when the scheme reopens.

    ", + "

    Contact Charis Grants for more information about the scheme.

    ", + "

    If you get the Guarantee Credit element of Pension Credit

    ", + "

    You qualify for the discount if on 4 July 2021 all of the following apply:

    ", + "
  • your energy supplier is part of the scheme
  • ", + "
  • your name (or your partner\u2019s) is on the bill
  • ", + "
  • you or your partner are getting the Guarantee Credit element of Pension Credit (even if you get Savings Credit as well)
  • ", + "

    This is known as being in the \u2018core group\u2019.

    ", + "

    How to apply

    ", + "

    You\u2019ll receive a letter between October and December 2021 telling you how to get the discount if you qualify.

    ", + "

    Your letter will say if you need to call a helpline by 28 February 2022 to confirm your details.

    ", + "

    Your electricity supplier will apply the discount to your bill by 31 March 2022.

    ", + "

    If you do not get a letter

    ", + "

    Contact the Warm Home Discount helpline if you do not get the letter by 31 December and you think you\u2019re eligible for the \u2018core group\u2019.

    ", + "

    Do not contact the Warm Home Discount helpline if you\u2019re not eligible for the \u2018core group\u2019.

    ", + "

    Check if you\u2019re eligible to apply another way.

    ", + "

    If you\u2019re on a low income

    ", + "

    You may be able to apply directly to your electricity supplier for help if you do not get the Guarantee Credit element of Pension Credit but:

    ", + "
  • your energy supplier is part of the scheme
  • ", + "
  • you\u2019re on a low income
  • ", + "
  • you get certain means-tested benefits
  • ", + "

    This is known as being in the \u2018broader group\u2019.

    ", + "

    To get the discount you\u2019ll need to stay with your supplier until it\u2019s paid.

    ", + "

    How to apply

    ", + "

    Your electricity supplier decides who can get the discount.

    ", + "

    The number of discounts suppliers can give is limited. Check with your supplier as early as possible to see if you\u2019re eligible and how to apply.

    ", + "

    Check with them even if you were eligible for a discount last year.

    ", + "

    Your electricity supplier will apply the discount to your bill by 31 March 2022.

    ", + "

    Energy suppliers

    ", + "

    The following suppliers were part of the scheme in winter 2020 to 2021:

    ", + "
  • Affect Energy \u2013 see Octopus Energy
  • ", + "
  • Atlantic \u2013 see SSE
  • ", + "
  • Avro Energy
  • ", + "
  • Boost
  • ", + "
  • Bristol Energy - only if you\u2019re eligible for the \u2018core group\u2019
  • ", + "
  • British Gas
  • ", + "
  • British Gas Evolve (formerly British Gas X)
  • ", + "
  • Bulb Energy
  • ", + "
  • Co-op Energy - see Octopus Energy
  • ", + "
  • E (Gas and Electricity)
  • ", + "
  • E.ON
  • ", + "
  • Ecotricity - only if you\u2019re eligible for the \u2018core group\u2019
  • ", + "
  • EDF Energy
  • ", + "
  • Green Energy UK (GEUK) - only if you\u2019re eligible for the \u2018core group\u2019
  • ", + "
  • Green Network Energy
  • ", + "
  • Green Star Energy - see Shell Energy
  • ", + "
  • iSupply Energy - see EDF Energy
  • ", + "
  • London Power \u2013 see Octopus Energy
  • ", + "
  • Lumo - see OVO
  • ", + "
  • M&S Energy \u2013 see Octopus Energy
  • ", + "
  • npower
  • ", + "
  • nPower Select - see E.ON Next
  • ", + "
  • Octopus Energy
  • ", + "
  • OVO
  • ", + "
  • Powershop
  • ", + "
  • Pure Planet
  • ", + "
  • Qwest Energy - see Octopus Energy
  • ", + "
  • Roar Power - see Octopus Energy
  • ", + "
  • Sainsbury\u2019s Energy
  • ", + "
  • Scottish Hydro \u2013 see SSE
  • ", + "
  • ScottishPower
  • ", + "
  • Shell Energy
  • ", + "
  • So Energy
  • ", + "
  • Southern Electric \u2013 see SSE
  • ", + "
  • Spark
  • ", + "
  • SSE
  • ", + "
  • Swalec \u2013 see SSE
  • ", + "
  • Symbio Energy
  • ", + "
  • Tonik Energy - see ScottishPower
  • ", + "
  • Utilita
  • ", + "
  • Utility Point - only if you\u2019re eligible for the core group
  • ", + "
  • Utility Warehouse
  • " + ] + }, + { + "title": "National Concessionary Fuel Scheme", + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "contents": [ + "

    Overview

    ", + "

    You could get free solid fuel or a cash allowance for fuel if you\u2019re an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC).

    ", + "

    You need to qualify to get the fuel allowance through the National Concessionary Fuel Scheme (NCFS), and you can only get the cash allowance if you\u2019re already getting fuel through the scheme.

    ", + "

    You might be eligible for the allowance if you\u2019re the widow or widower of an ex-employee, if the employee qualified for the NCFS.

    ", + "

    What you'll get

    ", + "

    Solid fuel

    ", + "

    If you qualify for the allowance you\u2019ll get a delivery of solid fuel every 4 or 5 weeks, depending on where you live.

    ", + "

    You might be able to change to \u2018cash in lieu\u2019 (or a cash allowance) if you already get fuel through the scheme and your circumstances have not changed.

    ", + "

    You will need to return a Certificate of Continued Entitlement each year to keep your allowance.

    ", + "

    How you\u2019re paid

    ", + "

    The cash allowance is paid every 3 months into your bank or building society account.

    ", + "

    Eligibility

    ", + "

    Contact the National Concessionary Fuel Office (NCFO) to check if you\u2019re eligible.

    ", + "

    You might be eligible for the National Concessionary Fuel Scheme (NCFS) if you\u2019re:

    ", + "
  • an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC)
  • ", + "
  • a widow or widower of an ex-employee who would have been eligible
  • ", + "

    Change of circumstances

    ", + "

    Your allowance might be affected if your circumstances change, including:

    ", + "
  • who owns or rents your property changes
  • ", + "
  • you change your heating arrangements
  • ", + "
  • you remarry, marry or move in with a partner (widows, widowers and dependents only)
  • ", + "
  • who lives in your home changes (family or lodgers moving in)
  • ", + "
  • you take up employment or self-employment
  • ", + "

    You need to inform the NCFO of any changes in circumstances as your allowance can change. If your allowance goes down, any overpayments must be repaid in full.

    ", + "

    How to claim

    ", + "

    Contact the National Concessionary Fuel Office (NCFO) to apply.

    ", + "

    Applying on behalf of someone else

    ", + "

    You can apply for the fuel allowance on behalf of someone else if they\u2019re unable to.

    ", + "

    You\u2019ll need to get authorisation by having one of:

    ", + "
  • a letter from the Department of Work and Pensions (DWP) stating that you are authorised to act on their behalf
  • ", + "
  • a photocopy of your Power of Attorney
  • ", + "
  • a letter signed by the person you are applying for stating that you are looking after their affairs
  • ", + "

    If payments are paid into a different account from the person getting the allowance, you need:

    ", + "
  • a photocopy of your Power of Attorney
  • ", + "
  • a letter from DWP stating that you are looking after their financial affairs
  • ", + "
  • a form from the NFCO signed by the person you are applying for
  • ", + "

    You need to contact the NFCO for the form or \u2018mandate\u2019.

    ", + "

    Changing your delivery

    ", + "

    Contact CPL Distribution on 0345 521 5214 to change your fuel delivery date and/or the amount of fuel you want delivered.

    ", + "

    Find out about call charges.

    ", + "

    Contact the NCFO to change the type of fuel you get. You can only get 1 type of fuel delivered at a time. Get advice about the types of fuel to use from the Solid Fuel Association.

    ", + "

    You cannot sell or give away unused fuel. If you change your type of solid fuel appliance you must refuse deliveries and left over fuel must be collected by the distributor.

    ", + "

    Switching from fuel to cash allowance

    ", + "

    Contact NCFO with your bank or building society account details to switch from fuel to cash. You can switch back to solid fuel but only after 12 months.

    " + ] + }, + { + "title": "Bereavement Support Payment", + "url": "https://www.gov.uk/bereavement-support-payment", + "contents": [ + "

    Eligibility

    ", + "

    You may be able to get Bereavement Support Payment (BSP) if your husband, wife or civil partner died in the last 21 months.

    ", + "

    You must claim within 3 months of your partner\u2019s death to get the full amount. You can claim up to 21 months after their death but you\u2019ll get fewer monthly payments.

    ", + "

    Bereavement Support Payment has replaced Bereavement Allowance (previously Widow\u2019s Pension), Bereavement Payment, and Widowed Parent\u2019s Allowance.

    ", + "

    You could be eligible if your partner either:

    ", + "
  • paid National Insurance contributions for at least 25 weeks in one tax year since 6 April 1975
  • ", + "
  • died because of an accident at work or a disease caused by work
  • ", + "

    When they died you must have been:

    ", + "
  • under State Pension age
  • ", + "
  • living in the UK or a country that pays bereavement benefits
  • ", + "

    You cannot claim BSP if you\u2019re in prison.

    ", + "

    If your partner died more than 21 months ago

    ", + "

    You may still be able to claim BSP if your husband, wife or civil partner\u2019s cause of death was confirmed more than 21 months after the death. Call the Bereavement Service helpline.

    ", + "

    If your husband, wife or civil partner died before 6 April 2017, you may be able to get Widowed Parent\u2019s Allowance instead.

    ", + "

    What you'll get

    ", + "

    You\u2019ll get a first payment and then up to 18 monthly payments. There are 2 rates.

    ", + " | First payment | Monthly payment", + "Higher rate | \u00a33,500 | \u00a3350", + "Lower rate | \u00a32,500 | \u00a3100", + "

    If you get Child Benefit (or if you do not get it but are entitled to it), you\u2019ll get the higher rate.

    ", + "

    If you do not get Child Benefit, you\u2019ll get the lower rate unless you were pregnant when your husband, wife or civil partner died.

    ", + "

    You must claim within 3 months of your partner\u2019s death to get the full amount. If you claim later, you\u2019ll get fewer monthly payments.

    ", + "

    Your payments will be paid into your bank or building society account.

    ", + "

    If you get benefits

    ", + "

    Bereavement Support Payment will not affect your benefits for a year after your first payment. After a year, money you have left from your first payment could affect the amount you get if you renew or make a claim for another benefit.

    ", + "

    You must tell your benefits office (for example, your local Jobcentre Plus) when you start getting Bereavement Support Payment.

    ", + "

    How to claim

    ", + "

    How you apply depends on where you are.

    ", + "

    If you\u2019re in England, Scotland or Wales

    ", + "

    The quickest way to apply is by phone. You can also apply using a paper form.

    ", + "

    If you\u2019ve arranged to pay your Self Assessment tax and National Insurance bill in instalments because of coronavirus (COVID-19), your application might be rejected. Contact HMRC before applying for Bereavement Support.

    ", + "

    Apply by phone

    ", + "

    Apply using a paper form

    ", + "

    To get a form, you can either:

    ", + "
  • download a Bereavement Support Payment form (BSP1)
  • ", + "
  • contact your nearest Jobcentre Plus to get one through the post
  • ", + "

    Fill in the claim form and send it to:

    ", + "

    If you\u2019re in Northern Ireland

    ", + "

    There\u2019s a different process in Northern Ireland.

    ", + "

    If you\u2019re abroad

    ", + "

    Call the International Pension Centre to apply.

    " + ] + }, + { + "title": "Get help with funeral costs (Funeral Expenses Payment)", + "url": "https://www.gov.uk/funeral-payments", + "contents": [ + "

    How it works

    ", + "

    You could get a Funeral Expenses Payment (also called a Funeral Payment) if you get certain benefits and need help to pay for a funeral you\u2019re arranging.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you live in Scotland

    ", + "

    You can apply for a Funeral Support Payment. It has replaced Funeral Expenses Payment in Scotland.

    ", + "

    If you receive money from the deceased\u2019s estate

    ", + "

    Your Funeral Expenses Payment will be deducted from any money you get from the deceased\u2019s estate.

    ", + "

    The estate includes any money or property they had but not a house or personal things left to a widow, widower or surviving civil partner.

    ", + "

    What you\u2019ll get

    ", + "

    Funeral Expenses Payment can help pay for some of the costs of the following:

    ", + "
  • burial fees for a particular plot
  • ", + "
  • cremation fees, including the cost of the doctor\u2019s certificate
  • ", + "
  • travel to arrange or go to the funeral
  • ", + "
  • the cost of moving the body within the UK, if it\u2019s being moved more than 50 miles
  • ", + "
  • death certificates or other documents
  • ", + "

    You can also get up to \u00a31,000 for any other funeral expenses, such as funeral director\u2019s fees, flowers or the coffin.

    ", + "

    The payment will not usually cover all of the costs of the funeral.

    ", + "

    How much you get depends on your circumstances. This includes any other money that\u2019s available to cover the costs, for example from an insurance policy or the deceased person\u2019s estate.

    ", + "

    Check the claim form notes for full details of what Funeral Expenses Payment covers.

    ", + "

    If the deceased had a pre-paid funeral plan, you can only get up to \u00a3120 to help pay for items not covered by their plan.

    ", + "

    How the money is paid

    ", + "

    Funeral Expenses Payment is paid into your bank, building society or credit union account if you\u2019ve already paid for the funeral.

    ", + "

    The money will be paid directly to the organiser of the funeral (for example, the funeral director) if you have not paid yet.

    ", + "

    Eligibility

    ", + "

    You can get a Funeral Expenses Payment if all of the following apply:

    ", + "
  • you get certain benefits or tax credits
  • ", + "
  • you meet the rules on your relationship with the deceased
  • ", + "
  • you\u2019re arranging a funeral in the UK, the European Economic Area (EEA) or Switzerland
  • ", + "

    You might be able to get other help to pay for the funeral if you\u2019re not eligible for Funeral Expenses Payment.

    ", + "

    Benefits and tax credits you must get

    ", + "

    You (or your partner) must get one or more of the following:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Housing Benefit
  • ", + "
  • the disability or severe disability element of Working Tax Credit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Universal Credit
  • ", + "

    You might also be eligible if you\u2019re getting a Support for Mortgage Interest loan.

    ", + "

    You can still claim Funeral Expenses Payment if you\u2019ve applied for these benefits and you\u2019re waiting to hear about your claim.

    ", + "

    If you were responsible for a deceased child but you\u2019re not their parent, the non-resident parent must get one or more of these benefits.

    ", + "

    If there\u2019s a close relative of the deceased who is not getting one of these benefits, you might not be able to claim Funeral Expenses Payment.

    ", + "

    Rules on your relationship with the deceased

    ", + "

    You must be one of the following:

    ", + "
  • the partner of the deceased when they died
  • ", + "
  • a close relative or close friend of the deceased
  • ", + "
  • the parent of a baby stillborn after 24 weeks of pregnancy
  • ", + "
  • the parent or person responsible for a deceased child who was under 16 (or under 20 and in approved education or training)
  • ", + "

    You might not get a Funeral Expenses Payment if another close relative of the deceased (such as a sibling or parent) is in work.

    ", + "

    If the funeral will take place in the EEA or Switzerland

    ", + "

    Contact the Social Fund to check if you\u2019re eligible.

    ", + "

    Make a claim

    ", + "

    You must apply within 6 months of the funeral, even if you\u2019re waiting for a decision on a qualifying benefit.

    ", + "

    You can make a claim before the funeral if you\u2019ve got an invoice or signed contract from the funeral director. It cannot be an estimate.

    ", + "

    If you get Universal Credit, you will not get a decision on your claim until after your next payment.

    ", + "

    There\u2019s a different way to claim if you live in Northern Ireland.

    ", + "

    How to claim

    ", + "

    Claim by phone by calling the Bereavement Service helpline.

    ", + "

    An adviser will also help you claim any other bereavement benefits you might be entitled to.

    ", + "

    You can also claim by post. Download and fill in the claim form (SF200), then send it to the address on the form.

    ", + "

    Appeal a Funeral Expenses Payment decision

    ", + "

    You can appeal to the Social Security and Child Support Tribunal if you disagree with a decision about Funeral Expenses Payment.

    " + ] + }, + { + "title": "Statutory Parental Bereavement Pay and Leave", + "url": "https://www.gov.uk/parental-bereavement-pay-leave", + "contents": [ + "

    Overview

    ", + "

    You and your partner may be able to take time off work if your child dies before they turn 18, or if you have a stillbirth after 24 weeks of pregnancy.

    ", + "

    The death or stillbirth must have happened on or after 6 April 2020.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You might be able to get leave, pay or both. You may be eligible for:

    ", + "
  • Parental Bereavement Leave
  • ", + "
  • Statutory Parental Bereavement Pay
  • ", + "

    There\u2019s rules about when you can take your leave and pay and how to claim.

    ", + "

    You can only claim Statutory Parental Bereavement Pay and Leave if you\u2019re employed in England, Scotland or Wales.

    ", + "

    Employment rights when on leave

    ", + "

    Your employment rights are protected while on Parental Bereavement Leave. This includes your right to:

    ", + "
  • pay rises
  • ", + "
  • build up (\u2018accrue\u2019) holiday
  • ", + "
  • return to work
  • ", + "

    What you can get

    ", + "

    You may be able to get either or both Parental Bereavement Leave and Statutory Parental Bereavement Pay.

    ", + "

    Parental Bereavement Leave

    ", + "

    You can take 2 weeks\u2019 leave from the first day of your employment for each child who has died or was stillborn if you\u2019re eligible.

    ", + "

    You can take:

    ", + "
  • 2 weeks together
  • ", + "
  • 2 separate weeks of leave
  • ", + "
  • only one week of leave
  • ", + "

    A week is the same number of days that you normally work in a week.

    ", + "

    The leave:

    ", + "
  • can start on or after the date of the death or stillbirth
  • ", + "
  • must finish within 56 weeks of the date of the death or stillbirth
  • ", + "

    Taking leave with other types of statutory leave

    ", + "

    If you\u2019re taking another type of statutory leave (for example, maternity leave or paternity leave) when the child dies or stillbirth happens, your Parental Bereavement Leave must start after the other leave has ended but does not have to be taken immediately after. This includes if the statutory leave is for another child.

    ", + "

    If your Parental Bereavement Leave is interrupted by the start of another type of statutory leave, you can take your remaining entitlement to Parental Bereavement Leave after that other leave has ended.

    ", + "

    Your remaining Parental Bereavement Leave must still be taken within 56 weeks of the date of death or stillbirth.

    ", + "

    You can take Parental Bereavement Leave between blocks of shared parental leave that you booked before the child died. This includes if the shared parental leave is for another child.

    ", + "

    Statutory Parental Bereavement Pay

    ", + "

    You\u2019ll be able to get either \u00a3151.97 a week or 90% of your average weekly earnings (whichever is lower) if you\u2019re eligible.

    ", + "

    Any money you get is paid the same way as your wages, for example weekly or monthly, along with deductions for tax and National Insurance.

    ", + "

    Check if you're eligible

    ", + "

    To qualify for Parental Bereavement Leave and Statutory Parental Bereavement Pay, you must meet the criteria both as a parent (including if you had day to day responsibility) and an employee. You might not be eligible for both, depending on your circumstances.

    ", + "

    If you were the child\u2019s parent or a parent\u2019s partner

    ", + "

    You may be eligible if at the time of the child\u2019s death or stillbirth, you were:

    ", + "
  • the child or baby\u2019s parent - either biological, adoptive or parent of a child born to a surrogate
  • ", + "
  • the partner of the child or baby\u2019s parent
  • ", + "

    Biological parents of the child or baby will not be eligible for Parental Bereavement Leave and Statutory Parental Bereavement Pay after an adoption or parental order was made, unless there was a contact order in place.

    ", + "

    If you or your partner had day to day responsibility for the child

    ", + "

    You may be eligible if both of the following apply:

    ", + "
  • the child or baby was living with you at your home for 4 continuous weeks, ending with the date of death
  • ", + "
  • you or your partner had day to day responsibility for the child or baby\u2019s care during that time
  • ", + "

    If you or your partner were being paid to look after the child or baby, you do not qualify for leave or pay unless you were:

    ", + "
  • a foster parent being paid a fee or allowance by a local authority
  • ", + "
  • reimbursed for expenses related to caring for the child or baby
  • ", + "
  • getting payments under the terms of a will or trust for the child or baby\u2019s care
  • ", + "

    You are not eligible if one of the child or baby\u2019s parents or someone who had parental responsibility (parental responsibilities in Scotland) for the child was also living in the household.

    ", + "

    If you or your partner were an adoptive parent

    ", + "

    You are eligible for pay or leave:

    ", + "
  • after the adoption order was granted
  • ", + "
  • before the adoption order was made, if the child was placed with you and the placement was not disrupted (for example, being temporarily placed elsewhere) or stopped
  • ", + "

    If you or your partner were an adoptive parent of a child from outside the United Kingdom

    ", + "

    If you or your partner were adopting a child from outside the United Kingdom and the adoption order had not yet been made, you may still be eligible. Both of the following must apply:

    ", + "
  • the child was living with you after entering Great Britain
  • ", + "
  • you have the \u2018official notification\u2019 confirming you were allowed to adopt
  • ", + "

    If you or your partner had a baby with the help of a surrogate parent

    ", + "

    You are eligible for pay or leave:

    ", + "
  • after a parental order was made
  • ", + "
  • before a parental order was made if you had applied or intended to apply for a parental order within 6 months of the child\u2019s birth and expected it to be granted
  • ", + "

    Parental Bereavement Leave

    ", + "

    To get Parental Bereavement Leave, you must also:

    ", + "
  • be classed as an employee - it does not matter how long you\u2019ve worked for your employer
  • ", + "
  • give your employer notice for Parental Bereavement Leave
  • ", + "

    Statutory Parental Bereavement Pay

    ", + "

    To get Statutory Parental Bereavement Pay, you must have been continuously employed by your employer for at least 26 weeks up to the end of the \u2018relevant week\u2019. The \u2018relevant week\u2019 is the week (ending with a Saturday) immediately before the week of the death or stillbirth.

    ", + "

    You must also:

    ", + "
  • continue to be employed up to the day the child dies or is stillborn
  • ", + "
  • earn on average \u00a3120 a week before tax (gross) over an 8 week period
  • ", + "
  • give your employer the correct notice and information for Statutory Parental Bereavement Pay
  • ", + "

    If you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.

    ", + "

    How to claim

    ", + "

    You have 56 weeks to take Parental Bereavement Leave or claim Statutory Parental Bereavement Pay through your employer. This starts from the date of the child\u2019s death.

    ", + "

    Parental Bereavement Leave

    ", + "

    You can take 2 weeks leave in one block or as 2 separate blocks of one week.

    ", + "

    The 56 weeks are split into 2 periods:

    ", + "
  • from the date of the child\u2019s death or stillbirth to 8 weeks after
  • ", + "
  • 9 to 56 weeks after the date of the child\u2019s death or stillbirth
  • ", + "

    You must give your employer notice before you take Parental Bereavement Leave. How much notice depends on when you\u2019re taking the leave.

    ", + "

    0 to 8 weeks after the child\u2019s death or stillbirth

    ", + "

    You must give your employer notice before you would normally start work on the first day of the week or weeks you want to take off work.

    ", + "

    9 to 56 weeks after the child\u2019s death or stillbirth

    ", + "

    You must give your employer at least one week\u2019s notice before the start of the week or weeks you want to take off work.

    ", + "

    Giving your employer notice

    ", + "

    You must tell your employer:

    ", + "
  • the date of the child\u2019s death or stillbirth
  • ", + "
  • when you want your parental bereavement leave to begin
  • ", + "
  • how much leave you are taking - either 1 or 2 weeks
  • ", + "

    You can speak to your employer by phone, leave a voicemail, send a text message or an email. You do not need to give them notice in writing (for example through a form or letter).

    ", + "

    You do not need to give proof of death or stillbirth.

    ", + "

    Statutory Parental Bereavement Pay

    ", + "

    You must ask for Statutory Parental Bereavement Pay within 28 days, starting from the first day of the week you\u2019re claiming the payment for.

    ", + "

    Each time you claim, you must give your employer the following information in writing (for example a letter, email or form):

    ", + "
  • your name
  • ", + "
  • the dates of the period you want to claim Statutory Parental Bereavement Pay
  • ", + "
  • the date of the child\u2019s death or stillbirth
  • ", + "

    You\u2019ll also need to give a \u2018declaration\u2019 to your employer to confirm you\u2019re eligible because of your relationship to the child or baby. You only need to complete this once when you first ask for pay.

    ", + "

    Completing the declaration

    ", + "

    You can:

    ", + "
  • complete the declaration form online - this takes 5 minutes
  • ", + "
  • declare in writing you\u2019re eligible because of your relationship to the child or baby
  • ", + "
  • use your employers own form if they have one
  • ", + "

    Once you\u2019ve completed your declaration, you\u2019ll need to send it to your employer. They\u2019ll check your information and your eligibility.

    ", + "

    Cancelling your leave or pay

    ", + "

    You can change your mind and cancel your Parental Bereavement Leave or Statutory Parental Bereavement Pay if you have given your employer more than the required notice for either taking leave or claiming pay.

    ", + "

    To cancel your Parental Bereavement Leave or Statutory Parental Bereavement Pay, you\u2019ll need to tell your employer. When you need to tell them depends on when your leave or pay is due to start.

    ", + "

    Parental Bereavement Leave

    ", + "

    If your leave is due to start within 8 weeks of the death or stillbirth, you must let your employer know about the cancellation no later than the time you would normally start work on the first day of planned leave.

    ", + "

    If your leave is due to start 9 weeks or later after the death or stillbirth, you must let your employer know no later than one week before the start of the planned leave.

    ", + "

    If you cancel your leave, you can rebook it if you give your employer the correct notice.

    ", + "

    Statutory Parental Bereavement Pay

    ", + "

    If your pay was due to start within 8 weeks of the child\u2019s death or stillbirth, you must give your employer notice on the first day of the week you want to cancel.

    ", + "

    If your pay was due to start 9 weeks or later after the child\u2019s death or stillbirth, you must tell your employer you want to cancel one week before your pay was due to start.

    " + ] + }, + { + "title": "Widowed Parent's Allowance", + "url": "https://www.gov.uk/widowed-parents-allowance", + "contents": [ + "

    Eligibility

    ", + "

    Widowed Parent\u2019s Allowance (WPA) is being replaced by Bereavement Support Payment.

    ", + "

    You can only make a new claim for WPA if your husband, wife or civil partner died before 6 April 2017 and the cause of death has just been confirmed.

    ", + "

    All the following must also apply:

    ", + "
  • you\u2019re under State Pension age
  • ", + "
  • you\u2019re entitled to Child Benefit for at least one child and your late husband, wife or civil partner was their parent
  • ", + "
  • your late husband, wife or civil partner paid National Insurance contributions, or they died as a result of an industrial accident or disease
  • ", + "

    You may also claim WPA if you were pregnant when your husband died, or you were pregnant after fertility treatment when your civil partner or wife died.

    ", + "

    You cannot claim WPA if you:

    ", + "
  • were divorced from your husband, wife or civil partner when they died
  • ", + "
  • remarry or are living with another person as if you\u2019re married to them or as if you\u2019ve formed a civil partnership
  • ", + "
  • were over State Pension age when you were widowed or became a surviving civil partner \u2013 you may be able to get extra State Pension
  • ", + "
  • are in prison
  • ", + "

    What you'll get

    ", + "

    The amount you get is based on how much your late husband, wife or civil partner paid in National Insurance contributions.

    ", + "

    The maximum Widowed Parent\u2019s Allowance (WPA) is \u00a3122.55 a week.

    ", + "

    If your husband, wife or civil partner died as a result of an industrial accident or disease, you may claim WPA even if they did not pay National Insurance contributions.

    ", + "

    You\u2019ll continue to get WPA until you either:

    ", + "
  • stop being entitled to Child Benefit
  • ", + "
  • reach State Pension age
  • ", + "

    How WPA is paid

    ", + "

    WPA is usually paid into your bank, building society or credit union account.

    ", + "

    Effect on other benefits

    ", + "

    Other benefit payments you get may change when you start claiming WPA.

    ", + "

    Once you get WPA, you must report it if you\u2019re getting any of the following:

    ", + "
  • Income Support
  • ", + "
  • Incapacity Benefit
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Employment and Support Allowance
  • ", + "
  • Universal Credit
  • ", + "

    If you do not report changes straight away, you could be paid the wrong amount and have to pay it back. You might also have to pay a fine.

    ", + "

    The benefit cap

    ", + "

    The benefit cap limits the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.

    ", + "

    Some individual benefits are not affected, but it may affect the total amount of benefit you get.

    ", + "

    How to claim

    ", + "

    You can apply by phone or using a paper form.

    ", + "

    Apply by phone

    ", + "

    Call the Bereavement Service helpline.

    ", + "

    Apply using a paper form

    ", + "

    Download a Bereavement Benefits pack (form BB1) or email your local Jobcentre Plus to ask for a form.

    ", + "

    The pack has notes to help you fill in the claim form.

    ", + "

    Send your completed form to:

    ", + "

    Alternative formats

    ", + "

    Call the Bereavement Service helpline to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    If you live abroad

    ", + "

    Contact the International Pension Centre to find out if you can claim if you\u2019ve moved abroad.

    ", + "

    You must include your:

    ", + "
  • full name
  • ", + "
  • date of birth
  • ", + "
  • National Insurance number (if you know it)
  • ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.

    ", + "

    If your circumstances change

    ", + "

    You must tell Dover Benefit Centre if you:

    ", + "
  • stop being entitled to Child Benefit
  • ", + "
  • remarry or form a civil partnership
  • ", + "
  • start to live with a partner as husband or wife, or as if you had formed a civil partnership
  • ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    " + ] + }, + { + "title": "War Widow(er) Pension", + "url": "https://www.gov.uk/war-widow-pension", + "contents": [ + "

    Overview

    ", + "

    You may be entitled to War Widow\u2019s or Widower\u2019s Pension if your wife, husband or civil partner died as a result of their service in Her Majesty\u2019s (HM) Armed Forces or during a time of war.

    ", + "

    They must have served before 6 April 2005, but you may be eligible if they died of an illness or injury later.

    ", + "

    Eligibility

    ", + "

    One of the following must apply. Your husband, wife or civil partner:

    ", + "
  • died as result of their service in HM Armed Forces before 6 April 2005
  • ", + "
  • was a civil defence volunteer or a civilian and their death was a result of the 1939 to 1945 war
  • ", + "
  • was a merchant seaman, a member of the naval auxiliary services, or a coastguard and their death was a result of an injury or disease they got during a war or because they were a prisoner of war
  • ", + "
  • died as a result of their service as a member of the Polish Forces under British command during the 1939 to 1945 war, or in the Polish Resettlement Forces
  • ", + "
  • was getting a War Pensions Constant Attendance Allowance at the time of their death, or would have been had they not been in hospital
  • ", + "
  • was getting a War Disablement Pension at the 80% rate or higher and was getting Unemployability Supplement
  • ", + "

    You may be entitled to a pension if you lived with a partner as husband and wife or as civil partners.

    ", + "

    Illness, injury and death on or after 6 April 2005

    ", + "

    If your partner was injured, developed an illness or died as a result of service on or after 6 April 2005, you can claim through the Armed Forces Compensation Scheme.

    ", + "

    What you'll get

    ", + "

    War Widow\u2019s or Widower\u2019s Pension is paid at different rates depending on your age and circumstances.

    ", + "

    You do not pay tax on it.

    ", + "

    All benefits, pensions and allowances are paid into an account, for example your bank account.

    ", + "

    How to claim

    ", + "

    To claim War Widow\u2019s or Widower\u2019s Pension you can either:

    ", + "
  • download a claim form
  • ", + "
  • phone the Veterans UK helpline and ask for a claim form
  • ", + "

    Send the completed form to:

    ", + "

    How to appeal

    ", + "

    If you disagree with a decision about your claim you can appeal to an independent Pensions Appeal Tribunal.

    ", + "

    Before you appeal you should:

    ", + "
  • ask Veterans UK for more information about how the decision was reached
  • ", + "
  • ask for the decision to be reconsidered if there are some facts Veterans UK may not have known when they made their decision
  • ", + "

    If you\u2019re still unhappy with the outcome contact Veterans UK to let them know that you want to appeal.

    ", + "

    Further information

    ", + "

    Changes in your circumstances

    ", + "

    You\u2019ll continue to get your pension if you marry, form a civil partnership or start living with a partner on or after 1 April 2015.

    ", + "

    If this happened before 1 April 2015, you\u2019ll still get a pension if both:

    ", + "
  • your late spouse or civil partner left service before 31 March 1973
  • ", + "
  • your new relationship started on or after 6 April 2005
  • ", + "

    Otherwise, your pension would have been stopped.

    ", + "

    If your pension stopped

    ", + "

    You can claim your pension again if:

    ", + "
  • you become widowed again
  • ", + "
  • you divorce or separate
  • ", + "
  • your civil partner dies
  • ", + "
  • your civil partnership ends
  • ", + "
  • you stop living with the person as their partner
  • ", + "

    Make sure you tell Veterans UK of any changes in your circumstances so you get the right amount of pension.

    ", + "

    Funeral expenses

    ", + "

    Veterans UK may be able to pay a grant of up to \u00a32,200 towards a veteran\u2019s funeral if any of the following apply:

    ", + "
  • death was due to service before 6 April 2005
  • ", + "
  • War Pensions Constant Attendance Allowance was being paid or would have been paid if the war pensioner had not been in hospital when they died
  • ", + "
  • Unemployability Supplement was being paid at the time of death and the War Disablement Pension was assessed at 80% or more
  • ", + "

    The payment can be made to the veteran\u2019s widow or widower, next of kin or person paying for the funeral.

    ", + "

    You must make a claim within 3 months of the funeral.

    ", + "

    How to apply

    ", + "

    Download the claim form. Send the completed form to:

    " + ] + }, + { + "title": "Your benefits, tax and pension after the death of a spouse", + "url": "https://www.gov.uk/death-spouse-benefits-tax-pension", + "contents": [ + "

    Tax and National Insurance

    ", + "

    Your income will probably change after the death of your husband, wife or civil partner.

    ", + "

    If you get extra money from pensions, annuities, benefits or an inheritance, you may need to pay more tax. You may be on a lower income and need to pay less tax.

    ", + "

    Your tax allowances - the income you do not pay tax on - may also change.

    ", + "

    Income you must report

    ", + "

    Tell HMRC if you get:

    ", + "
  • interest from a bank, building society or a National Savings and Investment product, eg pensioner income, capital bonds
  • ", + "
  • income from letting out property
  • ", + "
  • income from Purchased Life Annuities
  • ", + "
  • Widowed Parent\u2019s Allowance or Bereavement Allowance
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • foreign pension payments
  • ", + "
  • other income that should have been taxed but has not been
  • ", + "

    You do not need to tell HMRC about:

    ", + "
  • income your employer pays tax on through PAYE
  • ", + "
  • income from a private pension
  • ", + "
  • income which does not get taxed, eg from an Individual Savings Account (ISA)
  • ", + "
  • any income if you\u2019ll reach State Pension age within 4 months
  • ", + "
  • getting Jobseeker\u2019s Allowance (JSA), Incapacity Benefit, Employment and Support Allowance (ESA) or Bereavement Support Payment
  • ", + "

    How to tell HMRC

    ", + "

    Tell HMRC about a change in your income:

    ", + "
  • in your next Self Assessment tax return, if you\u2019re registered for Self Assessment
  • ", + "
  • by phone
  • ", + "

    Tax allowances

    ", + "

    If you pay Income Tax, you\u2019ll have a Personal Allowance - income you do not pay tax on. Your allowance may change if your income changes.

    ", + "

    HMRC will automatically adjust your Personal Allowance when you tell them about your change of income.

    ", + "

    Married Couple\u2019s Allowance

    ", + "

    If you or your husband, wife or civil partner were born before 6 April 1935, you may have been claiming Married Couple\u2019s Allowance. You\u2019ll still get the allowance for the current tax year (up to 5 April) but HMRC will automatically stop it after that and you\u2019ll get just your Personal Allowance.

    ", + "

    Blind Person\u2019s Allowance

    ", + "

    If your husband, wife or civil partner was claiming Blind Person\u2019s Allowance, ask HMRC to transfer what\u2019s left of their Blind Person\u2019s Allowance for the current tax year (up to 5 April) to you.

    ", + "

    Reduced rate National Insurance

    ", + "

    If you\u2019re a widow and you were married before April 1977, you might be paying a reduced rate of National Insurance (sometimes called the \u2018small stamp\u2019).

    ", + "

    You may be able to keep paying the reduced rate. Contact HMRC to find out what you should do.

    ", + "

    Benefits

    ", + "

    You\u2019ll have to make new claims for some benefits that your husband, wife or civil partner was claiming for your family.

    ", + "

    You may also be able to claim other benefits to help with your bereavement or if you\u2019re on a lower income because of the death.

    ", + "

    Bereavement benefits

    ", + "

    You may be able to get:

    ", + "
  • Funeral Expenses Payment - to help towards the cost of a funeral if you\u2019re on a low income
  • ", + "
  • Bereavement Support Payment - if your husband, wife or civil partner died on or after 6 April 2017
  • ", + "
  • Widowed Parent\u2019s Allowance - if your husband, wife or civil partner died before 6 April 2017 and you have at least one dependent child
  • ", + "

    Phone the Department for Work and Pensions (DWP) Bereavement Service to check if:

    ", + "
  • you can get bereavement benefits
  • ", + "
  • the death will affect any other benefits you\u2019re already claiming
  • ", + "

    You\u2019ll have to make new claims for Child Benefit and tax credits if your husband, wife or civil partner was claiming them.

    ", + "

    Child Benefit

    ", + "

    You\u2019ll need to make a new claim for Child Benefit if you were not the person named as the claimant on the original claim form.

    ", + "

    Tax credits

    ", + "

    You should tell the Tax Credit Office about the death within one month if you have not already heard from them. Phone the Tax Credit Helpline to report the death.

    ", + "

    If your income is lower

    ", + "

    You may be able to get benefits if you\u2019re on a lower income following the death of your husband, wife or civil partner. Use a benefits calculator to work out what benefits you can get and find out how to claim.

    ", + "

    You may also be able to apply for:

    ", + "
  • Winter Fuel Payment - if you were born on or before 5 July 1952
  • ", + "
  • Cold Weather Payment - if you\u2019re on a low income
  • ", + "
  • Warm Home Discount Scheme
  • ", + "

    You may have to pay Income Tax on some benefits you claim.

    ", + "

    Pensions

    ", + "

    You may be able to get extra pension payments from your husband, wife or civil partner\u2019s pension or National Insurance contributions.

    ", + "

    State Pension

    ", + "

    You need to be over State Pension age to claim extra payments from your husband, wife or civil partner\u2019s State Pension.

    ", + "

    What you get and how you claim will depend on whether you reached State Pension age before or after 6 April 2016.

    ", + "

    Contact the Pension Service to check what you can claim.

    ", + "

    If you reached State Pension age before 6 April 2016

    ", + "

    You\u2019ll get any State Pension based on your husband, wife or civil partner\u2019s National Insurance contribution when you claim your own pension.

    ", + "

    You will not get it if you remarry or form a new civil partnership before you reach State Pension age.

    ", + "

    If you reached State Pension age on or after 6 April 2016

    ", + "

    You\u2019ll receive the \u2018new State Pension\u2019 and you may be able to inherit an extra payment on top of your pension.

    ", + "

    Private pensions

    ", + "

    You may get payments from your husband, wife or civil partner\u2019s workplace, personal or stakeholder pension - it will depend on the pension scheme. Contact the pension scheme to find out.

    ", + "

    You\u2019ll have to pay tax on those payments if the pension provider does not pay it for you.

    ", + "

    War Widow\u2019s or Widower\u2019s Pension

    ", + "

    You may be able to get War Widow\u2019s or Widower Pension - if your husband, wife or civil partner died because of their service in the Armed Forces or because of a war.

    " + ] + }, + { + "title": "Adoption records", + "url": "https://www.gov.uk/adoption-records", + "contents": [ + "

    Accessing your birth records

    ", + "

    You can access your birth records if you don\u2019t have them because you were adopted.

    ", + "

    You need to be 18 or over to do this.

    ", + "

    Everyone adopted before 12 November 1975 will need to attend a counselling session with an approved adoption advisor first.

    ", + "

    You know your birth details

    ", + "

    You can order a copy of your original birth certificate from the General Register Office.

    ", + "

    For adoptions outside England or Wales you need to contact the General Register Office where you were adopted.

    ", + "

    You don\u2019t know your birth details

    ", + "

    You need to fill in an application for Birth certificate Information Before Adoption (BIBA) service if you don\u2019t know your birth details. Which application form you fill in depends on if you live:

    ", + "
  • in the UK
  • ", + "
  • outside the UK
  • ", + "

    Post or email the form to:

    ", + "

    The Adoption Contact Register

    ", + "

    You can add yourself to the Adoption Contact Register at the General Register Office to:

    ", + "
  • find a birth relative or an adopted person
  • ", + "
  • say you don\u2019t want to be contacted
  • ", + "

    This is not a tracing service - for a connection to be made between people, you must both be on the Adoption Contact Register.

    ", + "

    Find birth relatives if you were adopted

    ", + "

    You can add yourself to the Adoption Contact Register if you\u2019re 18 or over and your birth or adoption was registered with the General Register Office.

    ", + "

    You need to fill in form CR part 1 to add yourself to the register. Read guidance notes on how to complete the form.

    ", + "

    You need:

    ", + "
  • your original birth name
  • ", + "
  • your date of birth
  • ", + "
  • the full name(s) of your birth mother (and birth father if known)
  • ", + "

    The fee is \u00a315 - instructions on how to pay are on form CR part 1.

    ", + "

    Find someone who was adopted if you\u2019re a birth relative

    ", + "

    You can add yourself to the register to try to find an adopted person by filling in form CR part 2. Read guidance notes on how to complete the form. You\u2019ll only be able to find people who have also added themselves to it.

    ", + "

    You need to be 18 or over.

    ", + "

    The fee is \u00a330 - instructions on how to pay are on form CR part 2.

    ", + "

    You can also use this form if you are an adopted person looking for other adopted siblings.

    ", + "

    You can also apply to make contact with an adopted person through an approved intermediary agency.

    ", + "

    More information

    ", + "

    Contact the Adoptions Section of the HM Passport Office.

    ", + "

    Intermediary agencies

    ", + "

    You can use an intermediary agency to help you trace a birth relative if you were adopted or you\u2019re related to someone who has been adopted. The fee for the service depends on the agency.

    ", + "

    You can use an intermediary agency if:

    ", + "
  • you were adopted before 30 December 2005
  • ", + "
  • a relative of yours (including a relative by adoption) was adopted before 30 December 2005
  • ", + "

    When an intermediary agency finds a person, you can only contact them if they agree to it. If they don\u2019t agree, the agency won\u2019t tell you their name or whereabouts but might be able to share some information, like:

    ", + "
  • their domestic or family circumstances
  • ", + "
  • their general health and well-being
  • ", + "

    If you don\u2019t want to be contacted

    ", + "

    Adopted people and birth relatives can use the Adoption Contact Register to say that they don\u2019t want to be contacted.

    ", + "

    Tell your agency and register a veto if you don\u2019t want to be approached by an intermediary agency. There are 2 types of veto called an \u2018absolute veto\u2019 and a \u2018qualified veto\u2019.

    ", + "

    An \u2018absolute veto\u2019

    ", + "

    This means an intermediary agency can\u2019t approach you under any circumstances (your adoption agency can still pass on information to you, for example about a hereditary medical condition or details of an inheritance).

    ", + "

    A \u2018qualified veto\u2019

    ", + "

    This means you can say when you would be prepared to be contacted, for example you could say that an approach on behalf of your birth parent wouldn\u2019t be acceptable, but an approach by a sibling would.

    ", + "

    More help and information

    ", + "

    For further information on intermediary services you can contact:

    ", + "
  • General Register Office
  • ", + "
  • the adoption team at your local council
  • ", + "
  • a voluntary adoption agency
  • ", + "
  • an adoption support agency
  • " + ] + }, + { + "title": "Apply for a Gender Recognition Certificate", + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "contents": [ + "

    Overview

    ", + "

    Apply to the Gender Recognition Panel for a Gender Recognition Certificate if you want your acquired gender to be legally recognised in the UK.

    ", + "

    There are 3 different ways (\u2018routes\u2019) to get a certificate - which one you use depends on your situation.

    ", + "

    Read the full guidance before you apply.

    ", + "

    Standard route

    ", + "

    Apply by the standard route if all the following are true:

    ", + "
  • you\u2019re 18 or over
  • ", + "
  • you\u2019ve been diagnosed with gender dysphoria (discomfort with your birth gender) - this is also called gender identity disorder, gender incongruence or transsexualism
  • ", + "
  • you\u2019ve lived in your acquired gender for at least 2 years
  • ", + "
  • you intend to live in your acquired gender for the rest of your life
  • ", + "

    Alternative route

    ", + "

    Apply by the alternative route if all the following are true:

    ", + "
  • you\u2019re 18 or over
  • ", + "
  • you\u2019ve been diagnosed with gender dysphoria or had surgery to change your sexual characteristics
  • ", + "
  • you live in England, Wales, Northern Ireland or Scotland most of the time
  • ", + "
  • you intend to live in your acquired gender for the rest of your life
  • ", + "
  • you\u2019re in (or have been in) a protected marriage or protected civil partnership before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)
  • ", + "
  • you\u2019ve lived in your acquired gender for at least 6 years before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)
  • ", + "

    A marriage or civil partnership is protected if it\u2019s one of the following:

    ", + "
  • registered under the law of England, Wales or Northern Ireland
  • ", + "
  • a marriage solemnised in Scotland
  • ", + "
  • a civil partnership registered in Scotland
  • ", + "
  • a marriage registered under the law of a country or territory outside the UK
  • ", + "
  • a marriage on UK consular premises or in an armed forces base, if you elected England, Wales, Northern Ireland or Scotland as the relevant part of the UK
  • ", + "

    Overseas route

    ", + "

    Apply by the overseas route if your acquired gender has been legally accepted in an \u2018approved country or territory\u2019 and you have documents to prove it.

    ", + "

    You must be 18 or over.

    ", + "

    Help you can get

    ", + "

    You can get information, advice and support from a number of voluntary organisations - you can find a list on page 21 of the full guidance.

    ", + "

    You can also contact Citizens Advice or find a legal adviser.

    ", + "

    If you're married or in a civil partnership

    ", + "

    If you\u2019re married

    ", + "

    You can stay married if you apply for a Gender Recognition Certificate.

    ", + "

    You and your spouse must fill in a statutory declaration saying you both agree to stay married.

    ", + "

    You\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.

    ", + "

    If your marriage is registered in England, Wales or Northern Ireland and you have an interim certificate, you\u2019ll only get a full certificate once you end your marriage.

    ", + "

    If your marriage was registered in Scotland, you can use an interim certificate to apply to the sheriff court for a full certificate. You do not need to end your marriage first.

    ", + "

    Contact the administrative team at the Gender Recognition Panel if either you or your spouse change your mind about staying married during the application process.

    ", + "

    If you\u2019re in a civil partnership

    ", + "

    You can stay in your civil partnership if it was registered in England, Wales or Northern Ireland.

    ", + "

    Your partner must fill in a statutory declaration saying they agree to stay in a civil partnership with you. Contact the Gender Recognition Panel for help with filling in the declaration.

    ", + "

    You\u2019ll get an \u2018interim certificate\u2019 if your partner does not fill in a statutory declaration.

    ", + "

    Civil partnerships registered in Scotland

    ", + "

    If your civil partnership was registered in Scotland, you must end it or convert your civil partnership to marriage.

    ", + "

    If you decide to convert your civil partnership into a marriage you must do it before you apply to the Gender Recognition Panel.

    ", + "

    If you\u2019re still in a civil partnership when you apply to the Gender Recognition Panel, you\u2019ll get an \u2018interim certificate\u2019. You must end the civil partnership before you can get a full certificate.

    ", + "

    How to apply

    ", + "

    Download and fill in the right form for your application.

    ", + " | Form | Guidance", + "Standard route | Form T450 | Leaflet T451", + "Alternative route | Form T464 | Leaflet T465", + "Overseas route | Form T453 | Leaflet T454", + "

    Send the completed form with your fee and any supporting documents relevant to your application.

    ", + "

    Fees

    ", + "

    It costs \u00a35 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    Get help with your application

    ", + "

    Contact the administrative team at the Gender Recognition Panel for advice on the application process.

    ", + "

    Documents you must provide

    ", + "

    You must send certain documents when you apply, depending on which application route you use and whether you\u2019ve ever been married or in a civil partnership.

    ", + "

    You might need to send original documents - you\u2019ll get them back after the Gender Recognition Panel has looked at your application. You will not get any statutory declarations back.

    ", + "

    For all application routes, you must download and fill in the relevant statutory declaration for:

    ", + "
  • single people
  • ", + "
  • married people or civil partners
  • ", + "

    If you\u2019ve ever been married or in a civil partnership

    ", + "

    For all application routes you must provide the following (if relevant):

    ", + "
  • an original or certified copy of your marriage or civil partnership certificate
  • ", + "
  • a copy of the decree ending your marriage or proof that any previous civil partnership has been dissolved
  • ", + "
  • a copy of your spouse\u2019s death certificate
  • ", + "

    If you want to stay married, your spouse must fill in a statutory declaration for a spouse.

    ", + "

    Standard or alternative route

    ", + "

    For all application routes you must send:

    ", + "
  • an original or certified copy of your birth certificate
  • ", + "
  • copies of any official documents that show your birth name has changed to your current name
  • ", + "
  • proof you\u2019ve lived in your acquired gender for the required time
  • ", + "
  • any required medical reports
  • ", + "

    You need to have lived in your acquired gender for 2 years if applying through the standard route.

    ", + "

    If you\u2019re applying through the alternative route you need to have lived in your acquired gender for 6 years before 10 December 2014, or 16 December 2014 if you\u2019re in Scotland.

    ", + "

    Proof you\u2019ve lived in your acquired gender

    ", + "

    This proof must cover the required time that you\u2019ve lived in your acquired gender. It could include copies of your:

    ", + "
  • passport
  • ", + "
  • driving licence
  • ", + "
  • payslips or benefit documents
  • ", + "
  • utility bills or other documents of an official nature
  • ", + "

    All documents should be in your acquired name and gender. The earliest document must be dated before the beginning of the required time.

    ", + "

    Medical reports

    ", + "

    For the standard and alternative application routes you must send a report that includes details of any treatment you\u2019ve had to change your sexual characteristics, for example hormone treatment or surgery.

    ", + "

    The report must be an original copy from a qualified medical professional, for example a:

    ", + "
  • doctor registered with the General Medical Council (GMC)
  • ", + "
  • psychologist registered with the Health and Care Professions Council
  • ", + "

    You can ask your GP or surgeon to fill in a report for you if you do not have one already.

    ", + "

    If you have not had any treatment or surgery yet, you must send a report that includes details of any planned treatment or surgery.

    ", + "

    If you are applying by the standard route you must also send a report with details of your gender dysphoria diagnosis.

    ", + "

    Read the list of gender dysphoria specialists to find out who can write this report for you. You can send a report from a registered medical professional not on this list if they can prove they work in gender dysphoria.

    ", + "

    Overseas route

    ", + "

    If you\u2019re applying using the overseas route, you must prove that your gender has been legally recognised in an \u2018approved country or territory\u2019. Send original or certified copies of the following (if you have them):

    ", + "
  • your new birth certificate and old birth certificate
  • ", + "
  • an amended birth certificate that shows the change of gender
  • ", + "
  • a court order authorising your change of gender
  • ", + "
  • a document that\u2019s equivalent to a Gender Recognition Certificate
  • ", + "
  • an entry in a legal register that proves your acquired gender has been recognised
  • ", + "

    What happens next

    ", + "

    Your application will be assessed by the Gender Recognition Panel - you\u2019ll be contacted if they need more proof or information.

    ", + "

    Contact the administrative team at the Gender Recognition Panel to find out about your application\u2019s progress.

    ", + "

    If you get a full certificate

    ", + "

    You\u2019ll be sent information on:

    ", + "
  • how to get a new birth certificate, marriage certificate or civil partnership where appropriate
  • ", + "
  • who you must tell about your gender change
  • ", + "

    Your pension and benefits may be affected.

    ", + "

    If you\u2019re given an interim certificate

    ", + "

    You\u2019ll be sent information on:

    ", + "
  • how to annul or dissolve your marriage or civil partnership
  • ", + "
  • how long you have to convert your civil partnership to a marriage, if applicable
  • ", + "

    If your application is turned down

    ", + "

    You\u2019ll be told why your application was rejected.

    ", + "

    You may be able to appeal the decision if you think it\u2019s wrong on a point of law.

    ", + "

    Where you appeal depends on whether you live in:

    ", + "
  • England and Wales - appeal to the High Court Family Division
  • ", + "
  • Scotland - appeal to the Court of Session in Edinburgh
  • ", + "
  • Northern Ireland - appeal to the High Court
  • ", + "

    You\u2019ll be told in your decision letter how to appeal or apply again.

    ", + "

    Legislation

    ", + "

    The Gender Recognition Panel must apply the law in the Gender Recognition Act 2004 and the following amendments:

    ", + "
  • Schedule 5, Section 12 of the Marriage (Same Sex Couples) Act 2013
  • ", + "
  • Part 4 of the Marriage and Civil Partnership (Scotland) Act 2014
  • " + ] + }, + { + "title": "Change your name by deed poll", + "url": "https://www.gov.uk/change-name-deed-poll", + "contents": [ + "

    Overview

    ", + "

    You do not have to follow a legal process to start using a new name. But you might need a \u2018deed poll\u2019 to apply for or to change official documents like your passport or driving licence.

    ", + "

    There are different rules for changing your name in Scotland.

    ", + "

    Get a deed poll

    ", + "

    A deed poll is a legal document that proves a change of name. You can change any part of your name, add or remove names and hyphens, or change spelling.

    ", + "

    There are 2 ways to get a\u00a0deed poll. You can either:

    ", + "
  • make an \u2018unenrolled\u2019 deed poll yourself
  • ", + "
  • apply for an \u2018enrolled\u2019 deed poll
  • ", + "

    Ask the organisation you\u2019re dealing with (for example your bank) which type of deed poll they\u2019ll accept as proof of your new name.

    ", + "

    If you\u2019re a permanent resident overseas, you cannot change your name by deed poll.

    ", + "

    Make an \u2018unenrolled\u2019 deed poll

    ", + "

    You can change your name yourself if you\u2019re 16 or over.

    ", + "

    Apply for an \u2018enrolled\u2019 deed poll

    ", + "

    \u2018Enrolling\u2019 a deed poll means that you\u2019re putting your new name on public record.

    ", + "

    You must apply to the Royal Courts of Justice to get an \u2018enrolled\u2019 deed poll using the deed poll process. It costs \u00a342.44.

    ", + "

    You can only enrol your own name change if you\u2019re 18 or over. The process is different to change the name of a child under 18.

    ", + "

    Marriage and civil partnership

    ", + "

    You do not need a deed poll to take your spouse\u2019s or civil partner\u2019s surname. Send a copy of your marriage or civil partnership certificate to record-holders, such as benefits offices. Your documents will be updated for free.

    ", + "

    If you divorce or end your civil partnership

    ", + "

    You may be able to go back to your original name by showing record-holders either your:

    ", + "
  • marriage certificate and decree absolute
  • ", + "
  • civil partnership certificate and final order
  • ", + "

    Some organisations will not change your name back without a deed poll.

    ", + "

    Make your own deed poll

    ", + "

    You need to be 16 or over to make your own deed poll.

    ", + "

    Some organisations may not accept a deed poll you\u2019ve made yourself as proof of your new name. Ask the organisation you\u2019re dealing with (for example your bank) if they need an \u2018enrolled\u2019 deed poll instead.

    ", + "

    How to make your own deed poll

    ", + "

    Use the following wording:

    ", + "

    \u201cI [old name] of [your address] have given up my name [old name] and have adopted for all purposes the name [new name].

    ", + "

    \u201cSigned as a deed on [date] as [old name] and [new name] in the presence of [witness 1 name] of [witness 1 address], and [witness 2 name] of [witness 2 address].

    ", + "

    \u201c[your new signature], [your old signature]

    ", + "

    \u201c[witness 1 signature], [witness 2 signature]\u201d

    ", + "

    A specialist agency or a solicitor can make the deed poll for you instead - they may charge a fee.

    ", + "

    After you\u2019ve made it, you can use your deed poll as proof of your new name.

    ", + "

    Enrol a deed poll with the courts

    ", + "

    You can put your new name on public record by \u2018enrolling\u2019 it at the Royal Courts of Justice if you\u2019re 18 or over. It costs \u00a342.44 and cheques should be made payable to HMCTS.

    ", + "

    If you\u2019re under 18, follow the process for changing a child\u2019s name to enrol.

    ", + "

    Download the guidance and forms for changing an adult\u2019s name - this includes the notification form for The Gazette.

    ", + "

    Send your forms and documents to the Queen\u2019s Bench Division.

    ", + "

    Because of coronavirus (COVID-19), applications are taking longer than usual to process.

    ", + "

    Change a child\u2019s name

    ", + "

    To change the name of a child under 18 you can either:

    ", + "
  • make an unenrolled deed poll by using a specialist deed poll agency or a solicitor
  • ", + "
  • apply for an enrolled deed poll from the Royal Courts of Justice
  • ", + "

    If you choose an enrolled deed poll, this means your child\u2019s new name will usually appear on public record in The Gazette.

    ", + "

    Some organisations will only accept an enrolled deed poll as proof of a name change. For example, to change your child\u2019s name on their passport you will need an enrolled deed poll.

    ", + "

    If you\u2019re 16 or 17 you can choose to make your own unenrolled deed poll.

    ", + "

    Apply for an enrolled deed poll

    ", + "

    You\u2019ll need either:

    ", + "
  • the agreement of everyone with parental responsibility
  • ", + "
  • a court order
  • ", + "

    You must try to reach agreement before you seek a court order.

    ", + "

    If everyone with parental responsibility agrees

    ", + "

    Download and complete the forms for changing a child\u2019s name - this includes the notification form for The Gazette.

    ", + "

    It costs \u00a342.44 to apply.

    ", + "

    Send your forms and documents to the Queen\u2019s Bench Division.

    ", + "

    If you\u2019re worried about your child\u2019s name change being published in The Gazette, contact the Queen\u2019s Bench Division. For example, they may agree to only publish your child\u2019s first name.

    ", + "

    Because of coronavirus (COVID-19), applications are taking longer than usual to process.

    ", + "

    If you need a court order

    ", + "

    Read the guidance on making an application to the court.

    ", + "

    Fill in form C100 for a \u2018specific issue order\u2019.

    ", + "

    Send your form to your nearest court that deals with child cases.

    ", + "

    It costs \u00a3215 to apply for a court order. You may be able to get help with court fees if you\u2019re on benefits or a low income.

    " + ] + }, + { + "title": "Correct a birth registration", + "url": "https://www.gov.uk/correct-birth-registration", + "contents": [ + "

    What corrections can be made

    ", + "

    You can apply for a birth registration correction when the information is wrong - for example if a mistake was made when recording a parent\u2019s occupation.

    ", + "

    You cannot apply for a correction to show new information if circumstances change after you\u2019ve registered your child\u2019s birth, for example if you change your name after getting married again.

    ", + "

    However, you can apply to re-register the birth if the natural parents get married at a later date.

    ", + "

    Removing the wrong father\u2019s details

    ", + "

    You can apply to change who the recorded father is if you can prove that the man named on the certificate is not the natural father of the child. Examples of proof include:

    ", + "
  • a DNA test record from an approved tester
  • ", + "
  • a court order
  • ", + "
  • evidence that confirms the name of the true biological father
  • ", + "
  • other evidence that confirms the recorded father could not have been the child\u2019s natural father
  • ", + "

    What happens if you change gender

    ", + "

    If you get your gender change legally recognised, you\u2019ll be able to order a new birth certificate with your new gender on it.

    ", + "

    What the correction looks like

    ", + "

    If your application is approved, a correction is made in the register in the office for the area where your child was born.

    ", + "

    The original information will always be shown in the register. After the correction has been authorised, a note will be added to the margin of the register. This will explain what the correct information is and when the correction was made.

    ", + "

    All full birth certificates that are issued after the correction will include the note in the margin.

    ", + "

    Short birth certificates only include the child\u2019s details and will not have a note in the margin - they just show any correct new details.

    ", + "

    Who can apply

    ", + "

    The following people can apply for a correction:

    ", + "
  • the mother
  • ", + "
  • the father (if his details are on the certificate)
  • ", + "

    If you\u2019re applying to change a child\u2019s name and both parents are named on the certificate, both must sign the application form.

    ", + "

    The child named on the certificate may be able to apply for a correction if their parents are not available.

    ", + "

    Removing the wrong father\u2019s details

    ", + "

    It is not always necessary for the named father to take part in the correction process. The General Register Office (GRO) can correct the entry if 2 of the following people apply to have it changed:

    ", + "
  • the mother
  • ", + "
  • the natural father
  • ", + "
  • the man named on the birth certificate as the father
  • ", + "

    At least one of these must sign the application form.

    ", + "

    You need to provide contact addresses for the mother, the man named as the father on the certificate and the true biological father (if he took part in a DNA test).

    ", + "

    How to apply

    ", + "

    It costs \u00a375 or \u00a390 to apply to correct a mistake in a birth registration.

    ", + "

    Contact the register office where your child\u2019s birth was registered to find out how to send your application, the cost and how to pay.

    ", + "

    Fill in the relevant application form and send it to the register office:

    ", + "
  • correct details on a birth registration
  • ", + "
  • remove incorrect father\u2019s details from a birth registration
  • ", + "

    There\u2019s a different process for correcting registrations made in Northern Ireland and Scotland.

    ", + "

    Proving the registration is wrong

    ", + "

    You\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time your child was born.

    ", + "

    Documents you can send in include a:

    ", + "
  • passport
  • ", + "
  • photocard driving licence
  • ", + "
  • bank, building society or credit card statement
  • ", + "
  • letter from a hospital or doctor
  • ", + "
  • letter from a government department
  • ", + "

    If you are not able to send in proof, corrections cannot usually be made.

    ", + "

    All certified copies sent with the application will be destroyed if you do not ask for them to be returned.

    ", + "

    Proof the wrong father is on the certificate

    ", + "

    You\u2019ll need to prove that the man named on the certificate is not the natural father of the child. Examples of proof include:

    ", + "
  • a DNA test record from an approved tester
  • ", + "
  • a court order
  • ", + "
  • evidence that confirms the name of the true biological father
  • ", + "
  • other evidence that confirms the recorded father could not have been the child\u2019s natural father
  • ", + "

    Sending in certified documents

    ", + "

    You should only send in documents that have been certified as true copies of the original.

    ", + "

    Witnessing the correction

    ", + "

    If the correction is being made at your register office, you need to arrange an appointment with them. When you go in you\u2019ll witness the correction and sign the note made in the birth register.

    ", + "

    If you\u2019re applying to the General Register Office (GRO) to make the correction, you can say on the application form if you want to witness the correction.

    ", + "

    Statutory declaration

    ", + "

    If you\u2019re applying to correct a serious mistake (such as the name of a person), the GRO may ask you to make a \u2018statutory declaration\u2019 about the correction and send it to them. This means you have to make a legal statement in front of someone like a judge or solicitor that they must sign (sometimes called \u2018attesting an oath\u2019).

    ", + "

    If you make a statutory declaration, you will not have to witness the correction.

    ", + "

    You may have to pay a fee for a statutory declaration.

    ", + "

    How long applications take

    ", + "

    There is no set time for how long applications will take. It can take up to 25 days for you to get a reply.

    ", + "

    Advice

    ", + "

    If you want further advice on applying to make a correction, contact the register office or the General Register Office (GRO).

    " + ] + }, + { + "title": "Correct a death registration", + "url": "https://www.gov.uk/correcting-a-death-registration", + "contents": [ + "

    What corrections can be made

    ", + "

    You cannot change a death certificate once it\u2019s been issued, but you can apply to get a note added to the original entry in the death register.

    ", + "

    You can then get an updated certificate issued that shows this note.

    ", + "

    Corrections to a death registration can only be made when the information is wrong (for example a mistake in spelling a person\u2019s name).

    ", + "

    What the correction looks like

    ", + "

    The original information will always be shown in the death register. After the correction has been authorised, a note will be added to the margin of the register. This will explain what the correct information is and when the correction was made.

    ", + "

    If you apply for a new death certificate, the note containing the correct information will be in the margin.

    ", + "

    Who can apply

    ", + "

    Anyone can apply to correct a death entry.

    ", + "

    However, the General Register Office (GRO) will usually need a letter from the person who gave information for the death to be registered before considering a correction.

    ", + "

    How to apply

    ", + "

    It costs \u00a375 or \u00a390 to apply to correct a mistake in a death registration.

    ", + "

    Contact the register office where the death was registered to find out how to send your application, the cost, and how to pay.

    ", + "

    Fill in the application form to correct details on a death registration and send it to the register office.

    ", + "

    Proving the registration is wrong

    ", + "

    You\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time of the death.

    ", + "

    Documents you can send in include a:

    ", + "
  • passport
  • ", + "
  • photocard driving licence
  • ", + "
  • bank, building society or credit card statement
  • ", + "
  • letter from a hospital or doctor
  • ", + "
  • letter from a government department
  • ", + "
  • utility bill
  • ", + "

    If you cannot send in proof, corrections cannot usually be made.

    ", + "

    All certified copies sent with the application will be destroyed if you do not ask for them to be returned.

    ", + "

    Sending in certified documents

    ", + "

    You should only send in documents that have been certified as true copies of the original.

    ", + "

    Witnessing the correction

    ", + "

    If the correction is being made at your register office, you need to arrange an appointment with them. When you go in you\u2019ll witness the correction and sign the note made in the death register.

    ", + "

    If you\u2019re applying to the GRO to make the correction, you can say on the application form if you want to witness the correction.

    ", + "

    Statutory declaration

    ", + "

    If you\u2019re applying to correct a serious mistake (for example in the name of a person), the GRO may ask you to make a \u2018statutory declaration\u2019. GRO will give you more advice about this if it is necessary.

    ", + "

    You may have to pay a fee for a statutory declaration.

    ", + "

    How long applications take

    ", + "

    There is not a set time for how long applications will take. It can take up to 25 days for you to get a reply.

    ", + "

    Advice

    ", + "

    If you want further advice on applying to make a correction, contact the register office or the General Register Office (GRO).

    " + ] + }, + { + "title": "Get a copy of military service records", + "url": "https://www.gov.uk/get-copy-military-service-records", + "contents": [ + "

    Overview

    ", + "

    You can apply for either:

    ", + "
  • your own service records if you are, or have been, a member of the armed forces
  • ", + "
  • the records of someone who\u2019s deceased if you\u2019re eligible, for example you\u2019re their immediate next of kin or you\u2019re researching them
  • ", + "

    How long it takes

    ", + "

    It can take several months for your application to be processed.

    ", + "

    Your application will be prioritised if it\u2019s urgent.

    ", + "

    Other ways to find service records

    ", + "

    You can also search:

    ", + "
  • the Commonwealth War Graves Commission website
  • ", + "
  • the Armed Forces Memorial roll of honour
  • ", + "
  • the National Archives for service records from 1913 to 1920 or service records before 1913
  • ", + "

    Apply for your own records

    ", + "

    You can apply for your own records if you are, or have been, a member of the armed forces, for example the Royal Navy (including Royal Marines), British Army or Royal Air Force.

    ", + "

    Download and fill in a request for your own records (PDF, 64KB). Send it to the address on the form, along with any supporting documents. There\u2019s no fee.

    ", + "

    Use this form if you\u2019re acting on behalf of the person, for example if you have lasting power of attorney.

    ", + "

    Apply for the records of someone who's deceased

    ", + "

    You can apply for a copy of someone else\u2019s service records if any of the following apply:

    ", + "
  • you\u2019re their immediate next of kin, for example their spouse or parent
  • ", + "
  • you\u2019ve got consent from their immediate next of kin
  • ", + "
  • you have a general research interest - you\u2019ll only have access to limited information, unless they died more than 25 years ago
  • ", + "

    You need to know the person\u2019s full name, date of birth and service number.

    ", + "

    Fill in 2 forms - a request form and a search form.

    ", + "

    Fill in a request form

    ", + "

    Download and fill in a request form for either:

    ", + "
  • next of kin\u2019s records (PDF, 53KB) - use this form if you\u2019re next of kin or have next of kin\u2019s consent
  • ", + "
  • not next of kin\u2019s records (PDF, 46KB) - use this form if you\u2019re not next of kin and don\u2019t have next of kin\u2019s consent
  • ", + "

    Fill in a search form

    ", + "

    Download and fill in the relevant search form, depending on whether the person was in the:

    ", + "
  • Royal Navy or Royal Marines (PDF, 20KB)
  • ", + "
  • British Army (PDF, 20KB)
  • ", + "
  • Royal Air Force (PDF, 20KB)
  • ", + "

    Post your forms

    ", + "

    Send both forms, with the fee of \u00a330 for each separate record, and any supporting documents (for example a death certificate) to the address on the search form.

    ", + "

    There\u2019s no fee if you were the person\u2019s spouse or civil partner at the time of their death (or their parent, if there was no spouse).

    ", + "

    You can pay by cheque or postal order - or by banker\u2019s draft or international money order if you\u2019re overseas.

    ", + "

    Follow the instructions for applying for your own records if you\u2019re acting on behalf of the person, for example you have lasting power of attorney.

    ", + "

    What information you\u2019ll get

    ", + "

    Records date from 1920 and may include:

    ", + "
  • surname, first name, service number, rank and regiment or corps
  • ", + "
  • place and date of birth
  • ", + "
  • date they joined and left the armed forces
  • ", + "
  • date of death, if they died in service
  • ", + "
  • good conduct medals
  • ", + "
  • details about their career, for example the units they served in - you can only get these 25 years after the date they died, unless you have consent from their next of kin
  • ", + "

    In some cases little or no information is available about someone\u2019s military service.

    ", + "

    Your request might be refused if it could harm the security or operations of the armed forces.

    ", + "

    If you want to complain

    ", + "

    Write to the Ministry of Defence (MOD) Information Rights team if you want to complain about how your request was handled.

    ", + "

    You can contact the Information Commissioner\u2019s Office (ICO) if you\u2019re not happy with how the MOD handled your complaint.

    " + ] + }, + { + "title": "Marriages and civil partnerships in England and Wales", + "url": "https://www.gov.uk/marriages-civil-partnerships", + "contents": [ + "

    Check if you can get married or form a civil partnership

    ", + "

    You can get married or form a civil partnership in England or Wales if you\u2019re:

    ", + "
  • 16 or over
  • ", + "
  • not already married or in a civil partnership
  • ", + "
  • not closely related
  • ", + "

    Same sex couples can convert a civil partnership into a marriage in England or Wales.

    ", + "

    There are different rules if you want to get married or form a civil partnership:

    ", + "
  • in Scotland
  • ", + "
  • in Northern Ireland
  • ", + "
  • abroad
  • ", + "

    If you\u2019re under 18

    ", + "

    You need permission from your parents or guardians to get married or form a civil partnership in England or Wales.

    ", + "

    If you or your partner are from outside the UK

    ", + "

    If you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. The deadline for applying is 30 June 2021.

    ", + "

    You must apply for a visa to get married or form a civil partnership in the UK if you:

    ", + "
  • are not a British or Irish citizen
  • ", + "
  • do not have indefinite leave to remain in the UK
  • ", + "

    If you\u2019re from the EU, European Economic Area (EEA) or Switzerland, you will not need a visa if you\u2019re coming to the UK on or before 30 June 2021. From 1 July 2021, you will need a visa, unless you:

    ", + "
  • have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • applied to the EU Settlement Scheme before 30 June 2021, and are waiting for a decision
  • ", + "

    The visa or permit you need depends on where your partner is from and whether you want to live in the UK after your ceremony.

    ", + "

    You can apply for:

    ", + "
  • a marriage visitor visa - if you\u2019re not going to live in the UK and will stay less than 6 months
  • ", + "
  • a family visa - to live permanently in the UK if your partner is a British citizen, settled in the UK, has refugee status or humanitarian protection in the UK
  • ", + "
  • a family permit - to join your family member from the EU, EEA or Switzerland in the UK
  • ", + "

    If you do not have a marriage visitor visa or family visa

    ", + "

    You can still give notice of your intention to get married or form a civil partnership but the immigration authorities at the Home Office will be told.

    ", + "

    The Home Office might:

    ", + "
  • ask questions about you and your relationship - if this happens you may need to wait up to 70 days before getting married or forming a civil partnership
  • ", + "
  • decide not to approve your notice - if this happens you cannot get married or form a civil partnership in the UK
  • ", + "

    Plan your ceremony

    ", + "

    You must decide where to have your marriage or civil partnership ceremony before \u2018giving notice\u2019.

    ", + "

    To give notice, you\u2019ll sign a legal statement at your local register office saying you intend to get married or form a civil partnership. This must include details of the final venue for your ceremony.

    ", + "

    You must hold your ceremony within 12 months of \u2018giving notice\u2019.

    ", + "

    Coronavirus (COVID-19) and planning a ceremony

    ", + "

    Social distancing and public health restrictions are in place for ceremonies because of coronavirus. Contact your local register office or venue for the ceremony to find out how these will affect you.

    ", + "

    Choose the type of ceremony

    ", + "

    You can choose to have either a religious ceremony or a civil ceremony if you\u2019re getting married.

    ", + "

    If you\u2019re forming a civil partnership you cannot have a religious ceremony.

    ", + "

    Religious ceremonies

    ", + "

    A religious wedding can take place at any registered religious building.

    ", + "

    Same-sex couples can get married in a religious building if it has been registered for the marriage of same-sex couples. You cannot get married in an Anglican church as a same-sex couple.

    ", + "

    An authorised person, such as a religious minister, must attend the ceremony and sign the \u2018marriage schedule\u2019 or \u2018marriage document\u2019.

    ", + "

    Check with the venue if there is an authorised person. If not, you\u2019ll need to book a registrar. This costs \u00a386.

    ", + "

    Civil ceremonies

    ", + "

    You can have a civil ceremony at:

    ", + "
  • a register office
  • ", + "
  • any venue approved by the local council, for example a stately home or hotel
  • ", + "

    You must have at least 2 witnesses at the ceremony.

    ", + "

    A registrar must carry out, or be present at, your ceremony. You can book a registrar yourself or the venue may do this for you.

    ", + "

    The cost of a registrar is:

    ", + "
  • \u00a346 at a register office
  • ", + "
  • \u00a386 at a registered religious building
  • ", + "

    Costs may be different at other approved premises.

    ", + "

    What can happen at the ceremony

    ", + "

    You must exchange vows if you\u2019re getting married. Discuss any other wording you want with the person carrying out the ceremony.

    ", + "

    You do not need to exchange vows for a civil partnership, but you can if you\u2019d like to.

    ", + "

    Civil ceremonies can include readings, songs or music, but must not include anything that\u2019s religious (for example hymns or readings from the Bible or the Torah). You can get a religious blessing of your marriage after a civil ceremony.

    ", + "

    If you\u2019re getting married, you and your partner sign the marriage schedule or marriage document at the ceremony. You can each include up to 4 parents on the form (for example mothers, fathers or step-parents).

    ", + "

    After a marriage ceremony

    ", + "

    Your signed marriage schedule or document is sent to your local register office where it\u2019s added to the marriage register. After that, you can get your marriage certificate.

    ", + "

    Contact your local register office to find out how to get your marriage certificate and how long it will take.

    ", + "

    Give notice

    ", + "

    You must sign a legal statement at your local register office to say you intend to get married or form a civil partnership. This is known as \u2018giving notice\u2019.

    ", + "

    You must give notice at least 29 days before your ceremony.

    ", + "

    For example, if you give notice on 1 May, the earliest date you can get married or form a civil partnership is 30 May.

    ", + "

    You must hold your ceremony within 12 months of \u2018giving notice\u2019.

    ", + "

    The process of giving notice might be different for Anglican weddings - check with the wedding venue.

    ", + "

    Where to give notice

    ", + "

    You usually need to make an appointment to give notice at your local register office. You must have lived in that registration district for the past 7 days.

    ", + "

    You and your partner will need to give notice separately if you live in different registration districts. You do not have to do this on the same day.

    ", + "

    If one of you is from outside the UK and you\u2019re giving notice by 30 June 2021

    ", + "

    You and your partner need to give notice together at a designated register office unless you both have one of the following:

    ", + "
  • British or Irish citizenship
  • ", + "
  • EU, European Economic Area (EEA) or Swiss citizenship
  • ", + "

    You can give your notice at a designated register office in any district.

    ", + "

    If one of you is from outside the UK and you\u2019re giving notice from 1 July 2021

    ", + "

    You and your partner must give notice together, unless you both have one of the following:

    ", + "
  • British or Irish citizenship
  • ", + "
  • settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • an application to the EU Settlement Scheme that you made before 30 June 2021, which you\u2019re waiting for a decision on
  • ", + "

    You must give your notice together at a register office in the district where at least one of you lives.

    ", + "

    If your partner had already given notice separately before 1 July 2021, they will need to give notice again with you.

    ", + "

    Documents you'll need to give notice

    ", + "

    You must bring originals of the following documents to your appointment:

    ", + "
  • details of the final venue for your ceremony
  • ", + "
  • a valid passport or UK birth certificate (if you were born before 1 January 1983)
  • ", + "
  • proof of your home address
  • ", + "
  • proof of any name changes (for example, a copy of a deed poll)
  • ", + "

    Until 30 June 2021, you can use a national identity card from the EU, European Economic Area (EEA) or Switzerland instead of a valid passport.

    ", + "

    To prove your address, bring one of the following:

    ", + "
  • valid UK or Irish driving licence
  • ", + "
  • gas, water or electricity bill from the last 3 months
  • ", + "
  • bank or building society statement from the last month
  • ", + "
  • Council Tax bill from the last 12 months
  • ", + "
  • mortgage statement from the last 12 months
  • ", + "
  • current tenancy agreement
  • ", + "
  • letter from your landlord (dated within the last 7 days) confirming you live there and including your landlord\u2019s name, address and their signature
  • ", + "

    Until 30 June 2021, you can also use a driving licence from the EU, EEA or Switzerland as proof of UK address.

    ", + "

    If your normal address is outside the UK, you\u2019ll need to give details of a UK contact address. For example, this could be your partner, friend or family member\u2019s address.

    ", + "

    If you\u2019ve been married or in a civil partnership before

    ", + "

    You\u2019ll also need to bring one of the following documents:

    ", + "
  • a decree absolute or final order
  • ", + "
  • your former partner\u2019s death certificate
  • ", + "

    You need to bring proof of your divorce, annulment or dissolution if it was granted outside of the UK, Channel Islands or Isle of Man. You\u2019ll have to pay a fee of \u00a350 for the local register office to check your documents or \u00a375 if the General Register Office needs to check them.

    ", + "

    If you or your partner are from outside the UK

    ", + "

    You\u2019ll also need to bring:

    ", + "

    \u2022 a passport sized photo for each of you (even if only one of you from outside the UK)\n\u2022 proof of your current immigration status (for example, your visa)\n\u2022 a translation of any documents that are not in English

    ", + "

    If you\u2019re from the EU, EEA or Switzerland

    ", + "

    You will only need to bring the passport photos, proof of your immigration status and translated documents if you\u2019re giving notice on or after 1 July 2021.

    ", + "

    If you\u2019re giving notice from 1 July 2021, you\u2019ll also need to bring confirmation of either:

    ", + "
  • your settled or pre-settled status - you\u2019ll need to bring a \u2018share code\u2019 which you can get from the \u2018view and prove your immigration status\u2019 service, which will be valid for 30 days
  • ", + "
  • an application to the EU settlement scheme you made on or before 30 June 2021, which you\u2019re waiting for a decision on - you\u2019ll need to bring your certificate of application
  • " + ] + }, + { + "title": "Register a birth", + "url": "https://www.gov.uk/register-birth", + "contents": [ + "

    Overview

    ", + "

    You may not be able to register a birth at the moment because of coronavirus (COVID-19). You\u2019ll be able to register at a later date.

    ", + "

    Find out if you can register a birth now by:

    ", + "
  • contacting the local register office
  • ", + "
  • asking at the hospital where the baby was born before the mother leaves
  • ", + "

    There are different rules for registering a birth in Scotland, registering a birth in Northern Ireland and registering a birth abroad.

    ", + "

    Information you need when registering a birth

    ", + "

    When registering the birth, you should know:

    ", + "
  • place and date of the birth
  • ", + "
  • name, surname and sex of the baby
  • ", + "
  • parents\u2019 names, surnames and address
  • ", + "
  • places and dates of parents\u2019 birth
  • ", + "
  • date of parents\u2019 marriage or civil partnership
  • ", + "
  • parents\u2019 jobs
  • ", + "
  • mother\u2019s maiden surname
  • ", + "

    What you should take

    ", + "

    If you can register the birth, you should take at least one form of identification when you go to the register office. You can use:

    ", + "
  • passport
  • ", + "
  • birth certificate
  • ", + "
  • deed poll
  • ", + "
  • driving licence
  • ", + "
  • proof of address (for example, a utility bill)
  • ", + "
  • Council Tax bill
  • ", + "
  • marriage or civil partnership certificate
  • ", + "

    You should also take your child\u2019s personal child health record or \u2018red book\u2019 as some registrars may ask to see it.

    ", + "

    If you\u2019re going to the register office on your own, you may need proof of paternity from the other parent before you give their details.

    ", + "

    Organisations you need to contact

    ", + "

    Having a child might affect your tax, your benefits and services from your local council.

    ", + "

    The Tell Us Once service can report a birth to the Department for Work and Pensions (DWP) and your local council in one go. The registrar will let you know if this service is available in your area.

    ", + "

    When you go to a Tell Us Once appointment, you\u2019ll be asked about:

    ", + "
  • the people who\u2019ll be named on the birth register
  • ", + "
  • any partners that live with them
  • ", + "

    For each person, you\u2019ll need to know:

    ", + "
  • their address and phone number
  • ", + "
  • their date of birth
  • ", + "
  • their National Insurance number
  • ", + "
  • details of any benefits they get or have applied for
  • ", + "

    If the Tell Us Once service is not available in your area, you\u2019ll need to contact Jobcentre Plus and your local council about your benefits and services.

    ", + "

    After the birth is registered

    ", + "

    Once you\u2019ve registered the birth, you may be able to claim:

    ", + "
  • Child Benefit
  • ", + "
  • Child Tax Credit
  • ", + "

    Who can register a birth

    ", + "

    Opposite-sex couples

    ", + "

    Married or civil-partner parents

    ", + "

    Either parent can register the birth on their own. They can include both parents\u2019 details if they were married or in a civil partnership when the baby was born or conceived.

    ", + "

    Unmarried parents

    ", + "

    The details of both parents can be included on the birth certificate if one of the following happens:

    ", + "
  • they sign the birth register together
  • ", + "
  • one parent completes a statutory declaration of parentage form and the other takes the signed form to register the birth
  • ", + "
  • one parent goes to register the birth with a document from the court (for example, a court order) giving the father parental responsibility
  • ", + "

    The mother can choose to register the birth without the child\u2019s father if they\u2019re not married or in a civil partnership. The father\u2019s details will not be included on the birth certificate.

    ", + "

    It might be possible to add the father\u2019s details at a later date by completing an application for the re-registration of a child\u2019s birth.

    ", + "

    Same-sex female couples

    ", + "

    Female couples can include both their names on their child\u2019s birth certificate when registering the birth.

    ", + "

    Married or civil-partner parents

    ", + "

    Either parent can register the birth on their own if all of the following are true:

    ", + "
  • the mother has a child by donor insemination or fertility treatment
  • ", + "
  • she was married or in a civil partnership at the time of the treatment
  • ", + "

    Unmarried, non-civil-partner parents

    ", + "

    When a mother is not married or in a civil partnership, her partner can be seen as the child\u2019s second parent if both women:

    ", + "
  • are treated together in the UK by a licensed clinic
  • ", + "
  • have made a \u2018parenthood agreement\u2019
  • ", + "

    However, for both parents\u2019 details to be recorded on the birth certificate, they must do one of the following:

    ", + "
  • register the birth jointly
  • ", + "
  • complete a \u2018Statutory declaration of acknowledgement of parentage\u2019 form and one parent takes the signed form when she registers the birth
  • ", + "
  • get a document from the court (for example, a court order) giving the second female parent parental responsibility and one parent shows the document when she registers the birth
  • ", + "

    Same-sex male couples

    ", + "

    Male couples must get a parental order from the court before they can be registered as parents.

    ", + "

    Other people who can register a birth

    ", + "

    If the parents cannot register the birth (for example, for medical reasons), certain other people can do it:

    ", + "
  • someone who was present at the birth
  • ", + "
  • someone who is responsible for the child
  • ", + "
  • a member of the administrative staff at the hospital where the child was born
  • ", + "

    Birth certificates

    ", + "

    You may not get a certificate straight away because of coronavirus (COVID-19). The register office will tell you when you can get a certificate.

    ", + "

    There are 2 types of birth certificate:

    ", + "
  • the short version, which contains only the baby\u2019s details
  • ", + "
  • the full version, which also contains the parents\u2019 details
  • ", + "

    Once you have registered the birth, you\u2019ll be able to buy a short or full certificate for your baby. Both kinds cost \u00a311.

    " + ] + }, + { + "title": "Claim and deal with Child Benefit for someone else", + "url": "https://www.gov.uk/claim-child-benefit-behalf-someone-else", + "contents": [ + "

    If your child has a baby

    ", + "

    You can claim Child Benefit for a child you\u2019re responsible for and their baby.

    ", + "

    If your child is claiming the Child Benefit, you can collect the payment on their behalf by talking to their bank.

    ", + "

    The Child Benefit Office can only pay Child Benefit into one account. This can be a joint account you share with your child, but their name must be on the account too.

    ", + "

    Appointees

    ", + "

    You can apply for the right to deal with the Child Benefit of someone who can\u2019t manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.

    ", + "

    This is called becoming an \u2018appointee\u2019.

    ", + "

    You can apply as an individual or as a voluntary organisation.

    ", + "

    If you\u2019re paid to deal with someone else\u2019s Child Benefit, you\u2019re known as a \u2018paid agent\u2019.

    ", + "

    You\u2019re not an appointee if you just help someone complete their claim form.

    ", + "

    How to become an appointee

    ", + "

    Contact the Child Benefit Office to apply. They\u2019ll discuss if becoming an appointee is the best option and tell you what you need to do.

    ", + "

    You can arrange with someone\u2019s bank or the Post Office to collect their payments without becoming an appointee.

    ", + "

    Your responsibilities

    ", + "

    As an appointee, you must do things like:

    ", + "
  • complete the claim form
  • ", + "
  • deal with any letters from the Child Benefit Office
  • ", + "
  • report any changes that affect Child Benefit
  • ", + "
  • stop or restart payments where the person or their partner is affected by the High Income Child Benefit Charge
  • ", + "

    The Child Benefit will be paid into your bank account.

    ", + "

    How to become a paid agent

    ", + "

    Your client must send a letter to the Child Benefit Office, saying you can deal with Child Benefit on their behalf.

    ", + "

    Stop or change an appointee or paid agent

    ", + "

    Write to the Child Benefit Office within one month of when you want to stop or change the appointee.

    ", + "

    Authorisation

    ", + "

    The Child Benefit Helpline can only discuss a claim with the person named on the claim form (or their appointee). A partner or someone else can get general advice but they must be \u2018authorised\u2019 to discuss a claim with the helpline.

    ", + "

    The process is different if you act for a lot of clients or you\u2019re a paid agent.

    ", + "

    Get authorised

    ", + "

    The claimant must fill in form TC689, or write a letter with the same information, and send it to the Tax Credit Office - the address is on the form.

    ", + "

    The authorisation lasts 12 months unless a different end date is put on the form. It usually takes 2 days to get authorised from when your form is received. Usually, you won\u2019t get a letter confirming the authorisation.

    ", + "

    The Child Benefit Office will also need to have received the claimant\u2019s Child Benefit claim form.

    ", + "

    More than one person can be authorised but they each must send a TC689 form.

    ", + "

    If you act for a lot of clients

    ", + "

    Write to the Tax Credit Office to register as an \u2018intermediary organisation\u2019 if you work in the voluntary sector and act for many people.

    ", + "

    You can get urgent authorisation online if you\u2019re an intermediary organisation and you have a completed TC689. You must keep your client\u2019s completed TC689 for 7 years from the date it was signed.

    ", + "

    If you\u2019re a paid agent

    ", + "

    Your client must send a letter to the Child Benefit Office, saying you can deal with Child Benefit on their behalf.

    ", + "

    To authorise you to deal with High Income Child Benefit Tax Charge matters they also need to fill in form CH995.

    ", + "

    Cancel an authorisation

    ", + "

    An authorisation can be cancelled by writing to the Child Benefit Office.

    " + ] + }, + { + "title": "Applying for probate", + "url": "https://www.gov.uk/applying-for-probate", + "contents": [ + "

    Overview

    ", + "

    Applying for the legal right to deal with someone\u2019s property, money and possessions (their \u2018estate\u2019) when they die is called \u2018applying for probate\u2019.

    ", + "

    You\u2019ll get a document that allows you to start dealing with the estate. If the person left a will you\u2019ll get either:

    ", + "
  • a \u2018grant of probate\u2019
  • ", + "
  • \u2018letters of administration with will annexed\u2019 (if the will does not name an executor or the named executor is unable to apply)
  • ", + "

    If the person did not leave a will, you\u2019ll get \u2018letters of administration\u2019.

    ", + "

    This guide and the service are also available in Welsh (Cymraeg).

    ", + "

    The process is different in Scotland and different in Northern Ireland.

    ", + "

    Because of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process.

    ", + "

    When probate is not needed

    ", + "

    You may not need probate if the person who died:

    ", + "
  • had jointly owned land, property, shares or money - these will automatically pass to the surviving owners
  • ", + "
  • only had savings or premium bonds
  • ", + "

    Contact each asset holder (for example a bank or mortgage company) to find out if you\u2019ll need probate to get access to their assets. Every organisation has its own rules.

    ", + "

    Who can apply

    ", + "

    Only certain people can apply for probate to deal with the estate of someone who died. It depends on whether the person who died left a will.

    ", + "

    A will states what should happen to a person\u2019s property and belongings (\u2018estate\u2019) after they die. It\u2019s usually valid if it\u2019s been signed by the person who made it and 2 witnesses.

    ", + "

    If there\u2019s a will

    ", + "

    You can apply for probate if you\u2019re named in the will, or in an update to the will (a \u2018codicil\u2019), as an \u2018executor\u2019.

    ", + "

    You\u2019ll need the original will and any updates to apply for probate. These must be original documents, not photocopies.

    ", + "

    If you do not want to apply for probate, fill in a form to give up executor rights.

    ", + "

    Find out what to do if you\u2019re an executor.

    ", + "

    If the person did not leave a will

    ", + "

    The \u2018administrator\u2019 deals with the estate.

    ", + "

    You can apply to become the estate\u2019s administrator if you are 18 or over and you are the most \u2018entitled\u2019 inheritor of the deceased\u2019s estate. This is usually the deceased\u2019s closest living relative.

    ", + "

    Relatives are the most entitled inheritors in the following order:

    ", + "
  • husband, wife or civil partner (including if they were separated)
  • ", + "
  • children (including legally adopted children but not step-children)
  • ", + "
  • grandchildren
  • ", + "
  • great-grandchildren
  • ", + "
  • parents
  • ", + "
  • brothers and sisters
  • ", + "
  • nieces and nephews
  • ", + "
  • half-brothers and half-sisters
  • ", + "
  • half-nieces and half-nephews (the children of the half-brothers and half-sisters of the deceased)
  • ", + "
  • grandparents
  • ", + "
  • aunts and uncles
  • ", + "
  • cousins
  • ", + "
  • half-aunts and half-uncles (the half-brothers and half-sisters of the deceased\u2019s parent)
  • ", + "
  • half-cousins (the children of the half-brothers and half-sisters of the deceased\u2019s parent)
  • ", + "

    To apply, follow the same steps as applying for probate.

    ", + "

    You\u2019ll receive \u2018letters of administration\u2019 to prove you have the legal right to deal with the estate.

    ", + "

    You cannot apply if you\u2019re the partner of the person but were not their spouse or civil partner when they died. You\u2019re not automatically entitled to any of their estate, unless you\u2019re able to make changes to the inheritance.

    ", + "

    If you do not want to apply

    ", + "

    If you\u2019re the most entitled inheritor and you do not want to apply to be the administrator, you can either:

    ", + "
  • appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and get the attorney to send this in with the probate application
  • ", + "
  • nominate up to 2 people to be the next most entitled inheritor - fill in an \u2018intestate\u2019 form and send it to HMCTS Probate
  • ", + "

    Work out who inherits

    ", + "

    The law decides who inherits the estate if there\u2019s no will. Work out who will inherit.

    ", + "

    You\u2019ll need this information to report the estate\u2019s value and find out if there\u2019s Inheritance Tax to pay.

    ", + "

    Inheritance laws may be different if you live in an EU country.

    ", + "

    Stopping a probate application

    ", + "

    If there\u2019s a dispute, you can challenge an application for probate (\u2018enter a caveat\u2019), before it\u2019s granted.

    ", + "

    Find out how to stop a probate application.

    ", + "

    If you\u2019re an executor

    ", + "

    An executor is someone named in a will as responsible for sorting out the estate of the person who\u2019s died.

    ", + "

    The person who died will normally have told you if you\u2019re an executor. You\u2019ll need the original will to apply for probate.

    ", + "

    Find the original will

    ", + "

    The person who died should have told all the executors where to find the original will and any updates, for example:

    ", + "
  • at their house
  • ", + "
  • with a probate practitioner, such as a solicitor
  • ", + "
  • at the Newcastle District Probate Registry - you\u2019ll need the death certificate and evidence you\u2019re the executor
  • ", + "

    Get help from a probate practitioner or Citizens Advice if you cannot understand a will or codicil.

    ", + "

    If you cannot find the original will, you\u2019ll need to fill in a lost will form.

    ", + "

    If there\u2019s more than one will, only the most recent will is valid. Do not destroy any copies of earlier wills until you\u2019ve received probate.

    ", + "

    An executor only receives assets if they\u2019re also named as a beneficiary.

    ", + "

    If there\u2019s more than one executor

    ", + "

    If more than one person is named as an executor, you must all agree who makes the application for probate.

    ", + "

    Up to 4 executors can be named on the application.

    ", + "

    If only one executor is named on the application they\u2019ll need to prove that they tried to contact all executors named in the will before they applied.

    ", + "

    If you\u2019re having problems finding the other executors, you can contact the Probate Call Centre.

    ", + "

    The Probate Call Centre cannot help with disagreements between executors. You\u2019ll need to find another way to reach an agreement - this could mean getting legal advice.

    ", + "

    If you do not want to or cannot be an executor

    ", + "

    The will may name a replacement executor for someone who becomes \u2018unwilling or unable\u2019 to deal with the estate.

    ", + "

    If no executors are willing or able to apply for probate, fill in a form to give up executor rights and send it to HMCTS Probate.

    ", + "

    You do not want to be an executor

    ", + "

    You can do one of the following:

    ", + "
  • completely give up your right to apply for probate (\u2018renunciation\u2019) - fill in a form to give up executor rights and send it with the probate application form
  • ", + "
  • reserve your right to apply for probate later if another executor cannot deal with the estate (holding \u2018power reserved\u2019)
  • ", + "
  • appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and send it with the probate application
  • ", + "

    When an executor is unable to apply for probate

    ", + "

    A replacement executor should apply for probate if the executor is unable to, for example because:

    ", + "
  • they\u2019ve died
  • ", + "
  • they do not have \u2018mental capacity\u2019 - get a doctor to fill in a mental capacity form and send it with the probate application
  • ", + "

    Apply for probate

    ", + "

    You can apply for probate yourself online or by post, or pay a probate practitioner (such as a solicitor) to do it for you.

    ", + "

    Because of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process. It\u2019s taking longer to process paper applications than online applications.

    ", + "

    This guide and the service are also available in Welsh (Cymraeg).

    ", + "

    Before you apply

    ", + "
  • Check if you need probate.
  • ", + "
  • Check if you can apply for probate.
  • ", + "
  • You must estimate and report the estate\u2019s value before you apply for probate.
  • ", + "
  • You must find out whether you need to pay Inheritance Tax. If you do have to pay it, send the appropriate forms to HMRC and wait 20 working days before applying for probate.
  • ", + "
  • You must have the original will if you\u2019re the executor (you do not need it if you\u2019re an administrator). You must also have the original death certificate or an interim death certificate from the coroner.
  • ", + "

    If you need to pay Inheritance Tax

    ", + "

    You normally have to pay at least some of the tax before you\u2019ll get probate. You can claim the tax back from the estate, if you pay it out of your own bank account.

    ", + "

    Probate application fees

    ", + "

    You may have to pay a fee to apply for probate. Whether you need to pay depends on the value of the estate.

    ", + "

    If the value of the estate is over \u00a35,000, the application fee is \u00a3215. You may be able to get help to pay the probate fee and other court fees if you have a low income or are on certain benefits.

    ", + "

    There\u2019s no fee if the estate is \u00a35,000 or less.

    ", + "

    Extra copies of the probate cost \u00a31.50 each. This means you can send them to different organisations at the same time.

    ", + "

    If the will has been changed or damaged

    ", + "

    You must include a cover letter if the will or any additions have changed in any way since you\u2019ve had them. This includes them being damaged or separated for photocopying.

    ", + "

    The letter should explain what\u2019s been changed and why.

    ", + "

    Get help and advice

    ", + "

    If you\u2019ve not yet applied and have a question about applying for probate, contact the Courts and Tribunals Service Centre:

    ", + "

    If you\u2019re a probate practitioner

    ", + "

    You should apply for probate for your client using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.

    ", + "

    Apply for probate online

    ", + "

    You can use this service if you\u2019re the executor or administrator and you:

    ", + "
  • have the original will and any additions to it (\u2018codicils\u2019) if you\u2019re the executor (you do not need these if you\u2019re an administrator)
  • ", + "
  • have the original death certificate or an interim death certificate from the coroner
  • ", + "
  • have already reported the estate\u2019s value
  • ", + "
  • have submitted tax forms to HMRC and waited 20 working days, if you need to pay Inheritance Tax
  • ", + "

    The person who died must have lived in England or Wales most of the time.

    ", + "

    The probate registry will keep the original will and any additions to it. If you make a copy of these for your records, do not remove any staples or bindings from them.

    ", + "

    Apply for probate

    ", + "

    Return to an existing probate application.

    ", + "

    Apply for probate by post

    ", + "

    The form you need to fill in depends on whether the person left a will or not.

    ", + "

    Fill in application form PA1P if there is a will.

    ", + "

    Fill in application form PA1A if there is not a will.

    ", + "

    Because of COVID-19, it\u2019s taking longer to process paper applications than online applications. Use the online service to apply for probate if you can.

    ", + "

    You need to pay before you send the form.

    ", + "

    You can pay by either:

    ", + "
  • calling the Courts and Tribunals Service Centre to pay by credit or debit card - you\u2019ll be given a reference number to send with your documents
  • ", + "
  • sending a cheque payable to \u2018HM Courts and Tribunals Service\u2019 with your documents
  • ", + "

    Send your completed form to HMCTS Probate with the following documents:

    ", + "
  • the original will and any additions to it (\u2018codicils\u2019)
  • ", + "
  • the death certificate or an interim death certificate from the coroner
  • ", + "

    Use a signed-for or tracked postal service that will deliver to PO boxes to send your documents.

    ", + "

    The death certificate will be returned to you but the will and any additions to it will not be. If you make a copy of the will and any of its additions for your own records, do not remove any staples or bindings from them.

    ", + "

    After you've applied

    ", + "

    You\u2019ll usually get the grant of probate or letters of administration within 8 weeks of sending in your original documents. If you ordered copies of these documents for use outside the UK, these will take longer to arrive.

    ", + "

    Because of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications.

    ", + "

    You should not make any financial plans or put property on the market until you have received the grant of probate or letters of administration.

    ", + "

    If there\u2019s anything wrong with the grant of probate (or letters of administration), return it to the district probate registry listed on the grant or letters.

    ", + "

    Send a copy to organisations that hold the assets of the person who died, for example their bank.

    ", + "

    Once you have probate you can start dealing with the estate.

    " + ] + }, + { + "title": "Get a declaration of presumed death", + "url": "https://www.gov.uk/get-declaration-presumed-death", + "contents": [ + "

    Overview

    ", + "

    You can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:

    ", + "
  • 7 years or more
  • ", + "
  • less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster
  • ", + "

    A missing person is not automatically presumed dead.

    ", + "

    You must make a claim for a declaration of presumed death if you want to do certain things, for example deal with their estate.

    ", + "

    Who can make a claim

    ", + "

    You can make a claim if you\u2019re the missing person\u2019s:

    ", + "
  • spouse or civil partner
  • ", + "
  • parent
  • ", + "
  • child
  • ", + "
  • sibling
  • ", + "

    If none of these apply, you\u2019ll need to prove to the court that you have enough of a connection to the missing person (\u2018sufficient interest\u2019), for example you\u2019re a distant relative and you have a birth certificate to prove it.

    ", + "

    What else must be true to make a claim

    ", + "

    To make a claim one or more of the following must also apply:

    ", + "
  • you\u2019re the missing person\u2019s spouse or civil partner and you treat England or Wales as your permanent home (\u2018domicile\u2019) on the date you make the claim
  • ", + "
  • you\u2019re the missing person\u2019s spouse or civil partner and you\u2019ve been living in England or Wales for the whole year before the date you make the claim
  • ", + "
  • the missing person treated England or Wales as their permanent home (\u2018domicile\u2019) on the date they were last known to be alive
  • ", + "
  • the missing person was living in England or Wales for the whole year before the date they were last known to be alive
  • ", + "

    The rules are different in Scotland and Northern Ireland.

    ", + "

    Fees

    ", + "

    It costs \u00a3528 to get a declaration of presumed death. You may be able to get help paying court fees.

    ", + "

    Make a claim for a declaration of presumed death

    ", + "

    You can make a claim yourself or use a legal representative.

    ", + "
  • Make your claim.
  • ", + "
  • Advertise your claim in a newspaper.
  • ", + "
  • Attend a hearing.
  • ", + "

    Make your claim

    ", + "

    Download and fill in a claim form (N208) with details about:

    ", + "
  • yourself - known as the \u2018claimant\u2019
  • ", + "
  • the missing person - known as the \u2018defendant\u2019
  • ", + "
  • your claim
  • ", + "

    Include relevant information about your claim in the section \u2018details of your claim\u2019.

    ", + "

    Send the following to a court that can hear High Court cases.

    ", + "
  • form N208 - 1 copy for each person named in the form plus a copy for the court
  • ", + "
  • any supporting evidence, for example statements from witnesses, police reports
  • ", + "
  • the claim fee of \u00a3528 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    The court will stamp your form with an issue date and keep one copy. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.

    ", + "

    Send copies of your claim to other people

    ", + "

    Send a copy of form N208 and an acknowledgement of service form within 7 days of the issue date on the form to:

    ", + "
  • the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive send it to the missing person\u2019s nearest relative
  • ", + "
  • any other person or organisation who might have an interest, for example an insurance company
  • ", + "

    You must advertise your application in a newspaper within 7 days.

    ", + "

    Advertise your claim in a newspaper

    ", + "

    You must advertise your application in a newspaper local to the missing person\u2019s last known address.

    ", + "

    Place the advert within 7 days of the issue date stamped on the claim form.

    ", + "

    Use standard text for the advert

    ", + "

    Use the following text and make sure you:

    ", + "
  • put your case number after the words case number
  • ", + "
  • replace or delete as appropriate the words in square brackets with the relevant details
  • ", + "

    Standard text

    ", + "

    \u201cIn the High Court of Justice [Chancery] [Family] Division

    ", + "

    Case number.

    ", + "

    In the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].

    ", + "

    A claim has been issued in the High Court of Justice, for a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.

    ", + "

    If you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.

    ", + "

    (If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d

    ", + "

    Send a copy to the court

    ", + "

    Send the court a copy of the newspaper page showing the advertisement so it arrives at least 5 days before your court hearing.

    ", + "

    Attend a hearing

    ", + "

    You\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.

    ", + "

    Bring any relevant documents.

    ", + "

    Your claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.

    ", + "

    At the hearing you might be:

    ", + "
  • asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need
  • ", + "
  • told there has to be another hearing - there may be several hearings before a decision is made
  • ", + "

    If the court agrees with your application, you\u2019ll get a declaration of presumed death at the hearing or later by letter.

    ", + "

    Get a certificate of presumed death

    ", + "

    Apply to the General Register Office for a certificate of presumed death.

    ", + "

    You can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.

    ", + "

    You can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.

    ", + "

    The certificate can be used like a normal death certificate, for example to deal with a missing person\u2019s estate.

    ", + "

    It costs \u00a311.

    ", + "

    Appeal a decision

    ", + "

    Contact the Civil Appeals Office to appeal against the High Court\u2019s decision.

    ", + "

    Make a complaint

    ", + "

    Use the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.

    " + ] + }, + { + "title": "Change or cancel a presumption of death certificate", + "url": "https://www.gov.uk/change-cancel-presumption-death-certificate", + "contents": [ + "

    Overview

    ", + "

    You can make a claim to cancel (\u2018revoke\u2019) or change (\u2018vary\u2019) the details of a declaration of presumed death from the High Court if you can prove the missing person:

    ", + "
  • is still alive
  • ", + "
  • died at a time earlier or later than the time of death in the original declaration
  • ", + "

    You can also make a claim if you can prove there are other circumstances that mean the declaration of presumed death should be cancelled or changed.

    ", + "

    The rules are different in Scotland and Northern Ireland.

    ", + "

    Fees

    ", + "

    It costs \u00a3480 to change or cancel a declaration of presumed death. Read the fees leaflet to find out when you might not have to pay.

    ", + "

    Make a claim for a declaration of presumed death

    ", + "

    You can make a claim yourself or use a legal representative.

    ", + "
  • Make your claim.
  • ", + "
  • Advertise your claim in a newspaper.
  • ", + "
  • Attend a hearing.
  • ", + "

    Make a claim

    ", + "

    Download and fill in claim form N208.

    ", + "

    You\u2019re known as the \u2018claimant\u2019 if you\u2019re making the claim.

    ", + "

    Read the guidance on filling in form N208. Include all the information asked for in \u2018claim for variation order\u2019 in your application.

    ", + "

    Send the claim to a court that can hear High Court cases.

    ", + "

    You should include:

    ", + "
  • N208 form - one copy for each person named in the form plus a copy for the court
  • ", + "
  • the claim fee of \u00a3480 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    The court will stamp your form with an issue date and keep one copy of your N208 form. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.

    ", + "

    Send copies of your claim to other people

    ", + "

    Send a copy of form N208 with an acknowledgment of service form within 7 days of the issue date the court has put on the form to:

    ", + "
  • the person who made the original claim
  • ", + "
  • the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive, send it to the missing person\u2019s nearest relative
  • ", + "
  • any other person or organisation who might have an interest, eg an insurance company
  • ", + "

    You must advertise your claim in a newspaper within 7 days.

    ", + "

    Advertise your claim in a newspaper

    ", + "

    You must advertise your claim in a newspaper local to the missing person\u2019s last known address.

    ", + "

    Place the advert within 7 days of the issue date stamped on the claim form.

    ", + "

    Use standard text for the advert

    ", + "

    Use the following text. You\u2019ll need to delete some words and replace others in the square brackets with the right details.

    ", + "

    Standard text

    ", + "

    \u201cIn the High Court of Justice [Chancery] [Family] Division

    ", + "

    Case number [insert case number]

    ", + "

    In the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].

    ", + "

    A claim has been issued in the High Court of Justice, for a variation of a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.

    ", + "

    If you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.

    ", + "

    (If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d

    ", + "

    You\u2019re known as the \u2018claimant\u2019 if you\u2019re making the claim.

    ", + "

    Send a copy to the court

    ", + "

    Send the court a copy of the newspaper page showing the advertisement. It must arrive at least 5 days before your court hearing.

    ", + "

    Attend a hearing

    ", + "

    You\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.

    ", + "

    Bring any relevant documents.

    ", + "

    Your claim may be challenged by someone who\u2019s received a copy of the claim form or seen the advert.

    ", + "

    At the hearing you might:

    ", + "
  • be asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need
  • ", + "
  • be told there has to be another hearing - there may be several hearings before a decision is made
  • ", + "

    If the court agrees with your application, you\u2019ll get the order changed or cancelled at the hearing or by letter later.

    ", + "

    Get a certificate of presumed death

    ", + "

    Apply to the General Register Office for a certificate of presumed death.

    ", + "

    You can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.

    ", + "

    You can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.

    ", + "

    The certificate can be used like a normal death certificate, eg to deal with a missing person\u2019s estate.

    ", + "

    It costs \u00a39.25.

    ", + "

    The certificate will state when the missing person is presumed to have died.

    ", + "

    Call the General Register Office to get a certificate.

    ", + "

    Appeal a decision

    ", + "

    Call or write to the Civil Appeals Office to appeal against the High Court\u2019s decision.

    ", + "

    Make a complaint

    ", + "

    Use the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.

    ", + "

    You cannot complain about the decision.

    " + ] + }, + { + "title": "Telling DVLA after someone dies", + "url": "https://www.gov.uk/tell-dvla-about-bereavement", + "contents": [ + "

    What you need to do

    ", + "

    You can use the Tell Us Once service to notify DVLA when someone dies if it\u2019s available in your area.

    ", + "

    You still have to tell DVLA separately when you:

    ", + "
  • sell the vehicle
  • ", + "
  • keep the vehicle (even if it\u2019s temporary and you\u2019re not using it)
  • ", + "
  • keep a personalised registration number (you\u2019ll need to do this before you sell the vehicle)
  • ", + "

    If Tell Us Once is not available in your area

    ", + "

    Write to DVLA to tell them a driver has died. Include the person\u2019s driving licence with your letter, if you have it.

    ", + "

    Your letter must include:

    ", + "
  • your relationship to the person who died
  • ", + "
  • the date they died
  • ", + "
  • their name, address and date of birth
  • ", + "

    Send the letter to:

    ", + "

    You do not need to send a death certificate.

    ", + "

    If you need help

    ", + "

    Contact DVLA if you need help.

    ", + "

    Northern Ireland

    ", + "

    There\u2019s a different process in Northern Ireland.

    ", + "

    Keeping a vehicle

    ", + "

    Tell DVLA that you\u2019re the new keeper of the vehicle and tax it in your own name straight away.

    ", + "

    You cannot transfer vehicle tax from another person. You must tax the vehicle in your name even if you\u2019re taking over ownership as a family member or looking after it for a short time.

    ", + "

    You can be prosecuted if you use the vehicle on a public road before taxing it in your own name and insuring it.

    ", + "

    What you do depends on whether you have the vehicle log book (V5C).

    ", + "

    If you have the vehicle log book (V5C)

    ", + "
  • Fill in section 2 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 6 if you have the older style log book.
  • ", + "
  • Tear off and keep the green \u2018new keeper\u2019 slip.
  • ", + "
  • Write a letter explaining your relationship to the person who died, the date they died and who should be paid any vehicle tax refund.
  • ", + "
  • Send the V5C with your letter to the DVLA Sensitive Casework Team. Also include form V890 if you want to register the vehicle as off the road (SORN) instead of taxing it.
  • ", + "
  • DVLA will immediately cancel any existing vehicle tax and direct debits, and send a cheque for any refund and a new V5C.
  • ", + "
  • Use the new keeper slip to tax the vehicle in your name before you use it on a public road. Do not wait for the new V5C.
  • ", + "

    If you do not have the vehicle log book (V5C)

    ", + "
  • Fill in form V62 to apply for a V5C. There\u2019s a \u00a325 fee.
  • ", + "
  • Write a letter explaining your relationship to the person who died, the date they died and who should be paid any vehicle tax refund.
  • ", + "
  • Send the V62 and fee with your letter to the DVLA Sensitive Casework Team. Also include form V890 if you want to register the vehicle as off the road (SORN) instead of taxing it.
  • ", + "
  • DVLA will immediately cancel any existing vehicle tax and direct debits, and send you a new V5C.
  • ", + "
  • Use your new V5C to tax the vehicle.
  • ", + "

    If you need help

    ", + "

    Contact DVLA if you need help.

    ", + "

    Selling a vehicle

    ", + "

    What you do depends on whether you have the vehicle log book (V5C).

    ", + "

    If you have the vehicle log book (V5C)

    ", + "

    Write a letter explaining:

    ", + "
  • your relationship to the person who died
  • ", + "
  • the date the person died
  • ", + "
  • who should be paid any vehicle tax refund (vehicle tax cannot be transferred to a new owner)
  • ", + "

    Send the letter to the DVLA Sensitive Casework Team with the right part of the V5C. The part you send depends on whether you\u2019re selling the vehicle to a private individual or a motor trader.

    ", + "

    Selling to a private individual

    ", + "
  • Fill in section 2 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 6 if you have the older style log book.
  • ", + "
  • Give the green \u2018new keeper\u2019 slip to the buyer.
  • ", + "
  • Send the V5C with your letter to the DVLA Sensitive Casework Team.
  • ", + "

    Selling to a motor trader

    ", + "
  • Get the motor trader to fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of the log book.
  • ", + "
  • Send the perforated section with your letter to the DVLA Sensitive Casework Team.
  • ", + "
  • Give the motor trader the rest of the V5C.
  • ", + "

    If you do not have the vehicle log book (V5C)

    ", + "

    When you sell the car tell the buyer they\u2019ll need to fill in form V62 to apply for a V5C. There\u2019s a \u00a325 fee.

    ", + "

    You need to write a letter to the DVLA Sensitive Casework Team to tell them you\u2019ve sold the vehicle. Your letter needs to say:

    ", + "
  • the date you sold the vehicle
  • ", + "
  • your relationship to the person who died
  • ", + "
  • the date they died
  • ", + "
  • who should be paid any vehicle tax refund
  • ", + "
  • the buyer\u2019s name and address
  • ", + "

    If you need help

    ", + "

    Contact DVLA if you need help.

    " + ] + }, + { + "title": "Valuing the estate of someone who's died", + "url": "https://www.gov.uk/valuing-estate-of-someone-who-died", + "contents": [ + "

    What you need to do

    ", + "

    As part of applying for probate, you need to value the money, property and possessions (\u2018estate\u2019) of the person who\u2019s died.

    ", + "

    You don\u2019t need probate for all estates. Check if you need it.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You need to complete 3 main tasks when you value the estate.

    ", + "
  • Contact organisations such as banks or utility providers about the person\u2019s assets and debts.
  • ", + "
  • Estimate the estate\u2019s value. This will affect how you report the value to HMRC, and the deadlines for reporting and paying any Inheritance Tax. Most estates aren\u2019t taxed.
  • ", + "
  • Report the value to HM Revenue and Customs (HMRC).
  • ", + "

    How long it takes

    ", + "

    The process of valuing the estate can take 6 to 9 months, or longer for big or complicated estates (for example if they involve trusts or there\u2019s tax to pay).

    ", + "

    Deadlines

    ", + "

    You don\u2019t need to value the estate straight away after someone dies. There are only deadlines if the estate owes Inheritance Tax.

    ", + "

    If it does, you\u2019ll need to:

    ", + "
  • send Inheritance Tax forms within one year
  • ", + "
  • start paying tax by the end of the sixth month after the person died - you can make a payment before you finish valuing the estate
  • ", + "

    Getting help

    ", + "

    You can hire a professional (for example a solicitor) to help with some or all of the tasks involved with valuing an estate.

    ", + "

    Money Advice Service has guidance on when and how to hire a professional. Law Donut has advice on keeping solicitors\u2019 fees down.

    ", + "

    Contact HMRC to get help with:

    ", + "
  • probate
  • ", + "
  • Inheritance Tax
  • ", + "

    Contact organisations about assets and debts

    ", + "

    To help you value the estate of the person who died, write to organisations to find out about the person\u2019s:

    ", + "
  • assets, for example banks and pension providers
  • ", + "
  • debts, such as utility companies, mortgage lenders and credit card companies
  • ", + "

    In your letter:

    ", + "
  • ask for the value of the asset or debt when the person died
  • ", + "
  • include a copy of the death certificate
  • ", + "

    Which organisations to contact

    ", + "

    Find organisations to contact about the person\u2019s assets and debts by searching through their papers. You can also ask friends, family and any solicitor or accountant they had.

    ", + "

    Organisations that hold a person\u2019s assets often include:

    ", + "
  • their bank
  • ", + "
  • their pension provider - ask if you should include any private pension when you value the estate
  • ", + "
  • their employer - the person may be owed wages
  • ", + "
  • any companies they held shares in - include the number of shares, company details and the share certificate number (if you have it)
  • ", + "
  • National Savings and Investments (NS&I) for Premium Bonds - use the free tracing service if you can\u2019t find certificates
  • ", + "
  • other organisations that hold assets like ISAs, shares, investments or assets in a trust
  • ", + "
  • their landlord, if they had one - the person may have paid rent in advance
  • ", + "

    In your letter to the bank, also ask for:

    ", + "
  • any standing orders and direct debits to be stopped (or transferred if they were in a joint name)
  • ", + "
  • a list of any share certificates or deeds they were holding for the person who died
  • ", + "

    If the person had a mortgage

    ", + "

    Ask the mortgage lender if they require payments to continue while you\u2019re applying for probate. If they do, you need to either:

    ", + "
  • pay these bills yourself - and reclaim them from the estate once you\u2019ve got probate
  • ", + "
  • check if the person had a life assurance or mortgage protection policy that covers these payments
  • ", + "

    Estimate the estate\u2019s value

    ", + "

    You need an estimate of the estate\u2019s value to find out if there\u2019s Inheritance Tax to pay.

    ", + "

    The estate won\u2019t have to pay tax as long as it either:

    ", + "
  • all passes to the dead person\u2019s spouse or civil partner, a charity or a community amateur sports club
  • ", + "
  • has a value below the Inheritance Tax threshold of \u00a3325,000
  • ", + "

    If the person who died was widowed or is giving away their home to their children, the tax threshold can be higher.

    ", + "

    Whether there\u2019s tax to pay will affect how you report the estate\u2019s value, and the deadlines for reporting and paying any tax.

    ", + "

    Working out your estimate

    ", + "

    You need to estimate the \u2018gross\u2019 value of the estate. This is the value of the assets plus \u2018gifts\u2019.

    ", + "

    Gifts are certain assets (for example cash) given away in the 7 years before the person died.

    ", + "

    At this stage, your estimate only needs to be accurate enough for you to know if the estate owes tax.

    ", + "

    Assets

    ", + "

    Start by listing the person\u2019s assets - the things the person owned with a value.

    ", + "

    These may include:

    ", + "
  • assets held by organisations you\u2019ve written to - such as money in the person\u2019s bank account, pension or investments
  • ", + "
  • possessions - for example their house, jewellery, furniture or car
  • ", + "
  • payments when they died - for example life insurance or a lump sum \u2018death benefit\u2019 from a pension
  • ", + "

    Then estimate the value of each on the date the person died. Use the asset\u2019s realistic selling price on the open market.

    ", + "

    Include all assets in your estimate, including any left to the person\u2019s spouse, civil partner or a charity. You won\u2019t pay tax on these assets.

    ", + "

    Valuing joint assets

    ", + "

    Divide the value of the asset by 2 if it was owned jointly with the person\u2019s spouse or civil partner.

    ", + "

    For property or land shared with others, divide the value by the number of owners. You can then take 10% off the share of the person who died. In Scotland, take \u00a34,000 off the value of the whole asset before working out their share instead.

    ", + "

    If the person jointly owned property as a tenant in common, work out the value based on the person\u2019s share.

    ", + "

    Some bank accounts are in joint names for convenience only, for example if an elderly person added their child to help them with the account. When valuing the account, use the amount the person actually owned, rather than dividing by the number of owners.

    ", + "

    Gifts

    ", + "

    Check bank statements or contact family members to find out about gifts of cash or other assets:

    ", + "
  • in the 7 years before the person died if they totalled \u00a33,000 or more per year - don\u2019t include exempt gifts, such as those for birthdays or weddings
  • ", + "
  • at any time if they continued to benefit from a gift (for example they gave a house away but lived in it rent-free) or put a gift in a trust
  • ", + "

    To estimate the value of each gift, use either:

    ", + "
  • the approximate market value (realistic selling price) of the gift when it was made
  • ", + "
  • the realistic selling price of the gift when the deceased stopped benefitting from it (if they benefitted from the gift after giving it away)
  • ", + "

    If the person gave away more than \u00a3325,000 before they died, the recipients may have to pay Inheritance Tax on their gifts.

    ", + "

    Debts

    ", + "

    Don\u2019t include the estate\u2019s debts when you estimate the gross value - but you\u2019ll need to tell HM Revenue and Customs (HMRC) about them when you report the value of the estate.

    ", + "

    Check for records of debts when the person died, for example:

    ", + "
  • their mortgage, loans, credit cards or overdrafts
  • ", + "
  • \u2018liabilities\u2019 like household bills or bills for goods or services they\u2019d received but not yet paid for (like building work, decorators, accountants)
  • ", + "

    Get the gross value of the estate

    ", + "

    Add the assets to any gifts to get the gross value. Ignore the debts at this stage.

    ", + "

    You can now start telling HMRC about the value of the estate.

    ", + "

    Report the estate\u2019s value to HMRC

    ", + "

    When you\u2019ve estimated the value of the estate you can:

    ", + "
  • start reporting the value in detail to HM Revenue and Customs (HMRC) - you\u2019ll find out whether you can report everything online or if you\u2019ll need a paper form
  • ", + "
  • find out if there\u2019s tax to pay and when to pay it
  • ", + "

    Report the estate\u2019s value

    ", + "

    You can also continue a report you\u2019ve already started.

    ", + "

    Before you start

    ", + "

    You need to:

    ", + "
  • have an estimate of the gross value of the estate
  • ", + "
  • have told organisations that the person has died - you\u2019ll need this to give accurate valuations of the person\u2019s assets or debts
  • ", + "

    As part of telling HMRC about the estate, you work out its detailed \u2018net\u2019 value - this is assets plus gifts minus debts. You\u2019ll need to know the net value if you need to apply for probate.

    ", + "

    Getting more accurate valuations

    ", + "

    When telling HMRC about Inheritance Tax, you\u2019ll usually need more accurate valuations of the estate. This includes using a professional valuer for things over \u00a31,500.

    ", + "

    You can continue using estimates if one of the following applies:

    ", + "
  • the estate\u2019s gross value is less than \u00a3250,000
  • ", + "
  • all the estate passes to the dead person\u2019s spouse or civil partner, a charity or organisations like museums or community amateur sports clubs
  • ", + "

    If you need help

    ", + "

    Contact HMRC to get help with:

    ", + "
  • probate
  • ", + "
  • Inheritance Tax
  • ", + "

    Records

    ", + "

    You must keep certain records after you value an estate.

    ", + "

    HM Revenue and Customs (HMRC) can ask to see your records up to 20 years after Inheritance Tax is paid.

    ", + "

    You must keep copies of any:

    ", + "
  • will
  • ", + "
  • copies of signed Inheritance Tax forms and supporting documents
  • ", + "
  • records showing how you worked out the value of assets in the estate, for example an estate agent\u2019s valuation
  • ", + "
  • documents showing any unused Inheritance Tax threshold that can be transferred to a surviving spouse or civil partner
  • ", + "
  • final accounts
  • ", + "

    Final accounts

    ", + "

    Include any documents showing how you distributed money, property or personal belongings from the estate, for example:

    ", + "
  • letters from HMRC confirming that you paid Inheritance Tax
  • ", + "
  • receipts showing debts paid, for example utilities bills
  • ", + "
  • receipts for your expenses from dealing with the estate
  • ", + "
  • written confirmation that \u2018beneficiaries\u2019 (anyone who inherited) received their share of the estate
  • ", + "

    Send copies of the final accounts to all beneficiaries.

    " + ] + }, + { + "title": "Claim or refer an unclaimed estate", + "url": "https://www.gov.uk/unclaimed-estates-bona-vacantia", + "contents": [ + "

    Overview

    ", + "

    When someone dies with no will or known family, their property passes to the Crown as ownerless property (or \u2018bona vacantia\u2019). It can be any kind of property, like buildings, money or personal possessions.

    ", + "

    You could be entitled to a share of a deceased relative\u2019s property (\u2018estate\u2019) if you\u2019re a relative.

    ", + "

    How to claim

    ", + "
  • Check if the estate is listed with the Crown.
  • ", + "
  • Make sure you\u2019re an entitled relative.
  • ", + "
  • Make a claim on the estate.
  • ", + "

    If an estate is not listed, you can tell the Crown about an estate you think is unclaimed.

    ", + "

    If you\u2019re not a relative

    ", + "

    You can apply for a grant from the estate if you think you may be entitled to a share of a deceased person\u2019s estate (for example if you lived together or you cared for them).

    ", + "

    Who to contact

    ", + "

    The Government Legal Department handles bona vacantia in England and Wales (except in the Duchies of Cornwall and Lancaster).

    ", + "

    There\u2019s a list of unclaimed estates published by the Government Legal Department.

    ", + "

    Adverts and claims

    ", + "

    The Government Legal Department advertises to find entitled relatives. If you reply to an advert, you have to prove your relationship with the deceased, for example with a birth, marriage or death certificate.

    ", + "

    Other bodies that represent the Crown

    ", + "

    Elsewhere, bona vacantia is dealt with by:

    ", + "
  • in the Duchies of Cornwall and Lancaster - Farrer and Co
  • ", + "
  • in Scotland - The Queen\u2019s and Lord Treasurer\u2019s Remembrancer
  • ", + "
  • in Northern Ireland - phone the Crown Solicitor\u2019s Office for Northern Ireland
  • ", + "

    Check if you're an entitled relative

    ", + "

    You need to know if you\u2019re entitled before making a claim on an estate. The general rules are:

    ", + "
  • if there\u2019s no will, the person\u2019s spouse or civil partner and then any children have first claim to the estate
  • ", + "
  • if there\u2019s no spouse or child, anyone descended from a grandparent of the person is entitled to a share in the estate
  • ", + "
  • if you\u2019re related by marriage you have no entitlement
  • ", + "

    Find out if you\u2019re entitled to a share of the estate.

    ", + "

    Adopted people

    ", + "

    If you\u2019re adopted:

    ", + "
  • you have the same rights as if you\u2019d been born into your adoptive family
  • ", + "
  • you have no rights to an estate of your original birth family
  • ", + "

    Only the adoptive family have rights to the estate if the deceased person was adopted.

    ", + "

    Make a claim on an estate

    ", + "

    If you think you\u2019re entitled to an estate in England and Wales (but not Cornwall or Lancashire):

    ", + "
  • Find the estate.
  • ", + "
  • Make sure you\u2019re an entitled relative.
  • ", + "
  • Make a claim on the estate.
  • ", + "

    In the Duchies of Cornwall and Lancaster, Scotland or Northern Ireland

    ", + "

    Contact the relevant body representing the Crown.

    ", + "

    Evidence you need

    ", + "

    You\u2019ll be asked to send a family tree showing your relationship and 2 pieces of identification:

    ", + "
  • one showing your name
  • ", + "
  • one showing your name and address, dated within the last 3 months
  • ", + "

    You might also be asked to send birth, death or marriage certificates.

    ", + "

    Refer an estate

    ", + "

    If you know someone who has died with no will or known blood relatives, you can tell one of the bodies representing the Crown about their estate.

    ", + "

    You should only refer an estate if:

    ", + "
  • the person didn\u2019t leave a will
  • ", + "
  • there are no blood relatives
  • ", + "
  • the person left more funds than debt \u2013 otherwise the estate is \u2018insolvent\u2019
  • ", + "

    How to refer an estate

    ", + "

    In England and Wales (except the Duchies of Cornwall or Lancaster), you can download the forms to refer the estate.

    ", + "

    The Government Legal Department only handles estates worth \u00a3500 or more.

    ", + "

    In Scotland, Northern Ireland or the Duchies of Cornwall or Lancaster contact the relevant body representing the Crown.

    ", + "

    Grants from a deceased person's estate

    ", + "

    You can apply for a grant from a deceased person\u2019s estate if you could have expected to benefit from it. This could be where you:

    ", + "
  • provided the person with free services like washing, cleaning, cooking, shopping, home repairs or care where they might otherwise have had to pay
  • ", + "
  • lived together with the person (as their partner or as a friend) but were not married
  • ", + "
  • represent a charity or other body that cared for the person at considerable expense
  • ", + "

    You don\u2019t have to be related to the person to apply.

    ", + "

    How to apply

    ", + "

    In England and Wales (but not Cornwall or Lancashire) apply to the Government Legal Department.

    ", + "

    Contact the Government Legal Department stating that you\u2019re claiming a \u2018discretionary grant\u2019, including as much supporting information as possible.

    ", + "

    In Cornwall, Lancashire, Scotland or Northern Ireland, apply to the relevant body representing the Crown.

    " + ] + }, + { + "title": "Making a will", + "url": "https://www.gov.uk/make-will", + "contents": [ + "

    Overview

    ", + "

    Your will lets you decide what happens to your money, property and possessions after your death.

    ", + "

    If you make a will you can also make sure you do not pay more Inheritance Tax than you need to.

    ", + "

    You can write your will yourself, but you should get advice if your will is not straightforward.

    ", + "

    You need to get your will formally witnessed and signed to make it legally valid.

    ", + "

    If you want to update your will, you need to make an official alteration (called a \u2018codicil\u2019) or make a new will.

    ", + "

    If you die without a will, the law decides who gets what.

    ", + "

    Write your will

    ", + "

    Your will should set out:

    ", + "
  • who you want to benefit from your will
  • ", + "
  • who should look after any children under 18
  • ", + "
  • who is going to sort out your estate and carry out your wishes after your death (your executor)
  • ", + "
  • what happens if the people you want to benefit die before you
  • ", + "

    You can also include a charity in your will.

    ", + "

    When you need legal advice

    ", + "

    You can get advice from a professional if your will is not straightforward, for example:

    ", + "
  • you share a property with someone who is not your husband, wife or civil partner
  • ", + "
  • you want to leave money or property to a dependant who cannot care for themselves
  • ", + "
  • you have several family members who may make a claim on your will, such as a second spouse or children from another marriage
  • ", + "
  • your permanent home is outside the UK
  • ", + "
  • you have property overseas
  • ", + "
  • you have a business
  • ", + "

    Keep your will safe

    ", + "

    You can keep your will at your home or store it with:

    ", + "
  • your solicitor
  • ", + "
  • your bank
  • ", + "
  • a company that offers the storage of wills - you can search online
  • ", + "
  • the London Probate Service
  • ", + "

    Read full guidance on storing your will with the Probate\nService.

    ", + "

    You should tell your executor (the person you\u2019ve chosen to carry out your will), a close friend or relative where your will is.

    ", + "

    Make sure your will is legal

    ", + "

    For your will to be legally valid, you must:

    ", + "
  • be 18 or over
  • ", + "
  • make it voluntarily
  • ", + "
  • be of sound mind
  • ", + "
  • make it in writing
  • ", + "
  • sign it in the presence of 2 witnesses who are both over 18
  • ", + "
  • have it signed by your 2 witnesses, in your presence
  • ", + "

    Signing can be witnessed both in person and remotely (for example by video conferencing). In both cases:

    ", + "
  • you must have a clear view of the person and the act of signing
  • ", + "
  • the will maker (or person authorised to sign on their behalf) and witnesses must sign the same document
  • ", + "

    You can only sign remotely in England or Wales.

    ", + "

    If you make any changes to your will you must follow the same signing and witnessing process.

    ", + "

    You cannot leave your witnesses (or their married partners) anything in your will.

    ", + "

    Update your will

    ", + "

    You should review your will every 5 years and after any major change in your life, for example:

    ", + "
  • getting separated or divorced
  • ", + "
  • getting married (this cancels any will you made before)
  • ", + "
  • having a child
  • ", + "
  • moving house
  • ", + "
  • if the executor named in the will dies
  • ", + "

    Making changes to your will

    ", + "

    You cannot amend your will after it\u2019s been signed and witnessed. The only way you can change a will is by making an official alteration called a codicil.

    ", + "

    You must sign a codicil and get it witnessed in the same way as witnessing a will.

    ", + "

    There\u2019s no limit on how many codicils you can add to a will.

    ", + "

    Making a new will

    ", + "

    For major changes you should make a new will.

    ", + "

    Your new will should explain that it revokes (officially cancels) all previous wills and codicils. You should destroy your old will by burning it or tearing it up.

    " + ] + }, + { + "title": "Make a statutory will on behalf of someone else", + "url": "https://www.gov.uk/apply-statutory-will", + "contents": [ + "

    Overview

    ", + "

    Apply to the Court of Protection if you want to make (or change) a will on behalf of someone who cannot do it themselves.

    ", + "

    This may be because, for example:

    ", + "
  • they\u2019ve had a serious brain injury or illness
  • ", + "
  • they have dementia
  • ", + "

    You can apply when the person is not able to understand:

    ", + "
  • what making or changing a will means
  • ", + "
  • how much money they have or what property they own
  • ", + "
  • how making or changing a will might affect the people they know (either those mentioned in the will or those left out)
  • ", + "

    Someone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.

    ", + "

    How to apply

    ", + "
  • Download, fill in and return the forms with details of the proposed will and supporting documents.
  • ", + "
  • Tell other people that you\u2019ve applied.
  • ", + "
  • Attend a hearing if the Court of Protection decides to hold one.
  • ", + "
  • Sign the will, have it witnessed and send it to the Court of Protection to have it \u2018sealed\u2019.
  • ", + "

    Emergency applications

    ", + "

    You can apply to the Court of Protection for an emergency decision on a statutory will if the person you\u2019re applying for only has a short time to live.

    ", + "

    Get legal advice

    ", + "

    You can get legal advice from:

    ", + "
  • a solicitor - you\u2019ll have to pay for this
  • ", + "
  • organisations which give advice for free, for example Citizens Advice Bureau
  • ", + "

    How to apply

    ", + "

    Download and fill in the following forms to apply to make a will on behalf of someone, or to make changes to their existing will:

    ", + "
  • application form (COP1)
  • ", + "
  • witness statement (COP24)
  • ", + "
  • information form (COP1C)
  • ", + "

    You\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.

    ", + "

    Download and fill in assessment of capacity form (COP3) - you\u2019ll need to get the person\u2019s doctor or other medical professional to fill in the relevant parts.

    ", + "

    Send the completed forms, your supporting documents and payment to the Court of Protection.

    ", + "

    Supporting documents

    ", + "

    You\u2019ll need to include the following information and documents:

    ", + "
  • a copy of the person\u2019s current will and any amendments (\u2018codicils\u2019)
  • ", + "
  • a copy of the proposed new will or codicil
  • ", + "
  • a copy of any deputyship order
  • ", + "
  • details of the people who have agreed to deal with the will after the person\u2019s death (\u2018executors\u2019)
  • ", + "
  • a copy of any registered lasting power of attorney or registered enduring power of attorney
  • ", + "
  • the person\u2019s family tree
  • ", + "
  • reasons the person might be expected to provide for people named in the will (\u2018beneficiaries\u2019)
  • ", + "
  • the person\u2019s address and details about where they\u2019re living, for example care home, hospital
  • ", + "

    You must also provide:

    ", + "
  • details of the person\u2019s estate and assets
  • ", + "
  • accounts showing their estimated income and outgoings
  • ", + "
  • details of any inheritance tax payable in the event of the person\u2019s death
  • ", + "

    Acting in the other person\u2019s best interest

    ", + "

    Decisions taken on someone\u2019s behalf must always be in their best interest. You must consider:

    ", + "
  • what they would do if they were able to make a will themselves
  • ", + "
  • their beliefs and personal values
  • ", + "
  • how they\u2019ve acted and made decisions for themselves in the past
  • ", + "

    Read the Court of Protection practice direction (9E) for more information and an example of a statutory will.

    ", + "

    Fees

    ", + "

    An application for a statutory will costs \u00a3365.

    ", + "

    You may also have to pay:

    ", + "
  • \u00a3485 if the court decides to hold a hearing (including telephone hearings)
  • ", + "
  • solicitor\u2019s fees if a solicitor is appointed by the Official Solicitor to act as the person\u2019s litigation friend
  • ", + "
  • Counsel\u2019s fees (if there are any)
  • ", + "

    How to pay

    ", + "

    Send a cheque for \u00a3365 made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms and supporting documents.

    ", + "

    You\u2019ll be told when you need to pay any additional costs, for example for court hearings.

    ", + "

    You may be able to claim back any fees you pay from the estate of the person you\u2019re applying for.

    ", + "

    Exemptions and refunds

    ", + "

    You may not have to pay an application or hearing fee, depending on the circumstances of the person you\u2019re applying for, for example they:

    ", + "
  • have low (or no) income
  • ", + "
  • are on certain types of benefit
  • ", + "

    Download and fill in the application for a fee remission form and send it the Court of Protection with your application forms. The form contains guidance about exemptions.

    ", + "

    The fee will be refunded if the person dies within 5 days of the Court of Protection receiving your application.

    ", + "

    After you apply

    ", + "

    The Court of Protection will send you a letter to confirm that your application has been received.

    ", + "

    You\u2019ll also get a stamped copy of your application form and a \u2018directions order\u2019 from the court telling you what to do next.

    ", + "

    The Official Solicitor

    ", + "

    The directions order might tell you to write to the Official Solicitor to tell them about your application. The Official Solicitor makes sure that people who cannot make decisions for themselves have someone to represent them in court cases.

    ", + "

    Tell people named in your application

    ", + "

    Your directions order will say who you must tell (\u2018serve\u2019) about your application. This could include the person who the application is about and:

    ", + "
  • anyone named in an existing will who would be affected financially, for example they are not a beneficiary in the new will
  • ", + "
  • anyone who would be expected to benefit if the person were to die without a will (\u2018intestate\u2019), for example family members
  • ", + "
  • any other people named on your application
  • ", + "
  • the Official Solicitor
  • ", + "

    You must serve both of the following documents within 14 days of the application being issued:

    ", + "
  • notice that an application form has been issued (COP15)
  • ", + "
  • acknowledgment of service form (COP5) so they can confirm they\u2019ve been told about the application and register any objection
  • ", + "

    You can serve them:

    ", + "
  • by post to their home address
  • ", + "
  • by fax or email
  • ", + "
  • in person
  • ", + "

    You\u2019ll be given time to reach a decision with the people you\u2019ve served. The Court of Protection may hold a hearing if you cannot.

    ", + "

    Getting a decision

    ", + "

    The Court of Protection will tell you if:

    ", + "
  • your application\u2019s been approved or rejected
  • ", + "
  • you have to provide more information, for example further medical reports
  • ", + "
  • there\u2019ll be a hearing to get more information
  • ", + "

    Court hearings

    ", + "

    The Court of Protection will hold a hearing, or hearings, if you have not been able to reach a decision with the people you\u2019ve served.

    ", + "

    You can also get a solicitor to represent you during the hearing.

    ", + "

    Read the guidance on what to expect from a Court of Protection hearing.

    ", + "

    You\u2019ll have to pay a hearing fee after the court makes their final decision.

    ", + "

    Appeal a decision

    ", + "

    You can ask for a decision that was made without a hearing to be reconsidered any time within 21 days of the decision being made.

    ", + "

    To appeal a decision made at a court hearing download and fill in the Appellants Notice Form COP 35.

    ", + "

    You must pay \u00a3320. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    Send the form to the Court of Protection with a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 within 21 days of the date the decision was made.

    ", + "

    Finalising the will

    ", + "

    You\u2019ll be sent a court order confirming that your application has been accepted with a letter telling you what to do next.

    ", + "

    Sign the will

    ", + "

    You must sign 2 copies of the will. Both copies should be signed in your name and in the name of the person the will has been made for. You must also get 2 witnesses (aged 18 or over) to sign them.

    ", + "

    The witnesses must:

    ", + "
  • be with you when you sign the will
  • ", + "
  • sign the will straight after you
  • ", + "

    Send the 2 signed copies of the statutory will to the Court of Protection.

    ", + "

    The 2 copies will be given the court\u2019s official seal and sent back to you.

    ", + "

    When the person dies

    ", + "

    The statutory will can be handled (\u2018executed\u2019) in the normal way, as if the person had made the will themselves.

    " + ] + }, + { + "title": "Inheritance Tax", + "url": "https://www.gov.uk/inheritance-tax", + "contents": [ + "

    Overview

    ", + "

    Inheritance Tax is a tax on the estate (the property, money and possessions) of someone who\u2019s died.

    ", + "

    There\u2019s normally no Inheritance Tax to pay if either:

    ", + "
  • the value of your estate is below the \u00a3325,000 threshold
  • ", + "
  • you leave everything above the \u00a3325,000 threshold to your spouse, civil partner, a charity or a community amateur sports club
  • ", + "

    If the estate\u2019s value is below the threshold you\u2019ll still need to report it to HMRC.

    ", + "

    If you give away your home to your children (including adopted, foster or stepchildren) or grandchildren your threshold can increase to \u00a3500,000.

    ", + "

    If you\u2019re married or in a civil partnership and your estate is worth less than your threshold, any unused threshold can be added to your partner\u2019s threshold when you die. This means their threshold can be as much as \u00a31 million.

    ", + "

    Inheritance Tax rates

    ", + "

    The standard Inheritance Tax rate is 40%. It\u2019s only charged on the part of your estate that\u2019s above the threshold.

    ", + "

    The estate can pay Inheritance Tax at a reduced rate of 36% on some assets if you leave 10% or more of the \u2018net value\u2019 to charity in your will.

    ", + "

    Reliefs and exemptions

    ", + "

    Some gifts you give while you\u2019re alive may be taxed after your death. Depending on when you gave the gift, \u2018taper relief\u2019 might mean the Inheritance Tax charged on the gift is less than 40%.

    ", + "

    Other reliefs, such as Business Relief, allow some assets to be passed on free of Inheritance Tax or with a reduced bill.

    ", + "

    Contact the Inheritance Tax and probate helpline about Agricultural Relief if your estate includes a farm or woodland.

    ", + "

    Who pays the tax to HMRC

    ", + "

    Funds from your estate are used to pay Inheritance Tax to HM Revenue and Customs (HMRC). This is done by the person dealing with the estate (called the \u2018executor\u2019, if there\u2019s a will).

    ", + "

    Your beneficiaries (the people who inherit your estate) do not normally pay tax on things they inherit. They may have related taxes to pay, for example if they get rental income from a house left to them in a will.

    ", + "

    People you give gifts to might have to pay Inheritance Tax, but only if you give away more than \u00a3325,000 and die within 7 years.

    ", + "

    Passing on a home

    ", + "

    You can pass a home to your husband, wife or civil partner when you die. There\u2019s no Inheritance Tax to pay if you do this.

    ", + "

    If you leave the home to another person in your will, it counts towards the value of the estate.

    ", + "

    If you own your home (or a share in it) your tax-free threshold can increase to \u00a3500,000 if:

    ", + "
  • you leave it to your children (including adopted, foster or stepchildren) or grandchildren
  • ", + "
  • your estate is worth less than \u00a32 million
  • ", + "

    Giving away a home before you die

    ", + "

    There\u2019s normally no Inheritance Tax to pay if you move out and live for another 7 years.

    ", + "

    If you want to continue living in your property after giving it away, you\u2019ll need to:

    ", + "
  • pay rent to the new owner at the going rate (for similar local rental properties)
  • ", + "
  • pay your share of the bills
  • ", + "
  • live there for at least 7 years
  • ", + "

    You do not have to pay rent to the new owners if both the following apply:

    ", + "
  • you only give away part of your property
  • ", + "
  • the new owners also live at the property
  • ", + "

    If you die within 7 years

    ", + "

    If you die within 7 years of giving away all or part of your property, your home will be treated as a gift and the 7 year rule applies.

    ", + "

    Call the Inheritance Tax and probate helpline if you have questions about giving away a home. They cannot give you advice on how to pay less tax.

    ", + "

    Gifts

    ", + "

    There\u2019s usually no Inheritance Tax to pay on small gifts you make out of your normal income, such as Christmas or birthday presents. These are known as \u2018exempted gifts\u2019.

    ", + "

    There\u2019s also no Inheritance Tax to pay on gifts between spouses or civil partners. You can give them as much as you like during your lifetime, as long as they live in the UK permanently.

    ", + "

    Other gifts count towards the value of your estate.

    ", + "

    People you give gifts to will be charged Inheritance Tax if you give away more than \u00a3325,000 in the 7 years before your death.

    ", + "

    What counts as a gift

    ", + "

    A gift can be:

    ", + "
  • anything that has a value, such as money, property, possessions
  • ", + "
  • a loss in value when something\u2019s transferred, for example if you sell your house to your child for less than it\u2019s worth, the difference in value counts as a gift
  • ", + "

    Call the Inheritance Tax and probate helpline if you\u2019re not sure.

    ", + "

    Exempted gifts

    ", + "

    You can give away \u00a33,000 worth of gifts each tax year (6 April to 5 April) without them being added to the value of your estate. This is known as your \u2018annual exemption\u2019.

    ", + "

    You can carry any unused annual exemption forward to the next year - but only for one year.

    ", + "

    Each tax year, you can also give away:

    ", + "
  • wedding or civil ceremony gifts of up to \u00a31,000 per person (\u00a32,500 for a grandchild or great-grandchild, \u00a35,000 for a child)
  • ", + "
  • normal gifts out of your income, for example Christmas or birthday presents - you must be able to maintain your standard of living after making the gift
  • ", + "
  • payments to help with another person\u2019s living costs, such as an elderly relative or a child under 18
  • ", + "
  • gifts to charities and political parties
  • ", + "

    You can use more than one of these exemptions on the same person - for example, you could give your grandchild gifts for her birthday and wedding in the same tax year.

    ", + "

    Small gifts up to \u00a3250

    ", + "

    You can give as many gifts of up to \u00a3250 per person as you want during the tax year as long as you have not used another exemption on the same person.

    ", + "

    The 7 year rule

    ", + "

    If there\u2019s Inheritance Tax to pay, it\u2019s charged at 40% on gifts given in the 3 years before you die.

    ", + "

    Gifts made 3 to 7 years before your death are taxed on a sliding scale known as \u2018taper relief\u2019.

    ", + "Years between gift and death | Tax paid", + "less than 3 | 40%", + "3 to 4 | 32%", + "4 to 5 | 24%", + "5 to 6 | 16%", + "6 to 7 | 8%", + "7 or more | 0%", + "

    Gifts are not counted towards the value of your estate after 7 years.

    ", + "

    When someone living outside the UK dies

    ", + "

    If your permanent home (\u2018domicile\u2019) is abroad, Inheritance Tax is only paid on your UK assets, for example property or bank accounts you have in the UK.

    ", + "

    It\u2019s not paid on \u2018excluded assets\u2019 like:

    ", + "
  • foreign currency accounts with a bank or the Post Office
  • ", + "
  • overseas pensions
  • ", + "
  • holdings in authorised unit trusts and open-ended investment companies
  • ", + "

    There are different rules if you have assets in a trust or government gilts, or you\u2019re a member of visiting armed forces.

    ", + "

    Contact the Inheritance Tax and probate helpline if you\u2019re not sure whether your assets are excluded.

    ", + "

    When you will not count as living abroad

    ", + "

    HMRC will treat you as being domiciled in the UK if you either:

    ", + "
  • lived in the UK for 15 of the last 20 years
  • ", + "
  • had your permanent home in the UK at any time in the last 3 years of your life
  • ", + "

    Double-taxation treaties

    ", + "

    Your executor might be able to reclaim tax through a double-taxation treaty if Inheritance Tax is charged on the same assets by the UK and the country where you lived.

    " + ] + }, + { + "title": "Pay your Inheritance Tax bill", + "url": "https://www.gov.uk/paying-inheritance-tax", + "contents": [ + "

    Overview

    ", + "

    You must pay Inheritance Tax by the end of the sixth month after the person died.

    ", + "

    There are different due dates if you\u2019re making payments on a trust.

    ", + "

    HM Revenue and Customs (HMRC) will charge you interest if you do not pay by the due date.

    ", + "

    How to pay

    ", + "

    You\u2019ll need to get a payment reference number before you can pay your Inheritance Tax bill.

    ", + "

    Pay from your own bank account

    ", + "

    You can pay from your own bank account or a joint account with the deceased:

    ", + "
  • using online or telephone banking
  • ", + "
  • using CHAPS or Bacs
  • ", + "
  • at your bank or building society
  • ", + "

    You currently cannot pay Inheritance Tax by cheque because of coronavirus (COVID-19).

    ", + "

    You can claim the money back from the deceased\u2019s estate or the beneficiaries once you get a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.

    ", + "

    Pay from accounts owned by the deceased

    ", + "

    You can pay using the deceased\u2019s:

    ", + "
  • bank accounts - including National Savings and Investments (NS&I) accounts
  • ", + "
  • government stock
  • ", + "

    If you do not know how much to pay

    ", + "

    You can make payments before you know the exact amount of Inheritance Tax owed by the deceased person\u2019s estate. These are known as \u2018payments on account\u2019.

    ", + "

    Check your payment has been received

    ", + "

    HMRC do not send receipts for each payment you make. They\u2019ll write to tell you when you\u2019ve paid all the Inheritance Tax and interest you owe.

    ", + "

    If you\u2019ve paid through your own bank or building society, check your statement to confirm the payment has left your account.

    ", + "

    If you\u2019ve paid by cheque since 6 April 2020

    ", + "

    Ask your bank if your cheque to HMRC has been cashed. If it has not been cashed, you should cancel the cheque and pay HMRC a different way.

    ", + "

    Get a payment reference number

    ", + "

    You\u2019ll need to get an Inheritance Tax reference number from HM Revenue and Customs (HMRC) at least 3 weeks before you make a payment.

    ", + "

    You can apply for one:

    ", + "
  • online (unless you need it for a trust)
  • ", + "
  • by post - using form IHT422, Application for an Inheritance Tax reference (the address you need is on the form)
  • ", + "

    Do not use the 15-digit number from the online Inheritance Tax service to report an estate\u2019s value.

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    You can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.

    ", + "

    You can pay by Faster Payments (online or telephone banking), CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001136 | HMRC Inheritance Tax", + "

    You\u2019ll need to use your Inheritance Tax payment reference number as the payment reference.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB66BARC20114763495590 | BARCGB22 | HMRC Inheritance Tax", + "

    HMRC\u2019s banking address is:

    ", + "

    At your bank or building society

    ", + "

    You can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.

    ", + "

    You can pay at a branch by cash or cheque.

    ", + "

    Please complete one of your bank\u2019s paying in slips with the following HMRC bank account details:

    ", + "

    Sort code 25 61 21\nAccount number 63495590\nAccount name HM Revenue & Customs Inheritance Tax

    ", + "

    Some branches might be closed at the moment because of coronavirus (COVID-19).

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write the name of the deceased and your Inheritance Tax payment reference number on the back of the cheque. You\u2019ll find the reference number on the letter HMRC sent you.

    ", + "

    HMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.

    ", + "

    By cheque through the post

    ", + "

    You currently cannot pay Inheritance Tax by post because of coronavirus (COVID-19). You can still pay:

    ", + "
  • using online or telephone banking
  • ", + "
  • using CHAPS or Bacs
  • ", + "
  • at your bank or building society
  • ", + "

    From the deceased's bank account

    ", + "

    You can ask banks, building societies or National Savings & Investments (NS&I) to pay some or all of the Inheritance Tax due from the deceased person\u2019s accounts to HM Revenue and Customs (HMRC). This is called the \u2018Direct Payment Scheme\u2019.

    ", + "
  • Ask the bank, building society or NS&I to make you a \u2018personal representative\u2019 - each one will do this in a different way. You can do this before you apply for a \u2018grant of representation\u2019 (known as \u2018probate\u2019). This is known as confirmation in Scotland.
  • ", + "
  • Get your Inheritance Tax payment reference number.
  • ", + "
  • Fill in form IHT423 and send it to the bank, building society or NS&I. Send a separate form for each account you want to pay HMRC from.
  • ", + "
  • Send Inheritance Tax Account form IHT 400, Probate Summary form IHT421, (Confirmation form C1 in Scotland) and any supplementary pages or supporting documents to HMRC.
  • ", + "

    When the bank, building society or NS&I has made the payment, HMRC will stamp and return Probate Summary form IHT421 (Confirmation form C1 in Scotland) so you know the Inheritance Tax has been paid.

    ", + "

    Using British government stock

    ", + "

    Write to Computershare Investor Services, who run the British government stock scheme.

    ", + "

    Tell them you want to pay Inheritance Tax and how much of the stock you want to use. Enclose a copy of the death certificate and the stock reference number (if you have it).

    ", + "

    At the same time, send HMRC:

    ", + "
  • a letter saying how much tax you want to be paid out of the stock
  • ", + "
  • Inheritance Tax Account form IHT400 - you\u2019ll need to put your Inheritance Tax payment reference number on the form
  • ", + "
  • Probate Summary form IHT421 (Confirmation form C1 in Scotland)
  • ", + "

    HMRC will contact Computershare and ask for the money to be transferred. This could take up to 4 weeks.

    ", + "

    Do not pay this way if you need to get probate (known as \u2018confirmation\u2019 in Scotland) quickly. (Probate is the right to deal with the deceased person\u2019s property, money and possessions.)

    ", + "

    After the money has been transferred

    ", + "

    In England, Wales or Northern Ireland

    ", + "

    HMRC will send your IHT421 form to the Probate Registry so they can send a grant of representation to you (if you\u2019re handling probate yourself) or to your solicitor.

    ", + "

    In Scotland

    ", + "

    HMRC will return your C1 Confirmation form to you so you can apply for confirmation.

    ", + "

    If the amount transferred is not enough to cover the Inheritance Tax you owe, HMRC will write to tell you how much to pay and how to pay it.

    ", + "

    By transferring national heritage property

    ", + "

    In very exceptional cases you may be able to make Inheritance Tax payments by transferring national heritage property to the Crown.

    ", + "

    National heritage property may include:

    ", + "
  • buildings or land of historic, architectural, scenic or scientific interest
  • ", + "
  • artworks, books and manuscripts or scientific collections of historic, scenic or scientific interest
  • ", + "

    Offers to make Inheritance Tax payments by transferring national heritage property to the Crown are dealt with on an individual basis.

    ", + "

    Contact the HMRC Heritage team for information on making an offer.

    ", + "

    If your offer is accepted

    ", + "

    Even if your offer\u2019s accepted, you must first pay all of the Inheritance Tax you owe through other means and have a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.

    ", + "

    Once your property has been transferred HM Revenue and Customs (HMRC) will repay the Inheritance Tax you\u2019ve paid.

    ", + "

    In yearly instalments

    ", + "

    You can pay your Inheritance Tax on things that may take time to sell in equal annual instalments over 10 years.

    ", + "

    You must say on Inheritance Tax Account form IHT400 if you want to pay in instalments.

    ", + "

    You\u2019ll usually have to pay interest on your instalments. Use the calculator to work out the interest you\u2019ll need to pay.

    ", + "

    You must pay the tax in full when you\u2019ve sold the deceased\u2019s assets, such as their house or shares.

    ", + "

    When you must pay

    ", + "

    The first instalment is due at the end of the sixth month after the death (for example if they died on 12 January, you\u2019d have to pay by 31 July). This is known as the \u2018due date\u2019. Payments are then due every year on that date.

    ", + "

    Paying early

    ", + "

    You can pay off the full tax and interest at any time. Write to HM Revenue and Customs (HMRC) Trusts and Estates asking for a final assessment (you do not have to include payment).

    ", + "

    What you pay interest on

    ", + "

    You will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:

    ", + "
  • the full outstanding tax balance
  • ", + "
  • the instalment itself, from the date it\u2019s due to the date of payment (if it\u2019s paid late)
  • ", + "

    What you can pay in instalments

    ", + "

    Houses

    ", + "

    You can pay 10% and the interest each year if you decide to keep the house to live in.

    ", + "

    Shares and securities

    ", + "

    You can pay in instalments if the shares or securities allowed the deceased to control more than 50% of a company.

    ", + "

    Unlisted shares and securities

    ", + "

    You can pay in instalments for \u2018unlisted\u2019 shares or securities (ones not traded on a recognised stock exchange) if they\u2019re worth more than \u00a320,000 and either of these apply:

    ", + "
  • they represent 10% of the total value of the shares in the company, at the price they were first sold at (known as the \u2018nominal\u2019 value or \u2018face value\u2019)
  • ", + "
  • they represent 10% of the total value of ordinary shares held in the company, at the price they were first sold at
  • ", + "

    You can find the face value of a share and whether it\u2019s an ordinary share on the share certificate.

    ", + "

    You can also pay in instalments if either of these apply:

    ", + "
  • at least 20% of the total Inheritance Tax the estate owes is on assets that qualify for payment by instalments
  • ", + "
  • paying Inheritance Tax on them in one lump sum will cause financial difficulties
  • ", + "

    Business run for profit

    ", + "

    You can pay in instalments on the net value of a business, but not its assets.

    ", + "

    Agricultural land and property

    ", + "

    This is rare because most agricultural land and property is exempt from Inheritance Tax.

    ", + "

    Gifts

    ", + "

    You can pay in instalments if there is still Inheritance Tax to pay and you were given:

    ", + "
  • buildings
  • ", + "
  • shares or securities
  • ", + "
  • part or all of a business
  • ", + "

    If the gift was an unlisted share or security, it must still have been unlisted at the time of the death.

    ", + "

    Trusts

    ", + "
  • Get your Inheritance Tax payment reference number at least 3 weeks before you want to make a payment by filling in Form IHT122.
  • ", + "
  • Send Inheritance Tax Account form IHT100 to HM Revenue and Customs (HMRC).
  • ", + "
  • Pay the Inheritance Tax, either through a bank or building society or by cheque through the post.
  • ", + "

    Payment deadlines

    ", + "

    Transfers

    ", + "

    You must pay Inheritance Tax on transfers into a trust or out of a trust (known as \u2018exit charges\u2019) no later than 6 months after the end of the month the transfer was made.

    ", + "

    10-year anniversary charge

    ", + "

    The 10-year anniversary charge can be paid up to 6 months after the 10th anniversary of the date the trust was set up.

    ", + "

    Pay early to avoid paying interest

    ", + "

    You can make early Inheritance Tax payments before you know the exact amount the estate owes (this is known as a \u2018payment on account\u2019).

    ", + "

    HM Revenue and Customs (HMRC) will charge you interest if you do not pay all the tax the estate owes by the due date. If you will not know how much Inheritance Tax the estate owes by the time the payment is due, a payment on account can help you avoid some of the interest.

    ", + "

    If you overpay

    ", + "

    If you pay more money than the final bill says the estate owes, HMRC will refund the excess after you\u2019ve been given probate (confirmation in Scotland). Probate is the right to deal with the deceased person\u2019s property, money and possessions.

    ", + "

    HMRC will also pay interest on the amount you\u2019ve overpaid.

    ", + "

    To receive the refund, you\u2019ll need to write to HMRC.

    ", + "

    Put \u2018Repayment - further details\u2019 at the top of the letter.

    ", + "

    Include the name, number and sort code of the bank account you want the refund to go to.

    ", + "

    The letter must be signed by the same people who signed forms IHT400 and IHT100 if:

    ", + "
  • you\u2019re applying without the help of a solicitor or agent
  • ", + "
  • the refund is being paid into a different bank account to the one nominated in IHT400 or IHT100
  • ", + "

    If you\u2019re an agent acting on behalf of the estate and you\u2019re not asking for the refund to be paid into a different bank account, only put your signature on the letter.

    " + ] + }, + { + "title": "Business Relief for Inheritance Tax", + "url": "https://www.gov.uk/business-relief-inheritance-tax", + "contents": [ + "

    Overview

    ", + "

    Business Relief reduces the value of a business or its assets when working out how much Inheritance Tax has to be paid.

    ", + "

    Any ownership of a business, or share of a business, is included in the estate for Inheritance Tax purposes.

    ", + "

    You can get Business Relief of either 50% or 100% on some of an estate\u2019s business assets, which can be passed on:

    ", + "
  • while the owner is still alive
  • ", + "
  • as part of the will
  • ", + "

    How to claim relief

    ", + "

    As the executor of the will or administrator of the estate, you can claim Business Relief when you\u2019re valuing the estate.

    ", + "

    You should fill in both:

    ", + "
  • form IHT400 (Inheritance Tax account)
  • ", + "
  • schedule IHT413 (Business or partnership interests and assets)
  • ", + "

    You must use the market value of the business or asset when calculating relief at 50%.

    ", + "

    You can claim relief on:

    ", + "
  • property and buildings
  • ", + "
  • unlisted shares
  • ", + "
  • machinery
  • ", + "

    What qualifies for Business Relief

    ", + "

    You can get 100% Business Relief on:

    ", + "
  • a business or interest in a business
  • ", + "
  • shares in an unlisted company
  • ", + "

    You can get 50% Business Relief on:

    ", + "
  • shares controlling more than 50% of the voting rights in a listed company
  • ", + "
  • land, buildings or machinery owned by the deceased and used in a business they were a partner in or controlled
  • ", + "
  • land, buildings or machinery used in the business and held in a trust that it has the right to benefit from
  • ", + "

    You can only get relief if the deceased owned the business or asset for at least 2 years before they died.

    ", + "

    What doesn\u2019t qualify for Business Relief

    ", + "

    You can\u2019t claim Business Relief if the company:

    ", + "
  • mainly deals with securities, stocks or shares, land or buildings, or in making or holding investments
  • ", + "
  • is a not-for-profit organisation
  • ", + "
  • is being sold, unless the sale is to a company that will carry on the business and the estate will be paid mainly in shares of that company
  • ", + "
  • is being wound up, unless this is part of a process to allow the business of the company to carry on
  • ", + "

    You can\u2019t claim Business Relief on an asset if it:

    ", + "
  • also qualifies for Agricultural Relief
  • ", + "
  • wasn\u2019t used mainly for business in the 2 years before it was either passed on as a gift or as part of the will
  • ", + "
  • isn\u2019t needed for future use in the business
  • ", + "

    If part of a non-qualifying asset is used in the business, that part might qualify for Business Relief.

    ", + "

    Relief for agricultural property

    ", + "

    You may be able to get Business Relief on a transfer of agricultural property (eg farmland, buildings or farm equipment) which isn\u2019t eligible for agricultural relief.

    ", + "

    Give away business property or assets

    ", + "

    Someone can give away business property or assets while they\u2019re still alive and the estate can still get Business Relief on Inheritance Tax, as long as the property or assets qualify.

    ", + "

    How to get Business Relief on a gift

    ", + "

    If someone gives away business property or assets, the recipient must keep them as a going concern until the death of the donor if they want to keep the relief.

    ", + "

    They can:

    ", + "
  • replace the property or assets - like machinery - with something of equal value if it\u2019s for use in the business
  • ", + "
  • only get relief if the donor owned the business or asset for at least 2 years before the date it was given
  • ", + "

    When is a gift no longer liable for Inheritance Tax

    ", + "

    Any gift made more than 7 years before the donor\u2019s death doesn\u2019t count towards their estate for Inheritance Tax purposes.

    ", + "

    You may have to pay Capital Gains Tax or Income Tax if you sell, give away or exchange (\u2018dispose of\u2019) an asset or property if it\u2019s gone up in value during the time you owned it.

    " + ] + }, + { + "title": "Tax on property, money and shares you inherit", + "url": "https://www.gov.uk/tax-property-money-shares-you-inherit", + "contents": [ + "

    Overview

    ", + "

    You don\u2019t usually pay tax on anything you inherit at the time you inherit it.

    ", + "

    You may need to pay:

    ", + "
  • Income Tax on profit you later earn from your inheritance, eg dividends from shares or rental income from a property
  • ", + "
  • Capital Gains Tax if you later sell shares or a property you inherited
  • ", + "
  • Inheritance Tax
  • ", + "

    Inheritance Tax

    ", + "

    The estate of the person who died usually pays Inheritance Tax. You may need to pay Inheritance Tax if the estate can\u2019t or doesn\u2019t pay it.

    ", + "

    You may need to pay Inheritance Tax on a gift the person gave you in the 7 years before they died.

    ", + "

    You may also need to pay it if your inheritance is put into a trust and the trust can\u2019t or doesn\u2019t pay.

    ", + "

    If the will says the Inheritance Tax should be paid out of the assets you\u2019ve inherited, the executor of the will or administrator of the estate will usually pay it.

    ", + "

    HM Revenue and Customs (HMRC) will contact you if you need to pay.

    ", + "

    Money and shares

    ", + "

    In most cases you don\u2019t pay any tax on money and shares when you inherit them.

    ", + "

    Inheritance Tax

    ", + "

    You may have to pay Inheritance Tax on money and shares you inherit if the deceased person\u2019s estate can\u2019t or doesn\u2019t pay.

    ", + "

    HM Revenue and Customs (HMRC) will contact you if you need to pay.

    ", + "

    Any money or shares the person gave you before they died are known as gifts and have different rules.

    ", + "

    Income Tax

    ", + "

    You may have to pay Income Tax on:

    ", + "
  • interest you earn from money you inherit
  • ", + "
  • dividends paid on shares you inherit
  • ", + "

    Capital Gains Tax

    ", + "

    You\u2019ll have to pay Capital Gains Tax if you sell (\u2018dispose of\u2019) inherited shares that have gone up in value since the person died.

    ", + "

    Property

    ", + "

    You don\u2019t pay Stamp Duty, Income Tax or Capital Gains Tax on a property you inherit when you inherit it.

    ", + "

    You may have to pay Inheritance Tax if the deceased\u2019s estate can\u2019t or doesn\u2019t pay it.

    ", + "

    HM Revenue and Customs (HMRC) will contact you if you need to pay.

    ", + "

    The rules are different in Scotland.

    ", + "

    Selling the property

    ", + "

    You don\u2019t pay Capital Gains Tax when you sell your home. You do pay it if you make a profit when you sell a property that isn\u2019t your main home.

    ", + "

    If inheriting a property means you own 2 homes, you\u2019ll have to nominate one of them as your main home. You must tell HMRC which property is your main home within 2 years of inheriting the property.

    ", + "

    If you don\u2019t tell HMRC and you sell one of the properties, they\u2019ll decide which property was your main home.

    ", + "

    Renting out the property

    ", + "

    You may have to pay tax on the rental income.

    ", + "

    Properties held in trust

    ", + "

    Usually if you inherit property held in a trust, you are the \u2018beneficiary\u2019 and the trustees are the legal owners and responsible for paying tax on income the trust receives.

    ", + "

    You may still have to pay tax on any income you receive from the trust.

    ", + "

    Bare trusts

    ", + "

    If the trust is a \u2018bare trust\u2019 you are both the beneficiary and the legal owner and are responsible for paying tax on income the trust receives.

    ", + "

    Joint property, shares and bank accounts

    ", + "

    In most cases, you don\u2019t have to pay any Stamp Duty or tax when you inherit property, shares or the money in joint bank accounts you owned with the deceased.

    ", + "

    Inheritance Tax

    ", + "

    What you pay will depend on how you owned the shares or property or how your bank accounts were set up.

    ", + "

    If you and the deceased jointly owned the assets, you\u2019ll be known as \u2018joint tenants\u2019 (\u2018joint owners\u2019 in Scotland).

    ", + "

    If you each owned a part of the assets, you\u2019ll be known as \u2018tenants in common\u2019 (\u2018common owners\u2019 in Scotland and \u2018coparceners\u2019 in Northern Ireland). Each part could be half or an agreed percentage of the money, shares or property.

    ", + "

    Check with your bank if you\u2019re not sure how the money in your account(s) was divided up.

    ", + "

    Joint tenants

    ", + "

    You automatically inherit anything you owned as \u2018joint tenants\u2019.

    ", + "

    You may have to pay Inheritance Tax if the whole of the deceased\u2019s estate (all their money, property and possessions) is worth more than the Inheritance Tax threshold of \u00a3325,000 and the deceased\u2019s estate can\u2019t or doesn\u2019t pay.

    ", + "

    Tenants in common

    ", + "

    You may have to pay Inheritance Tax on the deceased\u2019s share of the money in bank accounts, shares or property if the whole of their estate (money, property and possessions) is worth more than the Inheritance Tax threshold of \u00a3325,000.

    ", + "

    If the deceased left you their share of the money, shares or property in their will, the executor of the will or administrator of their estate should pay the Inheritance Tax out of the estate.

    ", + "

    But if the estate doesn\u2019t have enough money to pay the Inheritance Tax on the deceased\u2019s share of the assets, or the executor doesn\u2019t pay, you\u2019ll have to pay it. You may have to sell the shares or property to pay the tax and any other debts.

    ", + "

    HM Revenue and Customs (HMRC) will contact you if you need to pay.

    ", + "

    You may have to tell the Land Registry about the death of one of the property\u2019s owners.

    ", + "

    Income Tax and Capital Gains Tax

    ", + "

    You may have to pay other taxes on anything you earn or profits you make from:

    ", + "
  • bank interest
  • ", + "
  • share dividends
  • ", + "
  • property
  • " + ] + }, + { + "title": "Become a special guardian", + "url": "https://www.gov.uk/apply-special-guardian", + "contents": [ + "

    What is a special guardian

    ", + "

    You can apply to be a child\u2019s special guardian when they cannot live with their birth parents and adoption is not right for them.

    ", + "

    You\u2019ll be responsible for looking after the child until they\u2019re 18 (unless the court takes your responsibility away earlier).

    ", + "

    You\u2019ll make all day to day decisions about the child, for example schooling and medical treatment. You do not have to discuss these decisions with the birth parents.

    ", + "

    You\u2019ll need to get the consent of everyone who has parental responsibility for the child before you make some important decisions, for example:

    ", + "
  • changing the child\u2019s surname
  • ", + "
  • putting the child up for adoption
  • ", + "
  • taking the child abroad for more than 3 months
  • ", + "
  • the child having surgery for reasons other than improving health, such as circumcision, sterilisation or cosmetic surgery
  • ", + "

    If you cannot get consent, you can ask the court to decide. Use the form \u2018Make an application in existing court proceedings related to children\u2019 (form C2).

    ", + "

    Who can apply

    ", + "

    You can apply to be a child\u2019s special guardian if you\u2019re not their parent and you\u2019re over 18.

    ", + "

    You can make an application with someone else. This is known as a joint claim.

    ", + "

    You and anyone you\u2019re applying with can apply if:

    ", + "
  • you\u2019re already the child\u2019s legal guardian
  • ", + "
  • the child lives with you because of a child arrangements order
  • ", + "
  • the child has lived with you for 3 of the past 5 years
  • ", + "
  • you\u2019re the child\u2019s relative or a foster parent, and the child has been living with you for at least 1 year
  • ", + "
  • you have the agreement of anyone named in a child arrangements order as someone who the child will live with
  • ", + "
  • you have the agreement of all the people with parental responsibility for the child
  • ", + "
  • you have the agreement of the local council, if the child is in care
  • ", + "

    If you do not fit one of these descriptions, you\u2019ll need to ask the court\u2019s permission to apply. You\u2019ll need to send the following forms to your local family court:

    ", + "
  • \u2018Make an application in existing court proceedings relating to children\u2019 (form C2)
  • ", + "
  • \u2018Family mediation and assessment meeting\u2019 (form FM1)
  • ", + "

    Apply

    ", + "

    You can use a family mediator to help make arrangements with the child\u2019s family to avoid having to apply to the court.

    ", + "

    It costs \u00a3215 to apply to the court. You may be able to get help with court fees if you\u2019re on benefits or a low income.

    ", + "

    Before you apply

    ", + "

    Three months before you apply to become a special guardian you need to tell your local council in writing that you plan to make an application.

    ", + "

    You also need to tell anyone named in existing court proceedings or orders about the child that you plan to make an application.

    ", + "

    Applying to the court

    ", + "

    Fill in these forms and send them to your local family court:

    ", + "
  • an \u2018Application for an order\u2019 (form C1)
  • ", + "
  • a supporting statement (form C13A)
  • ", + "
  • a \u2018Family mediation information and assessment meeting\u2019 form (FM1) to show you\u2019ve been through mediation or why you could not go
  • ", + "

    Make copies of your completed forms before you send your application to the court. You\u2019ll need to send these copies to each person affected by the application after you apply.

    ", + "

    Find your local family court.

    ", + "

    If you want to keep your details private

    ", + "

    You can apply to keep your and the child\u2019s contact details private throughout the court proceedings.

    ", + "

    Fill in \u2018Apply to keep your contact details confidential from other parties in family proceedings\u2019 (form C8) and send it with your application.

    ", + "

    After you apply

    ", + "

    Within 10 days of receiving your application the court will send you a case number and a date for a meeting to set out:

    ", + "
  • a timetable for your case
  • ", + "
  • how it will be dealt with
  • ", + "

    This meeting is called a \u2018first directions hearing\u2019.

    ", + "

    You must go to all hearings you\u2019re told to unless the court excuses you. If you\u2019re not able to go, contact the court office.

    ", + "

    Contact people in the child\u2019s life

    ", + "

    You must send the date and location of the hearing along with copies of your application to everyone with parental responsibility for the child.

    ", + "

    If there is a current care order about the child, you should also send details of the hearing and copies of your application to:

    ", + "
  • everyone you believe had parental responsibility before the current court-made care order
  • ", + "
  • the court-appointed Cafcass children\u2019s guardian
  • ", + "

    You must also tell the following people and organisations that you\u2019ve applied:

    ", + "
  • the children\u2019s services department of your local council or the council local to where the child is staying, if that is different
  • ", + "
  • everyone who cares for the child
  • ", + "
  • the home where the child stays if it is a registered children\u2019s home or a voluntary home and it is a refuge
  • ", + "
  • everyone the child has lived with for at least 3 years before you made the application
  • ", + "
  • anyone else named in a current court order
  • ", + "
  • anyone involved in any other ongoing proceedings that might be affected by your application
  • ", + "

    The final hearing

    ", + "

    The court will decide if a special guardianship order is in the best interests of the child after looking at all the evidence, and in some cases, hearing from witnesses.

    ", + "

    If the court agrees, they will send the final order to you and the other people involved in the case, including the birth parents.

    ", + "

    Financial help for special guardians

    ", + "

    You might be able to get a special guardian allowance from the children\u2019s services department of your local council.

    " + ] + }, + { + "title": "Becoming a foster parent", + "url": "https://www.gov.uk/becoming-foster-parent", + "contents": [ + "

    Who can foster

    ", + "

    Being a foster parent means caring for a child as part of your family. To become a foster parent you need to be:

    ", + "
  • at least 21 years old
  • ", + "
  • a UK resident or have indefinite leave to remain
  • ", + "
  • able to take care of a child or young person, often on a full-time basis
  • ", + "

    How long you care for the child depends on the type of foster care. It can range from one night to many years, or until the child is an adult.

    ", + "

    If you\u2019re already fostering a child, there\u2019s more information about help and support for foster parents.

    ", + "

    You may be able to work and foster. Whether you can depends on the child\u2019s circumstances and the fostering service you apply to. This can be your local council or an independent fostering agency.

    ", + "

    You do not need to own your home, but usually you\u2019ll need to have a spare bedroom.

    ", + "

    Before you can foster, you must pass an assessment to check that you\u2019re able to care for a child. You will not be assessed on your age, ethnicity, gender, marital status, religion or sexual orientation.

    ", + "

    You do not have a statutory right to time off work to care for foster children.

    ", + "

    Your responsibilities

    ", + "

    If you become a foster parent you\u2019ll need to:

    ", + "
  • care for the child as part of a team - this could include a local authority, schools, health professionals and the child\u2019s birth family
  • ", + "
  • keep records and write reports about the foster child
  • ", + "
  • attend meetings and advocate for the child
  • ", + "
  • help the child manage their behaviour and feelings
  • ", + "
  • attend training
  • ", + "

    Call Fosterline for free to get advice on fostering. You can also read more about fostering on the Fosterline website.

    ", + "

    Types of foster care

    ", + "

    There are many types of foster care. The application process is the same for all types.

    ", + "

    Long term

    ", + "

    You foster children who cannot go back to their birth family but do not want to be adopted. Usually, you\u2019ll be their foster parent until they\u2019re an adult.

    ", + "

    Short term

    ", + "

    You look after children for a few weeks or months while plans are made for their future.

    ", + "

    \u2018Family and friends\u2019 or \u2018kinship\u2019

    ", + "

    You care for a child who you know or is part of your family - for example, your grandchild. Contact your council for information about becoming a \u2018family and friends\u2019 or \u2018kinship\u2019 carer.

    ", + "

    Emergency

    ", + "

    You give a child somewhere safe to stay for a few nights or weeks. This is usually unplanned and you could get less than 24 hours\u2019 notice.

    ", + "

    Respite and short breaks

    ", + "

    You care for children who have disabilities, special educational needs or behavioural issues while their parents or usual foster carers take a break.

    ", + "

    Remand

    ", + "

    You take care of young people who\u2019ve been remanded by a court. You must have specialist training to be this type of foster parent.

    ", + "

    Fostering for adoption

    ", + "

    You foster babies or young children who you may go on to adopt. If you\u2019re fostering for adoption you\u2019ll be entitled to adoption pay and leave from when the child comes to live with you.

    ", + "

    Specialist therapeutic

    ", + "

    You provide specialist therapeutic care to children and young people with complex needs or challenging behaviour. This is for experienced foster parents or those with certain skills.

    ", + "

    Help with the cost of fostering

    ", + "

    All foster parents receive a foster care allowance to cover the cost of caring for a child.

    ", + "

    The minimum is usually between \u00a3134 and \u00a3235 a week. The total amount you get depends on:

    ", + "
  • where you live
  • ", + "
  • which fostering service you use
  • ", + "
  • the child\u2019s age
  • ", + "
  • if the child has specific needs
  • ", + "
  • your skills and experience
  • ", + "

    The fostering service you apply to will tell you how much you can get.

    ", + "

    There\u2019s more information about financial help in the guide for foster parents.

    ", + "

    Tax arrangements when you foster

    ", + "

    When you start fostering, you\u2019ll need to register as self-employed and file tax returns.

    ", + "

    You\u2019ll also be entitled to qualifying care relief which means you\u2019ll:

    ", + "
  • earn \u00a310,000 from fostering before you have to pay tax
  • ", + "
  • get tax relief for every week you foster a child
  • ", + "

    There\u2019s more information about paying tax in the guide for foster parents.

    ", + "

    Claiming benefits

    ", + "

    Being a foster parent can affect the benefits you get. If you\u2019re claiming benefits you\u2019ll need to tell the organisation that pays you that you\u2019re also getting foster care allowance.

    ", + "

    Use a benefits calculator to check what benefits you\u2019re eligible for.

    ", + "

    For more help on how your benefits may change, contact:

    ", + "
  • the organisation that pays you
  • ", + "
  • Fosterline - a free fostering advice service
  • ", + "

    Applying to become a foster parent

    ", + "

    The process starts when you apply to become a foster parent and finishes with a decision from the fostering service. The process can take up to 8 months to complete.

    ", + "

    Steps 2 to 6 might happen in a different order.

    ", + "
  • You apply to become a foster parent through your local council or an independent fostering agency. You can only register with one fostering service.
  • ", + "
  • The council or agency asks you to go to a preparation course on fostering.
  • ", + "
  • You and every adult that lives with you will need to get an enhanced Disclosure and Barring Service (DBS) certificate.
  • ", + "
  • A social worker assesses you and your family to check that you\u2019re able to care for a child.
  • ", + "
  • You state any preferences about the children you\u2019ll care for, like age or gender. You cannot choose a child out of a group of children and you do not get a trial period with a foster child.
  • ", + "
  • The fostering service reviews your application. You\u2019ll need to meet with their panel who will make a recommendation.
  • ", + "
  • The fostering service makes a decision on your application.
  • ", + "

    Your fostering assessment

    ", + "

    Before you can foster a child you must pass an assessment by a social worker.

    ", + "

    Assessments have 2 stages that might be done separately or at the same time.

    ", + "

    Stage 1 - practical information about your circumstances

    ", + "

    A social worker will ask questions to assess if fostering is right for you. They will ask:

    ", + "
  • about the property you live in and any pets you have
  • ", + "
  • for your personal information including your relationship history
  • ", + "
  • about your general level of health (you\u2019ll need to get a medical statement, usually from a GP)
  • ", + "
  • if you or anyone in your home has ever applied to foster, adopt, or become a childminder
  • ", + "
  • about who else is living with you, including other children
  • ", + "
  • about children in the family who do not live with you
  • ", + "
  • for the names and addresses of at least 2 people who can give references for you and every adult who lives with you (they do not have to be the same 2 people for everyone)
  • ", + "

    They can ask for more information or run other checks.

    ", + "

    Stage 2 - detailed information about you and your family

    ", + "

    A social worker will ask more questions so that they can get to know you and your family. They will ask:

    ", + "
  • about your personality
  • ", + "
  • if you have religious beliefs
  • ", + "
  • for your ethnicity, cultural background and what languages you speak
  • ", + "
  • if you\u2019re willing and able to care for a child of a different religion, ethnicity or cultural background
  • ", + "
  • for your employment history and about your standard of living
  • ", + "
  • about your hobbies and interests
  • ", + "
  • if you have ever cared for children
  • ", + "
  • if you have any useful skills relevant to fostering
  • ", + "

    Where you\u2019ll be assessed

    ", + "

    Different fostering services assess you in different ways, for example they could:

    ", + "
  • visit you at home
  • ", + "
  • call you
  • ", + "
  • invite you to meetings
  • ", + "

    After you've applied

    ", + "

    The fostering service will contact you to tell you the result of your application.

    ", + "

    If you\u2019re approved you\u2019ll start training and meet your social workers.

    ", + "

    If you\u2019re not approved you can appeal the decision. The fostering service should also tell you the reasons why you were not approved.

    ", + "

    Once you\u2019re approved

    ", + "

    The fostering service will add you to their list of available foster parents.

    ", + "

    They\u2019ll send you a profile of any child they think is a good fit. Once you\u2019ve let the fostering service know if you\u2019d like to foster the child, they\u2019ll tell if you\u2019ve been chosen.

    ", + "

    In some cases you\u2019ll get to meet the child before they come to live with you. You might not if it\u2019s an emergency placement.

    ", + "

    You\u2019ll get training and support throughout the time you\u2019re fostering.

    ", + "

    You have the right to end a placement by giving 28 days\u2019 notice.

    " + ] + }, + { + "title": "Child Trust Fund", + "url": "https://www.gov.uk/child-trust-funds", + "contents": [ + "

    Overview

    ", + "

    A Child Trust Fund (CTF) is a long-term tax-free savings account for children.

    ", + "

    You cannot apply for a new Child Trust Fund because the scheme is now closed. You can apply for a Junior ISA instead.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you already have a Child Trust Fund

    ", + "

    You can continue to add up to \u00a39,000 a year to your CTF account. The money belongs to the child and they can only take it out when they\u2019re 18. They can take control of the account when they\u2019re 16.

    ", + "

    There\u2019s no tax to pay on the CTF income or any profit it makes. It will not affect any benefits or tax credits you receive.

    ", + "

    Managing the account

    ", + "

    If you\u2019re the main contact for the Child Trust Fund (CTF) account you\u2019re called the \u2018registered contact\u2019. You have certain responsibilities until the child turns 18, or until the child takes control of their own account.

    ", + "

    Your responsibilities as the registered contact

    ", + "

    You\u2019re the only person who can:

    ", + "
  • tell the account provider how to invest the fund and run the account
  • ", + "
  • change the address and other personal details
  • ", + "
  • change the type of account, for example from cash to stocks and shares
  • ", + "
  • move the account to another provider
  • ", + "

    Contact your CTF provider to do this.

    ", + "

    Moving to a different account

    ", + "

    You can transfer a CTF account to a Junior ISA. Contact a Junior ISA provider to do this.

    ", + "

    Records you need to keep

    ", + "

    Keep the following paperwork:

    ", + "
  • your child\u2019s Unique Reference Number (you\u2019ll find this on your annual CTF statement)
  • ", + "
  • the account statements
  • ", + "
  • details of the account type and the provider
  • ", + "

    Change a registered contact

    ", + "

    You can change the registered contact to someone with parental responsibility for the child, like a parent, step-parent or legal guardian if both parties agree to this.

    ", + "

    Your CTF provider can tell you how to change the registered contact of a CTF account.

    ", + "

    When your child is 16 or 18

    ", + "

    Once your child turns 16, they can either:

    ", + "
  • take over the account by contacting the CTF provider
  • ", + "
  • leave you in charge of the account
  • ", + "

    When the child turns 18, they take over the account and can take out the money.

    ", + "

    If your child lacks the mental capacity to manage their account when it matures

    ", + "

    You, or a close friend or relative, need to apply to the Court of Protection (COP) for a financial deputyship order so you can manage your child\u2019s account when they turn 18. Once the account matures, the money can either be taken out or transferred into an ISA.

    ", + "

    In Scotland, applications need to be made to the Office of the Public Guardian in Scotland.

    ", + "

    In Northern Ireland, applications need to be made to the Office of Care and Protection.

    ", + "

    Add money to the account

    ", + "

    Anyone can pay money into a Child Trust Fund (CTF) account.

    ", + "

    You cannot apply for a new Child Trust Fund because the scheme is now closed. You can apply for a Junior ISA instead.

    ", + "

    How much you can add

    ", + "

    You can put up to \u00a39,000 a year into the account - the year starts on the child\u2019s birthday and ends the day before their next birthday.

    ", + "

    If you do not use the \u00a39,000 limit, you cannot carry any unused amount over to the following year.

    ", + "

    How to pay money in

    ", + "

    For stakeholder accounts you can add money by:

    ", + "
  • cheque
  • ", + "
  • standing order
  • ", + "
  • direct debit
  • ", + "

    For savings or share accounts, check with your provider.

    ", + "

    Government payments

    ", + "

    Payments made by the government do not count towards the \u00a39,000, apart from \npayments made by a local council to a child in care.

    ", + "

    Find a Child Trust Fund

    ", + "

    You can find out where a Child Trust Fund (CTF) is held if you do not know the provider.

    ", + "

    Fill in the form online to ask HM Revenue and Customs (HMRC) where the account was originally opened.

    ", + "

    You\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you fill in the online form.

    ", + "

    If you\u2019re a parent looking for your child\u2019s trust fund, you\u2019ll need either:

    ", + "
  • the child\u2019s Unique Reference Number (you\u2019ll find this on your annual CTF statement)
  • ", + "
  • their National Insurance number
  • ", + "

    If you\u2019re looking for your own trust fund, you\u2019ll need your National Insurance number.

    ", + "

    HMRC will send you details of the CTF provider by post within 3 weeks of receiving your request.

    ", + "

    HMRC will contact you for more information if you\u2019ve adopted the child or a court has given you parental responsibility for them.

    ", + "

    Applying by post

    ", + "

    You can also contact HMRC by post to find out where a CTF is held.

    ", + "

    If you\u2019re a parent looking for your child\u2019s trust fund, you\u2019ll need to include your full name and address and all of the following:

    ", + "
  • child\u2019s full name and address
  • ", + "
  • child\u2019s date of birth
  • ", + "
  • child\u2019s National Insurance number or Unique Reference Number if known
  • ", + "

    If you\u2019re looking for your own trust fund, you\u2019ll need to include all of the following:

    ", + "
  • your full name and address
  • ", + "
  • your date of birth
  • ", + "
  • your National Insurance number or Unique Reference Number if known
  • ", + "

    Accounts for children in care

    ", + "

    Some children looked after by local authorities have a Child Trust Fund (CTF) account set up on their behalf. The Share Foundation acts as the registered contact for these accounts.

    ", + "

    How the account is managed

    ", + "

    The Share Foundation manages the CTF account for the child and will:

    ", + "
  • write to the child when they take control of the account
  • ", + "
  • change the type of CTF account and provider if necessary and write to the child to explain why the change was made
  • ", + "
  • send account statements to the child
  • ", + "

    They\u2019ll manage the account until:

    ", + "
  • the child turns 18
  • ", + "
  • the child turns 16 and decides to manage the account themselves
  • ", + "
  • someone takes parental responsibility for the child, for example through adoption
  • ", + "

    Take over the management of an account

    ", + "

    Contact the Share Foundation if you\u2019re taking parental responsibility for a child and want to manage their CTF account.

    ", + "

    You\u2019ll need to provide evidence of parental responsibility, for example an adoption certificate.

    ", + "

    You\u2019ll get a letter confirming that you can take over responsibility for the account. Show this to the CTF provider who can update the account to say you\u2019re the registered contact.

    ", + "

    When a child in care turns 16

    ", + "

    The Share Foundation will write to the child about 2 months before their 16th birthday, telling them how to become the registered contact for the account.

    ", + "

    If they choose to take control of the account, they can:

    ", + "
  • start managing it when they turn 16
  • ", + "
  • withdraw money when they turn 18
  • ", + "

    If your child is terminally ill or dies

    ", + "

    If your child is terminally ill you can take money out of their Child Trust Fund (CTF) account. If they die, the money passes to whoever inherits their estate (property and possessions).

    ", + "

    If your child is terminally ill

    ", + "

    \u2018Terminally ill\u2019 means they have a disease or illness that\u2019s going to get worse and are not likely to live more than 6 months. Only the registered contact can take money out of the account.

    ", + "

    What you need to do

    ", + "

    Fill in the terminal illness early access form to let HM Revenue and Customs (HMRC) know that:

    ", + "
  • your child is terminally ill
  • ", + "
  • you want to take the money out of the account
  • ", + "

    You\u2019ll need to provide evidence that your child is terminally ill.

    ", + "

    If your child dies

    ", + "

    The money in the account will be paid to the person who inherits the child\u2019s estate. This is often one of the child\u2019s parents, but if your child was married, it could be their husband or wife.

    ", + "

    If you get Child Benefit for a child who has died this can still carry on for a short time.

    ", + "

    What you need to do

    ", + "

    Tell the CTF account provider. They\u2019ll usually need proof, for example the death certificate.

    " + ] + }, + { + "title": "Child adoption", + "url": "https://www.gov.uk/child-adoption", + "contents": [ + "

    Overview

    ", + "

    To be adopted, a child must:

    ", + "
  • be under the age of 18 when the adoption application is made
  • ", + "
  • not be (or have never been) married or in a civil partnership
  • ", + "

    The child\u2019s birth parents

    ", + "

    Both birth parents normally have to agree (consent) to the adoption, unless:

    ", + "
  • they cannot be found
  • ", + "
  • they\u2019re incapable of giving consent, for example due to a mental disability
  • ", + "
  • the child would be put at risk if they were not adopted
  • ", + "

    Who can adopt a child

    ", + "

    You may be able to adopt a child if you\u2019re aged 21 or over (there\u2019s no upper age limit) and either:

    ", + "
  • single
  • ", + "
  • married
  • ", + "
  • in a civil partnership
  • ", + "
  • an unmarried couple (same sex and opposite sex)
  • ", + "
  • the partner of the child\u2019s parent
  • ", + "

    There are different rules for private adoptions and adoptions of looked-after children.

    ", + "

    Living in the UK

    ", + "

    You do not have to be a British citizen to adopt a child, but:

    ", + "
  • you (or your partner, if you\u2019re a couple) must have a fixed and permanent home in the UK, Channel Islands or the Isle of Man
  • ", + "
  • you (and your partner, if you\u2019re a couple) must have lived in the UK for at least 1 year before you begin the application process
  • ", + "

    Adoption Support Fund

    ", + "

    You may be able to get funding from the Adoption Support Fund. It provides money for therapy for children and families to help improve relationships, confidence and behaviour. Your social worker can apply for you.

    ", + "

    If you\u2019re not happy with how the social worker has handled the application, complain to the council. If you\u2019re not happy with the council\u2019s response, contact the Adoption Support Fund team.

    ", + "

    Early stages of adoption

    ", + "

    To adopt a child you can go through either:

    ", + "
  • an adoption agency that\u2019s part of your local council
  • ", + "
  • a voluntary adoption agency
  • ", + "

    The adoption process

    ", + "
  • Contact an adoption agency - they\u2019ll send you information about the adoption process.
  • ", + "
  • The agency will arrange to meet you - you may also be invited to a meeting with other people wanting to adopt a child.
  • ", + "
  • If you and the agency agree to carry on, the agency will give you an application form.
  • ", + "

    The adoption approval process normally takes around 6 months. You will then be matched with a child for adoption.

    ", + "

    Adoption assessment

    ", + "

    Once the agency gets your application it will do the following:

    ", + "
  • Invite you to a series of preparation classes - these are normally held locally and give advice on the effect adoption may have on you.
  • ", + "
  • Arrange for a social worker to visit you on several occasions to carry out an assessment - this is to check you\u2019re suitable to become an adoptive parent.
  • ", + "
  • Arrange a police check - you will not be allowed to adopt if you, or an adult member of your family, have been convicted of a serious offence, for example against a child.
  • ", + "
  • Ask you to provide the names of 3 referees who will give you a personal reference. One of your referees can be a relative.
  • ", + "
  • Arrange for you to have a full medical examination.
  • ", + "

    Your assessment

    ", + "

    The social worker will send the assessment report to an independent adoption panel. This is a group of people who are experienced in adoption.

    ", + "

    The panel will make a recommendation to the adoption agency based on your assessment.

    ", + "

    You can go along to ask questions and answer any questions the panel has.

    ", + "

    The adoption panel will send their recommendation to the agency, which will then decide whether you\u2019re suitable to adopt a child.

    ", + "

    If you can adopt a child

    ", + "

    Once your agency decides you can adopt, they\u2019ll begin the process of finding a child. The agency will explain how the process works and how you can be involved.

    ", + "

    If you live in Wales your agency can refer you to the National Adoption Service for Wales. This holds details of children across Wales who need adopting.

    ", + "

    If an adoption agency says you cannot adopt

    ", + "

    If you disagree with an adoption agency\u2019s decision, you can either:

    ", + "
  • challenge their decision by writing to them
  • ", + "
  • apply to the Independent Review Mechanism, which will look into your case
  • ", + "

    You can also contact other adoption agencies - but you\u2019ll have to start the process again.

    ", + "

    Applying for an adoption court order

    ", + "

    To make an adoption legal, you need to apply for an adoption court order. This gives you parental rights and responsibilities for the child.

    ", + "

    The child must have lived with you for at least 10 weeks before you apply.

    ", + "

    Once the order has been granted:

    ", + "
  • the adoption becomes permanent
  • ", + "
  • the child has the same rights as if they were your own birth child, for example the right of inheritance
  • ", + "
  • you can buy a copy of the adoption certificate - you will not get this automatically
  • ", + "

    The order also takes away parental responsibility from:

    ", + "
  • the child\u2019s birth parent(s)
  • ", + "
  • anyone else who has parental responsibility for the child
  • ", + "

    How to apply

    ", + "

    Most applications for adoption orders are done at a Family Court.

    ", + "

    You need to send the court a completed application for an adoption order - Form A58.

    ", + "

    Getting an adoption certificate

    ", + "

    If your application is successful, the General Register Office will create an adoption certificate. This replaces the original birth certificate, and shows the child\u2019s new name.

    ", + "

    If you want a copy of the new certificate you need to buy one - you will not get it automatically.

    ", + "

    A \u2018full\u2019 copy of the certificate costs \u00a311. You can order one:

    ", + "
  • online
  • ", + "
  • by post
  • ", + "

    You need the full version for most legal tasks for your child, for example getting a passport.

    ", + "

    Adopting a child you\u2019ve been fostering

    ", + "

    You need to be reassessed and approved as adoptive parents if you want to adopt the child you\u2019ve been fostering.

    ", + "

    Adopting a stepchild

    ", + "

    You need to tell your local council if you want to adopt your spouse\u2019s or partner\u2019s child. You must do this at least 3 months before applying to a court for an adoption order.

    ", + "

    The child must also have lived with both of you for at least 6 months.

    ", + "

    The adoption assessment

    ", + "

    The process to adopt is similar to an assessment through an adoption agency.

    ", + "

    The assessment is used to help a court decide if you can adopt the child (rather than being sent to an independent adoption panel).

    ", + "

    The court will ask your local council to provide a report on:

    ", + "
  • your partner
  • ", + "
  • the child
  • ", + "
  • the other birth parent
  • ", + "

    The report will be prepared by a social worker and will be used to help the court make a decision.

    ", + "

    If granted, the adoption court order gives you parental responsibility for the child - along with your spouse or partner.

    ", + "

    The order also takes away parental responsibility from:

    ", + "
  • the child\u2019s other birth parent
  • ", + "
  • anyone else who has parental responsibility for the child
  • ", + "

    An adoption order cancels any other type of court order, such as how and when the child\u2019s birth parent can visit the child.

    ", + "

    Adopting a child from overseas

    ", + "

    You can adopt a child from overseas if:

    ", + "
  • they cannot be cared for in a safe environment in their own country
  • ", + "
  • the adoption would be in their best interests
  • ", + "
  • the adopter has been assessed as eligible and suitable to adopt from overseas by an adoption agency in the UK
  • ", + "

    If you want to adopt a child from overseas, you should contact a UK adoption agency through:

    ", + "
  • your local council in England and Wales
  • ", + "
  • your local health and social care trust in Northern Ireland
  • ", + "
  • a voluntary adoption agency that deals with overseas adoption
  • ", + "

    There is a different process for overseas adoption in Scotland.

    ", + "

    The adoption process is similar to a UK adoption and will be done by a UK adoption agency that may charge a fee.

    ", + "

    If you\u2019re assessed and approved as suitable to adopt a child by a UK adoption agency, they will let you know what you need to do and guide you through these steps.

    ", + "
  • Your application will be sent to the Department for Education (DfE) or your relevant UK Central Authority to check it meets eligibility criteria.
  • ", + "
  • DfE or your relevant UK Central Authority will issue a Certificate of Eligibility to Adopt and send it with your adoption application to the relevant overseas authority \u2013 some countries require adoption applications and supporting documentation is notarised, legalised and translated.
  • ", + "
  • Once matched, you need to visit the child in their own country and confirm in writing that you\u2019ve visited them and want to proceed with the adoption.
  • ", + "
  • You may need to go through adoption court processes in the country you\u2019re adopting from and the UK.
  • ", + "
  • Once the placement has been finalised, you will need to arrange entry clearance for the child to enter the UK.
  • ", + "

    Fees

    ", + "

    The DfE charges a non-refundable fee of \u00a31,975 for processing an application to adopt a child from overseas. The fee is exempt from VAT.

    ", + "

    You\u2019ll be contacted by DfE about how to pay the fee once your application has been accepted.

    ", + "

    The fee includes case management but does not include legalisation, notarisation or translation costs.

    ", + "

    Contact the relevant authority to find out about fees and procedures in Scotland, Wales and Northern Ireland.

    ", + "

    Restrictions

    ", + "

    The UK has restricted adoption from the following countries:

    ", + "
  • Cambodia
  • ", + "
  • Guatemala
  • ", + "
  • Nepal
  • ", + "
  • Haiti
  • ", + "
  • Ethiopia
  • ", + "
  • Nigeria
  • ", + "

    You can read about the reasons for the restrictions for each country.

    ", + "

    How to make an exception request

    ", + "

    If you want to adopt a child from a restricted country, you will need to set out the reasons in writing why your case is exceptional (for example, adopting a family member) and provide supporting evidence. Find out how to make an exception request to adopt a child from a country on the restricted list.

    ", + "

    You\u2019ll need to follow a different process for dealing with restricted countries in Scotland. Contact the Scottish Government for enquiries about restrictions in Scotland.

    ", + "

    If you live abroad

    ", + "

    You must follow the adoption laws of the country you\u2019re in if you\u2019re normally resident in that country and want to adopt.

    ", + "

    You must follow UK adoption law if you\u2019re normally resident in the UK, the Isle of Man or the Channel Islands. This is sometimes called \u2018habitual residence\u2019 and can apply even if you\u2019re living abroad at the time of the adoption. If you\u2019re unsure of your residence status, you should get your own independent legal advice before proceeding with an adoption.

    ", + "

    You may have to give a sworn statement in front of a solicitor that you\u2019re no longer habitually resident in the UK, the Isle of Man or the Channel Islands if the country asks for a \u2018no objection\u2019 letter from the UK government. You must send this statement, along with a copy of your passport, either to the Intercountry Adoption Team at the DfE or the nearest British embassy.

    ", + "

    If you\u2019ve adopted a child \u2013 either in the UK or overseas - and then travel or move to a third country, the adoption may not be recognised in that country. If you have any doubts you should get independent legal advice.

    ", + "

    Registering an adoption

    ", + "

    You can apply to register an overseas adoption in the Adopted Child Register for England and Wales if:

    ", + "
  • the adoption took place in certain overseas countries
  • ", + "
  • the parent or parents were habitually resident in England and Wales at the time of the adoption
  • ", + "
  • the parent or parents can provide all the supporting documents
  • ", + "

    You should read the guidance notes before filling in the form to register with the General Register Office (GRO).

    ", + "

    Birth parents: your rights

    ", + "

    For another couple (or person) to adopt your child, you normally have to agree to it.

    ", + "

    Once your child is adopted, you no longer have parental responsibility for them.

    ", + "

    Depending on the child\u2019s situation, you may be able to stay in contact with them. This is often done using letters and photographs (and sometimes meetings) through the agency responsible for arranging the adoption.

    ", + "

    Fathers\u2019 rights

    ", + "

    As the child\u2019s father you\u2019ll be asked to agree to the adoption - but only if you have parental responsibility.

    ", + "

    If you were never married to the child\u2019s mother or named on the birth certificate, you can apply to the court for a Parental Responsibility Order to get parental responsibility.

    ", + "

    Trying to stop the adoption process

    ", + "

    If the adoption process has started, you should get legal advice from a solicitor or Citizens Advice.

    ", + "

    To make an adoption legal, a court has to grant a court order.

    ", + "

    The agency arranging the adoption must let you know what your rights are - and also at what point the adoption cannot be stopped.

    ", + "

    If you do not want your child to be adopted, a court will give you the chance to say why. A social worker, independent of the adoption agency, will visit you and:

    ", + "
  • record the reasons you do not want your child adopted
  • ", + "
  • let the court know these reasons - you can go to court to explain them
  • ", + "

    An adoption order cannot be made unless the court thinks it\u2019s in your child\u2019s best interests.

    ", + "

    Adoption without your consent

    ", + "

    A court can decide the adoption can go ahead without your consent if:

    ", + "
  • it thinks the child would be put at risk if they were not adopted - it will send you the evidence they have been given, for example from social services
  • ", + "
  • you\u2019re incapable of giving consent, for example due to a mental disability
  • " + ] + }, + { + "title": "Child employment", + "url": "https://www.gov.uk/child-employment", + "contents": [ + "

    Minimum ages children can work

    ", + "

    Part-time work

    ", + "

    The youngest age a child can work part-time is 13, except children involved in areas like:

    ", + "
  • television
  • ", + "
  • theatre
  • ", + "
  • modelling
  • ", + "

    Children working in these areas will need a performance licence.

    ", + "

    Full-time work

    ", + "

    Children can only start full-time work once they\u2019ve reached the minimum school leaving age - they can then work up to a maximum of 40 hours a week.

    ", + "

    Once someone reaches 16, you may need to pay them through PAYE.

    ", + "

    Once someone reaches 18, adult employment rights and rules then apply.

    ", + "

    In England, a young person must be in part-time education or training until they\u2019re 18.

    ", + "

    Paying children and young people

    ", + "

    Children under 16

    ", + "

    School-aged children are not entitled to the National Minimum Wage.

    ", + "

    Children under 16 do not pay National Insurance, so you only need to include them on your payroll if their total income is over their Personal Allowance.

    ", + "

    Once someone reaches 16

    ", + "

    Young workers aged 16 to 17 are entitled to at least \u00a34.62 per hour.

    ", + "

    If you\u2019re a registered employer, you\u2019ll need to record and report their pay as part of running payroll. If they earn more than \u00a3120 a week, you\u2019ll also need to do other regular PAYE tasks like making deductions.

    ", + "

    Before their next payday, collect information from them for PAYE. If they started work for you in the previous tax year, put their start date as 5 April in your payroll software. Record their pay for the current tax year only.

    ", + "

    If you pay any employee over \u00a3120 a week you must be registered as an employer and operate PAYE.

    ", + "

    Performance licences and supervision for children

    ", + "

    A child may need a licence if they\u2019re under school leaving age and taking part in:

    ", + "
  • films, plays, concerts or other public performances that the audience pays to see, or that take place on licensed premises
  • ", + "
  • any sporting events or modelling assignments where the child is paid
  • ", + "

    The person in charge of running the event must apply to the child\u2019s local council for a child performance licence. Ask the council if you\u2019re not sure you need one.

    ", + "

    Supervision for the child

    ", + "

    If the child will not be with their parent, school teacher or home tutor, they must be supervised by a chaperone approved by the council. Chaperones can apply for approval from the council.

    ", + "

    The normal rules for paying children and restrictions on employment apply to children in performances.

    ", + "

    Restrictions on child employment

    ", + "

    There are several restrictions on when and where children are allowed to work.

    ", + "

    Children are not allowed to work:

    ", + "
  • without an employment permit issued by the education department of the local council, if this is required by local bylaws
  • ", + "
  • in places like a factory or industrial site
  • ", + "
  • during school hours
  • ", + "
  • before 7am or after 7pm
  • ", + "
  • for more than one hour before school (unless local bylaws allow it)
  • ", + "
  • for more than 4 hours without taking a break of at least 1 hour
  • ", + "
  • in any work that may be harmful to their health, well-being or education
  • ", + "
  • without having a 2-week break from any work during the school holidays in each calendar year
  • ", + "

    There are also special rules which only apply during term times and school holiday times.

    ", + "

    Term time rules

    ", + "

    During term time children can only work a maximum of 12 hours a week. This includes:

    ", + "
  • a maximum of 2 hours on school days and Sundays
  • ", + "
  • a maximum of 5 hours on Saturdays for 13 to 14-year-olds, or 8 hours for 15 to 16-year-olds
  • ", + "

    School holiday rules

    ", + "

    During school holidays 13 to 14-year-olds are only allowed to work a maximum of 25 hours a week. This includes:

    ", + "
  • a maximum of 5 hours on weekdays and Saturdays
  • ", + "
  • a maximum of 2 hours on Sunday
  • ", + "

    During school holidays 15 to 16-year-olds can only work a maximum of 35 hours a week. This includes:

    ", + "
  • a maximum of 8 hours on weekdays and Saturdays
  • ", + "
  • a maximum of 2 hours on Sunday
  • ", + "

    Local rules on the types of work children can do

    ", + "

    Local bylaws list the jobs that children cannot do. If a job is on this list, a child under the minimum school leaving age cannot do this work.

    ", + "

    Local bylaws may also have other restrictions on working hours, conditions of work and the type of employment.

    ", + "

    Contact your local council\u2019s education department or education welfare service for more information.

    ", + "

    Local council rules for child employment permits

    ", + "

    Most local councils say that businesses intending to employ school-aged children must apply for a child employment permit before they can be employed.

    ", + "

    If a child is working without a child employment permit, there\u2019s a risk that the employer will not be insured against accidents involving the child.

    ", + "

    Children do not need a work permit for work experience arranged by their school.

    ", + "

    Employers should contact their local council\u2019s education department or education welfare service to find out if a child employment permit is needed.

    " + ] + }, + { + "title": "Child maintenance if a parent lives abroad", + "url": "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad", + "contents": [ + "

    Overview

    ", + "

    You cannot make a new application to the Child Maintenance Service if the child and the parent with the main day-to-day care live abroad.

    ", + "

    There are circumstances where the service can help if the paying parent lives abroad.

    ", + "

    You can make a child maintenance arrangement yourself - if one or both parents live abroad.

    ", + "

    Enforcing a child maintenance decision

    ", + "

    You can ask a court for help if the other parent does not pay any child maintenance they owe you. This is known as taking \u2018enforcement action\u2019.

    ", + "

    You cannot enforce an arrangement you\u2019ve made yourself - you need to make it legally binding first.

    ", + "

    You can also ask the court to change an existing child maintenance decision or make a new one.

    ", + "

    How you enforce, change or make a decision depends on:

    ", + "
  • where the other parent lives
  • ", + "
  • where your original decision was made
  • ", + "

    The UK has a Reciprocal Enforcement of Maintenance Orders (REMO) agreement with a number of other countries. Courts in \u2018REMO countries\u2019 can enforce child maintenance decisions made by UK courts.

    ", + "

    Child maintenance decisions made in Scotland or Northern Ireland

    ", + "

    The process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.

    ", + "

    If the decision was made in Scotland

    ", + "

    Contact the Scottish government for advice.

    ", + "

    If the decision was made in Northern Ireland

    ", + "

    Contact the Northern Ireland Central Authority for advice.

    ", + "

    If the other parent lives abroad

    ", + "

    How you get a decision recognised or enforced depends on whether the other parent lives in a Reciprocal Enforcement of Maintenance Orders (REMO) country. Check the list of REMO countries.

    ", + "

    If the other parent does not live in a REMO country, get legal advice from a solicitor to find out if you can enforce the decision.

    ", + "

    If the other parent does live in a REMO country, contact your nearest Maintenance Enforcement Business Centre (MEBC). They\u2019ll send you an application form.

    ", + "

    Complete the form and send it back to your MEBC with any supporting documents. Your documents will be translated if needed. You do not have to pay for this.

    ", + "

    Tell the MEBC if you do not want the other parent to see certain information about you, such as your address.

    ", + "

    The process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.

    ", + "

    Maintenance Enforcement Business Centres

    ", + "

    Greater London

    ", + "

    England

    ", + "

    Wales

    ", + "

    What happens next

    ", + "

    The MEBC will send your completed form and any supporting documents to the REMO Unit.

    ", + "

    The REMO Unit will send your documents to the body responsible for REMO in the relevant country within a month of receiving them. Your documents will then be sent on to the court in that country.

    ", + "

    The process may change from 1 January 2021. The Maintenance Enforcement Business Centre or REMO Unit might tell you to fill in another form so your application can continue after that date. You\u2019ll be told if you need to do this.

    ", + "

    It can take several months for the court to decide if your maintenance decision should be enforced.

    ", + "

    If you live abroad

    ", + "

    You can still enforce a child maintenance decision if the other parent lives in the UK but you live in another country.

    ", + "

    Check if you live in a country which can enforce a child maintenance decision made in the UK. This is called a Reciprocal Enforcement of Maintenance Orders (REMO) country.

    ", + "

    If you live in a REMO country, ask the court where you live to enforce the decision.

    ", + "

    If you do not live in a REMO country, you might still be able to enforce a decision. Get legal advice from a solicitor in the country where you live or in the UK.

    ", + "

    If the other parent works abroad for a British organisation

    ", + "

    You might be able to make a new child maintenance claim instead of enforcing an existing one if the other parent is working abroad for certain British organisations, for example:

    ", + "
  • as a civil servant
  • ", + "
  • for Her Majesty\u2019s Diplomatic Service
  • ", + "
  • as a member of the Armed Forces
  • ", + "
  • for a company based and registered in the UK
  • ", + "
  • for the NHS
  • ", + "
  • for a local authority
  • ", + "

    How to claim

    ", + "

    Contact Child Maintenance Options to make a new arrangement.

    ", + "

    They\u2019ll talk through the process with you and explain how to apply to the Child Maintenance Service.

    ", + "

    There are different contact details if you live in Northern Ireland.

    ", + "

    You must pay:

    ", + "
  • \u00a320 to apply - you do not have to pay this if you\u2019re under 19, a victim of domestic violence or in Northern Ireland
  • ", + "
  • additional fees for paying and collecting child maintenance if you use the Collect and Pay service
  • ", + "

    If you\u2019ve already made a claim, contact the service that deals with your case for advice.

    " + ] + }, + { + "title": "Help and support for foster parents", + "url": "https://www.gov.uk/support-for-foster-parents", + "contents": [ + "

    Training and development

    ", + "

    You need to complete the training, support, and development standards workbook within 12 months of being approved to foster.

    ", + "

    Contact your fostering service to find out what other training and development is available. They should help you:

    ", + "
  • with a personal development plan
  • ", + "
  • take part in learning and development sessions
  • ", + "

    The Foster Carers\u2019 Charter explains your rights as a foster parent.

    ", + "

    You do not have a statutory right to time off work to care for foster children.

    ", + "

    If you\u2019re fostering for adoption you\u2019ll be entitled to adoption pay and leave from when the child comes to live with you.

    ", + "

    If you\u2019re considering fostering, find out about becoming a foster parent.

    ", + "

    Help with the cost of fostering

    ", + "

    All foster parents get a foster care allowance to help cover the cost of caring for a child. You might get additional payments, depending on:

    ", + "
  • if the child has specific needs
  • ", + "
  • how many children you\u2019re fostering
  • ", + "
  • your skills and experience
  • ", + "
  • your fostering service
  • ", + "

    Contact your fostering service to find out how much you get.

    ", + "

    Minimum weekly allowance

    ", + "

    The minimum allowance you\u2019ll get depends on where you live and the age of the child you care for.

    ", + " | Age 0 to 2 | Age 3 to 4 | Age 5 to 10 | Age 11 to 15 | Age 16 to 17", + "London | \u00a3155 | \u00a3158 | \u00a3177 | \u00a3201 | \u00a3235", + "South East | \u00a3149 | \u00a3153 | \u00a3169 | \u00a3193 | \u00a3226", + "Rest of England | \u00a3134 | \u00a3138 | \u00a3152 | \u00a3173 | \u00a3202", + "

    These figures are for the tax year from 6 April 2021 to 5 April 2022. They\u2019re updated every April.

    ", + "

    Allowance rates when the child is 18

    ", + "

    Children stop being in care when they reach 18, even if they\u2019re still living with you. There is no minimum allowance when your child is old enough to leave foster care.

    ", + "

    Contact your fostering service for more information.

    ", + "

    Expenses

    ", + "

    You may be able to apply to your fostering service for extra money to help with things like:

    ", + "
  • school trips
  • ", + "
  • holidays
  • ", + "
  • birthdays
  • ", + "
  • religious festivals
  • ", + "

    Tax arrangements

    ", + "

    You should have registered as self-employed when you started to foster. You\u2019ll need to file tax returns. Check with your fostering service what you need to do.

    ", + "

    In your tax return, you\u2019ll be able to claim:

    ", + "
  • a tax exemption of up to \u00a310,000 per household
  • ", + "
  • tax relief for every week you foster a child
  • ", + "

    This is known as qualifying care relief.

    ", + "

    You may be entitled to National Insurance credits, which count towards your State Pension.

    ", + "

    Tax exemption

    ", + "

    In a tax year, households do not pay tax on the first \u00a310,000 they earn from fostering. You\u2019ll still pay tax on money you earn from a job or investment.

    ", + "

    Tax relief

    ", + "

    On top of the \u00a310,000 exemption, you also get tax relief for every week (or part week) that a child is in your care. This means you do not have to pay tax on some of your earnings over \u00a310,000.

    ", + "Age of child | Tax relief", + "Under 11 | \u00a3200 per child", + "11 or over | \u00a3250 per child", + "

    Claiming benefits

    ", + "

    Being a foster parent can affect your benefits. Check a benefits calculator to see what you\u2019re eligible for.

    ", + "

    If you\u2019re claiming benefits you need to tell the organisation that pays you that you\u2019re also getting a foster care allowance.

    ", + "

    You can get disability benefits for your foster child if they meet the criteria. You may also be able to claim Carer\u2019s Allowance if your foster child gets Disability Living Allowance or Personal Independence Payment.

    ", + "

    For more help on how your benefits may change you can speak to an adviser from:

    ", + "
  • the organisation that pays you
  • ", + "
  • Fosterline - a free fostering advice service
  • ", + "

    Making decisions for your foster child

    ", + "

    Your foster child\u2019s placement plan should tell you what decisions you can make, known as delegated authority.

    ", + "

    There are 3 different levels to delegated authority:

    ", + "
  • day-to-day decisions like dental check ups, hair cuts, school trips, parent-teacher meetings and letting your child go to sleepovers
  • ", + "
  • long-term decisions like which school a child goes to
  • ", + "
  • significant decisions made by the local authority and birth parents, like surgery
  • ", + "

    If your child\u2019s placement plan does not tell you what level of delegated authority you have you should contact your fostering service to find out.

    ", + "

    You may not have the same level of authority for each child you foster. For example, you might foster 2 children and have the right to sign a consent form for one of them.

    ", + "

    Going on holiday

    ", + "

    If you do not have the authority to take your foster child on holiday you\u2019ll need to speak to their social worker.

    ", + "

    You\u2019ll also need to:

    ", + "
  • tell your child\u2019s social worker when you\u2019ll be going and when you\u2019ll be back
  • ", + "
  • get a letter of consent from your child\u2019s social worker for passport control (if you\u2019re going abroad)
  • ", + "

    Medical treatment for your foster child

    ", + "

    You may not have the right to give consent to medical treatment. Check your child placement plan to find out if you have the authority to let your foster child have:

    ", + "
  • medication
  • ", + "
  • a medical examination
  • ", + "
  • local or general anaesthetic
  • ", + "
  • surgery
  • ", + "

    Getting support

    ", + "

    You should get support from your fostering service, your local council and social workers. You can also get support and advice from Fosterline.

    ", + "

    Your local council must provide your foster child with a personal adviser from age 16 or 17 to age 25. They will help your foster child move to independent living or support them to stay with you (this is called a \u2018staying put\u2019 arrangement).

    ", + "

    Extra support is available when your foster child reaches age 16, 18 and 21.

    ", + "

    Support from your fostering service

    ", + "

    Your foster child gets a placement plan. This tells you about the child and their needs. The fostering service should invite you to meetings on your foster child\u2019s progress and placement plan.

    ", + "

    Your family should get:

    ", + "
  • access to an out of hours advice and support service
  • ", + "
  • access to support groups
  • ", + "
  • practical, financial and emotional support
  • ", + "
  • training and a personal development plan, which is reviewed every year
  • ", + "
  • an opportunity to take a break from fostering if you need it
  • ", + "

    Dealing with allegations

    ", + "

    If an allegation is made against you or anyone in your home, your local authority must:

    ", + "
  • investigate it
  • ", + "
  • support you through it
  • ", + "
  • update you on progress
  • ", + "
  • help resolve any disagreements
  • ", + "

    They may remove your foster child from your home or ask the person the allegation is about to leave. They will also look at the safety of any other children in your home.

    ", + "

    Support from social workers

    ", + "

    You\u2019ll have contact with 2 social workers:

    ", + "
  • your foster child\u2019s social worker - they make sure you meet the child\u2019s needs
  • ", + "
  • a supervising social worker to help and support you as a foster parent
  • ", + "

    Your supervising social worker is there to support you as a foster parent. Contact them if you need:

    ", + "
  • emotional support
  • ", + "
  • to talk about any concerns or worries you have about your foster child
  • ", + "
  • help to develop your skills as a foster parent
  • ", + "

    Your social workers must make sure you understand their policies on fostering, including:

    ", + "
  • how to manage your foster child\u2019s behaviour
  • ", + "
  • financial support for foster parents
  • ", + "
  • complaints
  • ", + "

    They must review your approval to foster at least once a year to make sure you\u2019re still suitable.

    ", + "

    Social workers may decide to have some meetings without you if they think it\u2019s best for the foster child.

    ", + "

    Social worker visits

    ", + "

    Your child\u2019s social worker must visit you and your foster child:

    ", + "
  • in the first week the child comes to live with you
  • ", + "
  • once every 6 weeks in the first year
  • ", + "
  • every 3 to 6 months after the child has lived with you for a year
  • ", + "

    They must also visit you once a year without telling you they\u2019re coming.

    ", + "

    You or your foster child can ask for more visits from the social worker.

    ", + "

    Ending a placement

    ", + "

    You must give 28 days\u2019 notice to your social worker if you no longer wish to be the child\u2019s foster parent.

    ", + "

    Support from Fosterline

    ", + "

    Call Fosterline for free to get advice on fostering.

    ", + "

    They can provide help and advice about fostering, including information about:

    ", + "
  • finances
  • ", + "
  • training
  • ", + "
  • dealing with allegations
  • " + ] + }, + { + "title": "If your child is taken into care", + "url": "https://www.gov.uk/if-your-child-is-taken-into-care", + "contents": [ + "

    Overview

    ", + "

    If your child is taken into care because of a care order, your council will share responsibility for making most of the important decisions about your child\u2019s upbringing, including:

    ", + "
  • who looks after them
  • ", + "
  • where they live
  • ", + "
  • how they are educated
  • ", + "

    If you agree to your child becoming \u2018looked after\u2019 and there is no care order, you\u2019ll continue to have parental responsibility for your child.

    ", + "

    In either case, the council is responsible for:

    ", + "
  • making sure that an appropriate standard of care is provided
  • ", + "
  • making sure only suitable people are employed to look after your child
  • ", + "
  • providing proper training and support to staff and foster carers
  • ", + "
  • listening to your child\u2019s views and your views about care arrangements and taking their religion, race, culture and background into account
  • ", + "
  • making sure your child has someone independent to talk to and knows how to complain if necessary
  • ", + "

    The child may be placed with either:

    ", + "
  • another relative
  • ", + "
  • a foster carer
  • ", + "
  • a children\u2019s home
  • ", + "

    Care orders

    ", + "

    A care order is given by a court. It allows a council to take a child into care. Under the Children Act 1989 a council can apply for a care order if it believes a child is suffering or at risk of suffering significant harm.

    ", + "

    The court decides if the child can be taken into care.

    ", + "

    Care orders last until:

    ", + "
  • the child\u2019s 18th birthday
  • ", + "
  • an order is made giving parental responsibility to another person - for example, through adoption or special guardianship
  • ", + "
  • the court lifts the order (this is called \u2018discharging\u2019 the order)
  • ", + "

    A child can only be taken into care if they are under 18.

    ", + "

    Making a complaint

    ", + "

    If your child is in care and you\u2019re unhappy about their treatment, you can make a complaint. Talk to your child\u2019s carer or social worker first and if you\u2019re not happy, you can complain to your council.

    ", + "

    Support for parents

    ", + "

    The Family Rights Group Advice Service helpline provides confidential support for parents:

    ", + "

    Care proceedings

    ", + "

    The council can start \u2018care proceedings\u2019 if they\u2019re very worried about a child.

    ", + "

    They can apply for a \u2018care order\u2019 which means the council will have parental responsibility for your child and can determine where your child can live.

    ", + "

    They can apply for a \u2018placement order\u2019 as well if they believe that the child should be adopted. This allows the council to place the child with suitable adopters.

    ", + "

    Interim care orders

    ", + "

    At the start of care proceedings, the council asks the family court to make a temporary court order, called an \u2018interim care order\u2019.

    ", + "

    If the court agrees, the council can take the child into care on a temporary basis. This can be for up to 8 weeks at first.

    ", + "

    Looking at the case

    ", + "

    It can take up to 26 weeks for a court to decide what should happen to the child. Some complex cases can take longer.

    ", + "

    During this time a social worker, an officer from the Children and Family Court Advisory and Support Service (Cafcass) and other people will be trying to understand the reasons why the child may be at risk. They will also look at what can be done to keep them safe.

    ", + "

    They will talk to the parents and the child. They may talk to other family members or friends about looking after the child if they cannot safely live at home. The parents might also get support.

    ", + "

    Reports

    ", + "

    The social worker and Cafcass officer will each write a report for the court. These will outline what they think should happen to the child.

    ", + "

    They will include whether they think the child should be taken into care or stay with the family.

    ", + "

    Once all the information has been gathered, there will be a court hearing.

    ", + "

    Going to court

    ", + "

    Once all the information has been gathered, there will be a court hearing. The judge will look at the reports, and listen to everyone involved in the case, including:

    ", + "
  • the child
  • ", + "
  • the parents
  • ", + "
  • solicitors representing parents and children
  • ", + "
  • the council social worker
  • ", + "
  • the Children and Family Court Advisory and Support Service (Cafcass) officer
  • ", + "

    The child will go back home if the judge decides that they\u2019re safe. If not, the council will find them a new home. That may be with:

    ", + "
  • other members of their family
  • ", + "
  • friends
  • ", + "
  • a new family
  • ", + "
  • a children\u2019s home
  • ", + "
  • a foster carer
  • ", + "

    What Cafcass does

    ", + "

    In care proceedings, a Children\u2019s Guardian from Cafcass represents the rights and interests of the child. They spend time getting to know the child and their family before the hearing.

    ", + "

    The Children\u2019s Guardian:

    ", + "
  • appoints a solicitor for the child
  • ", + "
  • advises the court about what needs to be done before it can make a decision
  • ", + "
  • tells the court what they think would be best for the child \u2013 including the child\u2019s wishes and feelings
  • ", + "

    The Children\u2019s Guardian will usually spend time with the child and their family. They\u2019ll tell the court if they have not seen the child before they write their report. They may also talk to other people who know the family, like teachers, social workers and health visitors.

    ", + "

    They may:

    ", + "
  • go to meetings about the child
  • ", + "
  • check records and read the council\u2019s case file
  • ", + "
  • recommend to the court that other independent professionals help the court with advice - for example, a doctor or psychologist
  • ", + "

    Cafcass workers are independent \u2013 they do not work for the council or the court.

    ", + "

    You can find out more about what happens in care proceedings and about what Cafcass does on the Cafcass website.

    ", + "

    Educating children in care

    ", + "

    The council will be responsible for your child\u2019s education if they\u2019re taken into care. They must have someone called a \u2018virtual school head\u2019 to make sure social workers and others give proper attention to your child\u2019s education while in care.

    ", + "

    There will also be a \u2018designated teacher\u2019, who is responsible for all of the children in care at your child\u2019s school.

    ", + "

    Your child will have an overall care plan, which will include education.

    ", + "

    Most of the decisions about the child\u2019s welfare will be taken by their social worker and foster carer (or residential care worker). You might also be involved, depending on the circumstances.

    ", + "

    The social worker is responsible for making sure your child can achieve their potential, including:

    ", + "
  • working with your child\u2019s school to draw up a personal education plan
  • ", + "
  • making sure they are well supported at school
  • ", + "
  • making sure they go to school every day
  • ", + "
  • choosing and applying for a school place when required
  • ", + "
  • making sure that there are good links between social services and the child\u2019s designated teacher
  • ", + "
  • being involved in any assessment for special educational needs
  • ", + "
  • making sure that foster carers attend parents\u2019 evenings and any other school events which parents would attend
  • " + ] + }, + { + "title": "Junior Individual Savings Accounts (ISA)", + "url": "https://www.gov.uk/junior-individual-savings-accounts", + "contents": [ + "

    Overview

    ", + "

    Junior Individual Savings Accounts (ISAs) are long-term, tax-free savings accounts for children.

    ", + "

    In the 2021 to 2022 tax year, the savings limit for Junior ISAs is \u00a39,000

    ", + "

    Who can get a Junior ISA

    ", + "

    Your child must be both:

    ", + "
  • under 18
  • ", + "
  • living in the UK
  • ", + "

    If your child lives outside the UK

    ", + "

    Your child can only get a Junior ISA if both the following apply:

    ", + "
  • you\u2019re a Crown servant (in the UK\u2019s armed forces, diplomatic service or overseas civil service, for example)
  • ", + "
  • they depend on you for care
  • ", + "

    You cannot have a Junior ISA as well as a Child Trust Fund. If you want to open a Junior ISA ask the provider to transfer the trust fund into it.

    ", + "

    How Junior ISAs work

    ", + "

    There are 2 types of Junior ISA:

    ", + "
  • a cash Junior ISA, for example you will not pay tax on interest on the cash you save
  • ", + "
  • a stocks and shares Junior ISA, for example your cash is invested and you will not pay tax on any capital growth or dividends you receive
  • ", + "

    Your child can have one or both types of Junior ISA.

    ", + "

    Parents or guardians with parental responsibility can open a Junior ISA and manage the account, but the money belongs to the child.

    ", + "

    The child can take control of the account when they\u2019re 16, but cannot withdraw the money until they turn 18.

    ", + "

    Open an account

    ", + "

    Only parents or a guardian with parental responsibility can open a Junior ISA for under 16s.

    ", + "

    To open a Junior ISA you need to:

    ", + "
  • choose the type of Junior ISA you want for your child - cash or stocks and shares (or both)
  • ", + "
  • choose your account provider
  • ", + "
  • get an application form from them
  • ", + "

    Your child can only have:

    ", + "
  • 1 cash Junior ISA
  • ", + "
  • 1 stocks and shares Junior ISA
  • ", + "

    Children aged 16 and 17 can open their own Junior ISA as well as an adult cash ISA.

    ", + "

    Account providers

    ", + "

    You can get a Junior ISA from a range of banks, building societies, credit unions, friendly societies and stock brokers.

    ", + "

    Contact any of these directly for more information about how you can open a Junior ISA with them.

    ", + "

    Add money to an account

    ", + "

    Anyone can pay money into a Junior ISA, but the total amount paid in cannot go over \u00a39,000 in the 2021 to 2022 tax year.

    ", + "

    You can transfer money between:

    ", + "
  • your child\u2019s Junior ISAs
  • ", + "
  • a Child Trust Fund (CTF) account and a Junior ISA - contact the Junior ISA provider to arrange this
  • ", + "

    You cannot transfer money between a Junior ISA and an adult ISA.

    ", + "

    If your child moves abroad, you can still add cash to their Junior ISA.

    ", + "

    Who the money belongs to

    ", + "

    Money in a Junior ISA belongs to your child and cannot be taken out until they\u2019re 18, though there are exceptions to this.

    ", + "

    Manage an account

    ", + "

    Your child\u2019s Junior ISA will be in their name, but the parent who opens it is responsible for managing the account and is known as the \u2018registered contact\u2019.

    ", + "

    The registered contact is the only person who can:

    ", + "
  • change the account, for example from a cash to a stocks and shares Junior ISA
  • ", + "
  • change the account provider
  • ", + "
  • report changes of circumstances, for example change of address
  • ", + "

    Contact your account provider to do this.

    ", + "

    Children older than 16

    ", + "

    If your child is 16 or older they can:

    ", + "
  • become the registered contact for their Junior ISAs
  • ", + "
  • open an adult cash ISA
  • ", + "

    When your child turns 18 they can take out any money in their Junior ISAs.

    ", + "

    Junior ISAs automatically turn into an adult ISA when the child turns 18.

    ", + "

    If your child lacks the mental capacity to manage their account when they turn 18

    ", + "

    You, or a close friend or relative, need to apply to the Court of Protection (COP) for a financial deputyship order. This will allow you to manage your child\u2019s adult ISA account or take out money on their behalf once they turn 18.

    ", + "

    In Scotland, applications need to be made to the Office of the Public Guardian in Scotland.

    ", + "

    In Northern Ireland, applications need to be made to the Office of Care and Protection.

    ", + "

    If your child is terminally ill or dies

    ", + "

    The registered contact can take money out of a Junior ISA early if a child\u2019s terminally ill.

    ", + "

    \u2018Terminally ill\u2019 means that the child has a disease or illness that is going to get worse and is not expected to live more than 6 months.

    ", + "

    How to take money out

    ", + "

    Fill in the terminal illness early access form to let HM Revenue & Customs (HMRC) know that:

    ", + "
  • your child is terminally ill
  • ", + "
  • you want to take money out of their Junior ISA
  • ", + "

    HMRC will let you know if you can take money out of your child\u2019s Junior ISA.

    ", + "

    If your child dies

    ", + "

    If your child dies, any money in their Junior ISAs will be paid to whoever inherits their estate.

    ", + "

    This is usually one of the child\u2019s parents, but it could be their spouse or partner if they were over 16 and married or in a civil partnership.

    ", + "

    What you need to do

    ", + "

    You do not need to contact HMRC but you\u2019ll need to tell your account provider so they can close your child\u2019s Junior ISAs.

    ", + "

    Your account provider may need proof to do this, for example a copy of the death certificate.

    " + ] + }, + { + "title": "Parental rights and responsibilities", + "url": "https://www.gov.uk/parental-rights-responsibilities", + "contents": [ + "

    What is parental responsibility?

    ", + "

    All mothers and most fathers have legal rights and responsibilities as a parent - known as \u2018parental responsibility\u2019.

    ", + "

    If you have parental responsibility, your most important roles are to:

    ", + "
  • provide a home for the child
  • ", + "
  • protect and maintain the child
  • ", + "

    You\u2019re also responsible for:

    ", + "
  • disciplining the child
  • ", + "
  • choosing and providing for the child\u2019s education
  • ", + "
  • agreeing to the child\u2019s medical treatment
  • ", + "
  • naming the child and agreeing to any change of name
  • ", + "
  • looking after the child\u2019s property
  • ", + "

    Parents have to ensure that their child is supported financially, whether they have parental responsibility or not.

    ", + "

    Parental responsibility for separated parents

    ", + "

    If you have parental responsibility for a child but you do not live with them, it does not mean you have a right to spend time with your children. However, the other parent must include you when making important decisions about their lives.

    ", + "

    You do not always need to get the consent of the other parent for routine decisions, even if they also have parental responsibility.

    ", + "

    If it\u2019s a major decision (for example, one of you wants to move abroad with your children) both parents with responsibility must agree in writing.

    ", + "

    You can apply for a Specific Issue Order or Prohibited Steps Order if you cannot agree. A judge will then make a decision which is in your children\u2019s best interests.

    ", + "

    You must make sure your children are financially supported, whether you have parental responsibility or not.

    ", + "

    You can get help to arrange contact with your children.

    ", + "

    Who has parental responsibility

    ", + "

    A mother automatically has parental responsibility for her child from birth.

    ", + "

    A father usually has parental responsibility if he\u2019s either:

    ", + "
  • married to the child\u2019s mother
  • ", + "
  • listed on the birth certificate (after a certain date, depending on which part of the UK the child was born in)
  • ", + "

    You can apply for parental responsibility if you do not automatically have it.

    ", + "

    Births registered in England and Wales

    ", + "

    If the parents of a child are married when the child is born, or if they\u2019ve jointly adopted a child, both have parental responsibility.

    ", + "

    They both keep parental responsibility if they later divorce.

    ", + "

    Unmarried parents

    ", + "

    An unmarried father can get parental responsibility for his child in 1 of 3 ways:

    ", + "
  • jointly registering the birth of the child with the mother (from 1 December 2003)
  • ", + "
  • getting a parental responsibility agreement with the mother
  • ", + "
  • getting a parental responsibility order from a court
  • ", + "

    Births registered in Scotland

    ", + "

    A father has parental responsibility if he\u2019s married to the mother when the child is conceived, or marries her at any point afterwards.

    ", + "

    An unmarried father has parental responsibility if he\u2019s named on the child\u2019s birth certificate (from 4 May 2006).

    ", + "

    Births registered in Northern Ireland

    ", + "

    A father has parental responsibility if he\u2019s married to the mother at the time of the child\u2019s birth.

    ", + "

    If a father marries the mother after the child\u2019s birth, he has parental responsibility if he lives in Northern Ireland at the time of the marriage.

    ", + "

    An unmarried father has parental responsibility if he\u2019s named, or becomes named, on the child\u2019s birth certificate (from 15 April 2002).

    ", + "

    Births registered outside the UK

    ", + "

    If a child is born overseas and comes to live in the UK, parental responsibility depends on the UK country they\u2019re now living in.

    ", + "

    Same-sex parents

    ", + "

    Civil partners

    ", + "

    Same-sex partners will both have parental responsibility if they were civil partners at the time of the treatment, eg donor insemination or fertility treatment.

    ", + "

    Non-civil partners

    ", + "

    For same-sex partners who are not civil partners, the 2nd parent can get parental responsibility by either:

    ", + "
  • applying for parental responsibility if a parental agreement was made
  • ", + "
  • becoming a civil partner of the other parent and making a parental responsibility agreement or jointly registering the birth
  • ", + "

    Apply for parental responsibility

    ", + "

    If you\u2019re not the mother, you can apply to court to get parental responsibility.

    ", + "

    You need to be connected to the child, for example as their father, step-parent or 2nd female parent.

    ", + "

    More than 2 people can have parental responsibility for the same child.

    ", + "

    Scotland has its own set of rules, covered under \u2018ordinary cause procedures\u2019.

    ", + "

    Sign a parental responsibility agreement

    ", + "

    If you\u2019re a father who wants parental responsibility and the mother agrees, fill in a parental responsibility agreement.

    ", + "

    There\u2019s a different agreement form for step parents.

    ", + "

    Take the agreement to your local family court where it can be signed and witnessed.

    ", + "

    Also take the child\u2019s birth certificate and proof of your identity, like a passport or driving licence.

    ", + "

    Send 2 copies of the form to the address below:

    ", + "

    Apply for a court order

    ", + "

    If you want parental responsibility but cannot agree on arrangements with the mother, you can apply for a court order.

    ", + "

    A court order costs \u00a3215.

    ", + "

    You may be able to get help with court fees if you\u2019re on benefits or a low income.

    ", + "

    To apply, fill in the application for an order (C1).

    ", + "

    Send this to your local family court.

    ", + "

    If you and your partner use a surrogate to have a child, you\u2019ll need to apply for a parental order.

    " + ] + }, + { + "title": "Surrogacy: legal rights of parents and surrogates", + "url": "https://www.gov.uk/legal-rights-when-using-surrogates-and-donors", + "contents": [ + "

    Overview

    ", + "

    Surrogacy is legal in the UK, but if you make a surrogacy agreement it cannot be enforced by the law.

    ", + "

    The legal parents at birth

    ", + "

    If you use a surrogate, they will be the child\u2019s legal parent at birth.

    ", + "

    If the surrogate is married or in a civil partnership, their spouse or civil partner will be the child\u2019s second parent at birth, unless they did not give their permission.

    ", + "

    Legal parenthood can be transferred by parental order or adoption after the child is born.

    ", + "

    If there is disagreement about who the child\u2019s legal parents should be, the courts will make a decision based on the best interests of the child.

    ", + "

    Surrogacy agreements

    ", + "

    The intended parents and surrogate can record how they want the arrangement to work in a surrogacy agreement.

    ", + "

    Surrogacy agreements are not enforceable by UK law, even if you have a signed document with your surrogate and have paid their expenses.

    ", + "

    You cannot pay a surrogate in the UK, except for their reasonable expenses.

    ", + "

    Donor\u2019s rights

    ", + "

    If you use donated sperm or eggs with your surrogate, read about the rights of your donor.

    ", + "

    Read more about surrogacy and the legal process.

    ", + "

    Become the child\u2019s legal parent

    ", + "

    You must apply for a parental order or adoption if you want to become the legal parent of the child.

    ", + "

    Parental orders

    ", + "

    You can apply for a parental order with a partner or on your own.

    ", + "

    Apply with a partner

    ", + "

    One of you must be genetically related to the child - in other words, be the egg or sperm donor.

    ", + "

    You must be one of the following:

    ", + "
  • married
  • ", + "
  • civil partners
  • ", + "
  • living as partners
  • ", + "

    You must also:

    ", + "
  • have the child living with you
  • ", + "
  • reside permanently in either the UK, Channel Islands or Isle of Man
  • ", + "

    You must apply within 6 months of the child\u2019s birth.

    ", + "

    Apply as an individual

    ", + "

    You must be genetically related to the child - in other words, be the egg or sperm donor.

    ", + "

    You must also:

    ", + "
  • have the child living with you
  • ", + "
  • reside permanently in either the UK, Channel Islands or Isle of Man
  • ", + "

    You can apply for a child of any age if you apply before 4 July 2019. From 4 July 2019 you must apply within 6 months of the child\u2019s birth.

    ", + "

    How to apply in England or Wales

    ", + "

    You must fill in a \u2018C51 application form for a parental order\u2019 and take or send it to a family court.

    ", + "

    You do not have to use your local family court, but you\u2019ll need to explain why if you do not.

    ", + "

    You\u2019ll need to provide the child\u2019s full birth certificate and will also be charged a court fee of \u00a3215.

    ", + "

    The court will then set a date for the hearing and issue you with a \u2018C52 acknowledgement form\u2019 that you must give to the child\u2019s legal parent, in other words, your surrogate.

    ", + "

    The surrogate and anyone else who\u2019s a parent of the child must agree to the parental order by filling in form A101A.

    ", + "

    How to apply in Scotland or Northern Ireland

    ", + "

    The process is different if you live in Scotland or Northern Ireland.

    ", + "

    In Scotland, contact the Court of Session or Sheriff Court.

    ", + "

    In Northern Ireland, contact the Courts and Tribunals Service.

    ", + "

    Adoption

    ", + "

    If neither you or your partner are related to the child, adoption is the only way you can become the child\u2019s legal parent.

    ", + "

    Children born outside the UK

    ", + "

    If your surrogate gives birth abroad, you can only apply for a parental order if you and your partner are living in the UK.

    ", + "

    If the child is not a UK or EU national, they will need a visa to enter the UK during this process.

    ", + "

    Using a surrogate abroad can be complicated because different countries have different rules. You may want to get legal advice or contact The Human Fertilisation and Embryology Authority for more information.

    ", + "

    You can also read about returning to the UK with your child.

    ", + "

    Pay and leave

    ", + "

    You and your partner may be eligible for adoption pay and leave and paternity pay and leave if you use a surrogate.

    ", + "

    If you\u2019re not eligible for paid leave, you may be able to take parental leave or annual leave.

    ", + "

    Surrogates

    ", + "

    Every pregnant employee has the right to 52 weeks\u2019 maternity leave and to return to their job after this.

    ", + "

    What a surrogate does after the child is born does not affect their right to maternity leave.

    " + ] + }, + { + "title": "Apply for a one-off decision from the Court of Protection", + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "contents": [ + "

    Overview

    ", + "

    Apply to the Court of Protection if both of the following apply:

    ", + "
  • you\u2019re concerned about the personal welfare or property and financial affairs of someone who\u2019s lost mental capacity
  • ", + "
  • you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home
  • ", + "

    You can only apply to the court if there\u2019s a major disagreement about a serious decision which cannot be agreed any other way. There are general rules and examples in the Mental Capacity Act 2005 Code of Practice.

    ", + "

    Check if someone has an attorney or deputy acting for them before you apply.

    ", + "

    If there\u2019s an immediate risk to the person

    ", + "

    Apply for an emergency or urgent court order if you think there\u2019s an immediate risk to the person, for example they need emergency medical treatment they cannot consent to.

    ", + "

    If the person needs long-term help

    ", + "

    You may have to apply to become a deputy if the person needs long-term help with decisions about personal welfare or property and financial affairs.

    ", + "

    How to apply

    ", + "

    Download and fill in:

    ", + "
  • an application form (COP1) - send the original and 2 copies
  • ", + "
  • an assessment of capacity form (COP3) - get the person\u2019s doctor or other medical professional to fill in the relevant parts, and send the original and a copy
  • ", + "

    You may also need to download and fill in:

    ", + "
  • supporting information for property and financial affairs decisions (COP1A) - include any other relevant details by sending a completed witness form (COP24) with your application
  • ", + "
  • supporting information for personal welfare applications (COP1B) - send the original and a copy
  • ", + "

    You must pay \u00a3365 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    Send a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms.

    ", + "

    Read the application form guidance notes (COP1) if you need help.

    ", + "

    What happens next

    ", + "

    You must tell:

    ", + "
  • the person you\u2019re applying to get a one-off decision for
  • ", + "
  • people connected to the application
  • ", + "

    Tell them after you apply.

    ", + "

    Tell other people you've applied

    ", + "

    The Court of Protection will send you a copy of your application forms - they\u2019ll be stamped with an issue date.

    ", + "

    You\u2019ll also get a letter from the court telling you what to do next.

    ", + "

    You must tell (\u2018serve\u2019) certain people about the application within 14 days of the issue date.

    ", + "

    Tell the person you\u2019re applying to get a one-off decision for

    ", + "

    You or your representative must visit the person and tell them:

    ", + "
  • who\u2019s applying to get a one-off decision about their personal welfare or property and financial affairs
  • ", + "
  • that their ability to make decisions is being questioned
  • ", + "
  • what the one-off decision would mean for them
  • ", + "
  • where to get advice if they want to discuss the application
  • ", + "

    You must give the person:

    ", + "
  • a completed form COP 14 - use the guidance notes to fill it in yourself
  • ", + "
  • an acknowledgment form (COP5), so they can confirm they\u2019ve been told
  • ", + "
  • any other documents related to your application
  • ", + "

    The person can get advice and assistance from the Court of Protection.

    ", + "

    Tell people connected to the application

    ", + "

    You must tell people named on your application that it\u2019s been issued.

    ", + "

    Send them:

    ", + "
  • a notice that an application form has been issued (COP15)
  • ", + "
  • an acknowledgment form (COP5) so they can confirm they\u2019ve been told
  • ", + "
  • any other documents related to your application
  • ", + "

    You can tell them:

    ", + "
  • by post
  • ", + "
  • by fax or email
  • ", + "
  • in person
  • ", + "

    Confirm you\u2019ve told people (\u2018served notice\u2019)

    ", + "

    You must confirm you\u2019ve told people within 7 days of sending the forms. Download and fill in both:

    ", + "
  • form (COP20A) for the person you\u2019re applying to get a one-off decision for
  • ", + "
  • form (COP20B) for other people named in the application
  • ", + "

    These forms are sometimes called \u2018certificates of service\u2019.

    ", + "

    You must send both forms to the Court of Protection at the same time.

    ", + "

    What happens next

    ", + "

    You\u2019ll hear from the Court of Protection after you\u2019ve \u2018served notice\u2019 (told other people you\u2019ve applied).

    ", + "

    The court will tell you if:

    ", + "
  • your application\u2019s been approved or rejected
  • ", + "
  • you have to provide more information to support your application, for example a report from social services
  • ", + "
  • it\u2019s going to hold a hearing to make a decision, and when and where it\u2019ll take place
  • ", + "

    If there\u2019s a hearing

    ", + "

    You must attend the hearing. You\u2019ll get a letter with a hearing date (\u2018notice\u2019) if the court decides to have a hearing.

    ", + "

    You must tell the person you\u2019re getting a decision for about the hearing:

    ", + "
  • within 14 days of getting the notice
  • ", + "
  • at least 14 days before the date of the hearing
  • ", + "

    Fill in the notice about proceedings (COP14) and give it to the person you\u2019re getting a decision for. Use the guidance notes if you need help.

    ", + "

    The person can contact the Court of Protection for advice and assistance - you must explain this to them.

    ", + "

    Send a certificate of service (COP20A) to the Court of Protection within 7 days of when you told the person.

    ", + "

    You must pay \u00a3500 if the court makes a final decision at the hearing.

    ", + "

    Get a decision

    ", + "

    If there\u2019s a hearing, you\u2019ll get a decision at it or afterwards by post.

    ", + "

    You\u2019ll get a decision by post if there is not a hearing.

    ", + "

    Challenge a decision

    ", + "

    You can apply to the court for the decision to be reconsidered if it was made without a hearing - use form (COP9).

    ", + "

    You must apply within 21 days of the date the decision was made.

    ", + "

    Appeal a decision

    ", + "

    You must ask for permission to appeal if there was a hearing. Download and fill in the appellants\u2019 notice (COP35).

    ", + "

    You must pay \u00a3230. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    " + ] + }, + { + "title": "Apply to the Mental Health Tribunal", + "url": "https://www.gov.uk/mental-health-tribunal", + "contents": [ + "

    Overview

    ", + "

    You can apply to the First-tier Tribunal (Mental Health) if you\u2019re admitted (\u2018detained\u2019) as a patient in a psychiatric hospital (\u2018sectioned\u2019) and want to be discharged.

    ", + "

    You can apply on a patient\u2019s behalf if you\u2019re their:

    ", + "
  • legal representative
  • ", + "
  • \u2018nearest relative\u2019
  • ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    You can also apply to the tribunal if you want to change:

    ", + "
  • a community treatment order
  • ", + "
  • the conditions placed on your \u2018conditional discharge\u2019 from hospital
  • ", + "

    The tribunal deals with cases in England. There are different rules in Wales and rules in Scotland.

    ", + "

    When to apply

    ", + "

    When you apply depends on how you were admitted - ask your doctor or lawyer (if you have one) if you\u2019re unsure.

    ", + "

    There are deadlines for the first time you apply - you must apply within:

    ", + "
  • 14 days if you\u2019ve been admitted for assessment (\u2018section 2\u2019)
  • ", + "
  • 6 months if you\u2019ve been admitted for treatment (\u2018section 3\u2019)
  • ", + "

    Get legal advice if you\u2019re a \u2018restricted patient\u2019, for example you\u2019ve received an order from the Crown Court or been transferred from prison- the deadlines depend on your situation.

    ", + "

    If you miss the deadline

    ", + "

    You cannot apply to be discharged if you miss the deadline but you may be able to apply again later, for example after a year if you\u2019ve been admitted for treatment (\u2018section 3\u2019).

    ", + "

    The tribunal will automatically look at your case again after a certain period of time. This is sometimes known as a \u2018referral\u2019. The period of time depends on your case, for example:

    ", + "
  • if it\u2019s been 3 years since the tribunal gave you a hearing
  • ", + "
  • you\u2019ve not had a hearing in the first 6 months of your detention
  • ", + "

    Help you can get

    ", + "

    You can get free legal help if you\u2019re a patient. It does not cost you anything as it\u2019s paid for by legal aid.

    ", + "

    Find a legal advisor near you or ask the tribunal to find one for you when you apply.

    ", + "

    You can also get advice from:

    ", + "
  • Carers Direct
  • ", + "
  • the charity Mind
  • ", + "
  • the charity Rethink
  • ", + "

    Apply to the tribunal

    ", + "

    Download and fill in an application to the First-tier Tribunal (Mental Health). You must include:

    ", + "
  • what you\u2019re applying for, for example discharge if you\u2019ve been admitted for assessment or treatment
  • ", + "
  • the patient\u2019s first name, surname and date of birth
  • ", + "
  • full details of the care coordinator and hospital
  • ", + "
  • the date of the section or order
  • ", + "
  • contact details for the \u2018nearest relative\u2019 (if there is one)
  • ", + "
  • your lawyer\u2019s details (if you have one)
  • ", + "
  • whether you need an interpreter
  • ", + "

    Send the form

    ", + "

    Post or email the form to HM Courts and Tribunals Service. The contact details are on the form.

    ", + "

    Contact the tribunal by phone or email if you have any questions about completing the form. The helpline and email address cannot give you legal advice.

    ", + "

    After you apply

    ", + "

    You\u2019ll be told when the tribunal has received your application. You\u2019ll get information on your rights to legal representation if you did not include a lawyer\u2019s details in your application.

    ", + "

    Your \u2018nearest relative\u2019 will usually be told the date of the hearing - they can attend unless you object. Nearer the time of the hearing you\u2019ll be given copies of reports so that you can check that the information\u2019s correct and work out any questions you want to ask.

    ", + "

    The date of the hearing depends on your situation. You\u2019ll usually get a hearing within:

    ", + "
  • 7 days of applying if you\u2019ve been admitted for assessment
  • ", + "
  • 2 months if you\u2019ve been admitted for treatment
  • ", + "
  • 4 months if you\u2019ve received an order from the Crown Court or been transferred from prison (known as a \u2018restricted patient\u2019)
  • ", + "

    Evidence from the tribunal doctor

    ", + "

    You can ask for a pre-hearing examination with the tribunal doctor if you want one.

    ", + "

    If you\u2019ve been admitted for assessment, do this in writing when you send your application to the tribunal.

    ", + "

    If you\u2019ve been admitted for treatment or you\u2019re a restricted patient, you must do this at least 2 weeks before the hearing.

    ", + "

    Write to:

    ", + "

    Because of coronavirus (COVID-19), your pre-hearing examination may take place by video.

    ", + "

    The tribunal will also ask the hospital for reports from:

    ", + "
  • your doctor
  • ", + "
  • the social work and nursing teams responsible for your care
  • ", + "
  • the Secretary of State for Justice if you\u2019re a restricted patient (and your social supervisor if you\u2019re living in the community on conditional discharge)
  • ", + "

    If you do not want to continue with your application

    ", + "

    Write to the tribunal as soon as possible if you do not want to continue with your application. The tribunal will decide whether to accept your withdrawal.

    ", + "

    You cannot withdraw your case if it was automatically referred to the tribunal, but you do not have to go to the hearing if you do not want to.

    ", + "

    What happens at the hearing

    ", + "

    Because of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. The tribunal will contact you and tell you how the hearing will take place.

    ", + "

    You do not have to attend the hearing if you do not want to. You can bring a legal representative and a relative to the hearing if you do go - your representative can arrange for witnesses or experts to attend.

    ", + "

    Hearings are usually held in private and attended by:

    ", + "
  • a judicial panel, made up of a judge, a doctor and a specialist lay member (for example a mental health social worker)
  • ", + "
  • the patient
  • ", + "
  • their hospital doctor, ward nurse and social worker
  • ", + "
  • your legal representative, if you have one
  • ", + "

    The doctor, nurse and social worker will give evidence. You can also give evidence, and ask questions.

    ", + "

    The tribunal will also look at:

    ", + "
  • your pre-hearing examination from the tribunal doctor, if you had one
  • ", + "
  • an independent psychiatric report, if your legal representative asked for one
  • ", + "

    If you\u2019re a \u2018restricted patient\u2019 and have committed a serious offence against a person, they or their family can ask (or make \u2018representations\u2019) for certain conditions if the tribunal thinks you\u2019re ready for discharge.

    ", + "

    Claim expenses

    ", + "

    You may be able to claim expenses for going to the hearing. This includes money for:

    ", + "
  • travel costs
  • ", + "
  • loss of earnings
  • ", + "
  • food and drink, if you\u2019re away for more than 5 hours
  • ", + "

    Read the guidance on claiming expenses.

    ", + "

    The tribunal's decision

    ", + "

    The tribunal usually decides at the end of the hearing on whether you should be discharged - you\u2019ll get the decision on the day, and you\u2019ll usually get full written reasons with 7 days of the hearing.

    ", + "

    The tribunal can:

    ", + "
  • order your release (on the same day or at a future date)
  • ", + "
  • recommend that you\u2019re transferred to a different hospital
  • ", + "
  • recommend that your doctor considers you for treatment in the community
  • ", + "
  • recommend that you\u2019re allowed to leave the hospital for periods of time, to see if you\u2019re ready for life in the community
  • ", + "

    The tribunal cannot change your treatment, for example medication.

    ", + "

    Appeal

    ", + "

    If you lose your case, you can ask the tribunal:

    ", + "
  • to cancel the decision - you must do this within 28 days of getting the written decision
  • ", + "
  • for permission to appeal to a higher tribunal (the \u2018Upper Tribunal\u2019)
  • ", + "

    Ask the tribunal to cancel the decision

    ", + "

    You\u2019ll be told how to get a decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process, for example you were not told about the hearing so did not go.

    ", + "

    If the tribunal cancels the decision, you may be able to get a new hearing.

    ", + "

    Contact Citizens Advice if you need help.

    ", + "

    Appeal to the Upper Tribunal

    ", + "

    You can ask for permission to appeal to the Upper Tribunal if you think there was a legal mistake, for example if they:

    ", + "
  • did not apply the correct law or wrongly interpreted the law
  • ", + "
  • did not follow the correct procedures
  • ", + "
  • had no evidence or not enough evidence to support its decision
  • ", + "

    Fill in the application for permission to appeal - the address is on the form.

    ", + "

    Another judge will look to see if there\u2019s a legal problem with your case and if it needs to be heard again.

    ", + "

    Complain

    ", + "

    You cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.

    ", + "

    Legislation

    ", + "

    The tribunal will make a decision based on:

    ", + "
  • Mental Health Act 1983 (as amended by the Mental Health Act 2007)
  • ", + "
  • Mental Health Act 2007
  • ", + "
  • Human Rights Act 1998 if the case is about human rights
  • ", + "

    The tribunal must follow the Tribunal Procedure (First-Tier Tribunal) (Health, Education And Social Care Chamber) Rules 2008.

    ", + "

    Doctors\u2019 statements and reports must be written in line with the practice directions.

    " + ] + }, + { + "title": "Claim a deputyship fee refund", + "url": "https://www.gov.uk/deputyship-refund", + "contents": [ + "

    Overview

    ", + "

    You might be eligible for a refund if you were overcharged deputyship fees by the Office of the Public Guardian (OPG) for England and Wales.

    ", + "

    The refunds are only for deputyship assessments and annual supervisions which took place between 1 April 2008 and 31 March 2015.

    ", + "

    This page is also available in Welsh (Cymraeg).

    ", + "

    To find out if you\u2019re owed any money and how much you\u2019ll get, you\u2019ll need to make a claim to the OPG.

    ", + "

    If you\u2019re a deputy acting under a current court order, you do not need to apply for a refund. Any overcharged fees will be refunded automatically.

    ", + "

    The deadline for refund claims is 4 October 2022.

    ", + "

    What you\u2019ll get

    ", + "

    How much you get will depend on:

    ", + "
  • how much you paid and at what rate
  • ", + "
  • how long you paid for
  • ", + "
  • whether you have unpaid fees
  • ", + "

    Most refunds will be less than \u00a3200. You\u2019ll also get 0.5% interest.

    ", + "

    Who can claim

    ", + "

    You can make a claim if you:

    ", + "
  • had a deputy previously
  • ", + "
  • are acting on behalf of someone who had a deputy and has died
  • ", + "

    The deputyship must have been active between 1 April 2008 and 31 March 2015.

    ", + "

    If you\u2019re still acting as a deputy, you do not need to apply. Any overcharged fees will be refunded automatically.

    ", + "

    If you had a deputy previously

    ", + "

    If you had a deputy but you now make your own decisions, you can apply for a refund.

    ", + "

    You can also ask your property and financial affairs attorney to make a claim on your behalf.

    ", + "

    If you\u2019re acting on behalf of someone who has died

    ", + "

    If the person who used to have a deputy (the \u2018client\u2019) has died, the executor of the will must claim the refund.

    ", + "

    If there is no executor, an administrator of the estate can apply.

    ", + "

    If there is no estate administrator, a family member can apply.

    ", + "

    What you do with the refund

    ", + "

    Any refund received should be divided between the beneficiaries of the client\u2019s estate.

    ", + "

    If the client\u2019s estate has already been settled, you can get help from Citizens Advice or a solicitor to make sure you comply with the law.

    ", + "

    What you'll need to claim

    ", + "

    To claim, you\u2019ll need details of the person who had a deputy (the \u2018client\u2019). This includes their:

    ", + "
  • name
  • ", + "
  • date of birth
  • ", + "
  • address when the deputyship ended
  • ", + "
  • date of death (if relevant)
  • ", + "

    You\u2019ll also need to provide details of the bank account you\u2019d like the refund to be paid in to (if you do not want to be refunded by cheque).

    ", + "

    Documents you\u2019ll need to provide

    ", + "

    You\u2019ll need to send proof of your:

    ", + "
  • name
  • ", + "
  • address
  • ", + "
  • right to apply (if you\u2019re not the client)
  • ", + "

    You can send scanned and photocopied documents.

    ", + "

    You can also send original documents. They will be returned to you by post.

    ", + "

    You need to send a different piece of evidence for each type of proof.

    ", + "

    Proof of your name

    ", + "

    This can be:

    ", + "
  • current signed passport (copy of the page showing your name and photograph)
  • ", + "
  • original birth or adoption certificate
  • ", + "
  • current UK or EEA photocard driver\u2019s licence (not provisional licence)
  • ", + "
  • full old-style driving licence
  • ", + "
  • EEA member state identity card or national identity photo card
  • ", + "
  • benefit book or original notification letter from the benefits agency
  • ", + "

    Proof of your address

    ", + "

    This can be:

    ", + "
  • utility bill (not a mobile phone bill) from the last 12 months
  • ", + "
  • current council tax bill
  • ", + "
  • bank, building society or credit union statement or passbook dated within the last 3 months
  • ", + "
  • original mortgage statement issued for the last full year
  • ", + "
  • council or housing association or rent card or tenancy agreement for the current year
  • ", + "

    Proof of your right to apply

    ", + "

    Include a copy of:

    ", + "
  • grant of probate (executors)
  • ", + "
  • letters of administration (administrators)
  • ", + "
  • death certificate (family members)
  • ", + "

    If you\u2019re a property and financial affairs attorney, you\u2019ll need to provide the lasting power of attorney reference number.

    ", + "

    How to claim

    ", + "

    You will need to complete a form and send it with your evidence.

    ", + "

    Claim by email

    ", + "

    Send the form and evidence as email attachments to:

    ", + "

    DeputyshipFeeRefunds@justice.gov.uk

    ", + "

    You\u2019ll need to attach scanned copies or clear photographs of original documents. The email size limit is 10MB but you can send more than one email.

    ", + "

    Write \u2018Deputyship fee refund application\u2019 as the email subject.

    ", + "

    Claim by post

    ", + "

    Post the form and your evidence to:

    ", + "

    Claim by phone

    ", + "

    If you cannot claim by email or fill in the form yourself, contact the helpline. You\u2019ll still need to send evidence.

    ", + "

    After you've claimed

    ", + "

    You\u2019ll be told by email or letter:

    ", + "
  • when your application has been received
  • ", + "
  • if any information is missing
  • ", + "
  • whether your claim is successful
  • ", + "
  • the refund amount and when it\u2019ll be paid
  • ", + "
  • the reasons for any rejection
  • ", + "

    When you\u2019ll get the refund

    ", + "

    It can take up to 10 weeks to get a decision and a further 2 weeks to receive the refund.

    ", + "

    If your claim is rejected

    ", + "

    You can appeal by contacting the Refunds Helpline.

    " + ] + }, + { + "title": "Claiming and dealing with tax credits for someone else", + "url": "https://www.gov.uk/getting-help-with-your-tax-credits-claim", + "contents": [ + "

    Overview

    ", + "

    You can get permission to deal with someone else\u2019s tax credits. The type of permission you need depends on what you want to do.

    ", + "

    You can:

    ", + "
  • contact HM Revenue and Customs (HMRC) about someone else\u2019s claim - as an authorised intermediary
  • ", + "
  • take responsibility for someone else\u2019s tax credit claim when they cannot manage their own affairs - as an appointee
  • ", + "
  • claim tax credits for both your child and their baby
  • ", + "

    Authorisation

    ", + "

    You must be authorised to talk to HM Revenue and Customs (HMRC) about someone else\u2019s tax credits. If you\u2019re not, every time you call that person must first confirm their identity and say they\u2019re happy for you to act for them.

    ", + "

    Get authorised

    ", + "

    Send form TC689 to HMRC. This must be signed by the person (or persons if it\u2019s a joint claim) you\u2019re representing.

    ", + "

    The authorisation lasts 12 months unless a different end date is put on the form. It usually takes 2 days to get authorised from when your form is received but can take longer if you send a letter instead of form TC689. Usually, you will not get a letter confirming your authorisation.

    ", + "

    More than one person can be authorised but each one must send a TC689 form.

    ", + "

    Tax credits will not be paid into your account unless you\u2019re the appointee.

    ", + "

    If you act for a lot of clients

    ", + "

    Write to HMRC to register as an \u2018intermediary organisation\u2019 if you work in the voluntary sector and act for many people.

    ", + "

    You can get urgent authorisation online if you\u2019re an intermediary organisation and you have a completed TC689.

    ", + "

    Use form 64-8 to get authorisation if you\u2019re a paid agent. You can then use the Agent Priority Line to contact HMRC.

    ", + "

    Cancel an authorisation

    ", + "

    An authorisation can be cancelled by writing to HMRC.

    ", + "

    Appointees

    ", + "

    You can apply for the right to deal with the tax credits of someone who cannot manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.

    ", + "

    This is called becoming an \u2018appointee\u2019.

    ", + "

    You\u2019re not an appointee if you just help someone complete their claim form.

    ", + "

    Applying to become a tax credit appointee

    ", + "

    You must be over 18 and have a bank account. You do not have to be a relative.

    ", + "

    If you have a tax credit claim form, complete the appointee section explaining why the person cannot complete and sign their form. Then send the form to HM Revenue and Customs (HMRC). They may contact you for more information before deciding whether to make you an appointee or not.

    ", + "

    If you do not have a claim form, contact HMRC.

    ", + "

    Your responsibilities

    ", + "

    You must:

    ", + "
  • sign the tax credit claim form
  • ", + "
  • renew the tax credits claim
  • ", + "
  • report any changes which affect how much money the person gets
  • ", + "
  • tell HMRC if you\u2019re no longer the appointee
  • ", + "

    Any tax credits the person gets are paid directly into your bank account. If you make a false or misleading statement you may be charged a penalty.

    ", + "

    The claimant is responsible for paying back overpayments. Their tax credits may be reduced or you may be asked to make a direct payment on their behalf.

    ", + "

    Stop being an appointee

    ", + "

    Write to HMRC within 1 month of when you want to stop being the appointee.

    ", + "

    Claim on behalf of your child

    ", + "

    Your child is under 16

    ", + "

    If your child has a baby, you can make the claim for both of them if they live with you. The money will be paid to you.

    ", + "

    Your child is over 16

    ", + "

    Your child can make the claim themselves if they\u2019re over 16 and have a baby.

    ", + "

    You can make the claim for them if both the following apply:

    ", + "
  • your child and their baby live with you
  • ", + "
  • your child is in approved education or training
  • ", + "

    You must stop claiming tax credits for your child if they start claiming tax credits for themselves. Phone HM Revenue and Customs (HMRC) to stop claiming tax credits.

    " + ] + }, + { + "title": "Deputies: make decisions for someone who lacks capacity", + "url": "https://www.gov.uk/become-deputy", + "contents": [ + "

    Overview

    ", + "

    You can apply to become someone\u2019s deputy if they \u2018lack mental capacity\u2019. This means they cannot make a decision for themselves at the time it needs to be made. They may still be able to make decisions for themselves at certain times.

    ", + "

    People may lack mental capacity because, for example:

    ", + "
  • they\u2019ve had a serious brain injury or illness
  • ", + "
  • they have dementia
  • ", + "
  • they have severe learning disabilities
  • ", + "

    As a deputy, you\u2019ll be authorised by the Court of Protection to make decisions on their behalf.

    ", + "

    Types of deputy

    ", + "

    There are 2 types of deputy.

    ", + "

    Property and financial affairs deputy

    ", + "

    You\u2019ll do things like pay the person\u2019s bills or organise their pension.

    ", + "

    Personal welfare deputy

    ", + "

    You\u2019ll make decisions about medical treatment and how someone is looked after.

    ", + "

    You cannot become someone\u2019s personal welfare deputy if they\u2019re under 16. Get legal advice if you think the court needs to make a decision about their care.

    ", + "

    The court will usually only appoint a personal welfare deputy if:

    ", + "
  • there\u2019s doubt whether decisions will be made in someone\u2019s best interests, for example because the family disagree about care
  • ", + "
  • someone needs to be appointed to make decisions about a specific issue over time, for example where someone will live
  • ", + "

    Read the full guidance about when you need to make a personal welfare application.

    ", + "

    Becoming a deputy

    ", + "

    You can apply to be just one type of deputy or both. If you\u2019re appointed, you\u2019ll get a court order saying what you can and cannot do.

    ", + "

    When you become a deputy, you must send an annual report to the Office of the Public Guardian (OPG) each year explaining the decisions you\u2019ve made.

    ", + "

    How to apply

    ", + "

    Check you meet the requirements to be a deputy.

    ", + "

    Send the application forms to the Court of Protection and pay the application fee.

    ", + "

    You do not need to be a deputy if you\u2019re just looking after someone\u2019s benefits. Apply to become an appointee instead.

    ", + "

    Checks on your application

    ", + "

    The Court of Protection will check:

    ", + "
  • whether the person needs a deputy or some other kind of help
  • ", + "
  • there are no objections to your appointment
  • ", + "

    If you\u2019re appointed, the Office of the Public Guardian will help you carry out your responsibilities.

    ", + "

    You\u2019ll continue to be a deputy until your court order is changed, cancelled or expires.

    ", + "

    Other ways to make decisions for someone

    ", + "

    If you want to make a single important decision, you can apply to the Court of Protection for a one-off order.

    ", + "

    If the person already has a lasting power of attorney (LPA) or enduring power of attorney (EPA), they do not usually need a deputy. Check if they have an LPA or EPA before you apply.

    ", + "

    Who can apply to be a deputy

    ", + "

    You can apply to be a deputy if you\u2019re 18 or over. Deputies are usually close relatives or friends of the person who needs help making decisions.

    ", + "

    If you want to become a property and affairs deputy, you need to have the skills to make financial decisions for someone else.

    ", + "

    The court can appoint 2 or more deputies for the same person.

    ", + "

    When there\u2019s more than one deputy

    ", + "

    When you apply, tell the court how you\u2019ll make decisions if you\u2019re not the only deputy. It will be either:

    ", + "
  • together (\u2018joint deputyship\u2019), which means all the deputies have to agree on the decision
  • ", + "
  • separately or together (\u2018jointly and severally\u2019), which means deputies can make decisions on their own or with other deputies
  • ", + "

    Other types of deputy

    ", + "

    Some people are paid to act as deputies, for example accountants, solicitors or representatives of the local authority.

    ", + "

    The Court of Protection can appoint a specialist deputy (called a \u2018panel deputy\u2019) from a list of approved law firms and charities if no one else is available.

    ", + "

    Responsibilities

    ", + "

    As a deputy, you\u2019re responsible for helping someone make decisions or making decisions on their behalf.

    ", + "

    You must consider someone\u2019s level of mental capacity every time you make a decision for them - you cannot assume it\u2019s the same at all times and for all kinds of things.

    ", + "

    You\u2019ll get a court order from the Court of Protection which says what you can and cannot do. There are also general rules and examples in the Mental Capacity Act 2005 Code of Practice.

    ", + "

    Guidance for all deputies

    ", + "

    When you\u2019re making a decision, you must:

    ", + "
  • make sure it\u2019s in the other person\u2019s best interests
  • ", + "
  • consider what they\u2019ve done in the past
  • ", + "
  • apply a high standard of care - this might mean involving other people, for example getting advice from relatives and professionals like doctors
  • ", + "
  • do everything you can to help the other person understand the decision, for example explain what\u2019s going to happen with the help of pictures or sign language
  • ", + "
  • add the decisions to your annual report
  • ", + "

    You must not:

    ", + "
  • restrain the person, unless it\u2019s to stop them coming to harm
  • ", + "
  • stop life-sustaining medical treatment
  • ", + "
  • take advantage of the person\u2019s situation, for example abuse them or profit from a decision you\u2019ve taken on their behalf
  • ", + "
  • make a will for the person, or change their existing will
  • ", + "
  • make gifts unless the court order says you can
  • ", + "
  • hold any money or property in your own name on the person\u2019s behalf
  • ", + "

    Property and affairs deputies

    ", + "

    You must make sure:

    ", + "
  • your own property and money is separate from the other person\u2019s
  • ", + "
  • you keep records of the finances you manage on their behalf in your annual report
  • ", + "

    You may need to manage a Court Funds Office account on the other person\u2019s behalf.

    ", + "

    You could be fined or sent to prison for up to 5 years (or both) if you mistreat or neglect the person on purpose.

    ", + "

    Apply to be a deputy

    ", + "

    You need to download and fill in all of the following:

    ", + "
  • an application form (COP1) - you\u2019ll need to send the original form plus a copy when you apply
  • ", + "
  • an assessment of capacity form (COP3)
  • ", + "
  • a deputy\u2019s declaration (COP4)
  • ", + "

    You also need to download and fill in:

    ", + "
  • a supporting information form (COP1A) if you\u2019re applying to be a property and affairs deputy
  • ", + "
  • a supporting information form (COP1B) if you\u2019re applying to be a personal welfare deputy
  • ", + "

    You must name at least 3 people in your application who know the person you\u2019re applying to be deputy for. For example, their relatives, a social worker or doctor.

    ", + "

    The court may not accept your application if you do not send the \u2018assessment of capacity\u2019 (COP3) form.

    ", + "

    If you cannot get an assessment, you must download and fill in a witness statement (COP24) to explain why you think the person you\u2019re applying about lacks capacity.

    ", + "

    You should keep a copy of every form you fill in.

    ", + "

    Where to send your forms

    ", + "

    Send the forms, including 2 copies of the application form (COP1), to the Court of Protection with a cheque for the application fee.

    ", + "

    Tell people named in your application

    ", + "

    The court will aim to send you a stamped copy of your application within a week of receiving it. This means your application is being considered (it has been \u2018issued\u2019). You\u2019ll be sent a letter explaining what to do next.

    ", + "

    Within 14 days of the application being issued, you must tell (sometimes called \u2018serving\u2019) the following people:

    ", + "
  • the person you\u2019re applying to be a deputy for
  • ", + "
  • at least 3 people named in your application as having an interest, for example the person\u2019s relatives, social worker or doctor
  • ", + "

    If you cannot tell 3 people you should send in a witness statement (COP24).

    ", + "

    Tell the person you\u2019re applying to be a deputy for

    ", + "

    You or your representative must visit the person and tell them:

    ", + "
  • who\u2019s applying to be their deputy
  • ", + "
  • that their ability to make decisions is being questioned
  • ", + "
  • what having a deputy would mean for them
  • ", + "
  • where to get advice if they want to discuss the application
  • ", + "

    During the visit give them:

    ", + "
  • a completed proceedings notification form (COP14) - use the guidance notes to fill this in yourself
  • ", + "
  • an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it
  • ", + "
  • any other documents related to your application
  • ", + "

    Tell people connected to your application

    ", + "

    You must tell 3 people named on your application that it has been issued.

    ", + "

    Send them:

    ", + "
  • a notice that an application form has been issued (COP15)
  • ", + "
  • an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it
  • ", + "
  • any other documents related to your application
  • ", + "

    You can tell them:

    ", + "
  • by post to their home address
  • ", + "
  • by fax or email
  • ", + "
  • in person
  • ", + "

    Confirming that you\u2019ve told people (\u2018served notice\u2019)

    ", + "

    Within 7 days of serving the documents, you must download and fill in the relevant forms (sometimes called \u2018certificates of service\u2019) confirming you\u2019ve told:

    ", + "
  • the person you\u2019re applying to be deputy for (COP20A)
  • ", + "
  • other people named in the application (COP20B)
  • ", + "

    Send them all together to the Court of Protection.

    ", + "

    Fees

    ", + "

    You must pay:

    ", + "
  • a fee to apply to be a deputy
  • ", + "
  • a supervision fee every year after you\u2019ve been appointed
  • ", + "

    You may also have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy.

    ", + "

    When you apply

    ", + "

    You must pay a \u00a3365 application fee. Send this with your application form.

    ", + "

    You need to pay the application fee twice if you\u2019re applying to become both types of deputy.

    ", + "

    You\u2019ll also need to pay \u00a3485 if the court decides your case needs a hearing. The court will tell you when you need to pay this.

    ", + "

    Make all cheques payable to \u2018HM Courts and Tribunals Service\u2019.

    ", + "

    Security bonds for property and affairs deputies

    ", + "

    You may have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy. This is a type of insurance that protects the finances of the person you\u2019re a deputy for.

    ", + "

    You do not have to set up a bond if either:

    ", + "
  • you\u2019re representing a local authority
  • ", + "
  • the court decides it\u2019s not necessary, for example if the person\u2019s estate has a low value
  • ", + "

    If you need to set one up, you\u2019ll get a letter from the court telling you this. The letter will explain what to do next.

    ", + "

    You set up the bond with a security bond provider. The amount you pay depends on:

    ", + "
  • the value of the estate of the person you\u2019re a deputy for
  • ", + "
  • how much of their estate you control
  • ", + "

    You can pay it either:

    ", + "
  • using the person\u2019s money
  • ", + "
  • yourself - you can get the money back from the person\u2019s estate once you have access to it
  • ", + "

    You may be prosecuted if you misuse the person\u2019s money.

    ", + "

    After you\u2019ve been appointed

    ", + "

    You must pay an annual supervision fee depending on what level of supervision your deputyship needs. You\u2019ll pay:

    ", + "
  • \u00a3320 for general supervision
  • ", + "
  • \u00a335 for minimal supervision - this applies to some property and affairs deputies managing less than \u00a321,000
  • ", + "

    Your annual supervision fee is due on 31 March for the previous year.

    ", + "

    You\u2019ll also need to pay a \u00a3100 assessment fee if you\u2019re a new deputy.

    ", + "

    The Office of the Public Guardian will tell you how and when to pay your assessment and supervision fees.

    ", + "

    You may be able to claim a refund of your fees in certain situations.

    ", + "

    Getting help with your application fee

    ", + "

    You may not have to pay an application fee depending on:

    ", + "
  • what type of deputy you\u2019re applying to be
  • ", + "
  • how much money you or the person you\u2019re applying to be deputy for has
  • ", + "Type of deputy | Whose finances will be assessed", + "Property and financial affairs | Theirs", + "Personal welfare | Yours", + "

    The guidance has information about getting help with your fees.

    ", + "

    You can claim back the fee from the funds of the person you want to be a deputy for if you\u2019re applying to be a property and affairs deputy.

    ", + "

    The fee will be refunded if the person dies within 5 days of the Court of Protection receiving the application.

    ", + "

    Getting help with your supervision fees

    ", + "

    You can apply for an exemption or reduction of the fee if the person you\u2019re a deputy for gets certain benefits or has an income below \u00a312,000. Read the guidance that comes with the form and apply if the person meets the requirements. The address is on the form.

    ", + "

    If the person you\u2019re deputy for dies, you pay the supervision fee for the part of the year when you acted as deputy. For example, you\u2019ll have to pay \u00a317.50 if your minimal supervision deputyship comes to an end after 6 months.

    ", + "

    After you've applied

    ", + "

    There\u2019s a 14-day wait after you tell the other people involved that you applied, in case they object.

    ", + "

    The Court of Protection will then review your application and tell you if:

    ", + "
  • your application\u2019s been approved or rejected
  • ", + "
  • you need to set up a security bond before you can be appointed
  • ", + "
  • you have to provide more information to support your application, for example a report from social services
  • ", + "
  • it\u2019s going to hold a hearing to get more information, for example if someone objected
  • ", + "

    There\u2019s usually no hearing if you applied to be a property and financial affairs deputy.

    ", + "

    Read guidance on how coronavirus (COVID-19) might affect your hearing and what you should bring.

    ", + "

    Tell the person you want to be a deputy for about the hearing

    ", + "

    You\u2019ll get a notice with the date of the hearing if the court decides to hold one. You must visit the person you want to be deputy for and tell them about it:

    ", + "
  • within 14 days of getting the notice
  • ", + "
  • at least 14 days before the date of the hearing
  • ", + "

    Give them a completed notice about proceedings (COP14). Use the guidance notes to fill it in.

    ", + "

    You must explain that they can contact Court of Protection staff for advice and assistance.

    ", + "

    When you\u2019ve told them, send a certificate of service (COP20A) to the Court of Protection within 7 days.

    ", + "

    You\u2019ll have to pay a fee if the court makes a final decision at the hearing.

    ", + "

    The guidance explains what to expect from a Court of Protection hearing.

    ", + "

    When you're appointed

    ", + "

    You\u2019ll be sent a \u2018court order\u2019 telling you what you can and cannot do as a deputy. When you have this, you can start acting on the person\u2019s behalf.

    ", + "

    You\u2019ll be sent the court order:

    ", + "
  • as soon as you\u2019re appointed - if you\u2019re a personal welfare deputy
  • ", + "
  • after you set up a security bond - if you\u2019re a property and affairs deputy and have been asked to do this by the court
  • ", + "

    You\u2019ll need a separate court order before you can:

    ", + "
  • sell a property that\u2019s jointly owned if you\u2019re a property and affairs deputy
  • ", + "
  • make a one-off decision on anything else that\u2019s not covered by the court order
  • ", + "

    Check the court order. If there are any mistakes, download and fill in form COP9 with the details and send it to the court within 21 days of receiving the court order. There is no fee.

    ", + "

    Tell people and organisations you\u2019re a deputy

    ", + "

    You\u2019ll get official copies of the court order to send to banks and building societies, for example. These prove you\u2019re acting on behalf of the other person. When you send out an official copy, ask for it to be returned.

    ", + "

    Order extra copies of the court order by writing to the Court of Protection. They cost \u00a35 each.

    ", + "

    Start managing a bank account

    ", + "

    Before you can manage an account, you must show the bank:

    ", + "
  • the original court order, or an official copy of it
  • ", + "
  • proof of your name, for example your passport or driving licence
  • ", + "
  • proof of your address, for example a gas, electricity or council tax bill, or letter from a government department
  • ", + "
  • proof of the name or address of the person you\u2019re applying to be deputy for - if they\u2019re not the same as on the bank account
  • ", + "

    Court Funds Office accounts

    ", + "

    If the person you\u2019re deputy for has money in a Court Funds Office account, you\u2019ll be sent information about how to access it.

    ", + "

    You can also apply to open an account with the Court Funds Office if you\u2019re a property and affairs deputy and it\u2019s in the person\u2019s best interests.

    ", + "

    Record your decisions and transactions

    ", + "

    You can start your annual report to record your decisions and transactions, such as paying bills.

    ", + "

    Supervision, support and visits

    ", + "

    As a deputy, you\u2019ll be supervised by the Office of the Public Guardian (OPG). They\u2019re authorised to contact you or visit you to check you\u2019re being an effective deputy. They can also give you advice and support.

    ", + "

    How you\u2019ll be supervised

    ", + "

    New deputies get a \u2018general\u2019 level of supervision for their first year.

    ", + "

    After that, if you\u2019re a property and affairs deputy you\u2019ll move to \u2018minimal\u2019 supervision if both:

    ", + "
  • you\u2019re managing less than \u00a321,000
  • ", + "
  • you no longer need a general level of supervision
  • ", + "

    You\u2019ll pay a lower fee and have to write a shorter annual report than deputies with general supervision.

    ", + "

    Supervision visits

    ", + "

    You may be visited by a Court of Protection visitor to check if you:

    ", + "
  • understand your duties
  • ", + "
  • have the right level of support from OPG
  • ", + "
  • are carrying out your duties properly
  • ", + "
  • are being investigated because of a complaint
  • ", + "

    The visitor will call you to arrange the visit and explain why they\u2019re visiting.

    ", + "

    Contact OPG

    ", + "

    Tell OPG if you\u2019re planning to make an important decision, for example you want to sell the property of the person you\u2019re deputy for so they can move into a care home.

    ", + "

    Accounts, gifts and expenses

    ", + "

    You must keep accounts and follow the rules for gifts and expenses if you\u2019re acting as deputy for someone else. You must also record the transactions in your annual report.

    ", + "

    Accounts

    ", + "

    As a property and affairs deputy, you must keep copies of:

    ", + "
  • bank statements
  • ", + "
  • contracts for services or tradespeople
  • ", + "
  • receipts
  • ", + "
  • letters and emails about your activities as a deputy
  • ", + "

    Gifts

    ", + "

    Your court order will say if you can buy gifts or give gifts of money on behalf of the other person, including donations to charities. It will also say if there\u2019s an annual limit on how much money you can use for gifts.

    ", + "

    Gifts must be reasonable. You need to make sure any gifts do not reduce the level of care the person you\u2019re deputy for can afford.

    ", + "

    You must apply to the Court of Protection if you want to make a one-off large gift for Inheritance Tax purposes, for example.

    ", + "

    Expenses

    ", + "

    You can claim expenses for things you must do to carry out your role as deputy, for example phone calls, postage and travel costs. You cannot claim:

    ", + "
  • travel costs for social visits
  • ", + "
  • for the time spent carrying out your duties (unless you\u2019re a professional deputy, for example a solicitor)
  • ", + "

    You may be asked to give a detailed report of what you spent. You\u2019ll have to pay the money back if the Office of the Public Guardian finds your expenses are unreasonable. They may ask the court to stop you being a deputy if they think you\u2019ve been dishonest.

    ", + "

    Complete your deputy report

    ", + "

    You must write a report each year explaining the decisions you\u2019ve made as a deputy. You might be asked to do this more often if the Office of the Public Guardian (OPG) needs additional information.

    ", + "

    You may also need to write a final report if you stop being a deputy.

    ", + "

    If you\u2019re a public authority or professional deputy using the service for the first time, you need to contact your case manager to register first. If you\u2019re a deputy for a friend or family member, you can create an account online.

    ", + "

    Start now

    ", + "

    Or you can download and fill in a paper annual report form. The address you need to send it to is on the form.

    ", + "

    What to include

    ", + "

    Your report must include:

    ", + "
  • the reasons for your decisions and why they were in the best interests of the person you\u2019re deputy for
  • ", + "
  • who you spoke to and why what they said was in the person\u2019s best interests
  • ", + "
  • the finances of the person if you\u2019re their property and financial deputy
  • ", + "

    The OPG will tell you when it\u2019s time to send it.

    ", + "

    If you do not send the report the OPG might:

    ", + "
  • increase your level of supervision
  • ", + "
  • ask the court to replace you with a different deputy
  • ", + "

    Change your deputyship or make a one-off decision

    ", + "

    You must apply to the Court of Protection if you have to:

    ", + "
  • renew your deputyship
  • ", + "
  • change your deputyship, for example make decisions that are not in the original order
  • ", + "
  • make a one-off decision on something not covered by your court order
  • ", + "

    How to apply

    ", + "

    Download and fill in both:

    ", + "
  • an application form (COP 1)
  • ", + "
  • a witness statement form (COP24) with a copy of the current order appointing you as a deputy attached
  • ", + "

    Your witness statement should include:

    ", + "
  • the total annual income of the person you\u2019re a deputy for including pensions
  • ", + "
  • a summary of their assets, for example bank balances, savings, investments
  • ", + "
  • details of property they own
  • ", + "
  • the annual cost of their care and other regular items of major expenditure
  • ", + "
  • the value of the security bond set by the court
  • ", + "
  • a description of the circumstances that have led to the application being made
  • ", + "

    Send the Court of Protection:

    ", + "
  • the completed forms
  • ", + "
  • a cheque for the application fee - \u00a3365 - payable to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    If you need help with changing your deputyship, call the Court of Protection.

    ", + "

    What happens next

    ", + "

    You may have to notify other people about the change to the court order if the court tells you to.

    ", + "

    They can object or ask the court to reconsider any proposed changes they do not agree with. They can do this:

    ", + "
  • before the court order is issued
  • ", + "
  • up to 21 days after the court order is issued
  • ", + "

    End your deputyship

    ", + "

    If you no longer want or need to be a deputy, download and fill in the application notice (COP1) and send it to the Court of Protection.

    ", + "

    If the person has recovered mental capacity, download and fill in form COP 9. Send it to the Court of Protection with any supporting evidence, for example a doctor\u2019s letter.

    ", + "

    You cannot stop being a deputy until you\u2019ve got the relevant court order.

    ", + "

    If the person you\u2019re deputy for dies

    ", + "

    Contact the Office of the Public Guardian (OPG) and the Court of Protection to tell them that the person has died.

    ", + "

    You\u2019ll also have to send evidence to OPG that the person has died, for example a death certificate. Check the full list of evidence that OPG accepts.

    ", + "

    Your security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.

    ", + "

    Contact the Court Funds Office if the person you were deputy for had an account with them.

    ", + "

    Read more about how to be a deputy.

    " + ] + }, + { + "title": "Deputies: manage a Court Funds Office account", + "url": "https://www.gov.uk/court-funds-office-processes", + "contents": [ + "

    Overview

    ", + "

    You may need to manage a Court Funds Office account for someone if you\u2019re their property and affairs deputy and you\u2019re authorised by the Court of Protection to look after money on their behalf.

    ", + "

    Check the court order that appointed you as deputy - it tells you what you\u2019re authorised to do.

    ", + "

    You\u2019ll need to apply on behalf of the person you\u2019re deputy for to:

    ", + "
  • manage an account that was opened for them by court order, for example for money they received from a court case
  • ", + "
  • open an account for them
  • ", + "

    They\u2019ll get a special account with the Court Funds Office.

    ", + "

    Your responsibilities

    ", + "

    The account belongs to the person you\u2019re deputy for. You\u2019re the only person who can manage it on their behalf.

    ", + "

    You must keep to your responsibilities as a deputy when you\u2019re managing the account.

    ", + "

    Check the court order that appointed you as deputy - it tells you the limits on what you can and cannot do with the account.

    ", + "

    Apply

    ", + "

    You need to apply to:

    ", + "
  • open an account for someone
  • ", + "
  • manage an account for someone
  • ", + "

    You must be appointed by the Court of Protection as the person\u2019s property and affairs deputy.

    ", + "

    If your application is successful, you\u2019ll be able to make withdrawals from the bank account that you run on behalf of the person whose affairs you manage.

    ", + "
  • Check the details on the court order that appointed you as deputy - you\u2019ll need the date of the order and the case number.
  • ", + "
  • Fill in form CFO A to apply for authority to make withdrawals - give your bank account details and tick the \u2018New details\u2019 box.
  • ", + "
  • Attach a copy of your bank statement (less than 3 months old) or a letter from your bank to confirm your bank account details.
  • ", + "
  • Fill in form CFO L to pay money in to the account at the same time as applying - attach a cheque made payable to the \u2018Accountant General of the Senior Courts\u2019.
  • ", + "
  • Send forms and attachments together with a copy of the original court order that appointed you as deputy - it must have a seal. The address is on the forms.
  • ", + "

    You\u2019ll get a letter from the Court Funds Office within 5 working days to confirm that you\u2019re set up to manage the account.

    ", + "

    Your form will be returned if your application cannot be processed - you\u2019ll be told what you can do to fix this.

    ", + "

    Manage an account

    ", + "

    A Court Funds Office account is called a \u2018special account\u2019 if the account holder has a deputy.

    ", + "

    Statements

    ", + "

    As the deputy, you\u2019ll get statements in April or May and in October or November each year.

    ", + "

    You can also ask for a statement at any time by contacting the Court Funds Office.

    ", + "

    Interest and tax

    ", + "

    Special accounts currently pay 0.1% interest. The rate is not fixed - it is set by the Lord Chancellor.

    ", + "

    Tax is not deducted from special accounts. The person you\u2019re deputy for must pay income tax if the interest is more than their tax allowance.

    ", + "

    You\u2019ll also get tax vouchers (for tax returns) with your April statement.

    ", + "

    Change of address

    ", + "

    Write a letter to the Court Funds Office to tell them if your address changes so you can keep getting statements and tax vouchers.

    ", + "

    Investments

    ", + "

    You can invest in the stock market using money from the Court Funds Office account you manage if it:

    ", + "
  • holds \u00a310,000 or more for the person you\u2019re deputy for
  • ", + "
  • is likely to hold the money for 5 or more years
  • ", + "

    The Court Funds Office makes stock market investments in companies using the Equity Tracker Index Fund (ETIF).

    ", + "

    Write to the Court Funds Office asking them to invest the sum you require in the ETIF.

    ", + "

    Check the value of the ETIF on the Financial Times website.

    ", + "

    Tax

    ", + "

    Tax is deducted from dividends on investments. However, if the person you\u2019re deputy for has a high income, they may need to pay more income tax on interest or dividends from the investments.

    ", + "

    They must also pay Capital Gains Tax if their investments are sold for a difference in value that\u2019s more than their allowance.

    ", + "

    Deposits

    ", + "

    You can pay money in to an account after you apply to manage the account.

    ", + "
  • Check the details on the court order that appointed you as deputy - you\u2019ll need the date of the order and the case number.
  • ", + "
  • Fill in form CFO L. You must physically sign the form - this is also known as a \u2018wet signature\u2019. Electronic signatures will not be accepted.
  • ", + "
  • Write a cheque for the amount you\u2019re paying in, payable to the \u2018Accountant General of the Senior Courts\u2019.
  • ", + "
  • Attach a copy of the original court order that appointed you as deputy (it must have a seal) and send it with the form and cheque to the address on the form.
  • ", + "

    You\u2019ll get a letter from the Court Funds Office within 5 working days to confirm that it\u2019s processed your deposit.

    ", + "

    Your form will be returned if your deposit cannot be processed - you\u2019ll be told what you can do to fix this.

    ", + "

    Withdrawals

    ", + "

    You can set up one-off withdrawals or regular withdrawals into the bank account that you run on behalf of the person whose affairs you manage after you apply to manage the account.

    ", + "

    You can only make a payment to another bank account (for example to a solicitor\u2019s account to pay fees) if you have a court order from the Court of Protection saying you can do this.

    ", + "

    You can only make withdrawals within limits set by the Court of Protection - check the court order that appointed you as deputy.

    ", + "

    Set up payments

    ", + "

    Check the court order that appointed you as deputy - you\u2019ll need the date of the order and the case number to fill in payment forms.

    ", + "

    Fill in:

    ", + "
  • form CFO P to make a one-off payment to your bank account
  • ", + "
  • form CFO R to set up or change a regular payment to your bank account
  • ", + "
  • form CFO 205 to make a one-off payment to another bank account
  • ", + "

    You must also fill in form CFO A if your bank account details have changed \u2013 tick the \u2018amending details\u2019 box and attach either:

    ", + "
  • a copy of a bank statement (less than 3 months old)
  • ", + "
  • letter from your bank confirming your new bank account details
  • ", + "

    Send forms by post. The address is on the forms. You\u2019ll get a confirmation letter from the Court Funds Office within 5 working days.

    ", + "

    One-off payment to your bank account

    ", + "

    A cheque will be paid into your bank account within 5 days. The money will take 3 working days to clear.

    ", + "

    If you\u2019re withdrawing money for a gift or charitable donation, fill in form CFO PG and send it with form CFO P.

    ", + "

    Regular payment to your bank account

    ", + "

    Use form CFO R to set up, amend, renew or stop a regular payment - tick the box on the form that applies.

    ", + "

    Specify the number of months you want a regular payment to continue (up to 23 months).

    ", + "

    The Court Funds Office automatically renews regular payments that are set up to continue for 23 months - you\u2019ll get a letter to remind you 1 month before renewal.

    ", + "

    Payment to another bank account

    ", + "

    Ask the person or company the payment is for to sign form CFO 205. You must get a copy of a a bank statement (less than 3 months old) if you\u2019re paying a person rather than a company.

    ", + "

    Send it with an original copy of the court order authorising the payment \u2013 it must have a seal.

    ", + "

    Stop managing or close an account

    ", + "

    A new deputy can take over management of the account if you stop being a deputy or die.

    ", + "

    You cannot hand over management of the account - only the Court of Protection can appoint a new deputy. The new deputy will then need to apply to manage the account.

    ", + "

    You stop being a deputy

    ", + "

    Tell the Court Funds Office in writing if you stop being a deputy - send a copy of the letter to the Office of the Public Guardian and Court of Protection.

    ", + "

    Close an account

    ", + "

    You cannot close a Court Funds Office yourself (for example by moving all the money into another account) unless you have a court order that authorises you to do this.

    ", + "

    If the person you\u2019re deputy for dies the person dealing with the estate can apply for the money in the account to be paid out. The account will be closed.

    ", + "

    The person you're deputy for dies

    ", + "

    Write to the Court Funds Office to tell them if the person you\u2019re deputy for has died. Send a certified copy of the death certificate if you can get one.

    ", + "

    You\u2019ll need to include certain information depending on

    ", + "
  • who\u2019s dealing with the estate
  • ", + "
  • whether there\u2019s a will
  • ", + "

    If you\u2019re dealing with the estate

    ", + "

    Ask for a Certificate of Funds when you write to the Court Funds Office about the death. This shows how much money is in the account and investments.

    ", + "

    You\u2019ll need this information to deal with the person\u2019s tax and estate (their money, property and possessions)

    ", + "

    If you\u2019re not dealing with the estate

    ", + "

    Tell the Court Funds Office who is dealing with the estate (the personal representative) and provide their contact details.

    ", + "

    The Court Funds Office will provide the personal representative with information and the forms required to close the account.

    ", + "

    If the person did not leave a will

    ", + "

    If the person died without making a will and has no living relatives, the Court Funds Office will contact the Treasury Solicitor or Solicitor for the Duchy of Cornwall or Lancaster. They will deal with the person\u2019s money, property and possessions as an unclaimed estate.

    ", + "

    Payments for funeral expenses

    ", + "

    The personal representative or the person who arranged the funeral can apply for funeral expenses to be paid to the funeral provider out of the account.

    ", + "
  • Fill in form CFO FE1.
  • ", + "
  • Send it to the address on the form with the funeral provider\u2019s invoice and a certified copy of the death certificate.
  • ", + "

    Funeral expenses must be in keeping with the value of the person\u2019s estate - they cannot include payments for:

    ", + "
  • headstones
  • ", + "
  • refreshments at the funeral service
  • ", + "

    Payments for inheritance tax

    ", + "

    The personal representative can apply for inheritance tax to be paid to HM Revenue & Customs (HMRC) out of the account.

    ", + "
  • Fill in form CFO IHT1.
  • ", + "
  • Send it to the address on the form with the completed form IHT423 and certified copies of the death certificate and any will.
  • " + ] + }, + { + "title": "Enduring power of attorney: acting as an attorney", + "url": "https://www.gov.uk/enduring-power-attorney-duties", + "contents": [ + "

    Overview

    ", + "

    You can help make or make decisions about someone\u2019s property and money if they appointed you using an enduring power of attorney (EPA).

    ", + "

    The person who appointed you is called the \u2018donor\u2019 - you are their \u2018attorney\u2019.

    ", + "

    Any decision you make on the donor\u2019s behalf must be in their best interests.

    ", + "

    You\u2019ll need to check if the donor\u2019s given you specific instructions or guidance in the EPA document that will affect your responsibilities.

    ", + "

    Only EPAs made and signed before October 1, 2007 can still be used. After that date donors had to make a lasting power of attorney (LPA) instead.

    ", + "

    This guide is also available in Welsh.

    ", + "

    Using the enduring power of attorney

    ", + "

    You can start using an EPA at any time if the EPA is legal and the donor gives you permission.

    ", + "

    You\u2019ll be responsible for helping the donor make decisions about their finances. Depending on their instructions you\u2019ll help manage things like their:

    ", + "
  • money and bills
  • ", + "
  • bank and building society accounts
  • ", + "
  • property and investments
  • ", + "
  • pensions and benefits
  • ", + "

    There may be other attorneys - if there are, check how the donor wants you to make decisions.

    ", + "

    You must register the EPA when the donor starts to lose or has lost their mental capacity. This means they cannot make a decision at the time it needs to be made because of a mental impairment.

    ", + "

    You must still involve the person in making decisions whenever possible and only make decisions on their behalf which are in their best interests.

    ", + "

    Stop being an attorney

    ", + "

    The EPA will end if the donor cancels it or they die.

    ", + "

    You can stop being an attorney by choice.

    ", + "

    You may be investigated if there\u2019s a complaint against you. The Office of the Public Guardian can apply to the Court of Protection to have you removed.

    ", + "

    Register an enduring power of attorney

    ", + "

    You must register the enduring power of attorney (EPA) as soon as the donor starts to lose mental capacity.

    ", + "
  • Tell the donor, their family members and other attorneys you intend to register the EPA.
  • ", + "
  • Apply to register the EPA.
  • ", + "
  • Pay the fee.
  • ", + "

    Telling people you intend to register

    ", + "

    Download and fill in form EP1PG. Send it to:

    ", + "
  • the donor
  • ", + "
  • at least 3 of the donor\u2019s family members who are eligible - they must be 18 or over and have mental capacity
  • ", + "
  • any attorneys who were appointed \u2018jointly and severally\u2019 but are not applying to register the EPA
  • ", + "

    You must tell the first 3 eligible family members from the following list. If there\u2019s no family member in a particular category, move on to the next one. You must try to tell the family members in this order:

    ", + "
  • donor\u2019s husband, wife or civil partner
  • ", + "
  • donor\u2019s children (including adopted children but not including stepchildren)
  • ", + "
  • donor\u2019s parents
  • ", + "
  • donor\u2019s brothers and sisters (including half-brothers and half-sisters)
  • ", + "
  • widow or widower or surviving civil partner of the donor\u2019s child
  • ", + "
  • donor\u2019s grandchildren
  • ", + "
  • donor\u2019s nephews and nieces (children of the donor\u2019s full brothers and sisters)
  • ", + "
  • donor\u2019s nephews and nieces (children of the donor\u2019s half-brothers and half-sisters)
  • ", + "
  • donor\u2019s aunts and uncles (full brothers or sisters of a parent of the donor)
  • ", + "
  • donor\u2019s first cousins (children of the donor\u2019s aunts and uncles who are full brothers and sisters of a parent of the donor)
  • ", + "

    You must tell all the people in a category if you tell one of them, eg if 1 of the 3 relatives you\u2019re telling is a grandchild and the donor has 15 other grandchildren, you must tell all 16 of them.

    ", + "

    If you\u2019re a family member as well as an attorney, you count as one of the people to be told. You\u2019ll still have to tell other people in your category.

    ", + "

    You must do all you can to find the people you\u2019re telling. If you cannot find their address, or if there are not 3 relatives alive, tell the Office of the Public Guardian when you apply to register.

    ", + "

    People who you tell can object to the registration. They have 35 days to object from when they get the form.

    ", + "

    Apply to register

    ", + "

    Download and fill in the application form EP2PG.

    ", + "

    As soon as you\u2019ve officially told people you intend to register, send the form to the Office of the Public Guardian.

    ", + "

    Use a different address if you\u2019re a member of the DX Exchange courier service.

    ", + "

    Include the original EPA form or a certified copy if the original has been lost.

    ", + "

    You\u2019ll also need to pay the fee.

    ", + "

    Fees

    ", + "

    It costs \u00a382 to register an EPA, unless you\u2019re applying for help with fees (LPA120).

    ", + "

    Send a cheque for the fee payable to \u2018Office of the Public Guardian\u2019. Write the donor\u2019s name on the back of the cheque.

    ", + "

    How long registration takes

    ", + "

    The EPA will usually be registered between 8 and 10 weeks after you sent the application form and told the family members. It will take longer if one or more of the family members object.

    ", + "

    Check an enduring power is legal

    ", + "

    You can only use an enduring power of attorney (EPA) if it was made correctly.

    ", + "

    Check that the EPA form was:

    ", + "
  • made when the donor was at least 18 and had the ability to make their own decisions (they had not lost \u2018mental capacity\u2019)
  • ", + "
  • signed by the donor and a witness who was not one of the attorneys for the EPA
  • ", + "
  • signed by all the attorneys
  • ", + "

    When the EPA was made you and any other attorneys had to be:

    ", + "
  • 18 or over
  • ", + "
  • not bankrupt - and have not been bankrupt since
  • ", + "

    Only EPAs made and signed before October 1, 2007 can still be used. After that date donors had to make a lasting power of attorney (LPA) instead.

    ", + "

    When there's more than one attorney

    ", + "

    Check the enduring power of attorney (EPA) form to find out how many attorneys have been appointed.

    ", + "

    If there\u2019s more than one attorney, check whether you must make decisions:

    ", + "
  • separately or together (sometimes called \u2018jointly and severally\u2019), which means you can make decisions on your own or with other attorneys
  • ", + "
  • together (sometimes called \u2018jointly\u2019), which means you and all the other attorneys have to agree on a decision
  • ", + "

    The donor may give instructions for you to make some decisions \u2018jointly\u2019 and others \u2018jointly and severally\u2019.

    ", + "

    Attorneys who are appointed jointly must all agree or they cannot make the decision.

    ", + "

    Joint attorneys

    ", + "

    If you\u2019re appointed jointly with another attorney or attorneys and one of you stops being an attorney, the enduring power of attorney ends automatically.

    ", + "

    You\u2019ll need to find another way to help the donor make decisions.

    ", + "

    Your duties

    ", + "

    You\u2019re responsible for helping the donor to make decisions for things like their:

    ", + "
  • money and bills
  • ", + "
  • bank and building society accounts
  • ", + "
  • property and investments
  • ", + "
  • pensions and benefits
  • ", + "

    Check the enduring power of attorney (EPA) form to see if the donor has listed:

    ", + "
  • restrictions on what you can do
  • ", + "
  • guidance on how they want decisions to be made
  • ", + "

    How to manage the donor\u2019s finances

    ", + "

    You must manage the donor\u2019s finances in their best interests.

    ", + "

    Keep the donor\u2019s finances separate from your own, unless you\u2019ve got a joint bank account or own a home together. If you do, tell the bank or mortgage company you\u2019re acting as the other person\u2019s attorney.

    ", + "

    You must keep accounts of the donor\u2019s assets, income, spending and outgoings. The Office of the Public Guardian (OPG) and the Court of Protection can ask to check these.

    ", + "

    You may be prosecuted if you misuse the donor\u2019s money.

    ", + "

    Gifts

    ", + "

    You can buy gifts or give gifts of money on behalf of the donor, including donations to charities. You must only make gifts:

    ", + "
  • to people who normally receive gifts from the person
  • ", + "
  • on suitable occasions, eg birthdays, weddings
  • ", + "
  • to charities that normally receive donations from the person
  • ", + "

    Gifts must be reasonable - read the guidance on suitable gifts.

    ", + "

    Buying or selling property

    ", + "

    You can buy or sell property on the donor\u2019s behalf if it\u2019s in their best interests.

    ", + "

    Contact OPG if:

    ", + "
  • the sale is below the market value
  • ", + "
  • you or your family want to buy the property
  • ", + "
  • you\u2019re giving it to someone else
  • ", + "

    They can advise you on whether you need to apply to the Court of Protection about this.

    ", + "

    If you\u2019re selling the donor\u2019s home and the donor has a health and welfare lasting power of attorney (LPA), you may need to discuss where the donor is going to live with the relevant attorney.

    ", + "

    Wills

    ", + "

    You cannot make a will on behalf of the donor.

    ", + "

    You can apply to the Court of Protection for a \u2018statutory will\u2019 if the donor needs to make a will, but lacks capacity to do it themselves.

    ", + "

    Payment and expenses

    ", + "

    Unless you\u2019re a professional attorney, you will not normally be paid for being someone\u2019s attorney.

    ", + "

    Expenses

    ", + "

    You can claim expenses you\u2019ve had while carrying out your duties as an attorney, for example:

    ", + "
  • travel costs
  • ", + "
  • stationery
  • ", + "
  • postage
  • ", + "
  • phone calls
  • ", + "

    Keep your receipts and invoice the donor for your expenses.

    ", + "

    Stop acting as an attorney

    ", + "

    You\u2019ll stop acting as the donor\u2019s attorney if:

    ", + "
  • the donor dies - the enduring power of attorney (EPA) ends automatically
  • ", + "
  • you choose to stop being an attorney - sometimes called \u2018revoking\u2019 or \u2018disclaiming\u2019 an attorneyship
  • ", + "
  • you declare yourself bankrupt
  • ", + "

    If you stop you\u2019ll need to fill in the relevant forms and provide the relevant documents.

    ", + "

    If you had to make decisions jointly with other attorneys and any of you stop, the enduring power ends automatically. You\u2019ll need to find another way to help the donor make decisions.

    ", + "

    If the donor dies

    ", + "

    You\u2019ll stop being an attorney as soon as the donor dies. If the EPA was registered you must contact the Office of the Public Guardian (OPG). You must send them:

    ", + "
  • a copy of the death certificate
  • ", + "
  • the original EPA
  • ", + "

    If you want to stop being an attorney

    ", + "

    If you decide to give up the role of attorney, fill in and send a notification form. Send it to:

    ", + "
  • the donor - if the EPA has not been registered
  • ", + "
  • the donor and OPG - if the EPA has been registered
  • ", + "

    You should also tell any other attorneys appointed on the EPA.

    " + ] + }, + { + "title": "Lasting power of attorney: acting as an attorney", + "url": "https://www.gov.uk/lasting-power-attorney-duties", + "contents": [ + "

    Overview

    ", + "

    You can make decisions on someone\u2019s behalf if they appoint you using a lasting power of attorney (LPA).

    ", + "

    You can contact GOV.UK to request this guide in another format, for example large print or braille.

    ", + "

    The person who appoints you is called the \u2018donor\u2019. You\u2019re their \u2018attorney\u2019.

    ", + "

    You don\u2019t need any legal experience to act as someone\u2019s attorney.

    ", + "

    The types of decisions you make depend on whether you\u2019re a:

    ", + "
  • property and financial affairs attorney
  • ", + "
  • health and welfare attorney
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Making decisions

    ", + "

    Check what you need to do before you\u2019re allowed to start making decisions.

    ", + "

    After you start you must:

    ", + "
  • follow any instructions the donor included in the LPA
  • ", + "
  • consider any preferences the donor included in the LPA
  • ", + "
  • help the donor make their own decisions as much as they can
  • ", + "
  • make any decisions in the donor\u2019s best interests
  • ", + "
  • respect their human and civil rights
  • ", + "

    You must make the decisions yourself - you can\u2019t ask someone to make them for you.

    ", + "

    You can get help making difficult decisions. Your decisions can be checked.

    ", + "

    If you\u2019re not the only attorney

    ", + "

    Check the LPA. It will tell you whether you must make decisions:

    ", + "
  • \u2018jointly\u2019 - this means all the attorneys must agree
  • ", + "
  • \u2018jointly and severally\u2019 - this means you can make decisions together or on your own
  • ", + "

    The LPA may tell you to make some decisions \u2018jointly\u2019 and others \u2018jointly and severally\u2019.

    ", + "

    Find out what to do if you make decisions jointly with someone who stops acting as an attorney.

    ", + "

    Property and financial affairs attorneys

    ", + "

    As a property and financial affairs attorney, you make (or help the donor make) decisions about things like:

    ", + "
  • money, tax and bills
  • ", + "
  • bank and building society accounts
  • ", + "
  • property and investments
  • ", + "
  • pensions and benefits
  • ", + "

    You can use the donor\u2019s money to look after their home and buy anything they need day to day (for example, food).

    ", + "

    Discuss decisions that affect the donor\u2019s living arrangements, medical care or daily routine with their health and welfare attorney, if they have one.

    ", + "

    Looking after money and property

    ", + "

    You must keep the donor\u2019s finances separate from your own, unless you\u2019ve already got something in both of your names like a joint bank account or you own a home together.

    ", + "

    Managing bank accounts

    ", + "

    Before you can manage the donor\u2019s account, you must show the bank the original registered lasting power of attorney (LPA) or a copy of it signed on every page by the donor, a solicitor or notary.

    ", + "

    You\u2019ll also need to give proof of:

    ", + "
  • your name
  • ", + "
  • your address
  • ", + "
  • the donor\u2019s name or address if they\u2019re not the same as on the bank account
  • ", + "

    The bank might ask for additional types of proof.

    ", + "

    Spending money on gifts or donations

    ", + "

    Unless the LPA states otherwise, you can spend money on:

    ", + "
  • gifts to a donor\u2019s friend, family member or acquaintance on occasions when you would normally give gifts (such as birthdays or anniversaries)
  • ", + "
  • donations to a charity that the donor wouldn\u2019t object to, for example a charity they\u2019ve donated to before
  • ", + "

    You must apply to the Court of Protection for any other type of gift or donation, even if the donor has given them before. These include:

    ", + "
  • paying someone\u2019s school or university fees
  • ", + "
  • letting someone live in the donor\u2019s property without paying market rent (anything they pay below market rent counts as a gift)
  • ", + "
  • interest-free loans
  • ", + "

    You must check that the donor can afford the gift or donation, even if they\u2019ve spent money on these types of things before. For example, you can\u2019t donate their money if that would mean they couldn\u2019t afford their care costs.

    ", + "

    Read the guidance for more information on giving gifts or donations.

    ", + "

    Buying and selling property

    ", + "

    You\u2019ll need to get legal advice if:

    ", + "
  • the sale is below the market value
  • ", + "
  • you want to buy the property yourself
  • ", + "
  • you\u2019re giving it to someone else
  • ", + "

    Making a will

    ", + "

    You can apply for a statutory will if the donor needs to make a will but can\u2019t do it themselves.

    ", + "

    You can\u2019t change a donor\u2019s will.

    ", + "

    You can be ordered to repay the donor\u2019s money if you misuse it or make decisions to benefit yourself.

    ", + "

    Health and welfare attorneys

    ", + "

    As a health and welfare attorney, you make (or help the donor make) decisions about things like:

    ", + "
  • daily routine, for example washing, dressing and eating
  • ", + "
  • medical care
  • ", + "
  • where the donor lives
  • ", + "

    You might need to spend the donor\u2019s money on things that maintain or improve their quality of life. This can include:

    ", + "
  • new clothes or hairdressing
  • ", + "
  • decorating their home or room in a care home
  • ", + "
  • paying for extra support so the donor can go out more, for example to visit friends or relatives or to go on holiday
  • ", + "

    You must ask for money from the person in charge of the donor\u2019s funds.

    ", + "

    Refusing or consenting to treatment

    ", + "

    Check the lasting power of attorney (LPA) for instructions about refusing or consenting to treatment.

    ", + "

    You\u2019ll need to:

    ", + "
  • show the LPA to care staff
  • ", + "
  • sign medical consent forms
  • ", + "
  • make decisions in the donor\u2019s best interests
  • ", + "

    You can\u2019t always make decisions about the donor\u2019s medical treatment, for example if the donor\u2019s made a living will or has been sectioned.

    ", + "

    Living wills (\u2018advance decisions\u2019)

    ", + "

    This is a legal statement from the donor about which medical treatments they don\u2019t want. You\u2019ll need to give this to care staff along with the LPA.

    ", + "

    NHS Choices has information about advance decisions.

    ", + "

    Apply for a one-off decision

    ", + "

    You may need to apply for a one-off decision from the Court of Protection to make a decision about a medical treatment if:

    ", + "
  • the living will and LPA give different instructions
  • ", + "
  • the medical staff or the donor\u2019s friends and family disagree about whether the treatment should be given
  • ", + "

    Start acting as an attorney

    ", + "

    You must have a registered lasting power of attorney (LPA) before you can start acting as an attorney.

    ", + "

    The LPA is registered when the Office of the Public Guardian (OPG) has stamped it with \u2018VALIDATED-OPG\u2019.

    ", + "

    You can prepare before you start by talking to the donor so you\u2019re ready to make decisions in their best interests. For example, ask about their plans for their money or how they want to be cared for if they become seriously ill.

    ", + "

    Starting as a property and financial affairs attorney

    ", + "

    The LPA may give you permission to make decisions while the donor still has the mental capacity to make their own financial decisions.

    ", + "

    If it doesn\u2019t, you can only start making decisions when they don\u2019t have mental capacity.

    ", + "

    Starting as a health and welfare attorney

    ", + "

    You can only make decisions when the donor doesn\u2019t have mental capacity to make them.

    ", + "

    You must tell people involved in the donor\u2019s care when you start. This includes the donor\u2019s:

    ", + "
  • friends and family
  • ", + "
  • doctor and other healthcare staff
  • ", + "
  • care workers, social worker and other social care staff
  • ", + "

    Staff may want to see proof of your identity and either the original LPA or a certified copy.

    ", + "

    Taking over as a replacement attorney

    ", + "

    Replacement attorneys are listed in the LPA.

    ", + "

    You\u2019ll be able to start helping a donor make decisions as soon as the attorney you\u2019re replacing stops acting. Check the LPA to see if there are other attorneys you might need to make decisions with.

    ", + "

    Records and expenses

    ", + "

    Keep a record of:

    ", + "
  • important decisions you make and when, for example selling the donor\u2019s home or agreeing to medical treatment
  • ", + "
  • the donor\u2019s assets, income and how you spend their money - if you\u2019re their finance and property affairs attorney
  • ", + "

    Include details of who you asked for advice and any disagreements.

    ", + "

    Don\u2019t include small, everyday decisions.

    ", + "

    Expenses

    ", + "

    You can only claim expenses for things you must do to carry out your role as an attorney, for example:

    ", + "
  • hiring a professional to do things like fill in the donor\u2019s tax return
  • ", + "
  • travel costs
  • ", + "
  • stationery
  • ", + "
  • postage
  • ", + "
  • phone calls
  • ", + "

    You can be ordered to repay the donor\u2019s money if you misuse it or make decisions to benefit yourself.

    ", + "

    Keep your receipts and invoice the donor for your expenses. The money is paid by whoever\u2019s in charge of the donor\u2019s funds.

    ", + "

    Checks and visits

    ", + "

    The Office of the Public Guardian and Court of Protection can check your decisions. They may:

    ", + "
  • arrange a visit with you and the donor together, or the donor alone
  • ", + "
  • contact other people such as the donor\u2019s family, bank or care workers
  • ", + "

    They can investigate and stop you acting as an attorney if, for example:

    ", + "
  • you\u2019ve done something the lasting power of attorney (LPA) says you can\u2019t
  • ", + "
  • you haven\u2019t done something the LPA has instructed you to do
  • ", + "
  • you haven\u2019t been acting in the donor\u2019s best interests
  • ", + "
  • you misuse the donor\u2019s money or make decisions to benefit yourself
  • ", + "
  • you do something that goes against their human or civil rights
  • ", + "
  • the donor isn\u2019t being treated well
  • ", + "
  • the donor made the LPA under pressure or they were tricked into it
  • ", + "

    Stop acting as an attorney

    ", + "

    The lasting power of attorney (LPA) ends when the donor dies.

    ", + "

    Tell the Office of the Public Guardian (OPG) and send them:

    ", + "
  • a copy of the death certificate
  • ", + "
  • the original LPA
  • ", + "
  • all certified copies of the LPA
  • ", + "

    Stopping before the donor dies

    ", + "

    You can choose to stop acting as an attorney - sometimes called \u2018disclaiming\u2019 an attorneyship.

    ", + "

    There are also some cases in which the law requires you to stop acting as an attorney.

    ", + "

    Any replacement attorneys listed in the LPA will take over if you stop.

    ", + "

    If there are no replacements, there may be other ways to help the donor make decisions.

    ", + "

    If you choose to stop

    ", + "

    Fill in and send a notification form to:

    ", + "
  • the donor - if the LPA hasn\u2019t been registered
  • ", + "
  • the donor and OPG (at the address on the form) - if the LPA is registered
  • ", + "
  • any other attorneys appointed on the LPA
  • ", + "

    When you have to stop

    ", + "

    You must stop acting as an attorney if:

    ", + "
  • the donor takes you off their LPA - sometimes called \u2018revoking\u2019 an attorney
  • ", + "
  • you lose mental capacity and can\u2019t make decisions any more
  • ", + "
  • you\u2019re a property and financial affairs attorney and you become bankrupt or subject to a debt relief order
  • ", + "
  • you\u2019re married to or in a civil partnership with the donor and you get a divorce or an annulment (unless the LPA says you can keep acting as an attorney)
  • ", + "
  • you\u2019re a joint attorney and another attorney stops acting, unless the LPA says you can carry on making decisions
  • " + ] + }, + { + "title": "Make decisions on behalf of someone", + "url": "https://www.gov.uk/make-decisions-for-someone", + "contents": [ + "

    When you can make decisions for someone

    ", + "

    Someone can choose you to make and carry out certain decisions on their behalf.

    ", + "

    They can ask you to do this:

    ", + "
  • now - for example, while they\u2019re on holiday
  • ", + "
  • in the future - for example, if they lose the mental capacity to make their own decisions
  • ", + "

    You can also apply to a court to help someone make decisions if they do not have mental capacity now.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    When someone can choose you

    ", + "

    A person must have mental capacity when they choose you for short-term or long-term help with decisions.

    ", + "

    Short-term help

    ", + "

    You can be appointed to make decisions about someone\u2019s money or property for a limited time - for example, while they\u2019re on holiday.

    ", + "

    They can appoint you with either:

    ", + "
  • a lasting power of attorney for \u2018property and financial affairs\u2019 - they\u2019ll say when it starts and ends
  • ", + "
  • an \u2018ordinary power of attorney\u2019 - you can only use this while they have mental capacity
  • ", + "

    To make an ordinary power of attorney, the person who appoints you needs to buy a document from a newsagent or use a solicitor.

    ", + "

    Long-term help

    ", + "

    You can be appointed with a lasting power of attorney to help someone make ongoing decisions about either or both:

    ", + "
  • money and property - starting at any time, or when they do not have mental capacity
  • ", + "
  • health and welfare - starting when they do not have mental capacity
  • ", + "

    You can also help someone with ongoing decisions using an enduring power of attorney made before 1 October 2007.

    ", + "

    When you apply to a court

    ", + "

    Apply to a court to help someone without mental capacity with one-off or long-term decisions.

    ", + "

    Check if someone already has an attorney or deputy to help them with decisions before you apply. If they do have an attorney or deputy, ask them for help instead.

    ", + "

    One-off decisions

    ", + "

    Ask the Court of Protection to make:

    ", + "
  • a one-off decision about an issue that\u2019s not urgent
  • ", + "
  • an urgent or emergency decision about something that puts them at risk
  • ", + "

    If the decision is about medical treatment, you must consider any living will (advance decision) that the person has made.

    ", + "

    Long-term help

    ", + "

    Apply to the Court of Protection to help someone long-term with decisions about either or both:

    ", + "
  • money and property - as a \u2018property and financial affairs deputy\u2019
  • ", + "
  • health and welfare - as a \u2018personal welfare deputy\u2019
  • ", + "

    How to make decisions

    ", + "

    As someone\u2019s attorney or deputy you must:

    ", + "
  • give them all the help they need to make each decision before deciding they do not have mental capacity to make that decision themselves
  • ", + "
  • make any decisions in their best interests
  • ", + "
  • make decisions that restrict their human and civil rights as little as you can
  • ", + "

    Helping someone make decisions

    ", + "

    Give the person all the information they need to make a decision.

    ", + "

    Make it easy for them to understand and weigh up the information, for example by:

    ", + "
  • allowing plenty of time
  • ", + "
  • choosing a time that suits them best
  • ", + "
  • talking in familiar surroundings - for example, their home
  • ", + "
  • removing distractions such as background noise
  • ", + "
  • explaining things a different way - in pictures or sign language, for example
  • ", + "

    Suggest different ways for them to tell you their decision if they cannot tell you in words - for example, by pointing, squeezing your hand, blinking or nodding.

    ", + "

    Making decisions in someone\u2019s best interests

    ", + "

    Any decisions you make for someone must be right for them (\u2018in their best interests\u2019). Take into account:

    ", + "
  • what they would have decided if they could
  • ", + "
  • their past and present values and wishes, including moral, political and religious views
  • ", + "

    Do not make assumptions based on their age, gender, ethnic background, sexuality, behaviour or health.

    ", + "

    It can help to:

    ", + "
  • write down what the person has told you is important to them
  • ", + "
  • look at other things they wrote down or recorded (such as household budgets or home videos)
  • ", + "
  • speak to friends, family or colleagues who know them well
  • ", + "
  • consult anyone involved in their care, for example personal carers or care home staff
  • ", + "
  • notice their behaviour and reactions - this can tell you about wishes and feelings that a person cannot express in words
  • ", + "

    Human and civil rights

    ", + "

    Your decisions must restrict the person\u2019s human and civil rights as little as possible. Citizens Advice has information about human and civil rights.

    ", + "

    You can never make decisions on someone\u2019s behalf about certain things, such as:

    ", + "
  • voting
  • ", + "
  • relationships - for example consenting to sex, getting married or getting divorced
  • ", + "

    Follow the Mental Capacity Act code of practice when you make decisions.

    ", + "

    Difficult decisions and disagreements

    ", + "

    Consult the person as well as their family, friends and carers. Including everyone in a \u2018best interests\u2019 meeting can help you reach agreement.

    ", + "

    If you cannot agree you can:

    ", + "
  • get advice about how to reach agreement from the Office of the Public Guardian
  • ", + "
  • get help from an advocate who can represent the person\u2019s best interests
  • ", + "
  • find a mediation service
  • ", + "
  • get help from the social services team at your local council if it\u2019s a disagreement about the person\u2019s care
  • ", + "
  • ask the Court of Protection to decide if it\u2019s a major disagreement about a serious issue
  • ", + "

    Checking mental capacity

    ", + "

    A person may not have mental capacity because of a problem with the way their brain functions, for example:

    ", + "
  • a serious brain injury
  • ", + "
  • an illness, such as dementia
  • ", + "
  • severe learning disabilities
  • ", + "

    Mental capacity can come and go (for example, with dementia and some mental illnesses). A person can also recover mental capacity (for example, following a severe stroke).

    ", + "

    What you must check

    ", + "

    You must check that a person has mental capacity to make a decision at the time it needs to be made.

    ", + "

    They can make the decision if they can:

    ", + "
  • understand the information they need - for example, what the consequences will be
  • ", + "
  • remember the information for long enough to make the decision
  • ", + "
  • weigh up the options and make a choice
  • ", + "
  • communicate their decision in any way - for example, by blinking or squeezing a hand
  • ", + "

    You cannot decide a person lacks mental capacity because you think they\u2019ve made a bad or strange decision.

    ", + "

    If the person cannot make a decision at a certain time, they may still be able to:

    ", + "
  • make it at another time
  • ", + "
  • make decisions about other things
  • ", + "

    Do not make a decision for them if it can wait until they can do it themselves.

    ", + "

    Get help checking mental capacity

    ", + "

    You can ask the person\u2019s doctor or another medical professional to assess their mental capacity.

    ", + "

    Follow the Mental Capacity Act code of practice when you check mental capacity.

    " + ] + }, + { + "title": "Make, register or end a lasting power of attorney", + "url": "https://www.gov.uk/power-of-attorney", + "contents": [ + "

    Overview

    ", + "

    A lasting power of attorney (LPA) is a legal document that lets you (the \u2018donor\u2019) appoint one or more people (known as \u2018attorneys\u2019) to help you make decisions or to make decisions on your behalf.

    ", + "

    This gives you more control over what happens to you if you have an accident or an illness and cannot make your own decisions (you \u2018lack mental capacity\u2019).

    ", + "

    You must be 18 or over and have mental capacity (the ability to make your own decisions) when you make your LPA.

    ", + "

    You do not need to live in the UK or be a British citizen.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    There are 2 types of LPA:

    ", + "
  • health and welfare
  • ", + "
  • property and financial affairs
  • ", + "

    You can choose to make one type or both.

    ", + "

    There\u2019s a different process in Scotland and Northern Ireland.

    ", + "

    How to make a lasting power of attorney

    ", + "
  • Choose your attorney (you can have more than one).
  • ", + "
  • Fill in the forms to appoint them as an attorney.
  • ", + "
  • Register your LPA with the Office of the Public Guardian (this can take up to 10 weeks).
  • ", + "

    It costs \u00a382 to register an LPA unless you get a reduction or exemption.

    ", + "

    You can cancel your LPA if you no longer need it or want to make a new one.

    ", + "

    Health and welfare lasting power of attorney

    ", + "

    Use this LPA to give an attorney the power to make decisions about things like:

    ", + "
  • your daily routine, for example washing, dressing, eating
  • ", + "
  • medical care
  • ", + "
  • moving into a care home
  • ", + "
  • life-sustaining treatment
  • ", + "

    It can only be used when you\u2019re unable to make your own decisions.

    ", + "

    Property and financial affairs lasting power of attorney

    ", + "

    Use this LPA to give an attorney the power to make decisions about money and property for you, for example:

    ", + "
  • managing a bank or building society account
  • ", + "
  • paying bills
  • ", + "
  • collecting benefits or a pension
  • ", + "
  • selling your home
  • ", + "

    It can be used as soon as it\u2019s registered, with your permission.

    ", + "

    Help deciding if you should make a lasting power of attorney

    ", + "

    Contact the Office of the Public Guardian if you need help.

    ", + "

    Choose your attorney

    ", + "

    You can choose one or more people to be your attorney. If you appoint more than one, you must decide whether they\u2019ll make decisions separately or together.

    ", + "

    Who can be your attorney

    ", + "

    Your attorney needs to be 18 or over. They could be:

    ", + "
  • a relative
  • ", + "
  • a friend
  • ", + "
  • a professional, for example a solicitor
  • ", + "
  • your husband, wife or partner
  • ", + "

    You must appoint someone who has the mental capacity to make their own decisions.

    ", + "

    Your attorney does not need to live in the UK or be a British citizen.

    ", + "

    When choosing an attorney, think about:

    ", + "
  • how well they look after their own affairs, for example their finances
  • ", + "
  • how well you know them
  • ", + "
  • if you trust them to make decisions in your best interests
  • ", + "
  • how happy they will be to make decisions for you
  • ", + "

    Read about an attorney\u2019s responsibilities to help you with your decision.

    ", + "

    You cannot choose someone who is subject to a Debt Relief Order or is bankrupt if you\u2019re making a lasting power of attorney (LPA) for property and financial affairs.

    ", + "

    If there\u2019s more than one attorney

    ", + "

    If you\u2019re appointing more than one person, you must decide if they\u2019ll make decisions:

    ", + "
  • separately or together - sometimes called \u2018jointly and severally\u2019 - which means attorneys can make decisions on their own or with other attorneys
  • ", + "
  • together - sometimes called \u2018jointly\u2019 - which means all the attorneys have to agree on the decision
  • ", + "

    You can also choose to let them make some decisions \u2018jointly\u2019, and others \u2018jointly and severally\u2019.

    ", + "

    Attorneys who are appointed jointly must all agree or they cannot make the decision.

    ", + "

    Replacement attorneys

    ", + "

    When you make your LPA you can nominate other people to replace your attorney or attorneys if at some point they cannot act on your behalf anymore.

    ", + "

    Make a lasting power of attorney

    ", + "

    You can make a lasting power of attorney (LPA) online or using paper forms.

    ", + "

    Either way, you need to get other people to sign the forms, including the attorneys and witnesses.

    ", + "

    You can get someone else to use the online service or fill in the paper forms for you, for example a family member, friend or solicitor.

    ", + "

    You must register your LPA or your attorney will not be able to make decisions for you.

    ", + "

    It might take longer to make and register an LPA because of coronavirus (COVID-19). It will be quicker if you make it and pay online.

    ", + "

    Make an LPA online

    ", + "

    Create an account to start your LPA.

    ", + "

    You can:

    ", + "
  • get help and guidance at each step
  • ", + "
  • save your forms and complete them later
  • ", + "
  • review your answers and fix any mistakes
  • ", + "

    You need to print out the forms and sign them when you\u2019ve finished.

    ", + "

    Sign in to your account

    ", + "

    Sign in to continue making your LPA.

    ", + "

    Use the paper forms

    ", + "

    Download the forms and print them out.

    ", + "

    Signing the forms

    ", + "

    You need to sign the forms before you send them off. They also need to be signed by:

    ", + "
  • the attorneys
  • ", + "
  • witnesses
  • ", + "
  • a \u2018certificate provider\u2019, who confirms you\u2019re making the LPA by choice and you understand what you\u2019re doing
  • ", + "

    Everyone must sign the same original document. They cannot sign copies or use digital signatures.

    ", + "

    Who can be a witness or certificate provider

    ", + "

    Witnesses and certificate providers must be 18 or over.

    ", + "

    Attorneys can witness each other sign, but they cannot:

    ", + "
  • witness you sign
  • ", + "
  • sign as the certificate provider
  • ", + "

    You cannot be a witness if you\u2019re the person appointing an attorney.

    ", + "

    Get help

    ", + "

    Ask the Office of the Public Guardian about help you can get if you:

    ", + "
  • do not have a computer or printer
  • ", + "
  • want to use the online service but need some help
  • ", + "

    Register a lasting power of attorney

    ", + "

    When you\u2019ve made your lasting power of attorney (LPA), you need to register it with the Office of the Public Guardian (OPG).

    ", + "

    It takes up to 15 weeks to register an LPA if there are no mistakes in the application.

    ", + "

    You can apply to register your LPA yourself if you\u2019re able to make your own decisions.

    ", + "

    Your attorney can also register it for you. You\u2019ll be told if they do and you can object to the registration.

    ", + "

    Notify people

    ", + "

    Before you register, send a form to notify people (LP3) to all the \u2018people to notify\u2019 (also called \u2018people to be told\u2019) you listed in the LPA.

    ", + "

    They\u2019ll have 3 weeks to raise any concerns with OPG.

    ", + "

    If you\u2019re using the online service to make an LPA, it will create and fill in the LP3 forms for you.

    ", + "

    How to register

    ", + "

    Apply to register as soon as you\u2019ve sent forms to notify people.

    ", + "

    To register, you need to sign your completed LPA form and send it to OPG.

    ", + "

    If you create your LPA form using the online service, you will need to print it out to do this.

    ", + "

    The address is also on the form. Make sure you include the original LPA form and the fee.

    ", + "

    You can send a certified copy if you do not have the original form. Write a covering letter to explain why you do not have the original.

    ", + "

    If you made your LPA with an older paper form

    ", + "

    You can register by filling in form LP2 if you made your LPA:

    ", + "
  • on forms LPA114 or LPA117 before 1 January 2016
  • ", + "
  • on forms LP PA or LP PW before 1 April 2011
  • ", + "

    Otherwise you\u2019ll need to make a new LPA.

    ", + "

    How much it costs

    ", + "

    It costs \u00a382 to register each LPA unless you get a reduction or exemption.

    ", + "

    This means it costs \u00a3164 to register both a property and financial affairs LPA and a health and welfare LPA.

    ", + "

    You can pay by:

    ", + "
  • credit or debit card
  • ", + "
  • cheque
  • ", + "

    Make your cheque payable to \u2018Office of the Public Guardian\u2019 and write your name on the back. Send it to OPG with your forms.

    ", + "

    If you make a mistake on your form

    ", + "

    Depending on the type of mistake, OPG may let you correct it and apply again within 3 months for \u00a341.

    ", + "

    Get a reduction or exemption

    ", + "

    You can apply for a reduction if you earn less than \u00a312,000. You might also be able to apply for an exemption if you\u2019re on certain benefits, such as Income Support.

    ", + "

    Download and fill in the application form. The form has more information about eligibility.

    ", + "

    Certify a copy of a lasting power of attorney

    ", + "

    You can confirm that a copy of your lasting power of attorney (LPA) is genuine by \u2018certifying\u2019 it if you\u2019re still able to make your own decisions.

    ", + "

    You or your attorney can use a certified copy to register your LPA if you do not have the original form.

    ", + "

    Your attorney can also use the certified copy to prove they have permission to make decisions on your behalf, for example to manage your bank account.

    ", + "

    How to certify a copy

    ", + "

    Write the following text on the bottom of every page of the copy:

    ", + "

    \u201cI certify this is a true and complete copy of the corresponding page of the original lasting power of attorney.\u201d

    ", + "

    On the final page of the copy, you must also write:

    ", + "

    \u201cI certify this is a true and complete copy of the lasting power of attorney.\u201d

    ", + "

    You need to sign and date every page.

    ", + "

    Other ways to certify a copy

    ", + "

    Copies of your LPA can also be certified by:

    ", + "
  • a solicitor
  • ", + "
  • a person authorised to carry out notarial activities
  • ", + "

    Change your lasting power of attorney

    ", + "

    You can ask the Office of the Public Guardian (OPG) to change your lasting power of attorney (LPA) if it\u2019s been registered and you still have mental capacity to make decisions.

    ", + "

    If you want to remove one of your attorneys

    ", + "

    You will need to send OPG a written statement called a \u2018partial deed of revocation\u2019.

    ", + "

    If you want to add another attorney you need to end your LPA and make a new one.

    ", + "

    Use the following wording. Replace the words in the square brackets with the relevant details.

    ", + "

    Partial deed of revocation

    ", + "

    \u201cThis partial deed of revocation is made by [donor\u2019s name] of [donor\u2019s address].

    ", + "

    1: I granted a lasting power of attorney for property and financial affairs/health and welfare [delete as appropriate] on [date donor signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).

    ", + "

    2: I hereby revoke [attorney\u2019s name that you are revoking] ONLY from the lasting power of attorney and the authority granted to him/her.

    ", + "

    Signed and delivered as a deed [donor\u2019s signature]\nDate signed [date] \nWitnessed by [signature of witness] \nFull name of witness [name of witness] \nAddress of witness [address of witness]\u201d

    ", + "

    Where to send a partial deed of revocation

    ", + "

    Send the partial deed of revocation to the Office of the Public Guardian (OPG) with the original LPA document. You must also tell your attorney or attorneys that you\u2019re ending your LPA.

    ", + "

    If your attorney\u2019s details change

    ", + "

    You must write to OPG if one of your attorneys has changed their:

    ", + "
  • name - by marriage or deed poll
  • ", + "
  • address
  • ", + "

    You need to provide supporting documents, such as the original marriage certificate, with their new name and address.

    ", + "

    Do not make changes to your LPA document itself, as it might become invalid. You must contact OPG to make changes to your LPA.

    ", + "

    If one of your attorneys dies

    ", + "

    You must tell OPG and send them:

    ", + "
  • a copy of their death certificate
  • ", + "
  • the original LPA
  • ", + "
  • all certified copies of the LPA
  • ", + "
  • a return address where your documents can be sent back to
  • ", + "

    End your lasting power of attorney

    ", + "

    You can end your lasting power of attorney (LPA) yourself - if you have mental capacity to make that decision.

    ", + "

    You need to send the Office of the Public Guardian (OPG) both:

    ", + "
  • the original LPA
  • ", + "
  • a written statement called a \u2018deed of revocation\u2019
  • ", + "

    Use the following wording for the deed of revocation. Replace the words in the square brackets with the relevant details.

    ", + "

    Deed of revocation

    ", + "

    \u201cThis deed of revocation is made by [your name] of [your address].

    ", + "

    1: I granted a lasting power of attorney for property and financial affairs/health and welfare (delete as appropriate) on [date you signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).

    ", + "

    2: I revoke the lasting power of attorney and the authority granted by it.

    ", + "

    Signed and delivered as a deed [your signature]\nDate signed [date]\nWitnessed by [signature of witness]\nFull name of witness [name of witness]\nAddress of witness [address of witness]\u201d

    ", + "

    You must be able to make your own decisions when you end your LPA.

    ", + "

    You can also complain if you have concerns about your attorney, for example if they\u2019re not carrying out their responsibilities properly.

    ", + "

    Other ways a lasting power of attorney can end

    ", + "

    Your LPA may end if your attorney:

    ", + "
  • loses the ability to make decisions - \u2018loses mental capacity\u2019
  • ", + "
  • divorces you or ends your civil partnership if they\u2019re your husband, wife or partner
  • ", + "
  • becomes bankrupt or they\u2019re subject to a Debt Relief Order (DRO) - if they\u2019re a property and financial affairs attorney
  • ", + "
  • is removed by the Court of Protection
  • ", + "
  • dies
  • ", + "

    If your only attorney dies

    ", + "

    Your LPA will end if your attorney dies and you have no replacement attorneys. You must tell OPG and send them:

    ", + "
  • a copy of their death certificate
  • ", + "
  • the original LPA
  • ", + "
  • all certified copies of the LPA
  • ", + "
  • a return address where your documents can be sent back to
  • ", + "

    Your LPA can continue if:

    ", + "
  • there are other attorneys who can act \u2018jointly and severally\u2019 - but not if they are only allowed to act \u2018jointly\u2019
  • ", + "
  • there are replacement attorneys
  • ", + "

    If you die

    ", + "

    Your LPA will end automatically when you die. Your affairs will be looked after by your executors or personal representatives from that point, not your attorney.

    " + ] + }, + { + "title": "Manage a missing person's finances and property", + "url": "https://www.gov.uk/manage-missing-persons-finances", + "contents": [ + "

    Overview

    ", + "

    You can apply to be a guardian and manage the finances or property of someone who:

    ", + "
  • is missing
  • ", + "
  • is in prison abroad and cannot communicate
  • ", + "
  • has been taken hostage or kidnapped
  • ", + "

    The person must be missing from home and their usual activities.

    ", + "

    One of the following must also apply:

    ", + "
  • you do not know where they are
  • ", + "
  • they cannot contact you to let you know their decisions
  • ", + "

    You must apply to the High Court for a guardianship order.

    ", + "

    You can apply when the person has been missing for the previous 90 days. You can apply earlier if it\u2019s urgent, for example the person\u2019s house is being repossessed.

    ", + "

    The Office of the Public Guardian will supervise you while you are acting as a guardian. You\u2019ll need to keep records of the activities you carry out and decisions you make.

    ", + "

    You must send reports to the Office of the Public Guardian when they ask you for them. They will tell you when it\u2019s time to send your report.

    ", + "

    The Office of the Public Guardian might visit you.

    ", + "

    Who can apply

    ", + "

    You can apply if you\u2019re the missing person\u2019s:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • parent
  • ", + "
  • child
  • ", + "
  • brother or sister
  • ", + "
  • guardian already and you\u2019re renewing the order
  • ", + "

    You can also apply if you can give the court evidence that you have a \u2018sufficient interest\u2019 in the person\u2019s finances or property. This might be, for example, because:

    ", + "
  • you have been in a relationship for a long time with the person and you live with them
  • ", + "
  • the person is your business partner and you need to continue to run the business
  • ", + "
  • you are the person\u2019s step-parent, step-sibling or step-child
  • ", + "

    The longer you\u2019ve known the person and the better you know them, the easier it will be for you to convince the court that you have \u2018sufficient interest\u2019.

    ", + "

    You must be over 18 to apply.

    ", + "

    Apply to be a guardian

    ", + "

    You can make a claim yourself or use a legal representative.

    ", + "

    Fill in the form

    ", + "

    Download and fill in a part 8 claim form.

    ", + "

    Include:

    ", + "
  • your name and address (under \u2018claimant\u2019)
  • ", + "
  • the missing person\u2019s name (under \u2018defendant\u2019)
  • ", + "
  • your relationship to the missing person
  • ", + "
  • the last known address of the person
  • ", + "
  • when the person went missing
  • ", + "
  • how long the person has been missing
  • ", + "

    If you\u2019re applying with other people, complete one form with everyone\u2019s details in it.

    ", + "

    You\u2019ll need to write a witness statement to help the court decide if you\u2019re a suitable guardian.

    ", + "

    Witness statement

    ", + "

    Confirm that the missing person normally lives in England or Wales.

    ", + "

    If you\u2019re not the person\u2019s husband, wife, civil partner, parent, child, brother or sister, explain why you\u2019re interested in the person\u2019s property or financial affairs.

    ", + "

    If it\u2019s less than 90 days since the person went missing, explain you need the guardianship order urgently, for example, because the person is going to lose their house.

    ", + "

    In the statement, include:

    ", + "
  • the person\u2019s usual day-to-day activities and when they stopped doing them
  • ", + "
  • evidence that the person has been missing for at least the last 90 days
  • ", + "
  • information about the property and finances of the person
  • ", + "
  • what you know about their disappearance and where they might be
  • ", + "
  • details of any police investigation or report
  • ", + "
  • the names and addresses of the missing person\u2019s family, if they have any
  • ", + "
  • the proposed news advert
  • ", + "
  • whether you\u2019ve been convicted of a criminal offence
  • ", + "
  • whether you\u2019ve been refused credit
  • ", + "
  • whether you\u2019ve ever been bankrupt
  • ", + "
  • whether you\u2019ve run a company that became insolvent or went bankrupt
  • ", + "
  • confirmation that you believe the facts in the document are true and accurate (a \u2018truth statement\u2019)
  • ", + "

    Send the form to the High Court

    ", + "

    Apply to one of the following:

    ", + "
  • the Chancery Division of the High Court - if there are complicated issues with a property or trust
  • ", + "
  • the Family Division of the High Court - if it\u2019s likely that family disagreements and issues will happen
  • ", + "
  • Your local High Court District Registry
  • ", + "

    The High Court can transfer your hearing from one division to another. This will not change what you have to pay.

    ", + "

    Send one identical copy for each person you need to tell, plus a copy for the court.

    ", + "
  • the form and witness statement
  • ", + "
  • any documents you have as supporting evidence, for example police reports
  • ", + "
  • a cheque for the court fee, made payable to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    Find your local High Court District Registry.

    ", + "

    After you apply you\u2019ll need to advertise your claim in a newspaper. The High Court will ask you to go to a hearing.

    ", + "

    How much it costs

    ", + "

    You must pay either:

    ", + "
  • a \u00a3528 application fee if you apply to the Chancery Division of the High Court
  • ", + "
  • a \u00a3245 application fee if you apply to the Family Division of the High Court
  • ", + "

    Send a cheque for HM Courts and Tribunals with your application.

    ", + "

    You might also have to pay a security bond.

    ", + "

    Once you\u2019re appointed as a guardian you must pay:

    ", + "
  • a \u00a3200 set up fee
  • ", + "
  • a \u00a3320 supervision fee every year of your guardianship
  • ", + "

    The Office of the Public Guardian will tell you how and when to pay your set up and supervision fees.

    ", + "

    If you want to get the money back for the fees from the missing person\u2019s account, ask the court to give you permission in the guardianship order.

    ", + "

    Pay the security bond

    ", + "

    You might have to pay a security bond before you can use the guardianship order. The High Court will tell you if you need to pay a bond.

    ", + "

    If the guardianship order gives you permission, either:

    ", + "
  • pay the bond from the person\u2019s funds
  • ", + "
  • pay the bond yourself then pay yourself back once you have access to the person\u2019s finances
  • ", + "

    You cannot start acting for the person until you\u2019ve paid the security bond.

    ", + "

    Get help with your fees

    ", + "

    You might also be able to get help paying court fees.

    ", + "

    After you've applied

    ", + "

    The court will send copies of your form back to you, with \u2018acknowledgement of service\u2019 forms and a case number. It will keep a copy of the form. The High Court will let you know the hearing date.

    ", + "

    The hearing will take place at least 8 weeks after the High Court sends you the claim forms back.

    ", + "

    When you have a hearing date from the court, you need to tell other people that you\u2019ve applied before the hearing, in case they object. You must also advertise your claim in a newspaper.

    ", + "

    Tell the person\u2019s family that you\u2019ve applied to be their guardian

    ", + "

    You\u2019ll need to tell the missing person\u2019s:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • parents, brothers and sisters
  • ", + "
  • children
  • ", + "

    Send:

    ", + "
  • a copy of the claim form
  • ", + "
  • the acknowledgement of service form that the court has sent you
  • ", + "
  • copies of the supporting evidence you sent with your application
  • ", + "
  • a letter telling them the date of the first hearing
  • ", + "

    Advertise your claim in the news

    ", + "

    You must advertise your claim within 14 days from the day you get a date for the first court hearing. The advert must appear in a print or online newspaper that covers the missing person\u2019s last known usual address.

    ", + "

    How to write the advert

    ", + "

    You can use this template for the advert. Add your own information where there are square brackets.

    ", + "

    In the High Court of Justice [Family or Chancery] Division

    ", + "

    Case number [ ]

    ", + "

    In the matter of an application made under the Guardianship (Missing Persons) Act 2017 for a guardianship order in respect of [insert missing person name].

    ", + "

    A claim has been issued in the High Court of Justice, [Family or Chancery] Division, case no. [case number], by [your name] for an order that [your name] be appointed guardian in respect of [missing person] (\u201cthe missing person\u201d), whose last usual place of residence was [missing person\u2019s address].

    ", + "

    The date and venue for the first hearing of the claim application is [date] at [court address]. Any spouse, civil partner, parent, child or sibling of the missing person is entitled to intervene in the matter. Any other person having an interest may apply to the court for permission to intervene in the matter.

    ", + "

    If you wish to give notice of intention to intervene or to apply to the court for permission to intervene, you should do so at [court address] as soon as possible, and no later than 14 days before the date of the first hearing, and serve a copy of that notice or application on the claimant at the address given below. Delay may harm your prospects of obtaining permission to intervene if you are not entitled to intervene, and, in any event, may be taken into account on any question relating to costs.

    ", + "

    [your name]\n[Name and address of your legal representative, if you have one]\n[Your address, if you do not have a legal representative]

    ", + "

    Tell the court about the advert

    ", + "

    At least 7 days before the first court hearing, send evidence to the High Court that you advertised the claim. Include the case number the court has sent you. Evidence could be:

    ", + "
  • a copy of the printed page
  • ", + "
  • a working link to a website
  • ", + "
  • confirmation from the news organisation
  • ", + "

    At the hearing

    ", + "

    Bring any supporting documents you have to the hearing.

    ", + "

    At the hearing, the judge might consider:

    ", + "
  • your relationship with the missing person
  • ", + "
  • the missing person\u2019s opinion of you (for example, if there is evidence in writing from before they disappeared)
  • ", + "
  • whether you have the right skills and knowledge to be a guardian
  • ", + "
  • any conflict of interest between you and the missing person
  • ", + "

    You might be:

    ", + "
  • asked for more information
  • ", + "
  • told there has to be another hearing
  • ", + "

    The court will tell you how to get a court order if someone\u2019s refusing to give you information you need.

    ", + "

    There might be several hearings before the High Court makes a decision. It depends on how complicated the case is.

    ", + "

    If the High Court approves your claim

    ", + "

    The judge might tell you at the hearing that you have been successful, or there could be a short wait before you find out. It depends on how complicated your case is and how much the missing person owns.

    ", + "

    Once the High Court has given you a guardianship order, they will send you several copies of it and a copy to the Office of the Public Guardian.

    ", + "

    The Office of the Public Guardian will register your guardianship and supervise you. You might have to pay a security bond. The High Court will tell you if you do.

    ", + "

    When you\u2019re appointed as a guardian

    ", + "

    The guardianship order will tell you when you can start to make decisions for the person and what kinds of decision you can make.

    ", + "

    The order will also say how long you are guardian for.

    ", + "

    Contact the High Court if there are mistakes on the order.

    ", + "

    You\u2019ll need apply again to make a decision on anything that\u2019s not covered by the order.

    ", + "

    Let people know you\u2019re a guardian

    ", + "

    The court might give you the right to find out where the person has bank or building society accounts, if you do not know already. You\u2019ll need to write to banks and building societies to find out.

    ", + "

    If the order mentions people or organisations, tell them that you\u2019re the guardian.

    ", + "

    Some examples are:

    ", + "
  • Department for Work and Pensions
  • ", + "
  • banks or building societies
  • ", + "
  • life assurance companies
  • ", + "
  • the payer of any private pensions
  • ", + "
  • the solicitor who holds the person\u2019s will or property deeds
  • ", + "
  • utility providers
  • ", + "
  • the company where the person has a mortgage
  • ", + "

    Send:

    ", + "
  • the guardianship order
  • ", + "
  • proof of your name and address
  • ", + "
  • proof of the name and address of the person you are guardian for
  • ", + "

    Proof of name and address could be a driving licence or utility bill. Check with the organisation:

    ", + "
  • what proof of name and address they accept
  • ", + "
  • whether they\u2019ll accept a photocopy of the guardianship order or only the original
  • ", + "

    Ask organisations to return your guardianship order when you send it out or you may run out of copies.

    ", + "

    Pay bills and cancel payments

    ", + "

    Once you have access to the person\u2019s accounts and know where their income comes from and their assets, you can make a full list of what\u2019s in their estate so you know what you\u2019re responsible for. If the guardianship order gives you permission, pay any outstanding bills and cancel any payments if they no longer apply.

    ", + "

    Make decisions

    ", + "

    The Office of the Public Guardian will supervise you while you act as a guardian. You\u2019ll need to keep a record of the decisions you make.

    ", + "

    The kinds of decision the guardianship order might let you make include:

    ", + "
  • making an investment for the person
  • ", + "
  • selling some of the person\u2019s assets
  • ", + "
  • cancelling direct debits
  • ", + "

    Any decisions you make for someone must be right for them (\u2018in their best interests\u2019).

    ", + "

    Making decisions in someone\u2019s best interests

    ", + "

    Take into account:

    ", + "
  • what they would have decided if they could
  • ", + "
  • their feelings and wishes
  • ", + "
  • their values and beliefs, including moral, political and religious views
  • ", + "
  • the views of other people who have an interest in the missing person\u2019s property
  • ", + "

    Do not make assumptions based on their age, gender, ethnic background, sexuality or health.

    ", + "

    It can help to:

    ", + "
  • write down what the person has told you is important to them
  • ", + "
  • look at other things they wrote down or recorded (such as household budgets or home videos)
  • ", + "
  • speak to friends, family or colleagues who know them well
  • ", + "

    You\u2019ll need to send a report to the Office for the Public Guardian explaining what decisions you took.

    ", + "

    Difficult decisions and disagreements

    ", + "

    Consult the person\u2019s family and friends. Including everyone in a meeting can help you reach agreement.

    ", + "

    If you cannot agree you can get advice about how to reach agreement from the Office of the Public Guardian.

    ", + "

    You must apply again to the High Court to make a decision not covered by the guardianship order.

    ", + "

    Keeping records, giving gifts and claiming expenses

    ", + "

    You must keep financial records and accounts. Follow the rules for gifts and expenses. You must also record the transactions in your guardianship report.

    ", + "

    Keeping records

    ", + "

    Keep a record if you:

    ", + "
  • make an investment for the person
  • ", + "
  • sell the person\u2019s home, car or other valuables
  • ", + "
  • use the person\u2019s money to buy someone a gift
  • ", + "
  • ask someone for advice and any disagreements
  • ", + "
  • close an account
  • ", + "
  • pay a bill
  • ", + "

    You must keep copies of:

    ", + "
  • bank statements and receipts
  • ", + "
  • invoices
  • ", + "
  • contracts for services or tradespeople
  • ", + "
  • letters and emails about your activities as a guardian
  • ", + "

    The Office of the Public Guardian might ask you to send these in when it reviews your guardian report.

    ", + "

    Giving gifts

    ", + "

    Your guardianship order will say if you can buy gifts or give gifts of money on behalf of the person, including donations to charities. It will also say if there\u2019s a limit on what you can spend.

    ", + "

    You must be sure the person can afford the gift.

    ", + "

    Expenses

    ", + "

    Check your guardianship order to find out whether or not you can claim expenses. You can only claim expenses if the order gives you permission and for things you must do to carry out your role as a guardian, for example:

    ", + "
  • hiring a professional to do things like fill in the person\u2019s tax return
  • ", + "
  • travel costs
  • ", + "
  • stationery
  • ", + "
  • postage
  • ", + "
  • phone calls
  • ", + "

    You can be ordered to repay the person\u2019s money if you misuse it or make decisions to benefit yourself.

    ", + "

    Keep your receipts and invoice the person for your expenses.

    ", + "

    Complete your report

    ", + "

    You must write a report for the Office of the Public Guardian each year explaining the decisions you\u2019ve made as a guardian.

    ", + "

    It must include:

    ", + "
  • the reasons for your decisions and why they were in the person\u2019s best interests
  • ", + "
  • who you spoke to and what they said was in the person\u2019s best interests
  • ", + "
  • the opening and closing balances and bank statements
  • ", + "
  • payments and transfers in and out of their accounts
  • ", + "
  • details of the person\u2019s assets
  • ", + "
  • any assets you bought or sold
  • ", + "

    The Office of the Public Guardian will tell you when to send your report and how to send it.

    ", + "

    If you do not send the report, the Office of the Public Guardian might:

    ", + "
  • increase the amount of supervision you get
  • ", + "
  • ask the court to replace you with a different guardian
  • ", + "

    Make a decision that's not covered by the order

    ", + "

    You must apply to the High Court if you need to change your guardianship, for example to make decisions not covered by the original order.

    ", + "

    How to apply

    ", + "

    Apply to the High Court to change the guardianship order.

    ", + "

    Download and fill in form N244.

    ", + "

    Include your case number and select that you are the \u2018claimant\u2019.

    ", + "

    When the guardianship ends

    ", + "

    Your guardianship ends automatically if one of the following things happens:

    ", + "
  • your guardianship order expires
  • ", + "
  • the person dies
  • ", + "
  • someone makes a declaration of presumed death
  • ", + "
  • you die
  • ", + "

    If the person returns or you decide to step down

    ", + "

    You\u2019ll need to apply to the High Court to end (\u2018revoke\u2019) the guardianship order.

    ", + "

    Download and fill in form N244.

    ", + "

    Include your case number and select that you are the \u2018claimant\u2019.

    ", + "

    Explain in the details section that you want to revoke the guardianship because the missing person has returned or you\u2019ve decided to step down.

    ", + "

    Renew your guardianship

    ", + "

    The guardianship order will make you a guardian for a maximum of 4 years.

    ", + "

    You can apply for another guardianship order when it expires. The process is the same as applying for guardianship.

    " + ] + }, + { + "title": "Annul a marriage", + "url": "https://www.gov.uk/how-to-annul-marriage", + "contents": [ + "

    When you can annul a marriage

    ", + "

    Annulment (sometimes known as \u2018nullity\u2019) is a different way of ending a marriage.

    ", + "

    You or your spouse must have either:

    ", + "
  • lived in England or Wales for at least a year
  • ", + "
  • had a permanent home in England or Wales for at least 6 months
  • ", + "

    Unlike divorce, you can apply for annulment in the first year of your marriage or any time after. However, if you apply years after the wedding, you might be asked to explain the delay.

    ", + "

    You\u2019ll need to show that the marriage:

    ", + "
  • was never legally valid (\u2018void\u2019)
  • ", + "
  • was legally valid, but meets one of the reasons that makes it \u2018voidable\u2019
  • ", + "

    Your marriage is not legally valid - \u2018void\u2019 marriages

    ", + "

    You can annul a marriage if it was not legally valid in the first place, for example:

    ", + "
  • you\u2019re closely related to the person you married
  • ", + "
  • one or both of you were under 16
  • ", + "
  • one of you was already married or in a civil partnership
  • ", + "

    If a marriage was never legally valid, the law says that it never existed.

    ", + "

    However, you may need legal paperwork (a \u2018decree of nullity\u2019) to prove this - for example if you want to get married again.

    ", + "

    Your marriage is \u2018voidable\u2019

    ", + "

    You can annul a marriage for a number of reasons, such as:

    ", + "
  • it was not consummated - you have not had sexual intercourse with the person you married since the wedding (does not apply for same sex couples)
  • ", + "
  • you did not properly consent to the marriage - for example you were forced into it
  • ", + "
  • the other person had a sexually transmitted disease (STD) when you got married
  • ", + "
  • your spouse was pregnant by someone else when you got married
  • ", + "
  • one spouse is in the process of transitioning to a different gender
  • ", + "

    As with divorce, your marriage legally exists until you annul it using one of these reasons.

    ", + "

    The rules on ending a civil partnership are slightly different, but the court forms are the same.

    ", + "

    Apply for an annulment

    ", + "

    You can apply to have your marriage annulled as soon as you get married. Unlike divorce, you do not have to wait for a year.

    ", + "

    To annul a marriage, fill in a \u2018nullity petition\u2019.

    ", + "

    Read the supporting notes before you start.

    ", + "

    Send 2 copies of the form to your nearest divorce court, and keep your own copy.

    ", + "

    Filing a nullity petition form costs \u00a3550.

    ", + "

    You may be able to get help with court fees if you\u2019re on benefits or a low income.

    ", + "

    Apply for a decree nisi

    ", + "

    The other person must respond to your nullity petition within 8 days, saying whether they agree the marriage should be annulled.

    ", + "

    If they agree, you can apply for a \u2018decree nisi\u2019. This will confirm that the court does not see any reason why the marriage cannot be annulled.

    ", + "

    To get a decree nisi, fill in the application for decree nisi or conditional order.

    ", + "

    Statement in support of annulment

    ", + "

    You must also fill in a statement confirming that what you said in your nullity petition is true.

    ", + "

    Use one of the forms below, depending on whether your marriage is \u2018void\u2019 or \u2018voidable\u2019:

    ", + "
  • statement in support of annulment - void marriage
  • ", + "
  • statement in support of annulment - voidable marriage
  • ", + "

    See when you can annul a marriage for the difference between \u2018void\u2019 and \u2018voidable\u2019 marriages.

    ", + "

    The marriage will not be ended yet, you still need to apply for a \u2018decree absolute\u2019.

    ", + "

    Apply for a decree absolute

    ", + "

    You can apply for a decree absolute 6 weeks after you get the decree nisi.

    ", + "

    In these cases, it\u2019s also called a \u2018decree of nullity\u2019. This is the final legal document which says that the marriage has been annulled.

    ", + "

    To apply for a decree of nullity, fill in the notice of application for decree nisi to be made absolute.

    ", + "

    The decree absolute fee is included in the annulment cost.

    ", + "

    When you return your forms

    ", + "

    The court will check if there are any reasons that the marriage cannot be annulled. In most cases, you do not need to go to court for this.

    ", + "

    If the court is happy, it will send you the decree of nullity. This will confirm that you\u2019re no longer married.

    ", + "

    If your marriage was never legally valid (void), the decree will confirm that you were never legally married.

    " + ] + }, + { + "title": "Money and property when you divorce or separate", + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "contents": [ + "

    Getting a financial agreement

    ", + "

    When you divorce or end a civil partnership you and your ex-partner need to agree how to separate your finances.

    ", + "

    This includes deciding how you\u2019re going to divide:

    ", + "
  • pensions
  • ", + "
  • property
  • ", + "
  • savings
  • ", + "
  • investments
  • ", + "

    You might get things like:

    ", + "
  • a share of your your partner\u2019s pension - including State Pension or private pension plans
  • ", + "
  • regular maintenance payments to help with children or living expenses
  • ", + "

    You can usually avoid going to court hearings if you agree how to split your money and property.

    ", + "

    The rules are different if you were not married or in a civil partnership. You\u2019ll still have to agree on child maintenance payments for any children.

    ", + "

    What you can do is different in Scotland and Northern Ireland.

    ", + "

    Making an agreement legally binding

    ", + "

    If you and your ex-partner agree on how to divide money and property, you need to apply for a consent order to make it legally binding.

    ", + "

    Get help agreeing

    ", + "

    You can use a mediator or get other help to resolve issues out of court.

    ", + "

    Get the court to decide

    ", + "

    If you cannot agree on everything, you can ask a court to make a financial order.

    ", + "

    If you agree

    ", + "

    It\u2019s usually more straightforward and less expensive if you agree how to divide your money and property. Get help agreeing.

    ", + "

    Making your agreement legally binding

    ", + "

    To make your agreement legally binding you need to draft a consent order and ask a court to approve it.

    ", + "

    If your agreement is not legally binding, a court cannot enforce it if there are any issues later.

    ", + "

    A consent order is a legal document that confirms your agreement. It explains how you\u2019re going to divide up assets like:

    ", + "
  • pensions
  • ", + "
  • property
  • ", + "
  • savings
  • ", + "
  • investments
  • ", + "

    It can also include arrangements for maintenance payments, including child maintenance.

    ", + "

    You can get legal advice or ask a solicitor to draft a consent order for you.

    ", + "

    When to apply for a consent order

    ", + "

    You can ask the court to approve your consent order if you\u2019ve started the paperwork to divorce or end your civil partnership.

    ", + "

    It is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.

    ", + "

    The final legal document is the:

    ", + "
  • decree absolute if you\u2019re divorcing
  • ", + "
  • final order if you\u2019re ending a civil partnership
  • ", + "

    You can divide money and property after your divorce is finalised or civil partnership has ended. This may change what you\u2019re entitled to get and you may have to pay tax on it.

    ", + "

    How to ask the court for approval

    ", + "

    You and your ex-partner have to:

    ", + "
  • draft a consent order
  • ", + "
  • sign the draft consent order - you also need 2 photocopies of the signed original
  • ", + "
  • fill in a statement of information form
  • ", + "

    One of you also needs to fill in a notice of an application for a financial order.

    ", + "

    If you\u2019re ending a civil partnership or legally separating, send the signed forms and copies with the \u00a350 fee to the court dealing with your paperwork. Keep your own copies.

    ", + "

    If you\u2019re divorcing, send the signed forms and copies with the \u00a350 fee to:

    ", + "

    You may be able to get help with court fees if you\u2019re on benefits or a low income.

    ", + "

    There\u2019s usually no court hearing. A judge will approve your consent order to make it legally binding if they think it\u2019s fair.

    ", + "

    If they do not think it\u2019s fair, they can ask you to change it.

    ", + "

    How much it costs

    ", + "

    The court fee is \u00a350.

    ", + "

    Solicitor fees vary depending on their experience and location. They usually charge per hour.

    ", + "

    Get help agreeing

    ", + "

    A mediator can help you and your ex-partner agree on how to split money and property, without taking sides.

    ", + "

    Mediation is not relationship counselling. It can help you agree on how you\u2019ll divide your assets, including:

    ", + "
  • pensions
  • ", + "
  • property
  • ", + "
  • savings
  • ", + "
  • investments
  • ", + "

    Mediation can be quicker and cheaper than asking a court to decide for you.

    ", + "

    You need to attend a mediation information assessment meeting (MIAM) before you start mediation.

    ", + "

    Find a local mediator.

    ", + "

    The mediator can decide mediation is not right for you (for example, if there\u2019s been domestic abuse and you need to go to court instead).

    ", + "

    How much it costs

    ", + "

    A MIAM is usually about \u00a330. If you need more mediation sessions they cost more and fees vary depending on where you live.

    ", + "

    Check if you can get legal aid for mediation.

    ", + "

    Making your agreement legally binding

    ", + "

    At the end of mediation you\u2019ll get a document showing what you agreed. This agreement is not legally binding.

    ", + "

    If you want a legally binding agreement you need to draft a consent order and get a court to approve it. The consent order can be based on what you agreed in mediation.

    ", + "

    If you need more help agreeing

    ", + "

    You can:

    ", + "
  • ask a legal adviser about other ways to resolve issues out of court (such as family arbitration or collaborative law)
  • ", + "
  • get information and advice from Citizens Advice
  • ", + "
  • read guidance to help you sort out finances when you get divorced
  • ", + "
  • work out your finances with a divorce and separation calculator
  • ", + "

    If you do not agree on everything

    ", + "

    You can ask a court to decide on anything you have not agreed on.

    ", + "

    Get the court to decide

    ", + "

    If you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).

    ", + "

    This means the court will decide how assets will be split. Getting the court to decide usually takes longer and is more expensive than if you and your ex-partner agree.

    ", + "

    You must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).

    ", + "

    A financial order will describe how you\u2019re going to divide up assets like:

    ", + "
  • pensions
  • ", + "
  • property
  • ", + "
  • savings
  • ", + "
  • investments
  • ", + "

    It can also include arrangements for maintenance payments, including child maintenance.

    ", + "

    When to apply for a financial order

    ", + "

    You can ask a court to make a financial order if you\u2019ve started the paperwork to divorce or end your civil partnership.

    ", + "

    It is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.

    ", + "

    The final legal document is the:

    ", + "
  • decree absolute if you\u2019re divorcing
  • ", + "
  • final order if you\u2019re ending a civil partnership
  • ", + "

    You can divide money and property after your divorce is finalised or civil partnership has ended but it may change what you\u2019re entitled to get and you may have to pay tax on it.

    ", + "

    How to apply

    ", + "

    You need to apply for a financial order.

    ", + "

    Send 2 copies of the form to the court dealing with paperwork in your area to divorce or end your civil partnership. Keep a copy for yourself.

    ", + "

    You can hire a solicitor to help you apply for a financial order from the court.

    ", + "

    After you apply

    ", + "

    There are three stages:

    ", + "
  • the first appointment - a short hearing with the judge to discuss your application
  • ", + "
  • financial dispute resolution (FDR) appointment - to help you agree without needing a final hearing (you might need more than one appointment)
  • ", + "
  • final hearing - if you\u2019re not able to agree, this is when a judge will decide how you must separate your finances
  • ", + "

    The court will send you and your ex-partner details when the first appointment will be. This is usually 12 to 14 weeks after you apply.

    ", + "

    Before the first appointment

    ", + "

    You and your ex-partner need to fill in a financial statement for a financial order (Form E) to show a breakdown of your property and debts. This includes giving an estimate of your future living costs.

    ", + "

    You\u2019ll also need to collect documents about your finances, for example:

    ", + "
  • rental or mortgage agreements
  • ", + "
  • pension documents
  • ", + "
  • loan agreements
  • ", + "
  • proof of your salary income, for example P60 or recent pay slips
  • ", + "
  • details of personal belongings worth more than \u00a3500, for example a car or house contents
  • ", + "

    How long it takes

    ", + "

    It depends on:

    ", + "
  • how many financial dispute resolution appointments you need
  • ", + "
  • if you need a final hearing
  • ", + "

    There can be several months between the appointments.

    ", + "

    How the court decides

    ", + "

    If you cannot agree, a judge will decide how assets will be split. They\u2019ll base their decision on how long you\u2019ve been married or in a civil partnership, as well as your:

    ", + "
  • age
  • ", + "
  • ability to earn
  • ", + "
  • property and money
  • ", + "
  • living expenses
  • ", + "
  • standard of living
  • ", + "
  • financial needs and responsibilities
  • ", + "
  • role in looking after the family, for example if you were the main earner or caring for the family or home
  • ", + "
  • disability or health condition, if you have any
  • ", + "

    The judge will decide on the fairest way to divide the assets if there\u2019s enough to meet everyone\u2019s needs. They will make arrangements for any children first - especially their housing arrangements and child maintenance. The reason for the divorce or dissolution is not taken into account.

    ", + "

    The judge will usually try to arrange a \u2018clean break\u2019, so everything is shared out, and you no longer have any financial ties to one another.

    ", + "

    How much it costs

    ", + "

    The court fee is \u00a3255.

    ", + "

    Solicitor fees vary depending on their experience and where you live. They usually charge by the hour. How much you pay in total depends on how many financial dispute resolution appointments you need and if there will be a final hearing.

    ", + "

    You can get legal aid to help with court costs in certain situations, for example if you\u2019re separating from an abusive partner.

    ", + "

    Further help and advice

    ", + "

    You can:

    ", + "
  • get information and advice from Citizens Advice
  • ", + "
  • read guidance to help you sort out finances when you get divorced
  • ", + "
  • find out more about how to apply for a financial order
  • ", + "

    Maintenance payments

    ", + "

    The court sometimes tells the person with the higher income to make regular maintenance payments to help with the other person\u2019s living costs.

    ", + "

    This is called a \u2018maintenance order\u2019.

    ", + "

    A maintenance payment can be set for:

    ", + "
  • a limited period of time
  • ", + "
  • until one of you dies, marries or enters into a new civil partnership
  • ", + "

    The payment can also be changed if one of you loses your job or gets much better paid work.

    ", + "

    Child maintenance

    ", + "

    The court can also decide on child maintenance, but this is often arranged by the Child Maintenance Service.

    ", + "

    Read more about making arrangements to look after children when you divorce or separate.

    ", + "

    Tax when transferring assets

    ", + "

    You do not usually have to pay Capital Gains Tax if you give, or otherwise \u2018dispose of\u2019, assets to your husband, wife or civil partner before you finalise the divorce or civil partnership.

    ", + "

    Assets include shares, certain personal possessions and property. You usually do not have to pay tax if you transfer or sell your main home.

    ", + "

    If you transfer an asset when you\u2019re separated

    ", + "

    If you lived together at any point in the tax year that you transferred the asset, the normal rules for spouses and civil partners apply.

    ", + "

    Otherwise you may have to pay Capital Gains Tax. You\u2019ll need to get a valuation of the asset on the date of transfer, and use it to work out the gain or loss.

    ", + "

    The tax year is from 6 April to 5 April the following year.

    ", + "

    If you transfer an asset after you\u2019ve divorced or dissolved your civil partnership

    ", + "

    You may have to pay Capital Gains Tax on assets you transfer after your relationship has legally ended.

    ", + "

    The rules for working out your gain or loss are complex. Contact HM Revenue and Customs (HMRC) or get professional tax help, such as an accountant or tax adviser. You\u2019ll need to tell them the date of:

    ", + "
  • the decree absolute or dissolution
  • ", + "
  • any court order, if assets were transferred this way
  • ", + "
  • any other contract showing the transfer of assets
  • " + ] + }, + { + "title": "Get a divorce", + "url": "https://www.gov.uk/divorce", + "contents": [ + "

    Check you can get a divorce

    ", + "

    You can get divorced in England or Wales if all of the following are true:

    ", + "
  • you\u2019ve been married for over a year
  • ", + "
  • your relationship has permanently broken down
  • ", + "
  • your marriage is legally recognised in the UK (including same-sex marriage)
  • ", + "
  • the UK is your permanent home, or the permanent home of your husband or wife
  • ", + "

    If you do not want a divorce, you can get a legal separation so you can live apart without ending the marriage. You might also be able to annul the marriage. You can apply for separation or annulment during your first year of marriage.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Getting a divorce is different in Scotland and Northern Ireland.

    ", + "

    Grounds for divorce

    ", + "

    When you apply for a divorce you\u2019ll need to prove that your marriage has broken down and cannot be saved. You\u2019ll need to give one or more of the following 5 reasons (also known as \u2018facts\u2019).

    ", + "

    Adultery

    ", + "

    Your husband or wife had sexual intercourse with someone else of the opposite sex (committed adultery).

    ", + "

    You cannot give adultery as a reason if you lived together as a couple for more than 6 months after you found out about it.

    ", + "

    Unreasonable behaviour

    ", + "

    Your husband or wife has behaved in such a way that you cannot reasonably be expected to live with them.

    ", + "

    This could include:

    ", + "
  • physical violence
  • ", + "
  • verbal abuse, such as insults or threats
  • ", + "
  • drunkenness or drug-taking
  • ", + "
  • refusing to pay towards shared living expenses
  • ", + "

    Desertion

    ", + "

    Your husband or wife has left you for at least 2 years before you apply for divorce.

    ", + "

    You can still claim desertion if you have lived together for up to a total of 6 months in this period, but that will not count towards the 2 years.

    ", + "

    You\u2019ve been separated for at least 2 years

    ", + "

    You can apply for a divorce if you\u2019ve been separated for at least 2 years before applying for divorce and you both agree to it.

    ", + "

    Your husband or wife must agree in writing.

    ", + "

    It may be possible for you to show that you\u2019ve been separated while living in the same home as your wife or husband as long as you\u2019re not living together as a couple (for example you sleep and eat apart).

    ", + "

    You\u2019ve been separated for at least 5 years

    ", + "

    You can apply for a divorce if you\u2019ve been separated for at least 5 years before applying, even if your husband or wife disagrees.

    ", + "

    Before you apply

    ", + "

    Before you send in your application, you and your husband or wife can choose to work out:

    ", + "
  • arrangements for looking after any children
  • ", + "
  • child maintenance payments for any children
  • ", + "

    You can also divide your money and property. There\u2019s a deadline if you want to make this legally binding.

    ", + "

    You can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your marriage.

    ", + "

    Get help agreeing on issues

    ", + "

    You can use a mediator. Check if you can get legal aid to help pay for mediation.

    ", + "

    You can also get advice on making agreements from:

    ", + "
  • organisations near you
  • ", + "
  • Citizens Advice
  • ", + "

    If you\u2019re married to more than one person

    ", + "

    Contact your regional divorce centre if you\u2019re married to more than one person (polygamy).

    ", + "

    How to apply

    ", + "

    To apply for a divorce you\u2019ll need:

    ", + "
  • your husband or wife\u2019s full name and address
  • ", + "
  • your original marriage certificate or a certified copy (and a certified translation if it\u2019s not in English)
  • ", + "
  • proof of your name change if you\u2019ve changed it since you got married - for example your marriage certificate or a deed poll
  • ", + "

    You must try to find your husband or wife\u2019s current address if you do not know it. The court will need it to send them a copy of the divorce petition.

    ", + "

    If you name the person your husband or wife committed adultery with, they\u2019ll get copies of the paperwork.

    ", + "

    Fee

    ", + "

    You must pay a \u00a3550 fee to apply for a divorce. The way you pay depends on how you apply. Your fee will not be refunded after you are sent the notice that your application has been issued.

    ", + "

    You may be able to get help with fees if you get benefits or are on a low income.

    ", + "

    Apply online

    ", + "

    You can apply for a divorce online.

    ", + "

    You\u2019ll need a debit or credit card to apply online.

    ", + "

    Apply by post or in Welsh

    ", + "

    Fill in a divorce application form D8 (\u2018divorce petition\u2019) to start a divorce.

    ", + "

    You can get help filling in the form at a Citizens Advice office.

    ", + "

    Send 3 copies of the form to your nearest divorce centre. They\u2019ll send one copy to your husband or wife.

    ", + "

    You need to send 4 copies if you named someone your husband or wife committed adultery with.

    ", + "

    Keep your own copy of the forms.

    ", + "

    How to pay

    ", + "

    You can either pay by:

    ", + "
  • debit or credit card - the divorce centre will call you to take payment
  • ", + "
  • cheque - made payable to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    What happens after you apply

    ", + "

    Your application will be checked. If it\u2019s correct, you\u2019ll be sent:

    ", + "
  • a notice that your application has been issued (sent out)
  • ", + "
  • a copy of your application stamped by the divorce centre
  • ", + "
  • a case number
  • ", + "

    This may take up to 10 days if you applied online or 1 month if you applied by post.

    ", + "

    The court will send your husband or wife the divorce application and an \u2018acknowledgement of service\u2019 form. Your husband or wife will need to respond to your divorce application.

    ", + "

    If you named someone your husband or wife committed adultery with, they\u2019ll also be sent a copy of the application and be asked to respond.

    ", + "

    Your husband or wife responds

    ", + "

    The acknowledgement of service form asks your husband or wife if they:

    ", + "
  • agree with the divorce
  • ", + "
  • intend to try to prevent the divorce (defend it)
  • ", + "
  • object to paying the costs (if you\u2019ve claimed them)
  • ", + "

    Your husband or wife must respond within 8 days.

    ", + "

    If they agree with the divorce

    ", + "

    You can continue with the divorce by applying for a decree nisi.

    ", + "

    If they defend the divorce

    ", + "

    Your husband or wife will have to complete an \u2018answer to divorce\u2019 form to say why they disagree with the divorce. They must do this within 28 days of getting the divorce application.

    ", + "

    If they do not submit an \u2018answer to divorce\u2019 form, you can continue the divorce by applying for a decree nisi.

    ", + "

    If they do submit an answer to divorce in time, you may have to go to court to discuss the case.

    ", + "

    Apply for decree nisi

    ", + "

    You can apply for a decree nisi if your husband or wife does not defend your divorce petition.

    ", + "

    A decree nisi is a document that says that the court does not see any reason why you cannot divorce.

    ", + "

    If your husband or wife does not agree to the divorce, you can still apply for a decree nisi. However, you\u2019ll have to go to a court hearing to discuss the case, where a judge will decide whether to grant you a decree nisi.

    ", + "

    If you already have a hearing date, the court will contact you and tell you how the hearing will take place.

    ", + "

    How to apply

    ", + "

    To get a decree nisi, read the guidance and then fill in the application for a decree nisi.

    ", + "

    You must also fill in a statement confirming that what you said in your divorce petition is true.

    ", + "

    There are 5 statement forms - use the one that covers the reason you\u2019ve given for your divorce:

    ", + "
  • adultery statement
  • ", + "
  • unreasonable behaviour statement
  • ", + "
  • desertion statement
  • ", + "
  • 2 years\u2019 separation statement
  • ", + "
  • 5 years\u2019 separation statement
  • ", + "

    Attach a copy of your husband\u2019s or wife\u2019s response to the divorce petition.

    ", + "

    Getting a decree nisi

    ", + "

    If the judge agrees, the court will send you and your husband or wife a certificate. This may take several weeks.

    ", + "

    The certificate will tell you the time and date you\u2019ll be granted a decree nisi.

    ", + "

    You\u2019ll still be married after the decree nisi has been granted. You\u2019ll have to wait 43 days (6 weeks and 1 day) before you can apply for a \u2018decree absolute\u2019 to actually end the marriage.

    ", + "

    Your application is rejected

    ", + "

    You may be sent a \u2018notice of refusal of judge\u2019s certificate\u2019 form, saying why you cannot divorce.

    ", + "

    The form will tell you what to do next. The judge may want more information in writing, or you may have to go to a court hearing.

    ", + "

    You can get legal advice if there\u2019s going to be a court hearing.

    ", + "

    Apply for a decree absolute

    ", + "

    The decree absolute is the legal document that ends your marriage.

    ", + "

    You need to wait at least 43 days (6 weeks and 1 day) after the date of the decree nisi before you can apply for a decree absolute.

    ", + "

    Apply within 12 months of getting the decree nisi - otherwise you will have to explain the delay to the court.

    ", + "

    How to apply

    ", + "

    To apply for a decree absolute, fill in the notice of application for decree nisi to be made absolute form.

    ", + "

    If you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a decree absolute.

    ", + "

    Getting the decree absolute

    ", + "

    The court will check that:

    ", + "
  • time limits have been met
  • ", + "
  • there are no other reasons not to grant the divorce
  • ", + "

    The court will then send you both a decree absolute.

    ", + "

    You\u2019ll get your decree absolute within:

    ", + "
  • 24 hours (Monday to Friday) if you applied online
  • ", + "
  • 10 days if you applied by post
  • ", + "

    If a solicitor is acting for you, the decree absolute will be sent to them. You\u2019ll need to ask them for a copy.

    ", + "

    Once you get the decree absolute, you are divorced, no longer married and free to marry again if you wish.

    ", + "

    Keep the decree absolute safe - you will need to show it if you remarry or to prove your marital status.

    ", + "

    If you lose your decree absolute, you can apply to the court for a copy.

    ", + "

    If you do not apply for the decree absolute

    ", + "

    Your husband or wife can apply for the decree absolute if you do not. They\u2019ll have to wait an extra 3 months to do this, on top of the standard 43 days.

    ", + "

    If your husband or wife lacks mental capacity

    ", + "

    You can apply for a divorce if your husband or wife \u2018lacks mental capacity\u2019 and cannot agree to a divorce or take part in the divorce case.

    ", + "

    Your husband or wife will need someone to make decisions for them during the divorce. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.

    ", + "

    Your husband or wife does not have a litigation friend

    ", + "

    If there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.

    ", + "

    The Official Solicitor may agree to act as your husband or wife\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).

    ", + "

    How to apply

    ", + "
  • Check there\u2019s nobody else suitable or willing to act as your husband or wife\u2019s litigation friend.
  • ", + "
  • Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your husband or wife may be able to get legal aid.
  • ", + "
  • Give the details of your husband or wife\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.
  • ", + "

    If the Official Solicitor agrees to act as litigation friend for your husband or wife, you\u2019ll be able to file for divorce.

    ", + "

    Contact the Official Solicitor\u2019s staff

    ", + "

    Email or call the private family law team if you have an enquiry about divorcing someone who lacks mental capacity. They cannot answer general questions about divorce.

    " + ] + }, + { + "title": "End a civil partnership", + "url": "https://www.gov.uk/end-civil-partnership", + "contents": [ + "

    Check you can end your civil partnership

    ", + "

    You can apply to end (\u2018dissolve\u2019) your civil partnership if you\u2019ve been in the partnership for over a year.

    ", + "

    If you do not want to end the civil partnership, you can get a legal separation so you can live apart. You can apply for separation during the first year of your civil partnership.

    ", + "

    Ending your civil partnership is different in Scotland and Northern Ireland.

    ", + "

    How to end your civil partnership

    ", + "

    You must send paperwork to a court to ask for permission to end your civil partnership.

    ", + "

    Separate from the paperwork, you and your ex-partner may need to work out:

    ", + "
  • arrangements for looking after any children
  • ", + "
  • child maintenance payments for any children
  • ", + "

    You also need to divide your money and property. There\u2019s a deadline if you want to make this legally binding.

    ", + "

    You can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your civil partnership.

    ", + "

    Get help agreeing on issues

    ", + "

    You can use a mediator. Check if you can get legal aid to help pay for mediation.

    ", + "

    You can also get advice on making agreements from:

    ", + "
  • Citizens Advice
  • ", + "
  • Advicenow
  • ", + "

    Grounds for ending a civil partnership

    ", + "

    When you apply to end your civil partnership (\u2018dissolution\u2019), you\u2019ll need to prove your relationship has broken down and cannot be saved.

    ", + "

    You\u2019ll need to give one or more of the following 4 reasons (also known as \u2018facts\u2019).

    ", + "

    Unreasonable behaviour

    ", + "

    Your civil partner has behaved in a way that means you cannot reasonably be expected to live with them.

    ", + "

    This could include:

    ", + "
  • physical or mental cruelty
  • ", + "
  • verbal or physical abuse
  • ", + "
  • being irresponsible with money
  • ", + "
  • being sexually unfaithful
  • ", + "

    Desertion

    ", + "

    Your civil partner has intentionally left you for at least 2 years.

    ", + "

    You can still claim desertion if you have lived together for up to a total of 6 months in this period. This will not count towards the 2 years.

    ", + "

    You\u2019ve been separated for at least 2 years

    ", + "

    You can apply to end your civil partnership if you\u2019ve been separated for at least 2 years before applying and you both agree to end the civil partnership.

    ", + "

    Your civil partner must agree in writing to end the civil partnership.

    ", + "

    It may be possible for you to show that you\u2019ve been separated while living in the same home as your civil partner as long as you\u2019re not living together as a couple (for example you sleep and eat apart).

    ", + "

    You\u2019ve been separated for at least 5 years

    ", + "

    You can apply to end your civil partnership if you\u2019ve been separated for at least 5 years, even if your civil partner disagrees.

    ", + "

    How to apply

    ", + "

    To end a civil partnership, you first need to fill in a dissolution application.

    ", + "

    You must include your:

    ", + "
  • full name and address
  • ", + "
  • civil partner\u2019s full name and address
  • ", + "
  • civil partnership certificate - send the original certificate or get a copy from a register office
  • ", + "

    Include the names and dates of birth of any children (no matter how old they are).

    ", + "

    You must try to find your civil partner\u2019s current address if you do not know it. The court will need it to send them a copy of the dissolution application.

    ", + "

    Pay the court fee

    ", + "

    You will have to pay a \u00a3550 court fee to file the dissolution application.

    ", + "

    You may be able to get help with court fees if you\u2019re on benefits or a low income.

    ", + "

    By phone with a debit or credit card

    ", + "

    The court calls you to take your payment. Include a letter with your petition to request the call and give them your phone number.

    ", + "

    By post with a cheque

    ", + "

    Make out the cheque to \u2018HM Courts and Tribunals Service\u2019 and send it with your application.

    ", + "

    Send the forms

    ", + "

    Once you have filled in the forms:

    ", + "
  • send 3 copies to the court
  • ", + "
  • keep copies for yourself
  • ", + "
  • include your cheque, or your letter asking to pay by phone
  • ", + "

    Where to send the forms

    ", + "

    Send the forms to your nearest court dealing with civil partnership dissolution.

    ", + "

    Apply for a conditional order

    ", + "

    You can get a conditional order if your partner agrees to end the civil partnership.

    ", + "

    A conditional order is a document that says the court does not see any reason why you cannot end the civil partnership. It is the first of 2 stages to getting the civil partnership dissolved -\u00ad the second stage is getting a final order.

    ", + "

    If your partner does not agree to end the civil partnership, you can still apply for a conditional order. You\u2019ll have to go to a hearing at the court to discuss the case, where a judge will decide whether to grant you the conditional order.

    ", + "

    You must wait at least 7 days after your civil partner has received their copy of the dissolution application.

    ", + "

    Fill in the application form

    ", + "

    To apply for a conditional order, fill in the application for a conditional order.

    ", + "

    If your partner is defending the case, fill in section B of the form, saying you want a \u2018case management hearing\u2019 before the judge.

    ", + "

    You also need to fill in a statement confirming that what you said in your dissolution application is true.

    ", + "

    There are 4 statement forms - use the one that covers the reason you\u2019ve given for ending the civil partnership:

    ", + "
  • unreasonable behaviour statement
  • ", + "
  • desertion statement
  • ", + "
  • 2 years\u2019 separation statement
  • ", + "
  • 5 years\u2019 separation statement
  • ", + "

    The forms will need to show your civil partner:

    ", + "
  • has received the dissolution application
  • ", + "
  • agrees to the dissolution if you\u2019re using the fact that you\u2019ve been living apart for 2 years as your reason
  • ", + "
  • agrees with any arrangement proposed for children
  • ", + "

    Attach your civil partner\u2019s response to the dissolution application, and send it to the court. Keep your own copy.

    ", + "

    You\u2019ll still be civil partners at this stage, the \u2018final order\u2019 actually ends your civil partnership.

    ", + "

    Apply for a final order

    ", + "

    The final order is the legal document that ends your civil partnership.

    ", + "

    You have to wait 6 weeks after the date of the conditional order to apply for a final order.

    ", + "

    If your civil partner applied for a conditional order, you have to wait 3 months and 6 weeks after the date of the conditional order.

    ", + "

    Apply within 12 months of getting the conditional order - otherwise you will have to explain the delay to the court.

    ", + "

    If you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a final order.

    ", + "

    To apply for a final order, fill in the application for a conditional order to be made final.

    ", + "

    Return the form to the court. This will usually be the same court that dealt with your conditional order.

    ", + "

    Getting the final order

    ", + "

    The court will check that there are no reasons why the civil partnership cannot be ended. You must provide all details the court asks for within the time limits.

    ", + "

    If the court is happy with all the information, it will send you and your civil partner a final order.

    ", + "

    Once you get your final order, your civil partnership has ended and you can marry or enter into another civil partnership.

    ", + "

    You must keep your final order safe - you will need to show it if you enter into another civil partnership or to prove your status.

    ", + "

    If your partner lacks mental capacity

    ", + "

    You can apply to end your civil partnership if your partner \u2018lacks mental capacity\u2019 and cannot agree to end the civil partnership or take part in the process.

    ", + "

    Your partner will need someone to make decisions for them during the process. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.

    ", + "

    Your partner does not have a litigation friend

    ", + "

    If there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.

    ", + "

    The Official Solicitor may agree to act as your partner\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).

    ", + "

    How to apply

    ", + "
  • Check there\u2019s nobody else suitable or willing to act as your civil partner\u2019s litigation friend.
  • ", + "
  • Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your civil partner may be able to get legal aid.
  • ", + "
  • Give the details of your civil partner\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.
  • ", + "

    After you apply

    ", + "

    If the Official Solicitor agrees to act as litigation friend for your civil partner, you\u2019ll be able to end your civil partnership.

    ", + "

    Contact the Official Solicitor\u2019s staff

    ", + "

    Email or call the private family law team if you have an enquiry.

    " + ] + }, + { + "title": "Growing your business", + "url": "https://www.gov.uk/growing-your-business", + "contents": [ + "

    Plan for growth

    ", + "

    Once your business is established and you\u2019re making a profit on the products and services you sell to customers, you may want to start thinking about how to grow.

    ", + "

    Many businesses think of growth in terms of increased sales, but it\u2019s also important to focus on how to maintain or improve your profitability.

    ", + "

    Things you can do to help grow your business include:

    ", + "
  • looking into ways of increasing your sales, both to existing customers and new customers
  • ", + "
  • improving your products and services by researching and testing changes with your customers
  • ", + "
  • developing new products and services, and selling them to new or existing markets
  • ", + "
  • taking on staff or training your current staff, including working with apprentices and mentors
  • ", + "
  • looking for additional sources of funding, such as bringing in new investors
  • ", + "
  • thinking about selling your products or services online
  • ", + "
  • work with a business mentor, who can help you think about how to do all of these things
  • ", + "

    As your business grows

    ", + "

    You must register for VAT if your VAT taxable turnover reaches more than \u00a385,000.

    ", + "

    You may also find that a different legal structure is more suitable as your business grows.

    ", + "

    Contact the business support helpline in your area for help and advice on starting or growing your business.

    ", + "

    Get extra funding

    ", + "

    Growing your business, whether through increased sales or improved profitability, often means you need to invest more. You can do this by:

    ", + "
  • investing previous profits back into your business
  • ", + "
  • taking out a loan
  • ", + "
  • selling shares to outside investors
  • ", + "
  • looking for other sources of finance, including government-backed schemes
  • ", + "

    Find out which types of finance might work for your business.

    ", + "

    Find public finance using the finance finder tool, or search for private finance.

    ", + "

    Professional advisers such as accountants can help you to work out whether it makes financial sense to take on loans or investment. You should take legal advice before taking on new investment in your business.

    ", + "

    Find a chartered accountant on the Institute of Chartered Accountants (ICAEW) website, or a solicitor on the Law Society website.

    ", + "

    Taking out a loan

    ", + "

    You should make sure that your business will be able to pay back the debt before you take out a loan. Repayments are often made in instalments over a number of years, and you\u2019ll need to pay off any interest on outstanding debts.

    ", + "

    If you\u2019re a sole trader looking for a loan, a lender might ask you to provide a personal guarantee or promise to hand over assets like your house or car if you can\u2019t repay the loan.

    ", + "

    Selling shares

    ", + "

    If you\u2019re thinking of bringing in new investors, they\u2019ll want to know how much your business could increase in value if they buy shares. To work this out, they\u2019ll need to know how much their investment will increase your sales and profitability.

    ", + "

    You\u2019ll need to provide potential lenders and investors with a financial model showing:

    ", + "
  • how your business will spend the extra money to increase sales and profitability
  • ", + "
  • how initial costs and increased ongoing costs will affect your cash flow
  • ", + "

    Increases in sales usually only happen after taking on additional costs like employing more staff, moving to larger premises or putting in bigger orders for raw materials. You\u2019ll need to take all of these into account in your financial planning.

    ", + "

    Increase sales to existing customers

    ", + "

    How you go about increasing sales depends on your circumstances and how your business is performing. You might choose to focus on customers who\u2019ve already bought from you, or you could try to win new customers in your local area, nationally or overseas.

    ", + "

    The simplest way to increase your sales is to sell more of the products or services you\u2019re selling at the moment to the customers who are already buying them. For most businesses this involves:

    ", + "
  • persuading one-off customers to become repeat customers
  • ", + "
  • finding customers who\u2019ve stopped buying from you and trying to win them back
  • ", + "
  • selling more of the same products or services to your regular customers
  • ", + "

    By keeping a record of who your customers are and what you sold to them, you can work out who\u2019s stopped buying from you, and who might consider buying more. Targeting these customers is often a cheaper and more effective way to increase sales than trying to find new ones.

    ", + "

    Review your prices

    ", + "

    Regularly reviewing your prices and checking them against your competitors can be an effective way of increasing your sales, profits or both.

    ", + "

    You should try to estimate the likely effect of different price changes on the sales, cash flow and profitability of your business before making any changes. To do this successfully, you need to understand:

    ", + "
  • the \u2018cost structure\u2019 of your business (including regular \u2018fixed\u2019 costs, and \u2018variable\u2019 costs that change according to your business\u2019 activity)
  • ", + "
  • the value your customers place on your products and services
  • ", + "

    It\u2019s worth bearing in mind that offering a discount can sometimes reduce your overall profitability, even if your sales go up. Equally, you might be able to make more profit overall by increasing prices, even if you\u2019re selling fewer items.

    ", + "

    Small changes to pricing like providing loyalty schemes or bulk discounts can increase sales to both existing and former customers.

    ", + "

    You should also regularly check the price you\u2019re selling products and services at against competitors. This will help you find out if you\u2019re:

    ", + "
  • losing customers who get the same product or service elsewhere for less money
  • ", + "
  • sacrificing profitability, because customers are willing to pay more than you\u2019re charging them
  • ", + "

    Find resources on pricing strategy and increasing sales on the Marketing Donut website.

    ", + "

    Attract new customers

    ", + "

    One way of finding new customers for your products and services is by increasing awareness in your local area. You can do this by:

    ", + "
  • asking your customers to recommend you to their friends and colleagues
  • ", + "
  • advertising in local media
  • ", + "
  • using other forms of marketing, including online
  • ", + "

    You could also talk to potential customers who don\u2019t use your business at the moment and find out what it would take for them to switch from your competition.

    ", + "

    Expanding outside your local area

    ", + "

    If you want to sell your product or service through new sales channels or markets elsewhere in the UK, there are different organisations you\u2019ll need to work with, including:

    ", + "
  • wholesalers
  • ", + "
  • retailers, including online retailers
  • ", + "
  • distributors
  • ", + "

    You could try using direct marketing to find new customers.

    ", + "

    Search the contracts finder for business opportunities from government departments and agencies.

    ", + "

    Expanding outside the UK

    ", + "

    You might decide to find new customers outside the UK by exporting your products. The Department for International Trade offers help and resources on successfully selling your products and services to customers in other countries.

    ", + "

    Make sure that you\u2019re aware of your legal responsibilities around the sale of goods and services, and data protection.

    ", + "

    Improve your products and services

    ", + "

    If you\u2019re looking to grow your business by improving your products and services, start by focusing on your existing customers and their needs.

    ", + "

    Talk to them, and find out their views on:

    ", + "
  • what they\u2019re buying from you, and what they value most about it
  • ", + "
  • what you could do to make it more useful and valuable to them
  • ", + "
  • what would encourage them to buy more
  • ", + "

    Make changes based on feedback

    ", + "

    Getting customer feedback should help you to identify ways to improve what you\u2019re offering to your current customers. It may also allow you to:

    ", + "
  • increase the price you charge to your existing customers
  • ", + "
  • attract new customers whose needs you weren\u2019t meeting before
  • ", + "

    Try to ensure that any changes you make will increase your sales and profitability enough to make the time and money you\u2019ll need to invest worthwhile.

    ", + "

    If possible, you should test out prototypes of improved products or services with a few existing customers. By doing this, you can get their feedback and avoid making unpopular changes that could harm your business.

    ", + "

    Doing this is equally important for all businesses, whether you\u2019re starting up or established, improving an existing product or service, or bringing something new to market.

    ", + "

    Think about selling online

    ", + "

    Selling your products or services on the internet can:

    ", + "
  • help improve efficiency and productivity
  • ", + "
  • reduce costs
  • ", + "
  • help you communicate better with customers and suppliers
  • ", + "

    You can use analytics software to help you understand how customers use your site and show you ways to improve it.

    ", + "

    Consider the costs of going online

    ", + "

    You\u2019ll need to make sure you understand all the costs involved (eg hardware, software, hosting, training, services, maintenance and support, upgrades etc). You must also provide your customers with certain information.

    ", + "

    Online security

    ", + "

    If you\u2019re going to sell online, protect your customers and business with measures to keep systems and data safe from theft or hackers.

    ", + "

    Develop new products and services

    ", + "

    If you\u2019re planning to develop new products and services, you should test them with your customers with just as much care and attention as a new business going to market for the first time.

    ", + "

    By making sure there\u2019s real demand for what you\u2019re planning to sell, you can find out about any problems and fix them before you\u2019ve wasted too much time, effort and money.

    ", + "
  • Talk to existing and potential customers and find out about their needs.
  • ", + "
  • If you can, develop a prototype as quickly and cheaply as possible. Work out the minimum investment that lets you find out if you\u2019re meeting a real need.
  • ", + "
  • Test it with customers and get feedback. Find out what they\u2019d be willing to pay for it. Try out different prices with different customers in a consistent, realistic way to see what people will really pay. Can you make enough money for a return on the investment you\u2019d need to develop your new product or service?
  • ", + "
  • If there are are other businesses competing for your market, think about what will make you different. Can you provide something better than what\u2019s already available? And is it significantly different or better to what you\u2019re already offering?
  • ", + "

    Benefits of development

    ", + "

    By developing new products and services, you can:

    ", + "
  • sell more to existing customers (making the most of existing relationships is cheaper than finding new customers)
  • ", + "
  • spread fixed costs like premises or machinery across a range of products
  • ", + "
  • diversify the products you offer so you\u2019re less reliant on certain customers or markets
  • ", + "

    Another way of expanding your product range is by importing goods from overseas to sell in the UK. Make sure you know the rules on things like tax and commodity codes if you\u2019re planning to import.

    ", + "

    Business ideas and intellectual property

    ", + "

    If you\u2019ve invented something or come up with an original idea that you want to turn into a product or service, you should register it to make sure nobody copies it without your permission. Find out about trademarks, copyright and intellectual property.

    ", + "

    You can find local support in England for coming up with business ideas and developing them on the National Enterprise Network website.

    ", + "

    Other sources of advice and support include:

    ", + "
  • the Design Council\u2019s business resources
  • ", + "
  • the British Library business and intellectual property centre
  • ", + "

    You may be able to benefit from developing your idea in partnership with experts in academic institutions through Knowledge Transfer Partnerships.

    ", + "

    Hire and train staff

    ", + "

    As your business expands, you\u2019ll need more capacity to produce or provide your product or service, and a wider range of skills. The easiest ways of achieving this are usually by taking on new staff, or training your existing workforce.

    ", + "

    Employing people

    ", + "

    By taking on new people you can spread your workload, expand production and take advantage of new and different skills and expertise.

    ", + "

    This applies whether you already have employees, or you started your business on your own as a sole trader and are thinking about taking on staff for the first time. Find out about your responsibilities when employing someone.

    ", + "

    Apprenticeships

    ", + "

    Taking on an apprentice allows you to grow your capacity by investing in people who want to learn. Your business benefits from the skills they develop as they train both on and off the job.

    ", + "

    Find out about the practical steps involved in taking on an apprentice.

    ", + "

    Training your staff

    ", + "

    You can improve the range and level of skills in your business by training up existing staff. Giving staff training opportunities can increase their loyalty to your company and their productivity - as well as your profits.

    ", + "

    Schemes and organisations that can help you to grow your business through training include:

    ", + "
  • finding training courses specific to your business area through the National Careers Service
  • ", + "
  • using a business improvement framework, like Investors in People
  • ", + "

    Work with a mentor

    ", + "

    Business mentors can help you develop your ideas for growth by sharing their skills, expertise, experience and contacts.

    ", + "

    Find free and paid-for mentors in your area with knowledge and experience relevant to your business on the \u2018mentorsme\u2019 website, or Business mentoring if you\u2019re in Wales. Mentorsme also has advice on how to pick the right mentor for your business.

    " + ] + }, + { + "title": "Set up a business partnership", + "url": "https://www.gov.uk/set-up-business-partnership", + "contents": [ + "

    Setting up

    ", + "

    In a partnership, you and your partner (or partners) personally share responsibility for your business. This includes:

    ", + "
  • any losses your business makes
  • ", + "
  • bills for things you buy for your business, like stock or equipment
  • ", + "

    Partners share the business\u2019s profits, and each partner pays tax on their share.

    ", + "

    A partner does not have to be an actual person. For example, a limited company counts as a \u2018legal person\u2019 and can also be a partner.

    ", + "

    What you need to do

    ", + "

    When you set up a business partnership you need to:

    ", + "
  • choose a name
  • ", + "
  • choose a \u2018nominated partner\u2019
  • ", + "
  • register with HM Revenue and Customs (HMRC)
  • ", + "

    The \u2018nominated partner\u2019 is responsible for managing the partnership\u2019s tax returns and keeping business records.

    ", + "

    There are different rules for limited partnerships and limited liability partnerships (LLPs).

    ", + "

    Naming your partnership

    ", + "

    You can trade under your own names, or you can choose another name for your business. You do not need to register your name.

    ", + "

    You must include all the partners\u2019 names and the business name (if you have one) on official paperwork, for example invoices and letters.

    ", + "

    Business names

    ", + "

    Business partnership names must not:

    ", + "
  • include \u2018limited\u2019, \u2018Ltd\u2019, \u2018limited liability partnership, \u2018LLP\u2019, \u2018public limited company\u2019 or \u2018plc\u2019
  • ", + "
  • be offensive
  • ", + "
  • be the same as an existing trade mark
  • ", + "

    Your name also cannot contain a \u2018sensitive\u2019 word or expression, or suggest a connection with government or local authorities, unless you get permission.

    ", + "

    Check which words you need permission to use, and who from.

    ", + "

    You\u2019ll need to register your name as a trade mark if you want to stop people from trading under your business name.

    ", + "

    Register the partnership

    ", + "

    You must register your partnership for Self Assessment with HM Revenue and Customs (HMRC) if you\u2019re the \u2018nominated partner\u2019. This means you\u2019re responsible for sending the partnership tax return.

    ", + "

    The other partners need to register separately.

    ", + "

    Register a partner or partnership

    ", + "

    All partners also need to send their own tax returns as individuals.

    ", + "

    You must register by 5 October in your business\u2019s second tax year, or you could be charged a penalty.

    ", + "

    Other ways to register

    ", + "

    You can also register the partnership using form SA400 if you cannot register online. You can register as a partner using form SA401.

    ", + "

    Registering for VAT

    ", + "

    You must also register for VAT if your VAT taxable turnover is more than \u00a385,000. You can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.

    ", + "

    You can appoint an agent to deal with HMRC on your behalf.

    " + ] + }, + { + "title": "Accounts and tax returns for private limited companies", + "url": "https://www.gov.uk/prepare-file-annual-accounts-for-limited-company", + "contents": [ + "

    Overview

    ", + "

    After the end of its financial year, your private limited company must prepare:

    ", + "
  • full (\u2018statutory\u2019) annual accounts
  • ", + "
  • a Company Tax Return
  • ", + "

    You need your accounts and tax return to meet deadlines for filing with Companies House and HM Revenue and Customs (HMRC).

    ", + "

    You can also use them to work out how much Corporation Tax to pay.

    ", + "Action | Deadline", + "File first accounts with Companies House | 21 months after the date you registered with Companies House", + "File annual accounts with Companies House | 9 months after your company\u2019s financial year ends", + "Pay Corporation Tax or tell HMRC that your limited company does not owe any | 9 months and 1 day after your \u2018accounting period\u2019 for Corporation Tax ends", + "File a Company Tax Return | 12 months after your accounting period for Corporation Tax ends", + "

    Your accounting period for Corporation Tax is the time covered by your Company Tax Return. It\u2019s normally the same 12 months as the company financial year covered by your annual accounts.

    ", + "

    Filing your accounts and tax return

    ", + "

    You can file with Companies House and HMRC together or separately.

    ", + "

    You must take additional steps:

    ", + "
  • at the end of your company\u2019s first year
  • ", + "
  • if you restart a dormant company
  • ", + "

    There are penalties for filing late with Companies House and HMRC.

    ", + "

    Filing accounts and tax returns

    ", + "

    You file your accounts with Companies House and your Company Tax Return with HM Revenue and Customs (HMRC).

    ", + "

    You may be able to file them together if you have a private limited company that does not need an auditor.

    ", + "What you want to do | How you can do it", + "File accounts and tax return together | Use HMRC\u2019s online service or accounting software", + "File accounts with Companies House separately | Send your accounts to Companies House online", + "File tax return with HMRC separately | Use HMRC\u2019s online service or accounting software", + "

    You\u2019ll need your:

    ", + "
  • HMRC online account details
  • ", + "
  • company registration number
  • ", + "
  • Companies House online account details
  • ", + "

    Corrections and amendments

    ", + "

    Check what you must do to correct or amend your:

    ", + "
  • accounts
  • ", + "
  • tax return
  • ", + "

    Using accountants or tax advisers to file for you

    ", + "

    You can:

    ", + "
  • give your accountant or tax adviser your Companies House authentication code so they can file your accounts
  • ", + "
  • appoint an agent to file your Company Tax Return
  • ", + "

    Apply to extend your accounts filing deadline

    ", + "

    You can apply to extend your accounts filing deadline with Companies House if you cannot send your accounts because of an event outside your control - for example, if a fire destroyed company records before your filing deadline.

    ", + "

    You must apply for the extension before your filing deadline.

    ", + "

    Apply for an extension due to coronavirus (COVID-19)

    ", + "

    You can apply for an immediate 3 month extension if your company is affected by coronavirus. You must apply before your filing deadline.

    ", + "

    You may not be eligible if you\u2019ve already extended your filing deadline, or shortened your accounting period.

    ", + "

    How to apply

    ", + "

    You can apply online or by post.

    ", + "

    Apply online

    ", + "

    To apply online you\u2019ll need:

    ", + "
  • your company number
  • ", + "
  • information about why you need more time
  • ", + "
  • any documents you have that support your application
  • ", + "

    Apply by post

    ", + "

    You can write to Companies House to apply for an extension. It is taking longer than usual to process applications because of coronavirus.

    ", + "

    You should explain what\u2019s happened and how much more time you\u2019ll need to file your accounts.

    ", + "

    You must apply to the correct office where your company is registered.

    " + ] + }, + { + "title": "Appeal to the tax tribunal", + "url": "https://www.gov.uk/tax-tribunal", + "contents": [ + "

    Overview

    ", + "

    You can appeal to the First-tier Tribunal (Tax) if you want to challenge some decisions by:

    ", + "
  • HM Revenue and Customs (HMRC)
  • ", + "
  • Border Force
  • ", + "
  • the National Crime Agency (NCA)
  • ", + "
  • the Welsh Revenue Authority (WRA)
  • ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Appeal an HMRC decision

    ", + "

    You can appeal some decisions about:

    ", + "
  • \u2018direct tax\u2019, for example Income Tax, PAYE tax, Corporation Tax, Capital Gains Tax, National Insurance contributions, Statutory Sick Pay, Statutory Maternity Pay, Inheritance Tax - you must appeal to HMRC first
  • ", + "
  • \u2018indirect tax\u2019, for example VAT, excise duty, customs duty - you can usually appeal straight to the tribunal
  • ", + "

    You must appeal within the time limit - it\u2019ll usually be on your decision letter.

    ", + "

    You can apply for alternative dispute resolution (ADR) after you\u2019ve appealed an HMRC decision.

    ", + "

    There\u2019s a different way to appeal decisions about tax credits and Council Tax.

    ", + "

    If you cannot pay

    ", + "

    You must usually pay upfront what HMRC says you owe. Make a hardship application if you cannot. Appeal to the tribunal if HMRC will not let you delay payment.

    ", + "

    You do not have to pay upfront if you\u2019re appealing about a penalty.

    ", + "

    Appeal about seized goods

    ", + "

    You must ask HMRC or Border Force to take your case to the magistrates\u2019 court (this is known as starting \u2018condemnation proceedings\u2019) if you think they should not have taken (or \u2018seized\u2019) your goods.

    ", + "

    The tribunal cannot decide whether your goods were seized with good reason.

    ", + "

    You may be able to appeal to the tribunal if HMRC or Border Force:

    ", + "
  • refuses to return your seized goods
  • ", + "
  • says you need to pay to get your seized goods back
  • ", + "
  • sends you an assessment for duty
  • ", + "
  • tries to charge you a penalty
  • ", + "

    You must ask HMRC or Border Force to reconsider their decision before you can appeal.

    ", + "

    Closure applications

    ", + "

    You can apply for a \u2018closure notice if HMRC opens an enquiry to check your tax return for \u2018direct tax\u2019 (for example Income Tax, Capital Gains Tax or Corporation Tax) and you want it to be closed.

    ", + "

    The tribunal will decide when HMRC should close the enquiry.

    ", + "

    You cannot apply for a closure notice if your tax return is being checked for \u2018indirect tax\u2019.

    ", + "

    Appeal an NCA decision

    ", + "

    The National Crime Agency (NCA) can check your tax return instead of HMRC in some cases, for example if they suspect you\u2019ve been laundering money.

    ", + "

    You can make an appeal if you do not agree with the decision by writing to the NCA.

    ", + "

    Appeal a WRA decision

    ", + "

    You can appeal some decisions about Land Transaction Tax and Landfill Disposals Tax.

    ", + "

    You can also apply to close an enquiry into your tax return.

    ", + "

    You must appeal within the time limit - it\u2019ll usually be on your decision letter.

    ", + "

    You must usually pay upfront what WRA says you owe. You can request to delay paying until you get a decision about your appeal.

    ", + "

    Before you appeal, you can ask WRA to change their decision.

    ", + "

    Help you can get

    ", + "

    You may want to get help and advice before you appeal.

    ", + "

    You can represent yourself or get legal advice to help with your appeal.

    ", + "

    You can get free advice from:

    ", + "
  • Citizens Advice
  • ", + "
  • TaxAid
  • ", + "
  • TaxHelp for Older People, if you\u2019re over 60
  • ", + "

    Read more detailed information about appealing to the tribunal.

    ", + "

    Appeal to the tribunal

    ", + "

    You can appeal to the tax tribunal online.

    ", + "

    You\u2019ll need:

    ", + "
  • a scan or photo of your original notice or review conclusion letter
  • ", + "
  • reasons for your appeal, so the judge can understand your side of the argument
  • ", + "

    You can also use this service to apply to close an enquiry.

    ", + "

    Start now

    ", + "

    If you want someone to represent you

    ", + "

    You need to download and fill in an authorisation form if the person representing you is not a practising solicitor or barrister.

    ", + "

    Appeal by post

    ", + "

    Download and fill in a notice of appeal form (T240).

    ", + "

    If you\u2019re applying to close an existing enquiry, download and fill in application form (T245).

    ", + "

    Send your completed form to the tribunal. The address is on the form.

    ", + "

    If you need help

    ", + "

    Contact the tax tribunal helpline if you have any questions about your appeal. The helpline cannot give you legal advice.

    ", + "

    What happens next

    ", + "

    You\u2019ll get a letter from the tribunal explaining what happens next. You might be asked to provide more documents to support your case.

    ", + "

    Not all cases will have a hearing, but you can ask for one. You\u2019ll usually get at least 14 days\u2019 notice of the date of the hearing. The tribunal will write to you with details of what you need to do.

    ", + "

    If you have a hearing

    ", + "

    You\u2019ll be told when and how the hearing will be held.

    ", + "

    Your hearing may take place by phone, by video or in person. Read how to take part in a phone or video hearing.

    ", + "

    You can watch a video about what happens at a video hearing.

    ", + "

    Documents you\u2019ll need

    ", + "

    You\u2019ll be asked for copies of all documents relevant to your appeal (such as letters, invoices and accounts) together with your notice of appeal.

    ", + "

    You must also give the tribunal your decision letter and any response you made.

    ", + "

    You might get sent a \u2018bundle\u2019 of documents before the hearing. You must have this with you if your case is \u2018standard\u2019 or \u2018complex\u2019.

    ", + "

    Who\u2019ll be at the hearing

    ", + "

    The tribunal is made up of:

    ", + "
  • a tribunal panel, including a judge and, in some cases, a tax expert
  • ", + "
  • a tribunal clerk
  • ", + "

    You can also ask any of the following people to the hearing:

    ", + "
  • a representative to act on your behalf, for example a lawyer, tax adviser or accountant
  • ", + "
  • a friend, family member or colleague
  • ", + "
  • a witness, if you need one
  • ", + "

    You will need to ask the permission of the court or tribunal for them to join.

    ", + "

    What happens at the hearing

    ", + "

    You (or your representative) will present your case to the tribunal. You must explain:

    ", + "
  • what has been agreed
  • ", + "
  • what you think is wrong
  • ", + "
  • what evidence you have to support you, like any documents or witnesses
  • ", + "

    Representatives from the other party will present the case against you.

    ", + "

    The tribunal and the other party may also ask questions during the hearing.

    ", + "

    The tribunal's decision

    ", + "

    You\u2019ll usually get the tribunal\u2019s decision:

    ", + "
  • in writing, if you did not have a hearing (the decision will be based on the appeal form and other paperwork)
  • ", + "
  • in writing within 1 month, if you\u2019ve had a \u2018basic\u2019 case - you\u2019ll sometimes get a decision on the day
  • ", + "
  • in writing within 2 months, if you\u2019ve had a \u2018standard\u2019 or \u2018complex\u2019 hearing
  • ", + "

    If you lose your case

    ", + "

    If you lose your case, you may be able to:

    ", + "
  • get a decision \u2018set aside\u2019
  • ", + "
  • ask for permission to appeal
  • ", + "

    Get a decision set aside

    ", + "

    You can ask for a decision to be \u2018set aside\u2019 (cancelled), but only if you think there was a mistake in the process. The letter you get with the decision will tell you how to do this.\nContact Citizens Advice if you need help.

    ", + "

    Ask for permission to appeal

    ", + "

    You may be able to appeal against the decision if the tribunal made a legal mistake, for example if it did not:

    ", + "
  • apply the law correctly
  • ", + "
  • fully explain its decision
  • ", + "
  • Ask for full written reasons if you\u2019ve not had them already. You must do this within 28 days of the date on the decision notice - the decision notice will tell you how.
  • ", + "
  • Ask for permission to appeal - download the appeal form and read the guidance notes. You must do this within 56 days of the date given on the full written reasons.
  • ", + "

    Send the appeal form to:

    ", + "

    After you send the form

    ", + "

    A judge will decide if you can take your case to a higher tribunal, called the Upper Tribunal (Tax and Chancery). Appeal to the Upper Tribunal if you get permission.

    ", + "

    If you\u2019re refused permission to appeal

    ", + "

    You can apply to the Upper Tribunal for permission to appeal if the First-tier Tribunal refuses, or only gives you permission to appeal on limited grounds.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal must follow the Tribunal Procedure (First-tier Tribunal) (Tax Chamber) Rules 2009.

    ", + "

    Read the practice direction and practice statements for more detailed guidance.

    ", + "

    The tribunal was set up by the Tribunals, Courts and Enforcement Act 2007 and Transfer of Tribunal Functions and Revenue and Customs Appeals Order 2009.

    " + ] + }, + { + "title": "Businesses and charging VAT", + "url": "https://www.gov.uk/vat-businesses", + "contents": [ + "

    How VAT works

    ", + "

    You can only charge VAT if your business is registered for VAT.

    ", + "

    VAT is charged on things like:

    ", + "
  • business sales - for example when you sell goods and services
  • ", + "
  • hiring or loaning goods to someone
  • ", + "
  • selling business assets
  • ", + "
  • commission
  • ", + "
  • items sold to staff - for example canteen meals
  • ", + "
  • business goods used for personal reasons
  • ", + "
  • \u2018non-sales\u2019 like bartering, part-exchange and gifts
  • ", + "

    These are known as \u2018taxable supplies\u2019. There are different rules for charities.

    ", + "

    Responsibilities

    ", + "

    VAT-registered businesses:

    ", + "
  • must charge VAT on their goods or services
  • ", + "
  • may reclaim any VAT they\u2019ve paid on business-related goods or services
  • ", + "
  • must account for import VAT on their VAT return if they use import VAT this way (known as \u2018postponed VAT accounting\u2019)
  • ", + "

    If you\u2019re a VAT-registered business you must report to HM Revenue and Customs (HMRC) the amount of VAT you\u2019ve charged and the amount of VAT you\u2019ve paid. This is done through your VAT Return which is usually due every 3 months.

    ", + "

    You may want to appoint an agent to deal with HMRC on your behalf.

    ", + "

    You must account for VAT on the full value of what you sell, even if you:

    ", + "
  • receive goods or services instead of money (for example if you take something in part-exchange)
  • ", + "
  • haven\u2019t charged any VAT to the customer - whatever price you charge is treated as including VAT
  • ", + "

    If you\u2019ve charged more VAT than you\u2019ve paid, you have to pay the difference to HMRC. If you\u2019ve paid more VAT than you\u2019ve charged, you can reclaim the difference from HMRC.

    ", + "

    VAT rates

    ", + "

    There are 3 different rates of VAT and you must make sure you charge the right amount.

    ", + "

    Get a list of reduced or zero-rated goods and services.

    ", + "

    Standard rate

    ", + "

    Most goods and services are standard rate. You should charge this rate unless the goods or services are classed as reduced or zero-rated.

    ", + "

    This includes any goods below the distance selling threshold you supply from Northern Ireland to non-VAT registered EU customers. If you go over the threshold, you\u2019ll have to register for VAT in that country.

    ", + "

    Reduced rate

    ", + "

    When you charge this rate can depend on what the item is as well as the circumstances of the sale, for example:

    ", + "
  • children\u2019s car seats and domestic fuel or power are always charged at 5%
  • ", + "
  • mobility aids for older people are only charged at 5% if they\u2019re for someone over 60 and the goods are installed in their home
  • ", + "

    Zero rate

    ", + "

    Zero-rated means that the goods are still VAT-taxable but the rate of VAT you must charge your customers is 0%. You still have to record them in your VAT accounts and report them on your VAT Return. Examples include:

    ", + "
  • books and newspapers
  • ", + "
  • children\u2019s clothes and shoes
  • ", + "
  • motorcycle helmets
  • ", + "
  • most goods you export from England, Wales and Scotland (Great Britain) to a country outside the UK
  • ", + "
  • most goods you export from Northern Ireland to a country outside the EU and the UK
  • ", + "
  • goods you supply from Northern Ireland to a VAT registered EU business - you can check if the VAT number is valid
  • ", + "

    If you sent goods to the EU from Northern Ireland, you\u2019ll need their VAT number and paperwork proving that the goods have been sent within certain time limits (usually 3 months).

    ", + "

    Rates can change and you must apply any changes to the rates from the date they change.

    ", + "

    What you must do when charging VAT

    ", + "

    You need to know the right VAT rate so you can charge it correctly and reclaim it on your purchases.

    ", + "

    If a transaction is a standard, reduced or zero-rated taxable supply, you must:

    ", + "
  • charge the right rate of VAT
  • ", + "
  • work out the VAT if a single price is shown that includes or excludes VAT
  • ", + "
  • show the VAT information on your invoice
  • ", + "
  • show the transaction in your VAT account - a summary of your VAT
  • ", + "
  • show the amount on your VAT Return
  • ", + "

    You may be able to reclaim the VAT on purchases that relate to these sales.

    ", + "

    You cannot claim back all of the amount you\u2019ve paid if you pay the wrong amount of VAT on a purchase.

    ", + "

    VAT-inclusive and exclusive prices

    ", + "

    You\u2019ll need to make a calculation when charging VAT on goods or services, or when working out the amount of VAT you can claim back on items which were sold inclusive of VAT.

    ", + "

    VAT-inclusive prices

    ", + "

    To work out a price including the standard rate of VAT (20%), multiply the price excluding VAT by 1.2.

    ", + "

    To work out a price including the reduced rate of VAT (5%), multiply the price excluding VAT by 1.05.

    ", + "

    VAT-exclusive prices

    ", + "

    To work out a price excluding the standard rate of VAT (20%) divide the price including VAT by 1.2.

    ", + "

    To work out a price excluding the reduced rate of VAT (5%) divide the price including VAT by 1.05.

    ", + "

    When not to charge VAT

    ", + "

    You cannot charge VAT on exempt or \u2018out of scope\u2019 items.

    ", + "

    Exempt goods and services

    ", + "

    Exempt goods or services are supplies that you cannot charge VAT on.

    ", + "

    If you buy or sell an exempt item you should still record the transaction in your general business accounts. Examples of exempt items include:

    ", + "
  • insurance
  • ", + "
  • postage stamps or services
  • ", + "
  • health services provided by doctors
  • ", + "

    Get a list of goods and services that are VAT exempt.

    ", + "

    VAT registration

    ", + "

    Businesses that sell only VAT-exempt goods and services cannot register for VAT.

    ", + "

    If you start selling items that aren\u2019t exempt, you can register for VAT voluntarily. You must register if the total value of non-exempt goods and services goes over the VAT taxable turnover threshold.

    ", + "

    Out of scope

    ", + "

    Some goods and services are outside the VAT tax system so you cannot charge or reclaim the VAT on them. For example, out of scope items include:

    ", + "
  • goods or services you buy and use outside the UK
  • ", + "
  • statutory fees - like the London congestion charge
  • ", + "
  • goods you sell as part of a hobby - like stamps from a collection
  • ", + "
  • donations to a charity - if given without receiving anything in return
  • ", + "

    Charging VAT to charities

    ", + "

    As a VAT-registered business, you can sell certain goods and services to charities at the zero or reduced rate of VAT.

    ", + "

    It\u2019s your responsibility to check the charity is eligible, and to apply the correct rate.

    ", + "

    Community amateur sports clubs (CASCs) don\u2019t qualify for VAT reliefs for charities.

    ", + "

    Check the charity is eligible

    ", + "

    To make sure the charity is eligible, ask them for:

    ", + "
  • evidence that they\u2019re a charity
  • ", + "
  • a written declaration or \u2018certificate\u2019 confirming they meet the conditions for the particular VAT relief
  • ", + "

    Evidence of charitable status

    ", + "

    The charity should give you either:

    ", + "
  • their Charity Commission registration number
  • ", + "
  • a letter of recognition from HM Revenue and Customs (HMRC) if they\u2019re not registered with the Charity Commission for England and Wales (for example if they\u2019re a Scottish or Northern Irish charity)
  • ", + "

    Written declaration

    ", + "

    Charities are legally required to give you an eligibility certificate when you supply eligible building or construction services to them at zero VAT. The certificate must contain specific information.

    ", + "

    A declaration is not legally required for other items you sell at the zero or reduced rate, but you should ask for one to prove the charity is eligible for the relief.

    ", + "

    These sample declarations contain examples of the information a charity should give you when buying:

    ", + "
  • medical and scientific equipment, motor vehicles and computer software
  • ", + "
  • charity advertising
  • ", + "
  • goods and services for disabled people
  • ", + "

    The written declaration should be separate from the order form or invoice for the goods or services the charity is buying.

    ", + "

    You must keep the completed declarations for at least 4 years.

    ", + "

    Items that qualify for the reduced rate

    ", + "

    You may be able to apply the reduced VAT rate when you sell fuel and power in certain circumstances to an eligible charity.

    ", + "

    Items that qualify for the zero rate

    ", + "

    You may be able to apply zero VAT when you sell the following to an eligible charity:

    ", + "
  • advertising and items for collecting donations
  • ", + "
  • aids for disabled people
  • ", + "
  • construction services
  • ", + "
  • drugs and chemicals
  • ", + "
  • equipment for making \u2018talking\u2019 books and newspapers
  • ", + "
  • lifeboats and associated equipment, including fuel
  • ", + "
  • medicine or ingredients for medicine
  • ", + "
  • resuscitation training models
  • ", + "

    Equipment for medical and veterinary use

    ", + "

    You may also be able to zero-rate some other medical and veterinary equipment when you sell it to:

    ", + "
  • certain health bodies, for example NHS Trusts
  • ", + "
  • not-for-profit research institutions
  • ", + "
  • charities that provide institutional care, or medical or surgical treatment for chronically sick or disabled people
  • ", + "
  • charities that provide transport services for disabled people
  • ", + "
  • charities that provide rescue or first aid services to humans or animals
  • ", + "
  • someone buying it specifically for donation to one of these bodies
  • ", + "

    The money used to buy the equipment must be from charitable or donated funds. This should be stated on the eligibility declaration.

    ", + "

    The eligible items include:

    ", + "
  • medical, veterinary and scientific equipment
  • ", + "
  • ambulances
  • ", + "
  • goods for disabled people
  • ", + "
  • motor vehicles for medical use
  • ", + "
  • rescue equipment
  • ", + "
  • resuscitation training dummies
  • ", + "

    Returned goods

    ", + "

    When you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled by issuing either a:

    ", + "
  • replacement invoice
  • ", + "
  • credit or debit note
  • ", + "

    If you exchange the goods for goods of the same value you don\u2019t need to issue a new VAT invoice.

    ", + "

    Credit and debit notes

    ", + "

    These must show the same information as the VAT invoice and:

    ", + "
  • why it was issued
  • ", + "
  • the total amount credited, excluding VAT
  • ", + "
  • the number and date of the original VAT invoice
  • ", + "

    Discounts and free gifts

    ", + "

    Discounts

    ", + "

    VAT may have to be charged on discounts and deals.

    ", + "Offer | How to charge VAT", + "Discounts | Charged on the discounted price (not the full price)", + "Gifts | Charged on the gift\u2019s full value - there are some exceptions listed below", + "Multi-buys | Charged on the combined price if all the items have the same VAT rate. If not, VAT is \u2018apportioned\u2019 as mixed-rate goods", + "Money-off coupons, vouchers etc | No VAT due if given away free at time of a purchase. If not, VAT due on the price charged", + "\u2018Face value\u2019 vouchers that can be used for more than one type of good or service | No VAT due, if sold at or below their monetary value", + "Redeemed face value vouchers | Charged on the full value of the transaction", + "Redeemed face value vouchers sold at a discount | Charged on the discounted value of the transaction", + "Link-save offers (buy one get one free or discounted) | VAT is apportioned as mixed-rate goods - there are exceptions", + "

    Exceptions for gifts and link-save offers

    ", + "

    There\u2019s no VAT due on gifts given to the same person if their total value in a 12 month period is less than \u00a350.

    ", + "

    VAT is charged on the combined value of link-save items if the incentive product:

    ", + "
  • has a resale value of less than \u00a31
  • ", + "
  • has a sale value of less than \u00a35
  • ", + "
  • costs you less than 20% of the total of the other items in the offer
  • ", + "
  • isn\u2019t sold at a separate price from the main product
  • ", + "

    Free goods and services

    ", + "

    You don\u2019t have to pay VAT on things like free samples if they meet certain conditions.

    ", + "Supplies | Condition to meet so no VAT due", + "Free samples | Used for marketing purposes and provided in a quantity that lets potential customers test the product", + "Free loans of business assets | The cost of hiring the asset is included in something else you sell to the customer", + "Free gifts | The total cost of all gifts to the same person is less than \u00a350 in a 12 month period", + "Free services | You don\u2019t get any payment or goods or services in return" + ] + }, + { + "title": "Capital Gains Tax for business", + "url": "https://www.gov.uk/capital-gains-tax-businesses", + "contents": [ + "

    What you pay it on

    ", + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) all or part of a business asset.

    ", + "

    Business assets you may need to pay tax on include:

    ", + "
  • land and buildings
  • ", + "
  • fixtures and fittings
  • ", + "
  • plant and machinery, for example a digger
  • ", + "
  • shares
  • ", + "
  • registered trademarks
  • ", + "
  • your business\u2019s reputation
  • ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax.

    ", + "

    You pay Capital Gains Tax if you\u2019re a self-employed sole trader or in a business partnership. Other organisations like limited companies pay Corporation Tax on profits from selling their assets.

    ", + "

    When you do not pay it

    ", + "

    You do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.

    ", + "

    Work out your gain

    ", + "

    Your gain is usually the difference between what you paid for your business asset and what you sold it for.

    ", + "

    Use the market value instead if:

    ", + "
  • you gave it away (there are different rules if it was to your spouse, civil partner or a charity)
  • ", + "
  • you sold it for less than it was worth to help the buyer
  • ", + "
  • you inherited the asset (and do not know the Inheritance Tax value)
  • ", + "
  • you owned it before April 1982
  • ", + "

    If the asset was given to you and you claimed Gift Hold-Over Relief, use the amount it was originally bought for to work out your gain. If you paid less than it was worth, use the amount you paid for it.

    ", + "

    Deduct costs

    ", + "

    You can deduct certain costs of buying, selling or improving your asset from your gain.

    ", + "

    Costs you can deduct include:

    ", + "
  • fees, for example for valuing or advertising assets
  • ", + "
  • costs to improve assets (but not normal repairs)
  • ", + "
  • Stamp Duty Land Tax and VAT (unless you can reclaim the VAT)
  • ", + "

    You cannot deduct certain costs. These include:

    ", + "
  • interest on a loan to buy your asset
  • ", + "
  • costs you can claim as business expenses
  • ", + "

    Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.

    ", + "

    Apply reliefs

    ", + "

    You may be able to reduce or delay paying tax on your gains if you\u2019re eligible for tax relief.

    ", + "

    Work out if you need to pay

    ", + "

    When you know your gain you need to work out if you need to report and pay Capital Gains Tax.

    ", + "

    If you\u2019re in a business partnership:

    ", + "
  • work out your share of each gain or loss
  • ", + "
  • the nominated partner must fill in form SA803
  • ", + "

    You can get help with working out your tax, for example from an accountant.

    ", + "

    Reporting a loss

    ", + "

    The rules are different if you need to report a loss.

    ", + "

    Tax relief

    ", + "

    You may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.

    ", + "Relief | Description | Eligibility", + "Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax on qualifying profits if you sell all or part of your business (instead of the normal rates) | For sole traders, business partners or those with shares in a \u2018personal company\u2019", + "Business Asset Rollover Relief | Delay paying Capital Gains Tax when you sell or dispose of some types of asset if you replace them | Buy the new asset within 3 years of disposing of the old one. Use the old and new assets in your business", + "Incorporation Relief | Delay paying Capital Gains Tax when you transfer your business to a company | Transfer all your business and its assets (except cash) in return for shares in the company", + "Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away a business asset - the person you gave it to pays tax when they sell it | You used the business asset for trading as a sole trader or partner", + "

    Tax relief when you sell your home

    ", + "

    You normally get Private Residence Relief when you sell or dispose of your main home, meaning you do not pay any Capital Gains Tax.

    ", + "

    If you\u2019ve used any part of your home just for business, you have to pay Capital Gains Tax on that part when you sell your home.

    ", + "

    Disincorporation relief

    ", + "

    You may be able to claim Disincorporation Relief if you become a partnership or sole trader having been a limited company.

    ", + "

    If you acquire the company\u2019s assets when it changes its business structure, you may have to pay Capital Gains Tax if you sell or dispose of them later - you\u2019ll use their value, including any Disincorporation Relief, when you acquired them.

    ", + "

    You can get help from an accountant or tax adviser.

    " + ] + }, + { + "title": "Cash basis", + "url": "https://www.gov.uk/simpler-income-tax-cash-basis", + "contents": [ + "

    Overview

    ", + "

    \u2018Cash basis\u2019 is a way to work out your income and expenses for your Self Assessment tax return, if you\u2019re a sole trader or partner.

    ", + "

    Why use cash basis

    ", + "

    If you run a small business, cash basis accounting may suit you better than traditional accounting.

    ", + "

    This is because you only need to declare money when it comes in and out of your business. At the end of the tax year, you won\u2019t have to pay Income Tax on money you didn\u2019t receive in your accounting period.

    ", + "

    When cash basis might not suit your business

    ", + "

    Cash basis probably won\u2019t suit you if you:

    ", + "
  • want to claim interest or bank charges of more than \u00a3500 as an expense
  • ", + "
  • run a business that\u2019s more complex, for example you have high levels of stock
  • ", + "
  • need to get finance for your business - a bank could ask to see accounts drawn up using traditional accounting to see what you owe and are due before agreeing a loan
  • ", + "
  • have losses that you want to offset against other taxable income (\u2018sideways loss relief\u2019)
  • ", + "

    Talk to a tax professional (such as an accountant) or legal adviser if you need help.

    ", + "

    Find out if you\u2019re eligible to use cash basis.

    ", + "

    Who can use cash basis

    ", + "

    You can use cash basis if you:

    ", + "
  • run a small self-employed business, for example sole trader or partnership
  • ", + "
  • have a turnover of \u00a3150,000 or less a year
  • ", + "

    If you have more than one business, you must use cash basis for all your businesses. The combined turnover from your businesses must be less than \u00a3150,000.

    ", + "

    If you use cash basis and your business grows during the tax year

    ", + "

    You can stay in the scheme up to a total business turnover of \u00a3300,000 per year. Above that, you\u2019ll need to use traditional accounting for your next tax return.

    ", + "

    Who can\u2019t use the scheme

    ", + "

    Limited companies and limited liability partnerships can\u2019t use cash basis.

    ", + "

    There are also some specific types of businesses that can\u2019t use the scheme:

    ", + "
  • Lloyd\u2019s underwriters
  • ", + "
  • farming businesses with a current herd basis election
  • ", + "
  • farming and creative businesses with a section 221 ITTOIA profit averaging election
  • ", + "
  • businesses that have claimed business premises renovation allowance
  • ", + "
  • businesses that carry on a mineral extraction trade
  • ", + "
  • businesses that have claimed research and development allowance
  • ", + "
  • dealers in securities
  • ", + "
  • relief for mineral royalties
  • ", + "
  • lease premiums
  • ", + "
  • ministers of religion
  • ", + "
  • pool betting duty
  • ", + "
  • intermediaries treated as making employment payments
  • ", + "
  • managed service companies
  • ", + "
  • waste disposal
  • ", + "
  • cemeteries and crematoria
  • ", + "

    If you can\u2019t use cash basis, you\u2019ll need to use traditional accounting to work out your taxable profits.

    ", + "

    Getting started

    ", + "

    At the end of the tax year, work out your taxable profit from your cash basis income and expenses records.

    ", + "

    Tick the cash basis box on the form when you send your return.

    ", + "

    You can use cash basis for the 2013 to 2014 tax year onwards. If you\u2019re sending a late tax return for tax years before this, you\u2019ll need to use traditional accounting when working out your accounts.

    ", + "

    Changing from traditional accounting to cash basis

    ", + "

    Existing businesses using traditional accounting might have to make some adjustments when they switch to cash basis.

    ", + "

    Talk to a tax professional (such as an accountant) or legal adviser if you need help.

    ", + "

    How to record income and expenses

    ", + "

    You must keep records of all business income and expenses to work out your profit for your tax return.

    ", + "

    Income

    ", + "

    With cash basis, only record income you actually received in a tax year. Don\u2019t count any money you\u2019re owed but haven\u2019t yet received.

    ", + "

    You can choose how you record when money is received or paid (for example the date the money enters your account or the date a cheque is written) but you must use the same method each tax year.

    ", + "

    All payments count - cash, card, cheque, payment in kind or any other method.

    ", + "

    Expenses

    ", + "

    Expenses are business costs you can deduct from your income to calculate your taxable profit. In practice, this means your allowable expenses reduce your Income Tax.

    ", + "

    Only count the expenses you\u2019ve actually paid. Money you owe isn\u2019t counted until you pay it.

    ", + "

    Examples of allowable business expenses if you\u2019re using cash basis are:

    ", + "
  • day to day running costs, such as electricity, fuel
  • ", + "
  • admin costs, for example stationery
  • ", + "
  • things you use in your business, such as machinery, computers, vans
  • ", + "
  • interest and charges up to \u00a3500, for example interest on bank overdrafts
  • ", + "
  • buying goods for resale
  • ", + "

    You can check what else counts as an allowable expense.

    ", + "

    For the 2013 to 2014 tax year onwards you can also choose to use the simplified expenses scheme instead of calculating expenses for:

    ", + "
  • running a vehicle
  • ", + "
  • working from home
  • ", + "
  • making adjustments for living on your business premises
  • ", + "

    Cars and other equipment

    ", + "

    If you buy a car for your business, you can claim the purchase as a capital allowance (but only if you\u2019re not using simplified expenses to work out your business expenses for that vehicle).

    ", + "

    Unlike traditional accounting, you claim other equipment you buy to keep and use in your business as a normal allowable business expense rather than as a capital allowance.

    ", + "

    If you\u2019re currently claiming capital allowances and want to switch to cash basis, HM Revenue and Customs (HMRC) have guidance on the changes you need to make.

    ", + "

    Keep your records

    ", + "

    You don\u2019t need to send your records to HM Revenue and Customs (HMRC) when you send in your tax return but you need to keep them in case they ask to check them.

    ", + "

    VAT registered businesses

    ", + "

    You can start to use cash basis if you\u2019re VAT registered as long as your income is \u00a3150,000 or less during the tax year.

    ", + "

    You can record your business income and expenses either excluding or including VAT. However, you must treat income and expenses the same way.

    ", + "

    If you choose to include VAT, you have to record:

    ", + "
  • VAT payments you make to HM Revenue and Customs (HMRC) as expenses
  • ", + "
  • VAT repayments you receive from HMRC as income
  • " + ] + }, + { + "title": "Charities and tax", + "url": "https://www.gov.uk/charities-and-tax", + "contents": [ + "

    Overview

    ", + "

    As a charity you can get certain tax reliefs. To benefit you must be recognised by HM Revenue and Customs (HMRC).

    ", + "

    Charities do not pay tax on most types of income as long as they use the money for charitable purposes.

    ", + "

    You can claim back tax that\u2019s been deducted, for example on bank interest and donations (this is known as Gift Aid).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    When you need to pay tax

    ", + "

    Your charity may need to pay tax if you\u2019ve:

    ", + "
  • received income that does not qualify for tax relief
  • ", + "
  • spent any of your income on non-charitable purposes
  • ", + "

    You need to complete a tax return if your charity has tax to pay.

    ", + "

    Community amateur sports clubs (CASCs) get different tax reliefs.

    ", + "

    Tax reliefs for charities

    ", + "

    As a charity you do not pay tax on most of your income and gains if you use it for charitable purposes - this is known as \u2018charitable expenditure\u2019.

    ", + "

    This includes tax:

    ", + "
  • on donations
  • ", + "
  • on profits from trading
  • ", + "
  • on rental or investment income, for example bank interest
  • ", + "
  • on profits when you sell or \u2018dispose of\u2019 an asset, like property or shares
  • ", + "
  • when you buy property
  • ", + "

    To get tax relief you must be recognised by HM Revenue and Customs (HMRC).

    ", + "

    Community amateur sports clubs (CASCs) get different tax reliefs.

    ", + "

    When you do pay tax

    ", + "

    Charities pay tax on:

    ", + "
  • dividends received from UK companies before 6 April 2016
  • ", + "
  • profits from developing land or property
  • ", + "
  • purchases - but there are special VAT rules for charities
  • ", + "

    Charities pay business rates on non-domestic buildings, but they get an 80% discount.

    ", + "

    You must pay tax on any money you do not use for charitable purposes. This is known as \u2018non-charitable expenditure\u2019.

    ", + "

    Pay tax

    ", + "

    You must complete a tax return if your charity needs to pay tax or if HMRC asks you to.

    ", + "

    Reclaim tax

    ", + "

    You can claim back tax that\u2019s been deducted, for example on:

    ", + "
  • donations (this is known as Gift Aid)
  • ", + "
  • bank interest
  • ", + "

    Get recognition for tax purposes

    ", + "

    To get tax relief your charity must be:

    ", + "
  • based in the UK, EU, Iceland, Liechtenstein or Norway
  • ", + "
  • established for charitable purposes only
  • ", + "
  • registered with the Charity Commission or another regulator, if this applies to you
  • ", + "
  • run by \u2018fit and proper persons\u2019
  • ", + "
  • recognised by HM Revenue and Customs (HMRC)
  • ", + "

    Apply for recognition

    ", + "

    Register your charity\u2019s details using HMRC\u2019s online service.

    ", + "

    Reclaim tax

    ", + "

    If you receive income with tax deducted, for example donations you can claim Gift Aid on, you can claim it back:

    ", + "
  • online, using the Charities Online service
  • ", + "
  • through software that works with Charities Online
  • ", + "
  • by post, using form ChR1 - call the helpline to order it
  • ", + "

    Bank interest

    ", + "

    You can arrange to receive interest without tax deducted. Show your bank your letter of recognition from HM Revenue and Customs (HMRC).

    ", + "

    If tax has already been taken from your interest you can claim it back for:

    ", + "
  • the current tax year by asking your bank
  • ", + "
  • previous tax years by claiming it from HMRC
  • ", + "

    Pay tax

    ", + "

    If your charity has income that does not qualify for tax relief you must complete a tax return.

    ", + "

    If you have no tax to pay, complete a tax return only if HM Revenue and Customs (HMRC) asks you to.

    ", + "

    If your charity\u2019s income is over \u00a310,000 you must submit an annual return to the Charity Commission.

    ", + "

    Company Tax Returns

    ", + "

    Complete a Company Tax Return if your charity is a limited company or unincorporated association. Include the supplementary pages for charities and community amateur sports clubs (CASCs).

    ", + "

    A charity is a limited company if it was set up by a:

    ", + "
  • constitution
  • ", + "
  • memorandum and articles of association
  • ", + "
  • royal charter or Act of Parliament
  • ", + "

    Limited companies must also send annual accounts to Companies House.

    ", + "

    Trusts

    ", + "

    Complete a Trust and Estate Self Assessment tax return if your charity is a trust. A charity is a trust if it was set up by a trust deed or will.

    ", + "

    Penalties and deadlines

    ", + "

    You must complete a tax return when HMRC asks you to, even if no tax is due.

    ", + "

    You may have to pay a penalty if your tax return is late or you do not complete one when you should.

    ", + "

    The deadline depends on whether you complete a Company Tax Return or a Self Assessment tax return.

    " + ] + }, + { + "title": "Claim capital allowances", + "url": "https://www.gov.uk/capital-allowances", + "contents": [ + "

    Overview

    ", + "

    You can claim capital allowances when you buy assets that you keep to use in your business, for example:

    ", + "
  • equipment
  • ", + "
  • machinery
  • ", + "
  • business vehicles, for example cars, vans or lorries
  • ", + "

    These are known as plant and machinery.

    ", + "

    You can deduct some or all of the value of the item from your profits before you pay tax.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.

    ", + "

    Work out the value of your item

    ", + "

    In most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:

    ", + "
  • you owned it before you started using it in your business
  • ", + "
  • it was a gift
  • ", + "

    Other business costs

    ", + "

    You claim for the cost of things that are not business assets in a different way. This includes:

    ", + "
  • your business\u2019s day-to-day running costs
  • ", + "
  • items that it\u2019s your trade to buy and sell
  • ", + "
  • interest payments or finance costs for buying assets
  • ", + "

    Claim these costs as business expenses if you\u2019re a sole trader or partner, or deduct from your profits as a business cost if you\u2019re a limited company.

    ", + "

    Other capital allowances

    ", + "

    As well as plant and machinery, you can also claim capital allowances for:

    ", + "
  • renovating business premises in disadvantaged areas of the UK
  • ", + "
  • extracting minerals
  • ", + "
  • research and development
  • ", + "
  • \u2018know-how\u2019 (intellectual property about industrial techniques)
  • ", + "
  • patents
  • ", + "
  • dredging
  • ", + "
  • structure and buildings
  • ", + "

    If you let out residential property

    ", + "

    You can only claim for items in residential property if your business qualifies as a furnished holiday lettings business. In each year the property must be:

    ", + "
  • available for holiday letting for 210 days
  • ", + "
  • let for 105 days or more
  • ", + "

    What you can claim on

    ", + "

    You can claim capital allowances on items that you keep to use in your business - these are known as \u2018plant and machinery\u2019.

    ", + "

    In most cases you can deduct the full cost of these items from your profits before tax using annual investment allowance (AIA).

    ", + "

    If you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.

    ", + "

    What does not count as plant and machinery

    ", + "

    You cannot claim capital allowances on:

    ", + "
  • things you lease - you must own them
  • ", + "
  • buildings, including doors, gates, shutters, mains water and gas systems
  • ", + "
  • land and structures, for example bridges, roads, docks
  • ", + "
  • items used only for business entertainment, for example a yacht or karaoke machine
  • ", + "

    What counts as plant and machinery

    ", + "

    Plant and machinery includes:

    ", + "
  • items that you keep to use in your business, including cars
  • ", + "
  • costs of demolishing plant and machinery
  • ", + "
  • parts of a building considered integral, known as \u2018integral features\u2019
  • ", + "
  • some fixtures, for example fitted kitchens or bathroom suites
  • ", + "
  • alterations to a building to install other plant and machinery - this does not include repairs
  • ", + "

    Claim repairs as business expenses if you\u2019re a sole trader or partner - deduct from your profits as a business cost if you\u2019re a limited company.

    ", + "

    Integral features

    ", + "

    Integral features are:

    ", + "
  • lifts, escalators and moving walkways
  • ", + "
  • space and water heating systems
  • ", + "
  • air-conditioning and air cooling systems
  • ", + "
  • hot and cold water systems (but not toilet and kitchen facilities)
  • ", + "
  • electrical systems, including lighting systems
  • ", + "
  • external solar shading
  • ", + "

    Fixtures

    ", + "

    You can claim for fixtures, for example:

    ", + "
  • fitted kitchens
  • ", + "
  • bathroom suites
  • ", + "
  • fire alarm and CCTV systems
  • ", + "

    You can claim if you rent or own the building, but only the person who bought the item can claim.

    ", + "

    When you buy a building from a previous business owner you can only claim for integral features and fixtures that they claimed for.

    ", + "

    You must agree the value of the fixtures with the seller. If you do not you cannot claim for them. Agreeing the value also means the person selling the assets can account correctly for them.

    ", + "

    If you let residential property

    ", + "

    You can only claim for items in residential property if either:

    ", + "
  • you run a furnished holiday lettings business
  • ", + "
  • the item is in the common parts of a residential building, for example a table in the hallway of a block of flats
  • ", + "

    Care workers

    ", + "

    There are special rules if you run a care business.

    ", + "

    Annual investment allowance

    ", + "

    You can deduct the full value of an item that qualifies for annual investment allowance (AIA) from your profits before tax.

    ", + "

    If you sell the item after claiming AIA you may need to pay tax.

    ", + "

    What you can claim on

    ", + "

    You can claim AIA on most plant and machinery up to the AIA amount.

    ", + "

    What you cannot claim on

    ", + "

    You cannot claim AIA on:

    ", + "
  • cars
  • ", + "
  • items you owned for another reason before you started using them in your business
  • ", + "
  • items given to you or your business
  • ", + "

    Claim writing down allowances instead.

    ", + "

    The AIA amount

    ", + "

    The AIA amount has temporarily increased to \u00a31 million between 1 January 2019 and 31 December 2020.

    ", + "

    Changes to the AIA

    ", + "

    The\u00a0AIA\u00a0amount has changed several times since April 2008.

    ", + "

    If the AIA changed in the period you\u2019re claiming for, you need to adjust the amount you can claim.

    ", + "AIA | Sole traders/partners | Limited companies", + "1 million | 1 January 2019 - 31 December 2020 | 1 January 2019 - 31 December 2020", + "\u00a3200,000 | 1 January 2016 - 31 December 2018 | 1 January 2016 - 31 December 2018", + "\u00a3500,000 | 6 April 2014 - 31 December 2015 | 1 April 2014 - 31 December 2015", + "\u00a3250,000 | 1 January 2013 - 5 April 2014 | 1 January 2013 - 31 March 2014", + "\u00a325,000 | 6 April 2012 - 31 December 2012 | 1 April 2012 - 31 December 2012", + "\u00a3100,000 | 6 April 2010 - 5 April 2012 | 1 April 2010 - 31 March 2012", + "\u00a350,000 | 6 April 2008 - 5 April 2010 | 1 April 2008 - 31 March 2010", + "

    You get a new allowance for each accounting period.

    ", + "

    If your accounting period is more or less than 12 months

    ", + "

    Adjust your AIA if your accounting period is more or less than 12 months.

    ", + "

    The rules are different if your accounting period is longer than 18 months or you have a gap or overlap between accounting periods.

    ", + "

    When you can claim

    ", + "

    You can only claim AIA in the period you bought the item.

    ", + "

    The date you bought it is:

    ", + "
  • when you signed the contract, if payment is due within less than 4 months
  • ", + "
  • when payment\u2019s due, if it\u2019s due more than 4 months later
  • ", + "

    If you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.

    ", + "

    If your business closes, you cannot claim AIA for items bought in the final accounting period.

    ", + "

    If you do not want to claim the full cost

    ", + "

    If you do not want to claim the full cost, for example you have low profits, you can claim:

    ", + "
  • writing down allowances instead
  • ", + "
  • part of the cost as AIA and part as writing down allowances
  • ", + "

    Items you also use outside your business

    ", + "

    You cannot claim the full value of items you also use outside your business if you\u2019re a sole trader or partner. Reduce the capital allowances you claim by the amount you use the asset outside your business.

    ", + "

    If you spend more than the AIA amount

    ", + "

    Claim writing down allowances on any amount above the AIA. If a single item takes you above the AIA amount you can split the value between the types of allowance.

    ", + "

    Mixed partnerships

    ", + "

    AIA is not available for partnerships where one of the partners is a company or another partnership.

    ", + "

    More than one business or trade

    ", + "

    If you\u2019re a sole trader or a partner and you have more than one business or trade, each business usually gets an AIA.

    ", + "

    You only get one AIA if the businesses are both:

    ", + "
  • controlled by the same person
  • ", + "
  • in the same premises or have similar activities
  • ", + "

    If 2 or more limited companies are controlled by the same person they only get one AIA between them. They can choose how to share the AIA.

    ", + "

    How to claim

    ", + "

    Claim on your tax return.

    ", + "

    First year allowances

    ", + "

    If you buy an asset that qualifies for first year allowances you can deduct the full cost from your profits before tax.

    ", + "

    You can claim first year allowances in addition to annual investment allowance - they do not count towards your AIA limit.

    ", + "

    What qualifies

    ", + "

    You can claim \u2018enhanced capital allowances\u2019 (a type of first year allowances) for the following energy and water efficient equipment:

    ", + "
  • some cars with low CO2 emissions
  • ", + "
  • energy saving equipment that\u2019s on the energy technology product list, for example certain motors
  • ", + "
  • water saving equipment that\u2019s on the water efficient technologies product list, for example meters, efficient toilets and taps
  • ", + "
  • plant and machinery for gas refuelling stations, for example storage tanks, pumps
  • ", + "
  • gas, biogas and hydrogen refuelling equipment
  • ", + "
  • new zero-emission goods vehicles
  • ", + "

    You cannot normally claim on items your business buys to lease to other people or for use within a home you let out.

    ", + "

    How to claim

    ", + "

    Claim on your tax return.

    ", + "

    If you do not claim all the first year allowances you\u2019re entitled to, you can claim part of the cost in the next accounting period using writing down allowances.

    ", + "

    Business cars

    ", + "

    You can claim capital allowances on cars you buy and use in your business. This means you can deduct part of the value from your profits before you pay tax.

    ", + "

    Use writing down allowances to work out what you can claim - cars do not qualify for annual investment allowance (AIA).

    ", + "

    Sole traders and partners

    ", + "

    If you\u2019re a sole trader or a partner you can claim simplified mileage expenses on business vehicles instead - as long as you have not already claimed for them in another way.

    ", + "

    Employees

    ", + "

    If you\u2019re an employee you cannot claim capital allowances for cars, motorbikes and bicycles you use for work, but you may be able to claim for business mileage and fuel costs.

    ", + "

    What counts as a car

    ", + "

    For capital allowances a car is a type of vehicle that:

    ", + "
  • is suitable for private use - this includes motorhomes
  • ", + "
  • most people use privately
  • ", + "
  • was not built for transporting goods
  • ", + "

    What does not count

    ", + "

    Because they do not count as cars you can claim AIA on:

    ", + "
  • motorcycles - apart from those bought before 6 April 2009
  • ", + "
  • lorries, vans and trucks
  • ", + "

    Rates for cars

    ", + "

    The rate you can claim depends on the CO2 emissions of your car and the date you bought it.

    ", + "

    The main and special rates apply from 1 April for limited companies, and 6 April for sole traders and partners. The first year allowances rate applies from 1 April for all businesses.

    ", + "

    Cars bought from April 2021

    ", + "Description of car | What you can claim", + "New and unused, CO2 emissions are 0g/km (or car is electric) | First year allowances", + "New and unused, CO2 emissions are between 1g/km and 50g/km | Main rate allowances", + "Second hand, CO2 emissions are between 1g/km and 50g/km (or car is electric) | Main rate allowances", + "New or second hand, CO2 emissions are above 50g/km | Special rate allowances", + "

    Cars bought between April 2018 and April 2021

    ", + "Description of car | What you can claim", + "New and unused, CO2 emissions are 50g/km or less (or car is electric) | First year allowances", + "New and unused, CO2 emissions are between 50g/km and 110g/km | Main rate allowances", + "Second hand, CO2 emissions are 110g/km or less (or car is electric) | Main rate allowances", + "New or second hand, CO2 emissions are above 110g/km | Special rate allowances", + "

    Cars bought between April 2015 and April 2018

    ", + "Description of car | What you can claim", + "New and unused, CO2 emissions are 75g/km or less (or car is electric) | First year allowances", + "New and unused, CO2 emissions are between 75g/km and 130g/km | Main rate allowances", + "Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances", + "New or second hand, CO2 emissions are above 130g/km | Special rate allowances", + "

    Cars bought between April 2013 and April 2015

    ", + "Description of car | What you can claim", + "New and unused, CO2 emissions are 95g/km or less (or car is electric) | First year allowances", + "New and unused, CO2 emissions are between 95g/km and 130g/km | Main rate allowances", + "Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances", + "New or second hand, CO2 emissions are above 130g/km | Special rate allowances", + "

    Cars bought between April 2009 and April 2013

    ", + "Description of car | What you can claim", + "New and unused, CO2 emissions are 110g/km or less (or car is electric) | First year allowances", + "New and unused, CO2 emissions are between 110g/km and 160g/km | Main rate allowances", + "Second hand, CO2 emissions are 160g/km or less (or car is electric) | Main rate allowances", + "New or second hand, CO2 emissions above 160g/km | Special rate allowances", + "

    Move the balance of any cars bought before April 2009 to your main rate allowances pool.

    ", + "

    If your car does not have an emissions figure use the special rate - use the main rate if it was registered before 1 March 2001.

    ", + "

    Using cars outside your business

    ", + "

    If you\u2019re a sole trader or partner and you also use your car outside your business, calculate how much you can claim based on the amount of business use.

    ", + "

    If your business provides a car for an employee or director you can claim capital allowances on the full cost. You may need to report it as a benefit if they use it personally.

    ", + "

    How to claim

    ", + "

    When you\u2019ve worked out your capital allowances, claim on your:

    ", + "
  • Self Assessment tax return if you\u2019re a sole trader
  • ", + "
  • partnership tax return if you\u2019re a partner
  • ", + "
  • Company Tax Return if you\u2019re a limited company - you must include a separate capital allowances calculation
  • ", + "

    Employees must claim in a different way.

    ", + "

    The amount you can claim is deducted from your profits.

    ", + "

    When you can claim

    ", + "

    You must claim in the accounting period you bought the item if you want to claim the full value under:

    ", + "
  • annual investment allowance
  • ", + "
  • first year allowances
  • ", + "

    If you do not want to claim the full value you can claim part of it using writing down allowances. You can do this at any time as long as you still own the item.

    ", + "

    When you bought it

    ", + "

    The date you bought it is:

    ", + "
  • when you signed the contract, if payment is due within less than 4 months
  • ", + "
  • when payment\u2019s due, if it\u2019s due more than 4 months later
  • ", + "

    If you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.

    " + ] + }, + { + "title": "Company Tax Returns", + "url": "https://www.gov.uk/company-tax-returns", + "contents": [ + "

    Overview

    ", + "

    Your company or association must file a Company Tax Return if you get a \u2018notice to deliver a Company Tax Return\u2019 from HM Revenue and Customs (HMRC).

    ", + "

    You must still send a return if you make a loss or have no Corporation Tax to pay.

    ", + "

    You do not send a Company Tax Return if you\u2019re self-employed as a sole trader or in a partnership - but you must send a Self Assessment return.

    ", + "

    What it involves

    ", + "

    When you file your tax return, you work out your:

    ", + "
  • profit or loss for Corporation Tax (this is different from the profit or loss shown in your annual accounts)
  • ", + "
  • Corporation Tax bill
  • ", + "

    You can either get an accountant to prepare and file your tax return or do it yourself.

    ", + "

    If you have a limited company, you may be able to file your accounts with Companies House at the same time as your tax return.

    ", + "

    Deadlines

    ", + "

    The deadline for your tax return is 12 months after the end of the accounting period it covers. You\u2019ll have to pay a penalty if you miss the deadline.

    ", + "

    There\u2019s a separate deadline to pay your Corporation Tax bill. It\u2019s usually 9 months and one day after the end of the accounting period.

    ", + "

    Penalties for late filing

    ", + "

    You\u2019ll have to pay penalties if you do not file your Company Tax Return by the deadline.

    ", + "Time after your deadline | Penalty", + "1 day | \u00a3100", + "3 months | Another \u00a3100", + "6 months | HM Revenue and Customs (HMRC) will estimate your Corporation Tax bill and add a penalty of 10% the unpaid tax", + "12 months | Another 10% of any unpaid tax", + "

    If your tax return is late 3 times in a row, the \u00a3100 penalties are increased to \u00a3500 each.

    ", + "

    If your tax return is more than 6 months late

    ", + "

    If your tax return is 6 months late, HMRC will write telling you how much Corporation Tax they think you must pay. This is called a \u2018tax determination\u2019. You cannot appeal against it.

    ", + "

    You must pay the Corporation Tax due and file your tax return. HMRC will recalculate the interest and penalties you need to pay.

    ", + "

    Appeals

    ", + "

    If you have a reasonable excuse, you can appeal against a late filing penalty by writing to your company\u2019s Corporation Tax office.

    ", + "

    Check recent tax forms or letters from HMRC for your Corporation Tax office address or call the Corporation Tax helpline.

    ", + "

    Making changes

    ", + "

    You must usually make any changes (\u2018amendments\u2019) within 12 months of the filing deadline.

    ", + "

    You can:

    ", + "
  • log in to HM Revenue and Customs (HMRC) online services to amend your Company Tax Return
  • ", + "
  • use commercial software
  • ", + "
  • send a paper return or write to your company\u2019s Corporation Tax office
  • ", + "

    Check recent tax forms or letters from HMRC for the Corporation Tax office address or call the helpline.

    ", + "

    HMRC may charge you a penalty for errors.

    ", + "

    HMRC can make a compliance check to check for errors in your Company Tax Return.

    " + ] + }, + { + "title": "Corporation Tax when you sell business assets", + "url": "https://www.gov.uk/tax-when-your-company-sells-assets", + "contents": [ + "

    Overview

    ", + "

    Your limited company usually pays Corporation Tax on the profit (\u2018chargeable gain\u2019) from selling or disposing of an asset.

    ", + "

    Company assets

    ", + "

    Assets are things your company owns, such as:

    ", + "
  • land and property
  • ", + "
  • equipment and machinery
  • ", + "
  • shares
  • ", + "

    Who pays Corporation Tax

    ", + "

    Corporation Tax on chargeable gains is paid by:

    ", + "
  • limited companies
  • ", + "
  • most unincorporated associations, for example clubs and co-operatives
  • ", + "
  • foreign companies with a UK branch or office
  • ", + "

    You pay Capital Gains Tax instead if you\u2019re a self-employed sole trader or business partner.

    ", + "

    Work out and report your gain

    ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax.

    ", + "

    Report your gains to HM Revenue and Customs (HMRC) when you file your Company Tax Return. How much tax you pay depends on any allowances and reliefs you claim.

    ", + "

    There are different rules for intangible assets, for example intellectual property and business reputation (\u2018goodwill\u2019).

    ", + "

    Work out a chargeable gain

    ", + "

    The gain is usually the difference between what you paid for the asset and what you sold it for.

    ", + "

    You\u2019ll need to use the asset\u2019s market value if your business gave it away, or sold it for less than it was worth to help the buyer.

    ", + "

    You can deduct any costs, for example solicitors\u2019 fees or Stamp Duty.

    ", + "

    If you had the asset before December 2017

    ", + "

    Before you work out your gain you need to work out how much you would have paid for the asset in today\u2019s money using the HM Revenue and Customs (HMRC) Indexation Allowance.

    ", + "

    This will make your gain smaller and mean you pay less tax.

    ", + "

    How to work out the gain

    ", + "
  • Work out the asset\u2019s value when it was sold - this is usually the amount your company received.
  • ", + "
  • Deduct the amount your company paid for the asset. If it was not acquired in a normal commercial transaction you need to use the market value at the time.
  • ", + "
  • Deduct any money your company spent buying, selling or improving the asset, for example solicitors\u2019 fees and Stamp Duty. (You cannot deduct maintenance costs.)
  • ", + "
  • If you had the asset before December 2017, use HMRC\u2019s Indexation Allowance December 2017 guide for the month when your company sold the asset. Then find the figure (\u2018inflation factor\u2019) for the year and month when your company bought the asset. Multiply this by the amount you paid for the asset. Deduct the total from your profit.
  • ", + "
  • If you made improvements to the asset, work out the effects of inflation in the same way. Deduct the total from your profit.
  • ", + "

    You now have your chargeable gain. You can ask HMRC to check your valuation by filling in a post-transaction valuation check form. Return it to the address on the form and allow at least 3 months for HMRC\u2019s response.

    ", + "

    If you make a loss when you sell an asset

    ", + "

    You can reduce your total chargeable gains by deducting any capital losses.

    ", + "

    You can only deduct capital losses from your chargeable gains - not from trading income or other profits.

    ", + "

    The loss you can claim is reduced by any amount you\u2019ve claimed as capital allowances.

    ", + "

    Intangible assets

    ", + "

    \u2018Intangible assets\u2019 include intellectual property and business reputation (\u2018goodwill\u2019).

    ", + "

    How you\u2019re taxed on gains from intangible assets depends on when your limited company first owned them.

    ", + "

    After 31 March 2002

    ", + "

    Include gains on intangible assets in your company\u2019s business income (\u2018trading profits\u2019) if your company acquired or created them after 31 March 2002. You pay Corporation Tax on trading profits.

    ", + "

    Before 1 April 2002

    ", + "

    Use the detailed guidance to work out gains on intangible assets or get help from a professional, like an accountant.

    ", + "

    If your company\u2019s intangible assets came from a change in business structure (for example from a business partnership or self-employed sole trader), use the date the assets were acquired or created before the structure change.

    " + ] + }, + { + "title": "Dormant companies and associations", + "url": "https://www.gov.uk/dormant-company", + "contents": [ + "

    Overview

    ", + "

    Your company or association may be \u2018dormant\u2019 if it\u2019s not doing business (\u2018trading\u2019) and doesn\u2019t have any other income, for example investments.

    ", + "

    Dormant means different things for:

    ", + "
  • Corporation Tax and Company Tax Returns
  • ", + "
  • annual accounts and returns for Companies House if you have a limited company
  • ", + "

    Dormant for Corporation Tax

    ", + "

    Your company is usually dormant for Corporation Tax if it:

    ", + "
  • has stopped trading and has no other income, for example investments
  • ", + "
  • is a new limited company that hasn\u2019t started trading
  • ", + "
  • is an unincorporated association or club owing less than \u00a3100 Corporation Tax
  • ", + "
  • is a flat management company
  • ", + "

    Trading includes buying, selling, renting property, advertising, employing someone or getting interest. HMRC has detailed guidance on what counts as dormant for Corporation Tax.

    ", + "

    When HMRC thinks your company is dormant

    ", + "

    You may get a letter from HMRC telling you:

    ", + "
  • they\u2019ve decided to treat your company or association as dormant
  • ", + "
  • that you don\u2019t have to pay Corporation Tax or file Company Tax Returns
  • ", + "

    When you think your company is dormant

    ", + "

    If your company has stopped trading and has no other income, you can tell HMRC that it\u2019s dormant for Corporation Tax.

    ", + "

    If you\u2019ve never had a \u2018notice to deliver a Company Tax Return\u2019

    ", + "

    You can tell HMRC your company\u2019s dormant over the phone or by post.

    ", + "

    If you\u2019ve filed a Company Tax Return or had a \u2018notice to deliver a Company Tax Return\u2019

    ", + "

    You\u2019ll still need to file a Company Tax Return online - this will show HMRC that your company is dormant for this period.

    ", + "

    Limited companies

    ", + "

    You don\u2019t need to pay Corporation Tax or file another Company Tax Return once you\u2019ve told HMRC your company is dormant unless you receive a further notice to deliver a Company Tax Return.

    ", + "

    You must still file annual accounts and a confirmation statement (previously annual return) - exactly what you must do depends on if you\u2019re dormant for Companies House.

    ", + "

    Find out how to restart your company.

    ", + "

    If you\u2019re registered for VAT

    ", + "

    If you do not intend to trade again you must deregister for VAT within 30 days of your company becoming dormant.

    ", + "

    However, if you plan to restart trading, you must send \u2018nil\u2019 (empty) VAT returns while your company is dormant.

    ", + "

    If you employ people

    ", + "

    If you do not plan to restart trading in this tax year, you should close your PAYE scheme.

    ", + "

    Dormant for Companies House

    ", + "

    You must file your confirmation statement (previously annual return) and annual accounts with Companies House even if your limited company is:

    ", + "
  • dormant for Corporation Tax
  • ", + "
  • dormant according to Companies House
  • ", + "

    But if your company is dormant according to Companies House and also qualifies as \u2018small\u2019 you:

    ", + "
  • can file \u2018dormant accounts\u2019 instead
  • ", + "
  • don\u2019t have to include an auditor\u2019s report with your accounts
  • ", + "

    Check what to include in your accounts if your company is small and dormant for Companies House.

    ", + "

    Dormant according to Companies House

    ", + "

    Your company is called dormant by Companies House if it\u2019s had no \u2018significant\u2019 transactions in the financial year.

    ", + "

    Significant transactions don\u2019t include:

    ", + "
  • filing fees paid to Companies House
  • ", + "
  • penalties for late filing of accounts
  • ", + "
  • money paid for shares when the company was incorporated
  • ", + "

    You do not need to tell Companies House if you restart trading. The next set of non-dormant accounts that you file will show that your company is no longer dormant.

    " + ] + }, + { + "title": "Expenses if you're self-employed", + "url": "https://www.gov.uk/expenses-if-youre-self-employed", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re self-employed, your business will have various running costs. You can deduct some of these costs to work out your taxable profit as long as they\u2019re allowable expenses.

    ", + "

    Allowable expenses do not include money taken from your business to pay for private purchases.

    ", + "

    If you run your own limited company, you need to follow different rules. You can deduct any business costs from your profits before tax. You must report any item you make personal use of as a company benefit.

    ", + "

    Costs you can claim as allowable expenses

    ", + "

    These include:

    ", + "
  • office costs, for example stationery or phone bills
  • ", + "
  • travel costs, for example fuel, parking, train or bus fares
  • ", + "
  • clothing expenses, for example uniforms
  • ", + "
  • staff costs, for example salaries or subcontractor costs
  • ", + "
  • things you buy to sell on, for example stock or raw materials
  • ", + "
  • financial costs, for example insurance or bank charges
  • ", + "
  • costs of your business premises, for example heating, lighting, business rates
  • ", + "
  • advertising or marketing, for example website costs
  • ", + "
  • training courses related to your business, for example refresher courses
  • ", + "

    You cannot claim expenses if you use your \u00a31,000 tax-free \u2018trading allowance\u2019.

    ", + "

    Contact the Self Assessment helpline if you\u2019re not sure whether a business cost is an allowable expense.

    ", + "

    Costs you can claim as capital allowances

    ", + "

    If you use traditional accounting, claim capital allowances when you buy something you keep to use in your business, for example:

    ", + "
  • equipment
  • ", + "
  • machinery
  • ", + "
  • business vehicles, for example cars, vans, lorries
  • ", + "

    You cannot claim capital allowances if you use your \u00a31,000 tax-free \u2018trading allowance\u2019.

    ", + "

    If you use cash basis

    ", + "

    If you use cash basis accounting and buy a car for your business, you can claim this as a capital allowance. However, all other items you buy and keep for your business should be claimed as allowable expenses in the normal way.

    ", + "

    If you use something for both business and personal reasons

    ", + "

    You can only claim allowable expenses for the business costs.

    ", + "

    If you work from home

    ", + "

    You may be able to claim a proportion of your costs for things like:

    ", + "
  • heating
  • ", + "
  • electricity
  • ", + "
  • Council Tax
  • ", + "
  • mortgage interest or rent
  • ", + "
  • internet and telephone use
  • ", + "

    You\u2019ll need to find a reasonable method of dividing your costs, for example by the number of rooms you use for business or the amount of time you spend working from home.

    ", + "

    Simplified expenses

    ", + "

    You can avoid using complex calculations to work out your business expenses by using simplified expenses. Simplified expenses are flat rates that can be used for:

    ", + "
  • vehicles
  • ", + "
  • working from home
  • ", + "
  • living on your business premises
  • ", + "

    Office, property and equipment

    ", + "

    Claim items you\u2019d normally use for less than 2 years as allowable expenses, for example:

    ", + "
  • stationery
  • ", + "
  • rent, rates, power and insurance costs
  • ", + "

    For equipment you keep to use in your business, for example computers or printers, claim:

    ", + "
  • allowable expenses if you use cash basis accounting
  • ", + "
  • capital allowances if you use traditional accounting
  • ", + "

    You cannot claim for any non-business use of premises, phones or other office resources.

    ", + "

    Stationery

    ", + "

    You can claim expenses for:

    ", + "
  • phone, mobile, fax and internet bills
  • ", + "
  • postage
  • ", + "
  • stationery
  • ", + "
  • printing
  • ", + "
  • printer ink and cartridges
  • ", + "
  • computer software your business uses for less than 2 years
  • ", + "
  • computer software if your business makes regular payments to renew the licence (even if you use it for more than 2 years)
  • ", + "

    Claim other software for your business as capital allowances, unless you use cash basis.

    ", + "

    Rents, rates, power and insurance costs

    ", + "

    You can claim expenses for:

    ", + "
  • rent for business premises
  • ", + "
  • business and water rates
  • ", + "
  • utility bills
  • ", + "
  • property insurance
  • ", + "
  • security
  • ", + "
  • using your home as an office (only the part that\u2019s used for business)
  • ", + "

    Business premises

    ", + "

    You cannot claim expenses or allowances for buying building premises.

    ", + "

    Claim expenses for repairs and maintenance of business premises and equipment.

    ", + "

    For alterations to install or replace equipment, claim:

    ", + "
  • allowable expenses if you use cash basis accounting
  • ", + "
  • capital allowances if you use traditional accounting
  • ", + "

    You can also claim capital allowances for some integral parts of a building, for example water heating systems.

    ", + "

    Car, van and travel expenses

    ", + "

    You can claim allowable business expenses for:

    ", + "
  • vehicle insurance
  • ", + "
  • repairs and servicing
  • ", + "
  • fuel
  • ", + "
  • parking
  • ", + "
  • hire charges
  • ", + "
  • vehicle licence fees
  • ", + "
  • breakdown cover
  • ", + "
  • train, bus, air and taxi fares
  • ", + "
  • hotel rooms
  • ", + "
  • meals on overnight business trips
  • ", + "

    You cannot claim for:

    ", + "
  • non-business driving or travel costs
  • ", + "
  • fines
  • ", + "
  • travel between home and work
  • ", + "

    You may be able to calculate your car, van or motorcycle expenses using a flat rate (known as simplified expenses) for mileage instead of the actual costs of buying and running your vehicle.

    ", + "

    Buying vehicles

    ", + "

    If you use traditional accounting and buy a vehicle for your business, you can claim this as a capital allowance.

    ", + "

    If you use cash basis accounting and buy a car for your business, claim this as a capital allowance as long as you\u2019re not using simplified expenses.

    ", + "

    For all other types of vehicle, claim them as allowable expenses.

    ", + "

    Clothing expenses

    ", + "

    You can claim allowable business expenses for:

    ", + "
  • uniforms
  • ", + "
  • protective clothing needed for your work
  • ", + "
  • costumes for actors or entertainers
  • ", + "

    You cannot claim for everyday clothing (even if you wear it for work).

    ", + "

    Staff expenses

    ", + "

    You can claim allowable business expenses for:

    ", + "
  • employee and staff salaries
  • ", + "
  • bonuses
  • ", + "
  • pensions
  • ", + "
  • benefits
  • ", + "
  • agency fees
  • ", + "
  • subcontractors
  • ", + "
  • employer\u2019s National Insurance
  • ", + "
  • training courses related to your business
  • ", + "

    You cannot claim for carers or domestic help, for example nannies.

    ", + "

    Reselling goods

    ", + "

    You can claim allowable business expenses for:

    ", + "
  • goods for resale (stock)
  • ", + "
  • raw materials
  • ", + "
  • direct costs from producing goods
  • ", + "

    You cannot claim for:

    ", + "
  • any goods or materials bought for private use
  • ", + "
  • depreciation of equipment
  • ", + "

    Legal and financial costs

    ", + "

    Accountancy, legal and other professional fees can count as allowable business expenses.

    ", + "

    You can claim costs for:

    ", + "
  • hiring of accountants, solicitors, surveyors and architects for business reasons
  • ", + "
  • professional indemnity insurance premiums
  • ", + "

    You cannot claim for:

    ", + "
  • legal costs of buying property and machinery - if you use traditional accounting, claim for these costs as capital allowances
  • ", + "
  • fines for breaking the law
  • ", + "

    Bank, credit card and other financial charges

    ", + "

    You can claim business costs for:

    ", + "
  • bank, overdraft and credit card charges
  • ", + "
  • interest on bank and business loans
  • ", + "
  • hire purchase interest
  • ", + "
  • leasing payments
  • ", + "
  • alternative finance payments, for example Islamic finance
  • ", + "

    If you\u2019re using cash basis accounting you can only claim up to \u00a3500 in interest and bank charges.

    ", + "

    You cannot claim for repayments of loans, overdrafts or finance arrangements.

    ", + "

    Insurance policies

    ", + "

    You can claim for any insurance policy for your business, for example public liability insurance.

    ", + "

    When your customer does not pay you

    ", + "

    If you\u2019re using traditional accounting, you can claim for amounts of money you include in your turnover but will not ever receive (\u2018bad debts\u2019). However, you can only write off these debts if you\u2019re sure they will not be recovered from your customer in the future.

    ", + "

    You cannot claim for:

    ", + "
  • debts not included in turnover
  • ", + "
  • debts related to the disposal of fixed assets, for example land, buildings, machinery
  • ", + "
  • bad debts that are not properly calculated, for example you can not just estimate that your debts are equal to 5% of your turnover
  • ", + "

    Bad debts cannot be claimed if you use cash basis accounting because you\u2019ve not received the money from your debtors. With cash basis, you only record income on your return that you\u2019ve actually received.

    ", + "

    Marketing, entertainment and subscriptions

    ", + "

    You can claim allowable business expenses for:

    ", + "
  • advertising in newspapers or directories
  • ", + "
  • bulk mail advertising (mailshots)
  • ", + "
  • free samples
  • ", + "
  • website costs
  • ", + "

    You cannot claim for:

    ", + "
  • entertaining clients, suppliers and customers
  • ", + "
  • event hospitality
  • ", + "

    Subscriptions

    ", + "

    You can claim for:

    ", + "
  • trade or professional journals
  • ", + "
  • trade body or professional organisation membership if related to your business
  • ", + "

    You cannot claim for:

    ", + "
  • payments to political parties
  • ", + "
  • gym membership fees
  • ", + "
  • donations to charity - but you may be able to claim for sponsorship payments
  • ", + "

    Training courses

    ", + "

    You can claim allowable business expenses for training that helps you improve the skills and knowledge you use in your business (for example, refresher courses).

    ", + "

    The training courses must be related to your business.

    ", + "

    You cannot claim for training courses that help you:

    ", + "
  • start a new business
  • ", + "
  • expand into new areas of business, including anything related to your current business
  • ", + "

    How to claim

    ", + "

    Keep records of all your business expenses as proof of your costs.

    ", + "

    Add up all your allowable expenses for the tax year and put the total amount on your Self Assessment tax return.

    ", + "

    You do not need to send in proof of expenses when you submit your tax return. But you should keep proof and records so you can show them to HM Revenue and Customs (HMRC) if asked.

    ", + "

    You must make sure your records are accurate.

    " + ] + }, + { + "title": "Machine Games Duty", + "url": "https://www.gov.uk/machine-game-duty", + "contents": [ + "

    What you pay it on

    ", + "

    You may have to pay Machine Games Duty (MGD) if there are machines that give cash prizes on your premises. You pay duty on:

    ", + "
  • slot and fruit machines, and other gaming machines
  • ", + "
  • quiz machines and other \u2018skill with prize\u2019 machines
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You do not pay it on machines where the prize is less than the cost to play, or on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.

    ", + "

    Your takings from machine games will be exempt from VAT if you pay MGD.

    ", + "

    If you\u2019re responsible for MGD you\u2019ll need to register, send regular returns, pay duty and keep records.

    ", + "

    Who\u2019s responsible for registering and paying

    ", + "

    It\u2019s your responsibility if you hold any of the following licences:

    ", + "
  • premises licence, for example for gambling or alcohol
  • ", + "
  • family entertainment centre gaming machine permit
  • ", + "
  • club premises certificate, a club gaming permit or club machine permit
  • ", + "
  • prize gaming permit or amusement permit
  • ", + "
  • registration certificate including a club registration certificate
  • ", + "
  • bookmaking office licence or bingo club licence
  • ", + "
  • licence to sell alcohol in Northern Ireland
  • ", + "

    There are different rules if you\u2019re the tenant of a pub. You\u2019re responsible for MGD, not the premises licence owner (usually the pub\u2019s owner). When you stop being the tenant, you need to cancel your registration.

    ", + "

    You are not responsible for MGD if you supply the machines, unless you also hold the licence or permit for the premises.

    ", + "

    If your premises does not have a licence, HM Revenue and Customs (HMRC) will ask someone else, usually the manager or owner, to register and pay the duty.

    ", + "

    You may have to pay a penalty if you do not register when you should.

    ", + "

    Register

    ", + "

    Register for Machine Games Duty (MGD) at least 14 days before you make your machines available to play.

    ", + "

    You register by adding MGD to your HM Revenue and Customs (HMRC) account. If you do not have one (or only have an account for personal tax), create an account as an organisation.

    ", + "

    To register for MGD, you\u2019ll need:

    ", + "
  • any licence or permit numbers for your premises
  • ", + "
  • your Unique Taxpayer Reference (UTR), if you\u2019re registered for Self Assessment or Corporation Tax
  • ", + "
  • your VAT number, if you\u2019re registered for VAT
  • ", + "
  • your National Insurance number
  • ", + "
  • to know how many machines you have
  • ", + "
  • your accountant\u2019s MGD agent reference number and postcode, if you want them to file returns on your behalf
  • ", + "

    Register now

    ", + "

    After you\u2019ve registered

    ", + "

    You\u2019ll need to keep accurate records to show:

    ", + "
  • how you worked out the figures for your return
  • ", + "
  • that the amount you\u2019ve paid is correct
  • ", + "

    Keep your records for 4 years as HMRC might ask to see them.

    ", + "

    If you want to file paper returns

    ", + "

    Fill in and send the registration form if you want to file paper returns.

    ", + "

    How much you pay

    ", + "

    You pay Machine Games Duty (MGD) on the total net takings from your machine games.

    ", + "

    This is what you charge to play the games minus the amount you pay as winnings, including non-cash prizes.

    ", + "

    You do not pay it on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.

    ", + "

    MGD rates

    ", + " | Cost to play | Prize | Rate you pay", + "Machine type 1 - lower rate | 20 pence or less | \u00a310 or less | 5%", + "Machine type 2 - standard rate | 21 pence to \u00a35 | \u00a311 or more | 20%", + "All other machine types - higher rate | More than \u00a35 | Any | 25%", + "

    If your machine has more than one type of game, you pay the rate for the highest rated game on all takings from the machine.

    ", + "

    File your return

    ", + "

    You must file a Machine Games Duty (MGD) return every 3 months.

    ", + "

    Your return is due within 30 days of the end of the accounting period. You\u2019ll get a reminder if you included your email address when you registered online.

    ", + "

    You\u2019ll need:

    ", + "
  • records of your total net takings from machine games
  • ", + "
  • details of how you worked out the figures
  • ", + "

    You still fill in a return even if you do not owe anything, or your business has not traded during this accounting period. This can be for any reason, including if you\u2019ve closed because of coronavirus (COVID-19). Enter \u20180\u2019 in all boxes.

    ", + "

    File your return

    ", + "

    If you chose to file using paper forms

    ", + "

    HM Revenue and Customs (HMRC) will send you paper forms when your return is due. If you do not receive them, contact the helpline.

    ", + "

    After you\u2019ve filed your return

    ", + "

    Pay your Machine Games Duty bill within 30 days of the end of your accounting period.

    ", + "

    You may have to pay a penalty if your return or payment is late. HMRC can also charge you an estimate of what you owe.

    ", + "

    Change your details

    ", + "

    Sign in to the Machine Games Duty (MGD) service to:

    ", + "
  • change your contact address or other details
  • ", + "
  • cancel your registration if you\u2019ve stopped trading, no longer have machine games or want to be registered as part of a group of companies
  • ", + "
  • add, change or remove an authorised agent to file returns for you
  • ", + "

    You can also contact HM Revenue and Customs (HMRC) by phone or post. You\u2019ll need to tell them your registration number.

    ", + "

    Switch to file online instead of sending paper returns

    ", + "

    If you already have an HMRC online account, sign in to add the MGD service.

    ", + "

    Otherwise, register for an HMRC account and sign up for MGD.

    " + ] + }, + { + "title": "Pay Machine Games Duty", + "url": "https://www.gov.uk/pay-machine-games-duty", + "contents": [ + "

    Overview

    ", + "

    You must file your Machine Games Duty (MGD) return and make your payment within 30 days of the end of your accounting period. An accounting period is 3 months unless you\u2019ve arranged with HM Revenue and Customs (HMRC) to use a different accounting period.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If the deadline falls on a weekend or bank holiday, make sure you file your return and your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments, debit card or credit card).

    ", + "

    Pay now

    ", + "

    Ways to pay

    ", + "

    Make sure you pay HMRC by the deadline. You may have to pay a penalty and interest if you pay late.

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same day or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • By debit or corporate credit card online
  • ", + "
  • CHAPS
  • ", + "
  • At your bank or building society
  • ", + "

    3 working days

    ", + "
  • Bacs
  • ", + "
  • By cheque through the post
  • ", + "
  • Direct Debit - if you\u2019re making a single payment and you\u2019ve set up one for HMRC before
  • ", + "

    5 working days

    ", + "
  • Direct Debit - if you\u2019re making a single payment and you have not set up one for HMRC before
  • ", + "

    10 working days before you file your first return

    ", + "
  • Direct Debit - if you\u2019re setting up an automatic payment (known as a \u2018variable payment plan\u2019)
  • ", + "

    Penalties for late returns

    ", + "

    You\u2019ll get a penalty if you miss the deadline for filing returns.

    ", + "When the penalty is applied | Penalty", + "1 day after deadline | Between \u00a3100 and \u00a3400, depending on how many late returns you\u2019ve previously filed", + "6 months after deadline | \u00a3300 or 5% of the MGD due (whichever is higher)", + "12 months after deadline | \u00a3300 or 5% of the MGD due (whichever is higher)", + "

    If you disagree with a penalty

    ", + "

    If you\u2019ve been given a penalty and you think it\u2019s wrong, you can appeal to HMRC.

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    Make your payment to HM Revenue and Customs\u2019 account.

    ", + "Account name | Sort code | Account number", + "HMRC Shipley | 08 32 10 | 12001020", + "

    Use your reference number

    ", + "

    Your payment reference is your 14-character Machine Games Duty (MGD) registration number.

    ", + "

    You\u2019ll find it on:

    ", + "
  • your HM Revenue and Customs (HMRC) online account
  • ", + "
  • the MGD Registration Certificate HMRC sent you
  • ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB03BARC20114783977692 | BARCGB22 | HMRC Shipley", + "

    HMRC\u2019s banking address is:

    ", + "

    Direct Debit

    ", + "

    You can only pay by Direct Debit if you\u2019ve registered for Machine Games Duty (MGD) online.

    ", + "

    Use your HM Revenue and Customs (HMRC) online account to set up a Direct Debit.

    ", + "

    You can set up:

    ", + "
  • a single payment each time you file your return
  • ", + "
  • automatic payment of the duty shown on your return (known as a \u2018variable payment plan\u2019)
  • ", + "

    Single payment

    ", + "

    You can make a single one-off payment by Direct Debit online.

    ", + "

    It takes 5 working days to process a Direct Debit payment the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.

    ", + "

    Variable payment plan

    ", + "

    You can set up regular automatic Direct Debit payments online only. Choose a \u2018variable payment plan\u2019 when setting up your Direct Debit.

    ", + "

    It takes at least 10 working days to process a payment when you first set it up. Make sure your payment will reach HMRC before the deadline.

    ", + "

    Your payment will then be taken automatically every time it\u2019s due.

    ", + "

    You\u2019ll need to cancel your Direct Debit if you want to change to a different payment method.

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    Use your 14-character Machine Games Duty (MGD) registration number as your \u2018charge reference\u2019.

    ", + "

    You\u2019ll find it on:

    ", + "
  • your HM Revenue and Customs (HMRC) online account
  • ", + "
  • the MGD Registration Certificate HMRC sent you
  • ", + "

    HMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.

    ", + "

    If you\u2019re unable to pay your Machine Games Duty bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    You can only pay Machine Games Duty (MGD) at your bank or building society if you file a paper MGD return.

    ", + "

    Use the payslip HM Revenue and Customs (HMRC) sent you.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your MGD reference number on the back of your cheque. You\u2019ll find the reference number on the payslip.

    ", + "

    HMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.

    ", + "

    Pay online if you want to pay by debit or credit card.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your Machine Games Duty (MGD) reference number on the back of the cheque.

    ", + "

    You\u2019ll find your MGD reference number on either:

    ", + "
  • the payslip HMRC sent you if you file a paper return
  • ", + "
  • your HMRC online account if you file your return online
  • ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    If you file a paper return, send your payslip with your cheque.

    ", + "

    If you file online, send a letter including:

    ", + "
  • your name, address and telephone number
  • ", + "
  • your MGD registration number
  • ", + "
  • the amount you\u2019re paying
  • ", + "

    Do not fold or staple your cheque.

    ", + "

    Check your payment has been received

    ", + "

    View your HMRC online account to see if your payment has been received - it should update within 6 working days.

    ", + "

    Tell HMRC no duty is due

    ", + "

    You must still file your return even if you calculate that you do not owe any Machine Games Duty (MGD). You may have to pay a penalty if you do not.

    ", + "

    If you owe a negative amount (you\u2019ve paid out more in winnings than you\u2019ve taken in playing charges), it\u2019ll be carried over to your next return and subtracted from the amount of MGD due.

    " + ] + }, + { + "title": "Pay a Construction Industry Scheme (CIS) late filing penalty", + "url": "https://www.gov.uk/pay-construction-industry-scheme-cis-late-filing-penalty", + "contents": [ + "

    Overview

    ", + "

    HM Revenue and Customs (HMRC) will send you a late filing penalty notice telling you how much to pay if you\u2019ve filed your monthly return late.

    ", + "

    You must pay within 30 days of receiving the notice, or you can appeal:

    ", + "
  • through HMRC\u2019s online service
  • ", + "
  • by writing to HMRC - quote your Unique Taxpayer Reference (UTR) and the payment reference shown on the notice
  • ", + "

    Pay now

    ", + "

    Ways to pay

    ", + "

    Make sure you pay by the deadline. The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • online by debit or corporate credit card
  • ", + "
  • at your bank or building society
  • ", + "

    3 working days

    ", + "
  • Bacs
  • ", + "
  • Direct Debit (if you\u2019ve set up one for HMRC before)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set up one for HMRC before)
  • ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    You can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001020 | HMRC Shipley", + "

    Reference number

    ", + "

    You\u2019ll need to use the 14-character Construction Industry Scheme (CIS) late filing penalty reference number from your late filing penalty notice. This number always starts with an X.

    ", + "

    Do not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB03BARC20114783977692 | BARCGB22 | HMRC Shipley", + "

    HMRC\u2019s banking address is:

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    You\u2019ll need the 14-character Construction Industry Scheme (CIS) late filing penalty reference number from your late filing penalty notice. This number always starts with an X.

    ", + "

    Do not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    HM Revenue and Customs (HMRC) will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches their account.

    ", + "

    If you\u2019re unable to pay your late filing penalty in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    Use the payslip HM Revenue and Customs (HMRC) sent with your late filing penalty notice.

    ", + "

    Do not use a payslip from your payment booklet because your payment will be credited to the wrong account and you may receive reminders to pay.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 14-character Construction Industry Scheme (CIS) late filing penalty reference number on the back of your cheque. You will find the reference number on your penalty notice. It always starts with an X.

    ", + "

    Do not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    HMRC will accept your payment on the date you make it and not the date it reaches their account.

    ", + "

    Direct Debit

    ", + "

    You\u2019ll need to set up a new Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment.

    ", + "

    You cannot use your existing Construction Industry Scheme (CIS) monthly or quarterly Direct Debit.

    ", + "

    You\u2019ll need the 14-character CIS late filing penalty reference number from your late filing penalty notice. This number always starts with an X.

    ", + "

    Do not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    How much time to allow

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 14-character Construction Industry Scheme (CIS) late filing penalty reference number on the back of the cheque. This always starts with the letter \u2018X\u2019. Do not use your Accounts Office reference number.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    Include the payslip HMRC sent you with the late filing penalty notice. Do not fold the payslip or cheque or fasten them together.

    ", + "

    You can include a letter with your payment to request a receipt from HMRC.

    ", + "

    If you do not have a payslip

    ", + "

    Send your cheque with a letter with these details:

    ", + "
  • company name
  • ", + "
  • address
  • ", + "
  • telephone number
  • ", + "
  • penalty reference number
  • ", + "
  • how much you\u2019re paying
  • ", + "

    Check your payment has been received

    ", + "

    You can check your bank or building society statement to confirm the payment has left your account.

    ", + "

    If paying by cheque through the post, you can include a letter with your payment to request a receipt from HM Revenue and Customs (HMRC).

    " + ] + }, + { + "title": "Pay your Corporation Tax bill", + "url": "https://www.gov.uk/pay-corporation-tax", + "contents": [ + "

    Overview

    ", + "

    The deadline for your payment will depend on your taxable profits.

    ", + "

    Taxable profits of up to \u00a31.5 million

    ", + "

    You must pay your Corporation Tax 9 months and 1 day after the end of your accounting period. Your accounting period is usually your financial year, but you may have 2 accounting periods in the year you set up your company.

    ", + "

    Taxable profits of more than \u00a31.5 million

    ", + "

    You must pay your Corporation Tax in instalments.

    ", + "

    Check the rules and deadlines:

    ", + "
  • if your taxable profits are between \u00a31.5 million and \u00a320 million
  • ", + "
  • if your taxable profits are more than \u00a320 million
  • ", + "

    Ways to pay

    ", + "

    Make sure you pay HM Revenue and Customs (HMRC) by the deadline. They may charge you interest if you do not pay on time. They\u2019ll pay you interest if you pay your tax early.

    ", + "

    Pay now

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same day or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • through your online bank account
  • ", + "

    3 working days

    ", + "
  • Bacs
  • ", + "
  • Direct Debit (if you\u2019ve set one up before)
  • ", + "
  • online by debit or corporate credit card
  • ", + "
  • at your bank or building society
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set one up before)
  • ", + "

    You cannot pay Corporation Tax by post.

    ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    Make an online or telephone bank transfer

    ", + "

    You can pay HM Revenue and Customs (HMRC) by Faster Payments, CHAPS or Bacs.

    ", + "

    The back of your payslip, sent to you by HMRC, tells you which account to use. If you\u2019re not sure, use Cumbernauld.

    ", + " | Sort code | Account number", + "HMRC Cumbernauld | 083210 | 12001039", + "HMRC Shipley | 083210 | 12001020", + "

    Reference number

    ", + "

    Use your 17-character Corporation Tax payslip reference for the accounting period you\u2019re paying.

    ", + "

    You\u2019ll find the payslip reference:

    ", + "
  • on any payslip that HMRC sent you
  • ", + "
  • through your company\u2019s HMRC online account - choose \u2018View account\u2019 then \u2018Accounting period\u2019
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas accounts

    ", + "

    Use these details to pay from an overseas account.

    ", + " | Account number (IBAN) | Bank identifier code (BIC)", + "HMRC Cumbernauld | GB62BARC20114770297690 | BARCGB22", + "HMRC Shipley | GB03BARC20114783977692 | BARCGB22", + "

    Multiple payments by CHAPS

    ", + "

    Send an online CHAPS enquiry form if you want to make a single payment to cover more than one company for the same accounting period.

    ", + "

    HMRC\u2019s banking address is:

    ", + "

    Approve a payment through your online bank account

    ", + "

    You can pay your Corporation Tax bill directly using your online or mobile bank account.

    ", + "

    When you\u2019re ready to pay, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your Corporation Tax payment.

    ", + "

    The payment is usually instant but sometimes it takes up to 2 hours to show in your account.

    ", + "

    You\u2019ll need to have your online banking details ready to pay this way.

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay with a personal credit card.

    ", + "

    Use your 17-character Corporation Tax payslip reference for the accounting period you\u2019re paying.

    ", + "

    You\u2019ll find the payslip reference:

    ", + "
  • on any payslip that HM Revenue and Customs (HMRC) sent you
  • ", + "
  • through your company\u2019s HMRC online account - choose \u2018View account\u2019 then \u2018Accounting period\u2019
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    If you\u2019re unable to pay your Corporation Tax bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    How long it takes

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    At your bank or building society

    ", + "

    You can pay at a branch by cash or cheque.

    ", + "

    You\u2019ll need to use the payslip that HM Revenue and Customs (HMRC) sends you.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 17-character Corporation Tax payslip reference number on the back of your cheque\nfor the accounting period you\u2019re paying. You can find the reference number on the payslip sent to you by HMRC.

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    If you do not have a payslip

    ", + "

    You\u2019ll need to pay by another method instead, for example:

    ", + "
  • debit or credit card online
  • ", + "
  • online or telephone banking
  • ", + "
  • Direct Debit
  • ", + "

    Direct Debit

    ", + "

    Set up and make changes to a Direct Debit through your company\u2019s HM Revenue and Customs (HMRC) online account.

    ", + "

    Use your 17-character Corporation Tax payslip reference for the accounting period you\u2019re paying.

    ", + "

    You can find the payslip reference:

    ", + "
  • on the payslip that HMRC sent you
  • ", + "
  • through your company\u2019s HMRC online account - choose \u2018View account\u2019 then \u2018Accounting period\u2019
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up.

    ", + "

    It should take 3 working days each time you pay once you\u2019ve already authorised a Direct Debit from HMRC.

    ", + "

    Payments will appear on your bank statements as \u2018HMRC NDDS\u2019.

    ", + "

    Payments for a group of companies

    ", + "

    If your company is in a group, you can pay Corporation Tax under a Group Payment Arrangement. HM Revenue and Customs (HMRC) will write to tell you the correct payslip reference.

    ", + "

    Tell HMRC no payment is due

    ", + "

    Tell HM Revenue and Customs (HMRC) if you have nothing to pay. HMRC will send you payment reminders if you do not.

    ", + "

    You can tell HMRC by either:

    ", + "
  • filling in the \u2018nil to pay\u2019 form
  • ", + "
  • sending back the payslip on the reminder HMRC sends you, marked \u2018NIL due\u2019
  • ", + "

    You must still file your company tax return.

    ", + "

    Check your payment has been received

    ", + "

    Check your HM Revenue and Customs (HMRC) online account to see if your payment has been received. It should be updated within a few days of HMRC receiving the payment.

    " + ] + }, + { + "title": "Pay your VAT bill", + "url": "https://www.gov.uk/pay-vat", + "contents": [ + "

    Overview

    ", + "

    Before you pay your VAT bill, make sure your deadline has not passed. Your deadline will be shown on your VAT return.

    ", + "

    There are different deadlines if you use:

    ", + "
  • the Annual Accounting Scheme
  • ", + "
  • payments on account
  • ", + "

    Pay now

    ", + "

    There\u2019s a different way to pay a VAT Mini One Stop Shop (VAT MOSS) bill.

    ", + "

    Ways to pay

    ", + "

    Make sure your payment will reach HM Revenue and Customs\u2019 (HMRC) bank account by the deadline. You may have to pay a surcharge if you do not pay on time.

    ", + "

    You can use the VAT payment deadline calculator to work out how much time to allow.

    ", + "

    Same or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "

    3 working days

    ", + "
  • Direct Debit
  • ", + "
  • Bacs
  • ", + "
  • standing order (only for businesses using the Annual Accounting Scheme or Payments on Account)
  • ", + "
  • online by debit or corporate credit card
  • ", + "
  • at your bank or building society
  • ", + "

    If the deadline falls on a weekend or bank holiday, your payment must arrive in HMRC\u2019s bank account on the last working day before it (unless you pay by Faster Payments).

    ", + "

    Direct Debit

    ", + "

    Use your VAT online account to set up a Direct Debit.

    ", + "

    Set up the Direct Debit at least 3 working days before you submit your online VAT return, otherwise the payment will not be taken from your bank account in time.

    ", + "

    Once you\u2019ve set up the Direct Debit, payments will be collected automatically from your bank account 3 working days after the payment deadline on your VAT return.

    ", + "

    If you file your VAT return late, your payment will be taken 3 days after you file the return.

    ", + "

    You cannot pay by Direct Debit if you have a \u2018payments on account\u2019 arrangement.

    ", + "

    If you\u2019ve signed up to Making Tax Digital

    ", + "

    Businesses that have signed up for Making Tax Digital and usually pay VAT by Direct Debit do not need to set up a new one.

    ", + "

    HMRC will transfer your Direct Debit to the new system.

    ", + "

    If you use the Annual Accounting Scheme

    ", + "

    Businesses that use the Annual Accounting Scheme can only set up an automatic Direct Debit online for balancing payments.

    ", + "

    You can set up a Direct Debit for regular payments using form VAT 623.

    ", + "

    Getting VAT repayments

    ", + "

    The bank account details you use to set up your Direct Debit will not be used for VAT repayments.

    ", + "

    To get VAT repayments paid into your bank account, update the registration details in your VAT online account. Otherwise HMRC will send you a cheque.

    ", + "

    Make an online or telephone bank transfer

    ", + "

    You can pay HM Revenue and Customs (HMRC) by Faster Payments, CHAPS or Bacs.

    ", + "Sort code | Account number | Account name", + "08 32 00 | 11963155 | HMRC VAT", + "

    Reference number

    ", + "

    You\u2019ll need your 9-digit VAT registration number to make a payment.

    ", + "

    Find your registration number:

    ", + "
  • in your VAT online account
  • ", + "
  • on your VAT registration certificate
  • ", + "

    Do not put any spaces between the digits when paying your VAT bill.

    ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB36BARC20051773152391 | BARCGB22 | HMRC VAT", + "

    HMRC\u2019s banking address is:

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    You\u2019ll need your 9-digit VAT registration number to make a payment.

    ", + "

    Find your registration number:

    ", + "
  • in your VAT online account
  • ", + "
  • on your VAT registration certificate
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    Allow 3 working days for your payment to reach HM Revenue and Customs\u2019 bank account.

    ", + "

    If you\u2019re unable to pay your VAT bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    You\u2019ll need to order paying-in slips online or by phone from HM Revenue and Customs (HMRC) before you can pay this way. It can take up to 6 weeks for them to arrive.

    ", + "

    Use the paying-in slips to pay at your own bank or building society by cash or cheque. Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 9-digit VAT registration number on the back of your cheque. You will find your registration number:

    ", + "
  • in your VAT online account
  • ", + "
  • on your VAT registration certificate
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    Allow 3 working days for your payment to reach HM Revenue and Customs\u2019 bank account.

    ", + "

    Standing order

    ", + "

    Businesses using the Annual Accounting Scheme or making payments on account can pay a VAT bill by standing order. Standing orders take 3 working days to reach HM Revenue and Customs\u2019 (HMRC) bank account.

    ", + "

    Annual Accounting Scheme

    ", + "

    Ask to pay by standing order on your application form for the Annual Accounting Scheme.

    ", + "

    After you\u2019ve received a letter from HMRC accepting your application, set up a standing order using either:

    ", + "
  • form VAT 622
  • ", + "
  • online or telephone banking
  • ", + "

    Payments on account

    ", + "

    Set up a standing order using either:

    ", + "
  • form VAT 622
  • ", + "
  • online or telephone banking
  • ", + "

    Check your payment has been received

    ", + "

    View your VAT online account to see if your payment has been received - it should update within 48 hours.

    ", + "

    Pay your UK VAT MOSS bill

    ", + "

    The UK VAT Mini One Stop Shop (VAT MOSS) scheme closes on 10 January 2021.

    ", + "

    You must send your final UK VAT MOSS return and payment by 20 January 2021. You will not be able to submit a return after 31 January 2021.

    ", + "

    If you sell digital services to customers in the EU you must either register for VAT MOSS in an EU country, or pay VAT in each country you supply to. Find out about registering for VAT in EU countries.

    ", + "

    Ways to pay

    ", + "

    Businesses that are VAT registered in the UK can pay by Faster Payments, CHAPS or Bacs to the Union VAT MOSS account. Businesses outside the EU should use the Non-Union VAT MOSS account.

    ", + "

    Use the payment reference HMRC sent you when you submitted your VAT MOSS Return. You can also find it by logging in to your online account and checking the confirmation message.

    ", + "

    Union VAT MOSS account details

    ", + "Sort code | Account number | Account name", + "08 32 00 | 12001047 | HMRC VAT ON E", + "

    You cannot combine your VAT MOSS payment with your normal UK VAT Return payment, because it goes to a different bank account.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Non-Union VAT MOSS account details

    ", + "

    Use the Non-Union VAT MOSS bank details if your business is based outside the EU.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB34BARC20051710753491 | BARCGB22 | HMRC VAT ON E", + "

    To avoid underpaying HMRC because of bank charges, ask your bank to use the code \u2018OUR\u2019 in the \u2018Detail of charge\u2019 field when they process your payment.

    ", + "

    HMRC\u2019s banking address for Non-Union VAT MOSS payments is:

    " + ] + }, + { + "title": "Reclaiming VAT", + "url": "https://www.gov.uk/reclaim-vat", + "contents": [ + "

    What you can and cannot reclaim

    ", + "

    You can usually reclaim the VAT paid on goods and services purchased for use in your business.

    ", + "

    If a purchase is also for personal or private use, you can only reclaim the business proportion of the VAT.

    ", + "

    You must keep records to support your claim and show how you arrived at the business proportion for a purchase. You must also have valid VAT invoices.

    ", + "

    From 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.

    ", + "

    What you cannot reclaim

    ", + "

    You cannot reclaim VAT for:

    ", + "
  • anything that\u2019s only for private use
  • ", + "
  • goods and services your business uses to make VAT-exempt supplies
  • ", + "
  • business entertainment costs
  • ", + "
  • goods sold to you under one of the VAT second-hand margin schemes
  • ", + "
  • business assets that are transferred to you as a going concern
  • ", + "

    Purchases before registration

    ", + "

    You may be able to reclaim VAT paid on goods or services bought before you registered for VAT if the purchases were made within certain time limits.

    ", + "

    Partly exempt businesses

    ", + "

    You need to make separate calculations for purchases that relate to both VAT-exempt and taxable supplies, such as phone bills or accountancy fees.

    ", + "

    Business assets of \u00a350,000 and more

    ", + "

    There are special rules for reclaiming VAT for:

    ", + "
  • individual computers and single pieces of computer equipment costing \u00a350,000 or more before VAT
  • ", + "
  • aircraft, ships and boats costing \u00a350,000 or more before VAT
  • ", + "
  • land and buildings costing \u00a3250,000 or more before VAT
  • ", + "

    You may need to adjust the amount of VAT you reclaim over several years using the Capital Goods Scheme.

    ", + "

    How your VAT refund is repaid

    ", + "

    Claim your refund by submitting a VAT Return.

    ", + "

    You need to give your account details to HM Revenue and Customs (HMRC) - even if you\u2019ve already set up a Direct Debit for VAT Returns. Add or change them by going to the registration details in your VAT online account.

    ", + "

    You can also use your online account to view any refund you\u2019re owed, unless you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    You will usually get your refund within 10 days of HMRC receiving your return but it may take longer. Only contact HMRC if you have not heard anything after 30 days.

    ", + "

    Vehicles and fuel costs

    ", + "

    Buying a new car

    ", + "

    You may be able to reclaim all the VAT on a new car if you use it only for business.

    ", + "

    The car must not be available for private use, and you must be able to show that it is not, for example it\u2019s specified in your employee\u2019s contract.

    ", + "

    \u2018Private use\u2019 includes travelling between home and work, unless it\u2019s a temporary place of work.

    ", + "

    You may also be able to claim all the VAT on a new car if it\u2019s mainly used:

    ", + "
  • as a taxi
  • ", + "
  • for driving instruction
  • ", + "
  • for self-drive hire
  • ", + "

    Leasing a car

    ", + "

    If you lease a car, you can usually claim 50% of the VAT. You may be able to reclaim all the VAT if the car is used only for business and is not available for private use, or is mainly used:

    ", + "
  • as a taxi
  • ", + "
  • for driving instruction
  • ", + "

    Self-drive hire cars

    ", + "

    If you hire a car to replace a company car that\u2019s off the road, you can usually claim 50% of the VAT on the hire charge.

    ", + "

    If you hire a car for another reason (for example you do not have a company car), you can reclaim all the VAT if all the following apply:

    ", + "
  • you hire it for no more than 10 days
  • ", + "
  • it\u2019s used only for business
  • ", + "
  • it\u2019s not available for private use
  • ", + "

    Commercial vehicles

    ", + "

    You can usually reclaim the VAT for buying a commercial vehicle (like a van, lorry or tractor) if you only use it for business.

    ", + "

    If they\u2019re used only for business, you can also reclaim VAT on:

    ", + "
  • motorcycles
  • ", + "
  • motorhomes and motor caravans
  • ", + "
  • vans with rear seats (combi vans)
  • ", + "
  • car-derived vans
  • ", + "

    Fuel costs

    ", + "

    There are different ways of reclaiming VAT on fuel, if you do not pay a fixed rate under the Flat Rate Scheme.

    ", + "

    You can reclaim all the VAT on fuel if your vehicle is used only for business. There are 3 ways of handling VAT if you use the vehicle for both business and private purposes. You can:

    ", + "
  • reclaim all the VAT and pay the right fuel scale charge for your vehicle
  • ", + "
  • only reclaim the VAT on fuel you use for business trips - you\u2019ll have to keep detailed mileage records
  • ", + "
  • choose not to reclaim any VAT, eg if your business mileage is so low that the fuel scale charge would be higher than the VAT you can reclaim
  • ", + "

    If you choose not to reclaim VAT on fuel for one vehicle you cannot reclaim VAT on any fuel for vehicles used by your business.

    ", + "

    Additional costs

    ", + "

    You can usually reclaim the VAT for:

    ", + "
  • all business-related running and maintenance costs, such as repairs or off-street parking
  • ", + "
  • any accessories you\u2019ve fitted for business use
  • ", + "

    You can do this even if you cannot reclaim VAT on the vehicle itself.

    ", + "

    Used vehicles

    ", + "

    The sales invoice for your used vehicle must show the VAT. You cannot reclaim if it does not, for example if the seller uses the VAT margin scheme.

    ", + "

    Staff travel

    ", + "

    You can reclaim VAT on employee travel expenses for business trips, including meals and accommodation that you pay for.

    ", + "

    You cannot reclaim VAT if you pay your employees a flat rate for expenses.

    ", + "

    There are special rules for motoring expenses.

    ", + "

    You cannot reclaim VAT on entertainment costs.

    ", + "

    Who counts as an employee

    ", + "

    The following people count as employees for VAT reclaims:

    ", + "
  • someone directly employed by you (not through an agency)
  • ", + "
  • directors, partners, any other managers
  • ", + "
  • self-employed people who are treated as employees (you cannot reclaim on travel expenses for this group)
  • ", + "
  • helpers or stewards who help run events
  • ", + "

    The following people do not count as employees for VAT reclaims:

    ", + "
  • shareholders who are not employed by the business
  • ", + "
  • pensioners and former employees
  • ", + "
  • someone applying for a job, for example interviewees
  • " + ] + }, + { + "title": "Simplified expenses if you're self-employed", + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "contents": [ + "

    Overview

    ", + "

    Simplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.

    ", + "

    You do not have to use simplified expenses. You can decide if it suits your business.

    ", + "

    Who can use simplified expenses

    ", + "

    Simplified expenses can be used by:

    ", + "
  • sole traders
  • ", + "
  • business partnerships that have no companies as partners
  • ", + "

    Simplified expenses cannot be used by limited companies or business partnerships involving a limited company.

    ", + "

    Types of expenses

    ", + "

    You can use flat rates for:

    ", + "
  • business costs for some vehicles
  • ", + "
  • working from home
  • ", + "
  • living in your business premises
  • ", + "

    You must calculate all other expenses by working out the actual costs.

    ", + "

    How to use simplified expenses

    ", + "
  • Keep records your business miles for vehicles, hours you work at home and how many people live at your business premises over the year.
  • ", + "
  • At the end of the tax year use the flat rates for vehicle mileage, working from home, and living at your business premises to work out your expenses.
  • ", + "
  • Include these amounts in the total for your expenses in your Self Assessment tax return.
  • ", + "

    Use the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs. This will help you work out if simplified expenses suits your business.

    ", + "

    Vehicles

    ", + "

    Calculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.

    ", + "

    You can use simplified expenses for:

    ", + "
  • cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)
  • ", + "
  • goods vehicles (for example, vans)
  • ", + "
  • motorcycles
  • ", + "

    You cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.

    ", + "Vehicle | Flat rate per mile with simplified expenses", + "Cars and goods vehicles first 10,000 miles | 45p", + "Cars and goods vehicles after 10,000 miles | 25p", + "Motorcycles | 24p", + "

    You do not have to use flat rates for all your vehicles. Once you use the flat rates for a vehicle, you must continue to do so as long as you use that vehicle for your business.

    ", + "

    You can claim all other travel expenses (for example train journeys) and parking on top of your vehicle expenses.

    ", + "

    Use the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.

    ", + "

    Working from home

    ", + "

    Calculate your allowable expenses using a flat rate based on the hours you work from home each month.

    ", + "

    This means you do not have to work out the proportion of personal and business use for your home, for example how much of your utility bills are for business.

    ", + "

    The flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.

    ", + "

    You can only use simplified expenses if you work for 25 hours or more a month from home.

    ", + "Hours of business use per month | Flat rate per month", + "25 to 50 | \u00a310", + "51 to 100 | \u00a318", + "101 and more | \u00a326", + "

    Use the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.

    ", + "

    Living at your business premises

    ", + "

    A small number of businesses use their business premises as their home, for example a guesthouse, bed and breakfast or small care home.

    ", + "

    You can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.

    ", + "

    With simplified expenses you calculate the total expenses for the premises.

    ", + "

    Then use the flat rates to subtract an amount for your personal use of the premises, based on the number of people living on the premises and claim the rest as your business expenses.

    ", + "Number of people | Flat rate per month", + "1 | \u00a3350", + "2 | \u00a3500", + "3+ | \u00a3650", + "

    If someone lives at your business premises for part of the year, you can deduct only the relevant flat rate for the months they live there.

    ", + "

    Use the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.

    " + ] + }, + { + "title": "Tax when you buy shares", + "url": "https://www.gov.uk/tax-buy-shares", + "contents": [ + "

    Overview

    ", + "

    When you buy shares, you usually pay a tax or duty of 0.5% on the transaction.

    ", + "

    If you buy:

    ", + "
  • shares electronically, you\u2019ll pay Stamp Duty Reserve Tax (SDRT)
  • ", + "
  • shares using a stock transfer form, you\u2019ll pay Stamp Duty if the transaction is over \u00a31,000
  • ", + "

    You\u2019ll have to pay tax at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.

    ", + "

    You pay tax on the price you pay for the shares, even if their actual market value is much higher.

    ", + "

    Transactions you pay tax on

    ", + "

    You pay tax when you buy:

    ", + "
  • existing shares in a company incorporated in the UK
  • ", + "
  • an option to buy shares
  • ", + "
  • an interest in shares, for example an interest in the money from selling them
  • ", + "
  • shares in a foreign company that has a share register in the UK
  • ", + "
  • rights arising from shares, for example rights you have when new shares are issued
  • ", + "

    When you do not pay tax

    ", + "

    You do not have to pay tax if you:

    ", + "
  • are given shares for nothing
  • ", + "
  • subscribe to a new issue of shares in a company
  • ", + "
  • buy shares in an \u2018open ended investment company\u2019 (OEIC) from the fund manager
  • ", + "
  • buy units in a unit trust from the fund manager
  • ", + "

    You do not normally have to pay Stamp Duty or SDRT if you buy foreign shares outside the UK. But you may have to pay other taxes.

    ", + "

    When you sell the shares

    ", + "

    You may need to pay Capital Gains Tax when you sell your shares.

    ", + "

    Help and advice

    ", + "

    Contact Stamp Duty share enquiries for general information about Stamp Duty on shares.

    ", + "

    Contact Stamp Duty Reserve Tax enquiries if you have questions about Stamp Duty on electronic paperless share transactions.

    ", + "

    You can also get professional help (for example, from a tax adviser) with your tax.

    ", + "

    Buying shares electronically

    ", + "

    You\u2019ll pay Stamp Duty Reserve Tax (SDRT) if you buy shares electronically through the \u2018CREST\u2019 system (a computerised register of shares and shareowners).

    ", + "

    The tax is taken automatically when you buy the shares, so you do not need to do anything else about your tax.

    ", + "

    SDRT is charged at 0.5% when you buy shares electronically.

    ", + "

    If you do not pay cash for your shares but give something else of value to buy them, you pay SDRT based on the value of what you gave.

    ", + "

    If you\u2019re given shares for nothing, you do not have to pay any tax.

    ", + "

    Buying shares \u2018off-market\u2019

    ", + "

    You must also pay SDRT on \u2018off-market\u2019 transactions. This is when shares are transferred outside CREST.

    ", + "

    How to pay

    ", + "

    Tax is not deducted automatically when you buy shares off-market.

    ", + "

    You\u2019ll need to send HM Revenue and Customs (HMRC) a written notice with details of the transaction.

    ", + "

    If you do not pay on time, you\u2019ll be charged interest from the due date until the date you pay. You may also get a penalty.

    ", + "

    Buying shares using a stock transfer form

    ", + "

    You must pay Stamp Duty on your shares if:

    ", + "
  • you buy shares through a stock transfer form
  • ", + "
  • the transaction is over \u00a31,000
  • ", + "

    You pay 0.5% duty, which will be rounded up to the nearest \u00a35.

    ", + "

    For shares under \u00a31,000, you will not need to pay anything.

    ", + "

    Get a stock transfer form

    ", + "

    You can get a stock transfer form from:

    ", + "
  • a broker
  • ", + "
  • a lawyer or an accountant who deals in shares
  • ", + "

    You can also download a stock transfer form from the internet.

    ", + "

    Find out what you need to include in a stock transfer form.

    ", + "

    Send the transfer form to HMRC and pay Stamp Duty

    ", + "

    You must send a copy of your stock transfer form to the Stamp Office within 30 days of it being signed and dated.

    ", + "

    Email an electronic version or a scan of your paper form to stampdutymailbox@hmrc.gov.uk.

    ", + "

    If you cannot email your stock transfer form, send a photocopy by post. You must keep the original signed document for your records.

    ", + "

    There is a different address to send a stock transfer form by courier.

    ", + "

    You must also pay the Stamp Duty within 30 days of the stock transfer form being signed and dated.

    ", + "

    You may get a penalty if you do not pay on time.

    ", + "

    Special share arrangements

    ", + "

    You pay Stamp Duty Reserve Tax (SDRT) or Stamp Duty at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.

    ", + "

    This is when the shares are transferred to a service operated by a third party (for example, a bank). The shares can then be traded free of Stamp Duty or SDRT.

    ", + "

    Not all of these schemes work like this. Sometimes the higher rate is not charged and you pay Stamp Duty or SDRT in the normal way. Check the details of your scheme with your stockbroker.

    " + ] + }, + { + "title": "Tax when your limited company gives to charity", + "url": "https://www.gov.uk/tax-limited-company-gives-to-charity", + "contents": [ + "

    Overview

    ", + "

    Your limited company pays less Corporation Tax when it gives the following to charity:

    ", + "
  • money
  • ", + "
  • equipment or trading stock (items it makes or sells)
  • ", + "
  • land, property or shares in another company (shares in your own company don\u2019t qualify)
  • ", + "
  • employees (on secondment)
  • ", + "
  • sponsorship payments
  • ", + "

    You can claim tax relief by deducting the value of your donations from your total business profits before you pay tax.

    ", + "

    There are different rules for sole traders and partnerships.

    ", + "

    Donating money

    ", + "

    Your limited company can pay less Corporation Tax when it gives money to a charity or community amateur sports club (CASC).

    ", + "

    Deduct the value of the donations from your total business profits before you pay tax.

    ", + "

    Payments that don\u2019t qualify

    ", + "

    You can\u2019t deduct payments that:

    ", + "
  • are loans that will be repaid by the charity
  • ", + "
  • are made on the condition that the charity will buy property from your company or anyone connected with it
  • ", + "
  • are a distribution of company profits (eg dividends)
  • ", + "

    If you\u2019re given something in return

    ", + "

    Any benefits you\u2019re given in return for your donation (eg tickets to an event) must be below a certain value.

    ", + "Donation amount | Maximum value of benefit", + "Up to \u00a3100 | 25% of the donation", + "\u00a3101 - \u00a31,000 | \u00a325", + "\u00a31,001 and over | 5% of the donation (up to a maximum of \u00a32,500)", + "

    This applies to benefits given to any person or company connected with your company, including close relatives.

    ", + "

    If you get a benefit that\u2019s related to the company your donation qualifies as a sponsorship payment.

    ", + "

    Equipment and trading stock

    ", + "

    Your limited company pays less Corporation Tax if it gives equipment or items it makes or sells (\u2018trading stock\u2019) to a charity or community amateur sports club (CASC).

    ", + "

    Giving equipment

    ", + "

    You can claim full capital allowances on the cost of equipment.

    ", + "

    To qualify, the equipment must have been used by your company. This includes things like:

    ", + "
  • office furniture
  • ", + "
  • computers and printers
  • ", + "
  • vans and cars
  • ", + "
  • tools and machinery
  • ", + "

    Giving trading stock

    ", + "

    If your company donates its trading stock to a charity or CASC, you don\u2019t have to include anything in your sales income for the value of the gift. This means you get tax relief on the cost of the stock you\u2019ve given away.

    ", + "

    VAT

    ", + "

    If your company is VAT-registered, you\u2019ll need to account for VAT on the items you give away.

    ", + "

    However, you can apply zero VAT to the items - even if you normally charge the standard or reduced rate - if your company makes the donation specifically so that the charity can:

    ", + "
  • sell the items
  • ", + "
  • hire out the items
  • ", + "
  • export the items
  • ", + "

    This means you can reclaim the VAT on the cost of the trading stock you donate.

    ", + "

    If you can\u2019t zero rate the items, use the VAT rate you normally apply to them.

    ", + "

    Land, property and shares

    ", + "

    Your limited company could pay less Corporation Tax if it gives or sells any of the following to charity:

    ", + "
  • land or property
  • ", + "
  • shares in another company
  • ", + "

    You can\u2019t claim for gifts or sales of shares in your own company.

    ", + "

    Contact your chosen charity first to make sure it can accept your gift.

    ", + "

    What you get

    ", + "

    If you give these to charity (including selling them for less than they\u2019re worth):

    ", + "
  • you won\u2019t have to pay tax on capital gains
  • ", + "
  • you can deduct the value of the gift (its \u2018market value\u2019) from your business profits before you pay tax
  • ", + "

    If you donate or sell to a community amateur sports club (CASC), you don\u2019t pay tax on capital gains but you can\u2019t deduct the value of the gift from your business profits.

    ", + "

    Work out the market value

    ", + "

    You\u2019ll need to know how much the gift would sell for in an open market (its \u2018market value\u2019) to calculate your tax relief. You can get professional help with this.

    ", + "

    What you need to do

    ", + "

    You must keep documents relating to the donation to show that you\u2019ve made the gift or sale and that the charity has accepted it. You must keep these records for at least 6 years.

    ", + "

    Land or property

    ", + "

    You must get a letter or certificate from the charity which contains:

    ", + "
  • a description of the land or property
  • ", + "
  • the date of the gift or sale (the \u2018disposal date\u2019)
  • ", + "
  • a statement confirming that it now owns the land or property
  • ", + "

    Shares

    ", + "

    You must fill in a stock transfer form to take the shares out of your company\u2019s name and put them into the charity\u2019s name.

    ", + "

    Selling land, property or shares on behalf of a charity

    ", + "

    When you offer a gift of land, property or shares, the charity may ask you to sell the gift on its behalf.

    ", + "

    You can do this and still claim tax relief for the donation, but you must keep records of the gift and the charity\u2019s request. Without them, you might have to pay Corporation Tax.

    ", + "

    Seconding employees

    ", + "

    You can deduct any costs as normal business expenses if:

    ", + "
  • your company temporarily transfers an employee to work for a charity (known as a \u2018secondment\u2019)
  • ", + "
  • an employee volunteers for a charity in work time
  • ", + "

    Your company must continue to pay the employee and run Pay As You Earn (PAYE) on their salary. You can set the costs (including wages and business expenses) against your taxable profits as if they were still working for you.

    ", + "

    You can\u2019t claim the costs of employees on secondment or volunteering at a community amateur sports club (CASC).

    ", + "

    Sponsoring a charity

    ", + "

    Charity sponsorship payments are different from donations because your company gets something related to the business in return.

    ", + "

    You can deduct sponsorship payments from your business profits before you pay tax by treating them as business expenses.

    ", + "

    What qualifies

    ", + "

    Payments qualify as business expenses if the charity:

    ", + "
  • publicly supports your products or services
  • ", + "
  • allows you to use their logo in your own printed material
  • ", + "
  • allows you to sell your goods or services at their event or premises
  • ", + "
  • links from their website to yours
  • ", + "

    If you\u2019re unsure whether a charity payment qualifies as a sponsorship payment or a donation, contact the charities helpline.

    ", + "

    How to claim

    ", + "

    There are different ways to claim tax relief depending on the type of donation you make.

    ", + "

    Deduct from your profits

    ", + "

    Claim relief in the Company Tax Return that covers the accounting period during which you made the donation or sale if you have:

    ", + "
  • donated money
  • ", + "
  • given or sold land, property or shares
  • ", + "

    Enter the total value of your donations in the \u2018Qualifying donations\u2019 box of the \u2018Deductions and Reliefs\u2019 section of your tax return.

    ", + "

    There are special rules for working out the value of your donation if you give or sell land, property or shares to a charity.

    ", + "

    Deduct as business expenses

    ", + "

    Deduct costs as normal business expenses in your company\u2019s annual accounts if you have:

    ", + "
  • seconded employees
  • ", + "
  • sponsored a charity
  • ", + "

    Claim capital allowances

    ", + "

    Claim capital allowances on the cost of equipment you donate in your company\u2019s annual accounts.

    ", + "

    If you donate more than your profit

    ", + "

    The most you can deduct is the amount that reduces your company\u2019s profits to zero.

    ", + "

    If you donate more than your total profits you can\u2019t:

    ", + "
  • declare trading losses on your tax return
  • ", + "
  • carry over any remaining amount to your next tax return
  • " + ] + }, + { + "title": "VAT Returns", + "url": "https://www.gov.uk/vat-returns", + "contents": [ + "

    Overview

    ", + "

    You usually submit a VAT Return to HM Revenue and Customs (HMRC) every 3 months. This period of time is known as your \u2018accounting period.\u2019

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    The VAT Return records things for the accounting period like:

    ", + "
  • your total sales and purchases
  • ", + "
  • the amount of VAT you owe
  • ", + "
  • the amount of VAT you can reclaim
  • ", + "
  • what your VAT refund from HMRC is
  • ", + "

    You must submit a VAT Return even if you have no VAT to pay or reclaim.

    ", + "

    Final VAT Returns

    ", + "

    You have to submit a final VAT Return when you cancel your VAT registration.

    ", + "

    HMRC will send you a paper version to complete if your registration is cancelled because you\u2019re insolvent.

    ", + "

    Fill in your return

    ", + "

    Complete and send your VAT Return online.

    ", + "

    You cannot use your online account to send your VAT Return if you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019. Use compatible accounting software instead.

    ", + "

    If you need help there\u2019s guidance on:

    ", + "
  • what to put in each box
  • ", + "
  • filling in your return if you\u2019re on the Flat Rate Scheme
  • ", + "

    If you are registered for VAT in Northern Ireland, you must include EU sales on your VAT Return and complete an EC Sales List.

    ", + "

    Working out what you can claim

    ", + "

    If your business is a charity, you pay VAT at a reduced rate on some goods and services.

    ", + "

    VAT-registered businesses can usually reclaim the VAT they\u2019ve paid on business purchases and expenses. The claim must be for a business activity (you have to work out the business element if it also had a personal use).

    ", + "

    You must keep records to support your claim and show the VAT was paid.

    ", + "

    Exceptions

    ", + "

    You cannot reclaim the VAT on:

    ", + "
  • entertainment expenses
  • ", + "
  • purchases if you use the VAT Flat Rate Scheme (except some capital assets worth more than \u00a32,000)
  • ", + "

    There are special rules for working out how to reclaim VAT for:

    ", + "
  • cars, for example buying, repairing, fuel costs
  • ", + "
  • staff travel expenses, for example accommodation and transport expenses
  • ", + "
  • businesses that are partly exempt from VAT
  • ", + "

    Estimated figures

    ", + "

    Ask HM Revenue and Customs (HMRC) for permission to use estimated figures. You\u2019ll need a good reason why you cannot give accurate figures on your VAT Return.

    ", + "

    If you\u2019re allowed, you will not be charged a penalty unless you miss the deadline or make a careless or deliberate error. You\u2019ll normally have to give the correct figures in your next VAT Return.

    ", + "

    Bad debts

    ", + "

    You can reclaim the VAT you\u2019ve paid HMRC but not received from a customer if it\u2019s a \u2018bad debt\u2019 (one you\u2019ve written off). To qualify for the relief:

    ", + "
  • the debt must be between 6 months old and 4 years and 6 months old
  • ", + "
  • you must not have sold the debt on
  • ", + "
  • you must not have charged more than the normal price for the item
  • ", + "

    You should reclaim them via your VAT Return (add them to your Box 4 figure) and keep records about the debt.

    ", + "

    If the debt is paid, you must pay the relief back via your VAT Return by adding the amount to your \u2018Box 1\u2019 figure.

    ", + "

    How to submit your return

    ", + "

    You must submit your return online unless:

    ", + "
  • your business is subject to an insolvency procedure - if you have a Company Voluntary Arrangement or an Individual Voluntary Arrangement you can submit your return online if you want to
  • ", + "
  • you object to using computers on religious grounds
  • ", + "
  • you cannot because of your age, a disability or because of where you live, for example you do not have internet access
  • ", + "

    Contact HM Revenue and Customs (HMRC) to find out how to submit your return, for example paper filing, if you cannot submit online.

    ", + "

    Submit your VAT Return online

    ", + "

    You need a VAT number and a VAT online account. You can then submit your VAT Return using HMRC\u2019s free online service or commercial accounting software.

    ", + "

    You cannot use your online account to send your VAT Return if you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019. Use compatible accounting software instead.

    ", + "

    Getting online

    ", + "

    If you need:

    ", + "
  • a VAT number and online account - register for VAT
  • ", + "
  • an online account - sign up for an online account and select \u2018VAT submit returns\u2019
  • ", + "
  • a VAT number - log in to your online account and apply for a VAT number
  • ", + "

    HMRC\u2019s free online service

    ", + "

    Sign in to your VAT online account and complete your VAT Return.

    ", + "

    Using accounting software

    ", + "

    Most accounting software lets you submit your VAT Return to HMRC directly. This means you will not have to enter your figures separately in HMRC\u2019s online service.

    ", + "

    HMRC has a list of software you can use to submit your VAT Return.

    ", + "

    Keep any reference number you receive as proof you\u2019ve sent your return.

    ", + "

    Using accountants or agents

    ", + "

    You\u2019ll need to authorise them before they can submit your VAT Return. You can do this through your VAT online account.

    ", + "

    Find an accountant or a solicitor to help you with your VAT return or tax.

    ", + "

    Get help

    ", + "

    You can get help with your VAT return or if you do not understand something about your tax.

    ", + "

    Help with online services

    ", + "

    Contact the VAT Online Services Helpdesk if you need any help using VAT online services.

    ", + "

    Deadlines

    ", + "

    Check your VAT Return and payment deadlines in your VAT online account.

    ", + "

    Your VAT online account tells you:

    ", + "
  • when your VAT Returns are due
  • ", + "
  • when the payment must clear HM Revenue and Customs\u2019 (HMRC) account
  • ", + "

    The deadline for submitting the return online and paying HMRC are usually the same - 1 calendar month and 7 days after the end of an accounting period. You need to allow time for the payment to reach HMRC\u2019s account.

    ", + "

    Exceptions

    ", + "

    The deadlines are different if, for example, you use the VAT Annual Accounting Scheme.

    ", + "

    Pay your VAT bill

    ", + "

    You must pay VAT to HMRC electronically, for example through direct debit or internet banking. Most businesses are not allowed to pay by cheque.

    ", + "

    Contact HMRC if you cannot pay your VAT bill.

    ", + "

    Surcharges and penalties

    ", + "

    HM Revenue and Customs (HMRC) record a \u2018default\u2019 if:

    ", + "
  • they do not receive your VAT return by the deadline
  • ", + "
  • full payment for the VAT due on your return has not reached their account by the deadline
  • ", + "

    Surcharges

    ", + "

    You may enter a 12-month \u2018surcharge period\u2019 if you default. If you default again during this time:

    ", + "
  • the surcharge period is extended for a further 12 months
  • ", + "
  • you may have to pay an extra amount (a \u2018surcharge\u2019) on top of the VAT you owe
  • ", + "

    If you submit a late return, you will not have to pay a surcharge if you:

    ", + "
  • pay your VAT in full by the deadline
  • ", + "
  • have no tax to pay
  • ", + "
  • are due a VAT repayment
  • ", + "

    HMRC will write to you explaining any surcharges you owe and what happens if you default again.

    ", + "

    How much you pay

    ", + "

    Your surcharge is a percentage of the VAT outstanding on the due date for the accounting period that is in default. The surcharge rate increases every time you default again in a surcharge period.

    ", + "

    This table shows how much you\u2019ll be charged if you default within a surcharge period.

    ", + "

    You do not pay a surcharge for your first default.

    ", + "Defaults within 12 months | Surcharge if annual turnover is less than \u00a3150,000 | Surcharge if annual turnover is \u00a3150,000 or more", + "2nd | No surcharge | 2% (no surcharge if this is less than \u00a3400)", + "3rd | 2% (no surcharge if this is less than \u00a3400) | 5% (no surcharge if this is less than \u00a3400)", + "4th | 5% (no surcharge if this is less than \u00a3400) | 10% or \u00a330 (whichever is more)", + "5th | 10% or \u00a330 (whichever is more) | 15% or \u00a330 (whichever is more)", + "6 or more | 15% or \u00a330 (whichever is more) | 15% or \u00a330 (whichever is more)", + "

    Penalties

    ", + "

    HMRC can charge you a penalty of up to:

    ", + "
  • 100% of any tax under-stated or over-claimed if you send a return that contains a careless or deliberate inaccuracy
  • ", + "
  • 30% of an assessment if HMRC sends you one that\u2019s too low and you do not tell them it\u2019s wrong within 30 days
  • ", + "
  • \u00a3400 if you submit a paper VAT return, unless HMRC has told you you\u2019re exempt from submitting your return using your VAT online account or Making Tax Digital compatible software
  • ", + "

    Assessments

    ", + "

    If you do not send your VAT Return and pay any VAT due on time, you will get a \u2018VAT notice of assessment of tax\u2019 from HM Revenue and Customs (HMRC), telling you how much VAT they think you owe.

    ", + "

    What you need to do

    ", + "

    Send your VAT Return and any payment due immediately.

    ", + "

    If the assessed amount of VAT is too low you must tell HMRC within 30 days. Do this by sending a correct VAT Return and VAT payment or contacting them. You may be charged a penalty if you do not.

    ", + "

    If the assessment is too high, you cannot appeal it. You must send a correct VAT Return and VAT payment.

    ", + "

    Contact HMRC if you cannot pay your tax bill and contact the VAT helpline if you cannot send the return.

    ", + "

    Interest on underpaid or overpaid VAT

    ", + "

    HM Revenue and Customs (HMRC) may charge you interest if you do not report and pay the right amount of VAT. If you pay too much VAT because HMRC make a mistake, you can claim interest.

    ", + "

    When interest is charged

    ", + "

    Interest may be charged if you:

    ", + "
  • report less VAT than you charge, or reclaim more than you pay
  • ", + "
  • pay an assessment that HMRC later find was too low
  • ", + "
  • let HMRC know you owe them VAT because of a mistake on your VAT Return
  • ", + "

    How much interest is charged

    ", + "

    You\u2019ll be charged 2.6% interest.

    ", + "

    There\u2019s a different interest rate for tax that was underpaid before 21 November 2017.

    ", + "

    Use your VAT online account to check the amount you owe.

    ", + "

    HMRC will also send you a notice telling you how much you owe and how it\u2019s worked out.

    ", + "

    If you do not pay within 30 days, further interest is charged on the VAT due from the date of the notice. You\u2019ll be charged interest for as long as you do not pay, up to a maximum of 2 years.

    ", + "

    You cannot deduct the interest HMRC charges you when working out your taxable profits.

    ", + "

    Claiming interest

    ", + "

    You may be able to claim interest if HMRC\u2019s mistake means:

    ", + "
  • you pay too much VAT
  • ", + "
  • you reclaim too little VAT
  • ", + "
  • a payment to you from HMRC was delayed
  • ", + "

    Normally HMRC will not repay interest if you\u2019ve paid too much VAT because of a mistake you made.

    ", + "

    How much interest can you claim

    ", + "

    You can claim 0.5% interest. This is normally paid for the whole period from when the VAT was overpaid or reclaimed until the date repayment is authorised.

    ", + "

    There\u2019s a different interest rate for tax that was overpaid before 29 September 2009.

    ", + "

    If you caused a delay to any payments (for example by not claiming straight away) HMRC might leave this time out.

    ", + "

    You have to claim the interest separately from the repayment itself.

    ", + "

    Write to HMRC with details of the repayment, explaining why you\u2019re owed interest. You must do this within 4 years of the repayment\u2019s authorisation date. Use the postal address on the VAT correspondence you have from HMRC.

    ", + "

    Any interest you get from HMRC counts as taxable income.

    ", + "

    Paying interest to your customers

    ", + "

    You must pay any of the interest you get (as well as the VAT) to your customers if HMRC\u2019s mistake means they paid too much VAT.

    ", + "

    Contact the person at HMRC who dealt with your claim if you need to find out how the interest was calculated. This can help you work out how much you need to repay each customer. You must give the money back to HMRC within 14 days if you cannot get in touch with a customer to repay them.

    ", + "

    Interest rates

    ", + "

    HMRC only charge or pay simple interest (interest on the original amount, not interest on interest).

    ", + "

    Challenging an HMRC decision

    ", + "

    You cannot appeal the decision to charge you interest but you can challenge the actual amount.

    " + ] + }, + { + "title": "VAT registration", + "url": "https://www.gov.uk/vat-registration", + "contents": [ + "

    Overview

    ", + "

    You must register your business for VAT with HM Revenue and Customs (HMRC) if its VAT taxable turnover is more than \u00a385,000.

    ", + "

    When you register, you\u2019ll be sent a VAT registration certificate. This confirms:

    ", + "
  • your VAT number
  • ", + "
  • when to submit your first VAT Return and payment
  • ", + "
  • your \u2018effective date of registration\u2019 - this depends on the date you went over the threshold, or is the date you asked to register if it was voluntary
  • ", + "

    You can register voluntarily if your turnover is less than \u00a385,000, unless everything you sell is exempt. You\u2019ll have certain responsibilities if you register for VAT.

    ", + "

    You can reclaim the VAT you\u2019ve paid on certain purchases made before you registered.

    ", + "

    Your VAT responsibilities

    ", + "

    From your effective date of registration you must:

    ", + "
  • charge the right amount of VAT
  • ", + "
  • pay any VAT due to HMRC
  • ", + "
  • submit VAT Returns
  • ", + "
  • keep VAT records and a VAT account
  • ", + "

    Most VAT registered businesses that earn over \u00a385,000 must also follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    While you wait

    ", + "

    You cannot charge or show VAT on your invoices until you get your VAT number. However, you\u2019ll still have to pay the VAT to HMRC for this period.

    ", + "

    You should increase your prices to allow for this and tell your customers why. Once you\u2019ve got your VAT number you can then reissue the invoices showing the VAT.

    ", + "

    How to register

    ", + "

    Register for VAT

    ", + "

    Most businesses can register online - including partnerships and a group of companies registering under one VAT number.

    ", + "

    By doing this you\u2019ll register for VAT and create a VAT online account (sometimes known as a \u2018Government Gateway account\u2019). You need this to submit your VAT Returns to HM Revenue and Customs (HMRC).

    ", + "

    Using an agent

    ", + "

    You can appoint an accountant (or agent) to submit your VAT Returns and deal with HMRC on your behalf.

    ", + "

    When you receive your VAT number from HMRC, you can sign up for a VAT online account (select option \u2018VAT submit returns\u2019).

    ", + "

    When you cannot register online

    ", + "

    You must register by post using VAT1 if:

    ", + "
  • you want to apply for a \u2018registration exception\u2019
  • ", + "
  • you\u2019re joining the Agricultural Flat Rate Scheme
  • ", + "
  • you\u2019re registering the divisions or business units of a body corporate under separate VAT numbers
  • ", + "

    Register by post using form:

    ", + "
  • VAT1A if you\u2019re an EU business \u2018distance selling\u2019 to Northern Ireland
  • ", + "
  • VAT1B if you import (\u2018acquire\u2019) goods into Northern Ireland worth more than \u00a385,000 from an EU country
  • ", + "
  • VAT1C if you\u2019re disposing of assets on which 8th or 13th Directive refunds have been claimed
  • ", + "

    When you receive your VAT number from HMRC, you can sign up for a VAT online account (select option \u2018VAT submit returns\u2019).

    ", + "

    Getting your certificate

    ", + "

    You should get a VAT registration certificate within 30 working days, though it can take longer.

    ", + "

    It\u2019s sent either:

    ", + "
  • to your VAT online account
  • ", + "
  • by post - if an agent registers you or you cannot register online
  • ", + "

    What you need to know

    ", + "

    You need to provide details like your turnover, business activity and bank details.

    ", + "

    Your registration date is known as your \u2018effective date of registration\u2019. You\u2019ll have to pay HMRC any VAT due from this date.

    ", + "

    You do not need to authorise an agent to register you for VAT.

    ", + "

    When to register

    ", + "

    You must register for VAT if your VAT taxable turnover goes over \u00a385,000 (the \u2018threshold\u2019), or you know that it will. Your VAT taxable turnover is the total of everything sold that is not VAT exempt.

    ", + "

    You can also register voluntarily.

    ", + "

    Compulsory registration

    ", + "

    You must register for VAT if:

    ", + "
  • you expect your VAT taxable turnover to be more than \u00a385,000 in the next 30-day period
  • ", + "
  • your business had a VAT taxable turnover of more than \u00a385,000 over the last 12 months
  • ", + "

    You might also need to register in some other cases, depending on the kinds of goods or services you sell and where you sell them.

    ", + "

    If you\u2019ll exceed the VAT threshold in the next 30-day period

    ", + "

    You must register if you realise that your total VAT taxable turnover is going to be more than \u00a385,000 in the next 30-day period.

    ", + "

    You have to register by the end of that 30-day period. Your effective date of registration is the date you realised, not the date your turnover went over the threshold.

    ", + "

    If you exceeded the VAT threshold in the past 12 months

    ", + "

    You must register if, by the end of any month, your total VAT taxable turnover for the last 12 months was over \u00a385,000.

    ", + "

    You have to register within 30 days of the end of the month when you went over the threshold. Your effective date of registration is the first day of the second month after you go over the threshold.

    ", + "

    If you sell goods or services that are VAT exempt and are based in Northern Ireland

    ", + "

    You\u2019ll need to register if you only sell goods or services that are exempt from VAT or \u2018out of scope\u2019 but you buy goods for more than \u00a385,000 from EU VAT-registered suppliers to use in your business.

    ", + "

    If you take over a VAT-registered business

    ", + "

    You may have to register for VAT.

    ", + "

    Businesses outside the UK

    ", + "

    There\u2019s no threshold if neither you nor your business is based in the UK. You must register as soon as you supply any goods and services to the UK (or if you expect to in the next 30 days).

    ", + "

    Late registration

    ", + "

    If you register late, you must pay what you owe from when you should have registered.

    ", + "

    You may get a penalty depending on how much you owe and how late your registration is.

    ", + "

    Voluntary registration

    ", + "

    You can register voluntarily if your business turnover is below \u00a385,000. You must pay HMRC any VAT you owe from the date they register you.

    ", + "

    Get an exception

    ", + "

    You can apply for a registration \u2018exception\u2019 if your taxable turnover goes over the threshold temporarily.

    ", + "

    Write to HMRC with evidence showing why you believe your VAT taxable turnover will not go over the deregistration threshold of \u00a383,000 in the next 12 months.

    ", + "

    HMRC will consider your exception and write confirming if you get one. If not, they\u2019ll register you for VAT.

    ", + "

    Selling or moving goods in Northern Ireland

    ", + "

    If you\u2019re a VAT-registered business, you need to tell HMRC if any of the following apply:

    ", + "
  • your goods are located in Northern Ireland at the time of sale
  • ", + "
  • you receive goods in Northern Ireland from VAT-registered EU businesses for business purposes
  • ", + "
  • you sell or move goods from Northern Ireland to an EU country
  • ", + "

    This means that:

    ", + "
  • you\u2019ll be eligible to use VAT simplifications when you trade with the EU
  • ", + "
  • your suppliers are able to zero rate goods that they dispatch to you from the EU
  • ", + "
  • your trade with the EU will remain acquisitions and dispatches when accounting for VAT
  • ", + "

    Tell HMRC

    ", + "

    You\u2019ll need:

    ", + "
  • the Government Gateway user ID and password you used when you registered for VAT
  • ", + "
  • your VAT registration number
  • ", + "
  • the name of your business
  • ", + "

    Start now

    ", + "

    After you\u2019ve registered

    ", + "

    When you are trading with the EU and sell goods in Northern Ireland, you\u2019ll need to:

    ", + "
  • put an \u2018XI\u2019 prefix in front of your VAT number when communicating with an EU customer or supplier (your invoices will show XI in front of your VAT number - for example, XI 123456789 - instead of GB)
  • ", + "
  • complete an EC Sales List if you\u2019re selling goods from Northern Ireland to VAT-registered customers in the EU
  • ", + "

    If you\u2019ve stopped selling or moving goods in Northern Ireland

    ", + "

    If you\u2019ve stopped selling goods in Northern Ireland or moving goods between Northern Ireland and the EU, you need to tell HMRC.

    ", + "

    Registering for VAT in EU countries

    ", + "

    You may need to register for VAT in the EU country you\u2019re selling to. Find out how to register for VAT in EU countries on the European Commission website.

    ", + "

    Supplying digital services

    ", + "

    If your business supplies digital services to consumers in EU countries, you need to register for either:

    ", + "
  • VAT MOSS in any EU country
  • ", + "
  • VAT in each country where you\u2019re supplying digital services
  • ", + "

    Register for VAT MOSS in an EU country

    ", + "

    You\u2019ll need to register for the VAT MOSS scheme in an EU country by the 10th day of the month after your first sale to an EU customer.

    ", + "

    Use the European Commission website to:

    ", + "
  • check if you should register for either the union or non-union VAT MOSS scheme
  • ", + "
  • find contact details to register for VAT MOSS in an EU country
  • ", + "

    Register for VAT in an EU country

    ", + "

    If you do not want to use the VAT MOSS scheme, you must register for VAT in each EU country where you supply digital services.

    ", + "

    Find out how to register for VAT in EU member states on the European Commission website.

    ", + "

    Calculate VAT taxable turnover

    ", + "

    VAT taxable turnover is the total value of everything you sell that is not exempt from VAT.

    ", + "

    You must register for VAT with HM Revenue and Customs (HMRC) if it goes over the current registration threshold in a rolling 12-month period. This is not a fixed period like the tax year or the calendar year - it could be any period, for example the start of June to the end of May.

    ", + "

    The current threshold is \u00a385,000. It usually goes up on 1 April each year. If your business is based in Northern Ireland, there are different thresholds for buying and selling from EU countries.

    ", + "

    What to include

    ", + "

    To check if you\u2019ve gone over the threshold in any 12-month period, add together the total value of your UK sales that are not VAT exempt, including:

    ", + "
  • goods you hired or loaned to customers
  • ", + "
  • business goods used for personal reasons
  • ", + "
  • goods you bartered, part-exchanged or gave as gifts
  • ", + "
  • services you received from businesses in other countries that you had to \u2018reverse charge\u2019
  • ", + "
  • building work over \u00a3100,000 your business did for itself
  • ", + "

    Include any zero-rated items - only exclude VAT-exempt sales, and goods or services you supply outside of the UK.

    ", + "

    If you\u2019re over the threshold

    ", + "

    You must register for VAT - though HMRC may allow you \u2018exception from registration\u2019 if your turnover goes above the threshold temporarily.

    ", + "

    You must register straight away if you expect the value of everything you sell in the next 30 days to be over \u00a385,000. You do not need to include anything that is VAT exempt.

    ", + "

    You should check your rolling turnover regularly if you\u2019re close to going over the threshold.

    ", + "

    Thresholds for previous tax years

    ", + "

    Check historical information about VAT thresholds if you think you should have been registered in previous tax years.

    ", + "

    Purchases made before registration

    ", + "

    There\u2019s a time limit for backdating claims for VAT paid before registration. From your date of registration the time limit is:

    ", + "
  • 4 years for goods you still have, or that were used to make other goods you still have
  • ", + "
  • 6 months for services
  • ", + "

    You can only reclaim VAT on purchases for the business now registered for VAT. They must relate to your \u2018business purpose\u2019. This means they must relate to VAT taxable goods or services that you supply.

    ", + "

    You should reclaim them on your first VAT Return (add them to your Box 4 figure) and keep records including:

    ", + "
  • invoices and receipts
  • ", + "
  • a description and purchase dates
  • ", + "
  • information about how they relate to your business now
  • ", + "

    Changes to your details

    ", + "

    You must keep your VAT registration details up to date. You can change your details:

    ", + "
  • online - through your VAT online account
  • ", + "
  • by post - using form VAT484
  • ", + "
  • by webchat or phone
  • ", + "

    You must send form VAT2 to the VAT Registration Service to report any changes to a partnership.

    ", + "

    Some changes can affect your VAT registration or mean you have to cancel it.

    ", + "

    When to tell HMRC

    ", + "

    You need to tell HM Revenue and Customs (HMRC) about any changes to the following within 30 days or you could face a financial penalty:

    ", + "
  • the name, trading name or main address of your business
  • ", + "
  • the accountant or agent who deals with your VAT
  • ", + "
  • the members of a partnership, or the name or home address of any of the partners
  • ", + "

    Changing bank details

    ", + "

    You must tell HMRC at least 14 days in advance if you\u2019re changing your bank details.

    ", + "

    You\u2019ll also have to tell your bank to change your Direct Debit details if you pay your VAT by Direct Debit, but you should not do this within 5 banking days before or after your VAT return is due.

    ", + "

    You must write to the Annual Accounting Registration Unit to change your Direct Debit details if you use the Annual Accounting Scheme. Include your registration number.

    ", + "

    Death and illness

    ", + "

    You must tell HMRC within 21 days if you take on the VAT responsibilities of someone who has died or is ill.

    ", + "

    You can only do this by sending form VAT484 in the post, including details of the date of death or the date the illness started.

    ", + "

    Cancel registration

    ", + "

    You must cancel your registration if you\u2019re no longer eligible to be VAT registered. For example:

    ", + "
  • you stop trading or making VAT taxable supplies
  • ", + "
  • you join a VAT group
  • ", + "

    You must cancel within 30 days if you stop being eligible or you may be charged a penalty.

    ", + "

    You can ask HM Revenue and Customs (HMRC) to cancel your registration if your VAT taxable turnover falls below the deregistration threshold of \u00a383,000.

    ", + "

    How to cancel

    ", + "

    You can cancel your VAT registration online.

    ", + "

    Cancel your registration

    ", + "

    You can also fill in and send form VAT7 to cancel your VAT registration by post.

    ", + "

    What happens next

    ", + "

    It usually takes 3 weeks for HMRC to confirm your cancellation and the official cancellation date. This is either the date when the reason for your cancellation took effect (for example, when you stopped trading), or the date you asked to cancel if it\u2019s voluntary.

    ", + "

    HMRC will send confirmation to your VAT online account (or through the post if you do not apply online). From the date of cancellation you must stop charging VAT and keep your VAT records for 6 years.

    ", + "

    HMRC will automatically re-register you if they realise you should not have cancelled. You\u2019ll have to account for any VAT you should have paid in the meantime.

    ", + "

    VAT after you cancel

    ", + "

    You\u2019ll have to submit a final VAT Return for the period up to and including the cancellation date. You must account for any stock and other assets you have on this date if:

    ", + "
  • you could reclaim VAT when you bought them
  • ", + "
  • the total VAT due on these assets is over \u00a31,000
  • ", + "

    Do not wait until you\u2019ve received all your invoices before submitting your final return. You\u2019ll still be able to reclaim VAT on anything you bought for your business while still registered once you get the invoices.

    ", + "

    Transfer registration

    ", + "

    You can transfer a VAT registration from one business to another, or if the status of your business changes.

    ", + "

    For example, if:

    ", + "
  • you take over a company and want to keep using its VAT number
  • ", + "
  • your business changes from a partnership to a sole trader
  • ", + "

    If you\u2019re taking over a company, the previous owner must cancel their VAT registration before you can apply to transfer the VAT number.

    ", + "

    If the status of your business changes, you must cancel your existing VAT registration and re-register.

    ", + "

    You can apply to cancel or transfer a VAT registration:

    ", + "
  • online - through your VAT online account
  • ", + "
  • by post - using form VAT68
  • ", + "

    What happens next

    ", + "

    It usually takes 3 weeks for HMRC to confirm the transfer.

    ", + "

    If you\u2019re selling your business:

    ", + "
  • cancel your accountant\u2019s access to your VAT online account - for example if you authorised them to deal with your VAT
  • ", + "
  • cancel any direct debits on your VAT online account
  • ", + "

    You must also give your records to the buyer if you\u2019re passing on your VAT number.

    ", + "

    If you\u2019re buying a business:

    ", + "
  • contact HMRC within 21 days of the transfer application if you want to keep the seller\u2019s accountant
  • ", + "
  • replace any self-billing arrangements with new ones
  • ", + "
  • set up new direct debits on your VAT online account
  • " + ] + }, + { + "title": "What you must do as a Construction Industry Scheme (CIS) contractor", + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "contents": [ + "

    Overview

    ", + "

    You must register as a contractor with the Construction Industry Scheme (CIS) if:

    ", + "
  • you pay subcontractors to do construction work
  • ", + "
  • your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment
  • ", + "

    You may be a sole trader, in a partnership or own a limited company.

    ", + "

    If you\u2019re not sure if you need to register, check who is covered by CIS.

    ", + "

    Rules you must follow

    ", + "
  • You must register for CIS before you take on your first subcontractor.
  • ", + "
  • You must check if you should employ the person instead of subcontracting the work. You may get a penalty if they should be an employee instead.
  • ", + "
  • Check with HM Revenue and Customs (HMRC) that your subcontractors are registered with CIS.
  • ", + "
  • When you pay subcontractors, you\u2019ll usually need to make deductions from their payments and pay the money to HMRC. Deductions count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.
  • ", + "
  • You\u2019ll need to file monthly returns and keep full CIS records - you may get a penalty if you do not.
  • ", + "
  • You must let HMRC know about any changes to your business.
  • ", + "

    Who is covered by CIS

    ", + "

    The Construction Industry Scheme (CIS) covers most construction work to buildings, including site preparation, decorating and refurbishment.

    ", + "

    Mainstream contractors

    ", + "

    If your business is construction and you pay subcontractors for construction work, you\u2019re a \u2018mainstream\u2019 contractor. This applies if you\u2019re a:

    ", + "
  • builder
  • ", + "
  • labour agency
  • ", + "
  • gangmaster (or gang leader)
  • ", + "
  • property developer
  • ", + "

    Deemed contractors

    ", + "

    You count as a \u2018deemed\u2019 contractor if your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment. This could apply to:

    ", + "
  • housing association or arm\u2019s length management organisations (ALMOs)
  • ", + "
  • local authorities
  • ", + "
  • government departments
  • ", + "

    You must monitor your construction spend if you are likely to become a deemed contractor.

    ", + "

    Exceptions for contractors

    ", + "

    CIS does not apply if your work is:

    ", + "
  • paid for by a charity or trust
  • ", + "
  • paid for by a governing body or head teacher of a maintained school on behalf of the local education authority
  • ", + "
  • on the subcontractor\u2019s own property and worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption
  • ", + "

    CIS also does not apply if you\u2019re a deemed contractor paying for:

    ", + "
  • work on property (that is not for sale or rent) for your own business use
  • ", + "
  • a construction contract worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption
  • ", + "

    Construction work not covered by CIS

    ", + "

    There are also certain jobs that are exempt from the scheme, including:

    ", + "
  • architecture and surveying
  • ", + "
  • scaffolding hire (with no labour)
  • ", + "
  • carpet fitting
  • ", + "
  • delivering materials
  • ", + "
  • work on construction sites that is clearly not construction, for example running a canteen or site facilities
  • ", + "

    The CIS guide for contractors and subcontractors explains in full what type of work is covered by CIS.

    ", + "

    How to register

    ", + "

    To register as a contractor, you need to follow the process for setting up as a new employer.

    ", + "

    When done, you\u2019ll get a letter from HM Revenue and Customs (HMRC) with the information you need to start working as a Construction Industry Scheme (CIS) contractor.

    ", + "

    If your business is based outside the UK but you do construction work here, you follow a different registration process.

    ", + "

    Help with registering

    ", + "

    If you need help, call the new employer helpline or the CIS helpline.

    ", + "

    You can also sign up for webinars and emails or watch videos from HMRC about CIS.

    ", + "

    Verify subcontractors

    ", + "

    Before you can pay a new subcontractor, you\u2019ll need to \u2018verify\u2019 them with HM Revenue and Customs (HMRC).

    ", + "

    HMRC will tell you:

    ", + "
  • whether they\u2019re registered for the Construction Industry Scheme (CIS)
  • ", + "
  • what rate of deduction to use or if you can pay them without making deductions
  • ", + "

    You must also verify subcontractors you\u2019ve used before if you have not included them on a CIS return in the current or last 2 tax years.

    ", + "

    How to verify

    ", + "

    You can verify subcontractors using:

    ", + "
  • the free HMRC CIS online service
  • ", + "
  • commercial CIS software
  • ", + "

    If you need to verify more than 50 subcontractors you\u2019ll need to use commercial CIS software.

    ", + "

    What you\u2019ll need

    ", + "

    Make sure you have:

    ", + "
  • your Unique Taxpayer Reference (UTR)
  • ", + "
  • the reference number for your HMRC accounts office
  • ", + "
  • your HMRC employer reference
  • ", + "

    You\u2019ll also need your subcontractor\u2019s:

    ", + "
  • UTR
  • ", + "
  • National Insurance number if they\u2019re a sole trader - you cannot verify temporary numbers, which start with \u2018TN\u2019 or 2 digits
  • ", + "
  • company name, company UTR and registration number if they\u2019re a limited company
  • ", + "
  • nominated partner details, trading name and partnership UTR if they\u2019re a partnership
  • ", + "

    The details you provide to verify the subcontractor must exactly match the details the subcontractor used to register with HMRC.

    ", + "

    Make deductions and pay subcontractors

    ", + "

    When you pay a subcontractor, you usually make some deductions from their payments.

    ", + "

    HM Revenue and Customs (HMRC) will tell you how much to deduct from a subcontractor\u2019s payments when you verify them.

    ", + "

    The Construction Industry Scheme (CIS) deduction rates are:

    ", + "
  • 20% for registered subcontractors
  • ", + "
  • 30% for unregistered subcontractors
  • ", + "
  • 0% if the subcontractor has \u2018gross payment\u2019 status - for example they do not have deductions made
  • ", + "

    You must pay these deductions to HMRC - they count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.

    ", + "

    How to make a CIS deduction

    ", + "

    To make a deduction from a subcontractor\u2019s payment, start with the total (gross) amount of the subcontractor\u2019s invoice.

    ", + "

    Take away the amount the subcontractor has paid for:

    ", + "
  • VAT
  • ", + "
  • materials
  • ", + "
  • equipment which is now unusable (\u2018consumable stores\u2019)
  • ", + "
  • fuel used, except for travelling
  • ", + "
  • equipment hired for this job (\u2018plant hire\u2019)
  • ", + "
  • manufacturing or prefabricating materials
  • ", + "

    Only deduct materials the subcontractor has paid for directly. Ask the subcontractor for evidence that they paid for the materials if you\u2019re unsure.

    ", + "

    Finally, deduct the CIS percentage rate (as given to you by HMRC) from the amount left. You\u2019ll be left with the net amount you need to pay the subcontractor.

    ", + "

    Paying subcontractors

    ", + "

    You usually pay your subcontractors directly. But you can pay them through a third party (such as a relative or debt company) if they ask you to.

    ", + "

    If you make deductions, you must give the subcontractor a payment and deduction statement within 14 days of the end of each tax month.

    ", + "

    If you\u2019re not making payments

    ", + "

    If you know you\u2019re not going to make any payments to subcontractors for up to 6 months, you can ask for your scheme to be made \u2018inactive\u2019. HMRC will not send you any returns for that period.

    ", + "

    You must file a return when you start paying subcontractors again.

    ", + "

    Pay deductions to HMRC

    ", + "

    You must pay HM Revenue and Customs (HMRC) any deductions you\u2019ve made.

    ", + "

    HMRC will set up a Construction Industry Scheme (CIS) payment scheme for you when you register as a contractor.

    ", + "

    If you already have employees, HMRC will change your existing PAYE Scheme to a PAYE/CIS scheme. You should make one payment each month or quarter to cover your PAYE tax, National Insurance and CIS deductions.

    ", + "

    When and how to pay

    ", + "

    Pay HMRC every month by the 22nd (or the 19th if you\u2019re paying by post). You may be charged interest and penalties if you pay late.

    ", + "

    Pay CIS deductions to HMRC in the same way as PAYE and National Insurance payments.

    ", + "

    File your monthly returns

    ", + "

    You must tell HM Revenue and Customs (HMRC) each month about payments you\u2019ve made to subcontractors through your monthly return.

    ", + "

    You can file returns by using:

    ", + "
  • the HMRC CIS online service
  • ", + "
  • some commercial CIS software
  • ", + "

    On your return, you must declare that the subcontractors listed are not employees.

    ", + "

    You could get a penalty of up to \u00a33,000 if you give the wrong employment status for a subcontractor on your monthly return.

    ", + "

    If you made no payments

    ", + "

    You do not have to file a return for the months when you made no payments to subcontractors, but you must tell HMRC that no return is due.

    ", + "

    You can contact HMRC to make an \u2018inactivity request if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.

    ", + "

    You must tell HMRC if you start using subcontractors again.

    ", + "

    Phone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.

    ", + "

    Using commercial CIS software

    ", + "

    Your return must not include any negative values if you\u2019re using commercial CIS software.

    ", + "

    If any entries come to less than 0, you should put \u20180\u2019 instead.

    ", + "

    HMRC might ask you later to give details of any entries you\u2019ve replaced.

    ", + "

    Deadlines

    ", + "

    Send your monthly returns to HMRC by the 19th of every month following the last tax month.

    ", + "

    Penalties for late returns

    ", + "

    You\u2019ll get a penalty if you miss the deadline for filing returns.

    ", + "

    The penalty will be cancelled if you let HMRC know that you did not pay any subcontractors that month.

    ", + "How late the return is | Penalty", + "1 day late | \u00a3100", + "2 months late | \u00a3200", + "6 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher", + "12 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher", + "

    For returns later than this, you may be given an additional penalty of up to \u00a33,000 or 100% of the CIS deductions on the return, whichever is higher.

    ", + "

    Pay your late filing penalty.

    ", + "

    If you disagree with a penalty

    ", + "

    You can appeal within 30 days of the date on the penalty notice:

    ", + "
  • through HMRC\u2019s online service
  • ", + "
  • by writing to HMRC - quote your Unique Taxpayer Reference (UTR) and the payment reference shown on the notice
  • ", + "

    Correcting or changing returns

    ", + "

    Use the HMRC CIS online service to change or correct something on your return.

    ", + "

    Call the CIS helpline if you need any help with this.

    ", + "

    Record keeping

    ", + "

    Under the Construction Industry Scheme (CIS), you must keep records of:

    ", + "
  • the gross amount of each payment invoiced by subcontractors, excluding VAT
  • ", + "
  • any deductions you\u2019ve made from subcontractor payments
  • ", + "

    If you made deductions, you must also keep records of the costs of materials the subcontractor invoiced you for, excluding VAT.

    ", + "

    Keep these details for at least 3 years after the end of the tax year they relate to. HM Revenue and Customs (HMRC) could ask to see your CIS records at any time.

    ", + "

    You could be fined up to \u00a33,000 if you cannot show your CIS records when asked by HMRC.

    ", + "

    Tell HMRC about changes

    ", + "

    You must tell HM Revenue and Customs (HMRC) if:

    ", + "
  • you change address (as an individual or business)
  • ", + "
  • you change your business structure - for example from sole trader to limited company or vice versa
  • ", + "
  • a contractor dies
  • ", + "
  • you\u2019re a multiple contractor and you take on another contractor\u2019s business - you must tell HMRC within 90 days
  • ", + "

    If you stop trading or using subcontractors

    ", + "

    You must:

    ", + "
  • tell HMRC
  • ", + "
  • stop filing monthly CIS reports
  • ", + "

    Do this even if you\u2019ve stopped using subcontractors temporarily, for example because you\u2019re using your own employees to carry out work.

    ", + "

    If you\u2019ve temporarily stopped using subcontractors

    ", + "

    You can contact HMRC to make an \u2018inactivity request\u2019 if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.

    ", + "

    You must tell HMRC if you start using subcontractors again.

    ", + "

    Phone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.

    " + ] + }, + { + "title": "What you must do as a Construction Industry Scheme (CIS) subcontractor", + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "contents": [ + "

    Overview

    ", + "

    You should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:

    ", + "
  • self-employed
  • ", + "
  • the owner of a limited company
  • ", + "
  • a partner in a partnership or trust
  • ", + "

    Under CIS, a contractor must deduct 20% from your payments and pass it to HM Revenue and Customs (HMRC).

    ", + "

    These deductions count as advance payments towards your tax and National Insurance bill.

    ", + "

    If you do not register for the scheme, contractors must deduct 30% from your payments instead.

    ", + "

    If you do not want deductions made

    ", + "

    If you do not want deductions to be made in advance by contractors, you can apply for \u2018gross payment status\u2019. You can do this when you register for CIS.

    ", + "

    You do not need to register for CIS if you\u2019re an employee. Check your employment status if you\u2019re not sure.

    ", + "

    How to register

    ", + "

    To register for the Construction Industry Scheme (CIS) you\u2019ll need:

    ", + "
  • your legal business name - you can also give a trading name if it\u2019s different to your business name
  • ", + "
  • your National Insurance Number
  • ", + "
  • the unique taxpayer reference number (UTR) for your business
  • ", + "
  • your VAT registration number (if you\u2019re VAT registered)
  • ", + "

    If you\u2019re a subcontractor and a contractor (you pay subcontractors to do construction work), you\u2019ll need to register for CIS as both.

    ", + "

    Register as a sole trader

    ", + "

    If you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).

    ", + "

    You can apply for gross payment status at the same time.

    ", + "

    If you do not have a UTR, register as a new business for Self Assessment and choose \u2018working as a subcontractor\u2019 when prompted. You\u2019ll be registered for Self Assessment and CIS at the same time.

    ", + "

    You can also call the CIS helpline to register.

    ", + "

    Register as another type of business

    ", + "

    Fill in the online form for limited companies or the online form for partnerships.

    ", + "

    HMRC will register the partnership separately to your sole trader registration. They will need the partnership UTR and trading name.

    ", + "

    You are based abroad

    ", + "

    You should still register for CIS if you are a subcontractor based abroad but do construction work in the UK.

    ", + "

    Help and support

    ", + "

    Call the CIS helpline for help with registering.

    ", + "

    You can also sign up for webinars and emails or watch videos from HMRC about CIS.

    ", + "

    Get paid

    ", + "

    To be paid correctly by a contractor, make sure you give them the exact same legal business name or trading name you gave when you registered for the Construction Industry Scheme (CIS). You should also give them your Unique Taxpayer Reference (UTR) so they can verify you.

    ", + "

    If you do not, this could affect how much you get paid.

    ", + "

    Deduction rates

    ", + "

    When a contractor pays you under CIS, they\u2019ll normally make deductions at the standard rate of 20%.

    ", + "

    Contractors will make deductions at a higher rate of 30% if:

    ", + "
  • you are not registered for CIS
  • ", + "
  • they cannot verify you
  • ", + "
  • you give the wrong name for your business
  • ", + "

    Your contractor should give you monthly statements of payments and deductions. Use them to calculate whether you still owe tax and National Insurance to HM Revenue and Customs (HMRC) or are due a refund.

    ", + "

    Gross payment status

    ", + "

    You can apply for gross payment status when you register for CIS. This means the contractor will not make deductions from your payments and you\u2019ll pay all your tax and National Insurance at the end of the tax year.

    ", + "

    What does not count as your pay

    ", + "

    Contractors will not make a deduction from amounts you charge on your invoice for:

    ", + "
  • VAT
  • ", + "
  • materials that you have paid for directly
  • ", + "
  • equipment which is now unusable (\u2018consumable stores\u2019)
  • ", + "
  • plant hired for the job
  • ", + "
  • manufacturing or prefabricating materials
  • ", + "

    Pay tax and claim back deductions

    ", + "

    When you\u2019re registered with the Construction Industry Scheme (CIS), you\u2019re still responsible for paying the correct tax and National Insurance for your business, even if deductions have been made by contractors throughout the year.

    ", + "

    Contractors will give you a monthly statement of what they\u2019ve paid you and deductions they\u2019ve made to help with your accounting.

    ", + "

    Sole traders and partners

    ", + "

    At the end of the tax year, send in your Self Assessment tax return as usual. You should record:

    ", + "
  • the full amounts on your invoices as income
  • ", + "
  • any deductions contractors have made in the \u2018CIS deductions\u2019 field
  • ", + "

    HM Revenue and Customs (HMRC) will work out your tax and National Insurance bill and take off any deductions made by contractors.

    ", + "

    If you still owe tax after this, you\u2019ll need to pay it by 31 January following the end of the tax year.

    ", + "

    If you\u2019re due a tax refund, HMRC will pay the money back.

    ", + "

    Limited companies

    ", + "

    If you have gross payment status, declare all your income in your Corporation Tax return as usual.

    ", + "

    If you pay CIS deductions, you must claim these back through your company\u2019s monthly payroll scheme. Do not try to claim back through your Corporation Tax return - you may get a penalty if you do.

    ", + "
  • Send your monthly Full Payment Submission (FPS) as usual to HMRC.
  • ", + "
  • Also send an Employer Payment Summary (EPS). Enter the total CIS deductions for the year to date.
  • ", + "
  • HMRC will take your CIS deductions off what you owe in PAYE tax and National Insurance. Pay the balance by the usual date.
  • ", + "

    If your company\u2019s PAYE bill for the period is reduced to zero and you still have some CIS deductions you have not been able to claim back, carry these forward to the next month or quarter (in the same tax year). Tell HMRC in the EPS that you have nothing to pay.

    ", + "

    If HMRC thinks your claim is wrong

    ", + "

    HMRC may ask you to provide evidence for your CIS deductions or to change your claim.

    ", + "

    If you do not do this by the deadline they give you, you will not be able to make any more claims in that tax year.

    ", + "

    You can appeal HMRC\u2019s decision. They\u2019ll tell you how to do this.

    ", + "

    Keep records

    ", + "

    Your company must keep a record of amounts claimed back against your monthly or quarterly PAYE bill.

    ", + "

    You can use form CIS132 to do this or keep your own records.

    ", + "

    If you paid too much in CIS deductions

    ", + "

    HMRC will pay back any deductions your company has not been able to claim back from its PAYE bill during the tax year.

    ", + "

    If your company goes into administration

    ", + "

    If your company goes into administration or liquidation, the person managing it should write to HMRC to ask for CIS deductions to be repaid straight away.

    ", + "

    If you do not have all your CIS statements

    ", + "

    If you have not received all the CIS statements you need from your contractor, you can ask them to send you replacement copies.

    ", + "

    If the contractor you\u2019re working for stops trading and you have not been able to get all your CIS statements you should write to HMRC.

    ", + "

    Include the following information:

    ", + "
  • your name, address and Unique Taxpayer Reference (UTR)
  • ", + "
  • the name and address of the contractor
  • ", + "
  • the contractor\u2019s tax reference - if you know it
  • ", + "
  • the dates of the payments or the tax months when the contractor paid you
  • ", + "
  • the reason why you do not have the statements or duplicates
  • ", + "

    How to get gross payment status

    ", + "

    You can apply for gross payment status when you register for CIS.

    ", + "

    This means contractors will pay you in full, without deductions. You\u2019ll pay all your tax and National Insurance at the end of the tax year.

    ", + "

    If you\u2019re already registered for CIS, you can apply for gross payment status by calling the CIS helpline or applying online.

    ", + "

    Apply for gross payment status online

    ", + "
  • Sign in to Government Gateway - you\u2019ll need the Government Gateway user ID and password you used when you registered for CIS. If you do not have a user ID, you can create one when you register for CIS.
  • ", + "
  • From \u2018Your tax account\u2019, go to \u2018Other services\u2019.
  • ", + "
  • Choose \u2018Construction Industry Scheme \u2013 Subcontractors\u2019.
  • ", + "

    To qualify

    ", + "

    You must show HM Revenue and Customs (HMRC) that your business passes some tests. You\u2019ll need to show that:

    ", + "
  • you\u2019ve paid your tax and National Insurance on time in the past
  • ", + "
  • your business does construction work (or provides labour for it) in the UK
  • ", + "
  • your business is run through a bank account
  • ", + "

    HMRC will look at your turnover for the last 12 months. Ignoring VAT and the cost of materials, your turnover must be at least:

    ", + "
  • \u00a330,000 if you\u2019re a sole trader
  • ", + "
  • \u00a330,000 for each partner in a partnership, or at least \u00a3100,000 for the whole partnership
  • ", + "
  • \u00a330,000 for each director of a company, or at least \u00a3100,000 for the whole company
  • ", + "

    If your company\u2019s controlled by 5 people or fewer, you must have an annual turnover of \u00a330,000 for each of them.

    ", + "

    You could be fined if you provide false information or help someone else to make a false application.

    ", + "

    Paying tax when you have gross payment status

    ", + "

    You must declare your payments as income at the end of the tax year in:

    ", + "
  • your Self Assessment tax return if you\u2019re a sole trader or partner
  • ", + "
  • your Corporation Tax return if you own a limited company
  • ", + "

    Annual review

    ", + "

    If you have gross payment status, HM Revenue and Customs (HMRC) will review your business every year, to decide if you can keep your status.

    ", + "

    You must be on time with your tax returns and payments to keep your gross payment status.

    ", + "

    If you run a limited company, HMRC will review the company itself, rather than individual directors or shareholders.

    ", + "

    You do not meet all the conditions

    ", + "

    You could fail the review and HMRC will remove your gross payment status. You\u2019ll be allowed a small amount of late payments or returns.

    ", + "

    Contact HMRC if you have problems paying your tax on time. If HMRC give you more time to pay, this will not affect your gross payment status.

    ", + "

    You fail your review

    ", + "

    You\u2019ll get a letter explaining you\u2019re about to fail the review, along with the reasons why.

    ", + "

    If you disagree, you can write back with your reasons.

    ", + "

    If HMRC accept your explanation, they will not remove your gross payment status.

    ", + "

    If you do not reply to the letter or HMRC does not accept your explanation, they\u2019ll write to explain:

    ", + "
  • what conditions you have not met
  • ", + "
  • that they\u2019re withdrawing your gross payment status in 90 days
  • ", + "

    If you think HMRC have made the wrong decision, you have 30 days from the date of this letter to appeal.

    ", + "

    Reapplying for gross payment status

    ", + "

    If HMRC cancel your gross payment status, you need to wait a year from the date of the cancellation before you can reapply.

    ", + "

    Changes you need to report

    ", + "

    Report changes by calling the Construction Industry Scheme (CIS) helpline.

    ", + "

    Tell them if you:

    ", + "
  • change from a sole trader to a partnership
  • ", + "
  • leave a partnership or company to become a sole trader
  • ", + "
  • create a company or change your business to a company
  • ", + "

    You\u2019ll usually need to register again for CIS - as you cannot transfer the registration from your old business structure.

    ", + "

    If you have gross payment status, you\u2019ll need to apply again.

    ", + "

    You must also tell HM Revenue and Customs (HMRC) if you:

    ", + "
  • change your trading name
  • ", + "
  • change your business, private or registered office address
  • ", + "
  • stop trading
  • ", + "
  • add new shareholders - HMRC may withdraw your gross payment status if you do not tell them within 30 days
  • ", + "

    Stop trading

    ", + "

    If your business goes into administration it can keep receiving payments for work it\u2019s done under CIS. It should be paid in the same way that it was paid normally - either gross or under deduction.

    " + ] + }, + { + "title": "Work out your capital allowances", + "url": "https://www.gov.uk/work-out-capital-allowances", + "contents": [ + "

    Writing down allowances

    ", + "

    When you buy business assets you can usually deduct the full value from your profits before tax using annual investment allowance (AIA).

    ", + "

    Use writing down allowances instead if:

    ", + "
  • you\u2019ve already claimed AIA on items worth a total of more than the AIA amount
  • ", + "
  • the item doesn\u2019t qualify for AIA (for example, cars, gifts or things you owned before you used them in your business)
  • ", + "

    Writing down allowances is when you deduct a percentage of the value of an item from your profits each year.

    ", + "

    The percentage you deduct depends on the item. For business cars the rate depends on their CO2 emissions.

    ", + "

    Work out the value of your item

    ", + "

    In most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:

    ", + "
  • you owned it before you started using it in your business
  • ", + "
  • it was a gift
  • ", + "

    How to claim

    ", + "

    Group the things you\u2019ve bought into \u2018pools\u2019 based on the percentage rate they qualify for.

    ", + "

    When you know the rate for your items, work out how much you can claim and deduct it from your profits before tax on your tax return.

    ", + "

    The amount left in each pool becomes the starting balance for the next accounting period.

    ", + "

    Rates and pools

    ", + "

    If you\u2019re claiming writing down allowances, group items into pools depending on which rate they qualify for.

    ", + "

    The 3 types of pool are the:

    ", + "
  • main pool with a rate of 18%
  • ", + "
  • special rate pool with a rate of 6%
  • ", + "
  • single asset pools with a rate of 18% or 6% depending on the item
  • ", + "

    Main rate pool

    ", + "

    Add the value of all \u2018plant and machinery\u2019 you\u2019ve bought to the main rate pool, unless they\u2019re in:

    ", + "
  • the special rate pool
  • ", + "
  • a single asset pool (for example, because you have chosen to treat them as \u2018short life\u2019 assets or you\u2019ve used them outside your business)
  • ", + "

    Special rate pool

    ", + "

    You have to claim a lower rate of 6% on:

    ", + "
  • parts of a building considered integral - known as \u2018integral features\u2019
  • ", + "
  • items with a long life
  • ", + "
  • thermal insulation of buildings
  • ", + "
  • cars with CO2 emissions over a certain threshold - check the threshold for your car, which depends on the car and when you bought it
  • ", + "

    You can claim AIA on these items apart from cars. Only claim writing down allowances at 6% if you\u2019ve already claimed AIA on items worth a total of more than the AIA amount.

    ", + "

    Integral features

    ", + "

    Integral features are:

    ", + "
  • lifts, escalators and moving walkways
  • ", + "
  • space and water heating systems
  • ", + "
  • air-conditioning and air cooling systems
  • ", + "
  • hot and cold water systems (but not toilet and kitchen facilities)
  • ", + "
  • electrical systems, including lighting systems
  • ", + "
  • external solar shading
  • ", + "

    Buildings themselves don\u2019t qualify for capital allowances.

    ", + "

    Items with a long life

    ", + "

    These are items with a useful life of at least 25 years from when they were new.

    ", + "

    Put them in the special rate pool if the value of all the long-life items you buy in a single accounting period (the tax year if you\u2019re a sole trader or partner) adds up to \u00a3100,000. Put them in the main rate pool if their total value is less than \u00a3100,000.

    ", + "

    This \u00a3100,000 limit is adjusted if your accounting period is more or less than 12 months.

    ", + "

    Single asset pools

    ", + "

    You might need to create one or more separate pools for single assets that:

    ", + "
  • have a short life (for assets you aren\u2019t going to keep for a long time)
  • ", + "
  • you use outside your business if you\u2019re a sole trader or a partner
  • ", + "

    Short life assets

    ", + "

    It\u2019s up to you to decide whether you want to treat something as a short life asset. You can\u2019t include:

    ", + "
  • cars
  • ", + "
  • items you also use outside your business
  • ", + "
  • special rate items
  • ", + "

    Large numbers of very similar items can be pooled together (for example, crockery in a restaurant).

    ", + "

    The pool ends when you sell the asset. This means you can claim the capital allowances over a shorter period.

    ", + "

    Move the balance into your main pool in your next accounting period or tax year if you\u2019re still using the item after 8 years.

    ", + "

    Let HMRC know

    ", + "

    Let HM Revenue and Customs (HMRC) know on your tax return if you\u2019re a limited company and you decide to create a short life asset pool. You must do this within 2 years of the end of the tax year when you bought the item.

    ", + "

    Let HMRC know in writing if you\u2019re a sole trader or partner - include how much the item cost and when you acquired it. The deadline is the online filing deadline (31 January) for the tax year after the one you bought the item in.

    ", + "

    Things you also use outside your business

    ", + "

    If you use an item outside your business and you\u2019re a sole trader or partner, put it in a separate pool.

    ", + "

    Work out your capital allowances at the main rate (18%) or the special rate (6%) depending on what the item is.

    ", + "

    Reduce the amount of capital allowances you can claim by the amount you use the asset outside your business.

    ", + "

    If your accounting period is more or less than 12 months

    ", + "

    You need to adjust the amount of writing down allowances you can claim if your accounting period is more or less than 12 months.

    ", + "

    Items you\u2019ve claimed AIA or first year allowances on

    ", + "

    Record any items you\u2019ve claimed annual investment allowance (AIA) or first year allowances on in the pool they qualify for. If you claim the full cost of an item you\u2019ll need to write down their value as zero. This will help you to work out whether you owe tax if you sell them.

    ", + "

    Items not claimed

    ", + "

    Add costs you haven\u2019t claimed first year allowances or annual investment allowance (AIA) on to the pool in the following year.

    ", + "

    What to do next

    ", + "

    When you know the rate for your items, work out how much you can claim.

    ", + "

    Work out what you can claim

    ", + "

    You can claim the full cost of the item if you\u2019re claiming:

    ", + "
  • annual investment allowance (AIA)
  • ", + "
  • first year allowances
  • ", + "

    You claim based on the rate for items that don\u2019t qualify for AIA or first year allowances.

    ", + "

    Work out your allowance

    ", + "

    Work out what you can claim separately for each pool.

    ", + "
  • Take your closing balance from your last accounting period.
  • ", + "
  • Add the value of anything you\u2019ve bought or been given in the current period that qualifies for this pool. Only include VAT if you\u2019re not VAT registered.
  • ", + "
  • Deduct the value of anything you sold or \u2018disposed of\u2019 that originally qualified for this pool.
  • ", + "
  • Work out how much you can claim using the correct rate.
  • ", + "
  • Deduct the amount you can claim from the pool to get the closing balance. This is known as the \u2018tax written down value\u2019.
  • ", + "

    Items you use outside your business

    ", + "

    For items that are in a single asset pool because you\u2019ve used them outside your business, reduce the amount you can claim by the amount you use them privately.

    ", + "

    You still deduct the full amount from your pool to get the closing balance.

    ", + "

    Items you use privately that aren\u2019t in a single asset pool

    ", + "

    If you start using something outside your business that you\u2019ve already claimed capital allowances on:

    ", + "
  • add the market value of the item (the amount you\u2019d expect to sell it for) to a single asset pool
  • ", + "
  • deduct the same amount from the pool it was in
  • ", + "

    If the amount you deduct is more than the balance in the pool, the difference is a \u2018balancing charge\u2019 - you must put it on your tax return.

    ", + "

    Claiming less than you\u2019re entitled to

    ", + "

    You don\u2019t have to claim the full amount you\u2019re entitled to. If you only claim part, the rest stays in your closing balance.

    ", + "

    If you have \u00a31,000 or less in your pool

    ", + "

    You can claim the full amount if the balance in your main or special rate pool is \u00a31,000 or less before you work out your allowance.

    ", + "

    This is called a small pools allowance. It doesn\u2019t apply to single asset pools. You can either claim a small pools allowance or writing down allowances - you can\u2019t claim both.

    ", + "

    This amount is adjusted if your accounting period is more or less than 12 months.

    ", + "

    How to claim

    ", + "

    Claim on your tax return.

    " + ] + }, + { + "title": "Your limited company's first accounts and Company Tax Return", + "url": "https://www.gov.uk/first-company-accounts-and-return", + "contents": [ + "

    Overview

    ", + "

    When you set up your limited company, you automatically get different reporting dates for the first:

    ", + "
  • annual accounts you send to Companies House
  • ", + "
  • Company Tax Return you send to HM Revenue and Customs (HMRC)
  • ", + "

    You may also have to send (\u2018file\u2019) 2 tax returns to cover your first year in business.

    ", + "

    Annual accounts

    ", + "

    Your first accounts usually cover more than 12 months. This is because they:

    ", + "
  • start on the day your company was set up (\u2018incorporated\u2019)
  • ", + "
  • end on the \u2018accounting reference date\u2019 that Companies House sets for the end of your company\u2019s financial year - this is the last day of the month your company was set up
  • ", + "

    Company Tax Return

    ", + "

    The period covered by your tax return (your \u2018accounting period\u2019 for Corporation Tax) can\u2019t be longer than 12 months. So you may have to file 2 tax returns to cover the period of your first accounts. If you do, you\u2019ll also have 2 payment deadlines.

    ", + "

    In following years you then normally only file one tax return - and it will usually cover the same financial year as your accounts.

    ", + "

    What you must do

    ", + "

    The dates of your first tax return - and whether you file 2 or one - depend on whether your company:

    ", + "
  • started trading on the same day it was set up
  • ", + "
  • didn\u2019t start trading until after it was set up
  • ", + "

    You started trading the day your company set up

    ", + "

    File 2 Company Tax Returns if your company started trading on the same day it was set up - one for your company\u2019s first 12 months and one for the rest of the time covered by your company\u2019s first accounts.

    ", + "

    Example

    ", + "Action | Date", + "Company set up and started trading | 11 May 2013", + "First accounting period for Corporation Tax ends | 10 May 2014", + "Accounting reference date | 31 May 2014", + "Second accounting period for Corporation Tax ends | 31 May 2014", + "

    Prepare your first set of accounts for 11 May 2013 to 31 May 2014. Then file your:

    ", + "
  • first tax return for 11 May 2013 to 10 May 2014
  • ", + "
  • second tax return for 11 to 31 May 2014
  • ", + "

    After you do this, your accounts and tax returns will normally cover your company\u2019s financial year from 1 June to 31 May.

    ", + "

    You started trading after your company set up

    ", + "

    Limited companies can be \u2018dormant\u2019 for Corporation Tax between setting up (\u2018incorporating\u2019) and starting to trade for the first time.

    ", + "

    HM Revenue and Customs (HMRC) has detailed guidance on what counts as dormant for Corporation Tax.

    ", + "

    You tell HMRC the date that you started to trade when you register for Corporation Tax.

    ", + "

    What you have to do if your company was dormant depends on whether you registered for Corporation Tax before your accounting reference date.

    ", + "

    You registered for Corporation Tax before your accounting reference date

    ", + "

    You usually:

    ", + "
  • don\u2019t file a tax return for the period you were dormant
  • ", + "
  • prepare your first tax return to cover the period you were trading
  • ", + "

    File 2 tax returns if you were trading for more than 12 months - one for the first 12 months of trading and one for the rest of the time.

    ", + "

    Example

    ", + "Action | Date", + "Company set up | 11 May 2013", + "Started trading | 22 July 2013", + "Register for Corporation Tax | 26 August 2013", + "Accounting reference date | 31 May 2014", + "

    Prepare accounts for 11 May 2013 to 31 May 2014. Then file one tax return for your trading period from 22 July 2013 to 31 May 2014.

    ", + "

    After you do this, your dates for accounts and tax returns will normally match your company\u2019s financial year from 1 June to 31 May every year.

    ", + "

    Check the \u2018notice to deliver a Company Tax Return\u2019 you get after your first year. If it covers your dormant and trading periods you must file 2 tax returns - one for your trading period and one for your dormant period.

    ", + "

    You didn\u2019t register for Corporation Tax before your accounting reference date

    ", + "

    You must file 2 tax returns - one for the period you were dormant and one for the period you were trading.

    ", + "

    Example:

    ", + "Action | Date", + "Company set up | 11 May 2013", + "Started trading | 22 July 2013", + "Accounting reference date | 31 May 2014", + "

    Prepare one set of accounts for 11 May 2013 to 31 May 2014. Then file your:

    ", + "
  • first tax return for your dormant period from 11 May to 21 July 2013
  • ", + "
  • second tax return for your trading period from 22 July 2013 to 31 May 2014
  • ", + "

    After you do this, your dates for accounts and tax returns will normally match your company\u2019s financial year from 1 June to 31 May every year.

    " + ] + }, + { + "title": "Find software for filing company documents", + "url": "https://www.gov.uk/company-filing-software", + "contents": [ + "

    Overview

    ", + "

    You can use software to file your company accounts, file changes to your details and returns to Companies House electronically.

    ", + "

    You can also file your annual accounts and confirmation statement (previously annual return) with Companies House online.

    ", + "

    Using software or filing online you\u2019ll:

    ", + "
  • be less likely to get late filing penalties
  • ", + "
  • get confirmation that your documents have been received
  • ", + "
  • find out if they\u2019re accepted or rejected
  • ", + "

    How to file electronically

    ", + "

    You must register for an online filing account - fill in the online filing credit account application form and send it to the address on the form.

    ", + "

    You can then either:

    ", + "
  • get a software package from a Companies House (and HMRC) authorised provider
  • ", + "
  • develop your own software - request a copy of the Companies House technical specifications by emailing xml@companieshouse.gov.uk
  • ", + "

    Filing annual accounts, returns and tax accounts

    ", + "

    Companies House has tested the software listed.

    ", + "

    You should consider which features you need and make sure the software you choose has those features, for example if you need software to deal with inactive accounts (sometimes called \u2018dormant accounts\u2019).

    ", + "

    You must first register as an electronic filer.

    ", + "

    The following is a list of software and the kinds of accounts you can use it for.

    ", + "Supplier | Product | Dormant | Micro Entity | Abridged | Small | Full", + "Ajaccts | AJACCTS | Yes | Yes | - | - | -", + "Acorah Software Products Ltd | TaxCalc Accounts Production | Yes | Yes | Yes | Yes | Yes", + "Anglia Registrars Ltd | Inform Direct | Yes | Yes | - | - | -", + "BTCSoftware Limited | AP Solution | Yes | Yes | Yes | Yes | Yes", + "Capium Limited | Capium Accounts Production | Yes | - | Yes | - | -", + "CaseWare UK | CaseWare Accounts Production | Yes | Yes | Yes | Yes | Yes", + "CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag | Yes | Yes | Yes | Yes | Yes", + "CCH Software (Wolters Kluwer) | CCH Accounts Production | Yes | Yes | Yes | Yes | Yes", + "CoreFiling Limited | Seahorse | Yes | Yes | Yes | Yes | Yes", + "Easy Digital Filing | Easy Digital Filing | Yes | Yes | Yes | Yes | -", + "Eureka Software | Eureka Software | - | Yes | Yes | Yes | -", + "Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC | Yes | Yes | - | Yes | Yes", + "gbooks | gbooks Company Accounts | Yes | Yes | - | Yes | Yes", + "IRIS Software | IRIS Accounts Production | Yes | Yes | Yes | Yes | Yes", + "IRIS Software | PTP Accounts Production | Yes | Yes | Yes | Yes | Yes", + "Keytime | Accounts Production | Yes | Yes | Yes | Yes | Yes", + "Quality Management Software Ltd | CT600CH | Yes | Yes | Yes | Yes | Yes", + "Sage (UK) Limited | Sage Accounts Production | Yes | Yes | Yes | Yes | Yes", + "Sage (UK) Limited | Sage Accountant Cloud - Final Accounts | Yes | Yes | Yes | Yes | Yes", + "Sage (UK) Limited | Sage Accounts Production Advanced | Yes | Yes | Yes | Yes | Yes", + "Taxfiler | Taxfiler Accounts Production | Yes | Yes | Yes | Yes | -", + "Thomson Reuters | Digita | Yes | Yes | Yes | Yes | Yes", + "Thomson Reuters | ONESOURCE | Yes | Yes | Yes | Yes | Yes", + "VT Software Limited | VT Filer | Yes | Yes | Yes | Yes | Yes", + "Xero | Xero Tax | Yes | Yes | Yes | Yes | -", + "

    Software for Limited Liability Partnerships (LLPs)

    ", + "Supplier | Product", + "Acorah Software Products Ltd | TaxCalc Accounts Production", + "BTCSoftware Limited | AP Solution", + "CaseWare UK | CaseWare Accounts Production", + "CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag", + "CCH Software (Wolters Kluwer) | CCH Accounts Production", + "CoreFiling Limited | Seahorse", + "Eureka Software | Eureka Software", + "Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC", + "gbooks | gbooks Company Accounts", + "IRIS Software | IRIS Accounts Production", + "IRIS Software | PTP Accounts Production", + "Keytime | Accounts Production", + "Sage (UK) Limited | Sage Accounts Production", + "Sage (UK) Limited | Sage Accountant Cloud - Final Accounts", + "Sage (UK) Limited | Sage Accounts Production Advanced", + "Taxfiler | Taxfiler Accounts Production", + "Thomson Reuters | Digita", + "VT Software Limited | VT Filer", + "

    Software for charities

    ", + "Supplier | Product", + "BTCSoftware Limited | AP Solution", + "CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag", + "CCH Software (Wolters Kluwer) | CCH Accounts Production", + "CoreFiling Limited | Seahorse", + "Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC", + "IRIS Software | IRIS Accounts Production", + "IRIS Software | PTP Accounts Production", + "Keytime | Accounts Production", + "Sage (UK) Limited | Sage Accounts Production", + "Sage (UK) Limited | Sage Accountant Cloud - Final Accounts", + "Sage (UK) Limited | Sage Accounts Production Advanced", + "

    Uploading your accounts to Companies House

    ", + "

    Tax account software generates electronic accounts in Inline eXtensible Reporting Language (iXBRL).

    ", + "

    The following software has a direct filing link to Companies House:

    ", + "Supplier | Product", + "eFile Ready Limited | eCompany Services", + "

    The following software can validate your iXBRL:

    ", + "Supplier | Product", + "Xmetric Limited | Surefile Accounts", + "

    Filing other company information

    ", + "

    Companies House has tested and authorised software for filing information about:

    ", + "
  • incorporations (registering a new company)
  • ", + "
  • changes to your company, for example directors joining or leaving, changing a registered address, and filing annual returns
  • ", + "
  • mortgages, for example when they\u2019re paid or part-paid
  • ", + "

    You should consider which features you need and make sure the software you choose has those features.

    ", + "Supplier | Product(s) | Incorporations | Secretarial | Mortgages", + "121 Company Formation Ltd | 121 Company Formation | Yes | Yes | No", + "Acorah Software Products Ltd | TaxCalc Company Secretarial | Yes | Yes | No", + "Advanced | Cloud Forms (Laserform Hub) | No | Yes | MR01, MR02, MR04 and MR05", + "angelPRO Limited | VenturePro | No | Yes | No", + "Anglia Registrars Ltd | Inform Direct | Yes | Yes | Yes", + "BGL Corporate Solutions Ptd Ltd | Corporate Affairs System (CAS) | Yes | Yes | No", + "BHIS Limited | PC Share Register Plus | Yes | Yes | No", + "BritDAQ | BritDAQ Cosec | No | Yes | No", + "BTC Software Limited | CS Solution | Yes | Yes | No", + "Build and Prosper Ltd | File Direct 6 | Yes | Yes | No", + "CFS International Formations LTD | CFS Formations and Free Secretarial Package | Yes | Yes | No", + "The Company Formation Wizard | Company Formation Wizard | Yes | Yes | No", + "Computershare Governance Services | Global Entity Management System (GEMS), Secretariat One (S1) | Yes | Yes | No", + "Corporatek | EnGlobe, GlobalAct | No | Yes | No", + "Diligent Entities | Blueprint | Yes | Yes | MR04, MR05 only", + "Efaze Ltd BVI | Efaze.com company formations | Yes | Yes | No", + "eFile Ready Limited | eCompany Services | Yes | Yes | No", + "E Filing Limited | E Filing Limited | Yes | Yes | No", + "First Corporate | First Order | Yes | Yes | No", + "Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC | Yes | Yes | No", + "Formations Direct | Vectis | Yes | Yes | No", + "FormEvo | FormEvo | No | Yes | MR01, MR02, MR04 and MR05", + "gbooks | gbooks Company Forms, gbooks Incorporation | Yes | Yes | No", + "Info Commerce Limited | Acs1, Sec1, Inc1 | Yes | Yes | No", + "IRIS Software | IRIS Accountancy Suite | Yes | Yes | No", + "Jordans Limited | Incorporator, Forming Companies, My Formations, PCSec administration software | Yes | Yes | No", + "Keytime Objective Ltd | Company Secretarial | No | Yes | No", + "Kudocs | Kudocs | Yes | Yes | No", + "LTDONLINE Ltd | LTDONLINE | Yes | Yes | No", + "Online Filings Ltd | Online Filings | Yes | Yes | No", + "Oswalds (Jordans [Scotland] Ltd) | Incorporator, Forming Companies, PCSec administration software | Yes | Yes | No", + "Oyez | The Oyez Gateway | No | No | Yes", + "Panlegis (Malta) Limited | Panlegis (Malta) Limited | Yes | Yes | No", + "Principal Consultancy Ltd | Your Limited Company | Yes | Yes | No", + "Armadillo | Armadillo e-Incorp | Yes | Yes | No", + "Sage (UK) Limited | Sage Accounts Production Advanced, Sage Company Secretarial | No | Yes | No", + "Thomson Reuters | Onvio Formations | Yes | No | No", + "zetVisions AG | zetVisions CIM | No | Yes | No" + ] + }, + { + "title": "Avoid and report anti-competitive activity", + "url": "https://www.gov.uk/cartels-price-fixing", + "contents": [ + "

    Overview

    ", + "

    All businesses, whatever their size, must understand how they\u2019re affected by competition law.

    ", + "

    You must follow the rules on all types of anti-competitive activity including:

    ", + "
  • price fixing, bid rigging and other ways of agreeing not to compete (sometimes called \u2018cartels\u2019)
  • ", + "
  • abuse of a dominant market position
  • ", + "

    You should manage the risk of breaking the law, for example by having clear policies, guidelines and training for your staff.

    ", + "

    You can report anti-competitive activity if you think another business is breaking the law, or if you might have been involved yourself.

    ", + "

    If you\u2019re involved in anti-competitive activity

    ", + "

    Your business can be fined up to 10% of its worldwide turnover and sued for damages.

    ", + "

    You can be fined or sent to prison for up to 5 years if you\u2019re found guilty of being involved in cartel activity.

    ", + "

    Company directors can be disqualified from being a director for up to 15 years.

    ", + "

    Get legal advice or contact the Competition Pro Bono Scheme if you think something your business is doing might break the law.

    ", + "

    Types of anti-competitive activity

    ", + "

    You must avoid all types of anti-competitive activity in your business including:

    ", + "
  • agreeing not to compete with another business
  • ", + "
  • abusing a dominant position
  • ", + "

    You can report anti-competitive activity if you see it.

    ", + "

    Agreeing not to compete with another business (\u2018cartels\u2019)

    ", + "

    If 2 or more businesses agree not to compete with each other in certain ways, it\u2019s called a \u2018cartel\u2019.

    ", + "

    The rules on cartels apply to businesses of any size.

    ", + "

    Rules about cartels cover:

    ", + "
  • price fixing
  • ", + "
  • bid rigging
  • ", + "
  • sharing markets or customers
  • ", + "
  • sharing commercially sensitive information
  • ", + "

    An agreement does not have to be in writing for it to be illegal. You can break the law if you have an informal conversation (or \u2018gentleman\u2019s agreement\u2019) with another business, even if the agreement is not carried out.

    ", + "

    You can work with other businesses without breaking competition law. Get legal advice or contact the Competition Pro Bono Scheme if you need to, and make sure you manage any risks.

    ", + "

    Price fixing

    ", + "

    You must not discuss the prices you\u2019re going to charge your customers with your competitors.

    ", + "

    You\u2019ll be breaking the law if you agree with another business:

    ", + "
  • to charge the same prices to your customers
  • ", + "
  • to offer discounts or increase your prices at the same time
  • ", + "
  • to charge the same fees to intermediaries, for example retailers selling your products
  • ", + "

    Bid rigging

    ", + "

    You cannot discuss bids for a contract tender with your competitors. Bid rigging includes:

    ", + "
  • agreeing with your competitors how much you\u2019ll bid for a contract or share information about your bid
  • ", + "
  • taking turns to win contracts
  • ", + "
  • asking other businesses to bid when they do not want the contract (called \u2018cover bids\u2019)
  • ", + "
  • paying other businesses not to bid or when you win a tender
  • ", + "
  • agreeing with other businesses not to bid or to withdrawing your bid
  • ", + "

    Market sharing

    ", + "

    You cannot agree with other businesses to share markets or customers. You\u2019ll be breaking competition law if you agree with another business:

    ", + "
  • not to approach each other\u2019s customers
  • ", + "
  • not to compete with them for customers, for example in specific locations
  • ", + "

    Sharing information

    ", + "

    You cannot share information with other businesses that might reduce competition between you, for example information about:

    ", + "
  • prices
  • ", + "
  • production
  • ", + "
  • your suppliers, customers or contractors
  • ", + "
  • the markets you sell or plan to sell to
  • ", + "

    This includes sharing information through a third party, for example a trade association.

    ", + "

    Abusing a dominant position

    ", + "

    Your business might have a \u2018dominant position\u2019 in the market if:

    ", + "
  • it has more than a 40% market share
  • ", + "
  • it\u2019s not affected by normal competitive restraints
  • ", + "

    You might be abusing your dominant position if you\u2019re unfair to your customers or other businesses, for example you:

    ", + "
  • treat customers differently, for example by offering different prices or terms to similar customers
  • ", + "
  • make customers buy products they do not want, for example forcing them to take warranties for electrical products
  • ", + "
  • charge low prices that do not cover your costs so you drive out competitors
  • ", + "

    If you think you have a dominant market position, get legal advice or contact the Competition Pro Bono Scheme to find out what you can and cannot do.

    ", + "

    Other anti-competitive activities

    ", + "

    You must avoid other activities that break competition law, eg:

    ", + "
  • buying or selling jointly with your competitors
  • ", + "
  • agreeing with your competitors to reduce production of something to raise its market value
  • ", + "
  • restricting how much other businesses can sell your product for
  • ", + "
  • agreeing with your competitors not to sell to certain customers or deal with certain suppliers
  • ", + "
  • having long-term exclusive contracts with any customers or suppliers
  • ", + "

    Manage risk

    ", + "

    The people who run your business are responsible for ensuring it does not break competition law. You should:

    ", + "
  • work out where your business is at risk and how serious any risks are
  • ", + "
  • set up policies, guidelines and training for your staff if you need to
  • ", + "

    Your business can still be given a penalty and sued for damages even if your senior managers did not know about the illegal activity.

    ", + "

    Work out if your business is at risk

    ", + "

    You\u2019re more likely to be at risk if:

    ", + "
  • you or your employees have contact with your competitors, for example at conferences or trade association meetings
  • ", + "
  • your employees regularly move to or from jobs with your competitors
  • ", + "
  • you have partnerships with your competitors, for example joint buying or selling
  • ", + "
  • you have any long-term exclusive contracts with any customers or suppliers
  • ", + "
  • your business has a dominant position in any market where you do business
  • ", + "

    Set up policies, guidelines and training

    ", + "

    You should ask a senior member of staff, for example a director, to make sure your employees know how to avoid and report anti-competitive behaviour.

    ", + "

    There\u2019s further guidance from the Competition and Markets Authority (CMA) on reducing the risk of your business breaking the law.

    ", + "

    Report anti-competitive activity

    ", + "

    The way you report anti-competitive activity depends on the type of activity.

    ", + "

    Report a cartel

    ", + "

    A cartel is where two or more businesses agree not to compete with each other, for example by sharing a market or fixing prices.

    ", + "

    Contact the Competition and Markets Authority (CMA) cartels hotline if you:

    ", + "
  • know about a cartel
  • ", + "
  • have been involved in one
  • ", + "

    You may:

    ", + "
  • get a financial reward for information that leads to an investigation
  • ", + "
  • be treated with leniency if you report a cartel you\u2019ve been involved with
  • ", + "

    Report other anti-competitive activity

    ", + "

    Tell the CMA if you have concerns about anti-competitive activity. Email general.enquiries@cma.gov.uk with the following information:

    ", + "
  • your contact details
  • ", + "
  • the business you have concerns about and a description of the issue along with any supporting evidence
  • ", + "
  • the market area according to the UK Standard Classification Index
  • ", + "
  • details of any other organisations you have contacted
  • ", + "

    If you want help with a consumer problem, contact Citizens Advice (or the Financial Conduct Authority for consumer credit-related issues).

    ", + "

    Report your concerns to an industry regulator

    ", + "

    You can also report concerns about anti-competitive activity in certain sectors to a regulator. These are:

    ", + "
  • Civil Aviation Authority for airports and air traffic services
  • ", + "
  • Financial Conduct Authority for financial services in the UK
  • ", + "
  • Monitor for health services in England
  • ", + "
  • Ofcom for television, radio, telephone, postal and internet services
  • ", + "
  • Ofgem for gas and electricity in England, Wales and Scotland
  • ", + "
  • Ofwat for water and sewage services in England and Wales
  • ", + "
  • Office of Road and Rail for railways in England, Wales and Scotland
  • ", + "
  • Payment Systems Regulator for payment systems in the UK
  • ", + "
  • Utility Regulator for gas, electricity, water and sewerage in Northern Ireland
  • " + ] + }, + { + "title": "Director's loans", + "url": "https://www.gov.uk/directors-loans", + "contents": [ + "

    Overview

    ", + "

    A director\u2019s loan is when you (or other close family members) get money from your company that is not:

    ", + "
  • a salary, dividend or expense repayment
  • ", + "
  • money you\u2019ve previously paid into or loaned the company
  • ", + "

    Records you must keep

    ", + "

    You must keep a record of any money you borrow from or pay into the company - this record is usually known as a \u2018director\u2019s loan account\u2019.

    ", + "

    At the end of your company\u2019s financial year

    ", + "

    Include any money you owe the company or the company owes you on the \u2018balance sheet\u2019 in your annual accounts.

    ", + "

    Tax on loans

    ", + "

    You may have to pay tax on director\u2019s loans. Your company may also have to pay tax if you\u2019re a shareholder (sometimes called a \u2018participator\u2019) as well as a director.

    ", + "

    Your personal and company tax responsibilities depend on whether the director\u2019s loan account is:

    ", + "
  • overdrawn - you owe the company
  • ", + "
  • in credit - the company owes you
  • ", + "

    If you owe your company money

    ", + "

    You or your company may have to pay tax if you take a director\u2019s loan.

    ", + "

    Your personal and company tax responsibilities depend on how the loan is settled. You also need to check if you have extra tax responsibilities if:

    ", + "
  • the loan was more than \u00a310,000 (\u00a35,000 in 2013-14)
  • ", + "
  • you paid your company interest on the loan below the official rate
  • ", + " | Your company\u2019s responsibilities if you\u2019re a shareholder and director | Your personal responsibilities when you get a director\u2019s loan", + "You repay the loan within 9 months of the end of your Corporation Tax accounting period | Use form CT600A when you prepare your Company Tax Return to show the amount owed at the end of the accounting period.If the loan was more than \u00a35,000 (and you took another loan of \u00a35,000 or more up to 30 days before or after you repaid it) pay Corporation Tax at 32.5% of the original loan, or 25% if the loan was made before 6 April 2016. After you permanently repay the original loan, you can reclaim the Corporation Tax - but not interest.If the loan was more than \u00a315,000 (and you arranged another loan when you repaid it) pay Corporation Tax at 32.5% of the original loan, or 25% if the loan was made before 6 April 2016. After you permanently repay the original loan, you can reclaim the Corporation Tax - but not interest. | No responsibilities", + "You do not repay the loan within 9 months of the end of your Corporation Tax accounting period | Use form CT600A when you prepare your Company Tax Return to show the amount owed at the end of the accounting period. Pay Corporation Tax at 32.5% of the outstanding amount, or 25% if the loan was made before 6 April 2016. Interest on this Corporation Tax will be added until the Corporation Tax is paid or the loan is repaid. You can reclaim the Corporation Tax - but not interest. | No responsibilities", + "The loan is \u2018written off\u2019 or \u2018released\u2019 (not repaid) | Deduct Class 1 National Insurance through the company\u2019s payroll. | Pay Income Tax on the loan through a Self Assessment tax return", + "

    If the loan was more than \u00a310,000 (\u00a35,000 in 2013-14)

    ", + "

    If you\u2019re a shareholder and director and you owe your company more than \u00a310,000 (\u00a35,000 in 2013 to 2014) at any time in the year, your company must:

    ", + "
  • treat the loan as a \u2018benefit in kind\u2019
  • ", + "
  • deduct Class 1 National Insurance
  • ", + "

    You must report the loan on a personal Self Assessment tax return. You may have to pay tax on the loan at the official rate of interest.

    ", + "

    If you paid interest below the official rate

    ", + "

    If you\u2019re a shareholder and director, your company must:

    ", + "
  • record interest you pay below the official rate as company income
  • ", + "
  • treat the discounted interest as a \u2018benefit in kind\u2019
  • ", + "

    You must report the interest on a personal Self Assessment tax return. You may have to pay tax on the difference between the official rate and the rate you paid.

    ", + "

    Reclaim Corporation Tax

    ", + "

    Your company can reclaim the Corporation Tax it pays on a director\u2019s loan that\u2019s been repaid, written off or released. You cannot reclaim any interest paid on the Corporation Tax.

    ", + "

    Claim after the relief is due - this is 9 months and 1 day after the end of the Corporation Tax accounting period when the loan was repaid, written off or released. You will not be repaid before this.

    ", + "

    You must claim within 4 years (or 6 years if the loan was repaid on or before 31 March 2010).

    ", + "

    Reclaiming within 2 years

    ", + "

    If you\u2019re reclaiming within 2 years of the end of the accounting period when the loan was taken out, use form CT600A to claim when you prepare a Company Tax Return for that accounting period or amend it online.

    ", + "

    Use form L2P with your Company Tax Return instead if either:

    ", + "
  • your tax return is for a different accounting period than the one when the loan was taken out
  • ", + "
  • you\u2019re amending your tax return in writing
  • ", + "

    Tell HMRC how you want the repayment in your Company Tax Return.

    ", + "

    Reclaiming after 2 years

    ", + "

    If you\u2019re reclaiming 2 years or more after the end of the accounting period when the loan was taken out, fill in form L2P and either include it with your latest Company Tax Return or post it separately.

    ", + "

    HMRC will repay your company by either:

    ", + "
  • using the details you gave in your latest Company Tax Return
  • ", + "
  • sending a cheque to your company\u2019s registered office address
  • ", + "

    If you lend your company money

    ", + "

    Your company does not pay Corporation Tax on money you lend it.

    ", + "

    If you charge interest

    ", + "

    Interest you charge your company on a loan counts as both:

    ", + "
  • a business expense for your company
  • ", + "
  • personal income for you
  • ", + "

    You must report the income on a personal Self Assessment tax return.

    ", + "

    Your company must:

    ", + "
  • pay you the interest less Income Tax at the basic rate of 20%
  • ", + "
  • report and pay the Income Tax every quarter using form CT61
  • ", + "

    You can request form CT61 online or call HM Revenue and Customs.

    " + ] + }, + { + "title": "Make changes to your private limited company", + "url": "https://www.gov.uk/make-changes-to-your-limited-company", + "contents": [ + "

    Overview

    ", + "

    You must tell Companies House if you change your company\u2019s:

    ", + "
  • name
  • ", + "
  • address
  • ", + "
  • directors and company secretaries, including changes to their details
  • ", + "
  • type, for example becoming a public limited company or unlimited company
  • ", + "
  • share, for example issuing new shares or changing your share structure
  • ", + "
  • constitution and articles of association - how your company is run
  • ", + "
  • mortgages and loan guarantees (sometimes called \u2018charges\u2019), for example if the company takes out a secured loan
  • ", + "

    You may need your company\u2019s agreement before you can make some changes.

    ", + "

    You may also need to tell HM Revenue and Customs (HMRC) about company changes.

    ", + "

    When to tell Companies House

    ", + "

    You must tell Companies House within 14 days if you make changes to:

    ", + "
  • where you keep your company records
  • ", + "
  • your directors, or their personal details change, for example their address
  • ", + "
  • company secretaries
  • ", + "

    You must tell Companies House within 15 days if you make changes to your constitution or articles of association.

    ", + "

    You must tell Companies House within a month if you issue more shares in your company.

    ", + "

    You must tell Companies House all other changes within 21 days.

    ", + "

    How to tell Companies House

    ", + "

    You can either:

    ", + "
  • use the Companies House online service if it\u2019s available for the change you need to make
  • ", + "
  • download and fill in paper forms
  • ", + "

    Get agreement from your company

    ", + "

    You usually need to get directors or entitled shareholders to vote (known as \u2018passing a resolution\u2019) on whether or not to make some changes.

    ", + "

    Things that usually need a resolution include:

    ", + "
  • changing your company name
  • ", + "
  • removing a director
  • ", + "
  • changing your company\u2019s constitution and articles of association - how your company is run
  • ", + "
  • changing your company\u2019s share structure
  • ", + "

    Most resolutions simply need more shareholders to agree than disagree (called an \u2018ordinary resolution\u2019). They may be simply done by a show of hands at a meeting. Ordinary resolutions are used for most routine changes, for example, increasing a company\u2019s share capital.

    ", + "

    Some decisions, for example changing your articles, might require a 75% or even 95% majority (called a \u2018special resolution\u2019 or \u2018extraordinary resolution\u2019).

    ", + "

    Your company articles will usually tell you if you need a resolution, and what type it should be.

    ", + "

    You must let your shareholders (and auditors if relevant) know when there\u2019s going to be a vote on a resolution.

    ", + "

    You must file special or extraordinary resolutions with Companies House within 15 days of passing them.

    ", + "

    Shareholder voting for special and extraordinary resolutions

    ", + "

    When you\u2019re working out the majority in special or extraordinary resolutions you count the number of shares that give the owner the right to vote, rather than the number of shareholders.

    ", + "

    How to hold a resolution

    ", + "

    You do not always need to have a meeting to pass a resolution. If enough shareholders or directors have told you they agree, you can usually confirm the resolution in writing.

    ", + "

    You must write to all shareholders letting them know about the outcome of a resolution.

    ", + "

    Company name

    ", + "

    A company can change its name either by:

    ", + "
  • a special resolution
  • ", + "
  • permission given in the company\u2019s articles of association
  • ", + "

    Your new name must follow all the rules for company names.

    ", + "

    Your company name will not officially change until Companies House registers it.

    ", + "

    Register online

    ", + "

    You can use the Companies House online service to file changes of name by special resolution only.

    ", + "

    It costs \u00a38 to file, or \u00a330 for the same-day service.

    ", + "

    Register by post

    ", + "

    If you\u2019re applying by special resolution

    ", + "

    Download and fill in form NM01.

    ", + "

    You must attach a copy of your resolution with your application.

    ", + "

    Send your form and a cheque for \u00a310 to the address on the form, or \u00a350 for the same-day service.

    ", + "

    If you\u2019re registering with permission from the articles of association

    ", + "

    Download and fill in form NM04.

    ", + "

    Send your form and a cheque for \u00a310 to the address on the form, or \u00a350 for the same-day service.

    ", + "

    Company address

    ", + "

    You must tell Companies House if you want to change:

    ", + "
  • your registered office address
  • ", + "
  • the address where you keep your records, and which records you\u2019ll keep there
  • ", + "

    Your address will not officially change until it\u2019s registered at Companies House.

    ", + "

    Your company\u2019s new addresses must be in the same part of the UK that the company was registered (\u2018incorporated\u2019).

    ", + "

    For example, if your company was registered in Scotland, the new registered office address must be in Scotland.

    ", + "

    You must re-incorporate your company if you move to another part of the UK, for example from England to Scotland.

    ", + "

    Companies House will tell HM Revenue and Customs (HMRC) that you\u2019ve changed your registered office address.

    ", + "

    Register online

    ", + "

    You can use the Companies House online service.

    ", + "

    Register by post

    ", + "

    Download and fill in a change of address form. Send your completed form to the Companies House address on the form.

    ", + "

    Directors and company secretaries

    ", + "

    You must tell Companies House about changes to your company\u2019s directors and secretaries, such as:

    ", + "
  • new appointments
  • ", + "
  • resignations
  • ", + "
  • changes to personal details, for example residential addresses
  • ", + "

    Register online

    ", + "

    You can use the Companies House online service.

    ", + "

    Register by post

    ", + "

    You can send your changes by post.

    ", + "

    Download and fill in the change forms you need and send them to the address on the forms

    ", + "

    Shares

    ", + "

    You must tell Companies House about any changes to your company\u2019s share structure that you make outside your annual return.

    ", + "

    You may need a special resolution to change your company\u2019s share structure. This includes if you:

    ", + "
  • change the number of shares the company has and their total value - this is your \u2018share capital\u2019 (the part of your company\u2019s money that comes from shares)
  • ", + "
  • change how your shares are distributed
  • ", + "
  • cancel any of your shares
  • ", + "
  • change (\u2018denominate\u2019) your shares into other currencies
  • ", + "

    You must tell Companies House within a month if you issue more shares in your company.

    ", + "

    You must report all other changes to your share structure within 21 days.

    ", + "

    Documents you must provide

    ", + "

    You must include a notice about the change you\u2019ve made and a statement declaring:

    ", + "
  • the company\u2019s total number of shares
  • ", + "
  • the total value of those shares
  • ", + "
  • how many shares have been paid for or not paid for
  • ", + "

    This is sometimes known as a \u2018statement of capital\u2019.

    ", + "

    Your shares may be normal (\u2018ordinary\u2019) or have special rights or restrictions.

    ", + "

    For each type of share your company has, you must declare:

    ", + "
  • the rights that come with it
  • ", + "
  • how many of the shares are issued
  • ", + "
  • their total value before any additional costs are added
  • ", + "

    An accountant can help you prepare your statement of capital.

    ", + "

    Register online

    ", + "

    You can register changes to the shares your company issues online.

    ", + "

    You must register all other changes to your shares by post.

    ", + "

    Register by post

    ", + "

    You can send your changes by post. Download and fill in the share change forms depending on the changes you\u2019re making.

    ", + "

    Send your completed forms, a copy of your resolution if needed and your statement of capital to the address on the forms.

    ", + "

    Constitution and articles of association

    ", + "

    You\u2019ll need agreement from your shareholders before changing your company\u2019s articles of association - the rules about how your company is run.

    ", + "

    This can include changes to your company\u2019s \u2018objects\u2019 - what your company does as a business.

    ", + "

    When you must change your constitution

    ", + "

    You can change your constitution whenever your shareholders agree to the change in a \u2018resolution\u2019.

    ", + "

    You must also change your constitution if:

    ", + "
  • a change in the law means your constitution would be illegal
  • ", + "
  • ordered to by the courts or a regulating authority (for example the Charity Commission) tells you to change it
  • ", + "

    Sending your changes

    ", + "

    You must include a copy of both the resolution you passed and the new articles of association when you make any changes to your company\u2019s constitution.

    ", + "

    Depending on why you\u2019re making the change you may also need to fill in one of the following:

    ", + "
  • a statement of company objects if your company is changing the objects in its articles
  • ", + "
  • change of constitution by enactment if your change is because of a change in the law
  • ", + "
  • change of constitution by order of court or other authority if your change has been ordered
  • ", + "

    Send the copy of the resolution, the copy of your new articles and completed form (if any) to Companies House.

    ", + "

    If a special enactment makes the change, you must include a copy of the enactment.

    ", + "

    Deadline

    ", + "

    You must send:

    ", + "
  • a copy of the resolution within 15 days of it being agreed
  • ", + "
  • a copy of the amended articles of association within 15 days of them taking effect
  • ", + "
  • any forms (if needed) within 15 days of the changes
  • ", + "

    Mortgages and loan guarantees

    ", + "

    You can use your company\u2019s assets as a security for a loan or overdraft (sometimes known as \u2018charges\u2019), for example a mortgage for a property.

    ", + "

    You must register details about any company charges with Companies House, including information about property or projects that are being backed by the charge.

    ", + "

    You must also register changes to charges you\u2019ve previously registered, for example when a charge\u2019s been paid in part or in full.

    ", + "

    You must register charges within 21 days from when they\u2019re set up - you will need a court order to register them later.

    ", + "

    Register online

    ", + "

    You can use the Companies House online service.

    ", + "

    It costs \u00a310 to register online.

    ", + "

    Register by post

    ", + "

    You can send changes to your charges by post:

    ", + "

    Download and fill in the forms you need and send them to the address on the forms.

    ", + "

    It costs \u00a313 to register by post.

    ", + "

    Companies House will reject your application if it\u2019s wrong or incomplete.

    ", + "

    You can register for informal correction if you want Companies House to be able to correct certain types of information required to your form.

    ", + "

    Once you\u2019re registered Companies House will contact you if they need more information or for permission to make a correction.

    " + ] + }, + { + "title": "Prepare annual accounts for a private limited company", + "url": "https://www.gov.uk/annual-accounts", + "contents": [ + "

    Overview

    ", + "

    Your company\u2019s annual accounts - called \u2018statutory accounts\u2019 - are prepared from the company\u2019s financial records at the end of your company\u2019s financial year.

    ", + "

    You must always send copies of the statutory accounts to:

    ", + "
  • all shareholders
  • ", + "
  • people who can go to the company\u2019s general meetings
  • ", + "
  • Companies House
  • ", + "
  • HM Revenue and Customs (HMRC) as part of your Company Tax Return
  • ", + "

    You have different deadlines for sending your accounts to Companies House and your tax return to HMRC, but you may be able send them at the same time.

    ", + "

    If your company is small, a micro entity or dormant, you might be able to send simpler (\u2018abridged\u2019) accounts.

    ", + "

    How to put together statutory accounts

    ", + "

    Statutory accounts must include:

    ", + "
  • a \u2018balance sheet\u2019, which shows the value of everything the company owns, owes and is owed on the last day of the financial year
  • ", + "
  • a \u2018profit and loss account\u2019, which shows the company\u2019s sales, running costs and the profit or loss it has made over the financial year
  • ", + "
  • notes about the accounts
  • ", + "
  • a director\u2019s report (unless you\u2019re a \u2018micro-entity\u2019)
  • ", + "

    You might have to include an auditor\u2019s report - this depends on the size of your company.

    ", + "

    The balance sheet must have the name of a director printed on it and must be signed by a director.

    ", + "

    Accounting standards

    ", + "

    Your statutory accounts must meet either:

    ", + "
  • International Financial Reporting Standards
  • ", + "
  • New UK Generally Accepted Accounting Practice
  • ", + "

    Search online to find out more about the standards, or ask your accountant or tax adviser. You can find an accountant accredited in the UK.

    ", + "

    Micro-entities, small and dormant companies

    ", + "

    You might be able to send simpler (\u2018abridged\u2019) accounts to Companies House and not need to be audited. This depends on whether your company is dormant or qualifies as a small company or \u2018micro-entity\u2019.

    ", + "

    You must still send statutory accounts to your members and to HM Revenue and Customs (HMRC) as part of your Company Tax Return if you\u2019re a small company or micro-entity.

    ", + "

    Dormant companies

    ", + "

    Your company is called \u2018dormant\u2019 by Companies House if it\u2019s had no \u2018significant\u2019 transactions in the financial year that you\u2019d normally report. Significant transactions do not include:

    ", + "
  • filing fees paid to Companies House
  • ", + "
  • penalties for late filing of accounts
  • ", + "
  • money paid for shares when the company was incorporated
  • ", + "

    Dormant companies that qualify as \u2018small\u2019 do not need to be audited.

    ", + "

    Check if your company is also dormant for Corporation Tax.

    ", + "

    Small companies

    ", + "

    Your company will be \u2018small\u2019 if it has any 2 of the following:

    ", + "
  • a turnover of \u00a310.2 million or less
  • ", + "
  • \u00a35.1 million or less on its balance sheet
  • ", + "
  • 50 employees or less
  • ", + "

    If your company is small, you can:

    ", + "
  • use the exemption so your company\u2019s accounts do not need to be audited
  • ", + "
  • choose whether or not to send a copy of the director\u2019s report and profit and loss account to Companies House
  • ", + "
  • send abridged accounts to Companies House
  • ", + "

    Sending abridged accounts

    ", + "

    You can only send abridged accounts if all your company members agree to it.

    ", + "

    Abridged accounts must contain a simpler balance sheet, along with any notes. You can also choose to include a simpler profit and loss account and a copy of the director\u2019s report.

    ", + "

    The balance sheet must have the name of a director printed on it and must be signed by a director.

    ", + "

    Sending abridged accounts means less information about your company will be publicly available from Companies House.

    ", + "

    Micro-entities

    ", + "

    Micro-entities are very small companies. Your company will be a micro-entity if it has any 2 of the following:

    ", + "
  • a turnover of \u00a3632,000 or less
  • ", + "
  • \u00a3316,000 or less on its balance sheet
  • ", + "
  • 10 employees or less
  • ", + "

    If your company is a micro-entity, you can:

    ", + "
  • prepare simpler accounts that meet statutory minimum requirements
  • ", + "
  • send only your balance sheet with less information to Companies House
  • ", + "
  • benefit from the same exemptions available to small companies
  • ", + "

    Find out exactly what to include in your accounts depending on your company type, for example micro-entity, small, medium or dormant.

    ", + "

    Corrections and amendments

    ", + "

    You must send amended accounts to Companies House on paper.

    ", + "

    Amended or corrected accounts must be for the same period as the original accounts.

    ", + "

    You must clearly say in your new accounts that they:

    ", + "
  • replace the original accounts
  • ", + "
  • are now the statutory accounts
  • ", + "
  • are prepared as they were at the date of the original accounts
  • ", + "

    Write \u201camended\u201d on the front so that Companies House know your accounts are not duplicates.

    ", + "

    Your original accounts will remain on file at Companies House.

    ", + "

    If you only want to amend one part of your accounts, you need to send a note saying what\u2019s been changed. The note must be signed by a director and filed with a copy of the original accounts.

    ", + "

    Penalties for late filing

    ", + "

    You\u2019ll have to pay penalties if you do not file your accounts with Companies House by the deadline.

    ", + "Time after the deadline | Penalty (for private limited companies)", + "Up to 1 month | \u00a3150", + "1 to 3 months | \u00a3375", + "3 to 6 months | \u00a3750", + "More than 6 months | \u00a31,500", + "

    Penalties for public limited companies are different.

    ", + "

    You\u2019ll automatically receive a penalty notice if your accounts are filed after the deadline.

    ", + "

    The penalty is doubled if your accounts are late 2 years in a row.

    ", + "

    You can be fined and your company struck off the register if you do not send Companies House your accounts or confirmation statement.

    ", + "

    Appeal against a late filing penalty

    ", + "

    If you want to appeal a penalty you must:

    ", + "
  • give a specific reason for not filing your accounts on time
  • ", + "
  • include all relevant details, such as dates and times
  • ", + "
  • prove the circumstances were out of your control, for example a fire destroyed your records a few days before your accounts were due
  • ", + "

    If you need help with your appeal because you have a disability or a health condition, you can contact Companies House.

    ", + "

    Your appeal is likely to be unsuccessful if it\u2019s because:

    ", + "
  • these were your first accounts
  • ", + "
  • your company is dormant
  • ", + "
  • your company is a charity or a flat management company
  • ", + "
  • you cannot afford to pay
  • ", + "
  • another director is responsible for filing the accounts
  • ", + "
  • it was your accountant\u2019s (or anybody else\u2019s) fault
  • ", + "
  • you did not know when or how to file your accounts
  • ", + "
  • your accounts were delayed or lost in the post
  • ", + "
  • the directors live or were travelling overseas
  • ", + "

    You can send a letter to the address on the front page of the penalty \ninvoice, or send an email including the penalty reference.

    ", + "

    You\u2019ll get a response within 20 working days and \nthe penalty will not be collected while your appeal is being \nconsidered.

    ", + "

    Challenging an unsuccessful appeal

    ", + "

    If your appeal is rejected and you have additional information to support your case, you can write to the senior casework manager in the Late Filing Penalties Department at the Companies House office that deals with your account.

    ", + "

    If your appeal to the senior casework manager is unsuccessful, you can write to the independent adjudicators, and ask them to review your case.

    ", + "

    If your appeal to the independent adjudicator is unsuccessful, you can submit a final application to the Registrar of Companies at the office that deals with your account.

    ", + "

    You must follow this process, otherwise the registrar will not review your appeal.

    ", + "

    Find out more about late penalty appeals in different situations.

    " + ] + }, + { + "title": "Running a limited company", + "url": "https://www.gov.uk/running-a-limited-company", + "contents": [ + "

    Directors' responsibilities

    ", + "

    As a director of a limited company, you must:

    ", + "
  • follow the company\u2019s rules, shown in its articles of association
  • ", + "
  • keep company records and report changes
  • ", + "
  • file your accounts and your Company Tax Return
  • ", + "
  • tell other shareholders if you might personally benefit from a transaction the company makes
  • ", + "
  • pay Corporation Tax
  • ", + "

    You can hire other people to manage some of these things day-to-day (for example, an accountant) but you\u2019re still legally responsible for your company\u2019s records, accounts and performance.

    ", + "

    You may be fined, prosecuted or disqualified if you do not meet your responsibilities as a director.

    ", + "

    Contact your professional adviser or trade association to find out more.

    ", + "

    Taking money out of a limited company

    ", + "

    How you take money out of the company depends on what it\u2019s for and how much you take out.

    ", + "

    Salary, expenses and benefits

    ", + "

    If you want the company to pay you or anyone else a salary, expenses or benefits, you must register the company as an employer.

    ", + "

    The company must take Income Tax and National Insurance contributions from your salary payments and pay these to HM Revenue and Customs (HMRC), along with employers\u2019 National Insurance contributions.

    ", + "

    If you or one of your employees make personal use of something that belongs to the business, you must report it as a benefit and pay any tax due.

    ", + "

    Dividends

    ", + "

    A dividend is a payment a company can make to shareholders if it has made a profit.

    ", + "

    You cannot count dividends as business costs when you work out your Corporation Tax.

    ", + "

    Your company must not pay out more in dividends than its available profits from current and previous financial years.

    ", + "

    You must usually pay dividends to all shareholders.

    ", + "

    To pay a dividend, you must:

    ", + "
  • hold a directors\u2019 meeting to \u2018declare\u2019 the dividend
  • ", + "
  • keep minutes of the meeting, even if you\u2019re the only director
  • ", + "

    Dividend paperwork

    ", + "

    For each dividend payment the company makes, you must write up a dividend voucher showing the:

    ", + "
  • date
  • ", + "
  • company name
  • ", + "
  • names of the shareholders being paid a dividend
  • ", + "
  • amount of the dividend
  • ", + "

    You must give a copy of the voucher to recipients of the dividend and keep a copy for your company\u2019s records.

    ", + "

    Tax on dividends

    ", + "

    Your company does not need to pay tax on dividend payments. But shareholders may have to pay Income Tax if they\u2019re over \u00a32,000.

    ", + "

    Directors\u2019 loans

    ", + "

    If you take more money out of a company than you\u2019ve put in - and it\u2019s not salary or dividend - it\u2019s called a \u2018directors\u2019 loan\u2019.

    ", + "

    If your company makes directors\u2019 loans, you must keep records of them. There are also some detailed tax rules about how directors\u2019 loans are handled.

    ", + "

    Company changes you must report

    ", + "

    You must report certain changes to Companies House.

    ", + "

    Changing your company\u2019s registered office address

    ", + "

    You must tell Companies House if you want to change your company\u2019s registered office address. If the change is approved, they will tell HM Revenue and Customs (HMRC).

    ", + "

    Your company\u2019s new registered office address must be in the same part of the UK that the company was registered (incorporated).

    ", + "

    For example, if your company was registered in England and Wales, the new registered office address must be in England or Wales.

    ", + "

    Your address will not officially change until Companies House has registered it.

    ", + "

    Other changes you must report

    ", + "

    You must tell HMRC if:

    ", + "
  • your business\u2019 contact details change - for example, your name, gender, business name or your personal or trading address
  • ", + "
  • you appoint an accountant or tax adviser
  • ", + "

    You must tell Companies House within 14 days if you make changes to:

    ", + "
  • the address where you keep your records, and which records you keep there
  • ", + "
  • directors or their personal details, like their address
  • ", + "
  • \u2018people with significant control\u2019 (PSC), or their personal details like a new address
  • ", + "
  • company secretaries (appointing a new one or ending an existing one\u2019s appointment)
  • ", + "

    You must tell Companies House within a month if you issue more shares in your company.

    ", + "

    How to report changes to Companies House

    ", + "

    You can:

    ", + "
  • use the Companies House online service
  • ", + "
  • fill in and send paper forms
  • ", + "

    Changes that shareholders must approve

    ", + "

    You may need to get shareholders to vote on the decision if you want to:

    ", + "
  • change the company name
  • ", + "
  • remove a director
  • ", + "
  • change the company\u2019s articles of association
  • ", + "

    This is called \u2018passing a resolution\u2019. Most resolutions will need a majority to agree (called an \u2018ordinary resolution\u2019). Some might require a 75% majority (called a \u2018special resolution\u2019).

    ", + "

    Companies House has more details about the types of changes and resolutions you must report to them.

    ", + "

    Your new company name will not take effect until it\u2019s registered by Companies House - they\u2019ll tell you when this happens.

    ", + "

    Shareholder voting

    ", + "

    When you\u2019re working out whether you have a majority, count the number of shares that give the owner the right to vote, rather than the number of shareholders.

    ", + "

    You do not necessarily need to have a meeting of shareholders to pass a resolution. If the right amount of shareholders have told you they agree, you can confirm the resolution in writing. But you must write to all shareholders letting them know about the decision.

    ", + "

    Company and accounting records

    ", + "

    You must keep:

    ", + "
  • records about the company itself
  • ", + "
  • financial and accounting records
  • ", + "

    You can hire a professional (for example, an accountant) to help with your tax.

    ", + "

    HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.

    ", + "

    Records about the company

    ", + "

    You must keep details of:

    ", + "
  • directors, shareholders and company secretaries
  • ", + "
  • the results of any shareholder votes and resolutions
  • ", + "
  • promises for the company to repay loans at a specific date in the future (\u2018debentures\u2019) and who they must be paid back to
  • ", + "
  • promises the company makes for payments if something goes wrong and it\u2019s the company\u2019s fault (\u2018indemnities\u2019)
  • ", + "
  • transactions when someone buys shares in the company
  • ", + "
  • loans or mortgages secured against the company\u2019s assets
  • ", + "

    You must tell Companies House if you keep the records somewhere other than the company\u2019s registered office address.

    ", + "

    Register of \u2018people with significant control\u2019

    ", + "

    You must also keep a register of \u2018people with significant control\u2019 (PSC). Your PSC register must include details of anyone who:

    ", + "
  • has more than 25% shares or voting rights in your company
  • ", + "
  • can appoint or remove a majority of directors
  • ", + "
  • can influence or control your company or trust
  • ", + "

    You still need to keep a record if there are no people with significant control.

    ", + "

    Read more guidance on keeping a PSC register if your company\u2019s ownership and control is not simple.

    ", + "

    Accounting records

    ", + "

    You must keep accounting records that include:

    ", + "
  • all money received and spent by the company, including grants and payments from coronavirus support schemes
  • ", + "
  • details of assets owned by the company
  • ", + "
  • debts the company owes or is owed
  • ", + "
  • stock the company owns at the end of the financial year
  • ", + "
  • the stocktakings you used to work out the stock figure
  • ", + "
  • all goods bought and sold
  • ", + "
  • who you bought and sold them to and from (unless you run a retail business)
  • ", + "

    You must also keep any other financial records, information and calculations you need to prepare and file your annual accounts and Company Tax Return. This includes records of:

    ", + "
  • all money spent by the company, for example receipts, petty cash books, orders and delivery notes
  • ", + "
  • all money received by the company, for example invoices, contracts, sales books and till rolls
  • ", + "
  • any other relevant documents, for example bank statements and correspondence
  • ", + "

    You can be fined \u00a33,000 by HMRC or disqualified as a company director if you do not keep accounting records.

    ", + "

    How long to keep records

    ", + "

    You must keep records for 6 years from the end of the last company financial year they relate to, or longer if:

    ", + "
  • they show a transaction that covers more than one of the company\u2019s accounting periods
  • ", + "
  • the company has bought something that it expects to last more than 6 years, like equipment or machinery
  • ", + "
  • you sent your Company Tax Return late
  • ", + "
  • HMRC has started a compliance check into your Company Tax Return
  • ", + "

    If your records are lost, stolen or destroyed

    ", + "

    If you cannot replace your records after they were lost, stolen or destroyed you must:

    ", + "
  • do your best to recreate them
  • ", + "
  • tell your Corporation Tax office straight away
  • ", + "
  • include this information in your Company Tax Return
  • ", + "

    Confirmation statement (annual return)

    ", + "

    You need to check that the information Companies House has about your company is correct every year. This is called a confirmation statement (previously an annual return).

    ", + "

    Check your company\u2019s details

    ", + "

    You need to check the following:

    ", + "
  • the details of your registered office, directors, secretary and the address where you keep your records
  • ", + "
  • your statement of capital and shareholder information if your company has shares
  • ", + "
  • your SIC code (the number that identifies what your company does)
  • ", + "
  • your register of \u2018people with significant control\u2019 (PSC)
  • ", + "

    Check the Companies House register.

    ", + "

    Send your confirmation statement

    ", + "

    Send your confirmation statement online or by post. It costs \u00a313 to file your confirmation statement online, and \u00a340 by post.

    ", + "

    If you need to report changes

    ", + "

    You can report changes to your statement of capital, shareholder information and SIC codes at the same time.

    ", + "

    You cannot use the confirmation statement to report changes to:

    ", + "
  • your company\u2019s officers
  • ", + "
  • the registered office address
  • ", + "
  • the address where you keep your records
  • ", + "
  • people with significant control
  • ", + "

    You must file those changes separately with Companies House.

    ", + "

    When it\u2019s due

    ", + "

    Your confirmation statement is due usually a year after either:

    ", + "
  • the date your company incorporated
  • ", + "
  • the date you filed your last annual return or confirmation statement
  • ", + "

    You can file your confirmation statement up to 14 days after the due date.

    ", + "

    Sign up to get an email reminder when your confirmation statement is due.

    ", + "

    You can be fined up to \u00a35,000 and your company may be struck off if you do not send your confirmation statement.

    ", + "

    Signs, stationery and promotional material

    ", + "

    Signs

    ", + "

    You must display a sign showing your company name at your registered company address and wherever your business operates. If you\u2019re running your business from home, you do not need to display a sign there.

    ", + "

    The sign must be easy to read and to see at any time, not just when you\u2019re open.

    ", + "

    Stationery and promotional material

    ", + "

    You must include your company\u2019s name on all company documents, publicity and letters.

    ", + "

    On business letters, order forms and websites, you must show:

    ", + "
  • the company\u2019s registered number
  • ", + "
  • its registered office address
  • ", + "
  • where the company is registered (England and Wales, Scotland or Northern Ireland)
  • ", + "
  • the fact that it\u2019s a limited company (usually by spelling out the company\u2019s full name including \u2018Limited\u2019 or \u2018Ltd\u2019)
  • ", + "

    If you want to include directors\u2019 names, you must list all of them.

    ", + "

    If you want to show your company\u2019s share capital (how much the shares were worth when you issued them), you must say how much is \u2018paid up\u2019 (owned by shareholders).

    ", + "

    There are different rules for what you need to include on invoices.

    " + ] + }, + { + "title": "Strike off your limited company from the Companies Register", + "url": "https://www.gov.uk/strike-off-your-company-from-companies-register", + "contents": [ + "

    Overview

    ", + "

    You can close down your limited company by getting it \u2018struck off\u2019 the Companies Register, but only if it:

    ", + "
  • hasn\u2019t traded or sold off any stock in the last 3 months
  • ", + "
  • hasn\u2019t changed names in the last 3 months
  • ", + "
  • isn\u2019t threatened with liquidation
  • ", + "
  • has no agreements with creditors, eg a Company Voluntary Arrangement (CVA)
  • ", + "

    If your company doesn\u2019t meet these conditions, you\u2019ll have to voluntarily liquidate your company instead.

    ", + "

    When you apply to \u2018strike off\u2019 your company, you have certain responsibilities to close down your business properly.

    ", + "

    Close down your company

    ", + "

    Before applying to strike off your limited company, you must close it down legally. This involves:

    ", + "
  • announcing your plans to interested parties and HM Revenue and Customs (HMRC)
  • ", + "
  • making sure your employees are treated according to the rules
  • ", + "
  • dealing with your business assets and accounts
  • ", + "

    Who you must tell

    ", + "

    Fill in an application to strike off and send a copy within 7 days to anyone who could be affected. This includes:

    ", + "
  • members (usually the shareholders)
  • ", + "
  • creditors
  • ", + "
  • employees
  • ", + "
  • managers or trustees of any employee pension fund
  • ", + "
  • any directors who didn\u2019t sign the application form
  • ", + "

    If you don\u2019t follow the rules on who you must tell, you can face a fine and possible prosecution.

    ", + "

    Employees

    ", + "

    If your company employs staff, you must:

    ", + "
  • follow the rules if you make staff redundant
  • ", + "
  • pay their final wages or salary
  • ", + "

    PAYE and National Insurance (NI)

    ", + "

    You\u2019ll need to tell HMRC that your company has stopped employing people.

    ", + "

    Business assets

    ", + "

    You should make sure that any business assets are shared among the shareholders before the company is struck off.

    ", + "

    Anything that\u2019s left will go to the Crown - you\u2019ll have to restore the company to get anything back.

    ", + "

    Final accounts

    ", + "

    You must send final statutory accounts and a Company Tax Return to HMRC.

    ", + "

    You don\u2019t have to file final accounts with Companies House.

    ", + "
  • Prepare your final accounts and company tax return.
  • ", + "
  • File your accounts and company tax return, stating that these are the final trading accounts and that the company will soon be dissolved.
  • ", + "
  • Pay all Corporation Tax and any other outstanding tax liabilities.
  • ", + "

    If you\u2019ve made a loss in your final year of trading, you might be able to offset the tax against profits from previous years - this is known as \u2018terminal loss relief\u2019. You can claim this on your final tax return.

    ", + "

    Capital Gains Tax on personal profits

    ", + "

    If you take assets out of the company before it\u2019s struck off, you might have to pay Capital Gains Tax on the amount.

    ", + "

    You might be able to get tax relief on this through Entrepreneurs\u2019 Relief.

    ", + "

    You will work this out on your personal Self Assessment tax return.

    ", + "

    If the amount is worth more than \u00a325,000, it will be treated as income and you\u2019ll have to pay Income Tax on it.

    ", + "

    Keeping records

    ", + "

    You must keep business documents for 7 years after the company is struck off, eg bank statements, invoices and receipts.

    ", + "

    If the company employed people, you must keep copies of its employers\u2019 liability insurance policy and schedule for 40 years from the date the company was dissolved.

    ", + "

    Apply to strike off

    ", + "

    To apply to strike off your limited company, you must send Companies House form DS01.

    ", + "

    The form must be signed by a majority of the company\u2019s directors.

    ", + "

    You should deal with any of the assets of the company before applying, eg close any bank accounts and transfer any domain names.

    ", + "

    When your company is dissolved, all the remaining assets will pass to the Crown (including any bank balances).

    ", + "

    It costs \u00a310 to strike off a company. You can\u2019t pay using a cheque from an account that belongs to the company you\u2019re striking off.

    ", + "

    It is an offence to make a dishonest application - you can face a fine and possible prosecution.

    ", + "

    What happens next

    ", + "

    You\u2019ll get a letter from Companies House to let you know if you\u2019ve filled in the form correctly. If you have, your request for the company to be struck off will be published as a notice in your local Gazette.

    ", + "

    If nobody objects, the company will be struck off the register once the 2 months mentioned in the notice has passed.

    ", + "

    A second notice will be published in the Gazette - this will mean the company won\u2019t legally exist anymore (it will have been \u2018dissolved\u2019).

    ", + "

    More information

    ", + "

    Read more guidance on striking off your company.

    ", + "

    Withdraw your application

    ", + "

    You must withdraw your application if your company is no longer eligible to be struck off, eg it is trading or has become insolvent.

    ", + "

    You can withdraw your application if you change your mind. You can only do this if your company is still on the Companies Register.

    ", + "

    Only one director needs to sign the withdrawal form.

    ", + "

    Apply online

    ", + "

    You can withdraw your application using the Companies House online service.

    ", + "

    Apply by post

    ", + "

    Fill in form DS02 and send it to the address on the form.

    " + ] + }, + { + "title": "The Queen's Awards for Enterprise", + "url": "https://www.gov.uk/queens-awards-for-enterprise", + "contents": [ + "

    About the awards

    ", + "

    The Queen\u2019s Awards for Enterprise are for outstanding achievement by UK businesses in the categories of:

    ", + "
  • innovation
  • ", + "
  • international trade
  • ", + "
  • sustainable development
  • ", + "
  • promoting opportunity through social mobility
  • ", + "

    Find out if your business is eligible.

    ", + "

    What happens if your company wins

    ", + "

    If you win you\u2019ll be:

    ", + "
  • invited to a Royal reception
  • ", + "
  • presented with the award at your company by one of The Queen\u2019s representatives, a Lord-Lieutenant
  • ", + "
  • able to fly The Queen\u2019s Awards flag at your main office, and use the emblem on your marketing materials (for example, on your packaging, advertisements, stationery and website)
  • ", + "
  • given a Grant of Appointment (an official certificate) and a commemorative crystal trophy
  • ", + "

    The awards are valid for 5 years.

    ", + "

    Winners have reported benefiting from worldwide recognition, increased commercial value, greater press coverage and a boost to staff morale.

    ", + "

    Find out when winners are announced.

    ", + "

    Previous winners

    ", + "

    View details of previous Queen\u2019s Awards winners.

    ", + "

    Eligibility

    ", + "

    To apply for the Queen\u2019s Award for Enterprise your organisation must:

    ", + "
  • be based in the UK (including the Channel Islands and the Isle of Man)
  • ", + "
  • file its Company Tax Returns with HM Revenue and Customs (HMRC)
  • ", + "
  • be a self-contained enterprise that markets its own products or services and is under its own management
  • ", + "
  • have at least 2 full-time UK employees or part-time equivalents
  • ", + "
  • demonstrate strong corporate social responsibility
  • ", + "

    Your organisation can be a business or non-profit.

    ", + "

    Each of the award categories has additional entry criteria.

    ", + "

    International Trade

    ", + "

    To apply for the International Trade award, you must also:

    ", + "
  • have made a minimum of \u00a3100,000 in overseas sales in the first year of your entry and show year-on-year growth
  • ", + "
  • prove that your organisation has achieved outstanding growth in overseas earnings relative to your business size and sector
  • ", + "
  • prove steep year-on-year growth (without dips) in overseas sales over 3 years - or substantial year-on-year growth (without dips) over 6 years
  • ", + "

    Innovation

    ", + "

    To apply for the Innovation award, you must also:

    ", + "
  • have an innovation that has not been sold before
  • ", + "
  • have had your innovation available on the market for at least 2 years
  • ", + "
  • have recovered all the investments made in your innovation or show that the innovation will recover its full costs in future
  • ", + "
  • show outstanding commercial success as a result of innovation over 2 years - or continuous commercial success over 5 years
  • ", + "

    Your innovation should be in one of the following categories:

    ", + "
  • invention, design or production of goods
  • ", + "
  • performance of services
  • ", + "
  • marketing and distribution
  • ", + "
  • after-sale support of goods or services
  • ", + "

    Sustainable Development

    ", + "

    To apply for the Sustainable Development award, you must also:

    ", + "
  • show how you have achieved outstanding sustainable development for more than 2 years
  • ", + "
  • provide evidence of the benefits or positive outcomes of your actions or interventions
  • ", + "

    Promoting Opportunity through social mobility

    ", + "

    To apply for this award, your organisation must also have supported people from disadvantaged backgrounds in improving their job skills and their chances of finding work.

    ", + "

    This includes doing one or more of the following, for at least 2 years:

    ", + "
  • providing work experience or careers advice
  • ", + "
  • mentoring
  • ", + "
  • offering interview and job-related training
  • ", + "
  • making sure your recruitment process is open to everyone
  • ", + "

    You\u2019ll need to prove the benefits for:

    ", + "
  • the people you\u2019ve supported
  • ", + "
  • your organisation
  • ", + "
  • your employees
  • ", + "
  • the wider community
  • ", + "

    Apply

    ", + "

    The Queen\u2019s Awards for Enterprise are free to enter. You can apply for more than one award.

    ", + "

    You\u2019ll need to:

    ", + "
  • create an account and register your details
  • ", + "
  • answer questions about your eligibility - this should take less than 15 minutes
  • ", + "
  • submit your application by midday on 8 September 2021
  • ", + "

    Apply now

    ", + "

    Queen\u2019s Awards Helpline

    ", + "

    Contact the Queen\u2019s Awards Helpline if you need help.

    ", + "

    After you've applied

    ", + "

    2020 awards

    ", + "

    Winners have been announced in the London Gazette. The date of the royal reception is to be confirmed.

    ", + "

    2021 awards

    ", + "Time | Step", + "1 May 2021 | New application period opens for 2021 awards", + "Midday 8 September 2021 | Application period closes", + "October 2021 | Shortlisted organisations notified", + "November 2021 | Shortlisted organisations asked to provide verified commercial figures", + "April 2022 | Winning organisations notified", + "April 2022 | Unsuccessful organisations receive feedback on their applications", + "21 April 2022 | Winners officially announced in the London Gazette", + "To be confirmed | Representatives from the winning organisations invited to attend a royal reception" + ] + }, + { + "title": "Expenses and benefits for employers", + "url": "https://www.gov.uk/employer-reporting-expenses-benefits", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re an employer and provide expenses or benefits to employees or directors, you might need to tell HM Revenue and Customs (HMRC) and pay tax and National Insurance on them.

    ", + "

    Examples of expenses and benefits include:

    ", + "
  • company cars
  • ", + "
  • health insurance
  • ", + "
  • travel and entertainment expenses
  • ", + "
  • childcare
  • ", + "

    There are different rules for what you have to report and pay depending on the type of expense or benefit that you provide.

    ", + "

    Reporting and paying

    ", + "

    At the end of the tax year you\u2019ll usually need to submit a P11D form to HM Revenue and Customs (HMRC) for each employee you\u2019ve provided with expenses or benefits.

    ", + "

    You\u2019ll also need to submit a P11D(b) form if:

    ", + "
  • you\u2019ve submitted any P11D forms
  • ", + "
  • you\u2019ve paid employees\u2019 expenses or benefits through your payroll
  • ", + "
  • HMRC have asked you to - either by sending you a form or an email
  • ", + "

    Your P11D(b) tells HMRC how much Class 1A National Insurance you need to pay on all the expenses and benefits you\u2019ve provided.

    ", + "

    If HMRC have asked you to submit a P11D(b), you can tell them you do not owe Class 1A National Insurance by completing a declaration.

    ", + "

    Paying tax on benefits through your payroll

    ", + "

    You can deduct and pay tax on most employee expenses through your payroll (sometimes called \u2018payrolling\u2019) as long as you\u2019ve registered with HMRC before the start of the tax year (6 April).

    ", + "

    You do not need to submit a P11D form for an employee if you\u2019re paying tax on all their benefits through your payroll.

    ", + "

    You\u2019ll still need to submit a P11D(b) form so you can pay any Class 1A National Insurance you owe.

    ", + "

    What to report

    ", + "

    Each expense or benefit is calculated differently. Find the type of expense or benefit you\u2019ve provided to see what you\u2019ll need to report and pay.

    ", + "

    For \u2018minor\u2019 expenses or benefits, you might be able to make a one-off payment, known as a PAYE Settlement Agreement.

    ", + "

    How to report

    ", + "

    You can use any of the following methods:

    ", + "
  • commercial payroll software
  • ", + "
  • HMRC\u2019s PAYE Online service
  • ", + "
  • HMRC\u2019s Online End of Year Expenses and Benefits service
  • ", + "

    You can also download and fill in forms P11D and P11D(b) and send them to the P11D Support Team.

    ", + "

    Correct an error

    ", + "

    If you\u2019re correcting a P11D form include all the benefits and expenses for the tax year, not just the ones you want to change.

    ", + "

    If you\u2019re correcting a P11D(b) form include the total amount of Class 1A National Insurance you need to pay, not the difference from your previous version.

    ", + "

    You must submit a paper form, even if you originally submitted online.

    ", + "

    The forms will show the most recent tax year. Write a different tax year on the form if you need to report for a different year. You must write:

    ", + "
  • that you\u2019re using the form to correct an error made in a different year to the one printed on the form
  • ", + "
  • the tax year you\u2019re making the amendment for
  • ", + "

    Where to send forms

    ", + "

    Send new or corrected paper forms to:

    ", + "

    Penalties

    ", + "

    You may be charged a penalty if you carelessly or deliberately give inaccurate information in your tax return that results in you:

    ", + "
  • not paying enough tax
  • ", + "
  • over-claiming tax reliefs
  • ", + "

    Deadlines

    ", + "What you need to do | Deadline", + "Submit your P11D forms online to HMRC | 6 July following the end of the tax year", + "Give your employees a copy of the information on your forms | 6 July", + "Tell HMRC the total amount of Class 1A National Insurance you owe on form P11D(b) | 6 July", + "Pay any Class 1A National Insurance owed on expenses or benefits | Must reach HMRC by 22 July (19 July if you pay by cheque)", + "If you have a PAYE Settlement Agreement pay tax and Class 1B National Insurance | Must reach HMRC by 22 October (19 October if you pay by cheque)", + "Pay any PAYE tax or Class 1 National Insurance owed on expenses or benefits | Pay monthly through payroll", + "

    You\u2019ll get a penalty of \u00a3100 per 50 employees for each month or part month your P11D(b) is late. You\u2019ll also be charged penalties and interest if you\u2019re late paying HMRC.

    ", + "

    Record keeping

    ", + "

    You must keep a record of all expenses and benefits you provide to your employees.

    ", + "

    Your records need to show that you\u2019ve reported accurately and your end-of-year forms are correct.

    ", + "

    HM Revenue and Customs (HMRC) may ask to see evidence of how you accounted for each expense or benefit at the end of the tax year.

    ", + "

    What you should keep

    ", + "

    You\u2019ll need to keep a record of:

    ", + "
  • the date and details of every expense or benefit you provide
  • ", + "
  • any information needed to work out the amounts you put on your end-of-year forms
  • ", + "
  • any payment your employee contributes to an expense or benefit
  • ", + "

    You should also keep any correspondence you have with HMRC.

    ", + "

    Records must be kept for 3 years from the end of the tax year they relate to.

    ", + "

    Exemptions and dispensations

    ", + "

    You don\u2019t have to report some routine employee expenses to HM Revenue and Customs (HMRC). This is called an \u2018exemption\u2019.

    ", + "

    Exemptions have replaced dispensations. You can\u2019t apply for a dispensation any more.

    ", + "

    Expenses covered by an exemption

    ", + "

    You don\u2019t have to report certain business expenses and benefits like:

    ", + "
  • business travel
  • ", + "
  • phone bills
  • ", + "
  • business entertainment expenses
  • ", + "
  • uniform and tools for work
  • ", + "

    To qualify for an exemption, you must be either be:

    ", + "
  • paying a flat rate to your employee as part of their earnings - this must be either a benchmark rate or a special (\u2018bespoke\u2019) rate approved by HMRC
  • ", + "
  • paying back the employee\u2019s actual costs
  • ", + "

    You must deduct and pay tax and National Insurance on all other expenses and benefits you give to your employees, and report them to HMRC as normal.

    ", + "

    Apply for an exemption

    ", + "

    You don\u2019t need to apply for an exemption if you\u2019re paying HMRC\u2019s benchmark rates for allowable expenses.

    ", + "

    You only need to apply for an exemption if you want to pay bespoke rates to your employees.

    ", + "

    You\u2019ll have to give HMRC evidence that the rates you\u2019re suggesting are based on your employees\u2019 actual expenses.

    ", + "

    If you had a dispensation from HMRC

    ", + "

    Your dispensation won\u2019t apply after 5 April 2016, but the expenses covered by it should also be covered by the exemption.

    ", + "

    If you agreed bespoke rates with HMRC between 6 April 2011 and 5 April 2016 as part of your dispensation, you can apply to carry on using them.

    ", + "

    You can only use the bespoke rates for up to 5 years from the date they were agreed.

    ", + "

    Checking expenses

    ", + "

    You must have a system in place to check payments you make at benchmark or bespoke rates.

    ", + "

    Your employees aren\u2019t allowed to check their own expenses, so someone else within your company needs to do this to make sure they\u2019re legitimate.

    ", + "

    Tell your employees to keep proof of their expenses, for example receipts or bills, in case you need to check them.

    " + ] + }, + { + "title": "Expenses and benefits: loans provided to employees", + "url": "https://www.gov.uk/expenses-and-benefits-loans-provided-to-employees", + "contents": [ + "

    Overview

    ", + "

    As an employer providing loans to your employees or their relatives, you have certain National Insurance and reporting obligations.

    ", + "

    What\u2019s included

    ", + "

    There are different rules for:

    ", + "
  • providing \u2018beneficial loans\u2019, which are interest-free, or at a rate below HMRC\u2019s official interest rate
  • ", + "
  • providing loans you write off
  • ", + "
  • charging a director\u2019s personal bills to their loan account within the company
  • ", + "

    Beneficial loans

    ", + "

    The rules cover beneficial loans advanced, arranged, facilitated, guaranteed or taken over from someone else by:

    ", + "
  • you (the employer)
  • ", + "
  • a company or partnership you control
  • ", + "
  • a company or partnership that controls your business
  • ", + "
  • a person with a material interest in your business
  • ", + "

    See the technical guidance for what to do in more complicated situations, eg if you use third-party arrangements to make a loan to your employee.

    ", + "

    What's exempt

    ", + "

    You might not have to report anything to HMRC or pay tax and National Insurance on some types of beneficial loans.

    ", + "

    This includes loans you provide:

    ", + "
  • in the normal course of a domestic or family relationship as an individual (not as a company you control, even if you are the sole owner and employee)
  • ", + "
  • with a combined outstanding value to an employee of less than \u00a310,000 throughout the whole tax year (\u00a35,000 for 2013 to 2014)
  • ", + "
  • to an employee for a fixed and invariable period, and at a fixed and invariable rate that was equal to or higher than HMRC\u2019s official interest rate when the loan was taken out
  • ", + "
  • under identical terms and conditions to the general public as well (this mostly applies to commercial lenders)
  • ", + "
  • that are \u2018qualifying loans\u2019, meaning all of the interest qualifies for tax relief - see the technical guidance for an explanation of this complex area
  • ", + "
  • using a director\u2019s loan account as long as it\u2019s not overdrawn at any time during the tax year
  • ", + "

    Salary sacrifice arrangements

    ", + "

    You do have to report loans to your employees or their relatives if they\u2019re made as part of a salary sacrifice arrangement.

    ", + "

    What to report and pay

    ", + "

    If the loans you provide aren\u2019t exempt, you have to report the costs to HMRC, and deduct or pay National Insurance on them.

    ", + "

    Beneficial loans

    ", + "

    If you or your business provides a beneficial loan, as defined in the overview, you\u2019ll need to:

    ", + "
  • report it on form P11D
  • ", + "
  • pay Class 1A National Insurance on the value of the benefit
  • ", + "

    Loans you write off

    ", + "

    You always have to report and pay on loans to employees that you write off, whether or not they are classed as beneficial loans.

    ", + "

    You must:

    ", + "
  • report it on form P11D
  • ", + "
  • deduct and pay Class 1 National Insurance (but not PAYE tax) on the value of the benefit
  • ", + "

    Work out the value

    ", + "

    You can work out the value of loans using HMRC\u2019s PAYE Online or commercial payroll software.

    ", + "

    You can also work out the value manually on P11D working sheet 4.

    ", + "

    Salary sacrifice arrangements

    ", + "

    If the cost of the loan is less than the amount of salary given up, report the salary amount instead.

    ", + "

    These rules don\u2019t apply to arrangements made before 6 April 2017 - check when the rules will change.

    ", + "

    Technical guidance

    ", + "

    The following guides contain more detailed information:

    ", + "
  • beneficial loans: contents page
  • ", + "
  • Class 1 National Insurance: loans written off
  • ", + "
  • loans released or written off
  • ", + "
  • making a loan: loan made by third party
  • ", + "
  • contrasting treatment where some or part of the interest would qualify for relief
  • ", + "
  • director\u2019s loan accounts: overview
  • ", + "
  • director\u2019s loan accounts: whether withdrawals are loans or earnings
  • ", + "
  • beneficial loan arrangements (chapter 17 of \u2018Expenses and benefits: a tax guide\u2019)
  • " + ] + }, + { + "title": "PAYE Settlement Agreements", + "url": "https://www.gov.uk/paye-settlement-agreements", + "contents": [ + "

    Overview

    ", + "

    A PAYE Settlement Agreement (PSA) allows you to make one annual payment to cover all the tax and National Insurance due on minor, irregular or impracticable expenses or benefits for your employees.

    ", + "

    If you get a PSA for these items you will not need to:

    ", + "
  • put them through your payroll to work out tax and National Insurance
  • ", + "
  • include them in your end-of-year P11D forms
  • ", + "
  • pay Class 1A National Insurance on them at the end of the tax year (you pay Class 1B National Insurance as part of your PSA instead)
  • ", + "

    Some employee expenses are covered by exemptions (which have replaced dispensations). This means you will not have to include them in your end-of-year reports.

    ", + "

    What's included

    ", + "

    The expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.

    ", + "

    Minor

    ", + "

    Examples of minor benefits and expenses include:

    ", + "
  • incentive awards, for example for long-service
  • ", + "
  • telephone bills
  • ", + "
  • small gifts and vouchers
  • ", + "
  • staff entertainment, for example a ticket to an event
  • ", + "
  • non-business expenses while travelling overnight on business that are over the daily limit
  • ", + "

    You do not need to include trivial benefits in your PSA.

    ", + "

    Irregular

    ", + "

    Irregular benefits and expenses are things that are not paid at regular intervals over the course of a tax year, for example weekly or monthly. They\u2019re also things that employees do not have a contractual right to. Examples of irregular expenses and benefits include:

    ", + "
  • relocation expenses over \u00a38,000 (these are tax-free below \u00a38,000)
  • ", + "
  • the cost of attending overseas conferences
  • ", + "
  • expenses of a spouse accompanying an employee abroad
  • ", + "
  • use of a company holiday flat
  • ", + "

    Impracticable

    ", + "

    Impracticable expenses and benefits are things that are difficult to place a value on or divide up between individual employees. Examples of impracticable expenses and benefits include:

    ", + "
  • staff entertainment that is not exempt from tax or National Insurance Contributions
  • ", + "
  • shared cars
  • ", + "
  • personal care expenses, for example hairdressing
  • ", + "

    What\u2019s not included

    ", + "

    You cannot include wages, high-value benefits like company cars, or cash payments such as:

    ", + "
  • bonuses
  • ", + "
  • round sum allowances
  • ", + "
  • beneficial loans in a PSA
  • ", + "

    If you apply after the start of the tax year, there are extra restrictions on what you can include.

    ", + "

    How to get a PSA

    ", + "
  • Write to HM Revenue and Customs (HMRC) Business Tax and Customs describing the expenses and benefits you want the PAYE Settlement Agreement (PSA) to cover.
  • ", + "
  • Once they\u2019ve agreed on what can be included, they\u2019ll send you 2 draft copies of form P626. Sign and return both copies. HMRC will authorise your request and send back a form - this is your PSA.
  • ", + "
  • You\u2019ll need to report anything that cannot be included separately using form P11D. You do not need to send a P11D if you\u2019re paying employees\u2019 expenses and benefits through your payroll.
  • ", + "
  • Use form PSA1 to help you calculate the overall amount you\u2019ll need to pay. If you do not, HMRC will calculate the amount. You\u2019ll be charged more if this happens.
  • ", + "
  • Send the completed form to HMRC as soon as possible after the end of the tax year. They\u2019ll get in touch with you before 19 October following the tax year that the PSA covers to confirm the total tax and National Insurance you need to pay.
  • ", + "

    You\u2019ll need to give an agent a signed letter of authority to make a PSA on your behalf if they do not have authorisation to do so.

    ", + "

    Contact the HMRC employer helpline for advice on getting and calculating your PSA.

    ", + "

    What happens next

    ", + "

    The agreement will continue until either you or HMRC cancels it or you need to change it. You do not need to renew the PSA each tax year.

    ", + "

    Deadlines and payment

    ", + "

    The deadline for applying for a PAYE Settlement Agreement (PSA) is 5 July following the first tax year it applies to.

    ", + "

    When to pay

    ", + "

    You must pay any tax and National Insurance owed under a PSA by 22 October after the tax year the PSA applies to (19 October if you pay by post).

    ", + "

    You may be fined or charged interest if you do not pay or your payment is late.

    ", + "

    What to pay when the PSA is first approved

    ", + "

    If HM Revenue and Customs (HMRC) approves your PSA before the start of a tax year, you can include any expenses and benefits contained in the agreement.

    ", + "

    If they approve it after the start of the tax year, you might need to report some items separately.

    ", + "

    If your PSA is approved before 6 April

    ", + "

    You must use form P11D to report expenses and benefits provided before the agreement date that you:

    ", + "
  • have already included in your employee\u2019s tax code
  • ", + "
  • included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions
  • ", + "

    If your PSA is approved between 6 April and 5 July

    ", + "

    You must use form P11D to report expenses and benefits provided during the tax year that you:

    ", + "
  • have already included in your employee\u2019s tax code
  • ", + "
  • included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions
  • ", + "

    Change or cancel a PSA

    ", + "

    To change the items covered by your PAYE Settlement Agreement (PSA), send details of the changes to the office that issued it. HM Revenue and Customs (HMRC) will send you a revised P626 that you need to sign and return.

    ", + "

    Cancel a PSA

    ", + "

    To cancel your PSA, fill in the return slip section of the P626 and send it to HMRC.

    ", + "

    HMRC will cancel your PSA on the date you put on the return slip.

    ", + "

    You need to report any outstanding tax and National Insurance Contributions (NICs) due on benefits and expenses using forms P11D and PSA1.

    ", + "

    You need to pay any outstanding tax and NICs by 22 October after the tax year the PSA applies to (19 October if you pay by post).

    ", + "

    You need to pay any NICs owed on expenses or benefits listed on the P11D form by 22 July after the tax year it applies to (19 July if you pay by post).

    ", + "

    If you continue providing benefits after you\u2019ve cancelled your PSA, you need to either:

    ", + "
  • report them on a P11D form
  • ", + "
  • put them through payroll
  • ", + "

    You can pay any tax or NICs due via PAYE.

    " + ] + }, + { + "title": "Claiming money or property from a dissolved company", + "url": "https://www.gov.uk/claiming-money-or-property-from-dissolved-company", + "contents": [ + "

    Overview

    ", + "

    When a company is dissolved, all of its assets pass to the Crown and are legally known as \u2018bona vacantia\u2019 (ownerless property). Assets include:

    ", + "
  • property and land
  • ", + "
  • mortgages
  • ", + "
  • shares
  • ", + "
  • intellectual property, for example trademarks, registered designs and patents
  • ", + "

    Claiming or buying assets

    ", + "

    You may be able to claim money back or buy assets from the dissolved company by:

    ", + "
  • getting a court order to restore the company - if they owe you money
  • ", + "
  • buying or claiming some of their assets - if you\u2019re affected by the company closing
  • ", + "
  • applying for a discretionary grant - if you were a shareholder
  • ", + "

    You can get legal advice about the best way to claim back your money.

    ", + "

    Get a court order to restore a company

    ", + "

    You may be able to apply for a court order to restore a company if:

    ", + "
  • you did business with them
  • ", + "
  • you worked for them
  • ", + "
  • they owed you money when they were dissolved
  • ", + "
  • you\u2019re responsible for their employee pension fund
  • ", + "
  • you have a shared or competing interest in land
  • ", + "
  • you were a shareholder or director when it was dissolved
  • ", + "

    You may be able to restore the company without a court order if you were a director or shareholder of a dissolved company.

    ", + "

    How to apply

    ", + "

    Download and fill in a claim to restore by court order (form N208) to apply for court order restoration in England and Wales.

    ", + "

    HM Courts and Tribunals service has guidance notes on filling in form N208 if you need help.

    ", + "

    Find the company\u2019s registered office and send your completed form to their nearest county court that deals with bankruptcy.

    ", + "

    If you\u2019re not sure where to send the form then contact the Royal Courts of Justice.

    ", + "

    You\u2019ll also need to include:

    ", + "
  • the \u00a3280 court fee (cash, postal order or cheque made payable to \u2018Her Majesty\u2019s Courts and Tribunals Service\u2019)
  • ", + "
  • a witness statement, containing the supporting information outlined in section 4 of the Treasury Solicitor\u2019s guide to company restoration
  • ", + "

    In Scotland

    ", + "

    Apply to the Court of Session if the initial value of the company\u2019s shares that have been paid for (\u2018paid-up capital\u2019) is more than \u00a3120,000.

    ", + "

    Apply to the local sheriff court for other companies.

    ", + "

    You\u2019ll then have to serve a \u2018petition to restore\u2019 on the Registrar of Companies in Scotland, and any other bodies the court asks you to.

    ", + "

    In Northern Ireland

    ", + "

    Apply by serving an \u2018originating summons\u2019 on the Royal Courts of Justice:

    ", + "

    You also need to send this to the Registrar of Companies in Northern Ireland, along with a witness statement in support of the application.

    ", + "

    What happens next

    ", + "

    If your claim is accepted, the court will issue an order to restore a company - you\u2019ll be sent this, and you must send it on to the Registrar of Companies. Once they have it they will restore the company.

    ", + "

    You\u2019ll then need to take further action to try and get your money:

    ", + "
  • get a \u2018judgment\u2019 from court for the amount of the money you\u2019re owed together with interest and costs
  • ", + "
  • issue a statutory demand
  • ", + "
  • take out a winding up petition
  • ", + "

    Buy a dissolved company's assets

    ", + "

    You may be able to claim or buy an asset belonging to a dissolved company by asking the body representing the Crown. This is known as \u2018referring\u2019 an asset.

    ", + "

    Who you ask depends on where the company was registered.

    ", + "

    Anybody can refer an asset, for example if:

    ", + "
  • you\u2019re the leaseholder of a property where the company owned the freehold
  • ", + "
  • you want to buy or are affected by land owned by the company
  • ", + "
  • you want to buy other assets of the company like shares, trade marks or copyrights
  • ", + "
  • you\u2019re a shareholder trying to get cash held by the company
  • ", + "

    How to refer an asset

    ", + "

    The Treasury Solicitor looks after dissolved company assets in England and Wales (but not Cornwall or Lancashire).

    ", + "

    Find out how to refer an asset to the Treasury Solicitor.

    ", + "

    You can also write to:

    ", + "

    Other bodies that represent the Crown

    ", + "

    Elsewhere, dissolved companies\u2019 assets are dealt with by:

    ", + "
  • in Cornwall and Lancashire - Farrer and Co
  • ", + "
  • in Scotland - The Queen\u2019s and Lord Treasurer\u2019s Remembrancer
  • ", + "
  • in Northern Ireland - phone or write to the Crown Solicitor\u2019s Office for Northern Ireland
  • ", + "

    Apply for a discretionary grant

    ", + "

    You may be able to get back a dissolved company\u2019s assets if you were one of its shareholders.

    ", + "

    How to apply

    ", + "

    In England and Wales (but not Cornwall or Lancashire) you must apply to the Treasury Solicitor.

    ", + "

    How you apply depends on whether the company can be restored or not.

    ", + "

    The Treasury Solicitor has guidance on what you should do if:

    ", + "
  • the company can be restored
  • ", + "
  • the company cannot be restored
  • ", + "

    Companies in Scotland, Northern Ireland, Cornwall and Lancashire

    ", + "

    Property owned by dissolved companies is dealt with:

    ", + "
  • in Cornwall and Lancashire - Farrer and Co
  • ", + "
  • in Scotland - The Queen\u2019s and Lord Treasurer\u2019s Remembrancer
  • ", + "
  • in Northern Ireland - the Crown Solicitor\u2019s Office for Northern Ireland
  • " + ] + }, + { + "title": "County court judgments for debt", + "url": "https://www.gov.uk/county-court-judgments-ccj-for-debt", + "contents": [ + "

    Overview

    ", + "

    You may get a county court judgment (CCJ) or high court judgment if someone takes court action against you (saying you owe them money) and you do not respond.

    ", + "

    You must respond to the court claim by the date on the email or letter you receive.

    ", + "

    If you get a judgment, this means that the court has formally decided that you owe the money.

    ", + "

    The judgment will come in the post and will explain:

    ", + "
  • how much you owe
  • ", + "
  • how to pay (in full or in instalments)
  • ", + "
  • the deadline for paying
  • ", + "
  • who to pay
  • ", + "

    Records of judgments are kept for 6 years unless you pay the full amount within a month - this can make it hard to get credit.

    ", + "

    What you can do if you get a judgment

    ", + "

    If you do owe the money, you\u2019ll need to pay it back. If you cannot afford to, you can ask to:

    ", + "
  • change the terms of (\u2018vary\u2019) the judgment
  • ", + "
  • pay it back in instalments
  • ", + "

    Find out what options you have for paying the judgment.

    ", + "

    You can apply for the judgment to be cancelled (or \u2018set aside\u2019) if:

    ", + "
  • you do not owe the money
  • ", + "
  • you did not receive, or did not respond to, the original claim from the court saying you owed the money
  • ", + "

    Find out how to apply for the judgment to be cancelled.

    ", + "

    If you get a judgment, do not ignore it - you could be taken back to court and forced to pay.

    ", + "

    Court judgments for debt in Scotland

    ", + "

    The law is different in Scotland - read guidance from the Accountant in Bankruptcy (Scotland\u2019s insolvency service).

    ", + "

    Pay the judgment - if you do owe the money

    ", + "

    You\u2019ll have to pay the person or business you owe the money to, or their solicitor. The name and address will be on the judgment form. Do not pay the court.

    ", + "

    Make sure you can prove you\u2019ve paid. Send a cheque or postal order by post, or make a bank transfer. Do not send cash through the post.

    ", + "

    Keep a record of your payments and make sure you pay in time.

    ", + "

    Pay in instalments

    ", + "

    If you\u2019re paying in instalments, ask the person or business you owe the money to about the best way to pay.

    ", + "

    You may want to set up a standing order to pay the money directly from your bank account.

    ", + "

    If you\u2019re late with your payments, you could be taken back to court and you may have to pay extra costs.

    ", + "

    Ask to change the payments

    ", + "

    You can ask to change the terms of the judgment - for example, how and when you pay.

    ", + "

    To do this, fill in the N245 application form.

    ", + "

    Give details of your income and spending, and say how much you can realistically afford to pay.

    ", + "

    You may have to pay a court fee.

    ", + "

    If your offer is rejected, the court will decide on the amount you have to pay.

    ", + "

    If you do not pay what the court has ordered

    ", + "

    If you do not pay as ordered, the person or business you owe money to may:

    ", + "
  • threaten you with bailiffs to collect the money
  • ", + "
  • ask the court to take action against you to force you to pay
  • ", + "

    If you\u2019re threatened with bailiffs

    ", + "

    The person or business you owe money to may use bailiffs to collect the money.

    ", + "

    They\u2019ll have to apply to the court for a \u2018warrant\u2019, which will give the bailiff the right to visit your home or property. You\u2019ll be given 7 days to pay before they visit.

    ", + "

    You may be able to stop the bailiff from visiting, by filling in the N245 application form.

    ", + "

    Say on the form how you\u2019ll repay the money - for example weekly or monthly payments. If your offer is accepted, the warrant will be stopped as long as you keep up with the payments.

    ", + "

    Actions the court can take against you to force you to pay

    ", + "

    The court may decide to:

    ", + "
  • order a deduction from your earnings
  • ", + "
  • freeze money in your bank or building society account
  • ", + "
  • deduct the money you owe when you sell your property (such as a house, land, stocks or shares)
  • ", + "
  • order you to come to court to answer questions about things like your earnings or employment status
  • ", + "

    If you have other judgments or debts

    ", + "

    If you have another judgment against you, you can arrange to pay all your debts to the court in a single weekly or monthly payment.

    ", + "

    This will stop people taking action against you to get their money - for example by sending bailiffs to your home.

    ", + "

    You can only do this if your total debts are under \u00a35,000.

    ", + "

    You\u2019ll need to fill in the application for an administration order (N92).

    ", + "

    Contact the court if you cannot keep up with the payments.

    ", + "

    Cancel the judgment

    ", + "

    If you do not owe the money, you can ask the court to cancel the county court judgment (CCJ) or high court judgment. This is known as getting the judgment \u2018set aside\u2019.

    ", + "

    You can also do this if you did not receive, or did not respond to, the original claim from the court saying you owed the money.

    ", + "

    Apply to get the judgment set aside

    ", + "

    To get a judgment set aside, fill in the application notice (N244) and send it to the court.

    ", + "

    You may have to pay a court fee of \u00a3255.

    ", + "

    You\u2019ll have to go to a private hearing at the court to explain why you do not owe the money.

    ", + "

    If you do not go to the hearing, your application will be rejected and you\u2019ll have to pay the amount in the judgment.

    ", + "

    CCJs and your credit rating

    ", + "

    If you get a county court judgment (CCJ) or a high court judgment, it will stay on the Register of Judgments, Orders and Fines for 6 years.

    ", + "

    Banks and loan companies use this information to decide whether to give you credit or loans.

    ", + "

    If you pay within one month

    ", + "

    If you pay the full amount within one month, you can get the judgment removed from the register.

    ", + "

    Write to the court to say you\u2019ve paid. You\u2019ll need to send proof of payment from the person or business you owed money to.

    ", + "

    If you pay after one month

    ", + "

    If you pay after one month, you can get the record of the judgment marked as \u2018satisfied\u2019 in the register.

    ", + "

    It will stay on the register for 6 years but people searching the register will see that you\u2019ve paid.

    ", + "

    Write to the court to say you\u2019ve paid. You\u2019ll need to send proof of payment from the person or business you owed money to.

    ", + "

    Getting a certificate of cancellation or satisfaction

    ", + "

    If you want proof from the court that you\u2019ve paid, you can apply for:

    ", + "
  • a certificate of cancellation - if you paid within one month
  • ", + "
  • a certificate of satisfaction - if you paid after one month
  • ", + "

    Apply for the certificate in writing or by sending form N443 to the court that is dealing with your case.

    ", + "

    You\u2019ll need to include a cheque for \u00a314 - make it payable to \u2018HMCTS\u2019. \nIf you want to pay by card, contact the court that\u2019s handling your case.

    ", + "

    If you cannot get proof of payment

    ", + "

    If you cannot get proof from the person or business you owed money to, you can still apply for a certificate of cancellation or satisfaction using form N443.

    ", + "

    You\u2019ll need to send evidence to the court showing you made the payment, for example a bank statement. If you do not have evidence, explain this on the form.

    ", + "

    The court will write to the person or business you owed money to. If they do not respond within 30 days, the court will use your evidence to make a decision.

    ", + "

    Search the register of judgments

    ", + "

    You can search for details of any judgments against you on the register of judgments.

    ", + "

    You\u2019ll have to pay a small fee - each search costs between \u00a36 and \u00a310.

    ", + "

    If the information on the register is wrong, contact Trust Online, who will check the details with the court:

    " + ] + }, + { + "title": "Late commercial payments: charging interest and debt recovery", + "url": "https://www.gov.uk/late-commercial-payments-interest-debt-recovery", + "contents": [ + "

    When a payment becomes late

    ", + "

    You can claim interest and debt recovery costs if another business is late paying for goods or a service.

    ", + "

    If you agree a payment date, it must usually be within 30 days for public authorities or 60 days for business transactions.

    ", + "

    You can agree a longer period than 60 days for business transactions - but it must be fair to both businesses.

    ", + "

    If you do not agree a payment date, the law says the payment is late 30 days after either:

    ", + "
  • the customer gets the invoice
  • ", + "
  • you deliver the goods or provide the service (if this is later)
  • ", + "

    Interest on late commercial payments

    ", + "

    The interest you can charge if another business is late paying for goods or a service is \u2018statutory interest\u2019 - this is 8% plus the Bank of England base rate for business to business transactions. You cannot claim statutory interest if there\u2019s a different rate of interest in a contract.

    ", + "

    You cannot use a lower interest rate if you have a contract with public authorities.

    ", + "

    Check the current Bank of England base rate and previous rates.

    ", + "

    Send a new invoice if you decide to add interest to the money you\u2019re owed.

    ", + "

    Claim debt recovery costs on late payments

    ", + "

    You can also charge a business a fixed sum for the cost of recovering a late commercial payment on top of claiming interest from it.

    ", + "

    The amount you\u2019re allowed to charge depends on the amount of debt. You can only charge the business once for each payment.

    ", + "Amount of debt | What you can charge", + "Up to \u00a3999.99 | \u00a340", + "\u00a31,000 to \u00a39,999.99 | \u00a370", + "\u00a310,000 or more | \u00a3100", + "

    These amounts are set by late payment legislation.

    ", + "

    If you\u2019re a supplier, you can also claim for reasonable costs each time you try to recover the debt.

    ", + "

    Read more on recovering debt.

    " + ] + }, + { + "title": "Liquidate your limited company", + "url": "https://www.gov.uk/liquidate-your-company", + "contents": [ + "

    Overview

    ", + "

    You can choose to liquidate your limited company (also called \u2018winding up\u2019 a company).

    ", + "

    The company will stop doing business and employing people. The company will not exist once it\u2019s been removed (\u2018struck off\u2019) from the companies register at Companies House.

    ", + "

    When you liquidate a company, its assets are used to pay off its debts. Any money left goes to shareholders. You\u2019ll need a validation order to access your company bank account.

    ", + "

    If that money has not been shared between the shareholders by the time the company is removed from the register, it will go to the state.

    ", + "

    You\u2019ll need to restore your company to claim back money after it\u2019s been removed from the register.

    ", + "

    There are 3 types of liquidation:

    ", + "
  • creditors\u2019 voluntary liquidation - your company cannot pay its debts and you involve your creditors when you liquidate it
  • ", + "
  • compulsory liquidation - your company cannot pay its debts and you apply to the courts to liquidate it
  • ", + "
  • members\u2019 voluntary liquidation - your company can pay its debts but you want to close it
  • ", + "

    Your company may be forced into liquidation if it cannot pay its debts.

    ", + "

    Arrange liquidation with your creditors

    ", + "

    A director can propose a company stops trading and be liquidated (\u2018wound up\u2019) if:

    ", + "
  • the company cannot pay its debts (it\u2019s \u2018insolvent\u2019)
  • ", + "
  • enough shareholders agree
  • ", + "

    Get shareholders\u2019 agreement

    ", + "

    You must call a meeting of shareholders and ask them to vote.

    ", + "

    75% (by value of shares) of shareholders must agree to the winding-up to pass a \u2018winding-up resolution\u2019.

    ", + "

    Once the resolution is made there are 3 steps you must follow.

    ", + "
  • Appoint an authorised insolvency practitioner as liquidator to take charge of liquidating the company. You can find an insolvency practitioner online.
  • ", + "
  • Send the resolution to Companies House within 15 days.
  • ", + "
  • Advertise the resolution in The Gazette within 14 days.
  • ", + "

    Your responsibilities as a director will change.

    ", + "

    Apply directly to the court

    ", + "

    A director can ask a court to order the company to stop trading and be liquidated (\u2018wound up\u2019).

    ", + "

    This is known as \u2018compulsory liquidation\u2019.

    ", + "

    You need to show the court that:

    ", + "
  • the company cannot pay its debts of \u00a3750 or more
  • ", + "
  • 75% (by value of shares) of shareholders agree that the court can wind up the company
  • ", + "

    Your company can be based anywhere but must carry out most of its business in England, Scotland and Wales.

    ", + "

    How to apply

    ", + "

    Fill in a \u2018winding-up petition\u2019 (form Comp 1) and send it to the court with:

    ", + "
  • form Comp 2 confirming the details of your petition
  • ", + "
  • the winding-up resolution from the shareholders
  • ", + "

    Where you send the petition depends on how much \u2018paid-up share capital\u2019 your company has. You can find this on the Companies House register.

    ", + "

    Your paid-up share capital is \u00a3120,000 or more

    ", + "

    Submit the petition online. It\u2019ll go to the High Court.

    ", + "

    Your paid-up share capital is under \u00a3120,000

    ", + "

    Find your nearest court that deals with bankruptcy.

    ", + "

    Submit the petition online if it\u2019s one of these courts:

    ", + "
  • Admiralty and Commercial Court
  • ", + "
  • Chancery Division
  • ", + "
  • Companies Court
  • ", + "
  • High Court (including Bankruptcy Court)
  • ", + "
  • London Mercantile Court
  • ", + "
  • Rolls Building
  • ", + "

    If it was another court you\u2019ll need to submit the petition by post.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a31,600 to submit the petition
  • ", + "
  • \u00a3280 for the court hearing
  • ", + "

    After you apply

    ", + "

    You\u2019ll get a date for the hearing if the court accepts your petition.

    ", + "

    Before the court hearing, you must:

    ", + "
  • give (\u2018serve\u2019) a copy of the petition to your company - fill in a certificate of service to let the court know you\u2019ve done this
  • ", + "
  • put an advert in The Gazette at least 7 days before the hearing
  • ", + "
  • send a copy of the advert and the certificate of service to the court
  • ", + "

    The court hearing

    ", + "

    You or your solicitor must be at the court hearing. You do not have to give any evidence.

    ", + "

    If the court gives a winding-up order, the court will put an official receiver in charge of the liquidation. They\u2019ll start liquidating your company. A copy of the winding-up order will be sent to your company\u2019s registered office.

    ", + "

    Your role as a director will change.

    ", + "

    Liquidate a company you do not want to run anymore

    ", + "

    You may choose members\u2019 voluntary liquidation if your company is \u2018solvent\u2019 (can pay its debts) and one of the following applies:

    ", + "
  • you want to retire
  • ", + "
  • you want to step down from the family business and nobody else wants to run it
  • ", + "
  • you do not want to run the business any more
  • ", + "

    To pass a resolution for members\u2019 voluntary liquidation, you must:

    ", + "
  • make a \u2018Declaration of solvency\u2019 - English and Welsh companies
  • ", + "
  • ask the Accountant in Bankruptcy for form 4.25 (Scot) - Scottish companies
  • ", + "

    You\u2019ll need to review the company\u2019s assets and liabilities just before making the declaration.

    ", + "

    Make a declaration of solvency

    ", + "

    Write a statement saying that the directors have assessed the company and believe it can pay its debts, with interest at the official rate. You should also include:

    ", + "
  • the name and address of the company
  • ", + "
  • the names and addresses of the company\u2019s directors
  • ", + "
  • how long it will take the company to pay its debts - this must be no longer than 12 months from when the company\u2019s liquidated
  • ", + "

    You also need to include the statement of the company\u2019s assets and liabilities.

    ", + "

    After you\u2019ve signed the declaration or form

    ", + "

    There are 5 further steps to members\u2019 voluntary liquidation.

    ", + "
  • Sign the declaration or form 4.25 (Scot) - it must be signed by the majority of directors in front of a solicitor or \u2018notary public\u2019.
  • ", + "
  • Call a general meeting with shareholders no more than 5 weeks later and pass a resolution for voluntary winding up.
  • ", + "
  • At the meeting appoint an authorised insolvency practitioner as a liquidator who will take charge of winding up the company. You can find an insolvency practitioner online.
  • ", + "
  • Advertise the resolution in The Gazette within 14 days.
  • ", + "
  • Send your signed declaration to Companies House or form 4.25 (Scot) to the Accountant in Bankruptcy (for Scottish companies) within 15 days of passing the resolution.
  • ", + "

    When the liquidator is appointed they take control of the company. Your responsibilities as a director will change.

    ", + "

    What the liquidator does

    ", + "

    The liquidator is an authorised insolvency practitioner or official receiver who runs the liquidation process.

    ", + "

    As soon as the liquidator is appointed, they\u2019ll take control of the business.

    ", + "

    They will:

    ", + "
  • settle any legal disputes or outstanding contracts
  • ", + "
  • sell off the company\u2019s assets and use any money to pay creditors
  • ", + "
  • meet deadlines for paperwork and keep authorities informed
  • ", + "
  • pay liquidation costs and the final VAT bill
  • ", + "
  • keep creditors informed and involve them in decisions where necessary
  • ", + "
  • make payments to creditors
  • ", + "
  • interview the directors and report on what went wrong in the business
  • ", + "
  • get the company removed from the companies register
  • ", + "

    In a creditors\u2019 voluntary liquidation, the liquidator acts in the interest of the creditors not the directors.

    ", + "

    What happens to directors

    ", + "

    When a liquidator is appointed, directors:

    ", + "
  • no longer have control of the company or anything it owns
  • ", + "
  • cannot act for or on behalf of the company
  • ", + "

    If you\u2019re a director you must:

    ", + "
  • give the liquidator any information about the company they ask for
  • ", + "
  • hand over the company\u2019s assets, records and paperwork
  • ", + "
  • allow the liquidator to interview you, if they ask
  • ", + "

    You can be banned from being a director for 2 to 15 years or prosecuted if the liquidator decides your conduct was unfit.

    ", + "

    Re-using company names

    ", + "

    If you were a director of a company in compulsory liquidation or creditors\u2019 voluntary liquidation, you\u2019ll be banned for 5 years from forming, managing or promoting any business with the same or similar name to your liquidated company. This includes the company\u2019s registered name and any trading names (if it had any).

    ", + "

    The only exceptions to this are where:

    ", + "
  • the business is sold by a licensed insolvency practitioner giving the legally required notice
  • ", + "
  • you get the court\u2019s permission to use the name
  • ", + "
  • you\u2019re involved with another company that\u2019s been using the same name as the liquidated company for at least a year
  • ", + "

    Read the guidance on re-using company names.

    ", + "

    Access to your bank account

    ", + "

    Your company\u2019s bank account will be frozen when someone files a petition to wind up the company.

    ", + "

    You need a validation order to access it.

    ", + "

    How to apply for a validation order

    ", + "

    Tell the person who filed the winding-up petition (the respondent) you\u2019re applying for a validation order. You must also tell them what court you\u2019ll apply to (usually the Companies Court) and when you\u2019ll apply.

    ", + "

    Fill in Form IAA and write a witness statement. Take the form and the statement to the court.

    ", + "

    You need to pay a \u00a3155 fee.

    ", + "

    What happens after you apply

    ", + "

    You\u2019ll be given a hearing on the same day or within the next few days.

    ", + "

    At the hearing, you present your case to a registrar or district judge.

    ", + "

    The respondent will present their case if they object to you getting a validation order.

    ", + "

    At the end of the hearing you\u2019ll either:

    ", + "
  • get a decision - you\u2019ll also get a written copy sent to you
  • ", + "
  • be asked to attend another hearing if the court wants more evidence
  • ", + "

    You\u2019ll be given the validation order if your application is successful. You must give your bank a copy of this to access your company\u2019s bank account.

    ", + "

    If you do not agree with the decision you may be able to appeal to the Chancery Division of the High Court.

    " + ] + }, + { + "title": "Make a court claim for money", + "url": "https://www.gov.uk/make-court-claim-for-money", + "contents": [ + "

    How to make a claim

    ", + "

    You can apply to a county court to claim money you\u2019re owed by a person or business.

    ", + "

    This is known as making a court claim. It often used to be known as taking someone to a \u2018small claims court\u2019.

    ", + "

    A mediation service could be quicker and cheaper than going to court. Mediation is when an impartial person helps both sides work out an agreement.

    ", + "

    The process is different in Scotland and Northern Ireland.

    ", + "

    Make a claim

    ", + "

    Make your claim online if you\u2019re claiming for a fixed (\u2018specified\u2019) amount of money.

    ", + "

    Download and fill in a paper claim form N1 if you\u2019re claiming for an unspecified amount of money.

    ", + "

    You can also use the paper claim form to claim for a fixed amount.

    ", + "

    Send the paper form to the County Court Money Claims Centre.

    ", + "

    You must pay a court fee when you make a claim.

    ", + "

    What happens next

    ", + "

    You might have to go to a court hearing if the other person or business (the \u2018defendant\u2019) denies owing the money and you disagree with their response.

    ", + "

    You can get the court to order them to pay if they:

    ", + "
  • do not respond to your claim
  • ", + "
  • admit they owe you but do not pay
  • ", + "

    If they still do not pay, you can ask the court to take further steps to collect the money - for example, by using bailiffs.

    ", + "

    Court fees

    ", + "

    You must pay a court fee when you make your claim.

    ", + "

    If you know the claim amount

    ", + "

    The court fee is based on the amount you\u2019re claiming, plus interest.

    ", + "Claim amount | Fees", + "Up to \u00a3300 | \u00a335", + "\u00a3300.01 to \u00a3500 | \u00a350", + "\u00a3500.01 to \u00a31,000 | \u00a370", + "\u00a31,000.01 to \u00a31,500 | \u00a380", + "\u00a31,500.01 to \u00a33,000 | \u00a3115", + "\u00a33,000.01 to \u00a35,000 | \u00a3205", + "\u00a35,000.01 to \u00a310,000 | \u00a3455", + "\u00a310,000.01 to \u00a3200,000 | 5% of the claim", + "More than \u00a3200,000 | \u00a310,000", + "

    To calculate 5% of the value of the claim, take the amount you\u2019re claiming and multiply it by 0.05. If necessary, round down the result to the nearest 1p.

    ", + "

    The fee will be calculated for you if you make your claim online.

    ", + "

    If you do not know the claim amount

    ", + "

    Use the paper claim form if you do not know the exact amount - you cannot make a claim online.

    ", + "

    You\u2019ll need to estimate the amount you\u2019re claiming and pay the fee for that amount.

    ", + "

    For example, if you estimate you\u2019re claiming between \u00a33,000.01 and \u00a35,000, you\u2019d have to pay \u00a3205.

    ", + "

    If you leave the \u2018amount claimed\u2019 blank, the fee is \u00a310,000.

    ", + "

    Pay the court fee

    ", + "

    Pay by credit or debit card if you\u2019re making a claim online.

    ", + "

    If you use the paper claim form, pay by credit or debit card by sending a letter with your form asking to pay by card. Include your telephone number and a suitable time for the court to call you and take the payment.

    ", + "

    You can also pay by postal order or cheque (payable to \u2018HM Courts and Tribunals Service\u2019) if you use the paper claim form.

    ", + "

    You may have to pay more fees later on - for example, if there\u2019s a court hearing or you need to get a judgment enforced.

    ", + "

    You may be able to claim the fees back if you win the case.

    ", + "

    Find out more about court fees.

    ", + "

    Claim the interest

    ", + "

    You can claim interest on the money you\u2019re owed.

    ", + "

    The interest will be calculated for you if you claim for an unspecified amount.

    ", + "

    You need to work out the interest yourself if you\u2019re claiming for a fixed (\u2018specified\u2019) amount of money.

    ", + "

    Work out the interest

    ", + "

    If you\u2019re owed money by another business, you can charge interest on a late commercial payment.

    ", + "

    For other types of debt, the rate is usually 8%.

    ", + "

    To calculate this, use the steps below.

    ", + "
  • Work out the yearly interest: take the amount you\u2019re claiming and multiply it by 0.08 (which is 8%).
  • ", + "
  • Work out the daily interest: divide your yearly interest from step 1 by 365 (the number of days in a year).
  • ", + "
  • Work out the total amount of interest: multiply the daily interest from step 2 by the number of days the debt has been overdue.
  • ", + "

    After you make your claim

    ", + "

    The person or business who owes you money (the \u2018defendant\u2019) must respond to your claim. You\u2019ll be sent a letter or email telling you the date they need to respond by.

    ", + "

    What to do if you get paid

    ", + "

    Tell the defendant when you\u2019ve received their payment.

    ", + "

    How you do this depends on how you made the claim.

    ", + "

    If you used a paper claim form

    ", + "

    Contact the court where you sent your claim.

    ", + "

    If you claimed online

    ", + "

    You can either:

    ", + "
  • update your claim in the Money Claim Online service
  • ", + "
  • call or email - the contact details you use depends on how much money you\u2019re claiming.
  • ", + "

    If your claim is less than \u00a310,000, contact Civil Money Claims.

    ", + "

    If your claim is between \u00a310,000 and \u00a3100,000, contact Money Claim Online.

    ", + "

    If you do not get a response

    ", + "

    You can ask the court to order the defendant to pay if they do not respond to your claim.

    ", + "

    You need to:

    ", + "
  • request a judgment if you made your claim online
  • ", + "
  • use request for judgment form N225 if you claimed a fixed (\u2018specified\u2019) amount using a claim form
  • ", + "
  • use request for judgment form N227 if you claimed an unspecified amount using a claim form
  • ", + "

    If you disagree with the response

    ", + "

    You might have to go to a court hearing if:

    ", + "
  • the defendant says they do not owe you any money
  • ", + "
  • they disagree with the amount you\u2019ve claimed
  • ", + "
  • you do not agree with how they\u2019ve offered to repay you
  • ", + "

    The court may send you a questionnaire asking for more information on the case.

    ", + "

    If your claim is under \u00a310,000, you\u2019ll be asked if you\u2019d like to use the court\u2019s small claims mediation service to reach an agreement with the defendant.

    ", + "

    Fill in the questionnaire and return it to the court. You\u2019ll have to pay an extra court fee.

    ", + "

    The judge might not award you costs if they think you\u2019ve made no effort to agree out of court.

    ", + "

    What happens at the hearing

    ", + "

    Do not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.

    ", + "

    If there\u2019s a hearing, you can:

    ", + "
  • represent yourself
  • ", + "
  • pay for a barrister or solicitor to represent you
  • ", + "
  • ask someone to advise you in court - they do not have to be a lawyer
  • ", + "
  • ask someone to speak on your behalf - you might need to get the court\u2019s permission
  • ", + "

    Your hearing can be held in the judge\u2019s room or a courtroom in a county court if your claim is for less than \u00a310,000. There might be a more formal hearing if you\u2019re claiming for more.

    ", + "

    After the hearing

    ", + "

    You\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.

    ", + "

    If you win your case, the court will order the person or business who owes you money (the \u2018debtor\u2019) to pay you. There are ways the court can collect your payment if they ignore the court order.

    ", + "

    Appeal the decision

    ", + "

    You can appeal the decision if you think the judge made a mistake during the hearing. You must do this within 21 days of getting the decision.

    ", + "

    Find out which court or tribunal to appeal to.

    ", + "

    Contact Citizens Advice to get advice on appealing.

    ", + "

    Enforce a judgment

    ", + "

    You can ask the court to collect payment from the person or business who owes you money (the \u2018debtor\u2019) if they do not pay you after receiving the court order.

    ", + "

    You must pay a court fee when you ask the court to collect the payment.

    ", + "

    Find out what the debtor can afford to pay

    ", + "

    Ask the court to order the debtor to attend court to provide evidence of their income or spending, for example bills and statements.

    ", + "

    If the money is owed by a business, you can ask for an officer from the company to attend court and give details of its accounts.

    ", + "

    You can then decide if you want the court to take further action to collect your payment.

    ", + "

    Send bailiffs to collect payment

    ", + "

    You can ask the court to send bailiffs to collect the money.

    ", + "

    The bailiff will ask for payment within 7 days. If the debt is not paid, the bailiff will visit the debtor\u2019s home or business to see if anything can be sold to pay the debt.

    ", + "

    You can apply to either a county court or the High Court if you\u2019re owed between \u00a3600 and \u00a35,000.

    ", + "

    You may need legal advice if you apply at the High Court.

    ", + "

    How you apply to the court depends on how you made your claim.

    ", + "

    You claimed online

    ", + "

    If your reference number has \u2018MC\u2019 in it, download and fill in either:

    ", + "
  • form N323 - to apply at a county court (you must be owed \u00a35,000 or less)
  • ", + "
  • form N293A - to apply at the High Court (you must be owed at least \u00a3600)
  • ", + "

    Otherwise, enforce a judgment using Money Claim Online.

    ", + "

    You used a paper claim form

    ", + "

    Download and fill in either:

    ", + "
  • form N323 - to apply at a county court (you must be owed \u00a35,000 or less)
  • ", + "
  • form N293A - to apply at the High Court (you must be owed at least \u00a3600)
  • ", + "

    Get money deducted from wages

    ", + "

    You can ask the court to take money from the debtor\u2019s wages to pay the debt. They do this by sending an order to the debtor\u2019s employer.

    ", + "

    Download and fill in a request for an attachment of earnings order form N337.

    ", + "

    Freeze assets or money in an account

    ", + "

    The court can freeze money in the debtor\u2019s bank, building society or business account.

    ", + "

    Download and fill in a request for a third party debt order form N349.

    ", + "

    The court will decide if money from the account can be used to pay the debt.

    ", + "

    Charge the debtor\u2019s land or property

    ", + "

    You can ask the court to charge the debtor\u2019s land or property.

    ", + "

    Download and fill in a request for a charging order form N379.

    ", + "

    If the land or property is sold, the debtor must pay this charge before they get their money.

    " + ] + }, + { + "title": "Respond to a court claim for money", + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "contents": [ + "

    How to respond

    ", + "

    You\u2019ll get a letter or email if someone claims you owe them money. You must respond by the date on the email or letter you receive.

    ", + "

    You can respond by:

    ", + "
  • paying the full amount
  • ", + "
  • paying only what you think you owe
  • ", + "
  • defending the claim (if you do not think you owe any money or you\u2019ve already paid)
  • ", + "

    You might have to pay more or get a county court judgment (CCJ) if you do not respond in time.

    ", + "

    If you need more time to respond

    ", + "

    You can ask for another 14 days to respond if you\u2019re defending the claim or paying only what you think you owe.

    ", + "

    Download and fill in the acknowledgement of service form in the response pack.

    ", + "

    Send it to the court address on the claim form.

    ", + "

    The process is different in Scotland.

    ", + "

    Pay the full amount

    ", + "

    Send a cheque or postal order made payable to the person or business you owe money to (the \u2018claimant\u2019). Their name and address will be on the claim form.

    ", + "

    You can also pay the claimant in person.

    ", + "

    Keep proof (for example, your bank records or a receipt from the claimant) to show you\u2019ve paid.

    ", + "

    If you cannot afford to pay the full amount at once

    ", + "

    You can offer to pay in instalments or by a certain date.

    ", + "

    Download and fill in either:

    ", + "
  • form N9A if the claim is for a specified amount
  • ", + "
  • form N9C if the claim is for an unspecified amount
  • ", + "

    You must say how you want to pay (a certain amount per month for example) and send the completed form to the address on the claim form.

    ", + "

    If the claimant does not accept your offer, the court will decide how you pay.

    ", + "

    You can be taken to court and you may have to pay extra costs if you do not keep up the payments.

    ", + "

    If the claim is for an unspecified amount

    ", + "

    Download and fill in admission form N9A. Either:

    ", + "
  • ask the court to decide how much you owe
  • ", + "
  • offer to pay a certain amount
  • ", + "

    You might have to give more information at a hearing if you ask the court to decide or the claimant rejects your offer.

    ", + "

    The court will tell you when and where the hearing will take place.

    ", + "

    If you\u2019ve already paid

    ", + "

    You must defend the claim if you\u2019ve already paid the claimant.

    ", + "

    You might still have to pay court fees if you paid the claimant after they made the claim.

    ", + "

    Pay some of the money

    ", + "

    If you do not agree with the amount on the claim form, you can apply to the court to pay only what you think you owe.

    ", + "

    You must send the court both:

    ", + "
  • an admission form to say how much you\u2019ll pay
  • ", + "
  • a defence form to explain why you do not owe the full amount
  • ", + "

    Respond online if the claim was made using Money Claim Online.

    ", + "

    Otherwise, which forms you fill in will depend on whether the claim is for a fixed (\u2018specified\u2019) or an unspecified amount.

    ", + "

    The claim is for a specified amount

    ", + "

    Download and fill in:

    ", + "
  • admission form N9A
  • ", + "
  • defence form N9B
  • ", + "

    The claim is for an unspecified amount

    ", + "

    Download and fill in:

    ", + "
  • admission form N9C
  • ", + "
  • defence form N9D
  • ", + "

    If your offer is rejected

    ", + "

    The court will decide how much you owe.

    ", + "

    You might have to give more information at a hearing. The court will tell you when and where the hearing will take place.

    ", + "

    Defend the claim

    ", + "

    You can defend the claim if either:

    ", + "
  • you do not think you owe the other person or business any money
  • ", + "
  • you\u2019ve already paid them
  • ", + "

    You can also make a claim against them (\u2018counterclaim\u2019) if you think they owe you money. You might have to pay a court fee.

    ", + "

    Download and fill in either:

    ", + "
  • form N9B if the claim is for a fixed (\u2018specified\u2019) amount
  • ", + "
  • form N9D if the claim is for an unspecified amount
  • ", + "

    You can respond online if the claim was made using an online service.

    ", + "

    The court will decide whether you owe any money, and how much.

    ", + "

    You might have to give more information at a hearing. The court will tell you when and where the hearing will take place.

    ", + "

    Going to a court hearing

    ", + "

    If there\u2019s a hearing, you can:

    ", + "
  • represent yourself
  • ", + "
  • pay for a barrister or solicitor to represent you
  • ", + "
  • ask someone to advise you in court - they do not have to be a lawyer
  • ", + "
  • ask someone to speak on your behalf - you might need to get the court\u2019s permission
  • ", + "

    Your hearing can be held in the judge\u2019s room or a courtroom in a county court if the claim is for less than \u00a310,000. There might be a more formal hearing if the claim is for more.

    ", + "

    Do not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.

    ", + "

    After the hearing

    ", + "

    You\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.

    ", + "

    Appeal the decision

    ", + "

    You can ask to appeal the decision if you think the judge made a mistake during the hearing. You must ask within 21 days of the date the decision was made.

    ", + "

    Find out which court or tribunal to appeal to.

    ", + "

    Contact Citizens Advice to get advice on appealing.

    " + ] + }, + { + "title": "Wind up a company that owes you money", + "url": "https://www.gov.uk/wind-up-a-company-that-owes-you-money", + "contents": [ + "

    Overview

    ", + "

    You can apply to the court to close or \u2018wind up\u2019 a company if it cannot pay its debts. This is also known as compulsory liquidation.

    ", + "

    To wind up a company you must:

    ", + "
  • be owed \u00a3750 or more
  • ", + "
  • be able to prove that the company cannot pay you
  • ", + "

    You need to fill in forms and send them to the right court to apply to wind up a company.

    ", + "

    Your application to the court is known as a \u2018winding-up petition\u2019. If you\u2019re successful:

    ", + "
  • the company assets are sold
  • ", + "
  • any legal disputes are settled
  • ", + "
  • the company collects money it\u2019s owed
  • ", + "
  • funds are paid to you and any other creditors
  • ", + "

    You might not get all or any of the money you\u2019re owed.

    ", + "

    There are also other ways to recover money that you\u2019re owed. You can get a debt specialist (like a solicitor) to help you recover debt.

    ", + "

    Fees

    ", + "

    The fees are:

    ", + "
  • \u00a3280 - court fees
  • ", + "
  • \u00a31,600 - petition deposit (to manage the \u2018winding-up\u2019)
  • ", + "

    You might be able to get the fees back if the company can afford to repay them.

    ", + "

    Scottish companies

    ", + "

    There are different rules on winding up a company in Scotland.

    ", + "

    Apply

    ", + "

    You must send the right form to the court before they can deal with your petition. You might want to get legal help to make sure you submit your petition correctly.

    ", + "

    Forms

    ", + "

    Fill in form Comp 1 and make 3 copies.

    ", + "

    You\u2019ll need to:

    ", + "
  • make sure the company\u2019s details are correct
  • ", + "
  • state if any European Community regulations apply (this applies if the company is registered in or does business in England and Wales)
  • ", + "
  • ask the court to restore the company (if it\u2019s been dissolved) before winding up the company
  • ", + "

    You need to provide evidence the company owes you money, for example:

    ", + "
  • a statutory demand - include the amount and date the demand was served
  • ", + "
  • a court judgment - include the amount awarded (and your costs and interest), the date of the judgment, the court name and case number
  • ", + "

    You\u2019ll also need to fill in form Comp 2 confirming the details of your petition.

    ", + "

    Where to send the petition

    ", + "

    Where you send the petition depends on how much \u2018paid-up share capital\u2019 the company has - you can find this on the Companies House register.

    ", + "

    Paid-up share capital is \u00a3120,000 or more

    ", + "

    Submit the petition online. It\u2019ll go to the High Court.

    ", + "

    You pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.

    ", + "

    Paid-up share capital is under \u00a3120,000

    ", + "

    You\u2019ll need to find the court nearest to the company\u2019s registered office - the court must deal with bankruptcy.

    ", + "

    Submit the petition online if it\u2019s one of these courts:

    ", + "
  • Admiralty and Commercial Court
  • ", + "
  • Chancery Division
  • ", + "
  • Companies Court
  • ", + "
  • High Court (including Bankruptcy Court)
  • ", + "
  • London Mercantile Court
  • ", + "
  • Rolls Building
  • ", + "

    You pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.

    ", + "

    If it was another court you\u2019ll need to submit the petition by post. You can pay the fees by cash, postal order or a building society, bank or solicitor\u2019s cheque made payable to \u2018HM Courts and Tribunals Service\u2019.

    ", + "

    After you apply

    ", + "

    You\u2019ll get a copy of your petition from the court after you pay the petition deposit. You must:

    ", + "
  • deliver (\u2018serve\u2019) it to a company director or employee
  • ", + "
  • provide a certificate of service to the court confirming that the petition has been served on the company
  • ", + "

    You can get a \u2018process server\u2019 to help you - your solicitor can arrange this.

    ", + "

    You can serve the petition by attaching it to the company\u2019s front door or leaving it at the office if you cannot serve it in person.

    ", + "

    The day after you serve the petition, send a copy to the relevant liquidator, administrative receiver, administrator or supervisor if the company is involved in:

    ", + "
  • voluntary liquidation
  • ", + "
  • administrative receivership
  • ", + "
  • an administration order
  • ", + "
  • a voluntary arrangement
  • ", + "

    The court hearing

    ", + "

    If the court accepts your petition, they\u2019ll arrange a date for a hearing.

    ", + "

    Announce the hearing

    ", + "

    When you\u2019re given a date for the hearing, you must formally announce when and where it will take place.

    ", + "
  • At least 7 working days before the hearing, place an advert in The Gazette to say the petition has been served.
  • ", + "
  • Send a copy of the advert and form Comp 3 to the court at least 5 working days before the hearing.
  • ", + "
  • Give a list of everyone who will be attending to the court by 4:30pm on the day before the hearing.
  • ", + "

    The advert must state:

    ", + "
  • that you\u2019ve presented a petition to wind up the company
  • ", + "
  • your name and address
  • ", + "
  • your solicitor\u2019s name and address (if you have one)
  • ", + "
  • the date you presented the petition
  • ", + "
  • the court where the hearing will take place
  • ", + "
  • that anyone wanting to come to the hearing must give notice
  • ", + "

    After the hearing

    ", + "

    If the petition is successful, the court will issue a winding-up order.

    ", + "

    The court will put an official receiver in charge of the liquidation. They\u2019ll start the process of turning the company\u2019s assets into money that can be used to pay the company\u2019s debts.

    ", + "

    Other creditors can register to claim the money they\u2019re owed.

    " + ] + }, + { + "title": "Appeal a decision about a lawful development certificate", + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions about lawful development certificates.

    ", + "

    You can appeal against a lawful development certificate decision if either:

    ", + "
  • you disagree with it
  • ", + "
  • the decision was not made within 8 weeks (6 weeks for work to a listed building)
  • ", + "

    Do not appeal if you\u2019ve already been given an enforcement notice. You may have to pay additional costs if you do.

    ", + "

    Only the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Deadline for appealing

    ", + "

    There\u2019s normally no deadline. If you\u2019re appealing an application about a listed building lawful development certificate, you must appeal within 6 months of the decision.

    ", + "

    You can apply for planning permission at the same time as appealing a lawful development certificate decision.

    ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the local planning authority\u2019s decision notice - if they did not make a decision, send a copy of the letter acknowledging your application
  • ", + "
  • all plans, drawings and documents you sent to the local planning authority
  • ", + "
  • any letters or emails between you and the local planning authority
  • ", + "

    You\u2019ll also need to submit:

    ", + "
  • a map of the site
  • ", + "
  • any other documents that directly support your appeal, for example your grounds of appeal
  • ", + "

    If you think your land or building is now lawful because the time limit for enforcement has passed, you also need to submit evidence like:

    ", + "
  • dated photographs of the site
  • ", + "
  • letters from neighbours
  • ", + "
  • receipts or invoices for work
  • ", + "
  • plans and drawings
  • ", + "

    You can upload these documents or pictures of these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on a lawful development certificate appeal. Find the case on the appeals casework portal. The deadline for comments is 6 weeks after the start date of the appeal.

    ", + "

    Your local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. The local planning authority has to do this within 2 weeks of the appeal being validated by the Planning Inspectorate.

    ", + "

    If there\u2019s going to be an inquiry, interested parties can apply to have \u2018rule 6 status\u2019, which means they\u2019ll play a much bigger part. For example, they can call witnesses and give evidence.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Business rates", + "url": "https://www.gov.uk/introduction-to-business-rates", + "contents": [ + "

    Overview

    ", + "

    Business rates are charged on most non-domestic properties, like:

    ", + "
  • shops
  • ", + "
  • offices
  • ", + "
  • pubs
  • ", + "
  • warehouses
  • ", + "
  • factories
  • ", + "
  • holiday rental homes or guest houses
  • ", + "

    You\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.

    ", + "

    Business rates are handled differently in Scotland and Northern Ireland.

    ", + "

    What to pay and when

    ", + "

    Your local council will send you a business rates bill in February or March each year. This is for the following tax year. You can also estimate your business rates bill.

    ", + "

    You can get help with business rates from:

    ", + "
  • your council if you have questions about your bill
  • ", + "
  • the Valuation Office Agency (VOA) if you think your \u2018rateable value\u2019 is wrong
  • ", + "

    Relief schemes

    ", + "

    You may be able to get business rates relief from your local council to reduce your bill. This is sometimes automatic, but you may need to apply.

    ", + "

    The process depends on whether you\u2019re in England or Wales.

    ", + "

    Who does not need to pay

    ", + "

    Certain properties are exempt from business rates, for example farm buildings or places used for the welfare of disabled people.

    ", + "

    If you own a stable

    ", + "

    You usually need to pay business rates on your stables, unless you use your horses for farming.

    ", + "

    You may pay Council Tax instead if your stables are in your garden. Contact VOA to check if you\u2019re not sure which you should pay.

    ", + "

    How your rates are calculated

    ", + "

    Business rates are worked out based on your property\u2019s \u2018rateable value\u2019.

    ", + "

    This is its open market rental value on 1 April 2015, based on an estimate by the Valuation Office Agency (VOA).

    ", + "

    You can estimate your business rates by multiplying the rateable value by the correct \u2018multiplier\u2019 (an amount set by central government).

    ", + "

    Your bill will be reduced if your property\u2019s eligible for business rates relief.

    ", + "

    Business rates are handled differently in Scotland and Northern Ireland.

    ", + "

    If you think your rates are wrong

    ", + "

    You can ask for your property\u2019s rateable value to be corrected if you think it\u2019s wrong.

    ", + "

    If you\u2019re asked to provide rental information

    ", + "

    The VOA may ask you to provide rental information about your property so they can work out its rateable value.

    ", + "

    Contact the VOA if you need more time to send in your rental information.

    ", + "

    Revaluation

    ", + "

    At revaluation, the Valuation Office Agency (VOA) adjusts the rateable value of business properties to reflect changes in the property market.

    ", + "

    It usually happens every 5 years. The most recent revaluation came into effect in England and Wales on 1 April 2017, based on rateable values from 1 April 2015.

    ", + "

    You can check your valuation when you estimate your business rates.

    ", + "

    Business rates are handled differently in Scotland and Northern Ireland.

    ", + "

    What happens at revaluation

    ", + "

    At revaluation:

    ", + "
  • all properties are given a new rateable value
  • ", + "
  • multipliers are revised
  • ", + "

    This means that a change in your rateable value does not always mean a change in your bill.

    ", + "

    To make sure your valuations are accurate, you may need to give VOA up-to-date rental evidence for your property at revaluation.

    ", + "

    Get business rates relief

    ", + "

    You may be able to get a discount from your local council if you\u2019re eligible for business rates relief.

    ", + "

    For example you may be able to get:

    ", + "
  • transitional relief so that changes to your bill as a result of revaluation are phased in gradually
  • ", + "
  • small business relief so that you pay no business rates if your rateable value is below \u00a315,000
  • ", + "

    Get help with business rates

    ", + "

    You may be able to get a discount from your local council on your business rates if you\u2019re eligible for one or more business rates relief schemes.

    ", + "

    For help with your property\u2019s rateable value, contact the Valuation Office Agency (VOA).

    ", + "

    For help with your business rates bill (for example to pay in instalments) or rate relief, contact your council.

    ", + "

    Get professional advice

    ", + "

    You can also get help from a qualified rating surveyor through one of the following organisations:

    ", + "
  • Royal Institution of Chartered Surveyors (RICS)
  • ", + "
  • Institute of Revenues, Rating and Valuation (IRRV)
  • ", + "
  • Rating Surveyors Association
  • ", + "

    You may be charged for any advice you get from a rating surveyor right from the start.

    ", + "

    You can call the RICS enquiry line for advice. The first 30 minutes are free.

    ", + "

    If your business or premises change

    ", + "

    Your business rates could change if:

    ", + "
  • you move or make changes to your premises
  • ", + "
  • the nature of your business changes
  • ", + "
  • you sublet part of your property
  • ", + "
  • you merge 2 or more properties into 1
  • ", + "

    You must report any changes to ensure you\u2019re paying the right amount and do not get a backdated increase in your bill.

    ", + "

    Report changes using the Valuation Office Agency (VOA) service in England or Wales.

    ", + "

    Business rates are handled differently in Scotland and Northern Ireland

    ", + "

    If your premises are affected by local disruption

    ", + "

    You may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).

    ", + "

    Report changes using the VOA service.

    ", + "

    Working at home

    ", + "

    You do not usually have to pay business rates for home-based businesses if you:

    ", + "
  • use a small part of your home for your business, for example if you use a bedroom as an office
  • ", + "
  • sell goods by post
  • ", + "

    You may need to pay business rates as well as Council Tax if:

    ", + "
  • your property is part business and part domestic, for example if you live above your shop
  • ", + "
  • you sell goods or services to people who visit your property
  • ", + "
  • you employ other people to work at your property
  • ", + "
  • you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s
  • ", + "

    Contact the Valuation Office Agency (VOA) to find out if you should be paying business rates. In Scotland, contact your local assessor.

    ", + "

    Pubs and licensed trade

    ", + "

    In England and Wales, the Valuation Office Agency (VOA) works out your rateable value based on the annual level of trade (excluding VAT) that a pub is expected to achieve if operated in a reasonably efficient way.

    ", + "

    This is called \u2018fair maintainable trade\u2019 and it\u2019s based on:

    ", + "
  • the type of pub or licensed premises
  • ", + "
  • the area it\u2019s in
  • ", + "
  • the services it offers, for example food, gaming, or sports screenings
  • ", + "

    The VOA also looks at rents and turnovers to work out the fair maintainable trade figure, then applies a percentage to work out the rateable value.

    ", + "

    The percentages are agreed with the British Beer and Pub Association and they\u2019re in the VOA\u2019s pub guide.

    ", + "

    You can read more about how the VOA values pubs and other licensed premises for business rates.

    ", + "

    Contact the VOA if you want to check the figures they\u2019re using or do not agree with the figures being used.

    ", + "

    You can also find and check your business rates valuation online.

    ", + "

    You\u2019ll need to provide details of turnover (excluding VAT) for all sources, such as liquor, food and gaming.

    ", + "

    You can also use the online contact VOA service.

    ", + "

    Scotland

    ", + "

    In Scotland, your local assessor works out your rateable value.

    ", + "

    If you want to check the figures they\u2019re using or do not agree with the figures being used, contact your local assessor.

    ", + "

    Self-catering and holiday let accommodation

    ", + "

    If your property is in England and available to let for short periods that total 140 days or more per year, it will be rated as a self-catering property and valued for business rates.

    ", + "

    If your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:

    ", + "
  • available to let for short periods that total 140 days or more per year
  • ", + "
  • actually let for 70 days
  • ", + "

    There are different rules in Scotland.

    ", + "

    The Valuation Office will work out the rateable value of your property based on its type, size, location, quality and how much income you\u2019re likely to make from letting it.

    ", + "

    If you only let one property and its rateable value is less than \u00a315,000 you may be eligible for small business rate relief.

    " + ] + }, + { + "title": "Business rates relief", + "url": "https://www.gov.uk/apply-for-business-rate-relief", + "contents": [ + "

    Overview

    ", + "

    Some properties are eligible for discounts from the local council on their business rates. This is called \u2018business rates relief\u2019.

    ", + "

    Rates relief is handled differently in Scotland, Wales and Northern Ireland.

    ", + "

    You have to contact your local council to see if you\u2019re eligible and apply for:

    ", + "
  • small business rate relief
  • ", + "
  • rural rate relief
  • ", + "
  • charitable rate relief
  • ", + "
  • enterprise zone relief
  • ", + "
  • hardship relief
  • ", + "
  • retail discount
  • ", + "
  • local newspaper relief
  • ", + "

    Your council automatically applies:

    ", + "
  • exempted buildings and empty buildings relief
  • ", + "
  • transitional relief if your rates change by more than a certain amount at revaluation
  • ", + "

    Contact your local council if you\u2019re not getting a relief you think you\u2019re entitled to.

    ", + "

    Find out what support is available for businesses, including business rates grants or holidays, because of coronavirus (COVID-19).

    ", + "

    If your premises are affected by local disruption

    ", + "

    You may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).

    ", + "

    You can report that something external to the premises has affected its value using the Valuation Office Agency service.

    ", + "

    Small business rate relief

    ", + "

    You can get small business rate relief if:

    ", + "
  • your property\u2019s rateable value is less than \u00a315,000
  • ", + "
  • your business only uses one property - you may still be able to get relief if you use more
  • ", + "

    Contact your local council to apply for small business rate relief.

    ", + "

    What you get

    ", + "

    You will not pay business rates on a property with a rateable value of \u00a312,000 or less.

    ", + "

    For properties with a rateable value of \u00a312,001 to \u00a315,000, the rate of relief will go down gradually from 100% to 0%.

    ", + "

    If you use more than one property

    ", + "

    When you get a second property, you\u2019ll keep getting any existing relief on your main property for 12 months.

    ", + "

    You can still get small business rate relief on your main property after this if both the following apply:

    ", + "
  • none of your other properties have a rateable value above \u00a32,899
  • ", + "
  • the total rateable value of all your properties is less than \u00a320,000 (\u00a328,000 in London)
  • ", + "

    You\u2019re a small business but do not qualify for small business rate relief

    ", + "

    If your property in England has a rateable value below \u00a351,000, your bill will be calculated using the small business multiplier, which is lower than the standard one. This is the case even if you do not get small business rate relief.

    ", + "

    The small business multiplier is 49.1p and the standard multiplier is 50.4p from 1 April 2019 to 31 March 2020. The multipliers may be different in the City of London.

    ", + "

    Rural rate relief

    ", + "

    You could get rural rate relief if your business is in a rural area with a population below 3,000.

    ", + "

    You will not pay business rates if your business is in an eligible area and either:

    ", + "
  • the only village shop or post office, with a rateable value of up to \u00a38,500
  • ", + "
  • the only public house or petrol station, with a rateable value of up to \u00a312,500
  • ", + "

    Contact your local council to check you\u2019re eligible and to apply for rural rate relief.

    ", + "

    Charitable rate relief

    ", + "

    Charities and community amateur sports clubs can apply for charitable rate relief of up to 80% if a property is used for charitable purposes.

    ", + "

    Contact your local council to:

    ", + "
  • check if you\u2019re eligible
  • ", + "
  • find out if they can top up the discount to 100% (called \u2018discretionary relief\u2019)
  • ", + "

    If you\u2019re not eligible for charitable rate relief

    ", + "

    You may still be able to get discretionary relief if you\u2019re a non-profit or voluntary organisation. Contact your council to find out.

    ", + "

    Enterprise zones

    ", + "

    If you\u2019re starting up or relocating to an enterprise zone you could qualify for business rates relief.

    ", + "

    The council works out how the relief is applied. You could get up to \u00a355,000 a year over 5 years.

    ", + "

    Find your local enterprise zone to check whether it offers business rates relief, and how and when to apply.

    ", + "

    Exempted buildings and empty buildings relief

    ", + "

    Exempted buildings

    ", + "

    Certain properties are exempt from business rates.

    ", + "

    You may not have to pay business rates on:

    ", + "
  • agricultural land and buildings, including fish farms
  • ", + "
  • buildings used for training or welfare of disabled people
  • ", + "
  • buildings registered for public religious worship or church halls
  • ", + "

    However, there are strict legal requirements for these exemptions.

    ", + "

    If your property is in England, you can report that you think it should be exempt using the Valuation Office Agency service.

    ", + "

    There\u2019s a different way to report exemptions if your property is in Wales.

    ", + "

    Empty properties

    ", + "

    You do not have to pay business rates on empty buildings for 3 months. After this time, most businesses must pay full business rates.

    ", + "

    Some properties can get extended empty property relief:

    ", + "
  • industrial premises (for example warehouses) are exempt for a further 3 months
  • ", + "
  • listed buildings - until they\u2019re reoccupied
  • ", + "
  • buildings with a rateable value under \u00a32,900 - until they\u2019re reoccupied
  • ", + "
  • properties owned by charities - only if the property\u2019s next use will be mostly for charitable purposes
  • ", + "
  • community amateur sports clubs buildings - only if the next use will be mostly as a sports club
  • ", + "

    Contact your local council to let them know when your property becomes vacant.

    ", + "

    Hardship relief

    ", + "

    In England, councils can reduce your business rates bill with hardship relief.

    ", + "

    To be eligible, you must satisfy your council that both:

    ", + "
  • you would be in financial difficulties without it
  • ", + "
  • giving hardship relief to you is in the interests of local people
  • ", + "

    Contact your local council and explain your situation if you think you\u2019re eligible.

    ", + "

    Transitional relief

    ", + "

    Transitional relief limits how much your bill can change each year as a result of revaluation.

    ", + "

    This means changes to your bill are phased in gradually, if you\u2019re eligible.

    ", + "

    You get transitional relief if your:

    ", + "
  • property is in England
  • ", + "
  • rates go up or down by more than a certain amount
  • ", + "

    Your council will adjust your bill automatically if you\u2019re eligible.

    ", + "

    How much your bill can change by

    ", + "

    How much your bill can change by from one year to the next depends on both:

    ", + "
  • your property\u2019s rateable value
  • ", + "
  • whether your bill is increasing or decreasing as a result of revaluation
  • ", + "

    You stop getting transitional relief when your bill reaches the full amount set by a revaluation.

    ", + "

    The business rates year is from 1 April to 31 March the following year.

    ", + "

    If your bill is increasing

    ", + "Rateable value | 2017 to 2018 | 2018 to 2019 | 2019 to 2020 | 2020 to 2021 | 2021 to 2022", + "Up to \u00a320,000 (\u00a328,000 in London) | 5.0% | 7.5% | 10.0% | 15.0% | 15.0%", + "20,001 (28,001 in London) to \u00a399,999 | 12.5% | 17.5% | 20.0% | 25.0% | 25.0%", + "Over \u00a3100,000 | 42.0% | 32.0% | 49.0% | 16.0% | 6.0%", + "

    If your bill is decreasing

    ", + "Rateable value | 2017 to 2018 | 2018 to 2019 | 2019 to 2020 | 2020 to 2021 | 2021 to 2022", + "Up to \u00a320,000 (\u00a328,000 in London) | 20.0% | 30.0% | 35.0% | 55.0% | 55.0%", + "20,001 (28,001 in London) to \u00a399,999 | 10.0% | 15.0% | 20.0% | 25.0% | 25.0%", + "Over \u00a3100,000 | 4.1% | 4.6% | 5.9% | 5.8% | 4.8%", + "

    If you\u2019ve received a transitional certificate

    ", + "

    The transitional certificate value will be used in the business rates calculation for your property instead of the usual rateable value.

    ", + "

    If you disagree with the value of the certificate, contact the Valuation Office Agency (VOA).

    ", + "

    Retail discount

    ", + "

    You could qualify for retail discount if your business is a:

    ", + "
  • shop
  • ", + "
  • restaurant, caf\u00e9, bar or pub
  • ", + "
  • cinema or music venue
  • ", + "
  • hospitality or leisure business - for example, a gym, a spa, a casino or a hotel
  • ", + "

    Contact your local council to find out if you\u2019re eligible.

    ", + "

    What you\u2019ll get

    ", + "

    If you\u2019re eligible, you could get:

    ", + "
  • 100% off your business rates bills for the 2020 to 2021 tax year (1 April 2020 to 31 March 2021)
  • ", + "
  • 100% off your business rates bills for the first 3 months of the 2021 to 2022 tax year (1 April 2021 to 30 June 2021)
  • ", + "
  • 66% off your business rates bills for the rest of the 2021 to 2022 tax year (1 July 2021 to 31 March 2022) - up to a total value of \u00a32 million
  • ", + "

    If your business was legally allowed to open during the national lockdown starting 5 January 2021, your discount for 1 July 2021 to 31 March 2022 will be capped at \u00a3105,000 rather than \u00a32 million.

    ", + "

    You can get the retail discount on top of any other business rates relief you\u2019re eligible for.

    ", + "

    If you opt out of the retail discount for the 2021 to 2022 tax year you cannot change your mind.

    ", + "

    Local newspaper relief

    ", + "

    You could get local newspaper relief if your property is used as office premises for journalists and reporters on a local newspaper.

    ", + "

    The relief is a \u00a31,500 reduction in business rates for eligible properties per year.

    ", + "

    You can only get the relief for one property per newspaper even if more than one property is used as offices for the newspaper.

    ", + "

    If several local newspapers use the same office, they can only get the relief on one newspaper title.

    ", + "

    Contact your local council to find out if you\u2019re eligible.

    ", + "

    You cannot get the relief for magazines.

    ", + "

    Nurseries discount

    ", + "

    You could qualify for nurseries discount if both:

    ", + "
  • your business is on Ofsted\u2019s Early Years Register
  • ", + "
  • your premises is wholly or mainly used to provide the Early Years Foundation Stage of education
  • ", + "

    What you\u2019ll get

    ", + "

    If you\u2019re eligible, you could get:

    ", + "
  • 100% off your business rates bills for the 2020 to 2021 tax year (1 April 2020 to 31 March 2021)
  • ", + "
  • 100% off your business rates bills for the first 3 months of the 2021 to 2022 tax year (1 April 2021 to 30 June 2021)
  • ", + "
  • 66% off your business rates bills for the rest of the 2021 to 2022 tax year (1 July 2021 to 31 March 2022) - up to a total value of \u00a3105,000
  • ", + "

    You can get the nurseries discount on top of any other business rates relief you\u2019re eligible for.

    ", + "

    If you opt out of the nurseries discount for the 2021 to 2022 tax year you cannot change your mind.

    " + ] + }, + { + "title": "Energy Performance Certificates for your business premises", + "url": "https://www.gov.uk/energy-performance-certificate-commercial-property", + "contents": [ + "

    Overview

    ", + "

    An Energy Performance Certificate (EPC) rates how energy efficient your building is using grades from A to G (with \u2018A\u2019 the most efficient grade).

    ", + "

    When you need an EPC

    ", + "

    You must have an EPC if:

    ", + "
  • you rent out or sell the premises
  • ", + "
  • a building under construction is finished
  • ", + "
  • there are changes to the number of parts used for separate occupation and these changes involve providing or extending fixed heating, air conditioning or mechanical ventilation systems
  • ", + "

    You can be fined between \u00a3500 and \u00a35,000 based on the rateable value of the building if you don\u2019t make an EPC available to any prospective buyer or tenant.

    ", + "

    When you must display one

    ", + "

    You must display an EPC by fixing it to your commercial building if all these apply:

    ", + "
  • the total useful floor area is over 500 square metres
  • ", + "
  • the building is frequently visited by the public
  • ", + "
  • an EPC has already been produced for the building\u2019s sale, rental or construction
  • ", + "

    How much it costs

    ", + "

    The cost of an EPC will depend on the building being assessed. All EPCs are valid for 10 years.

    ", + "

    How to get a certificate

    ", + "

    You can only get an Energy Performance Certificate (EPC) from a commercial energy assessor.

    ", + "

    The type of assessor you\u2019ll need will depend on the complexity and features of the building. If you need advice on choosing one, speak to a commercial (non-domestic) energy assessor or contact the approved accreditation scheme they belong to.

    ", + "

    Exemptions

    ", + "

    You don\u2019t need an Energy Performance Certificate (EPC) if you can demonstrate that the building is any of these:

    ", + "
  • listed or officially protected and the minimum energy performance requirements would unacceptably alter it
  • ", + "
  • a temporary building only going to be used for 2 years or less
  • ", + "
  • used as a place of worship or for other religious activities
  • ", + "
  • an industrial site, workshop or non-residential agricultural building that doesn\u2019t use much energy
  • ", + "
  • a detached building with a total floor space under 50 square metres
  • ", + "
  • due to be demolished by the seller or landlord and they have all the relevant planning and conservation consents
  • ", + "

    Vacant buildings and demolition

    ", + "

    A building is also exempt if all of the following are true:

    ", + "
  • it\u2019s due to be sold or rented out with vacant possession
  • ", + "
  • it\u2019s suitable for demolition and the site could be redeveloped
  • ", + "
  • the buyer or tenant has applied for planning permission to demolish it
  • ", + "

    Appeal a penalty charge

    ", + "

    You can ask for a review if you get a penalty charge notice. The notice will tell you how to do this. If the review fails you\u2019ll get a letter confirming your penalty.

    ", + "

    You can then appeal to the county court (or sheriff court in Scotland) but you must do this within 28 days of receiving your confirmed penalty.

    " + ] + }, + { + "title": "Fire safety in the workplace", + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "contents": [ + "

    Who's responsible

    ", + "

    You\u2019re responsible for fire safety in business or other non-domestic premises if you\u2019re:

    ", + "
  • an employer
  • ", + "
  • the owner
  • ", + "
  • the landlord
  • ", + "
  • an occupier
  • ", + "
  • anyone else with control of the premises, for example a facilities manager, building manager, managing agent or risk assessor
  • ", + "

    You\u2019re known as the \u2018responsible person\u2019. If there\u2019s more than one responsible person, you have to work together to meet your responsibilities.

    ", + "

    The Fire Safety Order also applies if you have paying guests, for example if you run a bed and breakfast, guesthouse or let a self-catering property.

    ", + "

    Fire safety rules are different in Scotland and Northern Ireland.

    ", + "

    Responsibilities

    ", + "

    As the responsible person you must:

    ", + "
  • carry out a fire risk assessment of the premises and review it regularly
  • ", + "
  • tell staff or their representatives about the risks you\u2019ve identified
  • ", + "
  • put in place, and maintain, appropriate fire safety measures
  • ", + "
  • plan for an emergency
  • ", + "
  • provide staff information, fire safety instruction and training
  • ", + "

    You can read about how to make sure your premises are safe from fire.

    ", + "

    Non-domestic premises

    ", + "

    Non-domestic premises are:

    ", + "
  • all workplaces and commercial premises
  • ", + "
  • all premises the public have access to
  • ", + "
  • the common areas of multi-occupied residential buildings
  • ", + "

    Shared premises

    ", + "

    In shared premises it\u2019s likely there\u2019ll be more than one responsible person. You\u2019ll need to co-ordinate your fire safety plans to make sure people on or around the premises are safe.

    ", + "

    For common or shared areas, the responsible person is the landlord, freeholder or managing agent.

    ", + "

    Alterations, extensions and new buildings

    ", + "

    When building new premises or doing building work on existing premises, you must comply with building regulations. This includes designing fire safety into the proposed building or extension.

    ", + "

    Read the fire safety building regulations.

    ", + "

    Penalties and enforcement

    ", + "

    You could be fined or go to prison if you do not follow fire safety regulations.

    ", + "

    Local fire and rescue authorities inspect premises and can issue fire safety notices telling you about changes you need to make.

    ", + "

    Fire risk assessments

    ", + "

    As the responsible person you must carry out and regularly review a fire risk assessment of the premises. This will identify what you need to do to prevent fire and keep people safe.

    ", + "

    You must keep a written record of your fire risk assessment if your business has 5 or more people.

    ", + "

    Carrying out the assessment

    ", + "
  • Identify the fire hazards.
  • ", + "
  • Identify people at risk.
  • ", + "
  • Evaluate, remove or reduce the risks.
  • ", + "
  • Record your findings, prepare an emergency plan and provide training.
  • ", + "
  • Review and update the fire risk assessment regularly.
  • ", + "

    The fire safety risk assessment chart gives more detailed information about these steps.

    ", + "

    You\u2019ll need to consider:

    ", + "
  • emergency routes and exits
  • ", + "
  • fire detection and warning systems
  • ", + "
  • fire fighting equipment
  • ", + "
  • the removal or safe storage of dangerous substances
  • ", + "
  • an emergency fire evacuation plan
  • ", + "
  • the needs of vulnerable people, for example the elderly, young children or those with disabilities
  • ", + "
  • providing information to employees and other people on the premises
  • ", + "
  • staff fire safety training
  • ", + "

    Help with the assessment

    ", + "

    You can do the fire risk assessment yourself with the help of standard fire safety risk assessment guides.

    ", + "

    If you do not have the expertise or time to do the fire risk assessment yourself you need to appoint a \u2018competent person\u2019 to help, for example a professional risk assessor.

    ", + "

    Your local fire and rescue authority might be able to give you advice if you\u2019re not sure your risk assessment\u2019s been carried out properly. However, they cannot carry out risk assessments for you.

    ", + "

    Assessment guides

    ", + "

    You can download the following guides on risk assessments in:

    ", + "
  • offices and shops
  • ", + "
  • factories and warehouses
  • ", + "
  • sleeping accommodation
  • ", + "
  • residential care premises
  • ", + "
  • educational premises
  • ", + "
  • small and medium places of assembly (holding 300 people or less)
  • ", + "
  • large places of assembly (holding more than 300 people)
  • ", + "
  • theatres, cinemas and similar premises
  • ", + "
  • open air events and venues
  • ", + "
  • healthcare premises
  • ", + "
  • animal premises and stables
  • ", + "
  • transport premises and facilities
  • ", + "

    You can also find guidance on:

    ", + "
  • risk assessments if you work in construction
  • ", + "
  • purpose-built blocks of flats and other types of housing if you\u2019re a landlord
  • ", + "

    Fire safety and evacuation plans

    ", + "

    Your plan must show how you have:

    ", + "
  • a clear passageway to all escape routes
  • ", + "
  • clearly marked escape routes that are as short and direct as possible
  • ", + "
  • enough exits and routes for all people to escape
  • ", + "
  • emergency doors that open easily
  • ", + "
  • emergency lighting where needed
  • ", + "
  • training for all employees to know and use the escape routes
  • ", + "
  • a safe meeting point for staff
  • ", + "

    People with mobility needs

    ", + "

    You should also make special arrangements for people with mobility needs, for example make sure there are people to help wheelchair users get downstairs if there\u2019s a fire.

    ", + "

    Fire safety equipment, drills and training

    ", + "

    Fire detection and warning systems

    ", + "

    You must have a fire detection and warning system. You may need different types of detectors, depending on the type of building and the work carried out in it.

    ", + "

    Fire fighting equipment

    ", + "

    The types of equipment you need depend on your business premises. You\u2019ll need to have any equipment properly installed, tested and maintained and train your staff to use them if necessary.

    ", + "

    Maintenance and testing

    ", + "

    You must carry out regular checks to make sure that:

    ", + "
  • all fire alarm systems are working
  • ", + "
  • the emergency lighting is working
  • ", + "
  • you record any faults in systems and equipment
  • ", + "
  • all escape routes are clear and the floor is in good condition
  • ", + "
  • all fire escapes can be opened easily
  • ", + "
  • automatic fire doors close correctly
  • ", + "
  • fire exit signs are in the right place
  • ", + "

    Fire drills and training

    ", + "

    You need to train new staff when they start work and tell all employees about any new fire risks.

    ", + "

    You should carry out at least one fire drill per year and record the results. You must keep the results as part of your fire safety and evacuation plan.

    ", + "

    Enforcement, appeals and penalties

    ", + "

    Your local fire and rescue authority visits premises to check the fire risk assessment and fire prevention measures are appropriate. Fire safety officers should help you understand the rules and comply with them.

    ", + "

    They can also take action if they think your fire safety measures are not adequate. For example, they might issue an informal notice suggesting safety measures.

    ", + "

    They could also give you a formal fire safety notice. They\u2019ll tell you how to fix the problems described in the notice.

    ", + "

    Alterations notice

    ", + "

    You could get an alterations notice if your premises have high safety risks or will have high safety risks if the use of the premises changes.

    ", + "

    Enforcement notice

    ", + "

    You could get an enforcement notice if the fire and rescue authority finds a serious risk that\u2019s not being managed. It will say what improvements are needed by when.

    ", + "

    Prohibition notice

    ", + "

    These take effect immediately if the fire and rescue authority thinks the fire risk is so great that access to your premises needs to be prohibited or restricted.

    ", + "

    Appeals

    ", + "

    You may be able to arrange an informal review from your fire and rescue authority if you disagree with the decision to issue a fire safety notice.

    ", + "

    You can appeal to your local magistrates\u2019 court within 21 days of receiving a notice.

    ", + "

    In certain circumstances, you and the fire and rescue authority can ask for a \u2018determination\u2019 from the Home Secretary to resolve a dispute.

    ", + "

    Penalties

    ", + "

    You could be fined or go to prison if you do not follow fire safety regulations.

    ", + "

    Minor penalties can be up to \u00a35,000. Major penalties can have unlimited fines and up to 2 years in prison.

    " + ] + }, + { + "title": "Planning permission", + "url": "https://www.gov.uk/planning-permission-england-wales", + "contents": [ + "

    When you need it

    ", + "

    You\u2019ll probably need planning permission if you want to:

    ", + "
  • build something new
  • ", + "
  • make a major change to your building, such as building an extension
  • ", + "
  • change the use of your building
  • ", + "

    To find out if your project will need planning permission, contact your local planning authority (LPA) through your local council.

    ", + "

    Find out about the planning system in Scotland, Wales and Northern Ireland.

    ", + "

    Applying for planning permission

    ", + "

    To apply for planning permission, contact your LPA through your local council.

    ", + "

    If your project needs planning permission and you do the work without getting it, you can be served an \u2018enforcement notice\u2019 ordering you to undo all the changes you have made.

    ", + "

    It\u2019s illegal to ignore an enforcement notice, but you can appeal against it.

    ", + "

    When you do not need it

    ", + "

    Some building projects do not need planning permission. This is known as \u2018permitted development rights\u2019.

    ", + "

    Building projects that normally have permitted development rights include:

    ", + "
  • industrial premises and warehouses
  • ", + "
  • some outdoor signs and advertisements - though there are special rules around adverts
  • ", + "
  • demolition - but before you begin you must get approval to demolish from your local planning authority (LPA) through your local council
  • ", + "

    There are other projects that might not need planning permission - for example, projects that will have no impact on your neighbours or the environment. If you think this could apply to your project, check with your LPA through your local council.

    ", + "

    Community Rights in England

    ", + "

    If your building project benefits the local community, and the community supports it, you may not have to go through the normal planning permission process. Neighbourhood planning lets your community grant planning permission directly under certain circumstances.

    ", + "

    After you apply

    ", + "

    Your local planning authority (LPA) will decide whether to grant planning permission for your project based on its development plan. It will not take into account whether local people want it.

    ", + "

    To decide whether a planning application fits with its development plan, an LPA will look at:

    ", + "
  • the number, size, layout, siting and external appearance of buildings
  • ", + "
  • the infrastructure available, such as roads and water supply
  • ", + "
  • any landscaping needs
  • ", + "
  • what you want to use the development for
  • ", + "
  • how your development would affect the surrounding area - for example, if it would create lots more traffic
  • ", + "

    In most cases, planning applications are decided within 8 weeks. In England, for unusually large or complex applications the time limit is 13 weeks. If the decision takes longer, you can appeal.

    ", + "

    Appeals

    ", + "

    If your application is refused, try to come to an agreement with the local planning authority (LPA) by adjusting your plans.

    ", + "

    If you cannot reach an agreement, you can appeal.

    ", + "

    Appeals can take several months to be decided.

    ", + "

    What you can appeal against

    ", + "

    You can only appeal against a decision if the LPA:

    ", + "
  • refuses your application
  • ", + "
  • grants permission but with conditions you object to
  • ", + "
  • refuses to change or remove a condition of planning permission that has been granted with conditions
  • ", + "
  • refuses to approve something reserved under an \u2018outline permission\u2019 \u2013 planning permission for a general idea, not of a specific plan
  • ", + "
  • refuses to approve something that you were told to build by your LPA as part of a previous planning permission \u2013 the current development was one of the \u2018conditions\u2019 stated in the previous planning permission
  • ", + "
  • does not make a decision on the application within the deadline and does not get your written consent to change the deadline
  • ", + "
  • serves you with an enforcement notice because it thinks you have broken planning permission and you do not agree
  • ", + "

    Read the guidance on the appeals process.

    " + ] + }, + { + "title": "Water and sewerage rates for businesses", + "url": "https://www.gov.uk/water-and-sewerage-rates-for-businesses", + "contents": [ + "

    Water

    ", + "

    You\u2019ll have to pay for any water your business uses, and for the drainage of water and effluent (liquid waste) from your premises.

    ", + "

    Ofwat regulates the water industry in England and Wales. There are different regulators in Scotland and Northern Ireland.

    ", + "

    How you\u2019ll be charged

    ", + "

    You\u2019ll be charged either:

    ", + "
  • for the water you use, plus a set charge (if you\u2019ve got a meter)
  • ", + "
  • a set amount, usually based on the value of your property
  • ", + "

    Your business could be eligible for a large user tariff, meaning your water might be cheaper. This is because it often costs less to supply larger businesses.

    ", + "

    Sewerage and effluent

    ", + "

    You\u2019ll be charged for any \u2018foul sewerage\u2019 (such as wastewater from a toilet or kitchen) and drainage from your property. The amount you pay is usually linked to how much water you use.

    ", + "

    You\u2019ll also have to pay for any effluent (liquid waste) you produce. Effluent is water contaminated with things like:

    ", + "
  • fats, oils and grease
  • ", + "
  • chemicals
  • ", + "
  • food waste
  • ", + "

    The amount your water supplier will charge is usually based on the amount and strength of the effluent before it reaches the sewer.

    ", + "

    Sewerage charges can either appear on your water bill or your effluent bill, depending on your supplier.

    ", + "

    Choosing a supplier

    ", + "

    You may be able to choose your water and sewerage service provider depending on where your business is.

    ", + "

    In England and Wales you can check with Ofwat whether you can choose your own supplier.

    ", + "

    In Scotland choose your supplier from the Water Commission\u2019s list of suppliers.

    ", + "

    In Northern Ireland you can\u2019t choose your own supplier - water is supplied by Northern Ireland Water.

    " + ] + }, + { + "title": "Food labelling and packaging", + "url": "https://www.gov.uk/food-labelling-and-packaging", + "contents": [ + "

    Overview

    ", + "

    To sell food and drink products, the label must be:

    ", + "
  • clear and easy to read
  • ", + "
  • permanent
  • ", + "
  • easy to understand
  • ", + "
  • easily visible
  • ", + "
  • not misleading
  • ", + "

    You must show certain basic information and list the ingredients. You might also have to show certain warnings.

    ", + "

    There are special regulations for labelling wine.

    ", + "

    Products sold loose or in catering businesses

    ", + "

    If you run a catering business, you sell food loose or package it for sale in your shop, you only need to show:

    ", + "
  • the name of the food
  • ", + "
  • if any of the ingredients have been irradiated, or have come from genetically modified sources
  • ", + "
  • certain warnings
  • ", + "
  • any food additive you have added
  • ", + "
  • allergen information
  • ", + "

    You must show more information if you sell meat products loose.

    ", + "

    Packaging

    ", + "

    If you package food yourself, you must use packaging that\u2019s suitable for food use. Suitable packaging is marked \u2018for food contact\u2019 or has a symbol on it that looks like a wine glass and a fork.

    ", + "

    There are special rules for using plastics, ceramics or cellophane for packaging. You must have written evidence that you\u2019ve kept to them.

    ", + "

    This is known as a \u2018declaration of compliance\u2019 and you can get it from your packaging supplier. You also have to get one if you buy food that\u2019s already packaged for sale in any of those materials.

    ", + "

    Read the national legislation on food contact materials for England, Northern Ireland, Wales or Scotland.

    ", + "

    Food assurance schemes

    ", + "

    You could also join voluntary food assurance schemes such as Red Tractor or Lion Eggs. These schemes let customers know food has been produced to certain standards, for example on food safety or animal welfare.

    ", + "

    Food labelling - what you must show

    ", + "

    You must show the following information:

    ", + "
  • the name of the food
  • ", + "
  • a \u2018best before\u2019 or \u2018use by\u2019 date
  • ", + "
  • any necessary warnings
  • ", + "
  • net quantity information
  • ", + "
  • a list of ingredients (if there is more than 1)
  • ", + "
  • the country or place of origin, if required
  • ", + "
  • the lot number or use-by date
  • ", + "
  • any special storage conditions
  • ", + "
  • instructions for use or cooking, if necessary
  • ", + "

    If you\u2019re selling food in Great Britain (England, Wales and Scotland), you must also include the name and address of the UK or EU business responsible for the information on the food. If the business is not in the UK or EU, you must include the name and address of the importer.

    ", + "

    If you\u2019re selling food in Northern Ireland, you must include the name and address of the Northern Irish or EU business responsible for the information on the food. If the business is not in Northern Ireland or the EU, you must include the name and address of the importer.

    ", + "

    Check if there are other food labelling standards you must follow.

    ", + "

    Quantity information

    ", + "

    You must put the net quantity in grams, kilograms, millilitres or litres on the label of:

    ", + "
  • packaged food over 5g or 5ml
  • ", + "
  • packaged herbs and spices
  • ", + "

    Solid foods packed in a liquid (or an ice glaze) must show the drained net weight.

    ", + "

    The net quantity must be close enough to the name of the food that you can see all this information at the same time. This also applies to the alcoholic strength for alcoholic drinks.

    ", + "

    You do not have to show the weight or volume on foods sold by number, for example 2 bread rolls, provided that you can clearly see the number of items inside the packaging.

    ", + "

    Read more guidance on quantity labelling.

    ", + "

    Information you may have to show

    ", + "

    You must also show these if they apply to your product:

    ", + "
  • a warning for drinks with an alcohol content above 1.2%
  • ", + "
  • a warning if the product contains GM ingredients, unless their presence is accidental and 0.9% or less
  • ", + "
  • a warning if the product has been irradiated
  • ", + "
  • the words \u2018packaged in a protective atmosphere\u2019 if the food is packaged using a packaging gas
  • ", + "

    Country or place of origin

    ", + "

    You must show the country or place of origin for:

    ", + "
  • beef, veal, lamb, mutton, pork, goat and poultry
  • ", + "
  • fish and shellfish
  • ", + "
  • honey
  • ", + "
  • olive oil
  • ", + "
  • wine
  • ", + "
  • fruit and vegetables
  • ", + "

    You can label certain food from EU countries and Northern Ireland as \u2018origin EU\u2019. Food from and sold in Great Britain can be labelled as \u2018origin EU\u2019 until 30 September 2022. Check the rules for when to label meat, fish and shellfish with their country of origin.

    ", + "

    You must also show the country of origin if customers might be misled without this information, for example if the label for a pizza shows the leaning tower of Pisa but the pizza is made in the UK.

    ", + "

    If the primary ingredient in the food comes from somewhere different from where the product says it was made, the label must show this. For example, a pork pie labelled \u2018British\u2019 that\u2019s produced in the UK with pork from Denmark, must state \u2018with pork from Denmark\u2019 or \u2018made with pork from outside the UK\u2019.

    ", + "

    Special rules for some products

    ", + "

    There are special rules about what you have to show on the label if you supply any of the following:

    ", + "
  • bottled water
  • ", + "
  • bread and flour
  • ", + "
  • cocoa and chocolate products
  • ", + "
  • fats and oils
  • ", + "
  • fish
  • ", + "
  • fruit juices and nectars
  • ", + "
  • honey
  • ", + "
  • jams and preserves
  • ", + "
  • meat and meat products
  • ", + "
  • milk and milk products
  • ", + "
  • soluble coffee
  • ", + "
  • sugar
  • ", + "

    Ingredients list

    ", + "

    If your food or drink product has 2 or more ingredients (including any additives), you must list them all. Ingredients must be listed in order of weight, with the main ingredient first.

    ", + "

    Ingredient quantities

    ", + "

    You also have to show the percentage of an ingredient if it is:

    ", + "
  • highlighted by the labelling or a picture on a package, for example \u2018extra cheese\u2019
  • ", + "
  • mentioned in the name of the product, for example \u2018cheese and onion pasty\u2019
  • ", + "
  • normally connected with the name by the consumer, for example fruit in a summer pudding
  • ", + "

    Allergens

    ", + "

    You must highlight allergens on the label using a different font, style or background colour. You must also list them in the ingredients.

    ", + "

    The allergens you need to highlight and list are:

    ", + "
  • celery
  • ", + "
  • cereals containing gluten - including wheat, rye, barley and oats
  • ", + "
  • crustaceans - including prawns, crab and lobster
  • ", + "
  • eggs
  • ", + "
  • fish
  • ", + "
  • lupin
  • ", + "
  • milk
  • ", + "
  • molluscs - including squid, mussels, cockles, whelks and snails
  • ", + "
  • mustard
  • ", + "
  • nuts
  • ", + "
  • peanuts
  • ", + "
  • sesame seeds
  • ", + "
  • soya beans
  • ", + "
  • sulphur dioxide or sulphites at levels above 10mg per kilogram or per litre
  • ", + "

    Food and drink warnings

    ", + "

    You must show an appropriate warning on the label if your food contains certain ingredients.

    ", + "Ingredient | Wording you must use", + "Allura red (E129) | \u2018May have an adverse effect on activity and attention in children\u2019", + "Aspartame | \u2018Contains a source of phenylalanine\u2019", + "Caffeine over 150 mg/l | \u2018Not suitable for children, pregnant women and persons sensitive to caffeine\u2019", + "Carmoisine (E122) | \u2018May have an adverse effect on activity and attention in children\u2019", + "Liquorice | \u2018Contains liquorice\u2019 (you may need extra wording for confectionery or alcohol containing liquorice)", + "Polyols | \u2018Excessive consumption may cause a laxative effect\u2019", + "Ponceau 4R (E124) | \u2018May have an adverse effect on activity and attention in children\u2019", + "Quinoline yellow (E104) | \u2018May have an adverse effect on activity and attention in children\u2019", + "Raw milk | \u2018This milk has not been heat-treated and may therefore contain organisms harmful to health\u2019", + "Skimmed milk with non-milk fat | There\u2019s no fixed wording, but you must show a warning that the product is unfit or not to be used for babies.", + "Sulphur dioxide over 10mg/l | \u2018Contains sulphur dioxide (or sulphites/sulfites)\u2019", + "Sunset yellow (E110) | \u2018May have an adverse effect on activity and attention in children\u2019", + "Sweeteners | \u2018With sweetener(s)\u2019", + "Sweeteners and sugar | \u2018With sugar and sweetener(s)\u2019", + "Tartrazine (E102) | \u2018May have an adverse effect on activity and attention in children\u2019", + "

    Nutrition, health claims and supplement labelling

    ", + "

    Nutrition labelling

    ", + "

    You must follow nutrition labelling information rules for all pre-packed products unless both of the following apply:

    ", + "
  • you\u2019re a small business with under 10 employees and a turnover of less than \u00a31.4 million
  • ", + "
  • you supply either direct to consumers or to local retailers - local means within your county, your neighbouring county, or up to 30 miles from your county boundary
  • ", + "

    Nutrition and health claims

    ", + "

    You have to follow certain rules if you want to make a nutrition claim (for example, low fat) or a health claim (for example, calcium helps maintain normal bones).

    ", + "

    You cannot claim or imply that food can treat, prevent or cure any disease or medical condition.

    ", + "

    Food supplements, fortified foods and foods for specific nutritional uses

    ", + "

    You must follow certain rules if you are manufacturing, selling or importing:

    ", + "
  • a food supplement
  • ", + "
  • a food fortified with vitamins and minerals
  • ", + "

    There are also specific rules for \u2018parnuts foods\u2019, for example:

    ", + "
  • formula milk for infants and young children
  • ", + "
  • baby food
  • ", + "
  • meal and total diet replacement for weight control
  • ", + "
  • medical foods
  • ", + "

    You must tell the Department for Health if you want to sell infant formula or medical food in the UK.

    ", + "

    Organic food

    ", + "

    If you\u2019re a retailer, you can label products \u2018organic\u2019 as long as:

    ", + "
  • at least 95% of the farm-grown ingredients are organic
  • ", + "
  • you sell direct to customers in your shop
  • ", + "

    Organic certification

    ", + "

    You must be certified by one of the organic control bodies if you produce or prepare organic food and you want to sell or label it as organic.

    ", + "

    You can decide which body to register with based on your location and needs.

    ", + "

    Once registered you\u2019ll have to:

    ", + "
  • follow a strict set of guidelines laid down by national and international law
  • ", + "
  • keep thorough and accurate records of production processes
  • ", + "
  • allow annual and random inspections
  • ", + "

    You\u2019ll also have to follow the rules for labelling organic products.

    ", + "

    You can check how food labelling rules are enforced.

    " + ] + }, + { + "title": "Food safety - your responsibilities", + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "contents": [ + "

    Food safety

    ", + "

    If your business deals in food you must:

    ", + "
  • make sure food is safe to eat
  • ", + "
  • make sure you don\u2019t add, remove or treat food in a way that makes it harmful to eat
  • ", + "
  • make sure the food is the same quality that you say it is
  • ", + "
  • make sure you don\u2019t mislead people by the way food is labelled, advertised or marketed
  • ", + "
  • keep records on where you got food from and show this information on demand - known as \u2018traceability\u2019 (PDF, 90KB)
  • ", + "
  • withdraw unsafe food and complete an incident report
  • ", + "
  • tell people why food has been withdrawn or recalled, for example by using a leaflet or poster
  • ", + "
  • display your food hygiene rating (if you sell food direct to the public)
  • ", + "

    Food additives

    ", + "

    If you use an additive in food you must:

    ", + "
  • only use an approved additive
  • ", + "
  • only use it if it is approved for use in that food
  • ", + "

    The food additive must not exceed the maximum permitted level.

    ", + "

    Food hygiene

    ", + "

    Part of complying with food safety is managing food hygiene.

    ", + "

    Hazard Analysis and Critical Control Point (HACCP) plan

    ", + "

    You usually have to write a plan based on the HACCP principles if you run a food business. This keeps your food safe from biological, chemical and physical safety hazards.

    ", + "

    Food contact materials

    ", + "

    Materials and packaging that can be reasonably expected to come into contact with food are called \u2018food contact materials\u2019. These can include:

    ", + "
  • packaging
  • ", + "
  • food processing equipment
  • ", + "
  • cookware
  • ", + "
  • work surfaces
  • ", + "

    To keep food safe for consumption:

    ", + "
  • make sure food contact materials don\u2019t transfer anything to food they touch
  • ", + "
  • make sure food contact materials don\u2019t change the food they touch
  • ", + "
  • when inspected, be able to show where the food contact materials came from
  • ", + "

    Bacteria and food poisoning

    ", + "

    To keep food safe from bacteria, you should follow HACCP. Bacteria that cause serious health problems are:

    ", + "
  • E.coli O157 and campylobacter
  • ", + "
  • salmonella, especially with the storage and handling of eggs
  • ", + "

    Food hygiene training

    ", + "

    Employers are responsible for staff hygiene training. It can be either a formal programme or informal training, such as on the job training or self study.

    ", + "

    Food allergies

    ", + "

    If you are a food retailer or caterer you need to manage food allergies when preparing and selling food.

    ", + "

    Food inspections

    ", + "

    You can be inspected by your local council at any point in the food production and distribution process. All inspectors must follow the Food Law Code of Practice. Usually, you won\u2019t be told an inspection is going to happen.

    ", + "

    How often you\u2019re inspected depends on the risk your business poses to public health. You might not be inspected as often if you\u2019re a member of a recognised assurance scheme. You can search for a registered assurance scheme online.

    ", + "

    If you\u2019re a food retailer or caterer you will be inspected on a more regular basis to make sure you comply with food safety laws.

    ", + "

    Your premises, food, records and procedures can be inspected. Food samples can be taken as well as photographed.

    ", + "

    Find your local council enforcement officers.

    ", + "

    After the inspection

    ", + "

    You\u2019ll be sent a letter confirming any improvements you need to make and by when. Usually, you\u2019re responsible for confirming these\nimprovements have been made.

    ", + "

    For serious food safety problems you may be sent a \u2018notice\u2019. The notice can include banning you from using certain equipment or processes until improvements have been made. Your business will be revisited to make sure you have followed the improvements in the notice. Example notices include a:

    ", + "
  • Hygiene Improvement Notice
  • ", + "
  • Hygiene Emergency Prohibition Notices - banning you from using certain equipment or following certain processes
  • ", + "

    Appeals

    ", + "

    Your letter or notice should tell you how you can appeal a decision by an inspector.

    ", + "

    Report a food safety incident

    ", + "

    You must tell the Food Standards Agency (FSA) if you think any food your business:

    ", + "
  • has sold is unsafe
  • ", + "
  • has is unsafe
  • ", + "

    The FSA will tell you if the food must be withdrawn and customers asked to return it.

    ", + "

    Submit a food safety incident report.

    " + ] + }, + { + "title": "Get an EORI number", + "url": "https://www.gov.uk/eori", + "contents": [ + "

    Who needs an EORI

    ", + "

    You may need an Economic Operators Registration and Identification number (EORI number) if you move goods:

    ", + "
  • between Great Britain (England, Scotland and Wales) or the Isle of Man and any other country (including the EU)
  • ", + "
  • between Great Britain and Northern Ireland
  • ", + "
  • between Great Britain and the Channel Islands
  • ", + "
  • between Northern Ireland and countries outside the EU
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    To get an EORI number, your business usually needs to have premises based in the country you want to import to or export from - this is called \u2018being established\u2019. Your premises will need to be either a:

    ", + "
  • registered office
  • ", + "
  • central headquarters
  • ", + "
  • permanent business establishment - premises where some of your customs-related activities are taking place and your HR and technical resources are permanently located
  • ", + "

    You do not need an EORI number if you\u2019re moving goods for personal use only.

    ", + "

    If your business is not based in the country you\u2019re moving goods to or from

    ", + "

    You should still get an EORI number if you\u2019re:

    ", + "
  • making a customs declaration - check if you\u2019re eligible to make a customs declaration
  • ", + "
  • making an entry summary declaration
  • ", + "
  • making an exit summary declaration
  • ", + "
  • making a temporary storage declaration
  • ", + "
  • making a customs declaration for temporary admission or re-export declaration where you have a guarantee
  • ", + "
  • acting as a carrier for transporting goods by sea, inland waterway or air
  • ", + "
  • acting as a carrier connected to the customs system and you want to get notifications regarding the lodging or amendment of entry summary declarations
  • ", + "
  • established in a common transit country where the declaration is lodged instead of an entry summary declaration or is used as a pre-departure declaration
  • ", + "

    If you\u2019re not eligible to apply for an EORI number yourself, you\u2019ll need to appoint someone to deal with customs on your behalf. The person you appoint will need to get the EORI number instead of you.

    ", + "

    If you\u2019re based in the Channel Islands and you move goods to or from the UK, you do not need an EORI number. You\u2019ll need an EORI number if you use HMRC\u2019s customs systems like Customs Handling of Import and Export Freight (CHIEF).

    ", + "

    When you\u2019ll need your EORI number

    ", + "

    You\u2019ll need your EORI number if you:

    ", + "
  • appoint someone to deal with customs for you and are \u2018established\u2019 in the country you\u2019re importing to or exporting from
  • ", + "
  • make customs declarations
  • ", + "
  • use customs systems, such as the CHIEF system\nand the Import Control System Northern Ireland (ICS NI)
  • ", + "
  • apply for a customs decision
  • ", + "

    Check which EORI number you need

    ", + "

    Which type of EORI number you need and where you get it from depends on where you\u2019re moving goods to and from. You may need more than one.

    ", + "

    If you do not have the right EORI number, you may have delays at customs and increased costs, for example your goods may have to be stored until you get an EORI.

    ", + "

    If you\u2019re moving goods to or from Great Britain

    ", + "

    If you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.

    ", + "

    If you\u2019re moving goods to or from Northern Ireland

    ", + "

    You may also need an EORI number starting with XI if you move goods to or from Northern Ireland.

    ", + "

    You do not need an EORI number starting with XI if you already have an EORI number from an EU country.

    ", + "

    If your business will be making declarations or getting a customs decision in the EU

    ", + "

    You may need an EU EORI number from an EU country. Contact the customs authority in an EU country to get an EORI number. You do not need an EORI number from an EU country if you already have an EORI number starting with XI.

    ", + "

    If you move goods to or from Northern Ireland

    ", + "

    You must have an Economic Operators Registration and Identification number (EORI number) that starts with XI if you:

    ", + "
  • move goods into Northern Ireland from Great Britain (England, Scotland and Wales)
  • ", + "
  • move goods from Northern Ireland to another non-EU country
  • ", + "
  • make a declaration in Northern Ireland
  • ", + "
  • apply for a customs decision in Northern Ireland
  • ", + "

    You only need to declare certain goods you move from Northern Ireland to Great Britain. Check if you need to make an export declaration and will need an EORI number that starts with XI.

    ", + "

    Only people or organisations based in Northern Ireland or the EU can be named as the \u2018declarant\u2019 on import and export declarations made in Northern Ireland.

    ", + "

    You do not need an EORI number if you only move goods on the island of Ireland or between an EU country and Northern Ireland.

    ", + "

    If you already have an EU EORI number you do not need to apply for an XI EORI number.

    ", + "

    Find out how to apply for an XI EORI number.

    ", + "

    Get help and advice if you move goods between Great Britain and Northern Ireland

    ", + "

    Sign up for the Trader Support Service to get advice on EORI numbers and moving goods between Great Britain and Northern Ireland.

    ", + "

    Find more guidance on moving goods to and from Northern Ireland.

    ", + "

    Apply for an EORI number

    ", + "

    Apply for an EORI number that starts with GB

    ", + "

    To apply for an Economic Operators Registration and Identification number (EORI number) you need your:

    ", + "
  • Unique Taxpayer Reference (UTR) - find your UTR if you do not know it
  • ", + "
  • business start date and Standard Industrial Classification (SIC) code - these are in the Companies House register
  • ", + "
  • Government Gateway user ID and password
  • ", + "
  • VAT number and effective date of registration (if you\u2019re VAT registered) - these are on your VAT registration certificate
  • ", + "
  • National Insurance number - if you\u2019re an individual or a sole trader
  • ", + "

    If you do not already have a Government Gateway user ID, you\u2019ll be able to create one when you apply.

    ", + "

    Apply for a GB EORI number

    ", + "

    You\u2019ll get your GB EORI number immediately unless HMRC needs to make any checks on your application. If they do, it can take up to 5 working days.

    ", + "

    Apply for an EORI number that starts with XI

    ", + "

    Before you apply, check you\u2019re eligible for an XI EORI number.

    ", + "

    You must have applied for a GB EORI number before you can get an XI EORI number.

    ", + "

    Once you have your GB EORI number then fill in an enquiry form, making sure you:

    ", + "
  • tick the box to say you will be trading with Northern Ireland or are based in Northern Ireland
  • ", + "
  • tick the box saying your enquiry is a \u201cQuery regarding a current EORI number application\u201d
  • ", + "

    You\u2019ll get your XI EORI within 4 days.

    ", + "

    Get help with an EORI number

    ", + "

    You can check the status of an application you have already made.

    ", + "

    Fill in an enquiry form if you have forgotten your EORI number, your details have changed or you have a question about your application.

    " + ] + }, + { + "title": "Tax and customs for goods sent from abroad", + "url": "https://www.gov.uk/goods-sent-from-abroad", + "contents": [ + "

    Overview

    ", + "

    Anything posted or couriered to you from another country goes through customs to check it is not banned or restricted and you pay the right tax and \u2018duty\u2019 on it.

    ", + "

    This includes anything new or used that you:

    ", + "
  • buy online
  • ", + "
  • buy abroad and send back to the UK
  • ", + "
  • receive as a gift
  • ", + "

    Your responsibilities

    ", + "

    Before receiving your goods, you may have to pay VAT, Customs Duty or Excise Duty if they were sent to:

    ", + "
  • Great Britain (England, Wales and Scotland) from outside the UK
  • ", + "
  • Northern Ireland from countries outside the UK and the European Union (EU)
  • ", + "

    You must also check that the sender:

    ", + "
  • pays Excise Duty on any alcohol or tobacco sent from the EU to Northern Ireland
  • ", + "
  • declares goods correctly if they\u2019re sent from outside the UK (or from outside the EU for Northern Ireland)
  • ", + "

    Your goods may be seized if you do not follow the rules. You may also be fined or prosecuted.

    ", + "

    Tax and duty

    ", + "

    You\u2019ll be contacted by Royal Mail, Parcelforce or the courier company if you need to pay any VAT, duty or delivery charges (\u2018handling fees\u2019) to receive your goods.

    ", + "

    They\u2019ll send you a bill stating exactly which fees you need to pay.

    ", + "

    They\u2019ll normally hold your parcel for about 3 weeks. If you have not paid the bill by then, your parcel will be returned to the sender.

    ", + "

    You will not have to pay anything to the delivery company to receive goods worth less than \u00a3135 unless they\u2019re gifts over \u00a339 or excise goods (for example, alcohol and tobacco).

    ", + "

    VAT

    ", + "

    VAT is charged on all goods (except for gifts worth \u00a339 or less) sent from:

    ", + "
  • outside the UK to Great Britain
  • ", + "
  • outside the UK and the EU to Northern Ireland
  • ", + "

    VAT is not charged on goods that are gifts worth \u00a339 or less.

    ", + "

    You pay VAT when you buy the goods or to the delivery company before you receive them. If you have to pay VAT to the delivery company, it\u2019s charged on the total package value, including:

    ", + "
  • the value of the goods
  • ", + "
  • postage, packaging and insurance
  • ", + "
  • any duty you owe
  • ", + "

    VAT is charged at the VAT rate that applies to your goods.

    ", + "

    Goods worth \u00a3135 or less in total

    ", + "

    If you bought the goods yourself and they are not excise goods, the seller will have included VAT in the total you paid.

    ", + "

    You will need to pay VAT to the delivery company if the goods are:

    ", + "
  • gifts sent to you by someone else and worth more than \u00a339
  • ", + "
  • excise goods
  • ", + "

    Goods worth more than \u00a3135 in total

    ", + "

    You will have to pay VAT to the delivery company either before the goods are delivered or when you collect them.

    ", + "

    Customs Duty

    ", + "

    You\u2019ll be charged Customs Duty on all goods sent from outside the UK (or the UK and the EU if you\u2019re in Northern Ireland) if they\u2019re either:

    ", + "
  • excise goods
  • ", + "
  • worth more than \u00a3135
  • ", + "

    If you\u2019re charged Customs Duty, you\u2019ll need to pay it on both:

    ", + "
  • the price paid for the goods
  • ", + "
  • postage, packaging and insurance
  • ", + "Type and value of goods | Customs Duty", + "Non-excise goods worth \u00a3135 or less | No charge", + "Gifts above \u00a3135 and up to \u00a3630 | 2.5%, but rates are lower for some goods - call the helpline", + "Gifts above \u00a3630 and other goods above \u00a3135 | The rate depends on the type of goods and where they came from - call the helpline", + "

    You pay Customs Duty on excise goods of any value.

    ", + "

    Excise Duty

    ", + "

    If you\u2019re sent alcohol or tobacco from outside the UK, you\u2019ll be charged Excise Duty at current rates.

    ", + "

    If the goods are sent from the EU to Northern Ireland, check that the Excise Duty was included in the price. If it\u2019s not, your goods may be seized.

    ", + "

    It does not matter whether you buy the goods or they\u2019re sent as a gift.

    ", + "

    If you receive large amounts of alcohol or tobacco for your business, use the Trade Tariff to check duty rates.

    ", + "

    Your goods can also be seized if they\u2019re:

    ", + "
  • spirits over 35 centilitres without a UK duty stamp
  • ", + "
  • cigarettes or hand-rolling tobacco without UK health warnings or fiscal marks
  • ", + "

    If you\u2019re charged too much or return your goods

    ", + "

    Ask for a refund of VAT or Customs Duty if you:

    ", + "
  • return your goods
  • ", + "
  • think you\u2019ve been charged too much
  • ", + "

    Download and fill in:

    ", + "
  • form BOR 286 if Royal Mail or Parcelforce delivered the goods
  • ", + "
  • form C285 if a courier or freight company delivered the goods
  • ", + "

    Documents

    ", + "

    Check that goods sent to you from outside the UK (or outside the UK and the EU for goods in Northern Ireland) are declared to customs correctly.

    ", + "

    If they\u2019re not declared correctly, your goods may be seized.

    ", + "

    You must either:

    ", + "
  • check that the sender fills in the customs declaration form correctly
  • ", + "
  • fill in the customs declaration yourself - this can delay getting your goods by at least 4 weeks
  • ", + "

    Filling in the customs declaration yourself

    ", + "

    The sender must write \u2018goods to be declared by importer\u2019 on the customs declaration form.

    ", + "

    Before you can collect your goods, you\u2019ll be sent:

    ", + "
  • a full customs declaration form to fill in
  • ", + "
  • a letter explaining how to pay any tax or duty you owe
  • ", + "

    Gifts

    ", + "

    To qualify as gifts, goods must be:

    ", + "
  • described as gifts on the customs declaration
  • ", + "
  • for a birthday, anniversary or other occasion
  • ", + "
  • bought and sent between individuals (not companies)
  • ", + "
  • intended for personal use
  • ", + "

    Sending more than one gift

    ", + "

    If you\u2019re sending more than one gift in the same parcel, you get the Customs Duty and VAT-free allowance for each gift if they\u2019re:

    ", + "
  • for different people
  • ", + "
  • listed on the customs declaration with their individual values
  • ", + "
  • wrapped individually
  • " + ] + }, + { + "title": "Take goods temporarily out of the UK", + "url": "https://www.gov.uk/taking-goods-out-uk-temporarily", + "contents": [ + "

    Overview

    ", + "

    You may need permission to temporarily move or export goods outside the UK, for example if you take sales samples to a trade show.

    ", + "

    Temporarily export goods out of the UK

    ", + "

    Most countries have a limit on the value of goods you can bring in duty free.

    ", + "

    If you\u2019re taking goods to another country temporarily for business reasons and you think you\u2019ll be over the duty free limit, you can usually get an ATA Carnet to avoid paying duty. This includes things like:

    ", + "
  • samples to show at trade fairs or sales meetings
  • ", + "
  • publicity materials
  • ", + "
  • recorded film and audio
  • ", + "
  • equipment you need for work like laptops, cameras or sound equipment
  • ", + "
  • goods for educational, scientific or cultural purposes
  • ", + "
  • personal effects and sports goods
  • ", + "

    If you\u2019re taking a vehicle, get a CPD Carnet instead.

    ", + "

    Licences for controlled goods

    ", + "

    Check if your goods are controlled and you need a licence.

    ", + "

    Temporary licences are available for some types of controlled goods, for example:

    ", + "
  • controlled drugs for personal use
  • ", + "
  • weapons or dual use goods and services
  • ", + "

    Get an ATA Carnet

    ", + "

    You can use an ATA Carnet in around 70 countries.

    ", + "

    Countries have their own rules about what goods you can bring in with an ATA Carnet. Check with the issuer in the country you\u2019re exporting to.

    ", + "

    If you cannot use an ATA Carnet (or do not want to pay the fee), use a Duplicate List to temporarily export your goods instead.

    ", + "

    If you do not get an ATA Carnet or Duplicate List

    ", + "

    You\u2019ll need to declare your goods and pay duties every time your goods go through customs.

    ", + "

    You\u2019ll also need to follow the full customs rules and processes for exports and imports.

    ", + "

    You can check the rules on:

    ", + "
  • how to export goods from the UK
  • ", + "
  • how to import goods into the UK
  • ", + "

    How to apply

    ", + "

    You can apply for an ATA Carnet:

    ", + "
  • online
  • ", + "
  • by post
  • ", + "

    If you\u2019re using a freight forwarder, they\u2019ll usually fill this in for you.

    ", + "

    It usually costs \u00a3325.96 and you\u2019ll need to pay a security deposit.

    ", + "

    If you\u2019re sending goods to Taiwan, apply for a Taiwan Carnet instead.

    ", + "

    ATA Carnets are usually valid for 1 year. Ask the overseas customs authority if you need to extend it. You\u2019ll need their written approval before you apply for a replacement Carnet.

    ", + "

    Using an ATA Carnet

    ", + "

    Call the helpline when you\u2019re planning your journey.

    ", + "

    They\u2019ll check that a customs officer can stamp your Carnet at the port or airport your goods are being shipped from.

    ", + "

    When you return to the UK

    ", + "

    Go through the red channel at customs if you\u2019re bringing the goods back in your baggage.

    ", + "

    Get help with ATA Carnets

    ", + "

    Contact the ATA Carnet Unit if you have a question.

    ", + "

    If you do not use an ATA Carnet

    ", + "

    Use a Duplicate List to temporarily export goods if:

    ", + "
  • the country you\u2019re exporting to does not recognise the ATA Carnet
  • ", + "
  • you do not want to pay for an ATA Carnet
  • ", + "

    As with an ATA Carnet, you do not have to pay customs duty or tax. There\u2019s no fee, but it\u2019s more complicated than exporting something with an ATA Carnet.

    ", + "

    How to export goods using a Duplicate List

    ", + "

    Before you export the goods, prepare a list on company stationery. Include:

    ", + "
  • a description of the goods
  • ", + "
  • how many there are
  • ", + "
  • serial numbers, if the goods have them
  • ", + "
  • value of the goods
  • ", + "

    At customs, you\u2019ll need to provide:

    ", + "
  • 2 copies of the list
  • ", + "
  • a completed form C&E 1246 (PDF, 638 KB)
  • ", + "

    Contact the helpline in advance to make the arrangements.

    " + ] + }, + { + "title": "Find overseas customers and export opportunities", + "url": "https://www.gov.uk/overseas-customers-export-opportunities", + "contents": [ + "

    Find export opportunities

    ", + "

    Use great.gov.uk to:

    ", + "
  • make sure your business is ready to export
  • ", + "
  • show your products directly to overseas buyers through the \u2018find a buyer\u2019 service
  • ", + "
  • find overseas opportunities for your product or service
  • ", + "

    Start now

    ", + "

    Find customers online

    ", + "

    Get help selling online overseas and take advantage of special deals negotiated by the government.

    ", + "

    And join the e-exporting programme to get:

    ", + "
  • advice on developing a strategy from e-commerce and international trade experts
  • ", + "
  • special rates for some of the world\u2019s most popular online selling platforms
  • ", + "
  • regular updates on e-commerce trends and opportunities to hear from industry experts and network with other online traders
  • ", + "

    Contact e-exporting@trade.gov.uk to join the e-exporting programme.

    ", + "

    Get help from a trade specialist

    ", + "

    The Department for International Trade (DIT) has a network of trade specialists who can also help you find overseas customers by:

    ", + "
  • helping you prepare for a trade show or overseas market visit (sometimes grants are available - check with the event organiser)
  • ", + "
  • arranging introductions to potential overseas buyers, agents and distributors (there\u2019s a charge for this service)
  • ", + "

    To find out more, first see the export guidance on great.gov.uk, then contact a trade adviser in your region.

    ", + "

    If you had an OMIS account

    ", + "

    If you had an Overseas Market Introduction Service (OMIS) account and want to talk about something you commissioned, contact a trade adviser in your region or email omis.orders@digital.trade.gov.uk.

    ", + "

    Defence, security and cyber security

    ", + "

    Contact the Defence and Security Organisation (DSO) for help with:

    ", + "
  • presentations, product demonstrations and hosting delegations (including a bespoke hanger for exhibitions and demonstration centre for cyber security products)
  • ", + "
  • displaying your products on the DSO stand at exhibitions and trade shows
  • ", + "
  • booking military personnel to appear on your stand at an exhibition or trade show
  • ", + "
  • providing after sales training to customers
  • ", + "

    DSO provides media support for product launches or overseas campaigns. Call +44 (0)20 7215 8467.

    " + ] + }, + { + "title": "Business Asset Disposal Relief", + "url": "https://www.gov.uk/business-asset-disposal-relief", + "contents": [ + "

    Eligibility

    ", + "

    You may be able to pay less Capital Gains Tax when you sell (or \u2018dispose of\u2019) all or part of your business.

    ", + "

    Business Asset Disposal Relief means you\u2019ll pay tax at 10% on all gains on qualifying assets.

    ", + "

    Business Asset Disposal Relief was known as Entrepreneurs\u2019 Relief before 6 April 2020.

    ", + "

    If you\u2019re selling all or part of your business

    ", + "

    To qualify for relief, both of the following must apply for at least 2 years up to the date you sell your business:

    ", + "
  • you\u2019re a sole trader or business partner
  • ", + "
  • you\u2019ve owned the business for at least 2 years
  • ", + "

    The same conditions apply if you\u2019re closing your business instead. You must also dispose of your business assets within 3 years to qualify for relief.

    ", + "

    If you\u2019re selling shares or securities

    ", + "

    To qualify, both of the following must apply for at least 2 years up to the date you sell your shares:

    ", + "
  • you\u2019re an employee or office holder of the company (or one in the same group)
  • ", + "
  • the company\u2019s main activities are in trading (rather than non-trading activities like investment) - or it\u2019s the holding company of a trading group
  • ", + "

    There are also other rules depending on whether or not the shares are from an Enterprise Management Incentive (EMI).

    ", + "

    If the shares are from an EMI

    ", + "

    You must have both:

    ", + "
  • bought the shares after 5 April 2013
  • ", + "
  • been given the option to buy them at least 2 years before selling them
  • ", + "

    If the shares are not from an EMI

    ", + "

    For at least 2 years before you sell your shares, the business must be a \u2018personal company\u2019. This means that you have at least 5% of both the:

    ", + "
  • shares
  • ", + "
  • voting rights
  • ", + "

    You must also be entitled to at least 5% of either:

    ", + "
  • profits that are available for distribution and assets on winding up the company
  • ", + "
  • disposal proceeds if the company is sold
  • ", + "

    If the number of shares you hold falls below 5% because the company has issued more shares, you may still be able to claim Business Asset Disposal Relief.

    ", + "

    You need to choose or \u2018elect\u2019 to be treated as if you had sold and re-bought your shares immediately before the new shares were issued. This will create a gain on which you can claim Business Asset Disposal Relief.

    ", + "

    You can also choose or \u2018elect\u2019 to postpone paying tax on that gain until you come to sell your shares.

    ", + "

    You can do this by:

    ", + "
  • completing the additional information section of the Capital Gains summary form of your tax return
  • ", + "
  • writing to HMRC if you do not have to complete a tax return for the year
  • ", + "

    If the company stops being a trading company

    ", + "

    If the company stops being a trading company, you can still qualify for relief if you sell your shares within 3 years.

    ", + "

    If you\u2019re selling assets you lent to the business

    ", + "

    To qualify, both of the following must apply:

    ", + "
  • you\u2019ve sold at least 5% of your part of a business partnership or your shares in a personal company
  • ", + "
  • you owned the assets but let your business partnership or personal company use them for at least one year up to the date you sold your business or shares - or the date the business closed
  • ", + "

    If you\u2019re a trustee

    ", + "

    You may also qualify if you\u2019re a trustee selling assets held in the trust.

    ", + "

    Work out your tax

    ", + "

    How you work out your tax depends on whether all your gains are eligible for Business Asset Disposal Relief.

    ", + "

    If all your gains qualify for Business Asset Disposal Relief

    ", + "
  • Work out the gain for all qualifying assets.
  • ", + "
  • Add together the gains (and deduct qualifying losses) to work out the total taxable gain that\u2019s eligible for Business Asset Disposal Relief.
  • ", + "
  • Deduct your tax-free allowance.
  • ", + "
  • You\u2019ll pay 10% tax on what\u2019s left.
  • ", + "

    If you have other gains

    ", + "

    How much tax you pay on your other gains depends on what Income Tax rate you pay.

    ", + "

    Higher rate Income Tax payers

    ", + "

    For gains that do not qualify for Business Asset Disposal Relief you\u2019ll pay:

    ", + "
  • 28% on gains from residential property
  • ", + "
  • 20% on gains made from other chargeable assets
  • ", + "

    You can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).

    ", + "

    Basic rate Income Tax payers

    ", + "

    If you\u2019re a basic rate taxpayer, you need to work out the tax rate you\u2019ll pay on gains that are not eligible for Business Asset Disposal Relief.

    ", + "
  • Work out how much taxable income you have - deduct your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.
  • ", + "
  • Deduct this amount from the basic rate tax band for the year you made the gains (\u00a337,500 for the 2020 to 2021 tax year). This gives you the amount of basic rate band you can use against your gains.
  • ", + "
  • Work out your total taxable gain.
  • ", + "
  • Use your basic rate band first against any gains eligible for Business Asset Disposal Relief. You\u2019ll pay 10% tax on these.
  • ", + "
  • Use any remaining basic rate band against your other gains. You\u2019ll pay 18% on gains made on residential property and 10% on gains from all other chargeable assets.
  • ", + "
  • For gains above the basic rate band you\u2019ll pay 28% on gains made on residential property and 20% on gains from all other chargeable assets.
  • ", + "
  • You can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).
  • ", + "

    Get help

    ", + "

    Contact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.

    ", + "

    How to claim

    ", + "

    You can claim Business Asset Disposal Relief either:

    ", + "
  • through your Self Assessment tax return
  • ", + "
  • by filling in Section A of the Business Asset Disposal Relief helpsheet
  • ", + "

    There\u2019s no limit to how many times you can claim Business Asset Disposal Relief.

    ", + "

    You can claim a total of \u00a31 million in Business Asset Disposal Relief over your lifetime.

    ", + "

    You may be able to claim more if you sold your assets before 11 March 2020. Contact HMRC to find out.

    ", + "

    Deadline

    ", + "Tax year when you sold or closed your business | Deadline to claim Business Asset Disposal Relief", + "2020 to 2021 | 31 January 2023", + "2019 to 2020 | 31 January 2022", + "2018 to 2019 | 31 January 2021" + ] + }, + { + "title": "Dealing with your limited company's debts", + "url": "https://www.gov.uk/protecting-company-from-compulsory-liquidation", + "contents": [ + "

    If your company cannot pay its debts

    ", + "

    Your limited company can be liquidated (\u2018wound up\u2019) if it cannot pay its debts.

    ", + "

    The people or organisations your company owes money to (your \u2018creditors\u2019) can apply to the court to get their debts paid.

    ", + "

    They can do this by either:

    ", + "
  • getting a court judgment
  • ", + "
  • making an official request for payment - this is called a statutory demand
  • ", + "

    Get professional advice from a solicitor or insolvency practitioner if your company is in debt.

    ", + "

    Responding to a court judgment

    ", + "

    You have 14 days to respond to a court judgment.

    ", + "

    To respond, you must do one of the following:

    ", + "
  • pay the debt
  • ", + "
  • reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement
  • ", + "
  • put your company into administration
  • ", + "
  • apply to liquidate (\u2018wind up\u2019) your company yourself
  • ", + "
  • challenge the court judgment
  • ", + "

    If you do not respond to the court judgment within 14 days, your creditors can apply to have your assets seized by a bailiff or sheriff.

    ", + "

    Your creditors can apply to wind up your company if your assets are not worth enough to pay your debts.

    ", + "

    Responding to a statutory demand

    ", + "

    You have 21 days to respond to a statutory demand.

    ", + "

    To respond, you must do one of the following:

    ", + "
  • pay the debt
  • ", + "
  • reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement
  • ", + "
  • put your company into administration
  • ", + "
  • apply to liquidate (\u2018wind up\u2019) your company yourself
  • ", + "

    Your creditors can apply to wind up your company if you do not respond to the statutory demand within 21 days.

    ", + "

    Stop your creditors from applying to wind up your company

    ", + "

    You can apply to the court to stop (\u2018restrain\u2019) your creditors from applying to wind up your company. You must do this within 21 days of getting the statutory demand.

    ", + "

    Download and fill in application form IAA.

    ", + "

    Which court you apply to depends on how much money shareholders have paid into your company by buying shares (\u2018paid up share capital\u2019).

    ", + "

    Check the Companies House register to find out your company\u2019s paid up share capital.

    ", + "

    Your paid up share capital is less than \u00a3120,000

    ", + "

    Use the court finder to find a court dealing with insolvency. You must use the court nearest your company\u2019s registered office.

    ", + "

    Your paid up share capital is more than \u00a3120,000

    ", + "

    You must apply to the High Court.

    ", + "

    Getting a winding-up order

    ", + "

    Your creditors can apply to the court to close down your company. They do this by making an application called a \u2018winding-up petition\u2019.

    ", + "

    You can apply to stop your creditors from making a winding-up petition if you were given a statutory demand.

    ", + "

    They can withdraw the petition if your company pays the debt or makes an arrangement to pay it.

    ", + "

    Attending the hearing

    ", + "

    If the petition is accepted, the court will arrange a date for a hearing.

    ", + "

    You must attend the hearing. Your creditors will announce when and where the hearing will take place in The Gazette.

    ", + "

    Your company can be put into the control of someone else until the hearing happens. This is known as \u2018provisional liquidation\u2019.

    ", + "

    If the court decides you cannot pay your debts

    ", + "

    The court will issue a winding-up order.

    ", + "

    An officer of the court (\u2018official receiver\u2019) will be put in charge of winding-up your company. You must co-operate with the official receiver.

    ", + "

    When you get a winding-up order:

    ", + "
  • your company\u2019s bank account will usually be frozen
  • ", + "
  • its assets or property will be sold by the official receiver
  • ", + "

    If any part of your company is bought with the intention of discontinuing the business (not running it as a \u2018going concern\u2019) then your employees will lose their jobs.

    ", + "

    You can be banned from being a director for up to 15 years if you do not carry out your duties properly.

    ", + "

    Cancel a winding-up order

    ", + "

    You can apply to cancel a winding-up order if you do not think you need to pay your creditors. You must do this within 5 working days of getting the order.

    " + ] + }, + { + "title": "Selling your business: your responsibilities", + "url": "https://www.gov.uk/selling-your-business-your-responsibilities", + "contents": [ + "

    Self-employed sole trader

    ", + "

    When you sell your business, you have legal responsibilities to staff you employ. You must also finalise your business\u2019 tax affairs.

    ", + "

    Staff

    ", + "

    If you have anyone working for you, you must tell them:

    ", + "
  • when and why you\u2019re selling the business
  • ", + "
  • about redundancy terms or relocation packages, if necessary
  • ", + "

    Make sure you don\u2019t breach employees\u2019 rights when a business changes ownership.

    ", + "

    Telling HMRC

    ", + "

    You can use the online form to tell HM Revenue and Customs (HMRC) that you\u2019ve sold your business. It covers both Self Assessment and National Insurance.

    ", + "

    You can also call HMRC\u2019s National Insurance helpline to cancel your Class 2 National Insurance contributions.

    ", + "

    VAT registration

    ", + "

    If you\u2019re registered for VAT, you may be able to transfer the VAT registration number to the new owner.

    ", + "

    Tax returns

    ", + "

    You must send a Self Assessment tax return by the deadline. You\u2019ll need to put the date you stopped trading on the return.

    ", + "

    Capital Gains Tax

    ", + "

    You may have made a capital gain when selling your business (for example the money you get from the sale, or assets from the business that you keep).

    ", + "

    If this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.

    ", + "

    Business partnership

    ", + "

    Your responsibilities when selling a partnership depend on whether you\u2019re selling:

    ", + "
  • your share of the partnership
  • ", + "
  • the entire partnership
  • ", + "

    Check your business\u2019 partnership agreement - it may have restrictions and conditions on the sale.

    ", + "

    Staff

    ", + "

    If you have anyone working for you, you must tell them about the sale, including:

    ", + "
  • when and why you\u2019re selling the partnership
  • ", + "
  • details about the redundancy terms or relocation packages you will offer, if required
  • ", + "

    Make sure you don\u2019t breach employees\u2019 rights when a business changes ownership.

    ", + "

    If you\u2019re stopping self-employment

    ", + "

    If you\u2019re stopping self-employment when you sell the partnership, call HM Revenue and Customs (HMRC) to cancel your Class 2 National Insurance contributions.

    ", + "

    VAT registration

    ", + "

    If the partnership is registered for VAT, you may be able to transfer the VAT registration number to the new owner.

    ", + "

    Tax returns

    ", + "

    If you\u2019re selling your share in the partnership

    ", + "

    You must fill out a personal Self Assessment tax return by the deadline.

    ", + "

    If you\u2019re selling the whole partnership

    ", + "

    You must:

    ", + "
  • make sure the \u2018nominated partner\u2019 sends a Partnership Tax Return by the deadline
  • ", + "
  • send your personal Self Assessment tax return by the deadline
  • ", + "

    Capital Gains Tax

    ", + "

    You may have made a \u2018capital gain\u2019 when selling the partnership (for example the money you get from the sale, or assets from the partnership that you keep).

    ", + "

    If this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.

    ", + "

    Limited company

    ", + "

    Your responsibilities will be different, depending on whether:

    ", + "
  • you\u2019re selling the entire shareholding in your limited company
  • ", + "
  • the company is selling part of its business
  • ", + "

    Selling the entire shareholding

    ", + "

    Appoint new directors or company secretaries

    ", + "

    You should appoint new directors before you resign as a director yourself.

    ", + "

    Tell Companies House to make these changes.

    ", + "

    Capital Gains Tax

    ", + "

    You may have made a \u2018capital gain\u2019 when selling the company (for example the money you get from the sale, or assets from it that you keep).

    ", + "

    If this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.

    ", + "

    Charges against your company

    ", + "

    If you\u2019ve secured finance for the company against your personal property (for example a mortgage on your house to secure a business loan), you must let the provider know within 21 days of the sale.

    ", + "

    VAT registration

    ", + "

    If the company is registered for VAT, you may want to transfer the VAT registration number to the new owner.

    ", + "

    If your company sells part of the business

    ", + "

    If any employees are affected by the sale (for example the company\u2019s selling its production business and factory staff will be affected), you must tell them about the changes, including:

    ", + "
  • when and why part of the company is being sold
  • ", + "
  • details about the redundancy terms or relocation packages, if necessary
  • ", + "

    Make sure you don\u2019t breach employees\u2019 rights when a business changes ownership.

    " + ] + }, + { + "title": "Avoid unfair terms in sales contracts", + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "contents": [ + "

    Overview

    ", + "

    Your standard sales contracts must be \u2018fair\u2019 or you won\u2019t be able to enforce them.

    ", + "

    There are different rules on what\u2019s fair for:

    ", + "
  • consumer contracts
  • ", + "
  • business contracts
  • ", + "

    You\u2019re legally responsible for certain situations, eg when goods you sell are faulty. You must not try to claim you\u2019re not responsible.

    ", + "

    You have more responsibilities towards consumers than towards other businesses.

    ", + "

    Customers\u2019 rights

    ", + "

    Your customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.

    ", + "

    Unfair consumer contracts

    ", + "

    You can\u2019t enforce unfair terms in a consumer contract, or unfair consumer notices (eg signs on a shop wall or in a car park).

    ", + "

    You can never enforce terms or notices that try to avoid your responsibility for:

    ", + "
  • death
  • ", + "
  • injury
  • ", + "
  • faulty goods
  • ", + "
  • goods that aren\u2019t as described
  • ", + "
  • selling goods that aren\u2019t yours to sell
  • ", + "

    You might not be able to enforce terms or notices if they try to avoid your responsibility in other ways, eg:

    ", + "
  • delays
  • ", + "
  • unsatisfactory services
  • ", + "
  • not doing what was agreed
  • ", + "

    Your contract terms might also be unfair if they weigh the contract significantly in your favour, eg:

    ", + "
  • by providing for excessive cancellation charges and automatic loss of all upfront payments
  • ", + "
  • by creating unbalanced rights, eg being able to cancel a contract at any time, but requiring the customer to give 3 months\u2019 notice
  • ", + "
  • by allowing you to increase the agreed price at a later date
  • ", + "

    Your contract won\u2019t be unfair just because it sets a price that\u2019s higher than another business charges.

    ", + "

    Contracts must be written in plain language to avoid being misleading and unfair.

    ", + "

    If a customer complains

    ", + "

    It\u2019s up to the courts to decide if a term in your contract or wording in your notices is unfair.

    ", + "

    You can be taken to court by the Competition and Markets Authority or a local trading standards office to stop you using unfair terms or notices.

    ", + "

    Consumers can also take legal action themselves to challenge unfair terms or notices.

    ", + "

    Read the guidance on unfair terms.

    ", + "

    Unfair business contracts

    ", + "

    Your standard contract would be unfair if you try to not take responsibility for:

    ", + "
  • death or injury - under any circumstances
  • ", + "
  • losses caused by negligence - unless to do so is \u2018reasonable\u2019
  • ", + "
  • defective or poor quality goods - unless to do so is \u2018reasonable\u2019
  • ", + "

    You must not try to claim you\u2019re not responsible for these things.

    ", + "

    What is reasonable

    ", + "

    It\u2019s up to the courts to decide what is reasonable.

    ", + "

    Courts will take into account:

    ", + "
  • the information available to both parties when the contract was drawn up
  • ", + "
  • if the contract was negotiated or in standard form
  • ", + "
  • if the buyer had the bargaining power to negotiate better terms
  • ", + "

    Implied and statutory rights

    ", + "

    Your customers have implied rights when buying your goods or services.

    ", + "

    Some implied rights are also known as \u2018statutory rights\u2019.

    ", + "

    Products

    ", + "

    Implied rights mean a product must be:

    ", + "
  • as described
  • ", + "
  • of satisfactory quality, eg safe, in working order, free of defects
  • ", + "
  • fit for purpose - capable of doing what the customer has asked for
  • ", + "

    Contracts for hiring, hire purchase and part exchange also have these implied rights.

    ", + "

    Consumers always have these implied rights when buying goods - the contract can\u2019t legally state otherwise.

    ", + "

    Services

    ", + "

    Implied rights mean services must be carried out:

    ", + "
  • with reasonable care and skill
  • ", + "
  • within a reasonable time (if no specific time has been agreed)
  • ", + "
  • for a reasonable charge (if no exact price has been agreed)
  • ", + "

    You\u2019re unlikely to be able to enforce terms in a consumer contract for services if they try to deny a customer\u2019s implied rights.

    ", + "

    Business contracts

    ", + "

    Your business customers have implied rights unless the contract legally states otherwise in a way a court would decide is reasonable.

    " + ] + }, + { + "title": "Charge fees as an entertainment and modelling agency", + "url": "https://www.gov.uk/entertainment-and-modelling-agencies", + "contents": [ + "

    Overview

    ", + "

    You can charge fees as an entertainment and modelling agency for finding someone work.

    ", + "

    The fees you charge depend on if the person is:

    ", + "
  • a performer or worker
  • ", + "
  • a model
  • ", + "

    Workers, performers and models need to agree to your terms and conditions before you can charge fees.

    ", + "

    Terms and conditions

    ", + "

    Terms and conditions of your service and your fees must be agreed in writing (for example, in a contract) with the worker, performer or model.

    ", + "

    These must include details of:

    ", + "
  • the work-finding services that you\u2019ll provide them
  • ", + "
  • any authority you have to act on behalf of them
  • ", + "
  • any authorisations to receive any money on behalf of them
  • ", + "
  • any fees or commissions you\u2019ll charge for finding work
  • ", + "
  • how your fee or commission will be paid
  • ", + "
  • how any commissions or fees will be refunded
  • ", + "
  • the length of time the worker, performer or model needs to give to end the contract
  • ", + "
  • the length of time you need to give to end a worker, performer or models\u2019s contract
  • ", + "

    Fees for performers and workers

    ", + "

    You can\u2019t charge fees or deduct money from an entertainment worker or performer\u2019s earnings until they agree to your terms and conditions.

    ", + "

    Promotional fees for performers and entertainment workers (not models)

    ", + "

    You can only charge upfront fees for listing the worker or performer\u2019s details in promotional publications or on websites to help them find work.

    ", + "

    Promotional publication includes listing information in publications or on websites and photographs or audio or video recordings.

    ", + "

    You must give the worker or performer a chance to see any copies.

    ", + "

    Other fees or commission for finding work normally come out of the worker or performer\u2019s earnings from the employment that you found.

    ", + "

    Fees for promoting performers

    ", + "

    You can only charge fees 30 days after the start of the contract (if there is a fee for promoting a performer).

    ", + "

    In that 30-day period the performer can cancel or withdraw from the contract without penalty and won\u2019t have to make any payment.

    ", + "

    You need to show the performer any promotional photographs, audio or video before its published. They then have 7 days to object to anything being used.

    ", + "

    You can\u2019t charge the performer until the 7 days is over or you\u2019ve dealt with any reasonable requirement from the performer, whichever is later.

    ", + "

    You can charge fees for the following performers:

    ", + "
  • actors
  • ", + "
  • background artists
  • ", + "
  • dancers
  • ", + "
  • extras
  • ", + "
  • musicians
  • ", + "
  • singers
  • ", + "
  • other performers
  • ", + "

    Fees for entertainment workers (except models)

    ", + "

    If there is a fee for promoting a worker, you can only charge this 7 days after the start of the contract.

    ", + "

    In that 7-day period:

    ", + "
  • the worker can cancel or withdraw from the contract without penalty
  • ", + "
  • the worker doesn\u2019t have to make any payment under the contract
  • ", + "
  • the worker can say what information shouldn\u2019t be included in the publication
  • ", + "

    This covers the following types of workers:

    ", + "
  • composer
  • ", + "
  • writer
  • ", + "
  • artist
  • ", + "
  • director or producer
  • ", + "
  • production manager
  • ", + "
  • lighting cameraman, camera operator
  • ", + "
  • make up artist, clothes, hair or make up stylist
  • ", + "
  • film editor
  • ", + "
  • action arranger or co-ordinator, stunt arranger
  • ", + "
  • costume or production designer
  • ", + "
  • recording engineer
  • ", + "
  • property master
  • ", + "
  • film continuity person
  • ", + "
  • sound mixer
  • ", + "
  • photographer
  • ", + "
  • stage manager
  • ", + "
  • choreographer or theatre designer
  • ", + "

    Refunds for promotional services

    ", + "

    Work-seekers have the right to a refund if the promotional information isn\u2019t made available to potential hirers within 60 days of a fee being paid.

    ", + "

    Fees for fashion and photographic models

    ", + "

    You can\u2019t charge fees or deduct money from a model\u2019s earnings until they agree to your terms and conditions.

    ", + "

    You can\u2019t charge any upfront fees for finding work for photographic and fashion models. This includes putting information about the models in a publication or website.

    ", + "

    However, after you\u2019ve found work for a model you can charge fees for:

    ", + "
  • including information about them in a publication or website
  • ", + "
  • providing a service to find the model work (these fees must have been agreed with the model before you started looking for work for them)
  • ", + "

    Fees for other services

    ", + "

    You can charge fees for other services such as producing a photo or show reel. You have to put the terms and conditions for these in a separate document. You need to give this to the performer, model or entertainment worker before providing these services.

    ", + "

    You can\u2019t make using other services you provide a condition of you finding work for someone.

    ", + "

    You can\u2019t charge fees until 30 days after the start of the contract for these services.\u00a0The performer, model or entertainment worker can cancel within these 30 days and won\u2019t have to pay you anything.

    " + ] + }, + { + "title": "Data protection and your business", + "url": "https://www.gov.uk/data-protection-your-business", + "contents": [ + "

    Overview

    ", + "

    You must follow rules on data protection if your business stores or uses personal information.

    ", + "

    This applies to information kept on staff, customers and account holders, for example when you:

    ", + "
  • recruit staff
  • ", + "
  • manage staff records
  • ", + "
  • market your products or services
  • ", + "
  • use CCTV
  • ", + "

    This could include:

    ", + "
  • keeping customers\u2019 addresses on file
  • ", + "
  • recording staff working hours
  • ", + "
  • giving delivery information to a delivery company
  • ", + "

    For information on direct marketing, see marketing and advertising: the law.

    ", + "

    Data protection rules

    ", + "

    You must make sure the information is kept secure, accurate and up to date.

    ", + "

    When you collect someone\u2019s personal data you must tell them who you are and how you\u2019ll use their information, including if it\u2019s being shared with other organisations.

    ", + "

    You must also tell them that they have the right to:

    ", + "
  • see any information you hold about them and correct it if it\u2019s wrong
  • ", + "
  • request their data is deleted
  • ", + "
  • request their data is not used for certain purposes
  • ", + "

    The main data protection rules are set out in the data protection principles.

    ", + "

    What you have to do

    ", + "

    You must:

    ", + "
  • tell the Information Commissioner\u2019s Office (ICO) how your business uses personal information
  • ", + "
  • respond to a data protection request, if someone asks to see what information you have about them
  • ", + "

    You could be given a heavy fine or made to pay compensation if you misuse personal data.

    ", + "

    Recruitment and managing staff records

    ", + "

    You must keep any data you collect on staff secure - lock paper records in filing cabinets or set passwords for computer records, for example.

    ", + "

    Only keep the information for as long as you have a clear business need for it, and dispose of it securely afterwards - by shredding, for example.

    ", + "

    Recruiting staff

    ", + "

    You must give the name of your business and contact details (or those of the agency) on job adverts.

    ", + "

    Only collect the personal information you need on application forms, and do not ask for irrelevant information, like banking details.

    ", + "

    Only keep the information for recruitment - do not use it for a marketing mailing list, for example.

    ", + "

    Keeping staff records

    ", + "

    Make sure only appropriate staff, with the right training, can see staff records, and store sensitive information (such as health or criminal records) separately.

    ", + "

    If you\u2019re asked to provide a reference, check the worker or ex-staff member is happy for you to do so.

    ", + "

    Letting staff see their records

    ", + "

    Your staff have the right to ask for a copy of the information you hold about them.

    ", + "

    This includes information about grievance and disciplinary issues.

    ", + "

    You must respond to their request within 30 days.

    ", + "

    You may be able to withhold some information when responding to a request if the information concerns someone else - you need to protect someone who\u2019s accused them of harassment, for example.

    ", + "

    Staff can complain if they think their information is being misused, and you could be ordered to pay a fine or compensation.

    ", + "

    Monitoring staff at work

    ", + "

    You must be able to justify monitoring staff at work, which could include:

    ", + "
  • using CCTV
  • ", + "
  • keeping records of phone calls
  • ", + "
  • logging their email or internet use
  • ", + "
  • searching staff or their work areas
  • ", + "

    Employees have rights at work and if you do not treat them fairly they could:

    ", + "
  • take you to an employment tribunal
  • ", + "
  • complain to the Information Commissioner
  • ", + "

    You must make them aware that they\u2019re being monitored, and why - for example by sending them an email.

    ", + "

    Also explain your policies on things like using work computers or phones for personal use.

    ", + "

    Monitoring staff without their knowledge

    ", + "

    You can monitor staff without their knowledge if:

    ", + "
  • you suspect they\u2019re breaking the law
  • ", + "
  • letting them know about it would make it hard to detect the crime
  • ", + "

    Only do this as part of a specific investigation, and stop when the investigation is over.

    ", + "

    Using CCTV

    ", + "

    If your business uses CCTV, you must register your details with the Information Commissioner\u2019s Office (ICO) and pay a data protection fee, unless you are exempt.

    ", + "

    Check if you need to pay the data protection fee.

    ", + "

    You must also:

    ", + "
  • tell people they may be recorded, usually by displaying signs, which must be clearly visible and readable
  • ", + "
  • control who can see the recordings
  • ", + "
  • make sure the system is only used for the purpose it was intended for - for example, if it was set up to detect crime, you must not use it to monitor how much work your staff do
  • ", + "

    The ICO has guidance with more details about CCTV.

    ", + "

    How to pay the fee

    ", + "

    You can register and pay the fee online.

    ", + "

    Letting people see CCTV recordings

    ", + "

    Anyone can ask to see images that you\u2019ve recorded of them. Usually, you must usually provide the footage free of charge within 1 calendar month.

    ", + "

    Find out more about CCTV and data protection rules.

    ", + "

    Data protection rules do not apply if you install a camera on your own home for household purposes - for example, to protect it from burglary. Find out more about using CCTV in the home.

    ", + "

    Get advice on data protection

    ", + "

    For more information and advice:

    ", + "
  • read the Information Commissioner\u2019s Office (ICO) guidance for organisations
  • ", + "
  • chat online with an advisor
  • ", + "
  • contact the ICO
  • " + ] + }, + { + "title": "Invoicing and taking payment from customers", + "url": "https://www.gov.uk/invoicing-and-taking-payment-from-customers", + "contents": [ + "

    Overview

    ", + "

    If you sell a customer a product or a service, you need to give them an invoice (bill) by law if both you and the customer are registered for VAT (a business to business transaction). An invoice is not the same as a receipt, which is an acknowledgement of payment.

    ", + "

    The invoice must include certain information such as:

    ", + "
  • how much the customer needs to pay you
  • ", + "
  • when the customer must pay you
  • ", + "

    You and the customer also have certain obligations on payment.

    ", + "

    Invoices - what they must include

    ", + "

    Your invoice must include:

    ", + "
  • a unique identification number
  • ", + "
  • your company name, address and contact information
  • ", + "
  • the company name and address of the customer you\u2019re invoicing
  • ", + "
  • a clear description of what you\u2019re charging for
  • ", + "
  • the date the goods or service were provided (supply date)
  • ", + "
  • the date of the invoice
  • ", + "
  • the amount(s) being charged
  • ", + "
  • VAT amount if applicable
  • ", + "
  • the total amount owed
  • ", + "

    Sole trader invoices

    ", + "

    If you\u2019re a sole trader, the invoice must also include:

    ", + "
  • your name and any business name being used
  • ", + "
  • an address where any legal documents can be delivered to you if you are using a business name
  • ", + "

    Limited company invoices

    ", + "

    If your company is a limited company, you must include the full company name as it appears on the certificate of incorporation.

    ", + "

    If you decide to put names of your directors on your invoices, you must include the names of all directors.

    ", + "

    VAT invoices

    ", + "

    You must use VAT invoices if you and your customer are VAT registered.

    ", + "

    These include more information than non-VAT invoices.

    ", + "

    Payment - obligations

    ", + "

    Your right to be paid

    ", + "

    You can set your own payment terms, such as discounts for early payment and payment upfront.

    ", + "

    Unless you agree a payment date, the customer must pay you within 30 days of getting your invoice or the goods or service.

    ", + "

    You can use a statutory demand to formally request payment of what you\u2019re owed.

    ", + "

    Charging interest for late payment

    ", + "

    You have the right to charge interest for late payment, but you can choose not to.

    ", + "

    Liability for disputed card payments

    ", + "

    If a customer asks their credit or debit card issuer to reverse a transaction, they can reclaim the value of the transaction from you. This is known as a \u2018chargeback\u2019.

    ", + "

    Chargebacks can be made when:

    ", + "
  • the purchased item never arrived
  • ", + "
  • the item wasn\u2019t as described
  • ", + "
  • a customer\u2019s card was used without their permission to purchase the item fraudulently.
  • ", + "

    You can be charged up to 120 days after the transaction has been debited or from when the goods or services were due to be received.

    ", + "

    Minimising chargebacks

    ", + "

    If a customer uses their PIN, you\u2019ll only be liable for a chargeback if the goods are faulty or aren\u2019t as described.

    ", + "

    Where you can\u2019t accept a PIN, a clear signature will help but there is no guarantee against a chargeback.

    ", + "

    For card-not-present transactions, such as online sales, the risks of chargeback will be higher.

    ", + "

    Regulation

    ", + "

    If you want to set up a business that takes a sum of money from a customer every time they use a service, for example, online trading, you may need to be authorised by the Financial Conduct Authority.

    ", + "

    If customers pay you in large amounts of cash, your business may need to be \nregistered for an anti-money laundering scheme.

    ", + "

    Protecting customer data

    ", + "

    You must follow the rules on storing customer data to protect their financial information.

    " + ] + }, + { + "title": "Marketing and advertising: the law", + "url": "https://www.gov.uk/marketing-advertising-law", + "contents": [ + "

    Overview

    ", + "

    All marketing and advertising must be:

    ", + "
  • an accurate description of the product or service
  • ", + "
  • legal
  • ", + "
  • decent
  • ", + "
  • truthful
  • ", + "
  • honest
  • ", + "
  • socially responsible (not encouraging illegal, unsafe or anti-social behaviour)
  • ", + "

    There are regulations that restrict what advertisers can and cannot do.

    ", + "

    As well as the regulations, there are 2 advertising codes of practice that you need to follow to help you advertise legally.

    ", + "

    You must describe your product or service accurately.

    ", + "

    Requirements for specific products

    ", + "

    There are also specific requirements that apply to certain sectors, such as:

    ", + "
  • food
  • ", + "
  • alcohol
  • ", + "
  • beauty products
  • ", + "
  • environmentally friendly products
  • ", + "
  • medicines
  • ", + "
  • tobacco
  • ", + "

    For example, you can only claim your drink is \u2018low in alcohol\u2019 if it contains between 0.5% and 1.2% alcohol by volume.

    ", + "

    Data protection

    ", + "

    If you\u2019re gathering, storing or using information about customers or potential customers, you must also protect their data.

    ", + "

    Regulations that affect advertising

    ", + "

    Advertising to consumers

    ", + "

    The Consumer Protection from Unfair Trading Regulations mean you cannot mislead or harass consumers by, for example:

    ", + "
  • including false or deceptive messages
  • ", + "
  • leaving out important information
  • ", + "
  • using aggressive sales techniques
  • ", + "

    Read \u2018The consumer protection from unfair trading regulations\u2019 for the rules on advertising legally.

    ", + "

    Advertising to businesses

    ", + "

    Advertising to businesses is covered by the Business Protection from Misleading Marketing Regulations. As well as being accurate and honest, you must not make misleading comparisons with competitors, that includes:

    ", + "
  • using a competitor\u2019s logo or trademark, or something very similar
  • ", + "
  • comparing your product with a competitor\u2019s product that\u2019s not the same
  • ", + "

    Download \u2018The Business Protection from Misleading Marketing Regulations 2008\u2019 for more detail about the regulations that cover advertising to businesses.

    ", + "

    Penalties

    ", + "

    If you break the regulations, you could be reported to a local Trading Standards office. You could be fined, prosecuted or imprisoned.

    ", + "

    Advertising codes of practice

    ", + "

    There are 2 advertising codes of practice that describe how businesses should advertise.

    ", + "

    They cover all kinds of promotional communications, depending where the advert or promotion will appear.

    ", + "

    Non-broadcast media

    ", + "

    The CAP non-broadcast code has rules that cover non-broadcast advertising (for example print, online), sales promotion and direct marketing (such as telesales and email).

    ", + "

    The code specifies standards for accuracy and honesty that businesses must stick to, including specific conditions, such as:

    ", + "
  • advertising to children
  • ", + "
  • causing offence
  • ", + "
  • political advertising
  • ", + "

    Broadcast media (for example TV, radio)

    ", + "

    You must follow the CAP broadcast code, which covers issues including taste, decency and product placement.

    ", + "

    As well as setting standards about accuracy and honesty businesses must stick to, they also have rules about things like scheduling.

    ", + "

    General broadcasting rules

    ", + "

    You also need to follow rules about taste, decency, product placement etc that apply to all broadcasting.

    ", + "

    These are called \u2018broadcast codes\u2019. Find out more about them on the Ofcom website.

    ", + "

    Enforcing the rules

    ", + "

    The rules are enforced by the Advertising Standards Authority (ASA).

    ", + "

    Anyone who thinks advertising rules have been broken can complain to the ASA within 3 months of the advert appearing.

    ", + "

    If an advert breaks the rules, it may be withdrawn. If the product does not match the description or the advert breaks the law, you could be prosecuted.

    ", + "

    Describing your product

    ", + "

    You must describe your product accurately. This means if you make a claim about your product, you must be able to prove what you say.

    ", + "

    Prices

    ", + "

    Your adverts must describe the actual cost accurately, including any ongoing or associated costs (like subscription fees) and taxes (such as VAT).

    ", + "

    Direct marketing

    ", + "

    You must check if customers want to be contacted by fax, phone, post or email, and give them the chance to object. You must be able to prove you\u2019ve done this.

    ", + "

    When you collect customer details, you must get their permission if you want to send them other offers or promotions.

    ", + "

    You must also ask for their permission if you want to share their information with another organisation.

    ", + "

    Letting customers opt out

    ", + "

    Customers have the right to stop their information being used for direct marketing.

    ", + "

    You must make it easy to opt out - for example by sending a \u2018STOP\u2019 text to a short number, or using an \u2018unsubscribe\u2019 link.

    ", + "

    Telesales and fax marketing

    ", + "

    You must say who you are when you make a telesales call, and give your address or phone number if you\u2019re asked for it. The number for customers to call must be a freephone number.

    ", + "

    You\u2019re not allowed to send marketing faxes to individuals unless you\u2019ve received their prior permission, but you can send unsolicited faxes to companies.

    ", + "

    You must be able to prove that you\u2019ve checked you\u2019re not contacting anyone who does not want to be contacted.

    ", + "

    Check who\u2019s asked not to receive calls or faxes using the:

    ", + "
  • Telephone Preference Service
  • ", + "
  • Fax Preference Service
  • ", + "

    It\u2019s illegal to phone or fax someone registered with these services if you do not have their permission. You can be fined up to \u00a3500,000 for each unsolicited phonecall.

    ", + "

    Automated calls

    ", + "

    If you want to make automated calls - with pre-recorded phone messages - you must get the permission of the individual or business first.

    ", + "

    Direct mail

    ", + "

    Check that your mailing lists do not include anyone who\u2019s asked not to receive direct mailing, using the Mail Preference Service.

    ", + "

    Email marketing and text messages

    ", + "

    You\u2019re only allowed to send marketing emails to individual customers if they\u2019ve given you permission.

    ", + "

    Emails or text messages must clearly indicate:

    ", + "
  • who you are
  • ", + "
  • that you\u2019re selling something
  • ", + "
  • what the promotions are, and any conditions
  • ", + "

    Check that you are not sending emails to anyone who\u2019s asked not to receive them, using the Email Preference Service.

    ", + "

    If you buy or rent a mailing list, ask the supplier if you have the right to use it for email marketing.

    ", + "

    Every marketing email you send must give the person the ability to opt out of (or \u2018unsubscribe from\u2019) further emails.

    ", + "

    You must tell customers if you add them to a list of people who do not want to be emailed.

    ", + "

    Cookies

    ", + "

    You must tell visitors to your website how your site uses cookies, and ask if they want to accept them.

    ", + "

    The information should be easy to understand.

    ", + "

    Find out more about cookies on the Information Commissioner\u2019s Office website and AboutCookies.org.

    ", + "

    Customers can complain if you misuse their information, and you could be ordered to pay a fine or compensation.

    " + ] + }, + { + "title": "Weights and measures: the law", + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "contents": [ + "

    Units of measurement

    ", + "

    You must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.

    ", + "

    There are different rules in Northern Ireland.

    ", + "

    The only products you can sell in imperial measures are:

    ", + "
  • draught beer or cider by pint
  • ", + "
  • milk in returnable containers by pint
  • ", + "
  • precious metals by troy ounce
  • ", + "

    You can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.

    ", + "

    Specified quantities

    ", + "

    Some goods must be sold in fixed sizes known as \u2018specified quantities\u2019.

    ", + "

    Alcohol

    ", + "

    There are different rules depending on whether you\u2019re selling by the glass or bottle.

    ", + "

    By the glass

    ", + " | Measures", + "Still wine | 125ml, 175ml, multiples of 125ml and 175ml", + "Port, sherry or other fortified wine | 50ml, 70ml, multiples of 50ml or 70ml", + "Gin, rum, vodka and whisky | Either 25ml and multiples of 25ml, or 35ml and multiples of 35ml (not both on the same premises)", + "Draught beer and cider | Third, half, two-thirds of a pint and multiples of half a pint", + "

    There are no specified quantities for sparkling wine or yellow wine by the glass or spirits other than gin, rum, vodka and whisky.

    ", + "

    Packaged in bottles, boxes or similar

    ", + " | Volume by millilitre (ml)", + "Still wine | 100, 187, 250, 375, 500, 750, 1000, 1500", + "Yellow wine | 620", + "Sparkling wine | 125, 200, 375, 750, 1500", + "Fortified wine | 100, 200, 375, 500, 750, 1000, 1500", + "Spirit drinks | 100, 200, 350, 500, 700, 1000, 1500, 1750, 2000", + "

    You can sell packaged alcohol in any volume if it\u2019s below the minimum or above the maximum allowed for specified quantities.

    ", + " | Minimum (ml) | Maximum (ml)", + "Still wine | 100 | 1500", + "Yellow wine | 100 | 1500", + "Sparkling wine | 125 | 1500", + "Fortified wine | 100 | 1500", + "Spirit drinks | 100 | 2000", + "

    There are no specified quantities for packaged beer or cider.

    ", + "

    Solid fuel

    ", + "

    You can sell sealed bags of solid fuel in any size you wish but if you\u2019re selling it loose, you can only sell it in quantities of:

    ", + "
  • 25kg
  • ", + "
  • 50kg
  • ", + "
  • multiples of 50kg
  • ", + "

    Packaged goods

    ", + "

    Packaged goods are products that are all of these:

    ", + "
  • sold sealed
  • ", + "
  • between 5g and 25kg or 5ml and 25 litres
  • ", + "
  • the same weight or volume as other products of the same type
  • ", + "

    There are 2 ways to pack your products.

    ", + "

    Minimum system

    ", + "

    You can pack your products so that they contain at least the quantity displayed on the label. The packages can contain more than the label says, but not less.

    ", + "

    Average system

    ", + "

    You can pack your products to an average measurement that is on the label. You must check your packages to make sure a random sample is packed to meet all these rules - known as the \u2018three packers\u2019 rules\u2019:

    ", + "
  • the contents of the packages must not be less, on average, than the weight on the label
  • ", + "
  • only a small number can fall below a certain margin of error, known as the \u2018tolerable negative error\u2019 (TNE)
  • ", + "
  • no package can be underweight by more than twice the TNE
  • ", + "Quantity in grams and millilitres | TNE as % of quantity | TNE in grams or millilitres", + "5 to 50 | 9 | n/a", + "50 to 100 | n/a | 4.5", + "100 to 200 | 4.5 | n/a", + "200 to 300 | n/a | 9", + "300 to 500 | 3 | n/a", + "500 to 1,000 | n/a | 15", + "1,000 to 10,000 | 1.5 | n/a", + "10,000 to 15,000 | n/a | 150", + "more than 15,000 | 1 | n/a", + "

    If you\u2019re calculating the TNE as a percentage of the quantity, you must round up the weight or volume to the nearest 0.10 of a gram or millilitre.

    ", + "

    Contact your local Trading Standards office for help with packing to the average system.

    ", + "

    Read the \u2018Weights and Measures (Packaged Goods) 2006\u2019 guidance for business for more information.

    ", + "

    You must make sure packaged goods you\u2019re producing or importing are packed and labelled correctly.

    ", + "

    You can be fined or sent to prison if you break the rules.

    ", + "

    Equipment and records

    ", + "

    Equipment for packaged goods

    ", + "

    The equipment you use to weigh or measure your packaged goods has to be suitable. There are no hard and fast rules about what equipment you should use but you cannot use domestic scales to weigh goods you intend to sell.

    ", + "

    Your local Trading Standards office will tell you what is suitable equipment for your business sector.

    ", + "

    Trading Standards will check the weights and measures of your goods on your production line to make sure the equipment is accurate.

    ", + "

    Records

    ", + "

    You must keep records if you pack your products using the average system. You must record the results of your sample batches and show that they meet the \u2018three packers\u2019 rules.

    ", + "

    You do not have to keep records if you measure every package or you use the minimum system to pack your products.

    ", + "

    You must keep your records for at least one year from either the date you ship the packages or the \u2018use by\u2019 date on the package - whichever is shorter.

    ", + "

    Your local Trading Standards office can advise you about how to keep records.

    ", + "

    Labelling packaged goods

    ", + "

    You must put the weight or volume of your packaged goods on the label.

    ", + "

    The quantity marking must be:

    ", + "
  • permanent
  • ", + "
  • easy to see
  • ", + "
  • meet a minimum height requirement
  • ", + "

    You can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.

    ", + "

    Food

    ", + "

    Read the rules about what you must show on packaged food labels.

    ", + "

    Exporting packaged goods

    ", + "

    You must meet the rules for packaged goods in the country you\u2019re exporting to.

    " + ] + }, + { + "title": "Become a childminder or nanny (England)", + "url": "https://www.gov.uk/become-childminder-nanny", + "contents": [ + "

    Overview

    ", + "

    If you want to be paid to look after children under 8, you might need to register with Ofsted or a childminder agency.

    ", + "

    You can get a fine if you do not register when you need to.

    ", + "

    You must register as a childminder if all of the following apply:

    ", + "
  • the children are under the age of 8
  • ", + "
  • you look after them for more than 2 hours a day
  • ", + "
  • you look after them in your own home
  • ", + "
  • you get paid to look after them - including payment in kind
  • ", + "

    You can register with Ofsted online. To register with a childminder agency, contact them directly.

    ", + "

    There are different rules if you want to provide daycare outside someone\u2019s home - for example a nursery or creche.

    ", + "

    You do not need to register if you\u2019re:

    ", + "
  • a nanny
  • ", + "
  • a tutor
  • ", + "
  • a babysitter and if you look after the children between 6pm and 2am
  • ", + "
  • a family friend and if you look after the children less than 3 hours a day
  • ", + "

    You can still choose to register if you\u2019re a nanny or in other situations. This helps the child\u2019s parents qualify for free childcare.

    ", + "

    Check which register to join if you\u2019re not sure.

    ", + "

    Who cannot register

    ", + "

    You cannot register if you:

    ", + "
  • are under 18
  • ", + "
  • are related to all of the children you look after
  • ", + "
  • do not have the legal right to work in the UK
  • ", + "
  • are barred from working with children
  • ", + "
  • have been disqualified
  • ", + "
  • have been refused registration in the past or had your registration cancelled - unless it was because you did not pay your annual fee
  • ", + "
  • are childminding in a home where a disqualified person lives or works
  • ", + "

    If you\u2019ve been disqualified, you may be able to apply to waive your disqualification

    ", + "

    Which register to join

    ", + "

    There are 2 registers - the Early Years Register and the Childcare Register.

    ", + "

    Which register you join depends on:

    ", + "
  • the age of the children you\u2019re looking after
  • ", + "
  • if you\u2019re registering as a childminder or a nanny
  • ", + "

    You\u2019ll be prompted to join the correct register when you apply.

    ", + "

    Children up to the age of 5

    ", + "

    If you\u2019re a childminder and you look after children from birth to 5 years old you must join the Early Years Register. This lets you look after children up to 31 August after their fifth birthday.

    ", + "

    You\u2019ll get a registration visit from Ofsted when you apply.

    ", + "

    After you join the register you must follow the early years foundation stage (EYFS) framework.

    ", + "

    Nannies cannot join the Early Years Register.

    ", + "

    Children from 5 to 8 years old

    ", + "

    If you\u2019re a childminder and you look after children from 5 to 8 years old you must join the Childcare Register. This lets you look after children from 1 September after their fifth birthday up to their eighth birthday.

    ", + "

    As a nanny you can choose to join the Childcare Register, regardless of the age of the children you\u2019re looking after.

    ", + "

    You may be inspected by Ofsted. You may also get a registration visit.

    ", + "

    How much it costs

    ", + "

    You need to pay an annual registration fee to Ofsted. You\u2019ll also have to pay for things like criminal record checks, training and insurance.

    ", + "

    Registration fee

    ", + "

    You\u2019ll have to pay the registration fee each year.

    ", + " | Cost for childminders | Cost for nannies", + "Childminders - caring only for children aged 5 or under | \u00a335 | Not applicable", + "Childminders - caring only for children aged 5 or older | \u00a3103 | Not applicable", + "Childminders - caring for children of all ages | \u00a335 | Not applicable", + "Register as a nanny | Not applicable | \u00a3103", + "

    Criminal record and health checks

    ", + " | Cost for childminders | Cost for nannies", + "Your criminal record check | \u00a348.10 | \u00a348.10", + "Checks for adults in your home | \u00a348.10 each | Not applicable", + "Criminal record check update service (recommended) | \u00a313/year | \u00a313/year", + "GP to fill in and sign health declaration booklet | \u00a390 (approximately) | Not applicable", + "

    Training

    ", + " | Cost for childminders | Cost for nannies", + "First aid course to cover the age groups you look after | \u00a360 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately)", + "Childcare training on the type of care you will provide - ask your council | \u00a350 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately)", + "

    Other costs

    ", + "Insurance | Cost", + "Public liability insurance | \u00a325 to \u00a3100 (approximately)", + "Keeping digital records | Cost", + "Register with ICO to keep digital records of children (childminders only) | \u00a340", + "

    Register as a nanny

    ", + "

    You can register with Ofsted as a nanny or au pair to look after children in their own home.

    ", + "

    A nanny can look after children from 1 or 2 families at the same time.

    ", + "

    If you want to look after children from more than 2 families at the same time in your home, you\u2019ll need to register as a childminder instead.

    ", + "

    You will need:

    ", + "
  • an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check
  • ", + "
  • first aid training
  • ", + "
  • childcare training - speak to your local council
  • ", + "
  • public liability insurance
  • ", + "
  • a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years
  • ", + "

    Ofsted will reject your application if you do not have the correct documents.

    ", + "

    How much it costs

    ", + "

    It costs \u00a3103 to register with Ofsted. This fee is not refundable.

    ", + "

    Find out about other costs.

    ", + "

    How long it takes

    ", + "

    It usually takes up to 12 weeks to process your application.

    ", + "

    Register online

    ", + "

    It should take you about 15 minutes to fill in the form.

    ", + "

    Register as a nanny

    ", + "

    Register as a childminder

    ", + "

    You must register with Ofsted to look after children in your home.

    ", + "

    If you\u2019re looking after children in their own home, you should register with Ofsted as a nanny or au pair instead.

    ", + "

    You will need:

    ", + "
  • an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check
  • ", + "
  • first aid training for the age group you will look after
  • ", + "
  • childcare training - speak to your local council
  • ", + "
  • a health declaration booklet
  • ", + "
  • contact details for 2 references
  • ", + "
  • a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years
  • ", + "

    Ofsted will reject your application if you do not have the correct documents.

    ", + "

    Checks on other people in your home

    ", + "

    If anyone aged 16 or over lives with you or works in your home regularly, they\u2019ll need to get an enhanced criminal record check with barred lists.

    ", + "

    The type of check they get depends on their role. For example your partner would need to get a different check to someone who works in your home, like a cleaner.

    ", + "

    They\u2019ll also need to get a certificate of good character from an embassy if they\u2019ve lived abroad in the last 5 years.

    ", + "

    How much it costs

    ", + "

    It usually costs \u00a335 to register with Ofsted. This fee is not refundable.

    ", + "

    Find out about other costs.

    ", + "

    How long it takes

    ", + "

    It usually takes up to 12 weeks to process your application.

    ", + "

    Register online

    ", + "

    It should take you about 30 minutes to fill in the form.

    ", + "

    Register as a childminder

    ", + "

    After you apply

    ", + "

    When you submit your application Ofsted will:

    ", + "
  • do background checks with local authorities
  • ", + "
  • check your references
  • ", + "
  • give you a reference number to use if you have questions about your application
  • ", + "

    If you\u2019re a childminder

    ", + "

    An inspector will visit you to check:

    ", + "
  • your identity and qualifications - including first aid qualifications
  • ", + "
  • your house and garden are safe for children
  • ", + "
  • that you\u2019re familiar with the early years foundation stage (EYFS) requirements and know how to put them into practice
  • ", + "
  • your level of English
  • ", + "

    You will not usually get a registration visit if you\u2019re only looking after children aged over 5.

    ", + "

    Find out how to prepare for your registration visit.

    ", + "

    If your application is approved

    ", + "

    You\u2019ll get a certificate of registration if your application is approved. You will need this to start work as a childminder.

    ", + "

    Ofsted will publish your unique reference number (\u2018URN\u2019) and inspection reports online. If you\u2019re a childminder they will also publish your name and address - unless you tell them not to.

    ", + "

    If your application is refused

    ", + "

    Ofsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.

    ", + "

    You\u2019ll be disqualified from applying again in future.

    ", + "

    Object to a decision

    ", + "

    You can object to a decision if you\u2019ve been sent a \u2018notice of intention\u2019.

    ", + "

    You must object within 14 days of the date on the notice.

    ", + "

    Ofsted will consider your objection, then tell you if:

    ", + "
  • you\u2019re still refused registration
  • ", + "
  • you cannot look after children in a particular home
  • ", + "
  • your decision is overturned
  • ", + "

    If you do not object, or Ofsted does not change its decision, you\u2019ll get a second letter called a \u2018notice of decision\u2019. This is the final decision to refuse registration or approval of a certain premises.

    ", + "

    Appeal a decision

    ", + "

    If you disagree with Ofsted\u2019s final decision, you can appeal to an independent tribunal.

    ", + "

    You must appeal within 3 months of the date that you\u2019re sent the notice of decision.

    ", + "

    After you're registered

    ", + "

    You must continue to meet the registration standards while you\u2019re working as a childminder or nanny.

    ", + "

    You\u2019ll need to:

    ", + "
  • pay the annual registration fee
  • ", + "
  • keep your details up to date
  • ", + "
  • report any major accidents or incidents
  • ", + "

    Ofsted will inspect childminders and some nannies.

    ", + "

    Keep your details up to date

    ", + "

    You must tell Ofsted if:

    ", + "
  • you change where you\u2019re working
  • ", + "
  • your contact details change
  • ", + "
  • you stop working as a childminder or nanny
  • ", + "

    If you\u2019re a childminder

    ", + "

    You must tell Ofsted if:

    ", + "
  • anyone 16 or over moves into your home or leaves your home
  • ", + "
  • your childminding assistants change
  • ", + "

    Reporting accidents and incidents

    ", + "

    Use the early years incident online form to report:

    ", + "
  • a serious accident, injury or illness to a child, for example food poisoning
  • ", + "
  • allegations that someone living, working or looking after children in your household has committed serious harm or abuse
  • ", + "
  • anything that might affect the suitability of someone on the premises to look after children
  • ", + "
  • a child\u2019s death
  • ", + "

    Providing other types of childcare

    ", + "

    If you\u2019re a childminder, you can apply to set up childcare on non-domestic premises (for example, a playgroup or after-school club). You can work here for up to half of your time.

    ", + "

    If you want to work with 3 or more childminders or childminding assistants in your home, you\u2019ll need to register as a daycare organisation (this is known as \u2018providing childcare on domestic premises\u2019).

    " + ] + }, + { + "title": "Register as a childminder agency in England", + "url": "https://www.gov.uk/register-childminder-agency-england", + "contents": [ + "

    Overview

    ", + "

    You must register with Ofsted if you want to set up a childminder agency in England.

    ", + "

    Childminder agencies register childminders and give training, business support, advice and help finding suitable parents.

    ", + "

    You can register as an individual, or as a private or public sector organisation such as a school or academy.

    ", + "

    You must have a Disclosure and Barring Service (DBS) check, and be interviewed and inspected by Ofsted as part of your application.

    ", + "

    Which register to join

    ", + "

    There are 2 registers. You must apply to join:

    ", + "
  • the Early Years Register to register childminders who look after children aged 5 and under
  • ", + "
  • the compulsory part of the Childcare Register to register childminders who look after children aged 5 to 7
  • ", + "
  • both registers to register childminders who look after children of all ages
  • ", + "

    The Early Years Register is for children from birth up to the 31 August after their 5th birthday.

    ", + "

    If you\u2019re on the compulsory part of the Childcare Register, you can also join the voluntary part. You can only register childminders on the voluntary part of the register if you\u2019ve already registered them on the compulsory part.

    ", + "

    How long it takes

    ", + "

    Registration can take up to 16 weeks.

    ", + "

    Fees

    ", + "

    It costs \u00a3220 to register as a childminder agency.

    ", + "

    It\u2019s free to join the Childcare Register if you\u2019re already on or applying to the Early Years Register.

    ", + "

    How to apply

    ", + "
  • Read the childminder agency handbook.
  • ", + "
  • Apply for a Disclosure and Barring Service (DBS) check through the Ofsted portal.
  • ", + "
  • Join the DBS update service and agree to Ofsted checking your DBS certificate at least once every 6 months. You have 19 days to join the service after getting your certificate, otherwise you\u2019ll need to get a new certificate.
  • ", + "
  • Download, fill in and send the application form.
  • ", + "
  • Check whether you need to fill in and send a declaration and consent form.
  • ", + "
  • Prepare for your registration visit by an Ofsted inspector (see the childminder agency handbook for details on this).
  • ", + "

    Get help and advice

    ", + "

    Contact Ofsted if you have any questions about the application process.

    ", + "

    Change your details

    ", + "

    You must tell Ofsted if there are any changes to anyone named in your application.

    ", + "

    Download and fill in a notification form and send it to the address on the form.

    ", + "

    After you apply

    ", + "

    You\u2019ll be told at the end of your registration inspection visit if you can start working as an agency.

    ", + "

    You\u2019ll get a registration certificate in the post that you must display at all times in your work place.

    ", + "

    After you\u2019re registered you can be inspected again or get an \u2018investigation visit\u2019 if someone makes a complaint about you.

    ", + "

    You must tell Ofsted if there are any changes to anyone named in your application. Download and fill in a notification form and send it to the address on the form.

    ", + "

    If your application is refused

    ", + "

    Ofsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.

    ", + "

    You\u2019ll also be sent a leaflet on how to object and appeal.

    ", + "

    Withdraw your application

    ", + "

    You can withdraw your application up until you get a notice of intention to refuse your registration. Your fee won\u2019t be refunded.

    " + ] + }, + { + "title": "Agricultural Sick Pay", + "url": "https://www.gov.uk/agricultural-sick-pay", + "contents": [ + "

    Overview

    ", + "

    Agricultural Sick Pay (ASP) means you\u2019re paid at least the Agricultural Minimum Wage when you\u2019re off work sick. It includes any Statutory Sick Pay you might be entitled to.

    ", + "

    You only have the right to Agricultural Sick Pay if you were employed before the rules changed on 1 October 2013\u00a0and it says so in your contract.

    ", + "

    There are different rules for Agricultural Sick Pay in Scotland.

    ", + "

    What you'll get

    ", + "Number of months continuous employment when you went off sick | Maximum weeks you can claim Agricultural Sick Pay (ASP) per year", + "Up to 12 | 0", + "12 to 23 | 13", + "24 to 35 | 16", + "36 to 47 | 19", + "48 to 58 | 22", + "59 or more | 26", + "

    Working out how much you\u2019ll get

    ", + "

    Multiply the \u2018maximum weeks you can claim ASP\u2019 in the table by the number of days you regularly work per week including any guaranteed overtime. This doesn\u2019t include overtime you regularly work that isn\u2019t guaranteed. This number tells you how many days you can claim over a 12 month period starting from the first day of sickness or injury that\u2019s eligible.

    ", + "

    The period you can claim for starts on the first full working day you\u2019re unable to work and ends on the day before you return. This can be any day, including days you don\u2019t usually work.

    ", + "

    You must be paid at least your basic pay for all normal working hours (including guaranteed overtime) for each day you\u2019re entitled to.

    ", + "

    Away for longer than you\u2019re entitled to claim for

    ", + "

    If you\u2019re away for longer than the number of weeks you\u2019re entitled to claim for, you might be able to get Employment and Support Allowance or other benefits.

    ", + "

    When you\u2019ll be paid

    ", + "

    You should be paid on your normal pay day. Your employer must pay your sick pay while you\u2019re off work and immediately after you come back. Each payment should be for at least the amount your employer knows you\u2019re entitled to (rather than guessing when you\u2019ll return).

    ", + "

    Eligibility

    ", + "

    You only have the right to Agricultural Sick Pay if you were employed before the rules changed on 1 October 2013\u00a0and it says so in your contract.

    ", + "

    You must have been continuously employed by the same employer for at least 52 weeks before the first day of your absence.

    ", + "

    When you become entitled to Agricultural Sick Pay (ASP)

    ", + "

    You won\u2019t be paid for the first 3 days off sick unless you\u2019re away for longer than 14 working days in total.

    ", + "

    Sickness that counts for ASP

    ", + "
  • your own illness, whatever caused it
  • ", + "
  • your own illness or incapacity caused by pregnancy or maternity
  • ", + "
  • injuries which happened at work
  • ", + "
  • injuries which happened travelling to or from work
  • ", + "
  • recovering from an operation caused by an illness or injury suffered at work or travelling to or from work
  • ", + "

    If you\u2019re sick because of another reason, you might be entitled to Statutory Sick Pay.

    ", + "

    How to claim

    ", + "

    Tell your employer about your sickness or injury and they\u2019ll sort out your Agricultural Sick Pay (ASP). If you\u2019re ill for longer than 8 days, you must give your employer a medical certificate (doctor\u2019s note).

    ", + "

    Further information

    ", + "

    If you need advice, contact the pay and work rights helpline.

    " + ] + }, + { + "title": "Agricultural workers' rights", + "url": "https://www.gov.uk/agricultural-workers-rights", + "contents": [ + "

    Overview

    ", + "

    Agricultural workers in Wales, and those employed in England before 1 October 2013, are normally entitled to:

    ", + "
  • minimum rates of pay which may be higher than the National Minimum Wage
  • ", + "
  • paid holiday
  • ", + "
  • Agricultural Sick Pay
  • ", + "
  • pay even if bad weather stops work
  • ", + "
  • night work pay
  • ", + "
  • on-call allowance
  • ", + "
  • 30-minute rest breaks, if they are 18 or over and work more than 5.5 hours a day
  • ", + "

    There are different employment rights for agricultural workers employed in England from 1 October 2013.

    ", + "

    There are also different rules for agricultural workers\u2019 rights in Scotland and Northern Ireland.

    ", + "

    Terms and conditions

    ", + "

    England

    ", + "

    Agricultural workers in England employed before 1 October 2013 still have the terms and conditions set out in the Agricultural Wages (England and Wales) Order 2012.

    ", + "

    Wales

    ", + "

    Before starting work, employers must give agricultural workers in Wales an Agricultural Wage Order. This sets out many of the terms and conditions of employment. But, employers must still give agricultural workers a written statement of employment particulars.

    ", + "

    This sets out many of the terms and conditions of employment. However, agricultural workers must still be given a written statement of employment particulars by their employer.

    ", + "

    Trainees

    ", + "

    Trainees have different rights, for example they do not get paid holidays.

    ", + "

    Help and advice

    ", + "

    If you were employed in England before 1 October 2013, you can contact the Acas helpline or use the Acas Helpline Online to get further advice.

    ", + "

    You can also make a complaint to the Rural Payments agency.

    ", + "

    For queries about wages and rights in Wales after 1 October 2013 contact the Agriculture: Sustainable Development Division.

    ", + "

    What counts as an agricultural worker

    ", + "

    An agricultural worker is someone who works in:

    ", + "
  • farming and rearing animals
  • ", + "
  • growing produce including non-edible crops like bulbs, plants and flowers
  • ", + "
  • forestry, market gardens and nurseries
  • ", + "
  • maintaining meadow or pasture land, woodlands and reed beds
  • ", + "

    This list does not include everything. If you\u2019re not sure if a job counts as work in agriculture, call the Acas helpline.

    ", + "

    Pay and overtime

    ", + "

    Agricultural workers in England must be paid at least the National Minimum Wage. Workers employed before the rules changed on 1 October 2013 still have the right to the Agricultural Minimum Wage if it says so in their contract.

    ", + "

    Agricultural workers in Wales must be paid at least the Agricultural Minimum Wage, or the National Minimum Wage if that\u2019s higher. The Agricultural Minimum Wage depends on the worker\u2019s job grade and category.

    ", + "

    Agricultural Minimum Wage

    ", + "

    Grades 1 to 6

    ", + "

    If a worker\u2019s contract says they should work 39 hours a week (not including overtime) they must be paid the weekly rate, otherwise they must be paid the hourly rate.

    ", + " | Weekly pay | Hourly pay | Hourly overtime", + "Grade 1 (compulsory school age) | n/a | \u00a33.11 | \u00a34.67", + "Grade 1 (above compulsory school age) | \u00a3242.19 | \u00a36.21 | \u00a39.32", + "Grade 2 | \u00a3271.44 | \u00a36.96 | \u00a310.44", + "Grade 3 | \u00a3298.74 | \u00a37.66 | \u00a311.49", + "Grade 4 | \u00a3320.19 | \u00a38.21 | \u00a312.32", + "Grade 5 | \u00a3339.30 | \u00a38.70 | \u00a313.05", + "Grade 6 | \u00a3366.60 | \u00a39.40 | \u00a314.10", + "

    Full-time and part-time flexible workers

    ", + "

    Flexible workers must be paid at least the weekly rate if they are full-time, or at least the hourly rate if they are part-time.

    ", + " | Hourly pay | Weekly pay | Hourly overtime", + "Grade 1 - 6 days per week | \u00a36.64 | \u00a3258.96 | \u00a39.32", + "Grade 1 - 4-5 days per week | \u00a36.52 | \u00a3254.28 | \u00a39.32", + "Grade 2 - 6 days per week | \u00a37.45 | \u00a3290.55 | \u00a310.44", + "Grade 2 - 4-5 days per week | \u00a37.31 | \u00a3285.09 | \u00a310.44", + "Grade 3 - 6 days per week | \u00a38.20 | \u00a3319.80 | \u00a311.49", + "Grade 3 - 4-5 days per week | \u00a38.04 | \u00a3313.56 | \u00a311.49", + "Grade 4 - 6 days per week | \u00a38.78 | \u00a3342.42 | \u00a312.32", + "Grade 4 - 4-5 days per week | \u00a38.62 | \u00a3336.18 | \u00a312.32", + "Grade 5 - 6 days per week | \u00a39.31 | \u00a3363.09 | \u00a313.05", + "Grade 5 - 4-5 days per week | \u00a39.14 | \u00a3356.46 | \u00a313.05", + "Grade 6 - 6 days per week | \u00a310.06 | \u00a3392.34 | \u00a314.10", + "Grade 6 - 4-5 days per week | \u00a39.87 | \u00a3384.93 | \u00a314.10", + "

    Apprentices

    ", + "

    For years 3 and above, apprentices must receive at least the rate for Grade 2 workers.

    ", + " | Weekly pay | Hourly pay | Hourly overtime", + "Year 1 - any age | \u00a3139.23 | \u00a33.57 | \u00a35.36", + "Year 2 - age 16 to 17 | \u00a3145.08 | \u00a33.72 | \u00a35.52", + "Year 2 - age 18 to 20 | \u00a3196.17 | \u00a35.03 | \u00a37.47", + "Year 2 - age 21 and over | \u00a3246.09 | \u00a36.31 | \u00a39.29", + "

    Trainees

    ", + "

    A trainee does not have to be paid for:

    ", + "
  • the hours they\u2019re being trained
  • ", + "
  • holidays
  • ", + "

    They should be paid for any work done as part of a separate contract.

    ", + "

    Training courses

    ", + "

    If an employed worker is on a training course, they should be paid at least their normal wage - including for the time spent travelling to and from the training.

    ", + "

    Overtime

    ", + "

    Overtime must be paid if a person works:

    ", + "
  • more than 39 basic hours in a week
  • ", + "
  • more than 8 hours in a day
  • ", + "
  • any hours over the normal working hours in the employment contract
  • ", + "
  • on a public or bank holiday
  • ", + "
  • on a Sunday - if the contract started before 1 October 2006
  • ", + "

    Piece work

    ", + "

    Even if they are paid for completing a task, for example for each box of fruit packed, a worker must be paid the Agricultural Minimum Wage according to the hours they work.

    ", + "

    Night work

    ", + "

    A worker who works at any time between 7pm and 6am must be paid \u00a31.36 per hour more than their basic pay rate.

    ", + "

    Dog allowance

    ", + "

    If a worker keeps a dog for their job, they must get \u00a37.63 a week for each dog.

    ", + "

    Tied accommodation

    ", + "

    If a worker gets a house or \u2018self-contained accommodation\u2019 as part of their job they can be paid \u00a31.50 less than their normal weekly pay. They may automatically get an agricultural tenancy.

    ", + "

    If the accommodation is not a house - for example, a caravan - they can be paid \u00a34.82 less each day they stay there.

    ", + "

    Accommodation must be safe, warm, secure - and have toilet and washing facilities and fresh drinking water.

    ", + "

    On-call allowance

    ", + "

    The on-call allowance for a worker is 2 hours\u2019 overtime pay for their grade, and is paid if they are not at work but have an arrangement with their employer:

    ", + "
  • to be contactable by an agreed method
  • ", + "
  • to be able to reach their workplace within an agreed time
  • ", + "

    If they are called into work, they must be paid overtime for the hours they work, or for 2 hours - whichever is the higher.

    ", + "

    Sick pay

    ", + "

    Agricultural workers are entitled to sick pay, meaning they\u2019ll get at least the Agricultural Minimum Wage when they\u2019re off.

    ", + "

    Grades and categories

    ", + "

    The minimum wage and other rights and entitlements for agricultural workers depends on their grade and category.

    ", + "

    Grades

    ", + "

    An agricultural worker\u2019s grade is based on their skills and responsibilities.

    ", + "

    Grade 1 - initial grade

    ", + "

    A grade 1 worker is usually supervised and works on simple tasks like harvesting or packing.

    ", + "

    They have the right to be trained to become a grade 2 worker once they\u2019ve worked for the same employer continuously for 30 weeks.

    ", + "

    Grade 2 - standard worker

    ", + "

    Someone is a grade 2 worker if they have one of the following:

    ", + "
  • a vocational qualification of at least NVQ at level 2
  • ", + "
  • a certificate of competence for the agricultural sector they work in
  • ", + "

    Someone is also a grade 2 worker if they:

    ", + "
  • work mainly unsupervised
  • ", + "
  • work with animals
  • ", + "
  • use powered machinery
  • ", + "
  • drive a tractor
  • ", + "

    Grade 3 - lead worker

    ", + "

    If someone has worked in agriculture for at least 2 of the past 5 years, they\u2019re a grade 3 worker if they have either:

    ", + "
  • a National Certificate in agriculture or horticulture
  • ", + "
  • 4 certificates of competence or non-accredited competencies, for the agricultural sector they work in
  • ", + "

    Someone is also a grade 3 worker if

    ", + "
  • they manage a team - but not discipline team members
  • ", + "
  • their employer views them as a grade 3 team leader and they\u2019ve completed a one month (maximum) trial period
  • ", + "

    Grade 4 - craft grade

    ", + "

    Someone is a grade 4 worker if they have:

    ", + "
  • an NVQ level 3 vocational qualification
  • ", + "
  • 8 certificates of competence for the agricultural sector they work in
  • ", + "

    They should also have:

    ", + "
  • worked for the same employer continuously for 12 months since getting this qualification
  • ", + "
  • worked in agriculture for at least 2 of the past 5 years
  • ", + "

    There are other qualifications for grade 4 - you can get more help and advice.

    ", + "

    Grade 5 - supervisory grade

    ", + "

    A grade 5 worker is responsible for either:

    ", + "
  • supervising work on a farm on a daily basis
  • ", + "
  • instructing, supervising and disciplining staff
  • ", + "

    Grade 6 - farm management grade

    ", + "

    A grade 6 worker has either:

    ", + "
  • management responsibility for a farm - or part of a farm if it\u2019s run as a separate business
  • ", + "
  • responsibility for employing, disciplining and dismissing staff
  • ", + "

    Categories

    ", + "

    An agricultural worker\u2019s category depends on their duties, responsibilities and/or qualifications.

    ", + "

    Flexible workers

    ", + "

    Flexible workers must have a written \u2018flexible working agreement\u2019.

    ", + "

    A full-time flexible worker works:

    ", + "
  • a 39 basic hour week - the hours can vary over different days
  • ", + "
  • set working hours and working days, which cannot be changed unless agreed with the employer
  • ", + "
  • on a Sunday when needed
  • ", + "

    A part-time flexible worker works:

    ", + "
  • less than 39 basic hours a week - the hours can vary over different days
  • ", + "
  • set working hours and working days, which cannot be changed unless agreed with the employer
  • ", + "

    Trainee

    ", + "

    A trainee is someone who is:

    ", + "
  • on work experience as part of a Business, Innovation and Skills-approved training scheme
  • ", + "
  • on work experience in agriculture as part of the Diploma in Environmental and Land-Based Studies for 14 to 19-year-olds
  • ", + "
  • taking part in the second phase of the European Leonardo da Vinci Programme
  • ", + "

    Apprentice

    ", + "

    Rights for apprentices are different.

    ", + "

    Agricultural tenancies

    ", + "

    If an agricultural worker gets a self-contained home as part of their job they may automatically have an \u2018assured agricultural occupancy\u2019. This will not happen if they had a written notice at the start of the tenancy saying that it was an assured shorthold tenancy instead.

    ", + "

    How it starts

    ", + "

    An assured agricultural occupancy starts when the worker has been employed in agriculture (by any employer) for 91 weeks of the last 104, including paid holiday and sick leave, and:

    ", + "
  • the tenant works 35 hours or more a week
  • ", + "
  • the accommodation is owned by the farmer, or arranged by them
  • ", + "

    Who can get one

    ", + "

    The tenant must be a serving farm worker or a:

    ", + "
  • farm manager or family worker
  • ", + "
  • retired farm worker
  • ", + "
  • farm worker forced to give up work
  • ", + "
  • former farm worker who has taken other employment
  • ", + "
  • deceased farm worker\u2019s widow, widower or family member of a worker and were living with the worker when they died
  • ", + "

    They have to have been working for the farmer who provides or arranges the accommodation.

    ", + "

    You can get more detailed information on who can get an assured agricultural occupancy in \u2018agricultural lettings\u2019.

    ", + "

    Rent increases

    ", + "

    The rent can go up at any time if the worker agrees - if they do not, then it can only go up yearly, unless a different interval is stated in the tenancy agreement. The farmer must tell the worker in writing before putting the rent up.

    ", + "

    The employment ends

    ", + "

    If the worker loses their job or retires, they can stay in the accommodation. The farmer can ask them to start paying rent - or a higher rent than before. If the farmer and worker cannot agree on a rent, they can go to a rent assessment committee.

    ", + "

    If the farmer wants the property back, they can apply to the courts, although they may have to provide the tenant with suitable alternative accommodation. If nothing suitable is available, the tenant may be entitled to re-housing by the council.

    ", + "

    The farmer wants to end the tenancy

    ", + "

    The farmer may want the property back for a new worker, or to end the tenancy because the worker is:

    ", + "
  • not paying the rent
  • ", + "
  • breaking terms of the tenancy agreement
  • ", + "
  • damaging the property or its contents
  • ", + "
  • being a nuisance to neighbours
  • ", + "

    If the worker does not leave willingly, the farmer will have to go to court, and the court will decide whether the worker has to go. If the worker is still a serving farm worker, the farmer may have to provide alternative accommodation.

    ", + "

    If a tenant dies

    ", + "

    The tenancy will automatically pass to their husband or wife. If they did not have a husband or wife, it can pass to another family member if they lived there for the 2 years before the worker\u2019s death.

    ", + "

    Gangmasters

    ", + "

    An individual or business that provides workers for agricultural work is called a \u2018gangmaster\u2019.

    ", + "

    Gangmasters must be licensed if they provide workers for:

    ", + "
  • agriculture
  • ", + "
  • horticulture
  • ", + "
  • dairy farming
  • ", + "
  • food and drink processing or packaging
  • ", + "
  • forestry
  • ", + "
  • gathering shellfish (anybody who uses supplied workers to gather shellfish also needs to be licensed)
  • ", + "

    There are some jobs in these industries that do not need a gangmaster licence.

    ", + "

    You can check if a gangmaster is licensed.

    ", + "

    Changes to employment terms and conditions

    ", + "

    From 1 October 2013, the terms and conditions changed for agricultural and horticultural workers in England who begin new jobs. This includes workers supplied by a gangmaster.

    ", + "

    Employment started on or after 1 October 2013

    ", + "

    Workers must receive at least:

    ", + "
  • the National Minimum Wage
  • ", + "
  • other statutory minimum terms of employment
  • ", + "

    Employment started before 1 October 2013

    ", + "

    Workers, including those supplied by a gangmaster, are still entitled to the terms and conditions of their contract.

    ", + "

    For example, this might mean workers are entitled to overtime rates, agricultural sick pay and dog allowance. Where accommodation is provided in a contract, workers can continue living in that accommodation.

    ", + "

    These entitlements and any other terms and conditions already agreed will continue to apply unless the contract is changed by mutual agreement or it finishes.

    ", + "

    Workers must always be paid at least the appropriate National Minimum Wage. A worker\u2019s rate must be raised if it ever falls below the minimum.

    ", + "

    Enforcement of workers\u2019 rights

    ", + "

    Workers should contact the Acas helpline if they\u2019re concerned that they\u2019re not working under the right terms and conditions.

    ", + "

    Wales

    ", + "

    There is no change in terms and conditions for workers in Wales after 1 October 2013.

    ", + "

    Workers should contact the Agriculture: Sustainable Development Division if they\u2019re concerned they\u2019re not working under the correct terms and conditions.

    " + ] + }, + { + "title": "Farm and livery horses", + "url": "https://www.gov.uk/farm-and-livery-horses", + "contents": [ + "

    Looking after horses

    ", + "

    A horse is considered to be an agricultural animal if it is used to farm agricultural land or is farmed for meat or hides.

    ", + "

    Horses on farms or in stables and livery yards are protected by the Animal Welfare Act. If you own or are responsible for a horse, you have a duty to look after its basic welfare by:

    ", + "
  • providing it with a suitable place to live
  • ", + "
  • giving it a suitable diet
  • ", + "
  • protecting it from pain, injury, suffering and disease
  • ", + "
  • making sure it can behave normally and naturally
  • ", + "

    You can get an unlimited fine or be sent to prison for up to 6 months if you are cruel to an animal or do not care for it properly. You may also be banned from owning animals in future.

    ", + "

    The standards for looking after horses on farms or in livery yards are set out in the Department for Environment Food and Rural Affairs (Defra) \u2018Code of Practice for the Welfare of Horses, Ponies, Donkeys and their Hybrids\u2019.

    ", + "

    Failing to follow the Code of Practice could be used against you if you are prosecuted under the Animal Welfare Act.

    ", + "

    Stables and livery yards

    ", + "

    At a livery yard, horses are housed and cared for in return for payment but do not belong to the owner of the yard.

    ", + "

    Health and safety standards for livery yards are set out by the Chartered Institute for Environmental Health (CIEH).

    ", + "

    Planning permission for stables and livery yards

    ", + "

    Stables and livery yards require planning permission:

    ", + "
  • in England and Wales
  • ", + "
  • in Scotland
  • ", + "

    You can make a planning application online.

    ", + "

    Dealing with waste

    ", + "

    Horse manure

    ", + "

    Horse manure is not considered waste if all of the following apply:

    ", + "
  • it is used as soil fertiliser
  • ", + "
  • it is used lawfully for spreading on clearly identified pieces of agricultural land
  • ", + "
  • it is only stored to be used for spreading on agricultural land
  • ", + "

    If you store or spread horse waste near to water, it can be a health hazard and could harm the environment. You will need to follow rules on Nitrate Vulnerable Zones and follow rules on the pollution of groundwater.

    ", + "

    Getting rid of solid waste

    ", + "

    Solid waste includes things like:

    ", + "
  • contaminated bedding
  • ", + "
  • food containers
  • ", + "
  • horse manure (if not used as soil fertiliser)
  • ", + "
  • empty pesticide and other chemical containers
  • ", + "
  • plastics such as silage wrap, bags and sheets
  • ", + "
  • tyres, batteries, clinical waste, old machinery and oil
  • ", + "

    You must use a licensed facility to get rid of solid waste - it\u2019s against the law to dump or burn it.

    ", + "

    Contact the Environment Agency or your local authority for information on how to get rid of solid waste.

    ", + "

    Some biodegradable waste can be composted. Composting plants must be registered with the Environment Agency. You may need an environmental permit for on-site composting of some materials.

    ", + "

    Transporting horses

    ", + "

    You should not transport a horse in a way that may cause it harm or distress. There are welfare regulations for transporting live animals, including for commercial reasons.

    ", + "

    Horses, ponies and donkeys must have a horse passport with them whenever they are transported.

    ", + "

    There are other rules you must follow if you\u2019re importing or exporting an animal, even if you\u2019re only transporting them overseas temporarily.

    ", + "

    Death and disease

    ", + "

    If you think that a horse has a notifiable disease then you must immediately contact your local Animal Health Office.

    ", + "

    Fallen stock

    ", + "

    If a horse dies or has to be put down on your premises, you will have to arrange its disposal as fallen stock under animal by-products (ABPs) controls.

    ", + "

    This includes:

    ", + "
  • entire animal bodies
  • ", + "
  • parts of animals
  • ", + "
  • products of animal origin
  • ", + "
  • other products obtained from animals that are not for human consumption.
  • ", + "

    You must deal with ABPs promptly to protect people, animals and the environment. In most cases, this will mean arranging for them to be taken away to approved premises, like:

    ", + "
  • rendering plants
  • ", + "
  • incinerators
  • ", + "
  • collection centres
  • ", + "
  • storage plants
  • ", + "

    Your local council can provide a list of approved premises for the disposal of ABPs.

    ", + "

    The National Fallen Stock Scheme is a not-for-profit scheme which helps farmers and animal owners to follow the law on disposing of fallen stock.

    " + ] + }, + { + "title": "Health and safety using farm vehicles and machinery", + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "contents": [ + "

    Overview

    ", + "

    If you own or manage a farm, you\u2019re responsible for ensuring the health and safety of your workers and anyone who\u2019s affected by what they do.

    ", + "

    You must:

    ", + "
  • carry out a assessment of any risks related to your farm
  • ", + "
  • have a plan to manage these risks and protect people from harm
  • ", + "
  • plan and set standards to be sure that your health and safety practices work
  • ", + "
  • check how you\u2019re doing through regular inspections and monitoring
  • ", + "

    You must make sure that all farming vehicles and equipment are:

    ", + "
  • safe to use
  • ", + "
  • appropriate for the jobs they are used for
  • ", + "
  • their safety risks are reduced as much as possible
  • ", + "

    Health and safety assessments

    ", + "

    The Health and Safety Executive (HSE) has produced guidance to help farmers conduct health and safety assessments of their farms.

    ", + "

    The \u2018Farmwise\u2019 guide also provides information and guidance on health and safety for farm vehicles and machinery.

    ", + "

    Buying vehicles and equipment

    ", + "

    CE Mark

    ", + "

    Most new machines, vehicles or pieces of farming equipment you buy must be \u2018CE\u2019 marked. This mark means that it has been built to meet minimum legal safety requirements.

    ", + "

    Most new machines or pieces of equipment should also have:

    ", + "
  • a \u2018declaration of conformity\u2019 to show that it meets EU standards
  • ", + "
  • a manual
  • ", + "
  • information on noise levels
  • ", + "

    Second-hand equipment and vehicles

    ", + "

    Before using second hand machinery, you should:

    ", + "
  • make sure that it complies with the Provision and Use of Work Equipment Regulations 1998
  • ", + "
  • get the operator\u2019s manual or suitable instructions for use
  • ", + "
  • replace or repair any missing or damaged safety guards before use
  • ", + "

    Maintaining vehicles and equipment

    ", + "

    You must make sure that all your equipment is properly maintained and in good working order. You\u2019ll need to perform regular maintenance checks on all of your vehicles and machinery.

    ", + "

    You can find useful equipment maintenance checklists on the British Agricultural and Garden Machinery Association website.

    ", + "

    The Department for Transport also provides guidance on performing health checks on farm vehicles.

    ", + "

    You can find information on the safe use of agricultural machinery on the Health and Safety Executive website.

    ", + "

    Noise levels

    ", + "

    High levels of noise can damage hearing. By law, you must assess the level of noise in areas where people work for you. You must take action where noise exceeds certain levels.

    ", + "

    If you have noisy machinery or equipment, you should consider:

    ", + "
  • providing hearing protection for operators
  • ", + "
  • using barriers or screens to block sound
  • ", + "
  • using materials to absorb sound
  • ", + "
  • limiting the time spent in noisy environments
  • ", + "

    Read information from the Health and Safety Executive (HSE) on noise levels at work.

    " + ] + }, + { + "title": "Planning permission for farms", + "url": "https://www.gov.uk/planning-permissions-for-farms", + "contents": [ + "

    When you need it

    ", + "

    Farms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.

    ", + "

    You need planning permission if:

    ", + "
  • you want to change how you use your land or buildings from farming to something else
  • ", + "
  • you want to build a house on the land
  • ", + "

    You will also usually need planning permission if you are applying for a grant to fund a project that needs a building or other development.

    ", + "

    When you don\u2019t need it

    ", + "

    You don\u2019t need planning permission:

    ", + "
  • for farming operations
  • ", + "
  • to use buildings already on your land for farming purposes
  • ", + "
  • to change the inside of a building, or make small alterations to the outside - eg installing an alarm box
  • ", + "
  • if there are permitted development rights
  • ", + "

    Before starting work on the project, always check with:

    ", + "
  • your local planning authority in England and Wales
  • ", + "
  • your local planning authority in Scotland
  • ", + "
  • you local area planning office in Northern Ireland
  • ", + "

    If you don\u2019t get planning permission when you need it you may have to stop work on the development or demolish it.

    ", + "

    Apply for planning permission

    ", + "

    In England and Wales, you can apply online at the Planning Portal.

    ", + "

    In Scotland you can apply online at ePlanning Scotland.

    ", + "

    In Northern Ireland, you apply for planning permission to your local area planning office.

    ", + "

    Permitted development

    ", + "

    Permitted development means that if your farm is 5 hectares or more, you have the right to:

    ", + "
  • erect, extend or alter a building
  • ", + "
  • carry out excavations and engineering operations needed for agricultural purposes - though you may still require approval for certain details of the development.
  • ", + "

    The types of permitted development include:

    ", + "
  • temporary uses of land
  • ", + "
  • agricultural buildings below a certain size
  • ", + "
  • forestry buildings
  • ", + "
  • caravan sites and related buildings in some circumstances
  • ", + "

    Check with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.

    ", + "

    The Agricultural Document Library (ADLib) has policy planning guidance on permitted development and farms.

    ", + "

    Appeals

    ", + "

    The way you appeal and the deadlines for appealing are different depending on which country you\u2019re in. See the relevant planning guide for more information:

    ", + "
  • England and Wales
  • ", + "
  • Scotland
  • " + ] + }, + { + "title": "Register land with the Rural Land Register", + "url": "https://www.gov.uk/register-land-rural-land-register", + "contents": [ + "

    Overview

    ", + "

    You must use the Rural Land Register (RLR) to register agricultural land.

    ", + "

    You can register any type of land or property with HM Land Registry.

    ", + "

    You must register your land with both the RLR and HM Land Registry to claim from most land-based funding schemes, including:

    ", + "
  • Environmental Stewardship schemes
  • ", + "
  • the English Woodland Grant Scheme
  • ", + "

    Register with your local Rural Payments and Inspections Directorate (RPID) office if your land is in Scotland.

    ", + "

    What to register

    ", + "

    You only need to register land that you want to claim payments on. This includes land that:

    ", + "
  • you farm
  • ", + "
  • qualifies for land-based payment schemes, for example because it has environmental value
  • ", + "

    What you\u2019ll get

    ", + "

    You\u2019ll get a complete set of maps showing your registered land.

    ", + "

    Who can register

    ", + "

    Customer registration

    ", + "

    You need to register as a customer with the Rural Payments Agency (RPA) before you register your land. You\u2019ll need to tell them:

    ", + "
  • the name and address of your business
  • ", + "
  • who is legally responsible for your business
  • ", + "
  • the address of your land, including the grid reference or postcode
  • ", + "
  • who your main contact person should be and what powers they should have
  • ", + "

    The main contact person can be yourself, a person legally responsible for your business or someone independent (an agent).

    ", + "

    You can give an agent full powers (empowerment) to deal with your land registration or partial powers (for example, they can access information but not change it).

    ", + "

    The Rural Payments Agency has produced a leaflet about the different levels of empowerment you can give your contact person.

    ", + "

    Call the RPA to give this information for the first time or change existing contact details for your business.

    ", + "

    You\u2019ll receive a Single Business Identifier for your business, and each person will get a Personal Identifier. You\u2019ll need these to register your land.

    ", + "

    Landlords and tenants

    ", + "

    Either the landlord or the tenant can register land on the Rural Land Register, but the land can only be registered once.

    ", + "

    However, it\u2019s possible for the landlord to claim funds under one land scheme and their tenant to claim under another.

    ", + "

    How to register land or change a registration

    ", + "

    You can use the RLE1 form to:

    ", + "
  • register new land for the first time
  • ", + "
  • make changes to land already on the Rural Land Register, for example if the boundaries change or if you sell the land to someone else
  • ", + "

    Fill in the form and post it to the Rural Payments Agency (RPA). You can either download the form below or ask the RPA to send you a pre-printed copy.

    ", + "

    You\u2019ll need to give your Single Business Identifier - you\u2019ll get this when you complete the customer registration process for the first time.

    ", + "

    You also need to enclose a map with a visible scale if you\u2019re registering land for the first time, or if your boundaries have changed. Mark your land boundaries clearly with a fine-tipped pen.

    ", + "

    Read the guidance on filling out form RLE1.

    ", + "

    Contacting the RPA

    ", + "

    If you live in Scotland, Wales or Northern Ireland

    ", + "

    The Rural Land Register only covers land in England.

    ", + "

    If your land is in more than one country, you\u2019ll need to register each piece of land separately for each country.

    ", + "

    Contact the Rural Payments Agency if you have land in more than one country and have questions about your land in England.

    ", + "

    Use the numbers below if you have land in more than one country and have questions about land in Scotland, Northern Ireland or Wales.

    ", + "

    Land in Scotland

    ", + "

    Land in Northern Ireland

    ", + "

    Land in Wales

    ", + "

    Find out about call charges.

    " + ] + }, + { + "title": "Report a suspected problem with an animal medicine or microchip", + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "contents": [ + "

    Overview

    ", + "

    You can report an unexpected reaction to an animal medicine or microchip to the Veterinary Medicines Directorate (VMD). You can also report if an animal medicine has not worked.

    ", + "

    How you report the reaction depends on whether:

    ", + "
  • an animal has reacted to animal medicine or to a microchip
  • ", + "
  • a human has reacted to animal medicine
  • ", + "

    VMD will use the information you provide to help make sure that animal medicines and microchips are used safely and effectively.

    ", + "

    Report an animal's reaction to animal medicine

    ", + "

    You can report when a medicine may not have worked, or could have made your animal unwell.

    ", + "

    You\u2019ll be asked for details of:

    ", + "
  • the medicine, including batch number and marketing authorisation number if known
  • ", + "
  • the animal that was affected, for example the species, breed and age
  • ", + "
  • when and how the medicine was first given to the animal
  • ", + "
  • the symptoms
  • ", + "

    Send your report

    ", + "

    If you cannot report online

    ", + "

    Download and fill in the form for reporting reactions in animals. Send it to the address on the form.

    ", + "

    Report an animal's reaction to a microchip

    ", + "

    You can report suspected incidents with animal microchips including:

    ", + "
  • a reaction to the chip being implanted, such as injury, infection or prolonged bleeding
  • ", + "
  • if a chip\u2019s moved from where it was implanted or has come out
  • ", + "
  • a chip that does not read properly
  • ", + "

    You\u2019ll need the microchip number to make a report.

    ", + "

    Send your report

    ", + "

    Contact VMD if you cannot report the incident online.

    ", + "

    Report a person's reaction to animal medicine

    ", + "

    You can report a suspected reaction you or someone else has had to an animal medicine while using it on an animal, for example a skin allergy.

    ", + "

    You\u2019ll be asked for details of:

    ", + "
  • the medicine, including the batch number and marketing authorisation number (if you know it)
  • ", + "
  • the people affected - and how and when they came into contact with the medicine
  • ", + "
  • the symptoms
  • ", + "

    Send your report

    ", + "

    If you cannot report online

    ", + "

    Download and fill in the form for reporting reactions in humans. Send it to the address on the form.

    ", + "

    Contact VMD

    ", + "

    Contact the Veterinary Medicines Directorate (VMD) Pharmacovigilance Team if you have any questions about reporting reactions.

    " + ] + }, + { + "title": "Apply to register a trade mark", + "url": "https://www.gov.uk/how-to-register-a-trade-mark", + "contents": [ + "

    Register a trade mark

    ", + "

    You can register your trade mark to protect your brand, for example the name of your product or service.

    ", + "

    When you register your trade mark, you\u2019ll be able to:

    ", + "
  • take legal action against anyone who uses your brand without your permission, including counterfeiters
  • ", + "
  • put the \u00ae symbol next to your brand - to show that it\u2019s yours and warn others against using it
  • ", + "
  • sell and license your brand
  • ", + "

    How to register a trade mark

    ", + "
  • Check if your brand qualifies as a trade mark.
  • ", + "
  • Apply to register your trade mark.
  • ", + "
  • Respond to any objections.
  • ", + "

    The registration process takes about 4 months if no-one objects. Registered trade marks last 10 years.

    ", + "

    Register your trade mark overseas

    ", + "

    Registering a trade mark in the UK only protects your brand in the UK.

    ", + "

    There are different processes for registering EU and international trade marks.

    ", + "

    What you can and cannot register

    ", + "

    Your trade mark must be unique. It can include:

    ", + "
  • words
  • ", + "
  • sounds
  • ", + "
  • logos
  • ", + "
  • colours
  • ", + "
  • a combination of any of these
  • ", + "

    Your trade mark cannot:

    ", + "
  • be offensive, for example contain swear words or pornographic images
  • ", + "
  • describe the goods or services it will relate to, for example the word \u2018cotton\u2019 cannot be a trade mark for a cotton textile company
  • ", + "
  • be misleading, for example use the word \u2018organic\u2019 for goods that are not organic
  • ", + "
  • be a 3-dimensional shape associated with your trade mark, for example the shape of an egg for eggs
  • ", + "
  • be too common and non-distinctive, for example be a simple statement like \u2018we lead the way\u2019
  • ", + "
  • look too similar to state symbols like flags or hallmarks, based on World Intellectual Property Organization guidelines
  • ", + "

    Series applications

    ", + "

    If you have similar versions of your trade mark, you can make a series application for up to 6 marks.

    ", + "

    All your marks should:

    ", + "
  • look the same
  • ", + "
  • sound the same
  • ", + "
  • mean the same
  • ", + "

    Any differences must be minor.

    ", + "

    Check if your trade mark is already registered

    ", + "

    Before you apply, you must search the trade marks database to check if anyone has already registered an identical or similar trade mark for the same or similar goods or services.

    ", + "

    You must also check the EU trade marks register on the European Union Intellectual Property Office website for any EU applications that were \u2018pending\u2019 on 1 January 2021. These applications have priority over yours.

    ", + "

    You can ask the holder of an existing trade mark for permission to register yours. They must give you a \u2018letter of consent\u2019 - you must send this letter with your application.

    ", + "

    You can use a trade mark attorney to help you with searches and registrations.

    ", + "

    Apply

    ", + "

    This service will be unavailable from 6am to 4pm on Saturday 26 June.

    ", + "

    You cannot change your trade mark once you\u2019ve applied, and the fees are non-refundable.

    ", + "

    You\u2019ll get feedback on your application (called an \u2018examination report\u2019) within 12 weeks (60 working days).

    ", + "

    Before you apply

    ", + "

    You must check if your trade mark is already registered.

    ", + "

    Read the guide to new applications before you start if you\u2019ve not applied before.

    ", + "

    Apply to register a trademark

    ", + "

    You\u2019ll need:

    ", + "
  • details of what you want to register, for example a word, illustration or slogan
  • ", + "
  • the trade mark classes you want to register in, for example food and drink services (class 43) or chemicals (class 1)
  • ", + "

    Apply now

    ", + "

    How much it costs

    ", + "

    You can use the \u2018Right Start\u2019 service if you want to check your application meets the rules for registration.

    ", + "

    You pay \u00a3100 initially, plus \u00a350 for each additional class. You\u2019ll then get a report telling you if your application meets the rules.

    ", + "

    If you want to continue, you must pay the full fee within 28 days of getting your report.

    ", + "

    You can also choose to continue your application even if it does not meet the rules for registration.

    ", + " | Fee | Each additional class", + "Standard application (online) | \u00a3170 | \u00a350", + "Right Start application (online) | \u00a3200 (\u00a3100 up front plus \u00a3100 if you go ahead with your registration) | \u00a350 (\u00a325 up front plus \u00a325 if you go ahead with your registration)", + "

    A series application for 3 or more marks costs an additional \u00a350 per mark.

    ", + "

    Other ways to apply

    ", + "

    Fill in the paper forms if you want to apply by post. It costs \u00a3200 for one class plus \u00a350 for each additional class.

    ", + "

    After you apply

    ", + "
  • You\u2019ll get feedback on your application (an \u2018examination report\u2019) in up to 12 weeks (60 working days) - you have 2 months to resolve any problems.
  • ", + "
  • If the examiner has no objections your application will be published in the trade marks journal for 2 months, during which time anyone can oppose it.
  • ", + "
  • Your trade mark will be registered once any objections are resolved - you\u2019ll get a certificate to confirm this.
  • ", + "

    If your application is opposed

    ", + "

    The Intellectual Property Office will tell you if someone opposes your application.

    ", + "

    You can either:

    ", + "
  • withdraw your application
  • ", + "
  • talk to the person making the opposition
  • ", + "
  • defend your application
  • ", + "

    You cannot register your trade mark until the matter is settled and may have to pay legal costs if you want to challenge the opposing party.

    ", + "

    Read guidance on your options following an opposition.

    ", + "

    Research previous trade mark decisions to help you with a dispute and prepare for a hearing.

    ", + "

    Once your trade mark is registered

    ", + "

    You must report any changes to your name, address or email address.

    ", + "

    You can object to other people\u2019s trade marks, for example if you think they are identical or similar to yours.

    ", + "

    You can sell, market, license and mortgage your trade mark.

    ", + "

    Your trade mark will last 10 years - you can renew it after that time.

    ", + "

    Unregistered trade marks

    ", + "

    You may be able to stop someone using a similar trade mark to yours on their goods and services (known as \u2018passing off\u2019), even if you have not registered it.

    ", + "

    You\u2019ll usually need to get legal advice from a trade mark attorney.

    ", + "

    It\u2019s harder to prove passing off than it is to defend a registered trade mark. To be successful you\u2019ll need to show that:

    ", + "
  • the mark is yours
  • ", + "
  • you\u2019ve built up goodwill associated with the mark
  • ", + "
  • you\u2019ve been harmed in some way by the other person\u2019s use of the mark
  • " + ] + }, + { + "title": "Defend your intellectual property", + "url": "https://www.gov.uk/defend-your-intellectual-property", + "contents": [ + "

    Overview

    ", + "

    It\u2019s your responsibility to defend your intellectual property (IP) and to take action if someone\u2019s used it without permission (known as \u2018infringement\u2019).

    ", + "

    Examples of IP infringement include when someone:

    ", + "
  • uses, sells or imports your patented product or process
  • ", + "
  • uses all or some of your work under copyright without your permission
  • ", + "
  • makes, offers or sells your registered design for commercial gain
  • ", + "
  • uses a trade mark that\u2019s identical or similar to one you\u2019ve registered
  • ", + "

    You can take the following steps.

    ", + "
  • Get the other party to stop using your IP or come to an agreement with them, for example license your IP.
  • ", + "
  • Use mediation or another type of dispute resolution.
  • ", + "
  • Take legal action if you can\u2019t resolve the dispute by other means.
  • ", + "

    You may want to get help from an IP professional, such as a solicitor. The Intellectual Property Office (IPO) can also help.

    ", + "

    Report IP crime

    ", + "

    It can be a criminal offence to copy or use copyright material and registered trade marks and designs without permission.

    ", + "

    Report suspected IP crime to Trading Standards by contacting Citizens Advice.

    ", + "

    You can also report it anonymously through:

    ", + "
  • Crimestoppers
  • ", + "
  • Action Fraud
  • ", + "

    Get help and advice

    ", + "

    An intellectual property (IP) professional can give you legal advice on a dispute, or act on your behalf.

    ", + "

    Find an IP professional through organisations including:

    ", + "
  • The Chartered Institute of Patent Attorneys
  • ", + "
  • The Chartered Institute of Trade Mark Attorneys
  • ", + "
  • The Law Society (England and Wales)
  • ", + "
  • The Law Society of Scotland
  • ", + "
  • The Law Society of Northern Ireland
  • ", + "

    Contact the Intellectual Property Office (IPO)

    ", + "

    You can contact IPO for:

    ", + "
  • an opinion on whether your patent or supplementary protection certificate is being infringed - it costs \u00a3200
  • ", + "
  • to start legal proceedings over some types of IP dispute (this does not include copyright infringement)
  • ", + "
  • general advice on IP
  • ", + "

    Come to an agreement

    ", + "

    If someone is using your IP without your permission you can contact them and ask them to stop.

    ", + "

    You can be sued for making unjustified threats. You may want to seek legal advice before contacting the other party.

    ", + "

    Make a deal

    ", + "

    You can offer to make a deal with the other party, which is usually cheaper and quicker than going to court.

    ", + "

    Read the guidance on how to license, sell, mortgage and market your:

    ", + "
  • copyright
  • ", + "
  • patent
  • ", + "
  • design
  • ", + "
  • trade mark
  • ", + "

    You can also come to a coexistence agreement with someone who has a similar trade mark.

    ", + "

    Use a mediator

    ", + "

    You can use a mediator if you can\u2019t come to an agreement over an intellectual property (IP) dispute.

    ", + "

    Mediation can be used in most IP disputes. This includes disputes about:

    ", + "
  • trade marks
  • ", + "
  • copyright
  • ", + "
  • designs
  • ", + "
  • patents
  • ", + "

    Mediation is a way of resolving disputes without going to court. It\u2019s cheaper and quicker than taking legal action and the outcome is usually beneficial to all parties.

    ", + "

    Mediators provide an independent view on a dispute. They can\u2019t make a decision for you, but they can help to find a solution that both parties accept.

    ", + "

    Discussions with a mediator are confidential and can\u2019t be used in court later if the dispute isn\u2019t resolved.

    ", + "

    IPO mediation service

    ", + "

    The Intellectual Property Office (IPO) has its own mediation service.

    ", + "

    What you will pay for mediation depends on the type and length of mediation session.

    ", + "

    Read guidance on IPO\u2019s mediation service, including information on fees.

    ", + "

    Other mediators you can use

    ", + "

    You can also use the:

    ", + "
  • Civil Mediation Council (England and Wales)
  • ", + "
  • Scottish Mediation Network
  • ", + "
  • Northern Ireland Mediation
  • ", + "

    Take legal action

    ", + "

    You can file legal proceedings either through the Intellectual Property Office (IPO) or through the courts.

    ", + "

    Some types of proceedings can only be filed through one or the other. For example, copyright infringement claims can only be filed through the courts.

    ", + "

    A court will expect you to have tried to resolve your dispute - possibly using mediation - before starting legal proceedings.

    ", + "

    You can pay an Intellectual Property Professional to help you.

    ", + "

    File through IPO

    ", + "

    Contact IPO for more information on filing through them.

    ", + "

    File through the courts in England and Wales

    ", + "

    The court you go to depends on the nature, complexity and value of your claim.

    ", + "

    Claims below \u00a310,000

    ", + "

    Use the Intellectual Property Enterprise Court (IPEC) small claims track if your claim is for less than \u00a310,000 and for infringement of one of the following:

    ", + "
  • copyright
  • ", + "
  • passing off
  • ", + "
  • trade marks
  • ", + "
  • breach of confidence
  • ", + "
  • unregistered design rights
  • ", + "

    You don\u2019t need a lawyer to use the IPEC small claims track.

    ", + "

    Claims up to \u00a3500,000

    ", + "

    You can take a case for any IP right to the Intellectual Property Enterprise Court (IPEC) if you do not wish to claim more than:

    ", + "
  • \u00a350,000 for legal costs
  • ", + "
  • \u00a3500,000 for damages
  • ", + "

    If you\u2019re claiming more than \u00a3500,000 in damages

    ", + "

    Use the Chancery Division of the High Court of England and Wales - there are no limits to legal costs or damages you can claim.

    ", + "

    File through the courts in Scotland

    ", + "

    Use the Court of Session if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.

    ", + "

    File through the courts in Northern Ireland

    ", + "

    You can use the Chancery Division of the High Court of Northern Ireland if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.

    " + ] + }, + { + "title": "Get copies of patent, trade mark or design registration documents", + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "contents": [ + "

    Overview

    ", + "

    You can get copies of documents if you need to prove who owns or has applied for a UK patent, trade mark or design registration.

    ", + "

    There are 2 types of copy \u2013 certified and uncertified.

    ", + "

    Certified copy

    ", + "

    This is an official document, also called a Certificate of the Registrar.

    ", + "

    You need a certified copy to:

    ", + "
  • register a piece of intellectual property (IP) outside the UK
  • ", + "
  • prove legal ownership of intellectual property, such as in a court case
  • ", + "

    Uncertified copy

    ", + "

    An uncertified copy is a photocopy or digital copy of the details on the register. You can use this for research or personal use.

    ", + "

    Request patent documents

    ", + "

    Use patents form 23 to apply for either a certified or uncertified copy of a patent.

    ", + "

    You must send a separate form for each certified copy you need, but you can make multiple requests on one form.

    ", + "

    Fill in the form and post it. The address is on the form.

    ", + "

    You can request uncertified copies of patent documents online.

    ", + "

    How much they cost

    ", + "

    Certified copies cost \u00a320 each.

    ", + "

    Uncertified copies cost \u00a35.

    ", + "

    Uncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.

    ", + "

    Request trade marks documents

    ", + "

    Use form TM31R to get a certified copy of a trade mark.

    ", + "

    Certified copies cost \u00a320 each.

    ", + "

    Fill in the form and post it. The address is on the form.

    ", + "

    Uncertified copies

    ", + "

    Send an email to Intellectual Property Office (IPO) sales including:

    ", + "
  • the trade mark number
  • ", + "
  • your telephone number
  • ", + "
  • the address you want the photocopy sent to
  • ", + "

    Uncertified copies usually cost \u00a35 - large documents may cost more.

    ", + "

    Uncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.

    ", + "

    After you email, you\u2019ll get a quote and instructions on how you pay.

    ", + "

    Request design registration documents

    ", + "

    Use form DF23 to request a certified copy of a design registration or application.

    ", + "

    You should use one form for each certified copy you\u2019re requesting.

    ", + "

    Certified copies cost \u00a330 each.

    ", + "

    Fill in the form and post it. The address is on the form.

    ", + "

    Uncertified copies

    ", + "

    Send an email to Intellectual Property Office (IPO) sales including:

    ", + "
  • the design number
  • ", + "
  • your telephone number
  • ", + "
  • the address you want the photocopy sent to
  • ", + "

    Uncertified copies usually cost \u00a35 - large documents may cost more.

    ", + "

    Uncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.

    ", + "

    After you email, you\u2019ll get a quote and instructions on how you pay.

    " + ] + }, + { + "title": "How copyright protects your work", + "url": "https://www.gov.uk/copyright", + "contents": [ + "

    Overview

    ", + "

    Copyright protects your work and stops others from using it without your permission.

    ", + "

    You get copyright protection automatically - you don\u2019t have to apply or pay a fee. There isn\u2019t a register of copyright works in the UK.

    ", + "

    You automatically get copyright protection when you create:

    ", + "
  • original literary, dramatic, musical and artistic work, including illustration and photography
  • ", + "
  • original non-literary written work, such as software, web content and databases
  • ", + "
  • sound and music recordings
  • ", + "
  • film and television recordings
  • ", + "
  • broadcasts
  • ", + "
  • the layout of published editions of written, dramatic and musical works
  • ", + "

    You can mark your work with the copyright symbol (\u00a9), your name and the year of creation. Whether you mark the work or not doesn\u2019t affect the level of protection you have.

    ", + "

    How copyright protects your work

    ", + "

    Copyright prevents people from:

    ", + "
  • copying your work
  • ", + "
  • distributing copies of it, whether free of charge or for sale
  • ", + "
  • renting or lending copies of your work
  • ", + "
  • performing, showing or playing your work in public
  • ", + "
  • making an adaptation of your work
  • ", + "
  • putting it on the internet
  • ", + "

    Copyright overseas

    ", + "

    Your work could be protected by copyright in other countries through international agreements, for example the Berne Convention.

    ", + "

    In most countries copyright lasts a minimum of life plus 50 years for most types of written, dramatic and artistic works, and at least 25 years for photographs. It can be different for other types of work.

    ", + "

    Contact the IPO Information Centre if you have a question about international copyright.

    ", + "

    How long copyright lasts

    ", + "

    Copyright protection starts as soon as a work is created. Once your copyright has expired, anyone can use or copy your work.

    ", + "

    The length of copyright depends on the type of work.

    ", + "Type of work | How long copyright usually lasts", + "Written, dramatic, musical and artistic work | 70 years after the author\u2019s death", + "Sound and music recording | 70 years from when it\u2019s first published", + "Films | 70 years after the death of the director, screenplay author and composer", + "Broadcasts | 50 years from when it\u2019s first broadcast", + "Layout of published editions of written, dramatic or musical works | 25 years from when it\u2019s first published", + "

    The length of copyright also depends on how long ago the work was created.

    ", + "

    You can read more guidance about how long copyright lasts.

    ", + "

    Contact the IPO Information Centre if you have questions about the copyright of an older work.

    ", + "

    License and sell your copyright

    ", + "

    You can license the use of your work if you own the copyright. You can also decide how your work is used.

    ", + "

    You can register your work with a licensing body, for example a collecting society, who will agree licences with users for you and collect royalties for you.

    ", + "

    Sell or transfer your copyright

    ", + "

    You\u2019ll need to write and sign a document (sometimes called an \u2018assignment\u2019) to show a sale or transfer has taken place.

    ", + "

    Your copyright can be transferred by inheritance and will be valid as long as the work remains in copyright - check how long protection lasts.

    ", + "

    Moral rights

    ", + "

    You can keep or waive your \u2018moral rights\u2019, which include the right to:

    ", + "
  • be identified as the author of your work
  • ", + "
  • object to how the work is presented, for example if you think it\u2019s \u2018derogatory\u2019 or damaging to you or your reputation
  • ", + "
  • object to changes made to your work
  • ", + "

    Performers\u2019 rights

    ", + "

    You have rights in your performances separate to copyright if you\u2019re a performer.

    ", + "

    For example, if you\u2019re an actor in a play you may have \u2018economic rights\u2019 in any recordings or broadcasts of their performance, even if the copyright is sold.

    ", + "

    Stop people using your work

    ", + "

    You\u2019re responsible for defending your copyright material against infringement.

    ", + "

    Some people or organisations (such as libraries or schools) may be able to use copyright work without permission. You should check whether someone\u2019s use of your work is permitted before trying to stop them.

    ", + "

    If you think someone is using your work and they don\u2019t know you own the rights

    ", + "

    People or organisations must apply for a licence if they want to use a work that\u2019s covered by copyright but don\u2019t know who the rights holder is.

    ", + "

    Check the licences register to see if anyone has licensed your work or is in the process of applying for a licence. If your work is on the register you can:

    ", + "
  • apply to have an application stopped
  • ", + "
  • claim the licence fee that\u2019s been paid (if a licence has already been issued)
  • ", + "

    If you have a dispute about licensing

    ", + "

    Your collecting society can contact the Copyright Tribunal and ask them to decide on some disputes about licensing.

    ", + "

    They can also contact them by post.

    ", + "

    Help with copyright law

    ", + "

    The IPO Information Centre offers general advice on copyright law.

    ", + "

    You can get advice on particular legal issues from an intellectual property (IP) professional.

    ", + "

    If you\u2019d like more guidance about an area of copyright law

    ", + "

    You can also ask IPO to publish guidance about an area of copyright law.

    ", + "

    They might publish a public \u2018copyright notice\u2019 if your question highlights a gap in the general copyright guidance.

    " + ] + }, + { + "title": "Patenting your invention", + "url": "https://www.gov.uk/patent-your-invention", + "contents": [ + "

    What you can patent

    ", + "

    You can use a patent to protect your invention. It gives you the right to take legal action against anyone who makes, uses, sells or imports it without your permission.

    ", + "

    To be granted a patent, your invention must be all of the following:

    ", + "
  • something that can be made or used
  • ", + "
  • new
  • ", + "
  • inventive - not just a simple modification to something that already exists
  • ", + "

    Patents are expensive and difficult to get. Before you apply, check if a patent is right for your business.

    ", + "

    What you cannot patent

    ", + "

    You cannot patent certain types of invention, including:

    ", + "
  • literary, dramatic, musical or artistic works
  • ", + "
  • a way of doing business, playing a game or thinking
  • ", + "
  • a method of medical treatment or diagnosis
  • ", + "
  • a discovery, scientific theory or mathematical method
  • ", + "
  • the way information is presented
  • ", + "
  • some computer programs or mobile apps
  • ", + "
  • \u2018essentially biological\u2019 processes like crossing-breeding plants, and plant or animal varieties
  • ", + "

    Before you apply

    ", + "

    Patents are the most difficult form of protection to get. Check if a patent is right for your business before you apply for one.

    ", + "

    You should only apply for a patent if:

    ", + "
  • your invention is new - check for similar ones by searching published patents, the internet and trade publications
  • ", + "
  • you have the time and money for the application process
  • ", + "

    The application process is:

    ", + "
  • complicated - only 1 in 20 applicants get a patent without professional help
  • ", + "
  • expensive - with professional help, applications typically cost \u00a34,000
  • ", + "
  • long - it usually takes 5 years
  • ", + "

    If you get a patent, you\u2019ll also have to pay to renew it each year and the costs of legal action if you need to defend it.

    ", + "

    Other ways to protect your intellectual property

    ", + "

    Other types of protection might be more appropriate for your business. For example, you can use:

    ", + "
  • trade marks - if you can create a brand and be first to market
  • ", + "
  • design rights - if how your product looks (rather than how it works) is important and innovative
  • ", + "
  • non-disclosure agreements to keep it secret before launch - this can provide enough protection if your product is likely to sell for only a short time
  • ", + "

    Getting help

    ", + "

    You can get a professional to help you decide whether a patent is right for your business.

    ", + "

    You may be able to get free advice by:

    ", + "
  • speaking to a patent attorney or other professional advisor - many offer basic advice for free
  • ", + "
  • attending an intellectual property (IP) clinic
  • ", + "
  • going to the British Library Business and IP Centre in London
  • ", + "

    This advice will be confidential.

    ", + "

    Do not talk to other people without a non-disclosure agreement, or you may not be able to patent your invention. You can get help with this from a patent attorney or solicitor.

    ", + "

    If you decide to apply

    ", + "

    When you\u2019ve checked that a patent is right for your business, you should find a patent attorney or advisor. They will:

    ", + "
  • help you prepare your application correctly - you cannot add in additional information later
  • ", + "
  • give you the best chance of being granted a patent
  • ", + "
  • try to make your patent as commercially valuable as possible
  • ", + "

    You may be approached by companies offering to promote your invention for a fee. Get independent legal or financial advice before you agree to anything.

    ", + "

    Applying for a patent

    ", + "

    If you work with a patent attorney or advisor, they\u2019ll help you through the application process. Applications typically cost \u00a34,000 and the process usually takes 5 years. There are 8 steps if you apply for patent protection in the UK through the Intellectual Property Office (IPO).

    ", + "
  • Search for similar patents to make sure your invention is new.
  • ", + "
  • Prepare your patent application.
  • ", + "
  • File your patent application and request a search from IPO.
  • ", + "
  • Receive your search report (usually within 6 months) and decide whether you want to continue with your application.
  • ", + "
  • Your application will be published 18 months after you file it.
  • ", + "
  • Ask for a \u2018substantive examination\u2019 within 6 months of publication.
  • ", + "
  • Respond to comments from IPO\u2019s \u2018substantive examination\u2019. The examination may take place several years after you file your application.
  • ", + "
  • Your application will be granted or refused.
  • ", + "

    You can commercially benefit from your patent once it has been granted, for example license, sell or mortgage your patent.

    ", + "

    Do not make your invention public before you apply. You may not be able to patent it if you do.

    ", + "

    Other ways to get a UK patent

    ", + "

    You can also file a UK patent application through the:

    ", + "
  • European Patent Office (EPO)
  • ", + "
  • World Intellectual Property Organization (WIPO)
  • ", + "

    Prepare your application

    ", + "

    If you work with a patent attorney or advisor, they\u2019ll help you through the application process.

    ", + "

    A patent application is made up of 4 parts that need to meet specific criteria.

    ", + "

    You must include:

    ", + "
  • a description of your invention that allows others to see how it works and how it could be made
  • ", + "
  • legal statements that set out the technical features of your invention that are to be protected (known as \u2018claims\u2019)
  • ", + "
  • a summary of all the important technical aspects of your invention (known as the \u2018abstract\u2019)
  • ", + "

    You should also include any drawings you need to illustrate your description.

    ", + "

    The fees are higher if your description has more than 35 pages or you include more than 25 claims.

    ", + "

    Read the patent application fact sheets for instructions on how to produce each part of your application.

    ", + "

    You have to submit your description and any drawings with your application form.

    ", + "

    You can file your claims and abstract once your patent is pending, but it\u2019s best if you submit all the parts together.

    ", + "

    Academic papers

    ", + "

    You can send academic papers as part of your patent application, to help describe your invention.

    ", + "

    You still need to send a description, drawings and claims.

    ", + "

    \u2018Statement of inventorship\u2019

    ", + "

    You need to complete a statement of inventorship if:

    ", + "
  • you\u2019re not the inventor
  • ", + "
  • there\u2019s more than one inventor and they\u2019re not listed as applicants
  • ", + "
  • you\u2019re applying on behalf of a company
  • ", + "

    The statement provides the Intellectual Property Office (IPO) with more information about who the inventor is and why you have the right to apply for the patent.

    ", + "

    Submit your \u2018statement of inventorship\u2019 online when you apply for a patent, or do it later by filing documents for a pending UK patent.

    ", + "

    Alternatively, download the \u2018statement of inventorship\u2019 form and send it with your application.

    ", + "

    Apply for a patent

    ", + "

    If you work with a patent attorney or advisor, they\u2019ll help you through the application process.

    ", + "

    You can file a UK patent application with the Intellectual Property Office (IPO). Read the patent application fact sheets for instructions on how to produce each part of your application.

    ", + "

    You can apply either:

    ", + "
  • online
  • ", + "
  • by post
  • ", + "

    You can request and pay for your search and examination at this point or later in the process.

    ", + "

    Fees

    ", + "Stage | Apply online | Apply by post", + "Application (if you pay when you apply) | \u00a360 | \u00a390", + "Application (if you pay later) | \u00a375 | \u00a3112.50", + "Search | \u00a3150 (plus \u00a320 for each claim over 25 claims) | \u00a3180 (plus \u00a320 for each claim over 25 claims)", + "Substantive examination | \u00a3100 (plus \u00a310 for each page of description over 35 pages) | \u00a3130 (plus \u00a310 for each page of description over 35 pages)", + "

    If you get a patent, you\u2019ll also have to pay to renew it to keep it in force.

    ", + "

    Get your patent granted more quickly

    ", + "

    You can get your application processed more quickly if you file your search and examination requests at the same time as you apply.

    ", + "

    This costs the same as applying separately and means they\u2019ll be processed at the same time.

    ", + "

    You may also be able to get a \u2018fast grant\u2019 if, for example:

    ", + "
  • your invention has some sort of environmental benefit (green channel)
  • ", + "
  • you\u2019ve already submitted a patent application for your invention at another patent office (Patent Prosecution Highway)
  • ", + "

    Read the patents fast grant guidance.

    ", + "

    Request your search and examination

    ", + "

    If you work with a patent attorney or advisor, they\u2019ll help you through the application process.

    ", + "

    As part of the application process, you must pay for a patent search and a \u2018substantive examination\u2019.

    ", + "

    You can request the search either when you apply or later in the process.

    ", + "

    You must request your search within 12 months of your filing or priority date.

    ", + "

    You must request your examination within 6 months of publication.

    ", + "

    Patent search

    ", + "

    The Intellectual Property Office (IPO) carries out a search to check whether your invention is new and inventive.

    ", + "

    You have to request and pay for your search within 12 months of your filing date or priority date.

    ", + "

    You\u2019ll be sent the results and told if any part of your application is not right.

    ", + "

    Read the search report factsheet.

    ", + "

    Search reports can take up to 6 months.

    ", + "

    Publication

    ", + "

    Your application will be published 18 months from your filing or priority date, provided it\u2019s complete and passes the search.

    ", + "

    The open part of your application, which includes your address, will be publicly available in the:

    ", + "
  • online patents journal on the IPO website
  • ", + "
  • IPO records
  • ", + "

    \u2018Substantive examination\u2019

    ", + "

    The examination checks whether your invention is new and inventive enough. It also checks that your description and claims match and are good enough to patent.

    ", + "

    The examination will show if your application meets the legal requirements. You\u2019ll be told what you need to do if it does not.

    ", + "

    You must request an examination of your patent application within 6 months of publication.

    ", + "

    Examinations can take place several years after you file your application.

    ", + "

    How to apply

    ", + "

    You can apply online or by post for both the search and examination.

    ", + "

    Apply online

    ", + "

    You can request your search and examination either:

    ", + "
  • with your initial application
  • ", + "
  • later in the process
  • ", + "

    You must request your search within 12 months of your filing or priority date and examination within 6 months of publication.

    ", + "

    Apply by post

    ", + "

    Download the forms:

    ", + "
  • search request form
  • ", + "
  • examination request form
  • ", + "

    Fill in and post the forms. The address is on the forms.

    ", + "

    After you apply

    ", + "

    If you work with a patent attorney or advisor, they\u2019ll help you through the application process.

    ", + "

    You\u2019ll be sent a receipt with your application number and filing date (the date your application is received).

    ", + "

    You\u2019ll be told what to do next and when.

    ", + "

    After you\u2019ve applied you can mark your invention as \u2018patent pending\u2019 or \u2018patent applied for\u2019. You can either add the patent number and say that you applied for it in the UK, or use a web address instead if the patent number is online.

    ", + "

    If you use a web address, make sure the patent number and the product it relates to are clearly displayed on your website.

    ", + "

    If your patent is granted:

    ", + "
  • your application will be published in its final form
  • ", + "
  • you\u2019ll be sent a certificate
  • ", + "

    You\u2019ll be responsible for renewing and defending your patent.

    ", + "

    File more documents once your patent is pending

    ", + "

    You may need to file more forms and documents once you have a patent pending (for example a form to request a search, or a document with your claims).

    ", + "

    You must send your claims, abstract, application fee and search fee within 12 months of your filing date.

    ", + "

    If your application includes a \u2018priority date\u2019 from an earlier application

    ", + "

    You must send your claims, abstract, application fee and search fee within whichever of the following is later:

    ", + "
  • 12 months of the date when you filed your previous application (the priority date)
  • ", + "
  • 2 months of your current filing date
  • ", + "

    Withdraw your application

    ", + "

    You can withdraw your application for any reason, for example to stop it becoming public.

    ", + "

    To stop your invention entering the public domain you must withdraw your application before it\u2019s published.

    ", + "

    You can ask for a withdrawal up to the day before the deadline given in your search report.

    ", + "

    Withdraw by email

    ", + "

    Email withdraw@ipo.gov.uk with your patent application number in the subject line.

    ", + "

    Clearly state that you want to withdraw in the body of the email.

    ", + "

    State why you have the authority to withdraw the application, for example that you\u2019re the applicant or their agent.

    ", + "

    Withdraw by post

    ", + "

    You can also withdraw by post - mark your request as urgent if there\u2019s less than 3 weeks until publication.

    ", + "

    Make a new application with a priority date

    ", + "

    You can withdraw your application and reapply if you want to change it for any reason, for example if you\u2019ve developed your invention since you first applied or have new information.

    ", + "

    You can use the filing date of your earlier application (known as the priority date) if your new application is made within 12 months.

    ", + "

    Terminated applications

    ", + "

    Your application will be terminated if you do not submit the right documents, forms and payment when asked to.

    ", + "

    You may be able to reopen your application if you apply within 12 months of termination.

    ", + "

    You need to be able to show:

    ", + "
  • why you failed to meet the requirements
  • ", + "
  • that the failure was not intentional
  • ", + "
  • when you became able to meet the requirements
  • ", + "

    It costs \u00a3150 to apply - this is not refundable.

    ", + "

    Reopen your application

    ", + "

    Download the reinstatement request form.

    ", + "

    Send the form, your fee and any supporting evidence to IPO.

    ", + "

    If your request is granted, you must meet the requirements within 2 months.

    ", + "

    You can ask for an ex parte hearing if you\u2019re turned down, where you can put your case to a senior official.

    ", + "

    International patents

    ", + "

    A patent only protects your invention in the country where the patent is registered.

    ", + "

    For protection overseas, you can:

    ", + "
  • file a single application under the Patent Cooperation Treaty (PCT) for protection in more than 140 countries
  • ", + "
  • file a single application with the European Patent Office (EPO) for protection in more than 30 countries in Europe
  • ", + "
  • apply separately to the patent office of each country where you want a patent
  • ", + "

    Read the guidance on filing a patent abroad for basic information on filing for international protection.

    " + ] + }, + { + "title": "Register a design", + "url": "https://www.gov.uk/register-a-design", + "contents": [ + "

    Check if you can register your design

    ", + "

    You can register the look of a product you\u2019ve designed to stop people copying or stealing it.

    ", + "

    The look of your design includes the:

    ", + "
  • appearance
  • ", + "
  • physical shape
  • ", + "
  • configuration (or how different parts of a design are arranged together)
  • ", + "
  • decoration
  • ", + "

    What you\u2019ll get

    ", + "

    Registering your design:

    ", + "
  • protects any aspect of your design, for example both the product\u2019s shape and decoration
  • ", + "
  • gives you the right to prevent others from using it for up to 25 years - you have to renew your registered design every 5 years
  • ", + "
  • makes taking legal action against infringement and copying more straightforward
  • ", + "

    Once registered you can display your registration number on your design.

    ", + "

    Shapes of objects may already be automatically protected by design right, but it\u2019s easier to protect your design if you register it.

    ", + "

    What you can and cannot register

    ", + "

    To register your design, it must:

    ", + "
  • be new
  • ", + "
  • not be offensive (for example feature graphic images or words)
  • ", + "
  • be your own intellectual property
  • ", + "
  • not make use of protected emblems or flags (for example the Olympic rings or the Royal Crown)
  • ", + "
  • not be an invention or how a product works - you\u2019ll need a patent instead
  • ", + "

    You cannot protect the functionality of a design - for example a chair that folds down more quickly than others of the same kind.

    ", + "

    Search the registers

    ", + "

    Search all of the following design registers to check if your design is unique:

    ", + "
  • UK-registered designs
  • ", + "
  • EU Intellectual Property Office (EUIPO)
  • ", + "
  • World Intellectual Property Organisation (WIPO)
  • ", + "

    You can ask the Intellectual Property Office to search for you for \u00a324.

    ", + "

    Prepare your illustrations

    ", + "

    Your illustrations should:

    ", + "
  • show the design as it appears to the eye, using photographs, line drawings, computer-aided design (CAD) or rendered CAD
  • ", + "
  • show the design against a plain background, with no details hidden by shadows or reflections
  • ", + "
  • not contain text, measurements or other technical information
  • ", + "
  • not contain more than one view of the design
  • ", + "
  • not include anything that is not part of the design, for example another object or your hand
  • ", + "
  • be the same type, not a mixture (for example, all line drawings or all photographs)
  • ", + "
  • include the complete pattern and enough to show how the pattern repeats, if you want to register a surface pattern
  • ", + "

    Include up to 12 illustrations if you\u2019re applying online, with one view per file. Apply by post if you need to show more than 12 illustrations.

    ", + "

    If you\u2019re applying by post, your illustrations should be on plain A4 paper.

    ", + "

    If your application is shown in colour, or contains tonal contrast, the Intellectual Property Office will assume that those elements are intended to form part of your design (unless you\u2019ve added a \u2018disclaimer\u2019).

    ", + "

    Colour included in these diagrams is used for illustrative purposes only.

    ", + "

    ", + "

    You may need to add more information to your illustrations to make it clear what you want to protect.

    ", + "

    If you're only registering part of an illustration

    ", + "

    You can add more information if you only want to register:

    ", + "
  • part of your illustration
  • ", + "
  • the shape, not the colour or surface pattern
  • ", + "

    You can either show or explain:

    ", + "
  • which parts of an illustration you want to protect - this is called a \u2018limitation\u2019
  • ", + "
  • the parts of an illustration you do not want to protect - this is called a \u2018disclaimer\u2019
  • ", + "

    You can do this by \u2018greying out\u2019 or circling parts of the illustration, or by adding a line of text.

    ", + "

    Apply

    ", + "

    Apply online

    ", + "

    You can register your design online. It\u2019s cheaper than applying by post.

    ", + "Number of designs | Fee", + "One | \u00a350", + "Up to 10 | \u00a370", + "Up to 20 | \u00a390", + "Up to 30 | \u00a3110", + "Up to 40 | \u00a3130", + "Up to 50 | \u00a3150", + "

    You cannot claim back VAT as the fee is out of scope.

    ", + "

    Apply by post

    ", + "

    Your application should include the following documents:

    ", + "
  • a completed application form - read the guidance notes before applying
  • ", + "
  • your prepared illustrations
  • ", + "Number of designs | Fee", + "One | \u00a360", + "Each additional design | \u00a340", + "

    You cannot claim back VAT as the fee is out of scope.

    ", + "

    After you\u2019ve applied

    ", + "

    The Intellectual Property Office will examine your application within 8 weeks (40 working days).

    ", + "

    If there are no objections and you have not asked to defer your registration, your design will be registered immediately.

    ", + "

    If there are any objections, you have 2 months to respond.

    ", + "

    You can request a hearing if you:

    ", + "
  • think your application has been dealt with unfairly
  • ", + "
  • disagree with the decision about your design
  • ", + "

    Your design will be added to the list of registered designs and made public. You can choose for it not to be made public by deferring your registration.

    ", + "

    Send forms and responses

    ", + "

    Send all forms, changes to your application or hearing requests to:

    ", + "

    How long it lasts

    ", + "

    You must renew your design registration every 5 years to keep it protected.

    ", + "

    Use your design

    ", + "

    Once registered you can license, sell or mortgage your design.

    ", + "

    Defer your registration

    ", + "

    You might want to defer registering your design, for example if you need more time to develop and market your product before it becomes public.

    ", + "

    You can ask that your design is not registered for up to 12 months when you apply.

    ", + "

    You must register a deferred design within 12 months of applying or your application will be cancelled and you\u2019ll have to reapply, including paying the fee again.

    ", + "

    When you\u2019re ready to register your design

    ", + "

    Post a deferred design registration form for each design to request registration. The address is on the form.

    ", + "

    Your design will be registered from the date you first filed your application.

    ", + "

    The fee to register a deferred design is \u00a340.

    ", + "

    You will not get the full protection of being registered until your application is registered and published.

    " + ] + }, + { + "title": "Using somebody else's intellectual property", + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "contents": [ + "

    Overview

    ", + "

    You can usually get permission to use someone else\u2019s intellectual property (IP) by buying the rights from them or getting their permission to use it.

    ", + "

    Using someone\u2019s trade mark, patent, copyright or design without their permission is known as \u2018IP infringement\u2019 and could lead to a fine, prison or both.

    ", + "

    Read about IP crime and enforcement for more information on the penalties.

    ", + "

    Trade marks

    ", + "

    To use an existing trade mark you should contact the current owner.

    ", + "

    Find the owner of a registered trade mark by searching the trade marks database.

    ", + "

    Licensing

    ", + "

    A licence is a formal agreement to use someone else\u2019s trade mark. You and the owner must agree the terms of the licence, for example the cost or how long it will last.

    ", + "

    When you\u2019ve agreed a licence to use the trade mark, fill in the form to record a licensee and post it. The address is on the form.

    ", + "

    Post an application to remove or amend the record of a licence when the licensing agreement ends or if you need to change it.

    ", + "

    The owner must sign any form you send, or you must send proof of the agreement with your application.

    ", + "

    Each application costs \u00a350.

    ", + "

    Buying

    ", + "

    You must tell IPO if you become the new owner of a trade mark, for example by buying it or as the result of a company merger.

    ", + "

    In some cases the owner may only sell you one part of a trade mark, for example they may not sell the right to register derivative marks. This is known as a \u2018partial assignment\u2019.

    ", + "

    Use either:

    ", + "
  • \u2018Application to record a change of ownership\u2019 form
  • ", + "
  • \u2018Application to record a partial assignment of goods and/or services\u2019 form
  • ", + "

    Each application costs \u00a350.

    ", + "

    Fill in the form and post it. The address is on the form.

    ", + "

    Coexistence agreements

    ", + "

    You may be able to use an identical trade mark (for example company name, logo) as someone else by making a coexistence agreement.

    ", + "

    This means you agree that both of you can continue to use the trade mark.

    ", + "

    Patents

    ", + "

    Contact the owner of the patent to see if they\u2019ll:

    ", + "
  • license it to you
  • ", + "
  • sell it to you
  • ", + "

    Search the patent databases to find the current owner.

    ", + "

    Licensing

    ", + "

    Any licence arrangement, including cost, is made directly between you and the patent owner.

    ", + "

    You can ask Intellectual Property Office (IPO) for help to resolve patent disputes if you can\u2019t reach an agreement.

    ", + "

    IPO can\u2019t decide the exact terms of the licence (for example the price) but can decide:

    ", + "
  • what can and can\u2019t be part of a licence
  • ", + "
  • if the patent owner must grant you a licence (known as a \u2018compulsory licence under a patent\u2019)
  • ", + "

    Licence of right

    ", + "

    A patent with \u2018licence of right\u2019, means that the patent owners will give anyone a licence to use it.

    ", + "

    You must still agree with the owner on the terms of the licence before you can use the patent.

    ", + "

    You can ask IPO for help if you can\u2019t reach agreement.

    ", + "

    Registering your licence

    ", + "

    Register a licence agreement (or changes to an existing licence, for example cancellation) by filling in Patents form 21. Send it to the address on the form.

    ", + "

    You can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.

    ", + "

    Buying a patent

    ", + "

    When someone sells you a patent they must transfer ownership to you.

    ", + "

    You need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.

    ", + "

    A solicitor can help you draw up this document.

    ", + "

    Fill in Patents form 21 and return it to the address on the form. Include a copy of your assignment.

    ", + "

    You can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.

    ", + "

    Copyright

    ", + "

    You can\u2019t copy or use copyright material without permission. For example, you can\u2019t buy a painting and then use copies of it for a book cover, or buy a CD and use a track from it in a film.

    ", + "

    To use something protected by copyright you must either:

    ", + "
  • agree a licence with the owner to use it
  • ", + "
  • buy or acquire the copyright
  • ", + "
  • confirm that your intended use falls within the exceptions to copyright
  • ", + "

    Finding a copyright owner

    ", + "

    A person can give permission if they are:

    ", + "
  • the person who made it (the creator), or their family or heirs
  • ", + "
  • the creator\u2019s employer, if it was created it as part of the creator\u2019s job
  • ", + "
  • a person who bought, acquired or licensed the rights
  • ", + "
  • an organisation representing the copyright owner
  • ", + "

    You may be able to find out who owns copyright from Writers, Artists and their copyright holders (WATCH).

    ", + "

    If you can\u2019t find out who the copyright owner is check if you need a licence to use the work.

    ", + "

    Licensing

    ", + "

    You must agree the terms of an agreement with the current owner to use all or part of copyright works.

    ", + "

    The licence agreement may allow you to use it for one or more specified purposes and may apply only for a limited time or in specific places.

    ", + "

    Exclusive use

    ", + "

    You\u2019ll be the only person able to use something for the duration of the agreement.

    ", + "

    This includes the copyright owner, who won\u2019t be able to use it themselves while the agreement is in place.

    ", + "

    Limited use

    ", + "

    You\u2019ll only be given permission to use something for one or more specific reasons, for example publishing a photograph in one edition of a magazine or using a song as the theme for one series of a TV show.

    ", + "

    You need to agree another licence if you want to use the material for something else.

    ", + "

    Creative Commons licence

    ", + "

    Some copyright owners release work under a Creative Commons licence.

    ", + "

    You must check what kind of use the licence allows.

    ", + "

    Buying copyright

    ", + "

    When you buy copyright the person you\u2019re buying from transfers the copyright to you.

    ", + "

    Once you own the copyright to something you can use it for anything you like, without the creator\u2019s express permission, as long as you respect their moral rights.

    ", + "

    You must have a written agreement, signed by the copyright owner, stating that they have transferred ownership of the copyright to you.

    ", + "

    Moral rights

    ", + "

    The creator may still have certain rights regarding how their work is used even if you\u2019ve bought the copyright.

    ", + "

    Authors, playwrights, composers, artists and film directors have the moral right:

    ", + "
  • to be recognised as the creator of the work when copies are made available to the public
  • ", + "
  • to object to the work being altered in a way that has negative effect on their reputation
  • ", + "
  • to not have someone else\u2019s work falsely attributed to them
  • ", + "

    Performers, such as actors or dancers, have the moral right:

    ", + "
  • to be recognised as the performer of the piece
  • ", + "
  • to object to the performance being altered in a way that is damaging to their reputation
  • ", + "

    The creator or performer of a piece of work to which you own the copyright must tell you if they want to exercise these rights.

    ", + "

    They can choose whether or not to use their moral rights.

    ", + "

    Moral rights can\u2019t be sold or transferred in the same way as copyright. They last for as long as the piece of work is covered by copyright.

    ", + "

    Performers\u2019 rights

    ", + "

    Performers, for example in films or broadcasts, may still have \u2018economic rights\u2019 to some copyright material, even if you\u2019ve bought the copyright.

    ", + "

    For example, if you\u2019ve bought the copyright to a filmed recording of a play you may still have to pay the actors if you broadcast it.

    ", + "

    Permitted use of copyright works

    ", + "

    You may not need permission if you\u2019re using a copyright work for the following reasons:

    ", + "
  • non-commercial research and private study
  • ", + "
  • criticism, review and reporting current events
  • ", + "
  • teaching in educational establishments
  • ", + "
  • helping disabled people
  • ", + "
  • recording for use at a later date
  • ", + "

    You may not need permission if you only want to use a \u2018less than a substantial\u2019 part of a copyright protected work. This is decided on a case by case basis.

    ", + "

    Generally something won\u2019t be less than a substantial part if it could be seen as an important part of the work, for example a frame from a film or the conclusions of a report.

    ", + "

    Get legal advice from an intellectual property professional before using copyrighted material, if you\u2019re in any doubt.

    ", + "

    Read the guidance on exceptions to copyright for detailed information.

    ", + "

    Designs

    ", + "

    To use a registered design you must contact the current owner and either agree a licence to use the design or buy it from them.

    ", + "

    The licence between you and the design\u2019s owner will tell you:

    ", + "
  • what you can do with the design
  • ", + "
  • how long your licence will last
  • ", + "
  • what you have to pay - if anything
  • ", + "

    You can do anything with a design that you\u2019ve bought.

    ", + "

    Fill in and send form DF12A to register a licence or transfer ownership of the design - the address is on the form.

    ", + "

    There\u2019s no fee.

    " + ] + }, + { + "title": "Classify different types of waste", + "url": "https://www.gov.uk/how-to-classify-different-types-of-waste", + "contents": [ + "

    Overview

    ", + "

    You must identify and classify your waste before you send it for recycling or disposal. This makes sure you or anyone handling your waste deals with it properly.

    ", + "

    There are special rules for dealing with hazardous waste or disposing of waste with a high level of persistent organic pollutants (POPs), (known as \u2018POPs waste\u2019).

    ", + "

    Filling in waste transfer or consignment notes

    ", + "

    You must describe your waste in the paperwork you give your waste contractor. This must include:

    ", + "
  • the waste classification code, also referred to as LoW (List of Waste) or EWC (European Waste Catalogue) code - classification codes for common types of waste are in the relevant parts of this guidance
  • ", + "
  • whether it\u2019s hazardous or POPs waste
  • ", + "
  • the type of premises or business where the waste was produced
  • ", + "
  • the name of the substance or substances
  • ", + "
  • the process that produced the waste
  • ", + "
  • a chemical and physical analysis of the waste and its components
  • ", + "
  • any special problems, requirements or knowledge related to the waste
  • ", + "

    If you cannot find a code for your waste

    ", + "

    Check the technical guidance on waste, it includes more information about waste classification and assessing waste.

    ", + "

    You must not use landfill waste acceptance criteria (WAC) results for waste classification purposes.

    ", + "

    How to find out if your waste is hazardous or POPs waste

    ", + "

    In most cases you can check the waste code or codes associated with your waste to see if they are hazardous and POPs waste. You must make sure your waste contractor can dispose of this waste properly.

    ", + "

    Some waste items have more than one classification, depending on the possible mix of substances in them.

    ", + "

    In these cases you must work out exactly what is in your waste, and how much of it is hazardous or POPs.

    ", + "

    Check the manufacturers\u2019 product safety data sheets for this information or carry out an assessment.

    ", + "

    Many products include orange and black danger symbols or red and white hazard pictograms to indicate they\u2019re hazardous.

    ", + "

    Some products (for example cosmetics and medicines) are not normally labelled with hazard symbols - check the product\u2019s safety data sheet.

    ", + "

    Read the technical guidance on waste and guidance on dealing with POPs waste) for more information on checking for hazardous substances and POPs.

    ", + "

    Mixing waste

    ", + "

    It\u2019s illegal to mix hazardous or POPs waste with either non-hazardous or another hazardous waste.

    ", + "

    Check how to mix and store hazardous waste.

    ", + "

    You will usually need more than one code if you store more than one type of non-hazardous waste in your container.

    ", + "

    If you need more help

    ", + "

    Get advice from a specialist waste contractor if you\u2019re not sure whether it\u2019s hazardous or not.

    ", + "

    For more information, contact the Environment Agency.

    ", + "

    Construction and demolition waste

    ", + "

    The tables below list waste codes for common construction and demolition waste.

    ", + "

    You can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.

    ", + "

    Insulation and asbestos materials

    ", + " | Waste status | Waste code", + "Insulation containing asbestos | Hazardous | 17-06-01*", + "Other insulation containing hazardous substances | Hazardous | 17-06-03*", + "Other insulation materials | Non-hazardous | 17-06-04", + "Other construction materials containing asbestos | Hazardous | 17-06-05*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Concrete, bricks, tiles and ceramics

    ", + "

    This list excludes asbestos-containing materials - refer to the insulation and asbestos materials table for any waste with asbestos.

    ", + " | Waste status | Waste code", + "Concrete | Non-hazardous | 17-01-01", + "Bricks | Non-hazardous | 17-01-02", + "Tiles and ceramics | Non-hazardous | 17-01-03", + "Concrete, bricks, tiles and ceramics (alone or in mixtures) containing hazardous substances | Hazardous | 17-01-06*", + "Concrete, bricks, tiles and ceramics in mixtures, containing no hazardous substances | Non-hazardous | 17-01-07", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Wood, glass and plastic

    ", + "

    This list excludes packaging wastes and domestic type recyclables - refer to the packaging section for related codes.

    ", + " | Waste status | Waste code", + "Wood - untreated | Non-hazardous | 17-02-01", + "Glass - uncontaminated | Non-hazardous | 17-02-02", + "Plastic - excludes packaging waste | Non-hazardous | 17-02-03", + "Treated wood, glass, plastic (alone or in mixtures) containing hazardous substances | Hazardous | 17-02-04*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Bituminous mixtures, coal tar and tar

    ", + " | Waste status | Waste code", + "Bituminous mixtures containing coal tar | Hazardous | 17-03-01*", + "Other bituminous mixtures | Non-hazardous | 17-03-02", + "Coal tar and tarred products | Hazardous | 17-03-03*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Metallic waste, including cable

    ", + " | Waste status | Waste code", + "Copper, bronze and brass | Non-hazardous | 17-04-01", + "Aluminium | Non-hazardous | 17-04-02", + "Lead | Non-hazardous | 17-04-03", + "Iron and steel | Non-hazardous | 17-04-05", + "Tin | Non-hazardous | 17-04-06", + "Mixed metals | Non-hazardous | 17-04-07", + "Metals containing hazardous substances | Hazardous | 17-04-09*", + "Cables containing oil, coal tar and other hazardous substances | Hazardous | 17-04-10*", + "Other cables | Non-hazardous | 17-04-11", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Soil, contaminated soil, stones and dredging spoil

    ", + "

    You must be able to prove that your waste does not contain any hazardous substances to classify soil as non-hazardous - you\u2019ll always need to assess the soil before you hand it over to be collected.

    ", + "

    The presence of any fragments of asbestos-containing material in the soil results in a mixed hazardous waste - refer to the insulation and asbestos materials table for more guidance.

    ", + " | Waste status | Waste code", + "Soil and stones containing hazardous substances | Hazardous | 17-05-03*", + "Other soil and stones | Non-hazardous | 17-05-04", + "Dredging spoil containing hazardous substances | Hazardous | 17-05-05*", + "Other dredging spoil | Non-hazardous | 17-05-06", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Gypsum

    ", + " | Waste status | Waste code", + "Gypsum materials containing hazardous substances | Hazardous | 17-08-01*", + "Other gypsum materials | Non-hazardous | 17-08-02", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Cement

    ", + " | Waste status | Waste code", + "Un-used or un-set cement | Hazardous | 17-09-03*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Paints and varnishes

    ", + "

    Paints and varnishes of a type normally used by householders can be classified under the codes indicated in brackets if separated out from other waste.

    ", + " | Waste status | Waste code", + "Containing organic solvents or other hazardous substances | Hazardous | 08-01-11* (20-01-27*)", + "Not containing organic solvents or other hazardous substances | Non-hazardous | 08-01-12 (20-01-28)", + "Paint or varnish remover | Hazardous | 08-01-21*", + "Paint cans | Hazardous | Refer to packaging waste and recyclables section", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Adhesives and sealants

    ", + "

    Adhesives and sealants of a type normally used by householders can be classified under the codes indicated in brackets if separated out from other waste.

    ", + " | Waste status | Waste code", + "Containing organic solvents or other hazardous substances | Hazardous | 08-04-09* (20-01-27*)", + "Not containing organic solvents or other hazardous substances | Non-hazardous | 08-04-10 (20-01-28)", + "Adhesive or sealant containers | Hazardous | Refer to packaging waste and recyclables section", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Packaging waste and recyclables

    ", + "

    The tables below list waste codes for common packaging and domestic type recyclable wastes.

    ", + "

    You can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.

    ", + "

    Containers must be empty to be classified as packaging waste.

    ", + " | Waste status | Plastic | Metal | Paper and cardboard | Glass | Textiles", + "Clean packaging | Non-hazardous | 15-01-02 | 15-01-04 | 15-01-01 | 15-01-07 | 15-01-09", + "Other clean material, unmixed - excluding packaging | Non-hazardous | 20-01-39 | 20-01-40 | 20-01-01 | 20-01-02 | 20-01-11", + "Mixed clean material - including packaging | Non-hazardous | 15-01-02 and 20-01-39 | 15-01-04 and 20-01-40 | 15-01-01 and 20-01-01 | 15-01-07 and 20-01-02 | 15-01-09 and 20-01-10", + "Empty packaging contaminated with residues of hazardous substances, for example paint cans, intermediate bulk containers (IBCs) and drums | Hazardous | 15-01-10* | 15-01-10* | 15-01-10* | 15-01-10* | 15-01-10*", + "Empty packaging contaminated with residues of non-hazardous substances | Non-hazardous | 15-01-02 | 15-01-04 | 15-01-01 | 15-01-07 | 15-01-09", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Electronic and electrical equipment

    ", + "

    These tables list common waste codes for batteries, lightbulbs and electrical devices.

    ", + "

    You need to include all relevant classification codes if you place waste electrical and electronic equipment (WEEE) that would be assigned different codes in the same container.

    ", + "

    Hazardous substances or persistent organic pollutants (POPs) in waste electricals

    ", + "

    WEEE often has components that contain hazardous substances or persistent organic pollutants (POPs). These could include:

    ", + "
  • printed circuit boards
  • ", + "
  • plastic casings, cables and other components
  • ", + "
  • insulation foam
  • ", + "
  • cooling agents
  • ", + "
  • flame retardants
  • ", + "
  • activated glass and screen phosphors
  • ", + "
  • cathode ray tubes
  • ", + "
  • capacitors
  • ", + "
  • Ni-Cd batteries
  • ", + "

    If the levels of hazardous substances or POPs are over a certain amount the item will be classified as hazardous or POPs waste.

    ", + "

    If your WEEE is POPs waste you cannot reuse or recycle it.

    ", + "

    There are special rules about:

    ", + "
  • where you can export WEEE that contains POPs
  • ", + "
  • dealing with hazardous waste
  • ", + "
  • disposing of POPs waste
  • ", + "

    If you\u2019ve assessed your waste and are still not sure if an item is hazardous or POPs waste, you should treat it as hazardous and POPs waste as a precaution.

    ", + "

    Read technical guidance on how to assess waste and identifying POPs waste.

    ", + "

    Televisions, computer monitors and other display devices

    ", + "

    Components such as screens, circuit boards, batteries or any plastic parts may contain hazardous chemicals or POPs.

    ", + " | Waste status | Household | Industrial or commercial", + "Cathode ray tube (CRT), flatscreen (plasma or LCD) containing POPs | Hazardous and POPs | 20-01-35* | 16-02-13*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Fridges, freezers, chillers and air-conditioning units

    ", + "

    Components such as circuit boards, motors and any plastic parts may contain hazardous chemicals or POPs. Coolants and foam may also be hazardous. Usually there is not enough POPs for the item to be classified as POPs waste.

    ", + " | Waste status | Household | Industrial or commercial", + "Containing ozone-depleting substances as foam blowing agents or coolants | Hazardous, non-POPs | 20-01-23* | 16-02-11*", + "Other | Hazardous, non-POPs | 20-01-35* | 16-02-13*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Large domestic appliances (LDA): white goods (washing machines, tumble driers, dishwashers and cookers)

    ", + "

    Components such as circuit boards, motors or any plastic parts may contain hazardous chemicals or POPs. Usually there is not enough for the item to be classified as hazardous or POPs waste.

    ", + " | Waste status | Household | Industrial or commercial", + "Large domestic appliances: white goods | Non-hazardous, non-POPs | 20-01-36 | 16-02-14", + "

    Small mixed WEEE

    ", + "

    These are small household-type electrical items collected from homes or businesses.

    ", + "

    Components such as screens, circuit boards, batteries or any plastic parts may contain hazardous chemicals or POPs.

    ", + " | Waste status | Household | Industrial or commercial", + "Small mixed WEEE containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Other household-type electricals from homes or businesses

    ", + "

    These are waste electrical items collected from households or businesses that are not already listed and are separated from small mixed WEEE.

    ", + "

    Components such as screens, circuit boards, batteries or any plastic parts may contain hazardous chemicals or POPs.

    ", + " | Waste status | Household | Industrial or commercial", + "Cat 1: Large household appliances (other than LDA white goods) containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 2: Small household appliances containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 3: IT and telecommunication equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 4: Consumer equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 5: Lighting equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 6: Electronic and electrical tools containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 7: Toys, leisure and sporting equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Lightbulbs and lamps

    ", + "

    Components such as circuit boards, plastic parts or casings may contain POPs and hazardous chemicals, such as flame retardants.

    ", + "

    You must check the levels of hazardous substances and POPs in the bulbs before you can classify the waste. Read guidance on assessing WEEE for hazardous substances or POPs.

    ", + " | Waste status | Household | Industrial or commercial", + "Fluorescent tubes and low energy - excluding LED and other gas-discharge lamps | Hazardous | 20-01-21* | 16-02-13*", + "LED, halogen and incandescent containing POPs | Hazardous and POPs | 20-01-35* | 16-02-13*", + "LED, halogen and incandescent not containing hazardous components | Non-hazardous | 20-01-36 | 16-02-14", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Batteries

    ", + " | Waste status | Household | Industrial or commercial", + "Lead acid (vehicle) | Hazardous | 16-06-01* | 16-06-01*", + "Lead acid (other) | Hazardous | 20-01-33* | 16-06-01*", + "Nickel-Cadmium | Hazardous | 20-01-33* | 16-06-02*", + "Mercury containing | Hazardous | 20-01-33* | 16-06-03*", + "Alkaline | Non-hazardous | 20-01-34 | 16-06-04", + "Other - Lithium or Lithium ion | Non-hazardous | 20-01-34 | 16-06-05", + "Mixed household-type batteries - separately collected | Hazardous | 20-01-33* | Not allowed", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Other WEEE, parts and components

    ", + "

    If your waste is not listed, you can find more classes in the guidance on classifying waste from dismantling or treating WEEE.

    ", + "

    Vehicle and oily wastes

    ", + "

    The tables below list waste codes for common wastes produced by vehicle maintenance and dismantling activities.

    ", + "

    You can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.

    ", + "

    Vehicle fluids and other oils

    ", + "

    You must not mix any of the following fluids:

    ", + "
  • mineral oils
  • ", + "
  • cooking oils
  • ", + "
  • halogenated oils
  • ", + "
  • brake fluids
  • ", + "
  • anti-freeze
  • ", + "
  • washer fluids
  • ", + "
  • oily waters
  • ", + "

    Vehicle and other oils

    ", + " | Waste status | Contains PCBs (polychlorinated biphenyls) | Mineral-based and chlorinated | Mineral-based and non-chlorinated | Synthetic | Readily biodegradable | Other oils", + "Hydraulic oils | Hazardous | 13-01-01* | 13-01-09* | 13-01-10* | 13-01-11* | 13-01-12* | 13-01-13*", + "Engine, gear and lubricating oils | Hazardous | Not applicable | 13-02-04* | 13-02-05* | 13-02-06* | 13-02-07* | 13-02-08*", + "Insulating and transmission oils | Hazardous | 13-03-01* | 13-03-06* | 13-03-07* | 13-03-08* | 13-03-09* | 13-03-10*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Interceptor wastes

    ", + " | Waste status | Waste code", + "Interceptor sludges | Hazardous | 13-05-03*", + "Oily water from interceptor | Hazardous | 13-05-07*", + "Solid waste from interceptor | Hazardous | 13-05-01*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Fuels, brake and anti-freeze fluids

    ", + " | Waste status | Waste code", + "Fuel oil and diesel | Hazardous | 13-07-01*", + "Petrol | Hazardous | 13-07-02*", + "Other fuels, including mixed fuels from mis-fuelling | Hazardous | 13-07-03*", + "Brake fluids | Hazardous | 16-01-13*", + "Antifreeze containing hazardous substances | Hazardous | 16-01-14*", + "Antifreeze not containing hazardous substances | Non-hazardous | 16-01-15", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Vehicles and their components

    ", + "

    The waste code for end-of-life (no longer usable) tyres is 16-01-03.

    ", + "

    Vehicles

    ", + " | Waste status | Waste code", + "End-of-life vehicles - un-depolluted | Hazardous | 16-01-04*", + "End-of-life vehicles - depolluted | Non-hazardous | 16-01-06", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Components, including oil filters

    ", + " | Waste status | Waste code", + "Oil filters | Hazardous | 16-01-07*", + "Components containing mercury | Hazardous | 16-01-08*", + "Components containing PCBs | Hazardous | 16-01-09*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Air bags

    ", + "

    The waste code for explosive components (for example air bags) is 16-01-10*.

    ", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Brake pads

    ", + " | Waste status | Waste code", + "Brake pads containing asbestos | Hazardous | 16-01-11*", + "Other brake pads | Non-hazardous | 16-01-12", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Car batteries

    ", + "

    The waste code for lead acid car batteries is 16-06-01*.

    ", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Catalytic converters

    ", + "

    The waste code for catalytic converters is 16 01 21*, or 16 01 22 for those that do not contain refractory ceramic fibres (RCF).

    ", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    End-of-life vehicle wastes

    ", + " | Waste status | Waste code", + "Ferrous metal | Non-hazardous | 16-01-17", + "Non-ferrous metal | Non-hazardous | 16-01-18", + "Plastic | Non-hazardous | 16-01-19", + "Vehicle glass | Non-hazardous | 16-01-20", + "

    Contaminated materials

    ", + " | Waste status | Waste code", + "Clothing, absorbents or wiping cloths contaminated with hazardous substances | Hazardous | 15-02-02*", + "Clothing, absorbents or wiping clothes contaminated with non-hazardous substances | Non-hazardous | 15-02-03", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Healthcare and related wastes

    ", + "

    The tables below list waste codes for common healthcare and related wastes.

    ", + "

    You can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.

    ", + "

    Additional guidance

    ", + "

    Check the guide to the safe management of healthcare waste for additional information about classifying clinical and healthcare waste.

    ", + "

    Offensive waste

    ", + "

    \u2018Offensive waste\u2019 is non-clinical waste that\u2019s non-infectious and does not contain pharmaceutical or chemical substances, but may be unpleasant to anyone who comes into contact with it.

    ", + " | Examples | Waste status | Human healthcare | Animal healthcare", + "Healthcare offensive waste | Outer dressings and protective clothing like masks, gowns and gloves that are not contaminated with body fluids, and sterilised laboratory waste | Non-hazardous | 18-01-04 | 18-02-03", + "Municipal offensive waste | Hygiene waste and sanitary protection like nappies and incontinence pads | Non-hazardous | 20-01-99 | 20-01-99", + "

    You must segregate healthcare offensive waste from both clinical and mixed municipal wastes.

    ", + "

    If you\u2019ve produced more than 7kg of municipal offensive waste, or have more than one bag in a collection period, you must segregate it from any mixed municipal waste.

    ", + "

    If you\u2019ve produced less, you can dispose of your municipal offensive waste in your mixed municipal waste (\u2018black bag\u2019). Use classification code 20-03-01.

    ", + "

    Plaster and similar wastes

    ", + "

    Most plaster waste is non-infectious.

    ", + "

    It should be kept separately from any plaster waste that\u2019s infectious, which must be placed in the bagged infectious clinical waste stream.

    ", + " | Waste status | Human healthcare | Animal healthcare", + "Plaster and similar wastes, for example from dentistry and fracture clinics | Non-hazardous | 18-01-04 | 18-02-03", + "

    Waste medicines

    ", + "

    A medicine is considered to be cytotoxic or cytostatic for waste classification purposes if it\u2019s any of the following:

    ", + "
  • acutely toxic
  • ", + "
  • carcinogenic
  • ", + "
  • mutagenic
  • ", + "
  • toxic for reproduction
  • ", + " | Waste status | Human healthcare | Animal healthcare", + "Cytotoxic and cytostatic medicines | Hazardous | 18-01-08* | 18-02-07*", + "Other medicines | Non-hazardous | 18-01-09 | 18-02-08", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Household medicines returned to a community pharmacy should be coded as follows:

    ", + "
  • cytotoxic and cytostatic medicines: 20-01-31*
  • ", + "
  • other medicines: 20-01-32
  • ", + "

    Sharps and related waste

    ", + " | Waste status | Human healthcare | Animal healthcare", + "Cytotoxic and cytostatic contaminated | Hazardous | 18-01-08* and 18-01-03* | 18-02-07* and 18-02-02*", + "Other medicinally contaminated | Hazardous | 18-01-03* and 18-01-09 | 18-02-02* and 18-02-08", + "Non-medicinally contaminated | Hazardous | 18-01-03* | 18-02-02*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Anatomical waste

    ", + " | Waste status | Human healthcare | Animal healthcare", + "Not chemically preserved - infectious | Hazardous | 18-01-03* | 18-02-02*", + "Not chemically preserved - non-infectious | Non-hazardous | 18-01-02 | 18-02-03", + "Chemically preserved - infectious or non-infectious | Hazardous | 18-01-06* and 18-01-02*/03 | 18-02-05* and 18-02-02*/03", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Bagged clinical waste

    ", + "

    You must only put waste items that are both infectious and chemically contaminated (for example some samples and diagnostic kits) in the yellow bag waste stream.

    ", + " | Waste status | Human healthcare | Animal healthcare", + "Infectious clinical waste (no chemicals or pharmaceuticals) - orange bag | Hazardous | 18-01-03* | 18-02-02*", + "Infectious clinical waste - yellow bag | Hazardous | 18-01-03* and 18-01-06* | 18-02-02* and 18-02-05*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Laboratory chemicals and photochemicals

    ", + "

    You must classify photochemicals and film, including X-ray related products, with codes from chapter 9 of the waste code section in the technical guidance on waste.

    ", + " | Waste status | Human healthcare | Animal healthcare", + "Other chemicals - hazardous | Hazardous | 18-01-06* | 18-02-05*", + "Other chemicals - non-hazardous | Non-hazardous | 18-01-07 | 18-02-06", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    " + ] + }, + { + "title": "Contaminated land", + "url": "https://www.gov.uk/contaminated-land", + "contents": [ + "

    Overview

    ", + "

    Land can be contaminated by things like:

    ", + "
  • heavy metals, such as arsenic, cadmium and lead
  • ", + "
  • oils and tars
  • ", + "
  • chemical substances and preparations, like solvents
  • ", + "
  • gases
  • ", + "
  • asbestos
  • ", + "
  • radioactive substances
  • ", + "

    What counts as contaminated land

    ", + "

    Land is legally defined as \u2018contaminated land\u2019 where substances are causing or could cause:

    ", + "
  • significant harm to people, property or protected species
  • ", + "
  • significant pollution of surface waters (for example lakes and rivers) or groundwater
  • ", + "
  • harm to people as a result of radioactivity
  • ", + "

    Contaminated land may previously have been used as a:

    ", + "
  • factory
  • ", + "
  • mine
  • ", + "
  • steel mill
  • ", + "
  • refinery
  • ", + "
  • landfill
  • ", + "

    Special sites

    ", + "

    Some types of contaminated land are classed as \u2018special sites\u2019. This includes land that:

    ", + "
  • seriously affects drinking waters, surface waters or important groundwater sources
  • ", + "
  • has been, or is being, used for certain industrial activities, such as oil refining or making explosives
  • ", + "
  • is being or has been regulated using a permit issued under the integrated pollution control or pollution prevention and control regimes
  • ", + "
  • has been used to get rid of waste acid tars
  • ", + "
  • is owned or occupied by the Ministry of Defence
  • ", + "
  • is contaminated by radioactivity
  • ", + "
  • is a nuclear site
  • ", + "

    The Environment Agency has technical guidance on special sites.

    ", + "

    Once a local council has decided that an area is a special site, it is regulated by:

    ", + "
  • the Environment Agency in England
  • ", + "
  • Natural Resources Wales in Wales
  • ", + "
  • the Scottish Environment Protection Agency (SEPA) in Scotland
  • ", + "

    Who decides if land is contaminated

    ", + "

    Your local council or an environment agency will decide if your land is contaminated.

    ", + "

    Your land could be investigated for a number of reasons, including when:

    ", + "
  • land is sold, let, used or otherwise transferred
  • ", + "
  • land is proposed for development
  • ", + "
  • local councils inspect land in their area
  • ", + "
  • an application is made for an environmental permit or other licence
  • ", + "
  • land is polluted
  • ", + "

    Contact your local council if you believe your land is contaminated.

    ", + "

    Dealing with contamination

    ", + "

    The rules for who\u2019s responsible for contamination and how to deal with it depend on whether the land is legally considered \u2018contaminated land\u2019.

    ", + "

    If the land counts as contaminated land

    ", + "

    If the land is legally considered \u2018contaminated land\u2019, the person who caused or allowed the contamination to happen is responsible for dealing with it, unless:

    ", + "
  • they can\u2019t be identified
  • ", + "
  • the local council or environment agency investigating the issue decides they\u2019re exempt
  • ", + "

    The council or agency will then decide who\u2019s responsible for dealing with it instead. This may be the landowner, or the person who uses the land.

    ", + "

    What happens next

    ", + "

    The council or agency will:

    ", + "
  • decide how the land should be dealt with
  • ", + "
  • ask the responsible person to deal with the contamination
  • ", + "
  • tell them how they should take care of it (clean it up or fence it off, for example)
  • ", + "

    If the person doesn\u2019t deal with the contamination, the council or agency will send a \u2018remediation notice\u2019, telling them when they must take care of it by.

    ", + "

    You can agree a voluntary scheme with the council or agency if you\u2019re responsible for part or all of the clean up. You must tell them what steps you\u2019ll take to clean up the land.

    ", + "

    If the land doesn\u2019t count as contaminated land

    ", + "

    If the land isn\u2019t legally considered \u2018contaminated land\u2019, you could be responsible for dealing with the contamination if you\u2019re:

    ", + "
  • responsible for causing it
  • ", + "
  • the landowner
  • ", + "

    You may face legal action if you don\u2019t deal with contamination that you\u2019re responsible for. Find out how to manage contamination on your land.

    ", + "

    If you\u2019re developing the land

    ", + "

    You\u2019ll have to deal with the contamination either:

    ", + "
  • before you get planning permission
  • ", + "
  • as part of the development
  • ", + "

    Contact your local council to check what you must do to make sure the land is suitable for your proposed development.

    " + ] + }, + { + "title": "Dispose of business or commercial waste", + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "contents": [ + "

    Your responsibilities

    ", + "

    You must:

    ", + "
  • keep waste to a minimum by doing everything you reasonably can to prevent, reuse, recycle or recover waste (in that order) - get help to do this
  • ", + "
  • sort and store waste safely and securely
  • ", + "
  • complete a waste transfer note for each load of waste that leaves your premises
  • ", + "
  • check if your waste carrier is registered to dispose of waste
  • ", + "
  • not allow the waste carrier to dispose of your waste illegally (and report them to Crimestoppers if they do)
  • ", + "

    You have extra responsibilities if you\u2019re dealing with hazardous waste.

    ", + "

    What counts as business waste

    ", + "

    Any waste that comes from a commercial activity is business waste. If you use part of your home to run your business then any waste from that part is business waste.

    ", + "

    Business waste also includes any waste that comes from:

    ", + "
  • construction
  • ", + "
  • demolition
  • ", + "
  • industry
  • ", + "
  • agriculture
  • ", + "

    Check what you need to do in Northern Ireland, Scotland and Wales.

    ", + "

    Disposing of your own waste

    ", + "

    You must register as a waste carrier if you want to dispose of your own waste regularly. Apply to register in:

    ", + "
  • England
  • ", + "
  • Wales
  • ", + "
  • Scotland
  • ", + "
  • Northern Ireland
  • ", + "

    Depending on what you\u2019re doing, you may also need to apply for a waste permit.

    ", + "

    Moving waste between countries

    ", + "

    You cannot move waste between countries for disposal, for example to send it to landfill. You can usually only import or export waste to recover it, such as using waste to produce energy.

    ", + "

    Read the guide on waste imports and exports.

    ", + "

    Sorting and storing waste

    ", + "

    You must store waste safely and securely. To do this:

    ", + "
  • store waste in a secure place
  • ", + "
  • use suitable containers that will stop waste escaping
  • ", + "
  • label containers clearly with the type of waste they contain
  • ", + "
  • use covers to stop waste blowing away
  • ", + "
  • use waterproof covers if rain could cause contaminated run-off or prevent the waste from being reused
  • ", + "

    You have extra responsibilities if you\u2019re storing hazardous waste.

    ", + "

    Store different types of waste separately, so that:

    ", + "
  • they do not contaminate each other
  • ", + "
  • they can be reused more easily
  • ", + "
  • you can complete the waste transfer note correctly
  • ", + "

    Waste transfer notes

    ", + "

    For each load of non-hazardous waste you move off your premises, you need a waste transfer note or a document with the same information, such as an invoice.

    ", + "

    Register online to:

    ", + "
  • fill in a waste transfer note for a single load of waste
  • ", + "
  • create a season ticket for a series of loads
  • ", + "

    Or download a waste transfer note to fill in and sign on paper.

    ", + "

    Your business and the business taking your waste both need to:

    ", + "
  • Fill in the sections of the waste transfer note that apply to you.
  • ", + "
  • Sign it.
  • ", + "
  • Keep a copy for 2 years.
  • ", + "
  • Show it to an enforcement officer from your local council or the Environment Agency if asked.
  • ", + "

    You must include enough information to help the business taking your waste to handle and dispose of it safely.

    ", + "

    Contacts

    ", + "

    Contact the organisation in your region if you have any questions about business and commercial waste.

    ", + "

    England

    ", + "

    Scotland

    ", + "

    Wales

    ", + "

    Northern Ireland

    " + ] + }, + { + "title": "Environmental taxes, reliefs and schemes for businesses", + "url": "https://www.gov.uk/green-taxes-and-reliefs", + "contents": [ + "

    Overview

    ", + "

    Environmental taxes encourage your business to operate in a more environmentally friendly way. There are taxes and schemes for different types and size of business.

    ", + "

    You may get reliefs or be exempt from some taxes, for example if:

    ", + "
  • you use a lot of energy because of the nature of your business
  • ", + "
  • you\u2019re a small business that does not use much energy
  • ", + "
  • you buy energy-efficient technology for your business
  • ", + "

    You can pay less tax by applying for schemes to help you demonstrate that you\u2019re operating more efficiently and producing waste that\u2019s less damaging.

    ", + "

    Climate Change Levy

    ", + "

    Climate Change Levy (CCL) is paid at either the:

    ", + "
  • main rates
  • ", + "
  • carbon price support (CPS) rates
  • ", + "

    Main rates

    ", + "

    You pay CCL at the main rate on:

    ", + "
  • electricity
  • ", + "
  • gas
  • ", + "
  • solid fuels - like coal, lignite, coke and petroleum coke
  • ", + "

    The CCL main rates are listed on your business\u2019s energy bill.

    ", + "

    There\u2019s more detailed information on Climate Change Levy rates and allowances.

    ", + "

    Who it applies to

    ", + "

    You pay the main rates of CCL if your business is in one of the following sectors:

    ", + "
  • industrial
  • ", + "
  • commercial
  • ", + "
  • agricultural
  • ", + "
  • public services
  • ", + "

    You do not pay the main rate of CCL on certain supplies, for example if you\u2019re a:

    ", + "
  • business that uses small amounts of energy
  • ", + "
  • domestic energy user
  • ", + "
  • charity engaged in non-commercial activities
  • ", + "

    Fuels that are exempt

    ", + "

    Electricity, gas and solid fuel are normally exempt from the main rates of CCL if any of the following apply:

    ", + "
  • they will not be used in the UK
  • ", + "
  • they\u2019re supplied to or from certain combined heat and power (CHP) schemes registered under the CHP quality assurance (CHPQA) programme
  • ", + "
  • the electricity was generated from renewable sources before 1 August 2015
  • ", + "
  • they\u2019re used to produce electricity in a generating station which has a capacity of 2MW or greater
  • ", + "
  • they will not be used as fuel
  • ", + "
  • they\u2019re used in certain forms of transport
  • ", + "

    There are other exemptions and reliefs.

    ", + "

    Pay a reduced rate

    ", + "

    You can get a reduction on the main rates of CCL if you\u2019re an energy intensive business and have entered into a climate change agreement (CCA) with the Environment Agency.

    ", + "

    Energy intensive businesses can get a 90% reduction for electricity and a 65% reduction for gas, liquefied petroleum gas (LPG), coal and other solid fuel.

    ", + "

    Check if your business is eligible. Your industry trade association can also give advice.

    ", + "

    Carbon price support rates

    ", + "

    The CPS rates of CCL encourage industry to use low carbon technology for producing electricity.

    ", + "

    You pay CPS rates for:

    ", + "
  • gas
  • ", + "
  • LPG
  • ", + "
  • coal and other solid fossil fuels
  • ", + "

    Who pays CPS rates

    ", + "

    The CPS rates of CCL are paid by owners of electricity generating stations and operators of combined heat and power (CHP) stations.

    ", + "

    Certain suppliers do not have to pay CPS rates. These include small generators, stand-by generators and generating stations in Northern Ireland.

    ", + "

    CRC Energy Efficiency Scheme

    ", + "

    The CRC Energy Efficiency Scheme (formerly known as the \u2018Carbon Reduction Commitment\u2019) covers large, non-energy-intensive organisations, for example:

    ", + "
  • supermarkets
  • ", + "
  • hotels
  • ", + "
  • water companies
  • ", + "
  • banks
  • ", + "
  • local authorities, including state-funded schools
  • ", + "
  • all central government departments
  • ", + "

    How it works

    ", + "

    You should already be registered if your business qualifies for the CRC Energy Efficiency Scheme. You must now:

    ", + "
  • monitor and report your CO2 emissions from gas and electricity use
  • ", + "
  • buy enough allowances to cover your annual emissions and surrender them at the end of the year
  • ", + "

    If you need more help

    ", + "

    There\u2019s more detailed guidance on the scheme if you\u2019re in England or Wales.

    ", + "

    Emissions trading

    ", + "

    The EU Emissions Trading System (EU ETS) affects businesses from energy-intensive sectors - like the energy industry and certain manufacturers.

    ", + "

    It lets you buy and sell greenhouse gas emission allowances to reduce your organisation\u2019s environmental impact.

    ", + "

    Large organisations not covered by the EU ETS are covered by another scheme called the CRC Energy Efficiency Scheme.

    ", + "

    How it works

    ", + "

    If your business is covered by the EU ETS you must meet targets by:

    ", + "
  • cutting your business emissions
  • ", + "
  • trading emissions allowances
  • ", + "

    You\u2019ll need to open an EU Registry account so you can trade allowances. You can then trade allowances by:

    ", + "
  • trading directly with other businesses
  • ", + "
  • buying or selling from intermediaries, for example banks and specialist traders
  • ", + "
  • using the services of a broker
  • ", + "
  • joining one of the several exchanges that list carbon allowance products
  • ", + "
  • bidding at UK government or other EU member state auctions
  • ", + "

    Calculate your greenhouse gas emissions

    ", + "

    Work out your greenhouse gas emissions by multiplying the amount of energy you use by the (emissions they produce). You need to do this for each type of energy you use.

    ", + "

    To do this, you need to know:

    ", + "
  • how much non-renewable energy you\u2019ve used - this information can be found on your gas, electricity and water bills, invoices and receipts
  • ", + "
  • the greenhouse gases produced by each type of energy (the \u2018emission factor\u2019) - these are updated every year
  • ", + "

    You can calculate your carbon emissions online.

    ", + "

    Capital allowances on energy-efficient items

    ", + "

    You can claim capital allowances when you buy energy efficient, or low or zero-carbon technology for your business. This reduces the amount of tax you pay.

    ", + "

    Landfill Tax

    ", + "

    You pay tax on top of your normal landfill fees if your business gets rid of waste using landfill sites.

    ", + "

    If you get rid of waste at sites not authorised for landfill, you\u2019ll be charged Landfill Tax. You may also have to pay a penalty or be taken to court.

    ", + "

    Landfill operators - what you must do

    ", + "

    You need to:

    ", + "
  • get a permit
  • ", + "
  • register within 30 days of setting up - if you do not you can be fined
  • ", + "

    What to pay

    ", + "

    The tax is charged by weight. There are 2 rates. You pay the lower rate on \u2018inactive waste\u2019 - for example rocks or soil.

    ", + "Rate | Amount you pay", + "Lower rate | \u00a33.10 per tonne", + "Standard rate | \u00a396.70 per tonne", + "

    Loss on Ignition (LOI) testing regime

    ", + "

    If your landfill site accepts waste fines, you may need to carry out a loss on ignition test to help determine the rate of tax to pay.

    ", + "

    Exemptions

    ", + "

    You do not have to pay Landfill Tax on:

    ", + "
  • dredging activities
  • ", + "
  • quarrying and mining
  • ", + "
  • pet cemeteries
  • ", + "
  • inactive waste used for filling quarries
  • ", + "

    You can get tax credits if you send waste from landfill to be recycled, incinerated or reused.

    ", + "

    Aggregates Levy

    ", + "

    This is a tax on sand, gravel and rock that\u2019s either been:

    ", + "
  • dug from the ground
  • ", + "
  • dredged from the sea in UK waters
  • ", + "
  • imported
  • ", + "

    What you need to do

    ", + "

    You must register with HM Revenue and Customs (HMRC) if your business exploits aggregate in the UK, for example if you\u2019re a quarry operator.

    ", + "

    Every quarter, you must tell HMRC how much aggregate you\u2019ve produced or sold.

    ", + "

    How much you pay

    ", + "

    You pay tax of \u00a32 per tonne of sand, gravel or rock. You pay less on smaller amounts, for example \u00a31 on half a tonne. You still pay tax if you import the materials.

    ", + "

    Reliefs

    ", + "

    You can get tax relief if you export aggregates or use them in some industrial or agricultural processes. If you do not use the material as aggregate it may be eligible for relief.

    ", + "

    Exemptions

    ", + "

    Certain materials are excluded from the tax, for example soil, vegetable or other organic matter.

    ", + "

    If you need more help

    ", + "

    There\u2019s more detailed guidance on Aggregates Levy or you can contact the helpline.

    " + ] + }, + { + "title": "Green Deal: energy saving for your home", + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "contents": [ + "

    Overview

    ", + "

    The Green Deal helps you make energy-saving improvements to your home and to find the best way to pay for them.

    ", + "

    The improvements that could save you the most energy depend on your home, but typical examples include:

    ", + "
  • insulation, such as solid wall, cavity wall or loft insulation
  • ", + "
  • heating
  • ", + "
  • draught-proofing
  • ", + "
  • double glazing
  • ", + "
  • renewable energy generation, such as solar panels or heat pumps
  • ", + "

    If you need help paying for home improvements

    ", + "

    You may be able to get a loan through the Green Deal, but you\u2019ll have to pay this back.

    ", + "

    Find out if your home will benefit

    ", + "

    There are various ways to check if your property could benefit from energy-saving improvements:

    ", + "
  • use the Energy Efficiency Calculator to find out how you can reduce your energy bills
  • ", + "
  • check which home energy grants you might be able to apply for
  • ", + "
  • talk to a Green Deal assessor or provider
  • ", + "

    The Green Deal may be right for you if you think your property could benefit from energy-saving improvements.

    ", + "

    You can also talk to Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland

    ", + "

    Find out about call charges

    ", + "

    The Green Deal is not available in Northern Ireland.

    ", + "

    Green Deal mark

    ", + "

    ", + "

    All Green Deal organisations must be authorised. Look for the quality mark, which is a green house with a tick on the roof.

    ", + "

    You can also check if a Green Deal company is genuine.

    ", + "

    Improvements and benefits to your home

    ", + "

    Any household with an electricity meter (including prepayment meters) in England, Scotland or Wales can use the scheme.

    ", + "

    Both the landlord and the tenant must agree to the improvements if the building is rented.

    ", + "

    Eligible improvements

    ", + "

    You can use the Green Deal for a range of different energy saving measures including:

    ", + "
  • replacing windows and doors
  • ", + "
  • installing secondary glazing
  • ", + "
  • using energy efficient lighting
  • ", + "
  • insulating your loft or walls
  • ", + "
  • adding draught proofing
  • ", + "
  • upgrading your heating
  • ", + "
  • generating renewable energy from sources such as wind or solar power
  • ", + "

    But only if your Green Deal assessment recommends them.

    ", + "

    Get an assessment

    ", + "

    You must get your property assessed to use the Green Deal. Contact a Green Deal assessor or ask a Green Deal provider to find an assessor for you.

    ", + "

    You may have to pay for an assessment. The assessor must tell you the fee in advance.

    ", + "

    What to expect from an assessment

    ", + "

    A Green Deal assessor will visit your home, talk to you about your property and your energy use and help you decide if you could benefit from Green Deal improvements.

    ", + "

    When you book

    ", + "

    You may be asked if:

    ", + "
  • you own or rent the property
  • ", + "
  • your home is a listed building, in a conservation area, built before 1900 or constructed in a non-traditional way
  • ", + "
  • there are access issues, such as access to your loft
  • ", + "
  • you can provide bills showing your recent energy use
  • ", + "

    When the assessor visits

    ", + "

    You may be asked:

    ", + "
  • how many people live in your home
  • ", + "
  • what type of heating and appliances you use
  • ", + "
  • how often you use your heating
  • ", + "
  • what energy-saving measures are already installed
  • ", + "

    After the visit

    ", + "

    You\u2019ll get a document, called a Green Deal advice report, that contains:

    ", + "
  • an Energy Performance Certificate (EPC) that rates your home for energy efficiency
  • ", + "
  • an occupancy assessment that measures how much energy you and other occupiers are using
  • ", + "
  • improvements your assessor recommends
  • ", + "
  • an estimate of the money you could save on your annual energy bills
  • ", + "
  • a statement on whether the improvements will pay for themselves through reduced energy costs
  • ", + "

    A Green Deal advice report is valid for 10 years, or until you make changes or energy saving improvements to the property, for example you build an extension or change the windows.

    ", + "

    The actual savings will depend on how much energy you use and the future cost of energy.

    ", + "

    What to do next

    ", + "

    You decide:

    ", + "
  • if you want to get the work done
  • ", + "
  • how you want to pay
  • ", + "

    Getting the work done

    ", + "

    How you decide to get the work done will affect your options for how you pay for the work.

    ", + "

    After you get a Green Deal advice report, you can:

    ", + "
  • ask a Green Deal provider to arrange installation and pay for the work yourself
  • ", + "
  • ask a Green Deal provider to arrange installation and a Green Deal finance plan to pay for the work
  • ", + "
  • get your own installers to fit the improvements and pay for them yourself
  • ", + "
  • pay for the work in more than one way, like using a Green Deal finance plan or money of your own
  • ", + "

    Some companies provide all the services for a Green Deal package - assessment, finance and installation. You can choose to use a different company for each service.

    ", + "

    Get a quote

    ", + "

    Give a provider or installer your Green Deal advice report.

    ", + "

    Providers will give you a quote and arrange the installers for you. Installers will quote to do the work themselves. A quote from a provider will include the repayment terms if you\u2019re paying with a finance plan.

    ", + "

    You can get more than one quote and you can choose which improvements you want.

    ", + "

    You can ask the provider or installer if you or your property qualify to combine the Green Deal with these other schemes:

    ", + "
  • Affordable Warmth Obligation - help from your energy company to improve your home if you\u2019re on certain benefits or a low income, or for certain hard-to-treat properties
  • ", + "
  • Feed-in Tariffs - payments from your energy provider if you generate your own electricity (such as through solar panels or a wind turbine)
  • ", + "
  • Renewable Heat Incentive (RHI) - payments for generation and use of renewable energy to heat buildings
  • ", + "
  • any scheme run by your Local Authority - contact your Local Authority for information
  • ", + "

    Agree the work

    ", + "

    Pick the provider or installer you want to do the work.

    ", + "

    The provider will write you a contract called a Green Deal finance plan if you choose to pay with Green Deal finance. The plan will contain:

    ", + "
  • an outline of the work that will be done
  • ", + "
  • any financial help you can get from other schemes
  • ", + "
  • the repayments and interest rate
  • ", + "
  • information on other incentives you can access, such as Feed-in Tarrifs
  • ", + "
  • information on warranties and guarantees
  • ", + "

    Your Green Deal repayments will be automatically added to your electricity bill if you have chosen to take Green Deal finance.

    ", + "

    Complaints

    ", + "

    You can complain about your Green Deal.

    ", + "

    How to pay

    ", + "

    You can pay in advance, get a Green Deal finance plan, or use other schemes to fund the work. You can also combine ways to pay.

    ", + "

    Getting a Green Deal finance plan

    ", + "

    Finance plans are offered by approved Green Deal providers.

    ", + "

    Give your Green Deal assessment to providers you want to get a quote from.

    ", + "

    Your provider will find an installer for you.

    ", + "

    You can only get a finance plan for improvements recommended in your Green Deal assessment.

    ", + "

    Each provider must tell you:

    ", + "
  • how much you\u2019ll pay back
  • ", + "
  • how long you\u2019ll pay for
  • ", + "

    What you can borrow and how much you\u2019ll pay

    ", + "

    You can get finance for an amount based on what you\u2019ll be expected to save on your energy bills.

    ", + "

    The annual repayments on the loan should not be more than the savings you might make on your energy bills.

    ", + "

    There\u2019s no set interest rate. Your interest rate will be determined by the amount of your finance plan. Check with your provider for rates and fees.

    ", + "

    The interest rate is fixed for the full term of the plan so your repayments will be fixed.

    ", + "

    How you pay

    ", + "

    You pay back the loan through a charge added to your electricity bill. If you have a prepayment meter, a small amount will be taken from the meter each day.

    ", + "

    This is because the Green Deal stays with the property. If you move, you no longer benefit from the improvements and therefore stop paying for them.

    ", + "

    You can pay off your Green Deal early, but you might be charged a fee - check with your provider.

    ", + "

    Moving into a property with a Green Deal

    ", + "

    If you move into a property with a Green Deal, the landlord or seller must show you a copy of the Energy Performance Certificate (EPC). This will explain what improvements have been made and how much you\u2019ll need to repay.

    ", + "

    The person who pays the electricity bill pays the money back.

    ", + "

    You can change electricity supplier if the new supplier is participating in the Green Deal.

    ", + "

    Get more information

    ", + "

    Contact the Green Deal provider if you have specific questions about the improvements, warranties or repayments.

    ", + "

    You can get general information from Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland.

    ", + "

    Find out about call charges

    " + ] + }, + { + "title": "Hazardous waste", + "url": "https://www.gov.uk/dispose-hazardous-waste", + "contents": [ + "

    Overview

    ", + "

    You must make sure hazardous waste produced or handled by your business in England causes no harm or damage.

    ", + "

    You have responsibilities known as your \u2018duty of care\u2019. You must also meet extra requirements depending on whether you\u2019re a waste:

    ", + "
  • producer or holder (you produce or store waste)
  • ", + "
  • carrier (you collect and transport waste)
  • ", + "
  • consignee (you receive waste, such as for recycling or disposal)
  • ", + "

    Check what you need to do in Northern Ireland, Scotland and Wales.

    ", + "

    There are different requirements for exporting waste.

    ", + "

    Check if your waste is hazardous

    ", + "

    Waste is generally considered hazardous if it (or the material or substances it contains) are harmful to humans or the environment. Examples of hazardous waste include:

    ", + "
  • asbestos
  • ", + "
  • chemicals, such as brake fluid or print toner
  • ", + "
  • batteries
  • ", + "
  • solvents
  • ", + "
  • pesticides
  • ", + "
  • oils (except edible ones), such as car oil
  • ", + "
  • equipment containing ozone depleting substances, like fridges
  • ", + "
  • hazardous waste containers
  • ", + "

    Classify your waste to find out if it is hazardous.

    ", + "

    Producers and holders

    ", + "

    You must follow these steps in England if your business:

    ", + "
  • produces hazardous waste
  • ", + "
  • holds or stores hazardous waste
  • ", + "
  • has hazardous waste removed from its premises
  • ", + "
  • Classify your waste to check if it\u2019s hazardous.
  • ", + "
  • Separate and store hazardous waste safely.
  • ", + "
  • Use authorised businesses to collect, recycle or dispose of your hazardous waste \u2013\u00a0check that waste carriers are registered and waste sites have environmental permits.
  • ", + "
  • Fill in the parts of the consignment note that apply to you \u2013 keep one copy and give 2 copies to the carrier collecting your waste.
  • ", + "
  • Keep records (known as a \u2018register\u2019) for 3 years at the premises that produced or stored the waste.
  • ", + "

    Records you must keep

    ", + "

    You must keep your copies of:

    ", + "
  • consignment notes
  • ", + "
  • consignee returns \u2013 you\u2019ll get these from businesses that receive your waste (consignees)
  • ", + "
  • any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads
  • ", + "

    If these documents are not accurate or complete, you must keep a record of any missing information.

    ", + "

    Extra requirements

    ", + "

    You must meet extra requirements in these situations.

    ", + "

    Your waste is rejected

    ", + "

    You must follow the guidance on rejected loads if your hazardous waste is rejected by the destination site you sent it to.

    ", + "

    You transport your own waste

    ", + "

    You must meet the requirements for carriers if you transport any hazardous waste from your own or another business.

    ", + "

    You receive, treat or dispose of waste

    ", + "

    You must meet the requirements for consignees if you:

    ", + "
  • receive hazardous waste \u2013\u00a0this includes deliveries of waste from your own business
  • ", + "
  • treat or dispose of hazardous waste on your business premises \u2013\u00a0this includes your own waste
  • ", + "

    Carriers

    ", + "

    You must follow these steps if your business collects and transports hazardous waste in England (for example you\u2019re a waste carrier, or you move your own waste).

    ", + "
  • Register as a waste carrier.
  • ", + "
  • Check parts A and B of the consignment note and the waste before you accept it \u2013\u00a0make sure the waste is classified correctly.
  • ", + "
  • Separate waste correctly when you load it for transportation.
  • ", + "
  • Fill in the part of the consignment note that applies to you.
  • ", + "
  • Leave one copy of the consignment note with the waste producer or holder and keep 2 copies \u2013\u00a0these must stay with the waste until it reaches its destination.
  • ", + "
  • Take the waste to the destination on the consignment note \u2013\u00a0it must be an authorised waste site.
  • ", + "
  • Keep records (known as a \u2018register\u2019) for one year.
  • ", + "

    You must keep records at your head office.

    ", + "

    Records you must keep

    ", + "

    You must keep copies of:

    ", + "
  • consignment notes
  • ", + "
  • any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads
  • ", + "

    If these documents are not accurate or complete, you must keep a record of any missing information.

    ", + "

    You\u2019re a waste dealer or broker

    ", + "

    Ask the waste producer or holder for copies of their records. You must keep these for 3 years. Check what other registration requirements and responsibilities you may need to meet.

    ", + "

    Your waste delivery is rejected

    ", + "

    You must follow the guidance on rejected loads if a consignee rejects the hazardous waste you\u2019re transporting.

    ", + "

    Consignees

    ", + "

    You must follow these steps if you receive, treat or dispose of hazardous waste at premises in England.

    ", + "
  • Get an environmental permit or register an exemption for your premises.
  • ", + "
  • Check the consignment note and waste before you accept it \u2013 make sure it\u2019s classified correctly.
  • ", + "
  • Reject the waste if the consignment note is missing, incorrect or incomplete.
  • ", + "
  • Fill in part E of the consignment note for any hazardous waste you accept or reject \u2013 keep one copy and hand one copy back to the carrier.
  • ", + "
  • Send consignee returns to the Environment Agency, and the waste producer or holder, to report on any hazardous waste you accept or reject.
  • ", + "
  • Keep records (known as a \u2018register\u2019).
  • ", + "

    You must keep records at the site where the hazardous waste was stored, treated or disposed.

    ", + "

    Records you must keep

    ", + "

    You must keep:

    ", + "
  • consignment notes
  • ", + "
  • any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads
  • ", + "
  • a site inventory that records where waste was stored, treated or disposed of at your waste site \u2013\u00a0keep this in a secure, marked area that\u2019s accessible in emergencies
  • ", + "

    Site inventories for tipped waste

    ", + "

    \u2018Tipped waste\u2019 (permanent waste storage, for example landfill) includes:

    ", + "Type of storage | Disposal code (from the Waste Framework Directive)", + "Deposit into or onto land, for example landfill | D1", + "Land treatment | D2", + "Deep injection | D3", + "Surface impoundment | D4", + "Specially engineered landfill | D5", + "Release into a water body except seas or oceans | D6", + "Permanent storage | D12", + "

    Your site inventory must be a site plan that shows where hazardous waste is stored at your waste site together with its:

    ", + "
  • consignment note code \u2013 get this from the consignee return if there\u2019s no consignment note
  • ", + "
  • waste description including the waste classification code, its chemical components and hazardous properties
  • ", + "

    Use either a grid or contour lines to divide up your site plan.

    ", + "

    Site inventories for all other waste operations

    ", + "

    These requirements are for all waste operations other than tipped waste, including:

    ", + "
  • disposal by other methods
  • ", + "
  • treatment
  • ", + "
  • recovery
  • ", + "
  • incineration
  • ", + "

    Your site inventory can be a site plan or table showing the location of waste at your site together with:

    ", + "
  • its consignment note code \u2013 get this from the consignee return if there\u2019s no consignment note
  • ", + "
  • information cross-referencing each incoming or outgoing waste (waste transfer activities only)
  • ", + "

    You must also keep records for each delivery of hazardous waste you accept at your site \u2013 include:

    ", + "
  • its weight in kilograms
  • ", + "
  • its waste description including the waste classification code, its chemical components and hazardous properties
  • ", + "
  • the name, address and postcode of the waste holder or producer it came from
  • ", + "
  • the disposal or recovery method you applied to the waste
  • ", + "

    How long you must keep records

    ", + "

    The type of waste site you have determines how long you keep records.

    ", + " | Type of record | How long you must keep it", + "Landfill site (disposal codes D1 to D6 and D12) | All records | As long as you have a permit", + "Other waste site with a permit | Consignment notes | 5 years", + "Other waste site with a permit | Site inventory and all other records | As long as you have a permit", + "Waste sites with an exemption | All records | 3 years", + "

    You must send your records to the Environment Agency if you give up or lose your permit.

    ", + "

    Consignment notes

    ", + "

    You must use consignment notes to move hazardous waste.

    ", + "

    A consignment note must stay with hazardous waste until it reaches its final destination.

    ", + "

    Fill in a consignment note

    ", + "

    Read the consignment notes guidance.

    ", + "
  • Download a consignment note form.
  • ", + "
  • Fill in the parts that apply to you.
  • ", + "
  • Use a continuation sheet if you need more space.
  • ", + "

    The part that applies to you depends on your role in the waste process.

    ", + "Your role | Part you must complete", + "Producer | A and B", + "Holder (stores waste) | A and B", + "Carrier (collects and transports waste) | C", + "Consignor (hands the waste to the carrier) | D", + "Consignee (receives waste for recycling or disposal) | E", + "

    You\u2019re the waste producer or holder

    ", + "

    You\u2019ll need to know both the:

    ", + "
  • Standard Industrial Classification (SIC) code (2007) \u2013 this describes the business activity that produced the waste
  • ", + "
  • waste classification code, also referred to as LoW (List of Waste) or EWC (European Waste Catalogue) code \u2013 this describes the waste
  • ", + "

    Get consignment notes another way

    ", + "

    You can also:

    ", + "
  • use a note from your waste contractor or write your own \u2013 it must include the information on the form
  • ", + "
  • buy consignment notices from the Environment Agency \u2013 these have 3 colour-coded copies
  • ", + "

    Consignee returns

    ", + "

    Consignee returns are reports on any hazardous waste received, treated or disposed of by a business (the \u2018consignee\u2019).

    ", + "

    You\u2019re a waste producer or holder

    ", + "

    You should get consignee returns every quarter from the consignee dealing with your hazardous waste.

    ", + "

    Ask for consignee returns in writing if you do not get them \u2013 you need them to keep records.

    ", + "

    You should contact the Environment Agency and stop using a waste business if they do not provide consignee returns.

    ", + "

    You\u2019re a consignee

    ", + "

    You must send consignee returns every quarter to the:

    ", + "
  • Environment Agency
  • ", + "
  • the waste producer or holder
  • ", + "

    You must send separate consignee returns to the Environment Agency and the waste producer or holder. You cannot send copies of the same document to both.

    ", + "

    Read the consignee returns guidance for help with filling in your consignee returns.

    ", + "

    Send consignee returns to the Environment Agency

    ", + "
  • Fill in the consignee returns spreadsheet.
  • ", + "
  • Send the spreadsheet to the Environment Agency - either email it to hazwastereturn@environment-agency.gov.uk or upload it online (in Wales email it to waleshazreturns@cyfoethnaturiolcymru.gov.uk).
  • ", + "

    Read the consignee returns guidance for other ways you can send your returns.

    ", + "

    Deadlines

    ", + "Reporting period | Deadline", + "January to March | 30 April", + "April to June | 31 July", + "July to September | 31 October", + "October to December | 31 January", + "

    Fees

    ", + "

    Fees are per consignment of waste and depend on whether the consignment formed part of a multiple collection (if it came from multiple locations) or not. The fees are:

    ", + "
  • single consignment - \u00a310 (electronic returns) or \u00a319 (paper returns)
  • ", + "
  • multiple collection - \u00a35 (electronic returns) or \u00a310 (paper returns)
  • ", + "

    Contact the Environment Agency

    ", + "

    Contact the Environment Agency if you have any questions about hazardous waste.

    " + ] + }, + { + "title": "Preventing air pollution", + "url": "https://www.gov.uk/preventing-air-pollution", + "contents": [ + "

    Local controls

    ", + "

    Your local council can introduce extra controls on emissions if there are air quality problems in your area.

    ", + "

    Air Quality Management Areas

    ", + "

    If air quality falls below required standards, your council will declare an Air Quality Management Area (AQMA) and plan for improvements.

    ", + "

    Check if your business is in an AQMA and if you\u2019re affected by:

    ", + "
  • road charging
  • ", + "
  • parking restrictions
  • ", + "
  • increased restrictions on waiting and loading times
  • ", + "
  • taxes to encourage moving goods by rail
  • ", + "
  • the review of planning applications by a pollution control team
  • ", + "

    Smoke control areas

    ", + "

    Your council can also declare a smoke control area. This means you can only use authorised fuels, or exempted furnaces and boilers. Chimney smoke is not allowed, with only a few exceptions.

    ", + "

    You could be fined up to \u00a31,000 for each offence.

    ", + "

    If you\u2019re a contractor working at different locations you should always check if you\u2019re in a smoke control area.

    ", + "

    Dark smoke

    ", + "

    The darker the smoke, the more polluting it tends to be. Smoke darker than a specified shade of grey is officially classified as \u2018dark smoke\u2019.

    ", + "

    The Ringelmann chart is used to define dark smoke. The chart has 5 shades of grey with 0 being clear and 5 being black. Smoke is considered \u2018dark\u2019 if it is shade 2 or darker.

    ", + "

    Chimney and boiler restrictions

    ", + "

    You mustn\u2019t release dark smoke from your premises, including from:

    ", + "
  • chimneys serving furnaces
  • ", + "
  • fixed boilers or industrial plants, whether they\u2019re attached to buildings or not
  • ", + "

    There are some exemptions if emissions won\u2019t damage health or cause a nuisance.

    ", + "

    Boilers and furnaces

    ", + "

    You need a permit for most generators, furnaces and boilers.

    ", + "

    Get a permit

    ", + "

    The permit you need depends on the type and amount of fuel you\u2019re burning.

    ", + "

    Part A(1) environmental permit

    ", + "

    You\u2019ll need a Part A(1) environmental permit if your appliances:

    ", + "
  • have an aggregated rated thermal input of 50 megawatts (mw) or more
  • ", + "
  • burn waste oil, recovered oil or any fuel made from waste, with a rated thermal input of 3 to 50 mw
  • ", + "

    Get a Part A(1) permit from:

    ", + "
  • Environment Agency if you\u2019re in England
  • ", + "
  • Natural Resources Wales (NRW)
  • ", + "
  • Scottish Environment Protection Agency (SEPA)
  • ", + "

    Part B environmental permit

    ", + "

    You\u2019ll need a Part B environmental permit if your appliances:

    ", + "
  • have a rated thermal input of 20 to 50 mw
  • ", + "
  • burn waste excluded from the Industrial Emissions Directive (IED) with a rated thermal input of 0.4 to 3 mw
  • ", + "

    Get a Part B permit from:

    ", + "
  • your local council if you\u2019re in England and Wales
  • ", + "
  • SEPA if you\u2019re in Scotland
  • ", + "

    Small Waste Incineration Plant (SWIP) environmental permit

    ", + "

    You\u2019ll need a Small Waste Incineration Plant (SWIP) environmental permit if your appliance can burn either:

    ", + "
  • less than 10 tonnes per day of hazardous waste
  • ", + "
  • less than 3 tonnes per hour of non-hazardous waste (equivalent to 72 tonnes per day)
  • ", + "

    Get a SWIP environmental permit from your local council.

    ", + "

    Installing furnaces

    ", + "

    Your local council must approve:

    ", + "
  • the use of a new non-domestic furnace in a building, fixed boiler or industrial plant
  • ", + "
  • changes to an existing furnace
  • ", + "

    Contact your local council about getting approval for grit and dust arrestment equipment for your furnace if it\u2019s going to be used to burn:

    ", + "
  • pulverised fuel
  • ", + "
  • any other solid matter at a rate of 45.4 kilograms (kg) or more an hour
  • ", + "
  • liquid or gaseous matter at a rate equivalent to 366.4 kilowatts (kw) or more
  • ", + "

    You might not need approval if your boiler won\u2019t create emissions that can damage health or cause a nuisance. Contact your local council to check if you\u2019re exempt.

    ", + "

    Chimney height requirements

    ", + "

    Your chimney must be high enough to prevent smoke, grit, dust, gases and fume emissions from damaging health or causing a nuisance. Your local council can refuse your application if your chimney isn\u2019t high enough.

    ", + "

    You must apply for chimney height approval if your boiler\u2019s fuel consumption either:

    ", + "
  • exceeds 45.4 kg of solid fuel an hour
  • ", + "
  • exceeds 366.4 kw of liquid or gas fuel
  • ", + "

    If your approval application is refused your local council will tell you the minimum chimney height you need.

    ", + "

    A chimney may be exempt if it\u2019s used as part of:

    ", + "
  • a temporary replacement, for example if the boiler or furnace is being repaired
  • ", + "
  • a temporary source of heat or power for building works
  • ", + "
  • an auxiliary plant to bring the main plant up to operating temperatures
  • ", + "
  • a mobile source of heat or power for agricultural purposes
  • ", + "

    If the use of your chimney changes you must re-apply for approval.

    " + ] + }, + { + "title": "Emergency and life-saving equipment on ships", + "url": "https://www.gov.uk/emergency-and-lifesaving-equipment-on-ships", + "contents": [ + "

    Overview

    ", + "

    All ships must carry certain emergency and life-saving equipment. This equipment must meet minimum standards and must be properly tested and serviced.

    ", + "

    There are different requirements depending on the size and type of ship and where it operates.

    ", + "

    Emergency and life-saving equipment include things like:

    ", + "
  • lifeboats and liferafts
  • ", + "
  • lifebuoys
  • ", + "
  • lifejackets and attachments
  • ", + "
  • buoyancy apparatus
  • ", + "
  • emergency alarm systems and public address systems
  • ", + "
  • marine evacuation systems
  • ", + "
  • two-way VHF radiotelephone sets
  • ", + "
  • fire-fighting equipment
  • ", + "

    Life-saving equipment

    ", + "

    Merchant ships

    ", + "

    You can find information on the life-saving appliances that ships must carry in the Merchant Shipping (Life-Saving Appliances Regulations for Ships Other Than Ships of Classes III to VI(A)) Regulations 1999.

    ", + "

    Passenger ships

    ", + "

    There are different requirements for different types of passenger ships.

    ", + "

    Download information about requirements for life-saving appliances on passenger ships on domestic voyages.

    ", + "

    You must also read the amendments to these regulations.

    ", + "

    Download information about which lifejackets must be carried on passenger ships.

    ", + "

    Roll-on Roll-off (Ro-Ro) passenger ships

    ", + "

    Ro-Ro passenger ships must be fitted with emergency equipment lockers for emergency situations.

    ", + "

    Large commercial yachts

    ", + "

    The Large Commercial Yacht Code includes rules on life-saving equipment for certain types of ship of less than 3,000 gross tonnage.

    ", + "

    Small commercial vessel and pilot boats

    ", + "

    The Small Commercial Vessels Code sets out rules on life-saving equipment for certain vessels of less than 24 metres.

    ", + "

    Small passenger boats on inland waters

    ", + "

    The Inland Waters Small Passenger Boat Code includes rules on life-saving equipment for inland vessels that carry no more than 12 passengers.

    ", + "

    Pleasure craft

    ", + "

    Some pleasure craft don\u2019t have to carry certain life-saving equipment. Download the regulations for pleasure craft.

    ", + "

    Fire-fighting equipment

    ", + "

    Ships must carry certain fire-fighting equipment on board.

    ", + "

    Exemptions

    ", + "

    Some ships are exempt from these regulations.

    ", + "

    Fixed fire alarms and extinguishers

    ", + "

    Download the rules on fixed fire-detection alarms and extinguishing systems.

    ", + "

    Fixed gas fire-extinguishing systems

    ", + "

    Download guidance on operating fixed gas fire-extinguishing systems.

    ", + "

    Your crew must know how to use fixed gas fire-extinguishing systems safely.

    ", + "

    Halon fire-fighting systems

    ", + "

    It\u2019s now illegal to use fire-fighting equipment that contains halons. Download information on the phasing out of halon fire-fighting systems.

    ", + "

    Safe use of emergency equipment

    ", + "

    All emergency life-saving equipment must be safe to use, and you must make sure that your crew know how to use it properly.

    ", + "

    Lifejackets

    ", + "

    All lifejackets must be regularly inspected. You\u2019ll need to check the individual manufacturer\u2019s instructions on how to do this.

    ", + "

    Download general guidance on how to use and inspect inflatable lifejackets.

    ", + "

    Immersion suits

    ", + "

    Read information on the safe use of immersion suits and lifejackets.

    ", + "

    Marine evacuation systems (MESs)

    ", + "

    A marine evacuation system is an inflatable slide or escape chute which passengers can use to get into liferafts from the ship.

    ", + "

    If your vessel has an MES, you must make sure that crew are properly trained in how to use it, and that all onboard lifejackets can be used safely with it.

    ", + "

    Liferafts and Hydrostatic Release Units (HRUs)

    ", + "

    Download guidance on the safe use of HRUs and liferafts.

    ", + "

    Fuels and lubricating oils in lifeboat engines

    ", + "

    In lifeboat engines, you must make sure that all fuels and lubricating oils are safe to use in low temperatures.

    ", + "

    Download information on which fuels and oils are safe to use.

    ", + "

    Retro-reflective material

    ", + "

    You must check all retro-reflective material at regular intervals to make sure it\u2019s effective. Download guidance on using and fitting retro-reflective material on life-saving appliances.

    ", + "

    Servicing and testing emergency equipment

    ", + "

    Life-saving appliance testing

    ", + "

    Some life-saving equipment must be serviced regularly at an approved service station, like:

    ", + "
  • inflatable liferafts
  • ", + "
  • inflatable boats
  • ", + "
  • rescue boats
  • ", + "
  • fast rescue boats
  • ", + "
  • inflatable lifejackets
  • ", + "
  • Hydrostatic Release Units (HRUs)
  • ", + "

    You can find details of independent lifeboat servicing and testing organisations on the Maritime and Coastguard Agency (MCA) website.

    ", + "

    Download further information on servicing this kind of emergency equipment.

    ", + "

    Manufacturers of life-saving appliances

    ", + "

    You can find details of manufacturers of life-saving appliances and their UK representatives on the MCA website.

    ", + "

    Emergency electrical systems

    ", + "

    Download information on testing emergency electrical systems.

    ", + "

    Fire equipment testing

    ", + "

    All fire protection systems and equipment should be regularly tested and maintained so that they\u2019re ready for immediate use when needed.

    ", + "

    You must carry out monthly fire equipment testing and inspection to make sure that:

    ", + "
  • all fireman\u2019s outfits, fire extinguishers, fire hydrants, hoses and nozzles are in place and in good condition
  • ", + "
  • all escape routes are free of obstructions and properly maintained
  • ", + "
  • the public address system and ship\u2019s alarms are working properly
  • ", + "
  • all fixed fire-fighting installation valves are set in the correct operating position
  • ", + "
  • dry pipe sprinkler systems are pressurised, where needed, and their gauges are working properly
  • ", + "
  • the sprinkler system pressure tank water levels are correct
  • ", + "
  • all sprinkler system pumps operate automatically on pressure loss in the systems
  • ", + "
  • all fire pumps are working properly
  • ", + "
  • all fixed gas fire extinguishing installations are free from leaks
  • ", + "

    Fixed bulk dry powder fire extinguishing systems

    ", + "

    Download information on maintaining and testing fixed dry bulk power systems.

    ", + "

    Read \u2018MGN 355 (M) Periodic Inspection, Testing and Maintenance of Fixed Bulk Dry Powder Fire Extinguishing Systems\u2019.

    ", + "

    Seamless steel pressurised gas cylinders

    ", + "

    Download information on testing seamless steel pressurised gas cylinders used for fire-fighting.

    ", + "

    Portable fire extinguishers

    ", + "

    Download information on how to carry out testing and maintenance of portable fire extinguishers.

    ", + "

    Help and advice

    ", + "

    You can contact the Maritime and Coastguard Agency (MCA) for further information on life-saving appliances.

    ", + "

    The MCA lists current safety alerts for technical matters, including information on known design faults and fake safety equipment.

    ", + "

    It also lists safety alerts for health and safety matters.

    " + ] + }, + { + "title": "Get a fishing vessel licence: vessels 10 metres or under", + "url": "https://www.gov.uk/fishing-vessel-licence-under-10-metres", + "contents": [ + "

    Overview

    ", + "

    You need a Category A (10 metres or under) fishing vessel licence if you want to catch and sell sea fish, unless you\u2019re exempt.

    ", + "

    Check the licence you need if your vessel is longer than 10 metres.

    ", + "

    Follow these steps to get a Category A (10 metres or under) fishing vessel licence:

    ", + "
  • Register your vessel - you must do this before you can get a licence.
  • ", + "
  • Get a licence entitlement - you\u2019ll need this to get a licence.
  • ", + "
  • Apply for your licence.
  • ", + "

    You must carry your licence on board your vessel at all times.

    ", + "

    Exemptions

    ", + "

    You don\u2019t need a licence for your vessel if any of the following apply:

    ", + "
  • it doesn\u2019t have an engine
  • ", + "
  • it\u2019ll only be used to fish for common eels, salmon or migratory trout
  • ", + "
  • you fish only within 12 nautical miles of Jersey, Guernsey or the Isle of Man, but you\u2019ll need a licence from the relevant authority
  • ", + "
  • you only use your vessel to fish for pleasure
  • ", + "

    Register your vessel

    ", + "

    You must register your vessel on the UK Ship Registry to get a fishing vessel licence, unless your vessel is registered in the Channel Islands or the Isle of Man.

    ", + "

    To get on the register:

    ", + "
  • arrange an inspection by a Maritime and Coastguard Agency (MCA) inspector or surveyor
  • ", + "
  • fill in application form MSF4740 and send it to the address on the form
  • ", + "

    You can choose simple or full registration. Full registration lets you take out a marine mortgage against your vessel.

    ", + "

    Registration fees

    ", + "

    Simple registration is \u00a3111 and full registration is \u00a3131.

    ", + "

    Documents you need

    ", + "

    You must include the following documents:

    ", + "
  • Declaration of Eligibility (MSF 4728)
  • ", + "
  • original ownership documents - bill of sale, invoice or builder\u2019s certificate
  • ", + "
  • Seafish Construction Certificate if your vessel was built after July 2007, or Seafish Inspection Report if your vessel was built before 2007
  • ", + "
  • Safety Certificate issued by MCA (MSF 1606)
  • ", + "
  • the vessel\u2019s radio call sign, if you have one
  • ", + "
  • deletion certificate if the vessel was previously registered on another register
  • ", + "
  • a copy of the Certificate of Incorporation if the owner is a limited company
  • ", + "

    Your evidence of ownership must cover the last 3 years if you\u2019re applying for full registration.

    ", + "

    Get a licence entitlement

    ", + "

    You can get an entitlement by:

    ", + "
  • buying the entitlement from a vessel that has sunk, been scrapped or is no longer being used for fishing
  • ", + "
  • buying a vessel with a licence
  • ", + "

    You need to make sure the entitlement is suitable for:

    ", + "
  • a vessel which is 10 metres or under (Category A)
  • ", + "
  • the tonnage of your vessel and the size of the engine (kilowattage)
  • ", + "

    You can combine 2 or more entitlements if 1 is not enough to cover your vessel. You can also split an entitlement if you don\u2019t need it all.

    ", + "

    Register an entitlement bought without a vessel

    ", + "

    Get form AFL7 from your local MMO office.

    ", + "

    Read the instructions for filling in form AFL7.

    ", + "

    Fill in sections A and B of the form and send it to your local MMO office.

    ", + "

    MMO will check the previous owner has agreed to the transfer and return the form to you.

    ", + "

    Entitlements bought with a vessel

    ", + "

    The seller will transfer the entitlement into your name as part of the sale. MMO will send you form AFL7.

    ", + "

    Use form AFL7 to convert your entitlement into a licence.

    ", + "

    Apply for your licence

    ", + "

    Fill in application form AFL2 to apply for a Category A (10 metres or under) licence and send it to your local MMO office with your:

    ", + "
  • certificate of registry for the vessel
  • ", + "
  • form AFL7 showing you as the entitlement holder
  • ", + "

    Send the original documents, not copies.

    ", + "

    A licence is valid for 2 years, starting on 1 July and ending 2 years later on 30 June.

    ", + "

    Your licence will be renewed automatically.

    " + ] + }, + { + "title": "Hiring crew for ships and yachts", + "url": "https://www.gov.uk/hiring-crew", + "contents": [ + "

    Overview

    ", + "

    When you\u2019re hiring crew for a ship or yacht, you must:

    ", + "
  • check crew members\u2019 discharge books to make sure they have the qualifications and certificates of competency for their jobs
  • ", + "
  • check that all crew members have the necessary medical certificates for the work they\u2019ll be doing
  • ", + "
  • make sure everyone has the necessary travel documents
  • ", + "
  • check that all crew can speak the ship\u2019s common working language
  • ", + "
  • draw up a crew agreement
  • ", + "
  • send a full crew list to the owner of the ship or yacht
  • ", + "

    You must make sure all crew members know the ship\u2019s safety and emergency procedures before the start of your journey.

    ", + "

    Checking crew qualifications

    ", + "

    You must check crew members\u2019 discharge books to make sure everyone has the necessary qualifications and experience.

    ", + "

    Crew members doing specialist jobs or working on particular types of craft may need special training.

    ", + "

    Officers

    ", + "

    Officers in your crew must have the necessary certificates of competency (CoCs).

    ", + "

    Check that officers\u2019 CoCs are valid on the Maritime and Coastguard Agency (MCA) website.

    ", + "

    Officers may need special training if working on tankers, high-speed craft or passenger ships.

    ", + "

    Merchant navy ratings

    ", + "

    Make sure that all crew have the correct rating for the work they\u2019ll be doing. Watch ratings need a CoC if they\u2019re performing navigation or engine room duties.

    ", + "

    Crew on large yachts (24 metres long or over)

    ", + "

    You must make sure your crew have a MCA Yacht Rating Certificate or other MCA recognised qualification, for example:

    ", + "
  • an able seaman (AB) certificate issued under the International Labour Organisation (ILO) AB Convention
  • ", + "
  • a UK efficient deck hand (EDH) certificate
  • ", + "
  • a navigational or engine room watch rating certificate issued under Standards of Training, Certification and Watchkeeping (STCW)
  • ", + "

    Certificates of competency

    ", + "

    You must follow international regulations from Standards in Training Certification and Watchkeeping for Seafarers (STCW) if you have a commercial vessel going to sea.

    ", + "

    Some crew members need a certificate of competency (CoC) or certificate of equivalent competency (CEC) to carry out certain duties.

    ", + "

    For seafarers\u2019 CoCs to remain valid on certain types of ship they\u2019ll need to meet new training standards in line with STCW regulations (\u20182010 Manila Amendments\u2019).

    ", + "

    Deck officers

    ", + "

    Masters and other deck department officers need a CoC if they\u2019re performing:

    ", + "
  • bridge watch-keeping duties
  • ", + "
  • navigational duties
  • ", + "

    CoCs for deck officers are restricted depending on:

    ", + "
  • the size of the ship or yacht
  • ", + "
  • the area of sea where it will operate
  • ", + "

    Download an application for a CoC for:

    ", + "
  • masters, chief mates and deck officers in the merchant navy
  • ", + "
  • masters, chief mates and deck officers on yachts
  • ", + "

    You can use a Certificate of Service instead, if you have one. These were issued until 1998.

    ", + "

    Engineer officers

    ", + "

    Engineer officers on a ship or yacht with a power output of 750 kilowatts or more need a CoC. There are different CoCs for engineer officers, depending on:

    ", + "
  • the power output of the ship or yacht
  • ", + "
  • the area of sea where it will be operating
  • ", + "

    Download an application for a CoC for:

    ", + "
  • a merchant navy engineering officer
  • ", + "
  • a yacht engineering officer
  • ", + "

    Revalidating CoCs

    ", + "

    Deck and engineering officers must revalidate their certificate every 5 years. They do this by showing they\u2019ve completed either:

    ", + "
  • 12 months\u2019 sea service in the last 5 years
  • ", + "
  • 3 months\u2019 sea service in the last 6 months
  • ", + "
  • 2.5 years in a relevant job - contact the MCA for advice
  • ", + "

    Use form MSF 4258 if someone you want to hire can\u2019t revalidate their CoC because they don\u2019t meet the requirements.

    ", + "

    Watch ratings

    ", + "

    Watch ratings on merchant ships need a CoC if they\u2019re performing navigation or engine room duties.

    ", + "

    Radio operators

    ", + "

    Radio operators need CoCs if they handle distress and safety radio-communications. All radio personnel serving on UK-registered ships must have either:

    ", + "
  • a Restricted Operator\u2019s Certificate (ROC)
  • ", + "
  • a General Operator\u2019s Certificate (GOC)
  • ", + "

    Other crew

    ", + "

    Ships\u2019 cooks and security officers may also need a CoC.

    ", + "

    More information

    ", + "

    To find out more about the certification structure and examination and training requirements, read:

    ", + "
  • MSN 1856 (M+F) for merchant navy deck officers
  • ", + "
  • MSN 1857 (M+F) for merchant navy engineer officers
  • ", + "

    Contact the Maritime and Coastguard Agency (MCA) to find out which members of your crew need a CoC.

    ", + "

    Certificate of equivalent competency (CEC)

    ", + "

    A CEC allows officers holding Standards of Training Certification and Watchkeeping (STCW) certificates issued by some non-UK countries to work as officers on UK-registered merchant ships.

    ", + "

    To get a CEC, your crew member must complete the CEC application form. As part of the application process they may be asked to prove their:

    ", + "
  • standards of competency
  • ", + "
  • ability to use the English language (this may include an oral exam)
  • ", + "
  • knowledge of UK law relating to their job
  • ", + "

    Read more about CECs or download part 19 of the MCA\u2019s training and certification guidance for more information.

    ", + "

    Crew agreements

    ", + "

    A crew agreement is an employment contract between a ship or yacht\u2019s owners and its crew.

    ", + "

    All crew agreements must have:

    ", + "
  • a cover with details of the ship and its owners
  • ", + "
  • an up-to-date crew list with names, dates of birth and addresses
  • ", + "
  • a list of anyone on board who is under 18 or exempt from a crew agreement
  • ", + "
  • contractual clauses for each crew member
  • ", + "

    A crew agreement can last up to 12 months. After this period, a new agreement must be drawn up.

    ", + "

    What goes in a contractual clause

    ", + "

    Clauses must include:

    ", + "
  • the name of the crew member
  • ", + "
  • a description of the journey(s) that the agreement relates to
  • ", + "
  • the crew member\u2019s job description
  • ", + "
  • details of their pay, hours and leave
  • ", + "
  • details of required notice and how the crew agreement can be terminated
  • ", + "

    The Maritime and Coastguard Agency (MCA) gives guidance on drawing up crew agreements for merchant ships and yachts:

    ", + "
  • download MGN 148 \u2018Approval of crew agreements: merchant ships
  • ", + "
  • download MGN 149 \u2018Approval of crew agreements: yachts
  • ", + "

    Contact MCA for advice on drawing up a crew agreement.

    ", + "

    What to do once you\u2019ve drawn up a crew agreement

    ", + "
  • Get every crew member to sign the agreement when they join the ship and at the end of the journey.
  • ", + "
  • File the agreement with the shipping registry in the ship\u2019s \u2018flag state\u2019 (the country where it\u2019s registered).
  • ", + "
  • Display a copy on board the vessel.
  • ", + "
  • Send a copy (with the official log book, if a merchant ship) to a superintendent or proper officer within 3 days of its expiry.
  • ", + "

    Who signs a crew agreement

    ", + "

    Most of the people on board a ship or yacht must sign the crew agreement. However, certain personnel will have separate employment contracts and won\u2019t have to sign, like:

    ", + "
  • captains
  • ", + "
  • bodyguards
  • ", + "
  • nannies
  • ", + "
  • entertainment staff
  • ", + "

    Travel documents

    ", + "

    All crew members must have either:

    ", + "
  • a valid passport
  • ", + "
  • a Seafarers Identity Document (SID) containing a photograph, signature (or fingerprints) and a description of the holder, including their nationality
  • ", + "

    The standard seafarer\u2019s identity document for British citizens is the British seaman\u2019s card.

    ", + "

    Crew lists

    ", + "

    The master or skipper of a UK-registered ship must provide the ship\u2019s owner with a copy of an up-to-date crew list at the start of each journey. They must also tell the owner if there are any changes of crew during the journey.

    ", + "

    If a ship is lost at sea, the crew list will be used to find out who is missing. The ship\u2019s owner should hand the crew list in to a local Maritime and Coastguard Agency (MCA) Marine Office or post it to:

    " + ] + }, + { + "title": "Maritime safety: weather and navigation", + "url": "https://www.gov.uk/maritime-safety-weather-and-navigation", + "contents": [ + "

    Maritime Safety Information broadcasts

    ", + "

    HM Coastguard regularly broadcasts Maritime Safety Information (MSI) by radio. MSI includes:

    ", + "
  • information on wind strength and direction
  • ", + "
  • warnings of restricted visibility
  • ", + "
  • updates on sea conditions
  • ", + "
  • navigational guidance and warnings
  • ", + "

    MSI broadcasts may be interrupted or delayed due to search and rescue operations.

    ", + "

    You must check MSI and other weather and tide information to avoid collisions and accidents at sea. You must also make sure that you understand any navigational guidance or warnings that are broadcast to your ship.

    ", + "

    How to receive MSI

    ", + "

    MSI is broadcast:

    ", + "
  • by NAVTEX (Navigational telex) out to 270 miles
  • ", + "
  • on VHF out to 30 miles
  • ", + "
  • on MF out to 150 miles
  • ", + "

    Read the Maritime and Coastguard Agency (MCA) guide to maritime safety information, which includes information on broadcast frequencies.

    ", + "

    Weather and tide information

    ", + "

    Weather information at sea

    ", + "

    Find information about conditions at sea from The Met Office provides useful information about conditions at sea, including:

    ", + "
  • a shipping forecast and gale warnings
  • ", + "
  • marine observations which give information on wave height, visibility and sea temperature
  • ", + "

    Longer-term weather outlooks

    ", + "

    You can get an extended outlook with information up to 5 days in advance on the 518 NAVTEX service.

    ", + "

    Information about tides

    ", + "

    The UK Hydrographic Office provide information on tides through the Admiralty Easy Tide Service.

    ", + "

    Navigational guidance and warnings

    ", + "

    You can get navigational information by radio from:

    ", + "
  • navigational warnings, broadcast on either NAVTEX or Inmarsat SafetyNET
  • ", + "
  • NAVAREA (I) warnings, broadcast through EGC SafetyNET
  • ", + "
  • UK coastal navigational warnings broadcast on VHF and MF on selected aerials at 4-hourly intervals
  • ", + "

    Read more about maritime safety broadcast times and medical advice calls.

    ", + "

    In-force navigational warnings are shown on the UK Hydrographic Office (UKHO) website.

    ", + "

    Reporting navigational hazards

    ", + "

    You may get warnings about:

    ", + "
  • damaged or broken lights, fog signals, buoys and navigational aids that affect main shipping lanes
  • ", + "
  • wrecks, reefs, rocks and shoals that might be a danger to main shipping lanes
  • ", + "
  • drifting hazards, such as derelict ships, mines, ice
  • ", + "
  • unexpected changes or closures of established routes
  • ", + "
  • cable or pipe laying, naval exercises or underwater operations that might be a danger for shipping lanes
  • ", + "
  • problems with radio navigation, radio or satellite maritime safety information services
  • ", + "
  • areas to avoid where search and rescue and anti-pollution activities are happening
  • ", + "

    Contact the United Kingdom Hydrographic Office (UKHO) Radio navigational warning helpline if you\u2019ve spotted any of these hazards or want to ask about them.

    ", + "

    You\u2019ll have to contribute toward the cost of broadcasting any necessary warnings if you\u2019re responsible for causing a navigational hazard.

    ", + "

    Navigating safely

    ", + "

    Safe navigation is particularly important in adverse weather and sea conditions.

    ", + "

    Read more about keeping a safe navigational watch on merchant ships.

    ", + "

    Navigation lights, shapes and sound signals

    ", + "

    Your ship must comply with the requirements for navigation lights and other equipment in the \u2018Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations\u2019.

    ", + "

    Restricted visibility

    ", + "

    Read information on navigating in restricted visibility.

    ", + "

    High-speed craft

    ", + "

    Read information on controlling high-speed craft in adverse sea conditions.

    ", + "

    Navigating in the Dover Strait

    ", + "

    The Dover Strait is one of the busiest shipping lanes in the world. The Dover Strait Traffic Separation Scheme (TSS) exists to help ships crossing the Dover Strait to navigate safely and avoid collisions.

    ", + "

    Read information about the TSS and guidance for ships in the Dover Strait.

    ", + "

    The Dover Strait and Channel Navigation Information Service (CNIS)

    ", + "

    The Dover CNIS provides a 24-hour radio and radar service for all shipping in the Dover Strait.

    ", + "

    Dover CNIS broadcasts information in the Dover TSS area every 60 minutes (30 minutes if visibility drops below 2 miles). You can find these on VHF radio channel 11.

    ", + "

    Dover CNIS broadcasts information on:

    ", + "
  • weather and sea conditions
  • ", + "
  • navigational hazards, like hampered vessels
  • ", + "
  • misplaced or defective navigational aids
  • ", + "
  • deep draught bulk carriers and tankers
  • ", + "
  • vessels under tow
  • ", + "
  • surveying vessels
  • ", + "
  • unorthodox crossings, such as cross-channel swims
  • ", + "

    Information is also broadcast about any ship that appears to be breaking the \nInternational Regulations for the Prevention of Collisions at Sea to warn other ships of a potential hazard.

    ", + "

    Ships using the TSS are automatically tracked by radar. This information can be used in a prosecution if any ship breaks the law.

    ", + "

    Voyage data recorders

    ", + "

    A voyage data recorder (VDR), often known as the ship\u2019s \u2018black box\u2019, collects and stores information over the course of a ship\u2019s journey, including:

    ", + "
  • the ship\u2019s position
  • ", + "
  • audio from the ship\u2019s bridge
  • ", + "
  • the ship\u2019s speed and heading
  • ", + "
  • depth under the keel
  • ", + "
  • VHF radio communications
  • ", + "

    All VDRs must be tested after installation and then inspected every year.

    ", + "

    Find out more about the requirements for voyage data recorders.

    ", + "

    The Global Maritime Distress and Safety System

    ", + "

    The Global Maritime Distress and Safety System (GMDSS) is a maritime communications system used for:

    ", + "
  • emergency and distress messages
  • ", + "
  • vessel-to-vessel routine communications
  • ", + "
  • vessel-to-shore routine communications
  • ", + "

    If you own commercial ships with over 300 gross tonnage, or certain smaller craft, fit them with GMDSS equipment.

    ", + "

    Most offshore yacht races also now insist that competing yachts are GMDSS-equipped.

    ", + "

    Read the Merchant Shipping (Radio Installations) Regulations for more information on who has to fit GMDSS.

    ", + "

    Digital Selective Calling (DSC) for pleasure craft

    ", + "

    It\u2019s voluntary for small leisure craft to have GMDSS, but HM Coastguard strongly recommends that pleasure craft install GMDSS with DSC.

    ", + "

    DSC is a tone-signalling system with the ability to include other information like:

    ", + "
  • a vessel\u2019s identification number
  • ", + "
  • the purpose of the call
  • ", + "
  • your position
  • ", + "
  • the channel you want to speak on
  • ", + "

    Register 406 MHz beacons

    ", + "

    A 406 megahertz (MHz) beacon can send a distress signal via satellites to alert search and rescue authorities to your location. There are 3 types:

    ", + "
  • Emergency Position Indicating Radio Beacons (EPIRBs) for ships and boats
  • ", + "
  • Emergency Locator Transmitters (ELTs) for aircraft
  • ", + "
  • Personal Locator Beacons (PLBs) for personal use
  • ", + "

    You must register your 406 MHz beacon with the coastguard and keep your registration up to date.

    ", + "

    If your beacon is activated and a distress signal received, the search and rescue authorities will contact you using the information on the register.

    ", + "

    You must provide an emergency contact who will be called if you\u2019re unreachable.

    ", + "

    Notify the coastguard of changes to your beacon or your vessel - this will help to locate you in an emergency.

    ", + "

    Register or update a registration

    ", + "

    You can register or update a registration online.

    ", + "

    Registration and updates are free.

    ", + "

    Contact the UK Beacon Registry for help with registering.

    ", + "

    Navigation equipment for small commercial vessels

    ", + "

    Small commercial ships should keep a listening watch on VHF channel 16 for any coastguard announcements.

    ", + "

    You should fit VHF DSC (Digital Selective Calling) if your ship needs a fixed VHF channel to receive these broadcasts.

    ", + "

    All new vessels and all those replacing VHF radios must have VHF DSC installed.

    ", + "

    Radio installation

    ", + "

    You must mount any radio aerials as high as you can to get the best possible reception. If your main aerial is fitted to a mast, you should also provide an emergency aerial.

    ", + "

    Contact the Maritime and Coastguard Agency (MCA) if you\u2019re not sure of the VHF coverage in the area where you\u2019ll be operating.

    ", + "

    You must make sure that you\u2019re able to charge the batteries that charge the ships\u2019 radio equipment and that they\u2019re protected from flooding.

    ", + "

    Your fixed radio installation should be marked with:

    ", + "
  • the ship\u2019s call sign
  • ", + "
  • codes for the use of the radio
  • ", + "
  • Maritime Mobile Service Identity (MMSI) number (where applicable)
  • ", + "

    You should also have a card giving information on radio distress, urgency and safety procedures in full view of the radio operating position.

    ", + "

    Navigation lights, shapes and sound signals

    ", + "

    Your ship must meet the requirements of the Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations.

    ", + "

    Small vessels may be exempt from certain requirements, for example if:

    ", + "
  • you only operate between sunrise and sunset or in favourable weather, in which case you do not have to carry navigation lights
  • ", + "
  • your vessel is less than 12 metres in length, in which case you do not have to carry sound signalling equipment
  • ", + "

    Read the rules in section 17 of MGN 280 on navigation lights, shapes and sound signals for small commercial vessels. Rules for other navigational equipment are detailed in section 18.

    " + ] + }, + { + "title": "Operational standards for small vessels", + "url": "https://www.gov.uk/operational-standards-for-small-vessels", + "contents": [ + "

    Overview

    ", + "

    Small commercial vessels must follow certain codes of practice.

    ", + "

    This applies to any vessel that:

    ", + "
  • is less than 24 metres long
  • ", + "
  • is less than 150 gross tonnes and was built before 21st July 1968
  • ", + "
  • carries cargo and no more than 12 passengers
  • ", + "
  • provides a service where neither cargo or passengers are carried
  • ", + "
  • is a pilot boat of any size, eg a vessel that take pilots to and from larger ships
  • ", + "
  • isn\u2019t considered a \u2018pleasure vessel\u2019
  • ", + "

    Pleasure vessels

    ", + "

    These are craft used solely for either:

    ", + "
  • sport or recreation by their owners, family, friends or employees
  • ", + "
  • non-profit journeys
  • ", + "

    Pleasure vessels are exempt from the small commercial vessel codes of practice.

    ", + "

    Safety codes of practice

    ", + "

    There are 4 codes of practice for small commercial vessels.

    ", + "

    The Maritime and Coastguard Agency (MCA) has produced a guidance note for small commercial vessels that covers these codes of practice.

    ", + "

    Certification

    ", + "

    Any small commercial vessels not used as \u2018pleasure vessels\u2019 must have the right small commercial vessel certificate.

    ", + "

    To get the right certificate, you must arrange a survey of your boat by a Maritime and Coastguard Agency (MCA) approved authority.

    ", + "

    If your boat passes this, it\u2019ll be issued with either a:

    ", + "
  • small commercial vessel certificate
  • ", + "
  • workboat certificate
  • ", + "
  • pilot boat certificate
  • ", + "

    This must be kept on board your boat and is valid for 5 years.

    ", + "

    Boats being surveyed for the first time must also meet stability requirements outlined in section 11 of Marine Guidance Note 280.

    ", + "

    If you\u2019re in charge of a business boat

    ", + "

    You must have the correct certificate to be in charge of a small business boat.

    ", + "

    Check the appropriate code of practice for your boat to see which certificate you need.

    ", + "

    Operating overseas

    ", + "

    There\u2019s no international code of practice for the safety of small commercial vessels outside the UK.

    ", + "

    Many countries accept commercial vessels with UK certificates, but you may need to follow local safety laws as well.

    " + ] + }, + { + "title": "Seafarer working and living rights", + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "contents": [ + "

    Overview

    ", + "

    All seafarers have working and living rights that include:

    ", + "
  • employment contracts
  • ", + "
  • accommodation
  • ", + "
  • food and medical care
  • ", + "

    A seafarer is anyone who works on board a seagoing ship, including:

    ", + "
  • master and crew
  • ", + "
  • self-employed contractors
  • ", + "
  • shopkeepers and hairdressers
  • ", + "
  • entertainers
  • ", + "

    A seagoing ship is any vessel:

    ", + "
  • on an international voyage or from a foreign port
  • ", + "
  • on a domestic journey from the UK coast
  • ", + "
  • more than 500 gross tonnes
  • ", + "

    The Maritime Labour Convention (MLC) 2006 came into force on 7 August 2014. It replaced all existing laws on seafarers\u2019 rights.

    ", + "

    Working conditions

    ", + "

    There are minimum requirements seafarers must meet to work at sea.

    ", + "

    Minimum age

    ", + "

    The minimum age for seafarers is 16, although this is 18 if the work involves any:

    ", + "
  • night work
  • ", + "
  • hazardous tasks
  • ", + "

    Hazardous tasks

    ", + "

    Manual tasks on a ship can be hazardous if not done properly, like:

    ", + "
  • lifting
  • ", + "
  • hauling
  • ", + "
  • mooring
  • ", + "
  • towing
  • ", + "

    Employers of seafarers must ensure their staff:

    ", + "
  • know how to operate any equipment correctly
  • ", + "
  • are aware of safety procedures
  • ", + "
  • have access to protective personal equipment if needed
  • ", + "

    Medical certification for seafarers

    ", + "

    Anyone in charge of a ship must have an ENG1 seafarer medical certificate.

    ", + "

    Certificates of competency

    ", + "

    Some seafarers will need a certificate of competency before they can carry out certain duties.

    ", + "

    Conditions of employment

    ", + "

    Seafarers\u2019 employment contracts are covered by the Maritime Labour Convention (MLC) 2006.

    ", + "

    Working time regulations

    ", + "

    All seafarers on seagoing ships are entitled to:

    ", + "
  • a minimum of 10 hours\u2019 rest in any 24 hour period
  • ", + "
  • 77 hours rest in any 7 day period
  • ", + "
  • at least 4 weeks\u2019 paid annual leave
  • ", + "

    Read the Merchant Shipping Regulations 2002 for more information.

    ", + "

    The 'human element'

    ", + "

    The term \u2018human element\u2019 covers anything to do with the interaction between a human and any system aboard ship, and is of high importance in maritime safety and security.

    ", + "

    Factors which affect the human element include:

    ", + "
  • recruitment and selection policies and methods
  • ", + "
  • crew competence, training and experience
  • ", + "
  • conditions of service, motivation and morale
  • ", + "
  • design, construction and ergonomics
  • ", + "
  • standards of build and certification
  • ", + "
  • maintenance
  • ", + "
  • stress and fatigue
  • ", + "
  • security
  • ", + "
  • living and working conditions
  • ", + "
  • manning levels and hours of work
  • ", + "
  • management policies
  • ", + "
  • safety management systems
  • ", + "
  • operational systems
  • ", + "
  • organisational and safety culture
  • ", + "
  • culture of continuous improvement and workforce engagement
  • ", + "

    For more information read \u2018The human element: a guide to human behaviour in the shipping industry\u2019.

    ", + "

    Safe working practices

    ", + "

    All UK ships must carry copies of the \u2018Code of Safe Working Practices for Merchant Seamen\u2019, unless it\u2019s a fishing boat or pleasure vessel.

    ", + "

    Safe manning of ships

    ", + "

    Employers must ensure their ships have enough properly trained and certificated officers so that it can operate safely at all times.

    ", + "

    There must also be sufficient food on board for the number of seafarers serving.

    ", + "

    Read more in \u2018Merchant Shipping Notice 1868 (M) UK requirements for safe manning and watchkeeping\u2019.

    ", + "

    Noise and vibration

    ", + "

    A seafarer\u2019s employer must carry out risk assessments to identify who\u2019s at risk from noise or vibration in their work and what can be done to reduce or remove these risks.

    ", + "

    Protective personal equipment (PPE)

    ", + "

    A seafarer\u2019s employer must give them suitable protective equipment if they\u2019re performing dangerous tasks.

    ", + "

    You can find further information in the code of safe working practices for merchant seafarers.

    ", + "

    Living conditions

    ", + "

    Seafarers\u2019 living conditions are covered by Maritime Labour Convention (MLC) rules on crew accommodation.

    ", + "

    Food and catering

    ", + "

    Seafarers\u2019 food and catering conditions are covered by MSN 1845 under MLC rules.

    ", + "

    Health and safety

    ", + "

    Employers of seafarers must follow health and safety rules and provide:

    ", + "
  • safe working places and environment
  • ", + "
  • safe machinery and equipment
  • ", + "
  • health and safety training, instruction, supervision and information
  • ", + "
  • a health and safety policy
  • ", + "
  • protective clothing and equipment where necessary
  • ", + "
  • information for workers about the findings of their risk assessment
  • ", + "
  • information on what qualifications any temporary workers must have
  • ", + "
  • information about their activities and staff to the company
  • ", + "

    Risk assessments

    ", + "

    Any vessel seafarers work onboard must have had a risk assessment carried out by their employer or the ship owner.

    ", + "

    New or expectant mothers

    ", + "

    Where women of childbearing age are employed as seafarers, a risk assessment must take place of any potential hazard likely to affect a new or expectant mother.

    ", + "

    It does not matter if they are pregnant at the time of the assessment or not.

    ", + "

    If a risk is found that cannot be removed, a new or expectant mother working as a seafarer can be suspended on full pay providing they have either:

    ", + "
  • told their employer they\u2019re pregnant
  • ", + "
  • given birth in the last 6 months
  • ", + "
  • are breastfeeding
  • ", + "

    For more information on health and safety rules for new and expectant mothers, contact the Seafarer Safety and Health Branch of the Maritime and Coastguard Authority (MCA).

    ", + "

    Additional dangers

    ", + "

    Seafarers may face additional dangers when living onboard ships.

    ", + "

    Petrol generators

    ", + "

    Ships that use petrol generators must have a risk assessment carried out to make sure they provide:

    ", + "
  • sufficient power for accommodation and lighting
  • ", + "
  • adequate ventilation
  • ", + "
  • adequate alarms - for example, carbon monoxide alarms
  • ", + "

    Fumigating cargo spaces

    ", + "

    If pesticides are on board a ship, employers must make sure:

    ", + "
  • adequate breathing aids are provided for seafarers checking fumigated cargo bulks
  • ", + "
  • the ship\u2019s destination port is told 24 hours in advance of receiving this cargo
  • ", + "
  • properly trained personnel check the relevant cargo bulks at port
  • ", + "

    Illegal drugs

    ", + "

    The unauthorised presence of drugs on board a ship can have serious legal implications for seafarers and employers, potentially resulting in:

    ", + "
  • heavy fines
  • ", + "
  • detention of a ship
  • ", + "
  • imprisonment
  • ", + "
  • the death penalty
  • ", + "

    Potentially dangerous cargo

    ", + "

    If seafarers deal with certain toxic cargo or equipment on board ships, their employer must follow a number of specific requirements.

    ", + "

    You can find further information on specialist ships in section 4 of the Code of Safe Working Practices for Merchant Seamen.

    ", + "

    Health and medical care

    ", + "

    Employers must protect their seafarers\u2019 health by:

    ", + "
  • providing immunisations for certain infectious diseases
  • ", + "
  • making sure hygiene measures are effective and minimise the risks of infection
  • ", + "
  • making arrangements for infection control
  • ", + "
  • having the right medical supplies
  • ", + "
  • knowing the routes and destinations of their ships
  • ", + "

    Until the UK made the Maritime Labour Convention (MLA) law, seafarers\u2019 health and safety regulations were covered by the Merchant Shipping Act 1995

    ", + "

    Maritime Labour Convention

    ", + "

    The Maritime Labour Convention (MLC) came into force for the UK on 7 August 2014. It sets out the minimum working and living rights for seafarers.

    ", + "

    Exemptions

    ", + "

    The MLC does not cover seafarers serving on the following boats:

    ", + "
  • ships navigating inland or sheltered waters subject to port regulations
  • ", + "
  • fishing vessels
  • ", + "
  • warships and naval auxiliaries
  • ", + "
  • traditional ships, such as dhows
  • ", + "

    Minimum requirements

    ", + "

    The MLC sets out minimum standards for seafarers to work on a ship, including:

    ", + "
  • minimum age
  • ", + "
  • medical certification
  • ", + "
  • training and qualifications
  • ", + "

    Age

    ", + "

    The minimum age for seafarers will be 16. Night workers have to be 18 or over.

    ", + "

    Exceptions can be allowed for:

    ", + "
  • training purposes
  • ", + "
  • where the seafarer\u2019s duties require it, as long as their health and safety is not affected
  • ", + "

    Medical certification

    ", + "

    All seafarers must have the right medical certificate to work at sea before they can work on ships.

    ", + "

    Training and qualifications

    ", + "

    Under the MLC, seafarers will need to:

    ", + "
  • be trained and qualified to perform onboard duties
  • ", + "
  • receive personal safety training
  • ", + "
  • for training to conform to International Maritime Organisation standards
  • ", + "

    Find out more about seafarer training and qualifications.

    ", + "

    Conditions of employment

    ", + "

    Under the MLC, seafarers have minimum working rights covering:

    ", + "
  • employment agreements
  • ", + "
  • wages
  • ", + "
  • hours of rest
  • ", + "
  • entitlement to leave
  • ", + "
  • repatriation
  • ", + "
  • compensation for a ship\u2019s loss or foundering
  • ", + "
  • manning levels
  • ", + "
  • career and skills development
  • ", + "
  • employment opportunities
  • ", + "

    Employment contracts

    ", + "

    The convention makes sure contracts between seafarers and shipowner provide fair living and working conditions.

    ", + "

    Contracts should be in English and include:

    ", + "
  • shipowner\u2019s name and address
  • ", + "
  • seafarer\u2019s name, date and place of birth
  • ", + "
  • place and date where agreement signed
  • ", + "
  • conditions for the termination of agreement
  • ", + "
  • health and social security protection benefits provided by shipowner
  • ", + "
  • seafarer\u2019s right to repatriation
  • ", + "

    Seafarers must also be:

    ", + "
  • allowed to read and consider contracts before signing them
  • ", + "
  • given a record of their employment
  • ", + "
  • given their own copy of their contract (the shipowner should also have a copy)
  • ", + "

    Wages

    ", + "

    Under the MLC, seafarers\u2019 wages must be:

    ", + "
  • paid regularly - for example, monthly
  • ", + "
  • include monthly statements of accounts
  • ", + "
  • allow seafarers to transfer part or all of their wages
  • ", + "
  • keep currency conversion charges to reasonable limits
  • ", + "

    Hours of rest

    ", + "

    Hours of rest must be at least:

    ", + "
  • 10 hours in any 24 hour period
  • ", + "
  • 77 hours in any 7 day period
  • ", + "

    Crew exercises, such as lifeboat drills, must cause minimal disruption to rest periods. Seafarers called out in a rest period are entitled to a rest period to make up for it.

    ", + "

    You can read Merchant Shipping Notice (MSN) 1848 (M) Amendment 3 MLC survey and certification of UK ships.

    ", + "

    Holiday pay

    ", + "

    Under the MLC, seafarers are entitled to paid leave calculated at 2.5 days per calendar month of employment.

    ", + "

    Read more about holiday pay for seafarers in the Merchant Shipping Regulations 2002.

    ", + "

    Repatriation

    ", + "

    This gives seafarers the right to be returned to their home country:

    ", + "
  • when their employment contract ends or is cancelled
  • ", + "
  • when they\u2019re no longer able to carry out their duties
  • ", + "
  • in the event of shipwreck
  • ", + "
  • if their ship is bound for a war zone they have not agreed to go to
  • ", + "

    Shipowners cannot request advance payment for repatriation from seafarers. If a shipowner does not make repatriation arrangements, seafarers on UK ships can be repatriated by the MCA.

    ", + "

    Accommodation and recreational facilities

    ", + "

    The Maritime and Labour Convention (MLC) ensures seafarers have access to decent accommodation and recreational facilities when living on ships.

    ", + "

    Medical care

    ", + "

    These cover seafarers\u2019 rights to:

    ", + "
  • decent on board health protection facilities, including essential dental care
  • ", + "
  • the right to visit qualified medical personnel while in port
  • ", + "
  • access to a qualified medical doctor on ships carrying more than 100 people on international voyages lasting more than 3 days
  • ", + "
  • where there is no doctor on board, there must be designated and able seafarer(s) to provide first aid and medical care
  • ", + "

    Shipowner\u2019s liabilities

    ", + "

    Under the MLC, if a seafarer suffers accident or disability because of their work the shipowner must provide where necessary:

    ", + "
  • assistance and medical care
  • ", + "
  • repatriation
  • ", + "
  • burial or cremation, if they die
  • ", + "

    The shipowner must have financial cover in case they are liable for compensation for long-term disability or illness.

    ", + "

    A shipowner is not liable when an injury is not related to a seafarer\u2019s duties, when it\u2019s caused by wilful misconduct or when a seafarer intentionally hides an illness or disability.

    ", + "

    Health and safety protection

    ", + "

    Under the MLC, seafarers\u2019 work environments on ships must:

    ", + "
  • have regular risk assessments of workplace hazards - for example, from machinery
  • ", + "
  • take steps to prevent work accidents
  • ", + "
  • have a system for reporting accidents and occupational diseases
  • ", + "

    Enforcement

    ", + "

    Under the MLC, the MCA can withdraw a ship\u2019s maritime labour certificate if seafarer living and working conditions are breached.

    ", + "

    Complaints

    ", + "

    Seafarers can complain if the MLC has not been followed. On board a ship seafarers can complain to a manager. On shore seafarers can complain to an MCA surveyor.

    ", + "

    Read MSN 1849 On-board complaints procedure and Marine Guidance Note (MGN) 487 Onshore complaints procedure.

    " + ] + }, + { + "title": "How to claim tax credits", + "url": "https://www.gov.uk/claim-tax-credits", + "contents": [ + "

    How to claim

    ", + "

    Tax credits have been replaced by Universal Credit.

    ", + "

    You can only make a claim for Child Tax Credit or Working Tax Credit if you already get tax credits. You\u2019ll need to update your existing tax credit claim by\u00a0reporting a change in your circumstances online or by phone.

    ", + "

    If you cannot apply for tax credits, you can apply for Universal Credit instead.

    ", + "

    You might be able to apply for Pension Credit if you and your partner are State Pension age or over.

    ", + "

    When to claim

    ", + "

    Apply as soon as you know you\u2019re eligible so you get all the money you\u2019re entitled to.

    ", + "

    You can claim tax credits at any time of year.

    ", + "

    If you know your income will go down

    ", + "

    Apply straight away if you know your income will drop to a level that means you\u2019ll be eligible for tax credits.

    ", + "

    For example, you could make a claim now if you found out your income is going to drop in 6 months\u2019 time.

    ", + "

    The income levels for Working Tax Credit and Child Tax Credit are different.

    ", + "

    Usually, tax credits are backdated by up to 31 days from the start of your claim.

    ", + "

    Joint claims

    ", + "

    You can apply for tax credits as a single person, or as a couple (known as a \u2018joint claim\u2019) if you\u2019re both 16 or over and living in the UK.

    ", + "

    Usually, you must make a joint claim if:

    ", + "
  • you\u2019re married or in a civil partnership (and not permanently or legally separated)
  • ", + "
  • you live with your partner as though you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re temporarily living away from one another, for example looking after a relative or working away from home
  • ", + "
  • your partner is working abroad for the government
  • ", + "

    You might also need to make a joint claim if you and your partner are not married or in a civil partnership, but:

    ", + "
  • sometimes live in the same house
  • ", + "
  • have a joint financial agreement
  • ", + "
  • have dependent children
  • ", + "

    Exceptions

    ", + "

    You do not always make a joint claim because you have a partner. For example, make a single claim if:

    ", + "
  • you live in the UK but your partner lives abroad (unless your partner works for the government)
  • ", + "
  • you both live abroad, you\u2019re from the EEA or Switzerland and you work in the UK but your partner does not
  • ", + "

    If you\u2019re not sure

    ", + "

    Call HM Revenue and Customs to find out if you should make a joint claim.

    ", + "

    You must pay back any tax credits you\u2019re not entitled to if you do not make the right sort of application.

    ", + "

    Backdate a claim

    ", + "

    When you make a claim, your tax credits are usually backdated automatically by up to 31 days. You do not have to do anything.

    ", + "

    If you\u2019re claiming other benefits

    ", + "

    You have to ask for your tax credits to be backdated if you get:

    ", + "
  • Income Support
  • ", + "
  • Jobseeker\u2019s Allowance (income-based)
  • ", + "
  • Employment and Support Allowance (income-related)
  • ", + "
  • Pension Credit
  • ", + "

    You might not get the full backdated claim if you stopped getting one of these benefits in the last 31 days and you\u2019re claiming both Child Tax Credit and Working Tax Credit.

    ", + "

    Backdating by more than 31 days

    ", + "

    Tax credit claims can sometimes be backdated by more than 31 days if you:

    ", + "
  • apply within a month of getting refugee status
  • ", + "
  • apply within 31 days of qualifying for certain sickness or disability benefits, such as Disability Living Allowance or Personal Independence Payment
  • ", + "

    Do not apply to backdate these claims until you\u2019ve been given a decision on your refugee status or disability benefits.

    ", + "

    You should still apply for other tax credits if you already qualify for them, for example if you have children.

    ", + "

    How to backdate a claim

    ", + "

    If you\u2019re claiming over the phone, call HM Revenue and Customs to ask them to backdate your claim.

    ", + "

    If you\u2019re using claim form, include a page confirming:

    ", + "
  • your name, address and National Insurance number
  • ", + "
  • the date you started work
  • ", + "
  • the date you started getting one of the benefits listed, if you\u2019re not in work
  • ", + "
  • the date you got a decision on your refugee status or disability benefits - if you\u2019re applying to backdate by more than 31 days
  • ", + "

    What counts as income

    ", + "

    Usually, what you\u2019re entitled to is based on your income for the last tax year (6 April 2020 to 5 April 2021).

    ", + "

    Income includes:

    ", + "
  • money from employment before tax and National Insurance, including if you cannot work but you\u2019re still getting paid (\u2018on furlough\u2019) - check your P60s, P45s or payslips
  • ", + "
  • earnings if you\u2019re self-employed before tax and National Insurance, including grants from the Self-Employment Income Support Scheme - check your Self Assessment tax return
  • ", + "
  • money from some coronavirus (COVID-19) payments
  • ", + "
  • benefits from your employer (check your P11D)
  • ", + "
  • certain state benefits
  • ", + "
  • money from a pension - including your State Pension
  • ", + "
  • interest on savings
  • ", + "
  • your partner\u2019s income - if you make a joint claim
  • ", + "
  • UK company dividends
  • ", + "
  • profit from a property you own or rent out in the UK
  • ", + "
  • earnings from the Rent a Room Scheme above \u00a37,500 (or \u00a33,750 if you\u2019re a joint owner)
  • ", + "
  • payment above \u00a330,000 because your job ended
  • ", + "

    HM Revenue and Customs (HMRC) has detailed guidance if you need help working out your income.

    ", + "

    Benefits

    ", + "

    Income includes money from UK state benefits (or their foreign equivalents) except income-based Jobseeker\u2019s Allowance (JSA) or \u2018tax-free\u2019 benefits. Tax-free benefits include:

    ", + "
  • Child Benefit
  • ", + "
  • Housing Benefit
  • ", + "
  • Attendance Allowance
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Personal Independence Payment
  • ", + "
  • the foreign equivalents of UK tax-free benefits
  • ", + "

    To support your claim, keep records of your income, bills, payslips, benefits, tax credits, childcare and child\u2019s education for the current tax year and at least 2 years before that.

    ", + "

    Work out your hours

    ", + "

    Put the number of hours you work in a normal week on your claim form.

    ", + "

    Add all your hours together if you have more than one job.

    ", + "

    If you\u2019ve just started work put the hours you expect to work.

    ", + "Type of work | How to work out your hours", + "Employed | Include overtime, but not unpaid breaks", + "Self-employed | Include all the time you spend on your business (once you\u2019ve set it up)", + "Seasonal | Put the hours you\u2019re working at the moment", + "Regular term-time | Put the hours you work during term time", + "Agency | Decide your normal hours with your employer", + "On-call | Only count the hours you\u2019re called to work", + "On standby | Do not count the time when you\u2019re not paid" + ] + }, + { + "title": "Tax credits if you leave or move to the UK", + "url": "https://www.gov.uk/tax-credits-if-moving-country-or-travelling", + "contents": [ + "

    Your family lives abroad

    ", + "

    If your partner is outside the UK and you do not have children, check the Working Tax Credit guidance for information on whether you can continue to claim.

    ", + "

    You have a child who lives abroad

    ", + "

    If you already get Working Tax Credit and want to add Child Tax Credit to your claim, check if you\u2019re eligible.

    ", + "

    If you already get Child Tax Credit, you may be able to make a claim for an additional child if:

    ", + "
  • you are working in the UK
  • ", + "
  • the child is living in the EEA or Switzerland
  • ", + "
  • you are supporting the child
  • ", + "

    You must also be one of the following:

    ", + "
  • an EEA or Swiss citizen who has settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • an EEA or Swiss citizen who had a right to reside in the UK on 31 December 2020
  • ", + "
  • a family member of an EEA or Swiss citizen (who has settled or pre-settled status under the EU Settlement Scheme or had a right to reside in the UK on 31 December 2020) and you are residing in the UK
  • ", + "
  • a person with dual nationality, one of which is nationality of an EEA country or Switzerland
  • ", + "
  • covered by any of the other conditions in the Withdrawal Agreement with the EEA and Switzerland
  • ", + "

    You usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.

    ", + "

    You must let HMRC know within a month if your partner or child join you in the UK. This is because your tax credits payments may change.

    ", + "

    Your partner gets benefits in an EEA country or Switzerland

    ", + "

    If you\u2019ve got children and your partner gets benefits paid by an EEA country or Switzerland, this may affect your tax credits. You must tell HMRC if you or your partner are paid benefits by an EEA country or Switzerland.

    ", + "

    Some benefits are counted as income, for example benefits paid because of unemployment.

    ", + "

    Going abroad

    ", + "

    Your tax credits will stop if you expect to be away for one year or more.

    ", + "

    You may still qualify for tax credits if you go abroad for a short period, for example on holiday or for medical treatment.

    ", + "Reason for leaving | How long you can get tax credits for", + "Medical treatment for yourself, your partner or your child | Up to 12 weeks", + "Death of your partner, a child or close relative of either you or your partner | Up to 12 weeks", + "Any other reason, for example holidays or business | Up to 8 weeks", + "

    If your trip is going to last longer than 8 or 12 weeks, contact HM Revenue and Customs (HMRC) within a month. Your tax credits will end unless:

    ", + "
  • you get UK benefits or State Pension and you live in another European country with a child
  • ", + "
  • you work and pay National Insurance contributions in the UK, but your family lives in another European country
  • ", + "

    You live outside the UK

    ", + "

    You may continue to get tax credits if you\u2019re a Crown servant posted overseas or you live abroad with your child and get UK benefits or the State Pension.

    ", + "

    You\u2019re a Crown servant posted overseas

    ", + "

    You may continue to get tax credits, just as if you were living in the UK. HM Revenue and Customs (HMRC) will treat you as being in the UK if any of the following applies:

    ", + "
  • you are, or were just before you were posted abroad, \u2018ordinarily resident\u2019 in the UK
  • ", + "
  • you\u2019ve had a series of postings abroad, with no breaks in between - and you are or were \u2018ordinarily resident\u2019 in the UK immediately before the first of those postings
  • ", + "
  • you were in the UK just before you were posted abroad and the reason you were in the UK was connected to your posting - this can apply to a single posting or to a series of postings
  • ", + "

    Ordinarily resident

    ", + "

    Ordinarily resident means you normally live in the UK, and plan to stay here for the time being. When HMRC decides if you\u2019re ordinarily resident in the UK they\u2019ll look at things like:

    ", + "
  • where your settled home is
  • ", + "
  • where your close family live
  • ", + "
  • why you came to the UK
  • ", + "
  • if you plan to leave the UK permanently in the next 2 or 3 years
  • ", + "

    Your partner\u2019s a Crown servant posted overseas

    ", + "

    You may continue to get tax credits if your partner\u2019s a Crown servant posted outside the UK and you:

    ", + "
  • live with your partner while they work abroad
  • ", + "
  • live in the UK while your partner works abroad
  • ", + "

    You do not need to be ordinarily resident in the UK during the time you\u2019re with your Crown servant partner overseas.

    ", + "

    You have a child - and get UK benefits or State Pension

    ", + "

    If none of the sections above apply to you, you may continue to get Child Tax Credit (or add it to an existing Working Tax Credit claim) if you and your child live in a European Union (EU) member state and you get State Pension or one of the following benefits:

    ", + "
  • Incapacity Benefit
  • ", + "
  • State Pension
  • ", + "
  • Widow\u2019s Benefit
  • ", + "
  • Bereavement Benefit
  • ", + "
  • Industrial Injuries Disablement Benefit
  • ", + "
  • contribution-based Employment and Support Allowance
  • ", + "
  • Severe Disablement Allowance
  • ", + "

    You will not be able to get Child Tax Credit if you do not live in an EU member state, unless you (or your partner) are a Crown servant posted abroad.

    ", + "

    Moving to the UK

    ", + "

    You must have been living in the UK for 3 months before you were eligible to claim Child Tax Credit if you moved to the UK on or after 1 July 2014 and do not have a job. This does not apply if you:

    ", + "
  • are a family member of someone who works or is self-employed
  • ", + "
  • are a refugee
  • ", + "
  • have been granted discretionary leave to enter or stay in the UK and you can get benefits
  • ", + "
  • have been given leave to stay as a displaced person and you can get benefits
  • ", + "
  • have been given to leave to stay and have applied for settlement as a victim of domestic violence
  • ", + "
  • have been granted humanitarian protection
  • ", + "
  • were made redundant in the UK (or your family member was) and you\u2019re looking for a job or in training
  • ", + "
  • were working in the UK before but temporarily cannot work because of your health or an accident
  • ", + "
  • have been abroad for less than a year but usually live in the UK and were claiming Child Tax Credits before moving
  • ", + "
  • have been abroad for less than a year but usually live in the UK and were in the UK for at least 3 months before moving
  • ", + "
  • paid Class 1 or Class 2 National Insurance contributions while you were working abroad, and paid these in the 3 month period before returning to the UK
  • ", + "

    Cross-border workers

    ", + "

    You may continue to get tax credits if you regularly travel from:

    ", + "
  • another country to work in the UK
  • ", + "
  • the UK to work in another country
  • ", + "

    Working Tax Credit

    ", + "

    You may continue to get Working Tax Credit if you live in:

    ", + "
  • an EEA country (including Switzerland) and work in the UK
  • ", + "
  • the UK and work in an EEA country (including Switzerland)
  • ", + "

    Child Tax Credit

    ", + "

    You and your partner - if you have one - may continue to get Child Tax Credit for your children if:

    ", + "
  • you work in the UK
  • ", + "
  • you pay National Insurance as a worker here
  • ", + "
  • your child lives in an EEA country or in Switzerland
  • ", + "
  • your child is living with your partner or someone else and they depend on you to support them
  • ", + "

    You usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.

    ", + "

    Childcare costs

    ", + "

    You can usually claim help for your childcare costs through the childcare element of Working Tax Credit.

    ", + "

    To qualify your children must either:

    ", + "
  • be in registered or approved childcare in the UK
  • ", + "
  • be in childcare approved by a Ministry of Defence accreditation scheme abroad - if you\u2019re a Crown servant posted abroad
  • ", + "

    Immigration control

    ", + "

    You usually cannot get tax credits if you\u2019re \u2018subject to immigration control\u2019, although there are some exceptions. You\u2019ll still need to meet the other qualifying rules, for example work the right number of hours.

    ", + "

    When you arrived in the UK your passport may have been stamped. The stamp shows the conditions of your stay in the UK, for example \u2018no recourse to public funds\u2019. Public funds include tax credits and most benefits.

    ", + "

    Exceptions

    ", + "

    You may continue to get tax credits if:

    ", + "
  • your partner lives in the UK and is not subject to immigration control
  • ", + "
  • one of the examples below applies to you or your partner
  • ", + "

    You have permission to stay in the UK because someone else supports you

    ", + "

    You may continue to get tax credits if someone else is responsible for your maintenance while you\u2019re in the UK. This means they pay for your upkeep and provide you with somewhere to live. This person is often called your \u2018sponsor\u2019, and could be a friend, employer or relative.

    ", + "

    All of the following must apply:

    ", + "
  • your sponsor has given the Home Office a written statement saying that they\u2019re sponsoring you
  • ", + "
  • your sponsor has permission to stay in the UK
  • ", + "
  • you\u2019ve been living permanently in the UK for at least 5 years, either since you came into the UK or since you started being sponsored (whichever date is later)
  • ", + "

    You may also continue to get tax credits if you\u2019ve been living in the UK for fewer than 5 years, but:

    ", + "
  • your sponsor has died
  • ", + "
  • all your sponsors - if you had more than one - have died
  • ", + "

    You\u2019re from Albania, Morocco, San Marino or Tunisia

    ", + "

    You cannot get Working Tax Credit.

    ", + "

    You may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:

    ", + "
  • retired
  • ", + "
  • pregnant or looking after children
  • ", + "
  • sick or disabled or your partner has died
  • ", + "

    You\u2019re from Turkey

    ", + "

    To continue to get Working Tax Credit you need to be lawfully present in the UK and a Turkish national.

    ", + "

    You may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:

    ", + "
  • retired
  • ", + "
  • pregnant or looking after children
  • ", + "
  • sick or disabled or your partner has died
  • ", + "

    You\u2019re from North Macedonia

    ", + "

    You may continue to get Working Tax Credit if you\u2019re a national of North Macedonia. You\u2019ll need to be lawfully present in the UK.

    ", + "

    You cannot normally get Child Tax Credit. However, you may continue to if you\u2019ve been getting payments for your children through Income Support or income-based Jobseeker\u2019s Allowance.

    ", + "

    You claimed asylum before 5 February 2006

    ", + "

    You may continue to get Child Tax Credit if you received financial support for your children through Income Support or income-based Jobseeker\u2019s Allowance.

    " + ] + }, + { + "title": "Complain about a school", + "url": "https://www.gov.uk/complain-about-school", + "contents": [ + "

    Types of complaints

    ", + "

    There are different ways to complain in England depending on whether your child:

    ", + "
  • attends a state school
  • ", + "
  • attends a private school
  • ", + "
  • has special educational needs (SEN)
  • ", + "

    Schools may not consider complaints about behaviour that happens outside the school\u2019s hours or premises \u2013 check the school\u2019s behaviour policy.

    ", + "

    There are different ways to complain about schools in:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    Other types of complaint

    ", + "

    For some types of complaint you need to contact a different agency.

    ", + "Complaint | Who to contact", + "Child protection | Local council", + "Criminal behaviour | Police", + "Data protection | Information Commissioner\u2019s Office", + "Discrimination | Equality Advisory and Support Service", + "Employment | An employment tribunal", + "Exam malpractice or maladministration (SATs) | Standards and testing agency", + "Exam malpractice or maladministration (secondary school) | Ofqual and the awarding body", + "

    Legal advice

    ", + "

    You can get free legal advice about schooling and education from Child Law Advice.

    ", + "

    State schools

    ", + "

    State schools include:

    ", + "
  • maintained schools
  • ", + "
  • academies and free schools
  • ", + "

    Contact your local council or call your local police on 101 if you think a child is at risk. Call 999 if a child is in immediate danger.

    ", + "

    How to complain

    ", + "

    Contact the school to discuss the problem first - most problems can be solved this way.

    ", + "

    Follow all the steps in the school\u2019s complaints procedure to make a formal complaint. Every school in England must have one. It\u2019s often on the school\u2019s website and should tell you the kind of complaints the school deals with.

    ", + "

    You may not be able to complain to academies or free schools if you do not have a child at the school.

    ", + "

    You can complain to the Department for Education (DfE) directly if:

    ", + "
  • a child is at risk
  • ", + "
  • a child is missing school
  • ", + "
  • the school is stopping you from following its complaints procedure
  • ", + "

    If you think your complaint was not dealt with correctly

    ", + "

    You can ask DfE to consider your complaint if you\u2019ve followed all the steps in the school\u2019s complaints procedure.

    ", + "

    Tell Ofsted about a problem

    ", + "

    Ofsted cannot respond to or resolve individual complaints but you can still tell Ofsted about a problem with a school. They can use the information you provide to decide when to inspect and what areas to focus the inspection on.

    ", + "

    Private schools

    ", + "

    Contact your local council or call your local police on 101 if you think a child is at risk.

    ", + "

    Call 999 if a child is in immediate danger.

    ", + "

    Make a complaint

    ", + "

    Follow the school\u2019s complaints procedure - every school in England must have one. It should be published on the school\u2019s website.

    ", + "

    It should tell you what kind of complaints the school will deal with, such as bullying or bad behaviour.

    ", + "

    You cannot complain directly to a private school if you do not have a child at the school.

    ", + "

    Further complaints

    ", + "

    The Department for Education (DfE) cannot investigate individual complaints about private schools. But it has certain powers as a regulator if the school is not meeting standards set by DfE for:

    ", + "
  • education
  • ", + "
  • pupil welfare and health and safety
  • ", + "
  • school premises
  • ", + "
  • staff suitability
  • ", + "
  • making information available to parents
  • ", + "
  • spiritual, moral, social or cultural development of students
  • ", + "

    DfE will consider any reports of a major failure to meet the standards. It can arrange an emergency inspection to look at pupil welfare and health and safety, and make sure serious failings are dealt with.

    ", + "

    DfE can ask the school inspectorates to take minor complaints into account when the school is next inspected.

    ", + "

    You can complain to the DfE by filling in the school complaints form.

    ", + "

    Special educational needs (SEN)

    ", + "

    If you want to complain about a school\u2019s SEN support, you should do it while your child is still registered at the school.

    ", + "

    This includes complaints that the school has not provided the support required by your child\u2019s SEN statement or education, health and care (EHC) plan.

    ", + "

    Make a complaint

    ", + "

    Follow these steps in order. Move on to the next step if your complaint is not resolved.

    ", + "
  • Talk to the school\u2019s special educational needs co-ordinator (SENCO).
  • ", + "
  • Follow the school\u2019s complaints procedure.
  • ", + "
  • Complain to your local authority.
  • ", + "

    Complain to the Education and Skills Funding Agency (ESFA) instead of the local authority if both the following apply:

    ", + "
  • the school is an academy or free school
  • ", + "
  • your complaint is not about an SEN statement or an EHC plan
  • ", + "

    There\u2019s a different process if you disagree with a decision your local authority has made about an SEN statement or an EHC plan.

    ", + "

    Disability discrimination

    ", + "

    Follow the school\u2019s complaints process if you believe a school has discriminated against someone because of their disability.

    ", + "

    If this does not solve the problem, or you do not want to complain to the school first, you may be able to complain to the Special Educational Needs and Disability (SEND) tribunal.

    ", + "

    Who can complain to the SEND tribunal

    ", + "

    You can complain to the tribunal if you\u2019re:

    ", + "
  • someone with parental responsibility for a young person, or their foster parent or carer
  • ", + "
  • a young person over school leaving age but under 18
  • ", + "

    You can complain to the tribunal about:

    ", + "
  • a school, nursery or pupil referral unit maintained by a local authority
  • ", + "
  • an independent school
  • ", + "
  • a free school, including an academy
  • ", + "

    You cannot complain to the tribunal about:

    ", + "
  • a private nursery, unless it\u2019s part of a school
  • ", + "
  • a further education college
  • ", + "
  • an organisation using a school\u2019s premises
  • ", + "

    Complain to the SEND tribunal

    ", + "

    You must send your complaint to the tribunal within 6 months of the discrimination taking place. If you send your complaint more than 6 months later, you\u2019ll be asked to explain why.

    ", + "

    Your complaint can include events which happened more than 6 months ago, as long as these directly relate to events that have taken place in the last 6 months. The tribunal must be able to treat events as a single complaint about one ongoing issue.

    ", + "

    For example, if your child was permanently excluded from school after a series of fixed-term exclusions which you believe were all because of the child\u2019s disability, the tribunal could treat them as a single complaint.

    ", + "

    It\u2019s free to make a complaint to the SEND tribunal.

    ", + "

    Download and fill in:

    ", + "
  • form SEND4A if you\u2019re a parent making a complaint on behalf of a child
  • ", + "
  • form SEND4B if you\u2019re a young person above school leaving age making a complaint for yourself
  • ", + "

    The address to send it to is on the form.

    ", + "

    You can include details of up to 5 witnesses who you\u2019d like to bring to the hearing on your form.

    ", + "

    Contact the tribunal if you have any questions about completing the form. They cannot give you legal advice.

    ", + "

    Special Educational Needs and Disability Tribunal

    ", + "

    Help you can get

    ", + "

    Check if you can get legal aid.

    ", + "

    You can also get free help and advice from:

    ", + "
  • the Independent Parental Special Education Advice (IPSEA)
  • ", + "
  • your local Parent Partnership Service through the Information, Advice and Support Services (IASS) Network
  • ", + "

    After you make your complaint

    ", + "

    Once the tribunal has registered your complaint, it will ask you and the school you\u2019re complaining about if you agree to the complaint being decided without a hearing.

    ", + "

    If you both agree, the tribunal will make a decision about your complaint.

    ", + "

    If you do not agree, the tribunal will send you a letter telling you if they\u2019ll hold a hearing, and when and where it\u2019ll take place.

    ", + "

    You can complain to the Department for Education (DfE) about a school if the SEND tribunal will not handle your case.

    ", + "

    Attending the hearing

    ", + "

    You may be able to attend the hearing by video link. If you do need to attend in person, the hearing will be close to your home.

    ", + "

    Change or withdraw your complaint before the hearing

    ", + "

    Download and fill in:

    ", + "
  • form SEND7 to change your complaint, for example to ask for a different hearing date or add more witnesses
  • ", + "
  • form SEND8 to withdraw your complaint
  • ", + "

    What happens at the hearing

    ", + "

    The hearing will usually be attended by:

    ", + "
  • up to 3 tribunal members
  • ", + "
  • a clerk
  • ", + "
  • someone representing the school or local authority you\u2019re complaining about
  • ", + "
  • witnesses
  • ", + "

    You do not have to go to the hearing, but if you do you can ask questions and present the case yourself. If you\u2019re complaining as a young person, your parents can come to the hearing.

    ", + "

    Fill in the attendance form if you want to bring:

    ", + "
  • someone to represent you
  • ", + "
  • someone to support you
  • ", + "
  • witnesses
  • ", + "

    You can ask to have an interpreter at the hearing. They\u2019ll translate what happens but they cannot represent you or give you legal advice.

    ", + "

    You might be asked questions by:

    ", + "
  • your legal representative (if you have one)
  • ", + "
  • the local authority\u2019s representative
  • ", + "
  • the tribunal
  • ", + "

    You\u2019ll usually get a letter with the tribunal\u2019s decision within 10 working days of the hearing.

    ", + "

    Claiming expenses

    ", + "

    You might be able to claim travel expenses for going to the hearing.

    ", + "

    Your witnesses might also be able to claim expenses for travel and loss of earnings.

    ", + "

    If you bring a friend or relative to the hearing, you might also be able to claim for their travel costs.

    ", + "

    If your complaint is successful

    ", + "

    The school or local authority must act on the tribunal\u2019s decision within a set amount of time.

    ", + "

    You can complain to the Local Government Ombudsman if a local authority does not keep to the decision.

    ", + "

    Local Government Ombudsman

    ", + "

    If your complaint is not successful

    ", + "

    The letter giving the tribunal\u2019s decision will tell you how to apply to:

    ", + "
  • get the decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process
  • ", + "
  • ask the tribunal to \u2018review\u2019 the decision, for example if your circumstances have changed since you got the decision or the decision contains a mistake
  • ", + "

    You can also ask for permission to appeal to the Upper Tribunal (Administrative Appeals) Chamber if you think the SEND tribunal has made a mistake and acted against the law.

    ", + "

    You must ask for permission to appeal within 28 days of the date on the tribunal\u2019s decision letter.

    " + ] + }, + { + "title": "Types of school", + "url": "https://www.gov.uk/types-of-school", + "contents": [ + "

    Overview

    ", + "

    All children in England between the ages of 5 and 16 are entitled to a free place at a state school.

    ", + "

    State schools receive funding through their local authority or directly from the government. The most common ones are:

    ", + "
  • community schools, which are sometimes called local authority maintained schools - they are not influenced by business or religious groups and follow the national curriculum
  • ", + "
  • foundation schools and voluntary schools, which are funded by the local authority but have more freedom to change the way they do things - sometimes they are supported by representatives from religious groups
  • ", + "
  • academies and free schools, which are run by not-for-profit academy trusts, are independent from the local authority - they have more freedom to change how they run things and can follow a different curriculum
  • ", + "
  • grammar schools, which can be run by the local authority, a foundation body or an academy trust - they select their pupils based on academic ability and there is a test to get in
  • ", + "

    You can find and compare schools in England, Northern Ireland, Scotland and Wales.

    ", + "

    Special schools

    ", + "

    Special schools with pupils aged 11 and older can specialise in 1 of the 4 areas of special educational needs:

    ", + "
  • communication and interaction
  • ", + "
  • cognition and learning
  • ", + "
  • social, emotional and mental health
  • ", + "
  • sensory and physical needs
  • ", + "

    Schools can further specialise within these categories to reflect the special needs they help with, for example Autistic spectrum disorders, visual impairment, or speech, language and communication needs (SLCN).

    ", + "

    Faith schools

    ", + "

    Faith schools have to follow the national curriculum, but they can choose what they teach in religious studies.

    ", + "

    Faith schools may have different admissions criteria and staffing policies to state schools, although anyone can apply for a place.

    ", + "

    Faith academies

    ", + "

    Faith academies do not have to teach the national curriculum and have their own admissions processes.

    ", + "

    Free schools

    ", + "

    Free schools are funded by the government but are not run by the local authority. They have more control over how they do things.

    ", + "

    They\u2019re \u2018all-ability\u2019 schools, so can not use academic selection processes like a grammar school.

    ", + "

    Free schools can:

    ", + "
  • set their own pay and conditions for staff
  • ", + "
  • change the length of school terms and the school day
  • ", + "

    They do not have to follow the national curriculum.

    ", + "

    Who can set up free schools

    ", + "

    Free schools are run on a not-for-profit basis and can be set up by groups like:

    ", + "
  • charities
  • ", + "
  • universities
  • ", + "
  • independent schools
  • ", + "
  • community and faith groups
  • ", + "
  • teachers
  • ", + "
  • parents
  • ", + "
  • businesses
  • ", + "

    Types of free school

    ", + "

    University technical colleges

    ", + "

    University technical colleges specialise in subjects like engineering and construction - and teach these subjects along with business skills and using IT.

    ", + "

    Pupils study academic subjects as well as practical subjects leading to technical qualifications. The curriculum is designed by the university and employers, who also provide work experience for students.

    ", + "

    University technical colleges are sponsored by:

    ", + "
  • universities
  • ", + "
  • employers
  • ", + "
  • further education colleges
  • ", + "

    Studio schools

    ", + "

    Studio schools are small schools (usually with around 300 pupils) teaching mainstream qualifications through project-based learning. This means working in realistic situations as well as learning academic subjects.

    ", + "

    Students work with local employers and a personal coach, and follow a curriculum designed to give them the skills and qualifications they need in work, or to take up further education.

    ", + "

    Academies

    ", + "

    Academies receive funding directly from the government and are run by an academy trust. They have more control over how they do things than community schools. Academies do not charge fees.

    ", + "

    Academies are inspected by Ofsted. They have to follow the same rules on admissions, special educational needs and exclusions as other state schools and students sit the same exams.

    ", + "

    Academies have more control over how they do things, for example they do not have to follow the national curriculum and can set their own term times.

    ", + "

    Some schools choose to become academies. If a school funded by the local authority is judged as \u2018inadequate\u2019 by Ofsted then it must become an academy.

    ", + "

    Academy trusts and sponsors

    ", + "

    Academy trusts are not-for-profit companies. They employ the staff and have trustees who are responsible for the performance of the academies in the trust. Trusts might run a single academy or a group of academies.

    ", + "

    Some academies are supported by sponsors such as businesses, universities, other schools, faith groups or voluntary groups. Sponsors work with the academy trust to improve the performance of their schools.

    ", + "

    City technology colleges

    ", + "

    City technology colleges and \u2018 the city college for the technology of the arts\u2019 are independent schools in urban areas that are free to go to. They\u2019re funded by central government - companies can also contribute.

    ", + "

    City technology colleges emphasise teaching science and technology.

    ", + "

    The city college for the technology of the arts teaches technology in its application of performing and creative arts, for example by offering interactive digital design courses.

    ", + "

    State boarding schools

    ", + "

    State boarding schools provide free education but charge fees for boarding. Most state boarding schools are academies, some are free schools and some are run by local authorities.

    ", + "

    State boarding schools give priority to children who have a particular need to board and will assess children\u2019s suitability for boarding.

    ", + "

    Charities such as Buttle UK or the Royal National Children\u2019s Foundation can sometimes help with the cost of boarding.

    ", + "

    Contact the State Boarding Forum for more information about state boarding schools, eligibility and how to apply.

    ", + "

    Private schools

    ", + "

    Private schools (also known as \u2018independent schools\u2019) charge fees to attend instead of being funded by the government. Pupils do not have to follow the national curriculum.

    ", + "

    All private schools must be registered with the government and are inspected regularly.

    ", + "

    Reports on private schools

    ", + "

    All school reports are published online by the organisation responsible for inspecting them. Find out from the school which organisation inspects them.

    ", + "

    Half of all independent schools are inspected by Ofsted.

    ", + "

    The Independent Schools Inspectorate inspects schools that are members of the associations that form the Independent Schools Council.

    ", + "

    Some other schools are inspected by the School Inspection Service.

    ", + "

    Special educational needs

    ", + "

    There are also private schools which specialise in teaching children with special educational needs.

    " + ] + }, + { + "title": "The national curriculum", + "url": "https://www.gov.uk/national-curriculum", + "contents": [ + "

    Overview

    ", + "

    The \u2018basic\u2019 school curriculum includes the \u2018national curriculum\u2019, as well as religious education and sex education.

    ", + "

    The national curriculum is a set of subjects and standards used by primary and secondary schools so children learn the same things. It covers what subjects are taught and the standards children should reach in each subject.

    ", + "

    Other types of school like academies and private schools do not have to follow the national curriculum. Academies must teach a broad and balanced curriculum including English, maths and science. They must also teach religious education.

    ", + "

    Key stages

    ", + "

    The national curriculum is organised into blocks of years called \u2018key stages\u2019 (KS). At the end of each key stage, the teacher will formally assess your child\u2019s performance.

    ", + "Child\u2019s age | Year | Key stage | Assessment", + "3 to 4 | | Early years | ", + "4 to 5 | Reception | Early years | Teacher assessments (there\u2019s also an optional assessment at the start of the year)", + "5 to 6 | Year 1 | KS1 | Phonics screening check", + "6 to 7 | Year 2 | KS1 | National tests and teacher assessments in English, maths and science", + "7 to 8 | Year 3 | KS2 | ", + "8 to 9 | Year 4 | KS2 | ", + "9 to 10 | Year 5 | KS2 | ", + "10 to 11 | Year 6 | KS2 | National tests and teacher assessments in English and maths, and teacher assessments in science", + "11 to 12 | Year 7 | KS3 | ", + "12 to 13 | Year 8 | KS3 | ", + "13 to 14 | Year 9 | KS3 | ", + "14 to 15 | Year 10 | KS4 | Some children take GCSEs", + "15 to 16 | Year 11 | KS4 | Most children take GCSEs or other national", + "

    Assessments

    ", + "

    By the end of each summer term the school must write a report on your child\u2019s progress and talk it through with you.

    ", + "

    Key stage 1 and 2

    ", + "

    Compulsory national curriculum subjects at primary school are:

    ", + "
  • English
  • ", + "
  • maths
  • ", + "
  • science
  • ", + "
  • design and technology
  • ", + "
  • history
  • ", + "
  • geography
  • ", + "
  • art and design
  • ", + "
  • music
  • ", + "
  • physical education (PE), including swimming
  • ", + "
  • computing
  • ", + "
  • ancient and modern foreign languages (at key stage 2)
  • ", + "

    Schools must provide religious education (RE) but parents can ask for their children to be taken out of the whole lesson or part of it.

    ", + "

    Schools often also teach:

    ", + "
  • personal, social and health education (PSHE)
  • ", + "
  • citizenship
  • ", + "
  • modern foreign languages (at key stage 1)
  • ", + "

    Tests and assessments

    ", + "

    Year 1 phonics screening check

    ", + "

    The check will take place in June when your child will read 40 words out loud to a teacher. You\u2019ll find out how your child did, and their teacher will assess whether he or she needs extra help with reading. If your child does not do well enough in the check they\u2019ll have to do it again in Year 2.

    ", + "

    Key stage 1

    ", + "

    Key stage 1 tests cover:

    ", + "
  • English reading
  • ", + "
  • English grammar, punctuation and spelling
  • ", + "
  • maths
  • ", + "

    Your child will take the tests in May. You can ask the school for the test results.

    ", + "

    You\u2019ll be sent the results of your child\u2019s teacher assessments automatically.

    ", + "

    Key stage 2

    ", + "

    Your child will take national tests in May when they reach the end of key stage 2. These test your child\u2019s skills in:

    ", + "
  • English reading
  • ", + "
  • English grammar, punctuation and spelling
  • ", + "
  • maths
  • ", + "

    The tests last less than 4 hours. You\u2019ll get the results in July.

    ", + "

    The school will send you the results of your child\u2019s tests and teacher assessments.

    ", + "

    Key stage 3 and 4

    ", + "

    Key stage 3

    ", + "

    Compulsory national curriculum subjects are:

    ", + "
  • English
  • ", + "
  • maths
  • ", + "
  • science
  • ", + "
  • history
  • ", + "
  • geography
  • ", + "
  • modern foreign languages
  • ", + "
  • design and technology
  • ", + "
  • art and design
  • ", + "
  • music
  • ", + "
  • physical education
  • ", + "
  • citizenship
  • ", + "
  • computing
  • ", + "

    Schools must provide religious education (RE) and sex education from key stage 3 but parents can ask for their children to be taken out of the whole lesson or part of it.

    ", + "

    Key stage 4

    ", + "

    During key stage 4 most pupils work towards national qualifications - usually GCSEs.

    ", + "

    The compulsory national curriculum subjects are the \u2018core\u2019 and \u2018foundation\u2019 subjects.

    ", + "

    Core subjects are:

    ", + "
  • English
  • ", + "
  • maths
  • ", + "
  • science
  • ", + "

    Foundation subjects are:

    ", + "
  • computing
  • ", + "
  • physical education
  • ", + "
  • citizenship
  • ", + "

    Schools must also offer at least one subject from each of these areas:

    ", + "
  • arts
  • ", + "
  • design and technology
  • ", + "
  • humanities
  • ", + "
  • modern foreign languages
  • ", + "

    They must also provide religious education (RE) and sex education at key stage 4.

    ", + "

    English Baccalaureate (EBacc)

    ", + "

    The EBacc is a way to measure how many pupils in a school choose to take a GCSE in these core subjects:

    ", + "
  • English language and literature
  • ", + "
  • maths
  • ", + "
  • the sciences
  • ", + "
  • history or geography
  • ", + "
  • a language
  • ", + "

    Find out more about the EBacc.

    ", + "

    Other compulsory subjects

    ", + "

    Children must also study:

    ", + "
  • sex and relationships education (year 7 onwards)
  • ", + "
  • religious education (RE)
  • ", + "

    They may not have to take exams in these subjects.

    ", + "

    Sex and relationship education

    ", + "

    Sex and relationship education (SRE) is compulsory from age 11 onwards. It involves teaching children about reproduction, sexuality and sexual health. It does not promote early sexual activity or any particular sexual orientation.

    ", + "

    Some parts of sex and relationship education are compulsory - these are part of the national curriculum for science. Parents can withdraw their children from all other parts of sex and relationship education if they want.

    ", + "

    All schools must have a written policy on sex education, which they must make available to parents for free.

    ", + "

    Religious education

    ", + "

    Schools have to teach RE but parents can withdraw their children for all or part of the lessons. Pupils can choose to withdraw themselves once they\u2019re 18.

    ", + "

    Local councils are responsible for deciding the RE syllabus, but faith schools and academies can set their own.

    " + ] + }, + { + "title": "Children with special educational needs and disabilities (SEND)", + "url": "https://www.gov.uk/children-with-special-educational-needs", + "contents": [ + "

    Overview

    ", + "

    Special educational needs and disabilities (SEND) can affect a child or young person\u2019s ability to learn. They can affect their:

    ", + "
  • behaviour or ability to socialise, for example they struggle to make friends
  • ", + "
  • reading and writing, for example because they have dyslexia
  • ", + "
  • ability to understand things
  • ", + "
  • concentration levels, for example because they have ADHD
  • ", + "
  • physical ability
  • ", + "

    Who to talk to

    ", + "

    If you think your child may have special educational needs, contact the SEN co-ordinator, or \u2018SENCO\u2019 in your child\u2019s school or nursery.

    ", + "

    Contact your local council if your child is not in a school or nursery.

    ", + "

    Your local Information, Advice and Support (IAS) Service can give you advice about SEND.

    ", + "

    Support your child can receive

    ", + "

    Your child may be eligible for:

    ", + "
  • SEN support - support given in school, like speech therapy
  • ", + "
  • an education, health and care (EHC) plan - a plan of care for children and young people aged up to 25 who have more complex needs
  • ", + "

    If you or your child got support before September 2014 this will continue until your local council changes it to an EHC plan.

    ", + "

    Special educational needs support

    ", + "

    Your child will get SEN support at their school or college.

    ", + "

    Your child may need an education, health and care (EHC) plan if they need more support than their school provides.

    ", + "

    Children under 5

    ", + "

    SEN support for children under 5 includes:

    ", + "
  • a written progress check when your child is 2 years old
  • ", + "
  • a child health visitor carrying out a health check for your child if they\u2019re aged 2 to 3
  • ", + "
  • a written assessment in the summer term of your child\u2019s first year of primary school
  • ", + "
  • making reasonable adjustments for disabled children, like providing aids like tactile signs
  • ", + "

    Nurseries, playgroups and childminders registered with Ofsted follow the Early Years Foundation Stage (EYFS) framework. The framework makes sure that there\u2019s support in place for children with SEND.

    ", + "

    Talk to a doctor or health adviser if you think your child has SEND but they do not go to a nursery, playgroup or childminder. They\u2019ll tell you what support options are available.

    ", + "

    Children between 5 and 15

    ", + "

    Talk to the teacher or the SEN co-ordinator (SENCO) if you think your child needs:

    ", + "
  • a special learning programme
  • ", + "
  • extra help from a teacher or assistant
  • ", + "
  • to work in a smaller group
  • ", + "
  • observation in class or at break
  • ", + "
  • help taking part in class activities
  • ", + "
  • extra encouragement in their learning, for example to ask questions or to try something they find difficult
  • ", + "
  • help communicating with other children
  • ", + "
  • support with physical or personal care difficulties, for example eating, getting around school safely or using the toilet
  • ", + "

    Young people aged 16 or over in further education

    ", + "

    Contact the college before your child starts further education to make sure that they can meet your child\u2019s needs.

    ", + "

    The college and your local authority will talk to your child about the support they need.

    ", + "

    Extra help

    ", + "

    An education, health and care (EHC) plan is for children and young people aged up to 25 who need more support than is available through special educational needs support.

    ", + "

    EHC plans identify educational, health and social needs and set out the additional support to meet those needs.

    ", + "

    Requesting an EHC assessment

    ", + "

    You can ask your local authority to carry out an assessment if you think your child needs an EHC plan.

    ", + "

    A young person can request an assessment themselves if they\u2019re aged 16 to 25.

    ", + "

    A request can also be made by anyone else who thinks an assessment may be necessary, including doctors, health visitors, teachers, parents and family friends.

    ", + "

    If they decide to carry out an assessment you may be asked for:

    ", + "
  • any reports from your child\u2019s school, nursery or childminder
  • ", + "
  • doctors\u2019 assessments of your child
  • ", + "
  • a letter from you about your child\u2019s needs
  • ", + "

    The local authority will tell you within 16 weeks whether an EHC plan is going to be made for your child.

    ", + "

    Creating an EHC plan

    ", + "
  • Your local authority will create a draft EHC plan and send you a copy.
  • ", + "
  • You have 15 days to comment, including if you want to ask that your child goes to a specialist needs school or specialist college.
  • ", + "
  • Your local authority has 20 weeks from the date they receive the request for the assessment to give you the final EHC plan.
  • ", + "

    Disagreeing with a decision

    ", + "

    You can challenge your local authority about:

    ", + "
  • their decision to not carry out an assessment
  • ", + "
  • their decision to not create an EHC plan
  • ", + "
  • the special educational support in the EHC plan
  • ", + "
  • the school named in the EHC plan
  • ", + "

    If you cannot resolve the problem with your local authority, you can appeal to the Special Educational Needs and Disability (SEND) Tribunal.

    ", + "

    Personal budgets

    ", + "

    You may be able to get a personal budget for your child if they have an EHC plan or have been told that they need one.

    ", + "

    It allows you to have a say in how to spend the money on support for your child.

    ", + "

    There are 3 ways you can use your personal budget. You can have:

    ", + "
  • direct payments made into your account - you buy and manage services yourself
  • ", + "
  • an arrangement with your local authority or school where they hold the money for you but you still decide how to spend it (sometimes called \u2018notional arrangements\u2019)
  • ", + "
  • third-party arrangements - you choose someone else to manage the money for you
  • ", + "

    You can have a combination of all 3 options.

    ", + "

    Independent support for children of all ages

    ", + "

    Independent supporters can help you and your child through the new SEN assessment process, including:

    ", + "
  • replacing a statement of special educational needs with a new EHC plan
  • ", + "
  • moving a child from a learning difficulty assessment (LDA) to an EHC plan
  • ", + "

    You can find out how to get local support through:

    ", + "
  • Council for Disabled Children
  • ", + "
  • Information, Advice and Support Service Network
  • ", + "
  • your local authority website and search for \u2018Local Offer\u2019
  • ", + "

    If your child got support before September 2014

    ", + "

    Your child will move to an education, health and care (EHC) plan. This will normally happen at a planned review, or when your child moves school. Your council will tell you which.

    ", + "

    Your child will already be getting SEN support if they used to get help through:

    ", + "
  • School Action or School Action Plus
  • ", + "
  • Early Years Action or Early Years Action Plus
  • ", + "

    Support after your child leaves school

    ", + "

    If your child has a statement of special educational needs, they\u2019ll have a \u2018transition plan\u2019 drawn up in Year 9. This helps to plan for their future after they leave school.

    ", + "

    They\u2019ll continue to get support during further education. Your child can also ask for an EHC assessment if they need more help than the school or college can provide.

    ", + "

    Help and advice

    ", + "

    You can call the Contact a Family helpline for help and advice.

    ", + "

    You can also get help from Independent Parental Special Education Advice (IPSEA).

    " + ] + }, + { + "title": "School admissions", + "url": "https://www.gov.uk/schools-admissions", + "contents": [ + "

    Choosing schools

    ", + "

    If you live in England contact your local council to find:

    ", + "
  • state-funded schools in your area
  • ", + "
  • admission criteria for the schools you\u2019re interested in
  • ", + "

    The process is different if you live in Scotland, Wales or Northern Ireland.

    ", + "

    You can also contact your local council to apply for places at state schools in other areas. You can search online to find schools in England.

    ", + "

    Private schools or home schooling

    ", + "

    If you\u2019re looking for a place at a private school (also called \u2018independent schools\u2019), contact the school directly.

    ", + "

    You can also choose to teach your child at home, known as home schooling.

    ", + "

    Children with special educational needs (SEN)

    ", + "

    If your child has SEN, their Education, Health and Care (EHC) plan will name a school for them. The school must give your child a place.

    ", + "

    You can ask your local council to carry out an assessment if you think your child needs additional support with their educational, health and social needs.

    ", + "

    Find out about a primary or secondary school

    ", + "

    You can find out more by:

    ", + "
  • visiting the school - most schools have open days
  • ", + "
  • reading the school\u2019s most recent Ofsted reports
  • ", + "
  • checking school performance tables
  • ", + "
  • talking to other parents about what they think of the school
  • ", + "

    What schools must publish on their website

    ", + "

    Schools\u2019 websites must include:

    ", + "
  • admission arrangements, including how to apply
  • ", + "
  • details of the curriculum
  • ", + "
  • behaviour policy
  • ", + "
  • links to Ofsted reports
  • ", + "
  • links to performance data
  • ", + "
  • the school\u2019s latest key stage 2 and 4 attainment and progress measures
  • ", + "
  • their policies for children with special educational needs and disabilities
  • ", + "
  • the amount of money they get for taking underprivileged children (the \u2018pupil premium\u2019), what they do with it and the effect it\u2019s had
  • ", + "

    You can also get advice about choosing state-funded schools from your local council.

    ", + "

    Admission criteria

    ", + "

    All schools have admission criteria to decide which children get places. The school or local council usually set these.

    ", + "

    Admission criteria are different for each school. They may give priority to children:

    ", + "
  • who live close to the school
  • ", + "
  • who have a brother or sister at the school already
  • ", + "
  • from a particular religion (for faith schools)
  • ", + "
  • who pass an entrance exam (for selective schools, for example grammar schools)
  • ", + "
  • who went to a particular primary school (a \u2018feeder school\u2019)
  • ", + "
  • who are eligible for the pupil premium or the service pupil premium
  • ", + "
  • whose parent has worked at the school for 2 years or more
  • ", + "

    Your local council can give you information about schools\u2019 criteria and how to apply.

    ", + "

    Children in care

    ", + "

    All state-funded schools must give top priority to admitting children who:

    ", + "
  • are in care or being looked after
  • ", + "
  • have been in care
  • ", + "

    Complain about unfair admission arrangements

    ", + "

    Contact the Schools Adjudicator if you think a school has unlawful or unfair admission arrangements.

    ", + "

    You need to complain by 15 May of the year before you\u2019re applying for a place. For example, to complain about admission arrangements for September 2021 the deadline is 15 May 2020.

    ", + "

    School starting age

    ", + "

    Most children start school full-time in the September after their fourth birthday. This means they\u2019ll turn 5 during their first school year.

    ", + "

    For example, if your child\u2019s fourth birthday is between 1 September 2021 and 31 August 2022 they will usually start school in September 2022.

    ", + "

    If you want your child to start later

    ", + "

    If you do not think your child is ready to start school at the usual time, they can start later - as long as they\u2019re in full-time education by the time they reach \u2018compulsory school age\u2019.

    ", + "

    They can start:

    ", + "
  • part time
  • ", + "
  • part-way through the year
  • ", + "
  • in the next school year, in the September after they turn 5
  • ", + "

    You\u2019ll still need to apply for a school place at the same time as everyone else. You request your child\u2019s later start when you apply.

    ", + "

    If your child starts in the September after they turn 5

    ", + "

    Your child will go into year 1. Contact the local council or school if you want your child to start in reception instead. They do not have to agree.

    ", + "

    Compulsory school age

    ", + "

    Your child must start full-time education once they reach compulsory school age. This is on 31 December, 31 March or 31 August following their fifth birthday - whichever comes first. If your child\u2019s fifth birthday is on one of those dates then they reach compulsory school age on that date.

    ", + "

    For example, if your child reaches compulsory school age on 31 March, they must start full-time education at the beginning of the next term (summer term that year).

    ", + "

    Children must stay in full-time education until they reach school leaving age.

    ", + "

    All 3 to 4-year-olds in England are entitled to free early education before they start school full time.

    ", + "

    How to apply

    ", + "

    Follow your local council\u2019s application process to:

    ", + "
  • apply for a primary school place
  • ", + "
  • apply for a secondary school place
  • ", + "

    You must still apply for a place, even if the school is linked to your child\u2019s current nursery, infant or primary school.

    ", + "

    Apply directly for:

    ", + "
  • a 6th form place at a school or college
  • ", + "
  • a place at a private school
  • ", + "

    Moving to another area

    ", + "

    You apply through your local council even if you\u2019re applying for schools in another council area or you\u2019ve just moved to England.

    ", + "

    If you\u2019re applying from another country, contact the local council in the area where you\u2019re going to live.

    ", + "

    You may need to:

    ", + "
  • supply proof of your new address, for example a mortgage or rental agreement or deeds for the property
  • ", + "
  • prove that you\u2019ll live in the area before the start of the next school term
  • ", + "

    Completing the application

    ", + "

    When you fill in the form (online or on paper) you\u2019ll be asked to list the schools you\u2019re applying for in order of preference.

    ", + "

    Listing only one school will not increase your chances of getting a place there.

    ", + "

    To get a copy of the application form on paper, contact your local council.

    ", + "

    When to apply

    ", + "

    Applications open on different days in each local council area. Find out from your local council when applications open for primary or secondary schools.

    ", + "

    Applying for a primary school place

    ", + "

    You must apply for a primary school place a year before your child can start school.

    ", + "

    Applications open in September and close on 15 January. Your child will be 3 or have just turned 4 when you apply.

    ", + "

    You\u2019ll need to apply then even if you want your child to start part-way through the year.

    ", + "

    Applying for a secondary school place

    ", + "

    The deadline for applying is 31 October.

    ", + "

    Your child is less likely to be offered a place at their chosen schools if you miss the deadline for applications.

    ", + "

    When you\u2019ll find out

    ", + "

    Councils will send offers of school places for:

    ", + "
  • primary schools on 16 April
  • ", + "
  • secondary schools on 1 March
  • ", + "

    If either date falls on a weekend or a bank holiday, offers are sent the next working day.

    ", + "

    You must accept the offer by the deadline given in the offer letter. Otherwise it may be withdrawn and the place given to someone else.

    ", + "

    The local council must provide a place at another school, if your child is not offered a place at any of the schools you\u2019ve applied for. This is usually your nearest school with places still available.

    ", + "

    Applying after the start of the school year

    ", + "

    Contact your local council to find out about applying for a school place once the school year has started (known as in-year applications). They can tell you which schools still have places and how to apply.

    ", + "

    Once your child has been offered a place, they will usually start school at the beginning of the following term.

    ", + "

    School waiting lists

    ", + "

    If your child does not have a place, contact your local council for schools with places.

    ", + "

    You can also put your child\u2019s name down on a waiting list. The \u2018admission authority\u2019 for the school (usually the school itself or the council) must keep a waiting list open for at least the first term of each school year.

    ", + "

    Contact the school or your local council if you want your child\u2019s name added to a waiting list.

    ", + "

    You can add your child\u2019s name to a waiting list even if they have been offered a place at another school.

    ", + "

    If your child is on a waiting list and the school offers you a place, the admission authority will send you a formal offer. You can still accept the offer even if your child has already started at another school.

    ", + "

    Appealing a school's decision

    ", + "

    You\u2019ll be sent a letter with the decision about your child\u2019s school. If your child is refused a place, you can appeal against the decision. The letter will tell you how.

    ", + "

    You must appeal against each rejection separately. You can only appeal once against each rejection.

    ", + "

    Preparing your appeal

    ", + "

    The admission authority for the school must allow you at least 20 school days to appeal from when they send the decision letter.

    ", + "

    The admission authority will set a deadline for submitting information and evidence to support your appeal. If you submit anything after the deadline, it might not be considered and may result in delays to your hearing.

    ", + "

    Coram Children\u2019s Legal Centre may be able to give you advice about appeals.

    ", + "

    When the hearing will be

    ", + "

    The admission authority must give you at least 10 school days\u2019 notice of the hearing.

    ", + "

    Appeals must be heard within 40 school days of the deadline for making an appeal.

    ", + "

    What happens at the appeal hearing

    ", + "

    There\u2019s a panel of 3 or more people at the appeal hearing. The panel must be independent and must follow the school admission appeals code.

    ", + "
  • The admission authority will explain why they turned down your application.
  • ", + "
  • You\u2019ll be able to give your own reasons why your child should be admitted.
  • ", + "
  • The appeals panel must decide if the school\u2019s admission criteria were properly followed and comply with the school admissions code.
  • ", + "
  • If the criteria were not properly followed or do not comply with the school admissions code your appeal must be upheld.
  • ", + "
  • If your reasons for your child to be admitted outweigh the school\u2019s reasons for not admitting any more children at all, your appeal will be upheld.
  • ", + "
  • You will usually be sent the decision within 5 school days.
  • ", + "

    You can read more about school admission appeals.

    ", + "

    Appeals for infant classes

    ", + "

    You need to go through the same process if you\u2019re appealing a decision about an infant class. In reception, year 1 and year 2, the class size is limited to 30. Your application can be turned down if all the classes already have 30 children.

    ", + "

    Your appeal could be successful if:

    ", + "
  • giving your child a place will not increase the class size above the limit
  • ", + "
  • the admission arrangements have not been properly followed
  • ", + "
  • the admission criteria do not comply with the school admissions code
  • ", + "

    Complain about the appeals process

    ", + "

    You can complain about the way the appeal was carried out, but you can not complain about the decision itself.

    ", + "

    Maintained schools

    ", + "

    Complain to the Local Government Ombudsman.

    ", + "

    Fill in the online complaint form.

    ", + "

    If a maintained school becomes an academy

    ", + "

    If you complain about an appeal concerning a maintained school that then converts to academy status, the Local Government Ombudsman will investigate it and pass any actions to the Education and Skills Funding Agency (ESFA).

    ", + "

    Other schools

    ", + "

    Complain to ESFA about an appeal made to:

    ", + "
  • free schools
  • ", + "
  • academies, including university technical colleges and studio schools
  • ", + "

    Fill in the online complaint form.

    ", + "

    Using the online form is the quickest way to make a complaint. If you need a paper form instead, contact:

    ", + "

    You should get a decision on your complaint within 9 weeks (45 working days). You\u2019ll be told if it\u2019ll take longer.

    ", + "

    You\u2019ll get a letter explaining the reasons for the decision.

    ", + "

    If ESFA decides something went wrong with the appeals panel, it may:

    ", + "
  • ask the school to hold a new appeal hearing with a different panel
  • ", + "
  • recommend the school reviews its appeals process
  • ", + "

    Complain about another school matter

    ", + "

    If you have a complaint about a school that is not related to the appeals process, contact the Department for Education.

    " + ] + }, + { + "title": "School attendance and absence", + "url": "https://www.gov.uk/school-attendance-absence", + "contents": [ + "

    Overview

    ", + "

    You must make sure your child gets a full-time education that meets their needs (for example if they have special educational needs). You can send your child to school or educate them yourself.

    ", + "

    Children must get an education between the school term after their 5th birthday and the last Friday in June in the school year they turn 16.

    ", + "

    You\u2019ll be contacted by either:

    ", + "
  • the school - if your child is enrolled in school and does not turn up (even if they\u2019re only absent for a day)
  • ", + "
  • the council\u2019s education welfare officer - if they think your child is not getting a suitable education at home
  • ", + "

    You can be prosecuted if you do not give your child an education. You\u2019ll normally get warnings and offers of help from the local council first.

    ", + "

    You can get education and attendance information from your council.

    ", + "

    When your child can miss school

    ", + "

    You can only allow your child to miss school if either:

    ", + "
  • they\u2019re too ill to go in
  • ", + "
  • you\u2019ve got advance permission from the school
  • ", + "

    There\u2019s extra support available if your child cannot go to school for long periods because of a health problem.

    ", + "

    Holidays in term time

    ", + "

    You have to get permission from the head teacher if you want to take your child out of school during term time.

    ", + "

    You can only do this if:

    ", + "
  • you make an application to the head teacher in advance (as a parent the child normally lives with)
  • ", + "
  • there are exceptional circumstances
  • ", + "

    It\u2019s up to the head teacher how many days your child can be away from school if leave is granted.

    ", + "

    You can be fined for taking your child on holiday during term time without the school\u2019s permission.

    ", + "

    School trips

    ", + "

    Your child\u2019s school can ask you for a voluntary contribution to the cost of activities like school trips. They cannot stop your child from attending if you do not pay, but they should cancel the activity if there is not enough money to cover the cost of it.

    ", + "

    Help with getting your child to go to school

    ", + "

    If you\u2019re having trouble getting your child to go to school, the school and local council can help.

    ", + "

    The school will discuss attendance problems with you and should agree a plan with you to improve your child\u2019s attendance.

    ", + "

    A lot of local councils have teams that help parents improve their child\u2019s attendance at school. The council will tell you if they\u2019re able to help. Forms of help could include:

    ", + "
  • support to reduce the burden on children where families are in difficulty (for example if a child is spending a lot of time caring for someone)
  • ", + "
  • working with families and schools to overcome bullying and other serious problems
  • ", + "
  • a parenting contract
  • ", + "

    Parenting contract

    ", + "

    This is a voluntary written agreement between you and either the local council or the school\u2019s governing body. Between you, you agree to find ways to improve your child\u2019s attendance.

    ", + "

    If you refuse to make a contract or you do not stick to it, it can be used as evidence if the local council decides to prosecute you.

    ", + "

    Legal action to enforce school attendance

    ", + "

    Local councils and schools can use various legal powers if your child is missing school without a good reason. They can give you:

    ", + "
  • a Parenting Order
  • ", + "
  • an Education Supervision Order
  • ", + "
  • a School Attendance Order
  • ", + "
  • a fine (sometimes known as a \u2018penalty notice\u2019)
  • ", + "

    You can be given one or more of these but the council does not have to do this before prosecuting you.

    ", + "

    Parenting Order

    ", + "

    This means you have to go to parenting classes. You\u2019ll also have to do what the court says to improve your child\u2019s school attendance.

    ", + "

    Education Supervision Order

    ", + "

    If the council thinks you need support getting your child to go to school but you\u2019re not co-operating, they can apply to a court for an Education Supervision Order.

    ", + "

    A supervisor will be appointed to help you get your child into education. The local council can do this instead of prosecuting you, or as well.

    ", + "

    School Attendance Order

    ", + "

    You\u2019ll get a School Attendance Order if the local council thinks your child is not getting an education.

    ", + "

    You have 15 days to provide evidence that you\u2019ve registered your child with the school listed in the order or that you\u2019re giving them home education. If you do not, you could be prosecuted or given a fine.

    ", + "

    Fine

    ", + "

    Your local council can give each parent a fine of \u00a360, which rises to \u00a3120 each if you do not pay within 21 days. If you do not pay the fine after 28 days you may be prosecuted for your child\u2019s absence from school.

    ", + "

    Check your local council\u2019s rules on when you can be fined.

    ", + "

    Prosecution

    ", + "

    You could get a fine of up to \u00a32,500, a community order or a jail sentence up to 3 months. The court also gives you a Parenting Order.

    " + ] + }, + { + "title": "Bullying at school", + "url": "https://www.gov.uk/bullying-at-school", + "contents": [ + "

    The law

    ", + "

    Some forms of bullying are illegal and should be reported to the police. These include:

    ", + "
  • violence or assault
  • ", + "
  • theft
  • ", + "
  • repeated harassment or intimidation, for example name calling, threats and abusive phone calls, emails or text messages
  • ", + "
  • hate crimes
  • ", + "

    Call 999 if you or someone else is in immediate danger.

    ", + "

    Schools and the law

    ", + "

    By law, all state (not private) schools must have a behaviour policy in place that includes measures to prevent all forms of bullying among pupils.

    ", + "

    This policy is decided by the school. All teachers, pupils and parents must be told what it is.

    ", + "

    Anti-discrimination law

    ", + "

    Schools must also follow anti-discrimination law. This means staff must act to prevent discrimination, harassment and victimisation within the school. This applies to all schools in England and Wales, and most schools in Scotland.

    ", + "

    Northern Ireland has different anti-discrimination law.

    ", + "

    Reporting bullying

    ", + "

    You should report bullying to your school in the first place - or someone you trust if it happens outside school, for example in a club or online.

    ", + "

    Tell the police if the bullying involves a crime.

    ", + "

    Schools - reporting bullying

    ", + "

    School staff will deal with bullying in different ways, depending on how serious the bullying is.

    ", + "

    They might deal with it in school, for example by disciplining bullies, or they might report it to the police or social services.

    ", + "

    Any discipline must take account of special educational needs or disabilities that the pupils involved may have.

    ", + "

    You can complain about a school if you think it hasn\u2019t dealt with your concerns.

    ", + "

    Police - reporting bullying

    ", + "

    Anyone can make a complaint to the police about bullying but it\u2019s usually a good idea to speak to your school first.

    ", + "

    If you\u2019re reporting cyberbullying, keep a record of the date and time of the calls, emails or texts - don\u2019t delete any messages you receive.

    ", + "

    Call 999 if you or someone else is in immediate danger.

    ", + "

    Where to get help and advice

    ", + "

    There are lots of organisations that provide support and advice if you\u2019re worried about bullying:

    ", + "
  • Anti-Bullying Alliance
  • ", + "
  • Bullying UK
  • ", + "
  • Childline
  • ", + "
  • The Diana Award
  • ", + "
  • Internet Matters
  • ", + "
  • Kidscape
  • ", + "
  • The UK Safer Internet Centre
  • ", + "
  • UK Council for Child Internet Safety (UKCCIS)
  • ", + "

    Bullying outside school

    ", + "

    Head teachers have the legal power to make sure pupils behave outside of school premises (state schools only).

    ", + "

    This includes bullying that happens anywhere off the school premises, for example on public transport or in a town centre.

    ", + "

    School staff can also choose to report bullying to the police or local council.

    ", + "

    Bullying - a definition

    ", + "

    There is no legal definition of bullying.

    ", + "

    However, it\u2019s usually defined as behaviour that is:

    ", + "
  • repeated
  • ", + "
  • intended to hurt someone either physically or emotionally
  • ", + "
  • often aimed at certain groups, for example because of race, religion, gender or sexual orientation
  • ", + "

    It takes many forms and can include:

    ", + "
  • physical assault
  • ", + "
  • teasing
  • ", + "
  • making threats
  • ", + "
  • name calling
  • ", + "
  • cyberbullying - bullying via mobile phone or online (for example email, social networks and instant messenger)
  • ", + "

    Your school should have its own policy to stop bullying.

    " + ] + }, + { + "title": "School discipline and exclusions", + "url": "https://www.gov.uk/school-discipline-exclusions", + "contents": [ + "

    Discipline

    ", + "

    School behaviour policy

    ", + "

    Every school has a behaviour policy, which lists the rules of conduct for pupils before and after school as well as during the school day.

    ", + "

    The policy should also say what the school does to prevent bullying.

    ", + "

    You can ask the school for a copy of the policy document.

    ", + "

    Punishments

    ", + "

    Schools can punish pupils if they behave badly.

    ", + "

    Examples of punishments (sometimes called \u2018sanctions\u2019) include:

    ", + "
  • a telling-off
  • ", + "
  • a letter home
  • ", + "
  • removal from a class or group
  • ", + "
  • confiscating something inappropriate for school , eg mobile phone or MP3 player
  • ", + "
  • detention
  • ", + "

    Detention

    ", + "

    Schools don\u2019t have to give parents notice of after-school detentions or tell them why a detention has been given.

    ", + "

    Physical contact

    ", + "

    School staff can use reasonable force to control and restrain pupils. This could include leading a pupil by the arm into a classroom.

    ", + "

    Complaining about a punishment

    ", + "

    If you disagree with the way your child\u2019s been punished, first talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.

    ", + "

    Exclusions

    ", + "

    Headteachers can exclude your child if they misbehave in or outside school.

    ", + "

    What happens when your child is excluded

    ", + "

    Your child\u2019s school will let you know about an exclusion as soon as possible. They\u2019ll follow up with a letter telling you how long your child is excluded for and why.

    ", + "

    You should also be told how to challenge the exclusion, if you want to.

    ", + "

    Exclusions can start on the same day but the school shouldn\u2019t make you collect your child straight away.

    ", + "

    Risk of prosecution if child is found in public place

    ", + "

    For the first 5 school days of an exclusion, it\u2019s your responsibility to make sure your child isn\u2019t in a public place during normal school hours unless there is a good reason.

    ", + "

    You might be prosecuted if your child is found in a public place when they\u2019re not supposed to be.

    ", + "

    Child Law Advice has more information on what happens when a child is excluded.

    ", + "

    Types of exclusion

    ", + "

    There are 2 kinds of exclusion - fixed period (suspended) and permanent (expelled).

    ", + "

    Fixed period exclusion

    ", + "

    A fixed period exclusion is where your child is temporarily removed from school. They can only be removed for up to 45 school days in one school year, even if they\u2019ve changed school.

    ", + "

    If a child has been excluded for a fixed period, schools should set and mark work for the first 5 school days.

    ", + "

    If the exclusion is longer than 5 school days, the school must arrange suitable full-time education from the sixth school day, eg at a pupil referral unit.

    ", + "

    Permanent exclusion

    ", + "

    Permanent exclusion means your child is expelled. Your local council must arrange full-time education from the sixth school day.

    ", + "

    Alternative education and exclusion

    ", + "

    The school or local council must tell you about any alternative education they arrange. It\u2019s your responsibility to make sure your child attends.

    ", + "

    Making a complaint

    ", + "

    If alternative education isn\u2019t arranged within 5 days, or you\u2019re not happy with the education, you can complain to:

    ", + "
  • the school, for fixed period exclusions
  • ", + "
  • the local council, for permanent exclusions
  • ", + "

    If you\u2019re not happy with the response, you can complain to the Department for Education (DfE).

    ", + "

    You\u2019ll need to show that you followed the school or council\u2019s complaints procedure.

    ", + "

    Challenging exclusion

    ", + "

    You\u2019ll get a letter from the school telling you what to do if you disagree with the exclusion.

    ", + "

    You can ask the school\u2019s governing body to overturn the exclusion if either:

    ", + "
  • your child has been excluded for more than 5 days
  • ", + "
  • the exclusion means they\u2019ll miss a public exam or national curriculum test
  • ", + "

    If the exclusion is for 5 days or fewer, you can still ask the governors to hear your views but they can\u2019t overturn the headteacher\u2019s decision.

    ", + "

    Challenging permanent exclusion

    ", + "

    You\u2019ll be invited to a review meeting with the school\u2019s governors if your child has been permanently excluded. This will happen within 15 school days.

    ", + "

    If the governors don\u2019t overturn the exclusion, you can ask for an independent review by your local council (or academy trust if the school\u2019s an academy). The governors must tell you how to do this.

    ", + "

    If your child is still excluded you can ask the Local Government Ombudsman (or the Education Funding Agency if the school\u2019s an academy or free school) to look at whether your case was handled properly. They can\u2019t overturn the exclusion.

    ", + "

    Discrimination and other complaints

    ", + "

    You can make a claim to a court or a tribunal if you think your child\u2019s been discriminated against. You need to do this within 6 months of the exclusion.

    ", + "

    Contact the Equality Advisory Support Service for help and advice.

    ", + "

    For more general complaints (eg if you don\u2019t want to challenge the exclusion but you\u2019re not happy with the way the school handled it), follow the normal school complaints process.

    ", + "

    Searches

    ", + "

    Searches without your child\u2019s consent

    ", + "

    The school doesn\u2019t need your child\u2019s consent to search them if they think your child has prohibited items, including:

    ", + "
  • weapons, eg knives
  • ", + "
  • alcohol
  • ", + "
  • illegal drugs
  • ", + "
  • stolen goods
  • ", + "
  • tobacco products, eg cigarettes
  • ", + "
  • pornographic images (of any kind, eg tabloid topless pictures and \u2018lads\u2019 mags\u2019 as well as extreme adult material)
  • ", + "
  • fireworks
  • ", + "
  • anything that has been, or is likely to be, used to cause injury or commit an offence
  • ", + "
  • anything banned in the school rules
  • ", + "

    These things can be confiscated.

    ", + "

    Legal requirements of a search

    ", + "

    There should normally be 2 members of staff present during the search - the person doing the search and the search witness. Searches should normally be done by someone the same sex as your child.

    ", + "

    The search witness must also be the same sex as your child if possible. Your child must not be asked to remove clothes, other than outer clothing like a coat.

    ", + "

    If there\u2019s a risk of serious harm to a person if the search is not conducted immediately, a child may be searched by a person of the opposite sex and without another member of staff present.

    ", + "

    Metal detectors

    ", + "

    Schools can make pupils go through a metal detector - they don\u2019t have to suspect that your child has a weapon. If your child refuses to go through the metal detector, they can be stopped from coming into school.

    ", + "

    Complaining about a search

    ", + "

    If you\u2019re unhappy with a search on your child at school, talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.

    " + ] + }, + { + "title": "Give up (renounce) British citizenship or nationality", + "url": "https://www.gov.uk/renounce-british-nationality", + "contents": [ + "

    Overview

    ", + "

    You can apply to give up (renounce) your British citizenship or status. If accepted, you\u2019ll get a \u2018declaration of renunciation\u2019 that you can use to show that you\u2019re no longer British.

    ", + "

    You might do this, for example, if you want to become a citizen of another country that does not allow dual citizenship.

    ", + "

    You can renounce your:

    ", + "
  • British citizenship
  • ", + "
  • British overseas territories citizenship
  • ", + "
  • British overseas citizenship
  • ", + "
  • British subject status
  • ", + "
  • British national (overseas) status
  • ", + "

    You can give up more than one at a time.

    ", + "

    Giving up your citizenship or status only affects you and not any other members of your family - although it could affect the status of any children you have in future.

    ", + "

    Your right to live in the UK will be affected if you give up citizenship.

    ", + "

    When you can give up your citizenship

    ", + "

    You can only give up your British citizenship or status if either of the following apply:

    ", + "
  • you already have another citizenship or nationality
  • ", + "
  • you\u2019re going to get another citizenship or nationality after giving up your British citizenship or status
  • ", + "

    You must also be:

    ", + "
  • aged 18 or over (unless you\u2019re under 18 and married)
  • ", + "
  • of sound mind (unless it\u2019s decided that it\u2019s in your best interest)
  • ", + "

    Apply

    ", + "

    Fill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.

    ", + "

    If you live in the Channel Islands, the Isle of Man or a British overseas territory, you have to apply in person or by post instead. Check which you can do with your governor\u2019s office.

    ", + "

    If you live elsewhere, you can apply by post. This will take much longer than applying online because of coronavirus (COVID-19). Avoid applying by post, especially if you need your documents back by a specific date.

    ", + "

    It is taking longer than usual to process applications because of coronavirus. This will not affect the decision.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    After you've applied

    ", + "

    You\u2019ll get a \u2018declaration of renunciation\u2019 if your application is successful. This will be your application form, officially signed and stamped.

    ", + "

    The date your citizenship or status stops will be shown on the form.

    ", + "

    Your supporting documents will be returned to you whether you\u2019re successful or not.

    ", + "

    It is taking longer than usual to process applications because of coronavirus (COVID-19). This will not affect the decision.

    ", + "

    Time limits if you\u2019re getting another citizenship

    ", + "

    You\u2019ll have 6 months from when you received your declaration to get another citizenship - otherwise the declaration will no longer be valid and you\u2019ll keep your British citizenship or status.

    ", + "

    Resume your British nationality

    ", + "

    In some cases it\u2019s possible to resume your British nationality after renouncing it.

    ", + "

    Read the guidance to check if you can apply.

    ", + "

    It is taking longer than usual to process applications because of coronavirus (COVID-19). This will not affect the decision. You\u2019ll get extra time to provide your fingerprints, photo and additional information, and to book a citizenship ceremony.

    ", + "

    How to apply

    ", + "

    Fill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.

    ", + "

    If you live in the Channel Islands, the Isle of Man or a British overseas territory, you have to apply in person or by post instead. Check which you can do with your governor\u2019s office.

    ", + "

    If you live elsewhere, you can apply by post. This will take much longer than applying online because of coronavirus. Avoid applying by post, especially if you need your documents back by a specific date.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Fee

    ", + "

    Pay the current fee for registration.

    ", + "

    Your fee will not be refunded if your application is refused.

    ", + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you\u2019re applying from the Channel Islands, the Isle of Man or a British overseas territory

    ", + "

    You\u2019ll be told the fee for providing your biometric information when you apply.

    ", + "

    Supporting documents

    ", + "

    You\u2019ll need to provide:

    ", + "
  • your copy of your declaration of renunciation (either form RN1 or R6)
  • ", + "
  • your passport, or certificate of naturalisation or registration for your current citizenship or nationality
  • ", + "
  • an official letter or statement from the country you\u2019re currently a citizen or national of saying that if you had not given up your British citizenship you\u2019d have lost or failed to get your current citizenship or nationality
  • ", + "

    If you gave up United Kingdom and Colonies citizenship you\u2019ll also need to provide:

    ", + "
  • the birth, naturalisation or registration certificate of the person you have the connection to the UK with, and evidence of your relationship to that person, for example a birth, marriage or civil partnership certificate
  • ", + "
  • evidence that you gave up citizenship because you believed you\u2019d be deprived of your citizenship of a Commonwealth country unless you did so - this should be a separate letter explaining this plus any supporting documents
  • ", + "

    You may have to provide different documents if you originally gave up citizenship for a reason other than you\u2019d have lost or failed to get citizenship of another country - read the guidance for details.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    If you\u2019re applying from the Channel Islands, the Isle of Man or a British overseas territory

    ", + "

    You\u2019ll be told how to provide your biometric information and supporting documents when you apply.

    " + ] + }, + { + "title": "Windrush Scheme: get a document showing your right to be in the UK", + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.

    ", + "

    You may be able to apply for a document to prove you can live and work in the UK if one of the following is true:

    ", + "
  • you came to the UK from a Commonwealth country before 1973
  • ", + "
  • your parents came to the UK from a Commonwealth country before 1973
  • ", + "
  • you came to the UK from any country before 31 December 1988 and are now settled here
  • ", + "

    It\u2019s free to apply.

    ", + "

    You might also be entitled to apply for citizenship for free if you\u2019re a Commonwealth citizen who settled in the UK before 1 January 1973, or you\u2019re the child of someone who did.

    ", + "

    If you suffered losses because you did not have documents

    ", + "

    If you are eligible for this scheme, you might also be able to apply for compensation. The compensation scheme is for losses that happened because you could not show that you had a right to live in the UK.

    ", + "

    \u2018Losses\u2019 can be things like not being able to work, find a place to live or get health treatment. They can also include immigration action, like detention or removal from the UK.

    ", + "

    You arrived before 1973 from a Commonwealth country

    ", + "

    You may be able to apply for a document to prove you can live and work in Britain if both of the following apply:

    ", + "
  • you\u2019re a Commonwealth citizen
  • ", + "
  • you were settled in the UK before 1 January 1973
  • ", + "

    What you\u2019re entitled to depends on whether you:

    ", + "
  • have been living in the UK continuously
  • ", + "
  • left the UK for more than 2 years and came back
  • ", + "
  • are outside the UK
  • ", + "

    If you\u2019ve been living in the UK continuously

    ", + "

    If you\u2019ve lived in the UK continuously, or have the right of abode, you can apply for one of the following:

    ", + "
  • British citizenship
  • ", + "
  • evidence you have the right of abode
  • ", + "
  • a document confirming you have indefinite leave to remain
  • ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    Find out how to apply.

    ", + "

    If you\u2019ve left the UK for more than 2 years and come back

    ", + "

    If you\u2019ve been away from the UK for more than 2 years at some point and are now lawfully in the UK, you might be entitled to indefinite leave to remain.

    ", + "

    If you already have indefinite leave to remain you might be able to apply for either:

    ", + "
  • a document to prove you have this
  • ", + "
  • British citizenship
  • ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    Find out how to apply.

    ", + "

    If you\u2019re outside the UK

    ", + "

    If you\u2019ve left the UK and have lost your indefinite leave to remain, you might be entitled to:

    ", + "
  • a Returning Resident visa
  • ", + "
  • a 10 year multiple entry visa
  • ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    You're the child of a Commonwealth citizen who arrived before 1973

    ", + "

    You can apply for British citizenship or a document confirming you have indefinite leave to remain.

    ", + "

    If you do not have indefinite leave to remain but are here lawfully, you can apply for it through the scheme.

    ", + "

    To apply, one of your parents must be a Commonwealth citizen and either:

    ", + "
  • was settled in the UK before 1 January 1973
  • ", + "
  • had the right of abode
  • ", + "

    One of the following must also be true:

    ", + "
  • you were born in the UK
  • ", + "
  • you came to live in the UK before turning 18
  • ", + "

    You must have lived continuously in the UK since arriving (or being born) here.

    ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    Find out how to apply.

    ", + "

    You arrived before 1989

    ", + "

    You can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.

    ", + "

    You can be of any nationality.

    ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    Find out how to apply.

    ", + "

    How to apply

    ", + "

    When you apply, the Home Office will work with other government departments to find records of you living in the UK.

    ", + "

    None of your information will be shared with immigration enforcement teams.

    ", + "

    If you\u2019re in the UK

    ", + "

    Apply using the Windrush Scheme application form (UK).

    ", + "

    Post it to the address on the form with your supporting documents.

    ", + "

    The Windrush helpline can post a paper form to you.

    ", + "

    If you\u2019re outside the UK

    ", + "

    You must apply using an online form.

    ", + "

    Fee

    ", + "

    It\u2019s free to apply.

    ", + "

    What happens next

    ", + "

    The Windrush taskforce will get in touch with you if they have any questions about your application, or if they need more information.

    ", + "

    Give your fingerprints and photo

    ", + "

    You\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) once you\u2019ve sent in your form. You will not have to pay anything to do this.

    ", + "

    Commonwealth countries

    ", + "

    You may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.

    ", + "

    You may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:

    ", + "
  • Anguilla
  • ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • The Bahamas
  • ", + "
  • Bangladesh
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Bermuda
  • ", + "
  • Botswana
  • ", + "
  • British Antarctic Territory
  • ", + "
  • British Indian Ocean Territory
  • ", + "
  • Brunei
  • ", + "
  • Canada
  • ", + "
  • Cayman Islands
  • ", + "
  • Cyprus (excluding the Sovereign base area)
  • ", + "
  • Dominica
  • ", + "
  • Falkland Islands
  • ", + "
  • Fiji
  • ", + "
  • The Gambia
  • ", + "
  • Ghana
  • ", + "
  • Gibraltar
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Hong Kong
  • ", + "
  • India
  • ", + "
  • Jamaica
  • ", + "
  • Kenya
  • ", + "
  • Kiribati
  • ", + "
  • Lesotho
  • ", + "
  • Malawi
  • ", + "
  • Malaysia
  • ", + "
  • Maldives
  • ", + "
  • Malta
  • ", + "
  • Mauritius
  • ", + "
  • Monserrat
  • ", + "
  • Namibia
  • ", + "
  • Nauru
  • ", + "
  • New Zealand
  • ", + "
  • Nigeria
  • ", + "
  • Pakistan
  • ", + "
  • Papua New Guinea
  • ", + "
  • Pitcairn, Henderson, Ducie and Oeno Islands
  • ", + "
  • Saint Helena, Ascension and Tristan da Cunha
  • ", + "
  • Saint Lucia
  • ", + "
  • Samoa
  • ", + "
  • Seychelles
  • ", + "
  • Sierra Leone
  • ", + "
  • Singapore
  • ", + "
  • Solomon Islands
  • ", + "
  • South Africa
  • ", + "
  • South Georgia and the South Sandwich Islands
  • ", + "
  • Sri Lanka
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Vincent and The Grenadines
  • ", + "
  • Swaziland
  • ", + "
  • Tanzania
  • ", + "
  • Tonga
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • Turks and Caicos Islands
  • ", + "
  • Tuvalu
  • ", + "
  • Uganda
  • ", + "
  • Vanuatu
  • ", + "
  • Virgin Islands
  • ", + "
  • Zambia
  • ", + "
  • Zimbabwe
  • ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    Windrush helpline

    ", + "

    The Windrush helpline can:

    ", + "
  • help you make a claim
  • ", + "
  • give extra support to those who need it - for example, elderly or vulnerable claimants
  • ", + "
  • post a form to you
  • ", + "

    If you are outside the UK, email the helpline and request a call back.

    ", + "

    Outside of the helpline opening hours, you can leave a message to ask for your call to be returned at a convenient time.

    ", + "

    You can also sign up for email updates about the scheme.

    " + ] + }, + { + "title": "Apply for a veterans badge or a medal", + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "contents": [ + "

    Apply for a veterans badge

    ", + "

    You can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.

    ", + "

    Eligibility

    ", + "

    You can apply if you were in the:

    ", + "
  • army
  • ", + "
  • Royal Navy
  • ", + "
  • Royal Marines
  • ", + "
  • Royal Air Force (RAF)
  • ", + "
  • volunteer or regular reserves
  • ", + "

    You cannot apply if you:

    ", + "
  • served in the armed forces of another country
  • ", + "
  • served alongside the UK armed forces, for example in the Canadian Navy or Royal Australian Air Force
  • ", + "

    If you\u2019re applying on behalf of someone who\u2019s died

    ", + "

    You can only apply on behalf of a veteran who\u2019s died if you get either:

    ", + "
  • a War Widow\u2019s or Widower\u2019s Pension
  • ", + "
  • compensation under the Survivors Guaranteed Income Payment (SGIP)
  • ", + "

    How to apply

    ", + "

    Download and fill in the application for an armed forces veterans badge.

    ", + "

    You can also call the enquiries line to get a paper application form sent to you.

    ", + "

    You\u2019ll need to give as much information on the form as possible, such as:

    ", + "
  • the force you served in, for example the army or Royal Navy
  • ", + "
  • service number
  • ", + "
  • period of service
  • ", + "

    Post the form to the Ministry of Defence (MOD) Medal Office - the address is on the form. Do not send the form by email.

    ", + "

    After you\u2019ve applied

    ", + "

    You\u2019ll usually get your veterans badge within 6 to 8 weeks of applying.

    ", + "

    You can also apply for a medal if you\u2019re eligible.

    ", + "

    If you lose your badge, you can apply for a replacement.

    ", + "

    Get help

    ", + "

    If you need to contact MOD about your veterans badge application, you can phone, fax or send an email to dbs-modmo-vetsbadge@mod.gov.uk.

    ", + "

    You cannot apply for a veterans badge by email.

    ", + "

    Apply for a medal

    ", + "

    You can apply for a medal if you served in the armed forces and are eligible.

    ", + "

    Find out the types of medal the Ministry of Defence (MOD) issues.

    ", + "

    You can only apply for World War 1 medals if the original was returned.

    ", + "

    Eligibility

    ", + "

    You can apply if you were awarded a medal for service in any of the following:

    ", + "
  • the army
  • ", + "
  • the Royal Navy
  • ", + "
  • the Royal Marines
  • ", + "
  • the Royal Air Force (RAF)
  • ", + "
  • the Home Guard
  • ", + "
  • the reserve forces
  • ", + "

    You must meet the eligibility requirements for the medal you\u2019re applying for.

    ", + "

    If you\u2019re applying for someone else\u2019s medal

    ", + "

    You can apply on behalf of a veteran if you have lasting power of attorney.

    ", + "

    If the veteran has died, you must be the official next of kin. The general rules for the official next of kin are:

    ", + "
  • the person\u2019s spouse or civil partner has the first claim to the medal, and then the eldest child
  • ", + "
  • if there\u2019s no spouse or child, the parent is entitled to apply
  • ", + "
  • if there\u2019s no spouse, child or parent, the eldest grandchild is entitled to apply
  • ", + "

    How to apply

    ", + "

    Download and fill in the medal application form.

    ", + "

    Apply through your unit if you\u2019re still serving in the armed forces.

    ", + "

    If you\u2019re applying on behalf of someone else, you must include a copy of either your lasting power of attorney or a death certificate.

    ", + "

    Post the form, along with any supporting documents, to the MOD Medal Office - the address is on the form. Do not send the form by email.

    ", + "

    After you\u2019ve applied

    ", + "

    You\u2019ll usually get your medal within 12 weeks of sending the application form.

    ", + "

    You can apply for a replacement medal if the original\u2019s been stolen or accidentally destroyed, for example in a fire.

    ", + "

    Get help

    ", + "

    If you need to contact MOD about your medal application, email dbs-medals@mod.gov.uk.

    ", + "

    Replace a badge or medal

    ", + "

    You can get the first replacement veterans badge for free.

    ", + "

    You may be able to get a replacement medal - it depends how it was lost. You\u2019ll have to pay for the replacement medal plus a fee.

    ", + "

    Replace a veterans badge

    ", + "

    Follow the instructions for applying for a veterans badge - you can use the same form.

    ", + "

    You\u2019ll usually get your replacement veterans badge within 6 to 8 weeks of applying.

    ", + "

    You do not have to pay a fee if it\u2019s the first veterans badge you\u2019re replacing.

    ", + "

    Replace a medal

    ", + "

    You can only get a replacement medal from the Ministry of Defence (MOD) if it was stolen or destroyed, for example in a fire or flood. The medal must have been awarded for service after World War 1.

    ", + "

    You\u2019ll need to show proof by providing a copy of either a:

    ", + "
  • police crime report
  • ", + "
  • successful insurance claim listing the individual items
  • ", + "

    You can also buy replacement medals from a licensed medal dealer.

    ", + "

    How to apply

    ", + "

    Download and fill in the medal application form to ask for a replacement medal. Post the form to the MOD Medal Office, along with:

    ", + "
  • a letter explaining how the medal was stolen or destroyed
  • ", + "
  • a copy of the police report or insurance claim
  • ", + "

    The address is on the form.

    ", + "

    Contact your unit\u2019s human resources (HR) department if you\u2019re currently serving in the armed forces.

    ", + "

    After you\u2019ve applied

    ", + "

    You\u2019ll get a letter from the Medal Office - usually within 10 working days of when your application\u2019s received.

    ", + "

    You\u2019ll be told how much the replacement will cost and how to pay if your application\u2019s successful. The cost depends on the type of medal. It includes an administration fee.

    ", + "

    You\u2019ll get the replacement within 4 weeks from the Medal Office getting your payment.

    ", + "

    Apply for a UK merchant seafarers veterans badge

    ", + "

    You can apply for a UK merchant seafarers veterans badge if you:

    ", + "
  • were a Merchant Navy seafarer or fisherman
  • ", + "
  • served in a vessel used to support the UK Armed Forces
  • ", + "

    If you\u2019re applying on behalf of someone who\u2019s died

    ", + "

    You can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.

    ", + "

    How to apply

    ", + "

    You can apply for a badge through the Merchant Navy Association.

    ", + "

    Members of the Royal Fleet Auxiliary

    ", + "

    If you\u2019re a member of the Royal Fleet Auxiliary, apply for the armed forces veterans badge.

    ", + "

    Apply for a UK merchant navy medal

    ", + "

    You can apply for a UK merchant navy medal if you were a member of the merchant navy and you:

    ", + "
  • served in a vessel used to support the UK armed forces
  • ", + "
  • meet the eligibility requirements for the medal you\u2019re applying for
  • ", + "

    How to apply

    ", + "

    Complete the application form and send it to the address on the form. You\u2019ll also need to send your seaman\u2019s discharge book.

    ", + "

    If you\u2019re applying for someone else\u2019s medal

    ", + "

    You can apply for someone else if either:

    ", + "
  • they\u2019ve died
  • ", + "
  • you have lasting power of attorney
  • ", + "

    You must include a copy of the death certificate or your lasting power of attorney.

    ", + "

    If the veteran has died, you must be the official next of kin. The general rules are:

    ", + "
  • the person\u2019s spouse or civil partner has first claim to the medal, and then the eldest child
  • ", + "
  • if there\u2019s no spouse or child, the eldest grandchild is entitled to apply
  • ", + "

    After you\u2019ve applied

    ", + "

    You\u2019ll get a decision within 30 working days of your application being received.

    ", + "

    Get help

    ", + "

    Email seafarers_registry@mcga.gov.uk if you need help with your application.

    ", + "

    Replace a lost or stolen medal

    ", + "

    You\u2019ll need to complete the application form if your medal is lost or has been stolen.

    ", + "

    If you want to appeal or complain

    ", + "

    You can write to or email the Ministry of Defence (MOD) Medal Office if you want to:

    ", + "
  • appeal a decision
  • ", + "
  • complain about how you\u2019ve been treated
  • ", + "

    You should include any new evidence you have if you make an appeal.

    " + ] + }, + { + "title": "Become a magistrate", + "url": "https://www.gov.uk/become-magistrate", + "contents": [ + "

    What magistrates do

    ", + "

    Magistrates are volunteers who hear cases in courts in their community. They can hear cases in the criminal court, the family court, or both.

    ", + "

    Each case is usually heard by 3 magistrates, including a magistrate who is trained to act as a chairperson.

    ", + "

    A legal adviser in the court gives advice on the law and makes sure the magistrates follow the right procedures.

    ", + "

    Criminal cases

    ", + "

    All criminal cases begin in a magistrates\u2019 court.

    ", + "

    Magistrates pass the most serious crimes (for example murder, rape and robbery) to the Crown Court. Magistrates decide if the defendant should be:

    ", + "
  • kept in custody - for example in a police or court cell
  • ", + "
  • let out on strict conditions - for example to keep away from named places or people
  • ", + "

    Magistrates deal with crimes like:

    ", + "
  • minor assaults
  • ", + "
  • motoring offences
  • ", + "
  • theft
  • ", + "
  • handling stolen goods
  • ", + "
  • TV licence evasion
  • ", + "

    Magistrates can give punishments such as:

    ", + "
  • fines
  • ", + "
  • unpaid work in the community
  • ", + "
  • prison for up to 6 months (or up to 12 months for more than 1 crime)
  • ", + "

    Family cases

    ", + "

    Magistrates can also hear cases at a family court.

    ", + "

    These magistrates deal with cases about children. They can:

    ", + "
  • arrange for a child to be taken into care or put up for adoption
  • ", + "
  • help separated parents make arrangements for their children
  • ", + "
  • enforce child maintenance orders
  • ", + "
  • make court orders to prevent domestic abuse
  • ", + "

    These magistrates can get advice from the child\u2019s guardian or a family court adviser during the case.

    ", + "

    Who can be a magistrate

    ", + "

    You need to give up some of your spare time and not everyone can serve as a magistrate.

    ", + "

    Qualifications

    ", + "

    You do not need formal qualifications or legal training to become a magistrate.

    ", + "

    You will get full training for the role, and a legal adviser in court will help you with questions about the law.

    ", + "

    Age

    ", + "

    You have to be over 18 and under 65.

    ", + "

    Magistrates must retire at 70 and are normally expected to serve for at least 5 years.

    ", + "

    Health

    ", + "

    You need to be able to hear clearly, with or without a hearing aid, to listen to a case.

    ", + "

    You also need to be able to sit and concentrate for long periods of time.

    ", + "

    Personal qualities

    ", + "

    You need to show you\u2019ve got the right personal qualities, for example that you are:

    ", + "
  • aware of social issues
  • ", + "
  • mature, understand people and have a sense of fairness
  • ", + "
  • reliable and committed to serving the community
  • ", + "

    You also need to be able to:

    ", + "
  • understand documents, follow evidence and communicate effectively
  • ", + "
  • think logically, weigh up arguments and reach a fair decision
  • ", + "

    Good character

    ", + "

    It\u2019s unlikely you\u2019ll be taken on if you have been:

    ", + "
  • found guilty of a serious crime
  • ", + "
  • found guilty of a number of minor offences
  • ", + "
  • banned from driving in the past 5 to 10 years
  • ", + "
  • declared bankrupt
  • ", + "

    Conflicts of interest

    ", + "

    You cannot be a magistrate if you work in one of a small number of jobs where there could be a conflict of interest - for instance if you are a police officer.

    ", + "

    Time off for magistrate duties

    ", + "

    You will need to be in court for at least 13 days a year, which are usually full days.

    ", + "

    Discuss with your employer how you will balance your work and magistrate duties.

    ", + "

    Your employer must, by law, allow you reasonable time off work to serve as a magistrate.

    ", + "

    You will get your rota well in advance, so you can give your employer plenty of notice of when you\u2019ll be in court.

    ", + "

    Pay and allowances

    ", + "

    Magistrates are not paid, but many employers allow their employees time off with pay.

    ", + "

    If you lose out on pay, you can claim an allowance at a set rate, as well as allowances for travel and subsistence.

    ", + "

    Find out more about magistrates\u2019 allowances.

    ", + "

    Training to be a magistrate

    ", + "

    You will need training to be a magistrate.

    ", + "

    The training when you start will add up to about 21 hours, or 3 and a half days, as well as some meetings.

    ", + "

    The training could take place over:

    ", + "
  • a long weekend
  • ", + "
  • weekdays
  • ", + "
  • short evening sessions over several weeks
  • ", + "

    Apply to be a magistrate

    ", + "

    Visit your local court

    ", + "

    You should visit your local court at least once, and a few times if you can, to check the role is right for you.

    ", + "

    As family cases are heard in private, you will not be able to visit a family court before you apply.

    ", + "

    Use the court finder to find your nearest court.

    ", + "

    The court can let you know when it\u2019s best to visit and which courtrooms to go and see.

    ", + "

    If you are invited to an interview, you will be asked to talk about your visits.

    ", + "

    Find out where to apply

    ", + "

    You need to apply to the advisory committee for your local court.

    ", + "

    Check the list of advisory committees to find out if there are any vacancies in your area, and where you need to apply.

    ", + "

    Application form

    ", + "

    You can download the application form and guidance notes and email or post it to the advisory committee for your area.

    ", + "

    Recruitment queries

    ", + "

    Contact your local advisory committee if you have a question about applying to become a magistrate.

    ", + "

    You can also contact the Magistrates HR Team.

    " + ] + }, + { + "title": "Claiming Gift Aid as a charity or CASC", + "url": "https://www.gov.uk/claim-gift-aid", + "contents": [ + "

    Overview

    ", + "

    You can claim back 25p every time an individual donates \u00a31 to your charity or community amateur sports club (CASC). This is called Gift Aid.

    ", + "

    You must be recognised as a charity or CASC for tax purposes.

    ", + "

    There are rules on which donations you can claim Gift Aid on.

    ", + "

    You can claim Gift Aid online - you should get your payment within 5 weeks.

    ", + "

    What the donor needs to do

    ", + "

    The donor must:

    ", + "
  • have paid at least as much in Income Tax or Capital Gains Tax in that tax year as you want to claim in Gift Aid
  • ", + "
  • make a Gift Aid declaration that gives you permission to claim it
  • ", + "

    If the donor has not made a declaration you may still be able to claim on cash donations of \u00a330 or less, for example from a collection.

    ", + "

    What you can claim it on

    ", + "

    You can claim Gift Aid on donations from individuals. The donor must:

    ", + "
  • have paid the same amount or more in Income Tax or Capital Gains Tax in that tax year
  • ", + "
  • make a Gift Aid declaration that gives you permission to claim it
  • ", + "

    You must be recognised as a charity or community amateur sports club (CASC) to claim Gift Aid.

    ", + "

    Special rules for claiming Gift Aid

    ", + "

    There are special rules for:

    ", + "
  • funds from sponsored challenges for example overseas treks or marathons
  • ", + "
  • charity membership fees
  • ", + "
  • church collections
  • ", + "
  • selling goods on behalf of individuals, for example through a charity shop
  • ", + "
  • charity events or to view charity property
  • ", + "
  • charity auctions
  • ", + "
  • volunteer expenses donated back to your charity or CASC
  • ", + "
  • funds raised through charities involved in running schools
  • ", + "

    What you cannot claim it on

    ", + "

    You cannot claim on donations:

    ", + "
  • from limited companies
  • ", + "
  • made through Payroll Giving
  • ", + "
  • that are a payment for goods or services or made because your charity or CASC bought goods and services
  • ", + "
  • where the donor gets a \u2018benefit\u2019 over a certain limit
  • ", + "
  • of shares
  • ", + "
  • from charity cards or of vouchers, for example Charities Aid Foundation (CAF) vouchers
  • ", + "
  • of membership fees to CASCs
  • ", + "
  • you got before you were a recognised charity or CASC
  • ", + "

    Gift Aid declarations

    ", + "

    To claim Gift Aid you need to get a Gift Aid declaration from the donor. It should state that the donor:

    ", + "
  • has paid the same amount or more in Income Tax or Capital Gains Tax in that tax year
  • ", + "
  • agrees to Gift Aid being claimed
  • ", + "

    You must keep a record of declarations for 6 years after the most recent donation you claimed Gift Aid on.

    ", + "

    Gift Aid declaration forms

    ", + "

    The declaration must include a description of the gift and the:

    ", + "
  • name of your charity or community amateur sports club (CASC)
  • ", + "
  • donor\u2019s full name
  • ", + "
  • donor\u2019s home address (at least their house number or name and postcode)
  • ", + "

    Example declarations

    ", + "

    Download example Gift Aid declaration forms for:

    ", + "
  • one-off donations
  • ", + "
  • all donations
  • ", + "
  • sponsored events
  • ", + "

    Cash donations

    ", + "

    You can put a Gift Aid declaration on your charity\u2019s collection envelopes.

    ", + "

    You may still be able to claim on cash donations of \u00a330 or less if you do not have a declaration.

    ", + "

    Small donations scheme

    ", + "

    You may be able to claim 25% on:

    ", + "
  • cash donations of \u00a330 or less
  • ", + "
  • contactless card donations of \u00a330 or less collected on or after 6 April 2019
  • ", + "

    This is called the Gift Aid small donations scheme (GASDS). You do not need a Gift Aid declaration to claim.

    ", + "

    From 6 April 2016, you can claim up to \u00a32,000 in a tax year or \u00a31,250 for earlier years.

    ", + "

    Who can claim

    ", + "

    Your charity or CASC must have claimed Gift Aid:

    ", + "
  • in the same tax year as you want to claim GASDS
  • ", + "
  • without getting a penalty in the last 2 tax years
  • ", + "
  • in at least 2 of the last 4 tax years (without a 2-year gap between claims) if you\u2019re claiming on donations made before 6 April 2017
  • ", + "

    What you can claim

    ", + "

    Your GASDS claim cannot be more than 10 times your Gift Aid claim. For example, you can claim on \u00a31,000 worth of donations through GASDS if you\u2019ve received \u00a3100 of Gift Aid donations in the same tax year.

    ", + "

    You can claim on donations that are eligible for Gift Aid, but not membership fees.

    ", + "

    Collections in community buildings

    ", + "

    If your charity has a community building (for example a village hall or religious building) you might be able to claim more on donations collected either:

    ", + "
  • in your community building
  • ", + "
  • in the same council area as your community building, if you collected the donations on or after 6 April 2017
  • ", + "

    For somewhere to count as your community building, you need to have hosted at least 6 charity events there. The events must have all been attended by at least 10 people.

    ", + "

    If your organisation is connected to another charity or CASC

    ", + "

    If one of the charities has a community building, all of the connected charities can either:

    ", + "
  • claim as if they had a community building
  • ", + "
  • share a single \u00a38,000 limit - all the charities will need to write to HMRC to do this
  • ", + "

    If none of the charities have a community building, or you\u2019re claiming for donations made before 6 April 2017, the connected charities must share a single \u00a38,000 limit.

    ", + "

    If your charity has merged with another charity or CASC you may be able to take on the other charity\u2019s record of good claims.

    ", + "

    Keeping records

    ", + "

    You need to record the:

    ", + "
  • total cash donations collected
  • ", + "
  • date of the collection
  • ", + "
  • date it was paid into a bank account
  • ", + "

    You\u2019ll need to keep records of any contactless card donations that you\u2019ve taken, for example receipts from your card machine.

    ", + "

    For collections in community buildings you\u2019ll also need to record:

    ", + "
  • the address of the place you collected the donations (including postcode)
  • ", + "
  • the type of event
  • ", + "
  • the number of events you held
  • ", + "
  • an estimate of how many people were at the event
  • ", + "
  • when you collected the donations
  • ", + "

    How to claim

    ", + "

    Claim under GASDS in the same way as Gift Aid.

    ", + "

    How to claim

    ", + "

    You can claim Gift Aid using Charities Online with:

    ", + "
  • eligible software, like a database
  • ", + "
  • a spreadsheet of your donations
  • ", + "

    For claims of over 1,000 donations you must use software.

    ", + "

    To apply by post use form ChR1, which you can get from the charities helpline.

    ", + "

    When you must claim

    ", + "

    Your deadline to claim Gift Aid depends on how your charity is set up.

    ", + "

    You need to claim for a donation within 4 years of the end of the financial period you received it in. This is:

    ", + "
  • the tax year (6 April to 5 April) if you\u2019re a trust
  • ", + "
  • your accounting period if your charity is a community amateur sports club (CASC), a Charity Incorporated Organisation (CIO) or a limited company
  • ", + "

    You must claim on cash donations under the Gift Aid Small Donations Scheme within 2 years of the end of the tax year that the donations were collected in.

    ", + "

    Keeping records

    ", + "

    You need to keep records of these donations for a further two years.

    ", + "

    When you\u2019ll get paid

    ", + "

    You\u2019ll get a Gift Aid payment by BACS within:

    ", + "
  • 4 weeks if you claimed online
  • ", + "
  • 5 weeks if you claimed by post using form ChR1
  • ", + "

    Contact the charities helpline if your repayment is wrong or if you submitted an incorrect claim.

    " + ] + }, + { + "title": "Nominate someone for an honour or award", + "url": "https://www.gov.uk/honours", + "contents": [ + "

    Overview

    ", + "

    The honours system recognises people who have:

    ", + "
  • made achievements in public life
  • ", + "
  • committed themselves to serving and helping Britain
  • ", + "

    They\u2019ll usually have made life better for other people or be outstanding at what they do.

    ", + "

    They must still be actively involved in what you\u2019re nominating them for. The only honours which can be awarded after someone\u2019s death are gallantry awards.

    ", + "

    Whether someone gets an honour - and the honour they get - is decided by an honours committee. The committee\u2019s recommendations go to the Prime Minister and then to the Queen, who awards the honour.

    ", + "

    Nominating someone for an honour

    ", + "

    Anyone can nominate someone for an honour.

    ", + "

    How you apply depends on whether you want to:

    ", + "
  • nominate someone in the UK
  • ", + "
  • nominate someone for their work in responding to coronavirus (COVID-19)
  • ", + "
  • nominate someone overseas
  • ", + "
  • nominate someone for a gallantry award
  • ", + "

    After you nominate someone for an honour

    ", + "

    You\u2019ll get an acknowledgment - but you may not hear anything else for 12 to 18 months.

    ", + "

    All nominees will be checked by various government departments to make sure they\u2019re suitable for an honour. This may include checks by HM Revenue and Customs (HMRC).

    ", + "

    The honours committee reviews those nominations that are sent to it.

    ", + "

    What people get honours for

    ", + "

    People get honours for achievements like:

    ", + "
  • making a difference to their community or field of work
  • ", + "
  • enhancing Britain\u2019s reputation
  • ", + "
  • long-term voluntary service
  • ", + "
  • innovation and entrepreneurship
  • ", + "
  • changing things, with an emphasis on achievement
  • ", + "
  • improving life for people less able to help themselves
  • ", + "
  • displaying moral courage
  • ", + "

    Honours are given to people involved in fields including:

    ", + "
  • community, voluntary and local services
  • ", + "
  • arts and media
  • ", + "
  • health
  • ", + "
  • sport
  • ", + "
  • education
  • ", + "
  • science and technology
  • ", + "
  • business and the economy
  • ", + "
  • civil or political service
  • ", + "

    Group nominations

    ", + "

    You can only nominate individuals for honours.

    ", + "

    You can nominate a volunteer group for the Queen\u2019s Award for Voluntary Service.

    ", + "

    Nominate someone who lives in the UK

    ", + "

    You can nominate someone for an honour online.

    ", + "

    There\u2019s a different process for coronavirus (COVID-19) nominations and gallantry awards.

    ", + "

    You\u2019ll need to write a detailed description explaining why you\u2019re nominating them. Read the guidance on how to write a nomination.

    ", + "

    You\u2019ll also need:

    ", + "
  • your nominee\u2019s name, age, address and contact details
  • ", + "
  • details of relevant work or volunteering they\u2019ve done
  • ", + "
  • details of any awards or other recognition they\u2019ve received
  • ", + "
  • 2 supporting letters to back up your nomination - these should be from people who know the nominee personally
  • ", + "

    You can include any evidence you have of recognition your nominee has received for their achievements, for example articles, photos or letters.

    ", + "

    You can save your nomination and come back to it later.

    ", + "

    Make a nomination

    ", + "

    Make a nomination by email

    ", + "

    Download and fill in the honours nomination form and email it to the Honours and Appointments Secretariat.

    ", + "

    You can also ask the unit questions about the nomination process.

    ", + "

    Nominate someone for coronavirus-related work

    ", + "

    You can nominate someone who has made an exceptional contribution to the response to the coronavirus (COVID-19) crisis in the UK.

    ", + "

    Anyone can make a nomination and there is no deadline. Nominations will be considered by an independent honours committee.

    ", + "

    How to make a nomination

    ", + "

    Download and fill in the honours nomination form and email it to the Honours and Appointments Secretariat.

    ", + "

    What you need to include

    ", + "

    You should try to include:

    ", + "
  • the nominee\u2019s name
  • ", + "
  • any contact details
  • ", + "
  • their role
  • ", + "
  • a summary of the impact the person has made
  • ", + "

    You can add additional documents, for example letters of support, as attachments to your email.

    ", + "

    What happens next

    ", + "

    You\u2019ll get an acknowledgment. Nominations will be processed as quickly as possible.

    ", + "

    Nominate someone who lives or works abroad

    ", + "

    You can nominate someone for an honour if they live or work abroad and they\u2019ve made achievements in either:

    ", + "
  • the UK and their achievement has a significant international element
  • ", + "
  • another country
  • ", + "

    They\u2019ll be given an \u2018honorary award\u2019 if they\u2019re not:

    ", + "
  • British
  • ", + "
  • a national of a country where the Queen is Head of State
  • ", + "

    There\u2019s a different process for gallantry awards.

    ", + "

    Download and fill in the nomination form and send it to the Royal, Ceremonial and Honours Unit, part of the Foreign, Commonwealth and Development Office (FCDO).

    ", + "

    You can also ask the unit questions about the nomination process.

    ", + "

    Recommend someone for a gallantry award

    ", + "

    Civilian gallantry awards recognise the bravery of people who\u2019ve put themselves in danger to save (or attempt to save) someone\u2019s life. Recommendations are judged on:

    ", + "
  • degree of risk
  • ", + "
  • how aware the nominee was of the danger
  • ", + "
  • persistence
  • ", + "

    The incident must have taken place in the last 5 years. You can recommend someone after they\u2019ve died \u2013\u00a0they\u2019ll get a posthumous award. They do not have to be British (except for the George Cross award).

    ", + "

    Types of gallantry awards

    ", + "

    You can recommend someone for the:

    ", + "
  • George Cross (a first-level civilian medal for bravery, for acts of great heroism and courage in extreme danger)
  • ", + "
  • George Medal (a second-level civilian medal for bravery, for acts of great bravery)
  • ", + "
  • Queen\u2019s Gallantry Medal (a third-level civilian medal for bravery, for inspiring acts of bravery)
  • ", + "
  • Queen\u2019s Commendation for Bravery/Bravery in the Air (a fourth-level civilian medal for bravery, for acts which involve risk to life)
  • ", + "

    How to recommend someone for a gallantry award

    ", + "

    Email the Honours and Appointments Secretariat.

    ", + "

    You\u2019ll need to write a detailed description explaining why you\u2019re recommending them. Include the person\u2019s:

    ", + "
  • name
  • ", + "
  • date of birth
  • ", + "
  • address
  • ", + "

    Give as many details as possible about what happened. This will make your application more likely to be considered. Include:

    ", + "
  • location
  • ", + "
  • date
  • ", + "
  • any emergency or official services that were there
  • ", + "

    After you recommend someone for a gallantry award

    ", + "

    All recommendations will be assessed by the George Cross Committee, which makes recommendations to the Queen, who awards the honour.

    ", + "

    Types of honours and awards

    ", + "

    You cannot nominate someone for a specific honour - that\u2019s decided by the honours committee.

    ", + "

    There are also awards for bravery, called gallantry awards.

    ", + "

    Companion of Honour

    ", + "

    This is awarded for having a major contribution to the arts, science, medicine, or government lasting over a long period of time.

    ", + "

    Knight or Dame

    ", + "

    This is awarded for having a major contribution in any activity, usually at national level. Other people working in the nominee\u2019s area will see their contribution as inspirational and significant, requiring commitment over a long period of time.

    ", + "

    Commander of the Order of the British Empire (CBE)

    ", + "

    This is awarded for having a prominent but lesser role at national level, or a leading role at regional level. You can also get one for a distinguished, innovative contribution to any area.

    ", + "

    Officer of the Order of the British Empire (OBE)

    ", + "

    This is awarded for having a major local role in any activity, including people whose work has made them known nationally in their chosen area.

    ", + "

    Member of the Order of the British Empire (MBE)

    ", + "

    Awarded for an outstanding achievement or service to the community. This will have had a long-term, significant impact and stand out as an example to others.

    ", + "

    British Empire Medal (BEM)

    ", + "

    Awarded for a \u2018hands-on\u2019 service to the local community. This could be a long-term charitable or voluntary activity, or innovative work of a relatively short duration (3 to 4 years) that has made a significant difference.

    ", + "

    Royal Victorian Order (RVO)

    ", + "

    An award given by the Queen - usually to people who have helped her personally, like members of the Royal household staff or British ambassadors.

    ", + "

    The orders

    ", + "

    The committee decides which order someone should be a member of. You do not have to specify this in your nomination.

    ", + "Order | Who can be nominated", + "Order of the Bath | Senior civil servants and military officers", + "Order of St Michael and St George | Diplomats and people serving the UK abroad", + "Order of the British Empire | Anyone", + "Companion of Honour (award) | Anyone", + "Royal Victorian Order | People who have served the Queen or the Monarchy in a personal way", + "

    Most awards are in the Order of the British Empire.

    ", + "

    Honours lists

    ", + "

    The lists of who\u2019s received honours are published at New Year and on the Queen\u2019s official birthday in June.

    ", + "

    2021 New Year honours

    ", + "

    Read a full listing of the 2021 New Year honours.

    ", + "

    2021 Queen\u2019s Birthday honours

    ", + "

    Read a full listing of the 2021 Queen\u2019s Birthday honours.

    ", + "

    Previous honours lists

    ", + "

    Read previous honours lists and reports on the honours system.

    ", + "

    Foreign, Commonwealth and Development Office Honorary Awards

    ", + "

    You can read a list of Honorary Awards approved by Her Majesty the Queen in 2021.

    ", + "

    Civilian gallantry awards

    ", + "

    You can read the civilian gallantry list approved by Her Majesty the Queen in 2021.

    " + ] + }, + { + "title": "Register as a community amateur sports club (CASC)", + "url": "https://www.gov.uk/register-a-community-amateur-sports-club", + "contents": [ + "

    Overview

    ", + "

    If your sports club is eligible, you can become a community amateur sports club (CASC). You\u2019ll get:

    ", + "
  • tax relief on income, gains and profits from some activities
  • ", + "
  • Gift Aid repayments on donations
  • ", + "
  • business rates relief
  • ", + "

    To benefit you must register with HM Revenue and Customs (HMRC).

    ", + "

    You can claim relief on money you use to promote and provide facilities for eligible sports. These are known as \u2018qualifying purposes\u2019.

    ", + "

    You can\u2019t remove a CASC from the register (\u2018deregistration\u2019) though you can close it if the club\u2019s members vote and agree.

    ", + "

    CASCs and charities

    ", + "

    You must choose whether to register as a CASC or a charity. A registered CASC can\u2019t be recognised as a charity for tax purposes.

    ", + "

    CASCs aren\u2019t regulated by the Charity Commission.

    ", + "

    Eligibility

    ", + "

    To register as a CASC you must provide facilities for eligible sports and encourage people to take part. Under the new rules from 1 April 2015, at least 50% of members must take part.

    ", + "

    You must also:

    ", + "
  • be set up with a formal constitution, known as a governing document
  • ", + "
  • be open to the whole community and have affordable membership fees
  • ", + "
  • be organised on an amateur basis
  • ", + "
  • be set up and provide facilities in the UK, the EU, Iceland, Liechtenstein or Norway (but in one country only)
  • ", + "
  • be managed by \u2018fit and proper persons\u2019
  • ", + "

    Governing document

    ", + "

    This is the document that sets out the purpose and structure of your club. It may also be called a \u2018memorandum and articles of association\u2019.

    ", + "

    It must:

    ", + "
  • set out how you meet the eligibility criteria for registering as a CASC
  • ", + "
  • state that any assets left after the club closes are only used by another registered CASC, charity or related community sport
  • ", + "

    Open to the whole community

    ", + "

    CASCs must be open to people of all ethnicities, nationalities, sexual orientations, religions or beliefs, sexes, ages and ability - except when a certain level of physical ability is needed to take part in a sport.

    ", + "

    Membership fees

    ", + "

    CASCs can\u2019t charge more than \u00a331 a week for membership, and clubs that charge more than \u00a310 a week must provide help (eg a discount) for people who can\u2019t pay.

    ", + "

    You can charge different fees for different types of members, like juniors or students, as long as you\u2019re not discriminating against groups or individuals.

    ", + "

    Organised on an amateur basis

    ", + "

    CASCs must:

    ", + "
  • not make a profit, unless this is reinvested in the club and spent only on promoting participation and providing facilities for eligible sports
  • ", + "
  • not pay more than \u00a310,000 in total to all players in a year (before 1 April 2015 CASCs couldn\u2019t pay players at all)
  • ", + "
  • provide only the benefits normally associated with an amateur sports club, eg use of equipment, coaching, post-match refreshments
  • ", + "
  • only pay expenses for matches and tours where players take part in and promote the club\u2019s sport (before 1 April 2015 clubs couldn\u2019t pay any expenses)
  • ", + "

    Register

    ", + "

    Register as a community amateur sports club (CASC) by filling in form CASC (A1) if your CASC is eligible.

    ", + "

    You can\u2019t withdraw an application once it\u2019s been made.

    ", + "

    What you need to complete the form

    ", + "

    You must be the club\u2019s \u2018authorised official\u2019 or \u2018responsible person\u2019 to fill in the form. You\u2019ll also need:

    ", + "
  • details of at least 2 other officials, including National Insurance and telephone numbers
  • ", + "
  • the name and address of the club
  • ", + "
  • a correspondence address, if that\u2019s different
  • ", + "
  • the number of members or subscriptions
  • ", + "
  • company or VAT references, if applicable
  • ", + "
  • details of a nominee or agent, if the club has one
  • ", + "
  • the club\u2019s bank details
  • ", + "
  • details of the club\u2019s income
  • ", + "

    Within 30 days of applying, you must send copies of the club\u2019s:

    ", + "
  • accounts from the last 12 months
  • ", + "
  • bank statements from the last 3 months
  • ", + "
  • rules or articles of association
  • ", + "

    You must include a translation of any documents not in English.

    ", + "

    Send them to the address on the form.

    ", + "

    How long the application takes

    ", + "

    You should get a response within 3 weeks.

    ", + "

    If your application is refused

    ", + "

    HMRC will explain the reasons and what you need to change.

    ", + "

    You can appeal in writing to HMRC within 30 days of their decision if you think it\u2019s wrong.

    ", + "

    If you\u2019re not satisfied with the outcome you have a further 30 days to appeal to the tax tribunal.

    ", + "

    Help with registering

    ", + "

    You can get more help and information from HMRC\u2019s charities helpline.

    " + ] + }, + { + "title": "Running a community amateur sports club (CASC)", + "url": "https://www.gov.uk/running-community-amateur-sports-club", + "contents": [ + "

    Overview

    ", + "

    As a community amateur sports club (CASC) you must tell HM Revenue and Customs (HMRC) about:

    ", + "
  • any tax you need to pay
  • ", + "
  • changes within your organisation
  • ", + "

    The rules for CASCs changed on 1 April 2015. Check whether you need to make changes to meet the new rules.

    ", + "

    When you need to pay tax

    ", + "

    You don\u2019t pay tax on some income as long as you:

    ", + "
  • are registered as a CASC with HMRC
  • ", + "
  • use it to promote participation in and provide facilities for eligible sports
  • ", + "

    You may need to pay tax if:

    ", + "
  • your club uses money for other (non-qualifying) purposes
  • ", + "
  • your trading or property rental income is more than the threshold for relief
  • ", + "

    Register for VAT

    ", + "

    Your CASC must register for VAT if your taxable turnover is more than \u00a385,000.

    ", + "

    You can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.

    ", + "

    Taxable turnover includes everything you sell that\u2019s not exempt from VAT. Income from sporting activities and fundraising events is exempt.

    ", + "

    Changes to your CASC

    ", + "

    You must report changes to your club\u2019s:

    ", + "
  • contact details
  • ", + "
  • bank details
  • ", + "
  • management
  • ", + "

    You can close a CASC but can\u2019t remove it from the register (this is called \u2018deregistration\u2019).

    ", + "

    If you change the way you run your CASC you must still meet the rules on eligibility. If you don\u2019t, HM Revenue and Customs (HMRC) can cancel your registration.

    ", + "

    Get help and advice

    ", + "

    You can get help and advice on CASCs and charities from HMRC\u2019s charities helpline.

    ", + "

    Advice and support is also available from cascinfo.co.uk.

    ", + "

    Paying tax

    ", + "

    Community amateur sports clubs (CASCs) need to pay Corporation Tax on any income or capital gains that don\u2019t qualify for tax relief.

    ", + "

    If your CASC needs to pay tax you must:

    ", + "
  • file a Company Tax Return
  • ", + "
  • include form CT600E if you\u2019re claiming relief on any income or gains
  • ", + "

    If you have no tax to pay you only need to complete a tax return if HM Revenue and Customs (HMRC) asks you to.

    ", + "

    Limited companies must also send annual accounts to Companies House.

    ", + "

    You may have to pay a fine if you don\u2019t complete a tax return when you need to or you file your tax return late.

    ", + "

    Reporting changes

    ", + "

    Use form ChV1 to report changes to your community amateur sports club (CASC).

    ", + "

    Allow at least 30 days for HMRC to register your changes.

    ", + "

    Changes you have to report

    ", + "

    You must tell HM Revenue and Customs (HMRC) about changes to your:

    ", + "
  • organisation\u2019s contact details
  • ", + "
  • authorised officials or responsible persons
  • ", + "
  • nominees\u2019 details, including their bank or building society account changes
  • ", + "
  • bank or building society account details
  • ", + "

    You can also use the form to tell HMRC about any other changes, for example changes to your constitution.

    ", + "

    You must report any changes that would affect your club\u2019s eligibility to be a CASC.

    ", + "

    Closing or deregistering a CASC

    ", + "

    Only HM Revenue and Customs (HMRC) can deregister your CASC.

    ", + "

    If your club\u2019s members vote and agree to close your CASC, you must:

    ", + "
  • let HMRC know
  • ", + "
  • follow the rules in your governing document
  • ", + "

    HMRC will tell you if you have to complete a Company Tax Return.

    ", + "

    Disposing of assets

    ", + "

    There are rules about what you do with your assets (for example, land or money) when you close a CASC.

    ", + "

    Any remaining assets must only be used for:

    ", + "
  • related community sport (as decided by your sport\u2019s governing body)
  • ", + "
  • another registered CASC
  • ", + "
  • a charity
  • ", + "

    Your CASC would otherwise have to pay Corporation Tax.

    ", + "

    If your club is removed from the register

    ", + "

    HMRC can cancel your CASC registration by writing to the club secretary if it decides your club is no longer eligible. This can be backdated.

    ", + "

    If HMRC deregisters your CASC you:

    ", + "
  • will no longer get tax exemptions as of the deregistration date
  • ", + "
  • may have to pay Corporation Tax on any assets taken out of the club
  • " + ] + }, + { + "title": "Set up a charity", + "url": "https://www.gov.uk/setting-up-charity", + "contents": [ + "

    Set up a charity

    ", + "

    There are 6 steps to setting up a charity.

    ", + "
  • Find trustees for your charity - you usually need at least 3.
  • ", + "
  • Make sure the charity has \u2018charitable purposes for the public benefit\u2019.
  • ", + "
  • Choose a name for your charity.
  • ", + "
  • Choose a structure for your charity.
  • ", + "
  • Create a \u2018governing document\u2019.
  • ", + "
  • Register as a charity if your annual income is over \u00a35,000 or if you set up a charitable incorporated organisation (CIO).
  • ", + "

    There are different rules in Scotland and Northern Ireland.

    ", + "

    Tax relief

    ", + "

    To get tax relief your charity needs to be recognised by HM Revenue and Customs (HMRC).

    ", + "

    Charitable purposes

    ", + "

    Your charity must have \u2018charitable purposes\u2019 that help the public (known as being \u2018for public benefit\u2019).

    ", + "

    Charitable purposes include things that contribute to:

    ", + "
  • relieving poverty
  • ", + "
  • education
  • ", + "
  • religion
  • ", + "
  • health
  • ", + "
  • saving lives
  • ", + "
  • citizenship or community development
  • ", + "
  • the arts
  • ", + "
  • amateur sport
  • ", + "
  • human rights
  • ", + "
  • religious or racial harmony
  • ", + "
  • the protection of the environment
  • ", + "
  • animal welfare
  • ", + "
  • the efficiency of the armed forces, police, fire or ambulance services
  • ", + "

    Read guidance on writing your charitable purposes.

    ", + "

    You should also read about public benefit to decide if your charity\u2019s aims are suitable.

    ", + "

    You can\u2019t set up a charity to help one specific person.

    ", + "

    Name your charity

    ", + "

    Your charity name must not:

    ", + "
  • be similar to the name of an existing charity (unless you can prove you need to use it)
  • ", + "
  • use words you don\u2019t have permission to use, for example a trade mark
  • ", + "
  • use offensive words or acronyms
  • ", + "
  • be misleading, for example suggest your charity does something it doesn\u2019t
  • ", + "

    Search the charities register to check the names of registered charities. Unregistered charities won\u2019t appear in the register.

    ", + "

    Additional names

    ", + "

    You can use:

    ", + "
  • abbreviations, for example National Society for the Prevention of Cruelty to Children is known as NSPCC
  • ", + "
  • alternative names, for example Comic Relief is a working name for Charity Projects
  • ", + "

    You must list any alternative or working names your charity uses when you apply to register.

    ", + "

    Non-English names

    ", + "

    You must include a translation of any non-English words in your charity\u2019s name when you register.

    ", + "

    Using \u2018charity\u2019 in a name

    ", + "

    You can use the words \u2018charity\u2019, \u2018charities\u2019 or \u2018charitable\u2019 in your charity\u2019s name but you need approval from the Charity Commission if you use them when you register a company name with Companies House.

    ", + "

    Structures

    ", + "

    You must choose a structure for your charity, which will affect things like:

    ", + "
  • who runs the charity
  • ", + "
  • how the charity is run
  • ", + "
  • what the charity can do, for example employ people or own property
  • ", + "

    There are 4 common charity structures.

    ", + "

    Charitable company

    ", + "

    Your charitable companies will have to be limited by guarantees rather than shares when you register. Select \u2018private company limited by guarantee\u2019 on the form.

    ", + "

    Trustees have limited or no liability for a charitable company\u2019s debts or liabilities.

    ", + "

    Apply online

    ", + "

    You can apply online to register a charitable company with Companies House.

    ", + "

    Apply by post

    ", + "

    Fill in the form to register a charitable company with Companies House by post.

    ", + "

    It costs \u00a340.

    ", + "

    You may also need:

    ", + "
  • continuation sheets if you need extra space to write
  • ", + "
  • a Welsh version of the form
  • ", + "

    Charitable incorporated organisation (CIO)

    ", + "

    A CIO is an incorporated structure designed for charities. You create a CIO by registering with the Charity Commission. You don\u2019t need to register with Companies House.

    ", + "

    Trustees have limited or no liability for CIO debts or liabilities.

    ", + "

    Charitable trust

    ", + "

    A \u2018charitable trust\u2019 is a way for a group of people (\u2018trustees\u2019) to manage assets such as money, investments, land or buildings.

    ", + "

    Unincorporated charitable association

    ", + "

    An \u2018unincorporated charitable association\u2019 is a simple way for a group of volunteers to run a charity for a common purpose.

    ", + "

    Unincorporated charitable associations can\u2019t employ staff or own premises.

    ", + "

    Governing document

    ", + "

    You must create a \u2018governing document\u2019 (or \u2018rulebook\u2019) for your charity that explains how your charity is run.

    ", + "

    Your governing document lets trustees and other interested parties find out:

    ", + "
  • your charity\u2019s purpose
  • ", + "
  • who runs it and how they run it
  • ", + "
  • how trustees will be appointed
  • ", + "
  • rules about trustees\u2019 expenses
  • ", + "
  • rules about payments to trustees
  • ", + "
  • how to close the charity
  • ", + "

    What type of governing document you need depends on your charity structure.

    ", + "

    Read guidance on writing your governing document, including example templates.

    ", + "

    You can create your governing document using your own templates but it may mean registration takes longer.

    ", + "

    The trustees must meet to sign the governing document. You\u2019ll need an independent witness if you\u2019re setting up a charitable trust.

    ", + "

    Register your charity

    ", + "

    You must apply to register your charity if:

    ", + "
  • its income is at least \u00a35,000 per year or it\u2019s a charitable incorporated organisation (CIO)
  • ", + "
  • it\u2019s based in England or Wales (the rules are different in Scotland and Northern Ireland
  • ", + "

    Supporting documents

    ", + "

    When you apply you\u2019ll be asked:

    ", + "
  • about your charity\u2019s charitable purposes
  • ", + "
  • how you run your charity for public benefit
  • ", + "
  • for proof that your charity\u2019s annual income is above \u00a35,000, unless you\u2019re a CIO
  • ", + "

    You\u2019ll also need to give your charity\u2019s:

    ", + "
  • name
  • ", + "
  • bank or building society details
  • ", + "
  • most recent accounts
  • ", + "
  • contact details, including a postal address
  • ", + "
  • trustees\u2019 names, dates of birth and contact details
  • ", + "
  • a copy of your charity\u2019s governing document (in PDF format)
  • ", + "

    Proof of income

    ", + "

    Proof of income, if needed, can be any one of:

    ", + "
  • your charity\u2019s latest \u2018published\u2019 annual accounts (in PDF format) - they must have been approved as proof of income by an independent examiner or auditor
  • ", + "
  • a recent bank statement (as a scanned image)
  • ", + "
  • a formal offer of funding from a recognised funding body (as a scanned image)
  • " + ] + }, + { + "title": "Tax relief when you donate to a charity", + "url": "https://www.gov.uk/donating-to-charity", + "contents": [ + "

    Overview

    ", + "

    Donations by individuals to charity or to community amateur sports clubs (CASCs) are tax free. This is called tax relief.

    ", + "

    The tax goes to you or the charity. How this works depends on whether you donate:

    ", + "
  • through Gift Aid
  • ", + "
  • straight from your wages or pension through a Payroll Giving scheme
  • ", + "
  • land, property or shares
  • ", + "
  • in your will
  • ", + "

    This also applies to sole traders and partnerships. There are different rules for limited companies.

    ", + "

    If you want to donate to a sports club, check if it\u2019s registered as a community amateur sports club (CASC). You cannot donate to a CASC through Payroll Giving.

    ", + "

    Keeping records

    ", + "

    You\u2019ll need to keep a record of your donations if you want to take them off your total taxable income.

    ", + "

    Gift Aid

    ", + "

    Donating through Gift Aid means charities and community amateur sports clubs (CASCs) can claim an extra 25p for every \u00a31 you give. It will not cost you any extra.

    ", + "

    Charities can claim Gift Aid on most donations, but some payments do not qualify.

    ", + "

    What you need to do

    ", + "

    You need to make a Gift Aid declaration for the charity to claim. You usually do this by filling in a form - contact the charity if you have not got one.

    ", + "

    You must give a declaration to each charity you want to donate to through Gift Aid.

    ", + "

    You can include all donations from the last 4 years. Tell the charity about any tax years where you did not pay enough tax.

    ", + "

    Paying enough tax to qualify for Gift Aid

    ", + "

    Your donations will qualify as long as they\u2019re not more than 4 times what you have paid in tax in that tax year (6 April to 5 April).

    ", + "

    The tax could have been paid on income or capital gains.

    ", + "

    You must tell the charities you support if you stop paying enough tax.

    ", + "

    Higher rate taxpayers

    ", + "

    If you pay tax above the basic rate, you can claim the difference between the rate you pay and basic rate on your donation. It\u2019s the same if you live in Scotland. Do this either:

    ", + "
  • through your Self Assessment tax return
  • ", + "
  • by asking HM Revenue and Customs (HMRC) to amend your tax code
  • ", + "

    With Payroll Giving, you do not pay the difference between the higher and basic rate of tax on your donation.

    ", + "

    Getting tax relief sooner

    ", + "

    In your Self Assessment tax return, you normally only report things from the previous tax year.

    ", + "

    But for Gift Aid, you can also claim tax relief on donations you make in the current tax year (up to the date you send your return) if you either:

    ", + "
  • want tax relief sooner
  • ", + "
  • will not pay higher rate tax in current year, but you did in the previous year
  • ", + "

    You cannot do this if:

    ", + "
  • you miss the deadline\n (31 January if you file online)
  • ", + "
  • your donations do not qualify for Gift Aid - your donations from both tax years together must not be more than 4 times what you paid in tax in the previous year
  • ", + "

    If you do not have to send a tax return, contact HMRC and ask for a P810 form. You\u2019ll need to submit it by 31 January after the end of the previous tax year.

    ", + "

    Donating straight from your wages or pension

    ", + "

    If your employer, company or personal pension provider runs a Payroll Giving scheme, you can donate straight from your wages or pension. This happens before tax is deducted from your income.

    ", + "

    Ask your employer or pension provider if they run a Payroll Giving scheme.

    ", + "

    You cannot donate to a community amateur sports club (CASC) through Payroll Giving.

    ", + "

    The tax relief you get depends on the rate of tax you pay. To donate \u00a31, you pay:

    ", + "
  • 80p if you\u2019re a basic rate taxpayer
  • ", + "
  • 60p if you\u2019re a higher rate taxpayer
  • ", + "
  • 55p if you\u2019re an additional rate taxpayer
  • ", + "

    The tax relief you get is different if you live in Scotland. To donate \u00a31, you pay:

    ", + "
  • 81p if you\u2019re a starter rate taxpayer
  • ", + "
  • 80p if you\u2019re a basic rate taxpayer
  • ", + "
  • 79p if you\u2019re a intermediate rate taxpayer
  • ", + "
  • 59p if you\u2019re a higher rate taxpayer
  • ", + "
  • 54p if you\u2019re a top rate taxpayer
  • ", + "

    Donating land, property or shares

    ", + "

    You do not have to pay tax on land, property or shares you donate to charity. This includes selling them for less than their market value.

    ", + "

    You get tax relief on both:

    ", + "
  • Income Tax
  • ", + "
  • Capital Gains Tax
  • ", + "

    You cannot get Income Tax relief on donations to community amateur sports clubs (CASCs).

    ", + "

    You must keep records of the donation to show that you\u2019ve made the gift or sale and that the charity has accepted it.

    ", + "

    Income Tax relief

    ", + "

    You can pay less Income Tax by deducting the value of your donation from your total taxable income. Do this for the tax year (6 April to 5 April) in which you made the gift or sale to charity.

    ", + "

    How to claim

    ", + "

    If you complete a Self Assessment tax return, add the amount you\u2019re claiming in the \u2018Charitable giving\u2019 section of the form. This will reduce your Self Assessment bill.

    ", + "

    If you do not complete a tax return, write to HM Revenue and Customs (HMRC) with details of the gift or sale and your tax relief amount. You\u2019ll either get a refund, or your tax code will be changed so you pay less Income Tax for that tax year.

    ", + "

    Capital Gains Tax relief

    ", + "

    You do not have to pay Capital Gains Tax on land, property or shares you give to charity.

    ", + "

    You may have to pay if you sell them for more than they cost you but less than their market value. Work out your gain using the amount the charity actually pays you, rather than the value of the asset.

    ", + "

    Selling land, property or shares on behalf of a charity

    ", + "

    When you offer a gift of land, property or shares, the charity may ask you to sell the gift on its behalf.

    ", + "

    You can do this and still claim tax relief for the donation, but you must keep records of the gift and the charity\u2019s request. Without them, you might have to pay Capital Gains Tax.

    ", + "

    Leaving gifts to charity in your will

    ", + "

    Your will says what will happen to your money, property and possessions after you die.

    ", + "

    Your donation will either:

    ", + "
  • be taken off the value of your estate before Inheritance Tax is calculated
  • ", + "
  • reduce your Inheritance Tax rate, if 10% or more of your estate is left to charity
  • ", + "

    You can donate:

    ", + "
  • a fixed amount
  • ", + "
  • an item
  • ", + "
  • what\u2019s left after other gifts have been given out
  • ", + "

    Writing your will

    ", + "

    Find out how to write or update your will, including how to make sure it\u2019s legal.

    ", + "

    Include the charity\u2019s full name - check with them or search the charity register in England and Wales, Scotland or Northern Ireland.

    ", + "

    Keeping records

    ", + "

    You need to keep records of donations if you want to claim tax back on them.

    ", + "

    Gift Aid donations

    ", + "

    Keep records if you:

    ", + "
  • pay higher rate tax
  • ", + "
  • claim tax credits
  • ", + "
  • get a higher Personal Allowance because of your age
  • ", + "
  • get Married Couple\u2019s Allowance
  • ", + "

    If you\u2019re claiming tax back through your Self Assessment tax return or by asking HM Revenue & Customs (HMRC) to amend your tax code keep records showing the date, the amount and which charities you\u2019ve donated to.

    ", + "

    Land, buildings and shares

    ", + "

    For donations of land, property or shares you need to keep:

    ", + "
  • legal documents showing the sale or transfer to charity
  • ", + "
  • any documents from a charity asking you to sell land or shares on its behalf
  • ", + "

    You normally have to keep your records for at least 22 months from the end of the tax year they\u2019re for.

    " + ] + }, + { + "title": "VAT for charities", + "url": "https://www.gov.uk/vat-charities", + "contents": [ + "

    Overview

    ", + "

    As a charity you do not pay VAT when you buy some goods and services.

    ", + "

    Community amateur sports clubs (CASCs) do not qualify for the same VAT reliefs as charities.

    ", + "

    How to get VAT relief

    ", + "

    You must prove to the person who\u2019s selling the goods or services to you that you\u2019re eligible for relief. You do not need to be registered for VAT.

    ", + "

    When you must register for VAT

    ", + "

    You must register for VAT if your charity\u2019s VAT taxable turnover (the total value of everything you sell that isn\u2019t exempt from VAT) is more than \u00a385,000.

    ", + "

    You can choose to register if it\u2019s below this, for example if you want to reclaim VAT on your supplies.

    ", + "

    Get help with VAT

    ", + "

    Contact HM Revenue and Customs (HMRC) if you have questions about VAT for your charity.

    ", + "

    What qualifies for VAT relief

    ", + "

    Charities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.

    ", + "

    What qualifies for the reduced rate

    ", + "

    Your charity pays 5% VAT on fuel and power if they\u2019re for:

    ", + "
  • residential accommodation (for example, a children\u2019s home or care home for the elderly)
  • ", + "
  • charitable non-business activities (for example, free daycare for disabled people)
  • ", + "
  • small-scale use (up to 1,000 kilowatt hours of electricity a month or a delivery of 2,300 litres of gas oil)
  • ", + "

    If less than 60% of the fuel and power is for something that qualifies, you\u2019ll pay the reduced rate of VAT on the qualifying part and the standard rate (20%) on the rest.

    ", + "

    Qualifying fuel and power includes gases, electricity, oils and solid fuels (such as coal). It does not include vehicle fuel.

    ", + "

    What qualifies for the zero rate

    ", + "

    Find out about the conditions you must meet so that your charity pays no VAT (the zero rate) when you buy:

    ", + "
  • advertising and items for collecting donations
  • ", + "
  • aids for disabled people
  • ", + "
  • construction services
  • ", + "
  • drugs and chemicals
  • ", + "
  • equipment for making \u2018talking\u2019 books and newspapers
  • ", + "
  • lifeboats and associated equipment, including fuel
  • ", + "
  • medicine or ingredients for medicine
  • ", + "
  • resuscitation training models
  • ", + "
  • medical, veterinary and scientific equipment
  • ", + "
  • ambulances
  • ", + "
  • goods for disabled people
  • ", + "
  • motor vehicles designed or adapted for a disability
  • ", + "
  • rescue equipment
  • ", + "

    VAT-free goods from outside the UK

    ", + "

    Charities do not pay VAT on goods imported from outside the UK as long as they\u2019re benefiting people in need by providing:

    ", + "
  • basic necessities
  • ", + "
  • equipment and office materials to help run your organisation for the benefit of people in need
  • ", + "
  • goods to be used or sold at charity events
  • ", + "

    You can check which goods you can claim VAT relief for, as well as how to claim.

    ", + "

    How to claim VAT relief

    ", + "

    To get VAT relief you must give your supplier:

    ", + "
  • evidence that you\u2019re a charity
  • ", + "
  • a written declaration or \u2018certificate\u2019 confirming that you\u2019re eligible for the relief
  • ", + "

    Evidence of charitable status

    ", + "

    This can be either your:

    ", + "
  • Charity Commission registration number
  • ", + "
  • letter of recognition from HM Revenue and Customs (HMRC)
  • ", + "

    Scottish and Northern Irish charities must provide their letter of recognition from HMRC.

    ", + "

    Written declaration

    ", + "

    You must give your supplier an eligibility declaration or certificate when they sell you goods or services at zero rate VAT. There are examples of declarations and certificates for different goods.

    ", + "

    If you\u2019re buying building or construction services at zero VAT, the certificate must follow a set format.

    ", + "

    The written declaration or certificate should be separate from the order form or invoice for the goods or services your charity is buying.

    ", + "

    Charities and VAT registration

    ", + "

    As a charity, you must register for VAT with HM Revenue and Customs (HMRC) if your VAT taxable turnover is more than \u00a385,000.

    ", + "

    You can choose to register if it\u2019s below this, for example to reclaim VAT on your supplies.

    ", + "

    If you\u2019re registered for VAT you must send a return every 3 months.

    ", + "

    Work out your taxable turnover

    ", + "

    To work out your VAT taxable turnover add up the total value of everything you sell in a 12-month period that is not:

    ", + "
  • exempt from VAT
  • ", + "
  • outside the scope of VAT
  • ", + "

    Check what VAT rate applies to your charity\u2019s activities.

    ", + "

    Exempt from VAT

    ", + "

    You cannot charge VAT on exempt goods and services (such as the provision of welfare services). You cannot normally reclaim VAT on any goods and services purchased in relation to an exempt business activity.

    ", + "

    You cannot register for VAT if all your business activities are exempt from VAT.

    ", + "

    Outside the scope of VAT

    ", + "

    Income from non-business activities is \u2018outside the scope\u2019 of VAT (you cannot charge or reclaim VAT on them). This includes:

    ", + "
  • donations where nothing is given in return
  • ", + "
  • grant funding given to support your charitable activities where nothing is given in return
  • ", + "
  • activities where your organisation does not make a charge
  • ", + "

    Read more about what counts as a business activity.

    ", + "

    Charging VAT

    ", + "

    Once you\u2019ve registered you must charge VAT at the correct rate on everything you supply.

    ", + "

    Reclaiming VAT

    ", + "

    If you\u2019re registered you may be able to reclaim VAT when you file your VAT Return.

    ", + "

    You can reclaim the VAT you were charged on goods and services relating to your taxable business activities.

    ", + "

    Exports outside the UK

    ", + "

    If you supply goods outside the UK free of charge (for example as aid), you can treat this as a zero-rate business activity (0% VAT) so you can reclaim the VAT on any associated costs.

    " + ] + }, + { + "title": "Volunteer as a coastguard", + "url": "https://www.gov.uk/volunteer-as-a-coastguard", + "contents": [ + "

    What the Coastguard Rescue Service does

    ", + "

    The Coastguard Rescue Service is made up of volunteers and is part of HM Coastguard.

    ", + "

    As a coastguard rescue officer you may have to:

    ", + "
  • help rescue people trapped on the coast, for example on cliffs, stuck in mud or in the water
  • ", + "
  • search for missing people
  • ", + "
  • report and deal with pollution and other hazards
  • ", + "
  • help emergency services and local authorities during emergencies, for example flooding
  • ", + "
  • gather information for the coastguard operations centre
  • ", + "
  • go to schools, clubs and other public places to tell people about staying safe at sea and along the coast
  • ", + "
  • carry out duties for the Receiver of Wreck, for example dealing with wreckage or dead whales and dolphins on the shoreline
  • ", + "

    What to expect as a volunteer

    ", + "

    As a coastguard rescue officer you:

    ", + "
  • could be called out at any time of the day or night
  • ", + "
  • may have to work in hazardous situations for long hours
  • ", + "
  • may have to carry out physically demanding tasks, for example carrying heavy equipment to rescue sites
  • ", + "

    As a volunteer you will not be paid. You can claim a small amount for your time and expenses.

    ", + "

    Volunteering and working

    ", + "

    You can have a full time job and still be a coastguard rescue officer.

    ", + "

    You must ask your employer if you can respond to emergencies during work hours before you become a volunteer.

    ", + "

    You can still go on holiday - just let your coastguard manager know when you\u2019re going to be away.

    ", + "

    Training and equipment

    ", + "

    You must pass initial training by HM Coastguard, followed by regular training to keep your skills up to date.

    ", + "

    This will include training in:

    ", + "
  • first aid
  • ", + "
  • water rescue
  • ", + "
  • map work
  • ", + "
  • search techniques
  • ", + "
  • communications
  • ", + "
  • skills you need for your local area, for example rope rescue, mud rescue
  • ", + "

    Training is often held in the evenings or at weekends.

    ", + "

    You\u2019ll be given all the equipment and protective clothing that you need.

    ", + "

    Who can apply

    ", + "

    All of the following must apply:

    ", + "
  • you\u2019re aged 18 or over
  • ", + "
  • you have a full driving licence
  • ", + "
  • you live or work within 30 minutes of the rescue station - check the map to find your nearest station
  • ", + "

    Your local station may have further requirements, for example you may need to live closer to the station.

    ", + "

    Health and fitness

    ", + "

    You need to be reasonably fit and generally in good health. You must also:

    ", + "
  • weigh 120kg or less
  • ", + "
  • have a waist measurement of 110cm or less
  • ", + "

    You must take a health and fitness test, and meet eyesight and hearing requirements.

    ", + "

    If you have type 1 diabetes there will be restrictions on what activities you can do. Contact crsenquiries@mcga.gov.uk to find out if you can apply.

    ", + "

    How to apply

    ", + "

    Contact your local area management team to find out if there are any volunteering opportunities.

    ", + "

    To do this, you need to find which team is responsible for your area.

    ", + "
  • Check the map of coastguard stations in the UK. If you cannot access the map, contact crsenquiries@mcga.gov.uk.
  • ", + "
  • Find the coastguard station you want to volunteer at on the map.
  • ", + "
  • Check which area the station is in, for example \u2018Area 1\u2019.
  • ", + "
  • Email the relevant area - you can find the contact details in the table. Use the subject line \u2018coastguard rescue service enrolment\u2019. Do not send your CV or any other attachments.
  • ", + "

    Area contact details

    ", + "

    Find the email address for your local area.

    ", + "Coastguard area | Email address | ", + "1 | area1@mcga.gov.uk | ", + "2 | area2@mcga.gov.uk | ", + "3 | area3@mcga.gov.uk | ", + "4 | area4@mcga.gov.uk | ", + "5 | area5@mcga.gov.uk | ", + "6 | area6@mcga.gov.uk | ", + "7 | area7@mcga.gov.uk | ", + "8 | area8@mcga.gov.uk | ", + "9 | area9@mcga.gov.uk | ", + "10 | area10@mcga.gov.uk | ", + "11 | area11@mcga.gov.uk | ", + "12 | area12@mcga.gov.uk | ", + "13 | area13@mcga.gov.uk | ", + "14 | area14@mcga.gov.uk | ", + "15 | area15@mcga.gov.uk | ", + "16 | area16@mcga.gov.uk | ", + "17 | area17@mcga.gov.uk | ", + "18 | area18@mcga.gov.uk | " + ] + }, + { + "title": "Volunteer opportunities, rights and expenses", + "url": "https://www.gov.uk/volunteering", + "contents": [ + "

    Find volunteer opportunities

    ", + "

    You can find volunteering opportunities on the:

    ", + "
  • Do-it website
  • ", + "
  • Volunteering Matters website for young, older and disabled volunteers
  • ", + "
  • National Association for Voluntary and Community Action website
  • ", + "
  • local Volunteer Centre website
  • ", + "
  • Reach Volunteering website for volunteers with specific skills - like accountancy, marketing, law, management, mentoring or IT
  • ", + "
  • Volunteering Wales website
  • ", + "
  • Volunteer Scotland website
  • ", + "

    Find out about volunteering during coronavirus (COVID-19).

    ", + "

    Volunteers' rights

    ", + "

    You do not have a contract of employment as a volunteer, so you do not have the same rights as an employee or worker.

    ", + "

    You will usually be given a volunteer agreement that explains:

    ", + "
  • the level of supervision and support you\u2019ll get
  • ", + "
  • what training you\u2019ll get
  • ", + "
  • whether you\u2019re covered under the organisation\u2019s employer or public liability insurance
  • ", + "
  • health and safety issues
  • ", + "
  • any expenses the organisation will cover
  • ", + "

    The volunteer agreement is not compulsory, but sets out what you can expect from the organisation you\u2019re volunteering for. It does not form a contract between you and the organisation.

    ", + "

    The National Council for Voluntary Organisations (NCVO) has information on volunteers\u2019 legal status.

    ", + "

    When you can volunteer

    ", + "

    Age limits

    ", + "

    There\u2019s no upper age limit on volunteering, but anyone over 70 will need to follow public health advice on volunteering during coronavirus (COVID-19).

    ", + "

    Some organisations\u2019 insurance policies do not cover you if you\u2019re under 16 or over a certain age.

    ", + "

    You cannot work for a profit-making organisation if you\u2019re under 14, even if you\u2019re not paid.

    ", + "

    Your local council might have extra rules about the work you can do as a young person.

    ", + "

    Volunteering and benefits

    ", + "

    You can volunteer and claim benefits if:

    ", + "
  • the only money you get from volunteering is to cover expenses, like travel costs
  • ", + "
  • you continue to meet the conditions of the benefit you get
  • ", + "

    Criminal records

    ", + "

    If you have a criminal record you can still volunteer in most roles, depending on your offences. You might need a Disclosure and Barring Service check if you want to volunteer with children or vulnerable adults.

    ", + "

    Pay and expenses

    ", + "

    You are not paid for your time as a volunteer, but you may get money to cover expenses. This is usually limited to food, drink, travel or any equipment you need to buy.

    ", + "

    You may need to pay tax on your driving expenses if you get back more than you spent.

    ", + "

    You might be classed as an employee or worker rather than a volunteer if you get any other payment, reward or benefit in kind. This includes any promise of a contract or paid work in the future.

    ", + "

    You get certain employment rights if you\u2019re classed as an employee or worker, like getting the minimum wage.

    " + ] + }, + { + "title": "Volunteering during coronavirus (COVID-19)", + "url": "https://www.gov.uk/coronavirus-volunteering", + "contents": [ + "

    Overview

    ", + "

    You can volunteer during coronavirus (COVID-19) with an organisation or group. You can also help people in your local area by doing things like picking up shopping or medicines.

    ", + "

    You may be able to volunteer:

    ", + "
  • from home
  • ", + "
  • from outside your home
  • ", + "
  • in a workplace
  • ", + "

    A new COVID-19 variant is spreading in some parts of England. Check what you can and cannot do if you\u2019re in an area where the new variant is spreading.

    ", + "

    This guidance is for volunteers in England. There\u2019s different guidance on:

    ", + "
  • volunteering in Scotland
  • ", + "
  • volunteering in Wales
  • ", + "
  • volunteering in Northern Ireland
  • ", + "

    If you run an organisation or group, or manage volunteers, find out how to involve volunteers safely.

    ", + "

    Where you can volunteer

    ", + "

    You should volunteer from home where possible.

    ", + "

    Follow guidance on volunteering with other people if you have to volunteer outside your home. Do not leave home if:

    ", + "
  • you\u2019ve been told to self-isolate by NHS Test and Trace
  • ", + "
  • you\u2019re self-isolating for any other reason
  • ", + "

    If you\u2019re volunteering in a workplace, it should follow guidance on working safely during COVID-19.

    ", + "

    If you\u2019re at high risk from COVID-19

    ", + "

    You can volunteer outside your home, if you\u2019re at high risk from COVID-19 (clinically extremely vulnerable), but you should take extra steps to protect yourself. For example, reduce:

    ", + "
  • your social interactions
  • ", + "
  • the time you spend in places where you cannot social distance
  • ", + "

    If you have COVID-19 symptoms

    ", + "

    Do not volunteer outside your home if you have COVID-19 symptoms or if you\u2019ve tested positive for COVID-19.

    ", + "

    You must self-isolate from the date you started having symptoms or from the day you tested positive and for the next 10 full days - whichever is the latest.

    ", + "

    If you\u2019re self-isolating your volunteer organisation should not ask you to leave home.

    ", + "

    If you need to travel as a volunteer

    ", + "

    Find out how to travel safely if you\u2019re volunteering in England.

    ", + "

    Check COVID-19 guidance in Scotland, Wales or Northern Ireland before you travel, if you need to volunteer in one of these countries.

    ", + "

    Before volunteering abroad:

    ", + "
  • check if the country you\u2019re going to is accepting volunteers - read foreign travel advice to find out where you can go
  • ", + "
  • read the guidance on travelling abroad during COVID-19
  • ", + "
  • check if your volunteering role means you\u2019re exempt from travel restrictions
  • ", + "
  • check the rules you must follow when you return to England
  • ", + "

    Ways to volunteer

    ", + "

    You can volunteer during coronavirus (COVID-19) with an organisation or group, for example a charity, the NHS or a local volunteer-run group.

    ", + "

    Find out about volunteering with a charity or voluntary organisation.

    ", + "

    Check if your local council has volunteering opportunities.

    ", + "

    You should choose your volunteering activity based on your risk of getting seriously ill with COVID-19.

    ", + "

    Volunteer with the NHS

    ", + "

    If you want to help the NHS as a general volunteer, apply for the NHS volunteer responder scheme. You\u2019ll need to check if the scheme is recruiting in your area.

    ", + "

    To volunteer in a hospital, including if you\u2019re a doctor or nurse, contact your local hospital trust.

    ", + "

    If you want to give blood, read the guidance about donating blood during COVID-19.

    ", + "

    You can also sign up to the NHS COVID-19 vaccine registry if you want to take part in a COVID-19 vaccine research study.

    ", + "

    Help people in your local area

    ", + "

    You can help others by doing activities like picking up shopping and offering support on the phone. This includes:

    ", + "
  • family, friends and neighbours who are at high risk from COVID-19 or who prefer not to go out
  • ", + "
  • people who are feeling lonely or isolated
  • ", + "
  • staff and volunteers in key worker roles
  • ", + "

    You can also join a mutual aid group. A mutual aid group is a local volunteer-run initiative where people come together to help each other.

    ", + "

    Protect those you help

    ", + "

    If you\u2019re worried about someone\u2019s health, contact the NHS or check NHS COVID-19 advice online.

    ", + "

    If you\u2019re helping someone who\u2019s staying at home, you should follow social distancing guidelines if you do have to go indoors.

    ", + "

    It may not always be possible to follow social distancing guidelines, for example if you\u2019re providing personal care to someone. You should consider whether the activity is essential and follow working safely guidance.

    ", + "

    If you\u2019re helping someone who\u2019s not a friend or family member

    ", + "

    You should show identification when you call at their home.

    ", + "

    You should not:

    ", + "
  • ask for their credit or debit card numbers, or other financial information
  • ", + "
  • take their address and phone number, unless you need it to do a task
  • ", + "
  • pressure them into giving you any unnecessary information
  • ", + "

    You can find out how to help others safely on the British Red Cross website.

    ", + "

    Contact the police if you think someone you\u2019re helping is being abused or neglected. Phone 999 in an emergency or 101 if the person is not in immediate danger.

    ", + "

    Volunteering with other people

    ", + "

    When you volunteer, you can meet in groups of any size from different households, both indoors or outdoors. However, meeting in smaller groups can reduce the risk of coronavirus (COVID-19) spreading.

    ", + "

    You can also meet in groups for activities like volunteer recruitment and training. This does not include meeting in groups for social activities.

    ", + "

    The organisation or group of volunteers running the activities should follow guidance on working safely during COVID-19.

    ", + "

    As a volunteer, you should:

    ", + "
  • follow social distancing guidelines
  • ", + "
  • wash your hands regularly and for 20 seconds
  • ", + "
  • wear a face covering indoors
  • ", + "
  • make sure indoor spaces are well ventilated with fresh air
  • ", + "

    In some volunteering roles, it may not be possible for you to follow social distancing guidelines. For example, driving a vehicle with others in it. You should consider whether the activity is essential before doing it and follow the guidance on working safely during COVID-19.

    ", + "

    Volunteering in a support group

    ", + "

    You can volunteer in a support group. Support groups should provide mutual aid, therapy or another form of support.

    ", + "

    There cannot be more than 30 people in the support group itself. Children under 5 are not included in this limit. There\u2019s no limit to the number of volunteers.

    ", + "

    For example, 5 volunteers could support up to 30 people in a group session, to make a group of 35 in total.

    ", + "

    Formal support groups must not be run from private homes.

    ", + "

    Testing and vaccination

    ", + "

    Find out how to get tested for coronavirus (COVID-19).

    ", + "

    If you volunteer in an essential role and have COVID-19 symptoms, you\u2019ll be prioritised for a test.

    ", + "

    Who can get a vaccine

    ", + "

    You can get vaccinated if you\u2019re a volunteer in an eligible group. This includes volunteers in frontline health and social care roles.

    ", + "

    If you qualify for a vaccine because of your age or a clinical condition, you\u2019ll be vaccinated at the same time as other people in your area.

    ", + "

    The NHS will let you know when you can get a vaccine and how to get it.

    " + ] + }, + { + "title": "Access to Elected Office Fund", + "url": "https://www.gov.uk/access-to-elected-office-fund", + "contents": [ + "

    Overview

    ", + "

    This fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.

    ", + "

    You could get a grant of between \u00a3250 and \u00a340,000 if you\u2019re disabled and standing for election to, or selection as a candidate in, the:

    ", + "
  • UK Parliament
  • ", + "
  • English local government
  • ", + "
  • Greater London Assembly
  • ", + "
  • mayoral elections (England only)
  • ", + "
  • Police and Crime Commissioner
  • ", + "
  • English parish and town councils
  • ", + "

    You will not have to pay back any money you receive.

    ", + "

    The fund is for disability-related costs you pay as part of standing for election - it does not cover general campaigning costs (like leaflets) or living costs.

    ", + "

    What you'll get

    ", + "

    This fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.

    ", + "

    You could get between \u00a3250 and \u00a340,000 in any calendar year (1 January to 31 December) to cover disability-related costs. For example:

    ", + "
  • transport needs (if you have difficulty using public transport)
  • ", + "
  • sign language interpreters
  • ", + "
  • extra travel or accommodation costs if you need a carer
  • ", + "

    You can apply more than once but together the applications must not total more than \u00a340,000 in any calendar year. Your grant can be backdated up to 2 months before the date of your offer letter.

    ", + "

    You cannot use the money for general campaigning or living costs. Read guidance on campaign spending and donations from the Electoral Commission website.

    ", + "

    How you\u2019re paid

    ", + "

    If your application is successful, you must send in any original invoices or receipts for the items you listed in your application. The money will be paid after you provide proof of your spending.

    ", + "

    Payments are made on the second and last Friday of every month.

    ", + "

    Eligibility

    ", + "

    This fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.

    ", + "

    You can apply to the Access to Elected Office Fund if:

    ", + "
  • you\u2019re eligible to stand for election
  • ", + "
  • you can prove your disability, for example with a letter from a doctor
  • ", + "
  • you can prove you\u2019re involved or interested in civic, community or relevant activities, for example volunteering or student politics
  • ", + "
  • your application is supported by a member of your political party, or an independent referee if you do not have a political party
  • " + ] + }, + { + "title": "Avoid and report internet scams and phishing", + "url": "https://www.gov.uk/report-suspicious-emails-websites-phishing", + "contents": [ + "

    Report internet scams and phishing

    ", + "

    Report misleading websites, emails, phone numbers, phone calls or text messages you think may be suspicious.

    ", + "

    Do not give out private information (such as bank details or passwords), reply to text messages, download attachments or click on any links in emails if you\u2019re not sure they\u2019re genuine.

    ", + "

    Suspicious emails

    ", + "

    Forward the email to report@phishing.gov.uk.

    ", + "

    The National Cyber Security Centre (NCSC) will investigate it.

    ", + "

    Text messages

    ", + "

    Forward the text message to 7726 - it\u2019s free.

    ", + "

    This will report the message to your mobile phone provider.

    ", + "

    Adverts

    ", + "

    Report scam or misleading adverts to the Advertising Standards Authority. You can report adverts found online, including in search engines, websites or on social media.

    ", + "

    You can also report scam or misleading adverts to Google if you found them in Google search results, or report to Bing if you found them in Bing search results.

    ", + "

    If you think you\u2019ve been a victim of an online scam or fraud

    ", + "

    Contact Action Fraud if you think you\u2019ve lost money or been hacked because of an online scam or fraud. You can:

    ", + "
  • report online - either sign up for an account or continue as a \u2018guest\u2019
  • ", + "
  • call 0300 123 2040
  • ", + "

    If you\u2019re in Scotland and you think you\u2019ve been the victim of an online scam or fraud, report the crime to Police Scotland.

    ", + "

    Avoid misleading government websites, emails and phone numbers

    ", + "

    Some websites, emails or phone numbers look like they\u2019re part of an official government service when they\u2019re not, or claim to help more than they actually do. Some make you pay for things that would be free or cheaper if you use the official government service.

    ", + "

    Search on GOV.UK to find official government services and phone numbers, for example if you want to apply to the DVLA for a driving licence.

    ", + "

    Report HMRC phishing emails, texts and phone call scams

    ", + "

    You can report something suspicious to HM Revenue and Customs\u2019s (HMRC) phishing team, for example:

    ", + "
  • a text message (forward it to 60599 - you\u2019ll be charged at your network rate)
  • ", + "
  • an email (forward it to phishing@hmrc.gov.uk)
  • ", + "
  • a message in an application, for example WhatsApp - take a screenshot and forward as an email
  • ", + "
  • phone calls asking for personal information or threatening a lawsuit (report a phone call)
  • ", + "

    Your email address and phone number will be shared with other organisations if that\u2019s necessary to close down the scam.

    ", + "

    If you\u2019ve given your personal details to someone

    ", + "

    Contact the HMRC security team if you think you\u2019ve given any personal information in reply to a suspicious email or text.

    ", + "

    Include brief details of what you disclosed (for example name, address, HMRC User ID, password) but do not give your personal details in the email.

    ", + "

    Spotting HMRC scams

    ", + "

    You\u2019ll never get an email, text message, message in an application (for example WhatsApp) or a phone call from HMRC which:

    ", + "
  • tells you about a tax rebate or penalty
  • ", + "
  • asks for your personal or payment information
  • ", + "

    Check HMRC\u2019s guidance on recognising scams if you\u2019re not sure.

    ", + "

    Report visa and immigration scams

    ", + "

    You\u2019ll never be asked to pay for a visa using:

    ", + "
  • cash
  • ", + "
  • money transfer
  • ", + "

    Contact Action Fraud to report visa and immigration scams. You should include:

    ", + "
  • a copy of the suspicious email you received, the sender\u2019s email address and the date and time it was received
  • ", + "
  • details of what you sent in a reply, if you replied - for example whether you sent your bank details, address or password
  • ", + "

    You can also report suspicious emails, letters or telephone calls to the police through Action Fraud.

    " + ] + }, + { + "title": "Challenge an election result", + "url": "https://www.gov.uk/challenge-election-result", + "contents": [ + "

    When you can make a challenge

    ", + "

    You may be able to challenge the result of an election if you think it was not run properly, for example the votes were not counted correctly or a candidate broke the law.

    ", + "

    You can challenge a UK Parliament election if either of the following apply:

    ", + "
  • you had the right to vote in it
  • ", + "
  • you were a candidate
  • ", + "

    You can challenge a local government election if either:

    ", + "
  • you\u2019re part of a group of at least 4 people who had the right to vote in the election
  • ", + "
  • you were a candidate
  • ", + "

    The deadline

    ", + "

    You must usually apply within 21 days of when:

    ", + "
  • the result of the UK Parliament election was returned to the Clerk of the Crown in Chancery
  • ", + "
  • the local government election was held
  • ", + "

    A judge might let you apply after 21 days if:

    ", + "
  • you think there have been corrupt or illegal practices, for example bribery
  • ", + "
  • your complaint is about election expenses, for example you think the winner spent more than they were allowed
  • ", + "

    How to make a challenge

    ", + "

    To challenge an election you must apply to the Election Petitions Office. This is called issuing an election petition.

    ", + "

    You\u2019ll need to send:

    ", + "
  • an election petition
  • ", + "
  • an application to pay \u2018security for costs\u2019
  • ", + "

    The Election Petitions Office will stamp the petition before you send (\u2018serve\u2019) it to the people you\u2019re complaining about (\u2018the respondents\u2019). You can then apply to set a date for a hearing.

    ", + "

    What to include in the petition

    ", + "

    Your petition must say:

    ", + "
  • why you\u2019re allowed to challenge the election result
  • ", + "
  • the date and result of the election
  • ", + "
  • the reason you\u2019re challenging the result, for example you think the votes were counted incorrectly
  • ", + "
  • what you would like to happen, for example a recount
  • ", + "

    For a UK Parliament election, you must also give the date the result was given to the Clerk of the Crown in Chancery. The person who oversaw the election (the \u2018returning officer\u2019) can tell you this.

    ", + "

    You can use a template to help you write the petition.

    ", + "

    You must sign the petition. You cannot ask a solicitor to sign it for you. If you\u2019re part of a group, you must all sign.

    ", + "

    Application for \u2018security for costs\u2019

    ", + "

    You\u2019ll need to make an application to pay \u2018security for costs\u2019. This covers the cost of going to court.

    ", + "

    Fill in form N244 (the \u2018application notice\u2019) and send it with your petition.

    ", + "

    Send your challenge

    ", + "

    Send your petition and your application to pay \u2018security for costs\u2019 to the Election Petitions Office, along with your fees. The fees are:

    ", + "
  • \u00a3528 to issue a petition
  • ", + "
  • \u00a3100 to apply for \u2018security for costs\u2019
  • ", + "

    Make your cheque or postal order payable to \u2018HM Courts and Tribunals Service\u2019.

    ", + "

    The Election Petitions Office must receive your petition by the last day you\u2019re allowed to apply.

    ", + "

    You can also hand in your petition in person. The Election Petitions Office is open on weekdays from 9:30am to 4:30pm.

    ", + "

    On the last day you\u2019re allowed to apply, you can apply any time before midnight. Put your petition in the letterbox outside room E110 if the office is closed.

    ", + "

    Call the Royal Courts of Justice if you need to get access to the letterbox.

    ", + "

    You must make a statement (\u2018swear an affidavit\u2019) the next working day in front of a solicitor or a notary public. Your statement must confirm the day and time when you put the petition in the letterbox.

    ", + "

    Pay 'security for costs'

    ", + "

    After you apply, the Election Petitions Office will tell you how much to pay for \u2018security for costs\u2019. The maximum is:

    ", + "
  • \u00a35,000 for a UK Parliament election
  • ", + "
  • \u00a32,500 for a local government election
  • ", + "
  • \u00a31,500 for a parish council election
  • ", + "

    You can sometimes get help with court fees if you have little or no savings, are on certain benefits or have a low income.

    ", + "

    You can pay cash or give the names of up to 4 people (\u2018sureties\u2019) who will guarantee to pay. You must do this within 3 working days of handing in the petition.

    ", + "

    You\u2019ll usually get the \u2018security for costs\u2019 back if you win the case.

    ", + "

    You might have to pay more if you lose the case or you decide to stop it.

    ", + "

    Serve your election petition

    ", + "

    You should only contact the people you\u2019re complaining about (\u2018the respondents\u2019) once the Elections Petitions Office has stamped your petition. You must give (\u2018serve\u2019) them the petition within 5 working days of paying the \u2018security for costs\u2019.

    ", + "

    The person who won the election must be one of the respondents, even if you do not think they\u2019ve done anything wrong.

    ", + "

    What you must send

    ", + "

    Send each respondent copies of:

    ", + "
  • a letter (\u2018notice of presentation\u2019) from your solicitor if you have one
  • ", + "
  • the petition you sent to the Election Petitions Office
  • ", + "
  • the letter from the Election Petitions Office showing the amount of \u2018security for costs\u2019 and how you\u2019re paying (cash or guarantees)
  • ", + "
  • promises (\u2018affidavits\u2019) from the people who guarantee to pay (\u2018sureties\u2019) if relevant
  • ", + "

    You must also send copies to the Director of Public Prosecutions.

    ", + "

    You can send your documents:

    ", + "
  • in person
  • ", + "
  • by first class post
  • ", + "
  • through a solicitor
  • ", + "

    The court will consider documents to be served 2 days after they were posted if that\u2019s a working day, or the next working day if it is not.

    ", + "

    What happens at the hearing and trial

    ", + "

    Contact the Election Petitions Office to set the date for the hearing. You should do this within 28 days of your petition being stamped.

    ", + "

    If you do not apply to set a date for the hearing, the respondents will have 28 days to apply themselves. They can also make other requests, for example to cancel (\u2018set aside\u2019) your petition.

    ", + "

    A judge will set a date for the hearing if you and the respondents do not apply to set one.

    ", + "

    At the hearing and trial

    ", + "

    At the hearing a judge can appoint a commissioner to manage your complaint. The commissioner will look at the evidence, for example by checking the voting slips.

    ", + "

    If the commissioner thinks there should be a trial, it will normally be at a court in the constituency where you\u2019re challenging the result.

    ", + "

    At the trial you and the respondents will each present your cases to the commissioner. Both sides can call witnesses to give evidence.

    ", + "

    It usually takes several weeks to get a judgment. You\u2019ll be called to a meeting with the commissioner to hear the decision.

    ", + "

    You cannot appeal the decision.

    " + ] + }, + { + "title": "How to vote", + "url": "https://www.gov.uk/how-to-vote", + "contents": [ + "

    Overview

    ", + "

    You need to be registered to vote before you can vote in UK elections or referendums.

    ", + "

    If you\u2019re eligible, you can vote in person on the day of the election at a named polling station. You can also apply for a postal or proxy vote instead.

    ", + "

    Find out about voting safely during coronavirus (COVID-19).

    ", + "

    Ways of voting

    ", + "

    You can vote:

    ", + "
  • in person at a polling station
  • ", + "
  • by post
  • ", + "
  • by asking someone else to vote for you (voting by proxy)
  • ", + "

    You cannot vote online in any elections.

    ", + "

    Eligibility to vote

    ", + "

    You can vote when you\u2019re:

    ", + "
  • 18 years old in England and Northern Ireland
  • ", + "
  • 16 years old in Scottish Parliament and local elections (and other elections when you\u2019re 18)
  • ", + "
  • 16 years old in Welsh Parliament elections (and other elections when you\u2019re 18)
  • ", + "

    Elections you can vote in

    ", + "

    Different elections have different rules on who can vote.

    ", + "

    Voting and coronavirus (COVID-19)

    ", + "

    Elections and referendums are going ahead during coronavirus (COVID-19), though you may see changes to some processes. You can still vote in person at a polling station.

    ", + "

    If you\u2019re self-isolating, clinically extremely vulnerable, or do not want to go to the polling station, you can vote by post or vote by proxy.

    ", + "

    You may also be able to get an emergency proxy vote at short notice if you need to self-isolate shortly before or on election day.

    ", + "

    At the polling station

    ", + "

    Because of COVID-19, there will be safety measures in place at polling stations to help you vote safely (for example, a one-way system or restrictions on the number of people allowed in).

    ", + "

    If you choose to vote in person, make sure you:

    ", + "
  • wear a face covering (unless you\u2019re exempt)
  • ", + "
  • bring your own pen or pencil (there will be clean pencils available at the polling station if you forget to bring your own)
  • ", + "
  • use the hand sanitiser provided when entering and leaving the polling station
  • ", + "
  • keep to social distancing guidelines
  • ", + "

    If you have COVID-19 symptoms or have been asked to self-isolate

    ", + "

    Do not visit the polling station. Apply for an emergency proxy vote instead. Your proxy can also apply if they develop symptoms.

    ", + "

    You can apply until 5pm on election day. There are different forms to:

    ", + "
  • apply for an emergency proxy vote in England
  • ", + "
  • apply for an emergency proxy vote in Scotland
  • ", + "
  • apply for an emergency proxy vote in Wales
  • ", + "

    Voting in person

    ", + "

    You vote in person at a polling station (usually in a public building, such as a school or local hall).

    ", + "

    Your poll card

    ", + "

    You\u2019ll be sent a poll card just before an election telling you when to vote and at which polling station. You can only vote at the polling station location on your card.

    ", + "

    If you have not received a poll card but think you should, contact your local Electoral Registration Office.

    ", + "

    You can still vote if you\u2019ve lost your card.

    ", + "

    When you can vote

    ", + "

    Polling stations will be open from 7am to 10pm on the day of an election (\u2018polling day\u2019).

    ", + "

    When you get to the polling station

    ", + "

    Give your name and address to the staff inside the polling station when you arrive.

    ", + "

    You\u2019ll be given a ballot paper containing a list of the people, parties or options you can vote for.

    ", + "

    ID you need to bring

    ", + "

    If you live in England, Wales or Scotland you do not need to bring any identification to vote.

    ", + "

    You will need to show photo ID to vote in Northern Ireland (your passport, driving licence, Electoral Identity Card or certain kinds of Translink Smartpass).

    ", + "

    You do not have to take your poll card with you.

    ", + "

    Filling in your ballot paper

    ", + "

    Follow the instructions on the notices in the polling booth and on the top of the ballot paper to vote.

    ", + "

    Voting if you have a disability

    ", + "

    If you have a disability, your local Electoral Registration Office can tell you about:

    ", + "
  • physical access, for example wheelchair ramps and disabled parking spaces
  • ", + "
  • low-level polling booths
  • ", + "
  • equipment for voters with a visual impairment
  • ", + "

    Every polling station must provide at least one large print display version of the ballot paper and a special tactile voting device (TVD) to help people with sight loss.

    ", + "

    Voting by post

    ", + "

    You must apply for a postal vote if you want to vote by post, for example if:

    ", + "
  • you\u2019re away from home
  • ", + "
  • you\u2019re abroad and want to vote in England, Scotland or Wales
  • ", + "

    You do not need to give a reason unless you\u2019re voting in Northern Ireland.

    ", + "

    Apply for a postal vote

    ", + "

    You can apply to vote by post for one of the following:

    ", + "
  • a single election on a specific date
  • ", + "
  • a specific period if you want to vote in England, Scotland or Wales
  • ", + "
  • permanently
  • ", + "

    Arrange to vote by proxy if there are under 2 weeks until election day and you have not made arrangements.

    ", + "

    There\u2019s a different form to apply to vote by post in Northern Ireland.

    ", + "

    Change where your postal vote card is sent

    ", + "

    Make a new application for a postal vote if you move house or you\u2019ll be away from home when the postal vote is sent out.

    ", + "

    There\u2019s a different form for Northern Ireland.

    ", + "

    Completing and returning your postal vote

    ", + "

    When voting by post, you should:

    ", + "
  • mark your vote on your ballot paper in secret
  • ", + "
  • fill in the postal voting statement
  • ", + "
  • put the ballot and statement in the envelope provided
  • ", + "
  • seal the envelope yourself
  • ", + "

    Post your ballot back as quickly as possible to make sure it\u2019s counted.

    ", + "

    If you\u2019re too late to post your ballot paper

    ", + "

    Take it to your local polling station by 10pm on election day, or Electoral Registration Office before they close.

    ", + "

    In Northern Ireland, take it to your local Area Electoral Office before they close.

    ", + "

    Replace a lost or damaged ballot paper

    ", + "

    Your ballot paper needs to clearly display your details and voting choice. If it has been damaged you need to get another one.

    ", + "

    You can either:

    ", + "
  • ask your local Electoral Registration Office to post a replacement
  • ", + "
  • collect a replacement from your local Electoral Registration Office up to 5pm on election day (or the day before in Northern Ireland)
  • ", + "

    You cannot vote at a polling station if you registered to vote by post but your ballot paper was lost or damaged.

    ", + "

    Voting by proxy

    ", + "

    If you\u2019re unable to vote in person you can ask someone to vote on your behalf. This is called a proxy vote.

    ", + "

    You can only apply for a proxy vote under certain circumstances, including:

    ", + "
  • being away on polling day
  • ", + "
  • having a medical issue or disability
  • ", + "
  • not being able to vote in person because of work or military service
  • ", + "

    Your proxy should be someone you trust to vote on your behalf. You\u2019ll need to tell them which candidate (or referendum outcome) you want to vote for.

    ", + "

    How to apply for a proxy vote

    ", + "

    Apply for a proxy vote using a paper form. You need to send it to your local Electoral Registration Office.

    ", + "

    Usually, you need to apply for a proxy vote at least 6 working days before election day if you want to vote in England, Scotland or Wales.

    ", + "

    There\u2019s a different form to apply to vote by proxy in Northern Ireland. Apply at least 14 working days before election day.

    ", + "

    Apply for an emergency proxy vote

    ", + "

    If the proxy vote deadline has passed you may be able to apply for an emergency proxy vote if you both:

    ", + "
  • cannot vote in person because of your employment or a disability
  • ", + "
  • became aware of this reason after the proxy deadline
  • ", + "

    You can apply until 5pm on the day of the election. Fill in a paper form to:

    ", + "
  • apply to vote by emergency proxy based on your employment
  • ", + "
  • apply to vote by emergency proxy based on your disability
  • ", + "

    An \u2018appropriate person\u2019 (for example your employer or a doctor) must sign the application form. Send it to your local Electoral Registration Office.

    ", + "

    You can also apply for an emergency proxy vote if you or your proxy need to self-isolate because of COVID-19.

    ", + "

    How long your proxy vote is for

    ", + "

    You can apply to vote by proxy:

    ", + "
  • for a single election on a specific date
  • ", + "
  • for a specific period if you want to vote in England, Scotland or Wales
  • ", + "
  • permanently
  • ", + "

    Who can act as a proxy

    ", + "

    You can ask anyone to act as your proxy - as long as they:

    ", + "
  • are registered to vote
  • ", + "
  • are allowed to vote in the type of election taking place
  • ", + "
  • can vote in the polling station stated on your poll card
  • ", + "

    If they cannot get to your polling station, they will need to contact your local Electoral Registration Office to arrange to cast their proxy vote by post.

    ", + "

    Change or cancel your proxy vote

    ", + "

    To change who acts as your proxy or to start voting in person, contact your local Electoral Registration Office.

    ", + "

    If you want to vote by post instead, complete a postal vote application.

    ", + "

    Voting from abroad

    ", + "

    How you vote when you\u2019re abroad depends on:

    ", + "
  • whether you\u2019ll be abroad temporarily or living abroad
  • ", + "
  • where you want to vote
  • ", + "

    If you\u2019ll be abroad temporarily

    ", + "

    You can vote by post or proxy if you\u2019ll be abroad temporarily on election day, for example on holiday or a work trip.

    ", + "

    Voting in England, Scotland or Wales

    ", + "

    You can arrange:

    ", + "
  • to vote by post
  • ", + "
  • for someone else to vote for you (vote by proxy)
  • ", + "

    If you\u2019re abroad on election day you need to make arrangements in advance. Apply to vote by proxy if the election is less than 2 weeks away and you have not made arrangements yet.

    ", + "

    Your postal ballot will be sent to the address you\u2019ve chosen no earlier than 16 days before the election. You need to return your ballot before 10pm on polling day.

    ", + "

    Voting in Northern Ireland

    ", + "

    There\u2019s a different process to apply to vote by post or proxy if you live in Northern Ireland and will be abroad temporarily on election day.

    ", + "

    If you will not have time to receive and return your postal ballot in Northern Ireland before going abroad you\u2019ll need to vote by proxy. You cannot apply to have your postal vote sent outside the UK.

    ", + "

    If you\u2019re moving or living abroad

    ", + "

    You can only vote in UK Parliament elections. You may be able to vote in referendums. Each referendum has different rules on who can vote in it.

    ", + "

    You need to register as an overseas voter.

    ", + "

    You can vote by post or proxy, if you\u2019re eligible. You\u2019ll be asked to make this choice when you register.

    ", + "

    You\u2019ll then need to apply by filling in and posting one of the following:

    ", + "
  • the paper form to apply for a postal vote
  • ", + "
  • the paper form to apply for a proxy vote
  • ", + "

    You can also ask for the form to be emailed or posted to you when you register online.

    ", + "

    If you\u2019re registered in Northern Ireland, you cannot vote by post from abroad.

    ", + "

    Get help voting

    ", + "

    You can contact your Electoral Register Office to find out when postal votes might be sent. This could help you decide whether to vote by proxy or by post.

    " + ] + }, + { + "title": "The electoral register and the 'open register'", + "url": "https://www.gov.uk/electoral-register", + "contents": [ + "

    Get on the electoral register

    ", + "

    The electoral register (sometimes called the \u2018electoral roll\u2019) lists the names and addresses of everyone who\u2019s registered to vote.

    ", + "

    Use the register to vote service to:

    ", + "
  • get on the electoral register
  • ", + "
  • update your details (for example change your name or address)
  • ", + "

    To check whether you\u2019re already on the register, contact:

    ", + "
  • your local Electoral Registration Office if you live in England, Scotland or Wales
  • ", + "
  • the Electoral Office for Northern Ireland (EONI) if you live in Northern Ireland
  • ", + "

    What happens if you do not register

    ", + "

    You must register to vote if you\u2019re asked to do so and you meet the conditions for registering, for example you\u2019re 16 or over and you\u2019re British or a national of an EU or Commonwealth country.

    ", + "

    If you\u2019re asked to register and do not, you could be fined.

    ", + "

    You will not be fined if you have a valid reason for not registering, for example a long stay in hospital, or you have severe learning difficulties.

    ", + "

    When you can register in more than one place

    ", + "

    It\u2019s sometimes possible to register at 2 addresses (though you can only vote once in any election).

    ", + "

    For example, if you\u2019re a student with different home and term-time addresses, you may be able to register at both.

    ", + "

    Register to vote twice if you live at 2 addresses.

    ", + "

    The annual canvass

    ", + "

    From July each year Electoral Registration Offices (EROs) contact households to check if the details on the electoral register are correct. This is called the annual canvass.

    ", + "

    You will be contacted by post, email, phone or by someone knocking on your door.

    ", + "

    Canvass 2021 in Northern Ireland

    ", + "

    From 1 July 2021, the electoral register in Northern Ireland will be renewed as part of the national canvass. If you want to vote in future elections, you must register to vote after 1 July, even if you\u2019ve registered before.

    ", + "

    Opt out of the 'open register'

    ", + "

    There are 2 versions of the electoral register - the full version and the \u2018open register\u2019 (known as the \u2018edited register\u2019 in Northern Ireland).

    ", + "

    If you registered to vote anonymously your details will not appear on either version of the electoral register. You will still be able to vote.

    ", + "

    How to opt out of the open register

    ", + "

    You can opt out of the open register. This is the version of the register that\u2019s available to anyone who wants to buy a copy.

    ", + "

    To opt out, either:

    ", + "
  • use the register to vote service (even if you\u2019re already registered)
  • ", + "
  • contact your local Electoral Registration Office if you live in England, Scotland or Wales
  • ", + "
  • contact the Electoral Office for Northern Ireland (EONI) if you live in Northern Ireland
  • ", + "

    Opting out does not affect your right to vote.

    ", + "

    When you opt out of the open register, your details will still appear on the full version of the electoral register.

    ", + "

    The full version and what it can be used for

    ", + "

    Everyone\u2019s name and address goes on the full version of the electoral register, and you cannot opt out. This is the version of the register that\u2019s used for elections and referendums.

    ", + "

    The full version of the register can only be used for:

    ", + "
  • electoral administration purposes (such as sending out poll cards before elections)
  • ", + "
  • campaigning activities (for example, candidates and political parties sending election communications to voters, surveying opinions or fundraising)
  • ", + "
  • preventing and detecting crime
  • ", + "
  • checking applications for loans or credit
  • ", + "
  • jury summoning in England, Wales and Northern Ireland
  • ", + "

    You can find out more about the difference between the open register and the electoral register.

    ", + "

    View the electoral register

    ", + "

    Contact:

    ", + "
  • your local Electoral Registration Office if you live in England, Scotland or Wales
  • ", + "
  • the Electoral Office for Northern Ireland (EONI) if you live in Northern Ireland
  • ", + "

    They will tell you where you can view the current electoral register (it\u2019s often available in libraries). The register will list everyone who\u2019s registered to vote in the local area.

    ", + "

    Search historical versions of the electoral register

    ", + "

    You can find out about historical versions of the electoral register - for example, if you want to research local or family history.

    " + ] + }, + { + "title": "Types of election, referendums, and who can vote", + "url": "https://www.gov.uk/elections-in-the-uk", + "contents": [ + "

    General election

    ", + "

    General elections (elections to the UK Parliament) usually take place every 5 years.

    ", + "

    To vote in a general election you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • be a British, Irish or qualifying Commonwealth citizen
  • ", + "
  • be resident at an address in the UK (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)
  • ", + "
  • not be legally excluded from voting
  • ", + "

    There are 650 Members of Parliament (MPs) in the UK Parliament.

    ", + "

    MPs are elected using the First Past the Post system. You vote once for a candidate in your constituency and the candidate with the most votes becomes your MP.

    ", + "

    You can find your local MP.

    ", + "

    Read more about general elections on The Electoral Commission website.

    ", + "

    Local government

    ", + "

    Local government elections take place at least every 4 years. Not all local government elections take place at the same time.

    ", + "

    Your local government will do one of the following:

    ", + "
  • elect all the local councillors every 4 years
  • ", + "
  • elect half the local councillors every 2 years
  • ", + "
  • elect one third of the local councillors every year for 3 years and hold no elections in the 4th year
  • ", + "

    To vote in a local government election you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the election (\u2018polling day\u2019) (16 or over in Scotland)
  • ", + "
  • be registered at an address in the area you want to vote in
  • ", + "
  • not be legally excluded from voting
  • ", + "

    You must also be one of the following:

    ", + "
  • a British citizen
  • ", + "
  • an Irish or EU citizen
  • ", + "
  • a qualifying Commonwealth citizen
  • ", + "
  • a citizen of another country living in Scotland or Wales who has permission to enter or stay in the UK, or who does not need permission
  • ", + "

    Local government councillors in England and Wales are elected using the First Past the Post system. You vote for one candidate in your local area and the candidate with the most votes wins.

    ", + "

    In Scotland and Northern Ireland, councillors are elected using the Single Transferable Vote system. You rank the candidates in order of preference.

    ", + "

    When you can vote in more than one local election

    ", + "

    If you live in 2 different local authority areas (for example because you\u2019re a student), you may be able to vote in both areas.

    ", + "

    You must register to vote in both areas. The local Electoral Registration Offices will check each application and tell you if you can register in both areas.

    ", + "

    Read more about local government elections on The Electoral Commission website.

    ", + "

    Scottish Parliament

    ", + "

    There are 129 Members of the Scottish Parliament (MSPs).

    ", + "

    To vote in Scottish Parliament elections you must:

    ", + "
  • be registered to vote at an address in Scotland
  • ", + "
  • be 16 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • not be legally excluded from voting
  • ", + "

    You must also be one of the following:

    ", + "
  • a British citizen
  • ", + "
  • an Irish citizen
  • ", + "
  • a citizen of another country living in Scotland who has permission to enter or stay in the UK, or who does not need permission
  • ", + "

    MSPs are elected using the Additional Member system. You vote once for your constituency MSP and once for an MSP to represent the wider region.

    ", + "

    Read more about the Scottish Parliament elections on The Electoral Commission website.

    ", + "

    Northern Ireland Assembly

    ", + "

    There are 90 Members of the Legislative Assembly (MLAs) in the Northern Ireland Assembly.

    ", + "

    To vote in Northern Ireland Assembly elections you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • be a British, Irish, qualifying Commonwealth or EU citizen
  • ", + "
  • be registered at an address in the area you want to vote in
  • ", + "
  • not be legally excluded from voting
  • ", + "

    MLAs are elected by the Single Transferable Vote system.

    ", + "

    Read more about the Northern Ireland Assembly elections on The Electoral Commission website.

    ", + "

    Welsh Parliament

    ", + "

    There are 60 Members of the Senedd Cymru: Welsh Parliament (MSs).

    ", + "

    To vote in Welsh Parliament elections you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 16 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • live in Wales
  • ", + "
  • not be legally excluded from voting
  • ", + "

    MSs are elected using the Additional Member system. You vote once for your constituency MS and once for an MS to represent the wider region.

    ", + "

    Read more about the Welsh Parliament on The Electoral Commission website.

    ", + "

    Local mayors, Mayor of London and London Assembly

    ", + "

    Elected local mayors

    ", + "

    In some areas of England voters elect a mayor.

    ", + "

    Check if your mayor is elected on your local council website.

    ", + "

    Mayors are elected using the Supplementary Vote system. You make a first and second choice when you vote.

    ", + "

    If no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, then your second choice is counted.

    ", + "

    To vote for a local mayor, you must be eligible to vote in local elections.

    ", + "

    Mayor of London and London Assembly

    ", + "

    The Mayor of London makes decisions on behalf of the people of London. The 25 London Assembly Members make sure the Mayor\u2019s decisions are in the interests of the public.

    ", + "

    To vote in the London Mayor and London Assembly elections you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • be a British, Irish, qualifying Commonwealth or EU citizen
  • ", + "
  • be resident at an address in Greater London
  • ", + "
  • not be legally excluded from voting
  • ", + "

    The Mayor of London is elected using the Supplementary Vote system. You make a first and second choice when you vote.

    ", + "

    If no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.

    ", + "

    London Assembly members are elected using the Additional Member system. You vote once for your constituency member and once for a London-wide representative.

    ", + "

    There are 14 constituency members and 11 London-wide members.

    ", + "

    Read more about the Mayor of London and London Assembly elections on The Electoral Commission website.

    ", + "

    Police and Crime Commissioner

    ", + "

    There are 41 Police and Crime Commissioners (PCCs) in England and Wales who are elected to make sure the police are run properly. There is no elected PCC for London.

    ", + "

    To vote in a PCC election you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • be a British, Irish, qualifying Commonwealth or EU citizen
  • ", + "
  • be resident at an address in England or Wales (excluding London)
  • ", + "
  • not be legally excluded from voting
  • ", + "

    PCCs are elected using the Supplementary Vote system. You make a first and second choice when you vote.

    ", + "

    If no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.

    ", + "

    Read more about Police and Crime Commissioner elections on The Electoral Commission website.

    ", + "

    Referendums

    ", + "

    A referendum is a vote on a single issue.

    ", + "

    Each referendum has different rules on who can vote in it.

    ", + "

    To vote in a referendum you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the referendum (\u2018polling day\u2019)
  • ", + "
  • be a British, Irish or Commonwealth citizen
  • ", + "
  • be resident at an address in the UK or Gibraltar (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)
  • ", + "
  • not be legally excluded from voting
  • ", + "

    You make one choice between 2 options. Votes are counted for the whole of the UK, not by constituency.

    " + ] + }, + { + "title": "Appeal a call up to the reserve forces", + "url": "https://www.gov.uk/appeal-call-up-reserve-forces", + "contents": [ + "

    Overview

    ", + "

    You can appeal to the Reserve Forces Appeal Tribunals (RFAT) if:

    ", + "
  • you\u2019re in the UK reserve forces and your request for exemption from service has been turned down
  • ", + "
  • you employ a reservist and your request for their exemption from service has been turned down
  • ", + "

    The tribunal must receive your appeal within 5 days of you getting the decision letter or your application will be rejected.

    ", + "

    If you\u2019re going to miss the deadline and have a valid reason, say why when you appeal. Extensions are only granted in exceptional circumstances.

    ", + "

    The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    Contact RFAT or your legal representative if you have any questions about appealing. RFAT cannot give you legal advice.

    ", + "

    You can find legal advice, including from a lawyer.

    ", + "

    Appeal to the tribunal

    ", + "

    Write a letter called a \u2018notice of appeal\u2019 to the Secretary of Tribunals.

    ", + "

    Your letter must include:

    ", + "
  • your name, address and telephone number
  • ", + "
  • a statement that it\u2019s a \u2018notice of appeal\u2019
  • ", + "
  • the grounds for appealing the decision
  • ", + "
  • what you want the tribunal to decide (known as the \u2018determination\u2019)
  • ", + "
  • whether you want to attend the hearing
  • ", + "
  • whether you\u2019ll be legally represented
  • ", + "
  • the names and addresses of any witnesses you\u2019d like to give evidence at the hearing
  • ", + "

    You\u2019ll need to include:

    ", + "
  • a copy of the decision you\u2019re appealing
  • ", + "
  • all documents that were part of your application for exemption
  • ", + "
  • any relevant documents that were not part of your original application - and the reasons why they were not included
  • ", + "

    Send your letter

    ", + "

    You can email, fax, post or deliver your notice of appeal in person to:

    ", + "

    After you send your application

    ", + "

    You\u2019ll be told straight away when your appeal has been received.

    ", + "

    You\u2019ll also be given:

    ", + "
  • a case name
  • ", + "
  • a case number
  • ", + "
  • an address for sending any further letters and documents to the tribunal
  • ", + "
  • a hearing date - it\u2019ll usually be within 28 days of the tribunal getting your appeal
  • ", + "

    You\u2019ll normally find out within a week of sending your appeal:

    ", + "
  • whether the tribunal will consider your case
  • ", + "
  • whether the Reserve Forces opposes the appeal and why
  • ", + "
  • if the tribunal needs more information
  • ", + "

    You\u2019ll get another letter a few days before the hearing telling you what documents to bring with you, or send by post in advance.

    ", + "

    Witnesses

    ", + "

    The tribunal may suggest witnesses. You must contact them and make sure they appear at the hearing.

    ", + "

    The tribunal can force witnesses to appear at the hearing if you\u2019re unable to do it yourself - the tribunal will tell you how.

    ", + "

    What happens at the hearing

    ", + "

    You (or your legal representative) will present your case to the tribunal. An \u2018adjudication officer\u2019 will represent the Reserve Forces.

    ", + "

    Both sides can give evidence, call witnesses, question witnesses and make statements to the tribunal.

    ", + "

    If neither side wants to attend a hearing, a decision will be made without a hearing. This is called a \u2018paper hearing\u2019.

    ", + "

    You and any witnesses who attend a hearing may be able to claim for expenses you have, for example accommodation or travel.

    ", + "

    Hearings are usually held in public.

    ", + "

    The tribunal\u2019s decision

    ", + "

    You may get a decision at the end of the hearing. You\u2019ll also get a written copy sent to you.

    ", + "

    If a decision\u2019s not made at the hearing, you\u2019ll get a letter telling you the decision within 1 month. This is known as a \u2018reserved\u2019 decision.

    ", + "

    If you're unhappy with the decision

    ", + "

    You cannot appeal if you lose the case.

    ", + "

    In exceptional circumstances, you may be able to ask for the tribunal to review its decision, for example if:

    ", + "
  • new evidence becomes available
  • ", + "
  • the Secretary of Tribunals made a mistake in the proceedings
  • ", + "
  • someone had the right to attend the hearing but could not, and had a valid reason for doing so
  • ", + "
  • something else has gone wrong that\u2019s made the process or decision unfair (known as a review \u2018in the interests of justice\u2019)
  • ", + "

    You can get legal advice, including from a lawyer if you need help.

    ", + "

    Write to the Secretary of Tribunals within 5 days of getting the decision.

    ", + "

    What happens next

    ", + "

    The tribunal can:

    ", + "
  • \u2018set aside\u2019 the decision - this means you\u2019ll have another hearing
  • ", + "
  • change the decision
  • ", + "

    Legislation

    ", + "

    The tribunal must follow the rules and process in:

    ", + "
  • the Reserve Forces Appeal Tribunals Rules 1997
  • ", + "
  • Part IX of the Reserve Forces Act 1996
  • ", + "

    The tribunal will make a decision based on the Reserve Forces (Call-out and Recall) (Exemptions Etc.) Regulations 1997.

    " + ] + }, + { + "title": "Appeal a decision by the immigration and asylum tribunal", + "url": "https://www.gov.uk/upper-tribunal-immigration-asylum", + "contents": [ + "

    Overview

    ", + "

    You can appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you think there\u2019s a legal mistake with a decision made by the First-tier Tribunal (Immigration and Asylum Chamber).

    ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    You can get legal advice (including from a solicitor), or help from a regulated immigration adviser.

    ", + "

    You can also contact Citizens Advice.

    ", + "

    You may be able to get legal aid.

    ", + "

    Read the guide on representing yourself if you\u2019re not going to have a legal representative.

    ", + "

    You may be able to get asylum support, for example housing and money, while you\u2019re waiting to find out if you\u2019ll be given asylum.

    ", + "

    Contact the tribunal if you have any questions about your appeal. The tribunal can not give you legal advice.

    ", + "

    How to appeal

    ", + "

    You must be able to make a case for why the decision was legally wrong. For example, if the tribunal:

    ", + "
  • did not apply the correct law or wrongly interpreted the law
  • ", + "
  • did not follow the correct procedures
  • ", + "
  • had no evidence or not enough evidence to support its decision
  • ", + "

    Ask for permission to appeal

    ", + "

    You must ask the First-tier Tribunal (Immigration and Asylum Chamber) for permission to appeal to the Upper Tribunal.

    ", + "

    You\u2019ll be given the form to ask permission from the First-tier Tribunal (Immigration and Asylum Chamber) when you get your decision. Send it with a copy of the decision to the address on the form.

    ", + "

    Deadlines for asking the First-tier Tribunal for permission to appeal

    ", + "

    You must ask for permission to appeal within a certain period of time of getting your decision. When you must appeal by depends on whether you\u2019re inside or outside the UK.

    ", + " | When you must appeal by", + "You\u2019re inside the UK | 14 days after the date on the written reasons for the decisions", + "You\u2019re outside the UK | 28 days after the date on the written reasons for the decisions", + "

    Fees

    ", + "

    There is no fee to appeal to the tribunal.

    ", + "

    If you\u2019re refused permission to appeal

    ", + "

    You can apply to the Upper Tribunal for permission to appeal if the First-tier Tribunal refuses, or only gives your permission to appeal on limited grounds.

    ", + "

    Download and fill in the Upper Tribunal permission request form and send it with the appropriate documents to the address on the form.

    ", + "

    You must also say whether you want a hearing or not.

    ", + "

    If your case was heard at either the Yarl\u2019s Wood or the Harmondsworth hearing centre as a Detained Immigration Appeal, send your application to the Harmondsworth hearing centre.

    ", + "

    Deadlines for asking the Upper Tribunal for permission to appeal

    ", + "

    How long you have depends on where you are and how you received your refusal letter from the First-tier Tribunal.

    ", + " | When you must appeal by", + "You\u2019re inside the UK | 14 days after the date on the decision", + "You\u2019re outside the UK | 1 month after the date on the decision", + "

    Documents you must send with your application

    ", + "

    Include copies of the following documents with your form:

    ", + "
  • the decision by the First-tier Tribunal
  • ", + "
  • the \u2018notice of refusal of permission to appeal\u2019 by the First-tier Tribunal or the \u2018refusal to admit the application for permission\u2019
  • ", + "
  • a statement clearly setting out your reasons for why you think the First-tier Tribunal made a mistake
  • ", + "
  • any other relevant documents that you sent to the First-tier Tribunal
  • ", + "

    You also need to include any written evidence that shows why you think the First-tier Tribunal made a legal mistake.

    ", + "

    If your application is late, you must explain in writing why it is late. The tribunal will then decide if it can review your application.

    ", + "

    Ask for a hearing

    ", + "

    You can ask on your application for a decision to be made either:

    ", + "
  • just on the information in your application
  • ", + "
  • at a hearing that you or your representative can go to
  • ", + "

    The tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend if you\u2019re in the UK.

    ", + "

    If they do not hold a hearing, a judge will decide your case based on your application.

    ", + "

    Withdrawing your appeal

    ", + "

    Only you or your representative can withdraw your appeal. Contact the tribunal in writing if you want to withdraw your appeal - include your appeal number. The tribunal will decide whether to give you permission to withdraw, or if the hearing will go ahead.

    ", + "

    If your hearing is less than 7 days away, contact the hearing centre where your appeal is scheduled.

    ", + "

    If you have a hearing

    ", + "

    You or your representative will be told when and where your hearing will take place. You can check the daily courts lists on the day of your hearing to find out if anything has changed.

    ", + "

    You may need to attend a pre-hearing first, where the tribunal will check that you\u2019re ready for the full hearing to take place.

    ", + "

    Bring copies of all the documents that you gave to the tribunal.

    ", + "

    You can bring a friend to represent you - ask the judge at the beginning of the hearing if this is the case.

    ", + "

    Special requirements

    ", + "

    Write to the Customer Enquiry Unit at least 2 weeks before your hearing if you need any special help, for example wheelchair access.

    ", + "

    Private hearings or hearings by video

    ", + "

    Hearings are usually carried out in public. If you have an important need (for example you think you\u2019ll be put in danger if you go to the hearing), you can ask:

    ", + "
  • for your name not to appear on any tribunal documents or court lists
  • ", + "
  • for the tribunal to be private and not open to the public
  • ", + "
  • to attend the hearing by video link
  • ", + "

    Asking for a male or female judge

    ", + "

    You can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.

    ", + "

    Make your request as soon as possible when your apply, and no later than 7 days before the hearing.

    ", + "

    If you cannot attend the hearing

    ", + "

    You must attend the hearing yourself if you\u2019re in the UK. You can also bring a solicitor or regulated immigration adviser with you.

    ", + "

    If you\u2019re not in the UK, you can ask a solicitor, regulated immigration adviser or the person who supported your application (your \u2018sponsor\u2019) to attend the hearing in your place.

    ", + "

    You can only be represented at the hearing by a solicitor or regulated immigration adviser, your sponsor can not act on your behalf.

    ", + "

    Your sponsor can not represent you at the hearing, they can only be:

    ", + "
  • told the tribunal\u2019s decision
  • ", + "
  • given information over the phone
  • ", + "

    You must write to the tribunal to tell them if your sponsor will be attending the hearing in your place. Include the case reference number of your appeal.

    ", + "

    Children at the hearing

    ", + "

    You can not take children into the hearing room with you. If you need to bring them to the tribunal, you\u2019ll need to bring someone to look after them.

    ", + "

    If your appeal can not be resolved at the hearing

    ", + "

    If your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be \u2018adjourned\u2019 and rescheduled for another day.

    ", + "

    Your hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it can not be resolved on the day, for example because more evidence is needed.

    ", + "

    The tribunal will arrange another hearing with the same people present.

    ", + "

    The tribunal's decision

    ", + "

    You\u2019ll normally get your decision in writing in 28 days.

    ", + "

    If you win your appeal

    ", + "

    If the Upper Tribunal decides that a mistake was made it can:

    ", + "
  • overrule the decision and make its own judgement
  • ", + "
  • order the First-tier Tribunal to hear the case again
  • ", + "

    The Home Office can appeal the decision of the tribunal.

    ", + "

    If you lose your appeal

    ", + "

    You may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.

    ", + "

    Get legal help or advice if you\u2019re not sure about this.

    ", + "

    Ask for permission

    ", + "

    You must write to the upper tribunal and ask for permission before you appeal. How long you have to do this depends on where you are and how you received your decision.

    ", + " | Refusal letter by post | Refusal by email or delivered personally", + "You\u2019re inside the UK | 12 working days | 10 working days", + "You\u2019re outside the UK | 38 days | 10 days", + "

    Once you have permission, you should appeal to the relevant higher court:

    ", + "
  • The Court of Appeal in England and Wales
  • ", + "
  • The Court of Session in Scotland
  • ", + "
  • The Court of Appeal in Northern Ireland
  • ", + "

    You must do this within:

    ", + "
  • 28 days of being given permission (England and Wales)
  • ", + "
  • 42 days of being given permission (Scotland)
  • ", + "
  • 21 days of being given permission (Northern Ireland)
  • ", + "

    You may have to pay court fees and the other party\u2019s costs.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the relevant higher court for permission.

    ", + "

    You must do this within:

    ", + "
  • 28 days of being refused permission (England and Wales)
  • ", + "
  • 42 days of being refused permission (Scotland)
  • ", + "
  • 21 days of being refused permission (Northern Ireland)
  • ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Legislation

    ", + "

    The Upper Tribunal (Immigration and Asylum Chamber) must follow the rules and process in the The Tribunal Procedure (Upper Tribunal) Rules 2008.

    ", + "

    The tribunal has issued additional guidance on certain issues:

    ", + "
  • practice statements
  • ", + "
  • practice directions
  • ", + "

    The tribunal will make a decision based on legislation, including the:

    ", + "
  • Immigration Act 1971
  • ", + "
  • Nationality, Immigration and Asylum Act 2002
  • ", + "
  • Immigration, Asylum and Nationality Act 2006
  • ", + "
  • Tribunals, Courts and Enforcement Act 2007
  • ", + "
  • UK Borders Act 2007
  • ", + "
  • Borders, Citizenship and Immigration Act 2009
  • ", + "
  • Immigration Rules
  • ", + "
  • Immigration (European Economic Area) Regulations 2006
  • ", + "

    Previous decisions

    ", + "

    You can search for decisions made in other cases.

    " + ] + }, + { + "title": "Appeal a magistrates\u2019 court decision", + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "contents": [ + "

    What you can appeal

    ", + "

    You can appeal to the magistrates\u2019 court against your:

    ", + "
  • sentence, if you pleaded guilty
  • ", + "
  • conviction and sentence, if you pleaded not guilty
  • ", + "

    You should talk to your legal representative (if you have one) or get help from a legal adviser before you appeal.

    ", + "

    Ask the court to reconsider a decision

    ", + "

    If you think the decision was wrong, you can ask the court to reconsider a sentence or conviction. For example, if there was a serious mistake or the court did not follow the right steps.

    ", + "

    If you disagree with the decision but there has been no mistake you will normally need to appeal to the Crown Court.

    ", + "

    If you did not know about your court case

    ", + "

    If you did not know about your case before a decision was made, you can make a statutory declaration to a magistrates\u2019 court to reopen your case.

    ", + "

    Change the amount you\u2019ve been fined

    ", + "

    You can ask the court to change the amount you\u2019ve been fined if:

    ", + "
  • your financial circumstances have changed
  • ", + "
  • the court did not know your income at the time of your conviction
  • ", + "

    Ask the court to reconsider a decision

    ", + "

    You can ask the court to reconsider your conviction, sentence or court order if you think the decision was wrong for a legal reason, for example if the court did not:

    ", + "
  • give proper reasons for its decision, or back up the decision with facts
  • ", + "
  • apply the law properly
  • ", + "

    This is different to making an appeal to the Crown Court.

    ", + "

    If you pleaded guilty, you cannot ask the court to reconsider your conviction.

    ", + "

    How to get a decision reconsidered

    ", + "

    Submit your request as early as possible by writing to the magistrates\u2019 court where you had your hearing.

    ", + "

    You must include:

    ", + "
  • information about your conviction, sentence or court order
  • ", + "
  • why you think the decision should change
  • ", + "
  • what the conviction, sentence or order should be changed to
  • ", + "

    Send a copy of your application to the prosecutor\u2019s office (you can find the address of the prosecutor by contacting\nthe magistrates\u2019 court where you were convicted).

    ", + "

    The court will decide if a hearing is needed.

    ", + "

    If you did not know about your case

    ", + "

    If a magistrates\u2019 court convicted you without you knowing, you can make a statutory declaration before a magistrates\u2019 court or to a commissioner for oaths (for example a solicitor).

    ", + "

    If the court accepts your declaration they will start the proceedings again. Your conviction or sentence will no longer apply.

    ", + "

    When to make your declaration

    ", + "

    You must give your completed declaration to the court within 21 days of finding out about your case.

    ", + "

    If you want to give a declaration after 21 days, you\u2019ll have to ask the court if they\u2019ll accept it.

    ", + "

    Making a statutory declaration

    ", + "
  • Download a statutory declaration (called an ignorance of proceedings form) or ask for a copy at your local magistrates\u2019 court.
  • ", + "
  • Fill out the form telling the court when and how you heard about your court case. You\u2019ll need to provide details of your case, including where your hearing was held and on what date.
  • ", + "
  • Arrange an appointment to make your statutory declaration before a solicitor or any magistrates\u2019 court.
  • ", + "
  • Sign and date your form.
  • ", + "
  • Give your declaration to the court or ask your solicitor to do it.
  • ", + "

    If your case was decided by a magistrate without a hearing, you\u2019ll need to give a written plea (or a completed single justice procedure notice if you have one) to the court or your solicitor along with your statutory declaration.

    ", + "

    Get a fine reviewed

    ", + "

    You can ask the court to change a fine if:

    ", + "
  • your financial circumstances have changed
  • ", + "
  • the court did not know your income when they convicted you
  • ", + "

    Your original conviction or record of your offence will not change.

    ", + "

    How to ask for a review

    ", + "

    Write to the court or go to your court hearing with evidence of your income and living expenses.

    ", + "

    If your income has changed since you were sentenced you need to also provide your income on the date you were sentenced.

    ", + "

    You can ask your legal adviser if you\u2019re not sure what documents you need.

    ", + "

    What happens next

    ", + "

    The court will decide if the decision should be reconsidered.

    ", + "

    You may need to attend court for another hearing. They\u2019ll let you know when the hearing will take place.

    ", + "

    Appeal to the Crown Court

    ", + "

    If you disagree with a decision but there has been no mistake you can appeal to the Crown Court.

    ", + "

    Download and fill in the \u2018Appeal to the Crown Court\u2019 form that relates to your crime or sentence. Send the form by post or email. The address is on the form.

    ", + "

    If you were convicted at a magistrates\u2019 court but sentenced at a Crown Court, follow the rules for appealing a Crown Court decision.

    ", + "

    If you pleaded guilty, you can only appeal against your sentence.

    ", + "

    When to appeal

    ", + "

    You must appeal within 21 days of the date you were sentenced.

    ", + "

    If you want to appeal after 21 days, you\u2019ll have to ask the Crown Court for permission before you can appeal. The magistrates\u2019 court where you were sentenced will tell you how to do this.

    ", + "

    Talk to your legal representative (if you have one) or get help from a legal adviser before you appeal.

    ", + "

    The court hearing

    ", + "

    The Crown Court will make a decision on your appeal at a hearing.

    ", + "

    You\u2019ll get a letter within 80 days of making your appeal to let you know when and where the hearing will take place.

    ", + "

    The hearing is usually held at your nearest Crown Court.

    ", + "

    What happens at the hearing

    ", + "

    You\u2019ll have the chance to present your case to the judge and magistrates. Representatives from the prosecution will present the case against you.

    ", + "

    The judge might also ask you questions during the hearing.

    ", + "

    You\u2019ll be told whether you\u2019ve won your appeal at the hearing. You\u2019ll also be sent a copy of the judge\u2019s decision by post.

    ", + "

    Stopping your appeal

    ", + "

    You can apply to stop your appeal before the hearing. Your appeal cannot be restarted once it\u2019s been stopped.

    ", + "

    Send a \u2018notice of abandonment of appeal\u2019 to the magistrates\u2019 court where you sent your appeal and the Crown Court where your hearing will take place.

    ", + "

    You must also send a copy to any other parties involved in the case, for example a prosecutor.

    ", + "

    If you win your appeal

    ", + "

    If you win your appeal against your conviction, your sentence will no longer apply. You might be able to apply to get compensation.

    ", + "

    If you win your appeal against your sentence, it will be reduced.

    ", + "

    The court might decide you can get some of your legal costs paid back, for example your solicitor\u2019s fee.

    ", + "

    If you lose your appeal

    ", + "

    Your original sentence or conviction might change.

    ", + "

    Check with your legal adviser if you can appeal again. You might have to pay extra costs if you do.

    " + ] + }, + { + "title": "Appeal against a visa or immigration decision", + "url": "https://www.gov.uk/immigration-asylum-tribunal", + "contents": [ + "

    Overview

    ", + "

    You can appeal to the First-tier Tribunal (Immigration and Asylum Chamber) if the Home Office has decided to:

    ", + "
  • refuse your protection claim (also known as \u2018asylum claim\u2019 or \u2018humanitarian protection\u2019)
  • ", + "
  • revoke your protection status
  • ", + "
  • refuse your human rights claim
  • ", + "
  • refuse you a residence document or deport you under the Immigration (European Economic Area) Regulations 2016
  • ", + "
  • revoke your British citizenship
  • ", + "
  • refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme
  • ", + "
  • refuse or revoke your travel permit or family permit under the EU Settlement Scheme or restrict your rights to enter or leave the UK under those permits
  • ", + "
  • refuse or revoke your permit, or deport you if you\u2019re a frontier worker
  • ", + "
  • refuse or revoke your leave, or deport you if you\u2019re an S2 healthcare visitor
  • ", + "

    The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    If you do not have the right to appeal, you might be able to ask the Home Office for an administrative review.

    ", + "

    How to appeal

    ", + "

    How you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.

    ", + "

    If you\u2019re a solicitor or an immigration adviser

    ", + "

    For most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.

    ", + "

    You must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.

    ", + "

    If you\u2019re appealing for yourself without a solicitor or immigration adviser

    ", + "

    Find out how to appeal from:

    ", + "
  • within the UK
  • ", + "
  • outside the UK
  • ", + "

    There\u2019s a different way to appeal if you made your application before 6 April 2015.

    ", + "

    Help you can get

    ", + "

    You can get help and advice from a solicitor or an immigration adviser.

    ", + "

    You can also contact Citizens Advice.

    ", + "

    Read the guide on representing yourself if you\u2019re not going to have a legal representative.

    ", + "

    You may be able to get asylum support (such as housing and money) if you\u2019ve been refused asylum.

    ", + "

    Contact the tribunal if you have any questions about your appeal. The tribunal cannot give you legal advice.

    ", + "

    Urgent appeal applications

    ", + "

    You need to write to the tribunal with:

    ", + "
  • the reason why your case should be heard urgently
  • ", + "
  • evidence of compelling or compassionate grounds, for example letters from a doctor or hospital
  • ", + "

    You should write \u2018expedite requests\u2019 on the top of any documents you send with your application.

    ", + "

    A judge will review your evidence and decide whether your application should be heard sooner than usual.

    ", + "

    Your application will only be reviewed if you\u2019ve paid your tribunal fee (if you need to pay one).

    ", + "

    Where to send your application

    ", + "

    Send your reasons for the urgent appeal and evidence to the tribunal.

    ", + "

    Contact the tribunal to check if your application has been received.

    ", + "

    If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful

    ", + "

    You can apply again for the EU Settlement Scheme, Frontier Worker permit or S2 Healthcare Visitor visa for free if you have new evidence to submit.

    ", + "

    Or you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.

    ", + "

    You can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.

    ", + "

    You can only appeal a decision if you made your application after:

    ", + "
  • 11pm on 31 January 2020, for the EU Settlement Scheme
  • ", + "
  • 10 December 2020, for a Frontier Worker permit
  • ", + "
  • 11pm on 31 December 2020, for a S2 Healthcare Visitor visa
  • ", + "

    Appeal from within the UK

    ", + "

    You can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.

    ", + "

    Talk to a solicitor or an immigration adviser if you\u2019re not sure.

    ", + "

    Read the guide on representing yourself if you\u2019re not going to have a legal representative.

    ", + "

    Your decision letter will usually tell you if you can apply for an administrative review if you do not have the right to appeal.

    ", + "

    The administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.

    ", + "

    How to appeal

    ", + "

    How you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.

    ", + "

    If you\u2019re a solicitor or an immigration adviser

    ", + "

    For most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.

    ", + "

    You must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.

    ", + "

    If you\u2019re appealing for yourself without a solicitor or immigration adviser

    ", + "

    You have 14 days to appeal from the date the decision was sent.

    ", + "

    If you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.

    ", + "

    You can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.

    ", + "

    Apply online if you can - online appeals are quicker than post or fax appeals.

    ", + "What you\u2019re appealing | How you can appeal", + "A decision to refuse your human rights claim or protection claim while you\u2019re in the UK | Online or by post or fax with form IAFT-5", + "A decision to revoke your protection status | Online or by post or fax with form IAFT-5", + "A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5", + "A decision where you\u2019ve been detained in an Immigration detention centre and your decision letter was sent by the Home Office | By post or fax with form IAFT-DIA", + "A decision where you\u2019ve been detained in prison and your decision letter was sent by the Home Office. | Online or by post or fax with form IAFT-5", + "A decision to remove your British citizenship | Online or by post or fax with form IAFT-5", + "Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form", + "

    If you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.

    ", + "

    Ask for an oral hearing

    ", + "

    You can ask on your appeal form for a decision to be made either:

    ", + "
  • just on the information in your appeal form and any documents supplied to the tribunal
  • ", + "
  • at a hearing that you and your representative can attend
  • ", + "

    The tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend.

    ", + "

    If the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and the documents.

    ", + "

    Hearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.

    ", + "

    You can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.

    ", + "

    Special requirements

    ", + "

    Contact the Customer Enquiry Unit before your hearing if you need any special help, for example you need wheelchair access.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a380 without a hearing
  • ", + "
  • \u00a3140 with a hearing
  • ", + "

    You may not have to pay if you:

    ", + "
  • get asylum support
  • ", + "
  • get legal aid
  • ", + "
  • get services from your local council and you\u2019re under 18
  • ", + "

    You can also get help with court fees if any of the following apply:

    ", + "
  • you have little or no savings
  • ", + "
  • you\u2019re on certain benefits
  • ", + "
  • you have a low income
  • ", + "

    Read the tribunal fees guidance for more information.

    ", + "

    Contact the tribunal if you\u2019re unsure if you have to pay a fee.

    ", + "

    How to pay

    ", + "

    You can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.

    ", + "

    If you\u2019ve already made your appeal you can also pay your fee online.

    ", + "

    If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful

    ", + "

    If you have new evidence to submit, you can:

    ", + "
  • apply for the EU Settlement Scheme
  • ", + "
  • apply for a Frontier Worker permit
  • ", + "
  • apply for a S2 Healthcare Visitor visa
  • ", + "

    It\u2019s free to apply.

    ", + "

    Or you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.

    ", + "

    You can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.

    ", + "

    You can only appeal a decision if you made your application after:

    ", + "
  • 11pm on 31 January 2020, for the EU Settlement Scheme
  • ", + "
  • 10 December 2020, for a Frontier Worker permit
  • ", + "
  • 11pm on 31 December 2020, for a S2 Healthcare Visitor visa
  • ", + "

    Appeal from outside the UK

    ", + "

    You can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.

    ", + "

    If you\u2019ve been refused a tier 1, 2, 4 or 5 visa you will be able to ask for the decision to be reviewed at an administrative review - your refusal letter will usually tell you if you can.

    ", + "

    The administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.

    ", + "

    Talk to a solicitor or an immigration adviser if you\u2019re unsure whether you can appeal.

    ", + "

    Read the guide on representing yourself if you\u2019re not going to have a legal representative.

    ", + "

    How to appeal

    ", + "

    How you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.

    ", + "

    If you\u2019re a solicitor or an immigration adviser

    ", + "

    For most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.

    ", + "

    You must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.

    ", + "

    If you\u2019re appealing for yourself without a solicitor or immigration adviser

    ", + "

    You have 28 days to appeal after you get your decision. If you have to leave the country before you\u2019re allowed to appeal, you have 28 days to appeal once you\u2019ve left the country.

    ", + "

    If you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.

    ", + "

    You can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.

    ", + "

    Apply online if you can - online appeals are quicker than post or fax appeals.

    ", + "What you\u2019re appealing | How you can appeal", + "A decision to refuse a human rights claim for entry clearance | Online or by post or fax with form IAFT-6", + "A decision to refuse a human rights claim or protection claim (where you can only apply after you\u2019ve left the country) | Online or by post or fax with form IAFT-7", + "A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-6", + "A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-6", + "A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5", + "Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form", + "

    If you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.

    ", + "

    Ask for an oral hearing

    ", + "

    You can ask on your appeal form for a decision to be made either:

    ", + "
  • just on the information in your appeal form and any documents supplied to the tribunal
  • ", + "
  • at a hearing that your representatives can attend
  • ", + "

    The tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case.

    ", + "

    If the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and documents.

    ", + "

    Hearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.

    ", + "

    You can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.

    ", + "

    Special requirements

    ", + "

    Contact the Customer Enquiry Unit before your hearing if any special help is needed, for example someone attending on your behalf needs wheelchair access.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a380 without a hearing
  • ", + "
  • \u00a3140 with a hearing
  • ", + "

    You may not have to pay if you get legal aid.

    ", + "

    Read the tribunal fees guidance for more information.

    ", + "

    Contact the tribunal if you\u2019re not sure if you have to pay a fee.

    ", + "

    How to pay

    ", + "

    You can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.

    ", + "

    If you\u2019ve already made your appeal you can also pay your fee online.

    ", + "

    If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful

    ", + "

    If you have new evidence to submit, you can:

    ", + "
  • apply for the EU Settlement Scheme
  • ", + "
  • apply for a Frontier Worker permit
  • ", + "
  • apply for a S2 Healthcare Visitor visa
  • ", + "

    It\u2019s free to apply.

    ", + "

    Or you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.

    ", + "

    You can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.

    ", + "

    You can only appeal a decision if you made your application after:

    ", + "
  • 11pm on 31 January 2020, for the EU Settlement Scheme
  • ", + "
  • 10 December 2020, for a Frontier Worker permit
  • ", + "
  • 11pm on 31 December 2020, for a S2 Healthcare Visitor visa
  • ", + "

    Applications made before 6 April 2015

    ", + "

    You might be able to appeal against a decision made by the Home Office if you submitted your application before 6 April 2015 and it was refused.

    ", + "

    Tier 1, 2 or 5 migrants and family members

    ", + "

    You can make an appeal if you applied for leave to remain as a Tier 1, 2 or 5 migrant or family member before 2 March 2015 and your application was refused on or after 6 April 2015.

    ", + "

    You can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.

    ", + "

    Appeal online or by post or fax with:

    ", + "
  • form IAFT-1 if you\u2019re in the UK
  • ", + "
  • form IAFT-3 if you\u2019ve left the UK
  • ", + "

    Tier 4 migrants and family members

    ", + "

    You can make an appeal if you applied for permission to remain as a Tier 4 migrant or family member before 20 October 2014 and your application was refused on or after 6 April 2015.

    ", + "

    You can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.

    ", + "

    Appeal online or by post or fax with:

    ", + "
  • form IAFT-1 if you\u2019re in the UK
  • ", + "
  • form IAFT-3 if you\u2019ve left the UK
  • ", + "

    Other decisions

    ", + "

    You can appeal against certain other Home Office decisions if you applied before 6 April 2015 and your application was refused on or after the same date.

    ", + "

    You can only do this if the Home Office\u2019s decision did not include refusing an asylum or human rights claim.

    ", + "

    Leave to enter

    ", + "

    You can appeal online if your application for leave to enter was refused.

    ", + "

    You can also appeal by post or fax with:

    ", + "
  • form IAFT-1 if you\u2019re in the UK
  • ", + "
  • form IAFT-3 if you\u2019ve left the UK
  • ", + "

    Vary your leave to enter or remain

    ", + "

    You can appeal online if your application to change (\u2018vary\u2019) the length and conditions of your stay in the UK was refused. You can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.

    ", + "

    You can also appeal by post or fax with:

    ", + "
  • form IAFT-1 if you\u2019re in the UK
  • ", + "
  • form IAFT-3 if you\u2019ve left the UK
  • ", + "

    Entry clearance

    ", + "

    You can appeal online if your application for entry clearance was refused.

    ", + "

    You can also appeal by post or fax with form IAFT-2.

    ", + "

    Certificate of entitlement

    ", + "

    You can appeal online if your application for a certificate of entitlement to prove you have a right of abode in the UK was refused.

    ", + "

    You can also appeal by post or fax with:

    ", + "
  • form IAFT-1 if you\u2019re in the UK
  • ", + "
  • form IAFT-3 if you\u2019ve left the UK
  • ", + "

    If there's a hearing

    ", + "

    You\u2019ll get a letter or email with details of how to attend your hearing. You may be asked to attend in person at a tribunal building, or asked to attend remotely by a video link or by phone.

    ", + "

    If you\u2019ll be attending remotely, the letter or email will tell you how to prepare for this.

    ", + "

    You can check the daily courts lists on the day of your hearing to find out if anything has changed.

    ", + "

    If you cannot attend yourself you can ask someone to represent you and ask witnesses to attend.

    ", + "

    You may have to give evidence at the hearing and answer questions.

    ", + "

    You may need to take part in a \u2018pre-hearing\u2019, where the tribunal will check that you\u2019re ready for a full hearing.

    ", + "

    The hearing will normally be attended by:

    ", + "
  • a judge, sometimes with other tribunal members
  • ", + "
  • a clerk and other tribunal staff, to help run the hearing
  • ", + "
  • your representative, if you have one
  • ", + "
  • a Home Office \u2018presenting officer\u2019, who will argue the case for the Home Office
  • ", + "
  • any witnesses called to give evidence
  • ", + "
  • an interpreter, if you\u2019ve asked for one
  • ", + "

    It can also normally be attended by:

    ", + "
  • your sponsor, if you have one
  • ", + "
  • members of the public
  • ", + "
  • the press or media
  • ", + "

    If your appeal cannot be resolved at the hearing

    ", + "

    If your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be rescheduled for another day.

    ", + "

    Your hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it cannot be resolved on the day. The tribunal will arrange another hearing with the same people present.

    ", + "

    Get a decision

    ", + "

    You\u2019ll be given a decision in person or by post.

    ", + "

    The tribunal will either decide to:

    ", + "
  • allow your appeal - this does not automatically mean you\u2019ll be able to enter or stay in the country and may simply mean the Home Office has to reconsider its decision
  • ", + "
  • dismiss your appeal and uphold the Home Office\u2019s original decision
  • ", + "

    You\u2019ll usually get a copy of the tribunal\u2019s decision within 4 weeks of the hearing.

    ", + "

    Both you and the Home Office can appeal the decision of the tribunal.

    ", + "

    The tribunal can order either you or the Home Office to pay the other\u2019s costs if either of you has acted unreasonably.

    ", + "

    If you win your appeal

    ", + "

    The Home Office will change (\u2018revise\u2019) its decision if you win your appeal. The Home Office may reconsider your entire application if your circumstances have changed since you first made your appeal.

    ", + "

    The judge may order the Home Office to pay you a \u2018fee award\u2019 if you win your appeal, up to the amount you paid for your tribunal fee.

    ", + "

    Email the Home Office if you do not get your fee award after 60 days.

    ", + "

    Include the following information:

    ", + "
  • your Home Office reference number
  • ", + "
  • your appeal reference number
  • ", + "
  • the date of the tribunal decision letter
  • ", + "

    If you lose your appeal

    ", + "

    You can ask for permission to appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you lose your case and you think there\u2019s a legal mistake with the tribunal\u2019s decision.

    ", + "

    For example, you think the tribunal:

    ", + "
  • got the law wrong
  • ", + "
  • do not apply the correct law
  • ", + "
  • do not follow the correct procedures, which affected the decision
  • ", + "
  • had no evidence to support its decision
  • ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and the guidance it\u2019s issued.

    ", + "

    All parties must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Immigration and Asylum Chamber) Rules 2014.

    ", + "

    The tribunal will make a decision based on legislation, including the:

    ", + "
  • Immigration Act 1971
  • ", + "
  • Nationality, Immigration and Asylum Act 2002
  • ", + "
  • Immigration, Asylum and Nationality Act 2006
  • ", + "
  • Tribunals, Courts and Enforcement Act 2007
  • ", + "
  • UK Borders Act 2007
  • ", + "
  • Borders, Citizenship and Immigration Act 2009
  • ", + "
  • Immigration Rules
  • ", + "
  • Immigration (European Economic Area) Regulations 2016
  • ", + "

    The tribunal fees are set out in the First-tier Tribunal (Immigration and Asylum Chamber) Fees Order 2011.

    ", + "

    The president of the tribunal has issued guidance which provides more detail on certain issues.

    ", + "

    There are also older guidance notes for the Asylum and Immigration Tribunal which still apply to the First-tier Tribunal (Immigration and Asylum Chamber).

    ", + "

    Check the decisions database to see how previous decisions on appeals have been made by the Immigration and Asylum Chamber.

    " + ] + }, + { + "title": "Appeal to the Employment Appeal Tribunal (EAT)", + "url": "https://www.gov.uk/appeal-employment-appeal-tribunal", + "contents": [ + "

    Overview

    ", + "

    You can appeal to the Employment Appeal Tribunal (EAT) if you think a legal mistake was made in an employment tribunal case.

    ", + "

    For example, you could appeal if it:

    ", + "
  • got the law wrong
  • ", + "
  • did not apply the correct law
  • ", + "
  • did not follow the correct procedures and this affected the decision
  • ", + "
  • had no evidence to support its decision
  • ", + "
  • was unfairly biased towards the other party
  • ", + "

    Get legal advice if you\u2019re unsure about this.

    ", + "

    EAT is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    Before you appeal

    ", + "

    Ask the employment tribunal to send you the reasons for the decision, if you do not already have them. You can continue your appeal while you wait for them.

    ", + "

    Help with your appeal

    ", + "

    Read the rules that EAT follows when making decisions.

    ", + "

    You can also get free legal advice from Citizens Advice and Citizens Advice Scotland.

    ", + "

    Contact EAT

    ", + "

    Contact the enquiry line for more information.

    ", + "

    EAT public enquiry line\nTelephone: 020 7273 1041 (England and Wales) \nTelephone: 0131 225 3963 (Scotland)\nFind out about call charges

    ", + "

    How to appeal

    ", + "
  • Read the full practice direction and appeal guidance.
  • ", + "
  • Fill in the notice of appeal form.
  • ", + "
  • Send the form, with the supporting documents listed on it, to the Employment Appeal Tribunal (EAT) office.
  • ", + "

    You do not have to pay a fee to make an appeal.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 42 days of the date that either:

    ", + "
  • the decision was sent to you
  • ", + "
  • the reasons were sent to you (but only if the Employment Tribunal did not provide reasons at the hearing or you asked for the reasons within 14 days of the decision being sent to you)
  • ", + "

    Your appeal must arrive by 4pm on the final day.

    ", + "

    You can ask for an appeal to be considered even if it\u2019s late, but extensions are rarely given, and you must have a good reason.

    ", + "

    Where to send your appeal

    ", + "

    You can send it by email. You must send any documents as attachments, and the email must be 10MB or less.

    ", + "

    You can also send your appeal by fax or post.

    ", + "

    For cases in England and Wales

    ", + "

    For cases in Scotland

    ", + "

    After you appeal

    ", + "

    EAT will decide if your case can go ahead. If it can, you may be asked to attend a hearing to present your case.

    ", + "

    If your appeal cannot go ahead, you\u2019ll be sent a letter explaining why and whether you can appeal further.

    ", + "

    The tribunal hearing

    ", + "

    You may have to attend a hearing where you (or your representative) will present your case.

    ", + "

    The Employment Appeal Tribunal (EAT) will decide if your appeal has been successful.

    ", + "

    You\u2019ll be told the outcome of the case either at the end of the hearing or afterwards by letter.

    ", + "

    Preparing for the hearing

    ", + "

    You\u2019ll usually be asked when you\u2019re available to attend a hearing. In certain cases you may be told when a hearing will take place, but you\u2019ll be told at least 14 days beforehand. Hearings can be held sooner than this under exceptional circumstances.

    ", + "

    You\u2019ll be told what documents you need to send to EAT and to other parties.

    ", + "

    You may be able to get free advice immediately before the hearing if you do not have a representative - ask EAT for details.

    ", + "

    You cannot claim any expenses for going to a hearing.

    ", + "

    What happens at the hearing

    ", + "

    You\u2019ll present your case - someone else can do this for you, for example a lawyer, friend or family member. The other party will present the case against you. You may be asked questions about your case.

    ", + "

    If you lose your case

    ", + "

    You may be able to appeal to a higher court if you think there was a legal problem with the Employment Appeal Tribunal\u2019s (EAT\u2019s) decision.

    ", + "

    Get legal help or advice if you\u2019re not sure about this.

    ", + "

    Ask permission to appeal

    ", + "

    You must ask for permission before you appeal. You can either ask EAT or the higher court directly.

    ", + "

    Asking EAT

    ", + "

    You must ask within 7 days of receiving the decision (or within 42 days if the employment tribunal whose decision you are appealing was held in Scotland).

    ", + "

    You can ask for permission on the day of your hearing (if you receive your decision on the day).

    ", + "

    You must provide your grounds for appeal and the legal problem with the decision.

    ", + "

    If you\u2019re refused permission, you can ask the higher court directly.

    ", + "

    Asking the higher court

    ", + "

    You can ask the Court of Appeal for permission. You must do this within 21 days of the date you were told you lost your case or were refused permission by EAT.

    ", + "

    If the employment tribunal that made the initial decision was based in Scotland, ask the Court of Session for permission.

    ", + "

    Appeal to the higher court

    ", + "

    You can appeal to the Court of Appeal once you\u2019ve been given permission.

    ", + "

    If the employment tribunal that made the initial decision was based in Scotland, you should appeal to the Court of Session.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the Employment Appeal Tribunal (EAT) must follow and its decisions on previous cases.

    ", + "

    Legislation

    ", + "

    EAT must follow the rules and process in the:

    ", + "
  • Employment Appeal Tribunal Rules 1993 (as amended)
  • ", + "
  • Employment Tribunals Act 1996
  • ", + "

    EAT has also issued a practice direction that provides more detailed guidance.

    ", + "

    Previous decisions

    ", + "

    You can search for decisions made in other EAT cases.

    " + ] + }, + { + "title": "Appeal to the Upper Tribunal (Administrative Appeals Chamber)", + "url": "https://www.gov.uk/administrative-appeals-tribunal", + "contents": [ + "

    Overview

    ", + "

    You may be able to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you think there was a legal mistake with a decision made against you by certain lower tribunals and organisations.

    ", + "

    You might be able to appeal if your case was about:

    ", + "
  • social security or child support
  • ", + "
  • war pensions and armed forces compensation
  • ", + "
  • mental health
  • ", + "
  • special education needs or disabilities
  • ", + "
  • a dispute that was heard by the General Regulatory Chamber
  • ", + "
  • a decision made by the Disclosure and Barring Service
  • ", + "
  • a decision made by the Traffic Commissioner (or the Transport Regulation Unit in Northern Ireland)
  • ", + "

    There are also other cases that the tribunal deals with.

    ", + "

    There\u2019s a different process if your case is about criminal injuries compensation.

    ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    You\u2019ll need to apply to Northern Ireland commissioners if your case was heard in Northern Ireland and was about social security or war pensions.

    ", + "

    Get help with your appeal

    ", + "

    You can read more detail about the appeal process.

    ", + "

    You may also be able to get free legal advice from Citizens Advice or help from Welfare Rights if you\u2019re in Scotland.

    ", + "

    Contact the tribunal

    ", + "

    England and Wales

    ", + "

    Scotland

    ", + "

    Northern Ireland

    ", + "

    How to appeal

    ", + "

    You may have to ask for permission to appeal - it depends on your case.

    ", + "

    If you\u2019re appealing a decision made by another tribunal

    ", + "

    You must get permission to appeal.

    ", + "

    First ask the tribunal who made the decision for permission to appeal. You usually have to do this within 28 days of the decision - speak to that tribunal to find out the deadline.

    ", + "

    Once you have permission, download and fill in the relevant appeal form. Send it to the address on the form within 1 month of getting permission.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the Upper Tribunal (Administrative Appeals Chamber) for permission directly using the relevant permission form. Send it to the address on the form within 1 month of being refused.

    ", + "

    If you\u2019re appealing a decision made by an organisation

    ", + "

    You will not need to ask for permission to appeal (unless you\u2019re appealing a decision made by Disclosure and Barring Service).

    ", + "

    Appeal using the relevant appeal form and send it to the address on the form.

    ", + "

    Appealing a Disclosure and Barring Service decision

    ", + "

    You\u2019ll need to ask the Upper Tribunal (Administrative Appeals Chamber) for permission before you can appeal.

    ", + "

    Use the relevant permission form and send it to the address on the form.

    ", + "

    How your case will be decided

    ", + "

    A judge will make a decision using:

    ", + "
  • your appeal form
  • ", + "
  • the documents you\u2019ve provided
  • ", + "
  • the documents used by the lower tribunal or organisation that decided your case
  • ", + "

    The decision will be sent to you by post.

    ", + "

    Attending a hearing

    ", + "

    In certain cases you may be asked to attend a hearing to present your case. You can also ask for a hearing when you apply - the judge will decide if it\u2019s necessary.

    ", + "

    You\u2019ll be told the time and date of the hearing and where it\u2019s being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.

    ", + "

    You\u2019ll be sent instructions on how to prepare and what documents you\u2019ll need to provide.

    ", + "

    Getting a time extension

    ", + "

    You may be able to get a time extension if you need more time to prepare - ask the judge.

    ", + "

    You must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.

    ", + "

    If you lose your case

    ", + "

    You may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.

    ", + "

    Get legal help or advice if you\u2019re not sure about this.

    ", + "

    Ask for permission

    ", + "

    You must write to the tribunal and ask for permission before you appeal.

    ", + "

    You must do this within one month of getting the decision (or 3 months for social security, child support, or war pensions and armed forces cases).

    ", + "

    England and Wales

    ", + "

    Scotland

    ", + "

    Northern Ireland

    ", + "

    Once you have permission, you should appeal to the relevant higher court:

    ", + "
  • The Court of Appeal in England and Wales
  • ", + "
  • The Court of Session in Scotland
  • ", + "
  • The Court of Appeal in Northern Ireland
  • ", + "

    You must do this within:

    ", + "
  • 28 days of being given permission (England and Wales)
  • ", + "
  • 42 days of being given permission (Scotland)
  • ", + "
  • 6 weeks of being given permission (Northern Ireland)
  • ", + "

    You may have to pay court fees and the other party\u2019s costs.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the relevant higher court for permission.

    ", + "

    You must do this within 28 days of being refused permission in England and Wales.

    ", + "

    The time limits are different in Scotland and Northern Ireland - contact the relevant tribunal office for details.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal must follow the rules and process set out in The Tribunal Procedure (Upper Tribunal) Rules 2008.

    " + ] + }, + { + "title": "Appeal to the Upper Tribunal (Tax and Chancery)", + "url": "https://www.gov.uk/tax-upper-tribunal", + "contents": [ + "

    Overview

    ", + "

    You may be able to appeal to the Upper Tribunal (Tax and Chancery Chamber) if you think there was a legal mistake with a decision made against you by certain lower tribunals and organisations.

    ", + "

    You might be able to appeal if your case was heard by the:

    ", + "
  • First-tier Tribunal (Tax) - for cases about tax
  • ", + "
  • General Regulatory Chamber - for cases about charities
  • ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    Financial services cases

    ", + "

    There\u2019s a different process if you\u2019re challenging a decision made by:

    ", + "
  • Financial Conduct Authority
  • ", + "
  • Prudential Regulation Authority
  • ", + "
  • Pensions Regulator
  • ", + "
  • Bank of England
  • ", + "
  • HM Treasury
  • ", + "
  • Ofgem
  • ", + "

    Decisions by the Secretary of State or Trade Remedies Authority

    ", + "

    There\u2019s a different way to challenge a decision made by the Secretary of State for International Trade or the Trade Remedies Authority.

    ", + "

    Help you can get

    ", + "

    You may want to get help and advice before you appeal.

    ", + "

    You can represent yourself or find a legal adviser (including a lawyer), tax adviser or accountant to help with your appeal.

    ", + "

    You can get free advice from:

    ", + "
  • Citizens Advice
  • ", + "
  • TaxAid
  • ", + "
  • TaxHelp for Older People, if you\u2019re over 60
  • ", + "

    Call or email the tribunal if you have any questions about the process. The tribunal cannot give you legal advice.

    ", + "

    How to appeal

    ", + "

    You must get permission if you want to appeal the decision of another tribunal.

    ", + "

    Ask the tribunal that made the decision for permission within:

    ", + "
  • 56 days of the date on the decision letter (for tax cases)
  • ", + "
  • 28 days of the date on the decision letter (for charities)
  • ", + "

    If you\u2019re given permission, download and fill in the relevant appeal form. Send it to the address on the form within one month of the date on the permission letter

    ", + "

    Read the guidance on appealing.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the Upper Tribunal to give you permission if you were refused it, or only given permission on some grounds. Download and fill in the permission form. Send it to the address on the form.

    ", + "

    You must include a copy of:

    ", + "
  • the first-tier tribunal\u2019s full decision
  • ", + "
  • the written decision refusing permission (or only giving you permission on some grounds)
  • ", + "
  • the accompanying letter saying you\u2019ve been refused permission (or only given permission on some grounds)
  • ", + "

    You must do this within one month of the letter of refusal being sent.

    ", + "

    A tribunal judge will read your appeal form and decide if you should be given permission to appeal or permission on additional grounds. You can ask for the decision to be reconsidered at a hearing if you\u2019re refused permission.

    ", + "

    You\u2019ll get a letter from the tribunal after the judge has made a decision telling you what to do next.

    ", + "

    The tribunal hearing

    ", + "

    You usually have to attend a hearing where you (or your representative) and the other parties will present your cases to a judge at the tribunal.

    ", + "

    The tribunal will decide which party wins the case.

    ", + "

    You\u2019ll normally be told the outcome of the case within 3 months of the hearing.

    ", + "

    You\u2019ll most likely have to pay the other party\u2019s costs if you lose, but the other party will be asked to pay your costs if you win.

    ", + "

    If you\u2019re appealing a decision about a charity case made by the General Regulatory Chamber, the tribunal can only order you to pay the other party\u2019s costs if they think you acted unreasonably.

    ", + "

    Preparing for the hearing

    ", + "

    You\u2019ll be sent instructions on how to prepare for the hearing and what documents you\u2019ll need to provide.

    ", + "

    You\u2019ll also be told when and where the hearing will be held. Hearings normally take place in London, Edinburgh or Belfast.

    ", + "

    You can check the register of cases to find out if anything has changed.

    ", + "

    Decisions without hearings

    ", + "

    You can ask for a decision to be made without a hearing, but the other party must also agree.

    ", + "

    Getting a time extension

    ", + "

    You may be able to get a time extension if you need more time to prepare - write to the tribunal.

    ", + "

    You must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.

    ", + "

    If you lose your case

    ", + "

    You may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.

    ", + "

    You can get legal advice if you\u2019re unsure about this, including from a lawyer. You can also speak to an accountant or tax adviser.

    ", + "

    Ask for permission

    ", + "

    You must write to the tribunal and ask for permission before you appeal.

    ", + "

    You must do this within one month of the date on the decision letter.

    ", + "

    Once you have permission, you should appeal to the relevant higher court:

    ", + "
  • The Court of Appeal in England and Wales
  • ", + "
  • The Court of Session in Scotland
  • ", + "
  • The Court of Appeal in Northern Ireland
  • ", + "

    You must do this within 28 days of the date on the permission letter.

    ", + "

    You may have to pay court fees and the other party\u2019s costs.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the relevant higher court for permission.

    ", + "

    You must do this within 28 days of the date on the refusal letter.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal will make a decision based on The Tribunal Procedure (Upper Tribunal) Rules 2008.

    ", + "

    Read the tribunal\u2019s practice directions for more guidance on how the tribunal makes decisions.

    " + ] + }, + { + "title": "Apply or appeal to the Upper Tribunal (Lands Chamber)", + "url": "https://www.gov.uk/appeal-upper-tribunal-lands", + "contents": [ + "

    Overview

    ", + "

    You can appeal to the Upper Tribunal (Lands Chamber) if you think there was a legal problem with a decision made by the:

    ", + "
  • First-tier Tribunal (Property Chamber)
  • ", + "
  • Residential Property Tribunal in Wales
  • ", + "
  • Leasehold Valuation Tribunal in Wales
  • ", + "
  • Valuation Tribunal in England or Wales
  • ", + "

    You might need to get permission before you appeal.

    ", + "

    You can also apply to the tribunal if your case is about:

    ", + "
  • compensation for the compulsory purchase of land
  • ", + "
  • discharge or modification of land affected by a \u2018restrictive covenant\u2019
  • ", + "
  • compensation for the effect on land affected by public works
  • ", + "
  • a tree preservation order
  • ", + "
  • compensation for damage to land damaged by subsidence from mining
  • ", + "
  • the valuation of land or buildings for Capital Gains Tax or Inheritance Tax purposes
  • ", + "
  • a \u2018right to light\u2019 dispute
  • ", + "
  • compensation for blighted land
  • ", + "

    The tribunal is independent and will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    A mediation service could be quicker and cheaper than going to the tribunal. Mediation is when an independent and impartial person discusses a problem with both parties to try to find a solution.

    ", + "

    You can contact Citizens Advice or the Leasehold Advisory Service for free legal advice. You can also find a lawyer.

    ", + "

    Call or email the tribunal if you have any questions about the process. The tribunal cannot give you legal advice.

    ", + "

    Get permission

    ", + "

    You need to get permission before you appeal to the tribunal if you\u2019re appealing a decision made by the:

    ", + "
  • First-tier Tribunal (Property Chamber)
  • ", + "
  • Residential Property Tribunal in Wales
  • ", + "
  • Leasehold Valuation Tribunal in Wales
  • ", + "

    You can appeal to the tribunal without permission if your case is about a decision about rates made by the Valuation Tribunal in England or Wales.

    ", + "

    You do not need to get permission to apply to the tribunal.

    ", + "

    How to get permission

    ", + "

    Ask the tribunal that originally made the decision for permission to appeal. Follow the steps on your decision letter.

    ", + "

    The original tribunal must get your request for permission within 28 days of your decision letter. Speak to the original tribunal for details.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the Lands Chamber for permission directly if you\u2019re refused it from the original tribunal. Follow the steps on your decision letter.

    ", + "

    You must do this within 14 days of being refused permission.

    ", + "

    It costs \u00a3220 except for land registration cases where there\u2019s no fee. You may be able to get help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    You can apply for judicial review if you do not get permission from the Lands Chamber. Speak to a solicitor to get help with the application.

    ", + "

    How to apply or appeal

    ", + "

    Check whether you need permission. You can appeal or apply without permission in some cases.

    ", + "

    Fill in the form

    ", + "

    The form you fill in depends on what your case is about. The address is on the form.

    ", + "

    You must pay a fee - you can apply for help if you\u2019re getting certain benefits or on a low income.

    ", + "What your case is about | Form | Fee | Deadline | Guidance", + "First-tier Tribunal (Property Chamber) decision | Form T601 or Form T602 | \u00a3275 - no fee for land registration cases | 1 month of getting permission | Leaflet T605 and T614", + "Leasehold Valuation Tribunal and Residential Property Tribunal decisions | Form T601 or Form T602 | \u00a3275 | 1 month of getting permission | Leaflet T609", + "Valuation Tribunal in England or Wales decision | Form T385 | \u00a3275 | 28 days of the decision | Leaflet T606 and Form T615", + "Compulsory acquisition of land (and other land compensation) | Form T371 or Form T370 | \u00a3275 | Get legal advice - it depends on your case | Leaflet T604 and T616", + "Restrictive covenant | Form T379 | \u00a3880 | Get legal advice | Leaflet T608 and T617", + "Public works | Form T371 | \u00a3275 | Get legal advice | Leaflet T604 and T616", + "Compulsory acquisition where owner is absent (greater London) | Form T370 or Form T362 | \u00a31,270 | Get legal advice | Leaflet T604 and T616", + "Compulsory acquisition where owner is absent (not in greater London) | Form T370 or Form T362 | \u00a31,150 | Get legal advice | Leaflet T604 and T616", + "\u2018Right to light\u2019 dispute | Form T383 or Form T384 | \u00a31,320 or \u00a31,650 | Get legal advice | Leaflet T607", + "Tree preservation order | Form T371 or Form T370 | \u00a3275 | Get legal advice | Leaflet T604 and T616", + "Compensation for blighted land | Form T374 or Form T375 | \u00a3275 | Get legal advice | Leaflet T604 and T616", + "Any other case | See the list of forms | | | ", + "

    What to include

    ", + "

    You must include:

    ", + "
  • a copy of the decision you\u2019re appealing against (if you\u2019re appealing a decision)
  • ", + "
  • what your case is about, for example leasehold enfranchisement, rent increases, variation of a lease
  • ", + "
  • whether you\u2019d like to go to the hearing - and whether you need special arrangements, for example because of mobility issues
  • ", + "
  • whether you\u2019d like to call any expert witnesses
  • ", + "
  • a \u2018statement of case\u2019 - where you set out why you\u2019re appealing or applying to the tribunal
  • ", + "
  • any other documents mentioned on the form
  • ", + "

    What happens next

    ", + "

    The tribunal will decide if it can consider your case.

    ", + "

    In most cases you will be asked to attend a hearing to present your case. You can also ask for a decision to be made without a hearing. The judge will decide if it\u2019s necessary.

    ", + "

    Get a time extension

    ", + "

    You may be able to get a time extension for any step of the process. You must tell the tribunal why you need more time. You must also tell the other party in writing that you\u2019re going to ask for an extension.

    ", + "

    It costs \u00a3110 - make a cheque payable to \u2018HMCTS\u2019 and send it to the tribunal with a letter explaining your request. You must also send a copy of this letter to the other party.

    ", + "

    If you get a hearing

    ", + "

    You\u2019ll usually be asked when you\u2019re available to attend a hearing. In certain cases you may be told when a hearing will take place, but you\u2019ll be told at least 14 days beforehand. Hearings can be held sooner than this under exceptional circumstances. You can call a witness to support your case.

    ", + "

    You can check the daily courts lists before your hearing to find out if anything has changed.

    ", + "

    Hearings cost between \u00a3275 and \u00a316,500 (depending on the size of the claim) and are usually held in public. There\u2019s no hearing fee for land registration cases.

    ", + "

    You may be asked questions by:

    ", + "
  • the judge
  • ", + "
  • the other party, or their representative (if they have one)
  • ", + "

    You can not claim any expenses for going to a tribunal hearing. The tribunal may order the other party to pay your costs if you win your case.

    ", + "

    You\u2019ll get a decision in writing after the hearing, usually within 3 months.

    ", + "

    If you lose your case

    ", + "

    You may be able to appeal to a higher court if you think there was a legal problem with the judge\u2019s decision at the Upper Tribunal (Lands Chamber). Get legal help or advice if you\u2019re not sure.

    ", + "

    You must ask the upper tribunal judge for permission before you appeal - you must do this in writing within 1 month of the decision.

    ", + "

    If the judge refuses you permission, you can ask the Court of Appeal in England and Wales for permission.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the Upper Tribunal (Lands Chamber) must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal must follow the rules and process set out in the:

    ", + "
  • Tribunal Procedure (Upper Tribunal) (Lands Chamber) Rules 2010
  • ", + "
  • Tribunal Procedure (Amendment) Rules 2012
  • ", + "
  • Tribunal Procedure (Amendment No. 3) Rules 2013
  • ", + "
  • Practice Directions \u2013 The Upper Tribunal (Lands Chamber)
  • ", + "
  • Practice Statement \u2013 Delegation of functions to staff in the Upper Tribunal (Lands Chamber)
  • ", + "
  • Upper Tribunal (Lands Chamber) Fees Order 2009
  • ", + "
  • Upper Tribunal (Lands Chamber) Fees (Amendment) Order 2010
  • ", + "
  • Upper Tribunal (Lands Chamber) Fees (Amendment) Order 2013
  • ", + "

    Read the Practice Directions and Practice Statements for more guidance.

    " + ] + }, + { + "title": "Apply to the land registration tribunal", + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "contents": [ + "

    Overview

    ", + "

    You need to apply to the Land Registration division of the Property Chamber (First-tier Tribunal) if you want to correct or cancel certain documents relating to registered land.

    ", + "

    You may also be referred to the tribunal by HM Land Registry if you\u2019re in a dispute over a change to the land register (known as a \u2018reference case\u2019).

    ", + "

    If you want to change the title register or title plan, contact HM Land Registry directly.

    ", + "

    The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    You may want to get help and advice before you appeal, for example from a lawyer.

    ", + "

    Apply to the tribunal

    ", + "

    Apply to the tribunal if you want to correct or cancel (sometimes known as \u2018set aside\u2019) certain documents relating to registered land. You can also object to someone else\u2019s application. These are known as \u2018rectification cases\u2019.

    ", + "

    Apply to make a change to a document

    ", + "

    Download and fill in the application form and send it to the address on the form.

    ", + "

    You must also include a statement saying that you believe that the facts stated in the application are true.

    ", + "

    The tribunal will then send, or tell you to send, a copy of the application to all other interested parties.

    ", + "

    You\u2019ll be told whether there\u2019ll be a hearing to decide your case.

    ", + "

    Object to a change of a document

    ", + "

    Download and fill in the objection form and send it to the address given in the form.

    ", + "

    You must send the form within 28 days of getting your copy of an application to change the register.

    ", + "

    Your response must include your reasons for objecting to the application, giving all relevant facts and evidence

    ", + "

    You\u2019ll need to include a list of and copies of all documents that:

    ", + "
  • are important to your case
  • ", + "
  • the tribunal and all interested parties will need to understand the case
  • ", + "

    You\u2019ll be told by the tribunal if there\u2019ll be a hearing to decide your case.

    ", + "

    Get help

    ", + "

    You can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.

    ", + "

    Being referred to the tribunal

    ", + "

    Your case may be referred to the Land Registration division of the Property Chamber if somebody disputes your application to HM Land Registry. This is known as a \u2018reference case\u2019.

    ", + "

    Both parties will be sent a letter by the tribunal after your case has been referred by HM Land Registry.

    ", + "

    The letter will explain whether you\u2019re the \u2018applicant\u2019 or the \u2018respondent\u2019. Generally, you\u2019ll be named as the applicant if the tribunal thinks you\u2019re the party that needs to prove its case.

    ", + "

    Making a \u2018statement of case\u2019

    ", + "

    Applicants

    ", + "

    You have 28 days after getting the letter to send your \u2018statement of case\u2019 to the tribunal and the respondent. The letter will tell you where to send your statement.

    ", + "

    Your statement must include:

    ", + "
  • your name and address (and an address where documents can be sent to you)
  • ", + "
  • the name and address of your legal representative (if you have one)
  • ", + "
  • your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence
  • ", + "

    You need to include copies of documents that:

    ", + "
  • are important to your case
  • ", + "
  • are needed to understand the case
  • ", + "

    You also need to include a list of the documents.

    ", + "

    After the other parties have responded to the tribunal, you\u2019ll be told if there\u2019s going to be a hearing.

    ", + "

    Respondents

    ", + "

    You have 28 days after getting the applicants \u2018statement of case\u2019 to send your own case to the tribunal and the applicant.

    ", + "

    Your statement must include your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence.

    ", + "

    You need to include copies of all documents that:

    ", + "
  • are important to your case
  • ", + "
  • are needed to understand the case
  • ", + "

    You also need to include a list of these documents.

    ", + "

    The tribunal will then contact you to tell you if there\u2019s going to be a hearing.

    ", + "

    Starting court proceedings

    ", + "

    You or the other party can be ordered by the tribunal to start court proceedings at any time. This will happen if the tribunal cannot handle your case.

    ", + "

    You can also contact the tribunal and ask them to make the other party start court proceedings, or voluntarily start proceedings yourself.

    ", + "

    Get help

    ", + "

    You can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.

    ", + "

    What happens at the hearing

    ", + "

    You may have to attend a hearing where you (or your legal representative) and the other parties will present your cases to a judge.

    ", + "

    The judge will decide:

    ", + "
  • which party wins the case
  • ", + "
  • if any costs are payable by one party to another
  • ", + "

    You\u2019ll usually be told the outcome of the case within 42 days of the hearing.

    ", + "

    Preparing for the hearing

    ", + "

    You\u2019ll be told the time and date of the hearing and where its being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.

    ", + "

    You\u2019ll be sent instructions on how to prepare and exchange evidence after all the parties have given their statements of case.

    ", + "

    Decisions without hearings

    ", + "

    The tribunal may make a decision without a hearing if all the people involved agree or if no one objects once given notice.

    ", + "

    The people involved can also ask the tribunal to make a decision without a hearing.

    ", + "

    Getting a time extension

    ", + "

    You can ask for a time extension at any point in the proceedings.

    ", + "

    You should ask all other parties involved to agree to an extension before applying to the tribunal.

    ", + "

    If you lose your case

    ", + "

    You can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.

    ", + "

    You can also ask the First-tier Tribunal to set aside their decision if you think there was a problem with the tribunal\u2019s procedure, for example you did not receive a notice of a hearing.

    ", + "

    Read guidance on how to challenge a decision for details.

    ", + "

    You can complain about the tribunal staff or the service you received. You cannot complain about the decision.

    ", + "

    Legislation and previous decisions

    ", + "

    You can read the rules the tribunal must follow and its decisions on previous cases if you\u2019re representing yourself or someone else.

    ", + "

    The tribunal will make a decision based on the Land Registration Act 2002.

    ", + "

    The tribunal must follow the rules and process in:

    ", + "
  • Tribunal Procedure (First-tier Tribunal) (Property Chamber) Rules 2013
  • ", + "
  • Practice Directions issued by the Senior President of Tribunals (30 July 2013) (PDF, 49KB)
  • ", + "
  • Practice Statement issued by the Senior President of Tribunals (8 August 2017) (PDF, 0.1MB)
  • ", + "

    You can also search the decisions database to see how and why previous decisions have been made.

    " + ] + }, + { + "title": "Being charged with a crime", + "url": "https://www.gov.uk/charged-crime", + "contents": [ + "

    Overview

    ", + "

    If you are charged with a crime you will be given a \u2018charge sheet\u2019. This sets out the details of the crime you are being charged with.

    ", + "

    The police will decide if you:

    ", + "
  • can go home until the court hearing - but may have to follow certain rules, known as \u2018bail\u2019
  • ", + "
  • are kept in police custody until you are taken to court for your hearing
  • ", + "

    Your first court hearing after you are charged with a crime will be at a magistrates\u2019 court - even if your trial will be at a Crown Court later on.

    ", + "

    If you\u2019re charged with a minor offence your case could be decided without going to court (\u2018single justice procedure\u2019). If you get a single justice procedure notice you must respond within 21 days.

    ", + "

    The rules are different in Scotland and Northern Ireland.

    ", + "

    Young people

    ", + "

    If you\u2019re under 18, your first hearing will usually be at a youth court.

    ", + "

    If you\u2019re under 17, the police must arrange for you to be held in local authority accommodation, if possible, before you go to court.

    ", + "

    If you\u2019re aged 12 to 16, the police can decide to keep you at the police station if they think it will protect the public.

    ", + "

    Bail

    ", + "

    You can be released on bail at the police station after you\u2019ve been charged. This means you will be able to go home until your court hearing.

    ", + "

    If you are given bail, you might have to agree to conditions like:

    ", + "
  • living at a particular address
  • ", + "
  • not contacting certain people
  • ", + "
  • giving your passport to the police so you cannot leave the UK
  • ", + "
  • reporting to a police station at agreed times, for example once a week
  • ", + "

    If you do not stick to these conditions you can be arrested again and be taken to prison to wait for your court hearing.

    ", + "

    When you attend your hearing at a magistrates\u2019 court you might be given bail again until your trial begins.

    ", + "

    Reasons you may not be given bail

    ", + "

    You\u2019re unlikely to be given bail if:

    ", + "
  • you are charged with a serious offence, for example armed robbery
  • ", + "
  • you\u2019ve been convicted of a serious crime in the past
  • ", + "
  • you\u2019ve been given bail in the past and not stuck to the terms
  • ", + "
  • the police think you may not turn up for your hearing
  • ", + "
  • the police think you might commit a crime while you\u2019re on bail
  • ", + "

    Remand

    ", + "

    If the court decides to put you on remand it means you will go to prison until your hearing at a magistrates\u2019 court.

    ", + "

    If you are under 18 you will be taken to a secure centre for young people, not an adult prison.

    ", + "

    You will probably be put on remand if:

    ", + "
  • you have been charged with a serious crime, for example armed robbery
  • ", + "
  • you have been convicted of a serious crime in the past
  • ", + "
  • the police think you may not go to your court hearing
  • ", + "
  • the police think you may commit another crime while on bail
  • ", + "
  • you have been given bail before and not stuck to the terms
  • ", + "

    When you attend your hearing at a magistrates\u2019 court, you might be put on remand again until your trial begins, even if you were previously given bail.

    " + ] + }, + { + "title": "Being taken to an employment tribunal", + "url": "https://www.gov.uk/being-taken-to-employment-tribunal-by-employee", + "contents": [ + "

    Overview

    ", + "

    You can be taken to an employment tribunal by an employee or someone else (for example a job applicant or trade union) over various issues, including:

    ", + "
  • pay
  • ", + "
  • dismissal
  • ", + "
  • discrimination
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    The tribunal is independent of government and will listen to you (the \u2018respondent\u2019) and the other party (the \u2018claimant\u2019) before making a decision.

    ", + "

    You may have to pay compensation or reinstate the claimant if you lose the case.

    ", + "

    Solve the dispute without a hearing

    ", + "

    You\u2019ll be contacted by the Advisory, Conciliation and Arbitration Service (Acas) if someone wants to make a claim against you. They\u2019ll offer to work with you and the claimant to try to solve the problem without it going to a tribunal - this is called \u2018conciliation\u2019.

    ", + "

    Call Acas for help and advice.

    ", + "

    Respond to a claim

    ", + "

    The tribunal will send you a letter (known as a \u2018response pack\u2019) if a claim has been made against you and conciliation has not worked. You can respond either:

    ", + "
  • online
  • ", + "
  • by filling out and returning the response pack you\u2019re sent
  • ", + "
  • by downloading and filling in the response form and sending it to the tribunal office dealing with the case
  • ", + "

    Read the response guidance before you fill in the form.

    ", + "

    You must respond to the claim within 28 days.

    ", + "

    You may be able to get more time to respond - ask the tribunal. If you\u2019re late or do not respond, the tribunal may make a decision against you without a hearing.

    ", + "

    Offer the claimant compensation

    ", + "

    You can try to settle the case at any time by offering to pay compensation to the claimant (known as a \u2018settlement agreement\u2019).

    ", + "

    Get help or legal advice

    ", + "

    You may want to get legal advice if a claim is made against you.

    ", + "

    Call the employment tribunal enquiry line for general guidance on how the process works. They cannot give you legal advice.

    ", + "

    If you\u2019re in Northern Ireland

    ", + "

    Your case will be dealt with by the Office of Industrial Tribunals and the Fair Employment Tribunal.

    ", + "

    Before the hearing

    ", + "

    You\u2019ll be given at least 14 days\u2019 notice before the hearing - you\u2019ll get a letter confirming this. You must prepare documents and arrange for witnesses to attend in advance.

    ", + "

    \u2018Preliminary hearing\u2019

    ", + "

    You may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:

    ", + "
  • the date and time of a hearing
  • ", + "
  • how long the hearing should take
  • ", + "

    The tribunal will let you know if you\u2019ll have to give evidence or provide any extra information.

    ", + "

    Arrange documents

    ", + "

    You can ask the claimant for documents that will help you with the case, and they can request documents from you.

    ", + "

    Examples of documents include:

    ", + "
  • a contract of employment
  • ", + "
  • pay slips
  • ", + "
  • details of a pension scheme
  • ", + "
  • notes from relevant meetings
  • ", + "

    Usually the tribunal will issue an order setting out a timetable for when you should exchange documents.

    ", + "

    You\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.

    ", + "

    Organise witnesses

    ", + "

    You can bring witnesses to the hearing if they can give evidence directly relevant to the case.

    ", + "

    If you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with the case, giving:

    ", + "
  • the name and address of the witness
  • ", + "
  • details of what the witness may be able to say and how it will help the case
  • ", + "
  • the reason the witness has refused to attend (if they gave you one)
  • ", + "

    You\u2019ll most likely be responsible for paying the witness\u2019s expenses.

    ", + "

    At the hearing

    ", + "

    Cases are normally held at the employment tribunal office closest to where you worked.

    ", + "

    You must take the documents you\u2019re using to support the case.

    ", + "

    You cannot claim for expenses for going to the hearing.

    ", + "

    What happens at the hearing

    ", + "

    You\u2019ll present the case to the tribunal - someone else can do this for you, such as a lawyer, friend or family member. The claimant will present their case against you.

    ", + "

    You may be asked questions by:

    ", + "
  • the judge
  • ", + "
  • the claimant
  • ", + "
  • 2 other tribunal members (only in certain tribunals)
  • ", + "

    Get a decision

    ", + "

    You\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.

    ", + "

    If you win the case

    ", + "

    In most cases, you will not be awarded any compensation if you win. However, if the claimant acted unreasonably or if their case had no hope of success, you can ask to be awarded costs by the tribunal.

    ", + "

    If you lose the case

    ", + "

    If you lose, the tribunal can order you to do certain things depending on the type of case. Examples include:

    ", + "
  • giving the claimant their job back
  • ", + "
  • paying compensation if you cannot give the claimant their job back
  • ", + "
  • paying witness expenses
  • ", + "
  • paying damages or loss of earnings
  • ", + "

    Pay compensation

    ", + "

    Paying compensation is the most common outcome of a tribunal. There can be limits to the amount of money a tribunal can award. There\u2019s no limit in cases of discrimination.

    ", + "

    The tribunal usually works out the amount based on the financial loss the person has suffered as a result of your actions.

    ", + "

    Interest is calculated from the day the judgment is received, but you will not have to pay interest if you pay the full compensation award within 14 days.

    ", + "

    You can be taken to court and forced to pay. You can also be fined and named online by the government if you do not pay.

    ", + "

    Pay back state benefits

    ", + "

    You might have to pay back any Jobseeker\u2019s Allowance, Income Support or Employment Support Allowance (ESA) that the claimant claimed while taking their case to the tribunal.

    ", + "

    This is to prevent them from getting paid twice.

    ", + "

    The tribunal and the Compensation Recovery Unit will tell you what you need to do and how much to pay.

    ", + "

    If you disagree with a tribunal decision

    ", + "

    You can ask the tribunal to reconsider the decision if you lose the case.

    ", + "

    You must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.

    ", + "

    You need to give good reasons, such as:

    ", + "
  • the tribunal made a mistake in the way it reached its decision
  • ", + "
  • you were not told about the hearing
  • ", + "
  • new evidence has turned up since the hearing
  • ", + "

    Send your letter to the tribunal office that dealt with the case.

    ", + "

    Appeal to the Employment Appeal Tribunal

    ", + "

    You can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.

    ", + "

    Legislation

    ", + "

    The Employment Tribunal follows certain rules and processes that you also have to follow.

    ", + "

    You can also read other relevant tribunal rules and regulations.

    ", + "

    The tribunal has issued guidance and practice directions which provides more information about specific areas, such as postponing hearings and serving documents.

    ", + "

    You can also read guidance about specific cases.

    " + ] + }, + { + "title": "Challenge your solicitor's bill", + "url": "https://www.gov.uk/challenge-solicitors-bill", + "contents": [ + "

    Overview

    ", + "

    You can challenge your solicitor\u2019s bill if you think you\u2019ve been charged too much.

    ", + "

    Ask the Senior Courts Costs Office to make a \u2018detailed assessment\u2019 of your bill. They can reduce your bill if they agree it\u2019s too expensive.

    ", + "

    There\u2019s a different process if you want to complain about your solicitor\u2019s behaviour.

    ", + "

    Before you apply

    ", + "

    Try to solve the problem with your solicitor before contacting the court.

    ", + "

    You can complain to your solicitor directly by following their complaints procedure.

    ", + "

    You can also get free legal help and advice from:

    ", + "
  • your local Citizens Advice Bureau
  • ", + "
  • your local Law Centre
  • ", + "
  • the Royal Courts of Justice Advice Bureau
  • ", + "

    When to apply

    ", + "

    You must apply to the court before asking for a detailed assessment. You must do this within one month of getting your solicitor\u2019s bill.

    ", + "

    If you do not, you can still apply within a year of getting the bill, but the court might ask you to pay part or all of what you owe upfront. You\u2019ll get back what you\u2019ve overpaid if the judge agrees you\u2019ve been charged too much.

    ", + "

    You might also be able to apply if you\u2019ve already paid your solicitor\u2019s bill or it\u2019s been over a year since you got it. You can only do this in special circumstances - you must explain what these are when you apply.

    ", + "

    How to apply

    ", + "

    Download and fill in 3 copies of Part 8 claim form (N208). You must pay \u00a345.

    ", + "

    Send a cheque made payable to \u2018HMCTS\u2019 with all 3 copies of your completed form and a copy of your solicitor\u2019s bill to:

    ", + "

    You can apply to your local District Registry (a court that deals with certain High Court cases) instead if you live outside of London.

    ", + "

    Apply to your nearest county court if the original case was dealt with by a county court and your solicitor\u2019s bill is for \u00a35,000 or less.

    ", + "

    What happens next

    ", + "

    The court will keep one copy of your claim form. The other copies will be sent to you and your solicitor and stamped with an issue date.

    ", + "

    You\u2019ll then get an \u2018acknowledgement of service\u2019 from your solicitor confirming they\u2019ve seen your application.

    ", + "

    You\u2019ll be asked to attend a hearing if your solicitor does not think you should have a detailed assessment. You\u2019ll get a \u2018notice of hearing\u2019 from the court saying when and where the hearing will take place.

    ", + "

    You\u2019ll get a letter from your solicitor if they agree to a detailed assessment. Send a copy of this letter to the court.

    ", + "

    If your solicitor does not challenge your application, you can ask them to give their consent. If they agree then the court might decide neither of you will need to go to the hearing.

    ", + "

    If you have a hearing

    ", + "

    Both you and the other side will present your case to a Costs Judge (or a District Judge if the hearing is held outside London).

    ", + "

    You must bring with you copies of any documents you\u2019ve sent to the court as part of your application.

    ", + "

    The court will decide whether to order a detailed assessment. You\u2019ll get the decision then or by post within a few days of the hearing.

    ", + "

    If you disagree with the decision

    ", + "

    You can make an appeal if you disagree with the court\u2019s decision.

    ", + "

    You must get permission before you appeal - you can ask the Costs Judge at the hearing.

    ", + "

    You can ask the appeal court for permission if you\u2019re refused or do not ask for it at the hearing. Read leaflet EX340 for more information.

    ", + "

    Get a detailed assessment

    ", + "

    You\u2019ll be given a court order after the hearing that says whether you can have a detailed assessment.

    ", + "

    The detailed assessment will take place at another hearing.

    ", + "

    Download and fill in request form (N258C). You must also pay a court fee. How much you pay will depend on the size of your solicitor\u2019s bill.

    ", + "Amount on your solicitor\u2019s bill | Fee", + "\u00a315,000 or less | \u00a3335", + "\u00a315,000.01 to \u00a350,000 | \u00a3675", + "\u00a350,000.01 to \u00a3100,000 | \u00a31,005", + "\u00a3100,000.01 to \u00a3150,000 | \u00a31,345", + "\u00a3150,000.01 to \u00a3200,000 | \u00a31,680", + "\u00a3200,000.01 to \u00a3300,000 | \u00a32,520", + "\u00a3300,000.01 to \u00a3500,000 | \u00a34,200", + "\u00a3500,000.01 or more | \u00a35,600", + "

    Other fees

    ", + "

    You must pay your own costs and the other party\u2019s reasonable costs of the detailed assessment, unless:

    ", + "
  • the judge reduces your solicitor\u2019s bill by 20% or more
  • ", + "
  • there are special circumstances, for example you originally offered to settle the bill for an amount more than the final amount fixed by the court
  • ", + "

    How much you pay will depend on how much time your solicitor has spent in court - this is usually worked out from their hourly rate.

    " + ] + }, + { + "title": "Community sentences", + "url": "https://www.gov.uk/community-sentences", + "contents": [ + "

    Overview

    ", + "

    You may get a community sentence if you\u2019re convicted of a crime by a court but are not sent to prison.

    ", + "

    You may have to do unpaid work in your local community, like removing graffiti. This is called Community Payback.

    ", + "

    Community sentences can be given for crimes such as:

    ", + "
  • damaging property
  • ", + "
  • benefit fraud
  • ", + "
  • assault
  • ", + "

    You may get a community sentence if:

    ", + "
  • the court thinks you\u2019re more likely to stop committing crime than if you go to prison
  • ", + "
  • it\u2019s the first time you have committed a crime
  • ", + "
  • you have a mental health condition that affects your behaviour
  • ", + "

    The rules are different in Scotland.

    ", + "

    Community Payback

    ", + "

    Community Payback is unpaid work like:

    ", + "
  • removing graffiti
  • ", + "
  • clearing wasteland
  • ", + "
  • decorating public places and buildings\u00a0- for example, a community centre
  • ", + "

    You will usually work in your local area, and be managed by a Community Payback supervisor. You must wear a high visibility orange vest while you work.

    ", + "

    You can expect to complete anything from 40 to 300 hours of Community Payback, depending on how serious your crime was.

    ", + "

    You have to work 3 or 4 days each week if you\u2019re unemployed.

    ", + "

    The Community Payback work will be arranged outside your working hours if you have a job, for example evenings or weekends.

    ", + "

    Treatment and programmes

    ", + "

    The treatment or programmes you get are intended to help with problems that led you to commit crime in the first place. They\u2019re also to stop you committing more crime.

    ", + "

    Programmes and treatment could be to help with:

    ", + "
  • any addictions you have, for example drugs
  • ", + "
  • a mental health condition
  • ", + "
  • getting new skills and qualifications
  • ", + "

    Depending on the treatment or programme, it could involve:

    ", + "
  • counselling sessions\u00a0- where you get support from a medical professional
  • ", + "
  • drug testing
  • ", + "
  • \u2018accredited programmes\u2019, such as anger management courses, to help with your behaviour
  • ", + "
  • mental health treatment with a doctor or psychologist
  • ", + "
  • improving your reading and writing
  • ", + "
  • getting help with a job application
  • ", + "
  • learning interview skills
  • ", + "
  • meeting people who were affected by your offence, as part of a restorative justice programme
  • ", + "

    If you don\u2019t complete a treatment or programme, or fail a drugs test, you could be sent back to court and your punishment could increase.

    ", + "

    What you can and can\u2019t do while on a community sentence

    ", + "

    What you can and can\u2019t do while on a community sentence is decided by:

    ", + "
  • a court when you are sentenced
  • ", + "
  • the person dealing with your sentence once it\u2019s started\u00a0- called the \u2018offender manager\u2019
  • ", + "

    This can include:

    ", + "
  • being at a particular place at certain times - known as a \u2018curfew\u2019
  • ", + "
  • wearing an electronic tag to check that you stay there
  • ", + "
  • appointments with an offender manager
  • ", + "
  • being stopped from going to certain places or areas, for example your victim\u2019s home
  • ", + "
  • being stopped from taking part in certain activities, for example going to a pub or a bar
  • ", + "
  • being told where you have to live, for example a family member\u2019s home
  • ", + "

    If you don\u2019t stick to the rules while you\u2019re on a community sentence, you could get a warning or be sent back to court, and your punishment could increase.

    ", + "

    Community sentences if you are under 18

    ", + "

    Community sentences for young people are different from those given to adults.

    ", + "

    There are 3 main community sentences a court can give you:

    ", + "
  • referral orders \u2013 when, with a panel of people from your local community and your youth justice workers, you are asked to agree a programme of work to address your behaviour
  • ", + "
  • reparation orders \u2013 when you make up for the harm caused by your crime, like repairing any damage to the victim\u2019s property
  • ", + "
  • Youth Rehabilitation Order \u2013 when a court decides on different things that you have to do or must not do, which can last for up to 3 years
  • ", + "

    You can also be given a discharge, when the court decides that the experience of being arrested and going to court is enough of a punishment.

    ", + "

    As part of your community sentence you may also have to speak to the victim and:

    ", + "
  • listen to their side of the story
  • ", + "
  • apologise to them, either in writing or, if the victim wants, face-to-face
  • ", + "

    If you break the rules of your community sentence you could end up back in court, and if you have recently been released from custody you could be sent back.

    " + ] + }, + { + "title": "Criminal courts", + "url": "https://www.gov.uk/courts", + "contents": [ + "

    Magistrates' courts

    ", + "

    All criminal cases start in a magistrates\u2019 court.

    ", + "

    Cases are heard by either:

    ", + "
  • 2 or 3 magistrates
  • ", + "
  • a district judge
  • ", + "

    There is not a jury in a magistrates\u2019 court.

    ", + "

    Cases a magistrates\u2019 court deals with

    ", + "

    A magistrates\u2019 court normally handles cases known as \u2018summary offences\u2019, for example:

    ", + "
  • most motoring offences
  • ", + "
  • minor criminal damage
  • ", + "
  • common assault (not causing significant injury)
  • ", + "

    It can also deal with some of the more serious offences, such as:

    ", + "
  • burglary
  • ", + "
  • drugs offences
  • ", + "

    These are called \u2018either way\u2019 offences and can be heard either in a magistrates\u2019 court or a Crown Court.

    ", + "

    Find your local magistrates\u2019 court.

    ", + "

    Cases that magistrates pass to the Crown Court

    ", + "

    Magistrates\u2019 courts always pass the most serious crimes to the Crown Court, for example:

    ", + "
  • murder
  • ", + "
  • rape
  • ", + "
  • robbery
  • ", + "

    These are known as \u2018indictable offences\u2019.

    ", + "

    Being kept in custody or granted bail

    ", + "

    In some cases the magistrates\u2019 court will decide if you should be kept in custody until your next court hearing, or released on bail.

    ", + "

    This may happen if:

    ", + "
  • another court hearing is needed
  • ", + "
  • the court needs more information before passing sentence
  • ", + "
  • your case is passed to the Crown Court for trial or sentencing
  • ", + "

    If you\u2019re released on bail, you might have to follow strict conditions such as keeping away from certain people or places, staying indoors or wearing a tag.

    ", + "

    If you do not attend court after being granted bail, you can be put in prison.

    ", + "

    Sentences a magistrates\u2019 court can give

    ", + "

    The court can give punishments including:

    ", + "
  • up to 6 months in prison (or up to 12 months in total for more than one offence)
  • ", + "
  • a fine
  • ", + "
  • a community sentence, like doing unpaid work in the community
  • ", + "
  • a ban, for example from driving or keeping an animal
  • ", + "

    Courts can also give a combination of punishments - for example a fine and unpaid work in the community.

    ", + "

    If the court decides your sentence should be for longer than 6 months, it can pass your case to the Crown Court for sentencing.

    ", + "

    Appealing a sentence or conviction

    ", + "

    If you disagree with verdict of the magistrates\u2019 court, you may be able to appeal.

    ", + "

    Crown Court

    ", + "

    Types of cases the Crown Court deals with

    ", + "

    A Crown Court deals with serious criminal cases, for example:

    ", + "
  • murder
  • ", + "
  • rape
  • ", + "
  • robbery
  • ", + "

    It also deals with:

    ", + "
  • appeals against a magistrates\u2019 court conviction or sentence
  • ", + "
  • cases passed from a magistrates\u2019 court for trial or sentencing
  • ", + "

    Find a Crown Court.

    ", + "

    You can see what cases a court is hearing each day and check their progress on the court lists.

    ", + "

    Who does what in the court

    ", + "

    A Crown Court:

    ", + "
  • normally has a jury - which decides if you\u2019re guilty or not
  • ", + "
  • has a judge - who decides what sentence you get
  • ", + "

    Your solicitor (if you have one) can explain what happens in court - the judge and court staff will also give instructions about the trial.

    ", + "

    Sentences a Crown Court can give

    ", + "

    A Crown Court can give a range of sentences including:

    ", + "
  • community sentences
  • ", + "
  • prison sentences - including life sentences
  • ", + "

    Appealing a sentence or conviction

    ", + "

    If you disagree with the Crown Court\u2019s verdict, you may be able to appeal.

    ", + "

    Youth courts

    ", + "

    A youth court is a special type of magistrates\u2019 court for people aged between 10 and 17.

    ", + "

    A youth court has either:

    ", + "
  • 3 magistrates
  • ", + "
  • a district judge
  • ", + "

    There is not a jury in a youth court.

    ", + "

    Your parent or guardian must come with you:

    ", + "
  • if you\u2019re under 16
  • ", + "
  • if you\u2019re 16 to 17 and they\u2019re given a court order
  • ", + "

    How youth courts are different from adult courts

    ", + "

    Youth courts are less formal than adult courts, for example:

    ", + "
  • members of the public are not allowed in to the court (unless they get permission)
  • ", + "
  • you are called by your first name
  • ", + "

    Types of cases a youth court deals with

    ", + "

    A youth court deals with cases like:

    ", + "
  • theft and burglary
  • ", + "
  • anti-social behaviour
  • ", + "
  • drugs offences
  • ", + "

    For serious crimes, like murder or rape, the case starts in the youth court but will be passed to a Crown Court.

    ", + "

    Sentences a youth court can give

    ", + "

    The court can give a range of sentences including:

    ", + "
  • community sentences
  • ", + "
  • Detention and Training Orders carried out in secure centres for young people
  • ", + "

    Appealing a sentence

    ", + "

    If you disagree with the court\u2019s verdict, you may be able to appeal. Court staff can give you information on how to appeal.

    " + ] + }, + { + "title": "Drink-drive rehabilitation courses", + "url": "https://www.gov.uk/drink-drive-course", + "contents": [ + "

    When you can take a course

    ", + "

    You can be offered a rehabilitation course to reduce your driving ban if:

    ", + "
  • you\u2019re found guilty of a drink-drive offence
  • ", + "
  • your ban is for 12 months or more
  • ", + "

    You have to pay to take the course. It can cost up to \u00a3250.

    ", + "

    Reducing the length of your ban

    ", + "

    Your ban will be reduced if you complete the course within a certain time. The ban is usually reduced by a quarter.

    ", + "

    Deciding to take a course

    ", + "

    You have to decide in court if you want to take a course or not. You cannot change your mind later.

    ", + "

    There\u2019s a different process for taking a drink-drive course in Northern Ireland.

    ", + "

    Choose a course

    ", + "

    Before you go to court, find a drink-drive course that you want to take if you\u2019re found guilty and offered a course.

    ", + "

    The court will send your details to the course provider. They\u2019ll then send you details of:

    ", + "
  • the available course dates
  • ", + "
  • when you must complete your course by
  • ", + "

    You\u2019re responsible for completing the course by the deadline.

    ", + "

    Changing courses

    ", + "

    You can change to another course with a different provider at any point before you book. It\u2019s free to change your course.

    ", + "

    Ask the provider of the course you\u2019d originally chosen to arrange this.

    ", + "

    How the course works

    ", + "

    The course aims to stop you from drink-driving again. They:

    ", + "
  • are face-to-face
  • ", + "
  • take place over 16 hours (usually run on 3 days spread over 3 weeks)
  • ", + "
  • will have other drink-drive offenders at them
  • ", + "

    The course syllabus tells you more about what\u2019s covered during the course.

    ", + "

    After the course

    ", + "

    You\u2019ll get a \u2018certificate of course completion\u2019 from the course provider when you complete the course. They\u2019ll also send a copy to the court that sentenced you.

    ", + "

    The court will tell DVLA so that your driving ban is reduced.

    ", + "

    Your driving ban will not be reduced if you do not complete the course or do not pay for your course.

    ", + "

    If you\u2019re a \u2018high risk offender\u2019

    ", + "

    You need to reapply for a driving licence and take a medical if you\u2019re classified as a \u2018high risk offender\u2019. Check with your course provider if you\u2019re not sure if you are.

    ", + "

    Complain about a course

    ", + "

    Complain to the course provider if you\u2019re not happy with the course.

    ", + "

    Contact the Driver and Vehicle Standards Agency if you cannot sort out the problem with the course provider.

    " + ] + }, + { + "title": "Going to court to give evidence as a victim or witness", + "url": "https://www.gov.uk/going-to-court-victim-witness", + "contents": [ + "

    Before the trial

    ", + "

    If you\u2019re a victim of crime or a witness for the prosecution, a \u2018witness care officer\u2019 will tell you which court to go to, and when to go there.

    ", + "

    If you\u2019re a witness for the defence, the defence lawyer will tell you when you have to go to court.

    ", + "

    You\u2019ll usually be given a fixed date to go to court.

    ", + "

    Sometimes you\u2019ll be given a 2 to 4 week period that you\u2019ll need to keep free - this is known as a \u2018warned period\u2019 or \u2018floating trial\u2019. If this happens, you\u2019ll be given 1 working day\u2019s notice before you are due to go to court.

    ", + "

    You must tell your witness care officer or the defence lawyer straight away if you cannot make the date of the trial.

    ", + "

    Help getting to the court

    ", + "

    There\u2019s different support if you\u2019re going to court as a witness in Scotland or Northern Ireland.

    ", + "

    You\u2019re a victim or prosecution witness

    ", + "

    Ask the witness care officer for help if you cannot easily travel to court. They might be able to provide transport.

    ", + "

    You might be able to give evidence through a video link if you live far away from the court, or find it very difficult to get there. Ask your witness care officer if this is available.

    ", + "

    You\u2019re a defence witness

    ", + "

    Speak to the defence lawyer if you need help with getting to court.

    ", + "

    You might be able to give evidence through a video link if you live far away from the court, or find it very difficult to get there. Ask the defence lawyer if this is possible.

    ", + "

    Help in the courtroom if you have a disability

    ", + "

    Check which facilities are available in the court you\u2019re going to.

    ", + "

    Contact the court to talk about your needs, or if you need any other help.

    ", + "

    Sign language

    ", + "

    You can usually get a British Sign Language (BSL) translator for the trial if you find it difficult to understand spoken English.

    ", + "

    Ask the Crown Prosecution Service (CPS) if you\u2019re a victim or prosecution witness.

    ", + "

    Ask the defence lawyer if you\u2019re a defence witness.

    ", + "

    Translators

    ", + "

    If you do not understand English, you can usually get someone to translate or interpret the trial for free.\nAsk the Crown Prosecution Service (CPS) to arrange a translator if you\u2019re a victim or prosecution witness.

    ", + "

    If you\u2019re a defence witness, ask the defence lawyer if you can get a translator.

    ", + "

    Preparing to give evidence

    ", + "

    Contact the Citizens Advice Witness Service to help prepare for the day.

    ", + "

    Before the trial, they can:

    ", + "
  • show you around the court so you know what to expect on the day (sometimes called a pre-trial visit)
  • ", + "
  • explain the court process and who\u2019s who in the courtroom
  • ", + "
  • come to your home or anywhere you feel safe to answer your questions
  • ", + "

    Your statement

    ", + "

    If you\u2019re a victim or prosecution witness, you can ask the Crown Prosecution Service (CPS) to see your statement again before you go to court to refresh your memory.

    ", + "

    You can add things to your statement if you remember them later on, but you cannot withdraw it.

    ", + "

    You\u2019re a victim of crime

    ", + "

    As well as the statement you gave the police when you reported the crime, you can also make a \u2018victim personal statement\u2019 (sometimes known as an \u2018impact statement\u2019). This can be read out in court.

    ", + "

    You can include information about how the crime has affected you:

    ", + "
  • physically
  • ", + "
  • mentally
  • ", + "
  • emotionally
  • ", + "
  • financially
  • ", + "

    You can also mention any worries you have about the defendant being released on bail.

    ", + "

    When you give your victim personal statement to the police, tell them if you\u2019d prefer to read it out in court yourself, or have someone else to do it for you.

    ", + "

    The court will decide if your statement will be read out in part or in full.

    ", + "

    Making a victim statement is different if you\u2019re in Scotland or Northern Ireland.

    ", + "

    Extra support in the courtroom

    ", + "

    The court may be able to take extra steps to protect you if you:

    ", + "
  • are under 18
  • ", + "
  • have a mental or physical disability
  • ", + "
  • are afraid to give evidence
  • ", + "
  • are a victim of a sexual offence
  • ", + "
  • are a victim of other serious crimes, such as domestic violence or attempted murder
  • ", + "

    These steps include:

    ", + "
  • screens, so the defendant cannot see you
  • ", + "
  • giving evidence by video link from somewhere else (the defendant will be able to see you)
  • ", + "
  • asking the public to leave the courtroom when you give evidence, if the case is about a sexual offence
  • ", + "
  • recording your evidence in front of a camera before the trial
  • ", + "
  • having someone explain the questions and help you reply to the court (an \u2018intermediary\u2019)
  • ", + "

    How to get extra support

    ", + "

    If you\u2019re the victim or a prosecution witness, speak to your witness care officer or the Crown Prosecution Service (CPS).

    ", + "

    If you\u2019re a defence witness, speak to the defence lawyer.

    ", + "

    The trial judge will then decide what support will be made available to you.

    ", + "

    The day of the trial

    ", + "

    When you arrive at the court, you\u2019ll need to go through security. Tell the security staff who you are and that you\u2019re a witness or victim. Someone from the Citizens Advice Witness Service will take you to a waiting area if they are available.

    ", + "

    Waiting to give evidence

    ", + "

    If you\u2019re a victim or prosecution witness, there will usually be a separate room where you can wait so you do not meet the defendant or their family and friends.

    ", + "

    If there is not a separate area, speak to court staff - they can make sure you\u2019re safe.

    ", + "

    If anyone tries to intimidate you, tell the Crown Prosecution Service (CPS), your solicitor or the court staff - they\u2019ll report it to the police.

    ", + "

    You might have to wait a long time before you\u2019re asked to go into the courtroom to give evidence. You might not even have to go in at all, for example if the defendant changes their plea to guilty.

    ", + "

    Childcare

    ", + "

    If you bring a child with you, make sure you also bring someone who can take care of them when you\u2019re in the courtroom.

    ", + "

    Help and support on the day

    ", + "

    Someone from the Citizens Advice Witness Service will be at the court, and can:

    ", + "
  • go with you when you give evidence
  • ", + "
  • support you on the day the verdict and sentence are decided if you\u2019re in court
  • ", + "
  • listen to your concerns in private (but they cannot discuss details of the case)
  • ", + "

    You\u2019ll also have someone who will translate or interpret the trial if you arranged it beforehand.

    ", + "

    Young witnesses (under 18)

    ", + "

    Talk to the police or child witness care officer if you have concerns about your child. For example, if they\u2019ll need to take breaks or need any help giving evidence.

    ", + "

    Read the full guidance on how to prepare your child for court and special measures that are available.

    ", + "

    Young witnesses can get support and find out what to expect at court from:

    ", + "
  • guidance for 5 to 11 year olds
  • ", + "
  • guidance for 12 to 17 year olds
  • ", + "
  • the Citizens Advice Witness Service
  • ", + "
  • Childline
  • ", + "
  • NSPCC
  • ", + "

    After you give evidence

    ", + "

    Citizens Advice have more information about what happens after you\u2019ve given evidence.

    ", + "

    Expenses for going to court

    ", + "

    You can ask for expenses when you go to court as a:

    ", + "
  • prosecution witness - from the Crown Prosecution Service (CPS)
  • ", + "
  • defence witness - from the defence lawyer
  • ", + "

    Your employer does not have to pay you for your time off work.

    ", + "

    Ask the Citizens Advice Witness Service for help with claiming expenses.

    ", + "

    There\u2019s a different process for claiming expenses in Scotland and Northern Ireland.

    ", + "

    Prosecution witnesses

    ", + "

    You can claim for expenses from the CPS. They\u2019ll pay for things like:

    ", + "
  • travelling expenses - the standard or 2nd class fare, or 25p per mile if you drive
  • ", + "
  • meals and refreshments - \u00a32.25 for up to 5 hours, or \u00a34.50 for 5 to 10 hours
  • ", + "
  • loss of earnings - \u00a333.50 for up to 4 hours, or \u00a367 for longer (\u00a342.95 or \u00a385.90 if you\u2019re self-employed)
  • ", + "
  • childcare - up to \u00a367 per day
  • ", + "

    If you\u2019re not sent an expenses form before the trial, ask for one from a court usher or someone from the Citizens Advice Witness Service.

    ", + "

    Defence witnesses

    ", + "

    If the court usher does not give you an expenses form, ask the court or the defence lawyer if you\u2019re able to claim expenses for your time in court.

    " + ] + }, + { + "title": "Immigration detention bail", + "url": "https://www.gov.uk/bail-immigration-detainees", + "contents": [ + "

    Before you apply

    ", + "

    You can apply for immigration bail if the Home Office is holding you on immigration matters. This means you might be released from detention but you\u2019ll have to obey at least one condition.

    ", + "

    Who can apply

    ", + "

    You can apply whether you\u2019re held in an immigration removal centre, a detention centre or a prison. You must be held on immigration matters.

    ", + "

    When you\u2019re more likely to get bail

    ", + "

    You\u2019re more likely to get bail if you have a place to stay.

    ", + "

    Your application is also more likely to succeed if you have at least one \u2018Financial Condition Supporter\u2019. This is a person who:

    ", + "
  • will pay money if you don\u2019t follow the conditions of your bail
  • ", + "
  • can attend your bail hearing
  • ", + "

    Give information about where you\u2019ll stay and your Financial Condition Supporters in the application form.

    ", + "

    When you might not get released on bail

    ", + "

    You may find it harder to get bail if you:

    ", + "
  • have broken bail conditions in the past
  • ", + "
  • have a criminal record, and there\u2019s a risk you might reoffend
  • ", + "

    If you were refused bail in the last 28 days, you won\u2019t get another hearing unless your situation has changed significantly. Explain what you think has changed in your application.

    ", + "

    If you are refused bail, you\u2019ll get a written statement telling you why.

    ", + "

    If you\u2019re due to be removed from the country

    ", + "

    You might not be released even if you\u2019re granted bail. If your removal date is in the 14 days after you get bail, the Home Office will have to agree to your release.

    ", + "

    Apply for bail

    ", + "

    You can apply for bail in 2 main ways. It depends on your situation. Apply to:

    ", + "
  • the Home Secretary (\u2018Secretary of State bail\u2019) any time after you arrive in the UK
  • ", + "
  • the First-tier Tribunal (Immigration and Asylum Chamber) - only if you arrived more than 8 days ago
  • ", + "

    You might be automatically referred for a bail hearing if you\u2019ve been in detention for 4 months or more.

    ", + "

    If you are appealing to the Special Immigration Appeals Commission you can apply to them for bail.

    ", + "

    A solicitor or legal adviser can help you with a bail application.

    ", + "

    Read the guide on representing yourself if you\u2019re not going to have a legal representative.

    ", + "

    Apply for Secretary of State bail

    ", + "

    You can apply to the Home Secretary for bail from the first day you arrive in the UK. This is called \u2019Secretary of State Bail\u2019.

    ", + "

    Download and fill in form BAIL401 explaining why you\u2019re asking for bail.

    ", + "

    You can also get the form from:

    ", + "
  • the welfare officer, if you\u2019re in an Immigration Removal Centre
  • ", + "
  • your detention paperwork pack, if you\u2019re in a prison
  • ", + "

    Your application will be decided by Home Office staff and there will not be a hearing.

    ", + "

    Apply for bail from the First-tier Tribunal

    ", + "

    You can apply to the independent \u2018First-tier Tribunal\u2019 for bail if you arrived in the UK more than 8 days ago. Your application for bail will be decided by an independent judge at a hearing.

    ", + "

    Download and fill in form B1.

    ", + "

    If you can\u2019t download the form yourself, you can:

    ", + "
  • ask the staff at the place where you\u2019re being held
  • ", + "
  • contact the tribunal - by phone on 0300 123 1711 or by email on customer.service@justice.gov.uk
  • ", + "

    If you have a tribunal appeal hearing scheduled, send the form to the tribunal or hearing centre where it\u2019s happening. You can find the address of the venue using the A to Z list.

    ", + "

    If you don\u2019t have an appeal hearing, ask staff at the place you\u2019re held \u2013 they can fax your application to the right venue.

    ", + "

    Automatic referral for bail

    ", + "

    The Home Office will automatically refer you to the First-tier Tribunal for a bail hearing if all of the following are true:

    ", + "
  • you\u2019ve been in detention for 4 months or more
  • ", + "
  • you aren\u2019t being detained in the interests of national security
  • ", + "
  • there\u2019s no action being taken to deport you from the UK
  • ", + "
  • you haven\u2019t applied for bail to the First-tier Tribunal in the last 4 months
  • ", + "

    They will make an application on your behalf using all the information they have.

    ", + "

    You can refuse the referral, or choose to make your own bail application. The Home Office will apply on your behalf every 4 months unless you apply for bail yourself.

    ", + "

    What happens at the First-tier Tribunal hearing

    ", + "

    There will usually be a hearing to decide if you should be granted bail. This will happen a few days after your application is received \u2013 you\u2019ll receive a \u2018notice of hearing\u2019 to tell you when it is.

    ", + "

    You probably won\u2019t be in the room for the hearing. It\u2019s more likely to happen over a video-link instead.

    ", + "

    The Home Office will send the tribunal a document listing the reasons they think you should not get bail (a \u2018Bail Summary\u2019). They will also send you a copy.

    ", + "

    Read information about the Tribunal\u2019s rules and procedures.

    ", + "

    Conditions of your bail

    ", + "

    If you\u2019re granted bail, there will be at least one condition you have to obey.

    ", + "

    You might have to:

    ", + "
  • report regularly to an immigration official
  • ", + "
  • attend an appointment or hearing
  • ", + "
  • be restricted on where you can live
  • ", + "
  • have an electronic monitoring tag
  • ", + "
  • have restrictions on the work or studies you can do
  • ", + "
  • obey any other condition decided by the person granting your bail
  • ", + "

    You or your financial condition supporter might have to promise to pay money if you break one of the other conditions of your bail. This is called a \u2018financial condition\u2019.

    ", + "

    These conditions can be changed after you\u2019re granted bail.

    ", + "

    If you do not follow the terms of your bail you might:

    ", + "
  • have your bail conditions changed so that there are tighter restrictions
  • ", + "
  • be charged with a crime
  • ", + "
  • have to pay the money agreed at the hearing - or your Financial Condition Supporter might have to pay
  • ", + "
  • be returned to detention
  • ", + "

    Change the conditions of your bail

    ", + "

    You can ask to change (\u2018vary\u2019) the conditions of your bail, for example, if you need to move to a new address.

    ", + "

    If the First-tier Tribunal granted you bail, fill in form B2 and send it to your nearest First-tier Tribunal hearing centre. The Home Office might oppose your request.

    ", + "

    If the management of your bail has been transferred to the Home Office contact them instead.

    ", + "

    If you\u2019re on Secretary of State bail, speak to an immigration officer.

    ", + "

    You must continue to obey the conditions of your bail until a decision has been made to change them.

    " + ] + }, + { + "title": "Jury service", + "url": "https://www.gov.uk/jury-service", + "contents": [ + "

    How jury service works

    ", + "

    If you get a jury summons in the post, you must respond within 7 days and confirm if you can attend.

    ", + "

    Your name was chosen randomly from the electoral register.

    ", + "

    You\u2019ll be part of a jury of 12 people to decide the outcome of a criminal trial.

    ", + "

    You can watch a video about jury service. There\u2019s also a Welsh language version of the video.

    ", + "

    Jury service and coronavirus (COVID-19)

    ", + "

    If you\u2019ve received a jury summons, you will need to attend. Jury staff will contact you to confirm the days and times you need to attend.

    ", + "

    Do not go to court if you have COVID-19 symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.

    ", + "

    You can read more about how coronavirus is affecting jury service including the social distancing measures that are in place.

    ", + "

    How long jury service lasts

    ", + "

    Jury service usually lasts up to 10 working days.

    ", + "

    If the trial is likely to last longer than 10 days, jury staff will let you know. If the trial is shorter than 10 days, you may be asked to be a juror on other trials.

    ", + "

    You\u2019ll usually need to be at court from 10am to 5:30pm Monday to Friday, but times can vary.

    ", + "

    You\u2019ll need to arrive at court earlier on your first day. Check your summons letter for the exact time.

    ", + "

    What you can claim

    ", + "

    You will not be paid for doing jury service, but you can claim some money back if you lose earnings. You can also claim some expenses, for example travel.

    ", + "

    Find out what you can claim:

    ", + "
  • if you\u2019re an employee
  • ", + "
  • if you\u2019re self-employed
  • ", + "
  • if you\u2019re not working
  • ", + "

    What you can claim if you\u2019re an employee

    ", + "

    You will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:

    ", + "
  • up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements
  • ", + "
  • \u00a35.71 for food and drink
  • ", + "
  • the cost of travel to and from court
  • ", + "

    You\u2019ll be told how to claim expenses after your jury service has ended.

    ", + "

    Taking time off work

    ", + "

    Give a copy of your jury summons to your employer.

    ", + "

    Your employer must let you have time off work, but can ask you to delay your jury service if your absence will have a serious effect on their business.

    ", + "

    Problems with your employer

    ", + "

    If you\u2019re not allowed to take time off work for jury service, you can complain to an employment tribunal.

    ", + "

    If you\u2019re sacked because you do jury service you may be able to claim unfair dismissal.

    ", + "

    Getting paid during jury service

    ", + "

    Your employer can choose whether or not to pay you during your service.

    ", + "

    If they do not pay you, you can claim for loss of earnings from the court.

    ", + "

    If you get benefits or financial support

    ", + "

    Show your jury summons to your benefit office or work coach as soon as you get it.

    ", + "

    You\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.

    ", + "

    What you can claim

    ", + "

    There\u2019s a limit to how much you can claim for each day you\u2019re at court.

    ", + "

    Loss of earnings, childcare and other care costs

    ", + "

    How much you can claim to cover loss of earnings and care costs depends on the length of your jury service and how many hours you spend at court each day.

    ", + "

    For the first 10 days of jury service, you can claim up to:

    ", + "
  • \u00a364.95 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a332.47 a day if you spend 4 hours or less at court
  • ", + "

    If your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:

    ", + "
  • \u00a3129.91 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a364.95 a day if you spend 4 hours or less at court
  • ", + "

    Travel and parking costs

    ", + "

    How much you can claim depends on how you travel to court.

    ", + "How you travel to court | The court will pay", + "Bus or underground | Cost of the ticket", + "Train | Cost of the ticket (standard class return fare)", + "Bicycle | 9.6p per mile", + "Motorcycle | 31.4p per mile", + "Car | 31.4p per mile - check if the court will pay for parking", + "Car - for one other juror as a passenger | 4.2p per mile", + "Car - for each additional passenger | 3.2p per mile", + "Taxi | The fare - ask the court for permission before using a taxi", + "

    Food and drink

    ", + "

    How much you can claim depends on how many hours you spend in court each day.

    ", + "Time spent each day | The court will pay up to", + "Up to and including 10 hours a day | \u00a35.71 per day", + "Over 10 hours a day | \u00a312.17 per day", + "

    Estimate your expenses

    ", + "

    You can use a calculator to check what you can claim.

    ", + "

    What you can claim if you\u2019re self-employed

    ", + "

    You will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:

    ", + "
  • up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements
  • ", + "
  • \u00a35.71 for food and drink
  • ", + "
  • the cost of travel to and from court
  • ", + "

    You\u2019ll be told how to claim expenses after your jury service has ended.

    ", + "

    You can ask to delay your jury service if you cannot do jury service on the dates in your summons letter.

    ", + "

    If you get benefits or financial support

    ", + "

    Show your jury summons to your benefit office or work coach as soon as you get it.

    ", + "

    You\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.

    ", + "

    What you can claim

    ", + "

    There\u2019s a limit to how much you can claim for each day you\u2019re at court.

    ", + "

    Loss of earnings, childcare and other care costs

    ", + "

    How much you can claim to cover loss of earnings and care costs depends on the length of your jury service and how many hours you spend at court each day.

    ", + "

    For the first 10 days of jury service, you can claim up to:

    ", + "
  • \u00a364.95 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a332.47 a day if you spend 4 hours or less at court
  • ", + "

    If your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:

    ", + "
  • \u00a3129.91 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a364.95 a day if you spend 4 hours or less at court
  • ", + "

    Travel and parking costs

    ", + "

    How much you can claim depends on how you travel to court.

    ", + "How you travel to court | The court will pay", + "Bus or underground | Cost of the ticket", + "Train | Cost of the ticket (standard class return fare)", + "Bicycle | 9.6p per mile", + "Motorcycle | 31.4p per mile", + "Car | 31.4p per mile - check if the court will pay for parking", + "Car - for one other juror as a passenger | 4.2p per mile", + "Car - for each additional passenger | 3.2p per mile", + "Taxi | The fare - ask the court for permission before using a taxi", + "

    Food and drink

    ", + "

    How much you can claim depends on how many hours you spend in court each day.

    ", + "Time spent each day | The court will pay up to", + "Up to and including 10 hours a day | \u00a35.71 per day", + "Over 10 hours a day | \u00a312.17 per day", + "

    Estimate your expenses

    ", + "

    You can use a calculator to check what you can claim.

    ", + "

    What you can claim if you're not working

    ", + "

    You will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:

    ", + "
  • up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements
  • ", + "
  • \u00a35.71 for food and drink
  • ", + "
  • the cost of travel to and from court
  • ", + "

    You\u2019ll be told how to claim expenses after your jury service has ended.

    ", + "

    You can ask to delay your jury service if you cannot do jury service on the dates in your summons letter.

    ", + "

    If you get benefits or financial support

    ", + "

    Show your jury summons to your benefit office or work coach as soon as you get it.

    ", + "

    You\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.

    ", + "

    What you can claim

    ", + "

    There\u2019s a limit to how much you can claim for each day you\u2019re at court.

    ", + "

    Childcare and other care costs if you are not working

    ", + "

    How much you can claim to cover care costs depends on the length of your jury service and how many hours you spend at court each day.

    ", + "

    For the first 10 days of jury service, you can claim up to:

    ", + "
  • \u00a364.95 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a332.47 a day if you spend 4 hours or less at court
  • ", + "

    If your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:

    ", + "
  • \u00a3129.91 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a364.95 a day if you spend 4 hours or less at court
  • ", + "

    Travel and parking costs

    ", + "

    How much you can claim depends on how you travel to court.

    ", + "How you travel to court | The court will pay", + "Bus or underground | Cost of the ticket", + "Train | Cost of the ticket (standard class return fare)", + "Bicycle | 9.6p per mile", + "Motorcycle | 31.4p per mile", + "Car | 31.4p per mile - check if the court will pay for parking", + "Car - for one other juror as a passenger | 4.2p per mile", + "Car - for each additional passenger | 3.2p per mile", + "Taxi | The fare - ask the court for permission before using a taxi", + "

    Food and drink

    ", + "

    How much you can claim depends on how many hours you spend in court each day.

    ", + "Time spent each day | The court will pay up to", + "Up to and including 10 hours a day | \u00a35.71 per day", + "Over 10 hours a day | \u00a312.17 per day", + "

    Estimate your expenses

    ", + "

    You can use a calculator to check what you can claim.

    ", + "

    Ask to change the date or be excused

    ", + "

    If you cannot do jury service on the dates in your summons letter, you can ask to change the date or be excused.

    ", + "

    Ask to change the date of your jury service

    ", + "

    You might be able to change the date of your jury service to another date within the next 12 months. You\u2019ll need a good reason, for example:

    ", + "
  • you\u2019re having an operation
  • ", + "
  • you\u2019re sitting an exam
  • ", + "
  • your employer will not give you time off work
  • ", + "
  • you have a holiday booked
  • ", + "
  • you\u2019re a new parent
  • ", + "

    You can only ask to change the date once.

    ", + "

    To change the date, reply to your jury summons explaining your reasons in detail. When you reply you can suggest 3 possible dates in the next 12 months that work for you.

    ", + "

    Ask to be excused from jury service

    ", + "

    If it\u2019s not possible for you to do jury service in the next 12 months, you can ask to be excused. You\u2019ll only be allowed to do this in exceptional circumstances, for example:

    ", + "
  • you have a serious illness or disability that prevents you from doing jury service
  • ", + "
  • you\u2019re a full time carer of someone with an illness or disability
  • ", + "
  • you\u2019re a new parent and will not be able to serve at any other time in the next 12 months
  • ", + "

    If you cannot do jury service because of coronavirus (COVID-19), you should ask to change the date.

    ", + "

    You can also ask to be excused from jury service if you\u2019ve done it in the last 2 years.

    ", + "

    If you do not do jury service this time, you could still receive a summons in the future.

    ", + "

    To ask to be excused, reply to your jury summons explaining your reasons in detail. You might need to give proof, for example, if you\u2019re ill you might be asked for a letter from your doctor.

    ", + "

    If your request is turned down, you can still ask to change the date of your jury service.

    ", + "

    If you disagree with the decision

    ", + "

    You can appeal if your request to change the date of your jury service or be excused is refused. Write to the Jury Central Summoning Bureau, including:

    ", + "
  • why you disagree with the decision
  • ", + "
  • your juror number (this is on your summons letter)
  • ", + "
  • your name and address
  • ", + "
  • your date of birth
  • ", + "
  • the name and address of the court you\u2019ve been summoned to
  • ", + "
  • the dates of your jury service
  • ", + "

    Get help

    ", + "

    Contact the Jury Central Summoning Bureau if you have questions about jury service.

    ", + "

    Respond to the summons

    ", + "

    You must respond to your jury summons within 7 days of getting it.

    ", + "

    You can either:

    ", + "
  • reply to the jury summons online
  • ", + "
  • complete and return the form by post
  • ", + "

    You can be fined up to \u00a31,000 if you do not return the form or turn up for your jury service.

    ", + "

    After you respond

    ", + "

    The Jury Central Summoning Bureau will send you a letter to confirm details of your jury service, including when and where it will take place.

    ", + "

    If you asked to change the date or to be excused, the letter will explain if your request was accepted.

    ", + "

    You\u2019ll need to bring your summons or confirmation letter to court with you on your first day of jury service.

    ", + "

    Due to coronavirus (COVID-19), you may be asked to go to a different location than the one you were summoned to. If the court needs to change the venue, they will contact you at least one week before your jury service is due to start. Check which courts offer additional locations.

    ", + "

    Get help

    ", + "

    Contact the Jury Central Summoning Bureau if you have questions about jury service or about a decision.

    ", + "

    The Jury Central Summoning Bureau may be able to change the location of your jury service if you\u2019ve been summoned to a court far from where you live. For example, if you\u2019ve recently moved house or if you\u2019re at university and you\u2019ve been summoned to a court near your family home.

    ", + "

    Contact the court if you:

    ", + "
  • need directions
  • ", + "
  • have a question about your expenses claim
  • ", + "

    Going to court as a juror

    ", + "

    On your first day, you should bring:

    ", + "
  • your jury summons form or your jury service confirmation letter
  • ", + "
  • some identification, such as your passport, photo driving licence or Home Office documents showing your UK immigration status
  • ", + "

    If you do not have identification, you can bring any 2 documents from the following:

    ", + "
  • your birth certificate
  • ", + "
  • your credit card with 3 statements and proof of signature
  • ", + "
  • your cheque book and bank card with 3 statements and proof of signature
  • ", + "
  • 3 utility bills showing your name and address
  • ", + "

    Laptops, tablets and mobile phones

    ", + "

    You can bring your mobile phone, tablet or laptop into the court building and use it in the jury assembly area.

    ", + "

    You cannot take your phone, laptop or tablet into the deliberation room. All courts have lockers or somewhere you can safely store your personal items.

    ", + "

    There is free wifi in most courts.

    ", + "

    What to wear

    ", + "

    There is no strict dress code and you can wear clothes you\u2019re comfortable in, such as jeans and a t-shirt.

    ", + "

    Very casual clothing such as shorts or clothing with inappropriate logos or slogans are not allowed.

    ", + "

    What will happen when you arrive at court

    ", + "

    Allow extra time to go through security at court.

    ", + "

    Court staff will show you where the jury assembly area is and the jury manager will:

    ", + "
  • tell you about jury service
  • ", + "
  • explain your responsibilities
  • ", + "
  • tell you what expenses you can claim and how to claim them
  • ", + "

    There are extra security and hygiene measures in place because of coronavirus (COVID-19).

    ", + "

    If you have a disability

    ", + "

    Check what facilities are available in the court you\u2019re going to.

    ", + "

    Contact the Jury Central Summoning Bureau if you have questions about the facilities or to arrange a visit to the court.

    ", + "

    Discussing the trial

    ", + "

    Do not discuss the trial with anyone until it\u2019s finished, except with other jury members in the deliberation room.

    ", + "

    After the trial you must not talk about what happened in the deliberation room, even with family members. You can talk about what happened in the courtroom.

    ", + "

    Do not post comments about the trial on social media websites like Facebook or Twitter - even after the trial\u2019s finished. This is contempt of court and you can be fined or sent to prison.

    ", + "

    If anyone approaches you about the trial

    ", + "

    Tell a court officer if you\u2019re approached about the trial. If you\u2019re approached outside court, tell a police officer.

    ", + "

    If you find the trial distressing

    ", + "

    You may be upset by the trial and want to speak to someone privately. Speak to court staff - they\u2019ll give you advice.

    ", + "

    For emotional support speak to your GP to find out what support is available. You can also contact the Samaritans - although they cannot give advice.

    ", + "

    How to claim expenses

    ", + "

    Make your claim for expenses at the end of your jury service - and no more than 12 months after your jury service started.

    ", + "

    You\u2019ll usually be paid 7 to 10 working days after submitting your claim form.

    ", + "

    The court may be able to pay your expenses during the trial if it\u2019s likely to last a long time or if you\u2019re facing financial hardship. Ask jury staff for more information.

    ", + "

    Food, drink and travel expenses

    ", + "

    Fill in the claim form you received at the start of jury service. Return it to the court with the relevant receipts.

    ", + "

    Loss of earnings

    ", + "

    What you need to do depends on whether you are employed or self-employed.

    ", + "

    If you\u2019re an employee

    ", + "

    Your employer needs to fill in a loss of earnings form if they\u2019ve told you they are not going to pay you during jury service. Bring it to court on your first day of jury service.

    ", + "

    If you\u2019re self-employed

    ", + "

    Fill in a self-employed loss of earnings form. You\u2019ll need to include evidence of lost earnings, such as your most recent tax return.

    ", + "

    Care and childcare expenses

    ", + "

    You and the carer need to fill in the care expenses form to claim for costs outside of your usual care arrangements.

    ", + "

    If you\u2019re using a registered childminder, they need to write their Ofsted number on the form. If a family member or friend is looking after your children, they must write a letter saying how many hours they\u2019ve cared for your child.

    ", + "

    Bring your child\u2019s birth certificate or passport to court during your service or attach a copy to the claim form.

    ", + "

    Return the form to the court with evidence of the cost of care, for example invoices or receipts.

    ", + "

    Questions about expenses

    ", + "

    Contact the court where you did jury service if you have questions about expenses.

    " + ] + }, + { + "title": "Legal aid", + "url": "https://www.gov.uk/legal-aid", + "contents": [ + "

    Overview

    ", + "

    Legal aid can help meet the costs of legal advice, family mediation and representation in a court or tribunal.

    ", + "

    You\u2019ll usually need to show that:

    ", + "
  • your case is eligible for legal aid
  • ", + "
  • the problem is serious
  • ", + "
  • you cannot afford to pay for legal costs
  • ", + "

    You could for example get legal aid if:

    ", + "
  • you or your family are at risk of abuse or serious harm, for example domestic violence or forced marriage
  • ", + "
  • you\u2019re at risk of homelessness or losing your home
  • ", + "
  • you\u2019ve been accused of a crime, face prison or detention
  • ", + "
  • you\u2019re being discriminated against
  • ", + "
  • you need family mediation
  • ", + "
  • you\u2019re adding legal arguments or bringing a case under the Human Rights Act
  • ", + "

    You\u2019ll usually need to show that you cannot afford to pay for this help. You may have to pay some money towards the legal costs of your case or pay costs back later.

    ", + "

    Check if you can get legal aid to get help with civil cases. Your legal adviser will usually apply for legal aid on your behalf.

    ", + "

    Legal aid rules are different in Scotland and Northern Ireland.

    ", + "

    What you can get

    ", + "

    You could get help with the costs of legal advice or getting someone to speak or negotiate for you.

    ", + "

    You may have to pay some money towards the legal costs of your case.

    ", + "

    If your problem is covered by legal aid and you qualify you could get:

    ", + "
  • advice on your rights and options
  • ", + "
  • help with negotiations and paperwork
  • ", + "
  • help if you\u2019re accused of a crime, for example advice at a police station
  • ", + "
  • a solicitor or barrister to get your case ready and speak on your behalf in court and some tribunals
  • ", + "

    What you can get legal aid for

    ", + "

    You might be able to get legal aid for problems like:

    ", + "
  • homelessness or losing your home, or if it\u2019s in serious disrepair
  • ", + "
  • protecting yourself or your child from abuse or harassment, for example domestic violence or forced marriage
  • ", + "
  • poor quality care you or a family member are getting due to age, disability or special educational needs
  • ", + "
  • needing advice on finances, children or divorce if you\u2019ve been in an abusive relationship
  • ", + "
  • a child in your family being at risk of being taken into care
  • ", + "
  • family mediation, for example if you\u2019re separating or getting a divorce
  • ", + "
  • discrimination
  • ", + "
  • challenging the way the government has made a decision about you
  • ", + "
  • seeking asylum or if you\u2019ve been the victim of human trafficking
  • ", + "
  • being arrested, charged or questioned by the police
  • ", + "
  • needing representation at a mental health tribunal or inquest
  • ", + "
  • appealing a decision made by the social security tribunal about your benefits to the Upper Tribunal, Court of Appeal or Supreme Court
  • ", + "

    Exceptional case funding

    ", + "

    You may be able to get legal aid in other exceptional cases, if you can show that being refused legal aid would infringe:

    ", + "
  • your rights under the European Convention on Human Rights (ECHR)
  • ", + "
  • your EU rights to legal representation
  • ", + "

    Get advice from a legal adviser about whether you\u2019re eligible and how to apply.

    ", + "

    You can also apply directly to the Exceptional Case Funding team at the Legal Aid Agency.

    ", + "

    Eligibility

    ", + "

    Whether you qualify for legal aid will depend on:

    ", + "
  • the type of case
  • ", + "
  • your financial circumstances
  • ", + "

    Civil (non-criminal) cases

    ", + "

    Civil cases include things like debt, family or housing problems. To get legal aid, you usually need to show you cannot afford to pay for legal costs and your problem is serious.

    ", + "

    You\u2019ll usually have to give details and evidence of your income, benefits, savings and property, and those of your partner. If you\u2019re under 18, you may need to give information about your parents\u2019 or guardians\u2019 income.

    ", + "

    Your financial situation is not taken into account for cases about:

    ", + "
  • mental health tribunals
  • ", + "
  • children in care
  • ", + "
  • child abduction
  • ", + "

    You may also have to provide evidence about your problem, for example in a divorce case by providing a court order or GP letter showing that you or your child have been a victim of abuse.

    ", + "

    Check if you qualify for legal aid to get help with civil cases.

    ", + "

    Paying the costs of your case

    ", + "

    Legal aid might not cover all the costs of your case. You may have to:

    ", + "
  • pay some of the costs upfront
  • ", + "
  • pay back some of the cost if you win money or property from your case
  • ", + "

    Read about paying for legal aid.

    ", + "

    The Legal Aid Agency (LAA) will make a charge or claim \u2013 known as the \u2018statutory charge\u2019 \u2013 on any money or property you win. If this is your home, payment can be deferred and the debt placed as a charge on your home (similar to a mortgage).

    ", + "

    Your legal adviser will explain how this works.

    ", + "

    Contact the LAA\u2019s Secured Debt Team to discuss how to pay.

    ", + "

    If legal aid is withdrawn, you may have to repay the full legal costs.

    ", + "

    Criminal cases

    ", + "

    You have the right to free legal advice if you\u2019re questioned at a police station.

    ", + "

    You\u2019ll automatically get legal aid for legal representation in court if you\u2019re under 16 (or under 18 and in full-time education) or on certain benefits.

    ", + "

    Alternatives to legal aid

    ", + "

    If you cannot get legal aid, you may be able to get free advice from:

    ", + "
  • the Law Centres Network
  • ", + "
  • Citizens Advice
  • ", + "
  • AdviceNow
  • ", + "

    You can also pay for advice from a local legal adviser or solicitor.

    ", + "

    How to claim

    ", + "

    Check if you can get legal aid in England or Wales.

    ", + "

    Search for a legal aid solicitor if you\u2019re in Scotland or Northern Ireland.

    ", + "

    Your legal adviser or family mediator will apply for legal aid on your behalf. If you qualify, the government will pay their costs directly.

    ", + "

    Getting legal aid in an emergency

    ", + "

    You can get emergency help if you need urgent representation in court, for example to keep you and your children safe from domestic abuse.

    ", + "

    Your legal adviser will apply for Emergency Legal Representation to cover any immediate action. You still need to apply for legal aid in the normal way for any ongoing work.

    ", + "

    Criminal cases

    ", + "

    A police custody officer will help you get legal aid if you\u2019ve been arrested and held at a police station. You\u2019ll be offered free advice:

    ", + "
  • by telephone (if the offence is less serious)
  • ", + "
  • from the police station\u2019s duty solicitor
  • ", + "
  • from your own legal adviser
  • ", + "

    If you\u2019re charged or go to court

    ", + "

    A solicitor will check if you qualify for legal aid if you\u2019re charged with a crime or have to go to court. You can then:

    ", + "
  • get advice from the same organisation that helped you at the police station
  • ", + "
  • ask to speak to the court duty solicitor
  • ", + "
  • find your own criminal legal aid solicitor
  • ", + "

    What you need to bring to your legal adviser

    ", + "

    You\u2019ll need to give information about the following for both yourself and your partner:

    ", + "
  • benefits - including benefits statements
  • ", + "
  • income, savings and spending - including pay slips and bank statements
  • ", + "
  • National Insurance numbers
  • ", + "

    You\u2019ll also need copies of evidence relating to your case, eg:

    ", + "
  • court documents
  • ", + "
  • marriage and birth certificates (for family cases)
  • ", + "
  • relevant letters
  • ", + "

    Tell your legal adviser if any of your financial circumstances change.

    ", + "

    Domestic abuse or violence

    ", + "

    You might be able to get legal aid if you have evidence that you or your children have been victims of domestic abuse or violence and you cannot afford to pay legal costs.

    ", + "

    You do not have to get evidence before talking to a legal aid solicitor or Civil Legal Advice (CLA), but they\u2019ll need to see it before deciding whether you can get legal aid.

    ", + "

    What counts as domestic abuse for legal aid

    ", + "

    You or your children must have been victims of either:

    ", + "
  • domestic abuse or violence
  • ", + "
  • financial control, for example being stopped from accessing a joint bank account
  • ", + "

    What counts as evidence

    ", + "

    You\u2019ll usually need to show that you or your children were at risk of harm from an ex-partner.

    ", + "

    You can ask for evidence from:

    ", + "
  • the courts
  • ", + "
  • the police
  • ", + "
  • a multi-agency risk assessment conference (MARAC)
  • ", + "
  • social services
  • ", + "
  • a health professional, for example a doctor, nurse, midwife, psychologist or health visitor
  • ", + "
  • a refuge manager
  • ", + "
  • a domestic violence support service
  • ", + "
  • your bank, for example credit card accounts, loan documents and statements
  • ", + "
  • your employer, or education or training provider
  • ", + "
  • the provider of any benefits you\u2019ve received
  • ", + "

    How to get evidence

    ", + "

    You can download and print a sample letter to send to the police, courts, or medical and social services.

    ", + "

    This helps you get the proof you need, depending on whether:

    ", + "
  • you\u2019ve been a victim
  • ", + "
  • your children have been victims
  • ", + "

    Give the letter to the person you\u2019re asking to provide evidence. They\u2019ll be able to fill in the details for you.

    ", + "

    You might have to pay a fee for this.

    ", + "

    When you have the evidence

    ", + "

    Show the evidence to your legal aid solicitor or CLA adviser.

    ", + "

    Legal problems abroad

    ", + "

    You can apply for legal aid in:

    ", + "
  • Albania
  • ", + "
  • Austria
  • ", + "
  • Azerbaijan
  • ", + "
  • Belgium
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Bulgaria
  • ", + "
  • Cyprus
  • ", + "
  • Czech Republic
  • ", + "
  • Denmark
  • ", + "
  • Estonia
  • ", + "
  • Finland
  • ", + "
  • France
  • ", + "
  • Georgia
  • ", + "
  • Greece
  • ", + "
  • Ireland
  • ", + "
  • Italy
  • ", + "
  • Latvia
  • ", + "
  • Lithuania
  • ", + "
  • Luxembourg
  • ", + "
  • Montenegro
  • ", + "
  • Netherlands
  • ", + "
  • North Macedonia
  • ", + "
  • Norway
  • ", + "
  • Poland
  • ", + "
  • Portugal
  • ", + "
  • Romania
  • ", + "
  • Serbia
  • ", + "
  • Spain
  • ", + "
  • Sweden
  • ", + "
  • Switzerland
  • ", + "
  • Turkey
  • ", + "
  • Ukraine
  • ", + "

    You can get help with your application from a publicly funded solicitor, including getting documents translated.

    ", + "

    Contact the embassy or consulate of that country or the Legal Aid Agency to find out how to apply.

    " + ] + }, + { + "title": "Litigation friends", + "url": "https://www.gov.uk/litigation-friend", + "contents": [ + "

    Overview

    ", + "

    You can be appointed as litigation friend to make decisions about a court case for either:

    ", + "
  • an adult who lacks the mental capacity to manage their own court case either with or without a solicitor
  • ", + "
  • a child
  • ", + "

    The court case can be any of the following:

    ", + "
  • a civil case, except a tribunal
  • ", + "
  • a family case
  • ", + "
  • a Court of Protection case
  • ", + "

    You\u2019ll have to go to court if there\u2019s a hearing, but you cannot act as the other person\u2019s lawyer.

    ", + "

    An adult with a litigation friend is called the \u2018protected party\u2019 in court.

    ", + "

    How you\u2019re appointed

    ", + "

    You can either:

    ", + "
  • apply to be someone\u2019s litigation friend
  • ", + "
  • be appointed by the court if someone involved in a case asks them to appoint a litigation friend for one of the other people involved
  • ", + "

    The court will check if you\u2019re suitable. It can appoint you as soon as the case has started or at any time during the case.

    ", + "

    When there\u2019s no one suitable, willing and able to be a litigation friend, the court may ask the Official Solicitor to step in.

    ", + "

    When your appointment ends

    ", + "

    If you\u2019re the litigation friend for a child who turns 18 or an adult who recovers capacity during the case, you may need to apply to stop being a litigation friend.

    ", + "

    You may be replaced by the court if you do not carry out your duties properly.

    ", + "

    Duties

    ", + "

    You must \u2018direct the proceedings\u2019 on behalf of the other person if you\u2019re their litigation friend. This means you\u2019ll:

    ", + "
  • make decisions in their best interests
  • ", + "
  • do everything you can to tell them what\u2019s happening in the case and find out their wishes and feelings
  • ", + "
  • talk to their solicitor about what\u2019s happening, get advice from them and give instructions to them in the other person\u2019s best interests
  • ", + "
  • pay any costs ordered by the court
  • ", + "

    Civil cases: settlement hearings

    ", + "

    If the person\u2019s going to be paid money to settle the case, there\u2019ll be a hearing to approve the settlement.

    ", + "

    You\u2019ll need to fill in and bring:

    ", + "
  • form CFO 320 if they\u2019re a child - also bring the child\u2019s original birth certificate or a certified copy
  • ", + "
  • form CFO 320 PB if they\u2019re an adult and the money is going in to a Court Funds Office (CFO) account
  • ", + "

    Read guidance on CFO accounts and investments for help with the forms.

    ", + "

    After the court case

    ", + "

    Your role usually ends after the court case, unless you\u2019re the litigation friend of someone awarded money that\u2019s going into a CFO account.

    ", + "

    You\u2019ll need to remain the contact for a child\u2019s CFO account until they turn 18 or the court directs that the money is paid out. If you cannot carry out this role, you\u2019ll need to be replaced as a litigation friend.

    ", + "

    If you\u2019re the deputy of an adult awarded more than \u00a350,000 into a CFO account, you\u2019ll need to manage the account for them. The Court of Protection may agree that a deputy is not needed.

    ", + "

    Civil cases: expenses

    ", + "

    You can apply to the court to be paid back any expenses you\u2019ve had while acting as litigation friend. This can include the premium for a court costs insurance policy or the interest on a loan taken out to pay for a costs insurance policy.

    ", + "

    Write to the judge in charge of your case giving details of what you spent and when. Include your receipts. The court will check whether your expenses are reasonable.

    ", + "

    Who can be a litigation friend

    ", + "

    The court can appoint anyone to be a litigation friend, for example:

    ", + "
  • a parent or guardian
  • ", + "
  • a family member or friend
  • ", + "
  • a solicitor
  • ", + "
  • a professional advocate, such as an Independent Mental Capacity Advocate (IMCA)
  • ", + "
  • a Court of Protection deputy
  • ", + "
  • someone who has a lasting or enduring power of attorney
  • ", + "

    Suitability

    ", + "

    The court will check you\u2019re suitable by making sure:

    ", + "
  • your interests do not conflict with theirs
  • ", + "
  • you can make decisions about the case in a fair and competent way
  • ", + "

    You must fill in a certificate of suitability if you\u2019re applying be someone\u2019s litigation friend.

    ", + "

    If there\u2019s no one suitable to be litigation friend

    ", + "

    The Official Solicitor will act as a litigation friend if:

    ", + "
  • nobody else is suitable and willing to be litigation friend
  • ", + "
  • there\u2019s money available to pay the Official Solicitor\u2019s costs, for example legal aid
  • ", + "
  • the person\u2019s doctor or another medical professional, for example their psychiatrist, confirms they lack capacity to manage the case (unless they\u2019re a child)
  • ", + "

    The court will appoint the Official Solicitor - if he agrees - at the relevant time.

    ", + "

    Contact the relevant section of the Official Solicitor\u2019s office if you have a query about his involvement in a case.

    ", + "

    Apply to be a litigation friend

    ", + "

    You can apply to be someone\u2019s litigation friend by either:

    ", + "
  • providing a copy of the court order that appointed you as the person\u2019s deputy if it gives you permission to act as their litigation friend
  • ", + "
  • filling in a certificate of suitability if you\u2019re not the person\u2019s deputy
  • ", + "

    You must send (\u2018file\u2019) your court order or certificate of suitability with the court before you can act on the person\u2019s behalf.

    ", + "

    The person\u2019s solicitor usually does this, but you can do it yourself if there\u2019s no solicitor yet. Contact the court to find out where to deliver your documents. You\u2019ll then have to find a solicitor to act for the other person.

    ", + "

    Deputies: civil cases

    ", + "

    If you\u2019re the deputy of the claimant (the person bringing the case to court) and your deputy\u2019s court order gives you permission to be litigation friend, you must file your court order together with the claim form that starts the court case.

    ", + "

    Certificate of suitability

    ", + "

    Download and fill in the relevant form to apply in the:

    ", + "
  • civil courts
  • ", + "
  • family courts
  • ", + "
  • Court of Protection
  • ", + "

    Deliver in person (\u2018serve\u2019) a completed copy of the relevant form to the:

    ", + "
  • parent, guardian or carer, if you\u2019re applying to be a child\u2019s litigation friend
  • ", + "
  • deputy, attorney with a lasting power of attorney or enduring power of attorney, or carer of the adult you want to be litigation friend for
  • ", + "
  • the adult, known as the \u2018protected party\u2019, you want to be litigation friend for
  • ", + "

    If you\u2019re applying to act for an adult, explain on the certificate of suitability form why you think they need someone to make decisions about the case on their behalf.

    ", + "

    Certificate of service

    ", + "

    When you\u2019ve served the certificate of suitability, download and fill in the relevant certificate of service for a:

    ", + "
  • civil case
  • ", + "
  • family case
  • ", + "
  • Court of Protection case depending on whether you\u2019re serving the other person or someone else
  • ", + "

    What to do with the forms

    ", + "

    Deliver or send the certificate of suitability and certificate of service to the court at the same time.

    ", + "

    If you\u2019re applying to be litigation friend for the person making the claim in a civil case, your forms must be delivered with the claim form.

    ", + "

    Ask the court to appoint a litigation friend

    ", + "

    You or anyone involved can apply to the court to get a litigation friend appointed at any time during the case.

    ", + "

    How to apply

    ", + "

    Download and fill in the relevant form to apply in the:

    ", + "
  • civil courts
  • ", + "
  • family courts
  • ", + "
  • Court of Protection
  • ", + "

    You\u2019ll need to provide evidence that the person you want the court to appoint:

    ", + "
  • agrees to be the litigation friend
  • ", + "
  • is suitable and willing
  • ", + "
  • is able to carry out the duties
  • ", + "

    Deliver in person (\u2018serve\u2019) a completed copy of the relevant form to the:

    ", + "
  • parent, guardian or carer if you\u2019re applying to get a litigation friend appointed for a child
  • ", + "
  • deputy, attorney with a lasting power of attorney or enduring power of attorney, or carer if you\u2019re applying to get a litigation friend appointed for an adult
  • ", + "
  • the adult you\u2019re applying to get a litigation friend appointed for
  • ", + "

    Certificate of service

    ", + "

    When you\u2019ve served the certificate of suitability, download and fill in the relevant certificate of service for a:

    ", + "
  • civil case
  • ", + "
  • family case
  • ", + "
  • Court of Protection case depending on whether you\u2019re serving the other person or someone else
  • ", + "

    Deliver or send the certificate of suitability and certificate of service to the court at the same time.

    ", + "

    Stop being a litigation friend

    ", + "

    You\u2019ll usually stop being a litigation friend when:

    ", + "
  • the case ends, unless you\u2019re litigation friend for a child and they\u2019ve been given a settlement
  • ", + "
  • the child turns 18
  • ", + "
  • the adult who did not have mental capacity recovers or gets mental capacity
  • ", + "
  • you or someone else applies to the court for a replacement litigation friend
  • ", + "

    If you\u2019re litigation friend for a child

    ", + "

    If the case has already been settled and you\u2019re managing a Court Funds Office account on the child\u2019s behalf, the Court Funds Office will write to them and explain how they can get their money.

    ", + "

    When a child turns 18 during the court case, they must write a statement telling the court and everyone involved in the case:

    ", + "
  • they\u2019ve turned 18
  • ", + "
  • you\u2019ve stopped being their litigation friend
  • ", + "
  • they are or are not going to carry on with the legal case
  • ", + "
  • their address so documents can be sent to them
  • ", + "

    They must file the statement with the court and give a copy to everyone involved in the case.

    ", + "

    When the adult recovers or gets mental capacity

    ", + "

    You, as the litigation friend of someone who recovers mental capacity, or the person themselves can apply to the court for an order to stop you acting as litigation friend.

    ", + "

    You or they must include:

    ", + "
  • medical evidence that they\u2019ve recovered capacity
  • ", + "
  • any Court of Protection orders or declarations
  • ", + "

    Then they must write a statement telling the court and anyone involved in the case:

    ", + "
  • you\u2019ve stopped being their litigation friend
  • ", + "
  • they are or are not going to carry on with the legal case
  • ", + "
  • their address so documents can be sent to them
  • ", + "

    They must file the statement with the court and give a copy to everyone involved in the case (\u2018serve\u2019 it).

    ", + "

    In a civil case, the person must serve the statement within 28 days from when you stopped being their litigation friend. If they do not, anyone involved in the case can make an application to have their case dismissed.

    " + ] + }, + { + "title": "Make a claim to an employment tribunal", + "url": "https://www.gov.uk/employment-tribunals", + "contents": [ + "

    When you can claim

    ", + "

    You can make a claim to an employment tribunal if you think someone has treated you unlawfully, such as your employer, a potential employer or a trade union.

    ", + "

    Unlawful treatment can include:

    ", + "
  • unfair dismissal
  • ", + "
  • discrimination
  • ", + "
  • unfair deductions from your pay
  • ", + "

    This guide and the online service are also available in Welsh (Cymraeg).

    ", + "

    You usually have to make a claim to the tribunal within 3 months of your employment ending or the problem happening.

    ", + "

    The tribunal is independent of government and will listen to you (the \u2018claimant\u2019) and the person you\u2019re making a claim against (the \u2018respondent\u2019) before making a decision.

    ", + "

    See if there\u2019s another way to solve the problem before you make a claim to a tribunal, such as using a grievance procedure.

    ", + "

    Before you make a claim

    ", + "

    You must tell the Advisory, Conciliation and Arbitration Service (Acas) that you intend to make a claim to the tribunal.

    ", + "

    You\u2019ll be offered the chance to try and settle the dispute without going to court by using Acas\u2019s free \u2018Early Conciliation\u2019 service.

    ", + "

    If early conciliation does not work, Acas will send you an early conciliation certificate - use this when you make a claim to the tribunal.

    ", + "

    Once you receive your certificate, you\u2019ll have at least one month left to make your claim.

    ", + "

    Help you can get

    ", + "

    Call the Employment Tribunal customer contact centre if you have any questions about your claim. They cannot give you legal advice.

    ", + "

    Call Acas if you have any questions about early conciliation. They cannot answer questions about your claim.

    ", + "

    Legal help

    ", + "

    You may want to get legal help or advice if you\u2019re in England and Wales or Scotland before you make your claim.

    ", + "

    Your trade union may be able to pay for a solicitor.

    ", + "

    You can also get free legal advice from Citizens Advice or Citizens Advice Scotland.

    ", + "

    The Equality Advisory and Support Service can help if your claim is about discrimination. You may also be able to get legal aid.

    ", + "

    Make a claim

    ", + "

    You can make a claim to the employment tribunal online.

    ", + "

    You should read the guidance for whistleblowing if it relates to your claim.

    ", + "

    This online service is also available in Welsh (Cymraeg).

    ", + "

    There\u2019s a different way to claim if you live in Northern Ireland.

    ", + "

    Claim online

    ", + "

    Make a claim by post

    ", + "

    You can also download and fill in a claim form.

    ", + "

    Read the guidance for making a claim before you fill in the form. You should also read the guidance for whistleblowing if it relates to your claim.

    ", + "

    You do not have to pay a fee to make a claim to the Employment Tribunal, even if it says so on the form.

    ", + "

    Send your completed form to one of the following addresses, depending on where you were working.

    ", + "

    Talk-through service

    ", + "

    Use the employment tribunal talk-through service only if you\u2019re unable to use a computer without help.

    ", + "

    Before calling make sure you have:

    ", + "
  • your Acas early conciliation certificate number or a valid reason why you do not have one
  • ", + "
  • details of your claim including the background, dates and people involved
  • ", + "

    This service will not give you advice on the details of your claim. Contact the number for general enquiries instead.

    ", + "

    After you make a claim

    ", + "

    The respondent usually has to reply to your claim in writing within 28 days of getting your claim form. They will give their side of the case.

    ", + "

    Once they\u2019ve replied, the tribunal will decide whether there will be a full hearing to decide on your case.

    ", + "

    If they do not reply, the tribunal may decide on your case without you having to go to a hearing.

    ", + "

    Hearings and coronavirus (COVID-19)

    ", + "

    Because of coronavirus, your hearing may take place by phone, by video or in person.

    ", + "

    If you\u2019re a legal professional, read guidance on how cases are affected by COVID-19.

    ", + "

    \u2018Preliminary hearing\u2019

    ", + "

    You may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:

    ", + "
  • whether part or all of your claim can go ahead
  • ", + "
  • the date and time of a hearing
  • ", + "
  • how long the hearing should take
  • ", + "

    Arrange documents

    ", + "

    You can ask the respondent for documents that will help you with your case, and they can request documents from you.

    ", + "

    Examples of documents include:

    ", + "
  • a contract of employment
  • ", + "
  • pay slips
  • ", + "
  • details of your pension scheme
  • ", + "
  • notes from relevant meetings you attended at work
  • ", + "

    Usually the tribunal will issue an order setting out a timetable for when you should exchange documents.

    ", + "

    You\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.

    ", + "

    Organise witnesses

    ", + "

    You can bring witnesses to the hearing if they can give evidence directly relevant to your case.

    ", + "

    If you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with your case, giving:

    ", + "
  • the name and address of the witness
  • ", + "
  • details of what the witness may be able to say and how it will help your case
  • ", + "
  • the reason the witness has refused to attend (if they gave you one)
  • ", + "

    You\u2019ll most likely be responsible for paying the witness\u2019s expenses.

    ", + "

    Going to a tribunal hearing

    ", + "

    Cases are normally held at the employment tribunal office closest to where you worked.

    ", + "

    You must take the documents you\u2019re using to support your case. You can take a colleague or someone else with you if you want.

    ", + "

    You cannot claim for expenses for going to the hearing.

    ", + "

    Because of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. If you need to attend in person, find out what to expect when coming to your hearing. The tribunal will contact you and tell you how the hearing will take place.

    ", + "

    What happens at the hearing

    ", + "

    You\u2019ll present your case to the tribunal - someone else can do this for you, for example a lawyer, friend or family member. The respondent will present their case against you.

    ", + "

    You\u2019ll normally give evidence first, unless your case is about unfair dismissal. You can also call witnesses to give evidence.

    ", + "

    You will usually be asked questions by:

    ", + "
  • the judge
  • ", + "
  • the respondent
  • ", + "
  • two other tribunal members (only in certain cases)
  • ", + "

    Get a decision

    ", + "

    You\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.

    ", + "

    If you win your case

    ", + "

    If you win your case, the tribunal can order the losing party to do certain things depending on the type of case. Examples include:

    ", + "
  • paying you compensation
  • ", + "
  • paying you any witness expenses you\u2019ve paid
  • ", + "
  • improving your working conditions
  • ", + "
  • giving you your job back, if appropriate
  • ", + "

    If you get compensation, the amount can depend on:

    ", + "
  • the type of case - there are limits on certain cases
  • ", + "
  • how much money you\u2019ve lost because of the respondent\u2019s actions
  • ", + "
  • your age, length of service and salary
  • ", + "

    If the respondent does not pay

    ", + "

    If you do not get your payment, contact them to find out why.

    ", + "

    If they still do not pay you can ask to have them fined and named online by the government. You can also ask a court to force them to pay.

    ", + "

    You cannot do these things if the respondent has appealed, or is about to. They have 42 days to appeal.

    ", + "

    Get the respondent fined and named online by the government

    ", + "

    Use the penalty enforcement form. Post it to the address on the form or email it to the Department for Business, Energy and Industrial Strategy.

    ", + "

    The respondent will initially get a warning notice telling them they may be fined, and named online by the government.

    ", + "

    If they do not pay the compensation within 28 days of this notice they\u2019ll have to pay a fine and may be named online by the government.

    ", + "

    You can still get a court to force them to pay.

    ", + "

    Forcing them to pay if you\u2019re in England or Wales

    ", + "

    You can use the Fast Track scheme to send a High Court Enforcement Officer - similar to a bailiff - to demand payment from the respondent.

    ", + "

    It costs \u00a366, which you get back from the respondent when they pay.

    ", + "

    Fill in the Fast Track Enforcement form (or the Acas settlement form if your case was settled before a hearing) and send it to the address on the form.

    ", + "

    You can also ask the local county court to send an enforcement officer to get the money from the respondent. This costs \u00a344.

    ", + "

    Fill in an application to enforce an award form and send it with a copy of the tribunal\u2019s decision to your local county court.

    ", + "

    Forcing them to pay if you\u2019re in Scotland

    ", + "

    Write to the office that heard your case and ask for an \u2018extract of the judgment\u2019. A sheriff officer can use this to force the respondent to pay.

    ", + "

    If the respondent is \u2018insolvent\u2019 (for example, they\u2019re in administration, liquidation or receivership) you can make a claim for money they owe you, including redundancy payments.

    ", + "

    If you lose your case

    ", + "

    You can ask the tribunal to reconsider the decision (or \u2018judgment\u2019) if you lose your case.

    ", + "

    You must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.

    ", + "

    You also need to give good reasons, for example:

    ", + "
  • the tribunal made a mistake in the way it reached its decision
  • ", + "
  • you were not told about the hearing, or were not at the hearing
  • ", + "
  • there\u2019s new evidence
  • ", + "

    Send your letter to the tribunal office that dealt with your case.

    ", + "

    Appeal to the Employment Appeal Tribunal

    ", + "

    You can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.

    ", + "

    Get a refund for tribunal fees

    ", + "

    You can get a refund if you paid fees at an Employment Tribunal or Employment Appeals Tribunal between 29 July 2013 and 26 July 2017.

    ", + "

    How to apply

    ", + "

    You can apply online if:

    ", + "
  • you have not changed your name since you made the claim to the tribunal
  • ", + "
  • your claim was against one employer
  • ", + "
  • you have a UK bank account
  • ", + "

    Otherwise, you can apply by post or email.

    ", + "

    You\u2019ll need to include how much you paid in tribunal fees.

    ", + "

    Apply online

    ", + "

    Use the service to apply for a refund online.

    ", + "

    Apply by email or post

    ", + "

    The form you use depends on why you paid the fees.

    ", + "

    Use form 1/2-CR if:

    ", + "
  • you made the claim on your own and paid the fees
  • ", + "
  • a claim was brought against you and you were ordered to pay someone\u2019s fees, or if you paid any other fees to the tribunal
  • ", + "
  • you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for less than 11 people
  • ", + "

    Use form 3-S if:

    ", + "
  • you paid the fees for someone else to make the claim
  • ", + "
  • you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for over 10 people
  • ", + "

    Send your completed form by post or email to HM Courts and Tribunals Service (HMCTS).

    ", + "

    Get help applying

    ", + "

    Contact HMCTS if you need help applying or have questions about refunds.

    ", + "

    Find out about call charges.

    ", + "

    What happens next

    ", + "

    If you\u2019re entitled to a refund it\u2019ll be transferred to your bank account (plus 0.5% interest). You\u2019ll get a letter confirming the amount.

    ", + "

    Legislation

    ", + "

    The Employment Tribunal follows rules and processes that you also have to follow.

    ", + "

    You can also read other relevant tribunal rules and regulations.

    ", + "

    The tribunal has issued guidance and practice directions for England and Wales and Scotland which provide more information about specific areas, such as postponing hearings and serving documents.

    ", + "

    You can also read guidance about specific cases.

    " + ] + }, + { + "title": "Make a victim personal statement to the Parole Board", + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "contents": [ + "

    Who can make a victim personal statement and when

    ", + "

    The Parole Board decides if prisoners who are eligible for parole can be released. It also makes recommendations on whether it\u2019s safe for prisoners to be:

    ", + "
  • transferred to an open prison
  • ", + "
  • given a temporary release under supervision (known as being \u2018on licence\u2019 or probation)
  • ", + "

    Victims

    ", + "

    You can make a \u2018victim personal statement\u2019 to be presented at the Parole Board hearing if you\u2019re a victim of the prisoner.

    ", + "

    This is sometimes known as an \u2018impact statement\u2019.

    ", + "

    If you\u2019re in Scotland, you need to make a written representation to the Parole Board for Scotland.

    ", + "

    You can use your statement to explain how the crime has affected you - from the time it was committed until now.

    ", + "

    This includes the effect the crime has had on you and your family:

    ", + "
  • physically
  • ", + "
  • mentally
  • ", + "
  • emotionally
  • ", + "
  • financially
  • ", + "

    Relatives of victims

    ", + "

    You can make a victim personal statement if you\u2019re a close relative of a victim who:

    ", + "
  • has died
  • ", + "
  • is aged under 18
  • ", + "
  • cannot make a statement themselves - for example, because of mental incapacity or illness
  • ", + "

    Close relatives include spouses and partners, parents, children, grandparents, grandchildren, siblings and dependants. Other family members, guardians and carers of victims may also be allowed to make a statement.

    ", + "

    When more than one relative wants to make a statement, the Parole Board may ask for 1 or 2 statements to represent them all.

    ", + "

    When to make your victim personal statement

    ", + "

    If you choose to join the Victim Contact Scheme, your Victim Liaison Officer will tell you when a prisoner is being considered for parole.

    ", + "

    They\u2019ll tell you when to write your victim personal statement. They\u2019ll also send it to the Parole Board for you at least 28 days before the hearing.

    ", + "

    If you did not join the Victim Contact Scheme, you can contact your local probation office about:

    ", + "
  • giving a statement
  • ", + "
  • joining the scheme if you want to be told when a prisoner is being considered for release or transfer
  • ", + "

    The Parole Board has more information about making a victim personal statement and joining the Victim Contact Scheme.

    ", + "

    How a victim personal statement is used

    ", + "

    The Parole Board panel makes a decision based on whether a prisoner is a risk to the public.

    ", + "

    The panel can use your victim personal statement to help it:

    ", + "
  • understand the impact of the crime
  • ", + "
  • decide what questions to ask the prisoner, to find out about their understanding of how their crimes have affected victims
  • ", + "
  • decide what the prisoner can and cannot do (known as \u2018licence conditions\u2019) if they\u2019re released
  • ", + "

    The Parole Board will make its decision by:

    ", + "
  • privately reviewing a file of information and reports about the prisoner
  • ", + "
  • holding a hearing, if the board needs more information
  • ", + "

    You can ask to attend the hearing to read out your statement if you want, or have it read out for you. The Parole Board decides if you can attend.

    ", + "

    Write your victim personal statement

    ", + "

    Your victim personal statement is your opportunity to explain how a crime has affected you and your family - for example, physically, emotionally, financially or in any other way.

    ", + "

    You can update the statement that you wrote for the prisoner\u2019s trial or write a new one.

    ", + "

    Your statement should take less than 10 minutes to read out.

    ", + "

    You can usually choose how your statement is presented at an oral hearing.

    ", + "

    You must always submit a written version of your statement.

    ", + "

    What to include

    ", + "

    You need to include how the:

    ", + "
  • crime affected you at the time
  • ", + "
  • crime has affected you since it happened
  • ", + "
  • prisoner\u2019s release or move to an open prison would affect you, your family, friends or community
  • ", + "

    Do not include:

    ", + "
  • whether you think the prisoner should be released
  • ", + "
  • long descriptions of the original crime
  • ", + "
  • any threats or critical comments to or about the prisoner or the Parole Board
  • ", + "

    Tell your Victim Liaison Officer if you think you have other information that will help the Parole Board make a decision.

    ", + "

    Young victims and children

    ", + "

    If you do not want to or cannot make a written victim personal statement, you can tell your Victim Liaison Officer about how:

    ", + "
  • you and your family were hurt
  • ", + "
  • the crime makes you feel now
  • ", + "
  • you think you would feel if the prisoner was released
  • ", + "

    Your Victim Liaison Officer will write this down and give it to the Parole Board.

    ", + "

    Your parent or guardian can also make a statement if they want to.

    ", + "

    The prisoner\u2019s access to your victim personal statement

    ", + "

    Prisoners usually have full access to all victim personal statements presented at their hearing.

    ", + "

    Speak to your Victim Liaison Officer if you do not want the prisoner to have access to your statement.

    ", + "

    You\u2019ll need to make a good case that it will:

    ", + "
  • put you or your family at risk
  • ", + "
  • have a negative effect on you in some other way
  • ", + "

    Statements are only withheld from prisoners under exceptional circumstances.

    ", + "

    Choose how your victim personal statement is presented at the hearing

    ", + "

    You\u2019ll usually have a choice of how your victim personal statement is presented at the hearing.

    ", + "

    You can ask:

    ", + "
  • for the Parole Board panel to read your statement themselves
  • ", + "
  • to attend the hearing and read out your statement in person
  • ", + "
  • to attend the hearing and choose someone else to read out your statement
  • ", + "
  • to choose someone to go the hearing instead of you and read out your statement
  • ", + "

    Because of coronavirus (COVID-19) you cannot currently attend hearings in person. You will have to submit your statement remotely.

    ", + "

    At some hearings you may be able to read out your statement via a live video link or make a recording for the panel.

    ", + "

    Requests by victims to attend hearings are usually granted, but it\u2019s not a legal right and you can be refused.

    ", + "

    You can usually bring your Victim Liaison Officer or a family member or friend if you come to the hearing.

    ", + "

    People under 18 years of age usually cannot attend parole hearings in person and must choose one of the other options, such as getting someone else to read out your statement.

    ", + "

    What happens at a parole hearing

    ", + "

    You\u2019ll be asked to read out your victim personal statement (unless someone else is reading it for you).

    ", + "

    You will not be able to add anything to your written statement at the hearing and will not usually be asked questions.

    ", + "

    After you\u2019ve made your statement you\u2019ll be asked to leave and the hearing will continue.

    ", + "

    Your Victim Liaison Officer will tell you the outcome.

    ", + "

    Read the guide on getting parole for detailed information on what happens at a parole hearing.

    ", + "

    Prisoners at parole hearings

    ", + "

    Prisoners are usually not present while their victims read their statements. The prisoner\u2019s legal representative is usually there.

    ", + "

    You can ask that the prisoner is present while you read your statement, but they\u2019ll need to agree to this and the Parole Board has to allow it.

    " + ] + }, + { + "title": "Represent yourself in court", + "url": "https://www.gov.uk/represent-yourself-in-court", + "contents": [ + "

    Overview

    ", + "

    You have the right to speak for yourself in court without a solicitor or other legal professional.

    ", + "

    You may choose to do this because:

    ", + "
  • you think it\u2019s better to talk directly to the judge, jury or magistrates yourself
  • ", + "
  • you cannot afford to pay legal fees
  • ", + "

    If you\u2019re considering representing yourself because you cannot afford legal costs, check if you can get legal aid instead.

    ", + "

    You\u2019ll be known as a \u2018litigant in person\u2019 if you represent yourself. You\u2019ll also be known as an \u2018applicant\u2019, \u2018respondent\u2019 or \u2018defendant\u2019 depending on whether your case is heard in a family, civil or criminal court.

    ", + "

    Read Advicenow\u2019s guides to going to court for advice on how to conduct your case.

    ", + "

    There are different courts and rules in Scotland.

    ", + "

    Someone with you in court

    ", + "

    You may be allowed to have someone to help you in court by taking notes and giving advice, but they cannot:

    ", + "
  • speak for you
  • ", + "
  • interfere with proceedings
  • ", + "
  • sign documents on your behalf
  • ", + "

    This person is known as a \u2018McKenzie friend\u2019.

    ", + "

    The judge will decide whether you can have a McKenzie friend with you in court.

    ", + "

    Read guidance on what a McKenzie friend can and cannot do.

    ", + "

    Get legal advice

    ", + "

    You can still get legal advice to help you with your case, even if you choose to represent yourself in court.

    ", + "

    Find a solicitor.

    ", + "

    Read advice on what you should consider before going to court for a debt, dispute or personal injury claim.

    ", + "

    Divorce and separation involving children

    ", + "

    You\u2019ll be referred to as the \u2018applicant\u2019 if you brought the case, for example you filed the divorce papers.

    ", + "

    You\u2019ll be known as the \u2018respondent\u2019 if you\u2019ve received divorce papers or a request for a separation, or a contact order or residence order for a child.

    ", + "

    Before you go to court

    ", + "

    You must normally go to mediation before you go to court.

    ", + "

    The court will not hear your case until you send them a C100 form.

    ", + "

    Read guidance about whether you should take your case to court.

    ", + "

    Read the \u2018Guide for Separated Parents: Children and the Family Courts\u2019.

    ", + "

    Find out more about:

    ", + "
  • how to apply for a court order
  • ", + "
  • the types of court order you can apply for or respond to
  • ", + "
  • what the court does after you apply for a court order
  • ", + "
  • getting free and independent help with forms and documents
  • ", + "

    Divorce and separation: money and property

    ", + "

    You\u2019ll be referred to as the:

    ", + "
  • \u2018applicant\u2019 if you brought the case, for example you filed a divorce petition
  • ", + "
  • \u2018respondent\u2019 if someone else has brought the case
  • ", + "

    Find out what you must do before you go to court if you\u2019re divorcing or separating and you\u2019ve a dispute about money or property.

    ", + "

    You must normally consider mediation before you go to court.

    ", + "

    The court will not hear your case until you send them a C100 form.

    " + ] + }, + { + "title": "Solve a residential property dispute", + "url": "https://www.gov.uk/housing-tribunals", + "contents": [ + "

    Overview

    ", + "

    You can apply to the First-Tier Tribunal (Property Chamber - Residential Property) if you\u2019re a landlord, tenant, freeholder, leaseholder, park home occupier or site owner. The cases you can apply for include:

    ", + "
  • rent increases for \u2018fair\u2019 or \u2018market\u2019 rates
  • ", + "
  • leasehold disputes, for example variable service charges, recognising a tenants\u2019 association, management disputes
  • ", + "
  • leasehold enfranchisement, for example buying the freehold for a group of flats, extending a lease
  • ", + "
  • disputes about park homes, for example breach of agreement, changing the pitch fee
  • ", + "
  • financial penalties issued by local authorities
  • ", + "
  • rent repayment orders
  • ", + "
  • improvement notices and prohibition orders where your notice is under the Housing Act 2004
  • ", + "
  • disputes about licences for houses in multiple occupation
  • ", + "
  • the right to buy your council home being refused because it\u2019s deemed suitable for elderly people
  • ", + "
  • banned tenant fees you paid to a landlord or letting agent, for example fees for a credit check
  • ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    There are different ways to apply in Wales, apply in Scotland and apply in Northern Ireland.

    ", + "

    Help you can get

    ", + "

    You may want to get help and advice before you apply - contact Leasehold Advisory Service or Citizens Advice.

    ", + "

    You can also get legal advice, including from a lawyer.

    ", + "

    Apply to the tribunal

    ", + "

    Download and fill in the right form for your application.

    ", + "Why you\u2019re applying | Form | Guidance", + "Rent | See the form finder | Leaflet T540", + "Service charges and leasehold management | See the form finder | Leaflet T541", + "Leasehold enfranchisement | Form \u2018Leasehold 9\u2019 | Leaflet T542", + "Houses in multiple occupation and selective licensing | Form HMO | Leaflet T543", + "Improvement notices, prohibition orders, demolition orders | Form HHSRS | Leaflet T543", + "Park homes | See the form finder | Leaflet T544", + "Financial penalties appeals under the Housing Act 2004 | Form HO4 | Leaflet T543", + "Financial penalties appeals under the Tenant Fees Act 2019 | Form TFA2 | Leaflet TFA3", + "Rent repayment orders | Form RRO1 | Leaflet T543", + "Recognising a tenants\u2019 association | Form TA | Leaflet T545", + "Right to buy your council home is refused | Form RTB1 | Leaflet T546", + "Tenant fees charged by landlord or letting agent | Form TFA1 | Leaflet TFA3", + "All other cases | See the form finder | ", + "

    Fees

    ", + "

    You may have to pay a fee to apply - the form will say how much. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    Send the form

    ", + "

    Email the form to the regional office that covers your area.

    ", + "

    What happens next

    ", + "

    You\u2019ll be told whether the tribunal will consider your case. You may need to provide more evidence, for example additional supporting documents.

    ", + "

    You may be told that the case does not need a hearing and can be decided on your application alone (known as a \u2018paper decision\u2019). You can still ask for a hearing (\u2018oral hearing\u2019) if you\u2019d like one.

    ", + "

    What happens at the hearing

    ", + "

    What happens will depend on whether you\u2019ve asked for a paper decision or an oral hearing.

    ", + "

    Paper decision

    ", + "

    There will not normally be an oral hearing if you ask for a paper decision, unless a judge requests one.

    ", + "

    The paper decision will be based on:

    ", + "
  • your application
  • ", + "
  • supporting documents
  • ", + "

    You\u2019ll usually get a decision within 6 weeks of the tribunal looking at your documents.

    ", + "

    Oral hearing

    ", + "

    Because of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. Find out what to expect if you\u2019re attending a hearing in person. The tribunal will contact you and tell you how the hearing will take place.

    ", + "

    The hearing is public. You\u2019ll present your case to the tribunal - someone else can do this for you, for example a legal adviser, surveyor, friend or family member.

    ", + "

    You may be asked questions by:

    ", + "
  • your representative (if you have one)
  • ", + "
  • the other party\u2019s representative
  • ", + "
  • the tribunal hearing your case
  • ", + "

    You\u2019ll usually get a decision within 6 weeks of the hearing.

    ", + "

    If you're unhappy with the decision

    ", + "

    You may be able to appeal if you\u2019re unhappy with the decision. Ask the tribunal for permission to appeal to the Upper Tribunal (Lands Chamber) within 28 days of the hearing\u2019s decision.

    ", + "

    Contact HM Courts and Tribunals Service (HMCTS) if you want to complain about the quality of service you received.

    ", + "

    Legislation and previous decisions

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal must follow the rules in the Tribunal Procedure (First-tier Tribunal) (Property Chamber) Rules 2013.

    ", + "

    Rent disputes

    ", + "

    The tribunal will make a decision based on the:

    ", + "
  • Rent Act 1977
  • ", + "
  • Rent Acts (Maximum Fair Rent) Order 1999 - this limits the amount of rent that can be charged
  • ", + "
  • Local Government and Housing Act 1989 - this covers long leases at low rent
  • ", + "
  • Housing Act 1988
  • ", + "

    Park homes

    ", + "

    The tribunal will make a decision based on the:

    ", + "
  • Caravan Sites and Control of Development Act 1960
  • ", + "
  • Mobile Homes Act 1983
  • ", + "

    Leasehold disputes

    ", + "

    The tribunal will make a decision based on the:

    ", + "
  • Landlord and Tenant Act 1985
  • ", + "
  • Landlord and Tenant Act 1987
  • ", + "
  • Commonhold and Leasehold Reform Act 2002
  • ", + "

    Rent repayment orders

    ", + "

    The tribunal will make a decision based on part 2, chapter 4 of the Housing and Planning Act 2016.

    ", + "

    \u2018Housing Act 2004\u2019 appeals

    ", + "

    The tribunal will make a decision based on Housing Act 2004 in certain cases. See:

    ", + "
  • part 1, chapter 2 for the law on improvement notices and prohibition orders
  • ", + "
  • part 1, chapter 4 for the law on demolition orders
  • ", + "
  • part 1, chapter 3 for the law on emergency remedial notices or emergency prohibition orders
  • ", + "
  • part 2 for the law on licensing houses in multiple occupation
  • ", + "
  • part 3 for the law on selective licensing
  • ", + "
  • part 4, chapter 2 for the law on empty dwelling management orders
  • ", + "

    Leasehold enfranchisement

    ", + "

    The tribunal will make a decision based on the:

    ", + "
  • Leasehold Reform, Housing and Urban Development Act 1993
  • ", + "
  • Leasehold Reform Act 1967
  • ", + "
  • Commonhold and Leasehold Reform Act 2002
  • ", + "
  • Landlord and Tenant Act 1987
  • " + ] + }, + { + "title": "Staying in touch with someone in prison", + "url": "https://www.gov.uk/staying-in-touch-with-someone-in-prison", + "contents": [ + "

    Letters, video and telephone calls

    ", + "

    Letters

    ", + "

    You can contact a prisoner by writing to them. Write the person\u2019s prisoner number on the envelope. Normally there\u2019s no limit on the number of letters you can send.

    ", + "

    Most letters sent to and from prison are checked by prison staff.

    ", + "

    Prisons cannot open letters from solicitors and courts except in special cases, for example if they suspect a letter is not really from a legal adviser.

    ", + "

    You can complain to the prison if you think your letters are being read when they should not be, or if your letters are not reaching the prisoner.

    ", + "

    Video calls

    ", + "

    You can make video calls to people in some prisons using your mobile phone or tablet.

    ", + "

    Video calls are free at the moment. This is because of coronavirus (COVID-19).

    ", + "

    Calls can last up to 30 minutes. A prisoner is allowed 1 video call a month.

    ", + "

    Who can call

    ", + "

    You must be over 18 and on the prisoner\u2019s list of friends and family.

    ", + "

    You can invite up to 3 other people (of any age) on the call if they are on the prisoner\u2019s visitor list.

    ", + "

    How to call

    ", + "
  • Find out if the prison offers video calls.
  • ", + "
  • Install an app on your phone or tablet (it can take up to 24 hours for your account on the app to be verified).
  • ", + "
  • Check if everyone who wants to join the call is on the prisoner\u2019s list of friends and family.
  • ", + "
  • Request a video call using the app or ask the prisoner to request a call.
  • ", + "
  • Prison staff will schedule the call and send confirmation by email.
  • ", + "

    All video calls are recorded. Prison staff may watch video calls while they are happening.

    ", + "

    Telephone calls

    ", + "

    The prisoner has to call you using a prison phone.

    ", + "

    They can only call people named on their list of friends and family. This list is checked by security when they first arrive so it may take a few days before they\u2019re able to call.

    ", + "

    Prison staff can listen to and record most types of call. Some calls are not monitored, for example when a prisoner calls a legal adviser.

    ", + "

    You can also exchange voice messages with a prisoner using the Prison Voicemail service.

    ", + "

    Email and social media

    ", + "

    Prisoners are not allowed to access social networking websites (such as Facebook or Twitter) while they\u2019re in custody.

    ", + "

    You cannot email prisoners directly, but you can use a service called Email a Prisoner. If you send a message this way, it\u2019ll be printed out and delivered by prison staff. Each email costs 40p and you need to buy credit to use the service.

    ", + "

    In some prisons, prisoners can also reply and attach a photo through Email a Prisoner. Check which prisons allow replies.

    ", + "

    Banned items

    ", + "

    You must not send or give anything to a prisoner that:

    ", + "
  • is indecent or obscene
  • ", + "
  • threatens the security of the prison
  • ", + "
  • is written in code
  • ", + "

    You must not take anything written by a prisoner that they want to publish and be paid for.

    ", + "

    It\u2019s a criminal offence to send or give a prisoner:

    ", + "
  • illegal drugs
  • ", + "
  • alcohol
  • ", + "
  • weapons
  • ", + "
  • a camera
  • ", + "
  • a mobile phone
  • ", + "

    Contact the prison if you\u2019re unsure what you can send or give.

    ", + "

    Sending money

    ", + "

    You can send money to someone in prison by making an online payment by Visa, Mastercard and Maestro debit card.

    ", + "

    The money is paid into the prisoner\u2019s account - a basic cash account they can use to send and receive money.

    ", + "

    You can no longer send money by bank transfer, cheque, postal order or send cash by post to any prison. You\u2019ll need to use a debit card instead.

    ", + "

    If you cannot make an online payment

    ", + "

    You may be able to apply for an exemption - for example if you:

    ", + "
  • are unable to use a computer, a smart phone or the internet
  • ", + "
  • do not have a debit card
  • ", + "

    This will allow you to send money by post.

    ", + "

    You can also find out how to get a debit card by setting up a basic bank account.

    ", + "

    Visiting someone in prison

    ", + "

    You can normally visit partners and close family members in some prisons. There are restrictions because of coronavirus (COVID-19).

    ", + "

    Find out which prisons are open for visits and what you need to do.

    ", + "

    You can only visit a prisoner if they\u2019ve added you to their visitor list. The prison will contact you once you\u2019re on this list.

    ", + "

    Get help with the cost of visiting someone

    ", + "

    You might be able to get help paying for a prison visit, for example travel costs, if you\u2019re receiving certain benefits.

    ", + "

    How often you can visit someone in prison

    ", + "

    A convicted prisoner is usually allowed at least two 1-hour visits every 4 weeks.

    ", + "

    A prisoner on remand (waiting for their trial) is allowed three 1-hour visits a week.

    ", + "

    You can find out more about the exact rules on visits on the prison information page of the prison you\u2019re visiting.

    " + ] + }, + { + "title": "Types of prison sentences", + "url": "https://www.gov.uk/types-of-prison-sentence", + "contents": [ + "

    Concurrent and consecutive sentences

    ", + "

    If someone\u2019s convicted of committing more than one crime, they\u2019re usually given a sentence for each crime.

    ", + "

    Concurrent sentences are served at the same time.

    ", + "

    Consecutive sentences are served one after the other, for example a 6 month sentence followed by a 3 month sentence.

    ", + "

    The judge (or magistrate) tells the person what type of sentence they get and how it must be served.

    ", + "

    Suspended prison sentences

    ", + "

    A \u2018suspended\u2019 prison sentence is carried out in the community.

    ", + "

    The person has to meet certain conditions, for example:

    ", + "
  • having to stay away from a certain place or person
  • ", + "
  • doing unpaid work - called \u2018Community Payback\u2019
  • ", + "

    If the person breaks the conditions of their sentence they can be sent to prison.

    ", + "

    Determinate prison sentences - fixed length of time

    ", + "

    A \u2018determinate\u2019 prison sentence is for a fixed length of time.

    ", + "

    If the sentence is for 12 months or more

    ", + "

    For prison sentences of 12 months or more the person spends the first half of the sentence in prison and the second half in the community \u2018on licence\u2019.

    ", + "

    If they break any licence conditions, for example they commit another crime, they could go back to prison.

    ", + "

    If the sentence is under 12 months

    ", + "

    For prison sentences under 12 months, the person\u2019s normally released automatically halfway through.

    ", + "

    Indeterminate prison sentences - no fixed length of time

    ", + "

    An \u2018indeterminate\u2019 prison sentence does not have a fixed length of time.

    ", + "

    This means:

    ", + "
  • no date is set when the person will be released
  • ", + "
  • they have to spend a minimum amount of time in prison (called a \u2018tariff\u2019) before they\u2019re considered for release
  • ", + "

    The Parole Board is responsible for deciding if someone can be released from prison.

    ", + "

    Indeterminate sentences are given if a court thinks an offender is a danger to the public.

    ", + "

    Life sentences

    ", + "

    If a person\u2019s found guilty of murder, a court must give them a life sentence.

    ", + "

    A court may choose to give a life sentence for serious offences like:

    ", + "
  • rape
  • ", + "
  • armed robbery
  • ", + "

    A life sentence lasts for the rest of a person\u2019s life \u2013 if they\u2019re released from prison and commit another crime they can be sent back to prison at any time.

    ", + "

    Whole life term

    ", + "

    A whole life term means there\u2019s no minimum term set by the judge, and the person\u2019s never considered for release.

    ", + "

    Sentences for young people

    ", + "

    People under 18 get different sentences to adults.

    ", + "

    Detention and Training Order

    ", + "

    A Detention and Training Order can be given to someone aged between 12 and 17.

    ", + "

    They last between 4 months and 2 years.

    ", + "

    The first half of a Detention and Training Order is served in custody, the second half is served in the community.

    ", + "

    Violent or sexual crimes

    ", + "

    For severe crimes - usually violent or sexual - young people can get an \u2018extended sentence\u2019. They could spend a long time in custody, and when released they\u2019ll be put under supervision for a long time (for example being tagged).

    ", + "

    Murder

    ", + "

    For murder, the court sets the minimum amount of time to be spent in custody. The young person can\u2019t apply for parole before this time.

    ", + "

    When released, the young person will be kept under supervision for the rest of their life.

    ", + "

    Other serious crimes

    ", + "

    Sometimes the sentence for a young person can last as long as the sentence for an adult for the same offence (but not longer). This includes life sentences.

    " + ] + }, + { + "title": "Prison life", + "url": "https://www.gov.uk/life-in-prison", + "contents": [ + "

    Arriving at prison

    ", + "

    When someone arrives at prison they have at least one interview and assessment with a qualified professional so they:

    ", + "
  • know what their rights are
  • ", + "
  • get help with their physical and mental health, for example with sexual health or drug and alcohol problems
  • ", + "
  • are told what courses they can do in prison
  • ", + "
  • understand prison rules and procedures
  • ", + "

    The prisoner gets a prisoner number and their property is recorded and put somewhere safe until they\u2019re released.

    ", + "

    Security categories

    ", + "

    Prisoners are given a security category based on:

    ", + "
  • how likely they are to try to escape
  • ", + "
  • their risk of causing harm to other prisoners and prison staff
  • ", + "

    A prisoner may be transferred to another prison with a different security category at any time.

    ", + "

    Prisoner privileges and rights

    ", + "

    Prisoners who follow rules can earn privileges. This is called the \u2018Incentives and Earned Privileges Scheme\u2019. A prisoner may be able to:

    ", + "
  • get more visits from family or friends
  • ", + "
  • be allowed to spend more money each week
  • ", + "

    Privileges are different in each prison - staff can explain to the prisoner how the scheme works.

    ", + "

    Rights

    ", + "

    Prisoners have rights, including:

    ", + "
  • protection from bullying and racial harassment
  • ", + "
  • being able to get in contact with a solicitor
  • ", + "
  • healthcare - including support for a mental health condition
  • ", + "

    All prisoners should be able to spend between 30 minutes and an hour outside in the open air each day.

    ", + "

    Punishments

    ", + "

    A prisoner who breaks prison rules is normally punished. They can be:

    ", + "
  • kept in their cell for up to\u00a021 days
  • ", + "
  • given up to 42 extra days in prison on top of their original sentence
  • ", + "

    The prison can take away privileges, for example removing a TV from a cell.

    ", + "

    Healthcare in prison

    ", + "

    Prisoners get the same healthcare and treatment as anyone outside of prison.

    ", + "

    Treatment is free but has to be approved by a prison doctor or member of the healthcare team.

    ", + "

    Prisons do not have hospitals, but many have in-patient beds.

    ", + "

    Most problems are dealt with by the healthcare team. If they cannot, the prison may:

    ", + "
  • get an expert to visit the prison
  • ", + "
  • arrange for treatment in an outside hospital
  • ", + "

    The healthcare team can ask the prisoner\u2019s family doctor for their records, but only if the prisoner agrees to it.

    ", + "

    Special help and support

    ", + "

    Prisoners can get specialist support, for example if they:

    ", + "
  • have drug or alcohol problems
  • ", + "
  • have HIV or AIDS
  • ", + "
  • are disabled or have a learning difficulty
  • ", + "

    Refusing medical treatment

    ", + "

    A prisoner can refuse treatment. However, the healthcare team may choose to give treatment if the prisoner is not capable of making decisions themselves (for example they have a mental health condition).

    ", + "

    Wherever possible, the healthcare team will discuss this with the prisoner\u2019s family first.

    ", + "

    Vulnerable prisoners

    ", + "

    Staff are trained to spot prisoners at risk of bullying, suicide or self-harm. The prisoner may get their own case manager who will make sure they:

    ", + "
  • are asked about their mental health, for example if they\u2019re feeling depressed
  • ", + "
  • get regular support from a health specialist
  • ", + "

    Most prisons also have \u2018listener schemes\u2019 that offer emotional support in confidence - normally from fellow prisoners.

    ", + "

    Psychiatric hospitals

    ", + "

    A prisoner can be moved to a secure psychiatric hospital for their own safety. This only happens if they meet certain conditions under the Mental Health Act.

    ", + "

    Once the prisoner gets better, they return to prison.

    ", + "

    If you\u2019re worried about a prisoner

    ", + "

    If you\u2019re worried about a prisoner:

    ", + "
  • tell a member of prison staff when you visit
  • ", + "
  • contact the prison\u2019s \u2018Safer Custody Team\u2019
  • ", + "

    Some prisons run confidential Safer Custody hotlines where you can leave a message explaining your concerns. Find a prison and check the contact section for details.

    ", + "

    Pregnancy and childcare in prison

    ", + "

    Women who give birth in prison can keep their baby for the first 18 months in a mother and baby unit.

    ", + "

    A prisoner with a child under 18 months old can apply to bring their child to prison with them.

    ", + "

    Social Services arrange for children over 18 months to be cared for (for example by the prisoner\u2019s parents, or fostering).

    ", + "

    Applying for a place in a mother and baby unit

    ", + "
  • The prisoner can apply for a space in a mother and baby unit when they enter prison.
  • ", + "
  • An admissions board will decide if it\u2019s the best thing for the child.
  • ", + "
  • If there are no places in the prison the mother first goes to, they may be offered a place in another unit.
  • ", + "
  • If there are no spaces in any unit, arrangements must be made for the child to be cared for outside prison.
  • ", + "
  • If the mother is refused a place they can appeal - the prison will explain how.
  • ", + "
  • Separation plans are made when the mother enters prison if the child will reach 18 months before her sentence is over.
  • ", + "

    For prisoners with sentences of 18 months or over, arrangements are normally made for the child to be cared for outside prison.

    ", + "

    Prisons with mother and baby units

    ", + "

    The following prisons have mother and baby units:

    ", + "
  • Bronzefield
  • ", + "
  • Eastwood Park
  • ", + "
  • Styal
  • ", + "
  • New Hall
  • ", + "
  • Peterborough
  • ", + "
  • Askham Grange
  • ", + "

    Education and work in prison

    ", + "

    Courses are normally available to help prisoners get new skills, for example learning to read and write, use computers and do basic maths. Most prisoners get an Individual Learning Plan listing courses and training.

    ", + "

    Qualifications and skills

    ", + "

    Most courses lead to qualifications that are recognised by employers outside prison, for example GCSEs or NVQs. Prisoners may be able to do a distance learning course, for example Open University.

    ", + "

    A prisoner can learn skills, for example woodwork, engineering or gardening.

    ", + "

    Working in prison

    ", + "

    Many prisoners get the chance to work while carrying out their sentence, for example making clothes and furniture or electrical engineering.

    ", + "

    This is done in prison workshops and is normally paid work.

    ", + "

    Prisoners can also work around the prison itself, for example in kitchens and laundries.

    ", + "

    A \u2018low-risk\u2019 prisoner may be allowed to work in the community.

    ", + "

    You can find out what education and work\nopportunities each prison offers.

    " + ] + }, + { + "title": "Leaving prison", + "url": "https://www.gov.uk/leaving-prison", + "contents": [ + "

    When someone can leave prison

    ", + "

    When a prisoner is released depends on:

    ", + "
  • the length of their sentence
  • ", + "
  • their behaviour in prison
  • ", + "
  • any time spent on remand (waiting for their trial)
  • ", + "

    If the prisoner has a fixed term (determinate) sentence

    ", + "

    A prisoner serving a determinate sentence is normally released automatically halfway through their sentence.

    ", + "

    If their sentence is 12 months or more, they\u2019ll be released on probation.

    ", + "

    A Parole Board is not involved.

    ", + "

    When a Parole Board reviews a case

    ", + "

    Prisoners can apply for parole if they have an extended sentence, or a fixed-term sentence for:

    ", + "
  • 4 years or more
  • ", + "
  • a serious violent or sexual crime committed before 4 April 2005
  • ", + "

    If the prisoner has a non fixed term (indeterminate) or life sentence

    ", + "

    The government will apply for parole on the prisoner\u2019s behalf.

    ", + "

    Temporary release from prison

    ", + "

    A prisoner may be allowed to leave prison for short periods towards the end of their sentence - whatever its type or length.

    ", + "

    However, the prison will not release someone if it thinks they\u2019re a risk to the public or may commit more crime.

    ", + "

    Resettlement day release

    ", + "

    A resettlement day release lets a prisoner out during the day - for example to go on a training course to help them find work once they\u2019re released.

    ", + "

    Resettlement overnight release

    ", + "

    A resettlement overnight release lets a prisoner spend the night at the place they\u2019ll live at after they\u2019re released.

    ", + "

    Childcare resettlement licence

    ", + "

    A childcare resettlement licence lets a prisoner spend time with their child. They can only apply for this if they\u2019ll be the sole carer of a child when they finish their prison sentence.

    ", + "

    Before someone leaves prison

    ", + "

    All prisoners get help preparing for life when they leave prison. In the last 12 weeks of their sentence, they\u2019re given advice and support on:

    ", + "
  • finding somewhere to live
  • ", + "
  • getting a job
  • ", + "
  • looking after money
  • ", + "

    Prisoners get additional support if they:

    ", + "
  • have abused substances (such as drugs or alcohol)
  • ", + "
  • are sex workers
  • ", + "
  • are the victim of domestic violence
  • ", + "

    Most prisoners spend the last few months of their sentence in a prison near where they plan to live.

    ", + "

    Support when someone leaves prison

    ", + "

    A person leaving prison may get the following financial support:

    ", + "
  • Universal Credit
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • help from your local council
  • ", + "
  • Scottish Welfare Fund in Scotland
  • ", + "
  • Discretionary Assistance Fund in Wales
  • ", + "

    Prisons may also work with organisations in their local area, such as charities, to help prisoners prepare for their release. You can find out about these organisations in the prison information pages.

    ", + "

    Useful websites

    ", + "

    There are organisations that can provide support for people leaving prison, including:

    ", + "
  • Nacro (previously National Association for the Care and Resettlement of Offenders)
  • ", + "
  • Prison Reform Trust
  • ", + "
  • The Hardman Directory
  • ", + "
  • Shelter
  • ", + "
  • Unlock
  • " + ] + }, + { + "title": "Getting parole", + "url": "https://www.gov.uk/getting-parole", + "contents": [ + "

    Overview

    ", + "

    Getting parole means you can leave prison or be released from custody before the end of your sentence. You\u2019ll be kept under supervision, known as being \u2018on licence\u2019 or probation.

    ", + "

    You may be released or transferred to an open prison (\u2018open conditions\u2019).

    ", + "

    The rules are different in Scotland, Northern Ireland or if you\u2019re a young offender.

    ", + "

    The government will apply for parole on your behalf - you do not have to do anything.

    ", + "

    When you\u2019re eligible for parole

    ", + "

    When you\u2019re eligible for parole depends on what type of sentence you have.

    ", + "

    Life or indeterminate sentence

    ", + "

    You\u2019ll be contacted either:

    ", + "
  • 3 years before your earliest release date (\u2018tariff\u2019) runs out if you\u2019re serving a sentence of 4 years or more
  • ", + "
  • at least 6 months before your tariff runs out if you\u2019re serving a shorter sentence
  • ", + "

    Extended or fixed-term sentences

    ", + "

    You\u2019ll be contacted up to 6 months before your earliest release date if you have either:

    ", + "
  • an extended sentence
  • ", + "
  • a fixed-term sentence of 4 years or more, given before 3 December 2012 for a serious violent or sexual crime committed before 4 April 2005
  • ", + "

    You\u2019re not eligible for parole if your sentence is less than 4 years.

    ", + "

    What happens next

    ", + "
  • You\u2019ll get an application form to fill in. Ask a friend for help if you need to. You can also use a legal advisor.
  • ", + "
  • The prison will put together some documents. They\u2019ll include what you\u2019ve done in prison and what you plan to do on release.
  • ", + "
  • Check that the documents are correct. You can add evidence (\u2018representations\u2019) showing why you should be released.
  • ", + "
  • The Parole Board will decide either that you cannot be released or that your case needs a hearing. You may have to represent yourself if you cannot get legal aid or do not have a solicitor.
  • ", + "

    It usually takes 6 months to get a decision about your case.

    ", + "

    Your case will be reviewed again within 2 years if you do not get parole.

    ", + "

    Challenge the Parole Board\u2019s decision

    ", + "

    You may be able to challenge the Parole Board\u2019s decision.

    ", + "

    Parole Board hearing

    ", + "

    You may have to go to a hearing before the Parole Board can make a decision.

    ", + "

    You\u2019ll get a hearing if:

    ", + "
  • the Parole Board thinks there\u2019s a realistic prospect of you being released or moved to open conditions
  • ", + "
  • they need more evidence from you because the file did not give them what they needed
  • ", + "
  • for any other reason, the Board thinks it would be fair to give you an oral hearing
  • ", + "

    You\u2019ll be told when and how the hearing will be held.

    ", + "

    Hearings and coronavirus (COVID-19)

    ", + "

    Because of coronavirus, most hearings are now taking place remotely - either by phone or video.

    ", + "

    If the Parole Board decides your case needs a face to face hearing, it will work with the prison to make arrangements for a safe hearing to take place.

    ", + "

    What happens at the hearing

    ", + "

    Up to 3 members of a panel will decide whether to release you based on a file of documents the prison puts together. This includes:

    ", + "
  • your behaviour in prison
  • ", + "
  • what you plan to do once released
  • ", + "
  • whether you\u2019re likely to commit more crime or are a danger to the public
  • ", + "
  • why you\u2019re in prison
  • ", + "
  • previous offences
  • ", + "
  • what the judge said when you were sentenced
  • ", + "
  • the victim statement - this may be read at the hearing
  • ", + "
  • medical, psychiatric and psychological evidence
  • ", + "

    Who\u2019ll be at the hearing

    ", + "

    You must usually attend the Parole Board hearing.

    ", + "

    There will be other people at the hearing, for example:

    ", + "
  • your solicitor (you may need to represent yourself at the hearing if you cannot get legal aid or do not have a solicitor)
  • ", + "
  • a prison psychologist
  • ", + "
  • the victim (when they\u2019re reading their victim statement)
  • ", + "
  • the victim liaison officer
  • ", + "
  • witnesses
  • ", + "

    What happens next

    ", + "

    The Parole Board will write to you with their decision. The hearing and full decision will be kept private.

    ", + "

    You may be able to challenge the decision.

    ", + "

    Represent yourself at the hearing

    ", + "

    You\u2019ll have to represent yourself at the Parole Board hearing if you do not use a solicitor.

    ", + "

    Check if you can get legal aid to help pay for a solicitor.

    ", + "

    Read more detailed information about representing yourself at a hearing.

    ", + "

    Help and advice

    ", + "

    Ask the Offender Management Unit in your prison to give you the name and number of the case manager handling your case.

    ", + "

    You can also get help from:

    ", + "
  • Prisoners Advice Service
  • ", + "
  • Howard League
  • ", + "
  • Prison Reform Trust
  • ", + "
  • your prisoner offender supervisor, offender manager or case administrator
  • ", + "
  • a solicitor
  • ", + "

    You can also contact the Parole Board for help and advice.

    ", + "

    Your family and friends can also get support.

    ", + "

    Challenge a decision

    ", + "

    You can challenge a Parole Board decision that was made on or after 22 July 2019. You cannot challenge a decision made before 22 July 2019, but you can apply for judicial review.

    ", + "

    You can challenge a Parole Board decision if you think:

    ", + "
  • your parole was not reviewed correctly, for example important information was not given to the Parole Board
  • ", + "
  • the decision was unreasonable
  • ", + "

    The Parole Board will decide if the decision needs to be reconsidered, and if there needs to be a new hearing.

    ", + "

    Ask your lawyer if you can get criminal legal aid to help pay for the costs of challenging a decision.

    ", + "

    If the Parole Board refuses to reconsider the decision you can apply for judicial review.

    " + ] + }, + { + "title": "Probation", + "url": "https://www.gov.uk/guide-to-probation", + "contents": [ + "

    Overview

    ", + "

    Probation means you\u2019re serving your sentence but you\u2019re not in prison.

    ", + "

    You could be put on probation because:

    ", + "
  • you\u2019re serving a community sentence
  • ", + "
  • you have been released from prison on licence or on parole
  • ", + "

    While on probation, you may have to:

    ", + "
  • do unpaid work
  • ", + "
  • complete an education or training course
  • ", + "
  • get treatment for addictions, like drugs or alcohol
  • ", + "
  • have regular meetings with an \u2018offender manager\u2019
  • ", + "

    Meetings with your offender manager

    ", + "

    When you\u2019re on probation you may have meetings with your offender manager. This will usually happen at your local probation office.

    ", + "

    At your first meeting your offender manager will explain:

    ", + "
  • the rules of your probation
  • ", + "
  • the dates, times and places of future meetings
  • ", + "
  • any appointments you must go to, for example training courses or treatment
  • ", + "
  • what happens if you do not do what you are asked
  • ", + "

    Your offender manager will ask you to read and agree to a \u2018sentence plan\u2019. This will tell you the rules you have to stick to during your probation and what your responsibilities are.

    ", + "

    What you must tell your offender manager

    ", + "

    You must tell your offender manager if:

    ", + "
  • you plan to change your name or address
  • ", + "
  • you will not be able to make any meetings you have arranged with them
  • ", + "
  • you\u2019re having problems sticking to the rules of your probation
  • ", + "

    If you miss a scheduled meeting with your offender manager, you should get in touch and tell them why. You may need to provide proof, like a letter from a doctor or your employer.

    ", + "

    You are allowed to miss meetings or appointments to attend religious or other important events if you give your offender manager advance notice.

    ", + "

    If you break the rules of your probation

    ", + "

    You could go back to court if you break any rules of your probation. For example, if you:

    ", + "
  • do something your sentence bans you from doing
  • ", + "
  • commit another crime
  • ", + "
  • miss meetings and appointments without a good reason
  • ", + "
  • behave in an aggressive, racist or other unacceptable way at a meeting or appointment
  • ", + "

    You can also be taken back to prison if you break the conditions of your licence or parole.

    ", + "

    Being taken back to prison

    ", + "

    You can be taken straight back to prison if you have been released on licence or parole and you break the rules of your probation. This is known as a \u2018recall\u2019. Your offender manager will tell you why you\u2019ve been recalled.

    ", + "

    There are three types of recalls.

    ", + "

    Fixed-term recalls

    ", + "

    You\u2019ll be sent back to prison for either:

    ", + "
  • 14 days - if your original sentence was less than 12 months
  • ", + "
  • 28 days - if your original sentence was 12 months or more
  • ", + "

    When you\u2019re released you\u2019ll be back on probation and licence until the end of your sentence.

    ", + "

    Standard recalls

    ", + "

    You\u2019ll go back to prison until the end of your sentence, unless a parole board or the Secretary of State for Justice decide to release you.

    ", + "

    Your case will be sent to a parole board automatically after 28 days. They will either release you straight away or set a date (within 1 year) when you can be released on licence.

    ", + "

    Your offender manager can also review your case at any time and recommend to the Secretary of State that you should be released.

    ", + "

    Indeterminate sentence recalls

    ", + "

    Your case will be sent to a parole board either:

    ", + "
  • 28 days after you go back to prison
  • ", + "
  • within 12 months of your last parole board review
  • ", + "

    The parole board will do one of the following:

    ", + "
  • release you on licence immediately
  • ", + "
  • set a date when you\u2019ll be released on licence
  • ", + "
  • keep you in prison
  • ", + "
  • ask you to attend a hearing
  • ", + "
  • delay making a decision about your sentence until they have more information
  • ", + "

    Ask to be released again on probation

    ", + "

    If you have been taken back to prison and think you should be released on probation again, ask the prison in writing. This is called \u2018making representations\u2019.

    ", + "

    You can also ask a family member, friend or legal adviser to write to the prison for you.

    ", + "

    You must do this within 2 weeks of being told why you are being recalled to prison.

    " + ] + }, + { + "title": "After a crime: your rights", + "url": "https://www.gov.uk/your-rights-after-crime", + "contents": [ + "

    Your rights

    ", + "

    You have the right to contact the police and be kept informed about the investigation if you\u2019re:

    ", + "
  • the victim of a crime
  • ", + "
  • a close relative of someone who died because of a crime - for example their partner, child or sibling
  • ", + "

    You have different rights if you\u2019re the victim of a crime in Scotland or Northern Ireland.

    ", + "

    When you report the crime

    ", + "

    The police must give you:

    ", + "
  • written confirmation of the crime you\u2019ve reported
  • ", + "
  • a crime reference number
  • ", + "
  • contact details for the police officer dealing with your case
  • ", + "

    They must also:

    ", + "
  • tell you clearly what will happen next
  • ", + "
  • tell you how often they\u2019ll give you an update on their investigation
  • ", + "
  • carry out a \u2018needs assessment\u2019 to find out what support you should get
  • ", + "
  • ask a victim support organisation to contact you within 2 days
  • ", + "

    They must also ask if you want to write a statement about how the crime has affected you. This is called a \u2018victim personal statement\u2019. It can be used later when the court is deciding on a punishment.

    ", + "

    During the police investigation

    ", + "

    The police must give you updates on their investigation, and tell you within 5 days when a suspect is:

    ", + "
  • arrested or charged
  • ", + "
  • set free or released on bail
  • ", + "
  • given a caution, reprimand, final warning, or penalty notice
  • ", + "

    When the police have finished their investigation, they can pass the information to the Crown Prosecution Service (CPS) who then decide if there\u2019s enough evidence to take the case to court.

    ", + "

    If the police or the CPS decide to drop the charge, they must tell you within 5 days. You can ask for a review if you disagree with their decision.

    ", + "

    Privacy

    ", + "

    The police might give some information about the crime to the media to help with the investigation. They\u2019ll normally ask your permission before they do this.

    ", + "

    If you\u2019ve been the victim of a sexual assault or rape, it\u2019s against the law for anyone to publish your name, photo or anything else that could identify you.

    ", + "

    If the case goes to court

    ", + "

    Your local Crown Prosecution Service (CPS) must tell you immediately where and when the trial will be.

    ", + "

    If you\u2019re asked to give evidence, the police will pass your details to a Witness Care Officer who will support you before and during the trial.

    ", + "

    If the defendant is found guilty, you may be able to read your victim personal statement to them.

    ", + "

    After the trial ends, your Witness Care Officer must tell you:

    ", + "
  • the verdict - within 24 hours
  • ", + "
  • what sentence the offender gets - if they\u2019re found guilty
  • ", + "
  • if the offender appeals their conviction or sentence
  • ", + "

    You can also:

    ", + "
  • claim compensation - if the crime was violent
  • ", + "
  • get free help and advice from the Victims\u2019 Information Service or Victim Contact Scheme
  • ", + "
  • meet the offender (\u2018restorative justice\u2019) - contact your local victim support organisation to arrange this
  • ", + "

    If the crime was serious or you're vulnerable

    ", + "

    You may get extra support if you:

    ", + "
  • are the victim of a serious crime
  • ", + "
  • are under 18
  • ", + "
  • have a mental health condition or lack mental capacity
  • ", + "
  • have a disability
  • ", + "
  • are a close relative of someone who died because of a crime - for example their partner, child or sibling
  • ", + "
  • have been a victim of crime repeatedly - for example you\u2019re being targeted, harassed or stalked
  • ", + "

    Serious crimes

    ", + "

    You\u2019re the victim of a serious crime if it was:

    ", + "
  • arson with intent to endanger life
  • ", + "
  • attempted murder
  • ", + "
  • domestic abuse
  • ", + "
  • kidnapping or false imprisonment
  • ", + "
  • a hate crime
  • ", + "
  • human trafficking
  • ", + "
  • a sexual offence
  • ", + "
  • terrorism
  • ", + "
  • wounding or grievous bodily harm with intent
  • ", + "

    What support you\u2019ll get

    ", + "

    You\u2019re entitled to:

    ", + "
  • get information quicker - usually within 24 hours
  • ", + "
  • protection in court if you need to give evidence
  • ", + "
  • specialist help and advice
  • ", + "
  • a Family Liaison Officer - if you\u2019re a close relative of the victim
  • ", + "

    Contact the police officer dealing with your case or your local Crown Prosecution Service (CPS) about getting this extra help.

    ", + "

    Make a complaint

    ", + "

    You can complain if you\u2019ve been:

    ", + "
  • treated unprofessionally, disrespectfully or insensitively
  • ", + "
  • discriminated against
  • ", + "

    The Victim\u2019s Code has full details of how the police, Crown Prosecution Service (CPS) and other organisations should treat you if you\u2019re the victim of crime.

    ", + "

    Make your complaint to the organisation you want to complain about. For example:

    ", + "
  • the police
  • ", + "
  • the CPS or your Witness Care Officer
  • ", + "
  • the court
  • ", + "

    The organisation must confirm they\u2019ve received your complaint within 10 days.

    ", + "

    If you do not agree with the decision

    ", + "

    You can complain to the Parliamentary and Health Service Ombudsman if you do not agree with the decision about your complaint.

    " + ] + }, + { + "title": "Claim compensation if you were the victim of a violent crime", + "url": "https://www.gov.uk/claim-compensation-criminal-injury", + "contents": [ + "

    Overview

    ", + "

    You might be able to claim compensation if you were the victim of a violent crime. This includes if:

    ", + "
  • you were injured
  • ", + "
  • a close relative died
  • ", + "
  • you saw the crime happen to a loved one (or were there immediately afterwards)
  • ", + "
  • you paid for the funeral of a person who died
  • ", + "

    You usually have to claim within 2 years of the crime. The crime must be reported to the police before you apply.

    ", + "

    It does not cost anything to apply.

    ", + "

    If you were injured trying to stop a crime

    ", + "

    You might also be able to claim compensation if you were taking a \u2018justified and exceptional\u2019 risk trying to stop a crime. For example somebody was in danger and it was not a situation that you were trained to deal with.

    ", + "

    Get practical and emotional support

    ", + "

    Visit Victim and Witness information if you\u2019re in England and Wales.

    ", + "

    Get support as a victim or witness of crime in Scotland.

    ", + "

    You can also get help and advice from your trade union.

    ", + "

    Eligibility

    ", + "

    The crime must have happened in England, Wales or Scotland. It must be reported to the police.

    ", + "

    The process is different if the crime happened in Northern Ireland or in another country.

    ", + "

    When you can claim

    ", + "

    In most cases you must apply within 2 years of the crime happening.

    ", + "

    You may be able to claim for a crime that happened more than 2 years ago if one or both of the following apply:

    ", + "
  • you\u2019re claiming because of childhood sexual or physical abuse
  • ", + "
  • you could not claim earlier, for example because your mental or physical health stopped you
  • ", + "

    You may also be able to claim if the crime happened before 1 October 1979 and you lived with the attacker as a family member at the time of the incident. This was known as the \u2018same roof\u2019 rule and has changed.

    ", + "

    Your nationality

    ", + "

    You must have been one of the following when the crime happened:

    ", + "
  • a British citizen or EU or EEA national (or their close relative)
  • ", + "
  • a family member of an EU or EEA national who has the right to be in the UK
  • ", + "
  • a member of the armed forces (or you\u2019re a close relative living in their household)
  • ", + "
  • a potential victim of human trafficking on or before the date of your application - this must be confirmed by the UK Human Trafficking Centre and UK Visas and Immigration
  • ", + "
  • an asylum seeker
  • ", + "
  • a national of a country that has signed up to the Council of Europe Convention on the Compensation of Victim of Violent Crimes
  • ", + "

    You\u2019re also eligible if you were \u2018ordinarily resident\u2019 in the UK at the time of the crime. This depends on your connection to the UK, for example if you were living, working or studying there (or you were the family member of someone who was).

    ", + "

    What you can get compensation for

    ", + "

    You can get compensation for:

    ", + "
  • physical injuries
  • ", + "
  • disabling mental injuries
  • ", + "
  • sexual or physical abuse
  • ", + "
  • the death of a close relative
  • ", + "
  • paying for someone\u2019s funeral
  • ", + "
  • loss of earnings and expenses
  • ", + "

    Disabling mental injuries

    ", + "

    A disabling mental injury is something that significantly affects your day-to-day performance at work or school, your relationships, or your sexual relationships. Mental injuries must be diagnosed by a psychiatrist or clinical psychologist.

    ", + "

    Loss of earnings and expenses

    ", + "

    You might get compensation for loss of earnings, or paid expenses to cover the cost of:

    ", + "
  • care, home adaptations or mobility aids
  • ", + "
  • damage to physical aids, such as dentures, walking sticks or glasses
  • ", + "

    You usually have to be unable to work or have very limited ability to work for 28 weeks or longer to be eligible.

    ", + "

    You will not be paid loss of earnings for the first 28 weeks you were unable to work.

    ", + "

    You must have been employed when the crime happened or for the 3 years immediately before it. If you were not employed, you might still be eligible if you could not work, for example because you were in full-time education, retired or caring for someone.

    ", + "

    Make a claim

    ", + "

    You can claim for compensation online.

    ", + "

    If the crime happened between 1 August 1964 and 30 September 1979 and you lived with the attacker as a family member at the time of the incident, you can also request someone to call you to start your claim.

    ", + "

    When you make a claim to the Criminal Injuries Compensation Authority (CICA), you may need to provide:

    ", + "
  • the date and location of the crime
  • ", + "
  • the name of the police station where the crime was reported
  • ", + "
  • your crime reference number
  • ", + "
  • your GP\u2019s name and address
  • ", + "
  • your dentist\u2019s name and address (if you had dental treatment because of your injuries)
  • ", + "
  • details of any previous applications you\u2019ve made to CICA
  • ", + "
  • details of any unspent criminal convictions
  • ", + "

    If you deliberately provide information you know is wrong or misleading, you may be prosecuted and your application for compensation may be refused.

    ", + "

    You\u2019ll be asked if you\u2019ve tried to get compensation or other money you\u2019re entitled to, for example:

    ", + "
  • by claiming benefits
  • ", + "
  • through insurance payments
  • ", + "
  • from a civil court claim
  • ", + "
  • from a criminal court case (if the crime went to court)
  • ", + "

    You do not need to wait for the outcome of other claims before you apply.

    ", + "

    It does not cost anything to apply and you do not have to use a legal adviser.

    ", + "

    You cannot save your application and return to it later. The service will time out if you stop using it for 30 minutes or more.

    ", + "

    Make a claim

    ", + "

    Help making your application

    ", + "

    Contact the CICA helpline if you need help because you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can ask a friend or relative to make an application on your behalf.

    ", + "

    General enquiries

    ", + "

    Email info@cica.gov.uk if you have a question about the claims process.

    ", + "

    You cannot claim the cost of using a legal adviser.

    ", + "

    What happens next

    ", + "

    You\u2019ll get a reference number when you submit your claim. Use the reference number whenever you contact Criminal Injuries Compensation Authority (CICA) about your claim.

    ", + "

    Your claim will be assessed on:

    ", + "
  • the information you provided in your application
  • ", + "
  • information from the police, including the evidence you gave them
  • ", + "
  • your criminal record
  • ", + "
  • medical evidence (if it\u2019s needed)
  • ", + "

    CICA will contact you if they need more information and when they make a final decision.

    ", + "

    Medical evidence

    ", + "

    You\u2019ll be told if you need to provide a medical report. It can cost up to \u00a350.

    ", + "

    Contact CICA if you need help getting or paying for the medical report.

    ", + "

    You might also need to attend a psychological assessment if you\u2019re claiming compensation for mental injuries.

    ", + "

    If you\u2019re using a legal adviser

    ", + "

    If you and your legal adviser disagree about how much money you owe them, you normally will not be paid your compensation in full until you resolve this.

    ", + "

    Disagreeing with a decision

    ", + "

    Write to CICA and ask them to review a decision if you disagree with it.

    ", + "

    If you disagree with the outcome of CICA\u2019s review, you can appeal to the criminal injuries compensation tribunal.

    ", + "

    Update your claim

    ", + "

    Sign in to your account to finish your application.

    ", + "

    You need to contact Criminal Injuries Compensation Authority (CICA) if:

    ", + "
  • your contact or personal details change
  • ", + "
  • you stop using or change a legal adviser
  • ", + "
  • you get compensation or money from any other sources after you apply
  • ", + "

    If you applied by phone

    ", + "

    Call CICA to update your claim if you applied by phone.

    ", + "

    You\u2019ll need your reference number.

    ", + "

    If you\u2019re a victim who lived with the attacker before 1 October 1979

    ", + "

    The deadline to apply for compensation was 13 June 2021 if you were a victim of violent crime and:

    ", + "
  • the crime happened between 1 August 1964 and 30 September 1979
  • ", + "
  • you lived with the attacker as a family member at the time of the incident (this was known as the \u2018same roof\u2019 rule)
  • ", + "

    Claims made after the deadline

    ", + "

    You may still be able to claim if you can show you were unable to apply before 13 June 2021 and you either:

    ", + "
  • were a child at the time of the crime
  • ", + "
  • could not apply earlier because of exceptional circumstances (you must provide enough evidence so your claim can be decided without further extensive enquiries)
  • ", + "

    If you\u2019ve made a claim before

    ", + "

    If you\u2019ve made a claim before but it was refused or reduced because of the \u2018same roof\u2019 rule you can reapply for compensation if you\u2019re eligible. The \u2018same roof\u2019 rule does not apply anymore.

    ", + "

    How to make a claim

    ", + "

    You can request someone to contact you about your claim. You\u2019ll need to give some information like your name and contact details.

    ", + "

    A caseworker will contact you within 2 working days or on the next available day you\u2019ve selected on the form.

    ", + "

    Request someone to contact you

    ", + "

    Other ways to apply

    ", + "

    You can make a claim online or on the phone by calling Criminal Injuries Compensation Authority (CICA). You can also call CICA to arrange a time for someone to take your claim over the phone.

    " + ] + }, + { + "title": "Compensation after an accident or injury", + "url": "https://www.gov.uk/compensation-after-accident-or-injury", + "contents": [ + "

    Write a letter, complain or try mediation

    ", + "

    You can get compensation by taking legal action, but it could cost you money and you may not win your case against the person or organisation to blame.

    ", + "

    Writing a letter or making a complaint

    ", + "

    If it\u2019s not a serious injury, you may be able to solve the issue by writing a letter or making a complaint - use the complaints procedure if there is one.

    ", + "

    Explain what went wrong and tell them how much compensation you want or how they can make up for the injury.

    ", + "

    Using mediation

    ", + "

    You may want to use a mediation service to negotiate a settlement.

    ", + "

    There is usually a fee, but it can be cheaper, quicker and easier than going to court.

    ", + "

    Check your insurance policies

    ", + "

    You may already have insurance to pay for legal costs.

    ", + "
  • check your insurance policies (like motor, home contents or holiday insurance policies) to see if they include \u2018legal expenses insurance\u2019
  • ", + "
  • check if you have legal cover as a member of a trade union, or an organisation like the RAC or the AA
  • ", + "

    Policies normally only cover you for some types of legal problem and have other terms and conditions.

    ", + "

    \u2018After the event\u2019 insurance

    ", + "

    If you\u2019re not insured, you could take out insurance after the incident to protect yourself against a large legal bill.

    ", + "

    A solicitor can help you choose an \u2018after-the-event\u2019 insurance policy and may take it out on your behalf.

    ", + "

    If you win, you may be able to get some of the costs back from the losing side.

    ", + "

    Some insurance companies will not insure you if they think you\u2019re unlikely to succeed, and some policies are very expensive.

    ", + "

    Using a solicitor or a claims company

    ", + "

    You can\u2019t usually get legal aid for personal injury cases.

    ", + "

    A solicitor should advise you on costs before you agree to hire them.

    ", + "

    Get advice from Citizens Advice on what\u2019s involved in taking legal action and how much it will cost you.

    ", + "

    Claims companies

    ", + "

    Businesses known as claims companies can help you find a solicitor.

    ", + "

    Most claims handlers aren\u2019t solicitors, and so won\u2019t be able to represent you in court.

    ", + "

    Check that a claims company is authorised: business search.

    ", + "

    \u2018No win, no fee\u2019 deals

    ", + "

    If you use a \u2018no win, no fee\u2019 agreement, you will only have to pay the solicitor\u2019s fee if you win the case.

    ", + "

    You may still have to pay for some other costs, like:

    ", + "
  • fees to pay for experts
  • ", + "
  • court fees
  • ", + "
  • travelling expenses
  • ", + "

    If you lose, you will also have to pay for:

    ", + "
  • the other side\u2019s legal costs
  • ", + "
  • other expenses and charges, such as fees for witnesses
  • ", + "

    The solicitor may charge a fee for winning the case.

    " + ] + }, + { + "title": "Criminal injuries compensation tribunal", + "url": "https://www.gov.uk/criminal-injuries-compensation-tribunal", + "contents": [ + "

    Overview

    ", + "

    You can appeal to the First-tier Tribunal (Criminal Injuries Compensation) if you disagree with a decision by the Criminal Injuries Compensation Authority (CICA) on your claim for compensation.

    ", + "

    You may want to appeal if you\u2019re refused compensation or unhappy with the amount.

    ", + "

    The tribunal can:

    ", + "
  • uphold CICA\u2019s decision
  • ", + "
  • increase or reduce your award
  • ", + "
  • decide you should not get anything
  • ", + "
  • ask CICA to make the decision again
  • ", + "

    You have 90 days to appeal to the tribunal from the date of CICA\u2019s review decision. Explain why you\u2019re late if you miss the deadline, for example if you\u2019re waiting for medical reports.

    ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    You can contact Victim and Witness Information to find local help and support.

    ", + "

    You can represent yourself at the tribunal. To get help and advice before you appeal you can find a solicitor.

    ", + "

    Appeal to the tribunal

    ", + "

    Download and fill in the appeal form giving reasons why you disagree with the the Criminal Injuries Compensation Authority\u2019s (CICA\u2019s) decision.

    ", + "

    You must also provide:

    ", + "
  • the decision letter from CICA
  • ", + "
  • documents supporting your case, for example, medical records or evidence of loss of earnings
  • ", + "

    Send the form, decision letter and documents to the address on the form.

    ", + "

    Call or email the tribunal helpline if you have any questions about completing the form. The tribunal cannot give you legal advice.

    ", + "

    What happens next

    ", + "

    The tribunal will send a copy of your appeal form to the Criminal Injuries Compensation Authority (CICA). CICA will usually respond to you and the tribunal within 6 weeks.

    ", + "

    You\u2019ll have one month to get back to the tribunal with any extra information or arguments.

    ", + "

    How your appeal will be decided

    ", + "

    The tribunal will write to tell you if your appeal will be decided using either:

    ", + "
  • the paperwork in the case
  • ", + "
  • a hearing
  • ", + "

    You can ask the tribunal for a hearing if you\u2019re unhappy with not being given one.

    ", + "

    The tribunal judge\u2019s decision will be sent to you by post if your appeal is decided using paperwork.

    ", + "

    You\u2019ll be given at least 14 days\u2019 notice of any hearing.

    ", + "

    Hearings

    ", + "

    The hearing will usually be held in the area covered by the police force which investigated the crime.

    ", + "

    The hearing will be attended by:

    ", + "
  • 2 or 3 tribunal judges or members
  • ", + "
  • a clerk
  • ", + "
  • a representative from CICA
  • ", + "
  • any witnesses
  • ", + "

    A police officer who knows about your case may also attend if they can help the tribunal.

    ", + "

    Offenders do not usually attend tribunal hearings.

    ", + "

    What happens at a hearing

    ", + "

    You\u2019ll be asked questions about the crime and your injuries.

    ", + "

    You\u2019ll present your case to the judge - someone else can do this for you, for example a lawyer friend or family member.

    ", + "

    Witnesses will come into the hearing room to give evidence - they\u2019ll leave after they\u2019ve done that.

    ", + "

    You or your representative can ask questions during the hearing, and can make points at the end.

    ", + "

    You\u2019ll usually get the tribunal\u2019s decision on the day of the hearing.

    ", + "

    Expenses for going to the hearing

    ", + "

    The tribunal will send you information on how to claim expenses for going to the hearing, such as travel costs.

    ", + "

    If you lose your appeal

    ", + "

    There\u2019s no right of appeal but you may be able to ask for a \u2018judicial review\u2019 of the decision if you think the decision was wrong for a legal reason. This means they may hear the case again.

    ", + "

    Contact a solicitor for legal advice if you\u2019re unsure.

    ", + "

    Before you apply

    ", + "

    Before applying for a judicial review:

    ", + "
  • write to the tribunal, saying why you think the decision was wrong
  • ", + "
  • ask for written reasons for its decision
  • ", + "

    You must do this within 1 month of the date of the decision.

    ", + "

    How to apply - England and Wales

    ", + "

    You must get permission from the Upper Tribunal (Administrative Appeals Chamber) if you live in England or Wales.

    ", + "

    Fill in the judicial review claim form and return it to the address on the form.

    ", + "

    Find out more about appealing to the Upper Tribunal.

    ", + "

    How to apply - Scotland

    ", + "

    You must get permission from the Court of Session if you live in Scotland by using the application for leave to appeal form.

    ", + "

    Send the form to:

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    The tribunal will make a decision based on the Criminal Injuries Compensation Scheme 2012.

    ", + "

    Legislation

    ", + "

    The tribunal must follow the rules in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.

    ", + "

    Read the Practice Directions and Statements for more information.

    " + ] + }, + { + "title": "Get an injunction if you've been the victim of domestic abuse", + "url": "https://www.gov.uk/injunction-domestic-violence", + "contents": [ + "

    How to apply

    ", + "

    You can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:

    ", + "
  • protects you or your child from being harmed or threatened by the person who\u2019s abused you - this is called a \u2018non-molestation order\u2019
  • ", + "
  • decides who can live in the family home or enter the surrounding area - this is called an \u2018occupation order\u2019
  • ", + "

    The person named in the injunction can be arrested if they break it.

    ", + "

    Get advice on applying for an injunction from a charity, for example Refuge, Women\u2019s Aid, Citizens Advice or the Men\u2019s Advice Line.

    ", + "

    You may be able to get free legal representation.

    ", + "

    If you\u2019re in immediate danger of being abused or have been abused, report it to the police.

    ", + "

    Apply online

    ", + "

    You can use the RCJ Citizens Advice CourtNav service to prepare an injunction application online.

    ", + "

    You\u2019ll need to:

    ", + "
  • create an online account
  • ", + "
  • explain what happened to you
  • ", + "
  • include the name and address of the person who\u2019s abused you
  • ", + "

    As part of your application, you can choose a law firm to review it.

    ", + "

    If you\u2019re unable to get legal aid or pay for legal advice, your application can be sent back to a legal adviser at RCJ Citizens Advice to check for free.

    ", + "

    The legal adviser will tell you if you need to make a court application and how to submit one.

    ", + "

    Because of coronavirus (COVID-19), your hearing may take place over a video or phone call. If you need a face-to-face hearing, you\u2019ll need to explain why in your application.

    ", + "

    Apply by email or post

    ", + "

    Follow these steps to apply for an injunction by email or post.

    ", + "
  • Check if you\u2019re eligible to apply for a non-molestation order or an occupation order.
  • ", + "
  • Download and fill in the application form (form FL401) and make 2 copies.
  • ", + "
  • Write your witness statement telling the court what has happened and asking for the relevant order.
  • ", + "
  • At the bottom of the witness statement write a statement of truth. Use the following words: \u201cI believe that the facts stated in this witness statement are true.\u201d Sign and date the statement of truth.
  • ", + "
  • Download and fill in form C8 if you want to keep your address and telephone number private.
  • ", + "
  • Email or send all the documents to a court which deals with domestic abuse cases - there\u2019s no fee.
  • ", + "

    Many courts are closed because of coronavirus. You\u2019ll need to check that the court is open and staffed before you send in your application.

    ", + "

    Emergency orders

    ", + "

    If you need protection immediately, ask for an emergency order when you apply. You do not have to tell the person you want protection from that you\u2019re applying so it\u2019s known as a \u2018without notice\u2019 or \u2018ex-parte\u2019 application.

    ", + "

    The court will hold a hearing which you must attend. It may issue an order at the hearing.

    ", + "

    You\u2019ll still have to tell that person about your application after the order has been issued.

    ", + "

    An emergency order will usually last until your hearing.

    ", + "

    If you\u2019re 17 or under

    ", + "

    If you\u2019re under 16 you\u2019ll need permission to apply from the High Court.

    ", + "

    If you\u2019re 16 or 17 you\u2019ll need to appoint a \u2018litigation friend\u2019 to represent you in court \u2013 this is usually a parent, family member or close friend.

    ", + "

    After you\u2019ve applied

    ", + "

    After you\u2019ve applied you must arrange for the person you\u2019re applying to get an injunction against to be told about your application.

    ", + "

    Who can apply: non-molestation order

    ", + "

    You can usually apply if you\u2019re a victim of domestic abuse and the person you want to be protected from (\u2018the respondent\u2019) is:

    ", + "
  • someone you\u2019re having or have had a relationship with
  • ", + "
  • a family member
  • ", + "
  • someone you\u2019re living or have lived with
  • ", + "

    Check the following lists to make sure you can apply.

    ", + "

    If you\u2019re under 16 you need permission from the High Court to apply.

    ", + "

    Husband, wife, civil partner or other relationship

    ", + "

    You can apply if you\u2019re a victim of domestic abuse and the respondent is your:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • former husband, former wife or former civil partner
  • ", + "
  • fianc\u00e9, fianc\u00e9e or proposed civil partner
  • ", + "
  • former fianc\u00e9, former fianc\u00e9e or former proposed civil partner \u2013 if your engagement or agreement to form a civil partnership ended less than 3 years ago
  • ", + "
  • boyfriend, girlfriend, partner or a person you\u2019re in or have been in a relationship with for more than 6 months
  • ", + "

    If you were engaged to or had agreed to form a civil partnership with the respondent, you\u2019ll need to provide evidence, such as a ring or statement from a witness who attended a ceremony or celebration.

    ", + "

    Family member

    ", + "

    You can apply if the respondent is a close family member, for example a parent, brother, sister, aunt or uncle.

    ", + "

    People who have parental responsibility for your child or grandchild

    ", + "

    You can apply if you have a child or grandchild and the respondent is the child\u2019s parent or person you share parental responsibility with.

    ", + "

    If your child (or grandchild) has been adopted, you can also apply to get an injunction against their:

    ", + "
  • adoptive parent
  • ", + "
  • anyone who has applied to adopt them
  • ", + "
  • anyone the child has been placed with for adoption
  • ", + "

    You can also apply for an order against the child or grandchild if they\u2019ve been adopted.

    ", + "

    You can report anyone who abuses you to your neighbourhood police team.

    ", + "

    Who can apply: occupation order

    ", + "

    You can apply for an occupation order if you\u2019re a victim of domestic abuse and meet the requirements. The order will say who can live in the family home or enter the surrounding area.

    ", + "

    You can apply if:

    ", + "
  • you own or rent the home and it is, was, or was intended to be shared with a husband or wife, civil partner, cohabitant, family member, person you\u2019re engaged to or parent of your child
  • ", + "
  • you do not own or rent the home but you\u2019re married or in a civil partnership with the owner and you\u2019re living in the home (known as \u2018matrimonial home rights\u2019)
  • ", + "
  • your former husband, wife or civil partner is the owner or tenant, and the home is, was, or was intended to be your shared matrimonial home
  • ", + "
  • the person you cohabit or cohabited with is the owner or tenant, and the home is, was, or was intended to be your shared home
  • ", + "

    After you submit your application

    ", + "

    You\u2019ll be given a document called a \u2018Notice of Proceedings\u2019 by the court. This tells you when your court hearing will take place.

    ", + "

    Telling people about your application

    ", + "

    The court will send you back a sealed copy of your application. You must arrange for the sealed copy and your witness statement to be \u2018served\u2019 on the person named in the application. This means making sure they get a copy of the documents in person.

    ", + "

    Your solicitor will do this if you\u2019re using one or you can ask the court to serve the documents for free.

    ", + "

    Do not serve the documents yourself.

    ", + "

    Your court hearing

    ", + "

    Your hearing will be held in private (sometimes called \u2018in chambers\u2019). In most cases only you and the person you\u2019re applying for an injunction against, and any legal representatives, can attend. Read about what to expect when you go to a court hearing.

    ", + "

    Because of coronavirus (COVID-19), your hearing may take place over a video or phone call.

    ", + "

    The court will provide an interpreter if you asked for one when you applied for the injunction. They can translate what happens during the hearing but they cannot represent you or give you legal advice.

    ", + "

    Contact the court before the hearing if you need support or extra protection.

    ", + "

    The judge may make a decision without a hearing if, for example:

    ", + "
  • you\u2019re self-isolating because of coronavirus
  • ", + "
  • the person you\u2019re applying for an injunction against lives with you
  • ", + "

    This is called \u2018on paper\u2019.

    ", + "

    Get a decision

    ", + "

    At the end of the hearing the court will make one of the following decisions:

    ", + "
  • the person you\u2019ve applied for an injunction against must make an \u2018undertaking\u2019 (a promise) to do or not do something
  • ", + "
  • you must provide more information - the court may issue a short-term order (an \u2018interim order\u2019) to protect you while you get this information
  • ", + "
  • it will issue an order - when that ends they may hold another hearing to decide whether to renew the order
  • ", + "

    You\u2019ll get a copy of the order if the court issues one. It will say what the respondent can and cannot do.

    ", + "

    If your order expires and you still want protection, you\u2019ll have to apply again.

    ", + "

    After the hearing

    ", + "

    You must arrange for the order to be \u2018served\u2019 on the respondent. This means making sure they get a copy of the order in person.

    ", + "

    If you have a solicitor, they will arrange for the documents to be served. If you do not have a solicitor you can:

    ", + "
  • ask the court to serve the documents - you will not need to pay for this
  • ", + "
  • hire a professional process server to serve the documents
  • ", + "

    Do not serve the documents yourself.

    ", + "

    The court will send the order and the statement of service to the officer in charge of your neighbourhood police station or the police station named in the court order.

    ", + "

    If the person named in your injunction does not follow the court order, you can call the police.

    ", + "

    Complaints and appeals

    ", + "

    You can complain to the court where you had the hearing if you\u2019re unhappy with the service they provided.

    ", + "

    You may be able to make an appeal about the decision if you think there\u2019s been a serious mistake. You\u2019ll have to get permission to make the appeal and there\u2019s usually a fee. Read the guidance on how to make an appeal.

    " + ] + }, + { + "title": "Terrorism and national emergencies", + "url": "https://www.gov.uk/terrorism-national-emergency", + "contents": [ + "

    Terrorism threat levels

    ", + "

    The threat level indicates the likelihood of a terrorist attack in the UK.

    ", + "

    National threat level

    ", + "

    The threat to the UK (England, Wales, Scotland and Northern Ireland) from terrorism is substantial.

    ", + "

    Northern Ireland-related threat level

    ", + "

    The threat to Northern Ireland from Northern Ireland-related terrorism is severe.

    ", + "

    Threat levels

    ", + "

    There are 5 levels of threat:

    ", + "
  • low - an attack is highly unlikely
  • ", + "
  • moderate - an attack is possible but not likely
  • ", + "
  • substantial - an attack is likely
  • ", + "
  • severe - an attack is highly likely
  • ", + "
  • critical - an attack is highly likely in the near future
  • ", + "

    The level is set by the Joint Terrorism Analysis Centre and the Security Service (MI5).

    ", + "

    Threat levels do not have an expiry date. They can change at any time as different information becomes available.

    ", + "

    More information about terrorist threat levels

    ", + "

    Get more information about terrorism threat levels in the UK on the MI5 website.

    ", + "

    You can also check the government\u2019s travel advice for different countries.

    ", + "

    Counter-terrorism

    ", + "

    The Security Service (MI5) is responsible for protecting the UK against threats to national security.

    ", + "

    The Office for Security and Counter-Terrorism coordinates the government\u2019s response in case of a terrorist incident.

    ", + "

    Counter-terrorism laws are enforced by the police.

    ", + "

    Public safety

    ", + "

    The government will issue a warning to the public if that\u2019s the best way to protect a community or a place facing a specific threat.

    ", + "

    Reporting suspected terrorism

    ", + "

    If you suspect someone is involved in terrorism in any way:

    ", + "
  • call the police or report your suspicions to them online
  • ", + "
  • report suspicious activity to MI5
  • ", + "
  • report online terrorist material
  • ", + "

    You can remain anonymous.

    ", + "

    National emergencies

    ", + "

    National Risk Register

    ", + "

    The government regularly assesses the natural hazards and man-made threats that could affect the UK.

    ", + "

    These are published in the National Risk Register. This explains the likelihood of a risk occurring and possible effects of an emergency if it happens.

    ", + "

    Local and central government preparations

    ", + "

    Your local council, fire, police and ambulance services and other organisations take part in regular training exercises to prepare for emergencies.

    ", + "

    Find out how emergencies are planned for in your area.

    ", + "

    You can also read guidance for local councils on recovery after an emergency.

    ", + "

    There are also government plans to make sure essential services, like food, water, transport, health and financial services, keep working in the event of an emergency.

    " + ] + }, + { + "title": "What to do if your vehicle has been stolen", + "url": "https://www.gov.uk/what-to-do-if-your-vehicle-has-been-stolen", + "contents": [ + "

    Report your vehicle as stolen

    ", + "

    Tell the police and your insurance company straight away if your vehicle has been stolen.

    ", + "

    Call your local police station

    ", + "

    Dial 101 and ask to be put through to your local police.

    ", + "

    Make sure you have your vehicle\u2019s:

    ", + "
  • registration number
  • ", + "
  • make and model
  • ", + "
  • colour
  • ", + "

    You\u2019ll get a crime reference number. You\u2019ll need this when you call your insurance company.

    ", + "

    The police will tell DVLA about the theft and if the vehicle is found.

    ", + "

    Call your insurance company

    ", + "

    Your insurance company will tell you how to make an insurance claim.

    ", + "

    Tell DVLA if your insurance company pays out

    ", + "

    If your insurance company pays out a claim for your stolen vehicle, you must tell DVLA it\u2019s been sold to the insurance company.

    ", + "

    If your vehicle had a personalised registration number that you want to keep, you need to get it back before you tell DVLA that you no longer own your vehicle.

    ", + "

    You can tell DVLA online or fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of your vehicle log book. Send the perforated section to DVLA, with a letter saying when the payment was accepted and details of your insurance company.

    ", + "

    You\u2019ll need to give the remaining part of your log book to your insurance company.

    ", + "

    If your insurance company asks for the whole log book then you\u2019ll need to send a letter to DVLA including:

    ", + "
  • the details of your insurance company
  • ", + "
  • the date of the claim
  • ", + "
  • your registration number
  • ", + "
  • the make, model and colour of your vehicle
  • ", + "
  • your signature
  • ", + "

    Send your letter to:

    ", + "

    Get a vehicle tax refund

    ", + "

    Your vehicle tax will be cancelled by DVLA once you tell them you no longer own your vehicle. If you pay by Direct Debit, the Direct Debit will be cancelled automatically.

    ", + "

    You must apply for a refund instead if your vehicle had a personalised registration number that you want to keep.

    ", + "

    You\u2019ll automatically get a refund cheque for any full months left on your vehicle tax. The refund is calculated from the date DVLA gets your information. The cheque is sent to the name and address on the vehicle log book.

    ", + "

    You will not get a refund for:

    ", + "
  • any credit card fees
  • ", + "
  • the 5% surcharge on some Direct Debit payments
  • ", + "
  • the 10% surcharge on a single 6 month payment
  • ", + "

    If you had a private (personalised) registration number

    ", + "

    Apply to keep your private (personalised) registration number as soon as your vehicle is stolen.

    ", + "

    This means the number will stay in your name so you can assign it to another vehicle later.

    ", + "

    You must apply within 2 years and 6 months of telling DVLA your vehicle has been stolen.

    ", + "

    You can only get your private registration number back if:

    ", + "
  • you told the police about the theft
  • ", + "
  • the vehicle had a valid MOT certificate when it was stolen
  • ", + "
  • the vehicle had up-to-date vehicle tax when it was stolen
  • ", + "

    Apply to keep your registration number

    ", + "

    You can only apply by post. It costs \u00a380.

    ", + "

    You need to send all of the following to DVLA:

    ", + "
  • a V317 \u2018transfer or retain a vehicle registration number\u2019 form - the address is on the form
  • ", + "
  • the vehicle\u2019s log book (V5C) or green \u2018new keeper\u2019 slip with a completed V62 \u2018application for a vehicle registration certificate V5C\u2019
  • ", + "
  • the \u00a380 transfer fee
  • ", + "

    If you get your stolen vehicle back

    ", + "

    If you\u2019ve already applied to keep your private registration number, you can apply to put it on another vehicle straight away.

    ", + "

    You must apply before your vehicle is sold or scrapped.

    ", + "

    If you do not get your stolen vehicle back

    ", + "

    You must wait 6 months before you can transfer your private registration number to another vehicle. You can only do this by post.

    ", + "

    Tell DVLA you no longer own your vehicle

    ", + "

    After you get your private registration number back, you can tell DVLA that you no longer own your vehicle.

    ", + "

    Tell DVLA online or fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of your vehicle log book and send the perforated section to DVLA.

    ", + "

    Apply for a vehicle tax refund

    ", + "

    You will not automatically get a vehicle tax refund - you\u2019ll need to apply for one.

    ", + "

    Contact DVLA to get form V33. Complete your form and send it to DVLA. You must include your crime reference number.

    ", + "

    Check that your name and address is correct on your log book - otherwise you will not receive the refund.

    ", + "

    You\u2019ll usually get your refund in 4 to 6 weeks.

    " + ] + }, + { + "title": "Young people in custody", + "url": "https://www.gov.uk/young-people-in-custody", + "contents": [ + "

    Overview

    ", + "

    People under 18 who are sentenced to custody are sent to secure centres for young people, not to adult prisons.

    ", + "

    Why young people are sent to custody

    ", + "

    A court can give a young person a custodial sentence if:

    ", + "
  • the crime is so serious there is no other suitable option
  • ", + "
  • the young person has committed crimes before
  • ", + "
  • the judge or magistrate thinks the young person is a risk to the public
  • ", + "

    A young person can also be sent to custody on remand.

    ", + "

    The Youth Justice Board decides which secure centre a young person will be sent to.

    ", + "

    They will choose somewhere that:

    ", + "
  • can deal with the young person\u2019s needs safely, eg if they have a health problem
  • ", + "
  • is suitable for their age, sex and background
  • ", + "
  • is as near to their home as possible
  • ", + "

    Arriving at custody

    ", + "

    The young person is interviewed by the reception officer as soon as they arrive.

    ", + "

    The reception officer uses this interview to make sure the young person is properly looked after, eg if they need any health care.

    ", + "

    Search

    ", + "

    The young person will have some of their belongings taken away, like their money and phone.

    ", + "

    They will also be searched to make sure they don\u2019t have things like drugs on them.

    ", + "

    Personal officer

    ", + "

    Within the first few days, the young person will meet their personal officer. This person is in charge of the young person\u2019s well-being for as long as they\u2019re in the secure centre.

    ", + "

    Find out more about the support that\u2019s available for a young person in custody.

    ", + "

    What custody is like for young people

    ", + "

    Time in custody is spent:

    ", + "
  • in lessons
  • ", + "
  • learning skills to get a job or to return to education
  • ", + "
  • taking part in programmes to improve behaviour
  • ", + "
  • participating in sport, fitness, and other activities
  • ", + "

    There are strict rules about what young people can and can\u2019t do, and they may have to go through alcohol or drug counselling.

    ", + "

    Types of secure centre

    ", + "

    There are 3 types of custody for young people:

    ", + "
  • young offender institutions
  • ", + "
  • secure training centres
  • ", + "
  • secure children\u2019s homes
  • ", + "

    Young offender institutions:

    ", + "
  • are run by the Prison Service and private companies
  • ", + "
  • are for people aged 15 to 21 (people under 18 are held in different buildings)
  • ", + "
  • house between 60 to 400 people, split into \u2018wings\u2019 of 30 to 60 people
  • ", + "

    Secure training centres:

    ", + "
  • are run by private companies
  • ", + "
  • are for people aged up to 17
  • ", + "
  • house between 50 and 80, split into units of 5 to 8 people
  • ", + "
  • give 30 hours of education and training a week, following a school day timetable
  • ", + "

    Secure children\u2019s homes:

    ", + "
  • run by local councils
  • ", + "
  • are for people aged 10 to 14
  • ", + "
  • house between 8 and 40 people
  • ", + "
  • give 30 hours of education and training a week, following a school day timetable
  • ", + "

    Visiting young people in custody

    ", + "

    You must arrange your visit first. Contact the secure centre to find out what you need to do.

    ", + "

    Who can visit

    ", + "

    Family members and friends can ask to visit. If you\u2019re under 18 you have to be accompanied by an adult.

    ", + "

    People whose job it is to support the young person, like a social worker or legal adviser, can visit them at any time.

    ", + "

    When you can visit

    ", + "

    Each centre will have specific times for visiting. They will tell you when these are, and you won\u2019t be allowed to visit outside of these times.

    ", + "

    How often you can visit

    ", + "

    Usually, you can visit a young person once a week if you are a family member or friend, but this can vary.

    ", + "

    How many people can visit

    ", + "

    Generally, 3 people are allowed at one time. If you want to bring more people, you will need to get permission first.

    ", + "

    Getting help with travel costs

    ", + "

    Family members can sometimes get help with the costs of visiting, such as train tickets or petrol.

    ", + "

    There are different rules for claiming money back depending on where you visit.

    ", + "

    Travel claims for visiting a young offender institution (YOI)

    ", + "

    You should contact the Prison Service to claim for a visit to a YOI.

    ", + "

    Travel claims for visiting a secure children\u2019s home

    ", + "

    You should contact the young person\u2019s youth offending team to claim for a visit to a secure children\u2019s home.

    ", + "

    The document \u2018AVS1 - Assisted visits scheme information for relatives\u2019 will give you information on this. You need to complete form AVS2.

    ", + "

    Travel claims for visiting a secure training centre (STC)

    ", + "

    Call the STC you\u2019re visiting on one of the following numbers. Ask for the STC monitor - they\u2019ll tell you how to make a claim and what it covers.

    ", + "
  • Oakhill: 01908 866 021
  • ", + "
  • Rainsbrook: 01788 528 806
  • ", + "
  • Medway: 01634 823 305
  • ", + "

    Find out about call charges.

    ", + "

    You may get help claiming the cost of a train journey before you travel. You can also\nclaim back the cost of your travel after your visit.

    ", + "

    You could get help with registered childminder costs if you have young children.

    ", + "

    If the young person is on remand

    ", + "

    Contact the young person\u2019s youth offending team, who can organise a visit.

    ", + "

    You can\u2019t get help with your travel costs if the young person you\u2019re visiting is on remand.

    ", + "

    Advice and support

    ", + "

    For advice or support, a young person can speak to a member of staff, for example:

    ", + "
  • their personal officer
  • ", + "
  • a chaplain, social worker or teacher
  • ", + "
  • a doctor, nurse or other health worker
  • ", + "

    The personal officer is the person in charge of the young person\u2019s well-being.

    ", + "

    Chaplains provide support to everyone, whatever their faith. A young person can ask to speak to a chaplain of their own faith if they want.

    ", + "

    Support from the youth offending team

    ", + "

    Someone from the local youth offending team will stay in contact with the young person while they\u2019re in custody. The young person can get in touch with them whenever they need.

    ", + "

    Friends and family

    ", + "

    A young person will be able to contact their family regularly, and can arrange for them to visit.

    ", + "

    Advocacy services

    ", + "

    Young people can also speak to someone from an advocacy service.

    ", + "

    Advocacy services

    ", + "

    Advocacy services are run by children\u2019s charities and are confidential.

    ", + "

    A young person in custody can ask an advocacy service for help if they:

    ", + "
  • feel they can\u2019t speak for themselves
  • ", + "
  • don\u2019t understand something
  • ", + "
  • can\u2019t make themselves understood
  • ", + "

    How to get in touch

    ", + "

    People from an advocacy service regularly visit secure centres so young people can meet them. Young people can also telephone them.

    ", + "

    Barnardo\u2019s\nTelephone: 0808 168 2694 \nFind out about call charges

    ", + "

    This number is for young people in young offender institutions (YOIs) or secure training centres (STCs). The phone number is different for young people in a secure children\u2019s home - they need to ask a member of staff for the number.

    ", + "

    Other people to call

    ", + "

    Young people and their families can also contact other organisations for help.

    ", + "

    Organisations that can help

    ", + "

    The Howard League might be able to offer legal advice and help to people under 18 in custody.

    ", + "

    The Prison Reform Trust and Nacro offer advice and support to young people and their families, but can\u2019t give legal advice.

    ", + "

    Find out about call charges.

    " + ] + }, + { + "title": "Youth crime prevention programmes", + "url": "https://www.gov.uk/youth-crime-prevention-programmes", + "contents": [ + "

    Overview

    ", + "

    There are various prevention programmes that work to keep young people away from crime. They are run within local communities, and can involve parents and families.

    ", + "

    Young people are placed on these programmes if:

    ", + "
  • they have been in trouble with the police
  • ", + "
  • they\u2019re \u2018at risk\u2019 of committing a crime
  • ", + "
  • they\u2019re involved in anti-social behaviour
  • ", + "

    Attending one of these programmes is voluntary. The young person and their parents or carers have to be happy with everything before it starts.

    ", + "

    Many programmes are run by the council\u2019s local youth offending team or by other local organisations like youth charities.

    ", + "

    To find out about youth crime prevention programmes in your area, contact your local youth offending team.

    ", + "

    How young people are put on a programme

    ", + "

    Young people are usually sent - or \u2018referred\u2019 - to one of these programmes by the police or the youth offending team.

    ", + "

    However, they can also be referred by a teacher, social worker or parent.

    ", + "

    Assessment - making sure it\u2019s the right programme

    ", + "

    Before anything happens, the youth workers running the prevention programme will assess the young person to:

    ", + "
  • make sure a prevention programme will help
  • ", + "
  • decide which type of support will be most suitable
  • ", + "

    The young person will be involved in the assessment and will be asked questions about their life and background.

    ", + "

    What these programmes are and how they work

    ", + "

    Youth crime prevention programmes have different names and do different things, but they all involve activities to help keep young people away from crime. Young people can also learn new skills or get advice about school or jobs.

    ", + "

    Some are run in groups while others are for just one young person supervised by an adult.

    ", + "

    Two of the main prevention programmes are \u2018youth inclusion programmes\u2019 and \u2018youth inclusion and support panels\u2019, although there are many others.

    ", + "

    Youth inclusion programmes

    ", + "

    These are for 8 to 17 year-olds and usually last for set lengths of time, eg 6 months. Sometimes a young person can attend for longer if they need to, if they find the activities helpful.

    ", + "

    Youth inclusion and support panels

    ", + "

    These panels - made up of people like local youth or social workers - work with 8 to 13 year-olds to make sure they get access to local services that will help them stay out of trouble. These services could be things like getting extra help at school, or treatment for health or mental health problems.

    ", + "

    Both these programmes use something called an \u2018intervention plan\u2019 that everyone must agree on, including the young person and their family. This plan describes what the young person is expected to do, as well as what support the young person will get.

    ", + "

    Young people can also be mentored, and sometimes their families can also be involved.

    ", + "

    Mentoring

    ", + "

    A mentor is a specially trained volunteer who spends time helping someone.

    ", + "

    They can help a young person with things like:

    ", + "
  • doing better at school
  • ", + "
  • coping with bullying
  • ", + "
  • applying for jobs or colleges
  • ", + "

    Sometimes this personal help can be more effective than sending a young person on a group activity. A mentoring programme doesn\u2019t usually have a set time limit - a young person can be mentored for as long as is helpful.

    ", + "

    Mentors are not connected to the police or a school.

    ", + "

    Involving parents and families

    ", + "

    Usually, parents and families will be involved in helping a young person on a crime prevention programme. This could mean anything from attending classes with their child, to just making sure the young person does what they are asked.

    ", + "

    Parenting programmes

    ", + "

    If a young person gets into trouble with the law, their parents or carers might be asked to go on a parenting programme. Usually, they will be asked to attend voluntarily, but sometimes they will have to go.

    ", + "

    This can be part of a youth crime prevention programme, and sometimes it will be separate.

    ", + "

    How these programmes work will change from person to person, and will be planned in a way that\u2019s right for the young person and their family. They could involve:

    ", + "
  • improving parenting skills
  • ", + "
  • making sure nothing at home is causing the young person to commit crime
  • " + ] + }, + { + "title": "Being arrested: your rights", + "url": "https://www.gov.uk/arrested-your-rights", + "contents": [ + "

    When you're arrested

    ", + "

    If you\u2019re arrested, you\u2019ll usually be taken to a police station, held in custody in a cell and then questioned.

    ", + "

    After you\u2019ve been taken to a police station, you may be released or charged with a crime.

    ", + "

    The\u00a0law on being arrested is different in Scotland.

    ", + "

    Your rights in custody

    ", + "

    The custody officer at the police station must explain your rights. You have the right to:

    ", + "
  • get free legal advice
  • ", + "
  • tell someone where you are
  • ", + "
  • have medical help if you\u2019re feeling ill
  • ", + "
  • see the rules the police must follow (\u2018Codes of Practice\u2019)
  • ", + "
  • see a written notice telling you about your rights, eg regular breaks for food and to use the toilet (you can ask for a notice in your language) or an interpreter to explain the notice
  • ", + "

    You\u2019ll be searched and your possessions will be kept by the police custody officer while you\u2019re in the cell.

    ", + "

    Young people under 18 and vulnerable adults

    ", + "

    The police must try to contact your parent, guardian or carer if you\u2019re under 18 or a vulnerable adult.

    ", + "

    They must also find an \u2018appropriate adult\u2019 to come to the station to help you and be present during questioning and searching. An appropriate adult can be:

    ", + "
  • your parent, guardian or carer
  • ", + "
  • a social worker
  • ", + "
  • another family member or friend aged 18 or over
  • ", + "
  • a volunteer aged 18 or over
  • ", + "

    The National Appropriate Adult Network provides appropriate adult services in England and Wales.

    ", + "

    Your rights when being questioned

    ", + "

    The police may question you about the crime you\u2019re suspected of - this will be recorded. You don\u2019t have to answer the questions but there could be consequences if you don\u2019t. The police must explain this to you by reading you the police caution:

    ", + "

    \u201cYou do not have to say anything. But, it may harm your defence if you do not mention when questioned something which you later rely on in court. Anything you do say may be given in evidence.\u201d

    ", + "

    How long you can be held in custody

    ", + "

    The police can hold you for up to 24 hours before they have to charge you with a crime or release you.

    ", + "

    They can apply to hold you for up to 36 or 96 hours if you\u2019re suspected of a serious crime, eg murder.

    ", + "

    You can be held without charge for up to 14 days If you\u2019re arrested under the Terrorism Act.

    ", + "

    When you can be released on bail

    ", + "

    The police can release you on police bail if there\u2019s not enough evidence to charge you. You don\u2019t have to pay to be released on police bail, but you\u2019ll have to return to the station for further questioning when asked.

    ", + "

    You can be released on conditional bail if the police charge you and think that you may:

    ", + "
  • commit another offence
  • ", + "
  • fail to turn up at court
  • ", + "
  • intimidate other witnesses
  • ", + "
  • obstruct the course of justice
  • ", + "

    This means your freedom will be restricted in some way, eg they can impose a curfew on you if your offence was committed at night.

    ", + "

    Giving fingerprints, photographs and samples

    ", + "

    The police have the right to take photographs of you. They can also take fingerprints and a DNA sample (eg from a mouth swab or head hair root) from you as well as swab the skin surface of your hands and arms. They don\u2019t need your permission to do this.

    ", + "

    The police need both your permission and the authority of a senior police officer to take samples like blood or urine, or to take dental impressions.

    ", + "

    This doesn\u2019t apply when they take a blood or urine sample in connection with drink or drug driving.

    ", + "

    Information from fingerprints and samples is stored in a police database.

    ", + "

    You can find out if your information is stored on the police database by getting a copy of your police records from your local police station.

    ", + "

    You have to write to your local police (England, Wales and Northern Ireland) or local police (Scotland) to have your personal information removed from the police database.

    ", + "

    They\u2019ll only do this if an offence no longer exists or if anything in the police process (eg how you were arrested or detained) was unlawful.

    ", + "

    Legal advice at the police station

    ", + "

    Your right to free legal advice

    ", + "

    You have the right to free legal advice (legal aid) if you\u2019re questioned at a police station. You can change your mind later if you turn it down.

    ", + "

    How you can get free legal advice

    ", + "

    You must be told about your right to free legal advice after you\u2019re arrested and before you\u2019re questioned at a police station. You can:

    ", + "
  • ask for the police station\u2019s \u2018duty solicitor\u2019 - they\u2019re available 24 hours a day and independent of the police
  • ", + "
  • tell the police you would like legal advice - the police will contact the Defence Solicitor Call Centre (DSCC)
  • ", + "
  • ask the police to contact a solicitor, eg your own one
  • ", + "

    You may be offered legal advice over the phone instead of a duty solicitor if you\u2019re suspected of having committed a less serious offence, eg being disorderly. The advice is free and independent of the police.

    ", + "

    Being questioned without legal advice

    ", + "

    Once you\u2019ve asked for legal advice, the police can\u2019t question you until you\u2019ve got it - with some exceptions.

    ", + "

    The police can make you wait for legal advice in serious cases, but only if a senior officer agrees.

    ", + "

    The longest you can be made to wait before getting legal advice is 36 hours after arriving at the police station (or 48 hours for suspected terrorism).

    ", + "

    You have the right to free legal advice if you are questioned by the police.

    ", + "

    Complaining about your treatment by the police

    ", + "

    Contact the police force you want to complain about if you\u2019re unhappy about how the police have treated you.

    ", + "

    Police forces must refer certain types of complaints to the Independent Office for Police Conduct (IOPC).

    " + ] + }, + { + "title": "Being stopped by the police while driving", + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "contents": [ + "

    Overview

    ", + "

    The police can stop a vehicle for any reason. If they ask you to stop, you should always pull over when it\u2019s safe to do so. You\u2019re breaking the law if you do not stop.

    ", + "

    If you\u2019re stopped, the police can ask to see your:

    ", + "
  • driving licence
  • ", + "
  • insurance certificate
  • ", + "
  • MOT certificate
  • ", + "

    If you do not have these documents with you, you have 7 days to take them to a police station. You\u2019re breaking the law if you do not show the requested documents within 7 days.

    ", + "

    The police can also give you an on-the-spot fixed penalty notice for many minor offences and make you take a breath test in certain circumstances.

    ", + "

    You can also have your vehicle seized if you\u2019re stopped on suspicion of driving without insurance and for some other offences.

    ", + "

    Breath tests

    ", + "

    The police can stop you at any time and ask you to take a breath test (\u2018breathalyse\u2019 you) if:

    ", + "
  • they think you\u2019ve been drinking
  • ", + "
  • you\u2019ve committed a traffic offence
  • ", + "
  • you\u2019ve been involved in a road traffic accident
  • ", + "

    If you refuse to take a breath test, or fail to supply a sample of breath and do not have a \u2018reasonable excuse\u2019, you can be arrested. A reasonable excuse could be a genuine physical or mental condition stopping you from giving a sample.

    ", + "

    The breath test gives a result straight away. If it shows you\u2019re not over the drink drive limit, you may be allowed to go.

    ", + "

    If you fail the breath test, you\u2019ll be taken to a police station and given a final breath test. If it\u2019s positive, you will be charged.

    ", + "

    If the officer thinks you\u2019re under the influence of alcohol or drugs, they can ask you to:

    ", + "
  • take a drug test
  • ", + "
  • do a physical test (a \u2018field impairment test\u2019), for example walk in a straight line then turn around and walk back
  • ", + "

    You can be arrested if you fail the test.

    ", + "

    If you fail a breath test you cannot drive your car until you\u2019re sober. You can ask someone else to collect your car for you.

    ", + "

    Minor motoring offences

    ", + "

    The police can give you a \u2018fixed penalty notice\u2019 for less serious traffic offences, including for:

    ", + "
  • careless or inconsiderate driving
  • ", + "
  • using a mobile phone while driving
  • ", + "
  • not wearing a seat belt
  • ", + "
  • driving too close to another vehicle
  • ", + "

    You can be fined up to \u00a3200 and get penalty points on your licence if you get a fixed penalty notice - you may be disqualified from driving if you build up 12 points within 3 years.

    ", + "

    The police can also decide to:

    ", + "
  • take no action
  • ", + "
  • issue a warning
  • ", + "
  • offer driver training
  • ", + "
  • charge you with an offence
  • ", + "

    You can choose not to pay the fixed penalty if you believe that it was given unjustly, but you\u2019ll have to argue your case in court.

    ", + "

    Faults with your vehicle

    ", + "

    If your vehicle has something wrong with it, for example a broken brake light, the police may give you a \u2018vehicle defect rectification notice\u2019.

    ", + "

    You\u2019ll need to get your vehicle fixed and provide proof that it\u2019s been fixed, for example a receipt for the work from a mechanic. You have 14 days from the date of the notice to show the proof to the police.

    ", + "

    When the police can seize your vehicle

    ", + "

    The police can seize a vehicle if they think it\u2019s being used in a way that causes alarm, harassment or distress, for example careless or inconsiderate driving.

    ", + "

    They can also seize a vehicle if they think it\u2019s:

    ", + "
  • being driven by someone who does not have a proper licence or insurance
  • ", + "
  • dangerously, illegally or obstructively parked
  • ", + "
  • broken-down or abandoned
  • ", + "

    If your vehicle is seized there\u2019s a \u2018release fee\u2019 of up to \u00a3200 plus a storage fee of \u00a320 for every day or part day.

    " + ] + }, + { + "title": "Data protection", + "url": "https://www.gov.uk/data-protection", + "contents": [ + "

    The Data Protection Act

    ", + "

    The Data Protection Act 2018 controls how your personal information is used by organisations, businesses or the government.

    ", + "

    The Data Protection Act 2018 is the UK\u2019s implementation of the General Data Protection Regulation (GDPR).

    ", + "

    Everyone responsible for using personal data has to follow strict rules called \u2018data protection principles\u2019. They must make sure the information is:

    ", + "
  • used fairly, lawfully and transparently
  • ", + "
  • used for specified, explicit purposes
  • ", + "
  • used in a way that is adequate, relevant and limited to only what is necessary
  • ", + "
  • accurate and, where necessary, kept up to date
  • ", + "
  • kept for no longer than is necessary
  • ", + "
  • handled in a way that ensures appropriate security, including protection against unlawful or unauthorised processing, access, loss, destruction or damage
  • ", + "

    There is stronger legal protection for more sensitive information, such as:

    ", + "
  • race
  • ", + "
  • ethnic background
  • ", + "
  • political opinions
  • ", + "
  • religious beliefs
  • ", + "
  • trade union membership
  • ", + "
  • genetics
  • ", + "
  • biometrics (where used for identification)
  • ", + "
  • health
  • ", + "
  • sex life or orientation
  • ", + "

    There are separate safeguards for personal data relating to criminal convictions and offences.

    ", + "

    Your rights

    ", + "

    Under the Data Protection Act 2018, you have the right to find out what information the government and other organisations store about you. These include the right to:

    ", + "
  • be informed about how your data is being used
  • ", + "
  • access personal data
  • ", + "
  • have incorrect data updated
  • ", + "
  • have data erased
  • ", + "
  • stop or restrict the processing of your data
  • ", + "
  • data portability (allowing you to get and reuse your data for different services)
  • ", + "
  • object to how your data is processed in certain circumstances
  • ", + "

    You also have rights when an organisation is using your personal data for:

    ", + "
  • automated decision-making processes (without human involvement)
  • ", + "
  • profiling, for example to predict your behaviour or interests
  • ", + "

    Find out what data an organisation has about you

    ", + "

    Write to an organisation to ask for a copy of the information they hold about you.

    ", + "

    If it\u2019s a public organisation, write to their Data Protection Officer (DPO). Their details should be on the organisation\u2019s privacy notice.

    ", + "

    If the organisation has no DPO, or you do not know who to write to, address your letter to the company secretary.

    ", + "

    How long it should take

    ", + "

    The organisation must give you a copy of the data they hold about you as soon as possible, and within 1 month at most.

    ", + "

    In certain circumstances, for example particularly complex or multiple requests, the organisation can take a further 2 months to provide data. In this case, they must tell you:

    ", + "
  • within 1 month of your request
  • ", + "
  • why there\u2019s a delay
  • ", + "

    When information can be withheld

    ", + "

    There are some situations when organisations are allowed to withhold information, for example if the information is about:

    ", + "
  • the prevention, detection or investigation of a crime
  • ", + "
  • national security or the armed forces
  • ", + "
  • the assessment or collection of tax
  • ", + "
  • judicial or ministerial appointments
  • ", + "

    An organisation does not have to say why they\u2019re withholding information.

    ", + "

    How much it costs

    ", + "

    Requests for information are usually free. However, organisations can charge an administrative cost in some circumstances, for example if:

    ", + "
  • you\u2019re asking for a large amount of information
  • ", + "
  • your request will take a lot of time and effort to process
  • ", + "

    Make a complaint

    ", + "

    If you think your data has been misused or that the organisation holding it has not kept it secure, you should contact them and tell them.

    ", + "

    If you\u2019re unhappy with their response or if you need any advice you should contact the Information Commissioner\u2019s Office (ICO).

    ", + "

    You can also chat online with an advisor.

    ", + "

    The ICO can investigate your claim and take action against anyone who\u2019s misused personal data.

    ", + "

    You can also visit their website for information on how to make a data protection complaint.

    " + ] + }, + { + "title": "Disability rights", + "url": "https://www.gov.uk/rights-disabled-person", + "contents": [ + "

    Overview

    ", + "

    As a disabled person, you have rights to protect you from discrimination. These rights cover most areas including:

    ", + "
  • employment
  • ", + "
  • education
  • ", + "
  • dealing with the police
  • ", + "

    The Equality Act 2010 and the United Nations (UN) Convention on disability rights help to enforce, protect and promote your rights.

    ", + "

    Employment

    ", + "

    It\u2019s against the law for employers to discriminate against you because of a disability. The Equality Act 2010 protects you and covers areas including:

    ", + "
  • application forms
  • ", + "
  • interview arrangements
  • ", + "
  • aptitude or proficiency tests
  • ", + "
  • job offers
  • ", + "
  • terms of employment, including pay
  • ", + "
  • promotion, transfer and training opportunities
  • ", + "
  • dismissal or redundancy
  • ", + "
  • discipline and grievances
  • ", + "

    Reasonable adjustments in the workplace

    ", + "

    An employer has to make \u2018reasonable adjustments\u2019 to avoid you being put at a disadvantage compared to non-disabled people in the workplace. For example, adjusting your working hours or providing you with a special piece of equipment to help you do the job.

    ", + "

    Recruitment

    ", + "

    An employer who\u2019s recruiting staff may make limited enquiries about your health or disability.

    ", + "

    You can only be asked about your health or disability:

    ", + "
  • to help decide if you can carry out a task that is an essential part of the work
  • ", + "
  • to help find out if you can take part in an interview
  • ", + "
  • to help decide if the interviewers need to make reasonable adjustments for you in a selection process
  • ", + "
  • to help monitoring
  • ", + "
  • if they want to increase the number of disabled people they employ
  • ", + "
  • if they need to know for the purposes of national security checks
  • ", + "

    You may be asked whether you have a health condition or disability on an application form or in an interview. You need to think about whether the question is one that is allowed to be asked at that stage of recruitment.

    ", + "

    Redundancy and retirement

    ", + "

    You can\u2019t be chosen for redundancy just because you\u2019re disabled. The selection process for redundancy must be fair and balanced for all employees.

    ", + "

    Your employer cannot force you to retire if you become disabled.

    ", + "

    Education

    ", + "

    It\u2019s against the law for a school or other education provider to treat disabled students unfavourably. This includes:

    ", + "
  • direct discrimination, for example refusing admission to a student or excluding them because of disability
  • ", + "
  • indirect discrimination, for example only providing application forms in one format that may not be accessible
  • ", + "
  • discrimination arising from a disability, for example a disabled pupil is prevented from going outside at break time because it takes too long to get there
  • ", + "
  • harassment, for example a teacher shouts at a disabled student for not paying attention when the student\u2019s disability stops them from easily concentrating
  • ", + "
  • victimisation, for example suspending a disabled student because they\u2019ve complained about harassment
  • ", + "

    Reasonable adjustments

    ", + "

    An education provider has a duty to make \u2018reasonable adjustments\u2019 to make sure disabled students are not discriminated against. These changes could include providing extra support and aids (like specialist teachers or equipment).

    ", + "

    Schools are not subject to the reasonable adjustment duty to make alterations to physical features, like adding ramps. They must make the buildings accessible for their disabled pupils as part of their overall planning duties.

    ", + "

    Special educational needs and disabilities (SEND)

    ", + "

    All publicly funded pre-schools, nurseries, state schools and local authorities must try to identify and help assess children with special educational needs and disabilities (SEND).

    ", + "

    If a child has an an education, health and care (EHC) plan or a statement of special educational needs, these must be reviewed annually. From year 9 the child will get a full review to understand what support they will need to prepare them for adulthood.

    ", + "

    Higher education

    ", + "

    All universities and higher education colleges should have a person in charge of disability issues that you can talk to about the support they offer.

    ", + "

    You can also ask local social services for an assessment to help with your day-to-day living needs.

    ", + "

    Police

    ", + "

    If you\u2019re being questioned or interviewed at a police station you have certain rights depending on your impairment.

    ", + "

    Deaf, hearing-impaired or speech difficulties

    ", + "

    The police should arrange for an interpreter to be present with you. The police can interview you without an interpreter if a delay would result in harm to people, property or evidence.

    ", + "

    Learning disabilities

    ", + "

    The police should only interview someone who has a learning disability when a responsible person (referred to as an \u2018appropriate adult\u2019) is present. The appropriate adult should not work for the police and should have experience of people with learning disabilities. The police can interview you without an appropriate adult if a delay would result in harm to people, property or evidence.

    ", + "

    Right to medical treatment

    ", + "

    If you\u2019re being kept in a police cell, you have the right to a medical examination by a healthcare worker. A healthcare worker may be a paramedic, nurse or a police surgeon (sometimes referred to as a \u2018Forensic Medical Examiner\u2019).

    ", + "

    If you do not want to be examined by the healthcare worker provided, you could be examined by a general practitioner (GP) that you choose - if they\u2019re available. You may have to pay for this, and this payment will be noted down.

    ", + "

    The Equality Act 2010 and UN Convention

    ", + "

    The Equality Act 2010 protects you from discrimination. It provides legal rights for you in the areas of:

    ", + "
  • employment
  • ", + "
  • education
  • ", + "
  • access to goods, services and facilities
  • ", + "
  • buying and renting land or property
  • ", + "

    The Equality Act 2010 also protects your rights if you have an association with a disabled person, for example a carer or parent.

    ", + "

    Get more information about the Equality Act 2010.

    ", + "

    United Nations (UN) Convention on disability rights

    ", + "

    The UN Convention on disability rights has been agreed by the UK to protect and promote the rights of disabled people.

    ", + "

    Get more information about the UN Convention on disability rights from the Office for Disability Issues.

    ", + "

    Further help and advice

    ", + "

    Check if you can get legal aid to help with your legal costs if you think you\u2019ve been discriminated against. You can get advice from Civil Legal Advice if you\u2019re eligible.

    ", + "

    You can get advice and information on your rights from:

    ", + "
  • Equality Advisory Support Service
  • ", + "
  • Disability Rights UK
  • ", + "
  • Advicenow
  • ", + "
  • Citizens Advice
  • " + ] + }, + { + "title": "Discrimination: your rights", + "url": "https://www.gov.uk/discrimination-your-rights", + "contents": [ + "

    Types of discrimination ('protected characteristics')

    ", + "

    It is against the law to discriminate against anyone because of:

    ", + "
  • age
  • ", + "
  • gender reassignment
  • ", + "
  • being married or in a civil partnership
  • ", + "
  • being pregnant or on maternity leave
  • ", + "
  • disability
  • ", + "
  • race including colour, nationality, ethnic or national origin
  • ", + "
  • religion or belief
  • ", + "
  • sex
  • ", + "
  • sexual orientation
  • ", + "

    These are called \u2018protected characteristics\u2019.

    ", + "

    You\u2019re protected from discrimination:

    ", + "
  • at work
  • ", + "
  • in education
  • ", + "
  • as a consumer
  • ", + "
  • when using public services
  • ", + "
  • when buying or renting property
  • ", + "
  • as a member or guest of a private club or association
  • ", + "

    You\u2019re legally protected from discrimination by the Equality Act 2010.

    ", + "

    You\u2019re also protected from discrimination if:

    ", + "
  • you\u2019re associated with someone who has a protected characteristic, for example a family member or friend
  • ", + "
  • you\u2019ve complained about discrimination or supported someone else\u2019s claim
  • ", + "

    Action against discrimination

    ", + "

    You can do something voluntarily to help people with a protected characteristic. This is called \u2018positive action\u2019.

    ", + "

    Taking positive action is legal if people with a protected characteristic:

    ", + "
  • are at a disadvantage
  • ", + "
  • have particular needs
  • ", + "
  • are under-represented in an activity or type of work
  • ", + "

    How you can be discriminated against

    ", + "

    Discrimination can come in one of the following forms:

    ", + "
  • direct discrimination - treating someone with a protected characteristic less favourably than others
  • ", + "
  • indirect discrimination - putting rules or arrangements in place that apply to everyone, but that put someone with a protected characteristic at an unfair disadvantage
  • ", + "
  • harassment - unwanted behaviour linked to a protected characteristic that violates someone\u2019s dignity or creates an offensive environment for them
  • ", + "
  • victimisation - treating someone unfairly because they\u2019ve complained about discrimination or harassment
  • ", + "

    It can be lawful to have specific rules or arrangements in place, as long as they can be justified.

    ", + "

    Discrimination at work

    ", + "

    The law protects you against discrimination at work, including:

    ", + "
  • dismissal
  • ", + "
  • employment terms and conditions
  • ", + "
  • pay and benefits
  • ", + "
  • promotion and transfer opportunities
  • ", + "
  • training
  • ", + "
  • recruitment
  • ", + "
  • redundancy
  • ", + "

    Some forms of discrimination are only allowed if they\u2019re needed for the way the organisation works, for example:

    ", + "
  • a Roman Catholic school restricting applications for admission of pupils to Catholics only
  • ", + "
  • employing only women in a health centre for Muslim women
  • ", + "

    Disability

    ", + "

    If you\u2019re disabled you have the same rights as other workers. Employers should also make \u2018reasonable adjustments\u2019 to help disabled employees and job applicants with:

    ", + "
  • application forms, for example providing forms in Braille or audio formats
  • ", + "
  • aptitude tests, for example giving extra time to complete the tests
  • ", + "
  • dismissal or redundancy
  • ", + "
  • discipline and grievances
  • ", + "
  • interview arrangements, such as providing wheelchair access, communicator support
  • ", + "
  • making sure the workplace has the right facilities and equipment for disabled workers or someone offered a job
  • ", + "
  • promotion, transfer and training opportunities
  • ", + "
  • terms of employment, including pay
  • ", + "
  • work-related benefits like access to recreation or refreshment facilities
  • ", + "

    What you can do

    ", + "

    If you\u2019re discriminated against at work there are ways to deal with it.

    ", + "

    Employers have to follow the law on preventing discrimination at work.

    ", + "

    Other types of unfair treatment

    ", + "

    You\u2019re also protected from being treated unfairly because of:

    ", + "
  • trade union membership or non-membership
  • ", + "
  • being a fixed-term or part-time worker
  • ", + "

    What you can do

    ", + "

    If you think you\u2019ve been unfairly discriminated against you can:

    ", + "
  • complain directly to the person or organisation
  • ", + "
  • use someone else to help you sort it out (called \u2018mediation\u2019 or \u2018alternative dispute resolution\u2019)
  • ", + "
  • make a claim in a court or tribunal
  • ", + "

    Contact the Equality Advisory Support Service for help and advice.

    ", + "

    Discrimination at work

    ", + "

    Employees should talk to their employer first to try and sort out the problem informally. You may also want to read about workplace disputes.

    ", + "

    If things cannot be sorted out informally, talk to Acas, Citizens Advice or a trade union representative.

    ", + "

    You might be able to take a claim to an employment tribunal for discrimination.

    ", + "

    Check if you can get legal aid to help with your legal costs if you think you\u2019ve been discriminated against. You can get advice from Civil Legal Advice if you\u2019re eligible.

    ", + "

    Employers must follow the law on preventing discrimination at work.

    " + ] + }, + { + "title": "How to make a freedom of information (FOI) request", + "url": "https://www.gov.uk/make-a-freedom-of-information-request", + "contents": [ + "

    Overview

    ", + "

    You have the right to ask to see recorded information held by public authorities.

    ", + "

    The Freedom of Information Act (FOIA) and Freedom of Information (Scotland) Act (FOISA) give you the right to see information.

    ", + "

    If you ask for environmental information, your request will be handled under the Environmental Regulations (EIRs) or Environmental Information (Scotland) Regulations (EISRs).

    ", + "

    Environmental information includes things like carbon emissions or the environment\u2019s effect on human health.

    ", + "

    You do not need to tell the organisation which law or regulations you\u2019re making your request under.

    ", + "

    Personal information

    ", + "

    There is a different way to make a request if you want information that an organisation holds about you. This includes things like your health records or credit reference files.

    ", + "

    Organisations you can ask for information

    ", + "

    You can request information from some public authorities, such as:

    ", + "
  • government departments, devolved administrations, other public bodies and committees
  • ", + "
  • local councils
  • ", + "
  • schools, colleges and universities
  • ", + "
  • the NHS - including hospitals, GPs, dentists, pharmacists and opticians
  • ", + "
  • publicly owned companies
  • ", + "
  • publicly funded museums, galleries and theatres
  • ", + "
  • the police and fire services
  • ", + "
  • registered social landlords in Scotland
  • ", + "

    You can make an environmental information request to private or public companies that have public responsibilities - like water companies.

    ", + "

    If you\u2019re not sure if the organisation is one you can make a request to, check with the information commissioner for:

    ", + "
  • Scottish public authorities - you can search on the Scottish Information Commissioner\u2019s website
  • ", + "
  • England, Wales or Northern Ireland and organisations that cover the whole of the UK - contact the Information Commissioner\u2019s Office
  • ", + "

    How to make an FOI request

    ", + "

    You must make a Freedom of Information (FOI) request in writing. You can do it by:

    ", + "
  • letter
  • ", + "
  • email
  • ", + "
  • social media
  • ", + "
  • online form - check the organisation\u2019s website or the government department\u2019s page to see if they have an online form
  • ", + "
  • fax
  • ", + "

    If you cannot make your request in writing because of a disability, contact the public authority. They should help you to make the request another way - for example over the phone.

    ", + "

    You can ask for environmental information in writing, in person or by phone.

    ", + "

    Before you make a request

    ", + "

    You might not need to make a Freedom of Information (FOI) request if the organisation has:

    ", + "
  • already published the information
  • ", + "
  • previously responded to an FOI request
  • ", + "

    Check their website for responses to previous FOI requests. This is sometimes known as a \u2018disclosure log\u2019. You can search for published responses to FOI requests from government departments, agencies and arms length bodies.

    ", + "

    You can also email or phone the organisation to ask if they\u2019ve already published the information or responded to an FOI request.

    ", + "

    What to include

    ", + "

    You should give:

    ", + "
  • your name (not needed if you\u2019re asking for environmental information)
  • ", + "
  • a contact postal or email address
  • ", + "
  • a detailed description of the information you want - for example, you might want all information held on a subject, or just a summary
  • ", + "

    You can ask for information in a particular format, such as:

    ", + "
  • paper or electronic copies of information
  • ", + "
  • audio format
  • ", + "
  • large print
  • ", + "

    When you\u2019ll get a response

    ", + "

    The organisation should send you the information within 20 working days of receiving your request. Some schools are allowed more time during school holidays.

    ", + "

    In Scotland, you should allow 6 extra days if you send your request by post.

    ", + "

    The organisation will tell you when to expect the information if they need more time.

    ", + "

    When your information will be shared

    ", + "

    If you\u2019ve sent an FOI request to several government departments, they may share your name and request between them. This is to help deal with your enquiry more effectively.

    ", + "

    No other details will be shared and your information will not be used for any other purpose.

    ", + "

    Costs

    ", + "

    Most requests are free but you might be asked to pay a small amount for photocopies or postage. The organisation will tell you if you have to pay anything.

    ", + "

    Check the copyright status of information you receive if you plan to reproduce it.

    ", + "

    If your request is turned down

    ", + "

    Some sensitive information is not available to members of the public. If this applies, an organisation must tell you why they cannot give you some or all of the information you requested.

    ", + "

    They might ask you to be more specific so they can provide just the information you need.

    ", + "

    An organisation can also refuse your Freedom of Information (FOI) request if getting information will cost more than \u00a3450, or \u00a3600 if the organisation is:

    ", + "
  • a government department, Parliament or part of the armed forces
  • ", + "
  • the Northern Ireland Assembly or the Welsh Assembly
  • ", + "
  • based in Scotland
  • ", + "

    An organisation can refuse your request for environmental information, if they think the cost of getting the information is too high.

    ", + "

    Reviews and complaints

    ", + "

    If an organisation does not provide you with the information you requested, you should first ask them to review their decision.

    ", + "

    If you\u2019re not satisfied with the organisation\u2019s response, you can complain or appeal to the information commissioner for:

    ", + "
  • England, Wales or Northern Ireland and organisations that cover the whole of the UK - complain to the Information Commissioner\u2019s Office
  • ", + "
  • Scottish public authorities - make an appeal to the Scottish Information Commissioner
  • " + ] + }, + { + "title": "Disability Living Allowance (DLA) for adults", + "url": "https://www.gov.uk/dla-disability-living-allowance-benefit", + "contents": [ + "

    Overview

    ", + "

    Disability Living Allowance (DLA) is being replaced by Personal Independence Payment (PIP) for disabled people.

    ", + "

    You can only apply for DLA if you\u2019re under 16. You can apply for:

    ", + "
  • PIP if you\u2019re aged 16 or over and have not reached State Pension age
  • ", + "
  • Attendance Allowance if you\u2019re State Pension age or older and do not get DLA
  • ", + "

    If you already get DLA, your claim might end. You\u2019ll get a letter telling you when this will happen and how you can apply for PIP.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you already get DLA

    ", + "

    If you were born on or before 8 April 1948, you\u2019ll continue to get Disability Living Allowance (DLA) as long as you\u2019re eligible for it.

    ", + "

    If you were born after 8 April 1948, your DLA will end. You\u2019ll get a letter telling you when that will happen. You\u2019ll continue to get DLA until that date.

    ", + "

    Unless your circumstances change, you do not need to do anything until you get this letter.

    ", + "

    If your DLA claim is ending

    ", + "

    If your DLA is ending, you\u2019ll get a letter inviting you to apply for Personal Independence Payment (PIP). If you do apply, you\u2019ll need to do it within 28 days.

    ", + "

    DLA will continue to be paid until at least 28 days after a decision is made about your PIP application.

    ", + "

    If you\u2019re eligible for PIP, you\u2019ll start getting PIP payments as soon as your DLA payments end.

    ", + "

    Change of circumstances

    ", + "

    You must contact the Disability Service Centre if your circumstances change, as this may affect how much DLA you get. For example:

    ", + "
  • the level of help you need or your condition changes
  • ", + "
  • you go into hospital or a care home for more than 4 weeks
  • ", + "
  • you go abroad for more than 13 weeks
  • ", + "
  • you\u2019re imprisoned or held in detention
  • ", + "

    You must also contact the centre if:

    ", + "
  • you change your name, address or bank details
  • ", + "
  • you want to stop receiving your benefit
  • ", + "
  • your doctor\u2019s details change
  • ", + "

    You may be asked to claim Personal Independence Payment (PIP) after you report a change to your circumstances.

    ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your DLA claim. This is called asking for \u2018mandatory reconsideration\u2019.

    ", + "

    DLA rates

    ", + "

    You can no longer apply for Disability Living Allowance (DLA) if you\u2019re 16 or over. You might be able to apply for Personal Independence Payment (PIP) instead.

    ", + "

    DLA is made up of 2 components (parts), the \u2018care component\u2019 and the \u2018mobility component\u2019. To get DLA you must be eligible for at least one of the components.

    ", + "

    How much DLA you get depends on how your disability or health condition affects you.

    ", + "

    If you need help looking after yourself

    ", + "

    You might get the care component of DLA if you:

    ", + "
  • need help with things like washing, dressing, eating, using the toilet or communicating your needs
  • ", + "
  • need supervision to avoid putting yourself or others in danger
  • ", + "
  • need someone with you when you\u2019re on dialysis
  • ", + "
  • cannot prepare a cooked main meal
  • ", + "

    You can get this part if no one is actually giving you the care you need, or you live alone.

    ", + "Care component | Weekly rate | Level of help you need", + "Lowest | \u00a323.70 | Help for some of the day or with preparing cooked meals", + "Middle | \u00a360.00 | Frequent help or constant supervision during the day, supervision at night or someone to help you while on dialysis", + "Highest | \u00a389.60 | Help or supervision throughout both day and night, or you\u2019re terminally ill", + "

    If you get DLA and Constant Attendance Allowance, the care component of your DLA will be reduced by the amount of Constant Attendance Allowance you get.

    ", + "

    If you have walking difficulties

    ", + "

    You might get the mobility component of DLA if, when using your normal aid, you:

    ", + "
  • cannot walk
  • ", + "
  • can only walk a short distance without severe discomfort
  • ", + "
  • could become very ill if you try to walk
  • ", + "

    You might also get it if you:

    ", + "
  • have no feet or legs
  • ", + "
  • are assessed as 100% blind and at least 80% deaf and you need someone with you when outdoors
  • ", + "
  • are severely mentally impaired with severe behavioural problems and get the highest rate of care for DLA
  • ", + "
  • need supervision most of the time when walking outdoors
  • ", + "
  • are certified as severely sight impaired and you were aged between 3 and 64 on 11 April 2011
  • ", + "Mobility component | Weekly rate | Level of help you need", + "Lower | \u00a323.70 | Guidance or supervision outdoors", + "Higher | \u00a362.55 | You have any other, more severe, walking difficulty", + "

    You must contact the Disability Service Centre if your circumstances change, for example your condition improves or you need more help.

    ", + "

    Assessments

    ", + "

    You might get a letter saying you need to attend an assessment to check the level of help you need. The letter explains why, and where you must go. Your benefit may be stopped if you do not go.

    ", + "

    At the assessment, you\u2019ll be asked for identification. You can use a passport or any 3 of the following:

    ", + "
  • birth certificate
  • ", + "
  • a full driving licence
  • ", + "
  • life assurance policy
  • ", + "
  • bank statements
  • ", + "

    How you\u2019re paid

    ", + "

    DLA is usually paid every 4 weeks on a Wednesday.

    ", + "

    If your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.

    ", + "

    All benefits, pensions and allowances are paid into your bank, building society or credit union account.

    ", + "

    Extra help

    ", + "

    You could get extra benefits if you get Disability Living Allowance - check with the Disability Service Centre or the office dealing with your benefit.

    ", + "

    If your disability or health condition stops you from working and you\u2019re eligible for Universal Credit, you could get an extra amount on top of your Universal Credit standard allowance.

    ", + "

    If you get DLA and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.

    " + ] + }, + { + "title": "Medical conditions, disabilities and driving", + "url": "https://www.gov.uk/driving-medical-conditions", + "contents": [ + "

    Telling DVLA about a medical condition or disability

    ", + "

    You must tell DVLA if you have a driving licence and:

    ", + "
  • you develop a \u2018notifiable\u2019 medical condition or disability
  • ", + "
  • a condition or disability has got worse since you got your licence
  • ", + "

    Notifiable conditions are anything that could affect your ability to drive safely. They can include:

    ", + "
  • diabetes or taking insulin
  • ", + "
  • syncope (fainting)
  • ", + "
  • heart conditions (including atrial fibrillation and pacemakers)
  • ", + "
  • sleep apnoea
  • ", + "
  • epilepsy
  • ", + "
  • strokes
  • ", + "
  • glaucoma
  • ", + "

    How to tell DVLA

    ", + "

    Check if you need to tell DVLA about your condition to find the forms or questionnaires you need. The address you need is on the forms.

    ", + "

    If you\u2019re in Northern Ireland you must contact the Driver and Vehicle Agency (DVA).

    ", + "

    There are different forms for different conditions and disabilities.

    ", + "

    Contact DVLA if you\u2019re not sure what to do.

    ", + "

    You could be fined up to \u00a31,000 if you do not tell DVLA about a condition that might affect your ability to drive safely. You could also be prosecuted if you have an accident.

    ", + "

    Surrendering your licence

    ", + "

    You must surrender your licence to DVLA if any of the following are true:

    ", + "
  • your doctor tells you to stop driving for 3 months or more
  • ", + "
  • your medical condition affects your ability to drive safely and lasts for 3 months or more
  • ", + "
  • you do not meet the required standards for driving because of your medical condition
  • ", + "

    You can apply to get your licence back when you meet the medical standards for driving again.

    ", + "

    First licence or renewal if you\u2019re 70 or over

    ", + "

    You must also tell DVLA about notifiable conditions if you:

    ", + "
  • apply for your first licence
  • ", + "
  • renew your licence (if you\u2019re 70 or over)
  • ", + "

    You\u2019ll be asked for this information in your application form. You do not need to contact DVLA separately.

    ", + "

    What happens after you tell DVLA

    ", + "

    You\u2019ll usually get a decision within 6 weeks. You\u2019ll get a letter from DVLA if it\u2019s going to take longer.

    ", + "

    DVLA might:

    ", + "
  • contact your doctor or consultant
  • ", + "
  • arrange for you to be examined
  • ", + "
  • ask you to take a driving assessment, or an eyesight or driving test
  • ", + "

    You can usually keep driving while DVLA are considering your application.

    ", + "

    If you\u2019ve told DVLA about a condition when applying to renew your licence, follow the guidance about driving that\u2019s in the form.

    ", + "

    Contact DVLA if you need advice or to check on your case.

    ", + "

    What DVLA will decide

    ", + "

    DVLA will assess your medical condition or disability and decide if:

    ", + "
  • you need to get a new driving licence
  • ", + "
  • you can have a shorter licence - for 1, 2, 3 or 5 years
  • ", + "
  • you need to adapt your car by fitting special controls
  • ", + "
  • you must stop driving and give up your licence
  • ", + "

    You need to adapt your vehicle

    ", + "

    If you\u2019ve been told that you must adapt your car, you get an independent assessment of your adaptation needs through Driving Mobility.

    ", + "

    Find out more about adapting your vehicle and where to get special controls fitted through the Research Institute for Disabled Consumers.

    ", + "

    You must stop driving

    ", + "

    You\u2019ll be given a medical reason why you must stop driving, and be told if and when you can reapply for your licence.

    ", + "

    If you disagree with DVLA\u2019s decision

    ", + "

    You can write to DVLA if you disagree with the decision to stop you driving. You must be able to provide relevant information that was not included in the original assessment.

    ", + "

    You must also include:

    ", + "
  • proof that you meet the required standards for driving (these are explained in the decision letter DVLA sent you)
  • ", + "
  • the reference number from your decision letter
  • ", + "

    You can also appeal the decision if you contact your local magistrate\u2019s court within 6 months, or your local sheriff\u2019s court in Scotland within 21 days.

    ", + "

    You may want to get legal advice before you appeal - you might be able to get legal aid to pay for it.

    ", + "

    You must tell DVLA in writing if you choose to appeal.

    ", + "

    Make a complaint

    ", + "

    You can make a complaint if you\u2019re unhappy with the service you get from DVLA.

    ", + "

    Renewing or reapplying for your licence

    ", + "

    How you reapply for or renew your licence depends on if you had to give up your licence, or if you have a short-term licence.

    ", + "

    You\u2019ve got a short-term licence

    ", + "

    DVLA will send you a renewal letter 90 days before your 1, 2, 3 or 5-year licence is due to expire.

    ", + "

    Renew your licence online, or send the renewal reminder back by post.

    ", + "

    You gave up your licence and stopped driving

    ", + "

    The letter DVLA sends you when your licence is taken away tells you if you have to wait before you can reapply.

    ", + "

    You must check with your doctor that you\u2019re fit to drive before you reapply for your licence, if it was taken away because of a medical condition.

    " + ] + }, + { + "title": "Mobility scooters and powered wheelchairs: the rules", + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "contents": [ + "

    Overview

    ", + "

    You do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.

    ", + "

    Mobility scooters and powered wheelchairs come in 2 categories:

    ", + "
  • \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph
  • ", + "
  • \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road
  • ", + "

    You do not need to register a class 2 invalid carriage.

    ", + "

    You must register class 3 invalid carriages.

    ", + "

    You must be 14 or over to drive a class 3 invalid carriage.

    ", + "

    Rules for class 3 invalid carriages

    ", + "

    The law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:

    ", + "
  • a maximum unladen weight of 150kg
  • ", + "
  • a maximum width of 0.85 metres
  • ", + "
  • a device to limit its speed to 4mph
  • ", + "
  • a maximum speed of 8mph
  • ", + "
  • an efficient braking system
  • ", + "
  • front and rear lights and reflectors
  • ", + "
  • direction indicators able to operate as a hazard warning signal
  • ", + "
  • an audible horn
  • ", + "
  • a rear view mirror
  • ", + "
  • an amber flashing light if it\u2019s used on a dual carriageway
  • ", + "

    You could be stopped by the police if your class 3 invalid carriage does not have these features.

    ", + "

    Driving on the road

    ", + "

    You can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.

    ", + "

    You cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.

    ", + "

    You must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.

    ", + "

    Road rules

    ", + "

    You must follow the Highway Code if you drive your mobility scooter on the road.

    ", + "

    Driving on footpaths and parking

    ", + "

    All mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.

    ", + "

    You cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.

    ", + "

    Parking

    ", + "

    All normal parking restrictions apply to mobility scooters and powered wheelchairs.

    ", + "

    Your vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.

    ", + "

    Eyesight requirements

    ", + "

    There is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).

    ", + "

    You must check that you can still do this regularly.

    ", + "

    You might have to pay compensation if you have an accident and poor eyesight was part of the cause.

    ", + "

    Who can use them

    ", + "

    You can only drive a mobility scooter or powered wheelchair if you:

    ", + "
  • have trouble walking because of an injury, physical disability or medical condition
  • ", + "
  • are demonstrating the vehicle before it\u2019s sold
  • ", + "
  • are training a disabled user
  • ", + "
  • are taking the vehicle to or from maintenance or repair
  • ", + "

    Vehicle tax, registration and insurance

    ", + "

    You do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.

    ", + "

    Check whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.

    ", + "

    Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair

    ", + "

    When you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.

    ", + "

    If you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.

    ", + "

    Change your name or address

    ", + "

    If you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.

    ", + "

    If your mobility scooter or powered wheelchair is not a registered vehicle

    ", + "

    Most scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.

    ", + "

    If your vehicle is not registered, register it by filling in:

    ", + "
  • form V55/4 for new vehicles
  • ", + "
  • form V55/5 for used vehicles
  • ", + "

    Insurance

    ", + "

    You do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.

    " + ] + }, + { + "title": "Transport support services for disabled people", + "url": "https://www.gov.uk/transport-disabled", + "contents": [ + "

    Trains

    ", + "

    You can give National Rail train companies advance notice if you think you\u2019ll need any help from staff.

    ", + "

    You can also check if a station has accessible facilities.

    ", + "

    Wheelchairs on trains

    ", + "

    On mainline (intercity, suburban and cross-country) trains there\u2019s space for your wheelchair. Put your chair in this space and use the brakes (or switch your wheelchair\u2019s power off) when the train\u2019s moving.

    ", + "

    How to get help

    ", + "

    All licensed train companies must be able to tell you:

    ", + "
  • what services and facilities are available
  • ", + "
  • how to get assistance - including when there are disruptions
  • ", + "

    This is called an Accessible Travel Policy (ATP). You can get a copy of an ATP from the train company.

    ", + "

    Disabled person\u2019s railcard

    ", + "

    If you\u2019re eligible you can get up to a third off rail tickets by applying for a disabled person\u2019s railcard. You must provide evidence of a relevant disability.

    ", + "

    Report a problem

    ", + "

    If you\u2019re unhappy with the help you get, complain to the train company directly.

    ", + "

    If you cannot resolve the complaint, you may be able to complain to the Rail Ombudsman. They can only consider complaints about companies that have joined the Rail Ombudsman scheme.

    ", + "

    Planes

    ", + "

    Tell your airline at least 48 hours before departure if you\u2019ll need help.

    ", + "

    Airlines and airports have different facilities for disabled people. Find out from your airport or airline if they have the facilities you need, for example a toilet with disabled access.

    ", + "

    Help at the airport

    ", + "

    If you have a sensory, physical or learning disability which affects your mobility when using transport, at airports in the UK and EU you have the right to:

    ", + "
  • help at specific arrival points, such as at terminal entrances, at transport interchanges and in car parks
  • ", + "
  • help to reach check-in
  • ", + "
  • help with registration at check-in
  • ", + "
  • help with moving through the airport if you need it, including to toilets
  • ", + "
  • help to board the plane
  • ", + "

    You\u2019ll also have the right to help because of your age or a temporary illness or injury - for example if you\u2019ve broken your leg and it\u2019s in a cast.

    ", + "

    You can travel with up to 2 items of mobility equipment free of charge if you\u2019re disabled. This will not count as part of your baggage allowance.

    ", + "

    Help on the plane

    ", + "

    If you have a sensory, physical or learning disability which affects your mobility on a flight, in the UK and EU you have the right to:

    ", + "
  • get information about your flight in a way you understand it
  • ", + "
  • help to find a seat that is suited to your needs
  • ", + "
  • help to move around the plane, including to toilets
  • ", + "

    Taking your wheelchair on the plane

    ", + "

    You cannot take your own wheelchair into the passenger cabin of a plane - it will be stored in the hold. Speak to your airline to find out what help they\u2019ll provide when boarding.

    ", + "

    Tell your airline, travel agent or tour operator as soon as possible if you\u2019re taking on a battery-powered wheelchair or mobility aid.

    ", + "

    Travelling with a companion

    ", + "

    You must travel with a companion if you\u2019re not self reliant, for example if you need help with feeding, breathing, using medication or using the toilet.

    ", + "

    The airline you\u2019re flying with will do their best to make sure you sit next to each other, so long as you tell them at least 48 hours before departure.

    ", + "

    Travelling with an assistance dog

    ", + "

    You have the right to travel with your assistance dog. You\u2019ll need to follow the rules on pet travel.

    ", + "

    Report a problem

    ", + "

    If you\u2019re unhappy with the help you get, complain to the airport or airline directly.

    ", + "

    If you cannot resolve the problem with them, you can complain to either:

    ", + "
  • an alternative dispute resolution (ADR) body
  • ", + "
  • the Civil Aviation Authority (CAA) if the airline or airport does not have an agreement with an ADR
  • ", + "

    Cars, buses and coaches

    ", + "

    Find out what you need to do if you\u2019re driving and you have a medical condition or disability, for example learning to drive and getting insured.

    ", + "

    You may be able to get a Blue Badge so you can park closer to where you want to go.

    ", + "

    The Motability Scheme

    ", + "

    The Motability Scheme can help you with leasing a car, powered wheelchair or scooter.

    ", + "

    Buses and coaches

    ", + "

    You can get a bus pass for free travel if you\u2019re disabled. Passes from councils in England can be used anywhere in England:

    ", + "
  • at any time on a Saturday, Sunday or bank holiday
  • ", + "
  • from 9:30am to 11pm on any other day
  • ", + "

    For travel outside of these times, contact the relevant council.

    ", + "

    Help getting on and off

    ", + "

    The law says bus and coach drivers must give reasonable assistance to disabled people, for example by helping them get on and off the bus or coach. This does not mean physically lifting passengers or heavy mobility equipment.

    ", + "

    If you need help to get on and off a coach, you should ask for this when you book your ticket.

    ", + "

    Report a problem

    ", + "

    If you\u2019re unhappy with the help you get, complain to the bus or coach service operator directly.

    ", + "

    If you cannot resolve the problem with the operator, contact:

    ", + "
  • Bus Users UK for complaints about services outside of London
  • ", + "
  • London TravelWatch for complaints about services in London
  • ", + "
  • your local government ombudsman for complaints about bus passes
  • ", + "

    Taxis and minicabs

    ", + "

    Licensed taxis can be hailed on the street, picked up at ranks or pre-booked, but you can only pre-book minicabs (also called \u2018private hire vehicles\u2019).

    ", + "

    Wheelchair access

    ", + "

    In some areas (mainly larger cities), licensed taxis have to be wheelchair accessible.

    ", + "

    To find out if there are accessible taxis near you, contact the taxi licensing office at your local council.

    ", + "

    London taxis

    ", + "

    In London, all black cabs are wheelchair accessible.

    ", + "

    Some of the newer \u2018black cabs\u2019 are also fitted with induction loops and intercoms for hearing aid users.

    ", + "

    Assistance dogs

    ", + "

    If you travel with an assistance dog they must be allowed into the taxi or minicab with you, unless the driver has an exemption certificate. This can be issued if they\u2019ve got a medical condition made worse by contact with dogs.

    ", + "

    A driver with an exemption certificate will have a \u2018Notice of Exemption\u2019 notice on their vehicle windscreen.

    ", + "

    It\u2019s illegal to be charged extra to travel in a taxi or minicab with an assistance dog. Otherwise the driver could be fined up to \u00a31,000.

    ", + "

    The following types of dog can be taken with you in taxis or minicabs:

    ", + "
  • guide dogs
  • ", + "
  • hearing dogs
  • ", + "
  • assistance dogs trained by Dogs for the Disabled, Support Dogs or Canine Partners
  • ", + "

    Travelling with your dog

    ", + "

    Taxi and private hire vehicle drivers have been told how to identify assistance dogs.

    ", + "

    Your assistance dog should wear its harness or identification jacket when you are travelling with it. If an identification card was issued for the dog, this should also be carried.

    ", + "

    Dogs should remain on the floor and under control at all times. If your dog causes any damage to the vehicle, the driver could ask you to pay for it.

    ", + "

    Report a problem

    ", + "

    As well as the rules on wheelchairs and assistance dogs, all taxi and minicab drivers must make sure they do not discriminate against you and cannot treat you less favourably than other customers. They should also make any \u2018reasonable adjustments\u2019 to their service for you to make your journey easier.

    ", + "

    You should report any problems to the taxi licensing office at your local council.

    ", + "

    Ships

    ", + "

    You can get help if you\u2019re disabled and travelling on any of the following:

    ", + "
  • a cruise ship that\u2019s leaving from a port within the UK
  • ", + "
  • a ferry that\u2019s leaving from or going to a port within the UK
  • ", + "
  • a local ferry service, for example by river bus
  • ", + "

    If you need to make specific arrangements for your journey (for example if you have certain accommodation or seating requirements), you should tell the cruise line, ferry service, travel agent or tour operator at least 48 hours before departure.

    ", + "

    Travelling with a carer

    ", + "

    You should let the cruise line or ferry service know if you need to travel with a carer. On a ferry, your carer might be able to travel for free.

    ", + "

    Help getting on and off

    ", + "

    Tell the cruise line or ferry service at least 48 hours before departure if you need help getting on and off the ship.

    ", + "

    Report a problem

    ", + "

    If you\u2019re unhappy with the help you get, complain to the cruise line or ferry service company directly.

    ", + "

    If it cannot be resolved you can contact an independent organisation to look into your complaint.

    ", + "

    In England or Wales, you can contact:

    ", + "
  • Association of British Travel Agents (ABTA), for complaints about ferries
  • ", + "
  • London Travel Watch, for complaints about London River Bus services
  • ", + "
  • Cruise Line International Association (CLIA), for complaints about cruises
  • ", + "

    In Scotland, you can contact Transport Scotland.

    ", + "

    In Northern Ireland, you can contact the Consumer Council of Northern Ireland.

    ", + "

    Wheelchairs

    ", + "

    Shopmobility lends wheelchairs and powered scooters to people who are disabled so they can shop or visit leisure facilities in a town, city or shopping centre.

    " + ] + }, + { + "title": "Recruitment and disabled people", + "url": "https://www.gov.uk/recruitment-disabled-people", + "contents": [ + "

    Job specifications

    ", + "

    The job specification (or \u2018person requirements\u2019) of a vacancy must not exclude disabled people from applying for a job.

    ", + "

    However, some jobs may have an essential requirement that cannot be met with a reasonable adjustment.

    ", + "

    If you reject a disabled candidate, it must be based on their performance at interview rather than having to make reasonable adjustments.

    ", + "

    Encouraging applications

    ", + "

    Your local Jobcentre Plus can help with:

    ", + "
  • making sure your application process is accessible
  • ", + "
  • advising you about recruitment practices that open up jobs to disabled people
  • ", + "
  • information about making reasonable adjustments that can help someone start or keep their job
  • ", + "

    Contact Jobcentre Plus to find out more.

    ", + "

    Apply for the disability confident scheme

    ", + "

    Sign up as a disability confident committed employer. When you\u2019ve done this you can use the disability confident badge on adverts to show you encourage applications from disabled people.

    ", + "

    Alternative formats

    ", + "

    You must provide information about the vacancy in alternative formats (for example, large print) on request if this is reasonable. You must also accept applications in alternative formats (for example, electronically) where possible.

    ", + "

    Reasonable adjustments

    ", + "

    You can ask if a candidate needs an adjustment to the recruitment process to allow them to be considered for the job, or you can wait to be told.

    ", + "

    You must make adjustments if they\u2019re reasonable, for example allowing:

    ", + "
  • wheelchair users to have their interview on the ground floor
  • ", + "
  • candidates to complete a written test using a computer
  • ", + "

    After you\u2019ve made a job offer, you can ask what adjustments they\u2019ll need to do the job.

    ", + "

    You can get help paying for extra support in the workplace through an Access to Work grant but you cannot use the money for reasonable adjustments.

    " + ] + }, + { + "title": "Towing with a car", + "url": "https://www.gov.uk/towing-with-car", + "contents": [ + "

    What you can tow

    ", + "

    The rules on what you can tow are different depending on when you passed your driving test.

    ", + "

    View your driving licence information to see if you\u2019re allowed to tow.

    ", + "

    Licences issued from 1 January 1997

    ", + "

    If you passed your car driving test on or after 1 January 1997 you can:

    ", + "
  • drive a car or van up to 3,500kg maximum authorised mass (MAM) towing a trailer of up to 750kg MAM
  • ", + "
  • tow a trailer over 750kg MAM as long as the combined MAM of the trailer and towing vehicle is no more than 3,500kg
  • ", + "

    MAM is the limit on how much the vehicle can weigh when it\u2019s loaded.

    ", + "

    You have to pass the car and trailer driving test if you want to tow anything heavier.

    ", + "

    Licences issued before 1 January 1997

    ", + "

    If you passed your car test before 1 January 1997 you\u2019re usually allowed to drive a vehicle and trailer combination up to 8,250kg MAM. View your driving licence information to check.

    ", + "

    You\u2019re also allowed to drive a minibus with a trailer over 750kg MAM.

    ", + "

    Towing heavier combinations

    ", + "

    Follow these steps if you want to tow heavier combinations.

    ", + "
  • Apply for provisional licence for a medium-sized lorry and trailer (category C1+E).
  • ", + "
  • Pass the lorry theory test.
  • ", + "
  • Pass the C1+E driving test.
  • ", + "

    You need to take extra Driver Certificate of Professional Competence (CPC) tests if driving the medium-sized lorry is the main part of your job.

    ", + "

    Once you\u2019ve done this you can drive vehicles and trailers with a combined weight of up to 12,000kg MAM.

    ", + "

    Towing weight and width limits

    ", + "

    Most cars have a maximum weight they can tow. It\u2019s usually listed in the handbook or specification sheet.

    ", + "

    Alternatively the vehicle\u2019s \u2018gross train weight\u2019 may be listed on the vehicle identification number (VIN) plate on the car. This is normally under the bonnet or inside the driver\u2019s door.

    ", + "

    The gross train weight is the weight of the fully-loaded car plus fully-loaded trailer and must not be exceeded.

    ", + "

    If your VIN plate doesn\u2019t list a train weight, you should not use your vehicle for towing.

    ", + "

    Width and length

    ", + "

    The maximum trailer width for any towing vehicle is 2.55 metres.

    ", + "

    The maximum length for a trailer towed by a vehicle weighing up to 3,500kg is 7 metres. This length does not include the A-frame.

    ", + "

    Trailers, caravans and towing equipment

    ", + "

    The equipment you use with your trailer or caravan must:

    ", + "
  • meet certain safety standards
  • ", + "
  • be used correctly
  • ", + "

    You can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for using a vehicle in a dangerous condition.

    ", + "

    Carry out safety checks to make sure you\u2019re using the trailer and equipment legally.

    ", + "

    Towing bars

    ", + "

    If you get a tow bar for your car, it needs to be \u2018type approved\u2019. This means it meets EU regulations and is designed for your car.

    ", + "

    Type-approved tow bars have a label with:

    ", + "
  • an approval number
  • ", + "
  • details of the vehicles it\u2019s approved for
  • ", + "

    If your car was first used before 1 August 1998, your tow bar doesn\u2019t need to be type-approved.

    ", + "

    Towing mirrors

    ", + "

    You must have an adequate view of the road behind you.

    ", + "

    Fit suitable towing mirrors if your trailer or caravan is wider than the rear of your car.

    ", + "

    You can be fined up to \u00a31,000 and get 3 penalty points for towing without proper towing mirrors.

    ", + "

    Trailer or caravan brakes

    ", + "

    Your trailer must have a working brake system if it weighs over 750kg when it\u2019s loaded.

    ", + "

    Some smaller trailers also have brakes, but these are optional.

    ", + "

    Any brakes must be in good working order.

    ", + "

    You must use a breakaway cable or secondary coupling in case the trailer becomes detached from your car.

    ", + "

    Number plates

    ", + "

    You must display the same number plate on your trailer as on your towing car.

    ", + "

    If you tow more than one trailer at a time, fix the number plate to the trailer at the back.

    ", + "

    Towing an American caravan or trailer

    ", + "

    American trailers and caravans don\u2019t always meet European safety regulations.

    ", + "

    If you want to use an American caravan or trailer in the UK or the EU, you must first check that it\u2019s legal.

    ", + "

    Read more about brakes and couplings for American caravans and trailers.

    " + ] + }, + { + "title": "Car and trailer driving test", + "url": "https://www.gov.uk/car-trailer-driving-test", + "contents": [ + "

    Booking your test

    ", + "

    You can book your car and trailer driving test when you\u2019ve got a full car driving licence. You do not need to pass another theory test.

    ", + "

    The test is sometimes called the \u2018B+E test\u2019. Check the rules to see if you need to take it.

    ", + "

    To pass the driving test you must be able to:

    ", + "
  • drive safely in different road and traffic conditions
  • ", + "
  • show that you know The Highway Code by the way you drive
  • ", + "

    The national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.

    ", + "

    There\u2019s no minimum number of lessons you must have done before you book and take your test.

    ", + "

    Change or check your test details

    ", + "

    You can change the date of your test after you\u2019ve booked.

    ", + "

    You can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.

    ", + "

    Rebook your test

    ", + "

    Rebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.

    ", + "

    What to take to your test

    ", + "

    You must take:

    ", + "
  • your UK driving licence
  • ", + "
  • a car and trailer that meet the rules
  • ", + "
  • a face covering, unless you have a good reason not to wear one
  • ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your driving test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Wearing a face covering

    ", + "

    You must bring and wear a face covering during your test, unless you have a good reason not to. Good reasons are things like:

    ", + "
  • having a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    If you cannot wear a face covering during your test, you or your driving school must tell DVSA when booking your appointment.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Because of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.

    ", + "

    Your driving licence

    ", + "

    Apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    ", + "

    If you do not have a photocard licence

    ", + "

    Bring a valid passport and your paper licence.

    ", + "

    If you have a licence from Northern Ireland

    ", + "

    Bring the Northern Ireland photocard and paper counterpart.

    ", + "

    What happens during the car and trailer test

    ", + "

    There are 6 parts to the driving test:

    ", + "
  • an eyesight check
  • ", + "
  • \u2018show me, tell me\u2019 vehicle safety questions
  • ", + "
  • reversing your vehicle
  • ", + "
  • general driving ability
  • ", + "
  • independent driving
  • ", + "
  • uncoupling and recoupling the trailer
  • ", + "

    You\u2019ll drive for around 50 minutes.

    ", + "

    Eyesight check

    ", + "

    You\u2019ll have to read a number plate from a distance of:

    ", + "
  • 20 metres for vehicles with a new-style number plate
  • ", + "
  • 20.5 metres for vehicles with an old-style number plate
  • ", + "

    New-style number plates start with 2 letters followed by 2 numbers, for example, AB51 ABC.

    ", + "

    You\u2019ll fail your driving test if you fail the eyesight check. The test will end.

    ", + "

    \u2018Show me, tell me\u2019 questions

    ", + "

    You\u2019ll be asked 5 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.

    ", + "

    Reversing your vehicle

    ", + "

    You\u2019ll have to show that you can manoeuvre your car and trailer into a restricted space and stop at a certain point.

    ", + "

    The examiner will show you a diagram of where to reverse your vehicle.

    ", + "

    Your general driving ability

    ", + "

    You\u2019ll drive in various road and traffic conditions, including motorways where possible.

    ", + "

    The examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.

    ", + "

    Pulling over at the side of the road

    ", + "

    You\u2019ll be asked to pull over and pull away during your test, including:

    ", + "
  • normal stops at the side of the road
  • ", + "
  • pulling out from behind a parked vehicle
  • ", + "
  • a hill start
  • ", + "

    Independent driving

    ", + "

    You\u2019ll have to drive for about 10 minutes by following either:

    ", + "
  • traffic signs
  • ", + "
  • a series of verbal directions
  • ", + "
  • a combination of both
  • ", + "

    The examiner can show you a simple diagram to help you understand where you\u2019re going when following verbal directions.

    ", + "

    You cannot use a sat nav.

    ", + "

    If you cannot see traffic signs

    ", + "

    If you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.

    ", + "

    Forgetting the directions

    ", + "

    You can ask the examiner to confirm the directions if you forget them. It does not matter if you do not remember every direction.

    ", + "

    Going off the route

    ", + "

    Your test result will not be affected if you go off the route, unless you make a fault while doing it.

    ", + "

    The examiner will help you get back on the route if you take a wrong turning.

    ", + "

    Uncoupling and recoupling the trailer

    ", + "

    You\u2019ll be asked to:

    ", + "
  • uncouple your car from the trailer
  • ", + "
  • park the car alongside the trailer
  • ", + "
  • realign the car with the trailer and recouple them
  • ", + "

    If you make mistakes during your test

    ", + "

    You can carry on if you make a mistake during your driving test.

    ", + "

    If you make a serious or dangerous mistake (sometimes called a \u2018major fault\u2019), your examiner will stop the test and direct you back to the driving test centre. This is to minimise the amount of time you need to spend in the car together.

    ", + "

    Driving test faults and your result

    ", + "

    There are 3 types of faults you can make:

    ", + "
  • a dangerous fault - this involves actual danger to you, the examiner, the public or property
  • ", + "
  • a serious fault - something potentially dangerous
  • ", + "
  • a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault
  • ", + "

    Pass mark

    ", + "

    You\u2019ll pass your driving test if you make:

    ", + "
  • no more than 15 driving faults (sometimes called \u2018minors\u2019)
  • ", + "
  • no serious or dangerous faults (sometimes called \u2018majors\u2019)
  • ", + "

    If you pass your test

    ", + "

    The examiner will:

    ", + "
  • tell you what faults you made, if any
  • ", + "
  • give you a pass certificate
  • ", + "
  • ask you if you want your full licence to be sent to you automatically - give the examiner your licence if you want to do this
  • ", + "

    If you choose not to get your licence sent to you automatically, you\u2019ve got 2 years to apply for it. After that you\u2019ll need to take the test again.

    ", + "

    When you can start driving

    ", + "

    You can start towing straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.

    ", + "

    Contact DVLA if your full licence has not arrived 3 weeks after you applied for it.

    ", + "

    If you do not pass

    ", + "

    The examiner will tell you what faults you made.

    ", + "

    If you want to resit the test, you\u2019ll need to pay again to book another test.

    ", + "

    Appeal your driving test

    ", + "

    You can appeal your driving test if you can prove that your driving examiner did not follow the law.

    ", + "

    Read the guidance on appealing your driving test to check if your examiner followed the law.

    ", + "

    If you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA).

    ", + "

    If DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.

    ", + "

    If DVSA does not agree with your complaint, you may be able to appeal to a court instead.

    ", + "

    Appeal your driving test to a court

    ", + "

    You can appeal if you can prove that your examiner did not follow the law when they carried out your test.

    ", + "

    Your test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.

    ", + "

    You might have to pay significant legal costs if your appeal is unsuccessful.

    ", + "

    You\u2019ll need to appeal within:

    ", + "
  • 6 months of your driving test in England and Wales
  • ", + "
  • 21 days of your driving test in Scotland
  • ", + "

    Check if you can appeal.

    ", + "

    Rules for the car you use

    ", + "

    The car that you use to tow the trailer must meet certain rules.

    ", + "

    Your test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.

    ", + "

    Rules about the car

    ", + "

    Your car must:

    ", + "
  • be taxed
  • ", + "
  • be insured for a driving test (check with your insurance company)
  • ", + "
  • be roadworthy and have a current MOT (if it\u2019s over 3 years old)
  • ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "
  • be able to reach at least 62mph and have an mph speedometer
  • ", + "
  • have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500kg
  • ", + "

    The MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.

    ", + "

    Coronavirus (COVID-19) safety

    ", + "

    Because of COVID-19, you must clean the inside of your car before your test.

    ", + "

    This means:

    ", + "
  • tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    ", + "

    Things that must be fitted

    ", + "

    The car must have:

    ", + "
  • extra mirrors mounted onto the wing mirrors on both the passenger and driver side (for the examiner to use)
  • ", + "
  • L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front of the car and rear of the trailer
  • ", + "
  • a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)
  • ", + "

    Manual and automatic cars

    ", + "

    You can take the test in a:

    ", + "
  • manual car - these have 3 pedals
  • ", + "
  • automatic or semi-automatic car - these have 2 pedals
  • ", + "

    The type of car and trailer you can drive after passing the test depends on:

    ", + "
  • what your licence is already for
  • ", + "
  • what type of car you take the test in
  • ", + "

    What you can drive after passing the car and trailer test

    ", + "Existing car licence | Car you use for the test | Cars you can drive when towing | Cars you can drive when not towing", + "Manual | Manual | Manual and automatic | Manual and automatic", + "Automatic | Automatic | Automatic | Automatic", + "Automatic | Manual | Manual and automatic | Manual and automatic", + "Manual | Automatic | Automatic | Manual and automatic", + "

    Hire cars

    ", + "

    You can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.

    ", + "

    Vehicle features

    ", + "

    You can use a car with:

    ", + "
  • an electronic parking brake
  • ", + "
  • hill-start assist
  • ", + "

    Cars with known safety faults

    ", + "

    You cannot use one of the cars shown in the table unless you bring proof to the test that it\u2019s safe. This is because these cars have been recalled for a safety reason.

    ", + "Model | Reason for recall | Vehicles affected | Recall issue date", + "Citroen C1 | Steering failure | Vehicles built between 9 Sept 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016", + "Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016", + "Toyota Aygo | Steering failure | Build dates between 9 Sept 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016", + "Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014", + "Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014", + "Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014", + "

    Proof you need to bring to your test

    ", + "

    You must bring proof that says one of the following:

    ", + "
  • the car was recalled and the recall work has been done
  • ", + "
  • the car was recalled but did not need any work to be done
  • ", + "
  • the car was not part of the recall
  • ", + "

    The proof must be either:

    ", + "
  • the recall letter or safety notice, stamped by the manufacturer or dealer
  • ", + "
  • on official or headed notepaper from the manufacturer or a dealer
  • ", + "

    Your test will be cancelled and you could lose your fee if you do not bring the right proof.

    ", + "

    Rules for the trailer you use

    ", + "

    The trailer you use and the load it carries must meet certain rules.

    ", + "

    Your test will be cancelled and you\u2019ll have to pay again if your trailer or load do not meet the rules.

    ", + "

    The trailer you use must:

    ", + "
  • be a closed box body, such as a horsebox
  • ", + "
  • be around the same width and height as the car - you must only be able to see to the rear by using external mirrors, and not through the rear window
  • ", + "
  • have a maximum authorised mass (MAM) of at least 1,000kg - you need proof to show the examiner, for example, the manufacturer\u2019s plate
  • ", + "

    The MAM is the limit on how much the trailer can weigh when it\u2019s loaded.

    ", + "

    Rules about the load

    ", + "

    The trailer must carry a load of at least 600kg. The combined weight of the trailer and load must be at least 800kg.

    ", + "

    The load must be secured safely to the trailer. Your test will be cancelled if it is not.

    ", + "

    The load can be either:

    ", + "
  • bagged aggregates weighing at least 600kg, for example, sand, stone chippings or gravel (but not toxic materials)
  • ", + "
  • a 600 litre or 1,000 litre intermediate bulk container, completely full of water
  • ", + "

    Intermediate bulk containers are industrial containers for transporting liquids. They\u2019re made from semi-transparent plastic and are usually reinforced with a wire frame.

    ", + "

    Bags of aggregate

    ", + "

    Each bag of aggregate must:

    ", + "
  • be sealed
  • ", + "
  • weigh at least 10kg (all bags must weigh the same)
  • ", + "
  • have the weight clearly marked on it
  • ", + "

    You can also use a single bag if it weighs 600kg or 1,000kg.

    ", + "

    Water in containers

    ", + "

    Water must be in an intermediate bulk container. The examiner must be able to see that it is full.

    ", + "

    If you have a disability, health condition or learning difficulty

    ", + "

    When you book your driving test you should say if you have a:

    ", + "
  • disability
  • ", + "
  • health condition
  • ", + "
  • learning difficulty
  • ", + "

    You\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.

    ", + "

    If your health condition or disability means you cannot wear a face covering during your test, you or your driving school must tell DVSA when booking your appointment.

    ", + "

    You have a disability

    ", + "

    At the start of the test, the examiner will talk to you about:

    ", + "
  • your disability
  • ", + "
  • any adaptations fitted to your car
  • ", + "

    If you\u2019re physically unable to uncouple and recouple the car and trailer, you can be asked questions to check your understanding instead.

    ", + "

    You\u2019re deaf or have a hearing impairment

    ", + "

    The examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.

    ", + "

    The examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.

    ", + "

    Using a sign language interpreter

    ", + "

    You can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.

    ", + "

    Your driving instructor can be your interpreter.

    ", + "

    You need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.

    ", + "

    You\u2019re pregnant

    ", + "

    You can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.

    ", + "

    You have reading difficulties

    ", + "

    When you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.

    ", + "

    You have learning difficulties

    ", + "

    The examiner will make adjustments for the independent driving part of the test if you have learning difficulties.

    ", + "

    They might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.

    ", + "

    You might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.

    ", + "

    If your test is cancelled or there's bad weather

    ", + "

    Your driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.

    ", + "

    If your test is cancelled because of coronavirus (COVID-19)

    ", + "

    You\u2019ll be emailed with a new date if your driving test is cancelled because of COVID-19.

    ", + "

    Bad weather

    ", + "

    Driving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.

    ", + "

    Call your test centre if there are any of these conditions on the day of your test.

    ", + "

    The phone number for the test centre is on your booking confirmation email.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it is not suitable. Your driving school will need to change your test date for you if they booked it.

    ", + "

    You cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.

    ", + "

    Problems with you or your vehicle

    ", + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example, if you feel unwell while taking your test
  • ", + "
  • your vehicle, for example, if your car breaks down during the test or the car or trailer do not meet the rules to be used
  • ", + "

    Your driving school will need to rearrange your test for you if they booked it.

    ", + "

    If your test is cancelled for another reason

    ", + "

    Sometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it is not suitable. Your driving school will need to change your test date for you if they booked it.

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    " + ] + }, + { + "title": "Penalty points (endorsements)", + "url": "https://www.gov.uk/penalty-points-endorsements", + "contents": [ + "

    Overview

    ", + "

    The courts can fine you and \u2018endorse\u2019 your driving record with penalty points if you\u2019re convicted of a motoring offence.

    ", + "

    Endorsements must stay on your driving record for 4 or 11 years, depending on the offence.

    ", + "

    The endorsement and penalty points are put on your driver record. View your driving licence record to see what penalty points you have and when they\u2019ll be removed.

    ", + "

    You can be disqualified from driving if you build up 12 or more penalty points within a period of 3 years. There are different rules for new drivers.

    ", + "

    Endorsement codes and processes in Northern Ireland are different.

    ", + "

    Endorsement codes and penalty points

    ", + "

    Each endorsement has a special code and is given \u2018penalty points\u2019 on a scale from 1 to 11. You get more points for more serious offences.

    ", + "

    The table shows the offence codes that can be put on your driving record. It also shows how many penalty points you can get for them. Some offences may also involve a disqualification.

    ", + "

    Offence codes and penalty points must stay on your driving record for 4 or 11 years depending on the offence.

    ", + "

    Accident offences

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "AC10 | Failing to stop after an accident | 5 to 10", + "AC20 | Failing to give particulars or report an accident within 24 hours | 5 to 10", + "AC30 | Undefined accident offences | 4 to 9", + "

    Disqualified driver

    ", + "

    Codes BA10 and BA30 must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "BA10 | Driving while disqualified by order of court | 6", + "BA30 | Attempting to drive while disqualified by order of court | 6", + "

    Codes BA40 and BA60 must stay on a driving record for 4 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "BA40 | Causing death by driving while disqualified | 3 to 11", + "BA60 | Causing serious injury by driving while disqualified | 3 to 11", + "

    Careless driving

    ", + "

    Codes CD10 to CD30 must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "CD10 | Driving without due care and attention | 3 to 9", + "CD20 | Driving without reasonable consideration for other road users | 3 to 9", + "CD30 | Driving without due care and attention or without reasonable consideration for other road users | 3 to 9", + "

    Codes CD40 to CD70 must stay on a driving record for 11 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "CD40 | Causing death through careless driving when unfit through drink | 3 to 11", + "CD50 | Causing death by careless driving when unfit through drugs | 3 to 11", + "CD60 | Causing death by careless driving with alcohol level above the limit | 3 to 11", + "CD70 | Causing death by careless driving then failing to supply a specimen for alcohol analysis | 3 to 11", + "

    Codes CD80 and CD90 must stay on a driving record for 4 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "CD80 | Causing death by careless, or inconsiderate, driving | 3 to 11", + "CD90 | Causing death by driving: unlicensed, disqualified or uninsured drivers | 3 to 11", + "

    Construction and use offences

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "CU10 | Using a vehicle with defective brakes | 3", + "CU20 | Causing or likely to cause danger by reason of use of unsuitable vehicle or using a vehicle with parts or accessories (excluding brakes, steering or tyres) in a dangerous condition | 3", + "CU30 | Using a vehicle with defective tyre(s) | 3", + "CU40 | Using a vehicle with defective steering | 3", + "CU50 | Causing or likely to cause danger by reason of load or passengers | 3", + "CU80 | Breach of requirements as to control of the vehicle, such as using a mobile phone | 3 to 6", + "

    Reckless/dangerous driving

    ", + "

    These codes must stay on a driving record for 4 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "DD10 | Causing serious injury by dangerous driving | 3 to 11", + "DD40 | Dangerous driving | 3 to 11", + "DD60 | Manslaughter or culpable homicide while driving a vehicle | 3 to 11", + "DD80 | Causing death by dangerous driving | 3 to 11", + "DD90 | Furious driving | 3 to 9", + "

    Drink

    ", + "

    Codes DR10 to DR61 must stay on a driving record for 11 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "DR10 | Driving or attempting to drive with alcohol level above limit | 3 to 11", + "DR20 | Driving or attempting to drive while unfit through drink | 3 to 11", + "DR30 | Driving or attempting to drive then failing to supply a specimen for analysis | 3 to 11", + "DR31 | Driving or attempting to drive then refusing to give permission for analysis of a blood sample that was taken without consent due to incapacity | 3 to 11", + "DR61 | Refusing to give permission for analysis of a blood sample that was taken without consent due to incapacity in circumstances other than driving or attempting to drive | 10", + "

    Codes DR40 to DR70 must stay on a driving record for 4 years from the date of the offence or 4 years from date of conviction where a disqualification is imposed.

    ", + "Code | Offence | Penalty points", + "DR40 | In charge of a vehicle while alcohol level above limit | 10", + "DR50 | In charge of a vehicle while unfit through drink | 10", + "DR60 | Failure to provide a specimen for analysis in circumstances other than driving or attempting to drive | 10", + "DR70 | Failing to co-operate with a preliminary test | 4", + "

    Drugs

    ", + "

    These codes must stay on a driving record for 11 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "DG10 | Driving or attempting to drive with drug level above the specified limit | 3 to 11", + "DG60 | Causing death by careless driving with drug level above the limit | 3 to 11", + "DR80 | Driving or attempting to drive when unfit through drugs | 3 to 11", + "

    These codes must stay on a driving record for 4 years from the date of the offence or 4 years from date of conviction where a disqualification is imposed.

    ", + "Code | Offence | Penalty points", + "DG40 | In charge of a vehicle while drug level above specified limit | 10", + "DR70 | Failing to co-operate with a preliminary test | 4", + "DR90 | In charge of a vehicle when unfit through drugs | 10", + "

    Insurance offences

    ", + "

    Code IN10 must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "IN10 | Using a vehicle uninsured against third party risks | 6 to 8", + "

    Licence offences

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "LC20 | Driving otherwise than in accordance with a licence | 3 to 6", + "LC30 | Driving after making a false declaration about fitness when applying for a licence | 3 to 6", + "LC40 | Driving a vehicle having failed to notify a disability | 3 to 6", + "LC50 | Driving after a licence has been cancelled (revoked) or refused on medical grounds | 3 to 6", + "

    Miscellaneous offences

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "MS10 | Leaving a vehicle in a dangerous position | 3", + "MS20 | Unlawful pillion riding | 3", + "MS30 | Play street offences | 2", + "MS50 | Motor racing on the highway | 3 to 11", + "MS60 | Offences not covered by other codes (including offences relating to breach of requirements as to control of vehicle) | 3", + "MS70 | Driving with uncorrected defective eyesight | 3", + "MS80 | Refusing to submit to an eyesight test | 3", + "MS90 | Failure to give information as to identity of driver etc | 6", + "

    Motorway offences

    ", + "

    Code MW10 must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "MW10 | Contravention of special roads regulations (excluding speed limits) | 3", + "

    Pedestrian crossings

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "PC10 | Undefined contravention of pedestrian crossing regulations | 3", + "PC20 | Contravention of pedestrian crossing regulations with moving vehicle | 3", + "PC30 | Contravention of pedestrian crossing regulations with stationary vehicle | 3", + "

    Speed limits

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "SP10 | Exceeding goods vehicle speed limits | 3 to 6", + "SP20 | Exceeding speed limit for type of vehicle (excluding goods or passenger vehicles) | 3 to 6", + "SP30 | Exceeding statutory speed limit on a public road | 3 to 6", + "SP40 | Exceeding passenger vehicle speed limit | 3 to 6", + "SP50 | Exceeding speed limit on a motorway | 3 to 6", + "

    Traffic direction and signs

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "TS10 | Failing to comply with traffic light signals | 3", + "TS20 | Failing to comply with double white lines | 3", + "TS30 | Failing to comply with \u2018stop\u2019 sign | 3", + "TS40 | Failing to comply with direction of a constable/warden | 3", + "TS50 | Failing to comply with traffic sign (excluding \u2018stop\u2019 signs, traffic lights or double white lines) | 3", + "TS60 | Failing to comply with a school crossing patrol sign | 3", + "TS70 | Undefined failure to comply with a traffic direction sign | 3", + "

    Special code

    ", + "

    Code TT99 must stay on a driving record for 4 years from the date of conviction.

    ", + "

    It shows disqualification under \u2018totting-up\u2019 - if the total of penalty points reaches 12 or more within 3 years, the driver can be disqualified.

    ", + "

    Theft or unauthorised taking

    ", + "

    Code UT50 must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "UT50 | Aggravated taking of a vehicle | 3 to 11", + "

    \u2018Mutual recognition\u2019 codes

    ", + "

    You\u2019ll get an \u2018MR\u2019 code on your driving record if you\u2019re disqualified while driving in Northern Ireland or the Isle of Man. Your disqualification period will also be valid in GB and will stay on your record for 4 years from the date of conviction.

    ", + "Code | Offence", + "MR09 | Reckless or dangerous driving (whether or not resulting in death, injury or serious risk)", + "MR19 | Wilful failure to carry out the obligation placed on driver after being involved in a road accident (hit or run)", + "MR29 | Driving a vehicle while under the influence of alcohol or other substance affecting or diminishing the mental and physical abilities of a driver", + "MR39 | Driving a vehicle faster than the permitted speed", + "MR49 | Driving a vehicle whilst disqualified", + "MR59 | Other conduct constituting an offence for which a driving disqualification has been imposed by the State of Offence", + "

    Aiding, abetting, counselling or procuring offences

    ", + "

    For these offences, the codes are similar, but with the number 0 on the code changed to 2.

    ", + "

    For example, code LC20 (driving otherwise than in accordance with a licence) becomes code LC22 on your driving record if you have helped someone to do this.

    ", + "

    Causing or permitting offences

    ", + "

    For these offences, the codes are similar, but with the number 0 on the code changed to 4.

    ", + "

    For example, LC20 (driving otherwise than in accordance with a licence) becomes LC24 on your licence if you\u2019ve caused or permitted someone to do this.

    ", + "

    Inciting offences

    ", + "

    For these offences, the codes are similar, but with the number 0 on the code changed to 6.

    ", + "

    For example, DD40 (dangerous driving) becomes DD46 on your driving record if you\u2019ve incited someone to do this.

    ", + "

    How long endorsements stay on your driving record

    ", + "

    Endorsements stay on your driving record for 4 or 11 years depending on the offence. This can start from either the date you\u2019re convicted or the date of your offence.

    ", + "

    The endorsement is \u2018valid\u2019 for the first:

    ", + "
  • 3 years, for a 4-year endorsement
  • ", + "
  • 10 years, for an 11-year endorsement
  • ", + "

    A court can take your endorsement into account if both:

    ", + "
  • you commit another offence while it\u2019s valid
  • ", + "
  • the endorsement is still on your driving record when the court considers your case
  • ", + "

    Other people, like insurers and employers, may be able to find out that you have the endorsement:

    ", + "
  • any time during a 4-year endorsement
  • ", + "
  • during the first 5 years of an 11-year endorsement, or the first 30 months if you\u2019re under 18
  • ", + "

    4 years from date of conviction

    ", + "

    An endorsement will stay on a driving record for 4 years from the date of conviction if the offence:

    ", + "
  • is for reckless/dangerous driving - shown on the driving record as DD40, DD60 and DD80
  • ", + "
  • results in disqualification
  • ", + "

    4 years from the date of offence

    ", + "

    In all other cases endorsements stay on your driving record for 4 years from the date of offence.

    ", + "

    11 years from date of conviction

    ", + "

    If the offence is:

    ", + "
  • drink driving or drug driving - shown on the driving record as DR10, DR20, DR30, DR31, DR61 and DR80
  • ", + "
  • causing death by careless driving while under the influence of drink or drugs \u2013 shown on the driving record as CD40, CD50 and CD60
  • ", + "
  • causing death by careless driving, then failing to provide a specimen for analysis \u2013 shown on the driving record as CD70
  • ", + "

    New drivers

    ", + "

    Your licence will be cancelled (revoked) if you get 6 or more points within 2 years of passing your test.

    ", + "

    Points on your provisional licence

    ", + "

    Any penalty points on your provisional licence that have not expired will be carried over to your full licence when you pass your test. However, your licence will be cancelled if you get any further penalty points that take you up to a total of 6 or more within 2 years of passing your driving test.

    ", + "

    If your licence is cancelled within 2 years

    ", + "

    You\u2019ll have to apply and pay for a new provisional licence and pass both theory and practical parts of the driving or riding test again to get a full licence.

    ", + "

    If you have not sent off for your full licence

    ", + "

    You must retake both parts of your driving test if your licence has been cancelled after you\u2019ve passed your test, but you have not sent off for your full licence yet. You can use your current provisional licence to take the tests.

    ", + "

    Who\u2019s covered by the rules

    ", + "

    These rules apply to all new drivers who passed their first driving test in:

    ", + "
  • Great Britain
  • ", + "
  • Northern Ireland
  • ", + "
  • Isle of Man
  • ", + "
  • Channel Islands
  • ", + "
  • Gibraltar
  • ", + "
  • the European Community (EC) and European Economic Area (EEA)
  • ", + "

    The EC/EEA countries are:

    ", + "

    Austria, Belgium, Bulgaria, Croatia, Republic of Cyprus, Czech Republic, Denmark, Estonia, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Liechtenstein, Lithuania, Luxembourg, Malta, Netherlands, Norway, Poland, Portugal, Romania, Slovenia, Slovakia, Spain and Sweden.

    ", + "

    There is not another 2 year period if you pass a test for another category of vehicle, for example to drive a heavy goods vehicle.

    ", + "

    Foreign licences

    ", + "

    The rules also apply if you exchange a foreign driving licence for a British licence and then pass a further driving test in Great Britain.

    ", + "

    Handing over your driving licence for endorsement

    ", + "

    If you get an endorsement you\u2019ll need to hand over your licence to either the police, a fixed penalty office (FPO) or when you appear in court.

    ", + "

    Your fixed penalty notice will tell you how to find your local FPO.

    ", + "

    You\u2019ll need to get a replacement if you\u2019ve lost your licence.

    ", + "

    If your driving licence is not returned to you, contact the FPO or court you sent it to, unless your licence has been sent to DVLA.

    ", + "

    When your licence is sent to DVLA

    ", + "

    The FPO or court will send your driving licence to DVLA if:

    ", + "
  • the licence has been cancelled (\u2018revoked\u2019) by a court
  • ", + "
  • you\u2019re a new driver and you\u2019ve been given more than 6 penalty points
  • ", + "
  • the licence you gave the court is invalid
  • ", + "
  • you\u2019ve let DVLA know that you\u2019ve changed your address
  • ", + "

    If your licence is sent to DVLA because you\u2019ve changed your address, it\u2019ll be returned to you within 3 weeks.

    ", + "

    Removing expired endorsements from your driving record

    ", + "

    Most expired endorsements will automatically be removed from your driving record when they\u2019re no longer valid.

    ", + "

    The length of time they stay on your record depends on how serious the offence was.

    ", + "

    How to check your endorsement details

    ", + "

    View your driving licence record to see what penalty points you have and when they\u2019ll be removed.

    ", + "

    You can also contact DVLA.

    ", + "

    Incorrect endorsement details on your licence

    ", + "

    Contact the court that convicted if your endorsement details are shown incorrectly on your driving licence.

    " + ] + }, + { + "title": "Vehicle tax Direct Debit payments", + "url": "https://www.gov.uk/vehicle-tax-direct-debit", + "contents": [ + "

    Set up a Direct Debit

    ", + "

    You can set up a Direct Debit when you tax your vehicle online or at a Post Office.

    ", + "

    You do not need to be the vehicle\u2019s registered keeper to set up a Direct Debit.

    ", + "

    Emails and letters about Direct Debit payments are sent to the account holder.

    ", + "

    How much it costs

    ", + "

    The amount you pay depends on how often you want to make a payment. There\u2019s a 5% surcharge if you pay:

    ", + "
  • monthly
  • ", + "
  • every 6 months
  • ", + "

    There\u2019s no surcharge if you pay yearly.

    ", + "

    What you need

    ", + "

    You need:

    ", + "
  • your address and date of birth
  • ", + "
  • your bank or building society name, account number and sort code
  • ", + "

    You cannot set up a Direct Debit for an account that needs 2 signatures.

    ", + "

    What happens next

    ", + "
  • You\u2019ll get a confirmation by email or post that your Direct Debit has been set up.
  • ", + "
  • The first payment will not be taken until the vehicle tax has started. It can take up to 10 days. You can still use the vehicle before the payment is taken.
  • ", + "
  • All the following payments will be taken on the first working day of the month that the Direct Debit is due.
  • ", + "

    Renewing your vehicle tax

    ", + "

    Your Direct Debit for vehicle tax will renew automatically when it\u2019s due to run out.

    ", + "

    You\u2019ll get an email or letter telling you when your payments will be taken.

    ", + "

    You will not be sent a vehicle tax reminder letter (V11).

    ", + "

    Do not tax your vehicle again. If you do, you\u2019ll be charged twice.

    ", + "

    The vehicle keeper must have a vehicle logbook (V5C) before the vehicle tax is renewed.

    ", + "

    If the vehicle keeper does not have a V5C

    ", + "

    Your Direct Debit will not automatically renew if there\u2019s no vehicle keeper in DVLA\u2019s records.

    ", + "

    You can tell DVLA who the vehicle keeper is online.

    ", + "

    If you do not get an email or letter when your vehicle tax runs out, you should contact DVLA.

    ", + "

    If you do not have an MOT or insurance in place

    ", + "

    DVLA will write to you if your vehicle\u2019s MOT certificate will have run out when your vehicle tax is due to renew.

    ", + "

    Your vehicle must pass an MOT by the time the current one runs out.

    ", + "

    After it\u2019s passed an MOT, DVLA\u2019s records will be updated automatically. Your vehicle tax will be renewed on the date it was due to run out.

    ", + "

    You do not need to contact DVLA or tax your vehicle again.

    ", + "

    If you do not get an MOT in time, you\u2019ll need to tax your vehicle again.

    ", + "

    If your vehicle is registered in Northern Ireland, you must also have insurance in place when your vehicle tax is due to renew. You\u2019ll get a letter telling you if your insurance will have run out by then.

    ", + "

    Change your address, email or name

    ", + "

    Tell DVLA if you want to change the address, email or name on your Direct Debit.

    ", + "

    You can call DVLA if:

    ", + "
  • you\u2019ve moved house
  • ", + "
  • you\u2019ve got a new email address
  • ", + "
  • you\u2019ve got married or divorced and want to update your details
  • ", + "
  • there\u2019s a mistake with your name or address
  • ", + "

    If you changed your name by deed poll

    ", + "

    Write to DVLA if you\u2019ve changed your name by deed poll.

    ", + "

    You need to include:

    ", + "
  • your address and date of birth
  • ", + "
  • your bank or building society name, account number and sort code
  • ", + "
  • a copy of your deed poll
  • ", + "

    Send it to:

    ", + "

    Change how often you pay

    ", + "

    When you set up your Direct Debit you can choose to pay:

    ", + "
  • every month
  • ", + "
  • every 6 months
  • ", + "
  • every year
  • ", + "

    DVLA will take the payments on the first working day of the month. You cannot change it to a different date.

    ", + "

    To change how often you pay (for example, from every 6 months to monthly), you have to cancel your Direct Debit and then tax your vehicle again.

    ", + "

    What you need to do

    ", + "
  • Ask your bank or building society to cancel your Direct Debit. Depending on your account, you can do this online, by phone or post, or at a branch.
  • ", + "
  • You can keep driving your vehicle until the date your next Direct Debit payment was due.
  • ", + "
  • Tax your vehicle on the first day of the month that your next Direct Debit payment was due. Use the 11 digit number on your vehicle log book (V5C).
  • ", + "
  • Choose the Direct Debit option when you tax your vehicle. Then choose how often you want to pay - either monthly, every 6 months or every year.
  • ", + "

    Change bank account or payment method

    ", + "

    When you want to change the account your Direct Debit is taken from you can either:

    ", + "
  • ask your new bank or building society to move your Direct Debits from your old account
  • ", + "
  • change to another account you already have
  • ", + "

    You can also change to paying by credit or debit card.

    ", + "

    Switching bank or building society

    ", + "

    Most UK banks can move Direct Debits from your old bank account to your new one.

    ", + "

    You do not need to tell DVLA or do anything else.

    ", + "

    Move your Direct Debit to an account you already have

    ", + "

    Your bank might be able to move a Direct Debit from one of your accounts to another if both accounts are with them - check with your bank.

    ", + "

    Contact DVLA if your bank cannot move the Direct Debit to your new account or the 2 accounts are with different banks.

    ", + "

    Pay with a debit or credit card

    ", + "
  • Ask your bank or building society to cancel your Direct Debit. You can keep driving your vehicle until the date your next Direct Debit payment was due.
  • ", + "
  • Tax your vehicle on the first day of the month that your next Direct Debit payment was due. Use the 11 digit number on your vehicle log book (V5C).
  • ", + "
  • Pay the tax for your vehicle using a debit or credit card.
  • ", + "

    If a Direct Debit payment fails

    ", + "

    The Direct Debit account holder will get an email from DVLA if a payment fails because there is not enough money in the account.

    ", + "

    DVLA will try to take the payment again within 4 working days. If that also fails, you\u2019ll get an email telling you that:

    ", + "
  • the Direct Debit has failed twice and has been permanently cancelled
  • ", + "
  • your vehicle is no longer taxed
  • ", + "

    What to do if your Direct Debit is cancelled

    ", + "

    You\u2019ll have to tax your vehicle using your vehicle log book (V5C). You\u2019ll need to either:

    ", + "
  • make sure there\u2019s enough money in your account and set up a new Direct Debit
  • ", + "
  • use a new payment method, for example, a debit card or Direct Debit from another account with enough money in it
  • ", + "

    It\u2019s illegal to drive your vehicle until you\u2019ve taxed it.

    ", + "

    If you do not do anything

    ", + "

    You\u2019ll be fined \u00a380 if you do not tax your vehicle or tell DVLA that it\u2019s off the road. You\u2019ll also have to pay for the time it was not taxed.

    ", + "

    If you do not pay your fine on time your vehicle could be clamped or crushed, or your details passed to a debt collection agency.

    ", + "

    Cancel a Direct Debit

    ", + "

    DVLA will cancel your Direct Debit when you tell them your vehicle\u2019s been:

    ", + "
  • sold or transferred to someone else
  • ", + "
  • taken off the road, for example, you\u2019re keeping it in a garage - this is called a Statutory Off Road Notification (SORN)
  • ", + "
  • written off by your insurance company
  • ", + "
  • scrapped at a vehicle scrapyard
  • ", + "
  • stolen - you\u2019ll have to apply for a refund separately
  • ", + "
  • exported out of the UK
  • ", + "

    The Direct Debit will also be cancelled if you no longer have to pay vehicle tax because you\u2019ve told DVLA:

    ", + "
  • it\u2019s being used by a disabled person
  • ", + "
  • the vehicle is historic (it\u2019s over 40 years old)
  • ", + "

    If you overpaid your tax

    ", + "

    You\u2019ll automatically get a refund cheque for any full months left on your vehicle tax. The refund is calculated from the date DVLA gets your information.

    ", + "

    If you cancel your Direct Debit just before a monthly payment is due, DVLA may still take the payment. You\u2019ll automatically get a refund within 10 working days if this happens.

    ", + "

    Cancelling the Direct Debit for other reasons

    ", + "

    If you cancel your Direct Debit with your bank or building society for any other reason, you must tax your vehicle again using either:

    ", + "
  • a Direct Debit from an account with enough money in it
  • ", + "
  • another payment method, for example, by debit or credit card
  • " + ] + }, + { + "title": "Vehicle tax rates", + "url": "https://www.gov.uk/vehicle-tax-rate-tables", + "contents": [ + "

    Cars registered on or after 1 April 2017

    ", + "

    You need to pay tax when the vehicle is first registered, this covers the vehicle for 12 months.

    ", + "

    You\u2019ll then pay vehicle tax every 6 or 12 months at a different rate.

    ", + "

    First tax payment when you register the vehicle

    ", + "

    You\u2019ll pay a rate based on a vehicle\u2019s CO2 emissions the first time it\u2019s registered.

    ", + "

    This also applies to some motorhomes.

    ", + "

    You have to pay a higher rate for diesel cars that do not meet the Real Driving Emissions 2 (RDE2) standard for nitrogen oxide emissions. You can ask your car\u2019s manufacturer if your car meets the RDE2 standard.

    ", + "CO2 emissions | Diesel cars (TC49) that meet the RDE2 standard and petrol cars (TC48) | All other diesel cars (TC49) | Alternative fuel cars (TC59)", + "0g/km | \u00a30 | \u00a30 | \u00a30", + "1 to 50g/km | \u00a310 | \u00a325 | \u00a30", + "51 to 75g/km | \u00a325 | \u00a3115 | \u00a315", + "76 to 90g/km | \u00a3115 | \u00a3140 | \u00a3105", + "91 to 100g/km | \u00a3140 | \u00a3160 | \u00a3130", + "101 to 110g/km | \u00a3160 | \u00a3180 | \u00a3150", + "111 to 130g/km | \u00a3180 | \u00a3220 | \u00a3170", + "131 to 150g/km | \u00a3220 | \u00a3555 | \u00a3210", + "151 to 170g/km | \u00a3555 | \u00a3895 | \u00a3545", + "171 to 190g/km | \u00a3895 | \u00a31,345 | \u00a3885", + "191 to 225g/km | \u00a31,345 | \u00a31,910 | \u00a31,335", + "226 to 255g/km | \u00a31,910 | \u00a32,245 | \u00a31,900", + "Over 255g/km | \u00a32,245 | \u00a32,245 | \u00a32,235", + "

    This payment covers your vehicle for 12 months.

    ", + "

    Rates for second tax payment onwards

    ", + "Fuel type | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly payments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "Petrol or diesel | \u00a3155 | \u00a3155 | \u00a3162.75 | \u00a385.25 | \u00a381.38", + "Electric | \u00a30 | N/A | N/A | \u00a30 | N/A", + "Alternative | \u00a3145 | \u00a3145 | \u00a3152.25 | \u00a379.75 | \u00a376.13", + "

    Alternative fuel vehicles include hybrids, bioethanol and liquid petroleum gas.

    ", + "

    Vehicles with a list price of more than \u00a340,000

    ", + "

    You have to pay an extra \u00a3335 a year if you have a car or motorhome with a \u2018list price\u2019 (the published price before any discounts) of more than \u00a340,000. You do not have to pay this if you have a zero emission vehicle.

    ", + "

    You only have to pay this rate for 5 years (from the second time the vehicle is taxed).

    ", + "

    Check the list price with your dealer so you know how much vehicle tax you\u2019ll have to pay.

    ", + "Fuel type | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly payments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "Petrol or diesel | \u00a3490 | \u00a3490 | \u00a3514.50 | \u00a3269.50 | \u00a3257.25", + "Alternative | \u00a3480 | \u00a3480 | \u00a3504 | \u00a3264 | \u00a3252", + "

    Cars registered between 1 March 2001 and 31 March 2017

    ", + "

    The rate of vehicle tax is based on fuel type and CO2 emissions.

    ", + "

    CO2 emission details are shown on the car\u2019s V5C registration certificate, or you can find emission details online.

    ", + "

    Petrol car (TC48) and diesel car (TC49)

    ", + "Band and CO2 emission | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "A: Up to 100g/km | \u00a30 | \u00a30 | N/A | N/A | N/A", + "B: 101 to 110g/km | \u00a320 | \u00a320 | \u00a321 | N/A | N/A", + "C: 111 to 120g/km | \u00a330 | \u00a330 | \u00a331.50 | N/A | N/A", + "D: 121 to 130g/km | \u00a3130 | \u00a3130 | \u00a3136.50 | \u00a371.50 | \u00a368.25", + "E: 131 to 140g/km | \u00a3155 | \u00a3155 | \u00a3162.75 | \u00a385.25 | \u00a381.38", + "F: 141 to 150g/km | \u00a3170 | \u00a3170 | \u00a3178.50 | \u00a393.50 | \u00a389.25", + "G: 151 to 165g/km | \u00a3210 | \u00a3210 | \u00a3220.50 | \u00a3115.50 | \u00a3110.25", + "H: 166 to 175g/km | \u00a3250 | \u00a3250 | \u00a3262.50 | \u00a3137.50 | \u00a3131.25", + "I: 176 to 185g/km | \u00a3275 | \u00a3275 | \u00a3288.75 | \u00a3151.25 | \u00a3144.38", + "J: 186 to 200g/km | \u00a3315 | \u00a3315 | \u00a3330.75 | \u00a3173.25 | \u00a3165.38", + "K*: 201 to 225g/km | \u00a3340 | \u00a3340 | \u00a3357 | \u00a3187 | \u00a3178.50", + "L: 226 to 255g/km | \u00a3585 | \u00a3585 | \u00a3614.25 | \u00a3321.75 | \u00a3307.13", + "M: Over 255g/km | \u00a3600 | \u00a3600 | \u00a3630 | \u00a3330 | \u00a3315", + "

    *Includes cars with a CO2 figure over 225g/km but were registered before 23 March 2006.

    ", + "

    Alternative fuel car (TC59)

    ", + "Band and CO2 emission | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "A: Up to 100g/km | \u00a30 | N/A | N/A | N/A | N/A", + "B: 101 to 110g/km | \u00a310 | \u00a310 | \u00a310.50 | N/A | N/A", + "C: 111 to 120g/km | \u00a320 | \u00a320 | \u00a321 | N/A | N/A", + "D: 121 to 130g/km | \u00a3120 | \u00a3120 | \u00a3126 | \u00a366 | \u00a363", + "E: 131 to 140g/km | \u00a3145 | \u00a3145 | \u00a3152.25 | \u00a379.75 | \u00a376.13", + "F: 141 to 150g/km | \u00a3160 | \u00a3160 | \u00a3168 | \u00a388 | \u00a384", + "G: 151 to 165g/km | \u00a3200 | \u00a3200 | \u00a3210 | \u00a3110 | \u00a3105", + "H: 166 to 175g/km | \u00a3240 | \u00a3240 | \u00a3252 | \u00a3132 | \u00a3126", + "I: 176 to 185g/km | \u00a3265 | \u00a3265 | \u00a3278.25 | \u00a3145.75 | \u00a3139.13", + "J: 186 to 200g/km | \u00a3305 | \u00a3305 | \u00a3320.25 | \u00a3167.75 | \u00a3160.13", + "K*: 201 to 225g/km | \u00a3330 | \u00a3330 | \u00a3346.50 | \u00a3181.50 | \u00a3173.25", + "L: 226 to 255g/km | \u00a3575 | \u00a3575 | \u00a3603.75 | \u00a3316.25 | \u00a3301.88", + "M: Over 255g/km | \u00a3590 | \u00a3590 | \u00a3619.50 | \u00a3324.50 | \u00a3309.75", + "

    *Includes cars with a CO2 figure over 225g/km but were registered before 23 March 2006.

    ", + "

    Cars and light goods vehicles registered before 1 March 2001

    ", + "

    The rate of vehicle tax is based on engine size.

    ", + "

    Private or light goods (TC11)

    ", + "Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "Not over 1549 | \u00a3170 | \u00a3170 | \u00a3178.50 | \u00a393.50 | \u00a389.25", + "Over 1549 | \u00a3280 | \u00a3280 | \u00a3294 | \u00a3154 | \u00a3147", + "

    Motorhomes

    ", + "

    The rate of vehicle tax is based on the vehicle\u2019s revenue weight (also known as maximum or gross vehicle weight).

    ", + "

    Private or light goods (TC11)

    ", + "

    Private or light goods vehicles have a revenue weight of 3,500kg or less.

    ", + "Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "Not over 1549 | \u00a3170 | \u00a3170 | \u00a3178.50 | \u00a393.50 | \u00a389.25", + "Over 1549 | \u00a3280 | \u00a3280 | \u00a3294 | \u00a3154 | \u00a3147", + "

    Private heavy goods (TC10)

    ", + "

    Private heavy goods vehicles have a revenue weight that\u2019s over 3,500kg.

    ", + "Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "\u00a3165 | \u00a3165 | \u00a3173.25 | \u00a390.75 | \u00a386.63", + "

    If your motorhome was registered between 1 April 2017 and 11 March 2020

    ", + "

    You\u2019ll pay a different rate of tax if both of the following apply to your motorhome:

    ", + "
  • it\u2019s in the M1SP category - check with your dealer if you\u2019re not sure
  • ", + "
  • its CO2 emissions are included on the \u2018type approval certificate\u2019 (this might be called a \u2018certificate of conformity\u2019 or \u2018individual vehicle approval\u2019)
  • ", + "

    Other vehicle tax rates

    ", + "

    Light goods vehicles (TC39)

    ", + "

    Registered on or after 1 March 2001 and not over 3,500kg revenue weight (also known as maximum or gross vehicle weight).

    ", + "Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit", + "\u00a3275 | \u00a3275 | \u00a3288.75 | \u00a3151.25 | \u00a3144.38", + "

    Euro 4 light goods vehicles (TC36)

    ", + "

    Registered between 1 March 2003 and 31 December 2006, Euro 4 compliant and not over 3,500kg revenue weight.

    ", + "Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit", + "\u00a3140 | \u00a3140 | \u00a3147 | \u00a377 | \u00a373.50", + "

    Euro 5 light goods vehicles (TC36)

    ", + "

    Registered between 1 January 2009 and 31 December 2010, Euro 5 compliant and not over 3,500kg revenue weight.

    ", + "Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit", + "\u00a3140 | \u00a3140 | \u00a3147 | \u00a377 | \u00a373.50", + "

    Motorcycle (with or without sidecar) (TC17)

    ", + "Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit", + "Not over 150 | \u00a321 | \u00a321 | \u00a322.05 | N/A | N/A", + "151-400 | \u00a345 | \u00a345 | \u00a347.25 | N/A | N/A", + "401-600 | \u00a369 | \u00a369 | \u00a372.45 | \u00a337.95 | \u00a336.23", + "Over 600 | \u00a396 | \u00a396 | \u00a3100.80 | \u00a352.80 | \u00a350.40", + "

    Tricycles (not over 450kg unladen) (TC50)

    ", + "Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit", + "Tricycle not over 150 | \u00a321 | \u00a321 | \u00a322.05 | N/A | N/A", + "All other tricycles | \u00a396 | \u00a396 | \u00a3100.80 | \u00a352.80 | \u00a350.40", + "

    Trade licences

    ", + "

    You can get trade licences for between 6 and 12 months, depending on the month you apply.

    ", + "Month you apply | When the licence expires | How long it\u2019s valid for | Rate of duty for all vehicles | Rate of duty for bicycles and tricycles", + "January (6 month licence) | June | 6 months | \u00a393.50 | \u00a352.80", + "January (12 month licence) | December | 12 months | \u00a3170 | \u00a396", + "February | December | 11 months | \u00a3170 | \u00a396", + "March | December | 10 months | \u00a3155.85 | \u00a388", + "April | December | 9 months | \u00a3140.25 | \u00a379.20", + "May | December | 8 months | \u00a3124.65 | \u00a370.40", + "June | December | 7 months | \u00a3109.10 | \u00a361.60", + "July | December | 6 months | \u00a393.50 | \u00a352.80", + "August | June | 11 months | \u00a3170 | \u00a396", + "September | June | 10 months | \u00a3155.85 | \u00a388", + "October | June | 9 months | \u00a3140.25 | \u00a379.20", + "November | June | 8 months | \u00a3124.65 | \u00a370.40", + "December | June | 7 months | \u00a3109.10 | \u00a361.60" + ] + }, + { + "title": "Historic (classic) vehicles: MOT and vehicle tax", + "url": "https://www.gov.uk/historic-vehicles", + "contents": [ + "

    Eligibility

    ", + "

    The date your vehicle was built or first registered affects whether you need to:

    ", + "
  • get an MOT
  • ", + "
  • pay vehicle tax
  • ", + "

    Vehicles that do not need an MOT

    ", + "

    You do not need to get an MOT if:

    ", + "
  • the vehicle was built or first registered more than 40 years ago
  • ", + "
  • no \u2018substantial changes\u2019 have been made to the vehicle in the last 30 years, for example replacing the chassis, body, axles or engine to change the way the vehicle works
  • ", + "

    If you\u2019re not sure if there have been any substantial changes you can:

    ", + "
  • read the full guidance on MOT exemptions for historic vehicles
  • ", + "
  • speak to a historic vehicle expert
  • ", + "

    Vehicles exempt from vehicle tax

    ", + "

    If your vehicle was built before 1 January 1981, you can stop paying vehicle tax from 1 April 2021.

    ", + "

    If you do not know when your vehicle was built, but it was registered before 8 January 1981, you do not need to pay vehicle tax from 1 April 2021.

    ", + "

    What you have to do

    ", + "

    You must apply for a vehicle tax exemption to stop paying vehicle tax. This is sometimes called putting a vehicle into the \u2018historic tax class\u2019.

    ", + "

    You do not have to apply to stop getting an MOT for your vehicle each year. However, you must still keep it in a roadworthy condition.

    ", + "

    You can be fined up to \u00a32,500 and get 3 penalty points for using a vehicle in a dangerous condition.

    ", + "

    Historic vehicle tax exemption

    ", + "

    You can apply to stop paying for vehicle tax from 1 April 2021 if your vehicle was built before 1 January 1981. You must tax your vehicle even if you do not have to pay.

    ", + "

    If you do not know when your vehicle was built, but it was first registered before 8 January 1981, you can still apply to stop paying vehicle tax.

    ", + "

    Your vehicle will not be exempt from vehicle tax if:

    ", + "
  • it\u2019s used for hire or reward (for example, it\u2019s used as a taxi for paying customers)
  • ", + "
  • it\u2019s used commercially for a trade or business
  • ", + "

    Contact DVLA if you\u2019re not sure if your vehicle is exempt.

    ", + "

    Eligible vehicles

    ", + "

    You can apply for these vehicles to be made exempt:

    ", + "
  • cars
  • ", + "
  • vans
  • ", + "
  • motorcycles
  • ", + "
  • tricycles
  • ", + "

    Large vehicles and buses

    ", + "

    You can apply for these vehicles to be made exempt:

    ", + "
  • private heavy goods vehicles (HGVs) - they cannot be designed or adapted for transporting goods, or be used for driver training
  • ", + "
  • buses used for voluntary or community purposes
  • ", + "

    Specialist vehicles

    ", + "

    You can also apply for these vehicles to be made exempt:

    ", + "
  • mobile cranes and pumps
  • ", + "
  • road rollers, works trucks and digging machines
  • ", + "
  • agricultural machines and mowing machines
  • ", + "
  • snowploughs and gritting vehicles
  • ", + "
  • electric vehicles
  • ", + "
  • steam vehicles
  • ", + "

    Apply for a vehicle tax exemption

    ", + "

    Apply at a Post Office that deals with vehicle tax.

    ", + "

    You need to take:

    ", + "
  • the log book (V5C) in your name
  • ", + "
  • your vehicle tax reminder letter (V11), if you have one
  • ", + "
  • an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)
  • ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • ", + "

    If you do not have the log book, download and fill in an application for a log book (V62). Take it to the Post Office with the \u00a325 fee.

    ", + "

    What happens next

    ", + "
  • The Post Office sends your log book to DVLA.
  • ", + "
  • DVLA will send you an updated log book.
  • ", + "
  • You\u2019ll get a refund (if you\u2019re due one). It will take longer than usual to get your refund because of coronavirus (COVID-19). Contact DVLA if you have not got your refund within 6 weeks of getting your updated log book.
  • ", + "

    You can still use your vehicle while your application is being processed.

    ", + "

    Renewing your historic vehicle's vehicle tax

    ", + "

    DVLA will send you a vehicle tax reminder letter before your tax is due to expire. You\u2019ll need to tax your vehicle, but will not need to pay.

    ", + "

    It\u2019s illegal to drive your vehicle if you have not taxed it. You can be fined \u00a380 if you do not tax your vehicle on time.

    " + ] + }, + { + "title": "Change your vehicle's tax class", + "url": "https://www.gov.uk/change-vehicle-tax-class", + "contents": [ + "

    Vehicle changes that affect tax

    ", + "

    If you make changes to your vehicle it could affect:

    ", + "
  • how much vehicle tax you pay
  • ", + "
  • your vehicle\u2019s tax class
  • ", + "

    Changes that affect your vehicle include:

    ", + "
  • the engine size (cc)
  • ", + "
  • the fuel type
  • ", + "
  • the weight (goods vehicles only)
  • ", + "
  • the number of seats (buses only)
  • ", + "
  • what you use the vehicle for, for example using a minibus for profit
  • ", + "

    You will not have to pay vehicle tax or will pay a lower rate if it\u2019s being used by:

    ", + "
  • a disabled person
  • ", + "
  • an organisation providing transport for disabled people
  • ", + "

    How to change your vehicle\u2019s tax class

    ", + "

    How you change your vehicle\u2019s tax class depends on if:

    ", + "
  • the tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)
  • ", + "
  • the tax is not due to run out
  • ", + "
  • you\u2019re changing whether or not the vehicle is exempt from vehicle tax, for example changing a car into or out of the disabled tax class
  • ", + "

    Work out the new tax rate

    ", + "

    You need to work out if you\u2019ll need to pay more tax because of the change.

    ", + "
  • Find out the new rate of vehicle tax.
  • ", + "
  • Work out the difference between the old and new rates of your vehicle tax. For example, if the old rate is \u00a3100 and the new rate is \u00a3130, the difference is \u00a330.
  • ", + "
  • Divide the difference by the number of months you pay your tax over. For example, \u00a330 divided by 12 months is \u00a32.50.
  • ", + "
  • Multiply this by the number of months remaining on the tax. For example, \u00a32.50 multiplied by 4 months is \u00a310.
  • ", + "
  • Pay the extra vehicle tax. In this example you would need to pay \u00a310 extra tax.
  • ", + "

    If the tax rate increases

    ", + "

    You have to pay the increased rate from the first day of the month you change the tax rate in.

    ", + "

    If the tax rate decreases

    ", + "

    You pay the decreased rate from the first day of the next month.

    ", + "

    Tax is not due to run out

    ", + "

    Use form V70 to change your vehicle\u2019s tax class if the tax is not due to run out.

    ", + "

    You apply a different way if you\u2019ve had a reminder letter or \u2018last chance\u2019 warning letter.

    ", + "

    What to send

    ", + "

    Send the form to DVLA with:

    ", + "
  • the V5C vehicle registration certificate (log book) with any changes marked on it
  • ", + "
  • a cheque or postal order made payable to \u2018DVLA, Swansea\u2019 for any extra vehicle tax you have to pay - damaged or altered cheques will not be accepted
  • ", + "
  • a current MOT certificate (if your vehicle needs one)
  • ", + "
  • written proof if you\u2019ve decreased engine size or changed fuel type, for example a new engine receipt or letter from the garage that made the change
  • ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • ", + "

    If you do not have the V5C, download and fill in a V62 form. Send it to DVLA with the \u00a325 fee.

    ", + "

    Lorries and buses

    ", + "

    You also need to send the following if they\u2019re required for your vehicle:

    ", + "
  • a plating or weight certificate
  • ", + "
  • for buses only - a certificate of initial fitness, certificate of conformity or equivalent PSV401, PSV408, PDV500 or PSV506
  • ", + "

    What happens next

    ", + "
  • You\u2019ll get a confirmation from DVLA that the change has been made.
  • ", + "
  • DVLA will send you an updated V5C.
  • ", + "
  • You\u2019ll get a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).
  • ", + "

    You can still use your vehicle while your application is being processed.

    ", + "

    Tax is due to run out or changing if the vehicle is exempt

    ", + "

    Change your vehicle\u2019s tax class at a Post Office that deals with vehicle tax if either:

    ", + "
  • the vehicle tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)
  • ", + "
  • you\u2019re changing whether a vehicle is exempt from vehicle tax or not, for example, it\u2019s being used by a disabled person
  • ", + "

    If you\u2019re eligible for a vehicle tax reduction because you\u2019re disabled, you need to apply by post to DVLA.

    ", + "

    What to take to the Post Office

    ", + "

    Vehicle registration documents

    ", + "

    Take the V5C registration certificate (log book) in your name.

    ", + "

    If you do not have one, you\u2019ll need:

    ", + "
  • a completed application for a new registration certificate - either download form V62 or get it from the Post Office
  • ", + "
  • your \u2018new keeper\u2019 slip, if you\u2019ve just bought the vehicle
  • ", + "

    A new registration certificate is free if you have a \u2018new keeper\u2019 slip. Otherwise the cost is \u00a325.

    ", + "

    Other documents

    ", + "

    You must also take:

    ", + "
  • your vehicle tax reminder letter (V11) if you have one
  • ", + "
  • an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)
  • ", + "
  • evidence of any eligibility for a disability exemption
  • ", + "
  • payment for vehicle tax (if you have to pay for your new tax class)
  • ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • ", + "

    If you drive a lorry or bus, you also need to take the vehicle\u2019s latest annual test certificate or exemption (V112G).

    ", + "

    What happens next

    ", + "
  • The Post Office sends your V5C, new keeper slip or V62 to DVLA.
  • ", + "
  • You\u2019ll get a confirmation from DVLA that the change has been made.
  • ", + "
  • DVLA will send you an updated V5C.
  • ", + "
  • DVLA will send you a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).
  • ", + "

    You can still use your vehicle while your application is being processed.

    " + ] + }, + { + "title": "Getting an MOT", + "url": "https://www.gov.uk/getting-an-mot", + "contents": [ + "

    When to get an MOT

    ", + "

    The MOT test checks that your vehicle meets road safety and environmental standards.

    ", + "

    You must get an MOT for your vehicle by either:

    ", + "
  • the third anniversary of its registration
  • ", + "
  • the anniversary of its last MOT, if it\u2019s over 3 years old
  • ", + "

    Some vehicles need to be tested at one year old - check the MOT fees table to see which.

    ", + "

    Find out how to check your MOT expiry date.

    ", + "

    There are different rules and processes in Northern Ireland for MOTs for vehicles registered in Northern Ireland.

    ", + "

    Coronavirus (COVID-19): getting an MOT

    ", + "

    You need to get an MOT for your vehicle as usual.

    ", + "

    Do not take your vehicle to an MOT centre in person if:

    ", + "
  • you or someone you live with has coronavirus symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has coronavirus
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    If you cannot take your vehicle in person

    ", + "

    Some MOT centres will collect your vehicle for the MOT and then return it. Contact an MOT centre to see if this service is available.

    ", + "

    You can also get someone else to take your vehicle into a test centre if you insure them on your vehicle.

    ", + "

    If you cannot get your vehicle collected or taken in for you, you must wait until you\u2019re no longer self-isolating to take it into a test centre.

    ", + "

    If the MOT has run out

    ", + "
  • If your tax is due to run out, register your vehicle as \u2018off the road\u2019 - you cannot renew your vehicle tax if your MOT has expired.
  • ", + "
  • Book an MOT test.
  • ", + "
  • Tax your vehicle once it has passed its MOT.
  • ", + "

    You cannot drive or park your vehicle on the road if the MOT has run out. You can be prosecuted if caught.

    ", + "

    The only exceptions are to drive it:

    ", + "
  • to or from somewhere to be repaired
  • ", + "
  • to a pre-arranged MOT test
  • ", + "

    Earliest date you can get an MOT

    ", + "

    An MOT lasts for a year. The date it runs out is printed on your current MOT pass certificate.

    ", + "

    You can be fined up to \u00a31,000 for driving a vehicle without a valid MOT.

    ", + "

    You can get an MOT up to a month (minus a day) before it runs out and keep the same renewal date.

    ", + "

    You can get an MOT earlier, but the renewal date for the following year will change to one year (minus a day) from the date the vehicle last passed its MOT.

    ", + "

    Booking an MOT

    ", + "

    You must use an approved MOT test centre to get your MOT.

    ", + "

    Only centres showing the blue sign with 3 white triangles can carry out your MOT.

    ", + "

    How you can book

    ", + "

    Contact an MOT centre to book an MOT.

    ", + "

    There are maximum fees that the MOT centre can charge.

    ", + "

    There\u2019s a different process to book an MOT in Northern Ireland.

    ", + "

    MOT costs

    ", + "

    There\u2019s a maximum amount MOT test stations can charge. This depends on the type of vehicle.

    ", + "

    The maximum fee for a car is \u00a354.85 and \u00a329.65 for a standard motorcycle.

    ", + "

    You do not pay VAT on the fee.

    ", + " | Vehicle class | Age first MOT needed (years) | Maximum MOT fee", + "Motorcycle (engine size up to 200cc) | 1 | 3 | \u00a329.65", + "Motorcycle with sidecar (engine size up to 200cc) | 1 | 3 | \u00a337.80", + "Motorcycle (engine size over 200cc) | 2 | 3 | \u00a329.65", + "Motorcycle with sidecar (engine size over 200cc) | 2 | 3 | \u00a337.80", + "3-wheeled vehicles (up to 450kg unladen weight) | 3 | 3 | \u00a337.80", + "3-wheeled vehicles (over 450kg unladen weight) | 4 | 3 | \u00a354.85", + "Cars (up to 8 passenger seats) | 4 | 3 | \u00a354.85", + "Motor caravans | 4 | 3 | \u00a354.85", + "Quads (max unladen weight 400kg - for goods vehicles 550kg and max net power of 15kw) | 4 | 3 | \u00a354.85", + "Dual purpose vehicles | 4 | 3 | \u00a354.85", + "Private hire and public service vehicles (up to 8 seats) | 4 | 3 | \u00a354.85", + "Ambulances and taxis | 4 | 1 | \u00a354.85", + "Private passenger vehicles and ambulances (9 to 12 passenger seats) | 4 | 1 | \u00a357.30", + "Goods vehicles (up to 3,000kg design gross weight) | 4 | 3 | \u00a354.85", + "Class 4 vehicles (9 to 12 passenger seats) with a seat belt installation check | 4a | n/a | \u00a364", + "Private passenger vehicles and ambulances (13 to 16 passenger seats) | 5 | 1 | \u00a359.55", + "Private passenger vehicles and ambulances (more than 16 passenger seats) | 5 | 1 | \u00a380.65", + "Playbuses | 5 | 1 | \u00a380.65", + "Class 5 vehicles (13 to 16 passenger seats) with a seatbelt installation check | 5a | n/a | \u00a380.50", + "Class 5 vehicles (more than 16 passenger seats) with a seatbelt installation check | 5a | n/a | \u00a3124.50", + "Goods vehicles (over 3,000kg up to 3,500kg design gross weight) | 7 | 3 | \u00a358.60", + "

    How the MOT test works

    ", + "

    During the MOT, important parts on your vehicle will be checked to make sure they meet the legal standards.

    ", + "

    You can watch the test from a viewing area but you\u2019re not allowed to interrupt the tester.

    ", + "

    Parts that are tested

    ", + "

    You can read more about what\u2019s tested for cars and motorcycles.

    ", + "

    The test does not cover the condition of the engine, clutch or gearbox.

    ", + "

    The MOT guide and inspection manuals tell you everything that\u2019s tested.

    ", + "

    MOT test result

    ", + "

    Your vehicle can either pass or fail the MOT.

    ", + "

    Passing the MOT

    ", + "

    If your vehicle passes the MOT:

    ", + "
  • you\u2019ll get an MOT certificate from the test centre
  • ", + "
  • it will be recorded in the MOT database
  • ", + "

    You might also get a list of \u2018minor\u2019 or \u2018advisory\u2019 problems to monitor or fix in the future.

    ", + "

    Failing the MOT

    ", + "

    Your vehicle will fail if the test result lists \u2018dangerous\u2019 or \u2018major\u2019 problems with your vehicle. You might not be allowed to drive until you fix the problems.

    ", + "

    You might also get a list of \u2018minor\u2019 or \u2018advisory\u2019 problems to monitor or fix in the future.

    ", + "

    If your vehicle fails the MOT:

    ", + "
  • you\u2019ll get a \u2018refusal of an MOT test certificate\u2019 from the test centre
  • ", + "
  • it will be recorded in the MOT database
  • ", + "

    You can appeal the result if you think it\u2019s wrong.

    ", + "

    Driving a vehicle that\u2019s failed

    ", + "

    You can take your vehicle away if:

    ", + "
  • your current MOT certificate is still valid
  • ", + "
  • no \u2018dangerous\u2019 problems were listed in the MOT
  • ", + "

    Otherwise, you\u2019ll need to get it repaired before you can drive.

    ", + "

    If you can take your vehicle away, it must still meet the minimum standards of roadworthiness at all times.

    ", + "

    You can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle that has failed its MOT because of a \u2018dangerous\u2019 problem.

    ", + "

    Retest after a repair

    ", + "

    In some cases your vehicle can have a partial retest for free or a reduced MOT fee.

    ", + "

    Leaving your vehicle for repair

    ", + "

    You only need a partial retest if you leave the vehicle at the test centre for repair and it\u2019s retested within 10 working days. There\u2019s no fee for this.

    ", + "

    Taking your vehicle away for repairs

    ", + "

    You can take your vehicle away if your MOT certificate is still valid.

    ", + "

    If your MOT has run out you can take your vehicle to:

    ", + "
  • have the failed defects fixed
  • ", + "
  • a pre-arranged MOT test appointment
  • ", + "

    In both cases, your vehicle still needs to meet the minimum standards of roadworthiness at all times or you can be fined.

    ", + "

    Taking it back for a retest the next working day

    ", + "

    You will not have to pay again if you take it back to the same test centre before the end of the next working day for a partial retest on one or more of these items:

    ", + "
  • access panels
  • ", + "
  • battery
  • ", + "
  • bonnet
  • ", + "
  • bootlid
  • ", + "
  • brake pedal antislip
  • ", + "
  • break glass hammer (class 5 vehicles only)
  • ", + "
  • doors (including hinges, catches and pillars)
  • ", + "
  • door open warning device (class 5 vehicles only)
  • ", + "
  • dropsides
  • ", + "
  • electrical wiring
  • ", + "
  • emergency exits and signs (class 5 vehicles only)
  • ", + "
  • entrance door remote control (class 5 vehicles only)
  • ", + "
  • entrance/exit steps (class 5 vehicles only)
  • ", + "
  • fuel filler cap
  • ", + "
  • headlamp cleaning or levelling devices (that does not need a headlamp aim check)
  • ", + "
  • horn
  • ", + "
  • lamps (excluding headlamp aim)
  • ", + "
  • loading door
  • ", + "
  • main beam \u2018tell-tale\u2019
  • ", + "
  • mirrors
  • ", + "
  • rear reflectors
  • ", + "
  • registration plates
  • ", + "
  • seatbelts (but not anchorages), seatbelt load limiter and seatbelt pre-tensioner
  • ", + "
  • seats
  • ", + "
  • sharp edges or projections
  • ", + "
  • stairs (class 5 vehicles only)
  • ", + "
  • steering wheel
  • ", + "
  • tailboard
  • ", + "
  • tailgate
  • ", + "
  • trailer electrical sockets
  • ", + "
  • towbars (excluding body around anchorage points)
  • ", + "
  • tyre pressure monitoring system
  • ", + "
  • vehicle identification number (VIN)
  • ", + "
  • windscreen glass, wipers and washers
  • ", + "
  • wheels and tyres (excluding motorcycles and motorcycles with sidecar)
  • ", + "

    Taking it back for a retest within 10 working days

    ", + "

    You\u2019ll only need a partial retest if you take the vehicle from the test centre for repairs and take it back within 10 working days. You can be charged a partial retest fee for this.

    ", + "

    In all other cases, you\u2019ll need to get a full retest and pay the full MOT test fee again.

    ", + "

    Test result appeals and problems

    ", + "

    You can appeal an MOT test failure or complain to the Driver and Vehicle Standards Agency (DVSA) if you think your vehicle should not have passed.

    ", + "

    You can take your own action against an MOT test centre through Trading Standards, personal legal proceedings or reporting the centre to the police. DVSA cannot help you take action against a centre.

    ", + "

    Appeal if your vehicle failed an MOT

    ", + "

    You need to discuss your test results with the test centre before anyone starts repairs.

    ", + "

    You can appeal against the failure if you think it\u2019s wrong. Fill in the complaint form and send it to DVSA within 14 working days of the test.

    ", + "

    DVSA will contact you within 5 days to discuss your appeal.

    ", + "

    If DVSA decides to recheck your vehicle, you\u2019ll need to arrange a date and pay the full test fee again. They\u2019ll send you an inspection report listing any vehicle defects.

    ", + "

    You should not have any repairs made until the appeal process has finished.

    ", + "

    If you think your car has passed when it should not have

    ", + "

    You\u2019ll need to complain to DVSA if you do not think your car should have passed its MOT. Fill in the complaint form and send it to DVSA within the time limits below.

    ", + "

    DVSA will contact you within 5 days to discuss your complaint.

    ", + "

    If DVSA decides to recheck your vehicle, you\u2019ll need to arrange a date. You will not need to pay the test fee again. They\u2019ll send you an inspection report listing any vehicle defects.

    ", + "

    Time limits

    ", + "

    If your vehicle passed, you need to complain within:

    ", + "
  • within 3 months of the MOT if it\u2019s a corrosion-related problem
  • ", + "
  • within 28 days has passed for other defects
  • ", + "

    If you think your MOT certificate is not genuine

    ", + "

    You can check that your MOT certificate is genuine by checking its MOT status.

    ", + "

    If you\u2019re unhappy with your MOT service

    ", + "

    Contact DVSA if you\u2019re not happy with your MOT service.

    ", + "

    Vehicles that do not need an MOT

    ", + "

    You do not need to get an MOT for a vehicle until it reaches the age shown in the MOT fees table.

    ", + "

    Exempt vehicles

    ", + "

    Other vehicles that do not need an MOT include:

    ", + "
  • goods vehicles powered by electricity and registered before 1 March 2015
  • ", + "
  • tractors
  • ", + "
  • some historic (\u2018classic\u2019) vehicles
  • ", + "

    A list of exempt types of vehicles is on the MOT exemption form (V112). You need to fill in the form if your vehicle is listed so that you can either tax it or apply for tax exemption.

    ", + "

    Lorries, buses and trailers

    ", + "

    You must get an annual test for lorries, buses and trailers instead of an MOT. It\u2019s sometimes called the \u2018annual vehicle test\u2019.

    ", + "

    Fix mistakes on your MOT certificate

    ", + "

    You can get information corrected on your MOT certificate (such as the mileage or vehicle details) if it\u2019s wrong.

    ", + "

    Get the wrong mileage corrected

    ", + "

    The way you get the mileage corrected depends on when your MOT was.

    ", + "

    Your MOT was less than 28 days ago

    ", + "

    Ask the MOT centre to check the mileage. They\u2019ll give you a replacement certificate if the mileage is wrong.

    ", + "

    Your MOT was more than 28 days ago

    ", + "

    Report the mistake to the Driver and Vehicle Standards Agency (DVSA) to get it corrected.

    ", + "

    You also need to email proof of the mileage, such as a scan or photo of:

    ", + "
  • an invoice for the MOT
  • ", + "
  • an emissions printout
  • ", + "
  • a service receipt
  • ", + "
  • a vehicle job card from the MOT centre
  • ", + "

    They need to show what the mileage should be, and show the same date as the MOT test.

    ", + "

    If your scan or photo includes personal information, for example your payment details, you should blank it out or remove it.

    ", + "

    If you do not send the right evidence, DVSA will not fix the mistakes.

    ", + "

    Once DVSA has updated the mileage, you can check your vehicle\u2019s MOT history and download or print a corrected MOT certificate.

    ", + "

    Get vehicle details or the MOT centre corrected

    ", + "

    Contact DVSA if your MOT certificate has the wrong:

    ", + "
  • vehicle make or model
  • ", + "
  • vehicle colour
  • ", + "
  • country where the vehicle was registered
  • ", + "
  • MOT test centre
  • ", + "

    Add or remove test records

    ", + "

    If there\u2019s an MOT test missing from your vehicle\u2019s MOT history, or a test that does not belong there, email or call DVSA to have it corrected.

    ", + "

    You\u2019ll need to give your:

    ", + "
  • name
  • ", + "
  • telephone number
  • ", + "
  • vehicle number plate
  • ", + "
  • vehicle make and model
  • ", + "
  • date of the MOT
  • ", + "
  • MOT test number (if you know it)
  • ", + "
  • MOT test centre name and address
  • " + ] + }, + { + "title": "Vehicle insurance", + "url": "https://www.gov.uk/vehicle-insurance", + "contents": [ + "

    Overview

    ", + "

    You must have motor insurance to drive your vehicle on UK roads.

    ", + "

    Third party insurance is the legal minimum. This means you\u2019re covered if you have an accident causing damage or injury to any other person, vehicle, animal or property. It does not cover any other costs like repair to your own vehicle.

    ", + "

    You may want to use an insurance broker.

    ", + "

    If you\u2019re in an accident

    ", + "

    If you have an accident causing damage or injury you must give the following to anyone with \u2018reasonable grounds for requiring them\u2019, for example an insurance company:

    ", + "
  • your name and address
  • ", + "
  • the vehicle registration number
  • ", + "

    You also need to give the owner\u2019s name and address if the vehicle is not yours.

    ", + "

    You must report the accident to the police within 24 hours if you do not give your details at the time of the accident.

    ", + "

    You must also report the accident to your insurance company, even if you\u2019re not planning to make a claim.

    ", + "

    Accidents with uninsured motorists

    ", + "

    You should tell the police if you have an accident with someone who\u2019s not insured.

    ", + "

    Your insurance company will also be able to give you more advice.

    ", + "

    You might also be able to get compensation if you\u2019re the victim of an uninsured or hit and run driver.

    ", + "

    Driving abroad

    ", + "

    If you\u2019re driving in most European countries

    ", + "

    All UK vehicle insurance provides the minimum third party cover to drive in:

    ", + "
  • the EU (including Ireland)
  • ", + "
  • Andorra
  • ", + "
  • Iceland
  • ", + "
  • Liechtenstein
  • ", + "
  • Norway
  • ", + "
  • Serbia
  • ", + "
  • Switzerland
  • ", + "

    Check with your insurer if your policy has extra cover for things like theft or damage to your car abroad.

    ", + "

    You also need to carry a physical copy of a \u2018green card\u2019 to drive your vehicle in these countries.

    ", + "

    If you\u2019re driving in the rest of the world

    ", + "

    You may need to carry a green card to prove you have the minimum insurance cover required by the country you\u2019re driving in.

    ", + "

    You may also need additional insurance for your vehicle, trailer or caravan. Check the travel advice for the country you\u2019re going to.

    ", + "

    Getting a green card from your insurer

    ", + "

    A green card is proof that you have vehicle insurance when driving abroad.

    ", + "

    Contact your insurer to get one for your vehicle. They\u2019ll either:

    ", + "
  • post you a green card - allow up to 6 weeks
  • ", + "
  • tell you how to download a green card to print yourself
  • ", + "

    You will need to carry extra green cards if:

    ", + "
  • you\u2019re towing a trailer or caravan (one for the towing vehicle and one for the trailer or caravan)
  • ", + "
  • you have 2 insurance policies covering your trip (one card for each policy)
  • ", + "
  • you have multi-car or fleet insurance (one for each vehicle on the policy)
  • ", + "

    Showing your green card when driving abroad

    ", + "

    You must show your green card if you\u2019re involved in an accident.

    ", + "

    You may have to show your green card:

    ", + "
  • at the border when moving between countries
  • ", + "
  • if you\u2019re stopped by the police
  • ", + "

    Uninsured vehicles

    ", + "

    Rules in England, Wales and Scotland

    ", + "

    You must have motor insurance for your vehicle if you use it on roads and in public places.

    ", + "

    You do not need to insure your vehicle if it is kept off the road and declared as off the road (SORN). This rule is called \u2018continuous insurance enforcement\u2019.

    ", + "

    If not, you could:

    ", + "
  • get a fixed penalty of \u00a3100
  • ", + "
  • have your vehicle wheel-clamped, impounded or destroyed
  • ", + "
  • face a court prosecution, with a possible maximum fine of \u00a31,000
  • ", + "

    It does not matter who is driving the car - if you\u2019re the registered keeper, you could get penalised.

    ", + "

    You will also still have to pay for your insurance on top of any fines received.

    ", + "

    You can check if your vehicle is insured on askMID.

    ", + "

    Motor traders - exceptions

    ", + "

    If a vehicle is between registered keepers or registered as \u2018in trade\u2019 with the Driver and Vehicle Licensing Agency (DVLA), it is excluded from continuous insurance enforcement.

    ", + "

    Vehicles you keep for your own use are not excluded.

    ", + "

    Rules in Northern Ireland

    ", + "

    There are different rules for vehicle insurance in Northern Ireland.

    ", + "

    Driving without insurance

    ", + "

    It\u2019s illegal to drive a vehicle on a road or in a public place without at least 3rd party insurance.

    ", + "

    Even if the vehicle itself is insured, if you\u2019re not correctly insured to drive it you could get penalised.

    ", + "

    Penalties for uninsured drivers:

    ", + "

    The police could give you a fixed penalty of \u00a3300 and 6 penalty points if you\u2019re caught driving a vehicle you\u2019re not insured to drive.

    ", + "

    If the case goes to court you could get:

    ", + "
  • an unlimited fine
  • ", + "
  • disqualified from driving
  • ", + "

    The police also have the power to seize, and in some cases, destroy the vehicle that\u2019s being driven uninsured.

    " + ] + }, + { + "title": "Scrapping your vehicle and insurance write-offs", + "url": "https://www.gov.uk/scrapped-and-written-off-vehicles", + "contents": [ + "

    How to scrap your vehicle

    ", + "

    When your vehicle has reached the end of its usefulness, you must get it scrapped at an authorised treatment facility (ATF). These are sometimes known as a scrapyard or breaker\u2019s yard.

    ", + "

    There\u2019s a different process if your vehicle is an insurance write-off.

    ", + "

    Scrap your vehicle without keeping any parts

    ", + "
  • Apply to take the registration number off the vehicle if you want to keep it.
  • ", + "
  • Scrap your vehicle at an ATF. This is usually free.
  • ", + "
  • Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.
  • ", + "
  • Tell DVLA you\u2019ve taken your vehicle to an ATF.
  • ", + "

    You can be fined \u00a31,000 if you do not tell DVLA.

    ", + "

    Scrap your vehicle and keep parts from it

    ", + "

    You can take parts from your vehicle before you scrap it so you can use them to repair another vehicle.

    ", + "
  • Tell DVLA the vehicle is off the road while you\u2019re taking parts from it. It must be kept off the road, for example in a garage, on a drive or on private land.
  • ", + "
  • Apply to take the registration number off the vehicle if you want to keep it.
  • ", + "
  • Scrap your vehicle at an ATF when you\u2019ve finished taking parts from it. The ATF can charge a fee if you\u2019ve removed essential parts, such as the engine, gearbox, bodywork or wheels.
  • ", + "
  • Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange\u2019 section from it.
  • ", + "
  • Tell DVLA you\u2019ve taken your vehicle to an ATF.
  • ", + "

    Scrap a vehicle that\u2019s registered abroad

    ", + "

    If you want to scrap a vehicle from another country in the UK, you must use an ATF.

    ", + "

    You\u2019ll get a \u2018Certificate of Destruction\u2019 to prove that the vehicle has been destroyed.

    ", + "

    It\u2019s your responsibility to tell the driving authority in the country where the vehicle is registered that it has been scrapped.

    ", + "

    Where you can scrap your vehicle

    ", + "

    Find an authorised treatment facility (ATF) where your vehicle can be scrapped.

    ", + "

    When the ATF has your vehicle, they can decide to:

    ", + "
  • completely scrap it
  • ", + "
  • repair and sell it themselves
  • ", + "

    It\u2019s illegal to scrap your vehicle anywhere else.

    ", + "

    If your vehicle is completely scrapped

    ", + "

    The ATF will give you a \u2018certificate of destruction\u2019 within 7 days if you\u2019ve scrapped a:

    ", + "
  • car
  • ", + "
  • light van
  • ", + "
  • 3-wheeled motor vehicle (but not a motor tricycle)
  • ", + "

    You will not get a certificate for other types of vehicle.

    ", + "

    The certificate is proof that you\u2019ve handed over the vehicle for scrap. If you do not have it, you could still be liable for:

    ", + "
  • traffic offence penalties
  • ", + "
  • vehicle tax
  • ", + "

    Being paid for your scrapped vehicle

    ", + "

    The ATF will pay you the scrap value of your vehicle.

    ", + "

    It\u2019s illegal to be paid in cash if your vehicle is scrapped in England or Wales. You have to be paid by bank transfer or cheque.

    ", + "

    If the ATF repairs and sells your vehicle

    ", + "

    You will not get a certificate of destruction if the ATF decides to repair and sell your vehicle.

    ", + "

    You can be paid for your vehicle by any method, including cash.

    ", + "

    Insurance write-offs

    ", + "

    When you make an insurance claim because your vehicle is damaged, your insurance company will tell you:

    ", + "
  • if your vehicle is being \u2018written off\u2019
  • ", + "
  • how much they\u2019ll pay you
  • ", + "

    When your vehicle is written off, your insurance company pays you the current value of the vehicle, instead of the cost of repairing it.

    ", + "

    Your insurance company will decide if the vehicle should be written off or not.

    ", + "

    Write-off categories

    ", + "

    What you do next depends on which category your vehicle is in.

    ", + "Category | Repairing the vehicle | Using the vehicle", + "A | Cannot be repaired | Entire vehicle has to be crushed", + "B | Cannot be repaired | Body shell has to be crushed, but you can salvage other parts from it", + "C | Can be repaired, but it would cost more than the vehicle\u2019s worth | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "D | Can be repaired and would cost less than the vehicle\u2019s worth, but other costs (such as transporting your vehicle) take it over the vehicle\u2019s value | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "N | Can be repaired following non-structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "S | Can be repaired following structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "

    What you need to do

    ", + "

    Your insurance company will usually deal with getting the vehicle scrapped for you. You need to follow these steps.

    ", + "
  • Apply to take the registration number off the vehicle if you want to keep it.
  • ", + "
  • Send the vehicle log book (V5C) to your insurance company, but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.
  • ", + "
  • Tell DVLA your vehicle has been written off.
  • ", + "

    You can be fined \u00a31,000 if you do not tell DVLA.

    ", + "

    Keeping the vehicle

    ", + "

    If you want to keep a vehicle in category C, D, N or S, the insurance company will give you an insurance payout and sell the vehicle back to you.

    ", + "

    To keep a category C or S vehicle, you also need to:

    ", + "
  • send the complete log book to your insurance company
  • ", + "
  • apply for a free duplicate log book using form V62
  • ", + "

    DVLA will record the vehicle\u2019s category in the log book.

    ", + "

    You can keep the log book if you want to keep a category D or N vehicle.

    " + ] + }, + { + "title": "Pass Plus", + "url": "https://www.gov.uk/pass-plus", + "contents": [ + "

    Overview

    ", + "

    Pass Plus is a practical training course that takes at least 6 hours and is for drivers to improve their skills and drive more safely.

    ", + "

    It can be taken at any time although it should be most useful to new drivers in the year after passing their test.

    ", + "

    You\u2019ll need a Pass Plus registered approved driving instructor (ADI) to teach you.

    ", + "

    It may help you get a car insurance discount if you successfully complete the course.

    ", + "

    Booking Pass Plus

    ", + "

    You need to book Pass Plus with an approved driving instructor (ADI) who is registered with Pass Plus.

    ", + "

    You can contact the Driver and Vehicle Standards Agency (DVSA) to check if an instructor is registered with Pass Plus. You\u2019ll need their name and ADI number.

    ", + "

    Fees

    ", + "

    Pass Plus fees depend on where you live, the instructor or driving school and how long your training takes.

    ", + "

    Some local councils can offer discounts off the full Pass Plus training costs.

    ", + "

    Local councils offering discounts

    ", + "

    Some local councils can offer discounts off the full Pass Plus training costs

    ", + "

    Contact your borough, town, city or county council if they are listed to see if they can help you with the cost of your training.

    ", + "

    You must live in the council\u2019s area to be eligible for the discount.

    ", + "

    East Midlands

    ", + "

    North-west

    ", + "

    South-east

    ", + "

    South-west

    ", + "

    Scotland

    ", + "

    Wales

    ", + "

    All local councils in Wales offer discounted Pass Plus courses. Go to Pass Plus Cymru for more information.

    ", + "

    How Pass Plus training works

    ", + "

    Pass Plus training takes at least 6 hours. It has 6 modules, covering driving:

    ", + "
  • in town
  • ", + "
  • in all weathers
  • ", + "
  • on rural roads
  • ", + "
  • at night
  • ", + "
  • on dual carriageways
  • ", + "
  • on motorways
  • ", + "

    All modules should be practical sessions, although local conditions may mean some are theory based. You\u2019ll normally spend at least 5.5 hours driving.

    ", + "

    You will not take a test but you\u2019ll be assessed throughout the course. To pass you\u2019ll have to reach the required standard in all modules.

    ", + "

    Contact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team for more information.

    ", + "

    Apply for a Pass Plus certificate

    ", + "

    You must apply for your own Pass Plus certificate if you want one.

    ", + "

    You need a certificate if you want a discount on your car insurance.

    ", + "

    You\u2019ll get a training report form from your instructor when you\u2019ve reached the required standard in all modules. You and your instructor must sign the form.

    ", + "

    Contact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team to apply for your certificate.

    ", + "

    Car insurance discounts

    ", + "

    Once you\u2019ve completed Pass Plus you may be able to get a car insurance discount. You\u2019ll need your Pass Plus certificate.

    ", + "

    Check with insurers that you can still get a discount if you passed your practical driving test more than a year ago.

    ", + "

    The amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.

    ", + "

    You might be able to put the discount on hold for up to 2 years if you do not have a car at the moment - check with the insurance company first.

    " + ] + }, + { + "title": "Driving lessons and learning to drive", + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "contents": [ + "

    Overview

    ", + "

    You can apply for a provisional driving licence when you\u2019re 15 years and 9 months old.

    ", + "

    You can start driving a car when you\u2019re 17.

    ", + "

    You can drive a car when you are 16 if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).

    ", + "

    Check which vehicles you can learn to drive.

    ", + "

    Learning to drive during coronavirus (COVID-19)

    ", + "

    You can take driving lessons anywhere in the UK.

    ", + "

    You and any passengers should wear a face covering, unless you\u2019re exempt.

    ", + "

    In Scotland, you can be fined if you do not wear a face covering during a driving lesson.

    ", + "

    Check the rules for practising with friends and family.

    ", + "

    If you\u2019re learning to drive in Scotland

    ", + "

    You and the person teaching you to drive must wear face coverings during driving lessons and practice sessions in Scotland.

    ", + "

    If you do not wear a face covering, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "
  • you and the person teaching you live in the same household
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You can be fined \u00a360 if you do not wear a face covering during a driving lesson in Scotland. This will be reduced to \u00a330 if you pay within 28 days.

    ", + "

    Rules for learning to drive

    ", + "

    You must have a provisional driving licence for Great Britain or Northern Ireland when you\u2019re learning to drive or ride.

    ", + "

    You must be supervised when you\u2019re learning to drive a car. This can be by a driving instructor or someone else who meets the rules, for example family or friends.

    ", + "

    The car you learn in must display \u2018L\u2019 plates.

    ", + "

    You can drive at any time, day and night.

    ", + "

    You can only drive on motorways if all of the following apply:

    ", + "
  • you\u2019re driving in England, Scotland or Wales
  • ", + "
  • you\u2019re with an approved driving instructor
  • ", + "
  • the car is fitted with dual controls
  • ", + "

    Speed limits

    ", + "

    In England, Scotland and Wales the speed limits when driving with \u2018L\u2019 plates are the same as when you\u2019ve passed your test.

    ", + "

    In Northern Ireland the speed limit is 45 miles per hour when you\u2019re learning to drive a car.

    ", + "

    Taking driving lessons

    ", + "

    Anyone you pay to teach you to drive must be either:

    ", + "
  • a qualified and approved driving instructor (ADI)
  • ", + "
  • a trainee driving instructor
  • ", + "

    You can find your nearest driving instructors.

    ", + "

    There are different rules in Northern Ireland for choosing an instructor.

    ", + "

    Instructors set their own prices for driving lessons - there\u2019s no minimum or maximum cost.

    ", + "

    Check your instructor\u2019s badge

    ", + "

    Instructors have to display a badge in their windscreen to prove they\u2019re registered with the Driver and Vehicle Standards Agency (DVSA). They display:

    ", + "
  • a green badge if they\u2019re a qualified driving instructor
  • ", + "
  • a pink badge if they\u2019re a trainee
  • ", + "

    You can report someone to DVSA if they charge for driving lessons and are not a qualified driving instructor or trainee.

    ", + "

    Driving lessons

    ", + "

    There\u2019s no minimum number of lessons you must have or hours you must practise driving.

    ", + "

    How many lessons you need will depend on how quickly you learn. You can download a form to record your progress with your instructor.

    ", + "

    You can complain about a driving instructor if you\u2019re not happy with their service or behaviour.

    ", + "

    Practising with family or friends

    ", + "

    In England, you can practice driving with family or friends, but this is restricted to groups of no more than 6 people, or 2 households. Follow the rules for car sharing in the coronavirus (COVID-19) travel guidance.

    ", + "

    In Scotland, there are different rules depending on which area level you are in, but you are legally required to wear a face covering unless you are exempt. Read the guidance on driving lessons in Scotland.

    ", + "

    In Wales, you can practice driving with people you live with or those within your support bubble. You do not need to stay in your local council area.

    ", + "

    Anyone you practise your driving with (without paying them) must:

    ", + "
  • be over 21
  • ", + "
  • be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car
  • ", + "
  • have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)
  • ", + "

    You can be fined up to \u00a31,000 and get up to 6 penalty points on your provisional licence if you drive without the right supervision.

    ", + "

    It\u2019s illegal for your friend or family member to use a mobile phone while supervising you.

    ", + "

    Insurance

    ", + "

    You need your own insurance as a learner driver if you\u2019re practising in a car you own. Your family member or friend will usually be covered on this.

    ", + "

    If you\u2019re practising in someone else\u2019s car, you need to make sure their insurance policy covers you as a learner driver.

    ", + "

    Some insurance companies require the person supervising you to be over 25 years old.

    ", + "

    You can get an unlimited fine, be banned from driving and get up to 8 penalty points for driving without insurance.

    ", + "

    Recording your practice

    ", + "

    You can download a form to record any practice you do without your driving instructor.

    ", + "

    Using 'L' and 'P' plates

    ", + "

    You must put an L plate on the front and back of your vehicle so they can be seen easily.

    ", + "

    In Wales, you can use a D plate instead.

    ", + "

    An L plate or D plate must:

    ", + "
  • have a red L or D on a white background
  • ", + "
  • be the right size
  • ", + "

    You can get up to 6 penalty points if you do not display an L plate or if it\u2019s not the right size.

    ", + "

    You should take L plates off your vehicle when it\u2019s not being used by a learner.

    ", + "

    P plates

    ", + "

    You can display green \u2018probationary\u2019 P plates to show that you\u2019ve just passed your driving test. You do not have to display them. You can leave them on your vehicle for as long as you like.

    ", + "

    In Northern Ireland you must use \u2018R\u2019 plates (restricted driver plates) for one year after you pass your test.

    " + ] + }, + { + "title": "Theory test: cars", + "url": "https://www.gov.uk/theory-test", + "contents": [ + "

    Booking your test

    ", + "

    You must have a provisional driving licence to book your theory test.

    ", + "

    There are 2 parts to the test:

    ", + "
  • multiple-choice questions
  • ", + "
  • hazard perception - a video test about spotting hazards on the road
  • ", + "

    You book and take them as a single test. You must pass both parts to pass the test.

    ", + "

    When you can take the theory test

    ", + "

    You can take the theory test from your 17th birthday onwards.

    ", + "

    You can take it from your 16th birthday if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).

    ", + "

    Who needs to take the theory test

    ", + "

    You usually need to take the theory test before you can get your full car driving licence.

    ", + "

    You do not need to take the car theory test if you:

    ", + "
  • want to upgrade an automatic car licence to a manual one
  • ", + "
  • have a category B1 driving licence (3 or 4-wheeled light vehicles) from before 1 February 2001
  • ", + "

    If you have a moped or motorcycle licence

    ", + "

    You must pass a car theory test before taking the car driving test.

    ", + "

    If your licence is not from Great Britain

    ", + "

    Find out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.

    ", + "

    Change or check your test details

    ", + "

    You can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).

    ", + "

    You can check your appointment details if you\u2019ve lost your booking confirmation.

    ", + "

    Rebook your test

    ", + "

    Rebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.

    ", + "

    Theory test revision and practice

    ", + "

    You can use books and software to revise for the theory test and take practice tests.

    ", + "

    Multiple-choice questions

    ", + "

    The multiple-choice questions in the theory test are based on 3 books:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Driving - the essential skills
  • ", + "

    Study these to learn the rules and skills you\u2019ll be tested on.

    ", + "

    You can buy them from most high street and online book shops.

    ", + "

    Take a practice test

    ", + "

    Take a practice theory test to check how much you\u2019ve learnt.

    ", + "

    The questions are not used in the real test, but they are based on the same topics as the test.

    ", + "

    Hazard perception test

    ", + "

    To prepare for this test you can use the official guide to hazard perception.

    ", + "

    You can buy the guide in these formats:

    ", + "
  • online for your PC or Mac
  • ", + "
  • app for Apple phones and tablets
  • ", + "
  • app for Android phones and tablets
  • ", + "

    You can also buy it as an interactive DVD from most high street and online book shops.

    ", + "

    Translations into foreign languages

    ", + "

    Some official books and software are translated into other languages by approved organisations.

    ", + "

    However, you can only take the test in English, Welsh or British Sign Language.

    ", + "

    What to take to your test

    ", + "

    You must take your UK photocard driving licence to your test.

    ", + "

    If you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.

    ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your theory test appointment for free if you need to self-isolate on the day of your test.

    ", + "

    Lost your licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours. This could take up to 15 days to arrive.

    ", + "

    Rearrange your test if you do not get the new licence in enough time.

    ", + "

    If you have a paper licence

    ", + "

    Bring a valid passport as well as your paper licence.

    ", + "

    If you do not have a passport, you need to get a photocard licence.

    ", + "

    Personal belongings

    ", + "

    You will not have access to your personal items in the test room. This includes things like:

    ", + "
  • bags
  • ", + "
  • earphones
  • ", + "
  • mobile phones
  • ", + "
  • watches
  • ", + "

    You\u2019ll usually have to store any personal items in a locker.

    ", + "

    If your test centre does not have lockers, you must:

    ", + "
  • turn off your phone before you enter the test centre
  • ", + "
  • put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test
  • ", + "

    The test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.

    ", + "

    It\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.

    ", + "

    Multiple-choice questions

    ", + "

    You have 57 minutes to answer 50 multiple-choice questions.

    ", + "

    Before the test starts you\u2019ll get:

    ", + "
  • instructions on how the test works
  • ", + "
  • the chance to do some practice questions to get used to the screens
  • ", + "

    How the test works

    ", + "

    A question and several possible answers appear on a screen. You have to select the right answer.

    ", + "

    Three of the questions are about a short video. It will show a normal driving situation, such as:

    ", + "
  • driving through a town centre
  • ", + "
  • driving on a country road
  • ", + "

    The video is silent. You can watch it as many times as you like during the test.

    ", + "

    Leaving a question

    ", + "

    You can \u2018flag\u2019 questions that you want to come back to later.

    ", + "

    Changing your answers

    ", + "

    You can go back to any question to review and change your answer at any point.

    ", + "

    When you\u2019ve finished

    ", + "

    You can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.

    ", + "

    You can have a break of up to 3 minutes before the hazard perception test starts.

    ", + "

    Hazard perception test

    ", + "

    Before you start the hazard perception test, you\u2019ll be shown a video about how it works.

    ", + "

    You\u2019ll then watch 14 video clips. The clips:

    ", + "
  • feature everyday road scenes
  • ", + "
  • contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards
  • ", + "

    You get points for spotting the developing hazards as soon as they start to happen.

    ", + "

    What a \u2018developing hazard\u2019 is

    ", + "

    A developing hazard is something that would cause you to take action, like changing speed or direction.

    ", + "

    How the scoring works

    ", + "

    You can score up to 5 points for each developing hazard.

    ", + "

    To get a high score, click the mouse as soon as you see the hazard starting to develop.

    ", + "

    You do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.

    ", + "

    You only get one attempt at each clip. You cannot review or change your responses.

    ", + "

    Pass mark and test result

    ", + "

    You\u2019ll get the result at the test centre after taking the theory test. You must pass both parts to pass the test.

    ", + " | Pass mark | Points available", + "Multiple-choice questions | 43 | 50", + "Hazard perception | 44 | 75", + "

    If you pass

    ", + "

    You\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your driving test.

    ", + "

    Your pass certificate number lasts for 2 years. You must pass your driving test in that time, otherwise you\u2019ll have to pass the theory test again.

    ", + "

    If you fail

    ", + "

    You\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.

    ", + "

    You must book and take the full test again, even if you passed one part this time.

    ", + "

    You have to wait at least 3 working days before taking your test again.

    ", + "

    If you have a reading difficulty, disability or health condition

    ", + "

    When you book your theory test you should say if you have a:

    ", + "
  • reading difficulty
  • ", + "
  • disability
  • ", + "
  • health condition
  • ", + "

    You have reading difficulties

    ", + "

    You can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.

    ", + "

    You can listen to the questions and possible answers as many times as you need to.

    ", + "

    Other types of support

    ", + "

    You can get other support during your theory test if you send proof that you have reading difficulties.

    ", + "

    This can be an email, letter or report from:

    ", + "
  • a teacher or other educational professional
  • ", + "
  • a doctor or medical professional
  • ", + "
  • an occupational therapist
  • ", + "
  • an online dyslexia screening product assured by the British Dyslexia Association
  • ", + "

    You can get:

    ", + "
  • extra time to take the test
  • ", + "
  • someone to read what\u2019s on the screen and record your answers
  • ", + "
  • someone to reword the questions for you
  • ", + "

    The Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.

    ", + "

    If DVSA agrees that you need extra support, they will send you an email with:

    ", + "
  • a reference number (you will need this when you book your test)
  • ", + "
  • instructions on how to book your test
  • ", + "

    Extra time to take the test

    ", + "

    You can ask for more time to do the multiple choice questions part of the theory test.

    ", + "

    Reading what\u2019s on the screen and recording your answers

    ", + "

    A member of staff at the test centre can read out the instructions and questions on the screen.

    ", + "

    They can also record your answers to the multiple-choice questions.

    ", + "

    This can be done by either:

    ", + "
  • listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen
  • ", + "
  • the member of staff sitting near you in the test room
  • ", + "

    Rewording the questions for you

    ", + "

    You can ask for a member of staff to reword the theory test questions to make them easier for you to understand.

    ", + "

    The person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.

    ", + "

    You still need to answer each question yourself.

    ", + "

    You\u2019re deaf or have a hearing impairment

    ", + "

    You can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.

    ", + "

    A BSL video appears on the screen next to the questions and answers.

    ", + "

    Take a BSL interpreter

    ", + "

    You can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.

    ", + "

    Hearing loop and lip speakers

    ", + "

    You can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).

    ", + "

    To use either service you\u2019ll need to contact DVSA before your test.

    ", + "

    Other disabilities or health conditions

    ", + "

    Contact DVSA to discuss any other disability or health condition before you book your test.

    " + ] + }, + { + "title": "Driving test: cars", + "url": "https://www.gov.uk/driving-test", + "contents": [ + "

    Booking your test

    ", + "

    You can book your driving test when you\u2019ve passed your theory test.

    ", + "

    You do not need to pass another theory test if you\u2019re upgrading an automatic car licence to a manual licence.

    ", + "

    To pass the driving test you must be able to:

    ", + "
  • drive safely in different road and traffic conditions
  • ", + "
  • show that you know The Highway Code by the way you drive
  • ", + "

    The national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.

    ", + "

    There\u2019s no minimum number of lessons you must have done before you book and take your test.

    ", + "

    Change or check your test details

    ", + "

    You can change the date of your test after you\u2019ve booked.

    ", + "

    You can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.

    ", + "

    Rebook your test

    ", + "

    Rebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.

    ", + "

    What to take to your test

    ", + "

    You must take:

    ", + "
  • your UK driving licence
  • ", + "
  • your theory test pass certificate, if you have it
  • ", + "
  • a face covering, unless you have a good reason not to wear one
  • ", + "
  • a car - most people use their driving instructor\u2019s, but you can use your own car if it meets the rules
  • ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Wearing a face covering

    ", + "

    You must bring and wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:

    ", + "
  • having a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you have a good reason not to wear a face covering when you book your test.

    ", + "

    Your test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Because of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.

    ", + "

    Your driving licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    ", + "

    Rearrange your test if you do not get the new licence in enough time.

    ", + "

    If you do not have a photocard licence

    ", + "

    Bring a valid passport and your paper licence.

    ", + "

    If you have a licence from Northern Ireland

    ", + "

    Bring the Northern Ireland photocard and paper counterpart.

    ", + "

    If you\u2019ve lost your theory test certificate

    ", + "

    You do not need to get a replacement theory test certificate. Your driving examiner will check that you\u2019ve passed your theory test before your driving test starts.

    ", + "

    What happens during the test

    ", + "

    There are 5 parts to the driving test:

    ", + "
  • an eyesight check
  • ", + "
  • \u2018show me, tell me\u2019 vehicle safety questions
  • ", + "
  • general driving ability
  • ", + "
  • reversing your vehicle
  • ", + "
  • independent driving
  • ", + "

    The test is the same for both manual and automatic cars.

    ", + "

    How long the test lasts

    ", + "

    You\u2019ll drive for around 40 minutes.

    ", + "

    You\u2019ll drive for around 70 minutes if you\u2019re taking an extended driving test because you\u2019ve been banned from driving.

    ", + "

    Eyesight check

    ", + "

    You\u2019ll have to read a number plate from a distance of:

    ", + "
  • 20 metres for vehicles with a new-style number plate
  • ", + "
  • 20.5 metres for vehicles with an old-style number plate
  • ", + "

    New-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.

    ", + "

    You\u2019ll fail your driving test if you fail the eyesight check. The test will end.

    ", + "

    \u2018Show me, tell me\u2019 questions

    ", + "

    You\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions.

    ", + "

    You\u2019ll be asked the:

    ", + "
  • \u2018tell me\u2019 question at the start of your test, before you start driving
  • ", + "
  • \u2018show me\u2019 question while you\u2019re driving
  • ", + "

    Your general driving ability

    ", + "

    You\u2019ll drive in various road and traffic conditions, but not on motorways.

    ", + "

    The examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.

    ", + "

    Pulling over at the side of the road

    ", + "

    You\u2019ll be asked to pull over and pull away during your test, including:

    ", + "
  • normal stops at the side of the road
  • ", + "
  • pulling out from behind a parked vehicle
  • ", + "
  • a hill start
  • ", + "

    You might also be asked to carry out an emergency stop.

    ", + "

    Reversing your vehicle

    ", + "

    The examiner will ask you to do one of the following exercises:

    ", + "
  • parallel park at the side of the road
  • ", + "
  • park in a parking bay - either by driving in and reversing out, or reversing in and driving out (the examiner will tell you which you have to do)
  • ", + "
  • pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic
  • ", + "

    Independent driving

    ", + "

    You\u2019ll have to drive for about 20 minutes by following either:

    ", + "
  • directions from a sat nav
  • ", + "
  • traffic signs
  • ", + "

    The examiner will tell you which you have to follow.

    ", + "

    They\u2019ll set the sat nav up for you. You cannot use your own sat nav.

    ", + "

    If you cannot see traffic signs

    ", + "

    If you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.

    ", + "

    Going off the route

    ", + "

    The examiner will not give you a fault for taking a wrong turning.

    ", + "

    They\u2019ll help you get back on the route if you do.

    ", + "

    If you make mistakes during your test

    ", + "

    You can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.

    ", + "

    Your driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.

    ", + "

    Other people at your test

    ", + "

    Your driving examiner\u2019s supervisor might sit in on your test to watch your examiner\u2019s performance. If you refuse, your test can be cancelled and you\u2019ll have to book another test and pay again.

    ", + "

    Driving test faults and your result

    ", + "

    There are 3 types of faults you can make:

    ", + "
  • a dangerous fault - this involves actual danger to you, the examiner, the public or property
  • ", + "
  • a serious fault - something potentially dangerous
  • ", + "
  • a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault
  • ", + "

    Pass mark

    ", + "

    You\u2019ll pass your driving test if you make:

    ", + "
  • no more than 15 driving faults (sometimes called \u2018minors\u2019)
  • ", + "
  • no serious or dangerous faults (sometimes called \u2018majors\u2019)
  • ", + "

    If you pass your test

    ", + "

    The examiner will:

    ", + "
  • tell you what faults you made, if any
  • ", + "
  • give you a pass certificate
  • ", + "
  • ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this
  • ", + "

    Apply for your full driving licence within 2 years of passing your test if you do not want to get your licence automatically.

    ", + "

    When you can start driving

    ", + "

    You can start driving straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.

    ", + "

    Contact DVLA if your full licence has not arrived 3 weeks after you applied for it.

    ", + "

    If you do not pass

    ", + "

    The examiner will tell you what faults you made.

    ", + "

    You have to book another test and pay again. You have to choose a date at least 10 working days away.

    ", + "

    Appeal your driving test

    ", + "

    You can appeal your driving test if you can prove that your driving examiner did not follow the law.

    ", + "

    Read the guidance on appealing your driving test to check if your examiner followed the law.

    ", + "

    If you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)

    ", + "

    If DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.

    ", + "

    If DVSA does not agree with your complaint you may be able to appeal to a court instead.

    ", + "

    Appeal your driving test to a court

    ", + "

    You can appeal if you can prove that your examiner did not follow the law when they carried out your test.

    ", + "

    Your test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.

    ", + "

    You might have to pay significant legal costs if your appeal is unsuccessful.

    ", + "

    You\u2019ll need to appeal within:

    ", + "
  • 6 months of your driving test in England and Wales
  • ", + "
  • 21 days of your driving test in Scotland
  • ", + "

    Check if you can appeal.

    ", + "

    If your test is cancelled or there's bad weather

    ", + "

    Your driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.

    ", + "

    If your test is suspended due to coronavirus (COVID-19)

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You need to have passed a theory test in the last 2 years to take your driving test. Your theory test certificate will not be extended.

    ", + "

    Bad weather

    ", + "

    Driving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.

    ", + "

    Call your test centre if there are any of these conditions on the day of your test.

    ", + "

    The phone number for the test centre is on your booking confirmation email.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it\u2019s not suitable.

    ", + "

    You cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.

    ", + "

    Problems with you or your car

    ", + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example, if you feel unwell while taking your test
  • ", + "
  • your car, for example, if it breaks down during the test or does not meet the rules to be used
  • ", + "

    If your test is cancelled for another reason

    ", + "

    Sometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    ", + "

    If you have a disability, health condition or learning difficulty

    ", + "

    When you book your driving test you should say if you have a:

    ", + "
  • disability
  • ", + "
  • health condition
  • ", + "
  • learning difficulty
  • ", + "
  • reason not to wear a face covering
  • ", + "

    You\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.

    ", + "

    You have a disability

    ", + "

    You\u2019ll have time with the examiner once you start the test to talk about:

    ", + "
  • your disability
  • ", + "
  • any adaptations fitted to your car
  • ", + "

    They might also agree for you to have more time for instructions and directions during your test.

    ", + "

    You\u2019re deaf or have a hearing impairment

    ", + "

    The examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.

    ", + "

    The examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.

    ", + "

    Using a sign language interpreter

    ", + "

    You can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.

    ", + "

    Your driving instructor can be your interpreter.

    ", + "

    You need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.

    ", + "

    You\u2019re pregnant

    ", + "

    You can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.

    ", + "

    You have reading difficulties

    ", + "

    When you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.

    ", + "

    You have learning difficulties

    ", + "

    The examiner will make adjustments for the independent driving part of the test if you have learning difficulties.

    ", + "

    They might ask if you\u2019d prefer to follow traffic signs instead of directions from a sat nav.

    ", + "

    Using your own car for your test

    ", + "

    You can take your driving test in your own car rather than your driving instructor\u2019s if it meets certain rules.

    ", + "

    Your test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.

    ", + "

    Rules about the car

    ", + "

    Your car must:

    ", + "
  • be taxed
  • ", + "
  • be insured for a driving test (check with your insurance company)
  • ", + "
  • be roadworthy and have a current MOT (if it\u2019s over 3 years old)
  • ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "
  • be able to reach at least 62mph and have an mph speedometer
  • ", + "
  • have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg
  • ", + "

    The MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.

    ", + "

    Coronavirus (COVID-19) safety

    ", + "

    Because of COVID-19, you must clean the inside of your car before your test.

    ", + "

    This means:

    ", + "
  • tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    ", + "

    Things that must be fitted

    ", + "

    The car must have:

    ", + "
  • an extra interior rear-view mirror for the examiner
  • ", + "
  • L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear
  • ", + "
  • a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)
  • ", + "

    Dashcams and other cameras

    ", + "

    You can use a camera fitted for insurance purposes, as long as it:

    ", + "
  • faces outside of the car and does not film the inside
  • ", + "
  • does not record audio from inside the car
  • ", + "

    Vehicle features

    ", + "

    You can use a car with:

    ", + "
  • an electronic parking brake
  • ", + "
  • hill-start assist
  • ", + "

    Manual and automatic cars

    ", + "

    You can take the test in a:

    ", + "
  • manual car - these have 3 pedals
  • ", + "
  • automatic or semi-automatic car - these have 2 pedals
  • ", + "

    If you take your test in a semi-automatic car you\u2019ll only be able to drive automatic and semi-automatic cars once you\u2019ve passed your test.

    ", + "

    Hire cars

    ", + "

    You can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.

    ", + "

    Cars you cannot use

    ", + "

    Some cars cannot be used in the test because they do not give the examiner all-round vision.

    ", + "

    You cannot use any of the following:

    ", + "
  • BMW Mini convertible
  • ", + "
  • Ford KA convertible
  • ", + "
  • Toyota iQ
  • ", + "
  • VW Beetle convertible
  • ", + "

    Check with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:

    ", + "
  • convertible car
  • ", + "
  • panel van
  • ", + "

    Cars with known safety faults

    ", + "

    You cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.

    ", + "

    You must bring the proof that it\u2019s safe with you when you take your test.

    ", + " | Reason for recall | Vehicles affected | Recall issue date", + "Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016", + "Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016", + "Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016", + "Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014", + "Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014", + "Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014", + "

    Proof you need to bring to your test

    ", + "

    You must bring proof that says one of the following:

    ", + "
  • the car was recalled and the recall work has been done
  • ", + "
  • the car was recalled but did not need any work to be done
  • ", + "
  • the car was not part of the recall
  • ", + "

    The proof must be either:

    ", + "
  • the recall letter or safety notice, stamped by the manufacturer or dealer
  • ", + "
  • on official or headed notepaper from the manufacturer or a dealer
  • ", + "

    Your test will be cancelled and you could lose your fee if you do not bring the right proof.

    " + ] + }, + { + "title": "Riding a motorcycle, moped or motor tricycle", + "url": "https://www.gov.uk/ride-motorcycle-moped", + "contents": [ + "

    Overview

    ", + "

    There are different rules if you held a motorcycle or moped licence before 19 January 2013.

    ", + "

    To ride on public roads you first need to get a provisional licence and then complete compulsory basic training (CBT) to get a certificate.

    ", + "

    You must pass both parts of your practical test within 2 years of taking the theory test. If you do not, you\u2019ll have to start the process again.

    ", + "

    Motorcycles

    ", + "

    There are different categories of motorbike - you\u2019ll need to get the right entitlement on your licence and be old enough to do so.

    ", + "

    Mopeds

    ", + "

    The way moped entitlements are shown on your licence have changed, but you still need to be 16 to ride one.

    ", + "

    The rules are different if you already have a car driving licence.

    ", + "

    Motor tricycles

    ", + "

    Provisional category B car licences and provisional category A licences now only cover you to ride motor tricycles if you have a physical disability. Driving tests for 3-wheeled vehicles are only available for physically disabled drivers.

    ", + "

    If you\u2019re not physically disabled and want to ride a motor tricycle you\u2019ll now need to get the right provisional entitlement and pass CBT.

    ", + "

    You can drive a motor tricycle of any power rating if both of the following are true:

    ", + "
  • you\u2019re over 21
  • ", + "
  • you have a full car driving licence
  • ", + "

    You\u2019ll need a full category A1 motorbike licence to ride motor tricycles up to power output 15 Kilowatts (kW), and a full category A motorbike licence to ride trikes with a power output more than 15 kW.

    ", + "

    Once you\u2019ve done your CBT you have 2 years to pass your theory and motorcycle tests or you\u2019ll have to do CBT again.

    ", + "

    If you have a full EU driving licence

    ", + "

    Before you can take a CBT course you must either:

    ", + "
  • exchange your licence for a Great Britain (GB) licence
  • ", + "
  • register your licence with DVLA
  • ", + "

    If you register your EU driving licence, you\u2019ll have to exchange it for a GB licence after you\u2019ve passed your theory and practical test.

    ", + "

    Learning to ride

    ", + "

    You need to have the right provisional driving licence when you\u2019re learning to ride.

    ", + "

    If you\u2019re using your own vehicle you\u2019ll need to make sure it:

    ", + "
  • has a valid V5C registration certificate (log book)
  • ", + "
  • is taxed
  • ", + "
  • has an MOT (if needed)
  • ", + "

    You\u2019ll also need adequate motor insurance.

    ", + "

    Official Driver and Vehicle Standards Agency (DVSA) guides

    ", + "

    You can buy the official DVSA guide to learning to ride and the DVSA guide to riding - the essential skills.

    ", + "

    Taking the full motorcycle tests

    ", + "

    All riders have to pass the theory test before taking the motorcycle practical test.

    ", + "

    Enhanced rider scheme

    ", + "

    Once you\u2019ve passed your motorcycle test you can take the enhanced rider scheme. It checks your riding skills and provides training to help you improve. You can get discounts on motorbike insurance if you successfully complete the scheme.

    ", + "

    More information

    ", + "

    Read DVLA\u2019s routes to your motorcycle licence flowchart for step-by-step instructions on how to get a moped or motorbike licence.

    ", + "

    Licences issued before 19 January 2013

    ", + "

    If you held a motorcycle or moped licence before 19 January 2013 then you\u2019ll keep your existing entitlements and can still ride the same kind of bikes as you did before.

    ", + "

    However, if you get a new licence your entitlements may be shown differently.

    ", + "

    You\u2019ll have to follow the new rules if you want to get higher entitlements - eg ride a larger motorbike.

    ", + "

    Mopeds

    ", + "

    Changes to moped categories

    ", + "

    If you\u2019re already licensed to ride a moped your driving licence will show as category P.

    ", + "

    The new rules will not affect you, but any new licences issued to you will show categories AM and Q, as well as category P. This means you will also be allowed to ride 2 or 3-wheeled mopeds with a top speed of 50 km/h.

    ", + "

    Car driving test passed before 1 February 2001

    ", + "

    You do not need to take compulsory basic training (CBT) to ride a moped if you passed your car driving test before 1 February 2001. You\u2019ll still need to complete CBT to ride a motorbike, however.

    ", + "

    Car driving test passed on or after 1 February 2001

    ", + "

    You need to take CBT to ride a moped if you passed your car driving test on or after 1 February 2001.

    ", + "

    However, you will not need to take further theory and practical tests or take CBT again.

    ", + "

    Motorcycles

    ", + "

    If you\u2019re already licensed to ride a motorcycle, your licence should show category A. This will be the same if you renew or replace your licence after 19 January 2013.

    ", + "

    Motor tricycles

    ", + "

    If you hold category B1 entitlement (trikes and quads), when you renew or replace your licence after 19 January 2013 it will show categories B1 and A. The A entitlement will be limited to tricycles and you will not be able to ride motorbikes you were not previously allowed to.

    ", + "

    Provisional licences now only cover you to ride motor tricycles if you have a physical disability. Driving tests for 3-wheeled vehicles are only available for physically disabled drivers.

    ", + "

    Non-disabled drivers who want to ride motor tricycles need to pass CBT and the theory and practical tests on a 2-wheeled motorbike.

    ", + "

    Bike categories, ages and licence requirements

    ", + " | Licence category | Requirements for licence | Minimum age", + "Mopeds with speed range of 25 km/h to 45 km/h | AM | Compulsory basic training (CBT), theory test, practical test on all powered 2-wheeled moped | 16", + "Small 3-wheelers (up to 50 cc and below 4 kW) | AM | CBT, theory test, practical test | 16", + "Light quadricycles (weighing under 350 kg, top speed 45 km/h) | AM | CBT, theory test, practical test | 16", + "Same as AM plus 2 or 3-wheeled mopeds with top speed of 25 km/h | Q | Granted with AM | 16", + "Light motorcycle up to 11 kW (and a power-to-weight ratio not more than 0.1 kW per kg) and 125 cc | A1 | CBT, theory test, practical test | 17", + "Motor tricycles with a power output not more than 15 kW | A1 | CBT, theory test, practical test | 17", + "Standard motorcycle up to 35 kW (and a power-to-weight ratio not more than 0.2 kW per kg), bike must not be derived from vehicle more than twice its power | A2 | Direct access route - theory and practicalProgressive access route - 2 years experience on A1 motorbike and a further practical test | 19", + "Unrestricted motorcycles in size/power, with or without a sidecar, and motor tricycles with power output over 15 kW | A | Direct access route - CBT theory and practical (you must be at least 24)Progressive access route - held an A2 licence for a minimum of 2 years - practical test (21 or over) | 24 (direct) or 21 (progressive access)", + "

    You do not need to take the theory or motorcycle tests to apply for a provisional licence.

    ", + "

    Read about the rules for the motorcycle theory test and practical riding test.

    ", + "

    Safety equipment

    ", + "

    Helmet

    ", + "

    You must wear a safety helmet when riding a motorcycle on the road. All helmets sold in the UK must comply with at least 1 of these:

    ", + "
  • British Standard BS 6658:1985 and carry the BSI (British Standards Institution) Kitemark
  • ", + "
  • UNECE Regulation 22.05
  • ", + "
  • any standard accepted by a member of the European Economic Area which offers a level of safety and protection equivalent to BS 6658:1985 and carry a mark equivalent to the BSI Kitemark
  • ", + "

    You must wear glasses or contact lenses when you ride if you need them to read a number plate at the prescribed distance.

    ", + "

    Visors and goggles

    ", + "

    Your visors or goggles must comply with either:

    ", + "
  • a British Standard and displays a BSI Kitemark
  • ", + "
  • a European standard which offers a level of safety and protection at least equivalent to the British Standard and carries a mark equivalent to the BSI Kitemark (ECE 22-05)
  • " + ] + }, + { + "title": "CBT motorcycle and moped training", + "url": "https://www.gov.uk/motorcycle-cbt", + "contents": [ + "

    Who needs to take training

    ", + "

    Compulsory basic training (CBT) is a course you usually have to take before you ride a moped or motorcycle on the road.

    ", + "

    The training makes sure you can ride safely on your own while you practise for your full moped or motorcycle test.

    ", + "

    CBT is not a test that you pass or fail.

    ", + "

    After you\u2019ve completed CBT, you can ride a:

    ", + "
  • moped if you\u2019re 16 or over
  • ", + "
  • motorcycle up to 125cc and with a power output of up to 11kW if you\u2019re 17 or over
  • ", + "

    You must use L plates (L or D plates in Wales).

    ", + "

    You must pass your full moped or motorcycle test within 2 years, or you have to either take CBT again or stop riding.

    ", + "

    You can be fined up to \u00a31,000 and get up to 6 penalty points for riding if you do not have a valid CBT certificate.

    ", + "

    When you do not need to take CBT

    ", + "

    You do not have to take CBT if you:

    ", + "
  • want to ride a moped (up to 50cc) and you passed your car driving test before 1 February 2001
  • ", + "
  • want to ride a motorcycle and have a full moped licence from passing a moped test since 1 December 1990
  • ", + "
  • have a full motorcycle licence for one category and want to upgrade to another
  • ", + "
  • live and ride on some offshore islands
  • ", + "
  • want to ride a trial e-scooter
  • ", + "

    Booking your CBT course

    ", + "

    Book your CBT course directly with a motorcycle training school.

    ", + "

    The training school sets the course price. The price depends on where you do the training and if you bring your own moped or motorcycle.

    ", + "

    The training school can ask you to share your driving licence information with them before the course.

    ", + "

    Preparing for your CBT course

    ", + "

    Your trainer can stop your compulsory basic training (CBT) course if your basic knowledge of The Highway Code and traffic signs is not good enough for you to ride safely.

    ", + "

    You need to know:

    ", + "
  • the main rules that apply to moped and motorcycle riders
  • ", + "
  • what other road users are likely to do
  • ", + "

    You can be charged again to retake the course if your trainer stops your training because you are not prepared.

    ", + "

    You can buy the guide to learning to ride to help you prepare. You can also buy it from high street and online book shops.

    ", + "

    What to take to your course

    ", + "

    Take your UK driving licence to your training course.

    ", + "

    What you need to wear

    ", + "

    You must wear:

    ", + "
  • a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban) - check if the training school will provide one
  • ", + "
  • motorcycle boots or other sturdy footwear that supports and protects your ankles
  • ", + "
  • textile or leather motorcycle trousers or heavy denim trousers
  • ", + "
  • a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath
  • ", + "
  • motorcycle gloves
  • ", + "

    Your course can be stopped and you can be charged to take it again if you do not wear suitable clothing.

    ", + "

    Using your own moped or motorcycle

    ", + "

    You cannot ride your own moped or motorcycle to the course unless you already have a CBT certificate - for example, if you\u2019re taking CBT again before your current certificate expires.

    ", + "

    You can be fined up to \u00a31,000 and get up to 6 penalty points for riding if you do not have a valid CBT certificate.

    ", + "

    How the training works

    ", + "

    The CBT course usually lasts a full day. It can take longer depending on how quickly you learn.

    ", + "

    There are 5 parts to the course:

    ", + "
  • introduction and eyesight check
  • ", + "
  • on-site training
  • ", + "
  • on-site riding
  • ", + "
  • on-road training
  • ", + "
  • on-road riding
  • ", + "

    The CBT course syllabus tells you more about what\u2019s involved in each part.

    ", + "

    You move from one part to the next when your trainer is happy you\u2019ve:

    ", + "
  • learnt the theory
  • ", + "
  • shown the practical skills to a safe basic level
  • ", + "

    On-road riding

    ", + "

    The on-road riding part must last at least 2 hours. Complain to the Driver and Vehicle Standards Agency (DVSA) if the trainer cuts this short.

    ", + "

    How many people you\u2019ll train with

    ", + "

    You might train with other learners. There\u2019s a maximum number of:

    ", + "
  • 4 learners per trainer for on-site parts
  • ", + "
  • 2 learners per trainer for on-road parts
  • ", + "

    Complain to DVSA if there are more learners than this.

    ", + "

    When you complete the course

    ", + "

    You\u2019ll get a \u2018certificate of completion\u2019 (sometimes called a \u2018DL196\u2019) when you successfully complete the course.

    ", + "

    You can then ride a moped or motorcycle up to 125cc and with a power output of up to 11kW on the road with L plates (L or D plates in Wales).

    ", + "

    You must pass your theory test and full moped or motorcycle test within 2 years otherwise you\u2019ll need to complete CBT again or stop riding.

    ", + "

    If you have a car driving licence

    ", + "

    You can ride a moped (up to 50cc) without L plates and without taking the moped test in some situations.

    ", + "

    You passed your driving test on or after 1 February 2001

    ", + "

    You\u2019ll get a full moped licence if you either:

    ", + "
  • pass your car driving test and then complete a compulsory basic training (CBT) course
  • ", + "
  • complete a CBT course and then pass your car driving test within two years
  • ", + "

    You can then ride a moped (up to 50cc) without L plates. You do not need to take the full moped test.

    ", + "

    You can ride mopeds for as long as your car driving licence lasts.

    ", + "

    You passed your driving test before 1 February 2001

    ", + "

    You can ride a moped (up to 50cc) without L plates. You do not need to take a CBT course or take the full moped test.

    ", + "

    You must take CBT if you want to ride anything larger than a 50cc moped.

    ", + "

    If you ride on offshore islands

    ", + "

    You must take compulsory basic training (CBT) to ride in these places:

    ", + "
  • the Isle of Wight
  • ", + "
  • South Uist
  • ", + "
  • North Uist
  • ", + "
  • Benbecula
  • ", + "
  • Harris
  • ", + "
  • Lewis
  • ", + "
  • mainland Orkney
  • ", + "
  • mainland Shetland
  • ", + "
  • any other island connected to mainland Great Britain by road
  • ", + "

    You do not need to take CBT to ride on other offshore islands.

    ", + "

    Complain about a CBT course

    ", + "

    Get help from Citizens Advice if you want to complain about your motorcycle training school\u2019s service, or get a refund from them.

    ", + "

    Standard of training

    ", + "

    Contact the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with the standard of training you received, including if:

    ", + "
  • the on-road riding part did not last at least 2 hours
  • ", + "
  • there were too many learners per trainer
  • ", + "

    You need to give:

    ", + "
  • your trainer\u2019s name and the training school name
  • ", + "
  • the address where you took the training
  • ", + "
  • the date and time you took the training
  • ", + "
  • details of why you\u2019re not happy with the training
  • " + ] + }, + { + "title": "Theory test: motorcycles and mopeds", + "url": "https://www.gov.uk/motorcycle-theory-test", + "contents": [ + "

    Booking your test

    ", + "

    You need to have a provisional motorcycle licence to book your theory test.

    ", + "

    There are 2 parts to the test:

    ", + "
  • multiple-choice questions
  • ", + "
  • hazard perception - a video test about spotting hazards on the road
  • ", + "

    You book and take them as a single test. You have to pass both parts to pass the test.

    ", + "

    When you can take the theory test

    ", + "

    You can take the theory test from your:

    ", + "
  • 16th birthday onwards if you\u2019re learning to ride a moped (no more than 50cc)
  • ", + "
  • 17th birthday onwards if you\u2019re learning to ride a motorcycle
  • ", + "

    You can take the theory test before or after you\u2019ve taken compulsory basic training (CBT).

    ", + "

    Who needs to take the theory test

    ", + "

    You usually need to have passed a motorcycle theory test before you take the motorcycle test.

    ", + "

    Find out which motorcycles you can ride and which tests you need to take.

    ", + "

    You do not need to take the theory test if you passed a moped test after 1 July 1996 and want to either:

    ", + "
  • take the motorcycle test on a category A1 small motorcycle
  • ", + "
  • upgrade your motorcycle licence under the \u2018progressive access\u2019 (also known as \u2018staged access\u2019) rules
  • ", + "

    If you have a car licence

    ", + "

    You have to pass a motorcycle theory test before taking the motorcycle test.

    ", + "

    If your licence is not from Great Britain

    ", + "

    Find out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.

    ", + "

    Change or check your test details

    ", + "

    You can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).

    ", + "

    You can check your appointment details if you\u2019ve lost your booking confirmation.

    ", + "

    Rebook your test

    ", + "

    Rebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.

    ", + "

    Theory test revision and practice

    ", + "

    You can use books and software to revise for the theory test and take practice tests.

    ", + "

    Multiple-choice questions

    ", + "

    The questions in the theory test are based on 3 books:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Riding - the essential skills
  • ", + "

    Study these to learn the rules and skills you\u2019ll be tested on.

    ", + "

    You can buy them from most high street and online book shops.

    ", + "

    Take a practice test

    ", + "

    Take a practice theory test to check how much you\u2019ve learnt.

    ", + "

    The practice questions are not used in the real test, but they\u2019re based on the same topics as the test.

    ", + "

    Hazard perception part

    ", + "

    Buy the official guide to hazard perception for your PC or Mac to learn hazard perception skills and then test them.

    ", + "

    You can buy it from most high street and online book shops.

    ", + "

    What to take to your test

    ", + "

    You must take your UK photocard driving licence to your test.

    ", + "

    If you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.

    ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your theory test appointment for free if you need to self-isolate on the day of your test.

    ", + "

    If you have a paper licence

    ", + "

    Bring a valid passport as well as your paper licence.

    ", + "

    If you do not have a passport, you need to get a photocard licence.

    ", + "

    Personal belongings

    ", + "

    You will not have access to your personal items in the test room. This includes things like:

    ", + "
  • bags
  • ", + "
  • earphones
  • ", + "
  • mobile phones
  • ", + "
  • watches
  • ", + "

    You\u2019ll usually have to store any personal items in a locker.

    ", + "

    If your test centre does not have lockers, you must:

    ", + "
  • turn off your phone before you enter the test centre
  • ", + "
  • put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test
  • ", + "

    The test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.

    ", + "

    It\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.

    ", + "

    Multiple-choice questions

    ", + "

    You have 57 minutes to answer 50 multiple-choice questions.

    ", + "

    Before the test starts you\u2019ll get:

    ", + "
  • instructions on how the test works
  • ", + "
  • the chance to do some practice questions to get used to the screens
  • ", + "

    How the test works

    ", + "

    A question and several possible answers appear on a screen. You have to select the right answer.

    ", + "

    Some questions are given as a case study. The case study will:

    ", + "
  • show a short story that 5 questions will be based on
  • ", + "
  • be about a real life situation you could come across when driving
  • ", + "

    Leaving a question

    ", + "

    You can \u2018flag\u2019 questions that you want to come back to later.

    ", + "

    Changing your answers

    ", + "

    You can go back to any question to review and change your answer at any point.

    ", + "

    When you\u2019ve finished

    ", + "

    You can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.

    ", + "

    You can have a break of up to 3 minutes before the hazard perception test starts.

    ", + "

    Hazard perception test

    ", + "

    Before you start the hazard perception test, you\u2019ll be shown a video about how it works.

    ", + "

    You\u2019ll then watch 14 video clips. The clips:

    ", + "
  • feature everyday road scenes
  • ", + "
  • contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards
  • ", + "

    You get points for spotting the developing hazards as soon as they start to happen.

    ", + "

    What a \u2018developing hazard\u2019 is

    ", + "

    A developing hazard is something that would cause you to take action, like changing speed or direction.

    ", + "

    How the scoring works

    ", + "

    You can score up to 5 points for each developing hazard.

    ", + "

    To get a high score, click the mouse as soon as you see the hazard starting to develop.

    ", + "

    You do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.

    ", + "

    You only get one attempt at each clip. You cannot review or change your responses.

    ", + "

    Pass mark and test result

    ", + "

    You get the result at the test centre after taking the theory test. You need to pass both parts to pass the test.

    ", + "Test part | Pass mark | Points available", + "Multiple-choice questions | 43 | 50", + "Hazard perception | 44 | 75", + "

    If you pass

    ", + "

    You\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your motorcycle test.

    ", + "

    Your pass certificate number lasts for 2 years. You need to pass both modules of the motorcycle test in that time, otherwise you\u2019ll have to pass the theory test again.

    ", + "

    If you fail

    ", + "

    You\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.

    ", + "

    You have to book and take the full test again, even if you passed one part this time.

    ", + "

    You have to wait at least 3 working days before taking your test again.

    ", + "

    If you have a reading difficulty, disability or health condition

    ", + "

    When you book your theory test you should say if you have a:

    ", + "
  • reading difficulty
  • ", + "
  • disability
  • ", + "
  • health condition
  • ", + "

    You have reading difficulties

    ", + "

    You can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.

    ", + "

    You can listen to the questions and possible answers as many times as you need to.

    ", + "

    Other types of support

    ", + "

    You can get other support during your theory test if you send proof that you have reading difficulties.

    ", + "

    This can be an email, letter or report from:

    ", + "
  • a teacher or other educational professional
  • ", + "
  • a doctor or medical professional
  • ", + "
  • an occupational therapist
  • ", + "
  • an online dyslexia screening product assured by the British Dyslexia Association
  • ", + "

    You can get:

    ", + "
  • extra time to take the test
  • ", + "
  • someone to read what\u2019s on the screen and record your answers
  • ", + "
  • someone to reword the questions for you
  • ", + "

    The Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.

    ", + "

    If DVSA agrees that you need extra support, they will send you an email with:

    ", + "
  • a reference number (you will need this when you book your test)
  • ", + "
  • instructions on how to book your test
  • ", + "

    Extra time to take the test

    ", + "

    You can ask for more time to do the multiple choice questions part of the theory test.

    ", + "

    Reading what\u2019s on the screen and recording your answers

    ", + "

    A member of staff at the test centre can read out the instructions and questions on the screen.

    ", + "

    They can also record your answers to the multiple-choice questions.

    ", + "

    This can be done by either:

    ", + "
  • listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen
  • ", + "
  • the member of staff sitting near you in the test room
  • ", + "

    Rewording the questions for you

    ", + "

    You can ask for a member of staff to reword the theory test questions to make them easier for you to understand.

    ", + "

    The person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.

    ", + "

    You still need to answer each question yourself.

    ", + "

    You\u2019re deaf or have a hearing impairment

    ", + "

    You can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.

    ", + "

    A BSL video appears on the screen next to the questions and answers.

    ", + "

    Take a BSL interpreter

    ", + "

    You can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.

    ", + "

    Hearing loop and lip speakers

    ", + "

    You can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).

    ", + "

    To use either service you\u2019ll need to contact DVSA before your test.

    ", + "

    Other disabilities or health conditions

    ", + "

    Contact DVSA to discuss any other disability or health condition before you book your test.

    " + ] + }, + { + "title": "Motorcycle and moped tests", + "url": "https://www.gov.uk/motorcycle-test", + "contents": [ + "

    Booking your tests

    ", + "

    After you\u2019ve passed your theory test you\u2019ll also need to pass:

    ", + "
  • an off-road riding test (known as the \u2018module 1 test\u2019)
  • ", + "
  • an on-road riding test (known as the \u2018module 2 test\u2019)
  • ", + "

    Normally, you can book the riding tests separately or at the same time, but you must pass the module 1 test before you take the module 2 test. There\u2019s a different fee for each module.

    ", + "

    Motorcycle and moped tests and coronavirus (COVID-19)

    ", + "

    Wear a face covering at the start and end of the test (when you\u2019ll be talking to the examiner). If you cannot wear a face covering, you must tell DVSA when booking your appointment.

    ", + "

    You can cancel your test appointment and get a refund if you cannot or do not want to attend because of COVID-19. Your instructor will need to cancel your test for you if they booked it.

    ", + "

    What you need to do to pass the tests

    ", + "

    To pass the riding tests you must be able to:

    ", + "
  • ride safely in different road and traffic conditions
  • ", + "
  • show that you know The Highway Code by the way you ride
  • ", + "

    The national standard for riding mopeds and motorcycles tells you everything that you must be able to do to pass the tests.

    ", + "

    There\u2019s no minimum number of lessons you must have done before you book and take your tests.

    ", + "

    What to take to your tests

    ", + "

    You must take:

    ", + "
  • your UK photocard driving licence
  • ", + "
  • your theory test pass certificate
  • ", + "
  • a moped or motorbike
  • ", + "
  • your compulsory basic training (CBT) certificate - unless you\u2019re taking the test to upgrade your full motorcycle licence
  • ", + "
  • your module 1 test pass certificate - if you\u2019re taking your module 2 test
  • ", + "
  • a face covering, unless you have a good reason not to wear one
  • ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Clothing

    ", + "

    You must wear:

    ", + "
  • a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban)
  • ", + "
  • motorcycle boots or other sturdy footwear that supports and protects your ankles
  • ", + "
  • textile or leather motorcycle trousers or heavy denim trousers
  • ", + "
  • a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath
  • ", + "
  • motorcycle gloves
  • ", + "

    Wearing a face covering

    ", + "

    You must bring and wear a face covering at the start and end of the test when you\u2019ll be talking to the examiner, unless you have a good reason not to. Good reasons are things like:

    ", + "
  • having a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    If you cannot wear a face covering at the start and end of the test, you or your instructor must tell DVSA when booking.

    ", + "

    Your driving licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    ", + "

    You should rearrange your test if you do not get the new licence in enough time. You must do this at least 3 working days before your test date or you\u2019ll have to pay again.

    ", + "

    If you have a paper licence

    ", + "

    You must bring a valid passport and your paper licence if you do not have a photocard driving licence.

    ", + "

    If you have a licence from Northern Ireland

    ", + "

    You must bring the photocard and paper counterpart if you have a licence from Northern Ireland.

    ", + "

    If you\u2019ve lost your theory test certificate

    ", + "

    Contact DVSA with your:

    ", + "
  • name
  • ", + "
  • address
  • ", + "
  • date of birth
  • ", + "
  • driving licence number
  • ", + "

    You\u2019ll be sent a letter that you can take to your test instead of your pass certificate.

    ", + "

    Motorcycles and mopeds you can use for the tests

    ", + "

    The motorcycle or moped you use for your tests must:

    ", + "
  • be a solo machine - you can only use a sidecar if you have certain disabilities
  • ", + "
  • have a speedometer measuring speed in miles per hour (mph)
  • ", + "
  • display L plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear
  • ", + "
  • be insured, taxed and roadworthy and have no engine warning lights showing
  • ", + "

    Read the list of A2 and A motorcycles that can be used for riding tests.

    ", + "

    Subcategories of motorcycles and mopeds

    ", + "

    There are 4 subcategories of mopeds and motorcycles.

    ", + "

    In both modules of the test, you must use:

    ", + "
  • the same subcategory as the licence you\u2019re applying for
  • ", + "
  • a vehicle with the same type of transmission (manual, automatic or semi-automatic)
  • ", + " | Moped, tricycle or quad bike | Light motorcycle | Standard motorcycle | Unrestricted motorcycle", + "Licence category | AM | A1 | A2 | A", + "Minimum age of rider | 16 | 17 | 19 | 24 (direct access) or 21 (progressive access)", + "Engine capacity | Up to 50cc | 120 to 125cc | At least 395cc | At least 595cc", + "Maximum speed | Up to 28mph | 55mph or above | - | -", + "Engine power | Up to 4kW | Up to 11kW | 20 to 35kW | At least 50kW", + "Motorcycle weight (without rider) | - | - | - | At least 175kg", + "Power to weight ratio | - | Up to 0.1kW/kg | Up to 0.2 kW/kg | -", + "

    Automatic and semi-automatic motorcycles

    ", + "

    If you pass your tests on a motorcycle with automatic or semi-automatic transmission, you\u2019ll only get a licence for those types of motorcycle.

    ", + "

    Engines with restricted power

    ", + "

    You can restrict the engine power of a motorcycle so that it fits within subcategory A2 (20 to 35kW). You cannot restrict it below half its original power.

    ", + "

    This means that if the unrestricted power of the motorcycle is 60kW, you cannot restrict it any lower than 30kW. A motorcycle\u2019s unrestricted power must not be more than 70kW.

    ", + "

    You must bring proof if you\u2019ve restricted a motorcycle to subcategory A2 - if you do not your test will be cancelled.

    ", + "

    The proof must:

    ", + "
  • be on headed paper
  • ", + "
  • be from a main dealer, official importer or recognised specialist
  • ", + "
  • show the motorcycle\u2019s number plate (registration number)
  • ", + "

    You cannot use a dyno test certificate as proof of the restriction.

    ", + "

    Motorcycles with variable power modes

    ", + "

    If you use a switchable engine control unit (ECU) or variable power device, your motorcycle cannot have:

    ", + "
  • interchangeable carburettor heads
  • ", + "
  • an exhaust manifold restrictor
  • ", + "
  • a hidden ECU - it must be clear what power mode the motorcycle is in
  • ", + "

    Electric motorcycles

    ", + "

    You can use an electric motorcycle or moped if it both:

    ", + "
  • has the same engine power as the petrol version
  • ", + "
  • can keep that power for at least 30 minutes
  • ", + "

    This is known as the \u2018continuous power rating\u2019 - you can check this with the manufacturer.

    ", + "

    If you have a disability

    ", + "

    You can use a motorcycle with a sidecar for your tests if you have certain disabilities. You cannot have a passenger in the sidecar during the tests.

    ", + "

    Your licence will only let you ride motorcycles with sidecars.

    ", + "

    You might be able to use a different vehicle if you\u2019re disabled - contact the Driver and Vehicle Standards Agency (DVSA) before you book your test.

    ", + "

    Module 1 off-road test: what happens

    ", + "

    You\u2019ll take the module 1 test in an off-road motorcycle manoeuvring area.

    ", + "

    The test normally takes about 20 minutes and includes:

    ", + "
  • wheeling the moped or motorcycle and using the stand
  • ", + "
  • riding a slalom and figure of 8
  • ", + "
  • a slow ride
  • ", + "
  • a U-turn
  • ", + "
  • cornering and a controlled stop
  • ", + "
  • cornering and an emergency stop
  • ", + "
  • cornering and hazard avoidance
  • ", + "

    For the hazard avoidance and emergency stop exercises you must ride at a minimum speed of:

    ", + "
  • 19 mph on a moped
  • ", + "
  • 31 mph on a motorcycle
  • ", + "

    Your test result

    ", + "

    You\u2019ll be told if you\u2019ve passed module 1 at the end of the test.

    ", + "

    The examiner will make a note of:

    ", + "
  • dangerous faults - these involve actual danger to you, the examiner, the public or property
  • ", + "
  • serious faults - these are potentially dangerous
  • ", + "
  • riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake
  • ", + "

    You\u2019ll pass module 1 if you make:

    ", + "
  • no serious or dangerous faults (sometimes called \u2018majors\u2019)
  • ", + "
  • no more than 5 riding faults (sometimes called \u2018minors\u2019)
  • ", + "

    If you pass

    ", + "

    The examiner will:

    ", + "
  • tell you what faults you made, if any
  • ", + "
  • give you a pass certificate - you need to take this to the module 2 test
  • ", + "

    If you\u2019re upgrading your licence through \u2018progressive access\u2019, you must pass module 2 within 6 months. You have to pass module 1 again if you do not.

    ", + "

    If you do not pass

    ", + "

    You\u2019ll have to book another module 1 test and pay again. You have to choose a date at least 3 working days away.

    ", + "

    If you\u2019ve already booked the module 2 test you might need to change the date, since you must pass module 1 before you can take module 2.

    ", + "

    You\u2019ll lose your fee if you do not give 3 full days\u2019 notice to cancel your module 2 test. Sundays and public holidays do not count as working days.

    ", + "

    Module 2 on-road test: what happens

    ", + "

    You must pass module 1 before you can take the module 2 test.

    ", + "

    You can book both modules at the same time, but if you do not pass module 1 you must wait 3 working days before you can retake it.

    ", + "

    The module 2 test normally takes about 40 minutes and includes:

    ", + "
  • an eyesight check
  • ", + "
  • \u2018show me, tell me\u2019 vehicle safety questions
  • ", + "
  • road riding
  • ", + "
  • independent riding
  • ", + "

    You must bring your module 1 pass certificate to the module 2 test, plus all the documents you had to bring to the module 1 test.

    ", + "

    Eyesight check

    ", + "

    You\u2019ll have to read a number plate from a distance of:

    ", + "
  • 20 metres for vehicles with a new-style number plate
  • ", + "
  • 20.5 metres for vehicles with an old-style number plate
  • ", + "

    New-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.

    ", + "

    You\u2019ll fail your riding test if you fail the eyesight check.

    ", + "

    \u2018Show me, tell me\u2019 questions

    ", + "

    You\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.

    ", + "

    Road riding

    ", + "

    You\u2019ll drive in various road and traffic conditions, but not on motorways. You\u2019ll be asked to carry out:

    ", + "
  • normal stops
  • ", + "
  • an angle start (pulling out from behind a parked vehicle)
  • ", + "
  • a hill start (where possible)
  • ", + "

    The examiner will give you directions using a radio. They\u2019ll normally follow you on a motorcycle.

    ", + "

    Driving test routes are not published, so you can not check them before your test.

    ", + "

    Independent riding

    ", + "

    You\u2019ll have about 10 minutes of independent riding. This is designed to assess your ability to ride safely while making your own decisions.

    ", + "

    You can ask the examiner to repeat the directions if you forget them - you will not fail the test if you go off the route. You can not use sat nav.

    ", + "

    Your test result

    ", + "

    You\u2019ll be told if you\u2019ve passed module 2 at the end of the test.

    ", + "

    The examiner will make a note of:

    ", + "
  • dangerous faults - these involve actual danger to you, the examiner, the public or property
  • ", + "
  • serious faults - these are potentially dangerous
  • ", + "
  • riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake
  • ", + "

    You\u2019ll pass module 2 if you make:

    ", + "
  • no serious or dangerous faults (sometimes called \u2018majors\u2019)
  • ", + "
  • no more than 10 riding faults (sometimes called \u2018minors\u2019)
  • ", + "

    If you pass your test

    ", + "

    The examiner will:

    ", + "
  • tell you what faults you made, if any
  • ", + "
  • give you a pass certificate
  • ", + "
  • ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this
  • ", + "

    You can start riding without L plates straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.

    ", + "

    Contact DVLA if your full licence has not arrived 3 weeks after you applied for it.

    ", + "

    If you do not pass

    ", + "

    You have to book another module 2 test and pay again. You have to choose a date at least 10 working days away.

    ", + "

    If your test is cancelled or there\u2019s bad weather

    ", + "

    Your riding test can be cancelled or stopped because of bad weather, problems with your vehicle, or for other reasons.

    ", + "

    Bad weather

    ", + "

    Riding tests are not carried out in dangerous weather conditions, for example when the roads are icy or if there\u2019s flooding, thick fog or high winds.

    ", + "

    Call your test centre if there are any of these conditions on the day of your test.

    ", + "

    The phone number for the test centre is in your booking confirmation email.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it\u2019s not suitable.

    ", + "

    You cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.

    ", + "

    Problems with you or your vehicle

    ", + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example if you feel unwell while taking your test
  • ", + "
  • your vehicle, for example if it breaks down during the test or does not meet the rules
  • ", + "

    Your test is cancelled for another reason

    ", + "

    Sometimes DVSA has to cancel tests for other reasons, for example if the examiner is unwell.

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    ", + "

    If you have a disability, health condition or learning difficulty

    ", + "

    When you book your tests you should say if you have a:

    ", + "
  • disability
  • ", + "
  • learning difficulty
  • ", + "
  • health condition
  • ", + "

    You\u2019ll still have to ride to the same standard to pass, but the examiner can make adjustments for your situation.

    ", + "

    If your health condition or disability means you cannot wear a face covering to your test, you or your instructor must tell DVSA when booking.

    ", + "

    You\u2019re deaf or have a hearing impairment

    ", + "

    The examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.

    ", + "

    The examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.

    ", + "

    Using a sign language interpreter

    ", + "

    You can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.

    ", + "

    Your motorcycle instructor can be your interpreter.

    ", + "

    You need to arrange your own interpreter and pay any fees that they charge.

    ", + "

    You have reading difficulties

    ", + "

    You\u2019ll do an eyesight check at the start of the module 2 test. The examiner will ask you to read the number plate on a parked vehicle.

    ", + "

    You can write down what you see if you have reading difficulties.

    ", + "

    You have learning difficulties

    ", + "

    The examiner will make adjustments for the independent riding part of the module 2 test if you have learning difficulties.

    ", + "

    They might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.

    ", + "

    You might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.

    ", + "

    You\u2019re pregnant

    ", + "

    You can take the tests at any stage of your pregnancy. However, you must be able and willing to:

    ", + "
  • do an emergency stop
  • ", + "
  • manually handle and wheel the motorcycle
  • ", + "
  • do the cornering and hazard avoidance exercise
  • " + ] + }, + { + "title": "Learning to drive a tractor or specialist vehicle", + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "contents": [ + "

    Driving licence requirements

    ", + "

    If you pass a regular car driving test (category B) you\u2019ll get entitlement to drive:

    ", + "
  • agricultural tractors (category F)
  • ", + "
  • mowing machines or pedestrian-controlled vehicles (category K)
  • ", + "

    For all other categories you need the correct full licence to drive the tractor or special vehicle on the road.

    ", + "

    To get this you first need to get the right provisional driving licence entitlement and then pass a tractor or specialist vehicle driving test.

    ", + "

    Exemptions

    ", + "

    You do not need a licence to drive or operate:

    ", + "
  • a tractor or specialist vehicle off the public road (there are age limits)
  • ", + "
  • pedestrian-controlled mowing machines (you must be at least 16)
  • ", + "
  • electric bikes
  • ", + "
  • mobility scooters or powered wheelchairs
  • ", + "

    You do need a driving licence to drive quad bikes on the road.

    ", + "

    Road rollers and tracked vehicles

    ", + "

    You need a full category B car licence with provisional entitlement for categories G and H to drive:

    ", + "
  • road rollers (category G)
  • ", + "
  • tracked vehicles (category H)
  • ", + "

    Find out how to add higher categories to your driving licence.

    ", + "

    Age limits

    ", + " | Category | Minimum age", + "Agricultural tractors | F | 16/17*", + "Road rollers | G | 21**", + "Tracked vehicles | H | 17/21***", + "Mowing machine or pedestrian-controlled vehicle | K | 16", + "

    *If you\u2019re 16 you can only drive tractors less than 2.45 metres wide and tow trailers less than 2.45 metres wide with 2 wheels, or 4 wheels close-coupled (close together).

    ", + "

    **If you\u2019re between 17 and 20 these must be small road road-rollers with metal or hard rollers. They cannot be steam powered, weigh more than 11,960kg or be made for carrying loads.

    ", + "

    ***If you\u2019re between 17 and 20 the Maximum Authorised Mass (MAM) of the vehicle cannot be more than 3,500kg. (Maximum Authorised Mass is the maximum weight of a vehicle including the maximum load that can be carried safely while used on the road.)

    ", + "

    Practising driving a tractor or specialist vehicle

    ", + "

    You can get a provisional licence for a tractor or specialist vehicle at 16, but you cannot practise driving them on the road until you\u2019re 17.

    ", + "

    The only exception is when you\u2019re driving to or from your practical driving test.

    ", + "

    You must be accompanied by a qualified driver if the vehicle was made with a passenger seat. Removing a seat is not allowed.

    ", + "

    Other rules for practising

    ", + "

    You need to display L plates (L or D plates in Wales) when you\u2019re practising driving a tractor or specialist vehicle on public roads.

    ", + "

    Your vehicle must also be properly insured and roadworthy.

    ", + "

    Finding an instructor

    ", + "

    You might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.

    ", + "

    Your instructor may have to walk alongside you calling out advice if your vehicle does not have space for 2 people on board.

    ", + "

    Driving tests for tractors and specialist vehicles

    ", + "

    The type of driving test you have to do depends on the type of vehicle.

    ", + "

    Category F, G, H or K vehicles

    ", + "

    The examiner will give you instructions at the side of the road and watch how you:

    ", + "
  • drive as you go around left and right circuits
  • ", + "
  • turn round using forward and reverse gears
  • ", + "

    For very slow vehicles, like pedestrian-controlled vehicles, your examiner may walk near you where they can watch your driving.

    ", + "

    You\u2019ll also have an eyesight test and at the end of the category F, G, H or K test, you\u2019ll be asked 5 questions on the Highway Code and other motoring matters. You\u2019ll then be asked to identify 6 different traffic signs.

    ", + "

    Category H tests

    ", + "

    In category H driving tests you need to drive the vehicle backwards and turn it around, using its tracks, so it\u2019s facing the opposite direction.

    ", + "

    Your examiner will tell you how you should make this manoeuvre.

    ", + "

    Documents you need to bring to your test

    ", + "

    You must bring either:

    ", + "
  • a valid, signed photocard driving licence from the UK or an EU country
  • ", + "
  • an old-style valid, signed UK paper driving licence along with a valid passport
  • ", + "

    Cancelled tests

    ", + "

    You might be able to apply for a refund of out-of-pocket expenses if the Driver and Vehicle Standards Agency (DVSA) cancels your test at short notice.

    ", + "

    Rules for test vehicles

    ", + "

    All test vehicles have to meet certain rules, depending on their category.

    ", + "

    Category B1 - quadricycles and light 4-wheeled vehicles

    ", + "

    You can only take a test on a category B1 vehicle if you\u2019re registered as disabled.

    ", + "

    The vehicle must:

    ", + "
  • weigh no more than 550kg unladen
  • ", + "
  • be able to drive at 37mph
  • ", + "

    Category F - tractors

    ", + "

    Category F includes tractors with 2 or more axles, built for off-road agriculture or forestry work.

    ", + "

    Category G - road rollers

    ", + "

    If you\u2019re between 17 and 20, these must be small road rollers with metal or hard rollers. They cannot:

    ", + "
  • be steam powered
  • ", + "
  • weigh more than 11,690kg
  • ", + "
  • be made for carrying loads
  • ", + "

    Category H - tracked vehicles

    ", + "

    Category H vehicles must have adequate all-round visibility to let the driver carry out manoeuvres and deal with junctions safely.

    ", + "

    Any vehicle needing a second person to help with observation, such as a military vehicle, cannot be used for a category H test.

    ", + "

    Category K - mowing machines or pedestrian-controlled vehicles

    ", + "

    A mowing machine is a specialist ride-on grass-cutting vehicle with permanent cutting equipment. You must be 16 to use this type of vehicle.

    ", + "

    A pedestrian-controlled vehicle is where the operator walks with but doesn\u2019t ride on the vehicle. You do not need a licence to operate one.

    " + ] + }, + { + "title": "Change vehicle details on a V5C registration certificate (log book)", + "url": "https://www.gov.uk/change-vehicle-details-registration-certificate", + "contents": [ + "

    When you need to update your V5C

    ", + "

    You must update the details on your registration certificate (V5C) to tell DVLA about:

    ", + "
  • mistakes on your V5C
  • ", + "
  • most changes you make to your vehicle
  • ", + "

    You cannot change tax class by updating your V5C. You do this by changing your vehicle tax - even if you\u2019re changing to a tax class that\u2019s exempt from vehicle tax, for example \u2018disabled\u2019.

    ", + "

    Changes you need to update

    ", + "

    You must update your V5C if you change any of the following:

    ", + "
  • colour
  • ", + "
  • engine
  • ", + "
  • cylinder capacity (cc)
  • ", + "
  • fuel type
  • ", + "
  • chassis or bodyshell (replaced or modified)
  • ", + "
  • seating capacity
  • ", + "
  • weight of a large vehicle, for example goods vehicle or campervan
  • ", + "

    Changes that may need inspection

    ", + "

    You must also update your V5C if you change any of the following:

    ", + "
  • wheel plan
  • ", + "
  • body type, for example you convert a van to a campervan or \u2019motor caravan\u2019 (DVLA gives a body type description based on the vehicle\u2019s external appearance)
  • ", + "
  • vehicle identification number (VIN)
  • ", + "
  • chassis number
  • ", + "
  • frame number for motorbikes
  • ", + "

    DVLA will tell you if they need to inspect the change.

    ", + "

    What evidence to give

    ", + "

    You must give DVLA evidence or written confirmation if you make any of the following changes to your vehicle. Your V5C update will be rejected if you do not.

    ", + "

    Change of engine number or cylinder capacity (cc)

    ", + "

    You need to provide either:

    ", + "
  • a receipt for the replacement engine
  • ", + "
  • written evidence from the manufacturer
  • ", + "
  • an inspection report provided for insurance purposes
  • ", + "
  • written confirmation on headed paper from a garage (if the change took place before you bought the vehicle)
  • ", + "

    Change of fuel type

    ", + "

    You need to provide evidence if:

    ", + "
  • your existing engine is converted \u2013 the confirmation must be on headed paper from the garage that did the work
  • ", + "
  • a new engine is fitted \u2013 provide the receipt as confirmation
  • ", + "

    Change of weight of a larger vehicle

    ", + "

    If you change the weight of a large vehicle (for example, a campervan or goods vehicle), you\u2019ll need to provide either:

    ", + "
  • a plating certificate
  • ", + "
  • a design weight certificate
  • ", + "

    Change of body type to motor caravan

    ", + "

    Check what evidence you need when you convert a van to a campervan or motor caravan.

    ", + "

    How to update your V5C

    ", + "

    Fill in section 1 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 7 if you have the older style log book.

    ", + "

    Send it to DVLA with any necessary evidence.

    ", + "

    If the change is not listed in section 1 or 7, add notes to the \u2018vehicle details\u2019 section instead. Send it to DVLA with evidence and a letter explaining the change.

    ", + "

    Where to send your V5C

    ", + "

    Send your V5C to DVLA, Swansea, SA99 1DZ if you changed any of the following:

    ", + "
  • engine size (cc)
  • ", + "
  • fuel type
  • ", + "
  • weight of a goods vehicle
  • ", + "
  • number of seats on a bus
  • ", + "

    For all other changes, send your V5C to DVLA, Swansea, SA99 1BA.

    ", + "

    What happens next

    ", + "

    DVLA will contact you to:

    ", + "
  • confirm the change or tell you if it needs an inspection
  • ", + "
  • tell you if the change means you have to pay more vehicle tax
  • ", + "

    It may take longer than usual to get your replacement V5C because of coronavirus (COVID-19).

    " + ] + }, + { + "title": "Displaying number plates", + "url": "https://www.gov.uk/displaying-number-plates", + "contents": [ + "

    Overview

    ", + "

    Number plates (also known as licence plates) must show your registration number correctly. You cannot rearrange letters or numbers, or alter them so that they\u2019re hard to read.

    ", + "

    You could be fined up to \u00a31,000 and your vehicle will fail its MOT test if you drive with incorrectly displayed number plates.

    ", + "

    The current vehicle registration number format was introduced in 2001. It consists of:

    ", + "
  • 2 letters (these refer to the region in the country where your vehicle was first registered)
  • ", + "
  • 2 numbers (these tell you when it was issued)
  • ", + "
  • 3 letters chosen at random
  • ", + "

    You can get theft-resistant number plates - these make it harder for someone to remove them from your vehicle quickly and reuse them. Ask your local car dealer or registered number plate supplier for more information.

    ", + "

    You can also get personalised number plates.

    ", + "

    Rules for number plates

    ", + "

    The number plates on your vehicle must:

    ", + "
  • be made from a reflective material
  • ", + "
  • display black characters on a white background (front plate)
  • ", + "
  • display black characters on a yellow background (rear plate)
  • ", + "
  • not have a background pattern
  • ", + "

    Characters on a number plate can be 3D.

    ", + "

    If you ride a motorbike or motor tricycle

    ", + "

    Motorcycles and motor tricycles registered on or after 1 September 2001 must only display a number plate at the rear of the vehicle.

    ", + "

    If you ride a motorbike or motor tricycle registered before 1 September 2001 you can also display a number plate at the front, but you do not have to.

    ", + "

    Motorcycle and motor tricycle number plate numbers should be on 2 lines.

    ", + "

    Towing a trailer

    ", + "

    Your trailer must display the same number plate as the vehicle you\u2019re towing it with. If you\u2019re towing more than one trailer, the number plate must be fixed to the trailer at the back.

    ", + "

    Taking commercial or heavy trailers abroad

    ", + "

    If your trailer needs to be registered to go abroad, you need to fix the trailer registration plate to the back, as well as the towing vehicle\u2019s number plate.

    ", + "

    Fix the trailer registration plate as far away as possible from the towing vehicle\u2019s number plate.

    ", + "

    If you cannot fix the trailer registration plate on the back of your trailer, fix it to both sides instead. Make sure they\u2019re clearly visible.

    ", + "

    Letter spacing, size and style

    ", + "

    The characters on a number plate need to be a certain height and size.

    ", + "

    Read leaflet INF104: vehicle registration numbers and number plates - height and size measurement, for more information.

    ", + "

    If you have a trailer, read leaflet INF291: trailer registration numbers and number plates.

    ", + "

    Getting number plates made up

    ", + "

    You can only get a number plate made up from a registered number plate supplier.

    ", + "

    The supplier will need to see original documents that:

    ", + "
  • prove your name and address
  • ", + "
  • show you\u2019re allowed to use the registration number
  • ", + "

    Identity documents

    ", + "

    You can use the following to confirm your name and address:

    ", + "
  • driving licence
  • ", + "
  • utility, Council Tax or rates bill from the last 6 months
  • ", + "
  • bank or building society statement from the last 6 months
  • ", + "
  • national identity card
  • ", + "

    The following will confirm your name only:

    ", + "
  • passport - does not have to be issued in the UK
  • ", + "
  • bank or building society debit or credit card
  • ", + "
  • police warrant card
  • ", + "
  • armed forces identity card
  • ", + "

    Proving you can use the registration number

    ", + "

    You must bring one of the following to show you\u2019re allowed to display the registration number:

    ", + "
  • vehicle registration certificate (V5C or V5CNI)
  • ", + "
  • green \u2018new keeper\u2019 slip from the V5C or V5CNI
  • ", + "
  • certificate of entitlement (V750 or V750NI) to the number
  • ", + "
  • retention document (V778)
  • ", + "
  • a renewal reminder for vehicle tax or SORN (V11 or V11NI)
  • ", + "
  • temporary registration certificate (V379 or V379NI)
  • ", + "
  • a number plate authorisation certificate (V948) with an official stamp from the Driver and Vehicle Licensing Agency (DVLA)
  • ", + "
  • an electronic number plate authorisation certificate (eV948 or eV948/2)
  • ", + "
  • a letter of authorisation from a fleet operator (including lease or hire company) quoting the document reference number from the registration certificate
  • ", + "
  • if your fleet is in the new V5C on demand scheme (also called \u2018V5C suppression\u2019), a PDF of the vehicle\u2019s details from the view vehicle record service
  • ", + "
  • UK trailer registration certificate (VTRC)
  • ", + "

    Flags, symbols and identifiers

    ", + "

    You can display one of the following flags with identifying letters on the left-hand side of the number plate:

    ", + "
  • Union flag (also known as the Union Jack)
  • ", + "
  • Cross of St George
  • ", + "
  • Cross of St Andrew - also known as the Saltire
  • ", + "
  • Red Dragon of Wales
  • ", + "

    The letters, or national identifiers, you can have are:

    ", + "
  • GREAT BRITAIN, Great Britain or GB
  • ", + "
  • UNITED KINGDOM, United Kingdom or UK
  • ", + "
  • CYMRU, Cymru, CYM or Cym
  • ", + "
  • ENGLAND, England, ENG, Eng
  • ", + "
  • SCOTLAND, Scotland, SCO or Sco
  • ", + "
  • WALES or Wales
  • ", + "

    The flag must be above the identifier. You cannot have the flag or letters on the number plate margin, and neither can be more than 50 millimetres wide.

    ", + "

    Travelling in Europe

    ", + "

    If your number plate includes the GB identifier with the Union flag (also known as the Union Jack), you do not need a GB sticker. But you will need to display a GB sticker clearly on the rear of your vehicle if your number plate has any of the following:

    ", + "
  • a Euro symbol
  • ", + "
  • a national flag of England, Scotland or Wales
  • ", + "
  • numbers and letters only - no flag or identifier
  • ", + "

    If you\u2019re in Spain, Cyprus or Malta, you must display a GB sticker no matter what is on your number plate.

    " + ] + }, + { + "title": "Private (personalised) number plates", + "url": "https://www.gov.uk/personalised-vehicle-registration-numbers", + "contents": [ + "

    Overview

    ", + "

    You can buy a private (personalised) registration for your vehicle\u2019s number plates from DVLA or from a private dealer.

    ", + "

    If you have the right to a private number that is not currently being used, you can apply to assign it (put it on) to a vehicle.

    ", + "

    Take a private number off (\u2018retention\u2019)

    ", + "

    If you do not want to use your private number anymore you can apply to take it off your vehicle. You can keep the number (put it \u2018on retention\u2019) to use later.

    ", + "

    You\u2019ll get a V778 retention document proving you still have the right to use the number.

    ", + "

    Selling a private number

    ", + "

    You can also sell your private number if you do not want to use it anymore.

    ", + "

    If you\u2019re selling your private number online, do not share a scan or photograph of the V750 or V778 document. Someone other than the buyer might use it to put the private number on another vehicle.

    ", + "

    Transfer a private number

    ", + "

    To transfer a private number from one vehicle to another, you need to:

    ", + "
  • Take it off the vehicle you\u2019re transferring it from.
  • ", + "
  • Assign it to the vehicle you\u2019re transferring it to.
  • ", + "

    You can also do this by post using form V317.

    ", + "

    Buy a private number

    ", + "

    Buy from DVLA

    ", + "

    You can buy new numbers from DVLA Personalised Registrations.

    ", + "

    Buying at DVLA auctions

    ", + "

    There are auctions across the country about 5 times a year. You can see a list of the numbers coming up for auction.

    ", + "

    You can bid in person, by phone, in writing or online.

    ", + "

    You\u2019ll get a V750 certificate of entitlement once you\u2019ve paid for the private (personalised) number. This is to prove that you have the right to put the number on a vehicle (\u2018assign\u2019 it).

    ", + "

    Buying from a private dealer or person

    ", + "

    You can buy a private number from a dealer or from another person.

    ", + "

    Most dealers will transfer the number to your vehicle for you. If you want to keep or assign the number yourself, ask the dealer if you can have the V750 or V778.

    ", + "

    Assign a private number to a vehicle

    ", + "

    To assign a private (personalised) number to a vehicle, you need one of the following:

    ", + "
  • a V778 retention document
  • ", + "
  • a V750 certificate of entitlement
  • ", + "
  • an online reference number
  • ", + "

    You get one of these when you either buy a number or take a number from another vehicle you own.

    ", + "

    Eligibility

    ", + "

    You cannot:

    ", + "
  • assign a number starting with \u2018Q\u2019 or \u2018NIQ\u2019
  • ", + "
  • put a private number on a \u2018Q\u2019 registered vehicle
  • ", + "
  • use a private number that makes a vehicle look newer than it is - for example, an \u201807\u2019 registration number on a 2003 registered vehicle
  • ", + "

    The vehicle must:

    ", + "
  • be registered with DVLA in the UK
  • ", + "
  • be able to move under its own power
  • ", + "
  • be of a type that needs an MOT or heavy goods vehicle (HGV) test certificate
  • ", + "
  • have been taxed or had a SORN in place continuously for the past 5 years
  • ", + "
  • be taxed currently (or have a SORN in place - if it\u2019s had a SORN for more than 5 years, it must be taxed)
  • ", + "
  • be available for inspection
  • ", + "

    DVLA will check your application and contact you if your vehicle needs an inspection.

    ", + "

    Apply to assign a number

    ", + "

    If the vehicle is:

    ", + "
  • registered to you - apply online or by post
  • ", + "
  • a used vehicle you just bought - wait for DVLA to send you a new V5C in your name before you apply online or by post
  • ", + "
  • brand new - give the dealer your V750 or V778 document and ask them to apply
  • ", + "
  • registered to someone else and you want the private number to be transferred to them - apply online or by post
  • ", + "

    It\u2019s free to apply online or by post. You need the vehicle\u2019s log book (V5C).

    ", + "

    If you already have a private number on your vehicle, apply to take it off first. You could lose the right to use the number if you do not.

    ", + "

    Apply online

    ", + "

    The number will be assigned immediately if your vehicle does not need an inspection. Be ready to put new number plates on the vehicle as soon as you\u2019ve applied.

    ", + "

    Assign a number online

    ", + "

    This service is open from 7am to 7pm. It\u2019s also available in Welsh (Cymraeg).

    ", + "

    Apply by post

    ", + "

    It is taking longer than usual to process paper applications because of coronavirus (COVID-19).

    ", + "

    Send all of the following documents to DVLA:

    ", + "
  • the completed V750 or V778 - the address is on the form
  • ", + "
  • the vehicle\u2019s log book (V5C) or green \u2018new keeper\u2019 slip with a completed V62 \u2018application for a vehicle registration certificate V5C\u2019
  • ", + "

    If you\u2019re assigning the number to someone else\u2019s vehicle, add them as a \u2018nominee\u2019 - complete section 2 of the V750 or V778.

    ", + "

    To tax your vehicle at the same time, include all of the following:

    ", + "
  • a V10 \u2018application for vehicle tax\u2019 form
  • ", + "
  • the right amount of vehicle tax
  • ", + "
  • an MOT certificate
  • ", + "

    After you assign a private number

    ", + "

    You\u2019ll be sent:

    ", + "
  • a new log book (V5C) - it can take 4 to 6 weeks to arrive
  • ", + "
  • your original MOT back (if you sent it to tax the vehicle)
  • ", + "

    You must put new number plates on the vehicle before you drive it.

    ", + "

    You can keep the original registration number and plates - they\u2019ll be reassigned to the vehicle when you take off the private number.

    ", + "

    You must not sell or get rid of a vehicle until you get the new log book (V5C).

    ", + "

    Who to tell about your new registration number

    ", + "

    You must tell your insurance company.

    ", + "

    Update your registration number for any automatic payment accounts you have, for example to pay:

    ", + "
  • the Congestion Charge
  • ", + "
  • the Low Emission Zone Charge
  • ", + "
  • the Ultra Low Emission Zone Charge
  • ", + "
  • the Dart Charge
  • ", + "
  • charges for driving in Clean Air Zones
  • ", + "

    You may get a penalty charge if you do not update your registration details and enter one of these zones.

    ", + "

    If your vehicle has Clean Vehicle Retrofit Accreditation scheme certification, you also need to tell them your new registration number.

    ", + "

    Take a private number off a vehicle

    ", + "

    You can apply to take a private (personalised) number off a vehicle if you want to either:

    ", + "
  • keep the number to use later
  • ", + "
  • assign it to another vehicle
  • ", + "

    You cannot keep a number starting with \u2018Q\u2019 or \u2018NIQ\u2019.

    ", + "

    The vehicle\u2019s original registration number is usually reassigned to it automatically when you take off a private number.

    ", + "

    If your application is successful you\u2019ll be sent a V778 retention document and a new log book (V5C).

    ", + "

    You must have your V778 and new log book before you scrap or sell your vehicle - otherwise you\u2019ll lose the right to use the private number.

    ", + "

    Eligibility

    ", + "

    The vehicle must:

    ", + "
  • be registered with DVLA in the UK
  • ", + "
  • be able to move under its own power
  • ", + "
  • be of a type that needs an MOT or heavy goods vehicle (HGV) test certificate
  • ", + "
  • have been taxed or had a SORN in place continuously for the past 5 years
  • ", + "
  • be taxed currently (or have a SORN in place - if it\u2019s had a SORN for more than 5 years, it must be taxed)
  • ", + "
  • be available for inspection
  • ", + "

    DVLA will check your application and contact you if your vehicle needs an inspection.

    ", + "

    Apply to take off a number

    ", + "

    You can apply online or by post. It costs \u00a380. You must have the vehicle\u2019s log book (V5C).

    ", + "

    If the vehicle\u2019s not in your name, you have to apply by post.

    ", + "

    Apply online

    ", + "

    The number will be removed immediately if your vehicle does not need an inspection.

    ", + "

    You can assign the number to another vehicle as soon as you\u2019ve applied to take it off - use the reference number you get after you apply.

    ", + "

    Take off a number online

    ", + "

    This service is open from 7am to 7pm. It\u2019s also available in Welsh (Cymraeg).

    ", + "

    Apply by post

    ", + "

    It is taking longer than usual to process paper applications because of coronavirus (COVID-19).

    ", + "

    Send all of the following to DVLA:

    ", + "
  • a V317 \u2018transfer or retain a vehicle registration number\u2019 form - the address is on the form
  • ", + "
  • the vehicle\u2019s log book (V5C) or green \u2018new keeper\u2019 slip with a completed V62 \u2018application for a vehicle registration certificate V5C\u2019
  • ", + "
  • the \u00a380 transfer fee
  • ", + "

    To tax your vehicle at the same time, send all of the following:

    ", + "
  • a V10 \u2018application for vehicle tax\u2019 form
  • ", + "
  • the right amount of vehicle tax
  • ", + "
  • an MOT certificate
  • ", + "

    After you apply

    ", + "

    Your original number plate will usually be reassigned to your vehicle automatically, if your application is successful. This will happen straight away.

    ", + "

    You\u2019ll be sent:

    ", + "
  • a new log book (V5C) showing the vehicle\u2019s replacement registration number - it can take 4 to 6 weeks to arrive
  • ", + "
  • your original MOT back (if you sent it to tax the vehicle)
  • ", + "
  • a V778 retention document if the private number is in your name
  • ", + "

    If the private number is in someone else\u2019s name, the V778 document will be sent to them.

    ", + "

    Before you can drive your vehicle, you must:

    ", + "
  • put the original or new number plates on the vehicle before you drive it
  • ", + "
  • tell your insurance company your new registration number
  • ", + "

    Who to tell about your new registration number

    ", + "

    You must tell your insurance company.

    ", + "

    Update your registration number for any automatic payment accounts you have, for example to pay:

    ", + "
  • the Congestion Charge
  • ", + "
  • the Low Emission Zone Charge
  • ", + "
  • the Ultra Low Emission Zone Charge
  • ", + "
  • the Dart Charge
  • ", + "
  • charges for driving in Clean Air Zones
  • ", + "

    You may get a penalty charge if you do not update your registration details and enter one of these zones.

    ", + "

    If your vehicle has Clean Vehicle Retrofit Accreditation scheme certification, you also need to tell them your new registration number.

    ", + "

    What happens to the private number

    ", + "

    Your V778 retention document proves that you still have the right to assign the private number for the next 10 years.

    ", + "

    You must renew your right to use a private number before the V778 expires.

    ", + "

    You can give up your right to use the private number if you decide not to assign it.

    ", + "

    Renew or replace your private number

    ", + "

    You must renew your right to use your private (personalised) number every 10 years if it\u2019s not being used on a vehicle. If you got your private number before 2015, you must renew it more often - check your V750 or V778 document.

    ", + "

    You\u2019ll permanently lose the right to use the number if you do not renew it before the expiry date. DVLA will not accept applications made after that date.

    ", + "

    Renew your V750 certificate of entitlement or V778 retention document

    ", + "

    You can apply to renew your V750 or V778 up to 28 days before it expires. Do not apply earlier than this or your application may be refused.

    ", + "

    You\u2019ll get a reminder letter or email if you\u2019re not using a private number and your right to use it is about to run out.

    ", + "

    You can renew it for up to 10 years, and it does not cost anything to do.

    ", + "

    Renew your V750 online

    ", + "

    You can renew your V750 by creating a DVLA personalised registration account or by using your existing account.

    ", + "

    Renew by post

    ", + "

    Fill in the form on the V750 or V778.

    ", + "

    Send the V750 or V778 to the address on the form.

    ", + "

    Replace a lost or stolen V750 or V778

    ", + "

    You can send a letter to DVLA Personalised Registrations to ask for a replacement V750 or V778 if:

    ", + "
  • it has not expired
  • ", + "
  • you\u2019re the person with the right to use the number (your name will have been on the V778 or V750 as the \u2018grantee\u2019)
  • ", + "

    It\u2019ll take around 3 to 4 weeks for the new V750 or V778 to arrive.

    ", + "

    If your address or name has changed

    ", + "

    You\u2019ll need to include an extra document with your letter.

    ", + "

    If your address has changed, include proof of your identity. This can be a copy of:

    ", + "
  • a household bill sent to you in the last 3 months
  • ", + "
  • your Council Tax bill for this year
  • ", + "
  • a bank or building society statement sent to you in the last 3 months
  • ", + "
  • a medical card
  • ", + "
  • your current British driving licence
  • ", + "
  • your passport
  • ", + "
  • your birth certificate
  • ", + "

    If your name has changed, include proof of your name change. This can be a copy of:

    ", + "
  • your marriage certificate
  • ", + "
  • the decree nisi or decree absolute from your divorce
  • ", + "
  • a deed poll to show you\u2019ve changed your name legally
  • ", + "

    Sell or give a private number to someone else

    ", + "

    You can sell or give a private (personalised) number to someone. The number must be assigned to their vehicle before they can use it.

    ", + "

    If you\u2019re giving a number to someone, follow the steps for assigning your private number to someone else.

    ", + "

    Selling your private number

    ", + "

    You can use a private number dealer or sell your number yourself.

    ", + "

    Do not share a photograph or scan of the V750 or V778 document. Someone other than the buyer might use it to put the private number on another vehicle.

    ", + "

    Use a private number dealer

    ", + "

    Most dealers will find a buyer, arrange the payment and transfer the number to the buyer\u2019s vehicle for you.

    ", + "

    Sell your private number yourself

    ", + "

    After you find a buyer, you\u2019ll need to assign your number to their vehicle. Follow the steps for assigning your private number to someone else.

    ", + "

    Assign your private number to someone else

    ", + "

    You can put your private number on someone else\u2019s vehicle online or by post.

    ", + "

    After that, DVLA will send a replacement log book for the vehicle but with the new private number assigned to it.

    ", + "

    Online

    ", + "

    You\u2019ll need details from:

    ", + "
  • the log book (V5C) of the vehicle you\u2019re assigning the number to
  • ", + "
  • your V778 or V750
  • ", + "

    The number will usually be assigned immediately.

    ", + "

    Assign a number online

    ", + "

    This service is open from 7am to 7pm. It\u2019s also available in Welsh (Cymraeg).

    ", + "

    By post

    ", + "

    Send DVLA:

    ", + "
  • your V778 or V750 form - fill in sections 1 and 2 and sign it first
  • ", + "
  • the log book (V5C) for the vehicle you want to put the private number on
  • ", + "

    The address is on the form.

    ", + "

    If the nominee dies

    ", + "

    The person who has the right to use the private number can change the \u2018nominee\u2019 (the person you\u2019re giving the number to). Fill in section 2 of the V750 or V778 with the new nominee\u2019s details, sign the form and send it to:

    ", + "

    Change your name or address

    ", + "

    You can change your address or name on your V750 or V778 certificate.

    ", + "

    Change your address online - V750 only

    ", + "

    Use your DVLA personalised registration account.

    ", + "

    Change your address by post - V750 or V778

    ", + "

    Fill in the \u2018change of address\u2019 section on your V750 or V778. Sign it and send it to DVLA Personalised Registrations.

    ", + "

    If you do not have your V750 or V778

    ", + "

    Write a letter saying what your new address is. Sign it and send it to DVLA Personalised Registrations with proof of your identity. This can be a copy of:

    ", + "
  • a household bill sent to you in the last 3 months
  • ", + "
  • your Council Tax bill for this year
  • ", + "
  • a bank or building society statement sent to you in the last 3 months
  • ", + "
  • a medical card
  • ", + "
  • your current British driving licence
  • ", + "
  • your passport
  • ", + "
  • your birth certificate
  • ", + "

    Change your name - V750 or V778

    ", + "

    You can only change your name by post. You\u2019ll need proof of your name change - this can be a copy of:

    ", + "
  • your marriage certificate
  • ", + "
  • the decree nisi or decree absolute from your divorce
  • ", + "
  • a deed poll to show you\u2019ve changed your name legally
  • ", + "

    Fill in the \u2018nominee details\u2019 section on your V750 or V778. Sign it and send it to DVLA Personalised Registrations with proof of your name change.

    ", + "

    If you do not have your V750 or V778

    ", + "

    Write a letter saying what your new name is. Sign it and send it to DVLA Personalised Registrations with proof of your name change.

    ", + "

    Fix mistakes

    ", + "

    Write a letter saying what the mistakes are. Send it with the V750 or V778 to DVLA Personalised Registrations.

    ", + "

    Give up your right to use a private number

    ", + "

    You might get a refund of \u00a380 if you have the right to use a private number but you decide not to assign it to a vehicle.

    ", + "

    This refunds the \u00a380 fee you paid when you either:

    ", + "
  • bought the number (the fee was included in the cost)
  • ", + "
  • took the number off a vehicle
  • ", + "

    You can apply for a refund if:

    ", + "
  • the number was not assigned to any vehicle after you paid the fee
  • ", + "
  • you have the latest V778 or V750 document - if you\u2019ve lost it and it\u2019s still valid you can get a replacement from DVLA
  • ", + "

    If the document was issued before 9 March 2015, you can only get a refund once it expires. You cannot get a replacement document if it\u2019s expired.

    ", + "

    Tick the \u2018Give up the right to this registered number (surrender)\u2019 section of the V778 or V750 document, sign it and send it to:

    ", + "

    You cannot use the private number after you give up your right to it.

    ", + "

    There\u2019s a different process if the person with the right to use the private number has died.

    ", + "

    If the person with the right to use the private number dies

    ", + "

    If someone has died and left you a personalised number in their will, or you\u2019re in charge of the will (an \u2018executor\u2019), you can:

    ", + "
  • keep the private number
  • ", + "
  • transfer it to another vehicle
  • ", + "
  • put it in someone else\u2019s name
  • ", + "
  • give up the right to use the number (you can apply for a refund)
  • ", + "

    To do this, you\u2019ll need to send a form to DVLA, along with documents that prove you have the right to use the number.

    ", + "

    Prove you\u2019ve got the right to use the number

    ", + "

    You must send DVLA the death certificate when you send in your form. The death certificate can be an original or a certified copy.

    ", + "

    You must also send at least one of the following:

    ", + "
  • a certified copy of probate
  • ", + "
  • a copy of the will
  • ", + "
  • a letter from the solicitor confirming who the executors are or next of kin is
  • ", + "

    Keep or transfer the number, or give it to someone else

    ", + "

    Which form you send depends on whether the number is already on (\u2018assigned to\u2019) a vehicle.

    ", + "

    If the number is already assigned to a vehicle

    ", + "

    Fill in:

    ", + "
  • the V317 form (if you have an old blue form, fill in section 2)
  • ", + "
  • section 2 if you have a new style log book (with multi-coloured numbered blocks on the front cover) or section 6 if you have the older style log book
  • ", + "

    Make sure you include the details of the person you want to transfer the number to, for example an executor or next of kin.

    ", + "

    It costs \u00a380.

    ", + "

    If the number has not been assigned to a vehicle

    ", + "

    Send the documents that prove you\u2019ve got the right to use the number and either the:

    ", + "
  • V778 retention document
  • ", + "
  • V750 certificate of entitlement form
  • ", + "

    The executors must sign the V778 or V750 before you send it.

    ", + "

    You must also send a covering letter from the executors saying if you want to:

    ", + "
  • keep the number
  • ", + "
  • give the number to someone else
  • ", + "

    If you do not have the V778 or V750

    ", + "

    Send DVLA:

    ", + "
  • the documents that prove you have the right to use the number
  • ", + "
  • a covering letter signed by all the executors confirming that you do not have the forms, and explaining what you want to do with the number
  • ", + "

    Give up your right to use the private number

    ", + "

    You might be able to get a refund of the \u00a380 assignment fee if:

    ", + "
  • a private number was not assigned to a vehicle after the fee was paid
  • ", + "
  • you have the latest V778 or V750 document - if you\u2019ve lost it and it\u2019s still valid you can get a replacement from DVLA
  • ", + "

    Check the V778 or V750 document to find out if a fee was paid.

    ", + "

    If the document was issued before 9 March 2015, you can only get a refund once it expires. You cannot get a replacement document if it\u2019s expired.

    ", + "

    Send DVLA:

    ", + "
  • the V778 or V750 document - tick the \u2018Refund of the assignment fee\u2019 section and get all the executors to sign it
  • ", + "
  • the documents that prove you have the right to use the number
  • ", + "

    If you do not have the V778 or V750

    ", + "

    Send DVLA:

    ", + "
  • the documents that prove you have the right to use the number
  • ", + "
  • a covering letter signed by the all the executors confirming that you do not have the forms, and explaining what you want to do with the number
  • " + ] + }, + { + "title": "Vehicle registration schemes for the motor trade", + "url": "https://www.gov.uk/vehicle-registration-schemes-for-the-motor-trade", + "contents": [ + "

    Overview

    ", + "

    There are 3 vehicle registration schemes for the motor trade. They are:

    ", + "
  • the non-secure registration scheme
  • ", + "
  • the secure registration scheme
  • ", + "
  • the Register a Vehicle (RaV) service
  • ", + "

    You can use these schemes if you\u2019re a:

    ", + "
  • vehicle manufacturer
  • ", + "
  • sole or multiple import concessionaire
  • ", + "
  • VAT-registered motor vehicle trader
  • ", + "

    Using the schemes

    ", + "

    When you first start registering vehicles, you have to use the non-secure scheme. The other 2 schemes are designed to speed up the vehicle registration process.

    ", + "

    You can apply to the secure scheme when you\u2019ve been using the non-secure scheme without irregularities or issues for 6 months.

    ", + "

    You need to have used the secure scheme for 3 months if you want to use the RaV service.

    ", + "

    The Vehicle Register

    ", + "

    This is maintained by DVLA. It\u2019s based on the information provided on the V55 registration form or by the RaV service.

    ", + "

    Non-secure registration scheme

    ", + "

    You need to complete form V55/4 and send it to DVLA Swansea, SA99 1BE with one of the following documents:

    ", + "
  • a valid \u2018CoC\u2019 (certificate of conformity)
  • ", + "
  • the correct vehicle type approval certificate
  • ", + "
  • a Vehicle Certification Agency certificate of British National Type Approval (goods vehicles and mutual recognition)
  • ", + "

    Send the documents along with:

    ", + "
  • the registration fee
  • ", + "
  • the licence fee
  • ", + "
  • the appropriate customs form for an imported vehicle
  • ", + "
  • a certificate of newness (if applicable)
  • ", + "
  • approved identity documents confirming your name and address
  • ", + "
  • a foreign registration document (for used, imported vehicles)
  • ", + "

    You can only apply to use the secure registration scheme after you\u2019ve been using the non-secure scheme without irregularities or issues for 6 months.

    ", + "

    Secure registration scheme

    ", + "

    When your company has been approved to use this scheme, some of the documentation needed for the non-secure scheme is no longer required.

    ", + "

    Instead, you complete the registration process by transferring the data from one of the following onto the V55/1 or V55/2 form:

    ", + "
  • European Community Whole Vehicle Type Approval Certificate
  • ", + "
  • National Small Series Type Approval Certificate
  • ", + "
  • Goods Vehicle National Type Approval Certificate
  • ", + "

    You register vehicles by sending the following to DVLA Swansea, SA99 1BE:

    ", + "
  • a completed V55/1 or V55/2 form
  • ", + "
  • the registration fee and the fee to tax a vehicle
  • ", + "

    There\u2019s no need to provide evidence of newness with your V55/1 or V55/2 form.

    ", + "

    Contact one of the following trade associations to get a V55/1 or V55/2 form:

    ", + "
  • Society of Motor Manufacturers and Traders
  • ", + "
  • Motor Cycle Industry Association
  • ", + "
  • Agricultural Engineers Association
  • ", + "

    Or write to:

    ", + "

    You can also order the forms by faxing 01792 783525 or emailing stores.order.forms@dvla.gov.uk.

    ", + "

    Modified vehicles

    ", + "

    Vehicles modified before registration - for example with different wheels, tyres or a silencer - may need a:

    ", + "
  • Single Vehicle Approval inspection
  • ", + "
  • Individual Vehicle Approval inspection
  • ", + "
  • Motorcycle Vehicle Approval inspection
  • ", + "
  • further type approval work
  • ", + "

    These vehicles then need to be registered using the non-secure system with one of the above certificates.

    ", + "

    Vehicles modified through the multi-stage build process and then type approved, or those using the enhancement scheme, can be registered using the secure registration scheme.

    ", + "

    How to apply

    ", + "

    Email secureformsscheme@dvla.gov.uk to apply.

    ", + "

    They will send you an application pack and guidance notes.

    ", + "

    When you\u2019ve used the secure registration scheme for 3 months, you can apply to use the Register a Vehicle (RaV) service.

    ", + "

    Register a Vehicle service

    ", + "

    The Register a Vehicle (RaV) service is a web-based version of the secure registration scheme and it can save you time if you decide to join it.

    ", + "

    Before applying for the RaV service you must:

    ", + "
  • be approved to register vehicles using the secure registration scheme
  • ", + "
  • have used the secure scheme for at least 3 months
  • ", + "

    DVLA staff will provide initial training in the system and there\u2019s also a helpdesk that operates from Monday to Friday, 8am to 5pm.

    ", + "

    Vehicle Certification Agency (VCA) control check arrangements

    ", + "

    You still need to maintain the same paper records for the RaV service, as you did for the secure registration scheme.

    ", + "

    These could include:

    ", + "
  • V55 document security (when used as back up for printer or computer failure or other registration purposes)
  • ", + "
  • derogation forms from potential new vehicle suppliers
  • ", + "
  • spot check records
  • ", + "

    The DVLA or VCA may visit you to make sure control checks and security systems are being maintained.

    ", + "

    How to apply

    ", + "

    Email rav@dvla.gov.uk if you register your vehicles on forms V55/1 or V55/2.

    ", + "

    Email secureformsscheme@dvla.gov.uk if:

    ", + "
  • you register your vehicles on form V55/4
  • ", + "
  • you want to register for the secure registration scheme before joining the RaV service
  • ", + "

    If your application is successful, you\u2019ll be told how to sign in to the\u00a0RaV\u00a0service.

    " + ] + }, + { + "title": "Seat belts: the law", + "url": "https://www.gov.uk/seat-belts-law", + "contents": [ + "

    Overview

    ", + "

    You must wear a seat belt if one is fitted in the seat you\u2019re using - there are only a few exceptions.

    ", + "

    You\u2019re also only allowed 1 person in each seat fitted with a seat belt.

    ", + "

    You can be fined up to \u00a3500 if you don\u2019t wear a seat belt when you\u2019re supposed to.

    ", + "

    Children

    ", + "

    You must make sure that any children in the vehicle you\u2019re driving are:

    ", + "
  • in the correct car seat for their height or weight until they reach 135 centimetres tall or their 12th birthday, whichever is first
  • ", + "
  • wearing a seat belt if they\u2019re 12 or 13 years old, or younger and over 135cm tall
  • ", + "

    You can be fined up to \u00a3500 if a child under 14 isn\u2019t in the correct car seat or wearing a seat belt while you\u2019re driving.

    ", + "

    When you don't need to wear a seat belt

    ", + "

    You don\u2019t need to wear a seat belt if you\u2019re:

    ", + "
  • a driver who is reversing, or supervising a learner driver who is reversing
  • ", + "
  • in a vehicle being used for police, fire and rescue services
  • ", + "
  • a passenger in a trade vehicle and you\u2019re investigating a fault
  • ", + "
  • driving a goods vehicle on deliveries that is travelling no more than 50 metres between stops
  • ", + "
  • a licensed taxi driver who is \u2018plying for hire\u2019 or carrying passengers
  • ", + "

    Medical exemptions

    ", + "

    Your doctor may say you don\u2019t have to wear a seat belt for a medical reason. They\u2019ll give you a \u2018Certificate of Exemption from Compulsory Seat Belt Wearing\u2019. You must:

    ", + "
  • keep this in your vehicle
  • ", + "
  • show it to the police if you\u2019re stopped
  • ", + "

    You\u2019ll also need to tell your car insurer.

    ", + "

    Talk to your doctor for more information and read \u2018medical exemptions from compulsory seat belt wearing\u2019.

    ", + "

    Wearing a seat belt while pregnant

    ", + "

    You must wear a seat belt if you\u2019re pregnant, unless your doctor says you don\u2019t have to for medical reasons.

    ", + "

    Wearing a seat belt if you\u2019re disabled

    ", + "

    You must wear a seat belt if you\u2019re a disabled driver or passenger, unless you don\u2019t have to for medical reasons. You may need to adapt your vehicle.

    ", + "

    If your vehicle doesn\u2019t have seat belts

    ", + "

    If your vehicle doesn\u2019t have seat belts, for example it\u2019s a classic car, you aren\u2019t allowed to carry any children under 3 years old in it.

    ", + "

    Children over 3 are only allowed to sit in the back seats.

    ", + "

    These rules only apply if your vehicle was originally made without seat belts.

    " + ] + }, + { + "title": "Vehicle recalls and faults", + "url": "https://www.gov.uk/vehicle-recalls-and-faults", + "contents": [ + "

    Overview

    ", + "

    You need to get your vehicle, vehicle parts and accessories fixed or replaced by the manufacturer if they find a serious problem with them.

    ", + "

    This includes:

    ", + "
  • cars
  • ", + "
  • motorcycles, quadricycles and tricycles
  • ", + "
  • caravans and horse boxes
  • ", + "
  • child car seats
  • ", + "
  • seat belts and harnesses
  • ", + "
  • tyres
  • ", + "
  • components and parts
  • ", + "
  • agricultural equipment
  • ", + "
  • lorries, buses, coaches and minibuses
  • ", + "

    You can report a serious safety defects with your vehicle or accessory if it could cause injury.

    ", + "

    Recalled vehicles, parts and accessories

    ", + "

    If your vehicle is recalled for a safety reason, you\u2019ll usually be sent a letter by the manufacturer telling you:

    ", + "
  • why it\u2019s being recalled
  • ", + "
  • what you need to do next
  • ", + "
  • who you should contact
  • ", + "

    You will not usually have to pay for any repairs or parts under a safety recall.

    ", + "

    Other ways of finding out about recalls

    ", + "

    You will not get a letter if the manufacturer does not have your contact details, for example for car child seats.

    ", + "

    You can check if a vehicle model, part or accessory has been recalled for a safety reason.

    ", + "

    What you need to do

    ", + "

    You\u2019re legally responsible for making sure that your vehicle is:

    ", + "
  • kept in a safe condition
  • ", + "
  • safe to drive whenever you drive it
  • ", + "

    If you do not get your vehicle inspected and fixed, you could:

    ", + "
  • affect any insurance claim you make
  • ", + "
  • put yourself and others at serious risk
  • ", + "

    You can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle in a dangerous condition.

    ", + "

    Report a serious safety defect

    ", + "

    If you find a serious defect that affects the safety of your vehicle, one of its parts, or an accessory, report it to the manufacturer immediately.

    ", + "

    Tell the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with how the manufacturer is dealing with your report.

    ", + "

    DVSA will:

    ", + "
  • investigate the issue with the manufacturer
  • ", + "
  • tell you what action is being taken
  • ", + "

    The vehicle, part or accessory can be recalled if it\u2019s found to be a serious safety issue.

    ", + "

    How to report a serious safety defect

    ", + "

    To report the defect you\u2019ll need to give details of what happened and:

    ", + "
  • the vehicle registration (number plate)
  • ", + "
  • the make and model of the vehicle
  • ", + "
  • the year the vehicle was made
  • ", + "
  • the current mileage
  • ", + "
  • the engine type (for example, petrol)
  • ", + "
  • the gearbox type (manual or automatic)
  • ", + "
  • any photos showing the defect (if you have them)
  • ", + "

    If you do not have all of the vehicle details, you can get some vehicle information from DVLA.

    ", + "

    Report a defect

    ", + "

    What counts as a serious safety defect

    ", + "

    A serious safety defect is something:

    ", + "
  • about the way the vehicle is designed or made that\u2019s likely to cause injury or death
  • ", + "
  • that happens suddenly and without warning
  • ", + "

    What does not count as a serious safety defect

    ", + "

    Things are not classed as a serious safety defect if:

    ", + "
  • they can be found during routine maintenance and servicing
  • ", + "
  • you\u2019re warned about them by warning lights, noticeable changes in handling and unusual noises
  • ", + "
  • they\u2019re caused by you misusing the vehicle, for example overloading your vehicle causing a tyre failure
  • ", + "

    Faults with vehicles, parts and accessories

    ", + "

    Faults in the way vehicles, vehicle parts and accessories are designed or made have to be registered with the Driver and Vehicle Standards Agency (DVSA) if they:

    ", + "
  • mean it could become unsafe in the future if it\u2019s not fixed
  • ", + "
  • could mean that the vehicle, part or accessory no longer meets the legal standard
  • ", + "

    Other types of general faults are not registered with DVSA.

    ", + "

    How you\u2019ll be told about faults

    ", + "

    If you own something affected, you might be sent a letter by the manufacturer telling you:

    ", + "
  • what the fault is
  • ", + "
  • what you need to do next
  • ", + "
  • who you should contact
  • ", + "

    You usually do not have to pay to get the fault fixed.

    ", + "

    Other ways of finding out about faults

    ", + "

    You can contact the manufacturer or dealer of your vehicle, part or accessory to check for any registered faults.

    ", + "

    What you need to do

    ", + "

    You do not have to do anything about the fault if you do not want to. However, not getting it fixed could mean that:

    ", + "
  • it becomes unsafe in the future
  • ", + "
  • your vehicle fails its next MOT
  • " + ] + }, + { + "title": "Boatmasters' licence", + "url": "https://www.gov.uk/boatmasters-licence", + "contents": [ + "

    Check if you need a licence

    ", + "

    You must have a boatmasters\u2019 licence if you\u2019re the master of certain vessels on:

    ", + "
  • inland waters in categories A to D, such as canals, rivers, lakes and some estuaries
  • ", + "
  • \u2018limited\u2019 coastal area operations - no more than 5 miles from the land and 15 miles from where your vessel sets off or arrives
  • ", + "

    You may be prosecuted and fined for not having the right boatmasters\u2019 licence.

    ", + "

    Find out what types and class of vessels can operate on UK inland waters.

    ", + "

    When you do not need a licence

    ", + "

    You do not need a boatmasters\u2019 licence if you\u2019re in charge of:

    ", + "
  • a pleasure vessel, including hire boats used as pleasure vessels
  • ", + "
  • fishing vessels
  • ", + "

    Using alternative certificates

    ", + "

    Some certificates can be used instead of a boatmasters\u2019 licence, including STCW certificates of competency and certificates awarded by the Royal Yachting Association.

    ", + "

    If you have an alternative certificate, you must:

    ", + "
  • check if you need a paper endorsement or a boat handling test - read sections 3 and 4 of the boatmasters\u2019 qualifications and hours of work notice
  • ", + "
  • download and fill in the application form and send it to your nearest marine office
  • ", + "
  • pay the right fees
  • ", + "

    Before you apply

    ", + "

    Read the boatmasters\u2019 qualifications and hours of work notice to find out:

    ", + "
  • which vessels you need a boatmasters\u2019 licence for
  • ", + "
  • what kinds of boatmasters\u2019 licence you can apply for
  • ", + "
  • what you need to apply for a boatmasters\u2019 licence
  • ", + "
  • what you need to revalidate a boatmasters\u2019 licence
  • ", + "
  • alternative qualifications you can have instead of a boatmasters\u2019 licence
  • ", + "
  • information on local knowledge requirements
  • ", + "

    You should also:

    ", + "
  • keep records of relevant work and training for your licence application
  • ", + "
  • check for local regulations, such as byelaws that you may need to know
  • ", + "
  • check that you have safety training from an approved training provider
  • ", + "

    How to apply

    ", + "

    You\u2019ll need to:

    ", + "
  • read the boatmasters\u2019 qualifications and hours of work notice
  • ", + "
  • download the application form for a boatmasters\u2019 licence
  • ", + "
  • pay the right fees
  • ", + "

    Replacing your licence

    ", + "

    Download the application form for a replacement boatmasters\u2019 licence.

    ", + "

    Replacing your licence costs \u00a323.

    ", + "

    Renewing your licence

    ", + "

    Your boatmasters\u2019 licence usually lasts 5 years.

    ", + "

    Renewing your licence costs \u00a331.

    ", + "

    Download the boatmasters\u2019 licence renewal application form. Send it to the address on the form.

    ", + "

    Upgrading your licence

    ", + "

    Download the form to upgrade your licence, or add another area to your licence.

    ", + "

    The fee for upgrading your licence can vary.

    ", + "

    Exemptions under the 2006 Boatmasters' Regulations

    ", + "

    You need to apply for a \u2018Tier 2 Level 2\u2019 licence before your exemption expires if you want to keep working. This will cover all the areas described on your exemption certificate.

    ", + "

    You may be prosecuted and fined for not having the right boatmasters\u2019 licence when your exemption expires.

    ", + "

    How to apply

    ", + "

    If you have an exemption certificate and want to continue working, you must:

    ", + "
  • check if you can apply for a Tier 2 boatmasters\u2019 licence by reading section 22 of the boatmasters\u2019 qualifications and hours of work notice
  • ", + "
  • download and fill in the application form and send it to your nearest marine office
  • ", + "
  • pay the right fees
  • " + ] + }, + { + "title": "Appeal against a penalty charge notice", + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "contents": [ + "

    Appealing to an independent tribunal

    ", + "

    You may be able to appeal to an independent tribunal against a penalty charge notice (PCN) if you think it\u2019s wrong.

    ", + "

    You can only do this if you\u2019ve already tried making making a formal challenge (\u2018representation\u2019).

    ", + "

    This includes any PCN issued in England or Wales for:

    ", + "
  • parking
  • ", + "
  • breaking traffic rules, for example going against a \u2018no right turn\u2019 sign or driving in a bus lane when you shouldn\u2019t
  • ", + "
  • not paying the Dartford Crossing, London congestion or low emissions zone charge on time
  • ", + "

    There are different ways to appeal in Scotland and Northern Ireland.

    ", + "

    When to appeal

    ", + "

    You then have 28 days to appeal after you get a \u2018notice of rejection\u2019 to say your formal challenge has failed.

    ", + "

    How to appeal

    ", + "

    Find out how to appeal to:

    ", + "
  • London Tribunals if your PCN was issued in London
  • ", + "
  • the Traffic Penalty Tribunal if your PCN was issued outside London, in England or Wales - this includes PCNs from Dart Charge
  • ", + "

    If your appeal is successful the PCN will be cancelled and you won\u2019t have to pay anything.

    ", + "

    If your appeal fails

    ", + "

    You\u2019ll have 28 days to pay the penalty charge notice (PCN) if your appeal is refused.

    ", + "

    If you don\u2019t pay within 28 days

    ", + "

    You\u2019ll get a \u2018charge certificate\u2019 and you\u2019ll have to pay 50% more within 14 days.

    ", + "

    You\u2019ll get a court order demanding payment if you don\u2019t pay a charge certificate within 14 days.

    ", + "

    If you get a court order

    ", + "

    You\u2019ll have 21 days to pay the penalty charge notice (PCN) or challenge a court order demanding payment (known as an \u2018order of recovery\u2019).

    ", + "

    Bailiffs (\u2018enforcement agents\u2019) will be told to visit your home to collect what you owe if you don\u2019t pay or challenge within 21 days.

    ", + "

    When you can challenge

    ", + "

    You can challenge an order of recovery if you:

    ", + "
  • didn\u2019t get a \u2018notice to owner\u2019 telling you how to make a formal challenge
  • ", + "
  • made a formal challenge on time but didn\u2019t get a \u2018notice of rejection\u2019
  • ", + "
  • appealed to an independent tribunal on time but didn\u2019t get a response
  • ", + "
  • have proof you\u2019ve paid the penalty charge, such as a credit card statement
  • ", + "

    How to challenge

    ", + "

    The form you use to challenge an order of recovery depends on whether it relates to:

    ", + "
  • a parking PCN - use form TE9
  • ", + "
  • a Dart Charge PCN - use form TE9 Dart Charge
  • ", + "
  • a low emission zone PCN - use form PE3 vehicle emissions
  • ", + "
  • any other PCN, for example for driving in a bus lane - use form PE3
  • ", + "

    Send it to the Traffic Enforcement Centre (TEC) within 21 days.

    ", + "

    You may be able to get more time to challenge an order of recovery.

    ", + "

    If your challenge is successful

    ", + "

    The order of recovery will be withdrawn and bailiffs won\u2019t be able to seize your property.

    ", + "

    The council or authority that issued the PCN will then do one of the following:

    ", + "
  • cancel the PCN, for example because you paid it in full
  • ", + "
  • issue a new notice to owner - you\u2019ll have 28 days to pay or challenge
  • ", + "
  • refer your case to an independent tribunal
  • ", + "

    Getting more time to challenge a court order

    ", + "

    You can ask for more time to challenge a court order (\u2018order of recovery\u2019) if you:

    ", + "
  • were contacted about a penalty charge notice (PCN) you didn\u2019t know about
  • ", + "
  • were contacted about a paid or cancelled PCN
  • ", + "
  • didn\u2019t get a response to your formal challenge (\u2018representation\u2019) or appeal
  • ", + "

    Do this by making an \u2018out of time\u2019 challenge to the order of recovery.

    ", + "

    Making an \u2018out of time\u2019 challenge

    ", + "

    Use an \u2018out of time\u2019 form to explain why you\u2019re making a late challenge. Send it with the form you need to challenge the order of recovery.

    ", + "

    The \u2018out of time\u2019 form you use depends on whether it relates to:

    ", + "
  • a parking PCN
  • ", + "
  • a Dart Charge PCN
  • ", + "
  • any other PCN - for example for driving in a bus lane
  • ", + "

    What happens next

    ", + "

    Bailiffs will be told to stop any action while your \u2018out of time\u2019 challenge is considered by the council or authority that issued the PCN.

    ", + "

    If your \u2018out of time\u2019 challenge is accepted

    ", + "

    Bailiffs will have to return any property they seized and the council or authority will decide what happens next if your challenge is successful.

    ", + "

    If your \u2018out of time\u2019 challenge is refused

    ", + "

    The Traffic Enforcement Centre (TEC) will review your \u2018out of time\u2019 challenge if it\u2019s refused by the council or authority. You\u2019ll get a letter to tell you if your challenge is successful or not.

    ", + "

    If it\u2019s not, you can ask a judge to review the TEC\u2019s decision.

    ", + "

    The council or authority that issued the PCN can also ask a judge to review the TEC\u2019s decision.

    ", + "

    Getting a judge to review the TEC\u2019s decision

    ", + "

    Send application notice N244 to the TEC with your fee within 14 days of the date the decision was made.

    ", + "

    Read the N244 guidelines for help filling in the application.

    ", + "

    Fee

    ", + "

    How much you pay depends on whether you want to attend a hearing to present your case.

    ", + "How you want your case to be decided | Fee", + "With hearing at your local county court | \u00a3255", + "Without hearing by a district judge | \u00a3100", + "

    If you\u2019re on a low income, or you\u2019re on certain benefits and don\u2019t have much in savings, you might be able to get money off the fee.

    " + ] + }, + { + "title": "Driving disqualifications", + "url": "https://www.gov.uk/driving-disqualifications", + "contents": [ + "

    Overview

    ", + "

    You can be banned (disqualified) from driving if you are either:

    ", + "
  • convicted of a driving offence
  • ", + "
  • get 12 or more penalty points (endorsements) within 3 years
  • ", + "

    You\u2019ll get a summons in the post that tells you when you must go to court.

    ", + "

    Some disqualification rules are different in Northern Ireland.

    ", + "

    How long a driving ban will last

    ", + "

    The court will decide how long the disqualification will last, based on how serious they think the offence is.

    ", + "

    You can be banned from driving if you already have 12 or more penalty points on your licence. Your ban can last:

    ", + "
  • 6 months, if you get 12 or more penalty points within 3 years
  • ", + "
  • 12 months, if you get a second disqualification within 3 years
  • ", + "
  • 2 years, if you get a third disqualification within 3 years
  • ", + "

    Disqualified for 56 days or more

    ", + "

    If you\u2019re disqualified for 56 days or more you must apply for a new licence before driving again.

    ", + "

    You might also have to retake your driving test or take an extended driving test before getting your full licence. The court will tell you if you have to do this.

    ", + "

    Disqualified for less than 56 days

    ", + "

    View your driving licence record online to check the disqualification. You cannot drive until it has ended.

    ", + "

    You do not need to apply for a new licence before you can drive again.

    ", + "

    Disqualification outside Great Britain

    ", + "

    You cannot drive in Northern Ireland and the Isle of Man if you\u2019ve been banned from driving on your Great Britain driving licence.

    ", + "

    This is called \u2018mutual recognition of disqualification\u2019. Disqualified drivers from Northern Ireland and the Isle of Man are also banned from driving in Great Britain.

    ", + "

    Check when your disqualification ends

    ", + "

    You can find the date your driving ban ends:

    ", + "
  • online
  • ", + "
  • on the reminder form D27 that DVLA sends you 56 days before your disqualification ends
  • ", + "
  • on the D27PH letter issued 90 days before certain drink-related disqualifications end
  • ", + "
  • by contacting DVLA (if you\u2019re in Northern Ireland, contact DVA)
  • ", + "

    Apply to reduce your disqualification period

    ", + "

    You can ask the court to reduce your disqualification period after you\u2019ve been banned from driving for:

    ", + "
  • 2 years - if the disqualification was for fewer than 4 years
  • ", + "
  • half the disqualification period - if it was for at least 4 but under 10 years
  • ", + "
  • 5 years - if the disqualification was for 10 years or more
  • ", + "

    You must have a good reason for asking for the disqualification to be reduced. For example, if you think the court made a legal mistake or there were reasons you committed the driving offence that the court did not take into account.

    ", + "

    Write to the court that disqualified you with the date of offence, date of conviction and any other supporting information.

    ", + "

    The court will tell DVLA if it decides to reduce your disqualification period. If it does, you\u2019ll need to apply for a new licence.

    ", + "

    If the court refuses your request you have to wait 3 months before you can ask again.

    ", + "

    If your disqualification is reduced

    ", + "

    Car or motorbike licences

    ", + "

    Apply for a new licence by sending DVLA a completed form D1 \u2018Application for a driving licence\u2019, available from the DVLA form ordering service or most Post Offices. You must pay a fee.

    ", + "

    Lorry or bus licences

    ", + "

    Apply for a new licence by sending DVLA a completed form D2 \u2018Application for a lorry/bus licence\u2019, available from the DVLA form ordering service. You must pay a fee.

    ", + "

    Northern Ireland

    ", + "

    Apply to the DVA to renew your licence.

    ", + "

    If you need to retake your test

    ", + "

    If the court told you that you must take another driving test before driving again, you\u2019ll have to apply for a new provisional licence.

    ", + "

    You can drive as soon as your ban is over and you\u2019ve passed the tests you need to take.

    ", + "

    How to get a new licence

    ", + "
  • DVLA will send you a reminder 56 days before your disqualification ends - use this to apply for a new provisional driving licence. If you did not get a reminder, order an application form instead. Order form D1 for a car and motorbike licence or form D2 for a lorry and bus licence.
  • ", + "
  • Book and take a theory and practical test (or compulsory basic training and motorcycle practical test if you ride a motorcycle). Book and take an extended practical test if the court told you to take one. The extended practical test lasts at least 60 minutes and has higher fees.
  • ", + "
  • When you\u2019ve passed the practical test, ask the examiner to arrange for your new licence to be sent to you - you can legally drive as soon as you\u2019ve passed the practical test.
  • ", + "

    If you want to drive a large vehicle (category C) or a bus (category D) the local traffic commissioner must agree - DVLA will ask them when you apply for your new full licence.

    ", + "

    There\u2019s a different process in Northern Ireland.

    ", + "

    If you\u2019ve got a licence from an EU country

    ", + "

    Do not apply for a provisional licence - you can use your EU driving licence to take the test instead.

    ", + "

    Follow the usual rules for learning to drive until you retake your test and pass.

    ", + "

    Changes to your name and address while disqualified

    ", + "

    Tell DVLA if you change your name or address while disqualified.

    ", + "

    Write with details of your old and new address, name if changed, your driving licence number (if known) and date of birth.

    ", + "

    There\u2019s a different process in Northern Ireland.

    ", + "

    Disqualification for drink-driving

    ", + "

    You can be disqualified if you\u2019re found guilty of drink-driving. Depending on your offence, you can also be fined or sent to prison.

    ", + "

    You\u2019ll need to apply for a new licence after your disqualification ends.

    ", + "

    If you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.

    ", + "

    High risk offenders

    ", + "

    If you\u2019re a \u2018high risk offender\u2019, you will not get your new licence until you can prove you\u2019re fit to drive again. You\u2019ll need to pass a medical examination with one of DVLA\u2019s appointed doctors.

    ", + "

    You\u2019re a high risk offender if you:

    ", + "
  • were convicted of 2 drink driving offences within 10 years
  • ", + "
  • were driving with an alcohol reading of at least 87.5 microgrammes of alcohol per 100 millilitres (ml) of breath, 200 milligrammes (mg) of alcohol per 100 ml of blood, or 267.5 mg of alcohol per 100 ml of urine
  • ", + "
  • refused to give the police a sample of breath, blood or urine to test for alcohol
  • ", + "
  • refused to allow a sample of your blood to be tested for alcohol (for example if it was taken when you were unconscious)
  • ", + "

    You\u2019ll get a D27PH renewal form 90 days before your disqualification ends. You must fill in the form and send it to DVLA to reapply for your licence.

    ", + "

    Medical examination with a DVLA doctor

    ", + "

    Once DVLA receive your application for a new licence, they\u2019ll send you the doctors details so you can make an appointment.

    ", + "

    You have to pay for your examination.

    ", + "

    During the examination, you\u2019ll:

    ", + "
  • complete a questionnaire about your medical history and use of alcohol
  • ", + "
  • take part in a physical examination
  • ", + "
  • have your blood tested
  • ", + "

    The process is different in Northern Ireland.

    ", + "

    Disqualification for drug driving

    ", + "

    You can be disqualified from driving for at least 1 year if you\u2019re found guilty of drug driving. Depending on your offence, you can also be fined or sent to prison.

    ", + "

    You must apply for a new licence before you can drive again.

    " + ] + }, + { + "title": "Driving abroad", + "url": "https://www.gov.uk/driving-abroad", + "contents": [ + "

    Driving abroad on holiday

    ", + "

    You need to take your Great Britain or Northern Ireland driving licence with you to drive abroad. Check yours is still valid and renew your driving licence online if it\u2019s expired or about to expire. You\u2019ll need to apply to renew your licence at least a week before you travel.

    ", + "

    If you\u2019re taking your own vehicle, you also need to take your log book (V5C) and your insurance certificate.

    ", + "

    If you\u2019re taking a vehicle abroad that you\u2019ve hired or leased in the UK, you\u2019ll need a VE103 certificate.

    ", + "

    Check if you need an international driving permit (IDP)

    ", + "

    You might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.

    ", + "

    You can get IDPs over the counter at the Post Office. You might need one for each country you\u2019re visiting.

    ", + "

    Do not apply for an IDP if you\u2019re moving abroad. You\u2019ll need to either exchange your UK licence or apply for a new one in the country you\u2019re moving to.

    ", + "

    Check the overseas driving rules

    ", + "

    Make sure you follow overseas driving rules, including local speed limits and drink driving laws. You may be breaking the law and get a fine if you do not.

    ", + "

    Depending on the country you\u2019re visiting you may need:

    ", + "
  • extra equipment - for example, you need a reflective jacket and a warning triangle in many countries
  • ", + "
  • emission stickers (permits) in some European cities - you may need to buy these weeks before you go abroad
  • ", + "
  • headlight converter stickers
  • ", + "
  • a GB sticker
  • ", + "

    If you\u2019re hiring a car, it\u2019s your responsibility to check you have the equipment you need.

    ", + "

    Check what you need to do if you\u2019re driving in the EU.

    ", + "

    Check the travel advice for all countries.

    ", + "

    Check your insurance if you\u2019re taking your own vehicle

    ", + "

    Your UK vehicle insurance gives you a minimum of third party cover to drive your vehicle in EU countries. Check with your insurer if your policy covers extra things like theft or damage.

    ", + "

    You need to carry a physical copy of a \u2018green card\u2019 for your vehicle if you\u2019re driving in:

    ", + "
  • the EU (including Ireland)
  • ", + "
  • Andorra
  • ", + "
  • Iceland
  • ", + "
  • Liechtenstein
  • ", + "
  • Norway
  • ", + "
  • Serbia
  • ", + "
  • Switzerland
  • ", + "

    In other countries, you may need additional insurance and a green card to show you\u2019re covered. Check the travel advice for the country you\u2019re driving in.

    ", + "

    Towing your trailer or caravan abroad

    ", + "

    Check if you need to register your trailer before you can take it abroad.

    ", + "

    When driving in the EU (including Ireland), Andorra, Iceland, Liechtenstein, Norway, Serbia and Switzerland, you need to carry a separate green card for both:

    ", + "
  • the vehicle you\u2019re driving
  • ", + "
  • the trailer or caravan you\u2019re towing
  • ", + "

    In other countries, you may need additional insurance and a green card for each trailer or caravan you tow. Check what you need to bring with your insurer before you travel.

    ", + "

    Hiring a car abroad

    ", + "

    Your hire company may ask to see your driving licence information when you pick up the car. You can share this by getting a licence \u2018check code\u2019. You can do this up to 21 days before your trip.

    ", + "

    If you\u2019re hiring a car, insurance is included. Check what you\u2019re covered for with the hire company.

    ", + "

    Check if you need an international driving permit (IDP)

    ", + "

    You may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:

    ", + "
  • which country you\u2019re visiting
  • ", + "
  • how long you\u2019re staying
  • ", + "

    You need to have a valid Great Britain (GB) or Northern Ireland driving licence to get an IDP.

    ", + "

    Driving in Europe

    ", + "

    You do not need an IDP to drive in the EU, Switzerland, Norway, Iceland or Liechtenstein if you have a photocard driving licence issued in the UK.

    ", + "

    You might need an IDP to drive in some EU countries and Norway if you have either:

    ", + "
  • a paper driving licence
  • ", + "
  • a licence issued in Gibraltar, Guernsey, Jersey or the Isle of Man
  • ", + "

    Check with the embassy of the country you will be driving in.

    ", + "

    Check which IDP you need

    ", + "

    Check the table to find out if you need an IDP. There are 3 types of IDP:

    ", + "
  • 1926
  • ", + "
  • 1949
  • ", + "
  • 1968
  • ", + "

    The IDP you need depends on what country you\u2019re visiting.

    ", + "

    If you\u2019re travelling through more than one country, you might need more than one type of IDP.

    ", + "

    If the country you\u2019re visiting is not included in the table, check with the embassy of the country you\u2019re travelling to.

    ", + "

    If you\u2019re hiring a car, check with your car hire company.

    ", + "

    If you already have an IDP, make sure it\u2019s still valid in the country you\u2019re visiting.

    ", + "Country or territory | Type of IDP | More information", + "Albania | 1968 | ", + "Algeria | 1949 | ", + "Andorra | 1949 | ", + "Argentina | 1949 | ", + "Armenia | 1968 | ", + "Australia | 1949 | ", + "Austria | None | You do not need an IDP to drive here.", + "Azerbaijan | 1968 | ", + "Bahamas | 1968 | IDP needed for stays longer than 90 days.", + "Bahrain | 1968 | IDP needed for car hire, and for stays longer than 90 days. You must get your permit certified by local authorities when you arrive.", + "Bangladesh | 1949 | ", + "Barbados | 1949 | ", + "Belarus | 1968 | ", + "Belgium | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Belgian Embassy.", + "Benin | 1949 | ", + "Bosnia and Herzegovina | 1968 | ", + "Botswana | 1949 | IDP needed for car hire.", + "Brazil | 1968 | You need to get a certified translation of your IDP from the British consulate.", + "Bulgaria | None | You do not need an IDP to drive here.", + "Burkina Faso | 1949 | ", + "Cambodia | 1949 | ", + "Canada | 1949 | ", + "Cape Verde | 1968 | ", + "Central African Republic | 1968 | ", + "Chile | 1949 | ", + "Congo | 1949 | ", + "Cote d\u2019Ivoire (Ivory Coast) | 1968 | ", + "Croatia | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Croatian Embassy.", + "Cuba | 1968 | ", + "Cyprus | None | You do not need an IDP to drive here for visits up to 30 days. For visits longer than 30 days you will need a 1949 IDP. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1949 IDP for any length of visit. Check with the High Commission of Cyprus.", + "Czech Republic | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Czech Republic Embassy.", + "Democratic Republic of Congo | 1968 | ", + "Denmark | None | You do not need an IDP to drive here for periods up to 90 days.", + "Dominican Republic | 1949 | IDP needed for stays longer than 90 days.", + "Ecuador | 1949 | ", + "Egypt | 1949 | ", + "Estonia | None | You do not need an IDP to drive here for up to 90 days in any 180-day period. If you hold a paper driving licence you may need a 1968 IDP. Check with the Estonian Embassy.", + "Eswatini (previously Swaziland) | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident.", + "Fiji | 1949 | ", + "Finland | None | You do not need an IDP to drive here.", + "France | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the French Embassy.", + "French Polynesia | 1968 | ", + "Georgia | 1968 | IDP needed for stays longer than 90 days.", + "Germany | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the German Embassy.", + "Ghana | 1949 | ", + "Greece | None | You do not need an IDP to drive here.", + "Guam | 1949 | IDP needed for stays longer than 30 days. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident.", + "Guatemala | 1949 | ", + "Guyana | 1968 | ", + "Haiti | 1949 | IDP needed for stays longer than 90 days.", + "Hungary | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Hungarian Embassy.", + "Iceland | None | You do not need an IDP to drive here for periods up to 30 days.", + "India | 1949 | ", + "Iran | 1968 | ", + "Iraq | 1968 | ", + "Ireland | None | You do not need an IDP to drive here for periods up to 12 months.", + "Israel | 1968 | ", + "Italy | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Italian Embassy.", + "Jamaica | 1949 | ", + "Japan | 1949 | ", + "Jordan | 1949 | ", + "Kazakhstan | 1968 | ", + "Kenya | 1968 | IDP needed for stays longer than 90 days.", + "Kuwait | 1968 | ", + "Kyrgyzstan | 1968 | ", + "Laos | 1949 | ", + "Latvia | None | You do not need an IDP to drive here.", + "Lebanon | 1949 | ", + "Lesotho | 1949 | ", + "Liberia | 1968 | ", + "Libya | 1949 | ", + "Liechtenstein | None | You do not need an IDP to drive here.", + "Lithuania | None | You do not need an IDP to drive here for periods up to 6 months.", + "Luxembourg | None | You do not need an IDP to drive here for periods up to 6 months.", + "Macao (Macau) | 1949 | ", + "Madagascar | 1949 | ", + "Malawi | 1949 | IDP needed for stays longer than 90 days.", + "Malaysia (Sabah) | 1949 | ", + "Mali | 1949 | ", + "Malta | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from Guernsey or the Isle of Man, you may need a 1949 IDP. Check with the Malta High Commission.", + "Mexico | 1926 | ", + "Moldova | 1968 | ", + "Monaco | 1968 | ", + "Mongolia | 1968 | ", + "Montenegro | 1968 | ", + "Morocco | 1968 | ", + "Myanmar (previously Burma) | 1968 | ", + "Namibia | 1949 | IDP needed for car hire. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident.", + "Netherlands | None | You do not need an IDP to drive here.", + "New Zealand | 1949 | ", + "Niger | 1968 | ", + "Nigeria | 1968 | ", + "North Macedonia | 1968 | ", + "Norway | None | You do not need an IDP to drive here for periods up to 90 days. If you hold a paper driving licence you may need a 1968 IDP. Check with the Norwegian Embassy.", + "Pakistan | 1968 | ", + "Papua New Guinea | 1949 | IDP needed for stays longer than 30 days.", + "Paraguay | 1949 | ", + "Peru | 1968 | ", + "Philippines | 1968 | IDP needed for car hire, and for stays longer than 90 days.", + "Poland | None | You do not need an IDP to drive here for periods up to 6 months.", + "Portugal | None | You do not need an IDP to drive here for periods up to 6 months.", + "Qatar | 1968 | ", + "Romania | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Romanian Embassy.", + "Russian Federation | 1968 | ", + "Rwanda | 1949 | ", + "San Marino | 1968 | ", + "Saudi Arabia | 1968 | IDP needed for car hire.", + "Senegal | 1968 | ", + "Serbia | 1968 | ", + "Seychelles | 1968 | ", + "Sierra Leone | 1949 | ", + "Singapore | 1949 | IDP needed for car hire, and for stays longer than 30 days.", + "Slovakia | None | You do not need an IDP to drive here for periods up to 6 months. For visits longer than 6 months you\u2019ll need a 1968 IDP.", + "Slovenia | None | You do not need an IDP to drive here for periods up to 90 days.", + "Somalia | 1926 | ", + "South Africa | 1968 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident.", + "South Korea | 1949 | ", + "Spain (including Balearic and Canary Isles) | None | You do not need an IDP to drive here for periods up to 6 months.", + "Sri Lanka | 1949 | As well as the IDP, you must get a Sri Lankan recognition permit from the Automobile Association of Ceylon (AAC) in Colombo.", + "St. Lucia | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence.", + "St. Vincent | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence.", + "Sweden | None | You do not need an IDP to drive here for periods up to 12 months.", + "Switzerland | None | You do not need an IDP to drive here.", + "Syria | 1949 | ", + "Tajikistan | 1968 | ", + "Taiwan | 1949 | IDP needed for stays longer than 30 days.", + "Thailand | 1949 | ", + "Togo | 1949 | ", + "Trinidad & Tobago | 1949 | IDP needed for stays longer than 90 days.", + "Tunisia | 1968 | ", + "Turkey | 1968 | ", + "Turkmenistan | 1968 | ", + "Uganda | 1949 | IDP needed for stays longer than 90 days.", + "Ukraine | 1968 | ", + "United Arab Emirates | 1968 | ", + "United States | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident.", + "Uruguay | 1968 | ", + "Uzbekistan | 1968 | ", + "Vatican City | 1949 | ", + "Venezuela | 1949 | ", + "Vietnam | 1968 | ", + "Zimbabwe | 1968 | ", + "

    Get an international driving permit (IDP)

    ", + "

    You can get an IDP over the counter at the Post Office.

    ", + "

    They cost \u00a35.50 and you must:

    ", + "
  • live in Great Britain or Northern Ireland
  • ", + "
  • have a full UK driving licence
  • ", + "
  • be 18 or over
  • ", + "

    Check if you need an IDP first.

    ", + "

    A 1926 or 1949 permit lasts for 12 months. A 1968 permit lasts for 3 years or until your UK driving licence expires, whichever comes first.

    ", + "

    Driving if you move abroad

    ", + "

    You need to get a local driving licence if you move abroad. Check with the driving licence authorities there to find out how to apply.

    ", + "

    In some countries you can exchange your UK licence without taking another driving test.

    ", + "

    If you move to an EU country, check the rules for exchanging your licence in the EU.

    " + ] + }, + { + "title": "Taking a vehicle out of the UK", + "url": "https://www.gov.uk/taking-vehicles-out-of-uk", + "contents": [ + "

    For 12 months or more

    ", + "

    You must tell DVLA if you\u2019re taking your vehicle out of the UK, including to the Channel Islands (Jersey and Guernsey), Isle of Man or Ireland, for 12 months or more.

    ", + "

    This is known as permanent export. You\u2019ll need to:

    ", + "
  • Fill in the \u2018permanent export\u2019 section of your vehicle log book (V5C) and detach it from the log book.
  • ", + "
  • Send the completed \u2018permanent export\u2019 section to DVLA, Swansea, SA99 1BD. Include a letter if you\u2019ve moved abroad and want your vehicle tax refund (if you\u2019re entitled to one) sent to your new address.
  • ", + "
  • Keep the rest of your log book (V5C) - you need it to register your vehicle in the country you\u2019re taking it to.
  • ", + "
  • Update the address on your driving licence if you\u2019re moving home.
  • ", + "

    If you\u2019re due a refund, it will take longer than usual because of coronavirus (COVID-19). The refund is worked out from the date DVLA gets your \u2018permanent export\u2019 section.

    ", + "

    If you\u2019re buying a vehicle to take abroad make sure the seller follows the correct process for vehicles that will be registered in another country. They must give you the full log book (V5C) - not just the new keeper slip.

    ", + "

    If you do not have a vehicle log book (V5C)

    ", + "

    Before you leave the UK

    ", + "

    You need to get a vehicle log book (V5C) before you leave the UK. DVLA cannot send a vehicle log book to an address outside the UK.

    ", + "

    When you get your log book, fill in and send the \u2018permanent export\u2019 section to DVLA.

    ", + "

    It will take longer than usual to get your V5C log book because of coronavirus. If you do not receive it before you leave the UK, contact the driving authority of the country you\u2019re travelling to to find out what documents you need.

    ", + "

    If you\u2019ve already left the UK

    ", + "

    Contact the driving authority of the country you\u2019re taking the vehicle to. They\u2019ll tell you what documents you\u2019ll need to provide to register the vehicle there.

    ", + "

    You also need to send a letter to DVLA to tell them you\u2019ve taken the vehicle out of the country. Include:

    ", + "
  • your name and address
  • ", + "
  • the date you took the vehicle out of the country
  • ", + "
  • where DVLA can send the vehicle tax refund (if you\u2019re entitled to one)
  • ", + "

    If you cannot get a vehicle log book (V5C)

    ", + "

    Contact the driving authority of the country you\u2019re taking the vehicle to - they\u2019ll tell you how to register your vehicle.

    ", + "

    Send a letter to DVLA to tell them you\u2019ve taken the vehicle out of the country. Include:

    ", + "
  • your name and address
  • ", + "
  • the date you took the vehicle out of the country
  • ", + "
  • where DVLA can send the vehicle tax refund
  • ", + "

    If the \u2018permanent export\u2019 section is missing

    ", + "

    If the \u2018permanent export\u2019 section is not in the log book, send a letter to DVLA to tell them you\u2019ve taken the vehicle out of the country. Include:

    ", + "
  • your name and address
  • ", + "
  • the date you took the vehicle out of the country
  • ", + "

    Moving your vehicle between Great Britain and Northern Ireland

    ", + "

    Fill in the change of address section in your log book and send it to DVLA.

    ", + "

    Personalised registrations

    ", + "

    You\u2019ll need to transfer or retain your personalised registration before exporting your vehicle. Otherwise you\u2019ll lose your right to the registration number.

    ", + "

    For less than 12 months

    ", + "

    You must take your vehicle log book (V5C) with you if you\u2019re taking your vehicle abroad for less than 12 months. You may have to show it if you\u2019re stopped at a port or while driving abroad.

    ", + "

    Your V5C must show your most recent address in the UK.

    ", + "

    Apply in advance if you need to get a V5C or update your V5C before you travel. It will take longer than usual to get your new V5C because of coronavirus (COVID-19).

    ", + "

    UK law still applies to a UK-registered vehicle if you take it abroad for less than 12 months. That means you need to make sure:

    ", + "
  • your vehicle is taxed in the UK while it\u2019s abroad
  • ", + "
  • you have a current MOT
  • ", + "
  • you have insurance
  • ", + "

    You\u2019ll also need to make sure you meet any international or national conditions for licensing and taxation.

    ", + "

    Check if you need to pay import duty

    ", + "

    You may need to pay import duty on your vehicle if you take it outside the UK. Check with the authorities in the country you\u2019re taking your vehicle to.

    ", + "

    You do not need to pay import duty to take your vehicle from Northern Ireland to Great Britain or the EU.

    ", + "

    If you\u2019re going to a non-EU country that charges duty, you can buy a CPD Carnet. This lets you take your vehicle into the country temporarily without paying duty. It can also make crossing the border simpler.

    ", + "

    You\u2019ll have to pay a fee and a deposit. You usually get the carnet within 4 weeks of applying.

    ", + "

    Taking a vehicle to Liechtenstein, Mexico or Somalia

    ", + "

    You must take an International Certificate for Motor Vehicles (ICMV) with you as well as your V5C.

    ", + "

    Apply for an ICMV.

    ", + "

    Bringing your vehicle back untaxed

    ", + "

    If you bring your vehicle back to the UK untaxed you cannot drive it back into the UK - it\u2019ll have to be transported and a SORN (Statutory Off Road Notification) must be made straight away.

    ", + "

    Taking hired or leased vehicles abroad temporarily

    ", + "

    You\u2019ll need a VE103 vehicle on hire certificate to show you\u2019re allowed to use a hired or leased vehicle if you\u2019re driving it abroad.

    ", + "

    You can get a VE103 for a fee from the:

    ", + "
  • British Vehicle Rental and Leasing Association (BVRLA)
  • ", + "
  • Logistics UK
  • ", + "
  • RAC Motoring Services
  • ", + "
  • Road Haulage Association (RHA)
  • ", + "

    Taxes if you buy a new vehicle to take abroad

    ", + "

    If you buy a new or used vehicle to take out of the UK, you might not have to pay UK VAT or vehicle taxes such as the registration fee.

    ", + "

    What you pay and how you pay it depends on where you\u2019re exporting to and from.

    ", + "

    Export your vehicle with the Personal Export Scheme

    ", + "

    You may be able to use the Personal Export Scheme to take a new or used vehicle:

    ", + "
  • from Great Britain to anywhere outside the UK
  • ", + "
  • from Northern Ireland to a non-EU country
  • ", + "

    When you buy a new vehicle and export under the scheme, you do not pay UK VAT. But you still have to pay vehicle taxes and the registration fee.

    ", + "

    You must be planning to leave the UK for at least 6 months with the vehicle. You usually have to be personally driving your vehicle.

    ", + "

    What you need to do

    ", + "

    Fill in form VAT 410 (your supplier will give you a copy) and give it to your supplier.

    ", + "

    You can drive the vehicle in the UK for up to 6 months after the delivery date (or 12 months for non-UK and non-EU residents) - it must then be exported.

    ", + "

    The date for export of the vehicle is shown on the VX302 (for new cars) or the VAT 410 (for used cars).

    ", + "

    After export send the DVLA the:

    ", + "
  • VX302 - new vehicles
  • ", + "
  • V5C - second-hand vehicles
  • ", + "

    If you do not export the vehicle on time you\u2019ll have to pay the UK VAT.

    ", + "

    Export your vehicle from Northern Ireland to the EU

    ", + "

    If you buy a new vehicle in Northern Ireland to take to an EU country, you do not have to pay UK VAT if you:

    ", + "
  • take the vehicle out of the UK within 2 months
  • ", + "
  • do not drive the vehicle in the UK unless you register and tax it
  • ", + "

    Your supplier will get you to fill in form VAT 411.

    ", + "

    You\u2019ll have to declare your vehicle and pay VAT in the other country when you get there.

    " + ] + }, + { + "title": "Importing vehicles into the UK", + "url": "https://www.gov.uk/importing-vehicles-into-the-uk", + "contents": [ + "

    How to import a vehicle

    ", + "

    You must complete certain steps as soon as you bring a vehicle into the UK permanently.

    ", + "

    You can pay an importer or shipping company to do them for you.

    ", + "
  • Tell HM Revenue and Customs (HMRC) within 14 days that the vehicle has arrived in the UK.
  • ", + "
  • Pay VAT and duty if HMRC tells you to.
  • ", + "
  • Get vehicle approval to show your vehicle meets safety and environmental standards.
  • ", + "
  • Register and tax the vehicle with DVLA - they\u2019ll give you a registration number so you can get number plates made up.
  • ", + "

    You must also insure your vehicle before you drive it on UK roads.

    ", + "

    You can be prosecuted if you use your vehicle on a public road before you complete these steps, unless you\u2019re driving it to a pre-booked MOT or vehicle approval test.

    ", + "

    Commercial importers of new vehicles that use a secure registration scheme do not have to follow these steps.

    ", + "

    Importing a damaged or modified vehicle

    ", + "

    If your vehicle has been damaged or modified in another country, DVLA may:

    ", + "
  • give your vehicle a Q registration number
  • ", + "
  • put a marker on your vehicle log book (V5C) - to show that your vehicle has been altered or assembled using different parts
  • ", + "

    Bringing your vehicle in or out of Northern Ireland

    ", + "

    If you are a UK resident you can move your vehicle freely between Great Britain and Northern Ireland if all of the following apply:

    ", + "
  • it\u2019s registered in either country
  • ", + "
  • you\u2019re not moving it to sell it, or for any other commercial purpose (for example, using the car as a taxi or hiring it to someone)
  • ", + "
  • the car is for your own or your household\u2019s personal use
  • ", + "

    Find out what to do if someone else is bringing your vehicle to Northern Ireland.

    ", + "

    Tell DVLA about the change of address.

    ", + "

    Visiting the UK with a vehicle

    ", + "

    Follow the rules for temporary imports instead if both of the following apply:

    ", + "
  • you do not usually live in the UK
  • ", + "
  • you\u2019re bringing a vehicle to the UK for less than 6 months
  • ", + "

    Telling HMRC

    ", + "

    You have 14 days to tell HM Revenue and Customs (HMRC) after you bring a vehicle into the UK permanently. You cannot register the vehicle until you\u2019ve done this.

    ", + "

    How you tell HMRC will depend on:

    ", + "
  • if you\u2019re importing it to Great Britain (England, Scotland and Wales) or to Northern Ireland
  • ", + "
  • where you\u2019re importing it from
  • ", + "

    You may be fined if you\u2019re late telling HMRC.

    ", + "

    If your vehicle has an engine of 48cc or less (7.2kw or less if it\u2019s electric), you can register it without telling HMRC first.

    ", + "

    If you import a vehicle to England, Scotland or Wales

    ", + "

    How you tell HMRC depends on whether you\u2019re VAT-registered.

    ", + "

    If you\u2019re a VAT-registered company

    ", + "

    You need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.

    ", + "

    You may be able to delay making an import declaration for 6 months if you import a vehicle from the EU. This is called a delayed declaration.

    ", + "

    You must tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.

    ", + "

    If you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.

    ", + "

    If you\u2019re a non-VAT registered company or private individual

    ", + "

    You need to make an import declaration using form C384. Send the completed form to HMRC by email.

    ", + "

    Currently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).

    ", + "

    You can also get an agent such as a freight forwarder to make the declaration for you.

    ", + "

    You might qualify for relief from VAT and duty if you\u2019re:

    ", + "
  • moving to Great Britain (England, Scotland or Wales) (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief
  • ", + "
  • returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief
  • ", + "

    Contact the VAT helpline for a form if you\u2019re unable to use online services.

    ", + "

    If you import a vehicle to Northern Ireland from the EU

    ", + "

    Tell HMRC by using the Notification of Vehicle Arrivals (NOVA) service.

    ", + "

    You can use a spreadsheet if you\u2019re a VAT-registered business and you need to use NOVA for lots of vehicles.

    ", + "

    If you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.

    ", + "

    If you import a vehicle to Northern Ireland from outside the EU

    ", + "

    How you tell HMRC depends on whether you\u2019re VAT-registered.

    ", + "

    If you\u2019re a VAT-registered company

    ", + "

    You need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.

    ", + "

    You must then tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.

    ", + "

    If you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.

    ", + "

    If you\u2019re a non-VAT registered company or private individual

    ", + "

    You need to make an import declaration using form C384. Send the completed form to HMRC by email.

    ", + "

    Currently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).

    ", + "

    You can also get an agent such as a freight forwarder to make the declaration for you.

    ", + "

    You might qualify for relief from VAT and duty if you\u2019re:

    ", + "
  • moving to Northern Ireland (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief
  • ", + "
  • returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief
  • ", + "

    Contact the VAT helpline for a form if you\u2019re unable to use online services.

    ", + "

    After you tell HMRC

    ", + "

    HMRC will tell you:

    ", + "
  • if you have to pay VAT and duty
  • ", + "
  • when your NOVA application has been processed - you cannot register your vehicle with DVLA until it is
  • ", + "

    If you\u2019re a non-VAT registered company or private individual, HMRC will make a NOVA application for you.

    ", + "

    Paying VAT and duty

    ", + "

    HM Revenue and Customs (HMRC) will tell you if you have to pay VAT or duty after you tell them you imported a vehicle.

    ", + "

    VAT is charged on the total cost of the vehicle, plus any:

    ", + "
  • accessories you bought with it
  • ", + "
  • delivery and extra charges
  • ", + "
  • duty
  • ", + "

    Duty is charged on vehicles imported to:

    ", + "
  • England, Wales and Scotland from outside the UK
  • ", + "
  • Northern Ireland from outside the UK or EU
  • ", + "

    HMRC will tell you how much you have to pay.

    ", + "

    The rates you\u2019re charged depend on the type of vehicle and where you imported it from. You can call the helpline to check rates.

    ", + "

    How you pay depends on where you\u2019re importing the vehicle from.

    ", + "

    If you imported the vehicle to England, Scotland or Wales from outside the UK

    ", + "Why you imported it | What and how you pay", + "You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief", + "You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief", + "You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import", + "Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you)", + "Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return", + "

    You must pay any VAT and duty before you can release the vehicle from customs or register it.

    ", + "

    If you imported the vehicle to Northern Ireland from the EU

    ", + "

    VAT is usually only charged on vehicles that are new. A vehicle is new if either:

    ", + "
  • it\u2019s been driven less than 6,000km (about 3,728 miles)
  • ", + "
  • it\u2019s been in use for no more than 6 months
  • ", + "

    If you\u2019re VAT registered, you need to account for any VAT you\u2019ve paid on your next VAT return.

    ", + "

    If you\u2019re not registered for VAT or you\u2019re a private individual, you need to pay HMRC directly before you can register your vehicle.

    ", + "

    Paying HMRC directly

    ", + "

    Use online or telephone banking to pay HMRC by Faster Payments, CHAPS or Bacs.

    ", + "Sort code | Account number | Account name", + "08 32 00 | 12000903 | HMRC Indirect Miscellaneous", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB20 BARC 2005 1730 3364 91 | BARCGB22 | HMRC Indirect Miscellaneous", + "

    Use your 13-character NOVA notification reference number when you pay. You can find it on the:

    ", + "
  • email HMRC sent you if you used the NOVA service
  • ", + "
  • payment notice HMRC sent you
  • ", + "

    Do not put any spaces between the characters in your reference number.

    ", + "

    Read more about paying VAT on a car you\u2019ve imported.

    ", + "

    Reclaiming VAT

    ", + "

    If you have to declare VAT to HMRC, you can reclaim any VAT you paid in the EU. Send the Certificate of VAT you get from HMRC to the person who sold you the vehicle.

    ", + "

    If you imported the vehicle to Northern Ireland from outside the UK and EU

    ", + "Why you imported it | What and how you pay", + "You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief", + "You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief", + "You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import", + "Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you)", + "Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return", + "

    Getting vehicle approval

    ", + "

    Get vehicle approval to show that your imported vehicle meets environmental and safety regulations. You\u2019ll need proof of approval to register the vehicle.

    ", + "

    You might not need approval for a vehicle that was first registered or manufactured more than 10 years ago - check the exemptions.

    ", + "

    If the vehicle\u2019s not registered in the EU

    ", + "

    To get approval for a vehicle that\u2019s not registered in the EU, apply for either:

    ", + "
  • Individual Vehicle Approval (IVA)
  • ", + "
  • Motorcycle Single Vehicle Approval (MSVA) if it\u2019s a 2, 3 or smaller 4-wheeled vehicle
  • ", + "

    If the vehicle\u2019s registered in the EU

    ", + "

    Get a European Certificate of Conformity from the manufacturer to show you have approval for an EU-registered vehicle.

    ", + "

    You also have to get a certificate of Mutual Recognition if it\u2019s a left hand drive vehicle.

    ", + "

    Getting a certificate of Mutual Recognition

    ", + "

    Use the application form for your:

    ", + "
  • motorcycle
  • ", + "
  • car
  • ", + "
  • van or light goods vehicle
  • ", + "
  • motorhome
  • ", + "

    Apply for IVA instead for a lorry or goods vehicle over 3,500kg.

    ", + "

    There\u2019s a \u00a3100 fee. Send your application to the address on the form. Attach receipts to prove you\u2019ve made any required alterations, for example fitting a speedometer to display miles per hour.

    ", + "

    Get help with Mutual Recognition

    ", + "

    Contact the Vehicle Certification Agency (VCA) if you\u2019re unsure whether your vehicle qualifies for Mutual Recognition.

    ", + "

    Registering an imported vehicle

    ", + "

    You must register any vehicle you bring into the UK permanently. You cannot register before you do all of the following:

    ", + "
  • tell HM Revenue and Customs (HMRC) you imported the vehicle and get confirmation that your NOVA application is processed
  • ", + "
  • pay VAT and duty if HMRC tells you to
  • ", + "
  • get proof of vehicle approval
  • ", + "

    You also tax the vehicle when you register it with DVLA - there\u2019s a \u00a355 fee.

    ", + "

    How to register

    ", + "

    Follow the instructions for registering a vehicle to fill in your forms and send supporting documents.

    ", + "

    You must also send extra supporting documents for an imported vehicle.

    ", + "

    DVLA might ask to inspect the vehicle.

    ", + "

    Extra supporting documents for imported vehicles

    ", + "

    You must send the following original documents:

    ", + "
  • proof of vehicle approval
  • ", + "
  • form V267 (sometimes called the \u2018declaration of newness\u2019) if you\u2019re registering a new vehicle
  • ", + "
  • evidence showing the date the vehicle was collected, for example the invoice from the supplier
  • ", + "
  • the original foreign registration certificate to show when the vehicle was manufactured (you will not get this back)
  • ", + "

    If you do not have the original foreign registration certificate, DVLA might accept other proof of the manufacture date, for example a letter from the manufacturer or a vehicle enthusiast club.

    ", + "

    Do not send photocopies or faxed copies.

    ", + "

    How long it takes

    ", + "

    Because of coronavirus (COVID-19) it will take longer than usual for your registration certificate (V5C) to arrive.

    ", + "

    You need the V5C to get number plates made up.

    ", + "

    Temporary imports

    ", + "

    You can usually use a vehicle with foreign number plates without registering or taxing it in the UK if all of the following apply:

    ", + "
  • you\u2019re visiting and do not plan to live here
  • ", + "
  • the vehicle is registered and taxed in its home country
  • ", + "
  • you only use the vehicle for up to 6 months in total - this can be a single visit, or several shorter visits over 12 months
  • ", + "

    You will need to register your vehicle if you want to move it between Great Britain (England, Scotland and Wales) and Northern Ireland.

    ", + "

    If you become a resident or stay for longer than 6 months you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.

    ", + "

    If you bring a vehicle to England, Scotland or Wales

    ", + "

    You do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:

    ", + "
  • it\u2019s for your own private use
  • ", + "
  • you\u2019re not a UK resident
  • ", + "
  • you do not sell, lend or hire it within the UK
  • ", + "
  • you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer
  • ", + "

    Claim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.

    ", + "

    Using foreign number plates for longer than 6 months

    ", + "

    You might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:

    ", + "
  • you normally live outside the UK
  • ", + "
  • you\u2019re in the UK for a set period as a student or worker
  • ", + "
  • you claim relief from VAT and duty
  • ", + "

    HM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.

    ", + "

    If you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.

    ", + "

    If you do not qualify for relief

    ", + "

    If HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.

    ", + "

    If you bring a vehicle to Northern Ireland from the EU

    ", + "

    You will not have to pay VAT or duty if you bring your own vehicle from the EU.

    ", + "

    Call the imports and exports helpline if you have questions about bringing a vehicle from the EU for less than 6 months.

    ", + "

    If you bring a vehicle to Northern Ireland from outside the EU

    ", + "

    You do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:

    ", + "
  • it\u2019s for your own private use
  • ", + "
  • you\u2019re not a UK resident
  • ", + "
  • you do not sell, lend or hire it within the UK
  • ", + "
  • you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer
  • ", + "

    Claim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.

    ", + "

    Using foreign number plates for longer than 6 months

    ", + "

    You might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:

    ", + "
  • you normally live outside the UK
  • ", + "
  • you\u2019re in the UK for a set period as a student or worker
  • ", + "
  • you claim relief from VAT and duty
  • ", + "

    HM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.

    ", + "

    If you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.

    ", + "

    If you do not qualify for relief

    ", + "

    If HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.

    ", + "

    If you\u2019re stopped by the police

    ", + "

    You must show police that you can use the vehicle in the UK without taxing and registering it here, for example proof:

    ", + "
  • of the time you\u2019ve been in the UK (such as a ferry ticket)
  • ", + "
  • that your vehicle\u2019s eligible for relief from VAT and duty (such as a customs relief form)
  • ", + "

    When you need Q number plates

    ", + "

    You must get temporary Q number plates from DVLA if you visit the UK for up to 6 months and either:

    ", + "
  • your number plates display numbers or letters that are not identifiable in the UK, for example Arabic script
  • ", + "
  • your vehicle is not registered in its home country
  • ", + "

    Contact DVLA if you have to get temporary Q number plates.

    ", + "

    Before you get Q number plates

    ", + "

    You must claim relief from VAT and duty before you can get temporary Q number plates.

    ", + "

    To claim relief, fill in form C110 after the car arrives in the UK and send it to the NTAS team to have it stamped.

    " + ] + }, + { + "title": "Vehicle approval", + "url": "https://www.gov.uk/vehicle-approval", + "contents": [ + "

    Overview

    ", + "

    You must apply for vehicle approval if you\u2019ve:

    ", + "
  • built a vehicle
  • ", + "
  • rebuilt a vehicle
  • ", + "
  • radically altered a vehicle
  • ", + "
  • reconstructed a classic vehicle
  • ", + "
  • imported a vehicle
  • ", + "

    Get a vehicle approved

    ", + "

    You can get a single vehicle or small number of vehicles approved through:

    ", + "
  • Individual Vehicle Approval (IVA)
  • ", + "
  • Motorcycle Single Vehicle Approval (MSVA) if you\u2019re making or importing a single 2, 3 or smaller 4-wheeled vehicle
  • ", + "
  • Mutual Recognition scheme if you\u2019re importing a vehicle that\u2019s been approved and registered in the EU
  • ", + "

    You can no longer apply for a Pre-Registration Inspection (PRI). You must get your vehicle approved instead.

    ", + "

    Vehicle type approval

    ", + "

    It\u2019s also possible to get approval for a type of vehicle, rather than each individual vehicle.

    ", + "

    Only the vehicle manufacturer or their authorised representative can apply for this.

    ", + "

    From 1 January 2021, manufacturers or their representatives will need to apply for provisional GB type approval to sell or register vehicles in England, Scotland and Wales.

    ", + "

    Get help

    ", + "

    Contact the Driving and Vehicle Standards Agency (DVSA) if you need help with IVA or MSVA.

    ", + "

    Contact the VCA if you need help or information about:

    ", + "
  • provisional approval
  • ", + "
  • European Community Whole Vehicle Type Approval (ECWVTA)
  • ", + "
  • European Community Small Series Type Approval (ECSSTA)
  • ", + "
  • Mutual Recognition scheme
  • ", + "

    Exemptions from vehicle approval

    ", + "

    You do not need vehicle approval for:

    ", + "
  • heavy goods vehicles (more than 3,500kg maximum weight) over 25 years old
  • ", + "
  • light goods vehicles (3,500kg maximum weight or less) over 10 years old
  • ", + "
  • cars and minibuses with 8 passenger seats or less (not including the driver) over 10 years old
  • ", + "
  • buses, coaches and minibuses with more than 8 passenger seats (not including the driver) built by a single manufacturer before 29 July 2010
  • ", + "
  • buses, coaches and minibuses with more than 8 passenger seats (not including the driver) with different body and chassis manufacturers, made before 29 July 2011
  • ", + "
  • tracked vehicles, for example a vehicle that runs on tracks rather than wheels
  • ", + "
  • vehicles designed and constructed for use on construction sites, quarries, ports and airports
  • ", + "
  • vehicles designed and constructed for and used by the armed services, fire and rescue forces, or used in maintaining public order
  • ", + "

    If your vehicle needs approval, you must send proof of this in when you apply to register it. The Driver and Vehicle Licensing Agency (DVLA) will not register your vehicle if you do not.

    ", + "

    Individual Vehicle Approval

    ", + "

    You can use the Individual Vehicle Approval (IVA) scheme if you\u2019re making or importing a single vehicle or a very small number of vehicles in the following categories:

    ", + "
  • passenger cars
  • ", + "
  • goods vehicles
  • ", + "
  • buses and coaches
  • ", + "
  • trailers
  • ", + "
  • special purpose vehicles, such as vehicles specially designed to hold a wheelchair
  • ", + "

    You cannot use the Statutory IVA scheme if your vehicle has been registered before in the UK - you\u2019ll need to use Voluntary IVA instead.

    ", + "

    Vehicle identification number

    ", + "

    Your vehicle needs a vehicle identification number (VIN) before having an IVA inspection. Apply to DVLA if it does not have one.

    ", + "

    Basic and normal IVA

    ", + "

    There are 2 levels of IVA inspection: basic and normal.

    ", + "

    Basic IVA

    ", + "

    Basic IVA involves a visual inspection and other tests to make sure the vehicle meets the necessary standards. You will not normally need to provide any documentary evidence.

    ", + "

    You can apply if you have a passenger car or light goods vehicle in one of these categories:

    ", + "
  • left-hand drive vehicles
  • ", + "
  • personal imports
  • ", + "
  • amateur built vehicles (kit cars)
  • ", + "
  • rebuilt vehicles
  • ", + "
  • very low volume production vehicles
  • ", + "
  • ambulances
  • ", + "
  • motor caravans
  • ", + "
  • hearses
  • ", + "
  • armoured passenger vehicles
  • ", + "
  • a vehicle manufactured using parts of a registered vehicle
  • ", + "

    Read the Driver and Vehicle Standards Agency (DVSA ) guide on the IVA scheme for more on these categories.

    ", + "

    Normal IVA

    ", + "

    You\u2019ll have to apply for normal IVA if you do not meet the criteria for basic IVA.

    ", + "

    This involves a more detailed inspection. Vehicles have to meet extra standards and you\u2019ll have to provide documentary evidence.

    ", + "

    Modified goods vehicles

    ", + "

    You can use the IVA scheme to get approval for goods vehicles that have been modified.

    ", + "

    Read the DVSA guide on IVA for modified goods vehicles to find out how changes are approved.

    ", + "

    How to show your vehicle meets IVA standards

    ", + "

    There are several ways to prove your vehicle meets IVA standards. Read part 5 of the DVSA guide on the IVA scheme for more details.

    ", + "

    Model reports

    ", + "

    One way of proving your vehicle is compliant is by showing it\u2019s the same specification as another vehicle (a \u2018master vehicle\u2019) that\u2019s been proved compliant. You do this using a model report.

    ", + "

    If a model report has already been produced for your exact model of vehicle, you may be able to use it for a fee. Look for it on the DVSA list of model reports and their owners.

    ", + "

    Otherwise, you\u2019ll need to pay for your own tests to be carried out. These must be done by an authorised provider of \u2018designated technical services\u2019.

    ", + "

    For more information on model reports, see part 11 of the DVSA guide on the IVA scheme.

    ", + "

    How to apply

    ", + "

    Download and fill in the IVA application form for your type of vehicle.

    ", + "

    Follow the instructions on the form to submit it to DVSA.

    ", + "

    DVSA should offer you an inspection within 20 working days of receiving your completed application.

    ", + "

    Choosing a test station

    ", + "

    Your vehicle will be inspected at either one of DVSA\u2019s approved test stations or a privately owned test facility. You should say which one you want to use on your application form.

    ", + "

    Cost of the scheme

    ", + "

    You have to pay a fee for DVSA to inspect your vehicle.

    ", + "

    What happens next

    ", + "

    Wherever possible, DVSA will inspect your vehicle at the test location you\u2019ve chosen and issue an Individual Approval Certificate (IAC) if it passes. You\u2019ll need this certificate when you register your vehicle.

    ", + "

    Appeal against a refusal

    ", + "

    You can appeal and have a re-examination carried out by an independent inspector if your vehicle does not pass its inspection and you\u2019re not satisfied with the decision.

    ", + "

    You must make your appeal within 14 days of the decision and you\u2019ll have to pay a fee. This will be refunded, either partially or fully, if your appeal is successful.

    ", + "

    You must not modify the vehicle before the appeal inspection.

    ", + "

    You can appeal by downloading and filling in the IVA notice of appeal.

    ", + "

    Read part 8 of the DVSA guide on the IVA scheme for more information about appeals.

    ", + "

    Individual Vehicle Approval manuals

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) published a series of manuals listing all the technical requirements for Individual Vehicle Approval (IVA).

    ", + "

    There are different manuals for different types of vehicle:

    ", + "
  • M1 vehicles - passenger cars
  • ", + "
  • M2 and M3 vehicles - buses and coaches
  • ", + "
  • N1 vehicles - light goods vehicles (up to 3,500kgs)
  • ", + "
  • N2 and N3 vehicles - heavy goods vehicles (over 3,500kgs)
  • ", + "
  • O1, O2, O3 and O4 vehicles - light and heavy trailers
  • ", + "

    Individual Vehicle Approval application forms

    ", + "

    You need an Individual Vehicle Approval (IVA) application form to apply for an inspection.

    ", + "

    Find out how to:

    ", + "
  • apply for IVA: cars
  • ", + "
  • apply for IVA: vans and light goods vehicles
  • ", + "
  • apply for IVA: buses or coaches
  • ", + "
  • apply for IVA: lorries and goods vehicles
  • ", + "
  • apply for IVA: trailers
  • ", + "
  • prove that a bus or coach does not need a new tilt test
  • ", + "
  • apply for a vehicle approval test at a non-DVSA site
  • ", + "

    All passenger vehicles

    ", + "

    Download the form for seat belt anchorage compliance.

    ", + "

    Amateur built vehicles

    ", + "

    If your vehicle is amateur built (for example a kit car), you must send an amateur built declaration along with your IVA application.

    ", + "

    Voluntary approval

    ", + "

    Voluntary Individual Vehicle Approval (IVA) is similar to Statutory IVA but:

    ", + "
  • you can use it if your vehicle has already been registered in the UK
  • ", + "
  • you will not have the same rights as with Statutory IVA
  • ", + "

    You\u2019ll need to choose whether to use the basic or normal level of Voluntary IVA.

    ", + "

    If you drive a taxi, your licensing authority will tell you what level you need to apply for.

    ", + "

    Use Statutory IVA instead if your vehicle:

    ", + "
  • has not been registered in the UK before
  • ", + "
  • has been registered in the UK, but has been modified significantly since then
  • ", + "

    Cost of the schemes

    ", + "

    You have to pay a fee for Driver and Vehicle Standards Agency (DVSA) to inspect your vehicle.

    ", + "

    How to apply

    ", + "

    Download and fill in the IVA application form for your type of vehicle.

    ", + "

    Follow the instructions on the form to submit it to DVSA.

    ", + "

    What happens next

    ", + "

    DVSA will carry out an inspection of the vehicle. If it passes, you\u2019ll get a \u2018Confirmation of Compliance\u2019 notification (not an approval certificate).

    ", + "

    Find out more

    ", + "

    Read the DVSA guide on the IVA scheme.

    ", + "

    Motorcycle Single Vehicle Approval

    ", + "

    Your motorcycle, 3-wheeled or light 4-wheeled vehicle must have a provisional GB type approval in England, Scotland and Wales.

    ", + "

    If your vehicle does not have a provisional GB type approval you must use the Motorcycle Single Vehicle Approval (MSVA) scheme to approve your vehicle.

    ", + "

    You must also use the MSVA scheme if your vehicle has been radically altered or built using a mixture of parts from previously registered vehicles. For example:

    ", + "
  • amateur built vehicles
  • ", + "
  • rebuilt vehicles
  • ", + "
  • vehicles converted to a different wheelplan
  • ", + "

    Eligibility for MSVA

    ", + "

    You can use the MSVA scheme for vehicles that:

    ", + "
  • are under 10 years old
  • ", + "
  • have not been registered before in the UK
  • ", + "
  • do not have ECWVTA or provisional UK vehicle type approval
  • ", + "

    The following types of vehicle are eligible:

    ", + "
  • 2-wheeled mopeds
  • ", + "
  • 3-wheeled mopeds
  • ", + "
  • light quadricycles
  • ", + "
  • solo motorcycles
  • ", + "
  • motorcycle combinations
  • ", + "
  • motor tricycles
  • ", + "
  • heavy quadricycles
  • ", + "

    These vehicle types are defined in the foreword of the MSVA inspection manual.

    ", + "

    Partial MSVA

    ", + "

    If you have a Certificate of Conformity (CoC), it will say which side of the road and which speedometer units your vehicle is equipped for.

    ", + "

    You must modify your vehicle if it is not equipped for use in Great Britain. It will then need a Partial MSVA to check the following items:

    ", + "
  • headlamp dipped beam pattern - this checks the headlamp is suitable for driving on the left
  • ", + "
  • speedometer - the speed must be shown in miles per hour (mph) or dual mph and kilometres per hour
  • ", + "
  • mirror location - on mopeds fitted with a single mirror, the mirror must be fitted to offside (right) of the vehicle
  • ", + "

    Read more in Partial MSVA frequently asked questions.

    ", + "

    Vehicle identification number

    ", + "

    Your vehicle needs a vehicle identification number before having an MSVA inspection. Write to the following address if it does not have one.

    ", + "

    Cost of the scheme

    ", + "

    You have to pay a fee for DVSA to inspect your vehicle.

    ", + "

    Choose a test station

    ", + "

    Your vehicle will be inspected by DVSA at one of its approved test stations. You can choose which one as long as it inspects the category of vehicle you want to be tested.

    ", + "Category | Description", + "B | 2-wheeled vehicles", + "T | 3-wheeled vehicles", + "Q | 4-wheeled vehicles", + "Station | Address | Categories", + "Aberdeen | Cloverhill Road, Bridge of Don Industrial Estate, Aberdeen, AB23 8FE | B, T, Q", + "Beverley | Oldbeck Road, Off Grovehill Road, Beverley, East Yorkshire, HU17 0JW | B, T, Q", + "Bristol | Merebank Road, Avonmouth, Bristol, BS11 8AQ | B, T, Q", + "Cardiff (Llantrisant) | School Road, Miskin, Pontyclun, Mid Glamorgan, CF72 8YR | B, T, Q", + "Chelmsford | Widford Industrial Estate, Chelmsford, CM1 3DR | B, Q", + "Derby | Belmore Way, Alvaston, Derby, DE21 7AY | B, T, Q", + "Edinburgh (Livingston) | Grange Road, Houston Industrial Estate, Livingston, Edinburgh, West Lothian, EH54 5DE | B, T, Q", + "Exeter | Grace Road West, Marsh Barton Trading Estate, Exeter, Devon, EX2 8PU | B, T, Q", + "Gillingham | Ambley Road, Gillingham, ME8 0SJ | B, T, Q", + "Kidderminster | Worcester Road, Kidderminster, DY11 7RD | B, T, Q", + "Leighton Buzzard | Stanbridge Road, Leighton Buzzard, Bedfordshire, LU7 4QG | B, T, Q", + "London West (Yeading) | Cygnet Way, Willow Tree Lane, Yeading, Hayes, Middlesex, UB4 9BS | T, Q", + "Manchester (Chadderton) | Broadway Business Park, Broadgate, Manchester (Chadderton), Oldham, OL9 9XA | B, T, Q", + "Newcastle-upon-Tyne | Sandy Lane, Gosforth, Newcastle-upon-Tyne, NE3 5HB | B, T, Q", + "Norwich | Jupiter Road, Hellesden, Norwich, NR6 6SS | B, T, Q", + "Southampton (Northam) | Unit R Centurion Industrial Estate, Bitterne Road West, Southampton, SO18 1UB | B, T, Q", + "

    How to apply

    ", + "

    Download and fill in the:

    ", + "
  • MSVA application form
  • ", + "
  • Partial MSVA application form
  • ", + "

    Follow the instructions on the form to submit it to DVSA.

    ", + "

    What happens next

    ", + "

    DVSA will inspect your vehicle at the test station you\u2019ve chosen and issue a Minister\u2019s Approval Certificate (MAC) if it passes. You\u2019ll need this certificate when you register your vehicle.

    ", + "

    Appeals

    ", + "

    You can appeal for a re-test if your vehicle fails MSVA. You must appeal within 14 days of the original decision by completing form MSVA17 and returning it to the station used for the original test.

    ", + "

    You\u2019ll have to pay the test fee again, which will be refunded if the appeal is successful. Contact DVSA to find out how to do this.

    ", + "

    More information

    ", + "

    Read the MSVA inspection manual.

    ", + "

    Certificate of Initial Fitness

    ", + "

    Who can use the scheme

    ", + "

    If you use a vehicle with more than 8 passenger seats to transport people for profit, also known as a Public Service Vehicle (PSV), it must have been approved or have a Certificate of Initial Fitness (COIF) to register it.

    ", + "

    What vehicles need a COIF

    ", + "

    You\u2019ll need a COIF for your vehicle if it has more than 8 passenger seats, will be used for profit and either:

    ", + "
  • is not registered in the UK and was built before the type approval scheme was introduced
  • ", + "
  • is registered in the UK but does not have a type approval as a passenger vehicle with more than 8 passenger seats
  • ", + "

    The start dates for this scheme vary depending on the type of vehicle. See page 10 of the Individual Vehicle Approval scheme guide for details.

    ", + "

    How to apply for a COIF

    ", + "

    Download and fill in the COIF application form.

    ", + "

    Follow the instructions on the form to submit it to DVSA.

    ", + "

    Cost of the scheme

    ", + "

    You have to pay a fee for the Driver and Vehicle Standards Agency (DVSA) to inspect your vehicle.

    ", + "

    What happens next

    ", + "

    Once you\u2019ve submitted your application, DVSA will contact you to arrange for your PSV\u2019s COIF examination to be carried out at a DVSA-approved test station.

    ", + "

    Notifiable Alterations

    ", + "

    You must send details to DVSA of any alterations or modifications you make to your PSV.

    ", + "

    Send your completed application to the address on the form along with any relevant documents.

    ", + "

    You do not need to notify DVSA of like-for-like replacement parts.

    ", + "

    Accessibility Certificate Test

    ", + "

    Some buses and coaches must have accessibility features for wheelchair users, like boarding lifts and ramps, wheelchair spaces and wheelchair restraints.

    ", + "

    This affects buses and coaches, which:

    ", + "
  • are authorised to carry more than 22 passengers
  • ", + "
  • carry passengers at separate fares on local or scheduled services
  • ", + "
  • were first used on or after 31 December 2000
  • ", + "

    Manufacturers of buses and coaches usually apply for these Accessibility Certificates at the same time as the Certificate of Initial Fitness (COIF) when the vehicles are first built.

    ", + "

    How to apply for an Accessibility Certificate

    ", + "

    If you already have a COIF you can apply for an Accessibility Certificate separately.

    ", + "

    You can also apply for an Accessibility Certificate yourself if you convert a vehicle to be used as a bus or coach.

    ", + "

    Accessibility Certificates last the lifetime of the vehicle as long as you do not make any further alterations to it. Once you have an Accessibility Certificate, accessibility is then checked as part of the vehicle\u2019s annual test.

    ", + "

    Fill in the PSV accessibility certificate application form.

    ", + "

    Follow the instructions on the form to submit it to DVSA.

    ", + "

    Fees for the Accessibility Certificate test

    ", + "

    You\u2019ll need to check both wheelchair accessibility and general accessibility. Each of these sets of regulations is called a schedule.

    ", + "Test type | Fee", + "1 schedule | \u00a351", + "Retest for 1 schedule | \u00a317", + "2 schedules | \u00a3104", + "Retest for 2 schedules | \u00a336", + "Duplicate certificate | \u00a313", + "

    Type approval

    ", + "

    Alternatively, vehicle manufacturers can apply for type approval, which means an Accessibility Certificate is not needed.

    ", + "

    Print off and fill in form PSVA6 to apply for type approval.

    ", + "

    When an operator gets a vehicle that\u2019s been type approved they\u2019ll get a Declaration of Conformity from the manufacturer.

    ", + "

    Operators then need to send this to the Driver and Vehicle Standards Agency (DVSA) to get a Certification of Conformity.

    ", + "

    Fees for type approval are included on the IVA inspection fees document.

    ", + "

    Inspection fees

    ", + "

    You have to pay a fee for the Driver and Vehicle Standards Agency (DVSA) to inspect your vehicle.

    ", + "

    The cost depends on:

    ", + "
  • whether you\u2019re using the standard or voluntary version of the scheme
  • ", + "
  • the type of inspection (basic or normal)
  • ", + "
  • the category of vehicle
  • ", + "
  • the class of vehicle
  • ", + "

    To find out which category and class your vehicle is in, see annexes 1 and 2 of the DVSA guide to the IVA scheme.

    ", + "

    Where to find inspection fees

    ", + "

    The DVSA list of inspection fees includes the fees for:

    ", + "
  • Individual Vehicle Approval (IVA)
  • ", + "
  • Motorcycle Single Vehicle Approval (MSVA)
  • ", + "
  • Certificate of Initial Fitness (COIF)
  • ", + "

    Replacement approval certificate

    ", + "

    You can apply for a replacement approval certificate. Submit your application using the apply for an Individual Vehicle Approval (IVA) service.

    " + ] + }, + { + "title": "Vehicle registration", + "url": "https://www.gov.uk/vehicle-registration", + "contents": [ + "

    Overview

    ", + "

    You have to register a car or any other vehicle as soon as you\u2019ve:

    ", + "
  • bought it
  • ", + "
  • built it
  • ", + "
  • rebuilt or altered it
  • ", + "
  • imported it
  • ", + "

    You do this by filling in forms and sending them to DVLA. The forms you have to send depend on your circumstances.

    ", + "

    DVLA may need to inspect your vehicle to:

    ", + "
  • make sure the vehicle exists, has been assembled into a complete vehicle and the log book (V5C) is in your name
  • ", + "
  • update their records because of changes you\u2019ve made to the vehicle
  • ", + "

    They will send you a letter if they need to do this. You will not have to pay a fee.

    ", + "

    Use the different registration schemes for the motor trade if you\u2019re a vehicle manufacturer, importer or VAT-registered trader.

    ", + "

    New and used vehicles

    ", + "

    New vehicles

    ", + "

    The dealer will usually register a brand new vehicle for you. If they do, you\u2019ll get a V5C registration certificate (log book). It will take longer than usual to get this because of coronavirus (COVID-19).

    ", + "

    If the dealer will not do it, you can register the vehicle yourself.

    ", + "

    If your vehicle is a new heavy goods vehicle (HGV), you also need to record the details of your HGV with the Driver and Vehicle Standards Agency (DVSA).

    ", + "

    Used vehicles

    ", + "

    You need to tax a used vehicle before you can use it on the road.

    ", + "

    The way a used vehicle is registered to you depends on whether it has a V5C registration certificate (log book).

    ", + "

    Vehicle has a registration certificate (V5C)

    ", + "

    The seller can register the vehicle to you online or by post.

    ", + "

    The seller must follow a different process if you\u2019re buying a vehicle to take abroad including the Channel Islands (Jersey and Guernsey), Isle of Man or Ireland. They must give you the full log book (V5C) and not send it to DVLA.

    ", + "

    Register online

    ", + "

    The seller will need to:

    ", + "
  • register the vehicle to you online
  • ", + "
  • fill in the green \u2018new keeper\u2019 slip and give it to you
  • ", + "
  • destroy the V5C
  • ", + "

    DVLA will update the vehicle record immediately and they will aim to send out a new V5C to you within 3 to 5 days.

    ", + "

    Register by post

    ", + "

    If you cannot register the vehicle online, you can register it by post. The seller will need to:

    ", + "
  • complete section 2 if they have a new style log book (with multi-coloured numbered blocks on the front cover) or section 6 if they have the older style log book
  • ", + "
  • sign the declaration in section 8 if they have the older style log book (you must sign the declaration too)
  • ", + "
  • fill in the new keeper slip and give it to you
  • ", + "
  • send the V5C to DVLA
  • ", + "

    DVLA aims to send out a new V5C to you as soon as possible, usually 4 weeks after getting the old V5C from the seller. This may take longer because of coronavirus.

    ", + "

    If you do not get it within 4 weeks:

    ", + "
  • complete form V62 - \u2018Application for a vehicle registration certificate\u2019
  • ", + "
  • send it to DVLA with the new keeper slip given to you by the seller - if you do not send in the new keeper slip, you\u2019ll have to pay a fee
  • ", + "

    Download form V62 or get it from any Post Office branch.

    ", + "

    Contact DVLA if you do not receive anything 6 weeks after sending in form V62.

    ", + "

    Vehicle does not have a registration certificate

    ", + "

    DVLA advises that you should not buy a vehicle that does not have a registration certificate (V5C).

    ", + "

    Register the vehicle in your name by using form V62 \u2018Application for a vehicle registration certificate\u2019. You\u2019ll have to pay a fee. See the section above for how to get form V62.

    ", + "

    Contact DVLA if you do not receive anything 6 weeks after sending in form V62.

    ", + "

    Checking your new registration certificate

    ", + "

    When you receive your registration certificate, it\u2019s your responsibility to check all the details are correct. If anything is incorrect, make the changes on the certificate and send it back to DVLA.

    ", + "

    You\u2019ll get the replacement certificate within 4 weeks.

    ", + "

    New registrations

    ", + "

    Your vehicle may not have been registered before with DVLA if it\u2019s:

    ", + "
  • brand new
  • ", + "
  • a kit car
  • ", + "
  • imported
  • ", + "
  • been rebuilt or radically altered
  • ", + "
  • an old or classic vehicle
  • ", + "

    If you buy a brand new vehicle, the dealer will usually arrange for it to be registered. Otherwise, you need to follow the process below.

    ", + "

    Making an application

    ", + "

    Fill in form V55/4 or V55/5

    ", + "

    For any type of newly registered vehicle, you must fill in either a:

    ", + "
  • V55/4 form to register a new vehicle, including new imported vehicles and newly-built (kit) cars
  • ", + "
  • V55/5 form to register a used vehicle, including rebuilt vehicles, used imported vehicles and older vehicles that have never been registered
  • ", + "

    Provide copies of identity documents

    ", + "

    Send in a photocopy of your photocard driving licence with your application form to prove your identity.

    ", + "

    If you cannot do this, you must send in photocopies of one document that proves your name and another document that proves your address.

    ", + "

    Documents you can use to confirm your name include:

    ", + "
  • passport
  • ", + "
  • marriage certificate
  • ", + "
  • decree nisi or absolute
  • ", + "
  • birth certificate
  • ", + "
  • current UK paper driving licence (not a paper counterpart)
  • ", + "

    Documents you can use to confirm your address include:

    ", + "
  • recent utility bill (within the last 3 months) - for example gas, electricity, water, landline
  • ", + "
  • recent bank or building society statement (within the last 3 months)
  • ", + "
  • medical card
  • ", + "
  • council tax bill for current year
  • ", + "

    You can fill in form V959 - \u2018Notification of name and address check\u2019 instead of these documents to prove your identity if you\u2019re a current DVLA trade plate holder.

    ", + "

    Supporting documents needed for all vehicles

    ", + "

    As well as documents to prove your identity, you must also send:

    ", + "
  • payment for the vehicle tax
  • ", + "
  • the new registration fee of \u00a355, if you have to pay it
  • ", + "
  • a current MOT certificate, if the vehicle is over 3 years old (over 4 years old in Northern Ireland)
  • ", + "
  • a certificate of newness (or declaration of newness for imported vehicles), if the vehicle is new
  • ", + "
  • proof of vehicle approval if the vehicle is under 10 years old (unless it\u2019s exempt from vehicle approval)
  • ", + "
  • any documents you have relating to the vehicle, for example build plans if it\u2019s a kit car
  • ", + "
  • an insurance certificate or cover note (if you\u2019re registering the vehicle to an address in Northern Ireland)
  • ", + "

    Supporting documents needed for some vehicles

    ", + "

    You may have to send extra forms and documents if your vehicle is:

    ", + "
  • imported
  • ", + "
  • kit-built, rebuilt, kit-converted or radically altered
  • ", + "
  • an old vehicle
  • ", + "
  • a reconstructed classic vehicle
  • ", + "

    After you\u2019ve applied

    ", + "

    DVLA might need to inspect your vehicle. If your application is approved, DVLA will send you a V5C registration certificate (sometimes called a log book).

    ", + "

    Because of coronavirus (COVID-19) it\u2019s taking longer than usual to get a new registration certificate.

    ", + "

    Your V5C shows:

    ", + "
  • the vehicle\u2019s registration number
  • ", + "
  • the vehicle keeper\u2019s name and address
  • ", + "
  • other information about the vehicle (the make, vehicle identification number (VIN) and number of previous keepers)
  • ", + "

    DVLA will also return your identity documents.

    ", + "

    You\u2019ll need to provide a prepaid self-addressed, special delivery envelope if you want the documents returned by special delivery.

    ", + "

    DVLA cannot guarantee the return of the documents by a specific date.

    ", + "

    New registrations fee

    ", + "

    You\u2019ll have to pay a fee of \u00a355 if you\u2019re registering and taxing a vehicle for the first time with DVLA.

    ", + "

    You can pay by cheque or postal order. You cannot send cash. Damaged or altered cheques will not be accepted.

    ", + "

    You do not have to pay for some vehicles, including:

    ", + "
  • those first registered and licensed in the disabled exempt taxation class
  • ", + "
  • historic vehicles previously registered with the old local authorities (late conversions)
  • ", + "
  • vehicles previously registered in the United Kingdom
  • ", + "
  • imported vehicles previously registered under the personal export scheme and new means of transport scheme
  • ", + "
  • visiting forces vehicles
  • ", + "
  • vehicles registered under the direct export scheme
  • ", + "
  • vehicles registered for off-road use only
  • ", + "
  • crown exempt vehicles
  • ", + "

    Rebuilt vehicles

    ", + "

    Your vehicle must meet the road vehicles regulations if you use it on the road.

    ", + "

    How to register

    ", + "

    You must follow all the instructions for registering a new vehicle.

    ", + "

    You must include the following with your application:

    ", + "
  • form V627/1 - \u2018Built up vehicle inspection report\u2019
  • ", + "
  • evidence of type approval, if necessary
  • ", + "
  • the vehicle registration certificate for the original vehicle
  • ", + "
  • official receipts for any parts used
  • ", + "
  • photographs of the vehicle
  • ", + "

    Contact DVLA if you\u2019re not sure about what you need to provide.

    ", + "

    Send your application to:

    ", + "

    Vehicle type approval

    ", + "

    You\u2019ll have to get type approval if your vehicle does not qualify to keep its original registration number.

    ", + "

    Keep a vehicle\u2019s original registration number

    ", + "

    A rebuilt vehicle can keep its original registration number if you can prove you\u2019ve used:

    ", + "
  • the original unmodified chassis or bodyshell (car or light van)
  • ", + "
  • a new chassis or monocoque bodyshell of the same specification as the original (car or light van)
  • ", + "
  • the original unmodified frame (motorbike)
  • ", + "
  • a new frame of the same specification as the original (motorbike)
  • ", + "

    You must also have 2 other major components from the original vehicle from the following lists.

    ", + "

    For cars or light vans:

    ", + "
  • suspension (front and back)
  • ", + "
  • steering assembly
  • ", + "
  • axles (both)
  • ", + "
  • transmission
  • ", + "
  • engine
  • ", + "

    For motorbikes:

    ", + "
  • forks
  • ", + "
  • wheels
  • ", + "
  • engine
  • ", + "
  • gear box
  • ", + "

    Get a Q registration number

    ", + "

    DVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for keeping the original registration number.

    ", + "

    Your vehicle must pass the relevant type approval test to get a Q registration number.

    ", + "

    Vehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.

    ", + "

    Kit-built vehicles

    ", + "

    Your vehicle must meet the road vehicles regulations if you use it on the road.

    ", + "

    A kit-built vehicle is one where all the parts are supplied new by the manufacturer.

    ", + "

    How to register

    ", + "

    You must follow all the instructions for registering a new vehicle.

    ", + "

    You must include the following with your application:

    ", + "
  • form V627/1 - \u2018Built up vehicle inspection report\u2019
  • ", + "
  • evidence of type approval \u2013 see \u2018Vehicle type approval\u2019 below
  • ", + "
  • official receipts for the vehicle and any parts used
  • ", + "
  • build plans
  • ", + "
  • evidence that any \u2018reconditioned\u2019 part is to an \u2018as new\u2019 standard
  • ", + "

    Contact DVLA if you\u2019re not sure about what you need to provide.

    ", + "

    Send your application to:

    ", + "

    Vehicle type approval

    ", + "

    All kit-built vehicles have to get type approval.

    ", + "

    Get a current registration number

    ", + "

    You can register a kit-built car, motorcycle or tricycle with a current registration number if you can prove it\u2019s all made from new parts supplied by the manufacturer.

    ", + "

    You can also get a current registration number for a kit-built car, motorbike or tricycle built with one reconditioned part if:

    ", + "
  • you can show that the part has been reconditioned to an \u2018as new\u2019 standard, in line with the manufacturer\u2019s guidelines
  • ", + "
  • the part is not the chassis, monocoque bodyshell or frame
  • ", + "

    Get a Q registration number

    ", + "

    DVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for getting a current registration number.

    ", + "

    Your vehicle must pass the relevant type approval test to get a Q registration number.

    ", + "

    Kit-converted vehicles

    ", + "

    Your vehicle must meet the road vehicles regulations if you use it on the road.

    ", + "

    A kit-converted vehicle has had:

    ", + "
  • a kit of new parts added to an existing vehicle, or
  • ", + "
  • old parts added to a new kit
  • ", + "

    The general appearance of the vehicle will change because of the kit.

    ", + "

    How to register

    ", + "

    You must follow all the instructions for registering a new vehicle.

    ", + "

    You\u2019ll need to include the following with your application:

    ", + "
  • form V627/1 - \u2018Built up vehicle inspection report\u2019
  • ", + "
  • the vehicle registration certificate for the original vehicle
  • ", + "
  • evidence of type approval, if necessary \u2013 see \u2018Vehicle type approval\u2019 below
  • ", + "
  • official receipts for any parts used
  • ", + "
  • build plans
  • ", + "
  • photographs of the vehicle
  • ", + "

    Contact DVLA if you\u2019re not sure about what you need to provide.

    ", + "

    Send your application to:

    ", + "

    Keep a vehicle\u2019s original registration number

    ", + "

    You can apply to keep a kit converted vehicle\u2019s original registration number if you can prove you\u2019ve used 2 original major parts along with the original unmodified:

    ", + "
  • chassis (car or light van)
  • ", + "
  • monocoque bodyshell (car or light van)
  • ", + "
  • frame (motorbike)
  • ", + "

    Get an age-related registration number

    ", + "

    You can apply for an age-related number if you can prove you\u2019ve used 2 original major parts along with:

    ", + "
  • a new monocoque bodyshell, chassis or frame from a specialist kit manufacturer
  • ", + "
  • an altered chassis, monocoque bodyshell or frame from the original vehicle
  • ", + "

    The registration number will be based on the age of the original vehicle.

    ", + "

    Your vehicle must pass the relevant type approval test to get an age-related registration number.

    ", + "

    Get a Q registration number

    ", + "

    DVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for getting an original or age-related registration number.

    ", + "

    Your vehicle must pass the relevant type approval test to get a Q registration number.

    ", + "

    Vehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.

    ", + "

    Radically altered vehicles

    ", + "

    Your vehicle must comply with the road vehicles regulations if you use it on the road.

    ", + "

    Radically altered vehicles are vehicles that have been altered from their original specification, but are not kit conversions.

    ", + "

    How to register

    ", + "

    You must follow all the instructions for registering a new vehicle.

    ", + "

    You\u2019ll need to include the following with your application:

    ", + "
  • form V627/1 - \u2018Built up vehicle inspection report\u2019
  • ", + "
  • evidence of type approval, if necessary
  • ", + "
  • the vehicle registration certificate
  • ", + "
  • official receipts for any parts used
  • ", + "
  • photographs of the vehicle
  • ", + "

    Contact DVLA if you\u2019re not sure about what you need to provide.

    ", + "

    Send your application to:

    ", + "

    Get a vehicle registration number

    ", + "

    DVLA uses a points system to decide what registration number to give a radically altered vehicle.

    ", + "

    Keep the original registration number

    ", + "

    Your vehicle must have 8 or more points from the table below if you want to keep the original registration number. 5 of these points must come from having the original or new and unmodified chassis, monocoque bodyshell or frame.

    ", + "Part | Points", + "Chassis, monocoque bodyshell (body and chassis as one unit) or frame - original or new and unmodified (direct from manufacturer) | 5", + "Suspension (front and back) - original | 2", + "Axles (both) - original | 2", + "Transmission - original | 2", + "Steering assembly - original | 2", + "Engine - original | 1", + "

    Get a \u2018Q\u2019 registration number

    ", + "

    You will not be able to keep your vehicle\u2019s original registration number if one of the following applies:

    ", + "
  • it has fewer than 8 points
  • ", + "
  • it has a second-hand or altered chassis, monocoque bodyshell or frame
  • ", + "
  • there\u2019s evidence that 2 vehicles have been welded together to form one (ie \u2018cut and shut\u2019)
  • ", + "

    Your vehicle must pass the relevant type approval test to get a \u2018Q\u2019 prefix registration number.

    ", + "

    Vehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.

    ", + "

    Old vehicles

    ", + "

    Your vehicle must meet the road vehicles regulations if you use it on the road.

    ", + "

    If you have a classic vehicle that has not been taxed since 1983, it might not be registered with DVLA.

    ", + "

    If this is the case and you want to register it, follow all the instructions for registering a vehicle for the first time.

    ", + "

    Get your vehicle\u2019s original registration number

    ", + "

    You may be able to register an old vehicle under its original registration number if either:

    ", + "
  • it\u2019s never been registered at DVLA
  • ", + "
  • it has an age-related registration number
  • ", + "

    To do this, you\u2019ll have to:

    ", + "
  • follow the instructions for new registrations
  • ", + "
  • fill in form V765 - \u2018Application to register a vehicle under its original registration number\u2019
  • ", + "
  • get form V765 endorsed by a vehicle owners\u2019 club
  • ", + "
  • provide a recent photo of the vehicle and documentary evidence that links it to the original number, for example the original log book
  • ", + "

    Send the forms to \u2018K and R\u2019 at DVLA.

    ", + "

    K and R\nDVLA\nSA99 1ZZ

    ", + "

    After you\u2019ve applied

    ", + "

    DVLA will issue a V5C registration certificate and give you either:

    ", + "
  • the original registration number - if this happens, you will not be allowed to transfer it or put it onto retention at a later date
  • ", + "
  • another number appropriate to the age of the vehicle - if this is a non-suffix or prefix number, it will also be non-transferable
  • ", + "

    Northern Ireland

    ", + "

    Send a completed V62 form and the RF60 form if you want to register a historic vehicle in Northern Ireland.

    ", + "

    DVLA will register the vehicle and issue a new V5C to the registered keeper. You should receive this within 4 weeks.

    ", + "

    Reconstructed classic vehicles

    ", + "

    Your vehicle must comply with the road vehicles regulations if you use it on the road.

    ", + "

    How to register

    ", + "

    You must follow all the instructions for registering a new vehicle.

    ", + "

    You must include the following with your application:

    ", + "
  • written report from the appropriate vehicle owners\u2019 club
  • ", + "
  • form V627/1 - \u2018Built up vehicle inspection report\u2019
  • ", + "
  • evidence of type approval, if necessary
  • ", + "
  • official receipts for any parts used
  • ", + "

    Get an age-related registration number

    ", + "

    DVLA can only recognise your vehicle as a reconstructed classic vehicle if it meets certain criteria. It must be:

    ", + "
  • built from genuine period components from more than one vehicle, all over 25 years old and of the same specification as the original vehicle
  • ", + "
  • a true reflection of the marque
  • ", + "

    The appropriate vehicle owners\u2019 club for the vehicle type (\u2018marque\u2019) must inspect the vehicle and confirm in writing that it:

    ", + "
  • has been inspected
  • ", + "
  • is a true reflection of the marque
  • ", + "
  • is comprised of genuine period components all over 25 years old
  • ", + "

    They must also give manufacture dates for the major components.

    ", + "

    DVLA will assign an age-related registration number to the vehicle based on the youngest component used.

    ", + "

    New or replica parts

    ", + "

    Your vehicle will not get an age-related registration number if it includes new or replica parts. DVLA will give your vehicle a \u2018Q\u2019 prefix registration number. Your vehicle must pass the relevant type approval test to get a \u2018Q\u2019 prefix registration number.

    ", + "

    Vehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.

    ", + "

    Vehicle identification number

    ", + "

    All vehicles registered in the UK must have a unique, stamped-in vehicle identification number (VIN) and registration number.

    ", + "

    Find your VIN

    ", + "

    The VIN is usually stamped into the chassis of the vehicle. It may be lost if you rebuild or modify your vehicle.

    ", + "

    When you may need a new VIN or registration

    ", + "

    If you have a kit car, rebuild, or radically altered vehicle, DVLA will usually have to assess it.

    ", + "

    You may be able to keep its original registration number if you can prove the vehicle\u2019s original VIN. If you cannot, you\u2019ll have to apply for a replacement identity number.

    ", + "

    DVLA will give you an authorisation letter to get the vehicle stamped with the new VIN if your vehicle passes its assessment.

    ", + "

    You then need to register the vehicle - you can only do this when DVLA receives confirmation it\u2019s been stamped with the correct VIN.

    ", + "

    'Q' registration numbers

    ", + "

    DVLA issues \u2018Q\u2019 registration numbers to vehicles whose age or identity is in doubt.

    ", + "

    If this happens, any original vehicle registration number will become invalid and you must not display it again.

    ", + "

    To get a \u2018Q\u2019 registration number, your vehicle has to pass a type approval process.

    " + ] + }, + { + "title": "Drivers' hours", + "url": "https://www.gov.uk/drivers-hours", + "contents": [ + "

    Overview

    ", + "

    If you drive a goods vehicle or a passenger-carrying vehicle you must follow the rules on how many hours you can drive and the breaks that you need to take.

    ", + "

    There are 3 sets of rules that could apply to your journey:

    ", + "
  • EU rules
  • ", + "
  • AETR rules
  • ", + "
  • GB domestic rules
  • ", + "

    The rules that apply depend on:

    ", + "
  • the type of vehicle you\u2019re driving
  • ", + "
  • which country you\u2019re driving in
  • ", + "

    If you drive under the EU or GB domestic drivers\u2019 hours rules, you also need to follow the working time rules.

    ", + "

    If you\u2019re an employer of drivers or mobile workers there are more rules you must follow.

    ", + "

    There are different drivers\u2019 hours rules in Northern Ireland.

    ", + "

    If you do not follow the rules

    ", + "

    If you break the drivers\u2019 hours rules, the Driver and Vehicle Standards Agency (DVSA) can give you:

    ", + "
  • a verbal warning, for minor offences made by accident or because of inexperience
  • ", + "
  • an offence rectification notice, for offences which are not a risk to road safety - you\u2019ll have 21 days to fix the issue
  • ", + "
  • a prohibition notice, for serious or dangerous offences - you must stop a dangerous activity or start following the regulations
  • ", + "
  • a fine or points on your licence (a \u2018fixed penalty\u2019) \u2013 the amount depends on how serious the offence is
  • ", + "

    You can be prosecuted for very serious or multiple offences.

    ", + "

    DVSA can give you further penalties (such as an improvement or prohibition notice) if you also break the working time rules.

    ", + "

    You can ask for an emergency exemption from the rules. Read the guidance on emergency exemption and temporary relaxation of drivers\u2019 hours and working time rules.

    ", + "

    Drivers\u2019 hours checklists

    ", + "

    You can also print out the \u2018Staying legal\u2019 checklists, which cover the basic rules:

    ", + "
  • Staying legal - the basics (HGV drivers)
  • ", + "
  • Staying legal - the basics (PSV drivers)
  • ", + "

    Rules for employers

    ", + "

    If you employ drivers or other mobile workers, you must:

    ", + "
  • keep drivers\u2019 hours records for at least one year
  • ", + "
  • make sure they are properly trained and understand the rules
  • ", + "
  • organise their time so that they can follow the rules
  • ", + "
  • check your drivers\u2019 hours records and data
  • ", + "
  • monitor your workers\u2019 working time
  • ", + "

    Mobile workers are:

    ", + "
  • drivers - including employed drivers, own-account drivers and agency drivers
  • ", + "
  • members of the vehicle crew, for example a second driver on a coach
  • ", + "
  • anyone else who is part of the travelling staff, for example a bus conductor, a drayman or a security guard aboard a vehicle carrying high-value goods
  • ", + "

    Goods vehicles

    ", + "

    The rules that apply to goods vehicles depend on the weight of your vehicle, the country you\u2019re driving in and what you\u2019re using the vehicle for.

    ", + "

    EU rules

    ", + "

    EU rules apply if the maximum permissible weight of your vehicle or vehicle combination is more than 3.5 tonnes and you\u2019re driving in any of the following:

    ", + "
  • the EU (including the UK)
  • ", + "
  • an European Economic Area (EEA) country
  • ", + "
  • Switzerland
  • ", + "

    Some vehicles are exempt from EU rules when driven in the UK.

    ", + "

    AETR rules

    ", + "

    AETR (European Agreement Concerning the Work of Crews Engaged in International Road Transport) rules apply if your vehicle will pass through an AETR country.

    ", + "

    GB domestic rules

    ", + "

    GB domestic rules apply if both the following are true:

    ", + "
  • the maximum permissible weight of your vehicle or vehicle combination is under 3.5 tonnes
  • ", + "
  • your vehicle is exempt from EU rules when driven in the UK
  • ", + "

    If you\u2019ll be driving through a country outside of the UK, EU, EEA or Switzerland, you should contact the UK embassy of the country to check on local rules.

    ", + "

    More information

    ", + "

    Read Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.

    ", + "

    Read the rules for drivers\u2019 hours in the recovery vehicle industry.

    ", + "

    You can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.

    ", + "

    There are specific rules for tachographs and horse boxes or trailers.

    ", + "

    Passenger-carrying vehicles

    ", + "

    If you\u2019re driving a vehicle that carries passengers the rules that apply to you depend on:

    ", + "
  • the number of passenger seats
  • ", + "
  • how far you\u2019re driving (the distance of your route)
  • ", + "
  • if you\u2019re driving to or from another country
  • ", + "
  • if you\u2019re driving on a regular or a non-regular service
  • ", + "

    A regular service follows a specified route, with stopping points for passengers to get on or off.

    ", + "

    Public service vehicles (PSV)

    ", + "

    A public service vehicle is a vehicle that\u2019s used to carry passengers for hire or payment.

    ", + "Type of operation | 8 or fewer passenger seats | 9 to 12 passenger seats | 13 to 16 passenger seats | 17 or more passenger seats", + "Regular service on route not exceeding 50km | GB domestic rules | GB domestic rules | GB Domestic rules | GB Domestic rules", + "National or international regular service on route exceeding 50km | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules", + "National or international non-regular service for example commercial excursions, tours or private hire | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules", + "

    Other passenger-carrying vehicles

    ", + "

    You do not need to follow any drivers\u2019 hours rules if you drive a police, fire service or armed forces vehicle.

    ", + "

    If you drive for a different public authority or for a business, and your vehicle is a non-PSV with:

    ", + "
  • up to 8 passenger seats - you do not need to follow any drivers\u2019 hours rules
  • ", + "
  • 9 or more passenger seats - you must follow the EU rules (unless your vehicle is exempt from EU law)
  • ", + "

    If you drive a \u2018non-commercial\u2019 vehicle

    ", + "

    You drive a non-commercial vehicle if:

    ", + "
  • passengers are not charged to use the vehicle
  • ", + "
  • you and any other workers are not paid to operate or work in the vehicle
  • ", + "
  • the vehicle is not used professionally or commercially
  • ", + "

    If your vehicle has up to 8 passenger seats, you do not need to follow any drivers\u2019 hours rules.

    ", + "

    If your vehicle has 9 or more passenger seats, you usually need to follow the EU rules. You need to follow GB rules instead if your vehicle has between 10 and 17 passenger seats and is only used for non-commercial journeys.

    ", + "

    If you use your vehicle outside the UK

    ", + "

    If you drive between the UK and another country and your vehicle has:

    ", + "
  • up to 8 passenger seats - you must follow the local rules for the country you\u2019re driving in
  • ", + "
  • 9 or more passenger seats - you must follow the EU or the European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules
  • ", + "

    More information

    ", + "

    Read Passenger vehicles: rules on drivers\u2019 hours and tachographs for the main rules.

    ", + "

    You can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.

    ", + "

    Exemptions from EU law

    ", + "

    Some types of vehicle are exempt from EU rules. This means they come under GB domestic rules in the UK.

    ", + "

    The main types of exempt vehicle are:

    ", + "
  • vehicles that cannot go faster than 40 kilometres per hour, including vehicles that are restricted by a set speed limiter
  • ", + "
  • emergency aid vehicles - vehicles used in the non-commercial transport of humanitarian aid for use in emergencies or rescue operations
  • ", + "
  • breakdown vehicles - specialised breakdown vehicles working within a 100km of their base
  • ", + "
  • vehicles undergoing road tests for technical development, repair or maintenance purposes, and new or rebuilt vehicles which have not yet been put into service
  • ", + "
  • vehicles manufactured more than 25 years ago
  • ", + "
  • vehicles used by agricultural, horticultural, forestry, farming or fishery businesses for carrying goods within 100km of where the business is based
  • ", + "
  • vehicles that are used to carry live animals between a farm and a market, or from a market to a slaughterhouse where the distance is less than 100km
  • ", + "
  • vehicles that are used to carry animal waste or carcasses that are not intended for human consumption
  • ", + "
  • educational vehicles, for example play buses and mobile libraries
  • ", + "
  • vehicles or combinations of vehicles with a maximum permissible weight of 7.5 tonnes or less that are used for carrying work equipment for the driver where the distance is less than 100km
  • ", + "
  • vehicles driven only on islands whose area does not exceed 2,300 square kilometres
  • ", + "
  • vehicles with a maximum weight of 7.5 tonnes which use natural or liquefied gas or electricity as fuel and carry goods within 50km from their base
  • ", + "
  • driving instruction or exams - vehicles used for driving instruction and examination. Includes instruction for renewal of Driver Certificate of Professional Competence (CPC)
  • ", + "
  • circus vehicles - specialised vehicles transporting circus and funfair equipment
  • ", + "
  • milk collection - vehicles used for collecting milk from farms or returning milk containers or milk products for animal feed to farms
  • ", + "
  • any vehicle that is propelled by steam
  • ", + "

    Read the full list of exempt vehicles.

    ", + "

    EU rules

    ", + "

    Driving hours

    ", + "

    The main EU rules on driving hours are that you must not drive more than:

    ", + "
  • 9 hours in a day - this can be extended to 10 hours twice a week
  • ", + "
  • 56 hours in a week
  • ", + "
  • 90 hours in any 2 consecutive weeks
  • ", + "

    All driving you do under EU rules must be recorded on a tachograph.

    ", + "

    Breaks and rest

    ", + "

    The main points of EU rules on breaks and rest are that you must take:

    ", + "
  • at least 11 hours rest every day - you can reduce this to 9 hours rest 3 times between any 2 weekly rest periods
  • ", + "
  • an unbroken rest period of 45 hours every week - you can reduce this to 24 hours every other week
  • ", + "
  • a break or breaks totalling at least 45 minutes after no more than 4 hours 30 minutes driving
  • ", + "
  • your weekly rest after 6 consecutive 24-hour periods of working, starting from the end of the last weekly rest period taken
  • ", + "

    Coach drivers on an international trip can take their weekly rest after 12 consecutive 24-hour periods, starting from the end of the last weekly rest period taken.

    ", + "

    For more details on rests and breaks read:

    ", + "
  • Goods vehicles: rules on drivers\u2019 hours and tachographs
  • ", + "
  • Passenger vehicles: rules on drivers\u2019 hours and tachographs
  • ", + "

    AETR rules

    ", + "

    The European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules are now the same as the EU rules on drivers\u2019 hours.

    ", + "

    The AETR rules cover all EU countries and:

    ", + "
  • Albania
  • ", + "
  • Andorra
  • ", + "
  • Armenia
  • ", + "
  • Azerbaijan
  • ", + "
  • Belarus
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Georgia
  • ", + "
  • Kazakhstan
  • ", + "
  • Liechtenstein
  • ", + "
  • Monaco
  • ", + "
  • Montenegro
  • ", + "
  • Moldova
  • ", + "
  • North Macedonia
  • ", + "
  • Norway
  • ", + "
  • Russia
  • ", + "
  • San Marino
  • ", + "
  • Serbia
  • ", + "
  • Turkey
  • ", + "
  • Turkmenistan
  • ", + "
  • Ukraine
  • ", + "
  • United Kingdom
  • ", + "
  • Uzbekistan
  • ", + "

    GB domestic rules

    ", + "

    The GB domestic drivers\u2019 hours rules apply to most passenger-carrying vehicles and goods vehicles that do not have to follow the EU rules.

    ", + "

    GB domestic rules apply in Great Britain - there are separate rules in Northern Ireland.

    ", + "

    Goods vehicles

    ", + "

    Duty time

    ", + "

    If you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.

    ", + "

    Daily driving limit

    ", + "

    You must not drive for more than 10 hours in a day:

    ", + "
  • on a public road
  • ", + "
  • off-road if not during duty time
  • ", + "

    Off-road driving counts as duty time if it\u2019s for:

    ", + "
  • agriculture
  • ", + "
  • quarrying
  • ", + "
  • forestry
  • ", + "
  • building work
  • ", + "
  • civil engineering
  • ", + "

    Daily duty limit

    ", + "

    You must not be on duty for more than 11 hours in any working day. This limit does not apply on any working day when you do not drive.

    ", + "

    You must record your hours on a weekly record sheet or on a tachograph.

    ", + "

    Exemptions

    ", + "

    You do not need to follow the GB domestic rules if you:

    ", + "
  • are dealing with an emergency - for example, a major disruption to public services or danger to life
  • ", + "
  • are using the vehicle for private driving and not for work
  • ", + "
  • drive off-road or on private roads during duty time
  • ", + "
  • drive a vehicle used by the armed forces, police or fire brigade
  • ", + "

    Passenger-carrying vehicles

    ", + "

    Duty time

    ", + "

    If you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.

    ", + "

    Daily driving limit

    ", + "

    You must not drive for more than 10 hours in any working day.

    ", + "

    Breaks and continuous driving

    ", + "

    After 5 hours 30 minutes of driving you must take a break of at least 30 minutes for rest and refreshment.

    ", + "

    Or, within any period of 8 hours 30 minutes, you must take at least 45 minutes in breaks. You must also have a break of at least 30 minutes at the end of this period, unless it\u2019s the end of the working day.

    ", + "

    Length of working day (\u2018spreadover\u2019)

    ", + "

    You must not work more than 16 hours between the times of starting and finishing work - including non-driving work and any times when you\u2019re off.

    ", + "

    Daily rest periods

    ", + "

    You must take a rest of 10 hours before the first duty and immediately after the last duty in a working week.

    ", + "

    You must take a rest of at least 10 hours between 2 working days (or spreadovers) - this can be reduced to 8.5 hours up to 3 times a week.

    ", + "

    Fortnightly rest periods

    ", + "

    Every 2 weeks you must take at least one period of 24 hours off duty.

    ", + "

    A fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.

    ", + "

    Exemptions

    ", + "

    You do not need to follow the GB domestic rules if you:

    ", + "
  • are dealing with an emergency - for example, a major disruption to public services or danger to life
  • ", + "
  • drive for less than 4 hours a day in a week
  • ", + "

    If you drive for more than 4 hours for up to 2 days a week, you do not need to follow all of the rules. You need to:

    ", + "
  • follow the rules for daily driving limits and length of working day
  • ", + "
  • start and finish all of your duties within a 24-hour period
  • ", + "
  • take a rest of 10 hours before the first duty and immediately after the last duty
  • ", + "

    If you work overnight and the rules applied on the day your shift began, you must follow the rules for your entire shift - even if your shift finishes during a week in which you\u2019re exempt from the rules.

    ", + "

    Driving under both EU and GB domestic rules

    ", + "

    If you work partly under EU/AETR rules and partly under GB domestic rules during a day or a week you need to know the following:

    ", + "
  • driving under EU rules counts towards the driving and duty limits under GB domestic rules
  • ", + "
  • on any days you drive under EU rules you must take EU daily rest periods, as well as a weekly rest period
  • ", + "
  • you cannot count the time you spend driving under EU rules as an off-duty period under GB domestic rules
  • ", + "
  • driving and other duty under GB domestic rules count as \u2018attendance at work\u2019, not as a break or rest period under EU rules
  • ", + "

    Driving limits

    ", + "

    You must follow the GB domestic limit of a maximum of 10 hours driving a day. But at any time when you\u2019re actually driving under the EU rules you must follow all the rules on EU driving limits.

    ", + "

    Other duty limits

    ", + "

    You must follow the GB domestic limit of a maximum of:

    ", + "
  • 11 hours on duty if you drive a goods vehicle
  • ", + "
  • 16 hours on duty if you drive a passenger-carrying vehicle
  • ", + "

    Rest periods and breaks

    ", + "

    You must follow the EU rules on rest periods and breaks on days and weeks when you drive under EU rules.

    ", + "

    A fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.

    ", + "

    Read Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.

    ", + "

    Read the rules for drivers\u2019 hours in the recovery vehicle industry.

    " + ] + }, + { + "title": "Become a qualified lorry or bus driver", + "url": "https://www.gov.uk/become-lorry-bus-driver", + "contents": [ + "

    Getting qualified

    ", + "

    To become a lorry, bus or coach driver you need to:

    ", + "
  • have a full car licence
  • ", + "
  • be over 18 - but there are some exceptions
  • ", + "
  • get a professional driving qualification called the Driver Certificate of Professional Competence (CPC)
  • ", + "

    Who needs the full Driver CPC

    ", + "

    You must have the full Driver CPC if you drive a lorry, bus or coach as the main part of your job.

    ", + "

    You usually need to pass 4 tests to get it, unless you have \u2018acquired rights\u2019 because of your existing driving experience.

    ", + "

    Who does not need the full Driver CPC

    ", + "

    You do not need the full Driver CPC if you:

    ", + "
  • do not want to drive for a living, for example you want to drive for a hobby or carry passengers or goods non-commercially for personal use
  • ", + "
  • drive in certain other situations, such as taking your vehicle for a pre-booked annual test (MOT)
  • ", + "

    You still need to pass the part 1 (theory) and part 3 (driving ability) tests of the qualification.

    ", + "

    How to get and keep the full Driver CPC

    ", + "
  • Apply for a provisional lorry or bus licence.
  • ", + "
  • Pass the 4 tests that make up Driver CPC to qualify.
  • ", + "
  • Take 35 hours of periodic training every 5 years to stay qualified.
  • ", + "

    You need to renew your bus or lorry licence every 5 years, and every year when you reach 65.

    ", + "

    If you\u2019re taking an NVT course

    ", + "

    If you\u2019re taking an approved National Vocational Training (NVT) course you can drive professionally for up to 12 months without taking the Driver CPC part 2 and part 4 tests.

    ", + "

    Applying for a provisional lorry or bus licence

    ", + "

    The category of provisional licence you need depends on the type of vehicle you want to drive.

    ", + "

    How to apply

    ", + "

    To apply, order forms D2 and D4 from DVLA.

    ", + "

    The D4 form has to be filled in by a doctor. This could be either:

    ", + "
  • your GP - but an optician might need to fill in the section about your eyesight
  • ", + "
  • a private firm specialising in drivers\u2019 medical exams
  • ", + "

    Your doctor, optician or a private firm can charge you.

    ", + "

    You can only apply for a provisional trailer (+E) licence when you\u2019ve got the full licence for the vehicle you\u2019ll be driving.

    ", + "

    Order the forms online

    ", + "

    Order now

    ", + "

    Send the forms

    ", + "

    Send both forms and your photocard driving licence to DVLA. There\u2019s no application fee.

    ", + "

    You only need to include a passport-style colour photo and original identity documents if you have a paper driving licence.

    ", + "

    How long it takes

    ", + "

    You should get your driving licence within 3 weeks of DVLA getting your application. It can take longer if your health or personal details need to be checked.

    ", + "

    You automatically lose your lorry or bus licence if you lose your car licence.

    ", + "

    When you do not need the full Driver CPC

    ", + "

    You do not need the full Driver Certificate of Professional Competence (CPC) qualification if you\u2019re using the vehicle for:

    ", + "
  • non-commercial carriage of passengers or goods
  • ", + "
  • carrying material or equipment you use for your job, as long as driving is less than 30% of your rolling monthly working time
  • ", + "
  • driving lessons for anyone who wants to get a driving licence or a Driver CPC
  • ", + "
  • driving to or from pre-booked appointments at official vehicle testing centres
  • ", + "
  • driving within 62 miles (100 kilometres) of your base - but the vehicle cannot be carrying passengers or goods, and driving a lorry, bus or coach cannot be your main job
  • ", + "
  • maintaining public order - and the vehicle is being used or controlled by a local authority
  • ", + "
  • rescue missions or in states of emergency
  • ", + "
  • driving for an agriculture, horticulture, forestry, farming or fisheries business, as long as driving is less than 30% of your rolling monthly working time
  • ", + "

    You also do not need the full Driver CPC if the vehicle is:

    ", + "
  • limited to a top speed of 28mph
  • ", + "
  • being used or controlled by the armed forces, police, fire and rescue service, emergency ambulance service, prison service or people running a prison or young offender institution
  • ", + "

    You can read detailed examples of Driver CPC exemptions.

    ", + "

    If you are not sure if you need the Driver CPC, you should seek legal advice.

    ", + "

    What you need to do

    ", + "

    If you want to become a lorry, bus or coach driver in these situations you need to:

    ", + "
  • Apply for a provisional lorry or bus licence.
  • ", + "
  • Pass the part 1 (theory) and part 3 (driving ability) tests.
  • ", + "

    You need to renew your bus or lorry licence every 5 years when you reach 45 and every year when you reach 65.

    ", + "

    Driver CPC part 1 test: theory

    ", + "

    You can book the part 1 theory test of the Driver Certificate of Professional Competence (CPC) as soon as you\u2019ve got your provisional licence.

    ", + "

    The test is made up of 2 parts - multiple choice and hazard perception. You have to book both parts separately, but you can take them on the same day.

    ", + "

    It does not matter which one you take first but you need to pass both within 2 years of each other to get your theory test certificate.

    ", + "

    What to take to your test

    ", + "

    You must bring one of the following:

    ", + "
  • a Great Britain photocard driving licence
  • ", + "
  • a Northern Ireland photocard driving licence and paper counterpart
  • ", + "
  • an EU photocard driving licence (and paper counterpart, if you have one)
  • ", + "

    If you do not have a photocard driving licence, bring your paper licence and a valid passport.

    ", + "

    Your test will be cancelled and you\u2019ll lose your fee if you do not bring the right documents.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    When you must not go to your test

    ", + "

    You must stay at home (self-isolate) if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your theory test appointment for free if you need to self-isolate on the day of your test.

    ", + "

    How the test works

    ", + "

    Multiple-choice questions part

    ", + "

    You can take a practice test to find out how the test works.

    ", + "

    The multiple-choice questions part lasts for 1 hour and 55 minutes, and the pass mark is 85 out of 100 questions.

    ", + "

    Hazard perception part

    ", + "

    Watch a video about how the hazard perception part works.

    ", + "

    You\u2019ll watch 19 videos, and there are 20 developing hazards to spot.

    ", + "

    The pass mark is 67 out of 100. You cannot review your answers.

    ", + "

    Your test result

    ", + "

    You\u2019ll be given a letter at the test centre with the results for the part of the theory test you\u2019ve just taken.

    ", + "

    When you\u2019ve passed both parts, your theory test certificate will be posted to you. You need this when you book your Driver CPC part 3 driving test.

    ", + "

    Your theory test certificate is valid for 2 years from when you passed the first part of the test.

    ", + "

    You need to pass the Driver CPC part 3 driving test within 2 years, otherwise you\u2019ll have to pass the part 1 theory test again.

    ", + "

    If you fail the theory tests

    ", + "

    You\u2019ll get a results letter with feedback telling you why you\u2019ve failed.

    ", + "

    You can book another theory test straight away, but you cannot take it for another 3 clear working days.

    ", + "

    Cancelled tests

    ", + "

    You can apply for a refund of out-of-pocket expenses if the DVSA cancels your test at short notice.

    ", + "

    Driver CPC part 2 test: case studies

    ", + "

    You can book the part 2 case studies test of the Driver Certificate of Professional Competence (CPC) as soon as you\u2019ve got your provisional licence. You do not need to have passed the Driver CPC part 1 theory test.

    ", + "

    What to take to your test

    ", + "

    You must bring one of the following:

    ", + "
  • a Great Britain photocard driving licence
  • ", + "
  • a Northern Ireland photocard driving licence and paper counterpart
  • ", + "
  • an EU photocard driving licence (and paper counterpart, if you have one)
  • ", + "

    If you do not have a photocard driving licence, bring your paper licence and a valid passport.

    ", + "

    Your test will be cancelled and you\u2019ll lose your fee if you do not bring the right documents.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    When you must not go to your test

    ", + "

    You must stay at home (self-isolate) if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your theory test appointment for free if you need to self-isolate on the day of your test.

    ", + "

    How the test works

    ", + "

    The test is made up of 7 case studies you work through on a computer. The case studies are short stories based on situations that you\u2019re likely to come across in your working life.

    ", + "

    You\u2019ll be asked between 6 and 8 multiple-choice questions on each case study.

    ", + "

    The test lasts for 1 hour and 15 minutes, and the pass mark is 40 out of 50.

    ", + "

    Your test result

    ", + "

    You\u2019ll get a letter with the results at the test centre.

    ", + "

    You need the test pass reference number when you book your Driver CPC part 4 practical demonstration test.

    ", + "

    The pass letter is valid for 2 years.

    ", + "

    You need to pass the Driver CPC part 4 practical demonstration test within 2 years, otherwise you\u2019ll have to pass the part 2 case studies test again.

    ", + "

    If you fail the test

    ", + "

    You\u2019ll get a result letter with feedback telling you why you\u2019ve failed.

    ", + "

    You can book another case studies test straight away, but you cannot take it for another 3 clear working days.

    ", + "

    Cancelled tests

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    ", + "

    Driver CPC part 3 test: driving ability

    ", + "

    You must have passed the Driver Certificate of Professional Competence (CPC) part 1 theory test before you can book the Driver CPC part 3 test.

    ", + "

    What to take to your test

    ", + "

    You must bring a lorry or a bus or coach that meets the rules.

    ", + "

    You must bring a face covering, unless you have a good reason not to wear one.

    ", + "

    You must also bring one of the following:

    ", + "
  • a Great Britain photocard driving licence
  • ", + "
  • a Northern Ireland photocard driving licence and paper counterpart
  • ", + "
  • an EU photocard driving licence (and paper counterpart, if you have one)
  • ", + "

    If you do not have a photocard driving licence, bring your paper licence and a valid passport.

    ", + "

    Your test will be cancelled and you\u2019ll lose your fee if you do not bring these.

    ", + "

    Wearing a face covering

    ", + "

    You must wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:

    ", + "
  • having a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you have a good reason not to wear a face covering when you book your test.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Your test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.

    ", + "

    When you must not go to your test

    ", + "

    You must not come for your driving test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    How the test works

    ", + "

    Your practical test will last about 1 hour and 30 minutes and includes:

    ", + "
  • vehicle safety questions
  • ", + "
  • practical road driving
  • ", + "
  • off-road exercises
  • ", + "

    Vehicle safety questions

    ", + "

    During your test you\u2019ll be asked vehicle safety questions on either:

    ", + "
  • lorries, buses and coaches
  • ", + "
  • lorries, buses and coaches towing trailers
  • ", + "

    Practical road driving

    ", + "

    During your practical road driving, the examiner will see how you:

    ", + "
  • use the vehicle controls
  • ", + "
  • move away at an angle, uphill and downhill
  • ", + "
  • do a controlled stop
  • ", + "
  • use the mirrors
  • ", + "
  • give appropriate signals
  • ", + "
  • show awareness and anticipation of other road users\u2019 intentions
  • ", + "
  • manage your progress and control your vehicle speed
  • ", + "
  • deal with hazards
  • ", + "
  • select a safe place to stop
  • ", + "

    There will also be 10 minutes of independent driving, designed to test your ability to drive safely while making independent decisions.

    ", + "

    Off-road exercises

    ", + "

    The off-road exercises will include:

    ", + "
  • an \u2018S\u2019 shaped reverse into a bay
  • ", + "
  • showing the uncoupling and recoupling procedure if you\u2019re taking a test with a trailer
  • ", + "

    During the test

    ", + "

    You can carry on if you make a mistake during your driving test.

    ", + "

    If you make a mistake which means you\u2019ve failed, your driving examiner will direct you back to the driving test centre. The test will end early.

    ", + "

    Test result

    ", + "

    After you\u2019ve taken the practical test your examiner will tell you if you\u2019ve passed and explain how you did.

    ", + "

    You\u2019ll pass your test if you make:

    ", + "
  • 15 or fewer driving faults
  • ", + "
  • no serious or dangerous faults
  • ", + "

    If you fail, you can book another driving test straight away, but you cannot take it for another 3 clear working days.

    ", + "

    Cancelled tests

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    ", + "

    Driver CPC part 4 test: practical demonstration

    ", + "

    You must have passed the Driver Certificate of Professional Competence (CPC) part 2 test before you can book the Driver CPC part 4 test.

    ", + "

    Book your test

    ", + "

    You can either:

    ", + "
  • arrange a test with your trainer
  • ", + "
  • book a test yourself
  • ", + "

    What to take to your test

    ", + "

    You must bring a lorry or a bus or coach that meets the rules.

    ", + "

    You must bring a face covering, unless you have a good reason not to wear one.

    ", + "

    You must also bring one of the following:

    ", + "
  • a Great Britain photocard driving licence
  • ", + "
  • a Northern Ireland photocard driving licence and paper counterpart
  • ", + "
  • an EU photocard driving licence (and paper counterpart, if you have one)
  • ", + "

    If you do not have a photocard driving licence, bring your paper licence and a valid passport.

    ", + "

    Your test will be cancelled and you\u2019ll lose your fee if you do not bring these.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your driving test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Wearing a face covering

    ", + "

    You must wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:

    ", + "
  • having a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you have a good reason not to wear a face covering when you book your test.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Your test will be cancelled if you go to your test without a face covering and you did not say that you could not wear one when you booked it.

    ", + "

    How the test works

    ", + "

    You\u2019re tested on being able to:

    ", + "
  • load the vehicle following safety rules and to keep it secure
  • ", + "
  • stop trafficking in illegal immigrants
  • ", + "
  • assess emergency situations
  • ", + "
  • reduce physical risks to yourself or others
  • ", + "
  • do a walkaround vehicle safety check
  • ", + "

    The test is made up of 5 topics from the Driver CPC syllabus. You can score up to 20 points for each topic.

    ", + "

    To pass you have to score at least 15 out of 20 in each topic area and have an overall score of at least 80 out of 100.

    ", + "

    Test result

    ", + "

    At the end of your test the examiner will tell you if you\u2019ve passed.

    ", + "

    If you fail, you can book another driving test straight away, but you cannot take it for another 3 clear working days.

    ", + "

    Cancelled tests

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    ", + "

    After you\u2019ve qualified

    ", + "

    After you\u2019ve passed all 4 of the Driver Certificate of Professional Competence (CPC) tests, you\u2019ll be sent a Driver CPC card. This is sometimes called a \u2018driver qualification card\u2019 or \u2018DQC\u2019.

    ", + "

    You must carry your Driver CPC card while driving a lorry, bus or coach professionally. If you drive a heavy goods vehicle (HGV) outside the UK, check what documents you need to carry.

    ", + "

    You can get a \u00a350 fixed penalty for driving professionally without your Driver CPC card.

    ", + "

    Getting your Driver CPC card

    ", + "

    The card will be sent to the address on your driving licence. You need to change this address first if it\u2019s wrong.

    ", + "

    The photograph and signature on your photocard licence will be used on your Driver CPC card.

    ", + "

    Waiting for your card

    ", + "

    You can drive professionally if you\u2019ve passed all the tests and you\u2019re waiting for your Driver CPC card to arrive.

    ", + "

    If your card does not arrive

    ", + "

    You should get your Driver CPC card within 20 days of passing the final test. Contact the Driver and Vehicle Standards Agency (DVSA) if you do not receive it.

    ", + "

    You have to pay \u00a325 if:

    ", + "
  • you take longer than 3 months to tell DVSA it has not arrived
  • ", + "
  • it\u2019s sent to an old address because you have not updated your licence
  • ", + "

    Replace your card

    ", + "

    You must replace your Driver CPC card if it\u2019s lost or stolen.

    ", + "

    The Driver CPC card does not have your address on it, so you do not have to get a new one if your address changes.

    ", + "

    Staying qualified

    ", + "

    Every 5 years you must:

    ", + "
  • take 35 hours of Driver CPC training to keep driving professionally
  • ", + "
  • renew your lorry or bus driving licence
  • ", + "

    If you\u2019re 65 or over you must renew your lorry or bus driving licence every year.

    ", + "

    Fees

    ", + "

    Provisional licence

    ", + " | Cost", + "Application for a provisional lorry or bus licence | No charge", + "

    Test costs

    ", + " | Weekday | Evening, weekend and bank holiday", + "Driver CPC part 1 - theory - (multiple-choice) | \u00a326 | \u00a326", + "Driver CPC part 1 - theory - (hazard perception) | \u00a311 | \u00a311", + "Driver CPC part 2 - case studies | \u00a323 | \u00a323", + "Driver CPC part 3 - driving ability | \u00a3115 | \u00a3141", + "Driver CPC part 4 - practical demonstration | \u00a355 | \u00a363", + "

    These are the prices to book your tests using the official service. Unofficial websites may charge more.

    ", + "

    Driver CPC card costs

    ", + " | Cost", + "Driver CPC card (non-UK driving licences only) | \u00a325", + "Replacement for lost, stolen or damaged card | \u00a325", + "

    NVT concession fees

    ", + " | Cost", + "National Vocational Training (NVT) concession card | \u00a325" + ] + }, + { + "title": "Driver CPC training for qualified drivers", + "url": "https://www.gov.uk/driver-cpc-training", + "contents": [ + "

    How much training you need to do

    ", + "

    You must do 35 hours of periodic training every 5 years to keep your Driver Certificate of Professional Competence (CPC) to drive a lorry, bus or coach.

    ", + "

    You can be fined up to \u00a31,000 for driving professionally without Driver CPC.

    ", + "

    You can check how many hours of training you\u2019ve done in the current 5-year period.

    ", + "

    You only need to complete one set of training every 5 years if you drive both lorries and buses professionally.

    ", + "

    There\u2019s a different process if you live in Northern Ireland.

    ", + "

    You have to do the training in the country where you work or normally live.

    ", + "

    When to take training

    ", + "

    Your Driver Certificate of Professional Competence (CPC) qualification lasts for 5 years. To keep your Driver CPC you need to do 35 hours of training before your 5-year deadline.

    ", + "

    The deadline to do your training is shown on your card.

    ", + "

    It\u2019s up to you when you take the training courses, as long as you do them within the 5-year period.

    ", + "

    If you miss your training deadline

    ", + "

    It\u2019s illegal to drive professionally if you have not done your training by your deadline.

    ", + "

    You can be fined up to \u00a31,000 for driving professionally without Driver CPC.

    ", + "

    Drivers with \u2018acquired rights\u2019

    ", + "

    Having \u2018acquired rights\u2019 means that you did not have to take the Driver CPC initial qualification because of your existing driving experience.

    ", + "

    You have acquired rights if you got your vocational licence before the dates shown in the table.

    ", + " | Vehicle categories included | When you got your vocational licence", + "Lorry | C, C1, C+E and C1+E | Before 10 September 2009", + "Bus or coach | D, D1, D+E, D1+E | Before 10 September 2008", + "Bus or coach (not for hire or reward) | D(101) | After 1991", + "Minibus (not for hire or reward) | D1(101) | Before 1997", + "

    Training deadlines for drivers with acquired rights

    ", + "

    You still need to take periodic training, but there are set deadlines.

    ", + " | Lorry driver | Bus or coach driver | Dual-category driver (lorry, bus and coach)", + "First block of training | 9 September 2014 | 9 September 2013 | 9 September 2013", + "Second block of training | 9 September 2019 | 9 September 2018 | 9 September 2019", + "Third block of training | 9 September 2024 | 9 September 2023 | 9 September 2024", + "

    If you did not do your first block of training

    ", + "

    You can finish your training or take extra tests if you have acquired rights and did not finish your first block of training by the deadline.

    ", + "

    Finding training courses

    ", + "

    All approved Driver Certificate of Professional Competence (CPC) courses count towards periodic training. Different courses cover different parts of the Driver CPC syllabus.

    ", + "

    Find CPC courses to attend.

    ", + "

    The minimum length of a training course is 7 hours. It can be taken over 2 consecutive days and can include up to 2 hours of online training before you start.

    ", + "

    Taking a non-Driver CPC course

    ", + "

    Some non-Driver CPC courses count towards your 35 hours. For example, you can take up to 14 hours of training for transport-related EU Directives, such as ADR (transporting dangerous goods).

    ", + "

    Contact DVSA if you want to check whether a course counts towards your training.

    ", + "

    Taking the same course more than once

    ", + "

    You can only take the same course more than once in each 5-year period if you have a good reason to repeat it - for example, maintaining a dangerous goods qualification.

    ", + "

    If you do not have a good reason, DVSA can cancel the hours you got from the course. You might lose your Driver CPC card if cancelling the hours takes your total back under 35 hours.

    ", + "

    Repeating a non-Driver CPC course

    ", + "

    You cannot repeat non-Driver CPC courses during your training period.

    ", + "

    The only exception is training in ADR. You can take 2 7-hour ADR courses during the 5-year training period. If you do this, you cannot count any other non-Driver CPC courses towards your training.

    ", + "

    Driver CPC course costs

    ", + "

    Training providers set their own prices for courses - there\u2019s no maximum price.

    ", + "

    Taking a training course

    ", + "

    You must take one of these to your Driver Certificate of Professional Competence (CPC) training course:

    ", + "
  • a photocard driving licence
  • ", + "
  • a valid passport
  • ", + "
  • a digital tachograph card
  • ", + "
  • a Driver CPC card
  • ", + "

    You\u2019re required to attend courses, but there are no tests or exams to pass at the end of them. Instead, you\u2019ll get a certificate of attendance. It belongs to you - your employer is not allowed to keep it.

    ", + "

    Your Driver CPC training record

    ", + "

    The training centre will put your training on your Driver CPC training record.

    ", + "

    Contact the centre where you did your training if it is not showing on your record 5 days after the course.

    ", + "

    If you took a non-Driver CPC course

    ", + "

    If you took a non-Driver CPC course, the provider will not upload your records. Email DVSA with the details. Include:

    ", + "
  • your name
  • ", + "
  • your driving licence number
  • ", + "
  • your date of birth
  • ", + "
  • your address
  • ", + "
  • the date you completed the training
  • ", + "
  • proof you completed the training - for example, a copy of a training certificate
  • ", + "

    Problems with a training course

    ", + "

    You can email the Driver and Vehicle Standards Agency (DVSA) if you think the training provided was not to the right standard, for example the course did not last as long as it should have.

    ", + "

    Getting your Driver CPC card

    ", + "

    You\u2019ll get your Driver Certificate of Professional Competence (CPC) card when you\u2019ve done 35 hours of periodic training. The card is sometimes called a \u2018driver qualification card\u2019 or \u2018DQC\u2019.

    ", + "

    You must carry this card while driving a lorry, bus or coach professionally.

    ", + "

    You can get a \u00a350 fixed penalty for driving professionally without your card.

    ", + "

    You must replace your card if it\u2019s lost or stolen.

    ", + "

    When you\u2019ll be sent your card

    ", + "

    You\u2019ll get your new Driver CPC card straight away if you complete your training in the 12 months before your deadline.

    ", + "

    If you complete your training more than a year early

    ", + "

    You will not get your new Driver CPC card until nearer the time your current card expires.

    ", + "

    You can check when you\u2019ll get your new card.

    ", + "

    How the card is sent to you

    ", + "

    Your Driver CPC card will be sent automatically to the address on your driving licence. You need to change this address first if it\u2019s wrong.

    ", + "

    You only need to apply for your card if you did some of your periodic training in an EU country.

    ", + "

    The Driver CPC card does not have your address on it, so you do not have to get a new one if your address changes.

    ", + "

    The photo and signature on your photocard driving licence will be used on your Driver CPC card.

    ", + "

    Waiting for your card

    ", + "

    You can still drive professionally while waiting for your card if both of the following apply:

    ", + "
  • you\u2019ve done your periodic training
  • ", + "
  • your training provider has recorded the training (they must do this within 5 working days of the training ending)
  • ", + "

    If your card does not arrive

    ", + "

    Contact the Driver and Vehicle Standards Agency (DVSA) if you do not receive your new card within 20 days of the date you\u2019re due to get it.

    ", + "

    You\u2019ll have to pay \u00a325 if:

    ", + "
  • you take longer than 3 months to tell DVSA it has not arrived
  • ", + "
  • it\u2019s sent to an old address because you have not updated your licence
  • ", + "

    If you miss your training deadline

    ", + "

    If you miss your deadline, you cannot drive professionally until you\u2019ve finished your training.

    ", + "

    You can be fined up to \u00a31,000 for driving professionally without Driver CPC.

    ", + "

    Your next deadline will be set for 5 years after the date you finish your training.

    ", + "

    How long training counts for

    ", + "

    Any training you\u2019ve already done counts for 5 years from the date you took the course. You do not lose it because you\u2019ve passed your deadline.

    ", + "

    The training will not count towards the 35 hours total if you took it more than 5 years ago.

    ", + "

    If you have acquired rights

    ", + "

    If you have acquired rights you can either:

    ", + "
  • complete 35 hours of Driver CPC periodic training by finding and taking training courses
  • ", + "
  • take and pass the Driver CPC part 2 (case studies) and part 4 (practical demonstration) tests
  • ", + "

    You can only choose the test option once. After that, you must take periodic training to keep your qualification in the future.

    ", + "

    Booking the tests

    ", + "

    You have to book the tests by phone - you cannot book online.

    ", + "

    Training in EU countries and Switzerland

    ", + "

    You need to apply for your Driver Certificate of Professional Competence (CPC) card in writing if you:

    ", + "
  • have a UK or Great Britain (GB) driving licence
  • ", + "
  • took some of your periodic training in an EU country or Switzerland
  • ", + "
  • did the final 7 hours of your periodic training in England, Scotland or Wales
  • ", + "

    What you need to send

    ", + "

    You need to include:

    ", + "
  • your driving licence number
  • ", + "
  • your name and address
  • ", + "
  • your phone number
  • ", + "
  • your training certificates from an EU country or Switzerland
  • ", + "
  • a \u00a325 fee to add training taken abroad to your Driver CPC card
  • ", + "

    You must include the original documents - photocopies are not accepted.

    ", + "

    Where to send the documents

    ", + "

    Send all the documents to the Driver and Vehicle Standards Agency (DVSA) if you live in England, Scotland or Wales.

    ", + "

    There\u2019s a different process if you live in Northern Ireland.

    ", + "

    Documents that are not in English

    ", + "

    You need to send documents with an English translation on headed paper from an educational organisation or embassy.

    ", + "

    How to pay your fee

    ", + "

    You can either:

    ", + "
  • pay over the phone using a credit or debit card - DVSA will phone you to take the payment
  • ", + "
  • pay by cheque or postal order - send your payment to DVSA with your documents
  • ", + "

    If you have a licence from another country

    ", + "

    If you have a licence from another country, there are 2 ways to get a Great Britain (GB) Driver Certificate of Professional Competence (CPC) card. You should either:

    ", + "
  • complete your periodic training in England, Scotland or Wales
  • ", + "
  • exchange your driver\u2019s licence for a GB licence - you must have a code 95 entitlement on your non-GB licence to do this
  • ", + "

    Complete your training in England, Scotland or Wales

    ", + "

    You can get a GB Driver CPC card if you\u2019ve done the final 7 hours of your periodic training in England, Scotland or Wales.

    ", + "

    You must also live or work in England, Scotland or Wales and have a driving licence from any of these countries:

    ", + "
  • an EU country
  • ", + "
  • Gibraltar
  • ", + "
  • Guernsey
  • ", + "
  • Iceland
  • ", + "
  • Isle of Man
  • ", + "
  • Jersey
  • ", + "
  • Liechtenstein
  • ", + "
  • Norway
  • ", + "
  • Switzerland
  • ", + "

    To apply for a GB Driver CPC card, send an email to the Driving and Vehicle Standards Agency (DVSA) asking for form DQC1.

    ", + "

    If you live in Northern Ireland, contact the Driver and Vehicle Agency (DVA).

    ", + "

    Exchange your driving licence for a GB licence

    ", + "

    If you have a code 95 entitlement on your licence, you can get a GB Driver CPC card by exchanging your licence for a GB licence.

    ", + "

    Your Driver CPC qualification will still last until the date it was due to run out when you first got it.

    ", + "

    When you exchange your licence, the Driver and Vehicle Licensing Agency (DVLA) will tell DVSA for you.

    ", + "

    If you already have an EU Driver CPC card

    ", + "

    You\u2019ll need to send your EU Driver CPC card to DVSA if you want to exchange it for a GB Driver CPC card. Send it with a short letter which includes your:

    ", + "
  • driving licence number
  • ", + "
  • name and address
  • ", + "
  • phone number
  • ", + "

    DVSA will send you a new Driver CPC card with the same number as your driving licence.

    ", + "

    From then on, after doing 35 hours of periodic training in England, Scotland or Wales, you\u2019ll get your Driver CPC qualification for 5 years.

    ", + "

    If you live in Northern Ireland, contact DVA.

    " + ] + }, + { + "title": "Roadside vehicle checks for commercial drivers", + "url": "https://www.gov.uk/roadside-vehicle-checks-for-commercial-drivers", + "contents": [ + "

    Checks on your vehicle

    ", + "

    As a commercial driver, you might be asked to stop by the police or a Driver and Vehicle Standards Agency (DVSA) officer. They can stop vans, lorries, buses and coaches.

    ", + "

    The police and DVSA have the power to carry out spot checks on your vehicle and issue prohibitions if necessary. A prohibition prevents you from driving until you get a problem with your vehicle fixed.

    ", + "

    Police and DVSA officers can also issue fixed penalties if you commit an offence. Some of these are graduated depending on the circumstances and seriousness of the offence.

    ", + "

    It\u2019s your responsibility to make sure your vehicle is roadworthy.

    ", + "

    How to recognise a DVSA officer

    ", + "

    DVSA officers wear yellow visibility jackets with either the VOSA or DVSA logo, and they\u2019ll always carry a DVSA warrant card.

    ", + "

    Their vehicles are marked with a black and yellow print on the side and either a VOSA or DVSA logo on the bonnet.

    ", + "

    What happens when you\u2019re stopped

    ", + "

    The checks are carried out either at the roadside or at dedicated testing sites. The checks are used to keep unsafe vehicles off the road.

    ", + "

    The officer checks that the vehicle is not breaking any rules and regulations. This includes:

    ", + "
  • checking authorised load weights and type of load permitted
  • ", + "
  • checking vehicles for roadworthiness and mechanical faults
  • ", + "
  • looking at your tachograph records
  • ", + "
  • making sure you have a valid occupational driving licence
  • ", + "

    Your vehicle could be impounded if you commit a series of serious offences.

    ", + "

    Foreign-registered vehicles are subject to the same rules as vehicles registered in the UK.

    ", + "

    If you\u2019re carrying a high-value load you can keep your engine running, doors locked and windows closed until you\u2019re sure you\u2019ve been stopped by a genuine police or DVSA officer.

    ", + "

    If you do not stop

    ", + "

    Not stopping when asked to by a uniformed officer is an offence. The incident will be officially recorded and you\u2019ll be interviewed later on.

    ", + "

    You may then face court action or be reported to the Traffic Commissioner, who may remove or suspend your operator\u2019s licence.

    ", + "

    Making sure your vehicle is roadworthy

    ", + "

    You\u2019re responsible for maintaining the roadworthiness of your vehicle. This will help avoid problems with vehicle checks.

    ", + "

    Driver responsibilities

    ", + "

    You must ensure your vehicle is safe to drive before setting off on a journey. You should carry out a walkaround check of the vehicle before your journey and check the:

    ", + "
  • lights
  • ", + "
  • tyres
  • ", + "
  • wheel fixings
  • ", + "
  • bodywork
  • ", + "
  • trailer coupling
  • ", + "
  • load and other equipment
  • ", + "

    Download guidance for walkaround checks for public service vehicle (PSV) and heavy goods vehicle (HGV) drivers.

    ", + "

    You\u2019re also responsible for reporting any defects in writing to whoever\u2019s in charge of sorting out vehicle defects in your organisation. Reports should include the:

    ", + "
  • vehicle registration or identification mark
  • ", + "
  • date of inspection
  • ", + "
  • details of the defects
  • ", + "
  • name of the person reporting the defects
  • ", + "

    Operator responsibilities

    ", + "

    You must carry out safety inspections before you use a vehicle for the first time - even if you\u2019re just leasing, hiring or borrowing the vehicle.

    ", + "

    You must also:

    ", + "
  • make sure there are regular safety inspections
  • ", + "
  • give drivers clear written instructions of their responsibilities so they understand what they should do
  • ", + "
  • have a system to ensure that non-roadworthy vehicles are taken out of service
  • ", + "

    Safety inspections must be carried out by trained inspectors with a good knowledge of the appropriate Driver and Vehicle Standards Agency (DVSA) inspection manuals.

    ", + "

    Roadside prohibitions

    ", + "

    You could be given a prohibition by a police officer or an officer from the Driver and Vehicle Standards Agency (DVSA). You could either get an immediate or delayed prohibition, depending on how dangerous your vehicle is before the faults are fixed.

    ", + "

    Immediate prohibition

    ", + "

    It\u2019s likely your vehicle will be immobilised and you will not be able to drive it if you get a prohibition that comes into effect immediately. You could also be prosecuted.

    ", + "

    Delayed prohibition

    ", + "

    If you get a prohibition with a delayed effect, you\u2019ll be able to drive your vehicle away and the operator will have up to 10 days to get it fixed. It will then need to be reinspected and the prohibition removed before it can be used on the road again.

    ", + "

    Types of prohibition

    ", + "

    Make sure you give the prohibition notice to the vehicle operator and owner. They\u2019ll find details of how to clear it on the back.

    ", + "

    Overload prohibition notice

    ", + "

    If your vehicle is overloaded then you will be issued with an immediate prohibition notice and your vehicle may be immobilised. Examiners can also direct the vehicle to somewhere nearby, where the load can be redistributed or removed.

    ", + "

    A copy of the notice is sent to the owner or operator of the vehicle.

    ", + "

    Roadworthiness prohibition (PG9)

    ", + "

    This is given for mechanical problems or for the condition of a vehicle\u2019s bodywork and equipment. It could have an immediate or delayed effect depending on how severe the defect is.

    ", + "

    DVSA has published a list of defects explaining whether immediate or delayed prohibitions are issued.

    ", + "

    \u2018S\u2019 marked roadworthiness prohibition

    ", + "

    This is given when the examiner believes a severe defect is due to significant breakdown in the vehicle\u2019s maintenance procedures.

    ", + "

    You would not get this type of prohibition for defects you cannot have known about before your journey, eg:

    ", + "
  • a problem that could have occurred during the journey
  • ", + "
  • a problem you could not reasonably have been expected to have noticed (for example an underside defect)
  • ", + "

    You could get an \u2018S\u2019 marked prohibition if the examiner believes there\u2019s been a significant breakdown in the maintenance procedures agreed as part of the operator\u2019s licence.

    ", + "

    The prohibition can start immediately and you or the operator could be prosecuted. DVSA will follow up with an assessment of the operator\u2019s maintenance procedures.

    ", + "

    Variation of roadworthiness prohibition

    ", + "

    You could get this if an immediate problem with your vehicle has been temporarily or permanently fixed at the roadside but others remain.

    ", + "

    It means you can return to your operating centre or garage to permanently repair the initial problem and other faults.

    ", + "

    You might get a different type of prohibition notice.

    ", + "

    Drivers\u2019 hours prohibition

    ", + "

    You get this if you have not followed the rules for drivers\u2019 hours and tachographs.

    ", + "

    You\u2019ll usually get a fine - but you could also be prosecuted or have your vehicle immobilised.

    ", + "

    Hazchem prohibition

    ", + "

    This is given when a problem with carrying dangerous goods is found. Fixing the problem is usually enough to get the prohibition lifted.

    ", + "

    If you disagree with the prohibition

    ", + "

    You can complain to the local police force or DVSA office that gave you the prohibition. Call DVSA if you need their contact details.

    ", + "

    Do not get your vehicle repaired or adjusted while you\u2019re making your complaint.

    ", + "

    If you\u2019re unhappy with the outcome, complain to DVSA within 14 days of getting the prohibition.

    ", + "

    Driving without a valid operator's licence

    ", + "

    You need a valid operator\u2019s licence if you drive the following for any type of business:

    ", + "
  • a public service vehicle (PSV)
  • ", + "
  • a heavy goods vehicle (HGV)
  • ", + "

    If you or your employer do not have a valid operator\u2019s licence, your vehicle could be impounded and scrapped after 21 days unless you or your employer appeal to the local Traffic Commissioner.

    ", + "

    Appeals can only be made when:

    ", + "
  • you can prove that the vehicle was seized wrongly (because you or your employer had an operator\u2019s licence when it was seized)
  • ", + "
  • the vehicle was exempt from operator licensing when it was impounded
  • ", + "
  • the vehicle was being used illegally without the owner\u2019s knowledge
  • ", + "

    Your vehicle may still be scrapped if you appeal and the Traffic Commissioner rules that the impounding was correct.

    ", + "

    Fixed penalties

    ", + "

    If you get a fixed penalty from a Driver and Vehicle Standards Agency (DVSA) officer or the police, the amount you have to pay could depend on the circumstances and seriousness of the offence.

    ", + "

    Offences you can be fined for include:

    ", + "
  • your vehicle weighing more than its maximum permitted weight
  • ", + "
  • driving for too long without taking a break
  • ", + "
  • your vehicle not being roadworthy (for example, if it has a bald tyre)
  • ", + "

    You can be fined between \u00a350 and \u00a3300. You can be taken to court for more serious offences, and a magistrate will decide how much your fine is.

    ", + "

    You can check you\u2019ve been fined the correct amount by reading DVSA\u2019s guide to offences and fines.

    ", + "

    Endorsements to your driving licence

    ", + "

    For some offences, you\u2019ll get points added to your licence (endorsements) as well as a fine. For example, if your vehicle has defective brakes, you\u2019ll be given a \u00a3100 fine and 3 points on your licence.

    ", + "

    You must present your driving licence within 14 days if the offence is endorsable.

    ", + "

    Fixed penalty notices

    ", + "

    You must have a UK address you can be easily contacted through. Bed and breakfast, hotel, agency or solicitor addresses are not normally accepted.

    ", + "

    If you have a satisfactory UK address, you\u2019ll have 28 days from when you\u2019re given a fixed penalty notice to either:

    ", + "
  • pay the fine
  • ", + "
  • ask for a court hearing if you want to appeal
  • ", + "

    In Scotland, you\u2019ll get a \u2018conditional offer\u2019 instead of a fixed penalty notice. You get 28 days from the date of issue to pay the fine. After this, you could be prosecuted if you do not pay.

    ", + "

    If you do not have a satisfactory UK address

    ", + "

    You\u2019ll have to pay a \u2018financial penalty deposit\u2019. This will be either:

    ", + "
  • the total of all fixed penalty notices issued (if you want to appeal, you must do so within 28 days)
  • ", + "
  • \u00a3500 per offence if you go to court - you\u2019ll have to pay on the spot and go to court later
  • ", + "

    In both cases the maximum amount you\u2019ll have to pay as a deposit is \u00a31,500. You have to pay this straight away - if you do not, you might not be allowed to drive your vehicle.

    ", + "

    The money from deposits is used to pay any fixed penalties or court fines.

    ", + "

    You\u2019ll be refunded any money left over from your deposit after fines have been paid.

    ", + "

    Your vehicle will be immobilised if you do not pay the deposit.

    ", + "

    What happens if your vehicle is immobilised

    ", + "

    Driver and Vehicle Standards Agency (DVSA) officers and police officers have the power to immobilise your vehicle when they stop you.

    ", + "

    This might happen if you\u2019ve committed a serious enough offence to get an \u2018immediate prohibition\u2019.

    ", + "

    An immediate prohibition is used to prevent risks to road safety (for example an unroadworthy vehicle or a tired driver). It means you will not be able to drive your vehicle until the problem is sorted out.

    ", + "

    When your vehicle could be immobilised

    ", + "

    DVSA or the police can also immobilise your vehicle at the roadside if an immediate prohibition is issued for any of the following reasons:

    ", + "
  • you\u2019ve broken the rules on drivers\u2019 hours and tachographs
  • ", + "
  • your vehicle is not roadworthy
  • ", + "
  • your vehicle is overloaded
  • ", + "
  • you\u2019ve been given a fixed penalty notice but cannot or will not pay a financial penalty deposit
  • ", + "

    Not all vehicles given an immediate prohibition will be immobilised. Special circumstances will be considered, eg:

    ", + "
  • the type of load you\u2019re carrying
  • ", + "
  • if you\u2019re carrying passengers on a public service vehicle who\u2019d be inconvenienced if it was immobilised
  • ", + "

    How your vehicle is immobilised

    ", + "

    DVSA and the police use a steel cable secured by a padlock to immobilise vehicles. It\u2019s fitted around the wheels of the vehicle and a warning notice is attached to the vehicle.

    ", + "

    The notice tells you how to get the vehicle released. You have to:

    ", + "
  • satisfy DVSA that the causes of the immediate prohibitions have been dealt with
  • ", + "
  • pay an \u00a380 release charge
  • ", + "

    It\u2019s an offence to remove the warning notice or interfere with the immobilising device.

    ", + "

    DVSA has produced a guide to vehicle immobilisation with more information, including advice on how to avoid it.

    " + ] + }, + { + "title": "Traffic commissioner public inquiries", + "url": "https://www.gov.uk/traffic-commissioner", + "contents": [ + "

    Overview

    ", + "

    Traffic commissioners are responsible for licensing and regulating operators of heavy goods vehicles (HGVs), public service vehicles (PSVs) and local bus services. They can also take action against their drivers.

    ", + "

    They can call a formal public inquiry in a court to get more evidence to help them decide if they should:

    ", + "
  • grant or refuse licences for HGV or PSV operators
  • ", + "
  • take action against a vehicle operator, bus service operator or driver of a bus, minibus or lorry
  • ", + "

    This might be if someone has objected to a licence being granted or the traffic commissioner thinks an operator may have broken the terms of their licence.

    ", + "

    A vehicle or bus service operator can also request a public inquiry but the traffic commissioner doesn\u2019t have to hold one.

    ", + "

    Objecting to a licence

    ", + "

    Licence applications are made public. Objections can be made by certain public bodies and in some cases individuals.

    ", + "

    Objections by public bodies

    ", + "

    Bodies that can object to a licence application include:

    ", + "
  • local and planning authorities
  • ", + "
  • the police
  • ", + "
  • some trade associations and trade unions
  • ", + "

    When a public body can object

    ", + "

    A public body can object to a licence about the:

    ", + "
  • professional competence of the operator or its transport manager
  • ", + "
  • operator\u2019s finances
  • ", + "
  • operator\u2019s reputation or fitness to hold a licence
  • ", + "
  • operator\u2019s arrangements for vehicle maintenance and drivers\u2019 hours
  • ", + "
  • operating centre\u2019s environmental standards and general conditions
  • ", + "

    Objections must be put in writing to the traffic commissioner within 21 days of a licence application being made public.

    ", + "

    You can see the latest applications and traffic commissioner decisions in the regularly updated \u2018Applications and Decisions\u2019 guides for goods vehicles and the \u2018Notices and Proceedings\u2019 guides for public service vehicles (PSVs).

    ", + "

    Read the guide on goods vehicle operator licensing for further information.

    ", + "

    Objections by individuals (representations)

    ", + "

    If a vehicle operator wants to add an operating centre to a licence or make changes to an existing centre, owners and residents of land nearby can object. This is called a \u2018representation\u2019.

    ", + "

    However, representations must be about environmental issues, such as concern over noise, and only if they\u2019re going to affect the owner or resident\u2019s \u2018use or enjoyment\u2019 of the land.

    ", + "

    Read the guide on making a representation or complaint for further information.

    ", + "

    Being called to a public inquiry

    ", + "

    You may have to attend a public inquiry if:

    ", + "
  • someone has objected to your application for a licence or change to a licence
  • ", + "
  • you have not kept to the conditions of your licence, for example you\u2019ve used more vehicles than permitted
  • ", + "
  • there are environmental concerns about a goods vehicle operating centre on your licence
  • ", + "
  • your conduct has come into question, for example you\u2019ve been caught using a mobile phone while driving
  • ", + "

    You\u2019ll get a letter with all the details.

    ", + "

    Notice to attend

    ", + "

    You\u2019ll get a minimum of:

    ", + "
  • 28 days\u2019 notice if the inquiry is about a transport manager
  • ", + "
  • 21 days\u2019 notice if the inquiry is about a new or existing goods operator licence
  • ", + "
  • 14 days\u2019 notice if the inquiry is about a new or existing passenger operator\u2019s licence
  • ", + "

    You cannot ask for the hearing to be changed to another date, unless you have a good reason that can be backed up. For example, if you\u2019re going on holiday, you may need to send evidence to show it was pre-booked.

    ", + "

    At the public inquiry

    ", + "

    You can decide to represent yourself or ask someone to represent you, such as a lawyer. This could be someone else like a transport consultant if the traffic commissioner agrees.

    ", + "

    Evidence is not given under oath but witnesses have to tell the truth.

    ", + "

    If you do not tell the truth you could lose your licence or criminal charges may follow.

    ", + "

    What happens at the hearing

    ", + "

    Report to the inquiry clerk as soon as you arrive. The traffic commissioner will then:

    ", + "
  • decide whether oppositions should be heard
  • ", + "
  • listen to the application outline and ask questions about it
  • ", + "
  • listen to objectors or a Driver and Vehicle Standards Agency (DVSA) traffic examiner outline their cases and ask questions
  • ", + "
  • ask applicants and objectors to present their cases in detail - they or any of the parties may ask questions
  • ", + "
  • question applicants on how conditions added to the licence may affect their business
  • ", + "
  • ask applicants and objectors to sum up their cases
  • ", + "

    The traffic commissioner will announce their decision at the time, or give it in writing later, usually within 28 days.

    ", + "

    Decision and penalties

    ", + "

    The traffic commissioner can decide to:

    ", + "
  • refuse to grant a licence
  • ", + "
  • refuse to vary an existing licence
  • ", + "
  • attach conditions to a licence
  • ", + "
  • grant a licence allowing fewer vehicles than the number applied for
  • ", + "
  • impose financial penalties on registered bus service operators
  • ", + "
  • end or suspend an existing licence
  • ", + "
  • disqualify an individual or a company from having a licence
  • ", + "
  • disqualify transport managers
  • ", + "

    You can appeal against the decision.

    ", + "

    Appeals

    ", + "

    You can appeal to the Upper Tribunal against a traffic commissioner decision (form UT12).

    ", + "

    You must send the form to the tribunal within 1 month of the traffic commissioner\u2019s written decision. The address is on the form.

    ", + "

    Find out more about making an appeal to the Upper Tribunal.

    ", + "

    Further information

    ", + "

    The Office of the Traffic Commissioner has produced a detailed guide to traffic commissioner public inquiries. It includes further information on:

    ", + "
  • how you might be called to an inquiry
  • ", + "
  • how you might find out if an inquiry is to be held
  • ", + "
  • how they work on the day
  • " + ] + }, + { + "title": "Specialist tests for lorries", + "url": "https://www.gov.uk/specialist-tests-for-lorries", + "contents": [ + "

    Overview

    ", + "

    Most commercial vehicles must be tested every year to make sure they\u2019re roadworthy and follow regulations. This is known as the annual test.

    ", + "

    As well as the annual test, your HGV must be tested if you want to be able to:

    ", + "
  • carry explosives or dangerous goods in bulk - this is known as the ADR test
  • ", + "
  • take goods vehicles outside the EU - this is known as the TIR test
  • ", + "
  • \u2018uprate\u2019 or \u2018downrate\u2019 your vehicle to change the weight it\u2019s allowed to carry
  • ", + "
  • qualify for a Low Emissions Certificate (LEC)
  • ", + "

    ADR test for carrying dangerous goods

    ", + "

    The ADR is a specialist test for vehicles carrying dangerous or hazardous goods in bulk by road.

    ", + "

    Your vehicle must pass an ADR test if it\u2019s a commercial vehicle or a trailer used to carry explosives, or if it\u2019s used in the UK or abroad:

    ", + "
  • to carry dangerous goods in a fixed tank, demountable tank or fixed battery of pressure vessels of over 1,000 litres capacity
  • ", + "
  • for carrying dangerous goods in a container or portable tank or battery of pressure vessels of over 3,000 litres capacity
  • ", + "

    The test varies depending on the type of goods you want to carry.

    ", + "

    How to book a test and what it costs

    ", + "
  • Complete the application for an ADR test.
  • ", + "
  • Say on the form if the vehicle is to be tested while still carrying dangerous goods (or their residue) - DVSA will make arrangements for this.
  • ", + "
  • Include copies of insurance certificates (originals will need to be seen at the test) for fixed tanks, batteries and pressure vessels.
  • ", + "

    Send your application at least 10 days before you want to take the test. You can post it to the address on the form or use the contact details below.

    ", + "

    Vehicles and trailers need individual certification, so an articulated or drawbar combination will need 2 ADR applications - one for the vehicle and one for the trailer. You have to pay a fee for each part.

    ", + "

    Fees for ADR testing and certification

    ", + "

    The fees listed are in addition to the standard annual test fee.

    ", + "DVSA service | Fee", + "Initial inspection | \u00a3116", + "Re-inspection within 14 days | \u00a363", + "Duplicate certificate | \u00a314", + "New type approved artic tractor certificate | \u00a328", + "

    Fees may be different in Northern Ireland.

    ", + "

    Taking your vehicle to the test

    ", + "

    Vehicles should not normally be loaded or uncleaned when they\u2019re taken for the ADR test, unless special arrangements have been made with the testing station.

    ", + "

    The exception is for vehicles loaded with UN1202 diesel, gas or heating oil where there\u2019s also no residue of other flammable materials in tank vapour spaces.

    ", + "

    If a dangerous goods vehicle is taken to the test uncleaned or not purged, or is laden with dangerous goods, DVSA will need to see evidence that the vehicle is accompanied by a person with an appropriate ADR driver\u2019s licence.

    ", + "

    You\u2019ll need to submit form VTG15 to the testing station to show if your vehicle is carrying or has been carrying dangerous goods.

    ", + "

    Getting a re-inspection after a failed test

    ", + "

    If you fail the test, phone the testing station you used to arrange another inspection.

    ", + "

    New goods vehicle tractor units that have \u2018ADR-type approval\u2019

    ", + "

    If you buy a new tractor unit, ask your vehicle supplier if it has been built to an \u2018ADR-type approval\u2019. This means you can get ADR-type certification for it. The manufacturer should supply a combined Declaration of Conformity and application form ADR IIIA, which you can then send to DVSA.

    ", + "

    Duplicate ADR certificates

    ", + "

    You can get a duplicate certificate as long as the ADR certificate is still current. You cannot get a duplicate of an expired certificate.

    ", + "

    Write to DVSA\u2019s ADR Section with the following details:

    ", + "
  • vehicle/trailer ID
  • ", + "
  • operator name and address
  • ", + "
  • reason for request (for example, you\u2019ve lost the certificate or there\u2019s been a change of owner/operator)
  • ", + "
  • payment details
  • ", + "

    Change of ADR category

    ", + "

    If you want a new certificate because there\u2019s been a change of ADR category call the ADR Section for advice.

    ", + "

    TIR test for quicker border crossings

    ", + "

    The TIR system allows UK customs officials to pack and seal goods before they\u2019re transported outside the EU. This means that the load will not need to be opened and inspected by customs officials at border crossings.

    ", + "

    To meet the TIR requirements your vehicle must pass a test to make sure that:

    ", + "
  • nothing can be put into or taken from the vehicle without it being obvious
  • ", + "
  • the goods compartment is built so that it has to be accessed from both inside and outside to be removed and replaced
  • ", + "

    Vehicles have to be made to the TIR convention standards. Most lorries made in the UK are not built to the TIR standard and cannot easily be changed to meet the standard.

    ", + "

    Book a TIR test

    ", + "

    There are 2 ways to get vehicles approved. You can either:

    ", + "
  • get individual vehicles approved by having each one inspected
  • ", + "
  • get a design approved for a series of vehicles
  • ", + "

    Get individual vehicles approved

    ", + "

    Fill in an application to book an individual vehicle inspection and pay the fee. You need to fill in a form and pay a fee for each vehicle you want to be approved.

    ", + "

    The TIR test certificate lasts for 2 years from the date it\u2019s issued. You then need to book another inspection every 2 years to keep the vehicle approved. You have to fill in the inspection form and pay the fee each time.

    ", + "Fee type | Cost", + "Initial inspection for an individual vehicle | \u00a3106", + "Two-yearly inspection for an individual vehicle | \u00a3106", + "Re-inspection for an individual vehicle after a failed test | \u00a370", + "

    Fees may be different in Northern Ireland.

    ", + "

    Get a design approved for a series of vehicles

    ", + "

    Fill in an application to get a vehicle load compartment design approved and pay the fee.

    ", + "

    After the design is approved, you have to apply for a \u2018certificate of conformity\u2019 for each vehicle made to that design. You have to pay a fee for each vehicle. DVSA will inspect a sample of the vehicles.

    ", + "

    The certificate lasts for 2 years from the date it\u2019s issued. You then need to book an inspection for each vehicle made to the design every 2 years to keep them approved. You have to pay the inspection fee each time.

    ", + "Fee type | Cost", + "Approval of a design for a series of vehicles | \u00a3644", + "Certificate of conformity for each vehicle made to the design | \u00a314", + "Two-yearly inspection for each vehicle made to the design | \u00a3106", + "Re-inspection for a vehicle after a failed test | \u00a370", + "Make a change to an approved design | \u00a3106", + "Replacement certificate of conformity | \u00a314", + "

    Fees may be different in Northern Ireland.

    ", + "

    Where you can get the vehicle tested

    ", + "

    Call DVSA to find out where you can have it done.

    ", + "

    Cancelling a test

    ", + "

    You\u2019ll need to give at least 3 days notice to cancel an inspection. Otherwise the fee won\u2019t be refunded.

    ", + "

    Change the weight you can carry

    ", + "

    You can apply to increase the maximum permitted weight your lorry can carry.

    ", + "

    This is known as:

    ", + "
  • \u2018up-plating\u2019 if no physical changes have been made to the design
  • ", + "
  • \u2018uprating\u2019 if the design has been modified
  • ", + "

    You\u2019ll get a new plate to show the change in permitted weight.

    ", + "

    You\u2019ll have to pay a higher rate of vehicle tax if up-plating or uprating puts you in a higher vehicle tax band.

    ", + "

    Downplating and downrating

    ", + "

    You can also \u2018downplate\u2019 or \u2018downrate\u2019 your lorry. This reduces the maximum weight it can work at and will lower its rate of vehicle tax.

    ", + "

    Your vehicle will be inspected by DVSA if it has been uprated or downrated before it\u2019s issued with new plates at the new weights.

    ", + "

    Up-plated and downplated lorries are not usually inspected, but downplated vehicles might have to pass an official weight test before DVSA issues a new plate.

    ", + "

    Apply to replate your lorry

    ", + "

    You can apply online or by post. You\u2019ll need to pay \u00a327.

    ", + "

    You must apply to DVLA using form V70 to re-licence the lorry once it\u2019s replated. Send your new plating certificate VTG7 with your application.

    ", + "

    Reduced emissions test

    ", + "

    You can get your vehicle tested for a Low Emissions Certificate (LEC). This lets you drive in the Low Emission Zone (LEZ) without paying.

    ", + "

    The Reduced Pollution Certificate (RPC) scheme to reduce your vehicle tax ended on 31 December 2016.

    ", + "

    Eligibility

    ", + "

    Your vehicle can be tested for a Low Emissions Certificate if it:

    ", + "
  • was registered in the UK before 1 October 2006
  • ", + "
  • is fitted with a full filter to Low Emission Zone emissions standards
  • ", + "

    You do not need a Low Emission Certificate for a vehicle with a Euro 4, 5 or 6 engine.

    ", + "

    Converted and re-engined vehicles

    ", + "

    Contact DVLA if the vehicle has either:

    ", + "
  • been fitted or converted to run solely on petrol
  • ", + "
  • had an approved gas conversion
  • ", + "

    Contact Transport for London (TfL) if your vehicle has been \u2018re-engined\u2019 to meet Low Emission Zone standards.

    ", + "

    Book a Low Emissions Certificate test

    ", + "

    Contact an authorised testing facility or Driver and Vehicle Standards Agency (DVSA) test station to book the test.

    ", + "

    You need:

    ", + "
  • your vehicle registration number
  • ", + "
  • your vehicle identification or chassis number
  • ", + "
  • the make, model and date of manufacture
  • ", + "
  • details of any modifications made to meet the emissions standard
  • ", + "
  • to pay the fee
  • ", + "

    It\u2019s cheaper to have the test done at the same time as the vehicle\u2019s annual test.

    ", + "

    What to take to the test

    ", + "

    If it\u2019s been tested before you must take the vehicle\u2019s previous Low Emissions Certificate or Reduced Pollution Certificate.

    ", + "

    The test can be cancelled and you\u2019ll have to pay again if you do not take the certificate.

    ", + "

    What happens at the test

    ", + "

    The test is in 2 parts:

    ", + "
  • physical inspection to check any modifications, such as a filter fitted to the exhaust
  • ", + "
  • smoke opacity test to check emissions
  • ", + "

    Test result

    ", + "

    You\u2019ll get a Low Emissions Certificate if your vehicle passes the test.

    ", + "

    DVSA will pass your details to TfL automatically. You cannot drive in the Low Emission Zone until your details have been updated - it takes around 3 days.

    ", + "

    If your vehicle is registered outside Great Britain, you need to register with TfL yourself. You can be fined up to \u00a31,000 if you do not register it.

    ", + "

    If your vehicle fails

    ", + "

    You can appeal the result. Fill in form LEC3 and send it to DVSA. The address is on the form.

    ", + "

    Renewing a Low Emissions Certificate

    ", + "

    The Low Emissions Certificate has an expiry date on it. You need to get your vehicle tested again by this date if you want to continue driving in the Low Emission Zone without paying.

    ", + "

    You can be fined up to \u00a31,000 for driving in the Low Emission Zone without a valid Low Emissions Certificate.

    " + ] + }, + { + "title": "Specialist tests for coaches and buses", + "url": "https://www.gov.uk/specialist-tests-for-coaches-and-buses", + "contents": [ + "

    Overview

    ", + "

    You must get your commercial vehicle tested every year to make sure it\u2019s roadworthy. This is known as the annual test.

    ", + "

    There are extra tests coaches and buses may need to take to:

    ", + "
  • qualify for free entrance to the London Low Emission Zone (LEZ) by getting a Low Emissions Certificate (LEC)
  • ", + "
  • meet seat belt safety rules
  • ", + "

    Reduced emissions test

    ", + "

    You can get your vehicle tested for a Low Emissions Certificate (LEC). This lets you drive in the Low Emission Zone (LEZ) without paying.

    ", + "

    The Reduced Pollution Certificate (RPC) scheme to reduce your vehicle tax ended on 31 December 2016.

    ", + "

    Eligibility

    ", + "

    Your vehicle can be tested for a Low Emissions Certificate if it:

    ", + "
  • was registered in the UK before 1 October 2006
  • ", + "
  • is fitted with a full filter to Low Emission Zone emissions standards
  • ", + "

    You don\u2019t need a Low Emission Certificate for a vehicle with a Euro 4, 5 or 6 engine.

    ", + "

    Converted and re-engined vehicles

    ", + "

    Contact DVLA if the vehicle has either:

    ", + "
  • been fitted or converted to run solely on petrol
  • ", + "
  • had an approved gas conversion
  • ", + "

    Contact Transport for London (TfL) if your vehicle has been \u2018re-engined\u2019 to meet Low Emission Zone standards.

    ", + "

    Book a Low Emissions Certificate test

    ", + "

    Contact an authorised testing facility or Driver and Vehicle Standards Agency (DVSA) test station to book the test.

    ", + "

    You need:

    ", + "
  • your vehicle registration number
  • ", + "
  • your vehicle identification or chassis number
  • ", + "
  • the make, model and date of manufacture
  • ", + "
  • details of any modifications made to meet the emissions standard
  • ", + "
  • to pay the fee
  • ", + "

    It\u2019s cheaper to have the test done at the same time as the vehicle\u2019s annual test.

    ", + "

    What to take to the test

    ", + "

    If it\u2019s been tested before you must take the vehicle\u2019s previous Low Emissions Certificate or Reduced Pollution Certificate.

    ", + "

    The test can be cancelled and you\u2019ll have to pay again if you don\u2019t take the certificate.

    ", + "

    What happens at the test

    ", + "

    The test is in 2 parts:

    ", + "
  • physical inspection to check any modifications, such as a filter fitted to the exhaust
  • ", + "
  • smoke opacity test to check emissions
  • ", + "

    Test result

    ", + "

    You\u2019ll get a Low Emissions Certificate if your vehicle passes the test.

    ", + "

    DVSA will pass your details to TfL automatically. It takes around 3 days for your details to be updated so you can drive in the Low Emission Zone.

    ", + "

    If your vehicle is registered outside Great Britain, you need to register with TfL yourself. You can be fined up to \u00a31,000 if you don\u2019t register it.

    ", + "

    If your vehicle fails

    ", + "

    You can appeal the result. Fill in form LEC3 and send it to DVSA. The address is on the form.

    ", + "

    Renewing a Low Emissions Certificate

    ", + "

    The Low Emissions Certificate has an expiry date on it. You need to get your vehicle tested again by this date if you want to continue driving in the Low Emission Zone without paying.

    ", + "

    You can be fined up to \u00a31,000 for driving in the Low Emission Zone without a valid Low Emissions Certificate.

    ", + "

    Seat belt installation tests

    ", + "

    Manufacturers of some buses, coaches and minibuses must make sure their seat belts meet certain safety rules.

    ", + "

    Vehicles that need to be tested

    ", + "

    If your vehicle has additional seat belts fitted beyond those required by law, it must be tested if:

    ", + "
  • it\u2019s a private passenger vehicle with more than 8 passenger seats and was first used on or after 1 October 2001
  • ", + "
  • it\u2019s a public service vehicle
  • ", + "

    Exemptions

    ", + "

    Private passenger vehicles registered before 1 October 2001 are exempt.

    ", + "

    Buses made to carry standing passengers are also exempt, but if they have seat belts these must be tested.

    ", + "

    Public service vehicles that need a Certificate of Initial Fitness (COIF) have their seat belts checked as part of this process.

    ", + "

    Arrange a test

    ", + "

    You can get your passenger vehicle\u2019s seat belt installation tested at one of the following centres:

    ", + "
  • Status
  • ", + "
  • Millbrook proving ground
  • ", + "
  • Transport research laboratory
  • ", + "

    Manufacturers can test their own seat belts as long as they have the right equipment and staff.

    ", + "

    Testing seat belts is usually part of obtaining a COIF on new vehicles.

    ", + "

    You can get more advice about testing your passenger vehicle\u2019s seat belts from DVSA.

    " + ] + }, + { + "title": "Driving licences for taxis and private hire vehicles", + "url": "https://www.gov.uk/taxi-driver-licence", + "contents": [ + "

    Type of driving licence

    ", + "

    You need a licence to drive a taxi or private hire vehicle.

    ", + "

    There are different ways for you apply depending on whether you\u2019ll operate:

    ", + "
  • outside London
  • ", + "
  • inside London
  • ", + "

    There is a different process for Northern Ireland.

    ", + "

    Outside London

    ", + "

    You must apply to your local council for a licence to drive a taxi or private hire vehicle (PHV).

    ", + "

    Eligibility

    ", + "

    To apply you must:

    ", + "
  • be able to work legally in the UK
  • ", + "
  • have held a full GB or Northern Ireland driving licence - or a full EU driving licence - for at least 12 months
  • ", + "

    You must also be a \u2018fit and proper person\u2019 - which means your background and character will be checked. Your council may carry out an enhanced criminal records check from the Disclosure and Barring Service (DBS).

    ", + "

    You may also need:

    ", + "
  • a medical examination
  • ", + "
  • a \u2018knowledge\u2019 test
  • ", + "
  • to take a driving test
  • ", + "

    Apply

    ", + "

    Ask your council what the requirements are in your area, including the fees they charge and how to apply.

    ", + "

    Renew

    ", + "

    Ask your council how to renew your licence.

    ", + "

    Inside London

    ", + "

    You need to apply to Transport for London (TfL) to drive a taxi or private hire vehicle (PHV).

    ", + "

    Check with TfL to see if you\u2019re eligible to become a taxi or PHV driver.

    ", + "

    Apply

    ", + "

    Contact TfL to apply for a taxi driver licence.

    ", + "

    Contact TfL to apply for a PHV driver licence.

    ", + "

    Renew

    ", + "

    TfL will send you a renewal form before your current taxi or PHV driver\u2019s licence expires.

    ", + "

    You need to renew your licence before it expires or you will not be able to work as a taxi or PHV driver.

    " + ] + }, + { + "title": "Being a goods vehicle operator", + "url": "https://www.gov.uk/being-a-goods-vehicle-operator", + "contents": [ + "

    Overview

    ", + "

    You need a goods vehicle operator\u2019s licence if your business uses goods vehicles above a certain weight.

    ", + "

    The rules are different if you\u2019re in Northern Ireland.

    ", + "

    You need a licence to carry goods in a lorry, van or other vehicle with either:

    ", + "
  • a gross plated weight (the maximum weight that the vehicle can have at any one time) of over 3,500 kilograms (kg)
  • ", + "
  • an unladen weight of more than 1,525 kg (where there is no plated weight)
  • ", + "

    There are 3 different types of licence - what you need depends on the work you do.

    ", + "

    You must also make sure that any drivers you use or employ have the correct licence and training. All vehicles that you use should be correctly taxed and kept safe and in good condition at all times.

    ", + "

    Some goods vehicles do not need an operator\u2019s licence - read more about the exemptions.

    ", + "

    Motor vehicles and trailers

    ", + "

    You\u2019ll need a goods vehicle operator\u2019s licence for a motor vehicle and trailer combination if:

    ", + "
  • the motor vehicle and the trailer(s) are plated and the total of their gross plated weights is more than 3,500 kg
  • ", + "
  • the total unladen weight of the vehicle and trailer combination is more than 1,525 kg
  • ", + "

    You do not need an operator\u2019s licence if your trailer\u2019s unladen weight is less than 1,020 kg and you only carry your own goods.

    ", + "

    Carrying goods for hire or reward

    ", + "

    You\u2019ll need a standard licence if you\u2019re carrying other people\u2019s goods for hire or reward (such as working as a courier or freight transport business) and the vehicle and trailer combination exceeds the weight limits above for a single vehicle.

    ", + "

    Types of licence

    ", + "

    There are 3 different types of operator\u2019s licence for goods vehicles. The licence you need depends on where you transport goods to and from, and who you do it for.

    ", + "

    Standard national licence

    ", + "

    This licence means you can carry:

    ", + "
  • your own goods in the UK and internationally
  • ", + "
  • other people\u2019s goods in the UK
  • ", + "

    You can also take loaded trailers to or from ports within the UK as part of an international journey, as long as your vehicles do not leave the country.

    ", + "

    Standard international licence

    ", + "

    This licence means you can carry your own goods, and other people\u2019s goods, both in the UK and on international journeys.

    ", + "

    After you get a standard international licence, you can also request the issue of a UK Licence for the Community. A UK Licence for the Community allows:

    ", + "
  • trips between all EU member countries
  • ", + "
  • transit traffic through EU member countries
  • ", + "
  • cabotage (a journey entirely within one EU country)
  • ", + "

    Restricted licence

    ", + "

    This licence allows you to carry your own goods, but not other people\u2019s goods.

    ", + "

    Your licence will continue to be valid as long as you pay your continuation fee every 5 years and operate within the terms of your licence. You\u2019ll be contacted every 5 years to make sure that your licence shows the correct information.

    ", + "

    Contact the Driver and Vehicle Standards Agency (DVSA) if you have any questions about vehicle licences.

    ", + "

    Transport outside the EU

    ", + "

    Contact the DVSA International Road Haulage Permits Office for help with applications for transport outside certain EU countries.

    ", + "

    Apply for a licence

    ", + "

    The goods vehicle operator licensing scheme is administered by the Driver and Vehicle Standards Agency (DVSA) on behalf of the traffic commissioners.

    ", + "

    The rules and fees are different if you\u2019re in Northern Ireland.

    ", + "

    How to apply for a licence

    ", + "

    You can apply for a goods vehicle operator\u2019s licence online.

    ", + "

    You\u2019ll also need to:

    ", + "
  • advertise your application for a licence
  • ", + "
  • advertise your proposed operating centre(s)
  • ", + "
  • designate a transport manager if you\u2019re applying for a standard licence
  • ", + "
  • provide information about your financial situation
  • ", + "
  • draw up a maintenance contract with a garage or agent to do safety inspections and repair vehicles if you do not do this yourself
  • ", + "

    You\u2019ll have to pay a fee to apply for a licence.

    ", + "

    You\u2019ll usually get a decision on your application within:

    ", + "
  • 7 weeks if you apply online
  • ", + "
  • 9 weeks if you apply by post
  • ", + "

    Apply for an interim licence

    ", + "

    If you need a licence urgently, you can apply for an interim licence until you get your full licence.

    ", + "

    The traffic commissioner will only consider issuing an interim licence on receipt of a complete application for an operator\u2019s licence.

    ", + "

    What the traffic commissioners do

    ", + "

    There are 8 traffic areas in Great Britain with a traffic commissioner responsible for each area. You\u2019ll need to hold a goods vehicle operator\u2019s licence for each traffic area where you have an operating centre.

    ", + "

    Traffic commissioners are responsible in their area for:

    ", + "
  • licensing operators of Heavy Goods Vehicles (HGVs)
  • ", + "
  • granting vocational licences
  • ", + "
  • taking action against drivers of HGVs
  • ", + "

    When necessary, they also hold public inquiries to consider:

    ", + "
  • the environmental suitability of HGV operating centres
  • ", + "
  • applications for new licences
  • ", + "
  • disciplinary action against operators who have broken the conditions of their licences
  • ", + "

    Fees for goods vehicle licences

    ", + "

    When applying for a goods vehicle operator\u2019s licence, you\u2019ll have to pay:

    ", + "
  • a one-off fee payable on application
  • ", + "
  • a fee for the issue of a licence
  • ", + "
  • a fee for the issue of an interim licence (if applicable)
  • ", + "

    You\u2019ll then have to pay a continuation fee every 5 years to keep your licence active.

    ", + "Action | Fee", + "Application for a licence | \u00a3257", + "Issue of a licence | \u00a3401", + "Continuation of a licence after 5 years | \u00a3401", + "Issue of an interim licence | \u00a368", + "Major change to a licence | \u00a3257", + "

    How to pay

    ", + "

    You can pay your fees:

    ", + "
  • online when you apply for a vehicle operator licence
  • ", + "
  • by phone - call the DVSA Helpline on 0300 123 9000 to pay for the interim, issuing and continuation fees (find out about call charges)
  • ", + "
  • by post - cheques should be made payable to \u2018DVSA\u2019 and sent to the following address
  • ", + "

    Operating centres

    ", + "

    Your operating centre is where your vehicles are normally kept when not in use. When you apply for an operator\u2019s licence, you\u2019ll be asked to give the address of your proposed centre(s) and information about the numbers of trailers and vehicles you will keep there.

    ", + "

    You\u2019ll need to show that your operating centre:

    ", + "
  • is large enough
  • ", + "
  • has safe access
  • ", + "
  • is in an environmentally acceptable location
  • ", + "

    If you do not own the operating centre, you must show that you\u2019re allowed to use it.

    ", + "

    Advertising your application for a goods vehicle operator\u2019s licence

    ", + "

    You must advertise your application for a licence in a local newspaper and supply details of your proposed operating centre. This advertisement must appear at least once in the period from 21 days before to 21 days after you make your application, to give people the chance to object.

    ", + "

    Your application may be refused if you do not advertise the centre properly.

    ", + "

    Objecting to an application for a goods vehicle operator licence

    ", + "

    Local councils, planning authorities, police, trade associations, trade unions and other bodies may object to your application for a licence.

    ", + "

    Objections may be made on the grounds of:

    ", + "
  • your fitness to operate
  • ", + "
  • your financial arrangements
  • ", + "
  • your professional competence
  • ", + "
  • the environmental impact of the operating centre
  • ", + "
  • the general suitability of the centre
  • ", + "

    Your operating centre will need to meet certain conditions and not interfere with any local amenities. Certain things will be taken into account, like:

    ", + "
  • its effect on the surrounding environment
  • ", + "
  • planning permissions or applications relating to the centre or the land near it
  • ", + "
  • the number, type and size of vehicles using the centre
  • ", + "
  • where and how vehicles will park
  • ", + "
  • how often and for what purpose the centre will be used
  • ", + "

    Maintaining your vehicles

    ", + "

    You must keep your vehicles safe and in good condition at all times. You\u2019ll have to keep records of all safety inspections and maintenance that you or your maintenance contractor do for a minimum of 15 months.

    ", + "

    Carrying out your own inspections and maintenance

    ", + "

    If you carry out your own safety inspections and maintenance, you must keep records that include:

    ", + "
  • vehicle details
  • ", + "
  • a list of all items to be inspected
  • ", + "
  • when and by whom the inspection is carried out
  • ", + "
  • the result of the inspection
  • ", + "
  • details of any work carried out
  • ", + "
  • a declaration that any defects have been properly fixed
  • ", + "

    Walkaround checks

    ", + "

    You must make sure your drivers carry out a \u2018walkaround check\u2019 before driving a vehicle for the first time each day.

    ", + "

    Using a maintenance provider

    ", + "

    If you do not do this work yourself, you must provide the traffic commissioner with a copy of a contract with a maintenance provider. You\u2019re still responsible for the condition of your vehicles and trailers, even if they are maintained for you by someone else.

    ", + "

    Read the guidance to find out how to keep your vehicle in a roadworthy condition.

    ", + "

    There are also specific roadworthiness checks for recovery vehicles and for horse boxes and trailers.

    ", + "

    Employing or using drivers

    ", + "

    If you employ or give work to drivers, you must check that they have the correct licence and training to drive goods vehicles.

    ", + "

    Professional lorry drivers need to hold a Driver Certificate of Professional Competence (Driver CPC).

    ", + "

    If you employ or give work to foreign drivers, you should make sure they understand the rules for driving in the UK. The Highways Agency has produced guides for foreign HGV drivers in 6 languages.

    ", + "

    Make changes to your licence

    ", + "

    You can make changes to your goods vehicle operator\u2019s licence once you have it, for example add more vehicles to it.

    ", + "

    You can update your licence online.

    ", + "

    You must apply by post if you want to transfer your operating centre to another operator. Download and fill in form GV72 - the address is on the form.

    ", + "

    Order a replacement licence

    ", + "

    Write to the Office of the Traffic Commissioner if you need to replace your licence.

    ", + "

    What happens if you break the terms of your licence

    ", + "

    The Driver and Vehicle Standards Agency carries out regular roadside vehicle checks and checks on operating centres. They then submit information to the independent traffic commissioners.

    ", + "

    Your vehicle may be prohibited or immobilised if a DVSA roadside check finds that:

    ", + "
  • it\u2019s been overloaded
  • ", + "
  • it\u2019s unroadworthy
  • ", + "
  • it breaks the rules on the transport of dangerous goods
  • ", + "
  • a driver has broken drivers\u2019 hours regulations
  • ", + "

    Your licence could be taken away, suspended or restricted by the traffic commissioner if you:

    ", + "
  • break any of the terms or conditions of your licence
  • ", + "
  • do not meet health and safety conditions
  • ", + "
  • are convicted of certain offences
  • ", + "
  • are made bankrupt or (if the licence holder is a company) that company goes into liquidation, administration or receivership
  • ", + "
  • use a place not listed on the licence as an operating centre
  • ", + "
  • are given a prohibition notice by DVSA following an inspection
  • ", + "

    The traffic commissioner may decide to call you to a public inquiry to consider if any action against your licence is necessary.

    ", + "

    Exemptions

    ", + "

    You do not need a goods vehicle operator\u2019s licence if your vehicle:

    ", + "
  • was first used before 1977, has an unladen weight of 1,525 kilograms or less and a maximum gross plated weight over 3,500 kilograms
  • ", + "
  • is using public roads for less than 6 miles a week whilst moving between private premises belonging to the same person as the vehicle (if the vehicle\u2019s used for excavation or demolition it does not matter who it belongs to)
  • ", + "
  • is being used on trade plates
  • ", + "
  • is a passenger carrying vehicle
  • ", + "

    Categories of vehicles that are exempt

    ", + "

    Several types of vehicle do not need an operator\u2019s licence, including:

    ", + "
  • military vehicles
  • ", + "
  • snow ploughs and gritters
  • ", + "
  • emergency service vehicles (including those used by gas, electricity, water and telephone companies)
  • ", + "
  • hearses
  • ", + "
  • recovery vehicles (only if they\u2019re used exclusively for that purpose)
  • ", + "
  • tractors and agricultural vehicles used in certain circumstances
  • ", + "

    Read the guidance to find out more about the vehicle operator licensing system.

    ", + "

    Categories of vehicles that are not exempt

    ", + "

    These types of vehicles are never exempt:

    ", + "
  • mobile exhibition vehicles
  • ", + "
  • catering vehicles
  • ", + "
  • mobile shops
  • ", + "
  • mobile medical screening vehicles
  • ", + "
  • vehicles with fixed equipment carrying goods not strictly for use in connection with that equipment, or towing a trailer that\u2019s carrying goods
  • " + ] + }, + { + "title": "Supply a large goods trailer for use on the road", + "url": "https://www.gov.uk/permission-to-supply-a-large-goods-trailer-for-use-on-the-road", + "contents": [ + "

    Overview

    ", + "

    You must apply to the Driver and Vehicle Standards Agency (DVSA) for permission if you supply large goods trailers for use on the road.

    ", + "

    This is called a \u2018letter of consent\u2019 and applies to \u2018final suppliers\u2019.

    ", + "

    You need a letter of consent if your trailer:

    ", + "
  • is for carrying goods and weighs more than 1020kg when it\u2019s not carrying any goods or other items (known as \u2018unladen weight\u2019)
  • ", + "
  • is a semi-trailer
  • ", + "

    You do not need a letter of consent if your trailer is listed in Schedule 2 of the Goods Vehicle (Plating and Testing) Regulations.

    ", + "

    Who needs permission

    ", + "

    You need to get permission if you\u2019re a \u2018final supplier\u2019 of trailers. Final suppliers are:

    ", + "
  • trailer manufacturers
  • ", + "
  • trailer dealers
  • ", + "
  • importers of new trailers
  • ", + "

    If you\u2019re a dealer or importer, you only have to get permission if it has not already been obtained, for example if the trailer was built abroad and the manufacturer did not apply.

    ", + "

    When you need to get permission depends on when the trailer was put into service in the UK.

    ", + "Type of trailer | When you need permission", + "Trailers manufactured in a single stage | From 29 October 2012", + "Trailers manufactured in multiple stages | From 29 October 2013", + "Special purpose trailers | From 29 October 2014", + "

    Special purpose trailers include some trailer caravans, boat launching trailers, gritters and towed machinery. Check if your trailer is \u2018special purpose\u2019 by calling the Driver and Vehicle Standards Agency (DVSA) helpline.

    ", + "

    It\u2019s an offence to supply or use these trailers without getting permission first and you could be fined.

    ", + "

    If you\u2019re an operator using large goods trailers on the road supplied after the dates above, you do not need to get permission - it should already have been given.

    ", + "

    You can check this by calling the DVSA helpline.

    ", + "

    How to apply

    ", + "

    Apply using form TES1.

    ", + "

    You might also need to send evidence of vehicle approval depending on when the trailer was manufactured.

    ", + " | Manufacture date | Evidence of approval needed", + "Trailers (not including special purpose) manufactured in single and multiple stages | Up to and including 29 July 2012 | No", + "Trailers (not including special purpose) manufactured in a single stage | After 29 July 2012 | Yes", + "Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2012 up to and including 29 July 2013 | Partial (at least one element of approval)", + "Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2013 | Yes", + "Special Purpose trailers manufactured in a single stage | After 29 July 2012 | Yes", + "Special Purpose trailers manufactured in multiple stages | After 29 July 2013 | Yes", + "

    The Driver and Vehicle Standards Agency (DVSA) accepts the following evidence of vehicle approval:

    ", + "
  • a European Community Whole Vehicle Type Approval (ECWVTA) Certificate of Conformity (CoC)
  • ", + "
  • a UK National Small Series Type Approval (NSSTA) CoC
  • ", + "
  • a UK Individual Vehicle Approval (IVA) certificate
  • ", + "

    More details are in the guidance notes. There is an additional form if you want to apply for consent of multiple trailers.

    ", + "

    You can also get the form and notes from the DVSA helpline:

    ", + "

    Send the form and your supporting documents to:

    ", + "

    Apply for a trailer identification number

    ", + "

    You can apply for a trailer identification number (also known as a ministry number) to add to your trailer while it\u2019s still being built.

    ", + "

    Do this by submitting the vehicle identification number (VIN) using form TES 2.

    ", + "

    After you apply

    ", + "

    Once DVSA has received your application and confirmed that you meet the requirements you\u2019ll get a \u2018letter of consent to supply\u2019.

    ", + "

    If applicable, you\u2019ll also get ministry plates, provided your approval documents and application give enough technical information.

    ", + "

    If your application is rejected, DVSA will send you a letter explaining the reasons why.

    " + ] + }, + { + "title": "Transporting abnormal loads", + "url": "https://www.gov.uk/esdal-and-abnormal-loads", + "contents": [ + "

    Abnormal loads

    ", + "

    An \u2018abnormal load\u2019 is a vehicle that has any of the following:

    ", + "
  • a weight of more than 44,000kg
  • ", + "
  • an axle load of more than 10,000kg for a single non-driving axle and 11,500kg for a single driving axle
  • ", + "
  • a width of more than 2.9 metres
  • ", + "
  • a rigid length of more than 18.65 metres
  • ", + "

    Other measurements may apply if you\u2019re transporting a load abroad.

    ", + "

    If you\u2019re responsible for transporting an abnormal load, you need to follow regulations for notifying the authorities.

    ", + "

    Notifying the authorities

    ", + "

    Depending on the load you\u2019re moving and your route, you may need to give advance warning to:

    ", + "
  • the police
  • ", + "
  • highway authorities
  • ", + "
  • bridge and structure owners like Network Rail
  • ", + "

    You can use Highways England\u2019s electronic service delivery for abnormal loads (ESDAL) to:

    ", + "
  • plot your route
  • ", + "
  • notify the police, highways and bridge authorities of your abnormal load movements around the road network
  • ", + "
  • get advance notice of any possible route problems
  • ", + "
  • save vehicle details and routes for future use
  • ", + "

    If you do not use ESDAL you must fill in an abnormal loads movement application form.

    ", + "

    Give advance notice

    ", + "

    You must allow time to get the necessary clearances from the police, highway and bridge authorities. For example, a Special Order application must be completed 10 weeks before the scheduled date of the move.

    ", + "

    Read the factsheet for notice requirements.

    ", + "

    Taking an abnormal load abroad

    ", + "

    If you\u2019re taking an abnormal load outside the UK, you\u2019ll need to:

    ", + "
  • register your trailer
  • ", + "
  • get an abnormal load trailer keeper\u2019s certificate
  • ", + "

    Check if a load is abnormal in another country

    ", + "

    Some countries measure abnormal loads differently from the UK.

    ", + "

    Check with each country you\u2019re travelling through to find out if the load you\u2019re transporting counts as abnormal - if it does, you\u2019ll need to:

    ", + "
  • get an abnormal load trailer keeper\u2019s certificate
  • ", + "
  • keep the certificate in your vehicle - you\u2019ll need to show it at the border
  • " + ] + }, + { + "title": "PSV (Public Service Vehicle) operator licences", + "url": "https://www.gov.uk/psv-operator-licences", + "contents": [ + "

    Overview

    ", + "

    You need a public service vehicle (PSV) operator\u2019s licence to:

    ", + "
  • operate a vehicle for hire or reward (payment or payment in kind) that can carry 9 or more passengers
  • ", + "
  • operate a smaller vehicle carrying passengers and charging separate fares for the journey
  • ", + "

    Read PSV437, PSV operator licensing: a guide for operators.

    ", + "

    Types of PSV licence

    ", + "

    There are 4 types of PSV operator licences, plus special licensing rules in London.

    ", + "

    Standard licence - national operations only

    ", + "

    You can only operate in Great Britain if you apply for a standard licence. Most full-time commercial operators use standard licences.

    ", + "

    Standard licence - national and international operations

    ", + "

    This kind of licence lets you take passengers abroad as well as within Great Britain.

    ", + "

    Restricted licence

    ", + "

    You can only apply for a restricted licence for small-scale operations. They allow you to use 1 or 2 vehicles, and neither can carry more than 8 passengers.

    ", + "

    You can carry up to 16 passengers in either vehicle if you do not use it as part of a passenger transport business, or you\u2019re operating your vehicles as a sideline and not as your main job.

    ", + "

    Special restricted licence

    ", + "

    Special restricted licences are used to operate a licensed taxi on a local service. You can only apply for this licence if you\u2019re a licensed taxi operator. A local service is one where:

    ", + "
  • stops are no more than 24.15 kilometres (15 miles) apart
  • ", + "
  • at least one stop is within the area of the district council that issued your taxi or private hire vehicle (PHV) licence
  • ", + "

    The service must be registered with the local Traffic Commissioner.

    ", + "

    Licensing in London

    ", + "

    You\u2019ll need a London Service Permit to run a private bus or coach service in London.

    ", + "

    Taxis and private hire services in London are licensed by Transport for London (TfL).

    ", + "

    How to apply for a PSV licence

    ", + "

    You can apply for a PSV operator\u2019s licence online. You\u2019ll usually get a decision within 7 weeks.

    ", + "

    It\u2019s illegal to operate a vehicle before your licence has been issued.

    ", + "

    Once you\u2019ve got your licence it will not have an expiry date, but you\u2019ll be asked to confirm your details every 5 years. The Traffic Commissioner\u2019s Office will get in touch with you to check them. You\u2019ll need to pay a continuation fee if you\u2019ve got a special restricted (taxi) licence.

    ", + "

    The Traffic Commissioner can suspend or revoke your licence if they suspect you\u2019ve been breaking its terms.

    ", + "

    You must also tell the Traffic Commissioner if your circumstances change.

    ", + "

    Fees

    ", + "Type of licence | Fees", + "Application for a standard licence | \u00a3209", + "Application for a restricted licence | \u00a3209", + "Application for a special restricted (taxi) licence | \u00a361", + "Continuation fee for a special restricted (taxi) licence (payable every 5 years) | \u00a361", + "Make changes to a licence | \u00a3122", + "

    Ways you can pay

    ", + "

    Pay for your licence online, by phone or by post.

    ", + "

    Paying online

    ", + "

    You can pay any application or licence fees when you apply for a vehicle operator licence online.

    ", + "

    Paying by phone

    ", + "

    You can pay by phone by calling the DVSA helpline.

    ", + "

    Paying by post

    ", + "

    Send a cheque or postal order made payable to \u2018DVSA\u2019 to the Central Licensing Office.

    ", + "

    Making changes to your PSV licence

    ", + "

    You can make changes to your PSV operator\u2019s licence once you have it, for example add more vehicles to it.

    ", + "

    You can update your licence online.

    ", + "

    You can make most changes to your licence for free. You must pay \u00a3122 if you want to:

    ", + "
  • increase the vehicle limit on your licence
  • ", + "
  • upgrade your licence from standard national to standard international and increase the vehicle limit at the same time
  • ", + "

    Changes of circumstance

    ", + "

    You must tell the Traffic Commissioner within 28 days if:

    ", + "
  • there\u2019s any change to the correspondence address of the business
  • ", + "
  • there\u2019s any change to the establishment address (standard licences only)
  • ", + "
  • there\u2019s any change in the address of your operating centres
  • ", + "
  • there\u2019s any change in the trading name of the business
  • ", + "
  • any of the persons named on the licence have died - you may need a new licence
  • ", + "
  • there\u2019s been a change of partners if it\u2019s a partnership firm - you may need a new licence
  • ", + "
  • there\u2019s been a change of transport managers
  • ", + "
  • you, your transport manager, officers employees or agents have any relevant convictions
  • ", + "
  • there\u2019s been any other change that the Traffic Commissioner asked you to report as a condition of getting your licence
  • ", + "

    You\u2019ll also have to tell the Traffic Commissioner if there\u2019s been a change in the \u2018legal entity\u2019 of your business, for example if:

    ", + "
  • your company changes from being a sole trader or partnership to a limited company
  • ", + "
  • there\u2019s been a change in your registered company number
  • ", + "
  • there\u2019s been a change of directors or change in share holding
  • ", + "

    Send details of any changes to the Office of the Traffic Commissioner\u2019s Central Licensing Office at the DVSA.

    ", + "

    Appealing a decision

    ", + "

    You can appeal if your application for a PSV operator licence is refused.

    ", + "

    You\u2019ll need to send a written notice of appeal to the Upper Tribunal, Administrative Appeals Chamber. There is no fee.

    ", + "

    Your notice of appeal needs to be received within one month of the Traffic Commissioner\u2019s decision.

    ", + "

    Guidance on making an appeal

    ", + "

    Download detailed Tribunals Service guidance on making an appeal.

    ", + "

    Appealing an Upper Tribunal decision

    ", + "

    If your appeal is unsuccessful and you think that the decision is wrong, you can appeal to the Court of Appeal (England and Wales) or the Court of Session (Scotland).

    ", + "

    You must have permission from the Upper Tribunal, or if the Upper Tribunal refuses, from the Court.

    ", + "

    Your application for permission to appeal must be received within 1 month of the original appeal decision.

    ", + "

    Download detailed guidance about appealing an Upper Tribunal decision.

    " + ] + }, + { + "title": "Run a local bus service", + "url": "https://www.gov.uk/run-local-bus-service", + "contents": [ + "

    Overview

    ", + "

    A local bus service uses public service vehicles (PSVs) to carry passengers who pay separate fares over short distances.

    ", + "

    The route can be any length, as long as passengers can get off within 15 miles (measured in a straight line) of where they got on.

    ", + "

    You must usually register with the local authority and the local traffic commissioner if you\u2019re operating a local service outside London - there are some exceptions.

    ", + "

    You need a London Service Permit to run a service in London.

    ", + "

    Who can register

    ", + "

    You can register a local bus service if you:

    ", + "
  • hold a valid PSV operator\u2019s licence
  • ", + "
  • hold a community bus permit
  • ", + "
  • are a local education authority and want to provide a local service using a school bus belonging to you
  • ", + "

    Taxi or private hire vehicle owners can also register by getting a special PSV operator\u2019s licence.

    ", + "

    Before you register

    ", + "

    Before registering a local bus service you should consider if:

    ", + "
  • your route is suitable
  • ", + "
  • you have the right sort of vehicles
  • ", + "
  • you can keep to the timetable given the traffic conditions on route
  • ", + "
  • you have enough drivers to cover absences though sicknesses, holidays, etc
  • ", + "
  • you have replacement vehicles if other vehicles are off-road
  • ", + "
  • there are any traffic regulation conditions \u2013 contact your local traffic area office
  • ", + "
  • a Quality Partnership or Quality Contract Scheme exists - contact your local transport authority
  • ", + "

    You must run the service just as you have registered it, even if staff members are ill or a vehicle is off the road. There are penalties if you do not.

    ", + "

    How to register

    ", + "

    You must tell the local authority in England or the local council in Scotland that you\u2019re starting a bus service. You must do this 28 days before you apply to the traffic commissioner.

    ", + "

    Apply to the traffic commissioner at least 42 days before your service starts - or 56 days before if your service is in Wales.

    ", + "

    This notice period begins on the day when the traffic commissioner accepts your application.

    ", + "

    Holders of a \u2018Section 22\u2019 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.

    ", + "

    If you want to start the service sooner you must complete a supplementary form. The traffic commissioner decides whether or not to agree to this.

    ", + "

    If you\u2019re planning a service in Strathclyde, you must also give notice to the Strathclyde Partnership for Transport 28 days before you apply to the traffic commissioner.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a360 to register a local bus service
  • ", + "
  • \u00a313 to register a community bus service
  • ", + "

    Apply online

    ", + "

    You can register through the electronic bus service registration (EBSR) system. Telephone the Driver and Vehicle Standards Agency (DVSA) helpline for information on how to do this.

    ", + "

    Apply by post

    ", + "

    Print off and fill in the application form for the type of service you want to run:

    ", + "
  • PSV350 - application to register a bus service (England, Wales and Scotland)
  • ", + "
  • Application to register a local bus service with a flexible route
  • ", + "
  • PSV350A - supplementary form: application to start, change or cancel a registered bus service with less than 56 days\u2019 notice (England, Wales and Scotland)
  • ", + "

    Where to send the form

    ", + "

    Send the form and fees to:

    ", + "
  • Central Licensing Office - for England and Wales (except London)
  • ", + "
  • Office of the Traffic Commissioner \u2013 for Scotland
  • ", + "

    Other people you must tell

    ", + "

    You must also send copies to:

    ", + "
  • all councils your route passes through - for example the county council, shire council, unitary authority
  • ", + "
  • the relevant Passenger Transport Executive if there is one
  • ", + "

    Getting help

    ", + "

    Read the following guides for more information on:

    ", + "
  • local bus service registration: guide for operators (England, Scotland and Wales)
  • ", + "
  • the registration of flexibly routed local bus services: guide for operators
  • ", + "

    Change or cancel a bus service

    ", + "

    Apply to the local authority and the traffic commissioner if you want to:

    ", + "
  • change a timetable, route or other detail of your service
  • ", + "
  • cancel the service
  • ", + "

    You must tell the local authority in England or the local council in Scotland that you\u2019re changing or cancelling a bus service. You must do this 28 days before you apply to the traffic commissioner.

    ", + "

    Apply to the traffic commissioner at least 42 days before your service changes or stops - or 56 days before if your service is in Wales.

    ", + "

    Holders of a section 22 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.

    ", + "

    If you want to make the changes or cancel the service sooner, you must fill in a supplementary form (England, Scotland or Wales). The traffic commissioner decides whether or not to agree to this.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a360 to change a local bus service
  • ", + "
  • \u00a313 to change a community bus service
  • ", + "

    There\u2019s no fee for a cancellation.

    ", + "

    Application and supplementary forms

    ", + "

    Print off and fill in the application and supplementary forms to:

    ", + "
  • change or cancel a registered bus service (England, Scotland or Wales)
  • ", + "
  • change or cancel a registered bus service with less than 56 days notice (England, Scotland or Wales)
  • ", + "

    Exemptions

    ", + "

    You do not have to register a bus service if all of the following apply:

    ", + "
  • someone other than you or your agent is responsible for arranging the journey and bringing the passengers together
  • ", + "
  • the journey is not advertised in advance to the general public
  • ", + "
  • all passengers travel together to or from the same place - for example a school or factory
  • ", + "
  • passengers pay the same fare no matter how far they travel
  • ", + "

    School or college bus services

    ", + "

    If you operate a bus service provided by a local education authority in England or Wales, you may not have to register it.

    ", + "

    You do not need to register a service if the only passengers who pay fares are either:

    ", + "
  • studying at a school or college
  • ", + "
  • supervising pupils or students
  • ", + "
  • teachers or assistants working at the school or college
  • ", + "

    If other people can also use the service, it must be registered.

    ", + "

    Other exemptions

    ", + "

    You do not need to register:

    ", + "
  • a replacement bus service (for example when a train service is temporarily cancelled and a bus is used instead) provided under an agreement with the Secretary of State, the Scottish Ministers or the National Assembly for Wales
  • ", + "
  • excursions or tours - unless they operate once a week or more for at least 6 weeks in a row
  • ", + "

    An excursion or tour is where passengers travel together on a journey, with or without breaks, from one or more places to one or more places and back.

    ", + "

    Traffic regulation conditions

    ", + "

    The local council can ask the traffic commissioner to impose conditions on your licence. The traffic commissioner will decide if conditions are needed to:

    ", + "
  • prevent dangers to other road users
  • ", + "
  • reduce traffic congestion
  • ", + "
  • limit environmental pollution
  • ", + "

    The conditions could affect:

    ", + "
  • your bus routes
  • ", + "
  • where you can stop
  • ", + "
  • when you can stop and for how long
  • ", + "
  • where you can turn or reverse
  • ", + "
  • the number of vehicles, their type or their frequency
  • ", + "

    In some cases the conditions will start straight away.

    ", + "

    You\u2019ll be told if conditions have been imposed and they\u2019ll be added to your licence.

    ", + "

    You cannot meet the conditions

    ", + "

    You must change the registration within 28 days if you cannot run your service under the conditions. You will not have to pay a fee if you change the registration because of these conditions. You must meet the conditions until the change of registration takes effect.

    ", + "

    You disagree with the conditions

    ", + "

    You can ask for a public inquiry within 28 days if you disagree with the traffic commissioner\u2019s decision.

    ", + "

    It\u2019s against the law to disobey traffic regulation conditions.

    ", + "

    Penalties for poor service

    ", + "

    Once you have registered your service you must run it:

    ", + "
  • at the times you\u2019ve said it would run
  • ", + "
  • along the route you\u2019ve registered
  • ", + "

    Penalties

    ", + "

    If you do not run a reliable or punctual service the traffic commissioner can stop you from running the service - or even running any services at all.

    ", + "

    The traffic commissioner can also fine you. The size of the fine is based on the number of vehicles you\u2019re licensed to use.

    ", + "

    If you provide the local bus service in England and Wales, you may also have to:

    ", + "
  • spend money on providing or improving local services or facilities
  • ", + "
  • compensate passengers
  • ", + "

    You can appeal to the Upper Tribunal if you disagree with the traffic commissioner\u2019s decision.

    ", + "

    Read more about the standards for local bus services and how traffic commissioners expect you to operate.

    ", + "

    Register a bus service in London

    ", + "

    To run a bus service in London you must have a London Service Permit. Permits last for 5 years and you must normally apply at least 3 months before starting the service.

    ", + "

    You can apply for a shorter period of notice if Transport for London (TfL) agrees.

    ", + "

    Concessionary fares

    ", + "

    You may be eligible to take part in a concessionary fare scheme. This reimburses you for carrying passengers who get discounted travel, such as:

    ", + "
  • older people
  • ", + "
  • disabled people
  • ", + "
  • children
  • ", + "

    Contact your local council for more information on taking part.

    ", + "

    Some councils offer a voluntary membership scheme for operators. Others have a compulsory scheme.

    ", + "

    Find out more

    ", + "

    Find out more about concessionary fare schemes for:

    ", + "
  • England
  • ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "

    Grants for local bus services

    ", + "

    You might qualify for the Bus Service Operator\u2019s Grant (in England or Scotland) or the Regional Transport Services Grant (in Wales) if you provide a service where:

    ", + "
  • at least half the seats are available to and regularly used by the general public
  • ", + "
  • stops on the route are in places that people are likely to use reasonably often - fixed bus stops or otherwise
  • ", + "
  • single journey fares are reasonably priced
  • ", + "
  • fares can be paid conveniently
  • ", + "
  • the bus does not have signs or any other indication that it\u2019s not available to the general public
  • ", + "
  • information about the service, its route and timetable is accessible to the general public
  • ", + "
  • advance bookings of flexible services do not deter people who want to make a single journey
  • ", + "

    There are slightly different conditions if your bus service is intended for transporting pupils, people with disabilities or elderly people.

    ", + "

    Read more about the Bus Service Operator\u2019s Grant (England and Scotland).

    ", + "

    How to apply

    ", + "

    Contact the helpline for your area.

    ", + "

    England

    ", + "

    Scotland

    ", + "

    Wales

    ", + "

    The grant is administered through the Regional Transport Consortia:

    " + ] + }, + { + "title": "Operator Compliance Risk Score (OCRS)", + "url": "https://www.gov.uk/operator-compliance-risk-score", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re a vehicle operator, your drivers might be stopped at the roadside by the police or the Driver and Vehicle Standards Agency (DVSA) for vehicle inspections.

    ", + "

    DVSA use the Operator Compliance Risk Score (OCRS) system to decide which vehicles should be inspected.

    ", + "

    OCRS is used to calculate the risk of an operator not following the rules on roadworthiness (the condition of its vehicles) and traffic, eg drivers\u2019 hours, weighing checks.

    ", + "

    It\u2019s more likely that your vehicles will be inspected if your OCRS is high.

    ", + "

    How the system works

    ", + "

    The Operator Compliance Risk Score (OCRS) system is based on data collected by DVSA over a 3-year rolling period.

    ", + "

    Data is taken from annual tests, roadside inspections and inspections at operators\u2019 premises.

    ", + "

    You get scores split into 2 categories, and a combined score.

    ", + "Category | Where the data comes from", + "Roadworthiness | Vehicle tests (first tests, subsequent annual tests); \u2018vehicle encounters\u2019 (fleet check inspections at operator premises, roadside inspections)", + "Traffic | Roadside inspections and prosecutions (for example, for drivers\u2019 hours and tachograph offences, weighing checks)", + "

    As an operator you get points when a test or inspection finds a defect or infringement of the rules. The more serious the defect or infringement, the more points.

    ", + "

    You\u2019ll be given a score, which will be shown as R (red - highest risk), A (amber - medium risk) or G (green - lowest risk).

    ", + "

    The guidance on the OCRS system explains how the scores are worked out.

    ", + "

    You might have no score if DVSA doesn\u2019t have any data for you from the past 3 years.

    ", + "

    You can check your OCRS score, view test histories and roadside check reports online.

    ", + "

    Operators outside Great Britain

    ", + "

    DVSA has a non-GB OCRS system for operators based outside Great Britain. It\u2019s based on data captured at the roadside - this is because there is no annual test or prosecution data available.

    ", + "

    How your score can change

    ", + "

    Because your Operator Compliance Risk Score (OCRS) is calculated over a 3-year rolling period, it can change after inspections, tests or prosecutions against you.

    ", + "

    DVSA calls these \u2018encounters\u2019. Your score could change if you:

    ", + "
  • commit a new offence or have a defect recorded against you at inspection (this has a negative effect on your score)
  • ", + "
  • have a \u2018clear encounter\u2019 - eg you pass an inspection without any problems (this has a positive effect on your score)
  • ", + "

    If you\u2019re prosecuted by DVSA you\u2019ll get points from the date of prosecution, not the date of the offence.

    ", + "

    The lower your OCRS is, the better.

    ", + "

    Old encounters

    ", + "

    Your score also changes as old encounters that previously counted towards your score no longer count once they\u2019re not in the OCRS calculation period.

    ", + "

    If you had clear encounters included in your score and these are now outside the calculation period, this might mean your score goes up. But if you had negative encounters included and these no longer count, your score might go down.

    ", + "

    Year weightings

    ", + "

    The impact of an offence or defect decreases over the 3-year time period.

    ", + "

    For the first 12 months after the offence or defect, its score stays the same. After 12 months it falls by a quarter and then it\u2019s halved in the final 12 months.

    ", + "

    Other changes

    ", + "

    There are a number of \u2018parameters\u2019 that feed into your OCRS. DVSA sets these and can change them at any time - this has an impact on your score.

    ", + "

    The parameters are:

    ", + "
  • points for offences and defects
  • ", + "
  • points for prosecutions
  • ", + "
  • time weightings
  • ", + "
  • band thresholds (these determine whether you\u2019re in the red, amber or green band)
  • ", + "
  • trigger events and time periods
  • ", + "

    The values for all parameters are available in the guidance on the OCRS system.

    " + ] + }, + { + "title": "Setting up an Approved Tachograph Centre (ATC)", + "url": "https://www.gov.uk/setting-up-an-approved-tachograph-centre", + "contents": [ + "

    How to apply

    ", + "

    If you want to set up an Approved Tachograph Centre (ATC), you will need to read the ATC manual and fill in form GV207.

    ", + "

    Send your application to the address on the form.

    ", + "

    You can also contact the Driver and Vehicle Standards Agency (DVSA) for the form and manual.

    ", + "

    Costs and equipment

    ", + "

    It costs:

    ", + "
  • \u00a3361 to register as an Approved Tachograph Centre (ATC)
  • ", + "
  • \u00a3148 to renew your registration each year
  • ", + "

    You can register to work on analogue tachographs, digital tachographs, or both.

    ", + "

    Equipment

    ", + "

    The ATC manual tells you what equipment you\u2019ll need to buy.

    ", + "

    Who can work for you

    ", + "

    You can only employ \u2018nominated technicians\u2019 to carry out work at an Approved Tachograph Centre (ATC). They must be skilled technicians with experience working on tachographs.

    ", + "

    If they need to road test vehicles, they must also have a driving licence for the relevant categories of vehicles they\u2019re testing.

    ", + "

    They\u2019ll also need to hold a \u2018certificate of competence\u2019 for each class of tachograph (digital, analogue or both) that they want to work on.

    ", + "

    They\u2019ll get this only after they\u2019ve successfully completed a DVSA-approved training course. You\u2019ll find details in the ATC manual.

    ", + "

    Tachograph workshop smart cards

    ", + "

    A tachograph workshop card is used to calibrate digital tachographs. To be eligible for a workshop card, you must:

    ", + "
  • be a nominated technician working at an Approved Tachograph Centre (ATC) with digital status
  • ", + "
  • hold a digital training certificate
  • ", + "

    Tachograph workshop cards are issued free of charge. They are automatically renewed every year on 31 March.

    ", + "

    The cards are issued to a nominated technician, not to a centre - this means that only the individual who has the card can use it.

    ", + "

    If you\u2019re the nominated technician and you work at 2 workshops, you\u2019ll need a card for each workshop.

    ", + "

    How to apply

    ", + "

    Print off and fill in form D778B and send it to DVSA, with a copy of an up-to-date analogue and digital training certificate.

    ", + "

    Once DVSA has checked and approved your application it will be forwarded to the Driver and Vehicle Licensing Agency (DVLA), who will issue your card to the ATC where you work.

    ", + "

    You\u2019ll need a PIN code to use a workshop card. This will be sent to your home address, and must only be used by you.

    ", + "

    If you enter the wrong PIN code 5 times in a row it will lock the card and you\u2019ll need to apply for a new card using form D778B. You\u2019ll also be issued with a new PIN code

    ", + "

    Read \u2018How to fill in your application for a digital tachograph workshop card (D778B)\u2019 before you fill in the form.

    ", + "

    For more help, contact the DVSA helpline.

    ", + "

    Working with tachograph workshop cards

    ", + "

    Workshop cards can hold:

    ", + "
  • details of 88 calibrations
  • ", + "
  • a small amount of events and faults data
  • ", + "

    A workshop card must not be used instead of a company card. If you have a card used by your calibration centre, this must only be used in accordance with the tachograph centre\u2019s duties and not as a substitute company card.

    ", + "

    All insertions of a card are recorded on the vehicle unit and the card.

    ", + "

    Renewal of workshop cards

    ", + "

    DVLA sends a renewal list to DVSA 2 months before a card\u2019s expiry. This is then checked and returned to DVLA with details of technicians whose cards can be renewed.

    ", + "

    You must report any lost or stolen cards to DVSA and the police immediately.

    ", + "

    If your card is lost or stolen, you can apply for a replacement by printing off and filling in form D778B to DVSA. You\u2019ll need to provide a police incident reference number for stolen cards.

    ", + "

    If your card stops working

    ", + "

    Try using the card in a different vehicle unit. If it still does not work, print off and fill in form D778B and sent it with the faulty card to DVSA to get a new card.

    ", + "

    Any misuse of workshop cards may lead to the withdrawal of your nominated technician and tachograph centre\u2019s approval.

    " + ] + }, + { + "title": "Vehicle licences for taxis or private hire vehicles", + "url": "https://www.gov.uk/taxi-vehicle-licence", + "contents": [ + "

    Where to apply

    ", + "

    To operate your vehicle as a taxi or private hire vehicle (PHV) you need to get it licensed.

    ", + "

    There are different ways for you apply depending on whether you\u2019ll operate:

    ", + "
  • outside London
  • ", + "
  • inside London
  • ", + "

    There is a different process for Northern Ireland.

    ", + "

    Outside London

    ", + "

    You must get your taxi or private hire vehicle inspected and licensed by your local council.

    ", + "

    Apply

    ", + "

    Contact your local council to apply for a vehicle licence.

    ", + "

    Eligibility

    ", + "

    You must get a licence for each vehicle. The vehicle must have no more than 8 passenger seats.

    ", + "

    Inspections and insurance

    ", + "

    The council may check your vehicle to make sure:

    ", + "
  • it\u2019s roadworthy
  • ", + "
  • it\u2019s comfortable and clean
  • ", + "
  • the taximeter works properly
  • ", + "
  • the doors are safe and secure
  • ", + "

    You\u2019ll also need insurance that:

    ", + "
  • covers you for hire and reward
  • ", + "
  • includes you as the named driver
  • ", + "

    The council decides how often it tests vehicles but can\u2019t test more than 3 times in a year.

    ", + "

    You must fix any problems within 2 months of failing a test. You can lose your vehicle licence if you don\u2019t.

    ", + "

    Conditions

    ", + "

    The council can attach conditions to vehicle licences. These might include:

    ", + "
  • the colour scheme of your vehicle
  • ", + "
  • the use of roof signs
  • ", + "
  • use of a taximeter
  • ", + "

    Refusals and appeals

    ", + "

    The council can refuse your application if:

    ", + "
  • your vehicle doesn\u2019t meet certain criteria
  • ", + "
  • you don\u2019t accept conditions it gives you
  • ", + "
  • it wants to control the number of taxis in the area
  • ", + "

    When the council makes its decision it will explain your right to appeal if:

    ", + "
  • your application for a vehicle licence has been refused
  • ", + "
  • the licensing authority has suspended, revoked or refused to renew a vehicle licence
  • ", + "

    You appeal to a crown court about a taxi licence decision or to a magistrates court about a private hire vehicle decision.

    ", + "

    Inside London

    ", + "

    Taxis and private hire vehicles (PHV) in London must be inspected and licensed by Transport for London (TfL).

    ", + "

    Vehicle licences for London taxis

    ", + "

    Apply

    ", + "

    Your taxi must be inspected by TfL to get your vehicle licence.

    ", + "

    Eligibility

    ", + "

    You must meet the eligibility criteria set by TfL for your vehicle.

    ", + "

    Vehicle licences for private hire vehicles

    ", + "

    Apply

    ", + "

    If you want to use a vehicle for private hire work, you\u2019ll need to have it licensed by TfL.

    ", + "

    Eligibility

    ", + "

    Your PHV must:

    ", + "
  • have no more than 8 passenger seats
  • ", + "
  • not look like a licensed taxi, eg London-style \u2018black cab\u2019
  • ", + "
  • only display advertising that complies with TfL guidelines
  • ", + "
  • display licence discs - although exemptions are sometimes granted
  • ", + "

    Get your vehicle inspected

    ", + "

    Your vehicle will need to be inspected by TfL.

    " + ] + }, + { + "title": "Provide driving tests for your employees", + "url": "https://www.gov.uk/provide-driving-tests-for-your-employees", + "contents": [ + "

    Who can provide driving tests

    ", + "

    Driving tests are usually provided by the Driver and Vehicle Standards Agency (DVSA).

    ", + "

    You can apply to DVSA for permission for your own staff to provide driving tests for your employees if you\u2019re a:

    ", + "
  • bus or haulage operating licence holder
  • ", + "
  • police service
  • ", + "
  • fire and rescue service
  • ", + "

    Your staff providing driving tests will be known as \u2018delegated driving examiners\u2019.

    ", + "

    Tests that can be provided

    ", + "

    Delegated driving examiners are allowed to provide theory and practical driving tests for drivers of:

    ", + "
  • lorries
  • ", + "
  • buses and coaches
  • ", + "
  • cars and trailers
  • ", + "
  • emergency service vehicles
  • ", + "

    Lorry, bus and coach companies

    ", + "

    Delegated driving examiners working for lorry, bus and coach companies can test:

    ", + "
  • an employee
  • ", + "
  • an employee of a sister company
  • ", + "

    As a delegated driving examiner, you cannot test someone you\u2019ve trained.

    ", + "

    Emergency services

    ", + "

    Delegated driving examiners working for police services and fire and rescue services can test:

    ", + "
  • an employee
  • ", + "
  • an employee from the same type of service in a different area
  • ", + "

    The same delegated driving examiner can provide tests for both a police service and a fire and rescue service, but both must appoint them with DVSA.

    ", + "

    Rules for your driving examiners

    ", + "

    When deciding whether to give permission for someone to provide driving tests, the Driver and Vehicle Standards Agency (DVSA) looks at if they:

    ", + "
  • have a full driving licence for the type of vehicle they\u2019re testing in
  • ", + "
  • have had any convictions in the last 3 years
  • ", + "
  • have been disqualified from driving
  • ", + "
  • have any court proceedings pending against them
  • ", + "
  • have any penalty points on their licence
  • ", + "

    Qualifying as a delegated driving examiner

    ", + "

    Your employees must then:

    ", + "
  • complete an initial training course
  • ", + "
  • reach an appropriate standard in the delegated driving examiner theory and practical tests
  • ", + "

    DVSA will send you more information about the qualifying process when you apply to provide driving tests.

    ", + "

    Apply to provide driving tests

    ", + "

    You must email the Driver and Vehicle Standards Agency (DVSA) to get permission to provide driving tests.

    ", + "

    You cannot currently contact DVSA by telephone or post because of coronavirus (COVID-19).

    ", + "

    You must include information about your organisation, the tests you want to provide, and the people you want to appoint as delegated driving examiners.

    ", + "

    Your organisation

    ", + "

    You\u2019ll need to include:

    ", + "
  • the full name of the organisation
  • ", + "
  • the registered address or headquarters address (if you\u2019re not a registered company)
  • ", + "
  • a copy of your certificate of incorporation if you\u2019re a registered company
  • ", + "
  • a copy of your operator licence (if you have one)
  • ", + "
  • the name, position and contact details of the main contact in your organisation for driving tests
  • ", + "
  • confirmation that you, as the person submitting the application, is an approved signatory for the purposes of the application
  • ", + "

    The tests you want to provide

    ", + "

    You\u2019ll need to include:

    ", + "
  • details of the locations at which testing would take place
  • ", + "
  • the categories of tests you want to provide, for example, \u2018category D - bus\u2019
  • ", + "
  • the type of tests you want to provide, for example, licence acquisition theory test, licence acquisition practical test and so on
  • ", + "
  • details of where the records about the tests would be stored
  • ", + "
  • an estimate of the minimum number of tests you\u2019ll provide in the 12 months following your approval
  • ", + "

    The people you want to appoint as examiners

    ", + "

    You\u2019ll need to include the full names and driving licence numbers of the people you want to appoint as delegated driving examiners.

    ", + "

    When DVSA gets your application

    ", + "

    DVSA will tell you its decision about your application within 10 working days.

    ", + "

    You\u2019ll also get information about:

    ", + "
  • the qualifying process
  • ", + "
  • the detailed rules about providing theory and practical driving tests
  • ", + "
  • the detailed rules about recording tests that you provide
  • ", + "

    You can email DVSA if you need more information.

    " + ] + }, + { + "title": "Become an MOT tester", + "url": "https://www.gov.uk/become-an-mot-tester", + "contents": [ + "

    Overview

    ", + "
  • Check that you meet the eligibility rules to become an MOT tester.
  • ", + "
  • Take an MOT tester qualification course.
  • ", + "
  • Pass a Driver and Vehicle Standards Agency MOT demonstration test.
  • ", + "

    You can then start carrying out MOT tests at an authorised testing station.

    ", + "

    You\u2019ll have to take training and an assessment each year when you\u2019re qualified.

    ", + "

    Eligibility

    ", + "

    To take an MOT testing course you must:

    ", + "
  • have a current and full UK driving licence for the vehicle classes you want to test
  • ", + "
  • be a skilled mechanic with at least 4 years\u2019 full-time employment servicing and repairing the types of vehicles you\u2019re going to test
  • ", + "
  • have no unspent convictions for criminal offences
  • ", + "
  • be \u2018of good repute\u2019 - the Driver and Vehicle Standards Agency will decide this to make sure you\u2019re suitable to be an MOT tester
  • ", + "

    To become a class 3 or 5 MOT tester you must also have already:

    ", + "
  • got a level 2 testing certificate in class 4 and 7 vehicles (group B)
  • ", + "
  • passed an MOT demonstration test after getting your level 2 certificate
  • ", + "

    You must have an accepted qualification or accreditation if you want to test class 3, 4, 5 or 7 vehicles (cars, private buses and light commercial vehicles).

    ", + "

    Common qualifications or accreditations

    ", + "

    Check the full list of accepted qualifications and accreditations.

    ", + "

    National Vocational Qualifications (NVQs), Scottish Vocational Qualifications (SVQs) and Vocationally Related Qualifications (VRQs)

    ", + "

    You can take the MOT testing course if you have a VRQ, NVQ or SVQ in:

    ", + "
  • Vehicle Mechanical and Electronic Systems, Maintenance and Repair (light vehicle or heavy vehicle), level 3
  • ", + "
  • Vehicle Technician, Vehicle Maintenance and Repair (light vehicle or heavy vehicle), level 3
  • ", + "

    City and Guilds

    ", + "

    You can take the MOT testing course if you have a City and Guilds qualification in:

    ", + "
  • Automotive Qualification, NVQ level 3
  • ", + "
  • Repair and Servicing of Road Vehicles, 383 (full level 2 or 3)
  • ", + "
  • Motor Vehicle Craft Studies, modular - part 3 (requires 3 modules)
  • ", + "
  • Motor Vehicle Craft Studies, 381 (full part 2 or 3)
  • ", + "
  • Motor Vehicle Craft Studies, pre 381 syllabus (full part 2)
  • ", + "
  • Light or Heavy Vehicle Mechanics Craft Studies (full part 2 or 3)
  • ", + "
  • Motor Vehicle Technician\u2019s Certificate (full part 1)
  • ", + "

    Other qualifications

    ", + "

    You can also take the MOT testing course if you have one of these qualifications:

    ", + "
  • IMI level 3 National Diploma in Vehicle Maintenance and Repair (light vehicle or heavy vehicle)
  • ", + "
  • National Craft Certification with a specialism of Vehicle Maintenance and Electronic Systems
  • ", + "
  • Business and Technology Education Council (BTEC), National Certificate or Ordinary National Certificate (ONC) in Motor Vehicle Engineering studies
  • ", + "
  • Scottish Vocational Educational Council National Certificate in Vehicle Mechanics and Systems (part 3)
  • ", + "

    Accreditations

    ", + "

    You can take the MOT testing course if you have an Automotive Technician Accreditation (ATA) in:

    ", + "
  • Light Vehicle Diagnostic Technician
  • ", + "
  • Light Vehicle Inspection Technician
  • ", + "

    You must have a valid ATA accreditation ID card. You\u2019ll have received this when you got your qualification.

    ", + "

    You can also take the course if you have an ABC Awards Accreditation in Vehicle Technician Accredited Assessment.

    ", + "

    MOT tester course (class 1, 2, 4 and 7)

    ", + "

    You must successfully complete an MOT tester qualification course to become an MOT tester.

    ", + "

    Before the course

    ", + "

    You need to show that you\u2019re eligible to become an MOT tester.

    ", + "

    How to apply

    ", + "

    Find an MOT tester qualification course and book it with the course provider.

    ", + "

    You have to pay to take the course. The prices vary and are set by each course provider.

    ", + "

    What the course involves

    ", + "

    The course will cover theory and practical training on being an MOT tester.

    ", + "

    The course lasts at least 29 hours. You\u2019ll spend at least 8 hours doing practical training.

    ", + "

    There are 5 parts to the course:

    ", + "
  • safe working practices in the vehicle test centre
  • ", + "
  • working relationships within the vehicle test centre
  • ", + "
  • managing your own professional development as an MOT tester
  • ", + "
  • carrying out pre-test checks for an MOT test
  • ", + "
  • carrying out an MOT test
  • ", + "

    Assessments in the course

    ", + "

    The course also includes:

    ", + "
  • a multiple-choice question test
  • ", + "
  • a practical assessment
  • ", + "

    You have to pass both to successfully complete the course.

    ", + "

    Your course provider will give you more information on how their course works.

    ", + "

    After you\u2019ve done the course

    ", + "

    When you complete the course you get a Level 2 MOT Testing Award in either:

    ", + "
  • class 1 and 2 vehicles (group A)
  • ", + "
  • class 4 and 7 vehicles (group B)
  • ", + "

    You\u2019ll get a certificate which you need to book and take a Driver and Vehicle Standards Agency MOT demonstration test.

    ", + "

    MOT demonstration test (class 1, 2, 4 and 7)

    ", + "

    You must pass an MOT demonstration test when you\u2019ve got your level 2 MOT testing certificate.

    ", + "

    You can do the demonstration test at either:

    ", + "
  • the training centre where you took the qualification course
  • ", + "
  • an MOT testing station you work at (that\u2019s open and trading)
  • ", + "

    You do not have to pay to do the demonstration test.

    ", + "

    Before you book the test

    ", + "

    Before you book the test, you need to:

    ", + "
  • read the MOT testing manuals and special notices
  • ", + "
  • practise your inspection routine
  • ", + "
  • practise using the test equipment with different vehicles
  • ", + "
  • watch an experienced tester test different vehicles
  • ", + "

    How to book the test

    ", + "

    You can book your demonstration test once you can carry out an MOT test without any help.

    ", + "
  • Sign in to the MOT testing service - your account should have been created when you did your qualification course.
  • ", + "
  • Go to the your profile section and select qualifications.
  • ", + "
  • Add your level 2 MOT testing certificate number, and choose where you want to do the demonstration test - you\u2019ll need the ID number of the training centre or testing station.
  • ", + "
  • Request a test by calling the Driver and Vehicle Standards Agency (DVSA). You\u2019ll need your user ID from the MOT testing service and the name and ID number of the test location you chose in step 3.
  • ", + "
  • DVSA will call you to set a test date - this can take several weeks. If DVSA has not called you within 4 weeks, you can call them to get an update.
  • ", + "

    What to bring to the test

    ", + "

    When you take your test, make sure you bring:

    ", + "
  • a vehicle that\u2019s at least 3 years old, in the vehicle class you\u2019re being tested on
  • ", + "
  • your UK driving licence (if you do not have a photocard licence you also need to take photo ID, such as your passport)
  • ", + "
  • your level 2 MOT testing award certificate
  • ", + "

    Your test will be cancelled if you do not bring these things with you.

    ", + "

    What happens at the test

    ", + "

    The DVSA examiner will explain what you\u2019ll have to do. They\u2019ll ask you to:

    ", + "
  • carry out a demonstration test
  • ", + "
  • record the result in a practice version of the MOT testing service
  • ", + "
  • answer some questions about the MOT
  • ", + "

    Test result

    ", + "

    If you pass the demonstration test you can start doing MOT tests at the testing stations where you\u2019re a registered tester. These are listed in the MOT testing service.

    ", + "

    If you fail the demonstration test, the examiner will give you feedback and tell you what to do next.

    ", + "

    Class 3 or 5 MOT tester training

    ", + "

    You need to do another training course and MOT demonstration test to become a class 3 or 5 MOT tester.

    ", + "

    Before the training course

    ", + "

    You\u2019ll need to show that you\u2019ve already:

    ", + "
  • got a level 2 testing certificate in class 4 and 7 vehicles (group B)
  • ", + "
  • passed an MOT demonstration test after getting your level 2 certificate
  • ", + "

    How to apply

    ", + "

    You can book a class 3 or 5 training course by contacting these approved course providers. The prices vary and are set by each course provider.

    ", + "

    After you\u2019ve done the course

    ", + "

    You\u2019ll get a certificate. You need this to book and take a DVSA MOT demonstration test before you can work as a class 3 or 5 MOT tester.

    ", + "

    Do not enter the certificate details on the MOT testing service.

    ", + "

    The demonstration test involves being tested by a DVSA examiner at either:

    ", + "
  • the training centre where you took the qualification course
  • ", + "
  • a testing centre that tests class 3 and 5 vehicles
  • ", + "

    Preparing for the test

    ", + "

    Prepare for the demonstration test by:

    ", + "
  • reading the MOT testing manuals and special notices
  • ", + "
  • practicing your inspection routine
  • ", + "
  • making sure you have all the necessary documents, for example your driving licence
  • ", + "

    How to book the test

    ", + "

    You\u2019ll need:

    ", + "
  • your MOT testing service user ID
  • ", + "
  • to know the vehicle test station (VTS) number where you want to have your test
  • ", + "

    Call DVSA to book your test.

    ", + "

    How the test works

    ", + "

    A DVSA examiner will check your:

    ", + "
  • UK driving licence (if you do not have a photocard licence you also need to take photo ID, such as your passport)
  • ", + "
  • class 3 or 5 MOT training certificate
  • ", + "

    The examiner will explain what you\u2019ll have to do. They\u2019ll ask you to:

    ", + "
  • carry out a demonstration test
  • ", + "
  • record the result in the training version of the MOT testing service
  • ", + "
  • answer some questions about the MOT
  • ", + "

    Test result

    ", + "

    If you pass the demonstration test you\u2019ll be able to do either class 3 or 5 MOT tests at testing stations authorised to test these classes.

    ", + "

    If you fail the demonstration test, the examiner will give you feedback and tell you what to do next.

    ", + "

    Annual training and assessment

    ", + "

    You must complete your training and pass an assessment between April and March every year, for example between April 2016 and March 2017.

    ", + "

    You choose when you do the training and assessment.

    ", + "

    You\u2019ll be responsible for:

    ", + "
  • planning and doing your training
  • ", + "
  • recording your training and keeping evidence of it
  • ", + "
  • booking and taking the annual assessment
  • ", + "

    Returning to MOT testing

    ", + "

    You need to do more training and take a test if you\u2019re returning to MOT testing.

    ", + "

    What you have to do depends on:

    ", + "
  • why you stopped testing
  • ", + "
  • how long you stopped testing for
  • ", + "

    After a formal warning or disciplinary period

    ", + "

    You must complete all the steps before you can test again.

    ", + "

    Formal warning or disciplinary period of 28 days

    ", + "
  • Take the current year\u2019s annual training and assessment.
  • ", + "
  • Take extra training about the subjects you were disqualified for. For example, read the inspection manuals or take a training course. The Driver and Vehicle Standards Agency (DVSA) can ask you for evidence you\u2019ve done it.
  • ", + "
  • Take a DVSA MOT demonstration test.
  • ", + "

    Disciplinary period of 2 or 5 years

    ", + "
  • Take an MOT tester qualification course.
  • ", + "
  • Take a DVSA MOT demonstration test.
  • ", + "

    If you stopped testing voluntarily

    ", + "

    You must complete all the steps before you can test again.

    ", + "

    Stopped for between 6 months and 5 years

    ", + "
  • Take the current year\u2019s annual training and assessment.
  • ", + "
  • Take extra training. For example, read the inspection manuals or take a training course. DVSA can ask you for evidence you\u2019ve done it.
  • ", + "
  • Take a \u2018returning to MOT testing\u2019 demonstration test. Call DVSA to book your test.
  • ", + "

    You\u2019ll need to give:

    ", + "
  • your MOT testing service user ID
  • ", + "
  • the number of the vehicle test station where you want to do the test
  • ", + "
  • the class of vehicle you want to test
  • ", + "

    Stopped for more than 5 years

    ", + "
  • Take an MOT tester qualification course.
  • ", + "
  • Take a DVSA MOT demonstration test.
  • " + ] + }, + { + "title": "MOT tester training and annual assessments", + "url": "https://www.gov.uk/mot-tester-training-assessments", + "contents": [ + "

    Staying qualified as an MOT tester

    ", + "

    You must complete training and pass an assessment between April and March every year.

    ", + "

    Your MOT tester status will be suspended if you do not pass the annual assessment.

    ", + "

    What you need to do

    ", + "
  • Do at least 3 hours of training each year and 16 hours in 5 years.
  • ", + "
  • Keep a record of your training.
  • ", + "
  • Book and take your assessment.
  • ", + "

    If you pass the assessment, you\u2019ll get a certificate. You can check if your certificate has been uploaded in the \u2018Annual assessment certificates\u2019 section of your MOT testing service profile. Contact your training provider if it\u2019s not been recorded correctly.

    ", + "

    Training

    ", + "

    You\u2019re responsible for planning and doing your training. You must keep a record of your training.

    ", + "

    You can train on your own or in a group by:

    ", + "
  • studying MOT inspection manuals, special notices and the testing guide
  • ", + "
  • discussing what you\u2019re learning with another tester (or group of testers)
  • ", + "
  • demonstrating what you\u2019re learning to another tester
  • ", + "
  • learning from a more experienced tester
  • ", + "

    You can also book a training course through one of these providers:

    ", + "
  • ABC Awards
  • ", + "
  • City & Guilds
  • ", + "
  • Institute of the Motor Industry
  • ", + "

    Check with the provider for the cost.

    ", + "

    What you need to study

    ", + "

    The topics you need to study depend on whether you test class 1 and 2 vehicles (\u2018group A\u2019) or class 3, 4, 5 and 7 vehicles (\u2018group B\u2019).

    ", + "

    Some topics are studied by both groups.

    ", + "

    Group A (class 1 and 2 vehicles)

    ", + "

    If you test vehicles in group A, you need to know about:

    ", + "
  • new vehicle technology
  • ", + "
  • MOT test procedures
  • ", + "
  • MOT testing requirements
  • ", + "
  • corrosion and standards of repair
  • ", + "
  • the MOT inspection manual for motorcycles and sidecars
  • ", + "

    Group B (class 3, 4, 5 and 7 vehicles)

    ", + "

    If you test vehicles in group B, you need to know about:

    ", + "
  • new vehicle technology
  • ", + "
  • MOT testing requirements
  • ", + "
  • corrosion and standards of repair
  • ", + "
  • the MOT inspection manual for cars and passenger vehicles
  • ", + "

    Groups A and B

    ", + "

    If you test vehicles in both group A and group B, you need to study all the topics. You also need to train for at least 6 hours a year (instead of 3) and take 2 annual assessments.

    ", + "

    Keeping a record of your training

    ", + "

    You have to keep records for 5 years.

    ", + "

    You\u2019ll need to record:

    ", + "
  • the MOT annual training year (for example May 2021 to March 2022)
  • ", + "
  • the date of the training
  • ", + "
  • how long the training session lasted
  • ", + "
  • what topics you covered during the session
  • ", + "
  • notes on what you did, how you did it and what you learned
  • ", + "
  • what vehicle groups your training covered
  • ", + "
  • your name and MOT testing service user ID
  • ", + "

    You can use a template to record your training.

    ", + "

    Taking your assessment

    ", + "

    You can have your assessment at any point in the year, if you\u2019ve done your training.

    ", + "

    Book your assessment through one of these providers:

    ", + "
  • ABC awards
  • ", + "
  • Institute of the Motor Industry
  • ", + "

    You have to pay for the assessment - check the cost with the provider.

    ", + "

    What happens at the assessment

    ", + "

    You take the assessment online, for example at home or at the provider.

    ", + "

    The test is 30 multiple-choice questions. It usually takes around 1 hour.

    ", + "

    Read examples of the types of questions you\u2019ll be asked.

    ", + "

    You can use your notes and the MOT inspection manual during the assessment.

    ", + "

    After your assessment

    ", + "

    The pass mark for 1 May 2021 to 31 March 2022 is 80%.

    ", + "

    You get a certificate if you pass your assessment. Keep it with your training record.

    ", + "

    If you do not pass, there\u2019s no limit on how many times you can take the assessment during the same year.

    ", + "

    You must stop carrying out MOT tests if you have not passed by the end of the training year. Your MOT testing account will be suspended.

    ", + "

    If you do not pass your assessment in the training year

    ", + "

    You\u2019ll need to do the training and pass the annual assessment on the next year\u2019s topics. For example, if you did not pass the 2020 to 2021 assessment you will need to pass the 2021 to 2022 assessment.

    ", + "

    Once you\u2019ve passed, you need to request and pass an MOT demonstration test. Your account will then be unsuspended.

    ", + "

    MOT demonstration tests are not taking place because of coronavirus (COVID-19). You can still email DVSA to request an MOT demonstration test. DVSA will contact you when testing restarts.

    ", + "

    You\u2019ll need to include:

    ", + "
  • your MOT testing service user ID
  • ", + "
  • the MOT centre number of where you want to take the test
  • ", + "

    If you\u2019ve carried out an MOT test in the last 12 months, DVSA will unsuspend your account and you\u2019ll be able to do MOT tests again if you do the training and pass the 2021 to 2022 assessment. You will not need to do a demonstration test.

    ", + "

    Email DVSA if you\u2019ve carried out an MOT test in the last 12 months and have passed the 2021 to 2022 assessment, including:

    ", + "
  • your MOT testing service user ID
  • ", + "
  • a copy of your certificate and training record
  • ", + "
  • your MOT centre number
  • " + ] + }, + { + "title": "Set up an MOT test station", + "url": "https://www.gov.uk/become-an-mot-station", + "contents": [ + "

    What you need to set up and start testing

    ", + "

    You must meet a number of legal requirements if you want to set up an MOT test station.

    ", + "

    Set up the test station

    ", + "

    You need:

    ", + "
  • suitable premises and approved equipment for the vehicle classes you want to test
  • ", + "
  • an authorised examiner (AE)
  • ", + "

    The AE is an individual, partnership or company authorised by the Driver and Vehicle Standards Agency (DVSA). The AE is responsible for making sure that:

    ", + "
  • MOT tests are properly conducted
  • ", + "
  • the test facilities and equipment are checked and well-maintained
  • ", + "
  • MOT documents are correctly stored and access to electronic MOT test systems is only given to eligible users
  • ", + "
  • the MOT testers are assessed correctly and complete training and assessments
  • ", + "
  • DVSA staff have access to the premises for checks on staff and equipment
  • ", + "
  • DVSA is informed about significant changes to the business within 7 working days
  • ", + "

    Start MOT testing

    ", + "

    Before you can carry out MOT testing you also need:

    ", + "
  • an MOT business manager (sometimes called an \u2018AE designated manager\u2019) who is in charge of all MOT testing by your business
  • ", + "
  • an MOT tester approved for the vehicle classes you want to test
  • ", + "

    The MOT business manager must have taken an approved course, for example the former 2-day DVSA course or a level 3 award in MOT Test Centre Management.

    ", + "

    Find an MOT manager qualification course and book it with the course provider.

    ", + "

    You have to pay to take the course. The price is set by the course provider.

    ", + "

    Apply for authorised examiner status

    ", + "

    You need an authorised examiner (AE) to set up an MOT test station. The AE can be an individual, partnership or company.

    ", + "

    AE status does not transfer with a business. If you\u2019re buying an existing MOT station, you need to apply for AE status in your own right.

    ", + "

    How to apply

    ", + "

    Send form VT01 to the Driver and Vehicle Standards Agency (DVSA). The address is on the form.

    ", + "

    Use the same form if you already have AE status and want to open a test station.

    ", + "

    The application form has guidance notes explaining the information you need to include. There is no fee.

    ", + "

    If your application is refused, DVSA will write to you - you can appeal the decision and ask for a hearing by writing to DVSA within 14 days.

    ", + "

    When you must reapply

    ", + "

    You must reapply for AE status if your company is reconstructed in a way that means it\u2019s given a new company registration number.

    ", + "

    Equipment and premises

    ", + "

    You need to make sure that your equipment and premises are suitable for the vehicle classes you plan to test.

    ", + "

    Equipment

    ", + "

    You need to have a:

    ", + "
  • computer, laptop or tablet with internet connection
  • ", + "
  • printer
  • ", + "

    These need to met the minimum IT specification.

    ", + "

    Approved testing equipment

    ", + "

    Different classes of vehicle need different specialist test equipment.

    ", + "

    You must make sure you have at least the minimum level for each vehicle class you\u2019re approved to test.

    ", + "

    All equipment must be kept in good working order and calibrated properly.

    ", + "

    You\u2019ll need to use approved equipment for:

    ", + "
  • brake pedal application devices
  • ", + "
  • decelerometers
  • ", + "
  • diesel smoke meters
  • ", + "
  • exhaust gas analysers (catalyst vehicles)
  • ", + "
  • exhaust gas analysers (non-catalyst vehicles)
  • ", + "
  • headlamp aim testers
  • ", + "
  • plate brake testers
  • ", + "
  • roller brake testers
  • ", + "
  • tow bar socket testers
  • ", + "
  • tyre tread depth gauges
  • ", + "
  • wheel play detectors
  • ", + "

    There are 3 categories of decelerometers:

    ", + "
  • category A are approved for all classes of vehicle
  • ", + "
  • category B are approved for class 3, 4, 5 and 7 vehicles
  • ", + "
  • category C are approved for class 1 and 2 vehicles
  • ", + "

    You can download the lists of approved equipment.

    ", + "

    Premises

    ", + "

    You need to make sure your premises are suitable and testing bay sizes are correct for the vehicle classes you\u2019ll be testing. You can find the minimum standards in the MOT testing guide.

    ", + "

    Approval in principle

    ", + "

    Your premises will be given an approval in principle when you apply for authorised examiner (AE) status. This will help you avoid committing to expensive work or alterations before your premises are approved.

    ", + "

    If you\u2019ve already got AE status and want to make changes to the test facilities, write to the Driver and Vehicle Standards Agency (DVSA) before you make any changes. Include supporting drawings, to show that the changes will not affect the testing station\u2019s approval.

    ", + "

    Meeting ongoing standards

    ", + "

    You must clearly and publicly display the MOT test fees and appeals poster (VT9A) in your station.

    ", + "

    You should conduct regular checks to make sure your MOT testing station meets the best practice standards at all times.

    ", + "

    Prepare for site reviews

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will carry out regular risk-based site reviews of your station to make sure you continue to meet the standards.

    ", + "

    This will involve checking your station is well maintained and that it offers clean and comfortable facilities, for example suitable customer waiting areas.

    ", + "

    Learn about changes to MOT rules

    ", + "

    DVSA uses \u2018special notices\u2019 to tell you about changes to the MOT scheme. Authorised examiners (AEs) receive these automatically within the online MOT testing service.

    ", + "

    If your service is not good enough

    ", + "

    DVSA can take disciplinary action or stop you operating as a testing station if your service is not good enough.

    ", + "

    If you lose AE status for disciplinary reasons, anyone else applying for AE status at the same test station must prove they\u2019re sufficiently independent from you.

    " + ] + }, + { + "title": "Becoming a speed limiter centre", + "url": "https://www.gov.uk/becoming-a-speed-limiter-centre", + "contents": [ + "

    Overview

    ", + "

    A speed limiter centre installs or adjusts devices that limit how fast a vehicle can go.

    ", + "

    Usually, only existing vehicle dealerships will become a speed limiter centre.

    ", + "

    If you want to become a speed limiter centre, you\u2019ll need to get either:

    ", + "
  • approval from the Driver and Vehicle Standards Agency (DVSA) to become an independent centre
  • ", + "
  • sponsored by a DVSA approved vehicle or speed limiter maker
  • ", + "

    Independent centres

    ", + "

    Fill in the application form and send it to DVSA.

    ", + "

    Inspections

    ", + "

    DVSA will inspect your premises, facilities and staff before approving your speed limiter centre.

    ", + "

    Approval

    ", + "

    You\u2019ll receive an authorisation letter from DVSA if your independent speed limiter centre is approved.

    ", + "

    Sponsored centres

    ", + "

    You\u2019ll need to be a sponsored vehicle dealership to become a sponsored speed limiter centre.

    ", + "

    Sponsors

    ", + "

    Sponsors are DVSA-approved makers or suppliers of either:

    ", + "
  • vehicles
  • ", + "
  • speed limiters
  • ", + "

    Once approved, sponsors are able to approve vehicle dealerships they already work with that want to become speed limiter centres.

    ", + "

    Get sponsored

    ", + "

    Contact the sponsors of your vehicle dealership to ask them if you can become a sponsored speed limiter centre.

    ", + "

    You can have more than 1 sponsor.

    ", + "

    Inspections

    ", + "

    Sponsors carry out regular checks on their approved agents equipment and also provide them with:

    ", + "
  • training
  • ", + "
  • technical support
  • ", + "
  • new equipment and software
  • ", + "

    Approval

    ", + "

    You\u2019ll receive an authorisation letter from your sponsor if they approve you as a sponsored speed limiter centre.

    " + ] + }, + { + "title": "Approved driving instructor (ADI) part 1 test", + "url": "https://www.gov.uk/adi-part-1-test", + "contents": [ + "

    Booking your test

    ", + "

    You can book your approved driving instructor (ADI) part 1 test when your application to start the ADI qualifying process has been accepted.

    ", + "

    It\u2019s the first of 3 tests you have to pass to qualify as an ADI. It\u2019s a theory test.

    ", + "

    There are 2 parts to the test:

    ", + "
  • multiple-choice questions
  • ", + "
  • hazard perception - a video test about spotting hazards on the road
  • ", + "

    You book and take them as a single test. You must pass both parts to pass the test.

    ", + "

    The ADI part 1 test works differently in Northern Ireland.

    ", + "

    Change or check your test details

    ", + "

    You can change the date of your test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).

    ", + "

    You can check your appointment details if you\u2019ve lost your booking confirmation.

    ", + "

    Rebook your test

    ", + "

    Rebook your ADI part 1 test if you failed your test and want to resit it. You have to choose a date at least 3 working days after your last test.

    ", + "

    Revision and practice

    ", + "

    You can use books and software to revise for the theory test.

    ", + "

    Multiple-choice questions

    ", + "

    The questions in the theory test are based on:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Driving - the essential skills
  • ", + "
  • the official Driver and Vehicle Standards Agency (DVSA) theory test kit for approved driving instructors e-Learning
  • ", + "
  • the Driving Instructor\u2019s Handbook
  • ", + "

    Study these to learn the rules and skills you\u2019ll be tested on.

    ", + "

    You can buy them online or from most high street bookshops.

    ", + "

    Hazard perception test

    ", + "

    Buy the official DVSA theory test kit for approved driving instructors e-Learning to learn hazard perception skills and then test them.

    ", + "

    What to take to your test

    ", + "

    You must take your UK photocard driving licence to your test.

    ", + "

    If you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.

    ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your theory test appointment for free if you need to self-isolate on the day of your test.

    ", + "

    Lost your licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours. This could take up to 15 days to arrive.

    ", + "

    Rearrange your test if you do not get it in time.

    ", + "

    If you have a paper licence

    ", + "

    Bring a valid passport as well as your paper licence.

    ", + "

    If you do not have a passport, you need to get a photocard licence.

    ", + "

    Personal belongings

    ", + "

    You will not have access to your personal items in the test room. This includes things like:

    ", + "
  • bags
  • ", + "
  • earphones
  • ", + "
  • mobile phones
  • ", + "
  • watches
  • ", + "

    You\u2019ll usually have to store any personal items in a locker.

    ", + "

    If your test centre does not have lockers, you must:

    ", + "
  • turn off your phone before you enter the test centre
  • ", + "
  • put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test
  • ", + "

    The test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.

    ", + "

    It\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.

    ", + "

    Multiple-choice questions

    ", + "

    You have 1 hour and 30 minutes to answer 100 multiple-choice questions.

    ", + "

    Before the test starts you\u2019ll get:

    ", + "
  • instructions on how the test works
  • ", + "
  • the chance to do some practice questions to get used to the screens
  • ", + "

    How the test works

    ", + "

    There are 25 questions in each of these 4 categories:

    ", + "
  • road procedure
  • ", + "
  • traffic signs and signals, car control, pedestrians and mechanical knowledge
  • ", + "
  • driving test, disabilities, and the law
  • ", + "
  • publications and instructional techniques
  • ", + "

    A question and several possible answers appear on a screen. You have to select the right answer.

    ", + "

    Leaving a question

    ", + "

    You can \u2018flag\u2019 questions that you want to come back to later.

    ", + "

    Changing your answers

    ", + "

    You can go back to any question to review and change your answer at any point.

    ", + "

    When you\u2019ve finished

    ", + "

    You can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 1 hour and 30 minutes.

    ", + "

    You can have a break of up to 3 minutes before the hazard perception test starts.

    ", + "

    Hazard perception test

    ", + "

    Before you start the hazard perception test, you\u2019ll be shown a video about how it works.

    ", + "

    You\u2019ll then watch 14 video clips. The clips:

    ", + "
  • feature everyday road scenes
  • ", + "
  • contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards
  • ", + "

    You get points for spotting the developing hazards as soon as they start to happen.

    ", + "

    What a \u2018developing hazard\u2019 is

    ", + "

    A developing hazard is something that would cause you to take action, like changing speed or direction.

    ", + "

    How the scoring works

    ", + "

    You can score up to 5 points for each developing hazard.

    ", + "

    To get a high score, click the mouse as soon as you see the hazard starting to develop.

    ", + "

    You do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.

    ", + "

    You only get one attempt at each clip. You cannot review or change your responses.

    ", + "

    Pass mark and test result

    ", + "

    You\u2019ll get the result at the test centre after taking the test. You must pass both parts to pass the test.

    ", + "

    To pass the multiple-choice part, you must get both:

    ", + "
  • an overall score of at least 85 out of 100
  • ", + "
  • at least 20 out of 25 in each of the 4 categories of questions
  • ", + "

    You\u2019ll fail if you get an overall score of 85 or higher, but do not score high enough in each of the 4 categories.

    ", + "

    To pass the hazard perception part, you need to score at least 57 points out of 75.

    ", + "

    If you pass

    ", + "

    You\u2019ll get a pass certificate letter if you pass the test. You\u2019ll need this when you book and take your approved driving instructor (ADI) part 2 test.

    ", + "

    Your pass certificate number lasts for 2 years. You must qualify as an ADI in that time, otherwise you\u2019ll have to start the application process again.

    ", + "

    If you fail

    ", + "

    You\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.

    ", + "

    You must book and take the full test again.

    ", + "

    You have to wait at least 3 working days before taking your test again.

    ", + "

    If you have reading difficulties

    ", + "

    When you book your test you should say if you have a reading difficulty.

    ", + "

    You can then ask for an English voiceover. This lets you hear the test instructions and questions through headphones.

    ", + "

    You can hear the questions and possible answers as many times as you like.

    ", + "

    Extra time to take the test

    ", + "

    You can ask for more time to do the multiple-choice questions part of the test.

    ", + "

    To do this, you must send proof to the Driver and Vehicle Standards Agency (DVSA) that you have a reading difficulty. The proof could be an email or letter from a:

    ", + "
  • teacher or other educational professional
  • ", + "
  • doctor or medical professional
  • ", + "
  • an occupational therapist
  • ", + "
  • an online dyslexia screening product assured by the British Dyslexia Association
  • " + ] + }, + { + "title": "Approved driving instructor (ADI) part 2 test", + "url": "https://www.gov.uk/adi-part-2-test", + "contents": [ + "

    Booking your test

    ", + "

    You can book your approved driving instructor (ADI) part 2 test when you\u2019ve passed your ADI part 1 test.

    ", + "

    It\u2019s the second of 3 tests you have to pass to qualify as an ADI. It\u2019s a test of your driving ability.

    ", + "

    The ADI part 2 test works differently in Northern Ireland.

    ", + "

    To pass the test you must be able to:

    ", + "
  • drive safely in different road and traffic conditions
  • ", + "
  • show that you know The Highway Code by the way you drive
  • ", + "

    The national standard for driving cars tells you everything you must be able to do to pass the test.

    ", + "

    You can find driving instructor training if you need help to prepare for the test.

    ", + "

    Only take your test when you can do everything without instruction.

    ", + "

    Driving tests and coronavirus (COVID-19)

    ", + "

    You must bring and wear a face covering for your test, unless it\u2019s not safe for you to do so.

    ", + "

    You must also clean the inside of your car before your test. This means wiping down surfaces and tidying. The examiner will do an additional clean of some surfaces.

    ", + "

    What to take to your test

    ", + "

    You must bring:

    ", + "
  • your UK driving licence
  • ", + "
  • your approved driving instructor (ADI) part 1 pass certificate
  • ", + "
  • a face covering, unless it\u2019s not safe for you to wear one
  • ", + "
  • a suitable car
  • ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    Reasons why you must not go to your test

    ", + "

    Do not go to your driving test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your test appointment or cancel your test for free if you\u2019re not able to go.

    ", + "

    Wearing a face covering

    ", + "

    You must bring and wear a face covering for your test, unless it\u2019s not safe for you to do so. For example, because:

    ", + "
  • you have a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you cannot wear a face covering when you book your test. Otherwise, your test will be cancelled if you arrive without one.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Your driving licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    ", + "

    If you do not have a photocard licence

    ", + "

    Bring a valid passport and your paper licence.

    ", + "

    If you have a licence from Northern Ireland

    ", + "

    Bring the Northern Ireland photocard and paper counterpart.

    ", + "

    Rules for the car you use

    ", + "

    When you take a test, your car must:

    ", + "
  • be taxed
  • ", + "
  • be insured for a driving test (check with your insurance company)
  • ", + "
  • be roadworthy and have a current MOT (if it\u2019s over 3 years old)
  • ", + "
  • be a saloon, hatchback or estate car in good working condition - you cannot use a convertible
  • ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "
  • be able to reach at least 62mph and have an mph speedometer
  • ", + "
  • have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg
  • ", + "

    The MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.

    ", + "

    Your test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.

    ", + "

    Coronavirus (COVID-19) safety

    ", + "

    Because of COVID-19, you must clean the inside of your car before your test.

    ", + "

    This means:

    ", + "
  • tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    ", + "

    Vehicle fittings and features

    ", + "

    The car must have:

    ", + "
  • an extra interior rear-view mirror for the examiner
  • ", + "
  • a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)
  • ", + "

    Dashcams and other cameras

    ", + "

    You can use a camera fitted for insurance purposes, as long as it:

    ", + "
  • faces outside of the car and does not film the inside
  • ", + "
  • does not record audio from inside the car
  • ", + "

    Vehicle features

    ", + "

    You can use a car with:

    ", + "
  • an electronic parking brake
  • ", + "
  • hill-start assist
  • ", + "

    Hire cars

    ", + "

    You can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.

    ", + "

    Manual and automatic cars

    ", + "

    If you have a manual licence, you can take the test in either a manual or automatic car. You\u2019ll be able to train people in both types of car when you\u2019ve qualified.

    ", + "

    If you have an automatic licence, you must take the test in an automatic car. You\u2019ll only be able to train people in an automatic car when you\u2019ve qualified.

    ", + "

    Cars you cannot use

    ", + "

    Some cars cannot be used in the test because they do not give the examiner all-round vision.

    ", + "

    You cannot use any of the following:

    ", + "
  • BMW Mini convertible
  • ", + "
  • Ford KA convertible
  • ", + "
  • Toyota iQ
  • ", + "
  • VW Beetle convertible
  • ", + "

    Check with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:

    ", + "
  • convertible car
  • ", + "
  • panel van
  • ", + "

    Cars with known safety faults

    ", + "

    You cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.

    ", + "

    You must bring the proof that it\u2019s safe with you when you take your test.

    ", + " | Reason for recall | Vehicles affected | Recall issue date", + "Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016", + "Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016", + "Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and 0N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016", + "Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014", + "Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014", + "Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014", + "

    Proof you need to bring to your test

    ", + "

    You must bring proof that says one of the following:

    ", + "
  • the car was recalled and the recall work has been done
  • ", + "
  • the car was recalled but did not need any work to be done
  • ", + "
  • the car was not part of the recall
  • ", + "

    The proof must be either:

    ", + "
  • the recall letter or safety notice, stamped by the manufacturer or dealer
  • ", + "
  • on official or headed notepaper from the manufacturer or a dealer
  • ", + "

    Your test will be cancelled and you could lose your fee if you do not bring the right proof.

    ", + "

    What happens during the test

    ", + "

    There are 5 parts to the approved driving instructor (ADI) part 2 test:

    ", + "
  • an eyesight check
  • ", + "
  • \u2018show me, tell me\u2019 vehicle safety questions
  • ", + "
  • general driving ability
  • ", + "
  • manoeuvres
  • ", + "
  • independent driving
  • ", + "

    How long the test lasts

    ", + "

    The test takes around one hour.

    ", + "

    The eyesight test

    ", + "

    You\u2019ll have to read a number plate from a distance of:

    ", + "
  • 26.5 metres for vehicles with a new-style number plate
  • ", + "
  • 27.5 metres for vehicles with an old-style number plate
  • ", + "

    New-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.

    ", + "

    You\u2019ll fail the test if you do not pass the eyesight test. It will count as one of the 3 attempts you\u2019re allowed at the ADI part 2 test.

    ", + "

    \u2018Show me, tell me\u2019 questions

    ", + "

    You\u2019ll be asked 5 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety tasks.

    ", + "

    You\u2019ll be asked:

    ", + "
  • 3 \u2018tell me\u2019 questions at the start of your test, before you start driving
  • ", + "
  • 2 \u2018show me\u2019 questions while you\u2019re driving - for example, showing how to wash the windscreen using the car controls and wipers
  • ", + "

    You\u2019ll get a driving fault for each incorrect answer you give.

    ", + "

    You\u2019ll get a serious fault and fail the test if you answer all 5 questions incorrectly, or if you lose control of the car while answering any of the \u2018show me\u2019 questions.

    ", + "

    Your general driving ability

    ", + "

    You\u2019ll have to show the examiner all of the following:

    ", + "
  • expert handling of the controls
  • ", + "
  • use of correct road procedure
  • ", + "
  • anticipation of the actions of other road users and then taking appropriate action
  • ", + "
  • sound judgement of distance, speed and timing
  • ", + "
  • consideration for the convenience and safety of other road users
  • ", + "
  • driving in an environmentally-friendly manner
  • ", + "

    You\u2019ll drive in varying road and traffic conditions, including motorways or dual carriageways where possible.

    ", + "

    You might also be asked to carry out an emergency stop.

    ", + "

    Reversing your vehicle

    ", + "

    The examiner will ask you to do 2 of the following exercises:

    ", + "
  • parallel park at the side of the road
  • ", + "
  • reverse into a parking bay and drive out
  • ", + "
  • drive into a parking bay and reverse out
  • ", + "
  • pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic
  • ", + "

    Independent driving

    ", + "

    You\u2019ll have to drive for about 20 minutes by following either:

    ", + "
  • directions from a sat nav
  • ", + "
  • traffic signs
  • ", + "

    The examiner will tell you which you have to do.

    ", + "

    Following directions from a sat nav

    ", + "

    The examiner will provide the sat nav and set it up for you.

    ", + "

    You cannot follow directions from your own sat nav during the test.

    ", + "

    Going off the route

    ", + "

    Your test result will not be affected if you take a wrong turning, unless you make a fault while doing it.

    ", + "

    The examiner will help you get back on the route if you do.

    ", + "

    If you cannot see traffic signs

    ", + "

    If you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.

    ", + "

    If you make mistakes during your test

    ", + "

    You can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.

    ", + "

    Your driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.

    ", + "

    Faults and test result

    ", + "

    There are 3 types of faults you can make:

    ", + "
  • a dangerous fault - this involves actual danger to you, the examiner, the public or property
  • ", + "
  • a serious fault - something potentially dangerous
  • ", + "
  • a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault
  • ", + "

    Pass mark

    ", + "

    You\u2019ll pass your approved driving instructor (ADI) part 2 test if you make:

    ", + "
  • no more than 6 driving faults
  • ", + "
  • no serious or dangerous faults
  • ", + "

    If you pass your test

    ", + "

    The examiner will:

    ", + "
  • tell you what faults you made, if any
  • ", + "
  • give you a copy of the driving test report
  • ", + "

    You can then either:

    ", + "
  • book your ADI part 3 test
  • ", + "
  • apply for a trainee driving instructor licence
  • ", + "

    A trainee driving instructor licence can help you prepare for the ADI part 3 test.

    ", + "

    If you do not pass

    ", + "

    The examiner will tell you what faults you made.

    ", + "

    You can take the test again if you fail at either your first or second attempt.

    ", + "

    You have to pay again to book another test.

    ", + "

    Failing the third attempt

    ", + "

    You have to retake and pass the ADI part 1 test again if you fail the ADI part 2 test 3 times.

    ", + "

    You have to wait 2 years from when you first passed the ADI part 1 test before you can take it again.

    ", + "

    Appeal your ADI part 2 test

    ", + "

    You can appeal your test if you can prove that your examiner did not follow the law.

    ", + "

    Read the guidance on appealing your test to check if your examiner followed the law.

    ", + "

    If you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)

    ", + "

    If DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.

    ", + "

    If DVSA does not agree with your complaint you may be able to appeal to a court instead.

    ", + "

    Appeal your test to a court

    ", + "

    You can appeal if you can prove that your examiner did not follow the law when they carried out your test.

    ", + "

    Your test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.

    ", + "

    You might have to pay significant legal costs if your appeal is unsuccessful.

    ", + "

    You\u2019ll need to appeal within:

    ", + "
  • 6 months of your test in England and Wales
  • ", + "
  • 21 days of your test in Scotland
  • ", + "

    Check if you can appeal.

    ", + "

    If your test is cancelled or there's bad weather

    ", + "

    Your driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.

    ", + "

    If your test is suspended due to coronavirus (COVID-19)

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You need to have passed a theory test in the last 2 years to take this test. Your theory test certificate will not be extended.

    ", + "

    Bad weather

    ", + "

    Driving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.

    ", + "

    Call your test centre if there are any of these conditions on the day of your test.\nThe phone number for the test centre is on your booking confirmation email.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it\u2019s not suitable.

    ", + "

    You cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.

    ", + "

    Problems with you or your car

    ", + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example, if you feel unwell while taking your test
  • ", + "
  • your car, for example, if it breaks down during the test or does not meet the rules to be used
  • ", + "

    If your test is cancelled for another reason

    ", + "

    Sometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    " + ] + }, + { + "title": "Get a trainee driving instructor licence", + "url": "https://www.gov.uk/trainee-driving-instructor-licence-the-rules", + "contents": [ + "

    Overview

    ", + "

    You can apply for a trainee driving instructor licence after you pass the approved driving instructor (ADI) part 2 test.

    ", + "

    A trainee licence:

    ", + "
  • helps you get experience instructing pupils to drive so you can prepare for the ADI part 3 test
  • ", + "
  • lasts for 6 months
  • ", + "

    You can charge for lessons to cover the cost of things like your insurance and vehicle costs.

    ", + "

    Who can apply

    ", + "

    You can apply for a trainee licence if you:

    ", + "
  • have passed your ADI part 1 test in the last 2 years
  • ", + "
  • have passed the ADI part 2 test
  • ", + "
  • have had at least 40 hours of training from a qualified ADI in providing \ndriving instruction (at least 10 of which were done in a car), recorded on the ADI 21T declaration form
  • ", + "
  • are eligible to take the ADI part 3 test
  • ", + "

    Being refused a trainee licence

    ", + "

    You can appeal to the General Regulatory Chamber if you\u2019re refused a trainee licence.

    ", + "

    The rules and process for getting a trainee licence are different in Northern Ireland.

    ", + "

    Options when you apply for a trainee licence

    ", + "

    You have 2 options to choose from when you apply for a trainee licence. You must either:

    ", + "
  • be supervised for 20% of all lessons you give while you have your trainee licence
  • ", + "
  • do at least 20 hours of extra training while you have your trainee licence
  • ", + "

    You can only choose one option and you cannot change to the other after you\u2019ve made your decision.

    ", + "

    Talk to your sponsoring approved driving instructor (ADI) or training organisation about which option is best for you.

    ", + "

    Option 1 - supervision of lessons

    ", + "

    In this option you have to be supervised by your sponsoring ADI for 20% of all the lessons you give.

    ", + "

    You must keep a record of the number of hours:

    ", + "
  • you give lessons
  • ", + "
  • you are supervised
  • ", + "

    The ADI 21S supervision record form must be signed by both you and your ADI. You must send it to the Driver and Vehicle Standards Agency (DVSA) when your trainee licence runs out.

    ", + "

    You cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.

    ", + "

    Option 2 - extra training

    ", + "

    In this option, you have to do at least 20 hours of extra training in the topics in the training programme.

    ", + "

    After you get your training licence, you must complete the training within the next 3 months and before you book the ADI part 3 test.

    ", + "

    At least 25% of the training must be practical in-car training.

    ", + "

    The training must be recorded on the\ninstructor training declaration form.\u200b

    ", + "

    You must send the form to DVSA as soon as you\u2019ve completed your training. If you do not send the form, DVSA can take your trainee licence away.

    ", + "

    You cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.

    ", + "

    If you fail the ADI part 3 test or you do not book it in time

    ", + "

    If you fail the test, you must do 5 hours of extra training before your next attempt. You have 3 attempts to pass the test.

    ", + "

    If you do not book the test within 3 months of getting your licence, you must take 5 hours of extra training before you book the test.

    ", + "

    Each time you do 5 hours of extra training, record it on a new instructor training declaration form.

    ", + "

    If you do not send the form, DVSA can take your trainee licence away.

    ", + "

    Rules for using your trainee licence

    ", + "

    You must:

    ", + "
  • be a \u2018fit and proper\u2019 person
  • ", + "
  • get the required amount of supervision or extra training while your licence is still valid
  • ", + "

    Displaying your licence

    ", + "

    You must display your trainee licence on the nearside edge of the front windscreen of your car while you give driving lessons.

    ", + "

    Where you train

    ", + "

    Your trainee licence shows the name and address of your training establishment. You can only give instruction from there, so you cannot work independently, such as by setting up your own school.

    ", + "

    You must not advertise yourself as an instructor. Any advertising your training establishment does must not make it seem like you\u2019re a fully qualified instructor.

    ", + "

    Changing your driving school

    ", + "

    You must apply for a new trainee licence if you leave a driving school and join a new one. There\u2019s no fee for doing this.

    ", + "

    DVSA will send you a new licence showing the details of your new school. You should send your old licence to DVSA as soon as you get the new one.

    ", + "

    You can still give driving lessons while you wait for your new licence.

    ", + "

    When trainee licences can be taken away

    ", + "

    The ADI registrar can take your trainee licence away before it runs out if:

    ", + "
  • you break any of the rules for having a trainee licence
  • ", + "
  • the licence was issued by mistake or gained by fraud
  • ", + "
  • you fail 3 attempts at the ADI part 3 test
  • ", + "

    Not using your trainee licence

    ", + "

    You should return your trainee licence to DVSA if you are not using it, for example because of a long period of illness.

    ", + "

    You will not get a refund, but DVSA will know that you have not had full use of the licence. This will be a factor in deciding whether to give you another licence in future.

    ", + "

    Lost or stolen licence

    ", + "

    You should tell the police straight away if your licence is lost or stolen. They will give you a crime reference number.

    ", + "

    You\u2019ll have to pay \u00a33 if you lose your licence or cannot give DVSA a crime reference number.

    ", + "

    You cannot currently contact DVSA by post because of coronavirus (COVID-19).

    ", + "

    To get a replacement, email DVSA with the following:

    ", + "
  • the crime reference number
  • ", + "
  • your permission that DVSA can use your photocard driving licence photo or a previous photo they have on record
  • ", + "

    DVSA will contact you to tell you how to pay.

    ", + "

    When your trainee licence runs out

    ", + "

    Your trainee licence lasts for 6 months. When it runs out you must stop being paid for giving driving lessons.

    ", + "

    Getting another licence

    ", + "

    You can apply for another trainee licence, but you\u2019ll need to pay the fee again.

    ", + "

    You cannot be paid for giving driving lessons when you do not have a valid trainee licence.

    ", + "

    You\u2019re more likely to get another licence if you told DVSA you had stopped using the first, for example because of a period of illness.

    ", + "

    It\u2019s unlikely that you\u2019ll get another licence if you:

    ", + "
  • just want more time to pass the approved driving instructor (ADI) part 3 test
  • ", + "
  • did not follow the rules for using your previous trainee licence
  • ", + "

    You can appeal to the General Regulatory Chamber if you\u2019re not given another licence.

    " + ] + }, + { + "title": "Approved driving instructor (ADI) part 3 test", + "url": "https://www.gov.uk/adi-part-3-test", + "contents": [ + "

    Booking your test

    ", + "

    You can book your approved driving instructor (ADI) part 3 test when you\u2019ve passed your ADI part 2 test.

    ", + "

    It\u2019s the last of 3 tests you have to pass to qualify as an ADI. It\u2019s a test of your ability to teach pupils.

    ", + "

    Your driving examiner will call you a few days before your test to agree:

    ", + "
  • the start time with you
  • ", + "
  • where you want the test to start from (either the driving test centre or somewhere within 5 minutes of the driving test centre)
  • ", + "

    The ADI part 3 test works differently in Northern Ireland.

    ", + "

    The national standard for driver and rider training tells you everything you must be able to do to pass the test.

    ", + "

    You can find driving instructor training if you need help to prepare for the test.

    ", + "

    What to take to your test

    ", + "

    You must bring:

    ", + "
  • your UK driving licence
  • ", + "
  • a face covering, unless it\u2019s not safe for you to wear one
  • ", + "
  • a suitable car
  • ", + "
  • a pupil
  • ", + "

    You should also bring a log of the training you\u2019ve been doing to qualify as an approved driving instructor (ADI).

    ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    Reasons why you must not go to your test

    ", + "

    Do not go to your driving test if you or your pupil:

    ", + "
  • have coronavirus (COVID-19) symptoms, or someone you live with has symptoms
  • ", + "
  • have been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • are self-isolating because you recently entered the UK
  • ", + "

    Change your test appointment or cancel your test for free if you\u2019re not able to go.

    ", + "

    Wearing a face covering

    ", + "

    You and your pupil must each bring and wear a face covering for your test, unless it\u2019s not safe for you to do so. For example, because:

    ", + "
  • you have a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you cannot wear a face covering when you book your test. Otherwise, your test will be cancelled if you arrive without one.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Your driving licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    ", + "

    If you do not have a photocard licence

    ", + "

    Bring a valid passport and your paper licence, or your trainee driving instructor licence (if you have one).

    ", + "

    If you have a licence from Northern Ireland

    ", + "

    Bring the Northern Ireland photocard and paper counterpart.

    ", + "

    Rules for the car you use

    ", + "

    When you take your test, your car must:

    ", + "
  • be taxed
  • ", + "
  • be insured for a driving test (check with your insurance company)
  • ", + "
  • be roadworthy and have a current MOT (if it\u2019s over 3 years old)
  • ", + "
  • be a saloon, hatchback or estate car in good working condition - you cannot use a convertible
  • ", + "
  • have full-size rear seats
  • ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "
  • be able to reach at least 62mph and have an mph speedometer
  • ", + "
  • have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg
  • ", + "

    The MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.

    ", + "

    Your test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.

    ", + "

    Coronavirus (COVID-19) safety

    ", + "

    Because of COVID-19 you must clean the inside of your car before your test.

    ", + "

    This means:

    ", + "
  • tidying any unnecessary items away from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    ", + "

    Vehicle fittings and features

    ", + "

    The car must have:

    ", + "
  • L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear if your pupil is a learner
  • ", + "
  • working rear seat belts
  • ", + "

    Dashcams and other cameras

    ", + "

    You can use a camera fitted for insurance purposes, as long as it:

    ", + "
  • faces outside of the car and does not film the inside
  • ", + "
  • does not record audio from inside the car
  • ", + "

    Vehicle features

    ", + "

    You can use a car with:

    ", + "
  • an electronic parking brake
  • ", + "
  • hill-start assist
  • ", + "

    Hire cars

    ", + "

    You can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.

    ", + "

    Manual and automatic cars

    ", + "

    If you have a manual licence, you can take the test in either a manual or automatic car. You\u2019ll be able to train people in both types of car when you\u2019ve qualified.

    ", + "

    If you have an automatic licence, you must take the test in an automatic car. You\u2019ll only be able to train people in an automatic car when you\u2019ve qualified.

    ", + "

    Cars with known safety faults

    ", + "

    You cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.

    ", + "

    You must bring the proof that it\u2019s safe with you when you take your test.

    ", + "Model | Reason for recall | Vehicles affected | Recall issue date", + "Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016", + "Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016", + "Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and 0N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016", + "Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014", + "Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014", + "Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014", + "

    Proof you need to bring to your test

    ", + "

    You must bring proof that says one of the following:

    ", + "
  • the car was recalled and the recall work has been done
  • ", + "
  • the car was recalled but did not need any work to be done
  • ", + "
  • the car was not part of the recall
  • ", + "

    The proof must be either:

    ", + "
  • the recall letter or safety notice, stamped by the manufacturer or dealer
  • ", + "
  • on official or headed notepaper from the manufacturer or a dealer
  • ", + "

    Your test will be cancelled and you could lose your fee if you do not bring the right proof.

    ", + "

    What happens during the test

    ", + "

    A Driver and Vehicle Standards Agency (DVSA) examiner will watch you give a client-centred driving lesson lasting about 45 minutes to one of your pupils.

    ", + "

    Your pupil must drive for at least 40 minutes of the lesson.

    ", + "

    At the start of the lesson, discuss the goals for the lesson and risk management with your pupil. Because of coronavirus (COVID-19), this should take no more than 3 minutes.

    ", + "

    At the end of the lesson, give your pupil no more than 3 minutes to reflect on their performance.

    ", + "

    The examiner will look for evidence that you meet the national standard for driver and rider training.

    ", + "

    Your pupil

    ", + "

    Your pupil can be a:

    ", + "
  • partly trained learner
  • ", + "
  • fully trained learner
  • ", + "
  • full licence holder
  • ", + "

    Your pupil cannot be:

    ", + "
  • a learner who has just started learning to drive
  • ", + "
  • an approved driving instructor (ADI) or someone else who is preparing to take the ADI part 3 test
  • ", + "

    What you\u2019ll be marked on

    ", + "

    You\u2019ll be marked on 17 areas of competence that are grouped into 3 categories:

    ", + "
  • lesson planning
  • ", + "
  • risk management
  • ", + "
  • teaching and learning strategies
  • ", + "

    The 17 areas of competence are listed in the ADI part 3 test report form, which the examiner will fill in at the end of your test.

    ", + "

    You\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to work out if you\u2019ve passed the test, and what your grade will be.

    ", + "

    Your test result

    ", + "

    After you give the lesson, the examiner will discuss your performance and give you your result.

    ", + "

    You\u2019ll get your grade, along with your completed approved driving instructor (ADI) part 3 test report form.

    ", + "Total score | Grade | Description", + "0-30 | Fail | Your performance is unsatisfactory, and you will not join the ADI register", + "31-42 | Grade B | You\u2019ll be allowed to join the ADI register", + "43-51 | Grade A | You have shown a high standard of instruction and you\u2019ll be allowed to join the ADI register", + "

    You\u2019ll automatically fail if:

    ", + "
  • you get a score of 7 or less in the \u2018risk management\u2019 category
  • ", + "
  • the examiner stops the lesson because you\u2019ve put yourself or someone else in danger
  • ", + "

    If you pass

    ", + "

    You can apply for your first ADI badge if you pass the ADI part 3 test.

    ", + "

    You must apply within 12 months of passing the test, or you\u2019ll have to pass all 3 qualifying tests again.

    ", + "

    If you do not pass

    ", + "

    You can take the test again if you fail the first or second attempt. You must book the next attempt within 2 years of passing your ADI part 1 test.

    ", + "

    If you chose the extra training option (option 2) when you applied for your trainee licence, you must do 5 hours of extra training before you retake the test.

    ", + "

    Failing the third attempt

    ", + "

    You have to retake and pass the ADI part 1 test and ADI part 2 test again if you fail the ADI part 3 test at your third attempt.

    ", + "

    You must wait 2 years from when you originally passed the ADI part 1 test before you can take it again.

    ", + "

    Appeal your ADI part 3 test

    ", + "

    You can appeal your test if you can prove that your examiner did not follow the law.

    ", + "

    Read the guidance on appealing your test to check if your examiner followed the law.

    ", + "

    If you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)

    ", + "

    If DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.

    ", + "

    If DVSA does not agree with your complaint you may be able to appeal to a court instead.

    ", + "

    Appeal your test to a court

    ", + "

    You can appeal if you can prove that your examiner did not follow the law when they carried out your test.

    ", + "

    Your test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.

    ", + "

    You might have to pay significant legal costs if your appeal is unsuccessful.

    ", + "

    You\u2019ll need to appeal within:

    ", + "
  • 6 months of your test in England and Wales
  • ", + "
  • 21 days of your test in Scotland
  • ", + "

    Check if you can appeal.

    ", + "

    If your test is cancelled or there's bad weather

    ", + "

    Your approved driving instructor (ADI) part 3 test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.

    ", + "

    If your test is suspended due to coronavirus (COVID-19)

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You need to have passed a theory test in the last 2 years to take this test. Your theory test certificate will not be extended.

    ", + "

    Bad weather

    ", + "

    Tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.

    ", + "

    Call your test centre if there are any of these conditions on the day of your test.

    ", + "

    The phone number for the test centre is on your booking confirmation email.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it\u2019s not suitable.

    ", + "

    You cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.

    ", + "

    Problems with you or your car

    ", + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example, if you feel unwell while taking your test
  • ", + "
  • your car, for example, if it breaks down during the test or does not meet the rules to be used
  • ", + "

    If your test is cancelled for another reason

    ", + "

    Sometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    " + ] + }, + { + "title": "Manage your approved driving instructor (ADI) registration", + "url": "https://www.gov.uk/manage-approved-driving-instructor-registration", + "contents": [ + "

    Renew or update your registration

    ", + "

    You\u2019re responsible for keeping your approved driving instructor (ADI) registration up to date.

    ", + "

    You must renew your registration every 4 years.

    ", + "

    You can renew your registration in the month it expires. If your registration has already run out, you can re-register within 12 months of the expiry date.

    ", + "

    If your ADI registration ran out more than 12 months ago, you need to reapply to become a driving instructor.

    ", + "

    You must display your registration in the passenger-side edge of the front windscreen of your car when you give driving lessons.

    ", + "

    You can be prosecuted for using an invalid ADI badge or one that\u2019s not yours.

    ", + "

    Renew your registration

    ", + "
  • Get a criminal records check. You must do this before you renew your registration - it normally takes around 3 months but can sometimes take longer.
  • ", + "
  • Renew your ADI registration.
  • ", + "

    Change of name or contact details

    ", + "

    You must update your ADI registration within 7 days if you change your name or address.

    ", + "

    Lost or stolen ADI badge

    ", + "

    You must contact the Driver and Vehicle Standards Agency (DVSA) straight away to:

    ", + "
  • tell them that your approved driving instructor (ADI) badge has been lost or stolen
  • ", + "
  • request a replacement badge
  • ", + "

    You cannot give driving lessons until you have a replacement.

    ", + "

    When you contact DVSA, you\u2019ll need to give them:

    ", + "
  • your crime reference number if your badge was stolen - you can get this by contacting the police
  • ", + "
  • permission to use the photo from your photocard driving licence (otherwise you\u2019ll need to post them a passport-style photograph)
  • ", + "

    It costs \u00a33 to replace a lost or stolen badge.

    ", + "

    You must send your old badge to DVSA if you find it later.

    ", + "

    Change when you're available for driving tests

    ", + "

    You can manage when you\u2019re available for driving tests online.

    ", + "

    You can tell the Driver and Vehicle Standards Agency (DVSA):

    ", + "
  • when you\u2019re never available, for example, between 9am and 11am on Mondays
  • ", + "
  • when you\u2019re temporarily away, for example, you\u2019re on holiday
  • ", + "

    You must be registered as a business to use the service.

    ", + "

    If you stop giving driving lessons

    ", + "

    You must tell the Driver and Vehicle Standards Agency (DVSA) if you stop giving driving lessons because you want to leave the ADI register.

    ", + "

    You cannot currently contact DVSA by post because of coronavirus (COVID-19). Contact DVSA by email instead.

    ", + "

    DVSA will contact you to tell you what to do with your ADI badge.

    ", + "

    You will not get a refund if you have any time left on your registration, unless you\u2019re leaving the register for health reasons. You\u2019ll need to give medical proof to be considered for a refund.

    ", + "

    There\u2019s a different process to manage your ADI registration in Northern Ireland.

    ", + "

    Report cautions or convictions

    ", + "

    You must tell the Driver and Vehicle Standards Agency (DVSA) in writing within 7 days if you get any caution or conviction. This includes:

    ", + "
  • being \u2018bound over\u2019
  • ", + "
  • having your name entered in the sex offenders\u2019 register
  • ", + "
  • being banned from working with children
  • ", + "

    You cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.

    " + ] + }, + { + "title": "Approved driving instructor (ADI) standards check", + "url": "https://www.gov.uk/adi-standards-check", + "contents": [ + "

    Overview

    ", + "

    The approved driving instructor (ADI) standards check assesses your ability to teach pupils.

    ", + "

    The ADI standards check has replaced the ADI check test.

    ", + "

    You have to take at least one ADI standards check during each 4-year period that you\u2019re registered as an ADI.

    ", + "

    You have to take a standards check even if you do not have a car or are not working as an ADI.

    ", + "

    You can be removed from the ADI register if you do not book or go to your standards check.

    ", + "

    You can only take standards checks in English or Welsh.

    ", + "

    There are different rules for taking a standards check in Northern Ireland.

    ", + "

    Book your ADI standards check

    ", + "

    You\u2019ll get a letter from DVSA when you need to book your approved driving instructor (ADI) standards check.

    ", + "

    You can book a standards check online. It doesn\u2019t cost anything.

    ", + "

    You\u2019ll need your:

    ", + "
  • driving licence number
  • ", + "
  • ADI personal reference number
  • ", + "

    Start now

    ", + "

    Get help to book

    ", + "

    Contact DVSA if you need help booking your standards check.

    ", + "

    What happens next

    ", + "

    Your examiner will call you a few days before your standards check to agree:

    ", + "
  • the exact start time
  • ", + "
  • where you want the check to start from - this will be either the driving test centre or somewhere within 5 minutes of the test centre
  • ", + "

    What to take to your standards check

    ", + "

    You must take:

    ", + "
  • your approved driving instructor (ADI) registration certificate
  • ", + "
  • a face covering, unless it\u2019s not safe for you to wear one
  • ", + "
  • a car that meets the requirements
  • ", + "
  • a pupil
  • ", + "

    Your pupil can be a:

    ", + "
  • partly trained learner
  • ", + "
  • fully trained learner
  • ", + "
  • full licence holder
  • ", + "

    If you bring a partly trained learner, they should be able to drive for 40 minutes without frequently stopping.

    ", + "

    Your pupil cannot be an ADI or someone who is preparing to take the ADI part 3 test.

    ", + "

    Reasons why you must not go to your standards check

    ", + "

    Do not go to your ADI standards check if you or your pupil:

    ", + "
  • have coronavirus (COVID-19) symptoms, or someone you live with has symptoms
  • ", + "
  • have been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • are self-isolating because you recently entered the UK
  • ", + "

    Contact DVSA if you\u2019re not able to go to your standards check.

    ", + "

    Wearing a face covering

    ", + "

    You and your pupil must each bring and wear a face covering for your standards check, unless it\u2019s not safe for you to do so. For example, because:

    ", + "
  • you have a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you cannot wear a face covering when you book your standards check. Otherwise, your standards check will be cancelled if you arrive without one.

    ", + "

    You can take it off during your standards check if you need to avoid harm or injury.

    ", + "

    Car requirements

    ", + "

    The car you use for your standards check must:

    ", + "
  • be roadworthy, safe and reliable - this means it\u2019s less than 3 years old or has a valid MOT certificate
  • ", + "
  • have working rear seat belts
  • ", + "
  • be fitted with L plates (or D plates in Wales) if your pupil is a learner
  • ", + "

    You cannot use:

    ", + "
  • a soft-top convertible
  • ", + "
  • a car with a 2+2 seating arrangement rather than full-size rear seats
  • ", + "

    Your standards check will be cancelled if your car does not meet the requirements. Another appointment will be booked for you.

    ", + "

    You can be removed from the ADI register if you keep bringing a car that does not meet the requirements.

    ", + "

    COVID-19 safety

    ", + "

    Because of COVID-19, you must clean the inside of your car before your standards check. This means:

    ", + "
  • tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    ", + "

    Bad weather

    ", + "

    You should call the standards check bookings team as soon as you can on the day of your standards check if there\u2019s bad weather. Ask to speak to the ADI examiner.

    ", + "

    If nobody answers the phone, and the conditions in your area are not looking too bad, it\u2019s likely that the examiners are:

    ", + "
  • checking the local roads to see if driving tests can go ahead
  • ", + "
  • taking driving tests because the conditions are suitable
  • ", + "

    However, this is not a guarantee that your standards check will go ahead.

    ", + "

    You should tell the standards check bookings team if your check is cancelled - they\u2019ll make a new appointment.

    ", + "

    What happens at the standards check

    ", + "

    A Driver and Vehicle Standards Agency examiner will watch you give a driving lesson to your pupil.

    ", + "

    The lesson will last about 45 minutes. They must be driving for at least 40 minutes.

    ", + "

    At the start of the lesson, you should recap the goals for the lesson and discuss risk management with your pupil. This should take no more than 3 minutes.

    ", + "

    At the end of the lesson, you should give your pupil about 3 minutes to reflect on their performance.

    ", + "

    The examiner will look for evidence that you meet the national standards for driver and rider training.

    ", + "

    What you\u2019ll be marked on

    ", + "

    You\u2019ll be marked on 17 areas of competence that are grouped into 3 categories:

    ", + "
  • lesson planning
  • ", + "
  • risk management
  • ", + "
  • teaching and learning skills
  • ", + "

    The 17 areas of competence are listed in the ADI standards check report form, which the examiner will fill in during your check.

    ", + "

    You\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to work out your grade.

    ", + "

    After you give the lesson, the examiner will discuss your performance and give you your grade. This will take about 15 minutes.

    ", + "

    You can take your trainer or mentor with you, but they cannot take part in the lesson.

    ", + "

    Your standards check result

    ", + "

    You\u2019ll get your grade, along with your completed standards check form at the end of your standards check.

    ", + "Total score | Grade | Description", + "0-30 | Fail | Your performance is unsatisfactory", + "31-42 | Grade B | You\u2019ll stay on the approved driving instructors (ADI) register", + "43-51 | Grade A | You have shown a high standard of instruction and you\u2019ll stay on the ADI register", + "

    You\u2019ll automatically fail if:

    ", + "
  • you get a score of 7 or less in the \u2018risk management\u2019 category
  • ", + "
  • the examiner stops the lesson because you\u2019ve put yourself or someone else in danger
  • ", + "

    If you fail the standards check

    ", + "

    You\u2019ll have up to 2 more attempts to pass the standards check.

    ", + "

    If you fail 3 times:

    ", + "
  • you\u2019ll be removed from the approved driving instructors (ADI) register
  • ", + "
  • you\u2019ll have to retake the ADI tests to join the ADI register again
  • ", + "

    Complain about your standards check

    ", + "

    Complain to the Driver and Vehicle Standards Agency if you\u2019re not happy about the way your standards check was carried out.

    ", + "

    Appeal your standards check

    ", + "

    You can appeal if you think your examiner didn\u2019t follow the regulations when they carried out your standards check.

    ", + "

    Your result cannot be changed, but you might be able to take another standards check if your appeal is successful.

    ", + "

    Contact your local magistrate\u2019s court within 6 months to appeal in England and Wales.

    ", + "

    If you live in Scotland, contact your local sheriff\u2019s court within 21 days.

    ", + "

    Old 'ADI check test' grades

    ", + "

    The approved driving instructor (ADI) standards check replaced the ADI check test on 7 April 2014.

    ", + "

    Old ADI check test grades will apply until you take your first standards check.

    ", + "

    If you got a grade 2 or 3 in your last ADI check test, you\u2019ll have 2 attempts to pass the new ADI standards check.

    ", + "

    Old \u2018ADI check test\u2019 grades

    ", + "Grade | Overall performance", + "6 | Very high", + "5 | Good", + "4 | Satisfactory", + "3 | Inadequate", + "2 | Poor", + "1 | Extremely poor", + "E | Educational check test", + "

    Educational check test grade

    ", + "

    Educational (E) grades will not be given to newly qualified instructors in the new standard checks.

    " + ] + }, + { + "title": "Driving instructor suspension: your rights", + "url": "https://www.gov.uk/driving-instructor-suspension-your-rights", + "contents": [ + "

    Overview

    ", + "

    Your approved driving instructor (ADI) registration can be suspended if the ADI registrar thinks you pose a significant threat to public safety.

    ", + "

    The ADI registrar can suspend you if they\u2019re considering:

    ", + "
  • taking you off the ADI register
  • ", + "
  • removing your trainee driving instructor licence
  • ", + "
  • refusing to extend your registration or trainee licence
  • ", + "

    You cannot get paid for giving driving lessons if you\u2019re suspended.

    ", + "

    Claiming compensation

    ", + "

    You can claim compensation if you\u2019ve been suspended but are not then taken off the register.

    ", + "

    There are different rules for your ADI registration in Northern Ireland.

    ", + "

    When you can be suspended

    ", + "

    Your approved driving instructor (ADI) registration can be suspended if the ADI registrar thinks you pose a significant threat to public safety.

    ", + "

    For example, if you:

    ", + "
  • have been convicted of a sexual or violent offence
  • ", + "
  • are giving dangerous instruction that\u2019s a major risk to the safety of your pupils and other road users
  • ", + "

    Telling you if you\u2019re suspended

    ", + "

    You\u2019ll get a letter from the ADI registrar to tell you that your registration is suspended.

    ", + "

    This will usually be at that same time that the registrar writes to tell you that they\u2019re considering taking you off the register.

    ", + "

    Challenging your suspension

    ", + "

    You can use a judicial review to challenge the way in which the ADI registrar made the decision to suspend you.

    ", + "

    The review only looks at whether the right procedures have been followed, rather than the decision itself. You can download the judicial review claim form and guidance notes.

    ", + "

    You still have the right to appeal against the ADI registrar\u2019s decision to remove you if you end up being taken off the register.

    ", + "

    Compensation if you stay on the register

    ", + "

    You can get compensation if your approved driving instructor (ADI) registration was suspended, but you were not taken off the ADI register.

    ", + "

    This includes cases where:

    ", + "
  • you win an appeal against the decision to take you off the register
  • ", + "
  • the registrar considers taking you off the register, but then ends the suspension and lets you stay on the register
  • ", + "
  • the registrar has not made a decision about taking you off the register within 75 days
  • ", + "

    What you can claim

    ", + "

    You can claim compensation for income and non-income losses as a result of being suspended.

    ", + "

    You can also claim for the cost of preparing your compensation application.

    ", + "

    Income losses

    ", + "

    \u2018Income losses\u2019 are what you\u2019d have got from giving driving lessons during the time you were suspended.

    ", + "

    Non-income losses

    ", + "

    \u2018Non-income losses\u2019 are other losses you:

    ", + "
  • can give a monetary value to
  • ", + "
  • incurred (within reason) while you were suspended
  • ", + "

    Examples of non-income losses include:

    ", + "
  • any reasonable costs you needed to pay to prepare your compensation application
  • ", + "
  • the interest on a loan you had to take out as a result of the suspension
  • ", + "
  • the value of any damage that the suspension caused to your driving school business if you run one
  • ", + "

    How to claim compensation

    ", + "

    Download the application form and send it, with evidence to support your claim, to the Driver and Vehicle Standards Agency (DVSA).

    ", + "

    When to claim

    ", + "

    You must send your claim within 2 years of whichever of these dates is later:

    ", + "
  • the date your suspension ended
  • ", + "
  • the date you were told you\u2019d won your appeal against the approved driving instructor (ADI) registrar
  • ", + "

    You can claim outside of the 2 years in special situations.

    ", + "

    Who can make the claim

    ", + "

    You, as the ADI who was suspended, must sign the declaration with the application form.

    ", + "

    You\u2019re only allowed to sign the declaration on behalf of someone in limited situations, for example where the ADI has died and you\u2019re allowed to represent them.

    ", + "

    Evidence to support your claim

    ", + "

    You should send documents that prove the basis of your claim, for example showing why you\u2019ve based your claim for income losses on a certain hourly rate.

    ", + "

    You\u2019ll need to consider which documents will help DVSA decide that you\u2019ve sent a valid claim, for example bank statements, payslips or a loan agreement.

    ", + "

    Working out your losses

    ", + "

    You\u2019ll need to work out your income and non-income losses to send your claim.

    ", + "

    Work out your income losses

    ", + "

    You\u2019ll need to work how much you\u2019d have reasonably expected to earn during the time you were suspended.

    ", + "

    This should be based on your income for a period that you can directly compare with, for example the same period the previous year.

    ", + "

    You should base your claim on the period that best compares to the time you were suspended if you cannot directly compare with a previous year.

    ", + "

    If your claim is for a different amount to what\u2019s shown in the previous period, you should explain why, for example a major change in how many pupils you taught in the weeks just before you were suspended.

    ", + "

    Work out your non-income losses

    ", + "

    Your claim will need to make clear:

    ", + "
  • how the non-income losses were incurred
  • ", + "
  • why they are reasonable costs
  • ", + "
  • how you have worked them out
  • ", + "

    You\u2019ll need to send documents that clearly support your claim.

    ", + "

    You can claim for the value of any damage that the suspension caused to your driving school business if you run one.

    ", + "

    You can claim for the interest paid on a loan that you took out because your income stopped from being suspended.

    ", + "

    Help working out your non-income losses

    ", + "

    You can claim for the cost of preparing your compensation application. This can include the cost of getting expert help to work out how much your non-income losses are.

    ", + "

    You\u2019ll need to prove that the cost was reasonable, for example by showing that you did not pay a higher fee than usually applies.

    ", + "

    The decision on your compensation claim

    ", + "

    You\u2019ll get a letter from the Driver and Vehicle Standards Agency (DVSA) within 28 days to either:

    ", + "
  • tell you you\u2019re being paid the amount you claimed for or a different amount
  • ", + "
  • ask for more information to prove your claim
  • ", + "
  • ask permission to go to a third party to prove your claim
  • ", + "
  • tell you the claim has not been allowed
  • ", + "

    When you\u2019ll get your payment

    ", + "

    You\u2019ll get the payment within 45 days of DVSA telling you that you\u2019re going to be paid.

    ", + "

    You must give any new information you find that\u2019s relevant to your claim within 6 years of getting your compensation. You must do this within 1 month of finding it.

    ", + "

    Interim payments

    ", + "

    You can get an interim payment:

    ", + "
  • if you\u2019re in special situations, for example significant financial hardship
  • ", + "
  • for part of the claim if it can be easily and quickly checked
  • ", + "

    If more information is needed

    ", + "

    You must send any extra information DVSA needs within 28 days. This can be extended in special situations.

    ", + "

    You must sign a statement to say the information is true to the best of your knowledge when you send it.

    ", + "

    Not giving more information

    ", + "

    You should tell DVSA in writing if you cannot give the extra information, and the reason why. DVSA will do whatever it can to process the claim if this happens.

    ", + "

    Your claim can be delayed if the extra information is not available, or you do not give it.

    ", + "

    The part of the claim that needs the extra information can be rejected.

    ", + "

    After you\u2019re asked for more information

    ", + "

    DVSA will write to you within 28 days of either:

    ", + "
  • getting the extra information
  • ", + "
  • the deadline for giving the extra information running out
  • ", + "

    The letter from DVSA will either:

    ", + "
  • tell you you\u2019re being paid the amount you claimed for or a different amount
  • ", + "
  • ask for more information to prove your claim
  • ", + "
  • tell you the claim has not been allowed
  • ", + "

    Appeal against the decision

    ", + "

    You can appeal to the transport tribunal if you disagree with:

    ", + "
  • the decision that you cannot get compensation
  • ", + "
  • the amount of compensation you\u2019re going to get
  • ", + "

    You must appeal within 28 days of DVSA telling you its decision.

    ", + "

    Decisions the tribunal can make

    ", + "

    The tribunal can:

    ", + "
  • refuse your appeal
  • ", + "
  • allow your appeal
  • ", + "
  • give its own decision on how much you get
  • ", + "
  • refer your case back to DVSA to reconsider
  • ", + "

    When the amount of compensation can change

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) can tell you that that it\u2019s considering changing how much compensation you got. It can do this for up to 6 years after your original application.

    ", + "

    DVSA can do this when:

    ", + "
  • it finds new information
  • ", + "
  • it believes that the information you gave was wrong
  • ", + "
  • it looks like the original amount you got was given by mistake
  • ", + "

    If you think the amount was correct

    ", + "

    You have 28 days to tell DVSA if you think that the compensation that you were given was correct. This time limit may be extended in special situations.

    ", + "

    If the amount changes

    ", + "

    You\u2019ll need to repay the difference if the new amount is less than you originally got. DVSA will tell you how to do this.

    ", + "

    DVSA will pay you the difference if the new amount is more than you originally got. You\u2019ll get it within 45 days.

    ", + "

    If you disagree with the new amount

    ", + "

    You can appeal to the transport tribunal if you disagree with DVSA\u2019s decision on the new amount.

    ", + "

    You should make your appeal within 28 days of being told the new amount.

    ", + "

    Decisions the tribunal can make

    ", + "

    The tribunal can:

    ", + "
  • refuse your appeal
  • ", + "
  • allow your appeal
  • ", + "
  • give its own decision on how much you get
  • ", + "
  • refer your case back to DVSA to reconsider
  • " + ] + }, + { + "title": "Become a DVSA assessed CBT motorcycle instructor", + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "contents": [ + "

    Overview

    ", + "

    You can apply to the Driver and Vehicle Standards Agency (DVSA) to become a DVSA assessed compulsory basic training (CBT) motorcycle instructor.

    ", + "

    CBT is a training course that most learner motorcycle and moped riders must take before riding on the road.

    ", + "

    Rules for becoming a CBT instructor

    ", + "

    To become a DVSA assessed CBT motorcycle instructor you must have a driving licence from either:

    ", + "
  • Great Britain or Northern Ireland
  • ", + "
  • the EU or EEA - but you must register it\n first
  • ", + "

    You must also:

    ", + "
  • be 21 or older
  • ", + "
  • have had a full category A2 or A motorcycle licence for at least 3 years
  • ", + "

    You\u2019ll have to take a 2-day assessment at a DVSA training and development centre.

    ", + "

    When you qualify

    ", + "

    When you pass you must work for a motorcycle approved training body (ATB) to be able to:

    ", + "
  • provide the CBT course to learner riders
  • ", + "
  • train up to 10 instructors at the ATB to also deliver CBT courses (this is known as \u2018down-training\u2019)
  • ", + "
  • apply to become a direct access scheme instructor
  • ", + "

    How to book your assessment

    ", + "

    Fill in the application form to book an assessment and send it to the address on the form. There\u2019s no charge for the assessment.

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.

    ", + "

    If you cannot go to your assessment

    ", + "

    Tell DVSA by email if you cannot attend your assessment.

    ", + "

    You must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.

    ", + "

    Your approved training body cannot tell DVSA without giving your signature.

    ", + "

    Your application will become invalid and will count as an unsuccessful attempt if you do not tell DVSA in enough time.

    ", + "

    You\u2019re only allowed 2 unsuccessful attempts before you have to wait a year before applying to take another assessment.

    ", + "

    Preparing for the assessment

    ", + "

    Study the compulsory basic training (CBT) syllabus before you take the assessment.

    ", + "

    Other preparation

    ", + "

    You should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Learning to Ride
  • ", + "
  • Riding - the Essential Skills
  • ", + "
  • Theory Test for Motorcyclists
  • ", + "

    You can buy them from most high street and online book shops.

    ", + "

    What to bring to your assessment

    ", + "

    You need to bring:

    ", + "
  • your valid driving licence
  • ", + "
  • your CBT1 card if you have one
  • ", + "
  • a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kW
  • ", + "

    If you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.

    ", + "

    Your assessment will be cancelled if you do not bring these.

    ", + "

    You\u2019re allowed to bring a pen and any notes or training aids to help you.

    ", + "

    What the assessment involves

    ", + "

    The compulsory basic training (CBT) instructor assessment assesses your ability to:

    ", + "
  • train learner motorcyclists in the requirements of CBT
  • ", + "
  • train and guide other instructors within an approved training body
  • ", + "

    There will usually be 2 other instructors taking the assessment at the same time as you.

    ", + "

    The DVSA assessor will play the role of a novice rider throughout the assessment.

    ", + "

    You\u2019ll be asked to deliver lessons based on the topics being assessed. One or both of the other instructors will act as your supervisor. You\u2019ll then swap the roles of the instructor and supervisor.

    ", + "

    Eyesight test

    ", + "

    You\u2019ll have to pass an eyesight test before the assessment starts. You\u2019ll have to read a number plate from a distance of:

    ", + "
  • 26.5 metres for vehicles with a new-style number plate
  • ", + "
  • 27.5 metres for vehicles with an old-style number plate
  • ", + "

    New-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.

    ", + "

    The rest of the assessment will not go ahead if you fail the eyesight test.

    ", + "

    Session 1

    ", + "

    This session focuses on element A of the CBT syllabus - introduction to CBT.

    ", + "

    The DVSA assessor will give you an overview of the assessment.

    ", + "

    You\u2019ll then deliver a lesson on the modules within element A of the CBT syllabus. You\u2019re allowed to use notes and training aids. The other candidates will watch your instruction and decide whether it\u2019s valid and achieves the objective.

    ", + "

    Session 2

    ", + "

    This session focuses on element B of the CBT syllabus - practical on-site training.

    ", + "

    You\u2019ll be introduced to the motorcycle that will be used on-site. You should familiarise yourself with it so you can give a controls lesson or basic machine check lesson.

    ", + "

    The \u2018novice rider\u2019 will act on the instruction you give. The other candidates will watch the instruction you give and decide whether it\u2019s a valid lesson and achieves the objective.

    ", + "

    Sessions 3 and 4

    ", + "

    These sessions focus on element C of the CBT syllabus - practical on-site riding.

    ", + "

    You\u2019ll instruct the \u2018novice rider\u2019. The other candidates give a debrief at the end of each lesson.

    ", + "

    The roles will be changed several times so you can prove your ability as an instructor and supervisor.

    ", + "

    Session 5

    ", + "

    This session focuses on element D of the CBT syllabus - practical on-road training.

    ", + "

    You\u2019ll give a lesson made up of 3 modules from element D. The other candidates will supervise you, and then the roles will be swapped.

    ", + "

    Sessions 6 and 7

    ", + "

    These sessions focus on element E of the CBT syllabus - practical on-road riding.

    ", + "

    You\u2019ll ride a motorcycle and follow the \u2018novice rider\u2019 on the road. You\u2019ll have to:

    ", + "
  • give instructions
  • ", + "
  • correct any faults that they make
  • ", + "
  • direct them over a route on public roads using radio equipment
  • ", + "

    You\u2019ll need to use your own motorcycle for sessions 6 and 7.

    ", + "

    Your assessment result

    ", + "

    You\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.

    ", + "

    Passing the assessment

    ", + "

    You\u2019ll be sent more information about how to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a DVSA assessed instructor.

    ", + "

    Until you\u2019ve got your registration certificate you are not allowed to:

    ", + "
  • conduct compulsory basic training (CBT) courses
  • ", + "
  • train any instructors on behalf of your approved training body (ATB)
  • ", + "

    Failing the assessment

    ", + "

    You cannot apply to retake the assessment if you fail it twice within a 12-month period. You\u2019ll have to wait until 1 year after the date of the second assessment before applying again.

    ", + "

    Failing if you\u2019re a down-trained instructor

    ", + "

    You can continue to give CBT training if you\u2019re a down-trained instructor, but you\u2019ll have to have a standards check at your ATB in the near future.

    " + ] + }, + { + "title": "Become a direct access scheme (DAS) motorcycle instructor", + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "contents": [ + "

    Overview

    ", + "

    You can apply to the Driver and Vehicle Standards Agency (DVSA) to become a direct access scheme (DAS) certified instructor.

    ", + "

    All provisional licence holders training on a motorbike over 125cc and 11kW power output must be trained by a qualified DAS instructor.

    ", + "

    Rules for becoming a DAS instructor

    ", + "

    To become a DAS certified instructor you must have a driving licence from either:

    ", + "
  • Great Britain or Northern Ireland
  • ", + "
  • the EU or EEA - but you must register it\n first
  • ", + "

    You must also:

    ", + "
  • be 21 or over
  • ", + "
  • have had a full category A2 or A motorcycle licence for at least 3 years
  • ", + "
  • have passed the 2-day assessment to become a DVSA assessed compulsory basic training (CBT) instructor
  • ", + "

    You\u2019ll have to take a 2-day assessment at a DVSA training and development centre.

    ", + "

    When you qualify

    ", + "

    When you pass you\u2019ll be able to give DAS training.

    ", + "

    How to book your assessment

    ", + "

    The direct access scheme (DAS) instructor assessment lasts for half a day. You can book a:

    ", + "
  • morning assessment, which starts at 8:30am
  • ", + "
  • afternoon assessment, which starts at 1pm
  • ", + "

    Fill in the application form to book your assessment and send it to the address on the form. There\u2019s no charge for the assessment.

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.

    ", + "

    Your application will be valid for 6 months.

    ", + "

    If you cannot go to your assessment

    ", + "

    Tell DVSA by email if you cannot attend your assessment.

    ", + "

    You must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.

    ", + "

    Preparing for the assessment

    ", + "

    Study the training guidance before you take the assessment.

    ", + "

    Sign up for email alerts to be told when the guidance is updated.

    ", + "

    Other preparation

    ", + "

    You should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Learning to Ride
  • ", + "
  • Riding - the Essential Skills
  • ", + "
  • Theory Test for Motorcyclists
  • ", + "

    You can buy them from most high street and online book shops.

    ", + "

    What to bring to your assessment

    ", + "

    You need to bring:

    ", + "
  • your valid driving licence
  • ", + "
  • your CBT1 card
  • ", + "
  • your joining instructions
  • ", + "
  • a fully taxed and roadworthy motorcycle with a power output of at least 20kW
  • ", + "
  • a full-face safety helmet
  • ", + "

    If you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.

    ", + "

    Your assessment will be cancelled if you do not bring these.

    ", + "

    You\u2019re allowed to bring relevant training aids and preparation material with you.

    ", + "

    What the assessment involves

    ", + "

    There are 3 main sessions in the direct access scheme (DAS) instructor assessment. You\u2019ll get a full explanation before the assessment starts.

    ", + "

    Session 1 - theory

    ", + "

    This session lasts around 15 minutes. The Driver and Vehicle Standards Agency (DVSA) assessor will play the role of a rider who:

    ", + "
  • has done their compulsory basic training (CBT) on a 125cc motorcycle
  • ", + "
  • is new to riding larger and more powerful motorcycles
  • ", + "

    You have to show and tell them the main differences between large motorcycles and the smaller motorcycles used for CBT. You\u2019ll do this alongside the motorcycle.

    ", + "

    Session 2 - on-site handling assessment

    ", + "

    In this session of the assessment you\u2019ll be given the scenario of a rider who has:

    ", + "
  • already taken CBT
  • ", + "
  • difficulties in the basic control of a large motorcycle when riding it on private land
  • ", + "

    You have to:

    ", + "
  • decide how to overcome the difficulties
  • ", + "
  • give instruction to develop the rider\u2019s basic skills off-road
  • ", + "

    The scenario will include 2 of the following riding skills requiring attention:

    ", + "
  • moving off and stopping the bike
  • ", + "
  • controlled braking
  • ", + "
  • gear-changing
  • ", + "
  • slow riding skills
  • ", + "
  • slow controlled turning (similar to the \u2018figure of 8\u2019 exercise on CBT)
  • ", + "

    Session 3 - on-road assessments

    ", + "

    This session of the assessment will last for around 1 hour 30 minutes. The assessor will play the part of a trainee.

    ", + "

    You\u2019ll have to give 3 on-road lessons during this session.

    ", + "

    The assessor will select the lessons from:

    ", + "
  • positioning in normal riding and dealing with bends
  • ", + "
  • negotiating left and right turns at junctions
  • ", + "
  • dealing with different types of crossroads
  • ", + "
  • dealing with town centre riding
  • ", + "
  • negotiating roundabouts
  • ", + "
  • dealing with dual carriageways
  • ", + "
  • dealing with other traffic safely when following behind and overtaking other vehicles
  • ", + "
  • moving off from all positions
  • ", + "
  • riding in areas with a national speed limit
  • ", + "
  • joining and leaving dual carriageways and following behind other traffic
  • ", + "
  • dealing with overtaking, meeting, filtering and leaving enough clearance to stationary vehicles
  • ", + "
  • moving off, the emergency stop exercise, u-turn exercises (pushing and riding) and taking the motorcycle on and off the stand
  • ", + "

    During the on-road assessments

    ", + "

    During the ride you\u2019ll be expected to:

    ", + "
  • give any instruction you feel necessary
  • ", + "
  • correct any riding faults that may occur
  • ", + "

    You can ask the trainee to pull up so that you can give face-to-face instruction or guidance.

    ", + "

    Your assessment result

    ", + "

    You\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.

    ", + "

    It\u2019s your responsibility to tell your approved training body your result.

    ", + "

    Passing the assessment

    ", + "

    If you pass, fill in Form 4 to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a direct access scheme (DAS) certified instructor.

    ", + "

    You\u2019ll have to give details of any motoring or non-motoring offences you\u2019ve got within the last 4 years on your application form. These will be taken into account when DVSA assesses your suitability to be authorised.

    ", + "

    You are not allowed to conduct DAS courses until you\u2019ve got your registration certificate.

    ", + "

    Failing the assessment

    ", + "

    You\u2019ll be sent another DAS assessment application form if you do not pass so you can book again if you want to.

    " + ] + }, + { + "title": "DVSA enhanced rider scheme trainer", + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "contents": [ + "

    Overview

    ", + "

    You can become a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer if you want to train fully qualified motorcyclists in the DVSA enhanced rider scheme.

    ", + "

    This is the new name for the register of post-test motorcycle trainers (RPMT).

    ", + "

    The scheme provides training for people who:

    ", + "
  • have recently passed their motorcycle test
  • ", + "
  • are upgrading to a bigger bike
  • ", + "
  • are returning to riding after a break
  • ", + "
  • want to improve their skills to be a better, safer rider
  • ", + "

    When you qualify, your details will be given to motorcyclists looking for training.

    ", + "

    Who can become a trainer

    ", + "

    To become a DVSA enhanced rider scheme trainer you must:

    ", + "
  • be 21 or older
  • ", + "
  • have had a full category A or A2 motorcycle licence for at least 3 years
  • ", + "

    Trainer test and registration fees

    ", + "Fee type | Price", + "Theory test | \u00a366", + "Registration and renewal fee (1 year) | \u00a390", + "Registration and renewal fee (4 years) | \u00a3240", + "

    Ways to become a trainer

    ", + "
  • Apply to become a DVSA enhanced rider scheme trainer.
  • ", + "
  • Get an advanced riding qualification if you do not already have one.
  • ", + "
  • Pass a theory test.
  • ", + "
  • If you\u2019re not a direct access scheme (DAS) certified instructor, you also need to take a training course accredited by DVSA.
  • ", + "

    You must complete the training course within 2 years of passing the theory test, or you\u2019ll have to start the process again.

    ", + "

    Advanced riding qualifications

    ", + "

    The advanced riding qualifications that are accepted are:

    ", + "
  • BMF Blue Riband rider award (gold or silver grade)
  • ", + "
  • DVSA special test (gold or silver grade)
  • ", + "
  • IAM Advanced Rider Course
  • ", + "
  • RoSPA advanced riding test (gold or silver grade)
  • ", + "
  • Diamond advanced motorcycle test or Diamond elite motorcycle test (if taken after 1 January 2017)
  • ", + "

    Taking the theory test

    ", + "

    You can book your instructor theory test when the Driver and Vehicle Standards Agency (DVSA) has accepted your application to join the register.

    ", + "

    There are 2 parts to the test - multiple-choice questions and hazard perception. You have to pass both parts.

    ", + "

    You have 3 attempts to pass the test. If you fail the third attempt, you have to wait 12 months before you can take it again.

    ", + "

    Documents to take to your test

    ", + "

    You must take your UK photocard driving licence to your test.

    ", + "

    If you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.

    ", + "

    If you have a paper licence

    ", + "

    Bring a valid passport as well as your paper licence.

    ", + "

    If you do not have a passport, you need to get a photocard licence.

    ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right documents with you.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    Multiple-choice questions

    ", + "

    You have 1 hour and 30 minutes to answer 100 multiple-choice questions.

    ", + "

    Before the test starts you\u2019ll get:

    ", + "
  • instructions on how the test works
  • ", + "
  • the chance to do some practice questions
  • ", + "

    How the questions work

    ", + "

    There are 25 questions in each of these 4 categories:

    ", + "
  • rider practices and procedures, road and traffic signs, and motorway riding
  • ", + "
  • rider responsibilities, rider attitude, riders and the law, and environmental issues
  • ", + "
  • motorcycle and rider safety, motorcycle dynamics and handling, and dealing with incidents
  • ", + "
  • development and training, instructional and coaching techniques, and hazard perception
  • ", + "

    To pass the multiple-choice part, you must get both:

    ", + "
  • an overall score of at least 85 out of 100
  • ", + "
  • at least 20 out of 25 in each of the 4 categories of questions
  • ", + "

    Hazard perception

    ", + "

    Before you start the hazard perception test, you\u2019ll be shown a video about how it works.

    ", + "

    You\u2019ll then watch 14 video clips featuring everyday road scenes. These will contain at least one \u2018developing hazard\u2019.

    ", + "

    You can score up to 5 points for each developing hazard. You need to score at least 57 points out of 75 to pass this part.

    ", + "

    Managing your registration

    ", + "

    You must carry your Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer certificate with you whenever you are giving training.

    ", + "

    Renewing your registration

    ", + "

    Your registration lasts for either 1 year or 4 years. The registration and renewal fee is:

    ", + "
  • \u00a390 for 1 year
  • ", + "
  • \u00a3240 for 4 years
  • ", + "

    You should apply to renew your registration at least 2 weeks before your current registration runs out.

    ", + "

    You\u2019re responsible for remembering when to renew your registration.

    ", + "

    To renew, download the application form and send it to DVSA.

    ", + "

    If your registration expired in the last 12 months

    ", + "

    You can re-register using the same form. You will not have to go through the qualifying process again.

    ", + "

    Standards checks and monitoring

    ", + "

    You must take a standards check to make sure you can continue to be a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer. DVSA will contact you to arrange this.

    ", + "

    A DVSA examiner will watch you train a pupil to assess your training skills.

    ", + "

    How you\u2019re checked depends on whether you\u2019re a direct access scheme (DAS) certified instructor.

    ", + "

    If you\u2019re a DAS instructor

    ", + "

    Your standards check will be based on a DVSA enhanced rider scheme lesson.

    ", + "

    You must score 43 or more out of 51 to continue being an enhanced rider scheme trainer.

    ", + "

    If you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer.

    ", + "

    If you cannot carry out a lesson because there\u2019s no pupil available

    ", + "

    The DVSA examiner will carry out a motorcycle trainer standards check while you provide compulsory basic training (CBT). You need to score 43 or above to pass.

    ", + "

    If you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer, and will need to restart the qualification process. You can also be removed from the CBT instructor register.

    ", + "

    If you\u2019re not a DAS instructor

    ", + "

    You must take a standards check within the first year of qualifying as a DVSA enhanced rider scheme trainer. DVSA will contact you to arrange this.

    ", + "

    Your standards check will be based on a DVSA enhanced rider scheme lesson.

    ", + "

    You must score 43 or more out of 51 to pass.

    ", + "

    If you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as a trainer.

    ", + "

    If this happens and you want to continue as a trainer, you\u2019ll need to:

    ", + "
  • have an up to date recognised advanced rider qualification
  • ", + "
  • pass another theory test
  • ", + "
  • take additional training at an approved enhanced rider scheme trainer centre and provide proof of the development you\u2019ve taken
  • ", + "

    Documents to record training

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will email you the following documents when you first qualify:

    ", + "
  • DVSA enhanced rider scheme syllabus and list of modules
  • ", + "
  • rider\u2019s log book
  • ", + "
  • details of how to issue the DVSA certificate of competence
  • ", + "

    Use these to provide and record training, and to issue certificates to riders who complete the DVSA enhanced rider scheme.

    ", + "

    You\u2019ll also be sent leaflets and posters you can use to advertise the DVSA enhanced rider scheme.

    ", + "

    If you lose your documents

    ", + "

    Contact DVSA to get the documents sent again.

    " + ] + }, + { + "title": "Motorcycle trainer standards check", + "url": "https://www.gov.uk/motorcycle-trainer-standards-check", + "contents": [ + "

    When you have to take the standards check

    ", + "

    The motorcycle trainer standards check assesses your ability to teach pupils on a compulsory basic training (CBT) course.

    ", + "

    You should take at least one standards check during each 4-year period that you\u2019re registered as a motorcycle trainer. You do not have to pay for the check.

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will contact the training body where you work to arrange a date and time for your standards check.

    ", + "

    You can be removed from the motorcycle trainer register if you keep missing your standards check.

    ", + "

    There are different rules for taking a standards check in Northern Ireland.

    ", + "

    What happens at the standards check

    ", + "

    The check will take place at your motorcycle training body.

    ", + "

    A Driver and Vehicle Standards Agency (DVSA) examiner will watch you train a pupil (or a group of pupils) in a normal compulsory basic training (CBT) lesson.

    ", + "

    The lesson must include practical riding (elements C or E of the CBT syllabus). It can also include theoretical training and a pre-ride briefing (elements A, B or D).

    ", + "

    What you need to bring to the check

    ", + "

    For the check you need:

    ", + "
  • your motorcycle registration certificate
  • ", + "
  • a motorcycle that you can ride on roads, for example it must have up to date vehicle tax and an MOT certificate
  • ", + "
  • at least one pupil
  • ", + "

    Your mentor and training body authority holder cannot take part in the lesson.

    ", + "

    What you\u2019ll be marked on

    ", + "

    The examiner will look for evidence that you meet the national standard for driver and rider training.

    ", + "

    They\u2019ll follow guidance for carrying out the check and mark you on 17 areas of competence that are grouped into 3 categories:

    ", + "
  • lesson planning
  • ", + "
  • risk management
  • ", + "
  • teaching and learning skills
  • ", + "

    The 17 areas of competence are listed in the motorcycle trainer standards check form, which the examiner will fill in during your check.

    ", + "

    You\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to give a total score.

    ", + "

    Your standards check result

    ", + "

    After you give the lesson, the examiner will discuss your performance and give you the result. This will take about 15 minutes.

    ", + "

    You can invite your mentor or the training body authority holder to join you during this discussion.

    ", + "

    You\u2019ll be sent your completed standards check form by email.

    ", + "Total score | Result | Description", + "0 to 30 | Fail | Your performance is unsatisfactory", + "31 to 42 | Pass | Your performance is satisfactory", + "43 to 51 | Pass | You\u2019ve shown a high standard of instruction", + "

    Faults which mean you automatically fail

    ", + "

    You\u2019ll automatically fail if:

    ", + "
  • you get a score of 7 or less in the \u2018risk management\u2019 category
  • ", + "
  • the examiner stops the lesson because you\u2019ve put yourself or someone else in danger
  • ", + "
  • you did not follow the compulsory basic training (CBT) syllabus
  • ", + "
  • you incorrectly assessed a pupil\u2019s road riding, for example you gave them a CBT completion certificate but they should not have passed
  • ", + "

    If you fail the standards check

    ", + "

    You have up to 2 more attempts to pass the standards check.

    ", + "

    If you fail 3 times:

    ", + "
  • you\u2019ll be removed from the motorcycle trainer register
  • ", + "
  • you\u2019ll have to retake the motorcycle trainer qualifying tests to join the register again
  • " + ] + }, + { + "title": "Set up and run a motorcycle approved training body (ATB)", + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "contents": [ + "

    Overview

    ", + "

    You must be an approved training body (ATB) with the Driver and Vehicle Standards Agency (DVSA) to provide:

    ", + "
  • compulsory basic training (CBT) for learner motorcyclists
  • ", + "
  • direct access scheme (DAS) training to riders learning to ride a large motorcycle
  • ", + "

    CBT and DAS training must be given by instructors certified by DVSA working for your approved training body.

    ", + "

    The sites you use to provide training from must also be approved by DVSA.

    ", + "

    The process is different Northern Ireland.

    ", + "

    Rules for being an ATB

    ", + "

    You must meet certain rules to be an approved training body (ATB).

    ", + "

    \u2018Fit and proper\u2019

    ", + "

    You must be a \u2018fit and proper\u2019 person to run the ATB.

    ", + "

    When deciding if you\u2019re a \u2018fit and proper\u2019 person, DVSA will look at if you have:

    ", + "
  • had any convictions in the last 4 years
  • ", + "
  • any motoring convictions
  • ", + "
  • been disqualified from driving
  • ", + "
  • any penalty points on your licence
  • ", + "
  • any court proceedings pending against you
  • ", + "

    Training

    ", + "

    You must provide compulsory basic training (CBT) as an ATB. Any CBT and direct access scheme (DAS) courses you provide must meet the legal requirements.

    ", + "

    The CBT syllabus and guidance notes gives full details on what must be provided.

    ", + "

    An instructor is only allowed to supervise up to 2 trainees during on-road tuition.

    ", + "

    Your instructors must be in radio contact with all trainees at all times during on-road tuition.

    ", + "

    Training sites

    ", + "

    You must have the use of a suitable site or sites for training in the off-road parts of the CBT course.

    ", + "

    These sites must be authorised by DVSA before they\u2019re used.

    ", + "

    Instructors

    ", + "

    You must make sure that all your instructors have a valid instructor certificate for the type of training they give. This must show the name of your ATB.

    ", + "

    At least 1 of your instructors must have successfully completed DVSA\u2019s assessment course for motorcycle training.

    ", + "

    DVSA-assessed instructors are allowed to train other people that you want to appoint as instructors - this is known as \u2018down-training\u2019.

    ", + "

    You should have at least 1 DVSA-assessed instructor for every 10 instructors that have been down-trained.

    ", + "

    Monitoring

    ", + "

    You should send all required information about the courses you provide to DVSA including:

    ", + "
  • reporting any incidents
  • ", + "
  • dates when you\u2019re providing CBT courses
  • ", + "
  • the CBT certificates of completion you issue
  • ", + "

    The ATB manual gives more details about what you have to send.

    ", + "

    Apply to become an ATB

    ", + "

    To apply to register an approved training body (ATB), download these 3 application forms, and send them to DVSA:

    ", + "
  • \u2018Application to provide compulsory basic training (CBT) courses\u2019
  • ", + "
  • \u2018Compulsory basic training (CBT) site application form\u2019
  • ", + "
  • \u2018Application to be authorised as a certified motorcycle instructor\u2019
  • ", + "

    It takes up to 8 weeks to process an application. This includes the time to inspect the site to be used for the off-road elements of compulsory basic training.

    ", + "

    Apply for CBT site authorisation

    ", + "

    All the sites you intend to use for the practical training and riding elements of the compulsory basic training (CBT) course must be authorised by DVSA.

    ", + "

    You can\u2019t use a site until you\u2019ve got authorisation from DVSA.

    ", + "

    Download the compulsory basic training site application form to apply for authorisation.

    ", + "

    Send the completed form to DVSA. You\u2019ll also need to include a draft plan of the intended site, eg an annotated satellite image.

    ", + "

    Site inspection

    ", + "

    DVSA will:

    ", + "
  • inspect the site
  • ", + "
  • send a site report to you
  • ", + "
  • send a unique site code to you if the site is suitable
  • ", + "

    The site report will explain any rules set by DVSA. This will include how many trainees are allowed on the site.

    ", + "

    You should make sure all your instructors are aware of these details.

    ", + "

    Changes to authorised sites

    ", + "

    You must tell DVSA straight away if a site is altered or added to.

    ", + "

    Download the compulsory basic training site application form and send it to DVSA.

    ", + "

    You\u2019ll also need to include:

    ", + "
  • a draft plan showing any changes to the original authorised site
  • ", + "
  • a permission letter signed by the site owner
  • ", + "

    The site\u2019s authorisation can be removed if it has become unsuitable.

    ", + "

    Stopping using a site

    ", + "

    You must tell DVSA straight away if you stop using a site for CBT.

    ", + "

    You can email DVSA - you\u2019ll need to include your approved training body number and the site\u2019s unique code.

    ", + "

    Providing the CBT course

    ", + "

    The compulsory basic training (CBT) course is made up of 5 parts.

    ", + "

    The course syllabus and the order in which the parts must be delivered is set out in law.

    ", + "

    CBT certificate of completion

    ", + "

    You must give trainees a CBT certificate of completion (DL196) when they reach the required standard.

    ", + "

    The certificate must be completed and signed by the instructor, usually the one who conducted part E of the CBT course.

    ", + "

    The name and address of your approved training body (ATB) should be included on the certificate.

    ", + "

    Ordering DL196 certificates

    ", + "

    You can buy books of DL196 certificates online from DVSA.

    ", + "

    Each book contains 25 certificates and costs \u00a3200.

    ", + "

    How your ATB is monitored

    ", + "

    DVSA monitors the standard of instruction given by:

    ", + "
  • approved training bodies (ATBs)
  • ", + "
  • instructors delivering compulsory basic training (CBT) courses
  • ", + "

    You must make your instructors available for regular standards checks.

    ", + "

    You should tell your local DVSA CBT manager the dates and times when your ATB will be running CBT courses.

    ", + "

    After an assessment

    ", + "

    You\u2019ll get a letter of confirmation and report from DVSA after an assessment visit if the training delivered meets the required standard.

    ", + "

    DVSA can conduct more assessments if:

    ", + "
  • the training falls short of the required standard
  • ", + "
  • there are breaches of regulations
  • ", + "
  • there are reports of failure to follow the conditions of appointment
  • ", + "

    DVSA will consider withdrawing an instructor\u2019s authority to deliver courses if they fail to achieve the required standard during the subsequent assessments.

    ", + "

    DVSA can withdraw your ATB\u2019s authorisation to deliver training courses if assessments show that it doesn\u2019t consistently provide full and proper CBT courses.

    ", + "

    Disagreeing with DVSA\u2019s decision

    ", + "

    You can appeal to DVSA if you or an instructor disagrees with DVSA\u2019s decision to withdraw their authority.

    ", + "

    Documents for ATBs

    ", + "

    DVSA produces the following documents for approved training bodies (ATBs).

    ", + "

    ATB manual

    ", + "

    The ATB manual gives more details about the rules and processes you should follow when you\u2019re running an ATB.

    ", + "

    Safe and Responsible Riding

    ", + "

    The \u2018National standard for riding mopeds and motorcycles\u2019 sets out the skills, knowledge and understanding that learners need to prove they\u2019re safe and responsible riders.

    ", + "

    Compulsory basic training (CBT) syllabus and guidance notes

    ", + "

    The CBT syllabus and guidance notes sets out what trainers need to do and what learners need to understand when taking the course.

    ", + "

    Direct access scheme (DAS) motorcycle training guidance

    ", + "

    The DAS motorcycle training guidance sets out what trainers need to do and what learners need to understand when taking the course.

    ", + "

    Changes to the CBT syllabus and guidance notes

    ", + "

    You can keep up to date with new versions if you sign up for DVSA email alerts.

    " + ] + }, + { + "title": "Become a fleet driver trainer", + "url": "https://www.gov.uk/become-a-fleet-driver-trainer", + "contents": [ + "

    How to qualify as a fleet driver trainer

    ", + "

    You can apply to join the voluntary register of fleet driver trainers if you specialise in training fully qualified drivers of fleets of cars and vans.

    ", + "

    You must be an approved driving instructor to join the register.

    ", + "

    You\u2019ll have to take a training course accredited by DVSA to qualify as a fleet driver trainer.

    ", + "

    You must join the register within 1 year of completing the course.

    ", + "

    When you\u2019ve qualified

    ", + "

    When you\u2019ve qualified and joined the register:

    ", + "
  • your details will be given to people looking for fleet driver training
  • ", + "
  • you can advertise yourself as a \u2018Driver and Vehicle Standards Agency registered fleet driver trainer\u2019
  • ", + "

    Your registration as a fleet driver trainer will last for 4 years.

    ", + "

    Apply to become a fleet driver trainer

    ", + "

    To apply, download and fill in the application form and send it to the Driver and Vehicle Standards Agency (DVSA).

    ", + "

    Training course already done

    ", + "

    You can send the form to DVSA if you\u2019ve already done an accredited training course. You\u2019ll need to include:

    ", + "
  • the registration fee of \u00a3120
  • ", + "
  • your driving licence number if you have a photocard driving licence, or a passport-style photo if you have an old-style paper licence
  • ", + "
  • a copy of your course certificate
  • ", + "

    You must have done the course within the last year.

    ", + "

    Managing your registration

    ", + "

    Your registration will last for 4 years from when you join the register.

    ", + "

    You\u2019re responsible for remembering when your registration runs out and renewing it.

    ", + "

    To renew your registration, download and fill in the application form and send it to the Driver and Vehicle Standards Agency (DVSA) with the fee of \u00a3120 and a passport-style photo.

    ", + "

    You can re-join the register without having to qualify again within 12 months of your registration running out.

    ", + "

    Replace a certificate

    ", + "

    You should write to DVSA if your registration certificate is lost, stolen or destroyed.

    ", + "

    You can get a new certificate by sending a passport-style photo to DVSA and paying \u00a33.60.

    ", + "

    Advertising your services

    ", + "

    You\u2019ll be able to advertise yourself as a \u2018DVSA registered fleet driver trainer\u2019. You can also apply to use the official DVSA logo.

    ", + "

    Taking standards checks

    ", + "

    You have to take regular standards checks as an approved driving instructor (ADI). This assesses your continuing ability to instruct someone with a provisional or full driving licence.

    ", + "

    You don\u2019t have to take a separate check to stay on the fleet driver trainer register.

    ", + "

    How the test works

    ", + "

    Standards checks are based on the examiner observing a normal lesson which should last for around an hour. After the lesson you should allow at least 15 minutes for the debrief.

    ", + "

    You can bring a learner driver or a full licence holder who can be:

    ", + "
  • a driver you haven\u2019t assessed
  • ", + "
  • a driver you have assessed
  • ", + "

    A driver you haven\u2019t assessed

    ", + "

    You can bring a driver you haven\u2019t assessed and:

    ", + "
  • give a presentation on occupational risk
  • ", + "
  • introduce them to the training vehicle, covering safety checks
  • ", + "
  • do a driver assessment and profile to establish their main risk areas and provide the necessary coaching
  • ", + "

    A driver you have assessed

    ", + "

    You can bring a driver you\u2019ve already assessed. You\u2019ll need to tell the examiner what main risk areas you intend to provide coaching for during the standards check.

    ", + "

    Your standards check result

    ", + "

    You\u2019ll get a grade at the end of your standards check. This works the same as a normal ADI standards check.

    ", + "

    Being removed from the register

    ", + "

    You\u2019ll be removed from both the ADI register and the register of fleet drivers if you:

    ", + "
  • fail the standards check
  • ", + "
  • don\u2019t attend your standards check appointment
  • " + ] + }, + { + "title": "16 to 19 Bursary Fund", + "url": "https://www.gov.uk/1619-bursary-fund", + "contents": [ + "

    Overview

    ", + "

    You could get a bursary to help with education-related costs if you\u2019re aged 16 to 19 and:

    ", + "
  • studying at a publicly funded school or college in England - not a university
  • ", + "
  • on a training course, including unpaid work experience
  • ", + "

    A publicly funded school is one that does not charge you for attending it.

    ", + "

    There\u2019s a different scheme in Wales, Scotland and Northern Ireland.

    ", + "

    If you\u2019re 19 and over

    ", + "

    You could also get a bursary if you either:

    ", + "
  • are continuing on a course you started aged 16 to 18 (known as being a \u201919+ continuer\u2019)
  • ", + "
  • have an Education, Health and Care Plan (EHCP)
  • ", + "

    What a bursary is for

    ", + "

    A bursary is money that you, or your education or training provider, can use to pay for things like:

    ", + "
  • clothing, books and other equipment for your course
  • ", + "
  • transport and lunch on days you study or train
  • ", + "

    What you'll get

    ", + "

    There are 2 types of 16 to 19 bursary:

    ", + "
  • a bursary for students in vulnerable groups
  • ", + "
  • a discretionary bursary
  • ", + "

    Bursary for students in vulnerable groups

    ", + "

    You could get a bursary worth up to \u00a31,200, depending on your circumstances and benefits.

    ", + "

    Discretionary bursary

    ", + "

    You could get a discretionary bursary if you need financial help but do not qualify for a bursary for students in vulnerable groups. Your education or training provider decides how much you get and what it\u2019s used for.

    ", + "

    If you\u2019re over 19, you\u2019ll only be eligible for a discretionary bursary.

    ", + "

    Your provider will decide how you get your bursary. You might get:

    ", + "
  • an instalment paid by cash, cheque or bank transfer
  • ", + "
  • things like a travel pass, free meals or books
  • ", + "

    Some providers also offer one-off payments to cover study trips or travel for university interviews.

    ", + "

    Your provider could stop payments if you break their rules, for example about attendance or how your bursary is used.

    ", + "

    Eligibility

    ", + "

    You must:

    ", + "
  • be at least 16 and under 19 on 31 August 2021
  • ", + "
  • study at a publicly funded school or college, or be on an unpaid training course
  • ", + "
  • meet the residency requirements - your school or college can check this
  • ", + "

    Bursary for students in vulnerable groups

    ", + "

    You may be able to get a bursary if at least one of the following applies:

    ", + "
  • you\u2019re in or you recently left local authority care
  • ", + "
  • you get Income Support or Universal Credit because you\u2019re financially supporting yourself
  • ", + "
  • you get Disability Living Allowance (DLA) in your name and either Employment and Support Allowance (ESA) or Universal Credit
  • ", + "
  • you get Personal Independence Payment (PIP) in your name and either ESA or Universal Credit
  • ", + "

    The amount you may get depends on the costs you have and what you need for your course. This might include money for books, equipment or travel costs to school or college.

    ", + "

    Discretionary bursary

    ", + "

    Your school or college will have their own criteria for discretionary bursaries. They\u2019ll look at your individual circumstances - this usually includes your family income.

    ", + "

    Ask student services about their criteria and any evidence you\u2019ll need.

    ", + "

    You can apply to a discretionary bursary if you\u2019re over 19 and either:

    ", + "
  • continuing on a course you started aged 16 to 18 (known as being a \u201819+ continuer\u2019)
  • ", + "
  • have an Education, Health and Care Plan (EHCP)
  • ", + "

    How to claim

    ", + "

    Apply to your school, college or training provider. Ask student services or your tutor to explain what you need to do.

    ", + "

    When to apply

    ", + "

    Apply once you know where you\u2019ll study or train, so you\u2019ll get your bursary as soon as possible.

    ", + "

    You might need to reapply for a bursary for each year of your course. Check with your provider.

    ", + "

    Help

    ", + "

    Your tutor or student services can help you decide if you\u2019re eligible for a bursary and explain how to apply.

    ", + "

    Contact the Education and Skills Funding Agency (ESFA) if your tutor or student services cannot answer your question.

    ", + "

    You think a decision is unfair

    ", + "

    Speak to student services if you\u2019re unhappy with a decision. Follow their complaints process if you cannot resolve the problem.

    ", + "

    Emergencies and hardship

    ", + "

    You might be able to get more support if your circumstances change or you have an emergency. Your provider might also have a separate hardship fund. Speak to student services if you need extra help.

    " + ] + }, + { + "title": "Advanced Learner Loan", + "url": "https://www.gov.uk/advanced-learner-loan", + "contents": [ + "

    Overview

    ", + "

    You can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.

    ", + "

    Loan eligibility does not depend on your income and there are no credit checks.

    ", + "

    Check if you\u2019re eligible before you apply for an Advanced Learner Loan.

    ", + "

    Different funding is available if you want to study in Scotland, Northern Ireland or Wales.

    ", + "

    When you repay your loan

    ", + "

    You\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).

    ", + "

    You\u2019ll be charged interest from the day you get the first payment.

    ", + "

    Access to Higher Education (HE) course

    ", + "

    Student Finance England will \u2018write off\u2019 any outstanding Advanced Learner Loan balances you owe for an Access to HE course once you complete a higher education course. This means you do not have to repay it.

    ", + "

    The higher education course must be eligible for student finance.

    ", + "

    Loan Bursary Fund

    ", + "

    You may also be eligible for money from the Advanced Learner Loan Bursary Fund if you need help with some costs while studying, for example childcare, travel or trips related to your course.

    ", + "

    Use the Money Advice Service to work out the cost of borrowing.

    ", + "

    What you'll get

    ", + "

    How much you get depends on:

    ", + "
  • the type of course
  • ", + "
  • your course fees
  • ", + "
  • the maximum loan available for your course
  • ", + "

    The minimum loan you can get is \u00a3300 and is paid directly to your college or training provider.

    ", + "

    You do not have to borrow the full cost of your course - you can pay for some of it yourself.

    ", + "

    Number of loans you can get

    ", + "

    You can apply for up to 4 loans and you can get more than one at the same time.

    ", + "

    You can apply for another loan to take the same level of a course, for example the same level qualification in History if you\u2019ve already had a loan for the same level in Maths.

    ", + "

    You can only apply once for an Access to Higher Education course.

    ", + "

    A Levels

    ", + "

    You can apply for a loan to fund each course you take towards your A Levels - up to a maximum of 4 A Levels.

    ", + "

    This means you can have up to 8 loans if you\u2019re taking each A Level as 2 separate courses.

    ", + "

    The courses must be in the same subject to qualify for a full A Level.

    ", + "

    You can get 3 more loans for non A Level courses either before or after your course of A Levels.

    ", + "

    Eligibility

    ", + "

    Whether you qualify for an Advanced Learner Loan depends on your:

    ", + "
  • age
  • ", + "
  • course
  • ", + "
  • college or training provider
  • ", + "
  • nationality or residency status
  • ", + "

    You must be 19 or older on the first day of your course.

    ", + "

    Your course must be:

    ", + "
  • a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate
  • ", + "
  • at an approved college or training provider in England
  • ", + "

    Ask your college or training provider if you do not know if your course is eligible.

    ", + "

    Your nationality or residency status

    ", + "

    In most cases, all of the following must apply. You must:

    ", + "
  • be living in the UK on the first day of your course
  • ", + "
  • be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)
  • ", + "
  • have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course
  • ", + "

    If you have settled status because you\u2019re a victim of domestic violence, you do not need to have lived in the UK, Channel Islands or Isle of Man for 3 years.

    ", + "

    You may also qualify if you\u2019re:

    ", + "
  • a UK national, or someone with settled status, but you live in the European Economic Area (EEA)
  • ", + "
  • an EU national or a family member of one
  • ", + "
  • not a UK national but you\u2019ve lived in the UK for at least 20 years (or at least half of your life)
  • ", + "
  • a refugee or a relative of one
  • ", + "
  • a migrant worker
  • ", + "
  • the child of a Swiss national
  • ", + "
  • the child of a Turkish worker
  • ", + "
  • under humanitarian protection or a relative of someone who has been granted it
  • ", + "
  • staying in the UK as a stateless person (or their family member) and your course started on or after 1 August 2018
  • ", + "
  • a serving member of the UK armed forces (or their spouse, civil partner or a dependent parent or child living with them) doing a distance learning course from outside the UK that started on or after 1 August 2017
  • ", + "
  • someone granted \u2018Calais leave\u2019 to remain or a child of someone granted \u2018Calais leave\u2019 to remain - if your course starts on or after 1 August 2020 and you\u2019ve lived in the UK for at least 3 years before the first day of the first academic year of your course
  • ", + "

    Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021

    ", + "

    If you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.

    ", + "

    You need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.

    ", + "

    How to apply

    ", + "
  • Check with your college or training provider that the course qualifies.
  • ", + "
  • Ask them for a \u2018Learning and funding information\u2019 letter - you need this to complete the application. It contains the details about your course.
  • ", + "
  • Apply online - you\u2019ll need to register first. You can apply by post if you cannot apply online.
  • ", + "
  • You\u2019ll get a letter confirming your loan - usually within 2 weeks if you apply online (postal applications take longer).
  • ", + "

    What you need to know

    ", + "

    You cannot apply until you get a \u2018learning and funding information letter\u2019 from your college or training provider.

    ", + "

    You can apply for a loan without a National Insurance number but you must have one before the loan can be paid.

    ", + "

    Apply by post

    ", + "

    If you cannot apply online, apply by post - the address is on the form.

    ", + "

    Proof of identity

    ", + "

    If you\u2019re a UK national, include your UK passport details in your application as proof of identity. If you forget, use the \u2018UK passport details form\u2019.

    ", + "

    If you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.

    ", + "

    Include your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.

    ", + "

    If you\u2019re from an EU country, send your EU passport or identity card the first time you apply.

    ", + "

    Supporting information

    ", + "

    Use the \u2018Evidence return form\u2019 if you need to send extra information to support your application, such as proof of residency status.

    ", + "

    Change an application

    ", + "

    Once your application has been approved you can log in to your account to make a change online.

    ", + "

    If you just want to change your loan amount you can use the loan request form instead.

    ", + "

    Bursary fund

    ", + "

    You may apply to get money from the Loan Bursary Fund after you\u2019ve received a letter approving your Advanced Learner Loan.

    ", + "

    The money can help pay for things like:

    ", + "
  • accommodation and travel
  • ", + "
  • course materials and equipment
  • ", + "
  • childcare
  • ", + "
  • classroom assistance for a disability or learning difficulty - once you\u2019re assessed by your college or training provider
  • ", + "

    How to apply

    ", + "

    Apply to your college or training provider - each one has its own application process. How much you get depends on the provider\u2019s scheme and your circumstances.

    ", + "

    Speak to student services if you need support with your application.

    ", + "

    How the money is paid

    ", + "

    Your college or training provider decides how the money is paid. You\u2019ll normally be paid direct. You might be able to arrange for the money to be paid to someone else instead, for example your landlord or childcare provider.

    ", + "

    In some situations fund money must be paid back. This is generally if you\u2019re a student experiencing a temporary financial difficulty and need a loan, for example for help with your mortgage or rent.

    ", + "

    Eligibility

    ", + "

    You can apply even if you get other types of funding, for example:

    ", + "
  • Professional and Career Development Loans
  • ", + "
  • Disability Living Allowance
  • ", + "

    You cannot apply if you\u2019re:

    ", + "
  • getting student finance for higher education
  • ", + "
  • on an apprenticeship training scheme
  • ", + "
  • on a Community Learning course
  • ", + "

    Appeal a decision

    ", + "

    Contact your college or training provider to appeal a decision from the Loan Bursary Fund.

    " + ] + }, + { + "title": "Become an apprentice", + "url": "https://www.gov.uk/become-apprentice", + "contents": [ + "

    How apprenticeships work

    ", + "

    Apprenticeships combine practical training in a job with study.

    ", + "

    As an apprentice you\u2019ll:

    ", + "
  • be an employee earning a wage and getting holiday pay
  • ", + "
  • work alongside experienced staff
  • ", + "
  • gain job-specific skills
  • ", + "
  • get time for training and study related to your role (at least 20% of your normal working hours)
  • ", + "

    Apprenticeships take 1 to 5 years to complete depending on their level.

    ", + "

    Levels of apprenticeship

    ", + "

    Apprenticeships have equivalent educational levels.

    ", + " | Level | Equivalent educational level", + "Intermediate | 2 | GCSE", + "Advanced | 3 | A level", + "Higher | 4,5,6 and 7 | Foundation degree and above", + "Degree | 6 and 7 | Bachelor\u2019s or master\u2019s degree", + "

    Some apprenticeships may also give you an additional qualification, such as a diploma.

    ", + "

    Who can start an apprenticeship

    ", + "

    To start an apprenticeship, you\u2019ll need to be:

    ", + "
  • 16 or over
  • ", + "
  • living in England
  • ", + "
  • not in full-time education
  • ", + "

    You can apply for an apprenticeship while you\u2019re still at school but you\u2019ll need to be 16 or over by the end of the summer holidays to start the apprenticeship.

    ", + "

    If you need more experience

    ", + "

    If you feel you\u2019re not ready for an apprenticeship, a traineeship is a course designed to prepare you for one.

    ", + "

    Apprenticeships in Scotland, Wales and Northern Ireland

    ", + "

    Different organisations deal with apprenticeships in:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    What you'll get

    ", + "

    As an apprentice, you\u2019ll get:

    ", + "
  • paid and be entitled to the National Minimum Wage
  • ", + "
  • time for training or study as part of your apprenticeship
  • ", + "
  • holiday pay and other employee rights
  • ", + "

    Apprentice pay and the National Minimum Wage

    ", + "

    There are different rates of pay for apprentices depending on your age and what year of your apprenticeship you\u2019re in.

    ", + "

    Your employment contract should confirm your rate of pay.

    ", + "

    Aged 16 to 18

    ", + "

    The current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.

    ", + "

    Aged 19 or over and in your first year

    ", + "

    The current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.

    ", + "

    Aged 19 or over and have completed your first year

    ", + "

    You\u2019re entitled to the National Minimum Wage or National Living Wage rate for your age.

    ", + "

    Check you\u2019re being paid the minimum wage with the National Minimum Wage and Living Wage calculator.

    ", + "

    Time apprentices are paid for

    ", + "

    You must be paid for:

    ", + "
  • your normal working hours
  • ", + "
  • training that\u2019s part of your apprenticeship (at least 20% of your normal working hours)
  • ", + "
  • study towards English and maths qualifications, if they\u2019re part of your apprenticeship
  • ", + "

    Your normal working hours should be in your employment contract (this might be your apprenticeship agreement).

    ", + "

    There are rules about how many hours you can work in a week and being paid overtime.

    ", + "

    If you\u2019re studying for English and maths qualifications which are part of your apprenticeship, your employer should allow you time to study during your normal working hours.

    ", + "

    Training

    ", + "

    As an apprentice, at least 20% of your normal working hours must be spent on training.

    ", + "

    Your training might happen every week, every month or in a separate block of time.

    ", + "

    The training might take place:

    ", + "
  • at your place of work
  • ", + "
  • somewhere else like at a college or training provider
  • ", + "
  • online
  • ", + "

    Your training provider will be able to tell you when and where your training will be.

    ", + "

    Holidays

    ", + "

    You\u2019ll get at least 20 days paid holiday per year, plus bank holidays.

    ", + "

    Use the holiday calculator to check holiday entitlement for apprentices.

    ", + "

    If you\u2019ve been in local authority care

    ", + "

    If you\u2019re under 25 when you start your apprenticeship and have previously been in local authority care, you may be eligible for a bursary payment.

    ", + "

    Ask your training provider for more information about what you\u2019ll get, if you\u2019re eligible and how to apply.

    ", + "

    Help and advice

    ", + "

    Your school, college or training provider may be able to give you advice about apprenticeships.

    ", + "

    Contact Acas for free and confidential advice on your rights at work.

    ", + "

    Contact the Support Service for Apprentices for mental health support and advice.

    ", + "

    Apply for an apprenticeship

    ", + "

    There are 3 steps to applying for an apprenticeship.

    ", + "
  • Search for an apprenticeship.
  • ", + "
  • Sign in or create an account.
  • ", + "
  • Complete and submit your application.
  • ", + "

    The National Careers Service has advice on writing applications and what to do at interviews.

    ", + "

    If you\u2019re applying again because you were made redundant from your last apprenticeship, call the Apprenticeship helpline. You can also talk to your training provider.

    ", + "

    If you\u2019re unsuccessful

    ", + "

    You can ask for feedback if you do not get selected for an interview or for the apprenticeship.

    ", + "

    You can complain if you think you were not successful because you were discriminated against, or your treatment in the interview or application process was unfair.

    " + ] + }, + { + "title": "Employing an apprentice", + "url": "https://www.gov.uk/employing-an-apprentice", + "contents": [ + "

    Overview

    ", + "

    Apprentices are aged 16 or over and combine working with studying to gain skills and knowledge in a specific job.

    ", + "

    Apprentices can be new or current employees.

    ", + "

    You must pay the apprentice at least the minimum wage.

    ", + "

    Your apprentice must:

    ", + "
  • work with experienced staff
  • ", + "
  • learn job-specific skills
  • ", + "
  • get time for training or study during their working week (at least 20% of their normal working hours)
  • ", + "

    Hiring your apprentice

    ", + "

    There are several steps to taking on an apprentice.

    ", + "
  • Choose an apprenticeship for your business or organisation.
  • ", + "
  • Find an organisation that offers training for the apprenticeship you\u2019ve chosen.
  • ", + "
  • Check what funding is available for training and other costs to your organisation.
  • ", + "
  • Advertise your apprenticeship - you or your training provider can do this through the recruit an apprentice service.
  • ", + "
  • Select your apprentice and make an apprenticeship agreement and commitment statement with them.
  • ", + "

    If you do not want to hire and train the apprentice yourself, you can use an apprenticeship training agency. The apprentice will be employed by the agency but will work in your organisation.

    ", + "

    How long it lasts

    ", + "

    Apprenticeships must last for at least a year. They can last up to 5 years depending on the level the apprentice is studying.

    ", + "

    Get help

    ", + "

    Fill in the enquiry form or contact the National Apprenticeship Service for more information.

    ", + "

    You can get more information or use the webchat service on the apprenticeship service employer support site.

    ", + "

    Scotland, Wales and Northern Ireland

    ", + "

    Contact your apprenticeship authority if you\u2019re an employer in:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    Get funding

    ", + "

    You can get help from the government:

    ", + "
  • to pay for apprenticeship training and assessment
  • ", + "
  • as an incentive payment for other costs
  • ", + "

    Help to pay for apprenticeship training and assessment

    ", + "

    The amount you get depends on whether you pay the apprenticeship levy or not. You pay the levy if you\u2019re an employer with a pay bill over \u00a33 million each year.

    ", + "

    If you do not need to pay the levy

    ", + "

    You pay 5% towards the cost of training and assessing your apprentice. You need to:

    ", + "
  • agree a payment schedule with the training provider
  • ", + "
  • pay them directly for the training
  • ", + "

    The government will pay the rest (95%) up to the funding band maximum. They\u2019ll pay it directly to the training provider.

    ", + "

    You could be eligible for extra funding depending on both your and your apprentice\u2019s circumstances.

    ", + "

    You contribute 10% towards the cost of training and assessing your apprentice and the government pays the rest (90%) if your apprentice started before 1 April 2019. This rate continues until your apprentice completes their training.

    ", + "

    If you pay the levy

    ", + "

    You\u2019ll receive funds to spend on training and assessing your apprentices. The government will add 10%.

    ", + "

    How you get your funds and pay for training depends on whether you\u2019re in:

    ", + "
  • England
  • ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    Help to pay for other costs

    ", + "

    You can claim for an incentive payment for new apprentices who join your organisation.

    ", + "

    You can claim \u00a33,000 for apprentices who start between 1 April 2021 and 30 September 2021.

    ", + "

    The closing date for applications is 30 November 2021.

    ", + "

    Find out if you are eligible, what you can use the payment for and how to apply.

    ", + "

    Register for a digital service account

    ", + "

    Register for an apprenticeship service account to access funds or pay for training. You\u2019ll be able to apply for the incentive payment after you add new apprentices to your account.

    ", + "

    If you pay the apprenticeship levy and use an apprenticeship training agency, you cannot use funds from your digital account to pay for the training agency\u2019s services.

    ", + "

    Get help

    ", + "

    Fill in the enquiry form or contact the National Apprenticeship Service for more information.

    ", + "

    You can get more information or use the webchat service on the apprenticeship service employer support site.

    ", + "

    Pay and conditions for apprentices

    ", + "

    You are responsible for:

    ", + "
  • giving your apprentice their contract of employment
  • ", + "
  • paying your apprentice\u2019s wage
  • ", + "
  • signing an apprenticeship agreement
  • ", + "

    Pay for apprentices

    ", + "

    You must pay apprentices at least the National Minimum Wage.

    ", + "

    There\u2019s different rates of pay for apprentices depending on their age and what year of their apprenticeship they\u2019ve completed.

    ", + "

    The contract of employment should make it clear what wage you\u2019ll pay your apprentice and for what hours.

    ", + "

    Aged 16 to 18

    ", + "

    The current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.

    ", + "

    Aged 19 or over and in their first year

    ", + "

    The current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.

    ", + "

    Aged 19 or over and have completed their first year

    ", + "

    Apprentices will be entitled to the National Minimum Wage or National Living Wage rate for their age.

    ", + "

    Use the National Minimum Wage and Living Wage calculator to check if you\u2019re paying your apprentices correctly.

    ", + "

    Conditions

    ", + "

    Apprentices must work towards an approved apprenticeship. Their training must last at least 12 months.

    ", + "

    They must be employed in a real job that gives them the opportunity to gain the knowledge and skills they need to pass their assessment.

    ", + "

    Training and study

    ", + "

    You must pay your apprentice for time spent training or studying for their apprenticeship.

    ", + "

    Apprentices must spend at least 20% of their normal working hours training.

    ", + "

    The training might take place:

    ", + "
  • at their place of work
  • ", + "
  • somewhere else (for example, a college or training provider)
  • ", + "
  • online
  • ", + "

    If your apprentice is also studying for English or maths qualifications required by their apprenticeship, they are entitled to paid study time during their normal working hours.

    ", + "

    Employee rights

    ", + "

    You must offer apprentices the same conditions as other employees working at similar grades or in similar roles. This includes:

    ", + "
  • paid holidays
  • ", + "
  • sick pay
  • ", + "
  • any benefits you offer such as childcare voucher schemes
  • ", + "
  • any support you offer such as coaching or mentoring
  • ", + "

    Apprentices and redundancy

    ", + "

    Apprentices have the same employment rights as your other employees. Follow the process for making staff redundant if you have to make an apprentice redundant.

    ", + "

    Get legal advice if you want to end the apprenticeship early for another reason.

    ", + "

    Support for apprentices

    ", + "

    Your apprentice can get support if they\u2019re being made redundant or are at risk of redundancy.

    ", + "

    They can get:

    ", + "
  • financial and legal advice
  • ", + "
  • support for their health and wellbeing
  • ", + "
  • help finding another apprenticeship
  • ", + "

    Make an apprenticeship agreement

    ", + "

    You must sign an apprenticeship agreement with your apprentice.

    ", + "

    This gives details of:

    ", + "
  • the skill, trade or occupation the apprentice is being trained for
  • ", + "
  • the name of the apprenticeship they\u2019re working towards
  • ", + "
  • the start and end dates for the apprenticeship
  • ", + "
  • the amount of training you\u2019ll give them
  • ", + "

    You can write your own apprentice agreement or download an apprenticeship agreement template.

    ", + "

    Commitment statement

    ", + "

    You must sign a commitment statement with your apprentice and the training provider.

    ", + "

    You can write your own commitment statement or use the ESFA apprenticeship commitment statement template.

    ", + "

    It must include:

    ", + "
  • the planned content and schedule for training
  • ", + "
  • what is expected and offered by the employer, the training provider and the apprentice
  • ", + "
  • how to resolve queries or complaints
  • " + ] + }, + { + "title": "Further education courses and funding", + "url": "https://www.gov.uk/further-education-courses", + "contents": [ + "

    Overview

    ", + "

    Further education (FE) includes any study after secondary education that\u2019s not part of higher education (that is, not taken as part of an undergraduate or graduate degree).

    ", + "

    Courses range from basic English and maths to Higher National Diplomas (HNDs).

    ", + "

    FE also includes 3 types of technical and applied qualifications for 16 to 19-year-olds:

    ", + "
  • level 3 tech levels to specialise in a specific technical job
  • ", + "
  • level 2 technical certificates help get employment or progress to another tech level
  • ", + "
  • applied general qualifications to continue general education at advanced level through applied learning
  • ", + "

    Funding

    ", + "

    Many courses in reading, writing and basic maths are free, and you may not have to pay for tuition if you\u2019re under 24 and studying for your first qualification equivalent to GCSE or A level.

    ", + "

    Find out about financial support, for example for your course or day-to-day living costs.

    ", + "

    Find a course

    ", + "

    Use the National Careers Service course search to find further education (FE) courses by course name, provider or subject.

    ", + "

    You can also take courses through the internet or email (known as \u2018distance learning\u2019).

    ", + "

    Comparing FE colleges

    ", + "

    You can compare survey data from employers and learners about FE colleges.

    ", + "

    Advice

    ", + "

    You can get free advice from the National Careers Service if you need help choosing a course.

    ", + "

    If you're 16 or 17

    ", + "

    If you\u2019re aged 16 or 17 you can study a further education (FE) course:

    ", + "
  • full-time at school or college
  • ", + "
  • while at work
  • ", + "

    If you\u2019re coming towards the end of a school or college course, you\u2019re guaranteed a place on an FE course the following autumn if you\u2019re under 18 years old.

    ", + "

    Contact your school or local council to find out what\u2019s on offer.

    ", + "

    Advice

    ", + "

    Get advice to help you decide on the right course from a National Careers Service adviser.

    ", + "

    Financial help

    ", + "

    You may be able to get help with the costs of:

    ", + "
  • your course
  • ", + "
  • day-to-day living costs
  • ", + "
  • childcare
  • ", + "

    Depending on your circumstances and the subject you\u2019re studying, you may qualify for:

    ", + "
  • Learner Support
  • ", + "
  • Residential Support Scheme
  • ", + "
  • Care to Learn
  • ", + "
  • Dance and Drama Awards
  • ", + "
  • 16 to 19 Bursary Fund
  • ", + "
  • a loan to help with the costs of a college or training course if you\u2019re 19 or older - called an Advanced Learning Loan
  • ", + "

    Funding for essential skills

    ", + "

    In most cases you will not have to pay for level 1 and 2 English and maths courses. You might be able to take other courses for free.

    ", + "

    Funding if you\u2019re on benefits

    ", + "

    You can get free training if you\u2019re unemployed and:

    ", + "
  • claiming Jobseeker\u2019s Allowance
  • ", + "
  • in an Employment and Support Allowance work-related activity group
  • ", + "
  • required to do training as part of your Universal Credit claim
  • ", + "

    Your Jobcentre work coach will tell you what training you can do.

    ", + "

    If you\u2019re claiming other benefits or cannot get free training through your job centre, you may be able to get funding from colleges and training providers.

    ", + "

    Funding from a charitable trust

    ", + "

    Use the Family Action grant search to check if you can get help from a charitable trust.

    ", + "

    Advice

    ", + "

    Find out more about courses and what financial help you can get through the National Careers Service.

    " + ] + }, + { + "title": "Get funding for college accommodation", + "url": "https://www.gov.uk/residential-support-scheme", + "contents": [ + "

    Overview

    ", + "

    You may be able to get help with the cost of term-time accommodation if you\u2019re studying a further education course that\u2019s far from your home.

    ", + "

    How much you get depends on your household income.

    ", + "

    You will not be able to get help with boarding school fees.

    ", + "

    What you can apply for

    ", + "

    You may be able to apply to get money from the following:

    ", + "
  • Residential Bursary Fund (RBF), if you study at a specialist residential centre
  • ", + "
  • Residential Support Scheme (RSS), if you do not study at a specialist residential centre
  • ", + "

    Residential Bursary Fund

    ", + "

    You may be able to get help with the cost of accommodation from the Residential Bursary Fund (RBF).

    ", + "

    Eligibility

    ", + "

    You must:

    ", + "
  • meet the residency requirements (your college will check this)
  • ", + "
  • be at least 16 and under 19 on 31 August 2021
  • ", + "

    You may be eligible if you\u2019re 19 and either:

    ", + "
  • continuing on a course you started aged 16 to 18
  • ", + "
  • have an education, health and care plan (EHCP)
  • ", + "

    Your course must:

    ", + "
  • be at a specialist residential centre (your college can confirm this)
  • ", + "
  • be too far to travel to each day (your college must agree with this)
  • ", + "
  • be full-time
  • ", + "
  • be \u201816 to 19 funded\u2019 (your college can confirm this)
  • ", + "

    What you\u2019ll get

    ", + "

    Your college will decide how much you get. It depends on your household income.

    ", + "

    You can get payments for a maximum of 3 years.

    ", + "

    How to claim

    ", + "

    Contact the student support officer at your college for an application form and help with applying.

    ", + "

    Residential Support Scheme

    ", + "

    You may be able to get help with the cost of accommodation from the Residential Support Scheme (RSS).

    ", + "

    Eligibility

    ", + "

    You must:

    ", + "
  • be at least 16 and under 19 on 31 August 2021
  • ", + "
  • meet the residency requirements (your college will check this)
  • ", + "
  • not be on housing benefit
  • ", + "
  • have a household income of less than \u00a330,993
  • ", + "
  • be studying your first level 2 or level 3 qualification (for example 2 or more A levels, a diploma or a national vocational qualification)
  • ", + "

    You may be eligible if you\u2019re 19 and either:

    ", + "
  • continuing on a course you started aged 16 to 18
  • ", + "
  • have an education, health and care plan (EHCP)
  • ", + "

    Your course must:

    ", + "
  • not be at a specialist residential centre (your college can confirm this)
  • ", + "
  • be full-time at a college in England
  • ", + "
  • be \u201816 to 19 funded\u2019 (your college can confirm this)
  • ", + "

    Your course must also be more than either 15 miles or a 2 hour round trip from your home, and not available any closer than that.

    ", + "

    What you\u2019ll get

    ", + "

    The table shows the maximum you can get each year. The actual amount you can get depends on your accommodation costs.

    ", + "Gross household income | Studying outside London | Studying in London", + "Up to \u00a321,000 | Up to \u00a33,458 | Up to \u00a34,079", + "\u00a321,001 to \u00a325,704 | Up to \u00a32,305 | Up to \u00a32,685", + "\u00a325,705 to \u00a330,993 | Up to \u00a31,152 | Up to \u00a31,355", + "\u00a330,994 or more | No award | No award", + "

    You can get payments for a maximum of 3 years.

    ", + "

    How to claim

    ", + "

    Contact the student support officer at your college for an application form and help with applying.

    " + ] + }, + { + "title": "Learner Support", + "url": "https://www.gov.uk/learner-support", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.

    ", + "

    You apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.

    ", + "

    The money can help pay for things like:

    ", + "
  • accommodation and travel
  • ", + "
  • course materials and equipment
  • ", + "
  • childcare - if you qualify
  • ", + "

    What you'll get

    ", + "

    Your learning provider (for example, a college) decides how much you get. It depends on their scheme and your circumstances.

    ", + "

    How the money is paid

    ", + "

    The money could be:

    ", + "
  • a direct payment to you - which you don\u2019t have to pay back
  • ", + "
  • a loan - which you have to pay back
  • ", + "
  • paid to someone else, for example a landlord
  • ", + "

    Your learning provider decides how the money is paid to you. It depends on their scheme and what the money is for.

    ", + "

    Check with the student support staff at your college or the National Careers Service about other funding you could get.

    ", + "

    Eligibility

    ", + "

    To get Learner Support you must be:

    ", + "
  • 19 or over
  • ", + "
  • studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)
  • ", + "

    You must be 20 or over to get help with childcare costs. If you\u2019re 19, apply for Care to Learn instead.

    ", + "

    You can apply even if you get other types of funding, for example:

    ", + "
  • Professional and Career Development Loans
  • ", + "
  • Care to Learn
  • ", + "
  • Disability Living Allowance
  • ", + "

    Who can\u2019t apply

    ", + "

    You can\u2019t claim if you\u2019re:

    ", + "
  • getting student finance for higher education
  • ", + "
  • on a Community Learning course
  • ", + "

    How to claim

    ", + "

    Apply directly to your learning provider (for example, a college) - they each have their own application process.

    ", + "

    Speak to your student support services to:

    ", + "
  • get help applying
  • ", + "
  • find out what\u2019s available
  • ", + "

    Appeal a decision

    ", + "

    If you\u2019re not happy with the decision about your Learner Support, contact your learning provider to appeal it.

    " + ] + }, + { + "title": "What qualification levels mean", + "url": "https://www.gov.uk/what-different-qualification-levels-mean", + "contents": [ + "

    Overview

    ", + "

    Most qualifications have a difficulty level. The higher the level, the more difficult the qualification is.

    ", + "

    If you need to know the level of a qualification, you can:

    ", + "
  • see a list of qualification levels in England, Wales and Northern Ireland
  • ", + "
  • use the Register of Regulated Qualifications - if you know the name of the qualification and the exam board that runs it
  • ", + "
  • compare qualification levels from other countries
  • ", + "

    Qualifications at the same level sometimes cover different amounts of the same subject.

    ", + "

    Help

    ", + "

    Contact the National Careers Service for advice about qualification levels if you\u2019re in England.

    ", + "

    For the rest of the UK, contact:

    ", + "
  • Skills Development Scotland
  • ", + "
  • Careers Wales
  • ", + "
  • Northern Ireland Direct
  • ", + "

    England, Wales and Northern Ireland

    ", + "

    There are 9 qualification levels.

    ", + "

    Entry level

    ", + "

    Each entry level qualification is available at three sub-levels - 1, 2 and 3. Entry level 3 is the most difficult.

    ", + "

    Entry level qualifications are:

    ", + "
  • entry level award
  • ", + "
  • entry level certificate (ELC)
  • ", + "
  • entry level diploma
  • ", + "
  • entry level English for speakers of other languages (ESOL)
  • ", + "
  • entry level essential skills
  • ", + "
  • entry level functional skills
  • ", + "
  • Skills for Life
  • ", + "

    Level 1

    ", + "

    Level 1 qualifications are:

    ", + "
  • first certificate
  • ", + "
  • GCSE - grades 3, 2, 1 or grades D, E, F, G
  • ", + "
  • level 1 award
  • ", + "
  • level 1 certificate
  • ", + "
  • level 1 diploma
  • ", + "
  • level 1 ESOL
  • ", + "
  • level 1 essential skills
  • ", + "
  • level 1 functional skills
  • ", + "
  • level 1 national vocational qualification (NVQ)
  • ", + "
  • music grades 1, 2 and 3
  • ", + "

    Level 2

    ", + "

    Level 2 qualifications are:

    ", + "
  • CSE - grade 1
  • ", + "
  • GCSE - grades 9, 8, 7, 6, 5, 4 or grades A*, A, B, C
  • ", + "
  • intermediate apprenticeship
  • ", + "
  • level 2 award
  • ", + "
  • level 2 certificate
  • ", + "
  • level 2 diploma
  • ", + "
  • level 2 ESOL
  • ", + "
  • level 2 essential skills
  • ", + "
  • level 2 functional skills
  • ", + "
  • level 2 national certificate
  • ", + "
  • level 2 national diploma
  • ", + "
  • level 2 NVQ
  • ", + "
  • music grades 4 and 5
  • ", + "
  • O level - grade A, B or C
  • ", + "

    Level 3

    ", + "

    Level 3 qualifications are:

    ", + "
  • A level
  • ", + "
  • access to higher education diploma
  • ", + "
  • advanced apprenticeship
  • ", + "
  • applied general
  • ", + "
  • AS level
  • ", + "
  • international Baccalaureate diploma
  • ", + "
  • level 3 award
  • ", + "
  • level 3 certificate
  • ", + "
  • level 3 diploma
  • ", + "
  • level 3 ESOL
  • ", + "
  • level 3 national certificate
  • ", + "
  • level 3 national diploma
  • ", + "
  • level 3 NVQ
  • ", + "
  • music grades 6, 7 and 8
  • ", + "
  • tech level
  • ", + "

    Level 4

    ", + "

    Level 4 qualifications are:

    ", + "
  • certificate of higher education (CertHE)
  • ", + "
  • higher apprenticeship
  • ", + "
  • higher national certificate (HNC)
  • ", + "
  • level 4 award
  • ", + "
  • level 4 certificate
  • ", + "
  • level 4 diploma
  • ", + "
  • level 4 NVQ
  • ", + "

    Level 5

    ", + "

    Level 5 qualifications are:

    ", + "
  • diploma of higher education (DipHE)
  • ", + "
  • foundation degree
  • ", + "
  • higher national diploma (HND)
  • ", + "
  • level 5 award
  • ", + "
  • level 5 certificate
  • ", + "
  • level 5 diploma
  • ", + "
  • level 5 NVQ
  • ", + "

    Level 6

    ", + "

    Level 6 qualifications are:

    ", + "
  • degree apprenticeship
  • ", + "
  • degree with honours - for example bachelor of the arts (BA) hons, bachelor of science (BSc) hons
  • ", + "
  • graduate certificate
  • ", + "
  • graduate diploma
  • ", + "
  • level 6 award
  • ", + "
  • level 6 certificate
  • ", + "
  • level 6 diploma
  • ", + "
  • level 6 NVQ
  • ", + "
  • ordinary degree without honours
  • ", + "

    Level 7

    ", + "

    Level 7 qualifications are:

    ", + "
  • integrated master\u2019s degree, for example master of engineering (MEng)
  • ", + "
  • level 7 award
  • ", + "
  • level 7 certificate
  • ", + "
  • level 7 diploma
  • ", + "
  • level 7 NVQ
  • ", + "
  • master\u2019s degree, for example master of arts (MA), master of science (MSc)
  • ", + "
  • postgraduate certificate
  • ", + "
  • postgraduate certificate in education (PGCE)
  • ", + "
  • postgraduate diploma
  • ", + "

    Level 8

    ", + "

    Level 8 qualifications are:

    ", + "
  • doctorate, for example doctor of philosophy (PhD or DPhil)
  • ", + "
  • level 8 award
  • ", + "
  • level 8 certificate
  • ", + "
  • level 8 diploma
  • ", + "

    Other countries

    ", + "

    Qualifications outside England, Wales and Northern Ireland use different level systems.

    ", + "

    Scotland

    ", + "

    You can compare qualifications in Scotland with those in England, Wales and Northern Ireland.

    ", + "

    Outside the UK

    ", + "

    You can:

    ", + "
  • compare European qualifications
  • ", + "
  • contact the UK National Academic Recognition Information Centre (UK NARIC) to compare a UK qualification with any non-UK qualification - there\u2019s a fee for this
  • " + ] + }, + { + "title": "Appeal against an exam result", + "url": "https://www.gov.uk/appeal-qualification-result", + "contents": [ + "

    Overview

    ", + "

    You can challenge the results of an exam or qualification if you think it\u2019s wrong.

    ", + "

    GCSEs, AS levels or A levels

    ", + "

    You can ask your school or college to get an exam result looked at again - this is called requesting a review.

    ", + "

    If you\u2019re not satisfied with the outcome, your school or college can make an appeal to Ofqual.

    ", + "

    Other qualifications

    ", + "

    Ask your school or college to appeal to the awarding organisation about the results for any other qualification, for example a BTEC or an NVQ.

    ", + "

    You can appeal directly to the awarding organisation if you\u2019re a private student, for example, if you are home schooled or are a mature student.

    ", + "

    The awarding organisation will send you a final report after they\u2019ve reviewed the result.

    ", + "

    If you\u2019re not happy with the outcome of the appeal, you can contact Ofqual to make a complaint.

    ", + "

    Wales, Scotland and Northern Ireland

    ", + "

    Find out more about the appeals process in:

    ", + "
  • Wales
  • ", + "
  • Scotland
  • ", + "
  • Northern Ireland
  • ", + "

    Request a review

    ", + "

    You can challenge the result of a GCSE, AS level or A level exam.

    ", + "

    You can also challenge the result of another qualification.

    ", + "

    Who can request a GCSE, AS level or A level review

    ", + "

    You can ask your school or college to get an exam result looked at again (known as \u2018requesting a review\u2019). You cannot request a review yourself unless you\u2019re a private candidate, for example you were home schooled.

    ", + "

    What happens next

    ", + "

    The mark will be changed if the reviewer thinks it\u2019s wrong. The new mark may be higher or lower than the original.

    ", + "

    You can ask your school or college\u2019s exams officer for more information about their internal appeals procedure and their policy on reviews of marking and moderation.

    ", + "

    You can appeal against a review if you\u2019re unhappy with the decision.

    ", + "

    You or your school may have to pay if the mark is not changed.

    ", + "

    Deadlines

    ", + "

    The deadlines for requesting a review are:

    ", + "
  • A levels - 4 February 2021
  • ", + "
  • GCSE English language and maths - 18 February 2021
  • ", + "
  • all other GCSEs - 18 March 2021
  • ", + "

    Check with your exam board to find out the deadline for other qualifications.

    ", + "

    Appeal against a review

    ", + "

    If you asked for an exam result to be reviewed and you\u2019re not happy with the decision, you can appeal to Ofqual.

    ", + "

    Ask the exams officer, headteacher or principal at your school or college to make an appeal. You cannot make an appeal yourself unless you\u2019re a private candidate, for example you were home schooled.

    ", + "

    You need to appeal within 21 days of getting the result of a review.

    ", + "

    Read more about making appeals to Ofqual.

    ", + "

    What happens next

    ", + "

    Ofqual will tell you if your review is going ahead and will keep you updated.

    ", + "

    If your review is rejected, Ofqual will tell you why.

    ", + "

    If you cannot apply online

    ", + "

    Contact Ofqual if you cannot apply online or have any questions about the appeal process.

    " + ] + }, + { + "title": "Scholarships for children whose parent died in service", + "url": "https://www.gov.uk/support-military-bereaved-children", + "contents": [ + "

    Overview

    ", + "

    You can apply for help with the costs of further and higher education if all of the following are true:

    ", + "
  • one of your parents died as a result of their service in the armed forces
  • ", + "
  • your parent died on or after 1 January 1990
  • ", + "
  • you\u2019re 16 or over and in full-time education
  • ", + "
  • you or a surviving parent receive bereavement benefits from the Armed Forces Compensation scheme, War Pension scheme or Armed Forces Attributable Benefits scheme
  • ", + "

    You cannot apply if you were the foster child of the person who died.

    ", + "

    What you can use the scholarship for

    ", + "

    You can use the money to pay tuition fees and your maintenance for:

    ", + "
  • a further education course of up to 3 years
  • ", + "
  • your first undergraduate course at a UK university or other higher education institution (such as a college or art school) - this can include study abroad if it\u2019s part of the course
  • ", + "
  • a higher level technical education course at qualification levels 4, 5 or 6
  • ", + "

    If you\u2019re unsure about the type of course ask the college or university you want to apply to.

    ", + "

    What you'll get

    ", + "

    In the 2018 to 2019 academic year you can apply for up to:

    ", + "
  • \u00a31,500 for a further education course
  • ", + "
  • \u00a39,250 for tuition fees and \u00a34,950 for a Maintenance Grant for a higher education or higher level technical education course
  • ", + "

    If you\u2019re studying in Scotland, Northern Ireland or Wales, you can apply for up to \u00a39,000 for tuition fees and \u00a34,950 for a Maintenance Grant.

    ", + "

    How the payments are made

    ", + "

    Payments are made 3 times a year no later than:

    ", + "
  • 31 October
  • ", + "
  • 31 January
  • ", + "
  • 30 April
  • ", + "

    Your college or university must have confirmed that you\u2019re registered for a course and attending before any payment is sent.

    ", + "

    Payments can be backdated in some circumstances, for example you become eligible for a scholarship and apply while studying.

    ", + "

    Further education scholarships are paid to either you or your parent or guardian.

    ", + "

    University and other higher education scholarships are paid directly to you.

    ", + "

    All scholarships are tax free.

    ", + "

    How to apply

    ", + "

    Download and fill in the bereavement scholarship scheme application.

    ", + "

    Post your application to the address on the form.

    ", + "

    If you\u2019re applying for a higher education scholarship (for example, an undergraduate degree from a UK university), also include:

    ", + "
  • a letter from the college or university confirming that you\u2019ve accepted their offer of a place
  • ", + "
  • proof of the fees, for example a photocopy of your tuition fees invoice
  • ", + "

    Deadlines

    ", + "

    Veterans UK must receive your application by 31 January in the academic year of your further education or university course.

    ", + "

    You can apply from 1 April in the academic year you\u2019ll begin studying.

    ", + "

    What happens next

    ", + "

    The Veterans UK Scheme Administrator will get in touch to confirm whether you\u2019re eligible for the scholarship you\u2019ve applied for.

    ", + "

    How long it takes to find out if you\u2019re eligible depends on the evidence you provide with your application.

    ", + "

    If you\u2019re applying for a university or higher education scholarship

    ", + "

    Register with the Student Loans Company to ensure you\u2019re charged UK student fees for your course.

    ", + "

    Appeals

    ", + "

    If you disagree with the decision you must appeal to Veterans UK in writing.

    ", + "

    Help with your application

    ", + "

    Contact the Veterans UK helpline if you have any questions about the scholarships, for example what you need to do to apply or how to fill out the application form.

    " + ] + }, + { + "title": "Adult Dependants' Grant", + "url": "https://www.gov.uk/adult-dependants-grant", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re a full-time student in higher education and an adult depends on you financially, you can apply for an Adult Dependants\u2019 Grant of up to:

    ", + "
  • \u00a33,190 for the 2021 to 2022 academic year
  • ", + "
  • \u00a33,094 for the 2020 to 2021 academic year
  • ", + "

    The grant:

    ", + "
  • does not have to be paid back
  • ", + "
  • is paid on top of your other student finance
  • ", + "

    You cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.

    ", + "

    What you'll get

    ", + "

    The maximum Adult Dependants\u2019 Grant is:

    ", + "
  • \u00a33,190 for the 2021 to 2022 academic year
  • ", + "
  • \u00a33,094 for the 2020 to 2021 academic year
  • ", + "

    You do not have to pay this money back.

    ", + "

    Adult Dependants\u2019 Grant will affect any income-related benefits and tax credits you might get.

    ", + "

    What it\u2019s based on

    ", + "

    The amount you get depends on:

    ", + "
  • your income
  • ", + "
  • the adult dependant\u2019s income
  • ", + "
  • your personal circumstances, for example if you\u2019re married or have children
  • ", + "
  • what other grants you\u2019re receiving, for example Childcare Grant
  • ", + "

    How you\u2019re paid

    ", + "

    The money is paid in 3 instalments (one at the start of each term) directly into your bank account.

    ", + "

    Eligibility

    ", + "

    Usually the adult dependant will be:

    ", + "
  • your husband, wife, partner or civil partner
  • ", + "
  • a relative, such as a parent or grandparent
  • ", + "

    If you\u2019re under 25, the adult dependant cannot be your partner unless you\u2019re married or in a civil partnership.

    ", + "

    You\u2019re not eligible if the adult dependant is:

    ", + "
  • your child
  • ", + "
  • a relative who earns more than \u00a33,796 a year
  • ", + "
  • getting student finance
  • ", + "

    You cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.

    ", + "

    How to apply

    ", + "
  • Fill in the Adult Dependants\u2019 Grant section on your main student finance application - you\u2019ll need to give estimates of your household income.
  • ", + "
  • Student Finance England will assess your application and contact you if they need more information.
  • ", + "
  • Student Finance England will send you a letter telling you if you qualify and how much money you\u2019ll get.
  • ", + "

    Supporting information

    ", + "

    Student Finance England may contact you and ask for further information on your financial circumstances. This can include a copy of:

    ", + "
  • your P60
  • ", + "
  • Child Benefit details
  • ", + "
  • family tax credits details
  • ", + "
  • financial information from your partner, for example bank statements
  • " + ] + }, + { + "title": "Doctoral Loan", + "url": "https://www.gov.uk/doctoral-loan", + "contents": [ + "

    Overview

    ", + "

    A Postgraduate Doctoral Loan can help with course fees and living costs while you study a postgraduate doctoral course, such as a PhD.

    ", + "

    There\u2019s different funding if you normally live in Wales. Moving somewhere to study does not count as normally living there.

    ", + "

    You can also get extra support if you have a disability.

    ", + "

    You will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.

    ", + "

    When you can apply

    ", + "

    You\u2019ll be able to apply for funding for the 2021 to 2022 academic year from summer 2021. Applications are not yet open - this guide will be updated as soon as they are.

    ", + "

    When you repay your loan

    ", + "

    You\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).

    ", + "

    You\u2019ll be charged interest from the day you get the first payment.

    ", + "

    What you'll get

    ", + "

    You can get up to:

    ", + "
  • \u00a327,265 if your course starts on or after 1 August 2021
  • ", + "
  • \u00a326,445 if your course starts between 1 August 2020 and 31 July 2021
  • ", + "
  • \u00a325,700 if your course started between 1 August 2019 and 31 July 2020
  • ", + "

    The amount you\u2019ll get is not based on you or your family\u2019s income.

    ", + "

    The Department for Work and Pensions (DWP) may take account of the loan when working out any benefits you receive.

    ", + "

    The loan is paid directly to you. You can use it for your course fees and living costs.

    ", + "

    The loan will be divided equally across each year of your course.

    ", + "

    If you apply after your first year

    ", + "

    You can apply for a Postgraduate Doctoral Loan in any year of your course. But if you apply after your first year, you might not get the maximum amount.

    ", + "

    You can get up to:

    ", + "
  • \u00a311,570 each year if your course starts on or after 1 August 2021
  • ", + "
  • \u00a311,222 each year if your course started between 1 August 2020 and 31 July 2021
  • ", + "
  • \u00a310,906 each year if your course started between 1 August 2019 and 31 July 2020
  • ", + "

    When you\u2019re paid

    ", + "

    You get the first payment after your course start date, once your university or college confirms that you\u2019ve registered.

    ", + "

    The loan will be paid in 3 instalments of 33%, 33% and 34% each year. After your application has been approved you\u2019ll be sent a letter with your payment dates or you can check them in your online account.

    ", + "

    Eligibility

    ", + "

    Whether you qualify depends on:

    ", + "
  • your course
  • ", + "
  • your age
  • ", + "
  • your nationality or residency status
  • ", + "

    You will not be able to get a Postgraduate Doctoral Loan if:

    ", + "
  • you\u2019ve received or will receive Research Council funding (for example, studentships, stipends, scholarships and tuition fee support)
  • ", + "
  • you\u2019re already getting a social work bursary
  • ", + "
  • you\u2019re already getting an Educational Psychology bursary and your course starts on or after 1 August 2020
  • ", + "
  • you\u2019re eligible to apply for an NHS bursary (even if you\u2019re not receiving it)
  • ", + "
  • you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying
  • ", + "
  • you\u2019ve received a Postgraduate Doctoral Loan before - unless you left your course due to illness, bereavement or another serious personal reason
  • ", + "
  • you already have a doctoral degree, or a qualification that\u2019s equivalent or higher
  • ", + "
  • you\u2019re receiving a doctorate by publication
  • ", + "
  • you\u2019re behind in repayments for any previous loans from the Student Loans Company
  • ", + "

    Your course

    ", + "

    It must:

    ", + "
  • be a full, standalone doctoral course (not a top-up course)
  • ", + "
  • have started on or after 1 August 2018
  • ", + "
  • last between 3 to 8 academic years
  • ", + "
  • be provided by a university in the UK with research degree awarding powers
  • ", + "

    If more than one university delivers your course and one is overseas, you\u2019ll still be eligible for the Postgraduate Doctoral Loan so long as:

    ", + "
  • the UK university is the lead institution
  • ", + "
  • you spend at least 50% of your study time over the whole course in the UK
  • ", + "

    It can be:

    ", + "
  • full-time or part-time
  • ", + "
  • taught or research-based, or a combination of both
  • ", + "

    Examples of postgraduate doctoral qualifications include:

    ", + "
  • PhD / DPhil (Doctor of Philosophy)
  • ", + "
  • EdD (Doctor of Education)
  • ", + "
  • EngD (Doctor of Engineering)
  • ", + "

    Integrated doctorals

    ", + "

    You can apply for a loan if your doctoral programme includes an integrated master\u2019s degree (even if you already have a master\u2019s degree).

    ", + "

    You must register for a full doctoral degree.

    ", + "

    You will not be able to apply for a separate Postgraduate Master\u2019s Loan.

    ", + "

    Distance learning

    ", + "

    To qualify for a Postgraduate Doctoral Loan for distance learning, you\u2019ll need to be living in England on the first day of the first academic year of your course.

    ", + "

    You\u2019ll also need to live in:

    ", + "
  • England for the whole of your course, if you\u2019re an EU national
  • ", + "
  • the UK for the whole of your course, if you\u2019re not an EU national
  • ", + "

    This usually does not apply if you\u2019re:

    ", + "
  • serving in the armed forces
  • ", + "
  • a spouse or civil partner of a serving member of the armed forces
  • ", + "
  • a dependent parent living with a serving member of the armed forces
  • ", + "

    Your age

    ", + "

    You must be under 60 on the first day of the first academic year of your course.

    ", + "

    The academic year is a period of 12 months starting on:

    ", + "
  • 1 September, if your course starts between 1 August and 31 December
  • ", + "
  • 1 January, if your course starts between 1 January and 31 March
  • ", + "
  • 1 April, if your course starts between 1 April and 30 June
  • ", + "
  • 1 July, if your course starts between 1 July and 31 July
  • ", + "

    Your nationality or residency status

    ", + "

    You can apply for the Postgraduate Doctoral Loan if all of the following are true:

    ", + "
  • you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay
  • ", + "
  • you normally live in England
  • ", + "
  • you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday
  • ", + "

    You may also be eligible if you\u2019re a UK national (or family member of a UK national) who either:

    ", + "
  • returned to the UK on or after 1 January 2018 and by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • was living in the EU, Switzerland, Norway, Iceland or Liechtenstein on 31 December 2020 and has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years
  • ", + "

    If you\u2019re an EU national or a family member of an EU national

    ", + "

    You may be eligible if you\u2019re an EU national, or a family member of an EU national, and all the following apply:

    ", + "
  • you have settled or pre-settled status under the EU Settlement Scheme (no restrictions on how long you can stay)
  • ", + "
  • you\u2019ve normally lived in the UK, Gibraltar, EU, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years (this is also known as being \u2018ordinarily resident\u2019)
  • ", + "
  • you\u2019ll be studying at a university in England
  • ", + "

    You could also be eligible if you\u2019re:

    ", + "
  • the child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein, or a family member of one with settled or pre-settled status
  • ", + "
  • a resident of Gibraltar who is a UK or EU national, or their family member
  • ", + "

    Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021

    ", + "

    If you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.

    ", + "

    You need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.

    ", + "

    If you have a different residency status

    ", + "

    You may also be eligible if your residency status is one of the following:

    ", + "
  • refugee (including family members)
  • ", + "
  • humanitarian protection (including family members)
  • ", + "
  • child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020
  • ", + "
  • a stateless person (including family members)
  • ", + "
  • an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment
  • ", + "
  • a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)
  • ", + "
  • granted \u2018Calais leave\u2019 to remain
  • ", + "
  • a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)
  • ", + "
  • you\u2019ve been given settled status but not under the EU Settlement Scheme
  • ", + "
  • you\u2019ve been given indefinite leave to remain because you\u2019ve been the victim of domestic violence
  • ", + "
  • you\u2019ve been granted indefinite leave to remain as a bereaved partner
  • ", + "
  • you\u2019re the family member of a person of Northern Ireland and you have pre-settled status under the EU Settlement Scheme
  • ", + "

    If you\u2019re a non-UK national and have lived in the UK for a certain number of years

    ", + "

    You could also be eligible if you\u2019re not a UK national and are either:

    ", + "
  • under 18 and have lived in the UK for at least 7 years
  • ", + "
  • 18 or over and have lived in the UK for at least 20 years (or at least half of your life)
  • ", + "

    You must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.

    ", + "

    How to apply

    ", + "

    You can apply now for courses that start or started in the following academic years:

    ", + "
  • 2020 to 2021
  • ", + "
  • 2019 to 2020
  • ", + "
  • 2018 to 2019
  • ", + "

    You can apply in summer 2021 for courses that start in the academic year 2021 to 2022. Applications are not yet open - this guide will be updated as soon as they are.

    ", + "

    Check whether you\u2019re eligible before you apply.

    ", + "

    You only need to apply once for the Postgraduate Doctoral Loan. Student Finance England will write to you in the summer to tell you how much you\u2019ll get in the next academic year.

    ", + "

    You will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.

    ", + "

    Apply online

    ", + "

    If you\u2019ve taken out a loan with Student Finance England before, use your account to apply.

    ", + "

    If you do not already have one, set up an account.

    ", + "

    Apply by post

    ", + "

    If you cannot apply online, apply by post \u2013 the address is on the form.

    ", + "

    If your course starts in the 2020 to 2021 academic year

    ", + "

    If your course starts in the 2019 to 2020 academic year

    ", + "

    If your course started in the 2018\u00a0to 2019\u00a0academic year

    ", + "

    Read the student finance privacy notice to find out how the information you provide will be used.

    ", + "

    When to apply by

    ", + "

    The deadline for applying depends on when you start your course.

    ", + "

    You need to apply within 9 months of the first day of the last academic year of the course.

    ", + "

    The academic year

    ", + "

    The academic year is a period of 12 months.

    ", + "Course start date between | First day of academic year", + "1 August and 31 December | 1 September", + "1 January and 31 March | 1 January", + "1 April and 30 June | 1 April", + "1 July and 31 July | 1 July", + "

    Proof of identity

    ", + "

    Include valid UK passport details in your application.

    ", + "

    Use the \u2018UK passport details\u2019 form if you need to send the details after your application. Do not send the passport itself.

    ", + "

    If you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.

    ", + "

    Include your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.

    ", + "

    If you\u2019re an EU national, send your passport or national identity card.

    ", + "

    Supporting information

    ", + "

    You should use the evidence return form for extra information to support your application, for example evidence of your residency status.

    ", + "

    You may also be asked to complete the UK employment status form.

    ", + "

    Change an application

    ", + "

    Use your online account to change your personal details, for example bank or contact details. Contact Student Finance England directly if you do not have an account.

    ", + "

    Change the amount you\u2019ve asked for

    ", + "

    Use the loan request form to change the amount you\u2019ve applied for - you cannot do this online.

    ", + "

    If your course starts in the 2020 to 2021 academic year:

    ", + "

    If your course starts in the 2019 to 2020 academic year:

    ", + "

    Other changes

    ", + "

    Use the change of circumstances form if you need to change any other details, for example your university or course. You cannot do this online.

    ", + "

    If your course starts in the 2020 to 2021 academic year:

    ", + "

    If your course starts in the 2019 to 2020 academic year:

    ", + "

    Taking a break or withdrawing from your course

    ", + "

    Tell Student Finance England and your institution straight away if you need to withdraw from your course. It may affect your future payments and eligibility for funding.

    ", + "

    Extra help

    ", + "

    You may qualify for other funding, for example grants from charities or trusts.

    ", + "

    Student Finance England also has more information about other kinds of student finance.

    ", + "

    You will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.

    ", + "

    Disabled students

    ", + "

    If you have a disability, long-term health condition, mental health condition or specific learning difficulty (for example dyslexia) you can apply for:

    ", + "
  • Disabled Students\u2019 Allowance
  • ", + "
  • extra help if you\u2019re experiencing financial hardship
  • ", + "

    You may also qualify for disability related benefits.

    ", + "

    Further information

    ", + "

    You can learn more about the Postgraduate Doctoral Loan at the Student \nRoom website.

    ", + "

    Contact Student Finance England if you have further questions.

    " + ] + }, + { + "title": "Master's Loan", + "url": "https://www.gov.uk/masters-loan", + "contents": [ + "

    Overview

    ", + "

    A Postgraduate Master\u2019s Loan can help with course fees and living costs while you study a postgraduate master\u2019s course.

    ", + "

    Funding for postgraduate loans is different if:

    ", + "
  • you normally live in Scotland
  • ", + "
  • you normally live in Wales
  • ", + "
  • you normally live in Northern Ireland.
  • ", + "

    Moving somewhere to study does not count as normally living there.

    ", + "

    You can also get extra support if you have a disability.

    ", + "

    You will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance England if you\u2019re studying a master\u2019s course.

    ", + "

    When you can apply

    ", + "

    You\u2019ll be able to apply for funding for the 2021 to 2022 academic year from summer 2021. Applications are not yet open - this guide will be updated as soon as they are.

    ", + "

    When you repay your loan

    ", + "

    You\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).

    ", + "

    You\u2019ll be charged interest from the day you get the first payment.

    ", + "

    What you'll get

    ", + "

    You can get up to:

    ", + "
  • \u00a311,570 if your course starts on or after 1 August 2021
  • ", + "
  • \u00a311,222 if your course started between 1 August 2020 and 31 July 2021
  • ", + "
  • \u00a310,906 if your course started between 1 August 2019 and 31 July 2020
  • ", + "

    The amount you\u2019ll get is not based on your income or your family\u2019s.

    ", + "

    The Department for Work and Pensions (DWP) may take account of the loan when working out any benefits you receive.

    ", + "

    The loan is paid directly to you. You can use it for your course fees and living costs.

    ", + "

    If your course lasts for more than a year, the loan will be divided equally across each year of your course.

    ", + "

    When you\u2019re paid

    ", + "

    You get the first payment after your course start date, once your university or college confirms that you\u2019ve registered.

    ", + "

    The loan will be paid in 3 instalments of 33%, 33% and 34% each year. After your application has been approved, you\u2019ll be sent a letter with your payment dates. You can also check them in your online account.

    ", + "

    If you change university or college

    ", + "

    Your new university or college has to confirm the change with Student Finance England before you receive any more payments.

    ", + "

    Eligibility

    ", + "

    Whether you qualify depends on:

    ", + "
  • your course
  • ", + "
  • your age
  • ", + "
  • your nationality or residency status
  • ", + "

    You will not be able to get a Postgraduate Master\u2019s Loan if:

    ", + "
  • you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying
  • ", + "
  • you\u2019ve received a loan or grant for a master\u2019s course before - unless you got a Disabled Students\u2019 Allowance or you left your course for a serious personal reason like illness or bereavement
  • ", + "
  • you already have a master\u2019s degree, or a qualification that\u2019s equivalent or higher
  • ", + "
  • you\u2019re behind in repayments for any previous loans from the Student Loans Company
  • ", + "

    You\u2019ll still be eligible if you have a PGCE or a postgraduate diploma or certificate.

    ", + "

    You will not get extra money if you repeat a year of your course.

    ", + "

    Your course

    ", + "

    It must:

    ", + "
  • be a full, standalone master\u2019s course (not a top-up course)
  • ", + "
  • be worth at least 180 credits - check the course provider\u2019s website if you\u2019re not sure
  • ", + "
  • have started on or after 1 August 2016
  • ", + "

    Your course must be provided by an eligible university or college in the UK (including the Open University). Check with the university or college that your course is registered.

    ", + "

    Your course can be taught or research-based.

    ", + "

    It can be:

    ", + "
  • full-time, lasting 1 or 2 academic years
  • ", + "
  • part-time, lasting 2 to 4 academic years - no more than twice the length of the equivalent full-time course
  • ", + "
  • part-time for up to 3 years, where no equivalent full-time course exists
  • ", + "

    Examples of postgraduate master\u2019s qualifications include:

    ", + "
  • MSc (master of science)
  • ", + "
  • MA (master of arts)
  • ", + "
  • MPhil (master of philosophy)
  • ", + "
  • MRes (master of research)
  • ", + "
  • LLM (master of law)
  • ", + "
  • MLitt (master of letters)
  • ", + "
  • MFA (master of fine art)
  • ", + "
  • MEd (master of education)
  • ", + "
  • MBA (master of business administration)
  • ", + "

    You cannot get a Postgraduate Master\u2019s Loan for a postgraduate certificate or diploma.

    ", + "

    Distance learning

    ", + "

    To qualify for a Postgraduate Master\u2019s Loan for distance learning, you\u2019ll need to be living in England on the first day of the first academic year of your course. You\u2019ll also need to live in:

    ", + "
  • England for the whole of your course, if you\u2019re an EU national
  • ", + "
  • the UK for the whole of your course, if you\u2019re not an EU national
  • ", + "

    This usually does not apply if you\u2019re:

    ", + "
  • serving in the armed forces
  • ", + "
  • a spouse or civil partner of a serving member of the armed forces
  • ", + "
  • a dependent parent living with a serving member of the armed forces
  • ", + "

    Integrated courses

    ", + "

    You will not be eligible for a Postgraduate Master\u2019s Loan if your course is:

    ", + "
  • integrated with an undergraduate degree - apply for undergraduate funding instead
  • ", + "
  • integrated with a doctoral degree - apply for a Postgraduate Doctoral Loan instead
  • ", + "

    Intercalated year

    ", + "

    You might be eligible for a Postgraduate Master\u2019s Loan if you\u2019re taking a year out of an undergraduate course to study for a master\u2019s.

    ", + "

    This will generally mean you\u2019re not entitled to undergraduate funding anymore because you\u2019ll hold a higher level qualification.

    ", + "

    You are still eligible for undergraduate funding if your course leads to a qualification in:

    ", + "
  • architecture
  • ", + "
  • dentistry
  • ", + "
  • medicine
  • ", + "
  • social work
  • ", + "
  • undergraduate Initial Teacher Training
  • ", + "
  • veterinary science
  • ", + "

    Master of architecture

    ", + "

    If you plan to study for a master of architecture (MArch Part 2) qualification full-time, apply for undergraduate funding support. Your course must be accredited by the Architects Registration Board (ARB) to be eligible.

    ", + "

    You can only apply for the Postgraduate Master\u2019s Loan to support your MArch course if one of the following applies:

    ", + "
  • you\u2019re taking a part-time course
  • ", + "
  • you\u2019re not eligible for undergraduate funding support
  • ", + "
  • the course does not lead to an accredited qualification as an architect
  • ", + "

    Healthcare and social work

    ", + "

    You cannot get a Postgraduate Master\u2019s Loan if you:

    ", + "
  • are eligible for an NHS bursary
  • ", + "
  • get a Social Work Bursary - unless you only get a Placement Travel Allowance
  • ", + "

    This also applies for health and social work bursaries in Scotland, Wales and Northern Ireland.

    ", + "

    You also cannot get a Postgraduate Master\u2019s Loan if you\u2019re starting a postgraduate pre-registration healthcare course on or after 1 August 2018. You may be eligible for a Tuition Fee Loan and Maintenance Loan instead.

    ", + "

    Your age

    ", + "

    You must be under 60 on the first day of the first academic year of your course.

    ", + "

    The academic year is a period of 12 months starting on:

    ", + "
  • 1 September, if your course starts between 1 August and 31 December
  • ", + "
  • 1 January, if your course starts between 1 January and 31 March
  • ", + "
  • 1 April, if your course starts between 1 April and 30 June
  • ", + "
  • 1 July, if your course starts between 1 July and 31 July
  • ", + "

    Your nationality or residency status

    ", + "

    You can apply for the Postgraduate Master\u2019s Loan if all of the following are true:

    ", + "
  • you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay
  • ", + "
  • you normally live in England
  • ", + "
  • you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday
  • ", + "

    You may also be eligible if you\u2019re a UK national (or family member of a UK national) who either:

    ", + "
  • returned to the UK on or after 1 January 2018 and by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • was living in the EU, Switzerland, Norway, Iceland or Liechtenstein on 31 December 2020 and has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years
  • ", + "

    If you\u2019re an EU national or a family member of an EU national

    ", + "

    You may be eligible if you\u2019re an EU national, or a family member of an EU national, and all the following apply:

    ", + "
  • you have settled status under the EU Settlement Scheme
  • ", + "
  • you\u2019ve normally lived in the UK, Gibraltar, EU, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years (this is also known as being \u2018ordinarily resident\u2019)
  • ", + "
  • you\u2019ll be studying at a university or college in England
  • ", + "

    You could also be eligible if you\u2019re:

    ", + "
  • the child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein with pre-settled status, or a family member of a migrant worker where both have pre-settled status
  • ", + "
  • a resident of Gibraltar who is a UK or EU national, or their family member
  • ", + "

    Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021

    ", + "

    If you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.

    ", + "

    You need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to, for example, to apply on behalf of a child.

    ", + "

    If you have a different residency status

    ", + "

    You may also be eligible if your residency status is one of the following:

    ", + "
  • refugee (including family members)
  • ", + "
  • humanitarian protection (including family members)
  • ", + "
  • child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020
  • ", + "
  • a stateless person (including family members)
  • ", + "
  • an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment
  • ", + "
  • a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)
  • ", + "
  • granted \u2018Calais leave\u2019 to remain
  • ", + "
  • a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)
  • ", + "
  • you\u2019ve been given settled status but not under the EU Settlement Scheme
  • ", + "
  • you\u2019ve been given indefinite leave to remain because you\u2019ve been the victim of domestic violence
  • ", + "
  • you\u2019ve been granted indefinite leave to remain as a bereaved partner
  • ", + "
  • you\u2019re the family member of a person of Northern Ireland and you have pre-settled status under the EU Settlement Scheme
  • ", + "

    If you\u2019re a non-UK national and have lived in the UK for a certain number of years

    ", + "

    You could also be eligible if you\u2019re not a UK national and are either:

    ", + "
  • under 18 and have lived in the UK for at least 7 years
  • ", + "
  • 18 or over and have lived in the UK for at least 20 years (or at least half of your life)
  • ", + "

    You must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.

    ", + "

    How to apply

    ", + "

    You can apply now for courses that start or started in the following academic years:

    ", + "
  • 2020 to 2021
  • ", + "
  • 2019 to 2020
  • ", + "
  • 2018 to 2019
  • ", + "

    You can apply in summer 2021 for courses that start in the academic year 2021 to 2022. Applications are not yet open - this guide will be updated as soon as they are.

    ", + "

    Check whether you\u2019re eligible before you apply.

    ", + "

    You only need to apply once for the Postgraduate Master\u2019s Loan, even if your course is longer than one year. Student Finance England will write to you in the summer to tell you how much you\u2019ll get in the next academic year.

    ", + "

    You\u2019ll not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance England if you\u2019re studying a master\u2019s course.

    ", + "

    Apply online

    ", + "

    If you\u2019ve taken out a loan with Student Finance England before, use your account to apply.

    ", + "

    If you do not already have one, set up an account.

    ", + "

    Apply by post

    ", + "

    If you cannot apply online, apply by post - the address is on the form.

    ", + "

    Read the student finance privacy notice to find out how the information you provide will be used.

    ", + "

    Courses that start in the 2020 to 2021 academic year

    ", + "

    Courses that started in the 2019 to 2020 academic year

    ", + "

    Courses that started before 1 August 2019

    ", + "

    Contact Student Finance England Postgraduate Loan Team if you cannot apply online.

    ", + "

    When to apply by

    ", + "

    The deadline for applying depends on when you start your course.

    ", + "

    If you started on or after 1 August 2017

    ", + "

    You need to apply within 9 months of the first day of the last academic year of the course.

    ", + "

    The academic year

    ", + "

    The academic year is a period of 12 months.

    ", + "

    The first day of your academic year depends when your course starts.

    ", + "Course start date between | First day of academic year", + "1 August and 31 December | 1 September", + "1 January and 31 March | 1 January", + "1 April and 30 June | 1 April", + "1 July and 31 July | 1 July", + "

    Proof of identity

    ", + "

    Include valid UK passport details in your application. Use the \u2018UK passport details\u2019 form if you need to send the details after your application. Do not send the passport itself.

    ", + "

    If you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.

    ", + "

    Include your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.

    ", + "

    If you\u2019re an EU national, send your passport or national identity card.

    ", + "

    Supporting information

    ", + "

    You should use the evidence return form for extra information to support your application, for example evidence of your residency status.

    ", + "

    You may also be asked to complete the UK employment status form.

    ", + "

    Change an application

    ", + "

    Use your online account to change your personal details, for example bank or contact details. Contact Student Finance England directly if you do not have an account.

    ", + "

    Change the amount you\u2019ve asked for

    ", + "

    Use the loan request form to change the amount you\u2019ve applied for - you cannot do this online.

    ", + "

    If your course starts in the 2020 to 2021 academic year:

    ", + "

    If your course started in the 2019 to 2020 academic year:

    ", + "

    If your course started before the 2018 to 2019 academic year, contact Student Finance England Postgraduate Loan Team.

    ", + "

    Other changes

    ", + "

    Use the change of circumstances form if you need to change any other details, for example your university or course. You cannot do this online.

    ", + "

    If your course starts in the 2020 to 2021 academic year:

    ", + "

    If your course started in the 2019 to 2020 academic year:

    ", + "

    If your course started before the 2018 to 2019 academic year, contact Student Finance England Postgraduate Loan Team.

    ", + "

    Taking a break or withdrawing from your course

    ", + "

    Tell Student Finance England Postgraduate Loan Team and your institution straight away if you need to withdraw from your course. It may affect your future payments and eligibility for funding.

    ", + "

    Extra help

    ", + "

    You may qualify for other funding, for example grants from charities or trusts.

    ", + "

    Student Finance England also has more information about other kinds of student finance.

    ", + "

    You will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance England if you\u2019re studying a master\u2019s course.

    ", + "

    Disabled students

    ", + "

    If you have a disability, long-term health condition, mental health condition or specific learning difficulty (for example dyslexia) you can apply for:

    ", + "
  • Disabled Students\u2019 Allowance
  • ", + "
  • extra help if you\u2019re experiencing financial hardship
  • ", + "

    You may also qualify for disability related benefits.

    ", + "

    Further information

    ", + "

    You can learn more about the Postgraduate Master\u2019s Loan on the Student Room website.

    ", + "

    Contact Student Finance England if you have further questions.

    ", + "

    Student Finance England Postgraduate Loan team

    " + ] + }, + { + "title": "NHS bursaries", + "url": "https://www.gov.uk/nhs-bursaries", + "contents": [ + "

    Overview

    ", + "

    What you can apply for depends on when your course starts and what you\u2019re studying. You do not have to pay your NHS bursary back.

    ", + "

    If you\u2019re not eligible for a bursary you may still be eligible for student finance.

    ", + "

    If your course starts on or after 1 August 2018

    ", + "

    You can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor or dentist.

    ", + "

    If you\u2019re studying a pre-registration postgraduate healthcare course, you may still be eligible for student finance.

    ", + "

    If your course started in the 2017 to 2018 academic year

    ", + "

    You can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor, dentist, dental hygienist or dental therapist.

    ", + "

    If your course started before 1 August 2017

    ", + "

    You can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying a dental, medical or healthcare course in England.

    ", + "

    What you'll get

    ", + "

    If you\u2019re an eligible full-time NHS student starting a course on or after 1 September 2012, you can apply for:

    ", + "
  • a bursary from the NHS
  • ", + "
  • a \u00a31,000 grant from the NHS
  • ", + "
  • a reduced Maintenance Loan from Student Finance England
  • ", + "

    If you\u2019re an eligible part-time student starting a course on or after 1 September 2012, you can apply for:

    ", + "
  • a reduced bursary from the NHS
  • ", + "
  • a reduced grant from the NHS
  • ", + "

    The amount you get depends on the length of your course.

    ", + "

    Tuition fees

    ", + "

    If you\u2019re eligible for an NHS bursary, the NHS pays your standard tuition fees. Your course tuition fees are paid directly to your university.

    ", + "

    If you\u2019re studying a graduate-entry accelerated medical or dental programme, you can get some of your tuition costs paid with an NHS bursary in years 2 to 4 of your programme.

    ", + "
  • \u00a33,715 if you\u2019re starting in the 2019 to 2020 academic year
  • ", + "
  • \u00a33,715 if you\u2019re starting in the 2018 to 2019 academic year
  • ", + "

    Bursary

    ", + "

    Your bursary amount depends on your household income. This can be your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.

    ", + "

    If you started a Diploma of Higher Education (DipHE) Nursing or Operating Department Practitioner course before 1 September 2012, you\u2019ll receive a basic bursary which does not depend on your household income.

    ", + "

    If you\u2019re studying to become a doctor or dentist, you can apply for an NHS bursary from your second year for graduate entry programmes or from your fifth year for undergraduate programmes.

    ", + "

    Grant

    ", + "

    You\u2019ll get a fixed amount of \u00a31,000 if you\u2019re an eligible full-time NHS student starting your course on or after 1 September 2012. You\u2019ll get a reduced amount if you\u2019re a part-time student.

    ", + "

    You must apply for an NHS bursary to get the grant.

    ", + "

    Maintenance Loan

    ", + "

    You\u2019ll get a reduced Maintenance Loan. The amount you get depends on:

    ", + "
  • where you live and study
  • ", + "
  • whether you\u2019re in the final year of your course (when you get less)
  • ", + "

    Current rates for the 2018 to 2019 academic year are:

    ", + "
  • \u00a33,263 for students studying in London and living away from home
  • ", + "
  • \u00a32,324 for students studying outside London and away from home
  • ", + "
  • \u00a31,744 for students living at home
  • ", + "

    Current rates for the 2019 to 2020 academic year are:

    ", + "
  • \u00a33,354 for students studying in London and living away from home
  • ", + "
  • \u00a32,389 for students studying outside London and away from home
  • ", + "
  • \u00a31,793 for students living at home
  • ", + "

    How it\u2019s paid

    ", + "

    The NHS bursary is paid into your bank account in 12 equal monthly instalments.

    ", + "

    The Maintenance Loan is usually paid into your bank account at the beginning of each term.

    ", + "

    If you\u2019re disabled or have children

    ", + "

    You may get extra help if you:

    ", + "
  • have a disability, long-term health condition, mental health condition or specific learning difficulty
  • ", + "
  • have dependants
  • ", + "

    Find out what extra help you could get.

    ", + "

    Eligibility

    ", + "

    Whether you can get an NHS bursary depends on:

    ", + "
  • where you live
  • ", + "
  • your course
  • ", + "
  • your household income
  • ", + "
  • whether you\u2019ve already had funding
  • ", + "

    Where you live

    ", + "

    To be eligible to apply for an NHS bursary you must have been living in the UK, the Channel Islands or the Isle of Man for 3 years up to the start of the academic year.

    ", + "

    You may still be eligible if you do not meet the residency requirements - find out more from the NHS Business Services Authority.

    ", + "

    Your course

    ", + "

    Whether you\u2019re eligible depends on when your course starts.

    ", + "

    You will not get an NHS bursary if you\u2019re a first level nurse or midwife and you\u2019re registering for a second field in nursing or midwifery.

    ", + "

    If your course starts on or after 1 August 2018

    ", + "

    You must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.

    ", + "

    You can apply for an NHS bursary from your 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course.

    ", + "

    If your course started in the 2017 to 2018 academic year

    ", + "

    You must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:

    ", + "
  • doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)
  • ", + "
  • dental hygienist or dental therapist
  • ", + "

    If your course started before 1 August 2017

    ", + "

    You must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:

    ", + "
  • doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)
  • ", + "
  • chiropodist (including podiatrist), dietician, occupational therapist, orthoptist, physiotherapist, prosthetist, orthotist, radiographer, radiotherapist, audiologist or a speech and language therapist
  • ", + "
  • dental hygienist or dental therapist
  • ", + "
  • nurse, midwife or operating department practitioner (degree or diploma course)
  • ", + "

    Household income

    ", + "

    Your total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.

    ", + "

    If you\u2019ve already had funding

    ", + "

    You may be eligible for an NHS bursary even if you\u2019ve already had public funding for higher education.

    ", + "

    If you\u2019ve had an NHS bursary and want to change professions, you may also be eligible.

    ", + "

    Find out more from the NHS Business Services Authority.

    ", + "

    How to apply

    ", + "

    You need to create a Bursary Online Support System (BOSS) account on the NHS Student Bursaries website to apply for an NHS bursary.

    ", + "

    You must reapply for your bursary every academic year.

    ", + "

    There are different ways to apply if you\u2019re from Scotland, Wales or Northern Ireland.

    ", + "

    New students

    ", + "

    If you\u2019re entering the first year of your NHS-funded course or, for medical and dental students, your first year of NHS bursary funding, read the guidance for new students.

    ", + "

    When to apply

    ", + "

    You should wait until you have an offer of a course place from your university or college before you apply for an NHS bursary.

    ", + "

    The date you can apply from usually depends on when your course starts. Check the NHS Student Bursaries website for the latest application dates.

    ", + "

    Documents

    ", + "

    If you\u2019re applying for an NHS bursary for the first time you must provide 2 documents to confirm your identity, one of which must include a photograph of yourself, for example a birth certificate and a valid passport.

    ", + "

    You must send original documents (not photocopies), which NHS Student Bursaries will return to you.

    ", + "

    Continuing students

    ", + "

    If you\u2019ve already had an NHS student bursary for your current course and you\u2019re reapplying for another year, read the guidance for continuing students.

    ", + "

    When to apply

    ", + "

    NHS Student Bursaries will send you an email invitation when you can reapply for your bursary. The date your invitation is sent depends on when your next academic year begins. Check the NHS Student Busaries website for the latest invitation dates.

    ", + "

    You must send your application within 6 months of the first day of your academic year.

    ", + "

    What happens next

    ", + "

    If your application is approved, NHS Student Bursaries will send you an email when your bursary is available for you to view in your BOSS account.

    ", + "

    If you get an NHS bursary you can apply separately for a reduced rate loan from Student Finance England.

    ", + "

    Contact NHS Student Bursaries

    ", + "

    Contact NHS Student Bursaries if you need help with your application.

    ", + "

    Extra financial help

    ", + "

    In addition to the NHS bursary you may also be able to apply for extra help if:

    ", + "
  • you have children
  • ", + "
  • you have adult dependants
  • ", + "
  • you have a disability, long-term health condition, mental health condition or specific learning difficulty
  • ", + "
  • you do a practice placement
  • ", + "
  • your course runs for more than 30 weeks and 3 days in the academic year
  • ", + "

    Find out more about extra help on the NHS Student Bursaries website.

    ", + "

    Dependants\u2019 Allowance

    ", + "

    You may get this if you have adults or children who are financially dependent on you when you\u2019re training.

    ", + "

    How much you get depends on your household income.

    ", + "

    Apply for Dependants\u2019 Allowance through your BOSS account.

    ", + "

    Childcare Allowance

    ", + "

    You must apply for Dependants\u2019 Allowance before you can apply for Childcare Allowance.

    ", + "

    You may be able to get the NHS Bursary Childcare Allowance if you have dependent children.

    ", + "

    How much you get depends on your circumstances and your household income.

    ", + "

    You cannot get this if you\u2019re not entitled to the NHS bursary (known as a \u2018Fees Only award\u2019).

    ", + "

    To qualify:

    ", + "
  • you must use a registered childcare provider
  • ", + "
  • your children must be under 15 on the first day of the academic year (or under 17 if they have special educational needs)
  • ", + "

    The allowance pays 85% of the gross actual cost up to:

    ", + "
  • \u00a3128.78 a week for 1 child
  • ", + "
  • \u00a3191.45 a week for 2 or more children
  • ", + "

    Apply for Childcare Allowance via the form on the NHS Student Bursaries website.

    ", + "

    Parent Learning Allowance

    ", + "

    You must apply for Dependants\u2019 Allowance first. If this includes a dependent child, you\u2019re automatically assessed for Parent Learning Allowance.

    ", + "

    You can claim up to \u00a31,204 per academic year.

    ", + "

    How much you get depends on your household income.

    ", + "

    Disabled Students\u2019 Allowances

    ", + "

    You can get this if you have to pay extra costs because of a:

    ", + "
  • physical disability
  • ", + "
  • long-term health condition
  • ", + "
  • mental-health difficulty
  • ", + "
  • specific learning difficulty like dyslexia
  • ", + "

    You need to give up-to-date medical evidence of the nature and severity of your disability from a qualified professional.

    ", + "

    You can get up to:

    ", + "
  • \u00a320,725 for a helper
  • ", + "
  • \u00a35,214 for specialist equipment for the whole course
  • ", + "
  • \u00a31,741 for other costs
  • ", + "

    Apply for Disabled Students Allowance through your BOSS account.

    ", + "

    Practice placement expenses

    ", + "

    If you do a practice placement you may be able to claim travel costs if:

    ", + "
  • your practice placement is in a hospital or community health centre and not at your university
  • ", + "
  • it costs you more to travel to your placement than it costs to travel to university
  • ", + "

    Claim practice placement expenses via the form on the NHS Student Bursaries website.

    ", + "

    Extra Weeks Allowance

    ", + "

    If your course runs for more than 30 weeks and 3 days in the 2016 to 2017 academic year you may be entitled to Extra Weeks Allowance:

    ", + "Where you study and live | Allowance", + "In London | \u00a3108 per week", + "Outside London | \u00a384 per additional week", + "With your parents | \u00a356 per additional week", + "

    Your Extra Weeks Allowance is calculated automatically during the application process.

    " + ] + }, + { + "title": "Repaying your student loan", + "url": "https://www.gov.uk/repaying-your-student-loan", + "contents": [ + "

    Overview

    ", + "

    You need to pay back:

    ", + "
  • Tuition Fee Loans
  • ", + "
  • Maintenance Loans
  • ", + "
  • Postgraduate Loans
  • ", + "

    You do not need to pay back other student finance, for example grants and bursaries, unless you\u2019ve been paid too much.

    ", + "

    You still have to repay your student loan if you leave your course early.

    ", + "

    When you start repaying your loan and how much you pay depends on which repayment plan you\u2019re on.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    How to repay

    ", + "

    How you repay your loan depends on whether you\u2019re employed or self-employed.

    ", + "

    You can make extra repayments in your online repayment account and by card, bank transfer or cheque.

    ", + "

    Keep your payslips and P60 for your records - you\u2019ll need them if you want to get a refund.

    ", + "

    Sign in

    ", + "

    Sign in to your student loan repayment account if you already have one.

    ", + "

    Repaying during the coronavirus (COVID-19) outbreak

    ", + "

    Read the guidance about repaying your student loan for more information on:

    ", + "
  • changes in your income
  • ", + "
  • refunds
  • ", + "
  • interest on your loan balance
  • ", + "

    Which repayment plan you're on

    ", + "

    When you start repaying your loan and how much you repay depends on your repayment plan.

    ", + "

    There are 4 plans:

    ", + "
  • Plan 1
  • ", + "
  • Plan 2
  • ", + "
  • Plan 4
  • ", + "
  • Postgraduate Loan
  • ", + "

    You cannot choose the repayment plan you\u2019re on. If you have more than one loan, they could be on different plans.

    ", + "

    Plan 1

    ", + "

    You\u2019re on Plan 1 if you\u2019re:

    ", + "
  • an English or Welsh student who started an undergraduate course anywhere in the UK before 1 September 2012
  • ", + "
  • a Northern Irish student who started an undergraduate or postgraduate course anywhere in the UK on or after 1 September 1998
  • ", + "
  • an EU student who started an undergraduate course in England or Wales on or after 1 September 1998, but before 1 September 2012
  • ", + "
  • an EU student who started an undergraduate or postgraduate course in Northern Ireland on or after 1 September 1998
  • ", + "

    Plan 2

    ", + "

    You\u2019re on Plan 2 if you\u2019re:

    ", + "
  • an English or Welsh student who started an undergraduate course anywhere in the UK on or after 1 September 2012
  • ", + "
  • an EU student who started an undergraduate course in England or Wales on or after 1 September 2012
  • ", + "
  • someone who took out an Advanced Learner Loan on or after 1 August 2013
  • ", + "

    Plan 4

    ", + "

    You\u2019re on Plan 4 if you\u2019re:

    ", + "
  • a Scottish student who started an undergraduate or postgraduate course anywhere in the UK on or after 1 September 1998
  • ", + "
  • an EU student who started an undergraduate or postgraduate course in Scotland on or after 1 September 1998
  • ", + "

    Postgraduate Loan

    ", + "

    You\u2019re on a Postgraduate Loan repayment plan if you\u2019re:

    ", + "
  • an English or Welsh student who took out a Postgraduate Master\u2019s Loan on or after 1 August 2016
  • ", + "
  • an English or Welsh student who took out a Postgraduate Doctoral Loan on or after 1 August 2018
  • ", + "
  • an EU student who started a postgraduate course on or after 1 August 2016
  • ", + "

    When you start repaying

    ", + "

    You\u2019ll only repay your student loan when your income is over the threshold amount for your repayment plan. The threshold amounts change on 6 April every year.

    ", + "

    The earliest you\u2019ll start repaying is either:

    ", + "
  • the April after you leave your course
  • ", + "
  • the April 4 years after the course started, if you\u2019re studying part-time
  • ", + "

    Your repayments automatically stop if either:

    ", + "
  • you stop working
  • ", + "
  • your income goes below the threshold
  • ", + "

    If you have a Plan 1 student loan

    ", + "

    You\u2019ll only repay when your income is over \u00a3382 a week, \u00a31,657 a month or \u00a319,895 a year (before tax and other deductions).

    ", + "

    If you have a Plan 2 student loan

    ", + "

    You\u2019ll only repay when your income is over \u00a3524 a week, \u00a32,274 a month or \u00a327,295 a year (before tax and other deductions).

    ", + "

    If you have a Plan 4 student loan

    ", + "

    You\u2019ll only repay when your income is over \u00a3480 a week, \u00a32,083 a month or \u00a325,000 a year (before tax and other deductions).

    ", + "

    If you\u2019re on a Postgraduate Loan repayment plan

    ", + "

    If you took out a Master\u2019s Loan or a Doctoral Loan, you\u2019ll only repay when your income is over \u00a3403 a week, \u00a31,750 a month or \u00a321,000 a year (before tax and other deductions).

    ", + "

    Early repayments

    ", + "

    There\u2019s no penalty for paying some or all of your loan off early.

    ", + "

    How much you repay

    ", + "

    How much you repay depends on which plan you\u2019re on.

    ", + "

    Each plan has a threshold for your weekly or monthly income. You repay:

    ", + "
  • 9% of the amount you earn over the threshold for plans 1, 2 and 4
  • ", + "
  • 6% of the amount you earn over the threshold for the Postgraduate Loan
  • ", + "

    You do not pay anything back if your income is under the threshold.

    ", + "

    Interest starts being added to your loan from when you get your first payment.

    ", + "

    Plan 1

    ", + "

    The thresholds are \u00a3382 a week or \u00a31,657 a month (before tax and other deductions).

    ", + "

    Interest on Plan 1

    ", + "

    You currently pay interest of 1.1% on Plan 1. You can find out how the interest is calculated and interest rates for previous years.

    ", + "

    Plan 2

    ", + "

    The thresholds are \u00a3524 a week or \u00a32,274 a month (before tax and other deductions). They change on 6 April every year.

    ", + "

    Interest on Plan 2

    ", + "

    While you\u2019re studying, interest is 5.6%.

    ", + "

    This is made up of the Retail Price Index (RPI) plus 3%. RPI is currently set at 2.6%.

    ", + "

    This rate applies until the 5 April after you finish or leave your course, or for the first 4 years of your course if you\u2019re studying part-time, unless the RPI changes.

    ", + "

    After that, your interest rate depends on your income in the current tax year.

    ", + "

    If you\u2019re self-employed, your income is the total income amount on your Self-Assessment form.

    ", + "

    If you\u2019re an employee, your income is your taxable pay:

    ", + "
  • plus any pension contributions
  • ", + "
  • minus any benefits you get from your employer that are taxed through payroll (ask your employer if you\u2019re not sure)
  • ", + "

    If you have more than one job in a year, your interest rate will be based on your combined income from all your jobs.

    ", + "Your annual income | Interest rate", + "\u00a327,295 or less | RPI (currently 2.6%)", + "\u00a327,296 to \u00a349,130 | RPI (currently 2.6%), plus up to 3%", + "Over \u00a349,130 | RPI (currently 2.6%), plus 3%", + "

    You must keep your contact details up to date in your online account and give the Student Loans Company (SLC) evidence if they ask for it. If you do not, you may be charged the higher interest rate even if your income is lower.

    ", + "

    You can find out how the interest is calculated and interest rates for previous years.

    ", + "

    If you have Plan 1 and Plan 2 loans

    ", + "

    You pay back 9% of your income over the Plan 1 threshold (\u00a3382 a week or \u00a31,657 a month).

    ", + "

    If your income is under the Plan 2 threshold (\u00a3524 a week or \u00a32,274 a month), your repayments only go towards your Plan 1 loan.

    ", + "

    If your income is over the Plan 2 threshold, your repayments go towards both your loans.

    ", + "

    Plan 4

    ", + "

    The thresholds are \u00a3480 a week or \u00a32,083 a month (before tax and other deductions).

    ", + "

    Interest on Plan 4

    ", + "

    You currently pay interest of 1.1% on Plan 4. You can find out how the interest is calculated and interest rates for previous years.

    ", + "

    If you have a Plan 4 loan and a Plan 1 loan

    ", + "

    You pay back 9% of your income over the Plan 1 threshold (\u00a3382 a week or \u00a31,657 a month).

    ", + "

    If your income is under the Plan 4 threshold (\u00a3480 a week or \u00a32,083 a month), your repayments only go towards your Plan 1 loan.

    ", + "

    If your income is over the Plan 4 threshold, your repayments go towards both your loans.

    ", + "

    If you have a Plan 4 loan and a Plan 2 loan

    ", + "

    You pay back 9% of your income over the Plan 4 threshold (\u00a3480 a week or \u00a32,083 a month).

    ", + "

    If your income is under the Plan 2 threshold (\u00a3524 a week or \u00a32,274 a month), your repayments only go towards your Plan 4 loan.

    ", + "

    If your income is over the Plan 2 threshold, your repayments go towards both your loans.

    ", + "

    Postgraduate Loan

    ", + "

    The thresholds are \u00a3403 a week or \u00a31,750 a month (before tax and other deductions).

    ", + "

    Interest on Postgraduate Loan

    ", + "

    You currently pay interest of 5.6% on Postgraduate Loans.

    ", + "

    The interest is made up of the Retail Price Index (RPI), plus 3%. RPI is currently set at 2.6%.

    ", + "

    You can find out how the interest is calculated and interest rates for previous years.

    ", + "

    If you have a Postgraduate Loan and a Plan 1, Plan 2 or Plan 4 loan

    ", + "

    You pay back 6% of your income over the Postgraduate Loan threshold (\u00a3403 a week or \u00a31,750 a month). In addition, you\u2019ll pay back 9% of your income over the Plan 1, Plan 2 or Plan 4 threshold.

    ", + "

    If your income changes during the year

    ", + "

    You can ask for a refund if you make repayments but your total annual income (from 6 April to 5 April the following year) is less than:

    ", + "
  • \u00a319,895 a year for Plan 1
  • ", + "
  • \u00a327,295 a year for Plan 2
  • ", + "
  • \u00a325,000 a year for Plan 4
  • ", + "
  • \u00a321,000 for Postgraduate Loans
  • ", + "

    If you have 2 or more jobs

    ", + "

    If you\u2019re employed, your repayments will be taken out of your salary. The repayments will be from the jobs where you earn over the minimum amount, not your combined income.

    ", + "

    If you need to send a Self Assessment tax return

    ", + "

    HM Revenue and Customs (HMRC) will work out how much you repay from your tax return. Your repayments are based on your income for the whole year. If you\u2019ve already made repayments from a salary, HMRC will deduct them from the amount you have to repay.

    ", + "

    How to repay

    ", + "

    Your repayments will be taken out of your salary at the same time as tax and National Insurance if you\u2019re an employee. Your payslips will show how much has been deducted. You may need to tell your employer which repayment plan you\u2019re on.

    ", + "

    You start repaying when your income is more than the minimum amount.

    ", + "

    There\u2019s no penalty if you make extra repayments to pay some or all of your loan off early.

    ", + "

    If you\u2019re self-employed

    ", + "

    HM Revenue and Customs (HMRC) will work out how much you pay from your tax return. You pay at the same time as you pay your tax.

    ", + "

    If you\u2019re an employee and you do a tax return

    ", + "

    If you earn over the minimum amount, your employer will deduct loan repayments from your salary.

    ", + "

    Check your payslips or P60 to see how much of your loan you\u2019ve paid off during the tax year. You\u2019ll need to include this information when you fill in your tax return.

    ", + "

    The tax year runs from 6 April to 5 April the following year.

    ", + "

    If you leave the UK for more than 3 months

    ", + "

    You will need to tell the Student Loans Company (SLC). They will work out if you have to repay while you\u2019re not in the UK and if so, how much you need to pay.

    ", + "

    The rules for repayment are the same as in the UK, apart from different repayment thresholds for each country.

    ", + "

    If you\u2019re abroad, your repayment amounts are based on:

    ", + "
  • the minimum amount under Plan 1 for that country
  • ", + "
  • the minimum amount under Plan 2 for that country
  • ", + "
  • the minimum amount under Plan 4 for that country
  • ", + "
  • the minimum amount under the Postgraduate Loan plan for that country
  • ", + "

    Once SLC have told you how much you need to repay, you can make repayments:

    ", + "
  • through your online account
  • ", + "
  • by International Bank Transfer (IBAN)
  • ", + "

    Online account

    ", + "

    Sign in to your online account to:

    ", + "
  • make a repayment using an international debit card
  • ", + "
  • set up a direct debit
  • ", + "

    You can also use your online account to update your contact details and make extra repayments.

    ", + "

    International Bank Transfer

    ", + "

    To transfer money from a non-UK bank account, use the following details:

    ", + "

    IBAN: GB37NWBK60708010027254\nSWIFT: NWBKGB2L\nNatWest Government Banking Team\nNatWest Customer Service Centre\nBrampton Road\nNewcastle-under-Lyme\nStaffordshire\nST5 0QX

    ", + "

    Use one of these as your reference:

    ", + "
  • customer reference number
  • ", + "
  • grant reference number (if it\u2019s for a grant repayment)
  • ", + "

    Checking your repayments

    ", + "

    You can check your repayments and balance in your:

    ", + "
  • annual statements from SLC
  • ", + "
  • online account
  • ", + "

    If your contact details change, you must update them in your online account.

    ", + "

    Avoid paying more than you owe

    ", + "

    If you have nearly repaid your loan, you may be able to make your final repayments by direct debit instead of from your salary.

    ", + "

    This makes sure your employer will not accidentally take more than you owe.

    ", + "

    SLC will contact you in the final year of your loan repayments to let you know how to set up a direct debit.

    ", + "

    Keep your contact details up to date.

    ", + "

    Make extra repayments

    ", + "

    You can choose to make extra repayments towards your student loan. These are in addition to the repayments you must make when your income is over the threshold amount for your repayment plan.

    ", + "

    You should only make extra repayments if you think you can pay off the full balance before the loan term ends. This is because your loan will be written off at the end of the term.

    ", + "

    There\u2019s no penalty if you make extra repayments but they are not refundable.

    ", + "

    Speak to a financial adviser if you\u2019re unsure whether you should make extra repayments or not.

    ", + "

    If you decide to make an extra repayment, you can choose how it is applied to your loan. For example, you can use it to reduce the total balance of your loan or to reduce the balance of a specific plan (if you have more than one plan).

    ", + "

    If you do not choose how the repayment is applied, the Student Loans Company (SLC) will decide how it\u2019s applied for you.

    ", + "

    If you\u2019re a full time student from Wales, you may be able to get \u00a31,500 of your Maintenance Loan written off.

    ", + "

    Make a repayment without signing into an account

    ", + "

    You can make a card repayment towards your loan or someone else\u2019s without signing into an online account.

    ", + "

    You need the person\u2019s surname and customer reference number.

    ", + "

    Make extra repayments from the UK

    ", + "

    You can make extra repayments:

    ", + "
  • through your online account
  • ", + "
  • by bank transfer
  • ", + "
  • by cheque
  • ", + "

    Online account

    ", + "

    Sign in to your online account to:

    ", + "
  • make a repayment using a debit card
  • ", + "
  • set up a direct debit
  • ", + "

    Bank transfer

    ", + "

    To make a bank transfer or set-up a standing order from a UK bank account you must use the following bank details:

    ", + "

    Account name: Student Loans Company\nSort code: 60 70 80\nAccount number: 10027254

    ", + "

    Use one of these as your reference:

    ", + "
  • customer reference number
  • ", + "
  • grant reference number (if it\u2019s for a grant repayment)
  • ", + "

    Cheque

    ", + "

    To pay by cheque make your cheque payable to Student Loans Company Ltd and write the customer reference number on the back.

    ", + "

    It is taking longer than usual to process cheques because of coronavirus (COVID-19). Your cheque will be backdated and you will not build up additional interest because of the delay.

    ", + "

    Make extra repayments from overseas

    ", + "

    You can make extra repayments:

    ", + "
  • through your online account
  • ", + "
  • by International Bank Transfer (IBAN)
  • ", + "

    Online account

    ", + "

    Sign in to your online account to:

    ", + "
  • make a repayment using an international debit card
  • ", + "
  • set up a direct debit
  • ", + "

    International Bank Transfer

    ", + "

    To transfer money from a non-UK bank account, use the following details:

    ", + "

    IBAN: GB37NWBK60708010027254\nSWIFT: NWBKGB2L\nNatWest Government Banking Team\nNatWest Customer Service Centre\nBrampton Road\nNewcastle-under-Lyme\nStaffordshire\nST5 0QX

    ", + "

    Use one of these as your reference:

    ", + "
  • customer reference number
  • ", + "
  • grant reference number (if it\u2019s for a grant repayment)
  • ", + "

    Pay your loan off in full

    ", + "

    Call or contact SLC on social media to find out:

    ", + "
  • the total amount you owe (this is called the \u2018settlement amount\u2019)
  • ", + "
  • the date you need to pay by (this is called the \u2018settlement date\u2019)
  • ", + "

    You\u2019ll need your latest payslip if you\u2019re employed.

    ", + "

    Once you know the total you owe, you can pay by debit card over the phone, bank transfer or cheque.

    ", + "

    If you do not pay the settlement amount by the settlement date, you\u2019ll need to contact SLC again. This is because the amount you owe might have changed. You\u2019ll only need to provide any recent payslips or calculations since you last called.

    ", + "

    Getting a refund

    ", + "

    You can ask for a refund if:

    ", + "
  • you\u2019ve paid more than the total amount you owe
  • ", + "
  • your annual income was below the threshold
  • ", + "
  • you started making repayments before you needed to
  • ", + "

    You cannot get a refund for extra repayments.

    ", + "

    If you pay back more than you owe

    ", + "

    HM Revenue and Customs (HMRC) will tell your employer to stop taking repayments from your salary when you have repaid your loan in full. It can take around 4 weeks for salary deductions to stop.

    ", + "

    This means you may pay back more than you owe.

    ", + "

    You can avoid paying more than you owe by changing your payments to direct debit in the final year of your repayments. Keep your contact details up to date so SLC can let you know how to set this up.

    ", + "

    If you have paid too much the Student Loans Company (SLC) will try to:

    ", + "
  • contact you to tell you how to get a refund
  • ", + "
  • refund you automatically (this will appear in your bank account as \u2018SLC Receipts\u2019)
  • ", + "

    You can check your loan balance in your online account.

    ", + "

    If you\u2019ve overpaid and have not heard from SLC you can ask them for a refund.

    ", + "

    If your annual income was below the threshold

    ", + "

    You can ask for a refund if you made repayments but your income over the whole tax year (6 April to 5 April the following year) was less than:

    ", + "
  • \u00a319,895 a year for Plan 1
  • ", + "
  • \u00a327,295 a year for Plan 2
  • ", + "
  • \u00a325,000 a year for Plan 4
  • ", + "
  • \u00a321,000 a year for Postgraduate Loan
  • ", + "

    If your annual salary is less than this, your employer may still deduct repayments - for example if you get paid a bonus or overtime.

    ", + "

    If you\u2019re repaying a Plan 1, Plan 2 and Plan 4 loan, you can only get a refund if your income was less than \u00a319,895.

    ", + "

    You can check previous thresholds if you ask about a refund on repayments made before this tax year.

    ", + "

    If you started repaying before you needed to

    ", + "

    If a deduction is taken from your salary before you\u2019re due to start repaying, you can ask for a refund.

    ", + "

    How to ask for a refund

    ", + "

    Call or contact SLC on social media with your customer reference number.

    ", + "

    You can contact SLC by post.

    ", + "

    When your student loan gets written off or cancelled

    ", + "

    When your student loan gets written off depends on which repayment plan you\u2019re on.

    ", + "

    If you\u2019re a full time student from Wales, you may be able to get \u00a31,500 of your Maintenance Loan written off.

    ", + "

    When Plan 1 loans get written off

    ", + "

    When your Plan 1 loan gets written off depends on when you took out the loan.

    ", + "Academic year you took out the loan | When the loan\u2019s written off", + "2005 to 2006, or earlier | When you\u2019re 65", + "2006 to 2007, or later | 25 years after the April you were first due to repay", + "

    When Plan 2 loans get written off

    ", + "

    Plan 2 loans are written off 30 years after the April you were first due to repay.

    ", + "

    When Plan 4 loans get written off

    ", + "Academic year you took out the loan | When the loan\u2019s written off", + "2006 to 2007, or earlier | When you\u2019re 65, or 30 years after the April you were first due to repay - whichever comes first", + "2007 to 2008, or later | 30 years after the April you were first due to repay", + "

    When Postgraduate Loans get written off

    ", + "

    If you\u2019re a student from England or Wales, your Postgraduate Loan will be written off 30 years after the April you were first due to repay.

    ", + "

    If you\u2019re a postgraduate student from Northern Ireland, you\u2019re on Plan 1.

    ", + "

    If you\u2019re a postgraduate student from Scotland, you\u2019re on Plan 4.

    ", + "

    If someone with a student loan dies

    ", + "

    The Student Loans Company (SLC) will cancel the person\u2019s student loan.

    ", + "

    You need to let SLC know that the person has died and provide evidence (for example an original death certificate), as well as the person\u2019s Customer Reference Number.

    ", + "

    If you can no longer work because of illness or disability

    ", + "

    SLC may be able to cancel your loan if you claim certain disability benefits. You\u2019ll need to provide evidence (for example a letter from the benefits agency) and your Customer Reference Number.

    ", + "

    Update your employment details

    ", + "

    You need to update your details if you:

    ", + "
  • leave the UK for more than 3 months
  • ", + "
  • start a new job or become self-employed
  • ", + "
  • stop working
  • ", + "
  • get a letter or email from the Student Loans Company (SLC) asking you to update your employment details
  • ", + "

    SLC use these details to work out if you should be repaying your loan.

    ", + "

    You might get a higher interest rate if you do not update your details.

    ", + "

    Start now

    " + ] + }, + { + "title": "Social work bursaries", + "url": "https://www.gov.uk/social-work-bursaries", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re training for social work you may get a bursary.

    ", + "

    Social work bursaries:

    ", + "
  • help with living costs and tuition fees
  • ", + "
  • don\u2019t depend on your household income
  • ", + "
  • don\u2019t have to be paid back
  • ", + "

    What you'll get

    ", + "

    The social work bursary is a grant that doesn\u2019t depend on your household income and doesn\u2019t have to be paid back.

    ", + "

    The amount you get depends on:

    ", + "
  • where you study
  • ", + "
  • whether you study full or part-time
  • ", + "
  • the cost of your tuition
  • ", + "

    Graduates doing an undergraduate social work course can apply for the Maintenance Loan part of the main student finance \npackage.

    ", + "

    How it\u2019s paid

    ", + "

    Social work bursaries are paid in 3 instalments, one each term.

    ", + "

    If you\u2019re disabled

    ", + "

    You may be able to get extra help if you\u2019re disabled and a postgraduate student.

    ", + "

    Eligibility

    ", + "

    Social work bursaries are available to eligible social work students who:

    ", + "
  • don\u2019t get funding from their employer
  • ", + "
  • are studying an approved undergraduate or postgraduate course in social work
  • ", + "
  • don\u2019t already have a higher education social work qualification
  • ", + "

    Your university or college will tell you if your course qualifies.

    ", + "

    Undergraduate students may also be able to get help from the main student finance \npackage - apply to Student Finance England.

    ", + "

    You\u2019re not eligible for a bursary if you\u2019re studying on an employment-based course including direct Open University courses.

    ", + "

    How to apply

    ", + "

    You need to download forms from NHS Business Services Authority. The address to send the form is in the guidance notes.

    ", + "

    The deadline for 2017 to 2018 applications depends on when you start your course:

    ", + "Course starts | Application deadline", + "Autumn term | 1 November 2017", + "Winter term | 14 February 2018", + "

    Evidence needed

    ", + "

    You may need to prove your identity by sending both:

    ", + "
  • your birth certificate
  • ", + "
  • your passport (which must be valid)
  • " + ] + }, + { + "title": "Student finance", + "url": "https://www.gov.uk/student-finance", + "contents": [ + "

    Overview

    ", + "

    You may be able to borrow money to help pay for university or college tuition fees and to help with living costs.

    ", + "

    You might get extra money on top of this, for example if you\u2019re on a low income, are disabled or have children.

    ", + "

    If you\u2019re a continuing student or you\u2019ve already created an account, log in to your account.

    ", + "

    Before you apply

    ", + "

    You start repaying once you earn over a certain amount. The size of your monthly repayments will depend on how much you earn, not what you owe.

    ", + "

    You\u2019ll be charged interest on the loan from the day you take it out. The terms and conditions can change.

    ", + "

    The rules are different if your course started before September 2012.

    ", + "

    Read the student finance privacy notice to find out how the information you provide will be used.

    ", + "

    How to apply

    ", + "

    Find out how to apply for student finance.

    ", + "

    If you\u2019re under 25 and have no contact with your parents, you might be able to apply as an \u2018estranged student\u2019.

    ", + "

    There\u2019s a different process if you\u2019re a student from Scotland, Wales, or Northern Ireland. Contact the education authority if you live in the Channel Islands (Jersey and Guernsey) or Isle of Man.

    ", + "

    You can give someone permission to act on your behalf (for example using Power of Attorney) if you want them to apply for you.

    ", + "

    New full-time students

    ", + "

    You can apply for a Tuition Fee Loan and Maintenance Loan if your course starts on or after 1 August 2016.

    ", + "

    Tuition Fee Loan

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Full-time student | Up to \u00a39,250 | Up to \u00a39,250", + "

    If you\u2019re studying an accelerated degree course, you could get up to \u00a311,100.

    ", + "

    Maintenance Loan for living costs

    ", + "

    You may have to give details of your household income.

    ", + "

    The loan is paid directly into your bank account at the start of each term. You have to pay the loan back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Living at home | Up to 7,747 | Up to \u00a37,987", + "Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488", + "Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382", + "You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866", + "

    You must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.

    ", + "

    If you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.

    ", + "

    Use the student finance calculator to estimate your Maintenance Loan.

    ", + "

    Applying during coronavirus (COVID-19)

    ", + "

    Read the guidance for students during coronavirus for more information about:

    ", + "
  • changes in your household income
  • ", + "
  • self-isolation stopping you from posting evidence
  • ", + "
  • contacting the Student Loans Company
  • ", + "

    Coronavirus and maintenance loans

    ", + "

    You do not need to tell SLC if your course has moved online, as long as your living arrangements stay the same. If they have changed, you must update your address in your online account.

    ", + "

    Extra help with travel costs

    ", + "

    You might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.

    ", + "

    Further information

    ", + "

    2020 to 2021 academic year

    ", + "

    2021 to 2022 academic year

    ", + "

    Continuing full-time students

    ", + "

    What you\u2019re eligible for depends on when your course starts.

    ", + "

    You may also be able to get extra help.

    ", + "

    If your course starts on or after 1 August 2016

    ", + "

    You can apply for a Tuition Fee Loan and a Maintenance Loan if your course starts on or after 1 August 2016.

    ", + "

    Tuition Fee Loan

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Full-time student | Up to \u00a39,250 | Up to \u00a39,250", + "

    Maintenance Loan for living costs

    ", + "

    You may have to give details of your household income.

    ", + "

    The loan is paid directly into your bank account at the start of term. You have to pay the loan back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Living at home | Up to 7,747 | Up to \u00a37,987", + "Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488", + "Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382", + "You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866", + "

    You must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.

    ", + "

    If you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.

    ", + "

    In your final year, you\u2019ll receive less money than you did in previous years.

    ", + "

    If your course started before 1 August 2016

    ", + "

    You can apply for grants and loans if your course started before 1 August 2016.

    ", + "

    Tuition Fee Loan

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Full-time student | Up to \u00a39,250 | Up to \u00a39,250", + "

    Maintenance Loan for living costs

    ", + "

    Students aged 60 and over cannot apply. You may have to give details of your household income.

    ", + "

    The loan is paid directly into your bank account at the start of each term. You have to pay the loan back.

    ", + "

    You must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Living at home | Up to \u00a35,247 | Up to \u00a35,410", + "Living away from home, outside London | Up to \u00a36,597 | Up to \u00a36,802", + "Living away from home, in London | Up to \u00a39,205 | Up to \u00a39,490", + "You spend a year of a UK course studying abroad | Up to \u00a37,838 | Up to \u00a38,081", + "

    In your final year, you\u2019ll receive less money than you did in previous years.

    ", + "

    Maintenance Grant for living costs

    ", + "

    You have to give details of your household income and your course start date.

    ", + "

    The grant is paid into your bank account at the start of each term. You do not have to pay it back, but any funds you get will reduce the Maintenance Loan you can get.

    ", + "

    Special Support Grant

    ", + "

    You may get a Special Support Grant instead of a Maintenance Grant if you get or qualify for:

    ", + "
  • Income Support
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Housing Benefit
  • ", + "
  • the housing element of Universal Credit
  • ", + "

    The amount you get is the same as the Maintenance Grant, but it will not reduce the Maintenance Loan you can get.

    ", + "

    You may get the Special Support Grant if, for example, you\u2019re a lone parent or have certain disabilities.

    ", + "

    You\u2019ll be told if you can get the grant when you apply for student finance.

    ", + "

    Apply

    ", + "

    Apply for student finance or find out how to apply.

    ", + "

    Help with the costs of studying abroad

    ", + "

    You might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.

    ", + "

    Help during coronavirus (COVID-19)

    ", + "

    Read the guidance for students during coronavirus for more information, including if:

    ", + "
  • your university or college is shut
  • ", + "
  • your household income changes
  • ", + "
  • you\u2019ll need to repeat or extend your studies
  • ", + "

    Further information

    ", + "

    2020 to 2021 academic year

    ", + "

    2021 to 2022 academic year

    ", + "

    Part-time students

    ", + "

    You may be able to get a loan if your part-time course has a \u2018course intensity\u2019 of 25% or more.

    ", + "

    \u2018Course intensity\u2019 measures how much of your course you complete each year compared to an equivalent full-time course.

    ", + "

    You can work this out by comparing your module credits with the number of module credits a full-time student will study. You\u2019ll be asked how many credits you\u2019ll study when you apply for the loan.

    ", + "

    Check with your university or college if you\u2019re not sure.

    ", + "

    What you can apply for depends on when your course starts.

    ", + "

    You must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.

    ", + "

    If your course starts on or after 1 August 2018

    ", + "

    You can apply for a Tuition Fee Loan and a Maintenance Loan.

    ", + "

    Tuition Fee Loan

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + "

    You can get up to \u00a36,935 in an academic year.

    ", + "

    Maintenance Loan for living costs

    ", + "

    How much you can get depends on:

    ", + "
  • where you live while studying
  • ", + "
  • your household income
  • ", + "
  • your course intensity
  • ", + "

    The loan is paid directly into your bank account 2 weeks after the start of each term. You have to pay the loan back.

    ", + "

    You can only apply for a Maintenance Loan as a Distance Learning student if you cannot attend your course in person because of a disability.

    ", + "

    Use the student finance calculator to estimate your Maintenance Loan.

    ", + "

    You\u2019re not eligible for a Maintenance Loan if you\u2019re 60 or over on the first day of the first academic year of your course.

    ", + "

    If your course started before 1 August 2018

    ", + "

    You can apply for a Tuition Fee Loan.

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + "

    You can get up to \u00a36,935 in an academic year.

    ", + "

    Apply

    ", + "

    Apply for student finance or find out how to apply.

    ", + "

    Further information

    ", + "

    2020 to 2021 academic year

    ", + "

    EU students

    ", + "

    You may be able to get a Tuition Fee Loan and help with living costs if you\u2019re from an EU country, Iceland, Liechtenstein, Norway or Switzerland.

    ", + "

    Use the student finance calculator to see what finance you can get.

    ", + "

    Tuition Fee Loan

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Full-time student | Up to \u00a39,250 | Up to \u00a39,250", + "Full-time student at a private university or college | Up to \u00a36,165 | Up to \u00a36,165", + "Part-time student | Up to \u00a36,935 | Up to \u00a36,935", + "Part-time student at a private university or college | Up to \u00a34,625 | Up to \u00a34,625", + "

    Use the student finance calculator to estimate your Tuition Fee Loan.

    ", + "

    Help with living costs

    ", + "

    You may be eligible for help with your living costs if both the following apply:

    ", + "
  • you\u2019ve lived in the UK for more than 3 years before the first day of the first academic year of your course
  • ", + "
  • you have settled status
  • ", + "

    Academic years start on 1 September, 1 January, 1 April or 1 July. Ask someone who runs your course if you do not know which one applies.

    ", + "

    Student Finance from August 2021

    ", + "

    If you\u2019re\u00a0starting a course\u00a0on\u00a0or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.

    ", + "

    If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study here.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Apply

    ", + "

    Apply for student finance or find out how to apply.

    ", + "

    Further information

    ", + "

    2020 to 2021 academic year

    ", + "

    2021 to 2022 academic year

    ", + "

    Extra help

    ", + "

    Check on the student finance calculator to see what extra help you might be able to get.

    ", + "

    Students on a low income

    ", + "

    You can apply for:

    ", + "
  • Universal Credit
  • ", + "
  • extra help if you\u2019re experiencing financial hardship
  • ", + "

    Students with children or dependent adults

    ", + "

    You can apply for:

    ", + "
  • Childcare Grant - full-time students only
  • ", + "
  • Parents\u2019 Learning Allowance - full-time students only
  • ", + "
  • Adult Dependants\u2019 Grant - full-time students only
  • ", + "
  • Universal Credit
  • ", + "
  • extra help if you\u2019re experiencing financial hardship
  • ", + "

    Disabled students

    ", + "

    If you have a disability, long-term health condition, mental health condition or specific learning difficulty (such as dyslexia) you can apply for:

    ", + "
  • Disabled Students\u2019 Allowance
  • ", + "
  • extra help if you\u2019re experiencing financial hardship
  • ", + "

    You may also qualify for disability related benefits.

    ", + "

    Medical, social work and teacher training students

    ", + "

    You can apply for:

    ", + "
  • NHS bursaries if you\u2019re studying certain medical, dentistry or healthcare courses
  • ", + "
  • help with costs of travel to UK clinical placements if you\u2019re studying a medical, dentistry or healthcare course
  • ", + "
  • social work bursaries if you\u2019re a social work student
  • ", + "
  • extra help if you\u2019re a teacher training student
  • ", + "

    Students studying abroad

    ", + "

    You might get a grant to cover some travel expenses if you normally live in England but study away from home.

    ", + "

    Help from your university or college

    ", + "

    Many universities and colleges offer extra money directly to students.

    ", + "

    Funding from charitable trusts

    ", + "

    Use the Turn2us grant search to check whether you qualify for funding from a charitable trust.

    ", + "

    Eligibility

    ", + "

    Whether you qualify for student finance depends on:

    ", + "
  • your university or college
  • ", + "
  • your course
  • ", + "
  • if you\u2019ve studied a higher education course before
  • ", + "
  • your age
  • ", + "
  • your nationality or residency status
  • ", + "

    Your university or college

    ", + "

    This should be a university, college or other institution that offers a qualifying course.

    ", + "

    Your course

    ", + "

    Check with the university or college that your course is recognised.

    ", + "

    If you\u2019re studying full-time

    ", + "

    You may be eligible for student finance if your course is in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "
  • a Foundation Degree
  • ", + "
  • a Certificate of Higher Education
  • ", + "
  • a Diploma of Higher Education (DipHE)
  • ", + "
  • a Higher National Certificate (HNC)
  • ", + "
  • a Higher National Diploma (HND)
  • ", + "
  • an Initial Teacher Training course
  • ", + "
  • an integrated master\u2019s degree
  • ", + "
  • a pre-registration postgraduate healthcare course
  • ", + "

    Check on the student finance calculator to find out which loans and grants you could be eligible for.

    ", + "

    If you\u2019re studying part-time

    ", + "

    Your course needs a \u2018course intensity\u2019 of 25% or more for you to be eligible for student finance.

    ", + "

    You\u2019ll be eligible for a Tuition Fee Loan if your course is in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "
  • a Foundation Degree
  • ", + "
  • a Certificate of Higher Education
  • ", + "
  • a Diploma of Higher Education (DipHE)
  • ", + "
  • a Higher National Certificate (HNC)
  • ", + "
  • a Higher National Diploma (HND)
  • ", + "
  • an Initial Teacher Training course
  • ", + "
  • an integrated master\u2019s degree
  • ", + "

    You\u2019ll be eligible for a Maintenance Loan if your course is in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "
  • an Initial Teacher Training course (if it\u2019s degree level or above)
  • ", + "
  • an integrated master\u2019s degree
  • ", + "
  • a Foundation Degree in dental hygiene and dental therapy
  • ", + "
  • a DipHE in dental hygiene and dental therapy or operating department practice
  • ", + "

    If you\u2019ve studied before

    ", + "

    You\u2019ll usually only get student finance if you\u2019re doing your first higher education qualification - even if your previous course was self-funded. You may still be eligible for limited funding in certain circumstances and for some courses.

    ", + "

    If you changed course, stopped your studies or are repeating a year

    ", + "

    If you stopped your course within the first year, you\u2019ll get funding for the same course or a new course when you go back.

    ", + "

    You might also get funding if you:

    ", + "
  • suspended your course or withdrew before it finished - and you\u2019re going back to study any course
  • ", + "
  • are repeating a year of your course at the same university, college, or institution.
  • ", + "

    If you stopped your studies for a personal reason (for example, you were ill or pregnant) you might get funding for all of your course - you should apply online with supporting evidence.

    ", + "

    You can calculate the amount you will get by taking the total number of years of the course you are applying for and adding one year. Then take away the number of years you studied for. If you studied for part of a year you should count it as a whole year.

    ", + "

    If you already have a degree

    ", + "

    You may be eligible for limited funding in certain circumstances.

    ", + "

    You may get limited funding if you\u2019re \u2018topping up\u2019 a higher education qualification, for example you\u2019ve finished an HNC, HND or Foundation Degree and now want to do an Honours degree.

    ", + "

    You may also get limited funding if you hold an Honours degree or a higher level of qualification and start a new course. This could be a part-time Honours degree, a joint Honours degree or an Integrated Master\u2019s degree in one of the following (or 2 if it\u2019s a joint Honours degree):

    ", + "
  • agriculture and related subjects
  • ", + "
  • architecture (if it\u2019s a MArch RIBA Part 2 course)
  • ", + "
  • biological sciences
  • ", + "
  • computer science
  • ", + "
  • mathematical sciences
  • ", + "
  • medicine and allied subjects
  • ", + "
  • physical sciences
  • ", + "
  • technologies
  • ", + "
  • courses leading to qualification as a veterinary surgeon
  • ", + "

    You could also be eligible if you\u2019re starting a healthcare course on or after 1 August 2017.

    ", + "

    Your age

    ", + "

    There\u2019s no upper age limit for Tuition Fee Loans or grants.

    ", + "

    If you\u2019re 60 or over

    ", + "

    You may get limited funding for Maintenance Loans if all of the following apply:

    ", + "
  • you\u2019re 60 or over on the first day of the first academic year of your \ncourse
  • ", + "
  • you\u2019re studying full-time
  • ", + "
  • your course started on or after 1 August 2016
  • ", + "

    The amount you can apply for depends on your household income.

    ", + "

    Your nationality or residency status

    ", + "

    You may be able to get help with:

    ", + "
  • your tuition fees and living costs (full support)
  • ", + "
  • your tuition fees
  • ", + "

    The type of help you can get depends on your nationality and residency status.

    ", + "

    When you\u2019re eligible for full support

    ", + "

    You can apply for full support if all the following apply:

    ", + "
  • you\u2019re a UK or Irish citizen or have \u2018settled status\u2019 (no restrictions on how long you can stay)
  • ", + "
  • you normally live in England
  • ", + "
  • you\u2019ve been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday
  • ", + "

    You may be eligible for full support if you\u2019re a UK national (or family member of a UK national) who:

    ", + "
  • returned to the UK by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years
  • ", + "

    You may also be eligible if your residency status is one of the following:

    ", + "
  • refugee (including family members)
  • ", + "
  • humanitarian protection (including family members)
  • ", + "
  • migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein (including family members) with settled or pre-settled status
  • ", + "
  • child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020
  • ", + "
  • a stateless person (including family members)
  • ", + "
  • an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment
  • ", + "
  • a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)
  • ", + "
  • granted \u2018Calais leave\u2019 to remain
  • ", + "
  • a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)
  • ", + "
  • you\u2019ve been given settled status (\u2018indefinite leave to remain\u2019) because you\u2019ve been the victim of domestic violence
  • ", + "
  • you\u2019ve been granted indefinite leave to remain as a bereaved partner
  • ", + "

    You could also be eligible if you\u2019re not a UK national and are either:

    ", + "
  • under 18 and have lived in the UK for at least 7 years
  • ", + "
  • 18 or over and have lived in the UK for at least 20 years (or at least half of your life)
  • ", + "

    You must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.

    ", + "

    When you can apply for help with your tuition fees

    ", + "

    You can apply for tuition fee funding if you\u2019ve been living in the UK, the EU, Gibraltar, Iceland, Liechtenstein, Norway or Switzerland for the past 3 years and you have one of the following:

    ", + "
  • pre-settled status under the EU Settlement Scheme and you\u2019re an EU national or the family member of an EU national
  • ", + "
  • pre-settled status under the EU Settlement Scheme and you\u2019re the family member of an Irish citizen or person of Northern Ireland
  • ", + "
  • Irish citizenship
  • ", + "
  • Gibraltarian status as an EU national
  • ", + "
  • been living in Gibraltar as a UK national
  • ", + "

    If you\u2019re an Irish citizen, you\u2019re still eligible to apply if you\u2019ve lived in the UK and Ireland in the 3 years before your course.

    ", + "

    Use the student finance calculator to see what finance you can get.

    ", + "

    Apply

    ", + "

    Apply for student finance or find out how to apply.

    ", + "

    Apply

    ", + "

    Find out how to apply for student finance.

    ", + "

    Parents or partners of students

    ", + "

    Confirm your income if you\u2019re the student\u2019s parent or partner.

    " + ] + }, + { + "title": "Student finance if you suspend or leave your course", + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "contents": [ + "

    Overview

    ", + "

    If you leave or suspend your studies you must:

    ", + "
  • stop your student finance
  • ", + "
  • repay any student finance you are not entitled to
  • ", + "

    Your student finance includes:

    ", + "
  • Maintenance Loans
  • ", + "
  • Tuition Fee Loans
  • ", + "
  • grants and bursaries
  • ", + "

    How much you need to repay and when you need to repay it depends on:

    ", + "
  • what type of student finance you have
  • ", + "
  • when in the academic year you leave your course
  • ", + "
  • whether you\u2019re planning to return to your course or not
  • ", + "

    If you suspend because of illness or another serious personal reason, you might still be able to get student finance while you\u2019re away.

    ", + "

    Stopping your student finance

    ", + "

    You must stop your student finance payments as soon as you decide to suspend your studies or leave your course early.

    ", + "

    This will reduce any repayments you may need to make.

    ", + "

    Student finance covers:

    ", + "
  • Maintenance Loans
  • ", + "
  • Tuition Fee Loans
  • ", + "
  • grants and bursaries
  • ", + "

    How to stop your student finance payments

    ", + "

    You must:

    ", + "
  • tell your university or college that you\u2019re leaving or suspending your course
  • ", + "
  • contact Student Finance England if you\u2019re a student from England
  • ", + "

    The way to make contact is different if you\u2019re a student from:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    If you suspend your studies you can usually postpone your student finance payments until you return.

    ", + "

    Repaying your student finance

    ", + "

    How much and when you have to repay depends on:

    ", + "
  • the type of student finance you have
  • ", + "
  • when in the academic year you leave your course
  • ", + "
  • whether you\u2019re planning to return to your course or not
  • ", + "

    Your university or college will tell your student finance provider the date you finished your studies.

    ", + "

    Maintenance Loans

    ", + "

    Your student finance provider will reassess your Maintenance Loan based on the number of days you attended your course.

    ", + "

    If any of your loan covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.

    ", + "

    The Student Loans Company will write and tell you how much you must repay. If you cannot repay the full amount, you can ask them to set up a repayment plan.

    ", + "

    The rest of your Maintenance Loan is repaid in the usual way once you start earning over the threshold amount.

    ", + "

    If you\u2019re planning to return to your studies

    ", + "

    The amount you were overpaid will usually be taken off your student finance payments when you return, so you do not have to repay straight away.

    ", + "

    Grants and bursaries

    ", + "

    If any of your grant or bursary covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.

    ", + "

    There are exceptions for:

    ", + "
  • childcare grants taken in or after the 2019 to 2020 academic year
  • ", + "
  • grants taken in or before the 2016 to 2017 academic year
  • ", + "

    You do not have to pay back overpayments on these grants until you\u2019ve finished your course.

    ", + "

    Tuition Fee Loans

    ", + "

    You\u2019ll need to repay at least some of your Tuition Fee loan for the year that you suspend or leave your course.

    ", + "

    You\u2019ll need to pay back:

    ", + "
  • 25% of the loan for the year if you suspend or leave in term 1
  • ", + "
  • 50% of the loan for the year if you suspend or leave in term 2
  • ", + "
  • all the loan for the year if you suspend or leave in term 3
  • ", + "

    This is repaid in the usual way once you start earning over the threshold amount.

    ", + "

    Getting student finance while you suspend your studies

    ", + "

    You might be able to get student finance while you\u2019re away from your course if you suspend due to illness, bereavement or another serious personal reason.

    ", + "

    You might also be able to get Disabled Students\u2019 Allowances.

    ", + "

    You can apply for funding if you return to your studies.

    ", + "

    If you suspend because you\u2019re seriously ill

    ", + "

    You might be able to get a Maintenance Loan for 60 days after you suspend your course.

    ", + "

    Your university or college must tell the Student Loans Company (SLC) about your situation.

    ", + "

    Apply for extra money

    ", + "

    If you\u2019re having financial difficulties after 60 days you might be able to get more Maintenance Loan.

    ", + "

    Apply to Student Finance England with:

    ", + "
  • a covering letter explaining your situation, including your customer reference number
  • ", + "
  • evidence to support your claim, such as a bank statement or copy of your tenancy agreement
  • ", + "

    The address you send your application to is different if you\u2019re a student from:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    You might also be able to get extra money from your university or college hardship fund.

    ", + "

    If you suspend for another serious personal reason

    ", + "

    You might still be able to get a Maintenance Loan for some or all the time you\u2019re away from your studies.

    ", + "

    Apply to Student Finance England with:

    ", + "
  • a letter explaining why you have to suspend your course, including your customer reference number and the academic year it relates to
  • ", + "
  • evidence to support your claim
  • ", + "

    Supporting evidence includes things like:

    ", + "
  • a letter from your doctor or social services
  • ", + "
  • a letter from your university or college
  • ", + "
  • a bank statement
  • ", + "

    The address you send your application to is different if you\u2019re a student from:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    You might need to send more than one piece of evidence.

    ", + "

    SLC will send you a letter explaining how much loan money you can get. You\u2019ll usually get a decision within 6 weeks.

    " + ] + }, + { + "title": "Student finance: how to apply", + "url": "https://www.gov.uk/apply-for-student-finance", + "contents": [ + "

    How to apply

    ", + "

    How you apply depends on whether you have studied before and your nationality.

    ", + "

    New students from England

    ", + "

    Most full-time and part-time students can apply online to Student Finance England.

    ", + "
  • Set up a student finance online account.
  • ", + "
  • Log in and complete the online application.
  • ", + "
  • Include your household income if needed. Your parent or partner will be asked to confirm these details.
  • ", + "
  • Send in proof of identity, if needed.
  • ", + "

    If you cannot apply online, use the form finder to get the forms you need. You can call Student Finance England if you want to apply online but you cannot use a computer without help.

    ", + "

    Continuing students from England

    ", + "

    You\u2019re a continuing student if you are:

    ", + "
  • moving on to the next year of your course
  • ", + "
  • repeating a year of the same course or returning to a course after taking time out
  • ", + "
  • transferring onto a new course from your old course
  • ", + "

    You should log in to your student finance account and apply online.

    ", + "

    If you\u2019re returning to study after taking time out for personal reasons

    ", + "

    There\u2019s a different process if you have studied for more than one year before and you\u2019re going back to your studies after stopping your course because of personal reasons. This could be for things like if you were ill, pregnant, caring for someone or someone close to you died.

    ", + "

    You should log in to your student finance account and apply online.

    ", + "

    You must also send a letter explaining why you suspended your studies with supporting evidence.

    ", + "

    The letter must include:

    ", + "
  • your customer reference number for student finance
  • ", + "
  • an explanation of your situation and why you had to suspend your studies
  • ", + "

    Supporting evidence can include:

    ", + "
  • a letter from your doctor or social services on headed paper
  • ", + "
  • a letter from your university or college on headed paper
  • ", + "
  • copies of birth or death certificates
  • ", + "

    You might need to send more than one piece of evidence if it helps you to show why you stopped your course.

    ", + "

    Use your online account to send the letter and evidence to Student Finance England, or send it by post.

    ", + "

    Student Finance England will send you a letter confirming how much you\u2019ll get, usually within 8 weeks.

    ", + "

    Scotland, Wales and Northern Ireland

    ", + "

    There\u2019s a different process for students from Scotland, Wales and Northern Ireland.

    ", + "

    New EU students

    ", + "

    If you\u2019re applying for tuition fee support and help with living costs, apply online.

    ", + "

    If you\u2019re applying for tuition fee support only, apply by post.

    ", + "

    You\u2019ll get a letter confirming how much you\u2019ll get, usually within 6 weeks.

    ", + "

    Continuing EU students

    ", + "

    If you\u2019re applying for tuition fee support and help with living costs, apply online.

    ", + "

    If you\u2019re applying for tuition fee support only, you\u2019ll be sent application forms to fill in and return by post. Check your address is up to date in your student finance account.

    ", + "

    When to apply

    ", + "

    You can apply for the following academic years:

    ", + "
  • 2021 to 2022 (part-time students can apply from summer 2021)
  • ", + "
  • 2020 to 2021
  • ", + "

    You can still apply for funding up to 9 months after the first day of the academic year for your course.

    ", + "Course start date | Apply by", + "Between 1 August and 31 December | 31 May after your course started", + "Between 1 January and 31 March | 30 September after your course started", + "Between 1 April and 30 June | 31 December after your course started", + "Between 1 July and 31 July | 31 March after your course started", + "

    You do not need a confirmed place to apply.

    ", + "

    EU students

    ", + "

    If you\u2019re an EU student applying for 2021 to 2022, when and how you apply depends on the type of support you want.

    ", + "

    Full-time students

    ", + "

    If you\u2019re applying for tuition fee support and help with living costs, you can apply online now.

    ", + "

    If you\u2019re applying for tuition fee support only, you can apply by post now.

    ", + "

    Part-time students

    ", + "

    If you\u2019re applying for tuition fee support and help with living costs, you can apply online from summer 2021.

    ", + "

    If you\u2019re applying for tuition fee support only, you can apply by post from summer 2021.

    ", + "

    Proof of identity

    ", + "

    Students from England

    ", + "

    Include your valid UK passport details in your application the first time you apply. Fill in the passport details form - do not send the passport itself.

    ", + "Academic year | Form", + "2021 to 2022 | UK passport details form 2021 to 2022 (PDF, 49KB)", + "2020 to 2021 | UK passport details form 2020 to 2021 (PDF, 41KB)", + "

    If you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.

    ", + "

    Include your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.

    ", + "

    EU students

    ", + "

    Send your non-UK passport or identity card the first time you apply.

    ", + "

    Where to send your documents

    ", + "

    Any original documents you send will be returned to you within 4 weeks.

    ", + "

    Students from England

    ", + "

    EU students

    ", + "

    Household income

    ", + "

    You must provide your household income if you apply for any of the following:

    ", + "
  • full Maintenance Loan
  • ", + "
  • Maintenance Grant - not available if your course started on or after 1 August 2016
  • ", + "
  • Special Support Grant - not available if your course started on or after 1 August 2016
  • ", + "
  • Childcare Grant
  • ", + "
  • Adult Dependants\u2019 Grant
  • ", + "
  • Parents\u2019 Learning Allowance
  • ", + "

    You\u2019ll need to provide your household income for tax year:

    ", + "
  • 2019 to 2020 if you\u2019re applying for the 2021 to 2022 academic year
  • ", + "
  • 2018 to 2019 if you\u2019re applying for the 2020 to 2021 academic year
  • ", + "

    After you apply, Student Finance England will ask the people in your household to confirm their income. They might need to provide evidence.

    ", + "

    What counts as household income

    ", + "

    Your household income includes any of the following that apply:

    ", + "
  • your parents\u2019 income, if you\u2019re under 25 and live with them or depend on them financially
  • ", + "
  • the combined income of one of your parents and their partner, if you\u2019re under 25 and live with them or depend on them financially
  • ", + "
  • your partner\u2019s income, if you\u2019re over 25 and live with them (even if they spend most of their time abroad)
  • ", + "
  • income you get from your own savings, investments or property, for example dividends or rent
  • ", + "

    If you\u2019ve supported yourself financially for at least 3 years or had no contact with your parents for over a year, you might be able to apply as an \u2018independent student\u2019.

    ", + "

    Change an application

    ", + "

    You must say if any details in your application change. You\u2019ll need to report some changes yourself. Your parents, partner or sponsor will need to report others.

    ", + "

    Changes you must report

    ", + "

    Full time students

    ", + "

    Use your online account to tell Student Finance England if:

    ", + "
  • you\u2019ve changed your course, university or college
  • ", + "
  • you\u2019re repeating a year
  • ", + "
  • you\u2019ve changed your name or marital status
  • ", + "
  • your Tuition Fee Loan amount has changed
  • ", + "
  • you\u2019re living somewhere new
  • ", + "

    Part-time students and EU students

    ", + "

    If you\u2019re a part-time or EU student, you\u2019ll need to fill in form CO2 or EUCO1 instead.

    ", + " | Student type | Form", + "2020 to 2021 academic year | Part-time student | CO2 form for 2020 to 2021 (PDF, 94KB)", + "2019 to 2020 academic year | Part-time student | CO2 form for 2019 to 2020 (PDF, 85KB)", + "2021 to 2022 academic year | EU student | EUCO1 form for 2021 to 2022 (PDF, 136KB)", + "2020 to 2021 academic year | EU student | EUCO1 form for 2020 to 2021 (PDF, 146KB)", + "

    Use your online account to send the form to Student Finance England, or send it by post. The address is on the form.

    ", + "

    After your course starts you can contact your university or college to change or repeat your course or change your Tuition Fee Loan.

    ", + "

    If you\u2019ve changed your name or marital status

    ", + "

    You must write and tell Student Finance England if you\u2019ve changed your name or marital status. The letter must include:

    ", + "
  • your customer reference number
  • ", + "
  • the date
  • ", + "
  • your signature
  • ", + "
  • evidence that you\u2019ve changed your name or marital status
  • ", + "

    If you\u2019ve changed your name you must include a copy of one of the following with your letter:

    ", + "
  • marriage certificate
  • ", + "
  • decree absolute
  • ", + "
  • change of name deed - it must be an enrolled deed poll
  • ", + "

    If you\u2019ve changed your marital status, you must include a copy of one of the following with your letter:

    ", + "
  • marriage certificate
  • ", + "
  • decree absolute
  • ", + "
  • civil partnership final order
  • ", + "

    Use your online account to send the letter and evidence to Student Finance England, or send it by post.

    ", + "

    If you cannot provide the right document, contact Student Finance England.

    ", + "

    Changes your parents, partner or sponsor must report

    ", + "

    If your household income changes

    ", + "

    Your parents or partner must:

    ", + "
  • correct any mistakes relating to their household income
  • ", + "
  • tell Student Finance England if they think their household income will be at least 15% lower than the tax year they submitted details for
  • ", + "

    If your parents or sponsor have another child

    ", + "

    Your parents or sponsor must tell Student Finance England if they have any more children.

    " + ] + }, + { + "title": "Studying abroad: travel grants for students (England)", + "url": "https://www.gov.uk/travel-grants-students-england", + "contents": [ + "

    Overview

    ", + "

    You may get a grant to cover some of your travel expenses if you normally live in England and:

    ", + "
  • you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement
  • ", + "
  • you\u2019re a medical or dental student studying abroad or attending a clinical placement in the UK
  • ", + "

    You do not have to pay back a travel grant. There are rules on eligibility and how much you\u2019ll get.

    ", + "

    There\u2019s a different process if you\u2019re a student from Scotland, Wales or Northern Ireland.

    ", + "

    What you'll get

    ", + "

    The amount you get depends on your total household income. This means your income, if you have one, combined with that of your parents or guardians, or spouse or partner if you live with them. Do not count income from other family members you live with.

    ", + "

    You must pay the \ufb01rst \u00a3303 of your travel costs - and your travel grant will be reduced by \u00a31 for each \u00a38.73 of household income over \u00a339,796.

    ", + "

    Keep your travel costs as low as possible without being impractical.

    ", + "

    If you\u2019re studying abroad

    ", + "

    You can apply for:

    ", + "
  • up to 3 return journeys between your home and the overseas institution during a full academic year abroad
  • ", + "
  • help with essential expenses, medical insurance and travel visas
  • ", + "

    You may be able to apply for your children\u2019s travel costs if you\u2019re a single parent.

    ", + "

    Medical or dental students doing a clinical placement in the UK

    ", + "

    You can apply for travel costs between your home and the hospital or facility where you\u2019re doing your placement.

    ", + "

    Eligibility

    ", + "

    Your permanent home address must be in England.

    ", + "

    If you\u2019re studying abroad

    ", + "

    You must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.

    ", + "

    You can also get a travel grant if you\u2019re on an Erasmus study or Erasmus work placement. Other work placements do not count.

    ", + "

    If you\u2019re doing a clinical placement in the UK

    ", + "

    The placement must be an essential part of your medical or dental course. You will not get a travel grant if you\u2019re eligible for means-tested bursaries or awards from the Department of Health.

    ", + "

    You can apply if you get student \ufb01nance that depends on your household income, for example a Maintenance Loan or Maintenance Grant.

    ", + "

    How to apply

    ", + "

    If you\u2019re studying abroad

    ", + "
  • Apply for student finance for your study abroad using your student finance account. You can register and set up an account if you do not already have one.
  • ", + "
  • You\u2019ll then receive a course abroad form.
  • ", + "
  • Once you\u2019ve filled in and returned the form, you\u2019ll automatically receive a travel grant form if you\u2019re eligible.
  • ", + "

    Keep all receipts for any expenses you want to apply for - you\u2019ll need to send copies when you apply.

    ", + "

    The money will be paid direct into your bank account.

    ", + "

    If you\u2019re doing a clinical placement in the UK

    ", + "

    After applying for student finance for clinical study you\u2019ll automatically receive a travel grant form if you\u2019re eligible.

    " + ] + }, + { + "title": "Support your child or partner's student finance application", + "url": "https://www.gov.uk/support-child-or-partners-student-finance-application", + "contents": [ + "

    Give details of your household income

    ", + "

    You might need to provide information about your income if your child or partner has applied for student finance in England.

    ", + "

    Your information will be used to work out if your child or partner can get extra money on top of the Tuition Fee Loan and the basic Maintenance Loan.

    ", + "

    There\u2019s a different process if your child or partner is applying in Scotland, Wales or Northern Ireland.

    ", + "
  • You\u2019ll get an email with a link to create an online account or login. You must use your own account - you cannot use the same account as your child or partner.
  • ", + "
  • Provide information about your income in the previous tax year.
  • ", + "
  • If your income this tax year will be at least 15% less you can give your income details for the current tax year instead.
  • ", + "
  • Send in evidence if you\u2019re asked for it.
  • ", + "

    What information you\u2019ll need

    ", + "

    You\u2019ll need to know the following about a previous tax year:

    ", + "
  • your household\u2019s taxable income
  • ", + "
  • details of your personal taxable income
  • ", + "

    The previous tax year will be:

    ", + "
  • 2019 to 2020 if your child or partner is applying for the 2021 to 2022 academic year
  • ", + "
  • 2018 to 2019 if your child or partner is applying for the 2020 to 2021 academic year
  • ", + "
  • 2017 to 2018 if your child or partner is applying for the 2019 to 2020 academic year
  • ", + "

    If you\u2019re supporting your child\u2019s application

    ", + "

    Your household income is the combined income of:

    ", + "
  • you
  • ", + "
  • your partner, if you live with them (even if you were not living with them during the previous tax year)
  • ", + "
  • income your child gets from their own savings, investments or property, for example dividends or rent
  • ", + "

    If you\u2019re supporting your partner\u2019s application

    ", + "

    Your household income is the combined income of you and your partner (even if you were not living with them during the previous tax year).

    ", + "

    How to provide information about your income

    ", + "

    Once your child or partner has applied, you\u2019ll get an email within 24 hours with a link so you can provide your information.

    ", + "

    You might need to create an account. You must use your own account - you cannot use the same account as your child or partner.

    ", + "

    Household income your current income is lower

    ", + "

    You can give your details for the current tax year if you think your household income will be at least 15% lower than the tax year you\u2019ve been asked to provide details for.

    ", + "

    What happens next

    ", + "

    HM Revenue and Customs (HMRC) will check that the information you\u2019ve provided matches their records. This will usually take up to 2 weeks.

    ", + "

    You might be asked to send evidence of your:

    ", + "
  • income - if the details you\u2019ve given do not match HMRC\u2019s records
  • ", + "
  • marital status - if you\u2019re separated or divorced
  • ", + "

    It can take up to 6 weeks to review your evidence.

    ", + "

    Student Finance England will write to your child or partner when all your information has been confirmed.

    ", + "

    If your information is still being processed when your child or partner starts their course, they\u2019ll still get the Tuition Fee Loan and the basic Maintenance Loan (if they\u2019re eligible).

    ", + "

    Supporting a continuing student

    ", + "

    Your child or partner needs to apply for student finance each year.

    ", + "

    When they apply, you\u2019ll get an email within 24 hours. The email will have a link to sign in to your account, where you must provide:

    ", + "
  • your marital status
  • ", + "
  • any changes to the information you provided the previous year
  • ", + "
  • your financial information for the previous tax year
  • ", + "

    If you provided income details for the current tax year

    ", + "

    You can use the same income details that you provided last year.

    ", + "

    If your income has dropped by at least 15% again, you can send in a new current tax year income assessment form.

    ", + "

    If your income has gone down

    ", + "

    You can apply for a current year income assessment if you think your household income this tax year will be at least 15% lower than the year you\u2019ve been asked to give details about.

    ", + "

    The current tax year is 6 April 2021 to 5 April 2022.

    ", + "

    Check you\u2019re eligible for a current year income assessment

    ", + "

    To apply, the student must be on a course where their student finance is based on your household income.

    ", + "

    Your total estimated household income for the full current tax year must be at least 15% lower than for a previous tax year.

    ", + "

    The previous tax year will be:

    ", + "
  • 2019 to 2020 if your child or partner is applying for the 2021 to 2022 academic year
  • ", + "
  • 2018 to 2019 if your child or partner is applying for the 2020 to 2021 academic year
  • ", + "
  • 2017 to 2018 if your child or partner is applying for the 2019 to 2020 academic year
  • ", + "

    You\u2019ll qualify for an assessment if your expected household income after the 15% decrease is between \u00a325,000 and \u00a358,220 a year.

    ", + "

    If your household income is more than \u00a358,220 a year but less than \u00a370,004 a year, you may still qualify depending on the student\u2019s circumstances. Check how you\u2019re assessed and paid.

    ", + "

    If your total household income is likely to be less than \u00a325,000 a year, you will not be able to get an assessment unless the student needs it to get:

    ", + "
  • a bursary or scholarship from a university or college
  • ", + "
  • extra student finance for children or dependent adults
  • ", + "

    How to apply

    ", + "

    To apply, you must have already created an online account and given information about a previous tax year.

    ", + "

    You then need to complete these 3 steps.

    ", + "
  • Fill in a current year income assessment form and send it to Student Finance England.
  • ", + "
  • Keep your income details up to date during the year.
  • ", + "
  • Confirm your actual income at the end of the tax year.
  • ", + "

    Fill in a current year income assessment form

    ", + "

    Fill in the form and send it to Student Finance England. You can do this through your online account, or print out the form and send it by post.

    ", + "

    If you\u2019re the parent of the student and your partner also lives in the household, you\u2019ll both need to complete the form, even if only one income has changed.

    ", + "

    This is because you\u2019re assessed on household income from the same tax year.

    ", + "

    When you\u2019re estimating your income, include:

    ", + "
  • working overtime or extra hours
  • ", + "
  • any maternity or paternity pay
  • ", + "
  • any casual work, shift work or contract work
  • ", + "
  • any pay rises, bonuses or redundancy pay
  • ", + "
  • income changes from changing jobs or returning to work
  • ", + "
  • income from self-employment
  • ", + "Academic year | Course type | Form", + "2021 to 2022 | Any | Current year income assessment form - 2021 to 2022", + "2020 to 2021 | Any | Current year income assessment form - 2020 to 2021", + "2019 to 2020 | Part-time | Current year income assessment form for part-time students - 2019 to 2020", + "

    Keep your income details up to date

    ", + "

    If your income changes during the year, send a new current tax year income assessment form to Student Finance England as soon as possible.

    ", + "

    You\u2019ll be reassessed and the amount of money your student is entitled to might go up or down. Student Finance England will contact the student directly to let them know.

    ", + "

    If you do not keep your income details up to date your student may be overpaid. They\u2019ll have to pay back any overpayment straight away.

    ", + "

    Confirm your income at the end of the tax year

    ", + "

    After the tax year finishes you must send evidence of what your actual income was for the year. You\u2019ll usually be sent a form to fill in at the start of May.

    ", + "

    If you\u2019re self-employed

    ", + "

    If you have not completed your tax return yet, fill in the form to ask to delay providing evidence until after the Self Assessment deadline (January the following year).

    ", + "

    You still need to return evidence for any other employment, for example if you had a salaried job earlier in the year.

    ", + "

    If your household income is different from what you estimated

    ", + "

    How much your student is entitled to will change. If your actual income was:

    ", + "
  • lower - your student might be entitled to more money
  • ", + "
  • higher - your student will have to repay any extra money they received
  • ", + "

    If you do not send in evidence your student will only be entitled to basic student finance. They\u2019ll have to repay any extra money they got based on your income straight away.

    ", + "

    If you need to update your details

    ", + "

    Fill in a PFF2 or PFF3 form if:

    ", + "
  • you made a mistake
  • ", + "
  • your circumstances change, such as your marital status or you have another child
  • ", + "Academic year | Course type | Form", + "2021 to 2022 | Any | PFF2: income details form for full-time students - 2021 to 2022", + "2020 to 2021 | Any | PFF2: income details form - 2020 to 2021", + "2019 to 2020 | Part-time | PFF3: income details form for part-time students - 2019 to 2020", + "

    Use your online account to send the form to Student Finance England, or send it by post.

    " + ] + }, + { + "title": "Check if your university or college can award a degree", + "url": "https://www.gov.uk/check-university-award-degree", + "contents": [ + "

    Overview

    ", + "

    If your degree is not officially recognised, it might not be accepted by employers, or universities if you\u2019re planning further study.

    ", + "

    Your degree will be officially recognised if it\u2019s either:

    ", + "
  • awarded by an institution on the list of recognised bodies
  • ", + "
  • on the list of recognised awards
  • ", + "

    If your institution or award is not listed

    ", + "

    Your degree can be awarded by a different institution from the place you\u2019re studying.

    ", + "

    Your degree will still be officially recognised if the institution that awards your degree is on the list of recognised bodies.

    ", + "

    If you\u2019re not sure who awards your degree, ask your university or college, or check their website or prospectus. You can double check this with the institution you\u2019re told awards your degree.

    ", + "

    If you have any questions

    ", + "

    If you\u2019re not sure who awards your degree after speaking to your university or college, who you contact depends on where you study in the UK.

    ", + "

    If you study in England

    ", + "

    Email the Office for Students - providerverification@officeforstudents.org.uk.

    ", + "

    If you study in Northern Ireland

    ", + "

    Contact the Northern Ireland Executive higher education division.

    ", + "

    If you study in Scotland

    ", + "

    Contact the Scottish Government central enquiry unit.

    ", + "

    If you study in Wales

    ", + "

    Email the Welsh Government - customerhelp@gov.wales.

    ", + "

    Recognised bodies

    ", + "

    Recognised bodies are higher learning institutions that can award degrees.

    ", + "

    A

    ", + "

    University of Aberdeen

    ", + "

    Abertay University (formerly University of Abertay Dundee)

    ", + "

    Aberystwyth University (Prifysgol Aberystwyth)

    ", + "

    Anglia Ruskin University

    ", + "

    Anglo-European College of Chiropractic

    ", + "

    Archbishop of Canterbury, The

    ", + "

    Arden University (formerly known as Resource Development International)

    ", + "

    Ashridge Business School

    ", + "

    Aston University

    ", + "

    B

    ", + "

    Bangor University (Prifysgol Bangor)

    ", + "

    University of Bath

    ", + "

    Bath Spa University

    ", + "

    University of Bedfordshire

    ", + "

    BIMM Institute

    ", + "

    Birkbeck, University of London

    ", + "

    University of Birmingham

    ", + "

    Birmingham City University

    ", + "

    University College Birmingham

    ", + "

    Bishop Grosseteste University

    ", + "

    University of Bolton

    ", + "

    Arts University Bournemouth

    ", + "

    Bournemouth University

    ", + "

    BPP University

    ", + "

    University of Bradford

    ", + "

    University of Brighton

    ", + "

    University of Bristol

    ", + "

    Brunel University London

    ", + "

    University of Buckingham

    ", + "

    Buckinghamshire New University

    ", + "

    C

    ", + "

    University of Cambridge

    ", + "

    Canterbury Christ Church University

    ", + "

    Cardiff Metropolitan University (Prifysgol Metropolitan Caerdydd)

    ", + "

    Cardiff University (Prifysgol Caerdydd)

    ", + "

    University of Chester

    ", + "

    University of Chichester

    ", + "

    City, University of London

    ", + "

    Courtauld Institute of Art, The (degrees awarded by University of London)

    ", + "

    Coventry University

    ", + "

    Cranfield University

    ", + "

    University for the Creative Arts

    ", + "

    University of Cumbria

    ", + "

    D

    ", + "

    De Montfort University

    ", + "

    University of Derby

    ", + "

    University of Dundee

    ", + "

    Durham University

    ", + "

    E

    ", + "

    University of East Anglia

    ", + "

    University of East London

    ", + "

    Edge Hill University

    ", + "

    University of Edinburgh, The

    ", + "

    Edinburgh Napier University

    ", + "

    University of Essex

    ", + "

    University of Exeter

    ", + "

    F

    ", + "

    Falmouth University

    ", + "

    G

    ", + "

    University of Glasgow

    ", + "

    Glasgow Caledonian University

    ", + "

    University of Gloucestershire

    ", + "

    Glynd\u0175r University (Prifysgol Glynd\u0175r)

    ", + "

    Goldsmiths, University of London

    ", + "

    University of Greenwich

    ", + "

    Guildhall School of Music and Drama

    ", + "

    H

    ", + "

    Harper Adams University

    ", + "

    Hartpury University

    ", + "

    Heriot-Watt University

    ", + "

    University of Hertfordshire

    ", + "

    Heythrop College (degrees awarded by University of London)

    ", + "

    University of the Highlands and Islands

    ", + "

    University of Huddersfield

    ", + "

    University of Hull

    ", + "

    I

    ", + "

    Imperial College of Science, Technology and Medicine (also known as Imperial College London)

    ", + "

    Institute of Cancer Research, The (degrees awarded by University of London)

    ", + "

    K

    ", + "

    Keele University

    ", + "

    University of Kent

    ", + "

    King\u2019s College London

    ", + "

    Kingston University

    ", + "

    L

    ", + "

    University of Central Lancashire

    ", + "

    Lancaster University

    ", + "

    University of Leeds

    ", + "

    Leeds Beckett University (formerly Leeds Metropolitan University)

    ", + "

    Leeds Arts University

    ", + "

    Leeds Trinity University

    ", + "

    University of Leicester

    ", + "

    University of Lincoln

    ", + "

    University of Liverpool

    ", + "

    Liverpool Hope University

    ", + "

    Liverpool John Moores University

    ", + "

    Liverpool School of Tropical Medicine

    ", + "

    University of London

    ", + "

    London Business School

    ", + "

    London Institute of Banking and Finance, The

    ", + "

    London Metropolitan University

    ", + "

    London School of Hygiene and Tropical Medicine

    ", + "

    London School of Economics and Political Science, The (LSE)

    ", + "

    London South Bank University

    ", + "

    University College London

    ", + "

    Loughborough University

    ", + "

    M

    ", + "

    University of Manchester

    ", + "

    Manchester Metropolitan University

    ", + "

    Middlesex University

    ", + "

    N

    ", + "

    NCG

    ", + "

    NCH at Northeastern

    ", + "

    Newcastle University

    ", + "

    Newman University, Birmingham

    ", + "

    Norland College

    ", + "

    University of Northampton, The

    ", + "

    Northumbria University Newcastle

    ", + "

    Norwich University of the Arts

    ", + "

    University of Nottingham

    ", + "

    Nottingham Trent University

    ", + "

    O

    ", + "

    Open University, The

    ", + "

    University of Oxford

    ", + "

    Oxford Brookes University

    ", + "

    P

    ", + "

    Plymouth College of Art

    ", + "

    Plymouth University

    ", + "

    University of Portsmouth

    ", + "

    Presbyterian Theological Faculty, Ireland (PTFI)

    ", + "

    Q

    ", + "

    Queen Margaret University, Edinburgh

    ", + "

    Queen Mary, University of London

    ", + "

    Queen\u2019s University Belfast

    ", + "

    R

    ", + "

    Ravensbourne

    ", + "

    University of Reading

    ", + "

    Regent\u2019s University London

    ", + "

    Richmond, The American International University in London

    ", + "

    Robert Gordon University, Aberdeen

    ", + "

    University of Roehampton

    ", + "

    Rose Bruford College of Theatre and Performance

    ", + "

    Royal Academy of Music

    ", + "

    Royal Agricultural University

    ", + "

    Royal Central School of Speech and Drama (University of London)

    ", + "

    Royal College of Art

    ", + "

    Royal College of Music

    ", + "

    Royal College of Nursing

    ", + "

    Royal Conservatoire of Scotland

    ", + "

    Royal Holloway, University of London

    ", + "

    Royal Northern College of Music

    ", + "

    Royal Veterinary College, The

    ", + "

    S

    ", + "

    University of Salford

    ", + "

    School of Oriental and African Studies (SOAS), University of London

    ", + "

    University of Sheffield

    ", + "

    Sheffield Hallam University

    ", + "

    University of South Wales (Prifysgol De Cymru)

    ", + "

    University of Southampton

    ", + "

    Solent University

    ", + "

    University of St Andrews

    ", + "

    St George\u2019s, University of London

    ", + "

    University of St Mark and St John, Plymouth

    ", + "

    St Mary\u2019s University, Twickenham

    ", + "

    Staffordshire University

    ", + "

    University of Stirling

    ", + "

    University of Strathclyde

    ", + "

    University of Suffolk

    ", + "

    University of Sunderland

    ", + "

    University of Surrey

    ", + "

    University of Sussex

    ", + "

    Swansea University (Prifysgol Abertawe)

    ", + "

    T

    ", + "

    Teesside University

    ", + "

    Trinity Laban Conservatoire of Music and Dance

    ", + "

    U

    ", + "

    University of the Arts, London

    ", + "

    University College of Estate Management

    ", + "

    University College of Osteopathy

    ", + "

    University of Law, The

    ", + "

    Ulster University

    ", + "

    W

    ", + "

    University of Wales (Prifysgol Cymru)

    ", + "

    University of Wales Trinity Saint David (Prifysgol Cymru Y Drindod Dewi Sant

    ", + "

    University of Warwick

    ", + "

    University of the West of England, Bristol

    ", + "

    University of West London

    ", + "

    University of the West of Scotland

    ", + "

    University of Westminster

    ", + "

    University of Winchester, The

    ", + "

    University of Wolverhampton

    ", + "

    University of Worcester

    ", + "

    Writtle University College

    ", + "

    Y

    ", + "

    University of York

    ", + "

    York St John University

    ", + "

    Foundation degrees

    ", + "

    Recognised bodies that can only award foundation degrees:

    ", + "

    Blackpool and the Fylde College

    ", + "

    Cornwall College Group

    ", + "

    Grimsby Institute of Higher Education

    ", + "

    Hull College

    ", + "

    Leeds City College

    ", + "

    New College Durham

    ", + "

    Newcastle College

    ", + "

    Warwickshire College

    ", + "

    Recognised awards

    ", + "

    Certain bodies or institutions can award their own unique degrees. These are known as \u2018recognised awards\u2019.

    ", + "Recognised award | Institution or body", + "Mastership in Clinical Biochemistry | Awarded jointly by: Royal College of Physicians Royal Society of Chemistry Royal College of Pathologists Association for Clinical Biochemistry and Laboratory Medicine", + "Degree of Barrister-at-Law | Benchers of the Honourable Society of the Inn of Court of Northern Ireland", + "Degree of the Utter Bar | Inns of Court", + "Master of Horticulture | Royal Horticultural Society", + "Mastership in Chemical Analysis | Royal Society of Chemistry", + "Mastership in Food Control | Awarded jointly by:Royal Society of Chemistry Society of Biology Institute of Food Science and Technology" + ] + }, + { + "title": "Telling an employer, university or college about your criminal record", + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "contents": [ + "

    When you need to tell an employer, university or college

    ", + "

    When you apply for a role or placement, you might need to tell your potential employer, university or college about a:

    ", + "
  • conviction you got at court
  • ", + "
  • caution you got from the police
  • ", + "

    You only need tell the employer, university or college about a conviction or caution:

    ", + "
  • if they ask you to, for example in an interview or on an application form
  • ", + "
  • for a specific amount of time after you got it, or always for certain roles
  • ", + "

    There are different rules in Scotland and Northern Ireland.

    ", + "

    What information you need to give

    ", + "

    The information you need to give a potential employer, university or college about a conviction or caution depends on:

    ", + "
  • if the conviction or caution is on your basic criminal record
  • ", + "
  • the role you\u2019re applying for
  • ", + "

    What\u2019s on your basic criminal record and what\u2019s not

    ", + "

    After you get a conviction or caution, it\u2019s usually \u2018unspent\u2019 for a specific amount of time. The amount of time depends on the type of punishment or sentence you got.

    ", + "

    An unspent conviction or caution means:

    ", + "
  • it\u2019s on your basic criminal record
  • ", + "
  • it will show up on any DBS check (criminal record check)
  • ", + "

    Most convictions or cautions then become \u2018spent\u2019 after a specific amount of time. This might be after a few months or years, or straight away.

    ", + "

    A spent conviction or caution means:

    ", + "
  • it\u2019s not on your basic criminal record anymore
  • ", + "
  • it will only show up on a more detailed DBS check known as \u2018standard\u2019 or \u2018enhanced\u2019, unless it\u2019s removed (\u2018filtered\u2019) from the DBS certificate
  • ", + "

    You can check when a conviction or caution you got will become spent.

    ", + "

    You can also read about different convictions or cautions, for example a court fine or a prison sentence.

    ", + "

    If you have an unspent conviction or caution

    ", + "

    You only need to tell a potential employer, university or college about an unspent conviction or caution if they ask you to.

    ", + "

    If they ask you and you do not tell them about it, they might find out by using a DBS check. They could then reject your application or withdraw a job offer, or you might be charged with a crime.

    ", + "

    If you have a spent conviction or caution

    ", + "

    You only need to tell a potential employer, university or college about a spent conviction or caution if all of the following apply:

    ", + "
  • they ask you to
  • ", + "
  • they tell you that the role needs a standard or enhanced DBS check
  • ", + "
  • it\u2019s not removed (\u2018filtered\u2019) from DBS certificates
  • ", + "

    You can check if the employer, university or college is allowed to request the standard or enhanced DBS check. They can only do this for certain roles, for example if you\u2019re working with children or in healthcare.

    ", + "

    It\u2019s against the law for an employer, university or college to refuse you a role because you\u2019ve got a spent conviction or caution, unless it makes you unsuitable for the role. For example, a driving conviction might make you unsuitable for a job as a driving instructor.

    ", + "

    Check if you need to tell someone about your conviction or caution

    ", + "

    Use this tool to check whether:

    ", + "
  • a conviction or caution you got in England or Wales is \u2018spent\u2019 (not on your basic criminal record)
  • ", + "
  • you need to tell a potential employer, university or college about it
  • ", + "

    You can also read more about what a spent conviction or caution is.

    ", + "

    Check your conviction or caution

    ", + "

    Check now

    ", + "

    Before you check

    ", + "

    For each conviction or caution you\u2019ve had, you\u2019ll need:

    ", + "
  • the type of conviction or caution you got
  • ", + "
  • the date you got it
  • ", + "
  • the date any conditions ended, or how long your sentence was
  • ", + "

    If you give approximate dates, the result you get will be approximate.

    ", + "

    You will not need to give personal details such as your name. The information you give will not be saved and cannot identify you.

    ", + "

    Cautions

    ", + "

    A caution is an official warning from the police.

    ", + "

    It could be a:

    ", + "
  • simple caution if you\u2019re 18 or over
  • ", + "
  • youth caution if you\u2019re under 18
  • ", + "
  • conditional caution
  • ", + "

    Whether a caution is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When simple and youth cautions become spent

    ", + "

    They become spent straight away.

    ", + "

    When a conditional caution becomes spent

    ", + "

    It becomes spent either:

    ", + "
  • on the date the conditions end
  • ", + "
  • 3 months after you got it, if the conditions have no end date
  • ", + "

    Fines and compensation

    ", + "

    A court might order you to pay:

    ", + "
  • a fine
  • ", + "
  • compensation to someone (\u2018compensation order\u2019)
  • ", + "

    Whether a fine or compensation order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When a fine becomes spent

    ", + "

    A fine becomes spent:

    ", + "
  • one year after you got it, if you were 18 or over
  • ", + "
  • 6 months after you got it, if you were under 18
  • ", + "

    There are different rules if a court gives you a fine for a driving offence.

    ", + "

    When a compensation order becomes spent

    ", + "

    A compensation order becomes spent after you\u2019ve paid someone in full and sent proof of payment to DBS.

    ", + "

    Driving convictions

    ", + "

    A court might give you a conviction for a driving offence, for example speeding or drink driving.

    ", + "

    The conviction could be:

    ", + "
  • a fine
  • ", + "
  • a driving ban (\u2018disqualification\u2019)
  • ", + "
  • community service or a prison sentence
  • ", + "

    Fixed penalty notices (FPN) and penalty charge notices (PCN) are fines for minor driving offences. They will not appear on your criminal record unless a court gives you a conviction because of one.

    ", + "

    Whether a driving conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    \u2018Endorsements\u2019 (penalty points)

    ", + "

    A court will give a driving ban or fine with penalty points that appear on your driving record. This is known as an \u2018endorsement\u2019.

    ", + "

    An endorsement can stay on your driving record for longer than your criminal record.

    ", + "

    This means a potential employer, university or college might find out about a driving ban or fine after it\u2019s spent, if they request to check your driving record.

    ", + "

    When a fine with an endorsement becomes spent

    ", + "

    The fine becomes spent either:

    ", + "
  • 5 years after you got it, if you were 18 or over
  • ", + "
  • 2 years and 6 months after you got it, if you were under 18
  • ", + "

    When a driving ban with an endorsement becomes spent

    ", + "

    When a driving ban becomes spent depends on how:

    ", + "
  • long the ban lasts
  • ", + "
  • old you were when you got it
  • ", + "

    If you were 18 or over

    ", + "

    If the ban lasts less than 5 years, it becomes spent 5 years after you got it.

    ", + "

    If the ban lasts more than 5 years, it becomes spent on the date it ends.

    ", + "

    If you were under 18

    ", + "

    If the ban lasts less than 2 years and 6 months, it becomes spent 2 years and 6 months after you got it.

    ", + "

    If the ban lasts more than 2 years and 6 months, it becomes spent on the date it ends.

    ", + "

    Prison sentences

    ", + "

    A court might:

    ", + "
  • give you a prison sentence if you\u2019re 18 or over
  • ", + "
  • give you a detention order (\u2018detention and training order\u2019) if you\u2019re under 18
  • ", + "
  • order you to stay in hospital instead of prison (\u2018hospital order\u2019) if there are concerns about your mental health
  • ", + "

    A court can decide to delay a prison sentence for up to 2 years as long as you meet certain conditions. This is known as \u2018suspended\u2019.

    ", + "

    Whether a sentence is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When a prison sentence becomes spent

    ", + "

    The length of the prison sentence affects when it becomes spent.

    ", + "Length of your sentence | When it becomes spent", + "Less than 6 months | 2 years after the sentence ends", + "6 months to 2 years and 6 months | 4 years after the sentence ends", + "2 years and 6 months to 4 years | 7 years after the sentence ends", + "Longer than 4 years | It never becomes spent", + "

    If your prison sentence was \u2018suspended\u2019 or you were released early

    ", + "

    The full length of the prison sentence affects when it becomes spent - not the amount of the time it was suspended for or how long you were in prison.

    ", + "

    When a detention order becomes spent

    ", + "

    The length of the sentence affects when it becomes spent.

    ", + "Length of your sentence | When it becomes spent", + "Less than 6 months | 1 year and 6 months after the sentence ends", + "6 months to 2 years and 6 months | 2 years after the sentence ends", + "2 years and 6 months to 4 years | 3 years and 6 months after the sentence ends", + "Longer than 4 years | It never becomes spent", + "

    When a hospital order becomes spent

    ", + "

    A hospital order becomes spent either:

    ", + "
  • on the date it ends
  • ", + "
  • 2 years after you got it, if there\u2019s no end date.
  • ", + "

    Community service

    ", + "

    A court might give you:

    ", + "
  • community service (\u2018community order\u2019) if you\u2019re 18 or over
  • ", + "
  • a youth order (\u2018youth rehabilitation order\u2019) or a referral order if you\u2019re under 18
  • ", + "

    For example unpaid work, a curfew or alcohol treatment.

    ", + "

    Whether a community, youth or referral order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When community service becomes spent

    ", + "

    Community service becomes spent either:

    ", + "
  • one year after its end date
  • ", + "
  • 2 years after you got it, if there\u2019s no end date
  • ", + "

    When a youth order becomes spent

    ", + "

    A youth order becomes spent either:

    ", + "
  • 6 months after its end date
  • ", + "
  • 2 years after you got it, if there\u2019s no end date
  • ", + "

    When a referral order becomes spent

    ", + "

    A referral order becomes spent on its end date.

    ", + "

    Discharges

    ", + "

    A discharge is a type of conviction where a court finds you guilty but does not give you a sentence because the offence is very minor.

    ", + "

    The conviction could be:

    ", + "
  • an absolute discharge
  • ", + "
  • a conditional discharge, where you could still get a sentence if you break the conditions
  • ", + "
  • a \u2018bind over\u2019, where you could get a fine if you break the conditions
  • ", + "

    Whether a discharge or bind over is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When an absolute discharge becomes spent

    ", + "

    It becomes spent straight away.

    ", + "

    When conditional discharges and bind overs become spent

    ", + "

    They become spent either:

    ", + "
  • on the date they end
  • ", + "
  • 2 years after you got one, if there\u2019s no end date
  • ", + "

    Military convictions

    ", + "

    A court might give you a military conviction if they find you guilty of a crime while you served in the British armed forces.

    ", + "

    The conviction might be:

    ", + "
  • a dismissal
  • ", + "
  • a service detention
  • ", + "
  • an overseas community order
  • ", + "
  • a service community order
  • ", + "

    Whether a military conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When military convictions become spent

    ", + "

    How long it takes for a conviction to become spent depends on how old you were when you were convicted. If you were:

    ", + "
  • 18 or over it takes 12 months
  • ", + "
  • under 18 it takes 6 months
  • ", + "

    The length of time is calculated from:

    ", + "
  • the date of your conviction for dismissals
  • ", + "
  • the day on which the sentence is complete for service detentions
  • ", + "
  • the end date for overseas and community service orders - if the order has no end date, it becomes spent after 2 years
  • ", + "

    If you were given both a dismissal and a service detention then the longer of the two spent dates applies.

    " + ] + }, + { + "title": "Contract types and employer responsibilities", + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "contents": [ + "

    Overview

    ", + "

    As an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.

    ", + "

    Contract types include:

    ", + "
  • full-time and part-time contracts
  • ", + "
  • fixed-term contracts
  • ", + "
  • agency staff
  • ", + "
  • freelancers, consultants, contractors
  • ", + "
  • zero-hours contracts
  • ", + "

    There are also special rules for employing family members, young people and volunteers.

    ", + "

    Full-time and part-time contracts

    ", + "

    As an employer you must give employees:

    ", + "
  • a written statement of employment or contract
  • ", + "
  • the statutory minimum level of paid holiday
  • ", + "
  • a payslip showing all deductions, such as National Insurance contributions (NICs)
  • ", + "
  • the statutory minimum length of rest breaks
  • ", + "
  • Statutory Sick Pay (SSP)
  • ", + "
  • maternity, paternity and adoption pay and leave
  • ", + "

    You must also:

    ", + "
  • make sure employees do not work longer than the maximum allowed
  • ", + "
  • pay employees at least the minimum wage
  • ", + "
  • have employer\u2019s liability insurance
  • ", + "
  • provide a safe and secure working environment
  • ", + "
  • register with HM Revenue and Customs to deal with payroll, tax and NICs
  • ", + "
  • consider flexible working requests
  • ", + "
  • avoid discrimination in the workplace
  • ", + "
  • make reasonable adjustments to your business premises if your employee is disabled
  • ", + "

    Fixed-term contracts

    ", + "

    Fixed-term contracts:

    ", + "
  • last for a certain length of time
  • ", + "
  • are set in advance
  • ", + "
  • end when a specific task is completed
  • ", + "
  • end when a specific event takes place
  • ", + "

    Fixed-term employees must receive the same treatment as full-time permanent staff.

    ", + "

    Find out more about fixed-term employees\u2019 rights, and what to do about renewing or ending a fixed-term contract.

    ", + "

    Agency staff

    ", + "

    As an employer, you can hire temporary staff through agencies. This means:

    ", + "
  • you pay the agency, including the employee\u2019s National Insurance contributions (NICs) and Statutory Sick Pay (SSP)
  • ", + "
  • it\u2019s the agency\u2019s responsibility to make sure workers get their rights under working time regulations
  • ", + "
  • after 12 weeks\u2019 continuous employment in the same role, agency workers get the same terms and conditions as permanent employees, including pay, working time, rest periods, night work, breaks and annual leave
  • ", + "
  • you must provide the agency with information about the relevant terms and conditions in your business so that they can ensure the worker gets equal treatment after 12 weeks in the same job
  • ", + "
  • you must allow agency workers to use any shared facilities (for example a staff canteen or childcare) and give them information about job vacancies from the first day they work there
  • ", + "
  • you are still responsible for their health and safety
  • ", + "

    Freelancers, consultants and contractors

    ", + "

    If you hire a freelancer, consultant or contractor it means that:

    ", + "
  • they are self-employed or are part of other companies
  • ", + "
  • they often look after their own tax and National Insurance contributions (NICs)
  • ", + "
  • they might not be entitled to the same rights as workers, such as minimum wage
  • ", + "
  • you\u2019re still responsible for their health and safety
  • ", + "

    Zero-hours contracts

    ", + "

    Zero-hours contracts are also known as casual contracts. Zero-hours contracts are usually for \u2018piece work\u2019 or \u2018on call\u2019 work, for example for interpreters.

    ", + "

    This means:

    ", + "
  • they are on call to work when you need them
  • ", + "
  • you do not have to give them work
  • ", + "
  • they do not have to do work when asked
  • ", + "

    Zero-hours workers are entitled to statutory annual leave and the National Minimum Wage in the same way as regular workers.

    ", + "

    You cannot do anything to stop a zero-hours worker from getting work elsewhere. The law says they can ignore a clause in their contract if it bans them from:

    ", + "
  • looking for work
  • ", + "
  • accepting work from another employer
  • ", + "

    You are still responsible for health and safety of staff on zero-hours contracts.

    ", + "

    Employing family, young people and volunteers

    ", + "

    Family

    ", + "

    If you hire family members you must:

    ", + "
  • avoid special treatment in terms of pay, promotion and working conditions
  • ", + "
  • make sure tax and National Insurance contributions are still paid
  • ", + "
  • follow working time regulations for younger family members
  • ", + "
  • have employer\u2019s liability insurance that covers any young family members
  • ", + "
  • check if you need to provide them with a workplace pension scheme
  • ", + "

    Volunteers and voluntary staff

    ", + "

    When taking on volunteers or voluntary staff you:

    ", + "
  • are responsible for their health and safety
  • ", + "
  • must give inductions and training in the tasks they\u2019re going to do
  • ", + "

    Young people

    ", + "

    You can employ young people if they are 13 or over but there are special rules about how long they can work and what jobs they can do. Once someone is 18 they\u2019re classed as an \u2018adult worker\u2019 and different rules apply.

    ", + "

    As well as following these rules you must do a risk assessment before taking on young workers.

    ", + "

    Young people may also have certain employment rights like:

    ", + "
  • statutory maternity pay and ordinary statutory paternity pay if they qualify as a result of their continuous employment
  • ", + "
  • paid time off for study and training
  • ", + "
  • redundancy pay
  • ", + "

    Young workers and apprentices have different rates from adult workers for the National Minimum Wage.

    " + ] + }, + { + "title": "Employers: preventing discrimination", + "url": "https://www.gov.uk/employer-preventing-discrimination", + "contents": [ + "

    Overview

    ", + "

    It is against the law to treat someone less favourably than someone else because of a personal characteristic such as religion, sex, gender reassignment or age.

    ", + "

    Discrimination can include:

    ", + "
  • not hiring someone
  • ", + "
  • selecting a particular person for redundancy
  • ", + "
  • paying someone less than another worker without good reason
  • ", + "

    You can discriminate against someone even if you do not intend to. For example, you can discriminate indirectly by offering working conditions or rules that disadvantage one group of people more than another.

    ", + "

    Discrimination during recruitment

    ", + "

    Discrimination in job adverts

    ", + "

    You must not state or imply in a job advert that you\u2019ll discriminate against anyone. This includes saying that you are not able to cater for workers with a disability.

    ", + "

    Only use phrases like \u2018recent graduate\u2019 or \u2018highly experienced\u2019 when these are actual requirements of the job. Otherwise you could discriminate against younger or older people who might not have had the opportunity to get qualifications.

    ", + "

    Where you advertise might cause indirect discrimination - for example, advertising only in men\u2019s magazines.

    ", + "

    Get help advertising a job without discriminating

    ", + "

    Questions you cannot ask when recruiting

    ", + "

    You must not ask candidates about \u2018protected characteristics\u2019 or whether they:

    ", + "
  • are married, single or in a civil partnership
  • ", + "
  • have children or plan to have children
  • ", + "

    Asking about health or disability

    ", + "

    You can only ask about health or disability if:

    ", + "
  • there are necessary requirements of the job that cannot be met with reasonable adjustments
  • ", + "
  • you\u2019re finding out if someone needs help to take part in a selection test or interview
  • ", + "
  • you\u2019re using \u2018positive action\u2019 to recruit a disabled person
  • ", + "

    You might be breaking the law if any discrimination happens during their recruitment process, even if you use a recruitment agency.

    ", + "

    Asking for a date of birth

    ", + "

    You can only ask for someone\u2019s date of birth on an application form if they must be a certain age to do the job, for example selling alcohol.

    ", + "

    You can ask someone their date of birth on a separate equality monitoring form. You should not let the person selecting or interviewing candidates see this form.

    ", + "

    Spent criminal convictions

    ", + "

    Applicants do not have to tell you about criminal convictions that are spent. You must treat the applicant as if the conviction has not happened, and cannot refuse to employ the person because of their conviction.

    ", + "

    There are some areas of employment that are exempt from this rule, for example schools.

    ", + "

    Trade union membership

    ", + "

    You must not use membership of a trade union as a factor in deciding whether to employ someone. This includes:

    ", + "
  • not employing someone because they\u2019re a member of a trade union
  • ", + "
  • insisting someone joins a trade union before you\u2019ll employ them
  • ", + "

    Employing people with protected characteristics

    ", + "

    You can choose a candidate who has a protected characteristic over one who does not if they\u2019re both suitable for the job and you think that people with that characteristic:

    ", + "
  • are underrepresented in the workforce, profession or industry
  • ", + "
  • suffer a disadvantage connected to that characteristic (for example people from a certain ethnic group are not often given jobs in your sector)
  • ", + "

    You can only do this if you\u2019re trying to address the under-representation or disadvantage for that particular characteristic. You must make decisions on a case by case basis and not because of a certain policy.

    ", + "

    You cannot choose a candidate who is not as suitable for the job just because they have a protected characteristic.

    ", + "

    Favouring disabled candidates

    ", + "

    When a disabled person and a non-disabled person both meet the job requirements, you can treat the disabled person more favourably.

    ", + "

    Discrimination during employment

    ", + "

    You must not discriminate against your employees. This could be done by, for example:

    ", + "
  • introducing measures that discriminate between workers, for example a benefit for married \nemployees that\u2019s not available for people in a civil partnership
  • ", + "
  • paying men and women different amounts (this includes benefits, for example company cars) when they\u2019re doing work of equal value
  • ", + "
  • selecting someone for redundancy because they have a protected characteristic
  • ", + "
  • failing to make reasonable adjustments for a disabled worker
  • ", + "
  • firing someone for making an allegation of discrimination
  • ", + "
  • firing someone because they\u2019re a union member
  • ", + "
  • unfairly rejecting a request for flexible working from a new parent
  • ", + "

    This includes self-employed people on a contract for you.

    ", + "

    Training and promotion cannot just happen because of an employee\u2019s age or the time they\u2019ve worked for you.

    ", + "

    You\u2019re allowed to ask employees about their future career plans, including retirement. But you cannot just choose older workers for discussions about retirement. Such talks should be part of general discussions about each worker\u2019s career development.

    ", + "

    Employment tribunals

    ", + "

    An employee who thinks they\u2019ve been discriminated against may raise a grievance or take their case to an employment tribunal.

    ", + "

    You\u2019re responsible for discrimination carried out by your employees unless you can show you\u2019ve done everything you reasonably could to prevent or stop it.

    ", + "

    Employing family members

    ", + "

    If you hire members of your family you must:

    ", + "
  • avoid special treatment in terms of pay, promotion and working conditions
  • ", + "
  • make sure tax and National Insurance contributions are done correctly
  • ", + "

    Gender reassignment

    ", + "

    The moment a worker tells their employer that they\u2019re having gender reassignment, they\u2019re protected from discrimination. Discrimination includes:

    ", + "
  • disadvantaging the worker because of the time they have to take off because of medical treatment
  • ", + "
  • not enabling the worker to use facilities appropriate to their gender
  • ", + "

    To avoid discrimination, you must:

    ", + "
  • change your records (for example human resources records) when the worker has a Gender Reassignment Certificate and a new birth certificate
  • ", + "
  • ensure complete confidentiality of all information the worker gives you about their gender history
  • " + ] + }, + { + "title": "Employment contracts", + "url": "https://www.gov.uk/employment-contracts-and-conditions", + "contents": [ + "

    Overview

    ", + "

    All employees have an employment contract with their employer. A contract is an agreement that sets out an employee\u2019s:

    ", + "
  • employment conditions
  • ", + "
  • rights
  • ", + "
  • responsibilities
  • ", + "
  • duties
  • ", + "

    These are called the \u2018terms\u2019 of the contract.

    ", + "

    Employees and employers must stick to a contract until it ends (for example, by an employer or employee giving notice or an employee being dismissed) or until the terms are changed (usually by agreement between the employee and employer).

    ", + "

    If a person has an agreement to do some work for someone (like paint their house), this isn\u2019t an employment contract but a \u2018contract to provide services\u2019.

    ", + "

    Accepting a contract

    ", + "

    As soon as someone accepts a job offer they have a contract with their employer. An employment contract does not have to be written down.

    ", + "

    Contract terms

    ", + "

    The legal parts of a contract are known as \u2018terms\u2019. An employer should make clear which parts of a contract are legally binding.

    ", + "

    Contract terms could be:

    ", + "
  • in a written contract, or similar document like a written statement of employment
  • ", + "
  • verbally agreed
  • ", + "
  • in an employee handbook or on a company notice board
  • ", + "
  • in an offer letter from the employer
  • ", + "
  • required by law (for example, an employer must pay employees at least the National Minimum Wage)
  • ", + "
  • in collective agreements - negotiated agreements between employers and trade unions or staff associations
  • ", + "
  • implied terms - automatically part of a contract even if they\u2019re not written down
  • ", + "

    Implied terms

    ", + "

    If there\u2019s nothing clearly agreed between you and your employer about a particular issue, it may be covered by an implied term - for example:

    ", + "
  • employees not stealing from their employer
  • ", + "
  • your employer providing a safe and secure working environment
  • ", + "
  • a legal requirement like the right to a minimum of 5.6 weeks\u2019 paid holidays
  • ", + "
  • something necessary to do the job like a driver having a valid licence
  • ", + "
  • something that\u2019s been done regularly in a company over a long time like paying a Christmas bonus
  • ", + "

    Collective agreements

    ", + "

    An employer may have an agreement with employees\u2019 representatives (from trade unions or staff associations) that allows negotiations of terms and conditions like pay or working hours. This is called a collective agreement.

    ", + "

    The terms of the agreement could include:

    ", + "
  • how negotiations will be organised
  • ", + "
  • who will represent employees
  • ", + "
  • which employees are covered by the agreement
  • ", + "
  • which terms and conditions the agreement will cover
  • ", + "

    Written statement of employment particulars

    ", + "

    An employer must give employees and workers a document stating the main conditions of employment when they start work. This is known as a \u2018written statement of employment particulars\u2019. It is not an employment contract.

    ", + "

    The written statement is made up of:

    ", + "
  • the main document (known as a \u2018principal statement\u2019)
  • ", + "
  • a wider written statement
  • ", + "

    The employer must provide the principal statement on the first day of employment and the wider written statement within 2 months of the start of employment.

    ", + "

    Employers must tell employees or workers about any changes to the written statement. They must do this within one month of making the change.

    ", + "

    There are special rules for agencies on documents that they need to provide to agency workers.

    ", + "

    The principal statement

    ", + "

    The principal statement must include at least:

    ", + "
  • the employer\u2019s name
  • ", + "
  • the employee\u2019s or worker\u2019s name, job title or a description of work and start date
  • ", + "
  • how much and how often an employee or worker will get paid
  • ", + "
  • hours and days of work and if and how they may vary (also if employees or workers will have to work Sundays, nights or overtime)
  • ", + "
  • holiday entitlement (and if that includes public holidays)
  • ", + "
  • where an employee or worker will be working and whether they might have to relocate
  • ", + "
  • if an employee or worker works in different places, where these will be and what the employer\u2019s address is
  • ", + "
  • how long a job is expected to last (and what the end date is if it\u2019s a fixed-term contract)
  • ", + "
  • how long any probation period is and what its conditions are
  • ", + "
  • any other benefits (for example, childcare vouchers and lunch)
  • ", + "
  • obligatory training, whether or not this is paid for by the employer
  • ", + "

    For employees, it must also include the date that a previous job started if it counts towards a period of continuous employment.

    ", + "

    Working abroad

    ", + "

    If an employee or worker has to work outside the UK for more than a month, the principal statement must also include:

    ", + "
  • how long they\u2019ll be abroad
  • ", + "
  • what currency they\u2019ll be paid in
  • ", + "
  • what additional pay or benefits they\u2019ll get
  • ", + "
  • terms relating to their return to the UK
  • ", + "

    Other information the employer must give on day one

    ", + "

    On the first day of employment the employer must also provide the employee or worker with information about:

    ", + "
  • sick pay and procedures
  • ", + "
  • other paid leave (for example, maternity leave and paternity leave)
  • ", + "
  • notice periods
  • ", + "

    The employer can choose whether to include this information in the principal statement or provide it in a separate document. If they provide it in a separate document, this must be something that the employee or worker has reasonable access to, such as on the employer\u2019s intranet.

    ", + "

    The wider written statement

    ", + "

    Employers must give employees and workers a wider written statement within 2 months of the start of employment. This must include information about:

    ", + "
  • pensions and pension schemes
  • ", + "
  • collective agreements
  • ", + "
  • any other right to non-compulsory training provided by the employer
  • ", + "
  • disciplinary and grievance procedures
  • ", + "

    Problems with a written statement

    ", + "

    If an employee or worker has a problem receiving their written statement, they can:

    ", + "
  • Try to solve the problem with their employer informally.
  • ", + "
  • If this does not work, take out a grievance against their employer (employers can also get advice about handling grievances).
  • ", + "
  • Take a case to an employment tribunal as a last resort.
  • ", + "

    The tribunal will decide what the employment particulars in the statement should have been.

    ", + "

    Compensation

    ", + "

    If an employee or worker wins a case about another issue (for example, unauthorised deductions from their wage slip), the tribunal may award compensation if there\u2019s been a problem with their written statement as well.

    ", + "

    Compensation can be up to 4 weeks\u2019 pay although there\u2019s a limit on how much a tribunal will award for a week\u2019s pay.

    " + ] + }, + { + "title": "Employment status", + "url": "https://www.gov.uk/employment-status", + "contents": [ + "

    Overview

    ", + "

    In employment law a person\u2019s employment status helps determine:

    ", + "
  • their rights
  • ", + "
  • their employer\u2019s responsibilities
  • ", + "

    A person may have a different employment status in tax law.

    ", + "

    The main types of employment status are:

    ", + "
  • worker
  • ", + "
  • employee
  • ", + "
  • self-employed and contractor
  • ", + "
  • director
  • ", + "
  • office holder
  • ", + "

    Contact Acas (or the Labour Relations Agency in Northern Ireland) for advice about employment status, employee rights or employer responsibilities.

    ", + "

    Courts and tribunals can make final decisions on employment status.

    ", + "

    Worker

    ", + "

    A person is generally classed as a \u2018worker\u2019 if:

    ", + "
  • they have a contract or other arrangement to do work or services personally for a reward (your contract doesn\u2019t have to be written)
  • ", + "
  • their reward is for money or a benefit in kind, for example the promise of a contract or future work
  • ", + "
  • they only have a limited right to send someone else to do the work (subcontract)
  • ", + "
  • they have to turn up for work even if they don\u2019t want to
  • ", + "
  • their employer has to have work for them to do as long as the contract or arrangement lasts
  • ", + "
  • they aren\u2019t doing the work as part of their own limited company in an arrangement where the \u2018employer\u2019 is actually a customer or client
  • ", + "

    Employment rights

    ", + "

    Workers are entitled to certain employment rights, including:

    ", + "
  • getting the National Minimum Wage
  • ", + "
  • protection against unlawful deductions from wages
  • ", + "
  • the\u00a0statutory minimum level of paid holiday
  • ", + "
  • the statutory minimum length of rest breaks
  • ", + "
  • to not work more than 48 hours on average per week or to opt out of this right if they choose
  • ", + "
  • protection against unlawful discrimination
  • ", + "
  • protection for \u2018whistleblowing\u2019 - reporting wrongdoing in the workplace
  • ", + "
  • to not be treated less favourably if they work part-time
  • ", + "

    They may also be entitled to:

    ", + "
  • Statutory Sick Pay
  • ", + "
  • Statutory Maternity Pay
  • ", + "
  • Statutory Paternity Pay
  • ", + "
  • Statutory Adoption Pay
  • ", + "
  • Shared Parental Pay
  • ", + "

    Agency workers have specific rights from the first day at work.

    ", + "

    Workers usually aren\u2019t entitled to:

    ", + "
  • minimum notice periods if their employment will be ending, for example if an employer is dismissing them
  • ", + "
  • protection against unfair dismissal
  • ", + "
  • the right to request flexible working
  • ", + "
  • time off for emergencies
  • ", + "
  • Statutory Redundancy Pay
  • ", + "

    Casual or irregular work

    ", + "

    Someone is likely to be a worker if most of these apply:

    ", + "
  • they occasionally do work for a specific business
  • ", + "
  • the business doesn\u2019t have to offer them work and they don\u2019t have to accept it - they only work when they want to
  • ", + "
  • their contract with the business uses terms like \u2018casual\u2019, \u2018freelance\u2019, \u2018zero hours\u2019, \u2018as required\u2019 or something similar
  • ", + "
  • they had to agree with the business\u2019s terms and conditions to get work - either verbally or in writing
  • ", + "
  • they are under the supervision or control of a manager or director
  • ", + "
  • they can\u2019t send someone else to do their work
  • ", + "
  • the business deducts tax and National Insurance contributions from their wages
  • ", + "
  • the business provides materials, tools or equipment they need to do the work
  • ", + "

    Employee

    ", + "

    An employee is someone who works under an employment contract.

    ", + "

    A person may be an employee in employment law but have a different status for tax purposes. Employers must work out each worker\u2019s status in both employment law and tax law.

    ", + "

    Employment rights

    ", + "

    All employees are workers, but an employee has extra employment rights and responsibilities that don\u2019t apply to workers who aren\u2019t employees.

    ", + "

    These rights include all of the rights workers have and:

    ", + "
  • Statutory Sick Pay
  • ", + "
  • statutory maternity, paternity, adoption and shared parental leave and pay (workers only get pay, not leave)
  • ", + "
  • minimum notice periods if their employment will be ending, for example if an employer is dismissing them
  • ", + "
  • protection against unfair dismissal
  • ", + "
  • the right to request flexible working
  • ", + "
  • time off for emergencies
  • ", + "
  • Statutory Redundancy Pay
  • ", + "

    Some of these rights require a minimum length of continuous employment before an employee qualifies for them. An employment contract may state how long this qualification period is.

    ", + "

    Working out employment status for an employee

    ", + "

    Someone who works for a business is probably an employee if most of the following are true:

    ", + "
  • they\u2019re required to work regularly unless they\u2019re on leave, for example holiday, sick leave or maternity leave
  • ", + "
  • they\u2019re required to do a minimum number of hours and expect to be paid for time worked
  • ", + "
  • a manager or supervisor is responsible for their workload, saying when a piece of work should be finished and how it should be done
  • ", + "
  • they can\u2019t send someone else to do their work
  • ", + "
  • they get paid holiday
  • ", + "
  • they\u2019re entitled to contractual or Statutory Sick Pay, and maternity or paternity pay
  • ", + "
  • they can join the business\u2019s pension scheme
  • ", + "
  • the business\u2019s disciplinary and grievance procedures apply to them
  • ", + "
  • they work at the business\u2019s premises or at an address specified by the business
  • ", + "
  • their contract sets out redundancy procedures
  • ", + "
  • the business provides the materials, tools and equipment for their work
  • ", + "
  • they only work for the business or if they do have another job, it\u2019s completely different from their work for the business
  • ", + "
  • their contract, statement of terms and conditions or offer letter (which can be described as an \u2018employment contract\u2019) uses terms like \u2018employer\u2019 and \u2018employee\u2019
  • ", + "

    If most of these don\u2019t apply, you should work out if the person is self-employed.

    ", + "

    Individuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.

    ", + "

    Employee shareholders

    ", + "

    An employee shareholder is someone who works under an employment contract and owns at least \u00a32,000 worth of shares in the employer\u2019s company or parent company.

    ", + "

    Employment rights

    ", + "

    Employee shareholders have most of the same employment rights as workers and employees.

    ", + "

    They also have the right to collective redundancy consultation and transfer of undertakings (TUPE) - this protects the employee\u2019s terms and conditions when the business is transferred to a new owner.

    ", + "

    Employee shareholders don\u2019t have these rights:

    ", + "
  • protection against unfair dismissal - apart from dismissal on grounds of discrimination and in relation to health and safety
  • ", + "
  • statutory redundancy pay
  • ", + "
  • the right to request flexible working - except in the 2 weeks after returning from parental leave
  • ", + "
  • certain statutory rights to request time off for training
  • ", + "

    Employee shareholders must give 16 weeks notice if they want to come back early from maternity leave, additional paternity leave and adoption leave.

    ", + "

    Employers can choose more generous employment rights than the statutory ones.

    ", + "

    Tax relief and obligations

    ", + "

    Employee shareholders can get tax relief on the first \u00a32,000 of shares they get before 1 December 2016.

    ", + "

    Employee shareholders must pay tax on buying and selling shares.

    ", + "

    HM Revenue and Customs (HMRC) has further guidance on tax relief for employee shareholders.

    ", + "

    Applying for employment shareholder jobs

    ", + "

    Anyone can apply for an employee shareholder job.

    ", + "

    People claiming Jobseeker\u2019s Allowance don\u2019t have to apply for an employee shareholder job that Jobcentre Plus have told them about.

    ", + "

    Existing employees don\u2019t have to accept a change to an employment contract to become an employee shareholder if they don\u2019t want to.

    ", + "

    Offering employment shareholder status

    ", + "

    Employers must following certain rules when offering employment shareholder status to their employees.

    ", + "

    Self-employed and contractor

    ", + "

    A person is self-employed if they run their business for themselves and take responsibility for its success or failure.

    ", + "

    Self-employed workers aren\u2019t paid through PAYE, and they don\u2019t have the employment rights and responsibilities of employees.

    ", + "

    Someone can be both employed and self-employed at the same time, for example if they work for an employer during the day and run their own business in the evenings.

    ", + "

    Employment rights

    ", + "

    Employment law doesn\u2019t cover self-employed people in most cases because they are their own boss.

    ", + "

    However, if a person is self-employed:

    ", + "
  • they still have protection for their health and safety and, in some cases, protection against discrimination
  • ", + "
  • their rights and responsibilities are set out by the terms of the contract they have with their client
  • ", + "

    Working out if someone is self-employed

    ", + "

    HM Revenue and Customs (HMRC) may regard someone as self-employed for tax purposes even if they have a different status in employment law.

    ", + "

    Employers should check if a worker is self-employed in:

    ", + "
  • tax law - whether they\u2019re exempt from PAYE
  • ", + "
  • employment law - whether they have an employee\u2019s rights
  • ", + "

    Individuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.

    ", + "

    Checking if they\u2019re exempt from PAYE

    ", + "

    Someone is probably self-employed and shouldn\u2019t be paid through PAYE if most of the following are true:

    ", + "
  • they\u2019re in business for themselves, are responsible for the success or failure of their business and can make a loss or a profit
  • ", + "
  • they can decide what work they do and when, where or how to do it
  • ", + "
  • they can hire someone else to do the work
  • ", + "
  • they\u2019re responsible for fixing any unsatisfactory work in their own time
  • ", + "
  • their employer agrees a fixed price for their work - it doesn\u2019t depend on how long the job takes to finish
  • ", + "
  • they use their own money to buy business assets, cover running costs, and provide tools and equipment for their work
  • ", + "
  • they can work for more than one client
  • ", + "

    You can check someone\u2019s employment status:

    ", + "
  • online
  • ", + "
  • by phone
  • ", + "

    There are special rules for businesses supplying workers, for example an employment agency.

    ", + "

    Checking their employment rights

    ", + "

    Someone is probably self-employed and doesn\u2019t have the rights of an employee if they\u2019re exempt from PAYE and most of the following are also true:

    ", + "
  • they put in bids or give quotes to get work
  • ", + "
  • they\u2019re not under direct supervision when working
  • ", + "
  • they submit invoices for the work they\u2019ve done
  • ", + "
  • they\u2019re responsible for paying their own National Insurance and tax
  • ", + "
  • they don\u2019t get holiday or sick pay when they\u2019re not working
  • ", + "
  • they operate under a contract (sometimes known as a \u2018contract for services\u2019 or \u2018consultancy agreement\u2019) that uses terms like \u2018self-employed\u2019, \u2018consultant\u2019 or an \u2018independent contractor\u2019
  • ", + "

    Contractors

    ", + "

    A contractor can be:

    ", + "
  • self-employed
  • ", + "
  • a worker or an employee if they work for a client and are employed by an agency
  • ", + "

    There\u2019s a special scheme for self-employed contractors and sub-contractors working in the construction industry called the Construction Industry Scheme (CIS).

    ", + "

    If someone becomes self-employed

    ", + "

    A worker must tell HMRC if they become self-employed.

    ", + "

    Director

    ", + "

    Company directors run limited companies on behalf of shareholders.

    ", + "

    Directors have different rights and responsibilities from employees, and are classed as office holders for tax and National Insurance contribution purposes.

    ", + "

    If a person does other work that\u2019s not related to being a director, they may have an employment contract and get employment rights.

    ", + "

    Office holder

    ", + "

    A person who\u2019s been appointed to a position by a company or organisation but doesn\u2019t have a contract or receive regular payment may be an office holder. This includes:

    ", + "
  • statutory appointments, such as registered company directors or secretaries, board members of statutory bodies, or crown appointments
  • ", + "
  • appointments under the internal constitution of an organisation, such as club treasurers or trade union secretaries
  • ", + "
  • appointments under a trust deed, such as trustees
  • ", + "
  • ecclesiastical appointment, such as members of the clergy
  • ", + "

    Office holders are neither employees nor workers. However, it\u2019s possible for someone to be an office holder and an employee if they have an employment contract with the same company or organisation that meets the criteria for employees.

    ", + "

    Working out employment status for an office holder

    ", + "

    Someone is likely to be an office holder if most of these statements apply to them:

    ", + "
  • there is no contract or service agreement relating to their appointment
  • ", + "
  • their duties are minimal, and are only those required under the relevant statute, constitution or trust deed
  • ", + "
  • they don\u2019t get a salary or any other form of regular payment for their services
  • ", + "
  • the only payment they get is a voluntary payment (honorarium), regardless of the work they do - tax and National Insurance are deducted by the appointing body
  • ", + "
  • they\u2019re effectively working as an independent office, and are not under the close supervision or control of the appointing body
  • ", + "

    Legal decisions on employment status

    ", + "

    A court or employment tribunal (known as an industrial tribunal in Northern Ireland) can make a final decision on employment status for employment rights purposes. They\u2019ll look at how the employment relationship between the person and the business works in practice.

    ", + "

    HM Revenue and Customs (HMRC) may separately argue that someone is self-employed for tax purposes. This may be confirmed by the tax tribunal and the courts.

    ", + "

    An employment tribunal or court may still make a decision that someone is a worker or employee for employment rights purposes.

    " + ] + }, + { + "title": "Fixed-term employment contracts", + "url": "https://www.gov.uk/fixed-term-contracts", + "contents": [ + "

    What counts as a fixed-term contract

    ", + "

    Employees are on a fixed-term contract if both of the following apply:

    ", + "
  • they have an employment contract with the organisation they work for
  • ", + "
  • their contract ends on a particular date, or on completion of a specific task, eg a project
  • ", + "

    Workers don\u2019t count as fixed-term employees if they:

    ", + "
  • have a contract with an agency rather than the company they\u2019re working for
  • ", + "
  • are a student or trainee on a work-experience placement
  • ", + "
  • are working under a \u2018contract of apprenticeship\u2019
  • ", + "
  • are a member of the armed forces
  • ", + "

    They may be a fixed-term employee if they\u2019re:

    ", + "
  • a seasonal or casual employee taken on for up to 6 months during a peak period
  • ", + "
  • a specialist employee for a project
  • ", + "
  • covering for maternity leave
  • ", + "

    Employees' rights

    ", + "

    Employers must not treat workers on fixed-term contracts less favourably than permanent employees doing the same or largely the same job, unless the employer can show that there is a good business reason to do so.

    ", + "

    This is known as \u2018objective justification\u2019.

    ", + "

    Employers must also ensure that fixed-term employees get:

    ", + "
  • the same pay and conditions as permanent staff
  • ", + "
  • the same or equivalent benefits package
  • ", + "
  • information about permanent vacancies in the organisation
  • ", + "
  • protection against redundancy or dismissal
  • ", + "

    However, they\u2019re only entitled to the same rights as permanent staff working for the same employer, and not an associated employer\u2019s organisation.

    ", + "

    Anyone who\u2019s worked continually for the same employer for 2 years or more has the same redundancy rights as a permanent employee.

    ", + "

    Workplace disputes

    ", + "

    Workers on fixed-term contracts should try to sort out any concerns they have with their manager.

    ", + "

    If they\u2019re still not satisfied, they can ask their employer for a written statement explaining their treatment, or complain using the employer\u2019s grievance procedure.

    ", + "

    Their final option is to make a claim to an employment tribunal.

    ", + "

    Renewing or ending a fixed-term contract

    ", + "

    Ending a fixed-term contract

    ", + "

    Fixed-term contracts will normally end automatically when they reach the agreed end date. The employer doesn\u2019t have to give any notice.

    ", + "

    If a contract isn\u2019t renewed

    ", + "

    This is considered to be a dismissal, and if the employee has 2 years\u2019 service the employer needs to show that there\u2019s a \u2018fair\u2019 reason for not renewing the contract (eg, if they were planning to stop doing the work the contract was for).

    ", + "

    Workers have the right:

    ", + "
  • not to be unfairly dismissed after 2 years\u2019 service - for employees who were in employment before 6 April 2012, it\u2019s 1 year\u2019s service
  • ", + "
  • to a written statement of reasons for not renewing the contract - after 1 year\u2019s service
  • ", + "

    They may be entitled to statutory redundancy payments after 2 years\u2019 service if the reason for non-renewal is redundancy.

    ", + "

    If the employer wants to end the contract earlier

    ", + "

    What happens depends on the terms of the contract. If it says:

    ", + "
  • nothing about being ended early, the employer may be in breach of contract
  • ", + "
  • it can be ended early, and the employer has given proper notice, the contract can be ended
  • ", + "

    Minimum notice period

    ", + "

    Fixed-term employees have the right to a minimum notice period of:

    ", + "
  • 1 week if they\u2019ve worked continuously for at least 1 month
  • ", + "
  • 1 week for each year they\u2019ve worked, if they\u2019ve worked continuously for 2 years or more
  • ", + "

    These are the minimum periods. The contract may specify a longer notice period.

    ", + "

    If an employer ends a contract without giving the proper notice, the employee may be able to claim breach of contract.

    ", + "

    Working longer than the contract\u2019s end date

    ", + "

    If an employee continues working past the end of a contract without it being formally renewed, there\u2019s an \u2018implied agreement\u2019 by the employer that the end date has changed.

    ", + "

    The employer still needs to give proper notice if they want to dismiss the worker.

    ", + "

    The limit on renewing a fixed-term contract

    ", + "

    Any employee on fixed-term contracts for 4 or more years will automatically become a permanent employee, unless the employer can show there is a good business reason not to do so.

    ", + "

    However, an employer and unions (or a staff association) may make a collective agreement that removes the automatic right to become a permanent employee in these circumstances.

    ", + "

    Renewing a fixed-term contract on less favourable terms

    ", + "

    If an employer wants to do this, the employee can negotiate with them to reach an agreement.

    ", + "

    If the contract ends and they have been unable to reach an agreement, the employee may be able to claim unfair dismissal.

    ", + "

    Ending the contract early

    ", + "

    Employees must hand in their notice 1 week in advance if they\u2019ve worked for an employer for a month or more. The contract may state that they need to give more notice.

    " + ] + }, + { + "title": "Flexible working", + "url": "https://www.gov.uk/flexible-working", + "contents": [ + "

    Overview

    ", + "

    Flexible working is a way of working that suits an employee\u2019s needs, for example having flexible start and finish times, or working from home.

    ", + "

    Flexible working rules are different in Northern Ireland.

    ", + "

    All employees have the legal right to request flexible working - not just parents and carers.

    ", + "

    This is known as \u2018making a statutory application\u2019.

    ", + "

    Employees must have worked for the same employer for at least 26 weeks to be eligible.

    ", + "

    What employers must do

    ", + "

    Employers must deal with requests in a \u2018reasonable manner\u2019.

    ", + "

    Examples of handling requests in a reasonable manner include:

    ", + "
  • assessing the advantages and disadvantages of the application
  • ", + "
  • holding a meeting to discuss the request with the employee
  • ", + "
  • offering an appeal process
  • ", + "

    If an employer does not handle a request in a reasonable manner, the employee can take them to an employment tribunal.

    ", + "

    An employer can refuse an application if they have a good business reason for doing so.

    ", + "

    Types of flexible working

    ", + "

    There are different ways of working flexibly.

    ", + "

    Job sharing

    ", + "

    Two people do one job and split the hours.

    ", + "

    Working from home

    ", + "

    It might be possible to do some or all of the work from home or anywhere else other than the normal place of work.

    ", + "

    Part time

    ", + "

    Working less than full-time hours (usually by working fewer days).

    ", + "

    Compressed hours

    ", + "

    Working full-time hours but over fewer days.

    ", + "

    Flexitime

    ", + "

    The employee chooses when to start and end work (within agreed limits) but works certain \u2018core hours\u2019, for example 10am to 4pm every day.

    ", + "

    Annualised hours

    ", + "

    The employee has to work a certain number of hours over the year but they have some flexibility about when they work. There are sometimes \u2018core hours\u2019 which the employee regularly works each week, and they work the rest of their hours flexibly or when there\u2019s extra demand at work.

    ", + "

    Staggered hours

    ", + "

    The employee has different start, finish and break times from other workers.

    ", + "

    Phased retirement

    ", + "

    Default retirement age has been phased out and older workers can choose when they want to retire. This means they can reduce their hours and work part time.

    ", + "

    Applying for flexible working

    ", + "

    Employees can apply for flexible working if they\u2019ve worked continuously for the same employer for the last 26 weeks. It\u2019s known as \u2018making a statutory application.\u2019

    ", + "

    The basic steps are:

    ", + "
  • The employee writes to the employer.
  • ", + "
  • The employer considers the request and makes a decision within 3 months - or longer if agreed with the employee.
  • ", + "
  • If the employer agrees to the request, they must change the terms and conditions in the employee\u2019s contract.
  • ", + "
  • If the employer disagrees, they must write to the employee giving the business reasons for the refusal. The employee may be able to complain to an employment tribunal.
  • ", + "

    Employees can only make one application for flexible working a year.

    ", + "

    Writing to the employer

    ", + "

    An employee should email or write a letter to their employer.

    ", + "

    Employers may ask employees to use a standard form to make an application.

    ", + "

    What the email or letter must include

    ", + "

    The application must include:

    ", + "
  • the date
  • ", + "
  • a statement that this is a statutory request
  • ", + "
  • details of how the employee wants to work flexibly and when they want to start
  • ", + "
  • an explanation of how they think flexible working might affect the business and how this could be dealt with, for example if they\u2019re not at work on certain days
  • ", + "
  • a statement saying if and when they\u2019ve made a previous application
  • ", + "

    Withdrawing an application

    ", + "

    Employees should tell their employer in writing if they want to withdraw their application.

    ", + "

    The employer can treat an application as withdrawn if the employee misses 2 meetings to discuss an application or appeal without good reason, for example sickness.

    ", + "

    The employer must tell the employee they are treating the request as withdrawn.

    ", + "

    After the application

    ", + "

    Employers must consider flexible working requests in a \u2018reasonable manner\u2019.

    ", + "

    They should usually make a decision within 3 months of the request (or longer if agreed with the employee).

    ", + "

    Agreeing the application

    ", + "

    The employer should write to the employee with:

    ", + "
  • a statement of the agreed changes
  • ", + "
  • a start date for flexible working
  • ", + "

    They should also change the employee\u2019s contract to include the new terms and conditions.

    ", + "

    This should be done as soon as possible but no later than 28 days after the request was approved.

    ", + "

    Rejecting an application

    ", + "

    The employer must tell the employee that they\u2019ve rejected the application.

    ", + "

    Reasons for rejecting

    ", + "

    Employers can reject an application for any of the following reasons:

    ", + "
  • extra costs that will damage the business
  • ", + "
  • the work cannot be reorganised among other staff
  • ", + "
  • people cannot be recruited to do the work
  • ", + "
  • flexible working will affect quality and performance
  • ", + "
  • the business will not be able to meet customer demand
  • ", + "
  • there\u2019s a lack of work to do during the proposed working times
  • ", + "
  • the business is planning changes to the workforce
  • ", + "

    Appeals

    ", + "

    Employees no longer have a statutory right to an appeal.

    ", + "

    But offering an appeals process helps to demonstrate that the employer is handling requests in a \u2018reasonable manner\u2019.

    ", + "

    How to appeal

    ", + "

    The employee must follow the company\u2019s procedures for appealing.

    ", + "

    The employee or employer should follow the company\u2019s procedures for solving a workplace dispute if a rejected application causes problems.

    ", + "

    Going to an employment tribunal

    ", + "

    Employees can complain to an employment tribunal if the employer:

    ", + "
  • did not handle the request in a \u2018reasonable manner\u2019
  • ", + "
  • wrongly treated the employee\u2019s application as withdrawn
  • ", + "
  • dismissed or treated an employee poorly because of their flexible working request, for example refused a promotion or pay rise
  • ", + "
  • rejected an application based on incorrect facts
  • ", + "

    Employees cannot complain to a tribunal just because their flexible working request was rejected.

    ", + "

    An employee should complain to the tribunal within 3 months of:

    ", + "
  • hearing their employer\u2019s decision
  • ", + "
  • hearing their request was treated as withdrawn
  • ", + "
  • the date the employer should have responded to their request (but failed to do so)
  • ", + "

    If an employer or employee is unsure of their rights, they should get legal advice.

    " + ] + }, + { + "title": "Holiday entitlement", + "url": "https://www.gov.uk/holiday-entitlement-rights", + "contents": [ + "

    Entitlement

    ", + "

    Almost all workers are legally entitled to 5.6 weeks\u2019 paid holiday a year (known as statutory leave entitlement or annual leave).

    ", + "

    This includes:

    ", + "
  • agency workers
  • ", + "
  • workers with irregular hours
  • ", + "
  • workers on zero-hours contracts
  • ", + "

    An employer can include bank holidays as part of statutory annual leave.

    ", + "

    Coronavirus (COVID-19) does not affect workers\u2019 entitlement to holiday pay and leave, except for carrying over leave.

    ", + "

    Statutory annual leave entitlement

    ", + "

    Most workers who work a 5-day week must receive at least 28 days\u2019 paid annual leave a year. This is the equivalent of 5.6 weeks of holiday.

    ", + "

    Working part-time

    ", + "

    Part-time workers are entitled to at least 5.6 weeks\u2019 paid holiday, but this will amount to fewer than 28 days.

    ", + "

    For example, if they work 3 days a week, they must get at least 16.8 days\u2019 leave a year (3 \u00d7 5.6).

    ", + "

    Use the holiday entitlement calculator to work out a part-time worker\u2019s leave.

    ", + "

    Irregular hours

    ", + "

    People working irregular hours (like shift workers or term-time workers) are entitled to paid time off for every hour they work.

    ", + "

    They might find it helpful to get an estimate of holiday entitlement by calculating leave based on days or hours worked in an average week.

    ", + "

    Limits on statutory leave

    ", + "

    Statutory paid holiday entitlement is limited to 28 days. For example, staff working 6 days a week are only entitled to 28 days\u2019 paid holiday.

    ", + "

    Bank holidays

    ", + "

    Bank or public holidays do not have to be given as paid leave.

    ", + "

    An employer can choose to include bank holidays as part of a worker\u2019s statutory annual leave.

    ", + "

    Extra leave

    ", + "

    An employer can choose to offer more leave than the legal minimum. They do not have to apply all the rules that apply to statutory leave to the extra leave. For example, a worker might need to be employed for a certain amount of time before they become entitled to it.

    ", + "

    Other aspects of holiday entitlement

    ", + "

    Workers have the right to:

    ", + "
  • get paid for leave
  • ", + "
  • build up (\u2018accrue\u2019) holiday entitlement during maternity, paternity and adoption leave
  • ", + "
  • build up holiday entitlement while off work sick
  • ", + "
  • request holiday at the same time as sick leave
  • ", + "

    Disputes

    ", + "

    Paid annual leave is a legal right that an employer must provide. If a worker thinks their right to leave and pay are not being met there are a number of ways to resolve the dispute.

    ", + "

    Calculate leave entitlement

    ", + "

    Annual leave begins to build up (\u2018accrue\u2019) as soon as a worker starts their job.

    ", + "

    An employer can use a \u2018leave year\u2019 or an \u2018accrual\u2019 system to work out how much leave their staff should get.

    ", + "

    Use the holiday entitlement calculator to work out how much leave someone should get.

    ", + "

    Leave year

    ", + "

    An employer should tell their staff the dates of their statutory leave year as soon as they start working, for example, it might run from 1 January to 31 December.

    ", + "

    Workers must take their statutory leave during this time. If a leave year is not set out in a contract then it will start:

    ", + "
  • on the first day of a new job (if started after 1 October 1998)
  • ", + "
  • on 1 October (if started on or before 1 October 1998)
  • ", + "

    The leave year and holiday entitlement is not affected by maternity, paternity or adoption leave. The employee still builds up (\u2018accrues\u2019) holiday over these periods.

    ", + "

    Leave entitlement when starting a new job

    ", + "

    If a worker starts their job part-way through a leave year, they\u2019re only entitled to part of their total annual leave for the current leave year. What they get depends on how much of the year is left.

    ", + "

    Use the holiday entitlement calculator to work out how much leave someone has left.

    ", + "

    Accrual system

    ", + "

    An employer can use an accrual system to work out a worker\u2019s leave during the first year of the job. Under this system, a worker gets one-twelfth of their leave in each month.

    ", + "

    Carrying over leave

    ", + "

    The worker\u2019s contract says how many days\u2019 leave they can carry over into the next year.

    ", + "

    If a worker gets 28 days\u2019 leave, they can carry over a maximum of 8 days.

    ", + "

    If a worker gets more than 28 days\u2019 leave, their employer may allow them to carry over any additional untaken leave. Check the employment contract, company handbook or intranet to see what the rules say.

    ", + "

    Leave affected by coronavirus (COVID-19)

    ", + "

    Workers may be able to carry over untaken leave into the next 2 years if they cannot take it because their work is affected by coronavirus.

    ", + "

    They could do this if, for example:

    ", + "
  • they need to provide cover for their co-workers and have no other opportunity to take holiday in their leave year
  • ", + "
  • there will be staff shortages if too many workers take their leave before the end of the leave year
  • ", + "
  • they\u2019re classed as critical workers, such as healthcare or supermarket workers
  • ", + "

    If a worker is able to take leave, the standard rules for carrying over leave still apply.

    ", + "

    Workers on parental or sick leave

    ", + "

    If a worker cannot take all of their leave entitlement because they\u2019re already on a different type of leave (for example sick, maternity or parental leave), they can carry over some or all of the untaken leave into the next leave year.

    ", + "

    An employer must allow a worker to carry over a maximum of 20 of their 28 days\u2019 leave entitlement if the worker could not take annual leave because they were off sick.

    ", + "

    Holiday pay

    ", + "

    Workers are entitled to a week\u2019s pay for each week of statutory leave that they take.

    ", + "

    Most workers are entitled to 5.6 weeks\u2019 paid holiday a year. You can use the holiday calculator to work out how much leave someone should get.

    ", + "

    A week\u2019s pay is worked out according to the kind of hours someone works and how they\u2019re paid for the hours. This includes full-time, part-time, term-time and casual workers.

    ", + "Working pattern | How a week\u2019s pay is calculated", + "Fixed hours and fixed pay (full- or part-time) | A worker\u2019s pay for a week", + "Shift work with fixed hours (full- or part-time) | The average number of weekly fixed hours a worker has worked in the previous 52 weeks, at their average hourly rate", + "No fixed hours (casual work, including zero-hours contracts) | A worker\u2019s average pay from the previous 52 weeks (only counting weeks in which they were paid)", + "

    Calculating average hourly or weekly rate

    ", + "

    To calculate average hourly rate, only the hours worked and how much was paid for them should be counted. Take the average rate over the last 52 weeks.

    ", + "

    A \u2018week\u2019 usually runs from Sunday to Saturday. Only use another 7-day period (like Thursday to Wednesday) if that\u2019s how a worker\u2019s pay is calculated.

    ", + "

    If no pay was paid in any week, count back another week so the rate is based on 52 weeks in which pay was paid. You can count back a maximum of 104 weeks to find these.

    ", + "

    If a worker has less than 52 weeks of pay, use the average pay rate for the full weeks they have worked.

    ", + "

    Workers who are paid monthly

    ", + "

    To work out a week\u2019s pay for someone who\u2019s paid monthly:

    ", + "
  • Calculate the worker\u2019s average hourly pay for the last month. Do this by dividing the month\u2019s pay by the number of hours worked in the month.
  • ", + "
  • Calculate the weekly pay. Do this by multiplying the average hourly pay by the number of hours worked in a week.
  • ", + "

    Use the weekly pay calculation for each of the last 52 weeks to work out an average week\u2019s pay.

    ", + "

    Rolled-up holiday pay

    ", + "

    Holiday pay should be paid for the time when annual leave is taken. An employer cannot include an amount for holiday pay in the hourly rate (known as \u2018rolled-up holiday pay\u2019).

    ", + "

    If a current contract still includes rolled-up pay, it needs to be re-negotiated.

    ", + "

    More information

    ", + "

    There\u2019s guidance for calculating holiday pay for workers without fixed hours or pay, which includes several examples.

    ", + "

    You can also contact the Advisory, Conciliation and Arbitration Service (Acas) with questions about general holiday pay issues.

    ", + "

    Booking time off

    ", + "

    The general notice period for taking leave is at least twice as long as the amount of leave a worker wants to take, plus 1 day. For example, a worker would give 3 days\u2019 notice for 1 day\u2019s leave.

    ", + "

    An employer can refuse a leave request or cancel leave but they must give as much notice as the amount of leave requested, plus 1 day. For example, an employer would give 11 days\u2019 notice if the worker asked for 10 days\u2019 leave.

    ", + "

    If the contract says something different about the notice a worker or employer should give, what\u2019s in the contract will apply.

    ", + "

    Although employers can refuse to give leave at a certain time, they cannot refuse to let workers take the leave at all.

    ", + "

    Part leave days

    ", + "

    Some workers may be entitled to a part leave day - for example if they\u2019re part-time or have a half day\u2019s leave to take. How a part day should be taken is up to the employer.

    ", + "

    When leave can and cannot be taken

    ", + "

    Employers can:

    ", + "
  • tell their staff to take leave, for example bank holidays or Christmas
  • ", + "
  • restrict when leave can be taken, for example at certain busy periods
  • ", + "

    There may be rules about this in the employment contract or it may be what normally happens in the workplace.

    ", + "

    The notice period for this is at least twice as long as the leave they want their staff to take. The employer must tell the worker before the notice period begins.

    ", + "

    If an employer wants a worker to take leave, they need to make sure that the worker can relax, rest and enjoy leisure during their holiday. For example, an employer cannot force a sick worker to take leave.

    ", + "

    Taking holiday before leaving a job

    ", + "

    During their notice period the worker may be able to take whatever is left of their statutory annual leave.

    ", + "

    Use the holiday entitlement calculator to work this out. How much they get depends on how much of the holiday year has passed.

    ", + "

    Taking more leave than the entitlement

    ", + "

    If a worker has taken more leave than they\u2019re entitled to, their employer must not take money from their final pay unless it\u2019s been agreed beforehand in writing. The rules in this situation should be outlined in the employment contract, company handbook or intranet.

    ", + "

    Getting paid instead of taking holidays

    ", + "

    The only time someone can get paid in place of taking statutory leave (known as \u2018payment in lieu\u2019) is when they leave their job. Employers must pay for untaken statutory leave, even if the worker is dismissed for gross misconduct.

    ", + "

    If an employer offers more than 5.6 weeks\u2019 annual leave, they can agree separate arrangements for the extra leave.

    ", + "

    Zero-hours contracts

    ", + "

    When a worker on a zero-hours contract has not worked for 4 weeks, this may be treated as the end of the employment. The employer will usually pay the worker for untaken leave, even if they\u2019re going to offer them more work later.

    ", + "

    Workers on furlough because of coronavirus (COVID-19)

    ", + "

    Workers have the right to build up (\u2018accrue\u2019) holiday entitlement while they\u2019re on temporary leave (\u2018furloughed\u2019) because of coronavirus (COVID-19). They can also take leave while on furlough.

    ", + "

    Bank holidays

    ", + "

    If a furloughed worker is not working on a bank holiday they usually take as paid leave, they can agree with their employer to either:

    ", + "
  • take it as normal
  • ", + "
  • take it at a later date
  • ", + "

    An employer must give a worker at least 2 days\u2019 notice if they want them to take a bank holiday as paid leave, unless the worker\u2019s employment contract says something different.

    ", + "

    The employer must tell the worker at least one day in advance of giving 2 days\u2019 notice.

    ", + "

    Holiday pay

    ", + "

    An employer can continue to claim for a furloughed worker\u2019s wages when the worker takes annual leave.

    ", + "

    Calculate holiday pay as normal for any time the worker was furloughed. If the holiday pay turns out to be more than the worker was paid during this time, their employer must pay the difference.

    ", + "

    Agency workers

    ", + "

    Agency workers with \u2018worker status\u2019, including those who use an umbrella company, have their usual holiday entitlement when on furlough.

    ", + "

    Their employer can claim a grant to help cover the cost of their wages.

    ", + "

    Holiday entitlement for those without worker status remains the same and depends on their contract.

    ", + "

    Agency workers may also be able to carry holiday into future leave years.

    ", + "

    More information

    ", + "

    There\u2019s more guidance on holiday entitlement and pay during coronavirus.\nYou can also find out more about holiday entitlement during coronavirus on the Acas website.

    " + ] + }, + { + "title": "Maximum weekly working hours", + "url": "https://www.gov.uk/maximum-weekly-working-hours", + "contents": [ + "

    Overview

    ", + "

    You can\u2019t work more than 48 hours a week on average - normally averaged over 17 weeks. This law is sometimes called the \u2018working time directive\u2019 or \u2018working time regulations\u2019.

    ", + "

    You can choose to work more by opting out of the 48-hour week.

    ", + "

    If you\u2019re under 18, you can\u2019t work more than 8 hours a day or 40 hours a week.

    ", + "

    Exceptions

    ", + "

    You may have to work more than 48 hours a week on average if you work in a job:

    ", + "
  • where 24-hour staffing is required
  • ", + "
  • in the armed forces, emergency services or police
  • ", + "
  • in security and surveillance
  • ", + "
  • as a domestic servant in a private household
  • ", + "
  • as a seafarer, sea-fisherman or worker on vessels on inland waterways
  • ", + "
  • where working time is not measured and you\u2019re in control, eg you\u2019re a managing executive with control over your decisions
  • ", + "

    Contact the Acas helpline or use the Acas Helpline Online to get further advice on working hours.

    ", + "

    Calculating your working hours

    ", + "

    Average working hours are calculated over a \u2018reference\u2019 period, normally 17 weeks.

    ", + "

    This means you can work more than 48 hours one week, as long as the average over 17 weeks is less than 48 hours a week.

    ", + "

    Your working hours can\u2019t be averaged out if you\u2019re under 18. You can\u2019t work more than 40 hours in any one week.

    ", + "

    Exceptions

    ", + "

    Some jobs have different reference periods, eg:

    ", + "
  • trainee doctors have a 26-week reference period
  • ", + "
  • the offshore oil and gas sector has a 52-week reference period
  • ", + "

    What counts as work

    ", + "

    A working week includes:

    ", + "
  • job-related training
  • ", + "
  • time spent travelling if you travel as part of your job, eg sales rep
  • ", + "
  • working lunches, eg business lunches
  • ", + "
  • time spent working abroad
  • ", + "
  • paid overtime
  • ", + "
  • unpaid overtime you\u2019re asked to do
  • ", + "
  • time spent on call at the workplace
  • ", + "
  • any time that is treated as \u2018working time\u2019 under a contract
  • ", + "
  • travel between home and work at the start and end of the working day (if you don\u2019t have a fixed place of work)
  • ", + "

    What doesn\u2019t count as work

    ", + "

    A working week doesn\u2019t include:

    ", + "
  • time you spend on call away from the workplace
  • ", + "
  • breaks when no work is done, eg lunch breaks
  • ", + "
  • travelling outside of normal working hours
  • ", + "
  • unpaid overtime you\u2019ve volunteered for, eg staying late to finish something off
  • ", + "
  • paid or unpaid holiday
  • ", + "
  • travel to and from work (if you have a fixed place of work)
  • ", + "

    You have more than one job

    ", + "

    Your combined working hours shouldn\u2019t be more than 48 hours a week on average.

    ", + "

    If you work more than 48 hours on average, you can either:

    ", + "
  • sign an opt-out agreement
  • ", + "
  • reduce your hours to meet the 48-hour limit
  • ", + "

    Opting out of the 48 hour week

    ", + "

    You can choose to work more than 48 hours a week on average if you\u2019re over 18. This is called \u2018opting out\u2019.

    ", + "

    Your employer can ask you to opt out, but you can\u2019t be sacked or treated unfairly for refusing to do so.

    ", + "

    You can opt out for a certain period or indefinitely. It must be voluntary and in writing.

    ", + "

    Workers who can\u2019t opt out

    ", + "

    You can\u2019t opt-out of the 48 hour week if you\u2019re:

    ", + "
  • airline staff
  • ", + "
  • a worker on ships or boats
  • ", + "
  • a worker in the road transport industry, eg delivery drivers (except for drivers of vehicles under 3.5 tonnes using GB Domestic drivers\u2019 hours rules)
  • ", + "
  • other staff who travel in and operate vehicles covered by EU rules on drivers\u2019 hours, eg bus conductors
  • ", + "
  • a security guard on a vehicle carrying high-value goods
  • ", + "

    Cancelling an opt-out agreement

    ", + "

    You can cancel your opt-out agreement whenever you want - even if it\u2019s part of your employment contract.

    ", + "

    You must give your employer at least 7 days\u2019 notice. You may have to give more notice (up to 3 months) if you have a written opt-out agreement.

    ", + "

    Your employer can\u2019t force you to cancel your opt-out agreement.

    " + ] + }, + { + "title": "Night working hours", + "url": "https://www.gov.uk/night-working-hours", + "contents": [ + "

    Hours and limits

    ", + "

    Staff who regularly work at least 3 hours during the \u2018night period\u2019 are night workers.

    ", + "

    The night period is 11pm to 6am, unless the worker and employer agree a different night period.

    ", + "

    If they do, it must be 7 hours long and include midnight to 5am. It must be agreed in writing.

    ", + "

    Staff may also be night workers if there\u2019s a collective agreement (for example, trade union agreement) that states their work is night work.

    ", + "

    National Minimum Wage

    ", + "

    The National Minimum Wage applies to night workers but there is not a higher night working rate.

    ", + "

    Sleep-in shifts

    ", + "

    The number of hours that workers get paid the National Minimum Wage depends on whether they\u2019re expected to sleep or work for most of their shift.

    ", + "

    Workers who are expected to sleep for most of a sleep-in shift (for example, a care worker), and are provided with suitable sleeping facilities, will only get the National Minimum Wage for the periods when they\u2019re awake to perform tasks.

    ", + "

    Workers who are expected to work for most of a shift will get the National Minimum Wage for their whole shift, even if they\u2019re allowed to sleep between tasks.

    ", + "

    Limits on working hours for night workers

    ", + "

    Additional rules apply to night workers on top of the rules on maximum weekly working hours and rest breaks.

    ", + "

    Night workers must not work more than an average of 8 hours in a 24-hour period.

    ", + "

    The average is usually calculated over 17 weeks, but it can be over a longer period of up to 52 weeks if the workers and the employer agree - for example, by collective agreement.

    ", + "

    Regular overtime is included in the average, but not occasional overtime.

    ", + "

    Workers cannot opt out of the limit.

    ", + "

    Workers aged 16 or 17

    ", + "

    Staff aged 16 or 17 cannot work between midnight and 4am.

    ", + "

    They usually cannot work between 10pm and 6am (this can be changed to not working between 11pm and 7am, by contract) but there are exceptions if they work in:

    ", + "
  • agriculture
  • ", + "
  • cultural, sporting, artistic or advertising activities
  • ", + "
  • a hospital
  • ", + "
  • a hotel or catering
  • ", + "
  • retail
  • ", + "
  • post or newspaper delivery
  • ", + "

    In exceptional circumstances they can work at night if there\u2019s no adult to do the work and they\u2019re needed to either:

    ", + "
  • handle a sudden increase in demand
  • ", + "
  • maintain the continuity of a service or production - for example, filming
  • ", + "

    The employer must give the young person a rest period of the same length as the extended shift.

    ", + "

    There are other restrictions on employing young people.

    ", + "

    Special hazards and mental or physical strain

    ", + "

    Night workers who deal with special hazards or whose work involves mental or physical strain cannot work longer than 8 hours in any 24-hour period.

    ", + "

    A risk assessment must be carried out to identify special hazards and work involving mental or physical strain.

    ", + "

    The hazards and strains may also be set out in collective or workforce agreements.

    ", + "

    What employers must do

    ", + "

    Employers must keep records of night workers\u2019 working hours to show they are not exceeding the limits.

    ", + "

    The records must be kept for at least 2 years.

    ", + "

    Contact Acas for more information.

    ", + "

    You cannot discriminate against a worker if they do not want to work nights.

    ", + "

    Exceptions to night work limits

    ", + "

    The limits on night working hours do not usually apply:

    ", + "
  • in the armed forces and emergency services
  • ", + "
  • to domestic staff employed in a private house
  • ", + "
  • when people can choose how long they work - for example, company executives or freelancers
  • ", + "

    The limits on night working hours do not apply:

    ", + "
  • in jobs that need round-the-clock staffing, like hospital work
  • ", + "
  • in an industry with busy peak periods, like agriculture, retail, tourism, security and surveillance
  • ", + "
  • if there\u2019s an emergency or an accident
  • ", + "
  • if a member of staff has to travel a long distance from home to work or constantly works in different places
  • ", + "
  • if a collective or workforce agreement excludes or changes the restriction on night work
  • ", + "

    Different rules apply to workers in road, sea and air transport.

    ", + "

    Rest breaks if night work limits do not apply

    ", + "

    Workers must get \u2018compensatory rest\u2019 instead of a normal working week with breaks during the day.

    ", + "

    Compensatory rest is a minimum of 90 hours rest per week on average.

    ", + "

    Employers must also follow the general rules on working hours.

    ", + "

    If you\u2019re not sure whether these exceptions apply in your situation, contact Acas.

    ", + "

    Health assessments

    ", + "

    Employers must offer workers a free health assessment before they become a night worker. Workers do not have to accept.

    ", + "

    The assessment must be written by a qualified health professional. It can be a questionnaire.

    ", + "

    Employers must take into account that night work might increase a worker\u2019s stress levels.

    ", + "

    The worker must get a follow-up examination by a health professional when an employer is unsure if the worker is fit for night work.

    ", + "

    A repeat assessment must be offered regularly.

    ", + "

    The employer must offer suitable other work where possible if a worker has health problems that a doctor says are related to night work.

    ", + "

    Keep records

    ", + "

    Employers must keep confidential records of:

    ", + "
  • the health assessments (keep for 2 years)
  • ", + "
  • dates when assessments were offered (if a worker did not want one)
  • " + ] + }, + { + "title": "Overtime: your rights", + "url": "https://www.gov.uk/overtime-your-rights", + "contents": [ + "

    Overview

    ", + "

    If you have normal working hours, overtime usually means any time you work beyond these hours.

    ", + "

    Normal working hours are the hours fixed by your employment contract.

    ", + "

    Overtime pay

    ", + "

    Employers do not have to pay workers for overtime. However, your average pay for the total hours you work must not fall below the National Minimum Wage.

    ", + "

    Your employment contract will usually include details of any overtime pay rates and how they\u2019re worked out.

    ", + "

    Help and advice

    ", + "

    Contact Acas for free and confidential advice on working hours.

    ", + "

    Compulsory overtime

    ", + "

    You only have to work overtime if your contract says so.

    ", + "

    Even if it does, by law, you cannot usually be forced to work more than an average of 48 hours per week. You can agree to work longer - but this agreement must be in writing and signed by you.

    ", + "

    Unless your contract guarantees you overtime, your employer can stop you from working it.

    ", + "

    However, your employer cannot discriminate against anyone, for example by stopping some employees from working overtime while letting others do so.

    ", + "

    Part-time workers

    ", + "

    Usually, part-time workers must not be treated less favourably than full-time staff.

    ", + "

    You\u2019ll normally get paid at your hourly rate if you work longer hours than set out in your employment contract. Your employer will usually only pay overtime if at least one of the following applies:

    ", + "
  • you work more than the normal working hours of full-time staff and full-time staff would get extra pay for working these hours
  • ", + "
  • you work at unsocial times (for example, late at night) and full-time staff would get more pay
  • ", + "

    Your contract will say if your right to paid overtime is different.

    ", + "

    Time off and paid leave

    ", + "

    Time off in lieu (TOIL)

    ", + "

    Some employers give you time off instead of paying for overtime. This is known as \u2018time off in lieu\u2019.

    ", + "

    You agree the terms (for example, when it can be taken) with your employer.

    " + ] + }, + { + "title": "Rest breaks at work", + "url": "https://www.gov.uk/rest-breaks-work", + "contents": [ + "

    Overview

    ", + "

    Workers over 18 are usually entitled to 3 types of break - rest breaks at work, daily rest and weekly rest.

    ", + "

    Rest breaks at work

    ", + "

    Workers have the right to one uninterrupted 20 minute rest break during their working day, if they work more than 6 hours a day. This could be a tea or lunch break.

    ", + "

    The break doesn\u2019t have to be paid - it depends on their employment contract.

    ", + "

    Daily rest

    ", + "

    Workers have the right to 11 hours rest between working days, eg if they finish work at 8pm, they shouldn\u2019t start work again until 7am the next day.

    ", + "

    Weekly rest

    ", + "

    Workers have the right to either:

    ", + "
  • an uninterrupted 24 hours without any work each week
  • ", + "
  • an uninterrupted 48 hours without any work each fortnight
  • ", + "

    A worker\u2019s employment contract may say they\u2019re entitled to more or different rights to breaks from work.

    ", + "

    Work that puts health and safety at risk

    ", + "

    An employer should give an employee enough breaks to make sure their health and safety isn\u2019t at risk if that work is \u2018monotonous\u2019 (eg work on a production line).

    ", + "

    Domestic workers in a private house (eg a cleaner or au pair) aren\u2019t entitled to rest breaks for health and safety reasons.

    ", + "

    Taking breaks

    ", + "

    Employers can say when employees take rest breaks during work time as long as:

    ", + "
  • the break is taken in one go somewhere in the middle of the day (not at the beginning or end)
  • ", + "
  • workers are allowed to spend it away from their desk or workstation (ie away from where they actually work)
  • ", + "

    It doesn\u2019t count as a rest break if an employer says an employee should go back to work before their break is finished.

    ", + "

    Unless a worker\u2019s employment contract says so, they don\u2019t have the right to:

    ", + "
  • take smoking breaks
  • ", + "
  • get paid for rest breaks
  • ", + "

    Exceptions and special circumstances

    ", + "

    There are exemptions to the rights to rest breaks.

    ", + "

    Some workers are entitled to compensatory rest breaks, eg shift workers.

    ", + "

    Young people and lorry and coach drivers have different rights to rest breaks.

    ", + "

    Compensatory rest

    ", + "

    Workers may be entitled to \u2018compensatory rest\u2019 if they don\u2019t have the right to specific rest breaks. Compensatory rest breaks are the same length of time as the break (or part of it) that they\u2019ve missed.

    ", + "

    A worker may be entitled to compensatory rest if:

    ", + "
  • they\u2019re a shift worker and can\u2019t take daily or weekly rest breaks between ending one shift and starting another
  • ", + "
  • their workplace is a long way from their home (eg an oil rig)
  • ", + "
  • they work in different places which are a reasonable distance from each other
  • ", + "
  • they\u2019re doing security and surveillance-based work
  • ", + "
  • they\u2019re working in an industry which is very busy at certain times of the year \u2013 like agriculture, retail, postal services or tourism
  • ", + "
  • they need to work because there\u2019s an exceptional event, an accident or a risk that an accident is about to happen
  • ", + "
  • the job needs round-the-clock staffing so there aren\u2019t interruptions to any services or production (eg hospital work)
  • ", + "
  • they work in the rail industry on board trains or their job is linked to making sure trains run on time
  • ", + "
  • their working day is split up (eg they\u2019re a cleaner and work for part of the morning and the evening)
  • ", + "
  • there is an agreement between management, trade unions or the workforce (a \u2018collective\u2019 or \u2018workforce\u2019 agreement) that has changed or removed rights to these rest breaks for a group of workers
  • ", + "

    The total rest entitlement for a week is 90 hours a week on average - this doesn\u2019t include breaks at work, which are additional.

    ", + "

    Exceptions

    ", + "

    Workers aren\u2019t entitled to the 3 general types of rest break if they work in:

    ", + "
  • the armed forces, emergency services or police and they\u2019re dealing with an exceptional catastrophe or disaster
  • ", + "
  • a job where they freely choose what hours they work (like a managing director) or where the work is not measured (ie no set hours)
  • ", + "
  • sea transport
  • ", + "
  • air or road transport (known as \u2018mobile\u2019 workers)
  • ", + "

    Air, sea or road transport workers may be covered by special rules that give them different rest rights.

    ", + "

    Mobile workers not covered by any special rules usually have the right to regular rest so that their health and safety (or anyone else\u2019s) isn\u2019t put at risk.

    ", + "

    There are also special rules for young workers and for lorry and coach drivers.

    ", + "

    Young workers

    ", + "

    Young workers (above school leaving age and under 18) are usually entitled to:

    ", + "
  • a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)
  • ", + "
  • daily rest of 12 hours
  • ", + "
  • weekly rest of 48 hours
  • ", + "

    Exceptions for young workers

    ", + "

    Young workers sometimes aren\u2019t entitled to daily rest or rest breaks at work if their work has to be done because of an exceptional event (eg an accident). This is only where:

    ", + "
  • there isn\u2019t a worker over 18 who can do the work
  • ", + "
  • the work is temporary and must be done immediately
  • ", + "

    Compensatory rest for young workers

    ", + "

    Young workers have the right to compensatory rest if they\u2019re not entitled to daily rest or rest breaks at work. This is the same amount of rest that they should have had. It can be taken just after any rest they\u2019ve missed but it must be taken within the following 3 weeks.

    ", + "

    Disputes

    ", + "

    Workers who can\u2019t take or aren\u2019t allowed rest breaks should speak to their manager informally.

    ", + "

    Get more information for employees who want to raise a grievance or advice for employers on handling grievances if there is a disagreement about rest breaks.

    ", + "

    Workers can also get advice on rest breaks from the Acas helpline.

    ", + "

    If a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.

    " + ] + }, + { + "title": "Dismissing staff", + "url": "https://www.gov.uk/dismiss-staff", + "contents": [ + "

    Overview

    ", + "

    Dismissal is when you end an employee\u2019s contract. When dismissing staff, you must do it fairly.

    ", + "

    There are different types of dismissal:

    ", + "
  • fair dismissal
  • ", + "
  • unfair dismissal
  • ", + "
  • constructive dismissal
  • ", + "
  • wrongful dismissal
  • ", + "

    If you\u2019ve had to dismiss staff because of coronavirus (COVID-19), you might be able to re-employ them and pay their wages through the Coronavirus Job Retention Scheme.

    ", + "

    Fair and unfair dismissal

    ", + "

    A dismissal is fair or unfair depending on:

    ", + "
  • your reason for it
  • ", + "
  • how you act during the dismissal process
  • ", + "

    Constructive dismissal

    ", + "

    This is when an employee resigns because you\u2019ve breached their employment contract. This could be a single serious event or a series of less serious events.

    ", + "

    An employee could claim constructive dismissal if you:

    ", + "
  • cut their wages without agreement
  • ", + "
  • unlawfully demote them
  • ", + "
  • allow them to be harassed, bullied or discriminated against
  • ", + "
  • unfairly increase their workload
  • ", + "
  • change the location of their workplace at short notice
  • ", + "
  • make them work in dangerous conditions
  • ", + "

    A constructive dismissal is not necessarily unfair - but it would be difficult for you to show that a breach of contract was fair.

    ", + "

    A constructive dismissal might lead to a claim for wrongful dismissal.

    ", + "

    Wrongful dismissal

    ", + "

    This is where you break the terms of an employee\u2019s contract in the dismissal process, for example dismissing someone without giving them proper notice.

    ", + "

    Wrongful dismissal is not the same as unfair dismissal.

    ", + "

    If an employee thinks you\u2019ve dismissed them unfairly, constructively or wrongfully, they might take you to an employment tribunal.

    ", + "

    Fair dismissals

    ", + "

    You must have a valid reason for dismissing an employee. Valid reasons include:

    ", + "
  • their capability or conduct
  • ", + "
  • redundancy
  • ", + "
  • something that prevents them from legally being able to do their job, for example a driver losing their driving licence
  • ", + "

    There could be other fair reasons too - these are sometimes called \u2018other substantial reasons\u2019.

    ", + "

    Acting reasonably

    ", + "

    Even if you have a fair reason, the dismissal is only fair if you also act reasonably during the dismissal and disciplinary process.

    ", + "

    There\u2019s no legal definition of \u2018reasonableness\u2019, but if you\u2019re taken to an employment or industrial tribunal they would consider whether you:

    ", + "
  • genuinely believed that the reason was fair
  • ", + "
  • carried out proper investigations where appropriate
  • ", + "
  • followed the relevant procedures
  • ", + "
  • told the employee why they were being considered for dismissal and listened to their views (in Northern Ireland, the employer must do this in writing)
  • ", + "
  • allowed the employee to be accompanied at disciplinary/dismissal hearings
  • ", + "
  • gave the employee the chance to appeal
  • ", + "

    Reasonableness might also depend on whether the employee could be expected to understand the consequences of their behaviour.

    ", + "

    Dismissal and disciplinary procedures

    ", + "

    You must set out your dismissal and disciplinary rules and procedures in writing - if you do not, a tribunal can order you to pay an employee compensation.

    ", + "

    Summary dismissal

    ", + "

    This is when you dismiss someone instantly without notice or pay in lieu of notice, usually because of gross misconduct (for example theft, fraud, violence).

    ", + "

    Tribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.

    ", + "

    If you feel summary dismissal\u2019s your only choice, you must still follow a fair procedure as you would do for any other disciplinary matter.

    ", + "

    Unfair dismissals

    ", + "

    Even if you think you\u2019ve dismissed someone fairly, they could still claim unfair dismissal against you if they think that:

    ", + "
  • the reason you gave for the dismissal was not the real one
  • ", + "
  • the reason was unfair
  • ", + "
  • you acted unreasonably, for example by failing to give them plenty of warning about their dismissal
  • ", + "

    Automatically unfair reasons for dismissal

    ", + "

    Even if you\u2019ve acted reasonably, some reasons for dismissal are classed automatically unfair. These are to do with the following areas:

    ", + "
  • pregnancy, including all reasons relating to maternity
  • ", + "
  • family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants
  • ", + "
  • acting as an employee representative
  • ", + "
  • acting as a trade union representative
  • ", + "
  • acting as an occupational pension scheme trustee
  • ", + "
  • joining or not joining a trade union
  • ", + "
  • being a part-time or fixed-term employee
  • ", + "
  • pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage
  • ", + "
  • whistleblowing
  • ", + "

    Compulsory retirement on the grounds of age is unlawful unfair dismissal unless you can objectively justify it - but you could be challenged at a tribunal.

    ", + "

    Industrial action

    ", + "

    It\u2019s automatically unfair to dismiss someone for taking part in official (\u2018lawful\u2019) industrial action:

    ", + "
  • in the 12-week period from the day the industrial action starts
  • ", + "
  • if the action lasts longer than 12 weeks and you have not taken reasonable steps to resolve the dispute
  • ", + "

    Only an employment or industrial tribunal can decide whether or not you\u2019ve taken reasonable steps to resolve a dispute.

    ", + "

    If you \u2018lock out\u2019 employees taking industrial action, the days of the lock-out are not included in the calculation of the 12-week protected period.

    ", + "

    A lock-out is where you prevent employees from getting to their workplace, for example by locking the doors.

    ", + "

    Disability

    ", + "

    If a disabled employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them.

    ", + "

    Political beliefs and groups

    ", + "

    It is not automatically unfair to dismiss someone because of their political beliefs or political groups they belong to, but a tribunal might find this unfair.

    ", + "

    There\u2019s no longer a qualifying period for someone going to an employment tribunal if they\u2019ve been dismissed because of political opinions or affiliation. This applies to anyone dismissed from 25 June 2013.

    ", + "

    Penalties for unfair dismissals

    ", + "

    If a tribunal finds that an employee has been unfairly dismissed, you might be ordered to:

    ", + "
  • reinstate them (give them their job back)
  • ", + "
  • re-engage them (re-employ them in a different job)
  • ", + "

    You might also have to pay compensation, which depends on the employee\u2019s:

    ", + "
  • age
  • ", + "
  • gross weekly pay
  • ", + "
  • length of service
  • ", + "

    You might have to pay extra compensation if you do not follow a tribunal\u2019s order to reinstate someone.

    ", + "

    There\u2019s a limit on the amount a tribunal can award for unfair dismissal, apart from in cases relating to:

    ", + "
  • health and safety (for example where you unfairly dismiss someone for taking action on health and safety grounds)
  • ", + "
  • whistleblowing
  • ", + "

    Eligibility to claim unfair dismissal

    ", + "

    Employees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.

    ", + "Date employment started | When the employee can claim", + "Before 6 April 2012 | After first year of employment", + "After 6 April 2012 | After 2 years of employment", + "

    Who cannot claim unfair dismissal

    ", + "

    The right to complain to a tribunal about unfair dismissal is not available to:

    ", + "
  • self-employed people
  • ", + "
  • independent contractors
  • ", + "
  • members of the armed forces
  • ", + "
  • employees who have reached a settlement with their employer through Acas (Advisory, Conciliation and Arbitration Service) or the Labour Relations Agency (LRA) in Northern Ireland
  • ", + "
  • employees who have reached a settlement with their employer through a \u2018settlement agreement\u2019 or \u2018compromise agreement\u2019 after taking legal advice
  • ", + "
  • employees employed under an illegal contract, for example a barman under the age of 18
  • ", + "
  • employees covered by a dismissal procedure agreement that\u2019s been legally exempted from the unfair dismissal rules
  • ", + "
  • employees taking part in unofficial industrial action (unless the dismissal is for an automatically unfair reason)
  • ", + "
  • police officers (unless the dismissal relates to health and safety or whistleblowing)
  • ", + "
  • those working on a fishing vessel and paid by a share in the profits or gross earnings of the vessel
  • ", + "

    Dismissals for conduct or performance reasons

    ", + "

    You can dismiss an employee if:

    ", + "
  • they\u2019re incapable of doing their job to the required standard
  • ", + "
  • they\u2019re capable, but unwilling to do their job properly
  • ", + "
  • they\u2019ve committed some form of misconduct
  • ", + "

    If you want to dismiss someone, there\u2019s no specific process you must go through by law - as long as you do it fairly.

    ", + "

    If a capability issue is linked to someone\u2019s health, you should try as many ways as possible to help them do their job before dismissing them.

    ", + "

    Disciplinary procedures

    ", + "

    You should include examples of what you consider to be misconduct in your disciplinary rules.

    ", + "

    Different disciplinary procedures are appropriate for different circumstances.

    ", + "

    Employees have the right to be accompanied to all disciplinary meetings and to appeal to a manager. Keep notes of all meetings and give copies to the employee.

    ", + "

    Misconduct

    ", + "

    Misconduct can include things like persistent lateness or unauthorised absence from work.

    ", + "

    To make sure the dismissal is fair when misconduct is not \u2018serious\u2019 or \u2018gross\u2019:

    ", + "
  • Arrange a meeting with the employee, telling them the reason for it. At the meeting, give them a chance to explain and issue a first written warning if you\u2019re not satisfied with their reasons. In the warning, tell them how you expect them to improve and over what period - warn them that if they do not improve enough, you\u2019ll give them a final written warning.
  • ", + "
  • Hold a second meeting if their performance or behaviour has not improved enough by the deadline - give them a chance to explain and issue a final written warning if you\u2019re not satisfied with their reasons. Revise the action plan with timescales for improvement and warn them that you\u2019ll consider dismissal if there\u2019s no improvement.
  • ", + "
  • Hold a third meeting if their performance or behaviour is still not up to standard by these new deadlines. Warn them that dismissal is now possible. After the meeting - or appeal if there is one - decide whether to give the employee a further chance to improve, or dismiss them. You must tell the employee of your final decision, whatever it is.
  • ", + "

    Serious misconduct

    ", + "

    You can issue a single \u2018first and final\u2019 written warning if the misconduct or underperformance is serious enough. Explain that not improving could lead to dismissal. \u2018Serious enough\u2019 includes if it\u2019s likely to or has caused serious harm to the organisation itself.

    ", + "

    Gross misconduct

    ", + "

    Gross misconduct can include things like theft, physical violence, gross negligence or serious insubordination.

    ", + "

    With gross misconduct, you can dismiss the employee immediately as long as you follow a fair procedure. You should investigate the incident and give the employee a chance to respond before deciding to dismiss them.

    ", + "

    One-off incidents

    ", + "

    An informal discussion may be enough to resolve the issue if the misconduct or underperformance was a one-off and the employee has a good disciplinary record.

    ", + "

    Dismissals due to illness

    ", + "

    Sometimes an employee may have to stop working because of long-term ill health. They may resign, or you may have to consider dismissing them.

    ", + "

    Considering dismissing an employee

    ", + "

    Dismissal is a last resort and you should consider as many ways as possible to help the employee back to work, including:

    ", + "
  • getting a medical report from their GP with the employee\u2019s permission - they have the right to see the report before you do
  • ", + "
  • arranging an occupational health assessment
  • ", + "
  • work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job
  • ", + "

    If the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.

    ", + "

    How to dismiss someone

    ", + "

    During the dismissal procedure, make sure you act fairly and reasonably. You must treat the employee with sensitivity.

    ", + "

    Your procedure should follow the advice set out in the Acas (Advisory, Conciliation and Arbitration Service) code of practice, or the Labour Relations Agency (LRA) code of practice for Northern Ireland.

    ", + "

    If you do not follow the code and are taken to an employment or industrial tribunal, you may have to pay compensation.

    " + ] + }, + { + "title": "Handling an employee's grievance", + "url": "https://www.gov.uk/handling-employee-grievance", + "contents": [ + "

    Overview

    ", + "

    If your employee has a concern or problem that they haven\u2019t been able to resolve informally, they may make a formal grievance complaint to you.

    ", + "

    Businesses must have a written grievance procedure in place and share it with all employees. It must say how the process works and how long it takes.

    ", + "

    After a hearing of the evidence, you should let the employee know your decision in writing. If they aren\u2019t happy with the decision, they can appeal.

    ", + "

    Grievance procedure

    ", + "

    By law employers must set out a grievance procedure and share it in writing with all employees, eg in their statement of employment or staff handbook. It must include:

    ", + "
  • who the employee should contact about a grievance
  • ", + "
  • how to contact this person
  • ", + "

    It should also:

    ", + "
  • say that if the problem can\u2019t be resolved informally, there will be a meeting with the employee, called a grievance hearing
  • ", + "
  • set out time limits for each stage of the process
  • ", + "
  • identify who to contact if the normal contact person is involved in the grievance
  • ", + "
  • explain how to appeal a grievance decision
  • ", + "
  • state that employees can be accompanied in any meetings by a colleague or union representative
  • ", + "
  • outline what happens if a grievance is raised during disciplinary action
  • ", + "

    You don\u2019t have to include information about the grievance procedure in employment contracts. However, if you do, you must follow the procedure, or the employee could bring a breach of contract claim against you.

    ", + "

    Acas Code of Practice

    ", + "

    The Acas Code of Practice isn\u2019t legally binding. However, an employment tribunal can reduce or increase any money awarded in a case by up to 25% if the code hasn\u2019t been followed.

    ", + "

    The grievance hearing

    ", + "

    Preparing for the hearing

    ", + "

    Before holding a hearing, employers should:

    ", + "
  • give the employee notice so that they can prepare their case
  • ", + "
  • carry out a full investigation if necessary and take statements from any witnesses who cannot attend
  • ", + "
  • make it clear that the employee can bring a colleague or union representative if they want to
  • ", + "
  • arrange for another manager to attend to make sure that the hearing is conducted properly
  • ", + "
  • arrange for someone to take notes
  • ", + "

    Delays

    ", + "

    If the employee cannot attend the hearing (eg because they are ill), offer them a reasonable alternative date and time.

    ", + "

    The employee can also suggest a different time for the hearing if the person accompanying them cannot attend. They must do this within 5 working days after you proposed the original meeting time.

    ", + "

    You can make your decision without having a hearing if:

    ", + "
  • you have already rearranged the meeting, but the employee fails to attend
  • ", + "
  • the employee is on long-term sick leave and unable to go to meetings in the near future (they can supply written information instead if they want to)
  • ", + "

    Employers' decisions and appeals

    ", + "

    After the hearing

    ", + "

    You should give the employee a copy of the meeting records. You may be able to leave out some information in certain circumstances (eg to protect a witness).

    ", + "

    After you have decided the action to take, write to the parties involved, setting out:

    ", + "
  • your decision and the reasons behind it
  • ", + "
  • the appeals process and deadline
  • ", + "

    If there are any delays during the appeal process, it\u2019s important that you tell the employee as soon as possible.

    ", + "

    Appeals

    ", + "

    If the employee appeals, there should be another hearing to re-examine the decision. The process is the same as the original hearing but you should also look at:

    ", + "
  • the reasoning behind the appeal
  • ", + "
  • any new evidence
  • ", + "

    If possible, the appeal should not be heard by the same person who held the original hearing.

    ", + "

    After the appeal hearing, you should set out your decision in writing and state that this is the final outcome.

    " + ] + }, + { + "title": "Making staff redundant", + "url": "https://www.gov.uk/staff-redundant", + "contents": [ + "

    Overview

    ", + "

    Redundancy is when you dismiss an employee because you no longer need anyone to do their job. This might be because your business is:

    ", + "
  • changing what it does
  • ", + "
  • doing things in a different way, for example using new machinery
  • ", + "
  • changing location or closing down
  • ", + "

    If you\u2019ve been impacted by coronavirus (COVID-19), you can get funding to continue to pay your employees instead of making them redundant. This is known as furloughing.

    ", + "

    For a redundancy to be genuine, you must demonstrate that the employee\u2019s job will no longer exist.

    ", + "

    Redundancies can be compulsory or non-compulsory. If you do have to make redundancies you can get help from Jobcentre Plus.

    ", + "

    Employee rights

    ", + "

    Employees have certain rights and may be entitled to redundancy pay if they\u2019re made redundant.

    ", + "

    All employees under notice of redundancy have the right to:

    ", + "
  • reasonable time off to look for a new job or arrange training
  • ", + "
  • not be unfairly selected for redundancy
  • ", + "

    You should always take steps to avoid redundancies before dismissing staff.

    ", + "

    Alternative employment

    ", + "

    Employers must try to find suitable alternative employment within the organisation for employees they\u2019ve made redundant.

    ", + "

    Employees can try out an alternative role for 4 weeks (or more if agreed in writing) without giving up their right to redundancy pay.

    ", + "

    Avoiding redundancies

    ", + "

    You should take steps to avoid compulsory redundancies, for example by:

    ", + "
  • seeking applicants for voluntary redundancy or early retirement
  • ", + "
  • seeking applications from existing staff to work flexibly
  • ", + "
  • laying off self-employed contractors, freelancers etc
  • ", + "
  • not using casual labour
  • ", + "
  • restricting recruitment
  • ", + "
  • reducing or banning overtime
  • ", + "
  • filling vacancies elsewhere in the business with existing employees
  • ", + "
  • short-time working or temporary lay-offs
  • ", + "

    Offers of alternative work

    ", + "

    Even if you\u2019ve selected someone for redundancy, you can still offer them alternative work.

    ", + "

    For an offer to be valid:

    ", + "
  • it should be unconditional and in writing
  • ", + "
  • it must be made before the employee\u2019s current contract ends
  • ", + "
  • it should show how the new job differs from the old
  • ", + "
  • the job must actually be offered to the employee - they should not have to apply
  • ", + "
  • the new job must start within 4 weeks of the old job ending
  • ", + "

    Employees who accept an offer of alternative work are allowed a 4-week trial period to see if the work is suitable. If you both agree that it is not, they can still claim redundancy pay.

    ", + "

    The trial period can be longer than 4 weeks if you agree this in writing.

    ", + "

    If you think the job is suitable but the employee refuses to take it, they might lose any redundancy pay entitlement.

    ", + "

    Lay-offs and short-time working

    ", + "

    You can lay off an employee (ask them to stay at home or take unpaid leave) when you temporarily cannot give them paid work - as long as the employment contract allows this.

    ", + "

    Short-time working is when an employee works reduced hours or is paid less than half a week\u2019s pay.

    ", + "

    Laying off staff or short-time working can help avoid redundancies - but you have to agree this with staff first.

    ", + "

    This could be in:

    ", + "
  • their employment contract
  • ", + "
  • a national agreement for the industry
  • ", + "
  • a collective agreement between you and a recognised trade union
  • ", + "

    National and collective agreements can only be enforced if they\u2019re in the employee\u2019s employment contract.

    ", + "

    You may also be able to lay off an employee or put them on short-time working:

    ", + "
  • where you have clear evidence showing it\u2019s been widely accepted in your organisation over a long period of time
  • ", + "
  • if you agree with the employee to change their employment contract to allow them to be laid off or put on short-time working (this will not automatically give you the power to do this without their consent in the future)
  • ", + "

    Statutory guarantee payments

    ", + "

    Employees are entitled to these if you do not provide them with a full day\u2019s work during the time they\u2019d normally be required to work.

    ", + "

    The maximum payment is \u00a330 a day for 5 days (\u00a3150) in any 3 months. If employees usually earn less than \u00a330 a day, they\u2019ll get their usual daily rate. For part-time workers, the rate is worked out proportionally.

    ", + "

    Employees can claim a redundancy payment from you if the lay-off or short-time working runs for:

    ", + "
  • 4 or more weeks in a row
  • ", + "
  • 6 or more weeks in a 13 week period, where no more than 3 are in a row
  • ", + "

    They must give you written notice in advance that they want to make a claim.

    ", + "

    You do not have to pay if they\u2019ll return to normal working hours within 4 weeks.

    ", + "

    If you do not give guarantee pay to someone who\u2019s entitled to it, they could take you to an employment tribunal.

    ", + "

    There\u2019s more advice on lay-offs and short-time working on the Acas (Advisory, Conciliation and Arbitration Service) website.

    ", + "

    Non-compulsory redundancy

    ", + "

    Voluntary redundancy

    ", + "

    This is where you ask employees if they\u2019d like to volunteer for redundancy.

    ", + "

    You must have a fair and transparent selection process and tell employees they will not automatically be selected just because they applied.

    ", + "

    Early retirement

    ", + "

    This is where you offer employees incentives to retire early. It is used as an alternative to voluntary redundancy.

    ", + "

    The offer must be made across the workforce - you cannot single out specific individuals.

    ", + "

    You cannot force anyone into early retirement - it must be the employee\u2019s choice.

    ", + "

    Compulsory redundancy

    ", + "

    If you decide you need to make compulsory redundancies, you must:

    ", + "
  • identify which employees will be made redundant
  • ", + "
  • make sure you select people fairly - do not discriminate
  • ", + "

    Fair selection criteria

    ", + "

    Fair reasons for selecting employees for redundancy include:

    ", + "
  • skills, qualifications and aptitude
  • ", + "
  • standard of work and/or performance
  • ", + "
  • attendance
  • ", + "
  • disciplinary record
  • ", + "

    You can select employees based on their length of service (\u2018last in, first out\u2019) but only if you can justify it. It could be indirect discrimination if it affects one group of people more than another.

    ", + "

    Do not rely on length of service as your only selection criteria - this is likely to be age discrimination.

    ", + "

    Unfair selection criteria

    ", + "

    Some selection criteria are automatically unfair. You must not select an employee for redundancy based on any of the following reasons:

    ", + "
  • pregnancy, including all reasons relating to maternity
  • ", + "
  • family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants
  • ", + "
  • acting as an employee representative
  • ", + "
  • acting as a trade union representative
  • ", + "
  • joining or not joining a trade union
  • ", + "
  • being a part-time or fixed-term employee
  • ", + "
  • age, disability, gender reassignment, marriage and civil partnership, race, religion or belief, sex and sexual orientation
  • ", + "
  • pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage
  • ", + "

    You should always consult employees in a redundancy situation.

    ", + "

    Redundancy consultations

    ", + "

    If you do not consult employees in a redundancy situation, any redundancies you make will almost certainly be unfair and you could be taken to an employment tribunal.

    ", + "

    You must follow \u2018collective consultation\u2019 rules if you\u2019re making 20 or more employees redundant within any 90-day period at a single establishment.

    ", + "

    There are no set rules to follow if there are fewer than 20 redundancies planned, but it\u2019s good practice to fully consult employees and their representatives. An employment tribunal could decide that you\u2019ve dismissed your staff unfairly if you do not.

    ", + "

    Consultation does not have to end in agreement, but it must be carried out with a view to reaching it, including ways of avoiding or reducing the redundancies.

    ", + "

    Collective consultation

    ", + "

    Follow these steps.

    ", + "
  • You must notify the Redundancy Payments Service (RPS) before a consultation starts. The deadline depends on the number of proposed redundancies.
  • ", + "
  • Consult with trade union representatives or elected employee representatives - or with staff directly if there are none.
  • ", + "
  • Provide information to representatives or staff about the planned redundancies, giving representatives or staff enough time to consider them.
  • ", + "
  • Respond to any requests for further information.
  • ", + "
  • Give any affected staff termination notices showing the agreed leaving date.
  • ", + "
  • Issue redundancy notices once the consultation is complete.
  • ", + "

    Notification

    ", + "

    Notify RPS by filling in form HR1. Instructions on where to send it are on the form.

    ", + "

    The deadline for notifying RPS depends on the number of proposed redundancies.

    ", + "Number of proposed redundancies | When notification to RPS must be given", + "20 to 99 | 30 days before the first redundancy", + "100 or more | 45 days before the first redundancy", + "

    You can be fined an unlimited amount if you do not notify RPS.

    ", + "

    Consultation

    ", + "

    There\u2019s no time limit on how long consultations last, but there is a minimum period before you can dismiss any employees.

    ", + "Number of proposed redundancies | Minimum consultation period before dismissal", + "20 to 99 | 30 days", + "100 or more | 45 days", + "

    Information you must provide to representatives or staff

    ", + "

    You must provide written details of:

    ", + "
  • the reasons for redundancies
  • ", + "
  • the numbers and categories of employees involved
  • ", + "
  • the numbers of employees in each category
  • ", + "
  • how you plan to select employees for redundancy
  • ", + "
  • how you\u2019ll carry out redundancies
  • ", + "
  • how you\u2019ll work out redundancy payments
  • ", + "

    Further information

    ", + "

    Download the guidance on how to manage collective redundancies from Advisory, Conciliation and Arbitration Service (Acas).

    ", + "

    Giving staff notice

    ", + "

    You must give staff notice and agree a leaving date once you\u2019ve finished the redundancy consultations.

    ", + "

    Give staff at least the statutory notice period, based on how long they have worked.

    ", + "Length of service | Notice you must give", + "1 month to 2 years | At least a week", + "2 years to 12 years | A week\u2019s notice for every year employed", + "12 or more years | 12 weeks", + "

    You can allow staff to leave earlier than the planned leaving date (for example without notice) by offering payment in lieu of notice.

    ", + "

    Notice pay

    ", + "

    You must give staff notice pay - based on their pay rate and notice period - or make a payment in lieu of notice.

    ", + "

    Your employee\u2019s notice pay is based on the average they earned per week over the 12 weeks before their notice period starts.

    ", + "

    If your employee earned less than usual because you used the Coronavirus Job Retention Scheme to put them \u2018on furlough\u2019, you must work out their notice payments based on what they would have earned normally.

    ", + "

    Pay in lieu of notice

    ", + "

    If you have included a payment in lieu of notice clause in the employment contract, you can end your staff\u2019s employment with no notice. This lets you make a payment to cover the notice period they would have worked.

    ", + "

    These payments must have tax and National Insurance deducted.

    ", + "

    When you make payments in lieu of notice, you still have to pay staff the basic pay they would have got during the notice period. You also have to pay pension, private health care insurance or other contributions if it\u2019s in the employee\u2019s contract.

    ", + "

    Redundancy pay

    ", + "

    Employees you make redundant might be entitled to redundancy pay - this is called a \u2018statutory redundancy payment\u2019.

    ", + "

    To be eligible, an individual must:

    ", + "
  • be an employee working under a contract of employment
  • ", + "
  • have at least 2 years\u2019 continuous service
  • ", + "
  • have been dismissed, laid off or put on short-time working - those who opted for early retirement do not qualify
  • ", + "

    You must make the payment when you dismiss the employee, or soon after.

    ", + "

    A redundant employee also has the right to a written statement setting out the amount of redundancy payment and how you worked it out.

    ", + "

    Statutory redundancy pay rates

    ", + "

    These are based on an employee\u2019s age and length of employment and are counted back from the date of dismissal.

    ", + "

    Employees get:

    ", + "
  • 1.5 weeks\u2019 pay for each full year of employment after their 41st birthday
  • ", + "
  • a week\u2019s pay for each full year of employment after their 22nd birthday
  • ", + "
  • half a week\u2019s pay for each full year of employment up to their 22nd birthday
  • ", + "

    Length of service is capped at 20 years.

    ", + "

    Your employee\u2019s weekly pay is the average they earned per week over the 12 weeks before the day they got their redundancy notice.

    ", + "

    If your employee earned less than usual because you used the Coronavirus Job Retention Scheme to put them \u2018on furlough\u2019, you must work out their redundancy payments based on what they would have earned normally.

    ", + "

    Weekly pay is capped at \u00a3544. The maximum amount of statutory redundancy pay is \u00a316,320.

    ", + "

    Statutory redundancy pay rates may be different in Northern Ireland.

    ", + "

    You can give your staff extra redundancy pay if you want to, or have a qualifying period of less than 2 years.

    ", + "

    You can use the redundancy pay calculator to work out payments.

    ", + "

    If you do not pay

    ", + "

    If you fail to pay redundancy pay or if an employee disagrees with the amount, they have 3 months from the date their employment ended to make a claim for payment to an employment tribunal.

    ", + "

    If an employee does not claim in time, a tribunal still has 6 months to decide whether or not they should get a payment.

    ", + "

    If you have financial difficulties

    ", + "

    If your business would become insolvent as a result of making the statutory redundancy payments, the Insolvency Service\u2019s Redundancy Payments Service (RPS) may be able to help.

    ", + "

    You\u2019d have to repay any debt as soon as possible. Email the Redundancy Payments Service for more information. Include all of the following in your email:

    ", + "
  • your name
  • ", + "
  • whether you\u2019re the employer
  • ", + "
  • whether you should be the main point of contact
  • ", + "
  • the name of your business
  • ", + "
  • your business address
  • ", + "
  • number of redundancies
  • ", + "

    Tax

    ", + "

    Employees who\u2019ve been made redundant only pay tax on payments over \u00a330,000. They do not pay any National Insurance.

    ", + "

    Tax and National Insurance are deducted from other termination payments, for example payment in lieu of holiday or notice.

    ", + "

    Getting help

    ", + "

    If you have to make redundancies, Jobcentre Plus can give you and your employees support and advice through its Rapid Response Service.

    ", + "

    Support could include:

    ", + "
  • helping people facing redundancy to write CVs and find jobs
  • ", + "
  • providing general information about benefits
  • ", + "
  • helping people to find the right training and learn new skills
  • ", + "
  • helping with costs like travel to work expenses
  • ", + "

    Jobcentre Plus may also provide on-site support for large scale redundancies.

    ", + "

    In Scotland, Rapid Response Service support is delivered through Partnership Action for Continuing Employment (PACE) - there\u2019s more information on the Skills Development Scotland website.

    ", + "

    In Wales, the service is delivered by the ReAct scheme.

    ", + "

    Acas has an online redundancy helpline.

    ", + "

    How to get help

    ", + "

    To find out how your business can use the Rapid Response Service, email rrs.enquiries@dwp.gov.uk and include:

    ", + "
  • your contact details
  • ", + "
  • the town(s) your business is based in (including postcodes)
  • ", + "
  • the location(s) of the redundancies
  • " + ] + }, + { + "title": "Solve a workplace dispute", + "url": "https://www.gov.uk/solve-workplace-dispute", + "contents": [ + "

    Overview

    ", + "

    Problems with your employer usually fall into one of two categories:

    ", + "
  • grievances - when you raise your concerns, problems or complaints with your employer
  • ", + "
  • disciplinaries - when your employer has concerns about your work, conduct or absence
  • ", + "

    Explain your concern to your manager to see if you can sort out any problems informally. You may find it helpful to suggest what you would like them to do to solve your problem.

    ", + "

    Your employer should discuss any disciplinary issues with you informally first. These issues could lead to formal disciplinary action, including dismissal in more serious or repetitive cases.

    ", + "

    Right to be accompanied

    ", + "

    You have the right to be accompanied to grievance or disciplinary meetings (and any appeals) by either a:

    ", + "
  • colleague or trade union representative
  • ", + "
  • family member or Citizens Advice Bureau worker if this allowed - check your employment contract, company handbook or human resources intranet site
  • ", + "

    Formal procedures

    ", + "

    You can make a formal grievance complaint or face formal disciplinary action if you were not able to resolve your problem informally.

    ", + "

    Grievances

    ", + "

    You can make a formal grievance complaint if you\u2019ve tried solving a problem by talking to your manager but you\u2019re not satisfied.

    ", + "

    Your employer should put their grievance procedure in writing. You should be able to find this in your:

    ", + "
  • company handbook
  • ", + "
  • human resources (HR) or personnel manual
  • ", + "
  • HR intranet site
  • ", + "
  • employment contract
  • ", + "

    Your employer\u2019s grievance procedure should include these steps:

    ", + "
  • writing a letter to your employer setting out the details of your grievance
  • ", + "
  • a meeting with your employer to discuss the issue
  • ", + "
  • the ability to appeal your employer\u2019s decision
  • ", + "

    Read the Acas guide on discipline and grievances at work for more information.

    ", + "

    Disciplinary action

    ", + "

    You might face disciplinary action if your employer has decided they have a serious issue with you or your work.

    ", + "

    Your employer should put their disciplinary procedure in writing and it should contain:

    ", + "
  • your employer\u2019s disciplinary procedure rules
  • ", + "
  • what performance and behaviour might lead to disciplinary action
  • ", + "
  • what action your employer might take and your right to appeal
  • ", + "

    Read the Acas guide on discipline and grievances at work for more information.

    ", + "

    Suspension from work

    ", + "

    If you are facing discipline over a serious issue, your employer may be able to suspend you during the time leading up to a disciplinary meeting.

    ", + "

    Check your employment contract, company handbook or HR intranet site to see if you\u2019re entitled to be paid when suspended.

    ", + "

    Using the Acas Code of Practice

    ", + "

    The result of your claim could be affected if either you or your employer do not follow the Acas Code of Practice on disciplinary and grievance procedures and you go to an employment tribunal.

    ", + "

    In this situation a tribunal can adjust the amount of compensation awarded by up to 25%.

    ", + "

    Appeals

    ", + "

    You can appeal the result of a grievance or disciplinary procedure. Your appeal must be in writing.

    ", + "

    Appeals procedure

    ", + "

    Your employer\u2019s grievance and disciplinary procedures will set out:

    ", + "
  • who you should submit your appeal to
  • ", + "
  • the time limit within which an appeal must be made
  • ", + "
  • any meetings that will be held
  • ", + "
  • how the appeal meeting will be run
  • ", + "

    You have the right to be accompanied during any appeal meetings.

    ", + "

    Mediation, conciliation and arbitration

    ", + "

    You can get help from a third-party to solve disputes between you and your employer. The main ways you can do this are through:

    ", + "
  • mediation
  • ", + "
  • conciliation
  • ", + "
  • arbitration
  • ", + "

    Mediation

    ", + "

    Mediation is when an independent and impartial third party discusses a problem with you and your employer (or between you and another employee) to try and find a solution. It\u2019s often used after informal discussions have not come up with a solution.

    ", + "

    Mediation is voluntary and the mediator cannot force you or your employer to accept a solution. Both you and your employer must agree on the way to solve the dispute.

    ", + "

    Mediation should not be used to solve problems that have to be formally investigated (for example, harassment or discrimination).

    ", + "

    You can also find a mediation service.

    ", + "

    Read the Acas guide on mediation for more information.

    ", + "

    Conciliation

    ", + "

    Conciliation is similar to mediation but is normally used when:

    ", + "
  • you believe you may be entitled to make a claim to an employment tribunal
  • ", + "
  • you have already made a claim to an employment tribunal
  • ", + "

    Conciliation is voluntary - both you and your employer must agree to it before it happens.

    ", + "

    Acas can offer a free service to help to settle a claim or potential claim.

    ", + "

    Read the Acas guide on conciliation for more information.

    ", + "

    Arbitration

    ", + "

    Arbitration is when a third-party makes a firm decision on a case after considering all the issues.

    ", + "

    You and your employer must agree to an arbitrator\u2019s decision being legally binding. If you do not agree, you can still take a case to an employment tribunal.

    ", + "

    Read the Acas guide on arbitration for more information.

    ", + "

    Tribunals

    ", + "

    If you have been unable to solve a problem between you and your employer, you may have to go to an employment tribunal.

    ", + "

    At the tribunal, you and your employer will present your cases, answer questions and the tribunal will make a decision.

    ", + "

    Help and advice

    ", + "

    Call Acas, contact Citizen\u2019s Advice or speak to your trade union or staff representative for help and advice.

    " + ] + }, + { + "title": "Taking disciplinary action against an employee", + "url": "https://www.gov.uk/taking-disciplinary-action", + "contents": [ + "

    Overview

    ", + "

    You should have written disciplinary rules and procedures to deal with employee performance and conduct and you must tell your staff about them.

    ", + "

    Your rules must say what is acceptable and unacceptable behaviour in the workplace and what action you will take if the rules are broken.

    ", + "

    The rules should follow the Acas code of practice on disciplinary and grievance procedures.

    ", + "

    Not following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.

    ", + "

    Acas guide to discipline and grievances

    ", + "

    The Acas guide to discipline and grievances at work gives more information for employers about taking disciplinary action.

    ", + "

    Acas Helpline

    ", + "

    The Acas Helpline has further advice on disciplinary issues.

    ", + "

    Practical training courses

    ", + "

    Acas also runs practical training courses on workplace discipline.

    ", + "

    Writing disciplinary proceedings

    ", + "

    Your disciplinary procedures should follow the Acas code of practice.

    ", + "

    Not following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.

    ", + "

    The exact rules will depend on your organisation, but could cover things like:

    ", + "
  • acceptable and unacceptable behaviour
  • ", + "
  • absence and timekeeping
  • ", + "
  • health and safety
  • ", + "
  • use of phones and the internet
  • ", + "

    You cannot normally discipline or dismiss an employee for whistleblowing.

    ", + "

    Gross misconduct

    ", + "

    Your disciplinary rules should give examples of what will be treated as gross misconduct. This is misconduct judged so serious that it\u2019s likely to lead to dismissal without notice, for example fraud, theft and physical violence.

    ", + "

    Telling employees about disciplinary rules

    ", + "

    Your disciplinary rules must be in your statement of employment or clearly written elsewhere, such as in a staff handbook.

    ", + "

    The rules should clearly say when someone might face disciplinary action and what that action could be.

    ", + "

    You must also give the name of someone they should appeal to if they\u2019re unhappy about a disciplinary decision.

    ", + "

    If you do not provide this information and an employee then wins an employment tribunal claim against you, they could be awarded 2 to 4 weeks\u2019 pay.

    ", + "

    Disciplinary procedures and contracts

    ", + "

    If you make your disciplinary procedures part of an employment contract then the employee could make a breach of contract claim against you if you do not follow your procedures.

    ", + "

    Example letters and forms

    ", + "

    Acas has a number of sample letters and forms for disciplinary proceedings on its website.

    ", + "

    Disciplinary investigations and hearings

    ", + "

    The law does not say exactly how you should investigate disciplinary issues or hold disciplinary meetings.

    ", + "

    However, the Acas guide to discipline and grievances at work has lots of practical advice about running disciplinary proceedings professionally and fairly.

    ", + "

    The suggested disciplinary process

    ", + "

    The Acas guidance suggests that your disciplinary process should follow the following format:

    ", + "
  • A letter telling your employee the issue and inviting them to a disciplinary hearing.
  • ", + "
  • A meeting with your employee to discuss the issue - they should have the right to be accompanied.
  • ", + "
  • A letter to your employee saying what action you are going to take. This should be sent as soon as practically possible.
  • ", + "
  • Your employee should than have a chance to appeal your decision.
  • ", + "

    Disciplinary decisions

    ", + "

    Disciplinary decisions could be anything that could resolve the problem.

    ", + "

    This could include:

    ", + "
  • no action
  • ", + "
  • written warning
  • ", + "
  • final warning
  • ", + "
  • demotion
  • ", + "
  • dismissal
  • ", + "
  • mediation with a co-worker
  • ", + "

    Appeals

    ", + "

    An employee has the right to appeal against a decision made after a disciplinary hearing.

    ", + "

    You should tell them about this when you give them written notice of your decision, and should give them a deadline to tell you they want to appeal.

    ", + "

    Your employee\u2019s statement of terms and conditions of employment must legally include the person they can apply to if they want to appeal a disciplinary decision. It must also explain how to do this.

    ", + "

    If the employee does decide to appeal, you should try to hold the appeal hearing as soon as possible.

    ", + "

    You should follow the Acas code of practice on disciplinary and grievance procedures when dealing with appeals. Otherwise, if someone wins an employment tribunal against you their award could be higher.

    " + ] + }, + { + "title": "Whistleblowing for employees", + "url": "https://www.gov.uk/whistleblowing", + "contents": [ + "

    What is a whistleblower

    ", + "

    You\u2019re a whistleblower if you\u2019re a worker and you report certain types of wrongdoing. This will usually be something you\u2019ve seen at work - though not always.

    ", + "

    The wrongdoing you disclose must be in the public interest. This means it must affect others, for example the general public.

    ", + "

    As a whistleblower you\u2019re protected by law - you should not be treated unfairly or lose your job because you \u2018blow the whistle\u2019.

    ", + "

    You can raise your concern at any time about an incident that happened in the past, is happening now, or you believe will happen in the near future.

    ", + "

    Who is protected by law

    ", + "

    You\u2019re protected if you\u2019re a worker, for example you\u2019re:

    ", + "
  • an employee, such as a police officer, NHS employee, office worker, factory worker
  • ", + "
  • a trainee, such as a student nurse
  • ", + "
  • an agency worker
  • ", + "
  • a member of a Limited Liability Partnership (LLP)
  • ", + "

    Get independent advice if you\u2019re not sure you\u2019re protected, for example from Citizens\u2019 Advice.

    ", + "

    A confidentiality clause or \u2018gagging clause\u2019 in a settlement agreement is not valid if you\u2019re a whistleblower.

    ", + "

    Complaints that count as whistleblowing

    ", + "

    You\u2019re protected by law if you report any of the following:

    ", + "
  • a criminal offence, for example fraud
  • ", + "
  • someone\u2019s health and safety is in danger
  • ", + "
  • risk or actual damage to the environment
  • ", + "
  • a miscarriage of justice
  • ", + "
  • the company is breaking the law, for example does not have the right insurance
  • ", + "
  • you believe someone is covering up wrongdoing
  • ", + "

    Complaints that do not count as whistleblowing

    ", + "

    Personal grievances (for example bullying, harassment, discrimination) are not covered by whistleblowing law, unless your particular case is in the public interest.

    ", + "

    Report these under your employer\u2019s grievance policy.

    ", + "

    Contact the Advisory, Conciliation and Arbitration Service (Acas) for help and advice on resolving a workplace dispute.

    ", + "

    Who to tell and what to expect

    ", + "

    You can tell your employer - they may have a whistleblowing policy that tells you what to expect if you report your concern to them. You can still report your concern to them if they do not have a policy.

    ", + "

    There are other options if you do not want to report your concern to your employer, for example you can get legal advice from a lawyer, or tell a prescribed person or body.

    ", + "

    If you tell a prescribed person or body, it must be one that deals with the issue you\u2019re raising, for example a disclosure about wrongdoing in a care home can be made to the Care Quality Commission.

    ", + "

    There\u2019s a different whistleblowing process in Northern Ireland.

    ", + "

    Making your claim anonymously or confidentially

    ", + "

    You can tell your employer or a prescribed person anonymously but they may not be able to take the claim further if you have not provided all the information they need.

    ", + "

    You can give your name but request confidentiality - the person or body you tell should make every effort to protect your identity.

    ", + "

    If you report your concern to the media, in most cases you\u2019ll lose your whistleblowing law rights.

    ", + "

    What your employer or a prescribed person will do

    ", + "

    Your employer or the prescribed person will listen to your concern and decide if any action is needed. You may be asked for further information.

    ", + "

    You must say straight away if you do not want anyone else to know it was you who raised the concern.

    ", + "

    You will not have a say in how your concern is dealt with.

    ", + "

    Your employer or the prescribed person can keep you informed about the action they\u2019ve taken, but they cannot give you much detail if they have to keep the confidence of other people.

    ", + "

    A prescribed person cannot help you with your relationship with your employer.

    ", + "

    If you\u2019re not satisfied with how your employer dealt with your concern

    ", + "

    Tell someone else (for example a more senior member of staff) or a prescribed person or body if you believe your concern was not taken seriously or the wrongdoing is still going on.

    ", + "

    Contact the Advisory, Conciliation and Arbitration Service (Acas), the whistleblowing charity Protect or your trade union for more guidance.

    ", + "

    If you\u2019re treated unfairly after whistleblowing

    ", + "

    You can take a case to an employment tribunal if you\u2019ve been treated unfairly because you\u2019ve blown the whistle.

    ", + "

    You can get further information from the Advisory, Conciliation and Arbitration Service (Acas), Citizens\u2019 Advice, the whistleblowing charity Protect or your trade union.

    ", + "

    If you reported your concern anonymously, you may find it harder to argue that your unfair treatment was as a result of your whistleblowing.

    ", + "

    You must raise any claim of unfair dismissal within 3 months of your employment ending.

    ", + "

    You must notify Acas if you want to take your case to an employment tribunal.

    " + ] + }, + { + "title": "Health and safety on ships", + "url": "https://www.gov.uk/health-and-safety-on-ships", + "contents": [ + "

    Overview

    ", + "

    Operators of seagoing ships or small commercial vessels must protect the health and safety of workers by:

    ", + "
  • following safety standards and codes of practice
  • ", + "
  • ensuring the safety of machinery and equipment
  • ", + "
  • making sure the vessel is safely manned and all workers have the necessary qualifications
  • ", + "
  • having the right emergency procedures and equipment
  • ", + "
  • providing health protection and medical care
  • ", + "
  • doing regular risk assessments
  • ", + "
  • supplying necessary protective clothing and equipment
  • ", + "
  • monitoring maritime safety information broadcasts
  • ", + "
  • consulting with workers or their representatives on health and safety matters
  • ", + "

    Providing health and safety training

    ", + "

    Workers must get basic health and safety training. There\u2019s more information on what this covers on the Health and Safety Executive (HSE) website.

    ", + "

    Written health and safety policy

    ", + "

    The ship must must have a policy that sets out how health and safety will be managed. Read guidance on writing a health and safety policy.

    ", + "

    Risk assessments

    ", + "

    Regular risk assessments must be carried out to see how accidents, injuries or illnesses could be caused on the ship and what can be done to reduce the chances of them happening.

    ", + "

    Risk assessments must be reviewed every year and whenever there are significant changes to either the ship or working activities.

    ", + "

    Read chapter 1 of the \u2018Code of safe working practices for merchant seafarers 2018\u2019 for the basic requirements for risk assessments on board ships.

    ", + "

    Read the \u2018Merchant Shipping and Fishing Vessels (Health and Safety at Work) Regulations 1997\u2019 for the requirements for risk assessments on merchant ships.

    ", + "

    Safe working practices

    ", + "

    Code of safe working practices

    ", + "

    By law, up-to-date copies of the \u2018Code of safe working practices for merchant seamen\u2019 must be carried on a UK ship that\u2019s not a fishing boat or pleasure craft.

    ", + "

    A copy of the code must be available to any seaman who requests it.

    ", + "

    The \u2018Code of safe working practices for merchant seamen (Consolidated edition 2011)\u2019 is available to buy from The Stationery Office.

    ", + "

    Read the \u2018Merchant Shipping and Fishing Vessels (Health and Safety at Work) Regulations 1997\u2019 for safety standards and requirements for merchant ships.

    ", + "

    Safety signs

    ", + "

    Certain health and safety signs must be displayed on ships, such as emergency escape signs or danger warning signs. Signs must meet legal requirements if they\u2019re permanently displayed.

    ", + "

    Read the \u2018Merchant Shipping and Fishing Vessels (Safety Signs and Signals) Regulations 2001\u2019 to find out how and where safety signs and signals must be displayed.

    ", + "

    \u2018Permit to work\u2019

    ", + "

    The \u2018permit to work\u2019 system reduces the risk of accidents on board ship. Under this system, seafarers must get written permission from a senior officer before they can perform hazardous tasks, like:

    ", + "
  • working aloft and outboard
  • ", + "
  • working with boilers
  • ", + "
  • \u2018hot work\u2019 (work which could result in the ignition of flammable material, for example welding)
  • ", + "
  • working in unmanned machinery spaces
  • ", + "
  • entry into enclosed spaces
  • ", + "
  • electrical testing
  • ", + "

    Read about using \u2018permit to work\u2019 schemes to test electrical systems.

    ", + "

    Read \u2018Safety Preparations Prior to Machinery Maintenance\u2019 to find out how to prepare for doing maintenance on machinery on ships.

    ", + "

    \u2018Permit to work\u2019 templates

    ", + "

    Protective equipment

    ", + "

    Workers must be given suitable protective equipment if performing dangerous tasks.

    ", + "

    You should only use protective equipment when risks cannot be avoided or reduced to an acceptable level by safe working practices. This equipment should:

    ", + "
  • meet the required standards
  • ", + "
  • be a correct fit for the worker or adjustable
  • ", + "
  • be compatible with any other equipment the worker has to use
  • ", + "
  • be easily accessible, properly stored and maintained
  • ", + "
  • be provided free of charge (unless it\u2019s also used outside the workplace)
  • ", + "

    Read the \u2018Merchant Shipping and Fishing Vessels Personal Protective Equipment Regulations\u2019 to find out about personal protective equipment.

    ", + "

    Noise and vibration

    ", + "

    Risk assessments must be carried out to identify who is at risk from noise or vibration on a ship and what can be done to reduce or remove these risks.

    ", + "

    Workers must be told about:

    ", + "
  • the nature of noise or vibration risks
  • ", + "
  • how to eliminate or reduce the risks from noise or vibration
  • ", + "
  • the correct use of any protective equipment
  • ", + "
  • how to detect and report signs of injury
  • ", + "

    The Maritime and Coastguard Agency (MCA) provides information on controlling the risks of noise and vibration at sea.

    ", + "

    Read the:

    ", + "
  • code of practice for controlling risks due to noise and vibration on ships
  • ", + "
  • guidance on mitigating against the effects of shocks and impacts on small vessels
  • ", + "

    You may be able to get an exemption from the noise and vibration requirements.

    ", + "

    Find out how to apply for an exemption from the:

    ", + "
  • control of vibration at work regulations
  • ", + "
  • control of noise at work regulations
  • ", + "

    Small commercial vessels

    ", + "

    Small commercial vessels must have safety measures in place for workers, such as:

    ", + "
  • bulwarks, guardrails or wire around the working deck to stop people falling overboard
  • ", + "
  • safety harnesses for anyone working on deck
  • ", + "
  • a means of securing the lifelines of safety harnesses
  • ", + "
  • non-slip deck surfaces
  • ", + "

    Smaller commercial vessels (under 24 metres) must comply with the \u2018Small commercial vessels codes\u2019 to ensure the health and safety of workers on board.

    ", + "

    Seagoing passenger vessels

    ", + "

    Domestic passenger ships

    ", + "

    Seagoing domestic passenger ships, for example ferries, must meet minimum safety requirements regarding:

    ", + "
  • general safety management policies
  • ", + "
  • manning levels
  • ", + "
  • proper and stable construction
  • ", + "
  • carriage of safety equipment
  • ", + "
  • pollution prevention
  • ", + "

    A passenger ship is a ship of any description that carries more than 12 passengers. There are various safety standards for seagoing passenger ships. Local Maritime and Coastguard Agency (MCA) Marine Offices have more information on these standards.

    ", + "

    International passenger ships

    ", + "

    Passenger ships which operate internationally must follow international conventions, such as the:

    ", + "
  • International Convention for the Safety of Life at Sea
  • ", + "
  • International Convention on Load Lines
  • ", + "
  • International Convention for the Prevention of Pollution from Ships
  • ", + "

    Local MCA Marine Offices have information on which safety standards apply.

    ", + "

    Safety on vessels on inland waters

    ", + "

    Passenger vessels operating on inland waters - like estuaries, lakes and rivers and canals - must follow safety standards and requirements.

    ", + "

    Inland waters or inland waterways are known legally as \u2018categorised waters\u2019. These waters are defined and listed in Merchant Shipping Notice (MSN) 1827 (as amended) Categorisation of Waters.

    ", + "

    A passenger ship is a vessel that carries more than 12 passengers.

    ", + "

    The rules for passenger ships built since April 2010, and operating in UK categorised waters are in \u2018Merchant Shipping Notice 1823 (M) - Safety Code for Passenger Ships Operating Solely in UK Categorised Waters\u2019.

    ", + "

    The rules for older passenger ships are covered by several different sets of regulations. Contact the local Maritime and Coastguard Agency (MCA) Marine Office for details.

    ", + "

    Vessels that carry no more than 12 passengers

    ", + "

    Safety standards and best practice guidance for these vessels are set out in the Inland Waters Small Passenger Boat Code.

    ", + "

    Marine engineering

    ", + "

    Marine engineering involves the design, construction, installation, and operation of systems and equipment that help to move and control ships. Safety measures must be in place for any crew members using or maintaining marine engineering equipment, such as:

    ", + "
  • switchboards and computerised equipment
  • ", + "
  • machinery installations
  • ", + "
  • boilers and emergency equipment
  • ", + "

    The Maritime and Coastguard Agency (MCA) provides information on the safe installation and use of marine engineering.

    ", + "

    Fire prevention

    ", + "

    The Maritime and Coastguard Agency (MCA) provides information on requirements for fire protection, fire detection and fire extinction on board ships.

    ", + "

    The rules depend on the size of the ship.

    ", + "

    Requirements for large ships are in the Merchant Shipping (Fire Protection: Large Ships) Regulations 1998.

    ", + "

    Requirements for small ships are in the Merchant Shipping (Fire Protection: Small Ships) Regulations 1998.

    ", + "

    You should also read the Merchant Shipping (Fire Protection) Regulations 2003 \u2013 it includes amendments to the regulations for large and small ships.

    ", + "

    Contact the MCA to find out more about fire prevention and detection at sea.

    ", + "

    Safety in ports

    ", + "

    Health and safety measures must be in place to ensure the safety of workers while in a port.

    ", + "

    There is a range of publications and guidance on health and safety in ports on the Health and Safety Executive website.

    " + ] + }, + { + "title": "Employment Allowance", + "url": "https://www.gov.uk/claim-employment-allowance", + "contents": [ + "

    What you'll get

    ", + "

    Employment Allowance allows eligible employers to reduce their annual National Insurance liability by up to \u00a34,000.

    ", + "

    You\u2019ll pay less employers\u2019 Class 1 National Insurance each time you run your payroll until the \u00a34,000 has gone or the tax year ends (whichever is sooner).

    ", + "

    You can only claim against your employers\u2019 Class 1 National Insurance liability up to a maximum of \u00a34,000 each tax year. You can still claim the allowance if your liability was less than \u00a34,000 a year.

    ", + "

    Check if you're eligible

    ", + "

    You can claim Employment Allowance if you\u2019re a business or charity (including community amateur sports clubs) and your employers\u2019 Class 1 National Insurance liabilities were less than \u00a3100,000 in the previous tax year.

    ", + "

    You can also claim if you employ a care or support worker.

    ", + "

    You can claim Employment Allowance for the previous 4 tax years dating back to the 2017 to 2018 tax year. Some of the rules for claiming are different.

    ", + "

    If you\u2019re part of a group

    ", + "

    If you\u2019re part of a group of charities or companies (also known as connected companies), the total employers\u2019 Class 1 National Insurance liabilities for the group must be less than \u00a3100,000.

    ", + "

    Only one company in the group can claim the allowance.

    ", + "

    If you have more than one payroll

    ", + "

    If you have or had more than one employer PAYE reference, the total employers\u2019 Class 1 National Insurance liabilities for your combined payrolls must be less than \u00a3100,000 in the previous tax year

    ", + "

    You can only claim Employment Allowance against one of the payrolls.

    ", + "

    Off-payroll salary payments

    ", + "

    Do not include employers\u2019 Class 1 National Insurance liabilities on payments you make to off-payroll workers in your calculations. These are known as deemed payments. They do not count towards the \u00a3100,000 threshold.

    ", + "

    Check if de minimis state aid rules apply to you

    ", + "

    If you make or sell goods or services, Employment Allowance counts as \u2018de minimis state aid\u2019. There\u2019s a limit to how much de minimis state aid you can get.

    ", + "

    You must:

    ", + "
  • check that you\u2019re within the de minimis state aid threshold
  • ", + "
  • work out how much de minimis state aid you\u2019ve received
  • ", + "

    You must do this even if you do not make a profit.

    ", + "

    You do not have to do this if you do not make or sell goods or services, for example you\u2019re a charity, an amateur sports club or if you employ a care worker.

    ", + "

    Check you\u2019re within the de minimis state aid threshold

    ", + "

    Employment Allowance counts towards the total de minimis state aid you\u2019re allowed to get over a 3 year period.

    ", + "

    You must make sure you will not exceed the de minimis state aid threshold for your sector.

    ", + "

    De minimis state aid and the relevant thresholds are worked out in euros.

    ", + "Sector | De minimis state aid threshold over 3 years", + "Agriculture products sector | \u20ac20,000", + "Fisheries and aquaculture sector | \u20ac30,000", + "Road freight transport sector | \u20ac100,000", + "Industrial sector\u202f\u202f/ other | \u20ac200,000", + "

    Work out how much de minimis state aid you\u2019ve received

    ", + "
  • Check if you\u2019ve received any de minimis state aid - if so, you should have been told in writing.
  • ", + "
  • Add the total amount of de minimis state aid that you\u2019ve received or been allocated for the current and past 2 tax years.
  • ", + "
  • Add this to the full amount of Employment Allowance for the year you\u2019re claiming for. You\u2019ll need to convert this into euros using the exchange rate for the end of the previous tax year. If you\u2019re claiming for 2020 to 2021, you\u2019ll need to use the exchange rate on 30 March 2020: \u00a31 to \u20ac1.1249.
  • ", + "
  • If the total is below the threshold for your sector, you\u2019re eligible to make a claim.
  • ", + "

    If you\u2019re a connected company, the total de minimis state aid for all of the companies in the group must be below the de minimis state aid threshold for your sector.

    ", + "

    The rules are different if your business covers more than one sector.

    ", + "

    Who cannot claim Employment Allowance

    ", + "

    You cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.

    ", + "

    You also cannot claim if both of the following apply:

    ", + "
  • you\u2019re a company with only one employee paid above the Class 1 National Insurance secondary threshold
  • ", + "
  • the employee is also a director of the company
  • ", + "

    Certain employees cannot be included in your claim, such as:

    ", + "
  • someone whose earnings are within IR35 \u2018off-payroll working rules\u2019
  • ", + "
  • someone you employ for personal, household or domestic work (like a nanny or gardener) - unless they\u2019re a care or support worker
  • ", + "

    How to claim

    ", + "

    How you claim depends on whether you use your own payroll software or HMRC\u2019s Basic PAYE tools.

    ", + "

    If you use your own software

    ", + "

    To claim through your payroll software, put \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field next time you send an Employment Payment Summary (EPS) to HM Revenue and Customs (HMRC).

    ", + "

    If your payroll software does not have an Employment Payment Summary field, you can use Basic PAYE Tools.

    ", + "

    Select your business sector under \u2018de minimis state aid rules\u2019

    ", + "

    You must select the business sectors that apply to you, even if you do not make a profit.

    ", + "

    Most businesses will need to select the \u2018Industrial/other\u2019 category, for example a hair salon or restaurant.

    ", + "

    If you do not make or sell goods or services, choose \u2018State aid rules do not apply\u2019. For example if you\u2019re a charity, an amateur sports club or if you employ a care worker.

    ", + "

    If you use HMRC\u2019s Basic PAYE Tools

    ", + "
  • Select the correct name in the \u2018Employer\u2019 menu on the home page.
  • ", + "
  • Select \u2018Change employer details\u2019.
  • ", + "
  • Select \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field.
  • ", + "
  • Answer \u2018Yes\u2019 to the \u2018Do state aid rules apply?\u2019 question if you sell goods or services. Select the business sectors that apply to you. Otherwise, answer \u2018No\u2019 and select \u2018State aid rules do not apply\u2019.
  • ", + "
  • Send your EPS as normal.
  • ", + "

    Stopping your claim

    ", + "

    If you stop being eligible, select \u2018No\u2019 in the \u2018Employment Allowance indicator\u2019 field in your next EPS.

    ", + "

    Do not select \u2018No\u2019 just because:

    ", + "
  • you\u2019ve reached the \u00a34,000 limit before the end of the tax year - this does not make you ineligible
  • ", + "
  • you\u2019re no longer employing anyone - this allowance will stop at the end of the tax year
  • ", + "

    If you stop your claim before the end of the tax year (5 April), any allowance you\u2019ve been given that year will be removed. You\u2019ll have to pay any employers\u2019 (secondary) Class 1 National Insurance due as a result.

    ", + "

    When to claim

    ", + "

    You need to claim Employment Allowance every tax year.

    ", + "

    You can claim at any time in the tax year, but the earlier you claim the sooner you will get the allowance.

    ", + "

    If you claim late and do not use your Employment Allowance against your employers\u2019 Class 1 National Insurance liabilities, you\u2019ll have to ask HMRC to do one of the following:

    ", + "
  • use any unclaimed allowance at the end of the year to pay any tax or National Insurance you owe (including VAT and Corporation Tax if you do not owe anything on your PAYE bill)
  • ", + "
  • give you a refund after the end of the tax year if you do not owe anything
  • ", + "

    You can see how much Employment Allowance you\u2019ve used in your HMRC online account.

    ", + "

    Claiming for past years

    ", + "

    You can claim Employment Allowance for the previous 4 tax years, dating back to the 2017 to 2018 tax year.

    ", + "

    To claim for past years, it does not matter how much your employers\u2019 Class 1 National Insurance liability was or how much de minimis state aid you received.

    ", + "

    The thresholds for employers\u2019 Class 1 National Insurance and de minimis state aid do not apply.

    ", + "

    Employment allowance was \u00a33,000 each year between April 2016 and April 2020.

    ", + "

    Further information

    ", + "

    Read \u2018Claiming Employment Allowance: further employer guidance\u2019 for more information.

    ", + "

    After you've made a claim

    ", + "

    You can begin using your Employment Allowance as soon you submit your claim.

    ", + "

    HMRC will not send you a confirmation letter for your Employment Allowance.

    ", + "

    If your claim is rejected, you will receive an automated message from HMRC within 5 working days.

    ", + "

    You may need to tell HMRC if last year\u2019s employers\u2019 Class 1 National Insurance liabilities included deemed payments, taking you over the \u00a3100,000 threshold.

    ", + "

    When your Employment Allowance counts as de minimis state aid

    ", + "

    If you have selected a business sector in your claim, HMRC will send a letter stating that your Employment Allowance counts as de minimis state aid.

    ", + "

    You must keep this letter as you may need it if you apply for other de minimis state aid.

    " + ] + }, + { + "title": "Find payroll software", + "url": "https://www.gov.uk/payroll-software", + "contents": [ + "

    Overview

    ", + "

    If you decide to run payroll yourself, you need payroll software to report to HM Revenue and Customs (HMRC). The software will help you with tasks like:

    ", + "
  • recording your employees\u2019 details
  • ", + "
  • working out your employees\u2019 pay and deductions
  • ", + "
  • reporting payroll information to HMRC
  • ", + "
  • working out how much you need to pay HMRC
  • ", + "
  • calculating statutory pay, for example maternity or sick pay
  • ", + "

    HMRC-recognised software

    ", + "

    HMRC tests payroll software to check it can report PAYE information online and in real time (RTI).

    ", + "

    You can choose from free payroll software (if you have fewer than 10 employees) and paid-for software that has been tested and recognised by HMRC.

    ", + "

    You should consider which features you need. For example, some software will not let you:

    ", + "
  • produce payslips
  • ", + "
  • record pension deductions
  • ", + "
  • make pension payments
  • ", + "
  • pay different people over different periods (for example both weekly and monthly)
  • ", + "
  • send an Employer Payment Summary (EPS) report or Earlier Year Update (EYU) to HMRC
  • ", + "

    HMRC cannot recommend one software product or service over another and is not responsible for any problems you have with software that you\u2019ve bought.

    ", + "

    Free software

    ", + "

    HM Revenue and Customs (HMRC) has tested and recognised this free payroll software for businesses with fewer than 10 employees.

    ", + "

    You should consider which features you need and make sure the software you choose has those features.

    ", + "Supplier | Product(s)", + "1 2 Cloud Payroll | Free Cloud Payroll, Free Cloud Bureau Payroll", + "12Pay | Express", + "Accentra Technologies | Primo Payroll with Auto Enrolment (up to 10 employees)", + "Capium | Capium Payroll (up to 3 employees)", + "EnrolPay | Small Payroll", + "Hartigan Software Design | RTI Lite", + "HMRC | Basic PAYE Tools", + "IRIS Software | IRIS Payroll Basics", + "Kashflow | Kashflow Payroll", + "Shape Payroll | Shape Payroll (up to 3 employees)", + "Stansoft | Stansoft Linux", + "

    Paid-for software

    ", + "

    The following suppliers produce payroll software that has been tested and recognised by HM Revenue and Customs (HMRC).

    ", + "

    You should consider which features you need and make sure the software you choose has those features.

    ", + "Supplier | Product(s) | ", + "1 2 Cloud Payroll | Cloud Payroll with Mobile App | ", + "12efile | RTI E-FILING Specialist, Professional P11D | ", + "12Pay | 12Pay Payroll - Premium, Bureau, Enterprise | ", + "Able Internet Payroll Ltd | Payroll Bureau, Payroll CIS Professional, Payroll Elite, Payroll Employees, Payroll IBM DB, Payroll Multi-Site, Payroll star DB, Payroll CIS Professional | ", + "Accentra Technologies | Accentra Payroll (Desktop), Primo Payroll (Cloud), Solus Online Payroll | ", + "Access Group | Access Payroll | ", + "Accu-Man | Accu-Man Payroll, Accu-Man Daily Harvest Casuals | ", + "Advanced | OpenPeople | ", + "Advo Group | Advo Payroll | ", + "Ajaccts Software | Ajaccts | ", + "Algorithms Software | Xpedeon | ", + "Allocate Software | 247 Time | ", + "Altus Ltd | Altus Pension Reporting Gateway (APG) | ", + "Andica | Andica Payroll, Andica P11D | ", + "Automatic Data Processing | ADP freedom, ADP iHCM, ADP iHCM2 | ", + "AW-Apps Ltd | AW-Apps Payroll | ", + "Beauchamp Computer Services | Tripay | ", + "BDO | P11D Enterprise | ", + "Brain Payroll Ltd | Brain Payroll | ", + "BrightPay | BrightPay | ", + "Capita Employee Benefits | HartLink, PensionsOfficeII | ", + "Capium | Capium P11D, Capium Payroll | ", + "Cascade Human Resources | Iris Cascade Payroll, Iris Cascade Payroll web | ", + "Catalyst Computer Systems Ltd | Platinum Software | ", + "Ceridian Europe | Dayforce | ", + "CGI HR Solutions | ePayfact | ", + "Cintra HR and Payroll Services | Cintra IQ | ", + "CIPHR | CIPHR Payroll | ", + "Civica | Civica HR & Payroll | ", + "Clear Books | Clear Books Payroll | ", + "Commander Software Limited | Apollo Payroll | ", + "Commercial Software Limited | CS P11D | ", + "Compact Software Ltd | WinPay | ", + "CoreHR | CoreHR XD | ", + "Corporate Payroll Solutions Ltd | Legislator PayManager | ", + "CPS HR & Payroll Solutions | Legislator HR | ", + "Criterion | Criterion HCM \u2013 Payroll | ", + "Crop-Ware | CropPayer | ", + "Cyberaid | Cyberaid Internet Filing, TeamTrak Adaptiv | ", + "DC Software | P11D Submission Pro | ", + "eFile Ready Ltd | eFileReady | ", + "EnrolPay | EnrolPay Payroll, EnrolPay AutoEnrolment | ", + "Eque2 Ltd | MiraclePay for Dynamics NAV | ", + "Equiniti | Perito | ", + "Equiniti Paymaster | Compendia | ", + "FastTrack Recruitment Software | FastTrack360 | ", + "Fourth | Payroll | ", + "FreeAgent | FreeAgent | ", + "Frontier Software | Chris21 | ", + "Gel Solutions Ltd | Gel All-in-One | ", + "Greentree Software Ltd | Greentree ERP | ", + "Hardhatadmin | Hardhatadmin | ", + "Hartigan Software Design | RTI Lite, RTI Payroll for Pensions, RTI Payroll Standard, RTI Pro | ", + "Hyko | Hyko Payroll | ", + "IAW Resources | Ingenuity | ", + "Infinet Cloud | UK Payroll For NetSuite | ", + "Infor | Infinium | ", + "Intelligo Software Ltd | Megapay | ", + "Integrity Software Systems Ltd | Evolution M RTI | ", + "IRIS | Payrite | ", + "IRIS FMP | Amity, Teamspirit | ", + "IRIS Payroll Professional | IRIS Payroll Professional | ", + "IRIS Software | EARNIE, Farmplan EARNIE, Payroll Business, Bureau Payroll, GP Payroll, Exchequer Payroll, Earnie IQ, Earnie 32, PAYE-Master, PTP Tax Expense, IRIS P11D, IRIS Payroll Basics | ", + "Jaama | Key2 Vehicle Management | ", + "Jane Systems | Jane | ", + "KashFlow | KashFlow Payroll | ", + "KeyPay Ltd | KeyPay | ", + "Keytime | Keytime Payroll, Keytime P11D | ", + "KPMG | P11D Solutions 2020 | ", + "K3 SYSPRO | Equator | ", + "Liberty Accounts | Liberty Accounts Payroll with P11D | ", + "LOKI Systems | Advanced Payroll | ", + "Mamut | Mamut Payroll Start, Payroll Standard, Payroll Professional | ", + "Merit Software | Merit Payroll | ", + "m-hance | Infrastructure 365 | ", + "MHR | iTrent | ", + "Mintra Trainingportal AS | OCS Human Resource | ", + "Mitrefinch Ltd | Mitrefinch Flexipay | ", + "MoorepayHR | Moorepay Payroll | ", + "Moneysoft | Payroll Manager | ", + "My Digital Accounts | My Digital Accounts | ", + "My PAYE Ltd | MyPAYE Online Payroll | ", + "Nivid Biometrics Ltd | Taras Payroll | ", + "Octopaye | Octopaye | ", + "Omniphi Systems Limited | Omni PAYE Online | ", + "Oracle Corporation UK Ltd | Oracle Cloud Fusion HCM | ", + "Orovia Group Limited | EduPay | ", + "Oxford Software | Tempaid 5 | ", + "PAIYROLL | paiyroll | ", + "Pay-Pro Ltd | Paystar | ", + "Payback Payroll Software | Payback Payroll, Payback GP Payroll | ", + "Paycircle Ltd | Paycircle | ", + "PayFit | PayFit | ", + "Payroll Business Solutions | Accord Payroll | ", + "The Payroll Site | The Payroll Site | ", + "Payroo | Payroo Star P11D, Payroo Bureau P11D, Payroo Payroll with CIS, P11D Professional | ", + "Payescape Limited | PayRun.IO | ", + "Pegasus Software | Pegasus Opera 3, Pegasus Opera 3 SQL, Pegasus Opera 3 SQL SE | ", + "Personal Audit Systems Ltd | P11D Organiser | ", + "PrimePRO | PrimePAY | ", + "Promenics Ltd | Promenics HR & Payroll System | ", + "Qtac | Payroll Assistant, Payroll Manager, Payroll Bureau, Payroll Specialist | ", + "QuickBooks (Intuit) | QuickBooks Standard Payroll and QuickBooks Advanced Payroll | ", + "RedSky IT | Summit | ", + "RSM | InPay | ", + "SAA Consultants | REIMS ARTIS, REIMS BARTIC, REIMS RTI Service | ", + "Sage (UK) | Instant Payroll | ", + "Sage (UK) | Sage 50cloud Payroll | ", + "Sage (UK) | Sage 50 P11D, Sage 50 P11D Professional | ", + "Sage (UK) | Sage Business Cloud Payroll | ", + "Sage (UK) | SnowdropKCS | ", + "SAP | SAP Payroll | ", + "Sargent-Disc Ltd | Sargent-Disc Payroll | ", + "SD Worx | SD Worx EIEx | ", + "SDA Logic Limited | Pythagoras Payroll | ", + "Shape Payroll | Shape Payroll, Shape Payroll API | ", + "Sirius APP | SiriusPayroll365 | ", + "Skynet Applied Systems | SkyPay | ", + "Software for People | SfP World Service | ", + "Sopra HR Software | HR Access version 9 | ", + "Specialist Computer Services Ltd | Pyramid | ", + "Staffology Payroll | Staffology Payroll | ", + "Stansoft | Stansoft Linux | ", + "Stirling Solutions | Stirling Payroll | ", + "Sum-It Computer Systems | Total | ", + "TalentPay | TalentPay | ", + "Taxshield | P11D Manager | ", + "Technology One | Technology One Human Resource & Payroll | ", + "Teqhou | MiraclePay for AX2009, Mi-Pay for D365 | ", + "TRG Advantage | Payroll, AutoEnrolment | ", + "Unit4 | ERP | ", + "WCBS | passFinance Payroll | ", + "Workday UK Ltd | Workday Payroll for UK | ", + "XCD | XCD HR & Payroll | ", + "Xero | Xero Payroll, Xero Me mobile app | ", + "Zeel Solutions | Zpayplus | ", + "Zellis | ResourceLink | ", + "

    If you change software

    ", + "

    Some payroll software will not let you continue with the same employee Payroll IDs if you\u2019ve already used them in other software.

    ", + "

    If your payroll software does not let you do this, put \u2018Yes\u2019 in the \u2018Payroll ID changed indicator\u2019 for each employee in your Full Payment Submission (FPS).

    ", + "

    Your PAYE bill may be calculated incorrectly, and payroll records duplicated, if you do not.

    " + ] + }, + { + "title": "Fix problems with running payroll", + "url": "https://www.gov.uk/payroll-errors", + "contents": [ + "

    Your PAYE bill is not what you expected

    ", + "

    Every month you have to pay HM Revenue and Customs (HMRC) what you owe as part of running payroll for your employees.

    ", + "

    There are things you should check if your PAYE bill is not what you expected when you view your online account.

    ", + "

    What to check

    ", + "

    Make sure you sent your Full Payment Submission (FPS) or Employer Payment Summary (EPS) in time for the account to update.

    ", + "

    You should also check that you:

    ", + "
  • used the date you paid your employees on your FPS report, not the date you sent it
  • ", + "
  • reported other details in your FPS correctly, for example pay and deductions
  • ", + "
  • reported your EPS correctly, for example to reclaim any statutory pay
  • ", + "
  • previously paid HMRC the right amount - you may have paid too much or too little if your reports were incorrect
  • ", + "

    Employees starting and leaving

    ", + "

    Check that you correctly reported any employees starting or leaving.

    ", + "

    You may get an incorrect bill and duplicate payroll records if you made a mistake. Both are usually corrected automatically - contact HMRC if your PAYE bill is still wrong by the 12th of the next tax month.

    ", + "

    Correcting errors

    ", + "

    If you find a mistake, follow the guidance to:

    ", + "
  • correct an error in your FPS or EPS
  • ", + "
  • correct a payment to HMRC
  • ", + "

    You can also correct mistakes if you paid your employee the wrong amount or made incorrect deductions.

    ", + "

    Get help to correct your PAYE bill

    ", + "

    Contact HMRC\u2019s employer helpline if you need help.

    ", + "

    You made a mistake in your FPS or EPS

    ", + "

    Your PAYE bill might be wrong if you made a mistake in your FPS or EPS. You might have to correct:

    ", + "
  • pay or deductions
  • ", + "
  • payment dates
  • ", + "
  • start or leaving dates for your employee
  • ", + "
  • employee information
  • ", + "
  • reports sent in advance
  • ", + "
  • National Insurance category letters
  • ", + "
  • amounts in your Employer Payment Summary (EPS)
  • ", + "
  • the Apprenticeship Levy you owe (starting from April 2017) if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million
  • ", + "

    You\u2019ll only be charged a penalty for a mistake if you did not take reasonable care or did it deliberately.

    ", + "

    If you\u2019ve reported the wrong pay or deductions

    ", + "

    To correct a mistake made in the current tax year, update the year-to-date figures in your next regular Full Payment Submission (FPS).

    ", + "

    If you reported the wrong pay or deductions in the 2020 to 2021 tax year you can correct this by submitting another FPS with the correct year to date figures.

    ", + "

    If you reported the wrong pay or deductions in the 2018 to 2019 or 2019 to 2020 tax years, you can correct this by submitting an Earlier Year Update (EYU) or a further FPS with the correct year to date figures.

    ", + "

    For earlier tax years, send an EYU showing the difference between what you originally reported and the correct figure. You can only use an EYU for tax years when you were reporting online in real time.

    ", + "

    If your payroll software cannot send an EYU, you can use HMRC\u2019s Basic PAYE Tools.

    ", + "

    The rules are different if you find a mistake in your final FPS of the year.

    ", + "

    Correct a pension death benefit or flexibility payment

    ", + "

    If you\u2019re a pension administrator who needs to correct a flexibility payment or death benefit payment, you must:

    ", + "
  • select the \u2018pension flexibility payment\u2019 or \u2018pension death benefit payment\u2019 indicator
  • ", + "
  • update the \u2018pensions drawdown taxable payment\u2019 or \u2019pensions drawdown non-taxable payment\u2019 fields (or both) with the difference between what you originally reported and the correct figures
  • ", + "

    If your employee has stopped working for you

    ", + "

    Include them in your next FPS and correct their year-to-date figures. Include their original \u2018Date of leaving\u2019 and put the same or a later \u2018Payment date\u2019 than the one shown on their final FPS.

    ", + "

    Correct the payment date in your FPS

    ", + "

    You should use the date you paid your employees in your FPS.

    ", + "

    Send an additional FPS with the correct payment date if you\u2019ve sent one with the wrong payment date. Write \u2018H - correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field.

    ", + "

    Send your corrected FPS by the 19th of the tax month after you sent your original FPS. HMRC will apply the correction to the right month.

    ", + "

    If the wrong date was in different tax month, you must realign your payroll to the correct tax period.

    ", + "

    Correct an employee\u2019s start or leaving date

    ", + "

    Update your payroll records with the correct date if you put the wrong start or leaving date for an employee in your FPS.

    ", + "

    Do not report the amendment in your next FPS as this may create a duplicate record for the employee.

    ", + "

    Correct your employee\u2019s personal information

    ", + "

    Correct your next FPS if you\u2019ve made a mistake with your employee\u2019s personal details.

    ", + "

    Do not report updates to more than one of your employee\u2019s personal details (for example their name, date of birth or gender) in the same FPS. Your payroll records may be duplicated if you do, and your PAYE bill might be wrong.

    ", + "

    If your employee\u2019s details (for example their address or surname) change:

    ", + "
  • they must tell HMRC straight away
  • ", + "
  • you need to update your payroll records
  • ", + "

    Correct FPS reports sent in advance

    ", + "

    If you\u2019ve sent FPS reports in advance that need to be corrected (for example because an employee leaves), you should:

    ", + "
  • send another FPS for the tax month the correction relates to, making sure you fill in all relevant fields and revising the year-to-date figures if needed
  • ", + "
  • correct any other FPS reports you sent in advance that are affected by the change
  • ", + "

    Correct an employee\u2019s National Insurance category letter

    ", + "

    How you do this depends on why the category letter changed, and in which tax year.

    ", + "

    You\u2019ve used the wrong category letter in the current tax year or the 2020 to 2021 tax year

    ", + "

    Report the mistake in your next FPS.

    ", + "
  • Add the category letter you\u2019ve used incorrectly.
  • ", + "
  • Put \u20180\u2019 in all National Insurance fields for this category letter except \u2018Employee\u2019s NICs this payment\u2019, and enter the amount you have repaid or recovered here, for example put -\u00a3300 if you\u2019re repaying an employee\u2019s overpayment of \u00a3300.
  • ", + "
  • Add the correct category letter, and enter the correct year-to-date National Insurance for this category letter.
  • ", + "
  • Put \u20180\u2019 in all National Insurance fields for the incorrect category letter for the rest of the tax year - you do not need to do this if the category should never have been used.
  • ", + "

    Some software allows you to correct this by adjusting net pay. You\u2019ll still need to keep a record of the change.

    ", + "

    Your employee\u2019s category letter changed during the tax year

    ", + "

    In your next FPS:

    ", + "
  • Continue to report year-to-date information for the old category.
  • ", + "
  • Put \u20180\u2019 in all \u2018In this pay period\u2019 fields for this category, and use the \u2018Employee\u2019s NICs this payment\u2019 field to adjust any underpayment or overpayment of National Insurance.
  • ", + "
  • Add the correct category letter, and enter the correct year-to-date National Insurance for this category letter.
  • ", + "

    If the mistake was in the 2019 to 2020 tax year or earlier

    ", + "

    Send an EYU with:

    ", + "
  • negative amounts in all the National Insurance year-to-date fields in the incorrect category letter, to reduce the employee\u2019s National Insurance to zero
  • ", + "
  • the correct category letter and correct year-to-date National Insurance
  • ", + "

    If you\u2019re correcting a mistake in the 2018 to 2019 or 2019 to 2020 tax years, you may be able to send an FPS instead - use your payroll software to check. Send it with the correct category letter and correct year-to-date National Insurance.

    ", + "

    If the mistake caused an overpayment or underpayment

    ", + "

    You must correct your employee\u2019s National Insurance deductions if they paid too little or too much because they were on the wrong category letter.

    ", + "

    Correct an EPS

    ", + "

    To correct a mistake in the current tax year, send an EPS with the correct year-to-date figures.

    ", + "

    For previous tax years, send an EPS with the correct year-to-date figures for the tax year where you made the mistake.

    ", + "

    You paid HMRC the wrong amount

    ", + "

    What you need to do to correct a payment depends on whether you paid too much or too little, and how the error occurred.

    ", + "

    If you\u2019ve paid HMRC too little

    ", + "

    If you underpaid because of a mistake in your Full Payment Submission (FPS) or Employer Payment Summary (EPS), correct it in your next regular report. HM Revenue and Customs (HMRC) will add the underpayment to your next PAYE bill.

    ", + "

    If you underpaid because you entered the wrong amount when paying HMRC, pay the balance as soon as possible or you may have to pay interest or a penalty. Use your Accounts Office reference when paying.

    ", + "

    If you\u2019ve paid HMRC too much

    ", + "

    If you overpaid because of a mistake in your FPS or EPS, make the correction in your next regular report. HMRC will take the overpayment off your next PAYE bill.

    ", + "

    If you overpaid because you entered the wrong amount when paying HMRC, or you made a duplicate payment, you can balance your account by paying less in your next PAYE bill.

    ", + "

    You can also claim a refund if you\u2019ve overpaid by contacting HMRC\u2019s employer helpline.

    ", + "

    HMRC will repay directly into your account if you\u2019ve sent an EPS with your bank details.

    ", + "

    Write to HMRC with your bank details if you cannot include them with your EPS.

    ", + "

    Reclaim an overpayment for a previous tax year

    ", + "

    You must work out why you overpaid before you can reclaim an overpayment for a previous tax year.

    ", + "

    Work out why you overpaid

    ", + "

    Compare what you\u2019ve paid HMRC with what you\u2019ve owed in your tax account. You may have overpaid if your payments did not take into account:

    ", + "
  • an overpayment carried over from a previous tax year
  • ", + "
  • statutory pay for parents that you were entitled to reclaim
  • ", + "
  • any repayments made to employees, for example because you used the wrong tax code
  • ", + "
  • any corrections to your reports
  • ", + "
  • student loan deductions
  • ", + "
  • employees who left, for example because you did not report them correctly to HMRC
  • ", + "
  • any incentive payments from HMRC to send reports online
  • ", + "
  • any Construction Industry Scheme (CIS) deductions, or if you made deductions incorrectly
  • ", + "

    You also may have overpaid if you paid HMRC:

    ", + "
  • for the wrong tax year
  • ", + "
  • more than once for the same bill
  • ", + "
  • an estimated amount in advance
  • ", + "

    For duplicated or estimated payments, tell HMRC what you paid, what you should have paid and why you paid the additional amount.

    ", + "

    Making your claim

    ", + "

    Once you know why you\u2019ve overpaid, you can claim your repayment from HMRC. You\u2019ll need to tell them:

    ", + "
  • your business\u2019s name and address
  • ", + "
  • your PAYE reference - this is in your employer registration letter from HMRC
  • ", + "
  • your contact telephone number
  • ", + "
  • how much you\u2019ve overpaid - for each tax year you\u2019re claiming
  • ", + "
  • the tax month you overpaid in (if possible)
  • ", + "
  • why you overpaid - for each tax year you\u2019re claiming
  • ", + "
  • whether you\u2019ve claimed this overpayment before
  • ", + "

    HMRC will offset the amount against your PAYE bill in the current tax year. If you do not owe anything, they will offset the amount:

    ", + "
  • against a PAYE bill from a previous tax year
  • ", + "
  • against other taxes you owe, for example Corporation Tax
  • ", + "

    You\u2019ll only get a refund if you do not owe HMRC any tax.

    ", + "

    You must apply by letter if your company has been dissolved or struck off.

    ", + "

    You paid your employee the wrong amount or made incorrect deductions

    ", + "

    You can correct a mistake with an employee\u2019s pay or deductions by updating the year-to-date figures in your next regular Full Payment Submission (FPS).

    ", + "

    You can also correct it by sending an additional FPS before your next regular FPS is due. You need to:

    ", + "
  • update the \u2018this pay period\u2019 figures with the difference between what you originally reported and the correct figures
  • ", + "
  • correct the year-to-date figures
  • ", + "
  • put the same payment date as the original FPS
  • ", + "
  • put the same pay frequency as the original FPS
  • ", + "
  • put \u2018H - Correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field
  • ", + "

    Correct a pension death benefit or flexibility payment

    ", + "

    If you\u2019re a pension administrator who needs to correct a flexibility payment or death benefit payment, you must:

    ", + "
  • select the \u2018pension flexibility payment\u2019 or \u2018pension death benefit payment\u2019 indicator
  • ", + "
  • update the \u2018pensions drawdown taxable payment\u2019 or \u2019pensions drawdown non-taxable payment\u2019 fields (or both) with the difference between what you originally reported and the correct figures
  • ", + "

    If you underpaid your employee

    ", + "

    Pay your employee the amount you underpaid them. On or before the day of this payment, send an additional FPS with:

    ", + "
  • the difference between what you originally reported and the correct amount in the \u2018In this pay period\u2019 field
  • ", + "
  • updated year-to-date figures
  • ", + "
  • \u2018H - Correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field
  • ", + "

    Correct an employee\u2019s National Insurance deductions

    ", + "

    What you need to do depends on when you made the mistake.

    ", + "

    If the mistake was in this tax year

    ", + "

    Repay or deduct the balance from your employee. Update the year-to-date figures to the corrected amount in your next regular FPS or send an additional FPS.

    ", + "

    If you deducted too little, you cannot recover more than the employee\u2019s National Insurance contribution due that month.

    ", + "

    If the mistake was in the 2020 to 2021 tax year

    ", + "

    Send an FPS with the amount you should have deducted.

    ", + "

    You\u2019ll need to write to HMRC if both the following apply:

    ", + "
  • the difference is negative because you deducted or reported too much National Insurance
  • ", + "
  • you still owe your employee a refund, for example because they\u2019ve left your employment
  • ", + "

    In the letter you\u2019ll need to include:

    ", + "
  • the reference \u2018Overpaid NI contributions\u2019
  • ", + "
  • your employee\u2019s name, date of birth and National Insurance number
  • ", + "
  • why you overpaid National Insurance contributions
  • ", + "
  • which tax years you overpaid in
  • ", + "
  • how much National Insurance you overpaid
  • ", + "
  • why you are unable to make the payment to the employee
  • ", + "

    For a claim for one employee, send the letter to:

    ", + "

    For a claim for more than one employee, send the letter to:

    ", + "

    If the mistake was in the 2018 to 2019 or 2019 to 2020 tax years

    ", + "

    Send an FPS with the correct year-to-date National Insurance if:

    ", + "
  • your payroll software will let you submit an FPS
  • ", + "
  • you can pay any National Insurance refunds you owe
  • ", + "

    If you cannot use an FPS, send an Earlier Year Update (EYU) with the difference between:

    ", + "
  • the amount of National Insurance you originally deducted
  • ", + "
  • the correct amount you should have deducted
  • ", + "

    If the difference is negative (because you deducted or reported too much National Insurance), you also need to set the \u2018NIC refund indicator\u2019 to:

    ", + "
  • \u2018Yes\u2019 if you\u2019ve refunded your employee or no refund was due
  • ", + "
  • \u2018No\u2019 if you still owe your employee a refund (for example because they\u2019ve left your employment)
  • ", + "

    If the mistake was in the 2017 to 2018 tax year or earlier

    ", + "

    Send an Earlier Year Update (EYU) with the difference between:

    ", + "
  • the amount of National Insurance you originally deducted
  • ", + "
  • the correct amount you should have deducted
  • ", + "

    If the difference is negative (because you deducted or reported too much National Insurance), you also need to set the \u2018NIC refund indicator\u2019 to:

    ", + "
  • Yes\u2019 if you\u2019ve refunded your employee or no refund was due
  • ", + "
  • \u2018No\u2019 if you still owe your employee a refund (for example because they\u2019ve left your employment)
  • ", + "

    If there\u2019s an underpayment

    ", + "

    If you deducted too little National Insurance, pay HMRC the underpayment straight away. You can then recover the amount from your employee by making deductions from their pay.

    ", + "

    You cannot recover more than the amount of National Insurance the employee owes in a month (so the employee pays no more than double their normal contribution). Carry over the difference to later months - you can only make deductions in the tax year when you made the mistake and the year after.

    ", + "

    Correct an employee\u2019s student loan repayments

    ", + "

    What you need to do depends on when you made the mistake.

    ", + "

    If the mistake was in this tax year

    ", + "

    Repay or deduct the balance from your employee. Update the year-to-date figures to the corrected amount in your next regular FPS or send an additional FPS.

    ", + "

    If you deducted too little, you cannot recover more than the student loan repayment due that month.

    ", + "

    If the mistake was in the 2020 to 2021 tax year

    ", + "

    If you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.

    ", + "

    If you deducted too much, you need to repay your employee. Send an FPS with the correct \u2018student loan repayment year to date\u2019 figure as of 5 April for the previous tax year.

    ", + "

    If the mistake was in the 2018 to 2019 or 2019 to 2020 tax year

    ", + "

    If you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.

    ", + "

    If you deducted too much, you need to repay your employee.

    ", + "

    Check your payroll software to see if you can submit an FPS. If you can, send it with the correct \u2018student loan repayment year to date\u2019 figure as of 5 April for the previous tax year.

    ", + "

    Otherwise send an Earlier Year Update (EYU) with the difference between what you originally deducted and the correct amount.

    ", + "

    If the mistake was in the 2017 to 2018 tax year or earlier

    ", + "

    If you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.

    ", + "

    If you deducted too much, you need to repay your employee. Send an Earlier Year Update (EYU) with the difference between what you originally deducted and the correct amount.

    " + ] + }, + { + "title": "Make benefit debt deductions from an employee's pay", + "url": "https://www.gov.uk/make-benefit-debt-deductions", + "contents": [ + "

    Overview

    ", + "

    As an employer you may be asked to deduct benefit overpayments an employee owes the Department for Work and Pensions (DWP) from their pay. This is called a Direct Earnings Attachment (DEA).

    ", + "

    DWP will write to you and ask you to operate the DEA scheme if any of your employees are affected. DEA only applies to a small proportion of people owing money to DWP.

    ", + "

    You may also be asked to make deductions for Housing Benefit overpayments an employee owes their local authority. Contact local authorities, not DWP, about these deductions.

    ", + "

    How it works

    ", + "

    The Department for Work and Pensions (DWP) will write to you if you need to make Direct Earnings Attachment (DEA) deductions for an employee.

    ", + "

    How deductions work

    ", + "

    You\u2019ll need to follow these steps if you get a letter from DWP saying you need to make Direct Earnings Attachment (DEA) deductions for an employee:

    ", + "
  • Tell your employee that money will be deducted from their pay.
  • ", + "
  • Work out how much to deduct from your employee\u2019s pay.
  • ", + "
  • Check if your employee has other debt orders to pay and if they take priority over DEA.
  • ", + "
  • Take the money from your employee\u2019s pay.
  • ", + "
  • Pay the money to DWP no later than the 19th day of the month following deduction in your payroll.
  • ", + "
  • Continue to make employee deductions and payments to DWP until the debt has been repaid or DWP tells you to stop.
  • ", + "

    Read the employer\u2019s guide for more information on DEA deductions and payments.

    ", + "

    Record keeping

    ", + "

    You must keep a record of deductions and tell DWP when an employee leaves your company.

    ", + "

    You could be fined up to \u00a31,000 if you do not make DEA deductions.

    ", + "

    Help with DWP payments

    ", + "

    Call the employer helpline if you have questions about how to run DEA or pay DWP.

    ", + "

    This helpline is for DWP deductions only. Contact your employee\u2019s local authority for Housing Benefit deductions.

    ", + "

    Calculating DEA

    ", + "

    To calculate the deductions from your employee\u2019s pay you\u2019ll have to:

    ", + "
  • work out the employee\u2019s earnings after tax, class 1 National Insurance and workplace pension contributions
  • ", + "
  • deduct the percentage shown in the table from the employee\u2019s earnings
  • ", + "
  • check if the employee has other debt orders and if they take priority over Direct Earnings Attachment (DEA) - see the employer\u2019s guide
  • ", + "

    If the total of all deductions is more than 40% of the employee\u2019s net earnings, DEA must be adjusted - see the employer\u2019s guide.

    ", + "

    If payments are made every 2 or 4 weeks, calculate weekly pay and deduct the percentage in the table.

    ", + "

    Standard DEA rates

    ", + "Deductions from earnings | Employee\u2019s weekly pay | Employee\u2019s monthly pay", + "Nothing to deduct | \u00a3100 or less | \u00a3430 or less", + "3% | \u00a3100.01 to \u00a3160 | \u00a3430.01 to \u00a3690", + "5% | \u00a3160.01 to \u00a3220 | \u00a3690.01 to \u00a3950", + "7% | \u00a3220.01 to \u00a3270 | \u00a3950.01 to \u00a31,160", + "11% | \u00a3270.01 to \u00a3375 | \u00a31,160.01 to \u00a31,615", + "15% | \u00a3375.01 to \u00a3520 | \u00a31,615.01 to \u00a32,240", + "20% | More than \u00a3520 | More than \u00a32,240", + "

    Higher DEA rates

    ", + "

    In some circumstances you may be asked to deduct DEA at a higher rate. The Department for Work and Pensions (DWP) will tell you which rate to use when it contacts you to set up DEA deductions.

    ", + "Deductions from earnings | Employee\u2019s weekly pay | Employee\u2019s monthly pay", + "5% | \u00a3100 or less | \u00a3430 or less", + "6% | \u00a3100.01 to \u00a3160 | \u00a3430.01 to \u00a3690", + "10% | \u00a3160.01 to \u00a3220 | \u00a3690.01 to \u00a3950", + "14% | \u00a3220.01 to \u00a3270 | \u00a3950.01 to \u00a31,160", + "22% | \u00a3270.01 to \u00a3375 | \u00a31,160.01 to \u00a31,615", + "30% | \u00a3375.01 to \u00a3520 | \u00a31,615.01 to \u00a32,240", + "40% | More than \u00a3520 | More than \u00a32,240", + "

    Call the employer helpline if you\u2019re unsure which rate to pay.

    ", + "

    There is more detail about calculating DEA in the employer\u2019s guide.

    ", + "

    What counts as earnings

    ", + "

    When calculating Direct Earnings Attachment (DEA) payments, you should include as earnings:

    ", + "
  • wages and salary
  • ", + "
  • fees
  • ", + "
  • bonuses
  • ", + "
  • commission
  • ", + "
  • overtime pay
  • ", + "
  • occupational pensions if paid with wages or salary
  • ", + "
  • compensation payments
  • ", + "
  • Statutory Sick Pay
  • ", + "
  • most other payments on top of wages
  • ", + "
  • pay in lieu of notice
  • ", + "

    Do not count:

    ", + "
  • Statutory Maternity Pay
  • ", + "
  • Statutory Adoption Pay
  • ", + "
  • Ordinary or Additional Paternity Pay
  • ", + "
  • guaranteed minimum pension
  • ", + "
  • any money the employee gets from the government, such as benefits, pensions or credits (includes Northern Ireland or anywhere outside the UK)
  • ", + "
  • statutory redundancy pay
  • ", + "
  • expenses
  • ", + "
  • pay or allowances as a member of HM Forces (does not include allowances for special members of the reserve force)
  • " + ] + }, + { + "title": "Make child maintenance deductions from an employee's pay", + "url": "https://www.gov.uk/child-maintenance-for-employers", + "contents": [ + "

    Overview

    ", + "

    The Child Maintenance Service can ask you to:

    ", + "
  • give information about your employee so they can work out the right amount of child maintenance
  • ", + "
  • set up a deduction from earnings order (DEO)
  • ", + "
  • answer enquiries from other organisations who collect payments of child maintenance on their behalf
  • ", + "

    You may also be given an attachment of earnings order (AEO) by a court.

    ", + "

    Your legal obligations when deducting child maintenance

    ", + "

    By law, you must:

    ", + "
  • give information to the Child Maintenance Service if you\u2019re asked to
  • ", + "
  • send payments as soon as possible, to arrive no later than the 19th day of the month following the month you made the deduction
  • ", + "
  • tell the Child Maintenance Service immediately if there are any problems with taking payments from a paying parent\u2019s earnings
  • ", + "
  • make regular payments - if you do not send payments and do not explain why, you could be taken to court
  • ", + "

    The paying parent is the parent who does not have main day-to-day care of the child.

    ", + "

    You must report a change of circumstances to the Child Maintenance Service within 10 days. For example, if:

    ", + "
  • an employee leaves your business
  • ", + "
  • you\u2019re asked to set up a deduction from earnings order (DEO) for someone who does not work for you
  • ", + "

    You can report changes online or by phone.

    ", + "

    Use the Child Maintenance Service online

    ", + "

    If you\u2019ve ever managed a case through the Child Maintenance Service, you can register for the online service. The service lets you:

    ", + "
  • see all deductions
  • ", + "
  • report and make changes
  • ", + "
  • send messages
  • ", + "
  • see important information you\u2019ve been sent
  • ", + "

    Call the Child Maintenance Service

    ", + "

    You can call the Child Maintenance Service if you have questions or need to report a change.

    ", + "

    Deduction from earnings orders (DEOs)

    ", + "

    Deduction from earnings orders (DEOs) are a way of collecting child maintenance directly from a paying parent\u2019s earnings or pension.

    ", + "

    The paying parent is the parent who does not have main day-to-day care of the child.

    ", + "

    When you\u2019ll get a DEO

    ", + "

    You\u2019ll be sent a deduction from earnings order (DEO) if one of your employees is a paying parent who:

    ", + "
  • chooses to pay child maintenance direct from their earnings
  • ", + "
  • does not pay child maintenance owed
  • ", + "
  • does not pay the correct amount
  • ", + "
  • does not pay on time
  • ", + "

    What you need to do

    ", + "

    You must deduct the amount of child maintenance stated on the DEO from your employee\u2019s net earnings or their pension and pay it to the Child Maintenance Service. This will include any arrears that are due.

    ", + "

    Other court orders against your employee

    ", + "

    You could get a DEO from the Child Maintenance Service and an attachment of earnings order (AEO) from a court.

    ", + "

    How to calculate deductions

    ", + "

    The deduction from earnings order (DEO) will show 2 rates.

    ", + "Rate | What it means", + "Normal deduction rate (NDR) | The amount your employee owes in child maintenance. You\u2019ll deduct this from their pay.", + "Protected earnings rate (PER) or protected earnings proportion (PEP) | The minimum pay you must make sure your employee takes home after all deductions have been made.", + "

    The PER applies to cases opened before 3 March 2003. The PEP applies to cases opened from 3 March 2003.

    ", + "

    You must make sure that your deduction leaves your employee with the amount of their protected earnings, unless the deduction is for administrative costs.

    ", + "

    How much to deduct

    ", + "

    You may not always be able to deduct the full NDR from your employee\u2019s pay.

    ", + "

    This depends on how much they have left in net earnings once you\u2019ve taken in account their PER or PEP.

    ", + "

    You can deduct up to \u00a31 for administration costs.

    ", + "

    If you cannot deduct the full NDR

    ", + "

    You must:

    ", + "
  • keep a record of the shortfall
  • ", + "
  • carry forward the shortfall to the next period
  • ", + "
  • send any deduction you\u2019ve been able to make to the court or Child Maintenance Service
  • ", + "

    You then deduct the full amount of the shortfall plus the NDR owed for the next pay period. You must still leave your employee with the PER or PEP.

    ", + "

    If the shortfall is carried forward for several weeks before being repaid, keep a record of the ongoing shortfall.

    ", + "

    The Child Maintenance Service or court may need to review an NDR if an employee consistently cannot pay it.

    ", + "

    If you pay your employee holiday pay in advance

    ", + "

    You\u2019ll have to:

    ", + "
  • calculate your employee\u2019s total net earnings for the pay period
  • ", + "
  • multiply the PER or PEP and the NDR by the number of weeks in the pay period
  • ", + "
  • set aside the combined PER or PEP and take off the combined NDR in the usual way
  • ", + "

    If you get more than one DEO or AEO for an employee

    ", + "

    Sometimes a paying parent has more than one case and is paying child maintenance for children by different receiving parents.

    ", + "

    The receiving parent has main day-to-day care of the child. The paying parent does not have main day-to-day care.

    ", + "

    You\u2019ll have to pay AEOs in the order of the date of issue, so you might have to finish deducting payments for one before another.

    ", + "

    AEOs for maintenance have to be paid before AEOs for civil debts.

    ", + "

    What counts as earnings

    ", + "

    A deduction from earnings order (DEO) or an attachment of earnings order (AEO) can only be made from the following earnings:

    ", + "
  • wages, fees, bonus, commission, overtime pay or any payments on top of wages
  • ", + "
  • private or occupational pensions and compensation payments
  • ", + "
  • Statutory Sick Pay
  • ", + "
  • contractual sick pay
  • ", + "
  • contractual maternity pay
  • ", + "
  • contractual paternity pay
  • ", + "
  • contractual adoption pay
  • ", + "
  • contractual redundancy pay
  • ", + "

    Statutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees over and above statutory pay.

    ", + "

    What does not count as earnings

    ", + "

    Your employee cannot pay child maintenance by DEO or AEO if their only earnings are in the following categories:

    ", + "
  • amounts paid by a public department of the government of Northern Ireland or any country outside the UK
  • ", + "
  • any social security pension, allowance or benefit
  • ", + "
  • tax credits
  • ", + "
  • any pension or allowance paid for disability
  • ", + "
  • guaranteed minimum pension within the Social Security Pensions Act 1975
  • ", + "
  • Statutory Maternity Pay
  • ", + "
  • Statutory Paternity Pay
  • ", + "
  • Statutory Adoption Pay
  • ", + "
  • Statutory Redundancy Pay
  • ", + "

    Make DEO payments

    ", + "

    You can be prosecuted if you do not pay the amount on a deduction from earnings order (DEO).

    ", + "

    You can make\u00a0DEO\u00a0payments by using the Banks Automated Clearing System (BACS). The Child Maintenance Service can help you set it up.

    ", + "

    Pay online

    ", + "

    You can manage your Child Maintenance Service payments online.

    ", + "

    You should send a single bulk BACS payment for all the employees you make a deduction from. You\u2019ll get a monthly schedule.

    ", + "

    Pay by other methods

    ", + "

    You can also pay by:

    ", + "
  • internet banking
  • ", + "
  • telephone banking
  • ", + "
  • cheque (made payable to \u2018The Child Maintenance Service\u2019)
  • ", + "

    Account details to use

    ", + "Sort code | Account number | Account name | Account code | Transaction code", + "60 70 80 | 10026584 | DWP CMG Employers | 0 | 99", + "

    You\u2019ll need to give the employer reference number. It will be a 12 digit number starting with 5.

    ", + "

    When to pay

    ", + "

    You should send a payment to the Child Maintenance Service so it gets there no later than the 19th day of the month following the month that you took it.

    ", + "

    You and your employee will be sent a letter every year to remind you how much must be paid and when.

    ", + "

    Deductions for administrative costs

    ", + "

    You can take up to \u00a31 towards administrative costs for each deduction, on top of the amount asked for on the DEO. You can take it even if it reduces your employee\u2019s income below the protected earnings proportion or protected earnings rate.

    ", + "

    Inform your employee

    ", + "

    You must inform your employee in writing about each deduction when they are given their pay statement. Include the amount (if any) you deduct towards your expenses.

    ", + "

    If pay statements are not usually given, you should inform your employee in writing. You should do this no later than the employee\u2019s pay day after the deduction was made.

    ", + "

    If you pay the wrong amount

    ", + "

    Tell the Child Maintenance Service if you find a mistake in the amount you\u2019ve paid. You can either:

    ", + "
  • use the Child Maintenance Service online
  • ", + "
  • call the employer payment team
  • ", + "

    Change of circumstances for DEOs

    ", + "

    Tell the Child Maintenance Service if your employee\u2019s circumstances change.

    ", + "

    You can either:

    ", + "
  • use the Child Maintenance Service online
  • ", + "
  • call the employer helpline
  • ", + "

    If your business stops trading, or if your employee leaves your employment, you must tell the Child Maintenance Service within 10 days.

    ", + "

    You should also tell them if your employee changes their hours.

    ", + "

    You and your employee will be sent a revised deduction from earnings order (DEO).

    ", + "

    If the Child Maintenance Service cancels a DEO

    ", + "

    They will write to you and your employee to tell you the DEO has been cancelled. They will ask you to stop taking deductions from the date of the letter.

    ", + "

    You must only stop taking deductions if you\u2019re told in writing.

    ", + "

    If you do not help with DEOs or AEOs

    ", + "

    You can be fined up to \u00a3250 or sent to prison for up to 14 days if you do not do what an attachment of earnings order (AEO) says you should do.

    ", + "

    If you\u2019ve got a deduction from earnings order (DEO) it\u2019s an offence to:

    ", + "
  • not provide information when it\u2019s required
  • ", + "
  • make a false statement or representation
  • ", + "
  • knowingly provide false information
  • ", + "
  • delay or obstruct an inspector on purpose
  • ", + "
  • refuse or fail to answer any questions or supply any information or to produce any document when it\u2019s asked for
  • ", + "

    The Child Maintenance Service sometimes sends inspectors to interview \u2018paying parents\u2019 at work. You must let them interview your employee.

    ", + "

    The \u2018paying parent\u2019 is the parent who does not have main day-to-day care of the child.

    ", + "

    You can be fined up to \u00a31,000 if you\u2019re found guilty of any of these offences.

    " + ] + }, + { + "title": "Make debt deductions from an employee's pay", + "url": "https://www.gov.uk/debt-deductions-from-employee-pay", + "contents": [ + "

    When you have to deduct from pay

    ", + "

    You have to make deductions from your employee\u2019s wages if a court orders you to. This could be to pay off:

    ", + "
  • unpaid maintenance payments
  • ", + "
  • a county court judgment
  • ", + "

    There\u2019s a different process if you have to make deductions to pay off a benefit debt or child maintenance.

    ", + "

    How it works

    ", + "
  • You\u2019ll get a document from the court telling you to make deductions from your employee\u2019s pay.
  • ", + "
  • Work out how much you have to deduct each time your employee is paid.
  • ", + "
  • Start making deductions the next time you pay your employee. Pay them their reduced wages on their normal payday.
  • ", + "
  • Make the payment to the court.
  • ", + "
  • Stop making deductions when the debt has been paid off.
  • ", + "

    You and your employee can be fined if you do not deduct their wages, or if you deliberately give false information about their earnings.

    ", + "

    Getting an order

    ", + "

    You and your employee will each get an \u2018attachment of earnings order\u2019 (AEO) from the court.

    ", + "

    You must start making deductions from your employee\u2019s pay from the next time you pay them, unless it\u2019s within the next 7 days.

    ", + "

    Write to the court within 10 days if you get an order for someone you do not employ.

    ", + "

    What the order tells you

    ", + "

    The court order will tell you:

    ", + "
  • how much your employee owes
  • ", + "
  • if it\u2019s a \u2018priority order\u2019 - if it does not say what it is, it\u2019s a \u2018non-priority order\u2019
  • ", + "
  • how much you have to take from their wages - called the \u2018normal deduction rate\u2019 (NDR)
  • ", + "
  • the minimum amount they still have to take home - called the \u2018protected earnings rate\u2019 (PER)
  • ", + "
  • how often the payments have to be made (weekly or monthly)
  • ", + "

    You can be fined if you do not start making the deductions.

    ", + "

    Change how often the deductions are made

    ", + "

    If a county court made the order, you can ask them to change it, for example from weekly to monthly if that\u2019s how you pay your employee.

    ", + "

    If a magistrate\u2019s court made the order, your employee has to ask the court to change it.

    ", + "

    Deductions and minimum take-home pay

    ", + "

    You cannot make the normal deduction if it would take the employee below the protected earnings rate.

    ", + "

    Protected earnings rate is too high

    ", + "

    If the protected earnings rate is so high that you\u2019ll never be able to make deductions, write to both:

    ", + "
  • the Centralised Attachment of Earning Payments (CAPS) office
  • ", + "
  • the court who issued the order
  • ", + "

    Include the:

    ", + "
  • court case number
  • ", + "
  • attachment of earnings order number
  • ", + "
  • name of the employee
  • ", + "

    Priority and non-priority orders

    ", + "

    There are 2 types of orders - priority orders and non-priority orders. The way you calculate deductions for them is different.

    ", + "Type of order | What it\u2019s used for | If you cannot make the full deduction", + "Priority | Maintenance or fines | Carry the unpaid difference over to the next payday", + "Non-priority | Civil debts | Do not carry the unpaid difference over to the next payday", + "

    If your employee has more than one order

    ", + "

    Deduct any priority orders first, in the order the employee got them. Then deduct the non-priority orders in the order the employee got them.

    ", + "

    You can apply to the court to combine 2 or more non-priority orders into a single order. This is called a \u2018consolidated attachment of earnings order\u2019.

    ", + "

    Deductions for a priority order

    ", + "

    Priority orders are used for unpaid maintenance or fines.

    ", + "
  • Calculate your employee\u2019s earnings.
  • ", + "
  • Take off the normal deduction rate from their earnings.
  • ", + "
  • Take off an extra \u00a31 towards your administrative costs (if you want to).
  • ", + "
  • Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate (this is given in the order). If you cannot deduct the full amount, carry the difference over and deduct it on the next payday.
  • ", + "
  • Send the deduction to the court.
  • ", + "

    You can still deduct the \u00a31 if it takes your employee\u2019s income below their protected earnings rate - but not if it takes their income below the National Minimum Wage.

    ", + "

    Making a full deduction

    ", + "

    Deduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.

    ", + "

    When you cannot make a full deduction

    ", + "

    If the full deduction would take the employee below their protected earnings rate, carry the difference over to their next payday.

    ", + "

    When you cannot make any deduction

    ", + "

    There\u2019s a different process if you cannot make any deduction because the employee\u2019s earnings are below their protected earnings rate.

    ", + "

    You have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:

    ", + "
  • court case number
  • ", + "
  • attachment of earnings order number
  • ", + "
  • name of the employee
  • ", + "
  • reason you could not make any deduction
  • ", + "

    Paying your employee for a different pay period

    ", + "

    Recalculate the protected earnings rate and normal deduction rate if you pay your employee for a different period than usual.

    ", + "

    Holiday pay in advance

    ", + "

    Use the same process if you\u2019re paying your employee holiday pay in advance.

    ", + "

    You\u2019ll need to work out the different rates for:

    ", + "
  • the month when you give pay in advance
  • ", + "
  • the following month when you pay them less than normal
  • ", + "

    Deductions for a non-priority order

    ", + "

    Non-priority orders are used for debts from a county court judgment (CCJ).

    ", + "
  • Calculate your employee\u2019s earnings.
  • ", + "
  • Take off the normal deduction rate from their earnings.
  • ", + "
  • Take off an extra \u00a31 towards your administrative costs (if you want to).
  • ", + "
  • Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate.
  • ", + "
  • Send the deduction to the court.
  • ", + "

    You can still deduct the \u00a31 if it takes your employee\u2019s income below their protected earnings rate - but not if it takes their income below the National Minimum Wage.

    ", + "

    Making a full deduction

    ", + "

    Deduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.

    ", + "

    When you cannot make a full deduction

    ", + "

    Do not carry any unpaid difference over to the next payday if the full deduction would take the employee below their protected earnings rate.

    ", + "

    When you cannot make any deduction

    ", + "

    Do not carry the deduction over to the next payday if the employee\u2019s earnings are below their protected earnings rate.

    ", + "

    You have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:

    ", + "
  • court case number
  • ", + "
  • attachment of earnings order number
  • ", + "
  • name of the employee
  • ", + "
  • reason you could not make any deduction
  • ", + "

    Paying your employee for a different pay period

    ", + "

    Recalculate the protected earnings rate and normal deduction rate if you pay your employee for a different period than usual.

    ", + "

    Holiday pay in advance

    ", + "

    Use the same process if you\u2019re paying your employee holiday pay in advance.

    ", + "

    You\u2019ll need to work out the different rates for:

    ", + "
  • the month when you give pay in advance
  • ", + "
  • the following month when you\u2019d pay them less than normal
  • ", + "

    What counts as earnings

    ", + "

    You can only make a deduction from the following earnings:

    ", + "
  • wages, fees, bonuses, commissions, overtime pay or any payments on top of wages
  • ", + "
  • private or occupational pensions and compensation payments
  • ", + "
  • Statutory Sick Pay
  • ", + "
  • contractual sick pay
  • ", + "
  • contractual maternity pay
  • ", + "
  • contractual paternity pay
  • ", + "
  • contractual adoption pay
  • ", + "
  • contractual redundancy pay
  • ", + "

    Statutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees in addition to statutory pay.

    ", + "

    What does not count as earnings

    ", + "

    You cannot make a deduction from any of the following:

    ", + "
  • amounts paid by a department of the government of Northern Ireland or any country outside the UK
  • ", + "
  • any social security pension, allowance or benefit
  • ", + "
  • tax credits
  • ", + "
  • any pension or allowance paid for disability
  • ", + "
  • guaranteed minimum pension within the Social Security Pensions Act 1975
  • ", + "
  • Statutory Maternity Pay
  • ", + "
  • Statutory Paternity Pay
  • ", + "
  • Statutory Adoption Pay
  • ", + "
  • Statutory Redundancy Pay
  • ", + "

    Making payments

    ", + "

    The order that you get for the employee will tell you whether you have to pay:

    ", + "
  • the magistrates\u2019 court
  • ", + "
  • the Centralised Attachment of Earnings Payments (CAPS) office
  • ", + "

    Tell your employee each time

    ", + "

    You must tell your employee in writing about each deduction. Do this when you give them their payslip.

    ", + "

    Paying the magistrates\u2019 court

    ", + "

    Send a cheque made payable to \u2018HM Courts & Tribunals Service\u2019.

    ", + "

    You can pay with a single cheque if you\u2019re paying 2 or more orders issued by the same court.

    ", + "

    Some courts let you pay by Bacs transfer. Contact the court for their account details if you want to pay this way.

    ", + "

    When you send the payment, you must include a note of:

    ", + "
  • the employer name
  • ", + "
  • the employee\u2019s name
  • ", + "
  • the case number from the order
  • ", + "
  • how much money you\u2019re sending
  • ", + "

    Paying the CAPS office

    ", + "

    You can only pay by:

    ", + "
  • cheque
  • ", + "
  • Bacs transfer
  • ", + "

    You cannot pay by standing order or Direct Debit.

    ", + "

    Pay CAPS by cheque

    ", + "

    Send a cheque made payable to \u2018HM Courts & Tribunals Service\u2019 to CAPS.

    ", + "

    Pay CAPS by Bacs

    ", + "

    You must register before you can pay by Bacs. Download and fill in the registration form and email it to ntonbacs@justice.gov.uk.

    ", + "

    To make a Bacs payment, send:

    ", + "
  • a bank payment request form to your bank
  • ", + "
  • the Bacs payment schedule form to ntonbacs@justice.gov.uk
  • ", + "

    The payment will be sent back if you do not fill in the schedule correctly. You can be fined if you do not send the schedule.

    ", + "

    Contact CAPS about a payment

    ", + "

    You need to give these details when you contact CAPS about a payment:

    ", + "
  • case number
  • ", + "
  • your name (as stated on your bank statement)
  • ", + "
  • your bank account number
  • ", + "
  • your sort code
  • ", + "
  • amount of payment
  • ", + "

    Change of circumstances

    ", + "

    Write to the Centralised Attachment of Earning Payments (CAPS) office within 10 days if the employee stops working for you.

    ", + "

    Include the:

    ", + "
  • court case number
  • ", + "
  • attachment of earnings order number
  • ", + "
  • name of the employee
  • ", + "
  • date they stopped working for you
  • ", + "
  • name of their new employer (if you know it)
  • ", + "

    The court changes the order

    ", + "

    The County Court Money Claims Centre will tell you in writing if the normal deduction rate or protected earnings rate changes. They can change it for 4 weeks.

    ", + "

    When the 4 weeks is over, you have to go back to the original rates in the order.

    ", + "

    The court cancels the order

    ", + "

    The County Court Money Claims Centre will tell you in writing if the order has been \u2018discharged\u2019 (cancelled).

    ", + "

    You can still make the deduction if you\u2019re due to pay your employee within the next 7 days. Your employee will get a refund from CAPS.

    ", + "

    You must stop making deductions if you\u2019re due to pay your employee 7 days after you got the cancellation notice.

    " + ] + }, + { + "title": "Minimum wage for different types of work", + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "contents": [ + "

    Overview

    ", + "

    The National Minimum Wage is worked out at an hourly rate, but it applies to all eligible workers even if they\u2019re not paid by the hour.

    ", + "

    This means that, however someone gets paid, they still need to work out their equivalent hourly rate to see if they\u2019re getting the minimum wage.

    ", + "

    There are different ways of checking that workers get the minimum wage depending on whether they are:

    ", + "
  • paid by the hour (known as \u2018time work\u2019)
  • ", + "
  • paid an annual salary, under a contract for a basic number of hours each year (known as \u2018salaried hours\u2019)
  • ", + "
  • paid by the piece - the number of things they make, or tasks they complete (known as \u2018output work\u2019)
  • ", + "
  • paid in other ways (known as \u2018unmeasured work\u2019)
  • ", + "

    Use the National Minimum Wage calculator to check if payments are over the minimum wage.

    ", + "

    What counts as working time

    ", + "

    For all types of work, include time spent:

    ", + "
  • at work and required to be working, or on standby near the workplace (but do not include rest breaks that are taken)
  • ", + "
  • not working because of machine breakdown, but kept at the workplace
  • ", + "
  • waiting to collect goods, meet someone for work or start a job
  • ", + "
  • travelling in connection with work, including travelling from one work assignment to another
  • ", + "
  • training or travelling to training
  • ", + "
  • at work and under certain work-related responsibilities even when workers are allowed to sleep (whether or not a place to sleep is provided)
  • ", + "

    Do not include time spent:

    ", + "
  • travelling between home and work
  • ", + "
  • away from work on rest breaks, holidays, sick leave or maternity leave
  • ", + "
  • on industrial action
  • ", + "
  • not working but at the workplace or available for work at or near the workplace during a time when workers are allowed to sleep (and you provide a place to sleep)
  • ", + "

    Call the Acas helpline for advice about the National Minimum Wage.

    ", + "

    Paid by the hour

    ", + "

    Workers paid according to the number of hours they are at work are classed as doing \u2018time work\u2019.

    ", + "

    For these workers, the average hourly pay has to be at least the National Minimum Wage, worked out over the period each pay packet covers - so for a worker who gets paid once a month, this period will be 1 month.

    ", + "

    Use the National Minimum Wage calculator to check if payments are at least at the minimum wage.

    ", + "

    Paid an annual salary

    ", + "

    Most people paid an annual salary are classed as doing \u2018salaried hours work\u2019.

    ", + "

    To find out if they are getting the minimum wage you must work out how many basic hours they work in return for their salary.

    ", + "

    Someone is usually doing salaried hours work if all of the following apply:

    ", + "
  • their contract states how many hours they must work in return for their salary (their basic hours)
  • ", + "
  • they\u2019re paid in equal, regular instalments through the year, for example monthly or every 4 weeks
  • ", + "
  • there is no more than a month between each payment
  • ", + "
  • they do not get paid more than once a week
  • ", + "

    If someone is paid monthly they do not need to be paid exactly the same amount each month, but they must get the same total amount every 3 months (each quarter of the year).

    ", + "

    Salaried hours workers\u2019 contracts might not state the total number of basic hours the worker must work over the entire year, but you must be able to work this out from the contract.

    ", + "

    For example, if a contract states the days of the week someone is expected to work and the basic hours for each day, you can use this to work out the total basic hours someone is expected to work over the year.

    ", + "

    You can then use this figure to make sure the rate of pay is at least the minimum wage.

    ", + "

    Work out the hourly rate

    ", + "
  • Find the basic annual hours in the worker\u2019s contract.
  • ", + "
  • Divide this by the number of times they get paid each year (for example 12 if they get paid monthly) - this gives you the average number of hours covered by each pay packet.
  • ", + "
  • Divide the amount they get in each pay packet by this number (average hours). This gives you the worker\u2019s hourly rate.
  • ", + "

    If you know how many basic hours someone works for each payment they get, you can use the National Minimum Wage calculator to check if they\u2019re paid the minimum wage.

    ", + "

    Extra hours

    ", + "

    Employers must pay at least the minimum wage for any hours worked in addition to what\u2019s agreed in the worker\u2019s contract.

    ", + "

    Other salaried workers

    ", + "

    Some people paid a salary may not be salaried hours workers, for example if there is more than a month between each payment.

    ", + "

    These people are usually classed as doing \u2018time work\u2019 when working out if they are paid minimum wage or not.

    ", + "

    Paid per task or piece of work done

    ", + "

    Workers paid per task they perform or piece of work they do (known as piece work) are classed as doing \u2018output work\u2019.

    ", + "

    They must be paid either:

    ", + "
  • at least the minimum wage for every hour worked
  • ", + "
  • a \u2018fair rate\u2019 for each task or piece of work they do
  • ", + "

    Output work can usually only be used in limited situations when the employer does not know which hours the worker does (such as with some home workers).

    ", + "

    The work is not classed as output work if the employer sets either:

    ", + "
  • a minimum or maximum time the worker must work
  • ", + "
  • the start and finish times for a period of work
  • ", + "

    If the employer sets the times of work this counts as \u2018time work\u2019.

    ", + "

    Fair rate

    ", + "

    The fair rate is the amount that must be paid for each piece of work, to make sure someone working at an average speed is paid at least the minimum wage per hour.

    ", + "

    There is a way to work out the fair rate per piece of work done which employers must follow.

    ", + "

    Work out the average rate of work per hour

    ", + "

    Employers must carry out a fair test to find out how many tasks or pieces an average worker completes in an hour (the average rate of work).

    ", + "
  • Test some or all of the workers. The group you test must be typical of the whole workforce - not just the most efficient or fastest ones.
  • ", + "
  • Work out how many pieces of work have been completed in a normal working hour.
  • ", + "
  • Divide this by the number of workers to work out the average rate.
  • ", + "
  • If the work changes significantly, do another test to work out the new average rate. It\u2019s not necessary to do another test if the same work is being done in a different environment, for example work previously done in a factory being done at home.
  • ", + "

    Work out the fair rate

    ", + "
  • Divide the average rate of work by 1.2 (this means new workers will not be disadvantaged if they\u2019re not as fast as the others yet).
  • ", + "
  • Divide the hourly minimum wage rate by that number to work out the fair rate for each piece of work completed.
  • ", + "

    If an agricultural worker was employed before 2013 or is in Wales, they may be entitled to the Agricultural Minimum Wage. There are also different rules and rates for agricultural workers in Scotland and Northern Ireland.

    ", + "

    Give notice of fair rate

    ", + "

    To use a fair rate an employer must give each worker a written notice before they start work for the first time.

    ", + "

    The notice must:

    ", + "
  • say that the worker will be paid for producing a piece of work or completing a task, for example picking a certain amount of fruit
  • ", + "
  • say that to calculate whether minimum wage is being paid it\u2019s assumed the task will take an average time to complete
  • ", + "
  • confirm if the average time to complete the task has been tested or is an estimate
  • ", + "
  • say how many tasks or pieces of work it\u2019s assumed someone can complete in an hour
  • ", + "
  • give the amount to be paid for each piece that the worker completes
  • ", + "
  • include the ACAS helpline number, which is 0300 123 1100
  • ", + "

    If employers do not give a worker a complete notice then the worker is entitled to be paid by the hour instead.

    ", + "

    Paid in other ways (unmeasured work)

    ", + "

    If the work is not covered by any of the other types of work, it\u2019s \u2018unmeasured work\u2019.

    ", + "

    Unmeasured work includes being paid a set amount to do a particular task, for instance being paid \u00a3500 to lay a patio, regardless of how long it takes.

    ", + "

    To work out the minimum wage for unmeasured work, either:

    ", + "
  • record every hour worked and use the National Minimum Wage calculator to make sure the worker gets the minimum wage
  • ", + "
  • make a \u2018daily average agreement of hours\u2019
  • ", + "

    Daily average agreement of hours

    ", + "

    This is when the employer and worker agree a typical number of hours per day they expect to work on average. One agreement can cover several pay reference periods (for example, weeks if the worker\u2019s paid weekly) if there\u2019s no change in the average number of hours.

    ", + "

    Daily average agreements of hours must:

    ", + "
  • be agreed in writing
  • ", + "
  • be made before the start of the pay reference period they cover
  • ", + "
  • say how many hours the work should take each day (on average)
  • ", + "

    The employer must be able to prove that the number of hours worked on average is realistic.

    " + ] + }, + { + "title": "National Minimum Wage and Living Wage: accommodation", + "url": "https://www.gov.uk/national-minimum-wage-accommodation", + "contents": [ + "

    Accommodation rates

    ", + "

    Accommodation provided by an employer can be taken into account when calculating the National Minimum Wage or National Living Wage.

    ", + "

    No other kind of company benefit (such as food, a car, childcare vouchers) counts towards the minimum wage.

    ", + "

    Accommodation offset rates

    ", + "

    The accommodation rates are set in April each year.

    ", + "Year | Daily accommodation offset rate | Weekly accommodation offset rate", + "April 2021 (current rate) | \u00a38.36 | \u00a358.52", + "

    Previous rates

    ", + "Year | Daily accommodation offset rate | Weekly accommodation offset rate", + "2020 | \u00a38.20 | \u00a357.40", + "2019 | \u00a37.55 | \u00a352.85", + "2018 | \u00a37 | \u00a349", + "2017 | \u00a36.40 | \u00a344.80", + "2016 (October) | \u00a36 | \u00a342", + "2015 | \u00a35.35 | \u00a337.45", + "2014 | \u00a35.08 | \u00a335.56", + "

    Use the minimum wage calculator to check if it\u2019s been paid.

    ", + "

    Using the offset rate to work out the minimum wage

    ", + "

    If an employer charges more than the offset rate, the difference is taken off the worker\u2019s pay which counts for the National Minimum Wage or National Living Wage.

    ", + "

    This means the higher the accommodation charge, the lower a worker\u2019s pay when calculating the minimum wage.

    ", + "

    If the accommodation charge is at or below the offset rate, it does not have an effect on the worker\u2019s pay.

    ", + "

    If the accommodation is free, the offset rate is added to the worker\u2019s pay.

    ", + "

    See examples of accommodation rates for minimum wage calculations.

    ", + "

    What counts as accommodation charges

    ", + "

    Include these costs as part of your overall accommodation charges:

    ", + "
  • rent
  • ", + "
  • charges for things like gas, electricity, furniture
  • ", + "
  • laundry
  • ", + "

    Working out if the employer provides the accommodation

    ", + "

    The employer is providing accommodation if any of these apply:

    ", + "
  • the accommodation comes with the job
  • ", + "
  • the employer (or a connected person or company) owns or rents the property the worker lives in, even if there\u2019s no direct link between the job and the accommodation
  • ", + "
  • the employer (or an owner, business partner, shareholder or director) gets a payment or benefit from the worker\u2019s landlord or a member of the landlord\u2019s family
  • ", + "

    Accommodation costs count towards the National Minimum Wage or National Living Wage, even if the worker does not have to use the accommodation to do the job. If the accommodation is optional, it only counts as a cost if the worker uses it.

    ", + "

    Local housing authority and social housing providers

    ", + "

    If someone working for a local housing authority or social housing provider gets accommodation from their work, this does not automatically count towards the National Minimum Wage or National Living Wage.

    ", + "

    It only counts if the accommodation is linked to the employment. For example, a care warden who has to live on site has their accommodation linked to their job.

    ", + "

    Higher or further education institutions

    ", + "

    Accommodation is not counted when working out the National Minimum Wage or National Living Wage if it\u2019s provided by a higher or further education institution to a worker who\u2019s enrolled on a full-time course with the institution.

    ", + "

    Help and advice

    ", + "

    Call the Acas helpline if you have any questions about workers\u2019 rights and the minimum wage.

    ", + "

    Effect on the minimum wage

    ", + "

    This effect of accommodation rates on the National Minimum Wage or National Living Wage depends on how much an employer charges for accommodation.

    ", + "

    It\u2019s calculated by \u2018pay period\u2019, the intervals at which someone is being paid. This can be weekly, monthly or in irregular intervals like every 10 days.

    ", + "

    If the accommodation is free, it still affects the minimum wage. There is an offset rate of \u00a38.36 per day for this.

    ", + "

    It does not matter if the cost of the accommodation is taken from the worker\u2019s wages beforehand or if the worker pays the cost after they get their wages.

    ", + "

    Examples

    " + ] + }, + { + "title": "PAYE Online for employers", + "url": "https://www.gov.uk/paye-online", + "contents": [ + "

    Using PAYE Online

    ", + "

    As an employer, you need to use HM Revenue and Customs\u2019 (HMRC) PAYE Online service to:

    ", + "
  • check what you owe HMRC
  • ", + "
  • pay your bill
  • ", + "
  • see your payment history
  • ", + "
  • access tax codes and notices about your employees
  • ", + "
  • appeal a penalty
  • ", + "
  • get alerts from HMRC when you report or pay late, or do not send the expected number of reports in a month
  • ", + "
  • send expenses and benefits returns such as P46 (car), P11D and P11D(b)
  • ", + "

    Online services may be slow during busy times. Check if there are any problems with this service.

    ", + "

    Sign in

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Before you start

    ", + "

    Most new employers get a login when they register as an employer online. If you do not have a login because you registered in a different way you\u2019ll need to enrol for PAYE Online separately.

    ", + "

    Tax codes and notices

    ", + "

    HMRC sends you information about your employees through PAYE Online. You can log in to view:

    ", + "
  • tax code notices (P6 and P9)
  • ", + "
  • student loan notices (SL1 and SL2)
  • ", + "
  • National Insurance verification notices (NVR and NOT)
  • ", + "
  • late reporting and late payment alerts (HMRC call these \u2018generic notifications\u2019)
  • ", + "

    You can also access these through some payroll software, or by using the PAYE Desktop Viewer.

    ", + "

    Enrol if you did not register online

    ", + "

    You only need to enrol separately for HM Revenue and Customs\u2019 (HMRC) PAYE Online service if you did not get a login when you registered as an employer - this is usually because you did not register online.

    ", + "

    You\u2019ll need your PAYE reference and Accounts Office reference - these are included in the letter from HMRC confirming your registration.

    ", + "

    Enrol for PAYE Online

    ", + "

    How you enrol depends on whether you already have an online account for other taxes, for example Corporation Tax or Self Assessment.

    ", + "

    You already have an account

    ", + "

    Sign in to your account and select \u2018PAYE for employers\u2019 from the list.

    ", + "

    You do not have an account

    ", + "

    Enrol as a new business account holder and select \u2018Add a tax to your account\u2019 on the \u2018Business tax summary\u2019 page. You will then be able to add PAYE for employers.

    ", + "

    PAYE Desktop Viewer

    ", + "

    PAYE Desktop Viewer is an application from HM Revenue and Customs (HMRC) that allows you to view, search and sort large numbers of employee tax codes and notices.

    ", + "

    You can also use it to download notices and view them offline instead of accessing them through HMRC\u2019s PAYE Online service, or your payroll software if it includes this feature.

    ", + "

    Download PAYE Desktop Viewer

    " + ] + }, + { + "title": "PAYE and payroll for employers", + "url": "https://www.gov.uk/paye-for-employers", + "contents": [ + "

    Introduction to PAYE

    ", + "

    As an employer, you normally have to operate PAYE as part of your payroll. PAYE is HM Revenue and Customs\u2019 (HMRC) system to collect Income Tax and National Insurance from employment.

    ", + "

    You do not need to register for PAYE if none of your employees are paid \u00a3120 or more a week, get expenses and benefits, have another job or get a pension. However, you must keep payroll records.

    ", + "

    Payments and deductions

    ", + "

    When paying your employees through payroll you also need to make deductions for PAYE.

    ", + "

    Payments to your employees

    ", + "

    Payments to your employees include their salary or wages, as well as things like any tips or bonuses, or statutory sick or maternity pay.

    ", + "

    Deductions from their pay

    ", + "

    From these payments, you\u2019ll need to deduct tax and National Insurance for most employees. Other deductions you may need to make include student loan repayments or pension contributions.

    ", + "

    Reporting to and paying HMRC

    ", + "

    Reporting pay and deductions

    ", + "

    If you run payroll yourself, you\u2019ll need to report your employees\u2019 payments and deductions to HMRC on or before each payday.

    ", + "

    Your payroll software will work out how much tax and National Insurance you owe, including an employer\u2019s National Insurance contribution on each employee\u2019s earnings above \u00a3170 a week.

    ", + "

    You\u2019ll need to send another report to claim any reduction on what you owe HMRC, for example for statutory pay.

    ", + "

    Paying HMRC

    ", + "

    You\u2019ll be able to view what you owe HMRC, based on your reports. You then have to pay HMRC, usually every month.

    ", + "

    If you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.

    ", + "

    Other things to report

    ", + "

    As part of your regular reports, you should tell HMRC when a new employee joins and if an employee\u2019s circumstances change, for example they reach State Pension age or become a director.

    ", + "

    You have to run annual reports at the end of the tax year - including telling HMRC about any expenses or benefits.

    ", + "

    Choose how to run payroll

    ", + "

    If you have to operate PAYE, you can choose how to run your payroll.

    ", + "

    Choose how to run payroll

    ", + "

    You can operate PAYE by either:

    ", + "
  • paying a payroll provider to do it for you
  • ", + "
  • doing it yourself using payroll software
  • ", + "

    Paying a payroll provider

    ", + "

    If you decide to pay a payroll provider (for example, a bureau or accountant) to run your payroll, you\u2019ll need to consider how much support you\u2019ll need.

    ", + "

    You\u2019re responsible for collecting and keeping records of your employee\u2019s details. Your payroll provider will need these to run payroll for you.

    ", + "

    Some payroll providers can offer you more support if you need it, for example keeping employee records, providing payslips and making payments to HM Revenue and Customs (HMRC).

    ", + "

    As an employer, you\u2019re legally responsible for completing all PAYE tasks - even if you pay someone else to do them.

    ", + "

    Running payroll yourself

    ", + "

    You need to complete certain tasks to set up payroll and pay your employees for the first time. This includes registering as an employer with HMRC and telling them about your employees.

    ", + "

    Exemptions to online reporting

    ", + "

    You may be exempt from reporting payroll online if:

    ", + "
  • you\u2019re prevented from using a computer on religious grounds
  • ", + "
  • you\u2019re getting care or support services for yourself or a member of your family
  • ", + "
  • you\u2019re unable to send reports electronically because you\u2019re disabled, elderly or cannot access the internet
  • ", + "

    HMRC has guidance if you believe you\u2019re exempt and would prefer to report on paper.

    ", + "

    Setting up payroll

    ", + "

    If you decide to run payroll yourself, you need to complete certain tasks to pay your employees for the first time. You can choose when and how often to pay your employees.

    ", + "
  • Register as an employer with HM Revenue and Customs (HMRC) and get a login for PAYE Online.
  • ", + "
  • Choose payroll software to record employee\u2019s details, calculate pay and deductions, and report to HMRC.
  • ", + "
  • Collect and keep records.
  • ", + "
  • Tell HMRC about your employees.
  • ", + "
  • Record pay, make deductions and report to HMRC on or before the first payday.
  • ", + "
  • Pay HMRC the tax and National Insurance you owe.
  • ", + "

    You\u2019ll also need to complete certain annual reports and tasks to prepare for the next tax year, which starts on 6 April.

    ", + "

    Keeping records

    ", + "

    You must collect and keep records of:

    ", + "
  • what you pay your employees and the deductions you make
  • ", + "
  • reports you make to HM Revenue and Customs (HMRC)
  • ", + "
  • payments you make to HMRC
  • ", + "
  • employee leave and sickness absences
  • ", + "
  • tax code notices
  • ", + "
  • taxable expenses or benefits
  • ", + "
  • Payroll Giving Scheme documents, including the agency contract and employee authorisation forms
  • ", + "

    Your records must show you\u2019ve reported accurately, and you need to keep them for 3 years from the end of the tax year they relate to. HMRC may check your records to make sure you\u2019re paying the right amount of tax.

    ", + "

    There are different rules for keeping records to prove you have paid the correct minimum wage.

    ", + "

    If you do not keep full records, HMRC may estimate what you have to pay and charge you a penalty of up to \u00a33,000.

    ", + "

    If your records are lost, stolen or destroyed

    ", + "

    Tell HMRC as soon as possible if you do not have records and cannot replace them. You must also do your best to recreate them - HMRC may be able to help if you\u2019re not sure how much you paid your employees.

    ", + "

    You must tell HMRC if your final payroll report of the tax year includes figures that are:

    ", + "
  • estimated - that you want HMRC to accept as final
  • ", + "
  • provisional - that you\u2019ll update later with actual figures
  • ", + "

    Data protection

    ", + "

    You must follow rules on data protection if your business stores or uses personal information.

    " + ] + }, + { + "title": "Pay a PAYE Settlement Agreement", + "url": "https://www.gov.uk/pay-psa", + "contents": [ + "

    Overview

    ", + "

    You must pay the tax and Class 1B National Insurance due from your PAYE Settlement Agreement (PSA) by 22 October following the tax year it applies to.

    ", + "

    This guide is also available in Welsh (Cymraeg)

    ", + "

    Pay online

    ", + "

    Make sure you pay HM Revenue and Customs (HMRC) by the deadline. You may have to pay penalties and interest if your payment is late.

    ", + "

    Pay now

    ", + "

    Other ways to pay

    ", + "

    You can choose to pay in other ways. The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Up to 2 days

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • by debit or corporate credit card online
  • ", + "
  • at your bank or building society
  • ", + "

    3 working days or more

    ", + "
  • Bacs
  • ", + "
  • Direct Debit (if you\u2019ve set up one for HMRC before)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit - if you have not set up one for HMRC before
  • ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    You can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001020 | HMRC Shipley", + "

    Reference number

    ", + "

    You\u2019ll need to use your PAYE Settlement Agreement (PSA) reference number as the payment reference.

    ", + "

    It starts with an X and is on the payslip HMRC sent you. If you do not have your PSA number, contact the office that\u2019s dealing with your application.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB03BARC20114783977692 | BARCGB22 | HMRC Shipley", + "

    HMRC\u2019s banking address is:

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    You\u2019ll need your PAYE Settlement Agreement (PSA) reference number. It starts with an X and is on the payslip HM Revenue and Customs (HMRC) sent you.

    ", + "

    If you do not have your PSA number, contact the HMRC office that\u2019s dealing with your application.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    HMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.

    ", + "

    If you\u2019re unable to pay your PSA in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    You can pay at your branch by cash or cheque. You\u2019ll need to use the PAYE Settlement Agreement (PSA) payslip sent to you by HM Revenue and Customs (HMRC).

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your PSA reference number on the back of your cheque. The number starts with an X. You will find it on the payslip.

    ", + "

    HMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.

    ", + "

    Direct Debit

    ", + "

    Set up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment. This means you\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.

    ", + "

    Use your reference number

    ", + "

    You\u2019ll need your PAYE Settlement Agreement (PSA) reference number. It starts with an X and is on the payslip HMRC sent you.

    ", + "

    If you do not have your PSA number, contact the HMRC office that\u2019s dealing with your application.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    How long it takes

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.

    ", + "

    If you pay PAYE or Class 1 National Insurance contributions by Direct Debit, make a separate Direct Debit payment for your PSA.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your PAYE Settlement Agreement (PSA) reference number on the back of the cheque. It starts with an \u2018X\u2019 and you\u2019ll find it on your payslip.

    ", + "

    Include the payslip HMRC sent you. Do not fold the payslip or cheque or fasten them together.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    If you want a receipt, include a note asking for one.

    ", + "

    If you do not have a payslip

    ", + "

    You can print a payslip to use to pay by post. You cannot use this at a bank.

    ", + "

    Check your payment has been received

    ", + "

    You can check your bank or building society statement to confirm the payment has left your account.

    ", + "

    If you\u2019re paying by post, you can include a letter with your payment to request a receipt from HM Revenue and Customs (HMRC).

    " + ] + }, + { + "title": "Pay a PAYE late payment or filing penalty", + "url": "https://www.gov.uk/pay-paye-penalty", + "contents": [ + "

    Overview

    ", + "

    You have 30 days from the date on the PAYE late penalty notice to pay or appeal it.

    ", + "

    Pay now

    ", + "

    Ways to pay

    ", + "

    Make sure you pay HM Revenue and Customs (HMRC) by the deadline.

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • by debit or corporate credit card online
  • ", + "
  • at your bank or building society
  • ", + "

    3 working days

    ", + "
  • Bacs
  • ", + "
  • Direct Debit (if you\u2019ve set up one for HMRC before)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set up one for HMRC before)
  • ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    You can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001020 | HMRC Shipley", + "

    Reference number

    ", + "

    You\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB03BARC20114783977692 | BARCGB22 | HMRC Shipley", + "

    HMRC\u2019s banking address is:

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    You\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HM Revenue and Customs (HMRC) sent you.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    HMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.

    ", + "

    If you\u2019re unable to pay your penalty in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    You can pay at a branch by cash or cheque. You\u2019ll need to use the HM Revenue and Customs (HMRC) payslip included with the late penalty or filing notice.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your penalty reference number on the back of your cheque. The reference number starts with an X. You will find it on the penalty notice sent to you by HMRC.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    HMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.

    ", + "

    Direct Debit

    ", + "

    Set up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment.

    ", + "

    You\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your penalty reference number on the back of the cheque. It starts with an \u2018X\u2019 and you\u2019ll find it on the penalty notice HMRC sent you.

    ", + "

    Include the payslip from the penalty notice. Do not fold the payslip or cheque or fasten them together.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    If you want a receipt, include a note asking for one.

    ", + "

    If you do not have a payslip

    ", + "

    You can print a payslip to use to pay by post. You cannot use this at a bank.

    ", + "

    Check your payment has been received

    ", + "

    View your HMRC online account to see if your payment has been received - it should update within 6 working days.

    ", + "

    You can also check your bank or building society statement to confirm the payment has left your account.

    ", + "

    If you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.

    " + ] + }, + { + "title": "Pay employers' Class 1A National Insurance", + "url": "https://www.gov.uk/pay-class-1a-national-insurance", + "contents": [ + "

    Overview

    ", + "

    You must pay Class 1A National Insurance contributions on work benefits you give to your employees, such as a company mobile phone.

    ", + "

    You must also pay them on payments of more than \u00a330,000 that you make to employees when their employment ends, such as a redundancy payment (\u2018termination awards\u2019).

    ", + "

    You only have to pay Class 1A National Insurance contributions on termination awards if you have not already paid Class 1 National Insurance contributions on them.

    ", + "

    There\u2019s different guidance on payment of Class 1A National Insurance on sporting testimonials.

    ", + "

    When to pay

    ", + "

    When you pay Class 1A National Insurance contributions depends on whether they are work benefits or termination awards.

    ", + "

    Work benefits

    ", + "

    You need to pay contributions on work benefits by 22 July each year for the previous tax year. You\u2019ll need to pay by 19 July if paying by post.

    ", + "

    Termination awards

    ", + "

    You pay contributions on termination awards through PAYE.

    ", + "

    Pay contributions on work benefits online

    ", + "

    You can pay online using direct debit (one-off payment), bank transfer, credit card or corporate debit card.

    ", + "

    Pay now

    ", + "

    Other ways to pay contributions on work benefits

    ", + "

    Make sure you pay HM Revenue and Customs (HMRC) by the deadline. You may have to pay interest and penalties if your payment is late.

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    Up to 2 days

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "

    3 working days

    ", + "
  • online by debit or corporate credit card
  • ", + "
  • Bacs
  • ", + "
  • at your bank or building society
  • ", + "
  • Direct Debit (if you\u2019ve set one up with HMRC before)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set one up with HMRC before)
  • ", + "

    If the deadline falls on a weekend or bank holiday, your payment must arrive in HMRC\u2019s bank account on the last working day of the week (unless you\u2019re using Faster Payments).

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    You can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001039 | HMRC Cumbernauld", + "

    Reference number

    ", + "

    You\u2019ll need to give a 17-character number as the payment reference. This starts with your 13-character Accounts Office reference number. Then add the tax year you want to pay for and the digits \u201813\u2019 to make sure your payment is assigned correctly.

    ", + "Tax year | Add these digits to your reference number", + "2013 to 2014 | 1413", + "2014 to 2015 | 1513", + "2015 to 2016 | 1613", + "

    You can find your Accounts Office reference number on:

    ", + "
  • the letter HMRC sent you when you first registered as an employer
  • ", + "
  • the front of your payment booklet or the letter from HMRC that replaced it
  • ", + "

    You must make a separate payment for Class 1A payments. You cannot add them to a standard PAYE payment.

    ", + "

    How long it takes

    ", + "

    Payments by Faster Payments (online or telephone banking) usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account:

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld", + "

    HMRC\u2019s banking address is:

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    Make your payment to \u2018HMRC Cumbernauld\u2019 office. You\u2019ll need to give a 17-character payment reference. This starts with your 13-character Accounts Office reference number. You can find this on:

    ", + "
  • the letter HM Revenue and Customs (HMRC) sent you when you first registered as an employer
  • ", + "
  • the front of your payment booklet or the letter from HMRC that replaced it
  • ", + "

    Add the tax year you want to pay for and the digits \u201813\u2019. If you do not do this, your payment will be allocated to the current tax year instead.

    ", + "

    If you\u2019re unable to pay your Class 1A National Insurance bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    How long it takes

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    At your bank or building society

    ", + "

    You can pay at a branch by cash or cheque.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your Class 1A payslip reference number on the back of your cheque. You\u2019ll find the reference number on the payslip provided by HMRC.

    ", + "

    You must use your Class 1A payslip when paying in. Do not use a standard PAYE payslip from your booklet or your payment will be delayed.

    ", + "

    How long it takes

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    Direct Debit

    ", + "

    Set up a new Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment for Class 1A contributions.

    ", + "

    You cannot use an existing Direct Debit for standard PAYE payments.

    ", + "

    You\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.

    ", + "

    Making the payment

    ", + "

    You\u2019ll need to give a 17-character payment reference. This starts with your 13-character Accounts Office reference number. You can find this on:

    ", + "
  • the letter HMRC sent you when you first registered as an employer
  • ", + "
  • the front of your payment booklet or the letter from HMRC that replaced it
  • ", + "

    Add the tax year you want to pay for and the digits \u201813\u2019. If you do not do this, your payment will be allocated to the current tax year instead.

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your Class 1A reference number on the back of the cheque. You\u2019ll find this on your payslip.

    ", + "

    Include the payslip HMRC sent you. You cannot use a standard PAYE payslip from your booklet. Do not fold the payslip or cheque or fasten them together.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    If you want a receipt, include a note asking for one.

    ", + "

    If you do not have a payslip

    ", + "

    You can print a payslip to use to pay by post. You cannot use this at a bank.

    ", + "

    Check your payment has been received

    ", + "

    Check your HM Revenue and Customs (HMRC) online account - it should update within 6 working days.

    ", + "

    If you\u2019re paying by cheque through the post, you can include a letter with your payment to request a receipt from HMRC.

    ", + "

    Class 1A contributions on sporting testimonials

    ", + "

    A sporting testimonial is an event or series of events to honour a player for their service, such as when the player retires.

    ", + "

    The testimonial committee must pay Class 1A National Insurance if the payment to a player is:

    ", + "
  • more than \u00a3100,000
  • ", + "
  • not in the player\u2019s contract
  • ", + "

    The payment is usually the profit from the event.

    ", + "

    The committee must pay the contributions on the payment through PAYE.

    " + ] + }, + { + "title": "Pay employers' PAYE", + "url": "https://www.gov.uk/pay-paye-tax", + "contents": [ + "

    Overview

    ", + "

    You must pay your PAYE bill to HM Revenue and Customs (HMRC) by:

    ", + "
  • the 22nd of the next tax month if you pay monthly
  • ", + "
  • the 22nd after the end of the quarter if you pay quarterly - for example, 22 July for the 6 April to 5 July quarter
  • ", + "

    Pay now

    ", + "

    If you pay by cheque through the post the deadline is the 19th of the month.

    ", + "

    What you\u2019re paying

    ", + "

    Your PAYE bill may include:

    ", + "
  • employee Income Tax deductions
  • ", + "
  • Class 1 and 1B National Insurance
  • ", + "
  • Class 1A National Insurance on termination awards and sporting testimonials
  • ", + "
  • Student Loan repayments
  • ", + "
  • Construction Industry Scheme (CIS) deductions
  • ", + "
  • your Apprenticeship Levy payments (starting from April 2017) if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million
  • ", + "

    You pay your Class 1A National Insurance on work benefits that you give to your employees separately.

    ", + "

    PAYE Settlement Agreements are also paid separately.

    ", + "

    Ways to pay

    ", + "

    Make sure you pay HMRC by the deadline. You may have to pay interest and penalties if your payment is late.

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • through your online bank account
  • ", + "

    3 working days

    ", + "
  • by debit or corporate credit card online
  • ", + "
  • Bacs
  • ", + "
  • at your bank or building society (cash or cheque)
  • ", + "
  • Direct Debit (if you\u2019ve already set one up)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set up one before)
  • ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    Payment booklets

    ", + "

    You\u2019ll need a payment booklet from HMRC to pay at your bank or building society, or by post. If you do not have one, ask HMRC to send it to you.

    ", + "

    If you\u2019re no longer using your payment booklet, you can ask HMRC to stop sending it.

    ", + "

    HMRC will automatically stop sending your payment booklet if you make 2 or more electronic payments in a year.

    ", + "

    Direct Debit

    ", + "

    Set up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment. This means you\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.

    ", + "

    Reference number

    ", + "

    You\u2019ll need your 13-character accounts office reference number to make a payment. You can find this on the letter HMRC sent you when you first registered as an employer.

    ", + "

    How long it takes

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.

    ", + "

    The payments will show on your bank statement as \u2018HMRC NDDS\u2019.

    ", + "

    Early or late payments

    ", + "

    Make sure you also enter the correct year and month the payment is for in the separate boxes provided.

    ", + "

    Make an online or telephone bank transfer

    ", + "

    You can make a transfer from your bank account by Faster Payments, CHAPS or Bacs.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001039 | HMRC Cumbernauld", + "

    If your account is overseas

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld", + "

    Reference number

    ", + "

    You\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on either:

    ", + "
  • the letter HMRC sent you when you first registered as an employer.
  • ", + "
  • the front of your payment booklet or the letter from HMRC that replaced it
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Early payments

    ", + "

    If you pay monthly

    ", + "

    You need to add extra numbers to your reference number if you pay before the 6th of the tax month that payment is due.

    ", + "

    Work out the number you need to use.

    ", + "

    If you pay quarterly

    ", + "

    You need to add extra numbers to your reference number if you pay before the 6th of the second month in the quarter.

    ", + "

    Work out the number you need to use.

    ", + "

    Late payments

    ", + "

    You need to add extra numbers to your reference number if you pay on or after the 5th of the tax month after payment was due. Do this whether you pay monthly or quarterly.

    ", + "

    Work out the number you need to use. You use a different tool if the payment was for a previous tax year.

    ", + "

    Multiple PAYE schemes

    ", + "

    Send an online CHAPS enquiry form if you want to make a single payment via CHAPS for multiple PAYE schemes.

    ", + "

    HMRC\u2019s banking address is:

    ", + "

    Approve a payment through your online bank account

    ", + "

    You can pay your PAYE bill directly using your online or mobile bank account.

    ", + "

    Once you\u2019ve signed into your HMRC account, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your PAYE payment.

    ", + "

    The payment is usually instant but sometimes it takes up to 2 hours to show in your account.

    ", + "

    You\u2019ll need to have your online banking details ready to pay this way.

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    If you\u2019re unable to pay your employers\u2019 PAYE bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    Reference number

    ", + "

    You\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on the letter HM Revenue and Customs (HMRC) sent you when you first registered as an employer.

    ", + "

    How long it takes

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    Early or late payments

    ", + "

    Make sure you enter the correct year and month the payment is for in the separate boxes provided.

    ", + "

    Pay for the previous tax year

    ", + "

    Select the previous tax year and \u2018month 12\u2019 for the last tax year. If you do not do this, your payment will go to the current tax year instead.

    ", + "

    At your bank or building society

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 13-character accounts office reference number on the back of the cheque. You will find the reference number on the letter HM Revenue and Customs (HMRC) sent to you when you first registered as an employer.

    ", + "

    You\u2019ll need to pay in using the payslip for the correct period. If you do not have one of these, ask HMRC to send you a payment booklet.

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC) if you have fewer than 250 employees.

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 13-character Accounts Office reference number on the back of the cheque. You can find this number on the letter HMRC sent you when you first registered as an employer.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    Include the payslip for the correct period. If you do not have this, you can either:

    ", + "
  • ask HMRC to send you a payment booklet
  • ", + "
  • print off a replacement payment slip
  • ", + "

    You can only use a replacement payslip to pay by post. You cannot use this at a bank.

    ", + "

    Do not fold the payslip or cheque or fasten them together.

    ", + "

    You can include a letter with your payment to ask HMRC for a receipt.

    ", + "

    Check your payment has been received

    ", + "

    Check your HM Revenue and Customs (HMRC) online account - it should update within 6 working days of making payment.

    ", + "

    If you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.

    ", + "

    Tell HMRC no payment is due

    ", + "

    You must tell HM Revenue and Customs (HMRC) if you have not paid any employees for at least one tax month.

    ", + "

    You can tell HMRC by filling in an Employer Payment Summary (EPS).

    ", + "

    You must send it by the 19th of the month following the tax month when no employees were paid.

    ", + "

    If you do not send an EPS, HMRC will send you a notice estimating how much you owe. You may have to pay a penalty.

    ", + "

    Telling HMRC in advance

    ", + "

    You can tell HMRC that you will not pay any employees up to 12 months in advance.

    ", + "

    Contractors in the Construction Industry Scheme (CIS) who have no payments to make need to tell HMRC through a CIS return and a EPS. CIS contractors with payments to make only need to file a CIS return.

    " + ] + }, + { + "title": "Payroll: annual reporting and tasks", + "url": "https://www.gov.uk/payroll-annual-reporting", + "contents": [ + "

    Overview

    ", + "

    As an employer running payroll, you need to:

    ", + "
  • report to HM Revenue and Customs (HMRC) on the previous tax year (which ends on 5 April) and give your employees a P60
  • ", + "
  • prepare for the new tax year, which starts on 6 April
  • ", + "What you need to do | When", + "Send your final payroll report of the year | On or before your employees\u2019 payday", + "Update employee payroll records | From 6 April", + "Update payroll software | From 6 April, or earlier if the software provider asks you to", + "Give your employees a P60 | By 31 May", + "Report employee expenses and benefits | By 6 July", + "

    Send your final payroll report

    ", + "

    Send your final Full Payment Submission (FPS) on or before your employees\u2019 last payday of the tax year (which ends on 5 April).

    ", + "

    Put \u2018Yes\u2019 in the \u2018Final submission for year\u2019 field (if available) in your payroll software.

    ", + "

    If you run more than one payroll under the same PAYE scheme reference (for example for employees you pay weekly and monthly), include the end-of-year information in your last report.

    ", + "

    You need to send extra forms if you claimed a National Insurance holiday for new employers.

    ", + "

    When to send an Employer Payment Summary (EPS)

    ", + "

    You should send your final report in an EPS instead of an FPS if any of the following apply:

    ", + "
  • you forgot to put \u2018Yes\u2019 in the \u2018Final submission for year\u2019 field in your last FPS
  • ", + "
  • your software does not have a \u2018Final Submission for year\u2019 field on the FPS
  • ", + "
  • you did not pay anyone in the final pay period of the tax year
  • ", + "
  • you sent your final FPS early and you did not pay anyone for one or more full tax months in the last tax year
  • ", + "

    If you\u2019re late sending your final report

    ", + "

    From 20 April you can send an FPS to correct your 2020 to 2021 tax year payroll data by giving the year-to-date figures.

    ", + "

    \u2018Week 53\u2019 payments

    ", + "

    If you pay your employees weekly, fortnightly or every 4 weeks, you might need to make a \u2018week 53\u2019 payment in your final FPS of the year.

    ", + "

    Your payroll software will work out \u2018week 53\u2019 payments for you.

    ", + "

    In the \u2018Tax week number\u2019 field of your FPS, put:

    ", + "
  • \u201853\u2019 if you pay your employees weekly
  • ", + "
  • \u201854\u2019 if you pay them fortnightly
  • ", + "
  • \u201856\u2019 if you pay them every 4 weeks
  • ", + "

    HMRC will send a P800 form to any employees who owe tax following a \u2018week 53\u2019 payment.

    ", + "

    If you make a mistake

    ", + "

    If you find a mistake in your final FPS of the year, what you need to do depends on the type of mistake and when you find it.

    ", + " | When | What to do", + "Wrong payments or deductions | By 19 April | Send an additional FPS with corrected year-to-date figures, and enter \u20180\u2019 in \u2018Pay in this period\u2019", + "Wrong payments or deductions | After 19 April | Send an FPS showing the correct year-to-date amounts.", + "Wrong payment date | By 5 April | Send an additional FPS with the correct payment date - put \u20180\u2019 in \u2018Pay in this period\u2019 and give the year-to-date figures", + "

    Update employee payroll records

    ", + "

    For each employee working for you on 6 April, you\u2019ll need to:

    ", + "
  • prepare a payroll record
  • ", + "
  • identify the correct tax code to use in the new tax year
  • ", + "
  • enter their tax code in your payroll software
  • ", + "

    You should include in your payroll:

    ", + "
  • all employees you pay in the tax year, no matter how much you pay them
  • ", + "
  • any employee who has worked for you in the current tax year (since 6 April) even if they\u2019ve already left
  • ", + "

    Using the right tax code

    ", + "

    HM Revenue and Customs (HMRC) will send you a:

    ", + "
  • P9T form for any employees who need a new tax code
  • ", + "
  • P9X form with general changes for employees whose tax code ends with an \u2018L\u2019
  • ", + "

    For April 2021, if your employee\u2019s tax code ends in \u2018L\u2019, add 7, for example 1250L becomes 1257L.

    ", + "

    If you get a lot of tax code notices, it may be faster to use HMRC\u2019s PAYE Desktop Viewer.

    ", + "

    New employees

    ", + "

    Use the information new employees give you (usually their P45) to work out their tax code.

    ", + "

    Update payroll software

    ", + "

    Follow your provider\u2019s instructions to update your payroll software so it uses the latest rates and thresholds for Income Tax, National Insurance and student loan repayments.

    ", + "

    Basic PAYE Tools

    ", + "

    You must download and install Basic PAYE Tools again if you\u2019re using a version before 14.2.14330.88. The version number displays in the bottom-left corner of the tool.

    ", + "

    Versions 14.2.14330.88 and later of Basic PAYE Tools check for updates automatically, for example when the tax year changes or new rules come in.

    ", + "

    Give employees a P60

    ", + "

    Give a P60 to all employees on your payroll who are working for you on the last day of the tax year (5 April). The P60 summarises their total pay and deductions for the year.

    ", + "

    You must give your employees a P60 by 31 May.

    ", + "

    If you\u2019re exempt from filing your payroll online, you can order copies of P60s from HMRC.

    ", + "

    If you need to change a P60

    ", + "

    Give your employee either a:

    ", + "
  • new P60 marked \u2018replacement\u2019 - this can be paper or electronic
  • ", + "
  • letter confirming the change
  • ", + "

    Report expenses and benefits

    ", + "

    You can report expenses and benefits using your payroll software, if it has this feature.

    ", + "

    You must report expenses and benefits to HMRC by 6 July.

    ", + "

    Paying HMRC

    ", + "

    Pay any Class 1A National Insurance due on the taxable expenses and benefits you\u2019ve provided. Your payment must be received by 22 July (or 19 July if you\u2019re paying by post).

    " + ] + }, + { + "title": "Running payroll", + "url": "https://www.gov.uk/running-payroll", + "contents": [ + "

    Overview

    ", + "

    As an employer operating PAYE as part of your payroll, you need to complete certain tasks during each tax month. Tax months run from the 6th of one month to the 5th of the next.

    ", + "

    You must tell HM Revenue and Customs (HMRC) if you\u2019ve not paid any employees in a tax month.

    ", + "

    On or before your employees\u2019 payday

    ", + "

    Every time you pay your employees, use your payroll software to:

    ", + "
  • Record their pay - include their salary or wages and any other pay.
  • ", + "
  • Calculate deductions from their pay, like tax and National Insurance.
  • ", + "
  • Calculate the employer\u2019s National Insurance contribution that you\u2019ll need to pay on their earnings above \u00a3184 a week.
  • ", + "
  • Produce payslips for each employee (you can use different software if yours does not have this feature).
  • ", + "
  • Report their pay and deductions to HMRC in a Full Payment Submission (FPS).
  • ", + "

    If you pay an employee less than \u00a3120 a week, you usually only need to record and report their pay (unless they have another job or receive a pension).

    ", + "

    In the next tax month (starting on the 6th)

    ", + "

    You can view what you owe from your FPS online from the 12th.

    ", + "
  • Claim any reduction on what you\u2019ll owe HMRC (for example statutory pay) by sending an Employer Payment Summary (EPS) by the 19th.
  • ", + "
  • View the balance of what you owe in your HMRC online account, within 2 days (or by the 14th if you sent the EPS before the 11th).
  • ", + "
  • Pay HMRC by the 22nd (or the 19th if paying by post) - you may have to pay a penalty if you do not.
  • ", + "

    If you usually pay less than \u00a31,500 per month, you may be able to pay quarterly instead of monthly. Contact the payment helpline to find out.

    ", + "

    Late reporting

    ", + "

    HMRC will send you a late filing notice if you\u2019ve paid any employees and do not send an FPS or send one late. They can also charge you a penalty, unless you have a valid reason for reporting late.

    ", + "

    Late, missing or incorrect payroll reports can also affect your employees\u2019 income-related benefits, such as Universal Credit.

    ", + "

    HMRC will close your PAYE scheme if you\u2019re a new employer and you do not send a report to or pay HMRC in 120 days.

    ", + "

    Employees' pay

    ", + "

    Record your employees\u2019 salary or wages in your payroll software. Include everyone you pay, even if they get less than \u00a3120 a week.

    ", + "

    Recording other types of pay

    ", + "

    Statutory pay

    ", + "

    You may have to pay your employee:

    ", + "
  • Statutory Sick Pay (SSP)
  • ", + "
  • statutory pay for parents (maternity, paternity, adoption, bereavement or shared parental pay)
  • ", + "

    You must record these in your software - they\u2019re taxed like normal pay.

    ", + "

    You can reclaim statutory pay for parents.

    ", + "

    Expenses and benefits

    ", + "

    Expenses or benefits like uniforms or company cars are reported separately at the end of the tax year. Check the rules to find out what counts as expenses and benefits, and what you should record in your software as normal pay.

    ", + "

    Tips and other pay

    ", + "

    Treat tips to your staff as normal pay if they\u2019re paid into your till - this includes tips added to your customers\u2019 card or cheque payments. The rules are different if tips are given straight to your employees by customers or paid into a tronc.

    ", + "

    Other payments you may give your employee that you should record as normal pay include:

    ", + "
  • bonuses
  • ", + "
  • commission
  • ", + "
  • holiday pay (unless you pay it in advance or use a holiday pay scheme)
  • ", + "
  • payments for time your employee has spent travelling
  • ", + "
  • passenger payments, except the first 5 pence per mile
  • ", + "
  • medical suspension payments, given to an employee you\u2019ve suspended for health reasons
  • ", + "
  • maternity suspension payments, given to an employee you\u2019ve suspended for her, or her baby\u2019s, health
  • ", + "
  • guarantee payments, paid to an employee for a day they do not work (and not paid holiday)
  • ", + "
  • office holders\u2019 payments (honoraria), given to employees for providing a service, for example being your company\u2019s sports-club secretary
  • ", + "
  • payments that can be converted into cash, for example cheques, Savings Certificates or Premium Bonds
  • ", + "
  • inducement payments (\u2018golden hello\u2019 payments)
  • ", + "
  • cash prizes for competitions you run
  • ", + "

    The rules are different for non-cash payments like shares or commodities, cash-in-hand or guarantee payments and employee incentive awards.

    ", + "

    Deductions

    ", + "

    Your payroll software will calculate how much tax and National Insurance to deduct from your employees\u2019 pay. These deductions are worked out using each employee\u2019s tax code and National Insurance category letter.

    ", + "

    You may also need to deduct student loan repayments, pension contributions, Payroll Giving donations and child maintenance payments.

    ", + "

    Student and Postgraduate loan repayments

    ", + "

    Use your payroll software to record if your employee needs to make student loan repayments - both in your software and on payslips.

    ", + "

    You\u2019ll need to calculate and deduct how much they need to repay based on which plan they\u2019re on. They repay:

    ", + "
  • 9% of their income above \u00a319,895 a year for Plan 1
  • ", + "
  • 9% of their income above \u00a327,295 a year for Plan 2
  • ", + "
  • 9% of their income above \u00a325,000 a year for Plan 4
  • ", + "
  • 6% of their income above \u00a321,000 a year for Postgraduate loans
  • ", + "

    Pensions

    ", + "

    Make pension deductions after you take off National Insurance. You normally make pension deductions before you take off tax - check with your workplace pension provider.

    ", + "

    You\u2019ll also need to pay any employer contributions into your employee\u2019s pension.

    ", + "

    A new law means all employers will have to provide and pay into a workplace pension scheme for their employees - this is called \u2018automatic enrolment\u2019.

    ", + "

    Payroll Giving

    ", + "

    Your employees can donate to charity directly from their pay before tax is deducted using Payroll Giving.

    ", + "

    Register with a Payroll Giving agency to set up a scheme. They\u2019ll let you know how to make deductions.

    ", + "

    As well as the usual payroll records, you must also keep the agency contract, employee authorisation forms and details of payments to the agency.

    ", + "

    Child maintenance

    ", + "

    You may need to deduct child maintenance directly from a paying parent\u2019s earnings or pension.

    ", + "

    Payslips

    ", + "

    You must give your employees and \u2018workers\u2019 a payslip on or before their payday.

    ", + "

    What to include

    ", + "

    Payslips must show:

    ", + "
  • pay before any deductions (\u2018gross\u2019 wages)
  • ", + "
  • deductions like tax and National Insurance
  • ", + "
  • pay after deductions (\u2018net\u2019 wages)
  • ", + "
  • the number of hours worked, if the pay varies depending on time worked
  • ", + "

    Payslips can also include information like your employee\u2019s National Insurance number and tax code, their rate of pay, and the total amount of pay and deductions so far in the tax year.

    ", + "

    Producing payslips

    ", + "

    You may be able to produce payslips using your payroll software, if it has this feature. You can use different software if it does not.

    ", + "

    You can either print payslips to give to your employees, or you can send them electronically.

    ", + "

    Employees have certain rights relating to payslips and what they must include.

    ", + "

    Reporting to HMRC: FPS

    ", + "

    Use your payroll software to send a Full Payment Submission (FPS) to tell HM Revenue and Customs (HMRC) about payments to your employees and what deductions you\u2019ve made.

    ", + "

    Include everyone you pay, even if they get less than \u00a3120 a week.

    ", + "

    When to send your FPS

    ", + "

    Send the FPS on or before your employees\u2019 payday, even if you pay HMRC quarterly instead of monthly.

    ", + "

    You must enter the usual date that you pay your employees, even if you pay them earlier or later. For example, if you pay your employees early because your usual payday falls on a Bank Holiday, you should still enter your regular payday.

    ", + "

    Early reporting

    ", + "

    You can send an FPS before your regular payday, for example if your payroll staff are going on holiday.

    ", + "

    Do not report too early - you\u2019ll need to send a corrected FPS to update HMRC if information changes, for example an employee leaves or changes tax code.

    ", + "

    You cannot send reports for the new tax year before March.

    ", + "

    Late reporting

    ", + "

    There are some exceptions when you can send a late FPS.

    ", + "

    Completing and sending an FPS

    ", + "

    You\u2019ll need to enter your PAYE reference and Accounts Office reference in your software. HMRC will have sent this to you after you registered as an employer.

    ", + "

    To complete and send the FPS, follow your payroll software\u2019s instructions.

    ", + "

    HMRC has guidance on what to put in each field on an FPS, including:

    ", + "
  • employer information
  • ", + "
  • employee information - only include employees you\u2019ve paid
  • ", + "
  • pay and deductions
  • ", + "
  • National Insurance information
  • ", + "

    You can split your FPS into batches if it\u2019s easier for you, for example one for employees and one for directors.

    ", + "

    There are special rules for calculating deductions if your employee has more than one job with you.

    ", + "

    After you\u2019ve sent your FPS

    ", + "

    In the next tax month (which starts on the 6th), you can:

    ", + "
  • view your FPS and how much tax and National Insurance you owe in your HMRC online account from the 12th
  • ", + "
  • claim any reduction on what you\u2019ll owe HMRC (for example statutory pay) by sending an Employer Payment Summary (EPS) by the 19th
  • ", + "
  • pay HMRC the balance by the 22nd (or the 19th if paying by post)
  • ", + "

    If you need to make an extra payment to your employee, send an extra FPS before your next regular report (if your software has this feature).

    ", + "

    If you made a mistake in your FPS

    ", + "

    You should correct any errors in your FPS as soon as you find them.

    ", + "

    Reporting extra information

    ", + "

    You need to report more information on an FPS if:

    ", + "
  • it includes a new employee
  • ", + "
  • an employee leaves
  • ", + "
  • you start paying someone a workplace pension
  • ", + "
  • it\u2019s the last report of tax year
  • ", + "

    You may also need to report extra information about certain employee changes, for example they take a leave of absence or become a director.

    ", + "

    There are special rules if you\u2019re only reporting National Insurance, for example you\u2019re an overseas employer that does not need to pay UK tax.

    ", + "

    Reporting to HMRC: EPS

    ", + "

    Use your payroll software to send an Employer Payment Summary (EPS) as well as a Full Payment Submission (FPS) if you:

    ", + "
  • reclaim statutory maternity, paternity, adoption, parental bereavement or shared parental payments - even if you got an advance payment from HM Revenue and Customs (HMRC) to cover them
  • ", + "
  • claim the Employment Allowance - do this once each tax year
  • ", + "
  • can reclaim Construction Industry Scheme (CIS) deductions as a limited company
  • ", + "
  • claim National Insurance contributions holiday for previous tax years
  • ", + "
  • pay the Apprenticeship Levy if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million
  • ", + "

    Send an EPS instead of an FPS if you\u2019ve not paid any employees in a tax month.

    ", + "

    EPS deadlines

    ", + "

    Send an EPS by the 19th of the following tax month for HMRC to apply any reduction (for example statutory pay) on what you\u2019ll owe from your FPS.

    ", + "

    The tax month starts on the 6th.

    ", + "

    Sending an EPS

    ", + "

    To complete and send the EPS, follow your payroll software\u2019s instructions. HMRC has guidance on what to put in each field on an an EPS.

    ", + "

    Use HMRC\u2019s Basic PAYE Tools if your software cannot send EPS reports.

    ", + "

    After you\u2019ve sent your EPS

    ", + "

    Once you\u2019ve sent your EPS, you can:

    ", + "
  • view what you\u2019ve claimed and the balance of what you owe on your HMRC online account within 2 days (or by the 14th if you sent the EPS before the 11th)
  • ", + "
  • pay HMRC by the 22nd (or the 19th if paying by post).
  • ", + "

    If you made a mistake in your EPS

    ", + "

    You should correct any errors in your EPS as soon as you find them.

    ", + "

    If you do not pay any employees in a tax month

    ", + "

    Do not send an FPS. Send an EPS by the 19th after the tax month you did not pay any employees. The tax month starts on the 6th.

    ", + "

    HMRC has guidance on what to put in your EPS if you\u2019ve not paid anyone.

    ", + "

    If you do not send an EPS, HMRC may:

    ", + "
  • send you a notice through PAYE Online
  • ", + "
  • estimate how much you should pay
  • ", + "
  • give you a penalty
  • ", + "

    If you do not pay anyone for a longer period

    ", + "

    You can tell HMRC up to a year in advance that you\u2019ll not pay any employees. To do this, enter dates in the \u2018Period of inactivity\u2019 fields in your EPS.

    ", + "

    Paying HMRC

    ", + "

    Every month you have to pay HM Revenue and Customs (HMRC):

    ", + "
  • the tax and National Insurance (and any other deductions) you owe as reported on your Full Payment Submission (FPS) in the previous tax month
  • ", + "
  • minus the reductions on any Employer Payment Summary (EPS) you sent before the 19th in the current tax month
  • ", + "

    Pay what you owe by the 22nd of the month (or the 19th if paying by post) - you may have to pay a penalty if you do not.

    ", + "

    If you usually pay less than \u00a31,500 per month, you may be able to pay quarterly instead of monthly. Contact the payment helpline to find out.

    ", + "

    Viewing what you owe

    ", + "

    View your HMRC online account to see the reports you\u2019ve sent and to find out what you owe.

    ", + "

    There are things you can check if your PAYE bill is not what you expected.

    ", + "

    How to pay

    ", + "

    You can pay your PAYE bill in a number of different ways.

    ", + "

    Interest and penalties

    ", + "

    HMRC will usually tell you if they think you\u2019ve paid late - either in a letter or a notice through PAYE Online. You\u2019ll be charged interest daily at the standard rate.

    ", + "

    You may be charged a penalty if you do not pay on time or in full.

    ", + "

    Sending an FPS after payday

    ", + "

    If you send a late Full Payment Submission (FPS) without a valid reason, you may get:

    ", + "
  • an online penalty warning message for the first late FPS you send each month
  • ", + "
  • a penalty for reporting late
  • ", + "

    When you can send a late FPS report

    ", + "

    In certain situations you can send a Full Payment Submission (FPS) after you pay your employee.

    ", + "Situation | When to report", + "Your employee does not give you a P45 and is either paid less than \u00a3120 a week or has worked with you for less than a week | Within 7 days of paying your employee", + "Your employees\u2019 payday is on a non-banking day, for example weekend or bank holiday | On the next banking day - but enter the regular payment date in the \u2018payment date\u2019 field and select \u2018Late reporting reason\u2019 code G", + "You make an ad hoc payment outside of your regular payroll, for example you\u2019re told after you\u2019ve sent your FPS about a new starter or a missed overtime payment. (Payments made regularly outside your normal payroll run are not ad hoc) | In your next regular FPS or an additional FPS", + "You pay your employee an expense or benefit where you must pay National Insurance, but not Income Tax, through payroll. This depends on the benefit. | Within 14 days of the end of the tax month", + "You cannot calculate or report your employee\u2019s pay in advance because it\u2019s based on their work on the day, for example harvest workers paid based on how much they pick | Within 7 days of paying your employee", + "You make certain non-cash payments to your employee | As soon as possible within 14 days of the end of the tax month, or when you deduct tax and National Insurance (if earlier). For complex situations (for example when exercising share options) contact HMRC", + "You\u2019ve not received your employer PAYE reference yet | As soon as possible after you receive your employer PAYE reference - select \u2018Late reporting reason\u2019 code G", + "

    Put the reason for reporting after payday on your FPS for each late submission. If you do not, or if HMRC disagrees with the reason or you do not send an FPS, they may send you an online penalty warning message and a penalty.

    ", + "

    Viewing late FPS reports in your HMRC online account

    ", + "

    If you send an FPS in the same tax month as you paid your employees, you can view the report in your HMRC online account from the 12th of the next tax month.

    ", + "

    This is different if you send an FPS in the tax month after payday.

    ", + "Late FPS sent (in tax month after payday) | HMRC online account updated", + "Between 6th and 11th | By the 14th", + "Between 12th and 19th | Within 2 days", + "On or after the 20th - and you did not send a FPS the previous tax month | Within 2 days", + "On or after the 20th - and you sent a FPS the previous tax month | By the 12th of the next tax month", + "

    Reporting employee changes

    ", + "

    You need to report more information on a Full Payment Submission (FPS) if:

    ", + "
  • it includes a new employee
  • ", + "
  • an employee leaves
  • ", + "
  • you start paying someone a workplace pension
  • ", + "
  • it\u2019s the last report of the tax year
  • ", + "
  • an employee changes their address
  • ", + "

    You may also need to tell HM Revenue and Customs (HMRC) if an employee:

    ", + "
  • becomes a director
  • ", + "
  • reaches State Pension age
  • ", + "
  • goes to work abroad
  • ", + "
  • goes on jury service
  • ", + "
  • dies
  • ", + "
  • joins or leaves a contracted-out company pension
  • ", + "
  • turns 16
  • ", + "
  • is called up as a reservist
  • ", + "
  • changes gender
  • ", + "

    Employee takes a leave of absence

    ", + "

    Once your employee has started their leave of absence, put \u2018Yes\u2019 in the \u2018Irregular payment pattern indicator\u2019 in all FPS reports you send to HMRC until the employee returns.

    ", + "

    Changing paydays

    ", + "

    You can move your payday to a different day or change how often you pay your employees.

    ", + "

    Moving your payday

    ", + "

    If the new payday is in the same tax month or week, treat the first new payment as an extra payment for that period.

    ", + "

    You do not need to do anything special when recording pay if the new payday is in a different tax month or week.

    ", + "

    HM Revenue and Customs (HMRC) has guidance on how to calculate National Insurance for your employees after changing paydays.

    ", + "

    Changing how often you pay your employees

    ", + "

    You must contact the employer helpline if you pay employees less often so HMRC do not send you a non-filing notice through PAYE Online.

    ", + "

    Most payroll software can automatically manage any changes to how often you pay your employees (for example from monthly to weekly) and work out deductions correctly.

    ", + "

    Using Basic PAYE Tools

    ", + "

    There are some limitations on when you can make these changes if you use HM Revenue and Customs\u2019 (HMRC) Basic PAYE Tools.

    ", + "

    Paying your employees more often

    ", + "

    If you\u2019ve not already paid your employees, use the new earnings period (in the \u2018Pay frequency\u2019 field) in your Full Payment Submission (FPS) when you next pay them.

    ", + "

    If you\u2019ve paid your employees, you can use the new earnings period from the next tax month.

    ", + "

    Paying your employees less often

    ", + "

    If a payment from your old pay period also takes place in your new pay period, calculate and deduct National Insurance on both. Do not deduct more National Insurance than would\u2019ve been due on the combined total of both payments.

    ", + "

    If an employee also joins your contracted-out pension scheme during this period, deduct National Insurance at the contracted-out rate on the total of both payments.

    ", + "

    Deduct tax based on the new earnings period the next time you pay your employees.

    ", + "

    Annual payroll scheme for PAYE

    ", + "

    If you pay your employees only once a year, and all in the same tax month, you can register with HMRC as an \u2018annual scheme\u2019.

    ", + "

    This means you send reports and make payments to HMRC annually. If you pay your employees on different days in the same tax month, you need to send an FPS on or before each payday. You do not need to send an Employer Payment Summary (EPS) for the months when you do not pay your employees.

    ", + "

    To register, contact the employer helpline and tell them which month you pay your employees. You\u2019ll need your 13-character Accounts Office reference number - this is on the letter HMRC sent you when you registered as an employer.

    ", + "

    Changing when you pay your employees

    ", + "

    If you change the month you pay your employees, send an FPS in the month that you want the new annual payment month to move to. If it\u2019s later than the month you usually pay your employees, you\u2019ll need to send an EPS for that month to tell HMRC you\u2019re not paying anyone.

    ", + "

    If you send more than one FPS in a year, HMRC will assume you no longer wish to operate as an annual scheme and send you a letter to confirm.

    " + ] + }, + { + "title": "Tell HMRC about a new employee", + "url": "https://www.gov.uk/new-employee", + "contents": [ + "

    Overview

    ", + "

    You must tell HM Revenue and Customs (HMRC) when you take on a new employee and be registered as an employer.

    ", + "

    Before you pay your new starter follow these steps.

    ", + "
  • Check you need to pay them through PAYE.
  • ", + "
  • Get employee information to work out their tax code - if you do not have their P45, use HMRC\u2019s \u2018starter checklist\u2019 (which replaced the P46).
  • ", + "
  • Find out if they need to repay a student loan.
  • ", + "
  • Use these details to set up your new employee in your payroll software.
  • ", + "
  • Register your employee with HMRC using a Full Payment Submission (FPS).
  • ", + "

    You must also follow the same steps as when you start employing staff for the first time, for example checking they can work in the UK.

    ", + "

    Check you need to pay someone through PAYE

    ", + "

    You usually have to pay your employees through PAYE if they earn \u00a3120 or more a week (\u00a3520 a month or \u00a36,240 a year).

    ", + "

    You do not need to pay self-employed workers through PAYE.

    ", + "

    Working out if someone is an employee or self-employed

    ", + "

    As a general rule, someone is:

    ", + "
  • employed if they work for you and do not have any of the risks associated with running a business
  • ", + "
  • self-employed if they run their own business and are responsible for its success or failure
  • ", + "

    You must check each worker\u2019s employment status to make sure they\u2019re not self-employed. If you get it wrong you may have to pay extra tax, National Insurance, interest and a penalty.

    ", + "

    Temporary or agency workers

    ", + "

    You need to operate PAYE on temporary workers that you pay directly, as long as they\u2019re classed as an employee.

    ", + "

    You do not need to operate PAYE if a worker is paid by an agency, unless the agency\u2019s based abroad and does not have a trading address or representative in the UK.

    ", + "

    There are special rules for harvest workers or shoot beaters employed for less than 2 weeks.

    ", + "

    Employees you only pay once

    ", + "

    You operate PAYE differently for employees you only pay once.

    ", + "

    Set up a payroll record with their full name and address. If you give them a payroll ID, make sure it\u2019s unique.

    ", + "

    When you send your Full Payment Submission (FPS):

    ", + "
  • use tax code \u20180T\u2019 on a \u2018Week 1\u2019 or \u2018Month 1\u2019 basis
  • ", + "
  • put \u2018IO\u2019 in the \u2018Pay frequency\u2019 field
  • ", + "
  • do not put a start or leaving date
  • ", + "

    Give your employee a statement showing their pay before and after deductions, and the payment date, for example a payslip or a letter. Do not give them a P45.

    ", + "

    Volunteers

    ", + "

    You do not need to operate PAYE on volunteers if they only get expenses that are not subject to tax or National Insurance - check if their expenses are affected.

    ", + "

    Students

    ", + "

    Operate PAYE on students in the same way as you do for other employees.

    ", + "

    Get employee information

    ", + "

    You need to get certain information from your employee so you can set them up with the correct tax code and starter declaration on your payroll software.

    ", + "

    You\u2019ll usually get most of this information from the employee\u2019s P45, but they\u2019ll have to fill in a \u2018starter checklist\u2019 (which replaced the P46 form) if they do not have a recent P45.

    ", + "

    You\u2019ll need your employee\u2019s:

    ", + "
  • date of birth
  • ", + "
  • gender
  • ", + "
  • full address
  • ", + "
  • start date
  • ", + "

    From your employee\u2019s P45, you\u2019ll need their:

    ", + "
  • full name
  • ", + "
  • leaving date from their last job
  • ", + "
  • total pay and tax paid to date for the current tax year
  • ", + "
  • student loan deduction status
  • ", + "
  • National Insurance number
  • ", + "
  • existing tax code
  • ", + "

    You must keep this information in your payroll records for the current year and the 3 following tax years.

    ", + "

    If your employee does not have a P45

    ", + "

    Ask your employee for this information if you do not have their P45, or if they left their last job before 6 April 2020.

    ", + "

    The P46 form is no longer used.

    ", + "

    Get the information by asking your new employee to complete HMRC\u2019s new starter checklist.

    ", + "

    If your employee has more than one P45

    ", + "

    You should use the P45 with the latest date and give the other one back to the employee.

    ", + "

    If they have the same leaving date use the P45 with the highest tax free allowance (or least additional pay for a K code) and give the other one back to the employee.

    ", + "

    Work out your employee\u2019s tax code

    ", + "

    When you\u2019ve got your employee\u2019s information you can use a tool to:

    ", + "
  • work out their tax code and starter declaration
  • ", + "
  • find out what else to do before you pay your employee for the first time
  • ", + "

    Work out your employee\u2019s tax code

    ", + "

    Employees you only pay once and secondments from abroad

    ", + "

    There\u2019s a different way to work out tax codes for employees who you only pay once or who are seconded from abroad.

    ", + "

    Student loan repayments

    ", + "

    You should make student loan deductions if any of the following apply:

    ", + "
  • your new employee\u2019s P45 shows that deductions should continue
  • ", + "
  • your new employee tells you they\u2019re repaying a student loan or a postgraduate loan, for example on a starter checklist
  • ", + "
  • HM Revenue and Customs (HMRC) sends you form SL1 or form PGL1 and your employee earns over the income threshold for their loan
  • ", + "

    What you need to do

    ", + "

    You should follow these steps even if your employee has a P45 from their last job.

    ", + "

    Ask your new employee if they have a student loan or a postgraduate loan - they may have both. If they finished their studies after 6 April in the current tax year, they will not start to repay their loan until the next tax year.

    ", + "

    Record their answer in your payroll software. You do not need to calculate their loan recovery repayments - your payroll software will do this for you.

    ", + "

    If your employee has a student loan, ask them to sign in to their repayment account and check which plan to use for deductions. They can contact the Student Loans Company if they\u2019re still not sure.

    ", + "

    If they cannot tell you, use Plan 1 in your payroll software until you get a student loan start notice (SL1).

    ", + "

    Where the employee is on more than one plan, start deductions for the plan with the lowest recovery threshold until you get an SL1. Check the student loan recovery thresholds.

    ", + "

    Report these deductions to HMRC when you pay your employee.

    ", + "

    Special rules

    ", + "

    In some cases there are special rules for making student loan deductions. Examples include:

    ", + "
  • you\u2019re sent a court order to collect a debt directly from your employee\u2019s earnings
  • ", + "
  • you change how often you pay your employee, such as from weekly to monthly
  • ", + "
  • the employee has more than one job with you and you need to aggregate earnings
  • ", + "

    Stopping deductions

    ", + "

    HMRC will tell you if you need to stop making loan deductions from your employees\u2019 pay. They\u2019ll send you:

    ", + "
  • form SL2 for student loans
  • ", + "
  • form PGL2 for postgraduate loans
  • ", + "

    Do not stop making deductions if an employee asks you to.

    ", + "

    Registering your new employee

    ", + "

    Register your new employee with HM Revenue and Customs (HMRC) by including their details on a Full Payment Submission (FPS) the first time you pay them.

    ", + "

    On this FPS, include:

    ", + "
  • information you\u2019ve collected from them
  • ", + "
  • the tax code and starter declaration that you\u2019ve worked out
  • ", + "
  • pay and deductions (for example tax, National Insurance and student loan deductions) since they started working for you - do not include figures from their previous job
  • ", + "

    Giving your employee a payroll ID

    ", + "

    You can assign payroll IDs to your employees. The ID must be unique - so use a different one if:

    ", + "
  • you re-employ someone - if you do this within the same tax year restart their year-to-date information from \u2018\u00a30.00\u2019
  • ", + "
  • an employee has more than one job in the same PAYE scheme
  • ", + "

    If you re-use a previous payroll ID, you\u2019ll create a duplicate record and report payroll incorrectly.

    ", + "

    Special rules

    ", + "

    There are special rules for making deductions for:

    ", + "
  • female employees entitled to reduced National Insurance
  • ", + "
  • employees you only pay once
  • ", + "
  • harvest workers and casual beaters
  • ", + "
  • certain employees with more than one job
  • ", + "

    Late P45 or starter checklist

    ", + "

    You may need to update your payroll records if your employee gives you a P45 or starter checklist after you\u2019ve registered them with HM Revenue and Customs (HMRC).

    ", + "

    You only need a starter checklist from your employee to work out their tax code if they do not have a P45, or if they left their last job before 6 April 2020.

    ", + "

    If HMRC has sent you a tax code

    ", + "

    Use the tax code that HMRC has sent you if your employee gives you a P45 or starter checklist after you\u2019ve first paid them. Deduct any student loan repayments from the date your employee started with you.

    ", + "

    If HMRC has not sent you a code

    ", + "

    Late P45

    ", + "

    Use your employee\u2019s P45 to work out their tax code and update their details in your payroll software.

    ", + "

    If your employee left their last job after 5 April 2021, you should also update both the \u2018Total pay to date\u2019 and \u2018Total tax to date\u2019 fields in your payroll software for the first week you included this information. If your software finds errors, update the fields with the correct figures.

    ", + "

    Late starter checklist

    ", + "

    Use your employee\u2019s starter checklist to update the starter declaration in your payroll records.

    ", + "

    Keep using the tax code you used in your first Full Payment Submission (FPS) until HMRC sends you a new one.

    ", + "

    When you next pay your employee

    ", + "

    Do not enter another start date on the FPS, even if you have not reported a start date before.

    " + ] + }, + { + "title": "Understanding your employees' tax codes", + "url": "https://www.gov.uk/employee-tax-codes", + "contents": [ + "

    Overview

    ", + "

    You put an employee\u2019s tax code into your payroll software to work out how much tax to deduct from their pay throughout the year.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    There\u2019s a separate guide on tax codes if you\u2019re an employee.

    ", + "

    What you need to do

    ", + "

    When you take on a new employee, you normally work out their tax code by using their P45. The code will usually be made up of several numbers and a letter, such as 1257L.

    ", + "

    You usually need to update your employee\u2019s tax code at the start of a new tax year. If the tax code changes during the year, HM Revenue and Customs (HMRC) will email you - you should update your payroll records as soon as possible.

    ", + "

    Tax code 1257L

    ", + "

    The most common tax code for tax year 2021 to 2022 is 1257L. It\u2019s used for most people with one job and no untaxed income, unpaid tax or taxable benefits (for example a company car).

    ", + "

    1257L is an emergency tax code only if followed by \u2018W1\u2019, \u2018M1\u2019 or \u2018X\u2019. Emergency codes can be used if a new employee doesn\u2019t have a P45.

    ", + "

    What the numbers mean

    ", + "

    The numbers in an employee\u2019s tax code show how much tax-free income they get in that tax year.

    ", + "

    You usually multiply the number in the tax code by 10 to get the total amount of income they can earn before being taxed.

    ", + "

    For example, an employee with the tax code 1257L can earn \u00a312,570 before being taxed. If they earn \u00a327,000 per year, their taxable income is \u00a314,430.

    ", + "

    The process is different if the employee has the letter \u2018K\u2019 in their tax code.

    ", + "

    What the letters mean

    ", + "

    Letters in an employee\u2019s tax code refer to their situation and how it affects their Personal Allowance.

    ", + "Code | How tax is deducted | When this code is usually used", + "0T | From all income - there is no Personal Allowance | When an employee hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up", + "BR | From all income at the basic rate | For a second job or pension", + "C | From income in the Welsh tax bands | For an employee whose main home is in Wales", + "C0T | From all income - there is no Personal Allowance | When an employee whose main home is in Wales hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up", + "CBR | From all income at the basic rate in Wales | For a second job or pension", + "CD0 | From all income at the higher rate in Wales | For a second job or pension", + "CD1 | From all income at the additional rate in Wales | For a second job or pension", + "D0 | From all income at the higher rate | For a second job or pension", + "D1 | From all income at the additional rate | For a second job or pension", + "L | At basic, higher and additional rates depending on the amount of taxable income | For an employee entitled to the standard tax-free Personal Allowance", + "M | At basic, higher and additional rates depending on the amount of taxable income | For an employee whose spouse or civil partner has transferred some of their Personal Allowance", + "N | At basic, higher and additional rates depending on the amount of taxable income | For an employee who has transferred some of their Personal Allowance to their spouse or civil partner", + "NT | No tax is deducted | Very specific cases, for example musicians who are regarded as self-employed and not subject to PAYE", + "S | From income in the Scottish tax bands | For an employee whose main home is in Scotland", + "S0T | From all income - there is no Personal Allowance | When an employee whose main home is in Scotland hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up", + "SBR | From all income at the basic rate in Scotland | For a second job or pension", + "SD0 | From all income at the intermediate rate in Scotland | For a second job or pension", + "SD1 | From all income at the higher rate in Scotland | For a second job or pension", + "SD2 | From all income at the top rate in Scotland | For a second job or pension", + "T | At basic, higher and additional rates depending on the amount of taxable income | When HMRC needs to review some items with the employee", + "

    If your employee\u2019s tax code has \u2018W1\u2019 or \u2018M1\u2019 at the end

    ", + "

    W1 (week 1) and M1 (month 1) are emergency tax codes and appear at the end of an employee\u2019s tax code, for example \u2018577L W1\u2019 or \u2018577L M1\u2019. Calculate your employee\u2019s tax only on what they are paid in the current pay period, not the whole year.

    ", + "

    Tax codes with the letter \u2018K\u2019

    ", + "

    The letter K is used in an employee\u2019s tax code when deductions due for company benefits, state pension or tax owed from previous years are greater than their Personal Allowance.

    ", + "

    Multiply the number in their tax code by 10 to show how much should be added to their taxable income before deductions are calculated.

    ", + "

    The tax deduction for each pay period can\u2019t be more than half an employee\u2019s pre-tax pay or pension.

    ", + "

    Changes during the tax year

    ", + "

    Usually someone\u2019s tax code changes if their tax-free income (Personal Allowance) goes up or down, for example they start or stop receiving a taxable benefit like a company car.

    ", + "
  • HM Revenue and Customs (HMRC) will send you an email alert if one of your employees\u2019 tax codes changes.
  • ", + "
  • Access the new tax code in PAYE Online (in \u2018tax code notices\u2019), the PAYE Desktop Viewer application, or in your payroll software (if it has this feature). Check if your employee\u2019s previous pay and tax are included with the new tax code. If they are, note these figures.
  • ", + "
  • As soon as possible, and before you next pay your employee, update their payroll record with their new tax code. Add their previous pay and tax, if you received these figures with the new tax code.
  • ", + "

    A tax code notice is sometimes called a P6 form.

    ", + "

    If you receive an employee\u2019s new tax code too late to use in the tax year, you should use it in the new tax year.

    ", + "

    Updating for the new tax year

    ", + "

    HM Revenue and Customs (HMRC) will tell you between January and March about any new tax codes to use for employees in the new tax year. This starts on 6 April.

    ", + "

    If an employee\u2019s tax code isn\u2019t changing, HMRC won\u2019t contact you and you should carry forward the employee\u2019s tax code to the new tax year.

    ", + "

    If your employee\u2019s tax code ends with \u2018M1\u2019 or \u2018W1\u2019 (\u2018month 1\u2019 or \u2018week 1\u2019), don\u2019t carry this part of the code into the new tax year.

    " + ] + }, + { + "title": "What to do when an employee dies", + "url": "https://www.gov.uk/what-to-do-when-an-employee-dies", + "contents": [ + "

    Reporting a workplace death

    ", + "

    You must report a death in the workplace (except in Northern Ireland) to the:

    ", + "
  • police
  • ", + "
  • Health and Safety Executive (HSE)
  • ", + "

    Report a workplace death in Northern Ireland to the Health and Safety Executive for Northern Ireland (HSENI).

    ", + "

    You must report any deaths or serious injuries, even if the employee is working off-site at the time.

    ", + "

    Paying an employee who has died

    ", + "

    You must make all outstanding payments when an employee dies.

    ", + "

    Put the date they died into the \u2018Date of leaving\u2019 field in your next Full Payment Submission (FPS), and deduct tax using their existing tax code. Use category letter X so that you do not deduct National Insurance. Do not produce a P45.

    ", + "

    Payments to a person who has died are usually made to the personal representative or executor of that person\u2019s estate.

    ", + "

    If you make a mistake

    ", + "

    If an employee dies and you did not report it in the right FPS, follow the guidance for when an employee leaves.

    ", + "

    Making a late payment

    ", + "

    If you need to pay someone after you\u2019ve sent an FPS with their \u2018Date of leaving\u2019 (the date they died):

    ", + "
  • use tax code 0T on a \u2018week 1\u2019 or \u2018month 1\u2019 basis
  • ", + "
  • include their \u2018Date of leaving\u2019 and put \u2018Yes\u2019 in the \u2018Payment after leaving indicator\u2019 field in your FPS
  • ", + "
  • choose \u2018H - Correction to an earlier submission\u2019 in the \u2018Late payment reason\u2019 field
  • ", + "
  • update the year-to-date figures - or if it\u2019s a new tax year, make sure the year-to-date figures only include the additional payment
  • ", + "

    Paying a pensioner who has died

    ", + "

    You must make all outstanding payments when someone receiving your company pension dies.

    ", + "

    Put the date they died in the \u2018Date of leaving\u2019 field in your next Full Payment Submission (FPS), and work out their final pension payment.

    ", + "

    Working out tax

    ", + "

    Use their existing tax code unless it\u2019s a new tax year by the time you pay them.

    ", + "

    If it\u2019s a new tax year and you have not reported their \u2018Date of leaving\u2019 (the date they died) on an FPS yet, use their new tax code. Otherwise, use tax code 0T on a \u2018week 1\u2019 or \u2018month 1\u2019 basis and put \u2018Yes\u2019 in the \u2018Payment after leaving indicator\u2019 field in your FPS.

    ", + "

    Payments to a person who has died are usually made to the personal representative or executor of that person\u2019s estate.

    ", + "

    If you pay someone after their death

    ", + "

    If you\u2019ve made a pension payment to someone after they died (for example because you were told about their death late), you should get the overpayment back from their executor.

    ", + "

    Put the pensioner\u2019s \u2018Date of leaving\u2019 (the date they died) on your next FPS, and choose \u2018H - Correction to an earlier submission\u2019 in the \u2018Late reporting reason\u2019 field.

    ", + "

    If you do not know the date they died, put the date of their final pension payment as their \u2018Date of leaving\u2019.

    ", + "

    Amend the year-to-date figures if you get the overpayment back.

    ", + "

    If it\u2019s a new tax year by the time you find out a pensioner has died:

    ", + "
  • put \u20180.00\u2019 in the year-to-date figures for pay and tax in your FPS
  • ", + "
  • send either an Earlier Year Update (EYU) or an FPS with the correct year to date figures for the previous year
  • " + ] + }, + { + "title": "Set up and manage a workplace pension scheme", + "url": "https://www.gov.uk/workplace-pensions-employers", + "contents": [ + "

    Employers and eligible staff

    ", + "

    Employers have to provide a workplace pension scheme for eligible staff as soon as your first member of staff starts working for you (known as your \u2018duties start date\u2019).

    ", + "

    Check you\u2019re an employer

    ", + "

    You\u2019re usually an employer if you deduct tax and National Insurance contributions from an employee\u2019s wages.

    ", + "

    Check you\u2019re an employer if you\u2019re not sure what your pension responsibilities are, for example you employ a carer or someone to work in your home.

    ", + "

    Who you must enrol

    ", + "

    You must enrol and make an employer\u2019s contribution for all staff who:

    ", + "
  • are aged between 22 and the State Pension age
  • ", + "
  • earn at least \u00a310,000 a year
  • ", + "
  • normally work in the UK (this includes people who are based in the UK but travel abroad for work)
  • ", + "

    If staff become eligible because of a change in their age or earnings, you must put them into your pension scheme and write to them within 6 weeks of the day they meet the criteria.

    ", + "

    If you\u2019re not sure what the state pension age is you can use the State Pension age calculator to find out.

    ", + "

    You do not have to enrol an employee if they give you proof of their lifetime allowance protection.

    ", + "

    How to set up a workplace pension scheme

    ", + "

    You must set up a workplace pension scheme for eligible staff if you do not already offer one.

    ", + "

    Use The Pensions Regulator\u2019s tool for employers to find out what you need to do and when you need to do it.

    ", + "

    If you already have a workplace pension scheme that you\u2019d like to use for automatic enrolment, you must ask the provider if it meets the rules.

    ", + "

    How much you must pay

    ", + "

    You must pay at least 3% of your employee\u2019s \u2018qualifying earnings\u2019 into your staff\u2019s pension scheme.

    ", + "

    Check the pension scheme you\u2019re using to find out what counts as \u2018qualifying earnings\u2019.

    ", + "

    Under most schemes, it\u2019s the employee\u2019s total earnings between \u00a36,240 and \u00a350,270 a year before tax. Total earnings include:

    ", + "
  • salary or wages
  • ", + "
  • bonuses and commission
  • ", + "
  • overtime
  • ", + "
  • statutory sick pay
  • ", + "
  • statutory maternity, paternity or adoption pay
  • ", + "

    Paying contributions

    ", + "

    You must deduct contributions from your staff\u2019s pay each month. You\u2019ll need to pay these into your staff\u2019s pension scheme by the 22nd day (19th if you pay by cheque) of the next month.

    ", + "

    You must pay your contributions for each employee by the date you\u2019ve agreed with your provider every time you run payroll. You must backdate any missed payments.

    ", + "

    You may be fined if you pay late or do not pay the minimum contribution for each member of staff.

    ", + "

    Manage your workplace pension scheme

    ", + "

    When you\u2019ve set up a workplace pension scheme, you must:

    ", + "
  • check if and when staff should be re-enrolled
  • ", + "
  • manage requests to join and leave your pension scheme
  • ", + "
  • keep records about how you\u2019ve met your legal duties
  • ", + "
  • check if existing staff should be added to your pension scheme, for example when they earn a certain amount
  • ", + "

    Re-enrolment and re-declaration

    ", + "

    Every 3 years after your first member of staff starts working for you, you must re-enrol staff into your pension scheme if they:

    ", + "
  • left your pension scheme more than 12 months before your re-enrolment date
  • ", + "
  • are still in your pension scheme but pay below the minimum contributions level
  • ", + "

    If staff left your pension scheme 12 months or less before your next re-enrolment date, you can choose to re-enrol them on that date or wait until the next re-enrolment date in three years, if they\u2019re still eligible.

    ", + "

    You must write to eligible staff within 6 weeks after your re-enrolment date to tell them you have put them back into your pension scheme.

    ", + "

    Use The Pensions Regulator\u2019s tool to find out your dates for re-enrolment.

    ", + "

    You must complete a re-declaration of compliance every time you carry out your re-enrolment duties, even if staff were not re-enrolled.

    ", + "

    If you do not complete the re-declaration on time you could be fined.

    ", + "

    Requests to join or leave your pension scheme

    ", + "

    All staff can request to join your pension scheme if they want to. You must check they are eligible and put them into the scheme within 1 month of getting their request.

    ", + "

    Staff can leave your pension scheme whenever they want. You must take them out of the scheme within one month of getting their request.

    ", + "

    If staff ask to leave your pension scheme within 1 month of joining (known as the \u2018opt-out window\u2019), you will have to refund their contributions within 1 month. If they ask to leave after the opt-out window, their contributions will be kept in their pension until they retire.

    ", + "

    Keep records

    ", + "

    You must keep records of how you\u2019ve met your legal duties for maintaining your pension scheme, including:

    ", + "
  • the names and addresses of staff enrolled
  • ", + "
  • when contributions are paid in
  • ", + "
  • all requests to join or leave your pension scheme
  • ", + "
  • your pension scheme reference or registry number (PSR)
  • ", + "

    You must keep these records for 6 years except for requests to leave your pension scheme which must be kept for 4 years. You must also keep track of the ages and earnings of staff so you can enrol them when they become eligible.

    " + ] + }, + { + "title": "Check someone's criminal record as an employer", + "url": "https://www.gov.uk/dbs-check-applicant-criminal-record", + "contents": [ + "

    Checks you can make on someone's record

    ", + "

    Employers can check the criminal record of someone applying for a role. This is known as getting a Disclosure and Barring Service (DBS) check.

    ", + "

    You can request a more detailed check for certain roles, for example in healthcare or childcare.

    ", + "

    There are different rules for getting a criminal record check in Scotland and Northern Ireland.

    ", + "

    Types of check

    ", + "

    You can request:

    ", + "
  • a basic check, which shows unspent convictions and conditional cautions
  • ", + "
  • a standard check, which shows spent and unspent convictions, cautions, reprimands and final warnings
  • ", + "
  • an enhanced check, which shows the same as a standard check plus any information held by local police that\u2019s considered relevant to the role
  • ", + "
  • an enhanced check with barred lists, which shows the same as an enhanced check plus whether the applicant is on the list of people barred from doing the role
  • ", + "

    If you carry out criminal records checks, you must have a policy on employing ex-offenders and show it to any applicant who asks for it.

    ", + "

    Checking your own criminal record

    ", + "

    You can only request a basic check for yourself.

    ", + "

    If you\u2019re self-employed, an organisation you\u2019re working with can get a standard, enhanced or enhanced with barred lists check for you, where the role is eligible.

    ", + "

    Childminders can get a check through Ofsted.

    ", + "

    When to repeat a check

    ", + "

    A DBS check has no official expiry date. Any information included will be accurate at the time the check was carried out. It\u2019s up to you to decide when a new check is needed.

    ", + "

    If the applicant has signed up for the DBS update service you can check whether their certificate is up to date online.

    ", + "

    Certificates for previous roles

    ", + "

    You can accept a certificate that was requested for a previous role but you must:

    ", + "
  • check the applicant\u2019s identity matches the details on the certificate
  • ", + "
  • check the certificate is the right level and type for the role applied for
  • ", + "
  • check to see if anything has changed if the applicant is signed up for the update service
  • ", + "

    Checks on someone who lived abroad

    ", + "

    DBS checks will not cover the time someone lived outside the UK.

    ", + "

    Check the rules in the country they lived in.

    ", + "

    Contact DBS

    ", + "

    Contact DBS if you\u2019re not sure whether you can request a check.

    ", + "

    Get a basic DBS check for an employee

    ", + "

    You can request a Disclosure and Barring Service (DBS) check on behalf of an employee.

    ", + "

    There\u2019s a different process to request your own basic DBS check.

    ", + "

    How to do a check

    ", + "

    You\u2019ll need to choose a company from the list of \u2018responsible organisations\u2019 registered with DBS to process checks. They will carry out the check and tell you the outcome once it\u2019s complete.

    ", + "

    The applicant will receive their certificate by post. They can also set up a DBS online account to view the certificate online.

    ", + "

    How much it costs

    ", + "

    A basic check costs \u00a323. The responsible organisation may also charge an administration fee.

    ", + "

    If you do more than 1,000 basic checks each year, you can become a responsible organisation. Contact DBS to find out what\u2019s involved.

    ", + "

    How long it takes

    ", + "

    A basic check takes up to 14 days.

    ", + "

    If you\u2019re registered with DBS you can use the tracking service to track multiple applications.

    ", + "

    Get a standard or enhanced DBS check for an employee

    ", + "

    How you request a standard or enhanced check depends on how many checks you do a year.

    ", + "

    If you do:

    ", + "
  • fewer than 100 checks a year you must use a company known as an \u2018umbrella body\u2019
  • ", + "
  • 100 or more checks a year you can choose to register with DBS or use an umbrella body
  • ", + "

    How to do a check

    ", + "
  • Ask DBS or your umbrella body for an application form.
  • ", + "
  • Give the form to the applicant to fill in.
  • ", + "
  • The applicant will return the completed form to you along with documents proving their identity.
  • ", + "
  • Send the completed application form to DBS or your umbrella body.
  • ", + "
  • DBS will send a certificate to the applicant. You must ask the applicant to show you the certificate so you can check it\u2019s genuine.
  • ", + "

    How much it costs

    ", + "

    How much it costs depends on the type of check.

    ", + "Type of check | Cost", + "Standard | \u00a323", + "Enhanced | \u00a340", + "Enhanced with barred lists | \u00a340", + "

    Checks are free for volunteers.

    ", + "

    How long it takes

    ", + "

    It usually takes around 8 weeks but it can take longer if:

    ", + "
  • the details given for the check are incorrect
  • ", + "
  • several police forces need to be involved in the check
  • ", + "

    You cannot pay more to get a faster check.

    ", + "

    If you\u2019re registered with DBS you can use the tracking service to track multiple applications.

    ", + "

    Checks on carers

    ", + "

    If you provide care services for adults (for example in a care home), you can use a service called DBS Adult First.

    ", + "

    This will confirm, usually within 2 days, if the applicant:

    ", + "
  • can start work, as long as they\u2019re supervised
  • ", + "
  • should wait for the results of an enhanced check
  • ", + "

    The service costs an extra \u00a36.

    " + ] + }, + { + "title": "Jobcentre Plus help for recruiters", + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "contents": [ + "

    Overview

    ", + "

    Jobcentre Plus has a range of recruitment services that can help you as an employer. You could get:

    ", + "
  • recruitment advice, including specialist support for businesses
  • ", + "
  • help setting up work trials to give you the opportunity to try out potential recruits
  • ", + "
  • advice about offering work experience and apprenticeships
  • ", + "
  • support from other employment schemes including sector-based training and recruitment, and business mentoring
  • ", + "
  • support if you employ someone with a disability\u00a0(Access to Work)
  • ", + "
  • advice and guidance on employing someone with a disability or health condition
  • ", + "

    You can also advertise a job with the \u2018Find a job\u2019 service (previously Universal Jobmatch).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Recruitment advice and support

    ", + "

    Contact the Employer Services Line for advice about recruiting for your business.

    ", + "

    It can put you in touch with local \u2018employer advisors\u2019 if you need specific and practical advice. Employer advisors understand the local labour market and can help you:

    ", + "
  • design and word job vacancies
  • ", + "
  • develop pre-employment training (specific to a job)
  • ", + "
  • recruit in new and fair ways (such as offering flexible working patterns)
  • ", + "
  • access Jobcentre Plus office facilities for recruitment (where available)
  • ", + "
  • give your existing employees the chance to mentor people who want to work
  • ", + "
  • get advice and support if you need to make redundancies
  • ", + "

    The Employer Services Line can also give general advice about recruitment.

    ", + "

    Work trials

    ", + "

    A work trial is a short period in work you can offer to a jobseeker on benefits. It\u2019s a way for you both to see if the job is a good fit.

    ", + "

    It happens after you\u2019ve interviewed them for a specific role. If they\u2019re not suitable for it, you do not need to offer it to them.

    ", + "

    Jobseekers volunteer for a work trial. They keep getting their benefits whilst they\u2019re on it and are not paid a wage.

    ", + "

    Eligibility

    ", + "

    The work trial must:

    ", + "
  • only be used as a way for you and the potential employee to decide if they\u2019re right for the role
  • ", + "
  • be for a job where the jobseeker is the only person you\u2019re considering hiring
  • ", + "
  • be for a job which is at least 16 hours a week for at least 13 weeks
  • ", + "

    You need to agree the length of the work trial with the jobseeker before it starts. It must:

    ", + "
  • end when you\u2019re sure about whether the jobseeker is suitable for the role
  • ", + "
  • last no more than 5 days if the job is for less than 6 months
  • ", + "
  • last no more than 30 days (and usually around 5 days) for jobs lasting 6 months or more
  • ", + "

    The work trial can be longer than 30 days if the jobseeker needs more time to adjust to being back at work. This needs to be agreed before the work trial starts.

    ", + "

    Jobcentre Plus will check that the employee has volunteered for the trial and that it meets the eligibility criteria.

    ", + "

    How to carry out a work trial

    ", + "

    You need to agree a work trial with Jobcentre Plus before you offer it to a jobseeker.

    ", + "

    Call the Employer Services Line to find out more.

    ", + "

    Work experience and apprenticeships

    ", + "

    Work experience

    ", + "

    Work experience is available to:

    ", + "
  • all 18 to 24 year olds
  • ", + "
  • people aged 25 and over who do not have any recent work history
  • ", + "

    If you offer a young person work experience you\u2019ll be helping to give them a better chance of finding work.

    ", + "

    Read the work experience guidance for employers to find out what\u2019s expected of you.

    ", + "

    Call the Employer Services Line if you want help to become a work experience host.

    ", + "

    Apprenticeships

    ", + "

    These are organised through the National Apprenticeship Service and often follow a period of work experience. They combine practical training with study.

    ", + "

    If you take on an apprentice, you can get funding to train them. You might also be able to get an apprenticeship grant if you run a small or medium-sized business.

    ", + "

    Apprenticeships are different in Scotland, Wales and Northern Ireland.

    ", + "

    Other employment schemes

    ", + "

    Jobcentre Plus employment schemes can help you to recruit people as well as creating opportunities for people looking for work.

    ", + "

    New Enterprise Allowance

    ", + "

    This provides Jobcentre Plus claimants with mentoring and financial support to help start their own business. You can contact the provider in your area if you want to become a mentor.

    ", + "

    Sector-based work academy programme

    ", + "

    The sector-based work academy programme provides training, work experience and a guaranteed job interview. It can help you fill your vacancies more effectively.

    ", + "

    The sector-based work academy programme is only available in England and Scotland.

    " + ] + }, + { + "title": "The National Minimum Wage and Living Wage", + "url": "https://www.gov.uk/national-minimum-wage", + "contents": [ + "

    Overview

    ", + "

    The minimum wage a worker should get depends on their age and if they\u2019re an apprentice.

    ", + "

    The National Minimum Wage is the minimum pay per hour almost all workers are entitled to. The National Living Wage is higher than the National Minimum Wage - workers get it if they\u2019re over 23.

    ", + "

    It does not matter how small an employer is, they still have to pay the correct minimum wage.

    ", + "

    Calculate the minimum wage

    ", + "

    Use the minimum wage calculators to check if the correct minimum wage has been paid.

    ", + "

    There are separate calculators for workers and employers.

    ", + "

    Use the calculator for workers to check if you\u2019re getting the correct minimum wage or if an employer owes you payment from the previous year.

    ", + "

    Use the calculator for employers to check if you\u2019re paying the correct minimum wage or if you owe a payment from the previous year.

    ", + "

    There is also guidance on working out the minimum wage for different types of work.

    ", + "

    Call the Acas helpline or visit the Acas Helpline Online for advice about the National Minimum Wage or National Living Wage.

    ", + "

    Who gets the minimum wage

    ", + "

    People classed as \u2018workers\u2019 must be at least school leaving age to get the National Minimum Wage. They must be 23 or over to get the National Living Wage.

    ", + "

    Contracts for payments below the minimum wage are not legally binding. The worker is still entitled to the National Minimum Wage or National Living Wage.

    ", + "

    Workers are also entitled to the correct minimum wage if they\u2019re:

    ", + "
  • part-time
  • ", + "
  • casual labourers, for example someone hired for one day
  • ", + "
  • agency workers
  • ", + "
  • workers and homeworkers paid by the number of items they make
  • ", + "
  • apprentices
  • ", + "
  • trainees, workers on probation
  • ", + "
  • disabled workers
  • ", + "
  • agricultural workers
  • ", + "
  • foreign workers
  • ", + "
  • seafarers
  • ", + "
  • offshore workers
  • ", + "

    Apprentices

    ", + "

    Apprentices are entitled to the apprentice rate if they\u2019re either:

    ", + "
  • under 19
  • ", + "
  • 19 or over and in the first year of their apprenticeship
  • ", + "

    Apprentices over 19 who have completed the first year of their apprenticeship are entitled to the correct minimum wage for their age.

    ", + "

    Not entitled to the minimum wage

    ", + "

    The following types of workers are not entitled to the National Minimum Wage or National Living Wage:

    ", + "
  • self-employed people running their own business
  • ", + "
  • company directors
  • ", + "
  • people who are volunteers or voluntary workers
  • ", + "
  • workers on a government employment programme, such as the Work Programme
  • ", + "
  • members of the armed forces
  • ", + "
  • family members of the employer living in the employer\u2019s home
  • ", + "
  • non-family members living in the employer\u2019s home who share in the work and leisure activities, are treated as one of the family and are not charged for meals or accommodation, for example au pairs
  • ", + "
  • workers younger than school leaving age (usually 16)
  • ", + "
  • higher and further education students on work experience or a work placement up to one year
  • ", + "
  • people shadowing others at work
  • ", + "
  • workers on government pre-apprenticeships schemes
  • ", + "
  • people on the following European Union (EU) programmes: Leonardo da Vinci, Erasmus+, Comenius
  • ", + "
  • people working on a Jobcentre Plus Work trial for up to 6 weeks
  • ", + "
  • share fishermen
  • ", + "
  • prisoners
  • ", + "
  • people living and working in a religious community
  • ", + "

    Employers who offer internships (sometimes called \u2018work placements\u2019 or \u2018work experience\u2019) should check if the person is entitled to the minimum wage.

    ", + "

    Voluntary work

    ", + "

    You\u2019re classed as doing voluntary work if you can only get certain limited benefits (for example reasonable travel or lunch expenses) and you\u2019re working for a:

    ", + "
  • charity
  • ", + "
  • voluntary organisation or associated fundraising body
  • ", + "
  • statutory body
  • ", + "

    Contact the Acas helpline to find out if you should be getting the minimum wage.

    ", + "

    Employers and the minimum wage

    ", + "

    Employers must pay workers the correct minimum wage.

    ", + "

    You can read guidance on the minimum wage rates and who they apply to.

    ", + "

    What\u2019s not included in minimum wage calculations

    ", + "

    Some payments must not be included when the minimum wage is calculated.

    ", + "

    These are:

    ", + "
  • payments that should not be included for the employer\u2019s own use or benefit, for example if the employer has paid for travel to work
  • ", + "
  • things the worker bought for the job and is not refunded for, such as tools, uniform, safety equipment
  • ", + "
  • tips, service charges and cover charges
  • ", + "
  • extra pay for working unsocial hours on a shift
  • ", + "

    Find out what counts as working time.

    ", + "

    What\u2019s included in minimum wage calculations

    ", + "

    Some payments must be included when the minimum wage is calculated.

    ", + "

    These are:

    ", + "
  • Income Tax and National Insurance contributions
  • ", + "
  • wage advances or loans
  • ", + "
  • repayment of wage advances or loans
  • ", + "
  • repayment of overpaid wages
  • ", + "
  • things the worker paid for that are not needed for the job or paid for voluntarily, such as meals
  • ", + "
  • accommodation provided by an employer above the offset rate (\u00a38.36 a day or \u00a358.52 a week)
  • ", + "
  • penalty charges for a worker\u2019s misconduct
  • ", + "

    Read the detailed guidance on calculating the minimum wage for more on what counts and does not count towards the minimum wage, eligibility, how to calculate the minimum wage and how it is enforced.

    ", + "

    Employer checks

    ", + "

    It\u2019s a criminal offence for employers to not pay someone the National Minimum Wage or National Living Wage, or to fake payment records.

    ", + "

    Employers who discover they\u2019ve paid a worker below the correct minimum wage must pay any arrears immediately. Use the National Minimum Wage and National Living Wage calculator to check a worker has been paid correctly.

    ", + "

    HM Revenue and Customs (HMRC) officers have the right to carry out checks at any time and ask to see payment records. They can also investigate employers if a worker complains to them.

    ", + "

    If HMRC finds that an employer has not been paying the correct rates, any arrears have to be paid back immediately. There will also be a fine and offenders might be named by the government.

    ", + "

    Keeping records

    ", + "

    It\u2019s the employer\u2019s responsibility to keep records proving that they are paying the minimum wage. These records must be kept for at least 6 years if they:

    ", + "
  • were created on or after 1 April 2021
  • ", + "
  • still had to be kept on 31 March 2021 under the previous rule that records must be kept for 3 years
  • ", + "

    The period records must be kept for starts from the last day of the pay reference period after the one they cover.

    ", + "

    They do not have to be kept in any particular form, for example they can be paper or computer records. But employers must be able to produce records for an individual pay reference period in a single document.

    ", + "

    Most employers use their payroll records as proof of:

    ", + "
  • total pay - including pay deductions, allowances and tips
  • ", + "
  • total hours worked - including absences and overtime
  • ", + "

    Employers may also need to keep records such as:

    ", + "
  • agreements about working hours, pay and conditions, such as contracts
  • ", + "
  • documents that show why a worker is not entitled to the minimum wage
  • ", + "

    Pay reference periods

    ", + "

    Pay reference periods are usually set by how often someone is paid, for example one week, one month or 10 days. A pay reference period cannot be longer than 31 days.

    ", + "

    A worker must be paid the minimum wage, on average, for the time worked in the pay reference period.

    ", + "

    Worker disputes over minimum wage

    ", + "

    Workers who think their pay is below the correct minimum wage rate should talk to their employer first.

    ", + "

    If this does not solve the problem, they can ask the employer in writing to see their payment records. The worker can take someone with them and make copies of the records.

    ", + "

    If an employer owes the worker any arrears they have to pay these back.

    ", + "

    Workers can call the confidential Acas helpline or look at the Acas Helpline Online to help them solve a payment dispute.

    ", + "

    Workers can also make a complaint to HM Revenue and Customs (HMRC) about their employer or employment agency or complain on behalf of someone else.

    ", + "

    If the employer refuses payment

    ", + "

    If HMRC find that the employer has not paid they will send them a notice for the arrears plus a fine for not paying the minimum wage.

    ", + "

    HMRC can take them to court on behalf of the worker if the employer still refuses to pay.

    ", + "

    Employment tribunal

    ", + "

    Workers can also go directly to the employment tribunal themselves.

    ", + "

    Workers who have been dismissed because of a minimum wage dispute can also complain to the employment tribunal for unfair dismissal.

    " + ] + }, + { + "title": "Shared Parental Leave and Pay: employer guide", + "url": "https://www.gov.uk/shared-parental-leave-and-pay-employer-guide", + "contents": [ + "

    Overview

    ", + "

    Employees may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if they\u2019ve had a baby or adopted a child.

    ", + "

    Employees can start SPL if they\u2019re eligible and they or their partner end their maternity or adoption leave or pay early. The remaining leave will be available as SPL. The remaining pay may be available as ShPP.

    ", + "

    Employees can take SPL in up to 3 separate blocks. They can also share the leave with their partner if they\u2019re also eligible. Parents can choose how much of the SPL each of them will take.

    ", + "

    SPL and ShPP must be taken between the baby\u2019s birth and first birthday (or within 1 year of adoption).

    ", + "

    SPL and ShPP are only available in England, Scotland and Wales.

    ", + "

    Eligibility

    ", + "

    Sometimes only one parent in a couple will be eligible to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP). This means that they cannot share the leave.

    ", + "

    If your employee is eligible then they can use SPL to book their leave in separate blocks.

    ", + "

    Shared Parental Leave

    ", + "

    To qualify for SPL, your employee must share responsibility for the child with one of the following:

    ", + "
  • their husband, wife, civil partner or joint adopter
  • ", + "
  • the child\u2019s other parent
  • ", + "
  • their partner (if they live with them)
  • ", + "

    Your employee or their partner must be eligible for maternity pay or leave, adoption pay or leave or Maternity Allowance.

    ", + "

    They must also:

    ", + "
  • still be employed by you while they take SPL
  • ", + "
  • give you the correct notice including a declaration that their partner meets the employment and income requirements which allow your employee to get SPL
  • ", + "
  • have been continuously employed by you for at least 26 weeks up to any day of the \u2018qualifying week\u2019, or the week they are matched with a child for adoption in the UK
  • ", + "

    The \u2018qualifying week\u2019 is the 15th week before the baby is due.

    ", + "

    Statutory Shared Parental Pay

    ", + "

    They can get ShPP if they\u2019re an employee and one of the following applies:

    ", + "
  • they\u2019re eligible for Statutory Maternity Pay (SMP) or Statutory Adoption Pay (SAP)
  • ", + "
  • they\u2019re eligible for Statutory Paternity Pay (SPP) and their partner is eligible for SMP, Maternity Allowance (MA) or SAP
  • ", + "

    They can also get ShPP if they\u2019re a worker and they\u2019re eligible for SMP or SPP.

    ", + "

    Refusing SPL or ShPP

    ", + "

    You can refuse SPL or ShPP if the employee does not qualify.

    ", + "

    You must tell the employee the reason if you refuse ShPP. You do not have to give a reason for refusing SPL.

    ", + "

    Entitlement

    ", + "

    If an employee is eligible and they or their partner end maternity or adoption leave and pay (or Maternity Allowance) early, then they can:

    ", + "
  • take the rest of the 52 weeks of leave (up to a maximum of 50 weeks) as Shared Parental Leave (SPL)
  • ", + "
  • take the rest of the 39 weeks of pay (up to a maximum of 37 weeks) as Statutory Shared Parental Pay (ShPP)
  • ", + "

    A mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).

    ", + "

    ShPP is paid at the rate of \u00a3151.97 a week or 90% of an employee\u2019s average weekly earnings, whichever is lower.

    ", + "

    Starting Shared Parental Leave

    ", + "

    For Shared Parental Leave (SPL) to start, the mother or adopter must do one of the following:

    ", + "
  • end their maternity or adoption leave by returning to work
  • ", + "
  • give you \u2018binding notice\u2019 (a decision that cannot normally be changed) of the date when they\u2019ll end their maternity or adoption leave
  • ", + "
  • end maternity pay or Maternity Allowance (if they\u2019re not entitled to maternity leave, for example they\u2019re an agency worker or self-employed)
  • ", + "

    A mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).

    ", + "

    The adoptive parent getting Statutory Adoption Pay must take at least 2 weeks\u2019 adoption leave. They can take it from the day of the placement, or up to 14 days before the placement starts.

    ", + "

    The mother must give you notice (at least 8 weeks) to end her maternity pay, or tell Jobcentre Plus to end her Maternity Allowance. Adopters must give you notice to end adoption pay.

    ", + "

    SPL can start for the partner while the mother or adopter is still on maternity or adoption leave if she\u2019s given binding notice to end her leave (or pay if she\u2019s not entitled to leave).

    ", + "

    What the employee must do

    ", + "

    The employee must give you written notice if they want to start SPL or Statutory Shared Parental Pay (ShPP). They can do this using forms created by the Advisory, Conciliation and Arbitration Service (Acas).

    ", + "

    After receiving this notice, you can ask for:

    ", + "
  • a copy of the child\u2019s birth certificate
  • ", + "
  • the name and address of their partner\u2019s employer
  • ", + "

    You have 14 days to ask for this information. Your employee then has a further 14 days to provide it.

    ", + "

    Notice period

    ", + "

    An employee must give at least 8 weeks\u2019 notice of any leave they wish to take. If the child is born more than 8 weeks early, this notice period can be shorter.

    ", + "

    Your employee has a statutory right to a maximum of 3 separate blocks of leave, although you can allow more if you wish.

    ", + "

    Cancelling the decision to end maternity or adoption leave

    ", + "

    The mother or adopter may be able to change their decision to end maternity or adoption leave early if both:

    ", + "
  • the planned end date has not passed
  • ", + "
  • they have not already returned to work
  • ", + "

    One of the following must also apply:

    ", + "
  • it\u2019s discovered during the 8-week notice period that neither partner is eligible for either SPL or ShPP
  • ", + "
  • the employee\u2019s partner has died
  • ", + "
  • it\u2019s less than 6 weeks after the birth (and the mother gave notice before the birth)
  • ", + "

    Shared parental leave in touch (SPLIT) days

    ", + "

    Your employee can work up to 20 days during SPL without bringing it to an end. These are called \u2018shared parental leave in touch\u2019 (or SPLIT) days.

    ", + "

    These days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days already available to those on maternity or adoption leave.

    ", + "

    Keeping in touch days are optional - both you and your employee must agree to them.

    ", + "

    Blocks of leave

    ", + "

    An employee taking Shared Parental Leave (SPL) can split their leave into up to 3 separate blocks instead of taking it all in one go, even if they are not sharing the leave with their partner.

    ", + "

    If both parents are taking SPL then they can take their leave at the same time as each other or at different times.

    ", + "

    The employee must give you at least 8 weeks\u2019 notice before a block of leave begins.

    ", + "

    Splitting blocks

    ", + "

    If you agree, the employee can split a block of leave into shorter periods of at least a week. For example they could work every other week during a 12-week block, using a total of 6 weeks of their SPL.

    ", + "

    You cannot turn down a request for a block of leave if the employee is eligible and gives you the right notice. You do not have to agree to the employee breaking the block of leave into shorter periods.

    ", + "

    Record keeping

    ", + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • the evidence provided by the employee to show that they\u2019re eligible for ShPP
  • ", + "
  • the date ShPP began
  • ", + "
  • your ShPP payments (including dates)
  • ", + "
  • the ShPP you\u2019ve reclaimed
  • ", + "
  • any weeks you did not pay and why
  • ", + "

    You must keep records for at least 3 years from the end of the tax year they relate to.

    ", + "

    Help with statutory pay

    ", + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments (usually 92%)
  • ", + "
  • apply for an advance if you cannot afford payments
  • " + ] + }, + { + "title": "Statutory Adoption Pay and Leave: employer guide", + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "contents": [ + "

    Entitlement

    ", + "

    When an employee takes time off to adopt a child or have a child through a surrogacy arrangement they might be eligible for Statutory Adoption Pay and Leave.

    ", + "

    Statutory Adoption Leave

    ", + "

    Employees can take up to 52 weeks\u2019 Statutory Adoption Leave. The first 26 weeks is known as \u2018Ordinary Adoption Leave\u2019, the last 26 weeks as \u2018Additional Adoption Leave\u2019.

    ", + "

    Leave can start:

    ", + "
  • on the date the child starts living with the employee or up to 14 days before the expected placement date (UK adoptions)
  • ", + "
  • when an employee has been matched with a child to be placed with them by a UK adoption agency
  • ", + "
  • when the child arrives in the UK or within 28 days of this date (overseas adoptions)
  • ", + "
  • the day the child\u2019s born or the day after (parents in surrogacy arrangements)
  • ", + "

    Statutory Adoption Pay

    ", + "

    Statutory Adoption Pay (SAP) for employees is:

    ", + "
  • 90% of their gross average weekly earnings for the first 6 weeks
  • ", + "
  • \u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower) for the next 33 weeks
  • ", + "

    Tax and National Insurance need to be deducted.

    ", + "

    Calculate an employee\u2019s adoption leave and pay using the maternity and paternity calculator.

    ", + "

    Some employment types like agency workers, directors and educational workers have different rules for entitlement.

    ", + "

    Extra leave or pay

    ", + "

    You can offer more than the statutory amounts if you have a company scheme for adoption leave and pay. You must make sure your scheme\u2019s policies are clear and available to staff.

    ", + "

    Employment rights

    ", + "

    An employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during adoption leave. You still have to pay Statutory Adoption Pay even if you stop trading.

    ", + "

    Eligibility

    ", + "

    Some employees will not qualify for both leave and pay.

    ", + "

    Statutory Adoption Leave

    ", + "

    Employees must:

    ", + "
  • give you the correct notice
  • ", + "
  • be classed as an employee
  • ", + "

    They do not have to give you proof of the adoption or surrogacy unless you ask for it.

    ", + "

    Leave for employees adopting a child from overseas

    ", + "

    Employee must also sign form SC6 if they\u2019re adopting from overseas with a partner. This confirms they\u2019re not taking paternity leave or pay.

    ", + "

    Statutory Adoption Pay

    ", + "

    Employees must:

    ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child
  • ", + "
  • be on your payroll and earn at least \u00a3120 a week in an 8-week period - the \u2018relevant period\u2019
  • ", + "
  • give you the correct notice
  • ", + "
  • give you proof of the adoption
  • ", + "

    If your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    Use the adoption pay calculator to check an employee\u2019s eligibility and work out their matching week, relevant period, notice period and adoption pay.

    ", + "

    There are special rules for some employee situations, for example if they leave, become sick or if they or their child dies.

    ", + "

    Pay for employees adopting a child from overseas

    ", + "

    The requirements are the same for employees adopting from overseas, except they must have been continuously employed by you for at least 26 weeks at the start of the week when the pay will begin.

    ", + "

    They must also sign form SC6 if they\u2019re adopting with a partner. This confirms they\u2019re not taking paternity leave or pay.

    ", + "

    Pay for employees in surrogacy arrangements

    ", + "

    The requirements are the same for employees in surrogacy arrangements, except they must have been continuously employed by you for at least 26 weeks up to any day in the 15th week before the baby is due.

    ", + "

    If you ask for it, they must also give you proof that they intend to become the baby\u2019s legal parent.

    ", + "

    Who cannot qualify

    ", + "

    Employees will not qualify for either adoption leave or pay if they:

    ", + "
  • become a special guardian or kinship carer
  • ", + "
  • adopt a stepchild or family member
  • ", + "
  • adopt privately, for example without permission from a UK authority or adoption agency
  • ", + "

    Notice period

    ", + "

    Notice does not have to be in writing unless you request it.

    ", + "

    Statutory Adoption Pay

    ", + "

    Employees must give you 28 days\u2019 notice before they want to be paid Statutory Adoption Pay, unless the time between the child being matched and placed is less than that.

    ", + "

    Statutory Adoption Leave

    ", + "

    Within 7 days of being matched with a child, employees must tell you:

    ", + "
  • how much leave they want
  • ", + "
  • their leave start date
  • ", + "
  • the \u2018date of placement\u2019 - the expected or actual date the child is placed with them
  • ", + "

    You have 28 days to write to them confirming their leave start and end date.

    ", + "

    There are different rules for overseas adoptions and surrogacy arrangements.

    ", + "

    Leave for employees adopting a child from overseas

    ", + "

    Within 28 days of getting their \u2018official notification\u2019, employees adopting from overseas must tell you the date of the notification and when they expect the child to arrive in the UK.

    ", + "

    If they\u2019ve worked for you for less than 26 weeks, they can tell you within 28 days of the Sunday in their 26th week instead.

    ", + "

    They must also tell you:

    ", + "
  • the actual date the child arrives in the UK - within 28 days of this date
  • ", + "
  • how much leave they want and when they want it to start - giving you 28 days\u2019 notice
  • ", + "

    You have 28 days to write to them confirming their leave start and end date.

    ", + "

    Leave for employees in surrogacy arrangements

    ", + "

    At least 15 weeks before the due date, employees in surrogacy arrangements must tell you when the baby is due and when they want to start their leave. You can ask for this in writing.

    ", + "

    You have 28 days to write to them confirming their leave start and end date.

    ", + "

    Changes to leave dates

    ", + "

    Employees must tell you about changes to leave dates at least 28 days before their original start date or the new start date - whichever is earlier.

    ", + "

    You must write to them if you have to amend their leave start and end dates.

    ", + "

    Employees must give 8 weeks\u2019 notice if they want to change the date they return to work.

    ", + "

    Proof of adoption

    ", + "

    Employees must give you proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless you ask for it.

    ", + "

    For adoption, the proof must show the:

    ", + "
  • name and address of the agency and employee
  • ", + "
  • date the child was matched, for example the matching certificate
  • ", + "
  • expected or actual date of placement, for example a letter from the agency
  • ", + "
  • relevant UK authority\u2019s \u2018official notification\u2019 confirming the parent is allowed to adopt (overseas adoptions only)
  • ", + "
  • date the child arrived in the UK, for example a plane ticket (overseas adoptions only)
  • ", + "

    You must keep records of the proof.

    ", + "

    Surrogacy arrangements

    ", + "

    Proof is not needed for leave or pay unless you ask for it.

    ", + "

    If you ask, employees must give you a written statement (\u2018statutory declaration\u2019) to confirm that they:

    ", + "
  • intend to apply for a parental order in the 6 months after the baby\u2019s birth
  • ", + "
  • expect the order to be granted (for example because they do not have any convictions involving children, and the birth mother or father agree to the arrangement)
  • ", + "

    Refusing pay or leave

    ", + "

    Statutory Adoption Leave

    ", + "

    You cannot refuse adoption leave or change the amount of leave employees want to take off.

    ", + "

    For adoption, you can delay the start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.

    ", + "

    Statutory Adoption Pay

    ", + "

    You can refuse Statutory Adoption Pay if the employee does not qualify.

    ", + "

    To refuse it, give the employee form SAP1 within 7 days of your decision. They must get this form within 28 days of their request for Statutory Adoption Pay or the date they were matched with the child (whichever is earlier).

    ", + "

    Record keeping

    ", + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • proof of adoption
  • ", + "
  • the date Statutory Adoption Pay started
  • ", + "
  • the payments of Statutory Adoption Pay you\u2019ve made - including dates
  • ", + "
  • the payments you\u2019ve reclaimed
  • ", + "
  • any weeks you did not pay and why
  • ", + "

    You must keep records for 3 years from the end of the tax year they relate to (for example by using form SAP2 or keeping your own records).

    ", + "

    Help with statutory pay

    ", + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments (usually 92%)
  • ", + "
  • apply for an advance if you cannot afford payments
  • " + ] + }, + { + "title": "Statutory Maternity Pay and Leave: employer guide", + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "contents": [ + "

    Entitlement

    ", + "

    Statutory Maternity Leave

    ", + "

    Eligible employees can take up to 52 weeks\u2019 maternity leave. The first 26 weeks is known as \u2018Ordinary Maternity Leave\u2019, the last 26 weeks as \u2018Additional Maternity Leave\u2019.

    ", + "

    The earliest that leave can be taken is 11 weeks before the expected week of childbirth, unless the baby is born early.

    ", + "

    Employees must take at least 2 weeks after the birth (or 4 weeks if they\u2019re a factory worker).

    ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    SMP for eligible employees can be paid for up to 39 weeks, usually as follows:

    ", + "
  • the first 6 weeks: 90% of their average weekly earnings (AWE) before tax
  • ", + "
  • the remaining 33 weeks: \u00a3151.97 or 90% of their AWE (whichever is lower)
  • ", + "

    Tax and National Insurance need to be deducted.

    ", + "

    Use the SMP calculator to work out an employee\u2019s maternity leave and pay.

    ", + "

    Some employment types like agency workers, directors and educational workers have different rules for entitlement.

    ", + "

    Extra leave or pay

    ", + "

    You can offer more than the statutory amounts if you have a company maternity scheme. You must make sure your maternity leave and pay policies are clear and available to staff.

    ", + "

    If the baby is born early

    ", + "

    Leave starts the day after the birth if the baby is born early.

    ", + "

    The employee must give you the child\u2019s birth certificate or a document signed by a doctor or midwife that confirms the actual date of birth.

    ", + "

    You must write to them confirming the new end date for their leave.

    ", + "

    For very premature births where the child is born 15 weeks or more before the due date, you\u2019ll need to calculate SMP using your payroll software (if it has this feature) or work it out manually.

    ", + "

    If the baby dies

    ", + "

    Employees still qualify for leave or pay if the baby:

    ", + "
  • is stillborn after the start of the 24th week of pregnancy
  • ", + "
  • dies after being born
  • ", + "

    Employment rights

    ", + "

    An employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during maternity leave.

    ", + "

    You still have to pay SMP even if you stop trading.

    ", + "

    Eligibility and proof of pregnancy

    ", + "

    Some employees will not qualify for both leave and pay.

    ", + "

    Statutory Maternity Leave

    ", + "

    Employees must:

    ", + "
  • have an employment contract - it does not matter how long they\u2019ve worked for you
  • ", + "
  • give you the correct notice
  • ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    Employees must:

    ", + "
  • be on your payroll in the \u2018qualifying week\u2019 - the 15th week before the expected week of childbirth
  • ", + "
  • give you the correct notice
  • ", + "
  • give you proof they\u2019re pregnant
  • ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the qualifying week
  • ", + "
  • earn at least \u00a3120 a week (gross) in an 8-week \u2018relevant period\u2019
  • ", + "

    If your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    Use the maternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and statutory maternity pay.

    ", + "

    There are special rules for some employee situations (for example if they leave, become sick or their baby is born before the qualifying week).

    ", + "

    Proof of pregnancy

    ", + "

    You must get proof of the pregnancy before you pay SMP. This is usually a doctor\u2019s letter or a maternity certificate (known as an MATB1 certificate). Midwives and doctors usually issue these 20 weeks before the due date.

    ", + "

    The employee should give you proof within 21 days of the SMP start date. You can agree to accept it later if you want. You do not have to pay SMP if you have not received proof of the due date 13 weeks after the SMP start date.

    ", + "

    You must keep records of the proof of pregnancy.

    ", + "

    Employees not entitled to SMP may be able to get Maternity Allowance instead.

    ", + "

    Notice period

    ", + "

    Notice does not have to be in writing unless you request it.

    ", + "

    Statutory Maternity Leave

    ", + "

    At least 15 weeks before the baby is expected, your employees must tell you the date that:

    ", + "
  • the baby is due
  • ", + "
  • they want to start their maternity leave - they can change this with 28 days\u2019 notice
  • ", + "

    You must then confirm their leave start and end dates in writing within 28 days.

    ", + "

    Employees can change their return to work date if they give 8 weeks\u2019 notice.

    ", + "

    You cannot refuse maternity leave or change the amount of leave your employees want to take.

    ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    Your employees must give you 28 days\u2019 notice of the date they want to start their SMP. This is usually the same date they want to start their leave.

    ", + "

    You can refuse to pay SMP if your employee does not give you this notice and they do not give you a reasonable excuse.

    ", + "

    Refuse pay form SMP1

    ", + "

    You can refuse Statutory Maternity Pay (SMP) if the employee does not qualify. They may be able to get Maternity Allowance instead.

    ", + "

    To refuse it, give the employee the SMP1 form within 7 days of your decision. They must get this form within 28 days of their request for Statutory Maternity Pay or the birth (whichever is earlier).

    ", + "

    Record keeping

    ", + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • proof of pregnancy - usually a doctor\u2019s note or a MATB1 certificate (a photocopy is fine)
  • ", + "
  • the date SMP began
  • ", + "
  • your SMP payments (including dates)
  • ", + "
  • the SMP you\u2019ve reclaimed
  • ", + "
  • any weeks you did not pay and why
  • ", + "

    You must keep records for 3 years from the end of the tax year they relate to, for example by using form SMP2 or keeping your own records.

    ", + "

    Help with statutory pay

    ", + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments (usually 92%)
  • ", + "
  • apply for an advance if you cannot afford payments
  • " + ] + }, + { + "title": "Statutory Parental Bereavement Pay and Leave: employer guide", + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "contents": [ + "

    Overview

    ", + "

    An employee may be eligible for Parental Bereavement Leave and Statutory Parental Bereavement Pay if they or their partner either:

    ", + "
  • has a child who has died under 18 years old
  • ", + "
  • had a stillbirth after 24 weeks of pregnancy
  • ", + "

    The death or stillbirth must have happened on or after 6 April 2020.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Statutory Parental Bereavement Leave

    ", + "

    An employee can take 2 weeks\u2019 leave from the first day of their employment for each child who has died or was stillborn.

    ", + "

    They can choose to take:

    ", + "
  • 2 weeks together
  • ", + "
  • 2 separate weeks of leave
  • ", + "
  • only one week of leave
  • ", + "

    The leave:

    ", + "
  • can start on or after the date of the death or stillbirth
  • ", + "
  • must finish within 56 weeks of the date of the death or stillbirth
  • ", + "

    Taking leave with other types of statutory leave

    ", + "

    If the employee was on another type of statutory leave when the death or stillbirth happened, Parental Bereavement Leave must start after that other leave has ended. This includes if the statutory leave is for another child.

    ", + "

    If an employee\u2019s Parental Bereavement Leave is interrupted by the start of another type of statutory leave, they can take their remaining entitlement to Parental Bereavement Leave after that other leave has ended.

    ", + "

    The remaining Parental Bereavement Leave must still be taken within 56 weeks of the date of death or stillbirth.

    ", + "

    Parental Bereavement Leave can be taken between blocks of shared parental leave which had already been booked when the child died, even if the shared parental leave is for another child.

    ", + "

    Statutory Parental Bereavement Pay

    ", + "

    Statutory Parental Bereavement Pay for an eligible employee is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.

    ", + "

    Calculate an employee\u2019s Statutory Parental Bereavement Pay using Basic PAYE tools or guidance on manual calculation.

    ", + "

    Some employment types, like agency workers, directors and educational workers, have different rules for entitlement.

    ", + "

    Extra leave or pay

    ", + "

    Your company can offer more leave and pay but you can only recover 2 weeks\u2019 payment for each employee and for each death.

    ", + "

    You should make sure your Parental Bereavement Leave and Statutory Parental Bereavement Pay policies are clear and easily accessible to staff.

    ", + "

    Employment rights

    ", + "

    An employee\u2019s rights (like the right to pay rises, holidays and returning to a job) are protected during Parental Bereavement Leave.

    ", + "

    You still have to pay Statutory Parental Bereavement Pay even if you stop trading.

    ", + "

    Eligibility

    ", + "

    To qualify for Parental Bereavement Leave and Statutory Parental Bereavement Pay, an employee must meet the criteria both as a parent (including if they had day to day responsibility) and an employee. They might not be eligible for both.

    ", + "

    If the employee was the child\u2019s parent or the parent\u2019s partner

    ", + "

    An employee will be eligible if, at the time of the child\u2019s death or stillbirth, they were:

    ", + "
  • the child\u2019s or baby\u2019s parent - either biological, adoptive or parent of a child born to a surrogate
  • ", + "
  • the partner of the child\u2019s or baby\u2019s parent
  • ", + "

    Biological parents are not eligible once an adoption or parental order has been made unless there was a contact order in place after the adoption.

    ", + "

    If the employee was not the child\u2019s parent but had day to day responsibility for the child

    ", + "

    An employee may be eligible if they or their partner had:

    ", + "
  • the child or baby living with them at their home for 4 continuous weeks, ending with the date of the death
  • ", + "
  • day to day responsibility for the child or baby\u2019s care during that time
  • ", + "

    If the employee or their partner was paid to look after the child, they\u2019re not entitled to leave or pay unless they were:

    ", + "
  • a foster parent paid a fee or allowance by a local authority
  • ", + "
  • reimbursed for expenses to do with the care of the child or baby
  • ", + "
  • getting payments under the terms of a will or trust for the child or baby\u2019s care
  • ", + "

    An employee is not eligible if one of the child or baby\u2019s parents or someone who had parental responsibility (parental responsibilities in Scotland) for the child was also living in the household.

    ", + "

    If the employee was an adoptive parent

    ", + "

    If they or their partner was an adoptive parent, an employee is eligible:

    ", + "
  • after the adoption order was granted
  • ", + "
  • before the adoption order was granted, if the child was placed with them for adoption and the placement was not disrupted (for example, being temporarily placed elsewhere) or stopped
  • ", + "

    If the employee was an adoptive parent of a child from outside the United Kingdom

    ", + "

    If the employee or their partner was adopting a child from outside the United Kingdom and the court order had not yet been made, they may still be eligible. Both of the following must apply:

    ", + "
  • the child was living with them after entering Great Britain
  • ", + "
  • they have the \u2018official notification\u2019 confirming they were allowed to adopt
  • ", + "

    If the employee had a baby with the help of a surrogate parent

    ", + "

    If they or their partner were a parent of a child born to a surrogate, an employee is eligible:

    ", + "
  • after a parental order was made
  • ", + "
  • before a parental order was made if they had applied or intended to apply for a parental order within 6 months of the child\u2019s birth and expected it to be granted
  • ", + "

    Parental Bereavement Leave

    ", + "

    To get Parental Bereavement Leave, the employee must also:

    ", + "
  • be classed as an employee - it does not matter how long they\u2019ve worked for you
  • ", + "
  • give you the correct notice for Parental Bereavement Leave
  • ", + "

    Statutory Parental Bereavement Pay

    ", + "

    To get Statutory Parental Bereavement Pay, the employee must have been continuously employed by you for at least 26 weeks up to the end of the \u2018relevant week\u2019. The \u2018relevant week\u2019 is the week (ending with a Saturday) immediately before the week of the death or stillbirth.

    ", + "

    They must also:

    ", + "
  • remain employed by you up to the day the child dies or is stillborn
  • ", + "
  • earn on average \u00a3120 a week (gross)
  • ", + "
  • give you the correct notice for Statutory Parental Bereavement Pay
  • ", + "

    If your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    Use the guidance on manual calculation to check entitlement and to work out the relevant week.

    ", + "

    There are special rules for some employee situations, for example if they leave or become sick.

    ", + "

    Notice period

    ", + "

    An employee must give notice for Parental Bereavement Leave as well as evidence for Statutory Parental Bereavement Pay.

    ", + "

    Parental Bereavement Leave

    ", + "

    An employee has 56 weeks to take Parental Bereavement Leave. This starts from the date of the child\u2019s death.

    ", + "

    The 56 weeks is split into 2 periods:

    ", + "
  • from the date of the death or stillbirth to 8 weeks after
  • ", + "
  • 9 to 56 weeks after the date of the death or stillbirth
  • ", + "

    They can take 2 weeks\u2019 leave in one block or as 2 separate blocks of one week.

    ", + "

    You must get notice from the employee before they take Parental Bereavement Leave. How much notice depends on when they\u2019re taking leave.

    ", + "

    0 to 8 weeks after the child\u2019s death or stillbirth

    ", + "

    An employee must give you notice before the time they would normally start work on the first day of the period they want to take off work.

    ", + "

    9 to 56 weeks after the child\u2019s death or stillbirth

    ", + "

    An employee must give you at least one week\u2019s notice before the start of the week or weeks they want to take off work.

    ", + "

    How employees should give you notice

    ", + "

    They should tell you:

    ", + "
  • the date of the child\u2019s death or stillbirth
  • ", + "
  • when they want their Parental Bereavement Leave to begin
  • ", + "
  • how much leave they are taking - either 1 or 2 weeks
  • ", + "

    An employee can give you notice informally, for example by phone, text message or email.

    ", + "

    You cannot ask for:

    ", + "
  • notice for leave in writing (such as following up with an email, letter or form)
  • ", + "
  • notice to cancel leave in writing
  • ", + "
  • evidence of entitlement for leave
  • ", + "
  • details about the employee\u2019s relationship to the child or baby
  • ", + "

    Cancelling Parental Bereavement Leave

    ", + "

    An employee can cancel their Parental Bereavement Leave if they\u2019ve given you more than the required notice for taking leave.

    ", + "

    If they were starting the leave within 8 weeks of the death or stillbirth, they must let you know about the cancellation no later than the time they would normally start work on the first day of planned leave.

    ", + "

    If they were starting the leave 9 weeks or later after the death or stillbirth, they must let you know no later than one week before the start of the planned leave.

    ", + "

    They can rebook another week\u2019s leave if they cancel before the leave was due to start and they give you the correct notice.

    ", + "

    Statutory Parental Bereavement Pay

    ", + "

    An employee must ask for Statutory Parental Bereavement Pay within 28 days, starting with the first day of the week they want to claim pay for.

    ", + "

    They must give you in writing (for example, a letter or email) each time:

    ", + "
  • the dates of the period the want to claim Statutory Parental Bereavement Pay
  • ", + "
  • their name
  • ", + "
  • the date of the child\u2019s death or stillbirth
  • ", + "

    The employee will also need to give you a self declaration to confirm they are eligible because of their relationship to the child or baby - they only need to provide this once when they first ask for pay.

    ", + "

    Cancelling Statutory Parental Bereavement Pay

    ", + "

    An employee can cancel their Statutory Parental Bereavement Pay if they\u2019ve given you more than the required notice for claiming pay.

    ", + "

    If their pay was due to start within 8 weeks of the child\u2019s death or stillbirth, they must give you notice on the first day of the week of pay they want to cancel.

    ", + "

    If their pay was due to start 9 weeks or later after the child\u2019s death or stillbirth, they must tell you they want to cancel one week before their pay was due to start.

    ", + "

    Non-payment form

    ", + "

    You can refuse Statutory Parental Bereavement Pay if the employee does not qualify.

    ", + "

    To do this, send them a completed non-payment form (SPBP1) or your own equivalent form within 28 days of their pay request with evidence. You should keep a record of the week which was refused and the reason why.

    ", + "

    If an employee is unhappy with your decision, they can contact the HMRC Statutory Payments Disputes Team. They must do this within 6 months of the start date of the Statutory Parental Bereavement Pay period they claimed.

    ", + "

    Record keeping

    ", + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • the start date for any period Statutory Parental Bereavement Pay was paid
  • ", + "
  • the payments you\u2019ve made (including dates)
  • ", + "
  • a copy of the evidence of entitlement from the employee for Statutory Parental Bereavement Pay including their written declaration, name and date of the child\u2019s death or stillbirth
  • ", + "
  • details of any weeks the employee claimed Statutory Parental Bereavement Pay but you did not pay and the reason why
  • ", + "

    You must keep records for 3 years from the end of the tax year they relate to.

    ", + "

    You can use HMRC\u2019s record keeping form (SPBP2) or your own.

    ", + "

    Get help with statutory pay

    ", + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments
  • ", + "
  • apply for an advance if you cannot afford payments
  • ", + "

    Apply for an advance if you cannot afford payments

    ", + "

    You can apply online for an advance to pay for an employee\u2019s Statutory Parental Bereavement Pay.

    ", + "

    Before you start, you\u2019ll need:

    ", + "
  • your employer PAYE reference
  • ", + "
  • your payment or account office reference numbers - this is on the letter when you first registered as an employer
  • ", + "
  • the amount of tax or National Insurance owed to HM Revenue and Customs (HMRC)
  • ", + "
  • bank or building society details for you or the third party it\u2019s being paid to
  • ", + "
  • a completed R38 form if the advance is being paid to a third party
  • ", + "

    You\u2019ll also need information about the employee including their:

    ", + "
  • National Insurance number
  • ", + "
  • average weekly earnings
  • ", + "
  • parental bereavement leave and pay arrangements - you can get this information from their self declaration
  • ", + "

    Your advance can be paid either by BACS or payable order.

    ", + "

    Contact HMRC if you\u2019ve got questions about advance payments.

    ", + "

    Apply online

    ", + "

    Apply online for an advance if you have a Government Gateway user ID and password.

    ", + "

    If you do not have a Government Gateway user ID and password, you can apply online for an advance using a valid email address.

    ", + "

    After you\u2019ve applied

    ", + "

    If the advance is being paid to a third party and you\u2019re sending a completed R38 form by post, send it to HMRC within 4 weeks of applying for an advance.

    ", + "

    Once your application has been approved, the money will be paid to the bank or building society account you provided or you\u2019ll be sent a cheque (payable order), depending on which payment option you chose.

    ", + "

    If there are any issues with your application, HMRC will contact you directly.

    ", + "

    Paying back your advance payment

    ", + "

    You\u2019ll need to pay back your advance payment through Employer Payment Summary (EPS).

    " + ] + }, + { + "title": "Statutory Paternity Pay and Leave: employer guide", + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "contents": [ + "

    Entitlement

    ", + "

    Employees may be eligible for Statutory Paternity Leave and Pay if they and their partner are:

    ", + "
  • having a baby
  • ", + "
  • adopting a child
  • ", + "
  • having a baby through a surrogacy arrangement
  • ", + "

    Statutory Paternity Leave

    ", + "

    Employees can choose to take either 1 week or 2 consecutive weeks\u2019 leave. The amount of time is the same even if they have more than one child (for example twins).

    ", + "

    Leave cannot start before the birth. The start date must be one of the following:

    ", + "
  • the actual date of birth
  • ", + "
  • an agreed number of days after the birth
  • ", + "
  • an agreed number of days after the expected week of childbirth
  • ", + "

    Leave must finish within 56 days of the birth (or due date if the baby is early). The start and end dates are different if the employee is adopting.

    ", + "

    Statutory Paternity Pay

    ", + "

    Statutory Paternity Pay for eligible employees is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.

    ", + "

    Calculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator.

    ", + "

    Some employment types, like agency workers, directors and educational workers, have different rules for entitlement.

    ", + "

    Extra leave or pay

    ", + "

    Employees can get more leave or pay if:

    ", + "
  • their partner returns to work and they qualify for Shared Parental Leave and Pay
  • ", + "
  • your company scheme offers more
  • ", + "

    You must make sure your paternity leave and pay policies are clear and easily accessible to staff.

    ", + "

    Leave for antenatal appointments

    ", + "

    Employees can take unpaid leave to accompany a pregnant woman to antenatal appointments if they are:

    ", + "
  • the baby\u2019s father
  • ", + "
  • the expectant mother\u2019s spouse or civil partner
  • ", + "
  • in a long term relationship with the expectant mother
  • ", + "
  • the intended parent (if they\u2019re having a baby through a surrogacy arrangement)
  • ", + "

    They can accompany the woman to 2 appointments of up to 6 and a half hours each.

    ", + "

    If the baby dies

    ", + "

    Employees still qualify for paternity leave and pay if the baby is either:

    ", + "
  • stillborn from 24 weeks of pregnancy
  • ", + "
  • born alive at any point in the pregnancy but later dies
  • ", + "

    Employment rights

    ", + "

    An employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during paternity leave. You still have to pay Statutory Paternity Pay even if you stop trading.

    ", + "

    Eligibility

    ", + "

    Employees must be one of the following, the:

    ", + "
  • father
  • ", + "
  • husband or partner of the mother (or adopter)
  • ", + "
  • child\u2019s adopter
  • ", + "
  • intended parent (if they\u2019re having a baby through a surrogacy arrangement)
  • ", + "

    Employees must also:

    ", + "
  • be classed as an employee (paternity leave only)
  • ", + "
  • be employed by you up to the date the child is born (or placed with the adopter) (paternity pay only)
  • ", + "
  • be on your payroll and earn at least \u00a3120 a week (gross) in an 8 week \u2018relevant period\u2019 (paternity pay only)
  • ", + "
  • give you the correct notice
  • ", + "
  • be taking time off to look after the child or their partner
  • ", + "
  • be responsible for the child\u2019s upbringing
  • ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • ", + "

    If your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    The qualifying week is the 15th week before the baby is due. This is different if the employee is adopting.

    ", + "

    Use the paternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and paternity pay.

    ", + "

    There are special rules for some employee situations, for example if they leave or become sick.

    ", + "

    If the child is born early

    ", + "

    If the child is born early, the employee is still eligible if they would have worked for you continuously for at least 26 weeks by the qualifying week.

    ", + "

    For very premature births where the child is born 15 weeks before the due date, you\u2019ll need to calculate paternity pay using your payroll software (if it has this feature) or work it out manually.

    ", + "

    Employees in surrogacy arrangements

    ", + "

    Parents intending to have a child through a surrogacy arrangement may be eligible for Statutory Paternity Pay and Leave.

    ", + "

    If you ask, they must give you a written statement to confirm that they\u2019ve applied or intend to apply for a parental order in the 6 months after the baby\u2019s birth.

    ", + "

    Employees cannot get Statutory Paternity Pay and Leave if they\u2019ve taken Shared Parental Leave.

    ", + "

    Notice period

    ", + "

    The notice periods and forms are different if the employee is adopting.

    ", + "

    Statutory Paternity Leave

    ", + "

    Employees must tell you at least 15 weeks before the week the baby is expected:

    ", + "
  • the baby\u2019s due date
  • ", + "
  • when they want their leave to start - they can change this with 28 days\u2019 notice
  • ", + "
  • how much leave they want
  • ", + "

    Notice does not have to be in writing unless you request it. Employees can use form SC3 to ask for leave and pay.

    ", + "

    Statutory Paternity Pay

    ", + "

    Employees must request paternity pay at least 15 weeks before the week the baby is expected using form SC3 (or your own version). Take a copy and give the original back to the employee.

    ", + "

    Employees having a baby through a surrogacy arrangement must use form SC4 to request leave and pay.

    ", + "

    Late notice

    ", + "

    You can delay the leave or pay start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.

    ", + "

    Adoption

    ", + "

    Eligible employees are entitled to paternity leave and pay if they\u2019re adopting a child.

    ", + "

    Calculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator. For overseas adoptions you\u2019ll need to use your payroll software (if it has this feature) or work it out manually.

    ", + "

    Eligibility

    ", + "

    An employee adopting a child must:

    ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child (UK adoptions)
  • ", + "
  • have been continuously employed by you for at least 26 weeks by either the date the child arrives in the UK or when they want their pay to start (overseas adoptions)
  • ", + "
  • confirm that their partner is getting Statutory Adoption Pay in writing or by giving you a copy of their partner\u2019s form SC6
  • ", + "
  • meet the other eligibility conditions for paternity leave or pay
  • ", + "

    Notice period

    ", + "

    An employee adopting a child must send you form SC4 for:

    ", + "
  • leave - no later than 7 days of their co-adopter or partner being matched with a child
  • ", + "
  • pay - 28 days before they want their pay to start
  • ", + "

    For overseas adoptions the form and notice period is different. The process is explained on form SC5.

    ", + "

    Leave start date

    ", + "

    An employee taking paternity leave because they\u2019re adopting can start their leave:

    ", + "
  • on the date of placement
  • ", + "
  • an agreed number of days after the date of placement
  • ", + "
  • on the date the child arrives in the UK or an agreed number of days after this (overseas adoptions)
  • ", + "

    For overseas adoptions leave must be taken within 56 days of the date of placement or the child\u2019s arrival in the UK.

    ", + "

    Proof of adoption

    ", + "

    Employees must give you proof of adoption to qualify for paternity pay. Proof is not needed for paternity leave unless you request it. Proof can be a letter from their adoption agency or their matching certificate.

    ", + "

    You must keep records of the proof.

    ", + "

    Refuse pay form SPP1

    ", + "

    You can refuse Statutory Paternity Pay if the employee does not qualify. To do this send them form SPP1 within 28 days of their pay request. You must keep a copy.

    ", + "

    The employee can ask you for a written statement explaining your decision. You have to give this to them within a reasonable time, for example 7 working days.

    ", + "

    Record keeping

    ", + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • the date Statutory Paternity Pay started
  • ", + "
  • the paternity payments you\u2019ve made (including dates)
  • ", + "
  • the payments you\u2019ve reclaimed
  • ", + "
  • any weeks you did not pay and why
  • ", + "
  • if adopting, a letter from the adoption agency or a matching certificate
  • ", + "

    You must keep records for 3 years from the end of the tax year they relate to (for example by using form SPP2 or keeping your own records).

    ", + "

    Help with statutory pay

    ", + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments (usually 92%)
  • ", + "
  • apply for an advance if you cannot afford payments
  • " + ] + }, + { + "title": "Statutory Sick Pay (SSP): employer guide", + "url": "https://www.gov.uk/employers-sick-pay", + "contents": [ + "

    Overview

    ", + "

    Your employees may be eligible for Statutory Sick Pay (SSP), which is \u00a396.35 a week for up to 28 weeks.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You can offer more if you have a company sick pay scheme (you cannot offer less). Company schemes are also called \u2018contractual\u2019 or \u2018occupational\u2019 sick pay and must be included in an employment contract.

    ", + "

    There\u2019s a separate guide to Statutory Sick Pay if you\u2019re an employee.

    ", + "

    If your employee is off work because of coronavirus (COVID-19)

    ", + "

    You must pay an employee SSP if they\u2019re self-isolating and off work for at least 4 days and any of the following apply:

    ", + "
  • they or someone they live with has COVID-19 symptoms or has tested positive for COVID-19
  • ", + "
  • they\u2019ve been notified by the NHS or public health authorities that they\u2019ve been in contact with someone with COVID-19
  • ", + "
  • someone in their support bubble (or your \u2018extended household\u2019 if you live in Scotland or Wales) has COVID-19 symptoms or has tested positive for COVID-19
  • ", + "
  • they\u2019ve been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery
  • ", + "

    You must pay your employee from the first \u2018qualifying day\u2019 they\u2019re off work. The date will depend on why they\u2019re off work.

    ", + "

    You must pay them on or after one of the following dates:

    ", + "
  • 13 March 2020 - if they or someone they live with has symptoms or has tested positive for COVID-19
  • ", + "
  • 28 May 2020 - if your employee has been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19
  • ", + "
  • 6 July 2020 - if someone in their support bubble (or extended household in Scotland or Wales) has symptoms or has tested positive for COVID-19
  • ", + "
  • 26 August 2020 - if your employee has been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery
  • ", + "

    A \u2018qualifying day\u2019 is a day an employee usually works on.

    ", + "

    Reclaiming SSP

    ", + "

    You can reclaim up to 2 weeks\u2019 SSP if all of the following apply:

    ", + "
  • your employee was off work because they had COVID-19 or were self-isolating
  • ", + "
  • your employee was off work because they were shielding - before 26 April 2021 in Scotland, before 12 April 2021 in Northern Ireland and before 1 April 2021 in England and Wales
  • ", + "
  • your PAYE payroll scheme started on or before 28 February 2020
  • ", + "
  • you had fewer than 250 employees on 28 February 2020
  • ", + "

    You can reclaim up to \u00a396.35 a week for each employee.

    ", + "

    You cannot reclaim SSP if your employee is off sick for any other reason.

    ", + "

    Find out what other support you can get if your business is affected by COVID-19.

    ", + "

    Holiday (or \u2018annual leave\u2019)

    ", + "

    Statutory annual leave is accrued while the employee is off work sick (no matter how long they\u2019re off) and can be taken during sick leave.

    ", + "

    Entitlement

    ", + "

    The weekly rate for Statutory Sick Pay (SSP) is \u00a396.35 for up to 28 weeks. It is paid:

    ", + "
  • for the days an employee normally works - called \u2018qualifying days\u2019
  • ", + "
  • in the same way as wages, for example on the normal payday, deducting tax and National insurance
  • ", + "

    Use the SSP calculator to work out the actual amount, for example for a daily rate.

    ", + "

    Some employment types like agency workers, directors and educational workers have different rules for entitlement. You may still have to pay SSP even if you stop trading.

    ", + "

    You cannot force your employees to take annual leave when they\u2019re eligible for sick leave.

    ", + "

    When to start paying SSP

    ", + "

    SSP is paid when the employee is sick for at least 4 days in a row (including non-working days).

    ", + "

    You cannot count a day as a sick day if an employee has worked for a minute or more before they go home sick.

    ", + "

    If an employee works a shift that ends the day after it started and becomes sick during the shift or after it has finished, the second day will count as a sick day.

    ", + "

    If your employee is off sick or self-isolating because of coronavirus (COVID-19) or has tested positive for COVID-19

    ", + "

    From 13 March 2020 you start paying SSP from the first \u2018qualifying day\u2019 an employee is off work, as long as they are off for at least 4 days in a row. This includes non-working days.

    ", + "

    If an employee was off sick with COVID-19 symptoms before 13 March, you start paying SSP from the fourth qualifying day.

    ", + "

    If an employee was self-isolating before 13 March because someone they live with had symptoms, you start paying SSP from 13 March.

    ", + "

    If an employee is self-isolating because they\u2019ve been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19, you start paying SSP from 28 May.

    ", + "

    If an employee was self-isolating before 6 July because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19, you start paying SSP from 6 July.

    ", + "

    If an employee is self-isolating because they\u2019ve been advised to do so by a doctor or healthcare professional before going into hospital for surgery, you start paying SSP from 26 August.

    ", + "

    When to stop paying SSP

    ", + "

    SSP stops when the employee comes back to work or no longer qualifies.

    ", + "

    Record keeping

    ", + "

    You\u2019ll need to keep records of SSP you\u2019ve paid to an employee who was off work because of COVID-19 if you want to reclaim it.

    ", + "

    You\u2019ll need to keep the following records for 3 years after the end of the tax year you paid SSP:

    ", + "
  • the dates the employee was off sick
  • ", + "
  • which of those dates were qualifying days
  • ", + "
  • the reason they said they were off work
  • ", + "
  • the employee\u2019s National Insurance number
  • ", + "

    You do not need to keep records of SSP paid to employees who are off sick for another reason.

    ", + "

    You can choose how you keep records of your employees\u2019 sickness absence. HMRC may need to see these records if there\u2019s a dispute over payment of SSP.

    ", + "

    Eligibility and form SSP1

    ", + "

    To qualify for Statutory Sick Pay (SSP) employees must:

    ", + "
  • have an employment contract
  • ", + "
  • have done some work under their contract
  • ", + "
  • have been sick for 4 or more days in a row (including non-working days) - known as a \u2018period of incapacity for work\u2019
  • ", + "
  • earn an average of at least \u00a3120 per week
  • ", + "
  • give you the correct notice
  • ", + "
  • give you proof of their illness, only after 7 days off
  • ", + "

    Employees who have been paid less than 8 weeks of earnings still qualify for SSP. Use the sick pay calculator to work out how much to pay them.

    ", + "

    An employee\u2019s period of incapacity for work is not interrupted if they take annual leave during that time.

    ", + "

    Employees can qualify for sick pay from more than one job.

    ", + "

    They could also qualify in one job but be fit for work in another, for example if one job is physical work that they cannot do while ill but the other is office-based.

    ", + "

    Coronavirus (COVID-19) eligibility

    ", + "

    Your employees qualify for SSP if they meet the criteria and cannot work if any of the following apply:

    ", + "
  • were self-isolating on or after 13 March 2020 because they or someone they live with had COVID-19 or symptoms of COVID-19
  • ", + "
  • started self-isolating on or after 28 May 2020 because they were notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19
  • ", + "
  • were self-isolating on or after 6 July 2020 because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19
  • ", + "
  • have tested positive for COVID-19 since 5 August 2020
  • ", + "
  • were self-isolating on or after 26 August because they had been advised to do so by a doctor or healthcare professional before going into hospital for surgery
  • ", + "

    Employees will not qualify for SSP if they are self-isolating after entering or returning to the UK, and do not need to self-isolate for any other reason.

    ", + "

    Exceptions

    ", + "

    Employees do not qualify for SSP if they:

    ", + "
  • have received the maximum amount of SSP (28 weeks)
  • ", + "
  • are getting Statutory Maternity Pay or Maternity Allowance - there are special rules for pregnant women and new mothers who do not get these payments
  • ", + "
  • are off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that their baby is due
  • ", + "
  • were in custody or on strike on the first day of sickness (including any linked periods)
  • ", + "
  • are working outside the EU and you\u2019re not liable for their National Insurance contributions
  • ", + "
  • received Employment and Support Allowance within 12 weeks of starting or returning to work for you
  • ", + "

    Use the SSP calculator to check eligibility.

    ", + "

    Linked periods of sickness

    ", + "

    If your employee has regular periods of sickness, they may count as \u2018linked\u2019. To be linked, the periods must:

    ", + "
  • last 4 or more days each
  • ", + "
  • be 8 weeks or less apart
  • ", + "

    Your employee is no longer eligible for SSP if they have a continuous series of linked periods that lasts more than 3 years.

    ", + "

    If an employee is not eligible or their SSP ends

    ", + "

    Employees may be able to apply for Universal Credit or Employment and Support Allowance (ESA). They use form SSP1 to support their application.

    ", + "

    If your employee\u2019s SSP is ending you must send them form SSP1 either:

    ", + "
  • within 7 days of their SSP ending, if it ends unexpectedly while they\u2019re still sick
  • ", + "
  • on or before the beginning of the 23rd week, if their SSP is expected to end before their sickness does
  • ", + "

    If your employee does not qualify for SSP you must send them form SSP1 within 7 days of them going off sick.

    ", + "

    If your employee thinks this is unfair, they can appeal to HMRC - the form tells them how to do this.

    ", + "

    Long-term illness

    ", + "

    You can complete form SSP1 before the end of SSP if you know an employee will be off sick for more than 28 weeks. This means they can apply for ESA before their SSP comes to an end.

    ", + "

    Notice and fit notes

    ", + "

    Notice

    ", + "

    The employee should tell you they\u2019re sick within the time limit set by you, or 7 days if you do not have one. You cannot:

    ", + "
  • insist they tell you in person or on a special form
  • ", + "
  • ask them for proof of their sickness until they have been off for 7 days (including non-working days)
  • ", + "

    You do not have to pay Statutory Sick Pay (SSP) for any days the employee was late in telling you (unless there\u2019s a good reason for the delay).

    ", + "

    If an employee was shielding because of coronavirus (COVID-19)

    ", + "

    Shielding has stopped in the UK.

    ", + "

    An employee can no longer apply for a new shielding note or a replacement shielding note.

    ", + "

    Fit notes and asking for proof

    ", + "

    After 7 days off sick (including non-working days) you can ask the employee for proof of their sickness. This could be:

    ", + "
  • an isolation note from NHS 111 - if they are self-isolating and cannot work because of COVID-19
  • ", + "
  • the notification from the NHS or public health authorities if they are self-isolating because they\u2019ve come into contact with someone with COVID-19
  • ", + "
  • a letter or shielding note that they got from their doctor or health authority, or the government, advising them to shield
  • ", + "
  • a letter from their doctor or healthcare professional confirming the date of their procedure if they\u2019ve been advised to self-isolate before going into hospital for surgery
  • ", + "
  • a fit note from their doctor or a hospital (sometimes called a sick note) - if they have any other illness
  • ", + "

    If you agree, they can give you a report from a physiotherapist, podiatrist or occupational therapist, (called an Allied Health Professional (AHP) Health and Work report).

    ", + "

    You cannot withhold SSP if the employee is late sending you a fit note or isolation note.

    ", + "

    If your employee is off sick frequently or for a long time, HMRC has information about getting medical advice.

    ", + "

    Help with sick pay

    ", + "

    Reclaiming Statutory Sick Pay

    ", + "

    You may be able to reclaim Statutory Sick Pay (SSP) if your employee is off work because of coronavirus (COVID-19).

    ", + "

    If you\u2019re insolvent

    ", + "

    HMRC will pay SSP for any employee who continues to work for you if they were sick when you became insolvent. Tell your employee to contact the Statutory Payment Disputes Team.

    ", + "

    If their sickness continues and you terminate their contract, give them a completed SSP1 form so they can claim Employment and Support Allowance instead.

    " + ] + }, + { + "title": "Time off for family and dependants", + "url": "https://www.gov.uk/time-off-for-dependants", + "contents": [ + "

    Your rights

    ", + "

    As an employee you\u2019re allowed time off to deal with an emergency involving a dependant.

    ", + "

    A dependant could be a spouse, partner, child, grandchild, parent, or someone who depends on you for care.

    ", + "

    How much you get

    ", + "

    You\u2019re allowed a reasonable amount of time off to deal with the emergency, but there\u2019s no set amount of time as it depends on the situation.

    ", + "

    Tell your employer as soon as possible how much time you\u2019ll need so it can be agreed.

    ", + "

    Limits on time off

    ", + "

    There are no limits on how many times you can take time off for dependants. Your employer may want to talk to you if they think time off is affecting your work.

    ", + "

    Pay

    ", + "

    Your employer may pay you for time off to look after dependants but they don\u2019t have to. Check your contract, company handbook or intranet site to see if there are rules about this.

    ", + "

    Exceptions

    ", + "

    You can\u2019t have time off if you knew about a situation beforehand. For example you wouldn\u2019t be covered if you wanted to take your child to hospital for an appointment. You might get parental leave instead.

    ", + "

    Check your employment status to see if you\u2019re classed as an \u2018employee\u2019.

    ", + "

    Compassionate leave

    ", + "

    If you aren\u2019t given time off for dependants, your employer may allow you \u2018compassionate leave\u2019 - this can be paid or unpaid leave for emergency situations. Check your employment contract, company handbook or intranet for details about compassionate leave.

    ", + "

    What's an emergency?

    ", + "

    You could get time off when a dependant is involved in the following emergencies.

    ", + "

    Illness, injury or assault

    ", + "

    This includes mental or physical illnesses that don\u2019t have to be life-threatening or need full-time care - it could be an existing condition that has worsened.

    ", + "

    For example, if a dependant is mugged without being physically hurt, you could take time off to comfort or help them.

    ", + "

    You can also take time off to arrange longer term care for a dependant.

    ", + "

    Having a baby

    ", + "

    You could take time off if a dependant goes into labour unexpectedly and they rely on you to take them to the hospital. You can\u2019t take time off for dependants after the birth to care for the child, unless it\u2019s an emergency. However, if you\u2019re the child\u2019s parent you could be entitled to paternity or parental leave.

    ", + "

    Disruption of care arrangements

    ", + "

    You could get time off if:

    ", + "
  • a child minder or carer doesn\u2019t turn up to look after a dependant
  • ", + "
  • a nursing home or nursery closes unexpectedly
  • ", + "

    If your child is involved in an incident during school time

    ", + "

    You could get time off if your child has been:

    ", + "
  • involved in a fight
  • ", + "
  • injured on a school trip
  • ", + "
  • suspended from school
  • ", + "

    Taking time off

    ", + "

    Tell your employer as soon as possible if you need time off. If it\u2019s an emergency, you may not be able to do this before you leave work but you should let your employer know as soon as possible.

    ", + "

    You don\u2019t have to do this in writing or give written proof.

    ", + "

    Problems when you take time off

    ", + "

    Your employer musn\u2019t:

    ", + "
  • treat you unfairly for taking time off, for example refusing you training or promotion
  • ", + "
  • dismiss you or choose you for redundancy because you asked for time off for a dependant
  • ", + "
  • refuse you reasonable time off
  • ", + "

    If you think you\u2019ve been unfairly treated for taking time off for dependants, get advice from your staff or trade union representative or Acas.

    ", + "

    You may be able to take a case to an Employment Tribunal.

    " + ] + }, + { + "title": "Training and study at work: your rights", + "url": "https://www.gov.uk/training-study-work-your-rights", + "contents": [ + "

    Who can and can't ask for time off to train

    ", + "

    Staff may have the right to ask for time off work for training or study.

    ", + "

    To ask for training or study:

    ", + "
  • staff must be classed as an employee
  • ", + "
  • they must have worked for their employer for at least 26 weeks
  • ", + "
  • training must help staff do their job better
  • ", + "
  • at least 250 people must work in the organisation
  • ", + "

    Time off is usually unpaid unless the employer agrees to pay it.

    ", + "

    Check someone\u2019s employment status.

    ", + "

    Who can\u2019t ask for time off to train

    ", + "

    Staff can\u2019t ask for time off for training or study if they\u2019re:

    ", + "
  • an agency worker
  • ", + "
  • in the armed forces
  • ", + "
  • of compulsory school age (\u2018school age\u2019 in Scotland)
  • ", + "
  • a young person who\u2019s already got the right to take paid time off for study or training
  • ", + "
  • aged 16 to 18 and already expected to take part in education or training
  • ", + "

    Asking for time off

    ", + "

    Employees should follow their organisation\u2019s rules to ask for time off. If there aren\u2019t any they can write to their employer saying it\u2019s a request \u2018under Section 63D of the Employment Rights Act 1996\u2019 with the following details:

    ", + "
  • the date
  • ", + "
  • the subject matter of the study or training
  • ", + "
  • where and when it would take place
  • ", + "
  • who\u2019ll be providing the training
  • ", + "
  • the name of the qualification they could get - if any
  • ", + "
  • why they think this study or training will help them do their job better and help their employer\u2019s business
  • ", + "
  • if they\u2019ve made a request before and when
  • ", + "

    An employer doesn\u2019t have to consider the request if all this information isn\u2019t included.

    ", + "

    Employees can only make 1 request a year.

    ", + "

    If the employee changes their mind

    ", + "

    The employee must tell their employer if they:

    ", + "
  • don\u2019t start the agreed training or study
  • ", + "
  • don\u2019t finish the training or study
  • ", + "
  • do a different course or plan to do a different course from the one agreed
  • ", + "

    Employer's decision and responsibilities

    ", + "

    The employer has 28 days to:

    ", + "
  • accept the request
  • ", + "
  • hold a meeting with the employee to discuss it
  • ", + "

    This might be longer if the person who deals with these requests is off when the request is sent in.

    ", + "

    The employee can take a trade union representative or colleague to the meeting. They can ask for the meeting to be postponed if this person can\u2019t make it.

    ", + "

    If the employer decides to hold a meeting about it they must make a decision within 14 days of it, unless the employee agrees in writing to extend this time.

    ", + "

    Turning down the request

    ", + "

    The employer can only turn down a request if:

    ", + "
  • the training wouldn\u2019t benefit their business
  • ", + "
  • they would run up extra costs for the business
  • ", + "
  • they wouldn\u2019t be able to meet customer demands
  • ", + "
  • they can\u2019t re-organise the work among other members of staff
  • ", + "
  • they can\u2019t recruit extra staff
  • ", + "
  • it would damage quality and business performance
  • ", + "
  • there wouldn\u2019t be enough work for the employee to do at the times they intend to work
  • ", + "
  • it conflicts with planned structural changes
  • ", + "

    Paying for the training

    ", + "

    The employer doesn\u2019t have to pay for the training or study. They can choose to pay all or part of the fees if they think it will benefit the business.

    ", + "

    Appealing the decision

    ", + "

    Employees have the right to appeal if their employer refuses a request to take time off for training or study.

    ", + "

    This must be made within 14 days of their employer\u2019s decision.

    ", + "

    The appeal must:

    ", + "
  • be in writing
  • ", + "
  • be dated
  • ", + "
  • set out why they\u2019re appealing - the grounds for the appeal
  • ", + "

    The appeal meeting

    ", + "

    The employer has to arrange a meeting with the employee to discuss the appeal within 14 days of getting the appeal.

    ", + "

    The employer must give their decision in writing within 14 days of the meeting.

    ", + "

    If the problem isn\u2019t resolved

    ", + "

    If an employee isn\u2019t satisfied with the result of an appeal they can phone Acas (Advisory, Conciliation and Arbitration Service) for help and advice or raise a grievance.

    ", + "

    If this doesn\u2019t work the employee could go to an employment tribunal if the employer:

    ", + "
  • didn\u2019t follow the procedure properly
  • ", + "
  • refused the request based on the wrong facts
  • ", + "

    Employment tribunal claims must be made within 3 months of an appeal decision.

    " + ] + }, + { + "title": "Ask your employer to set up a European Works Council", + "url": "https://www.gov.uk/apply-european-works-council", + "contents": [ + "

    Overview

    ", + "

    You can ask your employer to set up a European Works Council (EWC) if you work for a company with offices across the European Economic Area (EEA).

    ", + "

    An EWC is a forum where your company can:

    ", + "
  • tell you about plans and decisions at the same time as employees in other countries - this is known as being informed
  • ", + "
  • exchange views with you in the same way as employees in other countries - this is known as being consulted
  • ", + "

    An EWC only informs and consults on issues that affect more than one country where the business operates.

    ", + "

    Who can ask for a European Works Council

    ", + "

    You can ask your employer to set up an EWC if they have:

    ", + "
  • at least 1,000 employees in the EEA
  • ", + "
  • 150 employees in each of at least 2 countries in the EEA
  • ", + "

    You can write to your employer to find out information, for example how many employees it has or where it operates, to help you make your request.

    ", + "

    Your employer can also set up an EWC without waiting for a request.

    ", + "

    After you\u2019ve made your request

    ", + "

    Your employer will set up a special negotiating body (SNB) to negotiate an EWC agreement with central management of the business.

    ", + "

    You can complain about the way an EWC has been set up or run.

    ", + "

    Make a request

    ", + "

    Write to your employer to ask them to set up a European Works Council (EWC).

    ", + "

    It must be backed by at least 100 employees from at least 2 European Economic Area (EEA) sites.

    ", + "

    Send it to the central or local management of the business.

    ", + "

    Your employer can challenge your request for an EWC if:

    ", + "
  • they think the request is not valid, for example because the business does not employ enough people
  • ", + "
  • there\u2019s an existing information and consultation agreement
  • ", + "

    After you've made your request

    ", + "

    After your request for a European Works Council (EWC) is accepted, your employer must set up a special negotiating body (SNB). The SNB will discuss how the EWC will be set up and run with the central management. The time limit for negotiations is 3 years.

    ", + "

    The SNB must:

    ", + "
  • have at least one member from each of the countries where the business has a site
  • ", + "
  • be set up within 6 months from when the request for an EWC was accepted
  • ", + "

    If there\u2019s an agreement

    ", + "

    You\u2019ll get a written agreement for either:

    ", + "
  • an EWC
  • ", + "
  • one or more alternative information and consultation arrangements
  • ", + "

    If an agreement is not made

    ", + "

    The SNB can only end negotiations or decide not to open negotiations after a ballot has been held and a two-thirds majority reached. You\u2019ll have to wait 2 years to make a new application.

    ", + "

    Make a complaint

    ", + "

    Complain in writing to the Central Arbitration Committee (CAC) about the way a European Works Council (EWC) has been set up or run.

    ", + "

    Complaints about requests for information

    ", + "

    You can complain if your employer:

    ", + "
  • does not provide information about the size or structure of the company
  • ", + "
  • provides inaccurate information about the size or structure of the company
  • ", + "

    You must wait a month after making a formal request for an EWC before you can complain.

    ", + "

    Complaints about creating the Special Negotiating Body

    ", + "

    You can complain about incorrect ballot arrangements to create a special negotiating body (SNB).

    ", + "

    Complaints about creating the European Works Council

    ", + "

    You can complain that:

    ", + "
  • an EWC has not been set up even though there have been negotiations
  • ", + "
  • your employer has not followed the right procedure for running an EWC
  • ", + "

    How to complain

    ", + "

    Write to CAC and include the following information:

    ", + "
  • the name, job and full contact details of the person making a complaint and the person or business you\u2019re complaining about
  • ", + "
  • the right regulation number for the complaint you\u2019re making
  • ", + "
  • the reasons for your complaint
  • ", + "

    Send your complaint by email or by post to CAC.

    ", + "

    CAC will get in touch for more information as they need it.

    " + ] + }, + { + "title": "Being monitored at work: workers' rights", + "url": "https://www.gov.uk/monitoring-work-workers-rights", + "contents": [ + "

    Overview

    ", + "

    Employers might monitor workers. This could be done in various ways, like:

    ", + "
  • CCTV
  • ", + "
  • drug testing
  • ", + "
  • bag searches
  • ", + "
  • checking a worker\u2019s emails or the websites they look at
  • ", + "

    Data protection law covers any monitoring that involves taking data, images or drug testing.

    ", + "

    If workers are unhappy about being monitored, they can check their staff handbook or contract to see if the employer is allowed to do this.

    ", + "

    If they\u2019re not, the worker might be able to resign and claim unfair (\u2018constructive\u2019) dismissal. But this is a last resort - they should try to sort the problem out first - read the advice to help solve a workplace dispute.

    ", + "

    Searches

    ", + "

    Employers should have a written policy on searching. Searches should:

    ", + "
  • respect privacy
  • ", + "
  • be done by a member of the same sex
  • ", + "
  • be done with a witness present
  • ", + "

    If a search or drug test is badly handled, workers might have a claim for discrimination, assault or false imprisonment.

    ", + "

    For advice about work issues, talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.

    ", + "

    Drug testing

    ", + "

    Employers have to have consent if they want to test for drugs. Usually this is when they have a full contractual health and safety policy, which should be in the contract or staff handbook.

    ", + "

    Employers should:

    ", + "
  • limit testing to employees that need to be tested
  • ", + "
  • ensure the tests are random
  • ", + "
  • not single out particular employees for testing unless this is justified by the nature of their jobs
  • ", + "

    Workers can\u2019t be made to take a drugs test but if they refuse when the employer has good grounds for testing, they may face disciplinary action.

    ", + "

    Email, CCTV and other monitoring

    ", + "

    Employers must explain the amount of monitoring clearly in the staff handbook or contract. They should tell workers:

    ", + "
  • if they\u2019re being monitored
  • ", + "
  • what counts as a reasonable number of personal emails and phone calls
  • ", + "
  • if personal emails and calls are not allowed
  • ", + "

    Examples of monitoring could include:

    ", + "
  • looking at which websites workers have visited
  • ", + "
  • CCTV in the building
  • ", + "
  • checking workers\u2019 bags as they leave
  • ", + "

    Employers are not allowed to monitor workers everywhere (not in the toilet, for example). If they don\u2019t respect this they could be in breach of the Data Protection Act.

    ", + "

    Read the advice on workplace disputes or talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice for more advice. Workers can also contact their trade union representative.

    " + ] + }, + { + "title": "Derecognise a union", + "url": "https://www.gov.uk/derecognise-a-union", + "contents": [ + "

    Overview

    ", + "

    Trade unions can be recognised to represent groups of employees in a company in negotiations over pay, holidays and working conditions through either:

    ", + "
  • a voluntary agreement with the employer
  • ", + "
  • a declaration by the Central Arbitration Committee (CAC).
  • ", + "

    Three years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.

    ", + "

    If the application is successful, the union will cease to represent the workforce in negotiations with the employer.

    ", + "

    When employers can apply

    ", + "

    Where recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:

    ", + "
  • the number of people employed by the company has fallen to less than 21
  • ", + "
  • workers in the bargaining unit no longer support the union
  • ", + "
  • the number of union members in the bargaining unit has fallen to below 50%
  • ", + "

    When workers can apply

    ", + "

    You can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.

    ", + "

    You can apply to have a non-independent union derecognised if the majority of workers do not support it.

    ", + "

    Employers: reduced workforce

    ", + "

    As an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:

    ", + "
  • you\u2019ve employed less than 21 people for a continuous 13-week period
  • ", + "
  • it is more than 3 years since recognition was declared by the CAC
  • ", + "

    You must give written notice to the union asking for the union to be derecognised. Notice must be given within 5 days of the end of the relevant 13-week period.

    ", + "

    Your letter must include the following details:

    ", + "
  • the specific 13-week period during which you had less than 21 workers
  • ", + "
  • the number of workers you employed in that time
  • ", + "
  • the current bargaining arrangements
  • ", + "
  • the date you want the arrangements to end - this must be at least 35 working days after the request was made
  • ", + "

    You must give a copy of the letter to the CAC. The CAC will tell you within 10 days if the notice you gave the union was valid.

    ", + "

    Your notice is valid

    ", + "

    The union will be derecognised and you won\u2019t have to negotiate with them anymore, unless they make an application to the CAC because they believe that:

    ", + "
  • the 13-week period was within 3 years of them gaining recognition
  • ", + "
  • your company employed 21 or more workers during that time
  • ", + "

    Your notice isn\u2019t valid

    ", + "

    You must continue with the current collective bargaining arrangements.

    ", + "

    Employers: union loses support

    ", + "

    You can try to get a union derecognised if the workers in the bargaining unit no longer support it and don\u2019t want it to negotiate on their behalf.

    ", + "

    Ask the union to voluntarily derecognise

    ", + "

    You must send a written request to the union, stating:

    ", + "
  • that you wish to end the bargaining arrangements because you believe that the union no longer has the support of the workers
  • ", + "
  • what the current arrangements are
  • ", + "
  • that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992
  • ", + "

    The union has 10 working days to respond to your request.

    ", + "

    You can end the bargaining arrangements and derecognise the union if they accept your request.

    ", + "

    The union agrees to negotiate

    ", + "

    If they reject your request but agree to negotiate, you\u2019ll have another 20 working days to come to an agreement about derecognition.

    ", + "

    Within this period, either side can ask the Advisory, Conciliation and Arbitration Service (Acas) to help with negotiations. You may extend this period if the union agrees.

    ", + "

    The union doesn\u2019t respond or rejects your request

    ", + "

    You can apply to the Central Arbitration Committee (CAC) to hold a secret ballot of workers to see if they support derecognition.

    ", + "

    You can only apply if both of these are true:

    ", + "
  • the union has been recognised for longer than 3 years
  • ", + "
  • there haven\u2019t been any applications to CAC for derecognition in the previous 3 years
  • ", + "

    Provide evidence (eg letters supporting your application, workplace surveys) for both of the following:

    ", + "
  • at least 10% of the workers in the bargaining unit want the union to be derecognised
  • ", + "
  • a majority of workers in the bargaining unit are likely vote for derecognition
  • ", + "

    Send the completed form and your supporting documents to CAC. Send a copy to the union.

    ", + "

    What happens next

    ", + "

    CAC has 10 working days to consider your application.

    ", + "

    You may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.

    ", + "

    The CAC will arrange a secret ballot of workers if your application is successful.

    ", + "

    You\u2019ll have to continue negotiating with the union if your application fails.

    ", + "

    Employers: union membership is less than 50%

    ", + "

    If the Central Arbitration Committee (CAC) declared recognition without a ballot more than 3 years ago, a union can be derecognised if the level of union membership in the bargaining unit falls below 50%.

    ", + "

    Apply to the CAC to hold a secret ballot of employees on whether collective bargaining should be ended.

    ", + "

    You can only apply if:

    ", + "
  • the CAC declared recognition without a ballot more than 3 years ago
  • ", + "
  • there haven\u2019t been any applications to CAC for derecognition in the previous 3 years
  • ", + "

    Ask the union to voluntarily derecognise

    ", + "

    You must send a written request to the unions, stating:

    ", + "
  • that fewer than 50% of the workers in the bargaining unit are union members
  • ", + "
  • what the current bargaining arrangements are, eg how many workers are in the bargaining unit, where they work
  • ", + "
  • that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992
  • ", + "

    The union has 10 working days to respond to your request.

    ", + "

    You can end the bargaining arrangements and derecognise the union if they accept your request.

    ", + "

    The union rejects your request but is willing to negotiate

    ", + "

    You have 10 days to negotiate an agreement about derecognition. You can extend this period if the union agrees.

    ", + "

    The union doesn\u2019t respond or rejects your request

    ", + "

    Apply to CAC to hold a secret ballot of workers to see if they support derecognition.

    ", + "

    You can\u2019t apply if there have been any applications to CAC for an end to bargaining arrangements in the previous 3 years.

    ", + "

    Provide evidence (eg letters supporting your application, workplace surveys) that less than 50% of the bargaining unit are union members.

    ", + "

    Send the completed form and your supporting documents to CAC. You must send copies of the form and evidence to the union.

    ", + "

    What happens next

    ", + "

    CAC has 10 working days to consider your application.

    ", + "

    You may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.

    ", + "

    The CAC will arrange for a secret ballot of the workers to be held if your application is successful.

    ", + "

    You will have to continue negotiating with the union if your application fails.

    ", + "

    Workers: union loses support

    ", + "

    You can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.

    ", + "

    You can only apply if both of these are true:

    ", + "
  • the union has been recognised for longer than 3 years
  • ", + "
  • there haven\u2019t been any applications to CAC for derecognition in the previous 3 years
  • ", + "

    Provide evidence (eg letters supporting your application, workplace surveys) for both of the following:

    ", + "
  • at least 10% of the workers in the bargaining unit want the union to be derecognised
  • ", + "
  • a majority of workers in the bargaining unit are likely vote for derecognition
  • ", + "

    Send the completed form and your evidence to both the union and the CAC.

    ", + "

    What happens next

    ", + "

    CAC has 10 working days to consider your application.

    ", + "

    You may be asked to attend a hearing if CAC needs information to support your application, eg evidence of levels of union support.

    ", + "

    Your application will either be:

    ", + "
  • rejected and the union will continue to represent the bargaining unit
  • ", + "
  • accepted and you\u2019ll enter a negotiation period of 20 working days
  • ", + "

    Taking part in negotiations

    ", + "

    CAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.

    ", + "

    The outcome of the negotiations will be one of the following:

    ", + "
  • you withdraw your application and the union continues to represent the bargaining unit
  • ", + "
  • the union agrees to end the arrangements and is derecognised
  • ", + "
  • no agreement is reached and CAC arranges a secret ballot
  • ", + "

    Workers: derecognise a non-independent union

    ", + "

    An employee or group of workers can apply to the Central Arbitration Committee (CAC) to derecognise a non-independent union that the employer recognised voluntarily.

    ", + "

    A non-independent union represents employees but has not been given a certificate of independence by the Certification Officer. You can check this on the Certification Officer\u2019s website.

    ", + "

    You can apply any time after the union has been recognised by the employer.

    ", + "

    Apply for a secret ballot

    ", + "

    Apply to CAC to hold a secret ballot of workers to find out if they want the union derecognsied.

    ", + "

    The form must be completed and signed by an employee in the bargaining unit.

    ", + "

    Provide evidence (eg letters supporting your application, workplace surveys) for both of the following:

    ", + "
  • at least 10% of the workers in the bargaining unit want the union to be derecognised
  • ", + "
  • a majority of employees in the bargaining are likely to favour an end to the bargaining arrangements
  • ", + "

    Send the completed form plus your documents to CAC. Send a signed copy of the form and evidence to the union and your employer.

    ", + "

    What happens next

    ", + "

    CAC has 10 working days to consider your application.

    ", + "

    You may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.

    ", + "

    Your application will either be:

    ", + "
  • rejected and the union will continue to represent the bargaining unit
  • ", + "
  • accepted and you\u2019ll enter a negotiation period of 20 working days
  • ", + "

    Taking part in negotiations

    ", + "

    CAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.

    ", + "

    The outcome of the negotiations will be one of the following:

    ", + "
  • you withdraw your application and the union continues to represent the bargaining unit
  • ", + "
  • the union agrees to end the arrangements and is derecognised
  • ", + "
  • no agreement is reached and CAC arranges a secret ballot
  • ", + "

    Holding a derecognition ballot

    ", + "

    When employers, workers and the union have tried to reach agreement about derecognition but failed, the Central Arbitration Committee (CAC) will hold a secret ballot.

    ", + "

    CAC will write to everyone involved, saying that they intend to hold a ballot to allow workers in the bargaining unit to vote on derecognition.

    ", + "

    How the ballot works

    ", + "

    CAC will appoint a qualified independent person (QIP) who will aim to conduct the ballot within 20 working days of their appointment. The CAC may extend this period if necessary.

    ", + "

    The QIP will provide an estimate for the cost of running the ballot. The arrangements for the ballot will be decided by the CAC after consulting the employer and the union.

    ", + "

    The final cost of the ballot will be split equally between the employer and the union.

    ", + "

    The employer and the union must follow the Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition.

    ", + "

    Complain when someone doesn\u2019t co-operate

    ", + "

    Complain to CAC any time before the ballot is held if you feel someone isn\u2019t co-operating.

    ", + "

    The union can complain to the CAC if the employer is not fulfilling their duties during the ballot.

    ", + "

    CAC will investigate and can issue a \u2018remedial order\u2019 demanding that all duties are carried out properly.

    ", + "

    If that order is ignored CAC can cancel the ballot or declare that the union be derecognised.

    ", + "

    Complain about unfair practices

    ", + "

    Complain to the Central Arbitration Committee (CAC) if you feel that another party is using unfair practices to influence the ballot, eg bribery or threats.

    ", + "

    To make a complaint fill in the unfair practices application form and send it to CAC. The address is on the form.

    ", + "

    Complaints can be made at any time up to the end of day after the ballot closes.

    ", + "

    Where CAC finds that unfair practices were used they may:

    ", + "
  • reschedule the ballot
  • ", + "
  • cancel the ballot and declare that the union is derecognised
  • ", + "
  • cancel the ballot and refuse the application for derecognition
  • ", + "

    The Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.

    ", + "

    After the ballot

    ", + "

    You\u2019ll usually find out the result of the vote 48 hours after the ballot closes.

    ", + "

    For a union to be derecognised the majority of those voting, and at least 40% of the workers in the bargaining unit, must vote in favour of ending the bargaining arrangements.

    ", + "

    The Central Arbitration Committee (CAC) will declare the union as derecognised or will refuse the application for derecognition.

    ", + "

    Paying for the ballot

    ", + "

    The employer and the union will each receive a demand from the qualified independent person (QIP) for their share of the cost of running the ballot.

    ", + "

    This must be paid in 15 days. If either party wishes to dispute the amount they can appeal to an employment tribunal.

    ", + "

    What you must do

    ", + "

    As an employer, you no longer have to work with a union that\u2019s been derecognised.

    ", + "

    You must continue to work with a union if the CAC have refused the application for derecognition. You cannot reapply for the union to be derecognised for 3 years.

    " + ] + }, + { + "title": "Employers: recognise a trade union", + "url": "https://www.gov.uk/trade-union-recognition-employers", + "contents": [ + "

    Overview

    ", + "

    As an employer you may need to work with trade unions that represent groups of your employees, sometimes known as bargaining units.

    ", + "

    Trade unions will negotiate with you on working conditions, for example pay and holiday. You need to recognise the trade union before they can negotiate with you.

    ", + "

    How a trade union gets recognition

    ", + "
  • The union must ask you to recognise them voluntarily - if you agree to the request then the union is recognised.
  • ", + "
  • If you do not want to recognise the union and have more than 21 employees, they can apply for statutory recognition from the Central Arbitration Committee (CAC).
  • ", + "

    When the union requests recognition

    ", + "

    The union must ask you - the employer - in writing if you\u2019ll agree to recognise them voluntarily.

    ", + "

    The written request must:

    ", + "
  • give the name of the union
  • ", + "
  • identify which employees will be represented by the union when it\u2019s recognised, sometimes known as the bargaining unit
  • ", + "
  • state that the union is making the request under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992
  • ", + "

    Respond to the request

    ", + "

    You have 10 working days to respond to the request.

    ", + "

    You can:

    ", + "
  • agree to recognise the union voluntarily - and begin collective bargaining
  • ", + "
  • reject the request - the union may then apply for statutory recognition
  • ", + "
  • refuse the initial request but agree to negotiate
  • ", + "

    Negotiate with the union

    ", + "

    You have 20 working days, or longer if you agree this with the union, to come to an agreement about:

    ", + "
  • which employees are in the bargaining unit
  • ", + "
  • whether the union should be recognised for collective bargaining
  • ", + "

    You have 10 days to suggest that the Advisory, Conciliation and Arbitration Service (Acas) are brought in to assist with the negotiations.

    ", + "

    What happens next

    ", + "

    If you cannot agree, or you\u2019ve agreed the bargaining unit but not recognised the union, the union can apply to the Central Arbitration Committee (CAC) for statutory recognition.

    ", + "

    When the union applies for statutory recognition

    ", + "

    The union can apply to the Central Arbitration Committee (CAC) for \u2018statutory recognition\u2019 if you do not agree to recognise them voluntarily.

    ", + "

    CAC will accept the trade union\u2019s application for recognition if it meets the requirements, unless you challenge the application.

    ", + "

    Providing information to the CAC

    ", + "

    You may be asked for information by the CAC case manager who is handling the union\u2019s application, for example, how many employees are in the bargaining unit. CAC will still consider the application if you do not provide the information.

    ", + "

    Challenge an application

    ", + "

    You can challenge the application if you think it does not meet the requirements.

    ", + "

    Application requirements

    ", + "

    The union can apply if:

    ", + "
  • they\u2019ve sent you a copy of their application and any supporting documents
  • ", + "
  • they have at least 10% union membership within the proposed bargaining unit
  • ", + "
  • they have evidence that a majority of employees are in favour of recognition - for example, a petition
  • ", + "

    They cannot apply if:

    ", + "
  • they\u2019ve applied for recognition in the last 3 years
  • ", + "
  • they are not a certified independent union
  • ", + "
  • there\u2019s already a recognition agreement that allows another union to represent employees in the bargaining unit
  • ", + "
  • another union - representing 10% of the employees in the proposed bargaining unit - has already applied to CAC
  • ", + "

    How to complain

    ", + "

    CAC will send you a form so you can challenge the application if you think that the union has not met one or more of the requirements.

    ", + "

    You have 5 working days to send it to CAC - the address is on the form.

    ", + "

    You\u2019ll hear from CAC within 10 working days. They may:

    ", + "
  • ask for more information so they can make a decision
  • ", + "
  • reject the application if the union has not met the requirements
  • ", + "
  • accept the union\u2019s application
  • ", + "

    When the CAC accepts a union\u2019s application

    ", + "

    You\u2019ll need to start discussions about which employees the union will represent, sometimes known as the bargaining unit.

    ", + "

    Establishing the bargaining unit

    ", + "

    The \u2018bargaining unit\u2019 is the group of employees that will be represented by the union.

    ", + "

    You can agree who is in this unit with the union as part of your negotiations. If you do not, the Central Arbitration Committee (CAC) will decide.

    ", + "

    Providing information to the union and the CAC

    ", + "

    If CAC accepts the union\u2019s application for statutory recognition and you have not agreed on the bargaining unit with them, you must send CAC and the union:

    ", + "
  • a list of the categories of employees who will be in the proposed bargaining unit, for example, technical and skilled but not managers
  • ", + "
  • a list of the places where they work
  • ", + "
  • the number of employees in each category at each workplace
  • ", + "

    You have 5 working days to send this from the date the application is accepted.

    ", + "

    How the CAC decides on the bargaining unit

    ", + "

    CAC will hold a hearing and decide the bargaining unit based on:

    ", + "
  • your views and those of the union
  • ", + "
  • compatibility with effective management of your company
  • ", + "
  • existing national and bargaining arrangements
  • ", + "

    Work with a \u2018suitable independent person\u2019 (SIP)

    ", + "

    When the bargaining unit has been agreed the union may ask CAC to appoint a SIP to communicate with employees in the bargaining unit. If this happens, you must give the SIP the names and addresses of:

    ", + "
  • employees in the proposed bargaining unit
  • ", + "
  • any employees who join or leave the bargaining unit
  • ", + "

    If you do not provide this information, you\u2019ll get a \u2018remedial order\u2019 from CAC. You must do what the order says or CAC could declare that you must recognise the union.

    ", + "

    When the bargaining unit has been agreed or decided

    ", + "

    CAC will decide if there needs to be a ballot of employees.

    ", + "

    Ballot on union recognition

    ", + "

    Your employees will be balloted about whether they want the union to be recognised if the majority of employees in the bargaining unit are not members of the union.

    ", + "

    The Central Arbitration Committee (CAC) may hold a ballot even if the majority of your employees are union members but they believe any of the following:

    ", + "
  • it\u2019ll help maintain good relations between you and your employees
  • ", + "
  • there\u2019s evidence that a significant number of union members in the bargaining unit do not want the union to represent them
  • ", + "
  • there are concerns about why some members joined the union, for example, they were pressured
  • ", + "

    CAC will ask for your views and the union\u2019s on these issues.

    ", + "

    Before the ballot

    ", + "

    You\u2019ll get a letter telling you whether there\u2019ll be a ballot. A ballot can be held at the workplace, by post or both. CAC will ask for your views and the union\u2019s before they decide what kind of ballot to hold.

    ", + "

    The union has 10 days to withdraw its application. If it does not, CAC will appoint a qualified independent person (QIP) to run the ballot.

    ", + "

    The ballot will usually be held within 20 working days of the QIP being appointed.

    ", + "

    Your responsibilities

    ", + "

    The cost of the ballot is split equally between you and the union.

    ", + "

    You must:

    ", + "
  • make sure the union can talk to employees in the bargaining unit - for example, allow them to hold meetings without you
  • ", + "
  • give CAC a list of names and addresses of employees in the bargaining unit - and update it when people join or leave
  • ", + "
  • not ask employees to miss meetings, unless it\u2019s absolutely necessary
  • ", + "
  • not threaten or take any action against a worker because they attended a meeting
  • ", + "

    The union can complain to CAC if they think you have not co-operated.

    ", + "

    After the ballot

    ", + "

    You\u2019ll usually find out the result of the vote 48 hours after the ballot closes.

    ", + "

    CAC will declare the union is recognised if both:

    ", + "
  • the majority of employees in the ballot vote to recognise the union
  • ", + "
  • at least 40% of the employees in the bargaining unit vote to recognise the union
  • ", + "

    If CAC declares the union is recognised

    ", + "

    You must work with the union and work out how to collectively bargain on:

    ", + "
  • pay
  • ", + "
  • hours
  • ", + "
  • holiday entitlement
  • ", + "

    If CAC does not declare the union is recognised

    ", + "

    The union will not be able to apply for statutory recognition for 3 years, but you can still recognise them voluntarily.

    ", + "

    Complaints about and from the union

    ", + "

    You can complain to the Central Arbitration Committee (CAC) if the union tries to influence the outcome of a ballot using \u2018unfair practices\u2019, for example, by trying to pressurise employees.

    ", + "

    The Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.

    ", + "

    Make your complaint in writing to CAC. You can complain at any time until the day after the ballot closes.

    ", + "

    What happens next

    ", + "

    CAC may:

    ", + "
  • restart the ballot process
  • ", + "
  • give the union a final warning, sometimes called a \u2018remedial order\u2019
  • ", + "

    If the union does not do what the order tells it to do, CAC can cancel the ballot and declare the union is not recognised

    ", + "

    If the union complains

    ", + "

    The union can complain if you:

    ", + "
  • do not co-operate with preparations for the ballot
  • ", + "
  • use unfair practices to change the outcome of the ballot
  • ", + "

    CAC may give you a final warning if the union\u2019s complaint is successful, sometimes called a \u2018remedial order\u2019.

    ", + "

    CAC can also:

    ", + "
  • restart the ballot process
  • ", + "
  • cancel the ballot and declare the union is recognised
  • ", + "

    Ending negotiations

    ", + "

    You and the union will not need to continue negotiations if the union withdraws its application. They must do this before the Central Arbitration Committee (CAC) either :

    ", + "
  • declares them recognised or not recognised
  • ", + "
  • tells you that they\u2019re holding a ballot of your employees
  • ", + "

    You\u2019re recognising the union voluntarily

    ", + "

    If the union is withdrawing its application because you\u2019ve agreed to recognise them, you and the union can tell CAC by sending a \u2018joint notice to cease consideration\u2019. This means CAC will no longer be involved.

    ", + "

    Send CAC a letter signed by both you and the representative of the union.

    ", + "

    You must do this before CAC declares the union is recognised or up to the last day of the ballot notification period (10 working days from when CAC told you about the ballot).

    " + ] + }, + { + "title": "If your business faces industrial action", + "url": "https://www.gov.uk/if-your-business-faces-industrial-action", + "contents": [ + "

    Overview

    ", + "

    If there\u2019s a workplace dispute at your business, you should try to resolve it informally or through an impartial third party (arbitration).

    ", + "

    Get advice on handling disputes and conflict in the workplace on the Acas (Advisory, Conciliation and Arbitration Service) website.

    ", + "

    You could work with a trade union to solve a dispute as well as with non-union employee representatives.

    ", + "

    If you cannot resolve a dispute, workers in a recognised trade union may consider taking industrial action.

    ", + "

    A trade union can only call for industrial action if:

    ", + "
  • the dispute cannot be solved by informal negotiations or arbitration
  • ", + "
  • a majority of the members involved support it through a postal ballot (before organising one, the union has to decide which members it wants to ask to take industrial action)
  • ", + "

    Types of industrial action might include a strike or action short of a strike, for example not working overtime.

    ", + "

    If workers go on strike, you do not have to pay them for the hours lost.

    ", + "

    Using agency workers to cover during a strike

    ", + "

    Agencies are not allowed to supply workers specifically to cover work that is not being done during lawful industrial action.

    ", + "

    Agency workers already in place as part of your normal business can carry on as usual.

    ", + "

    Dismissing workers who take industrial action

    ", + "

    As an employer, you may face unfair dismissal claims if you dismiss:

    ", + "
  • employees within the first 12 weeks of lawful industrial action for taking part
  • ", + "
  • some workers for taking part in the action, but not others
  • ", + "
  • all employees but re-hire only some of them
  • ", + "

    Some employees might have protection from unfair dismissal for more than 12 weeks.

    ", + "

    Lawful industrial action

    ", + "

    Trade unions only have statutory immunity if the industrial action is lawful. Statutory immunity means that trade unions and their members are protected from legal action in civil law.

    ", + "

    There\u2019s no legal immunity in criminal law for strikers or organisers who break the law - for example, by intentionally damaging property or trespassing.

    ", + "

    When industrial action is lawful

    ", + "

    There must be:

    ", + "
  • a trade dispute (a dispute between you and your workers about employment-related issues)
  • ", + "
  • a properly-conducted industrial action ballot
  • ", + "
  • a written notice of industrial action sent to you
  • ", + "

    The industrial action must not:

    ", + "
  • be secondary action - for example, action taken by workers whose employer is not involved in the trade dispute
  • ", + "
  • be in support of an employee dismissed for taking unofficial industrial action
  • ", + "
  • promote closed-shop practices (such as when employers agree to employ only union members) or enforce trade union membership against non-union firms
  • ", + "
  • involve unlawful picketing
  • ", + "

    When civil proceedings can take place

    ", + "

    If the union or individuals do not follow these conditions, they do not have statutory immunity. This means that you and anyone else affected by the industrial action can take civil proceedings in the courts as long as all the following apply:

    ", + "
  • an unlawful, unprotected act has happened or been threatened
  • ", + "
  • the action breaks a contract that you\u2019re a party to
  • ", + "
  • you\u2019ve suffered, or are likely to suffer, loss as a result
  • ", + "

    Strike pay and working records

    ", + "

    You can ask your employees if they\u2019re planning to strike, so that you can tell what effect the strike will have - but they do not have to tell you their plans.

    ", + "

    Deducting pay

    ", + "

    You do not have to pay employees who are on strike.

    ", + "

    If workers take action short of a strike, and refuse to carry out part of their contractual work, this is called \u2018partial performance\u2019. If you refuse to accept partial performance, you must tell employees that:

    ", + "
  • they should only attend work if they fulfil their contractual duties
  • ", + "
  • if they do not fulfil the terms of their employment contract, you do not have to pay them
  • ", + "

    If you do accept partial performance, you must still pay employees for any work that they have done.

    ", + "

    How much pay to deduct during a strike

    ", + "

    You should only deduct the amount that the employee would have earned during the strike. How you work this out may depend on how they are paid (for example, hourly, weekly or monthly) and on the terms of their employment contract.

    ", + "

    You cannot deduct an employee\u2019s pay if they were not supposed to be working on the day of the strike.

    ", + "

    Effect on continuous employment and length of service

    ", + "

    If employees return to work after the strike, their continuous employment is not affected - they continue to be employed by you. This means that the terms and conditions of their employment contracts still apply during and after the strike.

    ", + "

    However, days when they were on strike do not count towards their total length of service - this may be important for working out things like statutory redundancy pay or pensions.

    ", + "

    Picketing during strikes

    ", + "

    During the strike, workers and union reps may stand outside the place of work to explain why they\u2019re striking and try to persuade others to join the strike. This is called picketing. It\u2019s only lawful if it\u2019s:

    ", + "
  • carried out near or at the strikers\u2019 usual place of work (unless they are mobile workers)
  • ", + "
  • done peacefully, without abusive or threatening behaviour
  • ", + "
  • not breaking any criminal laws - for example, damaging property or obstructing roads
  • ", + "

    You may be able to take legal action if picketing is unlawful.

    ", + "

    Non-union employees and strikes

    ", + "

    You can ask non-union employees to cover work during a strike, as long as:

    ", + "
  • this is allowed by their employment contracts
  • ", + "
  • you do not discriminate against any employee directly or indirectly
  • ", + "

    Non-union staff and striking

    ", + "

    If non-union members go on strike, they are protected from dismissal and have the same rights as union members, as long as the industrial action is lawful.

    ", + "

    Agency staff

    ", + "

    You cannot hire agency staff to provide temporary work cover during a strike.

    ", + "

    Agency staff who are already in place as part of normal business can carry on as usual.

    " + ] + }, + { + "title": "Working with trade unions: employers", + "url": "https://www.gov.uk/working-with-trade-unions", + "contents": [ + "

    Overview

    ", + "

    If you recognise a union in your workplace there are certain rules you need to follow.

    ", + "

    You must:

    ", + "
  • give the union information in advance to help with collective bargaining
  • ", + "
  • inform and consult the union about major changes in the workplace
  • ", + "
  • follow proper procedures if you\u2019re taking union subscriptions straight from your employees\u2019 pay (the \u2018check off\u2019)
  • ", + "
  • let union reps and members have time off for union activities
  • ", + "
  • not discriminate against a worker because they\u2019re in the union
  • ", + "

    Collective bargaining

    ", + "

    You\u2019ll need to work with unions to discuss changes to your employees\u2019 terms and conditions. This is called \u2018collective bargaining\u2019.

    ", + "

    Collective bargaining covers the terms and conditions of workers in a defined \u2018bargaining unit\u2019. This can include all employees in a workplace or just certain groups of workers, eg technicians.

    ", + "

    It\u2019s up to you and the union to agree which terms and conditions are covered but it\u2019s usually things like pay, holiday, working hours etc.

    ", + "

    Running collective bargaining

    ", + "

    Employers and unions need to work out how to run collective bargaining, eg:

    ", + "
  • who\u2019ll represent the workers
  • ", + "
  • who\u2019s included in a bargaining unit
  • ", + "
  • when and how often meetings will happen
  • ", + "
  • what to do if more than one union is recognised
  • ", + "
  • what will be discussed
  • ", + "
  • what to do if the union and employer cannot come to an agreement
  • ", + "

    Information to help with collective bargaining

    ", + "

    Employers must give certain information to the union to help it with the bargaining process, eg the company\u2019s pay and benefits structure or information about its profits, assets and liabilities.

    ", + "

    Collective agreements

    ", + "

    If collective bargaining leads to an agreement, for example about a pay increase or change in working conditions, it\u2019s called a \u2018collective agreement\u2019.

    ", + "

    Informing and consulting with unions

    ", + "

    Employers must inform and consult with a recognised trade union about:

    ", + "
  • collective redundancies
  • ", + "
  • transfers of business ownership
  • ", + "
  • certain changes to pension schemes
  • ", + "
  • health and safety
  • ", + "

    If you fail to consult the union about any of these, you\u2019ll be breaking the law and could be fined - the amount depends on the situation.

    ", + "

    There\u2019s more information on the pension scheme changes you have to consult about in the guidance below.

    ", + "

    You can also make voluntary agreements with unions to regularly inform and consult them about other business and workplace issues.

    ", + "

    Acas has detailed guidance about informing and consulting employees.

    ", + "

    Union subscriptions

    ", + "

    Some trade union members pay their union subscriptions directly out of their wages.

    ", + "

    The employer then gives these payments to the union.

    ", + "

    This is often called the \u2018check-off\u2019.

    ", + "

    It\u2019s up to you if you want to run the check-off. A union cannot force you to run the check-off unless you\u2019ve agreed to it in your workers\u2019 employment contracts.

    ", + "

    Authorising the check-off

    ", + "

    A worker must give you written permission to take their union subscriptions from their wages.

    ", + "

    This must be signed and dated. Their permission starts from this date and continues until they say otherwise.

    ", + "

    If you take the check-off without proper permission you could be taken to an employment tribunal.

    ", + "

    You can pre-print consent forms as long as the worker signs and dates the form themselves. Unions are also allowed to get the written consent from the worker then forward it to you.

    ", + "

    Stopping the check-off

    ", + "

    You must stop taking check-off payments if your employee asks you to.

    ", + "

    They must give you written notice to stop the check-off and you must be given reasonable time to stop it.

    ", + "

    You can stop running the check-off at any time. If it\u2019s in your workers\u2019 employment contracts, you may have to give them notice.

    ", + "

    The role of the union in the check-off

    ", + "

    The union does not have to help run the check-off. However, you can involve it if you want to. You could, for example, ask the union to help you get initial consent from its members.

    ", + "

    You could also charge the union for the work involved in administering the check off.

    ", + "

    Even if you involve the union in the check-off, it\u2019s still your responsibility to make sure you make check-off deductions properly.

    ", + "

    Rights of employees in trade unions

    ", + "

    If you recognise a union, it will normally name one or more of your workers as its local workplace representatives (\u2018reps\u2019).

    ", + "

    Union reps have certain rights. They\u2019re allowed reasonable time off work:

    ", + "
  • with pay for union duties and training at appropriate times
  • ", + "
  • without pay to take part in union activities, eg the union\u2019s annual conference (trade union members are entitled to this as well)
  • ", + "

    Reasonable time off does not have to be taken as annual leave.

    ", + "

    Block lists

    ", + "

    You cannot discriminate against anyone because they\u2019re in the union or because of their union activity.

    ", + "

    With rare exceptions, it\u2019s also illegal to compile, use, sell or supply a \u2018block list\u2019 of union members that will be used to discriminate against them.

    " + ] + }, + { + "title": "Your rights if your employer is insolvent", + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "contents": [ + "

    Overview

    ", + "

    Your employer is insolvent if it cannot pay its debts.

    ", + "

    They might:

    ", + "
  • make you redundant
  • ", + "
  • ask you to keep working
  • ", + "
  • transfer you to a new employer (if the business has been sold)
  • ", + "

    There are different types of insolvency:

    ", + "
  • administration
  • ", + "
  • liquidation
  • ", + "
  • bankruptcy
  • ", + "
  • receivership
  • ", + "
  • company voluntary arrangement
  • ", + "
  • individual voluntary arrangement
  • ", + "
  • debt relief order
  • ", + "

    Check if your employer is insolvent.

    ", + "

    Depending on your situation, you can apply to the government for:

    ", + "
  • a redundancy payment
  • ", + "
  • holiday pay
  • ", + "
  • outstanding payments like unpaid wages, overtime and commission
  • ", + "
  • money you would have earned working your notice period (\u2018statutory notice pay\u2019)
  • ", + "

    You may be eligible for unemployment benefits if you lose your job. If you do not apply for benefits after you lose your job, you might get less money in your statutory notice pay payment.

    ", + "

    Your rights

    ", + "

    You have different rights depending on whether your employer:

    ", + "
  • makes you redundant (dismisses you)
  • ", + "
  • asks you to keep working
  • ", + "
  • transfers you to a new employer (if the business has been sold)
  • ", + "

    Your employer must have a consultation about why redundancies are happening and if there are any alternatives - they do not have to consult you directly.

    ", + "

    If you\u2019re made redundant

    ", + "

    You\u2019re made redundant if you\u2019re dismissed from your job.

    ", + "

    The person who is dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) must tell you how your job is affected and what to do next.

    ", + "

    They\u2019ll also give you a:

    ", + "
  • RP1 fact sheet
  • ", + "
  • \u2018CN\u2019 (case reference) number to use when you apply for money you\u2019re owed
  • ", + "

    You can apply to the government for:

    ", + "
  • a redundancy payment
  • ", + "
  • holiday pay
  • ", + "
  • outstanding payments like unpaid wages, overtime and commission
  • ", + "
  • money you would have earned working your notice period (\u2018statutory notice pay\u2019)
  • ", + "

    Businesses can go through more than one insolvency. You cannot claim outstanding payments between the day of the first insolvency and the day you were dismissed, even if you did not know about the previous insolvency.

    ", + "

    You can also apply to the court for compensation if you think you were dismissed unfairly or not consulted properly.

    ", + "

    Compensation because you were dismissed unfairly

    ", + "

    You can make a claim to the employment tribunal if:

    ", + "
  • you were dismissed unfairly (\u2018basic award\u2019)
  • ", + "
  • there was not a consultation about your redundancy (\u2018protective award\u2019)
  • ", + "

    You\u2019ll be claiming against the Secretary of State for Business, Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).

    ", + "

    If you continue working after the insolvency

    ", + "

    You might be asked to continue working for your employer after they become insolvent.

    ", + "

    You\u2019ll still be eligible to claim for redundancy pay and other money you\u2019re owed if you\u2019re made redundant at a later date.

    ", + "

    You cannot claim holiday pay, wages, bonuses or commission that you\u2019re owed between the day of the insolvency and the day you were dismissed.

    ", + "

    If you\u2019re transferred to a new employer

    ", + "

    You cannot claim any money from the government if you were transferred before your former employer became insolvent.

    ", + "

    If you were transferred afterwards, you can apply for redundancy pay, statutory notice pay and outstanding payments such holiday pay, wages, commission and bonuses.

    ", + "

    What you can get

    ", + "

    What money you\u2019re entitled to depends on:

    ", + "
  • how long you were employed
  • ", + "
  • what was in your employment contract
  • ", + "
  • your age
  • ", + "

    Payments are capped.

    ", + "

    Redundancy pay

    ", + "

    You\u2019re normally entitled to redundancy pay if you:

    ", + "
  • have been made redundant
  • ", + "
  • were an employee
  • ", + "
  • were continuously employed by the insolvent business for 2 years or more
  • ", + "

    You\u2019ll get:

    ", + "
  • half a week\u2019s pay for each full year you were employed and under 22 years old
  • ", + "
  • one week\u2019s pay for each full year you were employed and between 22 and 40 years old
  • ", + "
  • one and half week\u2019s pay for each full year you were employed and 41 or older
  • ", + "

    Redundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    ", + "

    You can get a payment for a maximum of 20 years that you were employed at the business.

    ", + "

    Calculate your redundancy pay.

    ", + "

    Wages and other money you\u2019re owed

    ", + "

    You can apply for unpaid wages and other money you\u2019re owed by your employer, for example bonuses, overtime and commission.

    ", + "

    You\u2019re only entitled to money that\u2019s in your employment contract.

    ", + "

    You\u2019ll get up to 8 weeks of money you\u2019re owed. It counts as a week even if you\u2019re only owed money for a few days.

    ", + "

    Payments for wages and other money you\u2019re owed are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    ", + "

    You pay income tax and National Insurance when you get unpaid wages and other money you\u2019re owed. You might be able to claim a tax refund if you\u2019ve paid too much.

    ", + "

    Holiday pay

    ", + "

    You can get paid for:

    ", + "
  • holiday days owed that you did not take (\u2018holiday pay accrued\u2019)
  • ", + "
  • holiday days you took but were not paid for (\u2018holiday pay taken\u2019)
  • ", + "

    You\u2019re only paid for holidays you took or accrued in the 12 months before your employer became insolvent.

    ", + "

    You\u2019ll only get payments for up to 6 weeks of holiday days. Holiday pay is capped at \u00a3544 per week (\u00a3538 per week if your employer went insolvent before 6 April 2021).

    ", + "

    You pay income tax and National Insurance on your holiday payment. You might be able to claim a tax refund if you\u2019ve paid too much.

    ", + "

    Statutory notice pay

    ", + "

    You\u2019re entitled to a paid notice period when you\u2019re made redundant, even if it is not in your contract.

    ", + "

    You can claim for statutory notice pay if you:

    ", + "
  • did not work a notice period
  • ", + "
  • worked some of your notice period
  • ", + "
  • worked an unpaid notice period
  • ", + "

    Your statutory notice pay is worked out as one week\u2019s notice for every year you were employed, up to a maximum of twelve weeks.

    ", + "

    Payments are capped at \u00a3544 per week (\u00a3538 if you were made redundant before 6 April 2021).

    ", + "

    Pension contributions

    ", + "

    Contact the insolvency practitioner or official receiver if you\u2019re missing contributions to your pension.

    ", + "

    Apply for money you're owed

    ", + "

    You\u2019re eligible to apply if:

    ", + "
  • you were an employee
  • ", + "
  • you\u2019re a UK or EEA national (or a foreign national with permission to work in the UK)
  • ", + "

    If you\u2019re not eligible (for example you\u2019re a contractor) register as a creditor instead.

    ", + "
  • Apply for redundancy, unpaid wages and holiday within 6 months of being dismissed. You request to claim for loss of notice pay (\u2018statutory notice pay\u2019) in your application.
  • ", + "
  • If you requested to claim statutory notice pay, you\u2019ll get sent a letter telling you when you can apply.
  • ", + "

    Claiming for redundancy, unpaid wages and holiday pay

    ", + "

    You can apply as soon as you\u2019ve been made redundant. The person dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) will give you a \u2018CN\u2019 (case reference) number. You cannot claim without the CN number.

    ", + "

    You must apply for redundancy pay within 6 months of being dismissed.

    ", + "

    The application will ask if you want to apply for statutory notice pay. Choosing \u2018Yes\u2019 does not mean you\u2019ve applied. You\u2019ll be told when to apply.

    ", + "

    Apply for redundancy, unpaid wages and holiday online.

    ", + "

    Claiming for loss of notice pay (\u2018statutory notice pay\u2019)

    ", + "

    You need an \u2018LN\u2019 reference number to make a claim. It\u2019ll be sent after your notice period would have ended. This is usually no more than 12 weeks after you\u2019re dismissed.

    ", + "

    You must apply for redundancy first - even if you\u2019re not owed any money.

    ", + "

    Employees at the same business can have different notice periods.

    ", + "

    Once you have the LN reference number, claim online for loss of notice.

    ", + "

    Money you get (or could have got) by claiming benefits will be deducted from your payment.

    ", + "

    Help completing the online forms

    ", + "

    Contact the Redundancy Payments Service if you have queries about completing the online forms. You\u2019ll need your case reference number or National Insurance number.

    ", + "

    You cannot currently call the Redundancy Payments Service.

    ", + "

    After you apply

    ", + "

    It usually takes up to 6 weeks to get your payment but can take longer.

    ", + "

    Your information will be checked against the employer\u2019s records, for example how much holiday you had accrued. You\u2019ll only get a payment if the records show you\u2019re owed money.

    ", + "

    Any benefits you\u2019re eligible to claim will be deducted from your statutory notice payment (even if you did not claim them).

    ", + "

    If your application is rejected

    ", + "

    Contact the Redundancy Payments Service - they\u2019ll explain why your claim was rejected.

    ", + "

    You can make a claim to the employment tribunal if you disagree with the decision. You\u2019ll be claiming against the Secretary of State for Business Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).

    ", + "

    Help and advice

    ", + "

    Contact the Redundancy Payments Service if you need help. You\u2019ll need your case reference number or National Insurance number.

    ", + "

    You cannot currently call the Redundancy Payments Service.

    ", + "

    Help finding a new job

    ", + "

    Contact your local Jobcentre Plus and ask for their Rapid Response Service for help finding a new job.

    ", + "

    You\u2019ll be able to use the service for up to 13 weeks after you\u2019re made redundant. You must have started your notice period to be eligible.

    ", + "

    Get help to find a new job, improve your skills and claim benefits.

    " + ] + }, + { + "title": "Check river conditions and closures", + "url": "https://www.gov.uk/check-river-conditions-and-closures", + "contents": [ + "

    River levels and warnings

    ", + "

    Check river levels

    ", + "

    Check current river levels in England and Wales.

    ", + "

    Strong stream warnings

    ", + "

    The Environment Agency gives out stream warnings to tell you about conditions that may mean you should not go out in your boat. You may also see red flags at boat clubs.

    ", + "

    You can check the latest strong stream warnings for the River Thames.

    ", + "

    Choose option 1 when your call is answered and enter the quick dial code for the area of the River Thames you want to hear about. For other rivers, use one of the following:

    ", + "
  • River Nene - 032112
  • ", + "
  • Great Ouse (Bedford to St Ives) \u2013 033211
  • ", + "
  • Great Ouse (St Ives to Earith) \u2013 033212
  • ", + "
  • Ancholme - 031212
  • ", + "

    You can also sign up to the strong stream advice messaging system for the Rivers Nene, Great Ouse and Ancholme (it\u2019s free).

    ", + "

    Check tide predictions

    ", + "

    You can read tide predictions for the next 7 days for rivers in England and Wales.

    ", + "

    You can also check:

    ", + "
  • live and predicted tides on the tidal Thames
  • ", + "
  • tide predictions at Rye Harbour
  • ", + "
  • tide predictions for Allington Lock on the River Medway
  • ", + "

    River Thames

    ", + "

    You can check the following for the non-tidal River Thames, which is managed by the Environment Agency:

    ", + "
  • current conditions on the River Thames
  • ", + "
  • river closures and restrictions
  • ", + "
  • lock closures
  • ", + "
  • emergency rendezvous points between Teddington and Lechlade
  • ", + "

    You can also check current works and closures on the tidal Thames, which is managed by the Port of London Authority.

    ", + "

    You should read the navigation bylaws and registration bylaws before you set out.

    ", + "

    You can also check:

    ", + "
  • information about bridges, locks and facilities for boaters
  • ", + "
  • the River Thames and connecting waterways: cruising guide
  • ", + "
  • Port of London Authority information about boating on the Thames
  • ", + "

    River Medway

    ", + "

    You can check conditions, closures and restrictions on the River Medway (updated during business hours - Monday to Friday, 9am to 5pm).

    ", + "

    You can telephone Allington Lock for the latest information outside of business hours.

    ", + "

    You should read the navigation bylaws for the Upper Medway and Southern Region.

    ", + "

    You can also read the user\u2019s guide to River Medway.

    ", + "

    Anglian Waterways

    ", + "

    You can check conditions, closures and restrictions on Anglian Waterways.

    ", + "

    You should read the recreational bylaws before you set out.

    ", + "

    You can also download information about facilities and safety for the following rivers:

    ", + "
  • Black Sluice
  • ", + "
  • River Ancholme
  • ", + "
  • River Welland and Glen
  • ", + "
  • River Great Ouse
  • ", + "
  • River Nene
  • ", + "
  • River Stour
  • ", + "

    Rye Harbour

    ", + "

    You can check conditions, closures and restrictions at Rye Harbour.

    ", + "

    You should also check the Rye Harbour:

    ", + "
  • passage, pilot and mooring information for boaters
  • ", + "
  • map guide
  • ", + "
  • bylaws
  • ", + "

    Scotland, Northern Ireland and other parts of England

    ", + "

    You can check:

    ", + "
  • river and canal closure information on Canal & River Trust waterways in England
  • ", + "
  • canal works and closures on Scottish Canals
  • ", + "
  • river and canal restrictions and closures on Waterways Ireland
  • " + ] + }, + { + "title": "Owning a boat", + "url": "https://www.gov.uk/owning-a-boat", + "contents": [ + "

    Overview

    ", + "

    You must follow safety regulations and check whether you need insurance if you own a boat.

    ", + "

    You usually need to register your boat to use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use.

    ", + "

    Boat safety requirements

    ", + "

    There are different safety requirements depending on whether you use your boat:

    ", + "
  • on inland waterways
  • ", + "
  • at sea
  • ", + "
  • for private or commercial purposes
  • ", + "

    Insurance

    ", + "

    You may need to get insurance before you can register and use your boat.

    ", + "

    Register your boat

    ", + "

    You can apply for a boat licence or registration once you\u2019ve met the relevant safety and insurance requirements.

    ", + "

    Safety on inland waterways

    ", + "

    You may need to get a Boat Safety Scheme (BSS) certificate before you can register or buy a licence to use inland waterways, eg rivers and canals.

    ", + "

    You don\u2019t need a certificate if you have a privately owned \u2018open boat\u2019 with no motor, eg a canoe, paddleboard or rowboat.

    ", + "

    Some other types of boat (eg privately owned \u2018open boats\u2019 with outboard motors and no electrical systems) may also be exempt - check with the navigation authority that manages your chosen waterway.

    ", + "

    All boats requiring a BSS certificate have to be tested every 4 years.

    ", + "

    You\u2019re responsible for maintaining your boat to BSS certificate standards between tests.

    ", + "

    Find the latest boat safety notices.

    ", + "

    Rules of the waterways

    ", + "

    You must drive on the right and pass other boats port to port on all waterways.

    ", + "

    On rivers, the boat coming downstream has right of way.

    ", + "

    Under bridges, the boat closest to the bridge has right of way. Keep right until the boat has passed.

    ", + "

    The maximum speed on narrow canals is 4 miles per hour (mph).

    ", + "

    The Boater\u2019s Handbook gives more information on waterway rules.

    ", + "

    New boats

    ", + "

    New boats should already meet the standards, so you won\u2019t need to have it checked.

    ", + "

    You may be asked for the certificate proving that your new boat meets the required standards when you register it.

    ", + "

    You\u2019ll need to get a BSS certificate after 4 years and renew it every 4 years after that, unless you\u2019re exempt.

    ", + "

    Penalty for not having a certificate

    ", + "

    You\u2019ll be penalised if you don\u2019t have a certificate for your boat and aren\u2019t exempt.

    ", + "

    The penalty depends on which navigation authority manages the waterway you\u2019re using.

    ", + "

    If you own a commercial boat

    ", + "

    You may need a BSS certificate if your boat carries less than 12 passengers - check the BSS guidance.

    ", + "

    You\u2019ll need a Passenger Certificate issued by the Maritime and Coastguard Agency (MCA) if you\u2019re carrying more than 12 passengers.

    ", + "

    You should also check whether you need:

    ", + "
  • any statutory certificates
  • ", + "
  • to meet any other requirements
  • ", + "

    Safety at sea

    ", + "

    You must follow international safety regulations if you\u2019re using a boat at sea.

    ", + "

    This means you must:

    ", + "
  • plan your voyage
  • ", + "
  • carry a radar reflector
  • ", + "
  • carry an illustrated table of the recognised life-saving signals
  • ", + "
  • help other craft, if needed
  • ", + "
  • use distress signals properly
  • ", + "

    You could be prosecuted if you\u2019re involved in a boating accident and you haven\u2019t followed the regulations.

    ", + "

    Read the Maritime and Coastguard Agency\u2019s \u2018Life saving signals\u2019 leaflet for more information.

    ", + "

    Preventing collisions

    ", + "

    The regulations on preventing collisions say that you must:

    ", + "
  • fit navigation lights, shapes and sound-signalling devices on your boat
  • ", + "
  • stay a safe distance away from other boats, and diving boats flying the blue-and-white \u2018Alpha\u2019 flag
  • ", + "
  • be alert to other boats around you at all times
  • ", + "

    Read \u2018The Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations 1996\u2019 for more information.

    ", + "

    Safety equipment

    ", + "

    If your boat is more than 13.7 metres long, you must carry:

    ", + "
  • lifejackets
  • ", + "
  • liferafts
  • ", + "
  • flares
  • ", + "
  • fire extinguishers
  • ", + "

    The specific details of what you need to carry depends on the size of your boat and how far you\u2019re travelling away from the coast.

    ", + "

    See the regulations applicable to \u2018pleasure vessels\u2019.

    ", + "

    Preventing pollution

    ", + "

    You mustn\u2019t drop oil or rubbish into the sea. If your boat is more than 12 metres long you must also display a notice on board explaining how to get rid of rubbish properly.

    ", + "

    For more information, read the regulations for preventing pollution from ships.

    ", + "

    Getting rid of old or damaged flares

    ", + "

    You must follow the rules for getting rid of out-of-date or damaged flares.

    ", + "

    It\u2019s an offence to:

    ", + "
  • put them in household rubbish, garden waste or public litter bins
  • ", + "
  • dump them at sea
  • ", + "
  • leave them anywhere a member of the public could find them
  • ", + "
  • set them off
  • ", + "

    You should contact any of the following:

    ", + "
  • the place you bought them, if they offer a \u2018take back\u2019 scheme
  • ", + "
  • some marinas - a small charge may apply
  • ", + "
  • some liferaft service stations
  • ", + "
  • some council recycling centres
  • ", + "

    You may also be able to dispose of them at a Coastguard Operations Centre. You must book an appointment in advance.

    ", + "

    If you own a commercial boat

    ", + "

    If you own a small commercial boat you may also have to:

    ", + "
  • meet certain operational standards
  • ", + "
  • have the boat surveyed
  • ", + "

    Insurance

    ", + "

    You should check what kind of insurance you need - it depends on how and where you use your boat.

    ", + "

    If you\u2019re using inland waterways

    ", + "

    You\u2019ll usually need to have \u2018third party\u2019 insurance for at least \u00a31 million if you have a powered boat or a houseboat.

    ", + "

    You may also need insurance for some types of unpowered boat, eg a houseboat - check with the navigation authority that manages the waterway you want to use.

    ", + "

    You could be prosecuted or fined if you don\u2019t have the right insurance - the kind of penalty depends on your navigation authority.

    ", + "

    The Canal and River Trust website has a list of insurance companies that provide boat insurance.

    ", + "

    If you\u2019re using a boat at sea

    ", + "

    Check the MCA guidance if you own a small commercial boat - you may need statutory certificates.

    " + ] + }, + { + "title": "Register a boat", + "url": "https://www.gov.uk/register-a-boat", + "contents": [ + "

    Overview

    ", + "

    You usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.

    ", + "

    A boat is:

    ", + "
  • any vessel with or without a motor, for example a sailing boat, river boat, canal boat or houseboat
  • ", + "
  • any \u2018open boat\u2019 such as canoe, paddle board, rowing boat or dinghy
  • ", + "

    To get a boat registration you may need:

    ", + "
  • insurance
  • ", + "
  • a Boat Safety Scheme (BSS) certificate
  • ", + "

    You must renew each year for the waterway you want to keep or use your boat on. You can buy a visitor registration or licence for shorter periods.

    ", + "

    Carry more than 12 passengers

    ", + "

    You must have a passenger-carrying certificate issued by the Maritime and Coastguard Agency if you want to carry more than 12 passengers.

    ", + "

    Commercial use

    ", + "

    You must apply for a boatmaster\u2019s licence if you want to use your boat commercially.

    ", + "

    Use at sea

    ", + "

    You can register your boat with the UK Ship Register for use at sea.

    ", + "

    Who to contact

    ", + "

    Register or license your boat with the navigation authority responsible for the waterway you want to use.

    ", + "

    Most canals and some rivers, like the Severn, Trent and Ouse

    ", + "

    Register with the Canal & River Trust.

    ", + "

    Norfolk and Suffolk Broads, and adjacent waters

    ", + "

    Register with the Broads Authority.

    ", + "

    River Thames, River Medway, and the rivers of East Anglia

    ", + "

    Download the application form for the waterway you want to use and register with the Environment Agency:

    ", + "
  • River Thames
  • ", + "
  • River Medway
  • ", + "
  • Anglian waterways (Great Ouse System, River Nene, River Stour, River Ancholme, Black Sluice, River Welland and River Glen)
  • ", + "
  • Rye Harbour
  • ", + "

    River Thames annual registrations run from 1 January to 31 December. Other registrations run from 1 April to 31 March.

    ", + "

    The Royal Military Canal

    ", + "

    You do not need to register a boat for use between West Hythe Dam in Shorncliffe, Kent and Iden Lock in Cliffe End, East Sussex.

    ", + "

    Contact Shepway District Council to register a boat for use between West Hythe Dam and Seabrook.

    ", + "

    Scotland and Northern Ireland

    ", + "

    Check if you need to register your boat with Scottish Canals or NI Direct.

    ", + "

    Other areas

    ", + "

    Check with the Inland Waterways Association to find the navigation authority for other areas.

    ", + "

    Using more than one waterway

    ", + "

    You can buy a \u2018gold licence\u2019 which lets you use all Environment Agency and Canal & River Trust waterways.

    ", + "

    Canoe or rowing boat exemptions

    ", + "

    You may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.

    ", + "

    Rowing clubs or associations can register a rowing boat for use on some waterways through British Rowing.

    ", + "

    Penalties

    ", + "

    An enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:

    ", + "
  • it\u2019s not licensed or registered
  • ", + "
  • it\u2019s not licensed or registered for the waterway you\u2019re using
  • ", + "
  • your licence or registration is not displayed
  • ", + "
  • it breaches the terms and conditions of the licence or registration
  • ", + "

    Check your licence or registration for additional rules that apply to your waterway.

    ", + "

    You may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.

    ", + "

    Questions about a penalty notice

    ", + "

    Contact your navigation authority if you have questions about a penalty notice.

    ", + "

    The UK Ship Register

    ", + "

    You need to register your boat with the UK Ship Register to use it at sea.

    ", + "

    Whether you can use the register depends on your citizenship status. Check the eligibility requirements for each part of the UK Ship Register.

    ", + "

    There are 4 different parts of the register. Which part you use depends on what you\u2019re using your boat for:

    ", + "
  • Part 1 - commercial or pleasure boats
  • ", + "
  • Part 2 - fishing boats
  • ", + "
  • Part 3 - small boats
  • ", + "
  • Part 4 - charter boats
  • ", + "

    Part 1 registration - commercial or pleasure boats

    ", + "

    You can use Part 1 of the register if you have either:

    ", + "
  • a commercial boat, unless you plan to use it for fishing
  • ", + "
  • a \u2018pleasure vessel\u2019 - this means you do not make any money from it
  • ", + "

    Registering your boat on Part 1 of the register means you\u2019ll be able to:

    ", + "
  • get a marine mortgage against your boat
  • ", + "
  • spend more than 6 months outside the UK
  • ", + "

    It costs \u00a3153 to register for 5 years.

    ", + "

    You\u2019ll be sent a renewal notice when it\u2019s time to renew. It costs \u00a372 to renew your registration for another 5 years.

    ", + "

    Part 2 registration - fishing boats

    ", + "

    Use Part 2 of the register if you\u2019re using your boat to catch and sell fish.

    ", + "

    You can choose from \u2018simple\u2019 or \u2018full\u2019 registration. If you choose full registration you can get a marine mortgage against your boat.

    ", + "

    To register for 5 years it costs:

    ", + "
  • \u00a3159 for simple registration
  • ", + "
  • \u00a3196 for full registration
  • ", + "

    Part 3 registration - small boats

    ", + "

    Use Part 3 of the register (small ships register) if:

    ", + "
  • your boat is less than 24 metres long
  • ", + "
  • your boat is a pleasure vessel
  • ", + "
  • you live in the UK for at least 185 days of the year
  • ", + "

    You cannot use Part 3 of the register if you\u2019re a business.

    ", + "

    Registering on Part 3 of the register means you\u2019ll be able to prove your boat\u2019s nationality when sailing outside UK waters.

    ", + "

    It costs \u00a335 for 5 years.

    ", + "

    You\u2019ll be sent a renewal notice when it\u2019s time to renew.

    ", + "

    Part 4 registration - charter boats

    ", + "

    Use Part 4 of the register if you plan to hire out (charter) your boat.

    ", + "

    It costs between \u00a335 and \u00a3196 for 5 years. The amount you\u2019ll pay depends on the type of boat you\u2019re registering.

    ", + "

    How to register

    ", + "

    You can register your boat online. You\u2019ll need to create an account if you do not already have one.

    ", + "

    If you own the boat with other people, all owners must have an account before you can register your boat online.

    ", + "

    Start now

    ", + "

    You can pay by debit or credit card.

    ", + "

    You can also use the online service to renew, cancel or change the details of your registration.

    ", + "

    Before you start

    ", + "

    You\u2019ll need:

    ", + "
  • the dimensions of your boat
  • ", + "
  • the previous registration details of the boat (if it\u2019s been registered before)
  • ", + "
  • the bill of sale
  • ", + "
  • the radio signal detail - including your UK radio call sign, Maritime Mobile Service Identity (MMSI) number and International Maritime Organization (IMO) number
  • ", + "
  • the builders certificate
  • ", + "
  • a certificate of survey for tonnage and measurement
  • ", + "
  • an international tonnage certificate (ITC69)
  • ", + "
  • safety certificates
  • ", + "

    Other ways to register

    ", + "

    You can also register by post. Download and fill in the form for the type of boat you want to register.

    ", + "

    Contact

    ", + "

    You can contact the UK Ship Register by email, phone or post.

    " + ] + }, + { + "title": "Appeal a hedgerow notice", + "url": "https://www.gov.uk/appeal-hedgerow-notice", + "contents": [ + "

    When you can appeal

    ", + "

    Your council makes decisions about hedgerow notices.

    ", + "

    You can appeal a decision if they\u2019ve sent you either:

    ", + "
  • a retention notice, saying you cannot remove a hedgerow
  • ", + "
  • a replacement notice, telling you to replace a hedgerow you\u2019ve already removed
  • ", + "

    Only the person who made the application can appeal.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 28 days of the date on the council\u2019s notice.

    ", + "

    When you can expect a decision

    ", + "

    Once your appeal is validated, you\u2019ll normally get a decision within 31 weeks.

    ", + "

    How to appeal

    ", + "

    Fill in a hedgerow appeal form.

    ", + "

    You also need:

    ", + "
  • a copy of your original application
  • ", + "
  • the reason for your appeal
  • ", + "
  • a copy of the local planning authority\u2019s decision notice
  • ", + "
  • any other documents that directly support your appeal
  • ", + "

    Email these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on a hedgerow appeal.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently comment by post. You can still comment by email.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. You\u2019ll normally get a decision within 31 weeks.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Appeal a right of way decision", + "url": "https://www.gov.uk/appeal-right-of-way-decision", + "contents": [ + "

    When you can appeal

    ", + "

    Your local council makes decisions about right of way applications.

    ", + "

    You can appeal their decision if you applied to change the area\u2019s \u2018definitive map and statement\u2019 and either:

    ", + "
  • you disagree with the decision - this is known as a \u2018schedule 14 appeal\u2019
  • ", + "
  • your local council did not make a decision within 12 months - this is known as a \u2018direction request\u2019
  • ", + "

    You cannot appeal if:

    ", + "
  • the council approves a different use for the land, for example they make an order for a footpath when you applied for a bridleway
  • ", + "
  • you did not submit your original application correctly, for example you did not notify landowners who might be affected by the change
  • ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal. If you did not apply, you can comment on an appeal instead.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 28 days of the date on the decision letter, or 12 months after you submitted the application if your local council has not made a decision.

    ", + "

    When you can expect a decision

    ", + "

    Once your appeal is validated, you\u2019ll normally get a decision within 26 weeks.

    ", + "

    How to appeal

    ", + "

    Make your appeal to the Planning Inspectorate by filling in the appeal form. Write to the Secretary of State if you\u2019re making a direction request.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently send your appeal form in the post. Email it to rightsofway2@planninginspectorate.gov.uk instead.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    Documents you must provide

    ", + "

    If you\u2019re appealing a decision

    ", + "

    You must submit 2 copies of:

    ", + "
  • your original application
  • ", + "
  • the reason for your appeal
  • ", + "
  • the council\u2019s decision notice
  • ", + "
  • any notices you issued while applying, for example to let other landowners know you were applying for a change
  • ", + "
  • a map showing the proposed right of way
  • ", + "
  • any other documents that directly support your appeal, for example your grounds for appeal
  • ", + "
  • confirmation that you\u2019ve notified the local council about your appeal
  • ", + "

    If the local council has not made a decision

    ", + "

    You must submit 2 copies of:

    ", + "
  • your original application
  • ", + "
  • confirmation that you notified the landowners of your original application
  • ", + "

    Email your form and these documents to rightsofway2@planninginspectorate.gov.uk.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on a right of way appeal.

    ", + "

    Your local council must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal. The council has to do this within 14 days of the appeal being validated by the Planning Inspectorate.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    You\u2019ll normally get a decision within 30 weeks (or 21 weeks for a direction request).

    ", + "

    If you\u2019re successful

    ", + "

    For appeals, the Planning Inspectorate will tell the council to make the order. There\u2019s no time limit for your local council to do this.

    ", + "

    For direction requests, the Planning Inspectorate will give the local council a time limit to make a decision on your original application.

    ", + "

    If you disagree with the decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Protecting rural landscapes and features", + "url": "https://www.gov.uk/protecting-rural-landscapes-and-features", + "contents": [ + "

    Overview

    ", + "

    As a landowner you must manage and maintain land with:

    ", + "
  • hedgerows and watercourses
  • ", + "
  • trees and woodland
  • ", + "
  • dry stone walls
  • ", + "

    You also have obligations if you own or occupy a scheduled monument.

    ", + "

    Rural landscapes and features are protected:

    ", + "
  • by planning policies and laws
  • ", + "
  • through the Rural Development Programme for England
  • ", + "
  • through \u2018cross compliance\u2019 - set rules for farming and land management
  • ", + "

    You can apply for funding schemes to help you protect your land.

    ", + "

    Funding and cross compliance

    ", + "

    You can apply for funding to protect rural landscapes and features through:

    ", + "
  • the Basic Payment Scheme - main EU\nagricultural subsidy scheme supporting environmentally-friendly farming practices
  • ", + "
  • Countryside Stewardship - offers financial rewards for good land management which improves the quality of the environment
  • ", + "

    Cross compliance

    ", + "

    To get funding from EU and UK rural development schemes you need to meet a set of rules known as cross compliance.

    ", + "

    Hedgerows and watercourses

    ", + "

    If you own land with hedgerows or watercourses, you must do everything you reasonably can to keep green cover (natural vegetation) on land:

    ", + "
  • within 2 metres of the centre of a hedgerow, watercourse or field ditch
  • ", + "
  • within 1 metre of the top of the bank of a watercourse or field ditch
  • ", + "

    It\u2019s against the law to remove or destroy certain hedgerows without permission from your local planning authority.

    ", + "

    You must also make sure you do not:

    ", + "
  • cultivate or apply fertilisers or pesticides on these strips of green cover
  • ", + "
  • cut or trim hedgerows between 1 March and 31 August
  • ", + "

    Find more information on hedgerow protection and management.

    ", + "

    Trees and woodland

    ", + "

    The Forestry Commission has guidance on managing woodlands and minimising damage to them.

    ", + "

    Tree felling and Tree Preservation Orders (TPOs)

    ", + "

    You must get written consent from your local planning authority before you damage or destroy, uproot, top or lop any trees that are protected by TPOs.

    ", + "

    You must also give 42 days\u2019 written notice to your local planning authority if you wish to cut down any tree in a conservation area.

    ", + "

    You may need a felling licence from the Forestry Commission to fell trees.

    ", + "

    Environmental Impact Assessment (EIA) of forestry projects

    ", + "

    You need an EIA if you\u2019re:

    ", + "
  • creating new woodland
  • ", + "
  • permanently removing woodland
  • ", + "
  • doing forest road works
  • ", + "
  • doing forest-related quarrying
  • ", + "

    You may also need permission from the Forestry Commission before you begin the work.

    ", + "

    Funding for woodlands

    ", + "

    Grants for woodland are available under the Countryside Stewardship and the Woodland Carbon Fund.

    ", + "

    Dry stone walls

    ", + "

    Stone walls of all types are important as landscape features and for stock management. Dry stone walls are walls made without the use of mortar or cement.

    ", + "

    If you have dry stone walls on your land, you should:

    ", + "
  • check their condition at least once a year
  • ", + "
  • remove any vegetation to help to \u2018air\u2019 the wall and prevent frost damage
  • ", + "
  • use local stone to make any repairs
  • ", + "
  • prevent trees from growing alongside, as their roots can weaken wall foundations
  • ", + "

    You must not remove a dry stone wall, or remove stone from it, except in special cases.

    ", + "

    Contact the Dry Stone Walling Association for more information.

    ", + "

    Funding for dry stone walls

    ", + "

    Countryside Stewardship funding is available to farmers and land managers for dry stone wall restoration.

    ", + "

    Scheduled monuments

    ", + "

    A scheduled monument is a site that\u2019s legally protected because of its historical importance.

    ", + "

    Scheduled monuments might be:

    ", + "
  • archaeological sites, such as ancient burial mounds
  • ", + "
  • more recent remains, such as from the coal industry or World War 2
  • ", + "

    You need written permission from your regional Historic England office to carry out work on a scheduled monument. You may also need planning permission from your council.

    ", + "

    You can download \u2018A Guide for Owners and Occupiers of Scheduled Monuments\u2019.

    ", + "

    Grants for scheduled monuments

    ", + "

    You may be able to get a Historic England grant to help maintain or repair a scheduled monument.

    " + ] + }, + { + "title": "Rights of way and accessing land", + "url": "https://www.gov.uk/right-of-way-open-access-land", + "contents": [ + "

    Overview

    ", + "

    You have the right to access some land for walking or certain other leisure activities.

    ", + "

    You can:

    ", + "
  • use public roads and pavements or public rights of way, for example footpaths or bridleways
  • ", + "
  • use your right to roam on open access land including mountains, moors, heaths, downs, common land and some land around the England Coast Path
  • ", + "

    If neither of these apply, you may still be able to access private land if:

    ", + "
  • the land was used as a public right of way in the past - check old maps and documents
  • ", + "
  • the land was accessed by the public for at least 20 years and nobody has asked them to stop
  • ", + "
  • the landowner has given permission (\u2018permissive access\u2019)
  • ", + "

    Help protect the natural environment by following the Countryside Code.

    ", + "

    Use public rights of way

    ", + "

    You can walk on all public rights of way.

    ", + "

    Some public rights of way are also open to horse riders, cyclists or motorists.

    ", + "

    You can use:

    ", + "
  • footpaths - for walking, running, mobility scooters or powered wheelchairs
  • ", + "
  • bridleways - for walking, horse riding, bicycles, mobility scooters or powered wheelchairs
  • ", + "
  • restricted byways - for any transport without a motor and mobility scooters or powered wheelchairs
  • ", + "
  • byways open to all traffic - for any kind of transport, including cars (but they\u2019re mainly used by walkers, cyclists and horse riders)
  • ", + "

    Rights of way in England, Wales and Northern Ireland

    ", + "

    Public rights of way are marked with signs or coloured arrows, for example yellow for footpaths, blue for bridleways.

    ", + "

    You can find the route of public rights of way:

    ", + "
  • on Ordnance Survey and other maps
  • ", + "
  • on some council websites
  • ", + "

    Rights of way in Scotland

    ", + "

    You can find rights of way through the charity Scotways.

    ", + "

    Report problems with a right of way

    ", + "

    Contact the local council to report a problem, for example obstructions, poor maintenance or a misleading sign.

    ", + "

    Change a public right of way

    ", + "

    Contact the local council about adding, changing or removing a public right of way temporarily or permanently.

    ", + "

    You can contact the Local Government Ombudsman if you think your council has not dealt with your enquiry properly.

    ", + "

    Use your right to roam

    ", + "

    You can access some land across England without having to use paths - this land is known as \u2018open access land\u2019 or \u2018access land\u2019.

    ", + "

    Access land includes mountains, moors, heaths and downs that are privately owned. It also includes common land registered with the local council and some land around the England Coast Path.

    ", + "

    Your right to access this land is called the \u2018right to roam\u2019, or \u2018freedom to roam\u2019.

    ", + "

    What you can and cannot do

    ", + "

    You can use access land for walking, running, watching wildlife and climbing.

    ", + "

    There are certain activities you cannot usually do on open access land, including:

    ", + "
  • horse-riding
  • ", + "
  • cycling
  • ", + "
  • camping
  • ", + "
  • taking animals other than dogs on to the land
  • ", + "
  • driving a vehicle (except mobility scooters and powered wheelchairs)
  • ", + "
  • water sports
  • ", + "

    But you can use access land for horse-riding and cycling if:

    ", + "
  • the landowner allows it
  • ", + "
  • public bridleways or byways cross the land \u2013 horse riders and cyclists can ride along these
  • ", + "
  • there are local traditions, or rights, of access
  • ", + "

    Dogs on open access land

    ", + "

    You must keep your dog on a lead no more than 2 metres long on open access land:

    ", + "
  • between 1 March and 31 July - to protect ground-nesting birds
  • ", + "
  • at all times around livestock
  • ", + "

    On land next to the England Coast Path you must keep your dog under close control.

    ", + "

    There may be other local or seasonal restrictions. These do not apply to public rights of way or assistance dogs.

    ", + "

    Excepted land

    ", + "

    On access land some areas remain private (\u2018excepted land\u2019). You do not have the right to access these areas, even if they appear on a map of open access land.

    ", + "

    Excepted land includes:

    ", + "
  • houses, buildings and the land they\u2019re on (such as courtyards)
  • ", + "
  • land used to grow crops
  • ", + "
  • building sites and land that\u2019s being developed
  • ", + "
  • parks and gardens
  • ", + "
  • golf courses and racecourses
  • ", + "
  • railways and tramways
  • ", + "
  • working quarries
  • ", + "

    Use public rights of way to cross excepted land.

    ", + "

    Find open access land

    ", + "

    Search for open access land in England and find out about land that\u2019s currently closed to walkers.

    ", + "

    Find open access land in Wales.

    ", + "

    Contact the local council to find common land near you.

    ", + "

    Report problems with open access land

    ", + "

    You can report problems to the local access authority - contact them through the local council.

    ", + "

    If the problem is in a national park, you can contact them directly.

    ", + "

    You can also contact the Open Access Contact Centre for information about open access land in England.

    ", + "

    Access private land

    ", + "

    You may be able to access private land if the landowner has agreed to let people use it, for example for walking, cycling or horse riding (sometimes known as giving \u2018permissive access\u2019). Look for signs.

    ", + "

    Search for farms and other land with access for schools, families and other groups.

    ", + "

    Search for land of outstanding scenic or scientific interest, including land with permissive access, in the HM Revenue and Customs (HMRC) directory.

    " + ] + }, + { + "title": "Buy a rod fishing licence", + "url": "https://www.gov.uk/fishing-licences", + "contents": [ + "

    When you need a licence

    ", + "

    You must have a rod fishing licence for England and Wales if you\u2019re fishing for salmon, trout, freshwater fish, smelt or eel with a rod and line in:

    ", + "
  • England (except the River Tweed)
  • ", + "
  • Wales
  • ", + "
  • the Border Esk region, including the parts of the river that are in Scotland
  • ", + "

    You can get a fine of up to \u00a32,500 if you\u2019re fishing in these areas and cannot show a valid rod fishing licence when asked.

    ", + "

    There are different rules for fishing in the rest of Scotland and Northern Ireland.

    ", + "

    Children under 13 do not need a licence.

    ", + "

    Licences for children aged between 13 and 16 are free. You\u2019ll still need to get a junior licence.

    ", + "

    Other permissions and licences you may need

    ", + "

    You also need:

    ", + "
  • permission from the landowner to fish on private land
  • ", + "
  • an additional licence to fish in locks or weirs on the River Thames
  • ", + "

    You must follow national and local rules (byelaws) when freshwater fishing with a rod and line in England and Wales. There may be more rules on private land.

    ", + "

    Types of licences and rod limits

    ", + "

    Trout, coarse fish and eel licence

    ", + "

    This lets you fish non-migratory trout and all freshwater fish.

    ", + "

    You must use your licence in one of the following ways. You can choose to fish with:

    ", + "
  • 1 rod for non-migratory trout in rivers, streams, drains and canals
  • ", + "
  • up to 2 rods for non-migratory trout in reservoirs, lakes and ponds
  • ", + "
  • up to 2 rods for freshwater fish
  • ", + "

    You can also buy a 12-month licence that lets you use 3 rods for freshwater fish.

    ", + "

    The place where you fish may have additional rules about how many rods you can use there.

    ", + "

    Salmon and sea trout licence

    ", + "

    This lets you fish salmon, sea trout, non-migratory trout and all freshwater fish.

    ", + "

    You must use your licence in one of 3 ways. You can choose to fish with:

    ", + "
  • 1 rod for salmon, sea trout and non-migratory trout in rivers, streams and canals
  • ", + "
  • up to 2 rods for salmon, sea trout and non-migratory trout in reservoirs, lakes and ponds
  • ", + "
  • up to 3 rods for freshwater fish
  • ", + "

    You must report a catch return every year even if you did not fish.

    ", + "

    The place where you fish may have additional rules about how many rods you can use there.

    ", + "

    Rods that are not affected by licence limits

    ", + "

    The following rods are not affected by licence limits unless they have hooks attached:

    ", + "
  • spod rods (used to propel bait into water)
  • ", + "
  • marker rods (used to mark out lines)
  • ", + "

    Buy a rod fishing licence for England and Wales

    ", + "

    You can buy a 1-day, 8-day or 12-month licence online.

    ", + "

    You\u2019ll need:

    ", + "
  • a debit or credit card
  • ", + "
  • your Blue Badge or National Insurance number, if you have a disability and you\u2019re applying for a 12-month licence
  • ", + "
  • the other person\u2019s details (such as date of birth), if you\u2019re buying for someone else
  • ", + "

    Your licence can start on any date within 30 days of the day you buy it.

    ", + "

    Licence prices depend on the type of fish you are fishing for and the number of rods you use.

    ", + "Licence type | Trout and coarse up to 2-rod | Trout and coarse 3-rod | Salmon and sea trout", + "1-day | \u00a36 | Not available | \u00a312", + "8-day | \u00a312 | Not available | \u00a327", + "12-month | \u00a330 | \u00a345 | \u00a382", + "12-month - over 65 or disabled | \u00a320 | \u00a330 | \u00a354", + "12-month - junior (13 to 16) | Free | Free | Free", + "

    There are no discounted prices for a 1-day or an 8-day licence.

    ", + "

    You need different permissions or licences to fish in most of Scotland and Northern Ireland.

    ", + "

    Buy now

    ", + "

    Eligibility for disabled licences

    ", + "

    You can get a discounted 12-month disabled licence if you have a Blue Badge or get Disability Living Allowance or Personal Independence Payment (any rate).

    ", + "

    If you\u2019re under 16 and have a disability you can choose to have the fact you are disabled noted on your junior rod licence. This may help you prove your eligibility for discounts or assisted access at fisheries.

    ", + "

    Give your Blue Badge or National Insurance number (or child reference number if you\u2019re under 16) when you apply.

    ", + "

    Other ways to buy a licence

    ", + "

    You can also buy adult licences:

    ", + "
  • at a Post Office
  • ", + "
  • by calling the Environment Agency
  • ", + "

    You cannot get a junior licence at the Post Office or over the phone. You must apply online.

    ", + "

    If you have not received your 12-month licence

    ", + "

    Contact the Environment Agency if you do not get your licence within 15 working days.

    ", + "

    Extend a licence

    ", + "

    To change a 1-day or 8-day licence to a 12-month licence, call the Environment Agency within 14 days of buying it. You\u2019ll need to buy a new licence but you\u2019ll get a refund for the first one you bought.

    ", + "

    Replace a licence or update your details

    ", + "

    Contact the Environment Agency:

    ", + "
  • if you have questions about your licence
  • ", + "
  • to replace a licence
  • ", + "
  • to update your details if you\u2019ve changed your name or address
  • ", + "

    Fishing in Scotland and Northern Ireland

    ", + "

    Fishing in Scotland

    ", + "

    You do not need a licence to fish with rod and line anywhere in Scotland apart from in the Border Esk region.

    ", + "

    You only need permission from the landowner or an angling club.

    ", + "

    As the Border Esk flows into England you need to buy a rod fishing licence for England and Wales to fish any part of it, including the parts of the river and its tributaries that are in Scotland.

    ", + "

    Fishing in Northern Ireland

    ", + "

    You must have a rod licence and angling permit from a Northern Irish agency to fish in Northern Ireland.

    " + ] + }, + { + "title": "Freshwater rod fishing rules", + "url": "https://www.gov.uk/freshwater-rod-fishing-rules", + "contents": [ + "

    Overview

    ", + "

    You must follow national and local rules (byelaws) when freshwater fishing with a rod and line in England and Wales.

    ", + "

    These rules are aimed at protecting fish stocks and making fisheries sustainable.

    ", + "

    Freshwater fish include salmon, trout, coarse fish and eels.

    ", + "

    You must have a rod licence to fish in England and Wales if you\u2019re aged 13 or older.

    ", + "

    Find out which rules apply to your area

    ", + "

    England and Wales are broken down into regions that each have their own rules. National rules are included in each set of local rules.

    ", + "

    There may also be rules for privately owned bodies of water, such as private fishing lakes.

    ", + "

    Read the rules for your area

    ", + "

    Read the local byelaws for your area to find out the:

    ", + "
  • areas in your region where you\u2019re not allowed to fish
  • ", + "
  • closed seasons (when you can\u2019t fish) which apply to particular types of water and fish within your region
  • ", + "
  • sort of tackle you can use for certain fish in your region
  • ", + "
  • size of fish you can keep
  • ", + "

    Read the local byelaws for your region - there are different regulations for Wales.

    ", + "

    When and where you can fish

    ", + "

    \u2018Close seasons\u2019 are seasons when you can\u2019t fish for some types of fish on certain types of water.

    ", + "

    For example, you can\u2019t fish for coarse fish on any river in England and Wales from 15 March to 15 June.

    ", + "

    Reservoirs, lakes and ponds (\u2018enclosed stillwaters\u2019) and canals

    ", + "

    You can fish for coarse fish, eels, rainbow trout and brown trout on most enclosed stillwaters and canals all year.

    ", + "

    Read the local byelaws to check your area.

    ", + "

    Rivers, streams, drains or waterways (other than canals)

    ", + "

    You can\u2019t fish for coarse fish and eels on rivers from the 15 March to 15 June (you can fish for eel in some areas - read the local byelaws).

    ", + "

    You need to read the local byelaws for close seasons for salmon, brown trout and rainbow trout on rivers.

    ", + "

    Privately owned bodies of water can also have their own close seasons.

    ", + "

    Lock and weir fishing on the Thames

    ", + "

    You must have an additional permit to fish locks and weirs on the Thames.

    ", + "

    Game fishing during the coarse fish close season

    ", + "

    You can fish for salmon, trout and other game fish during the coarse fish close season. You have to use certain types of lures and baits in some areas however.

    ", + "

    Midlands, Yorkshire, and the north-east and north-west of England

    ", + "

    You can only use natural or artificial fly, minnow, worm, shrimp, prawn, sand eel or artificial lures during close season.

    ", + "

    South-east of England

    ", + "

    You can only use artificial fly. In the Thames area, you can apply for permission from the Environment Agency to also use minnow caught in a minnow trap if used on the same waters.

    ", + "

    Wales or the south-west of England

    ", + "

    Read the local byelaws for Wales or the south-west of England.

    ", + "

    Fish size and catch limits

    ", + "

    You\u2019re only allowed to keep a certain amount of the fish you catch.

    ", + "

    These fish must also be of a certain size.

    ", + "

    You must return fish you can\u2019t keep to the water unharmed.

    ", + "

    You\u2019re committing an offence and can be fined if you take too many fish or fish that aren\u2019t the right size.

    ", + "

    Size limits

    ", + "

    Whether you can keep a fish depends on:

    ", + "
  • the type of fish
  • ", + "
  • where you\u2019re fishing
  • ", + "

    Read the local byelaws for your region.

    ", + "

    You must measure fish from the tip of the snout to the fork of the tail.

    ", + "

    Catch limits

    ", + "

    There\u2019s a daily limit on the number of fish you can take.

    ", + "

    Coarse (freshwater) fish

    ", + "

    Each day you can only take from rivers:

    ", + "
  • 1 pike (up to 65cm)
  • ", + "
  • 2 grayling (30cm to 38cm)
  • ", + "
  • 15 small fish (up to 20cm) including barbel, chub, common bream, common carp, crucian carp, dace, perch, rudd, silver bream, roach, smelt and tench
  • ", + "

    Any eels you catch (except conger eels) must be released alive.

    ", + "

    You can also take:

    ", + "
  • minor or \u2018tiddler\u2019 species, such as gudgeon
  • ", + "
  • non-native species
  • ", + "
  • ornamental varieties of native species like ghost or koi carp
  • ", + "

    You can be fined if you remove fish from privately-owned waters without written permission from the owner.

    ", + "

    Salmon and trout

    ", + "

    Read your local byelaws for the local daily limit of salmon and trout you can take.

    ", + "

    You can be fined for selling rod-caught salmon or sea trout in England and Wales.

    ", + "

    Tackle you can use

    ", + "

    There are rules on how many rods you can use at a time, and the types of lures, bait, nets and weights.

    ", + "

    Read the local byelaws for your region.

    ", + "

    Fishing rods

    ", + "

    The number of rods you can use at the same time depends on the water you\u2019re fishing in and the fish you\u2019re trying to catch.

    ", + "

    You must make sure that the distance between the butts of the outermost rods isn\u2019t more than 3 metres when fishing with multiple rods and lines.

    ", + "

    It\u2019s illegal to leave a rod and line in the water unattended or over which you don\u2019t have sufficient control.

    ", + "

    Lures, bait and tackle

    ", + "

    In England and Wales you must not:

    ", + "
  • use crayfish as bait
  • ", + "
  • use another fish you\u2019ve taken as bait unless you\u2019re doing so on the same waters where you caught it
  • ", + "
  • keep fish you\u2019ve foul hooked (caught with a hook puncturing anywhere but the fish\u2019s mouth or throat) - these must be returned alive
  • ", + "
  • use a gaff (a pole with a large hook at the end) or a tailer (a loop of cable or wire at the end of a pole)
  • ", + "

    Before 16 June you can only use artificial lure and artificial fly to fish for salmon, which must be returned unharmed to the water.

    ", + "

    Dispose of your tackle safely to avoid harm to wildlife.

    ", + "

    Lead weights

    ", + "

    You can only use lead weights if they\u2019re .06 grams or less or more than 28.35 grams. This means lead shot weights from size 14 to size 8 and lead weights over 1 ounce.

    ", + "

    Lead is toxic to birds, so if you\u2019re using lead dust shot make sure the containers are spill proof.

    ", + "

    Keepnets, keepsacks and landing nets

    ", + "

    Keepnets must:

    ", + "
  • have no knotted meshes or meshes of metallic material
  • ", + "
  • have holes smaller than 25mm
  • ", + "
  • be more than 2 metres long
  • ", + "
  • have supporting rings or frames less than 40cm apart and more than 120cm in circumference
  • ", + "

    A keepsack must be:

    ", + "
  • made from a soft, dark coloured, non-abrasive and water permeable fabric
  • ", + "
  • at least 120cm by 90cm if rectangular
  • ", + "
  • at least 150cm by 30cm by 40cm if used with a frame
  • ", + "
  • used to hold no more than one fish at a time
  • ", + "

    Landing nets

    ", + "

    You can\u2019t use a landing net with any meshes that are knotted or made of metallic material.

    " + ] + }, + { + "title": "Hunting and shooting wildlife", + "url": "https://www.gov.uk/hunting", + "contents": [ + "

    Overview

    ", + "

    You must follow the rules for hunting and shooting wildlife including:

    ", + "
  • what you can hunt or shoot
  • ", + "
  • when you can do it
  • ", + "
  • what equipment you can use
  • ", + "

    You can be fined or jailed for hunting illegally or causing unnecessary suffering to an animal.

    ", + "

    You must have permission from the land owner.

    ", + "

    Firearms and shotgun certificates

    ", + "

    You must get a certificate to use a shotgun, rifle or other firearm.

    ", + "

    You don\u2019t need a certificate for:

    ", + "
  • air rifles up to 12ft lb in power
  • ", + "
  • air pistols up to 6ft lb in power
  • ", + "

    You can\u2019t use:

    ", + "
  • bows or crossbows
  • ", + "
  • explosives (other than the legal ammunition for a firearm)
  • ", + "

    Managing wildlife and controlling pests

    ", + "

    There are different rules about what you can do to manage wildlife on your land or control pests on your property.

    ", + "

    Birds

    ", + "

    You can shoot certain species of game birds, quarry birds and waterfowl but only during the shooting season.

    ", + "

    Sometimes you can only shoot in certain locations, for example you can\u2019t shoot some waterfowl above the high water line.

    ", + "

    You can\u2019t shoot birds in the closed season.

    ", + "

    You must get a falconry licence to hunt birds with a falcon.

    ", + "

    Equipment

    ", + "

    If you\u2019re using a shotgun to shoot birds, the internal diameter of the shotgun can\u2019t be more than 1.75 inches.

    ", + "

    You can\u2019t use:

    ", + "
  • a firearm that can hold more than 2 rounds of ammunition in the magazine (such as an automatic or semi-automatic weapon)
  • ", + "
  • artificial lighting
  • ", + "
  • a sighting device for night shooting, or a device for lighting up targets
  • ", + "

    Mammals

    ", + "

    There are different rules for foxes, deer and other mammals.

    ", + "

    Foxes

    ", + "

    It\u2019s illegal to hunt foxes with a pack of dogs. You can use dogs to simulate hunting, for example \u2018drag\u2019 or \u2018trail\u2019 hunting.

    ", + "

    You can use up to 2 dogs to chase (\u2018flush\u2019 or \u2018stalk\u2019) foxes out of hiding if the fox is causing damage to your property or the environment.

    ", + "

    Your dogs can\u2019t go underground to find the foxes unless they\u2019re threatening wild or game birds kept for shooting - only one dog can go underground at any time.

    ", + "

    You must:

    ", + "
  • shoot the fox quickly after it\u2019s been found
  • ", + "
  • carry proof you own the land you\u2019re shooting on or written permission from the landowner
  • ", + "

    You can be fined, and your dogs or hunting equipment taken away, if you break the law.

    ", + "

    There are other ways you can control foxes if they\u2019re causing damage to your property or the environment.

    ", + "

    Deer

    ", + "

    You must follow the restrictions on when you can shoot deer and what type of firearms and ammunition you can use.

    ", + "

    You need a licence to shoot deer:

    ", + "
  • in the closed season
  • ", + "
  • at night (at any time of the year)
  • ", + "

    You can\u2019t use a vehicle to chase deer.

    ", + "

    Other mammals

    ", + "

    You can hunt or shoot some other mammals.

    ", + "

    There are rules on when you can hunt or shoot and what equipment you can use.

    " + ] + }, + { + "title": "Prepare for flooding", + "url": "https://www.gov.uk/prepare-for-flooding", + "contents": [ + "

    If you\u2019re about to be flooded

    ", + "

    Check the National Flood Forum or speak to a Floodline adviser to find out how to stay safe during a flood.

    ", + "

    You can check if there\u2019s currently a flood warning in your area.

    ", + "

    Sandbags

    ", + "

    Contact your local council to find out where to get sandbags. You can also get them from some DIY or building supplies shops.

    ", + "

    If you need to travel

    ", + "

    Check flood warnings and road travel information.

    ", + "

    Protect yourself from future flooding

    ", + "

    Plan how you\u2019ll respond to a flood. Use a template to make a:

    ", + "
  • personal flood plan
  • ", + "
  • community or group flood plan - if you\u2019re responsible for an organisation such as a school, hospital, care home or community group
  • ", + "
  • business flood plan
  • ", + "

    Protect your property

    ", + "

    You can:

    ", + "
  • get advice from the National Flood Forum about how to protect your property and how much this will cost
  • ", + "
  • find flood protection products and services at Blue Pages
  • ", + "

    You may need permission to do work that will affect the flow of a river or divert flood water.

    ", + "

    If you own a riverside property

    ", + "

    If you own property next to a watercourse, for example a river, culvert, brook or mill stream, you must:

    ", + "
  • maintain river beds and banks
  • ", + "
  • not obstruct the water flow
  • ", + "

    Read guidance on the rights and responsibilities of owning a riverside property.

    ", + "

    Contact the Environment Agency if you have questions about your responsibilities.

    ", + "

    If your property\u2019s next to a canal

    ", + "

    Contact the Canal and River Trust to check who\u2019s responsible for maintaining the canal.

    ", + "

    If you have a disability or need extra help

    ", + "

    Ask your council if you can be put on a list to get extra help during a flood.

    ", + "

    Citizens Advice can help make sure you\u2019ll get support if your energy supply is affected.

    ", + "

    Ask Floodline to send flood warnings to a friend or relative on your behalf.

    ", + "

    Get insurance

    ", + "

    You can:

    ", + "
  • find lower-cost home insurance through Flood Re if you\u2019re in a flood-risk area
  • ", + "
  • get insurance advice from the National Flood Forum
  • ", + "
  • find a broker that specialises in properties that are difficult to insure
  • ", + "

    Get evidence of flood risk

    ", + "

    Contact the Environment Agency if your insurer asks for evidence of your flood risk.

    ", + "

    You\u2019ll get a letter within 20 days. It\u2019s free for individuals and businesses.

    ", + "

    If you\u2019ve done work on your property

    ", + "

    You or a surveyor can complete a Flood Risk Report. This will tell insurers or buyers how the work has reduced the flood risk.

    " + ] + }, + { + "title": "Electrical waste: retailer and distributor responsibilities", + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "contents": [ + "

    Your responsibilities

    ", + "

    You have certain responsibilities if you sell electrical and electronic equipment (EEE).

    ", + "

    You must provide a way for your customers to dispose of their old household electrical and electronic equipment when you sell them a new version of the same item.

    ", + "

    The waste electrical and electronic equipment (WEEE) regulations apply regardless of how you sell the products, whether direct or by internet, mail order or telephone.

    ", + "

    You must either:

    ", + "
  • provide a free, in store, take back service to your customers
  • ", + "
  • set up an alternative, free take back service
  • ", + "

    If you do not have your own take back service, you must join the Distributor Takeback Scheme (DTS).

    ", + "

    You can be prosecuted if you do not comply with the regulations.

    ", + "

    Tell your customers which service you provide

    ", + "

    You must provide free written information to your customers on:

    ", + "
  • which take back service you provide, including collect on delivery
  • ", + "
  • how they can reuse and recycle electrical and electronic equipment
  • ", + "
  • why this waste needs to be separated from other waste
  • ", + "
  • the damaging effects of not recycling electrical and electronic equipment
  • ", + "
  • the meaning of the crossed-out wheelie bin symbol
  • ", + "

    Shops

    ", + "

    You can provide this information by, for example:

    ", + "
  • displaying posters in your store about which service you provide
  • ", + "
  • including information leaflets with the electrical and electronic equipment you sell
  • ", + "

    Online retailers

    ", + "

    You must publish this information on your website. You can download free customer information if you offer a take back service. DTS members can get these from the scheme.

    ", + "

    You have other responsibilities if you\u2019re a \u2018producer\u2019 - for example you make and sell EEE under your own brand, or sell it in UK from abroad.

    ", + "

    Take back waste in store

    ", + "

    You must offer to take back waste of the same type as the item your customers buy from you, regardless of:

    ", + "
  • whether they buy in-store, online or by mail order
  • ", + "
  • the brand of the item
  • ", + "

    You must also take back items that have the same function. For example, you would:

    ", + "
  • take back a customer\u2019s old kettle when they buy a new one
  • ", + "
  • take back a video player if the customer buys a DVD player
  • ", + "

    You must:

    ", + "
  • offer the in-store service for free - but you can charge to cover transport costs if you\u2019re collecting items from customers\u2019 homes
  • ", + "
  • give customers at least 28 days to bring back their waste item
  • ", + "
  • take back all types of electrical and electronic equipment that you sell - you can choose to extend your service to cover all kinds of electrical and electronic waste
  • ", + "

    Small electronic equipment

    ", + "

    \u2018Very small WEEE\u2019 are items of waste electrical and electronic equipment that are less than 25cm on their longest side.

    ", + "

    You must take back all items of \u2018very small WEEE\u2019 in store if your electrical and electronic equipment sales area is greater than 400 square metres including aisle, display and shelf space.

    ", + "

    You must provide this service to everyone for free, regardless of whether they\u2019ve bought anything from your store.

    ", + "

    You\u2019re exempt if you\u2019ve joined the Distributor Takeback Scheme (DTS) or an assessment shows you already have an effective system.

    ", + "

    Store waste

    ", + "

    Check the conditions to see if you can store the waste temporarily before you dispose of it.

    ", + "

    Dispose of waste

    ", + "

    To dispose of the waste you\u2019ve collected you can do one of the following.

    ", + "

    Producer compliance schemes

    ", + "

    Contact a producer compliance scheme (PCS).

    ", + "

    The PCS will arrange for the waste to be recycled or prepared for re-use at an Approved Authorised Treatment Facility (AATF).

    ", + "

    You may be charged for the collection and transportation of the waste to the AATF or the PCS collection point.

    ", + "

    Transport the waste yourself

    ", + "

    You can transport the waste to an AATF or PCS collection point yourself.

    ", + "

    You need to register as a waste carrier in:

    ", + "
  • England
  • ", + "
  • Wales
  • ", + "
  • Scotland
  • ", + "
  • Northern Ireland
  • ", + "

    You may also need to follow the rules on transporting hazardous waste in:

    ", + "
  • England and Wales
  • ", + "
  • Scotland
  • ", + "
  • Northern Ireland
  • ", + "

    Keep records

    ", + "

    You must keep records of all electrical and electronic waste that you collect and dispose of - you can use a template.

    ", + "

    Include the number of units you\u2019ve received through take back and say how many of these were returned to a PCS.

    ", + "

    You need to keep all documentation you make, or are given by the PCS or the AATF, when you dispose of electrical and electronic waste.

    ", + "

    You also need to keep records of how you tell customers about your take back scheme.

    ", + "

    Keep all your records for 4 years.

    ", + "

    Set up an alternative take back service

    ", + "

    You can set up a \u2018designated collection facility\u2019 (DCF) where your customers can take all types of electrical and electronic waste.

    ", + "

    You can do this on your own or with other distributors.

    ", + "

    You must follow the waste electrical and electronic equipment (WEEE) regulations, other waste management legislation and local planning requirements when managing a DCF.

    ", + "

    You must agree with a producer compliance scheme (PCS) to return the electrical and electronic equipment (EEE) direct to an Approved Authorised Treatment Facility (AATF).

    ", + "

    Use the Distributor Takeback Scheme

    ", + "

    You can use the Distributor Takeback Scheme (DTS) instead of providing a takeback service, if either of the following apply:

    ", + "
  • your business sells less than \u00a3100,000 of electrical and electronic equipment (EEE) per year
  • ", + "
  • you only sell online
  • ", + "

    If your business sells \u00a3100,000 or more of EEE per year and has physical stores, you cannot use the DTS after 31 December 2020. You\u2019ll need to take back waste in store or set up an alternative collection point instead.

    ", + "

    How the scheme works

    ", + "

    You pay a fee that covers your waste electrical and electronic equipment (WEEE) obligations until 31 December 2021. The amount you pay depends on:

    ", + "
  • the size of your business
  • ", + "
  • whether you only sell online
  • ", + "
  • how much EEE you sell
  • ", + "

    This money goes towards supporting the recycling centres run by local authorities.

    ", + "

    You\u2019ll need to keep a record of what information you give to your customers about where they should take their WEEE.

    ", + "

    If you do not comply

    ", + "

    If you fail to comply with the waste electrical and electronic equipment (WEEE) regulations, you can be prosecuted and fined up to \u00a35,000 at a magistrates\u2019 court, or get an unlimited fine from a Crown Court.

    ", + "

    You may sometimes get warning letters and formal cautions before a prosecution.

    ", + "

    The Office for Product Safety and Standards enforces these regulations. You can contact them online, call or write to them.

    " + ] + }, + { + "title": "Septic tanks and treatment plants: permits and general binding rules", + "url": "https://www.gov.uk/permits-you-need-for-septic-tanks", + "contents": [ + "

    Overview

    ", + "

    If your house or business is not connected to the mains sewer, your sewage will go to one of the following:

    ", + "
  • a septic tank - an underground tank where the solids sink to the bottom and the liquid flows out and soaks through the ground
  • ", + "
  • a small sewage treatment plant (also known as a package treatment plant) - a part-mechanical system that treats the liquid so it\u2019s clean enough to go into a river or stream
  • ", + "
  • a cesspool (also called a cesspit) - a sealed tank that collects the sewage
  • ", + "
  • a non-standard system, such as a reed bed or trench arch system
  • ", + "

    There are different rules for septic tanks and treatment plants in Northern Ireland, Scotland and Wales.

    ", + "

    You have a non-standard system

    ", + "

    You must contact the Environment Agency to find out if you need a permit.

    ", + "

    You have a septic tank or small sewage treatment plant

    ", + "

    As the \u2018operator\u2019 of a septic tank or small sewage treatment plant you must check you meet the general binding rules. You must apply for a permit if you do not.

    ", + "

    You\u2019re an operator if any of the following is true:

    ", + "
  • you own the property that uses the system
  • ", + "
  • you own a property that shares the system with other properties - each property owner is an operator, and you\u2019re jointly responsible for complying with the general binding rules
  • ", + "
  • you have a written agreement with the property owner that says you\u2019re responsible for the system\u2019s maintenance, for example you\u2019re renting and it\u2019s in your tenancy agreement
  • ", + "

    Contact the Environment Agency if you\u2019re not sure whether you\u2019re an operator.

    ", + "

    The general binding rules

    ", + "

    You must follow the general binding rules if you\u2019re the operator of a septic tank or small sewage treatment plant.

    ", + "

    The sewage must:

    ", + "
  • be domestic in nature, for example from a toilet, bathroom, shower or kitchen of a house, flat or business (such as a pub, hotel or office) - contact the Environment Agency if you\u2019re not sure if the sewage is domestic in nature
  • ", + "
  • not cause pollution - find out how to check for pollution
  • ", + "

    There are other rules depending on whether you\u2019re releasing this sewage:

    ", + "
  • to the ground, for example in your back garden
  • ", + "
  • to a surface water, for example a river or stream
  • ", + "

    Ask your local installation or maintenance company if you\u2019re not sure what sort of system you have.

    ", + "

    Releasing to the ground

    ", + "

    You must use a septic tank or a small sewage treatment plant and a drainage field (infiltration system).

    ", + "

    You must apply for a permit if you release (\u2018discharge\u2019):

    ", + "
  • to a well, borehole or other deep structure
  • ", + "
  • more than 2 cubic metres (2,000 litres) per day
  • ", + "
  • in a groundwater source protection zone (SPZ1)
  • ", + "

    You must also read the additional rules for discharging sewage to the ground.

    ", + "

    Calculate how much sewage you discharge

    ", + "

    For sewage from a residential property, use the calculator to work out how much you discharge per day.

    ", + "

    For commercial properties (such as a hotel, restaurant or office) or holiday accommodation (such as a cottage or chalet), use British Water\u2019s flows and loads guidance or contact the Environment Agency for advice.

    ", + "

    Work out if you\u2019re in a groundwater source protection zone 1 (SPZ1)

    ", + "

    An SPZ1 can be either:

    ", + "
  • the area around a commercial water supply shown on the map of protected zones - check whether your discharge is in the inner zone (Zone 1) or ask the Environment Agency
  • ", + "
  • any area within 50 metres of a private water supply for human consumption - ask your neighbours if they have a spring, well or borehole, and how far it is from your drainage field
  • ", + "

    Releasing to a surface water

    ", + "

    You must use a small sewage treatment plant. You must apply for a permit if you\u2019re discharging more than 5 cubic metres (5,000 litres) per day. Use the calculator to work out how much you discharge per day.

    ", + "

    You must also read the additional rules for discharging sewage to a surface water.

    ", + "

    For commercial properties (such as a hotel, restaurant or office) or holiday accommodation (such as a cottage or chalet), use British Water\u2019s flows and loads guidance or contact the Environment Agency for advice.

    ", + "

    Installing a new system

    ", + "

    You must have building regulations approval. You may also need planning permission.

    ", + "

    Check with your local council.

    ", + "

    If you did not get permission and approval

    ", + "

    You must apply retrospectively for building regulations approval. You may also need planning permission.

    ", + "

    If your system was installed before 1 January 2015, you should contact your local council for advice.

    ", + "

    Apply for a permit

    ", + "

    You\u2019ll need a permit if you do not meet the general binding rules.

    ", + "

    The form you need to fill in depends on:

    ", + "
  • where you discharge the sewage
  • ", + "
  • how much you discharge
  • ", + "

    If you discharge sewage to ground

    ", + "

    There are different forms depending on whether you\u2019re in a groundwater protection zone (SPZ1).

    ", + "

    Outside an SPZ1

    ", + "

    There are different forms if you discharge:

    ", + "
  • between 2 and 15 cubic metres per day
  • ", + "
  • over 15 cubic metres per day
  • ", + "

    Inside an SPZ1

    ", + "

    If you discharge less than 2 cubic metres per day there are different forms:

    ", + "
  • for systems in use before 1 January 2015
  • ", + "
  • for those installed on or after 1 January 2015
  • ", + "

    There are different forms if you discharge:

    ", + "
  • between 2 and 15 cubic metres per day
  • ", + "
  • over 15 cubic metres per day
  • ", + "

    If you discharge sewage to a surface water

    ", + "

    If you discharge between 5 and 20 cubic metres per day, check if you can apply for a standard rules permit.

    ", + "

    If you cannot get a standard rules permit, you\u2019ll need a permit to discharge:

    ", + "
  • up to 20 cubic metres
  • ", + "
  • over 20 cubic metres
  • ", + "

    Before you start

    ", + "

    You need:

    ", + "
  • the 8-figure grid reference for your septic tank or treatment plant and the point where it discharges
  • ", + "
  • to calculate the largest amount you\u2019re likely to discharge - use one of the calculators in the chapter on the general binding rules
  • ", + "
  • to provide a suitable site plan \u2013 see an example site plan
  • ", + "

    Application fees

    ", + "

    Your application fee depends on whether your site is a domestic household, charity or another type of organisation.

    ", + "

    You\u2019re discharging to ground

    ", + "

    The application fee for domestic households and charities to discharge up to 5,000 litres (5 cubic metres) per day is \u00a3125.

    ", + "

    The fees are different for other organisations.

    ", + "Size of discharge per day | Fee", + "Up to 15,000 litres (15 cubic metres) | \u00a32,708", + "Over 15,000 litres (15 cubic metres) | \u00a35,699", + "Any volume that contains specific substances | \u00a36,052", + "

    You\u2019re discharging to a surface water

    ", + "

    The application fee for domestic households and charities to discharge up to 5,000 litres (5 cubic metres) per day is \u00a3125.

    ", + "

    The fees are different for other organisations.

    ", + "Size of discharge per day | Fee", + "Up to 5,000 litres (5 cubic metres) | \u00a32,534", + "Between 5,000 litres (5 cubic metres) and 50,000 litres (50 cubic metres) | \u00a34,170", + "Any volume that contains specific substances | \u00a37,649", + "

    Annual fees

    ", + "

    There\u2019s an annual subsistence fee for sites that are not domestic households or charities.

    ", + "Size of discharge per day | Fee", + "Up to 5,000 litres | \u00a3251", + "Between 5,000 litres and 20,000 litres with operator self monitoring | \u00a3823", + "Between 5,000 litres and 20,000 litres | \u00a3890", + "Between 20,000 litres and 50,000 litres with operator self monitoring | \u00a31,310", + "

    How long it takes

    ", + "

    You should get a decision on your application within 13 weeks.

    ", + "

    You\u2019ll be told if your application may take longer, for example because of planning issues.

    ", + "

    Your application is refused

    ", + "

    If your application is refused, you\u2019ll be told:

    ", + "
  • the reasons for refusal
  • ", + "
  • how you can appeal
  • ", + "

    Complying with your permit

    ", + "

    See the guidance on how to comply with your permit, including maintenance, record keeping and pollution reporting requirements.

    ", + "

    Get help

    ", + "

    You can ask the Environment Agency for help with your application.

    ", + "

    You have a cesspool

    ", + "

    You do not have to comply with the general binding rules or apply for a permit.

    ", + "

    You must maintain your cesspool and make sure it:

    ", + "
  • is emptied regularly (for example once a month) by a registered waste carrier
  • ", + "
  • does not leak or overflow
  • ", + "

    The Environment Agency or your local council can make you repair or replace your cesspool if it\u2019s in poor condition.

    ", + "

    If you install a new cesspool

    ", + "

    You must:

    ", + "
  • get planning permission and building regulations approval
  • ", + "
  • make sure it has a minimum capacity of 18,000 litres per 2 users (plus another 6,800 litres per each extra user)
  • ", + "

    Contact

    " + ] + }, + { + "title": "Storing oil at your home or business", + "url": "https://www.gov.uk/oil-storage-regulations-and-safety", + "contents": [ + "

    Overview

    ", + "

    You have to follow certain regulations if you have an oil storage container at your home, business or farm.

    ", + "

    Oil storage containers include tanks, drums, intermediate bulk containers (IBCs) and mobile containers called \u2018bowsers\u2019.

    ", + "

    The person responsible for the property or premises is usually legally responsible for the oil storage container, for example the homeowner, business owner or site manager.

    ", + "

    Which regulations to follow

    ", + "

    The regulations are different depending on where you store your oil.

    ", + "

    At your home

    ", + "

    You normally have to follow building regulations if you have an oil storage container installed at your home.

    ", + "

    If your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.

    ", + "

    At your business

    ", + "

    You have to follow oil storage regulations if the container at your business can hold 201 litres or more of certain types of oil.

    ", + "

    The regulations for businesses also apply to public sector buildings like schools, hospitals, churches and residential care homes.

    ", + "

    At your farm

    ", + "

    You have to follow different regulations depending on whether you\u2019re storing oil:

    ", + "
  • for heat and power for agriculture, for example to fuel your tractor or run a grain dryer
  • ", + "
  • to heat your farmhouse
  • ", + "
  • for a separate part of your business, for example to fuel vehicles you hire out
  • ", + "

    Checking and labelling your tank

    ", + "

    You should get your oil storage container inspected every year by a professional.

    ", + "

    The person inspecting your tank will let you know when you should replace it.

    ", + "

    Oil Care suggest that you look at your oil tank at least once a month, and learn what to do if you have an oil leak or spill.

    ", + "

    Storing oil at your home

    ", + "

    You must meet building regulations if you have a new or replacement oil storage container installed at your home in England, for example to fuel your cooker or central heating.

    ", + "

    Building regulations are different if your home is in Wales, Scotland or Northern Ireland.

    ", + "

    If your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.

    ", + "

    Choosing someone to install your tank

    ", + "

    You should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme. They can self-certify that their work complies with building regulations and can deal with building control issues, like objections.

    ", + "

    If you do not use someone registered with a \u2018Competent Person\u2019 scheme, you\u2019ll have to get a Building Control Notice from your local council and arrange and pay for an inspection yourself.

    ", + "

    Without approval you will not have the certificates of compliance you may need when you want to sell your home.

    ", + "

    Penalties

    ", + "

    The person installing your tank could be prosecuted and fined if they do not comply with building regulations.

    ", + "

    You\u2019re also responsible for making sure their work meets the regulations. Your local authority could make you pay for faulty work to be fixed.

    ", + "

    Catching oil leaks and spills

    ", + "

    The person installing your tank will do a risk assessment, and they\u2019ll let you know if your tank has to have secondary containment (a \u2018bund\u2019). The bund must:

    ", + "
  • hold 110% of the tank\u2019s capacity
  • ", + "
  • be impermeable to oil and water
  • ", + "

    You\u2019ll need a bund if your tank\u2019s in any of the following places:

    ", + "
  • where oil spills could run into an open drain or a loose manhole cover
  • ", + "
  • where the tank vent pipes cannot be seen when the tank\u2019s being filled, for example because the delivery tanker is parked too far away
  • ", + "
  • within 10 metres of coastal waters or inland fresh waters like lakes or streams
  • ", + "
  • within 50 metres of a drinking water source, for example wells, boreholes or springs
  • ", + "
  • where oil spills could run over hard ground and reach coastal waters, inland fresh waters or a drinking water source
  • ", + "
  • in the inner zone of groundwater source protection zone 1
  • ", + "

    You\u2019ll also need a bund if your tank can hold more than 2,500 litres of oil.

    ", + "

    Your oil storage container must have a sticker in a prominent position that tells you how to look after your oil and what to do if you have a spill. The person installing your new tank will put this on - but you can find out how to order a new sticker.

    ", + "

    Storing oil at your business

    ", + "

    You must follow the regulations for businesses if your oil container can hold 201 litres or more of:

    ", + "
  • petrol
  • ", + "
  • diesel
  • ", + "
  • biofuels
  • ", + "
  • kerosene
  • ", + "
  • vegetable oil and plant-based oils, for example sunflower oil or aromatherapy oil - including waste cooking oil
  • ", + "
  • synthetic oils, for example motor oil - including waste oil
  • ", + "
  • oils used as solvents
  • ", + "
  • biodegradable oils, for example lubricating or hydraulic oils
  • ", + "
  • liquid bitumen-based products, for example waterproofing or damp proofing products, or coatings for a road surface
  • ", + "

    The regulations do not apply to:

    ", + "
  • liquid petroleum gas (LPG)
  • ", + "
  • hydrocarbon products that are solid when unheated, like bitumen
  • ", + "
  • solvents that are not oil based, for example trichloroethylene
  • ", + "
  • aromatic hydrocarbons like benzene and toluene
  • ", + "
  • waste mineral oils drained from vehicles, and mixtures of diesel and petrol that cannot be used as vehicle fuel
  • ", + "

    You must follow different regulations in Scotland, Northern Ireland and Wales.

    ", + "

    Other exceptions

    ", + "

    You do not have to follow oil storage regulations if your oil is:

    ", + "
  • on a farm and you use it for heat and power for agriculture or for your farmhouse
  • ", + "
  • stored for distribution to other places
  • ", + "
  • in use, for example lubrication in a hydraulic system
  • ", + "

    The regulations do not apply if your storage containers are:

    ", + "
  • underground
  • ", + "
  • in a building that would capture leaking oil - contact your local council to find out if you have to meet any extra fire safety regulations
  • ", + "
  • at a refinery
  • ", + "
  • at a premises for onward distribution of oil - but not a premises which sells oil directly to end users or a premises that uses oil
  • ", + "

    Check if you need an environmental permit if you\u2019re storing certain waste oils.

    ", + "

    Choosing someone to install your oil storage tank

    ", + "

    You should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme.

    ", + "

    You\u2019re responsible for any pollution caused by problems with your oil storage container. You need to know the regulations about oil storage containers, including where it\u2019s located and how it\u2019s protected.

    ", + "

    Penalties

    ", + "

    You can be fined if you do not follow the oil storage regulations.

    ", + "

    The Environment Agency can also serve an anti-pollution works notice to make you bring your tank up to legal requirements.

    ", + "

    Get advice

    ", + "

    Contact the Environment Agency if you have a question about following oil storage regulations in England.

    ", + "

    If your business is outside England, contact one of the following:

    ", + "
  • Natural Resources Wales
  • ", + "
  • Scottish Environment Protection Agency
  • ", + "
  • Department of the Environment (Northern Ireland)
  • " + ] + }, + { + "title": "Check your tenant's right to rent", + "url": "https://www.gov.uk/check-tenant-right-to-rent-documents", + "contents": [ + "

    Who you have to check

    ", + "

    You must check that a tenant or lodger can legally rent your residential property in England.

    ", + "

    Check with the Home Office if the tenant is a Commonwealth citizen but does not have the right documents - they might still have the right to rent in the UK.

    ", + "

    Before the start of a new tenancy, you must check all tenants aged 18 and over, even if:

    ", + "
  • they\u2019re not named on the tenancy agreement
  • ", + "
  • there\u2019s no tenancy agreement
  • ", + "
  • the tenancy agreement is not in writing
  • ", + "

    Check all new tenants. It\u2019s against the law to only check people you think are not British citizens. You must not discriminate against anyone because of where they\u2019re from.

    ", + "

    Sign up for email updates about the right to rent policy.

    ", + "

    If the tenant is only allowed to stay in the UK for a limited time, you need to do the check in the 28 days before the start of the tenancy.

    ", + "

    You do not need to check tenants in these types of accommodation:

    ", + "
  • social housing
  • ", + "
  • a care home, hospice or hospital
  • ", + "
  • a hostel or refuge
  • ", + "
  • a mobile home
  • ", + "
  • student accommodation
  • ", + "

    You also do not need to check tenants if they live in accommodation that:

    ", + "
  • is provided by a local authority
  • ", + "
  • is provided as part of their job (known as \u2018tied accommodation\u2019)
  • ", + "
  • has a lease that\u2019s 7 years or longer
  • ", + "

    Read the code of practice to find out if you need to do any other checks instead.

    ", + "

    How to do a check

    ", + "

    Because of coronavirus (COVID-19) there are temporary changes to the way you can check documents. Read guidance about the adjusted process, including asking for documents digitally, making checks on a video call, and what to do if someone cannot provide any accepted documents.

    ", + "
  • Check which adults will use your property as their main home (your \u2018tenants\u2019).
  • ", + "
  • Ask them for original documents that prove they can live in the UK.
  • ", + "
  • Check their documents to see if they have the right to rent your property.
  • ", + "
  • Check that each tenant\u2019s documents are genuine and belong to them, with the tenant present.
  • ", + "
  • Make and keep copies of the documents and record the date you made the check.
  • ", + "

    You can get an unlimited fine or be sent to prison for renting your property to someone who is not allowed to stay in England.

    ", + "

    Checking EU, EEA and Swiss citizens

    ", + "

    Right to rent checks continue in the same way as now until 30 June 2021 for citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein.

    ", + "

    Continue checking their passport or national identity card as before. For family members of citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein, follow the usual guidance for documents you can accept for right to rent checks.

    ", + "

    You cannot insist that citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein show that they have settled status or pre-settled status when starting a new tenancy before 1 July. You can however ask if they have settled or pre-settled status, and whether they want to use this instead of a passport or identity card.

    ", + "

    If the tenancy starts on or after 1 July 2021 but you check their right to rent before this, you can still use their passport or national identity card.

    ", + "

    Check if the property is used as the tenant\u2019s main home

    ", + "

    A property would usually be a tenant\u2019s only or main home if:

    ", + "
  • they live there most of the time
  • ", + "
  • they keep most of their belongings there
  • ", + "
  • their partner or children live with them
  • ", + "
  • they\u2019re registered to vote at the property
  • ", + "
  • they\u2019re registered with the doctor using that address
  • ", + "

    Check their original documents

    ", + "

    You need to check that:

    ", + "
  • the documents are originals and belong to the tenant
  • ", + "
  • their permission to stay in the UK has not ended
  • ", + "
  • the photos on the documents are of the tenant
  • ", + "
  • the dates of birth are the same in all documents (and are believable)
  • ", + "
  • the documents are not too damaged or do not look like they\u2019ve been changed
  • ", + "
  • if any names are different on documents, there are supporting documents to show why, such as a marriage certificate or divorce decree
  • ", + "

    If the tenant does not have the right documents

    ", + "

    You must use the landlord\u2019s checking service to check whether the tenant\u2019s allowed to rent without the right documents if:

    ", + "
  • the Home Office has their documents
  • ", + "
  • they have an outstanding case or appeal with the Home Office
  • ", + "
  • the Home Office told them they have \u2018permission to rent\u2019
  • ", + "

    You\u2019ll get an answer within 2 working days.

    ", + "

    You\u2019ll need the tenant\u2019s Home Office reference number to use the service.

    ", + "

    Do not rent a property to someone in England if they do not have the right documents and the landlord\u2019s checking service tells you they are not allowed to rent.

    ", + "

    Get help with a check

    ", + "

    Call the landlord\u2019s helpline to get help with a check.

    ", + "

    You must follow the landlord\u2019s code of practice on illegal immigrants and private rented accommodation.

    ", + "

    Making copies of the documents

    ", + "

    When you copy the documents:

    ", + "
  • make a copy that cannot be changed, such as a photocopy or a good quality photograph
  • ", + "
  • for passports, copy every page with the expiry date or applicant\u2019s details (such as nationality, date of birth and photograph), including endorsements, for example a work visa or Certificate of Entitlement to the right of abode in the UK
  • ", + "
  • copy both sides of biometric residence permits
  • ", + "
  • make a complete copy of all other documents
  • ", + "
  • record the date you made the copy
  • ", + "

    Keep copies of the tenant\u2019s documents for the time they\u2019re your tenants and for one year after.

    ", + "

    Make sure you follow data protection law.

    ", + "

    If your tenant does not have any documents, you must check if they\u2019re allowed to rent your property.

    ", + "

    Follow-up checks

    ", + "

    You must do a follow-up check to make sure your tenant can still rent property in the UK if there\u2019s a time limit on their permission to stay.

    ", + "

    You can get a fine if you do not do a follow-up check and your tenant\u2019s permission to stay ends.

    ", + "

    Do the follow-up check just before the date that\u2019s the later of:

    ", + "
  • the end of your tenant\u2019s permission to stay in the UK
  • ", + "
  • 12 months after your previous check
  • ", + "

    Because of coronavirus (COVID-19) there are temporary changes to the way you can check documents. Read guidance about the adjusted process, including asking for documents digitally, making checks on a video call, and what to do if someone cannot provide any accepted documents.

    ", + "

    You do not have to do a follow-up check if there\u2019s no time limit on your tenant\u2019s permission to stay in the UK.

    ", + "

    If your tenant fails a follow-up check

    ", + "

    You must tell the Home Office if you find out that your tenant can no longer legally rent property in England after doing a follow-up check.

    ", + "

    You could be fined or sent to prison for up to 5 years if your tenant fails a follow-up check and you do not report it to the Home Office.

    ", + "

    Agents and subletting

    ", + "

    You can ask any agents that manage or let your property to carry out the check for you. You should have this agreement in writing.

    ", + "

    If a tenant sub-lets the property without you knowing, they\u2019re responsible for carrying out checks on any sub-tenants. They will be liable for any civil penalties if they do not do the check correctly.

    " + ] + }, + { + "title": "Deposit protection schemes and landlords", + "url": "https://www.gov.uk/deposit-protection-schemes-and-landlords", + "contents": [ + "

    Overview

    ", + "

    You must place your tenants\u2019 deposit in a tenancy deposit protection (TDP) scheme if you rent out your home on an assured shorthold tenancy that started after 6 April 2007.

    ", + "

    If you receive a valuable item as a deposit instead of money (for example a car or watch), you do not have to put it in a TDP.

    ", + "

    These government-backed schemes ensure your tenants will get their deposit back if they:

    ", + "
  • meet the terms of your tenancy agreement
  • ", + "
  • do not damage the property
  • ", + "
  • pay the rent and bills
  • ", + "

    You (or your letting agent) must put your tenants\u2019 deposit in the scheme within 30 days of getting it.

    ", + "

    Available schemes

    ", + "

    You can use any of the following schemes if your property is in England or Wales:

    ", + "
  • Deposit Protection Service
  • ", + "
  • MyDeposits
  • ", + "
  • Tenancy Deposit Scheme
  • ", + "

    There are separate TDP schemes in Scotland and Northern Ireland.

    ", + "

    All TDP schemes offer you 2 options:

    ", + "
  • the scheme hold the deposit for free - known as a \u2018custodial\u2019 scheme
  • ", + "
  • you or the agent holds the deposit and you pay the scheme to insure it - known as an \u2018insured\u2019 scheme
  • ", + "

    At the end of the tenancy

    ", + "

    The deposit must be returned to your tenants within 10 days of you both agreeing how much they\u2019ll get back.

    ", + "

    If you\u2019re in a dispute with your tenants

    ", + "

    The deposit is protected in the scheme until the issue is settled.

    ", + "

    If you\u2019re in an \u2018insured\u2019 scheme, you or the agent must give the deposit to the TDP scheme. They will hold it until the issue is settled.

    ", + "

    Holding deposits

    ", + "

    If you\u2019ve received a holding deposit from your future tenants (money to \u2018hold\u2019 a property before an agreement is signed), you do not have to protect it. Once they become tenants the holding deposit becomes a deposit, and you must protect it.

    ", + "

    Deposits made by a third party

    ", + "

    You must use a TDP scheme even if the deposit is paid by someone else, like a rent deposit scheme or a tenant\u2019s parents.

    ", + "

    Information you must give to your tenants

    ", + "

    Within 30 days of getting their deposit, you must tell your tenants:

    ", + "
  • the address of the rented property
  • ", + "
  • how much deposit they\u2019ve paid
  • ", + "
  • how the deposit is protected
  • ", + "
  • the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service
  • ", + "
  • your (or your letting agency\u2019s) name and contact details
  • ", + "
  • the name and contact details of any third party who paid the deposit
  • ", + "
  • why you would keep some or all of the deposit - for example, because your tenants damaged the property and you need to fix it
  • ", + "
  • how to apply to get the deposit back at the end of the tenancy
  • ", + "
  • what to do if they cannot get hold of you at the end of the tenancy
  • ", + "
  • what to do if there\u2019s a dispute over the amount of deposit to be returned at the end of the tenancy
  • ", + "

    If you do not protect your tenants' deposit

    ", + "

    Your tenants can apply to a county court if you do not use a tenancy deposit protection (TDP) scheme when you have to. They can do this at any time during the tenancy.

    ", + "

    If the court finds you have not protected the deposit, it can order you to either:

    ", + "
  • repay it to your tenants
  • ", + "
  • pay it into a custodial TDP scheme\u2019s bank account within 14 days
  • ", + "

    The court may also order you to repay your tenants up to 3 times their original deposit within 14 days of making the order.

    ", + "

    At the end of the tenancy

    ", + "

    The court may also decide that your tenants do not have to leave the property when the tenancy ends if you did not use a TDP scheme when you should have.

    ", + "

    Disputes

    ", + "

    Use your tenancy deposit protection (TDP) scheme\u2019s free dispute resolution service if you disagree with your tenants about how much deposit should be returned.

    ", + "

    Contact your TDP scheme for more information on the dispute resolution service. The schemes are:

    ", + "
  • Deposit Protection Service
  • ", + "
  • MyDeposits
  • ", + "
  • Tenancy Deposit Scheme
  • ", + "

    Help and advice

    ", + "

    You can get more help and advice from:

    ", + "
  • your local Citizens Advice Bureau
  • ", + "
  • a solicitor
  • " + ] + }, + { + "title": "Evicting tenants (England and Wales)", + "url": "https://www.gov.uk/evicting-tenants", + "contents": [ + "

    Overview

    ", + "

    You must follow strict procedures if you want your tenants to leave your property.

    ", + "

    You may be guilty of harassing or illegally evicting your tenants if you do not follow the correct procedures.

    ", + "

    There\u2019s different guidance on:

    ", + "
  • evicting tenants in Northern Ireland
  • ", + "
  • evicting tenants in Scotland
  • ", + "

    Procedures for different types of tenancy

    ", + "

    The exact procedure will depend on the tenancy agreement and its terms.

    ", + "

    Assured shorthold tenancies

    ", + "

    The 2 types of assured shorthold tenancies are:

    ", + "
  • \u2018periodic\u2019 tenancies - these run week by week or month by month with no fixed end date
  • ", + "
  • fixed-term tenancies - these run for a set amount of time
  • ", + "

    You must follow a set process if your tenants have an assured shorthold tenancy.

    ", + "
  • Give your tenants a Section 21 notice if you want the property back after a fixed term ends. Give them a Section 8 notice if they\u2019ve broken the terms of the tenancy. Find out how to give Section 21 and Section 8 notices.
  • ", + "
  • Apply to the court for a standard possession order if your tenants do not leave by the date specified on the notice and they owe you rent. You can apply for an accelerated possession order if you\u2019re not claiming any unpaid rent.
  • ", + "
  • Apply for a warrant for possession if your tenants still will not leave - this means bailiffs can remove the tenants from your property.
  • ", + "

    Because of coronavirus (COVID-19), bailiffs will not currently evict your tenants if your property is in Wales, unless there\u2019s a serious reason.

    ", + "

    Excluded tenancies or licences

    ", + "

    You do not have to go to court to evict your tenants if they have an excluded tenancy or licence, for example if they live with you.

    ", + "

    You only need to give them \u2018reasonable notice\u2019 to quit. Reasonable notice usually means the length of the rental payment period, so if your tenants pay rent weekly you can give them one week\u2019s notice. The notice does not have to be in writing.

    ", + "

    You can then change the locks on their rooms, even if they still have belongings in there.

    ", + "

    Assured and regulated tenancies

    ", + "

    If your tenants started their tenancy before 27 February 1997, they might have an assured or regulated tenancy. You\u2019ll then have to follow different rules to evict them and they\u2019ll have increased protection from eviction.

    ", + "

    You can get information from Shelter about:

    ", + "
  • assured tenancies in England
  • ", + "
  • regulated tenancies in England
  • ", + "

    You can get information from Shelter Cymru about:

    ", + "
  • assured tenancies in Wales
  • ", + "
  • regulated tenancies in Wales
  • ", + "

    Your tenant owes rent and gets housing benefits

    ", + "

    If your tenant owes you rent and claims Universal Credit or Housing Benefit you may be able get the rent paid straight to you instead of evicting them. This is known as \u2018managed payments\u2019.

    ", + "

    Request managed payments if your tenant is claiming:

    ", + "
  • Universal Credit - apply to the Department for Work and Pensions
  • ", + "
  • Housing Benefit - contact the local council that pays your tenants\u2019 benefits
  • ", + "

    Section 21 and Section 8 notices

    ", + "

    You can evict tenants who have an assured shorthold tenancy using a Section 21 or Section 8 notice, or both.

    ", + "

    Use a Section 8 notice if your tenants have broken the terms of the tenancy.

    ", + "

    Section 21 notice of seeking possession

    ", + "

    You can use a Section 21 notice to evict your tenants either:

    ", + "
  • after a fixed term tenancy ends - if there\u2019s a written contract
  • ", + "
  • during a tenancy with no fixed end date - known as a \u2018periodic\u2019 tenancy
  • ", + "

    You can get legal advice if you do not know which notice to give.

    ", + "

    When you cannot use a Section 21 notice in England

    ", + "

    You cannot use a Section 21 notice if any of the following apply:

    ", + "
  • it\u2019s less than 4 months since the tenancy started, or the fixed term has not ended, unless there\u2019s a clause in the contract which allows you to do this
  • ", + "
  • the property is categorised as a house in multiple occupation (HMO) and does not have a HMO licence from the council
  • ", + "
  • the tenancy started after April 2007 and you have not put the tenants\u2019 deposit in a deposit protection scheme
  • ", + "
  • the tenancy started after October 2015 and you have not used form 6a or a letter with all the same information on it
  • ", + "
  • the council has served an improvement notice on the property in the last 6 months
  • ", + "
  • the council has served a notice in the last 6 months that says it will do emergency works on the property
  • ", + "
  • you have not repaid any unlawful fees or deposits that you charged the tenant - read the guidance for landlords on the Tenant Fees Act 2019
  • ", + "

    You also cannot use a Section 21 notice if you have not given the tenants copies of:

    ", + "
  • the property\u2019s Energy Performance Certificate
  • ", + "
  • the government\u2019s \u2018How to rent\u2019 guide
  • ", + "
  • a current gas safety certificate for the property, if gas is installed
  • ", + "

    You must have given your tenants the gas safety certificate and the \u2018How to rent\u2019 guide before they moved in.

    ", + "

    You must have given your tenants a copy of the property\u2019s Energy Performance Certificate before they rented the property.

    ", + "

    When you cannot use a Section 21 notice in Wales

    ", + "

    You cannot use a Section 21 notice if any of the following apply:

    ", + "
  • it\u2019s less than 4 months since the tenancy started, or the fixed term has not ended, unless there\u2019s a clause in the contract which allows you to do this
  • ", + "
  • the property is categorised as a house in multiple occupation (HMO) and does not have a HMO licence from the council
  • ", + "
  • the tenancy started after April 2007 and you have not put the tenants\u2019 deposit in a deposit protection scheme
  • ", + "
  • the tenancy started after November 2016 and you do not have a landlord licence
  • ", + "

    Giving tenants a Section 21 notice

    ", + "

    In England, use form 6a if the tenancy was started or renewed after 30 September 2015. You can also write your own Section 21 notice.

    ", + "

    In Wales, you must explain in writing that you are serving an eviction notice under Section 21 of the Housing Act 1998.

    ", + "

    How much notice you need to give

    ", + "

    Usually, a Section 21 notice must give your tenants at least 2 months\u2019 notice to leave your property. Because of coronavirus (COVID-19) you must now give them a longer notice period.

    ", + "

    If you gave your tenant notice between 26 March 2020 and 28 August 2020, the notice period must have been at least 3 months.

    ", + "

    If you gave your tenant notice between 29 August 2020 and 31 May 2021, the notice period must have been at least 6 months.

    ", + "

    If you gave your tenant notice on or after 1 June 2021, the notice period must be at least 4 months.

    ", + "

    In Wales, the notice period must be at least 6 months if you gave your tenant notice on or after 24 July 2020.

    ", + "

    In England, you may need to give a longer notice period if you have a \u2018contractual\u2019 periodic tenancy. This is a fixed term tenancy that has ended, but included a clause to continue as a periodic tenancy. The amount of notice must be the same as the rental period, if this is more than 2 months. For example, if your tenant pays rent every 3 months, you must give 3 months\u2019 notice.

    ", + "

    In Wales, if it\u2019s a periodic tenancy, you must let your tenants stay for the notice period and any additional time covered by their final rent payment.

    ", + "

    After you give notice

    ", + "

    Keep proof that you gave notice to your tenants - either:

    ", + "
  • fill in the certification of service form (N215)
  • ", + "
  • write \u201cserved by [your name] on [the date]\u201d on the notice
  • ", + "

    If your tenants do not leave by the specified date, you can use your completed N215 or notice to apply for an accelerated possession order.

    ", + "

    Section 8 notice of seeking possession

    ", + "

    To give your tenants notice using a Section 8, you must fill in a \u2018Notice seeking possession of a property let on an assured tenancy or an assured agricultural occupancy\u2019. Specify on the notice which terms of the tenancy they\u2019ve broken.

    ", + "

    You can apply to the court for a possession order if your tenants do not leave by the specified date.

    ", + "

    You can get legal advice on how to fill in a Section 8 with the correct notice periods and how to give it to your tenants.

    ", + "

    How much notice you need to give

    ", + "

    If you gave your tenant notice before 26 March 2020, you would have needed to give them up to 2 months to leave, depending on the reason for eviction.

    ", + "

    Because of COVID-19, in most cases you must now give them a longer notice period.

    ", + "

    If you gave your tenant notice between 26 March 2020 and 28 August 2020, the notice period must have been at least 3 months.

    ", + "

    If you gave your tenant notice between 29 August 2020 and 31 May 2021, the notice period must have been at least 6 months.

    ", + "

    If you gave your tenant notice on or after 1 June 2021, the notice period must be at least 4 months.

    ", + "

    The notice period can be shorter in some cases, for example if you are evicting tenants for antisocial behaviour. Find more information in the \u2018Technical guidance on eviction notices\u2019.

    ", + "

    In Wales, if you gave notice on or after 24 July 2020, the notice period must be at least 6 months. If you want to evict your tenants because of antisocial behaviour, the notice period is still 3 months or more.

    ", + "

    Standard possession orders

    ", + "

    You can use the possession claim online service if you want to get your property back because your tenants owe you rent.

    ", + "

    This is usually the next step if you cannot agree a rent repayment plan with your tenant.

    ", + "

    The service lets you fill in court forms online and see how the claim is progressing. It costs \u00a3355.

    ", + "

    If you made a possession claim before 3 August 2020

    ", + "

    You\u2019ll usually need to complete an N244 form to tell the court you want to continue with your claim.

    ", + "

    You do not need to submit an N244 form if:

    ", + "
  • you submitted a reactivation notice to the court before 4pm on 30 April 2021
  • ", + "
  • a judge has issued a possession order that says your tenants must leave the property
  • ", + "

    How to submit an N244 form

    ", + "

    You\u2019ll need to either:

    ", + "
  • post 3 copies of the form with your payment to the court
  • ", + "
  • email the form to the court and give your phone number - the court will call you so that you can pay over the phone
  • ", + "

    It will cost \u00a3255 if you want the court to give your tenants notice of your application or \u00a3100 if not - for example, if the case is urgent.

    ", + "

    If the judge for your case decides that you need to give notice and you have not, you\u2019ll need to pay the extra \u00a3155.

    ", + "

    You may be eligible for help with court fees.

    ", + "

    When you cannot use the online service

    ", + "

    You will not be able to use the online service for some kinds of standard possession claim, for example where there\u2019s been trespass on your property, or your tenants have broken the terms of the lease.

    ", + "

    Fill in the paper standard possession claim form and post it to your local court that deals with housing possession.

    ", + "

    It costs \u00a3355 to apply. Send a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 to the court with your completed form.

    ", + "

    Accelerated possession orders

    ", + "

    You can apply for an accelerated possession order if your tenants have not left by the date specified in your Section 21 notice and you\u2019re not claiming rent arrears.

    ", + "

    This is sometimes quicker than applying for a standard possession order and there\u2019s usually no court hearing. It costs \u00a3355.

    ", + "

    Fixed-term tenants cannot be evicted until their tenancy ends.

    ", + "

    If you want to claim rent arrears you can use either the:

    ", + "
  • standard possession procedure
  • ", + "
  • accelerated procedure to get your property back, then make a separate court claim for the rent arrears
  • ", + "

    If you made a possession claim before 3 August 2020

    ", + "

    You\u2019ll usually need to complete an N244 form to tell the court you want to continue with your claim.

    ", + "

    You do not need to submit an N244 form if:

    ", + "
  • you submitted a reactivation notice to the court before 4pm on 30 April 2021
  • ", + "
  • a judge has issued a possession order that says your tenants must leave the property
  • ", + "

    How to submit an N244 form

    ", + "

    You\u2019ll need to either:

    ", + "
  • post 3 copies of the form with your payment to the court
  • ", + "
  • email the form to the court and give your phone number - the court will call you so that you can pay over the phone
  • ", + "

    It will cost \u00a3255 if you want the court to give your tenants notice of your application or \u00a3100 if not - for example, if the case is urgent.

    ", + "

    If the judge for your case decides that you need to give notice and you have not, you\u2019ll need to pay the extra \u00a3155.

    ", + "

    You may be eligible for help with court fees.

    ", + "

    How to apply

    ", + "

    Download and fill in:

    ", + "
  • the form for properties in England (available in English and Welsh)
  • ", + "
  • the form for properties in Wales (available in English and Welsh)
  • ", + "

    Send the completed form to the nearest court that deals with housing possession.

    ", + "

    What happens next

    ", + "

    Once your application is approved, the court will send your tenants a copy of the application.

    ", + "

    Your tenants have 14 days to challenge the application, from the date they receive it.

    ", + "

    A judge will decide either to:

    ", + "
  • issue a possession order that states your tenants must leave the property (this is normally the case)
  • ", + "
  • have a court hearing (this usually only happens if the paperwork is not in order or your tenants raise an important issue)
  • ", + "

    Even if there\u2019s a hearing, the court can still decide to issue a possession order.

    ", + "

    If your tenants are in an exceptionally difficult situation the judge may give them up to 6 weeks.

    ", + "

    Possession hearings and orders

    ", + "

    The judge could decide to make an order, or that a hearing is needed.

    ", + "

    Hearings

    ", + "

    At the hearing they might:

    ", + "
  • dismiss the court case - no order will be made and the hearing will end
  • ", + "
  • adjourn the hearing - it will be moved to a later date (this happens if a judge believes a decision cannot be made on the day)
  • ", + "
  • make an \u2018order\u2019 - a judge\u2019s legal decision on what should happen
  • ", + "

    The judge will dismiss the case if there\u2019s no reason your tenants should be evicted. This might also happen if:

    ", + "
  • you have not followed the correct procedure
  • ", + "
  • you or your representative do not attend the hearing
  • ", + "
  • your tenants have paid any rent that was owed
  • ", + "

    Your tenants can stay in your property if the judge dismisses the case. You must restart the court process from the beginning if you still want to evict them.

    ", + "

    Coronavirus (COVID-19) and possession hearings

    ", + "

    Tell the court as soon as possible if you cannot attend a hearing because you have COVID-19 symptoms or you have been told to self-isolate.

    ", + "

    The judge will decide whether to delay your case or arrange for the hearing to take place remotely.

    ", + "

    Orders

    ", + "

    The judge can make different kinds of orders.

    ", + "

    Order for possession (or \u2018outright possession order\u2019)

    ", + "

    This means your tenants must leave your property before the date given in the order.

    ", + "

    The date will be either 14 or 28 days after the court hearing.

    ", + "

    You can ask the court to evict them with a \u2018warrant for possession\u2019 if your tenants do not leave your property by the date given. If the court gives a warrant, your tenants will be sent an eviction notice with a date by when they must leave your property.

    ", + "

    Suspended order for possession

    ", + "

    This means your tenants can stay in your property as long as they make the payments, or obey the conditions, set out in the order. You can ask the court to evict them if they do not make the payments.

    ", + "

    Because of COVID-19, bailiffs will not currently evict your tenants if your property is in Wales, unless there\u2019s a serious reason(/evicting-tenants/eviction-notices-and-bailiffs).

    ", + "

    Money order

    ", + "

    This means your tenants must pay you a specified amount. The courts could take action if they do not make the payments, including:

    ", + "
  • deducting money from the tenants\u2019 wages or bank accounts
  • ", + "
  • sending bailiffs to take away things they own
  • ", + "

    You can go to court again and ask for a possession order if your tenants get into rent arrears after a money order is made.

    ", + "

    Possession orders with a money judgment

    ", + "

    A judge can add a money judgment to any of the possession orders. This means your tenants owe a specific amount of money, usually made up of:

    ", + "
  • their rent arrears
  • ", + "
  • court fees
  • ", + "
  • your legal costs
  • ", + "

    The money judgment will apply if they do not pay the amount set out in the suspended possession order that\u2019s linked to the judgment. If they do not pay, you can ask the court to carry out the instructions in the order and the judgment.

    ", + "

    The money judgment will not apply if your tenants pay their arrears and the amount set out in a suspended possession order.

    ", + "

    Appealing against the decision

    ", + "

    You can only appeal if you can show the judge made mistakes in the original possession hearing. You\u2019ll need to ask the judge for permission to appeal at the end of that hearing.

    ", + "

    If you get permission to appeal, you\u2019ll have to apply for an appeal hearing as soon as possible afterwards. You\u2019ll have to pay a court fee, unless you qualify for financial help.

    ", + "

    You\u2019ll need to get legal advice.

    ", + "

    Eviction notices and bailiffs

    ", + "

    You can ask the court for a \u2018warrant for possession\u2019 if your tenants:

    ", + "
  • do not leave the property by the date given in an order for possession
  • ", + "
  • break the terms of a suspended order for possession
  • ", + "

    When the court issues a warrant, it will send your tenants an eviction notice with the date they must leave your property by. A bailiff can evict your tenants if they do not leave by this date.

    ", + "

    You can apply for a warrant of possession up to 6 years after a possession order is made.

    ", + "

    Changes to evictions in Wales because of coronavirus (COVID-19)

    ", + "

    Currently, bailiffs will not evict your tenants if your property is in Wales, unless there\u2019s a serious reason.\nThey will only enter the property if:

    ", + "
  • someone is living there illegally
  • ", + "
  • your tenant has been involved in antisocial behaviour
  • ", + "

    If you have a serious reason to evict your tenants, read the guidance about what you need to do.

    ", + "

    How to apply for a warrant

    ", + "

    You can apply for a warrant for possession using either:

    ", + "
  • form N325
  • ", + "
  • the Possession Claim Online service - as long as you used it to issue the original order for possession
  • ", + "

    It costs \u00a3121.

    ", + "

    When a warrant is issued

    ", + "

    You\u2019ll be sent a warrant number by the court.

    ", + "

    You\u2019ll also be sent an EX96 \u2018notice of appointment\u2019 form to tell you the date of the eviction.

    ", + "

    You must fill in the form and return it to the court to confirm the eviction. Otherwise, the eviction will be cancelled.

    ", + "

    If you transfer the warrant to the High Court

    ", + "

    You can get a \u2018writ of possession\u2019 if you transfer the warrant from the county court to the High Court. This means a High Court enforcement officer can evict your tenants. You might get a faster eviction this way.

    ", + "

    Before you transfer, you\u2019ll need to apply for permission from the county court if you do not already have it. It costs \u00a366.

    ", + "

    Delaying eviction

    ", + "

    Your tenants can ask a judge to \u2018suspend\u2019 the warrant for possession at a new hearing. The judge could delay the eviction or let your tenants stay in your property if they can make payments again.

    ", + "

    Changing payments

    ", + "

    If your tenants\u2019 circumstances change, they can ask a judge at a new hearing to change what they pay.

    ", + "

    You\u2019ll need to get legal advice.

    ", + "

    Harassment and illegal evictions

    ", + "

    It\u2019s a crime to harass or try to force your tenants out of a property without following correct procedures. Your tenants might have the right to claim damages through the court if you do not follow the rules.

    ", + "

    What is harassment?

    ", + "

    Harassment can be anything you do or do not do that makes your tenants feel unsafe in your property or forces them to leave.

    ", + "

    Harassment can include:

    ", + "
  • stopping services, like electricity
  • ", + "
  • withholding keys, for example if there are 2 tenants in a property but you\u2019ll only give one key
  • ", + "
  • refusing to carry out repairs
  • ", + "
  • antisocial behaviour by someone on your behalf, for example your friend moves in next door to your tenants and causes problems
  • ", + "
  • threats and physical violence
  • ", + "

    Illegal eviction

    ", + "

    You may be guilty of illegal eviction if you:

    ", + "
  • do not give your tenants the right amount of notice to leave your property
  • ", + "
  • change the locks
  • ", + "
  • evict your tenants without a court order
  • " + ] + }, + { + "title": "Park (mobile) homes", + "url": "https://www.gov.uk/park-mobile-homes", + "contents": [ + "

    Your rights and obligations

    ", + "

    Your rights and obligations are listed in a written agreement with the park (or site) owner. This sets out:

    ", + "
  • your minimum legal rights and obligations, like your right to keep your park home on its pitch
  • ", + "
  • the rules, charges and services
  • ", + "

    You have 28 days to review it before signing.

    ", + "

    You still have rights and obligations as a park home resident even if you do not have a written agreement.

    ", + "

    Park home owners have different rights and responsibilities in Scotland, Wales and Northern Ireland.

    ", + "

    Keeping your home in good condition

    ", + "

    You must:

    ", + "
  • repair your home when necessary
  • ", + "
  • keep the outside of your home and pitch clean and tidy, including any fences or outbuildings that you own or use on your pitch
  • ", + "

    Site licence

    ", + "

    Privately owned sites must have a licence from the local council. The park owner must clearly display the licence. It will usually have conditions for:

    ", + "
  • how many homes can be in the park
  • ", + "
  • services and amenities
  • ", + "
  • health and safety
  • ", + "

    Complain to the park owner about conditions in your park. Contact your local council if you cannot sort out the issue with the park owner.

    ", + "

    You could be forced to leave if you live on a site without planning permission for residential use.

    ", + "

    Renting a park home

    ", + "

    You have a rent contract if you pay rent to a landlord. It does not have to be in writing.

    ", + "

    If you do not have a written contract

    ", + "

    You should be able to stay for a year from the date you moved in even if you do not have anything in writing.

    ", + "

    If you have a written contract

    ", + "

    A written contract should say how long you can live in your home.

    ", + "

    During this time your landlord can still ask you to leave if:

    ", + "
  • your contract says they can ask you to leave with 4 weeks\u2019 notice
  • ", + "
  • you break the rules (\u2018terms\u2019) of your contract and it says the owner can ask you to leave as a result
  • ", + "

    When your contract ends

    ", + "

    Your landlord can ask you to leave as long as they give you 4 weeks\u2019 notice. If you do not leave the owner can ask the court for an \u2018eviction order\u2019 which forces you to leave.

    ", + "

    If your landlord tries to evict you

    ", + "

    If your landlord tries to evict you (force you to leave), you\u2019ll have more rights to stay if you live on a \u2018protected site\u2019.

    ", + "

    A protected site is a mobile home park which has planning permission to have residents living there throughout the year. A holiday park is not a protected site.

    ", + "

    Your right to stay also depends on:

    ", + "
  • what your rental contract says
  • ", + "
  • whether your home is counted as a \u2018dwelling house\u2019, which means you have rights from tenancy laws
  • ", + "

    To be a dwelling house your park home must be:

    ", + "
  • your permanent residence \u2013 where you live most or all of the time
  • ", + "
  • connected to mains electricity or water
  • ", + "
  • unmovable or so large that it cannot be moved in one piece, for example you cannot drive it or tow it away yourself
  • ", + "

    Types of tenancy

    ", + "

    The type of tenancy you have depends on the date you moved in and started paying rent. You will have:

    ", + "
  • a regulated tenancy if you moved in and started paying rent before 15 January 1989
  • ", + "
  • an assured or assured shorthold tenancy if you moved in and started paying rent on or after 15 January 1989
  • ", + "

    Getting advice

    ", + "

    Tenancy rights can be complicated and depend on your situation. You should get legal advice if you think your landlord is treating you unfairly.

    ", + "

    You can also contact Citizens Advice, the Leasehold Advisory Service or charities such as Shelter or Age UK if you have questions.

    ", + "

    Find out about call charges

    ", + "

    Charges

    ", + "

    Pitch fee

    ", + "

    You have to pay a \u2018pitch fee\u2019 to the park owner to rent the land your park home sits on.

    ", + "

    The park owner can propose to change it once a year. They must give you 28 days\u2019 notice in writing.

    ", + "

    You or the park owner can apply to a tribunal to decide the pitch fee if you cannot agree on it.

    ", + "

    Gas, water, electricity and liquefied petroleum gas (LPG)

    ", + "

    The Office of the Gas and Electricity Markets (Ofgem) sets the amount the park owner can charge you for gas and electricity.

    ", + "

    The park owner cannot charge you more for gas and electricity than they paid for it, including any connection charges.

    ", + "

    For water, the park owner can only charge what the water company charges and a reasonable administration fee.

    ", + "

    Charges for LPG are not regulated.

    ", + "

    Selling or giving away a park home

    ", + "

    Selling

    ", + "

    The park owner gets up to 10% of the selling price (known as a \u2018commission\u2019) when you sell your home.

    ", + "

    You\u2019ll need to:

    ", + "
  • give the buyer certain information - for example about the commission and pitch fees
  • ", + "
  • tell the park owner about the sale
  • ", + "
  • assign (transfer) the pitch agreement to the new owner
  • ", + "
  • tell the buyer to fill in a \u2018Notice of Assignment form\u2019 so they can pay the commission to the park owner
  • ", + "

    You must fill in the correct form for park home buyers and sellers to sell your home.

    ", + "

    Park homes do not need an Energy Performance Certificate (EPC).

    ", + "

    The park owner may be able to object to you selling your home. They must apply to a tribunal.

    ", + "

    Giving away

    ", + "

    You have the right to \u2018gift\u2019 (give away) your park home and pass on your agreement to a family member. Use the \u2018Notice of proposed gift form\u2019 to send the park owner proof of how you\u2019re related to the family member.

    ", + "

    Inheritance rules

    ", + "

    Anyone will be able to carry on the agreement when you die if they\u2019re:

    ", + "
  • a family member living with you at the time you die
  • ", + "
  • your husband, wife or civil partner
  • ", + "

    Someone who is not living with you or is not your husband, wife or civil partner will have to get approval from the park owner to live there.

    ", + "

    Read detailed information on buying, selling or gifting your park (mobile) home.

    ", + "

    Park repairs and improvements

    ", + "

    Park owners are responsible for:

    ", + "
  • keeping common areas (like shared paths) in good condition
  • ", + "
  • repairing the area where your home sits (the \u2018base\u2019)
  • ", + "
  • maintaining any services they supply to your home or pitch (like sewerage)
  • ", + "

    Park improvements

    ", + "

    If the park owner plans to make improvements, they must:

    ", + "
  • give you at least 28 days\u2019 notice in writing and let you know how you can comment on the plans
  • ", + "
  • tell you if it will affect your pitch fee
  • ", + "

    They can go ahead with improvements even if most residents disagree.\nThe park owner can sometimes recover improvement costs through a pitch fee increase. If you disagree, you can apply to a tribunal. Contact the Leasehold Advisory Service for advice.

    ", + "

    Residents\u2019 associations

    ", + "

    You can set up a \u2018qualifying\u2019 residents\u2019 association to represent home owners in the mobile home park where you live.

    ", + "

    Qualifying residents\u2019 associations have certain rights and park owners should consult the residents\u2019 association when they want to spend money on improvements or change how they run the park.

    ", + "

    Park owners must give at least 28 days\u2019 notice of any changes and take the association\u2019s concerns into account before they make changes.

    ", + "

    Setting up a qualifying residents\u2019 association

    ", + "

    Your association must include at least half of the home owners in your park. Residents who rent their homes cannot join.

    ", + "

    You\u2019ll have to keep certain records and documents, like:

    ", + "
  • an up-to-date list of members
  • ", + "
  • a constitution
  • ", + "
  • any other rules of the association
  • ", + "

    You\u2019ll have to elect a:

    ", + "
  • chairman
  • ", + "
  • secretary
  • ", + "
  • treasurer
  • ", + "

    The chairman, secretary and treasurer can make administrative decisions. Members should vote on all other decisions.

    ", + "

    You need to ask the park owner to \u2018acknowledge\u2019 your association. You can apply to a tribunal if they refuse. They can order the park owner to acknowledge your association.

    ", + "

    Your association can continue to meet if it does not meet the qualifying conditions but the park owner will not have to talk to the association about park operations and management.

    ", + "

    Settling disputes

    ", + "

    If you have a dispute with the park owner that you cannot work out, you can apply to a tribunal. Decisions made by the tribunal are legally binding.

    ", + "

    If your agreement says you must use an arbitrator, ignore it. You must use a tribunal instead.

    ", + "

    The tribunal can settle certain disputes, for example:

    ", + "
  • changing a residence agreement
  • ", + "
  • changing the pitch fee
  • ", + "
  • moving a park home
  • ", + "
  • damage and repairs to the site
  • ", + "
  • transferring ownership of a park home to someone else
  • ", + "

    Find out more about the types of disputes the tribunal can solve.

    ", + "

    Get help

    ", + "

    Contact the Leasehold Advisory Service for advice if you\u2019re not sure whether you have a case.

    ", + "

    Call the tribunal if you have any questions about completing the form. The tribunal cannot give you legal advice.

    " + ] + }, + { + "title": "Rent a room in your home", + "url": "https://www.gov.uk/rent-room-in-your-home", + "contents": [ + "

    Becoming a resident landlord

    ", + "

    You\u2019re a resident landlord if you let out part of a property which is your only or main home.

    ", + "

    If you only occasionally rent out part of your home (for example through short-term rental apps), check if you need to tell HMRC about this income.

    ", + "

    If so, you\u2019ll have certain rights and responsibilities:

    ", + "
  • you\u2019re responsible for keeping the property safe and in good repair
  • ", + "
  • a tenant or lodger doesn\u2019t have the right to challenge the agreed rent
  • ", + "
  • you may be able to earn \u00a37,500 per year tax-free under the Rent a Room Scheme
  • ", + "
  • you can give less notice to end a letting than if you rented out the property as a whole
  • ", + "

    Ask potential tenants or lodgers for references and follow them up before signing any agreement. Read the guide about letting rooms in your home for more information.

    ", + "

    Coronavirus (COVID-19) and your responsibilities

    ", + "

    Your responsibilities as a resident landlord have not changed because of coronavirus. You can read more coronavirus and renting guidance for tenants and landlords.

    ", + "

    The Rent a Room Scheme

    ", + "

    The Rent a Room Scheme lets you earn up to a threshold of \u00a37,500 per year tax-free from letting out furnished accommodation in your home. This is halved if you share the income with your partner or someone else.

    ", + "

    You can let out as much of your home as you want.

    ", + "

    How it works

    ", + "

    The tax exemption is automatic if you earn less than \u00a37,500. This means you do not need to do anything.

    ", + "

    If you earn more than this you must complete a tax return.

    ", + "

    You can then opt into the scheme and claim your tax-free allowance. You do this on your tax return.

    ", + "

    You can choose not to opt into the scheme and instead record your income and expenses on the property pages of your tax return.

    ", + "

    More information

    ", + "

    Read the Rent a Room helpsheet for more detailed information on how to complete the form, and when it makes sense to opt out of the scheme.

    ", + "

    Eligibility

    ", + "

    You can opt in to the scheme at any time if:

    ", + "
  • you\u2019re a resident landlord, whether or not you own your home
  • ", + "
  • you run a bed and breakfast or a guest house
  • ", + "

    You cannot use the scheme for homes converted into separate flats.

    ", + "

    Your lodger's tenancy type

    ", + "

    The way you share your home with a lodger affects what kind of tenancy they have. This in turn affects their rights and how you can end the tenancy.

    ", + "

    Your lodger is an excluded occupier

    ", + "

    Your lodger is likely to be an excluded occupier if:

    ", + "
  • they live in your home
  • ", + "
  • you or a member of your family share a kitchen, bathroom or living room with them
  • ", + "

    In this case, you only have to give them \u2018reasonable notice\u2019 to end the letting - and you will not have to go to court to evict them.

    ", + "

    Reasonable notice usually means the length of the rental payment period. For example, if rent is paid monthly, you should give one month\u2019s notice.

    ", + "

    Your lodger has basic protection

    ", + "

    Your lodger is likely to be an occupier with basic protection if:

    ", + "
  • they live in your home
  • ", + "
  • they do not share any living space with you or your family
  • ", + "

    If your lodger will not leave when you ask them, you\u2019ll need to get a court order to evict them.

    ", + "

    The charity Shelter has advice on excluded occupiers and occupiers with basic protection.

    ", + "

    The length of the let

    ", + "

    A tenancy or a licence can be either:

    ", + "
  • periodic - run indefinitely from 1 rent period to the next
  • ", + "
  • fixed term - last a set number of weeks, months or years
  • ", + "

    If you do not agree the length of a let, it will automatically become a periodic let.

    ", + "

    Licences can be open-ended for informal arrangements, like allowing a friend to stay on an as-and-when basis.

    ", + "

    Rent, bills and tax

    ", + "

    Rent

    ", + "

    You can charge what you want for rent but should agree the amount with your tenant beforehand. You can also ask for a deposit and you can accept Housing Benefit for rent.

    ", + "

    You must provide a rent book for tenants who pay weekly.

    ", + "

    Coronavirus (COVID-19) and rent

    ", + "

    Tenant responsibilities to pay rent have not changed because of coronavirus (COVID-19). Your tenant should continue to pay rent if they can. You can read coronavirus and renting guidance for tenants and landlords.

    ", + "

    You and your tenant can get advice from Shelter, Citizens Advice and The Money Advice Service.

    ", + "

    Council Tax

    ", + "

    You will be responsible for Council Tax and can include part of the cost in the rent you charge. You must tell your council if having a tenant means you\u2019re no longer entitled to a single person discount.

    ", + "

    If you\u2019re unsure who should pay Council Tax, check with your local council.

    ", + "

    Utility bills

    ", + "

    If you pay the utility bills for the entire house, you can include a charge in the rent or install pre-paid meters.

    ", + "

    You can only charge the amount you\u2019ve paid for gas and electricity plus VAT or you could face civil proceedings. Read Ofgem\u2019s rules on the resale of gas and electricity for more information.

    ", + "

    Income Tax

    ", + "

    Income Tax is payable on rental income you receive.

    ", + "

    If you\u2019re not in the Rent a Room scheme, you\u2019ll be charged Income Tax on any rental income you get after business letting expenses. Examples of business expenses include:

    ", + "
  • insurance
  • ", + "
  • maintenance
  • ", + "
  • repairs (but not improvements)
  • ", + "
  • utility bills
  • ", + "

    If you\u2019re in the Rent a Room Scheme, you\u2019ll pay Income Tax differently.

    ", + "

    Capital Gains Tax

    ", + "

    You may have to pay Capital Gains Tax when you sell your home if:

    ", + "
  • you let out all or part of it
  • ", + "
  • you\u2019ve taken in more than 1 tenant or lodger at a time
  • ", + "

    However, you may be entitled to Private Residence Relief and Letting Relief.

    ", + "

    Deposits

    ", + "

    Resident landlords are not legally required to protect tenants\u2019 deposit with one of the government-approved schemes.

    ", + "

    Your local council may guarantee rent for a potential tenant who can\u2019t afford a deposit.

    ", + "

    You may have to pay other taxes if you run a bed and breakfast, or provide meals or cleaning services for guests. Contact HM Revenue and Customs for more information.

    ", + "

    Ending a letting

    ", + "

    How to end an excluded tenancy or licence

    ", + "

    If your lodger is an excluded occupier, you only need to give them \u2018reasonable notice\u2019 to quit.

    ", + "

    Usually this means the length of the rental payment period \u2013 so if your lodger pays rent weekly, you need to give 1 week\u2019s notice. The notice does not have to be in writing.

    ", + "

    You can then change the locks on your lodger\u2019s rooms, even if they\u2019ve left their belongings there. You must give their belongings back to them.

    ", + "

    How to end a non-excluded tenancy or licence

    ", + "

    If your lodger is an occupier with basic protection, you must serve them a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but is often at least 4 weeks.

    ", + "

    If your lodger does not leave, you\u2019ll need to get a court order to evict them.

    ", + "

    Your lodger ends the tenancy

    ", + "

    Your lodger can end the tenancy by giving you notice. They cannot do this during the fixed term of the tenancy, unless there\u2019s a break clause.

    ", + "

    The amount of notice they need to give depends on the tenancy agreement, if there is one. Otherwise, it\u2019s usually at least 4 weeks (if they pay weekly) or 1 month (if they pay monthly).

    ", + "

    You and your tenant can end a tenancy at any time if you both agree.

    ", + "

    Change of ownership

    ", + "

    If you stop living in your home, the tenants can still stay there, but their tenancy type may change to reflect that you no longer live there.

    ", + "

    If you sell your home and the new owner plans to live in the property as a resident landlord, they must:

    ", + "
  • give notice to a tenant within 28 days that they intend to live there
  • ", + "
  • move in within 6 months of the sale
  • ", + "

    Until the new owner moves in, tenants will have more protection through tenancy laws, because during this time there\u2019s no resident landlord. Their rights will depend on when they moved in. Find out about tenants\u2019 rights in \u2018Private renting: tenancy agreements\u2019.

    ", + "

    If you die, a tenancy will usually continue as though you were still resident, until someone else takes ownership.

    ", + "

    Houses in Multiple Occupation

    ", + "

    Your property may be classed as an House in Multiple Occupation (HMO) if you let rooms to more than 2 people.

    ", + "

    There are extra safety requirements and standards for HMOs and you\u2019ll often need a licence.

    ", + "

    If someone in an HMO becomes ill with coronavirus (COVID-19), you do not have to find alternative accommodation for the other tenants. You also cannot make someone leave their home because they have coronavirus. Read the coronavirus and renting guidance for tenants and landlords.

    " + ] + }, + { + "title": "Renting out your property", + "url": "https://www.gov.uk/renting-out-a-property", + "contents": [ + "

    Landlord responsibilities

    ", + "

    You\u2019re a landlord if you rent out your property. As a landlord you must:

    ", + "
  • keep your rented properties safe and free from health hazards
  • ", + "
  • make sure all gas and electrical equipment is safely installed and maintained
  • ", + "
  • provide an Energy Performance Certificate for the property
  • ", + "
  • protect your tenant\u2019s deposit in a government-approved scheme
  • ", + "
  • check your tenant has the right to rent your property if it\u2019s in England
  • ", + "
  • give your tenant a copy of the How to rent checklist when they start renting from you (you can email it to them)
  • ", + "

    There are different rules if you rent out property in Scotland or Northern Ireland.

    ", + "

    Coronavirus (COVID-19) and your responsibilities

    ", + "

    Your responsibilities as a landlord have not changed because of coronavirus. However, you should follow the government\u2019s coronavirus advice.

    ", + "

    Read the coronavirus and renting guidance for tenants and landlords.

    ", + "

    Fire safety

    ", + "

    It\u2019s your responsibility to:

    ", + "
  • fit and test smoke alarms and carbon monoxide alarms
  • ", + "
  • follow fire safety regulations for property in a purpose-built block of flats or for houses and property adapted into flats
  • ", + "

    Health and safety inspections

    ", + "

    The Housing Health and Safety Rating System (HHSRS) is used by your council to make sure that properties in its area are safe for the people who live there.\nThis involves inspecting your property for possible hazards, such as uneven stairs.

    ", + "

    If you own a property and rent it out, the council may decide to do an HHSRS inspection because:

    ", + "
  • your tenants have asked for an inspection
  • ", + "
  • the council has done a survey of local properties and thinks your property might be hazardous
  • ", + "

    HHSRS hazard ratings

    ", + "

    Inspectors look at 29 health and safety areas and score each hazard they find as category 1 or 2, according to its seriousness.

    ", + "

    You must take action on enforcement notices from your council. You also have the right to appeal enforcement notices.

    ", + "

    The council can do any of the following if they find a serious hazard:

    ", + "
  • issue an improvement notice
  • ", + "
  • fix the hazard themselves and bill you for the cost
  • ", + "
  • stop you or anyone else from using part or all of the property
  • ", + "

    Financial responsibilities

    ", + "

    You have to pay:

    ", + "
  • Income Tax on your rental income, minus your day-to-day running expenses
  • ", + "
  • Class 2 National Insurance if the work you do renting out property counts as running a business
  • ", + "

    If you only occasionally rent out your property or part of your home (for example through short-term rental apps), check if you need to tell HMRC about this income.

    ", + "

    If you have a mortgage on the property you want to rent out, you must get permission from your mortgage lender.

    ", + "

    Regulated tenancies

    ", + "

    There are special rules for changing rents and terms for regulated tenancies (usually private tenancies starting before 15 January 1989).

    ", + "

    Making repairs

    ", + "

    You must keep your property in good condition, and any gas or electrical systems must meet specified safety standards.

    ", + "

    When doing repairs in your property, make sure you keep you and your tenants safe from coronavirus (COVID-19).

    ", + "

    There is more information about doing repairs and maintenance in section 3 of the coronavirus and renting guidance for tenants and landlords.

    ", + "

    There are different rules around making repairs if you rent out property in Scotland or Northern Ireland.

    ", + "

    When you can enter the property

    ", + "

    You have a legal right to enter your property to inspect it or carry out repairs. You must give your tenants at least 24 hours\u2019 notice, although immediate access may be possible in emergencies. Your tenants have the right to stay in the property during the repairs.

    ", + "

    You\u2019re normally responsible for repairs to:

    ", + "
  • the structure of your property
  • ", + "
  • basins, sinks, baths and other sanitary fittings
  • ", + "
  • heating and hot water systems
  • ", + "
  • anything you damage through attempting repairs
  • ", + "

    If your property is seriously damaged by a fire, flood or other similar incident, you do not have to rebuild or renovate it. However, if you do, you cannot charge your tenants for any repairs made.

    ", + "

    Common areas

    ", + "

    If you own a block of flats, you\u2019re usually responsible for repairing common areas, like staircases. Councils can ask landlords to fix problems in common areas, or to repair a tenant\u2019s flat that\u2019s been damaged by another tenant.

    ", + "

    What happens if repairs are not done properly

    ", + "

    If you refuse to carry out repairs, tenants can:

    ", + "
  • start a claim in the small claims court for repairs under \u00a35,000
  • ", + "
  • in some circumstances, carry out the repairs themselves and deduct the cost from their rent
  • ", + "

    If you do not make repairs to remove hazards, your tenants can ask the council to inspect the property under the Housing Health and Safety Rating System (HHSRS) and to take any action that is necessary.

    ", + "

    If the council finds serious hazards, it must take enforcement action to make sure the hazard is removed.

    ", + "

    If the property is temporarily unfit to live in

    ", + "

    You can ask tenants to move out during major repairs. Before this happens, you should agree in writing:

    ", + "
  • how long the works will last
  • ", + "
  • the tenants\u2019 right to return
  • ", + "
  • details of any alternative accommodation
  • ", + "

    You cannot repossess a property to do repairs. However, if you\u2019re planning substantial works, or want to redevelop the property, you can apply to the courts for an order for your tenants to leave. The courts are more likely to grant this if you provide alternative accommodation.

    ", + "

    Repairs and charging rent

    ", + "

    If the repairs are very disruptive, your tenants may be able to claim a reduction on their rent known as a \u2018rent abatement\u2019. This will depend on how much of the property is unusable.

    ", + "

    You may have the right to increase the rent after carrying out repairs and improvements, depending on the tenancy agreement.

    ", + "

    Rent increases

    ", + "

    The tenancy agreement should include how and when you\u2019ll review the rent.

    ", + "

    There are special rules for increasing regulated tenancy rents.

    ", + "

    When you can increase rent

    ", + "

    For a periodic tenancy (rolling on a week-by-week or month-by-month basis) you can usually only increase the rent once a year.

    ", + "

    For a fixed-term tenancy (running for a set period) you can only increase the rent if your tenancy agreement permits this. Otherwise, you can only raise the rent when the fixed term ends.

    ", + "

    How you can increase the rent

    ", + "

    If a fixed-term tenancy agreement says how the rent can be increased, you must stick to this.

    ", + "

    For a periodic tenancy, you can:

    ", + "
  • agree a rent increase with your tenants and produce a written record of the agreement that you both sign
  • ", + "
  • use a \u2018Landlord\u2019s notice proposing a new rent\u2019 form, giving your tenant at least a month\u2019s notice
  • ", + "

    There are different rules around increasing rent if you rent out property in Scotland or Northern Ireland.

    ", + "

    The rent increase must be fair and realistic - that is, in line with reasonable rents on the open market.

    ", + "

    If your tenants do not agree

    ", + "

    If your tenants think the rent increase is unfair, they can ask the First Tier Property Tribunal to decide the right amount.

    ", + "

    Coronavirus (COVID-19) and rent

    ", + "

    Tenant responsibilities have not changed because of coronavirus. Your tenant should continue to pay rent if they can.

    ", + "

    If your tenant is unable to pay their rent, you can agree a different way to pay. For example, you can agree to accept a lower rent payment for a set amount of time and they pay off the rent arrears later.

    ", + "

    Read the coronavirus and renting guidance for tenants and landlords.

    ", + "

    You and your tenant can get advice from Shelter, Citizens Advice and the Money Advice Service.

    ", + "

    Settling disputes

    ", + "

    You can often sort out disputes with your tenants without going to court:

    ", + "
  • Speak to your tenants about your concerns.
  • ", + "
  • If this does not work, write a formal letter setting out the problem.
  • ", + "
  • Use a mediation service, which is usually cheaper and quicker than going to court.
  • ", + "
  • As a last resort, you can take your tenants to court.
  • ", + "

    There are different rules for settling disputes if you rent out property in Scotland or Northern Ireland.

    ", + "

    Going to court

    ", + "

    If you take legal action, the case may go to a small claims court. Small claims cases are those worth less than \u00a310,000 (or \u00a31,000 if the case is about repairs to a property).

    ", + "

    The courts provide a free mediation service for small claims cases, which can take place over the phone.

    ", + "

    If you want to get your property back because your tenants owe you rent money, you can make a possession claim online.

    ", + "

    You must follow specific rules if you want to evict tenants.

    ", + "

    Coronavirus (COVID-19) and possession claims

    ", + "

    The court process for possession claims is different because of coronavirus.

    ", + "

    You must tell the court if your tenant and their dependants have been affected by coronavirus. For example, if they lost income because of coronavirus, which meant they were not able to pay your rent.

    ", + "

    Free advice for disputes

    ", + "

    You can get free advice about disputes or housing problems from Citizens Advice or Shelter.

    ", + "

    In Wales, you can contact Shelter Cymru.

    ", + "

    You might be able to get free and confidential legal advice from Civil Legal Advice (CLA) as part of legal aid, if you\u2019re in England and Wales.

    ", + "

    A solicitor can also help you, but they might charge a fee.

    ", + "

    Houses in Multiple Occupation (HMO)

    ", + "

    If you let your property to several tenants who are not members of the same family, it may be a \u2018House in Multiple Occupation\u2019 (HMO).

    ", + "

    The rules about HMOs are different in Scotland and Northern Ireland.

    ", + "

    Your property is an HMO if both of the following apply:

    ", + "
  • at least 3 tenants live there, forming more than one household
  • ", + "
  • toilet, bathroom or kitchen facilities are shared
  • ", + "

    A household consists of either a single person or members of the same family who live together. It includes people who are married or living together and people in same-sex relationships.

    ", + "

    If someone in an HMO becomes ill with coronavirus (COVID-19), you do not have to find alternative accommodation for the other tenants. You also cannot make someone leave their home because they have coronavirus. Read the coronavirus and renting guidance for tenants and landlords.

    ", + "

    Licences

    ", + "

    An HMO must have a licence if it is occupied by 5 or more people. A council can also include other types of HMOs for licensing.

    ", + "

    Find out if you need an HMO licence from your council.

    ", + "

    Risk assessment

    ", + "

    The council has to carry out a Housing Health and Safety Rating System (HHSRS) risk assessment on your HMO within 5 years of receiving a licence application. If the inspector finds any unacceptable risks during the assessment, you must carry out work to eliminate them.

    ", + "

    Reporting changes

    ", + "

    You must tell the council if:

    ", + "
  • you plan to make changes to an HMO
  • ", + "
  • your tenants make changes
  • ", + "
  • your tenants\u2019 circumstances change (for example they have a child)
  • ", + "

    Paying tax and National Insurance

    ", + "

    When you rent out property you may have to pay tax.

    ", + "

    Running a property business

    ", + "

    You have to pay Class 2 National Insurance if your profits are \u00a36,515 a year or more and what you do counts as running a business, for example if all the following apply:

    ", + "
  • being a landlord is your main job
  • ", + "
  • you rent out more than one property
  • ", + "
  • you\u2019re buying new properties to rent out
  • ", + "

    If your profits are under \u00a36,515, you can make voluntary Class 2 National Insurance payments, for example to make sure you get the full State Pension.

    ", + "

    You do not pay National Insurance if you\u2019re not running a business - even if you do work like arranging repairs, advertising for tenants and arranging tenancy agreements.

    ", + "

    Property you personally own

    ", + "

    The first \u00a31,000 of your income from property rental is tax-free. This is your \u2018property allowance\u2019.

    ", + "

    Contact HMRC if your income from property rental is between \u00a31,000 and \u00a32,500 a year.

    ", + "

    You must report it on a Self Assessment tax return if it\u2019s:

    ", + "
  • \u00a32,500 to \u00a39,999 after allowable expenses
  • ", + "
  • \u00a310,000 or more before allowable expenses
  • ", + "

    Register for Self Assessment

    ", + "

    If you do not usually send a tax return, you need to register by 5 October following the tax year you had rental income.

    ", + "

    Register now

    ", + "

    Declaring unpaid tax

    ", + "

    You can declare unpaid tax by telling HMRC about rental income from previous years. If you have to pay a penalty it\u2019ll be lower than if HMRC find out about the income themselves.

    ", + "

    You\u2019ll be given a disclosure reference number. You then have 3 months to work out what you owe and pay it.

    ", + "

    Do not include the \u00a31,000 tax-free property allowance for any tax years before 2017 to 2018.

    ", + "

    Property owned by a company

    ", + "

    Count the rental income the same way as any other business income.

    ", + "

    Costs you can claim to reduce tax

    ", + "

    There are different tax rules for:

    ", + "
  • residential properties
  • ", + "
  • furnished holiday lettings
  • ", + "
  • commercial properties
  • ", + "

    Residential properties

    ", + "

    You or your company must pay tax on the profit you make from renting out the property, after deductions for \u2018allowable expenses\u2019.

    ", + "

    Allowable expenses are things you need to spend money on in the day-to-day running of the property, like:

    ", + "
  • letting agents\u2019 fees
  • ", + "
  • legal fees for lets of a year or less, or for renewing a lease for less than 50 years
  • ", + "
  • accountants\u2019 fees
  • ", + "
  • buildings and contents insurance
  • ", + "
  • interest on property loans
  • ", + "
  • maintenance and repairs to the property (but not improvements)
  • ", + "
  • utility bills, like gas, water and electricity
  • ", + "
  • rent, ground rent, service charges
  • ", + "
  • Council Tax
  • ", + "
  • services you pay for, like cleaning or gardening
  • ", + "
  • other direct costs of letting the property, like phone calls, stationery and advertising
  • ", + "

    Allowable expenses do not include \u2018capital expenditure\u2019 - like buying a property or renovating it beyond repairs for wear and tear.

    ", + "

    You may be able to claim tax relief on money spent on replacing a \u2018domestic item\u2019. This is called \u2018replacement of domestic items relief\u2019.

    ", + "

    Domestic items include:

    ", + "
  • beds
  • ", + "
  • sofas
  • ", + "
  • curtains
  • ", + "
  • carpets
  • ", + "
  • fridges
  • ", + "
  • crockery and cutlery
  • ", + "

    You must have only bought the domestic item for use by tenants in a residential property and the item you replaced must no longer be used in that property.

    ", + "

    The replacement of domestic items relief is available from:

    ", + "
  • the 2016 to 2017 tax year for individuals and partnerships
  • ", + "
  • 1 April 2016 for companies
  • ", + "

    Furnished residential lettings

    ", + "

    You may be able to claim \u2018wear and tear allowance\u2019:

    ", + "
  • for the 2015 to 2016 tax year for individuals and partnerships
  • ", + "
  • on or before 31 March 2016 for companies
  • ", + "

    Furnished holiday lettings

    ", + "

    For furnished holiday homes, you may be able to claim:

    ", + "
  • plant and machinery capital allowances on furniture, furnishings and so on in the let property, as well as on equipment used outside the property (like vans and tools)
  • ", + "
  • Capital Gains Tax reliefs - Business Asset Rollover Relief, Entrepreneurs\u2019 Relief, relief for gifts of business assets and relief for loans to traders
  • ", + "

    You can only claim these if all the following apply:

    ", + "
  • the property is offered to let for at least 210 days a year
  • ", + "
  • it\u2019s let for more than 105 days a year
  • ", + "
  • no single let is more than 31 days
  • ", + "
  • you charge the going rate for similar properties in the area (\u2018market value\u2019)
  • ", + "

    If you own the property personally, your profits count as earnings for pension purposes.

    ", + "

    You can download helpsheets to help you with your tax return:

    ", + "
  • capital allowances
  • ", + "
  • furnished holiday lettings
  • ", + "

    Commercial properties

    ", + "

    You can claim plant and machinery capital allowances on some items if you rent out a commercial property - like a shop, garage or lock-up.

    ", + "

    Working out your profit

    ", + "

    You work out the net profit or loss for all your property lettings (except furnished holiday lettings) as if it\u2019s a single business. To do this, you:

    ", + "
  • add together all your rental income
  • ", + "
  • add together all your allowable expenses
  • ", + "
  • take the expenses away from the income
  • ", + "

    Work out the profit or loss from furnished holiday lettings separately from any other rental business to make sure you only claim these tax advantages for eligible properties.

    ", + "

    Making a loss

    ", + "

    Deduct any losses from your profit and enter the figure on your Self Assessment form.

    ", + "

    You can offset your loss against:

    ", + "
  • future profits by carrying it forward to a later year
  • ", + "
  • profits from other properties (if you have them)
  • ", + "

    You can only offset losses against future profits in the same business.

    ", + "

    Changing a regulated tenancy (fair rent)

    ", + "

    There are special rules for changing rents and terms for regulated tenancies (sometimes called \u2018fair rents\u2019) which usually started before 15 January 1989.

    ", + "

    There are different rules for increasing rents in regulated tenancies in Scotland and rent-controlled tenancies in Northern Ireland.

    ", + "

    When you can increase rent

    ", + "

    You can only increase the rent up to the maximum set by the Valuation Office Agency (VOA) - check the register of rents to find out what it is.

    ", + "

    You can ask VOA to review the rent every 2 years, or earlier if something has affected the value, so that it remains fair. Your rent might increase or decrease.

    ", + "

    Download and fill in a fair rent form to get your rent reviewed. Send the completed form to the VOA Network Support Office by post.

    ", + "

    Email the VOA Network Support Office if you have any questions about increasing your rent.

    ", + "

    If the fair rent increases

    ", + "

    You must serve a notice of increase of rent on your tenant. You can charge the new rent from the date it\u2019s registered.

    ", + "

    Fill in a \u2018notice of increase\u2019 form (available from legal stationers) and send it to your tenant.

    ", + "

    You can backdate your notice of rent increase for up to 4 weeks.

    ", + "

    Cancel a registered rent

    ", + "

    Download and fill in an application form to cancel a registered rent and send it to the address on the form, for example if the tenancy stops being regulated, or you and the tenant agree to cancel it.

    ", + "

    It may take up to 6 weeks to cancel a registered rent.

    " + ] + }, + { + "title": "Right to Manage: a guide for landlords", + "url": "https://www.gov.uk/right-to-manage-a-guide-for-landlords", + "contents": [ + "

    The Right to Manage

    ", + "

    The Right to Manage (RTM) lets some leasehold property owners take over management of the building - even without the agreement of the landlord.

    ", + "

    As a landlord, the leaseholders in your building will send you notice if they plan to do this. If they\u2019re successful, you\u2019ll still own the building but they\u2019ll manage it.

    ", + "

    This means they\u2019ll be responsible for things like:

    ", + "
  • collecting and managing the service charge
  • ", + "
  • upkeep of communal areas (such as communal hallways and stairs)
  • ", + "
  • upkeep of the structure of the building (such as the roof)
  • ", + "
  • dealing with complaints about the building from other leaseholders
  • ", + "

    Qualifying leaseholders can use the Right to Manage for any reason - they don\u2019t have to prove the building has been badly managed.

    ", + "

    Right to Manage companies

    ", + "

    To use the right, leaseholders must set up an RTM company and follow certain procedures. The RTM company can manage the building directly, or pay a managing agent to do it.

    ", + "

    As landlord, you have the right to be a member of the RTM company and to vote on decisions. You get at least 1 vote. How many votes you\u2019ll get depends on how many flats you own in the building.

    ", + "

    The RTM company must pay for any costs you incur during the management transfer process - even if it doesn\u2019t end up managing the building.

    ", + "

    Qualifying

    ", + "

    To qualify for Right to Manage:

    ", + "
  • the building must be made up of flats (houses don\u2019t qualify)
  • ", + "
  • at least two-thirds of the flats in the building must be leasehold - with leases that were for more than 21 years when they were granted
  • ", + "
  • at least 75% of the building must be residential - for example, if there\u2019s a shop in the building, it can\u2019t take up more than 25% of the total floor area
  • ", + "
  • you must live somewhere else if there are less than 4 flats in the block - unless the block was purpose-built as flats, rather than converted from another type of building
  • ", + "
  • any number of owners can set up an RTM company - but at least half of the flats in the building must be members of the company before it can actually take over management
  • ", + "

    Notices

    ", + "

    Normally, the leaseholders will contact you once they\u2019ve set up an RTM company. You may get a \u2018right to information\u2019 notice from the company - asking for the information they need in order to claim their Right to Manage.

    ", + "

    You receive a \u2018notice of claim\u2019

    ", + "

    If you receive a \u2018notice of claim\u2019 it means that the RTM company intends to take over management of the building. It will tell you:

    ", + "
  • the date you must respond by
  • ", + "
  • the date the RTM company intends to take over management of the building
  • ", + "

    You can:

    ", + "
  • accept the claim
  • ", + "
  • dispute the claim - the notice of claim will tell you when you need to do this by, but the deadline can\u2019t be less than 1 month from the date of the notice
  • ", + "

    Disputing the claim

    ", + "

    You can dispute the claim by serving a counter-notice to the Right to Manage (RTM) company. In it, you must give reasons why you think the company isn\u2019t entitled to manage the building.

    ", + "

    You can dispute the claim if you think:

    ", + "
  • the building doesn\u2019t qualify
  • ", + "
  • the RTM company doesn\u2019t comply with the legal requirements
  • ", + "
  • the RTM company members don\u2019t represent half the flats in the building
  • ", + "

    You can\u2019t dispute the claim for any other reason.

    ", + "

    Leasehold Valuation Tribunal

    ", + "

    If the members of the RTM company think you\u2019re wrong, the company must apply to the Leasehold Valuation Tribunal (LVT) within 2 months of the date of the counter-notice. The LVT will then decide if the RTM company can manage the building.

    ", + "

    Transferring management of the building

    ", + "

    If you accept the Right to Manage (RTM) company\u2019s notice, or if you dispute the claim and the Leasehold Valuation Tribunal (LVT) decides against you, the management of the building will transfer to the RTM company.

    ", + "

    The date the RTM company takes over management responsibilities is called the \u2018date of acquisition\u2019. This will be:

    ", + "
  • on the date given on the notice of claim - if you accept the claim
  • ", + "
  • 3 months after the LVT decision becomes final - if you disputed the claim and lost
  • ", + "
  • 3 months after agreement - if you originally disputed the claim but later came to an agreement with the RTM company
  • ", + "

    You must transfer any money you have from service charges on the acquisition date - or as soon after as is reasonably possible.

    ", + "

    Ongoing management

    ", + "

    The RTM company must tell you at least 30 days before approving:

    ", + "
  • assignment (selling or transferring the flat into someone else\u2019s name)
  • ", + "
  • a sublet
  • ", + "
  • a charge to leaseholders
  • ", + "

    If the lease says your consent is needed, the RTM company must give you 30 days\u2019 notice before approving:

    ", + "
  • any changes to the structure of the building
  • ", + "
  • any changes to the use of the building
  • ", + "

    For other approvals they must tell you at least 14 days in advance.

    ", + "

    Read the Leasehold Advisory Service\u2019s guide on The Right to Manage for a detailed explanation of how Right to Manage works.

    " + ] + }, + { + "title": "Tenancy agreements: a guide for landlords (England and Wales)", + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "contents": [ + "

    Overview

    ", + "

    A tenancy agreement is a contract between you and your tenants. It sets out the legal terms and conditions of the tenancy. It can be written down or oral.

    ", + "

    A tenancy can either be:

    ", + "
  • fixed-term (running for a set period of time)
  • ", + "
  • periodic (running on a week-by-week or month-by-month basis)
  • ", + "

    Rights and responsibilities

    ", + "

    Both you and your tenants have certain rights and responsibilities, whether or not there is a tenancy agreement.

    ", + "

    Tenancy types

    ", + "

    Assured shorthold tenancies (ASTs)

    ", + "

    The most common form of tenancy is an AST. Most new tenancies are automatically this type.

    ", + "

    A tenancy can be an AST if all of the following apply:

    ", + "
  • you\u2019re a private landlord or housing association
  • ", + "
  • the tenancy started on or after 15 January 1989
  • ", + "
  • the property is your tenants\u2019 main accommodation
  • ", + "
  • you do not live in the property
  • ", + "

    A tenancy cannot be an AST if:

    ", + "
  • it began or was agreed before 15 January 1989
  • ", + "
  • the rent is more than \u00a3100,000 a year
  • ", + "
  • the rent is less than \u00a3250 a year (less than \u00a31,000 in London)
  • ", + "
  • it\u2019s a business tenancy or tenancy of licensed premises
  • ", + "
  • it\u2019s a holiday let
  • ", + "
  • the landlord is a local council
  • ", + "

    Other tenancies

    ", + "

    There are other tenancies that are not as common as ASTs, including:

    ", + "
  • excluded tenancies or licences
  • ", + "
  • assured tenancies
  • ", + "
  • regulated tenancies
  • ", + "

    Excluded tenancies or licences

    ", + "

    If you have a lodger living in your home and share rooms with them, like a kitchen or bathroom, you may have one of these. This usually gives your lodger less protection from eviction than other types of agreement.

    ", + "

    Assured tenancies

    ", + "

    Tenancies starting between 15 January 1989 and 27 February 1997 may be assured. Your tenants have increased protection from eviction with this type of agreement.

    ", + "

    Regulated tenancies

    ", + "

    Tenancies starting before 15 January 1989 may be regulated. Your tenants have increased protection from eviction and can apply for a \u2018fair rent\u2019.

    ", + "

    What you should include in a tenancy agreement

    ", + "

    The tenancy agreement should include:

    ", + "
  • the names of all people involved
  • ", + "
  • the rental price and how it\u2019s paid
  • ", + "
  • information on how and when the rent will be reviewed
  • ", + "
  • the deposit amount and how it will be protected
  • ", + "
  • when the deposit can be fully or partly withheld, for example to repair damage caused by tenants
  • ", + "
  • the property address
  • ", + "
  • the start and end date of the tenancy
  • ", + "
  • any tenant or landlord obligations
  • ", + "
  • which bills your tenants are responsible for
  • ", + "

    It can also include information on:

    ", + "
  • whether the tenancy can be ended early and how this can be done
  • ", + "
  • who\u2019s responsible for minor repairs (other than those that the landlord is legally responsible for)
  • ", + "
  • whether the property can be let to someone else (sublet) or have lodgers
  • ", + "

    The terms of the tenancy must be fair and comply with the law. You can use a model agreement as a template.

    ", + "

    You cannot have anything in your tenancy agreement that may indirectly discriminate against your tenants.

    ", + "

    Changes to tenancy agreements

    ", + "

    You must get the agreement of your tenants if you want to make changes to the terms of their tenancy agreement.

    ", + "

    Preventing discrimination

    ", + "

    You cannot discriminate against or harass your tenants on the grounds of:

    ", + "
  • age
  • ", + "
  • being or becoming a transsexual person
  • ", + "
  • being married or in a civil partnership
  • ", + "
  • being pregnant or on maternity leave
  • ", + "
  • disability
  • ", + "
  • race including colour, nationality, ethnic or national origin
  • ", + "
  • religion, belief or lack of religion or belief
  • ", + "
  • sex
  • ", + "
  • sexual orientation
  • ", + "

    If you get managed payments from your local council

    ", + "

    When your tenants move to Universal Credit, you can help them set up their new rent payments.

    ", + "

    You can read more about Universal Credit and how it affects landlords.

    ", + "

    Ending a tenancy

    ", + "

    If you want your tenants to leave, you must give them notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.

    ", + "

    Assured shorthold tenancies (ASTs)

    ", + "

    In some circumstances, you can take back your property without giving any reason. To do this, and all of the following must apply:

    ", + "
  • you\u2019ve protected your tenants\u2019 deposit in a deposit protection scheme
  • ", + "
  • the date they must leave is at least 6 months after the original tenancy began (the one they signed on first moving in)
  • ", + "
  • they have a periodic tenancy - or they have a fixed-term tenancy and you are not asking them to leave before the end of the fixed term
  • ", + "

    How much notice you need to give

    ", + "

    You must give your tenants written notice that you want the property back (\u2018notice to quit\u2019) and the date they must leave. The notice period you give them must be at least:

    ", + "
  • 2 months if you gave notice before 26 March 2020
  • ", + "
  • 3 months if you gave notice between 26 March 2020 and 28 August 2020
  • ", + "
  • 6 months if you gave notice on or after 29 August 2020
  • ", + "

    If you gave a section 8 notice, the notice period is sometimes shorter, depending on the reason for eviction.

    ", + "

    This change is because of coronavirus (COVID-19).

    ", + "

    During the fixed term

    ", + "

    If you\u2019re still in the fixed term, you can only ask your tenants to leave if you have a reason for wanting possession that\u2019s in the Housing Act 1988.

    ", + "

    Examples of reasons include:

    ", + "
  • your tenants are behind with rent payments (\u2018in arrears\u2019)
  • ", + "
  • your tenants have used the property for illegal purposes, for example selling drugs
  • ", + "

    If you gave your tenant notice before 26 March 2020, you would have needed to give them up to 2 months to leave, depending on the reason.

    ", + "

    Because of coronavirus, in most cases you must now give them a longer notice period.

    ", + "

    If you gave your tenant notice between 26 March 2020 and 28 August 2020, period must have been at least 3 months.

    ", + "

    If you gave your tenant notice on or after 29 August 2020, the notice period must be at least 6 months. It can be shorter in some cases, for example if you evict them for antisocial behaviour.

    ", + "

    The Ministry of Housing, Communities and Local Government has information on reasons for possession for a property let on an AST.

    ", + "

    Assured tenancies

    ", + "

    You will need to use one of the reasons for possession in the Housing Act 1988.

    ", + "

    Excluded tenancies or licences

    ", + "

    If you live with a lodger and share rooms with them, you\u2019ll often have an excluded tenancy or licence.

    ", + "

    In this case, you only need to give \u2018reasonable notice\u2019 to quit. Usually this means the length of the rental payment period \u2013 so if you collect rent monthly, you\u2019ll need to give 1 month\u2019s notice.

    ", + "

    The notice does not have to be in writing.

    ", + "

    Non-excluded tenancy or licence

    ", + "

    You can end the agreement at any time by serving a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but it\u2019s usually at least 4 weeks.

    ", + "

    Break clauses

    ", + "

    If there\u2019s a break clause in the tenancy agreement, you can give your tenants notice after this. However, you do not have a guaranteed right to possession during the first 6 months of the tenancy.

    ", + "

    If your tenant does not leave the property

    ", + "

    You cannot remove your tenants by force. If the notice period expires and your tenants do not leave the property, you can start the process of eviction through the courts.

    ", + "

    If your tenants want to leave

    ", + "

    Tenancies

    ", + "

    The tenancy agreement should say how much notice your tenants need to give before they can leave the property.

    ", + "

    Tenants are responsible for paying rent for their entire fixed-term tenancy. They can move out early without paying rent for the full tenancy if:

    ", + "
  • there is a break clause in their tenancy agreement
  • ", + "
  • you agree to ending the tenancy early
  • ", + "

    They can also leave if their tenancy is up after giving their notice (whether it is fixed-term or not).

    ", + "

    Licence agreements

    ", + "

    If the licence automatically runs out after a specific date and your lodger wants to end the agreement, they should let you know this before the licence runs out.

    ", + "

    If your tenant dies without an executor or a will

    ", + "

    The tenancy is transferred temporarily to the Public Trustee if a tenant dies:

    ", + "
  • without a will
  • ", + "
  • with a will but without an executor
  • ", + "

    You cannot take back a property automatically even if the tenancy was due to end.

    ", + "

    You may be fined if you try to repossess a property without following the rules.

    ", + "

    Reclaim your property

    ", + "

    You must:

    ", + "
  • post or deliver a letter to the tenant\u2019s last known address saying you\u2019re giving written notice
  • ", + "
  • email a copy of your notice and a completed NL1 form to the Public Trustee
  • ", + "
  • pay an application fee to the Public Trustee to register the notice
  • ", + "

    Give notice

    ", + "

    Address the written notice to: \u201cThe Personal Representative of [full name of the tenant who died] of [last known address for the tenant who died]\u201d.

    ", + "

    Email the notice and NL1 form to the Public Trustee

    ", + "

    Order a NL1 application form to register a notice from OyezStore or from Shaws. The form costs no more than \u00a38.26.

    ", + "

    You\u2019ll get it by post. Email a copy of the notice and a scan of your completed NL1 form to osptcontrolunit@ospt.gov.uk.

    ", + "

    You must buy a new form for each application - you cannot use a photocopy. You can make your own version of the form, as long as it\u2019s laid out in the same way and includes all the relevant information.

    ", + "

    Pay the application fee

    ", + "

    It costs \u00a340 to register the notice. You can only pay by Bacs. Transfer the fee to the following account:

    ", + "Sort code | Account number | Account name", + "80 26 50 | 10014069 | The Public Trustee", + "

    Include the name of the deceased in the payment reference.

    ", + "

    Get a decision about your application

    ", + "

    The Public Trustee will register or reject your application. You should get an email within 15 working days of the Public Trustee getting your application and payment.

    ", + "

    If your application is registered, you\u2019ll be told the date it was put in the register.

    ", + "

    If your application is rejected, for example because it\u2019s incomplete, you\u2019ll be told why the Public Trustee cannot register it.

    ", + "

    You can search the Public Trustee\u2019s register if your notice is registered, for example to check that you can legally rent the property again or sell it.

    " + ] + }, + { + "title": "Challenge your Council Tax band", + "url": "https://www.gov.uk/challenge-council-tax-band", + "contents": [ + "

    Challenging your band

    ", + "

    Council Tax bands are based on how much a property was worth on:

    ", + "
  • 1 April 1991, for England and Scotland
  • ", + "
  • 1 April 2003, for Wales
  • ", + "

    You might be able to challenge your Council Tax band if you have evidence that suggests the band is wrong.

    ", + "

    When you can challenge your band

    ", + "

    You can challenge your band if you have been paying Council Tax on your property for less than 6 months.

    ", + "

    If you\u2019ve been paying Council Tax on your property for more than 6 months you can only challenge your band in specific circumstances. These include if:

    ", + "
  • your property has changed - for example, it\u2019s been demolished, split into multiple properties or merged into one
  • ", + "
  • your property\u2019s use has changed - for example, part of your property is now used for business
  • ", + "
  • your local area has changed - for example, a new supermarket has been built
  • ", + "

    Before you challenge your band

    ", + "

    Contact the Valuation Office Agency (VOA) to explain why you think your band is wrong. You must be able to provide evidence that supports your opinion. The VOA may be able to review and change your band without you needing to challenge it.

    ", + "

    There\u2019s currently a reduced telephone service because of coronavirus (COVID-19). Only contact the VOA by telephone if you cannot email them.

    ", + "

    How to challenge your band

    ", + "

    If the VOA has reviewed your band and you do not agree with their decision, you can then formally challenge your band.

    ", + "
  • Find your property\u2019s Council Tax band on the valuation list.
  • ", + "
  • Select your property. From \u2018Council Tax band details\u2019 choose \u2018Do you think this Council Tax band is wrong?\u2019
  • ", + "
  • From \u2018If you think your Council Tax band is wrong\u2019 choose \u2018Check if you can formally challenge your Council Tax band\u2019.
  • ", + "
  • Answer the questions on the checklist to find out if you can make a challenge.
  • ", + "
  • Select \u2018Make a formal challenge against your Council Tax band online\u2019 to fill in the challenge form.
  • ", + "
  • Provide evidence that supports your challenge in the \u2018Formal challenge details\u2019 section.
  • ", + "

    You must continue paying your Council Tax while the challenge is happening.

    ", + "

    You can also appoint someone else to challenge on your behalf.

    ", + "

    If you\u2019re in Scotland use the Scottish Assessors website to check your Council Tax band, then follow the link \u2018Make a proposal\u2019.

    ", + "

    Evidence that supports your challenge

    ", + "

    You must send evidence that your council tax band is wrong to the Valuation Office Agency (VOA) if you\u2019re in England or Wales.

    ", + "

    If you\u2019re in Scotland, use the Scottish Assessors website to check what evidence you need.

    ", + "

    Evidence you can send

    ", + "

    Send the addresses of up to 5 similar properties in a lower Council Tax band than yours.

    ", + "

    They must be the same as your property in:

    ", + "
  • age
  • ", + "
  • style and design
  • ", + "
  • size (the VOA will also consider properties that are larger than yours)
  • ", + "
  • type (for example, they must be semi-detached houses if you live in a semi-detached house)
  • ", + "

    They must also be either:

    ", + "
  • in the same street or estate - if you live in a town or city
  • ", + "
  • in the same village - if you live in the countryside
  • ", + "

    Evidence from house prices

    ", + "

    You can also use the price that your property or similar properties sold for as evidence, if the sales were between:

    ", + "
  • 1 April 1989 and 31 March 1993 - if your property is in England
  • ", + "
  • 1 April 2001 and 31 March 2005 - if your property is in Wales
  • ", + "

    You can look up property sale prices online from 1995 onwards.

    ", + "

    Compare the sale prices to what the properties were valued at:

    ", + "Council Tax band | Properties is in England - value in April 1991 | Properties in Wales - value in April 2003", + "A | Up to \u00a340,000 | Up to \u00a344,000", + "B | More than \u00a340,000 and up to \u00a352,000 | More than \u00a344,000 and up to \u00a365,000", + "C | More than \u00a352,000 and up to \u00a368,000 | More than \u00a365,000 and up to \u00a391,000", + "D | More than \u00a368,000 and up to \u00a388,000 | More than \u00a391,000 and up to \u00a3123,000", + "E | More than \u00a388,000 and up to \u00a3120,000 | More than \u00a3123,000 and up to \u00a3162,000", + "F | More than \u00a3120,000 and up to \u00a3160,000 | More than \u00a3162,000 and up to \u00a3223,000", + "G | More than \u00a3160,000 and up to \u00a3320,000 | More than \u00a3223,000 and up to \u00a3324,000", + "H | More than \u00a3320,000 | More than \u00a3324,000 and up to \u00a3424,000", + "I | - | More than \u00a3424,000", + "

    If the sale prices are different from the Council Tax bands the properties are in, send:

    ", + "
  • the addresses of the properties
  • ", + "
  • the sale prices
  • ", + "
  • the dates the properties were sold
  • ", + "

    If your property is in England, you\u2019ll also need to send proof of the sale prices, such as:

    ", + "
  • a letter from a solicitor
  • ", + "
  • the contract for the sale
  • ", + "

    Do not send data about average house prices in your area from websites such as Nationwide House Price Index, Nethouseprices, Rightmove or Zoopla.

    ", + "

    After you make a challenge

    ", + "

    You\u2019ll get a decision from the Valuation Office Agency (VOA) within 4 months. They\u2019ll either:

    ", + "
  • change your Council Tax band - your local council will revise your bill and adjust your payments
  • ", + "
  • tell you why your band cannot be changed
  • ", + "

    If you disagree with the VOA\u2019s decision

    ", + "

    In England, if you make a formal challenge and disagree with the VOA\u2019s decision, you can appeal to the Valuation Tribunal.

    ", + "

    If you\u2019re in Wales, send it to the Welsh Tribunal.

    ", + "

    The Valuation Tribunal is independent of the VOA. It\u2019s free, but you have to pay your own costs.

    ", + "

    You must appeal within 3 months of getting the VOA\u2019s decision. You may be able to get the time limit extended if you cannot apply in time.

    ", + "

    If the tribunal agrees with you, the VOA will change your band and the council will update your bill.

    ", + "

    Get help

    ", + "

    The Valuation Tribunal has guidance on:

    ", + "
  • what you need to do for the hearing
  • ", + "
  • preparing for the hearing
  • ", + "

    You can also contact the tribunal for help.

    " + ] + }, + { + "title": "Council Tax", + "url": "https://www.gov.uk/council-tax", + "contents": [ + "

    Working out your Council Tax

    ", + "

    You\u2019ll need to know 3 things:

    ", + "
  • the valuation band for your home in England and Wales or in Scotland
  • ", + "
  • how much your local council charges for that band
  • ", + "
  • whether you can get a discount or exemption from the full bill
  • ", + "

    You may be able to get Council Tax Reduction (this used to be called Council Tax Benefit) if you\u2019re on a low income or get benefits.

    ", + "

    You can challenge your Council Tax band if you think your home is in the wrong valuation band.

    ", + "

    Changes that may affect your Council Tax band

    ", + "

    Your property may be revalued and put in a different band in some circumstances, for example if:

    ", + "
  • you demolish part of your property and do not rebuild it
  • ", + "
  • you alter your property to create 2 or more self-contained units, for example an annexe - each unit will have its own band
  • ", + "
  • you split a single property into self-contained flats
  • ", + "
  • you convert flats into a single property
  • ", + "
  • you start or stop working from home
  • ", + "
  • the previous owner made changes to your property
  • ", + "
  • there are significant changes to your local area, like a new road being built
  • ", + "
  • a similar property in your area has its Council Tax band changed
  • ", + "

    Ask the Valuation Office Agency (VOA) if you want to know if changes to your property will affect your Council Tax band.

    ", + "

    Who has to pay

    ", + "

    You\u2019ll usually have to pay Council Tax if you\u2019re 18 or over and own or rent a home.

    ", + "

    A full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.

    ", + "

    You\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:

    ", + "
  • you live on your own
  • ", + "
  • no-one else in your home counts as an adult
  • ", + "

    You\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.

    ", + "

    You will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.

    ", + "

    Apply for a Council Tax discount.

    ", + "

    Who does not count as an adult?

    ", + "

    These people are not counted as adults for Council Tax:

    ", + "
  • children under 18
  • ", + "
  • people on some apprentice schemes
  • ", + "
  • 18 and 19-year-olds in full-time education
  • ", + "
  • full-time college and university students
  • ", + "
  • young people under 25 who get funding from the Skills Funding Agency or Young People\u2019s Learning Agency
  • ", + "
  • student nurses
  • ", + "
  • foreign language assistants registered with the British Council
  • ", + "
  • people with a severe mental impairment
  • ", + "
  • live-in carers who look after someone who is not their partner, spouse, or child under 18
  • ", + "
  • diplomats
  • ", + "

    Contact your local council if you\u2019re unsure about whether you can get a discount or who\u2019s responsible for paying.

    ", + "

    People on apprentice schemes

    ", + "

    To show that you do not qualify as an adult for Council Tax, you\u2019ll need a declaration from your employer stating that:

    ", + "
  • you will not be paid more than \u00a3195 a week
  • ", + "
  • the training leads to a qualification accredited by a body recognised by the Office of Qualifications and Examinations Regulation (Ofqual) or the Scottish Vocational Education Council (SVEC)
  • ", + "

    If you get a Council Tax discount by mistake

    ", + "

    You must tell your council. If you do not, you could get a fine.

    ", + "

    The council may ask you to pay back the discount.

    ", + "

    Discounts for full-time students

    ", + "

    Households where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.

    ", + "

    To count as a full-time student, your course must:

    ", + "
  • last at least 1 year
  • ", + "
  • involve at least 21 hours study per week
  • ", + "

    If you study for a qualification up to A level and you\u2019re under 20, your course must:

    ", + "
  • last at least 3 months
  • ", + "
  • involve at least 12 hours study per week
  • ", + "

    You\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.

    ", + "

    Discounts for disabled people

    ", + "

    People who are severely mentally impaired are not included when working out Council Tax.

    ", + "

    You also are not included if you\u2019re a live-in carer looking after someone who is not your partner, spouse, or child under 18.

    ", + "

    Apply for a Council Tax discount.

    ", + "

    Disabled Band Reduction Scheme

    ", + "

    You may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.

    ", + "

    You\u2019ll have to show that you\u2019ve either:

    ", + "
  • an extra bathroom, kitchen or other room that you need for the disabled person
  • ", + "
  • extra space inside the property for using a wheelchair
  • ", + "

    The property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.

    ", + "

    Check if you qualify for the scheme.

    ", + "

    Second homes and empty properties

    ", + "

    You may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.

    ", + "

    Councils can charge extra Council Tax for empty properties.

    ", + "

    Second homes

    ", + "

    You may pay less Council Tax for a property you own or rent that\u2019s not your main home.

    ", + "

    Councils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.

    ", + "

    Empty properties

    ", + "

    You\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.

    ", + "

    You can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).

    ", + "

    The rules are different in Scotland.

    ", + "

    When you do not pay Council Tax

    ", + "

    If you\u2019re selling a property on behalf of an owner who\u2019s died, you won\u2019t need to pay Council Tax until after you get probate as long as the property remains empty. After probate is granted, you may be able to get a Council Tax exemption for another 6 months if the property is both:

    ", + "
  • unoccupied
  • ", + "
  • still owned and in the name of the person who died
  • ", + "

    Some homes do not get a Council Tax bill for as long as they stay empty. They include homes:

    ", + "
  • of someone in prison (except for not paying a fine or Council Tax)
  • ", + "
  • of someone who\u2019s moved into a care home or hospital
  • ", + "
  • that have been repossessed
  • ", + "
  • that cannot be lived in by law, for example if they\u2019re derelict
  • ", + "
  • that are empty because they\u2019ve been compulsory purchased and will be demolished
  • ", + "

    You may get a discount if your home is undergoing major repair work or structural changes, for example your walls are being rebuilt.

    ", + "

    If your property\u2019s been refurbished

    ", + "

    Your council will tell you when you have to start paying Council Tax if you\u2019ve been carrying out major home improvements on an empty property or building a new property.

    ", + "

    You\u2019ll get a \u2018completion notice\u2019 that tells you the date you must start paying Council Tax.

    ", + "

    If your property\u2019s derelict

    ", + "

    Your property\u2019s only considered derelict if it:

    ", + "
  • is not possible to live in it, for example because it\u2019s been damaged by weather, rot or vandalism
  • ", + "
  • would need major structural works to make it \u2018wind and watertight\u2019 again
  • ", + "

    You can challenge your Council Tax band if you think a derelict property should be removed from the Council Tax valuation list.

    ", + "

    Paying your bill

    ", + "

    Your Council Tax bill tells you:

    ", + "
  • how much you have to pay for the year
  • ", + "
  • how that amount has been worked out
  • ", + "
  • the dates you have to pay
  • ", + "

    The cost is usually split into 10 monthly payments. Contact your council immediately if you\u2019re having trouble paying - they can help you, for example by spreading your payments over 12 months instead of 10.

    ", + "

    The council can take action to reclaim any debts you owe if you get behind with your payments.

    ", + "

    Ways to pay

    ", + "

    You can usually pay your Council Tax online.

    ", + "

    You can also use \u2018Paypoint\u2019, \u2018Payzone\u2019 or \u2018Quickcards\u2019 for cash payments at post offices, banks, newsagents and convenience stores.

    ", + "

    Check your bill to find out which other payment methods you can use.

    ", + "

    If you\u2019ve overpaid

    ", + "

    Contact your local council if you\u2019ve paid too much Council Tax and have not received an automatic refund.

    " + ] + }, + { + "title": "Council housing", + "url": "https://www.gov.uk/council-housing", + "contents": [ + "

    Apply for a council home

    ", + "

    You apply for council housing through your local council.

    ", + "

    Each council has its own rules.

    ", + "

    You\u2019ll usually have to join a waiting list and you\u2019re not guaranteed to get a property. Ask your council how long you\u2019re likely to have to wait.

    ", + "

    You can apply if you\u2019re 18 or over (some councils let you apply if you\u2019re 16 or over).

    ", + "

    You may be able to apply even if you do not live in the area.

    ", + "

    Waiting lists

    ", + "

    Councils decide who gets offered housing based on a \u2018points\u2019 or \u2018banding\u2019 system.

    ", + "

    Points and bands are based on housing need. For example, you\u2019re likely to be offered housing first if you:

    ", + "
  • are homeless
  • ", + "
  • live in cramped conditions
  • ", + "
  • have a medical condition made worse by your current home
  • ", + "

    Once you\u2019re high enough on the list, your council will contact you about an available property.

    ", + "

    Choice-based lettings

    ", + "

    Some councils have a choice-based letting scheme. This lets you tell your council which properties you\u2019re interested in. It depends on the council, but once you\u2019ve been accepted onto the waiting list, the basic steps are:

    ", + "
  • Find a property: check in local papers, on council websites, in council offices or in local libraries.
  • ", + "
  • Check you can apply for it: some properties are only suitable for single people, families or disabled people.
  • ", + "
  • Apply: this is known as \u2018bidding\u2019, but it does not involve money. You can bid online, by phone or by text.
  • ", + "
  • Get the council\u2019s decision.
  • ", + "

    Getting an offer

    ", + "

    Normally you only have a short time to accept a housing offer. If you do not accept it, you can usually stay on the waiting list (or bid for other properties), but you may be put lower down the list.

    ", + "

    You may be taken off the list temporarily if you keep rejecting offers.

    ", + "

    You can appeal if you\u2019re not happy with your council\u2019s decision.

    ", + "

    Types of tenancy

    ", + "

    Your tenancy agreement is a legal document and tells you all the rules about living in your property.

    ", + "

    Different council tenants have different tenancies. These give you different rights and responsibilities.

    ", + "

    Introductory tenancy

    ", + "

    New council tenants may be offered an introductory tenancy. These usually last 12 months and are like a \u2018trial\u2019 period.

    ", + "

    You automatically become a secure or flexible tenant after 12 months, unless your council has either:

    ", + "
  • started action to evict you
  • ", + "
  • extended your introductory tenancy for a further 6 months
  • ", + "

    There are limits to what you can do with an introductory tenancy, for example you cannot:

    ", + "
  • make major improvements to the property
  • ", + "
  • swap your property with another council tenant
  • ", + "
  • apply to buy your property through the Right to Buy scheme
  • ", + "

    Secure tenancy

    ", + "

    As a secure tenant, you can normally live in the property for the rest of your life, as long as you do not break the conditions of the tenancy.

    ", + "

    You can:

    ", + "
  • rent out rooms - but you cannot sub-let the whole property
  • ", + "
  • buy your property through the Right to Buy scheme
  • ", + "
  • swap your home with another council or housing association tenant - with your council\u2019s permission
  • ", + "
  • transfer your tenancy to someone else in some circumstances
  • ", + "
  • make improvements to your home - you\u2019ll need permission from your council for some types of work
  • ", + "

    Scottish secure tenancy

    ", + "

    You\u2019ll usually have a Scottish secure tenancy if you rent your home from the council, a housing association or housing co-operative in Scotland.

    ", + "

    Flexible tenancy

    ", + "

    As a flexible tenant, you have tenancy for a fixed period. This is usually for at least 5 years, though in some cases it may be between 2 and 5 years.

    ", + "

    At the end of the fixed period the council may decide to:

    ", + "
  • offer you another fixed-term tenancy
  • ", + "
  • offer you a secure tenancy
  • ", + "
  • not renew your tenancy
  • ", + "

    They must explain their reasons if they decide not to renew your tenancy and give you a chance to challenge the decision.

    ", + "

    As a flexible tenant you can:

    ", + "
  • rent out rooms - but you cannot sub-let the whole property
  • ", + "
  • buy your property through the Right to Buy scheme
  • ", + "
  • swap your home with another council or housing association tenant - with your council\u2019s permission
  • ", + "
  • transfer your tenancy to someone else in some circumstances
  • ", + "

    Joint tenancy

    ", + "

    Under a joint tenancy, all the tenants share equal responsibility.

    ", + "

    You can apply for a joint tenancy at any time if you\u2019re married or in a registered civil partnership. You must usually have lived together at the property for at least 12 months if you\u2019re a cohabiting couple or related (like brother and sister).

    ", + "

    Transferring your tenancy

    ", + "

    Secure and flexible tenants may be able to transfer a tenancy to someone else, or, in some circumstances, pass on a tenancy to someone when they die.

    ", + "

    Secure tenancies granted before 1 April 2012 can be transferred or passed on only once. For example, if you take over a tenancy when someone dies, you cannot pass on the tenancy to someone else when you die.

    ", + "

    Some secure and flexible tenancies granted from 1 April 2012 may mean you can transfer or pass on your tenancy more than once - check your tenancy agreement.

    ", + "

    To transfer a tenancy, complete a \u2018request to assign tenancy\u2019 form, available from your local council\u2019s housing department.

    ", + "

    Ending your tenancy

    ", + "

    Your tenancy can only be ended if:

    ", + "
  • you give the council 4 weeks\u2019 notice in writing
  • ", + "
  • the council evicts you
  • ", + "
  • the council needs to move you, for example to redevelop the property - it should offer you a new property and a new tenancy with no less security
  • ", + "

    Secure tenancies can also end if:

    ", + "
  • the council needs to move you, for example to redevelop your property \u2013 it should offer you a new property and a new secure tenancy
  • ", + "
  • you transfer your tenancy to someone else or swap homes
  • ", + "

    Ending joint tenancies

    ", + "

    If only one of you wants to end the tenancy and the other joint tenant(s) wants to stay in the property, your council may:

    ", + "
  • give the remaining tenant(s) a new tenancy at the same property
  • ", + "
  • not give them a new tenancy, for example because the property could be offered to another couple or family
  • ", + "

    If one joint tenant dies, the tenancy continues for the surviving tenant(s).

    ", + "

    If you and your partner divorce or your relationship breaks down and you cannot agree on who gets the tenancy, a court can decide this.

    ", + "

    Repairs and maintenance

    ", + "

    You\u2019re likely to be responsible for things like:

    ", + "
  • fixing a curtain or shower rail
  • ", + "
  • getting keys cut if you lose them
  • ", + "
  • arranging and paying for any damage you or your visitors have caused in your home to be put right
  • ", + "

    Your council is responsible for making sure:

    ", + "
  • the structure of your property is kept in good condition \u2013 this includes the walls, ceiling, roof and windows
  • ", + "
  • gas and electricity appliances work safely
  • ", + "
  • shared parts of a building or housing estate are kept in good condition
  • ", + "

    Your council will have a published policy setting out the timescales in which it will carry out different types of repairs.

    ", + "

    You should get several weeks\u2019 warning of any work needed.

    ", + "

    You can request a repair to your council property to fix an urgent problem.

    ", + "

    Leaving your home

    ", + "

    You may have to leave your home if major works are needed on the building. Your council must find you somewhere to live while work is carried out and pay for the cost of this.

    ", + "

    You may also get money from your council to pay for the cost of moving and the inconvenience it causes.

    ", + "

    If council works damage your property

    ", + "

    The council should repair any damage caused by maintenance or building work. You may be able to get a reduction in your rent if the repairs cause a lot of disruption.

    ", + "

    Your own home improvements

    ", + "

    The kind of improvements you can make to your council property depends on the type of tenancy you have.

    ", + "

    Introductory tenants are usually limited to minor improvements like redecorating inside.

    ", + "

    If you\u2019re a secure tenant, you have the right to carry out improvements to your property. These include:

    ", + "
  • installing a new bathroom or kitchen
  • ", + "
  • building an extension
  • ", + "
  • putting up a garden shed or greenhouse
  • ", + "
  • installing a new gas fire or fireplace
  • ", + "
  • cavity wall insulation
  • ", + "
  • redecorating the outside of a house
  • ", + "
  • fitting an aerial or satellite dish
  • ", + "

    You might need your council\u2019s written permission for work you do. Contact your council if you\u2019re not sure.

    ", + "

    Complaints

    ", + "

    Follow these steps if you have a problem with your council housing:

    ", + "
  • Complain to your council - they should have a complaints policy that you can follow.
  • ", + "
  • Make a complaint to a \u2018designated person\u2019 (your MP, a local councillor or a tenant panel) if you cannot resolve the problem with your council.
  • ", + "
  • Contact the Housing Ombudsman if you and your council still cannot resolve the problem.
  • ", + "

    Council housing fraud

    ", + "

    You\u2019re likely to lose your tenancy and you could lose your right to council housing in the future if you\u2019re caught committing housing fraud.

    ", + "

    You may be fined or sent to prison if the fraud is serious.

    ", + "

    Housing fraud includes:

    ", + "
  • not telling the truth when applying for a property - for example claiming to have children when you do not
  • ", + "
  • sub-letting a property without permission
  • ", + "
  • living in a property after someone has died without the right to do so
  • ", + "

    How councils check for housing fraud

    ", + "

    Councils will check:

    ", + "
  • a tenant\u2019s housing record against other records - for example Housing Benefit or the Electoral Roll
  • ", + "
  • that the genuine tenant lives at the property - for example asking to see the tenant\u2019s passport and tenancy agreement
  • ", + "

    Checks can happen at any time during a tenancy, without any warning.

    ", + "

    Report suspected housing fraud

    ", + "

    Most councils have a telephone number for people to report suspicious behaviour. You do not have to give your name or address when reporting suspected fraud.

    ", + "

    Buy your council home

    ", + "

    Under the Right to Buy scheme, you can apply to buy your council home if:

    ", + "
  • it\u2019s your only or main home
  • ", + "
  • it\u2019s self-contained
  • ", + "
  • you\u2019re a secure tenant
  • ", + "
  • you\u2019ve had a public sector landlord for 5 years - for example a council, housing association or NHS trust
  • " + ] + }, + { + "title": "Housing association homes", + "url": "https://www.gov.uk/housing-association-homes", + "contents": [ + "

    Apply for a home

    ", + "

    Housing associations offer similar types of housing as local councils \u2013 often to people on a low income or who need extra support.

    ", + "

    You can apply:

    ", + "
  • directly to a housing association
  • ", + "
  • often through your local council
  • ", + "

    You can apply to more than one housing association at a time.

    ", + "

    Waiting list

    ", + "

    Once you apply, you\u2019ll be put on a waiting list.

    ", + "

    Housing associations normally offer housing to people most suited to that particular property. You may have to wait a long time for a suitable property to become available.

    ", + "

    Housing associations are also known as Registered Social Landlords or Private Registered Providers of Social Housing.

    ", + "

    Types of tenancy

    ", + "

    Your rights and responsibilities depend on the type of tenancy you have.

    ", + "

    Your tenancy agreement is a legal document that tells you all the rules about living in your property.

    ", + "

    Starter tenancy

    ", + "

    New housing association tenants may be offered a starter tenancy. These usually last 12 months and are like a \u2018trial\u2019 period.

    ", + "

    You become an assured or fixed term tenant after 12 months, unless your housing association has either:

    ", + "
  • started action to evict you
  • ", + "
  • extended your starter tenancy
  • ", + "

    Assured and fixed-term tenancies

    ", + "

    At the end of your starter tenancy you\u2019ll be offered either:

    ", + "
  • an assured tenancy - meaning you can normally live in your property for the rest of your life
  • ", + "
  • a fixed-term tenancy - usually lasting for at least 5 years (your landlord will decide whether it\u2019s renewed)
  • ", + "

    You rights may include:

    ", + "
  • buying your home
  • ", + "
  • having your home repaired
  • ", + "
  • swapping your home with another council or housing association tenant
  • ", + "

    Ending your tenancy

    ", + "

    Your tenancy can be ended if:

    ", + "
  • you give the housing association 4 weeks\u2019 notice in writing
  • ", + "
  • the housing association evicts you
  • ", + "
  • you transfer your tenancy to someone else or swap homes
  • ", + "
  • the housing association needs to move you (eg to redevelop your property) - it should offer you a new property
  • ", + "

    Standard of your home

    ", + "

    Your landlord has to make sure that your home meets certain standards. It must be:

    ", + "
  • safe and free from \u2018category 1 hazards\u2019 - these are things that can cause death or pose a serious danger to your health (eg by causing lung cancer, 80% burn injuries, loss of limbs, poisoning)
  • ", + "
  • in a reasonable state of repair
  • ", + "
  • equipped with reasonably modern facilities
  • ", + "
  • warm enough
  • ", + "

    If you have concerns about the standard of your home you can make a complaint.

    ", + "

    As a social housing tenant you can help run a maintenance service.

    ", + "

    Complaints

    ", + "

    Follow these steps if you have a problem with your housing association home:

    ", + "
  • Complain to your landlord - they should have a complaints policy that you can follow.
  • ", + "
  • Make a complaint to a \u2018designated person\u2019 (your MP, a local councillor or a tenant panel) if you can\u2019t resolve the problem with your landlord.
  • ", + "
  • Contact the Housing Ombudsman if you and your landlord still can\u2019t resolve the problem.
  • ", + "

    Buying your home

    ", + "

    As a housing association tenant, you might be able to buy your housing association home at a discount.

    " + ] + }, + { + "title": "Right to Acquire: buying your housing association home", + "url": "https://www.gov.uk/right-to-acquire-buying-housing-association-home", + "contents": [ + "

    Overview

    ", + "

    Right to Acquire allows most housing association tenants to buy their home at a discount. You apply using the Right to Acquire application form.

    ", + "

    You can apply to buy your housing association home if you\u2019ve had a public sector landlord for 3 years. These landlords include:

    ", + "
  • housing associations
  • ", + "
  • councils
  • ", + "
  • the armed services
  • ", + "
  • NHS trusts and foundation trusts
  • ", + "

    Eligible properties

    ", + "

    Your property must either have been:

    ", + "
  • built or bought by a housing association after 31 March 1997 (and funded through a social housing grant provided by the Housing Corporation or local council)
  • ", + "
  • transferred from a local council to a housing association after 31 March 1997
  • ", + "

    Your landlord must be registered with the Regulator of Social Housing.

    ", + "

    The home you want to buy must also be:

    ", + "
  • a self-contained property
  • ", + "
  • your only or main home
  • ", + "

    Joint applications

    ", + "

    You can make a joint application with:

    ", + "
  • someone who shares your tenancy
  • ", + "
  • up to 3 family members who\u2019ve lived with you for the past 12 months (even if they don\u2019t share your tenancy)
  • ", + "

    Who doesn\u2019t qualify

    ", + "

    You can\u2019t use Right to Acquire if:

    ", + "
  • you\u2019re being made bankrupt
  • ", + "
  • a court has ordered you to leave your home
  • ", + "
  • you\u2019re a council tenant \u2013 you may be able to use Right to Buy instead
  • ", + "
  • you have \u2018Preserved Right to Buy\u2019
  • ", + "

    Discounts

    ", + "

    You can get a discount of between \u00a39,000 and \u00a316,000 on the price of your property.

    ", + "

    The amount of discount you\u2019ll get depends on where you live in the UK.

    ", + "

    Your landlord will tell you what discount you\u2019ll get when you apply to buy your home. You can also download a table of discounts, broken down by location.

    ", + "

    Your discount might be reduced if you\u2019ve used Right to Acquire or Right to Buy in the past.

    ", + "

    Applying

    ", + "
  • Fill in the Right to Acquire application form
  • ", + "
  • Send it to your landlord.
  • ", + "
  • Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why. You can\u2019t appeal against the landlord\u2019s decision.
  • ", + "
  • If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.
  • ", + "

    Your landlord might offer you the choice of buying your home, or another empty one that they own. You don\u2019t have to accept the other property and your landlord doesn\u2019t have to offer you one.

    ", + "

    Your landlord\u2019s offer

    ", + "

    If your landlord agrees to sell, their offer will tell you:

    ", + "
  • the price they think you should pay for the property and how it was worked out
  • ", + "
  • your discount and how it was worked out
  • ", + "
  • a description of the property and any land included in the price
  • ", + "
  • estimates of any service charge (for a flat or maisonette) for the first 5 years
  • ", + "
  • any known problems with the property\u2019s structure, eg subsidence
  • ", + "

    Deciding to buy

    ", + "

    Once you get your landlord\u2019s offer, you have 12 weeks to tell them that you still want to buy.

    ", + "

    If you don\u2019t reply, the landlord will send you a reminder (called an \u2018RTA4\u2019). You\u2019ll have a reasonable time (at least 28 days) to reply. If you don\u2019t, your landlord will send a final reminder (called an \u2018RTA5\u2019). If you don\u2019t reply to that, your landlord can drop your application.

    ", + "

    You can pull out of the sale and continue to rent at any time.

    ", + "

    If you disagree with the landlord\u2019s offer

    ", + "

    Contact your landlord and tell them why.

    ", + "

    If you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask for an independent valuation.

    ", + "

    A district valuer from HM Revenue & Customs will visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.

    ", + "

    Selling your home

    ", + "

    If you sell your home within 10 years of buying it through Right to Acquire, you must first offer it to your old landlord.

    ", + "

    The property should be sold at the full market price agreed between you and the landlord.

    ", + "

    If you can\u2019t agree, a district valuer will say how much your home is worth and set the price. You won\u2019t have to pay for their valuation.

    ", + "

    If the landlord doesn\u2019t agree to buy your home within 8 weeks, you can sell it to anyone.

    ", + "

    Paying back your discount

    ", + "

    If you sell your home within 5 years of buying it, you\u2019ll have to pay back some or all of the discount you got.

    ", + "

    If you sell within the first year, you\u2019ll have to pay back all of the discount. On top of this, the amount you pay back depends on the value of your home when you sell it. So, if you got a 10% discount, you\u2019ll have to pay back 10% of the selling price.

    ", + "

    If you sell after the first year, the total amount you pay back reduces. You pay back:

    ", + "
  • 80% of the discount in the second year
  • ", + "
  • 60% of the discount in the third year
  • ", + "
  • 40% of the discount in the fourth year
  • ", + "
  • 20% of the discount in the fifth year
  • ", + "

    Help and advice

    ", + "

    The Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.

    ", + "

    You can also get advice on Right to Acquire from:

    ", + "
  • Citizens Advice
  • ", + "
  • Shelter
  • ", + "
  • your local Law Centre
  • " + ] + }, + { + "title": "Right to Buy: buying your council home", + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "contents": [ + "

    Overview

    ", + "

    Right to Buy allows most council tenants to buy their council home at a discount. Use the eligibility checker on the Own Your Home website to find out if you can apply.

    ", + "

    There are different rules for Wales, Scotland and Northern Ireland.

    ", + "

    You can apply to buy your council home if:

    ", + "
  • it\u2019s your only or main home
  • ", + "
  • it\u2019s self-contained
  • ", + "
  • you\u2019re a secure tenant
  • ", + "
  • you\u2019ve had a public sector landlord (for example, a council, housing association or NHS trust) for 3 years - it does not have to be 3 years in a row
  • ", + "

    Joint applications

    ", + "

    You can make a joint application with:

    ", + "
  • someone who shares your tenancy
  • ", + "
  • up to 3 family members who\u2019ve lived with you for the past 12 months (even if they do not share your tenancy)
  • ", + "

    Ex-council homes

    ", + "

    If your home used to be owned by the council, but they sold it to another landlord (like a housing association) while you were living in it, you may have the Right to Buy. This is called \u2018Preserved Right to Buy\u2019.

    ", + "

    Ask your landlord if this applies to you.

    ", + "

    Other ways to buy your home

    ", + "

    If you were not living in your home when it was sold by the council you may still be able to buy it through the Voluntary Right to Buy pilot.

    ", + "

    Discounts

    ", + "

    You can get a discount on the market value of your home when you buy it if you qualify for Right to Buy.

    ", + "

    The maximum discount is \u00a384,600 across England, except in London boroughs where it is \u00a3112,800. It will increase each year in April in line with the consumer price index (CPI).

    ", + "

    The discount is based on:

    ", + "
  • how long you\u2019ve been a tenant with a public sector landlord
  • ", + "
  • the type of property you\u2019re buying - a flat or house
  • ", + "
  • the value of your home
  • ", + "

    If you\u2019re buying with someone else, you count the years of whoever\u2019s been a public sector tenant the longest.

    ", + "

    You\u2019ll usually have to repay some or all your discount if you sell your home within 5 years.

    ", + "

    You might get a smaller discount if you\u2019ve used Right to Buy in the past.

    ", + "

    Working out the discount

    ", + "

    Use the Right to Buy calculator to find out how much discount you could get.

    ", + "

    There are different discount levels for houses and flats.

    ", + "

    Houses

    ", + "

    You get a 35% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.

    ", + "

    After 5 years, the discount goes up 1% for every extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).

    ", + "

    Flats

    ", + "

    You get a 50% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.

    ", + "

    After 5 years, the discount goes up by 2% for each extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).

    ", + "

    If your landlord has spent money on your home

    ", + "

    Your discount will be less if your landlord has spent money building or maintaining your home:

    ", + "
  • in the last 10 years - if your landlord built or acquired your home before 2 April 2012
  • ", + "
  • in the last 15 years - if you\u2019re buying your home through Preserved Right to Buy, or if your landlord acquired your home after 2 April 2012
  • ", + "

    You will not get any discount if your landlord has spent more money than your home is now worth.

    ", + "

    Applying

    ", + "
  • Fill in the Right to Buy application form (RTB1 notice).
  • ", + "
  • Send it to your landlord.
  • ", + "
  • Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why.
  • ", + "
  • If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.
  • ", + "

    Your landlord's offer

    ", + "

    If your landlord agrees to sell, their offer will tell you:

    ", + "
  • the price they think you should pay for the property and how it was worked out
  • ", + "
  • your discount and how it was worked out
  • ", + "
  • a description of the property and any land included in the price
  • ", + "
  • estimates of any service charges (for a flat or maisonette) for the first 5 years
  • ", + "
  • any known problems with the property\u2019s structure, for example, subsidence
  • ", + "

    Deciding to buy

    ", + "

    You have 12 weeks after you get your landlord\u2019s offer to tell them you still want to buy.

    ", + "

    The landlord will send you a reminder if you do not reply to the offer. You have 28 days to reply to the reminder, or the landlord could drop your application.

    ", + "

    You can pull out of the sale and continue to rent at any time.

    ", + "

    If you disagree with the landlord\u2019s offer

    ", + "

    Contact your landlord and tell them why.

    ", + "

    If you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask them for an independent valuation.

    ", + "

    A district valuer from HM Revenue and Customs (HMRC) will then visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.

    ", + "

    Appeals

    ", + "

    You can appeal to a tribunal if you\u2019re stopped from buying your home because it\u2019s suitable for housing elderly people.

    ", + "

    You must appeal within 56 days of the council turning down your application.

    ", + "

    Delays

    ", + "

    Your landlord must complete parts of your Right to Buy application within set time limits.

    ", + "

    You could get a reduction in the sale price if they do not.

    ", + "

    Applying for a reduction because of a delay

    ", + "

    Fill in the \u2018Initial notice of delay\u2019 form (RTB6) and send it to your landlord.

    ", + "

    Your landlord must then either move the sale along within 1 month or send you a \u2018counter notice\u2019. The counter notice will say that they\u2019ve already replied or explain why they cannot speed things up.

    ", + "

    If your landlord does not reply within a month of getting the RTB6, fill in the \u2018Operative notice of delay\u2019 form (RTB8). This means that any rent you pay while you\u2019re waiting to hear from your landlord could be taken off the sale price.

    ", + "

    You can do this each time your landlord is late getting back to you.

    ", + "

    Selling your home

    ", + "

    If you sell your home within 10 years of buying it through Right to Buy, you must first offer it to either:

    ", + "
  • your old landlord
  • ", + "
  • another social landlord in the area
  • ", + "

    The property should be sold at the full market price agreed between you and the landlord.

    ", + "

    If you cannot agree, a district valuer will say how much your home is worth and set the price. You will not have to pay for their valuation.

    ", + "

    You can sell your home to anyone if the landlord does not agree to buy it within 8 weeks.

    ", + "

    Paying back your discount

    ", + "

    You\u2019ll have to pay back some or all of the discount you got if you sell your Right to Buy home within 5 years of buying it.

    ", + "

    You\u2019ll have to pay back all of the discount if you sell within the first year. After that, the total amount you pay back reduces to:

    ", + "
  • 80% of the discount in the second year
  • ", + "
  • 60% of the discount in the third year
  • ", + "
  • 40% of the discount in the fourth year
  • ", + "
  • 20% of the discount in the fifth year
  • ", + "

    The amount you pay back depends on the value of your home when you sell it.

    ", + "

    You may not have to pay back the discount if you transfer ownership of your home to a member of your family. You\u2019ll need to agree this first with your landlord and then get a solicitor to do this for you.

    ", + "

    Rural homes

    ", + "

    Your former landlord may limit who you can sell your home to if your home is in:

    ", + "
  • a national park
  • ", + "
  • an area of outstanding natural beauty
  • ", + "
  • an area the government says is rural for Right to Buy
  • ", + "

    For example, you may have to sell your home to someone who\u2019s lived or worked in the area for more than 3 years. This may mean you have difficulty getting a mortgage to buy your home.

    ", + "

    Your landlord will tell you if this could apply to your home when you apply for Right to Buy.

    ", + "

    Help and advice

    ", + "

    You can get free advice about:

    ", + "
  • how to complete your Right to Buy application
  • ", + "
  • whether the scheme is right for you
  • ", + "
  • how much it will cost you
  • ", + "
  • your eligibility
  • ", + "

    Ask your landlord about Right to Buy. They may also be able to help you complete the application form.

    ", + "

    Right to Buy Agent service

    ", + "

    The Right to Buy Agent service offers free advice on things like:

    ", + "
  • the Right to Buy process
  • ", + "
  • eligibility
  • ", + "
  • filling out your application form
  • ", + "
  • where you can get financial and legal advice
  • ", + "
  • what to do if your application is delayed
  • ", + "

    Money Advice Service

    ", + "

    The Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.

    ", + "

    Other help

    ", + "

    Read the Right to Buy summary booklet and the Right to Buy guidance.

    ", + "

    You can also get advice on Right to Buy from:

    ", + "
  • the Own Your Home website
  • ", + "
  • Citizens Advice
  • ", + "
  • Shelter
  • ", + "
  • your local Law Centre
  • " + ] + }, + { + "title": "Appeal a decision about a tree preservation order", + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "contents": [ + "

    When you can appeal

    ", + "

    Your council makes decisions about work on trees protected by preservation orders.

    ", + "

    You can appeal if you applied to cut down or carry out work on a protected tree and:

    ", + "
  • you disagree with the decision
  • ", + "
  • a decision was not made within 8 weeks
  • ", + "

    You can also appeal if you disagree with a tree replacement notice you\u2019ve been given.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal:

    ", + "
  • within 28 days of the date on the council\u2019s decision notice
  • ", + "
  • before the date the tree replacement notice comes into effect
  • ", + "

    There\u2019s no deadline if you\u2019re appealing because your application was not decided within 8 weeks.

    ", + "

    When you can expect a decision

    ", + "

    Once your appeal is validated, you\u2019ll normally get a decision within 27 weeks.

    ", + "

    How to appeal

    ", + "

    Fill in a tree preservation order appeal form or a tree replacement notice appeal form.

    ", + "

    You also need:

    ", + "
  • a copy of the council\u2019s decision or notice
  • ", + "
  • any other documents that directly support your appeal
  • ", + "

    Email these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    Their decision about your appeal will be based on:

    ", + "
  • the information you send
  • ", + "
  • a site visit
  • ", + "
  • your council\u2019s documents, for example the tree preservation order
  • ", + "

    Your case officer will write to you if they need more information.

    ", + "

    You\u2019ll normally get a decision within 27 weeks.

    ", + "

    Interested parties

    ", + "

    The council may decide to contact anyone who commented on your original application (\u2018interested parties\u2019). Your case officer will consider the statements any interested parties made.

    ", + "

    Interested parties cannot make any further comments during the appeal but can withdraw their original statement.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Appeal a decision about consent to display an advertisement", + "url": "https://www.gov.uk/appeal-decision-consent-display-advertisement", + "contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions about displaying an advertisement or sign on your house or building.

    ", + "

    You can appeal against a decision about consent to display an advertisement if you disagree with it.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal.

    ", + "

    Deadline for appealing

    ", + "

    If you disagree with a decision, you must appeal within 8 weeks of the date on the decision notice from your local planning authority.

    ", + "

    If you\u2019ve been sent a discontinuation notice, you\u2019ll need to appeal before the date given on the notice.

    ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the local planning authority\u2019s decision notice
  • ", + "
  • all plans, drawings and documents you sent to the local planning authority
  • ", + "
  • any letters or emails between you and the local planning authority
  • ", + "

    You\u2019ll also need to submit any other documents that directly support your appeal, for example your grounds of appeal.

    ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    No-one can comment on a planning appeal about displaying an advertisement or sign.

    ", + "

    Your local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal. They have to do this within 2 weeks of the appeal being started by the Planning Inspectorate.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Appeal a high hedges decision", + "url": "https://www.gov.uk/appeal-high-hedges-decision", + "contents": [ + "

    When you can appeal

    ", + "

    Your council makes decisions about high hedges.

    ", + "

    You can appeal against a high hedge remedial notice or the council\u2019s decision not to issue one if you either:

    ", + "
  • complained to the council about the hedge
  • ", + "
  • own, rent or occupy the land that the hedge is on
  • ", + "

    There\u2019s no fee for appealing.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 28 days of:

    ", + "
  • the remedial notice
  • ", + "
  • your council\u2019s decision either to take no action, or to change an existing remedial notice (withdraw, waive or relax)
  • ", + "

    When you can expect a decision

    ", + "

    Once your appeal is validated, you\u2019ll normally get a decision within 34 weeks.

    ", + "

    How to appeal

    ", + "

    Fill in a high hedges appeal form.

    ", + "

    You also need:

    ", + "
  • a copy of the council\u2019s decision
  • ", + "
  • the remedial notice (if the council have issued one)
  • ", + "
  • any other documents that directly support your appeal
  • ", + "

    Email these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    Your appeal will be decided based on the information you send and a site visit. Your case officer will write to you if they require additional information.

    ", + "

    You\u2019ll normally get a decision within 34 weeks.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Appeal a householder planning decision", + "url": "https://www.gov.uk/appeal-householder-planning-decision", + "contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions about householder planning applications.

    ", + "

    You can appeal a householder planning decision if you disagree with it.

    ", + "

    Householder planning applications cover small projects like extensions and loft conversions. There\u2019s a different process to appeal a full planning decision.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal.

    ", + "

    Deadline for appealing

    ", + "

    If you disagree with a decision, you must appeal within 12 weeks of the date on the decision notice from your local planning authority.

    ", + "

    The deadline\u2019s earlier if you\u2019ve received an enforcement notice. You must appeal within 28 days of the notice.

    ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long planning appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the site ownership certificate
  • ", + "
  • the local planning authority\u2019s decision notice
  • ", + "

    You\u2019ll also need to submit any other documents that directly support your appeal, for example your grounds for appeal.

    ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    No-one can comment on a householder planning appeal.

    ", + "

    Your local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.

    ", + "

    They have to do this within 5 working days of the appeal being started by the Planning Inspectorate.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Appeal a listed building consent decision", + "url": "https://www.gov.uk/appeal-listed-building-consent-decision", + "contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions about listed building consent applications. You can appeal a decision if either:

    ", + "
  • you disagree with it
  • ", + "
  • the decision was not made within 8 weeks (13 weeks for a major development, for example 10 or more dwellings or a building of more than 1,000 square metres)
  • ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal. If you did not apply, you can comment on an appeal instead.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 6 months of either:

    ", + "
  • the date of the decision
  • ", + "
  • when the decision was due, if you did not get one within 8 weeks (13 weeks for a major development)
  • ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long planning appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You also need to send a copy of your appeal and your supporting documents to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You must submit:

    ", + "
  • a copy of your listed building consent application form and all documents you sent with your application
  • ", + "
  • a copy of the site ownership certificate
  • ", + "
  • site plans
  • ", + "
  • any correspondence with your local planning authority
  • ", + "
  • any other documents that directly support your appeal, for example boundary maps
  • ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on a listed building consent appeal. Find the case on the appeals casework portal. The deadline for comments is 5 weeks after the start date of the appeal.

    ", + "

    Your local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. They have to do this within 5 working days of the appeal being started by the Planning Inspectorate.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Appeal a minor commercial development decision", + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions on applications about minor commercial developments, for example ground floor alterations like shop fronts and security shutters.

    ", + "

    You can appeal a minor commercial development decision if you disagree with it.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 12 weeks of the date on the decision notice from your local planning authority.

    ", + "

    The deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the site ownership certificate
  • ", + "
  • the local planning authority\u2019s decision notice
  • ", + "

    You\u2019ll also need to submit:

    ", + "
  • a map of the surrounding area
  • ", + "
  • any other documents that directly support your appeal, for example your grounds for appeal
  • ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    No-one can comment on a minor commercial development decision appeal.

    ", + "

    Your local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.

    ", + "

    They have to do this within 5 working days of the appeal being started by the Planning Inspectorate.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Appeal a planning decision", + "url": "https://www.gov.uk/appeal-planning-decision", + "contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions on planning applications.

    ", + "

    You can appeal a planning decision if either:

    ", + "
  • you disagree with it
  • ", + "
  • the decision was not made within 8 weeks (13 weeks for a major development, such as 10 or more dwellings or a building of more than 1,000 square metres)
  • ", + "

    There\u2019s a different process to appeal a householder planning decision for a smaller project like an extension, conservatory or loft conversion.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal. If you did not apply, you can comment on an appeal instead.

    ", + "

    Deadline for appealing

    ", + "

    If you disagree with a decision, you must appeal within 6 months of the date on the decision notice from your local planning authority.

    ", + "

    If they did not make a decision within 8 weeks, you can appeal up to 6 months after the decision was due.

    ", + "

    The deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.

    ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long planning appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the site ownership certificate
  • ", + "
  • the local planning authority\u2019s decision notice - if they did not make a decision, submit a copy of the letter acknowledging your application
  • ", + "
  • all plans, drawings and documents you sent to the local planning authority
  • ", + "

    You\u2019ll also need to submit:

    ", + "
  • a map of the surrounding area
  • ", + "
  • any other documents that directly support your appeal, for example your full statement of case
  • ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on a planning appeal. Find the case on the appeals casework portal.

    ", + "

    The deadline for comments is 5 weeks after the start date of the appeal, or 6 weeks after the date on the local planning authority\u2019s enforcement notice.

    ", + "

    Your local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.

    ", + "

    They have to do this within 5 working days of the appeal being started by the Planning Inspectorate.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Appeal an enforcement notice", + "url": "https://www.gov.uk/appeal-enforcement-notice", + "contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority may send you an enforcement notice if you\u2019ve built or changed something without planning permission.

    ", + "

    You can appeal against an enforcement notice if you own, rent or lawfully occupy the property or land it applies to.

    ", + "

    Anyone can comment on an appeal.

    ", + "

    There\u2019s no fee for appealing, unless you also apply for planning permission.

    ", + "

    Deadline for appealing

    ", + "

    Your appeal must be received before the date the enforcement notice takes effect.

    ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long planning appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one enforcement notice you must make a separate appeal for each. Each person should appeal separately.

    ", + "

    You also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit:

    ", + "
  • a copy of your enforcement notice
  • ", + "
  • a plan (if there is one)
  • ", + "
  • any other documents that directly support your appeal, for example your grounds for appeal
  • ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on an enforcement notice appeal. Find the case on the appeals casework portal.

    ", + "

    The deadline for comments is 6 weeks after the start date of the appeal.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you the start date, what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + { + "title": "Organising a street party", + "url": "https://www.gov.uk/organise-street-party", + "contents": [ + "

    Telling your local council

    ", + "

    Street parties on quiet streets that don\u2019t affect the wider road network count as small events. If you\u2019re planning a small event for neighbours, apply to hold a street party through your local council.

    ", + "

    Tell your council about your event 4 to 12 weeks before it happens.

    ", + "

    Tell your council:

    ", + "
  • the date and time of the party or event
  • ", + "
  • whether or not you want to close a road or section of road, and its name
  • ", + "
  • if the road is part of a bus route or used by through traffic
  • ", + "
  • a list of any properties or businesses affected
  • ", + "
  • if you\u2019ve consulted neighbours
  • ", + "

    Smaller events

    ", + "

    You don\u2019t have to tell the council if you hold a smaller event.

    ", + "

    Closing a road

    ", + "

    You\u2019ll need to get permission from your local council to close a road. Some local councils will lend you signs and cones, or you can hire or buy signs. The Street Party site gives advice on road closures.

    ", + "

    Make sure that the emergency services can still get down the street if they need to.

    ", + "

    If your party is on a bus route, the bus company will want to know about it in advance.

    ", + "

    Some councils will contact emergency services and transport providers for you, but others expect you to do it.

    ", + "

    Licences

    ", + "

    Alcohol and food

    ", + "

    A licence isn\u2019t needed if you\u2019re going to provide alcohol for free at your event.

    ", + "

    To sell alcohol you\u2019ll need a \u2018temporary events notice\u2019 which costs \u00a321. You can get one from your local council.

    ", + "

    Food can be served and sold up to 11pm without a licence. If you want to serve or sell it after 11pm, contact your council.

    ", + "

    You don\u2019t need a licence to give alcoholic beverages away as prizes, like a bottle of champagne for a winning raffle ticket, but there are rules about what can be given away. Contact your council for more information.

    ", + "

    Music

    ", + "

    You don\u2019t need a music licence, whether the music is live or prerecorded, as long as your street party is a private party for residents and you haven\u2019t advertised the music to make money or attract people.

    ", + "

    Raffles and tombolas

    ", + "

    Gambling regulations don\u2019t apply if tombola or raffle tickets are sold on the day and the prizes aren\u2019t worth more than \u00a3500 in total.

    ", + "

    If tickets are sold in advance or your prizes are worth more than \u00a3500 contact your local council as you might have to register your raffle as a lottery.

    " + ] + }, + { + "title": "Understand how your council works", + "url": "https://www.gov.uk/understand-how-your-council-works", + "contents": [ + "

    Types of council

    ", + "

    This guide relates to councils in England. Find information about councils in Scotland, Wales and Northern Ireland.

    ", + "

    Many parts of England have 2 tiers of local government:

    ", + "
  • county councils
  • ", + "
  • district, borough or city councils
  • ", + "

    In some parts of the country, there\u2019s just 1 (unitary) tier of local government providing all the local services. The 3 main types are:

    ", + "
  • unitary authorities in shire areas
  • ", + "
  • London boroughs
  • ", + "
  • metropolitan boroughs
  • ", + "

    County councils

    ", + "

    These are responsible for services across the whole of a county, like:

    ", + "
  • education
  • ", + "
  • transport
  • ", + "
  • planning
  • ", + "
  • fire and public safety
  • ", + "
  • social care
  • ", + "
  • libraries
  • ", + "
  • waste management
  • ", + "
  • trading standards
  • ", + "

    District, borough and city councils

    ", + "

    These cover a smaller area than county councils. They\u2019re usually responsible for services like:

    ", + "
  • rubbish collection
  • ", + "
  • recycling
  • ", + "
  • Council Tax collections
  • ", + "
  • housing
  • ", + "
  • planning applications
  • ", + "

    Unitary authorities and London and metropolitan boroughs

    ", + "

    In some parts of the country, 1 tier of local government provides all the local services listed above.

    ", + "

    In London and metropolitan areas some services, like fire, police and public transport, are provided through \u2018joint authorities\u2019 (in London by the Greater London Authority).

    ", + "

    Parish, community and town councils

    ", + "

    These operate at a level below district and borough councils and in some cases, unitary authorities.

    ", + "

    They\u2019re elected and can help on a number of local issues, like providing:

    ", + "
  • allotments
  • ", + "
  • public clocks
  • ", + "
  • bus shelters
  • ", + "
  • community centres
  • ", + "
  • play areas and play equipment
  • ", + "
  • grants to help local organisations
  • ", + "
  • consultation on neighbourhood planning
  • ", + "

    They also have the power to issue fixed penalty fines for things like:

    ", + "
  • litter
  • ", + "
  • graffiti
  • ", + "
  • fly posting
  • ", + "
  • dog offences
  • ", + "

    Decision making

    ", + "

    The full council (a meeting of all council members) is responsible for all decisions. But in practice, most of the work is given to smaller groups of councillors or council officers (paid staff).

    ", + "

    Every council must publish:

    ", + "
  • details of when key decisions will be taken
  • ", + "
  • papers of meetings \u2013 at least 5 working days beforehand
  • ", + "
  • minutes of meetings \u2013 showing the decisions that were made
  • ", + "

    You can view council meeting agendas, minutes and reports on your council\u2019s website.

    ", + "

    You can also attend most council meetings, although usually you won\u2019t be able to speak at them.

    ", + "

    Mayors

    ", + "

    Many councils have a civic mayor or chairman of the council. They carry out ceremonial duties and chair meetings, but can\u2019t make decisions about council business.

    ", + "

    Some councils have an elected mayor. They\u2019re responsible for the day-to-day running of local services.

    ", + "

    Councils can have both elected and civic mayors.

    ", + "

    Spending and accounts

    ", + "

    Many local councils provide information on their websites to show how they spend their budget.

    ", + "

    You can view details of:

    ", + "
  • payments for goods and services over \u00a3500
  • ", + "
  • contracts and tenders over \u00a3500
  • ", + "

    Looking at annual accounts

    ", + "

    Every year councils must open their detailed financial accounts to the public for 30 working days.

    ", + "

    This allows you to check any spending under \u00a3500 without having to make a freedom of information request.

    ", + "

    Your council must publish on its website and in the local press details of when you can check its accounts.

    ", + "

    Local councillors and elections

    ", + "

    Local councillors are elected for 4-year terms by the local community to represent its views.

    ", + "

    You can contact your local councillor online or by going to an advice surgery.

    ", + "

    When local elections are held

    ", + "

    Elections to councils are normally held on the first Thursday in May.

    ", + "

    Some councils elect all of their councillors at the same time. Other councils elect half or a third of their councillors at each election. Read about the election timetable in England.

    ", + "

    You can find out more about local council elections from the Local Government Boundary Commission for England.

    ", + "

    Declaring interests

    ", + "

    All local councillors have to declare any interests, gifts or hospitality they get that could influence decisions they make.

    ", + "

    Your local council must publish details of these. You can usually access them on your council\u2019s website or at the town hall.

    ", + "

    Make a complaint

    ", + "

    If you feel that a council service hasn\u2019t been properly delivered, you can make an official complaint.

    ", + "
  • Complain to the council service provider.
  • ", + "
  • If you\u2019re still not happy, complain to your council\u2019s complaints officer.
  • ", + "
  • If this doesn\u2019t resolve the issue, you may be able to get the Local Government Ombudsman to look into it.
  • ", + "

    The Ombudsman considers complaints if you\u2019ve suffered because of:

    ", + "
  • the way a council service has been given
  • ", + "
  • how a decision has been made
  • ", + "

    The Ombudsman usually only considers your complaint once it\u2019s been through your local council\u2019s complaints procedure.

    " + ] + }, + { + "title": "Controlling your dog in public", + "url": "https://www.gov.uk/control-dog-public", + "contents": [ + "

    Overview

    ", + "

    It\u2019s against the law to let a dog be dangerously out of control anywhere, such as:

    ", + "
  • in a public place
  • ", + "
  • in a private place, for example a neighbour\u2019s house or garden
  • ", + "
  • in the owner\u2019s home
  • ", + "

    The law applies to all dogs.

    ", + "

    Some types of dogs are banned.

    ", + "

    Out of control

    ", + "

    Your dog is considered dangerously out of control if it:

    ", + "
  • injures someone
  • ", + "
  • makes someone worried that it might injure them
  • ", + "

    A court could also decide that your dog is dangerously out of control if either of the following apply:

    ", + "
  • it attacks someone\u2019s animal
  • ", + "
  • the owner of an animal thinks they could be injured if they tried to stop your dog attacking their animal
  • ", + "

    A farmer is allowed to kill your dog if it\u2019s worrying their livestock.

    ", + "

    Penalties

    ", + "

    You can get an unlimited fine or be sent to prison for up to 6 months (or both) if your dog is dangerously out of control. You may not be allowed to own a dog in the future and your dog may be destroyed.

    ", + "

    If you let your dog injure someone you can be sent to prison for up to 5 years or fined (or both). If you deliberately use your dog to injure someone you could be charged with \u2018malicious wounding\u2019.

    ", + "

    If you allow your dog to kill someone you can be sent to prison for up to 14 years or get an unlimited fine (or both).

    ", + "

    If you allow your dog to injure an assistance dog (for example a guide dog) you can be sent to prison for up to 3 years or fined (or both).

    ", + "

    Banned dogs

    ", + "

    In the UK, it\u2019s against the law to own certain types of dog. These are the:

    ", + "
  • Pit Bull Terrier
  • ", + "
  • Japanese Tosa
  • ", + "
  • Dogo Argentino
  • ", + "
  • Fila Brasileiro
  • ", + "

    It\u2019s also against the law to:

    ", + "
  • sell a banned dog
  • ", + "
  • abandon a banned dog
  • ", + "
  • give away a banned dog
  • ", + "
  • breed from a banned dog
  • ", + "

    Whether your dog is a banned type depends on what it looks like, rather than its breed or name.

    ", + "

    If you have a banned dog

    ", + "

    If you have a banned dog, the police or local council dog warden can take it away and keep it, even if:

    ", + "
  • it is not acting dangerously
  • ", + "
  • there has not been a complaint
  • ", + "

    The police may need permission from a court to do this.

    ", + "

    If your dog is in:

    ", + "
  • a public place, the police do not need a warrant
  • ", + "
  • a private place, the police must get a warrant
  • ", + "
  • a private place and the police have a warrant for something else (like a drugs search), they can seize your dog
  • ", + "

    A police or council dog expert will judge what type of dog you have and whether it is (or could be) a danger to the public. Your dog will then either be:

    ", + "
  • released
  • ", + "
  • kept in kennels while the police (or council) apply to a court
  • ", + "

    You\u2019re not allowed to visit your dog while you wait for the court decision.

    ", + "

    You can give up ownership of your dog but you cannot be forced to. If you do, your dog could be destroyed without you even going to court.

    ", + "

    Going to court

    ", + "

    It\u2019s your responsibility to prove your dog is not a banned type.

    ", + "

    If you prove this, the court will order the dog to be returned to you. If you cannot prove it (or you plead guilty), you\u2019ll be convicted of a crime.

    ", + "

    You can get an unlimited fine or be sent to prison for up to 6 months (or both) for having a banned dog against the law. Your dog will also be destroyed.

    ", + "

    Index of Exempted Dogs (IED)

    ", + "

    If your dog is banned but the court thinks it\u2019s not a danger to the public, it may put it on the IED and let you keep it.

    ", + "

    You\u2019ll be given a Certificate of Exemption. This is valid for the life of the dog.

    ", + "

    Your dog must be:

    ", + "
  • neutered
  • ", + "
  • microchipped
  • ", + "
  • kept on a lead and muzzled at all times when in public
  • ", + "
  • kept in a secure place so it cannot escape
  • ", + "

    As the owner, you must:

    ", + "
  • take out insurance against your dog injuring other people
  • ", + "
  • be aged over 16
  • ", + "
  • show the Certificate of Exemption when asked by a police officer or council dog warden, either at the time or within 5 days
  • ", + "
  • let the IED know if you change address, or your dog dies
  • ", + "

    Public Spaces Protection Orders

    ", + "

    Some public areas in England and Wales are covered by Public Spaces Protection Orders (PSPOs) - previously called Dog Control Orders (DCOs).

    ", + "

    In public areas with PSPOs, you may have to:

    ", + "
  • keep your dog on a lead
  • ", + "
  • put your dog on a lead if told to by a police officer, police community support officer or someone from the council
  • ", + "
  • stop your dog going to certain places - like farmland or parts of a park
  • ", + "
  • limit the number of dogs you have with you (this applies to professional dog walkers too)
  • ", + "
  • clear up after your dog
  • ", + "
  • carry a poop scoop and disposable bags
  • ", + "

    You can report dog fouling to your local council.

    ", + "

    Penalties

    ", + "

    If you ignore a PSPO, you can be fined:

    ", + "
  • \u00a3100 on the spot (a \u2018Fixed Penalty Notice\u2019)
  • ", + "
  • up to \u00a31,000 if it goes to court
  • ", + "

    PSPOs in your area

    ", + "

    Local councils must let the public know where PSPOs are in place.

    ", + "

    If the council plans to put a new PSPO in place, it must put up a notice and publish it on its website.

    ", + "

    The notice must tell you:

    ", + "
  • where the new PSPO will apply
  • ", + "
  • if there\u2019s a map and where you can see it
  • ", + "

    Report a dog

    ", + "

    Anyone can report a dog and their owner to the police.

    ", + "

    You can report a dangerous dog to your council\u2019s dog warden service.

    ", + "

    You can also report dog fouling to your local council.

    " + ] + }, + { + "title": "Getting and using a horse passport", + "url": "https://www.gov.uk/horse-passport", + "contents": [ + "

    When you need a horse passport

    ", + "

    You must have a horse passport (sometimes called an \u2018equine passport\u2019) for each animal if you keep any of the following:

    ", + "
  • horses
  • ", + "
  • ponies
  • ", + "
  • donkeys and asses
  • ", + "
  • zebras
  • ", + "
  • mules, hinnies or other hybrids
  • ", + "

    The passport is a document that:

    ", + "
  • describes the animal, for example by breed, colour, species
  • ", + "
  • lists all vaccinations
  • ", + "
  • names the registered owner
  • ", + "

    You only need a passport for semi-wild ponies on Dartmoor, Exmoor, Wicken Fen or in the New Forest if they\u2019re not free to roam in these areas (for example, if you sometimes keep them enclosed on your land) or you have them treated by a vet.

    ", + "

    Use your horse passport

    ", + "

    You must keep a valid horse passport with your animal at all times. This includes at its stable or when you move it.

    ", + "

    You need to provide your horse\u2019s passport:

    ", + "
  • when a vet examines or treats your animal - the medication your animal can get depends on how it\u2019s categorised on its passport
  • ", + "
  • if an animal health inspector, trading standards inspector or other enforcement officer asks to see it
  • ", + "
  • when you sell or give the animal to someone else
  • ", + "

    You could get a fine if you cannot show a valid horse passport for an animal in your care.

    ", + "

    If you buy a horse

    ", + "

    Contact the Passport Issuing Organisation (PIO) within 30 days to update the passport ownership details.

    ", + "

    If the seller does not give you the horse\u2019s passport, contact your local trading standards office for advice.

    ", + "

    You might need to take additional steps if you import a horse from outside the UK.

    ", + "

    When your horse dies

    ", + "

    Within 30 days of the horse\u2019s death, return its passport to the PIO that issued it. They will update their records and invalidate or destroy the passport.

    ", + "

    If the passport has been invalidated you may be able to get it sent back to you. Ask the PIO if this is possible.

    ", + "

    If your horse was born before July 2009

    ", + "

    Check if your horse is microchipped by:

    ", + "
  • looking at its passport
  • ", + "
  • looking at the Digital Stable or the National Chipchecker
  • ", + "
  • asking a vet to scan your horse for a microchip
  • ", + "

    If your horse does not have a microchip, you must:

    ", + "
  • get a vet to microchip it
  • ", + "
  • update the passport
  • ", + "

    In England, you can be fined if your horse is not microchipped.

    ", + "

    There are different rules in Scotland, Wales and Northern Ireland.

    ", + "

    Apply for a horse passport

    ", + "

    If you own the horse or related animal, you must get a passport for it before it reaches 12 months of age.

    ", + "

    How to apply

    ", + "

    Apply through a Passport Issuing Organisation (PIO). If you have a pedigree animal, you need to register through a PIO that manages studbooks.

    ", + "

    You need a vet to implant a microchip in your horse before you can apply.

    ", + "

    Send your application by whichever date is later:

    ", + "
  • 30 November of the animal\u2019s year of birth
  • ", + "
  • within 6 months of the animal\u2019s birth
  • ", + "

    Applications can take up to 6 weeks. How much you pay depends on the PIO and type of animal.

    ", + "

    A passport issued more than 12 months after birth will be treated as late. It will be issued as a duplicate or replacement passport and the animal cannot be used as food for humans.

    ", + "

    There\u2019s no expiry on horse passports - they last an animal\u2019s lifetime.

    ", + "

    Update or replace a passport

    ", + "

    You need to:

    ", + "
  • update the passport\u2019s details if they change, for example if you have a new microchip put in your horse
  • ", + "
  • replace a passport if it gets lost
  • ", + "

    Update passport details

    ", + "

    Contact the Passport Issuing Organisation (PIO) to get your horse\u2019s passport updated.

    ", + "

    You can make updates through the Digital Stable in some instances.

    ", + "

    Replace a lost passport

    ", + "

    Contact the PIO that issued the original passport to request a duplicate or replacement.

    ", + "

    If you do not know which PIO this is, you can apply for a duplicate or replacement from another PIO. Apply to a PIO that manages studbooks if you have a pedigree.

    ", + "

    Your horse will not be used as food when it dies if it\u2019s given a duplicate or replacement passport.

    ", + "

    You\u2019re breaking the law if you apply for a replacement or duplicate passport when the original is not lost.

    ", + "

    If you find your original passport

    ", + "

    Send the passport back to the PIO that issued it. If the PIO no longer exists or is not in the UK, then send it to any appropriate UK PIO.

    ", + "

    Import or export a horse or related animal

    ", + "

    What you need to do depends on whether you\u2019re importing or exporting the horse or related animal.

    ", + "

    Importing

    ", + "

    Any horse coming into the UK must have an up-to-date horse passport. This can come from:

    ", + "
  • a UK Passport Issuing Organisation (PIO)
  • ", + "
  • an approved body from another country
  • ", + "

    If the horse will be in the UK for more than 90 days and does not have a UK horse passport, you must register the foreign passport with a UK PIO. You must apply within 30 days of the horse\u2019s arrival.

    ", + "

    Use a PIO that manages studbooks if you have a pedigree.

    ", + "

    There are limited circumstances where you do not need to register the foreign passport with a UK PIO. A PIO will tell you if one of those circumstances apply if you contact them.

    ", + "

    If you\u2019re in England, Scotland or Wales, read more about the rules for:

    ", + "
  • importing horses from Northern Ireland, EU countries and Norway
  • ", + "
  • importing horses from any other country
  • ", + "

    If you\u2019re in Northern Ireland, read more about importing animals.

    ", + "

    Exporting

    ", + "

    You must keep the passport with the horse and follow the rules for:

    ", + "
  • exporting horses from England, Scotland or Wales
  • ", + "
  • exporting animals from Northern Ireland
  • ", + "

    Get help

    ", + "

    Contact the Passport Issuing Organisation (PIO) that issued the horse passport if you have any questions.

    ", + "

    If you have concerns about the conduct of PIOs

    ", + "

    Contact the Department for Environment Food and Rural Affairs (Defra).

    ", + "

    You can also write to them.

    " + ] + }, + { + "title": "Low flying military aircraft", + "url": "https://www.gov.uk/low-flying-in-your-area", + "contents": [ + "

    Overview

    ", + "

    Military low flying is used to train military aircrew. Low flying by military aircraft is carried out across all of the UK.

    ", + "

    Low flying means:

    ", + "
  • fixed-wing aircraft flying down to 250 feet from the ground
  • ", + "
  • rotary-wing aircraft (for example helicopters) flying down to 100 feet from the ground
  • ", + "

    Rotary-wing aircraft can also be authorised to go lower than 100 feet from the ground.

    ", + "

    Low flying isn\u2019t usually allowed in areas around airports, or towns and cities with populations of more than 10,000.

    ", + "

    Find out more about:

    ", + "
  • safety concerns and low flying
  • ", + "
  • noise from commercial airports
  • ", + "

    Where and when low flying happens

    ", + "

    The UK is divided into 20 separate low flying areas.

    ", + "

    Three of these areas are also known as \u2018tactical training areas\u2019. These are in:

    ", + "
  • central Wales
  • ", + "
  • northern Scotland
  • ", + "
  • the borders area of southern Scotland and northern England
  • ", + "

    Ministry of Defence (MOD) publishes a monthly timetable for the low flying tactical training areas and MOD sponsored air exercises.

    ", + "

    Air weapons ranges

    ", + "

    The Royal Air Force (RAF) currently uses 5 air weapons ranges. These are:

    ", + "
  • Donna Nook and Holbeach in Lincolnshire
  • ", + "
  • Pembrey Sands in Carmarthenshire
  • ", + "
  • Tain in Ross-shire
  • ", + "
  • Cape Wrath in Sutherland
  • ", + "

    Air weapons ranges are used for:

    ", + "
  • low flying military aircraft
  • ", + "
  • air to ground bombing
  • ", + "

    MOD publishes a monthly timetable for air weapons ranges activity. Red flags or lights, signs and sentries show when you can\u2019t go onto an air weapons range.

    ", + "

    You can also contact MOD about low flying in your area.

    ", + "

    Find out about low flying in your area

    ", + "

    Contact the Ministry of Defence (MOD) for information about low flying military aircraft in your area.

    ", + "

    Low flying in England, Wales and Scotland

    ", + "

    Contact the Low Flying Complaints and Enquiries Unit to complain or enquire about low flying in your area.

    ", + "

    To make a complaint, send the following information:

    ", + "
  • your name
  • ", + "
  • full address and postcode
  • ", + "
  • telephone number
  • ", + "
  • date and time of the problem
  • ", + "
  • location of the problem
  • ", + "
  • type of aircraft, if known
  • ", + "
  • a brief description of your complaint
  • ", + "

    You should get a response within 20 days.

    ", + "

    Your complaint can be investigated by the Defence Flying Complaints Investigation Team if it\u2019s about serious injuries or damage.

    ", + "

    Enquiries about horse riding

    ", + "

    Call the low level advisory service if you want to ride a horse and are worried about low flying aircraft.

    ", + "

    Low flying in Northern Ireland

    ", + "

    Request low flying to be temporarily stopped

    ", + "

    You can apply to have low flying stopped temporarily in your area, for example if you\u2019re holding an agricultural or horse show.

    ", + "

    Contact the Ministry of Defence (MOD) to apply. They will grant your request if it doesn\u2019t significantly disturb the low flying training.

    ", + "

    When applying, make sure you include the:

    ", + "
  • name and nature of the event
  • ", + "
  • location and ordnance survey grid reference
  • ", + "
  • contact details for the people holding the event
  • ", + "
  • date and time when you would like low flying to be stopped
  • " + ] + }, + { + "title": "Resolving neighbour disputes", + "url": "https://www.gov.uk/how-to-resolve-neighbour-disputes", + "contents": [ + "

    Overview

    ", + "

    Follow these steps if you have a dispute with your neighbour.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "
  • Try to solve the problem informally by talking to them.
  • ", + "
  • If your neighbour is a tenant, you could contact their landlord.
  • ", + "
  • You could use a mediation service if raising the issue informally does not work.
  • ", + "
  • If the dispute involves a statutory nuisance (something like loud music or barking dogs), you can make a complaint to your local council.
  • ", + "
  • Contact the police if your neighbour is breaking the law by being violent or harassing you.
  • ", + "
  • As a last resort you can take legal action through the courts.
  • ", + "

    Talk to your neighbour

    ", + "

    Before making a formal complaint or getting others involved, try to discuss the problem with your neighbour.

    ", + "

    If you\u2019re worried about approaching them, write a letter, explaining the problem clearly and sticking to the facts.

    ", + "

    If the problem affects other neighbours, involve them as well. It can be easier to settle a dispute if the complaint comes from a number of people.

    ", + "

    A tenants\u2019 association might help if you\u2019re a member of one.

    ", + "

    Get practical advice from Citizens Advice to deal with common neighbour disputes, like noise and rubbish.

    ", + "

    Contact your neighbour's landlord

    ", + "

    If your neighbour is a tenant, you can complain to their landlord. This could be a housing association, the council or a private landlord.

    ", + "

    Use a mediation service

    ", + "

    If you cannot resolve the dispute by speaking to your neighbour, get help from a mediation service.

    ", + "

    How mediation works

    ", + "

    Mediation is when an impartial person - trained in dealing with difficult discussions between 2 opposing sides - acts like a referee in a dispute.

    ", + "

    There can be a fee for mediation, but this will still be cheaper than hiring a solicitor and taking legal action.

    ", + "

    Contact a mediation service

    ", + "

    Mediation services differ depending on where you live:

    ", + "
  • if you live in England and Wales, find a mediation provider in your area
  • ", + "
  • in Scotland, use the Scottish Mediation Network
  • ", + "
  • your council or housing association may provide a mediation service
  • ", + "

    Complain about noise to the council

    ", + "

    You can ask your local council for help if the neighbour dispute involves an activity that is damaging to health or a nuisance. This is known as a \u2018statutory nuisance\u2019.

    ", + "

    This could include:

    ", + "
  • noise (including loud music and barking dogs)
  • ", + "
  • artificial light (except street lamps)
  • ", + "
  • dust, steam, smell or insects from business premises
  • ", + "
  • smoke, fumes or gases
  • ", + "
  • a build-up of rubbish that could harm health
  • ", + "

    Your council has a duty to investigate any statutory nuisance.

    ", + "

    You should always try and solve the problem by talking to your neighbour or through mediation before contacting the council.

    ", + "

    Penalties

    ", + "

    If the council decides someone is causing a statutory noise nuisance they must issue a \u2018noise abatement\u2019 order. This tells the person what they must do to stop making a noise nuisance or else face further legal action.

    ", + "

    If someone breaks an abatement order about noise from their home, they can be fined up to \u00a35,000. If it\u2019s noise from a factory or business, the penalty can be up to \u00a320,000.

    ", + "

    High hedges, trees and boundaries

    ", + "

    You must try to settle a dispute about a high hedge informally before the council can intervene.

    ", + "

    Ask your council for a complaint form if the hedge is all of these:

    ", + "
  • 2 or more mostly evergreen or semi-evergreen trees or shrubs
  • ", + "
  • over 2 metres tall
  • ", + "
  • affecting your enjoyment of your home or garden because it\u2019s too tall
  • ", + "

    You might have to pay the council a fee to consider your complaint.

    ", + "

    Read more about complaining to your council about a high hedge.

    ", + "

    When you can trim hedges or trees

    ", + "

    You can trim branches or roots that cross into your property from a neighbour\u2019s property or a public road.

    ", + "

    You can only trim up to the property boundary. If you do more than this, your neighbour could take you to court for damaging their property.

    ", + "

    If you live in a conservation area, or the trees in the hedge are protected by a \u2018tree preservation order\u2019, you might need your council\u2019s permission to trim them.

    ", + "

    If your property borders a road

    ", + "

    The highways authority can ask you to cut back hedges or trees on your property if they\u2019re causing an obstruction in the road. If you refuse, they can go into your property without your permission to do the work themselves. They may charge you for this.

    ", + "

    Property damage from hedges

    ", + "

    Your neighbour is responsible for maintaining their hedges so they do not, for example, damage your property or grow too high. If they do damage your property, your neighbour may be liable.

    ", + "

    Boundaries and shared (\u2018party\u2019) walls

    ", + "

    Disputes about what is the exact boundary between 2 properties can be difficult to solve so get legal advice.

    ", + "

    You must give notice to your neighbour if you are going to do work on a shared (\u2018party\u2019) wall.

    ", + "

    The Royal Institution of Chartered Surveyors (RICS) has free advice on boundary disputes and party walls (the walls you share with your neighbours).

    ", + "

    Call the police

    ", + "

    You should call the police if your neighbour:

    ", + "
  • is violent, threatening or abusive
  • ", + "
  • is harassing you sexually, or because of your sexuality, religion or ethnic background
  • ", + "
  • is breaking the law in any other way - or if you suspect this
  • ", + "

    Take action through the courts

    ", + "

    If all else fails, you can take legal action against a neighbour.

    ", + "

    Taking someone to court can be expensive so it should be your last resort if nothing else works. There may be court fees and you may have to pay a solicitor.

    ", + "

    Legal advice

    ", + "

    You can get free legal advice from a law centre, advice centre or Citizens Advice.

    ", + "

    You can also find a lawyer who deals with a neighbour disputes.

    " + ] + }, + { + "title": "Affordable home ownership schemes", + "url": "https://www.gov.uk/affordable-home-ownership-schemes", + "contents": [ + "

    Overview

    ", + "

    You may be able to get financial help from the government to buy a home.

    ", + "

    You could get:

    ", + "
  • a loan to help with the cost of a new-build home if you\u2019re a first-time buyer (in England and Wales)
  • ", + "
  • a home through shared ownership (UK wide)
  • ", + "

    The Help to Buy ISA scheme closed to new accounts on 30 November 2019. You can still open a Lifetime ISA to save for a first home.

    ", + "

    Buying your council or housing association property

    ", + "

    There are also schemes for council tenants and\nhousing association tenants.

    ", + "

    Help to Buy: Equity Loan

    ", + "

    You can get an equity loan towards the cost of buying a new-build home as a first-time buyer.

    ", + "

    This guidance applies to England. There\u2019s different guidance on how to apply for an equity loan in Scotland and how to apply for an equity loan in Wales.

    ", + "

    Eligibility

    ", + "

    You must be:

    ", + "
  • 18 or over
  • ", + "
  • a first-time buyer
  • ", + "
  • able to afford the fees and interest payments
  • ", + "

    You cannot get the equity loan if you have ever:

    ", + "
  • owned a home or residential land in the UK or abroad
  • ", + "
  • had any form of sharia mortgage finance
  • ", + "

    You can apply on your own or with other people. All applicants must meet the eligibility criteria.

    ", + "

    If you\u2019re married, in a civil partnership, or cohabiting with your partner (and you plan on continuing to live together), you must make a joint application.

    ", + "

    The property you buy with your equity loan

    ", + "

    The property must be:

    ", + "
  • a new-build
  • ", + "
  • sold by a Help to Buy registered homebuilder
  • ", + "
  • the only home you own and live in
  • ", + "

    It must not have been lived in by anyone before you buy it.

    ", + "

    There\u2019s also a \u2018maximum property purchase price\u2019 limit for the home you buy depending on which region it\u2019s in. You can buy a home up to and including the maximum property purchase price limit.

    ", + "Region | Maximum property purchase price", + "North East | \u00a3186,100", + "North West | \u00a3224,400", + "Yorkshire and the Humber | \u00a3228,100", + "East Midlands | \u00a3261,900", + "West Midlands | \u00a3255,600", + "East of England | \u00a3407,400", + "London | \u00a3600,000", + "South East | \u00a3437,600", + "South West | \u00a3349,000", + "

    How it works

    ", + "

    You\u2019ll need to:

    ", + "
  • pay a minimum deposit of 5% of the property purchase price
  • ", + "
  • arrange a repayment mortgage of at least 25% of the property purchase price
  • ", + "

    You can then borrow an equity loan to cover from 5% and up to 20% of the property purchase price of your newly built home. If the property is in London, you can borrow up to 40%.

    ", + "

    The equity loan percentage you borrow is used to calculate your interest and equity loan repayments.

    ", + "

    Interest payments

    ", + "

    You do not have to pay interest for the first 5 years. In the sixth year, you\u2019ll be charged interest at a rate of 1.75%. This will be applied to the equity loan amount you originally borrowed (the equity loan percentage of the property purchase price). This annual interest is spread over the year in monthly payments.

    ", + "

    The interest rate increases every year in April, by adding the Consumer Price Index (CPI) plus 2%.

    ", + "

    Your interest payments will decrease if you make a part repayment of the equity loan. This is because the amount the interest rate is applied to will reduce.

    ", + "

    Fees

    ", + "

    You\u2019ll need to pay a monthly management fee of \u00a31 when you take out the equity loan until you pay it off.

    ", + "

    If you change your equity loan, including if you remortgage or make an equity loan repayment, you\u2019ll need to pay administration fees.

    ", + "

    You\u2019ll also have to pay other fees associated with buying and owning a home, for example, legal and mortgage arrangement fees and for market value reports.

    ", + "

    Paying interest and fees does not count towards paying back the equity loan. If you do not keep up with payments, you may need to pay recovery costs or interest on the amount you owe.

    ", + "

    Paying back the equity loan

    ", + "

    You can pay back part or all of your equity loan at any time.

    ", + "

    Repayments are based on your equity loan percentage and the market value of your home at the time you want to make a repayment.

    ", + "

    You\u2019ll need to get a market valuation report from a chartered surveyor when you make a repayment.

    ", + "

    Read more detailed guidance on repaying your equity loan.

    ", + "

    Paying back part of your equity loan

    ", + "

    The smallest repayment you can make is 10% of the market value of your home.

    ", + "

    Paying back part of your equity loan will reduce the monthly interest payments you\u2019ll need to pay from the sixth year of taking out the equity loan.

    ", + "

    Paying back all your equity loan

    ", + "

    You must repay all your equity loan when you:

    ", + "
  • reach the end of the equity loan term (normally 25 years)
  • ", + "
  • pay off your repayment mortgage
  • ", + "
  • sell your home
  • ", + "

    You may also be asked to repay the equity loan in full if you do not keep to the terms and conditions.

    ", + "

    If you sell your home, you\u2019ll pay the equity loan percentage of the market value or agreed sale price if it\u2019s higher.

    ", + "

    If you want to pay off your equity loan and you\u2019ve previously made part repayments, you\u2019ll pay the equity loan percentage you still owe of the market value.

    ", + "

    How to apply

    ", + "

    You need to apply through the Help to Buy agent in the area where you want to buy your home.

    ", + "

    North

    ", + "

    Find out how to apply for an equity loan in the north.

    ", + "

    Midlands and London

    ", + "

    Find out how to apply for an equity loan in the Midlands and London.

    ", + "

    South (excluding London)

    ", + "

    Find out how to apply for an equity loan in the south.

    ", + "

    Read the Homebuyers\u2019 guide to Help to Buy: Equity Loan (2021-2023).

    ", + "

    Help to Buy: Equity Loan (2013-2021)

    ", + "

    Applications for the 2013 to 2021 scheme are now closed. Read the Homebuyers\u2019 guide to Help to Buy: Equity Loan (2013-2021) for more information.

    ", + "

    Manage your Help to Buy loan

    ", + "

    Read guidance on how to:

    ", + "
  • remortgage your Help to Buy home
  • ", + "
  • make structural alterations to your Help to Buy home
  • ", + "
  • sublet your Help to Buy home
  • ", + "
  • change ownership of your Help to Buy home
  • ", + "

    Buying through shared ownership

    ", + "

    When you buy a home through a shared ownership scheme you buy a share of the property and pay rent on the rest.

    ", + "

    The share you can buy is usually between 25% and 75%. You can buy a 10% share on some homes.

    ", + "

    There are different rules on:

    ", + "
  • shared ownership in Scotland
  • ", + "
  • shared ownership in Wales
  • ", + "
  • shared ownership in Northern Ireland
  • ", + "

    Eligibility

    ", + "

    You can buy a home through shared ownership if both of the following apply:

    ", + "
  • your household earns \u00a380,000 a year or less (\u00a390,000 a year or less in London)
  • ", + "
  • you cannot afford all of the deposit and mortgage payments for a home that meets your needs
  • ", + "

    One of the following must also be true:

    ", + "
  • you\u2019re a first-time buyer
  • ", + "
  • you used to own a home, but cannot afford to buy one now
  • ", + "
  • you own a home and want to move but cannot afford a new home suitable for your needs
  • ", + "
  • you\u2019re forming a new household - for example, after a relationship breakdown
  • ", + "
  • you\u2019re an existing shared owner and want to move
  • ", + "

    Some shared ownership homes in a \u2018designated protected area\u2019 are only available to buy if you have a connection to the area. If you buy one of these homes, you:

    ", + "
  • may only be able to buy a share of up to 80%
  • ", + "
  • must sell it back to the landlord or a buyer nominated by the landlord - you cannot sell your home on the open market
  • ", + "

    If you own a home

    ", + "

    When you apply for shared ownership you must have:

    ", + "
  • accepted an offer for the sale of your current home (called \u2018sold subject to contract\u2019 or \u2018STC\u2019)
  • ", + "
  • written confirmation of the sale agreed (called a \u2018memorandum of sale\u2019) including the price and your intention to sell
  • ", + "

    You must have completed the sale of your home on or before the date you complete your shared ownership purchase.

    ", + "

    How it works

    ", + "

    Shared ownership properties are always leasehold properties.

    ", + "

    Older people

    ", + "

    If you\u2019re aged 55 or over you can buy up to 75% of your home through the Older People\u2019s Shared Ownership (OPSO) scheme. Once you own 75% you will not pay rent on the rest.

    ", + "

    Disabled people

    ", + "

    You can apply for a scheme called home ownership for people with a long-term disability (HOLD) if other Help to Buy scheme properties do not meet your needs, for example you need a ground-floor property.

    ", + "

    Buying more shares

    ", + "

    You can buy more of your home after you become the owner. This is known as \u2018staircasing\u2019.

    ", + "

    You can buy shares of 5% or more at any time.

    ", + "

    If you bought your house in 2021 you may also be able to buy shares of 1% each year for the first 15 years. Ask your landlord if this applies to you. You cannot buy shares of 2%, 3% or 4%.

    ", + "

    The cost of your new share will depend on how much your home is worth when you want to buy the share.

    ", + "

    It will cost:

    ", + "
  • more than your first share if property prices in your area have gone up
  • ", + "
  • less than your first share if property prices in your area have gone down
  • ", + "

    If you want to buy a share of 5% or more, you\u2019ll need to pay for a valuation by a surveyor. Your landlord will let you know whether they\u2019ll arrange the valuation or you need to arrange it yourself. The surveyor must be registered with the\u202fRoyal Institution of Chartered Surveyors (RICS). Your landlord will tell you the price of the share after the valuation.

    ", + "

    If you want to buy a 1% share, the price will be based on the original price of your house, increased or decreased in line with the House Price Index (HPI). Your landlord will give you a HPI valuation at least once a year and whenever you ask to buy a 1% share.

    ", + "

    Selling your home

    ", + "

    If you own a share of your home, the landlord has the right to find a buyer for your home. The landlord also has the right to buy it first (known as \u2018first option to buy\u2019 or \u2018pre-emption\u2019).

    ", + "

    You can sell your share yourself if the landlord does not find a buyer and they do not want to buy it themselves.

    ", + "

    If you own 100% of your home, you can sell it yourself.

    ", + "

    How to apply

    ", + "

    To buy a shared ownership home, you need to register with the Help to Buy agent in the area where you want to live.

    ", + "

    North

    ", + "

    Find out how to register and apply for shared ownership in the north.

    ", + "

    Midlands and London

    ", + "

    Find out how to register and apply for shared ownership in the Midlands and London.

    ", + "

    South (excluding London)

    ", + "

    Find out how to register and apply for shared ownership in the south.

    ", + "

    Help to Buy ISA

    ", + "

    You can no longer open a Help to Buy ISA.

    ", + "

    If you already have a Help to Buy ISA

    ", + "

    You can pay in up to \u00a3200 each month.

    ", + "

    The government will top up your savings by 25% (up to \u00a33,000) when you buy your first home.

    ", + "

    If you are buying with someone who also has a Help to Buy ISA, both of you will get the 25% bonus.

    ", + "

    You can pay into the ISA until November 2029. You can claim the 25% bonus until November 2030.

    ", + "

    When you buy your property

    ", + "

    The home you buy must:

    ", + "
  • have a purchase price of up to \u00a3250,000 (or up to \u00a3450,000 in London)
  • ", + "
  • be the only home you own
  • ", + "
  • be where you intend to live
  • ", + "

    Your solicitor or conveyancer will apply for the extra 25%.

    ", + "

    You do not have to pay it back.

    ", + "

    You can use the scheme with an equity loan.

    " + ] + }, + { + "title": "Buying or selling your home", + "url": "https://www.gov.uk/buy-sell-your-home", + "contents": [ + "

    Overview

    ", + "

    Buying or selling a home normally takes 2 to 3 months. The process can take longer if you\u2019re part of a chain of buyers and sellers.

    ", + "

    There are several steps you\u2019ll need to follow:

    ", + "
  • sellers must provide an Energy Performance Certificate for the property
  • ", + "
  • if a seller is using an estate agent, potential buyers must make any offers through the agent
  • ", + "
  • once a buyer\u2019s offer has been accepted, the seller\u2019s responsible for drawing up a legal contract to transfer ownership
  • ", + "
  • an offer is not legally binding until contracts are exchanged
  • ", + "
  • depending on the amount given for property, the buyer may have to pay tax
  • ", + "

    This guide relates to England and Wales. Shelter has advice about buying and selling a home in Scotland.

    ", + "

    If you\u2019re buying property with someone else

    ", + "

    You can own a home with up to 3 other people. Find out more about the different types of joint property ownership.

    ", + "

    Energy Performance Certificates

    ", + "

    Energy Performance Certificates (EPCs) are needed whenever a property is:

    ", + "
  • built
  • ", + "
  • sold
  • ", + "
  • rented
  • ", + "

    You must order an EPC for potential buyers and tenants before you market your property to sell or rent.

    ", + "

    In Scotland, you must display the EPC somewhere in the property, for example in the meter cupboard or next to the boiler.

    ", + "

    An EPC contains:

    ", + "
  • information about a property\u2019s energy use and typical energy costs
  • ", + "
  • recommendations about how to reduce energy use and save money
  • ", + "

    An EPC gives a property an energy efficiency rating from A (most efficient) to G (least efficient) and is valid for 10 years.

    ", + "

    Check how you could make your home more energy efficient using the Energy Savings Trust\u2019s home energy check.

    ", + "

    How to get an EPC

    ", + "

    You\u2019ll need to find an accredited assessor if you\u2019re selling or renting out your home in:

    ", + "
  • England, Wales and Northern Ireland
  • ", + "
  • Scotland
  • ", + "

    They\u2019ll assess your property and produce the certificate.

    ", + "

    You can be fined if you do not get an EPC when you need one.

    ", + "

    The person selling the house, the landlord or the letting agent must show you the EPC if you\u2019re buying or renting.

    ", + "

    Buildings that do not need an EPC

    ", + "

    These include:

    ", + "
  • places of worship
  • ", + "
  • temporary buildings that will be used for less than 2 years
  • ", + "
  • stand-alone buildings with total useful floor space of less than 50 square metres
  • ", + "
  • industrial sites, workshops and non-residential agricultural buildings that do not use a lot of energy
  • ", + "
  • some buildings that are due to be demolished
  • ", + "
  • holiday accommodation that\u2019s rented out for less than 4 months a year or is let under a licence to occupy
  • ", + "
  • listed buildings - you should get advice from your local authority conservation officer if the work would alter the building\u2019s character
  • ", + "
  • residential buildings intended to be used less than 4 months a year
  • ", + "

    See other properties\u2019 EPCs

    ", + "

    You can look at the EPCs of other properties free of charge. This lets you compare your home\u2019s energy performance with that of similar homes. You can search by the property\u2019s address or by the EPC\u2019s report reference number..

    ", + "

    You can opt out of the EPC register if you do not want other people to be able to see your EPC.

    ", + "

    Estate agents

    ", + "

    You must sign a legally binding contract with an estate agent if you use one to sell your home.

    ", + "

    You must stick to the terms of the contract or you could be taken to court.

    ", + "

    Estate agents must also treat buyers fairly. They must show any offers promptly and in writing to the person selling the house.

    ", + "

    Estate agents are also legally obliged to pass on any other offers for the property right up to when contracts are exchanged.

    ", + "

    Complain about an estate agent

    ", + "

    You must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:

    ", + "
  • The Property Ombudsman
  • ", + "
  • Property Redress Scheme
  • ", + "

    Ask the estate agent which scheme they belong to.

    ", + "

    Offers

    ", + "

    A buyer must make an offer through the estate agent if a home is sold through one.

    ", + "

    A buyer can make their offer directly to the seller for a private sale.

    ", + "

    Buyers can make offers verbally (over the phone or in person) or in writing.

    ", + "

    An offer is not legally binding in England and Wales until contracts are exchanged.

    ", + "

    If a buyer makes an offer \u2018subject to contract\u2019, this means the price can still be negotiated (for example if a survey finds a problem with the property).

    ", + "

    The law is different if you\u2019re making an offer for property in Scotland.

    ", + "

    Transferring ownership (conveyancing)

    ", + "

    Once the offer is accepted

    ", + "

    The seller is responsible for drawing up a legal contract to transfer ownership.

    ", + "

    The contract contains details about:

    ", + "
  • the sale price
  • ", + "
  • the property boundaries
  • ", + "
  • which fixtures and fittings (like carpets and kitchen units) are included
  • ", + "
  • any legal restrictions or rights, like public footpaths or rules about using the property
  • ", + "
  • any planning restrictions
  • ", + "
  • services to the property, like drainage and gas
  • ", + "
  • when the sale will complete
  • ", + "

    If the seller has hired a solicitor or conveyancer, they will:

    ", + "
  • draft the initial contract
  • ", + "
  • answer questions from the buyer\u2019s solicitor or conveyancer (with the seller\u2019s help)
  • ", + "
  • negotiate the details of the contract if necessary
  • ", + "

    Exchanging contracts

    ", + "

    When the buyer and seller are happy with the contract, both sides sign final copies and send them to each other.

    ", + "

    The agreement to sell and buy is legally binding once this happens. Usually neither party can pull out without paying compensation.

    ", + "

    Completion

    ", + "

    Once you exchange contracts and deal with any remaining checks the buyer has asked for:

    ", + "
  • The money is transferred from the buyer to the seller.
  • ", + "
  • The legal documents needed to transfer ownership are handed over to the buyer.
  • ", + "
  • The seller moves out and leaves the property in the state agreed in the contract.
  • ", + "
  • The seller hands over the keys to the buyer.
  • ", + "
  • The property now belongs to the buyer.
  • ", + "

    Citizens Advice has more advice about buying or selling your home.

    ", + "

    Tax

    ", + "

    You may need to pay:

    ", + "
  • Stamp Duty Land Tax when you buy a home in England
  • ", + "
  • Land Transaction Tax when you buy a home in Wales
  • ", + "
  • Capital Gains Tax when you sell a home
  • ", + "

    Stamp Duty Land Tax

    ", + "

    If you buy between 8 July 2020 and 30 June 2021

    ", + "

    You pay SDLT if you paid more than \u00a3500,000 for the property.

    ", + "

    If you buy between 1 July 2021 and 30 September 2021

    ", + "

    You pay SDLT if you paid more than \u00a3250,000 for the property.

    ", + "

    If you buy from 1 October 2021

    ", + "

    You pay SDLT if you paid more than \u00a3125,000 for the property. This threshold also applies to any property bought before 8 July 2020.

    ", + "

    You still have to pay if you swap something of economic value for a property, for example shares or another property.

    ", + "

    If you\u2019re buying your first home

    ", + "

    From 1 July 2021 you do not have to pay SDLT if the property is \u00a3300,000 or less.

    ", + "

    Capital Gains Tax

    ", + "

    You do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:

    ", + "
  • you\u2019ve lived in it as your main home for all the time you\u2019ve owned it
  • ", + "
  • you have not let part of it out or used part of it for business only
  • ", + "
  • the grounds, including the buildings, are smaller than 5,000 square metres (just over an acre)
  • ", + "

    This is because you automatically get a tax relief called Private Residence Relief. You do not need to do anything.

    ", + "

    If you do not meet all these criteria you may have to pay some Capital Gains Tax.

    " + ] + }, + { + "title": "Claim compensation if your property is affected by HS2", + "url": "https://www.gov.uk/claim-compensation-if-affected-by-hs2", + "contents": [ + "

    Overview

    ", + "

    You may be able to sell your property to the government at its market (\u2018unblighted\u2019) value or receive a lump-sum payment if it\u2019s near the proposed High Speed Two (HS2) route.

    ", + "

    The property scheme you\u2019re eligible for depends on the location of your property and which phase of HS2 affects you.

    ", + "

    Check your location

    ", + "

    You\u2019ll need to find out if your property is:

    ", + "
  • in the safeguarded area
  • ", + "
  • in the rural support zone
  • ", + "
  • in the homeowner payment zone
  • ", + "
  • outside the zones
  • ", + "

    Check the route for HS2 Phase 1, HS2 Phase 2a or HS2 Phase 2b to see if your property is in one of these zones.

    ", + "

    If you\u2019re in a safeguarded area

    ", + "

    You can apply through one of the following:

    ", + "
  • Express Purchase Scheme
  • ", + "
  • Need to Sell Scheme
  • ", + "

    If you\u2019re in a rural support zone

    ", + "

    You can apply through one of the following:

    ", + "
  • Cash Offer or Voluntary Purchase Scheme
  • ", + "
  • Need to Sell Scheme
  • ", + "

    If you\u2019re in a homeowner payment zone (Phase 1)

    ", + "

    You can apply for the Homeowner Payment Scheme.

    ", + "

    You cannot apply yet if you\u2019re affected by phases 2a or 2b.

    ", + "

    If you cannot sell your property because of HS2

    ", + "

    You can apply for the Need to Sell Scheme if your property is affected but:

    ", + "
  • it\u2019s outside the zones and safeguarded area
  • ", + "
  • it is not covered by a scheme
  • ", + "

    Rent Back

    ", + "

    You can apply to rent and continue living in the property if you sell it to the government under one of these schemes.

    ", + "

    Contact HS2

    ", + "

    Contact HS2 if you have any questions, for example about what scheme you should apply to or the application process.

    ", + "

    You can complain to HS2 about your application, for example if you think the decision is taking too long.

    ", + "

    Express Purchase Scheme

    ", + "

    You can sell your property to the government through the Express Purchase Scheme if either:

    ", + "
  • your house or 25% of the total area of your property is inside the area marked \u2018surface safeguarding\u2019 on the \u2018safeguarding maps\u2019
  • ", + "
  • your property was in the safeguarding area (called the \u2018Extended Homeowner Protection Zone\u2019) but has since been removed - check with HS2 whether you qualify
  • ", + "

    You can still apply to sell your property with a \u2018blight notice\u2019 if you do not qualify for Express Purchase - but the government will only buy your property if it\u2019s needed for the construction of HS2.

    ", + "

    Who can apply

    ", + "

    You must be the owner occupier of a residential, agricultural or commercial property, or their \u2018personal representative\u2019 if they\u2019ve died, for example the executor of their will.

    ", + "

    Mortgage lenders (for example banks and building societies) in vacant possession of a qualifying property can apply.

    ", + "

    Your commercial property will not qualify for Express Purchase or under a blight notice if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).

    ", + "

    An owner occupier must:

    ", + "
  • be the freeholder or a leaseholder with at least 3 years left on the lease
  • ", + "
  • be living in or running a business from the property or have done so for at least 6 months in the last 18 months if the property\u2019s currently empty
  • ", + "

    You can get advice from a chartered surveyor about your eligibility.

    ", + "

    Read full guidance on eligibility.

    ", + "

    What you\u2019ll get

    ", + "

    If you qualify the government will:

    ", + "
  • buy your property at its open market value as if HS2 was not going to be being built (known as \u2018unblighted\u2019 value)
  • ", + "
  • give you a \u2018home loss\u2019 payment equal to 10% of the property\u2019s open market value (up to \u00a364,000)
  • ", + "
  • pay reasonable expenses, for example stamp duty, surveyors\u2019 and legal fees, and removal costs
  • ", + "

    Apply

    ", + "

    You must complete the correct blight notice to apply for Express Purchase.

    ", + "

    You must include original or certified copies of:

    ", + "
  • proof of ownership, for example Land Registry title
  • ", + "
  • proof the property was occupied for 6 months of the last 18 months, for example utility bills covering at least 6 months
  • ", + "
  • business rates bills, if you\u2019re applying for a commercial property
  • ", + "
  • plans of the property, for example Land Registry plans showing the property boundaries
  • ", + "
  • proof of representation, if applicable, for example power of attorney
  • ", + "

    If you\u2019re sending a blight notice but do not qualify for Express Purchase, include a description of what you\u2019ve done to sell the property, for example copies of correspondence with estate agents.

    ", + "

    Email your completed application to HS2 with your supporting documents.

    ", + "

    You can also send your notice and supporting evidence by registered post.

    ", + "

    What happens next

    ", + "

    You\u2019ll get a decision on your application within 2 months.

    ", + "

    You have up to 3 years to accept the offer if your application\u2019s accepted.

    ", + "

    Track your application online

    ", + "

    HS2 will send you a username and password to track your application after you apply.

    ", + "

    You can then track your application online. You\u2019ll choose a new password after you sign in for the first time.

    ", + "

    If you have not been sent a username and password, contact your HS2 case officer for help tracking your application.

    ", + "

    Complaints

    ", + "

    Follow HS2\u2019s complaints procedure if you want to complain about the service you received, for example about how long it took to reach a decision on your application or the result.

    ", + "

    Exceptional Hardship Scheme (Phase 2b)

    ", + "

    The Exceptional Hardship Scheme has now closed.

    ", + "

    If you\u2019ve already applied

    ", + "

    If you have not received a decision, your application will automatically be transferred to the Need to Sell Scheme.

    ", + "

    If you\u2019ve received a decision and were successful, the purchase of your property will not be affected by the closure of the scheme.

    ", + "

    If you were unsuccessful, you may now be eligible for one of the other compensation schemes.

    ", + "

    Complaints

    ", + "

    Follow HS2\u2019s complaints procedure if you want to complain about the service you received, for example how long it took to reach a decision on your application.

    ", + "

    Need to Sell Scheme

    ", + "

    You may be able to sell your property to the government through the Need to Sell Scheme if you have a \u2018compelling reason\u2019 to sell but cannot as a direct result of the announcement of the HS2 route.

    ", + "

    Compelling reasons include unemployment, relocation for a new job or ill health - but each application is judged on its merits.

    ", + "

    Before you apply

    ", + "

    Check if you\u2019re eligible to ask the government to buy your property through:

    ", + "
  • statutory blight
  • ", + "
  • the Express Purchase Scheme
  • ", + "
  • the Cash Offer or Voluntary Purchase Scheme
  • ", + "

    Who can apply

    ", + "

    You must be one of the following:

    ", + "
  • the owner occupier of a residential, agricultural or commercial property
  • ", + "
  • the \u2018personal representative\u2019 of the owner occupier if they\u2019ve died, for example the executor of their will
  • ", + "
  • a \u2018reluctant landlord\u2019 (renting out your property because you cannot sell it)
  • ", + "

    Mortgage lenders (such as banks and building societies) in vacant possession of a qualifying property can apply.

    ", + "

    Your commercial property will not qualify for the Need to Sell Scheme if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).

    ", + "

    An owner occupier must:

    ", + "
  • be the freeholder or a leaseholder with at least 3 years left on the lease
  • ", + "
  • be living in or running a business from the property or have done so for at least 6 months in the last 18 months if the property\u2019s currently empty
  • ", + "

    Read full guidance on eligibility.

    ", + "

    You\u2019ll need to submit evidence that you meet all 5 criteria:

    ", + "
  • property type
  • ", + "
  • location
  • ", + "
  • effort to sell
  • ", + "
  • no prior knowledge
  • ", + "
  • compelling reason to sell
  • ", + "

    Property type

    ", + "

    You\u2019ll need to show that the property is owner occupied, you\u2019re the personal representative, or you\u2019re acting as a \u2018reluctant landlord\u2019 who has had to rent out the property as a result of HS2.

    ", + "

    Location

    ", + "

    You\u2019ll need to show that your property is close enough to the route that it\u2019s likely to be substantially affected by HS2\u2019s construction or operation. There is no fixed distance.

    ", + "

    Effort to sell

    ", + "

    You\u2019ve tried to sell the property without success for at least 3 months.

    ", + "

    No prior knowledge

    ", + "

    You must either:

    ", + "
  • have bought or signed a lease before the publication of the HS2 route section closest to your property
  • ", + "
  • show why you could not have known about the initial proposed route, for example if the searches relating to the purchase were done before the route was announced, but the purchase was completed after
  • ", + "

    Compelling reason to sell

    ", + "

    You must give evidence of a compelling reason to sell your property now, or that you would be placed under an unreasonable burden if you were unable to sell your property in the next 3 years.

    ", + "

    What you\u2019ll get

    ", + "

    The government will agree to buy your property for 100% of the unblighted open market value if your application is successful.

    ", + "

    The government will not cover additional costs, such as legal fees or removal costs.

    ", + "

    Apply

    ", + "

    Download the guidance and fill in the application form.

    ", + "

    Send it to the address on the form, along with your supporting evidence.

    ", + "

    Track your application online

    ", + "

    HS2 will send you a username and password to track your application after you apply.

    ", + "

    You can then track your application online. You\u2019ll choose a new password after you sign in for the first time.

    ", + "

    If you have not been sent a username and password, contact your HS2 case officer for help tracking your application.

    ", + "

    If you\u2019re not happy with the result

    ", + "

    You can reapply if your application is rejected, giving extra information to explain why you think the decision was wrong.

    ", + "

    Complaints

    ", + "

    Follow HS2\u2019s complaints procedure if you want to complain about the service you received, for example how long it took to reach a decision on your application.

    ", + "

    Cash Offer or Voluntary Purchase Scheme

    ", + "

    You may be able to apply for a Cash Offer if you do not want to sell your home and it\u2019s in a rural support zone.

    ", + "

    Alternatively, you can ask the government to purchase your property for its full open market value (known as \u2018unblighted\u2019 value) under the Voluntary Purchase Scheme.

    ", + "

    Cash Offer and the Voluntary Purchase Scheme only apply to properties in rural support zones. Check the Phase 1 or Phase 2 maps to see if your property is in a rural support zone.

    ", + "

    Who can apply

    ", + "

    Your house or 25% of the total area of your property must be in the rural support zone (generally 60 to 120 metres from the route).

    ", + "

    You must be the owner occupier of a residential, agricultural or commercial property.

    ", + "

    Mortgage lenders (for example banks and building societies) can also apply for the Voluntary Purchase Scheme.

    ", + "

    Your commercial property will not qualify for Cash Offer or the Voluntary Purchase Scheme if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).

    ", + "

    An owner occupier must:

    ", + "
  • be the freeholder or a leaseholder with at least 3 years left on the lease
  • ", + "
  • be living in or running a business from the property, or have done so for at least 6 months in the last 18 months if the property is currently empty
  • ", + "
  • have bought or entered into a lease of the property before the initial preferred routes of Phases 1, 2a or 2b were announced - or show why they could not have known about it, for example if the searches relating to the purchase were undertaken before this date, but the purchase itself was completed afterwards
  • ", + "

    Read the full guidance on eligibility.

    ", + "

    What you\u2019ll get

    ", + "

    Cash offer

    ", + "

    The cash offer is a lump-sum payment of 10% of the unblighted open market value of your property (from a minimum of \u00a330,000 to a maximum of \u00a3100,000).

    ", + "

    The government will cover your legal fees up to \u00a3500 (plus VAT) if your application is successful.

    ", + "

    Voluntary purchase

    ", + "

    If you qualify, the government will pay 100% of the unblighted open market value, as assessed by 2 independent valuers.

    ", + "

    The government will not cover additional costs, for example legal fees or removal costs.

    ", + "

    Apply

    ", + "

    Download the guidance and fill in the application form.

    ", + "

    Send it to the address on the form, along with your supporting evidence.

    ", + "

    Track your application online

    ", + "

    HS2 will send you a username and password to track your application after you apply.

    ", + "

    You can then track your application online. You\u2019ll choose a new password after you sign in for the first time.

    ", + "

    If you have not been sent a username and password, contact your HS2 case officer for help tracking your application.

    ", + "

    Complaints

    ", + "

    Follow HS2\u2019s complaints procedure if you want to complain about the service you received, for example about how long it took to reach a decision on your application or the result.

    ", + "

    Homeowner Payment Scheme (Phase 1 and Phase 2a)

    ", + "

    You may be eligible for a payment if you live in the homeowner payment zone.

    ", + "

    Check the Phase 1 maps or Phase 2a maps to find out.

    ", + "

    Phase 2a homes will become eligible once this phase is authorised by Parliament.

    ", + "

    Who can apply

    ", + "

    Your house or 25% of the total area of your property must be in the homeowner payment zone.

    ", + "

    You must be the owner occupier of a residential, agricultural or commercial property.

    ", + "

    An owner occupier must:

    ", + "
  • be the freeholder or a leaseholder with at least 3 years left on the lease
  • ", + "
  • be living in or running a business from the property or have done so for at least 6 months in the last 18 months if the property\u2019s currently empty
  • ", + "
  • have bought the property before 9 April 2014 for Phase 1 and before 30 November 2015 for Phase 2a when the proposals for the homeowner payment were announced
  • ", + "

    Your commercial property will not qualify for homeowner payments if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).

    ", + "

    What you\u2019ll get

    ", + "

    You can claim \u00a38,000 to \u00a324,000 depending on which homeowner payment band you\u2019re in.

    ", + "Distance from line of the route | Amount", + "Between 120m and 180m | \u00a324,000", + "Between 180m and 240m | \u00a316,000", + "Between 240m and 300m | \u00a38,000", + "

    You\u2019ll be eligible for the band in which your residential dwelling sits if your land is covered by more than one homeowner payment band.

    ", + "

    You may be eligible for the \u00a38,000 band if your dwelling is outside the bands but your land is within them.

    ", + "

    You\u2019ll be eligible for the higher payment if the dwelling itself is in more than one band.

    ", + "

    Most people who receive money under the homeowner payment scheme would not have to pay tax on it.

    ", + "

    You can accept payment and still be eligible for the Need to Sell Scheme - the value of the payment (plus statutory interest) will be deducted from the purchase price.

    ", + "

    Apply

    ", + "

    Fill in the form and follow the instructions to apply.

    ", + "

    Track your application online

    ", + "

    HS2 will send you a username and password to track your application after you apply.

    ", + "

    You can then track your application online. You\u2019ll choose a new password after you sign in for the first time.

    ", + "

    If you have not been sent a username and password, contact your HS2 case officer for help tracking your application.

    ", + "

    Rent Back

    ", + "

    If you\u2019re selling your property to the government under one of the schemes\u00a0you can apply to rent it back and continue living in it.

    ", + "

    Apply

    ", + "

    Ask your HS2 case officer to explain the options for renting the property back from the government after it\u2019s sold.

    ", + "

    What happens next

    ", + "

    The government will assess your property to decide whether to rent it out, based on both:

    ", + "
  • the cost of any repairs needed to make it suitable for renting
  • ", + "
  • whether the work is a good use of taxpayers\u2019 money
  • ", + "

    They will contact you to let you know if you\u2019ll be able to rent it.

    ", + "

    If you decide to rent the property, you\u2019ll pay an open market rent and get a tenancy agreement for an initial term of 6 months.

    ", + "

    The guidance has more information about Rent Back.

    ", + "

    Track your application online

    ", + "

    HS2 will send you a username and password to track your application after you apply.

    ", + "

    You can then track your application online. You\u2019ll choose a new password after you sign in for the first time.

    ", + "

    If you have not been sent a username and password, contact your HS2 case officer for help tracking your application.

    " + ] + }, + { + "title": "Compensation when a road affects your property's value", + "url": "https://www.gov.uk/compensation-road-property-value", + "contents": [ + "

    Overview

    ", + "

    You can apply for compensation if the value of your property goes down because of pollution or disturbance from the use of a new or altered road.

    ", + "

    This is known as a \u2018Part I claim\u2019.

    ", + "

    When you can claim

    ", + "

    You can claim after a road\u2019s been open to traffic for 1 year.

    ", + "

    How to claim

    ", + "
  • Check you have a valid claim.
  • ", + "
  • Check where to send your claim.
  • ", + "

    You can make a claim yourself or use an agent (eg a professional property valuer or claims company) to claim for you.

    ", + "

    Who can claim

    ", + "

    The value of your property must have gone down by more than \u00a350 as the result of specific types of pollution or disturbance from the use of a new or altered road.

    ", + "

    What you can claim for

    ", + "

    You can only make a Part I claim because of:

    ", + "
  • noise
  • ", + "
  • vibration
  • ", + "
  • smell
  • ", + "
  • fumes
  • ", + "
  • smoke
  • ", + "
  • artificial lighting
  • ", + "
  • solid or liquid discharge on to your property
  • ", + "

    What you can\u2019t claim for

    ", + "

    You can\u2019t make a Part I claim for:

    ", + "
  • other problems caused by a road, eg losing your view, natural light or privacy (sometimes called \u2018blight\u2019)
  • ", + "
  • problems coming from another part of the road - your claim must be for the part of the road that\u2019s new or altered
  • ", + "
  • a road that\u2019s only been resurfaced
  • ", + "

    Types of property you can claim for

    ", + "

    You can usually only claim for property you own and occupy.

    ", + "

    You must own the property both:

    ", + "
  • before the road opened to traffic
  • ", + "
  • when you make your claim
  • ", + "

    You must also be able to prove you own 1 of the following:

    ", + "
  • the property\u2019s freehold
  • ", + "
  • the property\u2019s leasehold, with at least 3 years left to run on your lease on the date you make your claim
  • ", + "

    You can\u2019t claim for property that was part of a \u2018compulsory purchase\u2019 for the construction of the road.

    ", + "

    Homes

    ", + "

    You must be living in the property when you make your claim, unless you can\u2019t because:

    ", + "
  • you let it to tenants
  • ", + "
  • there\u2019s another legal reason preventing you, eg a court order
  • ", + "

    Agricultural land

    ", + "

    You must occupy the property both:

    ", + "
  • before the road opened to traffic
  • ", + "
  • when you make your claim
  • ", + "

    Business premises

    ", + "

    You must occupy the whole property, or a substantial part of it, both:

    ", + "
  • before the road opened to traffic
  • ", + "
  • when you make your claim
  • ", + "

    Your property\u2019s rateable value must be below \u00a334,800.

    ", + "

    Search by postcode to find the rateable value of your business in England or Wales.

    ", + "

    Other requirements

    ", + "

    Read Highways England\u2019s guide to Part I claims to check if you need to meet other requirements.

    ", + "

    Make a claim

    ", + "

    You usually need to make your claim to the authority responsible for the road - this is:

    ", + "
  • your local council for local roads
  • ", + "
  • Highways England for major roads, including motorways and some A roads
  • ", + "

    You need to make your claim to Connect Plus if it\u2019s for M25 widening at:

    ", + "
  • junctions 16 to 23
  • ", + "
  • junctions 27 to 30
  • ", + "

    Make a claim to Highways England

    ", + "
  • Check Part I claims notices for roads that are open for claims.
  • ", + "
  • Read the guide to Part I claims.
  • ", + "
  • Download and fill in the claim for compensation form.
  • ", + "
  • Send your claim to the Highways England.
  • ", + "

    Track your claim

    ", + "

    You can track the progress of a Part I claim you\u2019ve made to Highways England.

    " + ] + }, + { + "title": "Get information about property and land", + "url": "https://www.gov.uk/get-information-about-property-and-land", + "contents": [ + "

    Overview

    ", + "

    You can get information about registered property or land in England and Wales, even if you do not own it.

    ", + "

    The type of information you can get includes the:

    ", + "
  • title register - who owns the property or land, and any rights of way
  • ", + "
  • title number - the unique number given to a property or piece of land
  • ", + "
  • title plan - the property or land\u2019s location and boundaries
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Search the land and property register

    ", + "

    Get copies of title register and title plan by searching the register.

    ", + "

    Search the land and property index map

    ", + "

    Ask for a search of the index map if a property doesn\u2019t come up on a search of the register.

    ", + "

    Get a copy of the deeds

    ", + "

    You may be able to find out current and past information about a registered property, such as its previous owners by requesting a copy of the deeds.

    ", + "

    Search property prices

    ", + "

    Get information about property prices by searching the house price index and the price paid data service.

    ", + "

    Search the register

    ", + "

    HM Land Registry holds records about most property or land sold in England or Wales since 1993, including the title register, title plan and title summary.

    ", + "

    Search the online register

    ", + "

    Search the register by address or location.

    ", + "

    If a property does not appear in a search, it may be filed under the wrong address. Ask for a search of the index map instead.

    ", + "

    Title register

    ", + "

    The title register has details about the property or land (in a PDF). It includes:

    ", + "
  • the title number
  • ", + "
  • who owns it
  • ", + "
  • what they paid for it (properties only, if available)
  • ", + "
  • any rights of way
  • ", + "
  • whether a mortgage on it has been \u2018discharged\u2019, for example paid off
  • ", + "

    Title summary

    ", + "

    The title summary (viewable online) includes:

    ", + "
  • the title number
  • ", + "
  • who owns it
  • ", + "
  • what they paid for it
  • ", + "
  • whether the property is freehold or leasehold (known as \u2018tenure\u2019)
  • ", + "
  • the lender\u2019s name and address (if there is a mortgage on the property)
  • ", + "

    The lease will have more information if the property is a leasehold.

    ", + "

    Title plan

    ", + "

    The title plan is a map showing:

    ", + "
  • the property\u2019s location
  • ", + "
  • the general boundaries - there\u2019s usually no record of exact boundaries
  • ", + "

    Buy copies of the information

    ", + "

    You can download online copies of the information for a fee but you cannot use them as proof of ownership.

    ", + "

    To get copies to use as proof of ownership (for example, in a court case) order official copies.

    ", + "

    Ordering official copies

    ", + "

    Download and fill in an application for official copies of documents and send it to HM Land Registry with your fee.

    ", + "

    Your copies will arrive in less than a week.

    ", + "

    Fees

    ", + "Document | Fee", + "Title register (online copy) | \u00a33", + "Title plan (online copy) | \u00a32.50 (\u00a33 with VAT)", + "Title register (official copy) | \u00a37", + "Title plan (official copy) | \u00a37", + "

    Rights over adjoining land and property boundaries

    ", + "

    The title register may give you details about rights over adjoining land. Apply for a copy of the deeds if you need more information.

    ", + "

    Title plans only give general boundary information. There\u2019s usually no record of exact boundaries.

    ", + "

    Get historical title registers

    ", + "

    You may be able to find out who owned the property before the current owner from a historical title register. It can also be useful if you\u2019re trying to find out how old a property is.

    ", + "

    Ask HM Land Registry to search who owned the property for a specific date or multiple dates.

    ", + "

    For properties registered before 1993

    ", + "

    Contact HM Land Registry with the:

    ", + "
  • title number or address of the property
  • ", + "
  • date or dates you\u2019re applying for
  • ", + "

    They\u2019ll search their records and tell you if they have a copy, and how to apply for it.

    ", + "

    For properties registered after 1993

    ", + "

    Download and fill in form HC1. Send the form to HM Land Registry along with \u00a37 for each date you\u2019re applying for.

    ", + "

    The results of your search will arrive in less than a week.

    ", + "

    If you do not know the date you\u2019re searching for, contact HM Land Registry.

    ", + "

    Search the index map

    ", + "

    The index map contains information on all land and property that\u2019s registered or being registered with HM Land Registry.

    ", + "

    Use it to find the title number of a property that does not appear in a search of the register.

    ", + "

    Some properties do not appear in a search of the register because the property boundaries have changed since it was registered, or the property address has been spelled incorrectly, for example.

    ", + "

    How to search

    ", + "

    You cannot search the map yourself.

    ", + "

    You should provide the address of the land or property (if it has one). If the land or property cannot be identified by the address you can provide:

    ", + "
  • a plan which clearly identifies the land or property
  • ", + "
  • an Ordnance Survey map reference for the land or property
  • ", + "

    Download and fill in the application form and send it to HM Land Registry.

    ", + "

    HM Land Registry will send you the search results, including the title number or numbers under which the land or property is registered. You can use them to search the register.

    ", + "

    The search will also confirm if the property or land is unregistered.

    ", + "

    How much it costs

    ", + "

    It costs \u00a34 to search an area covering up to 5 registered titles.

    ", + "

    If your search covers more than 5 titles, HM Land Registry will contact you with an updated fee. You\u2019ll be charged \u00a32 for groups of 10 additional titles.

    ", + "

    How long it takes

    ", + "

    The results of your search will arrive in less than a week.

    ", + "

    If you\u2019re searching the index map to apply for home rights

    ", + "

    You must write \u2018This search is being made solely for the purposes of the Family Law Act 1996\u2019 across the top of the application form.

    ", + "

    Get a copy of the deeds

    ", + "

    You may be able to find out current and past information about a registered property, such as its previous owners in the deeds.

    ", + "

    The register may give more details about rights over adjoining land.

    ", + "

    HM Land Registry does not store original paper deeds.

    ", + "

    How to request a copy of the deeds

    ", + "
  • Find out if the property or land is registered.
  • ", + "
  • Pay \u00a33 to download a copy of the title register. If the deeds are marked as \u2018filed\u2019 in the register then HM Land Registry has a scanned copy.
  • ", + "
  • Fill in the deeds request form using the property\u2019s title number from the title register.
  • ", + "

    Your search may return no results if HM Land Registry does not hold a scanned copy of the deeds.

    ", + "

    The deeds could be made up of several documents. Each official copy of a document costs \u00a37.

    ", + "

    Send your completed form and payment to HM Land Registry.

    ", + "

    Copies of deeds cannot be used to prove ownership, for example in a court case. Get official copies of the title register instead.

    ", + "

    If you\u2019re a business

    ", + "

    Register for business e-services if you\u2019re a business that needs to manage multiple searches and download multiple copies of documents.

    ", + "

    Search for property prices

    ", + "

    You can search for how much a property sold for in England or Wales.

    ", + "

    You can correct information about the sale price if you find any incorrect records.

    ", + "

    You can also search UK house price averages by region, county or local authority on the house price index.

    " + ] + }, + { + "title": "Joint property ownership", + "url": "https://www.gov.uk/joint-property-ownership", + "contents": [ + "

    Overview

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You must decide which type of joint ownership you want if you buy, inherit or become a trustee of a property with someone else. You tell HM Land Registry about this when you register the property.

    ", + "

    You can own a property as either \u2018joint tenants\u2019 or \u2018tenants in common\u2019.

    ", + "

    The type of ownership affects what you can do with the property if your relationship with a joint owner breaks down, or if one owner dies.

    ", + "

    You can get legal advice from someone who specialises in property.

    ", + "

    Joint tenants

    ", + "

    As joint tenants (sometimes called \u2018beneficial joint tenants\u2019):

    ", + "
  • you have equal rights to the whole property
  • ", + "
  • the property automatically goes to the other owners if you die
  • ", + "
  • you cannot pass on your ownership of the property in your will
  • ", + "

    Tenants in common

    ", + "

    As tenants in common:

    ", + "
  • you can own different shares of the property
  • ", + "
  • the property does not automatically go to the other owners if you die
  • ", + "
  • you can pass on your share of the property in your will
  • ", + "

    Change your type of ownership

    ", + "

    You can change from being either:

    ", + "
  • joint tenants to tenants in common, for example if you divorce or separate and want to leave your share of the property to someone else
  • ", + "
  • tenants in common to joint tenants, for example if you get married and want to have equal rights to the whole property
  • ", + "

    There\u2019s no fee to do this.

    ", + "

    You can also change from sole ownership to tenants in common or joint tenants, for example, if you want to add your partner as joint owner. This is called transferring ownership.

    ", + "

    Sell the property if the other owner has lost mental capacity

    ", + "

    You\u2019ll have to apply to the Court of Protection if you want to sell the property but the other owner has lost \u2018mental capacity\u2019.

    ", + "

    Check your ownership details

    ", + "

    You can find out what type of joint ownership you have by checking documents such as a:

    ", + "
  • property transfer
  • ", + "
  • property lease
  • ", + "
  • trust deed, also known as a \u2018declaration of trust\u2019 (a document stating an owner\u2019s share in a jointly owned property)
  • ", + "

    A solicitor, conveyancer or legal executive can help you check what type of joint ownership you have if you\u2019re unsure.

    ", + "

    Your type of ownership can sometimes change without your knowledge, for example if one of the other owners goes bankrupt.

    ", + "

    Change from joint tenants to tenants in common

    ", + "

    This is called \u2018severance of joint tenancy\u2019. You should apply for a \u2018Form A restriction\u2019.

    ", + "

    You can make this change without the other owners\u2019 agreement.

    ", + "

    A solicitor, conveyancer or legal executive can also make the application for you.

    ", + "

    How to apply if the other owners do not agree to the change

    ", + "
  • Serve a written notice of the change (a \u2018notice of severance\u2019) on the other owners - a conveyancer can help you do this.
  • ", + "
  • Download and fill in form SEV to register a restriction without the other owners\u2019 agreement. You can also fill in form RX1 to register a \u2018form A restriction\u2019 if you cannot provide any of the evidence of severance options listed in form SEV.
  • ", + "
  • Prepare any supporting documents you need to include.
  • ", + "
  • Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.
  • ", + "

    Supporting documents

    ", + "

    You should include an original or certified copy of the notice of severance signed by all the owners.

    ", + "

    If you cannot get the other owners\u2019 signatures you can instead send a letter certifying that you\u2019ve done one of the following with the notice of severance:

    ", + "
  • given it to all the other owners
  • ", + "
  • left it at the other owners\u2019 last known home or business address in the UK
  • ", + "
  • sent it by registered post or recorded delivery to the other owners\u2019 last known home or business address and it has not been returned undelivered
  • ", + "

    How to apply if the other owners agree to the change

    ", + "
  • Download and fill in form SEV to register a \u2018form A restriction\u2019 if all owners agree.
  • ", + "
  • Prepare any supporting documents you need to include.
  • ", + "
  • Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.
  • ", + "

    Where to send your application

    ", + "

    Change from tenants in common to joint tenants

    ", + "

    You need the agreement of all the other joint owners to change from being tenants in common to joint tenants.

    ", + "

    A solicitor, conveyancer or legal executive can also make the application for you.

    ", + "

    How to apply

    ", + "
  • Fill in a new or updated trust deed - a conveyancer can help you do this.
  • ", + "
  • Download and fill in the form to cancel a restriction, if one has been registered.
  • ", + "
  • Prepare any supporting documents you need to include.
  • ", + "
  • Send the form and documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.
  • ", + "

    Supporting documents

    ", + "

    You must include one of the following:

    ", + "
  • an original or certified copy of the new or updated trust deed signed by all the owners
  • ", + "
  • a certified copy of a transfer showing that all owners with individual shares of the property have transferred these to all the beneficial joint tenants
  • ", + "
  • a certificate from your conveyancer confirming that all owners with shares of the property have signed a new trust deed
  • ", + "

    You must also include either:

    ", + "
  • a statutory declaration prepared by your conveyancer
  • ", + "
  • a \u2018statement of truth\u2019 - either one you\u2019ve prepared yourself or using form ST5
  • ", + "

    A statement of truth must be:

    ", + "
  • in writing and include the wording \u201cI believe that the facts and matters contained in this statement are true\u201d
  • ", + "
  • signed by the person who makes it
  • ", + "

    The supporting documents must prove all the following:

    ", + "
  • nobody else except the named joint owners have shares of the property
  • ", + "
  • none of the joint owners is being made bankrupt, has a charging order from creditors or is mortgaging their share of the property
  • ", + "
  • all the joint owners now own the property together as beneficial joint tenants
  • ", + "

    Where to send your application

    ", + "

    Selling when an owner has lost mental capacity

    ", + "

    You must apply to the Court of Protection if all of the following apply:

    ", + "
  • you\u2019re one of 2 or more owners of property or land
  • ", + "
  • one of the owners has lost \u2018mental capacity\u2019
  • ", + "
  • you want to sell the property or land
  • ", + "

    Losing mental capacity means someone cannot make a decision for themselves at the time it needs to be made.

    ", + "

    This means that:

    ", + "
  • the owner who\u2019s lost mental capacity cannot sign legally binding documents and needs help to make decisions
  • ", + "
  • you\u2019ll have to apply to appoint someone to take the place of the owner who\u2019s lost capacity so the sale can go ahead
  • ", + "

    Appoint someone to act on behalf of an owner

    ", + "

    You\u2019ll have to appoint someone to act on behalf of the owner who\u2019s lost mental capacity even if:

    ", + "
  • you\u2019re already acting on behalf of an owner as a \u2018deputy\u2019
  • ", + "
  • the Official Solicitor is a \u2018litigation friend\u2019 for an owner
  • ", + "

    You may not need to apply if you\u2019ve got a registered power of attorney.

    ", + "

    Read the guidance on the sale of jointly owned property (COP GN2) to find out if you need to apply.

    ", + "

    Get the forms

    ", + "

    Download and fill in:

    ", + "
  • the Court of Protection application form (COP1) so you can appoint someone who can deal with the sale of the property
  • ", + "
  • the special undertaking by trustees (COP12)
  • ", + "
  • an information form (COP1D)
  • ", + "
  • the witness statement (COP24) - use the guidance on the sale of jointly owned property (COP GN2) to fill this in
  • ", + "
  • another witness statement (COP24) as a certificate of fitness (for example, a character reference) if you\u2019re not appointing yourself or your solicitor to act for the owner
  • ", + "

    Fees

    ", + "

    It costs \u00a3365 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.

    ", + "

    Read the fees guidance to find out when you might not have to pay.

    ", + "

    Enquiries

    ", + "

    Contact the Court of Protection for help and to find out if you need to fill in other forms.

    ", + "

    You can also write to the Court of Protection or visit the public counter.

    ", + "

    You cannot get legal advice from court staff.

    ", + "

    Send your application

    ", + "

    Send the original and one copy of each of the following to the Court of Protection:

    ", + "
  • the application forms
  • ", + "
  • witness statement
  • ", + "
  • a copy of the entries at HM Land Registry if the sale includes any registered land
  • ", + "
  • a copy of the conveyance if the property is unregistered
  • ", + "
  • any other documents and information asked for
  • ", + "

    Tell people about your application

    ", + "

    The Court of Protection will send you a copy of your application forms, stamped with an issue date, a week after you apply.

    ", + "

    You must tell (\u2018serve\u2019) anyone named in your application (such as the person who\u2019s lost capacity) about applying within 14 days of the issue date.

    ", + "

    Read the guidance at the end of application form COP1 to find out who to tell.

    ", + "

    Send them:

    ", + "
  • a notice that an application form has been issued (COP15)
  • ", + "
  • an acknowledgment form (COP5) so they can confirm they\u2019ve been told about this
  • ", + "

    You can tell them:

    ", + "
  • by post to their home address
  • ", + "
  • by fax
  • ", + "
  • in person
  • ", + "

    Confirm you\u2019ve told people

    ", + "

    Within 7 days of serving the documents, you must download and fill in the forms (\u2018certificates of service\u2019) confirming you\u2019ve told:

    ", + "
  • the owner who\u2019s lost mental capacity (COP20A)
  • ", + "
  • other people named in the application (COP20B)
  • ", + "

    Send them all together to the Court of Protection.

    ", + "

    After you apply

    ", + "

    Read the guidance to find out what happens if you have to attend a Court of Protection hearing.

    ", + "

    Update the property records after you\u2019ve appointed someone to act for the owner who\u2019s lost mental capacity.

    ", + "

    If your application is rejected and you did not have a hearing

    ", + "

    You can ask for a decision to be reconsidered if your application is rejected and you did not have a hearing.

    ", + "

    Download and fill in application form COP9.

    ", + "

    Send the original, one copy of the form and any documents asked for in the form to the Court of Protection.

    ", + "

    You must apply within 21 days of the decision being made.

    ", + "

    It\u2019s free.

    ", + "

    If your application is rejected and you had a hearing

    ", + "

    You can appeal the decision if your application is rejected and you had an oral hearing.

    ", + "

    Download and fill in the appellant\u2019s notice (COP35).

    ", + "

    Send it and any other documents asked for in the form to the Court of Protection.

    ", + "

    You must apply within 21 days of the decision being made or within the time limit set by the judge who rejected your application.

    ", + "

    Fees

    ", + "

    It costs \u00a3320 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.

    ", + "

    Read the fees guidance to find out when you might not have to pay.

    ", + "

    Emergency applications

    ", + "

    Contact the Court of Protection to make an emergency application, for example to stop someone who lacks mental capacity being removed from where they live.

    " + ] + }, + { + "title": "Leasehold property", + "url": "https://www.gov.uk/leasehold-property", + "contents": [ + "

    Overview

    ", + "

    You only own a leasehold property for a fixed period of time.

    ", + "

    You\u2019ll have a legal agreement with the landlord (sometimes known as the \u2018freeholder\u2019) called a \u2018lease\u2019. This tells you how many years you\u2019ll own the property.

    ", + "

    Ownership of the property returns to the landlord when the lease comes to an end.

    ", + "

    Most flats are leasehold. Houses can be leasehold too and usually are if they\u2019re bought through a shared ownership scheme.

    ", + "

    The rules about leasehold property are different in Northern Ireland.

    ", + "

    Leaseholder rights and responsibilities

    ", + "

    Your responsibilities

    ", + "

    Your lease will tell you what conditions you\u2019ve agreed to, for example:

    ", + "
  • if you need permission to make alterations
  • ", + "
  • how much you\u2019ll have to pay to maintain the property
  • ", + "
  • whether you or your landlord has responsibility for repairs and dealing with noisy neighbours
  • ", + "

    You might be taken to court and be ordered to pay for any damage If you do not follow the conditions of the lease. The court may also take away your lease.

    ", + "

    Your rights

    ", + "

    You have the right to:

    ", + "
  • get information about service charges or insurance
  • ", + "
  • know the landlord\u2019s (freeholder\u2019s) name and address
  • ", + "
  • be consulted about certain maintenance and running costs
  • ", + "
  • challenge certain charges under some circumstances
  • ", + "

    Service charges and other expenses

    ", + "

    Service charges

    ", + "

    Your lease sets out the way the service charge is organised and what can be charged. If you pay a service charge, you have the right to:

    ", + "
  • ask for a summary showing how the charge is worked out and what it\u2019s spent on
  • ", + "
  • see any paperwork supporting the summary, such as receipts
  • ", + "

    Your landlord must give you this information - it\u2019s a criminal offence if they do not.

    ", + "

    Ground rent

    ", + "

    You do not have to pay ground rent unless your landlord has sent you a formal, written demand for it. They can take legal action if you do not pay after you\u2019ve received the demand.

    ", + "

    Your landlord can recover unpaid ground rent going back 6 years - they can ask you for the full amount in one go.

    ", + "

    Your landlord can only increase the ground rent if you agree to the increase or the lease says this can happen.

    ", + "

    Building insurance

    ", + "

    Your landlord will usually be responsible for insurance of the building (not the contents) - this will be part of your service charge.

    ", + "

    You have a right to:

    ", + "
  • ask for a summary of the insurance policy
  • ", + "
  • challenge the cost through a tribunal if you think it\u2019s unreasonable
  • ", + "

    Reserve or sinking funds

    ", + "

    You might have to pay into a fund to help cover any unexpected maintenance or repairs, like replacing the roof. There are rules about how landlords must manage these funds.

    ", + "

    You will not usually be able to get back any money you pay into them, for example if you move house.

    ", + "

    Consulting over charges

    ", + "

    You have the right to be consulted about charges for running or maintaining the building if you have to pay more than:

    ", + "
  • \u00a3250 for planned work
  • ", + "
  • \u00a3100 per year for work and services lasting more than 12 months
  • ", + "

    There are steps your landlord must follow when they consult you, known as a \u2018Section 20\u2019 consultation. There\u2019s a limit on how much you have to pay if you have not been consulted properly - contact Leasehold Advisory Service for advice.

    ", + "

    Disputing a charge

    ", + "

    You may be able to apply to a tribunal if you pay a charge and you:

    ", + "
  • think it\u2019s unreasonable
  • ", + "
  • think the standard of work it relates to is unsatisfactory
  • ", + "
  • do not think you should be paying it at all
  • ", + "

    Contact Leasehold Advisory Service for advice.

    ", + "

    You cannot apply to the tribunal if:

    ", + "
  • you\u2019ve agreed to pay the charge
  • ", + "
  • the dispute is already being dealt with, for example by the court
  • ", + "
  • you pay a fixed charge
  • ", + "

    Try mediation - you may also be able to change the management of your building instead.

    ", + "

    Your landlord can take you to court if you stop paying a charge you\u2019re responsible for.

    ", + "

    More information

    ", + "

    The Leasehold Advisory Service has more information on service charges and other issues.

    ", + "

    Extending, changing or ending a lease

    ", + "

    Extending the lease

    ", + "

    You can ask the landlord to extend your lease at any time.

    ", + "

    You might be able to extend your lease by:

    ", + "
  • 90 years on a flat if you qualify
  • ", + "
  • 50 years on a house if you qualify
  • ", + "

    The Leasehold Advisory Service\u2019s (LAS) lease extension calculator gives you a guide to the costs of extending the lease of a flat.

    ", + "

    Changing the lease

    ", + "

    You can negotiate certain changes to the lease, sometimes known as \u2018varying the lease\u2019. Speak to your landlord first.

    ", + "

    If you cannot agree, you may be able to apply to a tribunal - contact Leasehold Advisory Service for advice.

    ", + "

    Ending the lease

    ", + "

    It\u2019s very rare that a landlord can end the lease and evict you. There are some circumstances and leases that let them do this, sometimes known as \u2018forfeiture proceedings\u2019. They need to send you a formal written notice and get the court\u2019s permission.

    ", + "

    You can usually end a lease by giving at least 1 month\u2019s notice.

    ", + "

    The LAS has information about ending a lease.

    ", + "

    When the lease runs out

    ", + "

    You do not have to leave the property when the lease expires. In law, a lease is a tenancy and the leaseholder is a tenant. The tenancy will continue on exactly the same terms unless you or the landlord decide to end it.

    ", + "

    Buying the freehold

    ", + "

    You can ask the landlord to sell you the freehold at any time.

    ", + "

    There are different legal steps and rules depending on whether your home is a:

    ", + "
  • flat - you\u2019ll need to buy a share of the freehold
  • ", + "
  • house - you may have the right to buy the freehold
  • ", + "

    Right of first refusal

    ", + "

    Landlords who want to sell the freehold of a building containing flats usually have to offer the leaseholders the first chance to buy it. This is known as your right of first refusal.

    ", + "

    There are different rules and steps to buying the freehold of your home in Northern Ireland

    ", + "

    Right to Manage and management disputes

    ", + "

    You may be able to change the management of your building if you\u2019re unhappy with the way it\u2019s being run and you live in a leasehold flat. You can either:

    ", + "
  • ask a tribunal to appoint a new manager
  • ", + "
  • take over the management responsibilities, known as your \u2018Right to Manage\u2019
  • ", + "

    Appoint a new manager

    ", + "

    You must prove bad management if you want to appoint a new manager, for example:

    ", + "
  • you have to pay unreasonable service charges
  • ", + "
  • the landlord has not complied with an approved code of management practice
  • ", + "

    Apply to a tribunal in England, or the Leasehold Valuation Tribunals in Wales.

    ", + "

    You can only apply to the tribunal if you\u2019ve sent the landlord a \u2018Section 22 notice\u2019 - this gives them a chance to fix the problems. Contact Leasehold Advisory Service for advice.

    ", + "

    Right to Manage

    ", + "

    The Right to Manage lets you and the other leaseholders take over certain management responsibilities from the landlord without having to prove bad management.

    ", + "

    You\u2019ll need to find out if you qualify - contact Leasehold Advisory Service for advice.

    ", + "

    You and the other leaseholders can manage the building yourselves or pay a managing agent to do it.

    ", + "

    Leasehold disputes

    ", + "

    There is a different dispute process in Wales.

    ", + "

    You can use a mediation service to help you and your landlord come to an agreement if you are in dispute about your lease. You might have to pay a fee.

    ", + "

    You can also get free advice from the Leasehold Advisory Service (LAS) on issues like:

    ", + "
  • service charges
  • ", + "
  • extending your lease
  • ", + "
  • buying the freehold
  • ", + "

    Apply to a tribunal

    ", + "

    You can apply to a tribunal if you\u2019re in a dispute with your landlord, for example:

    ", + "
  • service or administration charges
  • ", + "
  • the cost of building insurance
  • ", + "
  • appointment of a manager
  • ", + "
  • Right to Manage
  • ", + "
  • breach of a lease
  • ", + "
  • varying a lease
  • ", + "
  • recognising a tenants\u2019 association
  • ", + "
  • buying the freehold
  • ", + "
  • extending the lease
  • ", + "

    Apply to the Leasehold Valuation Tribunals if you\u2019re in Wales.

    " + ] + }, + { + "title": "Private renting", + "url": "https://www.gov.uk/private-renting", + "contents": [ + "

    Your rights and responsibilities

    ", + "

    You have certain rights and responsibilities if you\u2019re a tenant in privately rented property.

    ", + "

    Your rights

    ", + "

    As a tenant, you have the right to:

    ", + "
  • live in a property that\u2019s safe and in a good state of repair
  • ", + "
  • have your deposit returned when the tenancy ends - and in some circumstances have it protected
  • ", + "
  • challenge excessively high charges
  • ", + "
  • know who your landlord is
  • ", + "
  • live in the property undisturbed
  • ", + "
  • see an Energy Performance Certificate for the property
  • ", + "
  • be protected from unfair eviction and unfair rent
  • ", + "
  • have a written agreement if you have a fixed-term tenancy of more than 3 years
  • ", + "

    If you have a tenancy agreement, it should be fair and comply with the law.

    ", + "

    If you do not know who your landlord is, write to the person or company you pay rent to. Your landlord can be fined If they do not give you this information within 21 days.

    ", + "

    When you start a new tenancy

    ", + "

    When you start a new assured or short assured tenancy, your landlord must give you:

    ", + "
  • a copy of the How to rent guide if you live in England
  • ", + "
  • a tenant information pack if you live in Scotland
  • ", + "

    Your responsibilities

    ", + "

    You should give your landlord access to the property to inspect it or carry out repairs. Your landlord has to give you at least 24 hours\u2019 notice and visit at a reasonable time of day, unless it\u2019s an emergency and they need immediate access.

    ", + "

    Coronavirus has not changed these rules, so you should work with your landlord to make sure that any visits are for an urgent reason (for example, you do not have hot water, heating or toilet facilities). Follow NHS guidelines if the visit must happen.

    ", + "

    You can read the coronavirus and renting guidance for tenants and landlords.

    ", + "

    You must also:

    ", + "
  • take good care of the property, for example turn off the water at the mains if you\u2019re away in cold weather
  • ", + "
  • pay the agreed rent, even if repairs are needed or you\u2019re in dispute with your landlord
  • ", + "
  • pay other charges as agreed with the landlord, for example Council Tax or utility bills
  • ", + "
  • repair or pay for any damage caused by you, your family or friends
  • ", + "
  • only sublet a property if the tenancy agreement or your landlord allows it
  • ", + "

    Coronavirus has not changed your responsibilities - continue to pay rent to the best of your ability and speak to your landlord if you cannot.

    ", + "

    Your landlord has the right to take legal action to evict you if you do not meet your responsibilities.

    ", + "

    If your landlord lives outside the UK

    ", + "

    Contact HM Revenue and Customs (HMRC) if your landlord lives outside the UK and you pay \u00a3100 or more a week in rent directly to them.

    ", + "

    You may have to deduct tax from your rent under HMRC\u2019s \u2018non-resident landlord scheme\u2019.

    ", + "

    Document checks

    ", + "

    You must prove that you have a right to rent property in England if you\u2019re:

    ", + "
  • starting a tenancy on or after 1 February 2016.
  • ", + "
  • renting it as your main home.
  • ", + "

    Exemptions

    ", + "

    You will not have to prove your right to rent if you live in:

    ", + "
  • student accommodation, for example halls of residence
  • ", + "
  • accommodation provided by your employer as part of your job or training
  • ", + "
  • social housing
  • ", + "
  • accommodation provided by the council
  • ", + "
  • hostels and refuges
  • ", + "
  • a care home, hospital or hospice
  • ", + "
  • accommodation with a lease of 7 or more years
  • ", + "

    Check the full list of exemptions from the right to rent property checks.

    ", + "

    What your landlord must do

    ", + "

    Your landlord (or letting agent) must:

    ", + "
  • check your documents to make sure you have the right to rent a property in England
  • ", + "
  • check the documents of any other adults living in the property
  • ", + "
  • make copies of your documents and keep them until you leave the property
  • ", + "
  • return your original documents to you once they\u2019ve finished the check
  • ", + "

    Because of coronavirus (COVID-19) there are temporary changes to the way your landlord can check documents. They might ask you to share your documents digitally and do the checks on a video call.

    ", + "

    Read the list of acceptable documents.

    ", + "

    Your landlord must not discriminate against you, for example because of your nationality.

    ", + "

    If you cannot prove your right to rent

    ", + "

    You will not be able to rent property if you cannot provide the acceptable documents.

    ", + "

    If the Home Office has your documents

    ", + "

    If the Home Office has your documents because of an outstanding case or appeal, ask your landlord to check with the Home Office.

    ", + "

    Give your landlord your Home Office reference number to do the check.

    ", + "

    If your circumstances mean you can still rent in the UK

    ", + "

    In some circumstances, you can still rent even if you are not allowed to stay in the UK, for example if you\u2019re:

    ", + "
  • a victim of slavery
  • ", + "
  • using the Home Office\u2019s voluntary departure scheme
  • ", + "

    Check with the Home Office team that\u2019s dealing with your case.

    ", + "

    Your landlord will have to check with the Home Office.

    ", + "

    Repeat checks

    ", + "

    You will not have a further check if you stay in the same property and one of the following applies:

    ", + "
  • you\u2019re British
  • ", + "
  • you\u2019re an EU, EEA or Swiss citizen
  • ", + "
  • you have no time limit on your right to stay in the UK
  • ", + "

    Your landlord will have to make a repeat check if there\u2019s a time limit on your right to stay in the UK.

    ", + "

    Your landlord will ask to see your documents again just before your permission to stay runs out, or after 12 months, whichever is longer.

    ", + "

    Your landlord's safety responsibilities

    ", + "

    Your landlord must keep the property you live in safe and free from health hazards.

    ", + "

    Coronavirus has not changed these rules, so you should work with your landlord to make sure that any necessary checks happen safely. Follow NHS guidelines if a visit must happen in person.

    ", + "

    Gas safety

    ", + "

    Your landlord must:

    ", + "
  • make sure gas equipment they supply is safely installed and maintained by a Gas Safe registered engineer
  • ", + "
  • have a registered engineer do an annual gas safety check on each appliance and flue
  • ", + "
  • give you a copy of the gas safety check record before you move in, or within 28 days of the check
  • ", + "

    Electrical safety

    ", + "

    Your landlord must make sure:

    ", + "
  • the electrical system is safe, for example sockets and light fittings
  • ", + "
  • all appliances they supply are safe, for example cookers and kettles
  • ", + "

    Fire safety

    ", + "

    Your landlord must:

    ", + "
  • follow safety regulations
  • ", + "
  • provide a smoke alarm on each storey and a carbon monoxide alarm in any room with a solid fuel burning appliance (for example a coal fire or wood burning stove)
  • ", + "
  • check you have access to escape routes at all times
  • ", + "
  • make sure the furniture and furnishings they supply are fire safe
  • ", + "
  • provide fire alarms and extinguishers if the property is a large house in multiple occupation (HMO)
  • ", + "

    Repairs

    ", + "

    What your landlord must do

    ", + "

    Your landlord is always responsible for repairs to:

    ", + "
  • the property\u2019s structure and exterior
  • ", + "
  • basins, sinks, baths and other sanitary fittings including pipes and drains
  • ", + "
  • heating and hot water
  • ", + "
  • gas appliances, pipes, flues and ventilation
  • ", + "
  • electrical wiring
  • ", + "
  • any damage they cause by attempting repairs
  • ", + "

    Your landlord is usually responsible for repairing common areas, for example staircases in blocks of flats. Check your tenancy agreement if you\u2019re unsure.

    ", + "

    Your responsibilities

    ", + "

    You should only carry out repairs if the tenancy agreement says you can.

    ", + "

    You cannot be forced to do repairs that are your landlord\u2019s responsibility.

    ", + "

    If you damage another tenant\u2019s flat, for example if water leaks into another flat from an overflowing bath, you\u2019re responsible for paying for the repairs. You\u2019re also responsible for paying to put right any damage caused by your family and friends.

    ", + "

    If your property needs repairs

    ", + "

    Contact your landlord if you think repairs are needed. Do this straight away for faults that could damage health, for example faulty electrical wiring.

    ", + "

    Your landlord should tell you when you can expect the repairs to be done. You should carry on paying rent while you\u2019re waiting.

    ", + "

    Coronavirus has not changed these rules, so you should work with your landlord to make sure that any urgent repairs happen safely. Follow NHS guidelines if the repair must happen.

    ", + "

    If repairs are not done

    ", + "

    Contact the environmental health department at your local council for help. They must take action if they think the problems could harm you or cause a nuisance to others.

    ", + "

    Contact the Private Rented Housing Panel (PRHP) if you\u2019re in Scotland.

    ", + "

    If your house is not fit to live in

    ", + "

    If you think your home\u2019s unsafe, contact housing department at your local council. They\u2019ll do a Housing Health and Safety Rating System (HHSRS) assessment and must take action if they think your home has serious health and safety hazards.

    ", + "

    There are different:

    ", + "
  • housing standards and procedures in Scotland
  • ", + "
  • housing standards and procedures in Northern Ireland
  • ", + "

    Rent increases

    ", + "

    Your tenancy agreement should include how and when the rent will be reviewed.

    ", + "

    There are special rules for increasing protected (sometimes known as \u2018regulated\u2019) tenancy rents.

    ", + "

    When your landlord can increase rent

    ", + "

    For a periodic tenancy (rolling on a week-by-week or month-by-month basis) your landlord cannot normally increase the rent more than once a year without your agreement.

    ", + "

    For a fixed-term tenancy (running for a set period) your landlord can only increase the rent if you agree. If you do not agree, the rent can only be increased when the fixed term ends.

    ", + "

    General rules around rent increases

    ", + "

    For any tenancy:

    ", + "
  • your landlord must get your permission if they want to increase the rent by more than previously agreed
  • ", + "
  • the rent increase must be fair and realistic, which means in line with average local rents
  • ", + "

    How your landlord must propose a rent increase

    ", + "

    If the tenancy agreement lays down a procedure for increasing rent, your landlord must stick to this. Otherwise, your landlord can:

    ", + "
  • renew your tenancy agreement at the end of the fixed term, but with an increased rent
  • ", + "
  • agree a rent increase with you and produce a written record of the agreement that you both sign
  • ", + "
  • use a \u2018Landlord\u2019s notice proposing a new rent\u2019 form, which increases the rent after the fixed term has ended
  • ", + "

    Your landlord must give you a minimum of one month\u2019s notice (if you pay rent weekly or monthly). If you have a yearly tenancy, they must give you 6 months\u2019 notice.

    ", + "

    Rent disputes

    ", + "

    You can apply to a tribunal to decide on certain rent disputes in England.

    ", + "

    There are different ways to:

    ", + "
  • solve rent disputes in Scotland
  • ", + "
  • solve rent disputes in Wales
  • ", + "
  • solve rent disputes in Northern Ireland
  • ", + "

    Rent increase

    ", + "

    You can only apply to the tribunal if:

    ", + "
  • you have an assured or assured shorthold tenancy
  • ", + "
  • your rent\u2019s been increased as part of a \u2018section 13 procedure\u2019 - the letter from your landlord will say if it has, and will tell you more about applying to the tribunal
  • ", + "

    You must apply before the new rent is due to start.

    ", + "

    New rental terms

    ", + "

    You can ask the tribunal to decide new rental terms when you renew your tenancy.

    ", + "

    Rent set by rent officer

    ", + "

    Contact the Valuation Office Agency if you have a regulated or protected tenancy.

    ", + "

    If a rent officer has set your rent before, the only way to increase it is to have a rent officer set a new rent. If a rent officer has not set your rent before, they can set a rent limit. The landlord cannot charge more.

    ", + "

    You can appeal against a rent officer\u2019s decision. They may pass your case to a tribunal, which can make a final decision on the rent.

    ", + "

    If you think your rent is high when you start a tenancy

    ", + "

    You may be able to apply to the tribunal. Contact Citizens Advice for advice.

    ", + "

    You must apply within 6 weeks of moving in.

    ", + "

    Rent arrears

    ", + "

    Your landlord can evict you if you fall behind with your rent - you could lose your home.

    ", + "

    Coronavirus (COVID-19) has not changed this, but there are new rules that mean your landlord must give you at least 6 months\u2019 notice if they plan to evict you, unless you owe at least 6 months\u2019 rent. Read the coronavirus and renting guidance for tenants and landlords.

    ", + "

    If you are unable to pay your rent due to coronavirus, speak to your landlord as soon as possible.

    ", + "

    You can get advice if you\u2019re in rent arrears or having difficulty paying your rent from:

    ", + "
  • Money Advice Service
  • ", + "
  • Shelter
  • ", + "
  • Citizens Advice
  • ", + "

    Deposits

    ", + "

    You may have to pay a deposit before you move in. Contact your local council about possible rent or deposit guarantee schemes if you\u2019re having difficulty paying the deposit.

    ", + "

    Deposit protection

    ", + "

    Your landlord must put your deposit in a government-approved tenancy deposit protection scheme if you have an assured shorthold tenancy (AST) that started after 6 April 2007 (in England and Wales).

    ", + "

    Deposit disputes

    ", + "

    Contact the tenancy deposit protection scheme your landlord used if you cannot get your deposit back.

    ", + "

    Houses in multiple occupation

    ", + "

    Your home is a house in multiple occupation (HMO) if both of the following apply:

    ", + "
  • at least 3 tenants live there, forming more than 1 household
  • ", + "
  • you share toilet, bathroom or kitchen facilities with other tenants
  • ", + "

    Your home is a large HMO if both of the following apply:

    ", + "
  • at least 5 tenants live there, forming more than 1 household
  • ", + "
  • you share toilet, bathroom or kitchen facilities with other tenants
  • ", + "

    A household is either a single person or members of the same family who live together. A family includes people who are:

    ", + "
  • married or living together - including people in same-sex relationships
  • ", + "
  • relatives or half-relatives, for example grandparents, aunts, uncles, siblings
  • ", + "
  • step-parents and step-children
  • ", + "

    Standards, obligations and how to complain

    ", + "

    If you live in a large HMO, your landlord must meet certain standards and obligations. Find out more about HMOs from Shelter.

    ", + "

    Contact your local council to report hazards in your HMO. The council is responsible for enforcing HMO standards and can make a landlord take action to correct any problems.

    ", + "

    Reclaim rent

    ", + "

    All large HMOs need a licence from the local council.

    ", + "

    You may be able to apply to a tribunal to reclaim some of your rent if your landlord has been prosecuted by the council for running an unlicensed HMO.

    ", + "

    HMOs and coronavirus (COVID-19)

    ", + "

    If you live in an HMO, you and all the other residents should:

    ", + "
  • follow the general guidance about staying at home and social distancing
  • ", + "
  • behave in the same way as a single household if one of you has symptoms of coronavirus (COVID-19)
  • ", + "
  • make sure all shared areas are cleaned regularly and kept well ventilated
  • ", + "

    Anti-social behaviour

    ", + "

    Report anti-social behaviour to your local council.

    ", + "

    Your council can take over the management of a property to stop anti-social behaviour.

    ", + "

    It can also create a \u2018selective licensing scheme\u2019 if people in several houses in an area are behaving anti-socially. All landlords of properties in that area must then have a licence to show they\u2019re meeting minimum standards.

    ", + "

    Changes to a regulated tenancy

    ", + "

    There are special rules for changing rents and terms for regulated tenancies (usually starting before 15 January 1989).

    ", + "

    When your landlord can increase rent

    ", + "

    Your landlord can only increase the rent up to the registered rent, which is the legal maximum set by a rent officer from the Valuation Office Agency (VOA). This is sometimes called \u2018fair rent\u2019.

    ", + "

    Check the register of rents to find out if the rent is registered and how much it is.

    ", + "

    You or your landlord can ask the VOA to review the rent so that it remains fair, usually every 2 years. You can request it sooner if there\u2019s a major change to the home (for example, repairs or improvements).

    ", + "

    Fill in the fair rent review form and send it to the address on the form.

    ", + "

    If your rent increases

    ", + "

    Your landlord must serve you a notice of increase of rent in writing. It must include details of the changes, for example how much the rent will increase by and when it will start.

    ", + "

    Your landlord can do this with an official notice of increase form, which they can get from legal stationers.

    ", + "

    An increase in rent may be backdated to the date of the notice, but it cannot be backdated by more than 4 weeks or to earlier than the date it\u2019s registered.

    ", + "

    If you think a registered rent increase is too high

    ", + "

    You can appeal against the VOA\u2019s decision to increase a registered rent by writing to the rent officer within 28 days of receiving it. You can appeal later but only if you have a good reason for the delay, for example if you\u2019ve been in hospital.

    ", + "

    The registered rent may be reconsidered by a tribunal - it will make a final decision on the rent limit for the property.

    ", + "

    Cancel a registered rent

    ", + "

    Download and fill in an application form to cancel a registered rent and send it to the address on the form (for example, if the tenancy stops being regulated, or you and your landlord agree to cancel it).

    ", + "

    It may take up to 6 weeks to cancel a registered rent.

    ", + "

    Complaints

    ", + "

    Follow these steps if you have a problem with your landlord:

    ", + "
  • Complain to your landlord - they should have a complaints policy that you can follow.
  • ", + "
  • Make a complaint to a \u2018designated person\u2019 (your MP, a local councillor or a tenant panel) if you cannot resolve the problem with your landlord.
  • ", + "
  • Contact your council or local authority if you and your landlord still cannot resolve the problem.
  • " + ] + }, + { + "title": "Private renting for tenants: tenancy agreements", + "url": "https://www.gov.uk/private-renting-tenancy-agreements", + "contents": [ + "

    Overview

    ", + "

    A tenancy agreement is a contract between you and a landlord.

    ", + "

    It lets you live in a property as long as you pay rent and follow the rules. It also sets out the legal terms and conditions of your tenancy. It can be written down or oral (a spoken agreement).

    ", + "

    A tenancy can either be:

    ", + "
  • fixed-term (running for a set period of time)
  • ", + "
  • periodic (running on a week-by-week or month-by-month basis)
  • ", + "

    Rights and responsibilities

    ", + "

    Both you and your landlord have certain rights and responsibilities, whether or not you have a tenancy agreement.

    ", + "

    Tenancy types

    ", + "

    Assured shorthold tenancies (ASTs)

    ", + "

    The most common form of tenancy is an AST. Most new tenancies are automatically this type.

    ", + "

    A tenancy can be an AST if all of the following apply:

    ", + "
  • the property you rent is private
  • ", + "
  • your tenancy started on or after 15 January 1989
  • ", + "
  • the property is your main accommodation
  • ", + "
  • your landlord does not live in the property
  • ", + "

    A tenancy cannot be an AST if:

    ", + "
  • it began or was agreed before 15 January 1989
  • ", + "
  • the rent is more than \u00a3100,000 a year
  • ", + "
  • the rent is less than \u00a3250 a year (less than \u00a31,000 in London)
  • ", + "
  • it\u2019s a business tenancy or tenancy of licensed premises
  • ", + "
  • the property is a holiday let
  • ", + "
  • your landlord is a local council
  • ", + "

    Other tenancies

    ", + "

    There are other tenancies that are not as common as ASTs, including:

    ", + "

    Excluded tenancies or licences

    ", + "

    You may have an excluded tenancy or licence if you lodge with your landlord and share rooms with them, like a kitchen or bathroom. You\u2019ll usually have less protection from eviction with this type of agreement.

    ", + "

    Assured tenancies

    ", + "

    Tenancies starting between 15 January 1989 and 27 February 1997 may be assured. You\u2019ll have increased protection from eviction with this type of agreement.

    ", + "

    Regulated tenancies

    ", + "

    Tenancies starting before 15 January 1989 may be regulated. You\u2019ll have increased protection from eviction and can apply for a \u2018fair rent\u2019.

    ", + "

    Shelter has information on the different types of private tenancies and a tenancy checker so you can check which tenancy you have.

    ", + "

    What should be in a tenancy agreement

    ", + "

    A tenancy agreement should include:

    ", + "
  • the names of all people involved
  • ", + "
  • the rental price and how it\u2019s paid
  • ", + "
  • information on how and when the rent will be reviewed
  • ", + "
  • the deposit amount and how it will be protected
  • ", + "
  • details of when the deposit can be fully or partly withheld (for example to repair damage you\u2019ve caused)
  • ", + "
  • the property address
  • ", + "
  • the start and end date of the tenancy
  • ", + "
  • any tenant or landlord obligations
  • ", + "
  • an outline of bills you\u2019re responsible for
  • ", + "

    It can also include information on:

    ", + "
  • whether the tenancy can be ended early and how this can be done
  • ", + "
  • who\u2019s responsible for minor repairs (other than those that the landlord is legally responsible for)
  • ", + "
  • whether the property can be let to someone else (sublet) or have lodgers
  • ", + "

    The terms of the tenancy must be fair and comply with the law.

    ", + "

    Your tenancy agreement cannot have anything in it that may indirectly discriminate against you.

    ", + "

    Get legal advice before signing an agreement if you\u2019re unsure of any terms. Once you\u2019re happy with it, sign the agreement and get a copy of it.

    ", + "

    Citizens Advice has a guide on tenancy agreements.

    ", + "

    Changes to tenancy agreements

    ", + "

    Both you and your landlord must agree in order to change the terms of the tenancy agreement.

    ", + "

    Preventing discrimination

    ", + "

    You cannot be discriminated against or harassed by your landlord because of:

    ", + "
  • age
  • ", + "
  • gender
  • ", + "
  • sexual orientation
  • ", + "
  • disability (or because of something connected with your disability)
  • ", + "
  • religion or belief
  • ", + "
  • race
  • ", + "
  • being a transgender person
  • ", + "
  • being pregnant or having a baby
  • ", + "

    How to end your tenancy

    ", + "

    Tenancies

    ", + "

    You can read the guidance on moving house during the coronavirus outbreak.

    ", + "

    Your tenancy agreement should say how much notice you need to give your landlord before you leave the property.

    ", + "

    You\u2019re responsible for paying rent for your entire fixed-term tenancy. You can move out early without paying rent for the full tenancy if:

    ", + "
  • there is a break clause in your tenancy agreement
  • ", + "
  • your landlord agrees to end the tenancy early
  • ", + "

    Shelter has information about ending a tenancy.

    ", + "

    Licence agreements

    ", + "

    If your licence automatically runs out after a specific date and you want to end the agreement, you should let your landlord know this before your licence runs out.

    ", + "

    If your landlord wants to end your tenancy

    ", + "

    If your landlord wants you to leave, they must give you notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.

    ", + "

    Some rules about length of notice have changed because of coronavirus (COVID-19).

    ", + "

    Assured shorthold tenancies (ASTs)

    ", + "

    Your landlord can take back their property without giving any reason if you have either:

    ", + "
  • a periodic tenancy
  • ", + "
  • a fixed-term tenancy that has ended
  • ", + "

    To do this, both of the following must apply:

    ", + "
  • they\u2019ve protected your deposit in a deposit protection scheme
  • ", + "
  • the date you must leave is at least 6 months after your original tenancy began (the one you had on first moving in)
  • ", + "

    How much notice your landlord must give

    ", + "

    They must give you written notice that they want the property back (\u2018notice to quit\u2019). They must give you:

    ", + "
  • 2 months if they gave you notice before 26 March 2020
  • ", + "
  • 3 months if they gave you notice between 26 March 2020 and 28 August 2020
  • ", + "
  • 6 months if they gave you notice on or after 29 August 2020
  • ", + "

    This change is because of coronavirus.

    ", + "

    The notice must tell you the date you have to leave.

    ", + "

    If your tenancy started or was renewed after 1 October 2015

    ", + "

    Your landlord cannot evict you if they\u2019ve been served notice by the council because of a complaint you made to the council about the living conditions in the property.

    ", + "

    Your landlord must also have given you:

    ", + "
  • a copy of the leaflet \u2018How to rent: the checklist for renting in England\u2019
  • ", + "
  • an energy performance certificate
  • ", + "
  • a gas safety certificate
  • ", + "

    In England, they must use \u2018form 6a\u2019 to give you notice. This is also known as \u2018Notice seeking possession of a property let on an Assured Shorthold Tenancy\u2019. In Wales, they do not need to use form 6a but must give you notice in writing.

    ", + "

    If you\u2019re asked to leave during the fixed term

    ", + "

    Your landlord can only ask you to leave during the fixed term if they have certain reasons (\u2018grounds\u2019). For example, if:

    ", + "
  • you\u2019re behind with your rent payments (\u2018in arrears\u2019)
  • ", + "
  • you\u2019ve used the property for illegal purposes, like selling drugs
  • ", + "
  • you\u2019ve damaged the property
  • ", + "

    Usually, the notice period they must give varies up to 2 months.

    ", + "

    If you were given notice between 26 March 2020 and 28 August 2020, your landlord must give you 3 months to leave the property.

    ", + "

    If you\u2019ve been given notice since 29 August 2020, your landlord must give you 6 months to leave. You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.

    ", + "

    In Wales, the notice period must be:

    ", + "
  • at least 6 months for any notice given on or after 24 July 2020
  • ", + "
  • at least 3 months for notices relating to antisocial behaviour
  • ", + "

    This is because of coronavirus.

    ", + "

    Assured tenancies

    ", + "

    Your landlord will need to use one of the reasons or \u2018grounds\u2019 for possession in the Housing Act 1988.

    ", + "

    Excluded tenancies or licences

    ", + "

    You\u2019ll often have an excluded tenancy or licence if you live with your landlord as a lodger and share rooms with them.

    ", + "

    Your landlord only needs to give \u2018reasonable notice\u2019 to quit. Usually this means the length of the rental payment period \u2013 so if you pay rent monthly, you\u2019ll get one month\u2019s notice.

    ", + "

    The notice does not have to be in writing.

    ", + "

    Non-excluded tenancy or licence

    ", + "

    Your landlord can end the let at any time by serving a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but is often at least 4 weeks.

    ", + "

    Break clauses

    ", + "

    If there\u2019s a break clause in the tenancy agreement, your landlord can give you notice after this. However, your landlord does not have a guaranteed right to possession during the first 6 months of the tenancy.

    ", + "

    If you do not leave the property

    ", + "

    Your landlord cannot remove you by force. If the notice period expires and you do not leave the property, your landlord may start the process of eviction through the courts.

    " + ] + }, + { + "title": "Registering land or property with HM Land Registry", + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "contents": [ + "

    When you must register

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You must register all land or property with HM Land Registry if you\u2019ve:

    ", + "
  • bought it
  • ", + "
  • been given it
  • ", + "
  • inherited it
  • ", + "
  • received it in exchange for other property or land
  • ", + "
  • mortgaged the property
  • ", + "

    You do not usually need to register leasehold land or property if there are 7 years or less on the lease when you take ownership.

    ", + "

    You must register your land with the Rural Land Register as well as HM Land Registry if you own agricultural land.

    ", + "

    Your property might not be registered if you owned it before 1990 and have not mortgaged it since. Check if your property\u2019s registered.

    ", + "

    You must tell HM Land Registry if you transfer ownership of your registered property to someone else.

    ", + "

    Once you\u2019re registered

    ", + "

    HM Land Registry publishes information online about most registered property, including:

    ", + "
  • the names of owners
  • ", + "
  • the price paid for the property
  • ", + "
  • a plan of the property\u2019s boundaries
  • ", + "

    You cannot opt out of your property information being published.

    ", + "

    If you live in Scotland or Northern Ireland

    ", + "

    HM Land Registry only deals with land and property in England and Wales.

    ", + "

    Scotland

    ", + "

    Register your land or property with Registers of Scotland.

    ", + "

    Northern Ireland

    ", + "

    Register your land or property with Land and Property Services.

    ", + "

    Register for the first time

    ", + "

    Land or property must be registered for the first time if it\u2019s unregistered when you take ownership of it or mortgage it.

    ", + "

    Even if you do not have to register, registering voluntarily:

    ", + "
  • gives you proof of ownership
  • ", + "
  • helps protect your land from fraud
  • ", + "
  • makes it easier to change, sell or give your property away in the future
  • ", + "

    You can register property yourself or get a solicitor or conveyancer to do it for you.

    ", + "

    Register land or property for the first time

    ", + "
  • Search the register to make sure your property is not already registered.
  • ", + "
  • Apply for a search from the Land Charges Department to search against all previous owners since 1925. They will send you the results.
  • ", + "
  • Fill in an application for first registration.
  • ", + "
  • Prepare a scale plan showing where the land is outlined, if it\u2019s not shown in the deeds.
  • ", + "
  • Find the forms you need depending on your circumstances and fill out 2 copies of the list of documents form.
  • ", + "
  • Find out the correct registration fee - this depends on the value of your property.
  • ", + "
  • Send your documents, forms and fee to HM Land Registry.
  • ", + "

    If you bought the property

    ", + "

    Include the same forms as for registering for the first time and a \u2018transfer of whole of registered title\u2019 form.

    ", + "

    If you inherited the property

    ", + "

    Include the same forms as for registering for the first time and include either:

    ", + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • ", + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • ", + "

    Contact HM Land Registry if you\u2019re unsure which form you need.

    ", + "

    Other documents you may need

    ", + "

    You may also need to send:

    ", + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • ", + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • ", + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • ", + "
  • a certified copy of the lease, if you\u2019re applying to register leasehold land or property
  • ", + "

    Transfer ownership of your property

    ", + "

    You must tell HM Land Registry when you change the registered owner of your property, for example if you\u2019re transferring it into another person\u2019s name, or if you want to add your partner as a joint owner.

    ", + "
  • Download and fill in an application to change the register.
  • ", + "
  • Fill in either a \u2018transfer of whole of registered title\u2019 form, if you\u2019re transferring your whole property, or a \u2018transfer of part of registered title\u2019 form if you\u2019re only transferring part of your property.
  • ", + "
  • Fill in a certificate of identity for a private individual.
  • ", + "
  • Find out the correct fee. Use the \u2018Scale 2 fees\u2019 if you\u2019re transferring ownership of a property without selling it, for example as inheritance. Use the Land Registry fee calculator if you\u2019re transferring part or all of a property as a sale.
  • ", + "
  • Send your documents, forms and fee to HM Land Registry.
  • ", + "

    Update or correct the register

    ", + "

    You must tell HM Land Registry if anything in the register changes or it is incorrect.

    ", + "

    Update or correct contact addresses

    ", + "

    You can register up to 3 addresses (including email and non-UK addresses) with HM Land Registry for each property.

    ", + "

    To change your contact details or those of other owners or agents send a request to update registered owners\u2019 contact address. You do not have to pay anything to do this.

    ", + "

    Change your name

    ", + "

    You must send HM Land Registry an application to change the register when you change your name. You do not have to pay anything to do this.

    ", + "

    How to apply depends on which documents you can send that prove your name has changed. You\u2019ll get back any official certificates you send in after the register has been updated.

    ", + "

    Use application form AP1 if you have any of the following documents:

    ", + "
  • an official or certified copy of a certificate showing the name change, such as a marriage or civil partnership certificate
  • ", + "
  • a copy of a deed poll
  • ", + "
  • a statement of truth
  • ", + "
  • a statutory declaration sworn before someone able to take oaths
  • ", + "

    You must also send additional proof if you\u2019re not sending a certificate or using a conveyancer (for example a solicitor). When you send from AP1, include both:

    ", + "
  • a filled-in confirmation of identity form in your new name
  • ", + "
  • a copy of an official document in your former name, such as a passport, driving licence or utility bill
  • ", + "

    If you\u2019ve changed your gender

    ", + "

    Use application form CNG if you have any of the following documents:

    ", + "
  • a gender recognition certificate
  • ", + "
  • a new birth certificate
  • ", + "
  • a letter from a UK-based medical practitioner (such as a doctor) confirming you\u2019ve changed gender
  • ", + "

    Send the completed form and one of the documents to the address on the form. You must send original documents, not copies.

    ", + "

    If you\u2019re sending a gender recognition certificate, write \u2018Private and confidential\u2019 on the envelope.

    ", + "

    Returning to your original surname

    ", + "

    To return to your original surname after a divorce or dissolution of a civil partnership send HM Land Registry:

    ", + "
  • application form AP1
  • ", + "
  • a copy of your marriage or civil partnership certificate
  • ", + "

    HM Land Registry will let you know if they need more information.

    ", + "

    Stop your previous name being seen on old documents

    ", + "

    Your previous name will still appear on any documents that were filed with HM Land Registry before you changed your name. Previous names cannot be changed but you might be able to stop them from being copied or inspected by making an exempt document application.

    ", + "

    It costs:

    ", + "
  • \u00a312 per document for electronic applications - only businesses and organisations can apply electronically, for example conveyancers
  • ", + "
  • \u00a325 per document for paper applications
  • ", + "

    You will need to fill in form EX1 and form EX1A.

    ", + "

    Mortgage completion

    ", + "

    You must tell HM Land Registry if a mortgage on a registered property is paid off (\u2018discharged\u2019).

    ", + "

    Usually your mortgage lender will do this for you automatically but they may send you a completed \u2018cancellation of charges\u2019 form.

    ", + "

    Once you have this, fill in an application to \u2018cancel entries relating to a charge\u2019 and a confirmation of identity form.

    ", + "

    Send all forms to the Citizen Centre.

    ", + "

    HM Land Registry will update your details and tell you that the register has been updated.

    ", + "

    Other changes

    ", + "

    Transfer ownership of your property if you\u2019ve:

    ", + "
  • sold it
  • ", + "
  • divorced or separated and want to remove an owner
  • ", + "
  • married and want to add an owner
  • ", + "
  • given the property away
  • ", + "

    Send your requests

    ", + "

    Send completed forms to the HM Land Registry Citizen Centre.

    " + ] + }, + { + "title": "Stamp Duty Land Tax", + "url": "https://www.gov.uk/stamp-duty-land-tax", + "contents": [ + "

    Overview

    ", + "

    You must pay Stamp Duty Land Tax (SDLT) if you buy a property or land over a certain price in England and Northern Ireland.

    ", + "

    The tax is different if the property or land is in:

    ", + "
  • Scotland - pay Land and Buildings Transaction Tax
  • ", + "
  • Wales - pay Land Transaction Tax if the sale was completed on or after 1 April 2018
  • ", + "

    You pay the tax when you:

    ", + "
  • buy a freehold property
  • ", + "
  • buy a new or existing leasehold
  • ", + "
  • buy a property through a shared ownership scheme
  • ", + "
  • are transferred land or property in exchange for payment, for example you take on a mortgage or buy a share in a house
  • ", + "

    Thresholds

    ", + "

    The threshold is where SDLT starts to apply. If you buy a property for less than the threshold, there\u2019s no SDLT to pay.

    ", + "

    The current SDLT threshold for residential properties is \u00a3500,000. This changes on 1 July 2021.

    ", + "

    The threshold for non-residential land and properties is \u00a3150,000.

    ", + "

    Property purchases from 1 July 2021 to 30 September 2021

    ", + "

    The SDLT thresholds will be:

    ", + "
  • \u00a3250,000 for residential properties
  • ", + "
  • \u00a3150,000 for non-residential land and properties
  • ", + "

    The threshold for residential properties will change on 1 October 2021.

    ", + "

    Property purchases from 1 October 2021

    ", + "

    The SDLT thresholds will be:

    ", + "
  • \u00a3125,000 for residential properties
  • ", + "
  • \u00a3150,000 for non-residential land and properties
  • ", + "

    These thresholds are the same as they were before 8 July 2020.

    ", + "

    First-time buyers

    ", + "

    From 1 July 2021, you\u2019ll get a discount (relief) that means you\u2019ll pay less or no tax if both the following apply:

    ", + "
  • you, and anyone else you\u2019re buying with, are first-time buyers
  • ", + "
  • the purchase price is \u00a3500,000 or less
  • ", + "

    You\u2019ll also be eligible for this discount if you bought your first home before 8 July 2020.

    ", + "

    How much you pay

    ", + "

    How much you pay depends on whether the land or property is residential or non-residential or mixed-use.

    ", + "

    If you\u2019re buying a residential property there are different rates of SDLT if:

    ", + "
  • you\u2019re a first-time buyer
  • ", + "
  • you already own a property and you\u2019re buying an additional property
  • ", + "
  • you\u2019re not a UK resident
  • ", + "

    You can use HM Revenue and Customs\u2019 (HMRC) Stamp Duty Land Tax calculator to work out how much tax you\u2019ll pay.

    ", + "

    You may be able to reduce the amount of tax you pay by claiming relief, such as if you\u2019re a first-time buyer or purchasing more than one property (\u2018multiple dwellings\u2019).

    ", + "

    The value you pay SDLT on (the \u2018consideration\u2019)

    ", + "

    The total value you pay SDLT on (sometimes called the \u2018consideration\u2019) is usually the price you pay for the property or land.

    ", + "

    Sometimes it might include another type of payment like:

    ", + "
  • goods
  • ", + "
  • works or services
  • ", + "
  • release from a debt
  • ", + "
  • transfer of a debt, including the value of any outstanding mortgage
  • ", + "

    Find out how to work out the consideration if your situation is complicated.

    ", + "

    How and when to pay

    ", + "

    You must send an SDLT return to HMRC and pay the tax within 14 days of completion.

    ", + "

    If you have a solicitor, agent or conveyancer, they\u2019ll usually file your return and pay the tax on your behalf on the day of completion and add the amount to their fees. They\u2019ll also claim any relief you\u2019re eligible for, such as if you\u2019re a first-time buyer.

    ", + "

    If they do not do this for you, you can file a return and pay the tax yourself.

    ", + "

    There are certain situations where you do not need to send a return.

    ", + "

    You may be charged penalties and interest if you do not file your return and make your payment within 14 days of completion.

    ", + "

    Residential property rates

    ", + "

    You usually pay Stamp Duty Land Tax (SDLT) on increasing portions of the property price when you buy residential property, for example a house or flat. SDLT only applies to properties over a certain value.

    ", + "

    The amount you pay depends on:

    ", + "
  • when you bought the property
  • ", + "
  • how much you paid for it
  • ", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    You must send an SDLT return if you pay more than \u00a340,000 for a property - even if there\u2019s no SDLT due. There are some exemptions.

    ", + "

    Rates from 8 July 2020 to 30 June 2021

    ", + "

    You can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).

    ", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3500,000 | Zero", + "The next \u00a3425,000 (the portion from \u00a3500,001 to \u00a3925,000) | 5%", + "The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10%", + "The remaining amount (the portion above \u00a31.5 million) | 12%", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    Rates from 1 July 2021 to 30 September 2021

    ", + "

    You can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).

    ", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3250,000 | Zero", + "The next \u00a3675,000 (the portion from \u00a3250,001 to \u00a3925,000) | 5%", + "The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10%", + "The remaining amount (the portion above \u00a31.5 million) | 12%", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    Rates from 1 October 2021

    ", + "

    These rates also apply if you bought a property before 8 July 2020.

    ", + "

    You can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).

    ", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3125,000 | Zero", + "The next \u00a3125,000 (the portion from \u00a3125,001 to \u00a3250,000) | 2%", + "The next \u00a3675,000 (the portion from \u00a3250,001 to \u00a3925,000) | 5%", + "The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10%", + "The remaining amount (the portion above \u00a31.5 million) | 12%", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    If you\u2019re buying your first home

    ", + "

    You can claim a discount (relief) if you buy your first home before 8 July 2020 or from 1 July 2021. This means you\u2019ll pay:

    ", + "
  • no SDLT up to \u00a3300,000
  • ", + "
  • 5% SDLT on the portion from \u00a3300,001 to \u00a3500,000
  • ", + "

    You\u2019re eligible if you and anyone else you\u2019re buying with are first-time buyers.

    ", + "

    If the price is over \u00a3500,000, you follow the rules for people who\u2019ve bought a home before.

    ", + "

    New leasehold sales and transfers

    ", + "

    When you buy a new residential leasehold property you pay SDLT on the purchase price of the lease (the \u2018lease premium\u2019) using the rates above.

    ", + "

    If the total rent over the life of the lease (known as the \u2018net present value\u2019) is more than the SDLT threshold), you\u2019ll pay SDLT at 1% on the portion of net present value over:

    ", + "
  • \u00a3500,000 for purchases from 8 July 2020 to 30 June 2021
  • ", + "
  • \u00a3250,000 for purchases from 1 July 2021 to 30 September 2021
  • ", + "
  • \u00a3125,000 for purchases from 1 October 2021
  • ", + "

    This does not apply to existing (\u2018assigned\u2019) leases.

    ", + "

    You can work out how much SDLT you\u2019ll pay for your new residential lease using HMRC\u2019s:

    ", + "
  • SDLT calculator
  • ", + "
  • guidance on leasehold purchases
  • ", + "

    Higher rates for additional properties

    ", + "

    You\u2019ll usually have to pay 3% on top of SDLT rates if buying a new residential property means you\u2019ll own more than one.

    ", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    You may not have to pay the higher rates if you exchanged contracts before 26 November 2015.

    ", + "

    If you\u2019re replacing your main residence

    ", + "

    You will not pay the extra 3% SDLT if the property you\u2019re buying is replacing your main residence and that has already been sold.

    ", + "

    If you have not sold your main residence on the day you complete your new purchase you\u2019ll have to pay higher rates. This is because you own 2 properties.

    ", + "

    You can apply for a refund if you sell your previous main home within 36 months.

    ", + "

    There are special rules if you own property with someone else or already own a property outside England, Wales and Northern Ireland.

    ", + "

    If it takes longer than 36 months to sell your previous main home

    ", + "

    You may still be able to get a refund of the extra 3% SDLT if:

    ", + "
  • you purchased your new home on or after 1 January 2017
  • ", + "
  • the delay was outside your control, for example because of coronavirus (COVID-19) or a public authority blocking the sale
  • ", + "
  • you have now sold your old home
  • ", + "

    To claim a refund, write to HMRC and explain why the sale took longer than 36 months.

    ", + "

    Include:

    ", + "
  • your details
  • ", + "
  • details of the main buyer - if different to your own
  • ", + "
  • details of the property where higher rate SDLT was paid - including the address, date of purchase and SDLT unique transaction reference number
  • ", + "
  • details of the previous main residence - including the address, date of sale and SDLT unique transaction reference number
  • ", + "
  • the amount of higher rate SDLT paid
  • ", + "
  • the amount of tax you\u2019re asking for a repayment of
  • ", + "
  • a bank account and sort code for the person receiving the payment
  • ", + "

    Rates if you\u2019re not a UK resident

    ", + "

    If you\u2019re not present in the UK for at least 183 days (6 months) during the 12 months before your purchase you are \u2018not a UK resident\u2019 for the purposes of SDLT.

    ", + "

    You\u2019ll usually pay a 2% surcharge if you\u2019re buying a residential property in England or Northern Ireland on or after 1 April 2021.

    ", + "

    You may not have to pay a surcharge on certain properties, transactions or if you\u2019re a particular type of buyer. Check the rules on who has to pay the surcharge, when you do not have to pay, and if you can claim relief.

    ", + "

    If you have to pay the surcharge, you\u2019ll also have to pay any other rates of SDLT that apply, for example:

    ", + "
  • if you already own a property and you\u2019re buying an additional property
  • ", + "
  • if you\u2019re a first-time buyer
  • ", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    Special rates

    ", + "

    There are different SDLT rules and rate calculations for:

    ", + "
  • corporate bodies
  • ", + "
  • people buying 6 or more residential properties in one transaction
  • ", + "
  • shared ownership properties
  • ", + "
  • multiple purchases or transfers between the same buyer and seller (\u2018linked purchases\u2019)
  • ", + "
  • purchases that mean you own more than one property
  • ", + "
  • companies and trusts buying residential property
  • ", + "

    Rates for non-residential and mixed land and property

    ", + "

    You pay SDLT on increasing portions of the property price (or \u2018consideration\u2019) when you pay \u00a3150,000 or more for non-residential or mixed (also known as \u2018mixed use\u2019) land or property.

    ", + "

    You must still send an SDLT return for most transactions under \u00a3150,000.

    ", + "

    Non-residential property includes:

    ", + "
  • commercial property, for example shops or offices
  • ", + "
  • property that isn\u2019t suitable to be lived in
  • ", + "
  • forests
  • ", + "
  • agricultural land that\u2019s part of a working farm or used for agricultural reasons
  • ", + "
  • any other land or property that is not part of a dwelling\u2019s garden or grounds
  • ", + "
  • 6 or more residential properties bought in a single transaction
  • ", + "

    You pay residential SDLT rates on agricultural land if it\u2019s sold as part of the garden or grounds of a dwelling, for example a cottage with fields.

    ", + "

    A \u2018mixed\u2019 property is one that has both residential and non-residential elements, for example a flat connected to a shop, doctor\u2019s surgery or office.

    ", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    Freehold sales and transfers

    ", + "

    You can also use this table to work out the SDLT rate for a lease premium.

    ", + "", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3150,000 | Zero", + "The next \u00a3100,000 (the portion from \u00a3150,001 to \u00a3250,000) | 2%", + "The remaining amount (the portion above \u00a3250,000) | 5%", + "

    New leasehold sales and transfers

    ", + "

    When you buy a new non-residential or mixed leasehold you pay SDLT on both the:

    ", + "
  • purchase price of the lease (the \u2018lease premium\u2019) using the rates above
  • ", + "
  • value of the annual rent you pay (the \u2018net present value\u2019)
  • ", + "

    These are calculated separately then added together.

    ", + "

    If you buy an existing (\u2018assigned\u2019) lease, you only pay SDLT on the lease price (or \u2018consideration\u2019).

    ", + "

    The net present value (NPV) is based on the total rent over the life of the lease. You do not pay SDLT on the rent if the NPV is less than \u00a3150,000.

    ", + "Net present value of rent | SDLT rate", + "\u00a30 to \u00a3150,000 | Zero", + "The portion from \u00a3150,001 to \u00a35,000,000 | 1%", + "The portion above \u00a35,000,000 | 2%", + "

    How much you\u2019ll pay

    ", + "

    You can work out how much SDLT you\u2019ll pay for your non-residential lease using HM Revenue and Customs\u2019 (HMRC):

    ", + "
  • SDLT calculator
  • ", + "
  • guidance on buying leasehold properties
  • ", + "

    You may pay a higher rate of SDLT for multiple purchases or transfers from the same seller.

    ", + "

    Using previous SDLT rates

    ", + "

    You may qualify for previous SDLT rates if you exchanged contracts before 17 March 2016 but completed on or after that date.

    ", + "

    If you qualify for the previous rates, you can choose to pay SDLT using the current or previous rates.

    ", + "

    Use HMRC\u2019s SDLT calculator to work out if you qualify and how much you\u2019ll pay using both rates.

    ", + "

    Enter the figure for the rate you choose in your SDLT return.

    ", + "

    Land and property transfers

    ", + "

    You may have to pay Stamp Duty Land Tax (SDLT) if the ownership of land or property is transferred to you in exchange for any payment or \u2018consideration\u2019.

    ", + "

    The rules around SDLT depend on the specific circumstances surrounding the transfer.

    ", + "

    HM Revenue and Customs (HMRC) has guidance on transfers:

    ", + "
  • as a result of marriage, civil partnerships or moving in together
  • ", + "
  • on divorce, separation or the end of a civil partnership
  • ", + "
  • of jointly owned property or land
  • ", + "
  • if the larger share is given as a gift
  • ", + "
  • given as a gift or left in a will
  • ", + "
  • to or from a company
  • ", + "

    Shared ownership property

    ", + "

    You may have to pay Stamp Duty Land Tax (SDLT) when you buy a property through a shared ownership scheme run by an approved public body.

    ", + "

    This includes:

    ", + "
  • local housing authorities
  • ", + "
  • housing associations
  • ", + "
  • housing action trusts
  • ", + "
  • the Northern Ireland Housing Executive
  • ", + "
  • the Commission for the New Towns
  • ", + "
  • development corporations
  • ", + "

    You can choose to either:

    ", + "
  • make a one-off payment based on the market value of the property (\u2018market value election\u2019)
  • ", + "
  • pay SDLT in stages
  • ", + "

    Market value election

    ", + "

    Submit a return and pay SDLT at the residential rate. Use the total market value of the property to calculate how much to pay - even if you\u2019re only buying a share.

    ", + "

    You do not pay any more SDLT after this, even if you buy a bigger share in the property later on.

    ", + "

    HM Revenue and Customs (HMRC) has guidance on SDLT if you do not have the right to the freehold.

    ", + "

    Paying in stages

    ", + "

    You make your first SDLT payment on the price you pay for the lease (the \u2018lease premium\u2019) if it\u2019s above the SDLT threshold. If the lease premium is below the threshold, you do not pay SDLT at this point - but you still have to submit a return.

    ", + "

    You may have to pay extra SDLT if the total rent over the life of the lease (known as the \u2018net present value\u2019) is more than the SDLT threshold.

    ", + "

    Work this out on HMRC\u2019s SDLT calculator. You pay SDLT of 1% on the amount over the threshold - add this to any SDLT you\u2019re paying on the lease premium.

    ", + "

    SDLT if you buy more shares

    ", + "

    If you buy any more shares in the property, you do not have to pay any more SDLT or send a return to HMRC until you own more than an 80% share.

    ", + "

    Once your share of the property goes over 80% you must send a return and pay SDLT on:

    ", + "
  • the transaction that took you over 80%
  • ", + "
  • any transactions after that
  • ", + "

    Calculating your SDLT

    ", + "

    To work out the SDLT if you buy more shares that take you over 80%:

    ", + "
  • Work out the SDLT due on the total you\u2019ve paid for the property to date - include any amounts you did not pay tax on. Use the SDLT rate that applies at the time you bought the new share. For example, if your total purchases before 8 July 2020 were \u00a3160,000, the SDLT due would be \u00a3700.
  • ", + "
  • Divide the amount you\u2019re paying for this share by the total amount you\u2019ve paid for the property to date. For example, if you\u2019re paying \u00a340,000 for this share, divide \u00a340,000 by \u00a3160,000 = 0.25.
  • ", + "
  • Multiply the two figures, for example SDLT of \u00a3700 multiplied by 0.25 = \u00a3175. This is the amount you would need to pay in SDLT for this share.
  • ", + "

    If you\u2019ve paid less than \u00a3500,000 for your property between 8 July 2020 and 30 June 2021, or less than \u00a3250,000 between 1 July 2021 and 30 September 2021, the amount of SDLT you\u2019d need to pay on any additional shares would be zero. This is because of the temporary SDLT rate.

    ", + "

    Additional tax if payments are linked

    ", + "

    You may have to pay extra SDLT on previous shares if they become \u2018linked\u2019 to later shares. Shares only become linked once you own over 80% of the property.

    ", + "

    You can read more about paying SDLT when you buy more shares.

    ", + "

    Reliefs and exemptions

    ", + "

    You may be eligible for Stamp Duty Land Tax (SDLT) reliefs if you\u2019re buying your first home and in certain other situations. These reliefs can reduce the amount of tax you pay.

    ", + "

    You must complete an SDLT return to claim relief, even if no tax is due.

    ", + "

    HM Revenue and Customs (HMRC) has guidance on SDLT reliefs for:

    ", + "
  • first-time buyers
  • ", + "
  • multiple dwellings
  • ", + "
  • building companies buying an individual\u2019s home
  • ", + "
  • employers buying an employee\u2019s house
  • ", + "
  • local authorities making compulsory purchases
  • ", + "
  • property developers providing amenities to communities
  • ", + "
  • companies transferring property to another company
  • ", + "
  • charities
  • ", + "
  • right to buy properties
  • ", + "
  • registered social landlords
  • ", + "
  • Crown employees
  • ", + "

    Exemptions

    ", + "

    You do not have to pay SDLT or file a return if:

    ", + "
  • no money or other payment changes hands for a land or property transfer
  • ", + "
  • property is left to you in a will
  • ", + "
  • property is transferred because of divorce or dissolution of a civil partnership
  • ", + "
  • you buy a freehold property for less than \u00a340,000
  • ", + "
  • you buy a new or assigned lease of 7 years or more, as long as the premium is less than \u00a340,000 and the annual rent is less than \u00a31,000
  • ", + "
  • you buy a new or assigned lease of less than 7 years, as long as the amount you pay is less than the residential or non-residential SDLT threshold
  • ", + "
  • you use alternative property financial arrangements, for example to comply with Sharia law
  • ", + "

    Read HMRC\u2019s guidance on transactions that do not need a return.

    " + ] + }, + { + "title": "Staying in your partner's property during a divorce or separation", + "url": "https://www.gov.uk/stay-in-home-during-separation-or-divorce", + "contents": [ + "

    Overview

    ", + "

    You can register your \u2018home rights\u2019 with HM Land Registry - this can help stop your partner from selling your home.

    ", + "

    Your rights are different if you own the property jointly with your spouse or civil partner.

    ", + "

    You cannot apply for home rights if your spouse or civil partner owns the property with someone else - unless your spouse or civil partner would get all the money if the property was sold (also known as being the \u2018sole beneficial owner\u2019).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you\u2019re not married or in a civil partnership, Citizens Advice have guidance on what happens when you separate.

    ", + "

    Before you apply for home rights

    ", + "

    You\u2019ll need to know if the property is registered in your partner\u2019s name, and its title number if it is.

    ", + "

    You can search the register to find this information.

    ", + "

    How to apply

    ", + "

    You must complete a different application process for home rights depending on whether:

    ", + "
  • the property is registered
  • ", + "
  • the property is unregistered
  • ", + "

    How long you can stay in the property

    ", + "

    You can usually only live in the property until the divorce, annulment or dissolution has been finalised and a court settlement agreed.

    ", + "

    You may be able to continue living in the property for longer, for example during an ongoing dispute about who owns what, if a court has made a \u2018continuation order\u2019 allowing you to do this.

    ", + "

    What else you can do

    ", + "

    You may be able to take legal action against your partner if they try to:

    ", + "
  • make you move out
  • ", + "
  • stop you moving back into a home you\u2019re not currently living in, for example if you moved out temporarily
  • ", + "

    A solicitor can advise you about this.

    ", + "

    Apply if the property is registered

    ", + "

    Download and fill in the application for registration of a notice for home rights.

    ", + "

    Send it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.

    ", + "

    You\u2019ll get a letter from HM Land Registry telling you when they\u2019ve registered your rights. Your spouse or civil partner will also get a letter telling them you\u2019ve done this.

    ", + "

    If you want to move to a different property

    ", + "

    You can only protect your right to live in one property at a time.

    ", + "

    You can ask HM Land Registry to transfer your home rights to another property owned by your spouse or civil partner if you\u2019ve already got home rights for one property.

    ", + "

    Download and fill in the application for registration of a notice for home rights.

    ", + "

    Send it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.

    ", + "

    Follow the application process for unregistered properties if the property you\u2019re moving into is not registered - you can search the register to find out if it\u2019s registered.

    ", + "

    Staying in the property after divorce or separation

    ", + "

    You may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.

    ", + "

    How you apply depends on whether you\u2019ve already registered your home rights.

    ", + "

    Download and fill in either an:

    ", + "
  • application for renewal of registration in respect of home rights - if you\u2019ve registered your home rights
  • ", + "
  • application for registration of a notice for home rights - if you have not registered your home rights
  • ", + "

    Send the form, along with an official copy of the court\u2019s continuation order, to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.

    ", + "

    You\u2019ll get a letter from HM Land Registry telling you when they\u2019ve registered your continued rights. Your ex-spouse or civil partner will also get a letter telling them you\u2019ve done this.

    ", + "

    Apply if the property is unregistered

    ", + "

    Download and fill in the application for registration of a \u2018Class F Land Charge\u2019.

    ", + "

    There\u2019s a \u00a31 fee - payment instructions are on the form.

    ", + "

    Send the form and payment to the address on the form.

    ", + "

    If you want to move to a different property

    ", + "

    You can only protect your right to live in one property at a time.

    ", + "

    You can ask HM Land Registry to transfer your home rights to another property owned by your spouse or civil partner if you\u2019ve already registered your right to live in one property.

    ", + "

    Download and fill in the application for registration of a \u2018Class F Land Charge\u2019.

    ", + "

    There\u2019s a \u00a31 fee - payment instructions are on the form.

    ", + "

    Send the form and payment to the address on the form.

    ", + "

    Follow the application process for registered properties if the property you\u2019re moving into is registered - you can search the register to find out if it\u2019s registered.

    ", + "

    Staying in the property after divorce or separation

    ", + "

    You may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.

    ", + "

    How you apply depends on whether you\u2019ve already registered your home rights.

    ", + "

    Download and fill in either an:

    ", + "
  • application for the renewal of a registration of a \u2018Class F Land Charge\u2019 - if you have home rights
  • ", + "
  • application for registration of a \u2018Class F Land Charge\u2019 - if you do not have home rights
  • ", + "

    There\u2019s a \u00a31 fee - payment instructions are on the form.

    ", + "

    Send the form and payment to the address on the form.

    ", + "

    You\u2019ll get a letter from HM Land Registry when they\u2019ve registered your continued rights.

    ", + "

    Your ex-spouse or civil partner will also get a letter telling them you\u2019ve made the application.

    " + ] + }, + { + "title": "Tax when you sell property", + "url": "https://www.gov.uk/tax-sell-property", + "contents": [ + "

    What you pay it on

    ", + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:

    ", + "
  • buy-to-let properties
  • ", + "
  • business premises
  • ", + "
  • land
  • ", + "
  • inherited property
  • ", + "

    There are different rules if you:

    ", + "
  • sell your home
  • ", + "
  • live abroad
  • ", + "
  • are a company registered abroad
  • ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    When you do not pay

    ", + "

    You do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.

    ", + "

    You may get tax relief if the property is a business asset.

    ", + "

    If the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.

    ", + "

    If you need to pay

    ", + "

    You must report and pay any Capital Gains Tax on most sales of UK property within 30 days.

    ", + "

    Work out your gain

    ", + "

    Your gain is usually the difference between what you paid for your property and the amount you got when you sold (or \u2018disposed of\u2019) it.

    ", + "

    If your combined capital gains are over your allowance for the year you\u2019ll have to report and pay Capital Gains Tax.

    ", + "

    Market value

    ", + "

    In some situations you should use the market value of the property when working out your gain. Do this if:

    ", + "
  • it was a gift (there are different rules if it was to your spouse, civil partner or a charity)
  • ", + "
  • you sold it for less than it was worth to help the buyer
  • ", + "
  • you inherited it (and do not know the Inheritance Tax value)
  • ", + "
  • you owned it before April 1982
  • ", + "

    Selling in special circumstances

    ", + "

    There are special rules for calculating your gain if:

    ", + "
  • you live abroad
  • ", + "
  • you sell a lease or part of your land
  • ", + "
  • your property is compulsorily purchased
  • ", + "

    Jointly owned property

    ", + "

    If you own property jointly with other people, work out the gain for the share that you own.

    ", + "

    Deduct costs

    ", + "

    You can deduct costs of buying, selling or improving your property from your gain. These include:

    ", + "
  • estate agents\u2019 and solicitors\u2019 fees
  • ", + "
  • costs of improvement works, for example for an extension (normal maintenance costs, such as decorating, do not count)
  • ", + "

    Reliefs

    ", + "

    You may get tax relief if the property was:

    ", + "
  • your home
  • ", + "
  • a business asset
  • ", + "
  • occupied by a dependent relative - find out more in the guidance on Private Residence Relief
  • ", + "

    Work out if you need to pay

    ", + "

    Once you know what your gain on the property is, you can calculate if you need to report and pay Capital Gains Tax.

    ", + "

    You cannot use the calculator if you:

    ", + "
  • sold land
  • ", + "
  • sold business premises
  • ", + "
  • sold other chargeable assets in the tax year, for example shares
  • ", + "
  • reduced your share of a property that you still jointly own
  • ", + "
  • claim any reliefs other than Private Residence Relief or Letting Relief
  • ", + "
  • are a company, agent, trustee or personal representative
  • ", + "

    Calculate Capital Gains Tax on property

    ", + "

    If you have Capital Gains Tax to pay

    ", + "

    You must report and pay any Capital Gains Tax on most sales of UK property within 30 days.

    ", + "

    Reporting a loss

    ", + "

    The rules are different if you need to report a loss.

    ", + "

    Businesses

    ", + "

    You may get tax relief if you sell property that you use for business. This may reduce or delay the amount of Capital Gains Tax you pay.

    ", + "

    If the purpose of your business is to buy and sell property (you\u2019re a property developer, for example) you do not pay Capital Gains Tax when you sell a property. Instead, you pay:

    ", + "
  • Income Tax - if you\u2019re a sole trader or partner
  • ", + "
  • Corporation Tax - if you\u2019re a limited company
  • ", + "

    There are special rules for limited companies that dispose of a single residential property worth more than \u00a32 million.

    ", + "

    Selling overseas property

    ", + "

    You pay Capital Gains Tax when you \u2018dispose of\u2019 overseas property if you\u2019re resident in the UK.

    ", + "

    There are special rules if you\u2019re resident in the UK but your permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    You may also have to pay tax in the country you made the gain. If you\u2019re taxed twice, you may be able to claim relief.

    ", + "

    If you\u2019re non-resident

    ", + "

    Non-residents may have to pay UK tax on overseas property if they return to the UK within 5 years of leaving.

    " + ] + }, + { + "title": "Tenancy deposit protection", + "url": "https://www.gov.uk/tenancy-deposit-protection", + "contents": [ + "

    Overview

    ", + "

    Your landlord must put your deposit in a government-approved tenancy deposit scheme (TDP) if you rent your home on an assured shorthold tenancy that started after 6 April 2007. In England and Wales your deposit can be registered with:

    ", + "
  • Deposit Protection Service
  • ", + "
  • MyDeposits - including deposits that were held by Capita
  • ", + "
  • Tenancy Deposit Scheme
  • ", + "

    If you don\u2019t rent your home on an assured shorthold tenancy, your landlord can accept valuable items (for example a car or watch) as a deposit instead of money. The items won\u2019t be protected by a scheme.

    ", + "

    There are separate TDP schemes in Scotland and Northern Ireland.

    ", + "

    They make sure you\u2019ll get your deposit back if you:

    ", + "
  • meet the terms of your tenancy agreement
  • ", + "
  • don\u2019t damage the property
  • ", + "
  • pay your rent and bills
  • ", + "

    Your landlord or letting agent must put your deposit in the scheme within 30 days of getting it.

    ", + "

    At the end of your tenancy

    ", + "

    Your landlord must return your deposit within 10 days of you both agreeing how much you\u2019ll get back.

    ", + "

    If you\u2019re in a dispute with your landlord, then your deposit will be protected in the TDP scheme until the issue is sorted out.

    ", + "

    Holding deposits

    ", + "

    Your landlord doesn\u2019t have to protect a holding deposit (money you pay to \u2018hold\u2019 a property before an agreement is signed). Once you become a tenant, the holding deposit becomes a deposit, which they must protect.

    ", + "

    Deposits made by a third party

    ", + "

    Your landlord must use a TDP scheme even if your deposit is paid by someone else, such as a rent deposit scheme or your parents.

    ", + "

    Information landlords must give tenants

    ", + "

    Once your landlord has received your deposit, they have 30 days to tell you:

    ", + "
  • the address of the rented property
  • ", + "
  • how much deposit you\u2019ve paid
  • ", + "
  • how the deposit is protected
  • ", + "
  • the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service
  • ", + "
  • their (or the letting agency\u2019s) name and contact details
  • ", + "
  • the name and contact details of any third party that\u2019s paid the deposit
  • ", + "
  • why they would keep some or all of the deposit
  • ", + "
  • how to apply to get the deposit back
  • ", + "
  • what to do if you can\u2019t get hold of the landlord at the end of the tenancy
  • ", + "
  • what to do if there\u2019s a dispute over the deposit
  • ", + "

    If your landlord doesn't protect your deposit

    ", + "

    Contact a tenancy deposit scheme (TDP) if you\u2019re not sure whether your deposit has been protected.

    ", + "

    Contact MyDeposits if your deposit was held by Capita.

    ", + "

    Getting your deposit back

    ", + "

    You can apply to your local county court if you think your landlord hasn\u2019t used a TDP scheme when they should have.

    ", + "

    Get legal advice before applying to court. You do not need a solicitor to do this.

    ", + "

    Before going to court

    ", + "

    It can be quicker and cheaper to write to your landlord, rather than going to court.

    ", + "

    If you cannot come to an agreement, you can apply to the court for compensation.

    ", + "

    Apply to a county court

    ", + "

    Apply using Form N208: Claim form.

    ", + "

    The court fee is \u00a3308. You can claim this back from your landlord if you win your case.

    ", + "

    You can apply for money off your court fee if you claim certain benefits or have a low income.

    ", + "

    What happens next

    ", + "

    If the court finds your landlord has not protected your deposit, it can order them to either:

    ", + "
  • repay it to you
  • ", + "
  • pay it into a TDP scheme\u2019s bank account within 14 days
  • ", + "

    The court may also order the landlord to pay you up to 3 times the deposit within 14 days of making the order.

    ", + "

    At the end of the tenancy

    ", + "

    The court may decide that you won\u2019t have to leave the property when the tenancy ends if your landlord hasn\u2019t used a TDP scheme when they should have.

    ", + "

    Disputes and problems

    ", + "

    If there\u2019s a dispute over a deposit

    ", + "

    Your tenancy deposit protection (TDP) scheme offers a free dispute resolution service if you disagree with your landlord about how much deposit should be returned.

    ", + "

    You don\u2019t have to use the service but if you do, both you and the landlord have to agree to it. You\u2019ll both be asked to provide evidence, and the decision made about your deposit will be final.

    ", + "

    If you can\u2019t contact the landlord

    ", + "

    You can \u2018raise a dispute\u2019 to get your deposit back if you can\u2019t contact your landlord and your deposit is held by one of the approved TDP schemes:

    ", + "
  • MyDeposits
  • ", + "
  • Tenancy Deposit Scheme
  • ", + "
  • Deposit Protection Service
  • ", + "

    Contact MyDeposits if your deposit was held by Capita.

    ", + "

    The TDP scheme will refund your deposit if the dispute resolution service agrees.

    ", + "

    There may be a limit on the time you have to raise a dispute. Contact the TDP scheme as soon as possible.

    ", + "

    If your deposit is not held by an approved TDP scheme

    ", + "

    You may be able to apply to your local county court to get your deposit back if your deposit was not protected by an approved TDP scheme.

    ", + "

    You should write to your landlord and your letting agent (if you have one) before you make a claim. Your landlord or agent may offer to pay your deposit back after they get a letter to avoid legal costs.

    ", + "

    Get help and advice

    ", + "

    You can get more help and advice from:

    ", + "
  • your local Citizens Advice office
  • ", + "
  • a solicitor or advice agency
  • ", + "
  • Shelter in England or Shelter in Wales
  • " + ] + }, + { + "title": "Your property boundaries", + "url": "https://www.gov.uk/your-property-boundaries", + "contents": [ + "

    Overview

    ", + "

    If you live in England or Wales, there\u2019s usually no record of:

    ", + "
  • the exact boundary between two properties
  • ", + "
  • who owns the hedge, wall, tree or fence between 2 properties
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You can get an idea of where the boundaries for your property are by looking at its title plan. Most title plans don\u2019t show exact boundaries - you usually don\u2019t need to have the exact boundaries recorded anywhere.

    ", + "

    The rules are different in Scotland and Northern Ireland.

    ", + "

    You can apply to get the title plan corrected if you think there\u2019s a mistake on it.

    ", + "

    Record the boundary more precisely

    ", + "

    You can do this by:

    ", + "
  • making a boundary agreement with your neighbour
  • ", + "
  • applying for a determined boundary
  • ", + "

    Make a boundary agreement with your neighbour

    ", + "

    You can usually avoid having to create a boundary agreement by having an informal discussion with your neighbour.

    ", + "

    Get help in solving disagreements

    ", + "

    Use the Royal Institution of Chartered Surveyors Helpline Scheme to get advice on solving disagreements over boundaries.

    ", + "

    What a boundary agreement can do

    ", + "

    You and your neighbour can create a \u2018boundary agreement\u2019 to record:

    ", + "
  • the boundary between 2 properties
  • ", + "
  • who\u2019s responsible for maintaining a hedge, wall, tree or fence between 2 properties
  • ", + "

    Get legal advice if you\u2019re thinking about making a boundary agreement.

    ", + "

    What a boundary agreement can\u2019t do

    ", + "

    You can\u2019t use a boundary agreement to sell or give away part of your land to your neighbour.

    ", + "

    Get legal advice if you want to make sure the boundary agreement is still valid after you or your neighbour sell your property.

    ", + "

    What to include in a boundary agreement

    ", + "

    Your boundary agreement must include:

    ", + "
  • your name and address
  • ", + "
  • your neighbour\u2019s name and address
  • ", + "
  • the date the agreement begins
  • ", + "
  • the boundary you\u2019ve agreed
  • ", + "

    You can include the boundary using:

    ", + "
  • a written description
  • ", + "
  • a copy of an Ordnance Survey map - you can draw or write on it to show the boundary
  • ", + "
  • a map you\u2019ve drawn yourself
  • ", + "

    Example of a boundary agreement

    ", + "

    \u201cBoundary Agreement

    ", + "

    This agreement is made on 15th July 2017 between John Smith of 10 Acacia Avenue, title to which is registered under title number XX12345, and Mary Brown of 12 Acacia Avenue, title to which is registered under title number XX67891.

    ", + "

    The parties agree that the legal boundary between the land within their respective registered titles, and running from the point marked \u2018A\u2019 to the point marked \u2018B\u2019 on the plan attached, is as shown by the red line drawn between those points.

    ", + "

    Signed

    ", + "

    [Witness (Signature, name and address)]

    ", + "

    Signed

    ", + "

    [Witness (Signature, name and address)]\u201d

    ", + "

    Record your boundary agreement

    ", + "

    Fill in an application to change the register (AP1).

    ", + "

    In section 4 under \u2018Applications in priority order\u2019, write: \u201cTo note a boundary agreement\u201d. Under \u2018Fees paid (\u00a3)\u2019 write \u201c\u00a340\u201d.

    ", + "

    You don\u2019t need to fill in sections 9 to 14.

    ", + "

    You\u2019ll need to send:

    ", + "
  • the completed AP1 form
  • ", + "
  • a copy of the boundary agreement
  • ", + "
  • a cheque or postal order for \u00a340, payable to \u2018HMLR\u2019 or \u2018HM Land Registry\u2019
  • ", + "

    Send the documents and fee to:

    ", + "

    HM Land Registry will update the register for your property and send a copy of the updated register back to you. They\u2019ll do the same for your neighbour.

    ", + "

    Apply to record the exact boundary

    ", + "

    You can apply to have the exact boundary between your property and your neighbour\u2019s recorded. This is known as applying for a \u2018determined boundary\u2019.

    ", + "

    You can only do this if your property is registered.

    ", + "

    A determined boundary will still be valid if you or your neighbour sell your property.

    ", + "

    Your application may be referred to a tribunal if your neighbour doesn\u2019t agree with it. Get legal advice before making an application.

    ", + "

    Check your property\u2019s title plan and register to see if it already has a determined boundary.

    ", + "

    Apply for a determined boundary

    ", + "

    You\u2019ll need to send:

    ", + "
  • a plan showing the determined boundary - ask a chartered land surveyor to make this
  • ", + "
  • evidence that supports your application
  • ", + "
  • a completed exact line of boundary (DB) form
  • ", + "

    Evidence that supports your application

    ", + "

    Send any evidence you have that justifies the surveyor\u2019s boundary. This could include:

    ", + "
  • certified copies of the deeds to your property from before the property was registered
  • ", + "
  • an expert\u2019s report
  • ", + "
  • a written statement signed in front of a solicitor, a magistrate or a commissioner of oaths
  • ", + "

    Send your application

    ", + "

    The application costs \u00a390. You\u2019ll also need to pay the surveyor and the solicitor a fee.

    ", + "

    If your neighbour agrees with your application, they\u2019ll need to sign the form and the plan as well.

    ", + "

    Send everything to:

    ", + "

    If your application is successful, HM Land Registry (HMLR) will send you a copy of your updated title plan and register. They\u2019ll also send your neighbour a copy of their updated title plan and register.

    ", + "

    If your neighbour objects to your application

    ", + "

    HMLR will decide whether the objection is valid. If it is, they\u2019ll give you and your neighbour the chance to come to an agreement.

    ", + "

    If you can\u2019t, they\u2019ll pass your application to a tribunal. You may need to pay for legal advice and advice from a surveyor if this happens.

    ", + "

    If the tribunal approves your application

    ", + "

    HMLR will send you a copy of your updated title plan and register. They\u2019ll record the determined boundary in the register.

    ", + "

    If the tribunal rejects your application

    ", + "

    The tribunal will either decide where the exact boundary should be, or decide not to set the exact boundary.

    ", + "

    You may need to pay your neighbour\u2019s costs.

    ", + "

    Correct a boundary mistake on a title plan

    ", + "

    Write to HM Land Registry (HMLR) if you think there\u2019s a boundary mistake on a property\u2019s title plan.

    ", + "

    You\u2019ll need to:

    ", + "
  • explain why you think there\u2019s a mistake
  • ", + "
  • include any evidence that supports your argument, such as certified copies of the deeds to the property
  • ", + "

    Send everything to:

    ", + "

    If HMLR finds that there\u2019s a mistake, they\u2019ll tell you how to correct it.

    " + ] + }, + { + "title": "Building regulations approval", + "url": "https://www.gov.uk/building-regulations-approval", + "contents": [ + "

    When you need approval

    ", + "

    You must check if you need approval before you construct or change buildings in certain ways.

    ", + "

    You do not need to get approval yourself if you use someone registered with a competent person scheme.

    ", + "

    Find out about the rules in Scotland and Northern Ireland.

    ", + "

    Building regulations approval is different from planning permission. You might need both.

    ", + "

    Work covered by building regulations

    ", + "

    The Building Regulations 2010 cover the construction and extension of buildings.

    ", + "

    You might also need building regulations approval for many alteration projects, including if you plan to:

    ", + "
  • replace fuse boxes and connected electrics
  • ", + "
  • install a bathroom that will involve plumbing
  • ", + "
  • change electrics near a bath or shower
  • ", + "
  • put in a fixed air-conditioning system
  • ", + "
  • replace windows and doors
  • ", + "
  • replace roof coverings on pitched and flat roofs
  • ", + "
  • install or replace a heating system
  • ", + "
  • add extra radiators to a heating system
  • ", + "

    You could need approval, or to follow special rules, for works not listed here - so always research your particular project.

    ", + "

    Check with a building control body if you cannot decide if you need approval.

    ", + "

    You do not need advance approval for emergency repairs to your boiler or heating system, but there are rules you must follow.

    ", + "

    Penalties and problems

    ", + "

    The person doing the work could be prosecuted and fined if they do not comply with building regulations.

    ", + "

    Your local authority could make you pay for faulty work to be fixed.

    ", + "

    Without approval you will not have the certificates of compliance you may need when you want to sell your home.

    ", + "

    When you do not need approval

    ", + "

    You do not need to apply for approval yourself if the work is not covered by building regulations, or if it\u2019s carried out by someone who\u2019s registered with a competent person scheme.

    ", + "

    Work that does not need approval

    ", + "

    You do not need building regulations approval for some exempt projects, including:

    ", + "
  • most repairs, replacements and maintenance work (except heating systems, oil tanks, fuse boxes and glazing units)
  • ", + "
  • new power and lighting points, or changes to existing circuits (except around baths and showers)
  • ", + "
  • like-for-like replacements of baths, toilets, basins and sinks
  • ", + "

    Find out more about common projects and check when you do and do not need approval.

    ", + "

    Check with a building control body if you\u2019re still not sure what to do.

    ", + "

    Hire a \u2018competent person\u2019

    ", + "

    If your project needs approval but you\u2019d rather not apply yourself, you can hire a tradesperson registered with a competent person scheme instead.

    ", + "

    You must meet safety and energy efficiency standards even if you do not need formal approval.

    ", + "

    Use a competent person scheme

    ", + "

    Competent person schemes are a way for tradespeople to prove their ability to carry out certain work to required standards, instead of you applying for building regulations approval.

    ", + "

    Benefits of a registered tradesperson

    ", + "

    An installer (eg of windows or boilers) who\u2019s registered with a scheme can self-certify that their work complies with buildings standards and can deal with building control issues, like objections.

    ", + "

    If needed, they\u2019ll tell your local authority about work on your behalf. They\u2019ll also give you a certificate within 8 weeks of completion which can be used as evidence of compliance - it will also show up in solicitors\u2019 searches if you come to sell your home.

    ", + "

    Competent person schemes have insurance-backed warranties and complaints procedures if there\u2019s a problem with the work.

    ", + "

    Find a \u2018competent person\u2019

    ", + "

    Search the Competent Persons Register to find a tradesperson, or check that they belong to a scheme.

    ", + "

    Search the Electrical Competent Person Register if you\u2019re looking for an electrician to work on your home.

    ", + "

    You may have to correct the work or pay a fine if building regulations are not followed.

    ", + "

    How to apply

    ", + "

    Contact a \u2018building control body\u2019 (BCB) to check the building regulations or apply for approval.

    ", + "

    There are different rules in Scotland and Northern Ireland.

    ", + "

    Where to apply

    ", + "

    There are 2 types of BCB. It\u2019s up to you which you use.

    ", + "

    Local authority BCBs

    ", + "

    You can apply for approval from your council.

    ", + "

    Private BCBs

    ", + "

    You can apply through a private approved inspector.

    ", + "

    They\u2019ll tell your local authority about the work. This is called giving an \u2018initial notice\u2019.

    ", + "

    Choose a type of application

    ", + "

    You must decide on the type of application for your planned build, extension or alteration work.

    ", + "

    Full plans

    ", + "

    This is the most thorough option. You can expect a decision within 5 weeks, or 2 months with your consent.

    ", + "

    You\u2019ll get a completion certificate within 8 weeks of completion of the building work as long as it complies.

    ", + "

    Building notice

    ", + "

    This type of application is only for smaller projects. You can start work 2 days after your notice has been submitted to your BCB. You do not get formal approval like you do with full plans.

    ", + "

    Regularisation

    ", + "

    You can apply for \u2018regularisation\u2019 - retrospective approval for work already carried out without consent - from a local authority BCB only.

    ", + "

    Only work carried out after 11 November 1985 can be approved in this way.

    ", + "

    You might need to make alterations before your BCB can agree the work complies and give you a regularisation certificate.

    ", + "

    You may have to correct the work or pay a fine if building regulations are not followed.

    ", + "

    Fees and costs

    ", + "

    Local authority BCBs base their fees on the costs of their work, like site inspections.

    ", + "

    What you\u2019ll pay depends on the:

    ", + "
  • type of work involved
  • ", + "
  • number of dwellings in the building
  • ", + "
  • total floor area, eg in the case of extensions
  • ", + "

    Private BCBs negotiate their fees directly with you.

    ", + "

    You might not have to pay a fee for works carried out solely for a person with a disability.

    ", + "

    Appeals and determinations

    ", + "

    You can appeal if you think your project should not have to comply with building regulations.

    ", + "

    Ask for a \u2018determination\u2019 if you\u2019re refused building regulations approval and you think the building control body (BCB) decision is unfair.

    ", + "

    If you think you should not have to comply

    ", + "

    Ask your local authority to ignore or relax one or more of the building regulations if you think your project shouldn\u2019t have to comply with them.

    ", + "

    If the local authority still says you have to comply, you can appeal to government. You have a month to make the appeal.

    ", + "

    Find out about making an appeal.

    ", + "

    You cannot ask a private BCB to ignore or relax the building regulations. You\u2019ll have to ask your local authority BCB instead.

    ", + "

    If the BCB refuses building regulations approval

    ", + "

    You can ask for a \u2018determination\u2019 - a decision by government - if a BCB says your plans do not comply but you believe they do. Find out about asking for a determination.

    ", + "

    How to appeal or get a determination

    ", + "

    You\u2019ll need to read the guidance and fill in a form.

    ", + "

    You\u2019ll have to pay a fee when you ask for a determination unless your building work is for disabled people. You don\u2019t have to pay a fee to appeal.

    " + ] + }, + { + "title": "Claim planning appeal costs", + "url": "https://www.gov.uk/claim-planning-appeal-costs", + "contents": [ + "

    Overview

    ", + "

    You can claim costs if someone involved in your planning appeal behaves unreasonably and costs you money.

    ", + "

    You make a claim for an \u2018award of costs\u2019 to the Planning Inspectorate. If you\u2019re successful, you\u2019ll have to reach an agreement with the other party about how much they pay.

    ", + "

    You can be asked to pay costs if you behave unreasonably during your own appeal. The Planning Inspectorate can do this even if nobody\u2019s claiming costs against you.

    ", + "

    Deadline to claim for costs

    ", + "

    The deadline depends on whether your appeal will be decided:

    ", + "
  • at a hearing or inquiry - apply before it closes
  • ", + "
  • in writing - apply when you appeal for householder, commercial and tree preservation orders, or before the final comments stage for anything else
  • ", + "

    The deadline is different for claims about:

    ", + "
  • a site visit (eg someone didn\u2019t attend) - apply within 7 days
  • ", + "
  • a withdrawn appeal or enforcement notice - apply within 4 weeks
  • ", + "

    When to claim

    ", + "

    You may be able to claim costs if someone involved in your appeal behaves unreasonably and costs you money. This includes if they:

    ", + "
  • fail to co-operate with you or others
  • ", + "
  • miss deadlines
  • ", + "
  • fail to turn up to a site visit, hearing or inquiry
  • ", + "
  • gave information that was wrong or declared after the deadline
  • ", + "

    What costs you can claim

    ", + "

    You can claim for costs directly related to your appeal, for example:

    ", + "
  • time preparing for an appeal
  • ", + "
  • attending a hearing or inquiry
  • ", + "
  • the use of consultants to provide detailed technical advice
  • ", + "
  • witnesses if you need to pay them
  • ", + "

    You can\u2019t claim for costs relating to your original planning application.

    ", + "

    How to claim

    ", + "

    Claim for costs by filling in the claim form. Return it to the address on the form.

    ", + "

    Alternatively, you can send a letter to the Planning Inspectorate. Include why you think someone has behaved unreasonably and how this has cost you money.

    ", + "

    After you claim

    ", + "

    The Planning Inspectorate will consider your claim. The party being asked to pay will have an opportunity to respond in writing.

    ", + "

    If you\u2019re successful, you\u2019ll be given either:

    ", + "
  • a full award - you can recover all your costs including the cost of claiming
  • ", + "
  • a partial award - you can only recover some costs
  • ", + "

    The award doesn\u2019t tell you how much you should get. It\u2019s your responsibility to prove to the other party how much you\u2019ve spent on the appeal.

    ", + "

    If they won\u2019t pay

    ", + "

    You can make a court claim for money if the other party won\u2019t pay.

    " + ] + }, + { + "title": "Party walls and building work", + "url": "https://www.gov.uk/party-walls-building-works", + "contents": [ + "

    Overview

    ", + "

    You must tell your neighbours if you want to carry out any building work near or on your shared property boundary, or \u2018party wall\u2019, in England and Wales.

    ", + "

    Party walls stand on the land of 2 or more owners and either:

    ", + "
  • form part of a building
  • ", + "
  • don\u2019t form part of a building, such as a garden wall (not wooden fences)
  • ", + "

    Walls on one owner\u2019s land used by other owners (2 or more) to separate their buildings are also party walls.

    ", + "

    Party structures

    ", + "

    You can also have a \u2018party structure\u2019. This could be a floor or other structure that separates buildings or parts of buildings with different owners, eg flats.

    ", + "

    Party wall agreements are different from planning permission or building regulations approval.

    ", + "

    There are different rules in Scotland and Northern Ireland.

    ", + "

    Work you must tell your neighbour about

    ", + "

    You must tell your neighbour if you want to:

    ", + "
  • build on or at the boundary of your 2 properties
  • ", + "
  • work on an existing party wall or party structure
  • ", + "
  • dig below and near to the foundation level of their property
  • ", + "

    Examples of this type of work include:

    ", + "
  • building a new wall
  • ", + "
  • cutting into a party wall
  • ", + "
  • making a party wall taller, shorter or deeper
  • ", + "
  • removing chimneys from a party wall
  • ", + "
  • knocking down and rebuilding a party wall
  • ", + "

    Find more details of work you need to tell your neighbour about in the party wall explanatory booklet.

    ", + "

    Your neighbours can\u2019t stop you from making changes to your property that are within the law, but they can affect how and when your works are carried out.

    ", + "

    What you don\u2019t need to tell them about

    ", + "

    You don\u2019t need to tell your neighbour about minor changes, eg plastering, adding or replacing electrical wiring or sockets, or drilling to put up shelves or cabinets.

    ", + "

    When and how to tell them

    ", + "

    You must give notice to your neighbour between 2 months and a year before you plan to start building works. Include what you plan on doing.

    ", + "

    You can speak to your neighbour to explain the work you want to carry out, before giving notice in writing.

    ", + "

    Find letter templates and more information on giving notice in the party wall explanatory booklet.

    ", + "

    Any agreement you reach should be in writing.

    ", + "

    Reaching an agreement with your neighbours

    ", + "

    Once you\u2019ve given notice your neighbour can:

    ", + "
  • give consent in writing
  • ", + "
  • refuse consent, which will start the dispute resolution process
  • ", + "
  • serve a counter notice requesting additional works be done at the same time (they\u2019ll have to pay for these if they benefit from the works)
  • ", + "

    Your neighbour must let you know in writing within 14 days if they consent to your notice, and you must do the same with any counter notice. A counter notice must be served within a month of the first notice.

    ", + "

    Find examples of counter notice letters in the party wall booklet.

    ", + "

    Your neighbours need to respond to the notice. You can\u2019t assume that no response means they agree to the works.

    ", + "

    The dispute resolution process will also start if they don\u2019t respond to your notice within the given time.

    ", + "

    Who pays for the work

    ", + "

    You need to pay for any building works that you start on a party wall.

    ", + "

    Your neighbour may have to meet a share of the cost if the work needs to be done because of defects or lack of repair. They will also need to pay if they ask for additional works to be done that will benefit them.

    ", + "

    An appointed surveyor will set out who pays what if you can\u2019t agree.

    ", + "

    If you can't agree

    ", + "

    You must appoint a surveyor if you and your neighbour can\u2019t agree. You can appoint a surveyor together or each appoint your own. The surveyors will then agree on a \u2018party wall award\u2019.

    ", + "

    This is a legal document which says:

    ", + "
  • what work should happen
  • ", + "
  • how and when it will be carried out
  • ", + "
  • who will pay for which part and how much will be paid (including surveyor\u2019s fees)
  • ", + "

    You can\u2019t act as your own surveyor.

    ", + "

    If your neighbour doesn\u2019t appoint a surveyor

    ", + "

    You can appoint a surveyor on behalf of your neighbour if they refuse or fail to do so themselves.

    ", + "

    If you don\u2019t agree with the award

    ", + "

    You can appeal against an award at a county court within 14 days of receiving it. You need to file an appellant\u2019s notice in a county court, explaining why you\u2019re appealing.

    ", + "

    When works begin

    ", + "

    When carrying out building works you must:

    ", + "
  • avoid causing unnecessary inconvenience
  • ", + "
  • protect your neighbour\u2019s property from damage caused by the works, and fix or pay for any damage that is caused
  • ", + "

    Access to your neighbour\u2019s property

    ", + "

    Your neighbour must allow surveyors and workmen access to their property during usual working hours to carry out the building works. They must be given 14 days\u2019 notice except in an emergency.

    " + ] + }, + { + "title": "Council and housing association evictions", + "url": "https://www.gov.uk/council-housing-association-evictions", + "contents": [ + "

    Overview

    ", + "

    You may be able to stop or delay the eviction. You can get advice from charities like Citizens Advice or Shelter.

    ", + "

    Check if you can get legal aid. If you\u2019re eligible, you can get advice from Civil Legal Advice, or you can search for a legal aid adviser.

    ", + "

    If your case goes to court, you might be able to get help on the day from an adviser in the court building.

    ", + "

    Eviction means your landlord ends your tenancy and you have to leave your property.

    ", + "

    The steps that your council or housing association must take to evict you depends on the type of tenancy you have. But the basic steps are:

    ", + "
  • You get written notice that the council or housing association plans to evict you.
  • ", + "
  • If you do not leave or cannot come to an agreement, the council or housing association can apply to the court for a possession order.
  • ", + "
  • The court decides whether you can be evicted.
  • ", + "
  • If you still do not leave, bailiffs can remove you and your belongings.
  • ", + "

    Written notice

    ", + "

    Your council or housing association must give you a written warning notice that they plan to evict you. The notice is normally either at least 4 weeks or 4 months, depending on the type of tenancy you have.

    ", + "

    However, they can start eviction proceedings immediately if you\u2019re responsible for serious antisocial behaviour like drug-dealing.

    ", + "

    For most types of tenancy, your council or housing association must also tell you why they\u2019re planning to evict you.

    ", + "

    The quicker you reply to the written notice, the better chance you have of keeping your home. If you ignore it and stay in the property, or the council or housing association is not satisfied with your response, they may apply to the court for permission to evict you.

    ", + "

    Rent arrears

    ", + "

    If you\u2019re facing eviction over unpaid rent, before taking you to court the council or housing association must:

    ", + "
  • try to talk to you about the arrears as early as possible
  • ", + "
  • give you detailed information about the arrears
  • ", + "
  • offer help, if you need it, to make a housing benefit claim
  • ", + "
  • agree to delay taking you to court if you make a reasonable offer to pay off your rent arrears
  • ", + "

    These steps are known as the \u2018pre-action protocol\u2019.

    ", + "

    The court hearing

    ", + "

    Your council or housing association will need permission from a court to evict you.

    ", + "

    You\u2019ll get papers confirming the date of the hearing. At the hearing you have the chance to tell your side of the story.

    ", + "

    The court can:

    ", + "
  • issue a possession order giving the council or housing association permission to evict you
  • ", + "
  • decide evicting you is not justified - eviction proceedings will then stop
  • ", + "
  • issue a suspended or postponed possession order giving you a final chance to avoid eviction
  • ", + "

    After the hearing

    ", + "

    The possession order will state the date you must leave the property by. If you do not leave, your council or housing association can ask the court to send a bailiff to remove you and your belongings. The court will tell you the date they\u2019ll arrive.

    ", + "

    In certain situations, your local council may offer you temporary housing to give you a chance to find another property. While it\u2019s looking into your case, the council may offer you emergency accommodation (such as a hostel or B&B). Shelter has an emergency housing rights checker tool that shows whether you may be entitled to this.

    " + ] + }, + { + "title": "Private renting for tenants: evictions", + "url": "https://www.gov.uk/private-renting-evictions", + "contents": [ + "

    Rules your landlord must follow

    ", + "

    Your landlord must follow strict procedures if they want you to leave their property, depending on the type of tenancy agreement you have and the terms of it.

    ", + "

    If they do not, they may be guilty of illegally evicting or harassing you.

    ", + "

    Your landlord must follow different procedures to evict you in Northern Ireland and Scotland.

    ", + "

    Rules for periodic Assured Shorthold Tenancies (ASTs)

    ", + "

    Periodic tenancies run on a week-by-week or month-by-month basis with no fixed end date.

    ", + "

    If you have one of these, your landlord must usually give you \u2018notice to quit\u2019 - they must do this in a certain way depending on your type of tenancy agreement and its terms.

    ", + "

    Notice periods

    ", + "

    There are different eviction notice periods in Wales.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of coronavirus (COVID-19), the notice periods are longer.

    ", + "

    If you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.

    ", + "

    If you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property

    ", + "

    If you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.

    ", + "

    You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.

    ", + "

    If you do not leave at the end of the notice period

    ", + "

    If you do not leave at the end of the notice period, your landlord must apply to the court for a possession order. If the court gives them a possession order and you still do not leave, they must apply for a warrant for possession - this means bailiffs can evict you from the property.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Rules for fixed-term ASTs

    ", + "

    Fixed-term tenancies run for a set amount of time. Your landlord must give you notice in a certain way if you\u2019re in a fixed-term tenancy.

    ", + "

    Notice periods

    ", + "

    There are different eviction notice periods in Wales.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.

    ", + "

    If you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.

    ", + "

    If you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property

    ", + "

    If you\u2019ve been given notice since 1 June 2021, in most cases your landlord must give you 4 months to leave.

    ", + "

    You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.

    ", + "

    If you do not leave at the end of the notice period

    ", + "

    If you refuse to leave at the end of the notice period, the rules depend on whether the fixed term has ended or not.

    ", + "

    Eviction during the fixed term

    ", + "

    During the fixed term, your landlord can only evict you for certain reasons - for example:

    ", + "
  • you have not paid the rent
  • ", + "
  • you\u2019re engaging in antisocial behaviour
  • ", + "
  • there\u2019s a \u2018break clause\u2019 in your contract - this allows your landlord to take back the property before the end of the fixed term
  • ", + "

    A possession order will not take effect until you\u2019ve been living in the property for at least 6 months.

    ", + "

    Eviction at the end of the fixed term

    ", + "

    At the end of the fixed term, the landlord does not need a reason to evict you. As long as they\u2019ve given you correct notice, they can apply to the court for a possession order.

    ", + "

    If the court gives your landlord a possession order and you still do not leave, your landlord must apply for a warrant for possession - this means bailiffs can evict you from the property.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Rules for excluded tenancies or licences

    ", + "

    If you have an excluded tenancy or licence (for example you live with your landlord), your landlord does not have to go to court to evict you.

    ", + "

    Your landlord only needs to give you \u2018reasonable notice\u2019 to quit. The notice does not have to be in writing.

    ", + "

    There are no set rules about what\u2019s reasonable. It depends on:

    ", + "
  • how long you\u2019ve been living there
  • ", + "
  • how often you pay the rent
  • ", + "
  • whether you get on with your landlord
  • ", + "
  • how quickly the landlord needs another person to move in
  • ", + "

    They can then change the locks on your rooms, even if you\u2019ve left your belongings there. However, they must give your belongings back to you.

    ", + "

    If you do not think you\u2019ve been given enough warning to leave, contact your local council for advice. Your council can take action if your landlord has evicted you illegally.

    ", + "

    Shelter has more information about eviction of excluded occupiers.

    ", + "

    Rules for assured and regulated tenancies

    ", + "

    If your tenancy started before 27 February 1997, you might have an assured or a regulated tenancy. Your landlord will have to follow different rules to evict you and you\u2019ll have increased protection from eviction.

    ", + "

    There are different eviction notice periods in Wales.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.

    ", + "

    If you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.

    ", + "

    If you\u2019ve been given notice on or after 29 August 2020, your landlord must give you 6 months to leave. You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.

    ", + "

    Shelter has more information about assured tenancies and regulated tenancies.

    ", + "

    Shelter Cymru has more information about assured tenancies and regulated tenancies in Wales.

    ", + "

    Accelerated possession

    ", + "

    Landlords can sometimes evict tenants using \u2018accelerated possession\u2019. This is quicker than a normal eviction and does not usually need a court hearing.

    ", + "

    Your landlord can only do this if:

    ", + "
  • you have an assured shorthold tenancy or a statutory periodic tenancy
  • ", + "
  • you have a written tenancy agreement
  • ", + "
  • they\u2019ve given you the required written notice in the right form
  • ", + "
  • they have not asked you to leave before the end of a fixed-term tenancy
  • ", + "

    Your landlord must also tell the court if you and your dependants have been affected by coronavirus (COVID-19) in a way that affects the case. For example, if you lost income because of COVID-19 which meant you were not able to pay rent.

    ", + "

    You can only stop accelerated possession if you can prove your landlord has not followed the rules listed above.

    ", + "

    How it works

    ", + "

    If your landlord applies for accelerated possession, the court will send you:

    ", + "
  • a copy of your landlord\u2019s application
  • ", + "
  • a \u2018defence form\u2019
  • ", + "

    Fill in the defence form to challenge the application or write a statement outlining your circumstances.

    ", + "

    If your case is affected by COVID-19, include details. For example, why you lost income and were not able to pay rent.

    ", + "

    You can get help filling in the defence form.

    ", + "

    You must complete and return the defence form or statement to the court within 14 days of receiving it.

    ", + "

    If your landlord applied for possession before 3 August 2020

    ", + "

    If your landlord wants to continue with their claim for possession they must make another application to the court. You will get a copy of your landlord\u2019s application and instructions from the court on how to challenge the application.

    ", + "

    The judge\u2019s decision

    ", + "

    A judge will decide whether to:

    ", + "
  • issue a possession order, giving your landlord the right to evict you and take possession of the property (this is normally the case)
  • ", + "
  • have a court hearing (this usually only happens if the paperwork is not in order or you\u2019ve raised an important issue)
  • ", + "

    Even if there\u2019s a hearing, the court can still decide to issue a possession order.

    ", + "

    If the judge issues a possession order

    ", + "

    If the judge makes a possession order, you\u2019ll normally have 14 or 28 days to leave the property. If this will cause you exceptional hardship, the judge may give you up to 42 days to leave.

    ", + "

    If you do not leave at this point, your landlord can use bailiffs to evict you.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Eviction court hearings

    ", + "

    If your landlord goes to court to evict you, there will be a \u2018possession hearing\u2019.

    ", + "

    Before the hearing

    ", + "

    You\u2019ll know your landlord is taking you to court to evict you because you\u2019ll be sent court papers, including:

    ", + "
  • copies of \u2018claim for possession\u2019 forms
  • ", + "
  • a defence form
  • ", + "
  • a date for your court hearing
  • ", + "

    The defence form is your chance to say why you have rent arrears and if you disagree with what your landlord put on the \u2018claim for possession\u2019 forms. You need to return it within 14 days.

    ", + "

    You may have to pay extra court fees if you do not provide information in the defence form and this results in a delay to your court case.

    ", + "

    If you do not attend your court hearing, it\u2019s very likely the judge will decide you\u2019ll lose your home.

    ", + "

    Coronavirus (COVID-19) and court hearings

    ", + "

    The court process is different because of COVID-19.

    ", + "

    Your landlord must tell the court if you and your dependants have been affected by COVID-19. For example, if you have lost income because of COVID-19, which meant you were not able to pay your rent.

    ", + "

    During the hearing

    ", + "

    If you have not received advice before, you can get free legal advice and representation in court on the day of the hearing. This is under the Housing Possession Court Duty scheme. Contact your local council or the court where your case is being heard.

    ", + "

    If the scheme is not available in your area, check with the court whether there are other advice services. You can also check if you can get legal aid.

    ", + "

    The charity Shelter has information on what happens at a possession hearing.

    ", + "

    The judge\u2019s decision

    ", + "

    The judge could:

    ", + "
  • dismiss the court case - no order will be made and the hearing is finished
  • ", + "
  • adjourn the hearing - the hearing will be delayed until later, as the judge feels a decision cannot be made on the day
  • ", + "
  • make an \u2018order\u2019 - the judge will make a legal decision on what will happen
  • ", + "

    The judge will dismiss the case if there\u2019s no reason you should be evicted. This might happen if:

    ", + "
  • your landlord has not followed the correct procedure
  • ", + "
  • your landlord or their representative does not attend the hearing
  • ", + "
  • you\u2019ve paid any rent arrears
  • ", + "

    If the judge dismisses the case, you can stay in your home. If the landlord wants to evict you, they\u2019ll have to restart the court process from the beginning.

    ", + "

    Types of possession order

    ", + "

    There are several different kinds of orders a judge can make.

    ", + "

    Order for possession (or \u2018outright possession order\u2019)

    ", + "

    This means you must leave the property before the date given in the order.

    ", + "

    The date will be either 14 or 28 days after your court hearing. If you\u2019re in an exceptionally difficult situation, you may be able to convince the judge to delay this for up to 6 weeks.

    ", + "

    If you do not leave your home by the date given, your landlord can ask the court to evict you by asking for a \u2018warrant for possession\u2019. If the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Suspended order for possession

    ", + "

    This means if you make the payments, or obey the conditions, set out in the order, you can stay in your home. If you do not make the payments, your landlord can ask the court to evict you.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Money order

    ", + "

    This means you have to pay the landlord the amount set out in the order. If you do not make the payments, action could be taken by the courts to recover the money, including:

    ", + "
  • deducting money from your wages or bank account
  • ", + "
  • sending bailiffs to take away things you own
  • ", + "

    If you get into rent arrears after a money order has been made, your landlord can go to court again and ask for a possession order.

    ", + "

    Possession orders with a money judgment

    ", + "

    A judge can add a money judgment to any of the possession orders. This means you owe a specific amount of money, usually made up of:

    ", + "
  • your rent arrears
  • ", + "
  • court fees
  • ", + "
  • your landlord\u2019s legal costs
  • ", + "

    The money judgment will not apply if you pay your arrears and the amount set out in a suspended possession order.

    ", + "

    However, the money judgment will apply if you do not pay the amount set out in the suspended possession order that\u2019s linked to the judgment. If you do not pay, the landlord may ask the court to carry out the instructions in the order and the judgment.

    ", + "

    Eviction notices

    ", + "

    If you do not leave your home by the date given in an outright possession order, your landlord can ask the court for a \u2018warrant of possession\u2019.

    ", + "

    If the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home. Bailiffs can evict you after this date. The costs of evicting you will be added to the money you owe.

    ", + "

    Changes to evictions in England and Wales because of coronavirus (COVID-19)

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England.

    ", + "

    In Wales, currently you will not be evicted by bailiffs, unless there is a serious reason. Bailiffs will only enter the property if you:

    ", + "
  • are living there illegally
  • ", + "
  • have been involved in antisocial behaviour
  • ", + "

    Delaying eviction

    ", + "

    You can ask a judge to suspend the warrant at a new hearing. This means they\u2019ll delay the eviction or let you stay in your home if you can make payments again.

    ", + "

    The judge will not automatically agree to suspend the warrant.

    ", + "

    Applying to suspend a warrant

    ", + "

    To apply for a suspension of a warrant, you must fill out an application notice and either send or deliver it to the county court dealing with your case.

    ", + "

    You must tell the court you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee of \u00a314, unless you qualify for help.

    ", + "

    Pay the county court:

    ", + "
  • by phone with a debit or credit card
  • ", + "
  • by post with a cheque or postal order made out to \u2018HM Courts and Tribunals Service\u2019
  • ", + "
  • in person with cash or a debit or credit card
  • ", + "

    You can find the address and phone number for the county court online.

    ", + "

    Asking the court to change your payments

    ", + "

    If your circumstances change, you can ask a judge at a new hearing to change what you pay. To do this, you must fill out an application notice and either send or deliver it to the county court dealing with your case.

    ", + "

    You\u2019ll have to pay a court fee of \u00a3100, unless you qualify for help.

    ", + "

    Pay the county court:

    ", + "
  • in person by cheque, cash, debit or credit card
  • ", + "
  • by post with a cheque made out to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    Appealing against the decision

    ", + "

    You can only appeal if you can show the judge made mistakes in the original possession hearing. You\u2019ll need to ask the judge for permission to appeal at the end of the original hearing.

    ", + "

    If you get permission to appeal, you\u2019ll have to apply for an appeal hearing very soon afterwards. You\u2019ll have to pay a court fee of up to \u00a3140, unless you qualify for help.

    ", + "

    You\u2019ll need to get legal advice.

    ", + "

    Contact your local council

    ", + "

    If you\u2019re worried about becoming homeless, contact your local council for homelessness help and advice.

    ", + "

    Harassment and illegal evictions

    ", + "

    It\u2019s a crime for your landlord to harass you or try to force you out of a property without using proper procedures. If this happens, you may have a right to claim damages through the court.

    ", + "

    What is harassment?

    ", + "

    Harassment can be anything a landlord does, or fails to do, that makes you feel unsafe in the property or forces you to leave.

    ", + "

    Harassment can include:

    ", + "
  • stopping services, like electricity
  • ", + "
  • withholding keys, for example there are 2 tenants in a property but the landlord will only give 1 key
  • ", + "
  • refusing to carry out repairs
  • ", + "
  • anti-social behaviour by a landlord\u2019s agent, for example a friend of the landlord moves in next door and causes problems
  • ", + "
  • threats and physical violence
  • ", + "

    Illegal eviction and tenants\u2019 rights

    ", + "

    Your landlord may be guilty of illegal eviction if you:

    ", + "
  • are not given the notice to leave the property that your landlord must give you
  • ", + "
  • find the locks have been changed
  • ", + "
  • are evicted without a court order
  • ", + "

    Even if your landlord\u2019s property is repossessed by their mortgage lender, the lender must give you notice so you can find other accommodation.

    ", + "

    If you have an assured, assured shorthold or regulated tenancy, they must give you:

    ", + "
  • 3 months to leave the property if you were given notice between 26 March 2020 and 28 August 2020
  • ", + "
  • 6 months to leave if you were given notice between 29 August 2020 and 31 May 2021
  • ", + "
  • 4 months to leave if you\u2019ve been given notice since 1 June 2021
  • ", + "

    In Wales, the notice period must be:

    ", + "
  • at least 6 months if they gave you notice on or after 24 July 2020
  • ", + "
  • at least 3 months if they issued a section 8 notice for antisocial behaviour
  • ", + "

    Citizens Advice has information on repossession by your landlord\u2019s mortgage lender.

    ", + "

    What you can do

    ", + "

    If you think you\u2019re being harassed or threatened with illegal eviction, or the property you rent is being repossessed, talk to your local council.

    ", + "

    It may have someone specialising in tenant harassment issues.

    ", + "

    Local councils can also start legal proceedings if they think there\u2019s enough evidence of harassment or illegal eviction.

    ", + "

    You could also contact a legal adviser, a Citizens Advice office or Shelter\u2019s housing advice helpline.

    ", + "

    Your local area may also have other housing or legal advice organisations - your local council, phonebook or library should have details.

    ", + "

    If physical violence is involved, contact the police.

    ", + "

    For further advice, the Ministry of Housing, Communities and Local Government has a detailed guide for tenants facing harassment and illegal eviction.

    " + ] + }, + { + "title": "Repossession", + "url": "https://www.gov.uk/repossession", + "contents": [ + "

    Get advice

    ", + "

    You may be able to postpone or stop your home being repossessed.

    ", + "

    Check if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.

    ", + "

    Find a solicitor.

    ", + "

    You can also get free advice from:

    ", + "
  • Citizens Advice
  • ", + "
  • National Debtline
  • ", + "
  • Shelter
  • ", + "
  • your local council
  • ", + "

    The law for repossession in Scotland is different.

    ", + "

    Before it goes to court

    ", + "

    What your mortgage lender must do

    ", + "

    Before a mortgage lender can repossess your home, they must:

    ", + "
  • tell you how much you owe
  • ", + "
  • consider a request from you to change the way you pay your mortgage
  • ", + "
  • respond to any offer of payment you make
  • ", + "
  • give you reasons for turning down your offer of payment within 10 days
  • ", + "
  • give you a reasonable amount of time to consider any proposal they make
  • ", + "
  • give you 15 days\u2019 written warning if they plan to start court action
  • ", + "
  • tell you the date and time of a repossession hearing
  • ", + "
  • let your council know within 5 days of getting notification of the date of the court hearing, in case you need to apply to the council as homeless
  • ", + "

    Finding a solution

    ", + "

    Even if your mortgage lender starts a court action, you may still be able to reach an agreement with them.

    ", + "

    You\u2019ll still need to attend court to tell the judge about the agreement, unless the court tells you the hearing\u2019s been cancelled or postponed.

    ", + "

    Defence form

    ", + "

    If your lender starts a repossession action against you, the court will send you a blank defence form and guidance on how to fill it in.

    ", + "

    You can use the form to explain why you think the lender should not repossess your home. You need to return it within 14 days.

    ", + "

    The court will also send you:

    ", + "
  • copies of the claim forms for possessing your home, filled in by your lender
  • ", + "
  • a court hearing date
  • ", + "
  • the court\u2019s contact details
  • ", + "

    Help with legal costs

    ", + "

    Legal aid

    ", + "

    If you\u2019re on a low income you may be able to get legal aid.

    ", + "

    Free legal advice on the day

    ", + "

    If you have not got help before, you can get last-minute legal help under the Housing Possession Court Duty scheme.

    ", + "

    The scheme runs in county courts in England and Wales. It provides you with a specialist adviser on the day of your hearing who can:

    ", + "
  • represent you
  • ", + "
  • help you come to an arrangement with your mortgage lender to pay off your debts
  • ", + "

    To find out about the scheme in your area, contact your local council or the court where your case is being heard.

    ", + "

    The hearing

    ", + "

    Repossession hearings normally take place in a judge\u2019s chambers, not in a court room (although it\u2019s treated as a court).

    ", + "

    You can bring an adviser or friend to the hearing, although they must be an adult.

    ", + "

    If you do not attend the court hearing, it\u2019s likely the judge will give your mortgage lender the right to evict you.

    ", + "

    You must keep to any agreement you make in court to pay off arrears. If you do not, you may still risk losing your home.

    ", + "

    What to bring with you

    ", + "

    You\u2019ll likely be asked for proof of your finances. This can include:

    ", + "
  • payslips
  • ", + "
  • bank statements
  • ", + "
  • job offers
  • ", + "
  • letters about benefits
  • ", + "
  • estate agent letter, for example if you\u2019re trying to sell your home to pay off the mortgage
  • ", + "

    Repossession orders

    ", + "

    The lender can only repossess your home if the court grants permission.

    ", + "

    The judge could decide to:

    ", + "
  • adjourn (delay) the hearing
  • ", + "
  • set aside the case, which means no order will be made and the hearing is finished
  • ", + "
  • make a repossession order
  • ", + "

    Outright possession order

    ", + "

    This gives the lender a legal right to own your home on the date given in the order and is sometimes called an \u2018order for possession\u2019. This is usually 28 days after your court hearing.

    ", + "

    If you do not leave your home by the date given in the order, your lender can ask the court to evict you.

    ", + "

    Suspended possession order

    ", + "

    This means that if you make regular payments as set out in the order, you can stay in your home.

    ", + "

    If you do not make the payments, your lender can ask the court to evict you.

    ", + "

    Money order

    ", + "

    This means that you have to pay the lender the amount set out in the order.

    ", + "

    If you do not make these payments:

    ", + "
  • money could be deducted from your wages or bank account
  • ", + "
  • bailiffs may take away things you own
  • ", + "

    Your lender cannot use a money order to evict you from your home. If you do not make payments set out in a money order on time, your lender could go to court again. As a result, the judge could decide to give them a possession order.

    ", + "

    Possession order with money judgment

    ", + "

    A money judgment is usually added to a possession order. It means you owe a specific amount of money usually made up of:

    ", + "
  • your mortgage arrears
  • ", + "
  • court fees
  • ", + "
  • your lender\u2019s legal costs
  • ", + "

    A money judgment will not apply if:

    ", + "
  • you pay your mortgage arrears and any amount set out in a suspended order
  • ", + "
  • your lender sells your home and the sale price is more than the amount set out in the money judgment
  • ", + "

    If you do not pay the amount set out in the money judgment, the lender may ask the court to carry out the instructions in the possession order and the judgment.

    ", + "

    Time order

    ", + "

    This means that the judge changes the amount you pay on your mortgage for a set time by:

    ", + "
  • changing the regular amount you pay
  • ", + "
  • changing the interest rate on your mortgage
  • ", + "
  • delaying the next time you have to make a payment
  • ", + "

    If you do not make the payments, your lender can ask the court to evict you.

    ", + "

    A time order is usually only made on some types of loan like a second mortgage.

    ", + "

    Delaying eviction

    ", + "

    You can ask a judge to \u2018suspend the warrant for possession\u2019. This means delaying the eviction or allowing you to stay in your home if you are able to make payments again.

    ", + "

    A new hearing will be held but the judge will not automatically agree to suspend the possession warrant \u2013 it depends what happens in court.

    ", + "

    If you want to get a warrant suspended, get advice immediately.

    ", + "

    Applying for a suspension

    ", + "

    If you want to apply for a suspension, you should fill out the application notice and either send it or deliver it to the court.

    ", + "

    You must tell the court that you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee.

    ", + "

    You may not have to pay the fee (otherwise known as \u2018fee remission\u2019) if you\u2019re on benefits or low pay.

    ", + "

    Appealing a judge's decision

    ", + "

    If you think the judge made mistakes about the law or the facts of your case in the original hearing, you may be able to appeal.

    ", + "

    Get legal advice if you want to appeal.

    ", + "

    Normally the appeal will be heard by a more senior judge.

    ", + "

    Permission to appeal

    ", + "

    You can ask the judge at the end of your original possession hearing if you can appeal.

    ", + "

    If the judge refuses to give permission to appeal, you can ask a more senior judge.

    ", + "

    If you get permission, make an application as soon as possible after your original possession hearing. You\u2019ll have to pay a court fee.

    ", + "

    You may not have to pay the fee if you\u2019re on benefits or low pay.

    ", + "

    What could happen

    ", + "

    At the appeal, the judge can make a number of decisions including:

    ", + "
  • keeping the original decision
  • ", + "
  • dismissing the previous decision or changing it
  • ", + "
  • ordering a new hearing
  • ", + "

    The judge can also decide who pays the legal costs of the appeal.

    ", + "

    If your home is repossessed

    ", + "

    Help from your council

    ", + "

    Your local council must give you advice to help you find a new home.

    ", + "

    Depending on your circumstances, they may also be able to provide you with emergency accommodation or a more permanent home.

    ", + "

    Buying another property

    ", + "

    You must tell any new mortgage lender that your previous home was repossessed. This could make getting a new mortgage hard.

    ", + "

    Your previous lender may be able to claim some of the proceeds of your new home if you still owe them money when you sell it.

    " + ] + }, + { + "title": "Squatting and the law", + "url": "https://www.gov.uk/squatting-law", + "contents": [ + "

    Overview

    ", + "

    Squatting is when someone deliberately enters property without permission and lives there, or intends to live there. This is sometimes known as \u2018adverse possession\u2019.

    ", + "

    Squatting in residential buildings (like a house or flat) is illegal. It can lead to 6 months in prison, a \u00a35,000 fine or both.

    ", + "

    Anyone who originally enters a property with the permission of the landlord is not a squatter. For example, if you\u2019re renting a property and fall behind with rent payments you\u2019re not squatting if you continue to live there.

    ", + "

    Although squatting in non-residential building or land is not in itself a crime, it\u2019s a crime to damage the property.

    ", + "

    It\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:

    ", + "
  • the owner
  • ", + "
  • the police
  • ", + "
  • the council
  • ", + "
  • a repossession order
  • ", + "

    Squatting in non-residential properties

    ", + "

    A non-residential property is any building or land that is not designed to be lived in.

    ", + "

    Simply being on another person\u2019s non-residential property without their permission is not usually a crime. The police can take action if squatters commit other crimes when entering or staying in a property.

    ", + "

    Crimes include:

    ", + "
  • causing damage when entering the property
  • ", + "
  • causing damage while in the property
  • ", + "
  • not leaving when they\u2019re told to by a court
  • ", + "
  • stealing from the property
  • ", + "
  • using utilities like electricity or gas without permission
  • ", + "
  • fly-tipping
  • ", + "
  • not obeying a noise abatement notice
  • ", + "

    Contact the police if you see someone breaking into or damaging property.

    ", + "

    Squatters' rights to property

    ", + "

    A long-term squatter can become the registered owner of property or land they\u2019ve occupied without the owner\u2019s permission.

    ", + "

    Get legal advice from a conveyancer or solicitor if you\u2019re a squatter in a property and want to claim ownership.

    ", + "

    Who can apply

    ", + "

    You can apply if you can prove:

    ", + "
  • you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)
  • ", + "
  • you (or your predecessors) acted as owners of the property for the whole of that time
  • ", + "
  • you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter
  • ", + "

    If the property\u2019s registered

    ", + "

    Fill in a form for adverse possession.

    ", + "

    Complete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.

    ", + "

    Send your form and statement to the HM Land Registry Citizen Centre.

    ", + "

    HM Land Registry will decide if your application is valid and will let the property owner know. The owner has 65 days to object - your application will usually be automatically rejected if they do.

    ", + "

    You\u2019ll be registered as the owner of the property if there\u2019s no objection.

    ", + "

    You can apply again after 2 years if:

    ", + "
  • the owner has not tried to remove you
  • ", + "
  • the property has not been reclaimed
  • ", + "
  • you\u2019re still in possession of the property
  • ", + "

    HM Land Registry will usually then register you as the owner.

    ", + "

    If the property\u2019s unregistered

    ", + "

    Complete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.

    ", + "

    Apply for first registration - include your statement with your application.

    ", + "

    HM Land Registry will:

    ", + "
  • inspect the property - you must pay a fee for this
  • ", + "
  • decide if your application is valid
  • ", + "
  • let the property owner know, if they have their details
  • ", + "

    You can try to come to an agreement with the owners if they object. HM Land Registry will arrange a tribunal to decide who owns the property if you cannot agree or do not want to.

    ", + "

    You may have to pay the costs of the owner, such as their reasonable legal fees, no matter what the outcome.

    ", + "

    Stop squatters legally possessing property

    ", + "

    HM Land Registry will tell you if squatters apply for legal ownership of your property if it\u2019s registered - you must take action if you want to keep it.

    ", + "

    Get legal advice from a conveyancer or solicitor if squatters try to claim your property.

    ", + "

    How you block an application depends on whether your property is registered with HM Land Registry or not.

    ", + "

    Registered properties

    ", + "

    You\u2019ve 65 days to object to an application - HM Land Registry will tell you what you need to do.

    ", + "

    HM Land Registry will reject the squatters\u2019 application if you\u2019ve got a valid objection.

    ", + "

    You must take action to remove the squatters and reclaim your property once the squatters\u2019 claim is rejected.

    ", + "

    You will not be able to object again if you\u2019ve done nothing within 2 years of the original application and the same squatters reapply.

    ", + "

    Unregistered properties

    ", + "

    You can object to a squatter\u2019s application. HM Land Registry will tell you what you need to do.

    ", + "

    HM Land Registry may not be able to contact you if your property is not registered.

    ", + "

    HM Land Registry will decide if your objection is valid - if it is they\u2019ll ask if you want to negotiate with the squatters, for example offer to sell them the property. You\u2019ll be given time to do so.

    ", + "

    A tribunal will decide who owns the property if you cannot agree - HM Land Registry will arrange this.

    ", + "

    Remove squatters

    ", + "

    You can remove squatters using an interim possession order (IPO) or making a claim for possession.

    ", + "

    Do not try to remove the squatters yourself using force or the threat of force - you\u2019re committing a crime if you do.

    ", + "

    Get legal advice from a solicitor if you need help making a claim for possession.

    ", + "

    Interim possession orders

    ", + "

    You can only apply for an IPO if it\u2019s been 28 days or less since you found out your property\u2019s been squatted.

    ", + "

    Fill in an application for an IPO and send it to your local county court.

    ", + "

    The court will send you confirmation of your IPO within a few days. They will also send you documents that you must give to the squatters within 48 hours.

    ", + "

    After being served with an IPO squatters can be sent to prison if they do not:

    ", + "
  • leave your property within 24 hours
  • ", + "
  • stay away from your property for 12 months
  • ", + "

    To get final possession of the property, you must make a claim for possession. You can do this on your IPO application form or separately online.

    ", + "

    Exceptions

    ", + "

    You cannot use an IPO if:

    ", + "
  • you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession
  • ", + "
  • you\u2019re trying to evict former tenants, sub-tenants or licensees
  • ", + "

    Claim for possession

    ", + "

    Make a claim for possession if it\u2019s been more than 28 days since you found out about the squatters.

    ", + "

    Where to get help

    ", + "

    You may be classed as homeless if you\u2019re squatting. Get advice from Shelter or Shelter in Wales.

    ", + "

    You can also contact your council for help.

    ", + "

    Report squatters

    ", + "

    Call the police if you:

    ", + "
  • find people squatting in a residential property you own
  • ", + "
  • see someone breaking into anywhere
  • ", + "
  • think someone is squatting
  • " + ] + }, + { + "title": "Noise from roads, trains or planes", + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "contents": [ + "

    Vehicle noise limits

    ", + "

    There are limits to the amount of noise that vehicles can make on public roads. This applies to all types of vehicles.

    ", + "

    In general, larger vehicles with bigger engines are able to make more noise.

    ", + "

    Noise limits on tyres

    ", + "

    There are noise limits on tyres and since November 2012 all new tyres are graded and labelled to show how noisy they are.

    ", + "

    Modified exhaust systems

    ", + "

    It\u2019s illegal to modify the exhaust system to make a vehicle noisier after it has been \u2018type approved\u2019 (checked it meets environmental and safety standards).

    ", + "

    The police can also take action if your vehicle\u2019s silencer doesn\u2019t work in the way it was designed or if you\u2019re driving in a way that creates too much noise.

    ", + "

    Noise from roads

    ", + "

    There\u2019s no legal limit to road noise, although noise levels might be taken into account when new roads or houses and offices near roads are planned.

    ", + "

    Planned new roads

    ", + "

    When planning a new road local highway authorities assess how the noise at your property will change when the road opens.

    ", + "

    If noise from a new road exceeds certain levels at your home you might be able to get sound insulation.

    ", + "

    Contact your highway authority to apply, or if you\u2019re worried about the noise from a planned road scheme - get their details from your local council.

    ", + "

    Compulsory purchase and road noise

    ", + "

    When a new road is built, it often involves the \u2018compulsory purchase\u2019 of land to make way for the road.

    ", + "

    You might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.

    ", + "

    After roads open to traffic

    ", + "

    You can apply for compensation if your property value goes down because of road noise from the use of a new or altered road.

    ", + "

    Railway noise

    ", + "

    There are no legal limits to noise from existing railways.

    ", + "

    If you think that noise levels are affecting your health contact your local council who will investigate on your behalf.

    ", + "

    If noise from a new railway affects your property you might be able to get sound insulation for your home. Contact the relevant rail authority - ask your local council for their details.

    ", + "

    If particular trains are causing you a problem, speak to the company running those trains.

    ", + "

    Find information on train operators on the National Rail website or call Network Rail.

    ", + "

    Aircraft noise

    ", + "

    Noise is regulated to some extent at all UK airports. This can include noise limits and restrictions on night flights.

    ", + "

    Aircraft paths are generally designed to fly over the least populated areas.

    ", + "

    Some airports operate grant schemes to install sound insulation in affected homes. Contact the airport that affects you to find out if they run one.

    ", + "

    The Civil Aviation Authority (CAA) has more information on aircraft noise and emissions.

    ", + "

    Complaining about aircraft noise

    ", + "

    To complain about noise or aircraft activities in general, get in touch with the relevant airport.

    ", + "

    Military aircraft

    ", + "

    Military aircraft are covered by different rules. You can complain about military aircraft noise or low flying military aircraft.

    ", + "

    Further information

    ", + "

    There are strategic noise maps for England provided by the Department for Environment, Food and Rural Affairs (Defra).

    ", + "

    These estimate noise from:

    ", + "
  • major roads - those with more than 6 million vehicle passages annually
  • ", + "
  • major railways - those with more than 60,000 train passages annually
  • ", + "
  • major airports - those with more than 50,000 aircraft movements annually (except for training on light aircraft)
  • ", + "

    They also estimate noise in urban areas (with populations greater than 250,000 and a certain population density).

    " + ] + }, + { + "title": "Capital Gains Tax", + "url": "https://www.gov.uk/capital-gains-tax", + "contents": [ + "

    Overview

    ", + "

    Capital Gains Tax is a tax on the profit when you sell (or \u2018dispose of\u2019) something (an \u2018asset\u2019) that\u2019s increased in value.

    ", + "

    It\u2019s the gain you make that\u2019s taxed, not the amount of money you receive.

    ", + "

    Some assets are tax-free. You also do not have to pay Capital Gains Tax if all your gains in a year are under your tax-free allowance.

    ", + "

    Disposing of an asset

    ", + "

    Disposing of an asset includes:

    ", + "
  • selling it
  • ", + "
  • giving it away as a gift, or transferring it to someone else
  • ", + "
  • swapping it for something else
  • ", + "
  • getting compensation for it - like an insurance payout if it\u2019s been lost or destroyed
  • ", + "

    What you pay it on

    ", + "

    You pay Capital Gains Tax on the gain when you sell (or \u2018dispose of\u2019):

    ", + "
  • most personal possessions worth \u00a36,000 or more, apart from your car
  • ", + "
  • property that\u2019s not your main home
  • ", + "
  • your main home if you\u2019ve let it out, used it for business or it\u2019s very large
  • ", + "
  • shares that are not in an ISA or PEP
  • ", + "
  • business assets
  • ", + "

    These are known as \u2018chargeable assets\u2019.

    ", + "

    If you sell or give away cryptoassets (like cryptocurrency or bitcoin) you should check if you have to pay Capital Gains Tax.

    ", + "

    Depending on the asset, you may be able to reduce any tax you pay by claiming a relief.

    ", + "

    If you dispose of an asset you jointly own with someone else, you have to pay Capital Gains Tax on your share of the gain.

    ", + "

    When you do not pay it

    ", + "

    You only have to pay Capital Gains Tax on your total gains above an annual tax-free allowance.

    ", + "

    You do not usually pay tax on gifts to your husband, wife, civil partner or a charity.

    ", + "

    What you do not pay it on

    ", + "

    You do not pay Capital Gains Tax on certain assets, including any gains you make from:

    ", + "
  • ISAs or PEPs
  • ", + "
  • UK government gilts and Premium Bonds
  • ", + "
  • betting, lottery or pools winnings
  • ", + "

    When someone dies

    ", + "

    When you inherit an asset, Inheritance Tax is usually paid by the estate of the person who\u2019s died. You only have to work out if you need to pay Capital Gains Tax if you later dispose of the asset.

    ", + "

    Overseas assets

    ", + "

    You may have to pay Capital Gains Tax even if your asset is overseas.

    ", + "

    There are special rules if you\u2019re a UK resident but not \u2018domiciled\u2019 and claim the \u2018remittance basis\u2019.

    ", + "

    If you\u2019re abroad

    ", + "

    You have to pay tax on gains you make on property and land in the UK even if you\u2019re non-resident for tax purposes. You do not pay Capital Gains Tax on other UK assets, for example shares in UK companies, unless you return to the UK within 5 years of leaving.

    ", + "

    Capital Gains Tax allowances

    ", + "

    You only have to pay Capital Gains Tax on your overall gains above your tax-free allowance (called the Annual Exempt Amount).

    ", + "

    The Capital Gains tax-free allowance is:

    ", + "
  • \u00a312,300
  • ", + "
  • \u00a36,150 for trusts
  • ", + "

    You can see tax-free allowances for previous years.

    ", + "

    You may also be able to reduce your tax bill by deducting losses or claiming reliefs - this depends on the asset.

    ", + "

    Gifts to your spouse or charity

    ", + "

    There are special rules for Capital Gains Tax on gifts or assets you dispose of to:

    ", + "
  • your spouse or civil partner
  • ", + "
  • charity
  • ", + "

    The normal rules apply for gifts to others.

    ", + "

    Your spouse or civil partner

    ", + "

    You do not pay Capital Gains Tax on assets you give or sell to your husband, wife or civil partner, unless:

    ", + "
  • you separated and did not live together at all in that tax year
  • ", + "
  • you gave them goods for their business to sell on
  • ", + "

    The tax year is from 6 April to 5 April the following year.

    ", + "

    If they later sell the asset

    ", + "

    Your spouse or civil partner may have to pay tax on any gain if they later dispose of the asset.

    ", + "

    Their gain will be calculated on the difference in value between when you first owned the asset and when they disposed of it.

    ", + "

    If this was before April 1982, your spouse or civil partner should work out their gain using the market value on 31 March 1982 instead.

    ", + "

    They should keep a record of what you paid for the asset.

    ", + "

    Gifts to charity

    ", + "

    You do not have to pay Capital Gains Tax on assets you give away to charity.

    ", + "

    You may have to pay if you sell an asset to charity for both:

    ", + "
  • more than you paid for it
  • ", + "
  • less than market value
  • ", + "

    Work out your gain using the amount the charity actually pays you, rather than the value of the asset.

    ", + "

    Work out if you need to pay

    ", + "

    You need to pay Capital Gains Tax when you sell an asset if your total taxable gains are above your annual Capital Gains Tax allowance.

    ", + "

    Work out your total taxable gains

    ", + "
  • Work out the gain for each asset (or your share of an asset if it\u2019s jointly owned). Do this for the personal possessions, shares, property or business assets you\u2019ve disposed of in the tax year.
  • ", + "
  • Add together the gains from each asset.
  • ", + "
  • Deduct any allowable losses.
  • ", + "

    The tax year runs from 6 April to 5 April the following year.

    ", + "

    You\u2019ll need to report and pay Capital Gains Tax if your taxable gains are above your allowance.

    ", + "

    If your total gains are less than the tax-free allowance

    ", + "

    You do not have to pay tax if your total taxable gains are under your Capital Gains Tax allowance.

    ", + "

    You still need to report your gains in your tax return if both of the following apply:

    ", + "
  • the total amount you sold the assets for was more than 4 times your allowance
  • ", + "
  • you\u2019re registered for Self Assessment
  • ", + "

    There are different rules for reporting a loss.

    ", + "

    If you\u2019re non-resident

    ", + "

    You need to tell HMRC when you sell property or land even if your gain is below the tax-free allowance or you make a loss. Non-residents do not pay tax on other capital gains.

    ", + "

    Report and pay Capital Gains Tax

    ", + "

    How and when you report Capital Gains Tax over your annual allowance depends on what you made the gain on.

    ", + "

    There are different ways to report and pay Capital Gains Tax due on:

    ", + "
  • UK residential property sold since 6 April 2020
  • ", + "
  • any other gains
  • ", + "

    To report any capital gains you\u2019ll need:

    ", + "
  • calculations for each capital gain or loss you report
  • ", + "
  • details of how much you bought and sold the asset for
  • ", + "
  • the dates when you took ownership and disposed of the asset
  • ", + "
  • any other relevant details, such as the costs of disposing of the asset and any tax reliefs you\u2019re entitled to
  • ", + "

    If you sold property in the UK on or after 6 April 2020

    ", + "

    You must report and pay any tax due on UK residential property using a Capital Gains Tax on UK property account within 30 days of selling it.

    ", + "

    You may have to pay interest and a penalty if you do not report gains on UK property within 30 days of selling it.

    ", + "

    Sign in or create a Capital Gains Tax on UK property account.

    ", + "

    You\u2019ll need a Government Gateway user ID and password to set your account up or sign in. If you do not have a user ID, you can create one the first time you sign in.

    ", + "

    Once you have an account you can sign in at any time to report Capital Gains Tax on UK property or see any returns you\u2019ve already sent.

    ", + "

    If you\u2019re not resident in the UK

    ", + "

    You must report sales of UK property as a non-resident within 30 days, even if you have no tax to pay.

    ", + "

    If you\u2019re reporting on behalf of someone else or a trust

    ", + "

    You need to use your own Capital Gains Tax on UK property account to report on behalf of someone else.

    ", + "

    You\u2019ll need proof you\u2019re allowed to report on their behalf, such as a lasting power of attorney. If the person has died, you\u2019ll need to give their date of death.

    ", + "

    If you\u2019re reporting as a trustee of a registered trust, you\u2019ll need the trust\u2019s registration number or unique tax reference.

    ", + "

    There\u2019s a different way to report your client\u2019s Capital Gains Tax on UK property as an agent.

    ", + "

    If you have other capital gains to report

    ", + "

    If your gain is not from residential property sold in the UK since 6 April 2020, you have a choice of how and when to report the tax.

    ", + "

    Report and pay the tax straightaway

    ", + "

    You can use the \u2018real time\u2019 Capital Gains Tax service immediately if you know what you owe.

    ", + "

    You need to report your gain by 31 December in the tax year after you made the gain. For example, if you made a gain in the 2020 to 2021 tax year, you need to report it by 31 December 2021.

    ", + "

    You\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you report and pay.

    ", + "

    After you\u2019ve reported your gains, HMRC will send you a letter or email giving you a payment reference number and telling you how to pay.

    ", + "

    If you need to change your report using the service, you\u2019ll need your report reference number starting with \u2018RTT\u2019. You\u2019ll get it by email within 10 days.

    ", + "

    Report your gains in a Self Assessment tax return in the following tax year

    ", + "

    You can report your gains in a Self Assessment tax return in the tax year after you disposed of assets.

    ", + "

    Do not wait until the next tax year to report gains on UK residential property sold since 6 April 2020. You may have to pay interest and a penalty if you do.

    ", + "

    If you do not usually send a tax return, register for Self Assessment after the tax year you disposed of your chargeable assets.

    ", + "

    You can get help with your tax return from an accountant or tax adviser.

    ", + "

    After you\u2019ve sent your return HMRC will tell you how much you owe in Capital Gains Tax, how to pay and when to pay by.

    ", + "

    Capital Gains Tax rates

    ", + "

    You pay a different rate of tax on gains from residential property than you do on other assets.

    ", + "

    You do not usually pay tax when you sell your home.

    ", + "

    If you pay higher rate Income Tax

    ", + "

    If you\u2019re a higher or additional rate taxpayer you\u2019ll pay:

    ", + "
  • 28% on your gains from residential property
  • ", + "
  • 20% on your gains from other chargeable assets
  • ", + "

    If you pay basic rate Income Tax

    ", + "

    If you\u2019re a basic rate taxpayer, the rate you pay depends on the size of your gain, your taxable income and whether your gain is from residential property or other assets.

    ", + "
  • Work out how much taxable income you have - this is your income minus your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.
  • ", + "
  • Work out your total taxable gains.
  • ", + "
  • Deduct your tax-free allowance from your total taxable gains.
  • ", + "
  • Add this amount to your taxable income.
  • ", + "
  • If this amount is within the basic Income Tax band you\u2019ll pay 10% on your gains (or 18% on residential property). You\u2019ll pay 20% (or 28% on residential property) on any amount above the basic tax rate.
  • ", + "

    If you have gains from both residential property and other assets

    ", + "

    You can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).

    ", + "

    If you\u2019re a trustee or business

    ", + "

    Trustees or personal representatives of someone who\u2019s died pay:

    ", + "
  • 28% on residential property
  • ", + "
  • 20% on other chargeable assets
  • ", + "

    You\u2019ll pay 10% if you\u2019re a sole trader or partnership and your gains qualify for Business Asset Disposal Relief.

    ", + "

    If you make a loss

    ", + "

    You can report losses on a chargeable asset to HM Revenue and Customs (HMRC) to reduce your total taxable gains.

    ", + "

    Losses used in this way are called \u2018allowable losses\u2019.

    ", + "

    Using losses to reduce your gain

    ", + "

    When you report a loss, the amount is deducted from the gains you made in the same tax year.

    ", + "

    If your total taxable gain is still above the tax-free allowance, you can deduct unused losses from previous tax years. If they reduce your gain to the tax-free allowance, you can carry forward the remaining losses to a future tax year.

    ", + "

    Reporting losses

    ", + "

    Claim for your loss by including it on your tax return. If you\u2019ve never made a gain and are not registered for Self Assessment, you can write to HMRC instead.

    ", + "

    You do not have to report losses straight away - you can claim up to 4 years after the end of the tax year that you disposed of the asset.

    ", + "

    There\u2019s an exception for losses made before 5 April 1996, which you can still claim for. You must deduct these after any more recent losses.

    ", + "

    Losses when disposing of assets to family and others

    ", + "

    Your husband, wife or civil partner

    ", + "

    You usually do not pay Capital Gains Tax on assets you give or sell to your spouse or civil partner. You cannot claim losses against these assets.

    ", + "

    Other family members and \u2018connected people\u2019

    ", + "

    You cannot deduct a loss from giving, selling or disposing of an asset to a family member unless you\u2019re offsetting a gain from the same person.

    ", + "

    This also applies to \u2018connected people\u2019 like business partners.

    ", + "

    Connected people

    ", + "

    HMRC defines connected people as including:

    ", + "
  • your brothers, sisters, parents, grandparents, children and grandchildren, and their husbands, wives or civil partners
  • ", + "
  • the brothers, sisters, parents, grandparents, children and grandchildren of your husband, wife or civil partner - and their husbands, wives or civil partners
  • ", + "
  • business partners
  • ", + "
  • a company you control
  • ", + "
  • trustees where you\u2019re the \u2018settlor\u2019 (or someone connected to you is)
  • ", + "

    Claiming for an asset that\u2019s lost its value

    ", + "

    You can claim losses on assets that you still own if they become worthless or of \u2018negligible value\u2019.

    ", + "

    HMRC has guidance on how to make a negligible value claim.

    ", + "

    Special rules

    ", + "

    HMRC has guidance on the special rules for losses:

    ", + "
  • when someone dies
  • ", + "
  • if you\u2019re non-resident and sell UK property or land
  • ", + "
  • if you\u2019ve temporarily lived abroad as a \u2018non-resident\u2019
  • ", + "
  • from your income on shares that are unquoted or in the Enterprise Investment Scheme
  • ", + "
  • on overseas assets if you\u2019re \u2018non-domiciled\u2019 in the UK and have claimed the \u2018remittance basis\u2019
  • ", + "

    Record keeping

    ", + "

    You need to collect records to work out your gains and fill in your tax return. You must keep them for at least a year after the Self Assessment deadline.

    ", + "

    You\u2019ll need to keep records for longer if you sent your tax return late or HM Revenue and Customs (HMRC) have started a check into your return.

    ", + "

    Businesses must keep records for 5 years after the deadline.

    ", + "

    Records you\u2019ll need

    ", + "

    Keep receipts, bills and invoices that show the date and the amount:

    ", + "
  • you paid for an asset
  • ", + "
  • of any additional costs like fees for professional advice, Stamp Duty, improvement costs, or to establish the market value
  • ", + "
  • you received for the asset - including things like payments you get later in instalments, or compensation if the asset was damaged
  • ", + "

    Also keep any contracts for buying and selling the asset (for example from solicitors or stockbrokers) and copies of any valuations.

    ", + "

    If you do not have records

    ", + "

    You must try to recreate your records if you cannot replace them after they\u2019ve been lost, stolen or destroyed.

    ", + "

    If you fill in your tax return using recreated records, you\u2019ll need to show where figures are:

    ", + "
  • estimated - that you want HMRC to accept as final
  • ", + "
  • provisional - that you\u2019ll update later with the actual figures
  • ", + "

    Market value

    ", + "

    Your gain is usually the difference between what you paid for your asset and what you sold it for.

    ", + "

    There are some situations where you use the market value instead.

    ", + "Situation | Use market value at", + "Gifts | Date of gift", + "Assets sold for less than they were worth to help the buyer | Date of sale", + "Inherited assets where you do not know the Inheritance Tax value | Date of death", + "Assets owned before April 1982 | 31 March 1982", + "

    Checking the market value

    ", + "

    HM Revenue and Customs (HMRC) can check your valuation.

    ", + "

    After you\u2019ve disposed of the asset, complete a \u2018Post-transaction valuation check\u2019 form. Return it to the address on the form - allow at least 3 months for HMRC\u2019s response.

    " + ] + }, + { + "title": "Capital Gains Tax on personal possessions", + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "contents": [ + "

    What you pay it on

    ", + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.

    ", + "

    Possessions you may need to pay tax on include:

    ", + "
  • jewellery
  • ", + "
  • paintings
  • ", + "
  • antiques
  • ", + "
  • coins and stamps
  • ", + "
  • sets of things, eg matching vases or chessmen
  • ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax.

    ", + "

    When you don\u2019t pay it

    ", + "

    You don\u2019t usually need to pay tax on gifts to your husband, wife, civil partner or a charity.

    ", + "

    You don\u2019t pay Capital Gains Tax on:

    ", + "
  • your car - unless you\u2019ve used it for business
  • ", + "
  • anything with a limited lifespan, eg clocks - unless used for business
  • ", + "

    Jointly owned possessions

    ", + "

    You\u2019re exempt from paying tax on the first \u00a36,000 of your share if you own a possession with other people.

    ", + "

    Work out your gain

    ", + "

    Your gain is usually the difference between what you paid for your personal possession and what you sold it for.

    ", + "

    Use the market value instead if:

    ", + "
  • it was a gift (there are different rules if it was to your spouse, civil partner or a charity)
  • ", + "
  • you sold it for less than it was worth to help the buyer
  • ", + "
  • you inherited it (and don\u2019t know the Inheritance Tax value)
  • ", + "
  • you owned it before April 1982
  • ", + "

    Deduct costs

    ", + "

    You can deduct certain costs of buying, selling or improving your personal possession from your gain.

    ", + "

    Costs you can deduct include:

    ", + "
  • fees, eg for valuing or advertising
  • ", + "
  • costs to improve your possession (but not repairs)
  • ", + "
  • VAT (unless you can reclaim it)
  • ", + "

    You can\u2019t deduct certain costs, including:

    ", + "
  • interest on a loan to buy your possession
  • ", + "
  • costs you can claim as expenses, if you\u2019ve used your possession for business
  • ", + "

    Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.

    ", + "

    If you sold it for between \u00a36,000 and \u00a315,000

    ", + "

    You may be able to reduce your gain if you got between \u00a36,000 and \u00a315,000 for your possession when you sold or disposed of it.

    ", + "
  • Subtract \u00a36,000 from the amount you\u2019ve received.
  • ", + "
  • Multiply this by 1.667.
  • ", + "
  • Compare this with the actual gain - use the lower amount as your capital gain.
  • ", + "

    Work out if you need to pay

    ", + "

    When you know your gain, you can work out if you need to report and pay Capital Gains Tax.

    ", + "

    If you\u2019ve used your possession for business, you can reduce or delay the tax you pay if you\u2019re eligible for tax relief.

    ", + "

    Reporting a loss

    ", + "

    The rules are different if you need to report a loss.

    ", + "

    You can claim losses for possessions sold for less than \u00a36,000. Work out your loss by using \u00a36,000 as the amount you sold your possession for, and report it in your tax return.

    ", + "

    Possessions with a limited lifespan

    ", + "

    You don\u2019t have to pay Capital Gains Tax on personal possessions with a lifespan of less than 50 years. This covers all machinery, and includes things like antique clocks or watches.

    ", + "

    Different rules apply if you\u2019ve used the possession for business. You don\u2019t have to pay Capital Gains Tax if it doesn\u2019t qualify for capital allowances. If it qualifies, you may need to pay Capital Gains Tax, but you can\u2019t claim losses.

    ", + "

    Possessions that are part of a set

    ", + "

    If you sell all or part of a set to the same person for less than \u00a36,000, you won\u2019t pay tax.

    ", + "

    If you sell parts of a set to different people, you won\u2019t pay tax on each part sold for less than \u00a36,000.

    ", + "

    Sets include things like chessmen, books by the same author, matching vases and sets of china.

    " + ] + }, + { + "title": "Pay your Self Assessment tax bill", + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "contents": [ + "

    Overview

    ", + "

    The deadlines for paying your tax bill are usually:

    ", + "
  • 31 January - for any tax you owe for the previous tax year (known as a balancing payment) and your first payment on account
  • ", + "
  • 31 July for your second payment on account
  • ", + "

    If you delayed making a payment on account in July 2020 because of coronavirus (COVID-19), this will be added to your tax bill due by 31 January 2021.

    ", + "

    Pay Self Assessment now

    ", + "

    You can pay in regular monthly instalments, if you prefer.

    ", + "

    You can get help if you cannot pay your tax bill on time.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Ways to pay

    ", + "

    Make sure you pay HM Revenue and Customs (HMRC) by the deadline. You\u2019ll be charged interest and may have to pay a penalty if your payment is late.

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same or next day

    ", + "
  • through your online bank account
  • ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • by debit or corporate credit card online
  • ", + "
  • at your bank or building society
  • ", + "

    You need a paying-in slip from HMRC to pay at a bank or building society.

    ", + "

    3 working days

    ", + "
  • Bacs
  • ", + "
  • Direct Debit (if you\u2019ve set one up with HMRC before)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set one up with HMRC before)
  • ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before (unless you\u2019re paying by Faster Payments or by debit or credit card).

    ", + "

    Problems with payment services

    ", + "

    Online payment services may be slow during busy times. Check if there are any current problems or times they are not available.

    ", + "

    Direct Debit

    ", + "

    Set up a Direct Debit through your HM Revenue and Customs (HMRC) online account to make single payments for 31 January.

    ", + "

    You can also set up another Direct Debit if you need to make a payment on account.

    ", + "

    You\u2019ll need to set up single payments each time you want to pay by Direct Debit.

    ", + "

    Reference number

    ", + "

    You\u2019ll need to use your 11-character payment reference. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.

    ", + "

    You\u2019ll find it either on your:

    ", + "
  • HMRC online account
  • ", + "
  • paying-in slip, if you get paper statements
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.

    ", + "

    If you\u2019re unable to pay your Self-Assessment tax bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    Make an online or telephone bank transfer

    ", + "

    You can pay your Self Assessment bill using Faster Payments, CHAPS or Bacs.

    ", + "

    Pay by Faster Payments, CHAPS or Bacs

    ", + "

    Your bill will tell you which account to pay in to. If you do not have a bill, or you\u2019re not sure, use HMRC Cumbernauld.

    ", + "

    Account details to use

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001039 | HMRC Cumbernauld", + "08 32 10 | 12001020 | HMRC Shipley", + "

    If your account is overseas

    ", + "Bank identifier code (BIC) | Account number (IBAN) | Account name", + "BARCGB22 | GB62BARC20114770297690 | HMRC Cumbernauld", + "BARCGB22 | GB03BARC20114783977692 | HMRC Shipley", + "

    What you\u2019ll need

    ", + "

    You\u2019ll need to use your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.

    ", + "

    You can find it on your:

    ", + "
  • HMRC online account
  • ", + "
  • paying-in slip, if you get paper statements
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Payments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Payments from overseas may take longer - check with your bank.

    ", + "

    Multiple payments by CHAPS

    ", + "

    Send an online CHAPS enquiry form if you want to make a single CHAPS payment for multiple Self Assessment bills, using more than one payment reference number.

    ", + "

    HMRC\u2019s banking address is:

    ", + "

    Approve a payment through your online bank account

    ", + "

    You can pay your Self Assessment bill directly using your online or mobile bank account.

    ", + "

    When you\u2019re ready to pay, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your Self Assessment payment.

    ", + "

    The payment is usually instant but sometimes it takes up to 2 hours to show in your account.

    ", + "

    You\u2019ll need to have your online banking details ready to pay this way.

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    Use your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find it either:

    ", + "
  • in your HMRC online account
  • ", + "
  • on your paying-in slip, if you get paper statements
  • ", + "

    HMRC will accept your payment on the date you make it, not the date it reaches their account - including on bank holidays and weekends.

    ", + "

    If you\u2019re unable to pay your Self Assessment tax bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    You can only pay at your branch by cash or cheque if you both:

    ", + "
  • still get paper statements from HM Revenue and Customs (HMRC)
  • ", + "
  • have the paying-in slip HMRC sent you
  • ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find the reference number on the paying-in slip.

    ", + "

    HMRC will accept your payment on the date you make it, and not the date it reaches their account (as long as you pay from Monday to Friday).

    ", + "

    If you do not have a paying-in slip

    ", + "

    You\u2019ll need to pay by another method instead, for example:

    ", + "
  • debit or corporate credit card online
  • ", + "
  • online or telephone banking
  • ", + "
  • Direct Debit
  • ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find this on your payslip.

    ", + "

    Include the payslip HMRC sent you (if you still get paper statements). Do not fold the payslip or cheque or fasten them together.

    ", + "

    Your payment may be delayed if you do not fill in your cheque correctly.

    ", + "

    If you do not have an HMRC payslip

    ", + "

    You can print a slip to use to pay by post. You cannot use this at a bank.

    ", + "

    Pay in instalments

    ", + "

    If you\u2019ve already filed your Self Assessment tax return, you might be able to pay the bill in instalments.

    ", + "

    What you need to do depends on whether you want to:

    ", + "
  • make payments against your latest bill
  • ", + "
  • make advance payments against your next bill
  • ", + "

    If you cannot afford to pay your latest bill

    ", + "

    You can set up a payment plan to spread the cost of your latest Self Assessment bill if all the following apply:

    ", + "
  • you owe \u00a330,000 or less
  • ", + "
  • you do not have any other payment plans or debts with HMRC
  • ", + "
  • your tax returns are up to date
  • ", + "
  • it\u2019s less than 60 days after the payment deadline
  • ", + "

    You can choose how much to pay straight away and how much you want to pay each month. You\u2019ll have to pay interest.

    ", + "

    If you don\u2019t keep up with your repayments, HM Revenue and Customs (HMRC) can ask you to pay everything you owe.

    ", + "

    There are 2 ways you can set up a payment plan:

    ", + "
  • set up a payment plan online
  • ", + "
  • call the Payment Support Service
  • ", + "

    If you want to make regular payments in advance

    ", + "

    You can set up a budget payment plan if you want to put aside money to cover your next Self Assessment tax bill.

    ", + "

    This is different from payments on account, which you normally make once every 6 months towards your next tax bill.

    ", + "

    The budget payment plan lets you:

    ", + "
  • decide how much to pay each week or month
  • ", + "
  • stop paying for up to 6 months
  • ", + "

    You must be up to date with your previous Self Assessment payments.

    ", + "

    Set up your plan using your HM Revenue and Customs (HMRC) online account. Go to the Direct Debit section and choose the budget payment option when filling in the Direct Debit form.

    ", + "

    If the amount in your budget payment plan does not cover your next bill in full, you\u2019ll need to pay the difference by the payment deadlines.

    ", + "

    Through your tax code

    ", + "

    You can pay your Self Assessment bill through your PAYE tax code as long as all these apply:

    ", + "
  • you owe less than \u00a33,000 on your tax bill
  • ", + "
  • you already pay tax through PAYE, for example you\u2019re an employee or you get a company pension
  • ", + "
  • you submitted your paper tax return by 31 October or your online tax return online by 30 December
  • ", + "

    How it\u2019s set up

    ", + "

    HM Revenue and Customs (HMRC) will automatically collect what you owe through your tax code if you meet all 3 conditions, unless you\u2019ve specifically asked them not to (on your tax return).

    ", + "

    If you\u2019re not eligible, you will not be able to pay this way.

    ", + "

    When you cannot pay through your tax code

    ", + "

    You will not be able to pay your tax bill through your PAYE tax code if:

    ", + "
  • you do not have enough PAYE income for HMRC to collect it
  • ", + "
  • you\u2019d pay more than 50% of your PAYE income in tax
  • ", + "
  • you\u2019d end up paying more than twice as much tax as you normally do
  • ", + "

    If you\u2019re self-employed you cannot pay Class 2 National Insurance through your tax code, unless it\u2019s been due since before 6 April 2015. You must use one of the other ways to pay by the deadline instead.

    ", + "

    How deductions are made

    ", + "

    The tax you owe will be taken from your salary or pension in equal instalments over 12 months, along with your usual tax deductions.

    ", + "

    Check your payment has been received

    ", + "

    View your HM Revenue and Customs online account to check if your payment\u2019s been received - it should show as paid between 3 to 6 working days later.

    ", + "

    If paying by post, you can include a letter with your payment to ask for a receipt from HMRC.

    " + ] + }, + { + "title": "Tax when you sell shares", + "url": "https://www.gov.uk/tax-sell-shares", + "contents": [ + "

    What you pay it on

    ", + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) shares or other investments.

    ", + "

    Shares and investments you may need to pay tax on include:

    ", + "
  • shares that are not in an ISA or PEP
  • ", + "
  • units in a unit trust
  • ", + "
  • certain bonds (not including Premium Bonds and Qualifying Corporate Bonds)
  • ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax. This will depend on if your total gains are above your Capital Gains Tax allowance for the tax year.

    ", + "

    When you do not pay it

    ", + "

    You do not usually need to pay tax if you give shares as a gift to your husband, wife, civil partner or a charity.

    ", + "

    You also do not pay Capital Gains Tax when you dispose of:

    ", + "
  • shares you\u2019ve put into an ISA or PEP
  • ", + "
  • shares in employer Share Incentive Plans (SIPs)
  • ", + "
  • UK government gilts (including Premium Bonds)
  • ", + "
  • Qualifying Corporate Bonds
  • ", + "
  • employee shareholder shares - depending on when you got them
  • ", + "

    Work out your gain

    ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay Capital Gains Tax.

    ", + "

    Your gain is usually the difference between what you paid for your shares and what you sold them for.

    ", + "

    Market value

    ", + "

    In some situations you should use the market value of the shares when working out your gain. Do this if:

    ", + "
  • you gave them away as a gift to someone other than your spouse, civil partner or a charity
  • ", + "
  • you sold them for less than they were worth
  • ", + "
  • you inherited them and do not know the Inheritance Tax value
  • ", + "
  • you owned them before April 1982
  • ", + "
  • you acquired them through certain Employee Share Schemes
  • ", + "

    If the shares were given or sold to you by someone who claimed Gift Hold-Over Relief, use the amount that person paid for them to work out your gain. If you paid less than they were worth, use the amount you paid for them.

    ", + "

    Selling in special circumstances

    ", + "

    There are special rules for working out the cost of your shares if you sell:

    ", + "
  • shares you bought at different times and prices in one company
  • ", + "
  • shares through an investment club
  • ", + "
  • shares after a company merger or takeover
  • ", + "
  • employee share scheme shares
  • ", + "

    Jointly owned shares and investments

    ", + "

    If you sell shares or investments that you own jointly with other people, work out the gain for the portion that you own, instead of the whole value. There are different rules for investment clubs.

    ", + "

    What to do next

    ", + "

    Deduct costs

    ", + "

    You can deduct certain costs of buying or selling your shares from your gain. These include:

    ", + "
  • fees, for example stockbrokers\u2019 fees
  • ", + "
  • Stamp Duty Reserve Tax (SDRT) when you bought the shares
  • ", + "

    Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.

    ", + "

    Apply reliefs

    ", + "

    You may be able to reduce or delay paying Capital Gains Tax if you\u2019re eligible for tax relief.

    ", + "

    Work out if you need to pay

    ", + "

    When you know your gain you need to work out if you need to report and pay Capital Gains Tax.

    ", + "

    You may be able to work out how much tax to pay on your shares.

    ", + "

    You can use the calculator if you sold shares that were:

    ", + "
  • the same type, acquired in the same company on the same date
  • ", + "
  • sold at the same time
  • ", + "

    You can not use the calculator if you:

    ", + "
  • sold other shares in the tax year
  • ", + "
  • sold other chargeable assets in the tax year, such as a property you let out
  • ", + "
  • claim any reliefs
  • ", + "
  • are a company, agent, trustee or personal representative
  • ", + "

    Calculate Capital Gains Tax

    ", + "

    Reporting a loss

    ", + "

    The rules are different if you need to report a loss.

    ", + "

    You can claim losses on shares you own if they become worthless or of \u2018negligible value\u2019 (for example because the company goes into liquidation).

    ", + "

    HMRC has guidance on making a negligible value claim.

    ", + "

    Selling shares in the same company

    ", + "

    There\u2019s a different way of working out your cost if you\u2019ve sold the same type of shares in a company that you bought at different times.

    ", + "

    You\u2019ll usually need to work out the average cost of your shares and deduct this from what you got for them to work out your gain.

    ", + "

    If you bought new shares of the same type in the same company within 30 days of selling your old ones, there are special rules for working out the cost to use in your tax calculations.

    ", + "

    Contact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.

    ", + "

    Investment clubs

    ", + "

    You work out your gain differently if you\u2019ve bought and sold shares through an investment club.

    ", + "

    An investment club is a group of people that buys and sells shares together on the stock market.

    ", + "

    Work out your gain

    ", + "

    You\u2019ll get a written statement of your gains and losses (an \u2018investment club certificate (PDF, 212KB)\u2019) at the end of each tax year from the person who runs the club, for example its treasurer.

    ", + "

    When you know your gain, work out if you need to report and pay Capital Gains Tax. There are special rules if you make any losses.

    ", + "

    Leaving an investment club

    ", + "

    The club buys back your shares if you leave, and you need to include any gain or loss when you\u2019re working out if you need to pay tax.

    ", + "
  • Take your share of any gains during your membership of the club, and deduct your share of any losses.
  • ", + "
  • Add any income from dividends you received (after tax).
  • ", + "
  • Add any other money you received from the club, and deduct anything you paid into it (for example a monthly amount to invest).
  • ", + "
  • Deduct the total from what you received from the club for your shares.
  • ", + "

    Contact HM Revenue and Customs (HMRC) or get professional help (for example from an accountant) if you need advice.

    ", + "

    Transferring shares into the club

    ", + "

    If you transfer shares you already own into the club, you\u2019re treated as selling them and you need to work out your gain.

    ", + "

    If you run an investment club

    ", + "

    The investment club treasurer or secretary should:

    ", + "
  • divide any income, gains and losses between its members according to the club\u2019s rules
  • ", + "
  • give every member a written statement at the end of each tax year - you can use HMRC\u2019s investment club certificate (PDF, 212KB)
  • ", + "
  • keep records including members\u2019 income and gains
  • ", + "
  • arrange to buy shares from members who want to leave the club
  • ", + "

    If you\u2019re starting a new investment club, make sure it has a constitution and rules. Get legal advice from a professional if you need help.

    ", + "

    Tax relief

    ", + "

    You may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.

    ", + "Relief | Description", + "Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax instead of the normal rates if you sell shares in a trading company that you work for and have at least 5% of the shares and voting rights (known as a \u2018personal company\u2019).", + "Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away shares in a personal company or unlisted company - the person you gave them to pays tax when they sell them.", + "Enterprise Investment Scheme (EIS) | Delay or reduce your Capital Gains Tax if you use a gain to buy unlisted shares in companies approved for EIS.", + "Seed Enterprise Investment Scheme (SEIS) | Pay no Capital Gains Tax on a gain of up to \u00a3100,000 if you use a gain to buy new shares in small early-stage companies approved for SEIS.", + "Rollover relief | Delay paying Capital Gains Tax if you sell unlisted shares to the trustees of a Share Incentive Plan (SIP) and use the proceeds to buy new assets.", + "

    Shares are \u2018unlisted\u2019 if they\u2019re in a company that is not listed on the London Stock Exchange or a recognised stock exchange abroad.

    " + ] + }, + { + "title": "Tax when you sell your home", + "url": "https://www.gov.uk/tax-sell-home", + "contents": [ + "

    Private Residence Relief

    ", + "

    You do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:

    ", + "
  • you have one home and you\u2019ve lived in it as your main home for all the time you\u2019ve owned it
  • ", + "
  • you have not let part of it out - this does not include having a lodger
  • ", + "
  • you have not used a part of your home exclusively for business purposes (using a room as a temporary or occasional office does not count as exclusive business use)
  • ", + "
  • the grounds, including all buildings, are less than 5,000 square metres (just over an acre) in total
  • ", + "
  • you did not buy it just to make a gain
  • ", + "

    If all these apply you will automatically get a tax relief called Private Residence Relief and will have no tax to pay. If any of them apply, you may have some tax to pay.

    ", + "

    Find out if you\u2019re eligible for Private Residence Relief.

    ", + "

    Married couples and civil partners can only count one property as their main home at any one time.

    ", + "

    The rules are different if you sell property that\u2019s not your home or if you live abroad.

    ", + "

    Work out your gain

    ", + "

    You may need to pay tax when you sell your home if you do not qualify for full Private Residence Relief.

    ", + "

    If you have tax to pay you need to work out how much gain you made when you sold your home.

    ", + "

    Your gain is usually the difference between what you paid for your home and what you sold it for. Use the market value instead if:

    ", + "
  • it was a gift (there are different rules if it was to your spouse, civil partner or a charity)
  • ", + "
  • you sold it for less than it was worth to help the buyer
  • ", + "
  • you inherited the asset (and do not know the Inheritance Tax value)
  • ", + "
  • you owned it before April 1982
  • ", + "

    If you\u2019re not resident in the UK for tax, you only pay tax on gains since 5 April 2015.

    ", + "

    Deducting costs

    ", + "

    You can deduct costs of buying, selling or improving your property from your gain. These include:

    ", + "
  • estate agents\u2019 and solicitors\u2019 fees
  • ", + "
  • costs of improvement works, for example for an extension - normal maintenance costs like decorating do not count
  • ", + "

    You cannot deduct certain costs, like interest on a loan to buy your property. Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.

    ", + "

    There are special rules for calculating your gain if you sell a lease or your home is compulsorily purchased.

    ", + "

    Work out if you need to pay

    ", + "

    Once you know your gain and have worked out how much tax relief you get, you can calculate if you need to report and pay Capital Gains Tax.

    ", + "

    You cannot use the calculator if you:

    ", + "
  • sold other chargeable assets in the tax year, for example shares
  • ", + "
  • reduced your share of a property that you still jointly own
  • ", + "
  • claim any reliefs other than Private Residence Relief or Letting Relief
  • ", + "
  • are a company, agent, trustee or personal representative
  • ", + "

    Calculate Capital Gains Tax

    ", + "

    If you have Capital Gains Tax to pay

    ", + "

    You must report and pay any Capital Gains Tax on most sales of UK property within 30 days.

    ", + "

    Living away from your home

    ", + "

    You may get less Private Residence Relief if you live away from your home. However, you always get relief for certain periods.

    ", + "

    The rules are different if you\u2019re not UK resident for tax.

    ", + "

    Periods that always qualify for relief

    ", + "

    No matter how many homes you own or where you lived at the time, you always get relief for the last 9 months before you sold your home.

    ", + "

    It must have been your only or main residence at some point while you owned it.

    ", + "

    You\u2019ll also get relief for up to the first 2 years that you owned the home if both the following apply:

    ", + "
  • it was being built, renovated or you could not sell your old home
  • ", + "
  • you lived in it as your only or main residence within 2 years of owning it
  • ", + "

    You get relief for these periods even if you nominated a different home as your main home.

    ", + "

    If you have one home or you nominated your home

    ", + "

    You get relief if you were away from it for:

    ", + "
  • any reason for periods adding up to 3 years
  • ", + "
  • up to 4 years if you had to live away from home in the UK for work
  • ", + "
  • any period if you were working outside the UK
  • ", + "

    You must have lived in the home before and afterwards, unless your work prevented you.

    ", + "

    If you only own one home you get relief for the last 36 months before you sold your home if any of the following apply:

    ", + "
  • you\u2019re disabled
  • ", + "
  • you\u2019re in long-term residential care
  • ", + "
  • you sold the property before 6 April 2014
  • ", + "

    You get relief for the last 18 months if none of these apply, but you sold your home before 6 April 2020.

    ", + "

    If you own more than one home

    ", + "

    In most cases, you only get relief for one home for any period. You must work out when you lived in each property as your main home.

    ", + "

    If you\u2019re married or in a civil partnership only one home per couple counts as your main home for any period.

    ", + "

    If you\u2019ve nominated a home you cannot get relief for another property for the time your home is nominated, apart from for the periods that always qualify for relief.

    ", + "

    There are other rules that affect tax relief when you sell your home.

    ", + "

    If you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.

    ", + "

    Nominating a home

    ", + "

    If you nominate a property as your main home you qualify for relief for most of the time you live away. You must have lived in the home as your only or main residence at some point while you owned it.

    ", + "

    The rules are different if you\u2019re not UK resident for tax.

    ", + "

    You cannot get relief for another property for the time your home is nominated, apart from for certain periods that always qualify for relief.

    ", + "

    You can nominate one property as your main home by writing to HM Revenue and Customs (HMRC). Include the address of the home you want to nominate. All the owners of the property must sign the letter.

    ", + "

    If you want to nominate a home you must do this within 2 years every time your combination of homes changes.

    ", + "

    If you do not nominate a home and you sell one of your properties you must work out how long you lived in it as your main home.

    ", + "

    Overseas properties

    ", + "

    From 6 April 2015, you can only nominate an overseas property if you lived in it for at least 90 days in the tax year.

    ", + "

    If you let out your home

    ", + "

    You may have to pay Capital Gains Tax if you\u2019ve let out your home. How much you pay depends on how long you lived in it.

    ", + "

    Having a lodger does not count as letting out your home.

    ", + "

    Work out how much tax you have to pay

    ", + "

    You\u2019ll pay tax on your \u2018chargeable gain\u2019. This is your gain minus any Private Residence Relief you\u2019re eligible for.

    ", + "

    You get full relief for:

    ", + "
  • the years you lived in the home
  • ", + "
  • the last 9 months you owned the home - even if you were not living there at the time
  • ", + "

    If you sold the property between 6 April 2014 and 6 April 2020, you get relief for the last 18 months you owned it.

    ", + "

    If you only own one home and you\u2019re disabled, in long-term residential care or sold the property before 6 April 2014 you get full relief for the last 36 months you owned it.

    ", + "

    If you only let out part of your home

    ", + "

    You\u2019ll need to work out what proportion of your home you lived in. You only get Private Residence Relief on this proportion of your gain.

    ", + "

    Claim Letting Relief

    ", + "

    If you lived in your home at the same time as your tenants, you may qualify for Letting Relief on gains you make when you sell the property.

    ", + "

    You can get the lowest of the following:

    ", + "
  • the same amount you got in Private Residence Relief
  • ", + "
  • \u00a340,000
  • ", + "
  • the same amount as the chargeable gain you made while letting out part of your home
  • ", + "

    Letting Relief does not cover any proportion of the chargeable gain you make while your home is empty.

    ", + "

    There are other rules that may affect the amount of Capital Gains Tax you need to pay.

    ", + "

    If you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.

    " + ] + }, + { + "title": "Trusts and taxes", + "url": "https://www.gov.uk/trusts-taxes", + "contents": [ + "

    Overview

    ", + "

    A trust is a way of managing assets (money, investments, land or buildings) for people. There are different types of trusts and they are taxed differently.

    ", + "

    Trusts involve:

    ", + "
  • the \u2018settlor\u2019 - the person who puts assets into a trust
  • ", + "
  • the \u2018trustee\u2019 - the person who manages the trust
  • ", + "
  • the \u2018beneficiary\u2019 - the person who benefits from the trust
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    What trusts are for

    ", + "

    Trusts are set up for a number of reasons, including:

    ", + "
  • to control and protect family assets
  • ", + "
  • when someone\u2019s too young to handle their affairs
  • ", + "
  • when someone cannot handle their affairs because they\u2019re incapacitated
  • ", + "
  • to pass on assets while you\u2019re still alive
  • ", + "
  • to pass on assets when you die (a \u2018will trust\u2019)
  • ", + "
  • under the rules of inheritance if someone dies without a will (in England and Wales)
  • ", + "

    What the settlor does

    ", + "

    The settlor decides how the assets in a trust should be used - this is usually set out in a document called the \u2018trust deed\u2019.

    ", + "

    Sometimes the settlor can also benefit from the assets in a trust - this is called a \u2018settlor-interested\u2019 trust and has special tax rules. Find out more by reading the information on different types of trust.

    ", + "

    What trustees do

    ", + "

    The trustees are the legal owners of the assets held in a trust. Their role is to:

    ", + "
  • deal with the assets according to the settlor\u2019s wishes, as set out in the trust deed or their will
  • ", + "
  • manage the trust on a day-to-day basis and pay any tax due
  • ", + "
  • decide how to invest or use the trust\u2019s assets
  • ", + "

    If the trustees change, the trust can still continue, but there always has to be at least one trustee.

    ", + "

    Beneficiaries

    ", + "

    There might be more than one beneficiary, like a whole family or defined group of people. They may benefit from:

    ", + "
  • the income of a trust only, for example from renting out a house held in a trust
  • ", + "
  • the capital only, for example getting shares held in a trust when they reach a certain age
  • ", + "
  • both the income and capital of the trust
  • ", + "

    If you need help

    ", + "

    Contact a solicitor or tax advisor. They can also talk to HM Revenue and Customs (HMRC) on your behalf if you give them permission.

    ", + "

    You can also get help from the Society of Trust and Estate Practitioners.

    ", + "

    Types of trust

    ", + "

    The main types of trust are:

    ", + "
  • bare trusts
  • ", + "
  • interest in possession trusts
  • ", + "
  • discretionary trusts
  • ", + "
  • accumulation trusts
  • ", + "
  • mixed trusts
  • ", + "
  • settlor-interested trusts
  • ", + "
  • non-resident trusts
  • ", + "

    Each type of trust is taxed differently. Trusts involve a \u2018trustee\u2019, \u2018settlor\u2019 and \u2018beneficiary\u2019.

    ", + "

    Bare trusts

    ", + "

    Assets in a bare trust are held in the name of a trustee. However, the beneficiary has the right to all of the capital and income of the trust at any time if they\u2019re 18 or over (in England and Wales), or 16 or over (in Scotland). This means the assets set aside by the settlor will always go directly to the intended beneficiary.

    ", + "

    Bare trusts are often used to pass assets to young people - the trustees look after them until the beneficiary is old enough.

    ", + "

    Interest in possession trusts

    ", + "

    These are trusts where the trustee must pass on all trust income to the beneficiary as it arises (less any expenses).

    ", + "

    Discretionary trusts

    ", + "

    These are where the trustees can make certain decisions about how to use the trust income, and sometimes the capital.

    ", + "

    Depending on the trust deed, trustees can decide:

    ", + "
  • what gets paid out (income or capital)
  • ", + "
  • which beneficiary to make payments to
  • ", + "
  • how often payments are made
  • ", + "
  • any conditions to impose on the beneficiaries
  • ", + "

    Discretionary trusts are sometimes set up to put assets aside for:

    ", + "
  • a future need, like a grandchild who may need more financial help than other beneficiaries at some point in their life
  • ", + "
  • beneficiaries who are not capable or responsible enough to deal with money themselves
  • ", + "

    Accumulation trusts

    ", + "

    This is where the trustees can accumulate income within the trust and add it to the trust\u2019s capital. They may also be able to pay income out, as with discretionary trusts.

    ", + "

    Mixed trusts

    ", + "

    These are a combination of more than one type of trust. The different parts of the trust are treated according to the tax rules that apply to each part.

    ", + "

    Settlor-interested trusts

    ", + "

    These are where the settlor or their spouse or civil partner benefits from the trust. The trust could be:

    ", + "
  • an interest in possession trust
  • ", + "
  • an accumulation trust
  • ", + "
  • a discretionary trust
  • ", + "

    Non-resident trusts

    ", + "

    This is a trust where the trustees are not resident in the UK for tax purposes. The tax rules for non-resident trusts are very complicated.

    ", + "

    Parental trusts for children

    ", + "

    These are trusts set up by parents for children under 18 who have never been married or in a civil partnership. They\u2019re not a type of trust in their own right but will be either:

    ", + "
  • a bare trust
  • ", + "
  • an interest in possession trust
  • ", + "
  • an accumulation trust
  • ", + "
  • a discretionary trust
  • ", + "

    Read the information on types of trust to find out more.

    ", + "

    Income Tax

    ", + "

    Income Tax on income from the trust is paid by the trustees, but the \u2018settlor\u2019 is responsible for it. This means:

    ", + "
  • The trustees pay Income Tax on the trust income by filling out a Trust and Estate Tax Return.
  • ", + "
  • They give the settlor a statement of all the income and the rates of tax charged on it.
  • ", + "
  • The settlor tells HM Revenue and Customs (HMRC) about the tax the trustees have paid on their behalf when filling out their Self Assessment tax return.
  • ", + "

    Trusts for vulnerable people

    ", + "

    Some trusts for disabled people or children get special tax treatment. These are called \u2018trusts for vulnerable beneficiaries\u2019.

    ", + "

    Who qualifies as a vulnerable beneficiary

    ", + "

    A vulnerable beneficiary is either someone under 18 whose parent has died or a disabled person who is eligible for any of the following benefits (even if they do not receive them):

    ", + "
  • Attendance Allowance
  • ", + "
  • Disability Living Allowance (either the care component at the highest or middle rate, or the mobility component at the higher rate)
  • ", + "
  • Personal Independence Payment
  • ", + "
  • an increased disablement pension
  • ", + "
  • Constant Attendance Allowance
  • ", + "
  • Armed Forces Independence Payment
  • ", + "

    A vulnerable beneficiary can also be someone who is unable to manage their own affairs because of a mental health condition - check with a medical professional that it\u2019s covered by the Mental Health Act 1983.

    ", + "

    Trusts that qualify for special tax treatment

    ", + "

    A trust does not qualify for special Income Tax treatment if the person setting it up can benefit from the trust income. However, from 2008 to 2009 it would qualify for special Capital Gains Tax treatment.

    ", + "

    Trusts for children who\u2019ve lost a parent are usually set up by the parent\u2019s will, or by special rules of inheritance if there\u2019s no will.

    ", + "

    If someone dies without a will in Scotland, a trust set up there for their children is usually treated as a bare trust for tax purposes.

    ", + "

    If there\u2019s more than one beneficiary

    ", + "

    If there are beneficiaries who are not vulnerable, the assets and income for the vulnerable beneficiary must be:

    ", + "
  • identified and kept separate
  • ", + "
  • used only for that person
  • ", + "

    Only that part of the trust gets special tax treatment.

    ", + "

    Claiming special tax treatment

    ", + "

    To claim special treatment for Income Tax and Capital Gains Tax, the trustees have to fill in the \u2018Vulnerable Person Election\u2019 form.

    ", + "

    If there\u2019s more than one vulnerable beneficiary, each needs a separate form.

    ", + "

    The trustees and beneficiary must both sign the form.

    ", + "

    If the vulnerable person dies or is no longer vulnerable, the trustees must tell HMRC.

    ", + "

    Income Tax

    ", + "

    In a trust with a vulnerable beneficiary, the trustees are entitled to a deduction of Income Tax. It\u2019s calculated like this:

    ", + "
  • Trustees work out what their trust Income Tax would be if there was no claim for special treatment - this will vary according to which type of trust it is.
  • ", + "
  • They then work out what Income Tax the vulnerable person would have paid if the trust income had been paid directly to them as an individual.
  • ", + "
  • They can then claim the difference between these 2 figures as a deduction from their own Income Tax liability.
  • ", + "

    This is a complicated calculation but there\u2019s a detailed worked example on the HMRC website.

    ", + "

    Capital Gains Tax

    ", + "

    Capital Gains Tax may be due if assets are sold, given away, exchanged or transferred in another way and they\u2019ve gone up in value since being put into trust.

    ", + "

    Tax is only paid by trustees if the assets have increased in value above the \u2018annual exempt amount\u2019, which is an allowance of \u00a312,300 for people who have a mental or physical disability, or \u00a36,150 for other trustees.

    ", + "

    Trustees are responsible for paying any Capital Gains Tax due. If the trust is for vulnerable people, trustees can claim a reduction, which is calculated like this:

    ", + "
  • They work out what they would pay if there was no reduction.
  • ", + "
  • They then work out what the beneficiary would have to pay if the gains had come directly to them.
  • ", + "
  • They can claim the difference between these 2 amounts as a reduction on what they have to pay in Capital Gains Tax using form SA905.
  • ", + "

    This special Capital Gains Tax treatment does not apply in the tax year when the beneficiary dies.

    ", + "

    Inheritance Tax

    ", + "

    These are the situations when trusts for vulnerable people get special Inheritance Tax treatment:

    ", + "
  • for a disabled person whose trust was set up before 8 April 2013 - at least half of the payments from the trust must go to the disabled person during their lifetime
  • ", + "
  • for a disabled person whose trust was set up on or after 8 April 2013 - all payments must go to the disabled person, except for up to \u00a33,000 per year (or 3% of the assets, if that\u2019s lower), which can be used for someone else\u2019s benefit
  • ", + "
  • when someone who has a condition that\u2019s expected to make them disabled sets up a trust for themselves
  • ", + "
  • for a bereaved minor - they must take all the assets and income at (or before becoming) 18
  • ", + "

    There\u2019s no Inheritance Tax charge:

    ", + "
  • if the person who set up the trust survives 7 years from the date they set it up
  • ", + "
  • on transfers made out of a trust to a vulnerable beneficiary
  • ", + "

    When the beneficiary dies, any assets held in the trust on their behalf are treated as part of their estate and Inheritance Tax may be charged.

    ", + "

    Trusts usually have 10-year Inheritance Tax charges, but trusts with vulnerable beneficiaries are exempt.

    ", + "

    Trusts and Income Tax

    ", + "

    Different types of trust income have different rates of Income Tax.

    ", + "

    Each type of trust is taxed differently. Trusts involve a \u2018trustee\u2019, \u2018settlor\u2019 and \u2018beneficiary\u2019.

    ", + "

    Accumulation or discretionary trusts

    ", + "

    Trustees are responsible for paying tax on income received by accumulation or discretionary trusts. The first \u00a31,000 is taxed at the standard rate.

    ", + "

    If the settlor has more than one trust, this \u00a31,000 is divided by the number of trusts they have. However, if the settlor has set up 5 or more trusts, the standard rate band for each trust is \u00a3200.

    ", + "

    The tax rates are below.

    ", + "

    Trust income up to \u00a31,000

    ", + "Type of income | Tax rate", + "Dividend-type income | 7.5%", + "All other income | 20%", + "

    Trust income over \u00a31,000

    ", + "Type of income | Tax rate", + "Dividend-type income | 38.1%", + "All other income | 45%", + "

    Dividends

    ", + "

    Trustees do not qualify for the dividend allowance. This means trustees pay tax on all dividends depending on the tax band they fall within.

    ", + "

    Interest in possession trusts

    ", + "

    The trustees are responsible for paying Income Tax at the rates below.

    ", + "Type of income | Income Tax rate", + "Dividend-type income | 7.5%", + "All other income | 20%", + "

    Sometimes the trustees \u2018mandate\u2019 income to the beneficiary. This means it goes to them directly instead of being passed through the trustees.

    ", + "

    If this happens, the beneficiary needs to include this on their Self Assessment tax return and pay tax on it.

    ", + "

    Bare trusts

    ", + "

    If you\u2019re the beneficiary of a bare trust you\u2019re responsible for paying tax on income from it.

    ", + "

    You need to tell HMRC about the income on a Self Assessment tax return.

    ", + "

    If you do not usually send a tax return, you need to register for self-assessment by 5 October following the tax year you had the income.

    ", + "

    Settlor-interested trusts

    ", + "

    The settlor is responsible for Income Tax on these trusts, even if some of the income is not paid out to them. However, the Income Tax is paid by the trustees as they receive the income.

    ", + "
  • The trustees pay Income Tax on the trust income by filling out a Trust and Estate Tax Return.
  • ", + "
  • They give the settlor a statement of all the income and the rates of tax charged on it.
  • ", + "
  • The settlor tells HMRC about the tax the trustees have paid on their behalf on a Self Assessment tax return.
  • ", + "

    The rate of Income Tax depends on what type of trust the settlor-interested trust is.

    ", + "

    Other types of trust

    ", + "

    There are special tax rules for parental trusts for children, trusts for vulnerable people and trusts where the trustees are not resident in the UK for tax purposes. These are called non-resident trusts.

    ", + "

    If you\u2019re the beneficiary

    ", + "

    Depending on the type of trust and your income, you might be able to claim some of the Income Tax back.

    ", + "

    If you\u2019re the trustee

    ", + "

    Get help completing the Trust and Estate Tax return.

    ", + "

    If you need more help

    ", + "

    There\u2019s more detailed guidance on trusts and Income Tax.

    ", + "

    Contact HMRC or get professional tax advice if you need help.

    ", + "

    Trusts and Capital Gains Tax

    ", + "

    Capital Gains Tax is a tax on the profit (\u2018gain\u2019) when something (an \u2018asset\u2019) that\u2019s increased in value is taken out of or put into a trust.

    ", + "

    When Capital Gains Tax might be payable

    ", + "

    If assets are put into a trust

    ", + "

    Tax is paid by either the person:

    ", + "
  • selling the asset to the trust
  • ", + "
  • transferring the asset (the \u2018settlor\u2019)
  • ", + "

    If assets are taken out of a trust

    ", + "

    The trustees usually have to pay the tax if they sell or transfer assets on behalf of the beneficiary.

    ", + "

    There\u2019s no tax to pay in bare trusts if the assets are transferred to the beneficiary.

    ", + "

    Sometimes an asset might be transferred to someone else but Capital Gains Tax is not payable. This happens when someone dies and an \u2018interest in possession\u2019 ends.

    ", + "

    A beneficiary gets some or all of the assets in a trust

    ", + "

    Sometimes the beneficiary of a trust becomes \u2018absolutely entitled\u2019 and can tell the trustees what to do with the assets, for example when they reach a certain age.

    ", + "

    In this case, the trustees pay Capital Gains Tax based on the assets\u2019 market value when the beneficiary became entitled to them.

    ", + "

    Non-UK resident trusts

    ", + "

    The rules for Capital Gains Tax on non-UK resident trusts are complicated. You can get help with your tax.

    ", + "

    Working out total gains

    ", + "

    Trustees need to work out the total taxable gain to know if they have to pay Capital Gains Tax.

    ", + "

    Allowable costs

    ", + "

    Trustees can deduct costs to reduce gains, including:

    ", + "
  • the cost of the property (including any administration fees)
  • ", + "
  • professional fees, for example for a solicitor or stockbroker
  • ", + "
  • the cost of improving property or land to increase its value, for example building a conservatory (but not repairs or regular maintenance)
  • ", + "

    Tax reliefs

    ", + "

    Trustees might be able to reduce or delay the amount of tax the trust pays if gains are eligible for tax relief.

    ", + "Relief | Description", + "Private Residence Relief | Trustees pay no Capital Gains Tax when they sell a property the trust owns. It must be the main residence for someone allowed to live there under the rules of the trust.", + "Entrepreneurs\u2019 Relief | Trustees pay 10% Capital Gains Tax on qualifying gains if they sell assets used in a beneficiary\u2019s business, which has now ended. They may also get relief when they sell shares in a company where the beneficiary had at least 5% of shares and voting rights.", + "Hold-Over Relief | Trustees pay no tax if they transfer assets to beneficiaries (or other trustees in some cases). The recipient pays tax when they sell or dispose of the assets, unless they also claim relief.", + "

    Tax-free allowance

    ", + "

    Trustees only have to pay Capital Gains Tax if the total taxable gain is above the trust\u2019s tax-free allowance (called the Annual Exempt Amount).

    ", + "

    The tax-free allowance for trusts is:

    ", + "
  • \u00a36,150
  • ", + "
  • \u00a312,300 if the beneficiary is vulnerable - a disabled person or a child whose parent has died
  • ", + "

    If there\u2019s more than one beneficiary, the higher allowance may apply even if only one of them is vulnerable.

    ", + "

    See tax-free allowances for previous years.

    ", + "

    The tax-free allowance may be reduced if the trust\u2019s settlor has set up more than one trust (\u2018settlement\u2019) since 6 June 1978.

    ", + "

    There\u2019s more detailed information about Capital Gains Tax and Self Assessment for trusts.

    ", + "

    Report gains to HMRC

    ", + "

    If you\u2019re the trustee, report any gains as part of your Trust and Estate Tax Return.

    ", + "

    You\u2019ll need to download and fill in form SA905 if you\u2019re sending your tax return by post.

    ", + "

    If you\u2019re the beneficiary, you need to report and pay through a Self Assessment tax return.

    ", + "

    The rules are different for reporting a loss.

    ", + "

    If you need more help

    ", + "

    There\u2019s more detailed guidance on Capital Gains Tax.

    ", + "

    Contact HMRC or get professional tax advice if you need help.

    ", + "

    Trusts and Inheritance Tax

    ", + "

    Inheritance Tax may have to be paid on a person\u2019s estate (their money and possessions) when they die.

    ", + "

    Inheritance Tax is due at 40% on anything above the threshold - but there\u2019s a reduced rate of 36% if the person\u2019s will leaves more than 10% of their estate to charity.

    ", + "

    Inheritance Tax can also apply when you\u2019re alive if you transfer some of your estate into a trust.

    ", + "

    When Inheritance Tax is due

    ", + "

    The main situations when Inheritance Tax is due are:

    ", + "
  • when assets are transferred into a trust
  • ", + "
  • when a trust reaches a 10-year anniversary of when it was set up (there are 10-yearly Inheritance Tax charges)
  • ", + "
  • when assets are transferred out of a trust (known as \u2018exit charges\u2019) or the trust ends
  • ", + "
  • when someone dies and a trust is involved when sorting out their estate
  • ", + "

    What you pay Inheritance Tax on

    ", + "

    You pay Inheritance Tax on \u2018relevant property\u2019 - assets like money, shares, houses or land. This includes the assets in most trusts.

    ", + "

    There are some occasions where you may not have to pay Inheritance Tax - for example where the trust contains excluded property.

    ", + "

    Special rules

    ", + "

    Some types of trust are treated differently for Inheritance Tax purposes.

    ", + "

    Bare trusts

    ", + "

    These are where the assets in a trust are held in the name of a trustee but go directly to the beneficiary, who has a right to both the assets and income of the trust.

    ", + "

    Transfers into a bare trust may also be exempt from Inheritance Tax, as long as the person making the transfer survives for 7 years after making the transfer.

    ", + "

    Interest in possession trusts

    ", + "

    These are trusts where the beneficiary is entitled to trust income as it\u2019s produced - this is called their \u2018interest in possession\u2019.

    ", + "

    On assets transferred into this type of trust before 22 March 2006, there\u2019s no Inheritance Tax to pay.

    ", + "

    On assets transferred on or after 22 March 2006, the 10-yearly Inheritance Tax charge may be due.

    ", + "

    During the life of the trust there\u2019s no Inheritance Tax to pay as long as the asset stays in the trust and remains the \u2018interest\u2019 of the beneficiary.

    ", + "

    Between 22 March 2006 and 5 October 2008:

    ", + "
  • beneficiaries of an interest in possession trust could pass on their interest in possession to other beneficiaries, like their children
  • ", + "
  • this was called making a \u2018transitional serial interest\u2019
  • ", + "
  • there\u2019s no Inheritance Tax to pay in this situation
  • ", + "

    From 5 October 2008:

    ", + "
  • beneficiaries of an interest in possession trust cannot pass their interest on as a transitional serial interest
  • ", + "
  • if an interest is transferred after this date there may be a charge of 20% and a 10-yearly Inheritance Tax charge will be payable unless it\u2019s a disabled trust
  • ", + "

    If you inherit an interest in possession trust from someone who has died, there\u2019s no Inheritance Tax at the 10-year anniversary. Instead, 40% tax will be due when you die.

    ", + "

    If the trust is set up by a will

    ", + "

    Someone might ask that some or all of their assets are put into a trust. This is called a \u2018will trust\u2019.

    ", + "

    The personal representative of the deceased person has to make sure that the trust is properly set up with all taxes paid, and the trustees make sure that Inheritance Tax is paid on any future charges.

    ", + "

    If the deceased transferred assets into a trust before they died

    ", + "

    If you\u2019re valuing the estate of someone who has died, you\u2019ll need to find out whether they made any transfers in the 7 years before they died. If they did, and they paid 20% Inheritance Tax, you\u2019ll need to pay an extra 20% from the estate.

    ", + "

    Even if no Inheritance Tax was due on the transfer, you still have to add its value to the person\u2019s estate when you\u2019re valuing it for Inheritance Tax purposes.

    ", + "

    Trusts for bereaved minors

    ", + "

    A bereaved minor is a person under 18 who has lost at least one parent or step-parent. Where a trust is set up for a bereaved minor, there are no Inheritance Tax charges if:

    ", + "
  • the assets in the trust are set aside just for bereaved minor
  • ", + "
  • they become fully entitled to the assets by the age of 18
  • ", + "

    A trust for a bereaved young person can also be set up as an 18 to 25 trust - the 10-yearly charges do not apply. However, the main differences are:

    ", + "
  • the beneficiary must become fully entitled to the assets in the trust by the age of 25
  • ", + "
  • when the beneficiary is aged between 18 and 25, Inheritance Tax exit charges may apply
  • ", + "

    Trusts for disabled beneficiaries

    ", + "

    There\u2019s no 10-yearly charge or exit charge on this type of trust as long as the asset stays in the trust and remains the \u2018interest\u2019 of the beneficiary.

    ", + "

    You also do not have to pay Inheritance Tax on the transfer of assets into a trust for a disabled person as long as the person making the transfer survives for 7 years after making the transfer.

    ", + "

    Paying Inheritance Tax

    ", + "

    You pay Inheritance Tax using form IHT100.

    ", + "

    If you\u2019re valuing the estate of someone who\u2019s died, you may have to value other assets apart from trusts to see if Inheritance Tax is due.

    ", + "

    More help and information

    ", + "

    There\u2019s more detailed guidance on trusts and Inheritance Tax.

    ", + "

    Contact HMRC or get professional tax advice if you need help.

    ", + "

    Beneficiaries - paying and reclaiming tax on trusts

    ", + "

    If you\u2019re a trust beneficiary there are different rules depending on the type of trust. You might have to pay tax through Self Assessment or you might be entitled to a tax refund.

    ", + "

    If you do not usually send a tax return and need to, you must register for Self Assessment by 5 October following the tax year you had the income.

    ", + "

    Read the information on the different types of trust to understand the main differences between them. If you\u2019re not sure what type of trust you have, ask the trustees.

    ", + "

    If you\u2019re the beneficiary of a bare trust you are responsible for declaring and paying tax on its income. Do this on a Self Assessment tax return.

    ", + "

    If you do not usually send a tax return and need to, you must register for Self Assessment by 5 October following the tax year you had the income.

    ", + "

    Interest in possession trusts

    ", + "

    If you\u2019re the beneficiary of this type of trust, you\u2019re entitled to its income (after expenses) as it arises.

    ", + "

    If you ask for a statement, the trustees must tell you:

    ", + "
  • the different sources of income
  • ", + "
  • how much income you\u2019ve been given
  • ", + "
  • how much tax has been paid on the income
  • ", + "

    You\u2019ll usually get income sent through the trustees, but they might pass it to you directly without paying tax first. If this happens you need to include it on your Self Assessment tax return.

    ", + "

    If you do not usually send a tax return you must register for Self Assessment by 5 October the year after you were given the income.

    ", + "

    If you\u2019re a basic rate taxpayer

    ", + "

    You will not owe any extra tax. You\u2019ll still need to complete a Self Assessment tax return to show the income you receive from an interest in possession trust but you will get a credit for the tax paid by the trustees. This means the income is not taxed twice.

    ", + "

    If you\u2019re a higher rate taxpayer

    ", + "

    You\u2019ll have to pay extra tax on the difference between what tax the trustees have paid and what you, as a higher rate taxpayer, are liable for. This will be calculated when you do your Self Assessment.

    ", + "

    How to reclaim tax

    ", + "

    You can reclaim tax paid on:

    ", + "
  • dividends (if you\u2019re entitled to dividend allowance)
  • ", + "
  • savings interest (if you\u2019re entitled to personal savings allowance)
  • ", + "
  • trade and property income (if you\u2019re entitled to trading allowance or property allowance)
  • ", + "

    The allowance amount will be reduced if it\u2019s already been used against some income. The allowance you have left is called the \u2018available allowance\u2019.

    ", + "

    If the amount of income you receive is less than or equal to the available allowance, you can reclaim all of the tax paid.

    ", + "

    If the amount of income you receive is more than the available allowance, you can only claim the tax paid on the available allowance.

    ", + "

    If you\u2019re a Self Assessment taxpayer the repayment will be calculated as part of your return.

    ", + "

    If you\u2019re not a Self Assessment taxpayer you can reclaim the tax using form R40.

    ", + "

    You need to make a separate claim for each tax year.

    ", + "

    Accumulation or discretionary trusts

    ", + "

    With these trusts all income received by beneficiaries is treated as though it has already been taxed at 45%. If you\u2019re an additional rate taxpayer there will be no more tax to pay.

    ", + "

    You may be able to claim tax back on trust income you\u2019ve received if any of the following apply:

    ", + "
  • you\u2019re a non-taxpayer
  • ", + "
  • you pay tax at the basic rate of 20%
  • ", + "
  • you pay tax at the higher rate of 40%
  • ", + "

    You can reclaim the tax paid using form R40. If you complete a tax return, you can claim through Self Assessment.

    ", + "

    Settlor-interested discretionary trusts

    ", + "

    If a settlor-interested trust is a discretionary trust, payments made to the settlor\u2019s spouse or civil partner are treated as though they\u2019ve already been taxed at 45%. There\u2019s no more tax to pay. However, unlike payments made from other types of trusts, the tax credit cannot be claimed back.

    ", + "

    Non-resident trusts

    ", + "

    This is a trust where the trustees are not resident in the UK for tax purposes. The tax rules for this type of trust are very complicated - there\u2019s detailed guidance on non-resident trusts.

    ", + "

    If a pension scheme pays into a trust

    ", + "

    When a pension scheme pays a taxable lump sum into a trust after the pension holder dies, the payment is taxed at 45%.

    ", + "

    If you\u2019re a beneficiary and receive a payment funded by this lump sum, you\u2019ll also be taxed.

    ", + "

    You can claim back tax paid on the original lump sum - do this on your Self Assessment tax return if you complete one, or using form R40.

    ", + "

    The trust will tell you the amount you need to report - this will normally be more than the amount you actually receive.

    ", + "

    Trustees - tax responsibilities

    ", + "

    As the trustee, you\u2019re responsible for reporting and paying tax on behalf of the trust.

    ", + "

    If there are 2 or more trustees, nominate one as the \u2018principal acting trustee\u2019 to manage its tax. The other trustees are still accountable, and can be charged tax and interest if the trust does not pay.

    ", + "

    Registering a trust

    ", + "

    Once a trust becomes liable for tax, you must register the trust with HM Revenue and Customs.

    ", + "

    Sending tax returns

    ", + "

    You must report the trust\u2019s income and gains in a trust and estate Self Assessment tax return after the end of each tax year. You can either:

    ", + "
  • buy software to send it electronically by 31 January
  • ", + "
  • fill in paper form SA900 and post it to HMRC by 31 October (3 months earlier)
  • ", + "

    You can also get help, for example from HMRC or by getting an accountant to do your return for you.

    ", + "

    After you\u2019ve sent your return, HMRC will tell you how much you owe. You\u2019ll need to pay your Self Assessment bill by the deadline.

    ", + "

    You\u2019ll need to collect and keep records (for example bank statements) to complete your tax return.

    ", + "

    Telling beneficiaries about tax and income

    ", + "

    You must give the beneficiary a statement with the amount of income and tax paid by the trust, if they ask. You can use form R185 (trust) to do this. There\u2019s a different form if you need to provide a statement to a settlor who retains an interest.

    ", + "

    If there\u2019s more than one beneficiary, you must give each of them this information relative to the amount they receive.

    ", + "

    Death benefit payments from a pension scheme

    ", + "

    You must give the beneficiary extra information if both the following apply:

    ", + "
  • you make a payment funded by a taxable lump sum from a pension scheme
  • ", + "
  • the pension holder has died
  • ", + "

    Use form R185 (LSDB) if you\u2019re a trustee. There\u2019s a different form if you\u2019re a pension administrator.

    ", + "

    You must tell the beneficiary within 30 days.

    ", + "

    Other responsibilities

    ", + "

    You may have to report other things to HMRC. You need to:

    ", + "
  • use the online service to tell HMRC if there are any changes to the trust
  • ", + "
  • fill in form IHT100 when the trust needs to pay Inheritance Tax
  • ", + "

    Your other responsibilities as a trustee depend on the type of trust and any instructions from the person who set up the trust in the trust deed.

    ", + "

    When you must register a trust

    ", + "

    You must register your trust with HM Revenue and Customs (HMRC) if it becomes liable for any of the following:

    ", + "
  • Capital Gains Tax
  • ", + "
  • Income Tax
  • ", + "
  • Inheritance Tax
  • ", + "
  • Stamp Duty Land Tax or Land and Buildings Transaction Tax in Scotland
  • ", + "
  • Stamp Duty Reserve Tax
  • ", + "

    You must also register a trust to claim tax relief.

    ", + "

    Non-resident trusts

    ", + "

    You must register a non-resident trust if it becomes liable for:

    ", + "
  • tax on UK income
  • ", + "
  • tax on UK assets
  • ", + "

    You can get professional advice from a solicitor or tax advisor about registering a trust.

    ", + "

    When you do not need to register your trust

    ", + "

    You do not need to register your trust if:

    ", + "
  • it has to pay Income Tax of less than \u00a3100 on interest
  • ", + "
  • only the settlor or beneficiary of the trust has to pay tax
  • ", + "
  • it\u2019s a bare trust
  • ", + "
  • it\u2019s a charitable trust
  • ", + "
  • it\u2019s a resulting trust and the assets go back to the settlor because all the beneficiaries have died
  • ", + "
  • it\u2019s a statutory trust created through legislation
  • ", + "
  • it\u2019s a constructive trust imposed by a court
  • ", + "
  • it holds a pension scheme already registered with HMRC
  • ", + "

    You also do not need to register your trust if you have to file information:

    ", + "
  • under the Foreign Account Tax Compliance Act (FATCA)
  • ", + "
  • for Common Reporting Standard (CRS) purposes
  • ", + "

    Deadlines for registering

    ", + "

    The deadline depends on the tax your trust is liable for.

    ", + "

    Trusts liable for Income Tax or Capital Gains Tax

    ", + "

    If it\u2019s the first time your trust is liable for either tax, the deadline is 5 October in the tax year after it first becomes liable for these taxes.

    ", + "

    For example, if your trust first becomes liable for Income Tax during the 2020 to 2021 tax year, you must register by 5 October 2021.

    ", + "

    If your trust has been liable for either tax before, the deadline is 31 January in the tax year after it\u2019s again liable for these taxes.

    ", + "

    For example, if your trust is liable for Income Tax during the 2020 to 2021 tax year and it has been liable for Income Tax before, you must register by 31 January 2022.

    ", + "

    Trusts liable for other taxes

    ", + "

    You must register by 31 January in the tax year after the one in which the trust is liable for any of the following:

    ", + "
  • Inheritance Tax
  • ", + "
  • Stamp Duty Land Tax or Land and Buildings Transaction Tax in Scotland
  • ", + "
  • Stamp Duty Reserve Tax
  • ", + "

    You must register by the earlier deadline if your trust is liable for more than one tax and both deadlines apply.

    ", + "

    How to register

    ", + "

    How you register a trust depends on whether you\u2019re:

    ", + "
  • a trustee
  • ", + "
  • an agent registering a trust for a client
  • ", + "

    There\u2019s a different process if you need to register an estate of someone who\u2019s died.

    " + ] + }, + { + "title": "Apply to bankrupt someone who owes you money", + "url": "https://www.gov.uk/apply-to-bankrupt-someone", + "contents": [ + "

    Overview

    ", + "

    You have to present a bankruptcy petition to a court if you want to bankrupt someone because they owe you money.

    ", + "

    There are also other ways to recover money you\u2019re owed.

    ", + "

    A bankruptcy petition is an application to the court for someone\u2019s assets to be taken and sold to pay their debts.

    ", + "

    Presenting a petition can be complicated. Most people use a solicitor or other professional to help them.

    ", + "

    Using a mediation service could be quicker and cheaper. Mediation is when an impartial person helps 2 sides work out an agreement.

    ", + "

    You can contact the Insolvency Service if you have questions about making someone bankrupt.

    ", + "

    How to present a petition

    ", + "
  • Prove you\u2019re owed at least \u00a35,000 or a share of debts totalling at least \u00a35,000.
  • ", + "
  • Check for other bankruptcy petitions against the person who owes you money (the \u2018debtor\u2019).
  • ", + "
  • Fill in the forms and deliver them to the court.
  • ", + "

    Fees

    ", + "

    The court fees to make someone bankrupt are:

    ", + "
  • \u00a3990 petition deposit (for managing the bankruptcy)
  • ", + "
  • \u00a3280 for court costs
  • ", + "

    Pay the fees using cash, postal order or a cheque made payable to \u2018HM Courts and Tribunals Service\u2019. You can pay by credit or debit card if you apply online.

    ", + "

    Prove you're owed \u00a35,000 or more

    ", + "

    To make someone bankrupt you must be owed one of the following:

    ", + "
  • at least \u00a35,000
  • ", + "
  • a share of debts that total at least \u00a35,000
  • ", + "

    You must provide evidence to the court that you\u2019re owed this money. There are 2 ways to do this.

    ", + "

    If you\u2019ve issued a statutory demand (a request for payment) to the debtor, confirm that you did this by filling in a certificate of service (form N215).

    ", + "

    Alternatively, get a sheriff\u2019s or bailiff\u2019s statement showing:

    ", + "
  • you got a court judgment for the money
  • ", + "
  • the sheriff or bailiff could not recover enough assets to pay the debt
  • ", + "

    Check for other bankruptcy petitions

    ", + "

    You must check if the debtor has had any bankruptcy petitions against them in the past 18 months. These checks are called \u2018searches\u2019.

    ", + "

    Most petitions are presented in the area where the debtor lives. Government departments, including HM Revenue and Customs (HMRC), present all petitions in London.

    ", + "

    Check for petitions presented in London

    ", + "

    Carry out checks using the public computers at either:

    ", + "
  • the Rolls Building of the Royal Courts of Justice
  • ", + "
  • the Central London County Court
  • ", + "

    It costs \u00a311 to use the computers for 15 minutes. You can pay by debit or credit card or with cash.

    ", + "

    Check for petitions presented in a county court outside London

    ", + "

    Contact the county court for the area where the debtor lives.

    ", + "

    They\u2019ll advise you how to check for petitions.

    ", + "

    When you\u2019ve made your checks

    ", + "

    You must confirm you\u2019ve carried out the searches by writing a declaration - use the wording below and fill in the petition number and the name of the court if applicable.

    ", + "

    Sign and date the declaration and attach it to your petition form.

    ", + "

    If there\u2019s already a petition or bankruptcy order

    ", + "

    It\u2019s cheaper to support an existing petition than to present your own. Notify the petitioner using the contact details on the petition.

    ", + "

    If there\u2019s already a bankruptcy order, you cannot continue with your petition. Register as a creditor instead.

    ", + "

    Apply

    ", + "

    The bankruptcy petition form you fill in depends on whether:

    ", + "
  • the debtor has not responded to a statutory demand
  • ", + "
  • the sheriff or bailiff could not recover enough assets to pay the debt
  • ", + "

    You\u2019ll also need to provide the following as part of the petition:

    ", + "
  • a statement of truth confirming the details of your petition
  • ", + "
  • a declaration that you\u2019ve carried out searches
  • ", + "
  • evidence you\u2019re owed money
  • ", + "

    Presenting the petition

    ", + "

    How you present the petition will depend on the debtor\u2019s circumstances.

    ", + "

    Submit the petition online if the debtor either:

    ", + "
  • lives in London and owes you \u00a350,000 or more
  • ", + "
  • has \u2018no fixed abode\u2019 (no fixed or regular address)
  • ", + "

    It\u2019ll go to the High Court.

    ", + "

    Otherwise, give the petition in person to the county court nearest to where the debtor lives or works.

    ", + "

    If the debtor owns a business

    ", + "

    Choose the court nearest to the debtor\u2019s business address unless this changed in the last 6 months and they\u2019ve been at their home address longer.

    ", + "

    After you apply

    ", + "

    You\u2019ll need to give (\u2018serve\u2019) a copy of the petition to the debtor in person.

    ", + "

    If the debtor has an individual voluntary arrangement (IVA) you\u2019ll also need to give a copy to the supervisor.

    ", + "

    Send the court a certificate of service (form N215) to confirm you\u2019ve done this.

    ", + "

    If your case is with the High Court you can only submit the certificate of service online. If it\u2019s with another court you can send it there by post.

    ", + "

    If you cannot serve the petition to the debtor in person

    ", + "

    You can ask the court for permission to serve it in another way, for example by post.

    ", + "

    You\u2019ll have to provide a certificate of service confirming you\u2019ve used a \u2018substituted service\u2019.

    ", + "

    Court hearing

    ", + "

    The court will tell you where and when the petition will be heard. This will be at least 14 days after you served the petition to the debtor.

    ", + "

    The debtor can oppose the petition by giving the court a statement of truth at least 5 days before the hearing.

    ", + "

    You must list the people that you want to appear and speak at the hearing.

    ", + "

    The debtor and a supervisor of an IVA can also appear and speak at the hearing.

    ", + "

    At the end of the hearing the court can:

    ", + "
  • stay (delay or stop) the petition
  • ", + "
  • dismiss the petition
  • ", + "
  • adjourn (postpone) the hearing
  • ", + "
  • make a bankruptcy order
  • ", + "

    If the court dismisses your petition, you\u2019ll get your petition deposit back.

    ", + "

    Read more about what happens after a bankruptcy order is made.

    ", + "

    After the hearing

    ", + "

    An Official Receiver at the Insolvency Service will deal with the early stages of a bankruptcy. They will contact you within 12 weeks of the bankruptcy order being made.

    ", + "

    Appeals

    ", + "

    You can appeal to the court if your petition is rejected.

    ", + "

    Check with the court where you made your petition for how to appeal.

    " + ] + }, + { + "title": "Applying to become bankrupt", + "url": "https://www.gov.uk/bankruptcy", + "contents": [ + "

    Overview

    ", + "

    You can apply to make yourself bankrupt if you cannot pay your debts.

    ", + "

    Check if there are other ways you can deal with your debts before you apply for bankruptcy.

    ", + "

    Your application will be looked at by someone who works for the Insolvency Service called an \u2018adjudicator\u2019. They\u2019ll decide if you should be made bankrupt.

    ", + "

    The process is different if someone else is applying to make you bankrupt.

    ", + "

    How to apply

    ", + "

    You can only apply for bankruptcy online. It costs \u00a3680.

    ", + "

    What happens when you go bankrupt

    ", + "

    If the adjudicator makes you bankrupt:

    ", + "
  • you\u2019ll receive a copy of the bankruptcy order and may be interviewed about your situation
  • ", + "
  • your assets can be used to pay your debts
  • ", + "
  • you\u2019ll have to follow the bankruptcy restrictions
  • ", + "
  • your name and details will be published in the Individual Insolvency Register
  • ", + "

    You can apply to have your address removed from the Individual Insolvency Register if publishing it will put you at risk of violence. This will not affect your bankruptcy.

    ", + "

    After 12 months you\u2019re usually released (\u2018discharged\u2019) from your bankruptcy restrictions and debts. Assets that were part of your estate during the bankruptcy period can still be used to pay your debts.

    ", + "

    You might be able to cancel (\u2018annul\u2019) your bankruptcy before you\u2019re discharged.

    ", + "

    Bankruptcy only applies to individuals. Find out what your options are if your limited company cannot pay its creditors.

    ", + "

    Get help and information

    ", + "

    Read the following:

    ", + "
  • the Citizens Advice bankruptcy advice guide
  • ", + "
  • the Money Advice Service\u2019s guide on options for writing off your debt
  • ", + "

    You can also contact the National Debtline for bankruptcy advice.

    ", + "

    You can get free advice from a debt adviser to help you decide how to deal with your debts.

    ", + "

    If you do not live in England or Wales

    ", + "

    The process to become bankrupt is different if you live in Scotland or Northern Ireland. You cannot apply to become bankrupt in England or Wales.

    ", + "

    You might be able to apply if you live anywhere else - talk to a debt adviser.

    ", + "

    You must not break the bankruptcy restrictions in England or Wales. These might also apply outside England and Wales - check the laws of the country you live in.

    ", + "

    Get a person at risk of violence (PARV) order

    ", + "

    When you\u2019re made bankrupt, your name and address will be published in:

    ", + "
  • the Individual Insolvency Register
  • ", + "
  • the London Gazette
  • ", + "

    If having your address published will put you at risk of violence, you can apply to the court for a person at risk of violence (PARV) order.

    ", + "

    Your name will still be published, but your address will not be.

    ", + "

    You can only apply for a PARV if you\u2019ve already started a bankruptcy application.

    ", + "

    How to apply

    ", + "

    Download and fill in the application form.

    ", + "

    Take your completed form to your nearest court that deals with bankruptcy. They\u2019ll tell you if you need to pay a fee to apply.

    ", + "

    You\u2019ll have to go to a hearing to present your application to a judge - the court will tell you when and where this will take place. You\u2019ll usually get a decision on the same day.

    ", + "

    Submit your bankruptcy application once you have your PARV order.

    ", + "

    After you apply

    ", + "

    You\u2019ll usually get an email or letter from the adjudicator within 28 days of submitting your application to say if you\u2019ve been made bankrupt.

    ", + "

    This can take longer if the adjudicator needs to ask more questions about your application.

    ", + "

    They\u2019ll then issue a bankruptcy order.

    ", + "

    After you get your bankruptcy order

    ", + "

    You\u2019ll get a letter from the official receiver within 2 weeks of getting your bankruptcy order. The official receiver is an officer of the court who manages your bankruptcy.

    ", + "

    You\u2019ll also get an information pack that explains what you need to know and what you must do.

    ", + "

    You might be asked to:

    ", + "
  • fill in a questionnaire
  • ", + "
  • attend an interview with the official receiver
  • ", + "
  • give the official receiver more information about your debts, creditors, assets and income
  • ", + "

    If you\u2019re asked to attend an interview

    ", + "

    The interview can be in person or over the phone. The official receiver will:

    ", + "
  • check the information they have about your debts and assets
  • ", + "
  • ask for more details, for example about your pension or savings
  • ", + "
  • ask how and why you became bankrupt
  • ", + "
  • answer any questions you have about the bankruptcy process
  • ", + "

    Your release (\u2018discharge\u2019) from bankruptcy may be delayed if you do not provide the information you\u2019re asked for.

    ", + "

    Restrictions

    ", + "

    You have to follow bankruptcy restrictions when you\u2019re bankrupt. This means you cannot:

    ", + "
  • borrow more than \u00a3500 without telling the lender you\u2019re bankrupt
  • ", + "
  • act as a director of a company without the court\u2019s permission
  • ", + "
  • create, manage or promote a company without the court\u2019s permission
  • ", + "
  • manage a business with a different name without telling people you do business with that you\u2019re bankrupt
  • ", + "
  • work as an insolvency practitioner (an authorised debt specialist)
  • ", + "

    It\u2019s a criminal offence to break the restrictions - you might be prosecuted if you do.

    ", + "

    You must co-operate with the people managing your bankruptcy, for example by providing them with the information they ask for.

    ", + "

    How long the restrictions last

    ", + "

    Restrictions last until your bankruptcy ends. This will happen sooner if you cancel your bankruptcy.

    ", + "

    When the restrictions can be extended

    ", + "

    Bankruptcy restrictions can be extended if you do not carry out your duties under the bankruptcy proceedings or if you\u2019re found to have acted carelessly or dishonestly.

    ", + "

    The official receiver will tell you if the restrictions will be extended.

    ", + "

    You\u2019ll be asked to agree to a Bankruptcy Restrictions Undertaking to extend the restrictions. If you do not agree, they\u2019ll ask the court to issue a Bankruptcy Restrictions Order.

    ", + "

    Your assets

    ", + "

    Your assets might be sold to pay your bankruptcy debts. You have to hand over your assets to the person appointed to manage your bankruptcy (your \u2018trustee\u2019). They can be:

    ", + "
  • an official receiver - an officer of the court
  • ", + "
  • an insolvency practitioner - an authorised debt specialist
  • ", + "

    The official receiver will usually act as your trustee to begin with.

    ", + "

    Assets you can keep

    ", + "

    You can usually keep:

    ", + "
  • items needed for your job, such as tools or a vehicle
  • ", + "
  • household items, such as clothing, bedding or furniture
  • ", + "

    You might have to give these items up if they\u2019re worth more than a reasonable replacement.

    ", + "

    Your bank accounts

    ", + "

    You must give the official receiver your bank cards, cheque books and credit cards for any accounts you\u2019re no longer allowed to use. This includes any account that was overdrawn on the date you were made bankrupt.

    ", + "

    Your accounts will be frozen but your trustee may release:

    ", + "
  • any money you need urgently, for example to buy food
  • ", + "
  • your partner\u2019s share of any money in a joint account
  • ", + "

    Your bank will decide whether to allow you to continue using your accounts.

    ", + "

    Your pension

    ", + "

    You usually keep any money you\u2019ve put into a pension.

    ", + "

    If you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.

    ", + "

    Speak to your trustee or read the guidance to find out how bankruptcy will affect your pension.

    ", + "

    You can get free advice on managing your money and how bankruptcy affects your credit rating from Citizens Advice or National Debtline.

    ", + "

    Your home

    ", + "

    Your home might be sold depending on your equity - your share after any secured debts (like a mortgage) have been paid.

    ", + "

    You might have to give up:

    ", + "
  • your equity
  • ", + "
  • legal ownership of the property if your equity is \u00a31,000 or more
  • ", + "

    If your trustee has not put your home up for sale within 3 years it will be transferred back to you.

    ", + "

    Sole owners

    ", + "

    The equity and legal ownership are transferred to your trustee. This means you cannot sell the property or claim any money from a sale.

    ", + "

    A bankruptcy restriction or notice is added to your property\u2019s entry in the land register to say this.

    ", + "

    It can only be removed if it\u2019s been added to your property by mistake. Send HM Land Registry a signed statement saying you are not bankrupt and an application to change the register for a property.

    ", + "

    Joint owners

    ", + "

    The equity is transferred to your trustee.

    ", + "

    A \u2018Form J restriction\u2019 is added to your property\u2019s entry in the land register. This means your trustee will be told of any dealings connected with your home, for example if you try to sell it.

    ", + "

    It can be removed if you can prove you (as the bankrupt) do not have a share in the property, for example if your partner owns the property. The owner has to send HM Land Registry a signed statement saying they are not the bankrupt person and an application for the cancellation of a Form J restriction.

    ", + "

    Stop the sale of your home

    ", + "

    You might be able to stop or delay the sale of your home if, for example:

    ", + "
  • the value of your equity is less than \u00a31,000
  • ", + "
  • the equity or legal title can be sold to someone else, such as a partner
  • ", + "
  • you need to organise somewhere for children or a partner to live - the sale can be delayed for up to 1 year
  • ", + "

    You may want to get legal advice to find out if you can stop or delay the sale of your home.

    ", + "

    Check if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.

    ", + "

    Rented property

    ", + "

    Your landlord may be told that you\u2019re bankrupt and your rental situation may be affected.

    ", + "

    Your income

    ", + "

    Your trustee will tell you if you have to make monthly payments from your spare income - you\u2019ll only have to do this if you can afford it.

    ", + "

    The arrangement can last for up to 3 years and is called an Income Payments Agreement (IPA).

    ", + "

    If you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.

    ", + "

    If you do not agree to the IPA your trustee can ask the court to order you to make monthly payments. This is called an Income Payments Order (IPO).

    ", + "

    Your official receiver will set up your IPA or IPO and charge a fee. The fee can be up to \u00a3150 and is taken out of your first payment.

    ", + "

    How much you pay

    ", + "

    The monthly amount you pay depends on how much you can afford after essential expenses like food and bills are paid.

    ", + "

    Cancel a bankruptcy

    ", + "

    You can apply to cancel (\u2018annul\u2019) your bankruptcy if:

    ", + "
  • the bankruptcy order should not have been made
  • ", + "
  • all your debts and bankruptcy fees have been paid or secured (guaranteed) by a third party
  • ", + "
  • you\u2018ve made an Individual Voluntary Arrangement with your creditors to pay all or part of your debts
  • ", + "

    If your circumstances change and you can pay off all your debts, then you must pay it through your official receiver or a solicitor.

    ", + "

    This means you will not have to follow the bankruptcy restrictions.

    ", + "

    How to apply

    ", + "

    Download and fill in the application form.

    ", + "

    Send or take your completed form to your nearest court that deals with bankruptcy.

    ", + "

    You must tell the court if you want details of your bankruptcy removed from the Land Charges register.

    ", + "

    You\u2019ll be given a date for a court hearing of your application, which you must attend.

    ", + "

    You\u2019ll still need to attend your interview with the official receiver if you\u2019ve been asked to.

    ", + "

    If the court agrees with your application, they\u2019ll make an annulment order which cancels your bankruptcy.

    ", + "

    Advertise your cancellation order

    ", + "

    You can ask the official receiver to advertise your annulment order within 28 days of getting it. You cannot do this if your bankruptcy order has not been advertised yet.

    ", + "

    Your annulment order will be advertised wherever your bankruptcy order was.

    ", + "

    When bankruptcy ends

    ", + "

    Your bankruptcy and the restrictions generally end when you\u2019re \u2018discharged\u2019, which is usually automatic.

    ", + "

    This is usually 12 months after the adjudicator made you bankrupt. It can be longer in some circumstances, for example if you do not co-operate with your trustee.

    ", + "

    Check your discharge date online using the Individual Insolvency Register.

    ", + "

    If you cancel your bankruptcy, all restrictions will end immediately and your details will be removed from the Individual Insolvency Register.

    ", + "

    Proof of discharge

    ", + "

    Email the Insolvency Service and ask for a \u2018confirmation letter\u2019 to prove your bankruptcy has ended. There\u2019s no fee.

    ", + "

    If you\u2019re applying for a mortgage, you\u2019ll need a Certificate of Discharge.

    ", + "

    How you get it depends on how you applied for your bankruptcy.

    ", + "

    If you applied:

    ", + "
  • at a court, contact the court and pay the \u00a370 fee (\u00a310 for each copy)
  • ", + "
  • online, email the Insolvency Service - there\u2019s no fee
  • ", + "

    Bankruptcy registers

    ", + "

    The Individual Insolvency Register is updated within 3 months of your discharge.

    ", + "

    You must apply to both Land Charges and HM Land Registry to have your bankruptcy entry removed from any properties you still own after paying your debts.

    ", + "

    Bankruptcy entries are automatically removed from the Land Charges register after 5 years if they\u2019re not renewed.

    ", + "

    Apply to Land Charges

    ", + "

    Send an application to cancel an entry in the Land Register (K11) to the Land Charges Department.

    ", + "

    You need to include:

    ", + "
  • a copy of your court order permitting the cancellation (or \u2018vacation\u2019) of the entry
  • ", + "
  • \u00a31 for each entry you want to cancel
  • ", + "

    Apply to HM Land Registry

    ", + "

    You need to send HM Land Registry either:

    ", + "
  • an application to change the register for a property, if you\u2019re the sole owner of your property
  • ", + "
  • an application for the cancellation of a Form J restriction, if you own your property with someone else
  • ", + "

    You must include a copy of your court order.

    ", + "

    All forms sent will be destroyed once the registers are updated. You can send copies if you write \u201cI certify that this is a true copy of the original\u201d together with your signature on the first page.

    ", + "

    Your credit record

    ", + "

    Credit reference agencies will not be told directly when your bankruptcy ends - they\u2019ll get this information from public records.

    ", + "

    Get a copy of your credit reference report - contact a credit reference agency if it needs updating.

    ", + "

    Your bankruptcy can stay on your credit reference file for 6 years from the date of your bankruptcy.

    ", + "

    Debts that will not be written off

    ", + "

    When you\u2019re discharged you\u2019ll be released from most, but not all, of the debts you owed at the date of the bankruptcy.

    ", + "

    Debts you will not be released from include:

    ", + "
  • debts arising from fraud
  • ", + "
  • anything you owe under family proceedings - unless the court decides otherwise
  • ", + "
  • damages for personal injuries to anyone - unless the court decides otherwise
  • ", + "
  • debts which were not included in the bankruptcy itself, for example a debt to the Student Loans Company
  • " + ] + }, + { + "title": "Having debt repayments taken from your wages", + "url": "https://www.gov.uk/debt-payments-from-your-wages", + "contents": [ + "

    When repayments can be taken

    ", + "

    You can have debt repayments taken out of your wages if you owe someone money from either:

    ", + "
  • unpaid maintenance payments
  • ", + "
  • county court judgment (CCJ)
  • ", + "

    The person you owe money is called a \u2018creditor\u2019.

    ", + "

    You can also have benefit overpayments taken from your wages by the Department for Work and Pensions (DWP) or your local council.

    ", + "

    How you\u2019re told

    ", + "

    You and your employer will get a document (called an \u2018attachment of earnings order\u2019) from the court. This will tell you:

    ", + "
  • how much you owe
  • ", + "
  • how much your employer takes from your wages - you can apply to get this changed if you cannot afford it
  • ", + "
  • when and how the payments have to be made
  • ", + "

    You and your employer can be fined if they do not follow the order. You cannot ask them to ignore it.

    ", + "

    Change how much you pay

    ", + "

    You can apply to get the payments reduced if you cannot afford them. Download and fill in form N244 and send it to the court that issued the court order.

    ", + "

    You have to do this within 14 days of getting the order.

    ", + "

    You can also apply if the order has been in place for some time and your circumstances change.

    ", + "

    Pay off the debt more quickly

    ", + "

    Speak to the person or company you owe the money to if you want to pay more. They might either:

    ", + "
  • take extra payments directly
  • ", + "
  • agree to put the order on hold so you can pay more directly to them
  • ", + "

    The court will tell you if your debt is put on hold.

    ", + "

    Check how much you owe

    ", + "

    Contact the Centralised Attachment of Earning Payments (CAPS) office to check how much you still owe. They can also send you a history of the payments you\u2019ve made.

    ", + "

    You\u2019ll need to give your case number when you call.

    ", + "

    Report a change in your circumstances

    ", + "

    You must report any changes in your circumstances if you\u2019re paying off a debt through your wages.

    ", + "

    Change your name or address

    ", + "

    If you need to change your name or address, tell:

    ", + "
  • the Centralised Attachment of Earning Payments (CAPS) office
  • ", + "
  • the court who issued the court order
  • ", + "
  • your creditor
  • ", + "

    If you change or lose your job

    ", + "
  • Tell the CAPS office your new employer\u2019s details or that you\u2019ve lost your job.
  • ", + "
  • Download and fill in form N56 in full, and send it to the court who issued the court order.
  • ", + "

    When you\u2019ve paid off the debt

    ", + "

    The Centralised Attachment of Earning Payments (CAPS) office will send you a \u2018notice of discharge\u2019 when the debt has been paid off. Your employer and creditor will also get a copy.

    ", + "

    Your employer will then stop making deductions from your wages.

    ", + "

    If you think you\u2019ve overpaid

    ", + "

    Ask the CAPS office to check if you\u2019ve overpaid.

    ", + "

    You\u2019ll need to give your case number when you call.

    ", + "

    You\u2019ll get a refund if you\u2019ve overpaid.

    " + ] + }, + { + "title": "Make and serve a statutory demand, or challenge one", + "url": "https://www.gov.uk/statutory-demands", + "contents": [ + "

    When you can make a statutory demand

    ", + "

    You can make a statutory demand to ask for payment of a debt from an individual or company.

    ", + "

    Anyone who\u2019s owed money (the \u2018creditor\u2019) can make a statutory demand. You do not need a lawyer.

    ", + "

    If the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.

    ", + "

    There may be faster ways of getting smaller debts paid than making a statutory demand.

    ", + "

    When the individual or company that owes you money (the \u2018debtor\u2019) receives a statutory demand, they have 21 days to either:

    ", + "
  • pay the debt
  • ", + "
  • reach an agreement to pay
  • ", + "

    You can apply to bankrupt your debtor or close (\u2018wind up\u2019) their company if they do not respond to the statutory demand within 21 days.

    ", + "

    Statutory demand forms

    ", + "

    Choose the form you need, fill it in and deliver (\u2018serve\u2019) it to the individual or company that owes you money.

    ", + "

    You do not need to send a separate letter.

    ", + "

    Serve a demand on an individual (including partners in a partnership)

    ", + "

    Which form you need depends on whether you\u2019re collecting a debt that\u2019s:

    ", + "
  • payable now
  • ", + "
  • payable now following a judgment or court order
  • ", + "
  • payable in the future, if you think they will not be able to pay the debt when they need to
  • ", + "

    If you\u2019re serving a demand on a business partnership, you need to download and fill in a form for each partner.

    ", + "

    Serve a demand on a limited company

    ", + "

    Use statutory demand form SD 1.

    ", + "

    If you\u2019re in Scotland

    ", + "

    You must use a different form to make a statutory demand in Scotland.

    ", + "

    How to serve a statutory demand

    ", + "

    You must deliver (\u2018serve\u2019) the statutory demand form by:

    ", + "
  • giving it to the individual who owes you money (you should try all their known addresses)
  • ", + "
  • leaving it at the registered office of the company or partnership that owes money (or the main place of business if they do not have a registered office)
  • ", + "
  • giving it to the company\u2019s director, company secretary, manager or principal officer
  • ", + "
  • get a \u2018process server\u2019 to serve it for you (a solicitor can arrange this)
  • ", + "

    You can only send it by registered post or put it through a letterbox if it cannot be delivered in person.

    ", + "

    Records you must keep

    ", + "

    You must keep a copy of the statutory demand and anything that confirms:

    ", + "
  • the time and date you served the statutory demand, for example a postage receipt or confirmation from your process server
  • ", + "
  • the debtor has received the statutory demand
  • ", + "

    You\u2019ll need this information if your demand is ignored.

    ", + "

    If your demand is ignored

    ", + "

    If your debtor does not pay the debt or agree to your statutory demand within 21 days, you can:

    ", + "
  • start bankruptcy proceedings against any individuals who owe you \u00a35,000 or more
  • ", + "
  • wind up a company that owes you \u00a3750 or more
  • ", + "

    You have 4 months to apply to bankrupt or wind up your debtor. If you\u2019re late, explain why to the court named on the statutory demand.

    ", + "

    Serve a statutory demand abroad

    ", + "

    Get legal help if you want to serve a statutory demand in another country.

    ", + "

    You need to serve a statutory demand according to local laws but also according to the UK rules.

    ", + "

    Challenge a statutory demand

    ", + "

    If you do not agree with a statutory demand you\u2019ve been given, you can apply to challenge it and get it \u2018set aside\u2019.

    ", + "

    You can be made bankrupt or your company wound up if you ignore a statutory demand.

    ", + "

    You must apply to the court named on your statutory demand. Contact a solicitor or your nearest county court if you\u2019re not sure where to send your application.

    ", + "

    You cannot challenge a statutory demand if it was served on a company. You can apply to stop your creditors from winding up your company instead.

    ", + "

    Any bankruptcy petitions the creditor has already filed against you will usually be suspended until the court reaches a decision.

    ", + "

    The court will not usually set aside a statutory demand if it was served on you following the judgment of another court unless, for example:

    ", + "
  • you think the creditor owes you the same amount as your debt, or more
  • ", + "
  • the amount on the statutory demand is secured
  • ", + "

    Deadlines

    ", + "

    You must apply to challenge the statutory demand within either:

    ", + "
  • 18 days if you were in the UK when you got the statutory demand
  • ", + "
  • 21 to 34 days if you were in another country when you got the statutory demand - check the table of countries for specific deadlines
  • ", + "

    If the deadline is during a weekend or on a bank holiday, you have until the next day the court is open to apply.

    ", + "

    You might be able to get an extension in some circumstances - contact the court to find out what these are.

    ", + "

    How to apply

    ", + "

    Download and fill in form IAA.

    ", + "

    Make 3 copies of the completed form and either post them to the court named on your statutory demand or give them to the court in person.

    ", + "

    What happens next

    ", + "

    You\u2019ll usually hear back from the court within 10 working days of applying.

    ", + "

    If the court does not agree with your application, it can give the creditor permission to issue a bankruptcy petition against you.

    ", + "

    If the court agrees with your application, your case will be passed on to a bankruptcy registrar. They\u2019ll look at your case and arrange a hearing.

    ", + "

    What happens at the hearing

    ", + "

    Both sides will present their case to a registrar or judge. They\u2019ll either make a decision then, or ask you and the other party to give more evidence at another hearing.

    ", + "

    You\u2019ll usually get a decision at the end of the final hearing.

    ", + "

    If you win your case, you\u2019ll get an order from the court setting aside the statutory demand. The deadline for paying the debt will be suspended.

    ", + "

    If you lose, you\u2019ll have to pay back your debt within the 21 day time limit. The creditor can apply to bankrupt you if you do not pay in time and your debt is \u00a35,000 or more.

    ", + "

    Do not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.

    ", + "

    Contact the Insolvency Service

    ", + "

    Use the contact form to contact the Insolvency Service about delivering and challenging a statutory demand.

    ", + "

    You cannot currently contact the Insolvency Service by telephone because of coronavirus (COVID-19).

    " + ] + }, + { + "title": "Options for paying off your debts", + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "contents": [ + "

    Overview

    ", + "

    If you owe people money (your \u2018creditors\u2019) you can make arrangements to pay your debts. Your options depend on the amount of money and assets you have.

    ", + "

    Where you can get help

    ", + "

    Speak to a debt adviser to get help choosing the best way to deal with your debt.

    ", + "

    The Money Advice Service has information about debt management and free debt advisory services.

    ", + "

    Paying off your debts

    ", + "

    You can pay your debts in instalments by setting up:

    ", + "
  • a Debt Management Plan which is an agreement with your creditors managed by a financial company
  • ", + "
  • an Administration Order when you\u2019ve had a county court judgment (CCJ) or a High Court judgment (HCJ) against you for debts under \u00a35,000
  • ", + "
  • an Individual Voluntary Arrangement which is managed by an insolvency practitioner
  • ", + "

    You can also get temporary protection from your creditors through the \u2018Breathing Space\u2019 scheme, while still making repayments. You\u2019ll need to apply through a debt advisor.

    ", + "

    In Scotland you can arrange a Debt Payment Programme from the Debt Arrangement Scheme.

    ", + "

    You may also have the option of reaching an informal agreement with your creditors.

    ", + "

    If you cannot pay off your debt

    ", + "

    You can apply for a Debt Relief Order or Bankruptcy Order if you cannot pay your debts because you do not have enough money or assets you can sell.

    ", + "

    If you cannot pay off your debts, you can be made bankrupt.

    ", + "

    Breathing Space (Debt Respite Scheme)

    ", + "

    If you live in England or Wales, you can get temporary protection from your creditors while you get debt advice and make a plan. This scheme is called \u2018Breathing Space\u2019.

    ", + "

    You can get temporary protection for up to 60 days.

    ", + "

    You\u2019ll still need to make your debt repayments.

    ", + "

    If you get it:

    ", + "
  • enforcement action cannot be taken against you
  • ", + "
  • your creditors cannot contact you about debts included in your Breathing Space
  • ", + "
  • your creditors cannot add interest or charges to your debt
  • ", + "

    If you\u2019re getting mental health crisis treatment, your protection from creditors will be longer. It will last for the length of your treatment, plus another 30 days.

    ", + "

    How to apply for the Breathing Space scheme

    ", + "

    To apply for the \u2018Breathing Space\u2019 scheme, you need to talk to a debt adviser. They will submit an application on your behalf if it\u2019s the right thing to do.

    ", + "

    You can find a free debt adviser on the Money Advice Service website. You can get confidential advice online, over the phone or in person.

    ", + "

    If you\u2019re receiving mental health treatment and cannot speak to a debt adviser, someone else can do so on your behalf.

    ", + "

    Costs

    ", + "

    It\u2019s free to apply for \u2018Breathing Space\u2019, but some debt advisers may charge you a fee.

    ", + "

    Eligibility

    ", + "

    You must:

    ", + "
  • not have a debt relief order (DRO), an individual voluntary arrangement (IVA), an interim order, or be an undischarged bankrupt at the time you apply
  • ", + "
  • not already be using the \u2018Breathing Space\u2019 scheme
  • ", + "
  • not have used the \u2018Breathing Space\u2019 scheme in the last 12 months, unless it was for a mental health crisis
  • ", + "

    Debt Management Plans

    ", + "

    A Debt Management Plan is an agreement between you and your creditors to pay all of your debts.

    ", + "

    Debt management plans are usually used when either:

    ", + "
  • you can only afford to pay creditors a small amount each month
  • ", + "
  • you have debt problems but will be able to make repayments in a few months
  • ", + "

    You can arrange a plan with your creditors yourself or through a licensed debt management company for a fee. If you arrange this with a company:

    ", + "
  • you make regular payments to the company
  • ", + "
  • the company shares the money out between your creditors
  • ", + "

    The Money Advice Service has information on organisations that can give you free advice about whether a Debt Management Plan is right for you.

    ", + "

    Get a Debt Management Plan

    ", + "
  • Set up a plan with a debt management company authorised by the Financial Conduct Authority (FCA). Search the Financial Services Register for an authorised company.
  • ", + "
  • The company works out your monthly payments. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.
  • ", + "
  • The company contacts your creditors and asks them to agree to the plan (they do not have to).
  • ", + "

    Unless stated in the agreement, your creditors can still:

    ", + "
  • ask you to pay your full debt at a later date
  • ", + "
  • take action to recover their money even if you keep up your payments
  • ", + "

    Costs

    ", + "

    Some companies will charge:

    ", + "
  • a set up fee
  • ", + "
  • a handling fee each time you make a payment
  • ", + "

    Make sure you understand the costs of your plan and how you pay for it.

    ", + "

    Eligibility

    ", + "

    Debt Management Plans can only be used to pay \u2018unsecured\u2019 debts, for example debts that have not been guaranteed against your property.

    ", + "

    Your responsibilities

    ", + "

    Your plan can be cancelled if you do not keep up your repayments.

    ", + "

    Administration orders

    ", + "

    An administration order is a way to deal with debt if you have a county court or High Court judgment against you and you cannot pay in full.

    ", + "

    The debt must be less than \u00a35,000.

    ", + "

    You make 1 payment a month to your local court. The court will divide this money between your creditors.

    ", + "

    Creditors listed on the administration order cannot take any further action against you without the court\u2019s permission.

    ", + "

    The Money Advice Service has information on organisations that can give you free advice about whether an administration order is right for you.

    ", + "

    Get an administration order

    ", + "

    Fill in an application for an administration order (form N92) and return it to your local court.

    ", + "

    The court decides:

    ", + "
  • how much of your debt you have to repay, for example all or just part of it
  • ", + "
  • how much your monthly repayments will be
  • ", + "
  • how long the arrangement lasts
  • ", + "

    The arrangement is known as a \u2018composition order\u2019 if you cannot pay all your debts.

    ", + "

    Costs

    ", + "

    There\u2019s a court fee each time you make a payment. This cannot be more than 10% of your debt.

    ", + "

    Eligibility

    ", + "

    You must:

    ", + "
  • owe less than \u00a35,000, including any interest and charges
  • ", + "
  • owe money to at least 2 creditors
  • ", + "
  • prove you can afford regular repayments, for example by giving details of your income
  • ", + "
  • have a county court or High Court judgment against you, which you cannot pay in full
  • ", + "

    Your responsibilities

    ", + "

    You must keep up your repayments or the court can:

    ", + "
  • ask your employer take money from your wages \u2013 known as an \u2018attachment of earnings order\u2019
  • ", + "
  • cancel the arrangement
  • ", + "

    You may still be able to keep your business running, if you have one.

    ", + "

    Public records

    ", + "

    Your administration order is added to the Register of Judgments, Orders and Fines.

    ", + "

    It\u2019s usually removed 6 years after the date the order was made.

    ", + "

    Your entry is marked as \u2018satisfied\u2019 if you repay your debts in full.

    ", + "

    You can also ask the court for a \u2018certificate of satisfaction\u2019. To do this, write to the court and send a cheque for \u00a315 (made payable to Her Majesty\u2019s Courts and Tribunal Service).

    ", + "

    Individual Voluntary Arrangements

    ", + "

    An Individual Voluntary Arrangement (IVA) is an agreement with your creditors to pay all or part of your debts. You agree to make regular payments to an insolvency practitioner, who will divide this money between your creditors.

    ", + "

    An IVA can give you more control of your assets than bankruptcy.

    ", + "

    The Money Advice Service has information on organisations that can give you free advice about whether an IVA is right for you.

    ", + "

    Get an Individual Voluntary Arrangement (IVA)

    ", + "

    Use an insolvency practitioner to get an IVA.

    ", + "

    Your insolvency practitioner works out what you can afford to repay and how long the IVA lasts. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.

    ", + "

    Your insolvency practitioner will contact your creditors. The IVA will start if the creditors holding 75% of your debts agree to it. It will apply to all your creditors, including any who disagreed to it.

    ", + "

    An IVA will stop your creditors taking action against you for your debts.

    ", + "

    Costs

    ", + "

    There are usually 2 fees:

    ", + "
  • a set up fee
  • ", + "
  • a handling fee each time you make a payment
  • ", + "

    Make sure you know how much it\u2019s going to cost before asking an insolvency practitioner to act for you.

    ", + "

    Your responsibilities

    ", + "

    Your IVA can be cancelled by the insolvency practitioner if you do not keep up your repayments. The insolvency practitioner can make you bankrupt.

    ", + "

    You may still be able to keep your business running, if you have one.

    ", + "

    Public records

    ", + "

    Your IVA will be added to the Individual Insolvency Register. It\u2019s removed 3 months after the IVA ends.

    ", + "

    Debt Relief Orders

    ", + "

    Debt Relief Orders (DROs) are one way to deal with your debts if you owe less than \u00a320,000, do not have much spare income and do not own your home.

    ", + "

    If you get one:

    ", + "
  • your creditors cannot recover their money without the court\u2019s permission
  • ", + "
  • you\u2019re usually freed (\u2018discharged\u2019) from your debts after 12 months
  • ", + "

    Get a Debt Relief Order

    ", + "

    You get a DRO from the official receiver, an officer of the bankruptcy court, but you must apply through an authorised debt adviser. They\u2019ll help you fill in the paperwork.

    ", + "

    There\u2019s a list of organisations that can help you find an authorised debt adviser in the guide to DROs.

    ", + "

    The Money Advice Service has information about where to get free debt advice.

    ", + "

    Costs

    ", + "

    The official receiver\u2019s fee is \u00a390. Your debt adviser can tell you how and when to pay it. In some cases a charity may be able to help you with the cost - ask your debt adviser.

    ", + "

    Eligibility

    ", + "

    You\u2019re generally eligible if you meet all of these criteria:

    ", + "
  • you owe less than \u00a320,000
  • ", + "
  • you\u2019ve less than \u00a350 a month spare income
  • ", + "
  • you\u2019ve less than \u00a31,000 worth of assets
  • ", + "
  • you\u2019ve lived or worked in England and Wales within the last 3 years
  • ", + "
  • you have not applied for a DRO within the last 6 years
  • ", + "

    Restrictions

    ", + "

    You must follow rules called \u2018restrictions\u2019 if you get a DRO.

    ", + "

    This means you cannot:

    ", + "
  • borrow more than \u00a3500 without telling the lender about your DRO
  • ", + "
  • act as the director of a company
  • ", + "
  • create, manage or promote a company without the court\u2019s permission
  • ", + "
  • manage a business without telling those you do business with about your DRO
  • ", + "

    If you want to open a bank account, you may also have to tell the bank or building society about your DRO.

    ", + "

    Check the Individual Insolvency Register to see when the restrictions end.

    ", + "

    The restrictions usually last 12 months. They can be extended if careless or dishonest behaviour caused your debt problem. For example, you lied to get credit.

    ", + "

    The official receiver will tell you if they should be extended. To extend them, you\u2019ll be asked to agree to a \u2018Debt Relief Restrictions Undertaking\u2019. The court can issue a \u2018Debt Relief Restrictions Order\u2019 if you do not agree.

    ", + "

    What you need to know

    ", + "

    While you have a DRO you still have to pay:

    ", + "
  • your rent and bills
  • ", + "
  • certain debts, for example student loans, court fines
  • ", + "

    DROs can be cancelled if:

    ", + "
  • your finances improve
  • ", + "
  • you do not co-operate with the official receiver - for example you do not give them the information they ask for
  • ", + "

    If you get new debt after your DRO is approved you could:

    ", + "
  • get a bankruptcy order
  • ", + "
  • be prosecuted if you do not tell new creditors about your DRO
  • ", + "

    Your DRO is added to the Individual Insolvency Register - it\u2019s removed 3 months after the DRO ends.

    ", + "

    Your DRO will stay on your credit record for 6 years.

    " + ] + }, + { + "title": "Disagree with a tax decision", + "url": "https://www.gov.uk/tax-appeals", + "contents": [ + "

    Overview

    ", + "

    You can contact HM Revenue and Customs (HMRC) if you have a query about a tax decision. If you do not understand the decision you can also get advice from HMRC or professional help.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    HMRC will send you a decision letter that will tell you if you can appeal against a tax decision.

    ", + "

    You can appeal against some decisions about:

    ", + "
  • your tax bill (for example Self Assessment, Corporation Tax, VAT)
  • ", + "
  • a claim for tax relief
  • ", + "
  • a request for information or to check your business records
  • ", + "
  • a penalty (for example if you paid your tax late or filed your tax return late)
  • ", + "

    Your appeal can be made by someone who deals with your taxes, for example an accountant.

    ", + "

    You\u2019ll usually have to pay your own costs if you appeal a tax decision. You may be able to delay the payment of a penalty or any tax you owe until your appeal\u2019s been resolved.

    ", + "

    If HMRC did not act on information

    ", + "

    You may be able to ask HMRC to cancel tax you owe if they did not act on information that you, your employer or the Department for Work and Pensions (DWP) gave them.

    ", + "

    You can do this if you owe:

    ", + "
  • Income Tax, for example because you were on the wrong tax code
  • ", + "
  • Capital Gains Tax
  • ", + "
  • Class 4 National Insurance contributions
  • ", + "

    Appeal against a tax decision

    ", + "

    HM Revenue and Customs (HMRC) will write to tell you if you can appeal. You can use the appeal form you got with your decision letter, or write to HMRC at the address on the letter. You usually have 30 days to appeal.

    ", + "

    If you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any decision dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.

    ", + "

    You must include:

    ", + "
  • your name or business name
  • ", + "
  • your tax reference number (this will be on the decision letter)
  • ", + "
  • what you disagree with and why
  • ", + "
  • what you think the correct figures are and how you\u2019ve calculated them
  • ", + "
  • your signature
  • ", + "

    You should also tell HMRC if you have any extra information or if you think they\u2019ve missed something.

    ", + "

    If you do not have a letter you can write to the HMRC office related to your return.

    ", + "

    If you want to appeal a decision about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can request a review by HMRC or appeal straight to the tax tribunal.

    ", + "

    If customs has seized your things because you have not paid duty or VAT, you can ask for your things back.

    ", + "

    What happens next

    ", + "

    When you appeal you can accept HMRC\u2019s offer of a review, or request one (if it\u2019s for direct tax). HMRC will tell you what to do next.

    ", + "

    A review will be carried out by someone who was not involved in the original decision. This usually takes 45 days, but HMRC will contact you if it will take longer.

    ", + "

    If you disagree with HMRC\u2019s review

    ", + "

    You can:

    ", + "
  • ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision
  • ", + "
  • consider alternative dispute resolution (ADR)
  • ", + "

    Because of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:

    ", + "
  • your review decision is dated February 2020 or later
  • ", + "
  • you ask within 3 months of the normal deadline
  • ", + "

    Appeal against a penalty

    ", + "

    You can appeal to HM Revenue and Customs (HMRC) against a penalty, for example for:

    ", + "
  • an inaccurate return
  • ", + "
  • sending in your tax return late
  • ", + "
  • paying tax late
  • ", + "
  • failing to keep adequate records
  • ", + "

    A HMRC officer who was not previously involved with your penalty decision will carry out a review if you appeal.

    ", + "

    If you want to appeal a penalty about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can either:

    ", + "
  • request a review from HMRC
  • ", + "
  • appeal straight to the tax tribunal
  • ", + "

    Your penalty may be cancelled or amended if you have a reasonable excuse.

    ", + "

    How to appeal

    ", + "

    If HMRC sends you a penalty letter by post, use the appeal form that comes with it or follow the instructions on the letter.

    ", + "

    For Self Assessment, PAYE, VAT and Corporation Tax, there are extra documents you can use or alternative ways to appeal.

    ", + "

    If you\u2019re appealing a Self Assessment penalty

    ", + "

    You can get your penalty cancelled if you did not send a tax return because you no longer needed to. Tell HMRC online you do not need to be self assessed or call the helpline.

    ", + "

    Otherwise, to appeal you\u2019ll need:

    ", + "
  • the date the penalty was issued
  • ", + "
  • the date you filed your Self Assessment tax return
  • ", + "
  • details of your reasonable excuse for late filing
  • ", + "

    If you\u2019re appealing a \u00a3100 late filing penalty from tax year 2015 to 2016 onwards, you can appeal online or by post. You\u2019ll need to set up a Government Gateway account if you do not have one to appeal online.

    ", + "

    For other penalties, you need to appeal by post. Send a completed form SA370 or a letter explaining your appeal to HMRC Self Assessment.

    ", + "

    If you\u2019re appealing a penalty to a partnership for a late tax return, appeal by post using form SA371. Only the nominated partner can appeal.

    ", + "

    If you\u2019re an employer appealing a PAYE penalty

    ", + "

    You can appeal online if you\u2019re registered for HMRC\u2019s PAYE for employers service. Once you\u2019ve logged in, select \u2018Appeal a penalty\u2019. You\u2019ll get an immediate acknowledgment when you submit your appeal.

    ", + "

    If you filed a late VAT or Corporation Tax return

    ", + "

    You can also use these specific forms for:

    ", + "
  • VAT if you had a reasonable excuse for filing late
  • ", + "
  • Corporation Tax if you filed late because of computer problems
  • ", + "

    If you do not have an appeal form

    ", + "

    You can send a signed letter to HMRC instead. Your letter must include:

    ", + "
  • your name
  • ", + "
  • your reference number, for example your Self Assessment Unique Taxpayer Reference (UTR) or VAT registration number
  • ", + "
  • a full explanation of why your return or payment was late, including dates
  • ", + "

    If you could not file or pay because of computer problems, you should include the date you tried to file or pay online with details of any system error message.

    ", + "

    Send your claim to the HMRC office related to your return.

    ", + "

    Deadlines

    ", + "

    You must usually appeal within 30 days of the date of the penalty notice.

    ", + "

    If you miss this deadline you must explain the reason for the delay so that HMRC can decide if they\u2019ll consider your appeal.

    ", + "

    If you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any penalty dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.

    ", + "

    If you disagree with HMRC\u2019s review

    ", + "

    You can:

    ", + "
  • ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision
  • ", + "
  • consider alternative dispute resolution (ADR)
  • ", + "

    Because of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:

    ", + "
  • your review decision is dated February 2020 or later
  • ", + "
  • you ask within 3 months of the normal deadline
  • ", + "

    Delay payment while appealing

    ", + "

    You may be able to delay paying a tax bill or penalty if you disagree with the amount.

    ", + "

    Direct tax

    ", + "

    If you\u2019ve appealed to HM Revenue and Customs (HMRC) against a direct tax decision (such as Income Tax, Corporation Tax or Capital Gains Tax) write to the HMRC office that sent you the decision, telling them:

    ", + "
  • why you think the amount you\u2019ve been asked to pay is too much
  • ", + "
  • what you think the correct amount is and when you\u2019ll pay it
  • ", + "

    HMRC will tell you in writing if they agree.

    ", + "

    Penalty

    ", + "

    If you\u2019ve appealed against a penalty you will not have to pay until your appeal has been settled.

    ", + "

    Indirect tax

    ", + "

    If you\u2019ve asked HMRC to review an indirect tax decision, for example VAT or Insurance Premium Tax, you will not need to pay until the review has finished.

    ", + "

    If you appeal to the tax tribunal you\u2019ll usually have to pay the tax before they will hear your appeal. You can ask to delay paying the tax if it would cause you extreme financial difficulty (for example, bankruptcy or liquidation).

    ", + "

    Once a final decision has been reached, you must pay any money that you owe in full including interest.

    ", + "

    Penalty

    ", + "

    If you\u2019ve asked for a review, or appealed to the tribunal about a penalty, HMRC will not ask you to pay it until your appeal has been settled.

    ", + "

    If you disagree with HMRC\u2019s decision

    ", + "

    You can ask for the decision to be reviewed if you do not agree with the outcome.

    ", + "

    Reasonable excuses

    ", + "

    You can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.

    ", + "

    What may count as a reasonable excuse

    ", + "

    A reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:

    ", + "
  • your partner or another close relative died shortly before the tax return or payment deadline
  • ", + "
  • you had an unexpected stay in hospital that prevented you from dealing with your tax affairs
  • ", + "
  • you had a serious or life-threatening illness
  • ", + "
  • your computer or software failed just before or while you were preparing your online return
  • ", + "
  • service issues with HM Revenue and Customs (HMRC) online services
  • ", + "
  • a fire, flood or theft prevented you from completing your tax return
  • ", + "
  • postal delays that you could not have predicted
  • ", + "
  • delays related to a disability you have
  • ", + "

    You must send your return or payment as soon as possible after your reasonable excuse is resolved.

    ", + "

    If you\u2019re affected by coronavirus (COVID-19)

    ", + "

    HMRC will consider coronavirus as a reasonable excuse for missing some tax obligations (such as payments or filing dates).

    ", + "

    Explain how you were affected by coronavirus in your appeal. You must still make the return or payment as soon as you can.

    ", + "

    What will not count as a reasonable excuse

    ", + "

    The following will not be accepted as a reasonable excuse:

    ", + "
  • you relied on someone else to send your return and they did not
  • ", + "
  • your cheque bounced or payment failed because you did not have enough money
  • ", + "
  • you found the HMRC online system too difficult to use
  • ", + "
  • you did not get a reminder from HMRC
  • ", + "
  • you made a mistake on your tax return
  • " + ] + }, + { + "title": "Get help from HMRC if you need extra support", + "url": "https://www.gov.uk/get-help-hmrc-extra-support", + "contents": [ + "

    Help you can get

    ", + "

    HM Revenue and Customs (HMRC) can help you if you need extra support because of your condition or circumstances. You might need extra support if:

    ", + "
  • you have dyslexia, autism or cognitive difficulties
  • ", + "
  • you have reduced mobility or physical disabilities
  • ", + "
  • you have sensory disabilities, like a visual, hearing or speech impairment
  • ", + "
  • you have mental health conditions, like depression, stress or anxiety
  • ", + "
  • you\u2019re experiencing financial hardship - for example you cannot afford essentials like food, bills or rent
  • ", + "
  • you\u2019re a victim of domestic abuse, including economic abuse
  • ", + "
  • you\u2019re in hospital
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    There are different ways to contact HMRC if you need:

    ", + "
  • to use textphone, webchat or BSL
  • ", + "
  • information in a different format
  • ", + "
  • help filling in forms
  • ", + "
  • more time because of your circumstances
  • ", + "
  • information in another language
  • ", + "
  • to appoint someone to talk to HMRC on your behalf
  • ", + "

    If you have a scheduled face-to-face appointment, you should not go to it at the moment because of coronavirus (COVID-19). HMRC will contact you instead.

    ", + "

    If you cannot use a telephone and need a different way to contact HMRC

    ", + "

    There are other ways to contact HM Revenue and Customs (HMRC) than by telephone. You might need to use another form of contact if:

    ", + "
  • you\u2019re deaf, hearing impaired or hard of hearing
  • ", + "
  • you have a speech impairment
  • ", + "
  • you use British Sign Language (BSL)
  • ", + "
  • you have difficulty using the telephone
  • ", + "

    Text Service (Relay UK)

    ", + "

    Dial 18001 then the relevant contact number to use the Relay UK Text Service.

    ", + "

    HMRC also offers a textphone service for some of its helplines.

    ", + "

    Webchat

    ", + "

    You can contact HMRC\u2019s extra support team using webchat.

    ", + "

    If you use British Sign Language (BSL)

    ", + "

    The Royal Association for Deaf people provides:

    ", + "
  • webcam appointments with their tax adviser
  • ", + "
  • a video interpreting service
  • ", + "
  • BSL-captioned video clips linked to HMRC guidance
  • ", + "

    Home visits and appointments

    ", + "

    Because of coronavirus (COVID-19), HMRC cannot do home visits and face-to-face appointments at the moment.

    ", + "

    If you need information in a different format

    ", + "

    HM Revenue and Customs (HMRC) information is available in accessible formats. You might need an alternative format if:

    ", + "
  • you\u2019re visually impaired
  • ", + "
  • you have dyslexia or autism
  • ", + "
  • you have another condition which makes standard print difficult
  • ", + "

    Contact HMRC if you need a form, leaflet or other information in any of the following formats:

    ", + "
  • Braille
  • ", + "
  • large print
  • ", + "
  • audio on CD
  • ", + "
  • text on CD (standard or large print)
  • ", + "
  • other formats, for example coloured paper
  • ", + "

    Call the relevant contact number and tell HMRC what help you need. For example, call \u2018Self Assessment: general enquiries\u2019 if you need a large-print tax return. They will transfer you to HMRC\u2019s extra support team.

    ", + "

    You can also contact HMRC\u2019s extra support team using webchat.

    ", + "

    If you need help filling in forms

    ", + "

    HM Revenue and Customs (HMRC) can help you with filling in forms. You might need help if:

    ", + "
  • you have a mental health condition, like depression, stress or anxiety
  • ", + "
  • you have a visual impairment, dyslexia, autism or cognitive difficulties
  • ", + "
  • you have another condition which makes filling in forms difficult
  • ", + "
  • you\u2019re experiencing financial hardship - for example you cannot afford essentials like food, bills or rent
  • ", + "
  • you\u2019re a victim of domestic abuse, including economic abuse
  • ", + "

    To get help with filling in forms, call the relevant contact number and tell HMRC what help you need. They will transfer you to HMRC\u2019s extra support team.

    ", + "

    You can also contact HMRC\u2019s extra support team using webchat.

    ", + "

    If you need more time because of your circumstances

    ", + "

    In certain circumstances, HM Revenue and Customs (HMRC) can give you an extension to a deadline or spend more time with you on the phone. You can ask for more time if, for example:

    ", + "
  • you have a mental health condition, like depression, stress or anxiety
  • ", + "
  • you have a visual impairment, dyslexia, autism or cognitive difficulties
  • ", + "
  • you have another condition which means you need more time
  • ", + "
  • you\u2019re experiencing financial difficulties - for example, if you\u2019ve been laid off because of coronavirus (COVID-19)
  • ", + "
  • you\u2019re in hospital (someone else can ask HMRC for you)
  • ", + "
  • you\u2019re a victim of domestic abuse, including economic abuse
  • ", + "

    To ask for more time because of your circumstances, call the relevant contact number and tell HMRC what help you need. They will transfer you to HMRC\u2019s extra support team. You may need to prove why you need more time.

    ", + "

    You can also contact HMRC\u2019s extra support team using webchat.

    ", + "

    If you need information in another language

    ", + "

    You can use a friend or family member as an interpreter when you phone HM Revenue and Customs (HMRC).

    ", + "

    They must be over 16 and will need to be in the same room as you when you call HMRC.

    ", + "

    HMRC may also be able to organise an interpreter for you.

    ", + "

    Use the relevant contact number, for example the Self Assessment helpline, if you need help with your tax return.

    ", + "

    You can also ask for information in another language using webchat.

    ", + "

    If you need someone to talk to HMRC for you

    ", + "

    If you find it difficult to deal with HM Revenue and Customs (HMRC) yourself, you can appoint someone to talk to HMRC for you. This can be a friend, relative or an adviser from a voluntary organisation.

    " + ] + }, + { + "title": "If you cannot pay your tax bill on time", + "url": "https://www.gov.uk/difficulties-paying-hmrc", + "contents": [ + "

    What to do

    ", + "

    You must arrange to pay your tax bill with HM Revenue and Customs (HMRC) if you either:

    ", + "
  • miss a payment
  • ", + "
  • know you cannot pay on time
  • ", + "

    If you pay a tax bill late you must pay interest on the amount you owe until it\u2019s paid off. You can avoid penalties by arranging a payment plan with HMRC before the tax is due \u2013 or by 1 April for Self Assessment.

    ", + "

    If you owe Self Assessment tax and your bill is less than \u00a330,000 you may be able to pay in monthly instalments.

    ", + "

    For any other bills or problems paying, you must contact HMRC to discuss your options. How you contact HMRC depends on what you need to pay.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you cannot pay because of coronavirus (COVID-19)

    ", + "

    You may be able to pay your Self Assessment tax in monthly instalments. This includes any delayed (deferred) \u2018payments on account\u2019 that were due in July 2020, if you did not pay them at the time.

    ", + "

    Contact the HMRC coronavirus (COVID-19) helpline if you cannot pay any other tax bills because of coronavirus.

    ", + "

    If you\u2019re self-employed

    ", + "

    If your business has been affected by coronavirus (COVID-19), you may be able to claim a grant through the\u00a0Self-Employment Income Support Scheme.

    ", + "

    If you cannot pay your Self Assessment tax bill

    ", + "

    You can set up a payment plan online to spread the cost of your latest Self Assessment bill if:

    ", + "
  • you owe \u00a330,000 or less
  • ", + "
  • you do not have any other payment plans or debts with HMRC
  • ", + "
  • your tax returns are up to date
  • ", + "
  • it\u2019s less than 60 days after the payment deadline
  • ", + "

    You do not need to contact HMRC if you set up a payment plan.

    ", + "

    Call the Self Assessment helpline if you\u2019re not eligible for a payment plan or cannot use the online service.

    ", + "

    If you cannot pay other taxes

    ", + "

    You might be able to set up a Time to Pay Arrangement with HMRC if you\u2019re unable to pay any other taxes in full. This lets you spread the cost of your tax bill by paying what you owe in instalments.

    ", + "

    How you do this depends on whether you\u2019ve received a payment demand.

    ", + "

    If you\u2019ve received a payment demand, like a tax bill or a letter threatening you with legal action, call the HMRC office that sent you the letter.

    ", + "

    If you\u2019ve not received a bill or letter, call the Payment Support Service (PSS).

    ", + "

    Nominated partners in business partnerships can negotiate a Time to Pay Arrangement with HMRC on behalf of the partnership or individual partners.

    ", + "

    Before you contact HMRC

    ", + "

    You\u2019ll need to know:

    ", + "
  • your reference number (for example, your 10-digit Unique Taxpayer Reference or VAT reference number)
  • ", + "
  • the amount of the tax bill you\u2019re finding it difficult to pay and the reasons why
  • ", + "
  • what you\u2019ve done to try to get the money to pay the bill
  • ", + "
  • how much you can pay immediately and how long you may need to pay the rest
  • ", + "
  • your bank account details
  • ", + "

    What happens when you contact HMRC

    ", + "

    HM Revenue and Customs (HMRC) will ask you about:

    ", + "
  • your income and expenditure
  • ", + "
  • your assets, like savings and investments
  • ", + "
  • what you\u2019re doing to get your tax payments back in order
  • ", + "

    HMRC will decide whether you should be able to pay immediately. If you cannot, they\u2019ll decide whether you\u2019ll be able to get your payments back on track with more time.

    ", + "

    You\u2019ll be asked more in-depth questions if you\u2019ve been given more time to pay before. In more complex cases HMRC may ask for evidence before they make a decision.

    ", + "

    What happens next

    ", + "

    You\u2019ll have to pay immediately if HMRC think you can when you call. You can pay by Direct Debit, corporate credit card or debit card over the phone.

    ", + "

    You\u2019ll be charged a fee if you pay by credit card. The fee is not refundable.

    ", + "

    If you cannot pay all your tax bill, you may be able to:

    ", + "
  • pay your bill in instalments by Direct Debit
  • ", + "
  • get more time to pay
  • ", + "

    When you might get more time to pay

    ", + "

    HMRC may offer you extra time to pay if they think you genuinely cannot pay in full now but will be able to pay in the future.

    ", + "

    You can set up a plan to pay in instalments by Direct Debit on dates they agree with you.

    ", + "

    Tell HMRC as soon as possible if your circumstances change and you can pay your tax bill faster.

    ", + "

    You\u2019ll have to pay interest on the amount you pay late.

    ", + "

    You must keep these payments up to date and pay your other tax. If you do not, HMRC will normally cancel the arrangement and take legal action against you straight away.

    ", + "

    When you will not get more time to pay

    ", + "

    If HMRC do not think you can get your payments on track with more time, they will not make an arrangement with you - they\u2019ll expect you to pay your tax bill straight away.

    ", + "

    If you do not, HMRC will start \u2018enforcement action\u2019 to get the money from you.

    ", + "

    Help and advice

    ", + "

    The Money Advice Service has more information about debt management and where you can get free debt advice.

    ", + "

    You can also contact HMRC.

    ", + "

    Making a complaint

    ", + "

    You cannot appeal against HMRC\u2019s decision, but you can make a complaint if you\u2019re unhappy about how you were treated.

    " + ] + }, + { + "title": "If you do not pay your tax bill", + "url": "https://www.gov.uk/if-you-dont-pay-your-tax-bill", + "contents": [ + "

    Overview

    ", + "

    If you do not pay your tax bill on time and cannot make an alternative arrangement to pay, HM Revenue and Customs (HMRC) can take \u2018enforcement action\u2019 to recover any tax you owe.

    ", + "

    You can usually avoid enforcement action by contacting HMRC as soon as you know you\u2019ve missed a tax payment or cannot pay on time.

    ", + "

    They may agree to let you pay what you owe in instalments, or give you more time to pay.

    ", + "

    Otherwise, there are a number of enforcement actions HMRC can take to get the tax you owe. They can:

    ", + "
  • collect what you owe through your earnings or pension
  • ", + "
  • ask debt collection agencies to collect the money
  • ", + "
  • take things you own and sell them (if you live in England, Wales or Northern Ireland)
  • ", + "
  • take money directly from your bank account or building society (if you live in England, Wales or Northern Ireland)
  • ", + "
  • take you to court
  • ", + "
  • make you bankrupt
  • ", + "
  • close down your business
  • ", + "

    If you do not pay your tax on time, you\u2019ll probably have to pay interest on the outstanding amount. You may also have to pay a penalty or surcharge.

    ", + "

    Through your earnings or pension

    ", + "

    HM Revenue and Customs (HMRC) can make deductions from your salary or pension for debts for:

    ", + "
  • Self Assessment tax
  • ", + "
  • Class 2 National Insurance
  • ", + "

    They\u2019ll change your tax code to do this.

    ", + "

    If you\u2019ve been paid too much in tax credits, HMRC can also take back the money in this way, or by making deductions from your Universal Credit payments.

    ", + "

    How much

    ", + "

    HMRC can take up to \u00a33,000 each tax year if you earn less than \u00a330,000.

    ", + "

    If you earn more than this, HMRC can take higher amounts depending on your salary. They can take up to \u00a317,000 each tax year if you earn \u00a390,000 or more.

    ", + "

    When you\u2019ll start repaying the debt

    ", + "

    HMRC will write to you before making changes to your tax code.

    ", + "

    They can change your code immediately, which means you\u2019ll receive less money the next time you\u2019re paid or get income from a pension.

    ", + "

    If you\u2019ve not repaid the debt by the end of the tax year, HMRC can continue to collect what you owe through next year\u2019s tax code.

    ", + "

    If you do not want debt included in your tax code

    ", + "

    You\u2019ll need to either:

    ", + "
  • pay the full amount you owe
  • ", + "
  • contact HMRC to arrange a payment plan
  • ", + "

    Debt collection agencies

    ", + "

    HM Revenue and Customs (HMRC) can collect your debt through a private debt collection agency.

    ", + "

    The agency will write to you and you should pay them directly.

    ", + "

    Debt collection agencies used by HMRC are:

    ", + "
  • 1st Locate (trading as LCS)
  • ", + "
  • Advantis Credit Ltd
  • ", + "
  • Bluestone Consumer Finance Limited (trading as Bluestone Credit Management)
  • ", + "
  • BPO Collections Ltd
  • ", + "
  • CCS Collect (also known as Commercial Collection Services Ltd)
  • ", + "
  • Moorcroft
  • ", + "
  • Oriel Collections Limited
  • ", + "
  • Past Due Credit Solutions (PDCS)
  • ", + "

    Taking control of goods (distraint)

    ", + "

    If you live in England, Wales or Northern Ireland, HM Revenue and Customs (HMRC) can take things you own, and sell them to pay your debt.

    ", + "

    This is called \u2018taking control of goods\u2019 (or \u2018distraint\u2019 in Northern Ireland). You\u2019ll also be charged certain fees.

    ", + "

    What happens when HMRC visits

    ", + "

    An officer from HMRC will visit you and ask you to pay your debt.

    ", + "

    If you do not pay, the officer will make a list of your possessions that could be sold to cover both your debt and the costs of selling them, for example fees for auctioneers or advertising.

    ", + "

    These possessions can then be either:

    ", + "
  • taken immediately by the officer
  • ", + "
  • left with you under a \u2018Controlled Goods Agreement\u2019 (\u2018Walking Possession\u2019 in Northern Ireland)
  • ", + "

    They can be sold if you do not pay within 7 days of the visit. If they sell for more than you owe, you\u2019ll be paid anything over. If they sell for less, you\u2019ll have to pay the difference.

    ", + "

    Enforcement action fees

    ", + "

    England and Wales

    ", + " | Flat fee | Plus", + "Issuing a notice of enforcement | \u00a375 | -", + "Take control of goods | \u00a3235 | 7.5% of the proportion of the main debt over \u00a31,500", + "Goods taken and sold at auction | \u00a3110 | 7.5% of the proportion of the main debt over \u00a31,500", + "

    Northern Ireland

    ", + " | Fee", + "If you owe under \u00a3100 | \u00a312.50", + "If you owe more than \u00a3100 | Between 0.25 to 12.5% depending on debt amount", + "Goods taken and sold at auction | Between 7.5% to 15% depending on auction", + "

    From your bank or building society account

    ", + "

    If you live in England, Wales or Northern Ireland, HM Revenue and Customs (HMRC) can take the money you owe directly from your bank or building society account. This is called \u2018direct recovery of debts\u2019.

    ", + "

    HMRC will only do this if you:

    ", + "
  • have repeatedly refused to pay what you owe
  • ", + "
  • have received a face-to-face visit from them to discuss your debt
  • ", + "
  • would have at least \u00a35,000 in your account after they\u2019ve taken the debt
  • ", + "

    If HMRC plans to take money from your account

    ", + "

    HMRC will write to tell you:

    ", + "
  • what they plan to do
  • ", + "
  • what the process will involve
  • ", + "
  • how to contact them with any queries
  • ", + "

    Court action

    ", + "

    If HM Revenue and Customs (HMRC) takes you to court, you may have to pay court fees and HMRC\u2019s costs as well as the tax you owe.

    ", + "

    Magistrates court (England, Wales and Northern Ireland)

    ", + "

    HMRC can start magistrates court proceedings against you if:

    ", + "
  • you have separate debts of \u00a32,000 each or less
  • ", + "
  • you\u2019ve owed the money for under a year
  • ", + "

    You\u2019ll get a summons before the hearing explaining what you owe and where and when the hearing will be. If you pay, you will not have to go to court.

    ", + "

    If you disagree with the amount on the summons, you\u2019ll need to contact HMRC before your case goes to court.

    ", + "

    If you do not pay, HMRC can ask the court to:

    ", + "
  • send bailiffs to take and sell things that you own to cover the debt
  • ", + "
  • make you bankrupt or close down your company
  • ", + "

    County court (England and Wales)

    ", + "

    The court will write to you explaining how much you owe and what you need to do.

    ", + "

    If you disagree with the amount you\u2019re being asked to pay, you may need to go to court to explain why.

    ", + "

    If you do not pay, HMRC can ask the court to:

    ", + "
  • send bailiffs to take and sell things that you own to cover the debt
  • ", + "
  • take the money directly from your earnings
  • ", + "
  • make you bankrupt or close down your company
  • ", + "
  • order someone who owes you money to pay your debt
  • ", + "
  • place a charge on your property
  • ", + "

    Sheriff court (Scotland)

    ", + "

    HMRC will apply to the court for a warrant to collect your debt. You\u2019ll have 14 days to pay from the date of the warrant.

    ", + "

    If you do not pay, HMRC can ask the court to:

    ", + "
  • take the money you owe directly from your pay or from your bank account
  • ", + "
  • take and sell certain goods from your business premises or your property
  • ", + "
  • make you bankrupt or close down your company
  • " + ] + }, + { + "title": "Tell HMRC about a change to your personal details", + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "contents": [ + "

    Change of name or address

    ", + "

    How you contact HM Revenue and Customs (HMRC) to update your name or address depends on your situation.

    ", + "

    You\u2019ll also need to change your business records if you run a business.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You need to wait until you\u2019ve moved or changed your name before telling HMRC.

    ", + "

    If you\u2019ve changed your address

    ", + "

    Tell HMRC you\u2019ve changed your address. If you submit a Self Assessment tax return as well your details will be updated for both.

    ", + "

    There are different ways to tell HMRC if you:

    ", + "
  • only pay tax through Self Assessment
  • ", + "
  • are a tax agent, for example an accountant
  • ", + "

    If you\u2019ve changed your name

    ", + "

    Tell HMRC your name has changed. If you submit a Self Assessment tax return as well your details will be updated for both.

    ", + "

    You\u2019ll need a Government Gateway user ID and password. If you do not have a user ID you can create one when you update your name.

    ", + "

    There are different ways to tell HMRC if you:

    ", + "
  • only pay tax through Self Assessment
  • ", + "
  • are a tax agent, for example an accountant
  • ", + "

    Your name will be updated automatically if you change gender.

    ", + "

    What happens next

    ", + "

    HMRC will update your personal records for:

    ", + "
  • Income Tax and National Insurance
  • ", + "
  • tax credits and benefits, including Child Benefit
  • ", + "
  • services, including the Pension Service
  • ", + "

    You\u2019ll get an email to either:

    ", + "
  • confirm your change of details
  • ", + "
  • ask for more information, for example legal documents for your name change
  • ", + "

    Income changes

    ", + "

    You must tell HM Revenue and Customs (HMRC) about changes to your taxable income.

    ", + "

    To do this you can either:

    ", + "
  • check your Income Tax and go to \u2018Tell us about a change\u2019
  • ", + "
  • call HMRC
  • ", + "

    If you do not, you could pay too much tax or get a tax bill at the end of the year.

    ", + "

    What you must tell HMRC

    ", + "

    Your employer or pension provider tells HMRC when:

    ", + "
  • you start or finish your job
  • ", + "
  • there\u2019s a change in the money you earn from your job or get from your pension
  • ", + "

    But you must tell HMRC about any other changes, for example when you start or stop getting:

    ", + "
  • income from a new source, such as money from self-employment or rent from property
  • ", + "
  • taxable benefits, such as State Pension, Jobseeker\u2019s Allowance and Carer\u2019s Allowance
  • ", + "
  • benefits from your job, such as a company car
  • ", + "
  • income above your Personal Allowance
  • ", + "
  • money over \u00a385,000 from self-employment (you must register for VAT over this amount)
  • ", + "
  • lump sums from selling things you pay Capital Gains Tax on, such as shares or property that\u2019s not your main home
  • ", + "
  • income from property, money or shares you inherit, such as dividends from shares or rent from property
  • ", + "

    If you get tax credits

    ", + "

    Tell HMRC separately about changes that affect your tax credits.

    ", + "

    If your spouse or civil partner dies

    ", + "

    Tell HMRC about changes to your income after the death of your husband, wife or civil partner.

    ", + "

    If you make Self Assessment \u2018payments on account\u2019

    ", + "

    Tell HMRC if you expect a big decrease in income and you pay your Self Assessment tax bill in advance (\u2018payments on account\u2019). HMRC may decide to reduce your payments.

    ", + "

    After you tell HMRC

    ", + "

    HMRC may:

    ", + "
  • change your tax code and send you a PAYE Coding notice
  • ", + "
  • tell you to send a Self Assessment tax return so they can bill you for tax you owe
  • ", + "
  • send you a refund if you paid too much tax
  • ", + "

    Relationship or family changes

    ", + "

    Tell HM Revenue and Customs (HMRC) if:

    ", + "
  • you get married or form a civil partnership
  • ", + "
  • you divorce, separate or stop living with your husband, wife or partner
  • ", + "

    You can tell HMRC online if you\u2019re paid a salary or pension through PAYE. If you submit a Self Assessment tax return as well, your details will be updated for both.

    ", + "

    You\u2019ll need:

    ", + "
  • a Government Gateway user ID and password - if you do not have a Government Gateway user ID, you can create one when you tell HMRC online
  • ", + "
  • a National Insurance number (a temporary reference number will not work).
  • ", + "

    Tell HMRC straight away \u2013 if you do not, you could pay too much tax, or get a tax bill at the end of the year.

    ", + "

    If you get tax credits or Child Benefit

    ", + "

    Tell HMRC separately about changes to your relationship or family if you get:

    ", + "
  • tax credits
  • ", + "
  • Child Benefit
  • ", + "

    If your spouse or civil partner dies

    ", + "

    Contact HMRC to report:

    ", + "
  • the death of your husband, wife or civil partner
  • ", + "
  • changes to your income after their death
  • ", + "

    Gender change

    ", + "

    HM Revenue and Customs (HMRC) is usually told automatically when you change gender legally by applying for a Gender Recognition Certificate.

    ", + "

    Tell your employer at the same time - they must update your payroll records and National Insurance contributions.

    ", + "

    HMRC will:

    ", + "
  • update its records with your gender and any name change
  • ", + "
  • tell the Department for Work and Pensions (DWP)
  • ", + "
  • restrict your records so only specialist staff at HMRC and DWP can access them
  • ", + "
  • hand your tax affairs to HMRC\u2019s Public Department 1
  • ", + "

    Once you get a letter confirming your records have moved, you can contact Public Department 1 with questions about your tax or National Insurance.

    ", + "

    Tell HMRC yourself

    ", + "

    You can write to Special Section D to tell HMRC:

    ", + "
  • about your legal gender change
  • ", + "
  • about your name change only if you did not change gender legally
  • ", + "
  • if you do not want them to restrict your records
  • ", + "

    Include your National Insurance number, and your original Gender Recognition Certificate if you\u2019ve changed gender legally.

    " + ] + }, + { + "title": "Claim Income Tax reliefs", + "url": "https://www.gov.uk/income-tax-reliefs", + "contents": [ + "

    Overview

    ", + "

    \u2018Tax relief\u2019 means that you either:

    ", + "
  • pay less tax to take account of money you\u2019ve spent on specific things, like business expenses if you\u2019re self-employed
  • ", + "
  • get tax back or get it repaid in another way, like into a personal pension
  • ", + "

    You get some types of tax relief automatically - but some you must apply for.

    ", + "

    When you can get tax relief

    ", + "

    Tax relief applies to pension contributions, charity donations, maintenance payments and time spent working on a ship outside the UK.

    ", + "

    It also applies to work or business expenses \u2013\u00a0you may be able to:

    ", + "
  • get tax relief on what you spend running your business if you\u2019re self-employed (a sole trader or partner in a partnership)
  • ", + "
  • claim tax relief if you\u2019re employed and you use your own money for travel and things that you must buy for your job
  • ", + "

    Charity donations: tax relief

    ", + "

    Donations to charity from individuals are tax free. You can get tax relief if you donate:

    ", + "
  • through Gift Aid
  • ", + "
  • straight from your wages or pension, through Payroll Giving
  • ", + "

    Donations through Gift Aid

    ", + "

    Charities and community amateur sports clubs (CASCs) can register with HM Revenue and Customs (HMRC) to be part of the Gift Aid scheme. When they\u2019re registered, they can claim back the tax you\u2019ve already paid on your donation.

    ", + "

    The charity or CASC will give you a form to sign. They must also have an HMRC charity reference number - ask the charity or CASC if you\u2019re not sure.

    ", + "

    If the charity or CASC gets back more tax than you\u2019ve paid, HMRC may ask you to pay more tax to cover the difference.

    ", + "

    You pay Income Tax above the 20% basic rate

    ", + "

    You can claim back the difference between the tax you\u2019ve paid on the donation and what the charity got back when you fill in your Self Assessment tax return.

    ", + "

    If you don\u2019t fill in a Self Assessment tax return, call HMRC to tell them about your charity donations.

    ", + "

    You get Married Couple\u2019s Allowance

    ", + "

    Your tax-free allowance may increase if you make donations through Gift Aid and claim Married Couple\u2019s Allowance.

    ", + "

    If you fill in a Self Assessment tax return, your allowance will be adjusted automatically if it needs to be.

    ", + "

    If you don\u2019t, call HMRC to tell them about your charity donations.

    ", + "

    Payroll Giving schemes

    ", + "

    If your employer or pension provider offers a Payroll Giving scheme, any donations you give through the scheme will be taken before Income Tax is taken off.

    ", + "

    You\u2019ll still pay National Insurance contributions on the amount of your donation. But you won\u2019t pay any Income Tax on the amount you donate.

    ", + "

    Maintenance payments: tax relief

    ", + "

    Maintenance Payments Relief reduces your Income Tax if you make maintenance payments to an ex-spouse or civil partner.

    ", + "

    You can get it if all of the following apply:

    ", + "
  • either of you were born before 6 April 1935
  • ", + "
  • you\u2019re paying maintenance under a court order after the relationship has ended
  • ", + "
  • the payments are for the maintenance of your ex-spouse or former civil partner (provided they aren\u2019t now remarried or in a new civil partnership) or for your children who are under 21
  • ", + "

    Maintenance Payments Relief is worth 10% of the maintenance you pay to your ex-spouse or civil partner, up to a maximum of \u00a3326 a year (or 10% of \u00a33,260).

    ", + "

    To claim it, call HM Revenue and Customs (HMRC).

    " + ] + }, + { + "title": "Claim tax relief for your job expenses", + "url": "https://www.gov.uk/tax-relief-for-employees", + "contents": [ + "

    Overview

    ", + "

    You might be able to claim tax relief if:

    ", + "
  • you use your own money for things that you must buy for your job
  • ", + "
  • you only use these things for your work
  • ", + "

    You cannot claim tax relief if your employer either gives you:

    ", + "
  • all the money back
  • ", + "
  • an alternative, for example your employer gives you a laptop but you want a different type or model
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You must have paid tax in the year. You\u2019ll get tax relief based on what you\u2019ve spent and the rate at which you pay tax.

    ", + "

    For some claims, you must keep records of what you\u2019ve spent. You must claim within 4 years of the end of the tax year that you spent the money.

    ", + "

    If your claim is for the current tax year, HM Revenue and Customs (HMRC) will usually make any adjustments needed through your tax code.

    ", + "

    If your claim is for previous tax years, HMRC will either make adjustments through your tax code or give you a tax refund.

    ", + "

    Check if you can claim

    ", + "

    Working from home

    ", + "

    You may be able to claim tax relief for additional household costs if you have to work at home on a regular basis, either for all or part of the week. This includes if you have to work from home because of coronavirus (COVID-19).

    ", + "

    You cannot claim tax relief if you choose to work from home.

    ", + "

    You may be able to claim tax relief for:

    ", + "
  • gas and electricity
  • ", + "
  • metered water
  • ", + "
  • business phone calls, including dial-up internet access
  • ", + "

    You cannot claim for the whole bill, just the part that relates to your work.

    ", + "

    You may also be able to claim tax relief on equipment you\u2019ve bought, such as a laptop, chair or mobile phone.

    ", + "

    How much you can claim

    ", + "

    You can either claim tax relief on:

    ", + "
  • \u00a36 a week from 6 April 2020 (for previous tax years the rate is \u00a34 a week) - you will not need to keep evidence of your extra costs
  • ", + "
  • the exact amount of extra costs you\u2019ve incurred above the weekly amount - you\u2019ll need evidence such as receipts, bills or contracts
  • ", + "

    You\u2019ll get tax relief based on the rate at which you pay tax. For example, if you pay the 20% basic rate of tax and claim tax relief on \u00a36 a week you would get \u00a31.20 per week in tax relief (20% of \u00a36).

    ", + "

    Check if you can claim

    ", + "

    Uniforms, work clothing and tools

    ", + "

    You may be able to claim tax relief on the cost of:

    ", + "
  • repairing or replacing small tools you need to do your job (for example, scissors or an electric drill)
  • ", + "
  • cleaning, repairing or replacing specialist clothing (for example, a uniform or safety boots)
  • ", + "

    You cannot claim relief on the initial cost of buying small tools or clothing for work.

    ", + "

    Personal Protective Equipment (PPE)

    ", + "

    You cannot claim tax relief for PPE. If your job requires you to use PPE your employer should either:

    ", + "
  • give you PPE free of charge
  • ", + "
  • ask you to buy it and reimburse you the costs
  • ", + "

    How much you can claim

    ", + "

    You can either claim:

    ", + "
  • the actual amount you\u2019ve spent - you\u2019ll need to keep receipts
  • ", + "
  • an agreed fixed amount (a \u2018flat rate expense\u2019 or \u2018flat rate deduction\u2019)
  • ", + "

    Check if your job has an agreed flat rate expense.

    ", + "

    Check if you can claim

    ", + "

    Vehicles you use for work

    ", + "

    You may be able to claim tax relief if you use cars, vans, motorcycles or bicycles for work.

    ", + "

    This does not include travelling to and from your work, unless it\u2019s a temporary place of work.

    ", + "

    How much you can claim depends on whether you\u2019re using:

    ", + "
  • a vehicle that you\u2019ve bought or leased with your own money
  • ", + "
  • a vehicle owned or leased by your employer (a company vehicle)
  • ", + "

    Using your own vehicle for work

    ", + "

    If you use your own vehicle or vehicles for work, you may be able to claim tax relief on the approved mileage rate. This covers the cost of owning and running your vehicle. You cannot claim separately for things like:

    ", + "
  • fuel
  • ", + "
  • electricity
  • ", + "
  • road tax
  • ", + "
  • MOTs
  • ", + "
  • repairs
  • ", + "

    To work out how much you can claim for each tax year you\u2019ll need to:

    ", + "
  • keep records of the dates and mileage or your work journeys
  • ", + "
  • add up the mileage for each vehicle type you\u2019ve used for work
  • ", + "
  • take away any amount your employer pays you towards your costs, (sometimes called a \u2018mileage allowance\u2019)
  • ", + "

    Approved mileage rates

    ", + " | First 10,000 business miles in the tax year | Each business mile over 10,000 in the tax year", + "Cars and vans | 45p | 25p", + "Motorcycles | 24p | 24p", + "Bicycles | 20p | 20p", + "

    Using a company car for business

    ", + "

    You can claim tax relief on the money you\u2019ve spent on fuel and electricity, for business trips in your company car. Keep records to show the actual cost of the fuel.

    ", + "

    If your employer reimburses some of the money, you can claim relief on the difference.

    ", + "

    Check if you can claim

    ", + "

    Professional fees and subscriptions

    ", + "

    You can claim tax relief on:

    ", + "
  • professional membership fees, if you must pay the fees to be able to do your job
  • ", + "
  • annual subscriptions you pay to approved professional bodies or learned societies if being a member of that body or society is relevant to your job
  • ", + "

    You cannot claim tax relief on life membership subscriptions, or for professional membership fees or annual subscriptions you:

    ", + "
  • have not paid yourself (for example if your employer has paid for them)
  • ", + "
  • have paid to professional organisations that are not approved by HMRC
  • ", + "

    Your organisation can tell you how much tax you\u2019re allowed to claim back.

    ", + "

    Check if you can claim

    ", + "

    Travel and overnight expenses

    ", + "

    If you have to travel for your work you may be able to claim tax relief on the cost or money you\u2019ve spent on food or overnight expenses.

    ", + "

    You cannot claim for travelling to and from work, unless you\u2019re travelling to a temporary place of work.

    ", + "

    You can claim tax relief for money you\u2019ve spent on things like:

    ", + "
  • public transport costs
  • ", + "
  • hotel accommodation if you have to stay overnight
  • ", + "
  • food and drink
  • ", + "
  • congestion charges and tolls
  • ", + "
  • parking fees
  • ", + "
  • business phone calls and printing costs
  • ", + "

    You may also be able to claim tax relief on business mileage.

    ", + "

    Check if you can claim

    ", + "

    Buying other equipment

    ", + "

    In most cases you can claim tax relief on the full cost of substantial equipment, for example a computer, you have to buy to do your work. This is because it qualifies for a type of capital allowance called annual investment allowance.

    ", + "

    You cannot claim capital allowances for cars, motorcycles or bicycles you use for work, but you may be able to claim for business mileage and fuel costs.

    ", + "

    You claim in a different way for small items that\u2019ll last less than 2 years, such as uniforms and tools.

    ", + "

    You can only claim tax relief for equipment expenses if:

    ", + "
  • you need it to do your job
  • ", + "
  • you use the equipment for work and there\u2019s no significant private use - this includes using the equipment according to your organisation\u2019s policy
  • ", + "

    If your employer gives you money for the item

    ", + "

    Reduce the amount you claim tax relief on by the amount of money your employer gives you.

    ", + "

    Check if you can claim

    " + ] + }, + { + "title": "Income Tax", + "url": "https://www.gov.uk/income-tax", + "contents": [ + "

    Overview

    ", + "

    Income Tax is a tax you pay on your income. You do not have to pay tax on all types of income.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You pay tax on things like:

    ", + "
  • money you earn from employment
  • ", + "
  • profits you make if you\u2019re self-employed - including from services you sell through websites or apps
  • ", + "
  • some state benefits
  • ", + "
  • some grants, including the Self-Employment Income Support Scheme, the Small Business Grant Fund, the Retail, Hospitality and Leisure Grant Fund, the Coronavirus Job Retention Scheme and the Test and Trace Support Payment in England (or the Self-isolation Support Payment in Scotland and the Self-isolation Support Scheme in Wales)
  • ", + "
  • most pensions, including state pensions, company and personal pensions and retirement annuities
  • ", + "
  • rental income (unless you\u2019re a live-in landlord and get less than the rent a room limit)
  • ", + "
  • benefits you get from your job
  • ", + "
  • income from a trust
  • ", + "
  • interest on savings over your savings allowance
  • ", + "

    You do not pay tax on things like:

    ", + "
  • the first \u00a31,000 of income from self-employment - this is your \u2018trading allowance\u2019
  • ", + "
  • the first \u00a31,000 of income from property you rent (unless you\u2019re using the Rent a Room Scheme)
  • ", + "
  • income from tax-exempt accounts, like Individual Savings Accounts (ISAs) and National Savings Certificates
  • ", + "
  • dividends from company shares under your dividends allowance
  • ", + "
  • some state benefits
  • ", + "
  • premium bond or National Lottery wins
  • ", + "
  • rent you get from a lodger in your house that\u2019s below the rent a room limit
  • ", + "

    If you only occasionally sell items or rent out property (for example through auction websites or short-term rental apps), check if you need to tell HMRC about this income.

    ", + "

    Income Tax allowances and reliefs

    ", + "

    Most people in the UK get a Personal Allowance of tax-free income. This is the amount of income you can have before you pay tax.

    ", + "

    The amount of tax you pay can also be reduced by tax reliefs if you qualify for them.

    ", + "

    How you pay Income Tax

    ", + "

    Pay As You Earn (PAYE)

    ", + "

    Most people pay Income Tax through PAYE. This is the system your employer or pension provider uses to take Income Tax and National Insurance contributions before they pay your wages or pension. Your tax code tells your employer how much to deduct.

    ", + "

    Tax on state benefits

    ", + "

    Your tax code can take account of taxable state benefits, so if you owe tax on them (for example for the State Pension) it\u2019s usually taken automatically from your other income.

    ", + "

    If the State Pension is your only income, HM Revenue and Customs (HMRC) will write to you if you owe Income Tax. You may need to fill in a Self Assessment tax return.

    ", + "

    Self Assessment tax returns

    ", + "

    If your financial affairs are more complex (for example you\u2019re self-employed or have a high income) you may pay Income Tax and National Insurance through Self Assessment. You\u2019ll need to fill in a tax return every year.

    ", + "

    You must also fill in a tax return if you earned more than either:

    ", + "
  • \u00a31,000 from self-employment
  • ", + "
  • \u00a32,500 from other untaxed income, for example from tips or renting out a property
  • ", + "

    Contact the Income Tax helpline if your income from renting out a property was between \u00a31,000 and \u00a32,500.

    ", + "

    Tax-free and taxable state benefits

    ", + "

    State benefits that are taxable

    ", + "

    The most common benefits that you pay Income Tax on are:

    ", + "
  • Bereavement Allowance (previously Widow\u2019s pension)
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • contribution-based Employment and Support Allowance (ESA)
  • ", + "
  • Incapacity Benefit (from the 29th week you get it)
  • ", + "
  • Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • pensions paid by the Industrial Death Benefit scheme
  • ", + "
  • the State Pension
  • ", + "
  • Widowed Parent\u2019s Allowance
  • ", + "

    Tax-free state benefits

    ", + "

    The most common state benefits you do not have to pay Income Tax on are:

    ", + "
  • Attendance Allowance
  • ", + "
  • Bereavement support payment
  • ", + "
  • Child Benefit (income-based - use the Child Benefit tax calculator to see if you\u2019ll have to pay tax)
  • ", + "
  • Child Tax Credit
  • ", + "
  • Disability Living Allowance (DLA)
  • ", + "
  • free TV licence for over-75s
  • ", + "
  • Guardian\u2019s Allowance
  • ", + "
  • Housing Benefit
  • ", + "
  • Income Support - though you may have to pay tax on Income Support if you\u2019re involved in a strike
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Industrial Injuries Benefit
  • ", + "
  • lump-sum bereavement payments
  • ", + "
  • Maternity Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • Severe Disablement Allowance
  • ", + "
  • Universal Credit
  • ", + "
  • War Widow\u2019s Pension
  • ", + "
  • Winter Fuel Payments and Christmas Bonus
  • ", + "
  • Working Tax Credit
  • ", + "

    Work out if you need to pay Income Tax

    ", + "

    To work out if you should be paying Income Tax, follow these steps.

    ", + "
  • Add up all your taxable income, including taxable state benefits.
  • ", + "
  • Work out your tax-free allowances.
  • ", + "
  • Take your tax-free allowances away from your taxable income.
  • ", + "

    If there\u2019s anything left, you\u2019re a taxpayer. Contact the Income Tax helpline if you\u2019re not already paying tax.

    ", + "

    If there\u2019s nothing left, you should not be paying tax and may be due a refund.

    ", + "

    Check you're paying the right amount

    ", + "

    You can see if you\u2019re paying the right amount of Income Tax online. For the current tax year (6 April 2021 to 5 April 2022), you can:

    ", + "
  • check your Income Tax payments
  • ", + "
  • work out how much Income Tax you should be paying
  • ", + "

    You can also:

    ", + "
  • check how much Income Tax you paid last year (6 April 2020 to 5 April 2021)
  • ", + "
  • estimate how much Income Tax you should have paid in a previous year
  • ", + "

    If you cannot use these services, you can check you\u2019ve paid the right tax by contacting HMRC or by getting help from an accountant.

    ", + "

    There\u2019s a different way to change a Self Assessment tax return.

    " + ] + }, + { + "title": "Income Tax in Scotland", + "url": "https://www.gov.uk/scottish-income-tax", + "contents": [ + "

    Current rates

    ", + "

    You pay Scottish Income Tax if you live in Scotland. It\u2019s paid to the Scottish Government.

    ", + "

    Scottish Income Tax applies to your wages, pension and most other taxable income.

    ", + "

    You\u2019ll pay the same tax as the rest of the UK on dividends and savings interest.

    ", + "

    What you\u2019ll pay

    ", + "

    The table shows the 2021 to 2022 Scottish Income Tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570. You do not get a Personal Allowance if you earn over \u00a3125,140.

    ", + "Band | Taxable income | Scottish tax rate", + "Personal Allowance | Up to \u00a312,570 | 0%", + "Starter rate | \u00a312,571 to \u00a314,667 | 19%", + "Basic rate | \u00a314,668 to \u00a325,296 | 20%", + "Intermediate rate | \u00a325,297 to \u00a343,662 | 21%", + "Higher rate | \u00a343,663 to \u00a3150,000 | 41%", + "Top rate | over \u00a3150,000 | 46%", + "

    Who pays

    ", + "

    You pay Scottish Income Tax if you live in Scotland.

    ", + "

    You may also pay Scottish Income Tax if you:

    ", + "
  • move to or from Scotland
  • ", + "
  • live in a home in Scotland and one elsewhere in the UK, for example for work
  • ", + "
  • do not have a home and stay in Scotland regularly, for example you stay offshore or in hotels
  • ", + "

    How you pay

    ", + "

    If you\u2019re employed or get a pension, your tax code will start with an \u2018S\u2019. This tells your employer or pension provider to deduct tax at the Scottish rate.

    ", + "

    Your tax code will be S1250L if you pay Scottish Income Tax and get the standard Personal Allowance of \u00a312,500.

    ", + "

    If you fill in an online Self Assessment tax return, there\u2019s a box for you to tell HMRC that you pay Scottish Income Tax.

    ", + "

    The tax year is from 6 April to 5 April the following year.

    ", + "

    If you move to or from Scotland

    ", + "

    You pay Scottish Income Tax if you move to Scotland and live there for a longer period than anywhere else in the UK during a tax year (6 April to 5 April the following year).

    ", + "

    You must tell HMRC of your new address if you move to or from Scotland. You may pay tax at the wrong rate if you do not.

    ", + "

    If HMRC changes your tax rate

    ", + "

    The new rate you pay will be backdated to the start of the tax year (6 April) in which you moved. The tax taken from your wages or pension will be adjusted automatically so you pay the right amount across the whole year.

    ", + "

    If you live in more than one home

    ", + "

    You need to know which is your main home if you have one in Scotland and one somewhere else in the UK.

    ", + "

    What counts as your main home

    ", + "

    Your main home is usually where you live and spend most of your time.

    ", + "

    It does not matter whether you own it, rent it or live in it for free.

    ", + "

    Your main home may be the home where you spend less time if that\u2019s where:

    ", + "
  • most of your possessions are
  • ", + "
  • your family lives, if you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re registered for things like your bank account, GP or car insurance
  • ", + "
  • you\u2019re a member of clubs or societies
  • ", + "

    This might apply to you if you live away because of your work, for example you\u2019re a lorry driver, an offshore worker or in the armed forces.

    ", + "

    You can contact HMRC to change which home counts as your main one.

    ", + "

    If you\u2019re not sure which is your main home

    ", + "

    HMRC has detailed information about working out which is your main home, including if:

    ", + "
  • you\u2019re a mobile worker, for example your job means you travel most of the time
  • ", + "
  • you\u2019re a student
  • ", + "
  • you do not have a permanent home
  • ", + "

    2020 to 2021 tax year

    ", + "

    You pay a different rate of tax for income from the tax year 6 April 2020 to 5 April 2021.

    ", + "Band | Taxable income | Scottish tax rate", + "Personal Allowance | Up to \u00a312,500 | 0%", + "Starter rate | \u00a312,501 to \u00a314,585 | 19%", + "Basic rate | \u00a314,586 to \u00a325,158 | 20%", + "Intermediate rate | \u00a325,159 to \u00a343,430 | 21%", + "Higher rate | \u00a343,431 to \u00a3150,000 | 41%", + "Top rate | over \u00a3150,000 | 46%", + "

    It applies to your wages, pension and most other taxable income.

    ", + "

    You pay the same tax as the rest of the UK on dividends and savings interest.

    " + ] + }, + { + "title": "Income Tax rates and Personal Allowances", + "url": "https://www.gov.uk/income-tax-rates", + "contents": [ + "

    Current rates and allowances

    ", + "

    How much Income Tax you pay in each tax year depends on:

    ", + "
  • how much of your income is above your Personal Allowance
  • ", + "
  • how much of your income falls within each tax band
  • ", + "

    Some income is tax-free.

    ", + "

    The current tax year is from 6 April 2021 to 5 April 2022.

    ", + "

    Your tax-free Personal Allowance

    ", + "

    The standard Personal Allowance is \u00a312,570, which is the amount of income you do not have to pay tax on.

    ", + "

    Your Personal Allowance may be bigger if you claim Marriage Allowance or Blind Person\u2019s Allowance. It\u2019s smaller if your income is over \u00a3100,000.

    ", + "

    Income Tax rates and bands

    ", + "

    The table shows the tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570.

    ", + "

    Income tax bands are different if you live in Scotland.

    ", + "Band | Taxable income | Tax rate", + "Personal Allowance | Up to \u00a312,570 | 0%", + "Basic rate | \u00a312,571 to \u00a350,270 | 20%", + "Higher rate | \u00a350,271 to \u00a3150,000 | 40%", + "Additional rate | over \u00a3150,000 | 45%", + "

    You can also see the rates and bands without the Personal Allowance. You do not get a Personal Allowance on taxable income over \u00a3125,140.

    ", + "

    If you\u2019re employed or get a pension

    ", + "

    Check your Income Tax to see:

    ", + "
  • your Personal Allowance and tax code
  • ", + "
  • how much tax you\u2019ve paid in the current tax year
  • ", + "
  • how much you\u2019re likely to pay for the rest of the year
  • ", + "

    Other allowances

    ", + "

    You have tax-free allowances for:

    ", + "
  • savings interest
  • ", + "
  • dividends, if you own shares in a company
  • ", + "

    You may also have tax-free allowances for:

    ", + "
  • your first \u00a31,000 of income from self-employment - this is your \u2018trading allowance\u2019
  • ", + "
  • your first \u00a31,000 of income from property you rent (unless you\u2019re using the Rent a Room Scheme)
  • ", + "

    Find out whether you\u2019re eligible for the trading and property allowances.

    ", + "

    You pay tax on any interest, dividends or income over your allowances.

    ", + "

    Paying less Income Tax

    ", + "

    You may be able to claim Income Tax reliefs if you\u2019re eligible for them.

    ", + "

    If you\u2019re married or in a civil partnership

    ", + "

    You may be able to claim Marriage Allowance to reduce your partner\u2019s tax if your income is less than the standard Personal Allowance.

    ", + "

    If you do not claim Marriage Allowance and you or your partner were born before 6 April 1935, you may be able to claim Married Couple\u2019s Allowance.

    ", + "

    Previous tax years

    ", + "

    The standard Personal Allowance from 6 April 2020 to 5 April 2021 was \u00a312,500.

    ", + "Tax rate | Taxable income above your Personal Allowance for 2020 to 2021", + "Basic rate 20% | \u00a30 to \u00a337,500 People with the standard Personal Allowance started paying this rate on income over \u00a312,500", + "Higher rate 40% | \u00a337,501 to \u00a3150,000 People with the standard Personal Allowance started paying this rate on income over \u00a350,000", + "Additional rate 45% | Over \u00a3150,000", + "

    Your Personal Allowance would have been smaller if your income was over \u00a3100,000, or bigger if you got Marriage Allowance or Blind Person\u2019s Allowance.

    ", + "

    Other rates and earlier tax years

    ", + "

    HM Revenue and Customs (HMRC) publishes tables with full rates and allowances for current and past tax years.

    ", + "

    Income over \u00a3100,000

    ", + "

    Your Personal Allowance goes down by \u00a31 for every \u00a32 that your adjusted net income is above \u00a3100,000. This means your allowance is zero if your income is \u00a3125,140 or above.

    ", + "

    You\u2019ll also need to do a Self Assessment tax return.

    ", + "

    If you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.

    ", + "

    Register for Self Assessment

    ", + "

    You\u2019ll get a letter telling you what to do next after you\u2019ve registered.

    ", + "

    Register now

    " + ] + }, + { + "title": "Individual Savings Accounts (ISAs)", + "url": "https://www.gov.uk/individual-savings-accounts", + "contents": [ + "

    Overview

    ", + "

    You can save tax-free with Individual Savings Accounts (ISAs).

    ", + "

    In the 2021 to 2022 tax year, the maximum you can save in ISAs is \u00a320,000

    ", + "

    There are 4 types of ISA:

    ", + "
  • cash ISAs
  • ", + "
  • stocks and shares ISAs
  • ", + "
  • innovative finance ISAs
  • ", + "
  • Lifetime ISAs
  • ", + "

    You can put money into one of each kind of ISA each tax year.

    ", + "

    Who can open an ISA

    ", + "

    You must be:

    ", + "
  • 16 or over for a cash ISA
  • ", + "
  • 18 or over for a stocks and shares or innovative finance ISA
  • ", + "
  • 18 or over but under 40 for a Lifetime ISA
  • ", + "

    You must also be either:

    ", + "
  • resident in the UK
  • ", + "
  • a Crown servant (for example diplomatic or overseas civil service) or their spouse or civil partner if you do not live in the UK
  • ", + "

    You cannot hold an ISA with or on behalf of someone else.

    ", + "

    You can get a Junior ISA for children under 18.

    ", + "

    Opening and managing an ISA for someone who lacks the mental capacity to do this for themselves

    ", + "

    A close friend or relative can apply to the Court of Protection (COP) for a financial deputyship order to open and manage an ISA for someone who cannot do this for themselves.

    ", + "

    In Scotland, applications need to be made to the Office of the Public Guardian in Scotland.

    ", + "

    In Northern Ireland, applications need to be made to the Office of Care and Protection.

    ", + "

    How ISAs work

    ", + "

    There are 4 types of Individual Savings Accounts (ISA):

    ", + "
  • cash ISA
  • ", + "
  • stocks and shares ISA
  • ", + "
  • innovative finance ISA
  • ", + "
  • Lifetime ISA
  • ", + "

    You do not pay tax on:

    ", + "
  • interest on cash in an ISA
  • ", + "
  • income or capital gains from investments in an ISA
  • ", + "

    If you complete a tax return, you do not need to declare any ISA interest, income or capital gains on it.

    ", + "

    Putting money into an ISA

    ", + "

    Every tax year you can put money into one of each kind of ISA. The tax year runs from 6 April to 5 April.

    ", + "

    You can save up to \u00a320,000 in one type of account or split the allowance across some or all of the other types.

    ", + "

    You can only pay \u00a34,000 into your Lifetime ISA in a tax year.

    ", + "

    Your ISAs will not close when the tax year finishes. You\u2019ll keep your savings on a tax-free basis for as long as you keep the money in your ISA accounts.

    ", + "

    What you can include in your ISAs

    ", + "

    Cash ISAs can include:

    ", + "
  • savings in bank and building society accounts
  • ", + "
  • some National Savings and Investments products
  • ", + "

    Stocks and shares ISAs can include:

    ", + "
  • shares in companies
  • ", + "
  • unit trusts and investment funds
  • ", + "
  • corporate bonds
  • ", + "
  • government bonds
  • ", + "

    You cannot transfer any non-ISA shares you already own into an ISA unless they\u2019re from an employee share scheme.

    ", + "

    Lifetime ISAs may include either:

    ", + "
  • cash
  • ", + "
  • stocks and shares
  • ", + "

    Innovative finance ISAs include:

    ", + "
  • peer-to-peer loans - loans that you give to other people or businesses without using a bank
  • ", + "
  • \u2018crowdfunding debentures\u2019 - investing in a business by buying its debt
  • ", + "

    You cannot transfer any peer-to-peer loans you\u2019ve already made or crowdfunding debentures you already hold into an innovative finance ISA.

    ", + "

    If you have questions about the tax rules for ISAs, you can call the ISA Helpline.

    ", + "

    How to open an ISA

    ", + "

    You can get an Individual Savings Account (ISA) from:

    ", + "
  • banks
  • ", + "
  • building societies
  • ", + "
  • credit unions
  • ", + "
  • friendly societies
  • ", + "
  • stock brokers
  • ", + "
  • peer-to-peer lending services
  • ", + "
  • crowdfunding companies
  • ", + "
  • other financial institutions
  • ", + "

    Contact your provider directly for more information about how to open an ISA with them.

    ", + "

    Withdrawing your money

    ", + "

    You can take your money out of an Individual Savings Account (ISA) at any time, without losing any tax benefits. Check the terms of your ISA to see if there are any rules or charges for making withdrawals.

    ", + "

    There are different rules for taking your money out of a Lifetime ISA.

    ", + "

    If your ISA is \u2018flexible\u2019, you can take out cash then put it back in during the same tax year without reducing your current year\u2019s allowance. Your provider can tell you if your ISA is flexible.

    ", + "

    Transferring your ISA

    ", + "

    You can transfer your Individual Savings Account (ISA) from one provider to another at any time.

    ", + "

    You can transfer your savings to a different type of ISA or to the same type of ISA.

    ", + "

    If you want to transfer money you\u2019ve invested in an ISA during the current year, you must transfer all of it.

    ", + "

    For money you invested in previous years, you can choose to transfer all or part of your savings.

    ", + "

    If you transfer cash and assets from a Lifetime ISA to a different ISA before the age of 60, you\u2019ll have to pay a withdrawal fee of 25%.

    ", + "

    Restrictions on what you can transfer

    ", + "

    You can transfer cash from your innovative finance ISA to another provider - but you may not be able to transfer other investments from it.

    ", + "

    Check with your provider for any restrictions they may have on transferring ISAs. They may also make you pay a charge.

    ", + "

    How to transfer your ISA

    ", + "

    To switch providers, contact the ISA provider you want to move to and fill out an ISA transfer form to move your account. If you withdraw the money without doing this, you will not be able to reinvest that part of your tax-free allowance again.

    ", + "

    Deadlines and complaints

    ", + "

    ISA transfers should take no longer than:

    ", + "
  • 15 working days for transfers between cash ISAs
  • ", + "
  • 30 calendar days for other types of transfer
  • ", + "

    If you want to transfer investments held in an innovative finance ISA, ask your provider how long it will take.

    ", + "

    If your transfer takes longer than it should, contact your ISA provider.

    ", + "

    If you\u2019re unhappy with the response, you can take the matter up with the Financial Ombudsman Service.

    ", + "

    If you move abroad

    ", + "

    If you open an Individual Savings Account (ISA) in the UK then move abroad, you cannot put money into it after the tax year that you move (unless you\u2019re a Crown employee working overseas or their spouse or civil partner).

    ", + "

    You must tell your ISA provider as soon as you stop being a UK resident.

    ", + "

    However, you can keep your ISA open and you\u2019ll still get UK tax relief on money and investments held in it.

    ", + "

    You can transfer an ISA to another provider even if you are not resident in the UK.

    ", + "

    You can pay into your ISA again if you return and become a UK resident (subject to the annual ISA allowance).

    ", + "

    If you die

    ", + "

    Your ISA will end when either:

    ", + "
  • your executor closes it
  • ", + "
  • the administration of your estate is completed
  • ", + "

    Otherwise, your ISA provider will close your ISA 3 years and 1 day after you die.

    ", + "

    There will be no Income Tax or Capital Gains Tax to pay up to that date, but ISA investments will form part of your estate for Inheritance Tax purposes.

    ", + "

    Stocks and shares ISAs

    ", + "

    Your ISA provider can be instructed to either:

    ", + "
  • sell the investments and pay the proceeds to the administrator or beneficiary of your estate
  • ", + "
  • transfer the investments to your surviving spouse\u2019s or civil partner\u2019s ISA - this is only possible if they have the same ISA provider as you
  • ", + "

    Check the terms and conditions of your ISA for details.

    ", + "

    Inheriting an ISA from your spouse or civil partner

    ", + "

    If your spouse or civil partner dies you can inherit their ISA allowance.

    ", + "

    As well as your normal ISA allowance you can add a tax-free amount up to either:

    ", + "
  • the value they held in their ISA when they died
  • ", + "
  • the value of their ISA when it\u2019s closed
  • ", + "

    Contact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.

    ", + "

    If your spouse or civil partner died from 3 December 2014 to 5 April 2018

    ", + "

    Their ISA ended on the date of their death. ISA investments will form part of their estate for Inheritance Tax purposes.

    ", + "

    Their ISA provider can be instructed to sell the investments and either:

    ", + "
  • pay the proceeds to the administrator or beneficiary of their estate
  • ", + "
  • transfer the investments directly to them
  • ", + "

    You can inherit their ISA allowance. As well as your normal ISA allowance, you can add a tax-free amount up to the value they held in their ISA when they died.

    ", + "

    Contact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.

    " + ] + }, + { + "title": "Marriage Allowance", + "url": "https://www.gov.uk/marriage-allowance", + "contents": [ + "

    How it works

    ", + "

    Marriage Allowance lets you transfer \u00a31,260 of your Personal Allowance to your husband, wife or civil partner.

    ", + "

    This reduces their tax by up to \u00a3252 in the tax year (6 April to 5 April the next year).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    To benefit as a couple, you (as the lower earner) must normally have an income below your Personal Allowance - this is usually \u00a312,570.

    ", + "

    You can calculate how much tax you could save as a couple. You should call the Income Tax helpline instead if you receive other income such as dividends, savings or benefits from your job. You can also call if you do not know what your taxable income is.

    ", + "

    When you transfer some of your Personal Allowance to your husband, wife or civil partner you might have to pay more tax yourself, but you could still pay less as a couple.

    ", + "

    Who can apply

    ", + "

    You can benefit from Marriage Allowance if all the following apply:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • you do not pay Income Tax or your income is below your Personal Allowance (usually \u00a312,570)
  • ", + "
  • your partner pays Income Tax at the basic rate, which usually means their income is between \u00a312,571 and \u00a350,270 before they receive Marriage Allowance
  • ", + "

    You cannot claim Marriage Allowance if you\u2019re living together but you\u2019re not married or in a civil partnership.

    ", + "

    If you\u2019re in Scotland, your partner must pay the starter, basic or intermediate rate, which usually means their income is between \u00a312,571 and \u00a343,662.

    ", + "

    It will not affect your application for Marriage Allowance if you or your partner:

    ", + "
  • are currently receiving a pension
  • ", + "
  • live abroad - as long as you get a Personal Allowance.
  • ", + "

    If you or your partner were born before 6 April 1935, you might benefit more as a couple by applying for Married Couple\u2019s Allowance instead.

    ", + "

    You cannot get Marriage Allowance and Married Couple\u2019s Allowance at the same time.

    ", + "

    Backdating your claim

    ", + "

    You can backdate your claim to include any tax year since 5 April 2017 that you were eligible for Marriage Allowance.

    ", + "

    Your partner\u2019s tax bill will be reduced depending on the Personal Allowance rate for the years you\u2019re backdating.

    ", + "

    If your partner has died since 5 April 2017 you can still claim - phone the Income Tax helpline. If your partner was the lower earner, the person responsible for managing their tax affairs needs to phone.

    ", + "

    Stopping Marriage Allowance

    ", + "

    Your Personal Allowance will transfer automatically to your partner every year until you cancel Marriage Allowance - for example if your income changes or your relationship ends.

    ", + "

    How to apply

    ", + "

    It\u2019s free to apply for Marriage Allowance.

    ", + "

    If both of you have no income other than your wages, then the person who earns the least should make the claim.

    ", + "

    If either of you gets other income, such as dividends or savings, you may need to work out who should claim. You can call the Income Tax helpline if you\u2019re unsure.

    ", + "

    Changes to your Personal Allowances will be backdated to the start of the tax year (6 April) if your application is successful.

    ", + "

    How your Personal Allowances change

    ", + "

    HM Revenue and Customs (HMRC) will give your partner the allowance you have transferred to them either:

    ", + "
  • by changing their tax code - this can take up to 2 months
  • ", + "
  • when they send their Self Assessment tax return
  • ", + "

    If your new Personal Allowance is lower than your income after you\u2019ve made a claim, you might have to pay some income tax. However, you might still benefit as a couple.

    ", + "

    How your tax code will change

    ", + "

    You and your partner will get new tax codes that reflect the transferred allowance. Your tax code will end with:

    ", + "
  • \u2018M\u2019 if you are receiving the allowance
  • ", + "
  • \u2018N\u2019 if you are transferring the allowance
  • ", + "

    Your tax code will also change if you\u2019re employed or get a pension.

    ", + "

    If your circumstances change

    ", + "

    You must cancel Marriage Allowance if any of the following apply:

    ", + "
  • your relationship ends - because you\u2019ve divorced, ended (\u2018dissolved\u2019) your civil partnership or legally separated
  • ", + "
  • your income changes and you\u2019re no longer eligible
  • ", + "
  • you no longer want to claim
  • ", + "

    If your income changes and you\u2019re not sure if you should still claim, call HMRC Marriage Allowance enquiries.

    ", + "

    How to cancel

    ", + "

    Either of you can cancel if your relationship has ended.

    ", + "

    If you\u2019re cancelling for another reason, the person who made the claim must cancel.

    ", + "

    Online

    ", + "

    You can cancel Marriage Allowance online. You\u2019ll be asked to prove your identity using information HMRC holds about you.

    ", + "

    By phone

    ", + "

    Contact Marriage Allowance enquiries to cancel or get help.

    ", + "

    After you cancel

    ", + "

    If you cancel because of a change of income, the allowance will run until the end of the tax year (5 April).

    ", + "

    If your relationship has ended, the change may be backdated to the start of the tax year (6 April).

    ", + "

    This might mean you or your partner underpays tax for the year.

    ", + "

    If your partner dies

    ", + "

    If your partner dies after you\u2019ve transferred some of your Personal Allowance to them:

    ", + "
  • their estate will be treated as having the increased Personal Allowance
  • ", + "
  • your Personal Allowance will go back to the normal amount
  • ", + "

    If your partner transferred some of their Personal Allowance to you before they died:

    ", + "
  • your Personal Allowance will remain at the higher level until the end of the tax year (5 April)
  • ", + "
  • their estate will be treated as having the smaller amount
  • " + ] + }, + { + "title": "Married Couple's Allowance", + "url": "https://www.gov.uk/married-couples-allowance", + "contents": [ + "

    Overview

    ", + "

    Married Couple\u2019s Allowance could reduce your tax bill by between \u00a3353 and \u00a3912.50 a year.

    ", + "

    You can claim Married Couple\u2019s Allowance if all the following apply:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re living with your spouse or civil partner
  • ", + "
  • one of you was born before 6 April 1935
  • ", + "

    For marriages before 5 December 2005, the husband\u2019s income is used to work out Married Couple\u2019s Allowance. For marriage and civil partnerships after this date, it\u2019s the income of the highest earner.

    ", + "

    If you and your partner were born on or after 6 April 1935, you may be able to claim Marriage Allowance instead.

    ", + "

    What you'll get

    ", + "

    Married Couple\u2019s Allowance could reduce your tax bill each year if you\u2019re married or in a civil partnership.

    ", + "

    For the 2021 to 2022 tax year, it could cut your tax bill by between \u00a3353 and \u00a3912.50 a year.

    ", + "

    Use the Married Couple\u2019s Allowance calculator to work out what you could get.

    ", + "

    If you marry or register a civil partnership, you\u2019ll get the allowance on a pro-rata basis for the rest of that tax year.

    ", + "

    If one of you dies or you divorce or separate, the allowance continues until the end of the tax year.

    ", + "

    You can transfer your Married Couple\u2019s Allowance to your spouse or civil partner.

    ", + "

    If you and your spouse or civil partner are separated through circumstance rather than through a decision to formally separate, you can still claim Married Couple\u2019s Allowance.

    ", + "

    Eligibility

    ", + "

    You can claim Married Couple\u2019s Allowance if all the following apply:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re living with your spouse or civil partner
  • ", + "
  • one of you was born before 6 April 1935
  • ", + "

    You can still claim Married Couple\u2019s Allowance if you\u2019re unable to live with your spouse or civil partner because of:

    ", + "
  • illness or old age, for example where your spouse or partner is in residential care
  • ", + "
  • working away from home
  • ", + "
  • an armed forces posting
  • ", + "
  • being in prison
  • ", + "
  • training or education
  • ", + "

    Use the Married Couple\u2019s Allowance calculator to work out what you could get.

    ", + "

    How to claim

    ", + "

    If you fill in a Self Assessment tax return each year

    ", + "

    Claim by completing the Married Couple\u2019s Allowance section of the tax return.

    ", + "

    If you do not fill in a Self Assessment tax return each year

    ", + "

    Contact HM Revenue & Customs (HMRC) with details of your:

    ", + "
  • marriage or civil partnership ceremony
  • ", + "
  • spouse or civil partner - including their date of birth
  • ", + "

    Further information

    ", + "

    Transfer unused Married Couple\u2019s Allowance after the tax year ends

    ", + "

    If your spouse or civil partner pays tax, you can transfer any Married Couple\u2019s Allowance that you have not used because:

    ", + "
  • you do not pay tax
  • ", + "
  • your tax bill is not high enough
  • ", + "

    Fill in form 575 or ask HM Revenue and Customs (HMRC) to post you a copy.

    ", + "

    Share or transfer your Married Couple\u2019s Allowance before the tax year starts

    ", + "

    You and your spouse (or civil partner) can:

    ", + "
  • share the minimum Married Couple\u2019s Allowance
  • ", + "
  • transfer the whole of the minimum Married Couple\u2019s Allowance from one to the other
  • ", + "

    Fill in form 18 before the start of the tax year. You can also contact HMRC to get a copy in the post.

    ", + "

    Tax allowances and giving to charity

    ", + "

    If you pay tax and give money to a UK charity using Gift Aid, contact HMRC. It can increase the tax allowances if you were born before 6 April 1938.

    " + ] + }, + { + "title": "National Insurance and tax after State Pension age", + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "contents": [ + "

    Overview

    ", + "

    You do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.

    ", + "

    You only pay Income Tax if your taxable income - including your private pension and State Pension - is more than your tax-free allowances (the amount of income you\u2019re allowed before you pay tax).

    ", + "

    You must contact HM Revenue and Customs (HMRC) if you think you should be paying tax.

    ", + "

    Stop paying National Insurance

    ", + "

    You pay National Insurance contributions to qualify for certain benefits including the State Pension.

    ", + "

    If you\u2019re employed, you pay Class 1 National Insurance contributions as a percentage of your earnings up to State Pension age.

    ", + "

    If you\u2019re self-employed, you pay Class 2 contributions at a flat weekly rate and Class 4 contributions annually as a percentage of your taxable profits.

    ", + "

    What happens at State Pension age

    ", + "

    You stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.

    ", + "

    You\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.

    ", + "

    For example, you reach State Pension age on 6 September 2021. You\u2019ll stop making Class 4 contributions on 5 April 2022 and pay your final Class 4 bill by 31 January 2023, together with your Income Tax.

    ", + "

    If you\u2019re self employed, you still need to send a Self Assessment tax return for each year you work - even after you reach State Pension age.

    ", + "

    You can claim back National Insurance if you\u2019ve overpaid.

    ", + "

    If you continue working

    ", + "

    Show your employer proof of your age (a birth certificate or passport, for example) to make sure you stop paying National Insurance.

    ", + "

    If you do not want your employer to see your birth certificate or passport, HM Revenue and Customs (HMRC) can send you a letter to show them instead.

    ", + "

    The letter will confirm:

    ", + "
  • you\u2019ve reached State Pension age
  • ", + "
  • you do not need to pay National Insurance
  • ", + "

    You\u2019ll need to write to HMRC explaining why you do not want your employer to see your birth certificate or passport.

    ", + "

    You\u2019ll be asked to send your birth certificate or passport for verification if HMRC does not have a record of your date of birth. Certified copies are accepted.

    ", + "

    You can also show a certificate of age exception (CA4140) if you have one.

    ", + "

    Age-related tax allowances

    ", + "

    Married Couple\u2019s Allowance

    ", + "

    You can claim the Married Couple\u2019s Allowance if you\u2019re married or in a civil partnership and at least one partner was born before 6 April 1935. It gets taken off your tax bill - the amount that\u2019s deducted depends on your income.

    ", + "

    Maintenance Payments Relief

    ", + "

    You can get an allowance to reduce your tax bill for maintenance payments you make to an ex-spouse or civil partner if:

    ", + "
  • you or they were born before 6 April 1935
  • ", + "
  • you\u2019re separated or divorced and you\u2019re making payments under a court order
  • ", + "
  • the payments are for the maintenance of your ex-partner (as long as they have not re-married or formed a new civil partnership) or your children are under 21
  • ", + "

    How much you can get

    ", + "

    For the 2021 to 2022 tax year Maintenance Payments Relief can reduce your tax bill by the lower of the following:

    ", + "
  • \u00a3353 - where you make maintenance payments of \u00a33,530 or more a year
  • ", + "
  • 10% of the money you\u2019ve actually paid - where you make payments of less than \u00a33,530 a year
  • ", + "

    You cannot claim a tax reduction for any voluntary payments you make.

    ", + "

    Claim back tax or National Insurance

    ", + "

    National Insurance refunds

    ", + "

    You can claim back any overpaid National Insurance.

    ", + "

    Tax refunds

    ", + "

    You can claim a tax refund if you\u2019ve:

    ", + "
  • had too much deducted from your pension
  • ", + "
  • overpaid through your job
  • ", + "

    If you complete a tax return, you can also correct mistakes and claim a refund via Self Assessment.

    ", + "

    Claiming back tax on savings interest

    ", + "

    If you\u2019re on a low income, you may be able to get tax-free interest or get some tax back from interest on your savings.

    " + ] + }, + { + "title": "P45, P60 and P11D forms: workers' guide", + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "contents": [ + "

    P45

    ", + "

    You\u2019ll get a P45 from your employer when you stop working for them.

    ", + "

    There\u2019s a separate guide to getting P45s if you\u2019re an employer.

    ", + "

    Your P45 shows how much tax you\u2019ve paid on your salary so far in the tax year (6 April to 5 April).

    ", + "

    A P45 has 4 parts (Part 1, Part 1A, Part 2 and Part 3).

    ", + "
  • Your employer sends details for Part 1 to HM Revenue and Customs (HMRC) and gives you the other parts.
  • ", + "
  • You give Part 2 and 3 to your new employer (or to Jobcentre Plus if you\u2019re not working).
  • ", + "
  • Keep Part 1A for your own records.
  • ", + "

    By law your employer must give you a P45 - ask them for one.

    ", + "

    You can check how much tax you paid last year if you think you might have paid too much.

    ", + "

    You do not have a P45

    ", + "

    You will not have a P45 if you\u2019re starting your first job or you\u2019re taking on a second job. Your employer will need to work out how much tax you should be paying on your salary.

    ", + "

    They may use a \u2018Starter Checklist\u2019 to collect the information, or may collect it another way. The Starter Checklist has questions about any other jobs, benefits or student loans you have. It helps your employer work out your correct tax code before your first payday.

    ", + "

    P60

    ", + "

    Your P60 shows the tax you\u2019ve paid on your salary in the tax year (6 April to 5 April). You get a separate P60 for each of your jobs.

    ", + "

    There\u2019s a separate guide to getting P60s if you\u2019re an employer.

    ", + "

    If you\u2019re working for an employer on 5 April they must give you a P60. They must provide this by 31 May, on paper or electronically.

    ", + "

    You\u2019ll need your P60 to prove how much tax you\u2019ve paid on your salary, for example:

    ", + "
  • to claim back overpaid tax
  • ", + "
  • to apply for tax credits
  • ", + "
  • as proof of your income if you apply for a loan or a mortgage
  • ", + "

    You can check how much tax you paid last year if you think you might have paid too much.

    ", + "

    P11D

    ", + "

    Your employer might give you a copy of your P11D if they used it to tell HM Revenue and Customs (HMRC) about your \u2018benefits in kind\u2019 (for example company cars or interest-free loans).

    ", + "

    They do not have to do this, but they must tell you how much each benefit is worth.

    ", + "

    There\u2019s a separate guide to getting form P11D if you\u2019re an employer.

    ", + "

    You might not get a P11D if your employer takes the tax you owe on your benefits out of your pay.

    ", + "

    Your employer will write to you to explain how this works.

    ", + "

    Lost PAYE forms

    ", + "

    Lost P45

    ", + "

    You cannot get a replacement P45.

    ", + "

    Instead, your new employer may give you a \u2018Starter Checklist\u2019 or ask you for the relevant details about your finances to send to HM Revenue and Customs (HMRC).

    ", + "

    Lost P60

    ", + "

    You can get a replacement P60 from your employer.

    ", + "

    P11D

    ", + "

    You can usually get a copy of the P11D from your employer. If they cannot give you one, you can contact HMRC for a copy.

    " + ] + }, + { + "title": "Self Assessment tax returns", + "url": "https://www.gov.uk/self-assessment-tax-returns", + "contents": [ + "

    Overview

    ", + "

    Self Assessment is a system HM Revenue and Customs (HMRC) uses to collect Income Tax.

    ", + "

    Tax is usually deducted automatically from wages, pensions and savings. People and businesses with other income must report it in a tax return.

    ", + "

    If you need to send one, you fill it in after the end of the tax year (5 April) it applies to.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Sending your return

    ", + "

    File your tax return online or send a paper form.

    ", + "

    If your business has been affected by coronavirus (COVID-19), you may be able to claim a grant through the\u00a0Self-Employment Income Support Scheme.

    ", + "

    Deadlines

    ", + "

    Send your tax return by the deadline.

    ", + "

    If you did not send an online return last year, allow extra time (up to 20 working days) as you\u2019ll need to register first. There are different ways to register if you\u2019re:

    ", + "
  • self-employed or a sole trader
  • ", + "
  • not self-employed
  • ", + "
  • registering a partner or partnership
  • ", + "

    Filling in your return

    ", + "

    You need to keep records (for example bank statements or receipts) so you can fill in your tax return correctly.

    ", + "

    You can get help filling in your return.

    ", + "

    Paying your bill

    ", + "

    HMRC will calculate what you owe based on what you report.

    ", + "

    Pay your Self Assessment bill by 31 January.

    ", + "

    How much tax you pay will depend on the Income Tax band you\u2019re in. There\u2019s a different rate for Capital Gains Tax if you need to pay it, for example you sell shares or a second home.

    ", + "

    Who must send a tax return

    ", + "

    You must send a tax return if, in the last tax year (6 April to 5 April), you were:

    ", + "
  • self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)
  • ", + "
  • a partner in a business partnership
  • ", + "

    You will not usually need to send a return if your only income is from your wages or pension. But you may need to send one if you have any other untaxed income, such as:

    ", + "
  • money from renting out a property
  • ", + "
  • tips and commission
  • ", + "
  • income from savings, investments and dividends
  • ", + "
  • foreign income
  • ", + "

    Check if you need to send a tax return if you\u2019re not sure.

    ", + "

    Other reasons for sending a return

    ", + "

    You can choose to fill in a tax return to:

    ", + "
  • claim some Income Tax reliefs
  • ", + "
  • prove you\u2019re self-employed, for example to claim Tax-Free Childcare or Maternity Allowance
  • ", + "

    If you get Child Benefit

    ", + "

    If your income (or your partner\u2019s, if you have one) was over \u00a350,000, you may need to send a return and pay the High Income Child Benefit Charge.

    ", + "

    Registering and sending a return

    ", + "

    You need to register if you did not send a tax return last year. There are different ways to register if you\u2019re:

    ", + "
  • self-employed or a sole trader
  • ", + "
  • not self-employed
  • ", + "
  • registering a partner or partnership
  • ", + "

    If you\u2019re new to Self Assessment, you\u2019ll need to keep records (for example bank statements or receipts) so you can fill in your tax return correctly.

    ", + "

    Sending your return

    ", + "

    Once you\u2019ve registered, you can send your tax return online, or use commercial software or paper forms. You then have to pay your bill by the deadline.

    ", + "

    You can get help filling in your return.

    ", + "

    Using commercial software or paper forms

    ", + "

    You can send a return using commercial software or paper forms.

    ", + "

    You must use one of these options to send returns:

    ", + "
  • for a partnership
  • ", + "
  • for a trust and estate
  • ", + "
  • if you get income from a trust
  • ", + "
  • if you lived abroad as a non-resident
  • ", + "
  • if you\u2019re a Lloyd\u2019s underwriter
  • ", + "
  • if you\u2019re a religious minister
  • ", + "
  • to report profits made on selling or disposing of more than one asset (\u2018chargeable gains\u2019)
  • ", + "

    You must use a paper form if you need to send a tax return for trustees of registered pension schemes (SA970).

    ", + "

    The deadline for paper forms is 31 October (or 31 January if you\u2019re a trustee of a registered pension scheme or a non-resident company).

    ", + "

    Deadlines

    ", + "

    HM Revenue and Customs (HMRC) must receive your tax return and any money you owe by the deadline.

    ", + "

    The last tax year started on 6 April 2020 and ended on 5 April 2021.

    ", + "Self Assessment | Deadline", + "Register for Self Assessment if you\u2019re self-employed or a sole trader, not self-employed, or registering a partner or partnership | 5 October 2021", + "Paper tax returns | Midnight 31 October 2021", + "Online tax returns | Midnight 31 January 2022", + "Pay the tax you owe | Midnight 31 January 2022", + "

    There\u2019s usually a second payment deadline of 31 July if you make advance payments towards your bill (known as \u2018payments on account\u2019).

    ", + "

    You\u2019ll usually pay a penalty if you\u2019re late. You can appeal against a penalty if you have a reasonable excuse.

    ", + "

    When the deadline is different

    ", + "

    Submit your online return by 30 December if you want HMRC to automatically collect tax you owe from your wages and pension. You must be eligible.

    ", + "

    HMRC must receive a paper tax return by 31 January if you\u2019re a trustee of a registered pension scheme or a non-resident company. You cannot send a return online.

    ", + "

    HMRC might also email or write to you giving you a different deadline.

    ", + "

    Partnership returns if you have a company as a partner

    ", + "

    If your partnership\u2019s accounting date is between 1 February and 5 April and one of your partners is a limited company, the deadline for:

    ", + "
  • online returns is 12 months from the accounting date
  • ", + "
  • paper returns is 9 months from the accounting date
  • ", + "

    2019 to 2020 tax year and earlier

    ", + "

    The Self Assessment deadline for these tax years has passed. Send your tax return or payment as soon as possible - you\u2019ll have to pay a penalty.

    ", + "

    Penalties

    ", + "

    You\u2019ll get a penalty if you need to send a tax return and you miss the deadline for submitting it or paying your bill.

    ", + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    ", + "

    You\u2019ll be charged interest on late payments.

    ", + "

    Estimate your penalty for Self Assessment tax returns more than 3 months late, and late payments.

    ", + "

    You can appeal against a penalty if you have a reasonable excuse.

    ", + "

    All partners can be charged a penalty if a partnership tax return is late.

    ", + "

    If you need to change your return

    ", + "

    You can make a change to your tax return after you\u2019ve filed it, for example because you made a mistake. You\u2019ll need to make your changes by:

    ", + "
  • 31 January 2022 for the 2019 to 2020 tax year
  • ", + "
  • 31 January 2023 for the 2020 to 2021 tax year
  • ", + "

    If you miss the deadline or if you need to make a change to your return for any other tax year you\u2019ll need to write to HMRC.

    ", + "

    Your bill will be updated based on what you report. You may have to pay more tax or be able to claim a refund.

    ", + "

    There\u2019s a different process if you need to report foreign income.

    ", + "

    Updating your tax return

    ", + "

    How you update your tax return depends on how you filed it.

    ", + "

    Online tax returns

    ", + "
  • Sign in using your Government Gateway user ID and password.
  • ", + "
  • From \u2018Your tax account\u2019, choose \u2019Self Assessment account\u2019 (if you do not see this, skip this step).
  • ", + "
  • Choose \u2018More Self Assessment details\u2019.
  • ", + "
  • Choose \u2018At a glance\u2019 from the left-hand menu.
  • ", + "
  • Choose \u2018Tax return options\u2019.
  • ", + "
  • Choose the tax year for the return you want to amend.
  • ", + "
  • Go into the tax return, make the corrections and file it again.
  • ", + "

    Paper tax returns

    ", + "

    Download a new tax return, and send HMRC the corrected pages. Write \u2018amendment\u2019 on each page, and include your name and Unique Taxpayer Reference (UTR) - this is on previous tax returns or letters from HMRC.

    ", + "

    Check your Self Assessment paperwork for the address. If you cannot find this, send your corrections to the address for general Self Assessment enquiries.

    ", + "

    If you used commercial software

    ", + "

    Contact the software provider for help correcting your tax return. Contact HMRC if your software is not able to make corrections.

    ", + "

    Write to HMRC

    ", + "

    Write to HMRC if you need to make a change to your tax return from the 2018 to 2019 tax year or earlier.

    ", + "

    Include in your letter:

    ", + "
  • the tax year you\u2019re correcting
  • ", + "
  • why you think you\u2019ve paid too much or little tax
  • ", + "
  • how much you think you\u2019ve over or underpaid
  • ", + "

    You can claim a refund up to 4 years after the end of the tax year it relates to. If you\u2019re making a claim, also include in your letter:

    ", + "
  • that you\u2019re making a claim for \u2018overpayment relief\u2019
  • ", + "
  • proof that you\u2019d paid tax through Self Assessment for the relevant period
  • ", + "
  • how you want to be repaid
  • ", + "
  • that you have not previously tried to claim back this refund
  • ", + "
  • a signed declaration saying that the details you\u2019ve given are correct and complete to the best of your knowledge
  • ", + "

    Changes to your bill

    ", + "

    You\u2019ll see your amended bill straight away if you updated your tax return online. Within 3 days, your statement will also show:

    ", + "
  • the difference from the old one, so you can see whether you owe more or less tax
  • ", + "
  • any interest
  • ", + "

    To view this, sign in using your Government Gateway user ID and password and choose \u2018View statements\u2019 from the left-hand menu.

    ", + "

    If you\u2019re owed tax

    ", + "

    To claim a refund, go to \u2018Request a repayment\u2019 from the left-hand menu within your HMRC online account. Allow 4 weeks for your refund to be sent to your bank account.

    ", + "

    You may not get a refund if you have tax due in the next 35 days (for example for a payment on account). Instead, the money will be deducted from the tax you owe.

    ", + "

    If you need to pay more tax

    ", + "

    Your updated bill will also show:

    ", + "
  • the deadline for paying
  • ", + "
  • the effect on any payments on account you need to make
  • ", + "

    If you sent an updated paper return

    ", + "

    HMRC will send you an updated bill within 4 weeks. They\u2019ll also pay any refund directly into your bank account, as long as you included your bank details on tax return.

    ", + "

    How to get help

    ", + "

    If you need help with Self Assessment, you can:

    ", + "
  • appoint someone to fill in and send your tax return, for example an accountant, friend or relative - you can find an accountant accredited in the UK
  • ", + "
  • watch videos and join webinars
  • ", + "
  • contact HM Revenue and Customs (HMRC) for general Self Assessment enquiries
  • ", + "
  • get help with your online account
  • ", + "

    Help filling in your return

    ", + "

    There\u2019s introductory guidance on GOV.UK to:

    ", + "
  • Capital Gains Tax if you\u2019ve sold certain things like property or shares
  • ", + "
  • expenses if you\u2019re an employee or self-employed
  • ", + "
  • Child Benefit if your income\u2019s over \u00a350,000
  • ", + "
  • tax on income from renting property
  • ", + "
  • tax on savings interest
  • ", + "
  • tax returns for business partnerships
  • ", + "
  • tax on income from abroad - or on your UK income if you live abroad
  • ", + "

    Guidance notes and helpsheets

    ", + "

    You can also read guidance in:

    ", + "
  • the notes for each section of the tax return, for example \u2018UK property notes\u2019 if you\u2019re completing that section
  • ", + "
  • HMRC\u2019s Self Assessment helpsheets
  • ", + "

    Returns for someone who has died

    ", + "

    You must report a death to HM Revenue and Customs (HMRC) as soon as possible if you\u2019re dealing with the tax affairs of someone who\u2019s died.

    ", + "

    HMRC will tell you if you need to fill in a Self Assessment tax return on the deceased\u2019s behalf. If you do, they\u2019ll send you a return form and a letter with instructions.

    ", + "

    Contacting HMRC

    ", + "

    If you use the Tell Us Once service you do not need to contact HMRC separately.

    ", + "

    If you do not use the Tell Us Once service contact HMRC.

    ", + "

    Tell HMRC the:

    ", + "
  • date of death
  • ", + "
  • name and address of who to contact
  • ", + "

    You\u2019ll also need to tell them one of the following for the deceased:

    ", + "
  • National Insurance number
  • ", + "
  • Unique Taxpayer Reference (UTR) - you can find this on letters or payslips from HMRC
  • ", + "
  • full address
  • ", + "
  • last employer or pension provider\u2019s name and address
  • ", + "

    Filling in the Self Assessment tax return

    ", + "

    The records you\u2019ll need for the deceased\u2019s tax return will depend on their circumstances. You\u2019ll usually need details of the deceased\u2019s bank and savings accounts, for example:

    ", + "
  • bank statements
  • ", + "
  • building society pass books
  • ", + "
  • dividend vouchers
  • ", + "
  • National Savings bonds or certificates
  • ", + "

    If the deceased was employed or receiving a pension you\u2019ll usually need:

    ", + "
  • work or pension payslips
  • ", + "
  • details of any expenses paid by the employer
  • ", + "
  • confirmation of any state pension
  • ", + "

    You\u2019ll need their business records if the deceased ran their own business or rented out property.

    ", + "

    Contact HMRC\u2019s Bereavement helpline if you need help completing a return for someone who has died or if you cannot find their records.

    ", + "

    Sending the return

    ", + "

    Send the completed Self Assessment form by post.

    ", + "

    The return must reach HMRC by the date given in the letter you received with the form.

    ", + "

    You can hire a professional (such as an accountant) to help you submit a tax return on behalf of the deceased.

    ", + "

    Telling HMRC about the \u2018administration period\u2019

    ", + "

    If you\u2019re the executor or administrator of an estate you may also need to send information to HMRC for the \u2018administration period\u2019. This is the time between the day after the death and the date the estate is settled (\u2018distributed\u2019).

    ", + "

    What you need to send depends on the size of the estate, and the money that came from it during the administration period.

    ", + "

    When you must send a tax return for the \u2018administration period\u2019

    ", + "

    Fill in a trust and estate tax return if any of the following apply:

    ", + "
  • the total Income Tax and Capital Gains Tax due for the administration period was more than \u00a310,000
  • ", + "
  • the estate was worth more than \u00a32.5 million at the date of death
  • ", + "
  • the date of death was before 6 April 2016 and more than \u00a3250,000 a year came from the sale of the estate\u2019s assets by administrators or executors
  • ", + "
  • the date of death was on or after 6 April 2016 and more than \u00a3500,000 a year came from the sale of the estate\u2019s assets by administrators or executors
  • ", + "

    The trust and estate tax return is only for the estate - it\u2019s separate from the return you sent on behalf of the deceased.

    ", + "

    Sending the tax return

    ", + "

    To send an estate tax return, you must first register the estate online.

    ", + "

    You must register by 5 October after the tax year you\u2019re sending a return for. For example, if you\u2019re sending a return for the 2020 to 2021 tax year (6 April 2020 to 5 April 2021) then you must register by 5 October 2021.

    ", + "

    To register the estate you\u2019ll need:

    ", + "
  • a Government Gateway user ID - the account needs to be registered as an organisation (you cannot use an account registered to an individual)
  • ", + "
  • a National Insurance number (a temporary reference number will not work)
  • ", + "

    You\u2019ll need a new Government Gateway user ID for each estate you register

    ", + "

    You must register the estate online. Then you\u2019ll get a Unique Taxpayer Reference (UTR) in the post within 15 working days (21 if you\u2019re abroad). You\u2019ll need it to send a tax return.

    ", + "

    Once you\u2019ve received your UTR, you can either:

    ", + "
  • fill in paper form SA900 and post it to HMRC by 31 October after the tax year it applies to
  • ", + "
  • buy software to send it electronically by 31 January after the tax year it applies to
  • ", + "

    After you\u2019ve sent your return, HMRC will tell you how much the estate owes. You\u2019ll need to pay the Self Assessment bill by the deadline.

    ", + "

    If you do not need to send a tax return

    ", + "

    You can make \u2018informal arrangements\u2019 instead. To do this, write to HMRC and tell them:

    ", + "
  • the Income Tax and Capital Gains Tax due for the administration period
  • ", + "
  • the name, address, National Insurance number, and UTR of the deceased
  • ", + "
  • your name and contact details
  • ", + "

    Send this information to HMRC\u2019s address for PAYE and Self Assessment. You must not send tax payments with this information.

    ", + "

    You\u2019ll be provided with a payment slip and reference number. You must use these to pay any tax that needs to be paid.

    " + ] + }, + { + "title": "Tax and Employee Share Schemes", + "url": "https://www.gov.uk/tax-employee-share-schemes", + "contents": [ + "

    Overview

    ", + "

    If your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.

    ", + "

    Tax advantages only apply if the shares are offered through the following schemes:

    ", + "
  • Share Incentive Plans
  • ", + "
  • Save As You Earn (SAYE)
  • ", + "
  • Company Share Option Plans
  • ", + "
  • Enterprise Management Incentives (EMIs)
  • ", + "

    You may be offered shares outside of these schemes. However these will not have the same tax advantages.

    ", + "

    You can also get tax advantages if you\u2019re an employee shareholder.

    ", + "

    Share Incentive Plans (SIPs)

    ", + "

    If you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.

    ", + "

    You will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.

    ", + "

    If you take them out of the plan, keep them and then sell them later on, you might have to pay Capital Gains Tax if their value has increased.

    ", + "

    There are 4 ways you can get shares under SIPs.

    ", + "

    Free shares

    ", + "

    Your employer can give you up to \u00a33,600 of free shares in any tax year.

    ", + "

    Partnership shares

    ", + "

    You can buy shares out of your salary before tax deductions. There\u2019s a limit to how much you can spend - either \u00a31,800 or 10% of your income for the tax year, whichever is lower.

    ", + "

    Matching shares

    ", + "

    Your employer can give you up to 2 free matching shares for each partnership share you buy.

    ", + "

    Dividend shares

    ", + "

    You may be able to buy more shares with the dividends you get from free, partnership or matching shares (but only if your employer\u2019s scheme allows it).

    ", + "

    You will not pay Income Tax if you keep the dividend shares for at least 3 years.

    ", + "

    You\u2019ll have to pay Income Tax and National Insurance on any shares you take out of a SIP early.

    ", + "

    Save As You Earn (SAYE)

    ", + "

    This is a savings-related share scheme where you can buy shares with your savings for a fixed price.

    ", + "

    You can save up to \u00a3500 a month under the scheme. At the end of your savings contract (3 or 5 years) you can use the savings to buy shares.

    ", + "

    The tax advantages are:

    ", + "
  • the interest and any bonus at the end of the scheme is tax-free
  • ", + "
  • you do not pay Income Tax or National Insurance on the difference between what you pay for the shares and what they\u2019re worth
  • ", + "

    You might have to pay Capital Gains Tax if you sell the shares.

    ", + "

    You\u2019ll not pay Capital Gains Tax if you transfer the shares:

    ", + "
  • to an Individual Savings Account (ISA) within 90 days of the scheme ending
  • ", + "
  • to a pension, directly from the scheme when it ends
  • ", + "

    If you do not transfer your shares to a pension immediately when the scheme ends, you can still transfer them up to 90 days later. You may have to pay Capital Gains Tax if they go up in value between when you buy them and when you transfer them.

    ", + "

    Company Share Option Plan

    ", + "

    This gives you the option to buy up to \u00a330,000 worth of shares at a fixed price.

    ", + "

    You will not pay Income Tax or National Insurance contributions on the difference between what you pay for the shares and what they\u2019re actually worth.

    ", + "

    You may have to pay Capital Gains Tax if you sell the shares.

    ", + "

    Enterprise Management Incentives (EMIs)

    ", + "

    If you work for a company with assets of \u00a330 million or less, it may be able to offer Enterprise Management Incentives (EMIs).

    ", + "

    Your company can grant you share options up to the value of \u00a3250,000 in a 3-year period.

    ", + "

    You will not have to pay Income Tax or National Insurance if you buy the shares for at least the market value they had when you were granted the option.

    ", + "

    If you were given a discount on the market value, you\u2019ll have to pay Income Tax or National Insurance on the difference between what you pay and what the shares were worth.

    ", + "

    You may have to pay Capital Gains Tax if you sell the shares.

    ", + "

    Excluded activities

    ", + "

    Companies that work in \u2018excluded activities\u2019 are not allowed to offer EMIs. Excluded activities include:

    ", + "
  • banking
  • ", + "
  • farming
  • ", + "
  • property development
  • ", + "
  • provision of legal services
  • ", + "
  • ship building
  • ", + "

    Employee shareholder shares

    ", + "

    To be an employee shareholder, you must own shares in your employer\u2019s company that were worth at least \u00a32,000 when you got them.

    ", + "

    You will not usually pay Income Tax or National Insurance on the first \u00a32,000 worth of employee shareholder shares you get before 1 December 2016.

    ", + "

    You will not get tax relief if you or someone you\u2019re connected with (like a business partner, spouse or family member) have 25% or more voting rights in the company.

    ", + "

    When you become an employee shareholder your employer must pay for an independent expert to give advice about the terms and effects of the employee shareholder agreement. This advice not count as a taxable benefit.

    ", + "

    Selling your shares

    ", + "

    You might not pay Capital Gains Tax when you sell shares. It depends on when you signed your employee shareholder agreement.

    ", + "

    Before 17 March 2016

    ", + "

    You only pay Capital Gains Tax on shares that were worth over \u00a350,000 when you got them.

    ", + "

    From 17 March 2016

    ", + "

    You only pay Capital Gains Tax on gains over \u00a3100,000 that you make during your lifetime. The \u2018gain\u2019 is the profit you make when you sell shares that have increased in value.

    ", + "

    Transferring your shares to an ISA

    ", + "

    You can transfer up to \u00a320,000 of employee shares into a stocks and shares Individual Savings Account (ISA) if you have shares in a:

    ", + "
  • Save As You Earn (SAYE) scheme
  • ", + "
  • Share Incentive Plan (SIP)
  • ", + "

    Your ISA provider must agree to the transfer.

    ", + "

    You will not have to pay Capital Gains Tax on any gains you make on your shares if you move them to an ISA.

    ", + "

    You must transfer your shares to your ISA within 90 days of when you took out your SIP or SAYE shares.

    ", + "

    These shares will count towards your \u00a320,000 ISA limit. They cannot be in addition to the limit.

    ", + "

    Ask your employer or ISA provider for more information on how to transfer.

    " + ] + }, + { + "title": "Tax codes", + "url": "https://www.gov.uk/tax-codes", + "contents": [ + "

    Overview

    ", + "

    Your tax code is used by your employer or pension provider to work out how much Income Tax to take from your pay or pension. HM Revenue and Customs (HMRC) will tell them which code to use.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Find your tax code

    ", + "

    Use the check your Income Tax online service within your Personal Tax Account to find your tax code for the current year. You can also view your tax code for:

    ", + "
  • a previous tax year
  • ", + "
  • the next tax year
  • ", + "

    You\u2019ll be asked to sign in with Government Gateway or create an account if you do not already have one.

    ", + "

    Once signed in, you can also see:

    ", + "
  • if your tax code has changed
  • ", + "
  • how much tax you\u2019re likely to pay
  • ", + "

    You can also find your tax code on your payslip or tax code letter from HMRC.

    ", + "

    If you think your tax code is wrong

    ", + "

    If you think your tax code is wrong, you can update your employment details using the check your Income Tax online service.

    ", + "

    You can also tell HMRC about a change in income that may have affected your tax code.

    ", + "

    Why your tax code might change

    ", + "

    HMRC may update your tax code if:

    ", + "
  • you start to get income from an additional job or pension
  • ", + "
  • your employer tells HMRC you have started or stopped getting benefits from your job
  • ", + "
  • you get taxable state benefits
  • ", + "
  • you claim Marriage Allowance
  • ", + "
  • you claim expenses that you get tax relief on
  • ", + "

    You may also be put on an emergency tax code if you change jobs.

    ", + "

    What your tax code means

    ", + "

    Your tax code is made up of several numbers and a letter.

    ", + "

    1257L is the tax code currently used for most people who have one job or pension.

    ", + "

    HMRC will usually contact you to explain how they worked out your individual tax code if your tax code changes.

    ", + "

    What the numbers mean

    ", + "

    The numbers in your tax code tell your employer or pension provider how much tax-free income you get in that tax year.

    ", + "

    HMRC works out your individual number based on your tax-free Personal Allowance and income you have not paid tax on (such as untaxed interest or part-time earnings). They also consider the value of any benefits from your job (such as a company car).

    ", + "

    What the letters mean

    ", + "

    Letters in your tax code refer to your situation and how it affects your Personal Allowance.

    ", + "Letters | What they mean", + "L | You\u2019re entitled to the standard tax-free Personal Allowance", + "M | Marriage Allowance: you\u2019ve received a transfer of 10% of your partner\u2019s Personal Allowance", + "N | Marriage Allowance: you\u2019ve transferred 10% of your Personal Allowance to your partner", + "T | Your tax code includes other calculations to work out your Personal Allowance", + "0T | Your Personal Allowance has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code", + "BR | All your income from this job or pension is taxed at the basic rate (usually used if you\u2019ve got more than one job or pension)", + "D0 | All your income from this job or pension is taxed at the higher rate (usually used if you\u2019ve got more than one job or pension)", + "D1 | All your income from this job or pension is taxed at the additional rate (usually used if you\u2019ve got more than one job or pension)", + "NT | You\u2019re not paying any tax on this income", + "S | Your income or pension is taxed using the rates in Scotland", + "S0T | Your Personal Allowance (Scotland) has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code", + "SBR | All your income from this job or pension is taxed at the basic rate in Scotland (usually used if you\u2019ve got more than one job or pension)", + "SD0 | All your income from this job or pension is taxed at the intermediate rate in Scotland (usually used if you\u2019ve got more than one job or pension)", + "SD1 | All your income from this job or pension is taxed at the higher rate in Scotland (usually used if you\u2019ve got more than one job or pension)", + "SD2 | All your income from this job or pension is taxed at the top rate in Scotland (usually used if you\u2019ve got more than one job or pension)", + "C | Your income or pension is taxed using the rates in Wales", + "C0T | Your Personal Allowance (Wales) has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code", + "CBR | All your income from this job or pension is taxed at the basic rate in Wales (usually used if you\u2019ve got more than one job or pension)", + "CD0 | All your income from this job or pension is taxed at the higher rate in Wales (usually used if you\u2019ve got more than one job or pension)", + "CD1 | All your income from this job or pension is taxed at the additional rate in Wales (usually used if you\u2019ve got more than one job or pension)", + "

    If your tax code has \u2018W1\u2019 or \u2018M1\u2019 or \u2018X\u2019 at the end

    ", + "

    These are emergency tax codes.

    ", + "

    If your tax code has a \u2018K\u2019 at the beginning

    ", + "

    Tax codes with \u2018K\u2019 at the beginning mean you have income that is not being taxed another way and it\u2019s worth more than your tax-free allowance.

    ", + "

    For most people, this happens when you\u2019re:

    ", + "
  • paying tax you owe from a previous year through your wages or pension
  • ", + "
  • getting benefits you need to pay tax on - these can be state benefits or company benefits
  • ", + "

    Your employer or pension provider takes the tax due on the income that has not been taxed from your wages or pension - even if another organisation is paying the untaxed income to you.

    ", + "

    Employers and pension providers cannot take more than half your pre-tax wages or pension when using a K tax code.

    ", + "

    Emergency tax codes

    ", + "

    If you\u2019re on an emergency tax code your payslip will show:

    ", + "
  • 1257 W1
  • ", + "
  • 1257 M1
  • ", + "
  • 1257 X
  • ", + "

    These mean you\u2019ll pay tax on all your income above the basic Personal Allowance.

    ", + "

    You may be put on an emergency tax code if HMRC does not get your income details in time after a change in circumstances such as:

    ", + "
  • a new job
  • ", + "
  • working for an employer after being self-employed
  • ", + "
  • getting company benefits or the State Pension
  • ", + "

    Emergency tax codes are temporary. HMRC will usually update your tax code when you or your employer give them your correct details. If your change in circumstances means you have not paid the right amount of tax, you\u2019ll stay on the emergency tax code until you\u2019ve paid the correct tax for the year.

    ", + "

    Updating your details

    ", + "

    Your employer can help you update your tax code by sending details about your previous income or pension to HMRC.

    ", + "

    If you\u2019ve started a new job

    ", + "

    Give your employer your P45 from your previous job. If you do not have a P45, your employer should ask you for the information they need instead.

    ", + "

    If you\u2019ve started working for an employer after being self-employed

    ", + "

    Your employer should give you a \u2018starter checklist\u2019 - this is a form you can use to give them details about your previous employment.

    ", + "

    If you\u2019ve started getting company benefits or the State Pension

    ", + "

    Check your tax code online to make sure it includes the State Pension or company benefit. If they\u2019re not included, update your details in the tax code online service or by contacting HMRC.

    ", + "

    The emergency tax code will stay in place until the end of the tax year. This means you\u2019ll pay the right amount of tax for the current tax year. In the new tax year HMRC will put you on a regular tax code.

    ", + "

    Tell HMRC about a change in income

    ", + "

    In most cases, HMRC will automatically update your tax code when your income changes, for example if you start a new job, start getting a pension or receive benefits or work expenses. They\u2019ll usually get this information from your employer.

    ", + "

    If HMRC has the wrong information about your income, you may be given an incorrect tax code.

    ", + "

    To correct your tax code, make sure HMRC has up-to-date details about your income.

    ", + "

    Check what you need to do if you\u2019re on an emergency tax code.

    ", + "

    Tell HMRC about a change

    ", + "

    You can report a change in your income by either:

    ", + "
  • using the online check your Income Tax service
  • ", + "
  • contacting HMRC
  • ", + "

    If you\u2019re contacting HMRC on someone else\u2019s behalf

    ", + "

    If you need to tell HMRC about a change in someone else\u2019s income (for example, because you\u2019re their accountant) fill in a PAYE Coding Notice query form.

    ", + "

    After you report your change

    ", + "

    HMRC will contact you if they change your tax code.\nThey will also tell your employer or pension provider that your tax code has changed.

    ", + "

    Your next payslip should show:

    ", + "
  • your new tax code
  • ", + "
  • adjustments to your pay if you were paying the wrong amount of tax
  • ", + "

    Get a tax refund or pay the tax you owe

    ", + "

    If HMRC update your tax code and you\u2019ve paid too much or too little tax, HMRC will send you a P800 or a Simple Assessment tax calculation. This will enable you to get a refund or pay what you owe.

    " + ] + }, + { + "title": "Tax on company benefits", + "url": "https://www.gov.uk/tax-company-benefits", + "contents": [ + "

    Overview

    ", + "

    As an employee, you pay tax on company benefits like cars, accommodation and loans.

    ", + "

    Your employer takes the tax you owe from your wages through Pay As You Earn (PAYE).

    ", + "

    The amount you pay depends on what kind of benefits you get and their value, which your employer works out.

    ", + "

    Check your Income Tax to see how company benefits affect the tax you pay.

    ", + "

    Some company benefits can be tax-free, like childcare and canteen meals.

    ", + "

    You have to pay tax and National Insurance on things that are paid in cash, as they\u2019re treated as earnings.

    ", + "

    Tax on company cars

    ", + "

    You\u2019ll pay tax if you or your family use a company car privately, including for commuting.

    ", + "

    You pay tax on the value to you of the company car, which depends on things like how much it would cost to buy and the type of fuel it uses.

    ", + "

    This value of the car is reduced if:

    ", + "
  • you have it part-time
  • ", + "
  • you pay something towards its cost
  • ", + "
  • it has low CO2 emissions
  • ", + "

    If your employer pays for fuel you use for personal journeys, you\u2019ll pay tax on this separately.

    ", + "

    If you drive a hybrid

    ", + "

    If your company car has CO2 emissions of 1 to 50g/km, the value of the car is based on its zero emission mileage figure, or \u2018electric range\u2019. This is the distance the car can go on electric power before its batteries need recharging.

    ", + "

    Contact your employer to find out your car\u2019s zero emission mileage figure.

    ", + "

    Check or update your company car tax

    ", + "

    Tell HM Revenue and Customs (HMRC) if your car or fuel details change. You can check or update your company car tax online, for example if:

    ", + "
  • you get a company car or give one back
  • ", + "
  • your employer starts or stops paying for fuel for you to use personally
  • ", + "

    If a change affects the value of the car, HMRC will update your tax code so you pay the right tax.

    ", + "

    Estimating the tax you\u2019ll pay

    ", + "

    You can see how much tax you might pay with HMRC\u2019s company car and fuel benefit calculator.

    ", + "

    This calculator may not work in all browsers. Find out how to update or change your browser.

    ", + "

    Other company benefits you'll pay tax on

    ", + "

    You pay tax on the value of the benefit to you, which your employer works out.

    ", + "

    Check your Income Tax to see how company benefits affect the tax you pay.

    ", + "

    Medical insurance

    ", + "

    You usually pay tax on the cost of the insurance premiums if your employer pays for your medical insurance.

    ", + "

    Check how your employer works out how much tax to deduct from your pay.

    ", + "

    You can get some tax-free health benefits from your employer, including:

    ", + "
  • medical insurance when you\u2019re working abroad
  • ", + "
  • annual check-ups
  • ", + "

    Check and report changes to medical insurance paid for by your employer.

    ", + "

    Loans

    ", + "

    You\u2019ll pay tax on low-interest or interest-free loans from your employer if they\u2019re worth more than \u00a310,000.

    ", + "

    You pay tax on the difference between the interest rate you pay to your employer and the official rate of interest set by the Bank of England.

    ", + "

    You may pay tax if your employer lends money to one of your relatives.

    ", + "

    Check how your employer works out how much tax to deduct from your pay.

    ", + "

    Living accommodation

    ", + "

    If you (or one of your relatives) is living in accommodation provided by your employer you may pay tax.

    ", + "

    How the tax is worked out depends on whether the accommodation cost more than \u00a375,000.

    ", + "

    Check how your employer works out how much tax to deduct from your pay.

    ", + "

    You may not pay tax if you get the accommodation so you can do your job, or do your job better, for example agricultural workers living on farms.

    ", + "

    Help with your Self Assessment

    ", + "

    Use the living accommodation helpsheet if you need help with the \u2018Employment\u2019 section of your Self Assessment tax return.

    ", + "

    Tax-free company benefits

    ", + "

    You can get some company benefits tax free, including:

    ", + "
  • meals in a staff canteen
  • ", + "
  • hot drinks and water at work
  • ", + "
  • a mobile phone
  • ", + "
  • workplace parking
  • ", + "

    Christmas parties can also be tax free if they cost \u00a3150 or less per head and are open to all employees.

    ", + "

    Your employer might provide tax free childcare support, including childcare vouchers.

    ", + "

    National Insurance on company benefits

    ", + "

    You do not usually have to pay National Insurance on benefits you get from your job.

    ", + "

    Your employer will pay National Insurance contributions on them instead.

    ", + "

    But you do have to pay National Insurance on things that are paid in cash, as they\u2019re treated as earnings.

    ", + "

    For example, if your employer gives you a gift that you could sell instead of keep, you will pay National Insurance on the value of the gift.

    ", + "

    Keeping records and reporting changes

    ", + "

    At the end of each tax year, your employer will give you details of the company benefits they\u2019ve told HM Revenue and Customs (HMRC) about.

    ", + "

    They might give you a copy of your P11D form, if they sent one to HMRC.

    ", + "

    You must keep these details for 2 years after the tax year they relate to.

    ", + "

    Tell HMRC about starting or stopping company benefits

    ", + "

    You must tell HMRC about any benefits you or your family start or stop getting from work - even if your employer has already taken Income Tax and National Insurance for them.

    ", + "

    You should only tell HMRC that you\u2019ve got a company car once you\u2019ve started using it.

    " + ] + }, + { + "title": "Tax on foreign income", + "url": "https://www.gov.uk/tax-foreign-income", + "contents": [ + "

    Overview

    ", + "

    You may need to pay UK Income Tax on your foreign income, such as:

    ", + "
  • wages if you work abroad
  • ", + "
  • foreign investment income, for example dividends and savings interest
  • ", + "
  • rental income on overseas property
  • ", + "
  • income from pensions held overseas
  • ", + "

    Foreign income is anything from outside England, Scotland, Wales and Northern Ireland. The Channel Islands and the Isle of Man are classed as foreign.

    ", + "

    Working out if you need to pay

    ", + "

    Whether you need to pay depends on if you\u2019re classed as \u2018resident\u2019 in the UK for tax.

    ", + "

    If you\u2019re not UK resident, you will not have to pay UK tax on your foreign income.

    ", + "

    If you\u2019re UK resident, you\u2019ll normally pay tax on your foreign income. But you may not have to if your permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    Reporting foreign income

    ", + "

    If you need to pay tax, you usually report your foreign income in a Self Assessment tax return. But there\u2019s some foreign income that\u2019s taxed differently.

    ", + "

    If your income is taxed in more than one country

    ", + "

    You may be able to claim tax relief if you\u2019re taxed in more than one country.

    ", + "

    If you\u2019ve not yet paid tax on the foreign income, you may need to apply for a certificate of residence to prove you\u2019re eligible for relief.

    ", + "

    UK residence and tax

    ", + "

    Your UK residence status affects whether you need to pay tax in the UK on your foreign income.

    ", + "

    Non-residents only pay tax on their UK income - they do not pay UK tax on their foreign income.

    ", + "

    Residents normally pay UK tax on all their income, whether it\u2019s from the UK or abroad. But there are special rules for UK residents whose permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    Work out your residence status

    ", + "

    Whether you\u2019re UK resident usually depends on how many days you spend in the UK in the tax year (6 April to 5 April the following year).

    ", + "

    You\u2019re automatically resident if either:

    ", + "
  • you spent 183 or more days in the UK in the tax year
  • ", + "
  • your only home was in the UK - you must have owned, rented or lived in it for at least 91 days in total - and you spent at least 30 days there in the tax year
  • ", + "

    You\u2019re automatically non-resident if either:

    ", + "
  • you spent fewer than 16 days in the UK (or 46 days if you have not been classed as UK resident for the 3 previous tax years)
  • ", + "
  • you work abroad full-time (averaging at least 35 hours a week) and spent fewer than 91 days in the UK, of which no more than 30 were spent working
  • ", + "

    Get help

    ", + "

    If your situation\u2019s more complicated or you need to confirm your status, you can:

    ", + "
  • read HMRC\u2019s guidance on the Statutory Residence Test
  • ", + "
  • get professional tax help
  • ", + "

    Your residence status when you move

    ", + "

    When you move in or out of the UK, the tax year is usually split into 2 - a non-resident part and a resident part. This means you only pay UK tax on foreign income based on the time you were living here.

    ", + "

    This is called \u2018split-year treatment\u2019.

    ", + "

    You will not get split-year treatment if you live abroad for less than a full tax year before returning to the UK. You also need to meet other conditions.

    ", + "

    To find out if you qualify and see which split-year treatment \u2018case\u2019 you\u2019ll need to mention on your Self Assessment tax return, you can:

    ", + "
  • read chapter 5 of HMRC\u2019s guidance note on the Statutory Residence Test
  • ", + "
  • contact HMRC
  • ", + "

    If your situation changes

    ", + "

    Your status can change from one tax year to the next. Check your status if your situation changes, for example:

    ", + "
  • you spend more or less time in the UK
  • ", + "
  • you buy or sell a home in the UK
  • ", + "
  • you change your job
  • ", + "
  • your family moves in or out of the UK, or you get married, separate or have children
  • ", + "

    Residence and capital gains

    ", + "

    You work out your residence status for capital gains (for example, when you sell shares or a second home) the same way as you do for income.

    ", + "

    UK residents have to pay tax on their UK and foreign gains. Non-residents have to pay tax on income, but only pay Capital Gains Tax either:

    ", + "
  • on UK property or land
  • ", + "
  • if they return to the UK
  • ", + "

    Residence before April 2013

    ", + "

    There were different rules for working out your residence status before 6 April 2013.

    ", + "

    'Non-domiciled' residents

    ", + "

    UK residents who have their permanent home (\u2018domicile\u2019) outside the UK may not have to pay UK tax on foreign income.

    ", + "

    The same rules apply if you make any foreign capital gains, for example you sell shares or a second home.

    ", + "

    Working out your domicile

    ", + "

    Your domicile\u2019s usually the country your father considered his permanent home when you were born. It may have changed if you moved abroad and you do not intend to return.

    ", + "

    If you need help working out which country you\u2019re domiciled in, you can:

    ", + "
  • read chapter 5 of HM Revenue and Customs\u2019 (HMRC) guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019
  • ", + "
  • get professional tax help, for example from a tax adviser
  • ", + "

    There are additional rules for domicile and Inheritance Tax.

    ", + "

    Tax if you\u2019re non-domiciled

    ", + "

    You do not pay UK tax on your foreign income or gains if both the following apply:

    ", + "
  • they\u2019re less than \u00a32,000 in the tax year
  • ", + "
  • you do not bring them into the UK, for example by transferring them to a UK bank account
  • ", + "

    If this applies to you, you do not need to do anything.

    ", + "

    Chapter 9 in HMRC\u2019s guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019 explains the rules for bringing income or gains to the UK.

    ", + "

    If your income is \u00a32,000 or more

    ", + "

    You must report foreign income or gains of \u00a32,000 or more, or any money that you bring to the UK, in a Self Assessment tax return.

    ", + "

    You can either:

    ", + "
  • pay UK tax on them - you may be able to claim it back
  • ", + "
  • claim the \u2018remittance basis\u2019
  • ", + "

    Claiming the remittance basis means you only pay UK tax on the income or gains you bring to the UK, but you:

    ", + "
  • lose tax-free allowances for Income Tax and Capital Gains Tax (some \u2018dual residents\u2019 may keep them)
  • ", + "
  • pay an annual charge if you\u2019ve been resident of the UK for a certain amount of time
  • ", + "

    You pay an annual charge of either:

    ", + "
  • \u00a330,000 if you\u2019ve been here for at least 7 of the previous 9 tax years
  • ", + "
  • \u00a360,000 for at least 12 of the previous 14 tax years
  • ", + "

    Claiming the remittance basis is complicated. You can:

    ", + "
  • contact HMRC
  • ", + "
  • get professional tax help, for example from a tax adviser
  • ", + "

    If you work in the UK and abroad

    ", + "

    There are special rules if you work both in the UK and abroad.

    ", + "

    You do not have to pay tax on foreign income or gains (even those you bring into the UK) if you get the \u2018foreign workers\u2019 exemption\u2019.

    ", + "

    You qualify if:

    ", + "
  • your income from your overseas job is less than \u00a310,000
  • ", + "
  • your other foreign income (such as bank interest) is less than \u00a3100
  • ", + "
  • all your foreign income has been subject to foreign tax (even if you did not have to pay, for example because of a tax-free allowance)
  • ", + "
  • your combined UK and foreign income is within the band for basic rate Income Tax
  • ", + "
  • you do not need to fill in a tax return for any other reason
  • ", + "

    If you qualify, you do not need to do anything to claim.

    ", + "

    If you\u2019re seconded to the UK

    ", + "

    You may be able to claim Overseas Workday Relief if your employer sends you to work in the UK on secondment.

    ", + "

    If you qualify you:

    ", + "
  • pay UK tax on UK employment income based on the number of days you\u2019ve worked here
  • ", + "
  • do not pay tax on income from days you work abroad (as long as you do not bring it into the UK)
  • ", + "

    Ask your employer to find out if you can claim.

    ", + "

    Foreign students

    ", + "

    There are special rules if you come to study in the UK.

    ", + "

    Reporting your foreign income

    ", + "

    You usually need to fill in a Self Assessment tax return if you\u2019re a UK resident with foreign income or capital gains. But there\u2019s some foreign income that\u2019s taxed differently.

    ", + "

    You do not need to fill in a tax return if all the following apply:

    ", + "
  • your only foreign income is dividends
  • ", + "
  • your total dividends - including UK dividends - are less than the \u00a32,000 dividend allowance
  • ", + "
  • you have no other income to report
  • ", + "

    Different rules may apply if your permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    Register for Self Assessment

    ", + "

    If you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.

    ", + "

    You\u2019ll get a letter telling you what to do next after you\u2019ve registered.

    ", + "

    Register now

    ", + "

    Filling in your tax return

    ", + "

    Use the \u2018foreign\u2019 section of the tax return to record your overseas income or gains.

    ", + "

    Include income that\u2019s already been taxed abroad to get Foreign Tax Credit Relief, if you\u2019re eligible.

    ", + "

    HMRC has guidance on how to report your foreign income or gains in your tax return in \u2018Foreign notes\u2019.

    ", + "

    Foreign income that's taxed differently

    ", + "

    Most foreign income is taxed in the same way as UK income, but there are special rules for:

    ", + "
  • pensions
  • ", + "
  • rent from property
  • ", + "
  • certain types of employment income
  • ", + "

    Pensions

    ", + "

    You have to pay tax on pensions if you\u2019re resident, or were resident in any of the 5 previous tax years.

    ", + "

    You also pay tax on any foreign pension payments, including unauthorised payments like early payments and some lump sums.

    ", + "

    Check with your pension provider to find out how you\u2019ll be taxed.

    ", + "

    Rent from property

    ", + "

    You pay tax in the normal way on overseas property. But if you rent out more than one, you can offset losses against other overseas properties.

    ", + "

    Certain types of employment income

    ", + "

    You usually pay tax in the normal way if you work both in the UK and abroad. There are special rules if you work:

    ", + "
  • on a ship or in the offshore gas or oil industry
  • ", + "
  • for the EU or government, or as a volunteer development worker
  • ", + "

    If you're taxed twice

    ", + "

    You may be taxed on your foreign income by the UK and by the country where your income is from.

    ", + "

    You can usually claim tax relief to get some or all of this tax back. How you claim depends on whether your foreign income has already been taxed.

    ", + "

    There\u2019s a different way to claim relief if you\u2019re a non-resident with UK income.

    ", + "

    Apply for tax relief before you get taxed on foreign income

    ", + "

    You have to apply for tax relief in the country your income\u2019s from if:

    ", + "
  • the income is exempt from foreign tax but is taxed in the UK (for example, most pensions)
  • ", + "
  • required by that country\u2019s double-taxation agreement
  • ", + "

    Ask the foreign tax authority for a form, or apply by letter if they do not have one.

    ", + "

    Before you apply, you must prove you\u2019re eligible for tax relief by either:

    ", + "
  • completing the form and sending it to HMRC - they\u2019ll confirm whether you\u2019re resident and send the form back to you
  • ", + "
  • including a UK certificate of residence, if you\u2019re applying by letter
  • ", + "

    Once you\u2019ve got proof, send the form or letter to the foreign tax authority.

    ", + "

    If you\u2019ve already paid tax on your foreign income

    ", + "

    You can usually claim Foreign Tax Credit Relief when you report your overseas income in your tax return.

    ", + "

    How much relief you get depends on the UK\u2019s \u2018double-taxation agreement\u2019 with the country your income\u2019s from.

    ", + "

    You usually still get relief even if there is not an agreement, unless the foreign tax does not correspond to UK Income Tax or Capital Gains Tax.

    ", + "

    Contact HM Revenue and Customs (HMRC) or a get professional tax help if you\u2019re not sure, or need help with double-taxation relief.

    ", + "

    What you\u2019ll get back

    ", + "

    You may not get back the full amount of foreign tax you paid. You get back less if either:

    ", + "
  • a smaller amount is set by the country\u2019s double-taxation agreement
  • ", + "
  • the income would have been taxed at a lower rate in the UK
  • ", + "

    HMRC has guidance on how Foreign Tax Credit Relief is calculated, including the special rules for interest and dividends in \u2018Foreign notes\u2019.

    ", + "

    You cannot claim this relief if the UK\u2019s double-taxation agreement requires you to claim tax back from the country your income was from.

    ", + "

    Capital Gains Tax

    ", + "

    You\u2019ll usually pay tax in the country where you\u2019re resident and be exempt from tax in the country where you make the capital gain. You will not usually need to make a claim.

    ", + "

    You have to pay Capital Gains Tax on UK residential property even if you\u2019re not UK resident.

    ", + "

    When to claim relief

    ", + "

    There are different rules if your gain comes from an asset that either:

    ", + "
  • cannot be taken out of the country, such as land or a house
  • ", + "
  • you\u2019re using for business in that country
  • ", + "

    You\u2019ll need to pay tax in both countries and get relief from the UK.

    ", + "

    Dual residents

    ", + "

    You can be resident in both the UK and another country. You\u2019ll need to check the other country\u2019s residence rules and when the tax year starts and ends.

    ", + "

    HMRC has guidance for claiming double-taxation relief if you\u2019re dual resident.

    ", + "

    If you come to study in the UK

    ", + "

    Foreign students usually do not pay UK tax on foreign income or gains, as long as they\u2019re used for course fees or living costs like:

    ", + "
  • food
  • ", + "
  • rent
  • ", + "
  • bills
  • ", + "
  • study materials
  • ", + "

    Check that the country your income\u2019s from has a \u2018double-taxation agreement\u2019 that covers students.

    ", + "

    HM Revenue and Customs (HMRC) may ask you to account for your living costs if they\u2019re more than \u00a315,000 in a tax year (excluding course fees). The tax year is from 6 April to 5 April the following year.

    ", + "

    When you need to pay tax

    ", + "

    You may need to pay tax on your foreign income in the normal way if you:

    ", + "
  • are from a country without a double-taxation agreement for students
  • ", + "
  • have other income that you do not bring to the UK
  • ", + "
  • bring it to the UK and spend it on things other than living costs and course fees
  • ", + "
  • plan to stay in the UK as your permanent home (\u2018domicile\u2019)
  • ", + "

    If you work in the UK

    ", + "

    Some double-taxation agreements mean you do not pay UK tax on your income if you work while you\u2019re a student.

    ", + "

    If your country does not have an agreement like this, you have to pay tax in the same way as others who come to live in the UK.

    " + ] + }, + { + "title": "Tax on your UK income if you live abroad", + "url": "https://www.gov.uk/tax-uk-income-live-abroad", + "contents": [ + "

    Overview

    ", + "

    You usually have to pay tax on your UK income even if you\u2019re not a UK resident. Income includes things like:

    ", + "
  • pension
  • ", + "
  • rental income
  • ", + "
  • savings interest
  • ", + "
  • wages
  • ", + "

    If you\u2019re eligible for a Personal Allowance you pay Income Tax on your income above that amount. Otherwise, you pay tax on all your income.

    ", + "

    The country where you live might tax you on your UK income. If it has a \u2018double-taxation agreement\u2019 with the UK, you can claim tax relief in the UK to avoid being taxed twice.

    ", + "

    You do not normally pay tax when you sell an asset, apart from on UK property or land.

    ", + "

    When tax is not due or is already deducted

    ", + "

    Non-residents do not usually pay UK tax on:

    ", + "
  • the State Pension
  • ", + "
  • interest from UK government securities (\u2018gilts\u2019)
  • ", + "

    If you live abroad and are employed in the UK, your tax is calculated automatically on the days you work in the UK.

    ", + "

    Income Tax is no longer automatically taken from interest on savings and investments.

    ", + "

    When to report your income to HM Revenue and Customs (HMRC)

    ", + "

    You usually have to send a Self Assessment tax return if:

    ", + "
  • you rent out property in the UK
  • ", + "
  • you work for yourself in the UK
  • ", + "
  • you have a pension outside the UK and you were UK resident in one of the 5 previous tax years
  • ", + "
  • you have other untaxed income
  • ", + "

    You do not need to report your income to HMRC if you\u2019ve already claimed tax relief under a \u2018double-taxation agreement\u2019.

    ", + "

    If you\u2019re a non-UK resident and were stuck in the UK because of coronavirus (COVID-19)

    ", + "

    If you could not leave the UK when you intended because of coronavirus, you will not have to pay UK tax on employment income that:

    ", + "
  • you earned between the dates you intended to leave and when you actually left
  • ", + "
  • you paid tax on in your home country
  • ", + "

    You must file a Self Assessment tax return, together with a completed SA109 form. Use the \u2018other information\u2019 section of your SA109 to include:

    ", + "
  • the dates you were stuck in the UK because of coronavirus
  • ", + "
  • what you earned in that time
  • ", + "
  • confirmation you paid tax on these earnings in another country
  • ", + "

    If you\u2019re unsure how to file a Self Assessment return, you can get advice from a professional, like an accountant.

    ", + "

    HMRC may ask you for proof that you:

    ", + "
  • could not leave the UK when you intended, for example an NHS isolation note
  • ", + "
  • paid tax in another country on what you earned while stuck in the UK
  • ", + "
  • left the UK as soon as you reasonably could
  • ", + "

    You may have to pay tax in the UK if you cannot prove you were unable to leave the UK and did not leave as soon as you could.

    ", + "

    Sending a Self Assessment tax return

    ", + "

    You cannot use HMRC\u2019s online services to tell them about your income if you\u2019re non-resident. Instead, you must do one of the following:

    ", + "
  • fill in a Self Assessment tax return and an SA109 form and send by post
  • ", + "
  • use commercial Self Assessment software that supports SA109 reporting (this may appear as a \u2018residence, remittance basis etc\u2019 section)
  • ", + "
  • get a tax professional to report your UK income for you
  • ", + "

    You\u2019ll be fined if you miss the deadline - it\u2019s earlier if you\u2019re sending your return by post (31 October).

    ", + "

    If you have overpaid

    ", + "

    Apply for a refund if you think you\u2019ve paid too much tax. This might happen if tax is deducted automatically (for example by your bank) but your total UK income is below your Personal Allowance.

    ", + "

    Send form R43 to HMRC, or claim the refund in your Self Assessment tax return if you\u2019re already doing one.

    ", + "

    HMRC will usually send refunds by cheque. If you want HMRC to send a refund straight to your bank account, include your bank account number and sort code on your tax return. You need to include this information each time you complete a tax return.

    ", + "

    Get help from a professional (like an accountant) if you need advice.

    ", + "

    Rental income

    ", + "

    You need to pay tax on your rental income if you rent out a property in the UK.

    ", + "

    You may also need to pay tax if you make a gain when you sell property or land in the UK.

    ", + "

    If you live abroad for 6 months or more per year, you\u2019re classed as a \u2018non-resident landlord\u2019 by HM Revenue and Customs (HMRC) - even if you\u2019re a UK resident for tax purposes.

    ", + "

    How you pay tax

    ", + "

    You can get your rent either:

    ", + "
  • in full and pay tax through Self Assessment - if HMRC allows you to do this
  • ", + "
  • with tax already deducted by your letting agent or tenant
  • ", + "

    Get your rent in full

    ", + "

    If you want to pay tax on your rental income through Self Assessment, fill in form NRL1i and send it back to HMRC.

    ", + "

    If your application is approved, HMRC will tell your letting agent or tenant not to deduct tax from your rent and you\u2019ll need to declare your income in your Self Assessment tax return.

    ", + "

    HMRC will not approve your application if your taxes are not up to date, for example you\u2019re late with your tax returns or payments.

    ", + "

    Get your rent with tax deducted

    ", + "

    Your letting agent or tenant will:

    ", + "
  • deduct basic rate tax from your rent (after allowing for any expenses they\u2019ve paid)
  • ", + "
  • give you a certificate at the end of the tax year saying how much tax they\u2019ve deducted
  • ", + "

    If you do not have a letting agent and your tenant pays you more than \u00a3100 a week in rent, they\u2019ll deduct the tax from their rent payments to you.

    ", + "

    Filling in your tax return

    ", + "

    You need to declare your rental income in a Self Assessment tax return unless HMRC tells you not to.

    ", + "

    You cannot use HMRC\u2019s online services. Instead, you need to:

    ", + "
  • send your tax return by post
  • ", + "
  • use commercial software
  • ", + "
  • get help from a professional, like an accountant
  • ", + "

    You need to complete the \u2018residence\u2019 section (form SA109 if you\u2019re sending it by post) and the \u2018property\u2019 section (form SA105).

    ", + "

    You\u2019ll be fined if you miss the deadline - it\u2019s earlier if you\u2019re sending your return by post (31 October).

    ", + "

    If you\u2019ve paid too much tax

    ", + "

    You can ask for a refund if both:

    ", + "
  • your rental income is lower than your Personal Allowance
  • ", + "
  • your letting agent (or tenant) already deducted basic rate tax on it
  • ", + "

    Fill in form R43 and send it back to HMRC.

    ", + "

    You cannot ask for a refund if you\u2019re not eligible for a Personal Allowance.

    ", + "

    Companies and trusts

    ", + "

    A company is a \u2018non-resident landlord\u2019 if it receives income from renting UK property and either:

    ", + "
  • its main office or business premises is outside the UK
  • ", + "
  • it\u2019s incorporated outside the UK
  • ", + "

    Your company will get its rent in full if it\u2019s resident in the UK for tax purposes - this includes UK branches of companies based abroad if they\u2019re registered for Corporation Tax.

    ", + "

    A trust is a \u2018non-resident landlord\u2019 if it receives income from renting UK property and all trustees usually live outside the UK.

    ", + "

    Apply to get your rent in full

    ", + "

    Companies should use form NRL2i to ask HMRC to get rental income in full. Trusts should use form NRL3i.

    ", + "

    Selling or inheriting assets

    ", + "

    If you\u2019re not a UK resident, you do not usually pay either:

    ", + "
  • Capital Gains Tax if you sell most assets in the UK
  • ", + "
  • Inheritance Tax if you inherit assets located in the UK
  • ", + "

    When you might be taxed

    ", + "

    You\u2019ll only have to pay Capital Gains Tax if:

    ", + "
  • you make a gain when you sell property or land in the UK
  • ", + "
  • assets you sold were used in a UK branch of a foreign business
  • ", + "
  • you used to be a UK resident and you return to the UK within 5 years of leaving
  • ", + "

    If you inherited the asset

    ", + "

    You\u2019ll only have to pay Inheritance Tax if both:

    ", + "
  • you inherited property, money or shares in the UK
  • ", + "
  • the deceased\u2019s estate does not have the money to pay the Inheritance Tax
  • ", + "

    The normal rules for paying Income Tax apply if you get income from something you\u2019ve inherited, for example rental income from a UK property.

    ", + "

    If you\u2019re a non-resident and you inherit UK property or land you have to pay tax on any gains you make when you sell it. You do not pay tax if you inherit and sell other assets, for example UK shares.

    ", + "

    Personal Allowance

    ", + "

    You\u2019ll get a Personal Allowance of tax-free UK income each year if any of the following apply:

    ", + "
  • you hold a British passport
  • ", + "
  • you\u2019re a citizen of a European Economic Area (EEA) country
  • ", + "
  • you\u2019ve worked for the UK government at any time during that tax year
  • ", + "

    You might also get it if it\u2019s included in the double-taxation agreement between the UK and the country you live in.

    ", + "

    Claim the Personal Allowance

    ", + "

    If you\u2019re not a UK resident, you have to claim the Personal Allowance at the end of each tax year in which you have UK income. Send form R43 to HM Revenue and Customs (HMRC).

    ", + "

    If you're taxed twice

    ", + "

    You may be taxed on your UK income by the country where you\u2019re resident and by the UK.

    ", + "

    You may not have to pay twice if the country you\u2019re resident in has a \u2018double-taxation agreement\u2019 with the UK. Depending on the agreement, you can apply for either:

    ", + "
  • partial or full relief before you\u2019ve been taxed
  • ", + "
  • a refund after you\u2019ve been taxed
  • ", + "

    Each double-taxation agreement sets out:

    ", + "
  • the country you pay tax in
  • ", + "
  • the country you apply for relief in
  • ", + "
  • how much tax relief you get
  • ", + "

    If the tax rates in the 2 countries are different, you\u2019ll pay the higher rate of tax. The tax year may start on different days in different countries.

    ", + "

    Double taxation agreements do not apply to tax on gains from selling UK residential property.

    ", + "

    What income you can claim for

    ", + "

    You can claim for income including:

    ", + "
  • most pensions - most UK government (such as civil service) pensions are only taxed in the UK
  • ", + "
  • wages and other pay (including self-employment)
  • ", + "
  • bank interest
  • ", + "
  • dividends - special rules apply, which HM Revenue and Customs (HMRC) explain in section 10 of \u2018Residence, Domicile and the Remittance Basis\u2019
  • ", + "

    How to claim tax relief

    ", + "

    Check HMRC\u2019s \u2018Double-taxation digest\u2019 for countries that have an agreement with the UK, and how income like pensions and interest is taxed.

    ", + "

    You need to look at the relevant tax treaty for the rules on other types of income like wages and rent.

    ", + "

    Fill in a claim form

    ", + "

    Use the correct form depending on whether you\u2019re resident in:

    ", + "
  • Australia
  • ", + "
  • Canada
  • ", + "
  • France
  • ", + "
  • Germany
  • ", + "
  • Ireland
  • ", + "
  • Japan
  • ", + "
  • New Zealand
  • ", + "
  • Netherlands
  • ", + "
  • South Africa
  • ", + "
  • Spain
  • ", + "
  • Sweden
  • ", + "
  • Switzerland
  • ", + "
  • United States of America
  • ", + "

    If you\u2019re resident somewhere else, use HMRC\u2019s standard claim form.

    ", + "

    When you\u2019ve filled in the form, send it to the tax authority in the country where you\u2019re resident. They\u2019ll confirm your eligibility and either send the form to HMRC or return it to you to send on (use the address on the form).

    ", + "

    There\u2019s a different form for individuals and companies claiming a refund on dividends paid by UK Real Estate Investment Trusts.

    ", + "

    If you need help

    ", + "

    For help claiming double-taxation relief, you can:

    ", + "
  • get professional tax help, for example from a tax adviser
  • ", + "
  • contact HMRC
  • ", + "

    Capital Gains Tax

    ", + "

    You only pay Capital Gains Tax if you make a gain on UK property or land. You do not pay it on other UK assets, such as UK shares. You will not usually need to make a claim for assets you do not pay tax on - but you should check the relevant double taxation agreement.

    ", + "

    If you return to the UK after being non-resident, you may have to pay tax on any assets you owned before you left the UK - even if you\u2019ve paid tax on any gains in the country you moved to. You can usually claim double-taxation relief.

    ", + "

    Dual residents

    ", + "

    You can be resident in both the UK and another country (\u2018dual resident\u2019). You\u2019ll need to check the other country\u2019s residence rules and when the tax year starts and ends.

    ", + "

    HMRC has guidance for how to claim double-taxation relief if you\u2019re a dual resident.

    ", + "

    If you're a UK resident

    ", + "

    You can live abroad and still be a UK resident for tax, for example if you visit the UK for more than 183 days in a tax year.

    ", + "

    Pay tax on your income and profits from selling assets (such as shares) in the normal way.

    ", + "

    You usually have to pay tax on your income from outside the UK as well.

    " + ] + }, + { + "title": "Tax on your private pension contributions", + "url": "https://www.gov.uk/tax-on-your-private-pension", + "contents": [ + "

    Overview

    ", + "

    Your private pension contributions are tax-free up to certain limits.

    ", + "

    This applies to most private pension schemes, for example:

    ", + "
  • workplace pensions
  • ", + "
  • personal and stakeholder pensions
  • ", + "
  • overseas pension schemes that qualify for UK tax relief - ask your provider if it\u2019s a \u2018qualifying overseas pension scheme\u2019
  • ", + "

    Pension schemes must be registered with HMRC to qualify for tax relief. Check with your pension provider if you\u2019re unsure if your scheme is registered or not.

    ", + "

    You pay tax when you take money out of a pension.

    ", + "

    Limits to your tax-free contributions

    ", + "

    You usually pay tax if savings in your pension pots go above:

    ", + "
  • 100% of your earnings in a year - this is the limit on tax relief you get
  • ", + "
  • \u00a340,000 a year - check your \u2018annual allowance\u2019
  • ", + "
  • \u00a31,073,100 in your lifetime - this is the lifetime allowance
  • ", + "

    You also pay tax on contributions if your pension provider:

    ", + "
  • is not registered for tax relief with HM Revenue and Customs (HMRC)
  • ", + "
  • does not invest your pension pot according to HMRC\u2019s rules
  • ", + "

    Tax relief

    ", + "

    You can get tax relief on private pension contributions worth up to 100% of your annual earnings.

    ", + "

    You get the tax relief automatically if your:

    ", + "
  • employer takes workplace pension contributions out of your pay before deducting Income Tax
  • ", + "
  • rate of Income Tax is 20% - your pension provider will claim it as tax relief and add it to your pension pot (\u2018relief at source\u2019)
  • ", + "

    If your rate of Income Tax in Scotland is 19% your pension provider will claim tax relief for you at a rate of 20%. You do not need to pay the difference.

    ", + "

    UK tax relief is also available on contributions made to certain types of overseas pension schemes.

    ", + "

    It\u2019s up to you to make sure you\u2019re not getting tax relief on pension contributions worth more than 100% of your annual earnings. HM Revenue and Customs (HMRC) can ask you to pay back anything over this limit.

    ", + "

    Relief at source

    ", + "

    You get relief at source in all personal and stakeholder pensions, and some workplace pensions.

    ", + "

    To get relief at source

    ", + "

    Before paying into a scheme, you need to agree to certain conditions about your contributions (\u2018make declarations\u2019). Your pension provider will tell you what these are.

    ", + "

    You also need to give your pension provider your:

    ", + "
  • full name and address
  • ", + "
  • date of birth
  • ", + "
  • National Insurance number
  • ", + "
  • employment status - or tell them if you\u2019re retired, a full time student, a carer or aged under 16
  • ", + "

    Your employer may do this for you if you\u2019re automatically enrolled in their pension scheme.

    ", + "

    Your pension provider will let you know if this is the case and ask you to confirm your details are correct. You must do this within 30 days.

    ", + "

    When you have to claim tax relief

    ", + "

    You may be able to claim tax relief on pension contributions if:

    ", + "
  • you pay Income Tax at a rate above 20% and your pension provider claims the first 20% for you (relief at source)
  • ", + "
  • your pension scheme is not set up for automatic tax relief
  • ", + "
  • someone else pays into your pension
  • ", + "

    Claim tax relief in England, Wales or Northern Ireland

    ", + "

    You can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:

    ", + "
  • 20% up to the amount of any income you have paid 40% tax on
  • ", + "
  • 25% up to the amount of any income you have paid 45% tax on
  • ", + "

    You can also call or write to HMRC to claim if you pay Income Tax at 40%.

    ", + "

    Claim tax relief in Scotland

    ", + "

    You can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:

    ", + "
  • 1% up to the amount of any income you have paid 21% tax on
  • ", + "
  • 21% up to the amount of any income you have paid 41% tax on
  • ", + "
  • 26% up to the amount of any income you have paid 46% tax on
  • ", + "

    You can call or write to HMRC to claim if you do not fill in a Self Assessment tax return.

    ", + "

    If your pension scheme is not set up for automatic tax relief

    ", + "

    Claim tax relief in your Self Assessment tax return if your pension scheme is not set up for automatic tax relief.

    ", + "

    Call or write to HMRC if you do not fill in a tax return.

    ", + "

    You cannot claim tax relief if your pension scheme is not registered with HMRC.

    ", + "

    If someone else pays into your pension

    ", + "

    When someone else (for example your partner) pays into your pension, you automatically get tax relief at 20% if your pension provider claims it for you (relief at source).

    ", + "

    If you\u2019re in a workplace pension that allows other people to contribute you may need to claim the tax relief on those contributions - call or write to HMRC.

    ", + "

    If you do not pay Income Tax

    ", + "

    You still automatically get tax relief at 20% on the first \u00a32,880 you pay into a pension each tax year (6 April to 5 April) if both of the following apply to you:

    ", + "
  • you do not pay Income Tax, for example because you\u2019re on a low income
  • ", + "
  • your pension provider claims tax relief for you at a rate of 20% (relief at source)
  • ", + "

    Life insurance policies

    ", + "

    You cannot get tax relief if you use your pension contributions to pay a personal term assurance policy, unless it\u2019s a protected policy.

    ", + "

    Personal term assurance is a life insurance policy that either:

    ", + "
  • ends when the first insured person dies
  • ", + "
  • insures people who are all from the same family
  • ", + "

    Annual allowance

    ", + "

    Your annual allowance is the most you can save in your pension pots in a tax year (6 April to 5 April) before you have to pay tax.

    ", + "

    You\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.

    ", + "

    What counts towards the annual allowance

    ", + "

    Your annual allowance applies to all of your private pensions, if you have more than one. This includes:

    ", + "
  • the total amount paid in to a defined contribution scheme in a tax year by you or anyone else (for example, your employer)
  • ", + "
  • any increase in a defined benefit scheme in a tax year
  • ", + "

    If you use all of your annual allowance for the current tax year

    ", + "

    You might be able to carry over any annual allowance you did not use from the previous 3 tax years.

    ", + "

    When your annual allowance is lower than \u00a340,000

    ", + "

    Your annual allowance might be lower if you have:

    ", + "
  • flexibly accessed your pension pot
  • ", + "
  • a high income
  • ", + "

    If you flexibly access your pension

    ", + "

    Your annual allowance might be lower if you flexibly access your pension. For example, this could include taking:

    ", + "
  • cash or a short-term annuity from a flexi-access drawdown fund
  • ", + "
  • cash from a pension pot (\u2018uncrystallised funds pension lump sums\u2019)
  • ", + "

    The lower allowance is called the \u2018money purchase annual allowance\u2019.

    ", + "

    If you have a high income

    ", + "

    You\u2019ll have a reduced (\u2018tapered\u2019) annual allowance in the current tax year if both:

    ", + "
  • your \u2018threshold income\u2019 is over \u00a3200,000
  • ", + "
  • your \u2018adjusted income\u2019 is over \u00a3240,000
  • ", + "

    The threshold income and adjusted income limits are different for earlier tax years.

    ", + "

    Work out your reduced annual allowance.

    ", + "

    If you go above the annual allowance

    ", + "

    You\u2019ll get a statement from your pension provider telling you if you go above the annual allowance in their scheme. If you\u2019re in more than one pension scheme, ask each pension provider for statements.

    ", + "

    You can also use a calculator to work out how much you\u2019ve gone above the allowance.

    ", + "

    If you go over your annual allowance, either you or your pension provider must pay the tax.

    ", + "

    Fill in the \u2018Pension savings tax charges\u2019 section of a Self Assessment tax return to tell HMRC about the tax, even if your pension provider pays all or part of it. You\u2019ll need form SA101 if you\u2019re using a paper form.

    ", + "

    You can still claim tax relief for pension contributions on your Self Assessment tax return if you\u2019re above the annual allowance.

    ", + "

    HMRC does not tax anyone for going over their annual allowance in a tax year if they:

    ", + "
  • retired and took all their pension pots because of serious ill health
  • ", + "
  • died
  • ", + "

    Lifetime allowance

    ", + "

    You usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.

    ", + "

    You might be able to protect your pension pot from reductions to the lifetime allowance.

    ", + "

    Check how much lifetime allowance you\u2019ve used

    ", + "

    Ask your pension provider how much of your lifetime allowance you\u2019ve used.

    ", + "

    If you\u2019re in more than one pension scheme, you must add up what you\u2019ve used in all pension schemes you belong to.

    ", + "

    What counts towards your allowance depends on the type of pension pot you get.

    ", + "Type of pension pot | What counts towards your lifetime allowance", + "Defined contribution - personal, stakeholder and most workplace schemes | Money in pension pots that goes towards paying you, however you decide to take the money", + "Defined benefit - some workplace schemes | Usually 20 times the pension you get in the first year plus your lump sum - check with your pension provider", + "

    Your pension provider may ask for information about other pension schemes you\u2019re in so they can check if you\u2019re above your lifetime allowance when you:

    ", + "
  • decide to take money from a pension pot
  • ", + "
  • turn 75
  • ", + "
  • transfer your pension overseas
  • ", + "

    Pay tax if you go above your lifetime allowance

    ", + "

    You\u2019ll get a statement from your pension provider telling you how much tax you owe if you go above your lifetime allowance. Your pension provider will deduct the tax before you start getting your pension.

    ", + "

    You\u2019ll need to report the tax deducted by filling in a Self Assessment tax return - download and fill in form SA101 if you\u2019re using paper forms. You\u2019ll get information from your pension provider to help you do this.

    ", + "

    If you die before taking your pension HM Revenue and Customs (HMRC) will bill the person who inherits your pension for the tax.

    ", + "

    Rates

    ", + "

    The rate of tax you pay on pension savings above your lifetime allowance depends on how the money is paid to you - the rate is:

    ", + "
  • 55% if you get it as a lump sum
  • ", + "
  • 25% if you get it any other way, for example pension payments or cash withdrawals
  • ", + "

    Protect your lifetime allowance

    ", + "

    The lifetime allowance was reduced in April 2016. You can apply to protect your lifetime allowance from this reduction.

    ", + "

    Tell your pension provider the type of protection and the protection reference number when you decide to take money from your pension pot.

    ", + "

    Withdrawing cash from a pension pot

    ", + "

    You cannot withdraw cash from a defined contribution pension pot (\u2018uncrystallised funds pension lump sums\u2019) if you have:

    ", + "
  • primary or enhanced protection covering a lump sum worth more than \u00a3375,000
  • ", + "
  • \u2018lifetime allowance enhancement factor\u2019 if your unused lifetime allowance is less than 25% of the cash you want to withdraw
  • ", + "

    Reporting changes to HMRC

    ", + "

    You can lose enhanced protection or any type of fixed protection if:

    ", + "
  • you make new savings in a pension scheme
  • ", + "
  • you are enrolled in a new workplace pension scheme
  • ", + "
  • you transfer money between pension schemes in a way that does not meet the transfer rules
  • ", + "
  • you\u2019ve got enhanced protection and, when you take your pension benefits, their value has increased more than the amount allowed in the enhanced protection tax rules - this is called \u2018relevant benefit accrual\u2019
  • ", + "
  • you\u2019ve got fixed protection and the value of your pension pot in any tax year grows at a higher rate than is allowed by the tax rules - this is called \u2018benefit accrual\u2019
  • ", + "

    You can report changes online or by post.

    ", + "

    Ask your employer whether they\u2019re likely to enrol you in a workplace pension. To make sure you do not lose protection, you can either:

    ", + "
  • opt out of most schemes within a month
  • ", + "
  • ask not to be enrolled in some schemes - your employer may need evidence of your lifetime allowance protection
  • ", + "

    Tell HMRC in writing if you think you might have lost your protection.

    ", + "

    If you have the right to take your pension before 50

    ", + "

    You may have a reduced lifetime allowance if you have the right to take your pension before you\u2019re 50 under a pension scheme you joined before 2006.

    ", + "

    This only applies to people in certain jobs (for example professional sports, dance and modelling) who start taking their pension before they\u2019re 55.

    ", + "

    Your lifetime allowance is not reduced if you\u2019re in a pension scheme for uniformed services, for example the armed forces, police and fire services.

    " + ] + }, + { + "title": "Tax overpayments and underpayments", + "url": "https://www.gov.uk/tax-overpayments-and-underpayments", + "contents": [ + "

    Your tax calculation

    ", + "

    If you\u2019re employed or get a pension, your employer or pension provider uses your tax code to work out how much tax to take from you.

    ", + "

    You could still be paying too much or too little tax. For example, if you got a company benefit or pay rise that HMRC did not know about, and so they did not update your tax code.

    ", + "

    If you have not paid the right amount at the end of the tax year, HMRC will send you a P800 or a Simple Assessment tax calculation.

    ", + "

    Your P800 or Simple Assessment will tell you how to get a refund or pay tax you owe.

    ", + "

    You will not get a P800 or Simple Assessment if you\u2019re registered for Self Assessment. Your bill will be adjusted automatically if you\u2019ve underpaid or overpaid tax.

    ", + "

    When you might get a P800

    ", + "

    You might get a P800 if you:

    ", + "
  • finished one job, started a new one and were paid by both in the same month
  • ", + "
  • started receiving a pension at work
  • ", + "
  • received Employment and Support Allowance or Jobseeker\u2019s Allowance
  • ", + "

    P800s are sent out after the tax year ends on 5 April. You\u2019ll normally get yours by the end of November.

    ", + "

    When you might get a Simple Assessment letter

    ", + "

    You might get a Simple Assessment letter if you:

    ", + "
  • owe tax that cannot be automatically taken out of your income
  • ", + "
  • owe HMRC more than \u00a33,000
  • ", + "
  • have to pay tax on the State Pension
  • ", + "

    You can pay your Simple Assessment bill online.

    ", + "

    Checking your tax calculation

    ", + "

    Your letter will show the income you should have paid tax on. This includes any income from pay, pensions, state benefits, savings interest and employee benefits.

    ", + "

    Compare the figures with your records, for example your P60, bank statements or letters from the Department for Work and Pensions. If your state benefit was paid every 4 weeks, work out the total paid in a year by multiplying your regular payment by 13 (not 12).

    ", + "

    You may be able to use the HMRC tax checker to work out how much tax you should have paid.

    ", + "

    If you think your tax calculation is wrong

    ", + "

    Contact HMRC if you think the amounts used in your letter are wrong, or HMRC did not act on information you gave them.

    ", + "

    You have 60 days to query your simple assessment in writing or by telephone. The details of how to do that will be mentioned in your Simple Assesment letter.

    ", + "

    If your P800 says you're due a refund

    ", + "

    Your P800 tax calculation will tell you how you can get your refund.

    ", + "

    If your P800 says you can claim online

    ", + "

    Your P800 will tell you if you can claim your refund online. You\u2019ll be sent the money within 5 working days - it\u2019ll be in your UK account once your bank has processed the payment.

    ", + "

    If you do not claim within 21 days, HM Revenue and Customs (HMRC) will send you a cheque. You\u2019ll get this within 6 weeks of the date on your P800.

    ", + "

    Contact HMRC if you cannot claim your refund online.

    ", + "

    If your P800 says you\u2019ll get a cheque

    ", + "

    Your P800 will tell you if HMRC will send you a cheque. You do not need to make a claim.

    ", + "

    You\u2019ll get your cheque within 14 days of the date on your P800. If you\u2019re owed tax from more than one year, you\u2019ll get a single cheque for the entire amount.

    ", + "

    If you do not have a P800

    ", + "

    You can check how much Income Tax you should have paid.

    ", + "

    Contact HMRC if you think you\u2019ve paid too much tax. If they agree, they\u2019ll send you a P800.

    ", + "

    If your P800 says you owe tax

    ", + "

    HM Revenue and Customs (HMRC) will usually collect the tax you owe in instalments over the next year. This will happen automatically if you:

    ", + "
  • pay Income Tax through an employer or pension provider
  • ", + "
  • earn enough income over your Personal Allowance to cover the underpayment
  • ", + "
  • owe less than \u00a33,000
  • ", + "

    HMRC will write to you about how you can pay if they cannot collect the money this way.

    ", + "

    Other ways to pay

    ", + "

    Online

    ", + "

    Your P800 will tell you if you can pay the tax you owe online.

    ", + "

    By post

    ", + "

    You can pay with a cheque, made payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your National Insurance Number on the back of the cheque. Send it with a covering letter including:

    ", + "
  • your full name and address
  • ", + "
  • your National Insurance number
  • ", + "
  • the amount of the payment
  • ", + "
  • what the payment relates to, for example, PAYE
  • ", + "
  • the year the payment is for
  • ", + "

    Allow 3 working days for your payment to reach HMRC. Send your cheque to:

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    " + ] + }, + { + "title": "Tax when you get a pension", + "url": "https://www.gov.uk/tax-on-pension", + "contents": [ + "

    What\u2019s taxed

    ", + "

    You pay tax if your total annual income adds up to more than your Personal Allowance. Find out about your Personal Allowance and Income Tax rates.

    ", + "

    Your total income could include:

    ", + "
  • the State Pension you get (either the basic State Pension or the new State Pension)
  • ", + "
  • Additional State Pension
  • ", + "
  • a private pension (workplace or personal) - you can take some of this tax-free
  • ", + "
  • earnings from employment or self-employment
  • ", + "
  • any taxable benefits you get
  • ", + "
  • any other income, such as money from investments, property or savings
  • ", + "

    You may have to pay Income Tax at a higher rate if you take a large amount from a private pension. You may also owe extra tax at the end of the tax year.

    ", + "

    If your private pensions total more than \u00a31,073,100

    ", + "

    You usually pay a tax charge if the total value of your private pensions is more than \u00a31,073,100. Your pension provider will take off the charge before you get your payment.

    ", + "

    Tax if someone inherits your pension

    ", + "

    Other rules apply if someone inherits your State pension or your private pension.

    ", + "

    What's tax-free

    ", + "

    You won\u2019t usually pay any tax if your total annual income adds up to less than your Personal Allowance.

    ", + "

    Lump sums from your pension

    ", + "

    You can usually take up to 25% of the amount built up in any pension as a tax-free lump sum. The tax-free lump sum doesn\u2019t affect your Personal Allowance.

    ", + "

    Tax is taken off the remaining amount before you get it.

    ", + "

    When you can take your pension depends on your pension\u2019s rules. It\u2019s usually 55 at the earliest.

    ", + "

    You might have to pay Income Tax at a higher rate if you take a large amount from your pension. You could also owe extra tax at the end of the tax year.

    ", + "

    How you can take your pension

    ", + "

    A pension worth up to \u00a310,000

    ", + "

    You can usually take any pension worth up to \u00a310,000 in one go. This is called a \u2018small pot\u2019 lump sum. If you take this option, 25% is tax-free.

    ", + "

    You can usually get:

    ", + "
  • up to 3 small pot lump sums from different personal pensions
  • ", + "
  • unlimited small pot lump sums from different workplace pensions
  • ", + "

    A pension worth up to \u00a330,000 that includes a defined benefit pension

    ", + "

    If you have \u00a330,000 or less in all of your private pensions, you can usually take everything you have in your defined benefit pension or defined contribution pension as a \u2018trivial commutation\u2019 lump sum. If you take this option, 25% is tax-free.

    ", + "

    If this lump sum is paid from more than one pension, you must:

    ", + "
  • have your savings in each scheme valued by the provider on the same day, no more than 3 months before you get the first payment
  • ", + "
  • get all payments within 12 months of the first payment
  • ", + "

    If you take payments from a pension before taking the rest as a lump sum, you pay tax on the whole lump sum.

    ", + "

    Cash from a defined contribution pension

    ", + "

    Check with your provider about how you can take money from a defined contribution pension. You can take:

    ", + "
  • all the money built up in your pension as cash - up to 25% is tax-free
  • ", + "
  • smaller cash sums from your pension - up to 25% of each sum is tax-free
  • ", + "

    You may have to pay a tax charge on money you put into your pension after you withdraw cash.

    ", + "

    If your life expectancy is less than a year

    ", + "

    You may be able to take all the money in your pension as a tax-free lump sum, if all of the following apply:

    ", + "
  • you\u2019re expected to live less than a year because of serious illness
  • ", + "
  • you\u2019re under 75
  • ", + "
  • you don\u2019t have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • ", + "

    If you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.

    ", + "

    Check with your pension provider. Some pension funds will keep at least 50% of your pension for your spouse or civil partner.

    ", + "

    How your tax is paid

    ", + "

    If you get the State Pension and a private pension

    ", + "

    Your pension provider will take off any tax you owe before they pay you. They\u2019ll also take off any tax you owe on your State Pension.

    ", + "

    If you get payments from more than one provider (for example, from a workplace pension and a personal pension), HM Revenue and Customs (HMRC) will ask one of your providers to take the tax off your State Pension.

    ", + "

    At the end of the tax year you\u2019ll get a P60 from your pension provider showing how much tax you\u2019ve paid.

    ", + "

    If the State Pension is your only income

    ", + "

    You\u2019re responsible for paying any tax you owe. Fill in and send a Self Assessment tax return if you owe anything.

    ", + "

    If you started getting your pension on or after 6 April 2016, don\u2019t send a tax return. HMRC will write to tell you what you owe and how to pay.

    ", + "

    If you continue to work

    ", + "

    Your employer will take any tax due off your earnings and your State Pension. This is called Pay As You Earn (PAYE).

    ", + "

    If you\u2019re self-employed you must fill in a Self Assessment tax return at the end of the tax year. You must declare your overall income, including the State Pension and money from private pensions, for example your workplace pension.

    ", + "

    If you have other income

    ", + "

    You\u2019re responsible for paying any tax you owe on income other than money from your pensions. You might have to fill in a Self Assessment tax return.

    ", + "

    You can claim a tax refund if you\u2019ve paid too much tax.

    ", + "

    Tax codes

    ", + "

    If your income only comes from one source you\u2019ll usually have one tax code.

    ", + "

    You can have several tax codes if you have income from more than one source.

    ", + "

    You can get your tax code corrected if you think it\u2019s wrong.

    ", + "

    Tax when you live abroad

    ", + "

    If you live abroad but are classed as a UK resident for tax purposes, you may have to pay UK tax on your pension. The amount you pay depends on your income.

    ", + "

    If you\u2019re not a UK resident, you don\u2019t usually pay UK tax on your pension. But you might have to pay tax in the country you live in. There are a few exceptions - for example, UK civil service pensions will always be taxed in the UK.

    ", + "

    Double tax

    ", + "

    If you live in a country without a \u2018double taxation agreement\u2019 with the UK, you might have to pay tax in both countries.

    ", + "

    Higher tax on unauthorised payments

    ", + "

    You\u2019ll pay up to 55% tax on payments from your pension provider if they make an \u2018unauthorised payment\u2019. This is a payment made outside of the government\u2019s tax rules and usually includes:

    ", + "
  • any payments before you\u2019re 55 (there are exceptions)
  • ", + "
  • a \u2018trivial commutation\u2019 lump sum of over \u00a330,000
  • ", + "
  • regular payments into your account after you\u2019ve died
  • ", + "

    Some companies advertise personal loans or cash advances if you take your pension early. These payments are unauthorised and you have to pay tax on them.

    " + ] + }, + { + "title": "National Insurance", + "url": "https://www.gov.uk/national-insurance", + "contents": [ + "

    Overview

    ", + "

    You pay National Insurance contributions to qualify for certain benefits and the State Pension.

    ", + "

    You pay mandatory National Insurance if you\u2019re 16 or over and are either:

    ", + "
  • an employee earning above \u00a3184 a week
  • ", + "
  • self-employed and making a profit of \u00a36,515 or more a year
  • ", + "

    You may be able to pay voluntary contributions to avoid gaps in your NI contributions.

    ", + "

    You need a National Insurance number before you can start paying National Insurance contributions.

    ", + "

    If you earn between \u00a3120 and \u00a3184 a week, your contributions are treated as having been paid to protect your National Insurance record.

    ", + "

    This page is also available in Welsh (Cymraeg).

    ", + "

    National Insurance classes

    ", + "

    There are different types of National Insurance (known as \u2018classes\u2019).

    ", + "

    The type you pay depends on your employment status and how much you earn.

    ", + "

    When you stop paying

    ", + "

    If you\u2019re employed, you stop paying Class 1 National Insurance when you reach the State Pension age.

    ", + "

    If you\u2019re self-employed you stop paying:

    ", + "
  • Class 2 National Insurance when you reach State Pension age
  • ", + "
  • Class 4 National Insurance from 6 April (start of the tax year) after you reach State Pension age
  • ", + "

    Your National Insurance number

    ", + "

    You have a National Insurance number to make sure your National Insurance contributions and tax are recorded against your name only.

    ", + "

    It\u2019s made up of letters and numbers and never changes.

    ", + "

    You can find your National Insurance number:

    ", + "
  • on your payslip
  • ", + "
  • on your P60
  • ", + "
  • on letters about your tax, pension or benefits
  • ", + "
  • in the National Insurance section of your personal tax account
  • ", + "

    You can apply for a National Insurance number if you do not have one or find your National Insurance number if you\u2019ve lost it.

    ", + "

    Who uses your National Insurance number

    ", + "

    These organisations need to know what your number is:

    ", + "
  • HM Revenue and Customs (HMRC)
  • ", + "
  • your employer
  • ", + "
  • the Department for Work and Pensions (which includes Jobcentre Plus and the Pension, Disability and Carers Service), if you claim state benefits, or in Northern Ireland the Department for Social Development
  • ", + "
  • your local council, if you claim Housing Benefit, or the Northern Ireland Housing Executive
  • ", + "
  • Electoral Registration Officers (to check your identity when you register to vote)
  • ", + "
  • the Student Loan Company, if you apply for a student loan
  • ", + "
  • your pension provider if you have a personal or stakeholder pension
  • ", + "
  • your Individual Savings Account (ISA) provider, if you open an ISA
  • ", + "
  • authorised financial service providers who help you buy and sell investments like shares, bonds and derivatives - you can check if your provider is authorised
  • ", + "

    To prevent identity fraud, keep your National Insurance number safe. Do not share it with anyone who does not need it.

    ", + "

    Proving your National Insurance number

    ", + "

    You can save or print a letter confirming your National Insurance number from your personal tax account.

    ", + "

    If you do not have a personal tax account, contact HMRC to ask for a letter.

    ", + "

    National Insurance classes

    ", + "

    The class you pay depends on your employment status and how much you earn.

    ", + "National Insurance class | Who pays", + "Class 1 | Employees earning more than \u00a3184 a week and under State Pension age - they\u2019re automatically deducted by your employer", + "Class 1A or 1B | Employers pay these directly on their employee\u2019s expenses or benefits", + "Class 2 | Self-employed people earning profits of \u00a36,515 or more a year. If you\u2019re earning less than this, you can choose to pay voluntary contributions to fill or avoid gaps in your National Insurance record", + "Class 3 | Voluntary contributions - you can pay them to fill or avoid gaps in your National Insurance record", + "Class 4 | Self-employed people earning profits of \u00a39,569 or more a year", + "

    See the current rates for Class 1, 2 and 4 contributions.

    ", + "

    How much you pay

    ", + "

    The amount of National Insurance you pay depends on your employment status and how much you earn.

    ", + "

    You can see rates for past tax years.

    ", + "

    If you\u2019re employed

    ", + "

    You pay Class 1 National Insurance contributions. The rates for most people for the 2021 to 2022 tax year are:

    ", + "Your pay | Class 1 National Insurance rate", + "\u00a3184 to \u00a3967 a week (\u00a3797 to \u00a34,189 a month) | 12%", + "Over \u00a3967 a week (\u00a34,189 a month) | 2%", + "

    You\u2019ll pay less if:

    ", + "
  • you\u2019re a married woman or widow with a valid \u2018certificate of election\u2019
  • ", + "
  • you\u2019re deferring National Insurance because you\u2019ve got more than one job
  • ", + "

    Employers pay a different rate of National Insurance depending on their employees\u2019 category letters.

    ", + "

    How to pay

    ", + "

    You pay National Insurance with your tax. Your employer will take it from your wages before you get paid. Your payslip will show your contributions.

    ", + "

    If you\u2019re a director of a limited company, you may also be your own employee and pay Class 1 National Insurance through your PAYE payroll.

    ", + "

    If you\u2019re self-employed

    ", + "

    You pay Class 2 and Class 4 National Insurance, depending on your profits. Most people pay both through Self Assessment.

    ", + "

    You may be able to pay voluntary contributions to avoid gaps in your national insurance record if you:

    ", + "
  • have profits of less than \u00a36,515 a year from your self-employment
  • ", + "
  • have a specific job (such as an examiner or business owner in property or land) and you do not pay Class 2 National Insurance through Self Assessment
  • ", + "

    If you have a specific job and you do not pay Class 2 National Insurance through Self Assessment, you need to contact HMRC to arrange a voluntary payment.

    ", + "

    If you\u2019re employed and self-employed

    ", + "

    You might be an employee but also do self-employed work. In this case your employer will deduct your Class 1 National Insurance from your wages, and you may have to pay Class 2 and 4 National Insurance for your self-employed work.

    ", + "

    How much you pay depends on your combined wages and your self-employed work. HM Revenue and Customs (HMRC) will let you know how much National Insurance is due after you\u2019ve filed your Self Assessment tax return.

    ", + "

    Directors, landlords and share fishermen

    ", + "

    There are different National Insurance rules for:

    ", + "
  • company directors
  • ", + "
  • landlords running a property business
  • ", + "
  • share fishermen for example you\u2019re working on a British fishing boat but not under a contract of service
  • ", + "

    You can apply to HMRC to check your National Insurance record and claim a refund if you think you\u2019ve overpaid.

    ", + "

    What National Insurance is for

    ", + "

    National Insurance contributions count towards the benefits and pensions in the table.

    ", + " | Class 1: employees | Class 2: self-employed | Class 3: voluntary contributions", + "Basic State Pension | Yes | Yes | Yes", + "Additional State Pension | Yes | No | No", + "New State Pension | Yes | Yes | Yes", + "Contribution-based Jobseeker\u2019s Allowance | Yes | No | No", + "Contribution-based Employment and Support Allowance | Yes | Yes | No", + "Maternity Allowance | Yes | Yes | No", + "Bereavement Support Payment | Yes | Yes | No", + "

    Class 4 contributions paid by self-employed people with a profit of \u00a39,569 or more do not usually count towards state benefits.

    ", + "

    Help if you're not working

    ", + "

    Your benefits could be affected if there are gaps in your National Insurance record. National Insurance credits can help to avoid gaps in your record and protect your benefits.

    ", + "

    You can get credits if you cannot pay National Insurance contributions, for example, if:

    ", + "
  • you\u2019re unable to work due to illness
  • ", + "
  • you\u2019re caring for someone
  • ", + "

    If you\u2019re not working or getting credits you can also top up your National Insurance with voluntary contributions.

    ", + "

    Change of circumstance

    ", + "

    You must tell HM Revenue and Customs (HMRC) if you:

    ", + "
  • change your personal details, for example your name, address or marital status
  • ", + "
  • start being self-employed
  • ", + "
  • stop being self-employed
  • " + ] + }, + { + "title": "Pay Class 2 National Insurance if you do not pay through Self Assessment", + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "contents": [ + "

    Overview

    ", + "

    You make Class 2 National Insurance contributions if you\u2019re self-employed to qualify for benefits like the State Pension.

    ", + "

    Most people pay the contributions as part of their Self Assessment tax bill.

    ", + "

    You cannot currently pay by cheque through the post because of coronavirus (COVID-19).

    ", + "

    If you do not pay through Self Assessment

    ", + "

    You do not pay through Self Assessment if you\u2019re any of the following:

    ", + "
  • an examiner, moderator, invigilator or person who set exam questions
  • ", + "
  • running a businesses involving land or property
  • ", + "
  • a minister of religion who does not receive a salary or stipend
  • ", + "
  • living abroad and paying voluntary Class 2 contributions
  • ", + "
  • a person who makes investments - but not as a business and without getting a fee or commission
  • ", + "
  • a non-UK resident who\u2019s self-employed in the UK
  • ", + "
  • working abroad
  • ", + "

    HM Revenue and Customs (HMRC) will send you a payment request by the end of October - call the newly self-employed helpline if you do not get one.

    ", + "

    Pay now

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    How long it takes

    ", + "

    Make sure your payment reaches HMRC by the deadline. The time you need to allow depends on how you pay.

    ", + "

    You can make same or next day payments:

    ", + "
  • by online or telephone banking (Faster Payments)
  • ", + "
  • by CHAPS
  • ", + "
  • at your bank or building society, if it\u2019s still open
  • ", + "

    You can pay within 3 days by BACS.

    ", + "

    You can pay within 21 working days by Direct Debit if you have not set one up before.

    ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    If you miss the deadline

    ", + "

    You might have to pay more to fill the gap in your National Insurance record. HMRC will write to you to tell you how much you need to pay.

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    Paying from the UK

    ", + "

    Use your online or telephone banking account to make your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account.

    ", + "Sort code | Account number | Account name", + "08 32 20 | 12001004 | HMRC NICO", + "

    Reference number

    ", + "

    Use the 18-digit reference number shown on your HMRC payment request, when you make a payment. Do not leave any spaces between the digits.

    ", + "

    If you do not have an 18-digit reference number you can get help from the National Insurance Helpline.

    ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    If you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.

    ", + "Account type | Sort code | Account number", + "UK | 20 20 48 | 30944793", + "Account type | Account number (IBAN) | Bank Identifier Code (BIC)", + "Non-UK | GB49BARC20204830944793 | BARCGB22", + "

    For either account, pay to account name \u2018HMRC NIC receipts\u2019.

    ", + "

    Reference number

    ", + "

    Use your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.

    ", + "

    If you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.

    ", + "

    Banking address

    ", + "

    HMRC\u2019s banking address is:

    ", + "

    At your bank or building society

    ", + "

    Pay at a branch by cash or cheque, along with your HM Revenue and Customs (HMRC) payslip.

    ", + "

    Some branches might be closed because of coronavirus (COVID-19).

    ", + "

    You\u2019ll find your payslip on the payment request HMRC sent you.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your Class 2 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip or the payment request sent to you by HMRC.

    ", + "

    If you pay between Monday and Friday, HMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account.

    ", + "

    By cheque through the post

    ", + "

    You cannot currently pay by cheque through the post because of coronavirus (COVID-19).

    ", + "

    You can still make payments:

    ", + "
  • by online or telephone banking
  • ", + "
  • by CHAPS or BACS
  • ", + "
  • at your bank or building society, if it\u2019s still open
  • ", + "

    If you\u2019ve paid by cheque since 6 April 2020

    ", + "

    Call HMRC if you want to check your payment has been received.

    ", + "

    Direct Debit

    ", + "

    Fill in the form to set up a new Direct Debit.

    ", + "

    If you live abroad and pay voluntary National Insurance, fill in the form at the end of leaflet NI38 instead.

    ", + "

    Allow 21 days to set up a new Direct Debit.

    ", + "

    HM Revenue and Customs (HMRC) will send you a letter telling you when payments will be taken and how much they will be.

    ", + "

    Payments will appear on your statement as \u2018HMRC NI-DD\u2019. HMRC will write to you if your payments change for any reason.

    ", + "

    If you have a question about your Direct Debit payments contact National Insurance enquiries.

    " + ] + }, + { + "title": "Pay voluntary Class 3 National Insurance", + "url": "https://www.gov.uk/pay-voluntary-class-3-national-insurance", + "contents": [ + "

    Overview

    ", + "

    You may be able to pay Class 3 voluntary National Insurance to fill gaps in your contributions record to qualify for benefits like the State Pension.

    ", + "

    Pay now

    ", + "

    Before you pay

    ", + "

    Check your National Insurance record to find out:

    ", + "
  • if you have any gaps
  • ", + "
  • if you\u2019re eligible to pay voluntary contributions
  • ", + "
  • how much it will cost
  • ", + "

    Voluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.

    ", + "

    Ways to pay

    ", + "

    You can pay monthly via Direct Debit.

    ", + "

    Contact HM Revenue and Customs (HMRC) if you want to:

    ", + "
  • pay quarterly - they\u2019ll send you a bill every July, October, January and April
  • ", + "
  • make a one-off payment
  • ", + "

    Make sure you pay HMRC by the deadline you\u2019re given. The amount of time you\u2019ll need to allow depends on how you pay.

    ", + "

    Same or next day

    ", + "

    You can make same or next day payments:

    ", + "
  • by online or telephone banking
  • ", + "
  • by CHAPS
  • ", + "
  • at your bank or building society, if it\u2019s still open
  • ", + "

    3 working days

    ", + "

    You can pay within 3 days by BACS.

    ", + "

    You currently cannot pay by cheque through the post because of coronavirus (COVID-19).

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Direct Debit

    ", + "

    To set up monthly payments, download and send the Direct Debit form to HM Revenue and Customs (HMRC). The address is on the form.

    ", + "

    HMRC will write within 21 days to confirm your Direct Debit is set up.

    ", + "

    Payments appear on your statement as \u2018HMRC NI-DD\u2019.

    ", + "

    Your debits usually start in May. If you\u2019re setting up the Direct Debit after May and you need to pay arrears, you can do this through your first payment.

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    Make your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account, unless you\u2019re paying from overseas.

    ", + "Sort code | Account number | Account name", + "08 32 20 | 12001004 | HMRC NICO Telephone banking", + "

    Reference number

    ", + "

    Use your reference number when making your payment. You\u2019ll find it on your bill.

    ", + "

    For quarterly payments, your number will be 18 characters beginning with 11.

    ", + "

    For one-off payments, your number will be 18 characters beginning with 60.

    ", + "

    Contact HMRC if you do not have a reference number.

    ", + "

    How long it takes

    ", + "

    Payments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    If you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.

    ", + "Account type | Sort code | Account number", + "UK | 20 20 48 | 30944793", + "Account type | Account number (IBAN) | Bank Identifier Code (BIC)", + "Non-UK | GB49BARC20204830944793 | BARCGB22", + "

    For either account, pay to account name \u2018HMRC NIC receipts\u2019.

    ", + "

    Reference number

    ", + "

    Use your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.

    ", + "

    If you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.

    ", + "

    Banking address

    ", + "

    HMRC\u2019s banking address is:

    ", + "

    At your bank or building society

    ", + "

    Pay at a branch by cash or cheque. You\u2019ll need the payslip HM Revenue and Customs (HMRC) sent with your bill.

    ", + "

    Some branches might be closed because of coronavirus (COVID-19).

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your Class 3 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip provided by HMRC.

    ", + "

    HMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.

    ", + "

    By cheque through the post

    ", + "

    You cannot currently pay by cheque through the post because of coronavirus (COVID-19).

    ", + "

    You can still make payments:

    ", + "
  • by online or telephone banking
  • ", + "
  • by CHAPS or BACS
  • ", + "
  • at your bank or building society, if it\u2019s still open
  • ", + "

    If you\u2019ve paid by cheque since 6 April 2020

    ", + "

    Call HMRC if you want to check your payment has been received.

    " + ] + }, + { + "title": "Voluntary National Insurance", + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "contents": [ + "

    Gaps in your National Insurance record

    ", + "

    You may get gaps in your record if you do not pay National Insurance or do not get National Insurance credits. This could be because you were:

    ", + "
  • employed but had low earnings
  • ", + "
  • unemployed and were not claiming benefits
  • ", + "
  • self-employed but did not pay contributions because of small profits
  • ", + "
  • living abroad
  • ", + "

    Gaps can mean you will not have enough years of National Insurance contributions to get the full State Pension (sometimes called \u2018qualifying years\u2019).

    ", + "

    You may be able to pay voluntary contributions to fill any gaps if you\u2019re eligible.

    ", + "

    Check your record for gaps

    ", + "

    Check your National Insurance record to find out:

    ", + "
  • if you have any gaps
  • ", + "
  • if you\u2019re eligible to pay voluntary contributions
  • ", + "
  • how much it will cost
  • ", + "

    You may also be eligible for National Insurance credits if you claim benefits because you cannot work, are unemployed or caring for someone full time.

    ", + "

    Contact HM Revenue and Customs (HMRC) if you think your National Insurance record is wrong.

    ", + "

    Decide if you want to pay voluntary contributions

    ", + "

    Voluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.

    ", + "

    You may also want to get financial advice before you decide to make voluntary contributions.

    ", + "

    Why you might want to pay voluntary contributions

    ", + "

    You may want to pay voluntary contributions because:

    ", + "
  • you\u2019re close to State Pension age and do not have enough qualifying years to get the full State Pension
  • ", + "
  • you know you will not be able to get the qualifying years you need to get the full State Pension during your working life
  • ", + "
  • you\u2019re self-employed and do not have to pay Class 2 contributions because you have low profits
  • ", + "
  • you live outside the UK, but you want to qualify for some benefits
  • ", + "

    Self-employed people with specific jobs

    ", + "

    Some people do not pay Class 2 contributions through Self Assessment, but may want to pay voluntary contributions. These are:

    ", + "
  • examiners, moderators, invigilators and people who set exam questions
  • ", + "
  • people who run businesses involving land or property
  • ", + "
  • ministers of religion who do not receive a salary or stipend
  • ", + "
  • people who make investments for themselves or others - but not as a business and without getting a fee or commission
  • ", + "

    Eligibility

    ", + "

    You must be eligible to pay voluntary National Insurance contributions for the time that the contributions cover.

    ", + "

    You can usually only pay for gaps in your National Insurance record from the past 6 years.

    ", + "

    You can sometimes pay for gaps from more than 6 years ago depending on your age.

    ", + "

    Who can pay voluntary contributions

    ", + "

    These tables explain who\u2019s eligible to pay Class 2 or Class 3 contributions.

    ", + "Your situation | Which class to pay", + "Employed but earning under \u00a3120 a week and not eligible for National Insurance credits | Class 3", + "Self-employed with profits under \u00a36,515 | Class 2 or Class 3 - they count towards different benefits", + "Both employed and self-employed, with low earnings and small profits | Contact HM Revenue and Customs (HMRC) to check if you have a gap and how much you need to pay", + "Self-employed as an examiner, minister of religion or in an investment or land and property business | Class 2 or Class 3 - they count towards different benefits", + "Living and working abroad | Class 2 - but only if you worked in the UK immediately before leaving, and you\u2019ve previously lived in the UK for at least 3 years in a row or paid at least 3 years of contributions", + "Living abroad but not working | Class 3 - but only if at some point you\u2019ve lived in the UK for at least 3 years in a row or paid at least 3 years of contributions", + "Unemployed and not claiming benefits | Class 3", + "Married woman or widow who stopped paying reduced rates | Class 3", + "

    You cannot pay voluntary contributions if:

    ", + "
  • you\u2019re eligible for National Insurance credits
  • ", + "
  • you\u2019re a married woman or widow paying reduced rates
  • ", + "

    If you\u2019re over State Pension age

    ", + "Your situation | Which class to pay", + "You\u2019ve reached State Pension age and want to fill in gaps in your National Insurance record | Class 3", + "

    Rates

    ", + "

    The rates for the 2021 to 2022 tax year are:

    ", + "
  • \u00a33.05 a week for Class 2
  • ", + "
  • \u00a315.40 a week for Class 3
  • ", + "

    You usually pay the current rate when you make a voluntary contribution.

    ", + "

    If you\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953

    ", + "

    You can pay voluntary contributions by 5 April 2023 to make up for gaps between 6 April 2006 and 5 April 2016.

    ", + "

    You\u2019ll pay the current rate.

    ", + "

    When you pay different rates

    ", + "

    If you\u2019re paying Class 2 contributions for the previous tax year or Class 3 contributions for the previous 2 tax years, you pay the original rate for those tax years.

    ", + "

    Call HM Revenue and Customs (HMRC) if you have questions about voluntary National Insurance.

    ", + "

    How and when to pay

    ", + "

    Find out how to:

    ", + "
  • pay Class 2 voluntary contributions
  • ", + "
  • pay Class 3 voluntary contributions
  • ", + "

    If you\u2019re living abroad, read leaflet NI38 and fill in form CF83 (found at the end). Send it back to HMRC using the address on the form.

    ", + "

    Deadlines

    ", + "

    You can usually pay voluntary contributions for the past 6 years. The deadline is 5 April each year.

    ", + "

    You can sometimes pay for gaps from more than 6 years ago, depending on your age.

    ", + "

    You\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953

    ", + "

    You have until 5 April 2023 to pay voluntary contributions to make up for gaps between April 2006 and April 2016.

    " + ] + }, + { + "title": "Work in an EU country", + "url": "https://www.gov.uk/working-abroad", + "contents": [ + "

    Overview

    ", + "

    You\u2019ll need a work permit to work in most EU countries if you\u2019re a UK citizen.

    ", + "

    In most cases, you\u2019ll need a job offer from your chosen country so that you can get a visa to move there.

    ", + "

    Check with the UK-based embassy of the country you want to work in to see what you need to do.

    ", + "

    If you want to work in an EU country, check the country\u2019s living in guide for updates.

    ", + "

    If you moved to the EU before 1 January 2021

    ", + "

    If you were legally living in an EU country before 1 January 2021, your right to work will be protected as long as you carry on living there. This is because you are covered by the Withdrawal Agreement.

    ", + "

    You\u2019re also protected by the Withdrawal Agreement if you started working in one EU country and living in a different EU country or the UK, before 1 January 2021.

    ", + "

    You\u2019ll have the same rights as nationals of the country you\u2019re working in when it comes to working conditions, pay and social security (for example, benefits).

    ", + "

    Healthcare and insurance

    ", + "

    You can use a European Health Insurance Card (EHIC) or UK Global Health Insurance Card (GHIC) if you\u2019re working in an EU country for up to 3 months. Your EHIC or GHIC gives you access to free or cheaper state-provided medical treatment.

    ", + "

    Some UK-issued EHICs may no longer be valid in Switzerland, Norway, Iceland or Liechtenstein.

    ", + "

    Find out more about the EHIC and GHIC, including who can get them, where they\u2019re valid and how to apply.

    ", + "

    If you\u2019re planning to work in an EEA country or Switzerland for longer, you may need to:

    ", + "
  • register as a resident and pay social security contributions to use the state healthcare system in that country
  • ", + "
  • take out private health insurance
  • ", + "

    Each country\u2019s healthcare system is different and you may have to pay for treatment you\u2019d get for free on the NHS.

    ", + "

    Find out more in the country healthcare guides.

    ", + "

    You usually have to pay for any medical treatment outside of the EEA, but you can get free or reduced cost treatment in some other countries.

    ", + "

    Working abroad for a UK employer

    ", + "

    If you are sent to work abroad temporarily, your employer must follow some of the employment rules of the country you\u2019re sent to work in.

    ", + "

    Find out about the employment rules for a country by contacting its UK-based embassy.

    ", + "

    You can also read guidance for business travellers visiting Europe.

    ", + "

    Tax

    ", + "

    You might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).

    ", + "

    Fill in form P85 to tell HM Revenue and Customs (HMRC) that you\u2019ve left or are about to leave the UK to live or work abroad. Fill in the form and send it to HMRC.

    ", + "

    HMRC will tell you how your tax will be affected.

    ", + "

    National Insurance

    ", + "

    You might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.

    ", + "

    If you\u2019re eligible, you can keep paying National Insurance to protect your State Pension and entitlement to other benefits.

    ", + "

    Your circumstances change

    ", + "

    Contact HMRC if your circumstances change when you\u2019re abroad, for example if you move house or your marital status changes. You\u2019ll need your National Insurance number.

    " + ] + }, + { + "title": "Business records if you're self-employed", + "url": "https://www.gov.uk/self-employed-records", + "contents": [ + "

    Overview

    ", + "

    You must keep records of your business income and expenses for your tax return if you\u2019re self-employed as a:

    ", + "
  • sole trader
  • ", + "
  • partner in a business partnership
  • ", + "

    You\u2019ll also need to keep records of your personal income.

    ", + "

    If you\u2019re the nominated partner in a partnership, you must also keep records for the partnership.

    ", + "

    There are different rules on keeping records for limited companies.

    ", + "

    Accounting methods

    ", + "

    You\u2019ll need to choose an accounting method.

    ", + "

    Traditional accounting

    ", + "

    Many businesses use traditional accounting where you record income and expenses by the date you invoiced or were billed.

    ", + "

    Cash basis accounting

    ", + "

    Most small businesses with an income of \u00a3150,000 or less can use cash basis reporting.

    ", + "

    With this method, you only record income or expenses when you receive money or pay a bill. This means you will not need to pay Income Tax on money you have not yet received in your accounting period.

    ", + "

    What records to keep

    ", + "

    You\u2019ll need to keep records of:

    ", + "
  • all sales and income
  • ", + "
  • all business expenses
  • ", + "
  • VAT records if you\u2019re registered for VAT
  • ", + "
  • PAYE records if you employ people
  • ", + "
  • records about your personal income
  • ", + "
  • your grant, if you claimed through the Self-Employment Income Support Scheme because of coronavirus
  • ", + "

    Why you keep records

    ", + "

    You do not need to send your records in when you submit your tax return but you need to keep them so you can:

    ", + "
  • work out your profit or loss for your tax return
  • ", + "
  • show them to HM Revenue and Customs (HMRC) if asked
  • ", + "

    You must make sure your records are accurate.

    ", + "

    Keep proof

    ", + "

    Types of proof include:

    ", + "
  • all receipts for goods and stock
  • ", + "
  • bank statements, chequebook stubs
  • ", + "
  • sales invoices, till rolls and bank slips
  • ", + "

    If you\u2019re using traditional accounting

    ", + "

    As well as the standard records, you\u2019ll also need to keep further records so that your tax return includes:

    ", + "
  • what you\u2019re owed but have not received yet
  • ", + "
  • what you\u2019ve committed to spend but have not paid out yet, for example you\u2019ve received an invoice but have not paid it yet
  • ", + "
  • the value of stock and work in progress at the end of your accounting period
  • ", + "
  • your year end bank balances
  • ", + "
  • how much you\u2019ve invested in the business in the year
  • ", + "
  • how much money you\u2019ve taken out for your own use
  • ", + "

    How long to keep your records

    ", + "

    You must keep your records for at least 5 years after the 31 January submission deadline of the relevant tax year. HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.

    ", + "

    Very late returns

    ", + "

    If you send your tax return more than 4 years after the deadline, you\u2019ll need to keep your records for 15 months after you send your tax return.

    ", + "

    If your records are lost, stolen or destroyed

    ", + "

    If you cannot replace your records, you must do your best to provide figures. Tell HMRC when you file your tax return if you\u2019re using:

    ", + "
  • estimated figures - your best guess when you cannot provide the actual figures
  • ", + "
  • provisional figures - your temporary estimated figures while you wait for actual figures (you\u2019ll also need to submit actual figures when available)
  • " + ] + }, + { + "title": "Keeping your pay and tax records", + "url": "https://www.gov.uk/keeping-your-pay-tax-records", + "contents": [ + "

    Overview

    ", + "

    You need to keep records if you have to send HM Revenue and Customs (HMRC) a Self Assessment tax return.

    ", + "

    You\u2019ll need your records to fill in your tax return correctly. If HMRC checks your tax return, they may ask for the documents.

    ", + "

    You must also keep records for business income and outgoings if you\u2019re self-employed.

    ", + "

    How to keep your records

    ", + "

    There are no rules on how you must keep records. You can keep them on paper, digitally or as part of a software program (like book-keeping software).

    ", + "

    HMRC can charge you a penalty if your records are not accurate, complete and readable.

    ", + "

    Lost or destroyed records

    ", + "

    Try to get copies of as much as you can, for example ask banks for copies of statements, suppliers for duplicate invoice etc.

    ", + "

    You can use \u2018provisional\u2019 or \u2018estimated\u2019 figures if you cannot recreate all your records. You must use the \u2018Any other information\u2019 box on the tax return to say that this is what you\u2019re doing.

    ", + "

    \u2018Provisional\u2019 means you\u2019ll be able to get paperwork to confirm your figures later. \u2018Estimated\u2019 means you will not be able to confirm the figures.

    ", + "

    You may have to pay interest and penalties if your figures turn out to be wrong and you have not paid enough tax.

    ", + "

    How long to keep your records

    ", + "

    You must keep records about your business income and costs for longer if you\u2019re self-employed.

    ", + "

    How long you should keep your records depends on whether you send your tax return before or after the deadline.

    ", + "

    HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.

    ", + "

    Tax returns sent on or before the deadline

    ", + "

    You should keep your records for at least 22 months after the end of the tax year the tax return is for.

    ", + "

    Tax returns sent after the deadline

    ", + "

    You should keep your records for at least 15 months after you sent the tax return.

    ", + "

    Employees and limited company directors

    ", + "

    Income from employment

    ", + "

    You should keep documents about your pay and tax, including:

    ", + "
  • your P45 - if you leave your job, this shows your pay and tax to the date you left
  • ", + "
  • your P60 - if you\u2019re in a job on 5 April, this shows your pay and tax for the tax year
  • ", + "
  • form P11D - this shows your expenses and benefits, like a company car or health insurance
  • ", + "
  • certificates for any Taxed Award Schemes
  • ", + "
  • information about any redundancy or termination payment
  • ", + "

    Contact your employer if you do not have your P60, P45 or form P11D.

    ", + "

    You should also keep details of any other income or benefits from your job, including:

    ", + "
  • any tips received (unless your employer pays them through the \u2018tronc\u2019 system, which means they will have deducted tax already)
  • ", + "
  • benefits you get in connection with your job from someone other than your employer, like meal vouchers
  • ", + "
  • any lump sum payments not included on your P60 or P45, like incentive payments or \u2018golden hellos\u2019 (payments you get to encourage you to take a new job)
  • ", + "

    Expense records

    ", + "

    If you\u2019ve had to pay for things like tools, travel or specialist clothing for work, you may be able to claim for these to reduce the tax you\u2019ll have to pay. You need to keep a record of these so you can include them in your tax return.

    ", + "

    Benefits records

    ", + "

    You should keep any documents relating to:

    ", + "
  • social security benefits
  • ", + "
  • Statutory Sick Pay
  • ", + "
  • Statutory Maternity, Paternity or Adoption Pay
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "

    Income from employee share schemes or share-related benefits

    ", + "

    You should keep:

    ", + "
  • copies of share option certificates and exercise notices
  • ", + "
  • letters about any changes to your options
  • ", + "
  • information about what you paid for your shares and the relevant dates
  • ", + "
  • details of any benefits you\u2019ve received as an employee shareholder
  • ", + "

    Savings, investments and pensions

    ", + "

    You should keep all:

    ", + "
  • bank or building society statements and passbooks
  • ", + "
  • statements of interest and income from your savings and investments
  • ", + "
  • tax deduction certificates from your bank
  • ", + "
  • dividend vouchers you get from UK companies
  • ", + "
  • unit trust tax vouchers
  • ", + "
  • documents that show the profits you\u2019ve made from life insurance policies (called \u2018chargeable event certificates\u2019)
  • ", + "
  • details of income you get from a trust
  • ", + "
  • details of any out-of-the ordinary income you\u2019ve received, like an inheritance
  • ", + "

    Pension information

    ", + "

    You should keep:

    ", + "
  • form P160 (Part 1A) which you got when your pension started
  • ", + "
  • form P60 which your pension provider sends you every year
  • ", + "
  • any other details of a pension (including State Pension) and the tax deducted from it
  • ", + "

    Rental income

    ", + "

    You should keep details of:

    ", + "
  • the dates when you let out your property
  • ", + "
  • all rent you get
  • ", + "
  • any income from services you give to tenants (for example if you charge for maintenance or repairs)
  • ", + "
  • rent books, receipts, invoices and bank statements
  • ", + "
  • allowable expenses you pay to run your property (for example services you pay for such as cleaning or gardening)
  • ", + "

    There are rules about what you can and cannot claim as expenses on your tax return.

    ", + "

    Capital gains or losses

    ", + "

    You may have to pay Capital Gains Tax if you sell (or \u2018dispose of\u2019) certain assets that have gone up in value since you got them.

    ", + "

    You must make sure you keep the correct records.

    ", + "

    Overseas income

    ", + "

    You should keep:

    ", + "
  • evidence of income you\u2019ve earned from overseas, like payslips, bank statements or payment confirmations
  • ", + "
  • receipts for any overseas expenses you want to claim to reduce your tax bill
  • ", + "
  • dividend certificates from overseas companies
  • ", + "
  • certificates or other proof of the tax you\u2019ve already paid - either in the UK or overseas
  • " + ] + }, + { + "title": "Register for Self Assessment", + "url": "https://www.gov.uk/register-for-self-assessment", + "contents": [ + "

    Overview

    ", + "

    You must register for Self Assessment if you have to send a tax return and did not send one last year.

    ", + "

    There are different ways to register if you\u2019re:

    ", + "
  • self-employed
  • ", + "
  • not self-employed
  • ", + "
  • registering a partner or partnership
  • ", + "

    Register if you\u2019re self-employed

    ", + "

    If you have to send a tax return and did not send one last year, you need to register for Self Assessment and Class 2 National Insurance.

    ", + "

    Register by 5 October in your business\u2019s second tax year. You could be fined if you do not.

    ", + "

    If you have not filed a return online before

    ", + "
  • Register online. Once you\u2019ve completed the questions, HMRC will create your account.
  • ", + "
  • You\u2019ll receive a letter with your Unique Taxpayer Reference (UTR) number within 10 days (21 if you\u2019re abroad). You\u2019ll need your UTR to file a return.
  • ", + "
  • You\u2019ll then receive another letter with an activation code for your account. You can get a new activation code if you do not receive it or you lose it.
  • ", + "

    Once you\u2019ve activated your account, you can file your tax return any time before the deadline.

    ", + "

    If you\u2019ve filed a return online before

    ", + "

    Re-register online (form CWF1) if the work you plan to do is different from what you did before.

    ", + "

    You\u2019ll need your 10-digit Unique Taxpayer Reference (UTR) from when you registered before. You can find your UTR if you do not know it.

    ", + "

    You\u2019ll receive a letter with a new account activation code 10 days later (21 if you\u2019re abroad).

    ", + "

    Once you\u2019ve reactivated your account, you can file your tax return any time before the deadline.

    ", + "

    If the work you plan to do is the same as you did before, sign in to your account.

    ", + "

    If you\u2019ve filed before but you did not use the online service

    ", + "

    Create an account for the online service using your UTR. You can find your UTR if you do not know it.

    ", + "

    You\u2019ll receive a letter with an activation code for your account.

    ", + "

    Once you\u2019ve activated your account, you can file your tax return any time before the deadline.

    ", + "

    Other ways to register

    ", + "

    You can fill in this form on-screen then print off and post to HMRC. You\u2019ll need to have all your information ready as you cannot save a partly completed form.

    ", + "

    If you\u2019re using an older browser, for example Internet Explorer 8, you\u2019ll need to update it or use a different browser. Find out more about browsers.

    ", + "

    Register if you're not self-employed

    ", + "

    If you have to send a tax return and did not send one last year, you need to register for Self Assessment by 5 October.

    ", + "

    If you have not filed online before

    ", + "
  • Register using form SA1.
  • ", + "
  • After you register, you\u2019ll receive your Unique Taxpayer Reference (UTR) number in the post within 10 working days (21 if you\u2019re abroad).
  • ", + "
  • Create your online account.
  • ", + "
  • Sign up for Self Assessment online - you\u2019ll need your UTR to do this.
  • ", + "

    You\u2019ll get an activation code for your new account in the post within 7 working days of signing up (21 if you\u2019re abroad). When you get the code, sign in to send your return.

    ", + "

    You can replace an activation code if you do not receive it or you lose it.

    ", + "

    Once you\u2019ve activated your account, you can file your tax return any time.

    ", + "

    If you\u2019ve filed online before

    ", + "

    Sign in to your existing account.

    ", + "

    Register if you're a partner or partnership

    ", + "

    You must register for Self Assessment by 5 October if you\u2019re a partner in a partnership.

    ", + "

    You\u2019ll need your partnership\u2019s 10-digit Unique Taxpayer Reference (UTR). You can find a UTR if you\u2019ve lost it.

    ", + "

    You must also register your partnership if you\u2019re the \u2018nominated partner\u2019.

    ", + "

    There are different ways to register:

    ", + "
  • for limited liability partnerships
  • ", + "
  • if you\u2019re a partner that\u2019s not an individual, for example a company or trust
  • " + ] + }, + { + "title": "Building a new home and VAT", + "url": "https://www.gov.uk/vat-building-new-home", + "contents": [ + "

    Overview

    ", + "

    You can apply for a VAT refund on building materials and services if you\u2019re:

    ", + "
  • building a new home
  • ", + "
  • converting a property into a home
  • ", + "
  • building a non-profit communal residence - eg a hospice
  • ", + "
  • building a property for a charity
  • ", + "

    The building work and materials have to qualify and you must apply to HM Revenue and Customs (HMRC) within 3 months of completing the work.

    ", + "

    There is a separate guide to VAT if you\u2019re working in the construction industry.

    ", + "

    Eligibility

    ", + "

    The application form has guidance on what building projects and materials qualify for a VAT refund. The basics are listed below.

    ", + "

    New homes

    ", + "

    The home must:

    ", + "
  • be separate and self-contained
  • ", + "
  • be for you or your family to live or holiday in
  • ", + "
  • not be for business purposes (you can use one room as a work from home office)
  • ", + "

    Builders working on new buildings should be zero-rated anyway and you won\u2019t pay any VAT on their services.

    ", + "

    Conversions

    ", + "

    The building being converted must usually be a non-residential building. Residential buildings qualify if they haven\u2019t been lived in for at least 10 years.

    ", + "

    You may claim a refund for builders\u2019 work on a conversion of non-residential building into a home.

    ", + "

    For other conversions builders can charge a reduced VAT rate.

    ", + "

    Communal and charity buildings

    ", + "

    You may get a VAT refund if the building is for one of the following purposes:

    ", + "
  • non-business - you can\u2019t charge a fee for the use of the building
  • ", + "
  • charitable, for example a hospice
  • ", + "
  • residential, for example a children\u2019s home
  • ", + "

    Building materials

    ", + "

    You may claim a VAT refund for building materials that are incorporated into the building and can\u2019t be removed without tools or damaging the building.

    ", + "

    What doesn\u2019t qualify

    ", + "

    You can\u2019t get a VAT refund for:

    ", + "
  • building projects in the Channel Islands
  • ", + "
  • materials or services that don\u2019t have any VAT - for example, they were zero-rated or exempt
  • ", + "
  • professional or supervisory fees - for example, architects or surveyors
  • ", + "
  • hiring machinery or equipment
  • ", + "
  • buildings for business purposes
  • ", + "
  • buildings that can\u2019t be sold or used separately from another property because of a planning permission condition
  • ", + "
  • building materials that aren\u2019t permanently attached to or part of the building itself
  • ", + "
  • fitted furniture, some electrical and gas appliances, carpets or garden ornaments
  • ", + "

    How to claim

    ", + "

    Fill in form 431NB to claim a VAT refund on a new build, or 431C to claim for a conversion.

    ", + "

    Send your claim form to HM Revenue and Customs (HMRC).

    ", + "

    You must claim within 3 months of the building work being completed.

    ", + "

    What you need to include

    ", + "

    You must include all the documents listed in the claim form as part of your application.

    ", + "

    If an invoice is in your business\u2019s name, you\u2019ll need proof that you\u2019ve refunded the amount from your personal bank - for example, a bank statement.

    ", + "

    VAT invoices must be valid and show the correct rate of VAT or they will not be accepted. For invoices not in sterling, convert the amounts into sterling.

    ", + "

    How long it takes

    ", + "

    HMRC will write to you about when you can expect your VAT refund if your claim is successful. They will usually write to you within 6 weeks.

    ", + "

    Help with VAT for building materials

    ", + "

    Contact HMRC if you have further questions.

    " + ] + }, + { + "title": "Tax on shopping and services", + "url": "https://www.gov.uk/tax-on-shopping", + "contents": [ + "

    VAT and duties

    ", + "

    VAT is a tax you pay on most goods and services.

    ", + "Rate | % of VAT | What the rate applies to", + "Standard | 20% | Most goods and services", + "Reduced rate | 5% | Some goods and services, for example children\u2019s car seats and some energy-saving materials in the home", + "Zero rate | 0% | Zero-rated goods and services, for example most food and children\u2019s clothes", + "

    Check the VAT rates on different goods and services. Some things are exempt from VAT, such as postage stamps and some financial and property transactions.

    ", + "

    VAT is normally included in the price you see in shops, but there are some exceptions.

    ", + "

    VAT and disabled people

    ", + "

    You do not have to pay VAT on certain goods and services if they\u2019re just for your own use and you\u2019re disabled or have a long-term illness.

    ", + "

    Other taxes and duties

    ", + "

    You pay different taxes on:

    ", + "
  • alcohol and tobacco
  • ", + "
  • petrol, diesel and other fuel
  • ", + "
  • insurance
  • ", + "
  • goods from abroad if you go over your customs allowance
  • ", + "

    Airlines have to pay air passenger duty for every flight from the UK. Most airline tickets include a separate charge to cover this cost.

    ", + "

    Gambling operators (for example, betting shops and websites, casinos or slot machine owners) have to pay gambling duties on profits they make from gambling. Customers do not pay duty on their stake (what they bet or pay to play) or winnings.

    ", + "

    Where you see VAT

    ", + "

    In shops

    ", + "

    Any VAT due is already included in the price of something you buy in a shop. No tax is added when you pay.

    ", + "

    Some shops in Northern Ireland offer tax-free shopping for visitors.

    ", + "

    In adverts, catalogues and price lists

    ", + "

    This depends on who they\u2019re aimed at. If they\u2019re for:

    ", + "
  • the general public only, they\u2019ll show you a price including VAT
  • ", + "
  • businesses as well as consumers, they might show the price with VAT and without
  • ", + "
  • businesses only they do not usually include VAT, which is charged on top of the price shown
  • ", + "

    On bills and receipts

    ", + "

    Sometimes VAT is shown on a separate line. This does not mean you\u2019re paying extra - it just shows how much tax is included in the price.

    ", + "

    Invoices from suppliers like builders, painters and decorators must show a separate amount for VAT and their VAT registration number.

    ", + "

    How VAT is worked out

    ", + "

    When someone charges you VAT they multiply their selling price by the VAT rate to calculate the amount of VAT to charge.

    ", + "

    They then add this to the selling price to give you the price you actually pay - this is called the \u2018gross\u2019 price.

    ", + "

    VAT on energy-saving products

    ", + "

    If you\u2019re eligible, you\u2019ll pay a reduced rate of VAT (5%) when certain energy-saving products are installed in your home.

    ", + "

    Your supplier will charge you the reduced rate on the installation and any extra work that\u2019s part of it.

    ", + "

    Not all products or installations qualify for the reduced rate and you cannot buy or install them yourself.

    ", + "

    Eligibility

    ", + "

    To qualify for the reduced rate, you must be over 60 or getting one or more of the following:

    ", + "
  • Child Tax Credit (but not the family element)
  • ", + "
  • Council Tax Benefit
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Personal Independence Payment
  • ", + "
  • a disablement pension
  • ", + "
  • Housing Benefit
  • ", + "
  • Jobseeker\u2019s Allowance (income-based)
  • ", + "
  • Income Support
  • ", + "
  • War Disablement Pension
  • ", + "
  • Working Tax Credit
  • ", + "

    You will also be eligible to get the reduced rate on the products if the total cost of them (not including VAT) is not over 60% of the cost of the installation of the products (not including VAT).

    ", + "

    If your products cost more than 60% of the installation, you\u2019ll only be entitled to the reduced rate on the installation.

    ", + "

    Your supplier will be responsible for charging you the correct rate of VAT.

    ", + "

    Energy products that qualify

    ", + "

    You pay the reduced rate of 5% for:

    ", + "
  • controls for central heating and hot water systems
  • ", + "
  • draught stripping, for example insulation fixed around windows and doors to reduce draughts
  • ", + "
  • insulation on walls, floors, ceilings and lofts
  • ", + "
  • solar panels
  • ", + "
  • ground-source heat pumps
  • ", + "
  • air-source heat pumps
  • ", + "
  • micro combined heat and power units
  • ", + "
  • wood-fuelled boilers
  • ", + "

    Central heating systems

    ", + "

    You pay the reduced rate of 5% for work funded through energy efficiency grants on the:

    ", + "
  • installation of heating appliances
  • ", + "
  • installation, repair and maintenance of central heating systems
  • ", + "
  • installation, repair and maintenance of renewable source heating systems
  • ", + "

    The reduced rate is only for the grant-funded part of the work.

    ", + "

    Energy products that do not qualify

    ", + "

    You pay the standard rate of VAT for:

    ", + "
  • heating appliances or systems - unless you get an energy efficiency grant
  • ", + "
  • energy efficient boilers
  • ", + "
  • secondary or double glazing
  • ", + "
  • low emission glass
  • ", + "
  • energy efficient fridge freezers
  • ", + "
  • wind turbines
  • ", + "
  • water turbines
  • ", + "

    VAT on mobility aids

    ", + "

    If you\u2019re over 60, you pay a reduced rate of VAT (5%) on certain mobility aids when you pay for them to be supplied and installed in your home.

    ", + "

    Qualifying products

    ", + "

    You can get the reduced rate on:

    ", + "
  • grab rails
  • ", + "
  • ramps
  • ", + "
  • stair lifts
  • ", + "
  • bath lifts
  • ", + "
  • built-in shower seats or showers containing built-in shower seats
  • ", + "
  • walk-in baths with sealable doors
  • ", + "

    You do not get the reduced rate if you repair or replace the goods after they\u2019ve been installed.

    ", + "

    You do not have to order and pay for the product yourself - a friend, local council, charity or housing association can do it for you.

    ", + "

    How to get the reduced rate

    ", + "

    Your supplier should know about the reduced rate and apply it. You qualify if:

    ", + "
  • you\u2019re over 60 when the product is supplied or installed
  • ", + "
  • the product is installed - you do not get the reduced rate if you just buy it
  • ", + "
  • the product is for a private home, for example your own home or one shared with friends or relatives (a residential care home does not qualify)
  • ", + "

    You\u2019ll need to confirm to your supplier in writing that you meet these conditions. They may give you a form, or you can sign your own declaration. Ask a relative, partner or other responsible person if you\u2019re not able to fill it in yourself.

    ", + "

    Declaration: mobility aids for older people

    ", + "

    Sign and date the declaration, using this standard wording.

    ", + "

    Help from your council

    ", + "

    If you need to adapt your home because of old age you can apply to your council for equipment or help.

    ", + "

    Tax-free shopping

    ", + "

    You can only buy tax-free goods from shops in Great Britain (England, Wales and Scotland) if they\u2019re delivered straight to an address outside the UK. Check with the retailer if they offer this service.

    ", + "

    You may be able to buy tax-free goods from some shops when you visit Northern Ireland. You claim your VAT refund when you leave Northern Ireland or the EU.

    ", + "

    When you may be able to get a VAT refund

    ", + "

    You can sometimes get VAT refunds on goods you buy in Northern Ireland if you:

    ", + "
  • visit Northern Ireland and live outside the UK and EU
  • ", + "
  • work or study in Northern Ireland but normally live outside the UK and EU
  • ", + "
  • live in Northern Ireland but are leaving the UK and EU for at least 12 months
  • ", + "

    You can only get a VAT refund if you take the goods out of Northern Ireland and the EU within 3 months of buying them. Not all retailers offer VAT refunds.

    ", + "

    Taking goods from Northern Ireland to Great Britain

    ", + "

    You will not get a VAT refund if you travel straight from Northern Ireland to Great Britain.

    ", + "

    If you travel from Northern Ireland to Great Britain through another country, the goods will count towards your tax-free personal allowances. You may have to declare them along with other goods you\u2019re carrying when you enter Great Britain and pay import VAT.

    ", + "

    This may mean you have to pay VAT again on the goods from Northern Ireland. If this happens, you can get a refund of the overpaid VAT from the retailer.

    ", + "

    Check the rules on bringing goods into Great Britain.

    ", + "

    How to get a VAT refund

    ", + "
  • Get a VAT 407 form from the retailer - they might ask for proof that you\u2019re eligible, for example your passport.
  • ", + "
  • Show the goods, the completed form and your receipts to customs at the point when you leave Northern Ireland or the EU.
  • ", + "
  • Customs will approve your form if everything is in order. You then take the approved form to get paid.
  • ", + "

    If you\u2019re changing planes in an EU country and checking your goods with your luggage, you must do step 2 in Northern Ireland when you check in.

    ", + "

    Getting paid

    ", + "

    You can either get paid immediately at a refund booth, for example at the airport, or send the approved form to the retailer or their refund company. The retailer will tell you how you\u2019ll get paid.

    ", + "

    Some retailers charge a fee for handling your form. This money will be deducted from your refund.

    ", + "

    If there are no customs officials available, you can leave your form in a customs post box. Customs will check it and contact your retailer to arrange the refund if everything is in order.

    ", + "

    Goods you cannot get a refund for

    ", + "

    You cannot get a VAT refund for:

    ", + "
  • mail order goods, including internet sales, delivered outside of Northern Ireland
  • ", + "
  • goods you\u2019ve already used in Northern Ireland or the EU, such as perfume
  • ", + "
  • service charges, such as hotel bills
  • ", + "
  • new or used cars
  • ", + "
  • goods worth more than \u00a3600 exported for business purposes
  • ", + "
  • goods to be exported as freight
  • ", + "
  • goods that need an export licence (except antiques)
  • ", + "
  • unmounted gemstones
  • ", + "
  • gold over 125g, 2.75 troy ounces or 10 tolas
  • ", + "
  • a boat you plan to sail to a destination outside Northern Ireland or the EU
  • ", + "

    Find out more about claiming VAT back on tax-free shopping in Northern Ireland, including travelling to Great Britain and problems like losing your form.

    ", + "

    Alcohol and tobacco duties

    ", + "

    Tobacco Duty is included in the price you pay for cigarettes, cigars and other tobacco products.

    ", + "

    Alcohol duties are included in the price you pay for beer, cider or perry, wine or \u2018made-wine\u2019, and spirits. Made-wine is any alcoholic drink made by fermentation that\u2019s not beer, cider, perry, spirits or wine.

    ", + "

    You also pay standard rate VAT at 20% on alcohol and tobacco products.

    ", + "

    Tobacco Duty

    ", + "

    You pay different rates of Tobacco Duty on cigarettes, cigars and other tobacco products.

    ", + "Tobacco product | Rate", + "Cigarettes | 16.5% of the retail price plus \u00a34.90 on a packet of 20", + "Cigars | \u00a33.05 on a 10g cigar", + "Hand rolling tobacco | \u00a38.14 on a 30g packet", + "Other smoking tobacco and chewing tobacco (for example pipe tobacco) | \u00a34.03 on a 30g packet", + "

    Beer Duty

    ", + "

    How much Beer Duty you pay depends on the beer\u2019s strength, or \u2018alcohol by volume\u2019 (ABV).

    ", + "Strength (ABV) | Beer Duty rate per litre for each % of alcohol", + "More than 1.2%, up to 2.8% | 8.42 pence", + "More than 2.8%, up to 7.5% | 19.08 pence", + "More than 7.5% | 24.77 pence", + "

    Cider Duty

    ", + "

    You pay Cider Duty on cider and perry. How much depends on the strength and whether it\u2019s still or sparkling.

    ", + "Type of cider or perry | Strength (ABV) | Rate per litre", + "Still | More than 1.2% but less than up to 6.9% | 40.38 pence", + "Still | At least 6.9%, up to 7.5% | 50.71 pence", + "Still | More than 7.5% but less than 8.5% | 61.04 pence", + "Sparkling | More than 1.2%, up to 5.5% | 40.38 pence", + "Sparkling | More than 5.5% but less than 8.5% | 288.10 pence", + "

    Wine Duty

    ", + "

    How much Wine Duty you pay depends on the strength of the wine (or made-wine) and whether it\u2019s still or sparkling.

    ", + "Type of wine or made-wine | Strength (ABV) | Rate per litre", + "Still | More than 1.2%, up to 4% | 91.68 pence", + "Still | More than 4%, up to 5.5% | 126.08 pence", + "Still | More than 5.5%, up to 15% | 297.57 pence", + "Still | More than 15%, up to 22% | 396.72 pence", + "Sparkling | More than 5.5% but less than 8.5% | 288.10 pence", + "Sparkling | More than 8.5%, up to 15% | 381.15 pence", + "

    You pay duty on wine and made-wine of more than 22% ABV at the same rate as spirits.

    ", + "

    Spirit Duty

    ", + "

    You pay \u00a328.74 of Spirit Duty per litre of pure alcohol.

    ", + "

    Fuel Duty

    ", + "

    Fuel Duty is included in the price you pay for petrol, diesel and other fuels used in vehicles or for heating.

    ", + "

    You also pay standard rate VAT at 20% on most fuel, or the reduced rate of 5% on domestic heating fuel.

    ", + "

    Fuel Duty rates

    ", + "

    The rate you pay depends on the type of fuel.

    ", + "Type of fuel | Rate", + "Petrol, diesel, biodiesel and bioethanol | 57.95 pence per litre", + "Liquefied petroleum gas (LPG) | 31.61 pence per kg", + "Natural gas used as fuel in vehicles, for example biogas | 24.70 pence per kg", + "\u2018Fuel oil\u2019 burned in a furnace or used for heating | 10.70 pence per litre", + "

    You pay different rates on other types of fuel, depending on how they\u2019re used.

    ", + "

    You may have to pay a penalty and could have your vehicle seized if you use \u2018rebated\u2019 oils like red diesel or kerosene on public roads. Report red diesel used on public roads to the Customs Hotline.

    ", + "

    Insurance Premium Tax

    ", + "

    Insurance Premium Tax (IPT) is usually included in the price you pay for insurance.

    ", + "

    You do not pay VAT on insurance.

    ", + "

    The rate of IPT depends on the type of insurance and who supplies it.

    ", + "

    Standard rate IPT

    ", + "

    The rate is 12% on most types of insurance, including car, pet and home insurance.

    ", + "

    Higher rate IPT

    ", + "

    There\u2019s a higher rate of 20% for travel insurance, and insurance arranged by the supplier (rather than an insurance company) on:

    ", + "
  • vehicles, including hired vehicles - but the standard 12% rate is charged on ordinary motor insurance
  • ", + "
  • electronic goods and other household appliances - this includes gas central heating but not mobile phones
  • ", + "

    Exemptions

    ", + "

    There\u2019s no IPT on life insurance and income protection insurance.

    ", + "

    Air Passenger Duty

    ", + "

    Airlines pay Air Passenger Duty (APD) for every passenger who flies from the UK. Ticket prices usually include a charge to cover this cost.

    ", + "

    You do not pay VAT on the cost of flights.

    ", + "

    The amount of APD the airline pays depends on how far away your destination is and the class you travel in.

    ", + "

    On commercial passenger flights the duty costs from \u00a313 to \u00a3180 per flight. There are higher charges for some private passenger planes or charters.

    ", + "

    There\u2019s no APD on long-haul flights from Northern Ireland or flights from the Scottish Highlands and Islands region.

    ", + "

    You can check rates for Air Passenger Duty paid by operators.

    ", + "

    If you do not take a flight

    ", + "

    If you do not take a flight you may be able to get a refund of anything you paid to cover APD costs.

    ", + "

    Contact your airline to see if you can get a refund. You may have to pay an administration fee.

    " + ] + }, + { + "title": "VAT Annual Accounting Scheme", + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "contents": [ + "

    Overview

    ", + "

    Usually, VAT-registered businesses submit their VAT Returns and payments to HM Revenue and Customs 4 times a year.

    ", + "

    With the Annual Accounting Scheme you:

    ", + "
  • make advance VAT payments towards your VAT bill - based on your last return (or estimated if you\u2019re new to VAT)
  • ", + "
  • submit 1 VAT Return a year
  • ", + "

    From 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.

    ", + "

    When you submit your VAT Return you either:

    ", + "
  • make a final payment - the difference between your advance payments and actual VAT bill
  • ", + "
  • apply for a refund - if you\u2019ve overpaid your VAT bill
  • ", + "

    The scheme would not suit your business if you regularly reclaim VAT because you\u2019ll only be able to get 1 refund a year (when you submit the VAT Return).

    ", + "

    You can join the scheme if your estimated VAT taxable turnover is \u00a31.35 million or less.

    ", + "

    Talk to an accountant or tax adviser if you want advice on whether the Annual Accounting Scheme is right for you.

    ", + "

    Join or leave the scheme

    ", + "

    You must be eligible to join the scheme.

    ", + "

    How to join

    ", + "

    You can join the scheme:

    ", + "
  • online - when you register for VAT
  • ", + "
  • by post - fill in VAT600 AA (or use VAT600 AA/FRS to apply for the Flat Rate Scheme at the same time)
  • ", + "

    Do not use the address on the form - send it to the following address instead.

    ", + "

    Confirmation you\u2019ve joined the scheme is sent to your VAT online account (or in the post if you do not apply online).

    ", + "

    How to leave

    ", + "

    You can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to be in it.

    ", + "

    To leave, write to HMRC and they will confirm when you can leave. From this date, you must account for your VAT in the usual way.

    ", + "

    You have to wait 12 months before you can rejoin the scheme.

    ", + "

    Eligibility

    ", + "

    You can join the Annual Accounting Scheme if:

    ", + "
  • you\u2019re a VAT-registered business
  • ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • ", + "

    VAT taxable turnover is the total of everything sold that is not VAT exempt.

    ", + "

    Exceptions

    ", + "

    You cannot use the scheme if:

    ", + "
  • you left the scheme in the last 12 months
  • ", + "
  • your business is part of a VAT registered division or group of companies
  • ", + "
  • you\u2019re not up to date with your VAT Returns or payments
  • ", + "
  • you\u2019re insolvent
  • ", + "

    Leaving the scheme

    ", + "

    You must leave the scheme if:

    ", + "
  • you\u2019re no longer eligible to be in it
  • ", + "
  • your VAT taxable turnover is (or is likely to be) more than \u00a31.6 million at the end of the annual accounting year
  • ", + "

    Return and payment deadlines

    ", + "

    Check your VAT Return and payment deadlines in your HM Revenue and Customs (HMRC) online account.

    ", + "

    VAT Return deadline

    ", + "

    There are 12 months in your VAT accounting period. Your VAT Return is due once a year, 2 months after the end of your accounting period.

    ", + "

    Most businesses now need to keep digital VAT records and use software to submit VAT Returns.

    ", + "

    Payment deadlines

    ", + "

    You must make advance payments towards your VAT bill (either monthly or quarterly) during your accounting period and a final payment when you submit your VAT Return.

    ", + "Payment | Deadline", + "Monthly | Due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12", + "Quarterly | Due at the end of months 4, 7 and 10", + "Final payment | Within 2 months of month 12", + "

    How much do you pay

    ", + "

    Each payment is either 10% of your estimated VAT bill (monthly payments) or 25% (quarterly payments). The amount is based on previous VAT returns (or estimated if you\u2019re new to VAT).

    ", + "

    HMRC will write telling you when your instalments are due and how much they\u2019ll be.

    ", + "

    The final payment (known as a \u2018balancing payment\u2019) is the difference between your advance payments and the actual VAT bill confirmed on your VAT Return.

    ", + "

    You may be due a VAT refund if you\u2019ve overpaid HMRC.

    ", + "

    You must pay VAT to HMRC electronically, for example by Direct Debit or internet banking.

    " + ] + }, + { + "title": "VAT Cash Accounting Scheme", + "url": "https://www.gov.uk/vat-cash-accounting-scheme", + "contents": [ + "

    Overview

    ", + "

    Usually, the amount of VAT you pay HM Revenue and Customs (HMRC) is the difference between your sales invoices and purchase invoices. You have to\nreport these figures and pay any money to HMRC even if the invoices have not been paid.

    ", + "

    With the Cash Accounting Scheme you:

    ", + "
  • pay VAT on your sales when your customers pay you
  • ", + "
  • reclaim VAT on your purchases when you have paid your supplier
  • ", + "

    To join the scheme your VAT taxable turnover must be \u00a31.35 million or less.

    ", + "

    Talk to an accountant or tax adviser if you want advice on whether the Cash Accounting Scheme is right for you.

    ", + "

    Eligibility

    ", + "

    You can use cash accounting if:

    ", + "
  • your business is registered for VAT
  • ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • ", + "

    VAT taxable turnover is the total of everything sold that is not VAT exempt.

    ", + "

    Exceptions

    ", + "

    You cannot use cash accounting if:

    ", + "
  • you use the VAT Flat Rate Scheme - instead, the Flat Rate Scheme has its own cash-based turnover method
  • ", + "
  • you\u2019re not up to date with your VAT Returns or payments
  • ", + "
  • you\u2019ve committed a VAT offence in the last 12 months, for example VAT evasion
  • ", + "

    You cannot use it for the following transactions (you have to use standard VAT accounting instead):

    ", + "
  • where the payment terms of a VAT invoice are 6 months or more
  • ", + "
  • where a VAT invoice is raised in advance
  • ", + "
  • buying or selling goods using lease purchase, hire purchase, conditional sale or credit sale
  • ", + "
  • importing goods into Northern Ireland from the EU
  • ", + "
  • moving goods outside a customs warehouse
  • ", + "

    You must leave the scheme if your VAT taxable turnover is more than \u00a31.6 million

    ", + "

    Join or leave the scheme

    ", + "

    How to join

    ", + "

    You must be eligible to join the scheme. You join at the beginning of a VAT accounting period.

    ", + "

    You do not have to tell HM Revenue and Customs (HMRC) you use cash accounting.

    ", + "

    How to leave

    ", + "

    You can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to use it. You should leave at the end of a VAT accounting period.

    ", + "

    You do not have to tell HMRC you\u2019ve stopped using it, but you must report and pay HMRC any outstanding VAT (whether your customers have paid you or not).

    ", + "

    You can report and pay the outstanding VAT over 6 months.

    ", + "

    If your VAT taxable turnover exceeded \u00a31.35 million in the last 3 months you must report and pay straight away.

    ", + "

    You must pay immediately if HMRC has written to you to withdraw your use of the scheme.

    " + ] + }, + { + "title": "VAT Flat Rate Scheme", + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "contents": [ + "

    Overview

    ", + "

    The amount of VAT a business pays or claims back from HM Revenue and Customs (HMRC) is usually the difference between the VAT charged by the business to customers and the VAT the business pays on their own purchases.

    ", + "

    With the Flat Rate Scheme:

    ", + "
  • you pay a fixed rate of VAT to HMRC
  • ", + "
  • you keep the difference between what you charge your customers and pay to HMRC
  • ", + "
  • you cannot reclaim the VAT on your purchases - except for certain capital assets over \u00a32,000
  • ", + "

    To join the scheme your VAT turnover must be \u00a3150,000 or less (excluding VAT), and you must apply to HMRC.

    ", + "

    Talk to an accountant or tax adviser if you want advice on whether the Flat Rate Scheme is right for you.

    ", + "

    Join or leave the scheme

    ", + "

    You must be eligible to join the scheme.

    ", + "

    How to join

    ", + "

    You can join the scheme online when you register for VAT.

    ", + "

    You can also fill in VAT600 FRS and either:

    ", + "
  • email it to frsapplications.vrs@hmrc.gsi.gov.uk
  • ", + "
  • send it by post
  • ", + "

    Do not use the address on the form - send it to the following address instead.

    ", + "

    Use VAT600 AA/FRS to apply for the Annual Accounting Scheme at the same time.

    ", + "

    You\u2019ll get confirmation you\u2019ve joined the scheme through your VAT online account (or in the post if you do not apply online).

    ", + "

    How to leave

    ", + "

    You can choose to leave the scheme at any time. You must leave if you\u2019re no longer eligible to be in it.

    ", + "

    To leave, write to HMRC and they will confirm your leaving date.

    ", + "

    You must wait 12 months before you can rejoin the scheme.

    ", + "

    Eligibility

    ", + "

    You can join the Flat Rate Scheme if:

    ", + "
  • you\u2019re a VAT-registered business
  • ", + "
  • you expect your VAT taxable turnover to be \u00a3150,000 or less (excluding VAT) in the next 12 months
  • ", + "

    VAT taxable turnover is the total of everything sold that is not VAT exempt.

    ", + "

    Exceptions

    ", + "

    You cannot use the scheme if:

    ", + "
  • you left the scheme in the last 12 months
  • ", + "
  • you committed a VAT offence in the last 12 months, for example VAT evasion
  • ", + "
  • you joined (or were eligible to join) a VAT group in the last 24 months
  • ", + "
  • you registered for VAT as a business division in the last 24 months
  • ", + "
  • your business is closely associated with another business
  • ", + "
  • you\u2019ve joined a margin or capital goods VAT scheme
  • ", + "

    You cannot use the scheme with the Cash Accounting Scheme. Instead, the Flat Rate Scheme has its own cash-based method for calculating the turnover.

    ", + "

    Leaving the scheme

    ", + "

    You must leave the scheme if:

    ", + "
  • you\u2019re no longer eligible to be in it
  • ", + "
  • on the anniversary of joining, your turnover in the last 12 months was more than \u00a3230,000 (including VAT) - or you expect it to be in the next 12 months
  • ", + "
  • you expect your total income in the next 30 days alone to be more than \u00a3230,000 (including VAT)
  • ", + "

    Work out your flat rate

    ", + "

    The VAT flat rate you use usually depends on your business type. You may pay a different rate if you only spend a small amount on goods.

    ", + "

    You get a 1% discount if you\u2019re in your first year as a VAT-registered business.

    ", + "

    If you spend a small amount on goods

    ", + "

    You\u2019re classed as a \u2018limited cost business\u2019 if your goods cost less than either:

    ", + "
  • 2% of your turnover
  • ", + "
  • \u00a31,000 a year (if your costs are more than 2%)
  • ", + "

    This means you pay a higher rate of 16.5%. You can calculate if you need to pay the higher rate and work out which goods count as costs.

    ", + "

    If you are not a limited cost business, you use your business type to work out your flat rate.

    ", + "

    Flat rates for types of business

    ", + "

    Because of coronavirus (COVID-19) the flat rate for catering (including restaurants and takeaways), accommodation and pubs has been reduced until 31 March 2022.

    ", + "Type of business | Current VAT flat rate (%)", + "Accountancy or book-keeping | 14.5", + "Advertising | 11", + "Agricultural services | 11", + "Any other activity not listed elsewhere | 12", + "Architect, civil and structural engineer or surveyor | 14.5", + "Boarding or care of animals | 12", + "Business services not listed elsewhere | 12", + "Catering services including restaurants and takeaways before 15 July 2020 | 12.5", + "Catering services including restaurants and takeaways from 15 July 2020 to 30 September 2021 | 4.5", + "Catering services including restaurants and takeaways from 1 October 2021 to 31 March 2022 | 8.5", + "Computer and IT consultancy or data processing | 14.5", + "Computer repair services | 10.5", + "Entertainment or journalism | 12.5", + "Estate agency or property management services | 12", + "Farming or agriculture not listed elsewhere | 6.5", + "Film, radio, television or video production | 13", + "Financial services | 13.5", + "Forestry or fishing | 10.5", + "General building or construction services* | 9.5", + "Hairdressing or other beauty treatment services | 13", + "Hiring or renting goods | 9.5", + "Hotel or accommodation before 15 July 2020 | 10.5", + "Hotel or accommodation from 15 July 2020 to 30 September 2021 | 0", + "Hotel or accommodation from 1 October 2021 to 31 March 2022 | 5.5", + "Investigation or security | 12", + "Labour-only building or construction services* | 14.5", + "Laundry or dry-cleaning services | 12", + "Lawyer or legal services | 14.5", + "Library, archive, museum or other cultural activity | 9.5", + "Management consultancy | 14", + "Manufacturing fabricated metal products | 10.5", + "Manufacturing food | 9", + "Manufacturing not listed elsewhere | 9.5", + "Manufacturing yarn, textiles or clothing | 9", + "Membership organisation | 8", + "Mining or quarrying | 10", + "Packaging | 9", + "Photography | 11", + "Post offices | 5", + "Printing | 8.5", + "Publishing | 11", + "Pubs before 15 July 2020 | 6.5", + "Pubs from 15 July 2020 to 30 September 2021 | 1", + "Pubs from 1 October 2021 to 31 March 2022 | 4", + "Real estate activity not listed elsewhere | 14", + "Repairing personal or household goods | 10", + "Repairing vehicles | 8.5", + "Retailing food, confectionery, tobacco, newspapers or children\u2019s clothing | 4", + "Retailing pharmaceuticals, medical goods, cosmetics or toiletries | 8", + "Retailing not listed elsewhere | 7.5", + "Retailing vehicles or fuel | 6.5", + "Secretarial services | 13", + "Social work | 11", + "Sport or recreation | 8.5", + "Transport or storage, including couriers, freight, removals and taxis | 10", + "Travel agency | 10.5", + "Veterinary medicine | 11", + "Wholesaling agricultural products | 8", + "Wholesaling food | 7.5", + "Wholesaling not listed elsewhere | 8.5", + "

    *\u2018Labour-only building or construction services\u2019 means building services where the value of the materials supplied is less than 10% of the turnover for those services. If more than this amount, the business is classed as \u2018General building or construction services\u2019.

    ", + "

    What you pay

    ", + "

    You calculate the tax you pay by multiplying your VAT flat rate by your \u2018VAT inclusive turnover\u2019.

    ", + "

    VAT inclusive turnover is different from standard VAT turnover. As well as business income (such as from sales), it includes the VAT paid on that income.

    ", + "

    Calculating 2 flat rates

    ", + "

    The first calculation should start from day one of your accounting period to the last day of that flat rate. The second should start from the date of the new flat rate to the end of your accounting period.

    ", + "

    Get help

    ", + "

    Call the VAT Helpline if you have any questions about the Flat Rate Scheme.

    " + ] + }, + { + "title": "VAT for builders", + "url": "https://www.gov.uk/vat-builders", + "contents": [ + "

    Houses and flats

    ", + "

    VAT for most work on houses and flats by builders and similar trades like plumbers, plasterers and carpenters is charged at the standard rate of 20% - but there are some exceptions.

    ", + "

    How you report and pay VAT in the construction industry is changing from 1 October 2019. Find out what you need to do to prepare.

    ", + "

    Zero rate VAT

    ", + "

    You may not have to charge VAT on some types of work if it meets certain conditions, including:

    ", + "
  • building a new house or flat
  • ", + "
  • work for disabled people in their home
  • ", + "

    There\u2019s a separate guide on VAT refunds if you\u2019re building your own home.

    ", + "

    Reduced rate VAT

    ", + "

    You may be able to charge the reduced rate of 5% for some types of work if it meets certain conditions, including:

    ", + "
  • installing energy saving products and certain work for people over 60
  • ", + "
  • converting a building into a house or flats or from one residential use to another
  • ", + "
  • renovating an empty house or flat
  • ", + "
  • home improvements to a domestic property on the Isle of Man
  • ", + "

    Buildings that are not houses or flats

    ", + "

    You do not need to charge VAT for construction work on certain other types of building.

    ", + "

    Building new homes

    ", + "

    You may not have to charge VAT on labour or building materials for work you do on a new house or flat.

    ", + "

    What counts as new

    ", + "

    For work to be zero-rated for VAT, it must qualify as a genuinely new, self-contained house or flat. This means:

    ", + "
  • it\u2019s self-contained - there are not any internal doors or connections to other houses or flats
  • ", + "
  • it can be used independently of any other property, including businesses
  • ", + "
  • it can be sold on its own
  • ", + "
  • it has proper planning permission
  • ", + "
  • any existing buildings on the site have been demolished completely to ground level (unless you\u2019re extending an existing building to create a new house or flat)
  • ", + "

    For mixed-use buildings, like a shop with a flat above it, only the work on the residential part can be zero-rated for VAT.

    ", + "

    Find out more about qualifying buildings for zero-rated VAT.

    ", + "

    Timing, labour and materials

    ", + "

    Work that\u2019s zero-rated for VAT must take place during the construction project, or be closely related to it (eg demolishing existing buildings and preparing the site). This is known as work done \u2018in the course of construction\u2019.

    ", + "

    You cannot zero-rate work you do after a building\u2019s finished, apart from correcting defects in the original work (\u2018snagging\u2019).

    ", + "

    All labour on a qualifying building can be zero-rated, but there are special rules on what counts as building materials for VAT purposes.

    ", + "

    Work for disabled people

    ", + "

    You may not have to charge VAT on alterations you make to a disabled person\u2019s home, or certain equipment you supply for their personal use.

    ", + "

    Who qualifies as \u2018disabled\u2019

    ", + "

    To be zero-rated for VAT, the work you\u2019re doing needs to be for someone with a:

    ", + "
  • physical or mental impairment that has a major long-term effect on their ability to do everyday activities
  • ", + "
  • condition that the medical profession treats as a chronic sickness (eg diabetes)
  • ", + "
  • terminal illness
  • ", + "

    Someone who\u2019s temporarily disabled or incapacitated, or elderly and frail but not disabled, does not qualify. However, you may be able to charge reduced-rate VAT at 5% on mobility aids, heating and security work for people over 60.

    ", + "

    Alterations

    ", + "

    Work on a disabled person\u2019s home that can be zero-rated includes:

    ", + "
  • building a ramp
  • ", + "
  • widening (but not building) a doorway or passage
  • ", + "
  • installing, extending or adapting a bathroom, washroom or lavatory to suit their condition
  • ", + "
  • installing, repairing or maintaining a lift used to help them move between floors
  • ", + "
  • preparation and restoration of the immediately surrounding decor
  • ", + "

    Find out more about alterations that can be zero-rated for VAT.

    ", + "

    Equipment designed for disabled people

    ", + "

    You do not have to charge VAT if you supply, install, repair, maintain or adapt certain equipment specifically designed for disabled people if it\u2019s for personal use in their home. This includes:

    ", + "
  • adjustable beds
  • ", + "
  • hoists
  • ", + "
  • chair and stair lifts
  • ", + "
  • sanitary devices
  • ", + "
  • alarms
  • ", + "
  • parts and accessories for qualifying equipment
  • ", + "
  • the cost of adapting something for a disabled person
  • ", + "

    Find out more about zero-rated goods and services for disabled people.

    ", + "

    There are different rules for equipment paid for or arranged by the NHS or any other hospital or nursing home.

    ", + "

    Evidence of eligibility

    ", + "

    You\u2019re responsible for making sure that your customer is eligible for zero-rate VAT, and you should be able to prove this from your records.

    ", + "

    You can do this by getting your disabled customers (or a parent, guardian, doctor or another responsible person if they\u2019re not able) to sign a declaration containing information that shows they\u2019re eligible.

    ", + "

    A declaration must be separate (or clearly different) from any order form or invoice for goods or services.

    ", + "

    Energy saving and mobility aids

    ", + "

    You may be able to charge the reduced rate of VAT (5%) for work in residential properties to install:

    ", + "
  • certain energy-saving, heating and security products
  • ", + "
  • mobility aids for people over 60
  • ", + "

    This includes the cost of the products themselves if you install them - but if you only supply them you must charge the standard rate of 20%.

    ", + "

    Energy saving, heating and security

    ", + "

    You can charge the reduced rate of VAT on work you do to install qualifying energy-saving products, and certain grant-funded heating and security equipment for people over 60 or on benefits.

    ", + "

    You can also charge the reduced rate for extra work you need to do as part of the installation. But you must charge the standard rate of 20% on all work if the installation is just part of another, bigger job.

    ", + "

    Find out more about reduced-rate VAT for energy-saving products and grant-funded heating and security.

    ", + "

    Mobility aids

    ", + "

    You can charge the reduced rate of VAT on work you do to install certain mobility aids for people over 60, either in their own private home or in a private home that they share with their friends or relatives.

    ", + "

    Other types of building

    ", + "

    You may not have to charge VAT for some work you do on certain types of buildings that are not houses or flats, including:

    ", + "
  • civil engineering work to develop a residential caravan park
  • ", + "
  • approved alterations and substantial reconstructions to protected buildings
  • ", + "
  • converting a non-residential building into a house or communal residential building for a housing association
  • ", + "
  • constructing certain buildings used by charities for a \u2018relevant charitable purpose\u2019
  • ", + "

    There are also certain other types of communal residential building that you do not have to charge VAT on, including:

    ", + "
  • children\u2019s homes
  • ", + "
  • residential care homes
  • ", + "
  • hospices
  • ", + "
  • student accommodation
  • ", + "
  • school boarding houses
  • ", + "
  • armed forces\u2019 accommodation
  • ", + "
  • monasteries, nunneries and similar buildings
  • " + ] + }, + { + "title": "VAT margin schemes", + "url": "https://www.gov.uk/vat-margin-schemes", + "contents": [ + "

    Overview

    ", + "

    VAT margin schemes tax the difference between what you paid for an item and what you sold it for, rather than the full selling price. You pay VAT at 16.67% (one-sixth) on the difference.

    ", + "

    You can choose to use a margin scheme when you sell:

    ", + "
  • second-hand goods
  • ", + "
  • works of art
  • ", + "
  • antiques
  • ", + "
  • collectors\u2019 items
  • ", + "

    You cannot use a margin scheme for:

    ", + "
  • any item you bought for which you were charged VAT
  • ", + "
  • precious metals
  • ", + "
  • investment gold
  • ", + "
  • precious stones
  • ", + "

    How to start

    ", + "

    You can start using a margin scheme at any time by keeping the correct records, and then reporting it on your VAT return. You do not have to register.

    ", + "

    You\u2019ll have to pay VAT on the full selling price of each item if you do not meet all the scheme\u2019s requirements.

    ", + "

    Exceptions

    ", + "

    There are special rules if you\u2019re selling:

    ", + "
  • second hand cars
  • ", + "
  • horses and ponies
  • ", + "
  • houseboats and caravans
  • ", + "
  • high volume, low price items - you can use the Global Accounting Scheme, a simplified version of the margin scheme
  • ", + "

    There are also special rules for dealers, pawnbrokers and auctioneers.

    ", + "

    Eligibility

    ", + "

    You can only use a margin scheme for:

    ", + "
  • second-hand goods
  • ", + "
  • works of art
  • ", + "
  • antiques and collectors\u2019 items
  • ", + "

    Second-hand goods

    ", + "

    Goods that can still be used, or which could be used after repair.

    ", + "

    Works of art

    ", + "

    Most items normally described as \u2018works of art\u2019 are eligible. There are some exceptions, for example technical drawings, scenery for theatres and hand-decorated manufactured items.

    ", + "

    Antiques and collectors\u2019 items

    ", + "

    Antiques are goods that are over 100 years old. Collectors\u2019 items are stamps, coins and currency and other pieces of scientific, historical or archaeological interest. Not all items that can be collected are eligible for a margin scheme.

    ", + "

    There are special rules for works of art, antiques or collectors\u2019 items imported from outside the European Economic Area (EEA) and works of art bought directly from the creator or their heirs.

    ", + "

    Margin schemes and standard VAT

    ", + "

    If some of the items you buy and sell are not eligible for a margin scheme, you pay and charge VAT for those items in the normal way.

    ", + "

    You cannot include any of the following in your calculations when using a margin scheme:

    ", + "
  • business overheads
  • ", + "
  • repairs
  • ", + "
  • parts or accessories
  • ", + "

    Instead, reclaim these on your VAT return in the normal way.

    ", + "

    Contact HM Revenue and Customs (HMRC) if you\u2019re not sure about a particular item.

    ", + "

    Keeping records

    ", + "

    You must keep the usual VAT records when you use a margin scheme.

    ", + "

    You must also keep:

    ", + "
  • a stockbook that tracks each item sold under the margin scheme individually
  • ", + "
  • copies of purchase and sales invoices for all items
  • ", + "

    Stockbook

    ", + "

    You must record certain information for each item you buy and sell that you want to use a margin scheme for.

    ", + "Purchases | Sales", + "Stock number in numerical sequence | -", + "Date of purchase | Date of sale", + "Purchase invoice number (unless you made out the purchase invoice yourself) | Sales invoice number", + "Purchase price | Selling price, or method of disposal", + "Name of seller | Name of buyer", + "Description of the item | -", + "- | Margin on sale (sales price less purchase price)", + "- | VAT due (16.67% or one-sixth)", + "

    You must keep VAT records for 6 years. You have to keep records until you sell the item for any stock you bought more than 6 years ago that you plan to sell under the margin scheme.

    ", + "

    Invoices

    ", + "

    To use the margin scheme, you must have invoices for each item that meet the VAT margin scheme requirements.

    ", + "

    The margin scheme invoice requirements are not the same as the general VAT invoice requirements.

    ", + "

    You must have:

    ", + "
  • an invoice from the seller when you bought the item
  • ", + "
  • a copy of the invoice you gave to the buyer when you sold the item
  • ", + "

    Buying

    ", + "

    When you buy something you plan to sell under a margin scheme, you must get an invoice from the seller that includes:

    ", + "
  • date
  • ", + "
  • seller\u2019s name and address
  • ", + "
  • your name and address, or that of your business
  • ", + "
  • the item\u2019s unique stockbook number (if you bought the item from another VAT-registered business)
  • ", + "
  • invoice number (unless you made out the purchase invoice yourself)
  • ", + "
  • item description
  • ", + "
  • total price - you must not add any other costs to this price
  • ", + "
  • if you bought the item from another VAT-registered business, any of the following: \u2018margin scheme - second hand goods\u2019, \u2018margin scheme - works of art\u2019 or \u2018margin scheme - collectors\u2019 items and antiques\u2019
  • ", + "

    Selling

    ", + "

    When you sell something you plan to claim for under a VAT margin scheme, you must give the buyer an invoice that includes:

    ", + "
  • date
  • ", + "
  • your name, address and VAT registration number
  • ", + "
  • the buyer\u2019s name and address, or that of their business
  • ", + "
  • the item\u2019s unique stock book number
  • ", + "
  • invoice number
  • ", + "
  • item description
  • ", + "
  • total price - you must not show VAT separately
  • ", + "
  • any of the following: \u2018margin scheme - second hand goods\u2019, \u2018margin scheme - works of art\u2019 or \u2018margin scheme - collectors\u2019 items and antiques\u2019
  • ", + "

    There are special rules for using the margin scheme for imports and exports outside the UK. Find out more about the rules.

    ", + "

    VAT return

    ", + "

    You must show any goods you bought or sold using a margin scheme on your VAT return.

    ", + "

    Filling in your VAT return

    ", + "Box on the VAT return form | What to fill in", + "Box 1 | Include the output tax due on all eligible goods sold in the period covered by the return", + "Box 6 | Include the full selling price of all eligible goods sold in the period, less any VAT due on the margin", + "Box 7 | Include the full purchase price of eligible goods bought in the period", + "

    You do not have to include margin scheme purchases or sales in boxes 8 and 9 of your VAT return.

    " + ] + }, + { + "title": "VAT record keeping", + "url": "https://www.gov.uk/vat-record-keeping", + "contents": [ + "

    Overview

    ", + "

    VAT-registered businesses must:

    ", + "
  • keep records of sales and purchases
  • ", + "
  • keep a separate summary of VAT called a VAT account
  • ", + "
  • issue correct VAT invoices
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    If you\u2019ve signed up for Making Tax Digital for VAT, the records you need to keep are the same as any VAT-registered business but you\u2019ll need to keep some of them digitally.

    ", + "

    How to keep VAT records

    ", + "

    You must keep VAT records for at least 6 years (or 10 years if you used the VAT MOSS service).

    ", + "

    You can keep VAT records on paper, electronically or as part of a software program (such as book-keeping software). Records must be accurate, complete and readable.

    ", + "

    If your taxable turnover is more than \u00a385,000, you must keep a digital record of anything that\u2019s needed for your VAT Return.

    ", + "

    If you\u2019ve lost a VAT invoice or it is damaged and no longer readable, ask the supplier for a duplicate (marked \u2018duplicate\u2019).

    ", + "

    HMRC can visit your business to inspect your record keeping and charge you a penalty if your records are not in order.

    ", + "

    You can hire a professional (such as an accountant) if you need help with your VAT.

    ", + "

    VAT invoices

    ", + "

    Only VAT-registered businesses can issue VAT invoices and you must:

    ", + "
  • issue and keep valid invoices - these can be paper or electronic
  • ", + "
  • keep copies of all the sales invoices you issue even if you cancel them or produce one by mistake
  • ", + "
  • keep all purchase invoices for items you buy
  • ", + "

    Valid invoices

    ", + "

    You\u2019ll use a full VAT invoice for most transactions. You can use:

    ", + "
  • a modified invoice for retail supplies over \u00a3250
  • ", + "
  • a simplified invoice for retail supplies under \u00a3250 - and for other supplies from 1 January 2013
  • ", + "

    You cannot reclaim VAT using an invalid invoice, pro-forma invoice, statement or delivery note.

    ", + "

    Include the following on your invoice, depending on which type you use.

    ", + "Invoice information | Full invoice | Simplified invoice | Modified invoice", + "Unique invoice number that follows on from the last invoice | Yes | Yes | Yes", + "Your business name and address | Yes | Yes | Yes", + "Your VAT number | Yes | Yes | Yes", + "Date | Yes | No | Yes", + "The tax point (or \u2018time of supply\u2019) if this is different from the invoice date | Yes | Yes | Yes", + "Customer\u2019s name or trading name, and address | Yes | No | Yes", + "Description of the goods or services | Yes | Yes | Yes", + "Total amount excluding VAT | Yes | No | Yes", + "Total amount of VAT | Yes | No | Yes", + "Price per item, excluding VAT | Yes | No | Yes", + "Quantity of each type of item | Yes | No | Yes", + "Rate of any discount per item | Yes | No | Yes", + "Rate of VAT charged per item - if an item is exempt or zero-rated make clear no VAT on these items | Yes | Yes (1) | Yes", + "Total amount including VAT | No | Yes (1) | Yes", + "

    (1) If items are charged at different VAT rates, then show this for each.

    ", + "

    Accounting schemes

    ", + "

    If you use the Cash Accounting Scheme you have to stamp an invoice with the amount of cash paid and the date.

    ", + "

    There are different rules for record keeping and invoicing if you use a VAT Margin Scheme.

    ", + "

    Deadlines

    ", + "

    Usually VAT invoices must be issued within 30 days of the date of supply or the date of payment (if you\u2019re paid in advance).

    ", + "

    International trade

    ", + "

    You do not have to show all amounts on your invoices in sterling. If you issue VAT invoices in a foreign currency or language, you must:

    ", + "
  • show the total VAT payable in sterling on your VAT invoice if the supply takes place in the UK
  • ", + "
  • be able to provide an English translation of any invoice within 30 days if asked to do so by a visiting VAT officer
  • ", + "

    Converting to sterling

    ", + "

    To convert to sterling you can:

    ", + "
  • use the market selling rate at the time of supply
  • ", + "
  • use the European Central Bank\u2019s rate
  • ", + "
  • use HMRC\u2019s period rates of exchange - the rates usually stay the same for each calendar month
  • ", + "
  • apply to HMRC to use a different method to account for the VAT
  • ", + "

    There are different rules if you use the Tour Operator\u2019s Scheme.

    ", + "

    Exceptions

    ", + "

    You do not need to issue a VAT invoice if:

    ", + "
  • your invoice is only for exempt or zero-rated sales within the UK
  • ", + "
  • you\u2019re giving goods as a gift
  • ", + "
  • you sell goods under a VAT second-hand margin scheme
  • ", + "
  • your customer operates a self-billing arrangement
  • ", + "

    VAT records

    ", + "

    Records you must keep include:

    ", + "
  • copies of all invoices you issue
  • ", + "
  • all invoices you receive (originals or electronic copies)
  • ", + "
  • self-billing agreements - this is where the customer prepares the invoice
  • ", + "
  • name, address and VAT number of any self-billing suppliers
  • ", + "
  • debit or credit notes
  • ", + "
  • import and export records
  • ", + "
  • records of items you cannot reclaim VAT on - for example business entertainment
  • ", + "
  • records of any goods you give away or take from stock for your private use
  • ", + "
  • records of all the zero-rated, reduced or VAT exempt items you buy or sell
  • ", + "
  • a VAT account
  • ", + "

    You must also keep general business records such as bank statements, cash books, cheque stubs, paying-in slips and till rolls.

    ", + "

    If you use the Cash Accounting Scheme you must use these records to match them against your payment records and receipts.

    ", + "

    If you supply digital services in the EU and use VAT MOSS, you must keep additional records.

    ", + "

    HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.

    ", + "

    Keeping digital records

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    Retailers

    ", + "

    If you\u2019re a retailer you do not have to issue VAT invoices unless a customer asks for one. Keep a copy if you do. Retailers can issue \u2018simplified invoices\u2019 for supplies under \u00a3250.

    ", + "

    Debit and credit notes

    ", + "

    When you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled with a credit or debit note.

    ", + "

    Record these in your accounts and keep any original notes.

    ", + "

    VAT records for Making Tax Digital

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019 by keeping some records digitally, unless:

    ", + "
  • your business uses the VAT GIANT service, for example if you\u2019re a government department or an NHS Trust
  • ", + "
  • you apply for an exemption
  • ", + "

    You can choose to sign up to Making Tax Digital for VAT if your business earns less than \u00a385,000.

    ", + "

    From 1 April 2022 all VAT registered businesses must sign up, whatever they earn.

    ", + "

    Records you must keep digitally

    ", + "

    You need to keep the following records digitally:

    ", + "
  • your business name, address and VAT registration number
  • ", + "
  • any VAT accounting schemes you use
  • ", + "
  • the VAT on goods and services you supply, for example everything you sell, lease, transfer or hire out (supplies made)
  • ", + "
  • the VAT on goods and services you receive, for example everything you buy, lease, rent or hire (supplies received)
  • ", + "
  • any adjustments you make to a return
  • ", + "
  • the \u2018time of supply\u2019 and \u2018value of supply\u2019 (value excluding VAT) for everything you buy and sell
  • ", + "
  • the rate of VAT charged on goods and services you supply
  • ", + "
  • reverse charge transactions - where you record the VAT on both the sale price and the purchase price of goods and services you buy
  • ", + "
  • your total daily gross takings if you use a retail scheme
  • ", + "
  • items you can reclaim VAT on if you use the Flat Rate Scheme
  • ", + "
  • your total sales, and the VAT on those sales, if you trade in gold and use the Gold Accounting Scheme
  • ", + "

    You also need to keep digital copies of documents that cover multiple transactions made on behalf of your business by:

    ", + "
  • volunteers for charity fundraising
  • ", + "
  • a third party business
  • ", + "
  • employees for expenses in petty cash
  • ", + "

    You must add all your transactions to your digital records, but you do not need to scan paper records like invoices or receipts.

    ", + "

    How to keep digital records

    ", + "

    You need to use a compatible software package or other software (like spreadsheets) that connect to HMRC systems.

    ", + "

    If you use more than one software package to keep records and submit returns, you need to link them.

    ", + "

    Some ways you can link your software include:

    ", + "
  • using formulas to link cells in spreadsheets
  • ", + "
  • emailing records
  • ", + "
  • putting records on a portable device to give to your agent
  • ", + "
  • importing and exporting XML and CSV files
  • ", + "
  • downloading and uploading files
  • ", + "

    You must have links between the software you use by your first VAT period after 1 April 2021.

    ", + "

    When to send your VAT return

    ", + "

    The deadlines for sending your VAT returns will not change after you sign up for Making Tax Digital for VAT.

    ", + "

    To see when your next return is due, sign in to your VAT online account.

    ", + "

    How to sign up for Making Tax Digital for VAT

    ", + "

    How you sign up depends on whether you\u2019re:

    ", + "
  • a business
  • ", + "
  • an agent acting for a client
  • ", + "

    Sign up for Making Tax Digital for VAT

    ", + "

    You must sign up for \u2018Making Tax Digital for VAT\u2019 if your taxable turnover is more than \u00a385,000, so you can:

    ", + "
  • keep digital records
  • ", + "
  • submit your business\u2019s VAT return using compatible software
  • ", + "

    There\u2019s a different way to sign up if you\u2019re an agent.

    ", + "

    Before you start

    ", + "

    You must have compatible software before you sign up.

    ", + "

    What you need

    ", + "

    To sign up you need:

    ", + "
  • your business email address
  • ", + "
  • a Government Gateway user ID and password - if you do not have a user ID, you can create one when you use the service
  • ", + "
  • your VAT registration number and latest VAT return
  • ", + "

    You\u2019ll also need:

    ", + "
  • your National Insurance number if you\u2019re a sole trader
  • ", + "
  • your company registration number and Unique Taxpayer Reference if you\u2019re a limited company or registered society
  • ", + "
  • your Unique Taxpayer Reference and the postcode where you\u2019re registered for Self Assessment if you\u2019re a general partnership
  • ", + "
  • your Unique Taxpayer Reference, the postcode where you\u2019re registered for Self Assessment and your company\u2019s registration number if you\u2019re a limited partnership
  • ", + "

    When to sign up

    ", + "

    If you already pay by Direct Debit do not sign up too close to the date your return is due, or you may pay twice.

    ", + "

    To avoid this, do not sign up less than:

    ", + "
  • 7 days before your return is due
  • ", + "
  • 5 days after your return is due
  • ", + "

    If you do not pay by Direct Debit, sign up at least 3 days before your return is due.

    ", + "

    If you\u2019re finding it difficult to access the service, check if there\u2019s a technical issue or other known problem.

    ", + "

    Sign up now

    ", + "

    After you\u2019ve signed up

    ", + "

    You should get a confirmation email from noreply@tax.service.gov.uk within 3 days of signing up. It might go to your spam folder.

    ", + "

    Do not submit a VAT Return until you get a confirmation email.

    ", + "

    Contact HMRC if you do not get an email.

    ", + "

    VAT account

    ", + "

    You must keep a separate record of the VAT you charge and the VAT you pay on your purchases. This record is called a \u2018VAT account\u2019.

    ", + "

    You use the figures in your VAT account to complete your VAT Return.

    ", + "

    There are no rules on what a VAT account should look like, but it must show:

    ", + "
  • your total VAT sales
  • ", + "
  • your total VAT purchases
  • ", + "
  • the VAT you owe HM Revenue and Customs (HMRC)
  • ", + "
  • the VAT you can reclaim from HMRC
  • ", + "
  • if your business uses the VAT Flat Rate Scheme - the flat rate percentage and turnover it applies to
  • ", + "

    If you are registered for VAT in Northern Ireland, you must also show the VAT on any EU purchases or sales.

    ", + "

    Errors

    ", + "

    If you\u2019ve made an error in your VAT Return the VAT account must show:

    ", + "
  • the date you discovered the error
  • ", + "
  • details about the error - for example how it happened, how you corrected it
  • ", + "

    You may also need to report the error to HMRC.

    ", + "

    Bad debts

    ", + "

    If you write off an invoice as a bad debt, you must keep a separate \u2018VAT bad debt account\u2019. The debt must be older than 6 months and for each bad debt you must show:

    ", + "
  • total amount of VAT involved
  • ", + "
  • amount written off and any payments you\u2019ve received
  • ", + "
  • the VAT you\u2019re claiming on the debt
  • ", + "
  • the VAT period(s) you paid the VAT and are claiming the relief
  • ", + "
  • invoices details like date, customer name
  • ", + "

    You must keep this information for 4 years.

    ", + "

    Time of supply or tax point

    ", + "

    The tax point (or \u2018time of supply\u2019) for a transaction is the date the transaction takes place for VAT purposes.

    ", + "

    You need to know this because, for example:

    ", + "
  • it\u2019s included on VAT invoices
  • ", + "
  • it tells you which VAT period the transaction belongs to
  • ", + "
  • it tells you which VAT Return to put the transaction on
  • ", + "

    The tax point can vary, but is usually the following.

    ", + "Situation | Tax point", + "No invoice needed | Date of supply", + "VAT invoice issued | Date of invoice", + "VAT invoice issued 15 days or more after the date of supply | Date the supply took place", + "Payment or invoice issued in advance of supply | Date of payment or invoice (whichever is earlier)", + "Payment in advance of supply and no VAT invoice yet issued | Date payment received", + "

    The date of supply is:

    ", + "
  • for goods - the date they\u2019re sent, collected or made available (for example installed in the customer\u2019s house)
  • ", + "
  • for services - the date the work is finished
  • ", + "

    Exceptions

    ", + "

    If you use the VAT Cash Accounting Scheme, the tax point is always the date the payment is received.

    ", + "

    There are different tax point rules for:

    ", + "
  • certain trades - like barristers, building and construction
  • ", + "
  • where the supply is not a \u2018sale\u2019 \u2013 for example business items taken for personal use
  • ", + "

    Sometimes, one sale can give rise to 2 or more tax points - for example where the customer pays a deposit in advance, and then a final payment.

    " + ] + }, + { + "title": "VAT retail schemes", + "url": "https://www.gov.uk/vat-retail-schemes", + "contents": [ + "

    How VAT retail schemes work

    ", + "

    If you sell goods you must calculate how much VAT to record in your VAT account.

    ", + "

    For goods sold inclusive of VAT, you must deduct the VAT you have to record. For goods sold exclusive of VAT, you must add it.

    ", + "

    VAT retail schemes can make calculating your VAT simpler. Instead of calculating the VAT for each sale you make, you do it once with each VAT return.

    ", + "

    There are 3 standard VAT retail schemes:

    ", + "
  • Point of Sale Scheme - you identify and record the VAT at the time of sale
  • ", + "
  • Apportionment Scheme - you buy goods for resale
  • ", + "
  • Direct Calculation Scheme - you make a small proportion of sales at one VAT rate and the majority at another rate
  • ", + "

    If your turnover excluding VAT is over \u00a3130 million you must agree a bespoke retail scheme with HM Revenue and Customs (HMRC).

    ", + "

    You can use a retail scheme together with the Cash Accounting Scheme and the Annual Accounting Scheme.

    ", + "

    You can\u2019t use retail schemes with the Flat Rate Scheme.

    ", + "

    Joining and using a scheme

    ", + "

    You can join a retail scheme at the beginning of any VAT period. You don\u2019t need to tell HMRC.

    ", + "

    It\u2019s up to you which scheme you join. The calculations you have to do vary for each scheme.

    ", + "

    You must provide an individual VAT invoice if a customer asks for one.

    ", + "

    Changing and leaving a scheme

    ", + "

    You can leave a scheme at the end of any VAT period. If your turnover rises above \u00a3130 million you\u2019ll have to leave the scheme immediately.

    ", + "

    You can change to another scheme after 1 year of joining a scheme.

    ", + "

    Caterers, pharmacists and florists

    ", + "

    There are separate rules if you\u2019re a:

    ", + "
  • caterer
  • ", + "
  • pharmacist
  • ", + "
  • florist
  • ", + "

    Point of Sale Scheme

    ", + "

    Who can use it

    ", + "

    You can use this scheme if you can identify the VAT rate for goods sold at the time of sale, eg you have an electronic till that does this for you.

    ", + "

    How to calculate your VAT

    ", + "
  • Add up all the sales for each VAT rate for the VAT return period.
  • ", + "
  • For 20% rated goods, divide the sales by 6. For 5% rated goods, divide the sales by 21.
  • ", + "

    Apportionment Scheme

    ", + "

    Who can use it

    ", + "

    You can only use this scheme if you buy goods for resale.

    ", + "

    You can\u2019t use apportionment if you provide:

    ", + "
  • services
  • ", + "
  • goods that you\u2019ve made or grown yourself
  • ", + "
  • catering services
  • ", + "

    Your turnover, excluding VAT, can\u2019t be more than \u00a31 million a year.

    ", + "

    There is a separate scheme for businesses with a turnover of between \u00a31 and \u00a3130 million.

    ", + "

    How to calculate your VAT

    ", + "
  • Calculate the total value of goods purchased for resale in the VAT period for each VAT rate.
  • ", + "
  • Divide the total of purchases for each VAT rate by the total for all purchases.
  • ", + "
  • Multiply the outcome by your total sales, divided by 6 for 20% rated goods, and divided by 21 for 5% rated goods.
  • ", + "

    Direct Calculation Scheme

    ", + "

    Who can use it

    ", + "

    You might want to use this scheme if you make a small proportion of sales at one VAT rate and the majority at another rate.

    ", + "

    Your turnover, excluding VAT, can\u2019t be more than \u00a31 million a year.

    ", + "

    There\u2019s a separate scheme for businesses with a turnover of between \u00a31 million and \u00a3130 million.

    ", + "

    How to calculate your VAT

    ", + "
  • Calculate the expected selling prices (ESPs) for your minority or majority goods. Use the one that\u2019s easier.
  • ", + "
  • Total up the ESP for the VAT period.
  • ", + "
  • If your goods are standard rated at 20% divide the total ESP by 6. If they\u2019re zero rated, deduct the total ESP from your total sales. This will give you your sales at 20%. Then divide by 6.
  • ", + "
  • If you have reduced-rate (5%) goods deduct the ESP of this from your sales before calculating your VAT at 20%. Then calculate the VAT due on reduced-rate goods by dividing the ESP of these by 21. Add this figure to your 20% VAT to get total VAT due.
  • ", + "

    You must make an annual stock adjustment if your annual turnover is between \u00a31 million and \u00a3130 million.

    " + ] + }, + { + "title": "State Pension if you retire abroad", + "url": "https://www.gov.uk/state-pension-if-you-retire-abroad", + "contents": [ + "

    Claim State Pension abroad

    ", + "

    You can claim State Pension abroad if you\u2019ve paid enough UK National Insurance contributions to qualify.

    ", + "

    Get a State Pension forecast if you need to find out how much State Pension you may get.

    ", + "

    Make a claim

    ", + "

    You must be within 4 months of your State Pension age to claim.

    ", + "

    To claim your pension, you can either:

    ", + "
  • contact the International Pension Centre
  • ", + "
  • send the international claim form to the International Pension Centre (the address is on the form)
  • ", + "

    If you live part of the year abroad

    ", + "

    You must choose which country you want your pension to be paid in. You cannot be paid in one country for part of the year and another for the rest of the year.

    ", + "

    Bank accounts your pension can be paid into

    ", + "

    Your State Pension can be paid into:

    ", + "
  • a bank in the country you\u2019re living in
  • ", + "
  • a bank or building society in the UK
  • ", + "

    You can use:

    ", + "
  • an account in your name
  • ", + "
  • a joint account
  • ", + "
  • someone else\u2019s account - if you have their permission and keep to the terms and conditions of the account
  • ", + "

    You\u2019ll need the international bank account number (IBAN) and bank identification code (BIC) numbers if you have an overseas account.

    ", + "

    You\u2019ll be paid in local currency - the amount you get may change due to exchange rates.

    ", + "

    When you\u2019ll get paid

    ", + "

    You can choose to be paid every 4 or 13 weeks.

    ", + "

    If your State Pension is under \u00a35 per week, you\u2019ll be paid once a year in December.

    ", + "

    Delays to payments around US bank holidays

    ", + "

    If you live abroad and your payment is due in the same week as a US bank holiday, it could arrive one day late. This is because a US company processes these payments.

    ", + "

    How your pension is affected

    ", + "

    Your State Pension will only increase each year if you live in:

    ", + "
  • the European Economic Area (EEA)
  • ", + "
  • Gibraltar
  • ", + "
  • Switzerland
  • ", + "
  • countries that have a social security agreement with the UK (but you cannot get increases in Canada or New Zealand)
  • ", + "

    You will not get yearly increases if you live outside these countries.

    ", + "

    Your pension will go up to the current rate if you return to live in the UK.

    ", + "

    Get advice

    ", + "

    Contact the International Pension Centre if you want advice on how your pension might be affected if you\u2019ve already retired and are thinking of moving abroad.

    ", + "

    Paying tax

    ", + "

    How much tax you\u2019ll pay and where you pay it depends on where you\u2019re considered to be a resident.

    ", + "

    UK residents

    ", + "

    You may have to pay UK tax on your State Pension if you live abroad but are classed as a UK resident for tax purposes. The amount you pay depends on your income.

    ", + "

    Overseas residents

    ", + "

    You may be taxed on your State Pension by the UK and the country where you live. \nIf you pay tax twice, you can usually claim tax relief to get all or some of it back.

    ", + "

    If the country you live in has a \u2018double taxation agreement\u2019 with the UK, you\u2019ll only pay tax on your pension once. This may be to the UK or the country where you live, depending on that country\u2019s tax agreement.

    ", + "

    Report a change in your circumstances

    ", + "

    Report changes (such as a change of address or bank details) to the International Pension Centre by phone or in writing - do not send changes by email.

    ", + "

    If you\u2019re asked to fill in a \u2018life certificate\u2019

    ", + "

    You may get a \u2018life certificate\u2019 form from the Department for Work and Pensions to check you\u2019re still eligible for the State Pension.

    ", + "

    You need to get the form signed by a witness. The instructions are on the form.

    ", + "

    Your witness does not have to live in the UK or have a passport from any specific country.

    ", + "

    The people who can sign the form are the same as those who can \u2018countersign\u2019 a passport photo.

    ", + "

    Your payments may be suspended if you do not send the form back.

    ", + "

    Returning to the UK

    ", + "

    Contact the Pension Service - you need your return date and contact details, both abroad and in the UK.

    ", + "

    Call HM Revenue and Customs (HMRC) to say you\u2019re returning to the UK.

    " + ] + }, + { + "title": "Taking your pet dog, cat or ferret abroad", + "url": "https://www.gov.uk/taking-your-pet-abroad", + "contents": [ + "

    Overview

    ", + "

    When travelling with your pet dog, cat or ferret abroad, what you need to do will depend on what country you\u2019re going to.

    ", + "

    There are different rules for travelling with your pet to an EU country or Northern Ireland and for taking your pet to a non-EU country.

    ", + "

    There\u2019s different guidance if you\u2019re bringing your pet dog, cat or ferret to the UK.

    ", + "

    Travelling to an EU country or Northern Ireland

    ", + "

    You can no longer use a pet passport issued in Great Britain (England, Wales and Scotland) for travel to an EU country or Northern Ireland. You can still use a pet passport issued in an EU country or Northern Ireland.

    ", + "

    When travelling to an EU country or Northern Ireland, your pet needs:

    ", + "
  • a microchip
  • ", + "
  • a valid rabies vaccination
  • ", + "
  • an animal health certificate unless you have a pet passport issued in an EU country or Northern Ireland
  • ", + "
  • tapeworm treatment for dogs if you\u2019re travelling directly to Finland, Ireland, Northern Ireland, Norway or Malta
  • ", + "

    These requirements also apply to assistance dogs.

    ", + "

    Check the rules of the country you\u2019re travelling to for any additional restrictions or requirements before you travel.

    ", + "

    Travelling from Great Britain to Northern Ireland in early 2021

    ", + "

    If you have a pet passport issued in Northern Ireland, contact your vet for advice before travelling.

    ", + "

    You can also read about changes to pet travel on the NIDirect website.

    ", + "

    Arriving in an EU country or Northern Ireland

    ", + "

    You\u2019ll need to go through a travellers\u2019 point of entry when you arrive in an EU country or Northern Ireland.

    ", + "

    You may need to show your pet\u2019s animal health certificate along with proof of their:

    ", + "
  • microchip
  • ", + "
  • rabies vaccination
  • ", + "
  • tapeworm treatment (if required)
  • ", + "

    Repeat trips to an EU country or Northern Ireland

    ", + "

    Your pet will need a new animal health certificate for each trip to an EU country or Northern Ireland.

    ", + "

    Your pet will not need a repeat rabies vaccination so long as it\u2019s rabies vaccinations are up to date.

    ", + "

    Your dog will need tapeworm treatment for each trip if you\u2019re travelling directly to Finland, Ireland, Malta, Northern Ireland or Norway.

    ", + "

    Travelling with more than 5 pets

    ", + "

    You cannot take more than 5 pets to an EU country or Northern Ireland unless you\u2019re attending or training for a:

    ", + "
  • competition
  • ", + "
  • show
  • ", + "
  • sporting event
  • ", + "

    You\u2019ll need written evidence of registration for the event when you travel.

    ", + "

    All your pets must:

    ", + "
  • be attending the event or training
  • ", + "
  • be over 6 months old
  • ", + "
  • meet all the other requirements for pet travel to that country
  • ", + "

    Exporting pets for commercial purposes

    ", + "

    Read the Border Operating Model if you want to export pets to an EU country or Northern Ireland for commercial reasons such as change of ownership.

    ", + "

    Travelling to a non-EU country

    ", + "

    If you\u2019re travelling to a non-EU country, you\u2019ll need to get an export health certificate (EHC). You\u2019ll also need to complete an export application form (EXA) if you\u2019re in England, Scotland or Wales.

    ", + "

    The export health certificate and the export application form for each country and pet will tell you how to apply.

    ", + "

    An EHC checks that your pet meets the health requirements of the country you\u2019re travelling to.

    ", + "

    You must nominate an official vet who will be sent the EHC. They\u2019ll check your pet has met the correct health and identification requirements before you travel.

    ", + "

    Check the rules of the country you\u2019re travelling to for any additional restrictions or requirements before you travel.

    ", + "

    Getting an animal health certificate

    ", + "

    You need an animal health certificate for your dog, cat or ferret if you\u2019re travelling from Great Britain (England, Wales and Scotland) to an EU country or Northern Ireland.

    ", + "

    You do not need an animal health certificate if you have a pet passport issued in an EU country or Northern Ireland.

    ", + "

    How to get an animal health certificate

    ", + "

    You must take your pet to your vet to get an animal health certificate. You need to do this no more than 10 days before you travel.

    ", + "

    The certificate needs to be signed by an \u2018official veterinarian\u2019 (OV). Check your vet can issue animal health certificates. If they cannot, ask them to help you find an OV.

    ", + "

    When you visit your vet, you\u2019ll need to take proof of your pet\u2019s:

    ", + "
  • microchipping date
  • ", + "
  • vaccination history
  • ", + "

    Your pet\u2019s animal health certificate will be valid after the date of issue for:

    ", + "
  • 10 days for entry into the EU or Northern Ireland
  • ", + "
  • 4 months for onward travel within the EU
  • ", + "
  • 4 months for re-entry to Great Britain
  • ", + "

    Your pet will need a new animal health certificate for each trip to an EU country or Northern Ireland from Great Britain.

    ", + "

    Microchip

    ", + "

    You must get your pet microchipped before, or at the same time as, their rabies vaccination. If you do not, they\u2019ll need to be vaccinated again.

    ", + "

    Microchipping for pet travel can only be done by:

    ", + "
  • a vet
  • ", + "
  • a vet nurse, student vet or student vet nurse (directed by a vet)
  • ", + "
  • someone trained in microchipping before 29 December 2014, and with practical experience
  • ", + "
  • someone who has been assessed on an approved training course - contact the Department of Agriculture, Environment and Rural Affairs\n (DAERA) if the course was in Northern Ireland
  • ", + "

    Make sure your vet puts the microchip number in your animal health certificate. The date must be before your pet\u2019s vaccinations.

    ", + "

    Reading the microchip

    ", + "

    Airlines, train and ferry companies in the EU can read microchips that meet International Organization for Standardization (ISO) standards ISO 11784 and ISO 11785.

    ", + "

    You may have to bring your own microchip reader when you travel if your pet\u2019s microchip does not meet ISO standards. You should check with your travel company before you leave.

    ", + "

    If the microchip cannot be read

    ", + "

    You\u2019ll have to do all the preparation again if your vet cannot read the microchip. This means you\u2019ll have to ask your vet to:

    ", + "
  • rechip your pet
  • ", + "
  • revaccinate your pet
  • ", + "
  • issue a new animal health certificate if you\u2019re travelling to the EU or Northern Ireland
  • ", + "
  • record new microchips in the \u2018Marking of animals\u2019 section of the new animal health certificate
  • ", + "

    You\u2019ll have to wait the required time before you can travel if your pet is revaccinated or has new blood tests.

    ", + "

    If the microchip can only sometimes be read

    ", + "

    Your vet should try to read the microchip. If they get a reading, they can rechip your pet (the original chip is not removed).

    ", + "

    This must be recorded in the animal health certificate in the \u2018Marking of animals\u2019 section with:

    ", + "
  • the number of the old and new chips
  • ", + "
  • the date they were read
  • ", + "
  • the date the new chip was inserted
  • ", + "

    The vet must sign and stamp the page in the animal health certificate.

    ", + "

    Your vet should record in the \u2018Others\u2019 section of the animal health certificate that your pet has been rechipped.

    ", + "

    Tattoo

    ", + "

    You do not need to have your pet microchipped if it\u2019s been tattooed with an identification number and all of the following are true:

    ", + "
  • you\u2019re travelling to the EU or Northern Ireland
  • ", + "
  • your pet was tattooed on or before 3 July 2011
  • ", + "
  • the tattoo is clearly legible
  • ", + "
  • your pet was vaccinated against rabies after it was tattooed
  • ", + "

    Your vet must record the date of tattooing, the tattoo number and the date of the rabies vaccination in the animal health certificate.

    ", + "

    Rabies vaccination, boosters and blood tests

    ", + "

    You must get your dog, cat or ferret vaccinated against rabies before it can travel. Your vet needs proof that your pet\u2019s at least 12 weeks old before vaccinating them.

    ", + "

    If you\u2019re taking your pet to the EU or Northern Ireland, you must wait 21 days after the primary vaccination before you travel.

    ", + "

    You must get your pet microchipped before, or at the same time as, their rabies vaccination. If you do not, they\u2019ll need to be vaccinated again.

    ", + "

    The vaccine must be an inactivated vaccine or recombinant vaccine that\u2019s approved in the country of use.

    ", + "

    Booster vaccinations

    ", + "

    If you\u2019re travelling with your pet, you must get regular rabies booster vaccinations for your pet. Check your animal health certificate to find out when the booster vaccination is due.

    ", + "

    You will not need to get repeat vaccinations for repeat trips to the EU or Northern Ireland if your pet\u2019s rabies vaccination is up to date.

    ", + "

    Vaccination record

    ", + "

    Your pet\u2019s vaccination record in their animal health certificate must show:

    ", + "
  • your pet\u2019s date of birth
  • ", + "
  • microchip number, date it was put in or read, and where it is on your pet\u2019s body
  • ", + "
  • vaccination date
  • ", + "
  • vaccine manufacturer and product name
  • ", + "
  • vaccine batch number
  • ", + "
  • date the vaccination is valid until
  • ", + "
  • the vet\u2019s signature and contact details
  • ", + "

    Your pet can be stopped from travelling if the details in their animal health certificate are in the wrong place.

    ", + "

    Tapeworm treatment for dogs

    ", + "

    A vet must treat your dog for tapeworm and record it in the animal health certificate if you\u2019re travelling directly to:

    ", + "
  • Finland
  • ", + "
  • Ireland
  • ", + "
  • Malta
  • ", + "
  • Northern Ireland
  • ", + "
  • Norway
  • ", + "

    The treatment must have been given no less than 24 hours and no more than 120 hours (5 days) before you arrive.

    ", + "

    The treatment must:

    ", + "
  • be approved for use in the country it\u2019s being given in
  • ", + "
  • contain praziquantel or an equivalent proven to be effective against the Echinococcus multilocularis tapeworm
  • ", + "

    Short trips

    ", + "

    If you\u2019re leaving Great Britain (England, Wales and Scotland) for a short trip to visit countries other than Finland, Ireland, Malta, Northern Ireland or Norway, you could have your dog treated by a vet before you go.

    ", + "

    You must wait for 24 hours before re-entering Great Britain and return within 120 hours or you\u2019ll need to get another treatment abroad.

    ", + "

    Information your vet needs to record

    ", + "

    Check the vet has put the following details in the \u2018Echinococcus treatment\u2019 section of your dog\u2019s pet animal health certificate:

    ", + "
  • the name and manufacturer of the product
  • ", + "
  • the date and time they treated your dog
  • ", + "
  • their stamp and signature
  • ", + "

    Help and support

    ", + "

    You can contact the Animal and Plant Health Agency (APHA) if you\u2019ve got questions or need more information.

    ", + "

    If you\u2019re travelling to the EU or Northern Ireland

    ", + "

    Contact the Pet Travel Scheme helpline if you need more information about pet travel.

    ", + "

    If you\u2019re travelling to a non-EU country

    ", + "

    Contact APHA if you need more information about pet travel to a non-EU country.

    " + ] + }, + { + "title": "Get a passport urgently", + "url": "https://www.gov.uk/get-a-passport-urgently", + "contents": [ + "

    How to apply

    ", + "

    You can pay for a faster service if you need a passport within the next 3 weeks.

    ", + "

    You need to book a passport office appointment and pay online. You can book an appointment up to 3 weeks in advance.

    ", + "

    If you need a passport to travel urgently for medical treatment or because a friend or family member is seriously ill or has died, call the \u2018Passport Adviceline\u2019 instead.

    ", + "

    Check current coronavirus (COVID-19) travel advice before travelling. If your passport application is successful, it does not mean you\u2019re currently allowed to travel.

    ", + "

    Who can apply

    ", + "

    You can apply for a faster service if you\u2019re in the UK and need to renew or replace a passport, or get a first child passport.

    ", + "

    Use the non-urgent service if either:

    ", + "
  • you\u2019re applying for a first adult passport
  • ", + "
  • you do not need your passport within the next 3 weeks
  • ", + "

    If you\u2019re outside the UK, apply for an emergency travel document.

    ", + "

    Track your passport application if you\u2019ve already applied for a passport and have not received it. Do not pay for an urgent passport - you will not get your passport sooner or get a refund.

    ", + "

    Ways to apply

    ", + "

    There are 2 ways to apply for an urgent passport.

    ", + "

    As part of the application, you\u2019ll need to attend an appointment at your nearest passport office.

    ", + "

    Online Premium

    ", + "

    You get your new passport at your appointment. Appointments last up to 30 minutes.

    ", + "

    You can use this service to renew an adult passport.

    ", + "

    Use the Online Premium service.

    ", + "

    1 week Fast Track

    ", + "

    Your new passport is delivered to your home within 1 week of your appointment. Someone might need to be in to sign for it.

    ", + "

    You can use this service to:

    ", + "
  • renew an adult or child passport
  • ", + "
  • change your name on your passport (for example with a marriage certificate or deed poll)
  • ", + "
  • make changes to your personal details on your passport (for example, your gender)
  • ", + "
  • replace a lost, stolen or damaged passport
  • ", + "
  • apply for a first child passport
  • ", + "

    Use the 1 week Fast Track service.

    ", + "

    If you cannot apply online

    ", + "

    You can book your appointment and pay by calling the \u2018Passport Adviceline\u2019.

    ", + "

    Online Premium service

    ", + "

    You\u2019ll apply, pay and book an appointment online. The earliest you can get an appointment is 2 days from when you apply.

    ", + "

    You\u2019ll get your new passport at your appointment. Appointments can last up to 30 minutes.

    ", + "

    Do not book an appointment if you\u2019re self-isolating or you or someone you live with has coronavirus (COVID-19) symptoms.

    ", + "

    It costs \u00a3177 (or \u00a3187 for a 50 page frequent traveller passport).

    ", + "

    You can only use Online Premium to renew an adult passport that was issued after 31 December 2001.

    ", + "

    Apply, book an appointment and pay

    ", + "

    To use the Online Premium service you\u2019ll need:

    ", + "
  • your old passport
  • ", + "
  • a device that takes digital photos (like a smartphone, tablet or digital camera) and someone to take your photo
  • ", + "
  • a digital photo of you
  • ", + "

    Apply, book an appointment and pay

    ", + "

    What to bring to your appointment

    ", + "

    You need to bring your old passport.

    ", + "

    You can ask someone else to go to your appointment for you. They\u2019ll need to bring:

    ", + "
  • your old passport
  • ", + "
  • a signed and dated letter from you, naming them and giving them permission to collect the passport
  • ", + "
  • their ID (for example passport, driving licence, or utility bill that\u2019s less than 3 months old)
  • ", + "

    Changing your appointment

    ", + "

    Call the \u2018Passport Adviceline\u2019 to reschedule your appointment.

    ", + "

    Do not go to your appointment if:

    ", + "
  • you\u2019re self-isolating because of COVID-19
  • ", + "
  • you or someone you live with has COVID-19 symptoms
  • ", + "

    1 week Fast Track service

    ", + "

    It costs:

    ", + "
  • \u00a3142 for an adult passport (or \u00a3152 for a 50 page frequent traveller passport)
  • ", + "
  • \u00a3122 for a child passport (or \u00a3132 for a 50 page frequent traveller passport)
  • ", + "

    You can use 1 week Fast Track to:

    ", + "
  • renew an adult or child passport that has expired or that is about to expire
  • ", + "
  • change personal details on your passport (for example your name, place of birth or gender)
  • ", + "
  • replace a lost, stolen or damaged passport
  • ", + "
  • apply for a first child passport
  • ", + "

    What you need to do

    ", + "
  • Get a paper application form from a Post Office - you cannot apply online.
  • ", + "
  • Book an appointment online and pay the fee.
  • ", + "
  • Fill in your application form and gather your documents before your appointment.
  • ", + "

    Book an appointment and pay by card

    ", + "

    When you have an application form, you can book an appointment online.

    ", + "

    Book an appointment and pay by card

    ", + "

    What to bring to your appointment

    ", + "

    You need:

    ", + "
  • 2 identical printed passport photos
  • ", + "
  • your completed paper application form
  • ", + "
  • your supporting documents - read the booklet that comes with the paper form to find out what you need
  • ", + "

    If you cannot go to your appointment

    ", + "

    You can change your appointment or send someone in your place.

    ", + "

    Changing your appointment because of coronavirus (COVID-19)

    ", + "

    You can change your appointment at any time up to your appointment slot if:

    ", + "
  • you\u2019re self-isolating
  • ", + "
  • you or someone you live with has COVID-19 or COVID-19 symptoms
  • ", + "

    Call the \u2018Passport Adviceline\u2019 to change your appointment.

    ", + "

    Changing your appointment for another reason

    ", + "

    You can change your appointment if your booking is more than 2 days away. Use the link in the confirmation email you got after paying and booking.

    ", + "

    Sending someone in your place

    ", + "

    If you\u2019re in the UK, you can ask someone to go to your appointment for you. They\u2019ll need to bring:

    ", + "
  • your 2 identical printed passport photos
  • ", + "
  • your completed paper application form
  • ", + "
  • your supporting documents - read the booklet that comes with the paper form to find out what you need
  • " + ] + }, + { + "title": "Getting your first adult passport", + "url": "https://www.gov.uk/apply-first-adult-passport", + "contents": [ + "

    Who can apply

    ", + "

    You can apply for a first adult passport if all of the following apply:

    ", + "
  • you\u2019re a British national
  • ", + "
  • you\u2019re aged 16 or over (or will be in 3 weeks)
  • ", + "
  • you\u2019ve never had a UK passport before
  • ", + "

    You must also apply if your last UK passport was issued before 1 January 1994.

    ", + "

    You can use your child passport until it expires, even if you\u2019re over 18.

    ", + "

    An adult passport is valid for 10 years.

    ", + "

    How long it takes

    ", + "

    Allow up to 10 weeks to get your passport.

    ", + "

    If you need a passport to travel urgently for medical treatment or because a friend or family member is seriously ill or has died, call the Passport Adviceline.

    ", + "

    Do not book travel until you get your passport.

    ", + "

    Ways to apply

    ", + "

    If you\u2019re in the UK, you can either:

    ", + "
  • apply online - it costs \u00a375.50
  • ", + "
  • apply with a paper form - it costs \u00a385
  • ", + "

    It\u2019s taking longer to process paper applications than online applications at the moment because of coronavirus (COVID-19). Use the online service to get your passport.

    ", + "

    There\u2019s a different way to apply if you\u2019re overseas.

    ", + "

    What documents you need to apply

    ", + "

    You must send original documents. Photocopies are not accepted.

    ", + "

    If you do not have your original certificates (for example, your birth certificate), you need to get an official copy.

    ", + "

    If your documents are not in English or Welsh, you need to send a certified translation.

    ", + "

    You can send laminated documents if that\u2019s the only format they are issued in.

    ", + "

    You were born or adopted in the UK

    ", + "

    What documents you need depend on when you were born.

    ", + "

    Before 1 January 1983

    ", + "

    You\u2019ll need your full birth certificate or adoption certificate.

    ", + "

    On or after 1 January 1983

    ", + "

    You\u2019ll need your full birth certificate or adoption certificate and either:

    ", + "
  • your mother\u2019s or father\u2019s full UK birth certificate, or the Home Office certificate of registration or naturalisation, or a British passport belonging to one of your parents that was valid when you were born, or a British passport number for either parent
  • ", + "
  • evidence of one of your parents\u2019 immigration status in the UK at the time of your birth, for example a foreign passport belonging to one of your parents that was valid when you were born
  • ", + "

    If you send documents relating to your father, you must also send your parents\u2019 marriage certificate.

    ", + "

    You were born outside the UK

    ", + "

    What documents you need depend on your circumstances.

    ", + "

    You have a certificate of naturalisation or registration

    ", + "

    You\u2019ll need both:

    ", + "
  • your naturalisation or registration certificate
  • ", + "
  • the passport you used to come into the UK or the foreign passport you\u2019re included on
  • ", + "

    Citizen of a British overseas territory and born before 1 January 1983

    ", + "

    You\u2019ll need all of the following:

    ", + "
  • your birth certificate
  • ", + "
  • your current passport
  • ", + "
  • the passport you used to come into the UK or the foreign passport you\u2019re included on
  • ", + "

    Born before 1 January 1983 and your father was born in the UK

    ", + "

    You\u2019ll need all of the following:

    ", + "
  • your full birth certificate showing your parents\u2019 details
  • ", + "
  • your father\u2019s birth certificate
  • ", + "
  • your parents\u2019 marriage certificate
  • ", + "
  • the passport you used to come into the UK or foreign passport you\u2019re included on
  • ", + "

    Born on or after 1 January 1983

    ", + "

    You\u2019ll need all of the following:

    ", + "
  • your full birth certificate showing your parents\u2019 details
  • ", + "
  • the passport you used to come into the UK or any foreign passport that you\u2019re included on
  • ", + "
  • evidence of one parent\u2019s British nationality, for example their UK birth or adoption, naturalisation or registration certificate
  • ", + "

    If these documents relate to your father, you must include the marriage certificate showing when he married your mother.

    ", + "

    Your circumstances are different

    ", + "

    If your circumstances are not listed, read the guidance booklet to find out what documents you\u2019ll need. If you apply online you\u2019ll be told what documents you need as part of your application.

    ", + "

    How your documents will be sent back

    ", + "

    The supporting documents will be returned separately from your passport. How you get them depends on the delivery option you choose when you fill in your application.

    ", + "

    Apply online

    ", + "

    To apply online you\u2019ll need:

    ", + "
  • a digital photo of you (or a device that takes digital photos and someone to take your photo)
  • ", + "
  • someone who can confirm your identity
  • ", + "
  • supporting documents
  • ", + "
  • a credit or debit card
  • ", + "

    It costs \u00a375.50.

    ", + "

    Start your application

    ", + "

    Apply and pay for your passport online.

    ", + "

    Start now

    ", + "

    Ask someone to confirm your identity

    ", + "

    After you\u2019ve paid and submitted your application, you\u2019ll need to ask someone to confirm your identity.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your identity and what they need to do.

    ", + "

    Send your documents

    ", + "

    After the person you asked has confirmed your identity, you\u2019ll receive an email explaining what documents you need to send and where to send them.

    ", + "

    After you apply, you may be asked to attend an interview.

    ", + "

    Apply with a paper form

    ", + "

    To apply with a paper form you\u2019ll need:

    ", + "
  • a filled-in application form
  • ", + "
  • 2 identical printed passport photos
  • ", + "
  • someone who can confirm your identity (a \u2018countersignatory\u2019)
  • ", + "
  • supporting documents
  • ", + "

    It costs \u00a385. The booklet that comes with the form explains how to pay.

    ", + "

    It takes longer to apply by post than online.

    ", + "

    Fill in your application form

    ", + "

    You can get a paper application form from either:

    ", + "
  • a Post Office that offers the Passport Check and Send service
  • ", + "
  • the Passport Adviceline
  • ", + "

    Fill in sections 1, 2, 3, 4, 5 and 9. Your countersignatory will need to fill in section 10.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    Get a countersignatory

    ", + "

    You need to get someone else to confirm your identity (a \u2018countersignatory\u2019). They\u2019ll need to:

    ", + "
  • fill in section 10 of your form
  • ", + "
  • sign and date one of your photos
  • ", + "

    Find out who can be a countersignatory and what they need to do.

    ", + "

    Gather your documents and send your application

    ", + "

    You need to send all of the following:

    ", + "
  • your filled-in application form
  • ", + "
  • your supporting documents
  • ", + "
  • your 2 passport photos (one of them signed and dated by your countersignatory)
  • ", + "

    To send in your form, documents and photos, you can either:

    ", + "
  • post them using the pre-printed envelope that comes with the form
  • ", + "
  • take them to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    After you apply, you may be asked to attend an interview.

    ", + "

    After you apply

    ", + "

    Passport interviews

    ", + "

    After you apply, you may need to be interviewed to confirm your identity.

    ", + "

    Passport offices are temporarily closed and face-to-face interviews are suspended because of coronavirus (COVID-19).

    ", + "

    Video interviews are taking place online. If you need an interview, you\u2019ll be contacted after your application has been processed to book it.

    ", + "

    Getting your new passport and supporting documents

    ", + "

    You\u2019ll receive your new passport by courier or recorded delivery.

    ", + "

    The supporting documents will be returned separately from your passport. How you get them depends on the delivery option you choose when you fill in your application.

    " + ] + }, + { + "title": "Renew or replace your adult passport", + "url": "https://www.gov.uk/renew-adult-passport", + "contents": [ + "

    Overview

    ", + "

    It costs \u00a375.50 to renew or replace your passport if you apply online or \u00a385 if you fill in a paper form.

    ", + "

    You must be aged 16 or over (or turning 16 in the next 3 weeks) if you want an adult passport. There\u2019s a different process to get a passport for a child.

    ", + "

    There are different ways to renew or replace your passport if you\u2019re outside the UK.

    ", + "

    If you\u2019re travelling to the EU, Switzerland, Norway, Iceland or Liechtenstein, you may need to renew your passport before you travel.

    ", + "

    How long it takes

    ", + "

    Allow up to 10 weeks to get your passport. It takes longer to apply by post than online.

    ", + "

    You may be able to get a passport urgently if you need one sooner.

    ", + "

    Do not book travel until you have a valid passport.

    ", + "

    Tracking your passport application

    ", + "

    You can track your passport application immediately if you apply online or after 10 weeks if you apply by post.

    ", + "

    Getting your new passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    Renew

    ", + "

    If your passport has expired, you must renew it before you can travel.

    ", + "

    Do not book travel until you have a valid passport - your new passport will not have the same number as your old one.

    ", + "

    There are different rules if your passport is lost, stolen or damaged or you need to change your name or personal details.

    ", + "

    Renewing your passport before it expires

    ", + "

    You need at least 6 months left on your passport to travel to certain countries. Check the entry requirements of the country you\u2019re visiting to see how much time left you need on it.

    ", + "

    Time left on your old passport will not be added to your new one.

    ", + "

    Travelling to the EU, EEA or Switzerland

    ", + "

    On the day of travel to the\u00a0EU, Switzerland, Norway, Iceland or Liechtenstein, you\u2019ll need your passport to both:

    ", + "
  • have at least 6 months left on it
  • ", + "
  • be less than 10 years old (even if it has 6 months or more left)
  • ", + "

    These rules do not apply to travel to Ireland. You can continue to use your passport as long as it\u2019s valid for the length of your stay.

    ", + "

    If your passport is burgundy or has \u2018European Union\u2019 on the cover, you can still use it as long as it has enough time left on it.

    ", + "

    Renew online

    ", + "

    Use this service to renew your passport online. It costs \u00a375.50.

    ", + "

    You\u2019ll need:

    ", + "
  • a digital photo
  • ", + "
  • a credit or debit card
  • ", + "
  • your passport
  • ", + "

    Renew online

    ", + "

    Renew using a paper application form

    ", + "

    You can get a paper application form by either:

    ", + "
  • going to a Post Office that has a Check and Send service
  • ", + "
  • calling the Passport Adviceline
  • ", + "

    It costs \u00a385. You can pay by either:

    ", + "
  • debit or credit card - fill in the form in the application pack
  • ", + "
  • cheque - made payable to \u2018Her Majesty\u2019s Passport Office\u2019
  • ", + "

    You\u2019ll need 2 new and identical printed photos of yourself.

    ", + "

    Unexpired visas

    ", + "

    Send your previous passport with the visa attached to it with your application. Your previous passport will be returned to you.

    ", + "

    You\u2019ll be able to use the visa if you carry both passports.

    ", + "

    The rules are different if you\u2019re travelling to Russia.

    ", + "

    Replace a lost, stolen or damaged passport

    ", + "

    You must replace your passport if it has more than reasonable wear and tear because you may not be allowed to travel with it.

    ", + "

    If you need to attend an interview

    ", + "

    Passport offices are temporarily closed and face-to-face interviews are suspended because of coronavirus (COVID-19).

    ", + "

    Video interviews are taking place online. If you need an interview, you\u2019ll be contacted after your application has been processed to book it.

    ", + "

    Replace online

    ", + "

    Use this service to replace your passport online. It costs \u00a375.50.

    ", + "

    You\u2019ll need:

    ", + "
  • a digital photo
  • ", + "
  • a credit or debit card
  • ", + "

    You\u2019ll need to ask someone to confirm your identity online if you\u2019re replacing a lost or stolen passport.

    ", + "

    Replace online

    ", + "

    Replace using a paper application form

    ", + "

    You can get a paper application form by either:

    ", + "
  • going to the Post Office
  • ", + "
  • calling the Passport Adviceline
  • ", + "

    It costs \u00a385. You can pay by either:

    ", + "
  • debit or credit card - fill in the form in the application pack
  • ", + "
  • cheque - made payable to \u2018Her Majesty\u2019s Passport Office\u2019
  • ", + "

    You\u2019ll need 2 new and identical printed photos of yourself.

    ", + "

    You can use the Post Office Check and Send service if you\u2019re using a paper form. The address to send it to is on the form.

    ", + "

    Countersignatories

    ", + "

    You need to get your application form and 1 of your photos signed by someone else to prove your identity.

    " + ] + }, + { + "title": "Get a passport for your child", + "url": "https://www.gov.uk/get-a-child-passport", + "contents": [ + "

    Overview

    ", + "

    You apply for a child passport if your child is under 16. It costs \u00a349 to apply online and \u00a358.50 to apply with a paper form from the Post Office. A child passport is valid for 5 years.

    ", + "

    If you\u2019re travelling to the EU, Switzerland, Norway, Iceland or Liechtenstein, you may need to renew your child\u2019s passport before you travel.

    ", + "

    There are different rules if you\u2019re applying from outside the UK.

    ", + "

    Who can apply

    ", + "

    Someone with parental responsibility for the child must apply for the passport.

    ", + "

    You need to give both parents\u2019 details when you apply. If you cannot provide the other parent\u2019s details, you need to say why (for example, you\u2019re the only parent named on the birth certificate or you adopted the child on your own).

    ", + "

    How long it takes

    ", + "

    Allow up to 10 weeks to get the passport. It takes longer to apply by post than online.

    ", + "

    You may be able to get a passport urgently if you need one sooner.

    ", + "

    Do not book travel until you have a valid passport.

    ", + "

    What you should apply for

    ", + "Situation | Action", + "Your child is under 16 and has never had a British passport | Apply for a first child passport", + "Your child is under 16 and has a British passport | Renew your child\u2019s passport", + "Your child is under 16 and their British passport has been lost or stolen | Apply for a replacement passport", + "Your child is under 16 and their British passport is damaged | Apply for a replacement passport", + "Your child is under 16 and has a British passport but some of their details have changed | Apply for a new passport", + "Your child is over 16 (or will be in 3 weeks) and had a British child passport | Follow the process for renewing or replacing an adult passport", + "Your child is over 16 (or will be in 3 weeks) and has never had a British passport | Apply for a first adult passport", + "

    Apply for a first child passport

    ", + "

    If your child has never had a British passport you must apply for a first child passport.

    ", + "

    Your child must have British nationality to be eligible for a British passport.

    ", + "

    Apply online

    ", + "

    To apply online you\u2019ll need:

    ", + "
  • a digital photo of your child (or a device that takes digital photos)
  • ", + "
  • supporting documents
  • ", + "
  • a credit or debit card
  • ", + "

    It costs \u00a349.

    ", + "

    Start application

    ", + "

    Apply and pay for the passport online.

    ", + "

    Start now

    ", + "

    Ask someone to confirm your child\u2019s identity

    ", + "

    After you\u2019ve paid and submitted the application, you\u2019ll need to ask someone to confirm your child\u2019s identity.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your child\u2019s identity and what they need to do.

    ", + "

    Apply by post

    ", + "

    You can apply by post by either:

    ", + "
  • getting a paper form from a Post Office that offers the Passport Check and Send service
  • ", + "
  • contacting the Passport Adviceline to get a form posted to you
  • ", + "

    Fill in sections 1, 2, 3, 4, 5 and 9 of the form. Your child needs to sign section 6 if they\u2019re 12 or over. \nYou need to get someone else, known as your \u2018countersignatory\u2019, to fill in section 10 and certify your child\u2019s photo.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    To send in your application, you can either:

    ", + "
  • post your form, photos and documents using the pre-printed envelope that comes with the form
  • ", + "
  • take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    Signing the application

    ", + "

    Someone with parental responsibility must sign the form.

    ", + "

    If your child is 12 to 15 they need to sign the form too.

    ", + "

    Supporting documents

    ", + "

    You must send original documents or official copies of certificates. Photocopies are not accepted, even \u2018certified copies\u2019.

    ", + "

    If your documents are not in English or Welsh, you\u2019ll need to send certified translations as well as the originals.

    ", + "

    You cannot send laminated documents.

    ", + "

    If the name on the passport does not match what\u2019s on the birth certificate

    ", + "

    You must send:

    ", + "
  • a signed and dated letter from everyone with parental responsibility confirming the name change and that they agree to the child getting a new passport
  • ", + "
  • a deed poll
  • ", + "
  • at least one piece of evidence that shows the new name being used, for example NHS records, child benefits or school records
  • ", + "

    What documents to provide if you apply online

    ", + "

    If you apply online, you\u2019ll be told what documents you need to provide.

    ", + "

    What documents to send if you apply by post

    ", + "

    If you apply by post, you must send:

    ", + "
  • 2 new photos of your child
  • ", + "
  • the child\u2019s full birth or adoption certificate (the one with parent\u2019s details on it)
  • ", + "
  • proof that your child has British nationality (for example a British registration certificate, parent\u2019s passport details or parent\u2019s birth certificates)
  • ", + "
  • any valid passports from a different country belonging to the child
  • ", + "
  • any court orders (for example, that describe parental responsibility or residency arrangements)
  • ", + "

    Read the guidance notes to find out which documents you need to send.

    ", + "

    Choose how you want your documents sent back

    ", + "

    Your documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.

    ", + "

    Getting your passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    You can track your passport application.

    ", + "

    Renew a child passport

    ", + "

    You can apply to renew a child passport online or by post.

    ", + "

    If your child\u2019s passport has expired, you must renew it before they can travel.

    ", + "

    Do not book travel until you have a valid passport - the new passport will not have the same number as the old one.

    ", + "

    If your child\u2019s name or other personal details have changed, you cannot renew their passport. You must apply for a new passport instead.

    ", + "

    Renewing a passport before it expires

    ", + "

    You need at least 6 months left on your passport to travel to certain countries. Check the entry requirements of the country your child is visiting to see how much time they need on their passport before they travel.

    ", + "

    Time left on your child\u2019s old passport will not be added to their new one.

    ", + "

    Travelling to the EU, EEA or Switzerland

    ", + "

    On the day of travel to the\u00a0EU, Switzerland, Norway, Iceland or Liechtenstein, your child will need 6 months left on their passport.

    ", + "

    This rule does not apply to travel to Ireland. You can continue to use a passport as long as it\u2019s valid for the length of the stay.

    ", + "

    If your child\u2019s passport is burgundy or has \u2018European Union\u2019 on the cover, they can still use it as long as it has enough time left on it.

    ", + "

    Supporting documents

    ", + "

    To renew your child\u2019s passport you\u2019ll need:

    ", + "
  • your child\u2019s old passport
  • ", + "
  • any valid passports from a different country your child might have
  • ", + "
  • any court orders (for example that describe parental responsibility or residency arrangements)
  • ", + "

    You\u2019ll also need either digital or printed photos of your child.

    ", + "

    Renew online

    ", + "

    It costs \u00a349. You can pay with a credit or debit card.

    ", + "

    You\u2019ll need:

    ", + "
  • a digital photo of your child (or a device that takes digital photos)
  • ", + "
  • the supporting documents
  • ", + "

    Renew online

    ", + "

    Ask someone to confirm your child\u2019s identity

    ", + "

    If your child is under 12, you\u2019ll need to ask someone to confirm their identity after you\u2019ve submitted the application.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your child\u2019s identity and what they need to do.

    ", + "

    Renew by post

    ", + "

    It costs \u00a358.50.

    ", + "

    You need to fill in a paper application form. You can get a paper form by either:

    ", + "
  • going to a Post Office that has a Passport Check and Send service
  • ", + "
  • calling the Passport Adviceline
  • ", + "

    Fill in sections 1, 2, 3, 4, and 9 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.

    ", + "

    If your child is 11 or under or cannot be recognised from their old passport photo you\u2019ll need to get someone else, known as a \u2018countersignatory\u2019, to fill in section 10 and certify your child\u2019s photo.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    To send your application you can either:

    ", + "
  • post your form, photos and documents using the pre-printed envelope that comes with the form
  • ", + "
  • take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    Signing the application

    ", + "

    Someone with parental responsibility must sign the form.

    ", + "

    If your child is 12 to 15 they need to sign the form too.

    ", + "

    Countersigning the application

    ", + "

    If your child is under 12, you\u2019ll need to get their application and one of their photos countersigned.

    ", + "

    If your child is 12 or over, you only need to do this if they cannot be recognised from the photo in their current passport.

    ", + "

    Choose how you want your documents sent back

    ", + "

    Your documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.

    ", + "

    Getting your passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    You can track your passport application.

    ", + "

    Replace a lost or stolen child passport

    ", + "

    If your child\u2019s passport has been lost or stolen, you can apply for a replacement.

    ", + "

    You must cancel a lost or stolen passport as soon as possible. This will reduce the risk of anyone else using it.

    ", + "

    Supporting documents

    ", + "

    To replace your child\u2019s passport, you\u2019ll need:

    ", + "
  • any valid passports from a different country your child might have
  • ", + "
  • any court orders (for example, that describe parental responsibility or residency arrangements)
  • ", + "

    You\u2019ll also need either digital or printed photos of your child.

    ", + "

    Apply online

    ", + "

    You can apply for a replacement child passport online.

    ", + "

    It costs \u00a349. You can pay with a credit or debit card.

    ", + "

    You\u2019ll need:

    ", + "
  • a digital photo of your child (or a device that takes digital photos)
  • ", + "
  • any supporting documents
  • ", + "

    Apply online

    ", + "

    Ask someone to confirm your child\u2019s identity

    ", + "

    You\u2019ll need to ask someone to confirm your child\u2019s identity.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your child\u2019s identity and what they need to do.

    ", + "

    Apply by post

    ", + "

    You can apply by post by either:

    ", + "
  • getting a paper form from a Post Office that offers the Passport Check and Send service
  • ", + "
  • contacting the Passport Adviceline to get a form posted to you
  • ", + "

    Fill in sections 1, 2, 3, 4, 9 and 10 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.

    ", + "

    You\u2019ll need 2 new printed photos of your child. Follow the rules for printed passport photos.

    ", + "

    To send in your application, you can either:

    ", + "
  • post your form, photos and documents using the pre-printed envelope that comes with the form
  • ", + "
  • take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    Signing the application

    ", + "

    Someone with parental responsibility must sign the form.

    ", + "

    If your child is 12 to 15 they need to sign the form too.

    ", + "

    Countersigning the application

    ", + "

    You must get the application form and one of your child\u2019s photos countersigned.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    Choose how you want your documents sent back

    ", + "

    Your documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.

    ", + "

    Getting your passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    You can track your passport application.

    ", + "

    Replace a damaged child passport

    ", + "

    If your child\u2019s passport is damaged, you\u2019ll need to apply for a replacement.

    ", + "

    You can apply online or by post.

    ", + "

    Supporting documents

    ", + "

    You must send all of the following with your application:

    ", + "
  • the damaged passport
  • ", + "
  • a letter from someone with parental responsibility explaining how the damage happened (if you apply by post)
  • ", + "
  • any valid passports from a different country your child might have
  • ", + "
  • any court orders (for example that describe parental responsibility or residency arrangements)
  • ", + "

    You\u2019ll also need either digital or printed photos of your child.

    ", + "

    Apply online

    ", + "

    It costs \u00a349. You can pay with a credit or debit card.

    ", + "

    You\u2019ll need:

    ", + "
  • a digital photo of your child (or a device that takes digital photos)
  • ", + "
  • the supporting documents
  • ", + "

    Apply online

    ", + "

    Ask someone to confirm your child\u2019s identity

    ", + "

    If your child is under 12, you\u2019ll need to ask someone to confirm your child\u2019s identity.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your child\u2019s identity and what they need to do.

    ", + "

    Apply by post

    ", + "

    You can apply by post by either:

    ", + "
  • getting a paper form from a Post Office that offers the Passport Check and Send service
  • ", + "
  • contacting the Passport Adviceline to get a form posted to you
  • ", + "

    Fill in sections 1, 2, 3, 4, 9 and 10 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.

    ", + "

    To send in your application, you can either:

    ", + "
  • post your form, photos and documents using the pre-printed envelope that comes with the form
  • ", + "
  • take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    Signing the application

    ", + "

    Someone with parental responsibility must sign the form.

    ", + "

    If your child is 12 to 15 they need to sign the form too.

    ", + "

    Countersigning the application

    ", + "

    You must get the application form and one of your child\u2019s photos countersigned.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    Choose how you want your documents sent back

    ", + "

    Your documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.

    ", + "

    Getting your passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    You can track your passport application.

    ", + "

    Change the name or personal details on a child passport

    ", + "

    Your child will need to get a new passport if they\u2019ve changed their name.

    ", + "

    Fill in the passport application with the name that you want printed on the passport.

    ", + "

    Contact the Passport Adviceline if you\u2019re changing any other personal details on a child passport. This could include date of birth, place of birth or national status.

    ", + "

    Apply online

    ", + "

    You can apply for a new child passport online.

    ", + "

    You\u2019ll need a digital photo of your child (or a device that takes digital photos).

    ", + "

    You\u2019ll be told where to send your supporting documents when you apply.

    ", + "

    Ask someone to confirm your child\u2019s identity

    ", + "

    If your child is under 12, you\u2019ll need to ask someone to confirm their identity after you\u2019ve submitted the application.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your child\u2019s identity and what they need to do.

    ", + "

    Apply by post

    ", + "

    You can apply by post by either:

    ", + "
  • getting a paper form from a Post Office that offers the Passport Check and Send service
  • ", + "
  • contacting the Passport Adviceline to get a form posted to you
  • ", + "

    Fill in sections 1, 2, 3, 4 and 9 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.

    ", + "

    If your child is 11 or under or cannot be recognised from their old passport photo you\u2019ll need to get someone else, known as a \u2018countersignatory\u2019, to fill in section 10 and certify your child\u2019s photo.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    To send in your application, you can either:

    ", + "
  • post your form, photos and documents using the pre-printed envelope that comes with the form
  • ", + "
  • take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    Signing the application

    ", + "

    Someone with parental responsibility must sign the form.

    ", + "

    If your child is 12 to 15 they need to sign the form too.

    ", + "

    Supporting documents

    ", + "

    You must send:

    ", + "
  • the old passport
  • ", + "
  • a deed poll or similar document about the name change
  • ", + "
  • at least one piece of evidence that shows the new name being used, for example NHS records, child benefits or school records
  • ", + "
  • written consent from everyone with parental responsibility
  • ", + "
  • 2 new photos of your child if you apply by post
  • ", + "

    Choose how you want your documents sent back

    ", + "

    Your documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.

    ", + "

    Getting your passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    You can track your passport application.

    ", + "

    Adopted or fostered children

    ", + "

    If your child was adopted in the UK

    ", + "

    Your child can get a British passport if either adoptive parent is British and was usually living in the UK (\u2018habitually resident\u2019) when you adopted your child.

    ", + "

    You must send your child\u2019s adoption certificate showing the British parent\u2019s details.

    ", + "

    You must also send one of the following:

    ", + "
  • the British passport details for either parent
  • ", + "
  • a UK birth certificate for either parent
  • ", + "
  • a Home Office certificate of registration or naturalisation for either parent
  • ", + "
  • the passport that was valid at the time of the child\u2019s birth for either parent
  • ", + "

    If your child was adopted overseas

    ", + "

    Adopted before 1 June 2003

    ", + "

    Your child does not automatically qualify for a British passport - even if one of the parents is a British citizen.

    ", + "

    The adoption may be recognised for parental responsibility purposes, but not for nationality purposes, depending on the country the adoption took place in.

    ", + "

    Adopted on or after 1 June 2003

    ", + "

    Your child can get a British passport if either parent is British and the British parent was usually living (\u2018habitually resident\u2019) in the UK when the child was adopted.

    ", + "

    Only adoptions conducted under the Hague Convention are recognised for nationality purposes. You must send the child\u2019s full Hague Convention adoption certificate showing the parents\u2019 details.

    ", + "

    You must also send evidence of the British parent\u2019s nationality status, such as a British passport issued before the date of adoption - put the passport number on your application.

    ", + "

    If you do not have a British passport, there are other documents you can send.

    ", + "

    Foster children and children in care

    ", + "

    You must contact the Passport Adviceline if you want a passport for a child who\u2019s in care. This includes a child you\u2019re fostering.

    ", + "

    Get help

    ", + "

    Contact the Passport Adviceline if you are not sure what documents you need or if your circumstances are more complicated.

    ", + "

    Surrogacy and sperm donation

    ", + "

    Children born through surrogacy

    ", + "

    As well as your other documents, you need to send:

    ", + "
  • a letter giving details of your surrogacy arrangement
  • ", + "
  • evidence of your surrogacy treatment, such as a letter from the clinic where it took place
  • ", + "
  • proof that your child has a claim to British nationality
  • ", + "
  • proof of your identity (for example, your passport or birth certificate)
  • ", + "
  • proof of your marriage or civil partnership (if this is relevant to your application)
  • ", + "

    If you\u2019ve been granted a parental order, you also need to send:

    ", + "
  • the parental order (if you have it)
  • ", + "
  • your child\u2019s birth certificate, issued after the parental order was granted
  • ", + "

    If you\u2019ve not been granted a parental order and your child was born in the UK you can send their full UK birth certificate instead.

    ", + "

    If you\u2019ve not been granted a parental order and your child was born outside the UK, there are special rules about applying for a passport.

    ", + "

    Sperm donation

    ", + "

    If your child was conceived through sperm donation and born in the UK, you need to send their birth certificate when you apply. You do not need to say they were conceived through sperm donation.

    ", + "

    There are different rules if they were born in another country.

    ", + "

    Get help

    ", + "

    Contact the Passport Adviceline if you are not sure what documents you need or if your circumstances are more complicated.

    " + ] + }, + { + "title": "Change your name or personal details on your passport", + "url": "https://www.gov.uk/changing-passport-information", + "contents": [ + "

    How it works

    ", + "

    You\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:

    ", + "
  • your name
  • ", + "
  • your gender
  • ", + "
  • your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)
  • ", + "

    The name on your passport must match the one you use when you book your travel.

    ", + "

    You\u2019ll be sent a new 10 year passport. Time left on your old passport will not be added to your new one.

    ", + "

    When you do not need a new passport

    ", + "

    You do not need to get a new passport if you:

    ", + "
  • change your address or contact details
  • ", + "
  • get a new job
  • ", + "
  • change your appearance slightly - for example, dye your hair or grow a beard
  • ", + "
  • change your marital status (divorce, marry or form a civil partnership) but keep your name
  • ", + "
  • change your title, for example, doctor or professor
  • ", + "
  • become a national of another country as well as the UK
  • ", + "
  • emigrate
  • ", + "

    How long it takes

    ", + "

    Allow up to 10 weeks to get your passport. It takes longer to apply by post than online.

    ", + "

    You may be able to get a passport urgently if you need to travel sooner.

    ", + "

    Do not book travel until you have a valid passport - your new passport will not have the same number as your old one.

    ", + "

    Apply online

    ", + "

    You can apply for a new passport online. It costs \u00a375.50.

    ", + "

    Start now

    ", + "

    Apply using a paper application form

    ", + "

    Because of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications. Use the online service to get your passport.

    ", + "

    You can get a paper application form by either:

    ", + "
  • going to a Post Office that has a Check and Send service
  • ", + "
  • calling the Passport Adviceline
  • ", + "

    It costs \u00a385.

    ", + "

    Fill in and sign your passport application using the name that you want to see printed on your passport.

    ", + "

    Countersignatures

    ", + "

    You must get a countersignature if your appearance has changed and you cannot be recognised from your existing passport.

    ", + "

    You do not need a countersignature if you\u2019re changing your name or adding a title.

    ", + "

    Unexpired visas

    ", + "

    Unexpired visas in your old passport may become invalid if you change your name. Check with the embassy or consulate of the country that issued the visa.

    ", + "

    If you have a non-British passport

    ", + "

    If you have dual citizenship (\u2018dual nationality\u2019) and have a non-British passport, the name on your non-British passport must match the name and gender you want on your British passport.

    ", + "

    If it\u2019s different, change the details on your non-British passport before you apply for a new British passport.

    ", + "

    Marriage or civil partnership change

    ", + "

    You can get a new passport in your new name either before or after the ceremony.

    ", + "

    The name on your passport must match the one you use when you book your travel.

    ", + "

    Get a new passport after the ceremony

    ", + "

    Send your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.

    ", + "

    Get a new passport before the ceremony

    ", + "

    You can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.

    ", + "

    Your old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.

    ", + "

    Some countries will not issue visas for post-dated passports - check with the country\u2019s embassy or consulate.

    ", + "

    You must send a \u2018passports for newly weds and civil partners\u2019 form with your documents. It must be signed by the religious minister or registrar who will conduct the ceremony.

    ", + "

    Divorce or returning to a previous surname

    ", + "

    When you apply, you also need to send:

    ", + "
  • your birth certificate
  • ", + "
  • a statement signed by you saying you\u2019ve gone back to a previous surname (for example your maiden name) \u2018for all purposes\u2019 - that is, you will not use your married or civil partnership name at all
  • ", + "
  • a document that shows you\u2019re using your new name (for example a payslip, or a letter from your local council)
  • ", + "
  • your decree absolute or final order showing both names
  • ", + "
  • a marriage or civil partnership certificate showing both names - if you do not have it you can order a copy
  • ", + "

    Gender change

    ", + "

    Send one of the following when you apply for a passport:

    ", + "
  • a Gender Recognition Certificate
  • ", + "
  • a new birth or adoption certificate showing your acquired gender
  • ", + "
  • a letter from your doctor or medical consultant confirming your change of gender is likely to be permanent
  • ", + "

    If you\u2019re sending a letter from your doctor or medical consultant and you\u2019re changing your name, you\u2019ll also need to supply both of the following:

    ", + "
  • evidence of your change of name (such as a deed poll)
  • ", + "
  • evidence that you\u2019re using your new name (for example a payslip, or a letter from your local council)
  • ", + "

    Read the information about passports for transgender and transsexual people if you need help.

    ", + "

    Titles and small changes to forenames

    ", + "

    You can:

    ", + "
  • change the spelling of your name slightly - for example, Jane to Jayne
  • ", + "
  • change the order of your forenames
  • ", + "
  • remove middle names
  • ", + "

    Send 2 documents that show you\u2019re using your new name. These can include a:

    ", + "
  • letter from a local council or government department
  • ", + "
  • driving licence
  • ", + "
  • bank statement
  • ", + "
  • baptism or confirmation certificate
  • ", + "

    Titles you can use on your passport

    ", + "

    You can include:

    ", + "
  • professional titles - for example, doctor, judge, minister of religion, professor, QC, or JP if you\u2019re a magistrate
  • ", + "
  • honours or military decorations
  • ", + "

    Put the details in the \u2018other title\u2019 box of your application and send evidence of your title.

    ", + "

    Your title will be on the \u2018observations\u2019 page of your passport - it will not be part of your name, except if it\u2019s a title of nobility, for example knight, dame or a lord.

    ", + "

    Other name changes

    ", + "

    You can change your name on your passport with one of the following documents:

    ", + "
  • a deed poll
  • ", + "
  • a statutory declaration
  • ", + "
  • an affidavit
  • ", + "

    Send it with both:

    ", + "
  • proof of any previous name changes you\u2019ve made
  • ", + "
  • evidence that you\u2019re using your new name (for example a payslip or a letter from your local council)
  • " + ] + }, + { + "title": "Collective (group) passports", + "url": "https://www.gov.uk/collective-group-passports", + "contents": [ + "

    Overview

    ", + "

    It takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.

    ", + "

    A collective (or group) passport is a way for an organised group of young people to make a trip to certain European countries.

    ", + "

    A collective passport costs \u00a339.

    ", + "

    Young people should travel on their own passports if possible.

    ", + "

    Who can use a collective passport

    ", + "

    The passport is not for families but for groups such as:

    ", + "
  • schools and sixth form colleges
  • ", + "
  • guides
  • ", + "
  • scouts
  • ", + "
  • other recognised youth organisations
  • ", + "

    You can have between 5 and 50 children on a group passport. If there are more than 50 in the group, you can split the group and apply for 2 or more passports.

    ", + "

    Everyone on the passport must be a British national and under 18 by the end of the trip.

    ", + "

    A group leader must be named on the passport. The passport is invalid if the group leader cannot travel, but if a deputy leader is named on the application, they can take over.

    ", + "

    The group leader and deputy leader must:

    ", + "
  • be aged 21 or over
  • ", + "
  • be a British citizen and have a British passport
  • ", + "
  • be a UK resident
  • ", + "

    Countries you can visit

    ", + "

    The countries you can travel to or through on a collective passport are:

    ", + "
  • Austria
  • ", + "
  • Denmark
  • ", + "
  • France
  • ", + "
  • Italy
  • ", + "
  • Malta
  • ", + "
  • Norway
  • ", + "
  • Romania
  • ", + "
  • Spain
  • ", + "
  • Switzerland
  • ", + "

    Check if you need a visa

    ", + "

    You may need a visa if you\u2019re travelling on a group passport, even if you do not need one when travelling on an individual passport. Contact the country\u2019s embassy or consulate in the UK to check.

    ", + "

    How to apply

    ", + "

    It takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.

    ", + "
  • Download the application form.
  • ", + "
  • Save it to your computer and fill it in (handwritten applications are not accepted).
  • ", + "
  • Collect your supporting documents.
  • ", + "
  • Email your completed application form to HMPassportofficeDurhamCollectives@hmpo.gov.uk.
  • ", + "
  • Print a paper copy and get it signed by the group leader and deputy leader.
  • ", + "
  • Send the paper copy with the \u00a339 fee and supporting documents to Collective Passport Applications.
  • ", + "

    Paying the fee

    ", + "

    Include a cheque for \u00a339, payable to \u2018Her Majesty\u2019s Passport Office\u2019, or pay by credit or debit card using the card payment form - use capital letters to fill in the form.

    ", + "

    Checks on your application

    ", + "

    HM Passport Office may contact your organisation to verify the application. Include a contact number on the form that will be answered during school holidays or your application could be delayed.

    ", + "

    Supporting documents

    ", + "

    Each application must include:

    ", + "
  • a nationality questionnaire and parental consent form for each child
  • ", + "
  • a collective passport photo identity card for each child
  • ", + "
  • one supporting letter for the whole application
  • ", + "

    Nationality questionnaire and consent form

    ", + "

    The nationality questionnaire and consent form (\u2018CPNQ\u2019 form) must be filled in by the person who can give consent for the child to travel. They must fill in either the:

    ", + "
  • form for a child born in the UK
  • ", + "
  • form for a child born outside the UK
  • ", + "

    Details of who can give consent are on the form.

    ", + "

    Request collective passport photo identity cards

    ", + "

    Email your request for collective passport photo cards to HMPassportofficeDurhamCollectives@hmpo.gov.uk. Your email should include:

    ", + "
  • the number of cards you need
  • ", + "
  • the full name and address of the school or organised group
  • ", + "
  • a contact name and phone number
  • ", + "

    Complete collective passport photo identity cards

    ", + "

    Each card must be filled in with the child\u2019s details exactly as they appear on their nationality questionnaire and parental consent form.

    ", + "

    You must attach a recent passport-sized photo to each card.

    ", + "

    Rules for photos

    ", + "

    The photos:

    ", + "
  • should be of a similar quality to standard passport photos
  • ", + "
  • should not have been previously used on another document
  • ", + "
  • must not be laminated or photocopies
  • ", + "

    You can use:

    ", + "
  • a school photo - as long as it does not have \u2018proof\u2019 written across it
  • ", + "
  • printed digital photos
  • ", + "

    The group leader must complete their own details and sign the photo cards before submitting the application.

    ", + "

    Each child must sign their card before they travel.

    ", + "

    Supporting letter

    ", + "

    Each application must include one supporting letter on headed paper confirming consent to the trip.

    ", + "

    If the group is going abroad to perform (for example, in a sports competition) the letter must say:

    ", + "
  • all members of the group are amateurs
  • ", + "
  • they will not get any payment
  • ", + "

    If children from more than one organisation are travelling together, you need a supporting letter from each organisation.

    ", + "

    The letter must be signed - digital or photocopied signatures are not accepted.

    ", + "

    The table shows who can supply and sign the supporting letter.

    ", + "Type of organisation | Who can supply and sign the supporting letter", + "School | The head teacher, a member of the board of governors or the education authority from each school making up the party", + "Scout or guide group | The assistant county or area commissioner or someone from Association Headquarters", + "Football or rugby club | Someone from the local football association or the league chairperson or secretary", + "Swimming or judo clubs | Someone from the national headquarters", + "Youth orchestras or choirs | Someone from the local education authority, or the vicar for church groups", + "Army or Airforce cadets | The commanding officer or someone from the services authority", + "Clubs or youth clubs | Someone from the local authority where the club is registered, or the national headquarters", + "Registered charities | The director or a person in a similar position in the organisation", + "

    Getting the passport changed

    ", + "

    Check your passport when it arrives for mistakes. Children cannot travel if they\u2019re not on the passport.

    ", + "

    If you need to amend the passport

    ", + "

    Send the passport back to HM Passport Office Collective Passport Applications with a letter explaining the reasons.

    ", + "

    If your trip is postponed but you arrange alternative travel within the same season, you can usually get your passport amended free of charge.

    ", + "

    If several changes are needed (for example, you\u2019re adding lots of names), you have to pay for a new one.

    " + ] + }, + { + "title": "Get an emergency travel document", + "url": "https://www.gov.uk/emergency-travel-document", + "contents": [ + "

    How it works

    ", + "

    You can apply for an emergency travel document (sometimes called an \u2018emergency passport\u2019) if you\u2019re abroad, need to travel and cannot get a passport in time.

    ", + "

    If you\u2019re in the UK you should apply for a passport urgently.

    ", + "

    Eligibility

    ", + "

    You can apply for an emergency travel document if all the following apply:

    ", + "
  • you\u2019re a British national
  • ", + "
  • you\u2019re outside the UK
  • ", + "
  • your passport has been lost, stolen, damaged, is full, has recently expired or is with HM Passport Office or a foreign embassy
  • ", + "
  • you do not have time to renew or replace your passport before you travel
  • ", + "
  • you can provide proof of your travel plans, for example booking confirmations (or detailed written travel plans if you cannot book ahead)
  • ", + "

    You usually cannot get an emergency travel document if you\u2019ve never had a UK passport. You should apply for a passport instead.

    ", + "

    What an emergency travel document lets you do

    ", + "

    You can use an emergency travel document to travel to your destination through a maximum of 5 countries. You can also normally use it to return to the country you\u2019re applying from if you live there.

    ", + "

    Your travel plans (countries and dates) will be printed on your emergency travel document. If you change your travel plans once you have your emergency travel document, you\u2019ll need to apply for a new one.

    ", + "

    You may need a visa to leave the country you\u2019re in or to travel through other countries with your emergency travel document. Check with the embassy or consulate of each country.

    ", + "

    If your final destination is the UK, border staff will keep your emergency travel document when you arrive. Border staff at a different final destination might also keep the document.

    ", + "

    How to apply

    ", + "

    You can apply online.

    ", + "

    It costs \u00a3100 to apply for an emergency travel document. The fee is not refundable. You can pay online as part of your application. If you do not, you\u2019ll be asked to pay over the phone.

    ", + "

    You might need to attend an appointment at your nearest British embassy, high commission or consulate after you apply online. You\u2019ll be told after you\u2019ve submitted your application whether you need an appointment.

    ", + "

    You\u2019ll need to give a contact telephone number and email address as part of your application.

    ", + "

    Apply now

    ", + "

    How long it will take

    ", + "

    Your emergency travel document will normally be ready 2 working days after you apply. It may take longer because of coronavirus (COVID-19).

    ", + "

    It can also take longer, for example if you have:

    ", + "
  • applied for a child under 16
  • ", + "
  • not paid or given the right supporting documents
  • ", + "
  • not given enough or correct information
  • ", + "

    You\u2019ll be told after you\u2019ve applied how and when you\u2019ll get your emergency travel document.

    ", + "

    Apply on behalf of someone else

    ", + "

    You can apply for an emergency travel document and book an appointment for someone else if they\u2019re a British citizen or British national (overseas). They might have to attend an appointment and they must collect their emergency travel document in person.

    ", + "

    If you apply for a child under 16, they\u2019ll need to attend an appointment. Both parents should go with them if possible. If neither parent can attend, they\u2019ll need to send a signed consent letter.

    ", + "

    If you're not a British citizen

    ", + "

    You can apply online if you\u2019re a British national (overseas).

    ", + "

    If you\u2019re 16 or over and another type of British national, you need to:

    ", + "
  • Check if you\u2019re eligible with your nearest British embassy, high commission or consulate.
  • ", + "
  • Download and fill in an application form.
  • ", + "
  • Book an appointment with the embassy, high commission or consulate.
  • ", + "
  • Pay the fee at your appointment.
  • " + ] + }, + { + "title": "Hand luggage restrictions at UK airports", + "url": "https://www.gov.uk/hand-luggage-restrictions", + "contents": [ + "

    Overview

    ", + "

    There are restrictions on what items you can take in your hand luggage and hold luggage when boarding a plane in the UK.

    ", + "

    There are different rules if you\u2019re taking goods to sell or temporarily abroad for business reasons, for example sales samples, professional equipment or musical instruments for a performance.

    ", + "

    Airport security staff will not let anything through that they consider dangerous - even if it\u2019s normally allowed in hand luggage.

    ", + "

    Hand luggage allowances

    ", + "

    Check with your airline how many and what size bags you can take on the plane with you.

    ", + "

    Check the rules for electronic items and devices you\u2019re allowed to take on a flight before you travel - there are different rules depending on which country you are travelling to or from.

    ", + "

    Taking liquids through security

    ", + "

    There are restrictions on the amount of liquids you can take in your hand luggage. If possible, pack liquids in your hold baggage (luggage that you check in).

    ", + "

    Liquids include:

    ", + "
  • all drinks, including water
  • ", + "
  • liquid or semi-liquid foods, for example soup, jam, honey and syrups
  • ", + "
  • cosmetics and toiletries, including creams, lotions, oils, perfumes, mascara and lip gloss
  • ", + "
  • sprays, including shaving foam, hairspray and spray deodorants
  • ", + "
  • pastes, including toothpaste
  • ", + "
  • gels, including hair and shower gel
  • ", + "
  • contact lens solution
  • ", + "
  • any other solutions and items of similar consistency
  • ", + "

    If you do take liquids in your hand luggage:

    ", + "
  • containers must hold no more than 100ml
  • ", + "
  • containers must be in a single, transparent, resealable plastic bag, which holds no more than a litre and measures approximately 20cm x 20cm
  • ", + "
  • contents must fit comfortably inside the bag so it can be sealed
  • ", + "
  • the bag must not be knotted or tied at the top
  • ", + "
  • you\u2019re limited to 1 plastic bag per person
  • ", + "
  • you must show the bag at the airport security point
  • ", + "

    Liquids in containers larger than 100ml generally cannot go through security even if the container is only part full. There are some exemptions.

    ", + "

    Exemptions

    ", + "

    You can take liquid containers larger than 100ml through security if they:

    ", + "
  • are for essential medical purposes
  • ", + "
  • are for special dietary requirements
  • ", + "
  • contain baby food or baby milk
  • ", + "

    You can also take liquids bought at an airport or on a plane (such as duty free) through security if:

    ", + "
  • the items are sealed inside a security bag when you buy them
  • ", + "
  • the receipt for the items is sealed in the security bag and visible
  • ", + "

    You must not open the security bag until you reach your final destination. Airport staff may need to open the items to screen the liquid at the security point.

    ", + "

    Liquid restrictions outside the EU

    ", + "

    Countries outside the EU might have different rules on carrying liquids as a transit or transfer passenger. You should check these rules with the relevant airlines and airports before travelling.

    ", + "

    Lighters

    ", + "

    You can only carry 1 lighter on board. You should put it inside a resealable plastic bag (like the ones used for liquids), which you must keep on you throughout the flight. You cannot:

    ", + "
  • put it in your hold luggage
  • ", + "
  • put it in your hand luggage after screening
  • ", + "

    Food and powders

    ", + "

    Food items and powders in your hand luggage can obstruct images on x-ray machines. Your bags may need to be checked again manually by security. You can put these items in your hold luggage to minimise delays.

    ", + "

    Baby food and baby milk

    ", + "

    When travelling with a baby you\u2019re allowed to take enough baby food, baby milk and sterilised water for the journey. There is no legal limit to how much you can take however check with your airport before you travel.

    ", + "

    You can carry breast milk in hand luggage even if you\u2019re not travelling with a baby. You cannot carry frozen breast milk in hand luggage.

    ", + "

    Individual containers of breast milk must hold no more than 2,000ml. Each container will need to be screened at the security point. Airport staff might need to open the containers to screen the liquids.

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Breast milk | Yes, in containers up to 2,000ml | Yes", + "Frozen breast milk | No | Yes", + "Formula milk, cow\u2019s milk | Yes (baby must be present) | Yes", + "Sterilised water for the baby | Yes (baby must be present) | Yes", + "Soya milk for babies | Yes (baby must be present) | Yes", + "Baby food | Yes (baby must be present) | Yes", + "Cooling gel packs | Yes | Yes", + "

    Personal items

    ", + "

    Musical instruments

    ", + "

    Contact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.

    ", + "

    Musical instruments will be screened separately.

    ", + "

    Mobility aids

    ", + "

    Pushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.

    ", + "

    For battery-powered wheelchairs or mobility aids check with your airline first.

    ", + "

    Other personal items

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Corkscrew | No | Yes", + "Spoon | Yes | Yes", + "Knife (with a sharp or pointed blade and/or blade longer than 6cm) | No | Yes (check with your airline)", + "Small scissors (with blades no longer than 6cm) | Yes | Yes", + "Large scissors (with blades longer than 6cm) | No | Yes (check with your airline)", + "Round-ended/blunt scissors | Yes | Yes", + "Fixed-cartridge razor blades (disposable razor) | Yes | Yes", + "Nail clippers/nail file | Yes | Yes", + "Tweezers | Yes | Yes", + "Knitting needles | Yes | Yes", + "Sewing needle | Yes | Yes", + "Umbrella | Yes | Yes", + "Walking stick/cane, walking aid | Yes | Yes", + "Pushchair | Yes | Yes", + "Wheelchair | Yes | Yes", + "Safety matches | Yes | No", + "Non-safety matches | No | No", + "Fireworks, flares and other pyrotechnics, including party poppers and toy caps | No | No", + "Cigarette lighter | No, but you can put a lighter in a plastic liquids bag and keep it on your person | No", + "Contact lens solution | Yes (up to 100ml) | Yes", + "

    Medicines, medical equipment and dietary requirements

    ", + "

    You\u2019re allowed to carry the following in your hand luggage:

    ", + "
  • essential medicines of more than 100ml, including liquid dietary foodstuffs and inhalers
  • ", + "
  • medical equipment, if it\u2019s essential for your journey
  • ", + "

    You\u2019ll need supporting documentation from a relevant medical professional (for example a letter from your doctor or a copy of your prescription).

    ", + "

    Airport staff might need to open the containers to screen the liquids at the security point. Medical equipment is screened separately.

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Tablets and capsules | Yes | Yes", + "Essential liquid medicines | Yes | Yes", + "Hypodermic syringes | Yes | Yes", + "Inhalers | Yes | Yes", + "Cooling gel packs | Yes | Yes", + "Medical equipment (for example CPAP and TENS machines) | Yes | Yes", + "Special food and liquids needed for medical reasons | Yes | Yes", + "Oxygen cylinders | Contact your airline | Contact your airline", + "

    Electronic devices and electrical items

    ", + "

    You can only take certain electronic devices and electrical items on flights to the UK.

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Mobile phone | Yes | Yes", + "Laptop | Yes | Yes", + "Tablet devices | Yes | Yes", + "MP3 player | Yes | Yes", + "Hairdryer or straighteners | Yes | Yes", + "Travel iron | Yes | Yes", + "Electric shaver | Yes | Yes", + "E-cigarettes | Yes | No", + "

    Some airlines might also have different restrictions. Check with your airline before you travel if you\u2019re not sure about what you can take as hand luggage.

    ", + "

    Cameras

    ", + "

    You can usually take camera equipment in your hand and hold luggage.

    ", + "

    There might be restrictions on specialist equipment, for example professional video cameras.

    ", + "

    Make sure your devices are charged

    ", + "

    Make sure your electronic devices are charged before you travel. If your device does not switch on when requested, you will not be allowed to take it onto the aircraft.

    ", + "

    Batteries for your device

    ", + "

    Check the restrictions on certain types of batteries or contact your airline if you\u2019re not sure what you can carry.

    ", + "

    Gas-powered hair curlers

    ", + "

    You can take hair curlers containing a gas cartridge in hand or hold luggage as long as the safety cover is fitted at all times. You must not take separate gas cartridges on board.

    ", + "

    Sports equipment

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Sports parachute | Yes | Yes", + "Heavy bats and sticks (including baseball, softball and cricket bats) | No | Yes", + "Tennis racquets | Yes | Yes", + "Snooker, pool or billiard cue | Yes | Yes", + "Golf clubs | No | Yes", + "Darts | No | Yes", + "Walking/hiking poles | No | Yes", + "Fishing rod | Yes | Yes", + "Catapult | No | Yes", + "Firearms (including replica firearms) | No | Check with your airline before you travel", + "Harpoon or spear gun | No | Check with your airline before you travel", + "Crossbow | No | Yes", + "Martial arts equipment (including knuckledusters, clubs, coshes, rice flails and nunchuks) | No | Yes", + "Diving equipment | Check with your airline before you travel | Check with your airline before you travel", + "

    Work tools

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Tool with a blade or shaft longer than 6cm (for example chisel) | No | Yes", + "Drill and drill bits | No | Yes", + "Stanley knife | No | Yes", + "Saw (including portable power saw) | No | Yes", + "Screwdriver | No | Yes", + "Hammer | No | Yes", + "Pliers | No | Yes", + "Wrench or spanner | No | Yes", + "Bolt gun or nail gun | No | Yes", + "Crowbar | No | Yes", + "Blowtorch | No | Yes", + "

    Chemicals and toxic substances

    ", + "

    You cannot take any of these items as hand luggage or in the hold:

    ", + "
  • oxidisers and organic peroxides, including bleach and car body repair kits
  • ", + "
  • acids and alkalis (for example spillable \u2018wet\u2019 batteries)
  • ", + "
  • corrosives or bleaching agents (including mercury and chlorine)
  • ", + "
  • vehicle batteries and fuel systems
  • ", + "
  • self defence or disabling sprays (for example mace, pepper spray)
  • ", + "
  • radioactive materials (including medicinal or commercial isotopes)
  • ", + "
  • poisons or toxic substances (for example rat poison)
  • ", + "
  • biological hazards (for example infected blood, bacteria, viruses)
  • ", + "
  • materials that could spontaneously combust (burst into flames)
  • ", + "
  • fire extinguishers
  • ", + "

    Ammunition

    ", + "

    You cannot take any guns or firearms (including air rifles and starting pistols) as hand luggage. You may be able to take them as hold luggage - check with your airline before you travel.

    ", + "

    You cannot take any of these items as hand luggage or in the hold:

    ", + "
  • blasting caps
  • ", + "
  • detonators and fuses
  • ", + "
  • imitation explosive devices (including replica or model guns)
  • ", + "
  • mines, grenades, and other explosive military stores
  • ", + "
  • fireworks and pyrotechnics
  • ", + "
  • smoke canisters
  • ", + "
  • smoke cartridges
  • ", + "
  • dynamite
  • ", + "
  • gunpowder
  • ", + "
  • plastic explosives (including black powder and percussion caps)
  • ", + "
  • flares
  • ", + "
  • hand grenades
  • ", + "
  • gun cigarette lighters
  • " + ] + }, + { + "title": "Entering the UK", + "url": "https://www.gov.uk/uk-border-control", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re travelling to England, what you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:

    ", + "
  • green list - you must take a coronavirus (COVID-19) test on or before day 2
  • ", + "
  • amber list - you must quarantine in the place you\u2019re staying and take 2 COVID-19 tests
  • ", + "
  • red list - you must quarantine in a hotel and take 2 COVID-19 tests
  • ", + "

    You cannot currently enter the UK if you\u2019ve been in or through a country on the red list unless you\u2019re British, Irish or you have the right to live in the UK.

    ", + "

    You must follow these rules even if you have been vaccinated.

    ", + "

    Find out which list the country you\u2019ve been in is on and what you need to do.

    ", + "

    Find out what to do if you\u2019re:

    ", + "
  • travelling to Scotland
  • ", + "
  • travelling to Wales
  • ", + "
  • travelling to Northern Ireland
  • ", + "

    Before you leave for the UK

    ", + "

    You\u2019ll need to:

    ", + "
  • provide proof of a negative COVID-19 test taken in the 3 days before you leave for the UK
  • ", + "
  • complete a passenger locator form
  • ", + "

    Find out more about what you\u2019ll need to do before you leave for the UK because of COVID-19.

    ", + "

    Your passport or identity card will be checked when you arrive at a UK port or airport to make sure you\u2019re allowed to come into the country. It should be valid for the whole of your stay.

    ", + "

    You may also need a visa to come into or travel through the UK, depending on your nationality.

    ", + "

    What you can bring with you

    ", + "

    What you can bring with you depends on where you\u2019re travelling from. You must declare to customs:

    ", + "
  • anything over your duty-free allowance
  • ", + "
  • banned or restricted goods in the UK
  • ", + "
  • goods that you plan to sell
  • ", + "
  • more than \u20ac10,000 (or its equivalent) in cash, if you\u2019re coming from outside the EU
  • ", + "

    You and your baggage may be checked for anything you must declare.

    ", + "

    COVID-19 restrictions in the UK

    ", + "

    COVID-19 restrictions currently apply in England. Find out about the:

    ", + "
  • rules in Scotland
  • ", + "
  • rules in Wales
  • ", + "
  • rules in Northern Ireland
  • ", + "

    Before you leave for the UK

    ", + "

    Everyone travelling to the UK must:

    ", + "
  • book at least one coronavirus (COVID-19) test for after you arrive
  • ", + "
  • provide your contact details by completing the online passenger locator form
  • ", + "
  • provide proof of a negative COVID-19 test taken in the 3 days before you leave for the UK
  • ", + "
  • follow the testing and quarantine rules in England, Scotland, Wales or Northern Ireland
  • ", + "

    You\u2019ll be committing a criminal offence if you do not have proof of a negative test or you have not completed the passenger locator form. You may be fined. You may not be allowed to board. If you are not British or Irish, you may not be allowed to enter the UK.

    ", + "

    COVID-19 testing and quarantine in England

    ", + "

    What you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:

    ", + "
  • green list - you must book a COVID-19 test to take after you arrive
  • ", + "
  • amber list - you must book 2 COVID-19 tests to take after you arrive and quarantine in the place you\u2019re staying
  • ", + "
  • red list - you must book a hotel quarantine package, which includes 2 COVID-19 tests
  • ", + "

    Find out which list the country you\u2019ve been in is on and what you need to do.

    ", + "

    You must follow these rules even if you have been vaccinated.

    ", + "

    You might be exempt from some or all COVID-19 travel and entry requirements because of your job. Check if your job means you\u2019re exempt.

    ", + "

    Children aged 4 and under do not need to take any COVID-19 travel tests after they arrive in England.

    ", + "

    If you\u2019re travelling from a country on the amber list, you may be able to end your quarantine early by booking a third coronavirus test through Test to Release.

    ", + "

    COVID-19 testing and quarantine in Scotland, Wales and Northern Ireland

    ", + "

    Check the rules and exemptions for quarantine and COVID-19 tests:

    ", + "
  • if you\u2019re travelling to Scotland
  • ", + "
  • if you\u2019re travelling to Wales
  • ", + "
  • If you\u2019re travelling to Northern Ireland
  • ", + "

    Complete the passenger locator form

    ", + "

    You need to provide your journey and contact details in the 48 hours before you arrive in the UK. You must do this by completing the online passenger locator form.

    ", + "

    You\u2019ll need to show your completed passenger locator form when you check in to travel or board your plane, train or ferry.

    ", + "

    You\u2019ll also need to show proof that you\u2019ve completed the form when you arrive at the UK border.

    ", + "

    Provide a negative COVID-19 test to travel to the UK

    ", + "

    You must have proof of a negative COVID-19 test to travel to the UK - even if you\u2019re a UK citizen.

    ", + "

    If your test result is positive you must not travel. You must follow the local COVID-19 rules and guidance.

    ", + "

    The test must be taken in the 3 days before you depart. The results must be in English, French or Spanish.

    ", + "

    You\u2019ll need to show the test results when you check in to travel or board your plane, train or ferry. You may also be asked to show them when you arrive.

    ", + "

    You could be fined \u00a3500 when you arrive at the border if you cannot provide proof that you have had a negative COVID-19 test.

    ", + "

    Find out more about providing a COVID-19 test result, including exemptions and acceptable types of test.

    ", + "

    When you do not need to provide a negative COVID-19 test

    ", + "

    You do not need a test if you\u2019re travelling:

    ", + "
  • within the UK, the Isle of Man, Jersey and Guernsey
  • ", + "
  • from Ireland
  • ", + "
  • from Ascension, Falkland Islands, St Helena and Myanmar
  • ", + "

    Children under 11 do not need a test.

    ", + "

    There are other reasons you might not need a test, for example:

    ", + "
  • you have a job on the \u2018exempt jobs\u2019 list
  • ", + "
  • you\u2019re travelling to the UK for medical reasons
  • ", + "
  • you\u2019re travelling from a country where you cannot access testing facilities
  • ", + "

    Read the guidance about:

    ", + "
  • taking a COVID-19 test before you travel to England
  • ", + "
  • taking a COVID-19 test before you travel to Scotland
  • ", + "

    You must still follow the rules for quarantining when you arrive in the UK.

    ", + "

    You\u2019re from an EEA country or Switzerland

    ", + "

    You can enter the UK with either a passport or national identity card issued by an EEA country or Switzerland that should be valid for the whole of your stay.

    ", + "

    From 1 October 2021, you will not be able to use an EEA or Swiss national identity card to enter the UK unless you:

    ", + "
  • have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • have an EU Settlement Scheme family permit
  • ", + "
  • have a Frontier Worker permit
  • ", + "
  • are an S2 Healthcare Visitor
  • ", + "
  • are a Swiss Service Provider
  • ", + "

    Check if you need a visa to come to the UK after 1 January 2021.

    ", + "

    You\u2019re not from an EEA country

    ", + "

    You must have a valid passport to enter the UK. It should be valid for the whole of your stay.

    ", + "

    You may also need a visa, depending on which country you\u2019re from.

    ", + "

    Check if you need a visa to enter the UK.

    ", + "

    You may also need a visa if you\u2019re \u2018transiting\u2019 or travelling through the UK, for example you\u2019re changing flights at a UK airport.

    ", + "

    Applying for a visa

    ", + "

    You must apply for your visa before you arrive in the UK.

    ", + "

    Travelling with children

    ", + "

    You may be asked at the border to prove the relationship between yourself and any children travelling with you, if you do not seem to be the parent, for example if you have a different surname.

    ", + "

    You can prove this with:

    ", + "
  • a birth or adoption certificate showing your relationship with the child
  • ", + "
  • divorce or marriage certificates if you\u2019re the parent but have a different surname from the child
  • ", + "
  • a letter from the child\u2019s parent giving permission for the child to travel with you and providing contact details, if you\u2019re not the parent
  • ", + "

    Before you board

    ", + "

    Your \u2018carrier\u2019 (for example airline or transport provider) will check your passport and other travel documents. They\u2019ll send this information electronically to Border Force.

    ", + "

    You can ask to see the information about you that\u2019s been sent by carriers.

    ", + "

    At border control

    ", + "

    You must wear a face covering at the airport, port or station you\u2019re arriving into and follow social distancing rules.

    ", + "

    You\u2019ll need to show:

    ", + "
  • your passport or identity card
  • ", + "
  • your proof of a negative coronavirus (COVID-19) test
  • ", + "
  • your passenger locator form
  • ", + "

    You must:

    ", + "
  • have your passport or identity card ready - remove it from a holder or wallet if you use one
  • ", + "
  • remove your face covering or sunglasses, if you\u2019re wearing them
  • ", + "
  • move through passport control together if you\u2019re in a family
  • ", + "

    You will have to wait longer than usual at border control because of COVID-19.

    ", + "

    Showing your passenger locator form

    ", + "

    You need to show proof that you\u2019ve completed a passenger locator form when you arrive at the UK border. The government will use the form to contact you if someone you\u2019ve travelled with develops COVID-19 symptoms.

    ", + "

    When you submit the form you\u2019ll receive a confirmation email with a document attached. At border control you must show either a:

    ", + "
  • printed copy of the document
  • ", + "
  • downloaded copy of document on your phone
  • ", + "

    Border Force officers will scan the QR code at the top of this document to check you have completed the form successfully.

    ", + "

    It is a criminal offence to provide false or deliberately misleading information when filling out your passenger locator form. You could be fined up to \u00a310,000, imprisoned for up to 10 years, or both, if you do not provide accurate details about the countries you have visited in the 10 days before you arrived in the UK.

    ", + "

    You may also need to show proof of a negative coronavirus test at the border. You could be fined up to \u00a3500 if you cannot show proof when asked.

    ", + "

    Arriving by bus or coach

    ", + "

    You have to leave the bus when you arrive at border control.

    ", + "

    Make sure you:

    ", + "
  • are ready to get off the bus when you arrive
  • ", + "
  • have your travel documents ready
  • ", + "

    Read the guidance for school parties and groups coming to the UK by coach.

    ", + "

    If you\u2019re from an EEA country or Switzerland

    ", + "

    You can use the UK/EEA channel to get your passport or identity card checked - this is usually faster than the other channels.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein, and Norway.

    ", + "

    You can use automatic ePassport gates at some airports if your passport has a \u2018chip\u2019 on it and you\u2019re 12 or over. If you\u2019re between 12 and 17, you must be accompanied by an adult.

    ", + "

    These gates use facial recognition technology to check your identity against the photo in your passport.

    ", + "

    If you\u2019re from a non-EEA country

    ", + "

    Your passport (and visa if you have one) will be checked at border control. You\u2019ll usually be asked why you\u2019re coming to the UK.

    ", + "

    You can use the UK/EEA immigration lanes and the automatic ePassport gates if you\u2019re from:

    ", + "
  • Australia
  • ", + "
  • Canada
  • ", + "
  • Japan
  • ", + "
  • New Zealand
  • ", + "
  • Singapore
  • ", + "
  • South Korea
  • ", + "
  • United States
  • ", + "

    When you cannot use an ePassport gate

    ", + "

    You must see a border control officer and get a stamp in your passport if you are entering the UK:

    ", + "
  • with a Tier 5 Creative or Sporting certificate of sponsorship for up to 3 months (and you want to enter without a visa)
  • ", + "
  • on a permitted paid engagement
  • ", + "

    You cannot get a stamp if you use the ePassport gates. Without a stamp you will not be allowed to carry out the activities you came to the UK to do.

    ", + "

    Registered Travellers

    ", + "

    You can use the UK/EEA immigration lanes and the automatic ePassport gates.

    ", + "

    Travelling with a UK biometric residence permit

    ", + "

    You\u2019ll have a biometric residence permit if your fingerprints were taken when you applied.

    ", + "

    Your fingerprints will be checked at border control - they\u2019ll be checked against the ones stored on your visa document.

    ", + "

    If you\u2019re refused entry

    ", + "

    You\u2019ll be told in writing:

    ", + "
  • why you\u2019ve been refused entry to the UK
  • ", + "
  • if you can appeal against the decision
  • ", + "
  • when you will be removed from the UK
  • ", + "

    You\u2019ll usually have to leave the UK immediately.

    ", + "

    You may be allowed into the UK temporarily (usually for up to a week) but your passport will be taken from you and you must report to immigration officers at set times.

    ", + "

    Baggage checks

    ", + "

    You must co-operate if you\u2019re stopped and asked about your baggage.

    ", + "

    If you break the rules your goods and any vehicle you use to transport them may be seized.

    ", + "

    If your baggage is checked

    ", + "

    Your baggage is usually checked in front of you.

    ", + "

    Customs officers keep a record of:

    ", + "
  • all baggage they open and check
  • ", + "
  • any damage to your baggage or belongings during a check
  • ", + "

    If your things are damaged

    ", + "

    You may be offered compensation if your baggage or belongings are damaged during a customs check.

    ", + "

    Making a complaint

    ", + "

    You can:

    ", + "
  • ask for the duty manager if you want to complain about a customs check while you\u2019re at the border
  • ", + "
  • send your complaint to Border Force if you want to complain later
  • ", + "

    Layovers and transiting through a UK airport

    ", + "

    Passing through a UK airport while on the way to another country is called \u2018transiting\u2019. Some travellers call it a \u2018layover\u2019.

    ", + "

    There are 2 types of transiting:

    ", + "
  • \u2018airside\u2019 - you do not pass through UK border control before you leave on your connecting journey
  • ", + "
  • \u2018landside\u2019 - you do pass through UK border control, but come back through it and leave the UK within a short amount of time (usually 24 hours)
  • ", + "

    Find out if you need a UK visa for your layover.

    ", + "

    Coronavirus (COVID-19) testing and quarantine

    ", + "

    Before you travel you need to:

    ", + "
  • provide your contact details by completing the online passenger locator form
  • ", + "
  • provide proof of a negative COVID-19 test
  • ", + "

    Check the rules for transiting.

    ", + "

    Quarantining when you arrive in the UK

    ", + "

    If you\u2019re travelling to England, what you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:

    ", + "
  • green list - you do not need to quarantine but you must take a COVID-19 test on or before day 2
  • ", + "
  • amber list - you must quarantine in the place you\u2019re staying and take 2 COVID-19 tests
  • ", + "
  • red list - you must quarantine in a hotel and take 2 COVID-19 tests
  • ", + "

    You must follow these rules even if you have been vaccinated.

    ", + "

    Find out which list the country you\u2019ve been in is on and what you need to do.

    ", + "

    You may be fined if you do not quarantine in the place you\u2019re staying or in a managed quarantine hotel when you need to. You can be prosecuted if you do not pay on time.

    ", + "

    Some people are exempt from some or all COVID-19 travel and entry requirements because of their jobs. Check if your job means you\u2019re exempt.

    ", + "

    Quarantine rules in Scotland, Wales and Northern Ireland

    ", + "

    Find out what to do and whether you\u2019re exempt if you\u2019re:

    ", + "
  • travelling to Scotland
  • ", + "
  • travelling to Wales
  • ", + "
  • travelling to Northern Ireland
  • ", + "

    Ending quarantine early through Test to Release

    ", + "

    You may be able to end quarantine early through the \u2018Test to Release\u2019 scheme if you pay for a private coronavirus (COVID-19) test.

    ", + "

    You must still take the 2 COVID-19 tests you booked before you travelled. Find out more about the tests you must book and take.

    ", + "

    You cannot use the Test to Release scheme if you\u2019ve been in or through a country on the red list in the 10 days before you arrive in England.

    ", + "

    This guidance is for England. Find out what to do if you\u2019re:

    ", + "
  • travelling to Scotland
  • ", + "
  • travelling to Wales
  • ", + "
  • travelling to Northern Ireland
  • ", + "

    When you can take the private COVID-19 test

    ", + "

    The earliest you can take a test is 5 days after you arrive in England. For example, if you arrive on a Monday, you can take a test from the following Saturday.

    ", + "

    When you can stop quarantining

    ", + "

    If the test is negative you can stop quarantining as soon as you get the result.

    ", + "

    If the test is positive you need to quarantine for another 10 days. Count the 10 days starting from the day you took the test, or from when you first had symptoms if that is earlier.

    ", + "

    If you\u2019re living or staying with someone in the UK they should also self-isolate for 10 days, starting from the day you took the test.

    ", + "

    If the test is inconclusive you also need to quarantine for another 10 days. You can stop quarantining if you take another test with an eligible private provider and the result is negative.

    ", + "

    You may be fined up to \u00a310,000 if you do not quarantine when you need to. You can be prosecuted if you do not pay the fine on time.

    ", + "

    What you\u2019ll need

    ", + "

    Before arriving in England, you\u2019ll need to:

    ", + "
  • book a test with an eligible private provider
  • ", + "
  • say that you\u2019ll be using the Test to Release scheme on the passenger locator form
  • ", + "

    You cannot take a test through NHS Test and Trace to shorten your quarantine period. You must continue to quarantine if the result from an NHS Test and Trace test is negative.

    ", + "

    If you did not book the test before you arrived in England, you can book one after you arrive. You will need to complete another passenger locator form to opt into the scheme.

    " + ] + }, + { + "title": "Options when customs seizes your things", + "url": "https://www.gov.uk/customs-seizures", + "contents": [ + "

    Overview

    ", + "

    Customs will destroy or sell anything it seizes from you for breaking the rules on bringing or receiving goods from abroad, unless you:

    ", + "
  • ask for your things back - you can do this even if you agree customs was right to seize them
  • ", + "
  • think customs was wrong to seize your things - you\u2019ll have to go to court
  • ", + "

    This applies to:

    ", + "
  • goods, cars and other vehicles you bring into the UK
  • ", + "
  • any vehicle you use to transport your things
  • ", + "
  • packages in the post
  • ", + "

    Collecting things from a seized vehicle

    ", + "

    You have 45 days to collect anything you left in your vehicle if it\u2019s been seized. Send a letter marked \u2018personal property\u2019 to the address on the notice or letter you got from customs.

    ", + "

    If your things or cash are seized as criminal evidence

    ", + "

    Customs officers can also seize goods, vehicles and cash you bring into the UK if they suspect a crime. They\u2019ll explain what happens next and what you can do.

    ", + "

    Complain about how you were treated

    ", + "

    You can complain about how customs officers treated you during a customs seizure. Complain to Border Force or HM Revenue and Customs (HMRC), depending on who seized your things.

    ", + "

    Check the notice or letter you got from customs if you do not know who seized your things.

    ", + "

    Contact HMRC if you have questions about customs.

    ", + "

    Ask for your things back

    ", + "

    You can ask for your things back (make a \u2018restoration request\u2019) even if you agree customs was right to take them.

    ", + "

    If you think you should get your things back because you did not break the rules (for example, you brought in alcohol for your own use) you must ask for a court hearing instead of making a restoration request.

    ", + "

    If your request is accepted, you can get your things back but you may have to pay a fee and any duty you owe.

    ", + "

    You may be offered compensation if your things have already been destroyed or sold.

    ", + "

    Making a request

    ", + "

    Follow the example letter or write your own.

    ", + "

    You must explain why you think you should get your things back, for example you can now provide missing import or export documents.

    ", + "

    You must include:

    ", + "
  • the seizure reference number on the notice you got from customs
  • ", + "
  • your name and address
  • ", + "
  • a list of the things you want back - include details, for example quantities and brands
  • ", + "
  • proof of ownership - for a vehicle, this must be proof of purchase, for example a receipt
  • ", + "
  • anything else that supports your request to get your things back, for example import documents
  • ", + "

    Notice 12A gives detailed guidance about making a restoration request and getting compensation.

    ", + "

    Where to send it

    ", + "

    Send your request to Border Force if it seized your things.

    ", + "

    If HM Revenue and Customs (HMRC) seized your things, send your request to the address on the notice or letter you got from customs.

    ", + "

    Check the notice or letter you got from customs if you do not know who seized your things. Contact HMRC if you need a copy of the notice.

    ", + "

    Deadline

    ", + "

    There\u2019s no deadline for making a restoration request. But your things will usually be destroyed or sold:

    ", + "
  • straight away if they\u2019re perishable, for example food, beer or tobacco
  • ", + "
  • 45 days after they\u2019re seized if they\u2019re not perishable, for example spirits and cars
  • ", + "

    If you send a restoration request, non-perishable things are usually kept until your request is considered.

    ", + "

    Getting legal help

    ", + "

    You can appoint someone to deal with your request for you, for example a solicitor. Send an agent authority form with your request.

    ", + "

    If you\u2019re unhappy with the response

    ", + "

    You can ask for the response to your request to be reviewed if:

    ", + "
  • you do not get your things back or get compensation
  • ", + "
  • you disagree with the fee for getting your things back
  • ", + "

    The letter telling you the response will also tell you how to ask for a review.

    ", + "

    If you disagree with the review

    ", + "

    You can appeal to the tax tribunal if you disagree with the outcome of the review.

    ", + "

    Ask for a court hearing

    ", + "

    Send a \u2018notice of claim\u2019 if you think it was illegal for customs to seize your things, for example you brought in alcohol or tobacco for your personal use.

    ", + "

    A seizure is legal if you break the rules on bringing or receiving things from abroad.

    ", + "

    You\u2019ll have to go to court - if you win your claim, you\u2019ll get your things back. If they\u2019ve already been disposed of, you can ask for compensation.

    ", + "

    You may have to pay court costs if you do not win your claim.

    ", + "

    Sending a notice of claim

    ", + "

    Follow the example notice of claim or write your own. You\u2019ll need to include:

    ", + "
  • the seizure reference number on the notice you got from customs
  • ", + "
  • your name and address
  • ", + "
  • a list of the things you think customs was wrong to seize - include details, for example quantities and brands
  • ", + "
  • proof of ownership if your vehicle was seized
  • ", + "
  • why you think it was illegal for customs to seize your things
  • ", + "

    Notice 12A gives detailed guidance about making a claim and what happens in a court hearing.

    ", + "

    If Border Force seized your things

    ", + "

    Send your notice of claim to Border Force\u2019s post seizure unit.

    ", + "

    If HM Revenue and Customs (HMRC) seized your things

    ", + "

    For excise goods such as alcohol, tobacco and fuel, send your notice of claim to:

    ", + "

    For all other goods send your notice of claim to:

    ", + "

    Check the notice or letter you got from customs if you do not know who seized your things. Contact HMRC if you need a copy of the notice.

    ", + "

    Deadline

    ", + "

    Your notice of claim must be received by HMRC or Border Force within a month of your things being seized.

    ", + "

    Your things are usually kept until your claim is decided, unless they\u2019re perishable, for example they\u2019re food.

    ", + "

    Get legal help

    ", + "

    You can appoint someone (for example, a solicitor) to deal with your claim and represent you in court.

    ", + "

    Send an agent authority form with your notice of claim.

    ", + "

    If you live outside the UK

    ", + "

    You must appoint a UK solicitor to handle your claim and represent you in court.

    ", + "

    Send an agent authority form giving the solicitor\u2019s details with your notice of claim.

    " + ] + }, + { + "title": "Applying for a visa to come to the UK", + "url": "https://www.gov.uk/apply-to-come-to-the-uk", + "contents": [ + "

    Choose a visa

    ", + "

    You may need a visa to come to the UK to study, work, visit or join family.

    ", + "

    There are different visas depending on:

    ", + "
  • where you come from
  • ", + "
  • why you want to come to the UK
  • ", + "
  • how long you want to stay for
  • ", + "
  • your personal circumstances and skills
  • ", + "

    Before you apply, you must check if you need a visa and what type you need. Depending on your nationality, you might not need a visa to visit or transit through the UK.

    ", + "

    Your application must be approved before you travel.

    ", + "

    You do not need a visa if you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and you came to the UK by 31 December 2020. If you started living in the UK by that date you can apply to the EU Settlement Scheme to continue to work, live or study in the UK.

    ", + "

    You do not need to apply for a visa if you\u2019re an Irish citizen.

    ", + "

    If you want to visit the UK

    ", + "

    Apply for a Standard Visitor visa to visit the UK for up to 6 months. For example:

    ", + "
  • for a holiday or to see family and friends
  • ", + "
  • for a business trip or meeting
  • ", + "
  • to do a short course of study
  • ", + "

    You must apply for a Marriage Visitor visa if you want to visit the UK to get married or register a civil partnership.

    ", + "

    If you have a visitor visa you cannot take a job in the UK.

    ", + "

    If you\u2019re travelling through the UK

    ", + "

    You might need a visa if you\u2019re travelling through the UK on your way to another country, for example if you have a layover between flights.

    ", + "

    Apply for a visa to travel through the UK.

    ", + "

    If you want to study in the UK

    ", + "

    Your course length, type and place of study affect which visa to apply for.

    ", + "

    A Standard Visitor visa lets you do a short course of study that lasts no longer than 6 months.

    ", + "

    A Short-term study visa lets you come to the UK to study an English language course that is over 6 months and up to 11 months.

    ", + "

    A Student visa is usually for a longer course. You must be sponsored by a licensed college or university and have a confirmed place. You may be able to do some work on this visa.

    ", + "

    A Child Student visa is for 4 to 17 year olds who want to study at an independent school. If you\u2019re 16 or over, you can do some work on this visa.

    ", + "

    If you want to work or invest in the UK

    ", + "

    You can work in the UK on a short or long-term basis with a work visa. There are many types of work visa.

    ", + "

    The visa you need depends upon:

    ", + "
  • your skills and qualifications
  • ", + "
  • if you have a job offer and sponsorship
  • ", + "
  • if you want to bring your family with you
  • ", + "
  • what you\u2019ll be doing - for example sporting, charitable or religious work
  • ", + "

    You can also invest money in the UK with an Investor visa. You can set up a business with a Start-up visa or an Innovator visa.

    ", + "

    If you want to join family in the UK

    ", + "

    If you\u2019re a spouse, partner or family member of someone who has British citizenship or settlement in the UK, you can apply for a family visa to join them. They may need to show that they can support you financially.

    ", + "

    You may be able to apply for indefinite leave to remain (ILR) after a set amount of time living in the UK.

    ", + "

    If your family member is in the UK on a visa

    ", + "

    You may be able to apply for a visa to join a family member who\u2019s in the UK on a visa. They must be either:

    ", + "
  • your spouse or partner
  • ", + "
  • your parent if you\u2019re 18 or under
  • ", + "

    Check what visa you\u2019ll need to join them.

    ", + "

    If your family member is from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    You can apply for a free family permit if you have a close family member who was living in the UK by 31 December 2020. A family permit lets you live, work and study in the UK for up to 6 months.

    ", + "

    Close family members include your spouse or civil partner, child, grandchild, parent or grandparent.

    ", + "

    You can apply to the EU Settlement Scheme after your family permit expires.

    ", + "

    Family reunion visas for refugees

    ", + "

    If you were separated from your partner or child when you were forced to leave your country, they can apply to join you in the UK.

    ", + "

    Your family members can apply if you have been given asylum or 5 years\u2019 humanitarian protection, and not have British citizenship.

    ", + "

    Other ways to get permission to live in the UK

    ", + "

    Commonwealth citizens

    ", + "

    You can apply for an Ancestry visa to work in the UK if you have a British grandparent and meet other eligibility criteria.

    ", + "

    You may have right of abode to live in the UK.

    ", + "

    If you\u2019re a Commonwealth citizen and cannot prove your right to be in the UK, read about the Windrush scheme.

    ", + "

    Returning residents

    ", + "

    If you had indefinite leave to remain (ILR) and left the UK for more than 2 years you\u2019ll need to apply for a Returning Resident visa to come back.

    ", + "

    Other visas

    ", + "

    There may be another visa that\u2019s right for you based on your circumstances. Check if you need a visa and what other visas you\u2019re eligible for.

    ", + "

    Prepare your application

    ", + "

    You can apply and pay for most visas online.

    ", + "

    If you have dependants who want to come to the UK with you, each person will need to apply and pay separately.

    ", + "

    When to apply

    ", + "

    The earliest you can apply is usually:

    ", + "
  • 3 months before your planned travel date for visit visas
  • ", + "
  • 3 months before your employment start date for most work visas
  • ", + "
  • 6 months before your course start date for Student and Child Student visas
  • ", + "

    Get an estimate of how long it\u2019ll take to process your application.

    ", + "

    Settlement applications take up to 6 months and must be approved before you come to the UK. If you\u2019re given permission to settle in the UK, you must travel before your permission ends.

    ", + "

    Fees

    ", + "

    There is a fee for each visa. The fee depends on which visa you apply for.

    ", + "

    You can choose to pay more to get a faster decision for some visas.

    ", + "

    The fees are the same for each family member who applies to come to the UK with you.

    ", + "

    Pay for healthcare

    ", + "

    You\u2019ll need to pay the healthcare surcharge as part of your application, if you\u2019re:

    ", + "
  • applying for a visa to work, study or join your family
  • ", + "
  • applying to stay for more than 6 months
  • ", + "
  • not applying to live permanently in the UK
  • ", + "

    Applying for someone else

    ", + "

    You can apply for a visa for someone else. For example, a relative overseas who does not have access to a computer or your child, if they cannot apply for themselves.

    ", + "

    You must get permission from the person you\u2019re applying for, or written permission from their parent or guardian if the applicant is under 18.

    ", + "

    Enter the applicant\u2019s details into the form, not your own.

    ", + "

    Proving you do not have tuberculosis (TB)

    ", + "

    If you\u2019re coming to the UK for more than 6 months you might need to have a TB test.

    ", + "

    Check if you\u2019ll need a TB test.

    ", + "

    If you do, you must provide a certificate showing you do not have TB with your visa application.

    ", + "

    Change or cancel your application

    ", + "

    If you want to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    Prove your identity

    ", + "

    When you apply, you\u2019ll need to prove your identity and provide documents to show your eligibility.

    ", + "

    How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • go to an appointment at a visa application centre
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 smartphone app
  • ", + "

    You\u2019ll find out if you need to go to an appointment or use the smartphone app when you start your application.

    ", + "

    If you need to go to an appointment at a visa application centre

    ", + "

    You\u2019ll be asked to make an appointment at a visa application centre to provide your biometric information (your fingerprints and a photograph).

    ", + "

    At the appointment, you\u2019ll need to submit documents that show your eligibility. The document checklist in your application will explain what to provide.

    ", + "

    Some visa application centres may need to keep your passport and documents while they process your application.

    ", + "

    You may have to travel to get to your nearest visa application centre (this could be in another country).

    ", + "

    If you applied for someone else

    ", + "

    The applicant will need to attend the appointment at the visa application centre to provide their biometric information and documents.

    ", + "

    They\u2019ll also need to sign a copy of their application form, to confirm that the information is correct.

    ", + "

    If you need to use the \u2018UK Immigration: ID Check\u2019 smartphone app

    ", + "

    You\u2019ll be asked to use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document and submit a digital photo of your face.

    ", + "

    You will need to scan and upload documents that show your eligibility as part of your online application. The document checklist in your application will explain what to provide.

    ", + "

    If you applied for someone else

    ", + "

    The applicant will need to prove their identity using the app.

    ", + "

    Getting a decision on your application

    ", + "

    You\u2019ll get a letter or an email with the result of your application. It will explain what you need to do next.

    ", + "

    If your application is successful

    ", + "

    You\u2019ll be given either:

    ", + "
  • a sticker (called a vignette) that goes in your passport - if you gave your biometric information at a visa application centre
  • ", + "
  • access to view your immigration status information online - if you used the smartphone app to prove your identity
  • ", + "

    The vignette or online immigration status information will show:

    ", + "
  • what you\u2019ve been granted (for example, a Student visa)
  • ", + "
  • the dates your visa is valid (start date and end date)
  • ", + "
  • the conditions of your visa
  • ", + "

    Your visa conditions

    ", + "

    The conditions say what you can and cannot do in the UK. For example, they might say:

    ", + "
  • \u2018No access to public funds\u2019 - you cannot claim benefits
  • ", + "
  • \u2018No work\u2019 - you cannot take paid or unpaid work in the UK
  • ", + "
  • \u2018Restricted work\u2019 - you can only work for your sponsor
  • ", + "

    You\u2019ll also be told if you need to register your personal details with the UK police.

    ", + "

    Getting your vignette

    ", + "

    If the visa application centre kept your passport, they\u2019ll either:

    ", + "
  • send it to you with the vignette inside - if you paid for this service when you applied
  • ", + "
  • ask you to collect the passport and vignette
  • ", + "

    If you kept your passport, you\u2019ll need to take it to the visa application centre to collect your vignette.

    ", + "

    If you\u2019re a national of Kuwait, Oman, Qatar or the United Arab Emirates and you applied for an electronic visa waiver this permission is sent to you electronically (you do not receive a vignette).

    ", + "

    If there\u2019s an error in your vignette

    ", + "

    If you notice an error in your vignette, you should contact your visa application centre immediately to correct it before you come to the UK.

    ", + "

    If you notice the error after you\u2019ve arrived in the UK, you must report it to UK Visas and Immigration (UKVI) within 3 months of arriving or you\u2019ll need to make a new application.

    ", + "

    Getting a biometric residence permit

    ", + "

    If you get a vignette and you\u2019re coming to the UK for more than 6 months then you have to collect a biometric residence permit (BRP) after you arrive.

    ", + "

    You must do this before the vignette sticker expires or within 10 days of arriving in the UK, whichever is later.

    ", + "

    You choose where to collect your BRP from during your application.

    ", + "

    When you get your BRP, check the details are correct. If your name is long it may appear \u2018cut off\u2019. This is not a mistake - it is because there is limited space on the BRP card. However, if there\u2019s a spelling mistake, you must report it.

    ", + "

    You need to report any errors in your BRP within 10 days of collecting it.

    ", + "

    If you get access to your immigration status information online

    ", + "

    You\u2019ll be able to view your immigration status information online. You can also use the online service to share your immigration status information with others, for example employers or universities.

    ", + "

    Some government organisations and public authorities will be able to access your immigration status information, for example when you travel through the UK border.

    ", + "

    You will not get a vignette or a BRP.

    ", + "

    If your application is refused

    ", + "

    You\u2019ll get a letter or an email explaining why your application was refused.

    ", + "

    Your passport will be returned, if it was kept as part of your application.

    ", + "

    Your refusal letter will explain if you have the right to either an:

    ", + "
  • administrative review
  • ", + "
  • immigration decision appeal
  • " + ] + }, + { + "title": "Pay for UK healthcare as part of your immigration application", + "url": "https://www.gov.uk/healthcare-immigration-application", + "contents": [ + "

    Overview

    ", + "

    You might need to pay a healthcare surcharge (called the \u2018immigration health surcharge\u2019 or IHS) as part of your immigration application.

    ", + "

    Whether you need to pay depends on the immigration status you\u2019re applying for.

    ", + "

    When you must pay

    ", + "

    If you\u2019re making your immigration application online, you pay the surcharge as part of your application or when you book an appointment.

    ", + "

    If you\u2019re applying by post, you pay the surcharge online before you send your application. You\u2019ll need to include the IHS reference number on your application form.

    ", + "

    When you can start to use the NHS

    ", + "

    You can start using the National Health Service (NHS) when both:

    ", + "
  • you\u2019ve paid the healthcare surcharge (or are exempt from paying it)
  • ", + "
  • your visa or immigration application is granted
  • ", + "

    You\u2019ll still need to pay for certain types of services, such as prescriptions, dental treatment, eye tests and assisted conception.

    ", + "

    When you access healthcare in the UK, you may need to:

    ", + "
  • provide your biometric residence permit, if you have one
  • ", + "
  • prove your status online using a share code, if you have a digital immigration status
  • ", + "

    Who needs to pay

    ", + "

    You usually need to pay the healthcare surcharge if you\u2019re applying for a visa or immigration application:

    ", + "
  • for more than 6 months, if you\u2019re applying outside the UK
  • ", + "
  • for any length of time, if you\u2019re applying inside the UK
  • ", + "

    You do not need to pay if you\u2019re applying for a visitor visa or to remain in the UK permanently.

    ", + "

    You still need to pay even if you have private medical insurance.

    ", + "

    Who only needs an IHS reference number

    ", + "

    You still need to use the payment service to get an immigration health surcharge (IHS) reference number but you will not need to pay if:

    ", + "
  • you\u2019re a child under 18 who has been taken into care by a local authority
  • ", + "
  • you\u2019re a relevant civilian employee at NATO or the Australian Department of Defence in the UK (or you\u2019re their dependant)
  • ", + "

    The service will tell you that you do not have to pay anything and will give you your healthcare surcharge reference number for your application.

    ", + "

    You\u2019ll be able to use the National Health Service (NHS) even if you\u2019re exempt from paying.

    ", + "

    Who does not need to pay or get an IHS reference number

    ", + "

    You\u2019ll be able to use the NHS without paying the surcharge or getting a reference number if:

    ", + "
  • you\u2019re applying for indefinite leave to enter or remain
  • ", + "
  • you\u2019re a health and care worker who is eligible for a Health and Care Worker visa (or you\u2019re their dependant)
  • ", + "
  • you\u2019re applying to the EU Settlement Scheme
  • ", + "
  • you\u2019re a diplomat or a member of a visiting armed forces and not subject to immigration control
  • ", + "
  • you\u2019re a dependant of a member of the UK\u2019s armed forces
  • ", + "
  • you\u2019re the dependant of a member of another country\u2019s armed forces who is exempt from immigration control
  • ", + "
  • you\u2019re applying for a visa for the Isle of Man or Channel Islands
  • ", + "
  • you\u2019re a British Overseas Territory citizen resident in the Falkland Islands
  • ", + "
  • you\u2019re an asylum seeker or applying for humanitarian protection (or you\u2019re their dependant)
  • ", + "
  • you\u2019re a domestic worker who has been identified as a victim of slavery or human trafficking
  • ", + "
  • you\u2019re applying for discretionary leave to remain in the UK as someone who has been identified as a victim of slavery or human trafficking (or you\u2019re their dependant)
  • ", + "
  • the Home Office\u2019s domestic violence concession applies to you (or you\u2019re their dependant)
  • ", + "
  • being made to leave the UK would be against your rights under Article 3 of the European Convention of Human Rights (or you\u2019re their dependant)
  • ", + "
  • you\u2019re an S2 Healthcare Visitor
  • ", + "
  • you\u2019re eligible for a Frontier Worker permit and have an S1 certificate
  • ", + "

    You need to pay the healthcare surcharge if you apply for indefinite leave to remain but are only given limited leave. You\u2019ll need to pay before you\u2019re given the leave.

    ", + "

    Visitor visas and short-term visas

    ", + "

    You do not need to pay the surcharge or get an IHS reference number if you\u2019re applying for a:

    ", + "
  • visitor visa
  • ", + "
  • visa for 6 months or less from outside the UK
  • ", + "

    You will need to pay for any NHS care you get at the point you use it - unless it\u2019s a service that\u2019s free.

    ", + "

    How much you have to pay

    ", + "

    You\u2019ll have to pay:

    ", + "
  • \u00a3470 per year for a student or Youth Mobility Scheme visa, for example \u00a3940 for a 2-year visa
  • ", + "
  • \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application
  • ", + "
  • \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa
  • ", + "

    Dependants aged 18 or over usually need to pay the same amount as you.

    ", + "

    The exact amount you have to pay depends on how much leave you\u2019re granted. Calculate how much you\u2019ll have to pay before you apply.

    ", + "

    You\u2019ll pay half of the yearly amount if your application includes part of a year that is less than 6 months.

    ", + "

    You\u2019ll pay for a whole year if your application includes part of a year that is more than 6 months.

    ", + "

    You\u2019ll automatically get a partial refund if you paid the healthcare surcharge for more years than you were granted leave.

    ", + "

    When you must pay

    ", + "

    If you apply for a visa online, you pay the surcharge as part of the application.

    ", + "

    If you apply for a visa by post, you must pay the surcharge online before you send your application. You\u2019ll need to include your IHS reference number on the application form.

    ", + "

    If you do not pay

    ", + "

    You\u2019ll get an email from UK Visas and Immigration if you do not pay the surcharge (or do not pay enough) as part of your visa or immigration application.

    ", + "

    Check your junk folder if you cannot see the email in your inbox.

    ", + "

    Once you get the email, you must pay the surcharge within:

    ", + "
  • 10 working days if you\u2019re inside the UK
  • ", + "
  • 7 working days if you\u2019re outside the UK
  • ", + "

    Your visa or immigration application will be turned down if you do not pay the full amount in this time.

    ", + "

    Pay the healthcare surcharge

    ", + "

    If you\u2019re making an immigration application online you pay the healthcare surcharge as part of the application process. You must complete the payment and return to the online immigration application in less than 30 minutes.

    ", + "

    If you\u2019re making an immigration application by post you must pay the healthcare surcharge before you complete your application.

    ", + "

    You must pay the healthcare surcharge by debit or credit card.

    ", + "

    If you\u2019re applying online, you\u2019ll be asked for:

    ", + "
  • the start and end dates on your certificate of sponsorship, if you have one
  • ", + "
  • your course dates, if you\u2019re applying as a student
  • ", + "

    If you\u2019re applying by post, you\u2019ll also be asked for:

    ", + "
  • the type of visa you\u2019re applying for
  • ", + "
  • your passport or travel document number
  • ", + "
  • an email address
  • ", + "

    Pay now

    ", + "

    You need to pay by cash at the UK embassy if you\u2019re in the Democratic People\u2019s Republic of Korea.

    ", + "

    Family members

    ", + "

    You\u2019ll need the same information that you used to pay for:

    ", + "
  • any person applying for a visa or other immigration application with you, for example a dependant
  • ", + "
  • any person you\u2019re applying to join or remain who is already in the UK (you do not need to add this person\u2019s details if they are a UK or EEA citizen)
  • ", + "

    You\u2019ll also need their leave expiry date if you\u2019re joining someone in the UK (or IHS reference number if they have one).

    ", + "

    Finish your visa or immigration application

    ", + "
  • You\u2019ll be sent an email with an IHS reference number. This will also be shown on screen when you\u2019ve paid. You can only use this number once - you\u2019ll need to get another one if you reapply.
  • ", + "
  • You\u2019ll need to write this on the cover of your visa application if you\u2019re applying by post. You need this reference even if you\u2019re exempt from paying the healthcare surcharge.
  • ", + "
  • Finish your application form and pay your visa or immigration application fee.
  • ", + "

    Refunds

    ", + "

    You\u2019ll get a full immigration health surcharge (IHS) refund if:

    ", + "
  • you paid twice
  • ", + "
  • your visa application is refused
  • ", + "
  • you withdraw your visa application
  • ", + "

    You\u2019ll get a partial IHS refund if your visa application\u2019s successful but:

    ", + "
  • you get less time on your visa than you asked for
  • ", + "
  • any dependants on your visa application are refused
  • ", + "

    If you are due a full or partial refund for these reasons, you do not have to do anything to get it. It will be automatically paid to the account or card you paid with.

    ", + "

    You will not get a refund if:

    ", + "
  • your visa application is successful but you do not come to the UK
  • ", + "
  • you leave the UK before your visa ends, for example to make a new application
  • ", + "
  • you\u2019re told to leave the UK before your visa expires
  • ", + "
  • you\u2019re applying for indefinite leave to remain
  • ", + "

    If your healthcare is paid for by an EU country

    ", + "

    You may get a full or partial IHS refund if you have an S1 certificate registered with the NHS Business Services Authority.

    ", + "

    You can also apply for a full or partial IHS refund if all of the following are true:

    ", + "
  • you\u2019re a full-time student in UK higher education
  • ", + "
  • your visa started on or after 1 January 2021
  • ", + "
  • you have a European Healthcare Insurance Card (EHIC) issued in an EU country
  • ", + "
  • you do not work
  • ", + "

    If you\u2019re claiming as a full-time student with an EHIC, you can apply for a refund of the IHS you paid to cover any period starting on or after 1 January 2021. Applications open from 1 January 2022.

    ", + "

    The amount you\u2019re refunded will depend on the date your S1 certificate or EHIC runs out.

    ", + "

    Find out more about applying for a refund.

    ", + "

    If you work in health and care

    ", + "

    You and your dependants may be able to get a refund of the IHS if you work in health and care.

    ", + "

    Check if you\u2019re eligible for a refund as a health or care worker.

    ", + "

    How long it takes

    ", + "

    You usually get your refund within 6 weeks of getting a decision on your visa application. It can take longer if you appeal or ask for an administrative review after your visa application is refused.

    ", + "

    If you appeal or ask for an administrative review

    ", + "

    If you applied from:

    ", + "
  • inside the UK - you\u2019ll get your refund up to 6 weeks after your appeal or administrative review is dismissed
  • ", + "
  • outside the UK - you\u2019ll get your refund up to 6 weeks after your visa application is refused
  • ", + "

    You\u2019ll have to repay the IHS if your appeal or administrative review is successful and you\u2019ve already got your IHS refund.

    ", + "

    You might have to repay a different amount if:

    ", + "
  • the length of your stay changes
  • ", + "
  • you get less time on your visa than you asked for
  • ", + "

    Contact UK Visas and Immigration (UKVI) if your refund is not paid within 6 weeks.

    " + ] + }, + { + "title": "Get a faster decision on your visa or settlement application", + "url": "https://www.gov.uk/faster-decision-visa-settlement", + "contents": [ + "

    Applying from inside the UK

    ", + "

    You may be able to pay for a faster decision on a visa or settlement (\u2018indefinite leave to remain\u2019) application if you\u2019re applying from inside the UK.

    ", + "

    Because of coronavirus (COVID-19), you can currently only pay for a faster decision on certain visas.

    ", + "

    To get a decision within 5 working days

    ", + "

    If you\u2019re eligible you can choose the \u2018priority service\u2019 when you apply. It costs \u00a3500 in addition to the application fee.

    ", + "

    A decision will be made within 5 working days of your UK Visa and Citizen Application Services (UKVCAS) appointment.

    ", + "

    To get a decision by the end of the next working day

    ", + "

    If you\u2019re eligible you can choose the \u2018super priority service\u2019 when you apply. It costs \u00a3800 in addition to the application fee.

    ", + "

    A decision will be made:

    ", + "
  • by the end of the next working day after your appointment, if your appointment is on a weekday
  • ", + "
  • 2 working days after your appointment, if your appointment is at the weekend or on a bank holiday
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    After you\u2019ve applied

    ", + "

    You\u2019ll get an email followed by a decision letter (either in the post or by email).

    ", + "

    If your application is approved, the email will let you know the outcome. If your application is refused, the outcome will not be mentioned in the email.

    ", + "

    When you might wait longer for a decision

    ", + "

    You might wait longer for a decision if you need to provide more information. You\u2019ll be told how and when to provide it.

    ", + "

    When you\u2019ll get your biometric residence permit

    ", + "

    You\u2019ll usually receive your biometric residence permit (BRP) within 7 to 10 days of your decision. If it does not arrive, you can report your missing BRP online.

    ", + "

    Your BRP will be sent to the address you gave in your application. You need to update your address before your application is approved if you want it sent elsewhere.

    ", + "

    Eligible visas when applying from inside the UK

    ", + "

    You can apply for a faster decision on certain visa applications or applications to settle in the UK.

    ", + "

    These tables list the eligible applications and whether you can pay to get a faster decision:

    ", + "
  • within 5 working days
  • ", + "
  • by the end of the next working day
  • ", + "

    Because of coronavirus (COVID-19) there\u2019s a limit on how many people can apply for a faster decision. If you are not offered the option to apply for a faster decision, you can still complete a standard application.

    ", + "

    Eligible visa applications

    ", + " | Decision available within 5 working days | Decision available by the end of the next working day", + "Child student visa | Yes | Yes", + "Global Talent visa | Yes | Yes", + "Health and Care Worker visa | Yes | Yes", + "Innovator visa | Yes | Yes", + "Intra-company visas | Yes | Yes", + "Investor visa (Tier 1) | Yes | No", + "Minister of Religion visa (T2) | Yes | Yes", + "Skilled Worker visa | Yes | Yes", + "Sportsperson visa (T2) | Yes | Yes", + "Start-up visa | Yes | Yes", + "Student visa | Yes | Yes", + "Temporary Worker - Charity Worker visa (T5) | Yes | Yes", + "Temporary Worker - Creative and Sporting visa (T5) | Yes | Yes", + "Temporary Worker - Government Authorised Exchange visa (T5) | Yes | Yes", + "Temporary Worker \u2013 International Agreement Worker visa (T5) | Yes | Yes", + "Temporary Worker - Religious Worker visa (T5) | Yes | Yes", + "Temporary Worker - Seasonal Worker visa (T5) | Yes | Yes", + "Applying as the dependent child or partner on a work, student, global talent, start up or innovator visa | Yes | Yes", + "Applying as the dependent child or partner on an investor visa | Yes | No", + "Applying on the basis of family life as a partner, parent or dependent child or on the basis of private life in the UK (through form FLR(FP) or form FLR(M)) | No | Yes", + "Applying for human rights claims, leave outside the rules and other routes through form FLR(HRO) | No | Yes", + "Applying for other routes through form FLR(IR) | No | Yes", + "

    Eligible applications to settle in the UK

    ", + " | Decision available within 5 working days | Decision available by the end of the next working day", + "Application to settle on the basis of UK Ancestry (through form SET(O)) | No | Yes", + "Application to settle as a former member of HM Forces (through form SET(AF)) | No | Yes", + "Application to settle as a child under 18 (through form SET(F)) | No | Yes", + "Application to settle if you\u2019ve been in the UK legally for 10 continuous years (known as \u2018long residence\u2019) | No | Yes", + "Application to settle if you work, establish a business or invest in the UK (through form SET(O)) | Yes | Yes", + "Application to settle as the dependent child or partner if you work, establish a business or invest in the UK | Yes | Yes", + "Application to settle as the partner of a person, or parent of a child, who is present and settled in the UK (through form SET(M)) | No | Yes", + "

    Applying from outside the UK

    ", + "

    Whether you can apply for a faster decision on a visa or settlement (\u2018indefinite leave to remain\u2019) application depends on which country you\u2019re applying from.

    ", + "

    Because of coronavirus (COVID-19), you can only pay for a faster decision through some visa application centres. Check with the visa application centre you\u2019re applying through.

    ", + "

    They\u2019ll let you know if you can apply to get a decision:

    ", + "
  • within 5 working days (\u2018priority service\u2019)
  • ", + "
  • by the end of the next working day (\u2018super priority service\u2019)
  • ", + "

    They\u2019ll also tell you what will happen after you\u2019ve applied.

    ", + "

    If you\u2019re applying from Europe, Africa or some Middle Eastern countries

    ", + "

    To find out if you can get a faster decision through your visa application centre, select the country you\u2019re applying from on the TLScontact list (and the right centre, if there\u2019s more than one). Then check the \u2018Added Value Services\u2019 section of the page for that centre to see if the option is available.

    ", + "

    The Middle Eastern countries on this list are:

    ", + "
  • Jordan
  • ", + "
  • Israel
  • ", + "

    If you\u2019re applying from somewhere else

    ", + "

    To find out if you can get a faster decision through your visa application centre, select the country you\u2019re applying from on the VFS global website. Then check the \u2018premium services\u2019 page for your nearest centre to see if the option is available.

    ", + "

    If you cannot find the information, you can email VFS.

    " + ] + }, + { + "title": "Biometric residence permits (BRPs)", + "url": "https://www.gov.uk/biometric-residence-permits", + "contents": [ + "

    What a BRP is

    ", + "

    A biometric residence permit (BRP) can be used to confirm your:

    ", + "
  • identity
  • ", + "
  • right to study or work in the UK
  • ", + "
  • right to any public services or benefits you\u2019re entitled to
  • ", + "

    You\u2019ll usually get a BRP if you:

    ", + "
  • apply to come to the UK for longer than 6 months
  • ", + "
  • extend your visa to longer than 6 months
  • ", + "
  • apply to settle in the UK
  • ", + "
  • transfer your visa to a new passport
  • ", + "
  • apply for certain Home Office travel documents
  • ", + "

    You do not have to apply separately for a BRP.

    ", + "

    You will not get a BRP if you use the \u2018UK Immigration: ID Check\u2019 app to prove your identity when applying for your visa. You\u2019ll get a digital immigration status instead.

    ", + "

    What\u2019s on your BRP

    ", + "

    Your BRP will include:

    ", + "
  • your name, date and place of birth
  • ", + "
  • your fingerprints and a photo of your face (this is your biometric information)
  • ", + "
  • your immigration status and any conditions of your stay
  • ", + "
  • whether you can access public funds, for example benefits and health services
  • ", + "

    You may have a National Insurance (NI) number printed on the back of your BRP. Not all BRPs have this - it depends on factors like the date it was issued and your visa status.

    ", + "

    You\u2019ll need to apply for an NI number if all of the following apply:

    ", + "
  • there is not one on your BRP
  • ", + "
  • you do not already have one
  • ", + "
  • you\u2019re planning to work, claim benefits, apply for a student loan or pay Class 3 voluntary National Insurance contributions
  • ", + "

    Guidance

    ", + "

    Read the guidance about biometric residence permits if you\u2019re applying from:

    ", + "
  • inside the UK
  • ", + "
  • outside the UK
  • ", + "

    Give your fingerprints and photo

    ", + "

    You\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) if you\u2019re getting a biometric residence permit (BRP) as part of your visa or immigration application.

    ", + "

    You need to:

    ", + "
  • have a digital photo taken of your face
  • ", + "
  • put your fingers on a glass screen to be scanned
  • ", + "

    The process takes less than 5 minutes and does not involve any ink or mess. You will not need to take off your head covering if you wear it for religious or medical reasons.

    ", + "

    If you do not have any fingers you only need to have a digital photo taken of your face. It will be noted on your records that you\u2019re physically unable to provide fingerprints.

    ", + "

    What children need to do when they give their biometric information

    ", + "

    Children under 16 must be accompanied by a parent, guardian or someone over 18 who has legal responsibility for them.

    ", + "

    Children do not need to give their fingerprints if they are under 5 when they apply.

    ", + "

    Where to provide your biometric information

    ", + "

    Where you give your biometric information depends on how you\u2019re making your visa or immigration application.

    ", + "

    If you\u2019re applying from within the UK, you\u2019ll usually go to one of the following:

    ", + "
  • a UK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • a Service and Support Centre (SSC)
  • ", + "
  • a Post Office branch
  • ", + "

    If you\u2019re outside the UK, you\u2019ll be asked to go to a visa application centre.

    ", + "

    Most overseas UK visa application centres are open, but some are closed until further notice because of coronavirus (COVID-19). Check with your local visa application centre for the latest information on the services they\u2019re offering.

    ", + "

    If you\u2019re applying to extend your stay or switch to a different visa, you must be in the UK to provide your biometric information.

    ", + "

    Fee

    ", + "

    It costs \u00a319.20 to give your biometric information (or reuse it if you\u2019ve provided it before) if you apply from within the UK.

    ", + "

    If you apply from outside the UK the cost is included in your application fee.

    ", + "

    Getting your BRP

    ", + "

    How you get your biometric residence permit (BRP) depends on where you made your visa or immigration application.

    ", + "

    If you applied from inside the UK

    ", + "

    Your BRP will be sent to you by courier. You do not need to collect it.

    ", + "

    You\u2019ll usually receive it within 7 to 10 days of getting your \u2018decision letter\u2019 from the Home Office saying that you can remain in the UK.

    ", + "

    Find out what to do if your BRP has not arrived within 10 days.

    ", + "

    Your BRP will be sent to the address you gave in your application. If you want it to be sent elsewhere, you need to\u00a0update your address\u00a0before you receive your decision letter.

    ", + "

    If you applied from outside the UK

    ", + "

    Collect your BRP once you\u2019re in the UK.

    ", + "

    You must usually do this before the vignette sticker in your travel document expires or within 10 days of arriving in the UK, whichever is later.

    ", + "

    Do not collect your BRP if you\u2019re self-isolating because of coronavirus (COVID-19). The Post Office will keep your BRP for 90 days. Collect it when you finish self-isolating.

    ", + "

    Check your decision letter. It will tell you to collect your BRP from either:

    ", + "
  • a named Post Office branch
  • ", + "
  • your sponsor, if you chose this option when you applied
  • ", + "

    You must be over 18 to collect a BRP.

    ", + "

    If your Post Office branch is closed because of coronavirus, your BRP will be stored safely until it reopens. Contact your Post Office for more information.

    ", + "

    What you\u2019ll need

    ", + "

    Bring your passport or travel document with your vignette sticker in when you collect your BRP.

    ", + "

    You\u2019ll get your vignette sticker when your visa application is approved. You have permission to come to the UK within 90 days of getting it.

    ", + "

    Collecting a child\u2019s BRP

    ", + "

    You must be nominated to collect a child\u2019s BRP, even if you\u2019re the child\u2019s parent.

    ", + "

    The Home Office will contact you if you\u2019re approved to collect the child\u2019s BRP.

    ", + "

    It\u2019s currently taking over 30 days to approve requests to collect a BRP on behalf of a child. This is because of coronavirus.

    ", + "

    If the child needs to leave and re-enter the UK before you\u2019re approved to collect their BRP, apply for a \u2018replacement BRP visa\u2019. This will let them re-enter the UK once only. It costs \u00a3154.

    ", + "

    You do not need to be nominated if you\u2019re also collecting your own BRP and you are named on your child\u2019s vignette sticker.

    ", + "

    Collecting your BRP from a different Post Office branch

    ", + "

    You can choose to pick up your BRP from a different Post Office branch. You\u2019ll need to arrange this at the branch and pay a fee.

    ", + "

    Check that the Post Office branch you want to use offers a \u2018BRP collection service\u2019.

    ", + "

    Nominate someone else to collect your BRP

    ", + "

    You can nominate someone else to collect your BRP if you have a serious illness or disability that prevents you from collecting it. They must provide your passport as evidence that you\u2019ve entered the UK.

    ", + "

    You cannot nominate someone to collect your BRP if you\u2019re self-isolating because of coronavirus. Collect it when you finish self-isolating.

    ", + "

    The person you nominate must have one of the following:

    ", + "
  • a passport
  • ", + "
  • an EU national identity card
  • ", + "
  • a BRP
  • ", + "

    You can get someone to make the nomination for you, for example a legal representative, charity, employer, college or university.

    ", + "

    The Home Office will contact you if the person you nominate is approved to collect your BRP.

    ", + "

    It\u2019s currently taking over 30 days to approve nominations to collect a BRP on behalf of someone else. This is because of coronavirus.

    ", + "

    If you need to leave and re-enter the UK before the person you\u2019ve nominated to collect your BRP is approved, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.

    ", + "

    If you change your mind, you can still collect your BRP yourself or you can nominate a different person. You do not need to cancel the original nomination.

    ", + "

    Nominate someone

    ", + "

    Report a problem with collecting your BRP

    ", + "

    Tell the Home Office if you cannot collect your BRP for any reason, for example:

    ", + "
  • you went to collect it from the Post Office and it was not there
  • ", + "
  • you\u2019ve lost your passport or travel document, or cannot prove your identity
  • ", + "
  • you do not know which Post Office to go to because you\u2019ve lost your decision letter
  • ", + "

    The Home Office will email you to tell you what to do next. It\u2019s currently taking over 30 days to respond because of coronavirus. It\u2019ll take longer if you do not give an email address.

    ", + "

    If you need to leave and re-enter the UK before you get your BRP, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.

    ", + "

    Do not tell the Home Office that you cannot collect your BRP if you\u2019re self-isolating because of coronavirus. Collect it when you finish self-isolating.

    ", + "

    Report now

    ", + "

    If there\u2019s a problem with your BRP

    ", + "

    Report any problems with your BRP within 10 days of collecting it.

    ", + "

    If your BRP has not arrived

    ", + "

    You will usually receive your biometric residence permit (BRP) within 10 days of getting your \u2018decision letter\u2019 from the Home Office if you applied from inside the UK.

    ", + "

    Before your BRP arrives

    ", + "

    You may be able to prove your immigration status a different way if your BRP has not arrived yet.

    ", + "

    Prove your right to work

    ", + "

    If the visa sticker (called a vignette) in your passport or travel document has not expired, you can use it as proof of your right to work in the UK.

    ", + "

    If the vignette has expired, your employer can ask the Home Office to confirm your right to work.

    ", + "

    Prove your right to rent in England

    ", + "

    If the visa sticker (called a vignette) in your passport or travel document has not expired, you can use it as proof of your right to rent.

    ", + "

    If the vignette has expired, your landlord can contact the Home Office to confirm your right to rent.

    ", + "

    You do not need to prove your right to rent in Wales, Scotland or Northern Ireland.

    ", + "

    Prove your immigration status to the government or the NHS

    ", + "

    If you need to prove your status to get benefits or use the NHS, tell the government department, local council or NHS service you\u2019re dealing with that your BRP has not arrived. They will contact the Home Office to confirm your status.

    ", + "

    Leave the UK

    ", + "

    If you need to leave and re-enter the UK before you get your BRP, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.

    ", + "

    When you apply, you\u2019ll need to:

    ", + "
  • choose the country you\u2019re going to provide your fingerprints and photo in
  • ", + "
  • confirm that you can travel to a visa application centre
  • ", + "

    Apply for a replacement BRP visa.

    ", + "

    Open a bank account

    ", + "

    You usually do not need a BRP to open a bank account. Contact the bank to check if you\u2019ll need a BRP or if you can use a different document.

    ", + "

    If your BRP has not arrived within 10 days

    ", + "

    Contact the delivery provider TNT if either:

    ", + "
  • your BRP has not arrived within 10 days of you getting your decision letter
  • ", + "
  • you missed the delivery of your BRP
  • ", + "

    The delivery provider will track your BRP and rearrange delivery, if needed.

    ", + "

    You\u2019ll need:

    ", + "
  • the postcode of the address you gave in your application
  • ", + "
  • the consignment number
  • ", + "

    Your consignment number is a 9 number code - you\u2019ll usually have it in an email from gov.notify and TNT.

    ", + "

    Contact TNT to track or rearrange the delivery of your BRP.

    ", + "

    If you do not have a consignment number or TNT is unable to help, tell the Home Office that your BRP has not arrived.

    ", + "

    Tell the Home Office that your BRP has not arrived

    ", + "

    You can contact the Home Office about your BRP delivery if:

    ", + "
  • you\u2019ve applied from inside the UK
  • ", + "
  • your \u2018decision letter\u2019 from the Home Office saying that you can remain in the UK arrived more than 10 days ago
  • ", + "

    You should only contact the Home Office if either:

    ", + "
  • you have already contacted the delivery provider, and they could not help you
  • ", + "
  • you do not have a consignment number to track your delivery with the delivery provider
  • ", + "

    You\u2019ll need the following information:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • an email or postal address
  • ", + "
  • your decision letter
  • ", + "

    You can get someone to contact the Home Office for you, for example a legal representative, charity, employer, college or university.

    ", + "

    The Home Office will email you to tell you what to do next. It\u2019s currently taking over 30 days to respond because of coronavirus (COVID-19). It\u2019ll take longer if you do not give an email address.

    ", + "

    Do not use this service if the delivery provider tried to deliver your BRP and left a card, or sent a text message or email. Contact them to rearrange delivery.

    ", + "

    Report now

    ", + "

    Report a problem with your new BRP

    ", + "

    If there\u2019s a problem with your BRP when it arrives, report it within 10 days. Otherwise you may have to apply and pay for a replacement.

    ", + "

    You can report online if your BRP does not arrive.

    ", + "

    Mistakes in the length or conditions of your visa

    ", + "

    If you applied for your visa from inside the UK, you can ask for an administrative review.

    ", + "

    If your BRP expires on 31 December 2024

    ", + "

    You do not need to tell UKVI if your BRP expires on 31 December 2024 but you have leave to stay longer.

    ", + "

    UKVI will update their information on how to update your BRP in early 2024. You do not need to do anything and your immigration status will not be affected.

    ", + "

    Other problems with your BRP

    ", + "

    You can report other problems with your BRP online, for example:

    ", + "
  • there\u2019s a mistake on it, for example your name, gender or date of birth is wrong
  • ", + "
  • your BRP was damaged when it arrived
  • ", + "

    If your name is long it may appear \u2018cut off\u2019 on your BRP. This is not a mistake - it is because there is limited space on the BRP card. However, if there\u2019s a spelling mistake, you must report it.

    ", + "

    Report a problem with your BRP online

    ", + "

    You\u2019ll need to have the following:

    ", + "
  • your BRP number
  • ", + "
  • your full name, date of birth and nationality as they appear on your BRP
  • ", + "
  • an email or postal address
  • ", + "

    You can get someone to report the problem for you, for example a legal representative, a charity, employer, college or university.

    ", + "

    The Home Office will email you to tell you what to do next. It\u2019s currently taking over 30 days to respond because of coronavirus (COVID-19). It\u2019ll take longer if you do not give an email address.

    ", + "

    Report a problem

    ", + "

    If there is a problem with your BRP and you need to leave and re-enter the UK, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.

    ", + "

    If your BRP is lost or stolen

    ", + "

    You can report your biometric residence permit (BRP) lost or stolen from inside or outside the UK. You can only order a replacement from inside the UK.

    ", + "

    The Home Office will contact you within one working day of reporting it.

    ", + "

    You can get someone to report for you, for example a legal representative, a charity, employer, college or university.

    ", + "

    You will not be able to use your BRP if you find it after you report it lost or stolen.

    ", + "

    If you\u2019re in the UK

    ", + "

    If your lost or stolen BRP was valid for 3 months or more, report it and apply for a replacement. You must do this within 3 months of losing it.

    ", + "

    You can be fined up to \u00a31,000 and made to leave the UK if you do not apply for a replacement within 3 months.

    ", + "

    If your BRP was valid for 3 months or less, you must do one of the following:

    ", + "
  • report it as lost or stolen if you do not intend to remain in the UK after its expiry date
  • ", + "
  • apply for a replacement if you plan to leave and re-enter the UK within 3 months of its expiry date
  • ", + "
  • apply to extend your visa if you want to stay in the UK after its expiry date - if granted, you\u2019ll automatically get a new BRP
  • ", + "

    If you\u2019re outside the UK

    ", + "

    You must report your lost or stolen BRP outside the UK.

    ", + "

    You cannot apply for a replacement BRP outside the UK. Instead, you\u2019ll need to apply for a \u2018replacement BRP visa\u2019, which lets you re-enter the UK once only. It costs \u00a3154.

    ", + "

    You can apply for a replacement BRP when you return to the UK. You must do this within 3 months of reporting it lost or stolen unless you have a good reason, for example you were unable to return to the UK in that time.

    ", + "

    If you\u2019ve been away for over 2 years and you\u2019ve lost your documentation proving your right to live in the UK, you can apply for a Returning Resident visa.

    ", + "

    If you\u2019re in North Korea you cannot apply for a replacement BRP visa online. Read the guidance for North Korea and use form VAF2 instead.

    ", + "

    Replace an expired BRP

    ", + "

    How you replace an expired BRP depends on whether you are in the UK and what type of leave you have.

    ", + "

    If you have indefinite leave to remain or enter

    ", + "

    Use the BRP replacement service from within the UK.

    ", + "

    If your visa is about to expire

    ", + "

    Your BRP expiry date is usually the same as the expiry date of your visa. To get a new BRP, you must first apply to extend your visa.

    ", + "

    If it is granted, you will automatically get a new BRP. You cannot use the BRP replacement service.

    ", + "

    If you\u2019re outside the UK

    ", + "

    You cannot apply for a replacement BRP if it expires while you are outside the UK. Instead, you\u2019ll need to apply for a \u2018replacement BRP visa\u2019, which lets you re-enter the UK once only. It costs \u00a3154.

    ", + "

    You can apply for a replacement BRP when you return to the UK. You must do this within 3 months of its expiry unless you have a good reason, for example you were unable to return to the UK in that time.

    ", + "

    Replace your visa with a BRP

    ", + "

    You can apply for a biometric residence permit (BRP) to replace the visa (or wet ink stamp) in your passport or travel document, for example if:

    ", + "
  • your passport or travel document has expired or it\u2019s been lost or stolen
  • ", + "
  • the details on your visa (including your facial appearance) have changed
  • ", + "

    You must apply from inside the UK.

    ", + "

    There\u2019s a different way to prove you can live in the UK if you\u2019re an EU citizen or related to someone from the European Economic Area (EEA) or Switzerland.

    ", + "

    The fee and how you apply depend on your visa status.

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You have permission to settle (\u2018indefinite leave to remain\u2019)

    ", + "

    You must apply online if you have indefinite leave to remain. It costs \u00a3229. You\u2019ll get a decision within 6 months.

    ", + "

    If you want a faster decision you can pay an extra \u00a3800 for the super priority service. You\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    You have temporary permission to stay in the UK (\u2018leave to remain\u2019)

    ", + "

    You can apply online if you have leave to remain. It costs \u00a3161. You\u2019ll get a decision within 8 weeks.

    ", + "

    If you want a faster decision you can pay an extra \u00a3800 for the super priority service. You\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    You\u2019re a Commonwealth citizen and do not have the documents to prove your right to stay in the UK

    ", + "

    You may be eligible to get a BRP under the Windrush Scheme.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    " + ] + }, + { + "title": "Report a change of circumstances if you have a visa or BRP", + "url": "https://www.gov.uk/change-circumstances-visa-brp", + "contents": [ + "

    You're in the UK and have a BRP

    ", + "

    You must report any changes in your circumstances if you\u2019re in the UK and have either:

    ", + "
  • got a biometric residence permit (BRP)
  • ", + "
  • applied for a BRP but have not had a decision yet
  • ", + "

    How you do this depends on what you\u2019re reporting.

    ", + "

    Report a change of address only

    ", + "

    You can change your address without having to apply for a new BRP.

    ", + "

    You can either:

    ", + "
  • report a change of address online
  • ", + "
  • fill in the change of circumstances form and send it to the address on the form
  • ", + "

    Report a change to your name or personal details

    ", + "

    You must apply for a new BRP straight away if any of these things change:

    ", + "
  • name, for example if you\u2019ve got married
  • ", + "
  • nationality
  • ", + "
  • facial appearance
  • ", + "
  • date of birth, for example if it was wrong
  • ", + "
  • gender
  • ", + "

    Apply for a replacement BRP online. You\u2019ll need to pay a fee.

    ", + "

    You must apply for a new BRP within 3 months. You can be fined up to \u00a31,000 or have your stay shortened if you do not.

    ", + "

    Report all other changes

    ", + "

    You must report any other changes to the details you gave in your BRP application, including if:

    ", + "
  • you get a criminal conviction
  • ", + "
  • you separate from your partner
  • ", + "
  • any of your children stop living permanently with you
  • ", + "

    Fill in the change of circumstances form and send it to the address on the form.

    ", + "

    You're in the UK and have a visa

    ", + "

    You must report any changes if you\u2019re in the UK and have either:

    ", + "
  • got a visa
  • ", + "
  • applied for a visa but haven\u2019t had a decision yet
  • ", + "

    How you do this depends on what you\u2019re reporting.

    ", + "

    Changes to your name or personal details

    ", + "

    You must transfer your visa to a biometric residence permit (BRP) if your overall stay in the UK is longer than 6 months and any of these details on your visa document change:

    ", + "
  • name
  • ", + "
  • nationality
  • ", + "
  • facial appearance
  • ", + "
  • date of birth
  • ", + "
  • gender
  • ", + "

    You\u2019ll need to pay a fee.

    ", + "

    You do not need to report these changes or transfer your visa if your stay in the UK is less than 6 months.

    ", + "

    Fill in a change of circumstances form if you\u2019ve applied for a visa but haven\u2019t had a decision.

    ", + "

    Report all other changes

    ", + "

    Fill in the change of circumstances form to report any other changes of circumstances including:

    ", + "
  • your contact details
  • ", + "
  • your legal representative\u2019s details
  • ", + "
  • dependent family members\u2019 details
  • ", + "
  • if you separate from your partner
  • ", + "
  • if you get a criminal conviction
  • ", + "
  • if any of your children stop living with you
  • ", + "

    Report a change of address only

    ", + "

    You can update your address or your legal representative\u2019s address online.

    ", + "

    You're outside the UK

    ", + "

    How you report a change of circumstances depends on how you applied and the status of your application.

    ", + "

    If you have a UK Visas and Immigration account

    ", + "

    You will have a UK Visas and Immigration account if you used the \u2018UK Immigration: ID Check\u2019 smartphone app to scan your identity document on your phone.

    ", + "

    You\u2019re still waiting for a decision about your application

    ", + "

    You can change your email address or phone number by updating your account details. You cannot update your identity document, name or address if you\u2019re still waiting for a decision.

    ", + "

    You have a decision about your application

    ", + "

    You can update your account details.

    ", + "

    If you applied through a visa application centre

    ", + "

    Contact the visa application centre where you applied if you\u2019re outside the UK and there\u2019s a change to your:

    ", + "
  • reason for going to the UK
  • ", + "
  • address
  • ", + "
  • personal details, for example your name, because you got married
  • ", + "

    You may need to make another visa application at your local visa application centre.

    " + ] + }, + { + "title": "Find an immigration adviser", + "url": "https://www.gov.uk/find-an-immigration-adviser", + "contents": [ + "

    Search for an adviser

    ", + "

    You can get immigration advice from an immigration adviser if you need help with getting permission to stay in the UK.

    ", + "

    Immigration advisers can help you with most things to do with immigration, including helping you to fill in the right forms and representing you at a tribunal. They do not make immigration decisions.

    ", + "

    Check if the adviser is registered and if they charge a fee before you use them.

    ", + "

    If you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.

    ", + "

    Find a registered immigration adviser

    ", + "

    Use the Office of the Immigration Services Commissioner (OISC) Adviser Finder to find a registered adviser near you.

    ", + "

    All immigration advisers must be registered with OISC or be a member of an approved professional body, for example The Law Society.

    ", + "

    If you want legal help

    ", + "

    You can find solicitors who give immigration advice through:

    ", + "
  • The Law Society if you live in England or Wales
  • ", + "
  • The Law Society of Scotland
  • ", + "
  • The Law Society of Northern Ireland
  • ", + "

    Regulating immigration advisers

    ", + "

    OISC regulates immigration advisers and makes sure they meet certain standards. For example, advisers must:

    ", + "
  • carry insurance against giving poor advice
  • ", + "
  • keep up to date with current immigration advice
  • ", + "

    OISC maintains a register of the immigration advisers that they regulate.

    ", + "

    Make a complaint

    ", + "

    You can complain about an immigration adviser if you think you\u2019ve had a bad service.

    ", + "

    You cannot get your money back if an adviser is not regulated.

    ", + "

    Suspended immigration advisers

    ", + "

    You can see a list of people who are banned from acting as immigration advisers.

    ", + "

    What advisers can do

    ", + "

    Immigration advisers are only allowed to give you advice on things they\u2019re qualified to help you with.

    ", + "

    You can see what advice they can give you by their \u2018level\u2019. There are 3 levels.

    ", + "

    Check an immigration adviser is allowed to give you the advice you need before you use them.

    ", + "

    Only a level 3 adviser can appear on your behalf at an immigration tribunal.

    ", + "

    Level 1 - advice and assistance

    ", + "

    A level 1 adviser can give you advice on simple cases, for example getting a business visa extension when you have no problems with work and all necessary documents.

    ", + "

    Level 1 advisers can advise you on:

    ", + "
  • entry clearance
  • ", + "
  • leave to enter
  • ", + "
  • leave to remain
  • ", + "
  • nationality and citizenship
  • ", + "
  • EU and EEA law
  • ", + "

    The detailed guide explains what level 1 advisers can do.

    ", + "

    Level 2 - casework

    ", + "

    Level 2 advisers can do everything that Level 1 advisers can do, but can also accept more complicated cases.

    ", + "

    You may want to use a level 2 adviser if you\u2019ve had problems in the past with immigration and want permission to remain in the UK.

    ", + "

    Advisers in this category can also help:

    ", + "
  • with claims for asylum and human rights applications
  • ", + "
  • get your visa application decision reviewed (an \u2018administrative review\u2019)
  • ", + "
  • if you entered the UK illegally or stayed after your visa expired
  • ", + "
  • if you\u2019re being removed or deported
  • ", + "

    The detailed guide explains what level 2 advisers can do.

    ", + "

    Level 3 - advocacy and representation

    ", + "

    Level 3 advisers can do everything that Level 1 and 2 advisers can.

    ", + "

    They can also appear on your behalf at an immigration tribunal. In certain situations they can help you if you go to court.

    ", + "

    The detailed guide explains what level 3 advisers can do.

    ", + "

    Hiring an adviser

    ", + "

    When you hire an immigration adviser:

    ", + "
  • find out how much they charge and if you\u2019ll have to pay them
  • ", + "
  • get a signed and dated receipt if you pay them any money
  • ", + "
  • ask how much you\u2019ll have to pay if you decide you do not want to use them any more
  • ", + "
  • agree a fee before they do any extra work for you
  • ", + "

    Some advisers do not charge a fee. If they do not charge, you\u2019ll still have to pay for any expenses like translation costs and application fees.

    ", + "

    Legal aid can help pay for legal advice or representation at a court or tribunal - check if you\u2019re eligible.

    ", + "

    Your adviser must give you a letter immediately after you hire them saying:

    ", + "
  • what work they\u2019re doing for you
  • ", + "
  • how much you\u2019ll be charged
  • ", + "
  • how you\u2019ll pay them
  • ", + "

    Complain about an adviser

    ", + "

    You can complain to the Office of the Immigration Services Commissioner (OISC) about either:

    ", + "
  • bad service you received from an adviser registered with OISC
  • ", + "
  • immigration advice you received from an unregulated person
  • ", + "

    You can also ask someone to make a complaint on your behalf, for example a friend, solicitor or voluntary organisation.

    ", + "

    There\u2019s a different way to complain about a legal adviser registered with a professional body but not regulated by OISC.

    ", + "

    What you can and cannot complain about

    ", + "

    You can complain about:

    ", + "
  • poor advice or service
  • ", + "
  • unreasonable fees
  • ", + "
  • an adviser claiming you\u2019ll be successful
  • ", + "
  • an adviser charging for work not done
  • ", + "
  • an adviser missing deadlines or failing to appear in court
  • ", + "
  • an adviser
  • ", + "

    You cannot make a complaint about:

    ", + "
  • how long your immigration application has taken
  • ", + "
  • something that\u2019s already part of an ongoing legal action
  • ", + "
  • a refund or compensation
  • ", + "
  • Home Office staff
  • ", + "
  • a person or organisation outside the UK
  • ", + "

    You usually cannot make a complaint about something that happened more than 12 months ago - OISC will decide whether or not to investigate depending on the situation.

    ", + "

    OISC may refer your complaint elsewhere if you complain about a solicitor or barrister.

    ", + "

    Read more about how the OISC deals with complaints.

    ", + "

    How to complain about an adviser regulated by OISC

    ", + "

    The easiest way to complain is to:

    ", + "
  • download and fill in the complaints form
  • ", + "
  • include any documents that are relevant with your complaint
  • ", + "
  • send the complaints form and documents to complaints@oisc.gov.uk or by post to the address on the form.
  • ", + "

    The form is available in different languages and your complaint can be translated if needed.

    ", + "

    You can get help from OISC staff to fill in the complaints form, but they cannot write your complaint for you.

    ", + "

    Complain by letter

    ", + "

    You can also make a complaint by sending a letter or email.

    ", + "

    You need to provide as much detail as you can about who you\u2019re making the complaint against and what the complaint is about.

    ", + "

    How to complain about an unregulated adviser

    ", + "

    You can email the OISC to report someone giving immigration advice who is not regulated by either the OSIC or another approved body.

    ", + "

    Get help with your complaint

    ", + "

    You can get support and advice from the:

    ", + "
  • Refugee Council England
  • ", + "
  • Welsh Refugee Council
  • ", + "
  • Scottish Refugee Council
  • ", + "
  • Citizens Advice Northern Ireland
  • ", + "

    What happens next

    ", + "

    You\u2019ll get a letter within 5 days of making your complaint telling you how it\u2019s going to be dealt with.

    ", + "

    You\u2019ll get a letter with a decision on your case within 5 months of making your complaint.

    ", + "

    The OISC may decide to:

    ", + "
  • take action against the adviser, for example warn the adviser about their conduct
  • ", + "
  • refer the complaint, for example if it\u2019s about a solicitor or barrister
  • " + ] + }, + { + "title": "Standard Visitor visa", + "url": "https://www.gov.uk/standard-visitor-visa", + "contents": [ + "

    Overview

    ", + "

    You can come to the UK as a Standard Visitor:

    ", + "
  • for tourism, for example on a holiday or to see your family and friends
  • ", + "
  • for certain business activities, for example attending a meeting
  • ", + "
  • to do a short course of study
  • ", + "
  • to take part in research or an exchange programme as an academic
  • ", + "
  • for medical reasons, for example to receive private medical treatment
  • ", + "

    You may not have to apply for a visa. What you need to do depends on your nationality and what you plan to do in the UK.

    ", + "

    Check if you need to apply for a UK visa.

    ", + "

    Your application will not be accepted and you will not get a refund if you have the right of abode in the UK (for example you\u2019re a British citizen). You need to apply for a certificate of entitlement instead.

    ", + "

    What you can and cannot do

    ", + "

    You can visit the UK to do certain activities, for example visiting friends and family or attending a conference.

    ", + "

    You cannot:

    ", + "
  • do paid or unpaid work for a UK company or as a self-employed person
  • ", + "
  • live in the UK for long periods of time through frequent visits
  • ", + "
  • claim public funds (benefits)
  • ", + "
  • do a course of study that lasts longer than 6 months
  • ", + "
  • marry or register a civil partnership, or give notice of marriage or civil partnership. You\u2019ll need a Marriage Visitor visa instead
  • ", + "

    Read the guidance for more information about what you can and cannot do with a Standard Visitor visa.

    ", + "

    Eligibility

    ", + "

    You\u2019ll need to prove that you meet the eligibility requirements, for example that you\u2019ll leave the UK at the end of your visit.

    ", + "

    How long you can stay

    ", + "

    You can usually stay in the UK for up to 6 months (\u00a395 fee).

    ", + "

    You might be able to stay for longer if:

    ", + "
  • you\u2019re coming to the UK for private medical treatment - up to 11 months (\u00a3190 fee)
  • ", + "
  • you\u2019re an academic and meet the eligibility requirements - you, your spouse or partner and your children may be able to stay for up to 12 months (\u00a3190 fee)
  • ", + "

    If you\u2019re staying in the UK for longer than 6 months, you must collect your biometric residence permit when you arrive. You may also have to take a tuberculosis test as part of your application depending on where you come from.

    ", + "

    If you need to visit the UK regularly

    ", + "

    You can apply for a long-term Standard Visitor visa that lasts 2, 5 or 10 years if you need to visit the UK regularly over a longer period. You can stay for a maximum of 6 months on each visit.

    ", + "

    If you\u2019re under 18 years old when you apply, your long-term Standard Visitor visa will only be valid for up to 6 months after you turn 18. You cannot get a refund on the fee.

    ", + "

    When to apply and how long it takes

    ", + "

    If you need a visa, you must apply online before you come to the UK.

    ", + "

    As part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    The earliest you can apply is 3 months before you travel.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    Fees

    ", + "

    A Standard Visitor visa costs \u00a395.

    ", + "

    The fee for a long-term Standard Visitor visa depends on its length:

    ", + "
  • 2 years - \u00a3361
  • ", + "
  • 5 years - \u00a3655
  • ", + "
  • 10 years - \u00a3822
  • ", + "

    Extending your stay as a visitor

    ", + "

    You cannot switch from a Standard Visitor visa to another type of visa.

    ", + "

    You can only extend your stay for specific reasons, for example needing further private medical treatment.

    ", + "

    If you want a visa to do something other than visiting, for example work or longer-term study, you\u2019ll need to leave the UK and make a new application.

    ", + "

    What you can do in the UK

    ", + "

    You can visit the UK to do different activities. You must meet the eligibility requirements for the things you want to do.

    ", + "

    If you\u2019re visiting for tourism or leisure

    ", + "

    You can visit the UK to:

    ", + "
  • spend time with friends and family
  • ", + "
  • take a holiday
  • ", + "
  • do a recreational course of up to 30 days, for example a dance course
  • ", + "
  • volunteer for up to 30 days with a registered charity
  • ", + "
  • take part in a school exchange programme
  • ", + "

    If you\u2019re visiting on business

    ", + "

    You can visit the UK for many different business reasons, including attending meetings, conferences, trade fairs or negotiating contracts.

    ", + "

    You can do certain business activities with UK employees of the company you work for overseas, for example provide training or share knowledge on internal projects.

    ", + "

    Check the Visitor Rules for the full list of business activities you can do as a Standard Visitor and any additional eligibility requirements.

    ", + "

    If you\u2019re being paid by a UK organisation to visit as an expert in your profession, you should apply for a Permitted Paid Engagement visa.

    ", + "

    If you\u2019re visiting to study

    ", + "

    You can visit the UK to study for up to 6 months at an accredited institution, this includes English language courses.

    ", + "

    You can also do:

    ", + "
  • a short piece of research that\u2019s relevant to your course overseas
  • ", + "
  • an \u2018elective\u2019 - an optional additional placement, if you\u2019re studying medicine, veterinary medicine and science, or dentistry
  • ", + "

    If you want to study longer you\u2019ll need to apply for a:

    ", + "
  • Student visa (if your course is run by a licensed sponsor)
  • ", + "
  • Short-term study visa (for English Language courses up to 11 months)
  • ", + "

    If you\u2019re visiting as an academic

    ", + "

    If you\u2019re from an academic institution overseas, you can:

    ", + "
  • take part in formal exchange arrangements with UK counterparts
  • ", + "
  • carry out your own research during a sabbatical
  • ", + "

    If you\u2019re a senior doctor or dentist you can also:

    ", + "
  • take part in research
  • ", + "
  • teach (as long as it is not a permanent teaching post)
  • ", + "
  • undertake clinical practice (as long as it\u2019s not a permanent position)
  • ", + "

    If you\u2019re visiting for medical reasons

    ", + "

    You can visit the UK if you want to have private medical treatment at a hospital or other medical facility.

    ", + "

    You can also visit to donate an organ to a family member or close friend. This includes being assessed for suitability as a donor match.

    ", + "

    If you\u2019re passing through the UK to another country

    ", + "

    You can pass through the UK to another country as a Standard Visitor.

    ", + "

    If transiting is your only reason for coming to the UK, then you may apply for a Transit visa instead.

    ", + "

    Eligibility

    ", + "

    You must show that:

    ", + "
  • you\u2019ll leave the UK at the end of your visit
  • ", + "
  • you\u2019ll not live in the UK for extended periods through frequent or successive visits, or make the UK your main home
  • ", + "
  • you\u2019re able to support yourself and your dependants during your trip (or have funding from someone else to support you)
  • ", + "
  • you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)
  • ", + "
  • you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules
  • ", + "

    If you\u2019re applying to study for up to 6 months

    ", + "

    You must prove one of the following:

    ", + "
  • you\u2019ve been accepted onto a course of no more than 6 months provided by an accredited UK institution (this cannot be an academy or state-funded school)
  • ", + "
  • you\u2019re at least 16 years old and have been accepted by a UK higher education institution to take part in research that\u2019s relevant to the course you\u2019re studying overseas
  • ", + "
  • you\u2019re at least 16 years old and are doing an \u2018elective\u2019 (an optional additional placement) as part of an overseas medicine, veterinary medicine and science, or dentistry course
  • ", + "

    You must already be enrolled on a course that is the equivalent of a UK degree, before applying to do research or a placement in the UK.

    ", + "

    To study or research certain subjects at postgraduate level or above, you may need an Academic Technology Approval Scheme (ATAS) certificate. If you do need one, you\u2019ll need to get your ATAS certificate before starting your study or research.

    ", + "

    If you\u2019re applying as an academic

    ", + "

    You can stay in the UK for up to 12 months if you\u2019re applying as an academic. You must prove you\u2019re:

    ", + "
  • highly qualified in your field of expertise, for example you have a PhD
  • ", + "
  • currently working in that field of expertise at an academic institution overseas
  • ", + "
  • visiting for a formal exchange or to carry out research
  • ", + "
  • not filling a permanent teaching post
  • ", + "

    To research certain subjects at postgraduate level or above, you may need an Academic Technology Approval Scheme (ATAS) certificate. If you do need one, you\u2019ll need to get your ATAS certificate before starting your research.

    ", + "

    If you\u2019re applying to visit for private medical treatment

    ", + "

    You must prove that you:

    ", + "
  • have a medical condition that needs private consultation or treatment in the UK
  • ", + "
  • have made arrangements for consultations or treatment
  • ", + "
  • have enough money or funding to pay for your treatment
  • ", + "
  • will leave the UK once your treatment is completed, or when your visa expires
  • ", + "
  • are not a danger to public health if you have an infectious disease, such as leprosy
  • ", + "

    If you\u2019re applying as an organ donor

    ", + "

    You can only visit the UK to donate organs to:

    ", + "
  • a family member who you\u2019re genetically related to (for example your sibling or parent)
  • ", + "
  • someone you have a close personal relationship with (for example your spouse or friend)
  • ", + "

    You must prove that the person you\u2019re donating an organ to is legally allowed to be in the UK.

    ", + "

    If you\u2019re applying for a long-term Standard Visitor visa

    ", + "

    You must prove that you\u2019ll only ever be coming to the UK to visit and that you plan to leave at the end of each visit.

    ", + "

    You may be given a visa for a shorter period than requested if you do not do this. You will not get a refund of the application fee if you get a shorter visa or your application is refused.

    ", + "

    Your visa may be cancelled if your travel history shows you are repeatedly living in the UK for extended periods.

    ", + "

    Documents you'll need

    ", + "

    You must provide a passport or travel document. Your passport should be valid for the whole of your stay in the UK and contain a blank page for your visa.

    ", + "

    You\u2019ll be told what other documents and information to provide when you apply online.

    ", + "

    You must provide certified translations of any documents that are not in English or Welsh.

    ", + "

    You\u2019ll need to provide the following information:

    ", + "
  • the dates you\u2019re planning to travel to the UK
  • ", + "
  • details of where you\u2019ll be staying during your visit
  • ", + "
  • how much you think your trip will cost
  • ", + "
  • your current home address and how long you\u2019ve lived there
  • ", + "
  • your parents\u2019 names and dates of birth (if known)
  • ", + "
  • how much you earn in a year (if you have an income)
  • ", + "
  • details of any criminal, civil or immigration offences you may have committed
  • ", + "

    You might also need to provide:

    ", + "
  • details of your travel history for the past 10 years
  • ", + "
  • your employer\u2019s address and telephone number
  • ", + "
  • your partner\u2019s name, date of birth, and passport number
  • ", + "
  • the name and address of anyone paying for your trip
  • ", + "
  • the name, address and passport number of any family members you have in the UK
  • ", + "

    Providing documents for certain activities

    ", + "

    You must provide specific documents if you\u2019re applying to visit the UK to:

    ", + "
  • do research as part of an overseas study course
  • ", + "
  • have private medical treatment
  • ", + "
  • be an organ donor
  • ", + "
  • take the Professional and Linguistic Assessment Board (PLAB) test or sit the Objective Structured Clinical Examination (OSCE)
  • ", + "

    Read the full list of supporting documents for more information.

    ", + "

    If you're under 18

    ", + "

    You may visit the UK if you\u2019re under 18 and:

    ", + "
  • you\u2019ve made suitable arrangements for your travel and stay in the UK
  • ", + "
  • you have written consent from your parent or guardian to travel to the UK (if travelling alone)
  • ", + "
  • you\u2019re able to pay for your return or onward journey
  • ", + "
  • you have enough money to support yourself without working or getting help from public funds, or you have family and friends that can support you
  • ", + "

    Travelling alone

    ", + "

    You can travel to the UK without an adult (someone over the age of 18).

    ", + "

    Your parent or guardian will need to provide their:

    ", + "
  • written consent for you to travel to the UK
  • ", + "
  • full contact details
  • ", + "

    They\u2019ll also need to provide proof that you have somewhere suitable to live during your stay in the UK, including:

    ", + "
  • the name and date of birth of the person that you will be staying with
  • ", + "
  • an address where you will be living
  • ", + "
  • details of your relationship to the person who\u2019ll be looking after you and
  • ", + "
  • their written consent for you to stay with that person while you\u2019re in the UK
  • ", + "

    If you\u2019re not staying with a close relative

    ", + "

    Your parent, guardian or school must tell the relevant local authority about your visit if you\u2019re both of the following:

    ", + "
  • under 16 (or under 18 if you have a disability)
  • ", + "
  • going to be looked after for more than 28 days by someone who is not a close relative (called \u2018private foster care\u2019)
  • ", + "

    You should provide a reply from the local authority if you have one.

    ", + "

    The same rules apply to education exchange visits that last for more than 28 days, unless:

    ", + "
  • you\u2019re part of a group that is travelling and staying together, for example a school group
  • ", + "
  • you\u2019re accompanied by an adult, for example a teacher
  • ", + "

    There are different rules in Scotland and Northern Ireland. Read the guidance for more information.

    ", + "

    Travelling with an adult

    ", + "

    When travelling to the UK with an adult (someone over the age of 18), you\u2019ll need to identify them in your visa application.

    ", + "

    If the person you\u2019re travelling with is not your parent, you\u2019ll need to provide specific information about them in your application.

    ", + "

    You can identify up to 2 adults in your visa application. Their names will appear on your visa.

    ", + "

    The adult can apply for a visa at the same time, but you must each complete separate applications.

    ", + "

    If you arrive in the UK without the person named in your visa, you\u2019ll need to show that your parent or guardian consents to your travel and accommodation arrangements.

    ", + "

    Apply from outside the UK

    ", + "

    If you need a visa, you must apply online before you travel to the UK.

    ", + "

    Check what documents you\u2019ll need to apply.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    Apply for a Standard Visitor visa

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Apply with family members

    ", + "

    Each family member must make their own application and pay the fee.

    ", + "

    You can apply on behalf of your partner and child, if they cannot apply for themselves.

    ", + "

    They must attend their own appointment at a visa application centre.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    ", + "

    Extend your stay

    ", + "

    You may be able to extend your stay as long as the total time you spend in the UK as a visitor is no more than 6 months.

    ", + "

    For example if you have been in the UK as a visitor for 3 months, you can apply to extend your stay for 3 more months.

    ", + "

    Read the guidance to find out if you can extend your visit.

    ", + "

    You must apply while you\u2019re still in the UK and before your current visa expires.

    ", + "

    If you want to extend your stay for longer than 6 months

    ", + "

    You can only apply to extend your stay as a visitor for over 6 months if you\u2019re:

    ", + "
  • a patient receiving medical treatment
  • ", + "
  • an academic and you still meet the eligibility requirements
  • ", + "
  • a graduate doing a clinical attachment or retaking the Professional and Linguistic Assessment Board (PLAB) test
  • ", + "

    If you did not need a visa for the first 6 months of your visit, you\u2019ll need to apply for permission to stay longer and pay the fee.

    ", + "

    If you\u2019re receiving private medical treatment in the UK

    ", + "

    You can apply to extend your stay for a further 6 months if you:

    ", + "
  • have paid for any treatment you\u2019ve already had in the UK
  • ", + "
  • can and will pay the further costs of your treatment
  • ", + "
  • continue to meet the eligibility requirements
  • ", + "

    You must also get a medical practitioner or NHS consultant who\u2019s registered in the UK to provide:

    ", + "
  • proof of arrangements for your private medical consultation or treatment
  • ", + "
  • a letter saying how long your treatment is likely to take
  • ", + "
  • details of the progress of your treatment, if it\u2019s already started
  • ", + "

    If you\u2019re an academic

    ", + "

    If you want to extend your stay as an academic visiting the UK, you must prove you:

    ", + "
  • are highly qualified in your field of expertise, for example you have a PhD or higher
  • ", + "
  • were working in that field of expertise at an academic institution overseas prior to your arrival in the UK
  • ", + "
  • are visiting for a formal exchange or to carry out research
  • ", + "
  • are not filling a permanent teaching post
  • ", + "

    You can stay in the UK for up to 12 months in total.

    ", + "

    Before you extend your stay, check if you need an Academic Technology Approval Scheme (ATAS) certificate. You may need one if you\u2019re researching certain subjects at postgraduate level or above.

    ", + "

    If you\u2019re retaking the PLAB test

    ", + "

    You can extend your stay in the UK to retake the PLAB test.

    ", + "

    You must provide written confirmation from the General Medical Council that you are sitting the test.

    ", + "

    You can stay up to 6 months to retake the test.

    ", + "

    If you\u2019ve passed the PLAB test and want to do a clinical attachment

    ", + "

    If you\u2019re successful in the PLAB test, you can apply to extend your stay to do an unpaid clinical attachment. You must not treat patients.

    ", + "

    You must provide written confirmation of your clinical attachment offer and confirm you\u2019ve not done one in the UK before.

    ", + "

    You can stay in the UK for up to 18 months in total.

    ", + "

    Apply to extend your stay as a visitor

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a3993 to extend this visa
  • ", + "
  • an extra \u00a3800 if you use the super priority service
  • ", + "

    You must also pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will usually be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    " + ] + }, + { + "title": "Marriage Visitor visa", + "url": "https://www.gov.uk/marriage-visa", + "contents": [ + "

    Overview

    ", + "

    You must apply for a Marriage Visitor visa if:

    ", + "
  • you want to get married or register a civil partnership in the UK
  • ", + "
  • you want to give notice of a marriage or civil partnership in UK
  • ", + "
  • you\u2019re not planning to stay or settle in the UK after your marriage or civil partnership
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    You do not need a Marriage Visitor visa to convert your civil partnership into a marriage - you can apply for a Standard Visitor visa.

    ", + "

    You cannot apply if you qualify for British citizenship - including if you can have dual nationality. You must apply for British citizenship instead.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    You will not need a Marriage Visitor visa if you come to the UK on or before 30 June 2021.

    ", + "

    If you come to the UK from 1 July 2021 you\u2019ll need to apply for a visa, unless one of the following applies:

    ", + "
  • you have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • you have applied to the EU Settlement Scheme, and you have not got a decision yet
  • ", + "
  • you\u2019re an Irish citizen
  • ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • marry or enter into a civil partnership in the UK within 6 months of your arrival - you must use a venue licensed for this purpose
  • ", + "
  • pass through the UK in transit (on your way to another country)
  • ", + "

    You cannot:

    ", + "
  • get public funds (benefits)
  • ", + "
  • bring in family members (\u2018dependants\u2019) - they must apply separately
  • ", + "
  • live in the UK for extended periods through frequent visits
  • ", + "
  • extend your visa or switch to another visa
  • ", + "
  • work - except for permitted activities related to your work or business overseas, such as attending meetings
  • ", + "
  • study
  • ", + "

    Read the guidance for more information about what you can and cannot do with a Marriage Visitor visa.

    ", + "

    How long you can stay

    ", + "

    You can use this visa to visit the UK for up to 6 months.

    ", + "

    When to apply and how long it takes

    ", + "

    If you need a visa, you must apply online before you come to the UK.

    ", + "

    As part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your \napplication.

    ", + "

    The earliest you can apply is 3 months before you travel.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    Fees

    ", + "

    It costs \u00a395 to apply.

    ", + "

    Eligibility

    ", + "

    You must prove that:

    ", + "
  • you\u2019re 18 or over
  • ", + "
  • you\u2019re free to give notice of marriage, to marry or enter into a civil partnership in the UK within 6 months of your arrival
  • ", + "
  • you\u2019re in a genuine relationship
  • ", + "
  • you\u2019re visiting the UK for less than 6 months
  • ", + "
  • you\u2019ll leave the UK at the end of your visit
  • ", + "
  • you\u2019ll not live in the UK for extended periods through frequent or successive visits, or make the UK your main home
  • ", + "
  • you\u2019re able to support yourself during your trip (or have funding from someone else to support you)
  • ", + "
  • you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)
  • ", + "
  • you have proof of any other activities you want to do in the UK, as allowed by the Visitor Rules
  • ", + "

    Documents you'll need

    ", + "

    You must provide a passport or travel document. Your passport should be valid for the whole of your stay in the UK and contain a blank page for your visa.

    ", + "

    You can supply the following to support your application:

    ", + "
  • details of the marriage or civil partnership and proof that you\u2019ve paid money for some of its costs
  • ", + "
  • proof that you\u2019re planning to get married in the UK, for example a booking confirmation or emails between you and the venue
  • ", + "

    See the full list of documents you can provide to prove your eligibility.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    If you\u2019ve been married before

    ", + "

    You\u2019ll need to show proof that you\u2019re free to marry or enter into a civil partnership again, for example a:

    ", + "
  • decree absolute
  • ", + "
  • death certificate of a previous partner
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply from outside the UK

    ", + "

    If you need a visa, you must apply online before you travel to the UK.

    ", + "

    Check what documents you\u2019ll need to apply.

    ", + "

    If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein, you will not need a Marriage Visitor visa if you come to the UK on or before 30 June 2021.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    Apply for a Marriage Visitor visa

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Apply with family members

    ", + "

    Your partner must apply for their own Marriage Visitor visa and pay the fee if you both need one. Your child will need to apply as a standard visitor if they need a visa.

    ", + "

    You can apply on behalf of your partner and child, if they cannot apply for themselves.

    ", + "

    They must attend their own appointment at a visa application centre.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    " + ] + }, + { + "title": "Permitted Paid Engagement visa", + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "contents": [ + "

    Overview

    ", + "

    You may be able to visit the UK for a paid engagement if you\u2019ve been invited as an expert in your profession.

    ", + "

    You can apply for a Permitted Paid Engagement visa if you:

    ", + "
  • are invited by a UK-based organisation or client
  • ", + "
  • want to come to the UK to do specific paid work without having to be sponsored under the points-based visa system
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    You may not have to apply for a visa. What you need to do depends on your nationality.

    ", + "

    Check if you need to apply for a UK visa.

    ", + "

    What you can and cannot do

    ", + "

    You can be invited by a UK-based organisation or client to:

    ", + "
  • be a student examiner or assessor
  • ", + "
  • take part in selection panels as a highly qualified academic if you\u2019re invited by an education, arts or research organisation
  • ", + "
  • give lectures at a higher education institution, as long as it\u2019s not a part-time or full-time role
  • ", + "
  • examine UK-based pilots so they meet the standards of the country you come from if you\u2019re invited by an approved UK training organisation regulated by the UK Civil Aviation Authority
  • ", + "
  • provide advocacy in a particular area of law
  • ", + "
  • take part in arts, entertainment or sporting activities including broadcasting
  • ", + "
  • take part in fashion modelling assignments
  • ", + "

    You can also do minor activities related to your work or business overseas, such as attend meetings.

    ", + "

    You cannot:

    ", + "
  • do paid work unrelated to your main job or area of expertise at home, other than what\u2019s allowed by your visa
  • ", + "
  • extend this visa or switch to another visa
  • ", + "
  • live in the UK for extended periods
  • ", + "
  • get public funds (benefits)
  • ", + "
  • study
  • ", + "
  • marry or register a civil partnership, or give notice of marriage or civil partnership
  • ", + "
  • bring family members (\u2018dependants\u2019) with you on your application - they must apply separately
  • ", + "

    Read the guidance for more information about what you can and cannot do with a Permitted Paid Engagement visa.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for up to 1 month.

    ", + "

    When to apply and how long it takes

    ", + "

    If you need a visa, you must apply online before you come to the UK.

    ", + "

    As part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your \napplication.

    ", + "

    The earliest you can apply is 3 months before you travel.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    Fees

    ", + "

    A Permitted Paid Engagement visa costs \u00a395.

    ", + "

    Eligibility

    ", + "

    You must show that:

    ", + "
  • you\u2019re 18 or over
  • ", + "
  • you\u2019re visiting the UK for no more than 1 month
  • ", + "
  • you\u2019ve been formally invited and paid by a UK-based organisation to attend an event or other permitted engagement
  • ", + "
  • you\u2019ll leave the UK at the end of your visit
  • ", + "
  • you will not live in the UK for extended periods through frequent or successive visits, or make the UK your main home
  • ", + "
  • you\u2019re able to support yourself during your trip (or have funding from someone else to support you)
  • ", + "
  • you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)
  • ", + "
  • you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules
  • ", + "

    Documents you'll need

    ", + "

    When you apply you must provide:

    ", + "
  • a current passport or other valid travel document - your passport must have a blank page for your visa
  • ", + "
  • a formal invitation from the UK-based organisation or client you\u2019ll be paid by
  • ", + "
  • proof that the paid engagement relates to your expertise, qualifications and main job in your home country, for example a letter from your employer
  • ", + "

    See the full list of documents you can provide to prove your eligibility.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Additional documents

    ", + "

    You must provide extra documents if you\u2019re an established arts, entertainment or sporting professional. You can provide any of the following:

    ", + "
  • publications
  • ", + "
  • publicity material
  • ", + "
  • proof of awards
  • ", + "
  • media coverage and reviews
  • ", + "
  • proof of recent performances
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply from outside the UK

    ", + "

    If you need a visa, you must apply online before you travel to the UK.

    ", + "

    Check what documents you\u2019ll need to apply.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    Apply for a Permitted Paid Engagement visa

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Apply with family members

    ", + "

    Each family member must make their own application and pay the fee.

    ", + "

    You can apply on behalf of your partner and child, if they cannot apply for themselves.

    ", + "

    They must attend their own appointment at a visa application centre.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    " + ] + }, + { + "title": "Parent of a Child Student visa", + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "contents": [ + "

    Who can apply

    ", + "

    You can only apply for a Parent of a Child Student visa if your child has or is applying for a Child Student visa. Or if they currently have a Tier 4 (Child) visa.

    ", + "

    Your child must be aged between 4 and 11 when you apply, and be attending an independent school in the UK.

    ", + "

    You must also:

    ", + "
  • be the only parent accompanying your child in the UK
  • ", + "
  • have enough money to support yourself and your child in the UK
  • ", + "
  • maintain your main home outside the UK
  • ", + "
  • plan to leave the UK when your visa expires
  • ", + "

    Bringing family members with you

    ", + "

    To be eligible for a Parent of a Child Student visa you must be the only parent accompanying your child in the UK. The child\u2019s other parent must live abroad, and cannot apply to join you in the UK.

    ", + "

    You can bring your other children with you if they also have or are applying for a Child Student visa.

    ", + "

    You cannot bring other family members with you on this visa. They may be able to apply to come to the UK on a short-term visit visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to come to the UK for more than 6 months. The earliest your Parent of a Child Student visa will start from is 1 January 2021.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK until your child\u2019s visa expires or they turn 12, whichever happens first.

    ", + "

    You can extend your visa while in the UK as long as you meet the eligibility requirements.

    ", + "

    If you leave the UK

    ", + "

    If your child is staying in education in the UK without you, you must make arrangements for their ongoing care. For example, if your child turns 12 and their visa is still valid, they may be able to start boarding at their current school, or live with other family members in the UK.

    ", + "

    What you cannot do

    ", + "

    While you\u2019re in the UK on a Parent of a Child Student visa, you cannot:

    ", + "
  • do paid work
  • ", + "
  • study
  • ", + "
  • start a business
  • ", + "
  • make the UK your main home
  • ", + "
  • apply for benefits (public funds), or the State Pension
  • ", + "
  • bring other family members with you
  • ", + "
  • switch to a different type of visa
  • ", + "

    Money you need

    ", + "

    When you apply for a Parent of a Child Student visa, you must:

    ", + "
  • pay the application fee
  • ", + "
  • pay the healthcare surcharge for each year of your stay
  • ", + "
  • prove that you have enough money to support yourself and your child while you\u2019re in the UK
  • ", + "

    Visa application fee

    ", + "

    A Parent of a Child Student visa costs \u00a3516.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3624 per year.

    ", + "

    This is so you can use the National Health Service (NHS) in the UK.

    ", + "

    Check how much you\u2019ll need to pay before you apply.

    ", + "

    You pay the surcharge as part of your online visa application.

    ", + "

    Money to support yourself and your child

    ", + "

    You\u2019ll need to show that you have enough money to support yourself and your child in the UK.

    ", + "

    You\u2019ll need \u00a31,560 for each month of your stay up to a maximum of 9 months. This amount is to support both you and your child.

    ", + "

    For example, if you\u2019re staying for 9 months or longer you\u2019ll need to prove you have \u00a314,040 (9 months \u00d7 \u00a31,560).

    ", + "

    If you want to bring your other children

    ", + "

    You\u2019ll need an extra \u00a3625 per month, up to a maximum of 9 months, for each additional child that accompanies you to the UK. They must be a sibling of your other child and also have a Child Student visa.

    ", + "

    If you\u2019re extending your visa

    ", + "

    If you\u2019ve been in the UK for at least 12 months on a valid visa, you do not need to prove you have money to support yourself and your child for your visa application.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel document
  • ", + "
  • proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa
  • ", + "
  • evidence that you have a permanent home outside the UK
  • ", + "

    Depending on your circumstances, you might also need to provide:

    ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test
  • ", + "
  • a certified translation of any documents that are not in English or Welsh
  • ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Parent of a Child Student visa before you travel to the UK.

    ", + "

    The earliest you can apply is 6 months before you travel to the UK.

    ", + "

    Check what documents you\u2019ll need to apply.

    ", + "

    Apply online

    ", + "

    As part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply online

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    You may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    You\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Find out what happens after you get your decision.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your visa while in the UK as long as you and your child meet the eligibility requirements. This includes if your child currently has a Tier 4 (Child) student visa.

    ", + "

    How long you can stay

    ", + "

    When you extend your visa you can stay in the UK until the date your child\u2019s student visa expires or they turn 12, whichever happens first.

    ", + "

    When to apply to extend your visa

    ", + "

    You must apply before your current visa expires.

    ", + "

    You can stay in the UK until you get a decision on your visa application.

    ", + "

    Apply to extend your visa

    ", + "

    You must apply online.

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point. At the appointment you must provide your biometric information (your fingerprints and a photo). It costs \u00a319.20.

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply to extend

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 8 weeks.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    You can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    You\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Find out what happens after you get your decision.

    ", + "

    If you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.

    " + ] + }, + { + "title": "Visa to pass through the UK in transit", + "url": "https://www.gov.uk/transit-visa", + "contents": [ + "

    Overview

    ", + "

    You might need a visa to pass through the UK in transit (on your way to another country).

    ", + "

    Check if you need one before you apply.

    ", + "

    To get a transit visa you must prove that:

    ", + "
  • you\u2019ll be in transit to another country, with enough funds and the intention to travel on
  • ", + "
  • you can enter that country
  • ", + "
  • the only purpose of your visit to the UK is transit
  • ", + "

    You do not need a transit visa if you:

    ", + "
  • have an EEA family permit
  • ", + "
  • have an EU Settlement Scheme family permit
  • ", + "
  • have a Home Office travel document, for example you\u2019re a refugee or stateless person
  • ", + "
  • have a Standard Visitor visa
  • ", + "
  • have a Marriage Visitor visa
  • ", + "

    Types of transit visa

    ", + "

    The visa you need depends on whether you\u2019re going through UK border control when you arrive in the UK.

    ", + "

    Your airline can tell you if you\u2019ll go through border control.

    ", + "

    You\u2019re not going through UK border control

    ", + "

    Apply for a Direct Airside Transit visa (DATV) if you\u2019ll be changing flights in the UK and will not be going through UK border control.

    ", + "

    You\u2019re going through UK border control

    ", + "

    Apply for a Visitor in Transit visa if you\u2019ll be going through UK border control but leaving the UK within 48 hours.

    ", + "

    You\u2019ll need to apply for a Standard Visitor visa if:

    ", + "
  • you need to stay longer in the UK
  • ", + "
  • you can prove you need to frequently pass through the UK over a longer period
  • ", + "

    Fees

    ", + "
  • Direct Airside Transit visa (DATV) - \u00a335
  • ", + "
  • Visitor in Transit visa - \u00a364
  • ", + "

    The cost may vary slightly depending on which country you\u2019re in.

    ", + "

    Direct Airside Transit visa

    ", + "

    You might need a Direct Airside Transit visa (DATV) if you:

    ", + "
  • will be changing flights in the UK on your way to another country
  • ", + "
  • will not go through UK border control
  • ", + "

    You may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.

    ", + "

    You do not need one if you have a valid:

    ", + "
  • EEA family permit
  • ", + "
  • EU Settlement Scheme family permit
  • ", + "
  • Home Office travel document, for example you\u2019re a refugee or stateless person
  • ", + "
  • Standard Visitor visa
  • ", + "
  • Marriage Visitor visa
  • ", + "

    You must apply for another type of visitor visa if you\u2019re travelling to or from Ireland, the Channel Islands or the Isle of Man.

    ", + "

    Documents you need

    ", + "

    To apply for a DATV, you must have a current passport or other valid travel document.

    ", + "

    You need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:

    ", + "
  • residence permit
  • ", + "
  • green card
  • ", + "
  • valid visa
  • ", + "

    If you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.

    ", + "

    You must also provide evidence that your onward journey is booked or confirmed, such as:

    ", + "
  • a flight booking email
  • ", + "
  • printed tickets
  • ", + "
  • confirmation from a travel agent
  • ", + "

    Bring your visa and documents with you when you travel through the UK.

    ", + "

    Apply

    ", + "

    You must apply online for a Direct Airside Transit visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.

    ", + "

    You may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.

    ", + "

    Apply now

    ", + "

    Visitor in Transit visa

    ", + "

    You might need a Visitor in Transit visa if you\u2019re:

    ", + "
  • changing flights in the UK on your way to another country
  • ", + "
  • going through UK border control, for example to check in your luggage for a connecting flight
  • ", + "
  • leaving the UK within 48 hours
  • ", + "
  • not working or studying while in the UK
  • ", + "

    You may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.

    ", + "

    If you will not be going through UK border control, check if you need a Direct Airside Transit visa instead.

    ", + "

    You do not need a transit visa if you have a valid:

    ", + "
  • EEA family permit
  • ", + "
  • EU Settlement Scheme family permit
  • ", + "
  • Home Office travel document, for example you\u2019re a refugee or stateless person
  • ", + "
  • Standard Visitor visa
  • ", + "
  • Marriage Visitor visa
  • ", + "

    You need to apply for a Standard Visitor visa if you\u2019re staying in the UK for more than 48 hours.

    ", + "

    Travel to the Channel Islands, the Isle of Man or Ireland

    ", + "

    You might need to apply for a visitor visa to travel through the UK to get to the Channel Islands, the Isle of Man or Ireland.

    ", + "

    You\u2019ll usually need to apply for a Standard Visitor visa unless you\u2019re exempt.

    ", + "

    You do not need a UK visitor visa if:

    ", + "
  • you have a valid visa for the Channel Islands or the Isle of Man
  • ", + "
  • you have a valid Irish biometric visa (marked \u2018BC\u2019 or \u2018BC BIVS\u2019 in the \u2018Remarks\u2019 section)
  • ", + "

    If you need to pass through the UK regularly

    ", + "

    You can also apply for a long-term Standard Visitor visa if you need to pass through the UK in transit regularly over a longer period. You can stay for a maximum of 6 months on each visit and your visa can last for 2, 5 or 10 years.

    ", + "

    Documents you need

    ", + "

    To apply for a Visitor in Transit visa, you must have a current passport or other valid travel document.

    ", + "

    You need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:

    ", + "
  • residence permit
  • ", + "
  • green card
  • ", + "
  • valid visa
  • ", + "

    If you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.

    ", + "

    You must also provide evidence that your onward journey is booked or confirmed, such as:

    ", + "
  • a flight booking email
  • ", + "
  • printed tickets
  • ", + "
  • confirmation from a travel agent
  • ", + "

    Your onward flight must be within 48 hours of your arrival in the UK.

    ", + "

    Bring your visa and documents with you when you travel through the UK.

    ", + "

    Apply

    ", + "

    You must apply online for a Visitor in Transit visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.

    ", + "

    You may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.

    ", + "

    Apply now

    " + ] + }, + { + "title": "Skilled Worker visa", + "url": "https://www.gov.uk/skilled-worker-visa", + "contents": [ + "

    Overview

    ", + "

    A Skilled Worker visa allows you to come to or stay in the UK to do an eligible job with an approved employer.

    ", + "

    This visa has replaced the Tier 2 (General) work visa.

    ", + "

    Some\u00a0health workers and their families will get their visas extended for free because of coronavirus (COVID-19).

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Eligibility

    ", + "

    Your job

    ", + "

    To qualify for a Skilled Worker visa, you must:

    ", + "
  • work for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK
  • ", + "
  • do a job that\u2019s on the list of eligible occupations
  • ", + "
  • be paid a minimum salary - how much depends on the type of work you do
  • ", + "

    The specific eligibility depends on your job.

    ", + "

    You must have a confirmed job offer before you apply for your visa.

    ", + "

    Knowledge of English

    ", + "

    You must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.

    ", + "

    If you\u2019re not eligible for a Skilled Worker visa

    ", + "

    You may be eligible for another type of visa to work in the UK.

    ", + "

    How long you can stay

    ", + "

    Your visa can last for up to 5 years before you need to extend it. You\u2019ll need to apply to extend or update your visa when it expires or if you change jobs or employer.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.

    ", + "

    After 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    If you want to change your job or employer, you must apply to update your visa.

    ", + "

    You can include your partner and children in your application to stay in the UK if they are eligible.

    ", + "

    How long it takes

    ", + "

    You can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • ", + "
  • 8 weeks, if you\u2019re inside the UK
  • ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    How much it costs

    ", + "

    You, your partner or children will each need to:

    ", + "
  • pay the application fee
  • ", + "
  • pay the healthcare surcharge for each year of your stay
  • ", + "
  • prove you have enough personal savings
  • ", + "

    Check how much money you\u2019ll need.

    ", + "

    If you work in public sector healthcare

    ", + "

    If you\u2019re a doctor or nurse, or you work in health or adult social care, check if you\u2019re eligible to apply for the Health and Care Worker visa instead. It\u2019s cheaper to apply for and you do not need to pay the annual immigration health surcharge.

    ", + "

    What you can and cannot do

    ", + "

    With a Skilled Worker visa you can:

    ", + "
  • work in an eligible job
  • ", + "
  • study
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "
  • take on additional work in certain circumstances
  • ", + "
  • do voluntary work
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements
  • ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "
  • change jobs or employer unless you apply to update your visa
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Skilled Worker visa.

    ", + "

    Your job

    ", + "

    You must meet all of the following requirements to be eligible for a Skilled Worker visa:

    ", + "
  • your job is eligible for this visa
  • ", + "
  • you\u2019ll be working for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • you\u2019ll be paid at least the minimum salary for the type of work you\u2019ll be doing
  • ", + "

    The minimum salary for the type of work you\u2019ll be doing is whichever is the highest out of the following 3 options:

    ", + "
  • \u00a325,600 per year
  • ", + "
  • \u00a310.10 per hour
  • ", + "
  • the \u2018going rate\u2019 for the type of work you\u2019ll be doing
  • ", + "

    Check if your job is eligible

    ", + "

    Before you can find out if your job is eligible, you need to know its 4-digit occupation code.

    ", + "

    If you already have a job offer, ask your employer for your occupation code.

    ", + "

    Look up your job\u2019s occupation code

    ", + "

    If you do not know your code, you can search for your job in the ONS occupation coding tool.

    ", + "

    Not every job title is included. If you cannot find your exact job title, try searching for similar jobs.

    ", + "

    Make sure the job description matches what you\u2019ll be doing. Some similar jobs have different codes, for example chefs and cooks. Chefs are eligible for a Skilled Worker visa, but cooks are not.

    ", + "

    Check if an occupation code is eligible for this visa

    ", + "

    When you know your occupation code, view the table of eligible jobs to see if it\u2019s included.

    ", + "

    The table is very large. It\u2019s sorted in order of occupation code, with the smallest numbers at the top. You may be able to use your web browser to search for your code on the page.

    ", + "

    Salary requirements

    ", + "

    You\u2019ll usually need to be paid at least \u00a325,600 per year or \u00a310.10 per hour, whichever is higher. If the \u2018going rate\u2019 for your job is higher than both of these, you\u2019ll usually need to be paid at least the going rate.

    ", + "

    Each occupation code has its own annual going rate. Check the going rate for your job in the going rates table.

    ", + "

    If you work in healthcare or education

    ", + "

    There are different salary rules if you work in some healthcare or education jobs, where the going rate is based on national pay scales.

    ", + "

    When you can be paid less

    ", + "

    If you do not meet the usual salary requirements, and you do not work in healthcare or education, you might still be eligible if your salary will be at least \u00a320,480 per year and at least \u00a310.10 per hour.

    ", + "

    Check when you can be paid less.

    ", + "

    Approved UK employers

    ", + "

    You must have a job offer from an approved UK employer before you apply for a Skilled Worker visa. Approved employers are also known as sponsors, because they are sponsoring you to come to or stay in the UK.

    ", + "

    View the list of approved UK employers.

    ", + "

    If your employer is not currently approved, they can apply for a sponsor licence if they\u2019re eligible.

    ", + "

    They\u2019ll need to pay a fee - \u00a3536 for small businesses and charities or \u00a31,476 for medium and large organisations. It usually takes around 8 weeks to process a licence application.

    ", + "

    If you already have a job offer from an approved employer

    ", + "

    Your employer - also known as your sponsor - will check that you meet the eligibility requirements. They\u2019ll give you a \u2018certificate of sponsorship\u2019 to prove this.

    ", + "

    The certificate of sponsorship is an electronic record, not a physical document. It will have a reference number, which you\u2019ll need for your visa application.

    ", + "

    You must apply for your visa within 3 months of getting your certificate of sponsorship.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    When you can be paid less

    ", + "

    You might still be able to apply for a Skilled Worker visa if your job is eligible but your salary is less than \u00a325,600 or your job\u2019s usual \u2018going rate\u2019. You must still be paid at least \u00a310.10 per hour.

    ", + "

    You can be paid between 70% and 90% of the usual going rate for your job if your salary is at least \u00a320,480 per year and you meet one of the following criteria:

    ", + "
  • your job is in a shortage occupation
  • ", + "
  • you\u2019re under 26, studying or a recent graduate, or in professional training
  • ", + "
  • you have a science, technology, engineering or maths (STEM) PhD level qualification that\u2019s relevant to your job (if you have a relevant PhD level qualification in any other subject your salary must be at least \u00a323,040)
  • ", + "
  • you have a postdoctoral position in science or higher education
  • ", + "

    There are different salary rules if you work in some healthcare or education jobs.

    ", + "

    Your job is in a shortage occupation

    ", + "

    A \u2018shortage occupation\u2019 is a skilled job where there is a shortage of workers in the UK.

    ", + "

    If your job is on the shortage occupation list, you can:

    ", + "
  • be paid 80% of the job\u2019s usual going rate
  • ", + "
  • pay a lower fee for your visa
  • ", + "

    View the shortage occupations list to see if your job is included and how much you\u2019ll need to be paid.

    ", + "

    Make sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.

    ", + "

    You\u2019re under 26, studying or a recent graduate, or in professional training

    ", + "

    You can be paid 70% of your job\u2019s usual going rate if one of the following applies:

    ", + "
  • you\u2019re under 26 on the date you apply
  • ", + "
  • you\u2019re currently in the UK on a Student visa studying at bachelor\u2019s degree level or above - or you have been in the last 2 years, and a Student or visit visa was your most recent visa
  • ", + "
  • you\u2019re currently in the UK on a Graduate Entrepreneur visa
  • ", + "
  • you\u2019ll be working towards a recognised qualification in a UK regulated profession
  • ", + "
  • you\u2019ll be working towards full registration or chartered status in the job you\u2019re being sponsored for
  • ", + "

    If this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.

    ", + "

    Your total stay in the UK cannot be more than 4 years if you apply for one of these reasons. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.

    ", + "

    You have a PhD level qualification that\u2019s relevant to your job

    ", + "

    If your job is eligible for a PhD salary discount, you can be paid 80% or 90% of the job\u2019s usual going rate, depending on which subject you are qualified in.

    ", + "

    If you have a science, technology, engineering or maths (STEM) qualification, you can be paid 80% of your job\u2019s usual going rate, as long as you will still be paid at least \u00a320,480 per year.

    ", + "

    If you have a non-STEM qualification, you can be paid 90% of your job\u2019s usual going rate, as long as you will still be paid at least \u00a323,040 a year.

    ", + "

    In both situations, you must:

    ", + "
  • have a UK PhD or an equivalent doctorate-level overseas qualification - you\u2019ll need to apply through Ecctis (formerly UK NARIC) to check if an overseas qualification is equivalent to a UK PhD
  • ", + "
  • be able to prove your qualification is relevant to the job you\u2019ll be doing in the UK - your employer can confirm this
  • ", + "

    View the list of jobs that qualify for a PhD salary discount to see if your job is included and how much you need to be paid.

    ", + "

    If you\u2019re a research or academic leader, you may also be eligible to apply for the Global Talent visa. This visa has no language or minimum salary requirements.

    ", + "

    You have a postdoctoral position in science or higher education

    ", + "

    You can be paid 70% of your job\u2019s usual going rate if you\u2019ll be working in a postdoctoral position in certain science or higher education roles.

    ", + "

    Your job must be in one of the following occupation codes to qualify for this salary discount:

    ", + "
  • 2111: chemical scientists
  • ", + "
  • 2112: biological scientists and biochemists
  • ", + "
  • 2113: physical scientists
  • ", + "
  • 2114: social and humanities scientists
  • ", + "
  • 2119: natural and social science professionals that are \u2018not elsewhere classified\u2019, such as research fellows and sports scientists
  • ", + "
  • 2311: higher education teaching professionals
  • ", + "

    If this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.

    ", + "

    Your total stay in the UK cannot be more than 4 years if you apply to work in a postdoctoral position at 70% of the usual going rate. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.

    ", + "

    If you work in healthcare or education

    ", + "

    There are different salary rules if you work in some healthcare or education jobs. Your salary must be at least \u00a320,480 - or more if your job\u2019s \u2018going rate\u2019 is higher.

    ", + "

    The going rates for these jobs are based on the national pay scales set by the relevant independent body, for example the NHS.

    ", + "

    View the list of eligible healthcare and education jobs to see if your job is included.

    ", + "

    National pay scales tables

    ", + "

    If your job is on the list, your salary must be at least the national pay scale rate for the job you\u2019ll be doing.

    ", + "

    These going rates apply whether you\u2019ll be working in the public or private sector.

    ", + "

    Check how much you\u2019ll need to be paid in the:

    ", + "
  • table of national pay scales for eligible healthcare jobs - listed by NHS pay band and area of the UK
  • ", + "
  • table of national pay scales for eligible teaching and education leadership jobs - listed by role and area of the UK
  • ", + "

    Ask your employer if you\u2019re not sure what your role or pay band will be.

    ", + "

    If your job is on the shortage occupation list

    ", + "

    You and your family will pay a lower application fee if your job is in a shortage occupation.

    ", + "

    View the list of healthcare and education shortage occupations to see if your job is included.

    ", + "

    Make sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.

    ", + "

    If your job is on the list, the reduced fee for each person applying is:

    ", + "
  • \u00a3464 if you\u2019re staying for up to 3 years
  • ", + "
  • \u00a3928 if you\u2019re staying for more than 3 years
  • ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    You\u2019ll also need to pay the healthcare surcharge and prove you can support yourself in the UK - check how much money you\u2019ll need.

    ", + "

    Knowledge of English

    ", + "

    You\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.

    ", + "

    Level of English

    ", + "

    You must prove you can read, write, speak and understand English to at least level B1 on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • passing a Secure English Language Test (SELT) from an approved provider
  • ", + "
  • having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18
  • ", + "
  • having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply through Ecctis (formerly UK NARIC) for confirmation that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    If you\u2019re a doctor, dentist, nurse, midwife or vet

    ", + "

    You do not need to prove your knowledge of English if you\u2019ve already passed an English Language assessment that is accepted by the relevant regulated professional body.

    ", + "

    If you\u2019re a vet, you may need to prove that you passed an English Language assessment with the Royal College of Veterinary Surgeons.

    ", + "

    How much it costs

    ", + "

    When you apply for a Skilled Worker visa, you\u2019ll need to have enough money to:

    ", + "
  • pay the application fee - the standard fee ranges from \u00a3610 to \u00a31,408 depending on your circumstances
  • ", + "
  • pay the healthcare surcharge - this is usually \u00a3624 per year
  • ", + "
  • support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    You\u2019ll pay a lower application fee if your job is on the shortage occupation list.

    ", + "

    You\u2019ll be told how much you need to pay when you apply.

    ", + "

    Application fees

    ", + "

    If you\u2019re applying from outside the UK, the standard fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3610 per person
  • ", + "
  • more than 3 years - \u00a31,220 per person
  • ", + "

    If you\u2019re applying from inside the UK to extend, switch or update your visa, the standard fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3704 per person
  • ", + "
  • more than 3 years - \u00a31,408 per person
  • ", + "

    If your job is on the shortage occupation list

    ", + "

    You and your family will pay a lower application fee if your job is on the shortage occupation list.

    ", + "

    The fee for each person applying is:

    ", + "
  • \u00a3464 if you\u2019re staying for up to 3 years
  • ", + "
  • \u00a3928 if you\u2019re staying for more than 3 years
  • ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    There\u2019s a different list of shortage occupations if you work in healthcare or education.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    If your job is on the shortage occupation list, you\u2019ll get this reduction as well as paying a lower fee.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge for each year of your stay - this is usually \u00a3624 per year. Check how much you\u2019ll have to pay before you apply.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • proof of your knowledge of English
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • your job title and annual salary
  • ", + "
  • your job\u2019s occupation code
  • ", + "
  • the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship
  • ", + "

    Ask your employer for a copy of your certificate of sponsorship if you do not have one.

    ", + "

    If your certificate of sponsorship was issued before 1 December 2020

    ", + "

    Your certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (General) work visa was replaced by the Skilled Worker visa.

    ", + "

    Ask your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.

    ", + "

    Other documents you might need

    ", + "

    Depending on your circumstances, you might be asked to provide:

    ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • ", + "
  • a criminal record certificate - if you\u2019re working in certain jobs
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • ", + "
  • your UK PhD certificate, or your unique Ecctis reference number (formerly unique UK NARIC reference number) if your qualification is from outside the UK - you\u2019ll need to apply through Ecctis
  • ", + "

    You\u2019ll need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it
  • ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    Criminal record certificate

    ", + "

    You\u2019ll need to provide a criminal record certificate if you\u2019re applying from outside the UK and you work in:

    ", + "
  • education, for example teachers, education advisers and school inspectors, childminders, teaching assistants
  • ", + "
  • healthcare, for example nurses, doctors, paramedics, managers, pharmacists, dentists and dental nurses, ophthalmic opticians
  • ", + "
  • therapy, for example psychologists, speech and language therapists, counsellors
  • ", + "
  • social services, for example social workers, managers, probation officers, welfare and housing officers
  • ", + "

    Check how to apply for criminal records checks.

    ", + "

    If you work in healthcare, you might be able to apply for the Health and Care Worker visa instead.

    ", + "

    If you\u2019ve lived in more than one country

    ", + "

    You might need to provide a certificate from each country you\u2019ve lived in, depending on your age and how long you stayed in each country.

    ", + "

    If you\u2019re under 28, you\u2019ll need a certificate from any country you\u2019ve stayed in for a total of 12 months or more since you turned 18.

    ", + "

    If you\u2019re 28 or over, you\u2019ll need a certificate from any country you\u2019ve stayed in over the last 10 years.

    ", + "

    When you\u2019ve got your documents ready

    ", + "

    You can apply online once your documents are ready.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    If you\u2019ve read the guidance and you\u2019re not sure if you\u2019re eligible, you can use a Home Office checker tool. You\u2019ll be asked to confirm that you meet all of the eligibility requirements.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Skilled Worker visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply for a Skilled Worker visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as your partner
  • ", + "
  • apply online as your child
  • ", + "

    Each family member will need to complete a separate application and pay the visa fee.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity.

    ", + "

    They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a \nvisa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    If they do need an appointment:

    ", + "
  • the visa application centre may need to keep their passport and documents while they process their application
  • ", + "
  • they may have to travel to get to their nearest centre (this could be in another country)
  • ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children cannot apply to switch to your Skilled Worker visa as your dependants if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch to your Skilled Worker visa as your partner
  • ", + "
  • extend or switch to your Skilled Worker visa as your child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You must apply for your child\u2019s dependant visa if you want to travel in and out of the UK with them.

    ", + "

    The form you fill in depends on if:

    ", + "
  • your child is inside the UK
  • ", + "
  • your child is outside the UK
  • ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    Extend your visa

    ", + "

    You can usually apply to extend a Skilled Worker visa or a Tier 2 (General) work visa if all of the following are true:

    ", + "
  • you have the same job as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • you\u2019re still working for the employer who gave you your current certificate of sponsorship
  • ", + "

    Some\u00a0health workers and their families will get their visas extended for free because of coronavirus (COVID-19).

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    If you have a Tier 2 (General) work visa

    ", + "

    You may need to meet different eligibility requirements, depending on:

    ", + "
  • whether you got the certificate of sponsorship for your first Tier 2 visa before or after 24 November 2016
  • ", + "
  • whether you applied for your first Tier 2 (General) or Skilled Worker visa before 6 April 2021
  • ", + "
  • your occupation code - some have different going rates
  • ", + "

    The requirements will apply if you either:

    ", + "
  • have a Tier 2 (General) work visa
  • ", + "
  • had a Tier 2 (General) work visa which you\u2019ve extended as a Skilled Worker visa
  • ", + "

    If you got your certificate of sponsorship before 24 November 2016

    ", + "

    If you apply to extend before 24 May 2023, the minimum salary you\u2019ll need to be paid is fixed at a lower rate. You\u2019ll need to be paid at least \u00a320,800 per year unless the \u2018going rate\u2019 for your job is higher than this.

    ", + "

    If you got your certificate of sponsorship on or after 24 November 2016

    ", + "

    If you apply to extend before 1 December 2026, you will still need to meet the new salary requirements, but your salary may also include allowances, such as London weighting. Any allowances must be guaranteed for the length of your stay.

    ", + "

    If you applied for your first Tier 2 (General) or Skilled Worker visa before 6 April 2021

    ", + "

    The minimum salary requirement of \u00a310.10 per hour or the going rate for the type of work you\u2019ll be doing does not apply.

    ", + "

    Jobs with different going rates

    ", + "

    For some jobs, the going rate for the Skilled Worker visa is different.

    ", + "Occupation code | Going rate for Skilled Worker visa | 90% of going rate (for relevant STEM PhD) | 80% of going rate (for relevant non-STEM PhD or shortage occupation) | 70% of going rate (for new entrants)", + "2113 Physical scientists | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour)", + "2119 Natural and social science professionals | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour)", + "2311 Higher education teaching professionals | \u00a333,000 (\u00a315.87 per hour) | \u00a329,700 (14.28 per hour) | \u00a326,400 (\u00a312.69 per hour) | \u00a323,100 (\u00a311.11 per hour)", + "

    If you\u2019ve changed job or employer

    ", + "

    You\u2019ll need to apply to update your visa instead.

    ", + "

    Fees

    ", + "

    Check how much it costs for your type of visa.

    ", + "

    You may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to extend your Skilled Worker visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Update your visa if you change job or employer

    ", + "

    You\u2019ll need to apply to update your Skilled Worker or Tier 2 (General) work visa if:

    ", + "
  • you want to change your job and your new job is with a different employer
  • ", + "
  • your job changes to a different occupation code, and you\u2019re not in a graduate training programme
  • ", + "
  • you leave a job that\u2019s on the shortage occupation list for a job that is not on the list
  • ", + "

    You do not need to apply again if you stay in the same job, but your job is taken off the shortage occupation list.

    ", + "

    If you\u2019ll be doing a different job for your current employer, you only need to apply to update your visa if your new job is in a different occupation code.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Eligibility and documents you\u2019ll need to apply

    ", + "

    Your new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.

    ", + "

    You\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.

    ", + "

    If you\u2019re applying to add a second job to your current visa

    ", + "

    You must apply to update your visa if you take on a second job that is either:

    ", + "
  • more than 20 paid hours a week in addition to the job you\u2019re being sponsored for
  • ", + "
  • in a different occupation code
  • ", + "

    Your second job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.

    ", + "

    You\u2019ll also need to include a letter with your application explaining that you want to change your current permission to stay.

    ", + "

    Your letter must state:

    ", + "
  • your name
  • ", + "
  • your date of birth
  • ", + "
  • your current certificate of sponsorship reference number
  • ", + "
  • the date when your current permission to stay runs out
  • ", + "

    If your application is successful, you\u2019ll get a new visa giving you permission to do both jobs.

    ", + "

    You do not need to apply to update your visa if you\u2019re taking on additional work in the same occupation code or you\u2019ll be doing less than 20 paid hours a week.

    ", + "

    When to apply to update your visa

    ", + "

    You can apply to update your visa up to 3 months before the start date of your new job.

    ", + "

    You can continue working in your current job while your new application is being considered, or to work out your notice period - as long as you apply before your current visa expires.

    ", + "

    You should not start your new job until you\u2019ve got confirmation of your new permission.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.

    ", + "

    Apply to update your visa

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Switch to this visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to a Skilled Worker visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Eligibility

    ", + "

    You must meet the following requirements:

    ", + "
  • your job meets the eligibility requirements
  • ", + "
  • you can speak, read, write and understand English
  • ", + "

    Who cannot apply to switch to this visa

    ", + "

    You cannot apply to switch to this visa if you\u2019re currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because you were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    You must leave the UK and apply for a Skilled Worker visa from abroad if you\u2019re in one of these categories.

    ", + "

    Fees

    ", + "

    Each person applying will need to pay:

    ", + "
  • the visa application fee
  • ", + "
  • the healthcare surcharge for each year of their stay - check how much you\u2019ll have to pay
  • ", + "

    You may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to switch to a Skilled Worker visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Taking on additional work

    ", + "

    You can do additional paid work on this visa as long as you\u2019re still doing the job you\u2019re being sponsored for. You can also do unpaid voluntary work.

    ", + "

    You can work up to 20 hours a week in a job that\u2019s either:

    ", + "
  • in the same occupation code and at the same level as your main job
  • ", + "
  • in a shortage occupation
  • ", + "

    Check if your job is on the list of:

    ", + "
  • healthcare and education shortage occupations
  • ", + "
  • all other shortage occupations
  • ", + "

    Due to coronavirus (COVID-19), there\u2019s currently no limit on the number of hours you can work or volunteer if you have a second job as an NHS doctor, nurse or paramedic.

    ", + "

    If you\u2019ll be working more than 20 hours a week or in a different occupation code

    ", + "

    You\u2019ll need to apply to update your visa so that you\u2019re being sponsored to do both jobs.

    ", + "

    You\u2019ll need to:

    ", + "
  • get a new certificate of sponsorship from your second employer
  • ", + "
  • include a letter with your application explaining that you want to change your current permission to stay
  • " + ] + }, + { + "title": "Health and Care Worker visa", + "url": "https://www.gov.uk/health-care-worker-visa", + "contents": [ + "

    Overview

    ", + "

    A Health and Care Worker visa allows medical professionals to come to or stay in the UK to do an eligible job with the NHS, an NHS supplier or in adult social care.

    ", + "

    Some health workers and their families will get their visas extended for free because of coronavirus (COVID-19).

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Eligibility

    ", + "

    Your job

    ", + "

    To qualify for a Health and Care Worker visa, you must:

    ", + "
  • be a qualified doctor, nurse, health professional or adult social care professional
  • ", + "
  • work in an eligible health or social care job
  • ", + "
  • work for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK
  • ", + "
  • be paid a minimum salary - how much depends on the type of work you do
  • ", + "

    Check if your job is eligible.

    ", + "

    You must have a confirmed job offer before you apply for your visa.

    ", + "

    Knowledge of English

    ", + "

    You must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.

    ", + "

    If you\u2019re not eligible for a Health and Care Worker visa

    ", + "

    You may be eligible for another type of visa to work in the UK.

    ", + "

    How long you can stay

    ", + "

    Your visa can last for up to 5 years before you need to extend it. You\u2019ll need to apply to extend or update your visa when it expires or if you change jobs or employer.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.

    ", + "

    After 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    If you want to change your job or employer, you must apply to update your visa.

    ", + "

    You can include your partner and children in your application to stay in the UK if they are eligible.

    ", + "

    How long it takes

    ", + "

    You can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    How much it costs

    ", + "

    You, your partner or children will each need to:

    ", + "
  • pay the application fee
  • ", + "
  • prove you have enough personal savings
  • ", + "

    Check how much money you\u2019ll need.

    ", + "

    Healthcare surcharge

    ", + "

    You - and your partner or children - will not have to pay the healthcare surcharge.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work in an eligible job
  • ", + "
  • take on additional work in certain circumstances
  • ", + "
  • do voluntary work
  • ", + "
  • study
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements
  • ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "
  • change jobs or employer unless you update your visa
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Health and Care Worker visa.

    ", + "

    Your job

    ", + "

    You must meet all of the following requirements to be eligible for a Health and Care Worker visa:

    ", + "
  • you\u2019re a qualified doctor, nurse, health professional or adult social care professional
  • ", + "
  • your job is eligible for this visa
  • ", + "
  • you\u2019ll be working for a UK health and care sector employer that\u2019s been approved by the Home Office
  • ", + "
  • you\u2019ll be paid the minimum salary or the \u2018going rate\u2019 for the type of work you\u2019ll be doing - whichever is higher
  • ", + "

    Check if your job is eligible

    ", + "

    Before you can find out if your job is eligible, you need to know its 4-digit occupation code.

    ", + "

    If you already have a job offer, ask your employer for your occupation code.

    ", + "

    Look up your job\u2019s occupation code

    ", + "

    If you do not know your code, you can search for your job in the ONS occupation coding tool.

    ", + "

    Not every job title is included. If you cannot find your exact job title, try searching for similar jobs.

    ", + "

    Make sure the job description matches what you\u2019ll be doing. Some jobs in the same area of practice have different codes, for example dentists and dental hygiene therapists.

    ", + "

    Check if an occupation code is eligible for this visa

    ", + "

    Your job must be in one of the following occupation codes to qualify for the Health and Care Worker visa:

    ", + "
  • 1181: health services and public health managers and directors
  • ", + "
  • 1242: residential, day and domiciliary care managers and proprietors
  • ", + "
  • 2112: biological scientists and biochemists
  • ", + "
  • 2113: physical scientists
  • ", + "
  • 2211: medical practitioners
  • ", + "
  • 2212: psychologists
  • ", + "
  • 2213: pharmacists
  • ", + "
  • 2214: ophthalmic opticians
  • ", + "
  • 2215: dental practitioners
  • ", + "
  • 2217: medical radiographers
  • ", + "
  • 2218: podiatrists
  • ", + "
  • 2219: health professionals that are \u2018not elsewhere classified\u2019, such as audiologists and occupational health advisers
  • ", + "
  • 2221: physiotherapists
  • ", + "
  • 2222: occupational therapists
  • ", + "
  • 2223: speech and language therapists
  • ", + "
  • 2229: therapy professionals that are \u2018not elsewhere classified\u2019, such as osteopaths and psychotherapists
  • ", + "
  • 2231: nurses
  • ", + "
  • 2232: midwives
  • ", + "
  • 2442: social workers
  • ", + "
  • 3111: laboratory technicians
  • ", + "
  • 3213: paramedics
  • ", + "
  • 3216: dispensing opticians
  • ", + "
  • 3217: pharmaceutical technicians
  • ", + "
  • 3218: medical and dental technicians
  • ", + "
  • 3219: health associate professionals not elsewhere classified
  • ", + "
  • 6141: nursing auxiliaries and assistants
  • ", + "
  • 6143: dental nurses
  • ", + "
  • 6146: senior care workers
  • ", + "

    Approved UK health and care sector employers

    ", + "

    You must have a job offer from an approved UK employer before you apply for a Health and Care Worker visa. Approved employers are also known as sponsors, because they are sponsoring you to come to or stay in the UK.

    ", + "

    You must have a job offer from:

    ", + "
  • the NHS
  • ", + "
  • an organisation providing medical services to the NHS
  • ", + "
  • an organisation providing adult social care
  • ", + "

    Read the guidance to see a full list of eligible employers.

    ", + "

    If your employer is not currently approved, they can apply for a sponsor licence if they\u2019re eligible.

    ", + "

    They\u2019ll need to pay a fee - \u00a3536 for small businesses and charities or \u00a31,476 for medium and large organisations. It usually takes around 8 weeks to process a licence application.

    ", + "

    If you already have a job offer from an approved employer

    ", + "

    Your employer - also known as your sponsor - will check that you meet the eligibility requirements. They\u2019ll give you a \u2018certificate of sponsorship\u2019 to prove this.

    ", + "

    The certificate of sponsorship is an electronic record, not a physical document. It will have a reference number, which you\u2019ll need for your visa application.

    ", + "

    You must apply for your visa within 3 months of getting your certificate of sponsorship.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Salary requirements

    ", + "

    You\u2019ll usually need to be paid at least \u00a320,480.

    ", + "

    If the \u2018going rate\u2019 for your job is higher than \u00a320,480, you\u2019ll usually need to be paid at least the going rate.

    ", + "

    Each occupation code has its own annual going rate. How you find the going rate depends on your job.

    ", + "

    When you need to meet different salary requirements

    ", + "

    You\u2019ll need to meet different salary requirements for this visa if your job is in one of the the following occupation codes:

    ", + "
  • 1181: health services and public health managers and directors
  • ", + "
  • 1242: residential, day and domiciliary care managers and proprietors
  • ", + "
  • 2112: biological scientists and biochemists
  • ", + "
  • 2113: physical scientists
  • ", + "
  • 3111: laboratory technicians
  • ", + "
  • 3216: dispensing opticians
  • ", + "
  • 3217: pharmaceutical technicians
  • ", + "
  • 6146: senior care workers
  • ", + "

    Find out the going rate if your job is in one of these occupation codes - including when you can earn less.

    ", + "

    If you\u2019re doing any other health and care job

    ", + "

    Check how much you\u2019ll need to earn in the table of national pay scales for eligible healthcare jobs.

    ", + "

    Salaries are listed by NHS pay band and area of the UK you\u2019ll be working in. Ask your employer if you\u2019re not sure what your role or pay band will be.

    ", + "

    If you\u2019ll need to meet different salary requirements

    ", + "

    You\u2019ll need to meet different salary requirements for this visa if your job is in one of the following occupation codes:

    ", + "
  • 1181: health services and public health managers and directors
  • ", + "
  • 1242: residential, day and domiciliary care managers and proprietors
  • ", + "
  • 2112: biological scientists and biochemists
  • ", + "
  • 2113: physical scientists
  • ", + "
  • 3111: laboratory technicians
  • ", + "
  • 3216: dispensing opticians
  • ", + "
  • 3217: pharmaceutical technicians
  • ", + "
  • 6146: senior care workers
  • ", + "

    If your job is in any other occupation code that is eligible for this visa, you must meet the salary requirements described in \u2018Your job\u2019.

    ", + "

    Salary requirements

    ", + "

    You\u2019ll usually need to be paid at least \u00a325,600 per year or \u00a310.10 per hour, whichever is higher. If the \u2018going rate\u2019 for your job is higher than both of these, you\u2019ll usually need to be paid at least the going rate.

    ", + "

    Each occupation code has its own annual going rate. Check the going rate for your job in the going rates table.

    ", + "

    When you can be paid less

    ", + "

    You might still be able to apply for a Health and Care Worker visa if your job is eligible but your salary is less than \u00a325,600 or your job\u2019s usual \u2018going rate\u2019. You must still be paid at least \u00a310.10 per hour.

    ", + "

    You can be paid between 70% and 90% of the usual going rate for your job if your salary is at least \u00a320,480 per year and you meet one of the following criteria:

    ", + "
  • your job is in a shortage occupation
  • ", + "
  • you\u2019re under 26, studying or a recent graduate, or in professional training
  • ", + "
  • you have a science, technology, engineering or maths (STEM) PhD level qualification that\u2019s relevant to your job (if you have a relevant PhD level qualification in any other subject your salary must be at least \u00a323,040)
  • ", + "
  • you have a postdoctoral position in a scientific role
  • ", + "

    Your job is in a shortage occupation

    ", + "

    A \u2018shortage occupation\u2019 is a skilled job where there is a shortage of workers in the UK.

    ", + "

    If your job is on the shortage occupation list, you can be paid 80% of the job\u2019s usual going rate.

    ", + "

    View the shortage occupations list to see if your job is included and how much you\u2019ll need to be paid.

    ", + "

    Make sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.

    ", + "

    You\u2019re under 26, studying or a recent graduate, or in professional training

    ", + "

    You can be paid 70% of your job\u2019s usual going rate if one of the following applies:

    ", + "
  • you\u2019re under 26 on the date you apply
  • ", + "
  • you\u2019re currently in the UK on a Student visa studying at bachelor\u2019s degree level or above - or you have been in the last 2 years, and a Student or visit visa was your most recent visa
  • ", + "
  • you\u2019re currently in the UK on a Graduate Entrepreneur visa
  • ", + "
  • you\u2019ll be working towards a recognised qualification in a UK regulated profession
  • ", + "
  • you\u2019ll be working towards full registration or chartered status in the job you\u2019re being sponsored for
  • ", + "

    Your total stay in the UK cannot be more than 4 years if you apply for one of these reasons. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.

    ", + "

    If this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.

    ", + "

    You have a PhD level qualification that\u2019s relevant to your job

    ", + "

    You can earn 80% or 90% of the job\u2019s usual going rate, depending on which subject you are qualified in.

    ", + "

    If you have a science, technology, engineering or maths (STEM) qualification, you can be paid 80% of your job\u2019s usual going rate, as long as you will still earn at least \u00a320,480 per year.

    ", + "

    If you have a non-STEM qualification, you can be paid 90% of your job\u2019s usual going rate, as long as you will still earn at least \u00a323,040 a year.

    ", + "

    In both situations, you must:

    ", + "
  • have a UK PhD or an equivalent doctorate-level overseas qualification - you\u2019ll need to apply through Ecctis (formerly UK NARIC) to check if an overseas qualification is equivalent to a UK PhD
  • ", + "
  • be able to prove your qualification is relevant to the job you\u2019ll be doing in the UK - your employer can confirm this
  • ", + "

    View the list of jobs that qualify for a PhD salary discount to see how much you need to be paid.

    ", + "

    If you\u2019re a research or academic leader, you may also be eligible to apply for the Global Talent visa. This visa has no language or minimum salary requirements.

    ", + "

    You have a postdoctoral position in a scientific role

    ", + "

    You can be paid 70% of your job\u2019s usual going rate if you\u2019ll be working in a postdoctoral position.

    ", + "

    Check how much you\u2019ll need to be paid to qualify for this visa.

    ", + "

    Your total stay in the UK cannot be more than 4 years if you apply to work in a postdoctoral position at 70% of the usual going rate. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.

    ", + "

    Knowledge of English

    ", + "

    You\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.

    ", + "

    Level of English

    ", + "

    You must prove you can read, write, speak and understand English to at least level B1 on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • passing a Secure English Language Test (SELT) from an approved provider
  • ", + "
  • having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18
  • ", + "
  • having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply through Ecctis (formerly UK NARIC) for confirmation that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    If you\u2019re a doctor, dentist, nurse or midwife

    ", + "

    You do not need to prove your knowledge of English if you\u2019ve already passed an English Language assessment that is accepted by the relevant regulated professional body.

    ", + "

    How much it costs

    ", + "

    When you apply for a Health and Care Worker visa, you\u2019ll need to have enough money to:

    ", + "
  • pay the application fee
  • ", + "
  • support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    You\u2019ll be told how much you need to pay when you apply.

    ", + "

    Application fees

    ", + "

    The standard application fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3232 per person
  • ", + "
  • more than 3 years - \u00a3464 per person
  • ", + "

    The fee is the same whether you apply from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • proof of your knowledge of English
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • your job title and annual salary
  • ", + "
  • your job\u2019s occupation code
  • ", + "
  • the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship
  • ", + "

    Ask your employer for a copy of your certificate of sponsorship if you do not have one.

    ", + "

    If your certificate of sponsorship was issued before 1 December 2020

    ", + "

    Your certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (General) work visa was replaced by the Skilled Worker visa. The Health and Care Worker visa is a type of skilled work visa.

    ", + "

    Ask your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.

    ", + "

    Other documents you might need

    ", + "

    Depending on your circumstances, you might be asked to provide:

    ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • ", + "
  • a criminal record certificate - if you\u2019re working in certain jobs
  • ", + "
  • your UK PhD certificate, or your unique Ecctis reference number (formerly unique UK NARIC reference number) if your qualification is from outside the UK - you\u2019ll need to apply through Ecctis
  • ", + "

    You\u2019ll need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it
  • ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    Criminal record certificate

    ", + "

    You\u2019ll need to provide a criminal record certificate if you\u2019re applying from outside the UK, unless your job is in one of the following occupation codes:

    ", + "
  • biological scientists and biochemists (2112)
  • ", + "
  • physical scientists (2113)
  • ", + "

    Check how to apply for criminal records checks.

    ", + "

    If you\u2019ve lived in more than one country

    ", + "

    You might need to provide a certificate from each country you\u2019ve lived in, depending on your age and how long you stayed in each country.

    ", + "

    If you\u2019re under 28, you\u2019ll need a certificate from any country you\u2019ve stayed in for a total of 12 months or more since you turned 18.

    ", + "

    If you\u2019re 28 or over, you\u2019ll need a certificate from any country you\u2019ve stayed in over the last 10 years.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Health and Care Worker visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply for a Health and Care Worker visa

    ", + "

    Apply for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as your partner
  • ", + "
  • apply online as your child
  • ", + "

    Each family member will need to complete a separate application and pay the application fee. The fee depends on whether they\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3232 per person
  • ", + "
  • more than 3 years - \u00a3464 per person
  • ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity.

    ", + "

    They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a \nvisa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    If they do need an appointment:

    ", + "
  • the visa application centre may need to keep their passport and documents while they process their application
  • ", + "
  • they may have to travel to get to their nearest centre (this could be in another country)
  • ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children cannot apply to switch to your Health and Care Worker visa as your dependants if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch to your Health and Care Worker visa as your partner
  • ", + "
  • extend or switch to your Health and Care Worker visa as your child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    ", + "

    Extend your visa

    ", + "

    Some health workers and their families will get their visas extended for free because of coronavirus (COVID-19).

    ", + "

    You can usually apply to extend your Health and Care Worker visa if all of the following are true:

    ", + "
  • you have the same job as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • you\u2019re still working for the employer who gave you your current certificate of sponsorship
  • ", + "
  • you still meet the salary requirements
  • ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    If you have a Tier 2 Health and Care Worker visa

    ", + "

    You\u2019ll have a Tier 2 Health and Care Worker visa if either:

    ", + "
  • you applied for a Health and Care Worker visa before 1 December 2020
  • ", + "
  • you had a Tier 2 (General) work visa which you\u2019ve extended as a Health and Care Worker visa
  • ", + "

    If you have this visa, you may need to meet different eligibility requirements, depending on:

    ", + "
  • whether you got the certificate of sponsorship for your first Tier 2 visa before or after 24 November 2016
  • ", + "
  • whether you applied for your first Tier 2 (General) or Health and Care Worker visa before 6 April 2021
  • ", + "
  • your occupation code - some have different going rates
  • ", + "

    If you got your certificate of sponsorship before 24 November 2016

    ", + "

    If you apply to extend before 24 May 2023, you\u2019ll need to be paid at least \u00a320,800 per year unless the \u2018going rate\u2019 for your job is higher than this.

    ", + "

    This applies even if your job normally has different salary requirements.

    ", + "

    If you got your certificate of sponsorship on or after 24 November 2016

    ", + "

    If you apply to extend before 1 December 2026, you will still need to meet the salary requirements, but your salary may also include allowances, such as London weighting. Any allowances must be guaranteed for the length of your stay.

    ", + "

    If you applied for your first Tier 2 (General) or Health and Care Worker visa before 6 April 2021

    ", + "

    If your job has different salary requirements, you do not need to be paid at least \u00a310.10 per hour. You\u2019ll usually need to be paid at least \u00a325,600 or the going rate for your job, whichever is higher.

    ", + "

    If you\u2019re a physical scientist

    ", + "

    If you were sponsored for your Tier 2 (General) or Health and Care Worker visa before 1 December 2020, the going rate for your job is different.

    ", + "Occupation code | Going rate for Health and Care Worker visa | 90% of going rate (for relevant STEM PhD) | 80% of going rate (for relevant non-STEM PhD or shortage occupation) | 70% of going rate (for new entrants)", + "2113 Physical scientists | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour)", + "

    If you\u2019ve changed job or employer

    ", + "

    You\u2019ll need to apply to update your visa instead.

    ", + "

    Fees

    ", + "

    Check how much it costs for your type of visa.

    ", + "

    You may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to extend your Health and Care Worker visa

    ", + "

    Apply for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Update your visa if you change job or employer

    ", + "

    You\u2019ll need to apply to update your Health and Care Worker visa if:

    ", + "
  • you want to change your job and your new job is with a different employer
  • ", + "
  • your job changes to a different occupation code, and you\u2019re not in a graduate training programme
  • ", + "
  • you leave a job that\u2019s on the shortage occupation list for a job that is not on the list
  • ", + "

    The same conditions apply to Tier 2 Health and Care visas issued before 1 December 2020.

    ", + "

    You do not need to apply again if you stay in the same job, but your job is taken off the shortage occupation list.

    ", + "

    If you\u2019ll be doing a different job for your current employer, you only need to update your visa if your new job is in a different occupation code.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Eligibility and documents you\u2019ll need to apply

    ", + "

    Your new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.

    ", + "

    You\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.

    ", + "

    If you\u2019re applying to add a second job to your current visa

    ", + "

    You must apply to update your visa if you take on additional work that is either:

    ", + "
  • more than 20 paid hours a week in addition to the job you\u2019re being sponsored for
  • ", + "
  • in a different occupation code
  • ", + "

    Your second job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.

    ", + "

    You\u2019ll also need to include a letter with your application explaining that you want to change your current permission to stay.

    ", + "

    Your letter must state:

    ", + "
  • your name
  • ", + "
  • your date of birth
  • ", + "
  • your current certificate of sponsorship reference number
  • ", + "
  • the date when your current permission to stay runs out
  • ", + "

    If your application is successful, you\u2019ll get a new visa giving you permission to do both jobs.

    ", + "

    You do not need to apply to update your visa if you\u2019re taking on additional work in the same occupation code or you\u2019ll be doing less than 20 paid hours a week.

    ", + "

    When to apply to update your visa

    ", + "

    You can apply to update your visa up to 3 months before the start date of your new job.

    ", + "

    You can continue working in your current job while your new application is being considered, or to work out your notice period - as long as you apply before your current visa expires.

    ", + "

    You should not start your new job until you\u2019ve got confirmation of your new permission.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.

    ", + "

    Apply to update your visa

    ", + "

    You must apply online for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Switch to this visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to a Health and Care Worker visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Eligibility

    ", + "

    You must meet the following requirements:

    ", + "
  • your job meets the eligibility requirements
  • ", + "
  • you can speak, read, write and understand English
  • ", + "

    Who cannot apply to switch to this visa

    ", + "

    You cannot apply to switch to this visa if you\u2019re currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because you were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    You must leave the UK and apply for a Health and Care Worker visa from abroad if you\u2019re in one of these categories.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for as long as your employer is sponsoring you for, up to 5 years at a time. Your certificate of sponsorship will say how long your employer is sponsoring you for.

    ", + "

    Fees

    ", + "

    Check how much it costs for your type of visa.

    ", + "

    You may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to switch to a Health and Care Worker visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Apply for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Taking on additional work

    ", + "

    You can do additional paid work on this visa as long as you\u2019re still doing the job you\u2019re being sponsored for. You can also do unpaid voluntary work.

    ", + "

    You can work up to 20 hours a week in a job that\u2019s either:

    ", + "
  • in the same occupation code and at the same level as your main job
  • ", + "
  • in a shortage occupation
  • ", + "

    Check if your job is on the list of:

    ", + "
  • healthcare and education shortage occupations
  • ", + "
  • all other shortage occupations
  • ", + "

    Due to coronavirus (COVID-19), there\u2019s currently no limit on the number of hours you can work or volunteer if you have a second job as an NHS doctor, nurse or paramedic.

    ", + "

    If you\u2019ll be working more than 20 hours a week or in a different occupation code

    ", + "

    You\u2019ll need to apply to update your visa so that you\u2019re being sponsored to do both jobs.

    ", + "

    You\u2019ll need to:

    ", + "
  • get a new certificate of sponsorship from your second employer
  • ", + "
  • include a letter with your application explaining that you want to change your current permission to stay
  • " + ] + }, + { + "title": "Intra-company visas", + "url": "https://www.gov.uk/intracompany-transfer-worker-visa", + "contents": [ + "

    Overview

    ", + "

    An Intra-company visa allows you to come to or stay in the UK to do an eligible job at your employer\u2019s UK branch.

    ", + "

    If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Types of Intra-company visa

    ", + "

    There are 2 types of Intra-company visa.

    ", + "

    Intra-company Transfer visa

    ", + "

    Apply for this visa if you\u2019re being transferred by your employer to a role in the UK.

    ", + "

    You\u2019ll need to have worked for your employer overseas for more than 12 months, unless they\u2019re going to pay you \u00a373,900 a year or more to work in the UK.

    ", + "

    This visa has replaced the Tier 2 (Intra-company Transfer) Long-term Staff visa.

    ", + "

    Intra-company Graduate Trainee visa

    ", + "

    This visa is for transfers to the UK as part of a graduate training programme for a managerial or specialist role.

    ", + "

    You\u2019ll need to have worked for your employer overseas for at least 3 months immediately before the date you apply.

    ", + "

    This visa has replaced the Tier 2 (Intra-company Transfer) Graduate Trainee visa.

    ", + "

    Eligibility

    ", + "

    To qualify for an Intra-company visa, you must:

    ", + "
  • be an existing employee of an organisation that\u2019s been approved by the Home Office as a sponsor
  • ", + "
  • have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK
  • ", + "
  • do a job that\u2019s on the list of eligible occupations
  • ", + "
  • be paid at least \u00a341,500 for an Intra-company Transfer visa or at least \u00a323,000 for an Intra-company Graduate Trainee visa
  • ", + "

    The specific eligibility requirements depend on your job.

    ", + "

    How long you can stay

    ", + "

    How long you can stay in the UK with an Intra-company visa depends on which visa you\u2019re applying for and how long your employer is sponsoring you for.

    ", + "

    If you\u2019re applying for an Intra-company Transfer visa

    ", + "

    You can stay in the UK with an Intra-company Transfer visa for whichever is shorter of:

    ", + "
  • the time given on your certificate of sponsorship plus 14 days
  • ", + "
  • 5 years
  • ", + "
  • the length of time that takes you to the maximum total stay allowed
  • ", + "

    The maximum total stay allowed for an Intra-company Transfer visa is:

    ", + "
  • 5 years in any 6 year period if you\u2019re paid less than \u00a373,900 a year
  • ", + "
  • 9 years in any 10 year period if you\u2019re paid \u00a373,900 a year or more
  • ", + "

    You can extend your visa or apply for another one up to the maximum total stay. If you have already been in the UK with an Intra-company visa before your application, that time will be included in your total stay.

    ", + "

    If you\u2019re applying for an Intra-company Graduate Trainee visa

    ", + "

    You can stay in the UK with an Intra-company Graduate Trainee visa for whichever is shorter of:

    ", + "
  • the time given on your certificate of sponsorship plus 14 days
  • ", + "
  • 12 months
  • ", + "
  • the length of time that takes you to the maximum total stay allowed
  • ", + "

    You cannot extend your visa, but you can apply for another Intra-company Graduate Trainee visa from outside the UK. You have to have been working for your sponsor outside the UK for at least 3 months immediately before the date you apply.

    ", + "

    The maximum total stay allowed for an Intra-company Graduate Trainee visa is 5 years in any 6 year period. If you have already been in the UK with an Intra-company visa before your application, that time will be included in your total stay.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    You can include your partner and children in your application to stay in the UK if they are eligible.

    ", + "

    How much it costs

    ", + "

    You, your partner or children will each need to:

    ", + "
  • pay the application fee
  • ", + "
  • pay the healthcare surcharge for each year of your stay
  • ", + "
  • prove you have enough personal savings
  • ", + "

    Check how much it costs.

    ", + "

    How long it takes

    ", + "

    You can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • ", + "
  • 8 weeks, if you\u2019re inside the UK
  • ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    What you can and cannot do

    ", + "

    With an Intra-company visa you can:

    ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • study
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "
  • do a second job for up to 20 hours a week that\u2019s either in the same profession and at the same level as your main job or on the Skilled Worker shortage occupation list
  • ", + "
  • do voluntary work
  • ", + "
  • travel abroad and return to the UK
  • ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "
  • change jobs unless you update your visa
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019)
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with an Intra-company visa.

    ", + "

    Eligibility

    ", + "

    To be eligible for an Intra-company visa you need to:

    ", + "
  • have a valid certificate of sponsorship from your employer
  • ", + "
  • have worked for your employer outside the UK - how long you need to have worked for them depends on the visa you\u2019re applying for and your salary
  • ", + "
  • do a job that\u2019s on the list of eligible occupations
  • ", + "
  • be paid the minimum eligible salary required for your job
  • ", + "

    Getting a certificate of sponsorship

    ", + "

    Your employer - also known as your sponsor - will give you a \u2018certificate of sponsorship\u2019 with information about the role you have been offered in the UK. It\u2019s an electronic record, not a paper document.

    ", + "

    You\u2019ll need the reference number from the certificate of sponsorship for your visa application. You must apply for your visa within 3 months of getting your certificate of sponsorship.

    ", + "

    If your employer is not currently licensed to sponsor people to work in the UK, they can apply for a sponsor licence if they\u2019re eligible.

    ", + "

    How long you need to have worked for your employer outside the UK

    ", + "

    You must have worked for your employer outside of the UK. How long you need to have worked for them depends on what visa you\u2019re applying for and how much you\u2019re paid.

    ", + "What visa you\u2019re applying for | How long you need to have worked for your employer outside the UK", + "Intra-company Transfer (earning less than \u00a373,900 a year) | 12 months", + "Intra-company Transfer (earning \u00a373,900 a year or more) | no minimum time", + "Intra-company Graduate Trainee | 3 months", + "

    If you\u2019re applying for an Intra-company Graduate Trainee visa, you must have worked for your employer overseas for the 3 months immediately before the date you apply.

    ", + "

    Check if your job is eligible

    ", + "

    Before you can find out if your job is eligible, you need to know its 4-digit occupation code. You can get this from your employer or your certificate of sponsorship.

    ", + "

    When you know your occupation code, check the table of eligible jobs to see if it\u2019s eligible for your visa type.

    ", + "

    Salary requirements

    ", + "

    If you\u2019re applying for an Intra-company Transfer visa you must be paid at least \u00a341,500 or the \u2018going rate\u2019 for your job - whichever is higher.

    ", + "

    If you\u2019re applying for an Intra-company Graduate Trainee visa you must be paid at least \u00a323,000 or 70% of the \u2018going rate\u2019 for your job - whichever is higher.

    ", + "

    Each occupation code has its own annual going rate. Check the going rate for your job in the going rates table.

    ", + "

    How much it costs

    ", + "

    When you apply for an Intra-company visa, you\u2019ll need to have enough money to:

    ", + "
  • pay the application fee - the standard fee ranges from \u00a3610 to \u00a31,408 depending on your circumstances
  • ", + "
  • pay the healthcare surcharge - this is usually \u00a3624 per year
  • ", + "
  • support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    You\u2019ll be told how much you need to pay when you apply.

    ", + "

    Application fee

    ", + "

    How much you pay to apply for an Intra-company visa depends on the type of visa and where you\u2019re applying from.

    ", + "What you\u2019re applying for | Apply from outside the UK | Extend or switch in the UK", + "Intra-company Transfer (up to 3 years) | \u00a3610 per person | \u00a3704 per person", + "Intra-company Transfer (more than 3 years) | \u00a31,220 per person | \u00a31,408 per person", + "Intra-company Graduate Trainee | \u00a3482 per person | \u00a3482 per person", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge for each year of your stay - this is usually \u00a3624 per year. Check how much you\u2019ll have to pay before you apply.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself when you arrive in the UK.

    ", + "

    You will need to have had the money available for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date you apply.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for 12 months or more
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • your job title and annual salary
  • ", + "
  • your job\u2019s occupation code
  • ", + "
  • the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • ", + "

    Ask your employer for a copy of your certificate of sponsorship if you do not have one.

    ", + "

    If your certificate of sponsorship was issued before 1 December 2020

    ", + "

    Your certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (Intra-company Transfer) Long-term Staff visa and Tier 2 (Intra-company Transfer) Graduate Trainee visa were replaced.

    ", + "

    Ask your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.

    ", + "

    Other documents you might need

    ", + "

    Depending on your circumstances, you might be asked to provide:

    ", + "
  • evidence you\u2019ve worked for your employer outside the UK
  • ", + "
  • details of your training programme if you\u2019re applying for an Intra-company Graduate Trainee visa
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • ", + "

    You\u2019ll need a blank page in your passport for your visa if you need to give your biometric information (fingerprints and a photograph) at a visa application centre. You\u2019ll be told if you need to do this when you apply.

    ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    Evidence you\u2019ve worked for your employer outside the UK

    ", + "

    After you apply you might be asked to show you\u2019ve worked for your employer for a certain amount of time.

    ", + "

    The length of time depends on what visa you\u2019re applying for:

    ", + "
  • Intra-company Transfer earning less than \u00a373,900 a year - 12 months
  • ", + "
  • Intra-company Transfer earning \u00a373,900 a year or more - no minimum time
  • ", + "
  • Intra-company Graduate Trainee - 3 months
  • ", + "

    If you\u2019re asked, you\u2019ll need to show you\u2019ve been paid by your employer over this time period. You can provide:

    ", + "
  • printed payslips
  • ", + "
  • online payslips supported by a letter from your sponsor signed by a senior staff member
  • ", + "
  • bank or building society statements
  • ", + "
  • a building society pass book
  • ", + "

    Apply from outside the UK

    ", + "

    You must apply online for an Intra-company visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the visa application centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest centre (this could be in another country)
  • ", + "

    Apply for an Intra-company visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email with the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date you or they apply for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as a partner
  • ", + "
  • apply online as a child
  • ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document (they\u2019ll also create or sign into their UK Visas and Immigration (UKVI) account)
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    If they do need an appointment:

    ", + "
  • the visa application centre may need to keep their passport and documents while they process their application
  • ", + "
  • they may have to travel to get to their nearest centre (this could be in another country)
  • ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you extend or switch your own visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children will not be able to apply to switch to this visa if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch as a partner
  • ", + "
  • extend or switch as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document (they\u2019ll also create or sign into their UK Visas and Immigration (UKVI) account)
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Intra-company Transfer visa from inside the UK if all of the following are true:

    ", + "
  • you have the same job as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • you\u2019re still working for the employer who gave you your current certificate of sponsorship
  • ", + "
  • you have not reached the maximum total stay
  • ", + "

    You cannot extend an Intra-company Graduate Trainee visa from inside the UK.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    If your job changes

    ", + "

    You\u2019ll need to apply to update your visa instead.

    ", + "

    Fees

    ", + "

    Check how much it costs for your type of visa.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to extend your Intra-company Transfer visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.

    ", + "

    Update your visa if your job changes

    ", + "

    You\u2019ll need to apply to update your Intra-company visa if your job changes to a different occupation code. You must still have the same employer.

    ", + "

    You do not need to apply again if you have an Intra-company Graduate Trainee visa and your job changes as part of your graduate training programme. Your employer will notify UK Visas and Immigration.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Eligibility and documents you\u2019ll need to apply

    ", + "

    Your new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship.

    ", + "

    You\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.

    ", + "

    When to apply to update your visa

    ", + "

    You can apply to update your visa up to 3 months before the start date of your new job.

    ", + "

    You can continue working in your current job while your new application is being considered - as long as you apply before your current visa expires.

    ", + "

    You should not start your new job until you\u2019ve got confirmation of your new permission.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told how to do this when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.

    ", + "

    Apply to update your visa

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.

    ", + "

    Switch to an Intra-company visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to an Intra-company Transfer visa if you\u2019re already in the UK on a different type of visa. You must meet the eligibility requirements

    ", + "

    You cannot switch to an Intra-company Graduate Trainee visa from inside the UK.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Who cannot apply to switch

    ", + "

    You cannot apply to switch to an Intra-company visa if you\u2019re currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because you were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    You must leave the UK and apply for an Intra-company Transfer visa from abroad if you\u2019re in one of these categories.

    ", + "

    Fees

    ", + "

    Check how much it costs.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to switch to an Intra-company Transfer visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.

    " + ] + }, + { + "title": "Minister of Religion visa (T2)", + "url": "https://www.gov.uk/minister-of-religion-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Minister of Religion visa (T2) if:

    ", + "
  • you\u2019ve been offered a job within a faith community (for example as a minister of religion, missionary, or member of a religious order) in the UK
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Getting sponsored

    ", + "

    You need to be employed by a licensed sponsor to apply to live in the UK.

    ", + "

    Your sponsor checks that you can do the job they\u2019re hiring you for and if it qualifies you for a visa. They\u2019ll give you a certificate of sponsorship to prove this.

    ", + "

    They must also give you other information you need when you apply, for example how much you\u2019ll be paid.

    ", + "

    How long it will take

    ", + "

    You can apply for a visa up to 3 months before the day you\u2019re due to start work in the UK. This date is listed on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    How much you pay for a Minister of Religion visa (T2) depends on where you are.

    ", + "Who you\u2019re applying for | Apply outside the UK | Extend or switch in the UK", + "You | \u00a3610 | \u00a3704", + "All dependants | \u00a3610 each person | \u00a3704 each person", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You can come to the UK with a Minister of Religion visa (T2) for a maximum of up to 3 years and 1 month, or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    You can apply to extend your stay.

    ", + "

    You must apply before your visa expires.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job - in certain circumstances
  • ", + "
  • do voluntary work
  • ", + "
  • study as long as it does not interfere with the job you\u2019re sponsored for
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • own more than 10% of your sponsor\u2019s shares (unless you earn more than \u00a3159,600 a year)
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    You need to:

    ", + "
  • have a certificate of sponsorship for your job
  • ", + "
  • prove your knowledge of English
  • ", + "
  • have personal savings so you can support yourself when you arrive in the UK
  • ", + "
  • show you can travel and your travel history over the last 5 years
  • ", + "
  • have tuberculosis test results if you\u2019re from a listed country
  • ", + "

    You need to have an eligible qualification if you\u2019re switching from a Tier 4 visa.

    ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship holds your personal details and information about the job you\u2019ve been offered. It\u2019s an electronic record, not a paper document. Your sponsor will give you a certificate of sponsorship reference number to add to your application.

    ", + "

    You can only use your certificate of sponsorship reference number once. You must use it within 3 months of getting it.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Knowledge of English

    ", + "

    You may need to prove your knowledge of the English language when you apply.

    ", + "

    You can prove your knowledge of English by either:

    ", + "
  • passing an approved English language test with at least CEFR level B2 in reading, writing, speaking and listening
  • ", + "
  • having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelors degree, master\u2019s degree or PhD
  • ", + "

    You may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.

    ", + "

    Exceptions

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    You also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.

    ", + "

    Documents you'll need

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number (your employer will give you this)
  • ", + "
  • proof of your knowledge of English
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • a valid passport or other document that shows your identity and nationality - you need a blank page in your passport for your visa
  • ", + "
  • expired passports or travel documents if you need them to show your travel history
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    See the full list of documents you can provide.

    ", + "

    Read the guidance about the money you\u2019ll need and how to prove it.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Minister of Religion visa (T2).

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your online application, you need to book an appointment at a visa application centre.

    ", + "

    You\u2019ll have your fingerprints and photograph taken at the visa application centre, so you can get a biometric residence permit.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.

    ", + "

    Apply for a Minister of Religion visa (T2)

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    After you apply

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    ", + "

    You\u2019ll get an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Extend your visa

    ", + "

    You may be able to apply to extend your stay in the UK under a Minister of Religion visa (T2).

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You\u2019ll still need to meet the eligibility criteria and provide the right documents.

    ", + "

    You\u2019ll also need a new certificate of sponsorship from your sponsor.

    ", + "

    How long you can stay

    ", + "

    You can extend a Minister of Religion visa (T2) for up to 3 years, or the time given in your certificate of sponsorship plus 14 days, or the time required to take your total stay in the UK to a maximum of 6 years, whichever time is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    Apply to extend your Minister of Religion visa (T2)

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    You\u2019ll usually get a decision:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    If you use the super priority service you\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your circumstances or application are more complicated, for example if:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • you have a criminal conviction
  • ", + "

    Switch to this visa

    ", + "

    You can apply to change (\u2018switch\u2019) from another visa to a Minister of Religion visa (T2).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must meet the Minister of Religion visa (T2) eligibility requirements and must already be in the UK under any of the following visas:

    ", + "
  • Tier 1 visa
  • ", + "
  • Tier 2 (Sportsperson) visa
  • ", + "
  • Tier 2 (General) visa
  • ", + "
  • Tier 2 (Intra-company Transfer) visa under the Immigration Rules in place before 6 April 2010 and you\u2019re applying to change sponsor
  • ", + "
  • Tier 4 visa - if you have an eligible qualification
  • ", + "
  • Start-up visa
  • ", + "
  • Innovator visa
  • ", + "

    You can also switch to this visa if you meet the eligibility requirements and you\u2019re:

    ", + "
  • a dependent partner of someone with a Tier 4 visa
  • ", + "
  • a representative of an overseas business
  • ", + "

    You must leave the UK and make your Minister of Religion visa (T2) application from abroad if you\u2019re not in any of these categories.

    ", + "

    Eligible qualifications for Tier 4 visa

    ", + "

    You must have been sponsored by a licensed sponsor to get one of the following qualifications:

    ", + "
  • a UK bachelors degree
  • ", + "
  • a UK masters degree
  • ", + "
  • a postgraduate certificate in education
  • ", + "
  • a professional graduate diploma of education
  • ", + "

    If you\u2019re a PhD student, you must have also have completed the last 12 months\u2019 study during your most recent stay in the UK. This can be through a licensed sponsor or another visa that allowed you to study.

    ", + "

    How long you can stay

    ", + "

    You can stay up to 3 years after switching to a Minister of Religion visa (T2).

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    Apply to switch to a Minister of Religion visa (T2)

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    You\u2019ll usually get a decision:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    If you use the super priority service you\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAs appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK to extend

    ", + "

    You can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.

    ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend as a partner
  • ", + "
  • extend as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    ", + "

    Taking a second job

    ", + "

    You can take a second job on this visa if you\u2019re working up to 20 hours a week in either:

    ", + "
  • the same profession as your main job
  • ", + "
  • a profession on the Skilled Worker shortage occupation list
  • ", + "

    You can also do unpaid voluntary work.

    ", + "

    Otherwise, you\u2019ll need to apply for a new visa. You\u2019ll need to be sponsored by your second employer and get a new certificate of sponsorship.

    ", + "

    When to apply for a new visa

    ", + "

    You cannot apply for a new visa until you\u2019ve started work with your first sponsor.

    ", + "

    You cannot start work with your second sponsor until your visa application has been approved.

    ", + "

    How to apply

    ", + "

    Read the guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    You must be in the UK to apply.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to provide some documents with your application.

    ", + "

    You must also provide a letter explaining that you want to change your current permission to stay.

    ", + "

    Your letter must state:

    ", + "
  • your name
  • ", + "
  • your date of birth
  • ", + "
  • your current certificate of sponsorship reference number
  • ", + "
  • the date when your current permission to stay runs out
  • " + ] + }, + { + "title": "Sportsperson visa (T2)", + "url": "https://www.gov.uk/sportsperson-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Sportsperson visa (T2) if all of the following apply:

    ", + "
  • you\u2019re an elite sportsperson or qualified coach, who\u2019s recognised by your sport\u2019s governing body as being at the highest level of your profession internationally
  • ", + "
  • your sport\u2019s governing body is endorsing your application
  • ", + "
  • your employment will develop your sport in the UK at the highest level
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Getting sponsored

    ", + "

    Your sponsor is the governing body endorsing your application. They\u2019ll give you a certificate of sponsorship to prove they\u2019re sponsoring you.

    ", + "

    How long it will take

    ", + "

    You can apply for a visa up to 3 months before the day you\u2019re due to start work in the UK. This date is listed on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    How much you pay for a Sportsperson visa (T2) depends on where you are.

    ", + "Who you\u2019re applying for | Apply outside the UK | Extend or switch in the UK", + "You | \u00a3610 | \u00a3704", + "All dependants | \u00a3610 each person | \u00a3704 each person", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You can come to the UK with a Sportsperson visa (T2) for up to 3 years.

    ", + "

    You can apply to extend this visa for up to another 3 years to a maximum stay of 6 years.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job in certain circumstances
  • ", + "
  • play for your national team in the UK
  • ", + "
  • work as a sports broadcaster
  • ", + "
  • do voluntary work
  • ", + "
  • study as long as it does not interfere with the job you\u2019re sponsored for
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • get public funds
  • ", + "
  • start or run a business
  • ", + "
  • apply for a second job until you\u2019ve started working for your sponsor
  • ", + "

    Eligibility

    ", + "

    You need to:

    ", + "
  • have a valid certificate of sponsorship for your job
  • ", + "
  • prove your knowledge of English
  • ", + "
  • have personal savings so you can support yourself when you arrive in the UK
  • ", + "
  • show you can travel and your travel history over the last 5 years
  • ", + "
  • have tuberculosis test results if you\u2019re from a listed country
  • ", + "

    You need to have an eligible qualification if you\u2019re switching from a Tier 4 visa.

    ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship holds your personal details and information about the job you\u2019ve been offered. It\u2019s an electronic record, not a paper document. Your sponsor will give you a certificate of sponsorship reference number to add to your application.

    ", + "

    You can only use your certificate of sponsorship reference number once. You must use it within 3 months of getting it.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Knowledge of English

    ", + "

    You may need to prove your knowledge of the English language when you apply.

    ", + "

    You can prove your knowledge of English by either:

    ", + "
  • passing an approved English language test with at least CEFR level A1 in speaking and listening
  • ", + "
  • having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    You may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.

    ", + "

    Exceptions

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • New Zealand
  • ", + "
  • Malta
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    You also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.

    ", + "

    Documents you'll need

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number (your employer will give you this)
  • ", + "
  • proof of your knowledge of English
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • a valid passport or other document that shows your identity and nationality - you need a blank page in your passport for your visa
  • ", + "
  • expired passports or travel documents if you need them to show your travel history
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • ", + "
  • a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach
  • ", + "

    If your documents are not in English or Welsh you\u2019ll need to provide a certified translation.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    See the full list of documents you can provide.

    ", + "

    Read the guidance about the money you\u2019ll need and how to prove it.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Sportsperson visa (T2).

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your online application, you need to book an appointment at a visa application centre.

    ", + "

    You\u2019ll have your fingerprints and photograph taken at the visa application centre, so you can get a biometric residence permit.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.

    ", + "

    Apply for a Sportsperson visa (T2)

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    After you apply

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    ", + "

    You\u2019ll get an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your stay in the UK under a Sportsperson visa (T2).

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay. They\u2019ll also need to submit a separate application.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must have your endorsement by your sport\u2019s governing body renewed and a new certificate of sponsorship reference number.

    ", + "

    How long you can stay

    ", + "

    You can apply to extend your stay in the UK with a Sportsperson visa (T2) for up to 3 years and 14 days.

    ", + "

    You must leave the UK after this. You can only apply for this visa again if you can show you\u2019ll be paid a gross annual salary of \u00a335,800 or more.

    ", + "

    Fees

    ", + "

    Check the fees for your type of visa.

    ", + "

    Apply to extend your Sportsperson visa (T2)

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    You\u2019ll usually get a decision:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    If you use the super priority service you\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your circumstances or application are more complicated, for example if:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • you have a criminal conviction
  • ", + "

    Switch to this visa

    ", + "

    You can apply to change (\u2018switch\u2019) from another visa to a Sportsperson visa (T2).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must meet the Sportsperson visa (T2) eligibility requirements and you must already be in the UK under any of the following visas or schemes:

    ", + "
  • Tier 1 visa
  • ", + "
  • Tier 2 (General) visa
  • ", + "
  • Tier 2 (Minister of Religion) visa
  • ", + "
  • Tier 2 (Intra-company Transfer) visa under the Immigration Rules in place before 6 April 2010 and you\u2019re applying to change sponsor
  • ", + "
  • Tier 4 visa - if you have an eligible qualification or you\u2019ve done at least 12 months of a PhD
  • ", + "
  • Start-up visa
  • ", + "
  • Innovator visa
  • ", + "

    You can also switch to this visa if you meet the eligibility requirements and you\u2019re a:

    ", + "
  • dependent partner of someone with a Tier 4 visa
  • ", + "
  • representative of an overseas business
  • ", + "

    You must leave the UK and make your Sportsperson visa (T2) application from abroad if you\u2019re not in any of these categories.

    ", + "

    Eligible qualifications for Tier 4 visa

    ", + "

    You must have been sponsored by a licensed sponsor to get one of the following qualifications:

    ", + "
  • a UK bachelors degree
  • ", + "
  • a UK masters degree
  • ", + "
  • a postgraduate certificate in education
  • ", + "
  • a professional graduate diploma of education
  • ", + "

    PhD students

    ", + "

    You must have completed at least 12 months\u2019 study during your most recent stay in the UK. This can be through a licensed sponsor or another visa that allowed you to study.

    ", + "

    How long you can stay

    ", + "

    You can apply to extend your stay in the UK with a Sportsperson visa (T2) for up to 3 years and 14 days.

    ", + "

    You must leave the UK after this. You can only apply for this visa again if you can show you\u2019ll be paid a gross annual salary of \u00a335,800 or more.

    ", + "

    Fees

    ", + "

    Check the fees for your type of visa.

    ", + "

    Apply to switch to a Sportsperson visa (T2)

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    You\u2019ll usually get a decision:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    If you use the super priority service you\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be told if it will take longer, for example if:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • your application is complex because of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK to extend

    ", + "

    You can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.

    ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend as a partner
  • ", + "
  • extend as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    ", + "

    Taking a second job

    ", + "

    You can take a second job on this visa if you\u2019re working up to 20 hours a week in either:

    ", + "
  • the same profession as your main job
  • ", + "
  • a profession on the Skilled Worker shortage occupation list
  • ", + "

    You can also do unpaid voluntary work.

    ", + "

    Otherwise, you\u2019ll need to apply for a new visa. You\u2019ll need to be sponsored by your second employer and get a new certificate of sponsorship.

    ", + "

    When to apply for a new visa

    ", + "

    You cannot apply for a new visa until you\u2019ve started work with your first sponsor.

    ", + "

    You cannot start work with your second sponsor until your visa application has been approved.

    ", + "

    How to apply

    ", + "

    Read the guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    You must be in the UK to apply.

    ", + "

    Documents you\u2019ll need to provide

    ", + "

    You need to provide some documents with your application.

    ", + "

    You must also provide a letter explaining that you want to change your current permission to stay.

    ", + "

    Your letter must state:

    ", + "
  • your name
  • ", + "
  • your date of birth
  • ", + "
  • your current certificate of sponsorship reference number
  • ", + "
  • the date when your current permission to stay runs out
  • " + ] + }, + { + "title": "Temporary Worker - Charity Worker visa (T5)", + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Temporary Worker - Charity Worker visa (T5) if:

    ", + "
  • you want to do unpaid voluntary work for a charity
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    This visa has replaced the Tier 5 (Temporary Worker - Charity Worker) visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Sponsorship

    ", + "

    You must have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.

    ", + "

    The work you do in the UK must relate to the work of your sponsor organisation.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    The application fee for each person applying is \u00a3244.

    ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the the next working day after your UK Visa and Citizenship Application Services (UKVCAS) appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    How long you can stay

    ", + "

    You can stay for up to 12 months or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    You can enter the UK up to 14 days before the start date of your job.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate
  • ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job in the same sector at the same level as your main job for up to 20 hours per week
  • ", + "
  • do a job on the Skilled Worker shortage occupation list for up to 20 hours per week
  • ", + "
  • bring your partner and children with you, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • receive any payment for work
  • ", + "
  • take a permanent job
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    To be eligible for a Temporary Worker - Charity Worker visa (T5) you need:

    ", + "
  • a certificate of sponsorship reference number from your UK sponsor
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship is a unique reference number that holds information about the job you will do and your personal details. It is not a certificate or paper document.

    ", + "

    Your sponsor will give you the certificate of sponsorship.

    ", + "

    Your sponsor must also give you the information they used on your certificate about your job, for example your working hours.

    ", + "

    Your sponsor must be recognised by the UK government to issue certificates of sponsorship.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it is assigned to you.

    ", + "

    Multiple entry

    ", + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guidance on documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the full guidance before you apply.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK

    ", + "

    You can only extend your existing visa if you\u2019re already in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Temporary Worker - Charity Worker visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must continue to meet the eligibility rules.

    ", + "

    You must be in the UK to extend your visa.

    ", + "

    How long you can stay

    ", + "

    You can apply to take your stay in the UK up to a maximum of 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for this visa.

    ", + "

    How to extend your visa

    ", + "

    You should read the full guidance before you apply.

    ", + "

    You can apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK to extend

    ", + "

    You can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.

    ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend as a partner
  • ", + "
  • extend as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + { + "title": "Temporary Worker - Creative and Sporting visa (T5)", + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "contents": [ + "

    Overview

    ", + "

    You must apply for a Temporary Worker - Creative and Sporting visa (T5) if:

    ", + "
  • you\u2019ve been offered work in the UK as a sports person or creative worker
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    A creative worker is someone who works in the creative industry, for example an actor, dancer, musician or film crew member.

    ", + "

    This visa has replaced the Tier 5 (Temporary Worker - Creative and Sporting) visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Sponsorship

    ", + "

    You need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.

    ", + "

    The work you do in the UK must relate to the work of your sponsor organisation.

    ", + "

    How long it takes

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    The application fee for each person applying is \u00a3244.

    ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You can come to the UK for a maximum of up to 12 months, or the time given in your certificate of sponsorship plus up to 28 days, whichever is shorter.

    ", + "

    You may be able to extend your visa.

    ", + "

    Your stay must start no more than 14 days before the start date on your certificate of sponsorship.

    ", + "

    If you intend to work in the UK for 3 months or less, you may be able to use the Temporary Worker - Creative and Sporting visa (T5) concession instead of applying for the visa.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job in the same sector and at the same level as your main job for up to 20 hours per week
  • ", + "
  • do a job on the Skilled Worker shortage occupation list for up to 20 hours per week
  • ", + "
  • work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition
  • ", + "
  • work as a sports broadcaster
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • get public funds
  • ", + "
  • start your own business
  • ", + "

    Eligibility

    ", + "

    Your eligibility for a Temporary Worker - Creative and Sporting visa (T5) depends on whether you\u2019re a sports person or a creative worker.

    ", + "

    Sports person

    ", + "

    You need to make a significant contribution to your sport at the highest level in the UK to be eligible for this visa.

    ", + "

    You\u2019ll also need all of the following:

    ", + "
  • a certificate of sponsorship reference number
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Creative worker

    ", + "

    You need all of the following to be eligible for the creative category:

    ", + "
  • make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity
  • ", + "
  • certificate of sponsorship reference number
  • ", + "
  • be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Certificate of sponsorship

    ", + "

    You need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.

    ", + "

    A certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.

    ", + "

    Your sponsor will give you your certificate of sponsorship reference number.

    ", + "

    They must also give you some other information to help you to apply, for example how much you\u2019ll be paid.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it is assigned to you.

    ", + "

    Changing your sponsor

    ", + "

    You must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.

    ", + "

    Changing your sponsor does not change how long you can stay in the UK. You can only stay the maximum length of time allowed by this visa.

    ", + "

    Multiple entry

    ", + "

    Your sponsor needs to give you a multiple entry certificate of sponsorship if you need to leave and come back to the UK as part of the job you\u2019re doing.

    ", + "

    Multiple jobs when you\u2019re a creative worker

    ", + "

    Your sponsor can give you a certificate that covers the entire length of your stay, even if you need to perform at more than one engagement. If you\u2019re working for more than one sponsor, you can get a certificate from each sponsor.

    ", + "

    There cannot be a gap of more than 14 days between each job. If you leave the UK and come back, your time away will not count towards those 14 days.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply, you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guide for a full list of documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the full guidance before you apply.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK

    ", + "

    You can only extend your existing visa or switch to this visa if you\u2019re already in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Temporary Worker - Creative and Sporting visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    You cannot extend your stay if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.

    ", + "

    Eligibility

    ", + "

    You must continue to meet the eligibility rules.

    ", + "

    You must be in the UK to extend your visa.

    ", + "

    How long you can stay

    ", + "

    Creative worker

    ", + "

    You can extend your visa for whichever is the shortest of:

    ", + "
  • up to 12 months
  • ", + "
  • the time on your certificate of sponsorship plus 14 days
  • ", + "
  • the time needed to extend your stay to the maximum of 24 months
  • ", + "

    You must stay with the same sponsor.

    ", + "

    Sports person

    ", + "

    You can extend your visa up to 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for this visa.

    ", + "

    How to extend your visa

    ", + "

    You should read the full guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Switch to this visa

    ", + "

    You can switch to a Temporary Worker - Creative and Sporting visa (T5) if you\u2019re in the UK on a Standard Visitor visa and your sponsor gave you a certificate of sponsorship for this visa before you came to the UK.

    ", + "

    You should apply before your current visa expires.

    ", + "

    You cannot switch to this visa if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.

    ", + "

    How long you can stay

    ", + "

    You can stay for a maximum of up to 12 months after switching to a Temporary Worker - Creative and Sporting visa (T5).

    ", + "

    Fees

    ", + "

    Check the fees for this visa.

    ", + "

    How to switch to this visa

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    You can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch as a partner
  • ", + "
  • extend or switch as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    Temporary Worker - Creative and Sporting visa (T5) concession

    ", + "

    You can enter the UK without applying for a visa in advance if you:

    ", + "
  • have a valid Temporary Worker - Creative and Sporting visa (T5) certificate of sponsorship
  • ", + "
  • are coming to work in the UK for 3 months or less
  • ", + "
  • do not normally need a visa to enter the UK as a visitor
  • ", + "

    You must still meet the Temporary Worker - Creative and Sporting visa (T5) eligibility criteria.

    ", + "

    You will not be able to extend your stay while you are in the UK, or switch to another temporary worker visa or a Skilled Worker visa.

    ", + "

    Your partner and children can travel with you if they also do not normally need a visa to enter the UK as a visitor.

    ", + "

    When you arrive in the UK

    ", + "

    You must see an immigration officer when you arrive in the UK - do not use the automatic ePassport gates. The officer will check:

    ", + "
  • your certificate of sponsorship is valid
  • ", + "
  • you have enough money to support yourself
  • ", + "

    You will not be allowed to work if you use an automatic ePassport gate. You must see an immigration officer.

    ", + "

    If you enter the UK from Ireland

    ", + "

    If you\u2019re travelling to the UK from Ireland using the Temporary Worker - Creative and Sporting visa (T5) concession, you must apply for remote clearance at least 72 hours before you arrive in the UK.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job in the same sector and at the same level as your main job for up to 20 hours per week
  • ", + "
  • do a job on the Skilled Worker shortage occupation list for up to 20 hours per week
  • ", + "
  • work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition
  • ", + "
  • work as a sports broadcaster
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • get public funds
  • ", + "
  • start your own business
  • ", + "
  • extend your stay or switch to another visa
  • " + ] + }, + { + "title": "Temporary Worker - Government Authorised Exchange visa (T5)", + "url": "https://www.gov.uk/government-authorised-exchange", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Temporary Worker - Government Authorised Exchange visa (T5) if you:

    ", + "
  • want to come to the UK for a short time for work experience or to do training, an Overseas Government Language Programme, research or a fellowship through an approved government authorised exchange scheme
  • ", + "
  • have a sponsor
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    This visa has replaced the Tier 5 (Temporary Worker - Government Authorised Exchange) visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Sponsorship

    ", + "

    You need to have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.

    ", + "

    Your work, training or research in the UK must relate to the work of your sponsor organisation.

    ", + "

    Your sponsor can be any of the following:

    ", + "
  • an organisation running an approved exchange scheme
  • ", + "
  • a higher education institution (if you are a sponsored researcher, visiting academic or examiner)
  • ", + "
  • a government department or agency
  • ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    The application fee for each person applying is \u00a3244.

    ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    You can enter the UK up to 14 days before the start date of your job.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • ", + "
  • work in the job described in your certificate of sponsorship
  • ", + "
  • do a second job for up to 20 hours per week
  • ", + "
  • do a job on the Skilled Worker shortage occupation list for up to 20 hours per week as well as your main job
  • ", + "
  • apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re in the government authorised exchange scheme for sponsored researchers
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • take a permanent job
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    You must have both of the following:

    ", + "
  • a certificate of sponsorship reference number from your UK sponsor
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.

    ", + "

    Your sponsor will give you your certificate of sponsorship reference number.

    ", + "

    They must also give you some other information to help you to apply, for example your working hours.

    ", + "

    You\u2019ll need to add your certificate of sponsorship reference number to your application form - you can only use it once.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it is assigned to you.

    ", + "

    Multiple entry

    ", + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You must also provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guide for a full list of documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the full guidance before you apply.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK

    ", + "

    You can only extend your existing visa or switch to this visa if you\u2019re already in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Temporary worker - Government Authorised Exchange visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You might be able to extend your stay. You must still meet the eligibility requirements.

    ", + "

    You must apply while you\u2019re still in the UK.

    ", + "

    How long you can stay

    ", + "

    You can apply to stay in the UK for up to a maximum of:

    ", + "
  • 12 months, if you\u2019re doing work experience
  • ", + "
  • 24 months, if you\u2019re doing research, training or an Overseas Government Language Programme
  • ", + "

    You can also stay for the length of time on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    How to extend your visa

    ", + "

    You should read the full guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    Changing your sponsor

    ", + "

    You must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.

    ", + "

    Switch to this visa

    ", + "

    You can apply to change (\u2018switch\u2019) to a Temporary Worker - Government Authorised Exchange visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You can apply if you\u2019re a:

    ", + "
  • student, whether studying, resitting an examination or writing a thesis
  • ", + "
  • student union sabbatical officer
  • ", + "
  • student nurse
  • ", + "
  • postgraduate doctor or dentist
  • ", + "
  • student visa holder (including Tier 4)
  • ", + "
  • sponsored researcher who came to the UK on a work permit and you want to continue in the same job with your sponsor
  • ", + "

    You must have completed a UK bachelor\u2019s or master\u2019s degree during your last grant of leave.

    ", + "

    You must also meet the other eligibility requirements.

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    How to switch your visa

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    You can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch as a partner
  • ", + "
  • extend or switch as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + { + "title": "Temporary Worker \u2013 International Agreement Worker visa (T5)", + "url": "https://www.gov.uk/international-agreement-worker-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Temporary Worker - International Agreement Worker visa (T5) if you\u2019ll be contracted to do work covered by international law or treaty while in the UK. For example if you\u2019ll be:

    ", + "
  • working for a foreign government
  • ", + "
  • working as a private servant in a diplomatic household
  • ", + "
  • providing a service under contract as a contractual service supplier or independent professional
  • ", + "

    You must also meet the other eligibility requirements.

    ", + "

    This visa has replaced the Tier 5 (Temporary Worker - International Agreement) visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Sponsorship

    ", + "

    You need to be sponsored (have a certificate of sponsorship from a licensed employer) before you can apply to come to the UK.

    ", + "

    The work you do in the UK must relate to the work of your sponsor organisation.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    The application fee for each person applying is \u00a3244.

    ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    If you\u2019re working for a foreign government or as a private servant in a diplomatic household you can stay for 2 years, or the time given on your certificate of sponsorship plus up to 28 days, whichever is shorter.

    ", + "

    Providing a service under contract

    ", + "

    You can stay for 6 months in any 12 month period, or the time given on your certificate of sponsorship plus 14 days, whichever is shorter if you are providing a service under contract:

    ", + "
  • in a relevant sector as set out in the General Agreement on Trade in Services (GATS)
  • ", + "
  • in another services trade agreement under which the United Kingdom has similar commitments
  • ", + "

    You can stay longer if your work is covered by one of the following agreements:

    ", + "
  • UK-EU Trade and Cooperation Agreement - 12 months or the time given on your certificate of sponsorship plus up to 14 days, whichever is shorter
  • ", + "
  • Temporary agreement between the Swiss Confederation (Switzerland) and the UK on services mobility - 12 months in any 24 month period or the time given on your certificate of sponsorship plus up to 14 days, whichever is shorter
  • ", + "

    When you can enter and leave

    ", + "

    You can enter the UK 14 days before the start date on your certificate of sponsorship.

    ", + "

    You may be asked to leave the UK within 60 days if your job finishes early. It\u2019s unlikely you\u2019ll have to leave if your visa has less than 60 days remaining.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate
  • ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job on the Skilled Worker shortage occupation list or one in the same sector as your main job for up to 20 hours per week (unless you are a private servant, a contractual service supplier or an independent professional)
  • ", + "
  • study, as long as it does not interfere with the job you\u2019re sponsored for
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • get public funds
  • ", + "
  • start working before you get your visa
  • ", + "

    Eligibility

    ", + "

    You can apply for a Temporary Worker - International Agreement Worker visa (T5) if you have:

    ", + "
  • a certificate of sponsorship reference number
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Work covered by international law

    ", + "

    Your work in the UK must be any of the following:

    ", + "
  • covered by the General Agreement on Trade in Services (GATS)
  • ", + "
  • covered by similar agreements between the UK and other countries
  • ", + "
  • for an overseas government or international organisation
  • ", + "
  • as a private servant in a diplomatic household or in the household of an employee of an international organisation
  • ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship is a unique reference number that holds information about you and your job. It\u2019s not an actual certificate or paper document.

    ", + "

    Your sponsor will give you the certificate of sponsorship.

    ", + "

    Your sponsor will also give you the information they used on your certificate about your job, your working hours for example.

    ", + "

    Your sponsor must be recognised by the UK government to issue certificates of sponsorship.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it is assigned to you.

    ", + "

    Multiple entry

    ", + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guide for a full list of documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the full guidance before you apply.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK

    ", + "

    You can only extend your existing visa or switch to this visa if you\u2019re already in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Temporary Worker - International Agreement Worker visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must be in the UK to extend your visa.

    ", + "

    You must continue to meet the eligibility rules.

    ", + "

    How long you can stay

    ", + "

    You can apply to extend your visa for up to 2 years at a time up to a total maximum stay of 6 years if you are working:

    ", + "
  • for a foreign government
  • ", + "
  • as a private servant in a diplomatic household and applied for your visa before 5 April 2012
  • ", + "

    If you\u2019re working as a private servant in a diplomatic household and applied for your visa on or after 5 April 2012 your total maximum stay can only be 5 years or until the last date of your employer\u2019s posting, whichever is shorter.

    ", + "

    If you\u2019re a contractual service supplier or independent professional you can only stay in the UK for a maximum of:

    ", + "
  • 12 months if providing a service under the UK-EU Trade and Cooperation Agreement
  • ", + "
  • 12 months in any 24 month period if providing a service under the Temporary agreement between the Swiss Confederation (Switzerland) and the UK on services mobility
  • ", + "
  • 6 months in any 12 month period in all other cases
  • ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    How to extend your visa

    ", + "

    Read the full guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Switch to this visa

    ", + "

    You can apply to switch into a Temporary Worker - International Agreement Worker visa (T5) while you are in the UK if you want to continue working for your current employer and you:

    ", + "
  • have a work permit
  • ", + "
  • work for an overseas government or international organisation
  • ", + "

    You should apply before your current visa expires.

    ", + "

    How long you can stay

    ", + "

    You can stay for 2 years or the time given on your certificate of sponsorship plus up to 28 days, whichever is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    How to switch your visa

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    You can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch as a partner
  • ", + "
  • extend or switch as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + { + "title": "Temporary Worker - Religious Worker visa (T5)", + "url": "https://www.gov.uk/religious-worker-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Temporary Worker - Religious Worker visa (T5) if:

    ", + "
  • you want to do religious work in a non-pastoral role or religious order
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    This visa has replaced the Tier 5 (Temporary Worker - Religious Worker) visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Sponsorship

    ", + "

    You must have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.

    ", + "

    The work you do in the UK must relate to your sponsor organisation\u2019s work.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    The application fee for each person applying is \u00a3244.

    ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you are applying to extend from inside the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You\u2019ll be given a visa to live and work in the UK for up to 24 months, or up to 28 days more than the time on your certificate of sponsorship. You may be sponsored for a shorter period.

    ", + "

    You can enter the UK up to 14 days before the start date of your job.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate
  • ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job in the same sector at the same level as your main job for up to 20 hours per week outside the hours of your main job
  • ", + "
  • do a job on the Skilled Worker shortage occupation list for up to 20 hours per week outside the hours of your main job
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot get public funds.

    ", + "

    Eligibility

    ", + "

    You must have both of the following:

    ", + "
  • a certificate of sponsorship reference number from your UK sponsor
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship is a unique reference number that holds information about the job you\u2019ll do and your personal details. It\u2019s not an actual certificate or paper document.

    ", + "

    Your sponsor will give you the certificate of sponsorship.

    ", + "

    Your sponsor must also give you the information they used on your certificate about your job, for example your working hours.

    ", + "

    Your sponsor must be recognised by the UK government to issue certificates of sponsorship.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it is assigned to you.

    ", + "

    Multiple entry

    ", + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Read the guide for a full list of documents you can provide.

    ", + "

    Apply

    ", + "

    Read the full guidance before you apply.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK

    ", + "

    You can only extend your existing visa if you\u2019re already in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Temporary Worker - Religious Worker visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must continue to meet the eligibility rules.

    ", + "

    You must apply again if you want to change your job within the same organisation or move to a new organisation.

    ", + "

    How long you can stay

    ", + "

    You can apply to take your stay in the UK up to a maximum of 24 months, or the time on your certificate of sponsorship plus 14 days - whichever is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    How to extend your visa

    ", + "

    You should read the full guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK to extend

    ", + "

    You can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.

    ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend as a partner
  • ", + "
  • extend as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + { + "title": "Temporary Worker - Seasonal Worker visa (T5)", + "url": "https://www.gov.uk/seasonal-worker-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Seasonal Worker visa (T5) if you want to come to the UK for up to 6 months to do farm work. You\u2019ll need to:

    ", + "
  • have a sponsor
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    This visa has replaced the Tier 5 Seasonal Worker visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Fee

    ", + "

    The visa costs \u00a3244.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for up to 6 months.

    ", + "

    You can enter the UK as soon as your visa is valid (up to 14 days before the start date of your job).

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work in the job described in your certificate of sponsorship
  • ", + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • ", + "

    You cannot:

    ", + "
  • take a permanent job
  • ", + "
  • work in a second job or a job that isn\u2019t described in your certificate of sponsorship
  • ", + "
  • get public funds
  • ", + "
  • bring family members with you
  • ", + "

    Eligibility

    ", + "

    You must be 18 or over when you apply and have both of the following:

    ", + "
  • a certificate of sponsorship reference number from your UK sponsor
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.

    ", + "

    Your sponsor will give you your certificate of sponsorship reference number.

    ", + "

    You\u2019ll need to add your certificate of sponsorship reference number to your visa application form - you can only use it once.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it\u2019s assigned to you.

    ", + "

    Multiple entry

    ", + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless your sponsor can cover your costs during your first month in the UK, up to \u00a31,270.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your sponsor can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your sponsor will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your sponsor will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your sponsor can support you)
  • ", + "

    You need a blank page in your passport for your visa. If you have another type of travel document (for example, a stateless person\u2019s travel document) it must have space for your visa.

    ", + "

    You must also provide a certified translation of any documents that are not in English or Welsh, apart from your passport.

    ", + "

    The Home Office might ask you to provide additional documents after you apply.

    ", + "

    Apply

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre as part of your application.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    If you have a child while you\u2019re in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    " + ] + }, + { + "title": "Youth Mobility Scheme visa (T5)", + "url": "https://www.gov.uk/youth-mobility", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Youth Mobility Scheme visa (T5) if you:

    ", + "
  • want to live and work in the UK for up to 2 years
  • ", + "
  • are aged 18 to 30
  • ", + "
  • have \u00a32,530 in savings
  • ", + "
  • have certain types of British Nationality or are from certain countries or territories
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    This visa has replaced the Tier 5 (Youth Mobility Scheme) visa.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 6 months before you travel.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Fees

    ", + "

    It costs \u00a3244 to apply.

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    How long you can stay

    ", + "

    You\u2019ll be given a visa to live and work in the UK for up to 24 months.

    ", + "

    You can enter the UK at any time while your visa is valid, and leave and come back at any time during your stay.

    ", + "

    If you turn 31 while you\u2019re in the UK, you can stay for as long as your visa is valid.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate
  • ", + "
  • work in most jobs
  • ", + "
  • be self-employed and set up a company - as long as your premises are rented, your equipment is not worth more than \u00a35,000 and you do not have any employees
  • ", + "

    You cannot:

    ", + "
  • work as a professional sportsperson (for example as a coach)
  • ", + "
  • extend your stay
  • ", + "
  • get public funds
  • ", + "
  • bring in family members on your application - they must apply separately
  • ", + "

    Eligibility

    ", + "

    You can apply for a Youth Mobility Scheme visa (T5) if you\u2019re aged 18 to 30 and you\u2019re from:

    ", + "
  • Australia
  • ", + "
  • Canada
  • ", + "
  • Monaco
  • ", + "
  • New Zealand
  • ", + "
  • San Marino
  • ", + "

    You must be selected in the Youth Mobility Scheme ballot before you can apply for your visa if you\u2019re from:

    ", + "
  • Hong Kong
  • ", + "
  • Japan
  • ", + "
  • South Korea
  • ", + "
  • Taiwan
  • ", + "

    You must also be aged 18 to 30 on the date you apply for your visa.

    ", + "

    You can also apply if you\u2019re 18 to 30 and a:

    ", + "
  • British overseas citizen
  • ", + "
  • British overseas territories citizen
  • ", + "
  • British national (overseas)
  • ", + "

    You cannot apply if you have:

    ", + "
  • children under the age of 18 who live with you
  • ", + "
  • children you\u2019re financially responsible for
  • ", + "
  • already been in the UK under the scheme
  • ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a32,530 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll need to show proof of this when you apply.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • a bank statement showing you have at least \u00a32,530 in savings
  • ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guide for a full list of documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the Youth Mobility Scheme guidance before you apply.

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re from Hong Kong, Japan, South Korea or Taiwan, you must be successfully selected in the Youth Mobility Scheme ballot before you can apply for your visa.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    If you have a child while you\u2019re in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    " + ] + }, + { + "title": "Innovator visa", + "url": "https://www.gov.uk/innovator-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for an Innovator visa if:

    ", + "
  • you want to set up and run an innovative business in the UK - it must be something that\u2019s different from anything else on the market
  • ", + "
  • your business or business idea has been endorsed by an approved body, also known as an endorsing body
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Eligibility

    ", + "

    You must be able to show that your business idea is:

    ", + "
  • new - you cannot join a business that is already trading
  • ", + "
  • innovative - you must have an original business idea which is different from anything else on the market
  • ", + "
  • viable, with potential for growth
  • ", + "

    Knowledge of English

    ", + "

    You must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.

    ", + "

    If you\u2019re not eligible for an Innovator visa

    ", + "

    You may be eligible for another type of visa to work in the UK.

    ", + "

    How long you can stay

    ", + "

    You can stay for 3 years if you either:

    ", + "
  • come to the UK on an Innovator visa
  • ", + "
  • switch to this visa from another visa while in the UK
  • ", + "

    If you want to stay longer in the UK

    ", + "

    You can apply to extend your stay for another 3 years when your visa is due to expire. There\u2019s no limit on the number of times you can extend.

    ", + "

    You may be able to apply for settlement once you\u2019ve been in the UK for 3 years.

    ", + "

    If your endorsement is withdrawn

    ", + "

    Your visa may be cut short if your endorsement is withdrawn by the endorsing body. If you want to stay longer, you must re-apply with a new endorsement before your current visa expires.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    You can include your partner and children in your application to stay in the UK if they are eligible.

    ", + "

    How long it takes

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • ", + "
  • 8 weeks, if you\u2019re inside the UK
  • ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    Fees

    ", + "

    How much you pay for an Innovator visa depends on your situation and where you apply from.

    ", + "Who you\u2019re applying for | Apply (outside the UK) | Extend or switch (in the UK)", + "You | \u00a31,021 | \u00a31,277", + "Your partner and children | \u00a31,021 each person | \u00a31,277 each person", + "

    You must pay the visa fee for each person that applies at the same time as you or applies later to join you in the UK.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    What you can and cannot do

    ", + "

    With an Innovator visa you can:

    ", + "
  • set up a business or several businesses
  • ", + "
  • work for your business - this includes being employed as a director, or self-employed as a member of a business partnership
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 3 years and meet the other eligibility requirements
  • ", + "

    You cannot:

    ", + "
  • do any work outside your business, for example work where you\u2019re employed by another business
  • ", + "
  • work as a professional sportsperson, for example a sports coach
  • ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with an Innovator visa.

    ", + "

    Eligibility

    ", + "

    Before you apply you need to have your business or business idea assessed by an endorsing body.

    ", + "

    They will provide you with an endorsement letter if your business is eligible.

    ", + "

    You must also:

    ", + "
  • meet the English language requirement
  • ", + "
  • be at least 18 years old
  • ", + "
  • be able to prove that you have enough personal savings to support yourself while you\u2019re in the UK
  • ", + "

    Read the specific requirements for the Innovator visa before you apply.

    ", + "

    If you want to set up a new business

    ", + "

    You must have at least \u00a350,000 in investment funds to apply for an Innovator visa if you want to set up a new business.

    ", + "

    You\u2019ll need to prove where you got your funding from.

    ", + "

    You do not need any investment funds if either:

    ", + "
  • your business is already established and has been endorsed for an earlier visa
  • ", + "
  • you\u2019ve changed your business and already agreed it with your endorsing body
  • ", + "

    Supporting yourself

    ", + "

    You need to have had at least \u00a31,270 in your bank account for 28 consecutive days before you either:

    ", + "
  • apply for an Innovator visa
  • ", + "
  • apply to extend your Innovator visa or switch to an Innovator visa if you\u2019ve been in the UK for less than a year
  • ", + "

    You cannot use either of the following to support yourself:

    ", + "
  • money from your investment funds
  • ", + "
  • money earned while working in the UK illegally
  • ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    Sharing investment funds

    ", + "

    You can form a team with other Innovator applicants, but you cannot share the same investment funds.

    ", + "

    Your team must have \u00a350,000 for each Innovator applicant. For example, if you have 2 Innovator applicants, your team must have \u00a3100,000 to invest.

    ", + "

    Knowledge of English

    ", + "

    You\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.

    ", + "

    Level of English

    ", + "

    You must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • passing a Secure English Language Test (SELT) from an approved provider
  • ", + "
  • having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English gained through study at a UK school that you began when you were under 18
  • ", + "
  • having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    Documents you\u2019ll need to apply

    ", + "

    When you apply you need to provide an \u2018endorsement letter\u2019 to show that an endorsing body has assessed your business or business idea.

    ", + "

    You also need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • bank statements showing you\u2019ve had at least \u00a31,270 in savings in your bank account for 28 consecutive days before you apply
  • ", + "
  • proof that you meet the English language requirement
  • ", + "
  • evidence of your investment funds (if you\u2019re setting up a new business)
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    You\u2019ll need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for an Innovator visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply for an Innovator visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must each have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    In addition to the \u00a31,270 you must have to support yourself, you - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You\u2019ll need to have had the money in your bank account or your dependant\u2019s bank account for at least 28 days before you or they apply.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless you or they are applying from inside the UK and you\u2019ve been here for 1 year or more.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as a partner
  • ", + "
  • apply online as a child
  • ", + "

    Each family member will need to complete a separate application and pay the visa fee). They must apply before they travel to the UK.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre. This is to get a biometric residence permit, which they\u2019ll need to collect within 10 days of when they said they\u2019d arrive in the UK.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children will not be able to apply to switch to an Innovator visa if they are currently in the UK in one of the following circumstances:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and child must apply online to either:

    ", + "
  • extend or switch to an Innovator visa as your partner
  • ", + "
  • extend or switch to an Innovator visa as your child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    Getting a faster decision

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    Extend your visa

    ", + "

    You can usually apply to extend an Innovator visa if both of the following apply:

    ", + "
  • you meet the eligibility requirements
  • ", + "
  • you\u2019re still running a business in the UK or want to set up a new one
  • ", + "

    Your partner or children will need to apply separately.

    ", + "

    You should apply before your current visa expires.

    ", + "

    You must have \u00a350,000 in investment funds if you want to set up a new business. You do not need funds if either:

    ", + "
  • your business is already established and has been endorsed for an earlier visa
  • ", + "
  • you\u2019ve changed your business and already agreed it with your endorsing body
  • ", + "

    You need to have your business or business idea assessed by an endorsing body when you extend your visa.

    ", + "

    Fees

    ", + "

    Check how much money you\u2019ll need to extend your visa and support yourself while you\u2019re in the UK.

    ", + "

    In addition to the application fee, you may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a\nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply in the UK

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Apply outside the UK

    ", + "

    You can apply online to extend an Innovator visa you\u2019ve had in the last year.

    ", + "

    You may also be able to apply at a visa application centre. You can apply from any country as long as you\u2019ve been given permission to live there for at least 6 months. Check if there\u2019s a visa application centre that you can travel to that accepts Innovator visa applications.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Switch to this visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to an Innovator visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You can apply to switch to this visa if you meet the eligibility requirements.

    ", + "

    Who cannot apply to switch to this visa

    ", + "

    You cannot switch to this visa if you have one of the following:

    ", + "
  • a visit visa
  • ", + "
  • a short-term student visa
  • ", + "
  • a Parent of a Child Student visa
  • ", + "
  • a seasonal worker visa
  • ", + "
  • a domestic worker in a private household visa
  • ", + "
  • immigration bail
  • ", + "
  • permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How long you can stay

    ", + "

    You can stay for 3 years after switching to an Innovator visa.

    ", + "

    There\u2019s no limit on the number of times you can extend your visa.

    ", + "

    How much it costs

    ", + "

    Check the visa application fees.

    ", + "

    If you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply to switch to an Innovator visa

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    " + ] + }, + { + "title": "Start-up visa", + "url": "https://www.gov.uk/start-up-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Start-up visa if:

    ", + "
  • you want to set up an innovative business in the UK - it must be something that\u2019s different from anything else on the market
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Eligibility

    ", + "

    You must be endorsed by an authorised body that is either:

    ", + "
  • a UK higher education institution
  • ", + "
  • a business organisation with a history of supporting UK entrepreneurs
  • ", + "

    You must be able to show that your business idea is:

    ", + "
  • a new idea - you cannot join in a business that is already trading
  • ", + "
  • innovative - you must have an original business idea which is different from anything else on the market
  • ", + "
  • viable - it has potential for growth
  • ", + "

    If you\u2019re not eligible for a Start-up visa

    ", + "

    You may be eligible for another type of visa to work in the UK.

    ", + "

    How long you can stay

    ", + "

    You can stay for 2 years if you either:

    ", + "
  • come to the UK on a Start-up visa
  • ", + "
  • switch to this visa from another visa while in the UK
  • ", + "

    If you want to stay longer in the UK

    ", + "

    You cannot apply to extend this visa.

    ", + "

    You may be able to switch to an Innovator visa if you set up a business while on a Start-up visa and:

    ", + "
  • your endorsing body assessed and agreed it
  • ", + "
  • it is active, trading and sustainable
  • ", + "
  • you have day to day involvement in it
  • ", + "

    If your endorsement is withdrawn

    ", + "

    Your visa may be cut short if your endorsement is withdrawn by the endorsing body. If you want to stay longer, you must re-apply with a new endorsement before your current visa expires.

    ", + "

    You can only stay for a total of 2 years even if you\u2019re granted a new visa with a new endorsement.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    You can include your partner and children in your application to stay in the UK if they are eligible.

    ", + "

    How long it takes

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • ", + "
  • 8 weeks, if you\u2019re inside the UK
  • ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    Fees

    ", + "

    How much you pay for a Start-up visa depends on your situation and where you apply from.

    ", + "Who you\u2019re applying for | Apply (outside the UK) | Switch (in the UK)", + "Yourself | \u00a3363 | \u00a3493", + "Your partner and children | \u00a3363 each person | \u00a3493 each person", + "

    You must pay the visa fee for each person that applies at the same time as you or applies later to join you in the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to switch in the UK

    ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    What you can and cannot do

    ", + "

    With a Start-up visa you can:

    ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "
  • work in another job, as well as working for your business
  • ", + "
  • travel abroad and return to the UK
  • ", + "

    You can also switch to this visa from some other visa categories.

    ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "
  • work as a professional sportsperson, for example a sports coach
  • ", + "
  • settle in the UK on this visa
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Start-up visa.

    ", + "

    Eligibility

    ", + "

    Before you apply you need to have your business or business idea assessed by an endorsing body.

    ", + "

    They will provide you with an endorsement letter if your business is viable.

    ", + "

    You must also:

    ", + "
  • be at least 18 years old
  • ", + "
  • meet the English language requirement
  • ", + "
  • be able to prove that you have enough personal savings to support yourself while you\u2019re in the UK
  • ", + "

    Read the specific requirements for the Start-up visa before you apply.

    ", + "

    Supporting yourself

    ", + "

    You need to have had at least \u00a31270 in your bank account for 28 consecutive days before you apply, or if you\u2019ve been in the UK for less than a year and applying to switch to this visa.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    Knowledge of English

    ", + "

    You\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.

    ", + "

    Level of English

    ", + "

    You must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • passing a Secure English Language Test (SELT) from an approved provider
  • ", + "
  • having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English gained through study at a UK school that you began when you were under 18
  • ", + "
  • having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    Documents you'll need to apply

    ", + "

    When you apply you need to provide an \u2018endorsement letter\u2019 to show that an endorsing body has assessed your business.

    ", + "

    You\u2019ll also need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • bank statements showing you\u2019ve had at least \u00a31270 in savings in your bank account for 28 consecutive days before you apply
  • ", + "
  • proof that you meet the English language requirement
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    You\u2019ll need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Start-up visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply for a Start-up visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must each have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    In addition to the \u00a31,270 you must have to support yourself, you - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You\u2019ll need to have had the money in your bank account or your dependant\u2019s bank account for at least 28 days before you or they apply.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless you or they are applying from inside the UK and you\u2019ve been here for 1 year or more.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as a partner
  • ", + "
  • apply online as a child
  • ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre. This is to get a biometric residence permit, which they\u2019ll need to collect within 10 days of when they said they\u2019d arrive in the UK.

    ", + "

    Apply from inside the UK (switch)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you switch your own visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children will not be able to apply to switch to a Start-up visa if they are currently in the UK in one of the following circumstances:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and child must apply online to either:

    ", + "
  • switch to a Start-up visa as your partner
  • ", + "
  • switch to a Start-up visa as your child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    Getting a faster decision

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    Switch to this visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to a Start-up visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You can apply to switch to this visa if you meet the eligibility requirements.

    ", + "

    Who cannot apply to switch to this visa

    ", + "

    You cannot switch to this visa if you have one of the following:

    ", + "
  • a visit visa
  • ", + "
  • a short-term student visa
  • ", + "
  • a Parent of a Child Student visa
  • ", + "
  • a seasonal worker visa
  • ", + "
  • a domestic worker in a private household visa
  • ", + "
  • immigration bail
  • ", + "
  • permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    You must leave the UK and make your application from abroad if you\u2019re here on a different type of visa.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for 2 years on a Start-up visa. Any time you\u2019ve already spent in the UK on a Tier 1 (Graduate Entrepreneur) visa counts as part of the 2 years.

    ", + "

    How much it costs

    ", + "

    Check the visa application fees.

    ", + "

    If you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply to switch to a Start-up visa

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    " + ] + }, + { + "title": "Apply for the Global Talent visa", + "url": "https://www.gov.uk/global-talent", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Global Talent visa to work in the UK if you\u2019re a leader or potential leader in one of the following fields:

    ", + "
  • academia or research
  • ", + "
  • arts and culture
  • ", + "
  • digital technology
  • ", + "

    You must also be at least 18 years old.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Before you apply for a visa

    ", + "

    You can usually only apply for a Global Talent visa if you have successfully applied for an endorsement to prove that you are a leader or potential leader.

    ", + "

    You can apply for the visa without an endorsement if you\u2019ve won an eligible award. Find out which awards are eligible.

    ", + "

    Find out what you can do with a Global Talent visa and how to apply for an endorsement if you work in one of the following fields:

    ", + "
  • academia or research
  • ", + "
  • arts and culture
  • ", + "
  • digital technology
  • ", + "

    If you\u2019re not eligible for a Global Talent visa, there are other ways to work in the UK - for example a Skilled Worker visa.

    ", + "

    How long you can stay

    ", + "

    You can live and work in the UK for up to 5 years at a time.

    ", + "

    If you want to stay longer in the UK

    ", + "

    There\u2019s no limit to how long you can stay in the UK in total, but you will need to renew (\u2018extend\u2019) your visa when it expires. Each extension can last from 1 to 5 years - you choose how long you want the extension to be.

    ", + "

    You may be able to get indefinite leave to remain so you can settle in the UK after 3 or 5 years, depending on which field you work in and how you apply. This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    How long it takes

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • ", + "
  • 8 weeks, if you\u2019re inside the UK
  • ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    Fees

    ", + "

    It costs \u00a3608 to apply.

    ", + "

    If you\u2019re applying based on an endorsement, you\u2019ll pay the \u00a3608 in two parts:

    ", + "
  • \u00a3456 when you apply for the endorsement
  • ", + "
  • \u00a3152 when you apply for the visa itself
  • ", + "

    If you\u2019re applying based on an eligible award, you\u2019ll pay the full \u00a3608 when you apply for the visa.

    ", + "

    If you\u2019re including your partner or children in your application, they\u2019ll each need to pay \u00a3608.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application - this is usually \u00a3624 per year for each person applying.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 when you apply for the visa itself if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "

    If you\u2019ve had an award or scholarship to study in the UK in the last year, you\u2019ll also need written permission to apply from the agency or government that granted it.

    ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    You need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, EEA or Switzerland
  • ", + "
  • from the EU, EEA or Switzerland but do not have a biometric passport with a chip in it
  • ", + "

    If you\u2019ve won an eligible award, the Home Office will look at publicly available information (such as the award organisation\u2019s website) to confirm that you\u2019ve won. You\u2019ll only be asked for evidence of your win if they cannot find this.

    ", + "

    Apply from outside the UK

    ", + "

    Before you apply for the Global Talent visa, you need to have either:

    ", + "
  • won an eligible award
  • ", + "
  • successfully applied for an endorsement to prove that you are a leader or potential leader in your field
  • ", + "

    If you\u2019re applying for an endorsement

    ", + "

    Find out how to apply for an endorsement before you apply for a visa.

    ", + "

    When you have an endorsement, you can apply for this visa if:

    ", + "
  • you\u2019ve been endorsed by an organisation approved by the Home Office
  • ", + "
  • you\u2019re applying within 3 months of receiving your endorsement letter
  • ", + "
  • the organisation that endorsed you has not withdrawn its approval
  • ", + "

    If you apply for the visa before you have applied for an endorsement, your visa application may be rejected, but you\u2019ll get the visa application fee back, minus the processing fee.

    ", + "

    How to apply for the visa

    ", + "

    You can apply online for a Global Talent visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner and children will need to apply separately, and use your application number, to travel with you or join you in the UK if they are eligible.

    ", + "

    You may also be able to apply at a visa application centre. You can apply from any country as long as you\u2019ve been given permission to live there for at least 6 months. Check if there\u2019s a visa application centre that you can travel to that accepts Global Talent visa applications.

    ", + "

    If you\u2019re already living in the UK, you and your partner and children may be able to extend a Global Talent visa or switch to a Global Talent visa.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply for a Global Talent visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible.

    ", + "

    Your relationship

    ", + "

    A \u2018dependant\u2019 is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be supported by you without using benefits (\u2018public funds\u2019)
  • ", + "

    If your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Fees

    ", + "

    It costs \u00a3608 for each dependant applying.

    ", + "

    They also need to pay:

    ", + "
  • the healthcare surcharge
  • ", + "
  • \u00a319.20 to have their biometric information (fingerprints and photo) taken if they\u2019re applying in the UK
  • ", + "

    If your partner or children are outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as a partner
  • ", + "
  • apply online as a child
  • ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll be asked to provide your application number so the Home Office can link their application to you.

    ", + "

    If your partner or children are already in the UK (extend or switch their visa)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you extend your own Global Talent visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner and child can apply to switch to your Global Talent visa as your dependants, unless they are currently in the UK in one of the following circumstances:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and child must apply online to either:

    ", + "
  • extend or switch as a partner
  • ", + "
  • extend or switch as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    Children born in the UK

    ", + "

    If you have children while you\u2019re in the UK, they do not automatically become British citizens.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    Extend your visa

    ", + "

    You can usually apply to extend your stay in the UK if either:

    ", + "
  • you applied for the Global Talent visa based on an endorsement, and the organisation that endorsed you has not withdrawn its approval
  • ", + "
  • you applied for a Global Talent visa based on an eligible award you won, and the award has not been withdrawn
  • ", + "

    You must be able to show that you earned money in your expert field during your time in the UK by sending evidence toward your application, for example payslips.

    ", + "

    Your partner or child will need to apply separately.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Applicants who currently have a Tier 1 (Exceptional Talent) visa can extend under the Global Talent category.

    ", + "

    How long you can stay

    ", + "

    You can apply to extend your visa for up to 5 years at a time. You can renew your visa as many times as you like, as long as you still meet the eligibility requirements.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You may be able to get indefinite leave to remain so you can settle in the UK after 3 or 5 years, depending on which field you work in and how you apply. This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    Fees

    ", + "

    It costs \u00a3608 to apply to extend a Global Talent visa from inside or outside the UK.

    ", + "

    Your partner and children must pay the visa fee of \u00a3608 if they want to apply to travel with you or join you later in the UK.

    ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    Proving your identity and giving supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a\nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply in the UK

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Apply outside the UK

    ", + "

    You can apply online to extend a Global Talent visa you\u2019ve had in the last year.

    ", + "

    You may also be able to apply at a visa application centre. You can apply from any country as long as you\u2019ve been given permission to live there for at least 6 months. Check if there\u2019s a visa application centre that you can travel to that accepts Global Talent visa applications.

    ", + "

    How long it takes

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Switch to this visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    Your partner or child will need to apply separately.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    To switch to a Global Talent visa you must be in the UK and have either:

    ", + "
  • won an eligible award
  • ", + "
  • proven that you are a leader or potential leader in one of the fields covered by the visa - this is also called getting an endorsement
  • ", + "

    If you\u2019re applying for an endorsement

    ", + "

    The fields you must prove you\u2019re a leader or potential leader in are:

    ", + "
  • academia or research
  • ", + "
  • arts and culture
  • ", + "
  • digital technology
  • ", + "

    You must apply to switch to the Global Talent visa within 3 months of getting an endorsement.

    ", + "

    You cannot apply for the visa if the organisation that endorsed you has withdrawn its approval.

    ", + "

    If you apply for the visa before you have applied for an endorsement, your visa application may be rejected, but you\u2019ll get the visa application fee back, minus the processing fee.

    ", + "

    If you have dependents

    ", + "

    Apply to switch your dependants\u2019 visas at the same time as you switch your own visa. If you cannot apply at the same time, your partner or child can switch their visas at a later date - this must be before their current visa expires.

    ", + "

    Who cannot apply to switch to this visa

    ", + "

    You cannot apply to switch to this visa if you\u2019re currently in the UK in one of the following circumstances:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • you were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    You must leave the UK and apply for a Global Talent visa from abroad if you\u2019re in one of these categories.

    ", + "

    How long you can stay

    ", + "

    You can choose how long you want to apply for, up to 5 years at a time.

    ", + "

    After you apply, you can stay in the UK until you get your decision.

    ", + "

    If you have settled or pre-settled status under the EU Settlement Scheme, you do not need to apply for a visa.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You may be able to get indefinite leave to remain so you can settle in the UK after 3 or 5 years, depending on which field you work in and how you apply. This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    Fees

    ", + "

    Switching to a Global Talent visa costs \u00a3608.

    ", + "

    If you\u2019re applying based on an endorsement, you\u2019ll pay the \u00a3608 in two parts:

    ", + "
  • \u00a3456 when you apply for the endorsement
  • ", + "
  • \u00a3152 when you apply for the visa itself
  • ", + "

    If you\u2019re applying based on an eligible award, you\u2019ll pay the full \u00a3608 when you apply for the visa.

    ", + "

    Your partner and children must pay \u00a3608 each if they want to apply to travel with you or join you later in the UK.

    ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 when you apply to switch to the visa itself if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    Proving your identity and giving supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to switch to a Global Talent visa

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes to get a decision

    ", + "

    Decisions are usually made within 8 weeks of your application date.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    " + ] + }, + { + "title": "Entrepreneur visa (Tier 1)", + "url": "https://www.gov.uk/tier-1-entrepreneur", + "contents": [ + "

    Overview

    ", + "

    You can no longer apply for a Tier 1 (Entrepreneur) visa.

    ", + "

    If you want to set up or run a business in the UK you might be able to apply for an Innovator visa or a Start-up visa.

    ", + "

    If you already have a Tier 1 (Entrepreneur) visa

    ", + "

    You can still apply:

    ", + "
  • to settle in the UK (indefinite leave to remain)
  • ", + "
  • to extend your visa
  • ", + "
  • for family members to join you
  • ", + "

    Extend your visa

    ", + "

    You may be able to extend your Tier 1 (Entrepreneur) visa.

    ", + "

    You should apply before your current visa expires.

    ", + "

    You can apply to extend your visa if you:

    ", + "
  • registered as a director or as self-employed no more than 6 months after the date you were given permission to stay in the UK under a Tier 1 (Entrepreneur) visa
  • ", + "
  • can prove you\u2019ve been self-employed, a member of a partnership or working as a director of a business 3 months before you apply
  • ", + "
  • created at least 2 full time jobs that have existed for at least 12 months
  • ", + "
  • can continue to support yourself
  • ", + "

    You must have invested into 1 or more UK businesses either:

    ", + "
  • \u00a3200,000 in cash
  • ", + "
  • \u00a350,000 in cash
  • ", + "

    The amount depends on the level of funds your initial application was based on.

    ", + "

    You should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.

    ", + "

    You should read the full guidance on the Tier 1 (Entrepreneur) visa before you apply.

    ", + "

    Fees

    ", + "

    It costs \u00a31,277 to extend this visa.

    ", + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.

    ", + "

    How to extend your visa if you\u2019re in the UK

    ", + "

    You must apply online.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    How long it takes

    ", + "

    A decision will be made on your application within 8 weeks.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer. This could be because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    How to extend your visa if you\u2019re outside the UK

    ", + "

    If you\u2019re outside the UK, you must apply online to extend a Tier 1 (Entrepreneur) visa.

    ", + "

    Switch to this visa

    ", + "

    If you\u2019re already in the UK you may be able to switch to a Tier 1 (Entrepreneur) visa if:

    ", + "
  • you\u2019re on a Tier 1 (Graduate Entrepreneur) visa
  • ", + "
  • you switched to a Start-up visa from a Tier 1 (Graduate Entrepreneur) visa for your second year
  • ", + "

    You must meet the eligibility requirements for a Tier 1 (Entrepreneur) visa. You must have:

    ", + "
  • \u00a350,000 in funds to spend in the UK
  • ", + "
  • a viable business plan
  • ", + "

    You must apply before your current visa expires.

    ", + "

    How long you can stay

    ", + "

    You can stay for 3 years if your application to switch is successful.

    ", + "

    Fees

    ", + "

    It costs \u00a31,277 to switch to this visa.

    ", + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.

    ", + "

    How to apply to switch your visa

    ", + "

    You should read the full guidance on the Tier 1 (Entrepreneur) visa before you apply.

    ", + "

    You must apply online.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to switch to this visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    How long it takes

    ", + "

    A decision will be made on your application within 8 weeks.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer. This could be because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Switching to this visa if you\u2019re outside the UK

    ", + "

    You can apply to switch to a Tier 1 (Entrepreneur) visa if you have:

    ", + "
  • a valid Tier 1 (Graduate Entrepreneur) visa
  • ", + "
  • a valid Start-up visa, and you switched from a Tier 1 (Graduate Entrepreneur) visa for your second year
  • ", + "
  • a Tier 1 (Graduate Entrepreneur) visa that expired less than 12 months ago
  • ", + "
  • a Start-up visa that expired less than 12 months ago, and you switched from a Tier 1 (Graduate Entrepreneur) visa for your second year
  • ", + "

    Family members

    ", + "

    Your family members (\u2018dependants\u2019) can join you if you\u2019re in the UK on this visa. Your family members must apply for their own visa.

    ", + "

    If they\u2019re from the European Economic Area (EEA) or Switzerland and arrive before 1 January 2021, they may be able to apply to the free EU Settlement Scheme.

    ", + "

    A \u2018dependant\u2019 is any of the following:

    ", + "
  • your partner
  • ", + "
  • your child under 18
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as a dependant
  • ", + "

    Read the guidance on dependant applications before you apply.

    ", + "

    Adult family members must provide a criminal record certificate from any country they have lived in for 12 months or more in the last 10 years.

    ", + "

    Savings

    ", + "

    You must show that your dependants can be supported while they\u2019re in the UK.

    ", + "

    Each dependant must have a certain amount of money available to them - this is in addition to the \u00a3945 you must have to support yourself.

    ", + "

    The amount depends on your circumstances. You must have \u00a31,890 for each dependant if you\u2019ve been in the UK for less than 12 months. If you\u2019ve been in the UK for more than 12 months, you must have \u00a3630 for each dependant.

    ", + "

    You must have proof you have the money, and that it\u2019s been in your bank account or your dependant\u2019s bank account for at least 90 days before you or they apply.

    ", + "

    Fees

    ", + "

    It costs \u00a31878 for each family member.

    ", + "

    They\u2019ll also need to pay \u00a319.20 to have their biometric information (fingerprints and a photo) taken. They\u2019ll pay as part of their application.

    ", + "

    If your family member is applying from within the UK, they may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.

    ", + "

    Dependants applying outside the UK

    ", + "

    Your family members must apply online.

    ", + "

    They\u2019ll need to have their fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of their application.

    ", + "

    They\u2019ll have to collect their biometric residence permit within 10 days of when they said they\u2019d arrive in the UK (even if they actually arrive at a later date).

    ", + "

    They may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.

    ", + "

    If your child is over 18 they cannot apply if they are outside the UK. They can apply from inside the UK if they are already here as your dependant.

    ", + "

    Dependants applying in the UK on their own

    ", + "

    Your dependants can apply to extend or switch their visas to stay with you if they\u2019re already in the UK. Dependants must either:

    ", + "
  • apply online as a dependant partner
  • ", + "
  • apply online as a dependant child
  • ", + "

    Family members cannot apply in the UK as your dependant if they hold a visitor visa.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When they apply, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (their fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    They\u2019ll be contacted if their application is complex and will take longer, for example:

    ", + "
  • if their supporting documents need to be verified
  • ", + "
  • if they need to attend an interview
  • ", + "
  • because of their personal circumstances (for example if they have a criminal conviction)
  • ", + "

    Once they\u2019ve applied they can stay in the UK until they\u2019ve been given a decision, as long as they applied before their last visa expired.

    ", + "

    Get help to apply online

    ", + "

    Your family can get help with completing the online form if they:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    Your family can only use this service if they\u2019re applying to extend or switch to your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Children born while you\u2019re in the UK

    ", + "

    If you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.

    ", + "

    You must do this if you want to travel in and out of the UK with them.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    " + ] + }, + { + "title": "Investor visa (Tier 1)", + "url": "https://www.gov.uk/tier-1-investor", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Tier 1 (Investor) visa if:

    ", + "
  • you want to invest \u00a32,000,000 or more in the UK
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    You must have access to at least \u00a32,000,000 in investment funds to apply.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply is 3 months before you travel.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Fees

    ", + "

    You must pay \u00a31,623 to apply for a Tier 1 (Investor) visa. The fee is the same if you\u2019re extending or switching visas, or if you\u2019re applying as a family member.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You can come to the UK with a Tier 1 (Investor) visa for a maximum of 3 years and 4 months.

    ", + "

    You can apply to extend this visa for another 2 years.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work or study
  • ", + "
  • apply to settle after 2 years if you invest \u00a310 million
  • ", + "
  • apply to settle after 3 years if you invest \u00a35 million
  • ", + "
  • apply to settle after 5 years if you invest \u00a32 million
  • ", + "

    You cannot:

    ", + "
  • work as a professional sportsperson or sports coach
  • ", + "
  • get public funds
  • ", + "

    You also cannot work as a doctor or dentist in training unless one of the following applies:

    ", + "
  • you have a primary degree at bachelors level or above in medicine or dentistry from a UK institution that holds a Student sponsor licence or is a UK-recognised or listed body
  • ", + "
  • you worked as a doctor or dentist in training the last time you were in the UK
  • ", + "
  • neither of those conditions were part of the terms and conditions on a previous visa
  • ", + "

    Eligibility

    ", + "

    You must have at least \u00a32,000,000 investment funds to apply for a Tier 1 (Investor) visa.

    ", + "

    You must:

    ", + "
  • be 18 or over to apply for this visa
  • ", + "
  • be able to prove that the money belongs to either you or your husband, wife, unmarried or same-sex partner
  • ", + "
  • have opened an account at a UK regulated bank to use for your funds
  • ", + "

    Your funds must be:

    ", + "
  • held in one or more regulated financial institutions
  • ", + "
  • free to spend (\u2018disposable\u2019) in the UK
  • ", + "

    Your money can be in the UK or overseas when you apply.

    ", + "

    Students with financial sponsorship

    ", + "

    You may be able to apply for a Tier 1 (Investor) visa if you\u2019re already in the UK and you\u2019re a student (including Tier 4) visa holder.

    ", + "

    You must have unconditional agreement in writing from your financial sponsor to re-enter or stay in the UK if your course fees and living costs were paid by either:

    ", + "
  • a government
  • ", + "
  • an international scholarship agency
  • ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a criminal record certificate from any country you have stayed in for a total of 12 months or more over the last 10 years
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Evidence of investment funds

    ", + "

    You\u2019ll need to provide evidence showing that you have the required investment funds.

    ", + "

    Your own money

    ", + "

    If you\u2019re using your own money to invest, you should be able to show:

    ", + "
  • how much money you have and where it\u2019s being held
  • ", + "
  • where the money came from if you\u2019ve had the money for less than 2 years, for example you inherited it from a relative
  • ", + "
  • that the money can be transferred to the UK and converted to sterling (if it\u2019s not already in the UK)
  • ", + "

    Your partner\u2019s money

    ", + "

    You\u2019ll need to provide:

    ", + "
  • a certificate of marriage or civil partnership, or in the case of unmarried or same-sex relationships, proof that you are in a long-term relationship (at least 2 years)
  • ", + "
  • a statement from your partner confirming that they will allow you to control the funds in the UK
  • ", + "
  • a letter from a legal adviser stating that the declaration is valid
  • ", + "

    Read the guide for a list of documents you can provide.

    ", + "

    Evidence you have a UK bank account

    ", + "

    You must provide a letter to prove you have an account at a UK regulated bank to use for your investment funds. The letter must:

    ", + "
  • have been issued by an authorised official
  • ", + "
  • be dated within 3 months of your application
  • ", + "
  • be on the official headed paper of the bank
  • ", + "
  • state your name and account number
  • ", + "
  • confirm you\u2019ve opened an account with the bank in order to invest \u00a32,000,000
  • ", + "
  • confirm the bank is regulated by the Financial Conduct Authority
  • ", + "
  • confirm checks for money-laundering have been carried out
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the guidance before you apply.

    ", + "

    Apply outside the UK

    ", + "

    You must apply online for a Tier 1 (Investor) visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You must collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply in the UK

    ", + "

    Check if you can apply from inside the UK to:

    ", + "
  • extend your existing Tier 1 (Investor) visa
  • ", + "
  • switch to this visa from another visa
  • ", + "

    Extend your visa

    ", + "

    You may be able to extend your Tier 1 (Investor) visa.

    ", + "

    You should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.

    ", + "

    You should apply before your current visa expires. Read the full guidance on the Tier 1 (Investor) visa before you apply.

    ", + "

    You successfully applied for your visa before 6 November 2014

    ", + "

    You can apply to extend your visa if you:

    ", + "
  • have at least \u00a31,000,000 under your control in the UK
  • ", + "
  • have invested at least \u00a3750,000 (or 75%) of that in UK government bonds, share capital or loan capital in active UK companies
  • ", + "
  • invested this sum within 3 months of your \u2018investor start date\u2019
  • ", + "

    Funds under your control in the UK

    ", + "

    This sum should include the \u00a3750,000 (or more) investment and \u00a3250,000 (or the balance needed) to bring it up to at least \u00a31,000,000.

    ", + "

    These funds can be either:

    ", + "
  • your own money or your partner\u2019s money
  • ", + "
  • money that has been loaned to you by a UK regulated financial institution, as long as you have personal assets with a value of \u00a32,000,000 or more
  • ", + "

    You cannot mix the 2 sources of funds.

    ", + "

    You successfully applied for your visa on or after 6 November 2014

    ", + "

    You can apply to extend your visa if you:

    ", + "
  • have at least \u00a32,000,000 under your control in the UK
  • ", + "
  • have invested those funds in share capital or loan capital in active UK companies
  • ", + "
  • invested this sum within 3 months of your \u2018investor start date\u2019
  • ", + "

    If you successfully applied before 29 March 2019, you can also apply to extend if you invested your funds in UK government bonds.

    ", + "

    Funds under your control in the UK

    ", + "

    You must have invested the full amount made up of your own money or your partner\u2019s money.

    ", + "

    Investment made within 3 months of your investor start date

    ", + "

    You\u2019ll need to provide a series of investment portfolio reports produced by a UK regulated financial institution that show:

    ", + "
  • you invested at least \u00a3750,000 in UK government bonds or UK business within 3 months of your investor start date (if you first got your visa under the Immigration Rules in place before 6 November 2014)
  • ", + "
  • you invested all \u00a32 million (if you first got your visa under the Immigration Rules in place on or after 6 November 2014)
  • ", + "
  • this level of investment has been maintained for the length of your visa
  • ", + "

    Your \u2018investor start date\u2019 is either:

    ", + "
  • the date you came into the UK (if you have proof of this)
  • ", + "
  • the date your original visa application or switch from a different visa category was approved (if you cannot prove your date of entry)
  • ", + "

    How to extend your visa if you\u2019re in the UK

    ", + "

    You must apply online.

    ", + "

    Fees

    ", + "

    For each person, you\u2019ll need to pay:

    ", + "
  • \u00a31,623 to extend this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "
  • \u00a319.20 to have your biometric information (fingerprints and a photo) taken
  • ", + "

    If you want to get a decision more quickly than the standard 8 weeks, you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will usually be made:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complicated and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    How to extend your visa if you\u2019re outside the UK

    ", + "

    If you\u2019re outside the UK, you must apply online to extend a Tier 1 (Investor) visa.

    ", + "

    Switch to this visa

    ", + "

    You may be able to switch to a Tier 1 (Investor) visa.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Who can apply

    ", + "

    You can apply to switch to this visa if you meet the eligibility requirements and you\u2019re already in the UK under one of the following categories:

    ", + "
  • Tier 1 (General)
  • ", + "
  • Tier 1 (Entrepreneur)
  • ", + "
  • any Tier 2 category
  • ", + "
  • Student (including Tier 4)
  • ", + "

    You must leave the UK and make your application from abroad if you\u2019re in another category.

    ", + "

    How long you can stay

    ", + "

    You can stay a maximum of 3 years after switching to a Tier 1 (Investor) visa. You can also extend your visa if you\u2019re eligible.

    ", + "

    Fees

    ", + "

    For each person, you\u2019ll need to pay:

    ", + "
  • \u00a31,623 to switch to this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "
  • \u00a319.20 to have your biometric information (fingerprints and a photo) taken
  • ", + "

    If you want to get a decision more quickly than the standard 8 weeks, you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    How to switch

    ", + "

    Read the full guidance on the Tier 1 (Investor) visa before you apply.

    ", + "

    You must apply online.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will usually be made:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Family members

    ", + "

    Your family members (\u2018dependants\u2019) can join you if you\u2019re in the UK on this visa. Your family members must apply for their own visa.

    ", + "

    If they\u2019re from the European Economic Area (EEA) or Switzerland and arrive before 1 January 2021, they may be able to apply to the free EU Settlement Scheme.

    ", + "

    A \u2018dependant\u2019 is any of the following:

    ", + "
  • your husband, wife or partner
  • ", + "
  • your child under 18
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as a dependant
  • ", + "

    Read the guidance on dependant applications before you apply.

    ", + "

    Adult family members must provide a criminal record certificate from any country they have lived in for 12 months or more in the last 10 years.

    ", + "

    Fees

    ", + "

    Check the fees for this visa.

    ", + "

    Dependants applying from outside the UK

    ", + "

    Your family members must apply online.

    ", + "

    They\u2019ll need to have their fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of their application.

    ", + "

    They\u2019ll have to collect their biometric residence permit within 10 days of when they said they\u2019d arrive in the UK (even if they actually arrive at a later date).

    ", + "

    They may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.

    ", + "

    If your child is over 18 they cannot apply if they are outside the UK. They can apply from inside the UK if they are already here as your dependant.

    ", + "

    Dependants applying in the UK

    ", + "

    You can include dependants in your online application to extend or switch to a Tier 1 (Investor) visa if they want to do it at the same time as you.

    ", + "

    If they want to extend or switch their visa at a different time, they can:

    ", + "
  • apply online - dependant partner application
  • ", + "
  • apply online - dependant child application
  • ", + "

    Family members cannot apply in the UK as your dependant if they hold a visitor visa.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When they apply, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (their fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will be made within 8 weeks of their application date if they use the standard service.

    ", + "

    If they pay an extra \u00a3800 to use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after their UKVCAS appointment if their appointment is on a weekday
  • ", + "
  • 2 working days after their UKVCAS appointment if their appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    They\u2019ll be contacted if their application is complex and will take longer, for example:

    ", + "
  • if their supporting documents need to be verified
  • ", + "
  • if they need to attend an interview
  • ", + "
  • because of their personal circumstances (for example if they have a criminal conviction)
  • ", + "

    Once they\u2019ve applied they can stay in the UK until they\u2019ve been given a decision, as long as they applied before their last visa expired.

    ", + "

    Children born while you\u2019re in the UK

    ", + "

    If you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.

    ", + "

    You must do this if you want to travel in and out of the UK with them.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    " + ] + }, + { + "title": "UK Ancestry visa", + "url": "https://www.gov.uk/ancestry-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a UK Ancestry visa if all of the following are true:

    ", + "
  • you\u2019re a Commonwealth citizen
  • ", + "
  • you can prove one of your grandparents was born in the UK, the Channel Islands or the Isle of Man
  • ", + "
  • you\u2019re able and planning to work in the UK
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    How long it will take

    ", + "

    The earliest you can apply is 3 months before you travel.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Fees

    ", + "

    A UK Ancestry visa costs \u00a3516.

    ", + "

    Healthcare surcharge

    ", + "

    You may also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for 5 years on this visa.

    ", + "

    Applying to stay longer in the UK

    ", + "

    If you\u2019ve lived in the UK for 5 years on this visa, you may be able to either:

    ", + "
  • apply to extend your visa for a further 5 years
  • ", + "
  • apply to settle permanently in the UK (apply for \u2018indefinite leave to remain\u2019)
  • ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work
  • ", + "
  • study
  • ", + "
  • bring your partner or child
  • ", + "

    You cannot:

    ", + "
  • change (\u2018switch\u2019) into this visa if you came to the UK on a different visa
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    You must prove that you:

    ", + "
  • are 17 or over
  • ", + "
  • have enough money without help from public funds to support and house yourself and any dependants
  • ", + "
  • can and plan to work in the UK
  • ", + "

    Your ancestry

    ", + "

    You must show that you have a grandparent born in one of the following circumstances:

    ", + "
  • in the UK, the Channel Islands or the Isle of Man
  • ", + "
  • before 31 March 1922 in what is now Ireland
  • ", + "
  • on a ship or aircraft that was either registered in the UK or belonged to the UK government
  • ", + "

    You can claim ancestry if:

    ", + "
  • you or your parent were adopted
  • ", + "
  • your parents or grandparents were not married
  • ", + "

    You cannot claim UK ancestry through step-parents.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you in the UK as your \u2018dependants\u2019 if they\u2019re eligible.

    ", + "

    A \u2018dependant\u2019 is any of the following:

    ", + "
  • your partner
  • ", + "
  • your child under 18
  • ", + "
  • your child aged 18 or over who was previously on your or your partner\u2019s visa as a dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove one of the following:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    Your child

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be supported by you without using public funds
  • ", + "

    Apply from outside the UK

    ", + "

    Your partner or child must apply online.

    ", + "

    They\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.

    ", + "

    Find out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    Your partner and children may be able to extend their visa or switch to a UK Ancestry visa to stay with you in the UK.

    ", + "

    You can add your partner or children to your application when you extend your visa. They do not need to apply separately.

    ", + "

    Switch to an Ancestry visa

    ", + "

    Your partner or child can apply to switch their visa online.

    ", + "

    They cannot apply to switch if they\u2019re currently in the UK:

    ", + "
  • on a visitor visa
  • ", + "
  • on a Short-term study visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a Seasonal Worker visa
  • ", + "
  • on a Domestic Workers in a Private Household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    If they\u2019re in one of those categories, they must leave the UK and apply for a UK Ancestry visa from abroad.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Children born while you\u2019re in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport (with a blank page for your visa) or another valid travel document
  • ", + "
  • your full birth certificate
  • ", + "
  • the full birth certificates of the parent and grandparent your ancestry claim is based on
  • ", + "
  • evidence that you\u2019re planning to work in the UK, for example job offers you\u2019ve received or a business plan if you\u2019re self-employed
  • ", + "
  • evidence, such as bank statements, that prove you can support yourself and any dependants in the UK - it must be dated within 31 days from when you submit your application
  • ", + "

    Depending on your circumstances, you might also need to provide:

    ", + "
  • evidence that your parents or grandparents have changed their name since birth, for example marriage or civil partnership certificates or a deed poll
  • ", + "
  • legal adoption papers if you or your parents are adopted
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take a TB test
  • ", + "
  • your marriage certificate or civil partnership registration document if your spouse or civil partner wants to join you in the UK
  • ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a UK Ancestry visa before you travel to the UK.

    ", + "

    Applying with your family

    ", + "

    Your partner and children can apply to join you in the UK. Each family member will need to make their own application to come to the UK as your \u2018dependant\u2019.

    ", + "

    When to apply

    ", + "

    The earliest you can apply is 3 months before you travel to the UK.

    ", + "

    Apply online

    ", + "

    As part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply online

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your visa and stay in the UK for a further 5 years. You must apply before your current visa expires.

    ", + "

    You can extend this visa as many times as you like, as long as you still meet the eligibility requirements.

    ", + "

    You can also apply to settle in the UK permanently if you\u2019ve lived in the UK for 5 years on this visa.

    ", + "

    Extending with your partner or children

    ", + "

    You should include any dependants (your partner or children) who are on your current visa on your application to extend. This includes children who have turned 18 during your stay. They do not need to apply separately.

    ", + "

    Fees

    ", + "

    For each person applying you\u2019ll need to pay:

    ", + "
  • the \u00a31,033 application fee
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "
  • \u00a319.20 to have your biometric information (fingerprints and a photo) taken
  • ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply online, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    Extend your visa online

    ", + "

    You must apply online to extend your visa.

    ", + "

    Apply online

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    After you apply

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision on your visa within 8 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.

    " + ] + }, + { + "title": "Frontier Worker permit", + "url": "https://www.gov.uk/frontier-worker-permit", + "contents": [ + "

    Overview

    ", + "

    A Frontier Worker permit lets you come to the UK to work while living elsewhere.

    ", + "

    You may be eligible if all of the following apply:

    ", + "
  • you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • you live outside of the UK
  • ", + "
  • you began working in the UK by 31 December 2020
  • ", + "

    You must usually have worked in the UK at least once every 12 months since you started working here. You may still be able to apply if you\u2019ve had periods of unemployment or were unable to work during this time.

    ", + "

    If you\u2019re an Irish citizen, you do not need to apply for a Frontier Worker permit but you can choose to do so.

    ", + "

    You cannot apply if you\u2019re a British citizen (this includes dual citizenship).

    ", + "

    If you have not worked in the UK by 31 December 2020

    ", + "

    If you want to work in the UK from 1 January 2021, and were not working here before, you\u2019ll need to apply for a visa.

    ", + "

    The visa you\u2019ll need depends on the type of work and how long you want to come for. Check which type of visa you\u2019ll need.

    ", + "

    You do not need a visa if you\u2019re a British or Irish citizen.

    ", + "

    What the permit allows you to do

    ", + "

    You can use your permit to enter the UK as a frontier worker and show your right to:

    ", + "
  • work
  • ", + "
  • rent
  • ", + "
  • access benefits and services, including NHS healthcare, if you meet the relevant eligibility requirements
  • ", + "

    Fees

    ", + "

    There\u2019s no fee to apply for the permit, and you do not have to pay the immigration health surcharge. You may have to pay to submit your biometric information (photograph or fingerprints).

    ", + "

    When and how to apply

    ", + "

    If you\u2019re a frontier worker, you\u2019ll need a permit to enter the UK to work from 1 July 2021. You can use your passport or national identity card until then.

    ", + "

    You must apply online.

    ", + "

    You\u2019ll be told if you\u2019ll also need to go to an appointment at a visa application centre or UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    You will not usually need an appointment if you can use a smartphone app and have a passport or ID card with a biometric chip.

    ", + "

    If you need an appointment

    ", + "

    Allow extra time to arrange your appointment and travel to the centre - there may not be one near you. You may need to pay for your appointment.

    ", + "

    The centre may need to keep your passport and documents while they process your application.

    ", + "

    Family members

    ", + "

    Family members are not covered by your Frontier Worker permit.

    ", + "

    Your family member may be eligible to apply to the EU Settlement Scheme for settled or pre-settled status.

    ", + "

    Who can apply

    ", + "

    You can only apply for a Frontier Worker permit if you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein, and you:

    ", + "
  • live outside the UK
  • ", + "
  • meet the requirements for working in the UK
  • ", + "

    Living outside the UK

    ", + "

    You must live \u2018primarily\u2019 outside of the UK. How you meet this requirement depends on how much time you\u2019ve spent here since 1 January 2020.

    ", + "

    You\u2019ll be eligible if you\u2019ve spent less than 180 days in total in the UK over the course of any 12 month period.

    ", + "

    If you\u2019ve spent 180 days or more in the UK within 12 months

    ", + "

    You\u2019ll still be eligible if, in that 12 month period, you returned to the country you live in at least either:

    ", + "
  • once every 6 months
  • ", + "
  • twice in the 12 month period
  • ", + "

    You\u2019ll still be able to apply if there are exceptional circumstances meaning you could not travel to your country of residence in this period, such as an illness or accident.

    ", + "

    Working in the UK

    ", + "

    You must:

    ", + "
  • have started working in the UK while living elsewhere by 31 December 2020, either as an employed or self-employed person
  • ", + "
  • do eligible work
  • ", + "
  • usually have worked in the UK (as an employed or self-employed person) at least once every 12 months since you started working here
  • ", + "

    Eligible work

    ", + "

    You\u2019ll be eligible as long as your work in the UK is \u2018genuine and effective\u2019. This means it must be more than small, one-off tasks, such as:

    ", + "
  • an interview
  • ", + "
  • taking part in a one-off competition or audition
  • ", + "
  • signing a contract
  • ", + "

    If you\u2019re not sure if your work is eligible, the Home Office has guidance on what counts as genuine and effective work.

    ", + "

    If you\u2019ve been unable to work or unemployed in the UK during a 12 month period

    ", + "

    You might still be eligible if you\u2019ve been unemployed or not worked during this time because you were:

    ", + "
  • temporarily unable to work because of an illness or accident
  • ", + "
  • temporarily unable to work because you were pregnant or had given birth
  • ", + "
  • unable to come to the UK and work because of coronavirus (COVID-19)
  • ", + "
  • voluntarily unemployed and doing vocational training related to your last occupation
  • ", + "
  • involuntarily unemployed, and either looking for work in the UK or doing vocational training
  • ", + "

    This is known as having \u2018retained worker\u2019 or \u2018retained self-employed person\u2019 status.

    ", + "

    If you became involuntarily unemployed and are looking for work, you\u2019ll keep your status for:

    ", + "
  • 6 months if you worked in the UK for less than a year before becoming unemployed
  • ", + "
  • as long as you continue to look for work, if you worked in the UK for a year or more before becoming unemployed
  • ", + "

    You\u2019ll need to be registered as a jobseeker with an employment office (such as Jobcentre Plus) and provide evidence that you\u2019re looking for work in the UK.

    ", + "

    Apply

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Documents you\u2019ll need to apply

    ", + "

    When you apply you\u2019ll need a valid passport or national identity card.

    ", + "

    You\u2019ll be told which documents you need to provide when you apply. Some depend on whether you\u2019re employed or self-employed, for example:

    ", + "
  • an employment contract, or contracts to work in the UK
  • ", + "
  • payslips, or copies of invoices for work carried out in the UK
  • ", + "

    If you have \u2018retained\u2019 status, you\u2019ll be asked for evidence for which criteria you meet. For example, a letter from a doctor if you have an illness, or copies of recent job applications if you\u2019re unemployed and seeking work.

    ", + "

    The Home Office has more examples of the types of evidence you will be asked for.

    ", + "

    How you\u2019ll prove your identity

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on what identity document you use and whether you can use the UK Immigration: ID check app.

    ", + "

    You\u2019ll either:

    ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration account)
  • ", + "
  • have your photograph and fingerprints taken at a visa application centre (if you\u2019re applying from outside the UK and cannot use the smartphone app)
  • ", + "
  • have your photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point (if you\u2019re applying from inside the UK and cannot use the smartphone app)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply from outside the UK

    ", + "

    Apply online for your Frontier Worker permit.

    ", + "

    Apply now

    ", + "

    Apply from inside the UK

    ", + "

    Apply online for your Frontier Worker permit.

    ", + "

    Apply now

    ", + "

    If you were a frontier worker on or before 31 December 2020, you can use your passport or national identity card to travel to the UK and work until 30 June 2021.

    ", + "

    After you've applied

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application by following the same process as cancelling a visa or citizenship application.

    ", + "

    If your application is successful

    ", + "

    You\u2019ll be sent a decision notice saying your application has been approved.

    ", + "

    If you applied using the \u2018UK Immigration: ID check\u2019 app, you\u2019ll be issued a digital version of your permit.

    ", + "

    If you do not use the smartphone app to apply, you\u2019ll either be sent:

    ", + "
  • a physical version of the permit (if you applied inside the UK)
  • ", + "
  • an email explaining how you can come to the UK and collect your permit (if you applied outside the UK)
  • ", + "

    Your permit will last for 5 years, or 2 years if you apply with \u2018retained\u2019 status.

    ", + "

    When you\u2019re working in the UK

    ", + "

    You\u2019ll usually have to pay tax on your UK income.

    ", + "

    You can change jobs or move from being employed to self-employed in the UK without needing to tell the Home Office.

    ", + "

    You need to tell the Home Office if you stop working in the UK and do not meet one of the retained status criteria.

    ", + "

    Reporting a problem with your physical permit

    ", + "

    Your permit should arrive within 10 days of receiving the decision notice about your application. You should get an email with information about your permit being sent to you.

    ", + "

    If your permit does not arrive, you should first contact the delivery service.

    ", + "

    If you cannot resolve the issue with the delivery service, and it has been more than 10 days since you received your decision notice, you should contact the Home Office.

    ", + "

    You\u2019ll also need to tell the Home Office if:

    ", + "
  • you did not get an email from UKVI with your permit delivery information
  • ", + "
  • your permit has a mistake on it (for example your name, date of birth or gender is wrong)
  • ", + "
  • your permit gets lost, stolen or damaged
  • ", + "

    You can report your problem by phone. You\u2019ll need:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • your Home Office reference number (this is in the email you got with your application decision)
  • ", + "
  • an email address or UK postal address
  • ", + "

    You can get someone to report for you, for example a legal representative or employer. The phone number is different if someone is reporting on your behalf.

    ", + "

    If your application is unsuccessful

    ", + "

    You\u2019ll get a decision notice explaining why it was refused. It will explain if you have the right to either an:

    ", + "
  • administrative review
  • ", + "
  • immigration decision appeal
  • ", + "

    Renewing your permit

    ", + "

    When you renew your permit, you\u2019ll need to show that you continued to meet the eligibility requirements over the period of time since you last applied.

    ", + "

    If you\u2019re not employed or self-employed at the point you apply to renew, or you\u2019re temporarily unable to work, you\u2019ll still be able to apply for a 2-year permit as someone with \u2018retained\u2019 status (as long as you meet the requirements).

    ", + "

    Apply to renew your permit.

    " + ] + }, + { + "title": "British National (Overseas) visa", + "url": "https://www.gov.uk/british-national-overseas-bno-visa", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re from Hong Kong and are a British national (overseas) you and your family members can apply for a British National (Overseas) visa. This is known as a BNO visa. It allows you to live, work and study in the UK.

    ", + "

    Who can apply

    ", + "

    You can apply for a BNO visa if you\u2019re:

    ", + "
  • a British national (overseas)
  • ", + "
  • 18 or older
  • ", + "

    Your permanent home must be:

    ", + "
  • in Hong Kong, if you\u2019re applying from outside the UK
  • ", + "
  • in the UK, Channel Islands, Isle of Man or Hong Kong if you\u2019re applying in the UK
  • ", + "

    Your family members

    ", + "

    Your family members can apply for a BNO visa if they\u2019re eligible. They must usually apply at the same time as you.

    ", + "

    Check if your family members can apply.

    ", + "

    How long you can stay

    ", + "

    You can apply to stay for either:

    ", + "
  • 2 years and 6 months
  • ", + "
  • 5 years
  • ", + "

    You will be able to extend your visa if you want to stay longer. You can apply to extend your visa as many times as you want.

    ", + "

    After you\u2019ve lived in the UK for 5 years, you can apply to live in the UK permanently.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work (except you cannot work as a professional sportsperson or sports coach)
  • ", + "
  • study (including at school, college or university)
  • ", + "

    You cannot usually apply for most benefits (public funds).

    ", + "

    Once you have a BNO visa, you might be able to apply for access to benefits. You\u2019ll be eligible for this in certain financial circumstances, for example if you:

    ", + "
  • do not have a place to live and cannot afford one
  • ", + "
  • have a place to live but cannot afford essential living costs like food or heating
  • ", + "
  • are at risk of losing your place to live or being unable to afford essential living costs
  • ", + "
  • have a very low income, and not having access to benefits would harm your child\u2019s wellbeing
  • ", + "

    How much it costs

    ", + "

    When you apply for a British National (Overseas) visa, you must:

    ", + "
  • pay the visa application fee
  • ", + "
  • pay the healthcare surcharge
  • ", + "
  • prove that you have enough money to support yourself and your family members for at least 6 months while you\u2019re in the UK
  • ", + "

    Visa application fee

    ", + "

    You and your family members will each need to pay a visa application fee.

    ", + "

    It costs:

    ", + "
  • \u00a3180 if you\u2019re applying for 2 years and 6 months
  • ", + "
  • \u00a3250 if you\u2019re applying for 5 years
  • ", + "

    As part of your application, you might need to go to an appointment to give your biometric information (fingerprints and a photo). This will cost \u00a319.20.

    ", + "

    Healthcare surcharge

    ", + "

    You and your family members will each need to pay the healthcare surcharge.

    ", + "

    This is so you can use the National Health Service (NHS) in the UK. You\u2019ll still need to pay for some NHS care such as prescriptions, dental care and eye tests.

    ", + "

    For each adult (18 or older) it costs:

    ", + "
  • \u00a31,560 if you\u2019re staying for 2 years and 6 months
  • ", + "
  • \u00a33,120 if you\u2019re staying for 5 years
  • ", + "

    For each child (under 18), it costs:

    ", + "
  • \u00a31,175 if you\u2019re staying for 2 years and 6 months
  • ", + "
  • \u00a32,350 if you\u2019re staying for 5 years
  • ", + "

    You pay the healthcare surcharge as part of your online visa application.

    ", + "

    Money to support yourself and your family

    ", + "

    You\u2019ll need to show you have enough money to pay for your housing and to support yourself and your family for 6 months.

    ", + "

    This can include:

    ", + "
  • your income and savings as well as your family member\u2019s
  • ", + "
  • money you will earn in your current job in the UK
  • ", + "
  • money you will earn if you\u2019re transferring to a job in the UK with your current employer
  • ", + "
  • an offer of help from family or friends
  • ", + "

    You usually do not need to show you have enough money to support yourself if you\u2019ve been living in the UK for 12 months or more. You\u2019ll still need to show this if you\u2019ve been in the UK on a Youth Mobility Scheme visa.

    ", + "

    As well as money for housing costs, you\u2019ll need at least the same amount as someone would get on Income Support in the UK.

    ", + "

    How much you need depends on how many family members are applying with you. For example, you\u2019ll need about:

    ", + "
  • \u00a32,000 as a single adult
  • ", + "
  • \u00a33,100 as a couple with a child
  • ", + "
  • \u00a34,600 as a couple with 3 children
  • ", + "
  • \u00a39,200 as a couple with 2 parents and 2 adult children
  • ", + "

    Check what documents you need to show this.

    ", + "

    Your family members

    ", + "

    If you\u2019re a British national (overseas), your family members can apply as your \u2018dependant\u2019 if they normally live with you.

    ", + "

    A dependant can include your:

    ", + "
  • husband, wife, civil partner or unmarried partner
  • ", + "
  • child or grandchild under 18
  • ", + "
  • child 18 or older, born on or after 1 July 1997 (and their partner or child under 18)
  • ", + "
  • parent, grandparent, brother, sister, son or daughter (18 or older) if they live with you and are very dependent on you for their care
  • ", + "

    When you apply, you and your family member will need to provide evidence of your relationship and that you normally live together.

    ", + "

    Partners

    ", + "

    Partners must be 18 or older to apply. They can be either:

    ", + "
  • your partner
  • ", + "
  • your adult child\u2019s partner
  • ", + "

    They\u2019ll need to prove that they\u2019re either:

    ", + "
  • in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • in a relationship and have been living with their partner for at least 2 years when they apply
  • ", + "

    Children under 18

    ", + "

    All children under 18 need to apply with both parents, unless one parent or grandparent has sole responsibility for them.

    ", + "

    The child must normally live with you, unless they\u2019re living away from home to study.

    ", + "

    Children 18 or older

    ", + "

    You or your partner\u2019s child (18 or older) can apply as your dependant if they were born on or after 1 July 1997. They must apply at the same time as you.

    ", + "

    They must normally live with you, unless they\u2019re living away from home to study.

    ", + "

    If they\u2019re not eligible for a BNO visa, they may be able to apply for another visa to come to the UK to work or study. Check what visa they need.

    ", + "

    Other family members who live with you

    ", + "

    Other adult family members (18 or older) can only apply if they are very dependent on you for their care. For example, they rely on your care to perform everyday tasks because of illness or disability.

    ", + "

    This includes your or your partner\u2019s:

    ", + "
  • parent or grandparent
  • ", + "
  • brother or sister
  • ", + "
  • son or daughter
  • ", + "

    If eligible, they can apply as an \u2018adult dependent relative\u2019. They must apply at the same time as you.

    ", + "

    How long family members can stay

    ", + "

    Your family member will need to apply for the same BNO visa as you, for either:

    ", + "
  • 2 years and 6 months
  • ", + "
  • 5 years
  • ", + "

    How to apply with your family

    ", + "

    Each family member will need to make their own application as your dependant.

    ", + "

    As a British national (overseas), you\u2019ll need to submit your application first to get an application number. This is called a Global Web Form (GWF) or a Unique Application Number (UAN).

    ", + "

    Your family members will need to use your application number when they apply, and submit it within 2 days of your application.

    ", + "

    If you have technical problems that mean your family members might not be able to apply within 2 days of you, contact UK Visas and Immigration (UKVI) for help.

    ", + "

    If your partner or child cannot apply within 2 days

    ", + "

    If your partner or child under 18 cannot apply within 2 days of you, they might still be able to apply later as your dependant. This will only be allowed in cases where they could not apply when you did, for example if:

    ", + "
  • you start a new relationship when you have a BNO visa
  • ", + "
  • your child was born after you got your BNO visa
  • ", + "
  • your partner cannot travel when you apply, for example because of medical needs
  • ", + "

    They may be asked to give evidence to show they could not apply within 2 days of your application. Your visa must still be valid when they apply to be your dependant.

    ", + "

    Apply online

    ", + "

    Your family members can either:

    ", + "
  • apply from outside the UK
  • ", + "
  • apply in the UK
  • ", + "

    Documents you\u2019ll need to apply

    ", + "

    When you apply you\u2019ll need to provide a valid passport or other travel document that shows your identity and nationality.

    ", + "

    If you\u2019re a British national (overseas) (BNO), you can use a current or expired BNO passport (or a photocopy) to show your BNO status when you apply.

    ", + "

    If you no longer have a BNO passport you can still apply. The Home Office will check your status but it may take longer to get a decision on your application.

    ", + "

    You do not need a BNO passport to travel to the UK. You can use any valid passport or travel document.

    ", + "

    You\u2019ll also need to provide evidence:

    ", + "
  • that you have a permanent home in Hong Kong, the UK, Channel Islands or Isle of Man
  • ", + "
  • that you have enough money to support yourself and your family
  • ", + "
  • of your relationship with family members
  • ", + "
  • of your tuberculosis (TB) test certificate, if you did not already provide it when you arrived the UK
  • ", + "

    You must provide a certified translation of any documents that are not in English.

    ", + "

    Proof of your permanent home address

    ", + "

    You\u2019ll need to provide up to 3 documents that show your permanent home address. This can include:

    ", + "
  • household or utility bills
  • ", + "
  • a visa, residence permit or other immigration document (or a colour photocopy)
  • ", + "
  • payslips or your most recent P60
  • ", + "
  • bank statements
  • ", + "
  • a letter from an employer confirming your employment
  • ", + "
  • records of rent or mortgage payments
  • ", + "
  • an appointment letter from your GP or other healthcare professional
  • ", + "
  • a letter from the local council or a government
  • ", + "

    Your family members (\u2018dependants\u2019) will need to provide evidence that their permanent home address is the same as yours.

    ", + "

    Proof you have enough money to support yourself and your family

    ", + "

    You usually need to show that you have enough money to support yourself and your family (dependants) for 6 months in the UK - unless you\u2019ve been living in the UK for at least 12 months.

    ", + "

    If you\u2019ve been in the UK for 12 months or more on a Youth Mobility Scheme visa, you still need to show you have enough money to support yourself and your family.

    ", + "

    This includes proving you have the money to pay for accommodation or an offer of accommodation from friends or family.

    ", + "

    If you\u2019re applying with family, evidence can include you and your family member\u2019s income or savings.

    ", + "

    You might need to provide evidence such as:

    ", + "
  • bank or savings account statements
  • ", + "
  • payslips
  • ", + "
  • proof of income from self-employment
  • ", + "
  • proof of income from rental property
  • ", + "
  • a letter from friends or family with evidence (such as bank statements or payslips) that they have the money to support you and your family
  • ", + "
  • a letter confirming an offer of accommodation from friends or family
  • ", + "
  • a tenancy or mortgage agreement
  • ", + "

    At least one piece of evidence must be dated no more than 31 days before you submit your application.

    ", + "

    An offer of work does not usually count as evidence unless you\u2019re transferring to a job in the UK with your current employer.

    ", + "

    Evidence of your relationship with family members

    ", + "

    If you\u2019re applying with family members from your household, you\u2019ll need to provide evidence of your relationship with them.

    ", + "

    For example:

    ", + "
  • a copy of a marriage or civil partnership certificate
  • ", + "
  • a birth certificate or adoption certificate for children
  • ", + "
  • evidence that their permanent home address is the same as yours
  • ", + "

    When you need a TB test certificate

    ", + "

    Whether you need a certificate depends on where you\u2019re applying from.

    ", + "

    If you\u2019re applying from outside the UK

    ", + "

    If you\u2019ve been living in Hong Kong or another country where you have to take a TB test for the past 6 months, you must provide a TB certificate.

    ", + "

    If you\u2019re already in the UK

    ", + "

    If you provided a TB certificate to come to the UK, you do not need to show one again.

    ", + "

    Otherwise, you\u2019ll need to provide a TB test certificate to stay in the UK if you came from Hong Kong or another country where you have to take the TB test.

    ", + "

    Getting a TB test certificate

    ", + "

    You might not be able to get a TB test appointment straight away. If you apply for your visa without a certificate, you might not get your certificate by the time your application is being considered.

    ", + "

    If you wait until you have your certificate before you apply for your visa, you can avoid the risk of your application being looked at before you get your certificate.

    ", + "

    The certificate must be no older than 6 months when you apply for your visa.

    ", + "

    Your test certificate must be from an approved test centre abroad or an approved test centre in the UK.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a British National (Overseas) visa.

    ", + "

    Your permanent home must be in Hong Kong.

    ", + "

    Before you apply, you can check:

    ", + "
  • what documents you\u2019ll need to apply
  • ", + "
  • how to apply with your family
  • ", + "

    Apply online

    ", + "

    As part of your online application, you\u2019ll need to prove your identity. How you do this depends on what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your BNO, HKSAR or EEA passport - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "
  • go to an appointment at a visa application centre to give your fingerprints and a photo - this is to get a biometric residence permit
  • ", + "

    You\u2019ll be told what you need to do when you apply. If you\u2019re applying with a family member, your applications will be processed together even if you prove your identity in different ways.

    ", + "

    If you need to go to an appointment:

    ", + "
  • the centre may have to keep your passport and documents while they process your application
  • ", + "
  • you may need to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    If you use a valid BNO or Hong Kong Special Administrative Region (HKSAR) passport to prove your identity, you do not need to travel to the UK using the same passport.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can continue your application if you\u2019ve saved it. To do this, sign in to your account using the link from your sign-up email.

    ", + "

    After you apply

    ", + "

    UKVI aims to make a decision on your application within 12 weeks.

    ", + "

    If you applied using the \u2018UK Immigration: ID check\u2019 app, the 12 weeks starts from the date you submitted your online application.

    ", + "

    If you went to a visa application centre, the 12 weeks starts from the date you attended your appointment and submitted your fingerprints.

    ", + "

    Your application may take longer to process if:

    ", + "
  • your supporting documents need to be verified or you need to provide more evidence
  • ", + "
  • you need to attend an interview
  • ", + "
  • you do not have a valid tuberculosis (TB) certificate
  • ", + "
  • you have a criminal conviction for an offence that is recognised in the UK
  • ", + "
  • you\u2019re applying as a family group, and one or more of your family members has to go to a visa application centre
  • ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    You\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Find out what happens after you get your decision.

    ", + "

    If your application is successful

    ", + "

    You must travel to the UK:

    ", + "
  • within 90 days, if you went to a visa application centre to prove your identity
  • ", + "
  • before your visa expires, if you used the \u2018UK Immigration: ID Check\u2019 smartphone app to prove your identity
  • ", + "

    Children under 18 must travel with one or both parents, unless they\u2019re joining their parents who are already in the UK.

    ", + "

    If your application is unsuccessful

    ", + "

    If you\u2019re a British national (overseas) and your application is unsuccessful, your family members\u2019 applications will also be refused. If your application is successful but your family member\u2019s is not, you can still come to the UK.

    ", + "

    You\u2019ll get a refund for the healthcare surcharge you paid for each unsuccessful application.

    ", + "

    Apply in the UK

    ", + "

    You must apply online for a British National (Overseas) visa.

    ", + "

    Your permanent home must be in the UK, Channel Islands, Isle of Man or Hong Kong.

    ", + "

    Before you apply, you can check:

    ", + "
  • what documents you\u2019ll need to apply
  • ", + "
  • how to apply with your family
  • ", + "

    Switch to a BNO visa

    ", + "

    If you meet the eligibility requirements, you can apply to switch to a BNO visa if you\u2019re already in the UK on a different UK visa.

    ", + "

    Your family members will usually need to apply at the same time as you. Check how to apply with your family.

    ", + "

    Apply online

    ", + "

    As part of your online application, you\u2019ll need to prove your identity. How you do this depends on what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your BNO, Hong Kong Special Administrative Region (HKSAR) or EEA passport - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "
  • go to a UK Visa and Citizenship Application Services (UKVCAS) service point to give your fingerprints and a photo - this is to get a biometric residence permit
  • ", + "

    You\u2019ll be told what you need to do when you apply. If you\u2019re applying with a family member, your applications will be processed together even if you prove your identity in different ways.

    ", + "

    Apply now

    ", + "

    Continue an application

    ", + "

    You can continue your application if you\u2019ve saved it. To do this, you can sign in to your account using the link from your sign-up email.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying for a visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    After you apply

    ", + "

    UKVI aims to make a decision on your application within 12 weeks.

    ", + "

    If you applied using the \u2018UK Immigration: ID check\u2019 app, the 12 weeks starts from the date you submitted your online application.

    ", + "

    If you went to a UKVCAS service point, the 12 weeks starts from the date you attended your appointment and submitted your fingerprints.

    ", + "

    Your application may take longer to process if:

    ", + "
  • your supporting documents need to be verified or you need to provide more evidence
  • ", + "
  • you need to attend an interview
  • ", + "
  • you do not have a valid tuberculosis (TB) certificate
  • ", + "
  • you have a criminal conviction for an offence that is recognised in the UK
  • ", + "
  • you\u2019re applying as a family group, and one or more of your family members has to go to a visa application centre
  • ", + "

    You can stay in the UK until you\u2019ve been given a decision about your application.

    ", + "

    You must not travel outside of the UK, Channel Islands or Isle of Man until you get a decision.

    ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    You\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Find out what happens after you get your decision.

    ", + "

    If your application is unsuccessful

    ", + "

    If your application is unsuccessful, your family members\u2019 applications will also be refused.

    ", + "

    You may be able to stay in the UK for up to 12 months if you were not able to prove that you:

    ", + "
  • have enough money to support yourself and your family in the UK
  • ", + "
  • have a permanent home in the UK, Channel Islands, Isle of Man or Hong Kong
  • ", + "

    When you get your decision letter, it will say if you\u2019re allowed to do this. You\u2019ll be able to apply for a BNO visa again.

    ", + "

    If you stay in the UK for up to 12 months, you\u2019ll get a refund for some of the healthcare surcharge you paid.

    ", + "

    As an adult (18 or older), you\u2019ll get a refund of:

    ", + "
  • \u00a3936 if you applied for 2 years and 6 months
  • ", + "
  • \u00a32,496 if you applied for 5 years
  • ", + "

    As a child under 18 you\u2019ll get a refund of:

    ", + "
  • \u00a3705 if you applied for 2 years and 6 months
  • ", + "
  • \u00a31,880 if you applied for 5 years
  • ", + "

    If you leave the UK, you\u2019ll get a full refund for the healthcare surcharge you paid.

    ", + "

    Living permanently in the UK

    ", + "

    If you\u2019ve lived in the UK for 5 years, you may be able to apply to stay permanently.

    ", + "

    Applying to settle in the UK

    ", + "

    You can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) after you\u2019ve lived in the UK for 5 years on a BNO visa. This means you can stay in the UK without any time limits.

    ", + "

    If you\u2019ve already spent time in the UK on one of the following visas this will count towards the 5 years:

    ", + "
  • Global Talent visa (or a Tier 1 Exceptional Talent visa)
  • ", + "
  • Investor visa
  • ", + "
  • Entrepreneur visa
  • ", + "
  • Skilled Worker visa (or a Tier 2 General work visa)
  • ", + "
  • Minister of Religion visa
  • ", + "
  • Sportsperson visa
  • ", + "
  • Representative of an Overseas Business visa
  • ", + "
  • UK Ancestry visa
  • ", + "

    Time spent on a Student visa (previously called a Tier 4 (General) student visa) or a Youth Mobility Scheme visa will not count.

    ", + "

    To apply, you\u2019ll need to:

    ", + "
  • meet the knowledge of English requirements
  • ", + "
  • pass the Life in the UK Test
  • ", + "
  • have spent no more than 180 days outside the UK in any 12 months in the last 5 years
  • ", + "
  • pay an application fee
  • ", + "

    Children under 18 applying to settle

    ", + "

    If your child applies as a dependent on your BNO visa, they can also apply to settle in the UK with you.

    ", + "

    You can only apply once you, your child and your child\u2019s other parent (unless you have sole responsibility) have all been here for 5 years. If you arrived in the UK at different times, those who arrived earlier will have to extend their visa until the last person to arrive has been here for 5 years.

    ", + "

    Becoming a British citizen

    ", + "

    One year after you settle in the UK (have \u2018indefinite leave to remain\u2019), you\u2019ll usually be able to apply for British citizenship.

    " + ] + }, + { + "title": "Overseas Domestic Worker visa", + "url": "https://www.gov.uk/overseas-domestic-worker-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a visa to visit the UK with your employer if you:

    ", + "
  • live outside the UK
  • ", + "
  • are a domestic worker in a private household
  • ", + "
  • have worked for your employer for at least one year
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    Domestic workers include:

    ", + "
  • cleaners
  • ", + "
  • chauffeurs
  • ", + "
  • cooks
  • ", + "
  • those providing personal care for the employer and their family
  • ", + "
  • nannies
  • ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you started living in the UK on or before 31 December 2020, you can apply to the EU Settlement Scheme.

    ", + "

    From 1 January 2021, you\u2019ll need to apply for an Overseas Domestic Worker visa.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    How long it will take

    ", + "

    You can apply for a visa up to 3 months before your date of travel to the UK.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Fees

    ", + "

    It costs \u00a3516 for an Overseas Domestic Worker visa.

    ", + "

    How long you can stay

    ", + "

    You can use this visa to visit the UK with your employer for up to 6 months. You must return home at the end of the 6 months.

    ", + "

    You cannot extend an Overseas Domestic Worker visa.

    ", + "

    You may be able to extend a Domestic Worker in a Private Household visa if you applied on or before 5 April 2012.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • travel abroad and return to the UK to complete your stay
  • ", + "
  • change employers to another job as a domestic worker in a private household - only if you do not stay longer than the 6 months
  • ", + "

    You cannot:

    ", + "
  • work except as a domestic worker in a private household
  • ", + "
  • live in the UK for long periods of time through frequent visits
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    You must prove that you:

    ", + "
  • are 19 or older
  • ", + "
  • have worked for your employer for at least 1 year
  • ", + "
  • work in the same household as your employer or one they use regularly
  • ", + "
  • plan to travel to the UK with your employer, their partner or children
  • ", + "
  • intend to work as a full-time domestic worker in a UK household your employer will live in
  • ", + "
  • plan to leave the UK at the end of 6 months
  • ", + "
  • are able to support yourself in the UK without the need for public funds
  • ", + "

    Your employer

    ", + "

    Your employer must be either a:

    ", + "
  • British citizen who usually lives outside the UK and who does not intend to remain in the UK for more than 6 months
  • ", + "
  • foreign citizen who is coming to the UK on a visit and who does not intend to remain for more than 6 months
  • ", + "

    Your employer must also pay you at least the national minimum wage.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • proof you can support yourself during your trip, for example bank statements or payslips for the last 6 months
  • ", + "
  • a completed \u2018Appendix domestic worker statement\u2019 signed by both you and your employer
  • ", + "
  • a letter from your employer confirming your job title, how long you\u2019ve worked for them and that you\u2019re a permanent employee
  • ", + "

    You\u2019ll need to have a blank page in your passport on which to put the visa.

    ", + "

    You must also provide 1 of the following documents covering the same period of employment:

    ", + "
  • pay slips or bank statements showing payment of salary
  • ", + "
  • confirmation of tax paid
  • ", + "
  • confirmation of health insurance paid
  • ", + "
  • contract of employment
  • ", + "
  • work visa, residence permit or equivalent passport endorsement for the country where you\u2019re currently employed by your employer
  • ", + "
  • visas or equivalent passport endorsement if you\u2019ve travelled with your employer before
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Domestic workers who applied before 5 April 2012

    ", + "

    There are different rules if you applied for a Domestic Worker in a Private Household visa on or before 5 April 2012.

    ", + "

    You can:

    ", + "
  • extend your stay in the UK every 12 months
  • ", + "
  • apply to settle permanently in the UK after 5 years
  • ", + "
  • bring your partner and children under 18
  • ", + "
  • change employer while your visa is valid
  • ", + "

    How long you can stay

    ", + "

    You can apply to extend your visa for 12 months at a time.

    ", + "

    If you\u2019ve worked in the UK as a domestic worker for 5 years you can apply to settle permanently in the UK.

    ", + "

    You should apply before your current permission to stay expires.

    ", + "

    Eligibility

    ", + "

    To extend your visa you must:

    ", + "
  • be a domestic worker in a private household
  • ", + "
  • have applied for your domestic worker visa on or before 5 April 2012
  • ", + "
  • have continued to live in the UK
  • ", + "
  • apply while you\u2019re still in the UK
  • ", + "

    To settle in the UK as a domestic worker you must:

    ", + "
  • have applied for your domestic worker visa on or before 5 April 2012
  • ", + "
  • have been living here legally for at least 5 years
  • ", + "
  • currently have permission to stay here as a domestic worker
  • ", + "
  • have been in the UK as a full-time domestic worker continuously throughout the 5 years (you cannot have been outside the UK for more than 180 days in any 12 consecutive months)
  • ", + "
  • have maintained and accommodated yourself and any dependants without the use of public funds throughout the 5 years
  • ", + "
  • have sufficient knowledge of English and life in the UK
  • ", + "

    Documents you\u2019ll need

    ", + "

    To extend your visa you must provide both of the following:

    ", + "
  • a letter from your employer confirming that they want to continue to employ you
  • ", + "
  • a completed \u2018Appendix domestic worker statement\u2019 signed by both you and your employer
  • ", + "

    To settle in the UK you must provide:

    ", + "
  • a letter from your employer confirming that they want to continue to employ you
  • ", + "
  • evidence that you can satisfy the knowledge of English and life in the UK criteria
  • ", + "

    If you\u2019ve had any absences because of serious illness, births or deaths in your family, or had to leave the UK, you also need to write a letter detailing these. You should also include any related supporting documents with your letter, for example medical certificates, birth/death certificates, information about why you had to leave the UK.

    ", + "

    How to extend your visa

    ", + "

    You must apply online to extend your visa.

    ", + "

    You can include your dependants (partner and children aged under 18) on your application.

    ", + "

    If you have any dependant children aged over 18 they will need to apply separately.

    ", + "

    How to apply to settle

    ", + "

    You must apply online to settle.

    ", + "

    You can include your dependants (partner and children aged under 18) on your application. Your partner must be able to demonstrate their knowledge of English and life in the UK.

    ", + "

    If you have any dependant children aged over 18 they will need to apply separately.

    ", + "

    Fees

    ", + "

    For each person applying it costs:

    ", + "
  • \u00a31,033 to apply to extend your visa
  • ", + "
  • \u00a32,389 to apply to settle
  • ", + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    You can pay an extra \u00a3800 to use the super priority service.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Knowledge of English

    ", + "

    If you want to settle in the UK, you\u2019ll need to prove that you can satisfy the English language requirement.

    ", + "

    You can only settle as a domestic worker in a private household if you applied for entry on or before 5 April 2012.

    ", + "

    You can prove your knowledge of English by either:

    ", + "
  • passing an approved English language test with at least CEFR level B1 in reading, writing, speaking and listening
  • ", + "
  • having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    You may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.

    ", + "

    Exceptions

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    You also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.

    ", + "

    Your employment rights

    ", + "

    When you work in the UK your employer must:

    ", + "
  • pay you an agreed rate, which must be at least the national minimum wage
  • ", + "
  • not force you to work excessive hours
  • ", + "
  • give you agreed holiday pay
  • ", + "
  • give you the notice you\u2019re entitled to if your employment ends
  • ", + "

    You should already have agreed your employment conditions with your employer and have a copy of these in writing. Your employer cannot change your employment conditions unless you agree.

    ", + "

    If your employer does not meet these requirements, you can take legal action through an employment or industrial tribunal or the civil courts.

    ", + "

    Get advice and support

    ", + "

    You can get free and confidential advice from the Acas helpline.

    ", + "

    You can also contact the charity Kalayaan for free, confidential and independent advice as a domestic worker in the UK.

    ", + "

    If you want to return home

    ", + "

    Contact your country\u2019s Embassy or High Commission in the UK if you want to return home.

    ", + "

    You can also get confidential advice from a registered immigration adviser. Use the Office of the Immigration Services Commissioner (OISC) Adviser Finder to find a registered adviser near you.

    ", + "

    If you\u2019re a victim of modern slavery or human trafficking

    ", + "

    Modern slavery and human trafficking involve being forced to do something you do not want to do, usually by being hurt or threatened.

    ", + "

    You may be forced to work for free or less than the minimum wage, get married or move to a country against your will.

    ", + "

    You can apply to stay in the UK for up to 2 years, if both of the following apply:

    ", + "
  • you entered the UK on a Overseas Domestic Worker visa, on a Domestic Worker in a Private Household visa, or as a private servant of a diplomat (known as a T5 International Agreement visa)
  • ", + "
  • you have a \u2018conclusive grounds\u2019 letter from the Single Competent Authority (SCA) confirming that you\u2019re a victim of modern slavery or human trafficking
  • ", + "

    How to get a conclusive grounds letter

    ", + "

    If you think you\u2019re a victim of modern slavery or human trafficking you need to contact the police or another first responder organisation. They can help refer your case to the SCA.

    ", + "

    Read the \u2018First responder organisations\u2019 section of the guidance on referrals to find out which organisations can refer your case.

    ", + "

    The SCA will decide if you\u2019re a victim of modern slavery or human trafficking. They will send you a conclusive grounds letter confirming their decision.

    ", + "

    Apply

    ", + "

    You must apply within 28 days of getting confirmation you\u2019re a victim of modern slavery or human trafficking.

    ", + "

    You must apply online to stay in the UK.

    ", + "

    It\u2019s free to apply.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    Applying for a different visa

    ", + "

    If you apply for a different type of visa within 28 days of getting confirmation but are refused, you can still apply as a victim of modern slavery or human trafficking.

    ", + "

    You must do this within 28 days of getting the refusal.

    ", + "

    Working in the UK

    ", + "

    You\u2019ll be able to work as a domestic worker for up to 2 years.

    ", + "

    You do not need to have a job offer before you apply. You can change job while you\u2019re in the UK.

    " + ] + }, + { + "title": "Representative of an Overseas Business visa", + "url": "https://www.gov.uk/representative-overseas-business", + "contents": [ + "

    Overview

    ", + "

    You can apply as a representative of an overseas business if you\u2019re either:

    ", + "
  • the sole representative of an overseas business planning to set up either a UK branch or wholly owned subsidiary
  • ", + "
  • an employee of an overseas newspaper, news agency or broadcasting organisation posted on a long-term assignment to the UK
  • ", + "

    You must also meet the other eligibility requirements.

    ", + "

    How long it will take

    ", + "

    If you apply from outside the UK, the earliest you can apply is 3 months before you travel.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    If you apply from inside the UK

    ", + "

    You will get a decision within 8 weeks.

    ", + "

    UKVI will contact you if your application will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example, if you have a criminal conviction)
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expires.

    ", + "

    Fees

    ", + "

    If you apply from outside the UK, a Representative of an Overseas Business visa costs \u00a3610.

    ", + "

    If you apply from inside the UK, you\u2019ll need to pay:

    ", + "
  • \u00a3704 for the visa
  • ", + "
  • \u00a319.20 to have your biometric information (fingerprints and a photo) taken
  • ", + "

    Healthcare surcharge

    ", + "

    You must pay the healthcare surcharge as part of your application. Check how much you need to pay before you apply.

    ", + "

    How long you can stay

    ", + "

    The visa lets you stay in the UK for an initial period of 3 years.

    ", + "

    You may be able to extend your visa for another 2 years.

    ", + "

    After you\u2019ve been in the UK for 5 years, you can apply for permission to settle permanently in the UK.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work for your employer, full time
  • ", + "
  • bring your family (\u2018dependants\u2019) with you to the UK
  • ", + "
  • apply to extend your visa
  • ", + "
  • apply to settle in the UK after you\u2019ve been here for 5 years
  • ", + "

    You cannot:

    ", + "
  • work for yourself or any other business
  • ", + "
  • stay in the UK if the sole representative arrangement is ended by your employer
  • ", + "
  • switch to this visa from any other visa category
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    To be eligible for this visa you must:

    ", + "
  • have enough money to support yourself without help from public funds
  • ", + "
  • meet the English requirement
  • ", + "

    Sole representatives

    ", + "

    To apply as a sole representative you must:

    ", + "
  • be recruited and employed outside the UK by an active and trading business (whose headquarters and principal place of business are, and will remain, outside the UK)
  • ", + "
  • have the skills, experience and knowledge to do the role
  • ", + "
  • hold a senior position within the business (but do not own or control the majority of it) and have full authority to make decisions on its behalf
  • ", + "
  • intend to establish the overseas business\u2019s first commercial presence in the UK, either as a registered branch or a wholly owned subsidiary
  • ", + "

    You may also be eligible if the business has a legal entity in the UK that does not employ staff or do any business.

    ", + "

    If your employer has been working to establish a UK branch or subsidiary, but it is not yet set up, you can replace a previous sole representative.

    ", + "

    Newspaper, news agency or broadcast employees

    ", + "

    As an employee of an overseas newspaper, news agency or broadcasting organisation, you can come to the UK if you\u2019re being posted here on a long-term assignment.

    ", + "

    Knowledge of English

    ", + "

    You may need to prove your knowledge of the English language when you apply.

    ", + "

    You can prove your knowledge of English by either:

    ", + "
  • passing an approved English language test with at least CEFR level A1 in speaking and listening
  • ", + "
  • having an academic qualification that was taught in English and is recognised by UK NARIC as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    You may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.

    ", + "

    Exceptions

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    You also may not have to prove your knowledge of English in other circumstances - check the visa guidance.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • evidence that you can support yourself and any dependants during your trip, for example bank statements or payslips for the last 6 months
  • ", + "
  • proof that you meet the English requirement
  • ", + "

    If you\u2019re applying from overseas, you\u2019ll also need to provide:

    ", + "
  • details of where you\u2019ll be staying during your stay
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "

    If you\u2019re applying from overseas, you\u2019ll need to have a blank page in your passport on which to put the visa.

    ", + "

    All applicants need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guide for a list of documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Sole representatives

    ", + "

    When applying as a sole representative of an overseas business you\u2019ll need to provide:

    ", + "
  • a full description of the business\u2019s activities, including details of assets and accounts
  • ", + "
  • a letter confirming the overseas business will set up a wholly owned subsidiary or register a branch in the UK in the same business activity as it runs overseas
  • ", + "
  • your job description, employment contract and salary details
  • ", + "
  • a letter confirming you\u2019re familiar with the business and have the power to take operational decisions
  • ", + "

    You should also provide evidence that you:

    ", + "
  • are directly employed by the business and are not acting as a sales agent (for example, hired by a business to sell or distribute their products within the UK, but working for yourself and providing your services for a fee)
  • ", + "
  • were recruited to the business outside of the UK
  • ", + "
  • hold a senior position in the business, with the authority to make decisions on its behalf and set up and run a registered branch or wholly owned subsidiary
  • ", + "
  • will be working full time for the business or subsidiary for the duration of your stay and will not carry out any other work
  • ", + "
  • do not own or control a majority of the overseas business
  • ", + "

    Newspaper, news agency or broadcast employees

    ", + "

    As an employee of an overseas newspaper, news agency or broadcasting organisation you must also provide:

    ", + "
  • a full description of the parent company\u2019s activities, including details of assets and accounts
  • ", + "
  • confirmation that you will be representing them in the UK in a long term, full-time role
  • ", + "

    Apply

    ", + "

    Read the Representative of an Overseas Business guidance before you apply.

    ", + "

    Apply outside the UK

    ", + "

    You must apply online for a Representative of an Overseas Business visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.

    ", + "

    Apply now

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply inside the UK

    ", + "

    You must apply online.

    ", + "

    Apply now

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your stay in the UK under a Representative of an Overseas Business visa.

    ", + "

    You should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must already have this visa as either:

    ", + "
  • a representative of an overseas business
  • ", + "
  • an employee of an overseas newspaper, news agency or broadcasting organisation
  • ", + "

    You must also meet the following conditions:

    ", + "
  • you\u2019re still working for the same employer as when you were issued your previous visa
  • ", + "
  • you\u2019ve established, and are supervising, a UK branch or subsidiary of the overseas business
  • ", + "
  • your employer\u2019s principal place of business is still outside the UK
  • ", + "

    You must be in the UK to extend your visa.

    ", + "

    How long you can stay

    ", + "

    A Representative of an Overseas Business visa can be extended for up to 2 years after the original visa duration of 3 years.

    ", + "

    Your visa can be extended for 3 years if your previous Representative of an Overseas Business visa was issued before 1 October 2009.

    ", + "

    You can apply to settle once you have been in the UK for 5 years and you have an ongoing job with the same company.

    ", + "

    Fees

    ", + "

    For each person applying, you\u2019ll need to pay:

    ", + "
  • \u00a3704 to extend this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "
  • \u00a319.20 to have your biometric information (fingerprints and a photo) taken
  • ", + "

    How to extend your visa

    ", + "

    You must apply online.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Family members

    ", + "

    Your family members (\u2018dependants\u2019) can come with you when you come to the UK on this visa.

    ", + "

    A \u2018dependant\u2019 is any of the following:

    ", + "
  • your husband, wife or partner
  • ", + "
  • your child under 18
  • ", + "

    Your husband, wife or partner cannot come to the UK as your dependant if they own or control a majority of the overseas business you will be representing.

    ", + "

    Dependants applying from outside the UK

    ", + "

    Your family members must apply online.

    ", + "

    They\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.

    ", + "

    They may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.

    ", + "

    Dependants applying from inside the UK

    ", + "

    Your dependants can apply to extend or switch their visas to stay with you if they\u2019re already in the UK. They must apply online.

    ", + "

    It\u2019s best to submit your dependants\u2019 applications at the same time as yours.

    ", + "

    Members of your family cannot apply in the UK as your dependant if they hold a visitor visa.

    ", + "

    Get help to apply online

    ", + "

    Your family can get help with completing the online form if they:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    Your family can only use this service if they\u2019re applying to extend or switch to your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Children born while you\u2019re in the UK

    ", + "

    If you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.

    ", + "

    You must do this if you want to travel in and out of the UK with them.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    Using a solicitor or an agent

    ", + "

    You can use a solicitor or other agent to help with your application or extension.

    ", + "

    They must be registered with the Office of the Immigration Services Commissioner (OISC), unless they are exempt.

    ", + "

    Application decisions will be sent to your representative, provided they are registered or permitted to give immigration advice.

    ", + "

    Exemptions from OISC registration

    ", + "

    An adviser who is a member of one of the following professional bodies (or working under their supervision) does not need to be registered with the OISC:

    ", + "
  • Law Society
  • ", + "
  • Law Society in Scotland
  • ", + "
  • Law Society in Northern Ireland
  • ", + "
  • Institute of Legal Executives
  • ", + "
  • Faculty of Advocates
  • ", + "
  • General Council of the Bar
  • ", + "
  • General Council of the Bar of Northern Ireland
  • ", + "

    Members of the following UK bodies (or advisers working under their supervision) are also exempt:

    ", + "
  • state education institutions and their student unions
  • ", + "
  • health sector bodies
  • ", + "
  • employers giving immigration advice to their employees or prospective employees only
  • ", + "

    Advisers from outside the UK

    ", + "

    You can use an adviser who is not in the UK. They do not need to be registered with the OISC.

    ", + "

    Passports or other travel documents cannot be sent or returned to advisers outside the UK.

    " + ] + }, + { + "title": "Turkish Businessperson visa", + "url": "https://www.gov.uk/turkish-business-person", + "contents": [ + "

    Overview

    ", + "

    You can apply to extend your Turkish Businessperson visa if you already have permission to stay in the UK as a Turkish Businessperson.

    ", + "

    You can:

    ", + "
  • continue running your business in the UK, and start another one
  • ", + "
  • continue to help run an established business in the UK
  • ", + "

    You must meet the eligibility requirements.

    ", + "

    New applications for the Turkish Businessperson visa have closed. Only children under 21 (\u2018child dependants\u2019) can apply to join you in the UK on this visa.

    ", + "

    Eligibility

    ", + "

    You can only extend your visa if you\u2019re already in the UK.\nYou\u2019ll need to meet the eligibility requirements to extend your visa.

    ", + "

    How long you can stay

    ", + "

    You can apply to extend your visa for up to 3 years.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.

    ", + "

    After 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    You must apply to extend your visa online.

    ", + "

    Your partner and children (\u2018dependants\u2019) can apply separately to extend their dependant visas, if they already have them.

    ", + "

    If your children or your partner\u2019s children want to join you from outside the UK, they\u2019ll need to apply as your dependants.

    ", + "

    How long it takes

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied, you\u2019ll usually get a decision on your visa extension within 6 months.

    ", + "

    How much it costs

    ", + "

    There\u2019s no fee to apply to extend your visa.

    ", + "

    What you can and cannot do

    ", + "

    With a Turkish Businessperson visa extension you can:

    ", + "
  • keep running your business in the UK, and start another one
  • ", + "
  • keep being a partner in an existing business which you\u2019ll have an active part in running
  • ", + "
  • apply to extend your stay if you meet the eligibility requirements
  • ", + "
  • study
  • ", + "
  • do voluntary work
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements
  • ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "
  • change jobs or employer
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Turkish Businessperson visa.

    ", + "

    Eligibility

    ", + "

    To be eligible to apply for an extension of your Turkish Businessperson visa you need to:

    ", + "
  • have a valid Turkish Businessperson visa
  • ", + "
  • show you have not broken any immigration laws
  • ", + "
  • keep running a viable business
  • ", + "
  • keep being able to pay your share of the costs of running the business
  • ", + "
  • show that your share of the profits continue to be enough to support you and your family without your needing to have another job
  • ", + "

    If you are part of an existing partnership or company you\u2019ll need to show that you still have an active part in running the business.

    ", + "

    Documents you\u2019ll need to apply

    ", + "

    When you apply to extend your visa you\u2019ll need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months
  • ", + "
  • proof of your living costs, such as a tenancy agreement, mortgage agreement, utility bills, council tax statement, bank statements, documents relating to transfer of money to relatives abroad
  • ", + "
  • proof of state benefits you\u2019ve received in the UK
  • ", + "
  • a biometric residence permit showing your Turkish Businessperson visa
  • ", + "
  • your police registration certificate
  • ", + "

    You\u2019ll need to have a blank page in your passport on which to put the visa.

    ", + "

    You may be asked to get a police certificate for yourself and your family in the UK if you or they don\u2019t already have one.

    ", + "

    Proof for your business

    ", + "

    You should provide proof that you\u2019re currently running your business

    ", + "

    If you\u2019re continuing to run a business or partnership

    ", + "

    You may need to provide proof such as:

    ", + "
  • insurance documents
  • ", + "
  • business accounts prepared by a chartered accountant or approved by an auditor
  • ", + "
  • HM Revenue and Customs (HMRC) documents (including evidence of payment)
  • ", + "
  • qualifications for running the business, such as relevant formal qualifications or evidence of previous relevant experience
  • ", + "
  • evidence of your finances and your investment in the business, such as UK or overseas bank statements, overseas money transfers, and bank loans
  • ", + "
  • evidence of any financial assistance from a third party (for example family member), such as bank statements or other financial documents as evidence of their finances, and a legal or other document confirming their involvement in and share of the business
  • ", + "
  • a document setting out the terms of your involvement in the business
  • ", + "

    If you\u2019re establishing another business or partnership

    ", + "

    You may need to provide proof such as:

    ", + "
  • a business plan
  • ", + "
  • evidence you are investing money of your own into the new business
  • ", + "
  • documents for your business premises
  • ", + "
  • partnership agreements
  • ", + "

    Extend your visa

    ", + "

    You can usually apply to extend a Turkish Businessperson visa if you\u2019re in the UK and all of the following are true:

    ", + "
  • your business is still going
  • ", + "
  • you\u2019re still able to pay your share of the costs of running the business (its liabilities)
  • ", + "
  • your share of the profits will be enough to support you and your dependants without you needing to have another job
  • ", + "

    Your partner or children will need to apply separately, including children who have turned 21 during your stay.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Fees

    ", + "

    There\u2019s no fee to apply to extend your visa.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to extend your Turkish Businessperson visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 6 months of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to extend their permission to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. To do this, they must have a valid dependant visa.

    ", + "

    Your children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.

    ", + "

    If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 21 - including if they were born in the UK during your stay
  • ", + "
  • your child over 21 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    Your child

    ", + "

    Your child must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Documents you must provide

    ", + "

    For each family member in the UK applying to extend you must have:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • a biometric residence permit (BRP) showing their current dependant visa
  • ", + "
  • proof that you have sole responsibility for any dependants aged under 21 if the other parent will not be in the UK, for example written permission or relevant legal documents
  • ", + "
  • proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months
  • ", + "

    If your dependant is in the UK and was asked to register with the police when they arrived, you must also provide their police registration certificate.

    ", + "

    Applying inside the UK (extend)

    ", + "

    Your partner or children who are already in the UK can apply to extend their visa.

    ", + "

    You can either:

    ", + "
  • include your dependants on your visa extension application
  • ", + "
  • ask your dependant to apply separately
  • ", + "

    How to apply

    ", + "

    If the dependant is your partner, they must apply online as a partner.

    ", + "

    You need to apply online for your child.

    ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Applying from outside the UK

    ", + "

    Your children or those of your partner can apply to come to the UK if you have a Turkish Businessperson visa. They\u2019ll need to apply for a visa as your dependant.

    ", + "

    If you\u2019re already in the UK and want your child to join you, they must apply online for a dependant visa.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + { + "title": "Turkish Worker visa", + "url": "https://www.gov.uk/turkish-worker", + "contents": [ + "

    Overview

    ", + "

    You can apply to extend your Turkish Worker visa if you already have permission to stay in the UK as a Turkish Worker.

    ", + "

    Eligibility

    ", + "

    You can only extend your visa if you\u2019re already in the UK.

    ", + "

    You\u2019ll need to meet the eligibility requirements to extend your visa.

    ", + "

    How long you can stay

    ", + "

    The length of time you can apply to extend your stay for and what job you can do depends on how long you\u2019ve legally worked in the UK.

    ", + "How long you\u2019ve worked in the UK | Length of permission to be in the UK | What you can do", + "3 to 4 years | Up to 1 year | Change employer, but in the same occupation", + "4+ years | Up to 3 years | Work in any occupation for any employer", + "

    You must apply from within the UK before your current permission to stay expires.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.

    ", + "

    After 5 years, you may be able to apply to settle in the UK permanently (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    You must apply to extend your visa online.

    ", + "

    Your partner and children (\u2018dependants\u2019) can apply separately to extend their dependant visas, if they already have them.

    ", + "

    How long it takes

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied, you\u2019ll usually get a decision on your visa extension within 6 months.

    ", + "

    How much it costs

    ", + "

    There\u2019s no fee to apply to extend your visa.

    ", + "

    What you can and cannot do

    ", + "

    With a Turkish Worker visa extension you can:

    ", + "
  • include your family (\u2018dependants\u2019) on this extension if they\u2019re already in the UK and have a dependant visa
  • ", + "
  • study
  • ", + "
  • do voluntary work
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements
  • ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Turkish Worker visa.

    ", + "

    Eligibility

    ", + "

    To be eligible to apply for an extension of your Turkish Worker visa you need to:

    ", + "
  • have a valid Turkish Worker visa
  • ", + "
  • show you have not broken any immigration laws
  • ", + "

    Documents you\u2019ll need to apply

    ", + "

    When you apply to extend your visa you\u2019ll need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • a biometric residence permit showing your Turkish Worker visa
  • ", + "
  • proof of all your employment during your current stay in the UK, including payslips and bank statements for the whole period you\u2019ve worked here
  • ", + "

    You\u2019ll need to have a blank page in your passport on which to put the visa.

    ", + "

    If you\u2019re an au pair, you can provide a letter from your host family if you do not have payslips and bank statements.

    ", + "

    You may be asked to get a police certificate for yourself and your family in the UK if you or they don\u2019t already have one.

    ", + "

    Your job

    ", + "

    You should also provide evidence that shows you have been legally employed in the UK with the same employer for at least 3 years, and you\u2019re planning to:

    ", + "
  • carry on doing the same type of job, if you\u2019ve been legally employed for between 3 and 4 years
  • ", + "
  • work for any employer doing any job, if you\u2019ve been legally employed for 4 years or longer
  • ", + "

    Evidence can include things like a letter from your current or prospective employer, or a current job application letter.

    ", + "

    Extend your visa

    ", + "

    You can usually apply to extend a Turkish Worker visa if you\u2019re in the UK and all of the following are true:

    ", + "
  • you have a valid Turkish Worker visa
  • ", + "
  • you can show you have not broken any immigration laws
  • ", + "

    Your partner or children will need to apply separately, including children who have turned 21 during your stay.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Fees

    ", + "

    There\u2019s no fee to apply to extend your visa.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to extend your Turkish Worker visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 6 months of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to extend their permission to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. To do this, they must have a valid dependant visa.

    ", + "

    Your children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.

    ", + "

    If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 21 - including if they were born in the UK during your stay
  • ", + "
  • your child over 21 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    Your child

    ", + "

    Your child must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Documents you must provide

    ", + "

    For each dependant in the UK applying to extend you must have:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • a biometric residence permit (BRP) showing their current dependant visa
  • ", + "
  • bank statements or payslips for the last 6 months showing you can support them
  • ", + "
  • a police registration certificate if your dependants were asked to register with the police when they came to the UK
  • ", + "

    If you\u2019re the only parent of any dependants aged under 18 in the UK, you must provide legal documents or written permission from their other parent showing you legally have sole responsibility.

    ", + "

    Applying inside the UK (extend)

    ", + "

    Your partner or children who are already in the UK can apply to extend their visa.

    ", + "

    Your partner or child will need to apply separately (including children who have turned 21 during your stay).

    ", + "

    How to apply

    ", + "

    If the dependant is your partner, they must apply online as a partner.

    ", + "

    You need to apply online for your child.

    ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Applying from outside the UK

    ", + "

    Your children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.

    ", + "

    If you\u2019re already in the UK and want your child to join you, they must apply online for a dependant visa.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your children (or your partner\u2019s children), will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 12 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + { + "title": "UK visa sponsorship for employers", + "url": "https://www.gov.uk/uk-visa-sponsorship-employers", + "contents": [ + "

    Overview

    ", + "

    You\u2019ll usually need a sponsor licence to employ someone to work for you from outside the UK. This includes citizens of the EU, Iceland, Liechtenstein, Norway and Switzerland who arrived in the UK after 31 December 2020.

    ", + "

    This includes unpaid work, like running a charity.

    ", + "

    You will not need a licence to sponsor certain groups, for example:

    ", + "
  • Irish citizens
  • ", + "
  • those with settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • those with indefinite leave to remain in the UK
  • ", + "

    Read more about who does not need sponsorship.

    ", + "

    Sponsoring someone does not guarantee that they\u2019ll be allowed to come to or stay in the UK.

    ", + "

    How to get a sponsor licence

    ", + "
  • Check your business is eligible.
  • ", + "
  • Choose the type of licence you want to apply for - this will depend on what type of worker you want to sponsor.
  • ", + "
  • Decide who will manage sponsorship within your business.
  • ", + "
  • Apply online and pay the fee.
  • ", + "

    UK Visas and Immigration (UKVI) may visit your business to check it\u2019s suitable.

    ", + "

    After you apply

    ", + "

    You\u2019ll be given a licence rating if your application is successful.

    ", + "

    You\u2019ll be able to issue certificates of sponsorship if you have jobs that are suitable for sponsorship.

    ", + "

    Your licence will be valid for 4 years. You may lose your licence if you do not meet your responsibilities as a sponsor.

    ", + "

    Eligibility

    ", + "

    To get a licence, you cannot have:

    ", + "
  • unspent criminal convictions for immigration offences or certain other crimes, such as fraud or money laundering
  • ", + "
  • had a sponsor licence revoked in the last 12 months
  • ", + "

    You\u2019ll need appropriate systems in place to monitor sponsored employees.

    ", + "

    UK Visas and Immigration (UKVI) will review your application form and supporting documents. They may visit your business to make sure you\u2019re trustworthy and capable of carrying out your duties.

    ", + "

    Types of licence

    ", + "

    The licence you need depends on whether the workers you want to fill your jobs are:

    ", + "
  • \u2018Workers\u2019 - for those with long-term job offers
  • ", + "
  • \u2018Temporary workers\u2019
  • ", + "

    You can apply for a licence covering one or both types of worker.

    ", + "

    Worker licence

    ", + "

    A \u2018Worker\u2019 licence will let you employ people long-term or permanently. It\u2019s split into:

    ", + "
  • Skilled Worker - the role must meet the job suitability requirements
  • ", + "
  • Intra-company visas - this includes Intra-company Transfer and Intra-company Graduate Trainee, for multinational companies which need to transfer established employees or graduate trainees to the UK
  • ", + "
  • Minister of Religion - for people coming to work for a religious organisation
  • ", + "
  • Sportsperson - for elite sportspeople and coaches who will be based in the UK
  • ", + "

    Temporary Worker licence

    ", + "

    A \u2018Temporary Worker\u2019 licence will let you employ people on a temporary basis. It\u2019s split into:

    ", + "
  • Creative or Sporting Worker - to work as a high-level sportsperson (up to 1 year), entertainer or artist (up to 2 years)
  • ", + "
  • Charity Worker - for unpaid workers at a charity (up to 1 year)
  • ", + "
  • Religious Worker - for those working in a religious order or organisation (2 years)
  • ", + "
  • Government Authorised Exchange Worker - work experience (1 year), research projects or training, for example practical medical or scientific training (2 years) to enable a short-term exchange of knowledge
  • ", + "
  • International Agreement Worker - where the worker is coming to do a job which is covered by international law, for example employees of overseas governments
  • ", + "
  • Seasonal Worker - for those coming to the UK for up to 6 months to do farm work
  • ", + "

    Sponsorship management roles

    ", + "

    You need to appoint people within your business to manage the sponsorship process when you apply for a licence.

    ", + "

    The main tool they\u2019ll use is the sponsorship management system (SMS).

    ", + "

    The roles are:

    ", + "
  • authorising officer \u2013 a senior and competent person responsible for the actions of staff and representatives who use the SMS
  • ", + "
  • key contact \u2013 your main point of contact with UK Visas and Immigration (UKVI)
  • ", + "
  • level 1 user \u2013 responsible for all day-to-day management of your licence using the SMS
  • ", + "

    These roles can be filled by the same person or different people.

    ", + "

    You can also appoint an optional level 2 user once you have your licence. This is an SMS user with more restricted access than a level 1 user, for example they cannot withdraw a certificate of sponsorship.

    ", + "

    Suitability checks

    ", + "

    You and your staff will be checked to make sure you\u2019re suitable for these roles. You may not get your licence if anyone involved in sponsorship has:

    ", + "
  • an unspent criminal conviction
  • ", + "
  • been fined by UKVI in the past 12 months
  • ", + "
  • been reported to UKVI
  • ", + "
  • broken the law
  • ", + "
  • been a \u2018key person\u2019 at a sponsor that had its licence revoked in the last 12 months
  • ", + "
  • failed to pay VAT or other excise duty
  • ", + "

    You and your allocated staff must also:

    ", + "
  • be based in the UK most of the time
  • ", + "
  • not be a contractor or consultant contracted for a specific project
  • ", + "
  • not be subject to a bankruptcy restriction order or undertaking, or a debt relief restriction order or undertaking
  • ", + "
  • not have a history of non-compliance with sponsor requirements
  • ", + "

    Your allocated staff must usually be paid members of staff, or office holders.

    ", + "

    Read the full guidance on appointing \u2018key personnel\u2019.

    ", + "

    HR contractors and agency staff

    ", + "

    You must have at least one level 1 user who is your employee. You can have other level 1 or level 2 users employed by third-party organisations contracted to provide you with HR services. Your level 2 user can be a temporary member of staff supplied by an agency.

    ", + "

    UK-based legal representatives

    ", + "

    You can allocate any of the roles to a UK-based legal representative, apart from the authorising officer role. Your representative must be qualified to give immigration advice or services.

    ", + "

    Apply for your licence

    ", + "

    You need to apply online for your licence.

    ", + "

    Once you\u2019ve finished the online application, you need to send in:

    ", + "
  • the submission sheet at the end of the application
  • ", + "
  • your supporting documents
  • ", + "

    Any affidavits or statutory declarations you send must be witnessed by a qualified, independent person - for example, a solicitor, Notary Public, Justice of the Peace, Commissioner for Oaths, or (in Scotland only) a Councillor.

    ", + "

    Apply now

    ", + "

    How to send the documents

    ", + "

    You can scan or take pictures of your submission sheet and supporting documents and send them to the email address given on the submission sheet. Make sure your files:

    ", + "
  • are in PDF, JPEG or PNG format
  • ", + "
  • have descriptive titles, with 25 or fewer characters
  • ", + "
  • are high enough quality to be read
  • ", + "

    If your documents are not in English or Welsh, they must be accompanied by a certified translation - there\u2019s more information in part 1 of the guidance for sponsors.

    ", + "

    If you cannot scan and send the documents by email, contact UK Visas and Immigration (UKVI) using the contact details on the submission sheet.

    ", + "

    Licence fees

    ", + "

    You need to pay a fee when you apply. The fee depends on the type of licence you\u2019re applying for and what type of organisation you are.

    ", + "

    You\u2019re usually a small sponsor if two of the following apply:

    ", + "
  • your annual turnover is \u00a310.2 million or less
  • ", + "
  • your total assets are worth \u00a35.1 million or less
  • ", + "
  • you have 50 employees or fewer
  • ", + "

    You\u2019re a charitable sponsor if you\u2019re either:

    ", + "
  • a registered, excepted or exempt charity
  • ", + "
  • an ecclesiastical corporation established for charitable purposes
  • ", + "

    Contact the Business Helpdesk if you\u2019re unsure which category your business fits into.

    ", + "Type of licence | Fee for small or charitable sponsors | Fee for medium or large sponsors", + "Worker | \u00a3536 | \u00a31,476", + "Temporary Worker | \u00a3536 | \u00a3536", + "Worker and Temporary Worker | \u00a3536 | \u00a3 1,476", + "Add a Worker licence to an existing Temporary Worker licence | No fee | \u00a3940", + "Add a Temporary Worker licence to an existing Worker licence | No fee | No fee", + "

    How long it takes to get a decision

    ", + "

    Most applications (8 out of 10) are dealt with in less than 8 weeks. UKVI may need to visit your business.

    ", + "

    You may be able to pay \u00a3500 to get a decision within 10 working days. You\u2019ll be told if you can after you apply.

    ", + "

    Applications refused because of a mistake

    ", + "

    You can apply to request a review of your application if you think it was refused because:

    ", + "
  • the caseworker processing your application made a mistake
  • ", + "
  • your supporting documents were not considered
  • ", + "

    You cannot apply just because you disagree with the decision.

    ", + "

    Help and advice

    ", + "

    Sponsors can get advice from the sponsorship, employer and education helpline:

    ", + "

    You can also join the premium customer service scheme to get extra support from a licence manager - this costs at least \u00a38,000 a year.

    ", + "

    UK businesses and Tier 1 (Investors) can get help from the Business Helpdesk:

    ", + "

    Your licence rating

    ", + "

    You\u2019ll get an A-rated licence if your application is approved.

    ", + "

    A-rating - full sponsor licence

    ", + "

    An A-rated licence lets you start assigning certificates of sponsorship.

    ", + "

    Your business will be listed in the register of sponsors.

    ", + "

    Downgrading to B-rating

    ", + "

    Your A-rated licence may be downgraded to a B-rating at a later stage if you do not continue to meet your sponsor duties.

    ", + "

    If this happens, you will not be able to issue new certificates of sponsorship until you\u2019ve made improvements and upgraded back to an A-rating.

    ", + "

    You\u2019ll still be able to issue certificates to workers you already employ who want to extend their permission to stay.

    ", + "

    Upgrade to an A-rating

    ", + "

    You need to follow an \u2018action plan\u2019 provided by UK Visas and Immigration (UKVI) to upgrade your licence.

    ", + "

    You have to pay \u00a31,476 for an action plan.

    ", + "

    You must pay the fee within 10 working days of the date UKVI tells you about the downgrade. If you do not, you\u2019ll lose your licence.

    ", + "

    At the end of the action plan

    ", + "

    You\u2019ll be upgraded to an A-rating if you complete all the steps and there\u2019s nothing else you need to improve.

    ", + "

    You\u2019ll lose your licence if you do not complete all the steps.

    ", + "

    If you need to make other improvements, you\u2019ll be given another B-rating and will have to follow a new action plan. You\u2019ll have to pay the fee again.

    ", + "

    If you get a second B-rating

    ", + "

    You can only have 2 B-ratings in the 4 years that your licence is valid.

    ", + "

    You\u2019ll lose your licence if you still need to make improvements after your second action plan.

    ", + "

    How to reapply

    ", + "

    You cannot appeal if your licence is revoked, but you can reapply. You have to wait at least 12 months before reapplying.

    ", + "

    You need to start a new application when you reapply.

    ", + "

    Certificates of sponsorship

    ", + "

    You must assign a certificate of sponsorship to each foreign worker you employ. This is an electronic record, not a physical document. Each certificate has its own number which a worker can use to apply for a visa.

    ", + "

    When you assign the certificate to a worker, they must use it to apply for their visa within 3 months. They must not apply for their visa more than 3 months before the start date of the job listed on the certificate.

    ", + "

    Defined certificates

    ", + "

    These are for people applying on a Skilled Worker visa from outside the UK.

    ", + "

    You must apply for defined certificates for these workers through the sponsorship management system (SMS). You\u2019ll get access to this when you get your licence.

    ", + "

    When you get the certificate

    ", + "

    Applications are usually approved within one working day. It may take longer if UKVI need to carry out further checks on the information in your application.

    ", + "

    Defined certificates will appear in your SMS account once they have been approved. You can then assign them to a worker.

    ", + "

    Undefined certificates

    ", + "

    These are for Skilled Workers applying from inside the UK, and applicants on all other visas.

    ", + "

    When you apply for your licence you\u2019ll be asked to estimate how many undefined certificates you\u2019ll need for Workers and Temporary Workers in the first year.

    ", + "

    Certificate costs

    ", + "

    Certificates are free for citizens of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    For other citizens, you need to pay for each certificate.

    ", + "Type of certificate | Cost per certificate", + "Worker | \u00a3199", + "Temporary Worker | \u00a321", + "

    If you assign a certificate of sponsorship to a worker on a Skilled Worker or Intra-company Transfer visa, you might also need to pay the immigration skills charge.

    ", + "

    Immigration skills charge

    ", + "

    You might have to pay an additional charge when you assign a certificate of sponsorship to someone applying for a Skilled Worker or Intra-company Transfer visa. This is called the \u2018immigration skills charge\u2019.

    ", + "

    You must pay the immigration skills charge if they\u2019re applying for a visa from:

    ", + "
  • outside the UK to work in the UK for 6 months or more
  • ", + "
  • inside the UK for any length of time
  • ", + "

    When you do not need to pay

    ", + "

    You will not pay the immigration skills charge if you\u2019re sponsoring someone:

    ", + "
  • on an Intra-company Graduate Trainee visa
  • ", + "
  • who is on a visa to study in the UK, and switches to a Skilled Worker or Intra-company Transfer visa - if they then extend their stay on the new visa, you will not have to pay the charge
  • ", + "

    You will also not have to pay the charge if you\u2019re sponsoring someone with one of the following occupation codes:

    ", + "
  • chemical scientists (2111)
  • ", + "
  • biological scientists and biochemists (2112)
  • ", + "
  • physical scientists (2113)
  • ", + "
  • social and humanities scientists (2114)
  • ", + "
  • natural and social science professionals not elsewhere classified (2119)
  • ", + "
  • research and development managers (2150)
  • ", + "
  • higher education teaching professionals (2311)
  • ", + "
  • clergy (2444)
  • ", + "
  • sports players (3441)
  • ", + "
  • sports coaches, instructors or officials (3442)
  • ", + "

    You also might not have to pay the charge if you\u2019re sponsoring a worker who was assigned a certificate before 6 April 2017 - there\u2019s more information in part 2 of the guidance for sponsors.

    ", + "

    You will not need to pay the charge for any of the worker\u2019s dependants, for example their partner or child.

    ", + "

    If the person you\u2019re sponsoring changes jobs

    ", + "

    If you\u2019ve assigned a certificate of sponsorship to someone in your organisation, who then moves to a new job in your organisation, you\u2019ll need to assign them a new certificate. They will use this to apply for a new visa.

    ", + "

    You only need to do this if the new job has a different occupation code.

    ", + "

    You\u2019ll need to pay the immigration skills charge again if the end date on their new visa is later than the end date on their existing visa.

    ", + "

    How to pay

    ", + "

    You pay the immigration skills charge when you assign a certificate of sponsorship to the worker.

    ", + "

    How much it costs

    ", + "

    The amount you need to pay is based on:

    ", + "
  • the size of your organisation
  • ", + "
  • how long the worker will work for you, using the start and end dates on their sponsorship certificate
  • ", + "", + "Period | Small or charitable sponsors | Medium or large sponsors", + "First 12 months | \u00a3364 | \u00a31,000", + "Each additional 6 months | \u00a3182 | \u00a3500", + "

    If the worker will be in the UK for longer than 6 months but less than a year, you must pay for at least 12 months.

    ", + "

    You must pay the full charge in one go.

    ", + "

    Contact the Business Helpdesk if you\u2019re not sure which category your business fits into.

    ", + "

    As the longest you can sponsor a worker for is 5 years, the most you have to pay will be:

    ", + "
  • \u00a31,820 (5 x \u00a3364) if you\u2019re a small or charitable sponsor
  • ", + "
  • \u00a35,000 (5 x \u00a31,000) if you\u2019re a medium or large sponsor
  • ", + "

    UK Visas and Immigration (UKVI) will contact you if you do not pay the charge or pay the wrong amount. You\u2019ll have 10 working days to pay the charge - the worker\u2019s visa application will be refused if you do not.

    ", + "

    Refunds

    ", + "

    You\u2019ll get a full refund if the worker\u2019s visa application is:

    ", + "
  • refused or withdrawn
  • ", + "
  • successful, but they do not come to work for you
  • ", + "

    You\u2019ll get a partial refund if the worker:

    ", + "
  • gets less time on their visa than you sponsored them for
  • ", + "
  • starts working for you but then changes to another sponsor
  • ", + "
  • leaves their job before the end date on their certificate of sponsorship
  • ", + "

    You\u2019ll also get a partial refund if you paid the medium or large sponsor fee when assigning the certificate, but had already notified UKVI that you\u2019re now a small or charitable sponsor.

    ", + "

    How long it takes

    ", + "

    You usually get a refund within 90 days of:

    ", + "
  • telling UKVI that the worker did not come to work for you
  • ", + "
  • the expiration date on the worker\u2019s certificate of sponsorship, if they did not use it to apply for a visa
  • ", + "
  • the date the worker\u2019s visa application is refused or withdrawn
  • ", + "
  • the date you assigned the certificate of sponsorship, if you had already notified UKVI that you became a small or charitable sponsor
  • ", + "

    If the worker\u2019s visa application is refused, they can ask for the decision to be reviewed. \nThis is known as an \u2018administrative review\u2019.

    ", + "

    If they do not ask for an administrative review, you\u2019ll get a refund within 90 days of the deadline for applying for one.

    ", + "

    You\u2019ll get a refund within 90 days of the administrative review being dismissed if the worker applied for one and were unsuccessful.

    ", + "

    Contact UKVI if your refund is not paid within 90 days.

    ", + "

    Job suitability

    ", + "

    You can sponsor a worker if the job they\u2019re going to do has a suitable rate of pay and skill level, or meets the other criteria needed for their visa.

    ", + "

    Additional requirements for religious workers

    ", + "

    You\u2019ll usually have to advertise any job you offer to someone with a Religious Worker visa, unless it\u2019s a non-essential position or involves living within a religious order (such as a monk or nun).

    ", + "

    When you do not need to advertise the job, you need to have records showing that there is not a suitable person who does not require sponsorship to take on the role.

    ", + "

    There are rules you must follow about how to advertise jobs for religious workers.

    ", + "

    Additional requirements for creative workers

    ", + "

    Creative jobs done by someone on a Creative or Sporting Worker visa include:

    ", + "
  • ballet dancers and other dancers
  • ", + "
  • film and TV performers
  • ", + "
  • theatre and opera performers
  • ", + "
  • film and TV workers
  • ", + "
  • models
  • ", + "

    For creative jobs, you must make sure that either:

    ", + "
  • you comply with the creative workers code of practice (if it exists for that occupation)
  • ", + "
  • the job is on the shortage occupations list
  • ", + "

    If the job is not on the shortage occupation list, and there is no code of practice, you need to check that the job cannot be done by a worker who does not need sponsoring.

    ", + "

    Additional requirements for sporting workers

    ", + "

    For sporting jobs that will be done by someone on either the Creative or Sporting Worker visa or Sportsperson visa, you must get an endorsement letter from the relevant governing body.

    ", + "

    Sponsoring under-18s

    ", + "

    You cannot sponsor a foreign worker under 18 on:

    ", + "
  • a Skilled Worker visa
  • ", + "
  • an Intra-company visa
  • ", + "
  • an International Agreement Worker visa, if they\u2019ll be working as a private servant in a diplomatic household or in the household of an employee of an international organisation
  • ", + "
  • a Seasonal Worker visa
  • ", + "

    You cannot sponsor a child under 16 for a Minister of Religion or Sportsperson visa.

    ", + "

    If you\u2019re also a Student sponsor (ATAS certificates)

    ", + "

    If you also have a Student sponsor licence, you may need to check whether the worker needs an Academic Technology Approval Scheme (ATAS) certificate.

    ", + "

    Who needs to do this

    ", + "

    You need to do this if all of the following are true:

    ", + "
  • you\u2019re licensed as a Student sponsor
  • ", + "
  • you\u2019re sponsoring the worker for a Skilled Worker, Intra-company Transfer, Intra-company Graduate Trainee, Government Authorised Exchange Worker or International Agreement Worker visa
  • ", + "
  • you\u2019re sponsoring the worker for a role in a relevant occupation code
  • ", + "

    If any of these do not apply to you, you do not need to do anything.

    ", + "

    What you need to do

    ", + "

    If you do need to check, you must follow these steps.

    ", + "
  • Check if the worker needs an ATAS certificate.
  • ", + "
  • Add a sponsor note to your certificate of sponsorship, confirming whether or not the worker needs an ATAS certificate.
  • ", + "
  • If the worker does need an ATAS certificate, you must tell them that they need to get one and include it in their visa application.
  • ", + "

    Check if the worker needs an ATAS certificate

    ", + "

    The worker will need an ATAS certificate if all of the following are true:

    ", + "
  • they will be carrying out research at PhD level or above
  • ", + "
  • they will be carrying out research in a \u2018relevant subject\u2019 - check the relevant subject areas list in the worker sponsor guidance
  • ", + "
  • their nationality is not exempt from needing an ATAS certificate - check the exempt nationalities list in the worker sponsor guidance
  • ", + "

    If the worker does not need an ATAS certificate

    ", + "

    Your sponsor note should say that the worker does not need an ATAS certificate and explain why.

    ", + "

    If the worker needs an ATAS certificate

    ", + "

    You must:

    ", + "
  • tell the worker that they need to get an ATAS certificate and include it in their visa application
  • ", + "
  • add a sponsor note to your certificate of sponsorship
  • ", + "
  • make and keep a copy of the ATAS certificate, once it has been issued
  • ", + "

    Tell the worker that they need an ATAS certificate

    ", + "

    Tell the worker that they must apply for an ATAS certificate and include it in their visa application.

    ", + "

    If the worker does not include their ATAS certificate, their visa application will be refused and you may lose your sponsor licences.

    ", + "

    ATAS certificate applications for workers can take at least 2 weeks to be processed (3 weeks between April and September).

    ", + "

    Add a sponsor note to your certificate of sponsorship

    ", + "

    Your sponsor note should say that the worker needs an ATAS certificate and mention whether they have already applied for or been issued with one.

    ", + "

    Make and keep a copy of the ATAS certificate

    ", + "

    When the worker has received their ATAS certificate, you must make and keep a copy of the certificate, or the electronic approval notice the worker received from the Foreign, Commonwealth & Development Office (FCDO).

    ", + "

    Your responsibilities

    ", + "

    You must:

    ", + "
  • check that your foreign workers have the necessary skills, qualifications or professional accreditations to do their jobs, and keep copies of documents showing this
  • ", + "
  • only assign certificates of sponsorship to workers when the job is suitable for sponsorship
  • ", + "
  • tell UK Visas and Immigration (UKVI) if your sponsored workers are not complying with the conditions of their visa
  • ", + "

    Your licence may be downgraded, suspended or withdrawn if you do not meet them.

    ", + "

    Read the full guidance on sponsor requirements and duties and check workers have the right to work in the UK.

    ", + "

    Monitoring employees

    ", + "

    You must have HR systems in place that let you:

    ", + "
  • monitor your employees\u2019 immigration status
  • ", + "
  • keep copies of relevant documents for each employee, including passport and right to work information
  • ", + "
  • track and record employees\u2019 attendance
  • ", + "
  • keep employee contact details up to date
  • ", + "
  • report to UKVI if there is a problem, for example if your employee stops coming to work
  • ", + "

    Changes to your business

    ", + "

    You must report any significant changes in your own circumstances within 20 working days, for example if you:

    ", + "
  • stop trading or become insolvent
  • ", + "
  • substantially change the nature of your business
  • ", + "
  • are involved in a merger or take-over
  • ", + "

    You must also tell UKVI if you\u2019re changing your details, like your address or allocated roles.

    ", + "

    To register a change of circumstances use the sponsorship management system (SMS).

    ", + "

    Requests can take up to 18 weeks. You can register a change within 5 working days instead if you use the priority service. It costs \u00a3200.

    ", + "

    Sponsoring under-18s

    ", + "

    You must make sure that foreign workers under 18 have suitable care arrangements for their:

    ", + "
  • travel to the UK
  • ", + "
  • arrival in the UK
  • ", + "
  • living arrangements in the UK
  • ", + "

    You must also get a letter from their parents giving consent to the care arrangements.

    ", + "

    You must get a Disclosure and Barring Service check on any of your workers who need it.

    ", + "

    You\u2019ll lose your licence if you do not do this.

    ", + "

    Children under 16

    ", + "

    You must get a licence from the local education authority in the area where the child will work.

    " + ] + }, + { + "title": "Student visa", + "url": "https://www.gov.uk/student-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Student visa to study in the UK if you\u2019re 16 or over and you:

    ", + "
  • have been offered a place on a course by a licensed student sponsor
  • ", + "
  • have enough money to support yourself and pay for your course - the amount will vary depending on your circumstances
  • ", + "
  • can speak, read, write and understand English
  • ", + "
  • have consent from your parents if you\u2019re 16 or 17 - you\u2019ll need evidence of this when you apply
  • ", + "

    If you\u2019re 16 or 17 and you want to study at an independent school in the UK, you may be eligible for a Child Student visa instead.

    ", + "

    This visa has replaced the Tier 4 (General) student visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. The deadline is 30 June 2021.

    ", + "

    Otherwise you need a visa to study in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    When to apply

    ", + "

    When you can apply depends on whether you\u2019re applying from inside or outside the UK.

    ", + "

    Applying from outside the UK

    ", + "

    The earliest you can apply for a visa is 6 months before you start your course.

    ", + "

    You\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Applying from inside the UK

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin within 28 days of your current visa expiring.

    ", + "

    You\u2019ll usually get a decision within 8 weeks.

    ", + "

    How long you can stay

    ", + "

    How long you can stay depends on the length of your course and what study you\u2019ve already completed.

    ", + "

    If you\u2019re 18 or over and your course is at degree level, you can usually stay in the UK for up to 5 years. If it\u2019s below degree level, you can usually stay in the UK for up to 2 years.

    ", + "

    Read the guidance to find out exactly how long you can stay.

    ", + "

    Staying longer in the UK

    ", + "

    You may be able to:

    ", + "
  • extend your visa if you\u2019re eligible, for example to continue your studies in the UK
  • ", + "
  • switch to a Student visa from another visa if you\u2019re already in the UK
  • ", + "

    When you can travel to the UK

    ", + "

    You can arrive in the UK before your course starts. This can be either:

    ", + "
  • up to 1 week before, if your course lasts 6 months or less
  • ", + "
  • up to 1 month before, if your course lasts more than 6 months
  • ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a3348 to apply for a Student visa from outside the UK
  • ", + "
  • \u00a3475 to extend or switch to a Student visa from inside the UK
  • ", + "

    You must pay the visa fee for each person that joins you.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    Your partner and children

    ", + "

    You may be able to bring your partner and children (\u2018dependants\u2019).

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study
  • ", + "
  • work as a student union sabbatical officer
  • ", + "

    You may be able to work - how much depends on what you\u2019re studying and whether you\u2019re working in or out of term-time.

    ", + "

    You cannot:

    ", + "
  • claim public funds (benefits) and pensions
  • ", + "
  • work in certain jobs, for example as a professional sportsperson or sports coach
  • ", + "
  • be self-employed
  • ", + "
  • study at an academy or a local authority-funded school (also known as a maintained school)
  • ", + "

    If your application is successful, you\u2019ll be told what you can and cannot do on a Student visa.

    ", + "

    Your course

    ", + "

    You must have an unconditional offer of a place on a course with a licensed student sponsor.

    ", + "

    To prove this, your education provider will send you a reference number (called a Confirmation of Acceptance for Studies (CAS)) once they\u2019ve offered you a place on the course. You need a CAS before you can apply for your visa.

    ", + "

    Courses you can study

    ", + "

    You can do one of the following courses:

    ", + "
  • a full-time course leading to a qualification that\u2019s below degree level (RQF level 3, 4 or 5) with at least 15 hours a week of organised daytime study
  • ", + "
  • a full-time course leading to a qualification that\u2019s degree level or above (RQF level 6, 7 or 8)
  • ", + "
  • a full-time course at degree level or above (RQF level 6,7 or 8) that\u2019s equivalent to a UK higher education course and is being delivered as part of a longer course overseas
  • ", + "
  • a part-time course leading to a qualification that\u2019s above degree level (RQF level 7 or above)
  • ", + "
  • a recognised foundation programme for postgraduate doctors or dentists
  • ", + "
  • an English language course at level B2 or above in the Common European Framework of Reference for Languages
  • ", + "

    You may also need an Academic Technology Approval Scheme (ATAS) certificate if you\u2019re studying or researching sensitive topics at RQF level 7 or above.

    ", + "

    The qualification levels are different in Scotland.

    ", + "

    You can also apply for this visa if you\u2019re:

    ", + "
  • taking up a full-time elected position as a Student Union Sabbatical Officer
  • ", + "
  • applying to extend your stay on the Doctorate Extension Scheme - you must currently have permission to be in the UK on a Student visa (or a Tier 4 (General) student visa) and your course must lead to a PhD
  • ", + "

    Postgraduate doctors and dentists

    ", + "

    You can apply for this visa if you\u2019re sponsored to do a recognised foundation programme and you\u2019ve:

    ", + "
  • finished a recognised UK degree in medicine or dentistry
  • ", + "
  • received that degree from a registered student sponsor
  • ", + "
  • spent your final year and at least 1 other year of studies leading to that degree in the UK
  • ", + "

    Your Confirmation of Acceptance for Studies (CAS)

    ", + "

    Once they\u2019ve offered you a place on the course, your education provider will send you a reference number called a Confirmation of Acceptance for Studies.

    ", + "

    You must enter this reference number on your visa application.

    ", + "

    You must apply for your visa within 6 months of receiving your CAS.

    ", + "

    Money you need

    ", + "

    You must have enough money to pay for your course and support yourself in the UK.

    ", + "

    How much money you need depends on your circumstances and what you\u2019re applying for.

    ", + "

    Course fee

    ", + "

    You need enough money to pay for your course for 1 academic year (up to 9 months). The amount you need to pay will be on your Confirmation of Acceptance for Studies (CAS).

    ", + "

    If you\u2019ve been in the UK with a valid visa for at least 12 months, you do not need to prove you have this money for your visa application.

    ", + "

    Money to support yourself (\u2018financial requirement\u2019)

    ", + "

    You\u2019ll need to show you have enough money to support yourself - unless you\u2019ve been in the UK with a valid visa for at least 12 months on the date of your application.

    ", + "

    How much money you need depends on where you will be studying. You\u2019ll need either:

    ", + "
  • \u00a31,334 per month (for up to 9 months) for courses in London
  • ", + "
  • \u00a31,023 per month (for up to 9 months) for courses outside London
  • ", + "

    If you\u2019re applying for the Doctorate Extension Scheme, and you\u2019ve been in the UK for less than 12 months, you need to prove you have a total of \u00a32,668 for courses in London, or a total of \u00a32,046 for courses outside London.

    ", + "

    If you\u2019re boarding at a residential independent school, you\u2019ll need to pay boarding fees instead. The amount you need to pay will be on your CAS.

    ", + "

    London means the City of London and the 32 London boroughs.

    ", + "

    You\u2019ll need to prove you have extra money for each family member you bring with you.

    ", + "

    You must have this money for at least 28 consecutive days. The end date of the 28-day period must be within 31 days of the date you apply for your visa.

    ", + "

    If you have a student loan or financial sponsorship, you\u2019ll need to provide evidence of this from your loan or sponsorship company.

    ", + "

    Read the guidance on finances for student applications for more information about the money you need and how to prove it.

    ", + "

    When you do not need to prove you have money to support yourself

    ", + "

    You do not need to prove the financial requirement if:

    ", + "
  • you\u2019ve had a UK visa for 12 months prior to the date of your Student visa application - you must currently be in the UK
  • ", + "
  • you\u2019re applying as a student union sabbatical officer
  • ", + "
  • you\u2019re applying as a postgraduate doctor or dentist on a recognised foundation programme
  • ", + "

    If you\u2019re from a country listed under the \u2018differential evidence requirement\u2019

    ", + "

    You do not need to prove you have enough money to support yourself if you\u2019re a British national overseas or from one of the following countries or territories:

    ", + "
  • Australia
  • ", + "
  • Austria
  • ", + "
  • Bahrain
  • ", + "
  • Barbados
  • ", + "
  • Belgium
  • ", + "
  • Botswana
  • ", + "
  • Brazil
  • ", + "
  • Brunei
  • ", + "
  • Bulgaria
  • ", + "
  • Cambodia
  • ", + "
  • Canada
  • ", + "
  • Chile
  • ", + "
  • China
  • ", + "
  • Croatia
  • ", + "
  • Republic of Cyprus
  • ", + "
  • Czech Republic
  • ", + "
  • Denmark
  • ", + "
  • The Dominican Republic
  • ", + "
  • Estonia
  • ", + "
  • Finland
  • ", + "
  • France
  • ", + "
  • Germany
  • ", + "
  • Greece
  • ", + "
  • Hong Kong
  • ", + "
  • Hungary
  • ", + "
  • Iceland
  • ", + "
  • Indonesia
  • ", + "
  • Ireland
  • ", + "
  • Italy
  • ", + "
  • Japan
  • ", + "
  • Kazakhstan
  • ", + "
  • Kuwait
  • ", + "
  • Latvia
  • ", + "
  • Liechtenstein
  • ", + "
  • Lithuania
  • ", + "
  • Luxembourg
  • ", + "
  • Macao
  • ", + "
  • Malaysia
  • ", + "
  • Malta
  • ", + "
  • Mauritius
  • ", + "
  • Mexico
  • ", + "
  • Netherlands
  • ", + "
  • New Zealand
  • ", + "
  • Norway
  • ", + "
  • Oman
  • ", + "
  • Peru
  • ", + "
  • Poland
  • ", + "
  • Portugal
  • ", + "
  • Qatar
  • ", + "
  • Romania
  • ", + "
  • Serbia
  • ", + "
  • Singapore
  • ", + "
  • Slovakia
  • ", + "
  • Slovenia
  • ", + "
  • South Korea
  • ", + "
  • Spain
  • ", + "
  • Sweden
  • ", + "
  • Switzerland
  • ", + "
  • Taiwan
  • ", + "
  • Thailand
  • ", + "
  • Tunisia
  • ", + "
  • United Arab Emirates
  • ", + "
  • United States of America
  • ", + "

    However, you might be asked to provide this evidence before you get a decision on your application.

    ", + "

    If you do need to provide it, you\u2019ll be contacted by UK Visas and Immigration (UKVI) after you\u2019ve submitted your application.

    ", + "

    Read the guidance on finances for student applications for more information about the money you need and how to prove it.

    ", + "

    Knowledge of English

    ", + "

    You must prove your knowledge of the English language when you apply.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • passing a Secure English Language Test (SELT) from an approved provider
  • ", + "
  • having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18
  • ", + "

    Level of English

    ", + "

    You must prove you can read, write, speak and understand English to a certain level on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "What you\u2019re studying | Level", + "Degree level or above | Equivalent to CEFR level B2", + "Below degree level | CEFR level B1", + "

    If you\u2019re studying with a Higher Education Provider

    ", + "

    If you\u2019re studying at degree level or above, your Higher Education Provider (HEP) can assess your level of English themselves. This means they may ask you to do a different test.

    ", + "

    This must still be equivalent to a CEFR level B2.

    ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019ve completed a qualification equivalent to a UK degree in one of the following countries, or are from one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Ireland
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • UK
  • ", + "
  • USA
  • ", + "

    You also do not need to prove your knowledge of English if one of the following applies:

    ", + "
  • you\u2019re a national of Canada
  • ", + "
  • you\u2019re applying to come to the UK for a study abroad programme as part of a university degree course in the USA
  • ", + "
  • you proved your level of English in a previous visa application
  • ", + "

    Documents you'll need to apply

    ", + "

    When you apply for your Student visa you must provide:

    ", + "
  • a current passport or other valid travel documentation
  • ", + "
  • a Confirmation of Acceptance for Studies (CAS) from your course provider
  • ", + "

    You may also need to provide:

    ", + "
  • proof you have enough money to support yourself and pay for your course - this will vary depending on your circumstances
  • ", + "
  • a valid ATAS certificate if your course and nationality require it
  • ", + "
  • proof of parental or other legal guardian consent if you\u2019re under 18
  • ", + "
  • proof of your relationship to your parent or guardian if you\u2019re under 18
  • ", + "
  • your tuberculosis test results
  • ", + "
  • written consent for your application from your financial sponsor if you\u2019ve received sponsorship for your course fees and living costs in the last 12 months
  • ", + "

    You may need to provide additional documents depending on your circumstances. Read the guidance for the full list of documents you\u2019ll need to provide.

    ", + "

    You need a blank page in your passport for your visa if you need to give your biometric information (fingerprints and a photograph) at a visa application centre. You\u2019ll be told if you need to do this when you apply.

    ", + "

    If you\u2019re under 18

    ", + "

    If you\u2019re under 18 you\u2019ll need written consent from both parents or legal guardians (or one parent if they have sole responsibility).

    ", + "

    This must include their consent for:

    ", + "
  • your visa application
  • ", + "
  • your living and care arrangements in the UK
  • ", + "
  • your travel to the UK
  • ", + "

    You\u2019ll also need to provide a copy of your birth certificate (or another government issued document) that shows the names of your parents.

    ", + "

    Apply

    ", + "

    You must apply online for a Student visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Apply outside the UK

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a visa application centre
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 3 weeks.

    ", + "

    If you need to give your biometric information at a visa application centre, you may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply inside the UK

    ", + "

    You may be able to apply to:

    ", + "
  • extend your Student visa
  • ", + "
  • switch to a Student visa from another type of visa
  • ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a visa application centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • ", + "

    Find out what happens after you get your decision.

    ", + "

    Your partner and children

    ", + "

    Your partner and children (\u2018dependants\u2019) may be able to apply to come to the UK or stay longer in the UK.

    ", + "

    You must be one of the following:

    ", + "
  • a full-time student on a postgraduate level course (RQF level 7 or above) that lasts 9 months or longer
  • ", + "
  • a new government-sponsored student on a course that lasts longer than 6 months
  • ", + "
  • a Doctorate Extension Scheme student
  • ", + "

    Your relationship

    ", + "

    A dependant partner or child is one of the following:

    ", + "
  • your husband, wife or civil partner
  • ", + "
  • your unmarried partner
  • ", + "
  • your child under 18 years old - including if they were born in the UK during your stay
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply, for example:

    ", + "
  • a marriage or civil partnership certificate for your partner
  • ", + "
  • a birth certificate for your child
  • ", + "

    Find out what other documents you can use to prove your relationship.

    ", + "

    If your child is 16 or 17

    ", + "

    If your child is 16 or 17 on the date you apply you\u2019ll need to prove they are not living an independent life, for example they\u2019re not married or in a civil partnership.

    ", + "

    You\u2019ll need to prove:

    ", + "
  • where they live - if they do not live with you, you\u2019ll need to explain why
  • ", + "
  • any rent or upkeep they pay you each month
  • ", + "
  • that you support them financially if they do not live with you
  • ", + "

    If your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and child must each have a certain amount of money available to them. This is in addition to the money you must have to support yourself.

    ", + "

    How much money they need depends on where you will be studying. They must have either:

    ", + "
  • \u00a3845 a month (for up to 9 months) for courses in London
  • ", + "
  • \u00a3680 a month (for up to 9 months) for courses outside London
  • ", + "

    If you\u2019re applying at the same time as your partner or child (you\u2019re applying together as a family), you\u2019ll need to prove you have both money to pay for your course and to support yourself and additional money for each of them.

    ", + "

    If your partner or child is applying at a different time to you (they\u2019re applying separately) they only need to prove they have money to support themselves.

    ", + "

    You (or your partner or child) must have this money for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date they apply for their visa.

    ", + "

    If you have a student loan or financial sponsorship, you\u2019ll need to provide evidence of this from your loan or sponsorship company. If your loan does not cover your partner or child, you\u2019ll need to prove you have money to support them instead.

    ", + "

    When they do not need to prove they have money to support themselves

    ", + "

    Your partner or child does not need to prove they have this money if they\u2019ve been in the UK with a valid visa for at least 12 months.

    ", + "

    If you and your partner or child are from a country listed under the \u2018differential evidence requirement\u2019 and you\u2019re applying at the same time, they do not need to prove they have money to support themselves.

    ", + "

    However, they might be asked to provide this evidence before they get a decision on their application.

    ", + "

    If they do need to provide it, they\u2019ll be contacted by UK Visas and Immigration (UKVI) after they\u2019ve submitted their application.

    ", + "

    Apply outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as your partner
  • ", + "
  • apply online as your child
  • ", + "

    They\u2019ll need your application number - you get it when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre (to get a biometric residence permit).

    ", + "

    They\u2019ll have to collect their biometric residence permit within 10 days of when they said they\u2019d arrive in the UK.

    ", + "

    They may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.

    ", + "

    How long they can stay

    ", + "

    If their application is successful, their visa will end on the same date as yours.

    ", + "

    Apply inside the UK to extend or switch

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you extend or switch your own visa.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date - this must be before their current visa expires.

    ", + "

    Your partner or child cannot apply to switch in the UK if they have one of the following visas:

    ", + "
  • a visit visa
  • ", + "
  • a short-term student visa
  • ", + "
  • a Parent of a Child Student visa
  • ", + "
  • a seasonal worker visa
  • ", + "
  • a domestic worker in a private household visa
  • ", + "

    Fees

    ", + "

    Each person will need to pay:

    ", + "
  • \u00a3475 for the visa
  • ", + "
  • the healthcare surcharge - check how much they\u2019ll have to pay
  • ", + "

    They may need to pay \u00a319.20 to have their biometric information (fingerprints and a photo) taken.

    ", + "

    How to apply

    ", + "

    Your partner and child must apply online. They must either:

    ", + "
  • apply as a partner
  • ", + "
  • apply as a child
  • ", + "

    They\u2019ll need your application number - you get it when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    Getting a faster decision

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    Apply online for any children you have while in the UK.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child.

    ", + "

    Extend your visa

    ", + "

    You may be able to extend your Student visa to stay longer and continue your course or study a new course. This includes if you currently have a Tier 4 (General) student visa.

    ", + "

    To extend your visa you must:

    ", + "
  • be in the UK on a Student visa or a Tier 4 (General) student visa
  • ", + "
  • have an unconditional offer of a place on a course with a licensed student sponsor - shown by your Confirmation of Acceptance for Studies (CAS)
  • ", + "
  • show that your studies are at a higher academic level than your current course (called the \u2018academic progress requirement\u2019) - there are some exceptions
  • ", + "

    If you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself in the UK.

    ", + "

    Apply to extend your dependants\u2019 visas at the same time as you extend your own visa. If you cannot apply at the same time, your partner or child can extend their visas at a later date - this must be before their current visa expires.

    ", + "

    Showing academic progress

    ", + "

    If you\u2019re currently studying in the UK, you\u2019ll usually need to show your studies will be at a higher academic level than your current course.

    ", + "

    Your new course must be one of the following:

    ", + "
  • at a higher academic level than your current course
  • ", + "
  • at the same level and related to your previous course or career aspirations - it must be degree level or above at a Higher Education Provider (HEP)
  • ", + "
  • intercalated to a medicine, dentistry or medical science course you started studying under your Student visa (including a Tier 4 (General) student visa)
  • ", + "

    You do not need to show your studies are at a higher level if you\u2019re doing one of the following:

    ", + "
  • resitting exams or repeating modules
  • ", + "
  • applying for the first time to a new institution to complete a course you started at an institution that lost its student sponsorship licence
  • ", + "
  • applying after working as a student union sabbatical officer to complete a qualification you started studying under your last Student visa (including a Tier 4 (General) student visa)
  • ", + "
  • completing a PhD or other doctorate that you started studying under your last Student visa (including a Tier 4 (General) student visa)
  • ", + "
  • continuing your medical, dentistry or medical science degree after completing an intercalated course
  • ", + "
  • applying to extend your stay to complete your studies because you\u2019ve done (or want to do) a work placement or study abroad programme
  • ", + "

    Read the guidance for more information about when you need to prove your studies are at a higher level.

    ", + "

    If you\u2019re applying to work in the UK

    ", + "

    You can get a CAS if you\u2019re:

    ", + "
  • applying to work as a student union sabbatical officer
  • ", + "
  • applying to stay in the UK to look for work after you\u2019ve finished your PhD or doctorate - the \u2018Doctorate Extension Scheme\u2019 (DES)
  • ", + "

    When to apply

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.

    ", + "

    For example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.

    ", + "

    You must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).

    ", + "

    You can stay in the UK until you get your decision.

    ", + "

    If you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.

    ", + "

    Fees

    ", + "

    For each person, you\u2019ll need to pay:

    ", + "
  • \u00a3475 to extend this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Apply

    ", + "

    You must apply online.

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you will also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will usually be made within 8 weeks.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    If your application is successful

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a UKVCAS centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • ", + "

    Switch to this visa

    ", + "

    You may be able to switch to a Student visa if you already have permission to be in the UK.

    ", + "

    You cannot switch to this visa if you have one of the following visas:

    ", + "
  • a visit visa
  • ", + "
  • a short-term student visa
  • ", + "
  • a Parent of a Child Student visa
  • ", + "
  • a seasonal worker visa
  • ", + "
  • a domestic worker in a private household visa
  • ", + "
  • leave outside the immigration rules
  • ", + "

    If you have settled or pre-settled status under the EU Settlement Scheme, you do not need to apply for a visa.

    ", + "

    Eligibility

    ", + "

    To switch to a Student visa you must:

    ", + "
  • be in the UK
  • ", + "
  • have an unconditional offer of a place on a course with a licensed student sponsor - shown by your Confirmation of Acceptance for Studies (CAS)
  • ", + "

    If you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself in the UK.

    ", + "

    Apply to switch your dependants\u2019 visas at the same time as you switch your own visa. If you cannot apply at the same time, your partner or child can switch their visas at a later date - this must be before their current visa expires.

    ", + "

    When to apply

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.

    ", + "

    For example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.

    ", + "

    You must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).

    ", + "

    You can stay in the UK until you get your decision.

    ", + "

    If you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.

    ", + "

    Fees

    ", + "

    For each person, you\u2019ll need to pay:

    ", + "
  • \u00a3475 to extend this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Apply

    ", + "

    You must apply online.

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will usually be made within 8 weeks.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    If your application is successful

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a UKVCAS centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • " + ] + }, + { + "title": "Child Student visa", + "url": "https://www.gov.uk/child-study-visa", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Child Student visa if you\u2019re between 4 and 17 years old and you want to study at an independent school in the UK.

    ", + "

    You must:

    ", + "
  • have an unconditional offer of a place on a course at an independent school
  • ", + "
  • be able to show you\u2019ll have access to enough money to support you in the UK and pay for your course
  • ", + "
  • have the consent of your parent or guardian to study in the UK - you\u2019ll need to prove this when you apply
  • ", + "

    If you\u2019re 18 or over, apply for a Student visa instead.

    ", + "

    This visa has replaced the Tier 4 (Child) student visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. The deadline is 30 June 2021.

    ", + "

    Otherwise you need a visa to study in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    When to apply

    ", + "

    When you can apply depends on whether you\u2019re applying from inside or outside the UK.

    ", + "

    Applying from outside the UK

    ", + "

    The earliest you can apply for a visa is 6 months before you start your course.

    ", + "

    You\u2019ll usually get a decision within 3 weeks.

    ", + "

    Applying from inside the UK

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin within 28 days of your current visa expiring.

    ", + "

    You\u2019ll usually get a decision within 8 weeks.

    ", + "

    How long you can stay

    ", + "

    How long you can stay depends on your age on the date you apply and the length of your course.

    ", + "Age when you apply | How long you can stay", + "Under 16 | Course length (up to 6 years) plus 4 months afterwards", + "16 or 17 | Course length (up to 3 years) plus 4 months afterwards", + "

    When you can travel to the UK

    ", + "

    You can arrive in the UK up to 1 month before your course starts.

    ", + "

    Staying longer in the UK

    ", + "

    You may be able to:

    ", + "
  • extend your visa if you\u2019re eligible, for example to continue your studies in the UK
  • ", + "
  • switch to a Child Student visa from another visa if you\u2019re already in the UK
  • ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a3348 to apply for a Child Student visa from outside the UK
  • ", + "
  • \u00a3475 to extend or switch to a Child Student visa from inside the UK
  • ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    What you can and cannot do

    ", + "

    You can study at an independent school.

    ", + "

    If you\u2019re 16 or over you can work:

    ", + "
  • part-time during term for up to 10 hours per week
  • ", + "
  • full-time during vacations
  • ", + "
  • on a work placement as part of your course (but not for more than 50% of your course)
  • ", + "

    You cannot:

    ", + "
  • study at an academy or a local authority-funded school (also known as a maintained school) or further or higher education institution
  • ", + "
  • get public funds (benefits)
  • ", + "
  • take a full-time permanent job or be self-employed
  • ", + "
  • work as a professional sportsperson (for example a sports coach) or entertainer
  • ", + "
  • apply for settlement
  • ", + "
  • bring family members (\u2018dependants\u2019) - if a parent wants to accompany you, they\u2019ll need to apply for a Parent of a Child Student visa visa
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Child Student visa.

    ", + "

    Your course

    ", + "

    You must have an unconditional offer of a place on a course with a licensed Child Student sponsor.

    ", + "

    To prove this, your education provider will send you a reference number (called a Confirmation of Acceptance for Studies (CAS)) once they\u2019ve offered you a place on the course. You need a CAS before you can apply for your visa.

    ", + "

    Courses you can study

    ", + "

    You can do a course at an independent school that\u2019s taught in line with one of the following:

    ", + "
  • the national curriculum
  • ", + "
  • the Regulated Qualifications Framework (RQF) at level 3 or below
  • ", + "
  • independent school education inspection standards
  • ", + "

    You can also do a course that\u2019s accepted as being at the same academic level by:

    ", + "
  • Office for Standards in Education (Ofsted)
  • ", + "
  • Education Scotland
  • ", + "
  • Estyn (in Wales)
  • ", + "
  • Education and Training Inspectorate (in Northern Ireland)
  • ", + "

    You can do a short \u2018pre-sessional\u2019 course to prepare you for your main course.

    ", + "

    You cannot do a foundation course that will prepare you for direct entry to a higher education institution.

    ", + "

    Your Confirmation of Acceptance for Studies (CAS)

    ", + "

    Once your education provider has offered you a place on a course, they\u2019ll send you a reference number called a Confirmation of Acceptance for Studies (CAS).

    ", + "

    You\u2019ll need to enter this reference number on your visa application.

    ", + "

    Your CAS can cover both the pre-sessional course and your main course of study.

    ", + "

    You must apply for your visa within 6 months of receiving your CAS.

    ", + "

    Money you need

    ", + "

    You must have enough money available to you to pay for your course and support you in the UK.

    ", + "

    How much money you need depends on where you will live and who will be looking after you.

    ", + "

    If you\u2019ll live with your parent or guardian

    ", + "

    Your parent must have a Parent of a Child Student visa to accompany you to the UK. If you\u2019re over 12 your parent will not be eligible, unless you have a younger sibling who\u2019s under 12 and also has a Child Student visa.

    ", + "

    You must have enough money to pay for your course fees for one academic year (up to 9 months).

    ", + "

    You\u2019ll also need \u00a31,560 per month (for up to 9 months) - this amount is for both you and your parent.

    ", + "

    Your parent will need an extra \u00a3625 a month (for up to 9 months) for each additional child they accompany to the UK. The child must be your sibling and must also have a Child Student visa.

    ", + "

    If you\u2019re boarding at an independent school

    ", + "

    You must have enough money to pay for your course fees and your boarding fees for one academic year (up to 9 months).

    ", + "

    If you\u2019ll live with a foster carer or close relative

    ", + "

    You must have enough money to pay for your course fees for one academic year (up to 9 months).

    ", + "

    Your foster carer or close relative must confirm they have at least \u00a3570 per month (for up to 9 months).

    ", + "

    Your foster carer or close relative must be a British citizen or be settled (have \u2018indefinite leave to remain\u2019) in the UK. They cannot be your parent.

    ", + "

    If you\u2019re 16 or 17 and living independently

    ", + "

    You must have enough money to pay for your course fees for one academic year (up to 9 months).

    ", + "

    You\u2019ll also need either:

    ", + "
  • \u00a31,334 per month (for up to 9 months) if you\u2019re studying in London
  • ", + "
  • \u00a31,023 per month (for up to 9 months) if you\u2019re studying outside of London
  • ", + "

    London means the City of London and the 32 London boroughs.

    ", + "

    Read the guidance to find out how much money you need and how to prove it.

    ", + "

    You must prove you (or your parent) have the money for at least 28 consecutive days. The end date of the 28-day period must be within 31 days of the date you apply for your visa.

    ", + "

    If you have a student loan or financial sponsorship, you\u2019ll need to provide evidence of this from your loan or sponsorship company.

    ", + "

    When you do not need to prove you have money to support yourself

    ", + "

    You do not need to prove you have money to support yourself if you\u2019ve had a valid UK visa for at least 12 months immediately prior to the date of your Child Student visa application - you must currently be in the UK.

    ", + "

    If you\u2019re from a country listed under the \u2018differential evidence requirement\u2019

    ", + "

    You do not need to prove you have enough money to support yourself if you\u2019re a British national overseas or from one of the following countries or territories:

    ", + "
  • Australia
  • ", + "
  • Austria
  • ", + "
  • Bahrain
  • ", + "
  • Barbados
  • ", + "
  • Belgium
  • ", + "
  • Botswana
  • ", + "
  • Brazil
  • ", + "
  • Brunei
  • ", + "
  • Bulgaria
  • ", + "
  • Cambodia
  • ", + "
  • Canada
  • ", + "
  • Chile
  • ", + "
  • China
  • ", + "
  • Croatia
  • ", + "
  • Republic of Cyprus
  • ", + "
  • Czech Republic
  • ", + "
  • Denmark
  • ", + "
  • The Dominican Republic
  • ", + "
  • Estonia
  • ", + "
  • Finland
  • ", + "
  • France
  • ", + "
  • Germany
  • ", + "
  • Greece
  • ", + "
  • Hong Kong
  • ", + "
  • Hungary
  • ", + "
  • Iceland
  • ", + "
  • Indonesia
  • ", + "
  • Ireland
  • ", + "
  • Italy
  • ", + "
  • Japan
  • ", + "
  • Kazakhstan
  • ", + "
  • Kuwait
  • ", + "
  • Latvia
  • ", + "
  • Liechtenstein
  • ", + "
  • Lithuania
  • ", + "
  • Luxembourg
  • ", + "
  • Macao
  • ", + "
  • Malaysia
  • ", + "
  • Malta
  • ", + "
  • Mauritius
  • ", + "
  • Mexico
  • ", + "
  • Netherlands
  • ", + "
  • New Zealand
  • ", + "
  • Norway
  • ", + "
  • Oman
  • ", + "
  • Peru
  • ", + "
  • Poland
  • ", + "
  • Portugal
  • ", + "
  • Qatar
  • ", + "
  • Romania
  • ", + "
  • Serbia
  • ", + "
  • Singapore
  • ", + "
  • Slovakia
  • ", + "
  • Slovenia
  • ", + "
  • South Korea
  • ", + "
  • Spain
  • ", + "
  • Sweden
  • ", + "
  • Switzerland
  • ", + "
  • Taiwan
  • ", + "
  • Thailand
  • ", + "
  • Tunisia
  • ", + "
  • United Arab Emirates
  • ", + "
  • United States of America
  • ", + "

    However, you might be asked to provide this evidence before you get a decision on your application.

    ", + "

    If you do need to provide it, you\u2019ll be contacted by UK Visas and Immigration (UKVI) after you\u2019ve submitted your application.

    ", + "

    Read the guidance to find out how much money you need and how to prove it.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply for your Child Student visa you must provide:

    ", + "
  • a current passport or other valid travel documentation
  • ", + "
  • a Confirmation of Acceptance for Studies (CAS) from your course provider
  • ", + "
  • written consent from your parent or legal guardian for your study in the UK
  • ", + "

    You may also need to provide:

    ", + "
  • proof that you have enough money to support yourself and pay for your course - this will vary depending on your circumstances
  • ", + "
  • proof of your relationship to your parent or guardian (for example a birth certificate or other government issued document showing their names)
  • ", + "
  • evidence of the qualifications you used to get a place on your course - if this was required by your course provider
  • ", + "
  • your tuberculosis (TB) test results
  • ", + "
  • written consent for your application from your financial sponsor if you\u2019ve received sponsorship for your course fees and living costs in the last 12 months
  • ", + "

    You may need to provide additional documents depending on your circumstances. Read the guidance for the full list of documents you\u2019ll need to provide.

    ", + "

    You need a blank page in your passport for your visa if you need to give your biometric information (fingerprints and a photograph) at a visa application centre. You\u2019ll be told if you need to do this when you apply.

    ", + "

    Parental consent

    ", + "

    You must have written consent from both parents (or one parent if they have sole responsibility) or legal guardian. This must confirm they consent to:

    ", + "
  • your visa application
  • ", + "
  • your living arrangements and care in the UK
  • ", + "
  • your travel to the UK
  • ", + "

    If you\u2019re living with a close relative or foster carer, you\u2019ll need to provide additional evidence. Read the guidance for the full list of documents you\u2019ll need to provide.

    ", + "

    Apply

    ", + "

    You must apply online for a Child Student visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Apply outside the UK

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 3 weeks.

    ", + "

    If you need to give your biometric information at a visa application centre, you may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply inside the UK

    ", + "

    You may be able to apply to:

    ", + "
  • extend your Child Student visa
  • ", + "
  • switch to a Child Student visa from another type of visa
  • ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview (if you\u2019re 16 or 17)
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a visa application centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • ", + "

    Find out what happens after you get your decision.

    ", + "

    Extend your visa

    ", + "

    You may be able to apply to extend your Child Student visa to stay longer in the UK. This includes if you currently have a Tier 4 (Child) student visa.

    ", + "

    To extend your visa you must:

    ", + "
  • be in the UK on a Child Student visa (or a Tier 4 (Child) student visa)
  • ", + "
  • have an unconditional offer of a place on a course with a licensed Child Student sponsor - shown by your Confirmation of Acceptance for Studies (CAS)
  • ", + "

    If you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself.

    ", + "

    When to apply

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.

    ", + "

    For example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.

    ", + "

    You must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).

    ", + "

    You can stay in the UK until you get your decision.

    ", + "

    If you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.

    ", + "

    Fees

    ", + "

    You\u2019ll need to pay:

    ", + "
  • \u00a3475 to extend this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Apply

    ", + "

    You must apply online.

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will usually be made within 8 weeks.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview (if you\u2019re 16 or 17)
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    If your application is successful

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a UKVCAS centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • ", + "

    Switch to this visa

    ", + "

    You may be able to change (\u2018switch\u2019) to a Child Student visa from another visa. You must be between 4 and 17 years old.

    ", + "

    You cannot switch to a Child Student visa if you have one of the following:

    ", + "
  • a visitor visa
  • ", + "
  • a short-term student visa
  • ", + "
  • leave outside the immigration rules
  • ", + "

    If you have settled or pre-settled status under the EU Settlement Scheme, you do not need to apply for a visa.

    ", + "

    Eligibility

    ", + "

    To switch to a Child Student visa you must:

    ", + "
  • be in the UK
  • ", + "
  • be between 4 and 17 years old
  • ", + "
  • have an unconditional offer of a place on a course with a licensed Child Student sponsor - show by your Confirmation of Acceptance for Studies (CAS)
  • ", + "

    If you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself.

    ", + "

    When to apply

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.

    ", + "

    For example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.

    ", + "

    You must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).

    ", + "

    You can stay in the UK until you get your decision.

    ", + "

    If you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.

    ", + "

    Fees

    ", + "

    You\u2019ll need to pay:

    ", + "
  • \u00a3475 to switch to this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Apply

    ", + "

    You must apply online.

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will usually be made within 8 weeks.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview (if you\u2019re 16 or 17)
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    If your application is successful

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a UKVCAS centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • " + ] + }, + { + "title": "Study English in the UK (Short-term study visa)", + "url": "https://www.gov.uk/visa-to-study-english", + "contents": [ + "

    Overview

    ", + "

    You can apply for a Short-term study visa to study English language in the UK.

    ", + "

    This visa is for English language courses lasting longer than 6 months and up to 11 months.

    ", + "

    If your course is different to this, check which visa you need.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise, you\u2019ll need to apply for a visa to study for longer than 6 months in the UK. The earliest date your visa will start from is 1 January 2021.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for the length of your course plus an extra 30 days as long as your stay is no longer than 11 months.

    ", + "

    Fees and costs

    ", + "

    It costs \u00a3186 for a Short-term study visa.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3470.

    ", + "

    This is so you can use the National Health Service (NHS) in the UK.

    ", + "

    Check how much you\u2019ll need to pay before you apply.

    ", + "

    What you cannot do

    ", + "

    You cannot:

    ", + "
  • study on any other course or change your course while in the UK
  • ", + "
  • study at a state-funded school
  • ", + "
  • work or carry out any business (this includes paid or unpaid work, work experience or work placements)
  • ", + "
  • extend this visa
  • ", + "
  • bring family members (\u2018dependants\u2019) with you on this visa
  • ", + "
  • apply for most benefits (public funds) or the State Pension
  • ", + "

    Who can apply

    ", + "

    You must be 16 or older to apply.

    ", + "

    You must prove that:

    ", + "
  • you\u2019ve been accepted onto an English language course that lasts 11 months or less and includes no other subjects
  • ", + "
  • your course is with an accredited institution
  • ", + "
  • you have enough money to support yourself without working or help from public funds, or that relatives and friends can support and house you
  • ", + "
  • you can pay for your return or onward journey
  • ", + "

    If you\u2019re under 18 you must also:

    ", + "
  • have made arrangements for your travel and stay in the UK
  • ", + "
  • have the consent of your parent or guardian to study in the UK
  • ", + "

    Your course

    ", + "

    Your English language course must be with an \u2018accredited institution\u2019.

    ", + "

    This can be either:

    ", + "
  • an accredited UK institution
  • ", + "
  • an eligible overseas provider, if you\u2019re studying in the UK as part of an overseas course
  • ", + "

    Accredited UK institutions

    ", + "

    An accredited institution must either have a student sponsor licence or have a valid accreditation and be listed by one of the following:

    ", + "
  • Accreditation Body for Language Services
  • ", + "
  • Accreditation Service for International Colleges
  • ", + "
  • Accreditation UK
  • ", + "
  • British Accreditation Council
  • ", + "
  • Education and Training Inspectorate (in Northern Ireland)
  • ", + "
  • Estyn (in Wales)
  • ", + "
  • Education Scotland
  • ", + "
  • Independent Schools Inspectorate
  • ", + "
  • Office for Standards in Education (Ofsted)
  • ", + "
  • Office for Students
  • ", + "
  • Quality Assurance Agency for Higher Education
  • ", + "

    Eligible overseas providers

    ", + "

    You can also apply for a Short-term study visa if you\u2019re studying at an overseas higher education institution and part of your English language course is in the UK.

    ", + "

    Your institution must:

    ", + "
  • hold its own national accreditation
  • ", + "
  • offer no more than half of its educational programme in the UK
  • ", + "
  • offer programmes that are equivalent to a UK degree
  • ", + "

    Documents you'll need

    ", + "

    When you apply you must provide:

    ", + "
  • a current passport (with a blank page for your visa) or other valid travel document
  • ", + "
  • evidence that you can support yourself during your trip, for example bank statements or payslips for the last 6 months
  • ", + "
  • details of where you intend to stay and your travel plans - you should not pay for accommodation or travel until you get your visa
  • ", + "
  • evidence that you\u2019ve paid your course fees or have enough money to pay them
  • ", + "

    You also need to provide:

    ", + "
  • your tuberculosis (TB) test results, if you\u2019re from a country where you have to take the TB test
  • ", + "
  • contact details for at least one parent or guardian in your home country, if you\u2019re under 18 years old
  • ", + "
  • a certified translation if any documents are not in English or Welsh
  • ", + "

    Documents about your course

    ", + "

    You must provide written proof of the course you\u2019re studying. For example, a letter of acceptance from the educational institution stating the course\u2019s name, duration and cost (including accommodation).

    ", + "

    You may need to provide additional documents depending on your circumstances, such as evidence of your:

    ", + "
  • permission to be in the country you\u2019re applying from (if you\u2019re not a national)
  • ", + "
  • financial sponsor\u2019s occupation, income, savings or funds that will support your studies
  • ", + "

    If you\u2019re under 18

    ", + "

    If you\u2019re under 18 you need to provide additional documents if:

    ", + "
  • you\u2019re travelling on your own
  • ", + "
  • you\u2019re travelling with someone who is not your parent or guardian
  • ", + "

    Travelling on your own

    ", + "

    You can travel to the UK without an adult (someone 18 or older).

    ", + "

    You must have written consent from both parents (or one parent if they have sole responsibility) or your legal guardian. This must confirm they consent to:

    ", + "
  • your visa application
  • ", + "
  • your living arrangements and care in the UK
  • ", + "
  • your travel to the UK
  • ", + "

    They also need to provide proof that you have somewhere suitable to live during your stay in the UK, including:

    ", + "
  • the name and date of birth of the person that you will be staying with
  • ", + "
  • an address where you will be living
  • ", + "
  • details of your relationship to the person who\u2019ll be looking after you
  • ", + "
  • consent in writing so they can look after you during your stay in the UK
  • ", + "

    Your parent, guardian or school must tell the relevant local authority about your visit if either of the following are true:

    ", + "
  • you\u2019re under 18 and have a disability
  • ", + "
  • you\u2019re going to be looked after for more than 28 days by someone who is not a close relative (called \u2018private foster care\u2019)
  • ", + "

    You should provide a reply from the local authority if you have one.

    ", + "

    Travelling with an adult

    ", + "

    If you travel to the UK with an adult (someone 18 or older), you need to identify them in your visa application.

    ", + "

    Their name will appear on your visa, and you\u2019ll be refused entry to the UK if you arrive in the UK without them.

    ", + "

    You can identify up to 2 adults in your visa application, and your visa will only be valid if you travel with at least one of them.

    ", + "

    The adult can apply for a visa at the same time, but you must each complete separate applications.

    ", + "

    Apply

    ", + "

    You must apply online before you come to the UK. The earliest you can apply is 3 months before you travel to the UK.

    ", + "

    As part of your online application, you\u2019ll need to book an appointment at a visa application centre to provide your documents and prove your identity.

    ", + "

    Allow time to attend your appointment.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply online

    ", + "

    You must apply online.

    ", + "

    Before you start, check what documents you\u2019ll need to apply.

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    After you apply

    ", + "

    You\u2019ll get a letter containing the result of your application. This will explain what you need to do next.

    ", + "

    Find out what happens after you get your decision.

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    " + ] + }, + { + "title": "Family visas: apply, extend or switch", + "url": "https://www.gov.uk/uk-family-visa", + "contents": [ + "

    Overview

    ", + "

    You need a family visa to live with a family member in the UK for more than 6 months.

    ", + "

    Applying from outside the UK

    ", + "

    You can apply for a family visa to live with your:

    ", + "
  • spouse or partner
  • ", + "
  • fianc\u00e9, fianc\u00e9e or proposed civil partner
  • ", + "
  • child
  • ", + "
  • parent
  • ", + "
  • relative who\u2019ll provide long-term care for you
  • ", + "

    If you\u2019re visiting the UK for 6 months or less, check if you need a Standard Visitor visa or Marriage Visitor visa.

    ", + "

    Extending your family visa

    ", + "

    You can apply to extend your stay with your family member if you\u2019re already in the UK on a family visa.

    ", + "

    You can extend at any time before your current permission to stay in the UK expires.

    ", + "

    If you\u2019re extending to stay with the same family member, you\u2019ll only get up to 28 days left on your current stay added to your new visa.

    ", + "

    You must live in the UK for a certain amount of time before you\u2019re eligible for settlement (\u2018indefinite leave to remain\u2019). Before you extend your visa, check how much time you need to settle in the UK.

    ", + "

    You might be able to apply to stay on the basis of your private life if you\u2019ve lived in the UK for many years already.

    ", + "

    Switching to a family visa

    ", + "

    If you came to the UK on a different visa, you might be able to switch to a family visa to stay with your:

    ", + "
  • spouse or partner
  • ", + "
  • child
  • ", + "
  • parent
  • ", + "

    You can switch at any time before your current permission to stay in the UK expires.

    ", + "

    If you do not meet the rules because of coronavirus (COVID-19)

    ", + "

    If you do not meet the rules to enter or remain in the UK because of coronavirus, you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    Fees

    ", + "

    How much it costs depends on how you apply.

    ", + " | Apply outside the UK | Apply in the UK", + "Cost if joining your partner, parent or child | \u00a31,523 | \u00a31,033", + "Cost for each dependant added to your application | \u00a31,523 each person | \u00a31,033 each person", + "Cost for an adult who needs to be looked after by a relative | \u00a33,250 | \u00a31,033", + "

    Let your bank know that a large amount of money will be coming out of your account - otherwise it might cancel your payment.

    ", + "

    Healthcare surcharge

    ", + "

    You might also need to pay the healthcare surcharge as part of your application.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying from the UK, you may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.

    ", + "

    You cannot use the super priority service if you\u2019re applying as an adult coming to be cared for by a relative.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long it takes

    ", + "

    If you apply outside the UK a decision will usually be made within 12 weeks.

    ", + "

    If you apply in the UK a decision will usually be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will usually be made:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    It might take longer if your application is complex, for example you:

    ", + "
  • do not meet the minimum income requirement
  • ", + "
  • cannot prove your knowledge of English
  • ", + "
  • need to attend an interview
  • ", + "
  • have not provided all the evidence that the Home Office needs
  • ", + "
  • have a criminal conviction or another personal circumstance that needs to be reviewed
  • ", + "

    Other ways you can stay

    ", + "

    You were the victim of domestic abuse or your partner died

    ", + "

    You might be able to apply to settle in the UK if you had permission to stay in the UK as a partner when either:

    ", + "
  • you were the victim of domestic abuse
  • ", + "
  • your partner died
  • ", + "

    Your family member has refugee status or humanitarian protection

    ", + "

    You might be able to apply for \u2018family reunion\u2019 to join a partner or parent who has either:

    ", + "
  • refugee status in the UK
  • ", + "
  • humanitarian protection in the UK
  • ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. Otherwise you need a visa or family permit to come to the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    When you cannot get a family visa

    ", + "

    In some circumstances you cannot apply for, or switch to, a family visa.

    ", + "

    Your family member has a work visa or student visa

    ", + "

    You cannot apply for a family visa if your family member is in the UK temporarily on a work visa or student visa.

    ", + "

    You can apply to stay with them as a dependant instead.

    ", + "

    You have a visitor visa or a visa for 6 months or less

    ", + "

    You\u2019ll usually need to leave the UK to apply for a family visa if either:

    ", + "
  • you have permission to be in the UK as a visitor
  • ", + "
  • your visa is for 6 months or less
  • ", + "

    However, you might be able to switch to a family visa in the UK if you have either:

    ", + "
  • a 6-month family visa as a fianc\u00e9, fianc\u00e9e or proposed civil partner
  • ", + "
  • permission to stay in the UK for the outcome of a family court case or divorce
  • ", + "

    Apply as a partner or spouse

    ", + "

    To apply as a partner, you and your partner both need to be 18 or over.

    ", + "

    Your partner must also either:

    ", + "
  • be a British or Irish citizen
  • ", + "
  • have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "
  • have a Turkish Businessperson visa or Turkish Worker visa
  • ", + "
  • have refugee status or humanitarian protection in the UK
  • ", + "

    You and your partner must intend to live together permanently in the UK after you apply.

    ", + "

    If your partner has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.

    ", + "

    What you\u2019ll need to prove

    ", + "

    You must be able to prove one of the following:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "
  • you are a fianc\u00e9, fianc\u00e9e or proposed civil partner and will marry or enter into a civil partnership in the UK within 6 months of arriving
  • ", + "

    If your wedding or civil ceremony has been delayed because of coronavirus (COVID-19), you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    You also need to prove you:

    ", + "
  • have a good knowledge of English
  • ", + "
  • can financially support yourself and your dependants
  • ", + "

    If you do not meet these requirements you may still be able to apply for a visa or extend your permission to stay if:

    ", + "
  • you have a child in the UK who is a British or Irish citizen or has lived in the UK for 7 years and it would be unreasonable for them to leave the UK
  • ", + "
  • there would be very significant difficulties for you and your partner if you lived together as a couple outside the UK that could not be overcome
  • ", + "
  • it would breach your human rights to stop you coming to the UK or make you leave
  • ", + "

    If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner

    ", + "

    You must prove that:

    ", + "
  • any previous marriages or civil partnerships have ended
  • ", + "
  • you plan to marry or become civil partners within 6 months of arriving in the UK
  • ", + "

    If your wedding or civil ceremony has been delayed because of COVID-19, you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    You will not be able to work during your engagement.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for 2 years and 9 months on this visa. If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner, you can stay for 6 months.

    ", + "

    After this you\u2019ll need to apply to extend your stay.

    ", + "

    If you extend or switch to this visa

    ", + "

    If you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.

    ", + "

    How to apply

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    How you apply depends on whether you\u2019re in the UK or not.

    ", + "

    Outside the UK

    ", + "

    You must apply online from outside the UK.

    ", + "

    In the UK

    ", + "

    You must apply online in the UK.

    ", + "

    If you cannot pay the fee

    ", + "

    Fill in the online fee waiver request form as well if you cannot pay the fee because you:

    ", + "
  • do not have a place to live and cannot afford one
  • ", + "
  • have a place to live but cannot afford essential living costs like food or heating
  • ", + "
  • have a very low income and paying the fee would harm your child\u2019s wellbeing
  • ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Applying with your children

    ", + "

    You can add children to your application as dependants if both of the following apply:

    ", + "
  • they are under 18 when you apply, or were under 18 when they were first granted leave
  • ", + "
  • they do not live an independent life
  • ", + "

    Your child is living an independent life if, for example, they\u2019ve left home, got married and had children.

    ", + "

    When you can settle permanently

    ", + "

    The earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a partner.

    ", + "

    You cannot include time you\u2019ve spent in the UK:

    ", + "
  • on any other visa
  • ", + "
  • as a fianc\u00e9, fianc\u00e9e or proposed civil partner
  • ", + "

    The rules are different if you applied before 9 July 2012.

    ", + "

    If you applied before 9 July 2012

    ", + "

    You can only extend your family visa if all the following are true:

    ", + "
  • you were given permission to stay in the UK as a partner before 9 July 2012
  • ", + "
  • you are not eligible to settle in the UK
  • ", + "
  • you have not been granted or refused another visa
  • ", + "

    You must also prove that:

    ", + "
  • you and your partner have enough money to financially support yourself and your dependants without relying on public funds
  • ", + "
  • you have knowledge of English
  • ", + "

    Apply as a parent

    ", + "

    You can apply to live in the UK to care for your child.

    ", + "

    If you\u2019re eligible to apply as a partner, you must do that instead of applying as a parent.

    ", + "

    Your child must either:

    ", + "
  • be under 18 on the date you apply
  • ", + "
  • have been under 18 when you were first granted leave and not live an independent life
  • ", + "

    Your child is living an independent life if, for example, they\u2019ve left home, got married and had children.

    ", + "

    Your child must be living in the UK. One of the following must also be true:

    ", + "
  • they\u2019re a British or Irish citizen
  • ", + "
  • they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "
  • if you\u2019re applying in the UK, they must have lived in the UK for 7 years continuously and it would not be reasonable for them to leave
  • ", + "

    If your child has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.

    ", + "

    If you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    Parental responsibility

    ", + "

    You need to have sole or shared parental responsibility for your child.

    ", + "

    If you share parental responsibility, the child\u2019s other parent must not be your partner. They must also either:

    ", + "
  • be a British or Irish citizen
  • ", + "
  • have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "

    If the child lives with their other parent or carer, you must have access to the child in person, as agreed with the other parent or carer or by a court order.

    ", + "

    What you\u2019ll need to prove

    ", + "

    You must be able to prove that you\u2019re taking an active role in your child\u2019s upbringing and you plan to continue after you apply. For example you could provide letters from your child\u2019s:

    ", + "
  • school confirming you take them to school or go to parent evenings
  • ", + "
  • doctor, dentist, or health visitor confirming that you take them to appointments
  • ", + "
  • other parent confirming how much contact you have with your child
  • ", + "

    If you provide a letter from the other parent, you\u2019ll need to include proof of their identity. This should be an official document which has their signature on it, for example a copy of their passport, tax return or photocard driving licence.

    ", + "

    English language and financial requirements

    ", + "

    You must also prove you:

    ", + "
  • have a good knowledge of English
  • ", + "
  • can financially support yourself without claiming public funds
  • ", + "

    If your child or any other dependants live with you, you must also prove you can financially support them without claiming public funds.

    ", + "

    If you do not meet the English language and financial requirements you can still extend your permission to stay if:

    ", + "
  • your child in the UK is a British or Irish citizen or has lived in the UK for 7 years
  • ", + "
  • it would be unreasonable for them to leave the UK
  • ", + "

    How long you can stay

    ", + "

    You can stay in the UK for 2 years and 9 months on this visa. After this you\u2019ll need to apply to extend your stay.

    ", + "

    If you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.

    ", + "

    How to apply

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    How you apply depends on whether you\u2019re in the UK or not.

    ", + "

    Outside the UK

    ", + "

    You must apply online outside the UK. You must also complete Appendix 5.

    ", + "

    In the UK

    ", + "

    You must apply online in the UK.

    ", + "

    If you cannot afford to pay the fee, you must also apply online to waive the fee. You might not have to pay the fee if you:

    ", + "
  • do not have a place to live and you cannot afford one
  • ", + "
  • have a place to live but cannot afford your essential living costs like food or heating
  • ", + "
  • have a very low income and paying the fee would harm your child\u2019s wellbeing
  • ", + "

    Read the guidance for parents before applying.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Applying with other children

    ", + "

    You can add other children to your application as dependants if one of the following applies:

    ", + "
  • they are under 18 on the date you apply
  • ", + "
  • they were under 18 when they were first granted leave on a family visa and do not live an independent life
  • ", + "

    When you can settle permanently

    ", + "

    The earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a parent.

    ", + "

    You cannot include time you\u2019ve spent in the UK on any other visa.

    ", + "

    The rules are different if you applied before 9 July 2012.

    ", + "

    Apply as a child

    ", + "

    You can apply for a family visa to join your parent in the UK.

    ", + "

    You may not need a family visa if at least one of your parents has indefinite leave to remain or proof of permanent residence. Check if you can apply to settle in the UK.

    ", + "

    If your parent has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.

    ", + "

    If you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    You were born in the UK

    ", + "

    You\u2019ll get the same permission to stay as your parent if you were born in the UK.

    ", + "

    If you\u2019re under 18

    ", + "

    You can either:

    ", + "
  • be added to your parent\u2019s next application as a dependant
  • ", + "
  • apply separately
  • ", + "

    To apply separately, you\u2019ll need to know what kind of permission to stay in the UK (\u2018limited leave to remain\u2019) your parent has.

    ", + "

    If you\u2019re over 18

    ", + "

    Your parent can only include you in their application as a dependant if you:

    ", + "
  • got permission to come to or stay in the UK (\u2018leave to enter or remain\u2019) on a family visa when you were under 18
  • ", + "
  • do not live an independent life
  • ", + "
  • are applying from inside the UK
  • ", + "

    You\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.

    ", + "

    You were born outside the UK

    ", + "

    Whether you can apply depends on your age and how your parent applied.

    ", + "

    If you\u2019re under 18

    ", + "

    You must:

    ", + "
  • not be married, in a civil partnership or living an independent life
  • ", + "
  • be financially supported without claiming public funds
  • ", + "

    One of your parents must also be applying or have applied for a visa or to extend their permission to stay as a:

    ", + "
  • partner - and the partner they\u2019re joining is your other parent
  • ", + "
  • parent - and they have sole parental responsibility for you
  • ", + "

    Otherwise, you might still be eligible to apply if there are serious reasons to let you come to, or stay in the UK and there are plans for your care.

    ", + "

    If you\u2019re over 18

    ", + "

    Your parent can include you in their application as a dependant, or you can apply separately yourself. You can only apply if you:

    ", + "
  • got permission to stay in the UK (\u2018leave to remain\u2019) on a family visa when you were under 18
  • ", + "
  • do not live an independent life
  • ", + "

    You\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.

    ", + "

    If your parent cannot include you in their form and you\u2019re in the UK, you may be eligible to apply for Private Life in the UK (10-year route).

    ", + "

    Apply from outside the UK

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    Apply at the same time as your parent

    ", + "

    Which form you need to fill in depends on whether your parent is applying to enter the UK as the partner of one of the following:

    ", + "
  • a British or Irish citizen
  • ", + "
  • a person with indefinite leave to remain
  • ", + "
  • a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "
  • a person with a Turkish Businessperson visa or Turkish Worker visa
  • ", + "
  • a person with refugee status or humanitarian protection
  • ", + "

    If they are applying as one of these, you must fill in the Appendix FM online form.

    ", + "

    If they are not, you must fill in both:

    ", + "
  • the online application form
  • ", + "
  • the Appendix 1 paper form
  • ", + "

    Apply separately

    ", + "

    Which form you need to fill in depends on whether your parent has leave to enter or remain in the UK on a 5 or 10-year route to settlement as the partner of:

    ", + "
  • a British or Irish citizen
  • ", + "
  • a person with indefinite leave to remain
  • ", + "
  • a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "
  • a person with a Turkish Businessperson visa or Turkish Worker visa
  • ", + "
  • a person with refugee status or humanitarian protection
  • ", + "

    If they do, you must fill in the Appendix FM online form.

    ", + "

    If they do not, you must fill in both:

    ", + "
  • the online application form
  • ", + "
  • the Appendix 1 paper form
  • ", + "

    Apply from the UK

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    If you\u2019re already in the UK, you must apply online.

    ", + "

    Fill in the online fee waiver request form as well if you cannot pay the fee because you:

    ", + "
  • do not have a place to live and you cannot afford one
  • ", + "
  • have a place to live but cannot afford your essential living costs like food or heating
  • ", + "
  • have a very low income and paying the fee would harm your child\u2019s wellbeing
  • ", + "

    You can also check if you\u2019re eligible for a different type of visa.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Apply as an adult coming to be cared for by a relative

    ", + "

    You must be outside the UK to apply and need long-term care from a parent, grandchild, brother, sister, son or daughter who is living permanently in the UK.

    ", + "

    One of the following must also apply to the relative:

    ", + "
  • they\u2019re a British or Irish citizen
  • ", + "
  • they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "
  • they have refugee status or humanitarian protection in the UK
  • ", + "

    If your family member has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.

    ", + "

    You must prove all of the following:

    ", + "
  • you need long-term care to do everyday personal and household tasks because of illness, disability or your age
  • ", + "
  • the care you need is not available or affordable in the country you live in
  • ", + "
  • the person you\u2019ll be joining in the UK will be able to support, accommodate and care for you without claiming public funds for at least 5 years
  • ", + "
  • you\u2019re 18 or over
  • ", + "

    How long you can stay for

    ", + "

    How long you can stay depends on the status of your family member.

    ", + "

    If your family member is British, Irish or settled in the UK

    ", + "

    Your stay is unlimited. You will not need to apply to extend or settle.

    ", + "

    If your family member has pre-settled status

    ", + "

    They must have started living in the UK before 1 January 2021. You can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.

    ", + "

    If your family member has refugee status or humanitarian protection in the UK

    ", + "

    You can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.

    ", + "

    How to apply

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    You must apply as an adult dependent relative online and complete Appendix 1.

    ", + "

    Apply to extend your stay

    ", + "

    Apply online to extend your stay in the UK.

    ", + "

    Apply on the basis of your private life

    ", + "

    You can only apply on the basis of your private life if you\u2019re already living in the UK.

    ", + "

    You must be able to prove that you\u2019re:

    ", + "
  • under 18 and you\u2019ve lived in the UK continuously for at least 7 years, and it would be unreasonable to expect you to leave the UK
  • ", + "
  • between 18 and 24 and you\u2019ve lived continuously in the UK for more than half your life
  • ", + "
  • 18 or over, have spent less than 20 years in the UK and would have very significant problems living in the country you\u2019d have to go to - for example, you do not speak the language and could not learn it
  • ", + "
  • 25 or over and you\u2019ve been in the UK continuously for 20 years
  • ", + "

    Your family members can apply on the same application - you\u2019ll be considered separately.

    ", + "

    If you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    If you cannot pay the application fee

    ", + "

    Fill in the online fee waiver request form as well if you cannot afford to pay the fee because you:

    ", + "
  • do not have a place to live and you cannot afford one
  • ", + "
  • have a place to live but cannot afford your essential living costs like food or heating
  • ", + "
  • have a very low income and paying the fee would harm your child\u2019s wellbeing
  • ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Knowledge of English

    ", + "

    You may need to prove your knowledge of the English language when you apply.

    ", + "

    When you do not need to prove it

    ", + "

    You do not need to prove your knowledge of English or take a test if one of the following is true:

    ", + "
  • you\u2019re applying as a child
  • ", + "
  • you\u2019re applying as an adult coming to be cared for by a relative
  • ", + "
  • you\u2019ve been in the UK on a family visa for 5 years and you\u2019re extending it as a partner or parent
  • ", + "
  • you\u2019re over 65
  • ", + "
  • you have a physical or mental condition that prevents you from meeting the requirement
  • ", + "

    You also will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    How to prove your knowledge of English

    ", + "

    You can prove it with an academic qualification, or by taking a test.

    ", + "

    Academic qualifications

    ", + "

    You can prove your knowledge of English if you have a degree or academic qualification that was taught or researched in English.

    ", + "

    If your qualification is from a UK university or college, you only need your degree certificate.

    ", + "

    If your qualification is from a university or college outside the UK

    ", + "

    You\u2019ll need to provide a certificate from Ecctis (formerly UK NARIC) to show that your qualification is equivalent to a UK bachelor\u2019s degree or higher and that it was taught in English.

    ", + "

    There are 2 kinds of certificate:

    ", + "
  • a statement of comparability
  • ", + "
  • a visa and nationality statement
  • ", + "

    You need a statement of comparability if you got your qualification from a university or college in one of these countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Ireland
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    If you got your qualification from a university or college in any other country, you need a visa and nationality statement.

    ", + "

    Take an approved English language test

    ", + "

    You can prove your knowledge of English by passing an approved English language test.

    ", + "

    You must pass at least level A1 on the Common European Framework of Reference for Languages (CEFR) scale for your first visa application. You can choose to take a higher level test.

    ", + "

    If you pass level B1 level or higher, the test will be accepted if it\u2019s still on the list of approved English language tests when you apply for settlement after 5 years.

    ", + "

    If you cannot take an English language test because of coronavirus (COVID-19), you might be able to apply for an exemption. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    If you want to settle permanently in the UK within 5 years

    ", + "

    You may have to pass a higher CEFR level if you want to stay in the UK after 2.5 years. What you need to do depends on what CEFR level you passed for your first visa.

    ", + "

    If you passed:

    ", + "
  • level A1 you\u2019ll need to pass level A2 in speaking and listening
  • ", + "
  • level A2, B1, B2, C1 or C2 you can use the test again for your application if it\u2019s still on the list of approved English language tests
  • ", + "

    If you were given an exemption, you\u2019ll need to pass a test at level A1.

    ", + "

    Read the English language requirement: family members guidance.

    ", + "

    Give proof of your income

    ", + "

    You and your partner must have a combined income of at least \u00a318,600 a year if:

    ", + "
  • you\u2019re applying as a partner
  • ", + "
  • you want to settle in the UK (get \u2018indefinite leave to remain\u2019) within 5 years
  • ", + "

    You must prove you have extra money if you have children who:

    ", + "
  • are not British or Irish citizens
  • ", + "
  • do not have pre-settled status
  • ", + "
  • are not permanently settled in the UK
  • ", + "

    You might not need to prove you have extra money if your children are citizens of the EU, Iceland, Liechtenstein, Norway or Switzerland and they do not have pre-settled status or are not permanently settled in the UK. Check the guidance in appendix FM 1.7: financial requirement for more information.

    ", + "

    If you need to prove extra money for your children, you\u2019ll need to earn an extra:

    ", + "
  • \u00a33,800 for your first child
  • ", + "
  • \u00a32,400 for each child you have after your first child
  • ", + "

    This is called the \u2018minimum income requirement\u2019.

    ", + "

    You may be able to use your savings instead of income.

    ", + "

    How you prove you have the money depends on how you got the income.

    ", + "

    If you\u2019ve experienced a loss of income because of coronavirus (COVID-19), for example if you\u2019ve been furloughed or you\u2019re self employed, you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    What counts as income

    ", + "

    You and your partner can use:

    ", + "
  • income from employment before tax and National Insurance (check your P60 or payslips) - you can only use your own income if you earn it in the UK
  • ", + "
  • income you earn from self-employment or as a director of a limited company in the UK - check your Self Assessment tax return
  • ", + "
  • cash savings above \u00a316,000
  • ", + "
  • money from a pension
  • ", + "
  • non-work income, for example from property rentals or dividends
  • ", + "

    If you\u2019re using income from self-employment or employment, you\u2019ll need to prove you or your partner received that income for 6 months or more.

    ", + "

    What proof you need to give

    ", + "

    You\u2019ll need to provide proof of your income with your application. If you or your partner are employed, you could include:

    ", + "
  • bank statements showing you or your partner\u2019s income
  • ", + "
  • 6 months of payslips
  • ", + "
  • a letter from an employer, dated and on headed paper
  • ", + "

    The employer\u2019s letter should confirm:

    ", + "
  • you or your partner are employed there
  • ", + "
  • the job title or position you or your partner hold
  • ", + "
  • how long you or your partner have worked there
  • ", + "
  • the type of contract (for example, permanent, fixed term)
  • ", + "
  • what you or your partner earn before tax and National Insurance
  • ", + "
  • how long you or your partner have been paid your current salary
  • ", + "
  • the payslips are genuine
  • ", + "

    You\u2019ll be told exactly what documents to provide when you apply online.

    ", + "

    Check the guidance in appendix FM 1.7: financial requirement if:

    ", + "
  • you or your partner\u2019s income is more complicated
  • ", + "
  • you or your partner have taken maternity or paternity leave in the last 6 months
  • ", + "
  • you want to combine different income sources
  • ", + "

    The detailed guidance also explains the evidence you need to provide for each of the types of income you\u2019re relying on.

    ", + "

    If you cannot meet the minimum income requirement

    ", + "

    You need to show you and your partner meet the minimum income requirement if you want to settle in 5 years as a partner.

    ", + "

    If you do not meet the requirement, you may be able to settle in 10 years.

    ", + "

    When you do not need to meet the income requirement

    ", + "

    You may be able to settle in 5 years without meeting the minimum income requirement if either:

    ", + "
  • you\u2019re applying as a parent
  • ", + "
  • you get certain benefits, for example Disability Living Allowance or Carer\u2019s Allowance.
  • ", + "

    You need to show you and your family have enough money to adequately support and accommodate yourselves without relying on public funds. The caseworker considers your income and housing costs.

    ", + "

    Check the guidance in appendix FM 1.7: financial requirement for more information

    ", + "

    Information you must provide

    ", + "

    You\u2019ll need to have information and some evidence ready when you make your application. Include information for you and any dependants applying at the same time.

    ", + "

    You\u2019ll need to provide:

    ", + "
  • all your names
  • ", + "
  • your date of birth
  • ", + "
  • your current passport or other valid travel ID
  • ", + "
  • copies of the photo page and any visa or entry stamps in your previous passports
  • ", + "
  • a copy of your biometric residence permit, if you have one
  • ", + "
  • details of any previous immigration applications you\u2019ve made
  • ", + "
  • details of any criminal convictions
  • ", + "
  • your national insurance number, if you have one
  • ", + "
  • your parents\u2019 date of birth and nationality if you\u2019re applying from outside the UK
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a certified translation of any document that is not in English or Welsh
  • ", + "

    You\u2019ll need to have a blank page in your passport on which to put the visa if you\u2019re applying outside the UK.

    ", + "

    You\u2019ll need an email address to make an online application.

    ", + "

    You\u2019ll also need to:

    ", + "
  • give proof of your finances
  • ", + "
  • prove your knowledge of English
  • ", + "

    You may need to provide additional documents depending on your circumstances - for example a sponsorship form from your family member in the UK.

    ", + "

    You\u2019ll be told how to provide your documents when you apply.

    ", + "

    If you\u2019re unable to provide specified documents because of coronavirus (COVID-19), you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    Your partner\u2019s details

    ", + "

    If you have a partner, you\u2019ll be asked about their:

    ", + "
  • name
  • ", + "
  • date of birth
  • ", + "
  • nationality
  • ", + "
  • passport
  • ", + "
  • right to be in the UK, for example they\u2019re a British citizen
  • ", + "

    You\u2019ll also need to give details of:

    ", + "
  • any people your partner was previously married to, in a civil partnership with or had children with
  • ", + "
  • evidence of marriages ending, for example a divorce certificate
  • ", + "
  • anyone your partner supports with money, for example their parents
  • ", + "

    Proof of relationship

    ", + "

    If you\u2019re applying as a spouse or partner, you\u2019ll be asked about:

    ", + "
  • your relationship with your partner, for example how you met and how often you see each other
  • ", + "
  • how long you\u2019ve lived together - you\u2019ll need to provide proof like council tax bills
  • ", + "
  • things you pay for together
  • ", + "
  • whether you\u2019re your partner\u2019s carer
  • ", + "

    Your previous partners

    ", + "

    You\u2019ll need to include details of anyone you previously married or had children with. Include evidence of marriages ending, for example a divorce certificate.

    ", + "

    Children

    ", + "

    You\u2019ll need to give details of your children (and your partner\u2019s children if you have one). You\u2019ll be asked about all children, even if they\u2019re not applying.

    ", + "

    You\u2019ll need to give details of:

    ", + "
  • their name
  • ", + "
  • their nationality
  • ", + "
  • their date of birth
  • ", + "
  • their passport details
  • ", + "
  • who the child normally lives with
  • ", + "
  • any other people with parental responsibility for your child, for example your step children\u2019s other parents
  • ", + "
  • how you\u2019re involved in their day to day life
  • ", + "
  • arrangements you have to see the child - for example the courts have granted you access
  • ", + "
  • the child\u2019s extended family
  • ", + "
  • any countries your child has visited or lived in
  • ", + "

    Your life outside the UK

    ", + "

    You\u2019ll need to give details of:

    ", + "
  • countries outside the UK you\u2019ve lived in and visited
  • ", + "
  • family and friends in the countries where you were born or have nationality
  • ", + "

    After you apply

    ", + "

    You\u2019ll need to attend an appointment to provide your biometric information (fingerprints and a photo). You\u2019ll be told how to make an appointment when you apply.

    ", + "

    Getting your documents back

    ", + "

    You can ask for your passport and other documents to be returned if you\u2019ve provided them with your application but need them urgently.

    ", + "

    You might have to cancel your application to get your documents back.

    ", + "

    If your application is approved

    ", + "

    You\u2019ll get a biometric residence permit.

    ", + "

    You can:

    ", + "
  • work
  • ", + "
  • study
  • ", + "

    You cannot work or study if you\u2019re applying for a visa or extending your stay to get married or become civil partners.

    ", + "

    You cannot:

    ", + "
  • usually get benefits or other public funds for you or your dependants
  • ", + "
  • apply to settle in the UK until you\u2019re eligible
  • " + ] + }, + { + "title": "Apply for a permit to join your EU or EEA family member in the UK", + "url": "https://www.gov.uk/family-permit", + "contents": [ + "

    Overview

    ", + "

    You may be able to get a permit to come to the UK if you\u2019re the family member of either:

    ", + "
  • an EU, EEA or Swiss citizen
  • ", + "
  • a \u2018person of Northern Ireland\u2019
  • ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    The family of some British citizens can also get a permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    There are 2 different family permits:

    ", + "
  • the EU Settlement Scheme family permit
  • ", + "
  • the EEA family permit
  • ", + "

    What family permits are for

    ", + "

    A family permit makes it easier to travel with your family member to the UK or to join them there.

    ", + "

    It lets you come to the UK for up to 6 months. You can work and study, and come and go as many times as you want.

    ", + "

    Without one, you might not get a boarding pass or may be refused entry into the UK.

    ", + "

    You can stay longer in the UK if you\u2019re eligible for the EU Settlement Scheme. You can either:

    ", + "
  • apply for a family permit before you come to the UK, and then apply to the EU Settlement Scheme once you\u2019re here
  • ", + "
  • apply to the EU Settlement Scheme from outside the UK, if you\u2019re eligible to do so
  • ", + "

    EU Settlement Scheme family permit

    ", + "

    You can apply for an EU Settlement Scheme family permit if you\u2019re the close family member of an EU, EEA or Swiss citizen who was living in the UK by 31 December 2020.

    ", + "

    Find out more about applying for an EUSS family permit to join an EU, EEA or Swiss citizen.

    ", + "

    You can also apply:

    ", + "
  • if you\u2019ve lived in the EU, EEA or Switzerland with an eligible family member who\u2019s a British citizen
  • ", + "
  • if you have the right to stay in the UK as the family member of an EU, EEA or Swiss citizen who has died, left the UK, is no longer your spouse or civil partner or with whom the family relationship has broken down - this is called \u2018retained right of residence\u2019
  • ", + "

    EEA family permit

    ", + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.

    ", + "

    You can apply for an EEA family permit if you\u2019re the close family member or unmarried partner of a person from the EU, EEA or Switzerland. Your family relationship must have started by 31 December 2020.

    ", + "

    If you apply for an EEA family permit and do not get a decision by 30 June 2021, you\u2019ll need to apply for a different way to travel to the UK, such as an EU Settlement Scheme family permit.

    ", + "

    Find out more about applying for the EEA family permit to join an EU, EEA or Swiss citizen.

    ", + "

    You may also be eligible for an EEA family permit:

    ", + "
  • with a \u2018derivative right of residence\u2019 - you might have this if you\u2019re the primary carer of a British, EU, EEA or Swiss dependant, the primary carer\u2019s child, or the child of an EU, EEA or Swiss citizen who previously worked in the UK
  • ", + "
  • if you can make a \u2018Surinder Singh\u2019 application after living in an EEA country or Switzerland with a British family member
  • ", + "
  • with a \u2018retained right of residence\u2019 - you might have this if you have the right to stay in the UK as the family member of an EU, EEA or Swiss citizen who has died, left the UK or is no longer your spouse or civil partner
  • ", + "

    Fees

    ", + "

    Both family permits are free.

    ", + "

    After you\u2019ve applied

    ", + "

    If your application is successful, check how long your permit lasts and when you can apply to stay longer in the UK.

    ", + "

    EU Settlement Scheme family permit: join an EU, EEA or Swiss citizen

    ", + "

    You can apply for an EU Settlement Scheme family permit to come to the UK if all of the following are true:

    ", + "
  • you\u2019re the eligible family member of an EU, EEA or Swiss citizen, or a \u2018person of Northern Ireland\u2019
  • ", + "
  • your family relationship began by 31 December 2020
  • ", + "
  • your family member was living in the UK by 31 December 2020
  • ", + "
  • your family member is in the UK already or traveling with you to the UK within 6 months of your application
  • ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    Children who were born or adopted after 31 December 2020 may also be eligible, if they\u2019re the child of either:

    ", + "
  • an EU, EEA or Swiss citizen
  • ", + "
  • an EU, EEA or Swiss citizen\u2019s spouse or civil partner
  • ", + "

    Eligible family members

    ", + "

    You can join your:

    ", + "
  • spouse, civil partner or unmarried partner
  • ", + "
  • child or grandchild aged under 21
  • ", + "
  • dependent child or grandchild of any age
  • ", + "
  • dependent parent or grandparent
  • ", + "

    This includes family members who were adopted under an adoption order that\u2019s recognised in UK law.

    ", + "

    Spouses and civil partners of Swiss citizens

    ", + "

    If you\u2019re married to or in a civil partnership with an eligible Swiss citizen, the rules are different.

    ", + "

    You\u2019ll still be eligible if:

    ", + "
  • you got engaged or formed your partnership after 31 December 2020
  • ", + "
  • you\u2019re still together when you apply
  • ", + "

    Who you can join

    ", + "

    The person you\u2019re joining must be one of the following:

    ", + "
  • an EU, EEA or Swiss citizen
  • ", + "
  • a person of Northern Ireland
  • ", + "
  • someone who lived in the UK as an EU, EEA or Swiss citizen before also getting British citizenship
  • ", + "
  • an EU, EEA or Swiss citizen who is exempt from immigration control
  • ", + "
  • an EU, EEA or Swiss citizen who travels regularly to work in the UK but lives outside of the UK (also known as a \u2018frontier worker\u2019)
  • ", + "
  • a British citizen who also has dual EU, EEA or Swiss nationality and was settled in the UK before 16 July 2012 without using their free movement rights (also known as a \u2018McCarthy\u2019 case)
  • ", + "

    Your family member must meet the eligibility criteria for the EU Settlement Scheme even if they have not applied or cannot apply. This means that they:

    ", + "
  • were resident in the UK by 31 December 2020
  • ", + "
  • pass criminal record checks
  • ", + "

    If you\u2019re joining a person of Northern Ireland

    ", + "

    To be an eligible person of Northern Ireland, the person you\u2019re joining must:

    ", + "
  • have been born in Northern Ireland
  • ", + "
  • have British, Irish or dual British and Irish citizenship
  • ", + "

    At the time of your family member\u2019s birth, one of their parents must have been:

    ", + "
  • a British citizen
  • ", + "
  • a Irish citizen
  • ", + "
  • a dual British and Irish citizen
  • ", + "
  • entitled to reside in Northern Ireland with no restriction on their period of residence
  • ", + "

    If you\u2019re joining an EU, EEA or Swiss citizen who lived in the UK before getting British citizenship

    ", + "

    To be eligible the person you\u2019re joining must:

    ", + "
  • be an EU, EEA or Swiss citizen
  • ", + "
  • have become a naturalised British citizen after working, studying or being self-sufficient in the UK
  • ", + "

    If you\u2019re joining an EU, EEA or Swiss citizen who is exempt from immigration control

    ", + "

    The person you\u2019re joining must be:

    ", + "
  • an EU, EEA or Swiss citizen
  • ", + "
  • exempt from immigration control
  • ", + "

    They cannot also be a British citizen.

    ", + "

    If you\u2019re joining a frontier worker

    ", + "

    The person you\u2019re joining must:

    ", + "
  • be an EU, EEA or Swiss citizen
  • ", + "
  • have been working in the UK by 31 December 2020 as an employee or self-employed person
  • ", + "
  • be primarily resident in another country that is not the UK
  • ", + "
  • have been a frontier worker continuously since 1 January 2021
  • ", + "

    They cannot also be a British citizen.

    ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • a valid passport
  • ", + "
  • evidence of your relationship to your EEA family member, for example a marriage certificate, civil partnership certificate or birth certificate
  • ", + "

    You can provide a valid national identity card instead of your passport if you\u2019re an EU, EEA or Swiss citizen.

    ", + "

    If the EU, EEA or Swiss citizen family member you are joining has applied to the EU Settlement Scheme you must provide their application number.

    ", + "

    If they have not applied to the EU Settlement Scheme you must provide both:

    ", + "
  • their valid EU, EEA or Swiss passport or national identity card
  • ", + "
  • evidence that they would be eligible for the EU Settlement Scheme if they had applied
  • ", + "

    You\u2019ll have to show that they meet the other eligibility criteria for the EU Settlement Scheme even if they cannot apply - for example, if they have British as well as EU, EEA or Swiss citizenship.

    ", + "

    Evidence if you\u2019re a spouse or civil partner

    ", + "

    If you\u2019re a spouse or civil partner, you must show that you were engaged or formed a civil partnership by 31 December 2020.

    ", + "

    To do this, you must provide either:

    ", + "
  • a marriage or civil partnership certificate
  • ", + "
  • a document issued under the EEA regulations as the spouse or civil partner of the EU, EEA or Swiss citizen - for example a family permit or residence card
  • ", + "

    If you\u2019re married to or in civil partnership with a Swiss citizen who was resident in the UK by 31 December 2020, the rules are different. You may be eligible if you got married or entered into your partnership any time before 1 January 2026, and the relationship still exists when you apply.

    ", + "

    Evidence if you\u2019re an unmarried partner

    ", + "

    If you\u2019re an unmarried partner you\u2019ll need to provide evidence that you were in your long-term relationship by 31 December 2020.

    ", + "

    This usually means showing that you had been living together for 2 years. Evidence could include:

    ", + "
  • bank statements, utility bills or official correspondence that shows you and your partner at the same address
  • ", + "
  • documents showing joint finances, like a tax return
  • ", + "
  • birth certificates or custody agreements showing that you shared responsibility for children while living together
  • ", + "

    You\u2019ll also need to provide evidence that:

    ", + "
  • you\u2019re still together when you apply
  • ", + "
  • if you were resident in the UK before 1 January 2021, evidence that you were legally resident during that time
  • ", + "

    Evidence if you\u2019re a dependent child, grandchild, parent or grandparent

    ", + "

    You\u2019ll have to provide evidence that you\u2019re related to your EU, EEA or Swiss family member, such as a birth certificate.

    ", + "

    You\u2019ll also have to show that you are dependent on them if:

    ", + "
  • you\u2019re over 21 and a dependent child or grandchild of your family member
  • ", + "
  • your family member is under 18 and you\u2019re their dependent parent or grandparent
  • ", + "

    Examples of the evidence you can provide include:

    ", + "
  • bank statements or money transfers that show you depend on them financially
  • ", + "
  • evidence that you depend on them for health care, for example a letter from a hospital consultant
  • ", + "

    If you\u2019re a dependent parent or grandparent, you will not need to show dependency if your spouse, civil partner or unmarried partner has successfully applied for either:

    ", + "
  • an EU Settlement Scheme family permit
  • ", + "
  • the EU Settlement Scheme as the dependent parent of your EEA family member
  • ", + "

    Evidence if you\u2019re the family member of a person of Northern Ireland

    ", + "

    You\u2019ll need to provide a birth certificate or passport showing that your family member was born in Northern Ireland.

    ", + "

    If they qualify as an Irish citizen alone, you must provide their original passport or national identity card and not a copy.

    ", + "

    You must also provide evidence that, at the time of your family member\u2019s birth, one of their parents was:

    ", + "
  • a British citizen
  • ", + "
  • a Irish citizen
  • ", + "
  • a dual British and Irish citizen
  • ", + "
  • entitled to reside in Northern Ireland with no restriction on their period of residence
  • ", + "

    Evidence if you\u2019re joining a person who is exempt from immigration control

    ", + "

    You\u2019ll need to provide evidence showing that:

    ", + "
  • they are exempt from immigration controls, for example a letter from a UK or foreign ministry
  • ", + "
  • they\u2019d meet the other eligibility criteria for the EU Settlement Scheme if they made an application before 1 July 2021 (even though they cannot actually apply)
  • ", + "

    Evidence if you\u2019re joining a frontier worker

    ", + "

    You\u2019ll need to provide their frontier worker permit, or evidence that shows that they would be issued one if they applied.

    ", + "

    Evidence if you\u2019re joining a person with dual citizenship

    ", + "

    You\u2019ll need to provide evidence that shows:

    ", + "
  • your family member is a British citizen - for example a copy of their passport
  • ", + "
  • they\u2019d meet the other eligibility criteria for the EU Settlement Scheme if they made an application before 1 July 2021, even though they cannot apply
  • ", + "

    If you\u2019re applying on the grounds that your family member was settled in the UK before 16 July 2012\nwithout using their free movement rights (also known as a \u2018McCarthy\u2019 case), you\u2019ll have to show that on 16 July 2012 you had either:

    ", + "
  • a right of permanent residence in the UK
  • ", + "
  • a document issued under EEA regulations, for example a residence card
  • ", + "

    Apply for an EU Settlement Scheme family permit

    ", + "

    You must apply online for an EU Settlement Scheme family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    There\u2019s no deadline for applications.

    ", + "

    EU Settlement Scheme family permit: join a British citizen

    ", + "

    You can apply for an EU Settlement Scheme family permit to come to the UK before 29 March 2022 if you\u2019ve lived in an EU or EEA country or Switzerland with an eligible family member who\u2019s a British citizen.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    You must have lived with them in that country before 1 January 2021, and be:

    ", + "
  • their spouse, civil partner or unmarried partner
  • ", + "
  • under 21 years old, and are their child or grandchild
  • ", + "
  • 21 years or older, and are their dependent child or grandchild
  • ", + "
  • their dependent parent or grandparent
  • ", + "
  • another dependent relative
  • ", + "

    This includes family members who were adopted under an adoption order that\u2019s recognised in UK law.

    ", + "

    The country that you lived in together must have been your main residence. Your British family member must also have been working (including on a posting with HM Armed Forces), studying or self-sufficient in the country while there.

    ", + "

    The relationship with your family member must have existed before 1 February 2020 for you to be eligible to apply, unless you have reasonable grounds for not returning to the UK before 1 January 2021.

    ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • your valid passport (or ID card if you are an EU, EEA or Swiss citizen)
  • ", + "
  • your British family member\u2019s valid passport
  • ", + "
  • evidence of your relationship to your British family member, such as a marriage certificate, civil partnership certificate or birth certificate
  • ", + "

    Both you and your British family member must provide documents proving that you lived in an EU or EEA country (or Switzerland) as your main residence. The documents must show:

    ", + "
  • that you\u2019ve lived together in that country
  • ", + "
  • your addresses
  • ", + "
  • time spent living at each address
  • ", + "
  • any proof of renting or buying a home
  • ", + "

    You must also provide proof that your British family member was working, self-employed, self-sufficient or studying in the country where you\u2019ve lived together.

    ", + "

    Examples of proof include employer\u2019s letters, wage slips, contracts, bank statements, proof of tax registration, or proof of enrolment and attendance for study.

    ", + "

    If you\u2019re a dependent child, grandchild, parent or grandparent or relative

    ", + "

    You\u2019ll also need to provide proof of your dependency if you\u2019re:

    ", + "
  • a dependent child or grandchild of your British family member, or their spouse or civil partner, and you\u2019re over 21
  • ", + "
  • a dependent parent or grandparent of your British family member, or their spouse or civil partner, and they are under 18
  • ", + "
  • another relative and you are dependent on your British family member, or their spouse or civil partner
  • ", + "

    Apply for an EU Settlement Scheme family permit

    ", + "

    You must apply online for an EU Settlement Scheme family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    There\u2019s no deadline for applications.

    ", + "

    EU Settlement Scheme family permit: retained right of residence

    ", + "

    You may be able to apply for an EU Settlement Scheme family permit if you previously had a right to reside in the UK either:

    ", + "
  • as the family member of an EU, EEA, Swiss citizen
  • ", + "
  • from living in the EU, EEA or Switzerland with a British citizen
  • ", + "

    This is called a \u2018retained right of residence\u2019. You may have it if:

    ", + "
  • your eligible family member died
  • ", + "
  • you\u2019re their child, they died or left the UK, and you are in education in the UK
  • ", + "
  • you\u2019ve had a child with them, they died or left the UK, and the child is in education in the UK
  • ", + "
  • they divorced you or a member of your family
  • ", + "
  • the relationship has broken down because of domestic abuse or violence
  • ", + "

    You must also meet other requirements to be eligible for a retained right of residence - read how applications are decided.

    ", + "

    If your family member has died

    ", + "

    You can apply if you lived continuously in the UK as their family member for at least one year immediately before their death.

    ", + "

    You can also apply if:

    ", + "
  • you lived in the UK as their family member immediately before their death
  • ", + "
  • they were resident in the UK as a worker or self employed person at the time of their death
  • ", + "
  • they\u2019d been resident as a worker or self employed person for at least two years
  • ", + "

    If they died as the result of an accident at work or occupational disease, they do not have to have been resident for 2 years.

    ", + "

    If you\u2019re in education in the UK

    ", + "

    You can apply if you\u2019re in education in the UK and one of the following is true:

    ", + "
  • you\u2019re the child of an eligible EU, EEA, Swiss or British citizen who has left the UK or died
  • ", + "
  • one of your parents is the spouse or civil partner of an eligible EU, EEA, Swiss or British citizen who has left the UK or died
  • ", + "
  • one of your parents was previously the spouse or civil partner of an eligible EU, EEA, Swiss or British citizen who has left the UK or died
  • ", + "

    If you qualify through any of these circumstances, your parent may also be eligible if they have custody of you.

    ", + "

    If you or a member of your family was previously married or in a civil partnership

    ", + "

    You can apply if you stopped being the family member of the EU, EEA or Swiss citizen after their marriage or civil partnership ended with a divorce, annulment or dissolution, and you lived in the UK when it ended.

    ", + "

    One of the following must also apply:

    ", + "
  • the marriage or civil partnership lasted for at least 3 years and the couple had both been living in the UK for at least one year during that time
  • ", + "
  • you have custody of the EU, EEA or Swiss citizen\u2019s child
  • ", + "
  • you have been given right of access in the UK to the EU, EEA or Swiss citizen\u2019s child and the child is under 18
  • ", + "
  • you or another family member was the victim of domestic violence or abuse in the marriage or civil partnership
  • ", + "

    You can also apply if a family member had an eligible marriage or civil partnership and you lived in the UK when it ended. You must be their:

    ", + "
  • child or grandchild under 21 years old
  • ", + "
  • dependent child or grandchild over the age of 21
  • ", + "
  • dependent parent or grandparent
  • ", + "

    If you are a victim of domestic abuse or violence

    ", + "

    You can apply if your family relationship with an EU, EEA or Swiss citizen has broken down permanently because of domestic abuse or violence.

    ", + "

    You can apply if you are or were their:

    ", + "
  • spouse or civil partner
  • ", + "
  • unmarried partner
  • ", + "
  • child or grandchild under 21 years old
  • ", + "
  • dependent child or grandchild over the age of 21
  • ", + "
  • dependent parent or grandparent
  • ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • your family member\u2019s valid passport
  • ", + "
  • evidence of your relationship to them, for example a marriage certificate, civil partnership certificate or birth certificate
  • ", + "
  • evidence that you have been continuously resident in the UK
  • ", + "

    You can provide a valid national identity card instead of their passport if they\u2019re an EU, EEA or Swiss citizen.

    ", + "

    You must also provide evidence that your family member meets the eligibility criteria for the EU Settlement Scheme, even if they cannot apply.

    ", + "

    Evidence if your family member has died

    ", + "

    You\u2019ll also have to provide:

    ", + "
  • their death certificate and cause of death
  • ", + "
  • evidence of your and your family member\u2019s residence in the UK
  • ", + "
  • evidence of their employment, if they were employed
  • ", + "

    Evidence if you\u2019re in education in the UK

    ", + "

    Where appropriate, you will have to provide evidence that:

    ", + "
  • your family member died - for example, a death certificate
  • ", + "
  • you were in education in the UK at the time your family member died or left the UK, and that you still are
  • ", + "
  • your family member left the UK
  • ", + "
  • you have custody of the child of the family member who died or left the UK
  • ", + "

    Evidence if you or a member of your family was previously married or in a civil partnership

    ", + "

    Where appropriate, you will have to provide evidence that:

    ", + "
  • the marriage or civil partnership ended in divorce, annulment or dissolution
  • ", + "
  • you\u2019d been living together in the UK for at least a year
  • ", + "
  • you have custody of or the right of access to the child of the EU, EEA or Swiss citizen
  • ", + "
  • domestic violence or abuse took place
  • ", + "

    Evidence if you are a victim of domestic abuse or violence

    ", + "

    You will have to provide evidence that:

    ", + "
  • the family relationship has broken down permanently as a result of domestic violence or abuse
  • ", + "
  • you were resident in the UK when that family relationship broke down
  • ", + "

    Apply for an EU Settlement Scheme family permit

    ", + "

    You must apply online for an EU Settlement Scheme family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    There\u2019s no deadline for applications.

    ", + "

    EEA family permit

    ", + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.

    ", + "

    You can still apply for an EEA family permit if you\u2019re the close family member or unmarried partner of an EU, EEA or Swiss citizen who is a qualified person or has a right of permanent residence in the UK.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    Apply to the EU Settlement Scheme family permit instead if your family member has or is eligible for \u2018settled\u2019 or \u2018pre-settled\u2019 status under the EU Settlement Scheme.

    ", + "

    Family members you can join

    ", + "

    You must be their:

    ", + "
  • spouse or civil partner
  • ", + "
  • unmarried partner in a lasting relationship
  • ", + "
  • child or grandchild aged under 21
  • ", + "
  • dependent child or grandchild of any age
  • ", + "
  • dependent parent or grandparent
  • ", + "

    This includes family members who were adopted under an adoption order that\u2019s recognised in UK law.

    ", + "

    Your family relationship must have started by 31 December 2020.

    ", + "

    The family member you\u2019re joining must:

    ", + "
  • have been living in the UK by 31 December 2020
  • ", + "
  • have been working, looking for work, studying or self-sufficient while living here
  • ", + "
  • have a right of permanent residence in the UK
  • ", + "

    Extended family members

    ", + "

    You can no longer apply for an EEA family permit if you are the extended family member of an EU, EEA or Swiss citizen, for example their:

    ", + "
  • brother or sister
  • ", + "
  • aunt or uncle
  • ", + "
  • cousin
  • ", + "
  • niece or nephew
  • ", + "

    Unmarried partners in a lasting relationship (\u2018durable partners\u2019) can continue to apply for EEA family permits until 30 June 2021. The permit will not be valid after 30 June 2021, even if the expiry date on it is later.

    ", + "

    Other ways to get an EEA family permit

    ", + "

    You may also be eligible:

    ", + "
  • with a \u2018derivative right of residence\u2019 - you might have this if you\u2019re the primary carer of a British, EU, EEA or Swiss citizen, the primary carer\u2019s child, or the child of an EU, EEA or Swiss citizen who previously worked in the UK
  • ", + "
  • if you can make a \u2018Surinder Singh\u2019 application after living in an EU, EEA country or Switzerland with a British family member
  • ", + "
  • with a \u2018retained right of residence\u2019 - you might have this if you have the right to stay in the UK as the family member of EU, EEA or Swiss citizen who has died, left the UK or is no longer your spouse or civil partner
  • ", + "

    You must also have had the right to reside in the UK by 31 December 2020.

    ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • a valid passport
  • ", + "
  • 2 passport size colour photographs
  • ", + "
  • evidence of your relationship to your family member \u2013 for example a birth certificate, marriage certificate, civil partnership certificate or proof that you\u2019ve lived together for 2 years
  • ", + "
  • your family member\u2019s valid passport or national identity card (or a certified copy if you cannot provide the original)
  • ", + "
  • evidence that your EU, EEA or Swiss citizen family member was resident in the UK by 31 December 2020\nIf your family member has been in the UK for more than 3 months, you must show that they have a permanent residence document or provide evidence that they are:
  • ", + "
  • working - for example an employment contract, wage slips or a letter from an employer
  • ", + "
  • self-employed - for example contracts, invoices or audited accounts with bank statements
  • ", + "
  • studying - for example a letter from the school, college or university
  • ", + "
  • financially independent (\u2018self-sufficient\u2019) - for example bank statements
  • ", + "

    Your partner must have full health insurance (comprehensive sickness insurance) if they\u2019re studying or self-sufficient.

    ", + "

    Evidence if you\u2019re a dependent relative

    ", + "

    You\u2019ll have to provide evidence that you\u2019re related to your family member, such as a birth certificate.

    ", + "

    You\u2019ll also have to show that you are dependent on them, for example:

    ", + "
  • bank statements or money transfers that show you depend on them financially
  • ", + "
  • evidence that you depend on them for health care, for example a letter from a hospital consultant
  • ", + "

    See more examples of each type of evidence.

    ", + "

    Apply for an EEA family permit

    ", + "

    You must apply online for an EEA family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    EEA family permit: Surinder Singh

    ", + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.

    ", + "

    You can apply for an EEA family permit if you\u2019ve lived in an EU or EEA country or Switzerland with an eligible family member who\u2019s a British citizen. This is also known as a \u2018Surinder Singh\u2019 application.

    ", + "

    You must have lived with them in that country before 1 January 2021, and be:

    ", + "
  • their spouse, civil partner or unmarried partner (\u2018durable partner\u2019)
  • ", + "
  • under 21 years old, and are their child or grandchild
  • ", + "
  • 21 years or older, and are their dependent child or grandchild
  • ", + "
  • their dependent parent or grandparent
  • ", + "

    This includes family members who were adopted under an adoption order that\u2019s recognised in UK law.

    ", + "

    The country that you lived in together must have been your main residence. Your British family member must also have been working, studying or self-sufficient in the country while there.

    ", + "

    To be eligible for an EEA family permit you must prove that:

    ", + "
  • your British family member was resident in an EU or EEA country or Switzerland and was either a worker, a self-employed person, a self-sufficient person, a student, or a person with a right of permanent residence in that country
  • ", + "
  • you were lawfully resident in that EEA country or Switzerland with your British family member
  • ", + "
  • your family member returned to the UK by 31 December 2020
  • ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • your valid passport (or ID card if you are an EU, EEA or Swiss citizen)
  • ", + "
  • your British family member\u2019s valid passport
  • ", + "
  • evidence of your relationship to your British family member, such as a marriage certificate, civil partnership certificate or birth certificate
  • ", + "

    You must also provide proof that your British family member was working, self-employed, self-sufficient or studying in the EEA country where you\u2019ve lived together.

    ", + "

    Examples of proof include employer\u2019s letters, wage slips, contracts, bank statements, proof of tax registration, or proof of enrolment and attendance for study.

    ", + "

    Check the other evidence you usually need for an EEA family permit.

    ", + "

    Make a \u2018Surinder Singh\u2019 application for an EEA family permit

    ", + "

    You must apply online for an EEA family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    EEA family permit: retained right of residence

    ", + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.

    ", + "

    You may be able to apply for an EEA family permit if you previously had a right to reside in the UK either:

    ", + "
  • as the family member of an EU, EEA, Swiss citizen
  • ", + "
  • from living in the EU, EEA or Switzerland with a British citizen
  • ", + "

    This is called a \u2018retained right of residence\u2019. You may have it if:

    ", + "
  • your eligible family member died
  • ", + "
  • you\u2019re their child, they died or left the UK, and you are in education in the UK
  • ", + "
  • you\u2019ve had a child with them, they died or left the UK, and the child is in education in the UK
  • ", + "
  • they divorced you or a member of your family
  • ", + "
  • the relationship has broken down because of domestic abuse or violence
  • ", + "

    You must also meet other requirements to be eligible for a retained right of residence - read how applications are decided.

    ", + "

    If your family member has died

    ", + "

    You can apply if you lived continuously in the UK as their family member for at least one year immediately before their death.

    ", + "

    If you\u2019re in education in the UK

    ", + "

    You can apply if you\u2019re in education in the UK and one of the following is true:

    ", + "
  • you\u2019re the child of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "
  • one of your parents is the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "
  • one of your parents was previously the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "

    If you qualify through any of these circumstances, your parent is also eligible for retained right of residence if they have custody of you.

    ", + "

    If you or a member of your family was previously married or in a civil partnership

    ", + "

    You can apply if your marriage or civil partnership to an EU, EEA or Swiss citizen ended with a divorce, annulment or dissolution, and you lived in the UK when it ended.

    ", + "

    One of the following must also apply:

    ", + "
  • the marriage or civil partnership lasted for at least 3 years and you\u2019d both been living in the UK for at least one year during that time
  • ", + "
  • you have custody of the EU, EEA or Swiss citizen\u2019s child
  • ", + "
  • you have been given right of access in the UK to the EU, EEA or Swiss citizen\u2019s child - the child must be under 18
  • ", + "
  • you or another family member was the victim of domestic abuse in the marriage or civil partnership
  • ", + "

    You can also apply if a family member had an eligible marriage or civil partnership and you lived in the UK when it ended. You must be their:

    ", + "
  • child or grandchild under 21 years old
  • ", + "
  • dependent child or grandchild over the age of 21
  • ", + "
  • dependent parent or grandparent
  • ", + "

    If you are a victim of domestic abuse or violence

    ", + "

    You can apply if your family relationship with an EU, EEA or Swiss citizen has broken down permanently because of domestic abuse or violence.

    ", + "

    You can apply if you are or were their:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • unmarried partner (\u2018durable partner\u2019)
  • ", + "
  • child or grandchild under 21 years old
  • ", + "
  • dependent child or grandchild over the age of 21
  • ", + "
  • dependent parent or grandparent
  • ", + "

    Documents you must provide

    ", + "

    You will need to provide evidence proving:

    ", + "
  • your eligibility
  • ", + "
  • your family member\u2019s eligibility
  • ", + "
  • your relationship
  • ", + "

    Check the evidence you usually need for an EEA family permit.

    ", + "

    You\u2019ll also need to provide extra evidence depending on how you\u2019re claiming your retained right of residence.

    ", + "

    Evidence if your family member has died

    ", + "

    Where appropriate, you\u2019ll also have to provide:

    ", + "
  • their death certificate and cause of death
  • ", + "
  • evidence that you and your family member were living in the UK for a year before their death
  • ", + "
  • evidence of their employment, if they were employed
  • ", + "

    Evidence if you\u2019re in education in the UK

    ", + "

    Where appropriate, you\u2019ll also have to provide evidence that:

    ", + "
  • your family member died
  • ", + "
  • your family member left the UK
  • ", + "
  • you were in education in the UK at the time your family member died or left the UK, and that you still are
  • ", + "
  • you have custody of the child of the family member who died or left the UK
  • ", + "

    Evidence if you or a member of your family was previously married or in a civil partnership

    ", + "

    Where appropriate, you\u2019ll also have to provide evidence that:

    ", + "
  • the marriage or civil partnership ended in divorce, annulment or dissolution
  • ", + "
  • you\u2019d been living together in the UK for at least a year
  • ", + "
  • you have custody of or the right of access to the child of the EU, EEA or Swiss citizen
  • ", + "
  • domestic violence or abuse took place
  • ", + "

    Evidence if you are a victim of domestic abuse or violence

    ", + "

    You will have to provide evidence that:

    ", + "
  • the relevant family relationship has broken down permanently as a result of domestic violence or abuse
  • ", + "
  • you were resident in the UK when that family relationship broke down
  • ", + "

    Make a retained right of residence application for a family permit

    ", + "

    You must apply online for an EEA family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    EEA family permit: derivative right of residence

    ", + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later.

    ", + "

    You can apply for a family permit if you have a \u2018derivative right of residence\u2019 as the:

    ", + "
  • primary carer of an EU, EEA or Swiss child in the UK who is financially independent (\u2018self-sufficient\u2019)
  • ", + "
  • child of an EU, EEA or Swiss former worker and you\u2019re currently in education in the UK
  • ", + "
  • primary carer of a child of an EU, EEA or Swiss former worker and the child is currently in education in the UK
  • ", + "
  • primary carer of a British child who is residing in the UK and would be forced to leave if their primary carer wasn\u2019t in the UK
  • ", + "
  • primary carer of a British dependent adult who is residing in the UK and would be forced to leave if their primary carer wasn\u2019t in the UK
  • ", + "
  • child of a primary carer who qualifies through one of these categories
  • ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    As a \u2018primary carer\u2019, you have responsibility for the day to day care of a person, including making decisions about their education, health, and finances. You must be a family member or their legal guardian, and can be their main carer or share that responsibility with someone else.

    ", + "

    Find out more about derivative rights of residence in the caseworker guidance:

    ", + "
  • Ibrahim-Teixeira cases
  • ", + "
  • Ruiz Zambrano cases
  • ", + "
  • Chen cases
  • ", + "

    Documents you must provide

    ", + "

    You will need to provide evidence proving:

    ", + "
  • your eligibility
  • ", + "
  • your family member\u2019s eligibility
  • ", + "
  • your relationship
  • ", + "

    You\u2019ll also need to provide information about the person you care for, including proof:

    ", + "
  • that they\u2019re dependent on you, and were before 1 January 2021, such as court orders or details of care responsibilities
  • ", + "
  • that they\u2019re living in the UK, such as tenancy agreements, utility bills or bank statements
  • ", + "
  • that children who are EU, EEA or Swiss citizens are financially independent (\u2018self-sufficient\u2019) and have full health insurance (\u2018comprehensive sickness insurance\u2019) in the UK
  • ", + "

    You may also need to provide extra evidence depending on how you\u2019re claiming your derivative right of residence.

    ", + "

    Children of an EU, EEA or Swiss citizens who used to work in the UK

    ", + "

    You must show that:

    ", + "
  • you\u2019re in education in the UK, for example a letter from the school
  • ", + "
  • you were in the UK when your EU, EEA or Swiss parent was working in the UK
  • ", + "
  • you were in education in the UK at a time when your EU, EEA or Swiss parent was also present in the UK
  • ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Make a derivative right of residence application for a family permit

    ", + "

    You must apply online for an EEA family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    After you get a family permit

    ", + "

    You\u2019ll be able to use your EUSS family permit to come and go from the UK as many times as you want. It also allows you to work or study in the UK.

    ", + "

    If you get an EEA family permit you can only use it until 30 June 2021, even if the expiry date on it is later.

    ", + "

    When you arrive in the UK

    ", + "

    You can use an automatic ePassport gate if you have a family permit and you\u2019re from:

    ", + "
  • Australia
  • ", + "
  • Canada
  • ", + "
  • the EEA
  • ", + "
  • Japan
  • ", + "
  • New Zealand
  • ", + "
  • Singapore
  • ", + "
  • South Korea
  • ", + "
  • Switzerland
  • ", + "

    Otherwise, see a border control officer instead. They will check your permit.

    ", + "

    How long you can stay

    ", + "

    If you applied for an EEA family permit on or before 30 December 2020, it will be valid for 6 months. If you applied after that, it will stop being valid on 30 June 2021, even if the expiry date on it is later.

    ", + "

    An EUSS family permit is valid for 6 months, unless:

    ", + "
  • you plan to arrive in the UK on or after 1 April 2021
  • ", + "
  • your application is approved more than three months ahead of your planned arrival date
  • ", + "

    In this case, it\u2019s valid for 4 months from your planned arrival date.

    ", + "

    Staying in the UK after your family permit expires

    ", + "

    There will be no change to the residence rights and status of EU, EEA or Swiss citizens resident in the UK by 31 December 2020, and their family members, until 30 June 2021.

    ", + "

    You can apply to the EU Settlement Scheme to continue living in the UK after your family permit expires. You must apply on or before 30 June 2021, or within 3 months of when you first arrive in the UK, whichever is later.

    ", + "

    You might be able to apply later if you can show \u2018reasonable grounds\u2019 (such as medical reasons, or being the victim of domestic abuse) for why you could not apply by the deadline.

    " + ] + }, + { + "title": "Apply to settle in the UK if your partner dies", + "url": "https://www.gov.uk/visas-partner-dies", + "contents": [ + "

    Overview and fees

    ", + "

    You may be eligible to apply for settlement (indefinite leave to remain in the UK) if your partner has died. Your partner must have either:

    ", + "
  • been a British citizen
  • ", + "
  • had indefinite leave to remain in the UK
  • ", + "
  • been from the EU, Switzerland, Norway, Iceland or Liechtenstein and had pre-settled status
  • ", + "

    Your permission to be in the UK must have been based on being their partner as part of a family visa. A \u2018partner\u2019 is one of the following:

    ", + "
  • your spouse (husband or wife)
  • ", + "
  • your civil partner
  • ", + "
  • someone you were living with in a relationship that\u2019s like a marriage or civil partnership
  • ", + "

    When to apply

    ", + "

    You can apply any time after your partner\u2019s death. You do not have to wait until your current visa expires.

    ", + "

    You must be in the UK when you apply.

    ", + "

    Fees

    ", + "

    The application fee is \u00a32,389.

    ", + "

    You also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you have family members applying for settlement with you, you\u2019ll need to pay the \u00a32,389 application fee and the \u00a319.20 biometric information fee for each person.

    ", + "

    How long you can stay

    ", + "

    Getting indefinite leave to remain means you can continue to live and work in the UK for as long as you like. It will also mean you\u2019re eligible:

    ", + "
  • to work in any job
  • ", + "
  • to run a business
  • ", + "
  • for public services, such as healthcare and schools
  • ", + "
  • for public funds and pensions
  • ", + "
  • for British citizenship, if you meet the requirements
  • ", + "

    Eligibility

    ", + "

    Your permission to be in the UK must be based on your relationship.

    ", + "

    Before your partner died, you must have got a family visa as their partner (but not as their fianc\u00e9, fianc\u00e9e or proposed civil partner).

    ", + "

    When your partner died, you must have:

    ", + "
  • been living together in the UK
  • ", + "
  • intended to live together permanently in the UK
  • ", + "

    Your partner must not have been living permanently in any another country.

    ", + "

    You do not need to take the Life in the UK Test or prove your English language skills.

    ", + "

    When your application can be refused

    ", + "

    Your application might be refused if, for example, you\u2019ve:

    ", + "
  • got a criminal record in the UK or another country
  • ", + "
  • provided false or incomplete information to the Home Office
  • ", + "
  • broken UK immigration law
  • ", + "

    Read the guidance on why applications can be refused.

    ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • any previous passports you\u2019ve had while living in the UK
  • ", + "
  • your biometric residence permit, if you have one
  • ", + "
  • your police registration certificate (unless\u00a0you did not need to register)
  • ", + "
  • your partner\u2019s death certificate
  • ", + "
  • proof of your relationship, for example your certificate of marriage or civil partnership
  • ", + "
  • proof that you and your partner were living together
  • ", + "

    Proof that you were living together

    ", + "

    You need documents to show that you lived with your partner until they died, starting from when you got permission to be in the UK as their partner.

    ", + "

    Provide 6 official documents addressed to both of you, or each of you individually, at the same address.

    ", + "

    Include as many different types of documents as you can, for example:

    ", + "
  • gas, water or electricity bills
  • ", + "
  • telephone bills
  • ", + "
  • Council Tax bills
  • ", + "
  • bank statements and letters
  • ", + "
  • letters from a government department
  • ", + "
  • letters about your TV Licence
  • ", + "
  • tenancy agreements
  • ", + "
  • mortgage agreement or statements
  • ", + "
  • letters from your GP, a hospital or health service
  • ", + "

    You do not need to take the Life in the UK Test or prove your English language skills.

    ", + "

    Applying for your children

    ", + "

    Your children may be eligible to get settlement (indefinite leave to remain in the UK) at the same time as you.

    ", + "

    You can include your children as \u2018dependants\u2019 on your application form if all the following are true:

    ", + "
  • they have permission to be in the UK based on being your partner\u2019s dependant
  • ", + "
  • they were under 18 when this permission was given - it does not matter if they\u2019ve turned 18 since
  • ", + "
  • they\u2019re going to live with you in the UK
  • ", + "
  • they\u2019ll have somewhere to live and be financially supported without using public funds
  • ", + "
  • they\u2019re not married or in a civil partnership
  • ", + "

    If your children do not meet these conditions, they may still be able to apply separately. Find out if they can apply to settle in the UK.

    ", + "

    Your child\u2019s application can be refused, for example if they\u2019ve broken UK immigration law. Read the guidance on why applications can be refused.

    ", + "

    Documents you must provide for your children

    ", + "

    For each child you include on your application form, you must provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • a birth certificate if they were born in the UK
  • ", + "
  • their biometric residence permit, if they have one
  • ", + "
  • their police registration certificate if they\u2019re 16 or over (unless\u00a0they did not need to register)
  • ", + "
  • proof they live permanently with you, for example letters from your child\u2019s school or doctor
  • ", + "

    How to apply

    ", + "

    You must apply online. You need to be in the UK when you apply.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Any children aged 6 or over must provide biometric information if you\u2019re applying for them on your form.

    ", + "

    How long it takes

    ", + "

    You\u2019ll be told whether your application has been successful within 6 months.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • " + ] + }, + { + "title": "Apply to the EU Settlement Scheme (settled and pre-settled status)", + "url": "https://www.gov.uk/settled-status-eu-citizens-families", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen, you and your family can apply to the EU Settlement Scheme to continue living in the UK after 30 June 2021. You can also apply if you\u2019re the family member of an eligible person of Northern Ireland.

    ", + "

    If your application is successful, you\u2019ll get either settled or pre-settled status.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    You may be able to stay in the UK without applying - for example, if you\u2019re an Irish citizen or already have indefinite leave to remain.

    ", + "

    Sign up for email updates about the scheme.

    ", + "

    When you can apply

    ", + "

    The EU Settlement Scheme is open. You can apply now if you meet the criteria.

    ", + "

    The deadline for applying is 30 June 2021. You must usually have started living in the UK by 31 December 2020.

    ", + "

    The deadlines are different in some situations, for example if:

    ", + "
  • you\u2019re applying to join a close family member
  • ", + "
  • the family member of a British citizen (\u2018Surinder Singh\u2019 applications)
  • ", + "
  • you stop being exempt from immigration control
  • ", + "

    Which status you get may depend on when you apply.

    ", + "

    Fees

    ", + "

    It\u2019s free to apply to the scheme.

    ", + "

    Who should apply

    ", + "

    Except in a few cases, you need to apply if:

    ", + "
  • you\u2019re an EU, EEA or Swiss citizen
  • ", + "
  • you\u2019re not an EU, EEA or Swiss citizen, but your family member is (or is an eligible person of Northern Ireland)
  • ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    This means you need to apply even if you:

    ", + "
  • were born in the UK but are not a British citizen - you can check if you\u2019re a British citizen if you\u2019re not sure
  • ", + "
  • have a UK \u2018permanent residence document\u2019
  • ", + "
  • are a family member of an EU, EEA or Swiss citizen who does not need to apply - including if they\u2019re from Ireland
  • ", + "
  • are an EU, EEA or Swiss citizen with a British citizen family member
  • ", + "

    If you have children, you need to apply for them separately.

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen and you have a family member who is an eligible person of Northern Ireland, you may be able to choose which way you apply.

    ", + "

    Who else can apply

    ", + "

    You can apply to join your EU, EEA or Swiss family member if they started living in the UK by 31 December 2020. You can either:

    ", + "
  • apply from outside the UK, if you have a certain type of passport, identity card or residence document
  • ", + "
  • come to the UK on an EU Settlement Scheme family permit and apply to the settlement scheme once you\u2019re here
  • ", + "

    You cannot apply to the EU settlement scheme from inside the UK if you arrived after 31 December 2020 and you\u2019re here:

    ", + "
  • on a Standard Visitor visa, Permitted Paid Engagement visa, Parent of a Child Student visa or Transit visa
  • ", + "
  • without a visa, for example if you came through an e-passport gate
  • ", + "

    You also cannot apply if you\u2019re here on a Marriage Visitor visa, unless you\u2019re applying after you have married or entered into a civil partnership with the EU, EEA or Swiss person you\u2019re joining.

    ", + "

    Irish citizens do not need to apply to the settlement scheme. If they choose to, they can apply from within the UK regardless of how they entered.

    ", + "

    If you\u2019re not an EU, EEA or Swiss citizen

    ", + "

    You also may be able to apply if:

    ", + "
  • you used to have an EU, EEA or Swiss family member living in the UK (but you\u2019ve separated, they\u2019ve died or the family relationship has broken down)
  • ", + "
  • you\u2019re the family member of a British citizen and you lived outside the UK in an EEA country together
  • ", + "
  • you\u2019re the family member of a British citizen who also has EU, EEA or Swiss citizenship and who lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship
  • ", + "
  • you have a family member who is an eligible person of Northern Ireland
  • ", + "
  • you\u2019re the primary carer of a British, EU, EEA or Swiss citizen
  • ", + "
  • you\u2019re the child of an EU, EEA or Swiss citizen who used to live and work in the UK, or the child\u2019s primary carer
  • ", + "
  • you\u2019re the family member of a \u2018frontier worker\u2019
  • ", + "

    Who does not need to apply

    ", + "

    You do not need to apply if you have:

    ", + "
  • indefinite leave to enter the UK
  • ", + "
  • indefinite leave to remain in the UK
  • ", + "
  • Irish citizenship (including British and Irish \u2018dual citizenship\u2019)
  • ", + "

    You cannot apply if you have British citizenship.

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen and you moved to the UK before it joined the EU

    ", + "

    You only need to apply if you do not have indefinite leave to remain. \nIf you do have indefinite leave to remain, you\u2019ll usually have a stamp in your passport or a letter from the Home Office saying this.

    ", + "

    If you work in the UK but do not live here (\u2018frontier worker\u2019)

    ", + "

    You do not need to apply to the EU Settlement Scheme if you\u2019re a \u2018frontier worker\u2019 or have a Frontier Worker permit.

    ", + "

    If you\u2019re exempt from immigration control

    ", + "

    You do not need to do anything to continue living in the UK while you\u2019re exempt from immigration control.

    ", + "

    You\u2019ll have been told if you\u2019re exempt from immigration control, for example because you\u2019re:

    ", + "
  • a foreign diplomat posted in the UK
  • ", + "
  • a member of NATO
  • ", + "

    You can apply to the EU Settlement Scheme at any time, as long as you started living in the UK by 31 December 2020. Your privileges and immunities may change if you get settled status.

    ", + "

    If you stop being exempt, you need to apply to the EU Settlement Scheme within 90 days of when you stop being exempt.

    ", + "

    If you apply after 30 June 2021, you\u2019ll need to prove that you\u2019re exempt from immigration control as part of your application.

    ", + "

    Your family members may be eligible to apply to the EU Settlement Scheme whether they are exempt from immigration control or not. They can apply at any time, even if you have not yet applied.

    ", + "

    What you\u2019ll get

    ", + "

    The rights and status of EU, EEA and Swiss citizens living in the UK by 31 December 2020 will remain the same until 30 June 2021.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    If you apply to the EU Settlement Scheme successfully, you\u2019ll be able to continue living and working in the UK after 30 June 2021.

    ", + "

    You\u2019ll be given either:

    ", + "
  • settled status
  • ", + "
  • pre-settled status
  • ", + "

    You will not be asked to choose which you\u2019re applying for. Which status you get depends on how long you\u2019ve been living in the UK when you apply. Your rights will be different depending on which status you get and when you started living in the UK.

    ", + "

    Settled status

    ", + "

    You\u2019ll usually get settled status if you\u2019ve lived in the UK for a continuous 5-year period (known as \u2018continuous residence\u2019)

    ", + "

    Five years\u2019 continuous residence means that for 5 years in a row you\u2019ve been in the UK, the Channel Islands or the Isle of Man for at least 6 months in any 12 month period. The exceptions are:

    ", + "
  • one period of up to 12 months for an important reason (for example, childbirth, serious illness, study, vocational training or an overseas work posting)
  • ", + "
  • compulsory military service of any length
  • ", + "
  • time you spent abroad as a Crown servant, or as the family member of a Crown servant
  • ", + "
  • time you spent abroad in the armed forces, or as the family member of someone in the armed forces
  • ", + "

    You may be considered to be resident in the UK on 31 December 2020 and may be eligible for settled status if you both:

    ", + "
  • lived in the UK for a continuous 5-year period in the past
  • ", + "
  • have not left the UK for more than 5 years in a row since then
  • ", + "

    You can stay in the UK as long as you like if you get settled status. You\u2019ll also be able to apply for British citizenship if you\u2019re eligible.

    ", + "

    Pre-settled status

    ", + "

    If you have not lived in the UK for 5 years in a row (known as \u2018continuous residence\u2019), you\u2019ll usually get pre-settled status. You must have started living in the UK by 31 December 2020 unless you are applying as the existing close family member of an EU, EEA or Swiss citizen who started living here by then. You can stay in the UK for a further 5 years from the date you get pre-settled status.

    ", + "

    You can apply to switch to settled status as soon as you\u2019ve had 5 years\u2019 continuous residence. The 5 years is counted from the day you first arrived in the UK. You do not need to have held pre-settled status for 5 years to apply.

    ", + "

    You must apply for settled status before your pre-settled status expires to stay in the UK.

    ", + "

    If you\u2019ll reach 5 years\u2019 continuous residence by 30 June 2021, you can choose to wait until you have 5 years\u2019 residence to apply. This means that you\u2019ll get settled status without having to apply for pre-settled status first if your application is successful.

    ", + "

    If you will not reach 5 years\u2019 continuous residence by 30 June 2021, you cannot wait until after this date to apply. You must apply for pre-settled status by 30 June 2021. You can then switch to settled status once you have 5 years\u2019 continuous residence.

    ", + "

    If you\u2019ve left the UK

    ", + "

    You may be able to get pre-settled status if you were living in the UK by 31 December 2020\nbut you were not here on that date. You must not have left the UK, the Channel Islands or the Isle of Man for more than 6 months in any 12 month period.

    ", + "

    You may also be eligible if you were living in the UK by 31 December 2020, but you left the UK, the Channel Islands or the Isle of Man for one period of no more than 12 months for an important reason (for example childbirth, serious illness, study, vocational training or an overseas work posting). Your previous residence in the UK will count towards your eligibility for pre-settled status.

    ", + "

    Showing your continuous residence when you apply

    ", + "

    You\u2019ll need to show that you were living in the UK by 31 December 2020, unless you\u2019re joining your family member who is an EU, EEA or Swiss citizen and they were living here by then.

    ", + "

    If your evidence is older than 6 months, you\u2019ll usually also need evidence to show you were here in the last 6 months. This is to show your continuous residence.

    ", + "

    If you\u2019ve been outside the UK for one period of no more than 12 months, you can use evidence from before you left to show your continuous residence. You must have been outside of the UK for an important reason, for example, due to childbirth, serious illness, study, vocational training or an overseas work posting.

    ", + "

    Check what evidence you can use to show when you started living in the UK, and that you\u2019ve continued to live here.

    ", + "

    Your rights with settled or pre-settled status

    ", + "

    You\u2019ll be able to:

    ", + "
  • work in the UK
  • ", + "
  • use the NHS for free, if you can at the moment
  • ", + "
  • enrol in education or study in the UK
  • ", + "
  • access public funds such as benefits and pensions, if you\u2019re eligible for them
  • ", + "
  • travel in and out of the UK
  • ", + "

    You\u2019ll have different rights if you get settled or pre-settled status because you\u2019ve applied to join your EU, EEA or Swiss family member and you arrived in the UK after 31 December 2020. For example, you will not be able to bring your own family members under the EU Settlement Scheme.

    ", + "

    If you want to spend time outside the UK

    ", + "

    If you have settled status, you can spend up to 5 years in a row outside the UK without losing your status.

    ", + "

    If you\u2019re a Swiss citizen, you and your family members can spend up to 4 years in a row outside the UK without losing your settled status.

    ", + "

    If you have pre-settled status, you can spend up to 2 years in a row outside the UK without losing your status. You will need to maintain your continuous residence if you want to qualify for settled status.

    ", + "

    If you have children after applying

    ", + "

    If you get settled status, any children born in the UK while you\u2019re living here will automatically be British citizens.

    ", + "

    If you get pre-settled status, any children born in the UK will be automatically eligible for pre-settled status. They will only be a British citizen if they qualify for it through their other parent.

    ", + "

    If you want to bring family members to the UK

    ", + "

    If you\u2019re a citizen of the EU, EEA or Switzerland, your close family members can join you if all of the following apply:

    ", + "
  • you were resident in the UK by 31 December 2020
  • ", + "
  • your relationship with them started on or before 31 December 2020 (unless they\u2019re a child born or adopted after that date)
  • ", + "
  • the relationship still exists when they apply to join you
  • ", + "

    If your family member is from the EU, EEA or Switzerland, they can apply to the EU Settlement Scheme from outside the UK if they hold either a valid passport or identity card with a biometric chip.

    ", + "

    If your family member is not from the EU, EEA or Switzerland, they can apply to the EU Settlement Scheme from outside the UK. They must hold a relevant UK document, for example:

    ", + "
  • a residence card
  • ", + "
  • a permanent residence card
  • ", + "
  • a derivative residence card
  • ", + "

    Otherwise, they will need to apply for an EU Settlement Scheme family permit to come to the UK. Once they\u2019re in the UK they can apply to the EU Settlement Scheme.

    ", + "

    They cannot apply to the EU Settlement Scheme from inside the UK if they arrived after 31 December 2020 and they\u2019re here:

    ", + "
  • on a Standard Visitor visa, Permitted Paid Engagement visa, Parent of a Child Student visa or Transit visa
  • ", + "
  • without a visa, for example if they came through an e-passport gate
  • ", + "

    They also cannot apply if they\u2019re here on a Marriage Visitor visa, unless they\u2019re applying after you\u2019ve married or entered into a civil partnership with them.

    ", + "

    Irish citizens can apply from inside the UK regardless of how they entered.

    ", + "

    If you cannot bring your family member under the EU Settlement Scheme, they may still be able to come here in a different way, for example on a family visa.

    ", + "

    Family members of Swiss citizens

    ", + "

    If you\u2019re a Swiss citizen, you can also bring your spouse or civil partner to the UK until 31 December 2025 if both of the following apply:

    ", + "
  • your relationship with them began between 31 December 2020 and 31 December 2025
  • ", + "
  • you are still in the relationship when they apply to join you
  • ", + "

    What you'll need to apply

    ", + "

    If you\u2019re an EU, EEA, or Swiss citizen and you started living in the UK by 31 December 2020, you\u2019ll need proof of:

    ", + "
  • your identity
  • ", + "
  • your residence in the UK, unless you have a valid permanent residence document, or valid indefinite leave to remain in or enter the UK
  • ", + "

    You\u2019ll need to provide this proof again when you apply to change your pre-settled status for settled status.

    ", + "

    Proof of identity

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen, you need a valid passport or valid national identity card. You also need to provide a digital photo of your face.

    ", + "

    If you\u2019re not an EU, EEA or Swiss citizen, you need to provide one of the following:

    ", + "
  • a valid passport
  • ", + "
  • a valid biometric residence permit
  • ", + "
  • a valid biometric residence card
  • ", + "

    You also need to provide a digital photo of your face. If you do not already have a valid biometric residence card, you will also need to provide your fingerprints (this is not needed for children under 5).

    ", + "

    If you do not have any of these you may be able to use other evidence in certain situations. Contact the EU Settlement Resolution Centre if you do not have any of the listed documents.

    ", + "

    If you\u2019re applying for your child, you\u2019ll need to prove their identity. You might also need to prove their residence in the UK.

    ", + "

    When you apply, you can either:

    ", + "
  • scan your document and upload your photo using the \u2018EU Exit: ID Document Check\u2019 app using an Android phone, or an iPhone 7 or above
  • ", + "
  • send your document in the post and upload your photo using the online application (you can take this yourself)
  • ", + "

    Scan your document

    ", + "

    You can use the \u2018EU Exit: ID Document Check\u2019 app on:

    ", + "
  • an Android phone
  • ", + "
  • an iPhone 7 or above
  • ", + "

    To scan your documents using a phone, you\u2019ll need one of the following:

    ", + "
  • a valid EU, EEA or Swiss passport or ID card, if it\u2019s biometric
  • ", + "
  • a UK-issued biometric residence card
  • ", + "

    You can use someone else\u2019s phone to prove your identity.

    ", + "

    Send your document by post

    ", + "

    You must send your document by post if you have a:

    ", + "
  • non-EU or non-EEA passport
  • ", + "
  • biometric residence permit
  • ", + "
  • non-biometric ID card
  • ", + "

    You can send other types of document in the post if you cannot use the \u2018ID Document Check\u2019 app.

    ", + "

    Proof of continuous residence

    ", + "

    To be eligible for settled status, you usually need to have lived in the UK, the Channel Islands or the Isle of Man for at least 6 months in any 12 month period for 5 years in a row. You need to provide proof of this when you apply.

    ", + "

    If you\u2019ve not lived here for 5 years in a row you may still be eligible for pre-settled status.

    ", + "

    If you arrived in the UK by 31 December 2020, you can give your National Insurance number to allow an automated check of your residence based on tax and certain benefit records.

    ", + "

    If this check is successful, you\u2019ll not need to provide any documents as proof of residence. If you\u2019ve been here for 5 years in a row but there is not enough data to confirm this, you\u2019ll need to provide documents.

    ", + "

    The Home Office will tell you immediately after you apply if you need to provide any documents. You should submit photos or scans of your documents through the online application form, rather than sending them by post.

    ", + "

    Read what documents you can provide to the Home Office if you\u2019re asked to provide more evidence.

    ", + "

    If you have criminal convictions

    ", + "

    If you\u2019re 18 or over, the Home Office will check you have not committed serious or repeated crimes, and that you do not pose a security threat.

    ", + "

    You\u2019ll be asked to declare convictions that appear in your criminal record in the UK or overseas.

    ", + "

    You do not need to declare any of the following:

    ", + "
  • convictions that do not need to be disclosed (\u2018spent convictions\u2019)
  • ", + "
  • warnings (\u2018cautions\u2019)
  • ", + "
  • alternatives to prosecution, for example speeding fines
  • ", + "

    You\u2019ll also be checked against the UK\u2019s crime databases.

    ", + "

    You\u2019ll still be eligible for settled or pre-settled status if you\u2019ve only been convicted of a minor crime.

    ", + "

    You may still get settled or pre-settled status even if you have other convictions. This will be decided on a case-by-case basis.

    ", + "

    If you\u2019ve been to prison, you usually need 5 years\u2019 continuous residence from the day you were released to be considered for settled status.

    ", + "

    If you\u2019re applying to join your EU, EEA or Swiss family member

    ", + "

    You\u2019ll need to provide proof of your relationship to your family member from the EU, EEA or Switzerland.

    ", + "

    If your family member in the UK does not already have settled or pre-settled status, you will also need to provide proof:

    ", + "
  • of their identity
  • ", + "
  • of their nationality
  • ", + "
  • that they lived in the UK by 31 December 2020, and have continued living here since
  • ", + "

    Read what documents you can provide to show when they started living here and have continued living here since.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    Applying for your children

    ", + "

    Each child must have their own application. You can apply for your child or they can apply for themselves.

    ", + "

    Your child is eligible for settled or pre-settled status if they\u2019re under 21 and either they\u2019re:

    ", + "
  • an EU, EEA or Swiss citizen
  • ", + "
  • not an EU, EEA or Swiss citizen, but you are - or your spouse or civil partner is
  • ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    If your child was born in the UK but is not a British citizen, they will still need to apply. You can check if they\u2019re a British citizen if you\u2019re not sure.

    ", + "

    If you have applied to the EU Settlement Scheme

    ", + "

    When you apply for your child you can \u2018link\u2019 their application to yours. This means that if your own application is successful, your child will get the same status as you.

    ", + "

    To do this, select the option to apply \u2018using your parent\u2019s residence\u2019, then enter your application number.

    ", + "

    You will need to do this for each child you apply for.

    ", + "

    You can use your own email address in the application if your child does not have one.

    ", + "

    You can apply for your child any time after you\u2019ve made your own application - you do not need to wait for a decision.

    ", + "

    What proof you need

    ", + "

    You\u2019ll need proof of:

    ", + "
  • your relationship to your child when you make their application
  • ", + "
  • your child\u2019s identity
  • ", + "
  • when your child started living in the UK, if they started living here by 31 December 2020
  • ", + "
  • your child\u2019s continuous residence in the UK
  • ", + "

    If the evidence of when your child started living here is more than 6 months old, you\u2019ll also have to show they were here in the last 6 months.

    ", + "

    Check what evidence you can use to show when your child started living in the UK, and that they\u2019ve continued to live here.

    ", + "

    If you have not applied to the EU Settlement Scheme

    ", + "

    If you\u2019re eligible for the scheme, make your own application first so that you can link your child\u2019s application to yours.

    ", + "

    If you\u2019re not eligible for the scheme but your child is, you can still apply for them. For example, if they live in the UK and you do not.

    ", + "

    You\u2019ll need to provide proof:

    ", + "
  • of your child\u2019s identity
  • ", + "
  • of your child\u2019s UK residence
  • ", + "
  • that your child has 5 years\u2019 continuous residence in the UK
  • ", + "

    If your child does not have 5 years\u2019 continuous residence

    ", + "

    If your child does not have 5 years\u2019 continuous residence when they apply, they\u2019ll usually get pre-settled status.

    ", + "

    They can stay in the UK for a further 5 years from the date they get pre-settled status.

    ", + "

    You can apply to change this to settled status once they have reached 5 years\u2019 continuous residence. You must do this before their pre-settled status expires - this will be 5 years after the date they got pre-settled status.

    ", + "

    If they\u2019ll reach 5 years\u2019 continuous residence by 30 June 2021, you can choose to wait until they reach 5 years\u2019 continuous residence before applying. If their application is successful, they\u2019ll get settled status without getting pre-settled status first.

    ", + "

    If your child is born or adopted after 31 December 2020

    ", + "

    Your children are eligible to apply to the EU Settlement Scheme if you started living in the UK by 31 December 2020, even if you\u2019ve not yet applied yourself.

    ", + "

    If your child is born or adopted in the UK before 1 April 2021, you must make an application for them by 30 June 2021.

    ", + "

    If your child is born or adopted in the UK on or after 1 April 2021, you must apply within 3 months of the date they were born or adopted. You\u2019ll need to give evidence of their date of birth or the date you adopted them, such as a birth certificate or adoption order.

    ", + "

    If you\u2019re an Irish citizen

    ", + "

    You do not need to apply for settled or pre-settled status if you\u2019re an Irish citizen.

    ", + "

    However, if you\u2019re an Irish citizen and your child is not a British citizen, they\u2019ll be eligible for either:

    ", + "
  • the same status that you could get, based on how long you\u2019ve lived in the UK
  • ", + "
  • settled or pre-settled status, based on their own residence
  • ", + "

    This also applies if you\u2019re from Northern Ireland and have Irish, British or dual British and Irish citizenship, and your child does not have Irish, British or dual citizenship.

    ", + "

    How to apply

    ", + "

    Apply online for the EU Settlement Scheme.

    ", + "

    Apply to the EU Settlement Scheme

    ", + "

    You can apply using any device, for example, a laptop, Android device or iPhone.

    ", + "

    Check what you\u2019ll need before you apply.

    ", + "

    Apply

    ", + "

    You can apply now if you\u2019re eligible. The deadline for applying is usually 30 June 2021.

    ", + "

    You can also choose to apply later depending on your circumstances.

    ", + "

    If you get pre-settled status, you\u2019ll need to apply again when you\u2019re changing your pre-settled status for settled status.

    ", + "

    If you\u2019re applying for yourself and your children, make your own application first.

    ", + "

    Start now

    ", + "

    The Home Office will use the personal information you provide to decide whether to grant your application. Find out how the Home Office will process your personal information.

    ", + "

    Continue your application

    ", + "

    If you\u2019ve already started to apply, you can continue your application.

    ", + "

    Who cannot use this service

    ", + "

    You cannot use the online service to apply to the scheme if you\u2019re applying as:

    ", + "
  • the family member of a British citizen you lived with in Switzerland or an EU or EEA country
  • ", + "
  • the family member of a British citizen who also has EU, EEA or Swiss citizenship and who lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship
  • ", + "
  • the primary carer of a British, EU, EEA or Swiss citizen
  • ", + "
  • the child of an EU, EEA or Swiss citizen who used to live and work in the UK, and you\u2019re in education - or you\u2019re the child\u2019s primary carer
  • ", + "

    Contact the EU Settlement Resolution Centre online to find out how to apply.

    ", + "

    Fees

    ", + "

    It\u2019s free to apply to the scheme.

    ", + "

    If you paid a fee when you applied to the EU Settlement Scheme, you\u2019ll get a refund.

    ", + "

    Get help

    ", + "

    Contact the EU Settlement Resolution Centre online.

    ", + "

    You can also get help over the phone.

    ", + "

    The phone number is different if you\u2019re from a local council or another organisation helping others to apply.

    ", + "

    If you\u2019re inside the UK

    ", + "

    If you\u2019re outside the UK

    ", + "

    If you\u2019re from an organisation helping others to apply

    ", + "

    You can also\u00a0get support\u00a0if you need help doing things online.

    ", + "

    If you\u2019re the family member of an EU, EEA or Swiss citizen

    ", + "

    You can apply as the family member of an EU, EEA or Swiss citizen if they started living in the UK by 31 December 2020.

    ", + "

    Your EU, EEA or Swiss family member will usually need to apply as well. You can apply if you\u2019re the family member of an Irish citizen, even though they do not need to.

    ", + "

    If you\u2019re from the EU, EEA or Switzerland, you can apply to the EU Settlement Scheme from outside the UK if you hold either a valid passport or identity card with a biometric chip.

    ", + "

    If you\u2019re not from the EU, EEA or Switzerland, you can apply to the EU Settlement Scheme from outside the UK if you hold a relevant UK document, for example:

    ", + "
  • a residence card
  • ", + "
  • a permanent residence card
  • ", + "
  • a derivative residence card
  • ", + "

    Otherwise, you will need to apply for an EU Settlement Scheme family permit to come to the UK. Once you\u2019re in the UK you can apply to the EU Settlement Scheme.

    ", + "

    You cannot apply to the EU Settlement Scheme from inside the UK if you arrived here after 31 December 2020 and you\u2019re here:

    ", + "
  • on a Standard Visitor visa, Permitted Paid Engagement visa, Parent of a Child Student visa or Transit visa
  • ", + "
  • without a visa, for example if you came through an e-passport gate
  • ", + "

    You also cannot apply if you\u2019re here on a Marriage Visitor visa, unless you\u2019re applying after you have married or entered into a civil partnership with the EU, EEA or Swiss person you\u2019re joining.

    ", + "

    Irish citizens can apply from within the UK regardless of how they entered.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    Your family relationship

    ", + "

    You can apply if you\u2019re in a relationship with an EU, EEA or Swiss citizen as their spouse, civil partner or unmarried partner. The relationship must have started by 31 December 2020 and must still exist.

    ", + "

    You can also apply if you\u2019re related to an EU, EEA or Swiss citizen, their spouse, or their civil partner if you\u2019re their:

    ", + "
  • child, grandchild or great-grandchild under 21 years old
  • ", + "
  • dependent child over the age of 21
  • ", + "

    You can also apply as a dependent parent, grandparent or great-grandparent if you have a relevant document to prove your relationship.

    ", + "

    You can apply as another type of dependent relative if both of the following apply:

    ", + "
  • you were living in the UK by 31 December 2020
  • ", + "
  • you have a relevant document to prove your relationship
  • ", + "

    You may also be able to apply if:

    ", + "
  • you\u2019re the family member of a British citizen and you lived outside the UK in an EU or EEA country (or Switzerland) together
  • ", + "
  • you\u2019re the family member of a British citizen who also has EU, EEA or Swiss citizenship and who lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship
  • ", + "
  • you used to have an EU, EEA or Swiss family member living in the UK
  • ", + "
  • you\u2019re the family member of an eligible person of Northern Ireland
  • ", + "

    If you\u2019re the family member of an eligible person of Northern Ireland

    ", + "

    You can apply if you\u2019re the family member of an eligible person of Northern Ireland, even though they do not need to.

    ", + "

    Follow the same process as family members of EU, EEA or Swiss citizens.

    ", + "

    If your family member is a British citizen (\u2018Surinder Singh\u2019 applications)

    ", + "

    You may be eligible if you lived outside the UK in an EU or EEA country (or Switzerland) with your family member.

    ", + "

    You must have lived with them in an EU or EEA country (or Switzerland) before 1 January 2021, and be:

    ", + "
  • their spouse, civil partner or unmarried partner
  • ", + "
  • under 21 years old, and are their child or grandchild
  • ", + "
  • 21 years or older, and are their dependent child or grandchild
  • ", + "
  • their dependent parent or grandparent
  • ", + "

    You can apply as another type of dependent relative if you were living in the UK by 31 December 2020.

    ", + "

    The country that you lived in together must have been your main residence. Your British family member must also have been working, studying or self-sufficient in the country while there.

    ", + "

    You cannot use the online service to apply if this is how you qualify for the scheme.

    ", + "

    Contact the EU Settlement Resolution Centre online to find out how to apply.

    ", + "

    If you used to have an EU, EEA or Swiss family member living in the UK

    ", + "

    You may be able to apply if you used to have a family member who was living in the UK by 31 December 2020. This is called a \u2018retained right of residence\u2019.

    ", + "

    If you\u2019re eligible because you have retained rights of residence, you can apply using the online service.

    ", + "

    If you\u2019re in education in the UK

    ", + "

    You can apply if you\u2019re in education, were resident in the UK by 31 December 2020 and one of the following is true:

    ", + "
  • you\u2019re the child of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "
  • one of your parents is the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "
  • one of your parents was previously the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "

    If you qualify through any of these circumstances, your parent is also eligible, providing they have custody of you.

    ", + "

    If your family member has died

    ", + "

    You can also apply if your family member has died, and you lived continuously in the UK as their family member for at least one year immediately before their death.

    ", + "

    If you or a member of your family was previously married or in a civil partnership

    ", + "

    You can apply if your marriage or civil partnership to an EU, EEA or Swiss citizen ended with a divorce, annulment or dissolution, and you lived in the UK when it ended.

    ", + "

    One of the following must also apply:

    ", + "
  • the marriage or civil partnership lasted for at least 3 years and you\u2019d both been living in the UK for at least one year during that time
  • ", + "
  • you have custody of the EU, EEA or Swiss citizen\u2019s child
  • ", + "
  • you have been given right of access in the UK to the EU, EEA or Swiss citizen\u2019s child - the child must be under 18
  • ", + "
  • you or another family member was the victim of domestic abuse in the marriage or civil partnership
  • ", + "

    You can also apply if a family member had an eligible marriage or civil partnership and you lived in the UK when it ended. You must be their:

    ", + "
  • child, grandchild or great-grandchild under 21 years old
  • ", + "
  • dependent child over the age of 21
  • ", + "
  • dependent parent, grandparent or great-grandparent
  • ", + "
  • other dependent relative
  • ", + "

    If you are a victim of domestic abuse or violence

    ", + "

    You can apply if your family relationship with an EU, EEA or Swiss citizen has broken down permanently because of domestic abuse or violence.

    ", + "

    You can apply if you are or were their:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • long-term partner
  • ", + "
  • child, grandchild or great-grandchild under 21 years old
  • ", + "
  • dependent child over the age of 21
  • ", + "
  • dependent parent, grandparent or great-grandparent
  • ", + "
  • other dependent relative
  • ", + "

    If you\u2019re the \u2018primary carer\u2019 of a British, EU, EEA or Swiss citizen

    ", + "

    You may be able to apply if you\u2019re the primary carer of a British,\u00a0EU,\u00a0EEA\u00a0or Swiss citizen who was living in the UK by 31 December 2020. Any dependent children you have may also be able to apply.

    ", + "

    To be someone\u2019s primary carer, you must be both:

    ", + "
  • responsible for their day to day care, including making decisions about their education, health, and finances
  • ", + "
  • a family member or their legal guardian
  • ", + "

    You can share these responsibilities with someone else.

    ", + "

    You cannot use the online service to apply if this is how you qualify for the scheme.

    ", + "

    Contact the EU Settlement Resolution Centre online to find out how to apply.

    ", + "

    If you\u2019re the primary carer of an adult

    ", + "

    You can apply if you\u2019re the primary carer of a dependent adult who is a British citizen and you were resident in the UK by 31 December 2020.

    ", + "

    If you\u2019re the primary carer of a child

    ", + "

    You can apply if you\u2019re the primary carer of a British child, or an EU, EEA or Swiss child who is financially independent and you were resident in the UK by 31 December 2020.

    ", + "

    You can also apply if you\u2019re the primary carer of an EU, EEA or Swiss child who:

    ", + "
  • is in education in the UK
  • ", + "
  • has an EU, EEA or Swiss parent who has worked in the UK when the child has lived in the UK
  • ", + "
  • has an EU, EEA or Swiss parent who has lived in the UK when the child has been in education
  • ", + "
  • has an EU, EEA or Swiss parent who has stopped working in the UK, or left the UK
  • ", + "

    What you\u2019ll need to apply

    ", + "

    You\u2019ll need to provide proof of your relationship to your EU, EEA or Swiss citizen family member - for example, a birth, marriage or civil partnership certificate, or a residence card. You can usually scan and submit this through the online application form.

    ", + "

    If you apply before your family member, you\u2019ll also need to provide evidence of their identity and residence.

    ", + "

    You might be asked to provide a certified English translation of any document that is not in English.

    ", + "

    You do not need to provide any evidence of your relationship if you have a valid \u2018UK permanent residence document\u2019.

    ", + "

    If you\u2019re from outside the EU, EEA or Switzerland and you do not have a biometric residence card, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo, or only a photo for children under 5) when you apply.

    ", + "

    When you need to provide more evidence

    ", + "

    In some cases, you\u2019ll also need to provide the same documents as you would for a residence card application.

    ", + "

    Check which documents you\u2019d provide for a residence card application if:

    ", + "
  • your family member is a British citizen and you lived together in an EU or EEA country (or Switzerland) before 1 January 2021 - known as a \u2018Surinder Singh\u2019 application
  • ", + "
  • your family member is both a British citizen and an EU, EEA or Swiss citizen, and lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship
  • ", + "
  • you used to have an EU, EEA or Swiss family member living in the UK - known as a \u2018retained rights of residence\u2019 application
  • ", + "
  • you\u2019re the primary carer of a British, EU, EEA or Swiss citizen
  • ", + "
  • you\u2019re the child of an EU, EEA or Swiss citizen who used to live and work in the UK, or their primary carer
  • ", + "

    When to apply

    ", + "

    The deadline for most applications is 30 June 2021.

    ", + "

    If you arrive in the UK on or after 1 April 2021, you must apply within 3 months of the date you arrive in the UK. If you apply after 30 June 2021, you\u2019ll need to provide evidence of when you arrived in the UK, for example the travel ticket you used for your journey to the UK.

    ", + "

    You\u2019ll probably get a decision more quickly if you apply at the same time or after your family member applies.

    ", + "

    Your family member will be given an application number when they apply. You can use this to \u2018link\u2019 your application to theirs, so that your applications are considered together.

    ", + "

    If your partner is a Swiss citizen

    ", + "

    You can apply as the spouse or civil partner of a Swiss citizen in the UK until 31 December 2025 if both of the following apply:

    ", + "
  • your relationship with them began between 31 December 2020 and 31 December 2025
  • ", + "
  • you\u2019re still in the relationship when you apply
  • ", + "

    If you\u2019re the family member of an EU, EEA or Swiss citizen who has died

    ", + "

    You might be eligible for settled status before you\u2019ve been living in the UK for 5 years.

    ", + "

    Your family member must have been working or self-employed in the UK at the time of their death. They must have been resident in the UK by 31 December 2020.

    ", + "

    You must also have been living with them just before their death and either:

    ", + "
  • they lived continuously in the UK, the Channel Islands, or the Isle of Man for at least 2 years immediately before their death
  • ", + "
  • their death was the result of an accident at work or an occupational disease
  • ", + "

    If you\u2019re overseas and a family member of an EU, EEA or Swiss citizen living in the UK

    ", + "

    If you\u2019re not living in the UK by 31 December 2020, you\u2019ll still be able to apply if all of the following are true:

    ", + "
  • your family member was living in the UK by 31 December 2020
  • ", + "
  • your relationship began by 31 December 2020 (unless you are a child born or adopted after that date)
  • ", + "
  • you remain a close family member when you apply, for example a spouse, civil partner, unmarried partner, a dependent child or grandchild, or a dependent parent or grandparent
  • ", + "

    If your family member is a British citizen (\u2018Surinder Singh\u2019 applications)

    ", + "

    The deadline for you to return to the UK depends on your relationship with the family member.

    ", + "

    You must return and apply by 29 March 2022 if you\u2019re:

    ", + "
  • their spouse, civil partner or unmarried partner and your relationship started before 1 February 2020
  • ", + "
  • under 21 years old, and are their child or grandchild
  • ", + "
  • 21 years or older, and are their dependent child or grandchild
  • ", + "
  • their dependent parent or grandparent
  • ", + "

    You must return by 31 December 2020, and apply by 30 June 2021, if you\u2019re:

    ", + "
  • their spouse, civil partner or unmarried partner and your relationship started on or after 1 February 2020
  • ", + "
  • another dependent relative
  • ", + "

    If you\u2019re a spouse or civil partner, your dependent child, grandchild, parent or grandparent can also apply. They must return and apply by the same date as you.

    ", + "

    If you're the family member of an eligible person of Northern Ireland

    ", + "

    You can apply if you have a family member who is an eligible person of Northern Ireland, whether you\u2019re an EU, EEA or Swiss citizen or not.

    ", + "

    For you to be eligible, the person of Northern Ireland who is your family member must:

    ", + "
  • be a British, Irish or dual British and Irish citizen
  • ", + "
  • have been born in Northern Ireland
  • ", + "
  • at the time of their birth, have at least one parent who held British, Irish or dual citizenship (or was without any restriction on their period of residence)
  • ", + "
  • be living in the UK by 31 December 2020
  • ", + "

    If you\u2019re an EU, EEA or Swiss citizen

    ", + "

    You can choose whether you apply as either:

    ", + "
  • an EU, EEA or Swiss citizen - use the online service to apply
  • ", + "
  • a family member of an eligible person from Northern Ireland - contact the EU Settlement Resolution Centre online
  • ", + "

    If you\u2019re not an EU, EEA or Swiss citizen

    ", + "

    You can apply to the EU Settlement Scheme using the online service.

    ", + "

    If you\u2019re outside the UK, you\u2019ll need to apply for an EU Settlement Scheme family permit to come to the UK. Once you\u2019re in the UK you can apply to the EU Settlement Scheme.

    ", + "

    If you have permanent residence or indefinite leave to remain

    ", + "

    The process of applying to the EU Settlement Scheme is different if you have a permanent residence document or indefinite leave to enter or remain.

    ", + "

    If you have a valid \u2018UK permanent residence document\u2019

    ", + "

    If you have a valid UK permanent residence document, you\u2019ll have one of the following:

    ", + "
  • a certificate inside your blue \u2018residence documentation\u2019 booklet (or pink if you\u2019re a Swiss national)
  • ", + "
  • a certificate inside your passport
  • ", + "
  • a biometric residence card confirming permanent residence (only if you\u2019re not an EU, EEA or Swiss citizen)
  • ", + "

    Your document is not a permanent residence document if it has \u2018registration certificate\u2019 written on it.

    ", + "

    If you\u2019re from the EU, EEA or Switzerland your permanent residence document will say \u2018Document Certifying Permanent Residence\u2019.

    ", + "

    If you\u2019re not an EU, EEA or Swiss citizen, your biometric residence card will say \u2018Permanent Residence Status\u2019.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    What you must do

    ", + "

    To continue living in the UK after 30 June 2021 you must have either:

    ", + "
  • applied to the EU Settlement Scheme by 30 June 2021 - you will not have to prove you have 5 years\u2019 continuous residence
  • ", + "
  • been granted citizenship by 30 June 2021
  • ", + "

    If you have indefinite leave to enter or remain

    ", + "

    Indefinite leave to enter or remain (ILR) are types of immigration status.

    ", + "

    You\u2019ll usually have applied for indefinite leave to enter or remain. You\u2019ll have a stamp in your passport or a letter from the Home Office. You could also have a \u2018vignette\u2019 (sticker) or a biometric residence permit.

    ", + "

    You can continue to live in the UK without applying to the EU Settlement Scheme if you have indefinite leave to enter or remain in the UK. However, if you choose to apply (and meet all the other conditions), you\u2019ll get \u2018indefinite leave to remain under the EU Settlement Scheme\u2019 - also known as settled status.

    ", + "

    This means you should be able to spend up to 5 years in a row outside the UK without losing your settled status (instead of 2 years with the indefinite leave to enter or remain you have now).

    ", + "

    If you\u2019re a Swiss citizen, you and your family members can spend up to 4 years in a row outside the UK without losing your settled status.

    ", + "

    You will not have to prove you have 5 years\u2019 continuous residence.

    ", + "

    If you moved to the UK before it joined the EU on 1 January 1973

    ", + "

    You may have been given ILR automatically if you\u2019re an EU, EEA or Swiss citizen who lived in the UK before 1973. If you were, you will not need to apply to the EU Settlement Scheme to stay in the UK after June 2021.

    ", + "

    If you do not have a document confirming your ILR status, you can either:

    ", + "
  • apply to the EU Settlement Scheme to get settled or pre-settled status
  • ", + "
  • apply to the Windrush scheme to get proof of your ILR status
  • ", + "

    If you\u2019re from Malta or Cyprus, you could also apply for British citizenship through the Windrush scheme.

    ", + "

    Applications for either scheme are free of charge.

    ", + "

    If you stop working or start work in an EU country

    ", + "

    You and your family members can get settled status with less than 5 years\u2019 continuous residence in certain situations.

    ", + "

    If you have to stop working

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen you may be able to get settled status if you have to stop working or being self-employed because of an accident or illness (known as \u2018permanent incapacity\u2019).

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    You may be able to get settled status if either:

    ", + "
  • you have lived continuously in the UK for the 2 years immediately beforehand
  • ", + "
  • the permanent incapacity was the result of an accident at work or an occupational disease that entitles you to a pension from a UK institution
  • ", + "

    You can also get settled status if you\u2019re married to or in a civil partnership with a British citizen.

    ", + "

    If you\u2019re the family member of an EU, EEA or Swiss citizen at the time they stopped working you may also be eligible for settled status.

    ", + "

    If you reach State Pension age or retire early

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen you may be able to get settled status if you reach State Pension age or retire early.

    ", + "

    If you\u2019re the family member of an EU, EEA or Swiss citizen at the time they reach State Pension age or retire early you may also be eligible for settled status.

    ", + "

    If you reach State Pension age

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen, you can get settled status if you stopped working when you reached State Pension age and either:

    ", + "
  • you worked continuously or were self employed for 1 year beforehand and have lived continuously in the UK for 3 years
  • ", + "
  • your spouse or civil partner is a British citizen
  • ", + "

    If you retire early

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen you can get settled status if you retire early and either:

    ", + "
  • you worked continuously (for someone other than yourself) for 1 year beforehand and have lived continuously in the UK for 3 years
  • ", + "
  • your spouse or civil partner is a British citizen
  • ", + "

    If you start work or self-employment in an EU country

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen you can get settled status if you start work or self-employment in an EU country and you both:

    ", + "
  • have lived and worked or been self-employed in the UK continuously for 3 years beforehand
  • ", + "
  • usually return to your UK home once a week
  • ", + "

    If you\u2019re the family member of an EU, EEA or Swiss citizen at the time they start work or self-employment in an EU country you may also be eligible for settled status.

    ", + "

    After you've applied

    ", + "

    If your application is successful, a letter will be emailed to you confirming your settled or pre-settled status.

    ", + "

    Find out what rights you get for each status.

    ", + "

    You cannot use the letter itself to prove your status.

    ", + "

    Viewing and proving your status

    ", + "

    You can view your status or prove it to someone else online. You will not usually get a physical document.

    ", + "

    If you\u2019re from outside the EU, EEA or Switzerland

    ", + "

    You will get a physical document if you do not already have a biometric residence card.

    ", + "

    The document you get under the EU Settlement Scheme proves your rights in the UK only.

    ", + "

    To travel to the EU, EEA or Switzerland with your EU, EEA or Swiss family member, you\u2019ll need to apply for a visa for the country you want to visit. This will be free.

    ", + "

    You can still prove your rights in the UK until 30 June 2021 with your passport or national identity card (if you\u2019re an EU, EEA or Swiss citizen), or with your biometric residence document.

    ", + "

    If you already have a biometric residence card, you do not need to apply for a new one once you have settled or pre-settled status.

    ", + "

    Updating your details

    ", + "

    You must keep your details up to date, for example if you get a new passport.

    ", + "

    Applying for citizenship

    ", + "

    You\u2019ll usually be able to apply for citizenship 12 months after you\u2019ve got settled status.

    ", + "

    If the Home Office finds a mistake in your application

    ", + "

    The Home Office will contact you before making a decision on your application, so you can correct the error.

    ", + "

    They\u2019ll also tell you if you need to provide more evidence before they can make a decision.

    ", + "

    If your application is unsuccessful

    ", + "

    You can apply again at any time until 30 June 2021 if you think the decision should have been different, for example you got pre-settled status but expected to get settled status.

    ", + "

    There\u2019s no charge for this.

    ", + "

    You can submit new information or evidence if you want to.

    ", + "

    Apply for an administrative review

    ", + "

    You may be able to apply for an administrative review of your application if you think there\u2019s been a mistake. It costs \u00a380 and you\u2019ll usually get the result within 28 days.

    ", + "

    You\u2019ll get your money back if the original decision is changed because of an error.

    ", + "

    You can submit new evidence as part of an administrative review but you will not get your money back if the decision is changed because of the new evidence.

    ", + "

    Appeal the decision

    ", + "

    You can also make an appeal to an independent tribunal. You can only appeal applications made after 11pm on 31 January 2020.

    ", + "

    If you already have an outstanding immigration application

    ", + "

    In most cases, your outstanding immigration application will not be considered if you apply for the EU Settlement Scheme. You\u2019ll get a refund for your outstanding application.

    ", + "

    Contact UK Visas and Immigration (UKVI) to find out how your outstanding immigration application will be affected.

    ", + "

    More detailed guidance is available.

    ", + "

    Switch from pre-settled status to settled status

    ", + "

    If you have pre-settled status, you can stay in the UK for a further 5 years from the date you got your status.

    ", + "

    You must apply to the EU Settlement Scheme again before your pre-settled status expires to stay in the UK.

    ", + "

    When to apply

    ", + "

    You can apply to switch to settled status as soon as you\u2019re eligible. This is usually after you\u2019ve lived in the UK, the Channel Islands or the Isle of Man for 5 years in a row (known as \u2018continuous residence\u2019).

    ", + "

    The 5 years is counted from the day you first arrived in the UK. You do not need to have held pre-settled status for 5 years to apply.

    ", + "

    You may not be eligible for settled status if during the 5 years you spent more than 6 months outside the UK in a 12 month period.

    ", + "

    Find out more about continuous residence and if you\u2019re eligible for settled status.

    ", + "

    If you\u2019re not eligible for settled status

    ", + "

    If you\u2019re not eligible for settled status because you spent more than 6 months outside the UK in a 12 month period, you may be able to get pre-settled status again.

    ", + "

    Both of the following must apply:

    ", + "
  • the time you spent outside the UK was before 31 December 2020
  • ", + "
  • you were back in the UK on or before 31 December 2020
  • ", + "

    You usually need to apply before 30 June 2021. There are different rules if you\u2019re applying as the close family member of an EU, EEA or Swiss citizen.

    ", + "

    If you cannot get pre-settled status again and your current status is about to expire, apply for a visa to stay in the UK.

    ", + "

    What you\u2019ll need

    ", + "

    You can use the same proof you used to apply to the EU Settlement Scheme the first time.

    ", + "

    Check what you\u2019ll need to prove your identity and residence status.

    ", + "

    If your pre-settled status was based on your relationship to a family member from the EU, EEA or Switzerland, you\u2019ll also need proof of your relationship to your EU, EEA or Swiss family member.

    ", + "

    Apply to switch your status

    ", + "

    It is free to apply.

    ", + "

    Start now

    ", + "

    After you\u2019ve applied

    ", + "

    If your application is successful, a letter will be emailed to you confirming your status.

    ", + "

    If you\u2019re given settled status

    ", + "

    You can stay in the UK as long as you like. You\u2019ll usually be able to apply for citizenship 12 months after you\u2019ve got settled status.

    ", + "

    If you\u2019re given pre-settled status again

    ", + "

    You can stay in the UK for a further 5 years from the date on your Home Office decision letter.

    ", + "

    You can apply for settled status after you\u2019ve lived in the UK, the Channel Islands or the Isle of Man for 5 years in a row (known as \u2018continuous residence\u2019).

    ", + "

    Find out what to do if you think the decision should have been different.

    " + ] + }, + { + "title": "Prove you have right of abode in the UK", + "url": "https://www.gov.uk/right-of-abode", + "contents": [ + "

    Overview

    ", + "

    Having right of abode means you\u2019re allowed to live or work in the UK without any immigration restrictions, which means:

    ", + "
  • you will not need a visa to come to the UK
  • ", + "
  • there\u2019s no limit on the length of time you can spend in the country
  • ", + "

    All British citizens automatically have right of abode in the UK.

    ", + "

    Some Commonwealth citizens may also have right of abode.

    ", + "

    You can prove you have right of abode if you have a UK passport describing you as a British citizen or British subject with right of abode.

    ", + "

    Otherwise you need to apply for a \u2018certificate of entitlement\u2019.

    ", + "

    If you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.

    ", + "

    Commonwealth citizens

    ", + "

    If you\u2019re part of the \u2018Windrush generation\u2019 (also known as \u2018Windrush cases\u2019), there\u2019s a different way to prove your right to live in the UK.

    ", + "

    You may have right of abode in the UK either because of your parents or because you are or were married to someone with right of abode.

    ", + "

    Parents

    ", + "

    You have right of abode if all the following apply:

    ", + "
  • one of your parents was born in the UK and a citizen of the United Kingdom and colonies when you were born or adopted
  • ", + "
  • you were a Commonwealth citizen on 31 December 1982
  • ", + "
  • you did not stop being a Commonwealth citizen (even temporarily) at any point after 31 December 1982
  • ", + "

    Marriage

    ", + "

    You can only get right to abode through marriage if you\u2019re a female Commonwealth citizen.

    ", + "

    You must have:

    ", + "
  • been married to someone with right of abode before 1 January 1983
  • ", + "
  • not stopped being a Commonwealth citizen (even temporarily) at any point after 31 December 1982
  • ", + "

    You usually will not have right of abode if the person you were married to has another living wife or widow who:

    ", + "
  • is in the UK, or has been in the UK at any time since her marriage (unless they entered the country illegally, came as a visitor or only have temporary permission to stay)
  • ", + "
  • has a certificate of entitlement to right of abode or permission to enter the UK because of her marriage
  • ", + "

    However, you may still have right of abode if:

    ", + "
  • you entered the UK while married and before 1 August 1988, even if your husband has other wives in the UK
  • ", + "
  • you\u2019ve been in the UK since your marriage and at that time were your husband\u2019s only wife to have legally entered the UK or been given permission to do so
  • ", + "

    Apply for a certificate of entitlement

    ", + "

    You can apply for a certificate of entitlement to prove you have right of abode in the UK. It goes in your passport.

    ", + "

    You need to apply for a new certificate when your passport expires.

    ", + "

    How you apply for a certificate of entitlement depends on whether you\u2019re inside or outside the UK.

    ", + "

    You cannot get a certificate if you already have a British passport or a valid certificate of entitlement in another foreign passport.

    ", + "

    Apply in the UK, Channel Islands or the Isle of Man

    ", + "

    A certificate of entitlement costs \u00a3372 in the UK.

    ", + "

    Read the guidance to check you can apply.

    ", + "

    Fill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.

    ", + "

    You can also apply in other ways.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Apply from outside the UK or from a British overseas territory

    ", + "

    If you are not in the UK, or you live in a British overseas territory, you must apply online.

    ", + "

    A certificate of entitlement costs \u00a3388 outside the UK.

    ", + "

    North Korea

    ", + "

    You cannot apply online if you\u2019re living in North Korea.

    ", + "

    To apply from North Korea you must:

    ", + "
  • download the application form and guidance - read the guidance if you need help filling in the form
  • ", + "
  • read the instructions to find out where to take your completed form
  • ", + "

    If your application is refused

    ", + "

    Your application fee will not be refunded if your application is refused because you do not qualify for right of abode or you do not send in enough evidence to support your claim.

    ", + "

    Appeals

    ", + "

    You\u2019ll be told how you can appeal if your application is rejected.

    ", + "

    You will not have a right of appeal if your rejected application was received on or after 6 April 2015.

    ", + "

    If you made your application in the UK, you can apply to have your application reconsidered if you think UKVI did not make the decision in line with the law or their policy.

    " + ] + }, + { + "title": "Settlement: refugee or humanitarian protection", + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "contents": [ + "

    Overview

    ", + "

    You can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) if you\u2019ve got a residence card as a:

    ", + "
  • refugee
  • ", + "
  • person with humanitarian protection
  • ", + "

    Check if you\u2019re eligible in the relevant category.

    ", + "

    Fees

    ", + "

    There\u2019s no fee for applying for settlement as a refugee or person who\u2019s been given humanitarian protection.

    ", + "

    Family members

    ", + "

    You may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.

    ", + "

    Check if your family member is eligible.

    ", + "

    If your application is successful, your family members will have the same permission to stay in the UK as you do.

    ", + "

    If you cannot include your family members on your settlement application

    ", + "

    If your family was formed before you left your country, your partner and children can apply to be reunited with you in the UK.

    ", + "

    Your family members must apply for a visa to join you in the UK if one of the following is true:

    ", + "
  • they\u2019re not eligible to apply as a partner or a child
  • ", + "
  • your family was formed after you left your country
  • ", + "

    If your application is successful, your family members will have permission to stay in the UK for the same length of time as you.

    ", + "

    Eligibility

    ", + "

    You can apply after 5 years in the UK as either:

    ", + "
  • a refugee
  • ", + "
  • someone with humanitarian protection
  • ", + "

    If your application is refused

    ", + "

    Your settlement application may be refused if you\u2019ve got a criminal record or been in prison - read why applications are refused.

    ", + "

    If you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.

    ", + "

    Apply

    ", + "

    You must apply online. You\u2019ll be told what documents you need to provide when you apply.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    Any children aged 6 and over who are applying on your form must also provide biometric information.

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them to the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    When to apply

    ", + "

    You should apply during the last month of your current permission to be in the UK.

    ", + "

    Fees

    ", + "

    There\u2019s no fee for applying for settlement as a refugee or person with humanitarian protection.

    ", + "

    Family reunion

    ", + "

    Your partner or child may be able to join or stay with you in the UK if:

    ", + "
  • you were part of a family before you were forced to leave your country
  • ", + "
  • you have refugee status, 5 years\u2019 humanitarian protection or settlement on protection grounds but do not yet have British citizenship
  • ", + "

    Your partner or child cannot join you if:

    ", + "
  • you have not received a decision on your asylum claim
  • ", + "
  • you\u2019re under 18
  • ", + "

    If their application is successful, your family members will be allowed to come to or stay in the UK with the same permission as you.

    ", + "

    Eligibility

    ", + "

    Your partner and any children must meet the following requirements.

    ", + "

    Partner

    ", + "

    Your partner is someone you\u2019re in a genuine relationship with. You must be able to prove one of the following:

    ", + "
  • you\u2019re married
  • ", + "
  • you\u2019re in a civil partnership
  • ", + "

    If you\u2019re not married or in a civil partnership, your partner may be able to join you if:

    ", + "
  • you were given refugee status or humanitarian protection on or after 9 October 2006
  • ", + "
  • you\u2019ve lived together in a relationship like in a marriage or civil partnership for 2 years and you\u2019ve been given asylum or humanitarian protection after 9 October 2006
  • ", + "

    You and your partner must intend to live together and continue your relationship after they apply.

    ", + "

    Children

    ", + "

    Your child is:

    ", + "
  • under the age of 18
  • ", + "
  • going to live with you and your partner
  • ", + "
  • not married or in a civil partnership
  • ", + "

    Apply outside the UK

    ", + "

    Your partner or child must apply online for family reunion.

    ", + "

    You can apply on behalf of your child but, in most cases, your partner must make their own application.

    ", + "

    They\u2019ll also have to complete application form VAF4A with Appendix 4.

    ", + "

    They\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.

    ", + "

    North Korea

    ", + "

    Your partner or child cannot apply online if they\u2019re applying from North Korea.

    ", + "

    They need to download application form VAF4A with Appendix 4.

    ", + "

    They should read the guidance on filling in the form and the instructions for North Korea.

    ", + "

    Apply in the UK

    ", + "

    Your partner or child can apply to stay with you in the UK if all the following are true:

    ", + "
  • you have refugee status or humanitarian protection in the UK
  • ", + "
  • they\u2019re making their first application to stay with you and they\u2019re already in the UK
  • ", + "
  • they can prove their relationship pre-dates your departure from your home country because of persecution
  • ", + "

    They must apply by letter to:

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When your family member applies, they\u2019ll be asked to make an appointment at a Service and Support Centre to provide their biometric information (their fingerprints and a photo) and have their supporting documents checked.

    ", + "

    Fees

    ", + "

    There\u2019s no fee for applying for family reunion for eligible family members.

    ", + "

    Family applying as dependants

    ", + "

    If you\u2019re a refugee or have humanitarian protection, your family members can apply for settlement on the same form as you if they\u2019re already in the UK.

    ", + "

    Family members are:

    ", + "
  • your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 2 years before applying to settle)
  • ", + "
  • your child or children - born in the UK or abroad
  • ", + "

    Eligibility

    ", + "

    Your family members must either have been given permission to be in the UK with you:

    ", + "
  • as your dependant, at the same time you were granted asylum or Humanitarian Protection
  • ", + "
  • using the family reunion route
  • ", + "

    A child of yours born in the UK who is not a British citizen is also eligible.

    ", + "

    You need to provide evidence of your relationship - check the application form.

    ", + "

    Children over 18

    ", + "

    You can only include your children over 18 in your settlement application if:

    ", + "
  • they were granted as your dependant when you got your original grant of asylum and leave to enter or remain
  • ", + "
  • they were granted leave to enter or remain by applying for family reunion
  • ", + "

    Other exceptions

    ", + "

    You cannot include a partner or other dependant who:

    ", + "
  • already has permission to be in the UK in another category
  • ", + "
  • is currently in the UK without permission
  • ", + "

    Apply

    ", + "

    You must apply online. You\u2019ll be told what documents you need to provide when you apply.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    Any children aged 6 and over who are applying on your form must also provide biometric information.

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them to the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    When to apply

    ", + "

    You should apply during the last month of your current permission to be in the UK.

    ", + "

    Fees

    ", + "

    There\u2019s no fee for applying for settlement for a family member.

    ", + "

    If your application is refused

    ", + "

    If you have a criminal record or have been in prison, you may be refused settlement.

    ", + "

    If you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.

    " + ] + }, + { + "title": "Indefinite leave to remain if you have an Innovator visa", + "url": "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa", + "contents": [ + "

    Overview

    ", + "

    You may be eligible for indefinite leave to remain if you have an Innovator visa.

    ", + "

    You cannot apply until March 2022 at the earliest - 3 years after this way to settle was introduced.

    ", + "

    Indefinite leave to remain is how you settle in the UK. It gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible. You can use it to apply for British citizenship.

    ", + "

    Eligibility

    ", + "

    You must have:

    ", + "
  • lived in the UK for 3 years using an Innovator visa - you cannot include time spent in the UK using any other visa
  • ", + "
  • a new endorsement that shows you\u2019ve met the requirements for growing your business
  • ", + "

    Knowledge of life in the UK

    ", + "

    If you\u2019re 18 to 64 you must pass the Life in the UK Test.

    ", + "

    Time outside the UK

    ", + "

    You must have spent no more than 180 days outside the UK in any 12 months.

    ", + "

    If you think you\u2019re affected by this rule, find out how to calculate your time in the UK (\u2018continuous residence\u2019).

    ", + "

    When to apply

    ", + "

    You\u2019ll be able to apply 28 days before you\u2019re eligible. Your application may be refused if you apply earlier.

    ", + "

    Do not wait until your current visa expires. If your visa expires before you can apply for indefinite leave to remain, you\u2019ll need to renew it first.

    ", + "

    Fees and how long it takes

    ", + "

    It costs \u00a32,389 for each person applying. You can include your partner and children on the same application form, if they\u2019re eligible.

    ", + "

    You also need to pay \u00a319.20 per person to have your biometric information (fingerprints and a photo) taken.

    ", + "

    You\u2019ll usually get a decision within 6 months.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    Getting endorsed

    ", + "

    Before you can apply, you must show an approved body that you\u2019ve grown your business.

    ", + "

    If you meet the criteria, the body will give you an endorsement letter to show that you\u2019re eligible for indefinite leave to remain.

    ", + "

    Once you\u2019ve got your letter, you must apply for indefinite leave to remain within 3 months.

    ", + "

    You do not need to use the same body that endorsed you for your Innovator visa.

    ", + "

    Endorsement requirements

    ", + "

    You must be actively managing and developing the business.

    ", + "

    Your business must be:

    ", + "
  • registered with Companies House, and you\u2019re either the director or a member
  • ", + "
  • currently trading, and be able to continue for at least the next 12 months
  • ", + "

    Your business must have done 2 of the following:

    ", + "
  • had \u00a350,000 of investment, which you\u2019ve spent on developing the business
  • ", + "
  • doubled the number of customers in the last 3 years - and this number is higher than the average for similar businesses
  • ", + "
  • applied for intellectual property protection in the UK
  • ", + "
  • made \u00a31 million revenue in the last full year covered by accounts
  • ", + "
  • made \u00a3500,000 revenue in the last full year covered by accounts, with \u00a3100,000 of this from exporting overseas
  • ", + "
  • created the equivalent of 10 full-time jobs that have existed for 12 months
  • ", + "
  • created the equivalent of 5 full-time jobs that have existed for 12 months, with an average salary of \u00a325,000 a year
  • ", + "

    You may have already met some of these criteria when you applied for your visa.

    ", + "

    If you\u2019ve created jobs

    ", + "

    The jobs you\u2019ve created must be for \u2018settled workers\u2019. A settled worker is someone who was one of the following when they started working for you:

    ", + "
  • a British citizen
  • ", + "
  • an EEA citizen who was living in the UK and working for you by 31 December 2020
  • ", + "
  • a Commonwealth citizen with a UK Ancestry visa
  • ", + "
  • someone with indefinite leave to remain or settled status
  • ", + "

    Family members

    ", + "

    You can include your partner and children on your application if they\u2019re eligible.

    ", + "

    Your partner and children can apply separately at a later date, for example if they\u2019re not eligible yet. They can continue to extend their visa as your dependant, even after you get indefinite leave to remain.

    ", + "

    Eligibility for partners

    ", + "

    Your partner may qualify if all of the following apply:

    ", + "
  • they have permission to be in the UK as your partner (as a \u2018dependant\u2019 on your Innovator visa)
  • ", + "
  • they\u2019ve lived in the UK with you as your dependant for at least 5 continuous years
  • ", + "
  • your relationship is genuine
  • ", + "
  • you intend to keep living together
  • ", + "
  • you have enough income to support yourselves and your dependants
  • ", + "
  • you\u2019re not using public funds (benefits)
  • ", + "

    Your partner can include time they\u2019ve spent as your dependant on another visa to count towards the continuous years they need to qualify. They cannot count any time spent on their own visa (not as your dependant).

    ", + "

    Your partner must also:

    ", + "
  • pass the Life in the UK Test
  • ", + "
  • meet the English language requirements
  • ", + "

    Eligibility for children

    ", + "

    You can include children as dependants on your application if:

    ", + "
  • they have permission to be in the UK as your child (as a \u2018dependant\u2019 on your visa)
  • ", + "
  • they are not married, in a civil partnership or living an independent life
  • ", + "
  • they will live with you and be supported by you without relying on public funds (benefits)
  • ", + "
  • you and your child\u2019s other parent are both currently applying to settle, or are already settled
  • ", + "

    Your child can also apply to settle in one of the following situations:

    ", + "
  • you\u2019re the child\u2019s sole surviving parent
  • ", + "
  • you have sole responsibility for your child, or they normally live with you
  • ", + "
  • there are serious or compelling reasons why they should be allowed to stay, for example you or your child has a serious illness
  • ", + "

    Extra documents for children over 16

    ", + "

    You\u2019ll need to prove:

    ", + "
  • where they live - if they do not live with you, you\u2019ll need to explain why
  • ", + "
  • any rent or upkeep they pay you each month
  • ", + "
  • that you support them financially if they do not live with you
  • ", + "

    You\u2019ll need to provide 2 documents from this list to prove where they live:

    ", + "
  • bank statement
  • ", + "
  • credit card bill
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • a letter from their current school, college or university, on headed paper and issued by an authorised official of that organisation
  • ", + "

    The documents you provide cannot be more than a month old on the date you make your application.

    ", + "

    If your child lives away from home, you\u2019ll need to provide:

    ", + "
  • bank statements for you and your child covering the 3 months before the date you apply (to prove you\u2019ve supported them)
  • ", + "
  • confirmation from their university or college on headed paper and issued by an authorised official (if they\u2019re studying)
  • ", + "

    Children 18 and over

    ", + "

    You can only include older children in your application if they both:

    ", + "
  • were under 18 when they got permission to be in the UK as your dependant
  • ", + "
  • still do not live an independent life - for example, they have not got married or had children
  • ", + "

    They also need to:

    ", + "
  • pass the Life in the UK Test
  • ", + "
  • meet the English language requirements
  • ", + "

    If your child is over 18 by the time you apply and does not meet these requirements, they must apply separately.

    ", + "

    How to apply

    ", + "

    You cannot apply for indefinite leave to remain using an Innovator visa until March 2022 at the earliest.

    ", + "

    Other ways to stay in the UK

    ", + "

    If you\u2019re not eligible to apply using an Innovator visa, you may be able to stay in the UK another way. Check if you can:

    ", + "
  • extend your permission to stay in the UK
  • ", + "
  • use a different way to apply for indefinite leave to remain
  • " + ] + }, + { + "title": "Apply for settlement if you're a Turkish Worker or Businessperson", + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "contents": [ + "

    Overview

    ", + "

    You can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:

    ", + "
  • Turkish Worker visa
  • ", + "
  • Turkish Businessperson visa
  • ", + "

    Your family members (\u2018dependants\u2019) can also apply for settlement.

    ", + "

    Fees

    ", + "

    The application fee is \u00a32,389.

    ", + "

    You also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you have family members applying for settlement with you, you\u2019ll need to pay the \u00a32,389 application fee and the \u00a319.20 biometric information fee for each person.

    ", + "

    If your partner is applying to extend their visa, their fee is \u00a31,033 instead. They\u2019ll need to pay the healthcare surcharge.

    ", + "

    How long you can stay

    ", + "

    Getting indefinite leave to remain means you can continue to live and work in the UK for as long as you like. It will mean you\u2019re eligible:

    ", + "
  • to take up any job
  • ", + "
  • to run a business
  • ", + "
  • for public services, such as healthcare and schools
  • ", + "
  • for public funds and pensions
  • ", + "
  • for British citizenship, if you meet the requirements
  • ", + "

    Eligibility

    ", + "

    To be eligible to settle in the UK, you must have:

    ", + "
  • met the knowledge of language requirement
  • ", + "
  • passed the Life in the UK test
  • ", + "
  • registered with the police if you were told to
  • ", + "
  • been living and working in the UK for the last 5 years without receiving public funds
  • ", + "
  • spent no more than 180 days outside the UK in any 12 months in the last 5 years
  • ", + "

    You must continue to run a business if you\u2019re on a Turkish Businessperson visa.

    ", + "

    Your application might be refused if, for example, you\u2019ve:

    ", + "
  • got a criminal record in the UK or another country
  • ", + "
  • provided false or incomplete information to the Home Office
  • ", + "
  • broken UK immigration law
  • ", + "

    Read the guidance on why applications can be refused.

    ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • previous passports showing you\u2019ve been living legally in the UK for the past 5 years - if your current passport does not show this
  • ", + "
  • the unique reference code that proves you passed the English language requirement
  • ", + "
  • your police registration certificate covering the past 5 years (unless you did not need to register)
  • ", + "

    If you\u2019re a Turkish Businessperson

    ", + "

    You\u2019ll also need to prove that you\u2019re continuing to run a business. You might need to provide documents, such as:

    ", + "
  • invoices showing work done
  • ", + "
  • business bank statements
  • ", + "
  • proof of National Insurance contributions - if appropriate
  • ", + "
  • advertising materials
  • ", + "
  • proof of renting or having purchased business premises
  • ", + "

    Family members

    ", + "

    Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:

    ", + "
  • your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 5 years before applying to settle)
  • ", + "
  • your child under 21 or in limited circumstances over 21 (including children born in the UK)
  • ", + "

    Partners applying for indefinite leave to remain

    ", + "

    If your partner is applying for indefinite leave to remain, they must:

    ", + "
  • have been granted leave as your dependant
  • ", + "
  • have lived in the UK with you for a continuous period of 5 years
  • ", + "
  • have met the knowledge of language and Life in the UK test
  • ", + "

    Partners applying to extend their visa

    ", + "

    If you already have indefinite leave to remain, but your partner has not been here for 5 years on your visa they can apply to extend their visa.

    ", + "

    For your partner to qualify, they must:

    ", + "
  • have last been granted entry clearance or leave to remain as your dependant
  • ", + "
  • be living together with you in a genuine relationship
  • ", + "
  • be living in suitable accommodation which you maintain without access to public funds
  • ", + "
  • be registered with the police if they were told to
  • ", + "

    Children applying for indefinite leave to remain

    ", + "

    For your children or child to apply for indefinite leave to remain, they must:

    ", + "
  • have been granted leave as your dependant
  • ", + "
  • apply at the same time as both parents, or where both parents are settled already
  • ", + "
  • not be married, in a civil partnership, have formed an independent family unit or be leading an independent life
  • ", + "
  • have met the knowledge of language requirement and Life in the UK test - if they\u2019re 18 or over
  • ", + "
  • have registered with the police if they were told to and are 16 or over
  • ", + "

    Your child may also be able to apply if one of the following applies:

    ", + "
  • you\u2019re the child\u2019s only living parent
  • ", + "
  • you have sole responsibility for them
  • ", + "
  • there are serious reasons to let your child stay in the UK, for example they have a serious illness
  • ", + "
  • their other parent is in the UK legally
  • ", + "

    If you already have indefinite leave to remain, your child may be eligible to apply if their other parent is extending a Turkish visa.

    ", + "

    Documents your family need to provide

    ", + "

    Each family member must provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • 2 passport size colour photographs
  • ", + "
  • proof of your relationship, for example a marriage or birth certificate, council tax bills or bank statements
  • ", + "
  • proof they will live permanently with you, for example letters from your child\u2019s school or their doctor
  • ", + "
  • proof that you have sole responsibility for any children aged under 21 if the other parent will not be in the UK (for example, written permission or relevant legal documents)
  • ", + "

    Apply

    ", + "

    You can apply to settle in the UK (indefinite leave to remain). Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa. You must be in the UK to apply.

    ", + "

    You must apply online.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    Any children aged 6 and over who you\u2019ve included in your application form must also provide biometric information.

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    " + ] + }, + { + "title": "Derivative residence cards", + "url": "https://www.gov.uk/derivative-right-residence", + "contents": [ + "

    Overview

    ", + "

    You can no longer apply for a derivative residence card. If you already have a card, it will not be valid after 30 June 2021.

    ", + "

    If you applied for a derivative residence card before 1 January 2021, you will get a decision on your application within 6 months.

    ", + "

    Living in the UK after 30 June 2021

    ", + "

    You can apply to the EU Settlement Scheme if you were living in the UK by 31 December 2020 and you\u2019re one of the following:

    ", + "
  • the primary carer of a British, EU, EEA or Swiss citizen
  • ", + "
  • a child of the primary carer of a British, EU, EEA or Swiss citizen
  • ", + "
  • a child of a former worker from the EU, EEA or Switzerland and you\u2019re currently in education
  • ", + "

    Being a \u2018primary carer\u2019 means you\u2019re someone\u2019s main carer, or you share the responsibility with someone else at least equally, and you\u2019re their direct relative or legal guardian.

    ", + "

    If you want to move to the UK on or after 1 January 2021, check if you need a UK visa.

    ", + "

    If you have a derivative residence card

    ", + "

    Until 30 June 2021, you can still use your card to:

    ", + "
  • help you re-enter the country quicker when you come back from abroad
  • ", + "
  • show employers you\u2019re allowed to work in the UK
  • ", + "
  • show relevant authorities (for example your local council) that you\u2019re allowed to live in the UK
  • ", + "

    Your card has not arrived

    ", + "

    Email the Home Office on BRCDelivery@homeoffice.gov.uk if you have not received your derivative residence card within 10 working days of the date on your decision letter.

    ", + "

    Include the following in your email:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • your passport number
  • ", + "
  • your case reference number
  • ", + "
  • a contact telephone number
  • ", + "
  • your delivery address
  • ", + "

    Correct mistakes on your card

    ", + "

    Email the Home Office on BRCError@homeoffice.gov.uk within 10 days of receiving your derivative residence card if there\u2019s a mistake on it.

    ", + "

    Include the following in your email:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • your passport number
  • ", + "
  • your derivative residence card reference number
  • ", + "
  • your case reference number
  • ", + "
  • a contact telephone number
  • ", + "
  • details of exactly what information is wrong
  • ", + "

    Report a lost or stolen card

    ", + "

    Your card has been lost or stolen

    ", + "

    Email BRCLost@homeoffice.gov.uk immediately if your derivative residence card has been lost or stolen. You must include:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • your contact details
  • ", + "
  • your passport number
  • ", + "
  • your derivative residence card reference number
  • ", + "
  • your police case reference number
  • ", + "
  • when, where and how the loss or theft occurred
  • ", + "

    You must contact the police to report the loss or theft and get a police case reference number.

    ", + "

    Your card is damaged

    ", + "

    Report a damaged card to BRCError@homeoffice.gov.uk.

    ", + "

    Include the following in your email:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • your contact details
  • ", + "
  • your passport number
  • ", + "
  • your derivative residence card reference number
  • ", + "
  • what the damage is
  • ", + "

    You can also send this information by post.

    ", + "

    Replacement derivative residence cards

    ", + "

    You can no longer apply for a replacement derivative residence card.

    ", + "

    If your card is lost, stolen, damaged or destroyed, you\u2019ll need to apply to the EU Settlement Scheme.

    ", + "

    If your passport has expired

    ", + "

    You cannot transfer your card to a new passport.

    ", + "

    You can still use your existing card if it\u2019s valid, but when you travel you must also show both:

    ", + "
  • your new passport
  • ", + "
  • your old passport, if it includes your derivative residence card
  • " + ] + }, + { + "title": "Prove your knowledge of English for citizenship and settling", + "url": "https://www.gov.uk/english-language", + "contents": [ + "

    Overview

    ", + "

    You might need to prove your knowledge of the English language if you\u2019re 18 or over and applying for citizenship or to settle in the UK (known as \u2018indefinite leave to remain\u2019).

    ", + "

    You can prove it by having either:

    ", + "
  • an English qualification at B1, B2, C1 or C2 level
  • ", + "
  • a degree taught or researched in English
  • ", + "

    You do not need to prove your knowledge of English in certain circumstances.

    ", + "

    Your citizenship or settlement application will be refused if you send the wrong qualifications.

    ", + "

    If you need more time

    ", + "

    If you\u2019re already in the UK you may be able to extend your permission to stay, so that you can prove your knowledge of English.

    ", + "

    Check the guide for your current visa for instructions on how to apply for an extension.

    ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019re:

    ", + "
  • aged 65 or over
  • ", + "
  • unable to, because of a long-term physical or mental condition
  • ", + "

    You must provide a completed exemption form from a doctor confirming your physical or mental condition.

    ", + "

    Nationalities that are exempt

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a citizen of:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • The Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Ireland (for citizenship only)
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    If you\u2019re from a country that\u2019s not on the list you\u2019ll need to prove your knowledge of English, even if English is an official language.

    ", + "

    If you\u2019re applying for citizenship

    ", + "

    There are no other exemptions if you\u2019re applying to become a British citizen. You must have a relevant English language qualification even if you were exempt when you were granted settlement.

    ", + "

    Exemptions if you\u2019re applying to settle

    ", + "

    You do not need to prove your knowledge of English if you\u2019re applying as:

    ", + "
  • a victim of domestic violence as the partner or spouse of a British citizen or someone settled in the UK
  • ", + "
  • the partner or spouse of a person who has died who was either a British citizen or someone settled in the UK
  • ", + "
  • an adult dependent relative between 18 and 64 of someone who is present and settled in the UK, is a refugee or has humanitarian protection
  • ", + "
  • a refugee living in the UK
  • ", + "
  • someone living in the UK with discretionary leave
  • ", + "
  • someone living in the UK for with humanitarian protection
  • ", + "
  • someone who has permission to stay in the UK as a retired person of independent means
  • ", + "
  • a Commonwealth citizen on discharge from HM Forces, including Gurkhas
  • ", + "
  • someone in exceptional circumstances, for example as an orphan, widow or over-age dependant
  • ", + "

    Approved English language qualifications

    ", + "

    You can prove your knowledge of English by having a recognised English test qualification from an approved test centre.

    ", + "

    You need to have a certificate to prove you have the qualification, or be able to view your results online.

    ", + "

    You can only use English for Speakers of Other Languages (ESOL) qualifications if they\u2019re on the list. You cannot use other qualifications, for example GCSEs, A levels or National Vocational Qualifications (NVQs).

    ", + "

    If your qualification has run out

    ", + "

    Some recognised test qualifications only last for 2 years. You can still use a B1 level qualification that you took more than 2 years ago in 2 situations.

    ", + "

    Applying for citizenship

    ", + "

    You can use a B1 level qualification that\u2019s run out if you\u2019re applying for citizenship and it was accepted when you settled in the UK.

    ", + "

    It does not matter if the B1 level test you took is not on the current list of recognised tests. You do not need to take another test.

    ", + "

    Applying to settle in the UK

    ", + "

    You can use a B1 level qualification that\u2019s run out if both of the following are true:

    ", + "
  • it\u2019s on the current list of recognised tests
  • ", + "
  • it was accepted for another UK immigration application, for example when you got permission to enter
  • ", + "

    If your degree was taught or researched in English

    ", + "

    You can prove your knowledge of English by having a degree that was taught or researched in English.

    ", + "

    If your degree is from a UK university, you only need your degree certificate.

    ", + "

    If your degree is not from a UK university you\u2019ll need:

    ", + "
  • a copy of your degree certificate
  • ", + "
  • an Academic Qualification Level Statement (AQUALS) from Ecctis (formerly UK NARIC) confirming the degree is equivalent to a UK qualification.
  • ", + "

    If your degree is from a non-majority English-speaking country you\u2019ll also need an English Language Proficiency Statement (ELPS) from Ecctis confirming the degree was taught in English.

    ", + "

    If you\u2019ve lost your certificate or you\u2019re waiting for graduation

    ", + "

    You must have proof that you\u2019ve passed your degree. This can be either:

    ", + "
  • an official transcript with your name, the name of the institution, your degree and confirmation of the award
  • ", + "
  • an official letter from your university confirming it cannot reissue your certificate or when it will be issued
  • ", + "

    Your letter must include:

    ", + "
  • your name
  • ", + "
  • your degree
  • ", + "
  • the date the degree was or will be awarded
  • " + ] + }, + { + "title": "Life in the UK Test", + "url": "https://www.gov.uk/life-in-the-uk-test", + "contents": [ + "

    Book the Life in the UK Test

    ", + "

    This is the only official government service for booking the Life in the UK Test. You need to take the test as part of your application for British citizenship or settlement in the UK.

    ", + "

    You must book your Life in the UK Test online at least 3 days in advance. It costs \u00a350.

    ", + "

    There are over 30 test centres in the UK. You can choose where to take your test when you book.

    ", + "

    Prepare for the test

    ", + "

    You\u2019ll be tested on information in the official handbook for the Life in the UK Test. You should study it to prepare for the test. The handbook is available as a book, an eBook, an e-Learning subscription or in audio formats.

    ", + "

    You\u2019ll have 45 minutes to answer 24 questions about British traditions and customs.

    ", + "

    Book the test

    ", + "

    You need all of the following to book a test:

    ", + "
  • email address
  • ", + "
  • debit or credit card
  • ", + "
  • an accepted form of ID
  • ", + "

    Start now

    ", + "

    Accepted forms of ID

    ", + "

    You can use one of the following as ID to book the test:

    ", + "
  • valid passport
  • ", + "
  • valid travel document with a photo (you cannot use an emergency travel document)
  • ", + "
  • biometric residence permit
  • ", + "
  • biometric residence card
  • ", + "

    Check the \u2018Identification requirements\u2019 document to make sure the ID you have is acceptable.

    ", + "

    Email nationalityenquiries@homeoffice.gov.uk for help if you do not have any of these documents.

    ", + "

    The name you give on your test booking must be an exact match with the name on the ID you use to book the test.

    ", + "

    If you have a previous gender (including a different name) that you do not want the test centre staff to see or for it to show on your test result, email\u00a0sensitivebookings@homeoffice.gov.uk\u00a0before booking your test. They\u2019ll tell you what you need to do.

    ", + "

    If you have a disability

    ", + "

    You can make special requests when you book your test, for example if you have a disability and need extra equipment or help accessing the centre.

    ", + "

    Get help

    ", + "

    Contact the Life in the UK Test Helpline if you need help with your booking.

    ", + "

    When you do not need to take the test

    ", + "

    You do not need to take the test if you:

    ", + "
  • are under 18
  • ", + "
  • are 65 or over
  • ", + "
  • have passed it before - for example, if you\u2019re applying to become a citizen and already passed it as part of your settlement application
  • ", + "
  • have a long-term physical or mental condition - you must provide either a form or letter from a doctor confirming your physical or mental condition
  • ", + "

    If you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.

    ", + "

    What happens at the test

    ", + "

    You have 45 minutes to answer 24 questions based on the Life in the UK handbook.

    ", + "

    You cannot bring children or other family members with you to the centre.

    ", + "

    What to bring to your test

    ", + "

    You must bring the same ID that you used to book the test. Your photo will also be taken on the day to confirm your ID.

    ", + "

    You will not be able to take the test and you will not get a refund if you do not bring the correct ID or if you refuse to have your photo taken.

    ", + "

    If you pass the test

    ", + "

    You must score 75% or more to pass the test.

    ", + "

    You\u2019ll get a \u2018unique reference number\u2019. You\u2019ll need this number to complete your citizenship or settlement application. The Home Office will use it to check that you\u2019ve passed.

    ", + "

    If you took your test before 17 December 2019, you\u2019ll have a letter with a \u2018test reference ID\u2019 instead of a unique reference number.

    ", + "

    If you have lost your letter, send a letter explaining that you have lost it with your citizenship or settlement application.

    ", + "

    If you fail the test

    ", + "

    You must wait 7 days before taking the test again, but you can take the test as many times as you need to. You need to book and pay again each time.

    ", + "

    Cancellations, refunds and complaints

    ", + "

    You must cancel your test if you cannot make it.

    ", + "

    You\u2019ll get a refund if you cancel your test at least 3 days (72 hours) before you\u2019re due to take the test. You will not get a refund if you cancel or rearrange within 3 days of your test.

    ", + "

    How to cancel

    ", + "
  • Sign into your Life in the UK account.
  • ", + "
  • Select \u2018Confirmed tests\u2019.
  • ", + "
  • Select \u2018Cancel tests\u2019.
  • ", + "

    If you\u2019re eligible for a refund due to cancellation, the \u00a350 fee will be refunded to the card you used to book the test - you do not need to contact UK Visas and Immigration.

    ", + "

    You can then book a test on another date.

    ", + "

    Ask for a refund

    ", + "

    You can ask for a refund if the test centre cancels the test.

    ", + "

    You cannot ask for a refund for any other reason, for example if you brought the wrong ID, you were ill, you were late, you did not bring the right documents or you refused to have your photo taken.

    ", + "

    You must ask for a refund within 3 months of the test date. The fee will be refunded to the card you used to book the test.

    ", + "

    Contact PSI to ask for a refund.

    ", + "

    Or write to PSI e-Assessments.

    ", + "

    Make a complaint

    ", + "

    Contact PSI to make a complaint.

    ", + "

    You\u2019ll get a response within 10 working days.

    ", + "

    You must make your complaint within 3 months of the test date.

    " + ] + }, + { + "title": "Claim asylum in the UK", + "url": "https://www.gov.uk/claim-asylum", + "contents": [ + "

    Overview

    ", + "

    You must apply for asylum if you want to stay in the UK as a refugee.

    ", + "

    To be eligible you must have left your country and be unable to go back because you fear persecution.

    ", + "

    Apply for a visa if you want to come to the UK for another reason (for example to work, study or remain with family). If you\u2019re already in the UK and want to remain with family living here, apply for a family of a settled person visa.

    ", + "

    You should apply when you arrive in the UK or as soon as you think it would be unsafe for you to return to your own country. Your application is more likely to be denied if you wait.

    ", + "

    When you apply you\u2019ll have a meeting with an immigration officer (known as a \u2018screening\u2019).

    ", + "

    After your screening the Home Office will decide if your claim can be considered in the UK. If it can, you\u2019ll have an asylum interview with a caseworker.

    ", + "

    You\u2019ll usually get a decision on your application within 6 months.

    ", + "

    You can get up to 2 years in prison or have to leave the UK if you give false information on your application.

    ", + "

    Waiting for your decision

    ", + "

    You\u2019ll be told after your screening what you must do while you\u2019re waiting for your asylum decision, for example report to a caseworker regularly (known as \u2018reporting meetings\u2019).

    ", + "

    You must tell the authorities if your situation changes.

    ", + "

    You will not usually be allowed to work while your asylum claim is being considered.

    ", + "

    Help you can get

    ", + "

    You can get help with:

    ", + "
  • getting legal representation for your asylum claim
  • ", + "
  • living in the UK while you wait for your decision
  • ", + "

    Children applying on their own

    ", + "

    You can apply as a child on your own if you do not have an adult relative who is also claiming asylum.

    ", + "

    Eligibility

    ", + "

    To stay in the UK as a refugee you must be unable to live safely in any part of your own country because you fear persecution there.

    ", + "

    If you\u2019re stateless, your own country is the country you usually live in.

    ", + "

    This persecution must be because of:

    ", + "
  • your race
  • ", + "
  • your religion
  • ", + "
  • your nationality
  • ", + "
  • your political opinion
  • ", + "
  • anything else that puts you at risk because of the social, cultural, religious or political situation in your country, for example, your gender, gender identity or sexual orientation
  • ", + "

    You must have failed to get protection from authorities in your own country.

    ", + "

    When your claim might not be considered

    ", + "

    Your claim might not be considered if you:

    ", + "
  • are from an EU country
  • ", + "
  • travelled to the UK through a \u2018safe third country\u2019
  • ", + "
  • have a connection to a safe third country where you could claim asylum
  • ", + "

    Generally, a safe third country is one that:

    ", + "
  • you\u2019re not a citizen of
  • ", + "
  • you would not be harmed in
  • ", + "
  • would not send you on to another country where you would be harmed
  • ", + "

    Family members

    ", + "

    You can include your partner and your children under 18 as \u2018dependants\u2019 in your application if they\u2019re with you in the UK.

    ", + "

    Your children under 18 and your partner can also make their own applications at the same time, but they will not be treated as your dependants.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need documents for yourself and your dependants (partner and children under 18) for your asylum screening.

    ", + "

    Documents you should bring (if you have them) include:

    ", + "
  • passports and travel documents
  • ", + "
  • police registration certificates
  • ", + "
  • identification documents, for example identity cards, birth and marriage certificates or school records
  • ", + "
  • anything you think will help your application
  • ", + "

    Documents to prove your UK address

    ", + "

    If you\u2019re already in the UK, you and your dependants must bring documents that prove your UK address.

    ", + "

    You\u2019ll need different documents depending on whether you\u2019re living in your own accommodation or staying with someone else.

    ", + "

    Living in your own accommodation

    ", + "

    You\u2019ll need to provide documents showing your full name and address. This could be a:

    ", + "
  • bank statement
  • ", + "
  • housing benefit book
  • ", + "
  • council tax notice
  • ", + "
  • tenancy agreement
  • ", + "
  • household bill
  • ", + "

    Staying with someone else

    ", + "

    You\u2019ll need to provide:

    ", + "
  • a recent letter (less than 3 months old) from the person you\u2019re staying with to confirm you have their permission to stay
  • ", + "
  • documents showing the full name and address of the person you\u2019re staying with, like a council tax notice, tenancy agreement or household bill
  • ", + "

    Register your asylum claim

    ", + "

    You register your asylum claim at a \u2018screening\u2019. This is a meeting with an immigration officer where you tell them about your case.

    ", + "

    You\u2019ll have your screening at the UK border if you claim asylum as soon as you arrive. You can also be screened once you\u2019re in the UK if you become eligible for asylum.

    ", + "

    At your screening you\u2019ll:

    ", + "
  • be photographed
  • ", + "
  • have your fingerprints taken
  • ", + "
  • have an interview to check who you are and where you\u2019re from
  • ", + "

    You\u2019ll be asked why you want asylum. You can bring written evidence to support your claim if you want, as well as your identification documents.

    ", + "

    You\u2019ll need to say if you or your dependants are taking any medication and give any relevant medical information.

    ", + "

    You can ask for a male or female interviewer, but your choice might not always be available.

    ", + "

    Screening at the UK border

    ", + "

    You must tell a Border Force officer that you want to claim asylum.

    ", + "

    Your application will be registered and you\u2019ll be screened - ask for an interpreter if you need one.

    ", + "

    Screening in the UK

    ", + "

    You must call the asylum intake unit if you\u2019re already in the UK.

    ", + "

    They\u2019ll call you back and ask simple questions about you and your family. You will not be asked why you\u2019re claiming asylum during this telephone call.

    ", + "

    You\u2019ll be asked if you need help with housing. You might also be asked questions relating to coronavirus (COVID-19).

    ", + "

    The call may take up to 30 minutes.

    ", + "

    You do not need to make an appointment if you have nowhere to live - call the asylum intake unit to find out what asylum registration location you should go to and its opening hours.

    ", + "

    Tell the asylum intake unit if you need any other dependants on your claim to be present at any stage of your asylum registration, for example the welfare interview, or if you\u2019re a child and need to be accompanied. You can ask to have an interpreter at your screening.

    ", + "

    Your appointment might be in a temporary location.

    ", + "

    Attending your appointment

    ", + "

    Because of coronavirus, attend your appointment alone or with any dependants claiming asylum with you.

    ", + "

    If you\u2019re helping a child register their own asylum claim, only you can go with them to their appointment.

    ", + "

    You must bring the documents you need for your application.

    ", + "

    You must also bring any dependants (partner and children under 18) who are claiming asylum with you.

    ", + "

    If you show up without an appointment, you may be asked to come back another day.

    ", + "

    You cannot get financial help for travel to or from the asylum intake unit.

    ", + "

    Tell the appointment service if your situation changes before your appointment date, for example if you can no longer stay where you are living.

    ", + "

    After your screening

    ", + "

    After your screening, the Home Office will review your case and decide whether it can be considered in the UK.

    ", + "

    You\u2019ll be sent an asylum registration card (ARC) to your UK address, unless you\u2019ve been detained.

    ", + "

    If the Home Office cannot send you an ARC immediately, they\u2019ll send you an appointment letter telling you what to do next.

    ", + "

    You might also be sent a \u2018preliminary information questionnaire\u2019. If you get one, fill it in and return it by the deadline - the address and deadline are written on the letter that comes with the questionnaire. If you cannot fill it in, call the Home Office asylum team. Their phone number is on the letter.

    ", + "

    If your case can be considered in the UK, it will be given to a caseworker.

    ", + "

    If your case cannot be considered in the UK

    ", + "

    You may be sent to a safe country that will consider your asylum claim. This might happen if you\u2019ve travelled to the UK through a safe third country or you have a connection with another country that you could claim asylum in.

    ", + "

    Generally, a safe country is one that:

    ", + "
  • you\u2019re not a citizen of
  • ", + "
  • you would not be harmed in
  • ", + "
  • would not send you on to another country where you would be harmed
  • ", + "

    The Home Office can decide to send you to a safe country after either your screening or your asylum interview.

    ", + "

    If the Home Office cannot place you in another safe country, your case will be considered in the UK and given to a caseworker.

    ", + "

    Caseworkers

    ", + "

    You\u2019ll have an asylum interview with your caseworker. They\u2019ll make a decision about your application.

    ", + "

    They\u2019ll also explain the asylum process and tell you what to do while you wait for an asylum decision, such as go to regular reporting meetings.

    ", + "

    You may be detained if you do not go to your reporting meetings.

    ", + "

    Tell your caseworker if you have any special needs, for example if you have a disability or need medication.

    ", + "

    Your ARC

    ", + "

    The ARC shows you\u2019ve applied for asylum. You can use it to:

    ", + "
  • show who you are
  • ", + "
  • show whether you have permission to work
  • ", + "
  • get health or education services
  • ", + "

    You must take your ARC with you when you go to your reporting meetings.

    ", + "

    If you do not have your ARC

    ", + "

    Contact the Home Office using the online form if you have any problems - for example:

    ", + "
  • you\u2019ve not got your ARC through the post
  • ", + "
  • you\u2019ve lost it
  • ", + "
  • it\u2019s been stolen
  • ", + "
  • it\u2019s expired
  • ", + "

    You\u2019ll be asked to give your Home Office or port reference number, and your ARC reference (if you know it).

    ", + "

    Being detained

    ", + "

    You may be detained at an immigration removal centre while you wait for a decision on your application.

    ", + "

    You\u2019ll either be:

    ", + "
  • released if you get permission to stay in the UK
  • ", + "
  • held until you\u2019re removed from the UK if you do not get permission to stay
  • ", + "

    You can also be detained and removed if it\u2019s decided that another country is responsible for offering you asylum.

    ", + "

    You may be able to appeal against the decision.

    ", + "

    When you will not be detained

    ", + "

    You will not usually be detained if:

    ", + "
  • you\u2019re a child
  • ", + "
  • you\u2019re elderly
  • ", + "
  • you\u2019re a family with children
  • ", + "
  • you\u2019re pregnant
  • ", + "
  • you\u2019re accepted as being a victim of trafficking
  • ", + "
  • you\u2019re able to provide independent evidence of torture
  • ", + "
  • you have a mental or physical condition that cannot be managed or would present a risk to others in an immigration removal centre
  • ", + "

    Asylum interview

    ", + "

    Your asylum interview will take place soon after your screening.

    ", + "

    Your application will usually be rejected if you do not go to your asylum interview.

    ", + "

    You\u2019ll get a letter telling you when and where to attend and if any of your dependants also need to be interviewed.

    ", + "

    The interview

    ", + "

    You\u2019ll usually be interviewed alone, without your family members. An interpreter will be provided, if you need one.

    ", + "

    The information you provide will be treated in confidence and will not be disclosed to the authorities in your own country.

    ", + "

    Use this interview to explain:

    ", + "
  • how you were persecuted in your country
  • ", + "
  • why you\u2019re afraid to go back to your country
  • ", + "

    You may be asked questions about difficult topics but it\u2019s important that you explain what has happened to you and your family.

    ", + "

    You must tell the caseworker everything you want them to consider or it can count against you.

    ", + "

    Bring all the evidence you have of your persecution. You may be asked to send further evidence to your caseworker after the interview, if they think it might help your application.

    ", + "

    You should also bring your birth certificate, passport and medical records if you have them.

    ", + "

    Your caseworker will make notes in a document called an \u2018interview record\u2019. You\u2019ll get a copy of this at the end of the interview.

    ", + "

    Legal representative

    ", + "

    You can bring a legal representative to this interview, for example a lawyer or solicitor. Find out if you can get help paying for legal advice about asylum.

    ", + "

    Your interview will take place even if your legal representative is not there. You cannot ask for more time to get a legal representative.

    ", + "

    You can ask for this interview to be tape recorded if you do not have legal representation. Ask your caseworker at least one day before.

    ", + "

    Get a decision

    ", + "

    Your application will usually be decided within 6 months. It may take longer if it\u2019s complicated, for example:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend more interviews
  • ", + "
  • your personal circumstances need to be checked, for example because you have a criminal conviction or you\u2019re currently being prosecuted
  • ", + "

    Ask your legal adviser if you want an update on your application.

    ", + "

    You\u2019ll be given or refused permission to stay in one of the following ways.

    ", + "

    Permission to stay as a refugee

    ", + "

    You and your dependants may be given permission to stay in the UK for 5 years if you qualify for asylum. This is known as \u2018leave to remain\u2019.

    ", + "

    After 5 years, you can apply to settle in the UK.

    ", + "

    Permission to stay for humanitarian reasons

    ", + "

    You may get permission to stay for humanitarian reasons if you do not qualify for asylum. This means you need to stay in the UK for your protection.

    ", + "

    You and your dependants may be given permission to stay in the UK for 5 years. This is known as \u2018leave to enter\u2019 or \u2018leave to remain\u2019.

    ", + "

    After 5 years, you can apply to settle in the UK.

    ", + "

    Permission to stay for other reasons

    ", + "

    You may get permission to stay for other reasons if you do not qualify for permission to stay as a refugee or for humanitarian reasons.

    ", + "

    How long you can stay will depend on your situation.

    ", + "

    You may be able to apply to extend your stay or settle in the UK towards the end of your stay.

    ", + "

    No reason to stay

    ", + "

    You\u2019ll be asked to leave the UK if you do not qualify for asylum and your caseworker decides there\u2019s no other reason for you to stay.

    ", + "

    You may be able to appeal against the decision.

    ", + "

    You\u2019ll have to leave if you do not appeal in the time allowed, or if your appeal is unsuccessful. You can:

    ", + "
  • leave by yourself - you can get help with returning home
  • ", + "
  • be forced to leave - you\u2019ll get a letter before this happens, then you may be detained without warning at an immigration removal centre and then removed from the UK
  • ", + "

    Help you can get

    ", + "

    You can get help from asylum helplines run by charities.

    ", + "

    They can help with:

    ", + "
  • explaining your asylum claim, for example getting a solicitor or lawyer to represent you
  • ", + "
  • living in the UK while your claim is being considered, for example getting asylum support, housing problems, dealing with agencies or finding English language classes and schools
  • ", + "

    Legal advice

    ", + "

    You can get legal advice to help your asylum claim.

    ", + "

    Housing and money

    ", + "

    You may also be able to get housing and money (\u2018asylum support\u2019) to support you and your family. This will only start from the day of your screening if you qualify.

    ", + "

    Help returning home

    ", + "

    You may be able to get help with returning home.

    ", + "

    If you're under 18

    ", + "

    This information is for children applying on their own.

    ", + "

    If you have an adult relative who\u2019s claiming asylum you should apply as part of that relative\u2019s application instead.

    ", + "

    You\u2019re not in the care of social services

    ", + "

    You should use the walk-in service at the asylum intake unit.

    ", + "

    If you have an adult who is legally responsible for you

    ", + "

    The adult who is taking responsibility for your care must attend the walk-in service at the asylum intake unit with you.

    ", + "

    If you\u2019re living with several relatives the closest blood relative willing to take responsibility for you must attend.

    ", + "

    The adult must provide proof of address and photo ID (passport or driving licence).

    ", + "

    If you do not have an adult who is legally responsible for you

    ", + "

    You should go to the police or social services, or you can walk into the asylum intake unit.

    ", + "

    You\u2019re in the care of social services

    ", + "

    You must book an appointment at the asylum intake unit by calling the appointment booking line.

    ", + "

    You\u2019ll need the following information when you book your appointment:

    ", + "
  • your name, date of birth and nationality
  • ", + "
  • the number on your passport or national identity document, if you have one - or the number on your birth certificate if you do not
  • ", + "
  • your foster carer\u2019s name and contact details
  • ", + "
  • details of any medical conditions you have
  • ", + "

    For more information read the guidance on processing asylum applications from children.

    " + ] + }, + { + "title": "Asylum support", + "url": "https://www.gov.uk/asylum-support", + "contents": [ + "

    Overview

    ", + "

    You may be able to get housing and money to support you and your family while you\u2019re waiting to find out if you\u2019ll be given asylum.

    ", + "

    This also means your children will go to a free state school and you may get free healthcare from the National Health Service (NHS).

    ", + "

    You can still apply for short-term support if you\u2019ve been refused asylum and are preparing to leave the UK.

    ", + "

    Call an asylum helpline for free help with asylum support or short-term support.

    ", + "

    What you'll get

    ", + "

    You can ask for somewhere to live, a cash allowance or both as an asylum seeker.

    ", + "

    Housing

    ", + "

    You\u2019ll be given somewhere to live if you need it. This could be in a flat, house, hostel or bed and breakfast.

    ", + "

    You cannot choose where you live. It\u2019s unlikely you\u2019ll get to live in London or south-east England.

    ", + "

    Cash support

    ", + "

    You\u2019ll get \u00a339.63 for each person in your household. This will help you pay for things you need like food, clothing and toiletries.

    ", + "

    Your allowance will be loaded onto a debit card (ASPEN card) each week. You\u2019ll be able to use the card to get cash from a cash machine.

    ", + "

    If you\u2019ve been refused asylum

    ", + "

    You\u2019ll be given:

    ", + "
  • somewhere to live
  • ", + "
  • \u00a339.63 per person on a payment card for food, clothing and toiletries
  • ", + "

    You will not be given:

    ", + "
  • the payment card if you do not take the offer of somewhere to live
  • ", + "
  • any money
  • ", + "

    Extra money for mothers and young children

    ", + "

    You\u2019ll get extra money to buy healthy food if you\u2019re pregnant or a mother of a child under 3. The amount you get will depend on your situation.

    ", + "Your situation | Extra payment per week", + "Pregnant mother | \u00a33", + "Baby under 1 year old | \u00a35", + "Child aged 1 to 3 | \u00a33", + "

    Maternity payment

    ", + "

    You can apply for a one-off \u00a3300 maternity payment if your baby is due in 8 weeks or less, or if your baby is under 6 weeks old.

    ", + "

    If you\u2019ve been refused asylum

    ", + "

    You can apply for a one-off \u00a3250 maternity payment if your baby is due in 8 weeks or less, or if your baby is under 6 weeks old.

    ", + "

    Applying for the maternity grant

    ", + "

    You apply for the maternity grant in the same way whether you\u2019re still an asylum seeker or you\u2019ve been refused asylum.

    ", + "

    You\u2019ll need to request form MAT B1 from your doctor to apply for the payment. You can apply for the maternity payment at the same time you apply for asylum support.

    ", + "

    If you get pregnant after you\u2019ve applied for asylum support, you can apply to the support team that dealt with your application for asylum support.

    ", + "

    Healthcare

    ", + "

    You may get free National Health Service (NHS) healthcare, such as to see a doctor or get hospital treatment.

    ", + "

    You\u2019ll also get:

    ", + "
  • free prescriptions for medicine
  • ", + "
  • free dental care for your teeth
  • ", + "
  • free eyesight tests
  • ", + "
  • help paying for glasses
  • ", + "

    Education

    ", + "

    Your children must attend school if they are aged 5 to 17. All state schools are free and your children may be able to get free school meals.

    ", + "

    Eligibility

    ", + "

    You can apply for asylum support if you\u2019re homeless or do not have money to buy food.

    ", + "

    If you\u2019ve been refused asylum

    ", + "

    You can ask for the following if you\u2019re homeless, do not have any money to buy food and you can show that there\u2019s a reason why you cannot leave the UK yet:

    ", + "
  • short-term housing
  • ", + "
  • help with prescriptions for medicine, dental care for your teeth, eyesight tests and glasses
  • ", + "
  • a payment card for food and toiletries
  • ", + "

    You will not be given the payment card without the housing and you will not be given any cash.

    ", + "

    How to claim

    ", + "

    Housing and cash support for asylum seekers

    ", + "

    Apply using form ASF1 to claim housing and cash support.

    ", + "

    Send the form to the asylum support casework team.

    ", + "

    You might be able to apply for additional support if the general allowance will not cover your needs. You\u2019ll have to show that you cannot meet your needs in any other way.

    ", + "

    Read the guidance on additional support.

    ", + "

    Fill in form ASF2 and contact the Asylum Support Application Service. The details are on the form.

    ", + "

    Call an asylum helpline for help with applications.

    ", + "

    If you\u2019re refused asylum

    ", + "

    You must return to your country as soon as possible if you\u2019re refused asylum.

    ", + "

    You can apply for short-term support using form ASF1.

    ", + "

    You\u2019ll need to complete a \u2018section 4(2)\u2019 medical declaration if you have a specific medical issue.

    ", + "

    You can also apply for additional help (section 4(2) support), for example:

    ", + "
  • medical appointments
  • ", + "
  • getting your new baby\u2019s birth certificate
  • ", + "
  • maternity payments
  • ", + "

    Read the guidance on section 4(2) support.

    ", + "

    Send all forms to the asylum support casework team by email or post.

    ", + "

    Education for children

    ", + "

    Contact your local council if you have children and want to:

    ", + "
  • apply for a primary school place
  • ", + "
  • apply for a secondary school place
  • ", + "

    Healthcare

    ", + "

    Contact the free National Health Service (NHS) 111 service for help and advice with health problems when it\u2019s not an emergency.

    ", + "

    Phone NHS Help With Health Costs for help with prescriptions for medicine, dental care, eyesight tests and buying glasses.

    ", + "

    Help and advice

    ", + "

    Call one of the asylum helplines to get free help with filling in forms.

    ", + "

    You can get more information about asylum support from the customer contact centre. Email for an ARC appointment.

    ", + "

    Further information

    ", + "

    Appeal

    ", + "

    You can appeal to the First-tier Tribunal (Asylum Support) if:

    ", + "
  • you\u2019ve applied for asylum support and been turned down
  • ", + "
  • you were claiming asylum support and it\u2019s been stopped
  • ", + "

    Contact asylum support

    ", + "

    You can contact Migrant Help if your application for support has been refused or you have questions about your appeal against the decision.

    " + ] + }, + { + "title": "Refugee integration loan", + "url": "https://www.gov.uk/refugee-integration-loan", + "contents": [ + "

    Overview

    ", + "

    You can apply for a refugee integration loan to pay for:

    ", + "
  • a rent deposit or rent
  • ", + "
  • household items
  • ", + "
  • education and training for work
  • ", + "

    You must be over 18 and either:

    ", + "
  • a refugee or you\u2019ve been given humanitarian protection
  • ", + "
  • a dependant of a refugee or someone who\u2019s been given humanitarian protection
  • ", + "
  • allowed to enter or stay under either of the above after 11 June 2007
  • ", + "

    The smallest amount you can borrow is \u00a3100.

    ", + "

    Integration loans are interest-free - you only pay back what you borrow, but you must make regular payments.

    ", + "

    Contact your local Jobcentre Plus before applying for this loan to see if you can get help with training, education, work, living or childcare costs - you may be able to get this help for free.

    ", + "

    What you'll get

    ", + "

    How much money you might get depends on:

    ", + "
  • your circumstances, for example any savings you have or your ability to pay back the loan
  • ", + "
  • how much is available - the funds are limited and loans can vary
  • ", + "

    The smallest amount you can borrow is \u00a3100.

    ", + "

    What you can use your loan for

    ", + "

    You can only use the loan to help you get what\u2019s essential to help you integrate into UK society, for example housing, education or work. This includes:

    ", + "
  • a housing deposit, rent payment or moving costs
  • ", + "
  • essential items for your home
  • ", + "
  • training or retraining
  • ", + "
  • basic living costs while training
  • ", + "
  • work clothing and equipment
  • ", + "

    What you cannot use your loan for

    ", + "

    You cannot use the loan to pay for items including:

    ", + "
  • general living costs, for example household bills and council tax
  • ", + "
  • cars, driving lessons, driving licences and fuel costs, unless it\u2019s essential to your work
  • ", + "
  • paying debts
  • ", + "
  • travel costs for family members to join you in the UK
  • ", + "

    You may be asked to prove how you spent the loan. You may have to repay it in full straight away if you do not use it for the reason you said on your application.

    ", + "

    Read the integration loans policy guidance to find out how you can use your loan.

    ", + "

    How you're paid

    ", + "

    Loans are usually paid into your bank or building society account in the same way as benefits.

    ", + "

    You will be paid by Simple Payment if you cannot open a bank account, and if you already receive benefits in this way.

    ", + "

    Repaying the loan

    ", + "

    You\u2019ll have to sign a repayment agreement if your application for the loan is successful.

    ", + "

    You will not usually have to start repaying the loan until 6 weeks after you get the money.

    ", + "

    How much your repayments are and how you pay will depend on your circumstances. For example, you may have to pay more and in a shorter time if you start working and your benefits change.

    ", + "

    Your loan will not usually affect any income-related benefits you get unless you have more than \u00a36,000 in savings.

    ", + "

    You must tell Jobcentre Plus if you get an integration loan.

    ", + "

    Eligibility

    ", + "

    You can apply for an integration loan if you:

    ", + "
  • are a refugee
  • ", + "
  • have been given humanitarian protection
  • ", + "
  • are a dependant of a refugee or someone here under humanitarian protection
  • ", + "

    You can also make a joint application with your husband, wife or partner.

    ", + "

    You cannot apply if you:

    ", + "
  • are under 18
  • ", + "
  • were allowed to enter or stay as a refugee or under humanitarian protection before 11 June 2007
  • ", + "
  • are an asylum seeker who\u2019s been allowed to settle by a decision outside the Immigration Rules
  • ", + "
  • have had an integration loan before, including a joint loan
  • ", + "

    Your application may be refused if you\u2019ve been convicted of a criminal offence since you arrived in the UK.

    ", + "

    How to apply

    ", + "

    Read the integration loan application form guidance before you apply.

    ", + "

    You must provide your National Insurance number - if you do not have one, you must apply for one at your local Jobcentre Plus before you apply for an integration loan.

    ", + "

    You should also provide photocopies of documents including:

    ", + "
  • your biometric residence permit, immigration status document or passport
  • ", + "
  • a bank statement or letter confirming your bank details
  • ", + "

    Download and fill in the integration loan application form. Make sure you sign it.

    ", + "

    Scan or photograph the completed form and supporting documents and email them to integrationloan@homeoffice.gov.uk.

    ", + "

    You cannot currently apply by post. If you sent a postal application before 20 March 2020, your application will still be reviewed. You do not need to do anything.

    ", + "

    Get more help

    ", + "

    Your local refugee community organisation can help you with your application and filling in the form.

    ", + "

    You can also contact the integration loan team.

    " + ] + }, + { + "title": "Apply for a Home Office travel document", + "url": "https://www.gov.uk/apply-home-office-travel-document", + "contents": [ + "

    Overview

    ", + "

    You can apply for a document to travel outside the UK if:

    ", + "
  • you are not British
  • ", + "
  • you cannot use or get a passport from your country\u2019s national authorities
  • ", + "
  • your country\u2019s national authorities cannot give you a new passport
  • ", + "

    If you have already applied

    ", + "

    It\u2019s taking longer than usual to return supporting documents because of coronavirus (COVID-19).

    ", + "

    If you changed address after you submitted your application, contact the Home Office immediately to let them know. If you do not, your documents may be sent to the wrong address.

    ", + "

    Email the Home Office travel document enquiries team with \u2018Change of address\u2019 and your name in the subject line.

    ", + "

    Eligibility

    ", + "

    To apply you must be living in the UK because of one of the following:

    ", + "
  • you have permission to stay as a refugee or stateless person
  • ", + "
  • you have humanitarian protection and it has been officially accepted that you have a fear of your country\u2019s national authorities
  • ", + "
  • you have permission to stay (known as \u2018leave to remain\u2019) or are settled in the UK (known as \u2018indefinite leave to remain\u2019), but you cannot get a passport or travel document from your country\u2019s national authorities
  • ", + "

    You must be in the UK when you apply.

    ", + "

    Refugee travel document

    ", + "

    You can apply for a refugee travel document if either:

    ", + "
  • you have refugee status in the UK
  • ", + "
  • you originally came to the UK on a family reunion visa to join someone who has refugee status
  • ", + "

    How long it will be valid for

    ", + "

    Your document will usually be valid for up to 10 years if you\u2019re settled in the UK (known as having \u2018indefinite leave to remain\u2019). If you have permission to stay (known as \u2018leave to remain\u2019), your document will usually be valid up to 5 years.

    ", + "

    If you\u2019re 15 or under, the document will usually be valid for up to 5 years.

    ", + "

    Countries you can travel to

    ", + "

    You can usually travel to all countries except:

    ", + "
  • the country you\u2019re from
  • ", + "
  • any country you sought asylum from
  • ", + "

    Before you travel

    ", + "

    Check which documents you\u2019ll need before you book your travel.

    ", + "

    Ask the authorities of the country you\u2019re visiting or travelling through if:

    ", + "
  • the country accepts refugee travel documents
  • ", + "
  • you need a visa to enter the country
  • ", + "

    You should also check if coronavirus (COVID-19) travel restrictions will affect your journey.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a375 for adults (it\u2019s free if you were born before 1 September 1929)
  • ", + "
  • \u00a349 for children 15 or under
  • ", + "

    Stateless person\u2019s travel document

    ", + "

    You can apply for a stateless person\u2019s travel document if you have been recognised as stateless in the UK.

    ", + "

    How long it will be valid for

    ", + "

    Your document will usually be valid for up to 10 years if you\u2019re settled in the UK (known as having \u2018indefinite leave to remain\u2019). If you have permission to stay (known as \u2018leave to remain\u2019), your document will usually be valid up to 5 years.

    ", + "

    If you\u2019re 15 or under, the document will usually be valid for up to 5 years.

    ", + "

    Countries you can travel to

    ", + "

    You can usually travel to all countries on a stateless person\u2019s travel document.

    ", + "

    Before you travel

    ", + "

    Check which documents you\u2019ll need before you book your travel. Ask the authorities of the country you\u2019re visiting or travelling through if:

    ", + "
  • the country accepts UK stateless person\u2019s travel documents
  • ", + "
  • you need a visa to enter the country
  • ", + "

    You should also check if coronavirus (COVID-19) travel restrictions will affect your journey.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a375 for adults (it\u2019s free if you were born before 1 September 1929)
  • ", + "
  • \u00a349 for children 15 or under
  • ", + "

    Certificate of travel

    ", + "

    You can apply for a certificate of travel if one of the following is true:

    ", + "
  • you have permission to stay (known as \u2018leave to remain\u2019) or are settled in the UK (known as \u2018indefinite leave to remain\u2019), and you have been refused a passport or travel document by your country\u2019s national authorities
  • ", + "
  • you are in the UK with humanitarian protection and it\u2019s been officially accepted you have a fear of your country\u2019s national authorities as part of your asylum application
  • ", + "
  • you are in the UK on a family reunion visa because you\u2019ve joined someone who has humanitarian protection
  • ", + "
  • you were born in the UK as the child of someone with refugee status and you have permission to stay but do not have refugee status yourself
  • ", + "
  • you have an important reason to travel and your country\u2019s national authorities are unable to issue you with a passport or emergency travel document quickly
  • ", + "

    Proving you have an important reason to travel

    ", + "

    You must provide evidence of why you need to travel urgently, as well as evidence that your passport or emergency travel document application was refused.

    ", + "

    The following situations are examples of valid reasons why you might need to travel urgently:

    ", + "
  • essential employment, business or educational trips (but not holidays)
  • ", + "
  • compelling or compassionate reasons - for example, a family member is seriously ill or has died
  • ", + "
  • religious reasons
  • ", + "

    Proving you have been \u2018unreasonably refused\u2019 a travel document

    ", + "

    Depending on your circumstances, you might need to prove that you\u2019ve applied for a passport from your country\u2019s national authorities and your application was \u2018unreasonably refused\u2019.

    ", + "

    You must provide evidence of this if one of the following is true:

    ", + "
  • you do not have permission to be in the UK as a refugee or stateless person
  • ", + "
  • you have humanitarian protection but it has not been officially accepted that you have a fear of your country\u2019s national authorities
  • ", + "

    Your application is not considered \u2018unreasonably refused\u2019 if one of the following is true:

    ", + "
  • you applied incorrectly or without enough supporting evidence to confirm your identity and nationality
  • ", + "
  • you are required to complete military service in your home country
  • ", + "
  • you have a criminal record in your home country
  • ", + "
  • you did not comply with tax rules in your home country
  • ", + "

    You do not have to prove that you\u2019ve been \u2018unreasonably refused\u2019 a passport if one of the following is true:

    ", + "
  • you have been granted humanitarian protection and it\u2019s been officially accepted you have a fear of your country\u2019s national authorities
  • ", + "
  • you must be in your country to apply for a passport
  • ", + "
  • your country\u2019s national authorities cannot issue passports in the UK or send an application to your own country to be processed
  • ", + "

    How long it will be valid for

    ", + "

    A certificate of travel is usually valid either:

    ", + "
  • for up to 5 years if you\u2019re settled in the UK (known as having \u2018indefinite leave to remain\u2019)
  • ", + "
  • until the end of your permission to stay in the UK (known as having \u2018leave to remain\u2019)
  • ", + "

    It may be shorter if it\u2019s being issued for exceptional reasons.

    ", + "

    Countries you can travel to

    ", + "

    You can usually travel to most countries with a certificate of travel.

    ", + "

    If you have been given humanitarian protection because it\u2019s been accepted you have a fear of a country\u2019s national authorities, you cannot travel to that country.

    ", + "

    Before you travel

    ", + "

    Check which documents you\u2019ll need before you book your travel. Ask the authorities of the country you\u2019re visiting or travelling through if:

    ", + "
  • the country accepts certificates of travel
  • ", + "
  • you need a visa to enter the country
  • ", + "

    You should also check if coronavirus (COVID-19) travel restrictions will affect your journey.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a3280 for adults
  • ", + "
  • \u00a3141 for children 15 and under
  • ", + "

    One way travel document

    ", + "

    You can apply for a one way travel document if you meet all of the following criteria:

    ", + "
  • you are not a British citizen
  • ", + "
  • you do not have a valid passport or travel document from the country you\u2019re from
  • ", + "
  • you are not in the process of being deported from the UK
  • ", + "
  • you want to leave the UK permanently
  • ", + "
  • you do not have outstanding criminal proceedings in the UK
  • ", + "

    You do not need to be settled in the UK (known as having \u2018leave to remain\u2019) to apply.

    ", + "

    How long it will be valid for

    ", + "

    The document will be valid for 12 months from the date it\u2019s issued.\nIt\u2019s for a single journey out of the UK - you cannot use it to come back.

    ", + "

    Before you travel

    ", + "

    Check which documents you\u2019ll need before you book your travel. Ask the authorities of the country you\u2019re visiting or travelling through if:

    ", + "
  • the country accepts one way travel documents
  • ", + "
  • you need a visa to enter the country
  • ", + "

    You should also check if coronavirus (COVID-19) travel restrictions will affect your journey.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a375 for adults
  • ", + "
  • \u00a349 for children 15 and under
  • ", + "

    Family members

    ", + "

    Each family member must apply for their own travel document separately.

    ", + "

    If your child is not a British citizen

    ", + "

    If your child is not a British citizen, they may be able to apply for a travel document if all of the following are true:

    ", + "
  • they have the same permission to stay in the UK as their parents
  • ", + "
  • they have a biometric residence permit (BRP)
  • ", + "
  • they meet the relevant eligibility criteria for the travel document they\u2019re applying for
  • ", + "

    If your child was born in the UK

    ", + "

    Your child may be able to become a British citizen, and be entitled to a British passport, if they were born in the UK to a parent who:

    ", + "
  • was settled in the UK (known as having \u2018indefinite leave to remain\u2019) on the date of the child\u2019s birth
  • ", + "
  • was a British citizen on the date of the child\u2019s birth
  • ", + "

    Check if your child can become a British citizen.

    ", + "

    How to apply

    ", + "

    Before you apply

    ", + "

    If you have less than 6 months\u2019 permission to stay in the UK (known as \u2018leave to remain\u2019), you need to extend it before you apply for a travel document.

    ", + "

    If you have a biometric residence permit (BRP), make sure it has not expired and all the details are correct before you apply for a travel document.

    ", + "

    You\u2019ll need to:

    ", + "
  • apply for a replacement BRP if yours has expired
  • ", + "
  • contact the team that issued your BRP if your details are not correct (their contact information will be on your letter or email notification)
  • ", + "

    Apply

    ", + "

    The type of travel document you can apply for depends on what kind of permission to stay you have - for example, if you have refugee status or are recognised as stateless.

    ", + "

    You can find what kind of permission to stay you have on your BRP or your Home Office decision letter.

    ", + "

    If you apply for the wrong type of travel document, your application will be refused and you will not get a refund. You\u2019ll have to submit a new application and pay the fee if you want to apply again.

    ", + "

    It\u2019s taking longer than usual to process applications because of coronavirus (COVID-19).

    ", + "

    How to apply

    ", + "

    To apply for a travel document you need to:

    ", + "
  • complete the online form
  • ", + "
  • send supporting documents by post
  • ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You cannot get immigration advice through this service.

    ", + "

    Send supporting documents by post

    ", + "

    You\u2019ll be told in the online application:

    ", + "
  • which documents to send
  • ", + "
  • where to send them
  • ", + "

    You\u2019ll need to send original documents.

    ", + "

    Do not send your BRP - you\u2019ll need to keep this as proof of identity.

    ", + "

    If you have a compassionate reason for travelling

    ", + "

    If you urgently need a travel document for compassionate reasons, send additional supporting evidence by email. Compassionate reasons for travelling include:

    ", + "
  • you are seriously ill
  • ", + "
  • a family member or friend is seriously ill or has died
  • ", + "
  • you - or someone you care for - need to travel abroad for medical treatment that cannot be delayed
  • ", + "

    Attach a scan or photo of a letter confirming the reason for your travel. The letter must:

    ", + "
  • be from a doctor or hospital
  • ", + "
  • be on headed paper
  • ", + "
  • be in English, or be accompanied by a certified translation
  • ", + "
  • include your name
  • ", + "
  • include, where relevant, the name of the sick or dead person and their relationship to you
  • ", + "

    You can send a death certificate but it must be accompanied by the letter confirming the reason for your travel.

    ", + "

    Where to send your supporting email

    ", + "

    Send your email with supporting evidence to the Home Office travel document enquiries team.

    ", + "

    Put \u2018New application enquiry \u2013 urgent compassionate case\u2019 and your name in the subject line.

    ", + "

    Withdrawing your application

    ", + "

    You can withdraw your application at any time. In most cases you will not get a refund.

    ", + "

    You might be able to get a refund of your application fee if both of the following are true:

    ", + "
  • you withdraw your application within 7 days of submitting it
  • ", + "
  • you do not need to provide biometric information or go to a visa application centre as part of your application
  • ", + "

    Email the Home Office travel document enquiries team to withdraw your application.

    ", + "

    Report your lost or stolen travel document

    ", + "

    If your travel document is lost or stolen, you must report it to the Home Office. Email the Home Office travel document enquiries team with:

    ", + "
  • your name
  • ", + "
  • your date of birth
  • ", + "
  • your nationality
  • ", + "

    If you have them, you must also provide your:

    ", + "
  • travel document number
  • ", + "
  • Home Office reference number
  • ", + "
  • biometric residence permit (BRP) number
  • ", + "
  • police report and crime reference number
  • ", + "

    Reporting your document as lost or stolen does not mean that you have requested a new one.

    ", + "

    You must also report and replace a lost or stolen BRP if you had one.

    ", + "

    Replace your document

    ", + "

    You can only apply for a new travel document if you are in the UK.

    ", + "

    You may be asked to confirm your identity and immigration status with biometric data before you can get your new document.

    ", + "

    If you lose your travel document outside the UK

    ", + "

    You will have to apply for a visa to return to the UK.

    ", + "

    If you\u2019ve been away for less than 2 years, you can get a replacement BRP visa.

    ", + "

    If you\u2019ve been away from the UK for over 2 years, and you had indefinite leave to remain, you can apply online for a returning resident visa.

    ", + "

    You\u2019ll get a temporary travel document if you are allowed to return. You may have to give your fingerprints to confirm your identity.

    ", + "

    When you\u2019re back in the UK, you can apply to replace your travel document.

    " + ] + }, + { + "title": "Appeal an asylum support decision", + "url": "https://www.gov.uk/appeal-first-tier-asylum-support-tribunal", + "contents": [ + "

    Overview

    ", + "

    You can appeal to the First-tier Tribunal (Asylum Support) if:

    ", + "
  • you\u2019ve applied for asylum support and been turned down
  • ", + "
  • you were claiming asylum support and it\u2019s been stopped
  • ", + "

    The tribunal must receive your appeal within 3 days of you getting the letter about the decision - you may be able to carry on claiming asylum support (if you were already getting it) while you appeal.

    ", + "

    The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    You may want to get help and advice before you appeal.

    ", + "

    Contact the Asylum Support Appeals Project for free advice and legal representation if you have an appeal at the First-tier Tribunal (Asylum Support).

    ", + "

    You can contact British Red Cross, Refugee Action and Refugee Council for advice and support - they may be able to find another organisation near to you.

    ", + "

    You can also get other legal advice, including from a lawyer.

    ", + "

    Apply to the tribunal

    ", + "

    Download and fill in a \u2018notice of appeal\u2019 form. You must include:

    ", + "
  • why you\u2019re appealing (your \u2018grounds of appeal\u2019)
  • ", + "
  • a copy of the decision you\u2019re appealing against
  • ", + "
  • any documents that help support your appeal
  • ", + "
  • why your appeal is late (if it is)
  • ", + "
  • whether you\u2019d like a \u2018paper\u2019 or \u2018oral\u2019 hearing
  • ", + "

    Because of coronavirus, most hearings are paper hearings. These are based on documents only. If a judge decides that an oral hearing is required, it will most likely be held by phone or video link.

    ", + "

    Read guidance on how cases are affected by coronavirus.

    ", + "

    If a judge decides you have to go to an oral hearing in person, you\u2019ll need to travel to London. The Home Office will pay for you to get there (usually by train). You\u2019ll get free accommodation the night before if you have far to travel.

    ", + "

    Send the form

    ", + "

    Post, email or fax the notice of appeal form to HM Courts and Tribunals Service. The contact details are on the form.

    ", + "

    Because of coronavirus, it\u2019s taking longer than usual for staff to reply to forms sent by post.

    ", + "

    Call the helpline if you have any questions about completing the form. The helpline cannot give you legal advice.

    ", + "

    After you send your appeal

    ", + "

    You\u2019ll normally find out within a week of sending the form:

    ", + "
  • whether the tribunal will consider your case
  • ", + "
  • whether the tribunal needs more information, for example if your appeal was late
  • ", + "

    You\u2019ll then be told when your hearing will take place, and whether it\u2019s paper or oral.

    ", + "

    If you have an oral hearing, you\u2019ll be told a few days before the hearing what documents to bring with you - or to send by post in advance. The letter will also tell you if the tribunal wants to call up any witnesses - you must contact them and make sure they appear at the hearing.

    ", + "

    You\u2019ll usually get the decision at the hearing.

    ", + "

    If you need to send more information

    ", + "

    If the tribunal asks you to send more information before the hearing, you may need to discuss this with a casework team.

    ", + "

    Contact the Section 95 casework team if you\u2019re an asylum seeker.

    ", + "

    Contact the Section 4 casework team if you\u2019ve been refused asylum.

    ", + "

    What happens at the hearing

    ", + "

    What happens at the hearing depends on whether you have a paper or oral hearing.

    ", + "

    Paper hearing

    ", + "

    You will not go to a paper hearing. A judge will make a decision based on:

    ", + "
  • your notice of appeal form
  • ", + "
  • your documents
  • ", + "
  • documents provided by the Home Office
  • ", + "

    Oral hearing

    ", + "

    Because of coronavirus, oral hearings will most likely be held via phone or video link.

    ", + "

    You\u2019ll present your case to the judge - someone else can do this for you, for example a lawyer, friend or family member. The Home Office will present the case against you.

    ", + "

    The tribunal will provide you with an interpreter if you\u2019ve asked for one. They can translate what happens during the tribunal but they cannot represent you or give you legal advice.

    ", + "

    You may be asked questions by:

    ", + "
  • your legal representative (if you have one)
  • ", + "
  • the Home Office\u2019s representative
  • ", + "
  • the judge
  • ", + "

    The hearing is public. Family and friends can attend. If the hearing is in person, they\u2019ll have to pay their own travel costs unless they are witnesses.

    ", + "

    Children can only attend if you cannot make childcare arrangements. They can either:

    ", + "
  • wait in the waiting room with your family or friends
  • ", + "
  • be with you during the hearing
  • ", + "

    Get a decision

    ", + "

    You\u2019ll get the decision either:

    ", + "
  • at the oral hearing (if you have one) - you\u2019ll also get full written reasons within 3 days
  • ", + "
  • by post the day after the paper hearing
  • ", + "

    The judge will either:

    ", + "
  • allow the appeal - this means you\u2019ll either get asylum support, or carry on getting it
  • ", + "
  • turn down (\u2018dismiss\u2019) your appeal
  • ", + "
  • ask the Home Office to look at the decision again (known as \u2018remitting\u2019 the appeal)
  • ", + "

    The judge\u2019s decision is final - you cannot appeal again.

    ", + "

    You may be able to get a judicial review of the decision if your appeal was turned down and you think the judge did not follow the law correctly. Talk to a solicitor as soon as possible.

    ", + "

    You cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal will make a decision based on:

    ", + "
  • Immigration and Asylum Act 1999
  • ", + "
  • Nationality, Immigration and Asylum Act 2002
  • ", + "

    The tribunal must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008 and Amendments to the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.

    ", + "

    Failed asylum seekers

    ", + "

    The tribunal will make a decision based on:

    ", + "
  • section 4, Immigration and Asylum Act 1999
  • ", + "
  • Immigration and Asylum Regulations 2005
  • ", + "

    If asylum support was stopped while the application was being considered

    ", + "

    The tribunal will make a decision based on:

    ", + "
  • section 95, Immigration and Asylum 1999
  • ", + "
  • Asylum Support Regulations 2000
  • " + ] + }, + { + "title": "Ask for a visa administrative review", + "url": "https://www.gov.uk/ask-for-a-visa-administrative-review", + "contents": [ + "

    If you're outside the UK

    ", + "

    You\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.

    ", + "

    You can only ask for an administrative review if all of the following apply:

    ", + "
  • you\u2019re outside the UK
  • ", + "
  • you applied outside the UK
  • ", + "
  • your application was refused on or after 6 April 2015
  • ", + "
  • you do not have a right of appeal against the refusal
  • ", + "
  • you did not make an application as a short term student or a visitor (except if you applied as an S2 Healthcare Visitor)
  • ", + "

    There\u2019s a different way to ask for an administrative review if you applied:

    ", + "
  • to the EU Settlement Scheme
  • ", + "
  • as a Frontier Worker
  • ", + "
  • as an S2 Healthcare Visitor
  • ", + "
  • as a Service Provider from Switzerland
  • ", + "

    How to apply

    ", + "

    You must apply for an administrative review within 28 days of getting the decision. It costs \u00a380.

    ", + "

    You can apply online.

    ", + "

    The decision will be checked for the errors you point out.

    ", + "

    You\u2019ll usually receive the result of the administrative review within 28 calendar days.

    ", + "

    You cannot request a second review (unless the result of the first review found new reasons why you were refused).

    ", + "

    Withdraw your request

    ", + "

    Your request for an administrative review will be withdrawn (cancelled) if you make any other immigration or visa application.

    ", + "

    Your request will be rejected if you ask for a review of a previous decision after submitting a new application.

    ", + "

    You can email the Home Office and ask for your request to be withdrawn.

    ", + "

    You must include your name, date of birth, nationality and your Global Web Form (GWF) reference number.

    ", + "

    Your GWF reference number was given to you when you first applied. You can find it on emails and letters from the Home Office about your application.

    ", + "

    If you're in the UK

    ", + "

    You\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.

    ", + "

    You can ask for your application to be reviewed if one of the following apply:

    ", + "
  • your application was refused
  • ", + "
  • your application was granted but you\u2019re unhappy with the amount or conditions of your leave
  • ", + "

    This is known as an \u2018administrative review\u2019.

    ", + "

    You may be able to appeal if you\u2019re not eligible for an administrative review.

    ", + "

    There\u2019s a different way to ask for an administrative review if you applied:

    ", + "
  • to the EU Settlement Scheme
  • ", + "
  • as a Frontier Worker
  • ", + "
  • as an S2 Healthcare Visitor
  • ", + "
  • as a Service Provider from Switzerland
  • ", + "

    Apply for administrative review

    ", + "

    If your application was refused, you must apply for an administrative review within 14 days of getting the decision.

    ", + "

    Your refusal letter will tell you how to apply. You may be able to apply online. It costs \u00a380.

    ", + "

    You must apply within 7 days if you\u2019ve been detained.

    ", + "

    If your application was granted but you\u2019re unhappy with the amount or conditions of your leave, you must email the Home Office within 14 days of getting your biometric residence permit.

    ", + "

    Contact UK Visas and Immigration (UKVI) if you have a general enquiry about immigration.

    ", + "

    Get a decision

    ", + "

    The decision will be checked for the errors you point out. Do not send new information or documents for review unless you\u2019ve been asked to.

    ", + "

    You\u2019ll usually receive the result of the administrative review within 28 days. You cannot request a second review (unless the result included new reasons why you were refused).

    ", + "

    If your visa\u2019s expired, you will not usually be removed from the UK until your review has been completed.

    ", + "

    Withdraw your request

    ", + "

    Your request for an administrative review will be withdrawn (cancelled) if you:

    ", + "
  • make any other immigration or visa application
  • ", + "
  • ask for your passport back so you can travel
  • ", + "
  • leave the UK
  • ", + "

    Your request will be rejected if you ask for a review of a previous decision after submitting a new application.

    ", + "

    You can also email the Home Office and ask for your request to be withdrawn.

    ", + "

    You must include your name, date of birth, nationality and either your administrative review payment reference number or Home Office reference number in your email.

    ", + "

    If your visa was cancelled at the border

    ", + "

    You\u2019ll be told in your decision letter if you can ask for the decision to cancel your visa to be reviewed. This is known as an \u2018administrative review\u2019.

    ", + "

    You can ask for the decision to be reviewed if your visa was cancelled for one or more of the following reasons:

    ", + "
  • there has been a change in your circumstances
  • ", + "
  • you gave false information
  • ", + "
  • you failed to include relevant facts
  • ", + "

    Apply for administrative review

    ", + "

    Your letter will tell you how to apply. It costs \u00a380.

    ", + "

    If you were given temporary admission to the UK

    ", + "

    You must apply for an administrative review within 14 days of your visa being cancelled or 7 days if you are detained. You need to do this from the UK.

    ", + "

    If your visa was cancelled at border controls outside the UK

    ", + "

    You must apply for an administrative review within 28 days of your visa being cancelled in any of the following cities:

    ", + "
  • Paris
  • ", + "
  • Brussels
  • ", + "
  • Dunkirk
  • ", + "
  • Coquelles
  • ", + "
  • Calais
  • ", + "
  • Lille
  • ", + "

    Get a decision

    ", + "

    The decision will be checked for the errors you point out. Do not send new information or documents unless you\u2019ve been asked to.

    ", + "

    You\u2019ll usually receive the result of the administrative review within 28 days. You cannot request a second review (unless the result included new reasons for the cancellation of your leave).

    ", + "

    If you\u2019re in the UK, you will not usually be removed until your review has been completed.

    ", + "

    Withdraw your request

    ", + "

    Your request for an administrative review will be withdrawn (cancelled) if you:

    ", + "
  • make any other immigration or visa application
  • ", + "
  • ask for your passport back so you can travel
  • ", + "
  • leave the UK
  • ", + "

    Your request will be rejected if you ask for a review of a previous decision after submitting a new application.

    ", + "

    You can also email the Home Office and ask for your request to be withdrawn.

    ", + "

    You must include your name, date of birth, nationality and either your administrative review payment reference number or Home Office reference number in your email.

    " + ] + }, + { + "title": "Find an immigration removal centre", + "url": "https://www.gov.uk/immigration-removal-centre", + "contents": [ + "

    Overview

    ", + "

    You can visit someone in an immigration removal centre or short term holding facility.

    ", + "

    You\u2019ll be given a surgical mask when you arrive at the immigration removal centre that you must wear, unless you are exempt.

    ", + "

    You must also follow social distancing guidelines while you\u2019re at the centre.

    ", + "

    Check with the centre:

    ", + "
  • what the visiting hours are
  • ", + "
  • if you need to book an appointment
  • ", + "
  • what ID you need
  • ", + "
  • what items you\u2019re allowed to take with you - you may be searched when you arrive
  • ", + "

    You may be able to contact someone in a removal centre by phone, email or video call. Contact the immigration removal centre to check.

    ", + "

    Brook House, Gatwick

    ", + "

    Visiting hours are 2pm to 5:30pm and 6pm to 9pm each day. Last admission is at 8.30pm.

    ", + "

    You must book at least one day in advance, between 8am and 9pm.

    ", + "

    You must bring the following:

    ", + "
  • passport or travel document
  • ", + "
  • driving licence (paper and photo sections)
  • ", + "

    Or you can bring 2 of the following:

    ", + "
  • birth or marriage certificate
  • ", + "
  • rail or bus pass with photo
  • ", + "
  • employer\u2019s ID or student card with photo
  • ", + "
  • young person\u2019s proof of age card
  • ", + "
  • trade union membership card
  • ", + "
  • older person\u2019s bus pass
  • ", + "
  • benefits book
  • ", + "
  • application registration card (ARC)
  • ", + "

    There\u2019s a free bus service from Atlantic House to Brook House with a stop at Tinsley House. The pick-up point is in front of Atlantic House, just outside Gatwick South Terminal.

    ", + "

    There\u2019s a free on-site car park. If you use a sat nav, use the street name Perimeter Road South, not the postcode.

    ", + "

    Colnbrook, Middlesex

    ", + "

    Visiting hours are 2pm to 9pm each day.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • ", + "

    Dungavel House, South Lanarkshire

    ", + "

    Visiting hours are 1:30pm to 8:30pm.

    ", + "

    You must bring 1 type of photo ID (passport, driving licence), or 2 of the following:

    ", + "
  • birth or marriage certificate
  • ", + "
  • rail or bus pass with photo
  • ", + "
  • employer\u2019s ID or student card
  • ", + "
  • young person\u2019s proof of age card
  • ", + "
  • trade union membership card
  • ", + "
  • older person\u2019s bus pass
  • ", + "

    There\u2019s a free bus service between Hamilton bus and train station and Dungavel House.

    ", + "

    Harmondsworth, Middlesex

    ", + "

    Visiting hours are 2pm to 9pm each day.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (a passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • ", + "

    Larne House short term holding facility, Antrim

    ", + "

    Visiting hours are 2pm to 9pm each day \u2013 you must book in advance.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • ", + "

    Morton Hall, Lincolnshire

    ", + "

    Visiting hours are:

    ", + "
  • 1:30pm to 4:15pm every day except Thursday
  • ", + "
  • 1:30pm to 8:15pm on Thursday
  • ", + "

    You must book in advance.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill or bank statement, less than 3 months old, showing your name and address
  • ", + "

    You can use a free taxi service available to and from Lincoln and Newark rail stations. You must book at least 24 hours in advance on 01522 666 819.

    ", + "

    Manchester short term holding facility

    ", + "

    Visiting hours are 2pm to 9pm each day. You must book in advance.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • ", + "

    Follow the signs to World Freight Terminal. Building 302 is on the right hand side of the road.

    ", + "

    Tinsley House, Gatwick

    ", + "

    Visiting hours are 2pm to 5.30pm and 6pm to 9pm each day. Last admission is at 8:30pm.

    ", + "

    You must book at least one day in advance, between 8am and 9pm.

    ", + "

    Everyone who visits must have ID, including children. You must bring one of the following:

    ", + "
  • passport or travel document
  • ", + "
  • driving licence (paper and photo sections)
  • ", + "

    Or you can bring 2 of the following:

    ", + "
  • birth or marriage certificate
  • ", + "
  • rail or bus pass with photo
  • ", + "
  • employer\u2019s ID or student card
  • ", + "
  • young person\u2019s proof of age card
  • ", + "
  • trade union membership card
  • ", + "
  • older person\u2019s bus pass
  • ", + "
  • benefits book
  • ", + "
  • application registration card (ARC)
  • ", + "

    There\u2019s a free bus service from Atlantic House to Tinsley House with a stop at Brook House. The pick-up point is in front of Atlantic House, just outside Gatwick South Terminal.

    ", + "

    There\u2019s a free on-site car park. If you use a sat nav, use the street name Perimeter Road South, not the postcode.

    ", + "

    Yarl's Wood, Bedfordshire

    ", + "

    Visiting hours are 2pm to 5pm and 6pm to 9pm each day.

    ", + "

    You must book at least one day in advance.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • ", + "

    There\u2019s a bus service between Bedford station and Yarl\u2019s Wood.

    " + ] + }, + { + "title": "Get help to return home if you\u2019re a migrant in the UK", + "url": "https://www.gov.uk/return-home-voluntarily", + "contents": [ + "

    Overview

    ", + "

    You can get help to return to your home country. This is known as \u2018voluntary return\u2019.

    ", + "

    If you are eligible, the voluntary returns service can:

    ", + "
  • explain your options for returning home
  • ", + "
  • help you get travel documents, such as a passport
  • ", + "
  • pay for travel tickets, if you are unable to
  • ", + "

    You can still get help if you\u2019re already making your own plans to return to your home country.

    ", + "

    You may also be eligible to apply for financial support of up to \u00a33,000, which you can use to find somewhere to live, find a job or start a business in your home country.

    ", + "

    Who can get help

    ", + "

    You can usually apply for help to return home (\u2018voluntary return\u2019) if any of the following are true:

    ", + "
  • you\u2019re in the UK illegally or have overstayed your visa or permission to stay
  • ", + "
  • you\u2019ve withdrawn, or want to withdraw, your application to stay in the UK
  • ", + "
  • you\u2019ve made a claim for asylum in the UK
  • ", + "
  • you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery
  • ", + "

    When you cannot apply

    ", + "

    You cannot apply for voluntary return if you:

    ", + "
  • are currently being investigated by the police or detained by the Home Office
  • ", + "
  • have been given a prison sentence that\u2019s 12 months or longer
  • ", + "
  • have been convicted of an immigration offence and given a deportation order
  • ", + "
  • have already been given humanitarian protection, indefinite leave to remain or refugee status in the UK
  • ", + "
  • have a Service Providers from Switzerland visa
  • ", + "
  • have a Frontier Worker permit
  • ", + "
  • have an S2 Healthcare Visitor visa
  • ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    You cannot apply for voluntary return if you either:

    ", + "
  • applied for, or have, settled or pre-settled status under the EU settlement scheme - even if you withdraw your application
  • ", + "
  • started living in the UK before 1 January 2021 and meet the \u2018right to reside\u2019 criteria
  • ", + "

    Who can get financial support

    ", + "

    The voluntary returns service can provide up to \u00a33,000 in financial support to help you after you leave the UK. If you are eligible, you will receive a single payment on a card before you leave the UK. You can only use the card in your home country.

    ", + "

    You can apply for financial support if any of the following are true:

    ", + "
  • you are returning to a \u2018developing country\u2019, as defined by the Organisation for Economic Co-operation and Development (OECD)
  • ", + "
  • your claim for asylum in the UK has been refused
  • ", + "
  • you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery
  • ", + "
  • you\u2019re part of a family group that will travel together, including someone under 18 years old
  • ", + "
  • you\u2019re under 18 and travelling alone
  • ", + "
  • you\u2019re under 21 and a care leaver
  • ", + "
  • you\u2019re sleeping rough
  • ", + "
  • you need more help with your return - for example, because you have a medical condition
  • ", + "

    Contact the voluntary returns service if you\u2019re not sure whether or not you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    To apply online for help to return to your home country you\u2019ll need:

    ", + "
  • your address in the UK
  • ", + "
  • an email address
  • ", + "

    You cannot apply if you\u2019ve booked a flight to leave the UK in the next 7 days.

    ", + "

    Apply for help online to return to your home country.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have access to the internet or a device
  • ", + "

    You cannot get immigration advice through this service.

    ", + "

    If you cannot apply online

    ", + "

    Contact the voluntary returns service.

    ", + "

    What happens next

    ", + "

    The Home Office will contact you within 3 days to let you know they\u2019ve received your application.

    ", + "

    You might need to provide further information to support your application. Your application can be cancelled if you do not do this.

    ", + "

    If your passport or travel document is being held by the Home Office, it will be returned to you at the airport when you leave the UK.

    " + ] + }, + { + "title": "Registered Traveller: faster entry through the UK border", + "url": "https://www.gov.uk/registered-traveller", + "contents": [ + "

    Overview

    ", + "

    The Registered Traveller service can help you get through the UK border faster.

    ", + "

    Registered Travellers can use UK channels at some airports and train stations. You can use:

    ", + "
  • UK passport entry lanes
  • ", + "
  • ePassport gates - if your passport has a \u2018chip\u2019
  • ", + "

    You\u2019ll need to carry your visa or biometric residence permit, if you have one.

    ", + "

    You can no longer use the Registered Traveller service if you\u2019re from Australia, Canada, Japan, New Zealand, Singapore, South Korea or the United States. You may be able to use the ePassport gates instead.

    ", + "

    Eligibility

    ", + "

    To apply for Registered Traveller membership, you must be 18 or older and have an eligible passport.

    ", + "

    You must also either:

    ", + "
  • have a UK visa or entry clearance
  • ", + "
  • have visited the UK at least 4 times in the last 24 months
  • ", + "

    It counts as visiting when you enter the UK from another country. It does not count if you\u2019re just passing through the UK on your way to another country.

    ", + "

    Eligible passports

    ", + "

    Africa

    ", + "

    Botswana, Namibia, Seychelles.

    ", + "

    Asia

    ", + "

    Brunei, Hong Kong (Special Administrative Region passports only), Macao Special Administrative Region, Malaysia, Maldives, Taiwan (if your passport has a personal ID number on the photo page).

    ", + "

    Europe

    ", + "

    Andorra, Monaco, Vatican City State.

    ", + "

    Middle East

    ", + "

    Israel.

    ", + "

    North America

    ", + "

    Bahamas, Mexico, Saint Vincent and the Grenadines.

    ", + "

    Oceania

    ", + "

    Nauru, Papua New Guinea, Samoa, Tonga.

    ", + "

    South and Central America

    ", + "

    Argentina, Belize, Brazil, Chile, Costa Rica, El Salvador, Guatemala, Honduras, Nicaragua, Panama, Paraguay, Trinidad and Tobago, Uruguay.

    ", + "

    Where you can use Registered Traveller

    ", + "

    You can use the service at the following airports:

    ", + "
  • Birmingham
  • ", + "
  • Bristol
  • ", + "
  • Cardiff
  • ", + "
  • East Midlands
  • ", + "
  • Edinburgh
  • ", + "
  • Gatwick
  • ", + "
  • Glasgow
  • ", + "
  • Heathrow
  • ", + "
  • London City
  • ", + "
  • Luton
  • ", + "
  • Manchester
  • ", + "
  • Southend
  • ", + "
  • Stansted
  • ", + "

    You can use the service at the following Eurostar terminals:

    ", + "
  • Brussels
  • ", + "
  • Lille
  • ", + "
  • Paris
  • ", + "

    How to apply

    ", + "

    Before you apply, check you\u2019re eligible.

    ", + "
  • Apply online for Registered Traveller membership. You\u2019ll need your passport number and expiry date. It costs \u00a370 and and lasts 12 months.
  • ", + "
  • You\u2019ll get a decision on your application within 10 working days. You\u2019ll get \u00a350 back if your application is unsuccessful.
  • ", + "
  • If your application is accepted, the next time you travel to the UK you must go through the \u2018other passports\u2019 lane.
  • ", + "
  • The immigration officer will check that you meet the criteria and tell you if you can become a member. Your 12 month membership will start on the day you submitted your application.
  • ", + "

    Renew or update your membership

    ", + "

    It costs \u00a350 to renew your Registered Traveller membership for another year.

    ", + "

    It costs \u00a320 to update your passport details if you get a new passport. You must do this before you travel to the UK.

    ", + "

    You must also update your details if your visa or immigration status changes. There\u2019s no fee to do this.

    ", + "

    You can also renew or update your child\u2019s membership.

    ", + "

    Add children to your membership

    ", + "

    You can apply to add your children to your Registered Traveller membership if you have 29 days or more left on it.

    ", + "

    Once your child is added to your membership, you can both use the UK passport lanes together.

    ", + "

    You will not be able to use the ePassport gates.

    ", + "

    Your child\u2019s membership will expire at the same time as yours. You\u2019ll need to renew or update your and your child\u2019s memberships separately.

    ", + "

    Once you\u2019ve added the child to your membership, they can also travel with their other parent as long as they\u2019re also a member. Before they travel together, you\u2019ll need to email the Home Office with full names and Registered Traveller numbers for:

    ", + "
  • you
  • ", + "
  • your child
  • ", + "
  • your child\u2019s other parent
  • ", + "

    Home Office Registered Traveller service\nrtinbox@homeoffice.gov.uk

    ", + "

    Eligibility

    ", + "

    Your child must:

    ", + "
  • be 17 or under
  • ", + "
  • have an eligible passport
  • ", + "
  • have a visa or entry clearance, if they\u2019re not applying as a visitor
  • ", + "

    Fee

    ", + "

    You must pay a \u00a320 administration fee to apply for each child, plus a membership fee. This is worked out as \u00a32 a month until your membership expires.

    ", + "

    You\u2019ll be told how much you need to pay when you apply.

    ", + "

    You\u2019ll get the membership fee back if your application is unsuccessful. You will not get the \u00a320 administration fee back.

    ", + "

    How to apply

    ", + "

    You must apply and pay for each child separately.

    ", + "

    You\u2019ll need your:

    ", + "

    \u2022 Registered Traveller number\n\u2022 child\u2019s passport number and expiry date

    ", + "

    You\u2019ll get a decision on your application within 10 working days.

    ", + "

    Renew or update your child\u2019s membership

    ", + "

    You\u2019ll need to sign in with your child\u2019s Registered Traveller number and date of birth to renew or update their membership.

    ", + "

    You\u2019ll have to pay a membership fee to renew your child\u2019s membership, which is worked out as \u00a32 a month until your membership expires.

    ", + "

    It costs \u00a320 to update your child\u2019s passport details if they get a new passport. You must do this before your child travels to the UK.

    ", + "

    You must also update your child\u2019s details if their visa or immigration status changes. There\u2019s no fee to do this.

    ", + "

    When you travel to the UK

    ", + "

    If your application is successful, the first time you and your child travel to the UK you must both go through the \u2018other passports\u2019 lane together.

    ", + "

    You might need to prove the relationship between you and any children travelling with you, for example if you have different surnames.

    ", + "

    You can do this with:

    ", + "

    \u2022 a birth or adoption certificate showing your relationship to the child\n\u2022 a divorce or marriage certificate if you\u2019re the parent but have a different surname to the child

    ", + "

    The immigration officer will then confirm your child has been added to your membership. You\u2019ll get a confirmation email within 48 hours.

    " + ] + }, + { + "title": "Appeal a decision against financial assistance for a reservist", + "url": "https://www.gov.uk/financial-assistance-mobilised-service", + "contents": [ + "

    Appeal to the tribunal

    ", + "

    You can appeal to the Reserve Forces Appeal Tribunals (RFAT) if your claim for financial assistance has been turned down.

    ", + "

    The tribunal must receive your appeal within 5 days of you getting the decision letter or your application will be rejected.

    ", + "

    If you\u2019re going to miss the deadline and have a valid reason for doing so, then say why in your notice of appeal. Extensions are only granted in exceptional circumstances.

    ", + "

    The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    Contact RFAT or your legal representative if you have any questions about appealing. RFAT cannot give you legal advice.

    ", + "

    You can find legal advice, including from a lawyer.

    ", + "

    How to appeal

    ", + "

    Write a letter called a \u2018notice of appeal\u2019 to the Secretary of Tribunals.

    ", + "

    You must include:

    ", + "
  • your name, address and telephone number
  • ", + "
  • a statement that it\u2019s a \u2018notice of appeal\u2019
  • ", + "
  • the grounds for appealing the decision
  • ", + "
  • what you want the tribunal to decide (known as the \u2018determination\u2019)
  • ", + "
  • whether you want to attend the hearing
  • ", + "
  • whether you\u2019ll be legally represented
  • ", + "
  • the names and addresses of any witnesses
  • ", + "

    You\u2019ll need to include:

    ", + "
  • a copy of the decision you\u2019re appealing
  • ", + "
  • all documents that were part of your original application
  • ", + "
  • any relevant documents that were not part of your original application and the reasons why they were not included
  • ", + "

    Send your letter

    ", + "

    You can email, fax, post or deliver your notice of appeal in person to:

    ", + "

    After you send your appeal

    ", + "

    You\u2019ll be told straight away when your appeal has been received.

    ", + "

    You\u2019ll also be given:

    ", + "
  • a case name
  • ", + "
  • a case number
  • ", + "
  • an address for sending any further letters and documents to the tribunal
  • ", + "
  • a hearing date
  • ", + "

    You\u2019ll normally find out within a week of sending your notice of appeal:

    ", + "
  • whether the tribunal will consider your case
  • ", + "
  • whether the Armed Forces opposes the appeal and why
  • ", + "
  • if the tribunal needs more information
  • ", + "

    You\u2019ll get another letter a few days before the hearing telling you what documents to bring with you, or send by post in advance.

    ", + "

    Witnesses

    ", + "

    The tribunal may suggest witnesses. You must contact them and make sure they appear at the hearing.

    ", + "

    The tribunal can force witnesses to appear at the hearing if you\u2019re unable to do it yourself - the tribunal will tell you how.

    ", + "

    What happens at a tribunal hearing

    ", + "

    What happens at the hearing

    ", + "

    You (or your legal representative) will present your case to the tribunal. An \u2018adjudication officer\u2019 will represent the Armed Forces.

    ", + "

    Both sides can to give evidence, call witnesses, question witnesses and make statements to the tribunal.

    ", + "

    If neither side wants to attend a hearing, a decision will be made without a hearing. This is called a \u2018paper hearing\u2019.

    ", + "

    You and any witnesses who attend a hearing may be able to claim for expenses you have, for example accommodation or travel.

    ", + "

    Hearings are usually held in public.

    ", + "

    The tribunal\u2019s decision

    ", + "

    You may get a decision at the end of the hearing. You\u2019ll also get a written copy sent to you.

    ", + "

    If a decision\u2019s not made at the hearing, you\u2019ll get a letter telling you the decision within 1 month. This is known as a \u2018reserved\u2019 decision.

    ", + "

    If you're unhappy with the tribunal's decision

    ", + "

    You cannot appeal if you lose the case.

    ", + "

    In exceptional circumstances, you may be able to ask for the tribunal to review its decision, for example if:

    ", + "
  • new evidence becomes available
  • ", + "
  • the Secretary of Tribunals made a mistake in the proceedings
  • ", + "
  • someone had the right to attend the hearing but could not, and had a valid reason for doing so
  • ", + "
  • something else has gone wrong that\u2019s made the process or decision unfair (known as a review \u2018in the interests of justice\u2019)
  • ", + "

    You can get legal advice, including from a lawyer if you need help.

    ", + "

    Write to the Secretary of Tribunals within 5 days of getting the decision.

    ", + "

    What happens next

    ", + "

    The tribunal can:

    ", + "
  • \u2018set aside\u2019 the decision - this means you\u2019ll have another hearing
  • ", + "
  • change the decision
  • ", + "

    Legislation

    ", + "

    The tribunal must follow the rules and process in:

    ", + "
  • the Reserve Forces Appeal Tribunals Rules 1997
  • ", + "
  • Part IX of the Reserve Forces Act 1996
  • ", + "

    The tribunal will make a decision based on the Reserve Forces (Call-out and Recall) (Financial Assistance) Regulations 2005.

    " + ] + }, + { + "title": "Rights and responsibilities for reservists and employers", + "url": "https://www.gov.uk/employee-reservist", + "contents": [ + "

    Introduction

    ", + "

    Members of the reserve armed forces (reservists) and their employers have certain rights and responsibilities when a reservist:

    ", + "
  • joins up or starts a new job
  • ", + "
  • is called up for service (mobilised)
  • ", + "
  • returns to work
  • ", + "

    Financial support is available for both employers and reservists when they\u2019re called up.

    ", + "

    Time off for training

    ", + "

    Employers do not have to allow time off for training, but may choose to.

    ", + "

    Training for reservists is usually made up of:

    ", + "
  • one evening a week
  • ", + "
  • several weekends throughout the year
  • ", + "
  • a 15-day training course each year
  • ", + "

    Find employers that support reservists.

    ", + "

    Redundancy

    ", + "

    Reservists cannot be made redundant due to training or mobilisation. They must be treated the same as other employees if there are redundancies because of closure or business problems.

    ", + "

    How the employer is notified

    ", + "

    Reservists need to give their employer\u2019s details to their commanding officer. Employers then usually get a letter from the Ministry of Defence (MOD) within 5 weeks of an employee signing up.

    ", + "

    MOD does not contact employers in Northern Ireland, but reservists still need to give details of their employer to their commanding officer.

    ", + "

    Reservists only have to tell their employer themselves if it\u2019s a condition of their job that they do not take any other work.

    ", + "

    When an existing reservist changes jobs

    ", + "

    Reservists should tell their commanding officer, who\u2019ll tell the new employer.

    ", + "

    Asking MOD not to tell an employer

    ", + "

    Reservists can ask MOD not to tell their employer if they have a good reason, for example it would put them at a disadvantage if their employer knew.

    ", + "

    Apply to your commanding officer for an \u2018employer notification waiver\u2019. The waiver lasts for 12 months, but you can apply to renew it.

    ", + "

    If the reservist is called up

    ", + "

    In most cases the reservist will get 28 days\u2019 notice when they\u2019re called up (mobilised). They should let their employer know as soon as possible.

    ", + "

    Mobilisation

    ", + "

    Reservists will be sent a \u2018call-out notice\u2019 if they\u2019re needed for full-time service. This is known as \u2018mobilisation\u2019.

    ", + "

    You must answer your call-out notice - the letter will tell you what to do.

    ", + "

    In most cases, reservists get 28 days\u2019 notice, but they could get less if they\u2019re needed urgently.

    ", + "

    As a reservist, you should tell your employer as soon as possible when you know you\u2019re being mobilised. Employers will also be sent a pack about their rights and responsibilities.

    ", + "

    Financial assistance

    ", + "

    Financial assistance is available for both reservists and employers.

    ", + "

    Reservists\u2019 rights

    ", + "

    Employers can be fined in court and made to pay compensation if they end a reservist\u2019s employment because of mobilisation.

    ", + "

    After service, reservists have a right to return to the same job.

    ", + "

    Apply to delay or cancel mobilisation

    ", + "

    You can apply to delay or cancel mobilisation:

    ", + "
  • as a reservist, if you\u2019re called up at a difficult time (for example, you\u2019re caring for someone or you\u2019re in full-time education)
  • ", + "
  • as an employer, if it would seriously harm your business (for example, by causing financial harm or making it difficult to produce goods or provide services)
  • ", + "

    You can apply to:

    ", + "
  • defer mobilisation for up to a year - you\u2019ll get a new date to report for duty
  • ", + "
  • get an exemption for a year or more - you will not be called out again until it expires
  • ", + "
  • cancel (revoke) mobilisation if you\u2019ve already been mobilised
  • ", + "

    Deadline for applying

    ", + "

    Reservists and employers must apply within 7 days of getting the call-out notice. If you miss this deadline, you\u2019ll have to get permission from the adjudication officer to make a late application.

    ", + "

    If your application is unsuccessful you can appeal.

    ", + "

    Who to contact

    ", + "

    If you\u2019ve already been mobilised contact your commanding officer.

    ", + "

    To apply to delay or cancel mobilisation, contact one of the following:

    ", + "
  • the person named in the notice
  • ", + "
  • the adjudication officer at the mobilisation centre
  • ", + "
  • the adjudication officer for the service
  • ", + "

    Apply in writing by email, post or fax.

    ", + "

    Financial support for reservists

    ", + "

    If you\u2019re called up for service you can claim financial support to cover:

    ", + "
  • the difference between your civilian pay and your service pay
  • ", + "
  • the cost of any benefits in kind your employer stops
  • ", + "

    The total amount you can claim is \u00a3400 a day.

    ", + "

    If you\u2019re serving as a medical consultant with the defence medical services, you can claim up to \u00a3822 a day.

    ", + "

    Company benefits

    ", + "

    You can claim for benefits normally provided by your employer, including:

    ", + "
  • health insurance or medical care
  • ", + "
  • life insurance
  • ", + "
  • education fees for dependent children
  • ", + "
  • accommodation
  • ", + "

    If you have to return a company car that\u2019s used by your partner (for example, husband or wife), children or dependent relatives, you can claim \u00a310.70 a day (around \u00a3325 a month).

    ", + "

    Pension contributions

    ", + "

    While you\u2019re mobilised you can either:

    ", + "
  • ask for the days you\u2019re mobilised to count towards the Armed Forces Pension Scheme
  • ", + "
  • keep contributing to your personal or work pension (the Ministry of Defence will pay your employer\u2019s contributions)
  • ", + "

    If you\u2019re self-employed

    ", + "

    If you\u2019re self-employed, a partner or a company director, you can claim for:

    ", + "
  • the difference between your service pay and earnings from your business
  • ", + "
  • up to \u00a32,000 business costs from stopping trading
  • ", + "
  • agency fees and advertising for finding and training your replacement
  • ", + "

    Expenses you cannot claim

    ", + "

    You cannot claim for expenses that you were already paying before you were mobilised. For example, you cannot claim for:

    ", + "
  • care of a dependent child or relative
  • ", + "
  • care of a pet
  • ", + "
  • house insurance
  • ", + "
  • maintenance on your home
  • ", + "

    How to claim

    ", + "

    Employees get instructions about how to claim in the mobilisation pack.

    ", + "

    If you\u2019re self-employed, a partner or a company director, use the claim form for employers.

    ", + "

    When to claim

    ", + "

    You can claim any time after your service begins and up to 4 weeks after it ends.

    ", + "

    Appeal a rejected claim

    ", + "

    You can appeal if your claim is turned down.

    ", + "

    Financial support for employers

    ", + "

    You can claim financial support if a reservist you employ is called up.

    ", + "

    Do not pay their salary or pension contributions while they\u2019re away - the Ministry of Defence (MOD) pays these costs. You\u2019ll need to make changes in your payroll system.

    ", + "

    You can apply to delay or cancel mobilisation if it will seriously harm your business.

    ", + "

    What you can get

    ", + "

    You can claim financial assistance to cover:

    ", + "
  • the cost of a temporary replacement if it\u2019s more than the reservist\u2019s salary (up to \u00a3110 a day)
  • ", + "
  • advertising costs and agency fees for finding a replacement
  • ", + "
  • a period of handover and takeover (5 days before and after mobilisation)
  • ", + "
  • 75% of the cost of specialist clothing for the replacement (up to \u00a3300)
  • ", + "
  • training costs for the replacement (up to \u00a32,000)
  • ", + "
  • overtime, if other employees cover the work
  • ", + "
  • training the reservist needs to carry on their job when they return
  • ", + "

    Extra support for small and medium-sized businesses

    ", + "

    You can claim \u00a3500 a month in addition to the costs of replacing and retraining the reservist unless both of the following apply:

    ", + "
  • your annual turnover was more than \u00a325.9 million in the 12 months before the reservist was called up
  • ", + "
  • you had more than 250 employees or partners on the date of mobilisation
  • ", + "

    These are known as employer incentive payments.

    ", + "

    What you cannot claim for

    ", + "

    You cannot claim for:

    ", + "
  • loss of profits, turnover or goodwill
  • ", + "
  • your reservist\u2019s salary or pension contributions if you keep paying them
  • ", + "

    How to claim

    ", + "

    Download and fill in the claim form. Print it out, sign it and either scan and email it or post it. The addresses are on the form.

    ", + "

    When to claim

    ", + "

    You can claim before the reservist leaves, but you will not get a payment until they\u2019ve started service. You cannot claim later than 4 weeks after the last day of their service.

    ", + "

    You can claim for costs as they arise - you do not have to claim for them all at once.

    ", + "

    Costs for training should be claimed within 8 weeks of the end of the training.

    ", + "

    Help for employers

    ", + "

    If you need further help, email Defence Relationship Management (DRM).

    ", + "

    Payroll reporting for employers

    ", + "

    You\u2019ll need to make some changes in your payroll software if your reservist is mobilised.

    ", + "

    If their service will be less than 12 months

    ", + "

    Once they\u2019ve started their service:

    ", + "
  • put \u2018Yes\u2019 in the \u2018Irregular payment pattern indicator\u2019 in the next Full Payment Submission (FPS) you send to HM Revenue and Customs (HMRC)
  • ", + "
  • change their tax code to \u2018BR M1\u2019 if they\u2019re paid monthly, or \u2018BR W1\u2019 if it\u2019s weekly
  • ", + "

    If their service will be more than 12 months

    ", + "

    Put a leaving date in your FPS and give them a P45. When they\u2019re back from service, give them a new payroll ID.

    ", + "

    Do not put a leaving date in your FPS or give them a P45 if their service was due to be less than 12 months but lasted longer.

    ", + "

    Returning to work

    ", + "

    After service, reservists are given a period of leave. If they want to return to work before the end of their leave they must get permission from either their commanding officer or the demobilisation centre.

    ", + "

    Employers cannot force a reservist to return to work before their leave finishes.

    ", + "

    Notice of returning to work

    ", + "

    Reservists should write to their employer as soon as they know when they can return to work. This must be no later than the third Monday after their last day of service.

    ", + "

    Employers must re-employ them as soon as they\u2019re able to.

    ", + "

    Returning to the same job

    ", + "

    Reservists are entitled to return to the same type of job they were doing before they were mobilised, on the same terms and conditions.

    ", + "

    If the job no longer exists, they\u2019re entitled to a reasonable alternative.

    ", + "

    How long reservists must be re-employed for

    ", + "

    Employers must offer reservists employment for a certain amount of time, depending on how long they were employed by them before mobilisation.

    ", + "Weeks of employment before mobilisation | Number of weeks reservist must be re-employed for", + "Up to 13 | At least 13", + "Between 13 and 51 | At least 26", + "52 weeks or more | At least 52", + "

    Problems returning to work

    ", + "

    If you are not re-employed you can apply to a tribunal. They can instruct your former employer to re-employ you or award you financial compensation.

    ", + "

    Write to the tribunal if, after telling your employer you\u2019re returning to work:

    ", + "
  • you do not hear back from them
  • ", + "
  • they will not re-employ you
  • ", + "
  • they offer you a job you\u2019re not happy with
  • " + ] + }, + { + "title": "Send mail with the British Forces Post Office (BFPO)", + "url": "https://www.gov.uk/bfpo", + "contents": [ + "

    Find a BFPO number

    ", + "

    You can use the British Forces Post Office (BFPO) if you\u2019re sending mail to:

    ", + "
  • serving armed forces personnel and their families
  • ", + "
  • an employee of the Ministry of Defence (MOD), or another official organisation, who\u2019s entitled to use BFPO
  • ", + "

    You should only use BFPO to send mail to someone you know - there are other ways to support members of the armed forces.

    ", + "

    Check for updates to postal services, including changes to services because of Christmas, coronavirus or problems like severe weather or industrial action.

    ", + "

    BFPO numbers

    ", + "

    See a list of all BFPO locations with their numbers and postcodes.

    ", + "

    Only use postcodes when ordering items from UK-based websites.

    ", + "

    How to address BFPO mail

    ", + "

    Write the address clearly in capital letters, keeping exactly to the format for the role of the person you\u2019re posting to.

    ", + "

    Write a return address on the back of the mail.

    ", + "

    Use a BFPO postcode if you\u2019re ordering goods online, or a BFPO number for anything else.

    ", + "

    If you use a BFPO postcode instead of a BFPO number, it\u2019ll still arrive but it may take longer.

    ", + "

    Write \u2018GB\u2019 after the BFPO number or postcode if you\u2019re posting mail from outside the UK.

    ", + "

    Your mail may be delayed or sent to the wrong place if you:

    ", + "
  • include the location (such as the town or country) in the address when using a BFPO number
  • ", + "
  • write anything else on the packaging
  • ", + "

    Address format for service personnel

    ", + "

    Address format for family

    ", + "

    Use this format if the item is for a dependant of a serving member of HM Forces.

    ", + "

    Address format for non-service personnel

    ", + "

    Use this format if the item is for an employee of the Ministry of Defence (MOD), or another official organisation, who\u2019s entitled to use BFPO.

    ", + "

    Customs declarations

    ", + "

    You\u2019ll need to make a customs declaration if you\u2019re sending something outside of the UK.

    ", + "

    Parcels up to 2kg are delivered by Royal Mail. You must include:

    ", + "
  • form CN22 - for contents worth up to \u00a3270
  • ", + "
  • form CN23 - for contents worth more than \u00a3270
  • ", + "

    Parcels over 2kg and up to 30kg are delivered by Parcelforce. You must include a form PFU 509/CP72 with these - get one from your local Post Office.

    ", + "

    Cost, size and weight

    ", + "

    The cost of using British Forces Post Office (BFPO) depends on the size and weight of the letter or parcel you\u2019re sending.

    ", + "

    Standard letter

    ", + "

    Length: up to 240mm \nWidth: up to 165mm \nThickness: up to 5mm

    ", + "Weight range | Cost", + "Up to 100g | \u00a30.85", + "

    Large letter

    ", + "

    Length: up to 353mm \nWidth: up to 250mm \nThickness: up to 25mm

    ", + "Weight range | Cost", + "Up to 100g | \u00a31.29", + "101g to 250g | \u00a31.83", + "251g to 500g | \u00a32.39", + "501g to 750g | \u00a33.30", + "

    Small parcels

    ", + "

    Length: up to 450mm \nWidth: up to 350mm \nThickness: up to 160mm

    ", + "Weight range | Cost", + "Up to 1,000g | \u00a33.85", + "1,001g to 2,000g | \u00a35.57", + "

    If you\u2019re sending a cylindrical parcel, double the diameter and add this to the length. The total cannot be more than 1,040mm. The biggest dimension cannot be more than 900mm.

    ", + "

    Medium parcels (Royal Mail)

    ", + "

    The medium parcels service is available at Forces Post Offices and UK Post Office branches.

    ", + "

    Add up the length, width and depth. This cannot be more than 900mm.

    ", + "Weight range | Cost", + "Up to 1kg | \u00a36", + "1.1kg to 2kg | \u00a39.02", + "Up to to 5kg | \u00a315.85", + "5.1kg to 10kg | \u00a321.90", + "10.1kg to 20kg | \u00a333.40", + "

    Worldwide parcels (ParcelForce)

    ", + "

    There are certain size and weight restrictions depending on which service you choose and where you\u2019re sending your parcel.

    ", + "Maximum weight | Cost", + "2kg | \u00a39", + "5kg | \u00a311.60", + "10kg | \u00a313.45", + "15kg | \u00a319.35", + "20kg | \u00a323.75", + "25kg | \u00a334.20", + "30kg | \u00a337.45", + "

    Enduring families free mail service (EFFMS)

    ", + "

    Families and friends in UK and BFPOs can send packets of up to 2kg, free of charge, to service personnel in certain operations and HM Ships.

    ", + "

    Read more about the enduring families free mail service.

    ", + "

    Compensation, insurance and special delivery

    ", + "

    Read the guidance on claiming compensation for items that are lost or damaged.

    ", + "

    What you cannot send

    ", + "

    You cannot send some items with British Forces Post Office mail, including:

    ", + "
  • alcoholic beverages
  • ", + "
  • arms and ammunition
  • ", + "
  • batteries
  • ", + "
  • Christmas crackers
  • ", + "
  • financial documents
  • ", + "
  • fragile items
  • ", + "
  • indecent, obscene or offensive articles
  • ", + "
  • prescription medicines and drugs sent for scientific purposes
  • ", + "
  • pressurised containers (including aerosols like deodorants and shaving foams or gels)
  • ", + "
  • sharp objects and instruments (including scissors and kitchen knives or utensils)
  • ", + "

    Read the detailed guidance for the full list of items you cannot send.

    ", + "

    If you send these items, your whole parcel may be delayed or returned to you.

    ", + "

    Buying goods online

    ", + "

    You can use the British Forces Post Office (BFPO) to order goods from certain UK-based online retailers.

    ", + "

    See the list of retailers in this scheme.

    ", + "

    Read the disclaimer and additional information if you want to use a company that is not on the list of approved retailers.

    ", + "

    Send an INtouch message

    ", + "

    The INtouch service has been discontinued and is no longer available.

    ", + "

    You can send letters using the enduring families free mail service (EFFMS).

    ", + "

    Contacts and enquiries

    ", + "

    Read the guidance about what to do if your mail has not arrived within 30 days.

    ", + "

    Other ways to get support

    ", + "

    BFPO is also on:

    ", + "
  • Twitter
  • ", + "
  • Facebook
  • " + ] + }, + { + "title": "War Pensions and Armed Forces Compensation Tribunal", + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "contents": [ + "

    Overview

    ", + "

    You can appeal to the First-tier Tribunal (War Pensions and Armed Forces Compensation Chamber) if you disagree with a decision about your war pension or compensation.

    ", + "

    You must appeal within 1 year of getting your decision letter.

    ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    There are different tribunals in Scotland and tribunals in Northern Ireland.

    ", + "

    Decisions the tribunal can make

    ", + "

    The tribunal will decide whether your injury was caused or made worse by serving in the armed forces.

    ", + "

    If it was, it can then make decisions about:

    ", + "
  • your entitlement to a pension or compensation
  • ", + "
  • how much pension you get
  • ", + "
  • your entitlement to extra allowances, for example for mobility needs
  • ", + "
  • pension start dates
  • ", + "
  • withheld pensions
  • ", + "

    The tribunal deals with appeals for the 2 pension schemes currently running, which are:

    ", + "
  • the War Pensions Scheme - for injuries caused or made worse by service before 6 April 2005
  • ", + "
  • the Armed Forces Compensation Scheme - for injuries caused by service from 6 April 2005 onwards
  • ", + "

    Help you can get

    ", + "

    You may want to get legal help or advice before you appeal.

    ", + "

    You may also be able to get help from organisations including:

    ", + "
  • Combat Stress
  • ", + "
  • Blesma: The Limbless Veterans
  • ", + "
  • Burma Star Association
  • ", + "
  • National Gulf Veterans and Families Association (NGVFA)
  • ", + "
  • Royal Air Forces Association (RAFA)
  • ", + "
  • Royal British Legion (RBL)
  • ", + "
  • Soldiers Sailors and Airmen\u2019s Families Association Forces Help (SSAFA)
  • ", + "
  • UK Armed Forces Charities
  • ", + "

    How to appeal

    ", + "

    You should appeal within one year of getting your decision letter.

    ", + "

    Before you appeal

    ", + "

    Write a letter to Veterans UK and ask them to reconsider their decision. Explain why you think the decision is wrong and give any information not included in your original claim.

    ", + "

    They will look at your case again and write to you with their decision.

    ", + "

    Veterans UK was previously known as the Service Personnel and Veterans Agency (SPVA).

    ", + "

    If you\u2019re still unhappy

    ", + "

    Contact the Veterans UK helpline and ask for an appeal form to take your case to the tribunal. Fill it in and send it back to Veterans UK.

    ", + "

    Call if you need help filling in the form.

    ", + "

    Late appeals

    ", + "

    In some cases you\u2019ll be allowed to appeal after one year, but you must explain why your appeal is late. You cannot appeal against any decision after 2 years.

    ", + "

    After you appeal

    ", + "

    Veterans UK will send the response to your appeal to the tribunal - you\u2019ll get a copy of the response. The response will contain information given in your claim and the evidence used to make the decision under appeal, such as medical reports that you may regard as confidential.

    ", + "

    You can choose to reply in writing (a \u2018written submission\u2019) explaining why you disagree with the facts they used - you must do this within one month of receiving the copy.

    ", + "

    The tribunal will look at your case and ask for more information if they need it.

    ", + "

    You can also send any other evidence to support your case to the tribunal.

    ", + "

    The tribunal will tell you if there\u2019ll be a hearing about your case.

    ", + "

    There are different tribunals in Scotland and tribunals in Northern Ireland.

    ", + "

    The tribunal hearing

    ", + "

    There are different tribunals in Scotland and tribunals in Northern Ireland.

    ", + "

    Hearings are usually held in major cities across England and Wales. You\u2019ll be told where you have to go.

    ", + "

    The tribunal will give you at least 14 days\u2019 notice of the date of any hearing. You should be given a hearing within 4 months of the tribunal receiving a response from Veterans UK.

    ", + "

    You must tell the tribunal if you cannot make it to the hearing - they might arrange another date if you have a good reason.

    ", + "

    The tribunal might hold the hearing without you if do not attend.

    ", + "

    Prepare for the hearing

    ", + "

    You can go to the hearing on your own or ask someone to help represent you. You can also call a witness to support your case.

    ", + "

    Organisations that can help represent you include:

    ", + "
  • Royal British Legion
  • ", + "
  • Royal Air Forces Association
  • ", + "
  • Combat Stress
  • ", + "
  • Blesma: The Limbless Veterans
  • ", + "
  • National Gulf Veterans and Families Association
  • ", + "
  • UK Armed Forces Charities
  • ", + "

    Take your appeal papers and the documents you\u2019re using as evidence to the hearing. You should give copies of any evidence to the tribunal and Veterans UK before the tribunal hearing.

    ", + "

    Tribunal panel

    ", + "

    The tribunal is made up of:

    ", + "
  • a judge
  • ", + "
  • a medical member
  • ", + "
  • a service member
  • ", + "

    What happens at the hearing

    ", + "

    The judge, tribunal members, Veterans UK and your representative (if you have one) will ask you questions about your case.

    ", + "

    The tribunal will then question any witnesses you\u2019ve brought to the hearing.

    ", + "

    You\u2019ll usually get a decision from the tribunal on the day of the hearing.

    ", + "

    Expenses

    ", + "

    You might be able to claim expenses or compensation for:

    ", + "
  • travel (only in the UK)
  • ", + "
  • living expenses for the time you\u2019re away from home
  • ", + "
  • loss of earnings
  • ", + "

    More information

    ", + "

    You can find out more about expenses or contact the tribunal for more information.

    ", + "

    If you lose your appeal

    ", + "

    You can ask the tribunal for permission to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you lose your appeal.

    ", + "

    You must ask for permission to appeal within 6 weeks of getting the decision.

    ", + "

    The Upper Tribunal will look at the case to see if the original decision was correct.

    ", + "

    Reasons for appealing

    ", + "

    You can only appeal if you think the decision was wrong for a legal reason, including if the tribunal did not:

    ", + "
  • follow the right procedures - for example it did not tell you in time about the hearing
  • ", + "
  • give proper reasons for its decision, or back up the decision with facts
  • ", + "
  • apply the law properly
  • ", + "

    Before appealing, ask the original tribunal for the written statement of reasons for its decision.

    ", + "

    Contact the Upper Tribunal

    ", + "

    Legislation

    ", + "

    The tribunal will make decisions based on:

    ", + "
  • the Pensions Appeal Tribunals Act 1943
  • ", + "
  • The Naval, Military and Air Forces Etc. (Disablement and Death) Service Pensions Order 2006
  • ", + "
  • the Armed Forces and Reserve Forces (Compensation Scheme) Order 2011
  • ", + "

    The tribunal must follow the rules and process set out in the:

    ", + "
  • the Tribunal Procedure (First-tier Tribunal) (War Pensions and Armed Forces Compensation Chamber) Rules 2008
  • ", + "
  • the Tribunals, Courts and Enforcement Act 2007
  • " + ] + }, + { + "title": "Contact Jobcentre Plus", + "url": "https://www.gov.uk/contact-jobcentre-plus", + "contents": [ + "

    How to contact Jobcentre Plus

    ", + "

    You can contact Jobcentre Plus about:

    ", + "
  • new benefit claims
  • ", + "
  • existing benefit claims
  • ", + "
  • changing or cancelling an appointment
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Contact your nearest Jobcentre Plus

    ", + "

    If you want to contact your nearest office, you can find their details using the local office search.

    ", + "

    You can write to your nearest office by using their address from the local office search. Their address will also be on any letters you\u2019ve been sent.

    ", + "

    If you\u2019re in Northern Ireland

    ", + "

    For Jobseeker\u2019s Allowance (JSA) and Income Support, contact your Jobs and Benefits office. For Employment and Support Allowance (ESA), contact the ESA Centre.

    ", + "

    Complain about Jobcentre Plus

    ", + "

    You can complain about the service you\u2019ve received from Jobcentre Plus.

    ", + "

    Find a job

    ", + "

    Use the \u2018Find a job\u2019 service (previously Universal Jobmatch).

    ", + "

    Get a National Insurance number

    ", + "

    Apply for a National Insurance number or find your National Insurance number if you\u2019ve lost it.

    ", + "

    New benefit claims

    ", + "

    Call Jobcentre Plus to claim \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA).

    ", + "

    There are different contact details for:

    ", + "
  • Universal Credit
  • ", + "
  • \u2018new style\u2019 Employment and Support Allowance
  • ", + "

    You can also claim Jobseeker\u2019s Allowance online.

    ", + "

    Alternative formats

    ", + "

    Call Jobcentre Plus to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    Use a benefits calculator to find out what benefits you could get.

    ", + "

    Existing benefit claims

    ", + "

    Call the appropriate number for your benefit to:

    ", + "
  • discuss a claim you\u2019ve made
  • ", + "
  • tell the Department for Work and Pensions (DWP) about a change in your circumstances, for example if you start working or your income changes
  • ", + "

    You\u2019ll need your National Insurance number when you call any of these numbers.

    ", + "

    Jobseeker\u2019s Allowance (JSA), Income Support, Incapacity Benefit or Employment and Support Allowance (ESA)

    ", + "

    If you\u2019re in Northern Ireland

    ", + "

    For JSA and Income Support, contact your Jobs and Benefits office. For ESA, contact the ESA Centre.

    ", + "

    Universal Credit

    ", + "

    You can contact Jobcentre Plus by signing in to your online account - you\u2019ll get a reply Monday to Friday, 8am to 6pm.

    ", + "

    Social Fund

    ", + "

    Maternity Allowance

    ", + "

    Bereavement benefits

    ", + "

    Change or cancel an appointment

    ", + "

    Universal Credit appointments

    ", + "

    You can change or cancel a Universal Credit appointment by\u00a0signing in to your Universal Credit account.

    ", + "

    Other appointments

    " + ] + }, + { + "title": "Report a problem about a criminal record check or barring decision", + "url": "https://www.gov.uk/report-problem-criminal-record-certificate", + "contents": [ + "

    Overview

    ", + "

    You can appeal to the Disclosure and Barring Service (DBS) if they:

    ", + "
  • make a decision to add you to the list of people barred from certain roles
  • ", + "
  • have previously added you to the list of people barred from certain roles and you want them to review the decision
  • ", + "

    You can raise a dispute with DBS if they make a mistake on a DBS check.

    ", + "

    The mistake or decision can be changed if the appeal or dispute is successful.

    ", + "

    An employer or licensing authority can also appeal a DBS check if they\u2019ve talked to the applicant first.

    ", + "

    Dispute a mistake on your DBS certificate

    ", + "

    You can raise a dispute for a standard or enhanced check if you believe there\u2019s been a mistake in either:

    ", + "
  • the records provided, like wrong or irrelevant information on convictions
  • ", + "
  • personal information, like your name
  • ", + "

    There is a different process for disputing information on a basic check certificate.

    ", + "

    The police may ask for fingerprints to prove your identity if there\u2019s a mistake in the records.

    ", + "

    How to raise a dispute

    ", + "

    Report the mistake within 3 months of the date on the certificate.

    ", + "

    For mistakes in records

    ", + "

    Fill in the certificate dispute form.

    ", + "

    For mistakes in personal information

    ", + "

    Fill in Section A of the certificate dispute form, or call the Disclosure and Barring Service (DBS) customer services team.

    ", + "

    Dispute a DBS update service certificate change

    ", + "

    Call customer services if you subscribe to the DBS update service and want to dispute the status of a certificate. They\u2019ll send out the forms you need to raise a dispute.

    ", + "

    Send the form to:

    ", + "

    Independent Monitor review

    ", + "

    DBS will work with the police to make a decision about your dispute. If the police do not agree there\u2019s a mistake, the dispute will be referred to the Independent Monitor only if the objection is that information is:

    ", + "
  • not relevant to the position applied for
  • ", + "
  • should not be included in the certificate
  • ", + "

    The enhanced certificate will be corrected if the Independent Monitor agrees with your dispute.

    ", + "

    You must raise a dispute with DBS before a referral to the Independent Monitor is made.

    ", + "

    Appeal against a new barring decision

    ", + "

    You can appeal to a tribunal to reverse a barring list decision. The tribunal may remove someone from the barred list if it agrees, or refer you back to DBS for a further decision.

    ", + "

    You can appeal if:

    ", + "
  • you were automatically added following a relevant caution or conviction
  • ", + "
  • you believe DBS has made a legal mistake
  • ", + "
  • DBS barred you based on information that was wrong
  • ", + "

    It\u2019s up to the tribunal whether they hear your appeal.

    ", + "

    Contact the Upper Tribunal to appeal against a new barring decision in England or Wales.

    ", + "

    Contact the Care Tribunal to appeal against a new barring decision in Northern Ireland.

    ", + "

    Appeal against an existing barring decision

    ", + "

    You can ask the Disclosure and Barring Service (DBS) to review a barring decision if:

    ", + "
  • you were automatically added to the barred list following a relevant caution or conviction
  • ", + "
  • you believe DBS has made a legal mistake
  • ", + "
  • DBS barred you based on information that was wrong
  • ", + "

    You can also ask for a review if your circumstances change after the minimum barred period.

    ", + "

    The minimum barred period is:

    ", + "Age | Minimum barred period", + "Under 18 | 1 year", + "18 to 24 | 5 years", + "25 or over | 10 years", + "

    You can use the following evidence to prove that your circumstances have changed:

    ", + "
  • medical reports
  • ", + "
  • a successful appeal against a conviction
  • ", + "
  • a specialist assessment
  • ", + "

    Contact DBS to ask for a review. It\u2019s up to them whether they choose to review.

    ", + "

    Appeal against the outcome of a DBS review

    ", + "

    You can appeal to a tribunal if you asked DBS to review a barring list decision, and they either:

    ", + "
  • refused to conduct a review
  • ", + "
  • decided to keep you on the barred list after a review
  • ", + "

    The tribunal may remove a person from the barred list if it agrees with the appeal. It\u2019s up to the tribunal whether they hear the appeal.

    ", + "

    Contact the Upper Tribunal to appeal against a DBS barred list review in England or Wales.

    ", + "

    Contact the Care Tribunal to appeal against a DBS barred list review in Northern Ireland.

    " + ] + }, + { + "title": "Disciplinary procedures and action against you at work", + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "contents": [ + "

    Overview

    ", + "

    Your employer could start formal disciplinary action against you if they have concerns about your work, conduct or absence.

    ", + "

    Before taking formal disciplinary action or dismissing you, your employer may try to raise the matter informally with you. However, they can go straight to their formal disciplinary or dismissal procedures.

    ", + "

    Disciplinary procedures are a set way for an employer to deal with disciplinary issues. They should include a disciplinary hearing where you\u2019re given a chance to explain your side of the story.

    ", + "

    There should also be a chance to appeal any disciplinary action your employer decides to take.

    ", + "

    How disciplinary procedures work

    ", + "

    Your employer should put their disciplinary procedure in writing, and make it easily available to all staff.

    ", + "

    It should say what performance and behaviour might lead to disciplinary action and what action your employer might take.

    ", + "

    It should also include the name of someone you can speak to if you do not agree with your employer\u2019s disciplinary decision.

    ", + "

    Disciplinary steps

    ", + "

    Your employer\u2019s disciplinary procedure should include the following steps:

    ", + "
  • A letter setting out the issue.
  • ", + "
  • A meeting to discuss the issue.
  • ", + "
  • A disciplinary decision.
  • ", + "
  • A chance to appeal this decision.
  • ", + "

    Acas (Advisory, Conciliation and Arbitration Service) Code of Practice

    ", + "

    Your employer\u2019s disciplinary procedures should follow the Acas code of practice.

    ", + "

    Your employer does not have to follow the Acas code. However, if they do not and you win an employment tribunal against them, you could get a larger payout.

    ", + "

    There\u2019s more guidance about how employers should run disciplinaries in the Acas guide on discipline and grievances at work.

    ", + "

    Disciplinary procedures and employment contracts

    ", + "

    Your employer can also put their disciplinary procedures in your employment contract.

    ", + "

    If your employer does this and then does not follow these procedures you could sue them for breach of contract.

    ", + "

    Northern Ireland

    ", + "

    Northern Ireland has different ways of solving workplace disputes.

    ", + "

    Disciplinary hearings

    ", + "

    Your employer should not take any disciplinary action before meeting with you first and discussing the problem.

    ", + "

    This disciplinary meeting (normally called a \u2018hearing\u2019) should be at a reasonable time and place.

    ", + "

    At the hearing your employer should:

    ", + "
  • explain the complaint against you
  • ", + "
  • go through the evidence
  • ", + "
  • give you a chance to tell your side of the story
  • ", + "

    If you raise a significant new fact or issue at the hearing your employer might stop it and look into the issue. They should then rearrange the hearing at a later date.

    ", + "

    Taking someone with you to a disciplinary hearing

    ", + "

    You have the right to take someone with you to a disciplinary hearing, but you must tell your employer about this first.

    ", + "

    Your companion can be either:

    ", + "
  • a colleague
  • ", + "
  • a trade union representative
  • ", + "
  • a trade union official
  • ", + "

    If a colleague cannot go with you and you\u2019re not in the union you can ask to bring a family member or a Citizens Advice worker. However, your employer does not have to agree to this unless your employment contract says they must.

    ", + "

    The companion can:

    ", + "
  • present and/or sum up your case and say things to support your case
  • ", + "
  • speak to you during the hearing
  • ", + "

    Your companion cannot answer questions on your behalf.

    ", + "

    Your companion cannot be disciplined for supporting you.

    ", + "

    Disciplinary action

    ", + "

    After the hearing your employer should write to you as soon as possible, saying what action they\u2019re going to take, and telling you about your right to appeal.

    ", + "

    The decision might be:

    ", + "
  • no action
  • ", + "
  • written warning
  • ", + "
  • final warning
  • ", + "
  • demotion
  • ", + "
  • dismissal
  • ", + "

    It might also be anything else that could resolve the problem, for example an agreement to mediate with a co-worker you\u2019ve had personal problems with.

    ", + "

    Disciplinary appeals

    ", + "

    If you think disciplinary action taken against you is unfair you can appeal.

    ", + "

    Write to your employer saying you\u2019re appealing and why.

    ", + "

    Appeal hearings

    ", + "

    You should be offered another meeting to discuss your appeal. This appeal hearing should be held as soon as possible.

    ", + "

    If possible it should be dealt with by someone who has not already been involved with your disciplinary action.

    ", + "

    An appeal hearing will be similar to your original disciplinary meeting and you\u2019ll have the right to bring a companion.

    ", + "

    Final decision

    ", + "

    After the appeal meeting your employer should write to you with their final decision.

    ", + "

    Suspension from work

    ", + "

    When a disciplinary issue is being looked into you might be suspended from work. This does not happen very often. If it does it should normally be with pay and you should be told why you\u2019re being suspended.

    ", + "

    Employment contracts

    ", + "

    You can be suspended without pay if your employment contract says your employer can do this, but they must be acting reasonably.

    ", + "

    If your employment contract does not say your employer can do this, your employer may still be able to suspend you, but with pay. To show that it\u2019s not a punishment the suspension will normally be on full pay.

    ", + "

    Employment rights when suspended

    ", + "

    You keep your employment rights while suspended. If you do not get the right pay you may be able to make a claim to an employment tribunal for \u2018unlawful deduction from wages\u2019.

    ", + "

    Talking to other employees, customers and/or suppliers

    ", + "

    If you\u2019re suspended, you might be told not to talk to other employees, customers and/or suppliers. If this means you cannot defend yourself properly at a disciplinary hearing, you could make an appeal.

    ", + "

    But if you\u2019ve been asked not to talk and you do, your employer might decide to take further disciplinary action against you.

    ", + "

    Help and advice with disciplinary issues

    ", + "

    There are several organisations that could give you advice about disciplinary issues.

    ", + "

    Acas

    ", + "

    Acas (the Advisory, Conciliation and Arbitration Service) offers free, confidential and impartial advice about all employment rights issues.

    ", + "

    Citizens Advice

    ", + "

    Your local Citizens Advice can also give free and impartial advice.

    ", + "

    Trade unions

    ", + "

    If you\u2019re a member of a trade union you can get help and advice from them.

    ", + "

    Equality Advisory Support Service

    ", + "

    Contact the Equality Advisory Support Service for advice about discrimination, equality and human rights.

    ", + "

    You can also find more information on the Equality Advisory Support Service website.

    " + ] + }, + { + "title": "Dismissal: your rights", + "url": "https://www.gov.uk/dismissal", + "contents": [ + "

    Overview

    ", + "

    Dismissal is when your employer ends your employment - they do not always have to give you notice.

    ", + "

    If you\u2019re dismissed, your employer must show they\u2019ve:

    ", + "
  • a valid reason that they can justify
  • ", + "
  • acted reasonably in the circumstances
  • ", + "

    They must also:

    ", + "
  • be consistent - for example, not dismiss you for doing something that they let other employees do
  • ", + "
  • have investigated the situation fully before dismissing you - for example, if a complaint was made about you
  • ", + "

    If you\u2019re a part-time or fixed-term worker, you cannot be treated less favourably than a full-time or permanent employee.

    ", + "

    If you\u2019ve lost your job because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% your wages.

    ", + "

    Notice period

    ", + "

    You must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.

    ", + "

    There are some situations where you can be dismissed immediately - for example, for violence.

    ", + "

    Getting your dismissal in writing

    ", + "

    You have the right to ask for a written statement from your employer giving the reasons why you\u2019ve been dismissed if you\u2019re an employee and have completed 2 years\u2019 service (1 year if you started before 6 April 2012).

    ", + "

    Your employer must supply the statement within 14 days of you asking for it.

    ", + "

    Your employer must give you a written statement if you\u2019re dismissed while you are on Statutory Maternity Leave. You get this:

    ", + "
  • even if you\u2019ve not asked for one
  • ", + "
  • regardless of how long you\u2019ve worked for your employer
  • ", + "

    Speak to your employer or check your employment status if you\u2019re unsure of your employment status.

    ", + "

    Reasons you can be dismissed

    ", + "

    There are some situations when your employer can dismiss you fairly.

    ", + "

    Not being able to do your job properly

    ", + "

    You may not be able to do your job properly if, for example, you:

    ", + "
  • have not been able to keep up with important changes to your job - for example, a new computer system
  • ", + "
  • cannot get along with your colleagues
  • ", + "

    Before taking any action, your employer should:

    ", + "
  • follow disciplinary procedures - for example, warn you that your work is not satisfactory
  • ", + "
  • give you a chance to improve - for example, by training you
  • ", + "

    Illness

    ", + "

    You can be dismissed if you have a persistent or long-term illness that makes it impossible for you to do your job.

    ", + "

    Before taking any action, your employer should:

    ", + "
  • look for ways to support you - for example, considering whether the job itself is making you sick and needs changing
  • ", + "
  • give you reasonable time to recover from your illness
  • ", + "

    If you have a disability (which may include long-term illness), your employer has a legal duty to support disability in the workplace.

    ", + "

    Dismissal because of a disability may be unlawful discrimination.

    ", + "

    Redundancy

    ", + "

    Redundancy is a form of dismissal and is fair in most cases.

    ", + "

    If the reason you are selected for redundancy is unfair then you will have been unfairly dismissed.

    ", + "

    Summary dismissal

    ", + "

    You can be dismissed for \u2018gross misconduct\u2019 without your employer going through the normal disciplinary procedures. This can happen if, for example, you\u2019re violent towards a colleague, customer or property.

    ", + "

    Your employer should always investigate the circumstances before making a dismissal, even in possible gross misconduct cases.

    ", + "

    A \u2018statutory restriction\u2019

    ", + "

    You can be dismissed if continuing to employ you would break the law - for example, if you\u2019re a driver in a lorry firm and you lose your driving licence.

    ", + "

    It\u2019s impossible to carry on employing you

    ", + "

    If it\u2019s impossible to carry on employing you, it\u2019s likely to be fair. For example, if a factory burns down and it\u2019s no longer possible to employ anyone.

    ", + "

    A \u2018substantial reason\u2019

    ", + "

    You may be dismissed fairly if, for example:

    ", + "
  • you unreasonably refuse to accept a company reorganisation that changes your employment terms
  • ", + "
  • you\u2019re sent to prison
  • ", + "

    Unfair and constructive dismissal

    ", + "

    In certain situations, you may be able to take legal action if you\u2019re dismissed.

    ", + "

    Unfair dismissal

    ", + "

    Your dismissal could be unfair if your employer does not:

    ", + "
  • have a good reason for dismissing you
  • ", + "
  • follow the company\u2019s formal disciplinary or dismissal process (or the statutory minimum dismissal procedure in Northern Ireland)
  • ", + "

    Situations when your dismissal is likely to be unfair include if you:

    ", + "
  • asked for flexible working
  • ", + "
  • refused to give up your working time rights - for example, to take rest breaks
  • ", + "
  • resigned and gave the correct notice period
  • ", + "
  • joined a trade union
  • ", + "
  • took part in legal industrial action that lasted 12 weeks or less
  • ", + "
  • needed time off for jury service
  • ", + "
  • applied for maternity, paternity and adoption leave
  • ", + "
  • were on any maternity, paternity and adoption leave you\u2019re entitled to
  • ", + "
  • tried to enforce your right to receive Working Tax Credits
  • ", + "
  • exposed wrongdoing in the workplace (whistleblowing)
  • ", + "
  • were forced to retire (known as \u2018compulsory retirement\u2019)
  • ", + "

    Compulsory retirement is not allowed unless your employer can objectively justify it, but you can challenge it at an employment tribunal.

    ", + "

    Constructive dismissal

    ", + "

    Constructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.

    ", + "

    The reasons you leave your job must be serious, for example, they:

    ", + "
  • do not pay you or suddenly demote you for no reason
  • ", + "
  • force you to accept unreasonable changes to how you work - for example, tell you to work night shifts when your contract is only for day work
  • ", + "
  • let other employees harass or bully you
  • ", + "

    Your employer\u2019s breach of contract may be one serious incident or a series of incidents that are serious when taken together.

    ", + "

    You should try and sort any issues out by speaking to your employer to solve the dispute.

    ", + "

    If you do have a case for constructive dismissal, you should leave your job immediately - your employer may argue that, by staying, you accepted the conduct or treatment.

    ", + "

    What to do if you're dismissed

    ", + "

    If you\u2019re threatened with dismissal (or are dismissed) you can get help from a third party to solve the issue by mediation, conciliation and arbitration.

    ", + "

    You can also speak to your union representative if you\u2019re a member of a trade union.

    ", + "

    Employment tribunals

    ", + "

    If you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.

    ", + "

    In Northern Ireland, you can go to an industrial tribunal.

    ", + "

    Qualifying period to claim unfair dismissal

    ", + "

    You must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:

    ", + "
  • on or after 6 April 2012 - the qualifying period is normally 2 years
  • ", + "
  • before 6 April 2012 - the qualifying period is normally 1 year
  • ", + "

    In Northern Ireland, the qualifying period is still normally 1 year.

    ", + "

    There is no qualifying period if you\u2019ve been dismissed from 25 June 2013 because of your political opinions or affiliation. You\u2019ll automatically have the right to go to an employment tribunal.

    ", + "

    In unfair dismissal claims you must make the claim to a tribunal within 3 months of being dismissed.

    " + ] + }, + { + "title": "Handing in your notice", + "url": "https://www.gov.uk/handing-in-your-notice", + "contents": [ + "

    Your employment contract

    ", + "

    If you want to leave your job, check your employment contract to find out your employer\u2019s policy on handing in notice.

    ", + "

    There are rules about:

    ", + "
  • giving notice
  • ", + "
  • how much you\u2019ll be paid during your notice period
  • ", + "
  • what will happen if you leave to work for a competitor
  • ", + "

    Giving notice

    ", + "

    You must give at least a week\u2019s notice if you\u2019ve been in your job for more than a month.

    ", + "

    Your contract will tell you whether you need to give notice in writing - otherwise you can do it verbally.

    ", + "

    Give written notice if you think you\u2019ll need to refer to it later, for example at an employment tribunal.

    ", + "

    You may be in breach of your contract if you don\u2019t give enough notice, or give notice verbally when it should be given in writing. Your employer could take you to court.

    ", + "

    Your notice period usually runs from the start of the day after you handed your notice in.

    ", + "

    If you change your mind

    ", + "

    If you resign in the \u2018heat of the moment\u2019 (eg during an argument) and you change your mind, you should tell your employer immediately. They can choose to accept your resignation or not.

    ", + "

    Get free advice from Acas

    ", + "

    Call the Acas helpline to get advice about handing in your notice and pay rights.

    ", + "

    Payment during your notice period

    ", + "

    You\u2019re entitled to your normal pay rate during your notice period, including when you\u2019re:

    ", + "
  • off sick
  • ", + "
  • on holiday
  • ", + "
  • temporarily laid off
  • ", + "
  • on maternity, paternity or adoption leave
  • ", + "
  • available to work, even if your employer has nothing for you to do
  • ", + "

    \u2018Payment in lieu\u2019 of notice period

    ", + "

    Your employer can ask you to leave immediately after handing in your notice.

    ", + "

    If they do, they\u2019ll probably offer you a one-off payment instead of allowing you to work out your notice period - called \u2018payment in lieu\u2019.

    ", + "

    You can only get payment in lieu if it\u2019s in your contract, or if you agree to it. If you don\u2019t agree to it, you can work out your notice period.

    ", + "

    Disputes over notice pay

    ", + "

    If you can\u2019t resolve a dispute about notice pay with your employer informally, you can follow your company\u2019s grievance procedures.

    ", + "

    If this doesn\u2019t work, you may be able to make a complaint to an employment tribunal for breach of contract.

    ", + "

    Gardening leave

    ", + "

    Your employer may ask you not to come into work, or to work at home or another location during your notice period. This is called \u2018gardening leave\u2019.

    ", + "

    You\u2019ll get the same pay and contractual benefits.

    ", + "

    Restrictive covenants

    ", + "

    There may be terms in your contract that says you can\u2019t work for a competitor or have contact with customers for a period of time after you leave the company.

    ", + "

    These are called \u2018restrictive covenants\u2019.

    ", + "

    Your company could take you to court if you breach the restrictive covenants in your contract.

    " + ] + }, + { + "title": "Lay-offs and short-time working", + "url": "https://www.gov.uk/lay-offs-short-timeworking", + "contents": [ + "

    Overview

    ", + "

    Your employer can ask you to stay at home or take unpaid leave if there\u2019s not enough work for you.

    ", + "

    A lay-off is if you\u2019re off work for at least 1 working day. Short-time working is when your hours are cut.

    ", + "

    How long you can be laid off

    ", + "

    There\u2019s no limit for how long you can be laid off or put on short-time. You could apply for redundancy and claim redundancy pay if it\u2019s been:

    ", + "
  • 4 weeks in a row
  • ", + "
  • 6 weeks in a 13-week period
  • ", + "

    Lay-off pay entitlement and short-time working payments

    ", + "

    You should get your full pay unless your contract allows unpaid or reduced pay lay-offs.

    ", + "

    If you\u2019re unpaid, you\u2019re entitled to guarantee pay.

    ", + "

    If you\u2019ve been told to take unpaid leave or reduced pay because of Coronavirus (COVID-19), your employer might still be able to pay 80% of your wages.

    ", + "

    Guarantee pay

    ", + "

    Rate and length of statutory lay-off pay

    ", + "

    You\u2019re entitled to guarantee pay during lay off or short-time working. The maximum you can get is \u00a330 a day for 5 days in any 3-month period - so a maximum of \u00a3150.

    ", + "

    If you usually earn less than \u00a330 a day you\u2019ll get your normal daily rate.

    ", + "

    If you work part-time, your entitlement is worked out proportionally.

    ", + "

    You cannot claim guarantee pay for any day that you do some work.

    ", + "

    Eligibility for statutory lay-off pay

    ", + "

    You must:

    ", + "
  • have been employed continuously for 1 month (includes part-time workers)
  • ", + "
  • reasonably make sure you\u2019re available for work
  • ", + "
  • not refuse any reasonable alternative work (including work not in your contract)
  • ", + "
  • not have been laid off because of industrial action
  • ", + "

    Statutory lay-off pay and your employment contract

    ", + "

    Your employer may have their own guarantee pay scheme. It cannot be less than the statutory arrangements. If you get your employer\u2019s payments, you do not get statutory lay-off pay on top of this.

    ", + "

    Not paying guarantee pay counts as an unlawful deduction from your wages - you could make a claim to an employment tribunal.

    ", + "

    Applying for redundancy

    ", + "

    You could apply for redundancy and claim redundancy pay if you\u2019ve been laid off without pay or put on short-time and receive less than half a week\u2019s pay for:

    ", + "
  • 4 or more weeks in a row
  • ", + "
  • 6 or more weeks in a 13-week period
  • ", + "
  • Write to your employer to claim redundancy within 4 weeks of the last day of the lay-off or short-time period.
  • ", + "
  • Your employer has 7 days to accept your claim or give you a written counter-notice.
  • ", + "
  • If your employer does not give you counter-notice, you can assume they\u2019ve accepted your redundancy claim.
  • ", + "
  • A counter-notice means your employer expects work will soon be available - it must start within 4 weeks and must last at least 13 weeks.
  • ", + "

    Your employer can withdraw their counter-notice in writing.

    ", + "

    Resigning

    ", + "

    You must resign to get redundancy pay. The timing is crucial - you have 3 weeks to hand in your notice, starting from:

    ", + "
  • 7 days after you gave written notice to your employer (if you did not get a counter-notice)
  • ", + "
  • the date your employer withdrew their counter-notice
  • ", + "

    You can get help from Citizens Advice.

    ", + "

    Extra work or claiming benefits

    ", + "

    You can take on another job while you\u2019re laid off or on short-time (unless your contract says you must not).

    ", + "

    You should:

    ", + "
  • get your employer\u2019s agreement
  • ", + "
  • make sure you\u2019re not working for a competitor
  • ", + "
  • make sure you\u2019re available for your original job once the lay-off or short-time ends
  • ", + "

    Benefits you can claim

    ", + "

    You might be able to get Universal Credit or \u2018new style\u2019 Jobseeker\u2019s Allowance (or both) while you\u2019re laid off or on short-time.

    " + ] + }, + { + "title": "Raise a grievance at work", + "url": "https://www.gov.uk/raise-grievance-at-work", + "contents": [ + "

    Overview

    ", + "

    If you\u2019re a worker and you\u2019ve tried solving a problem or concern informally by talking to your manager but you\u2019re not satisfied, you can make a formal grievance complaint in writing.

    ", + "

    Your employer should have a written grievance procedure that tells you what to do and what happens at each stage of the process. After raising the grievance you\u2019ll have a meeting to discuss the issue.

    ", + "

    You can appeal if you do not agree with your employer\u2019s decision.

    ", + "

    Read Acas\u2019s guide to discipline and grievances at work.

    ", + "

    Mediation can also help resolve a problem - this can take place at any time during the dispute.

    ", + "

    Following the Acas code of practice

    ", + "

    You and your employer should follow the Acas code of practice on disciplinary and grievance procedures.

    ", + "

    Otherwise, if you take your claim to an employment tribunal, any compensation you might get could be adjusted by up to 25%.

    ", + "

    Grievance procedure

    ", + "

    Your employer should put their grievance procedure in writing and share it with all staff, such as on the company intranet or in the HR manual.

    ", + "

    It should include information about:

    ", + "
  • how to set out the details of your grievance in writing
  • ", + "
  • who to send your letter to
  • ", + "
  • who to write to if the normal contact person is involved in the grievance
  • ", + "
  • a meeting with your employer to discuss the issue
  • ", + "
  • how to appeal your employer\u2019s decision
  • ", + "
  • how long each stage should take
  • ", + "

    Mediation

    ", + "

    Mediation is when an independent, impartial third party discusses a problem with you and your employer (or between you and another employee) to try and find a solution. It\u2019s often used after informal discussions have not solved the issue.

    ", + "

    Mediation is voluntary and confidential. The mediator cannot force you or your employer to accept a solution - both parties must agree on the way to solve the dispute.

    ", + "

    It should not be used for problems that have to be formally investigated (such as harassment or discrimination).

    ", + "

    Read the Acas guide on mediation for more information.

    ", + "

    You can find a mediation service in your area.

    ", + "

    Grievance meetings

    ", + "

    What happens at the meeting

    ", + "

    The aim of the meeting is to establish the facts and find a way to resolve the problem.

    ", + "

    Your employer will run the meeting. They\u2019ll normally go through the grievance and give the worker the chance to comment. You can bring supporting documents if you want.

    ", + "

    Who can attend meetings with you

    ", + "

    You can be accompanied to grievance meetings (and any appeal meetings) by a:

    ", + "
  • colleague
  • ", + "
  • trade union representative
  • ", + "

    You may also be able to bring a family member or Citizens Advice Bureau worker, depending on the HR procedure where you work.

    ", + "

    After the meeting

    ", + "

    Afterwards the employer will write to you setting out their decision along with:

    ", + "
  • details of any action they intend to take
  • ", + "
  • information about how to appeal
  • ", + "

    Appealing a grievance decision

    ", + "

    Your employer\u2019s grievance procedure will set out:

    ", + "
  • who you should submit your appeal to
  • ", + "
  • the time limit within which an appeal must be made
  • ", + "
  • information about any meetings that will be held
  • ", + "
  • how the appeal meeting will be run
  • ", + "

    You have the right to be accompanied during any appeal meetings. If possible, a manager who has not been involved in the process should handle the appeal.

    ", + "

    After the appeal meeting your employer should write to you setting out their final decision.

    " + ] + }, + { + "title": "Redundancy: your rights", + "url": "https://www.gov.uk/redundancy-your-rights", + "contents": [ + "

    Overview

    ", + "

    Redundancy is a form of dismissal from your job. It happens when employers need to reduce their workforce.

    ", + "

    If you\u2019re being made redundant, you might be eligible for certain things, including:

    ", + "
  • redundancy pay
  • ", + "
  • a notice period
  • ", + "
  • a consultation with your employer
  • ", + "
  • the option to move into a different job
  • ", + "
  • time off to find a new job
  • ", + "

    You also have specific rights if your employer is insolvent.

    ", + "

    If you\u2019ve been made redundant because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% of your wages.

    ", + "

    You must be selected for redundancy in a fair way, for example because of your level of experience or capability to do the job.

    ", + "

    You cannot be selected because of age, gender, or if you\u2019re disabled or pregnant. If you are, this could be classed as an unfair dismissal.

    ", + "

    Get advice

    ", + "

    You can get advice on redundancy from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.

    ", + "

    Being selected for redundancy

    ", + "

    Your employer should use a fair and objective way of selecting you for redundancy.

    ", + "

    Commonly used methods are:

    ", + "
  • last in, first out (employees with the shortest length of service are selected first)
  • ", + "
  • asking for volunteers (self-selection)
  • ", + "
  • disciplinary records
  • ", + "
  • staff appraisal markings, skills, qualifications and experience
  • ", + "

    Your employer can make you redundant without having to follow a selection process if your job no longer exists, for example if:

    ", + "
  • your employer is closing down a whole operation in a company and making all the employees working in it redundant
  • ", + "
  • you\u2019re the only employee in your part of the organisation
  • ", + "

    Your employer may offer you a different role if one is available.

    ", + "

    If your employer uses \u2018last in, first out\u2019, make sure it\u2019s not discrimination, for example if it means only young people are made redundant.

    ", + "

    Reapplying for your own job

    ", + "

    You might be asked to reapply for your own job, which could help your employer decide who to select.

    ", + "

    If you do not apply or you\u2019re unsuccessful in your application, you\u2019ll still have a job until your employer makes you redundant.

    ", + "

    Unfair selection

    ", + "

    You cannot be selected for the following reasons - your redundancy would be classed as an unfair dismissal:

    ", + "
  • sex
  • ", + "
  • gender reassignment
  • ", + "
  • marital status
  • ", + "
  • sexual orientation
  • ", + "
  • race
  • ", + "
  • disability
  • ", + "
  • religion or belief
  • ", + "
  • age
  • ", + "
  • your membership or non-membership of a trade union
  • ", + "
  • health and safety activities
  • ", + "
  • working pattern, for example part-time or fixed-term employees
  • ", + "
  • maternity leave, birth or pregnancy
  • ", + "
  • paternity leave, parental or dependants leave
  • ", + "
  • you\u2019re exercising your statutory rights
  • ", + "
  • whistleblowing, for example making disclosures about your employer\u2019s wrongdoing
  • ", + "
  • taking part in lawful industrial action lasting 12 weeks or less
  • ", + "
  • taking action on health and safety grounds
  • ", + "
  • doing jury service
  • ", + "
  • you\u2019re the trustee of a company pension scheme
  • ", + "

    Appealing the decision

    ", + "

    You can appeal if you feel that you\u2019ve been unfairly selected. Write to your employer explaining the reasons.

    ", + "

    You may be able to make a claim to an employment tribunal for unfair dismissal.

    ", + "

    Voluntary redundancy

    ", + "

    It\u2019s up to your employer whether they actually select you if you volunteer for redundancy.

    ", + "

    Your employer cannot just offer voluntary redundancy to age groups eligible for an early retirement package - this could be unlawful age discrimination.

    ", + "

    However, an early retirement package (for certain age groups) could be one element of a voluntary redundancy offer open to all employees.

    ", + "

    Apprentices

    ", + "

    Talk to your manager and training provider if you\u2019re an apprentice and you\u2019re worried about being made redundant.

    ", + "

    Your training provider or the National Apprenticeship Service might be able to help you find another employer to help you complete your apprenticeship.

    ", + "

    Apprenticeships are different in Scotland, Wales and Northern Ireland.

    ", + "

    Redundancy pay

    ", + "

    You\u2019ll normally be entitled to statutory redundancy pay if you\u2019re an employee and you\u2019ve been working for your current employer for 2 years or more.

    ", + "

    You\u2019ll get:

    ", + "
  • half a week\u2019s pay for each full year you were under 22
  • ", + "
  • one week\u2019s pay for each full year you were 22 or older, but under 41
  • ", + "
  • one and half week\u2019s pay for each full year you were 41 or older
  • ", + "

    Length of service is capped at 20 years.

    ", + "

    Your weekly pay is the average you earned per week over the 12 weeks before the day you got your redundancy notice.

    ", + "

    If you were paid less than usual because you were \u2018on furlough\u2019 because of coronavirus, your redundancy pay is based on what you would have earned normally.

    ", + "

    If you were made redundant on or after 6 April 2021, your weekly pay is capped at \u00a3544 and the maximum statutory redundancy pay you can get is \u00a316,320. If you were made redundant before 6 April 2021, these amounts will be lower.

    ", + "

    Calculate your redundancy pay.

    ", + "

    Redundancy pay (including any severance pay) under \u00a330,000 is not taxable.

    ", + "

    Your employer will deduct tax and National Insurance contributions from any wages or holiday pay they owe you.

    ", + "

    Exceptions

    ", + "

    You\u2019re not entitled to statutory redundancy pay if:

    ", + "
  • your employer offers to keep you on
  • ", + "
  • your employer offers you suitable alternative work which you refuse without good reason
  • ", + "

    Being dismissed for misconduct does not count as redundancy, so you would not get redundancy pay if this happened.

    ", + "

    You\u2019re not entitled to statutory redundancy pay if you fall into one or more of the following categories:

    ", + "
  • former registered dock workers (covered by other arrangements) and share fishermen
  • ", + "
  • crown servants, members of the armed forces or police services
  • ", + "
  • apprentices who are not employees at the end of their training
  • ", + "
  • a domestic servant who is a member of the employer\u2019s immediate family
  • ", + "

    Short-term and temporary lay-offs

    ", + "

    You can claim statutory redundancy pay if you\u2019re eligible and you\u2019ve been temporarily laid off (without pay or less than half a week\u2019s pay) for either:

    ", + "
  • more than 4 weeks in a row
  • ", + "
  • more than 6 non-consecutive weeks in a 13 week period
  • ", + "

    Write to your employer telling them you intend to claim statutory redundancy pay. This must be done within 4 weeks of your last non-working day in the 4 or 6 week period.

    ", + "

    If your employer does not reject your claim within 7 days of receiving it, write to your employer again giving them your notice.

    ", + "

    Your claim could be rejected if your normal work is likely to start within 4 weeks and continue for at least 13 weeks.

    ", + "

    Notice periods

    ", + "

    You must be given a notice period before your employment ends.

    ", + "

    The statutory redundancy notice periods are:

    ", + "
  • at least one week\u2019s notice if employed between one month and 2 years
  • ", + "
  • one week\u2019s notice for each year if employed between 2 and 12 years
  • ", + "
  • 12 weeks\u2019 notice if employed for 12 years or more
  • ", + "

    Check your contract. Your employer may give you more than the statutory minimum, but they cannot give you less.

    ", + "

    Notice pay

    ", + "

    As well as statutory redundancy pay, your employer should either:

    ", + "
  • pay you through your notice period
  • ", + "
  • pay you in lieu of notice depending on your circumstances
  • ", + "

    Your notice pay is based on the average you earned per week over the 12 weeks before your notice period starts.

    ", + "

    If you were paid less than usual because you were \u2018on furlough\u2019 because of coronavirus, your notice pay is based on what you would have earned normally.

    ", + "

    Payment in lieu of notice

    ", + "

    Your employment can be ended without notice if \u2018payment in lieu of notice\u2019 is included in your contract. Your employer will pay you instead of giving you a notice period.

    ", + "

    You get all of the basic pay you would\u2019ve received during the notice period. You may get extras such as pension contributions or private health care insurance if they\u2019re in your contract.

    ", + "

    Your employer may still offer you payment in lieu of notice, even if your contract does not mention it. If you accept, you should receive full pay and any extras that are in your contract.

    ", + "

    Consultation

    ", + "

    You\u2019re entitled to a consultation with your employer if you\u2019re being made redundant. This involves speaking to them about:

    ", + "
  • why you\u2019re being made redundant
  • ", + "
  • any alternatives to redundancy
  • ", + "

    If your employer is making up to 19 redundancies, there are no rules about how they should carry out the consultation. If they\u2019re making 20 or more redundancies at the same time, the collective redundancy rules apply.

    ", + "

    You can make a claim to an employment tribunal if your employer does not consult properly, for example if they start late, or do not consult at all.

    ", + "

    Collective redundancy rules

    ", + "

    If your employer is making 20 or more employees redundant at the same time, the consultation should take place between your employer and a representative (rep).

    ", + "

    This will either be:

    ", + "
  • a trade union rep (if you\u2019re represented by a trade union)
  • ", + "
  • an elected employee rep (if you\u2019re not represented by a trade union, or if your employer does not recognise your trade union)
  • ", + "

    Collective consultations must cover:

    ", + "
  • ways to avoid redundancies
  • ", + "
  • the reasons for redundancies
  • ", + "
  • how to keep the number of dismissals to a minimum
  • ", + "
  • how to limit the effects for employees involved, for example by offering retraining
  • ", + "

    Your employer must also meet certain legal requirements for collective consultations.

    ", + "

    Length of consultation

    ", + "

    There\u2019s no time limit for how long the period of consultation should be, but the minimum is:

    ", + "
  • 20 to 99 redundancies - the consultation must start at least 30 days before any dismissals take effect
  • ", + "
  • 100 or more redundancies - the consultation must start at least 45 days before any dismissals take effect
  • ", + "

    Electing employee reps

    ", + "

    If you\u2019re an employee affected by the proposed redundancies you can:

    ", + "
  • stand for election as an employee rep
  • ", + "
  • vote for other reps
  • ", + "

    Fixed-term contract employees

    ", + "

    Your employer does not need to include you in collective consultation if you\u2019re employed under a fixed-term contract, except if they\u2019re ending your contract early because of redundancy.

    ", + "

    Suitable alternative employment

    ", + "

    Your employer might offer you \u2018suitable alternative employment\u2019 within your organisation or an associated company.

    ", + "

    Whether a job is suitable depends on:

    ", + "
  • how similar the work is to your current job
  • ", + "
  • the terms of the job being offered
  • ", + "
  • your skills, abilities and circumstances in relation to the job
  • ", + "
  • the pay (including benefits), status, hours and location
  • ", + "

    Your redundancy could be an unfair dismissal if your employer has suitable alternative employment and they do not offer it to you.

    ", + "

    Refusing an offer

    ", + "

    You may lose your right to statutory redundancy pay if you unreasonably turn down suitable alternative employment.

    ", + "

    You can make a claim to an employment tribunal if you think the job you\u2019ve been offered is not suitable.

    ", + "

    Trial periods

    ", + "

    You have the right to a 4 week trial period for any alternative employment you\u2019re offered.

    ", + "

    The 4 week period could be extended if you need training. Any extension must be agreed in writing before the trial period starts.

    ", + "

    Tell your employer during the trial period if you decide the new job is not suitable. This will not affect your employment rights, including your right to statutory redundancy pay.

    ", + "

    You\u2019ll lose your right to claim statutory redundancy pay if you do not give notice within the 4 week trial period.

    ", + "

    Time off for job hunting

    ", + "

    If you\u2019ve been continuously employed for 2 years by the date your notice period ends, you\u2019re allowed a reasonable amount of time off to:

    ", + "
  • look for another job
  • ", + "
  • arrange training to help you find another job
  • ", + "

    How long you can take will depend on your circumstances.

    ", + "

    No matter how much time you take off to look for another job, the most your employer has to pay you is 40% of one week\u2019s pay.

    ", + "

    Get help finding a new job

    ", + "

    You can get help from the Jobcentre Plus Rapid Response Service to:

    ", + "
  • write CVs and find jobs
  • ", + "
  • find information on benefits
  • ", + "
  • find the right training and learn new skills
  • ", + "
  • organise work trials (if you\u2019re eligible)
  • ", + "
  • get any extra help at work if you\u2019re disabled, for example Access to Work
  • ", + "

    You may also be able to get help with costs, such as:

    ", + "
  • travel to work expenses
  • ", + "
  • childcare
  • ", + "
  • tools or equipment
  • ", + "
  • vocational training - you must be in your notice period to be considered
  • ", + "

    There\u2019s a different service if you\u2019re in Scotland or Wales.

    ", + "

    Get in touch

    ", + "

    You can contact the Rapid Response Service:

    ", + "
  • if you suspect you\u2019re going to be made redundant
  • ", + "
  • during your notice period
  • ", + "
  • up to 13 weeks after you\u2019ve been made redundant
  • ", + "

    Further information and support

    ", + "

    You can read more about finding a job, how your pension might be affected, and what benefits you could get.

    " + ] + }, + { + "title": "The new State Pension", + "url": "https://www.gov.uk/new-state-pension", + "contents": [ + "

    Eligibility

    ", + "

    You\u2019ll be able to claim the new State Pension if you\u2019re:

    ", + "
  • a man born on or after 6 April 1951
  • ", + "
  • a woman born on or after 6 April 1953
  • ", + "

    The earliest you can get the new State Pension is when you reach State Pension age.

    ", + "

    If you reached State Pension age before 6 April 2016, you\u2019ll get the State Pension under the old rules instead.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Your National Insurance record

    ", + "

    You\u2019ll usually need at least 10 qualifying years on your National Insurance record to get any State Pension. They do not have to be 10 qualifying years in a row.

    ", + "

    This means for 10 years at least one or more of the following applied to you:

    ", + "
  • you were working and paid National Insurance contributions
  • ", + "
  • you were getting National Insurance credits for example if you were unemployed, ill or a parent or carer
  • ", + "
  • you were paying voluntary National Insurance contributions
  • ", + "

    If you\u2019ve lived or worked abroad you might still be able to get some new State Pension.

    ", + "

    You might also qualify if you\u2019ve paid married women\u2019s or widow\u2019s reduced rate contributions.

    ", + "

    Working after State Pension age

    ", + "

    You do not have to stop working when you reach State Pension age but you\u2019ll no longer have to pay National Insurance. You can also request flexible working arrangements.

    ", + "

    What you'll get

    ", + "

    The full new State Pension is \u00a3179.60 per week.

    ", + "

    The actual amount you get depends on your National Insurance record.

    ", + "

    The only reasons the amount can be higher are if:

    ", + "
  • you have over a certain amount of Additional State Pension
  • ", + "
  • you defer (delay) taking your State Pension
  • ", + "

    You can get a State Pension forecast to find out how much you could get and when.

    ", + "

    You can still get a State Pension if you have other income like a personal pension or a workplace pension.

    ", + "

    You might have to pay tax on your State Pension.

    ", + "

    If you\u2019ve reached State Pension age and you\u2019re on a low income, you may also qualify for Pension Credit, even if you\u2019ve saved money for retirement.

    ", + "

    How it\u2019s paid

    ", + "

    After you\u2019ve made a claim you\u2019ll get a letter about your payments.

    ", + "

    The new State Pension is usually paid every 4 weeks into an account of your choice. You\u2019re paid in arrears (for the last 4 weeks, not the coming 4 weeks).

    ", + "

    There are different rules if you live abroad.

    ", + "

    Your first payment

    ", + "

    Your first payment will be within 5 weeks of reaching State Pension age. You\u2019ll get a full payment every 4 weeks after that.

    ", + "

    You might get part of a payment before your first full payment. The letter will tell you what to expect.

    ", + "

    Your payment day

    ", + "

    The day your pension is paid depends on your National Insurance number.

    ", + "

    You might be paid earlier if your normal payment day is a bank holiday.

    ", + "Last 2 digits of your National Insurance number | Payment day of the week", + "00 to 19 | Monday", + "20 to 39 | Tuesday", + "40 to 59 | Wednesday", + "60 to 79 | Thursday", + "80 to 99 | Friday", + "

    How to claim

    ", + "

    You will not get your new State Pension automatically - you have to claim it. You should get a letter no later than 2 months before you reach State Pension age, telling you what to do.

    ", + "

    If you have not received an invitation letter, but you are within 4 months of reaching your State Pension age you can still make a claim.

    ", + "

    The quickest way to get your State Pension is to apply online.

    ", + "

    Apply now

    ", + "

    How to claim is different if you claim from Northern Ireland.

    ", + "

    Other ways to apply

    ", + "

    You can also:

    ", + "
  • print off and post the State Pension claim form to the Pension Service
  • ", + "
  • phone the Pension Service to get a State Pension claim form posted to you
  • ", + "

    Send your completed form to:

    ", + "

    There\u2019s a different way to claim your pension from abroad, including the Channel Islands.

    ", + "

    If you want to keep working

    ", + "

    You can claim your new State Pension even if you carry on working. However, you have the option to defer which can increase the amount you get.

    ", + "

    Claiming an Isle of Man pension

    ", + "

    If you\u2019re eligible for a state pension from the Isle of Man, you\u2019ll need to claim it separately from your UK new State Pension.

    ", + "

    Find out if you\u2019re eligible and how to claim your Isle of Man pension.

    ", + "

    You\u2019ll get one payment for your UK pension and a separate payment for your Isle of Man pension.

    ", + "

    You cannot defer an Isle of Man pension after 6 April 2016.

    ", + "

    How it's calculated

    ", + "

    The full new State Pension is \u00a3179.60 per week. What you\u2019ll receive is based on your National Insurance record.

    ", + "

    Valuing your National Insurance contributions and credits made before 6 April 2016

    ", + "

    Your National Insurance record before 6 April 2016 is used to calculate your \u2018starting amount\u2019. This is part of your new State Pension.

    ", + "

    Your starting amount will be the higher of either:

    ", + "
  • the amount you would get under the old State Pension rules (which includes basic State Pension and Additional State Pension)
  • ", + "
  • the amount you would get if the new State Pension had been in place at the start of your working life
  • ", + "

    Your starting amount will include a deduction if you were contracted out of the Additional State Pension. You may have been contracted out because you were in a certain type of workplace, personal or stakeholder pension.

    ", + "

    If your starting amount is less than the full new State Pension

    ", + "

    You can get more State Pension by adding more qualifying years to your National Insurance record after 5 April 2016. You can do this until you reach the full new State Pension amount or reach State Pension age - whichever is first.

    ", + "

    Each qualifying year on your National Insurance record after 5 April 2016 will add about \u00a35.13 a week to your new State Pension. The exact amount you get is calculated by dividing \u00a3179.60 by 35 and then multiplying by the number of qualifying years after 5 April 2016.

    ", + "

    If your starting amount is more than the full new State Pension

    ", + "

    The part of your starting amount which is above the full new State Pension is called your \u2018protected payment\u2019. This is paid on top of the full new State Pension.

    ", + "

    Any qualifying years you have after 5 April 2016 will not add more to your State Pension.

    ", + "

    You did not make National Insurance contributions or get National Insurance credits before 6 April 2016

    ", + "

    Your State Pension will be calculated entirely under the new State Pension rules.

    ", + "

    You\u2019ll usually need at least 10 qualifying years on your National Insurance record to get any State Pension.

    ", + "

    You\u2019ll need 35 qualifying years to get the full new State Pension.

    ", + "

    You\u2019ll get a proportion of the new State Pension if you have between 10 and 35 qualifying years.

    ", + "

    Your new State Pension is more likely to be calculated in this way if you were born after the year 2000 or became a resident of the UK after 2015.

    ", + "

    Annual increases

    ", + "

    The new State Pension increases each year by whichever is the highest:

    ", + "
  • earnings \u2013 the average percentage growth in wages (in Great Britain)
  • ", + "
  • prices \u2013 the percentage growth in prices in the UK as measured by the Consumer Prices Index (CPI)
  • ", + "
  • 2.5%
  • ", + "

    If you have a protected payment, it increases each year in line with the CPI.

    ", + "

    Get a State Pension forecast

    ", + "

    You can get a State Pension forecast to find out how much new State Pension you may get.

    ", + "

    Further information

    ", + "

    You can read \u2018Your new State Pension explained\u2019 for more detailed information about the changes to the State Pension scheme.

    ", + "

    You've been in a workplace, personal or stakeholder pension

    ", + "

    Your starting amount may include a deduction if you were in certain:

    ", + "
  • earnings-related pension schemes at work (such as a final salary or career average pension) before 6 April 2016
  • ", + "
  • workplace, personal or stakeholder pensions before 6 April 2012
  • ", + "

    You may have paid lower National Insurance contributions and paid into one of these pensions instead. This is known as being \u2018contracted out\u2019 of the Additional State Pension and will affect most people who have been in work.

    ", + "

    You can check with your pension provider if you\u2019ve been contracted out in the past. The Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.

    ", + "

    Changes to contracting out from 6 April 2016

    ", + "

    On 6 April 2016 these rules changed so that if you were contracted out:

    ", + "
  • you\u2019ll no longer be contracted out
  • ", + "
  • you\u2019ll pay more National Insurance (the standard amount)
  • ", + "

    Check if you were contracted out

    ", + "

    Check your old payslips. You were contracted out if the National Insurance contributions line has the letter D or N next to it. You were not contracted out if it has a letter A.

    ", + "

    If there\u2019s a different letter, check with your employer or pension provider.

    ", + "

    You\u2019re more likely to have been contracted out if you worked in the public sector, for example:

    ", + "
  • the NHS
  • ", + "
  • local councils
  • ", + "
  • fire services
  • ", + "
  • the civil service
  • ", + "
  • teaching
  • ", + "
  • police forces
  • ", + "
  • the armed forces
  • ", + "

    You paid National Insurance at a lower rate if you were contracted out.

    ", + "

    Your National Insurance record and your State Pension

    ", + "

    Your new State Pension is based on your National Insurance record when you reach State Pension age.

    ", + "

    You\u2019ll usually need to have 10 qualifying years on your National Insurance record to get any new State Pension.

    ", + "

    You may get less than the new full State Pension if you were contracted out before 6 April 2016.

    ", + "

    You may get more than the new full State Pension if you would have had over a certain amount of Additional State Pension under the old rules.

    ", + "

    You\u2019ll need 35 qualifying years to get the new full State Pension if you do not have a National Insurance record before 6 April 2016.

    ", + "

    Qualifying years if you\u2019re working

    ", + "

    When you\u2019re working you pay National Insurance and get a qualifying year if:

    ", + "
  • you\u2019re employed and earning over \u00a3184 a week from one employer
  • ", + "
  • you\u2019re self-employed and paying National Insurance contributions
  • ", + "

    You might not pay National Insurance contributions because you\u2019re earning less than \u00a3184 a week. You may still get a qualifying year if you earn between \u00a3120 and \u00a3184 a week from one employer.

    ", + "

    Qualifying years if you\u2019re not working

    ", + "

    You may get National Insurance credits if you cannot work - for example because of illness or disability, or if you\u2019re a carer or you\u2019re unemployed.

    ", + "

    For example, you can get National Insurance credits if you:

    ", + "
  • claim Child Benefit for a child under 12 (or under 16 before 2010)
  • ", + "
  • get Jobseeker\u2019s Allowance or Employment and Support Allowance
  • ", + "
  • get Carer\u2019s Allowance
  • ", + "

    You\u2019re not working or getting National Insurance credits

    ", + "

    You might be able to pay voluntary National Insurance contributions if you\u2019re not in one of these groups but want to increase your State Pension amount.

    ", + "

    Gaps in your National Insurance record

    ", + "

    You can have gaps in your National Insurance record and still get the full new State Pension.

    ", + "

    You can get a State Pension forecast which will tell you how much State Pension you may get. You can then apply for a National Insurance statement from HM Revenue and Customs (HMRC) to check if your record has gaps.

    ", + "

    If you have gaps in your National Insurance record that would prevent you from getting the full new State Pension, you may be able to:

    ", + "
  • get National Insurance credits
  • ", + "
  • make voluntary National Insurance contributions
  • ", + "

    Inheriting or increasing State Pension from a spouse or civil partner

    ", + "

    You might be able to inherit an extra payment on top of your new State Pension if you\u2019re widowed.

    ", + "

    You will not be able to inherit anything if you remarry or form a new civil partnership before you reach State Pension age.

    ", + "

    Inheriting Additional State Pension

    ", + "

    You might inherit part of your deceased partner\u2019s Additional State Pension if your marriage or civil partnership with them began before 6 April 2016 and one of the following applies:

    ", + "
  • your partner reached State Pension age before 6 April 2016
  • ", + "
  • they died before 6 April 2016 but would have reached State Pension age on or after that date
  • ", + "

    It will be paid with your State Pension.

    ", + "

    Inheriting a protected payment

    ", + "

    You\u2019ll inherit half of your partner\u2019s protected payment if your marriage or civil partnership with them began before 6 April 2016 and:

    ", + "
  • their State Pension age is on or after 6 April 2016
  • ", + "
  • they died on or after 6 April 2016
  • ", + "

    It will be paid with your State Pension.

    ", + "

    Inheriting extra State Pension or a lump sum

    ", + "

    You may inherit part of or all of your partner\u2019s extra State Pension or lump sum if:

    ", + "
  • they died while they were deferring their State Pension (before claiming) or they had started claiming it after deferring
  • ", + "
  • they reached State Pension age before 6 April 2016
  • ", + "
  • you were married or in the civil partnership when they died
  • ", + "

    Your partner\u2019s National Insurance record and your State Pension

    ", + "

    The new State Pension is based on your own National Insurance record.

    ", + "

    If you paid married women\u2019s or widows\u2019 reduced rate National Insurance, you might be able to increase your new State Pension if you\u2019re eligible.

    ", + "

    If you get divorced or dissolve your civil partnership

    ", + "

    The courts can make a \u2018pension sharing order\u2019 if you get divorced or dissolve your civil partnership.

    ", + "

    You\u2019ll get an extra payment on top of your State Pension if your ex-partner is ordered to share their Additional State Pension or protected payment with you.

    ", + "

    Your State Pension will be reduced if you\u2019re ordered to share your Additional State Pension or protected payment with your partner.

    ", + "

    Living and working overseas

    ", + "

    If you live or work in another country, you might be able to contribute towards that country\u2019s State Pension scheme.

    ", + "

    If you\u2019ve lived or worked in another country in the past, you might be eligible for that country\u2019s state pension and a UK State Pension.

    ", + "

    To check if you can pay into or receive another country\u2019s state pension, contact the pension service for that country.

    ", + "

    Claiming another country\u2019s state pension

    ", + "

    Depending on where you\u2019ve lived or worked, you may need to make more than one pension claim.

    ", + "

    European Economic Area (EEA) countries, Gibraltar and Switzerland

    ", + "

    You only need to claim your state pension in the last country where you lived or worked. Your claim will cover all EEA countries, Gibraltar and Switzerland. You do not need to claim for each country separately.

    ", + "

    Countries outside the EEA (except Switzerland)

    ", + "

    You need to claim your pension from each country separately.

    ", + "

    Check with the pension service for the country where you\u2019ve lived or worked to find out how to make a claim.

    ", + "

    Your UK State Pension if you\u2019ve lived or worked abroad

    ", + "

    Your UK State Pension will be based on your UK National Insurance record. You need 10 years of UK National Insurance contributions to be eligible for the new State Pension.

    ", + "

    You may be able to use time spent abroad to make up the 10 qualifying years. This is most likely if you\u2019ve lived or worked in:

    ", + "
  • the EEA
  • ", + "
  • Switzerland
  • ", + "
  • Gibraltar
  • ", + "
  • certain countries that have a social security agreement with the UK
  • ", + "

    You want to retire overseas

    ", + "

    You can claim the new State Pension overseas in most countries.

    ", + "

    Your State Pension will increase each year but only if you live in:

    ", + "
  • the EEA
  • ", + "
  • Gibraltar
  • ", + "
  • Switzerland
  • ", + "
  • certain countries that have a social security agreement with the UK
  • ", + "

    Your new State Pension may be affected if your circumstances change. You can get more information from the International Pension Centre.

    " + ] + }, + { + "title": "The basic State Pension", + "url": "https://www.gov.uk/state-pension", + "contents": [ + "

    Overview

    ", + "

    You can claim the basic State Pension if you\u2019re:

    ", + "
  • a man born before 6 April 1951
  • ", + "
  • a woman born before 6 April 1953
  • ", + "

    If you were born later, you\u2019ll need to claim the new State Pension instead.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    To get the basic State Pension you must have paid or been credited with National Insurance contributions.

    ", + "

    The most you can currently get is \u00a3137.60 per week.

    ", + "

    The basic State Pension increases every year by whichever is the highest of the following:

    ", + "
  • earnings - the average percentage growth in wages (in Great Britain)
  • ", + "
  • prices - the percentage growth in prices in the UK as measured by the Consumer Prices Index (CPI)
  • ", + "
  • 2.5%
  • ", + "

    Eligibility

    ", + "

    You\u2019re eligible for the basic State Pension if you were born before:

    ", + "
  • 6 April 1951 if you\u2019re a man
  • ", + "
  • 6 April 1953 if you\u2019re a woman
  • ", + "

    If you were born on or after these dates you must claim the new State Pension.

    ", + "

    The earliest you can get the basic State Pension is when you reach State Pension age.

    ", + "

    To get the full basic State Pension you need a total of 30 qualifying years of National Insurance contributions or credits. This means you were either:

    ", + "
  • working and paying National Insurance
  • ", + "
  • getting National Insurance Credits, for example for unemployment, sickness or as a parent or carer
  • ", + "
  • paying voluntary National Insurance contributions
  • ", + "

    If you have fewer than 30 qualifying years, your basic State Pension will be less than \u00a3137.60 per week but you might be able to top up by paying voluntary National Insurance contributions.

    ", + "

    To get information about your basic State Pension, contact the Pension Service or the International Pension Centre if you live abroad.

    ", + "

    Married or in a civil partnership

    ", + "

    If you\u2019re not eligible for a basic State Pension or you\u2019re not getting the full amount, you might qualify for a \u2018top up\u2019 to \u00a382.45 per week through your spouse\u2019s or civil partner\u2019s National Insurance contributions.

    ", + "

    You can get the \u2018top up\u2019 if both of you have reached State Pension age and either:

    ", + "
  • your spouse or civil partner reached State Pension age before 6 April 2016 and qualifies for some basic State Pension, even if they have not claimed it
  • ", + "
  • your spouse or civil partner reached State Pension age on or after 6 April 2016 and has at least one qualifying year of National Insurance contributions or credits from before 6 April 2016, even if they do not qualify for any new State Pension or they have not claimed it
  • ", + "

    If your spouse or civil partner was born before 6 April 1950, you can only get the \u2018top up\u2019 if you\u2019re a woman who is married to either:

    ", + "
  • a man
  • ", + "
  • a woman who legally changed their gender from male to female during your marriage
  • ", + "

    If you\u2019re not getting the \u2018top up\u2019 but think you qualify, contact the Pension Service.

    ", + "

    You need to contact the Pension Service to claim your \u2018top up\u2019 if you\u2019re a married woman and:

    ", + "
  • your spouse reached State Pension age before 17 March 2008
  • ", + "
  • you reached State Pension age before your spouse
  • ", + "

    You\u2019ll get any Additional State Pension or Graduated Retirement Benefit based on your own contributions in addition to the \u2018top up\u2019.

    ", + "

    You do not qualify for a State Pension

    ", + "

    If you\u2019re not covered by any of these groups but want a State Pension you might be able to pay voluntary National Insurance contributions.

    ", + "

    Men born before 1945 and women born before 1950

    ", + "

    You need more qualifying years to get a full State Pension and a certain minimum number of years to get any State Pension at all.

    ", + " | Number of years needed for a full State Pension | Number of years needed for any State Pension", + "Men born before 6 April 1945 | 44 | 11", + "Women born before 6 April 1950 | 39 | 10", + "

    Transgender people

    ", + "

    Your State Pension might be affected if you\u2019re a transgender person and you:

    ", + "
  • were born between 24 December 1919 and 3 April 1945
  • ", + "
  • were claiming State Pension before 4 April 2005
  • ", + "
  • can provide evidence that your gender reassignment surgery took place before 4 April 2005
  • ", + "

    Find out more and contact the Gender Recognition team.

    ", + "

    You do not need to do anything if you legally changed your gender and started claiming State Pension on or after 4 April 2005 - you\u2019ll already be claiming based on your legal gender.

    ", + "

    What you'll get

    ", + "

    Check if you need to claim the new State Pension instead.

    ", + "

    The full basic State Pension is \u00a3137.60 per week. There are ways you can increase your State Pension up to or above the full amount.

    ", + "

    You may have to pay tax on your State Pension.

    ", + "

    To get information about your State Pension, contact the Pension Service.

    ", + "

    How it\u2019s paid

    ", + "

    The day your pension is paid depends on your National Insurance number.

    ", + "Last 2 digits of your National Insurance number | Day your State Pension gets paid", + "00 to 19 | Monday", + "20 to 39 | Tuesday", + "40 to 59 | Wednesday", + "60 to 79 | Thursday", + "80 to 99 | Friday", + "

    Your first payment is made at the end of the first full week after you reach State Pension age. If you deferred your State Pension, you\u2019ll get your first payment at the end of the first full week in which you want to start getting your pension.

    ", + "

    Your first payment will not include the time between reaching State Pension age and your normal payment day if that\u2019s less than one week.

    ", + "

    The basic State Pension is usually paid every 4 weeks into an account of your choice. You\u2019re paid \u2018in arrears\u2019, which means you\u2019re paid for the last 4 weeks, not for the coming 4 weeks.

    ", + "

    There are different rules if you live abroad.

    ", + "

    Adult Dependency Increase

    ", + "

    Adult Dependency Increase payments have stopped. You may be eligible to apply for Pension Credit or Universal Credit.

    ", + "

    How to claim

    ", + "

    You will not get your State Pension automatically - you have to claim it.

    ", + "

    Check if you need to claim the new State Pension instead.

    ", + "

    There are 3 ways to claim the basic State Pension:

    ", + "
  • over the phone
  • ", + "
  • print off and post the State Pension claim form to the Pension Service
  • ", + "
  • claim from abroad including the Channel Islands
  • ", + "

    How to claim is different if you claim from Northern Ireland.

    ", + "

    You want to keep working

    ", + "

    You can claim your State Pension even if you carry on working.

    ", + "

    Increase the amount you'll get

    ", + "

    There are ways you can increase your basic State Pension if you:

    ", + "
  • are not eligible for the full amount (\u00a3137.60 per week)
  • ", + "
  • want to receive more than the full amount
  • ", + "

    You should get financial advice when planning your retirement income.

    ", + "

    Voluntary National Insurance contributions

    ", + "

    You need 30 years of National Insurance contributions to be eligible for the full basic State Pension.

    ", + "

    If you have gaps in your insurance record, you may be able to make voluntary contributions to increase your pension.

    ", + "

    Delay (defer) your State Pension

    ", + "

    Deferring your State Pension could increase your payments when you decide to claim. The basic State Pension increases by 1% for every 5 weeks you defer.

    ", + "

    The extra amount is paid with your regular State Pension and can be claimed on top of the full basic State Pension amount.

    ", + "

    Other ways you could increase your pension

    ", + "

    If you\u2019re married or in a civil partnership you may be eligible to increase your basic State Pension to \u00a382.45 per week. Check if you qualify.

    ", + "

    You might also qualify for the Additional State Pension or, if you\u2019re on a low income, Pension Credit.

    ", + "

    Inheritance

    ", + "

    If your spouse or civil partner reached State Pension age before 6 April 2016, they should contact the Pension Service when you die to check what they can claim.

    ", + "

    They may be able to increase their basic State Pension by using your qualifying years if they do not already get the full amount.

    ", + "

    If they reached State Pension age on or after 6 April 2016 or are under State Pension age when you die, they can check what inheritance they might be entitled to.

    ", + "

    You\u2019re single or divorced

    ", + "

    If you\u2019re single, divorced or your civil partnership was dissolved and you die after you\u2019ve reached State Pension age, your estate can claim up to 3 months of your basic State Pension. They can only do this if you had not claimed it.

    ", + "

    Extra money from deferring your State Pension

    ", + "

    If you decided to defer your State Pension and built up an extra amount, your spouse or civil partner may either claim the extra State Pension or get a lump sum.

    ", + "

    If you deferred for less than 12 months your spouse or civil partner can only get extra State Pension, not a lump sum.

    ", + "

    If you deferred for 12 months or more they can choose to get extra State Pension or a lump sum payment. Provided they have not remarried or formed a new civil partnership since your death they can get this when they reach State Pension age.

    ", + "

    State Pension top up

    ", + "

    If you topped up your State Pension (between 12 October 2015 and 5 April 2017), your spouse or civil partner may be able to inherit some or all of your top up.

    ", + "

    Change of circumstances

    ", + "

    You must tell the Pension Service if anything in your circumstances changes, for example if you:

    ", + "
  • move home
  • ", + "
  • go into or come out of hospital
  • ", + "
  • move abroad or return to the UK
  • ", + "
  • go into a care home
  • ", + "
  • change your bank account
  • ", + "
  • marry or form a civil partnership
  • ", + "
  • get divorced or have your civil partnership dissolved
  • ", + "
  • are widowed or your civil partner dies
  • ", + "
  • change your gender
  • ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay overpaid money.

    " + ] + }, + { + "title": "Additional State Pension", + "url": "https://www.gov.uk/additional-state-pension", + "contents": [ + "

    Overview

    ", + "

    The Additional State Pension is an extra amount of money you could get on top of your basic State Pension if you\u2019re:

    ", + "
  • a man born before 6 April 1951
  • ", + "
  • a woman born before 6 April 1953
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You get the new State Pension if you were born on or after this date. You will not qualify for the Additional State Pension, but you might still be able to inherit Additional State Pension from your partner.

    ", + "

    You get the Additional State Pension automatically if you\u2019re eligible for it, unless you\u2019ve contracted out of it.

    ", + "

    The Additional State Pension is paid with your basic State Pension.

    ", + "

    What you'll get

    ", + "

    There is no fixed amount for the Additional State Pension.

    ", + "

    How much you get depends on:

    ", + "
  • how many years you paid National Insurance for
  • ", + "
  • your earnings
  • ", + "
  • whether you\u2019ve contracted out of the scheme
  • ", + "
  • whether you topped up your basic State Pension (this was only possible between 12 October 2015 and 5 April 2017)
  • ", + "

    How you\u2019re paid

    ", + "

    The Additional State Pension is paid with your basic State Pension into your bank account.

    ", + "

    Eligibility

    ", + "

    You reached State Pension age on or after 6 April 2016

    ", + "

    You will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.

    ", + "

    You reached State Pension age before 6 April 2016

    ", + "

    If you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.

    ", + "

    You may not get any Additional State Pension for periods when you were contracted out of it.

    ", + "

    When you have contributed to the Additional State Pension

    ", + "

    The Additional State Pension is made up of 3 schemes. You might have contributed to more than one, depending on:

    ", + "
  • how long you\u2019ve been working
  • ", + "
  • whether you chose to top up your State Pension
  • ", + "Time | Scheme | You contributed if", + "2002 to 2016 | State Second Pension | You were employed or claiming certain benefits", + "1978 to 2002 | State Earnings-Related Pension Scheme (SERPS) | You were employed", + "12 October 2015 to 5 April 2017 | State Pension top up | You reached State Pension age before 6 April 2016 and opted in", + "

    The State Second Pension since 2002

    ", + "

    You contributed through your National Insurance contributions if at any time between 6 April 2002 and 5 April 2016 you were:

    ", + "
  • employed and earning at least the lower earnings limit - this was \u00a35,824 in the 2015 to 2016 tax year
  • ", + "
  • looking after children under 12 and claiming Child Benefit
  • ", + "
  • caring for a sick or disabled person more than 20 hours a week and claiming Carer\u2019s Credit
  • ", + "
  • working as a registered foster carer and claiming Carer\u2019s Credit
  • ", + "
  • receiving certain other benefits due to illness or disability
  • ", + "

    Contracting out

    ", + "

    You could only contract out of the Additional State Pension if your employer ran a contracted-out pension scheme. Check with them.

    ", + "

    While you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.

    ", + "

    You cannot contract out after 6 April 2016. If you were contracted out, your National Insurance contributions increased to your standard rate after this date.

    ", + "

    The extra pension you get from a contracted-out pension scheme is usually the same as, or more than, the Additional State Pension you would have got if you did not contract out.

    ", + "

    Check if you were contracted out

    ", + "

    You can find out if you were contracted out by:

    ", + "
  • checking an old payslip
  • ", + "
  • calling your pension provider
  • ", + "

    The Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.

    ", + "

    National Insurance while contracting out

    ", + "

    You paid lower National Insurance contributions while you were contracted out if:

    ", + "
  • you earned between \u00a3155 and \u00a3770 a week
  • ", + "
  • you were under State Pension age
  • ", + "
  • you did not pay reduced rate National Insurance
  • ", + "

    What happens when you retire

    ", + "

    You\u2019ll get a pension from your employer\u2019s workplace pension scheme.

    ", + "

    How to claim

    ", + "

    You do not have to do anything to claim the Additional State Pension.

    ", + "

    If you\u2019re eligible for an Additional State Pension, you\u2019ll automatically get it when you claim your State Pension.

    ", + "

    After you claim, the Pension Service will write to you and tell you how much you\u2019re getting.

    ", + "

    Inheriting Additional State Pension

    ", + "

    If your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.

    ", + "

    Maximum State Second Pension you can inherit

    ", + "

    You can inherit up to 50% of your spouse or civil partner\u2019s State Second Pension.

    ", + "

    Maximum SERPS pension and State Pension top up you can inherit

    ", + "

    The maximum you can inherit depends on when your spouse or civil partner died.

    ", + "

    If they died before 6 October 2002, you can inherit up to 100% of their SERPS pension.

    ", + "

    If they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.

    ", + "Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit", + "5 October 1937 or before | 5 October 1942 or before | 100%", + "6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90%", + "6 October 1939 to 5 October 1941 | 6 October 1944 to 5 October 1946 | 80%", + "6 October 1941 to 5 October 1943 | 6 October 1946 to 5 October 1948 | 70%", + "6 October 1943 to 5 October 1945 | 6 October 1948 to 5 July 1950 | 60%", + "6 October 1945 and after | 6 July 1950 and after | 50%", + "

    If your spouse or civil partner died within 90 days of topping up their State Pension, the top up should have been refunded to their estate (their total property, money and possessions), minus any payments they received before they died. This means you will not inherit the top up as part of their Additional State Pension.

    ", + "

    How it\u2019s paid

    ", + "

    Any Additional State Pension you inherit will be paid on top of your State Pension when you reach State Pension age.

    ", + "

    If you get your own Additional State Pension

    ", + "

    The maximum amount of Additional State Pension you can get is \u00a3180.31 per week.\u00a0The limit does not include State Pension top up.

    ", + "

    If you get Widowed Parent\u2019s Allowance

    ", + "

    You may inherit Additional State Pension before you reach State Pension age. You\u2019ll stop receiving it if your Widowed Parent\u2019s Allowance ends.

    ", + "

    You may receive it again when you reach State Pension age if you were over 45 when you were entitled to Widowed Parent\u2019s Allowance.

    ", + "

    If your Widowed Parent\u2019s Allowance or Bereavement Allowance ended before you were 55, you\u2019ll receive less Additional State Pension.

    ", + "

    When you cannot inherit Additional State Pension

    ", + "

    You cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.

    ", + "

    The date you reach State Pension age also affects whether you can inherit Additional State Pension.

    ", + "

    If you reached State Pension age before 6 April 2010

    ", + "

    You cannot inherit your spouse or civil partner\u2019s Additional State Pension if they died before they reached their State Pension age and after you reached yours.

    ", + "

    This does not apply if you\u2019re a woman who was married to:

    ", + "
  • a man
  • ", + "
  • a woman who legally changed their gender from male to female during your marriage
  • ", + "

    If you reached State Pension age on or after 6 April 2016

    ", + "

    You cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:

    ", + "
  • your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016
  • ", + "
  • you started your marriage or civil partnership on or after 6 April 2016
  • ", + "

    If you get divorced

    ", + "

    If you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.

    ", + "

    You\u2019ll have to fill in form BR20 to give details of your Additional State Pension.

    " + ] + }, + { + "title": "Delay (defer) your State Pension", + "url": "https://www.gov.uk/deferring-state-pension", + "contents": [ + "

    How it works

    ", + "

    You do not get your State Pension automatically - you have to claim it. You should get a letter no later than 2 months before you reach State Pension age, telling you what to do.

    ", + "

    You can either claim your State Pension or delay (defer) claiming it.

    ", + "

    If you want to defer, you do not have to do anything. Your pension will automatically be deferred until you claim it.

    ", + "

    Deferring your State Pension could increase the payments you get when you decide to claim it. Any extra payments you get from deferring could be taxed.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you\u2019re on benefits

    ", + "

    You cannot get extra State Pension if you get certain benefits. Deferring can also affect how much you can get in benefits.

    ", + "

    You must tell the Pension Service if you\u2019re on benefits and you want to defer.

    ", + "

    What you'll get

    ", + "

    The amount of extra State Pension you could get depends on when you reach State Pension age.

    ", + "

    If you reach State Pension age on or after 6 April 2016

    ", + "

    Your State Pension will increase every week you defer, as long as you defer for at least 9 weeks.

    ", + "

    Your State Pension increases by the equivalent of 1% for every 9 weeks you defer. This works out as just under 5.8% for every 52 weeks.

    ", + "

    The extra amount is paid with your regular State Pension payment.

    ", + "

    This example assumes there is no annual increase in the State Pension. If there is an annual increase, the amount you could get could be larger.

    ", + "

    If you reached State Pension age before 6 April 2016

    ", + "

    You can usually take your extra State Pension as either:

    ", + "
  • higher weekly payments
  • ", + "
  • a one-off lump sum
  • ", + "

    When you claim your deferred State Pension, you\u2019ll get a letter asking how you want to take your extra pension. You\u2019ll have 3 months from receiving that letter to decide.

    ", + "

    Higher weekly payments

    ", + "

    Your State Pension will increase every week you defer, as long as you defer for at least 5 weeks.

    ", + "

    Your State Pension increases by the equivalent of 1% for every 5 weeks you defer. This works out as 10.4% for every 52 weeks.

    ", + "

    The extra amount is paid with your regular State Pension payment.

    ", + "

    This example assumes there is no annual increase in the State Pension. If there is an annual increase, the amount you could get could be larger.

    ", + "

    Lump sum payment

    ", + "

    You can get a one-off lump sum payment if you defer claiming your State Pension for at least 12 months in a row. This will include interest of 2% above the Bank of England base rate.

    ", + "

    You\u2019ll be taxed at your current rate on your lump sum payment. For example, if you\u2019re a basic rate taxpayer your lump sum will be taxed at 20%.

    ", + "

    If you\u2019re in prison

    ", + "

    You will not build up extra State Pension until you leave prison.

    ", + "

    Annual increases

    ", + "

    After you claim your State Pension, the extra amount you get because you deferred will usually increase each year based on the Consumer Price Index. It will not increase for some people who live abroad.

    ", + "

    Get help

    ", + "

    Contact the State Pension claim line if you need help.

    ", + "

    If you get benefits or tax credits

    ", + "

    You cannot build up extra State Pension during any period you get:

    ", + "
  • Income Support
  • ", + "
  • Pension Credit
  • ", + "
  • Employment and Support Allowance (income-related)
  • ", + "
  • Jobseeker\u2019s Allowance (income-based)
  • ", + "
  • Universal Credit
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Incapacity Benefit
  • ", + "
  • Severe Disablement Allowance
  • ", + "
  • Widow\u2019s Pension
  • ", + "
  • Widowed Parent\u2019s Allowance
  • ", + "
  • Unemployability Supplement
  • ", + "

    You cannot build up extra State Pension during any period your partner gets:

    ", + "
  • Income Support
  • ", + "
  • Pension Credit
  • ", + "
  • Universal Credit
  • ", + "
  • Employment and Support Allowance (income-related)
  • ", + "
  • Jobseeker\u2019s Allowance (income-related)
  • ", + "

    Higher weekly payments

    ", + "

    Taking your extra State Pension as higher weekly payments could reduce the amount you get from:

    ", + "
  • Income Support
  • ", + "
  • Pension Credit
  • ", + "
  • Universal Credit
  • ", + "
  • Employment and Support Allowance (income-related)
  • ", + "
  • Jobseeker\u2019s Allowance (income-related)
  • ", + "
  • Housing Benefit
  • ", + "
  • Council Tax Reduction
  • ", + "
  • tax credits
  • ", + "

    If you reached State Pension age before 6 April 2016

    ", + "

    Your tax credits or Universal Credit payments may be reduced if you choose to take your extra State Pension as a lump sum.

    ", + "

    Winter Fuel Payment

    ", + "

    You need to claim Winter Fuel Payment if you\u2019ve deferred your State Pension. You only need to do this once.

    ", + "

    Get help

    ", + "

    Contact Jobcentre Plus if you need help to understand how your benefits could be affected.

    ", + "

    If you move abroad

    ", + "

    If you move to any of the countries in this list, the rules for deferring are the same as in the UK:

    ", + "
  • European Economic Area (EEA) countries
  • ", + "
  • Switzerland
  • ", + "
  • a country that the UK has a social security agreement with (except Canada or New Zealand)
  • ", + "

    If you move to a country that is not in the list, the extra payment you get will stay the same. It will not go up or down over time.

    ", + "

    If you reach State Pension age on or after 6 April 2016

    ", + "

    If you move to a country that is not in the list, your extra payment will be based on the State Pension you\u2019re owed at whichever is later of:

    ", + "
  • the date you reach State Pension age
  • ", + "
  • the date you move abroad
  • ", + "

    Contact the International Pension Centre if you need help working out what you could get.

    ", + "

    Claim a deferred State Pension

    ", + "

    If you have deferred your State Pension for a year or less, you can apply online.

    ", + "

    You can also:

    ", + "
  • print off and post the State Pension claim form to the Pension Service
  • ", + "
  • apply by phone - call the Pension Service to get a State Pension claim form posted to you
  • ", + "

    Send your completed form to:

    ", + "

    There\u2019s a different way to claim your pension from abroad, including the Channel Islands.

    ", + "

    If you have deferred for more than a year, you need to call the Pension Service to claim.

    ", + "

    The process is different if you live in Northern Ireland.

    ", + "

    Inheriting a deferred State Pension

    ", + "

    You can usually inherit your partner\u2019s extra State Pension if all of the following apply:

    ", + "
  • your partner reached State Pension age before 6 April 2016
  • ", + "
  • you were married to, or in a civil partnership with, your partner when they died
  • ", + "
  • your partner had deferred their State Pension or was claiming their deferred State Pension when they died
  • ", + "
  • you did not remarry or form a new civil partnership before you reached State Pension age
  • ", + "

    If your partner died before 6 April 2010, one of the following must also apply:

    ", + "
  • you were over State Pension age when your partner died
  • ", + "
  • you were under State Pension age when your partner died, you\u2019re a woman and your deceased partner was your husband
  • ", + "

    You can only receive any extra State Pension you\u2019ve inherited once you\u2019ve reached State Pension age.

    ", + "

    If your partner died before claiming their State Pension

    ", + "

    How you inherit your partner\u2019s extra State Pension depends on how long they deferred their pension for.

    ", + "

    A year or more

    ", + "

    If your partner deferred their State Pension by a year or more, you can usually choose to inherit it as a lump sum or as weekly payments. You\u2019ll get a letter with the options you can choose from.

    ", + "

    Between 5 weeks and a year

    ", + "

    If your partner deferred their State Pension by between 5 weeks and a year, you\u2019ll inherit it as weekly payments. You\u2019ll get these payments with your own State Pension.

    ", + "

    Less than 5 weeks

    ", + "

    If your partner deferred their State Pension by less than 5 weeks, their State Pension payments for those weeks will become part their estate (their total property, money and possessions).

    ", + "

    If your partner was getting their extra State Pension before they died

    ", + "

    You\u2019ll inherit your partner\u2019s extra State Pension as extra weekly payments. You\u2019ll get these payments with your own State Pension.

    " + ] + }, + { + "title": "Over 80 pension", + "url": "https://www.gov.uk/over-80-pension", + "contents": [ + "

    Overview

    ", + "

    The over 80 pension is a State Pension for people aged 80 or over.

    ", + "

    To be eligible you must get either a basic State Pension of less than \u00a382.45 a week, or no basic State Pension at all.

    ", + "

    It can give you \u00a382.45 a week in the 2021 to 2022 tax year.

    ", + "

    What you'll get

    ", + "

    What you get depends on how much basic State Pension you get, if any.

    ", + "

    If you do not get the basic State Pension or you get less than \u00a382.45 a week, you could get the difference paid up to this amount.

    ", + "

    Eligibility

    ", + "

    You cannot get the over 80 pension if you reached State Pension age on or after 6 April 2016.

    ", + "

    You can claim the over 80 pension if all of the following apply:

    ", + "
  • you\u2019re 80 or over
  • ", + "
  • you do not get basic State Pension or your basic State Pension is less than \u00a382.45 a week in 2021 to 2022
  • ", + "
  • you were resident in England, Scotland or Wales for at least 10 years out of 20 (this does not have to be 10 years in a row) - this 20 year period must include the day before you turned 80 or any day after
  • ", + "
  • you were \u2018ordinarily resident\u2019 in the UK, Channel Islands, Isle of Man or Gibraltar on your 80th birthday or the date you made the claim for this pension, if later
  • ", + "

    If you live in or are moving to a European Economic Area (EEA) country or Switzerland, find out about pensions and benefits for UK nationals in the EU, EEA and Switzerland.

    ", + "

    Your eligibility for the over 80 pension is not based on National Insurance contributions.

    ", + "

    How to claim

    ", + "

    You can get a claim form from either:

    ", + "
  • your pension centre
  • ", + "
  • your local Jobcentre Plus
  • ", + "

    The earliest you can claim is 3 months before your 80th birthday.

    ", + "

    Further information

    ", + "

    Effect on other benefits

    ", + "

    The over 80 pension counts as taxable income, so it may affect other benefits you\u2019re getting.

    ", + "

    You must include the over 80 pension as income if you\u2019re claiming other income related benefits.

    ", + "

    What to do if your situation changes

    ", + "

    If your circumstances change it could affect your eligibility.

    ", + "

    It\u2019s important you contact the office that deals with your payments if you:

    ", + "
  • move house
  • ", + "
  • change your bank account
  • ", + "
  • go into (or leave) hospital or a health authority funded care home
  • ", + "
  • leave the UK to live abroad, or for a long visit
  • ", + "

    Report your change of situation to The Pension Service.

    ", + "

    Who to contact if you have further questions

    ", + "

    You can call The Pension Service if you have more questions about the over 80 pension.

    " + ] + }, + { + "title": "Early retirement, your pension and benefits", + "url": "https://www.gov.uk/early-retirement-pension", + "contents": [ + "

    State Pension

    ", + "

    The earliest you can get your State Pension is when you reach your State Pension age. You\u2019ll have to wait to claim your State Pension if you retire before you reach that age.

    ", + "

    The amount you\u2019ll get

    ", + "

    The amount you\u2019ll get depends on your National Insurance record and when you reach State Pension age.

    ", + "

    You\u2019ll claim basic State Pension and Additional State Pension if you reached State Pension age before 6 April 2016.

    ", + "

    You\u2019ll claim the new State Pension if you reach State Pension age on or after 6 April 2016.

    ", + "

    Personal and workplace pensions

    ", + "

    When you can take money from your pension pot will depend on your pension scheme\u2019s rules, but it\u2019s usually after you\u2019re 55.

    ", + "

    You may be able to take money out before this age if either:

    ", + "
  • you\u2019re retiring early because of ill health
  • ", + "
  • you had the right under the scheme you joined before 6 April 2006 to take your pension before you\u2019re 55 \u2013 ask your pension provider if you\u2019re not sure
  • ", + "

    Some companies offer to help you get money out of your pension before you\u2019re 55. This could be an unauthorised payment. If it\u2019s unauthorised, you pay up to 55% tax on it.

    ", + "

    The pension pot that you build up will probably be smaller if you retire early, because it\u2019s had less time to increase in value.

    ", + "

    Taking your pension early because of ill health

    ", + "

    You might be able to get higher payments if you need to take your pension early because of a health condition. Check with your provider.

    ", + "

    If your life expectancy is less than a year

    ", + "

    You may be able to take your whole pension pot as a tax-free lump sum if all of the following apply to you:

    ", + "
  • you\u2019re expected to live less than a year because of serious illness
  • ", + "
  • you\u2019re under 75
  • ", + "
  • you do not have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • ", + "

    If you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.

    ", + "

    Check with your pension provider. Some pension funds will keep at least 50% of your pension pot for your spouse or civil partner.

    ", + "

    Benefits

    ", + "

    The amount of money you get from any income-related benefits could be affected if you take your pension early, such as money you get from:

    ", + "
  • Housing Benefit
  • ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Universal Credit
  • ", + "

    Benefits if you retire early because of ill health

    ", + "

    If you retire early because of ill health you may be entitled to other benefits. Use a benefits calculator to check.

    ", + "

    Get help

    ", + "

    Pension Wise has information about how taking a personal or workplace pension early can affect your benefits.

    ", + "

    You can also get help from:

    ", + "
  • Citizens Advice
  • ", + "
  • the Money Advice Service
  • " + ] + }, + { + "title": "Personal pensions", + "url": "https://www.gov.uk/personal-pensions-your-rights", + "contents": [ + "

    Overview

    ", + "

    Personal pensions are pensions that you arrange yourself. They\u2019re sometimes known as defined contribution or \u2018money purchase\u2019 pensions. You\u2019ll usually get a pension that\u2019s based on how much was paid in.

    ", + "

    Some employers offer personal pensions as workplace pensions.

    ", + "

    The money you pay into a personal pension is put into investments (such as shares) by the pension provider. The money you\u2019ll get from a personal pension usually depends on:

    ", + "
  • how much has been paid in
  • ", + "
  • how the fund\u2019s investments have performed - they can go up or down
  • ", + "
  • how you decide to take your money
  • ", + "

    Types of personal pension

    ", + "

    There are different types of personal pension. They include:

    ", + "
  • stakeholder pensions - these must meet specific government requirements, for example limits on charges
  • ", + "
  • self-invested personal pensions (SIPPs) - these allow you to control the specific investments that make up your pension fund
  • ", + "

    You should check that your provider is registered with the Financial Conduct Authority (FCA), or the Pensions Regulator if it\u2019s a stakeholder pension.

    ", + "

    Paying into a personal pension

    ", + "

    You can either make regular or individual lump sum payments to a pension provider. They will send you annual statements, telling you how much your fund is worth.

    ", + "

    You usually get tax relief on money you pay into a pension. Check with your provider that your pension scheme is registered with HM Revenue and Customs (HMRC) - if it\u2019s not registered, you won\u2019t get tax relief.

    ", + "

    Choosing a personal pension

    ", + "

    Citizens Advice has information about choosing a personal pension.

    ", + "

    Independent financial advice

    ", + "

    You can find an independent financial adviser:

    ", + "
  • from Unbiased
  • ", + "
  • from the Personal Finance Society
  • ", + "

    You\u2019ll usually have to pay for this advice.

    ", + "

    How you can take your pension

    ", + "

    Most personal pensions set an age when you can start taking money from them. It\u2019s not normally before 55. Contact your pension provider if you\u2019re not sure when you can take your pension.

    ", + "

    You can take up to 25% of the money built up in your pension as a tax-free lump sum. You\u2019ll then have 6 months to start taking the remaining 75%, which you\u2019ll usually pay tax on.

    ", + "

    The options you have for taking the rest of your pension pot include:

    ", + "
  • taking all or some of it as cash
  • ", + "
  • buying a product that gives give you a guaranteed income (sometimes known as an \u2018annuity\u2019) for life
  • ", + "
  • investing it to get a regular, adjustable income (sometimes known as \u2018flexi-access drawdown\u2019)
  • ", + "

    Ask your pension provider which options they offer (they may not offer all of them). If you don\u2019t want to take any of their options, you can transfer your pension pot to a different provider.

    ", + "

    Taxes and charges

    ", + "

    Your pension provider will take off any tax you owe before you get money from your pension pot.

    ", + "

    You might have to pay a higher rate of tax if you take large amounts from your pension pot. You could also owe extra tax at the end of the tax year.

    ", + "

    Your pension provider might charge you for withdrawing cash from your pension pot - check with them about this.

    ", + "

    Get regular payments from an annuity

    ", + "

    You might be able to buy an annuity from an insurance company that gives you regular payments for life. You can ask your pension provider to pay for it out of your pension pot.

    ", + "

    The amount you get can vary. It depends on how long the insurance company expects you to live and how many years they\u2019ll have to pay you. When they calculate the amount they should take into account:

    ", + "
  • your age and gender
  • ", + "
  • the size of your pension pot
  • ", + "
  • interest rates
  • ", + "
  • your health (sometimes)
  • ", + "

    There are different kinds of annuities. Some are for a fixed time (for example, payments for 10 years instead of your lifetime) and some continue paying your spouse or partner after you die.

    ", + "

    You don\u2019t have to buy your annuity from your pension provider.

    ", + "

    Invest the money in a drawdown fund

    ", + "

    You may be able to ask your pension provider to invest your pension pot in a flexi-access drawdown fund.

    ", + "

    From a flexi-access drawdown fund you can:

    ", + "
  • make withdrawals
  • ", + "
  • buy a short-term annuity - this will give you regular payments for up to 5 years
  • ", + "
  • pay in - but you\u2019ll pay tax on contributions over \u00a34,000 a year
  • ", + "

    Keeping your capped drawdown fund

    ", + "

    If you have a \u2018capped drawdown\u2019 fund and want to keep it, your money will stay invested.

    ", + "

    You can keep withdrawing and paying in. Your pension provider sets a maximum amount you can take out every year. This limit will be reviewed every 3 years until you turn 75, then every year after that.

    ", + "

    Withdraw cash from your pension pot

    ", + "

    You may be able to take cash directly from your pension pot. You could:

    ", + "
  • withdraw your whole pension pot
  • ", + "
  • withdraw smaller cash sums
  • ", + "
  • pay in - but you\u2019ll pay tax on contributions over \u00a34,000 a year
  • ", + "

    When you can\u2019t withdraw cash

    ", + "

    You can\u2019t take smaller cash sums if any of the following apply:

    ", + "
  • you\u2019ve already saved \u00a31,073,100 in pension schemes over your lifetime (your lifetime allowance)
  • ", + "
  • you have some type of lifetime allowance protection
  • ", + "
  • you\u2019re under 75, and the sums you want to withdraw are bigger than the amount of lifetime allowance you have left
  • ", + "

    Get help

    ", + "

    Contact your pension provider first if you need help with a personal pension.

    ", + "

    If they can\u2019t help, you can get free and impartial information from The Pensions Advisory Service (they don\u2019t provide financial advice).

    ", + "

    Financial advice

    ", + "

    You can find a financial adviser if you want advice. You\u2019ll usually have to pay for their services.

    ", + "

    If you\u2019re over 50

    ", + "

    Pension Wise has information about your pension options. If you\u2019re over 50 you can book a free appointment to talk about your options. Pension Wise doesn\u2019t cover the State Pension, \u2018final salary\u2019 or \u2018career average\u2019 pensions.

    ", + "

    State Pension

    ", + "

    For help with your State Pension contact the Pension Service.

    ", + "

    Complaints

    ", + "

    If you have a complaint about how your pension scheme is run, talk to your pension provider first. They have to respond within 8 weeks.

    ", + "

    You can also contact the Pensions Ombudsman if you\u2019re concerned about how a pension scheme is run.

    ", + "

    Complain about marketing

    ", + "

    You can get help from the Pensions Advisory Service or complain to the Financial Ombudsman\u2019s Service about how a pension scheme has been marketed to you.

    ", + "

    If your provider has broken the law

    ", + "

    If you think your pension provider has broken the law, you can complain to:

    ", + "
  • the Pensions Regulator for workplace pensions
  • ", + "
  • the Financial Conduct Authority for personal and stakeholder pensions
  • ", + "

    If your provider goes bust

    ", + "

    If the pension provider was authorised by the Financial Conduct Authority and can\u2019t pay, you might get compensation from the Financial Services Compensation Scheme (FSCS).

    " + ] + }, + { + "title": "Plan your retirement income", + "url": "https://www.gov.uk/plan-retirement-income", + "contents": [ + "

    Overview

    ", + "

    A pension is a way to save money for later in your life.

    ", + "

    You may be able to get:

    ", + "
  • a pension from the government (\u2018State Pension\u2019)
  • ", + "
  • money from pension schemes you or your employer pay into
  • ", + "

    You might need more money than just the State Pension when you retire.

    ", + "

    Find out how much State Pension you could get (your forecast) and when you can get it.

    ", + "

    Use the Money Advice Service\u2019s pension calculator to get an estimate of your income when you retire and the ways you can increase it.

    ", + "

    Your pension options

    ", + "

    You can pay into as many pension schemes as you want. It depends on how much money you can set aside.

    ", + "

    You usually get tax relief up to certain limits on money you pay into a pension scheme.

    ", + "

    Private pension schemes

    ", + " | What it is", + "Workplace pensions | Arranged by your employer. Usually both you and your employer pay into it. What you get depends on the type of scheme your employer offers.", + "Personal and stakeholder pensions | A private pension that you pay into. Employers can also pay into them as a workplace pension scheme. What you get depends on how much is paid in and how well the investment does.", + "

    State Pension from the government

    ", + "

    If you reached State Pension age before 6 April 2016

    ", + " | What it is", + "Basic State Pension | The basic State Pension is a regular payment you can get from the government when you reach State Pension age. The amount you get depends on your National Insurance contributions and credits. The maximum you get is \u00a3137.60 per week.", + "Additional State Pension | An extra amount on top of your State Pension. Not a fixed amount. How much you get depends on your earnings and whether you claim certain benefits.", + "Pension Credit | For people on a low income. Tops up your weekly income to \u00a3177.10 (single people) or \u00a3270.30 (couples). You may get more if you\u2019re a carer, are severely disabled, have responsibility for a child, or have certain housing costs.", + "

    If you reach State Pension age on or after 6 April 2016

    ", + " | What it is", + "New State Pension | The new State Pension is a regular payment you can get from the government if you reach State Pension age on or after 6 April 2016. The amount you get depends on your National Insurance contributions and credits. The full new State Pension is \u00a3179.60 per week.", + "Protected payment | Any amount over the full new State Pension (\u00a3179.60) that you get from your National Insurance contributions or credits from before 6 April 2016 is protected. It will be paid on top of the full new State Pension.", + "Pension Credit | For people on a low income. Tops up your weekly income to \u00a3177.10 (single people) or \u00a3270.30 (couples). You may get more if you\u2019re a carer, are severely disabled, have responsibility for a child, or have certain housing costs.", + "

    Private pension schemes

    ", + "

    Workplace pensions and personal or stakeholder pensions are a way of making sure you have money on top of your State Pension.

    ", + "

    For most workplace and personal pensions, how much you get depends on:

    ", + "
  • the amount you\u2019ve paid in
  • ", + "
  • how well the pension fund\u2019s investments have done
  • ", + "
  • your age - and sometimes your health - when you start taking your pension pot
  • ", + "

    Workplace pensions

    ", + "

    Your employer must automatically enrol you in a workplace pension scheme if you\u2019re over 22 and under State Pension age, and earn more than \u00a310,000 a year.

    ", + "

    If you have a workplace pension your employer can make contributions on top of what you pay.

    ", + "

    You may also be able to make extra payments to boost your pension pot.

    ", + "

    Workplace pensions are protected against risks.

    ", + "

    Personal and stakeholder pensions

    ", + "

    You may want a personal or stakeholder pension:

    ", + "
  • to save extra money for later in life
  • ", + "
  • to top up your workplace pension
  • ", + "
  • if you\u2019re self-employed and do not have a workplace pension
  • ", + "
  • if you\u2019re not working but can afford to pay into a pension scheme
  • ", + "

    Some employers offer stakeholder or private pensions as workplace pensions.

    ", + "

    Stakeholder pensions must meet standards set by the government.

    ", + "

    Find a lost pension

    ", + "

    The Pension Tracing Service might be able to trace lost pensions that you\u2019ve paid into.

    ", + "

    Nominate someone to get your pension when you die

    ", + "

    Ask your pension provider if you can nominate someone to get money from your pension pot after you die.

    ", + "

    Check your scheme\u2019s rules about:

    ", + "
  • who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23
  • ", + "
  • what the person can get, for example regular payments or lump sums
  • ", + "
  • whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die
  • ", + "

    Sometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.

    ", + "

    The person you nominate may have to pay tax if they get money from your pension pot after you die.

    ", + "

    Pensions from the government

    ", + "

    The pension you get from the government (\u2018State Pension\u2019) is based on your National Insurance record when you reach State Pension age.

    ", + "

    You reached State Pension age before 6 April 2016

    ", + "

    You need 30 years\u2019 worth of National Insurance contributions to get the full basic State Pension. You may also qualify for some Additional State Pension.

    ", + "

    You reach State Pension age on or after 6 April 2016

    ", + "

    The amount of new State Pension you\u2019ll get depends on your National Insurance record. National Insurance contributions or credits made before and after 6 April 2016 can count towards your new State Pension.

    ", + "

    You\u2019ll usually need at least 10 qualifying years of National Insurance contributions or credits to qualify for any State Pension.

    ", + "

    Find out how much State Pension you could get and when you can get it. You can also find out how you might be able to increase the amount you get.

    ", + "

    Getting more State Pension

    ", + "

    Deferring your pension

    ", + "

    When you reach State Pension age you have the option to defer your State Pension (delay payments). By doing this you\u2019ll get more money for every year you defer.

    ", + "

    Pension Credit

    ", + "

    Pension Credit is for older people on a low income to make sure they get a minimum weekly amount. You\u2019ll have to apply and all your sources of income (for example savings) will be checked to make sure you qualify.\nGetting Pension Credit may mean you\u2019re eligible for other benefits too.

    ", + "

    You\u2019re over 80

    ", + "

    People over 80 with little or no State Pension can apply for a payment of \u00a382.45 per week from the government through the over 80 Pension. You cannot get the over 80 pension if you reach State Pension age on or after 6 April 2016.

    ", + "

    Working past State Pension age

    ", + "

    You might decide that you do not want to stop working when you reach State Pension age.

    ", + "

    If you do, you\u2019ll no longer have to pay National Insurance.

    ", + "

    The law protects you against discrimination if you\u2019re over State Pension age and want to stay in your job or get a new one.

    ", + "

    Staying in your job

    ", + "

    There is no official retirement age and you usually have the right to work as long as you want to.

    ", + "

    There are some circumstances when employers may have the right to set a compulsory retirement age that they choose.

    ", + "

    Your employer cannot make you redundant because of your age.

    ", + "

    Getting a new job

    ", + "

    You do not have to give your date of birth when applying for a new job. Employers cannot make you give this information if you do not want to.

    ", + "

    Employers also can not set an age limit for a job, unless they can justify it (for example because of certain physical abilities) or it\u2019s a limit set by law, for example for the fire service.

    ", + "

    You can request flexible working at any age.

    ", + "

    Get help

    ", + "

    When planning your pension and retirement income you might need help with:

    ", + "
  • choosing a personal or stakeholder pension
  • ", + "
  • planning your savings
  • ", + "
  • choosing how you want to get your retirement income
  • ", + "
  • delaying your State Pension payments (deferring)
  • ", + "

    Where to get help

    ", + "

    You can get free guidance on your retirement savings options from:

    ", + "
  • Money Advice Service
  • ", + "
  • Pension Advisory Service
  • ", + "

    Pension Wise has information to help you decide what to do with your money if it\u2019s in a \u2018defined contribution\u2019 pension. If you\u2019re over 50, you can book an appointment to speak to someone.

    ", + "

    Paying for financial advice

    ", + "

    You can find an independent financial adviser:

    ", + "
  • on the Unbiased website
  • ", + "
  • from the Personal Finance Society
  • ", + "

    If you\u2019re paying into a pension scheme, you can ask your pension provider about taking out up to \u00a3500 to pay for financial advice on retirement. You can do this once a year up to 3 times without a tax charge. Not all pension schemes provide this.

    " + ] + }, + { + "title": "Transferring your pension", + "url": "https://www.gov.uk/transferring-your-pension", + "contents": [ + "

    Overview

    ", + "

    You may want to move some or all of your pension fund (sometimes called a \u2018pension pot\u2019) if:

    ", + "
  • you\u2019re changing job
  • ", + "
  • your pension scheme is being closed or wound up
  • ", + "
  • you want to transfer to a better pension scheme
  • ", + "
  • you have pensions from more than one employer and want to bring them together
  • ", + "
  • you\u2019re moving overseas and want to move your pension to a scheme in that country
  • ", + "

    Get help and advice

    ", + "

    You can get free, impartial information about transferring your pension from:

    ", + "
  • the Money Advice Service
  • ", + "
  • the Pensions Advisory Service
  • ", + "

    You can also get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.

    ", + "

    If you\u2019re concerned about a pension scam

    ", + "

    Contact Action Fraud if you\u2019re transferring a pension and are concerned about a scam.

    ", + "

    You can also report a pension scam online to Action Fraud.

    ", + "

    Transferring to a UK pension scheme

    ", + "

    You can transfer your UK pension pot to another registered UK pension scheme.

    ", + "

    You can also use it to buy a \u2018deferred annuity contract\u2019 - an agreement that gives you a guaranteed income in the future.

    ", + "

    Transferring your pension pot anywhere else - or taking it as an unauthorised lump sum - will be an \u2018unauthorised payment\u2019 and you\u2019ll have to pay tax on the transfer.

    ", + "

    Before you make a transfer

    ", + "

    Contact your current pension provider and the provider you want to transfer to. You\u2019ll need to check if:

    ", + "
  • your existing pension scheme allows you to transfer some or all of your pension pot
  • ", + "
  • the scheme that you wish to transfer into will accept the transfer
  • ", + "

    Get help and advice including if you\u2019re concerned about a pension scam.

    ", + "

    If you transfer your pension, you may:

    ", + "
  • have to make payments to the new scheme
  • ", + "
  • have to pay a fee to make the transfer
  • ", + "
  • lose any right you had to take your pension at a certain age
  • ", + "
  • lose any fixed or enhanced protection you have when you transfer
  • ", + "
  • lose any right you had to take a tax free lump sum of more than 25% of your pension pot
  • ", + "

    Your pension providers can tell you whether any of these will apply.

    ", + "

    Transferring to an overseas pension scheme

    ", + "

    You may be able to transfer your UK pension savings to an overseas pension scheme.

    ", + "

    Get help and advice including if you\u2019re concerned about a pension scam.

    ", + "

    Schemes you can transfer to

    ", + "

    The overseas scheme you want to transfer your pension savings to must be a \u2018qualifying recognised overseas pension scheme\u2019 (QROPS). It\u2019s up to you to check this with the overseas scheme or your UK pension provider or adviser.

    ", + "

    If it\u2019s not a QROPS, your UK pension scheme may refuse to make the transfer, or you\u2019ll have to pay at least 40% tax on the transfer.

    ", + "

    Tax when you transfer to a QROPS

    ", + "

    Whether you pay tax depends on where the QROPS you transfer to is based. It\u2019s your responsibility to find out where this is.

    ", + "

    You do not have to pay any tax if you asked for a transfer to a QROPS before 9 March 2017.

    ", + "

    You usually do not pay tax if you transfer to a QROPS provided by your employer. Check with the scheme to find out.

    ", + "

    You transfer to a QROPS based in the European Economic Area (EEA) or Gibraltar

    ", + "

    You pay 25% tax if you either:

    ", + "
  • live outside the UK, Gibraltar or the EEA
  • ", + "
  • move to live outside the UK, Gibraltar or the EEA within 5 years
  • ", + "

    Otherwise you do not pay tax.

    ", + "

    You can get tax refunded if you move to the UK, Gibraltar or an EEA country within 5 years of the transfer. To claim, tell your UK scheme\u2019s administrator and your overseas scheme manager you\u2019ve moved using form APSS 241. They\u2019ll put the tax refund back into the pension it was taken from.

    ", + "

    You transfer to a QROPS based outside the UK, Gibraltar or the EEA

    ", + "

    You do not have to pay tax if you live in the country your QROPS is based in. Otherwise you\u2019ll have to pay 25% tax.

    ", + "

    If you move countries within 5 years of the transfer, fill in form APSS 241 and give it to your scheme administrator. You\u2019ll:

    ", + "
  • get a refund if you\u2019ve moved to the country your QROPS is based in
  • ", + "
  • have to pay 25% tax on your transfer if you\u2019ve moved away from the country your QROPS is based in
  • ", + "

    How to transfer

    ", + "

    Form APSS 263 tells you what information you\u2019ll need to provide before making a transfer.

    ", + "

    Download and fill in the form and give it to your UK pension scheme administrator.

    ", + "

    Your transfer will be taxed at 25% if you do not provide all the information the form asks for within 60 days of requesting the transfer.

    ", + "

    If you\u2019re under 75, your UK pension scheme administrator will work out what percentage of your lifetime allowance is used by the transfer.

    ", + "

    They\u2019ll tell you if the amount you\u2019re transferring is more than your allowance and if you\u2019ll be taxed on it.

    ", + "

    Payments from an overseas pension

    ", + "

    You may have to pay UK tax on some payments from your overseas scheme. This depends on when you were a UK resident.

    " + ] + }, + { + "title": "Workplace pensions", + "url": "https://www.gov.uk/workplace-pensions", + "contents": [ + "

    About workplace pensions

    ", + "

    A workplace pension is a way of saving for your retirement that\u2019s arranged by your employer.

    ", + "

    Some workplace pensions are called \u2018occupational\u2019, \u2018works\u2019, \u2018company\u2019 or \u2018work-based\u2019 pensions.

    ", + "

    How they work

    ", + "

    A percentage of your pay is put into the pension scheme automatically every payday.

    ", + "

    In most cases, your employer also adds money into the pension scheme for you. You may also get tax relief from the government.

    ", + "

    Joining a workplace pension

    ", + "

    All employers must provide a workplace pension scheme. This is called \u2018automatic enrolment\u2019.

    ", + "

    Your employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:

    ", + "
  • you\u2019re classed as a \u2018worker\u2019
  • ", + "
  • you\u2019re aged between 22 and State Pension age
  • ", + "
  • you earn at least \u00a310,000 per year
  • ", + "
  • you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)
  • ", + "

    When your employer does not have to automatically enrol you

    ", + "

    Your employer usually does not have to automatically enrol you if you do not meet the previous criteria or if any of the following apply:

    ", + "
  • you\u2019ve already given notice to your employer that you\u2019re leaving your job, or they\u2019ve given you notice
  • ", + "
  • you have evidence of your lifetime allowance protection (for example, a certificate from HMRC)
  • ", + "
  • you\u2019ve already taken a pension that meets the automatic enrolment rules and your employer arranged it
  • ", + "
  • you get a one-off payment from a workplace pension scheme that\u2019s closed (a \u2018winding up lump sum\u2019), and then leave and rejoin the same job within 12 months of getting the payment
  • ", + "
  • more than 12 months before your staging date, you left (\u2018opted out\u2019) of a pension arranged through your employer
  • ", + "
  • you\u2019re from an EU member state and are in a EU cross-border pension scheme
  • ", + "
  • you\u2019re in a limited liability partnership
  • ", + "
  • you\u2019re a director without an employment contract and employ at least one other person in your company
  • ", + "

    You can usually still join their pension if you want to. Your employer cannot refuse.

    ", + "

    If your income is low

    ", + "

    Your employer does not have to contribute to your pension if you earn these amounts or less:

    ", + "
  • \u00a3520 a month
  • ", + "
  • \u00a3120 a week
  • ", + "
  • \u00a3480 over 4 weeks
  • ", + "

    What happens when you\u2019re automatically enrolled

    ", + "

    Your employer must write to you when you\u2019ve been automatically enrolled into their workplace pension scheme. They must tell you:

    ", + "
  • the date they added you to the pension scheme
  • ", + "
  • the type of pension scheme and who runs it
  • ", + "
  • how much they\u2019ll contribute and how much you\u2019ll have to pay in
  • ", + "
  • how to leave the scheme, if you want to
  • ", + "
  • how tax relief applies to you
  • ", + "

    Delaying your enrolment date

    ", + "

    Your employer can delay the date they must enrol you into a pension scheme by up to 3 months.

    ", + "

    In some cases they may be able to delay longer if they\u2019ve chosen either:

    ", + "
  • a \u2018defined benefit\u2019 pension
  • ", + "
  • a \u2018hybrid\u2019 pension (a mixture of defined benefit and defined contribution pensions) that allows you to take a defined benefit pension
  • ", + "

    Your employer must:

    ", + "
  • tell you about the delay in writing
  • ", + "
  • let you join in the meantime if you ask to
  • ", + "

    What your employer cannot do

    ", + "

    Your employer cannot:

    ", + "
  • unfairly dismiss or discriminate against you for being in a workplace pension scheme
  • ", + "
  • encourage or force you to opt out
  • ", + "

    What you, your employer and the government pay

    ", + "

    The amount you and your employer pay towards the pension depends on:

    ", + "
  • what type of workplace pension scheme you\u2019re in
  • ", + "
  • whether you\u2019ve been automatically enrolled in a workplace pension or you\u2019ve joined one voluntarily (\u2018opted in\u2019)
  • ", + "

    Use the Money Advice Service\u2019s contributions calculator to work out how much you and your employer will put in.

    ", + "

    Tax relief

    ", + "

    The government will usually add money to your workplace pension in the form of tax relief if both of the following apply:

    ", + "
  • you pay Income Tax
  • ", + "
  • you pay into a personal pension or workplace pension
  • ", + "

    Even if you do not pay Income Tax, you\u2019ll still get an additional payment if your pension scheme uses \u2018relief at source\u2019 to add money to your pension pot.

    ", + "

    If you\u2019ve been automatically enrolled

    ", + "

    You and your employer must pay a percentage of your earnings into your workplace pension scheme.

    ", + "

    How much you pay and what counts as earnings depend on the pension scheme your employer has chosen. Ask your employer about your pension scheme rules.

    ", + "

    In most automatic enrolment schemes, you\u2019ll make contributions based on your total earnings between \u00a36,240 and \u00a350,270 a year before tax.\u00a0Your total earnings include:

    ", + "
  • salary or wages
  • ", + "
  • bonuses and commission
  • ", + "
  • overtime
  • ", + "
  • statutory sick pay
  • ", + "
  • statutory maternity, paternity or adoption pay
  • ", + "

    Workplace pension contributions

    ", + " | The minimum your employer pays | You pay | Total minimum contribution", + "From April 2019 | 3% | 5% | 8%", + "

    These amounts could be higher for you or your employer because of your pension scheme rules. They\u2019re higher for most defined benefit pension schemes.

    ", + "

    In some schemes, your employer has the option to pay in more than the legal minimum. In these schemes, you can pay in less as long as your employer puts in enough to meet the total minimum contribution.

    ", + "

    If you\u2019ve voluntarily enrolled in a workplace pension

    ", + "

    Your employer must contribute the minimum amount if you earn more than:

    ", + "
  • \u00a3520 a month
  • ", + "
  • \u00a3120 a week
  • ", + "
  • \u00a3480 over 4 weeks
  • ", + "

    They do not have to contribute anything if you earn these amounts or less.

    ", + "

    How your take-home pay changes

    ", + "

    Joining a workplace pension scheme means that your take-home income will be reduced. But this may:

    ", + "
  • mean you\u2019re entitled to tax credits or an increase in the amount of tax credits you get (although you may not get this until the next tax year)
  • ", + "
  • mean you\u2019re entitled to an income-related benefit or an increase in the amount of benefit you get
  • ", + "
  • reduce the amount of student loan repayments you need to make
  • ", + "

    Payments using salary sacrifice

    ", + "

    You and your employer may agree to use \u2018salary sacrifice\u2019 (sometimes known as a \u2018SMART\u2019 scheme).

    ", + "

    If you do this, you give up part of your salary and your employer pays this straight into your pension. In some cases, this will mean you and your employer pay less tax and National Insurance.

    ", + "

    Ask your employer if they use salary sacrifice.

    ", + "

    Protection for your pension

    ", + "

    How your pension is protected depends on the type of scheme.

    ", + "

    Defined contribution pension schemes

    ", + "

    If your employer goes bust

    ", + "

    Defined contribution pensions are usually run by pension providers, not employers. You will not lose your pension pot if your employer goes bust.

    ", + "

    If your pension provider goes bust

    ", + "

    If the pension provider was authorised by the Financial Conduct Authority and cannot pay you, you can get compensation from the Financial Services Compensation Scheme (FSCS).

    ", + "

    Trust-based schemes

    ", + "

    Some defined contribution schemes are run by a trust appointed by the employer. These are called \u2018trust-based schemes\u2019.

    ", + "

    You\u2019ll still get your pension if your employer goes out of business. But you might not get as much because the scheme\u2019s running costs will be paid by members\u2019 pension pots instead of the employer.

    ", + "

    Defined benefit pension schemes

    ", + "

    Your employer is responsible for making sure there\u2019s enough money in a defined benefit pension to pay each member the promised amount.

    ", + "

    Your employer cannot touch the money in your pension if they\u2019re in financial trouble.

    ", + "

    You\u2019re usually protected by the Pension Protection Fund if your employer goes bust and cannot pay your pension.

    ", + "

    The Pension Protection Fund usually pays:

    ", + "
  • 100% compensation if you\u2019ve reached the scheme\u2019s pension age
  • ", + "
  • 90% compensation if you\u2019re below the scheme\u2019s pension age
  • ", + "

    Fraud, theft or bad management

    ", + "

    If there\u2019s a shortfall in your company\u2019s pension fund because of fraud or theft, you may be eligible for compensation from the Fraud Compensation Fund.

    ", + "

    Contact one of the following organisations if you want to make a complaint about the way your workplace pension scheme is run:

    ", + "
  • the Pensions Advisory Service
  • ", + "
  • the Pensions Ombudsman
  • ", + "

    Managing your pension

    ", + "

    Your pension provider will send you a statement each year to tell you how much is in your pension pot. You can also ask them for an estimate of how much you\u2019ll get when you start taking your pension pot.

    ", + "

    What you see on your payslip

    ", + "

    You do not need to do anything to get tax relief at the basic rate on your pension contributions. There are 2 types of arrangements:

    ", + "
  • net pay
  • ", + "
  • relief at source
  • ", + "

    Check with your employer or pension provider which arrangement your workplace pension uses. This determines what you\u2019ll see on your payslip.

    ", + "

    \u2018Net pay\u2019

    ", + "

    Your employer takes your contribution from your pay before it\u2019s taxed. You only pay tax on what\u2019s left. This means you get full tax relief, no matter if you pay tax at the basic, higher or additional rate.

    ", + "

    The amount you\u2019ll see on your payslip is your contribution plus the tax relief.

    ", + "

    You will not get tax relief if you do not pay tax, for example because you earn less than the tax threshold.

    ", + "

    \u2018Relief at source\u2019

    ", + "

    Your employer takes your pension contribution after taking tax and National Insurance from your pay. However much you earn, your pension provider then adds tax relief to your pension pot at the basic rate.

    ", + "

    With \u2018relief at source\u2019, the amount you see on your payslip is only your contributions, not the tax relief.

    ", + "

    You may be able to claim money back if:

    ", + "
  • you pay higher or additional rate Income Tax
  • ", + "
  • you pay higher or top rate Income Tax in Scotland
  • ", + "

    Tracing lost pensions

    ", + "

    The Pension Tracing Service could help you find pensions you\u2019ve paid into but lost track of.

    ", + "

    Nominate someone to get your pension if you die

    ", + "

    You may be able to nominate (choose) someone to get your pension if you die before reaching the scheme\u2019s pension age. You can do this when you first join the pension or by writing to your provider.

    ", + "

    Ask your pension provider if you can nominate someone and what they\u2019d get if you die, for example regular payments or lump sums. Check your scheme\u2019s rules about:

    ", + "
  • who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23
  • ", + "
  • whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die
  • ", + "

    You can change your nomination at any time. It\u2019s important to keep your nominee\u2019s details up to date.

    ", + "

    Sometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.

    ", + "

    Taking your pension

    ", + "

    Most pension schemes set an age when you can take your pension, usually between 60 and 65. In some circumstances you can take your pension early. The earliest is usually 55.

    ", + "

    Some companies offer to help you get money out of your pension before you\u2019re 55. Taking your pension early in this way could mean you pay tax of up to 55%.

    ", + "

    If the amount of money in your pension pot is quite small, you may be able to take it all as a lump sum. You can take 25% of it tax free, but you\u2019ll pay Income Tax on the rest.

    ", + "

    How you get money from your pension depends on the type of scheme you\u2019re in.

    ", + "

    Defined contribution pension schemes

    ", + "

    You\u2019ll need to decide how to take your money if you\u2019re in a defined contribution pension scheme.

    ", + "

    Defined benefit pension schemes

    ", + "

    You may be able to take some money as a tax-free lump sum if you\u2019re in a defined benefit pension scheme - check with your pension provider. You\u2019ll get the rest as a guaranteed amount each year.

    ", + "

    Changing jobs and taking leave

    ", + "

    If you change jobs

    ", + "

    Your workplace pension still belongs to you. If you do not carry on paying into the scheme, the money will remain invested and you\u2019ll get a pension when you reach the scheme\u2019s pension age.

    ", + "

    You can join another workplace pension scheme if you get a new job.

    ", + "

    If you do, you might be able to:

    ", + "
  • carry on making contributions to your old pension
  • ", + "
  • combine the old and new pension schemes
  • ", + "

    Ask your pension providers about your options.

    ", + "

    If you move jobs but pay into an old pension, you may not get some of that pension\u2019s benefits - check if they\u2019re only available to current workers.

    ", + "

    If you worked at your job for less than 2 years before you left

    ", + "

    If you were in a defined benefit pension scheme for less than 2 years, you might be able to either:

    ", + "
  • get a refund on what you contributed
  • ", + "
  • transfer the value of its benefits to another scheme (a \u2018cash sum transfer\u2019)
  • ", + "

    This depends on the type of defined benefit scheme and its rules. Check with your employer or the pension scheme provider.

    ", + "

    Paid leave

    ", + "

    During paid leave, you and your employer carry on making pension contributions.

    ", + "

    The amount you contribute is based on your actual pay during this time, but your employer pays contributions based on the salary you would have received if you were not on leave.

    ", + "

    Maternity and other parental leave

    ", + "

    You and your employer will continue to make pension contributions if you\u2019re getting paid during maternity leave.

    ", + "

    If you\u2019re not getting paid, your employer still has to make pension contributions in the first 26 weeks of your leave (\u2018Ordinary Maternity Leave\u2019). They have to carry on making contributions afterwards if it\u2019s in your contract. Check your employer\u2019s maternity policy.

    ", + "

    Unpaid leave

    ", + "

    You may be able to make contributions if you want to - check with your employer or the pension scheme provider.

    ", + "

    If you become self-employed or stop working

    ", + "

    You may be able to carry on contributing to your workplace pension - ask the scheme provider.

    ", + "

    You could use the National Employment Saving Trust (NEST) - a workplace pension scheme that working self-employed people or sole directors of limited companies can use.

    ", + "

    You could set up a personal or stakeholder pension.

    ", + "

    You can get help with your workplace pension options.

    ", + "

    If you want to leave your workplace pension scheme

    ", + "

    What you do if you want to leave a workplace pension depends on whether you\u2019ve been \u2018automatically enrolled\u2019 in it or not.

    ", + "

    If you have not been automatically enrolled

    ", + "

    Check with your employer - they\u2019ll tell you what to do.

    ", + "

    If you\u2019ve been automatically enrolled

    ", + "

    Your employer will have sent you a letter telling you that you\u2019ve been added to the scheme.

    ", + "

    You can leave (called \u2018opting out\u2019) if you want to.

    ", + "

    If you opt out within a month of your employer adding you to the scheme, you\u2019ll get back any money you\u2019ve already paid in.

    ", + "

    You may not be able to get your payments refunded if you opt out later - they\u2019ll usually stay in your pension until you retire.

    ", + "

    You can opt out by contacting your pension provider. Your employer must tell you how to do this.

    ", + "

    Reducing your payments

    ", + "

    You may be able to reduce the amount you contribute to your workplace pension for a short time. Check with both your employer and your pension provider to see if you can do this and how long you can do it for.

    ", + "

    Opting back in

    ", + "

    You can do this at any time by writing to your employer. They do not have to accept you back into their workplace scheme if you\u2019ve opted in and then opted out in the past 12 months.

    ", + "

    Rejoining the scheme automatically

    ", + "

    Your employer will automatically re-enrol you in the scheme. They must do this either every 3 years (from the date you first enrolled), or they can choose to do it sooner. They\u2019ll write to you when they do this.

    ", + "

    When you do not rejoin automatically

    ", + "

    If you no longer qualify for the scheme, you will not be automatically re-enrolled.

    ", + "

    If you chose to leave the scheme in the 12 months before the date you would have been re-enrolled, your employer does not have to automatically re-enrol you. But they can choose to re-enrol you.

    ", + "

    Get help

    ", + "

    For questions about the specific terms of your workplace pension scheme, talk to your pension provider or your employer.

    ", + "

    You can get free, impartial information about your workplace pension options from:

    ", + "
  • the Money Advice Service
  • ", + "
  • the Pensions Advisory Service
  • ", + "
  • Pension Wise if you\u2019re in a defined contribution pension scheme
  • ", + "

    You can get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.

    ", + "

    For general questions on workplace pensions contact the DWP Workplace Pension Information Line.

    ", + "

    Only use the information line if you\u2019re a worker - employers should contact The Pensions Regulator.

    ", + "

    Problems with being \u2018automatically enrolled\u2019

    ", + "

    Contact the The Pensions Regulator if you have concerns about the way your employer is dealing with automatic enrolment.

    ", + "

    The Pensions Advisory Service may also be able to help you.

    ", + "

    If you\u2019re already paying into a personal pension

    ", + "

    Check whether it\u2019s better for you to:

    ", + "
  • carry on with just your personal pension
  • ", + "
  • stop paying into your personal pension and join your workplace pension
  • ", + "
  • keep paying into both
  • ", + "

    If you\u2019re saving large amounts in pensions

    ", + "

    You may have to pay a tax charge if your total savings in workplace pensions and any other personal pension scheme go above your:

    ", + "
  • lifetime allowance - \u00a31,055,000
  • ", + "
  • annual allowance - usually the lowest out of \u00a340,000 or 100% of your annual income
  • ", + "

    If you start taking your pension pot your annual allowance could drop to as low as \u00a34,000.

    ", + "

    If your pension scheme is closing

    ", + "

    This can happen if your employer decides they do not want to use a scheme anymore or they can no longer pay their contributions. What happens to the money you paid in depends on the pension scheme you\u2019ve joined.

    ", + "

    If you\u2019ve been automatically enrolled, your employer cannot close a pension scheme without automatically enrolling you into another one.

    ", + "

    If you\u2019re getting a divorce

    ", + "

    You and your spouse or partner will have to tell the court the value of each of your pension pots. You then have different options to work out what happens to your pension when you get a divorce.

    " + ] + }, + { + "title": "Changing an employment contract", + "url": "https://www.gov.uk/your-employment-contract-how-it-can-be-changed", + "contents": [ + "

    Getting agreement

    ", + "

    Usually, the employer and employee both need to agree to any contract changes. But an employee can insist on a change if they have a legal right to it.

    ", + "

    Employers

    ", + "

    You must get an employee\u2019s agreement if you want to make changes to their contract.

    ", + "

    You should:

    ", + "
  • consult or negotiate with employees or their representatives (for example from a trade union or staff association)
  • ", + "
  • explain the reasons for changes
  • ", + "
  • listen to alternative ideas from employees
  • ", + "

    You may also want to talk with workers, asking them about their future plans. With older employees this can include talking about their thoughts on retirement and their options for staying in the job, for example changes to their role, hours or working pattern.

    ", + "

    Employees

    ", + "

    Explain to your employer why you want to make the changes. You can insist on a change if it\u2019s covered by a statutory right - for example not working on a Sunday.

    ", + "

    Making changes

    ", + "

    Once employers have agreed on changes with their staff, they need to:

    ", + "
  • update the terms of their employees\u2019 \u2018written statement\u2019 of employment conditions
  • ", + "
  • write to their employees within a month to tell them exactly what has changed
  • ", + "

    If an employer changes terms and conditions that are not in the written statement (for example the right to sick leave), they should tell their employees where to find information about the change. This could be in a company handbook, noticeboard or intranet site.

    ", + "

    Collective agreements

    ", + "

    Employers must write to their staff to let them know about any changes to collective agreements with trade unions or staff associations.

    ", + "

    These changes might affect the terms of employees\u2019 written statements, including pay and working hours, whether or not they\u2019re a member of the union or staff association.

    ", + "

    Flexibility clauses

    ", + "

    Flexibility clauses are terms in a contract that give employers the right to change some conditions of employment, for example relocation.

    ", + "

    Employers can only use flexibility clauses to make reasonable changes.

    ", + "

    Changes of employer

    ", + "

    If someone starts working for a different employer, they\u2019ll normally have to be given a new written statement within 2 months.

    ", + "

    However, if the name of a business changes or there\u2019s a new employer but no other changes in terms and conditions, the employer does not need to issue a new written statement. They still need to write to their staff about the changes within a month.

    ", + "

    Disciplinary measures

    ", + "

    Sometimes changes to an employee\u2019s terms and conditions, like a demotion, can happen as a result of a disciplinary measure.

    ", + "

    Employers should make sure the staff handbook or intranet site contains information about how this could happen in the section dealing with disciplinary procedures.

    ", + "

    Dealing with problems

    ", + "

    Problems can arise if:

    ", + "
  • an employer tries to change a contract without agreement, or re-employs someone on new terms and conditions
  • ", + "
  • there is a breach of contract where one of the terms in a contract is broken (for example an employer does not pay agreed wages or employees do not work agreed hours)
  • ", + "

    Solving disputes

    ", + "

    Employers and their staff should try to solve disputes about contract changes by talking informally or through mediation.

    ", + "

    Employees can also get advice from their trade union representative (if they\u2019re a member of a union), Citizen\u2019s Advice or Acas (Advisory, Conciliation and Arbitration Service). In Northern Ireland, they can get advice from the Labour Relations Agency (LRA) .

    ", + "

    If the problem cannot be solved, employers or employees may have the right to take legal action. It\u2019s important to get advice first because legal action can be expensive. Trade union members may be able to get legal advice from their union.

    ", + "

    Making a change without agreement

    ", + "

    If an employer makes a change to a contract without getting agreement (including by using flexibility clauses unreasonably), employees may:

    ", + "
  • have the right to refuse to work under the new conditions
  • ", + "
  • say that they\u2019re working any new terms under protest, and are treating the change as a breach of contract
  • ", + "
  • resign and claim constructive dismissal
  • ", + "
  • be able to take a case to an employment tribunal
  • ", + "

    In Northern Ireland an employment tribunal is known as an \u2018industrial tribunal\u2019.

    ", + "

    If an employee disagrees with new terms and conditions but does not say or do anything, this may count as agreeing to the changes.

    ", + "

    Re-employment on new terms and conditions

    ", + "

    Employers may, as a last resort, end a contract and re-employ someone on new terms and conditions.

    ", + "

    Employers who are dismissing employees must follow the legally required:

    ", + "
  • redundancy procedure in England, Wales and Scotland
  • ", + "
  • statutory minimum dismissal in Northern Ireland
  • ", + "

    If an employer does dismiss and re-employ someone, they may be able to take a case to a tribunal and claim:

    ", + "
  • breach of contract
  • ", + "
  • unfair dismissal
  • ", + "

    Breach of contract claims

    ", + "

    If an employee claims breach of contract and they cannot solve things informally with their employer, they may be able to take their case to a civil court or an employment tribunal (or an industrial tribunal in Northern Ireland).

    ", + "

    Their employer may be able to make a counter-claim.

    ", + "

    Claims and counter-claims can only go to a tribunal if they:

    ", + "
  • are related to an employment contract issue
  • ", + "
  • still have not been solved when the employee ends their employment
  • ", + "

    The claim or counter-claim cannot be related to a personal injury, or certain types of contract term like intellectual property rights.

    ", + "

    Time limits

    ", + "

    Usually, employees must make a claim to a tribunal within 3 months of ending their employment. The employer gets 6 weeks from receiving a copy of the claim to decide whether to make a counter-claim.

    ", + "

    Compensation limits

    ", + "

    If the tribunal agrees with the employee\u2019s claim, they may award compensation. This can only be for financial loss (for example, non-payment of wages) up to a maximum of \u00a325,000.

    " + ] + }, + { + "title": "Your rights as an agency worker", + "url": "https://www.gov.uk/agency-workers-your-rights", + "contents": [ + "

    When you're an agency worker

    ", + "

    You\u2019re an agency worker if you have a contract with an agency but you work temporarily for a hirer. Agencies can include recruitment agencies, for example \u2018temp agencies\u2019.

    ", + "

    You\u2019re also an agency worker if you look for work through entertainment and modelling agencies.

    ", + "

    You\u2019re not an agency worker if you use an agency to find permanent or fixed-term employment. Check with the company that hired you.

    ", + "

    Contact ACAS if you\u2019re unsure if you\u2019re an agency worker.

    ", + "

    Fees

    ", + "

    Recruitment agencies cannot charge you a fee for finding or trying to find you work.

    ", + "

    They can charge you for certain services, for example CV writing, training or transport. You have the right to cancel these as long as you give notice.

    ", + "

    If any agency offers you services it:

    ", + "
  • must give you full written details of the fee and conditions before charging you - including details of your right to cancel and the notice period
  • ", + "
  • cannot make you use these services as a condition for finding you work
  • ", + "

    There are different rules for entertainment and modelling agencies.

    ", + "

    When you want to cancel a service

    ", + "

    You can cancel paid services without a penalty. You must give a minimum of:

    ", + "
  • 10 working days\u2019 written notice to the agency to cancel living accommodation
  • ", + "
  • 5 working days\u2019 notice for all other services, such as training courses
  • ", + "

    You can complain to Acas if you think your agency has unfairly charged you or it will not refund you during the notice period.

    ", + "

    What your agency must give you

    ", + "

    Your agency must give you information about the work they\u2019re trying to find you.

    ", + "

    Before you\u2019re offered a job

    ", + "

    Before looking for work for you, your agency must give you:

    ", + "
  • a key information document
  • ", + "
  • written terms of engagement - often known as a contract
  • ", + "

    Key information document

    ", + "

    The key information document is a short explanation of how you\u2019ll be paid and what deductions will be applied.

    ", + "

    It must include:

    ", + "
  • the minimum rate of pay you can expect
  • ", + "
  • a sample payslip giving an estimate of your take home pay after things like National Insurance, Income Tax or private healthcare
  • ", + "
  • who is paying you
  • ", + "
  • if you have any fees to pay
  • ", + "
  • if you\u2019re entitled to any benefits
  • ", + "

    Your agency does not have to give you a key information document if you\u2019ve already agreed terms of engagement with them before 6 April 2020.

    ", + "

    Terms of engagement

    ", + "

    The written terms of engagement should include:

    ", + "
  • whether you\u2019re employed under a contract for services or a contract of employment
  • ", + "
  • your notice period
  • ", + "
  • your pay
  • ", + "
  • your holiday entitlement
  • ", + "

    An agency cannot change your terms and conditions without telling you. If you agree to changes, you must be given a new document with the full details of the changes and the date they changed.

    ", + "

    An agency cannot give information about you to any third parties (including current employers or hirers) without your permission.

    ", + "

    When you\u2019re offered a job

    ", + "

    The agency must give you a written statement that tells you:

    ", + "
  • your start date
  • ", + "
  • how long the contract is likely to last
  • ", + "
  • the type of work
  • ", + "
  • about any expenses you may have to pay
  • ", + "
  • the location
  • ", + "
  • your hours
  • ", + "
  • about any health and safety risks
  • ", + "
  • about any experience, training or qualifications needed for the role
  • ", + "

    Equal treatment

    ", + "

    From the day you start work you have a worker\u2019s employment rights.

    ", + "

    You also have the same rights as your permanent colleagues to use any shared facilities and services provided by your employer, for example:

    ", + "
  • a canteen or food and drinks machines
  • ", + "
  • a workplace creche or mother and baby room
  • ", + "
  • car parking or transport services, like a local pick-up service or transport between sites
  • ", + "

    Rights after 12 weeks

    ", + "

    After 12 weeks in the job you qualify for the same rights as someone employed directly. This is known as \u2018equal treatment\u2019.

    ", + "

    Your rights include:

    ", + "
  • \u2018equal pay\u2019 - the same pay as a permanent colleague doing the same job
  • ", + "
  • automatic pension enrolment
  • ", + "
  • paid annual leave
  • ", + "

    How to count your 12 week period

    ", + "

    Start counting your 12 week qualifying period from your first day at work.

    ", + "

    You do not have to be at work for 12 weeks in a row - some types of leave count and there can be breaks.

    ", + "

    Do not count days on sick leave or a break

    ", + "

    The qualifying period will pause for sick leave or breaks. Do not count the days when:

    ", + "
  • you take a break of 6 weeks or less
  • ", + "
  • you\u2019re on leave due to sickness or injury for up to 28 weeks
  • ", + "
  • you take annual leave you\u2019re entitled to
  • ", + "
  • the workplace closes, for example for Christmas or industrial action
  • ", + "
  • you\u2019re on jury service for up to 28 weeks
  • ", + "

    Count time off for pregnancy, paternity or adoption

    ", + "

    Your 12 week qualifying period will continue through time off you have for:

    ", + "
  • pregnancy and up to 26 weeks after childbirth
  • ", + "
  • adoption leave
  • ", + "
  • paternity leave
  • ", + "

    If your leave is more than 12 weeks you\u2019ll qualify for equal treatment when you return to work.

    ", + "

    Start from zero for a new job or role

    ", + "

    Your 12 weeks will start again if you:

    ", + "
  • get a new job at a different workplace
  • ", + "
  • have a break of more than 6 weeks between jobs at the same workplace
  • ", + "
  • stay at your workplace but take a new role that\u2019s \u2018substantively different\u2019
  • ", + "

    A substantively different role is one that\u2019s completely new, different work. It could be a combination of different:

    ", + "
  • skills, or requiring new training
  • ", + "
  • pay rate
  • ", + "
  • location
  • ", + "
  • working hours
  • ", + "

    Pay

    ", + "

    You\u2019re entitled to the National Minimum Wage for all the hours you work, even if you have not recorded them on a timesheet.

    ", + "

    After 12 weeks you\u2019re entitled to be paid the same as a permanent employee doing the same job.

    ", + "

    If your agency withholds your pay

    ", + "

    Your agency can delay paying you while they get proof of the hours you worked, but only for a reasonable period of time.

    ", + "

    Your agency cannot refuse to pay you because your hirer\u2019s unhappy with your work - this is a contractual issue between your agency and the hirer.

    ", + "

    You can make a claim to an employment tribunal if your agency is refusing to pay you.

    ", + "

    If you\u2019ve opted out of the right to equal pay

    ", + "

    Your agency should contact you to explain that after 12 weeks you\u2019re entitled to the same pay as a permanent employee doing the same job.

    ", + "

    Maternity rights

    ", + "

    You may be able to get Statutory Maternity Pay, but you cannot get Statutory Maternity Leave.

    ", + "

    As an agency worker, you have employee\u2019s pregnancy rights after working in your role for 12 weeks.

    ", + "

    It\u2019s illegal to discriminate against you on the grounds that:

    ", + "
  • you\u2019re pregnant
  • ", + "
  • you\u2019ve given birth in the last 6 months
  • ", + "
  • you\u2019re breastfeeding
  • ", + "

    It\u2019s discrimination if your:

    ", + "
  • agency refuses to place you in a job
  • ", + "
  • hirer refuses to hire you
  • ", + "
  • job was terminated because you\u2019re pregnant
  • ", + "
  • agency refuses to keep you on its books
  • ", + "
  • agency offers you only short jobs and gives longer ones to other agency workers
  • ", + "
  • hirer will not let you come back after having leave due to maternity
  • ", + "

    Contact Acas if you believe you\u2019ve been discriminated against.

    ", + "

    If there\u2019s a risk to your health

    ", + "

    Your hirer should make reasonable adjustments so you can do your job. If this isn\u2019t possible your agency must find you alternative work or pay you at the same rate for the expected length of your contract.

    ", + "

    Antenatal care

    ", + "

    After 12 weeks in the job you can get paid time off to go to \u2018antenatal care\u2019 if you cannot arrange it outside working hours.

    ", + "

    Antenatal care includes antenatal classes, appointments and parenting classes if they\u2019ve been recommended by a doctor or midwife.

    ", + "

    You must also be paid for the travel time if it\u2019s during working hours.

    ", + "

    Entertainment agencies

    ", + "

    Entertainment agencies can charge you a fee:

    ", + "
  • for finding you work, for example taking a commission (percentage fee) from your earnings
  • ", + "
  • to publish your details online or in a publication
  • ", + "

    They must tell you in writing if a fee is involved.

    ", + "

    If they\u2019re publishing your details

    ", + "

    Once you receive the contract, you have a 30-day \u2018cooling off\u2019 period when you:

    ", + "
  • can cancel or withdraw from it without getting a penalty
  • ", + "
  • do not have to pay
  • ", + "

    The agency must show you what it plans to publish about you before it\u2019s published.

    ", + "

    You then have up to 7 days after the cooling off period to say if you do not want the information to be published. If you\u2019re happy, you must pay after the 7 days.

    ", + "

    If the agency charged you but did not publish your name, you have the right to a refund for up to 60 days.

    ", + "

    Contact Acas if you believe you\u2019ve been charged unfairly.

    ", + "

    Modelling agencies

    ", + "

    Fashion and photographic model agencies can charge you a fee for finding you work. They can take a commission (percentage fee) from your earnings.

    ", + "

    They can also charge a fee to publish your details online or in a publication. They cannot charge this fee to you upfront but they can take it from your earnings if they find you work.

    ", + "

    They must tell you in writing if a fee is involved.

    ", + "

    Contact Acas if you believe you\u2019ve been charged unfairly.

    " + ] + }, + { + "title": "Understanding your pay", + "url": "https://www.gov.uk/understanding-your-pay", + "contents": [ + "

    Overview

    ", + "

    When you start work, your employer should tell you how much you\u2019ll be paid and how often. They should also tell you:

    ", + "
  • the day or date you\u2019ll be paid, for example each Friday or the last day of the month
  • ", + "
  • how you\u2019ll be paid, for example cash, cheque or bank transfer
  • ", + "

    If you\u2019re an employee or \u2018worker\u2019 (not a contractor or freelancer), you have the right to a payslip, which shows:

    ", + "
  • your earnings before and after any deductions
  • ", + "
  • the amount of any deductions that may change each time you\u2019re paid, for example tax and National Insurance
  • ", + "
  • the number of hours you worked, if your pay varies depending on time worked
  • ", + "

    You might need to know how to work out your weekly pay if you have to claim payments for redundancy or compensation from your employer.

    ", + "

    Part-time workers

    ", + "

    If you\u2019re a part-time worker, you must get at least the same hourly pay rate as a full-time worker doing a similar job.

    ", + "

    Working out your pay

    ", + "

    Knowing how to work out your weekly pay is important because it\u2019s used to work out how much you should get for:

    ", + "
  • redundancy pay and pay during time off for job-hunting if you\u2019re made redundant
  • ", + "
  • pay during your notice period when leaving a job
  • ", + "
  • holiday pay
  • ", + "
  • guarantee pay for work - you get this if your employer cannot provide you with work, but your contract says they have to pay you anyway
  • ", + "
  • compensation awarded by Employment Tribunals
  • ", + "

    What you\u2019re entitled to depends on your work status.

    ", + "

    You do not need to calculate your weekly pay, if you\u2019re paid weekly and your pay does not vary.

    ", + "

    If your pay varies or you\u2019re not paid weekly, you have to use a 12-week period for working it out.

    ", + "

    The 12-week period

    ", + "

    You can work out your weekly pay by getting an average figure for a 12-week period. The particular 12 weeks you use varies depending on what you\u2019re calculating your pay for.

    ", + "

    Redundancy

    ", + "

    Use the 12 weeks up to the day you got your redundancy notice to work out your pay.

    ", + "

    Notice pay

    ", + "

    Use the 12 weeks up to the first day of the notice period to work out what your notice pay should be.

    ", + "

    Paid annual leave

    ", + "

    Work this out using the 12 weeks leading up to your holiday.

    ", + "

    Guarantee payments

    ", + "

    Use the 12 weeks leading up to when your payment is due. If you no longer work for that employer, use the last 12 weeks of your employment with them.

    ", + "

    If you\u2019ve worked for your employer for less than 12 weeks, you should be allowed to calculate your average weekly pay using:

    ", + "
  • the number of hours you would have worked
  • ", + "
  • the hours of other workers doing a similar job for your employer
  • ", + "

    Working out your weekly figure

    ", + "

    Add up the total amount of pay for the period and divide it by 12 to get the weekly figure. You do this even if you\u2019ve had to use a period of more than 12 weeks.

    ", + "

    You can also include bonuses.

    ", + "

    Overtime

    ", + "

    You can include overtime in your calculations if your contract says your employer has to pay it.

    ", + "

    Work done for a previous employer

    ", + "

    You can include pay for work done for a previous employer if you\u2019re calculating your average weekly pay and you did not have a gap in employment when you changed jobs.

    ", + "

    Get help with the calculations

    ", + "

    You can get help to calculate a week\u2019s pay from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.

    ", + "

    Pay calculations if you work shifts or get bonuses

    ", + "

    If your pay or working hours vary from week to week, the calculations for working out your weekly pay are more complicated.

    ", + "

    Bonuses and commission

    ", + "

    Your pay could vary depending on the amount of work you do, because of:

    ", + "
  • bonuses
  • ", + "
  • commission
  • ", + "
  • \u2018piece work\u2019 - you\u2019re paid by the amount of work you do, rather than by the hour
  • ", + "

    The 12-week period

    ", + "

    If you get bonuses, commission or piece work, you\u2019ll need to work out your average hourly rate over a 12-week period to work out your weekly pay.

    ", + "

    Add up your total pay for the 12 weeks first. You can include overtime and bonuses. There are special calculations for bonuses.

    ", + "

    Quarterly bonuses

    ", + "

    You can include a proportion of your quarterly bonuses in your calculations.

    ", + "
  • Divide the bonus amount by 13 (the number of weeks in a quarter of a year).
  • ", + "
  • Multiply this figure by 12 (the number of weeks your pay is averaged across).
  • ", + "

    Annual bonuses

    ", + "

    If you get an annual bonus here\u2019s what you need to do.

    ", + "
  • Divide the bonus amount by 52 (the number of weeks in a year).
  • ", + "
  • Multiply this by 12.
  • ", + "

    Hourly rate

    ", + "

    Work out the average hourly rate by dividing the total amount you earned in 12-week period by the number of hours you worked.

    ", + "

    Weekly rate

    ", + "

    Multiply your hourly rate by the average number of hours you worked each week in the 12-week period, to get your weekly rate.

    ", + "

    Shift or rota work

    ", + "

    Your week\u2019s pay will be the average number of hours you work at an average pay rate over a 12-week period.

    ", + "

    Get help with the calculations

    ", + "

    You can get help to calculate a week\u2019s pay from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.

    ", + "

    Performance-related pay

    ", + "

    Your employer should base your performance-related pay on clear, measurable targets - they should tell you about these.

    ", + "

    There are 2 main types of performance pay:

    ", + "
  • short-term schemes, like bonus payments or sales commission
  • ", + "
  • long-term schemes, like company shares
  • ", + "

    Non-payment of bonuses or commission

    ", + "

    If you do not get a bonus or commission you\u2019re owed and you think there\u2019s been a mistake:

    ", + "
  • speak to your employer to see if there\u2019s been a misunderstanding
  • ", + "
  • ask them set out in writing how they\u2019ve calculated your pay
  • ", + "
  • keep copies of any letters and notes of any meetings
  • ", + "

    If a bonus or commission is included in your contract, non-payment is a breach of contract. You can get help with making a complaint.

    ", + "

    Non-payment of bonuses may also be covered legally under:

    ", + "
  • unlawful deductions from wages - for example, you\u2019re entitled to payment but it has not been given
  • ", + "
  • unlawful discrimination - your employer must not discriminate against particular groups, for example giving smaller bonuses to women
  • ", + "

    You can get advice from Acas (Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.

    ", + "

    Deductions from your pay

    ", + "

    Your employer is not allowed to make deductions unless:

    ", + "
  • it\u2019s required or allowed by law, for example National Insurance, income tax or student loan repayments
  • ", + "
  • you agree in writing
  • ", + "
  • your contract says they can
  • ", + "
  • there\u2019s a statutory payment due to a public authority
  • ", + "
  • you have not worked due to taking part in a strike or industrial action
  • ", + "
  • there\u2019s been an earlier overpayment of wages or expenses
  • ", + "
  • it\u2019s a result of a court order
  • ", + "

    A deduction cannot normally reduce your pay below the National Minimum Wage even if you agree to it, except if the deduction is for:

    ", + "
  • tax or National Insurance
  • ", + "
  • something you\u2019ve done and your contract says you\u2019re liable for it, for example a shortfall in your till if you work in a shop
  • ", + "
  • repayment of a loan or advance of wages
  • ", + "
  • repayment of an accidental overpayment of wages
  • ", + "
  • buying shares or share options in the business
  • ", + "
  • accommodation provided by your employer
  • ", + "
  • your own use, for example union subscriptions or pension contributions
  • ", + "

    If you work in retail - for example shops, restaurants

    ", + "

    Your employer cannot take more than 10% from your gross pay (pay before tax and National Insurance) each pay period to cover any shortfalls.

    ", + "

    If you have not been paid in full

    ", + "

    Speak to your employer first to try to sort out the problem informally.

    ", + "

    If this does not work, talk to Acas (Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.

    ", + "

    You have the right to go to an Employment Tribunal to get your money.

    ", + "

    If you leave your job

    ", + "

    Check your contract to see if your employer is allowed to withhold your pay. Normally you\u2019re entitled to be paid everything you\u2019ve earned up to the point you finish.

    ", + "

    If you\u2019re forced to resign because your employer refuses to pay you, you may be able to make a constructive dismissal claim in an Employment Tribunal.

    " + ] + }, + { + "title": "Complain about your trade union", + "url": "https://www.gov.uk/complain-trade-union", + "contents": [ + "

    Overview

    ", + "

    You can complain to the Certification Officer about a trade union if you\u2019re a member.

    ", + "

    You might also be able to complain if you\u2019re not a member of a trade union, for example you\u2019re a candidate in an election run by a union.

    ", + "

    What you can complain about

    ", + "

    You can complain if you think the trade union has:

    ", + "
  • broken its own rules, for example about holding elections or ballots
  • ", + "
  • broken laws on running trade unions, for example not holding a proper ballot on a proposed merger of trade unions or not providing access to accounting records
  • ", + "

    You can also complain about trade union funds being used illegally or in a way that breaks the financial rules of the union, known as financial irregularities.

    ", + "

    You do not have to be a member of a trade union to complain about financial irregularities.

    ", + "

    The make a complaint guidance has a full list of the complaints you can make to the Certification Officer

    ", + "

    What you cannot complain about

    ", + "

    You cannot complain about what a union does for you, for example representing you if you\u2019re unfairly dismissed. You should get legal advice instead.

    ", + "

    Complain to your trade union first

    ", + "

    Talk to your trade union and try to resolve the problem with them before taking it to the Certification Officer.

    ", + "

    You can take your complaint further if you\u2019ve been through all the steps in your trade union\u2019s complaints procedure and you\u2019re still not satisfied.

    ", + "

    Complain to a court

    ", + "

    You might be able to take your trade union to court, for example for breach of contract if it breaks its own rules. You should seek legal advice before you do this. You cannot complain to the Certification Officer and the courts about the same problem.

    ", + "

    Complain to the Certification Officer

    ", + "
  • Make a complaint.
  • ", + "
  • Attend a hearing.
  • ", + "
  • Get a decision.
  • ", + "

    Make a complaint

    ", + "

    Email or call the Certification Officer to talk about your complaint before you make a complaint in writing.

    ", + "

    The make a complaint guidance has information on how to make a complaint and when you can make it.

    ", + "

    The financial irregularities guidance has information on how:

    ", + "
  • to make a complaint about the illegal or improper use of funds in trade unions and employers\u2019 associations
  • ", + "
  • the Certification Officer might appoint an inspector to investigate the complaint
  • ", + "
  • the Certification Officer makes a decision and how they\u2019ll tell you this
  • ", + "

    Use the complaint form

    ", + "

    Download and fill in the registration of complaint form.

    ", + "

    Email the registration of complaint form to the address on the form.

    ", + "

    Make an anonymous complaint

    ", + "

    You might be able to make your complaint anonymously if you feel your complaint would put you in danger.

    ", + "

    Use the registration of complaint form to make your complaint and do both of the following:

    ", + "
  • tell the Certification Officer that you want to make an anonymous complaint
  • ", + "
  • explain why you want your identity kept secret from your union
  • ", + "

    If the Certification Officer agrees, they will keep your identity secret from the trade union.

    ", + "

    You can retract your complaint if the Certification Officer does not think your complaint can be made anonymously. You should tell them in writing that you want to retract your complaint.

    ", + "

    Attend a hearing

    ", + "

    You\u2019ll usually get the chance to attend a hearing with the Certification Officer to have your complaint heard.

    ", + "

    You\u2019ll get a letter from the Certification Officer asking you to confirm what your complaint is about, for example what rule you think has been broken.

    ", + "

    Your complaint will be sent to your union - they can disagree with any allegation you\u2019ve made.

    ", + "

    Provide documents for your hearing

    ", + "

    You and your union must send certain documents by a date specified by the Certification Officer.

    ", + "

    These include:

    ", + "
  • copies of all the documents that relate to your complaint
  • ", + "
  • written statements from anyone that\u2019s going to give evidence at the hearing
  • ", + "
  • written draft arguments
  • ", + "
  • copies of any legal evidence that backs up the draft arguments
  • ", + "

    Get a date for the hearing

    ", + "

    You\u2019ll get a letter from the Certification Officer that sets a date for the hearing when both of the following have happened:

    ", + "
  • your union has replied to the Certification Officer about your complaint
  • ", + "
  • you and your union provide the Certification Officer with all the necessary documents
  • ", + "

    You or your union can ask for the hearing to be postponed if either of you can\u2019t attend the hearing on the date given.

    ", + "

    The hearing guidance tells you:

    ", + "
  • how you or your union might be able to change the date of the hearing
  • ", + "
  • what happens at the hearing
  • ", + "

    Get a decision without a hearing

    ", + "

    You can also get a decision from the Certification Officer on your case without having to attend a hearing, for example if both you and the union agree that either the union\u2019s own rules or the law has been broken.

    ", + "

    You\u2019ll still need to provide the Certification Officer with all the details about the case so they can decide what should happen next.

    ", + "

    Get a decision

    ", + "

    You won\u2019t get a decision about your complaint at the hearing.

    ", + "

    You\u2019ll be told at the end of the hearing when you might get your decision.

    ", + "

    You\u2019ll get a decision in writing, with the reasons for it, from the Certification Officer.

    ", + "

    Appeal against a decision

    ", + "

    You can appeal to an employment appeal tribunal if you think the Certification Officer made a decision that was legally wrong.

    " + ] + }, + { + "title": "Joining a trade union", + "url": "https://www.gov.uk/join-trade-union", + "contents": [ + "

    Joining a trade union

    ", + "

    A trade union is an organisation with members who are usually workers or employees. It looks after their interests at work by doing things like:

    ", + "
  • negotiating agreements with employers on pay and conditions
  • ", + "
  • discussing big changes like large scale redundancy
  • ", + "
  • discussing members\u2019 concerns with employers
  • ", + "
  • going with members to disciplinary and grievance meetings
  • ", + "

    Find a union to join

    ", + "

    If there\u2019s a union at work, you can ask the trade union representative (\u2018rep\u2019) about joining. Their contact details may be in your company handbook, intranet site or on the union noticeboard.

    ", + "

    The union rep will tell you if you\u2019re eligible to join and give you a membership form to fill in.

    ", + "

    Trade union contact details

    ", + "

    You can search a list of unions and their contact details put together by the Certification Officer, the independent organisation responsible for the legal regulation of unions.

    ", + "

    You can also use the TUC\u2019s interactive tool to help you find a trade union in your workplace, or one which covers your type of job.

    ", + "

    Trade union membership subscriptions

    ", + "

    Your union will charge a union membership fee (\u2018membership sub\u2019) to finance the work of the union. This can be the same amount for all employees or based on how much you\u2019re paid.

    ", + "

    Paying your membership subs

    ", + "

    You can pay your subs by:

    ", + "
  • having the amount taken by your employer from your pay and sent to the union (otherwise known as \u2018check-off\u2019)
  • ", + "
  • direct debit
  • ", + "
  • cash
  • ", + "
  • cheque
  • ", + "

    Paying by check-off

    ", + "

    Your employer does not have to take union membership subs from your pay and send it to the union. They can stop sending your membership subs unless your employment contract says they have to.

    ", + "

    Your employer cannot take union membership subs from your pay without your written permission. Many trade unions will get your agreement to pay by check-off when you join, and forward it to your employer.

    ", + "

    You can also ask your employer in writing to stop taking money from your pay for check-off whenever you want. They must then stop taking subs from your pay as soon as it\u2019s possible.

    ", + "

    Your employer is responsible for making sure that any check-off payments they make are legal.

    ", + "

    What to do if you have a problem

    ", + "

    If you have a problem with your check-off payments, try to discuss the issue with your employer and your trade union first.

    ", + "

    If your trade union subscriptions are taken from your pay without your consent, you could make a complaint to an employment tribunal against your employer.

    ", + "

    If your complaint is successful the employment tribunal can order your employer to pay you the value of the unauthorised payments.

    ", + "

    Trade union membership: your employment rights

    ", + "

    You have the right to:

    ", + "
  • choose to join or not join a union
  • ", + "
  • decide to leave or remain a member of a union
  • ", + "
  • belong to the union you choose, even if it\u2019s not the one your employer negotiates with on pay, terms and conditions
  • ", + "
  • belong to more than one union
  • ", + "

    Your employer is not allowed to:

    ", + "
  • offer you a benefit to leave a trade union
  • ", + "
  • threaten to treat you unfairly if you do not leave a union
  • ", + "

    Refusing to employ you for trade union membership reasons

    ", + "

    An employer or employment agency is not allowed to insist that you:

    ", + "
  • join or leave a trade union
  • ", + "
  • leave one union for another
  • ", + "

    Dismissal for trade union membership reasons

    ", + "

    Your employer is not allowed to dismiss you or choose you for redundancy because you:

    ", + "
  • are or want to be a union member
  • ", + "
  • are not or do not want to be a union member
  • ", + "
  • took part or wanted to take part in union activities
  • ", + "

    Other unfavourable treatment

    ", + "

    Your employer must not treat you unfavourably (for example refusing you promotion or training opportunities) if you:

    ", + "
  • join a union
  • ", + "
  • take part in its meetings
  • ", + "
  • leave a union
  • ", + "

    What to do if you have a problem

    ", + "

    You may be able to use a grievance procedure or go to an employment tribunal if you think your employer has treated you unfairly because of your trade union membership.

    ", + "

    Contact the Advisory, Conciliation and Arbitration Service (Acas) if you have any questions about trade union membership.

    ", + "

    Role of your trade union rep

    ", + "

    A trade union representative (\u2018rep\u2019) is a union member who represents and gives advice to colleagues when they have problems at work.

    ", + "

    Trade union reps are not paid but they do get paid time off to do their work as a rep.

    ", + "

    What do union reps do?

    ", + "

    Reps are there to:

    ", + "
  • discuss any concerns you have about your employer
  • ", + "
  • go with (\u2018accompany\u2019) you to disciplinary or grievance hearings with management
  • ", + "
  • represent you in negotiations (\u2018collective bargaining\u2019) over your pay and terms and conditions of employment
  • ", + "
  • meet with your employer to find solutions to workplace issues
  • ", + "
  • develop the best possible health and safety procedures with your employer
  • ", + "

    Employers must consult with union reps if:

    ", + "
  • there is going to be a business transfer or takeover
  • ", + "
  • they are planning to make 20 or more people redundant within 90 days
  • ", + "

    Your right to be accompanied

    ", + "

    You have the right to be accompanied by your union rep to some meetings with management - for example, if:

    ", + "
  • you\u2019re facing a disciplinary charge
  • ", + "
  • you wish to raise a grievance with your employer
  • ", + "

    If your union rep cannot attend, you may be able to rearrange the meeting or ask a work colleague to go with you.

    ", + "

    Becoming a union rep

    ", + "

    If you want to become a union rep, ask another rep in the workplace or contact your union through its website. Depending on union rules, you may be appointed or elected.

    ", + "

    If you become a union rep, find out what rights you have.

    ", + "

    Union negotiations with your employer

    ", + "

    When an employer and a union agree to negotiate on pay, terms and conditions, this agreement is called \u2018recognition\u2019 of the union. The negotiations are called \u2018collective bargaining\u2019.

    ", + "

    How collective bargaining works

    ", + "

    Your employer and trade union must agree on how collective bargaining will be done including:

    ", + "
  • which union, rep or official will represent a group of workers or employees (this group is called a \u2018bargaining unit\u2019)
  • ", + "
  • who is included in the bargaining unit
  • ", + "
  • how often meetings will take place
  • ", + "
  • what issues they\u2019ll discuss
  • ", + "
  • how disagreements will be handled
  • ", + "
  • how collective bargaining will work if more than one union is recognised
  • ", + "

    Collective agreements

    ", + "

    Agreements reached through collective bargaining are called collective agreements and they often mean a change in your employment terms and conditions.

    ", + "

    Collective agreements can cover all staff - not just union members.

    ", + "

    Your employment contract may say which collective agreements cover you if:

    ", + "
  • your employer recognises more than one trade union
  • ", + "
  • 1 union is recognised to negotiate for more than 1 bargaining unit
  • " + ] + }, + { + "title": "Request an information and consultation agreement with your employer", + "url": "https://www.gov.uk/request-information-consultation-agreement", + "contents": [ + "

    Overview

    ", + "

    You, together with other employees, can ask your employer to keep you informed and consult with you on issues related to your company or organisation.

    ", + "

    This may include:

    ", + "
  • the company or organisation\u2019s performance, for example financially and competitively
  • ", + "
  • any changes to your working conditions and employment prospects
  • ", + "

    This is called an information and consultation agreement.

    ", + "

    Your employer can start negotiating an agreement without a request from its employees.

    ", + "

    How to make a request

    ", + "
  • Check that you\u2019re eligible.
  • ", + "
  • Write to your employer or the Central Arbitration Committee (CAC) with your request.
  • ", + "

    Eligibility

    ", + "

    To make a request, you need to be an employee of a company or organisation which has both:

    ", + "
  • at least 50 employees
  • ", + "
  • its registered office, head office or main operation in England, Scotland or Wales
  • ", + "

    There\u2019s a different process if you work for a company or organisation based in Northern Ireland, unless both of these apply:

    ", + "
  • its head office or registered office is in England, Scotland or Wales
  • ", + "
  • the majority of its employees work in England, Scotland or Wales
  • ", + "

    Number of employees needed to take part

    ", + "

    Employees can either individually request an arrangement or make a single request as a group.

    ", + "

    For the request to be valid the following must apply:

    ", + "
  • at least 2% of all the employees in the company or organisation make a request
  • ", + "
  • at least 15 employees must make the request
  • ", + "
  • individual requests must be received within a 6 month period to be counted together
  • ", + "

    Find out the number of employees

    ", + "

    You can write to your employer to ask how many people they employ.

    ", + "

    You can complain to the Central Arbitration Committee (CAC) if:

    ", + "
  • your employer refuses to provide the number of employees
  • ", + "
  • you think the number they\u2019ve given you is wrong
  • ", + "

    Download and fill in the complaint form and send it to the address on the form.

    ", + "

    Make a request

    ", + "

    You can either write to:

    ", + "
  • your employer to request an arrangement
  • ", + "
  • the Central Arbitration Committee (CAC) - you can do this if you don\u2019t want your employer to know you\u2019re making a request
  • ", + "

    Request direct to your employer

    ", + "

    Include the following:

    ", + "
  • the date you\u2019re making the request
  • ", + "
  • your name and the names of any other employees included in your request
  • ", + "

    Request through CAC

    ", + "

    Email enquiries@cac.gov.uk with the following:

    ", + "
  • the date you\u2019re making the request
  • ", + "
  • your name and address
  • ", + "
  • your employer\u2019s name and address
  • ", + "
  • the name of the manager who represents the employer
  • ", + "

    CAC will tell you and the employer how many requests have been made, without revealing the names of the employees.

    ", + "

    What happens next

    ", + "

    Your employer can start negotiating with you straight away if they choose to, regardless of how many employees have applied.

    ", + "

    If more than 40% of employees have requested an agreement, your employer must start negotiating with you.

    ", + "

    If less than 40% of employees have requested an agreement, your employer can:

    ", + "
  • say that there\u2019s already a pre-existing agreement
  • ", + "
  • hold an employee ballot to see if they should start negotiations
  • ", + "

    An employer can dispute the validity of any request.

    ", + "

    Central Arbitration Committee (CAC) can be asked to decide if \nrequests are valid and if pre-existing agreements already exist.

    ", + "

    Pre-existing agreements

    ", + "

    Your employer may say there\u2019s already an agreement about keeping you informed and consulting you.

    ", + "

    A pre-existing agreement is a written explanation of how the employer informs and consults employees or representatives. It must:

    ", + "
  • cover all employees
  • ", + "
  • have been agreed by those employees
  • ", + "

    You can complain to CAC if you do not agree there\u2019s a pre-existing agreement.

    ", + "

    If a ballot is held

    ", + "

    Your employer may hold a ballot (a vote) to decide if they should start negotiating.

    ", + "

    They must:

    ", + "
  • tell you no more than 1 month after they get your request that they\u2019re going to hold a ballot
  • ", + "
  • hold the ballot no sooner than 21 days after they tell you about it
  • ", + "

    Your employer might decide to hold a combined ballot of all employees if there is already an agreement (or more than one agreement) covering other parts of the business in addition to your own.

    ", + "

    All employees must be allowed to vote in the ballot and the voting must be done in private.

    ", + "

    Results of the ballot

    ", + "

    Your employer must start negotiations with you if both these apply:

    ", + "
  • at least 40% of employees took part in the ballot
  • ", + "
  • more than 50% of those voting supported the request for an information and consultation agreement
  • ", + "

    You cannot request a new agreement for 3 years if the results of the employee ballot do not meet both these requirements.

    ", + "

    Complain about a ballot

    ", + "

    Download and fill in the relevant complaint form and send it to the Central Arbitration Committee (CAC) if:

    ", + "
  • the employer has not told you that they\u2019re holding a ballot within 1 month of getting your request - use form 8(7)
  • ", + "
  • you think the employer is taking too long to hold a ballot after they\u2019ve said they would and 21 days have passed - use form 8(8)
  • ", + "
  • you believe the ballot was not fair - make the complaint within 21 days of the ballot using form 10(2)
  • ", + "

    Negotiate an agreement

    ", + "

    You need to negotiate with your employer when they agree - or the Central Arbitration Committee (CAC) instruct them - to set up an agreement.

    ", + "

    The terms will need to be agreed and written down by your employer and the employee representatives.

    ", + "

    If the negotiations are started by the employer without receiving a request, they must inform all employees in writing about what\u2019s happening. You can complain to CAC if they do not.

    ", + "

    Selection of employee representatives

    ", + "

    Your employer must make sure that every employee is represented by at least one representative. They can choose whether this is done by appointing or electing the representatives but all employees have a right to be involved in this process.

    ", + "

    Complain to CAC within 21 days of the selection of the representatives if you think your employer has not done this properly.

    ", + "

    CAC may tell the employer to rerun the process for appointing or electing representatives.

    ", + "

    If negotiations fail

    ", + "

    If your employer does not enter negotiations or an agreement cannot be reached then they must give you the following information and consult with you on:

    ", + "
  • what the company or organisation is doing, its economic situation and its future prospects
  • ", + "
  • any changes to employee numbers and organisation, employment prospects, and particularly any threats to jobs within the company or organisation
  • ", + "
  • decisions that might lead to changes in work organisation or in employment contracts including TUPE transfers and collective redundancies
  • ", + "

    Complaints when an agreement is in place

    ", + "

    Complain to CAC by filling in the relevant form if you believe:

    ", + "
  • your employer has not complied with the terms of an agreement
  • ", + "
  • your employer has made an unreasonable request that you keep information confidential
  • ", + "
  • that disclosing particular information would harm your business
  • " + ] + }, + { + "title": "Taking part in industrial action and strikes", + "url": "https://www.gov.uk/industrial-action-strikes", + "contents": [ + "

    Overview

    ", + "

    Industrial action is when workers:

    ", + "
  • go on strike
  • ", + "
  • take other action, like refusing to do overtime (known as \u2018action short of a strike\u2019)
  • ", + "

    Sometimes an employer may stop their workers from working or coming back to work during a dispute. This is called a \u2018lock-out\u2019.

    ", + "

    Calling industrial action

    ", + "

    Industrial action happens when trade union members are in a dispute with their employers that can\u2019t be solved through negotiations.

    ", + "

    A trade union can only call for industrial action if a majority of its members involved support it in a properly organised postal vote - called a \u2018ballot\u2019.

    ", + "

    Before organising a ballot, a union must decide which members affected by a dispute it wants to ask to take industrial action. It must tell all members entitled to vote and the employer what the ballot results were.

    ", + "

    A trade union calls industrial action by telling members and the employer when and how this action will be taken. This should be done by a trade union official or committee that has the legal right to do so. Your voting paper must have said who this is.

    ", + "

    Taking part in industrial action - your rights

    ", + "

    If you\u2019re a trade union member, you have the right to vote before your union asks you to take industrial action. You don\u2019t have to take part in industrial action and can\u2019t be disciplined by your union if you don\u2019t.

    ", + "

    If you do get excluded or expelled from your union, you can complain to an employment tribunal.

    ", + "

    Secondary action

    ", + "

    It\u2019s against the law to take part in \u2018secondary action\u2019 (going on strike in sympathy with people who work for a different employer).

    ", + "

    Holding a ballot

    ", + "

    Your union must have a vote (a \u2018ballot\u2019) that\u2019s properly organised according to legal rules.

    ", + "

    Properly organised ballots

    ", + "

    A ballot for industrial action must:

    ", + "
  • be supervised by a qualified independent person (a \u2018scrutineer\u2019 - often someone from an organisation like the Electoral Reform Society) appointed by the union if over 50 members are being balloted
  • ", + "
  • be held before the union asks members to take or continue taking action
  • ", + "
  • be open to all members the union wants to take action
  • ", + "
  • be a postal ballot where members vote by marking a box on a voting paper and return it in a prepaid envelope
  • ", + "
  • include information on what the ballot is about and where to post your vote
  • ", + "

    The union must tell everyone entitled to vote how many people voted, the number of yes votes, no votes or spoiled papers as soon as it can after the ballot.

    ", + "

    It must also give the employer one week\u2019s notice of the start of the ballot and tell them the result as soon as\u00a0possible once it\u2019s available.

    ", + "

    There\u2019s practical guidance on these rules in the code of practice on industrial action ballots.

    ", + "

    Questions on the voting paper

    ", + "

    When you\u2019re balloted, your voting paper must ask whether you want to take part in either (or both):

    ", + "
  • strike action
  • ", + "
  • action short of a strike
  • ", + "

    The union can only call on members to take action if a majority of members who voted were in favour of that particular action. If both questions are asked on the ballot paper and members vote yes to both, the union can decide what industrial action to take.

    ", + "

    Complaining about ballots

    ", + "

    You can apply for a court order if your union breaks the rules on industrial action ballots. You can take legal advice before doing this.

    ", + "

    The court may order the union not to organise action if it decides a ballot wasn\u2019t held according to the rules.

    ", + "

    You can apply for a temporary injunction that tells the union not to call industrial action if your case can\u2019t be heard in court straight away.

    ", + "

    If the union doesn\u2019t do what the court says, you can ask them to \u2018declare the union to be in contempt of court\u2019 and the union can be fined.

    ", + "

    Your employment rights during industrial action

    ", + "

    You have the right to take industrial action and you can\u2019t be legally forced to stay at, or go back to, work (unless a ballot wasn\u2019t organised properly).

    ", + "

    If you take industrial action, you\u2019ll probably have broken (be \u2018in breach of\u2019) your employment contract and your employer:

    ", + "
  • is unlikely to pay for the work you didn\u2019t do when you took industrial action
  • ", + "
  • can sue you for breaking your contract (this doesn\u2019t happen often)
  • ", + "

    Taking industrial action doesn\u2019t usually mean that your employer will say you\u2019ve broken your period of continuous employment with them. This begins when you start working for your employer and ends on the day your employer uses to calculate your length of service.

    ", + "

    However, if you take industrial action, your employer will reduce your length of service with them by the number of days you were on strike. This is important when working out your pension and things like statutory redundancy pay.

    ", + "

    Dismissal for industrial action

    ", + "

    You can\u2019t be dismissed for industrial action if:

    ", + "
  • it\u2019s called as a result of a properly organised ballot
  • ", + "
  • it\u2019s about a trade dispute between workers and their employer (eg about your terms and conditions)
  • ", + "
  • a detailed notice about the industrial action (which is legally required) has been given to the employer at least 7 days before it begins
  • ", + "

    You can claim unfair dismissal at an employment tribunal if you\u2019re dismissed for taking industrial action at any time within the 12 weeks after the action began.

    ", + "

    After 12 weeks, you can be dismissed if you take industrial action and your employer has tried to settle the dispute. For example, your employer may bring in advisers from Acas to help find a solution.

    ", + "

    When you may be dismissed

    ", + "

    You could be dismissed for taking part in industrial action if:

    ", + "
  • the union hasn\u2019t held a properly organised ballot
  • ", + "
  • the union hasn\u2019t given the employer the correct notice for balloting members or taking action
  • ", + "
  • the union hasn\u2019t called its members to take action because they think the dispute is settled or action is called by someone who doesn\u2019t have the authority to do so
  • ", + "
  • it\u2019s in support of workers taking action against another employer (otherwise known as \u2018sympathy\u2019 or \u2018secondary\u2019 action)
  • ", + "
  • it\u2019s in support of only employing union members (otherwise known as a \u2018closed shop\u2019)
  • ", + "
  • it breaks any other parts of industrial action law
  • ", + "

    If you take part in industrial action that breaks the regulations and you\u2019re dismissed, you can\u2019t usually claim unfair dismissal if all employees taking part are dismissed as well.

    ", + "

    There\u2019s more detail on legal rights and protections in the guidance on industrial action and the law.

    ", + "

    Industrial action by non-union members

    ", + "

    Non-union members who take part in legal, official industrial action have the same rights as union members not to be dismissed as a result of taking action.

    ", + "

    Going on strike and picketing

    ", + "

    A picket line is where workers and union reps (\u2018picketers\u2019 or \u2018pickets\u2019) stand outside a workplace to tell other people why they are striking. Pickets may also ask people not to:

    ", + "
  • do some of their usual work
  • ", + "
  • go into work
  • ", + "

    Pickets must not prevent people from going to work or doing their usual work if they want to do so.

    ", + "

    The picketing code of practice explains the rules around lawful picketing.

    ", + "

    Picketing and the law

    ", + "

    It\u2019s a criminal offence for pickets to:

    ", + "
  • use threatening or abusive behaviour to people walking past or crossing the picket line
  • ", + "
  • block people or vehicles trying to get into the workplace which is on strike (called \u2018causing an obstruction\u2019 by police)
  • ", + "
  • carry weapons
  • ", + "
  • damage property
  • ", + "
  • cause or threaten to cause a \u2018breach of the peace\u2019
  • ", + "
  • try to block roads near the picket line (called \u2018causing an obstruction to the public highway\u2019)
  • ", + "
  • try to stop the police who are outside the workplace from doing their job
  • ", + "

    You can have legal action taken against you if you break the law or encourage others to do so when you\u2019re picketing. This includes:

    ", + "
  • trespassing (trying to enter a building without permission)
  • ", + "
  • making a noise nuisance
  • ", + "
  • using threatening language or offensive material, libel or slander in leaflets, banners, placards, chants or speeches
  • ", + "

    If you break a court order banning you or your trade union from holding a picket, you could be open to further legal action (otherwise known as \u2018contempt of court\u2019).

    ", + "

    Mass picketing

    ", + "

    Police have special powers to stop a mass picket if they think there\u2019s a danger of:

    ", + "
  • serious public disorder (like a riot)
  • ", + "
  • serious damage to property
  • ", + "

    The Code of Practice on picketing says usually there should be no more than 6 people outside an entrance to a workplace.

    ", + "

    If you don\u2019t stop picketing when told do so by police, you can be arrested.

    ", + "

    Flying pickets

    ", + "

    Flying pickets are groups of striking workers that move from one workplace to another to picket them. Usually flying pickets are illegal - you can only join a picket line at your workplace.

    ", + "

    Trade union reps can be on picket lines at different workplaces if they\u2019re responsible for organising workers in those workplaces.

    " + ] + } +] \ No newline at end of file diff --git a/examples/conditionalqa_documents_processed.json b/examples/conditionalqa_documents_processed.json new file mode 100644 index 0000000..8bd5065 --- /dev/null +++ b/examples/conditionalqa_documents_processed.json @@ -0,0 +1,73765 @@ +{ + "https://www.gov.uk/child-tax-credit": { + "url": "https://www.gov.uk/child-tax-credit", + "title": "Child Tax Credit", + "content": "## Overview\n\nYou can only make a claim for Child Tax Credit if you already get Working Tax Credit.\n\nIf you cannot apply for Child Tax Credit, you can apply for Universal Credit instead.\n\nYou might be able to apply for Pension Credit if you and your partner are State Pension age or over.\n\n## What you\u2019ll get\n\nThe amount you can get depends on how many children you\u2019ve got and whether you\u2019re:\n\n- making a new claim for Child Tax Credit\n\n- already claiming Child Tax Credit\n\nChild Tax Credit will not affect your Child Benefit.\n\nYou can only claim Child Tax Credit for children you\u2019re responsible for.\n\n## If you're making a new claim\n\nYou can only make a claim for Child Tax Credit if you already get Working Tax Credit.\n\nYou can only claim Child Tax Credit for children you\u2019re responsible for.\n\n## What you\u2019ll get\n\nThe amount you could get depends on when your children were born.\n\n## If all your children were born before 6 April 2017\n\nYou could get the \u2018child element\u2019 of Child Tax Credit for all of your children.\n\nYou\u2019ll also get the basic amount, known as the \u2018family element\u2019.\n\n## If one or more of your children were born on or after 6 April 2017\n\nYou could get the child element of Child Tax Credit for up to 2 children. You might get the child element for more children if exceptions apply.\n\nYou\u2019ll only get the family element if at least one of your children was born before 6 April 2017.\n\n## Child Tax Credit rates for the 2021 to 2022 tax year\n\n| Element | Yearly amount |\n\n| The basic amount (this is known as \u2018the family element\u2019) | Up to \u00a3545 |\n\n| For each child (this is known as \u2018the child element\u2019) | Up to \u00a32,845 |\n\n| For each disabled child | Up to \u00a33,435 (on top of the child element) |\n\n| For each severely disabled child | Up to \u00a31,390 (on top of the child element and the disabled child element) |\n\nUse the tax credit calculator to work out how much you could get.\n\n## Moving to the UK from the EEA\n\nYou must wait 3 months before claiming Child Tax Credit if you arrived in the UK from the EEA on or after 1 July 2014 and do not work.\n\nThere are some exceptions who will not have to wait 3 months, for example refugees.\n\n## You're already claiming Child Tax Credit\n\nHow much Child Tax Credit you get depends on your circumstances.\n\nYou must tell HM Revenue and Customs if your circumstances change.\n\n## If your claim started before 6 April 2017\n\nYou get:\n\n- the basic amount of Child Tax Credit (known as the \u2018family element\u2019)\n\n- the \u2018child element\u2019 for children born before 6 April 2017\n\nIf you have another child on or after 6 April 2017, you\u2019ll usually only get the child element for them if they\u2019re the second child you\u2019re claiming for.\n\nYou might get the child element for more children if exceptions apply.\n\n## If your claim started on or after 6 April 2017\n\nYou get the child element for up to 2 children. You might get the child element for more children if exceptions apply.\n\nYou only get the family element if at least one of your children was born before 6 April 2017.\n\n## If all your children were born before 6 April 2017\n\nYou get the child element for all your children. You also get the basic amount (known as the family element).\n\n## Child Tax Credit rates for the 2021 to 2022 tax year\n\n| Element | Yearly amount |\n\n| The basic amount (this is known as \u2018the family element\u2019) | Up to \u00a3545 |\n\n| For each child (this is known as \u2018the child element\u2019) | Up to \u00a32,845 |\n\n| For each disabled child | Up to \u00a33,435 (on top of the child element) |\n\n| For each severely disabled child | Up to \u00a31,390 (on top of the child element and the disabled child element) |\n\nUse the tax credit calculator to work out how much you could get.\n\n## How you're paid\n\nAll benefits, pensions and allowances are paid into an account (a bank account, for example) of the person mainly responsible for the child.\n\nYou\u2019re paid every week or every 4 weeks from the date of your claim up to the end of the tax year (5 April), unless your circumstances change.\n\n## How to claim\n\nYou can no longer make a new claim for Child Tax Credit. You can apply for Universal Credit instead.\n\nYou might be able to apply for Pension Credit if you and your partner are State Pension age or over.\n\nYou can only make a claim for Child Tax Credit if you already get Working Tax Credit.\n\nTo claim Child Tax Credit, update your existing tax credit claim by reporting a change in your circumstances online or by phone.\n\n## Responsibility for a child\n\nYou can only claim Child Tax Credit for children you\u2019re responsible for.\n\nYou\u2019re usually responsible for a child if:\n\n- they live with you all the time\n\n- they normally live with you and you\u2019re the main carer\n\n- they keep their toys and clothes at your home\n\n- you pay for their meals and give them pocket money\n\n- they live in an EEA country or Switzerland but are financially dependent on you\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure you\u2019re responsible for the child.\n\nIf you share responsibility for a child and you cannot agree who should claim you can both apply. HMRC will decide for you.\n\n## If you adopted or fostered a child\n\nYou can claim for an adopted or fostered child if you\u2019re not getting money from your local council (Health and Social Services Board in Northern Ireland). If you do get money, call HMRC to find out if you can claim.\n\n## If you\u2019re responsible for a disabled child\n\nYou may get extra Child Tax Credits if your child either:\n\n- gets Disability Living Allowance, Personal Independence Payment or Armed Forces Independence Payment\n\n- is certified blind (or was within 28 weeks of your tax credits claim)\n\nYou still qualify if Disability Living Allowance, Personal Independence Payment or Armed Forces Independence Payment stops because the child goes into hospital.", + "original_contents": [ + "

    Overview

    ", + "

    You can only make a claim for Child Tax Credit if you already get Working Tax Credit.

    ", + "

    If you cannot apply for Child Tax Credit, you can apply for Universal Credit instead.

    ", + "

    You might be able to apply for Pension Credit if you and your partner are State Pension age or over.

    ", + "

    What you\u2019ll get

    ", + "

    The amount you can get depends on how many children you\u2019ve got and whether you\u2019re:

    ", + "
  • making a new claim for Child Tax Credit
  • ", + "
  • already claiming Child Tax Credit
  • ", + "

    Child Tax Credit will not affect your Child Benefit.

    ", + "

    You can only claim Child Tax Credit for children you\u2019re responsible for.

    ", + "

    If you're making a new claim

    ", + "

    You can only make a claim for Child Tax Credit if you already get Working Tax Credit.

    ", + "

    You can only claim Child Tax Credit for children you\u2019re responsible for.

    ", + "

    What you\u2019ll get

    ", + "

    The amount you could get depends on when your children were born.

    ", + "

    If all your children were born before 6 April 2017

    ", + "

    You could get the \u2018child element\u2019 of Child Tax Credit for all of your children.

    ", + "

    You\u2019ll also get the basic amount, known as the \u2018family element\u2019.

    ", + "

    If one or more of your children were born on or after 6 April 2017

    ", + "

    You could get the child element of Child Tax Credit for up to 2 children. You might get the child element for more children if exceptions apply.

    ", + "

    You\u2019ll only get the family element if at least one of your children was born before 6 April 2017.

    ", + "

    Child Tax Credit rates for the 2021 to 2022 tax year

    ", + "Element | Yearly amount", + "The basic amount (this is known as \u2018the family element\u2019) | Up to \u00a3545", + "For each child (this is known as \u2018the child element\u2019) | Up to \u00a32,845", + "For each disabled child | Up to \u00a33,435 (on top of the child element)", + "For each severely disabled child | Up to \u00a31,390 (on top of the child element and the disabled child element)", + "

    Use the tax credit calculator to work out how much you could get.

    ", + "

    Moving to the UK from the EEA

    ", + "

    You must wait 3 months before claiming Child Tax Credit if you arrived in the UK from the EEA on or after 1 July 2014 and do not work.

    ", + "

    There are some exceptions who will not have to wait 3 months, for example refugees.

    ", + "

    You're already claiming Child Tax Credit

    ", + "

    How much Child Tax Credit you get depends on your circumstances.

    ", + "

    You must tell HM Revenue and Customs if your circumstances change.

    ", + "

    If your claim started before 6 April 2017

    ", + "

    You get:

    ", + "
  • the basic amount of Child Tax Credit (known as the \u2018family element\u2019)
  • ", + "
  • the \u2018child element\u2019 for children born before 6 April 2017
  • ", + "

    If you have another child on or after 6 April 2017, you\u2019ll usually only get the child element for them if they\u2019re the second child you\u2019re claiming for.

    ", + "

    You might get the child element for more children if exceptions apply.

    ", + "

    If your claim started on or after 6 April 2017

    ", + "

    You get the child element for up to 2 children. You might get the child element for more children if exceptions apply.

    ", + "

    You only get the family element if at least one of your children was born before 6 April 2017.

    ", + "

    If all your children were born before 6 April 2017

    ", + "

    You get the child element for all your children. You also get the basic amount (known as the family element).

    ", + "

    Child Tax Credit rates for the 2021 to 2022 tax year

    ", + "Element | Yearly amount", + "The basic amount (this is known as \u2018the family element\u2019) | Up to \u00a3545", + "For each child (this is known as \u2018the child element\u2019) | Up to \u00a32,845", + "For each disabled child | Up to \u00a33,435 (on top of the child element)", + "For each severely disabled child | Up to \u00a31,390 (on top of the child element and the disabled child element)", + "

    Use the tax credit calculator to work out how much you could get.

    ", + "

    How you're paid

    ", + "

    All benefits, pensions and allowances are paid into an account (a bank account, for example) of the person mainly responsible for the child.

    ", + "

    You\u2019re paid every week or every 4 weeks from the date of your claim up to the end of the tax year (5 April), unless your circumstances change.

    ", + "

    How to claim

    ", + "

    You can no longer make a new claim for Child Tax Credit. You can apply for Universal Credit instead.

    ", + "

    You might be able to apply for Pension Credit if you and your partner are State Pension age or over.

    ", + "

    You can only make a claim for Child Tax Credit if you already get Working Tax Credit.

    ", + "

    To claim Child Tax Credit, update your existing tax credit claim by reporting a change in your circumstances online or by phone.

    ", + "

    Responsibility for a child

    ", + "

    You can only claim Child Tax Credit for children you\u2019re responsible for.

    ", + "

    You\u2019re usually responsible for a child if:

    ", + "
  • they live with you all the time
  • ", + "
  • they normally live with you and you\u2019re the main carer
  • ", + "
  • they keep their toys and clothes at your home
  • ", + "
  • you pay for their meals and give them pocket money
  • ", + "
  • they live in an EEA country or Switzerland but are financially dependent on you
  • ", + "

    Contact HM Revenue and Customs (HMRC) if you\u2019re not sure you\u2019re responsible for the child.

    ", + "

    If you share responsibility for a child and you cannot agree who should claim you can both apply. HMRC will decide for you.

    ", + "

    If you adopted or fostered a child

    ", + "

    You can claim for an adopted or fostered child if you\u2019re not getting money from your local council (Health and Social Services Board in Northern Ireland). If you do get money, call HMRC to find out if you can claim.

    ", + "

    If you\u2019re responsible for a disabled child

    ", + "

    You may get extra Child Tax Credits if your child either:

    ", + "
  • gets Disability Living Allowance, Personal Independence Payment or Armed Forces Independence Payment
  • ", + "
  • is certified blind (or was within 28 weeks of your tax credits claim)
  • ", + "

    You still qualify if Disability Living Allowance, Personal Independence Payment or Armed Forces Independence Payment stops because the child goes into hospital.

    " + ] + }, + "https://www.gov.uk/working-tax-credit": { + "url": "https://www.gov.uk/working-tax-credit", + "title": "Working Tax Credit", + "content": "## Eligibility\n\nYou can only make a claim for Working Tax Credit if you already get Child Tax Credit.\n\nIf you cannot apply for Working Tax Credit, you can apply for Universal Credit instead.\n\nYou might be able to apply for Pension Credit if you and your partner are State Pension age or over.\n\n## Hours you work\n\nYou must work a certain number of hours a week to qualify.\n\n| Circumstance | Hours a week |\n\n| Aged 25 to 59 | At least 30 hours |\n\n| Aged 60 or over | At least 16 hours |\n\n| Disabled | At least 16 hours |\n\n| Single with 1 or more children | At least 16 hours |\n\n| Couple with 1 or more children | Usually, at least 24 hours between you (with 1 of you working at least 16 hours) |\n\nA child is someone who is under 16 (or under 20 if they\u2019re in approved education or training).\n\nUse the tax credits calculator to check if you work the right number of hours.\n\nYou can still apply for Working Tax Credit if you\u2019re on leave.\n\n## Exceptions for couples with at least one child\n\nYou can claim if you work less than 24 hours a week between you and one of the following applies:\n\n- you work at least 16 hours a week and you\u2019re disabled or aged 60 or above\n\n- you work at least 16 hours a week and your partner is incapacitated (getting certain benefits because of disability or ill health), is entitled to Carer\u2019s Allowance, or is in hospital or prison\n\n## What counts as work\n\nYour work can be:\n\n- for someone else, as a worker or employee\n\n- as someone who\u2019s self-employed\n\n- a mixture of the two\n\n## If you\u2019re self-employed\n\nSome self-employed people are not eligible for Working Tax Credit. To qualify, your self-employed work must aim to make a profit. It must also be commercial, regular and organised.\n\nThis means you may not qualify if you do not:\n\n- make a profit or have clear plans to make one\n\n- work regularly\n\n- keep business records, such as receipts and invoices\n\n- follow any regulations that apply to your work, for example having the right licence or insurance\n\nIf the average hourly profit from your self-employed work is less than the National Minimum Wage, HM Revenue and Customs may ask you to provide:\n\n- business records\n\n- your business plan - find out how to write a business plan\n\n- details of the day-to-day running of your business\n\n- evidence that you\u2019ve promoted your business - such as advertisements or flyers\n\n## Your pay\n\nThe work must last at least 4 weeks (or you must expect it to last 4 weeks) and must be paid.\n\nThis can include payment in kind (for example farm produce for a farm labourer) or where you expect to be paid for the work.\n\n## Exceptions\n\nPaid work does not include money paid:\n\n- for a \u2018Rent a Room\u2019 scheme (less than \u00a37,500 or \u00a33,750 for joint owners)\n\n- for work done while in prison\n\n- as a grant for training or studying\n\n- as a sports award\n\n## Your income\n\nThere\u2019s no set limit for income because it depends on your circumstances (and those of your partner). For example, \u00a318,000 for a couple without children or \u00a313,100 for a single person without children - but it can be higher if you have children, pay for approved childcare or one of you is disabled.\n\n## What you'll get\n\nYou get a basic amount and extra (known as \u2018elements\u2019) on top of this.\n\nHow much you get depends on things like your circumstances and income.\n\nThe basic amount is up to \u00a32,005 a year.\n\n| Element | Amount |\n\n| You\u2019re a couple applying together | Up to \u00a32,060 a year |\n\n| You\u2019re a single parent | Up to \u00a32,060 a year |\n\n| You work at least 30 hours a week | Up to \u00a3830 a year |\n\n| You have a disability | Up to \u00a33,240 a year |\n\n| You have a severe disability | Up to \u00a31,400 a year (usually on top of the disability payment) |\n\n| You pay for approved childcare | Up to \u00a3122.50 (1 child) or \u00a3210 (2 or more children) a week |\n\nUse the tax credits calculator to work out how much you could get.\n\n## How you\u2019re paid\n\nMoney is paid directly into your bank or building society account, every week or 4 weeks.\n\nYou must choose one account if you\u2019re a couple.\n\nUsually, you\u2019re paid from the date of your claim up to the end of the tax year (5 April).\n\n## If your circumstances change\n\nYour tax credits can go up or down if your family or work life change if you start a new job, you\u2019re laid off work or your partner dies.\n\nYou must report these changes to HM Revenue and Customs.\n\n## How to claim\n\nYou can no longer make a new claim for Working Tax Credit. You can apply for Universal Credit instead.\n\nYou might be able to apply for Pension Credit if you and your partner are State Pension age or over.\n\nYou can only make a claim for Working Tax Credit if you already get Child Tax Credit.\n\nTo claim Working Tax Credit, update your existing tax credit claim by reporting a change in your circumstances online or by phone.\n\n## Leave and gaps in your employment\n\nYou can get Working Tax Credit for periods when you do not work. For example, when you:\n\n- go on maternity leave\n\n- get sick pay\n\n- are in between jobs\n\nYou\u2019re entitled to the tax credits for a certain period of time providing you qualify.\n\nIf you do not return to work at the end of the period contact HM Revenue and Customs.\n\n| Circumstance | Period you get tax credits for |\n\n| You lose or leave your job | For 4 weeks |\n\n| You\u2019re on maternity leave | For the first 39 weeks of your leave |\n\n| You\u2019re on adoption leave | For the first 39 weeks of your leave |\n\n| You\u2019re on paternity leave | For the period of your ordinary paternity leave |\n\n| You\u2019re on additional paternity leave | Up to the equivalent 39th week of your partner\u2019s leave |\n\n| You\u2019re off sick | For the first 28 weeks |\n\n| You\u2019re on strike | For the first 10 days |\n\n| You\u2019re laid off work | For 4 weeks after you\u2019re laid off or the lay off becomes indefinite |\n\n| You\u2019re suspended from work - for example because of a complaint | Usually the period of suspension |\n\n## Qualifying rules\n\nTo qualify, you must:\n\n- have been in paid work\n\n- have worked the right number of hours before you go on leave or the gap happens\n\n- have got Statutory Sick Pay or an equivalent benefit if you were on sick leave\n\nYou\u2019ll still qualify if you were self employed and you would have been eligible for Statutory Sick Pay or an equivalent benefit if you were not self employed.\n\nThe equivalent benefits are National Insurance credits (incapacity for work element), Employment and Support Allowance or Income Support (incapacity for work element).", + "original_contents": [ + "

    Eligibility

    ", + "

    You can only make a claim for Working Tax Credit if you already get Child Tax Credit.

    ", + "

    If you cannot apply for Working Tax Credit, you can apply for Universal Credit instead.

    ", + "

    You might be able to apply for Pension Credit if you and your partner are State Pension age or over.

    ", + "

    Hours you work

    ", + "

    You must work a certain number of hours a week to qualify.

    ", + "Circumstance | Hours a week", + "Aged 25 to 59 | At least 30 hours", + "Aged 60 or over | At least 16 hours", + "Disabled | At least 16 hours", + "Single with 1 or more children | At least 16 hours", + "Couple with 1 or more children | Usually, at least 24 hours between you (with 1 of you working at least 16 hours)", + "

    A child is someone who is under 16 (or under 20 if they\u2019re in approved education or training).

    ", + "

    Use the tax credits calculator to check if you work the right number of hours.

    ", + "

    You can still apply for Working Tax Credit if you\u2019re on leave.

    ", + "

    Exceptions for couples with at least one child

    ", + "

    You can claim if you work less than 24 hours a week between you and one of the following applies:

    ", + "
  • you work at least 16 hours a week and you\u2019re disabled or aged 60 or above
  • ", + "
  • you work at least 16 hours a week and your partner is incapacitated (getting certain benefits because of disability or ill health), is entitled to Carer\u2019s Allowance, or is in hospital or prison
  • ", + "

    What counts as work

    ", + "

    Your work can be:

    ", + "
  • for someone else, as a worker or employee
  • ", + "
  • as someone who\u2019s self-employed
  • ", + "
  • a mixture of the two
  • ", + "

    If you\u2019re self-employed

    ", + "

    Some self-employed people are not eligible for Working Tax Credit. To qualify, your self-employed work must aim to make a profit. It must also be commercial, regular and organised.

    ", + "

    This means you may not qualify if you do not:

    ", + "
  • make a profit or have clear plans to make one
  • ", + "
  • work regularly
  • ", + "
  • keep business records, such as receipts and invoices
  • ", + "
  • follow any regulations that apply to your work, for example having the right licence or insurance
  • ", + "

    If the average hourly profit from your self-employed work is less than the National Minimum Wage, HM Revenue and Customs may ask you to provide:

    ", + "
  • business records
  • ", + "
  • your business plan - find out how to write a business plan
  • ", + "
  • details of the day-to-day running of your business
  • ", + "
  • evidence that you\u2019ve promoted your business - such as advertisements or flyers
  • ", + "

    Your pay

    ", + "

    The work must last at least 4 weeks (or you must expect it to last 4 weeks) and must be paid.

    ", + "

    This can include payment in kind (for example farm produce for a farm labourer) or where you expect to be paid for the work.

    ", + "

    Exceptions

    ", + "

    Paid work does not include money paid:

    ", + "
  • for a \u2018Rent a Room\u2019 scheme (less than \u00a37,500 or \u00a33,750 for joint owners)
  • ", + "
  • for work done while in prison
  • ", + "
  • as a grant for training or studying
  • ", + "
  • as a sports award
  • ", + "

    Your income

    ", + "

    There\u2019s no set limit for income because it depends on your circumstances (and those of your partner). For example, \u00a318,000 for a couple without children or \u00a313,100 for a single person without children - but it can be higher if you have children, pay for approved childcare or one of you is disabled.

    ", + "

    What you'll get

    ", + "

    You get a basic amount and extra (known as \u2018elements\u2019) on top of this.

    ", + "

    How much you get depends on things like your circumstances and income.

    ", + "

    The basic amount is up to \u00a32,005 a year.

    ", + "Element | Amount", + "You\u2019re a couple applying together | Up to \u00a32,060 a year", + "You\u2019re a single parent | Up to \u00a32,060 a year", + "You work at least 30 hours a week | Up to \u00a3830 a year", + "You have a disability | Up to \u00a33,240 a year", + "You have a severe disability | Up to \u00a31,400 a year (usually on top of the disability payment)", + "You pay for approved childcare | Up to \u00a3122.50 (1 child) or \u00a3210 (2 or more children) a week", + "

    Use the tax credits calculator to work out how much you could get.

    ", + "

    How you\u2019re paid

    ", + "

    Money is paid directly into your bank or building society account, every week or 4 weeks.

    ", + "

    You must choose one account if you\u2019re a couple.

    ", + "

    Usually, you\u2019re paid from the date of your claim up to the end of the tax year (5 April).

    ", + "

    If your circumstances change

    ", + "

    Your tax credits can go up or down if your family or work life change if you start a new job, you\u2019re laid off work or your partner dies.

    ", + "

    You must report these changes to HM Revenue and Customs.

    ", + "

    How to claim

    ", + "

    You can no longer make a new claim for Working Tax Credit. You can apply for Universal Credit instead.

    ", + "

    You might be able to apply for Pension Credit if you and your partner are State Pension age or over.

    ", + "

    You can only make a claim for Working Tax Credit if you already get Child Tax Credit.

    ", + "

    To claim Working Tax Credit, update your existing tax credit claim by reporting a change in your circumstances online or by phone.

    ", + "

    Leave and gaps in your employment

    ", + "

    You can get Working Tax Credit for periods when you do not work. For example, when you:

    ", + "
  • go on maternity leave
  • ", + "
  • get sick pay
  • ", + "
  • are in between jobs
  • ", + "

    You\u2019re entitled to the tax credits for a certain period of time providing you qualify.

    ", + "

    If you do not return to work at the end of the period contact HM Revenue and Customs.

    ", + "Circumstance | Period you get tax credits for", + "You lose or leave your job | For 4 weeks", + "You\u2019re on maternity leave | For the first 39 weeks of your leave", + "You\u2019re on adoption leave | For the first 39 weeks of your leave", + "You\u2019re on paternity leave | For the period of your ordinary paternity leave", + "You\u2019re on additional paternity leave | Up to the equivalent 39th week of your partner\u2019s leave", + "You\u2019re off sick | For the first 28 weeks", + "You\u2019re on strike | For the first 10 days", + "You\u2019re laid off work | For 4 weeks after you\u2019re laid off or the lay off becomes indefinite", + "You\u2019re suspended from work - for example because of a complaint | Usually the period of suspension", + "

    Qualifying rules

    ", + "

    To qualify, you must:

    ", + "
  • have been in paid work
  • ", + "
  • have worked the right number of hours before you go on leave or the gap happens
  • ", + "
  • have got Statutory Sick Pay or an equivalent benefit if you were on sick leave
  • ", + "

    You\u2019ll still qualify if you were self employed and you would have been eligible for Statutory Sick Pay or an equivalent benefit if you were not self employed.

    ", + "

    The equivalent benefits are National Insurance credits (incapacity for work element), Employment and Support Allowance or Income Support (incapacity for work element).

    " + ] + }, + "https://www.gov.uk/manage-child-maintenance-case": { + "url": "https://www.gov.uk/manage-child-maintenance-case", + "title": "Manage your Child Maintenance Service case", + "content": "## Overview\n\nThe Child Maintenance Service is for parents who have not been able to make a private arrangement for paying their child\u2019s living costs.\n\nOnce you\u2019ve set up a Child Maintenance Service case, you:\n\n- can manage your case online\n\n- need to report any changes to your circumstances, for example changes to your employment, benefits or the people who live with you\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Making and getting payments\n\nChild maintenance can be paid:\n\n- between parents\n\n- directly from the paying parent\u2019s earnings - arranged with their employer\n\n- by Direct Debit\n\n- by reducing the paying parent\u2019s benefits\n\nPayments are paid into the receiving parent\u2019s bank account.\n\nThe receiving parent has main day-to-day care of the child. The paying parent does not have main day-to-day care.\n\nContact the Child Maintenance Service if you\u2019re having problems paying.\n\nYou can adjust your payment plan if you\u2019re self-isolating because of coronavirus (COVID-19).\n\n## If you\u2019re experiencing domestic abuse or controlling behaviour\n\nTell the Child Maintenance Service. They can arrange payments with your child\u2019s other parent for you.\n\nIf you\u2019ve changed your name, you can arrange child maintenance without the other parent knowing your new name.\n\nIf you do not want the other parent to know where you live, ask your bank to set up an account with a \u2018non-geographic\u2019 sort code. The Child Maintenance Service can give you a letter for your bank explaining why you need to set up this type of account.\n\n## Making payments yourself\n\nOnce the Child Maintenance Service has worked out an amount, you can make the payments yourself.\n\nThis is called Direct Pay.\n\nThe easiest way to pay is by standing order - payments go direct from the paying parent\u2019s bank, building society or Post Office account into the receiving parent\u2019s account.\n\nThe Child Maintenance Service can still enforce missed payments. Keep a record of payments in case there are any problems in the future.\n\nEither parent can choose Direct Pay without needing the other\u2019s consent, unless there\u2019s evidence that the paying parent is unlikely to pay.\n\n## Arranging payments for you\n\nIf you\u2019re using the Child Maintenance Service to collect and pass on payments, they\u2019ll arrange this based on when the paying parent is paid their wages, pension or benefits.\n\nThis is called Collect and Pay.\n\nYou must tell the Child Maintenance Service about any Direct Pay transactions you make or receive while you\u2019re signed up to the Collect and Pay service.\n\n## Collection fees\n\nYou have to pay a fee each time you make or receive a regular child maintenance payment. The fee is:\n\n- 20% (which is added to the payment) for paying parents\n\n- 4% (which is taken off the payment) for receiving parents\n\nYou cannot avoid collection fees by making payments in advance.\n\nYou will not have to pay:\n\n- any fees if you choose a private arrangement\n\n- collection fees if you use Direct Pay\n\n## When you\u2019ll pay or receive the money\n\nIf you\u2019re the paying parent you\u2019ll be sent a letter explaining how much you need to pay and when. This is called a payment plan.\n\nIf you\u2019re the receiving parent, you\u2019ll be sent a letter telling you what payments will be made and when. This is called an expected payment plan.\n\nThe first payment is usually made within 12 weeks of making payment arrangements.\n\n## If a parent does not pay\n\nThe Child Maintenance Service will take action if child maintenance is not paid.\n\n## Enforcement charges\n\n| Action taken by the Child Maintenance Service | Charge |\n\n| Liability order | \u00a3300 |\n\n| Lump sum deduction order | \u00a3200 |\n\n| Regular deduction order | \u00a350 |\n\n| Deduction from earnings request or order | \u00a350 |\n\n## What action is taken\n\nThe Child Maintenance Service will take action immediately if the paying parent pays through them.\n\nIf the paying parent used the Child Maintenance Service to calculate child maintenance but pays directly, the receiving parent needs to ask the service to take action.\n\n## Disagreements about parentage\n\nWhen someone denies they\u2019re the parent of a child, the Child Maintenance Service will:\n\n- ask them for evidence proving they\u2019re not the parent\n\n- tell the other parent what\u2019s happened and ask for evidence to prove parentage\n\nIf there\u2019s no evidence to prove they\u2019re not the parent, the Child Maintenance Service can:\n\n- ask both parents to take a DNA test\n\n- ask the courts to make a decision\n\n## Assumed parentage\n\nThe Child Maintenance Service can assume parentage if the person named as the parent:\n\n- was married to the child\u2019s mother at any time between the conception and birth of the child (unless the child was adopted)\n\n- is named on the child\u2019s birth certificate (unless the child was adopted)\n\n- has taken a DNA test that shows they\u2019re the parent\n\n- has legally adopted the child\n\n- is named in a court order as the parent when the child was born to a surrogate mother\n\nIf parentage is assumed, they\u2019ll work out a child maintenance amount. The person named as the parent has to pay this until they can prove that they\u2019re not the parent.\n\n## Paying child maintenance during a disagreement\n\nWhen a child maintenance amount has already been worked out, the person named as the parent has to pay until they can provide evidence they\u2019re not the parent.\n\nWhen the amount has not been worked out, the service managing the case will not work it out or ask for payment until the disagreement has been sorted out.\n\nIf the person is found to be the parent, the amount of child maintenance they have to pay will be back-dated.\n\n## Named person proves they\u2019re not the parent\n\nWhen this happens, the Child Maintenance Service may:\n\n- refund any payments made after the date they first denied they were the parent, or offset the amount against maintenance for another child\n\n- refund the cost of any DNA tests arranged through the service\n\nThey may also ask the other parent to pay back any child maintenance.\n\nRefunds depend on the circumstances of each case.\n\n## Changes you need to report\n\nThere are some changes you must tell the Child Maintenance Service about by law. You should report the change as soon as it happens.\n\nYou can report changes to the Child Maintenance Service online or by phone.\n\n## Either parent\n\nTell the Child Maintenance Service if:\n\n- a parent or a child has died\n\n- one of the parents is adopting a child\n\n- you want to close your case\n\n- you want to change from using a payment collection service to a Direct Pay service, or the other way around\n\n- there\u2019s a change to the number of nights a child regularly stays overnight with the paying parent\n\n## Paying parent\n\nTell the Child Maintenance Service if you:\n\n- start or stop working for an employer\n\n- start or stop being self-employed\n\n- have lost your job or you\u2019re temporarily receiving Statutory Sick Pay\n\n- want to restart your payments\n\n- have received notification of a court or tribunal date\n\n- have received notification of a deduction order from a bank\n\n- move house (give your new address within 7 days of moving)\n\n- change your phone number (including mobile number)\n\n- have an income change of 25% or more\n\nYour payments may be reduced for a period. You\u2019ll get a payment schedule with the new amount.\n\nIf you pay child maintenance through deductions in your earnings and you leave your job, you must tell the Child Maintenance Service:\n\n- the date you left your last job\n\n- the name and address of your new employer (if any)\n\n- how much you expect to earn\n\n- your new payroll number (if any)\n\nYou should also report details about children who you or your partner have registered for Child Benefit, for example:\n\n- any changes to the number of children living with you\n\n- if any child living with you reaches the age of 20\n\n## Receiving parent\n\nTell the Child Maintenance Service if:\n\n- there\u2019s a change to the number of children living with you that you get child maintenance for\n\n- there\u2019s a change to the number of children that you or your partner have registered for Child Benefit\n\n- a child you get child maintenance for leaves full-time education (up to and including A Level) or reaches the age of 20\n\n- you or any of the children you get child maintenance for no longer live in the UK\n\n- you find out that the paying parent is coming off benefits\n\n- you\u2019re moving house or know that the other parent is\n\n- your phone number (including mobile number) changes\n\n- the paying parent\u2019s income has changed by 25% or more\n\n## When you report a change\n\nYou might need to provide:\n\n- employers\u2019 details or payslips\n\n- benefits information\n\n- a tax return or an explanation of what you think you\u2019ll earn if you\u2019re self-employed\n\n## If you do not give the right information\n\nYou could be taken to court and fined up to \u00a31,000 if you:\n\n- do not give the information you are asked for\n\n- give information that you know is false\n\nThis applies to any person or organisation who, by law, must give the Child Maintenance Service information, for example:\n\n- employers\n\n- accountants\n\n- either parent\n\n## When changes could affect your payments\n\nChanges to your circumstances may mean a change to the amount of child maintenance you pay or receive.\n\nYou can find out how child maintenance is worked out.\n\n## Complaints and appeals\n\nContact the Child Maintenance Service if you\u2019re unhappy with the service you\u2019ve received.\n\nIf you\u2019re not satisfied with how the Child Maintenance Service deals with your complaint, ask for it to go to a senior manager and be looked at by the DWP Complaints team.\n\n## Independent Case Examiner\n\nYou can ask the Independent Case Examiner (ICE) to look into your complaint if you\u2019ve already been through the full complaints process.\n\nYou must not contact the Independent Case Examiner until you\u2019ve received a final response from the Child Maintenance Service saying you can do so.\n\nIf you\u2019re unhappy with the response from the Independent Case Examiner, you can ask your MP to get the Parliamentary and Health Service Ombudsman to look into it.\n\n## If your complaint is valid\n\nThe Child Maintenance Service will:\n\n- apologise and explain what went wrong\n\n- make any changes needed to put it right\n\nIf you\u2019ve been treated particularly badly, you may get a consolatory payment. However, you do not have a legal right to this.\n\n## Appeals\n\nYou can appeal a child maintenance decision about payment amounts.\n\nBefore you can appeal, you must contact the Child Maintenance Service to ask for the decision to be looked at again. This is called \u2018mandatory reconsideration\u2019. You\u2019ll need to say why you disagree with the decision.\n\nIf you\u2019re unhappy with the outcome of the mandatory reconsideration, you can appeal to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.\n\n## Appeal to the Social Security and Child Support Tribunal\n\nAppeal to the tribunal within one month of getting the mandatory reconsideration decision. If you submit your appeal after a month you\u2019ll have to explain why you did not do it earlier.\n\nDownload and fill in form SSCS2 and send it to the address on the form.\n\nYou\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.\n\nAfter you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts. The judge will then make a decision.\n\nIt usually takes around 6 months for your appeal to be heard by the tribunal.\n\n## Contact\n\n## Report changes online\n\nReport changes to your circumstances through your online account.\n\n## Call the Child Maintenance Service\n\n## British Sign Language (BSL) video relay service\n\nWatch a video to check you can use the service.\n\nGo to the video relay service.\n\nMonday to Friday, 9.30am to 3.30pm\n\nThere\u2019s a different phone number if you live in Northern Ireland.\n\n## Contact the Child Maintenance Service by post\n\nYou can also write to the Child Maintenance Service.", + "original_contents": [ + "

    Overview

    ", + "

    The Child Maintenance Service is for parents who have not been able to make a private arrangement for paying their child\u2019s living costs.

    ", + "

    Once you\u2019ve set up a Child Maintenance Service case, you:

    ", + "
  • can manage your case online
  • ", + "
  • need to report any changes to your circumstances, for example changes to your employment, benefits or the people who live with you
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Making and getting payments

    ", + "

    Child maintenance can be paid:

    ", + "
  • between parents
  • ", + "
  • directly from the paying parent\u2019s earnings - arranged with their employer
  • ", + "
  • by Direct Debit
  • ", + "
  • by reducing the paying parent\u2019s benefits
  • ", + "

    Payments are paid into the receiving parent\u2019s bank account.

    ", + "

    The receiving parent has main day-to-day care of the child. The paying parent does not have main day-to-day care.

    ", + "

    Contact the Child Maintenance Service if you\u2019re having problems paying.

    ", + "

    You can adjust your payment plan if you\u2019re self-isolating because of coronavirus (COVID-19).

    ", + "

    If you\u2019re experiencing domestic abuse or controlling behaviour

    ", + "

    Tell the Child Maintenance Service. They can arrange payments with your child\u2019s other parent for you.

    ", + "

    If you\u2019ve changed your name, you can arrange child maintenance without the other parent knowing your new name.

    ", + "

    If you do not want the other parent to know where you live, ask your bank to set up an account with a \u2018non-geographic\u2019 sort code. The Child Maintenance Service can give you a letter for your bank explaining why you need to set up this type of account.

    ", + "

    Making payments yourself

    ", + "

    Once the Child Maintenance Service has worked out an amount, you can make the payments yourself.

    ", + "

    This is called Direct Pay.

    ", + "

    The easiest way to pay is by standing order - payments go direct from the paying parent\u2019s bank, building society or Post Office account into the receiving parent\u2019s account.

    ", + "

    The Child Maintenance Service can still enforce missed payments. Keep a record of payments in case there are any problems in the future.

    ", + "

    Either parent can choose Direct Pay without needing the other\u2019s consent, unless there\u2019s evidence that the paying parent is unlikely to pay.

    ", + "

    Arranging payments for you

    ", + "

    If you\u2019re using the Child Maintenance Service to collect and pass on payments, they\u2019ll arrange this based on when the paying parent is paid their wages, pension or benefits.

    ", + "

    This is called Collect and Pay.

    ", + "

    You must tell the Child Maintenance Service about any Direct Pay transactions you make or receive while you\u2019re signed up to the Collect and Pay service.

    ", + "

    Collection fees

    ", + "

    You have to pay a fee each time you make or receive a regular child maintenance payment. The fee is:

    ", + "
  • 20% (which is added to the payment) for paying parents
  • ", + "
  • 4% (which is taken off the payment) for receiving parents
  • ", + "

    You cannot avoid collection fees by making payments in advance.

    ", + "

    You will not have to pay:

    ", + "
  • any fees if you choose a private arrangement
  • ", + "
  • collection fees if you use Direct Pay
  • ", + "

    When you\u2019ll pay or receive the money

    ", + "

    If you\u2019re the paying parent you\u2019ll be sent a letter explaining how much you need to pay and when. This is called a payment plan.

    ", + "

    If you\u2019re the receiving parent, you\u2019ll be sent a letter telling you what payments will be made and when. This is called an expected payment plan.

    ", + "

    The first payment is usually made within 12 weeks of making payment arrangements.

    ", + "

    If a parent does not pay

    ", + "

    The Child Maintenance Service will take action if child maintenance is not paid.

    ", + "

    Enforcement charges

    ", + "Action taken by the Child Maintenance Service | Charge", + "Liability order | \u00a3300", + "Lump sum deduction order | \u00a3200", + "Regular deduction order | \u00a350", + "Deduction from earnings request or order | \u00a350", + "

    What action is taken

    ", + "

    The Child Maintenance Service will take action immediately if the paying parent pays through them.

    ", + "

    If the paying parent used the Child Maintenance Service to calculate child maintenance but pays directly, the receiving parent needs to ask the service to take action.

    ", + "

    Disagreements about parentage

    ", + "

    When someone denies they\u2019re the parent of a child, the Child Maintenance Service will:

    ", + "
  • ask them for evidence proving they\u2019re not the parent
  • ", + "
  • tell the other parent what\u2019s happened and ask for evidence to prove parentage
  • ", + "

    If there\u2019s no evidence to prove they\u2019re not the parent, the Child Maintenance Service can:

    ", + "
  • ask both parents to take a DNA test
  • ", + "
  • ask the courts to make a decision
  • ", + "

    Assumed parentage

    ", + "

    The Child Maintenance Service can assume parentage if the person named as the parent:

    ", + "
  • was married to the child\u2019s mother at any time between the conception and birth of the child (unless the child was adopted)
  • ", + "
  • is named on the child\u2019s birth certificate (unless the child was adopted)
  • ", + "
  • has taken a DNA test that shows they\u2019re the parent
  • ", + "
  • has legally adopted the child
  • ", + "
  • is named in a court order as the parent when the child was born to a surrogate mother
  • ", + "

    If parentage is assumed, they\u2019ll work out a child maintenance amount. The person named as the parent has to pay this until they can prove that they\u2019re not the parent.

    ", + "

    Paying child maintenance during a disagreement

    ", + "

    When a child maintenance amount has already been worked out, the person named as the parent has to pay until they can provide evidence they\u2019re not the parent.

    ", + "

    When the amount has not been worked out, the service managing the case will not work it out or ask for payment until the disagreement has been sorted out.

    ", + "

    If the person is found to be the parent, the amount of child maintenance they have to pay will be back-dated.

    ", + "

    Named person proves they\u2019re not the parent

    ", + "

    When this happens, the Child Maintenance Service may:

    ", + "
  • refund any payments made after the date they first denied they were the parent, or offset the amount against maintenance for another child
  • ", + "
  • refund the cost of any DNA tests arranged through the service
  • ", + "

    They may also ask the other parent to pay back any child maintenance.

    ", + "

    Refunds depend on the circumstances of each case.

    ", + "

    Changes you need to report

    ", + "

    There are some changes you must tell the Child Maintenance Service about by law. You should report the change as soon as it happens.

    ", + "

    You can report changes to the Child Maintenance Service online or by phone.

    ", + "

    Either parent

    ", + "

    Tell the Child Maintenance Service if:

    ", + "
  • a parent or a child has died
  • ", + "
  • one of the parents is adopting a child
  • ", + "
  • you want to close your case
  • ", + "
  • you want to change from using a payment collection service to a Direct Pay service, or the other way around
  • ", + "
  • there\u2019s a change to the number of nights a child regularly stays overnight with the paying parent
  • ", + "

    Paying parent

    ", + "

    Tell the Child Maintenance Service if you:

    ", + "
  • start or stop working for an employer
  • ", + "
  • start or stop being self-employed
  • ", + "
  • have lost your job or you\u2019re temporarily receiving Statutory Sick Pay
  • ", + "
  • want to restart your payments
  • ", + "
  • have received notification of a court or tribunal date
  • ", + "
  • have received notification of a deduction order from a bank
  • ", + "
  • move house (give your new address within 7 days of moving)
  • ", + "
  • change your phone number (including mobile number)
  • ", + "
  • have an income change of 25% or more
  • ", + "

    Your payments may be reduced for a period. You\u2019ll get a payment schedule with the new amount.

    ", + "

    If you pay child maintenance through deductions in your earnings and you leave your job, you must tell the Child Maintenance Service:

    ", + "
  • the date you left your last job
  • ", + "
  • the name and address of your new employer (if any)
  • ", + "
  • how much you expect to earn
  • ", + "
  • your new payroll number (if any)
  • ", + "

    You should also report details about children who you or your partner have registered for Child Benefit, for example:

    ", + "
  • any changes to the number of children living with you
  • ", + "
  • if any child living with you reaches the age of 20
  • ", + "

    Receiving parent

    ", + "

    Tell the Child Maintenance Service if:

    ", + "
  • there\u2019s a change to the number of children living with you that you get child maintenance for
  • ", + "
  • there\u2019s a change to the number of children that you or your partner have registered for Child Benefit
  • ", + "
  • a child you get child maintenance for leaves full-time education (up to and including A Level) or reaches the age of 20
  • ", + "
  • you or any of the children you get child maintenance for no longer live in the UK
  • ", + "
  • you find out that the paying parent is coming off benefits
  • ", + "
  • you\u2019re moving house or know that the other parent is
  • ", + "
  • your phone number (including mobile number) changes
  • ", + "
  • the paying parent\u2019s income has changed by 25% or more
  • ", + "

    When you report a change

    ", + "

    You might need to provide:

    ", + "
  • employers\u2019 details or payslips
  • ", + "
  • benefits information
  • ", + "
  • a tax return or an explanation of what you think you\u2019ll earn if you\u2019re self-employed
  • ", + "

    If you do not give the right information

    ", + "

    You could be taken to court and fined up to \u00a31,000 if you:

    ", + "
  • do not give the information you are asked for
  • ", + "
  • give information that you know is false
  • ", + "

    This applies to any person or organisation who, by law, must give the Child Maintenance Service information, for example:

    ", + "
  • employers
  • ", + "
  • accountants
  • ", + "
  • either parent
  • ", + "

    When changes could affect your payments

    ", + "

    Changes to your circumstances may mean a change to the amount of child maintenance you pay or receive.

    ", + "

    You can find out how child maintenance is worked out.

    ", + "

    Complaints and appeals

    ", + "

    Contact the Child Maintenance Service if you\u2019re unhappy with the service you\u2019ve received.

    ", + "

    If you\u2019re not satisfied with how the Child Maintenance Service deals with your complaint, ask for it to go to a senior manager and be looked at by the DWP Complaints team.

    ", + "

    Independent Case Examiner

    ", + "

    You can ask the Independent Case Examiner (ICE) to look into your complaint if you\u2019ve already been through the full complaints process.

    ", + "

    You must not contact the Independent Case Examiner until you\u2019ve received a final response from the Child Maintenance Service saying you can do so.

    ", + "

    If you\u2019re unhappy with the response from the Independent Case Examiner, you can ask your MP to get the Parliamentary and Health Service Ombudsman to look into it.

    ", + "

    If your complaint is valid

    ", + "

    The Child Maintenance Service will:

    ", + "
  • apologise and explain what went wrong
  • ", + "
  • make any changes needed to put it right
  • ", + "

    If you\u2019ve been treated particularly badly, you may get a consolatory payment. However, you do not have a legal right to this.

    ", + "

    Appeals

    ", + "

    You can appeal a child maintenance decision about payment amounts.

    ", + "

    Before you can appeal, you must contact the Child Maintenance Service to ask for the decision to be looked at again. This is called \u2018mandatory reconsideration\u2019. You\u2019ll need to say why you disagree with the decision.

    ", + "

    If you\u2019re unhappy with the outcome of the mandatory reconsideration, you can appeal to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.

    ", + "

    Appeal to the Social Security and Child Support Tribunal

    ", + "

    Appeal to the tribunal within one month of getting the mandatory reconsideration decision. If you submit your appeal after a month you\u2019ll have to explain why you did not do it earlier.

    ", + "

    Download and fill in form SSCS2 and send it to the address on the form.

    ", + "

    You\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.

    ", + "

    After you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts. The judge will then make a decision.

    ", + "

    It usually takes around 6 months for your appeal to be heard by the tribunal.

    ", + "

    Contact

    ", + "

    Report changes online

    ", + "

    Report changes to your circumstances through your online account.

    ", + "

    Call the Child Maintenance Service

    ", + "

    British Sign Language (BSL) video relay service

    ", + "

    Watch a video to check you can use the service.

    ", + "

    Go to the video relay service.

    ", + "

    Monday to Friday, 9.30am to 3.30pm

    ", + "

    There\u2019s a different phone number if you live in Northern Ireland.

    ", + "

    Contact the Child Maintenance Service by post

    ", + "

    You can also write to the Child Maintenance Service.

    " + ] + }, + "https://www.gov.uk/disability-premiums": { + "url": "https://www.gov.uk/disability-premiums", + "title": "Disability premiums", + "content": "## Overview\n\nDisability premiums are extra amounts of money added to your:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance (JSA)\n\n- income-related Employment and Support Allowance (ESA)\n\n- Housing Benefit\n\nAny money you get is added to your benefit payments automatically so you usually do not have to apply for a disability premium.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere are 3 types of disability premium for adults:\n\n- disability premium\n\n- enhanced disability premium\n\n- severe disability premium\n\nYou can get more than one premium at a time.\n\n## What you'll get\n\nYou can get the disability premium on its own. You might get the severe or enhanced disability premium as well if you\u2019re eligible for them.\n\nIf you get income-related Employment and Support Allowance (ESA) you cannot get the disability premium, but you may still qualify for the severe and enhanced premiums.\n\n## Disability premium\n\nYou\u2019ll get:\n\n- \u00a335.10 a week for a single person\n\n- \u00a350.05 a week for a couple\n\n## Severe disability premium\n\nYou\u2019ll get:\n\n- \u00a367.30 a week for a single person\n\n- \u00a3134.60 a week for a couple if you\u2019re both eligible\n\nSome couples will be eligible for the lower amount of \u00a367.30 a week instead.\n\n## Enhanced disability premium\n\nYou\u2019ll get:\n\n- \u00a317.20 a week for a single person\n\n- \u00a324.60 a week for a couple if at least one of you is eligible\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into an account such as your bank account.\n\nThere is a limit on the total amount of benefit that most people aged 16 to under State Pension age can get. This is called a benefit cap.\n\n## Eligibility\n\nDisability premium payments can be added to your:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance (JSA)\n\n- income-related Employment and Support Allowance (ESA)\n\n- housing benefit\n\nYou usually need to be eligible for the disability premium to qualify for the severe or enhanced premiums.\n\nIf you get income-related Employment and Support Allowance (ESA) you can only get the severe or enhanced premium.\n\nUse a benefits calculator to check your eligibility.\n\n## Disability premium\n\nYou or your partner must be under pension credit age and either registered blind or getting:\n\n- Disability Living Allowance (DLA)\n\n- Personal Independence Payment (PIP)\n\n- Armed Forces Independence Payment (AFIP)\n\n- Working Tax Credit with a disability element\n\n- Attendance Allowance\n\n- Constant Attendance Allowance\n\n- War Pensioners Mobility Supplement\n\n- Severe Disablement Allowance\n\n- Incapacity Benefit\n\nIf you do not qualify, you may still get the premium if you\u2019ve been unable to work for at least a year.\n\n## Severe disability premium\n\nYou must get the disability premium or income-related ESA, and one of the following qualifying benefits:\n\n- PIP daily living component\n\n- AFIP\n\n- DLA care component at the middle or highest rate\n\n- Attendance Allowance (or Constant Attendance Allowance paid with Industrial Injuries Disablement Benefit or War Pension)\n\nYou usually cannot have anyone aged 18 or over living with you, unless they\u2019re in one of these situations:\n\n- they get a qualifying benefit\n\n- they\u2019re registered blind\n\n- they\u2019re a boarder or subtenant (but not a close relative)\n\n- they make separate payments to the landlord\n\nYou cannot get the severe disability premium if someone is getting Carer\u2019s Allowance or the carers element of Universal Credit for looking after you.\n\n## If you\u2019re in a couple\n\nYou\u2019ll get the higher amount of severe disability premium if both you and your partner are eligible.\n\nYou can get the lower amount if:\n\n- someone gets Carers Allowance or the carers element of Universal Credit for looking after only one of you\n\n- only one of you meets the eligibility criteria and the other is registered blind\n\n## Enhanced disability premium\n\nTo get this, you must be under pension credit age.\n\nYou must get the disability premium or income-related ESA, and one of the following:\n\n- PIP daily living component at the higher (\u2018enhanced\u2019) rate\n\n- AFIP\n\n- DLA care component at the highest rate\n\nYou\u2019ll also get this if you\u2019re in the support group for income-related ESA.\n\n## How to claim\n\nYou do not have to claim disability premium. If you\u2019re eligible, it\u2019s automatically added to your:\n\n- Income Support\n\n- Jobseeker\u2019s Allowance (JSA)\n\n- Employment and Support Allowance (ESA)\n\n- housing benefit\n\nContact your local Jobcentre Plus if it has not been paid.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "original_contents": [ + "

    Overview

    ", + "

    Disability premiums are extra amounts of money added to your:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Housing Benefit
  • ", + "

    Any money you get is added to your benefit payments automatically so you usually do not have to apply for a disability premium.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    There are 3 types of disability premium for adults:

    ", + "
  • disability premium
  • ", + "
  • enhanced disability premium
  • ", + "
  • severe disability premium
  • ", + "

    You can get more than one premium at a time.

    ", + "

    What you'll get

    ", + "

    You can get the disability premium on its own. You might get the severe or enhanced disability premium as well if you\u2019re eligible for them.

    ", + "

    If you get income-related Employment and Support Allowance (ESA) you cannot get the disability premium, but you may still qualify for the severe and enhanced premiums.

    ", + "

    Disability premium

    ", + "

    You\u2019ll get:

    ", + "
  • \u00a335.10 a week for a single person
  • ", + "
  • \u00a350.05 a week for a couple
  • ", + "

    Severe disability premium

    ", + "

    You\u2019ll get:

    ", + "
  • \u00a367.30 a week for a single person
  • ", + "
  • \u00a3134.60 a week for a couple if you\u2019re both eligible
  • ", + "

    Some couples will be eligible for the lower amount of \u00a367.30 a week instead.

    ", + "

    Enhanced disability premium

    ", + "

    You\u2019ll get:

    ", + "
  • \u00a317.20 a week for a single person
  • ", + "
  • \u00a324.60 a week for a couple if at least one of you is eligible
  • ", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are paid into an account such as your bank account.

    ", + "

    There is a limit on the total amount of benefit that most people aged 16 to under State Pension age can get. This is called a benefit cap.

    ", + "

    Eligibility

    ", + "

    Disability premium payments can be added to your:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • housing benefit
  • ", + "

    You usually need to be eligible for the disability premium to qualify for the severe or enhanced premiums.

    ", + "

    If you get income-related Employment and Support Allowance (ESA) you can only get the severe or enhanced premium.

    ", + "

    Use a benefits calculator to check your eligibility.

    ", + "

    Disability premium

    ", + "

    You or your partner must be under pension credit age and either registered blind or getting:

    ", + "
  • Disability Living Allowance (DLA)
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • Armed Forces Independence Payment (AFIP)
  • ", + "
  • Working Tax Credit with a disability element
  • ", + "
  • Attendance Allowance
  • ", + "
  • Constant Attendance Allowance
  • ", + "
  • War Pensioners Mobility Supplement
  • ", + "
  • Severe Disablement Allowance
  • ", + "
  • Incapacity Benefit
  • ", + "

    If you do not qualify, you may still get the premium if you\u2019ve been unable to work for at least a year.

    ", + "

    Severe disability premium

    ", + "

    You must get the disability premium or income-related ESA, and one of the following qualifying benefits:

    ", + "
  • PIP daily living component
  • ", + "
  • AFIP
  • ", + "
  • DLA care component at the middle or highest rate
  • ", + "
  • Attendance Allowance (or Constant Attendance Allowance paid with Industrial Injuries Disablement Benefit or War Pension)
  • ", + "

    You usually cannot have anyone aged 18 or over living with you, unless they\u2019re in one of these situations:

    ", + "
  • they get a qualifying benefit
  • ", + "
  • they\u2019re registered blind
  • ", + "
  • they\u2019re a boarder or subtenant (but not a close relative)
  • ", + "
  • they make separate payments to the landlord
  • ", + "

    You cannot get the severe disability premium if someone is getting Carer\u2019s Allowance or the carers element of Universal Credit for looking after you.

    ", + "

    If you\u2019re in a couple

    ", + "

    You\u2019ll get the higher amount of severe disability premium if both you and your partner are eligible.

    ", + "

    You can get the lower amount if:

    ", + "
  • someone gets Carers Allowance or the carers element of Universal Credit for looking after only one of you
  • ", + "
  • only one of you meets the eligibility criteria and the other is registered blind
  • ", + "

    Enhanced disability premium

    ", + "

    To get this, you must be under pension credit age.

    ", + "

    You must get the disability premium or income-related ESA, and one of the following:

    ", + "
  • PIP daily living component at the higher (\u2018enhanced\u2019) rate
  • ", + "
  • AFIP
  • ", + "
  • DLA care component at the highest rate
  • ", + "

    You\u2019ll also get this if you\u2019re in the support group for income-related ESA.

    ", + "

    How to claim

    ", + "

    You do not have to claim disability premium. If you\u2019re eligible, it\u2019s automatically added to your:

    ", + "
  • Income Support
  • ", + "
  • Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • Employment and Support Allowance (ESA)
  • ", + "
  • housing benefit
  • ", + "

    Contact your local Jobcentre Plus if it has not been paid.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    " + ] + }, + "https://www.gov.uk/cold-weather-payment": { + "url": "https://www.gov.uk/cold-weather-payment", + "title": "Cold Weather Payment", + "content": "## Overview\n\nYou may get a Cold Weather Payment if you\u2019re getting certain benefits or Support for Mortgage Interest.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou\u2019ll get a payment if the average temperature in your area is recorded as, or forecast to be, zero degrees celsius or below over 7 consecutive days.\n\nYou\u2019ll get \u00a325 for each 7 day period of very cold weather between 1 November and 31 March.\n\nThe 2020 to 2021 Cold Weather Payment scheme has now ended. You\u2019ll be able to check if your area is due a payment when next year\u2019s scheme starts on 1 November 2021.\n\nCold Weather Payments are different to Winter Fuel Payments.\n\n## What you'll get\n\nYou\u2019ll get \u00a325 for each 7 day period of very cold weather between 1 November and 31 March.\n\nAfter each period of very cold weather in your area, you should get a payment within 14 working days. It\u2019s paid into the same bank or building society account as your benefit payments.\n\nCold Weather Payments do not affect your other benefits.\n\n## Eligibility\n\nYou may get Cold Weather Payments if you\u2019re getting:\n\n- Pension Credit\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Universal Credit\n\n- Support for Mortgage Interest\n\n## Pension Credit\n\nYou\u2019ll usually get Cold Weather Payments if you get Pension Credit.\n\n## Income Support and income-based Jobseeker\u2019s Allowance\n\nYou\u2019ll usually get Cold Weather Payments if you get Income Support or income-based Jobseeker\u2019s Allowance and have any of the following:\n\n- a disability or pensioner premium\n\n- a child who is disabled\n\n- Child Tax Credit that includes a disability or severe disability element\n\n- a child under 5 living with you\n\n## Income-related Employment and Support Allowance (ESA)\n\nYou\u2019ll usually get Cold Weather Payments if you get income-related ESA and are in a work-related activity group or support group. If you\u2019re not in either group, you might also get Cold Weather Payments if you have any of the following:\n\n- a severe or enhanced disability premium\n\n- a pensioner premium\n\n- a child who is disabled\n\n- Child Tax Credit that includes a disability or severe disability element\n\n- a child under 5 living with you\n\n## Universal Credit\n\nYou\u2019ll usually get Cold Weather Payments if you get Universal Credit and you\u2019re not employed or self-employed. One of the following must also apply:\n\n- you have a health condition or disability and have limited capability for work (with or without work-related activity)\n\n- you have a child under 5 living with you\n\nYou\u2019ll also be eligible if you have a disabled child amount in your claim, whether you\u2019re employed or not.\n\n## Support for Mortgage Interest (SMI)\n\nYou\u2019ll usually get Cold Weather Payments if you get Support for Mortgage Interest (SMI) and have any of the following:\n\n- a severe or enhanced disability premium\n\n- a pensioner premium\n\n- a child who is disabled\n\n- Child Tax Credit that includes a disability or severe disability element\n\n- a child under 5 living with you\n\n## How to claim\n\nYou do not need to apply. If you\u2019re eligible to get a Cold Weather Payment, you\u2019ll be paid it automatically.\n\nThe 2020 to 2021 Cold Weather Payment scheme has now ended. You\u2019ll be able to check if your area is due a payment when next year\u2019s scheme starts on 1 November 2021.\n\n## If you have a baby or a child under 5 comes to live with you\n\nTell Jobcentre Plus if you get Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance and:\n\n- you\u2019ve had a baby\n\n- a child under 5 has come to live with you\n\nYou will not automatically get Cold Weather Payments if you do not.\n\n## If you do not receive your Cold Weather Payment\n\nTell the Pension Service or Jobcentre Plus if you think you should\u2019ve received a Cold Weather Payment but you have not.\n\nIf you\u2019re getting Universal Credit, sign in to your account and add a note to your journal.\n\nIf you do not have an online account, ring the Universal Credit helpline instead. The phone number is on letters about your Universal Credit claim.\n\n## Hospital stays\n\nTell the Pension Service or Jobcentre Plus if you go into hospital - this could affect your payment.\n\nIf you\u2019re getting Universal Credit, sign in to your account and add a note to your journal.\n\nIf you do not have an online account, ring the Universal Credit helpline instead. The phone number is on letters about your Universal Credit.", + "original_contents": [ + "

    Overview

    ", + "

    You may get a Cold Weather Payment if you\u2019re getting certain benefits or Support for Mortgage Interest.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You\u2019ll get a payment if the average temperature in your area is recorded as, or forecast to be, zero degrees celsius or below over 7 consecutive days.

    ", + "

    You\u2019ll get \u00a325 for each 7 day period of very cold weather between 1 November and 31 March.

    ", + "

    The 2020 to 2021 Cold Weather Payment scheme has now ended. You\u2019ll be able to check if your area is due a payment when next year\u2019s scheme starts on 1 November 2021.

    ", + "

    Cold Weather Payments are different to Winter Fuel Payments.

    ", + "

    What you'll get

    ", + "

    You\u2019ll get \u00a325 for each 7 day period of very cold weather between 1 November and 31 March.

    ", + "

    After each period of very cold weather in your area, you should get a payment within 14 working days. It\u2019s paid into the same bank or building society account as your benefit payments.

    ", + "

    Cold Weather Payments do not affect your other benefits.

    ", + "

    Eligibility

    ", + "

    You may get Cold Weather Payments if you\u2019re getting:

    ", + "
  • Pension Credit
  • ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Universal Credit
  • ", + "
  • Support for Mortgage Interest
  • ", + "

    Pension Credit

    ", + "

    You\u2019ll usually get Cold Weather Payments if you get Pension Credit.

    ", + "

    Income Support and income-based Jobseeker\u2019s Allowance

    ", + "

    You\u2019ll usually get Cold Weather Payments if you get Income Support or income-based Jobseeker\u2019s Allowance and have any of the following:

    ", + "
  • a disability or pensioner premium
  • ", + "
  • a child who is disabled
  • ", + "
  • Child Tax Credit that includes a disability or severe disability element
  • ", + "
  • a child under 5 living with you
  • ", + "

    Income-related Employment and Support Allowance (ESA)

    ", + "

    You\u2019ll usually get Cold Weather Payments if you get income-related ESA and are in a work-related activity group or support group. If you\u2019re not in either group, you might also get Cold Weather Payments if you have any of the following:

    ", + "
  • a severe or enhanced disability premium
  • ", + "
  • a pensioner premium
  • ", + "
  • a child who is disabled
  • ", + "
  • Child Tax Credit that includes a disability or severe disability element
  • ", + "
  • a child under 5 living with you
  • ", + "

    Universal Credit

    ", + "

    You\u2019ll usually get Cold Weather Payments if you get Universal Credit and you\u2019re not employed or self-employed. One of the following must also apply:

    ", + "
  • you have a health condition or disability and have limited capability for work (with or without work-related activity)
  • ", + "
  • you have a child under 5 living with you
  • ", + "

    You\u2019ll also be eligible if you have a disabled child amount in your claim, whether you\u2019re employed or not.

    ", + "

    Support for Mortgage Interest (SMI)

    ", + "

    You\u2019ll usually get Cold Weather Payments if you get Support for Mortgage Interest (SMI) and have any of the following:

    ", + "
  • a severe or enhanced disability premium
  • ", + "
  • a pensioner premium
  • ", + "
  • a child who is disabled
  • ", + "
  • Child Tax Credit that includes a disability or severe disability element
  • ", + "
  • a child under 5 living with you
  • ", + "

    How to claim

    ", + "

    You do not need to apply. If you\u2019re eligible to get a Cold Weather Payment, you\u2019ll be paid it automatically.

    ", + "

    The 2020 to 2021 Cold Weather Payment scheme has now ended. You\u2019ll be able to check if your area is due a payment when next year\u2019s scheme starts on 1 November 2021.

    ", + "

    If you have a baby or a child under 5 comes to live with you

    ", + "

    Tell Jobcentre Plus if you get Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance and:

    ", + "
  • you\u2019ve had a baby
  • ", + "
  • a child under 5 has come to live with you
  • ", + "

    You will not automatically get Cold Weather Payments if you do not.

    ", + "

    If you do not receive your Cold Weather Payment

    ", + "

    Tell the Pension Service or Jobcentre Plus if you think you should\u2019ve received a Cold Weather Payment but you have not.

    ", + "

    If you\u2019re getting Universal Credit, sign in to your account and add a note to your journal.

    ", + "

    If you do not have an online account, ring the Universal Credit helpline instead. The phone number is on letters about your Universal Credit claim.

    ", + "

    Hospital stays

    ", + "

    Tell the Pension Service or Jobcentre Plus if you go into hospital - this could affect your payment.

    ", + "

    If you\u2019re getting Universal Credit, sign in to your account and add a note to your journal.

    ", + "

    If you do not have an online account, ring the Universal Credit helpline instead. The phone number is on letters about your Universal Credit.

    " + ] + }, + "https://www.gov.uk/winter-fuel-payment": { + "url": "https://www.gov.uk/winter-fuel-payment", + "title": "Winter Fuel Payment", + "content": "## Overview\n\nIf you were born on or before 5 October 1954 you could get between \u00a3100 and \u00a3300 to help you pay your heating bills. This is known as a \u2018Winter Fuel Payment\u2019.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou will get your Winter Fuel Payment automatically (you do not need to claim) if you\u2019re eligible and either:\n\n- get the State Pension\n\n- get another social security benefit (not Housing Benefit, Council Tax Reduction, Child Benefit or Universal Credit)\n\nIf you do not get either of these, or if you live abroad, you may need to make a claim.\n\nIf you\u2019ve got a Winter Fuel Payment before, you do not need to claim again unless you\u2019ve deferred your State Pension or moved abroad.\n\nThe deadline for you to make a claim for winter 2020 to 2021 is 31 March 2021.\n\n## When you\u2019ll be paid\n\nMost payments are made automatically in November or December. You should get your money by 31 March 2021.\n\nIf you do not get your payment, contact the Winter Fuel Payment Centre.\n\nAny money you get will not affect your other benefits.\n\nWinter Fuel Payments are different to Cold Weather Payments.\n\n## Eligibility\n\nYou qualify for a Winter Fuel Payment if both the following apply:\n\n- you were born on or before 5 October 1954\n\n- you lived in the UK for at least one day during the week of 21 to 27 September 2020 - this is called the \u2018qualifying week\u2019\n\nIf you did not live in the UK during the qualifying week, you might still get the payment if both the following apply:\n\n- you live in Switzerland or a European Economic Area (EEA) country\n\n- you have a genuine and sufficient link to the UK - this can include having lived or worked in the UK, and having family in the UK\n\nRead guidance to check if you can get benefits as a UK national in an EU or EEA country, or Switzerland.\n\nYou cannot get the payment if you live in Cyprus, France, Gibraltar, Greece, Malta, Portugal or Spain because the average winter temperature is higher than the warmest region of the UK.\n\nYou may still be able to get Cold Weather Payment or the Warm Home Discount Scheme, even if you do not qualify for Winter Fuel Payment.\n\n## When you will not qualify\n\nYou will not qualify if you:\n\n- are in hospital getting free treatment for more than a year\n\n- need permission to enter the UK and your granted leave states that you can not claim public funds\n\n- were in prison for the whole week from 21 to 27 September 2020\n\n- lived in a care home for the whole time from 29 June to 27 September 2020, and got Pension Credit, Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance\n\n## How much you'll get\n\nHow much you get depends on your circumstances during the qualifying week. The qualifying week for winter 2020 to 2021 is 21 to 27 September 2020.\n\nAny money you get is tax-free and will not affect your other benefits.\n\n| | Born between 28 September 1940 and 5 October 1954 | Born on or before 27 September 1940 |\n\n| You qualify and live alone (or none of the people you live with qualify) | \u00a3200 | \u00a3300 |\n\n| You qualify and live with someone under 80 who also qualifies | \u00a3100 | \u00a3200 |\n\n| You qualify and live with someone 80 or over who also qualifies | \u00a3100 | \u00a3150 |\n\n| You qualify, live in a care home and do not get certain benefits | \u00a3100 | \u00a3150 |\n\n## If you get certain benefits\n\nYour payment may be different if you or your partner get one of the following benefits:\n\n- Pension Credit\n\n- income-based Jobseeker\u2019s Allowance (JSA)\n\n- income-related Employment and Support Allowance (ESA)\n\n- Income Support\n\n| | Born between 28 September 1940 and 5 October 1954 | Born on or before 27 September 1940 |\n\n| You qualify, get one of the benefits and live alone (or none of the people you live with qualify) | \u00a3200 | \u00a3300 |\n\n| You qualify and live with someone who also gets one of the benefits | \u00a3200 - only one of you will get the payment | \u00a3300 - only one of you will get the payment |\n\n| You qualify, live in a care home and get one of the benefits | Nil | Nil |\n\n## When you\u2019ll get paid\n\nMost payments are made automatically in November or December.\n\nYou\u2019ll get a letter telling you how much you will get and an estimated payment date.\n\nIf the money is not paid into your account by 31 March 2021, contact the Winter Fuel Payment Centre.\n\nAll benefits, pensions and allowances are paid into an account, such as a bank account.\n\n## How to claim\n\nYou usually do not need to claim Winter Fuel Payment - you\u2019ll get it automatically if you\u2019re eligible.\n\nIf you have not got a Winter Fuel Payment before, you only need to claim if any of the following apply:\n\n- you do not get benefits or a State Pension\n\n- you only get Housing Benefit, Council Tax Reduction, Child Benefit or Universal Credit\n\n- you get benefits or a State Pension but live in Switzerland or an EEA country\n\nIf you have got a Winter Fuel Payment before, you only need to claim if since your last payment you have either:\n\n- deferred your State Pension\n\n- moved to Switzerland or an EEA country\n\nContact the Winter Fuel Payment Centre if your circumstances have changed.\n\n## If you need to claim\n\nYou can claim Winter Fuel Payment by phone or by post.\n\n## Claim for the first time by phone\n\nCall the Winter Fuel Payment Centre to claim by phone.\n\nYou will need to know:\n\n- your National Insurance number\n\n- your bank or building society details\n\n- your BIC and IBAN numbers if you live in the EEA or Switzerland\n\n- the date you were married or entered into a civil partnership (if appropriate)\n\nPayments can not be made into a National Savings and Investments (NS&I) account unless you already get other benefits paid into the account.\n\nYou\u2019ll also need to say whether during the qualifying week of 21 to 27 September 2020 you were:\n\n- in hospital getting free in-patient treatment\n\n- in a residential care home or Ilford Park Resettlement Home\n\n- in prison\n\n## Claim for the first time by post\n\nThe claim form you need depends on where you live.\n\n- Winter Fuel Payment claim form if you live in the UK\n\n- Winter Fuel Payment claim form if you live in Switzerland or an eligible EEA country\n\nSend your claim to the following address if you\u2019re in the UK.\n\nSend your claim to the following address if you\u2019re in an EEA country or Switzerland.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Report a change or cancel your payment\n\nContact the Winter Fuel Payment Centre if you\u2019ve claimed Winter Fuel Payment before and you:\n\n- need to report a change of circumstances\n\n- need to change your address or personal details\n\n- want to cancel future payments\n\n- want to return a payment\n\nReport any change of circumstances as soon as possible, as these can affect how much Winter Fuel Payment you get. For example, if you stop getting a benefit, move house or go into care.\n\nIf you cancel your payments, you can change this at any time.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.", + "original_contents": [ + "

    Overview

    ", + "

    If you were born on or before 5 October 1954 you could get between \u00a3100 and \u00a3300 to help you pay your heating bills. This is known as a \u2018Winter Fuel Payment\u2019.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You will get your Winter Fuel Payment automatically (you do not need to claim) if you\u2019re eligible and either:

    ", + "
  • get the State Pension
  • ", + "
  • get another social security benefit (not Housing Benefit, Council Tax Reduction, Child Benefit or Universal Credit)
  • ", + "

    If you do not get either of these, or if you live abroad, you may need to make a claim.

    ", + "

    If you\u2019ve got a Winter Fuel Payment before, you do not need to claim again unless you\u2019ve deferred your State Pension or moved abroad.

    ", + "

    The deadline for you to make a claim for winter 2020 to 2021 is 31 March 2021.

    ", + "

    When you\u2019ll be paid

    ", + "

    Most payments are made automatically in November or December. You should get your money by 31 March 2021.

    ", + "

    If you do not get your payment, contact the Winter Fuel Payment Centre.

    ", + "

    Any money you get will not affect your other benefits.

    ", + "

    Winter Fuel Payments are different to Cold Weather Payments.

    ", + "

    Eligibility

    ", + "

    You qualify for a Winter Fuel Payment if both the following apply:

    ", + "
  • you were born on or before 5 October 1954
  • ", + "
  • you lived in the UK for at least one day during the week of 21 to 27 September 2020 - this is called the \u2018qualifying week\u2019
  • ", + "

    If you did not live in the UK during the qualifying week, you might still get the payment if both the following apply:

    ", + "
  • you live in Switzerland or a European Economic Area (EEA) country
  • ", + "
  • you have a genuine and sufficient link to the UK - this can include having lived or worked in the UK, and having family in the UK
  • ", + "

    Read guidance to check if you can get benefits as a UK national in an EU or EEA country, or Switzerland.

    ", + "

    You cannot get the payment if you live in Cyprus, France, Gibraltar, Greece, Malta, Portugal or Spain because the average winter temperature is higher than the warmest region of the UK.

    ", + "

    You may still be able to get Cold Weather Payment or the Warm Home Discount Scheme, even if you do not qualify for Winter Fuel Payment.

    ", + "

    When you will not qualify

    ", + "

    You will not qualify if you:

    ", + "
  • are in hospital getting free treatment for more than a year
  • ", + "
  • need permission to enter the UK and your granted leave states that you can not claim public funds
  • ", + "
  • were in prison for the whole week from 21 to 27 September 2020
  • ", + "
  • lived in a care home for the whole time from 29 June to 27 September 2020, and got Pension Credit, Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance
  • ", + "

    How much you'll get

    ", + "

    How much you get depends on your circumstances during the qualifying week. The qualifying week for winter 2020 to 2021 is 21 to 27 September 2020.

    ", + "

    Any money you get is tax-free and will not affect your other benefits.

    ", + " | Born between 28 September 1940 and 5 October 1954 | Born on or before 27 September 1940", + "You qualify and live alone (or none of the people you live with qualify) | \u00a3200 | \u00a3300", + "You qualify and live with someone under 80 who also qualifies | \u00a3100 | \u00a3200", + "You qualify and live with someone 80 or over who also qualifies | \u00a3100 | \u00a3150", + "You qualify, live in a care home and do not get certain benefits | \u00a3100 | \u00a3150", + "

    If you get certain benefits

    ", + "

    Your payment may be different if you or your partner get one of the following benefits:

    ", + "
  • Pension Credit
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Income Support
  • ", + " | Born between 28 September 1940 and 5 October 1954 | Born on or before 27 September 1940", + "You qualify, get one of the benefits and live alone (or none of the people you live with qualify) | \u00a3200 | \u00a3300", + "You qualify and live with someone who also gets one of the benefits | \u00a3200 - only one of you will get the payment | \u00a3300 - only one of you will get the payment", + "You qualify, live in a care home and get one of the benefits | Nil | Nil", + "

    When you\u2019ll get paid

    ", + "

    Most payments are made automatically in November or December.

    ", + "

    You\u2019ll get a letter telling you how much you will get and an estimated payment date.

    ", + "

    If the money is not paid into your account by 31 March 2021, contact the Winter Fuel Payment Centre.

    ", + "

    All benefits, pensions and allowances are paid into an account, such as a bank account.

    ", + "

    How to claim

    ", + "

    You usually do not need to claim Winter Fuel Payment - you\u2019ll get it automatically if you\u2019re eligible.

    ", + "

    If you have not got a Winter Fuel Payment before, you only need to claim if any of the following apply:

    ", + "
  • you do not get benefits or a State Pension
  • ", + "
  • you only get Housing Benefit, Council Tax Reduction, Child Benefit or Universal Credit
  • ", + "
  • you get benefits or a State Pension but live in Switzerland or an EEA country
  • ", + "

    If you have got a Winter Fuel Payment before, you only need to claim if since your last payment you have either:

    ", + "
  • deferred your State Pension
  • ", + "
  • moved to Switzerland or an EEA country
  • ", + "

    Contact the Winter Fuel Payment Centre if your circumstances have changed.

    ", + "

    If you need to claim

    ", + "

    You can claim Winter Fuel Payment by phone or by post.

    ", + "

    Claim for the first time by phone

    ", + "

    Call the Winter Fuel Payment Centre to claim by phone.

    ", + "

    You will need to know:

    ", + "
  • your National Insurance number
  • ", + "
  • your bank or building society details
  • ", + "
  • your BIC and IBAN numbers if you live in the EEA or Switzerland
  • ", + "
  • the date you were married or entered into a civil partnership (if appropriate)
  • ", + "

    Payments can not be made into a National Savings and Investments (NS&I) account unless you already get other benefits paid into the account.

    ", + "

    You\u2019ll also need to say whether during the qualifying week of 21 to 27 September 2020 you were:

    ", + "
  • in hospital getting free in-patient treatment
  • ", + "
  • in a residential care home or Ilford Park Resettlement Home
  • ", + "
  • in prison
  • ", + "

    Claim for the first time by post

    ", + "

    The claim form you need depends on where you live.

    ", + "
  • Winter Fuel Payment claim form if you live in the UK
  • ", + "
  • Winter Fuel Payment claim form if you live in Switzerland or an eligible EEA country
  • ", + "

    Send your claim to the following address if you\u2019re in the UK.

    ", + "

    Send your claim to the following address if you\u2019re in an EEA country or Switzerland.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Report a change or cancel your payment

    ", + "

    Contact the Winter Fuel Payment Centre if you\u2019ve claimed Winter Fuel Payment before and you:

    ", + "
  • need to report a change of circumstances
  • ", + "
  • need to change your address or personal details
  • ", + "
  • want to cancel future payments
  • ", + "
  • want to return a payment
  • ", + "

    Report any change of circumstances as soon as possible, as these can affect how much Winter Fuel Payment you get. For example, if you stop getting a benefit, move house or go into care.

    ", + "

    If you cancel your payments, you can change this at any time.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    " + ] + }, + "https://www.gov.uk/christmas-bonus": { + "url": "https://www.gov.uk/christmas-bonus", + "title": "Christmas Bonus", + "content": "## Overview\n\nThe Christmas Bonus is a one-off tax-free \u00a310 payment made before Christmas, paid to people who get certain benefits in the qualifying week. This is normally the first full week of December.\n\nYou do not need to claim - you should get paid automatically.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## What you'll get\n\nThe Christmas Bonus is a one-off payment of \u00a310.\n\nIt will not affect any other benefits you get.\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are normally paid into an account, such as your bank account. It may show up as \u2018DWP XB\u2019 on your bank statement.\n\n## Eligibility\n\nTo get a Christmas Bonus you must be present or \u2018ordinarily resident\u2019 in the UK, Channel Islands, Isle of Man or Gibraltar during the qualifying week.\n\nIf you live in or are moving to a European Economic Area (EEA) country or Switzerland, find out about benefits for UK nationals in the EU, EEA and Switzerland.\n\nYou must also get at least one of the following benefits in the \u2018qualifying week\u2019 - this is normally the first full week of December:\n\n- Armed Forces Independence Payment\n\n- Attendance Allowance\n\n- Carer\u2019s Allowance\n\n- Constant Attendance Allowance (paid under Industrial Injuries or War Pensions schemes)\n\n- Contribution-based Employment and Support Allowance (once the main phase of the benefit is entered after the first 13 weeks of claim)\n\n- Disability Living Allowance\n\n- Incapacity Benefit at the long-term rate\n\n- Industrial Death Benefit (for widows or widowers)\n\n- Mobility Supplement\n\n- Pension Credit - the guarantee element\n\n- Personal Independence Payment (PIP)\n\n- State Pension (including Graduated Retirement Benefit)\n\n- Severe Disablement Allowance (transitionally protected)\n\n- Unemployability Supplement or Allowance (paid under Industrial Injuries or War Pensions schemes)\n\n- War Disablement Pension at State Pension age\n\n- War Widow\u2019s Pension\n\n- Widowed Mother\u2019s Allowance\n\n- Widowed Parent\u2019s Allowance\n\n- Widow\u2019s Pension\n\nIf you have not claimed your State Pension and are not entitled to one of the other qualifying benefits you will not get a Christmas Bonus\n\n## How to claim\n\nYou do not need to claim the Christmas Bonus - you should get it automatically.\n\nIf you think you should get it, but have not, contact the Jobcentre Plus office that deals with your payments or the Pension Service.\n\n## Further information\n\nIf you\u2019re part of a married couple, in a civil partnership or living together as if you are and you both get one of the qualifying benefits you\u2019ll each get a Christmas Bonus payment.\n\nIf your partner or civil partner does not get one of the qualifying benefits, they may still get the Christmas Bonus if both the following apply:\n\n- you\u2019re both over State Pension age by the end of the qualifying week\n\n- your partner or civil partner was also present (or \u2018ordinarily resident\u2019) in the UK, Channel Islands, Isle of Man, Gibraltar, European Economic Area (EEA) country or Switzerland during the qualifying week\n\nand either:\n\n- you\u2019re entitled to an increase of a qualifying benefit for your partner or civil partner\n\n- the only qualifying benefit you\u2019re getting is Pension Credit", + "original_contents": [ + "

    Overview

    ", + "

    The Christmas Bonus is a one-off tax-free \u00a310 payment made before Christmas, paid to people who get certain benefits in the qualifying week. This is normally the first full week of December.

    ", + "

    You do not need to claim - you should get paid automatically.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    What you'll get

    ", + "

    The Christmas Bonus is a one-off payment of \u00a310.

    ", + "

    It will not affect any other benefits you get.

    ", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are normally paid into an account, such as your bank account. It may show up as \u2018DWP XB\u2019 on your bank statement.

    ", + "

    Eligibility

    ", + "

    To get a Christmas Bonus you must be present or \u2018ordinarily resident\u2019 in the UK, Channel Islands, Isle of Man or Gibraltar during the qualifying week.

    ", + "

    If you live in or are moving to a European Economic Area (EEA) country or Switzerland, find out about benefits for UK nationals in the EU, EEA and Switzerland.

    ", + "

    You must also get at least one of the following benefits in the \u2018qualifying week\u2019 - this is normally the first full week of December:

    ", + "
  • Armed Forces Independence Payment
  • ", + "
  • Attendance Allowance
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Constant Attendance Allowance (paid under Industrial Injuries or War Pensions schemes)
  • ", + "
  • Contribution-based Employment and Support Allowance (once the main phase of the benefit is entered after the first 13 weeks of claim)
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Incapacity Benefit at the long-term rate
  • ", + "
  • Industrial Death Benefit (for widows or widowers)
  • ", + "
  • Mobility Supplement
  • ", + "
  • Pension Credit - the guarantee element
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • State Pension (including Graduated Retirement Benefit)
  • ", + "
  • Severe Disablement Allowance (transitionally protected)
  • ", + "
  • Unemployability Supplement or Allowance (paid under Industrial Injuries or War Pensions schemes)
  • ", + "
  • War Disablement Pension at State Pension age
  • ", + "
  • War Widow\u2019s Pension
  • ", + "
  • Widowed Mother\u2019s Allowance
  • ", + "
  • Widowed Parent\u2019s Allowance
  • ", + "
  • Widow\u2019s Pension
  • ", + "

    If you have not claimed your State Pension and are not entitled to one of the other qualifying benefits you will not get a Christmas Bonus

    ", + "

    How to claim

    ", + "

    You do not need to claim the Christmas Bonus - you should get it automatically.

    ", + "

    If you think you should get it, but have not, contact the Jobcentre Plus office that deals with your payments or the Pension Service.

    ", + "

    Further information

    ", + "

    If you\u2019re part of a married couple, in a civil partnership or living together as if you are and you both get one of the qualifying benefits you\u2019ll each get a Christmas Bonus payment.

    ", + "

    If your partner or civil partner does not get one of the qualifying benefits, they may still get the Christmas Bonus if both the following apply:

    ", + "
  • you\u2019re both over State Pension age by the end of the qualifying week
  • ", + "
  • your partner or civil partner was also present (or \u2018ordinarily resident\u2019) in the UK, Channel Islands, Isle of Man, Gibraltar, European Economic Area (EEA) country or Switzerland during the qualifying week
  • ", + "

    and either:

    ", + "
  • you\u2019re entitled to an increase of a qualifying benefit for your partner or civil partner
  • ", + "
  • the only qualifying benefit you\u2019re getting is Pension Credit
  • " + ] + }, + "https://www.gov.uk/claim-benefits-abroad": { + "url": "https://www.gov.uk/claim-benefits-abroad", + "title": "Claiming benefits if you live, move or travel abroad", + "content": "## Overview\n\nYou may still be able to claim some benefits if you travel or move abroad, or if you\u2019re already living abroad. What you\u2019re entitled to depends on where you\u2019re going and how long for.\n\n## Who to contact if you\u2019re going abroad\n\nTell your local Jobcentre Plus or the office that pays your benefit if you\u2019re going abroad. If it\u2019s a temporary move, tell them when you\u2019re coming back.\n\nYou must also tell HMRC if you\u2019re leaving the UK.\n\n## Claiming when abroad\n\nIf you\u2019re going to (or are already living in) a European Economic Area (EEA) country or a country with a special agreement with the UK, you may be able to claim:\n\n- UK-based benefits\n\n- benefits provided by the country you\u2019re going to\n\nYou can also claim your State Pension abroad.\n\n## Claiming benefits in an EEA country or Switzerland\n\nIf you\u2019re living in or planning to go to an EEA country or Switzerland you may be able to get some UK benefits.\n\nFind out if you can get benefits in the EEA or Switzerland.\n\n## When you get your payment\n\nThe date you get your payment depends on which benefit you claim.\n\nIf you live abroad and your payment is due in the same week as a US bank holiday, it could arrive one day late. This is because a US company processes these payments.\n\n## Benefit fraud\n\nYou\u2019re committing benefit fraud if you:\n\n- do not tell the office that pays your benefit you\u2019re going abroad, even if it\u2019s just for a visit\n\n- deliberately do not report a change in your circumstances while abroad, like buying a property, working, or claiming a pension or benefit from another country\n\n- are dishonest in order to get benefits, like continuing to claim the pension or benefit of someone who has died overseas\n\n## Where you can claim benefits\n\n## European Economic Area (EEA) countries\n\nIf you\u2019re living in or planning to go to an EEA country or Switzerland you may be able to get some UK benefits.\n\nFind out if you can get benefits in the EEA or Switzerland.\n\n## Other countries with UK benefits arrangements\n\nThe following countries have social security agreements with the UK:\n\n- Barbados\n\n- Bermuda\n\n- Bosnia and Herzegovina\n\n- Canada\n\n- Channel Islands\n\n- Gibraltar\n\n- Israel\n\n- Jamaica\n\n- Kosovo\n\n- Mauritius\n\n- Montenegro\n\n- New Zealand\n\n- North Macedonia\n\n- the Philippines\n\n- Serbia\n\n- Turkey\n\n- USA\n\nYou may be able to claim certain benefits in these countries but it will depend on the particular country.\n\n## Jobseeker's Allowance\n\nThere are 3 different types of Jobseeker\u2019s Allowance (JSA):\n\n- \u2018new style\u2019 JSA\n\n- contribution-based JSA\n\n- income-based JSA\n\nYou cannot get income-based JSA abroad.\n\nYou may get \u2018new style\u2019 JSA or contribution-based JSA in the European Economic Area (EEA) or Switzerland for up to 3 months if you:\n\n- are entitled to it on the day you go abroad\n\n- register as a jobseeker at least 4 weeks before you leave\n\n- are looking for work in the UK up to the day you leave\n\n- are going abroad to look for work\n\n- register at the equivalent of a Jobcentre in the country you\u2019re going to\n\n- follow the other country\u2019s rules on registering and looking for work\n\n- are covered by the Withdrawal Agreement\n\nFind out if you can get JSA in the EEA or Switzerland.\n\n## Moving to a country not in the EEA\n\nSome countries outside the EEA have social security agreements with the UK. This means that if you\u2019ve paid enough National Insurance contributions in the UK, you may be able to get unemployment benefits in:\n\n- Bosnia and Herzegovina\n\n- Channel Islands\n\n- Kosovo\n\n- Macedonia\n\n- Montenegro\n\n- New Zealand\n\n- Serbia\n\n## Help and advice on JSA\n\n## Maternity and childcare benefits\n\n## Statutory Maternity Pay (SMP)\n\nIf you work for a UK employer in the European Economic Area (EEA) or Switzerland, you may get SMP as long as you\u2019re eligible.\n\nFind out if you can get Statutory Maternity Pay in the EEA or Switzerland.\n\nIf you work in a different country, you can still get SMP as long as your employer pays UK National Insurance contributions for you.\n\nTalk to your employer about claiming SMP.\n\n## Maternity Allowance\n\nIf you cannot get SMP, you might be eligible for Maternity Allowance.\n\nIf you\u2019re eligible, you may get Maternity Allowance in an EEA country or Switzerland.\n\nFind out if you can get Maternity Allowance in the EEA or Switzerland.\n\nYou may also be able to claim it in:\n\n- Barbados\n\n- Bosnia and Herzegovina\n\n- Channel Islands\n\n- Gibraltar\n\n- Israel\n\n- Kosovo\n\n- Macedonia\n\n- Montenegro\n\n- Serbia\n\n- Turkey\n\nAsk your local Jobcentre Plus for more information.\n\n## Child-related benefits\n\nYou may also get the following in an EEA country or Switzerland if you\u2019re eligible:\n\n- Child Benefit\n\n- tax credits\n\n- Guardian\u2019s Allowance (you can claim this if you\u2019re getting Child Benefit for a child whose parents have both died)\n\n## Illness and injury benefits\n\n## Statutory Sick Pay (SSP)\n\nYou can get SSP if you\u2019re eligible and either of the following apply:\n\n- you work for a UK employer in the European Economic Area (EEA) or Switzerland\n\n- you work outside the EEA and your employer pays National Insurance contributions for you\n\nContact your employer to claim SSP.\n\n## Employment and Support Allowance (ESA)\n\nYou can get ESA for up to 4 weeks if you go abroad. Talk to your local Jobcentre Plus before you go.\n\n## Going abroad for more than 4 weeks but less than a year\n\nTell your local Jobcentre Plus if you\u2019re going abroad for more than 4 weeks.\n\nYou can carry on getting contribution-based ESA for up to 26 weeks if you\u2019re going abroad for medical treatment for yourself or your child.\n\nIt does not matter which country you go to.\n\n## Going abroad for more than a year\n\nYou may get contribution-based ESA in the EEA or Switzerland if you:\n\n- are eligible\n\n- have paid enough National Insurance contributions\n\n- are covered by the Withdrawal Agreement\n\nFind out if you can get contribution-based ESA in the EEA or Switzerland.\n\n## Help and advice on ESA\n\n## Industrial Injuries Disablement Benefit (IIDB)\n\nIf you\u2019re getting Industrial Injuries Benefit for work-related accidents and illnesses, you can still get this abroad.\n\nContact the office dealing with your benefit if you\u2019re still in the UK, or the International Pension Centre if you\u2019re living abroad.\n\n## Help and advice on IIDB\n\n## Benefits for carers and people with disabilities\n\nWhat you can claim depends on:\n\n- which benefit you\u2019re claiming\n\n- where you\u2019re going and for how long\n\n## Going abroad temporarily\n\nYou can claim the following benefits if you\u2019re going abroad for up to 13 weeks (or 26 weeks if it\u2019s for medical treatment):\n\n- Attendance Allowance\n\n- Disability Living Allowance\n\n- Personal Independence Payment\n\nYou can carry on claiming Carer\u2019s Allowance if you take up to 4 weeks holiday out of a 26-week period.\n\nTell the office that deals with your benefit that you\u2019ll be away.\n\n## Going abroad permanently to an EEA country or Switzerland\n\nYou or a family member may be able to claim benefits if you:\n\n- work in the UK or pay National Insurance in the UK because of work\n\n- have paid enough National Insurance to qualify for contribution-based benefits\n\n- are getting State Pension, Industrial Injuries Benefit, contribution-based ESA or bereavement benefits\n\n- are covered by the Withdrawal Agreement\n\nIf you\u2019re eligible then you may be able to claim:\n\n- Disability Living Allowance care component\n\n- Personal Independence Payment living component\n\n- Attendance Allowance or Carer\u2019s Allowance\n\nYou cannot claim Disability Living Allowance mobility component and Personal Independence Payment mobility component abroad.\n\nFind out if you can get benefits in an EEA country or Switzerland.\n\n## If you already live in an EEA country or Switzerland\n\nYou do not need to have claimed in the UK before you moved. But you must:\n\n- be habitually resident in the EEA country or Switzerland\n\n- have a genuine link with the UK social security system, for example you\u2019ve lived or worked in the UK\n\n- be covered by the Withdrawal Agreement\n\nFind out if you can get benefits in an EEA country or Switzerland.\n\n## Make a claim or change your details\n\nTo make a claim or change any personal details, such as your address or bank account, write to the Exportability Team that deals with the benefit you are claiming.\n\nIf you\u2019re making a claim, your letter should say:\n\n- what benefits you want to claim\n\n- where you live\n\n## Attendance Allowance Exportability Team\n\n## Disability Living Allowance Exportability Team\n\n## Personal Independence Payment 7 Exportability Team\n\n## Carer\u2019s Allowance\n\nYou can claim Carer\u2019s Allowance or report a change of circumstances online.\n\nYou can also write to the Carers Allowance Exportability Team.\n\n## Help and advice\n\nContact the Disability Benefits Exportability Team about Disability Living Allowance, Attendance Allowance and Personal Independence Payment.\n\nIf you have a general enquiry about Carer\u2019s Allowance, contact the Carer\u2019s Allowance Unit.\n\nIf you\u2019re a British Sign Language (BSL) user, you can use the video relay service. It\u2019s available Monday to Friday, 8am to 6pm - check you can use the service.\n\n## Winter Fuel Payments\n\nYou may be able to claim a Winter Fuel Payment if all of the following apply:\n\n- you were born on or before 5 October 1954\n\n- you live in Switzerland or a European Economic Area (EEA) country (except for Cyprus, France, Gibraltar, Greece, Malta, Portugal or Spain)\n\n- you have a genuine and sufficient link to the UK - this can include having lived or worked in the UK, and having family in the UK\n\n- you\u2019re covered by the Withdrawal Agreement\n\nYou do not need to have claimed Winter Fuel Payments in the UK before you go abroad.\n\nFind out if you can get Winter Fuel Payments in an EEA country or Switzerland.\n\n## Bereavement benefits\n\nIf you\u2019re already getting a bereavement benefit when you move abroad, you\u2019ll still get it - it does not matter where you move to.\n\nYou may be able to make a new claim if you live in certain countries outside the UK.\n\n## European Economic Area (EEA) countries, Switzerland and Gibraltar\n\nIf you live in an EEA country, Switzerland or Gibraltar, and you\u2019re eligible, you may be able to claim the following:\n\n- Bereavement Support Payment\n\n- Widowed Parent\u2019s Allowance\n\nFind out if you can get bereavement benefits in an EEA country or Switzerland.\n\n## Countries outside the EEA\n\nYou may also be able to claim bereavement benefits in some countries outside the EEA.\n\nBereavement Support Payment:\n\n- Barbados\n\n- Bosnia and Herzegovina\n\n- Channel Islands\n\n- Israel\n\n- Jamaica\n\n- Kosovo\n\n- Macedonia\n\n- Montenegro\n\n- New Zealand\n\n- the Philippines\n\n- Serbia\n\n- Turkey\n\n- USA\n\nWidowed Parent\u2019s Allowance:\n\n- Barbados\n\n- Bermuda\n\n- Bosnia and Herzegovina\n\n- Channel Islands\n\n- Israel\n\n- Jamaica\n\n- Kosovo\n\n- Macedonia\n\n- Mauritius\n\n- Montenegro\n\n- New Zealand\n\n- the Philippines\n\n- Serbia\n\n- Turkey\n\n- USA\n\nThe rate and eligibility criteria may vary between countries.\n\n## Help and advice on bereavement benefits", + "original_contents": [ + "

    Overview

    ", + "

    You may still be able to claim some benefits if you travel or move abroad, or if you\u2019re already living abroad. What you\u2019re entitled to depends on where you\u2019re going and how long for.

    ", + "

    Who to contact if you\u2019re going abroad

    ", + "

    Tell your local Jobcentre Plus or the office that pays your benefit if you\u2019re going abroad. If it\u2019s a temporary move, tell them when you\u2019re coming back.

    ", + "

    You must also tell HMRC if you\u2019re leaving the UK.

    ", + "

    Claiming when abroad

    ", + "

    If you\u2019re going to (or are already living in) a European Economic Area (EEA) country or a country with a special agreement with the UK, you may be able to claim:

    ", + "
  • UK-based benefits
  • ", + "
  • benefits provided by the country you\u2019re going to
  • ", + "

    You can also claim your State Pension abroad.

    ", + "

    Claiming benefits in an EEA country or Switzerland

    ", + "

    If you\u2019re living in or planning to go to an EEA country or Switzerland you may be able to get some UK benefits.

    ", + "

    Find out if you can get benefits in the EEA or Switzerland.

    ", + "

    When you get your payment

    ", + "

    The date you get your payment depends on which benefit you claim.

    ", + "

    If you live abroad and your payment is due in the same week as a US bank holiday, it could arrive one day late. This is because a US company processes these payments.

    ", + "

    Benefit fraud

    ", + "

    You\u2019re committing benefit fraud if you:

    ", + "
  • do not tell the office that pays your benefit you\u2019re going abroad, even if it\u2019s just for a visit
  • ", + "
  • deliberately do not report a change in your circumstances while abroad, like buying a property, working, or claiming a pension or benefit from another country
  • ", + "
  • are dishonest in order to get benefits, like continuing to claim the pension or benefit of someone who has died overseas
  • ", + "

    Where you can claim benefits

    ", + "

    European Economic Area (EEA) countries

    ", + "

    If you\u2019re living in or planning to go to an EEA country or Switzerland you may be able to get some UK benefits.

    ", + "

    Find out if you can get benefits in the EEA or Switzerland.

    ", + "

    Other countries with UK benefits arrangements

    ", + "

    The following countries have social security agreements with the UK:

    ", + "
  • Barbados
  • ", + "
  • Bermuda
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Canada
  • ", + "
  • Channel Islands
  • ", + "
  • Gibraltar
  • ", + "
  • Israel
  • ", + "
  • Jamaica
  • ", + "
  • Kosovo
  • ", + "
  • Mauritius
  • ", + "
  • Montenegro
  • ", + "
  • New Zealand
  • ", + "
  • North Macedonia
  • ", + "
  • the Philippines
  • ", + "
  • Serbia
  • ", + "
  • Turkey
  • ", + "
  • USA
  • ", + "

    You may be able to claim certain benefits in these countries but it will depend on the particular country.

    ", + "

    Jobseeker's Allowance

    ", + "

    There are 3 different types of Jobseeker\u2019s Allowance (JSA):

    ", + "
  • \u2018new style\u2019 JSA
  • ", + "
  • contribution-based JSA
  • ", + "
  • income-based JSA
  • ", + "

    You cannot get income-based JSA abroad.

    ", + "

    You may get \u2018new style\u2019 JSA or contribution-based JSA in the European Economic Area (EEA) or Switzerland for up to 3 months if you:

    ", + "
  • are entitled to it on the day you go abroad
  • ", + "
  • register as a jobseeker at least 4 weeks before you leave
  • ", + "
  • are looking for work in the UK up to the day you leave
  • ", + "
  • are going abroad to look for work
  • ", + "
  • register at the equivalent of a Jobcentre in the country you\u2019re going to
  • ", + "
  • follow the other country\u2019s rules on registering and looking for work
  • ", + "
  • are covered by the Withdrawal Agreement
  • ", + "

    Find out if you can get JSA in the EEA or Switzerland.

    ", + "

    Moving to a country not in the EEA

    ", + "

    Some countries outside the EEA have social security agreements with the UK. This means that if you\u2019ve paid enough National Insurance contributions in the UK, you may be able to get unemployment benefits in:

    ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Channel Islands
  • ", + "
  • Kosovo
  • ", + "
  • Macedonia
  • ", + "
  • Montenegro
  • ", + "
  • New Zealand
  • ", + "
  • Serbia
  • ", + "

    Help and advice on JSA

    ", + "

    Maternity and childcare benefits

    ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    If you work for a UK employer in the European Economic Area (EEA) or Switzerland, you may get SMP as long as you\u2019re eligible.

    ", + "

    Find out if you can get Statutory Maternity Pay in the EEA or Switzerland.

    ", + "

    If you work in a different country, you can still get SMP as long as your employer pays UK National Insurance contributions for you.

    ", + "

    Talk to your employer about claiming SMP.

    ", + "

    Maternity Allowance

    ", + "

    If you cannot get SMP, you might be eligible for Maternity Allowance.

    ", + "

    If you\u2019re eligible, you may get Maternity Allowance in an EEA country or Switzerland.

    ", + "

    Find out if you can get Maternity Allowance in the EEA or Switzerland.

    ", + "

    You may also be able to claim it in:

    ", + "
  • Barbados
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Channel Islands
  • ", + "
  • Gibraltar
  • ", + "
  • Israel
  • ", + "
  • Kosovo
  • ", + "
  • Macedonia
  • ", + "
  • Montenegro
  • ", + "
  • Serbia
  • ", + "
  • Turkey
  • ", + "

    Ask your local Jobcentre Plus for more information.

    ", + "

    Child-related benefits

    ", + "

    You may also get the following in an EEA country or Switzerland if you\u2019re eligible:

    ", + "
  • Child Benefit
  • ", + "
  • tax credits
  • ", + "
  • Guardian\u2019s Allowance (you can claim this if you\u2019re getting Child Benefit for a child whose parents have both died)
  • ", + "

    Illness and injury benefits

    ", + "

    Statutory Sick Pay (SSP)

    ", + "

    You can get SSP if you\u2019re eligible and either of the following apply:

    ", + "
  • you work for a UK employer in the European Economic Area (EEA) or Switzerland
  • ", + "
  • you work outside the EEA and your employer pays National Insurance contributions for you
  • ", + "

    Contact your employer to claim SSP.

    ", + "

    Employment and Support Allowance (ESA)

    ", + "

    You can get ESA for up to 4 weeks if you go abroad. Talk to your local Jobcentre Plus before you go.

    ", + "

    Going abroad for more than 4 weeks but less than a year

    ", + "

    Tell your local Jobcentre Plus if you\u2019re going abroad for more than 4 weeks.

    ", + "

    You can carry on getting contribution-based ESA for up to 26 weeks if you\u2019re going abroad for medical treatment for yourself or your child.

    ", + "

    It does not matter which country you go to.

    ", + "

    Going abroad for more than a year

    ", + "

    You may get contribution-based ESA in the EEA or Switzerland if you:

    ", + "
  • are eligible
  • ", + "
  • have paid enough National Insurance contributions
  • ", + "
  • are covered by the Withdrawal Agreement
  • ", + "

    Find out if you can get contribution-based ESA in the EEA or Switzerland.

    ", + "

    Help and advice on ESA

    ", + "

    Industrial Injuries Disablement Benefit (IIDB)

    ", + "

    If you\u2019re getting Industrial Injuries Benefit for work-related accidents and illnesses, you can still get this abroad.

    ", + "

    Contact the office dealing with your benefit if you\u2019re still in the UK, or the International Pension Centre if you\u2019re living abroad.

    ", + "

    Help and advice on IIDB

    ", + "

    Benefits for carers and people with disabilities

    ", + "

    What you can claim depends on:

    ", + "
  • which benefit you\u2019re claiming
  • ", + "
  • where you\u2019re going and for how long
  • ", + "

    Going abroad temporarily

    ", + "

    You can claim the following benefits if you\u2019re going abroad for up to 13 weeks (or 26 weeks if it\u2019s for medical treatment):

    ", + "
  • Attendance Allowance
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Personal Independence Payment
  • ", + "

    You can carry on claiming Carer\u2019s Allowance if you take up to 4 weeks holiday out of a 26-week period.

    ", + "

    Tell the office that deals with your benefit that you\u2019ll be away.

    ", + "

    Going abroad permanently to an EEA country or Switzerland

    ", + "

    You or a family member may be able to claim benefits if you:

    ", + "
  • work in the UK or pay National Insurance in the UK because of work
  • ", + "
  • have paid enough National Insurance to qualify for contribution-based benefits
  • ", + "
  • are getting State Pension, Industrial Injuries Benefit, contribution-based ESA or bereavement benefits
  • ", + "
  • are covered by the Withdrawal Agreement
  • ", + "

    If you\u2019re eligible then you may be able to claim:

    ", + "
  • Disability Living Allowance care component
  • ", + "
  • Personal Independence Payment living component
  • ", + "
  • Attendance Allowance or Carer\u2019s Allowance
  • ", + "

    You cannot claim Disability Living Allowance mobility component and Personal Independence Payment mobility component abroad.

    ", + "

    Find out if you can get benefits in an EEA country or Switzerland.

    ", + "

    If you already live in an EEA country or Switzerland

    ", + "

    You do not need to have claimed in the UK before you moved. But you must:

    ", + "
  • be habitually resident in the EEA country or Switzerland
  • ", + "
  • have a genuine link with the UK social security system, for example you\u2019ve lived or worked in the UK
  • ", + "
  • be covered by the Withdrawal Agreement
  • ", + "

    Find out if you can get benefits in an EEA country or Switzerland.

    ", + "

    Make a claim or change your details

    ", + "

    To make a claim or change any personal details, such as your address or bank account, write to the Exportability Team that deals with the benefit you are claiming.

    ", + "

    If you\u2019re making a claim, your letter should say:

    ", + "
  • what benefits you want to claim
  • ", + "
  • where you live
  • ", + "

    Attendance Allowance Exportability Team

    ", + "

    Disability Living Allowance Exportability Team

    ", + "

    Personal Independence Payment 7 Exportability Team

    ", + "

    Carer\u2019s Allowance

    ", + "

    You can claim Carer\u2019s Allowance or report a change of circumstances online.

    ", + "

    You can also write to the Carers Allowance Exportability Team.

    ", + "

    Help and advice

    ", + "

    Contact the Disability Benefits Exportability Team about Disability Living Allowance, Attendance Allowance and Personal Independence Payment.

    ", + "

    If you have a general enquiry about Carer\u2019s Allowance, contact the Carer\u2019s Allowance Unit.

    ", + "

    If you\u2019re a British Sign Language (BSL) user, you can use the video relay service. It\u2019s available Monday to Friday, 8am to 6pm - check you can use the service.

    ", + "

    Winter Fuel Payments

    ", + "

    You may be able to claim a Winter Fuel Payment if all of the following apply:

    ", + "
  • you were born on or before 5 October 1954
  • ", + "
  • you live in Switzerland or a European Economic Area (EEA) country (except for Cyprus, France, Gibraltar, Greece, Malta, Portugal or Spain)
  • ", + "
  • you have a genuine and sufficient link to the UK - this can include having lived or worked in the UK, and having family in the UK
  • ", + "
  • you\u2019re covered by the Withdrawal Agreement
  • ", + "

    You do not need to have claimed Winter Fuel Payments in the UK before you go abroad.

    ", + "

    Find out if you can get Winter Fuel Payments in an EEA country or Switzerland.

    ", + "

    Bereavement benefits

    ", + "

    If you\u2019re already getting a bereavement benefit when you move abroad, you\u2019ll still get it - it does not matter where you move to.

    ", + "

    You may be able to make a new claim if you live in certain countries outside the UK.

    ", + "

    European Economic Area (EEA) countries, Switzerland and Gibraltar

    ", + "

    If you live in an EEA country, Switzerland or Gibraltar, and you\u2019re eligible, you may be able to claim the following:

    ", + "
  • Bereavement Support Payment
  • ", + "
  • Widowed Parent\u2019s Allowance
  • ", + "

    Find out if you can get bereavement benefits in an EEA country or Switzerland.

    ", + "

    Countries outside the EEA

    ", + "

    You may also be able to claim bereavement benefits in some countries outside the EEA.

    ", + "

    Bereavement Support Payment:

    ", + "
  • Barbados
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Channel Islands
  • ", + "
  • Israel
  • ", + "
  • Jamaica
  • ", + "
  • Kosovo
  • ", + "
  • Macedonia
  • ", + "
  • Montenegro
  • ", + "
  • New Zealand
  • ", + "
  • the Philippines
  • ", + "
  • Serbia
  • ", + "
  • Turkey
  • ", + "
  • USA
  • ", + "

    Widowed Parent\u2019s Allowance:

    ", + "
  • Barbados
  • ", + "
  • Bermuda
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Channel Islands
  • ", + "
  • Israel
  • ", + "
  • Jamaica
  • ", + "
  • Kosovo
  • ", + "
  • Macedonia
  • ", + "
  • Mauritius
  • ", + "
  • Montenegro
  • ", + "
  • New Zealand
  • ", + "
  • the Philippines
  • ", + "
  • Serbia
  • ", + "
  • Turkey
  • ", + "
  • USA
  • ", + "

    The rate and eligibility criteria may vary between countries.

    ", + "

    Help and advice on bereavement benefits

    " + ] + }, + "https://www.gov.uk/benefits-and-prison": { + "url": "https://www.gov.uk/benefits-and-prison", + "title": "Benefits and prison", + "content": "## Overview\n\nBenefit payments and entitlement may change or stop if you, your partner or your child is:\n\n- sent to prison or a young offenders\u2019 institution\n\n- in custody awaiting trial (on remand)\n\nYou must tell the Tax Credit Office about prison sentences.\n\nYou cannot claim State Pension while you\u2019re in prison.\n\n## If you\u2019re in prison or on remand\n\nYou can get help from a benefits adviser to suspend or close down benefits you\u2019re no longer able to claim if you go to prison or on remand.\n\n## If your partner or child is in prison or on remand\n\nIf your partner or child has gone to prison or is on remand, you must tell whoever pays your benefits and find out:\n\n- if your benefit claims will be affected\n\n- if you can claim other benefits\n\nYou may still be entitled to benefits if your partner has gone to prison, as long as you satisfy the benefit entitlement conditions in your own right.\n\n## Benefits that stop or are suspended\n\nYour entitlement to benefit stops if you go to prison, apart from:\n\n- Housing Benefit\nfor shorter sentences\n\n- help with council tax if you\u2019re eligible\n\n- tax credits and Child Benefit, in some cases\n\n- Industrial Injuries Disabled Benefit, which is suspended\n\nYou\u2019ll stop getting Carer\u2019s Allowance if the person you care for goes to prison or is on remand.\n\n## Benefits while on remand\n\nIf you\u2019re on remand, you cannot claim:\n\n- Jobseeker\u2019s Allowance\n\n- Income Support - apart from help with housing costs\n\n- Working Tax Credit - although your partner may be able to claim for an absent partner\n\n- Disability Living Allowance\n\n- Employment and Support Allowance or Incapacity Benefit\n\n- Attendance Allowance\n\n- Pension Credit - apart from help with housing costs\n\n- Industrial Injuries Disablement Benefit\n\nYou will not be entitled to Statutory Sick Pay or Statutory Maternity Pay from your employer.\n\n## Benefit arrears\n\nIf you\u2019re owed any benefit arrears at the time you\u2019re sent to prison or on remand, you can make a request in writing for these to be paid to someone else.\n\n## Benefit arrears if you\u2019re not convicted\n\nIf you\u2019re not convicted, you can get benefit arrears for:\n\n- Contributory Employment and Support Allowance\n\n- Incapacity Benefit\n\n## Benefit arrears if you\u2019re convicted\n\nIf you\u2019re sent to prison and claim Industrial Injuries Disablement Benefit, you may be entitled to up to a year\u2019s arrears whenever you\u2019re released.\n\n## Claiming benefits on release\n\nIf you\u2019re entitled to benefits, you can put in new claims as soon as you leave prison. You may also be able to get other financial and practical support.\n\nYou cannot claim Job Seeker\u2019s Allowance if you\u2019re released on temporary licence (ROTL).\n\n## Housing Benefit\n\nYou may be able to continue getting Housing Benefit or make a claim for the first time if you go to prison or are on remand.\n\n## Making a new Housing Benefit claim\n\nYou can only make a new claim for Housing Benefit if one of the following is true:\n\n- you have reached State Pension age\n\n- you live in temporary accommodation\n\n- you live in sheltered or supported housing with special facilities such as alarms or wardens\n\n## When you will not be able to claim\n\nYou will not be entitled to claim Housing Benefit if:\n\n- you\u2019re likely to be on remand for more than 52 weeks\n\n- you\u2019re likely to be in prison for more than 13 weeks (including any time on remand)\n\n- you\u2019re not intending to return home on release\n\n- you\u2019re claiming as a couple and you\u2019ve split up\n\n- the property is going to be rented out\n\n## On remand\n\n## If you\u2019re single\n\nYou can claim Housing Benefit payments for up to 52 weeks while you\u2019re on remand, if you\u2019re likely to return home in a year or less.\n\n## If you\u2019re in a couple\n\nYou can claim joint Housing Benefit for up to 52 weeks while one of you is on remand, if it\u2019s likely to be for a year or less.\n\n## If your child is on remand\n\nYour Housing Benefit payments can continue for up to 52 weeks if your child\u2019s on remand, if they\u2019re likely to be away for a year or less.\n\n## In prison\n\n## If you\u2019re single\n\nYou can claim Housing Benefit for up to 13 weeks if you\u2019re single and go to prison and are likely to return home in 13 weeks or less - including any time on remand.\n\n## If you\u2019re in a couple\n\nYou can claim joint Housing Benefit for up to 13 weeks if one of you has gone to prison and is likely to return home in 13 weeks or less - including any time on remand.\n\nIf your partner\u2019s been the one claiming Housing Benefit and goes to prison, you may be able to claim it instead. You may need to have your name added to the tenancy agreement, if it\u2019s not there already.\n\n## If your child is in prison\n\nIf your child goes to prison, you\u2019ll need to contact your local council to see if your Housing Benefit entitlement will change. For example, if you rent from a private landlord, the amount of benefit paid is limited, depending on who\u2019s living with you.\n\n## Council Tax exemption and reduction\n\nYou will not count as an adult living in a property for Council Tax if you\u2019re in prison or on remand.\n\n## If you\u2019re single\n\nYou can apply for your home to be exempt from Council Tax if you\u2019re single, in prison or on remand, and there\u2019s no one living there.\n\nYour home will not be exempt if you\u2019re in prison for not paying Council Tax or a fine for not paying it.\n\n## If you\u2019re in a couple\n\n## On remand\n\nYou can apply or continue to get joint Council Tax Reduction if your partner\u2019s on remand and is expected home in a year or less.\n\n## In prison\n\nYou can claim or continue to claim joint Council Tax Reduction if your partner\u2019s expected to be in prison for 13 weeks or less \u2013 including any time on remand.\n\n## Making a new claim\n\nYou\u2019ll get a 25% discount off your Council Tax bill if your partner\u2019s going to be absent for more than 13 weeks and you\u2019re the only adult in the property. You may be able to apply for Council Tax Reduction if you do not already get it.\n\n## Tax Credits\n\n## Reporting changes\n\nYou must tell the Tax Credit Office about changes that affect your tax credits. They\u2019ll tell you what happens next.\n\n## Working Tax Credit\n\n## If you\u2019re single\n\nYour Working Tax Credit will stop if you\u2019re single and:\n\n- you\u2019re on on remand\n\n- you\u2019re sent to prison\n\n- you\u2019re sent to a young offenders\u2019 institution\n\n## If you\u2019re in a couple\n\nYou may be able to continue claiming Working Tax Credit if you\u2019re in a couple and your partner goes to prison for a year or less.\n\nYou must work a certain number of hours a week to qualify.\n\nAny work you do while you\u2019re serving a sentence or on remand will not be counted.\n\n## Child Tax Credit\n\n## If you\u2019re single and you go to prison\n\nYour Child Tax Credit may stop if you\u2019re single with children and go to prison. The Tax Credit Office will decide by looking at:\n\n- whether you\u2019re still responsible for your child\n\n- how long you\u2019re in prison for\n\n- if you\u2019re still in regular contact\n\n- if your child\u2019s with you in prison\n\nThe person looking after your child or children may be able to claim Child Tax Credit if you cannot.\n\n## If you\u2019re in a couple and one of you goes to prison\n\nYour Child Tax Credit will continue if you\u2019re in a couple and one of you goes on remand or to prison.\n\n## If your child goes to prison\n\nYou\u2019ll still get Child Tax Credit if your child goes to prison for 4 months or less.\n\nYou will not get Child Tax Credit for your child\u2019s sentence if it\u2019s more than 4 months.\n\n## Child Benefit\n\nYou can continue to claim Child Benefit when you\u2019re in prison if:\n\n- your child is with you in prison\n\n- the child you\u2019re claiming for for is living with someone else and you pay an equivalent sum to them\n\nYou can also ask to transfer the Child Benefit payment to someone else.\n\nIf your child is being cared for by the local council, your Child Benefit payments will stop after 8 weeks.\n\n## If your child goes to prison or is on remand\n\nYour Child Benefit payments will stop after 8 weeks if your child goes to prison or is on remand. You\u2019ll get arrears if they\u2019re cleared of the offence.\n\n## Looking after someone else\u2019s child\n\nYou may be able to claim Child Benefit and Guardian\u2019s Allowance if you look after your partner\u2019s child or someone else\u2019s child while they\u2019re in prison.\n\nYou may also be able to to claim Child Tax Credit.\n\n## Support for Mortgage Interest\n\nSupport for Mortgage Interest (SMI) is no longer a benefit. It\u2019s now only available as a loan.\n\nYou cannot get an SMI loan if you\u2019re serving a prison sentence but your partner might be able to claim instead.\n\nYour partner\u2019s name may not have to be on the mortgage to be able to claim.\n\n## Getting an SMI loan while on remand\n\nIf you\u2019re single and on remand, you may be able to continue getting SMI loan payments if you meet the eligibility conditions.\n\nYou cannot get an SMI loan or Income Support if you\u2019re part of a couple and on remand, but your partner can claim benefit and housing costs.\n\n## Eligibility\n\nIf you\u2019re on remand, you must be getting Pension Credit or Income Support to get an SMI loan.\n\nYou\u2019ll need to apply for one of these benefits if you\u2019ve previously qualified for SMI by getting Income-based Job Seeker\u2019s Allowance or Employment and Support allowance.\n\nYou\u2019ll only be able to get SMI loan payments - you will not be paid Pension Credit or Income Support.\n\nIf you get Income Support and have accepted an offer of an SMI loan, you can only get loan payments after you\u2019ve been receiving the benefit for 39 consecutive weeks.", + "original_contents": [ + "

    Overview

    ", + "

    Benefit payments and entitlement may change or stop if you, your partner or your child is:

    ", + "
  • sent to prison or a young offenders\u2019 institution
  • ", + "
  • in custody awaiting trial (on remand)
  • ", + "

    You must tell the Tax Credit Office about prison sentences.

    ", + "

    You cannot claim State Pension while you\u2019re in prison.

    ", + "

    If you\u2019re in prison or on remand

    ", + "

    You can get help from a benefits adviser to suspend or close down benefits you\u2019re no longer able to claim if you go to prison or on remand.

    ", + "

    If your partner or child is in prison or on remand

    ", + "

    If your partner or child has gone to prison or is on remand, you must tell whoever pays your benefits and find out:

    ", + "
  • if your benefit claims will be affected
  • ", + "
  • if you can claim other benefits
  • ", + "

    You may still be entitled to benefits if your partner has gone to prison, as long as you satisfy the benefit entitlement conditions in your own right.

    ", + "

    Benefits that stop or are suspended

    ", + "

    Your entitlement to benefit stops if you go to prison, apart from:

    ", + "
  • Housing Benefit\nfor shorter sentences
  • ", + "
  • help with council tax if you\u2019re eligible
  • ", + "
  • tax credits and Child Benefit, in some cases
  • ", + "
  • Industrial Injuries Disabled Benefit, which is suspended
  • ", + "

    You\u2019ll stop getting Carer\u2019s Allowance if the person you care for goes to prison or is on remand.

    ", + "

    Benefits while on remand

    ", + "

    If you\u2019re on remand, you cannot claim:

    ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Income Support - apart from help with housing costs
  • ", + "
  • Working Tax Credit - although your partner may be able to claim for an absent partner
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Employment and Support Allowance or Incapacity Benefit
  • ", + "
  • Attendance Allowance
  • ", + "
  • Pension Credit - apart from help with housing costs
  • ", + "
  • Industrial Injuries Disablement Benefit
  • ", + "

    You will not be entitled to Statutory Sick Pay or Statutory Maternity Pay from your employer.

    ", + "

    Benefit arrears

    ", + "

    If you\u2019re owed any benefit arrears at the time you\u2019re sent to prison or on remand, you can make a request in writing for these to be paid to someone else.

    ", + "

    Benefit arrears if you\u2019re not convicted

    ", + "

    If you\u2019re not convicted, you can get benefit arrears for:

    ", + "
  • Contributory Employment and Support Allowance
  • ", + "
  • Incapacity Benefit
  • ", + "

    Benefit arrears if you\u2019re convicted

    ", + "

    If you\u2019re sent to prison and claim Industrial Injuries Disablement Benefit, you may be entitled to up to a year\u2019s arrears whenever you\u2019re released.

    ", + "

    Claiming benefits on release

    ", + "

    If you\u2019re entitled to benefits, you can put in new claims as soon as you leave prison. You may also be able to get other financial and practical support.

    ", + "

    You cannot claim Job Seeker\u2019s Allowance if you\u2019re released on temporary licence (ROTL).

    ", + "

    Housing Benefit

    ", + "

    You may be able to continue getting Housing Benefit or make a claim for the first time if you go to prison or are on remand.

    ", + "

    Making a new Housing Benefit claim

    ", + "

    You can only make a new claim for Housing Benefit if one of the following is true:

    ", + "
  • you have reached State Pension age
  • ", + "
  • you live in temporary accommodation
  • ", + "
  • you live in sheltered or supported housing with special facilities such as alarms or wardens
  • ", + "

    When you will not be able to claim

    ", + "

    You will not be entitled to claim Housing Benefit if:

    ", + "
  • you\u2019re likely to be on remand for more than 52 weeks
  • ", + "
  • you\u2019re likely to be in prison for more than 13 weeks (including any time on remand)
  • ", + "
  • you\u2019re not intending to return home on release
  • ", + "
  • you\u2019re claiming as a couple and you\u2019ve split up
  • ", + "
  • the property is going to be rented out
  • ", + "

    On remand

    ", + "

    If you\u2019re single

    ", + "

    You can claim Housing Benefit payments for up to 52 weeks while you\u2019re on remand, if you\u2019re likely to return home in a year or less.

    ", + "

    If you\u2019re in a couple

    ", + "

    You can claim joint Housing Benefit for up to 52 weeks while one of you is on remand, if it\u2019s likely to be for a year or less.

    ", + "

    If your child is on remand

    ", + "

    Your Housing Benefit payments can continue for up to 52 weeks if your child\u2019s on remand, if they\u2019re likely to be away for a year or less.

    ", + "

    In prison

    ", + "

    If you\u2019re single

    ", + "

    You can claim Housing Benefit for up to 13 weeks if you\u2019re single and go to prison and are likely to return home in 13 weeks or less - including any time on remand.

    ", + "

    If you\u2019re in a couple

    ", + "

    You can claim joint Housing Benefit for up to 13 weeks if one of you has gone to prison and is likely to return home in 13 weeks or less - including any time on remand.

    ", + "

    If your partner\u2019s been the one claiming Housing Benefit and goes to prison, you may be able to claim it instead. You may need to have your name added to the tenancy agreement, if it\u2019s not there already.

    ", + "

    If your child is in prison

    ", + "

    If your child goes to prison, you\u2019ll need to contact your local council to see if your Housing Benefit entitlement will change. For example, if you rent from a private landlord, the amount of benefit paid is limited, depending on who\u2019s living with you.

    ", + "

    Council Tax exemption and reduction

    ", + "

    You will not count as an adult living in a property for Council Tax if you\u2019re in prison or on remand.

    ", + "

    If you\u2019re single

    ", + "

    You can apply for your home to be exempt from Council Tax if you\u2019re single, in prison or on remand, and there\u2019s no one living there.

    ", + "

    Your home will not be exempt if you\u2019re in prison for not paying Council Tax or a fine for not paying it.

    ", + "

    If you\u2019re in a couple

    ", + "

    On remand

    ", + "

    You can apply or continue to get joint Council Tax Reduction if your partner\u2019s on remand and is expected home in a year or less.

    ", + "

    In prison

    ", + "

    You can claim or continue to claim joint Council Tax Reduction if your partner\u2019s expected to be in prison for 13 weeks or less \u2013 including any time on remand.

    ", + "

    Making a new claim

    ", + "

    You\u2019ll get a 25% discount off your Council Tax bill if your partner\u2019s going to be absent for more than 13 weeks and you\u2019re the only adult in the property. You may be able to apply for Council Tax Reduction if you do not already get it.

    ", + "

    Tax Credits

    ", + "

    Reporting changes

    ", + "

    You must tell the Tax Credit Office about changes that affect your tax credits. They\u2019ll tell you what happens next.

    ", + "

    Working Tax Credit

    ", + "

    If you\u2019re single

    ", + "

    Your Working Tax Credit will stop if you\u2019re single and:

    ", + "
  • you\u2019re on on remand
  • ", + "
  • you\u2019re sent to prison
  • ", + "
  • you\u2019re sent to a young offenders\u2019 institution
  • ", + "

    If you\u2019re in a couple

    ", + "

    You may be able to continue claiming Working Tax Credit if you\u2019re in a couple and your partner goes to prison for a year or less.

    ", + "

    You must work a certain number of hours a week to qualify.

    ", + "

    Any work you do while you\u2019re serving a sentence or on remand will not be counted.

    ", + "

    Child Tax Credit

    ", + "

    If you\u2019re single and you go to prison

    ", + "

    Your Child Tax Credit may stop if you\u2019re single with children and go to prison. The Tax Credit Office will decide by looking at:

    ", + "
  • whether you\u2019re still responsible for your child
  • ", + "
  • how long you\u2019re in prison for
  • ", + "
  • if you\u2019re still in regular contact
  • ", + "
  • if your child\u2019s with you in prison
  • ", + "

    The person looking after your child or children may be able to claim Child Tax Credit if you cannot.

    ", + "

    If you\u2019re in a couple and one of you goes to prison

    ", + "

    Your Child Tax Credit will continue if you\u2019re in a couple and one of you goes on remand or to prison.

    ", + "

    If your child goes to prison

    ", + "

    You\u2019ll still get Child Tax Credit if your child goes to prison for 4 months or less.

    ", + "

    You will not get Child Tax Credit for your child\u2019s sentence if it\u2019s more than 4 months.

    ", + "

    Child Benefit

    ", + "

    You can continue to claim Child Benefit when you\u2019re in prison if:

    ", + "
  • your child is with you in prison
  • ", + "
  • the child you\u2019re claiming for for is living with someone else and you pay an equivalent sum to them
  • ", + "

    You can also ask to transfer the Child Benefit payment to someone else.

    ", + "

    If your child is being cared for by the local council, your Child Benefit payments will stop after 8 weeks.

    ", + "

    If your child goes to prison or is on remand

    ", + "

    Your Child Benefit payments will stop after 8 weeks if your child goes to prison or is on remand. You\u2019ll get arrears if they\u2019re cleared of the offence.

    ", + "

    Looking after someone else\u2019s child

    ", + "

    You may be able to claim Child Benefit and Guardian\u2019s Allowance if you look after your partner\u2019s child or someone else\u2019s child while they\u2019re in prison.

    ", + "

    You may also be able to to claim Child Tax Credit.

    ", + "

    Support for Mortgage Interest

    ", + "

    Support for Mortgage Interest (SMI) is no longer a benefit. It\u2019s now only available as a loan.

    ", + "

    You cannot get an SMI loan if you\u2019re serving a prison sentence but your partner might be able to claim instead.

    ", + "

    Your partner\u2019s name may not have to be on the mortgage to be able to claim.

    ", + "

    Getting an SMI loan while on remand

    ", + "

    If you\u2019re single and on remand, you may be able to continue getting SMI loan payments if you meet the eligibility conditions.

    ", + "

    You cannot get an SMI loan or Income Support if you\u2019re part of a couple and on remand, but your partner can claim benefit and housing costs.

    ", + "

    Eligibility

    ", + "

    If you\u2019re on remand, you must be getting Pension Credit or Income Support to get an SMI loan.

    ", + "

    You\u2019ll need to apply for one of these benefits if you\u2019ve previously qualified for SMI by getting Income-based Job Seeker\u2019s Allowance or Employment and Support allowance.

    ", + "

    You\u2019ll only be able to get SMI loan payments - you will not be paid Pension Credit or Income Support.

    ", + "

    If you get Income Support and have accepted an offer of an SMI loan, you can only get loan payments after you\u2019ve been receiving the benefit for 39 consecutive weeks.

    " + ] + }, + "https://www.gov.uk/benefit-cap": { + "url": "https://www.gov.uk/benefit-cap", + "title": "Benefit cap", + "content": "## Benefits affected by the cap\n\nThe benefit cap is a limit on the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThe benefit cap affects:\n\n- Universal Credit\n\n- Bereavement Allowance\n\n- Child Benefit\n\n- Child Tax Credit\n\n- Employment and Support Allowance\n\n- Housing Benefit\n\n- Incapacity Benefit\n\n- Income Support\n\n- Jobseeker\u2019s Allowance\n\n- Maternity Allowance\n\n- Severe Disablement Allowance\n\n- Widowed Parent\u2019s Allowance (or Widowed Mother\u2019s Allowance or Widow\u2019s Pension if you started getting it before 9 April 2001)\n\nYou might not be affected by the benefit cap if you get certain benefits or you\u2019re over State Pension age.\n\nIf you\u2019re claiming Universal Credit the benefit cap might not start for 9 months, depending on your earnings.\n\n## When you're not affected\n\nYou\u2019re not affected by the cap if you\u2019re over State Pension age. If you\u2019re part of a couple and one of you is under State Pension age, the cap may apply.\n\nYou\u2019re not affected by the cap if you or your partner:\n\n- get Working Tax Credit (even if the amount you get is \u00a30)\n\n- get Universal Credit because of a disability or health condition that stops you from working (this is called \u2018limited capability for work and work-related activity\u2019)\n\n- get Universal Credit because you care for someone with a disability\n\n- get Universal Credit and you and your partner earn \u00a3617 or more a month combined, after tax and National Insurance contributions\n\nYou\u2019re also not affected by the cap if you, your partner or any children under 18 living with you gets:\n\n- Armed Forces Compensation Scheme\n\n- Armed Forces Independence Payment\n\n- Attendance Allowance\n\n- Carer\u2019s Allowance\n\n- Disability Living Allowance (DLA)\n\n- Employment and Support Allowance (if you get the support component)\n\n- Guardian\u2019s Allowance\n\n- Industrial Injuries Benefits (and equivalent payments as part of a War Disablement Pension or the Armed Forces Compensation Scheme)\n\n- Personal Independence Payment (PIP)\n\n- War pensions\n\n- War Widow\u2019s or War Widower\u2019s Pension\n\nIf you are affected, the benefit cap might not start for 9 months - depending on your earnings.\n\n## When the benefit cap affects your Universal Credit payments\n\nThe benefit cap might not affect your Universal Credit payments for up to 9 months. This is called the \u2018grace period\u2019.\n\nYou\u2019ll get the grace period if all of the following are true:\n\n- you\u2019re claiming Universal Credit because you stopped working or your earnings went down\n\n- you\u2019re now earning less than \u00a3617 a month\n\n- in each of the 12 months before your earnings went down or you stopped working, you earned the same as or more than the earnings threshold (this was \u00a3604 up to 11 April 2021 and is \u00a3617 from 12 April 2021)\n\nYour partner\u2019s earnings will be included when working out how much you earned even if they\u2019re not claiming benefits. If you have separated from your partner, their earnings will be included for the time that you lived with them before you separated.\n\nYou need to report your last 12 months\u2019 earnings when you apply for Universal Credit to get the grace period.\n\nYou will not be affected by the benefit cap if you or your partner get Universal Credit because you have a disability or health condition or because you care for someone with a disability or you earn \u00a3617 or more between you.\n\n## How the 9 month grace period works\n\nIf you\u2019re already claiming Universal Credit, the grace period will start on the first day of the assessment period in which your earnings went below the earnings threshold. The threshold was \u00a3604 up to 11 April 2021 and is \u00a3617 from 12 April 2021.\n\nIf you\u2019re making a new claim for Universal Credit, the grace period starts from either:\n\n- the day after the last day you worked\n\n- the payday when your earnings went below the earnings threshold (this was \u00a3604 up to 11 April 2021 and is \u00a3617 from 12 April 2021)\n\nThe 9 month grace period continues if you stop claiming Universal Credit and then start again.\n\nAfter the 9 month grace period ends, the amount of Universal Credit you get will usually go down. It might not go down if your circumstances change and you are not affected by the benefit cap.\n\n## Help if you're affected by the benefit cap\n\nContact the Department for Work and Pensions (DWP) if you\u2019re affected by the benefit cap and you need help.\n\nIf you need help paying your rent or a rent deposit, contact your local council as well. They can check if you\u2019re eligible for a discretionary housing payment, which is not affected by the benefit cap.\n\n## If you get Universal Credit\n\nContact DWP either:\n\n- through the journal in your online account\n\n- by calling the Universal Credit helpline\n\n## If you get any other benefits\n\n## Benefit cap amounts\n\nThe amount you get through the benefit cap depends on whether:\n\n- you live inside or outside Greater London\n\n- you\u2019re single or in a couple\n\n- your children live with you (if you\u2019re single)\n\nIf you\u2019re in a couple but you do not live together, you\u2019ll get the amounts for a single person.\n\nUse the benefit cap calculator to find out how much your benefit might be capped.\n\n## Outside Greater London\n\nThe benefit cap outside Greater London is:\n\n- \u00a3384.62 per week (\u00a320,000 a year) if you\u2019re in a couple\n\n- \u00a3384.62 per week (\u00a320,000 a year) if you\u2019re a single parent and your children live with you\n\n- \u00a3257.69 per week (\u00a313,400 a year) if you\u2019re a single adult\n\n## Inside Greater London\n\nThe benefit cap inside Greater London is:\n\n- \u00a3442.31 per week (\u00a323,000 a year) if you\u2019re in a couple\n\n- \u00a3442.31 per week (\u00a323,000 a year) if you\u2019re a single parent and your children live with you\n\n- \u00a3296.35 per week (\u00a315,410 a year) if you\u2019re a single adult", + "original_contents": [ + "

    Benefits affected by the cap

    ", + "

    The benefit cap is a limit on the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    The benefit cap affects:

    ", + "
  • Universal Credit
  • ", + "
  • Bereavement Allowance
  • ", + "
  • Child Benefit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Employment and Support Allowance
  • ", + "
  • Housing Benefit
  • ", + "
  • Incapacity Benefit
  • ", + "
  • Income Support
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Maternity Allowance
  • ", + "
  • Severe Disablement Allowance
  • ", + "
  • Widowed Parent\u2019s Allowance (or Widowed Mother\u2019s Allowance or Widow\u2019s Pension if you started getting it before 9 April 2001)
  • ", + "

    You might not be affected by the benefit cap if you get certain benefits or you\u2019re over State Pension age.

    ", + "

    If you\u2019re claiming Universal Credit the benefit cap might not start for 9 months, depending on your earnings.

    ", + "

    When you're not affected

    ", + "

    You\u2019re not affected by the cap if you\u2019re over State Pension age. If you\u2019re part of a couple and one of you is under State Pension age, the cap may apply.

    ", + "

    You\u2019re not affected by the cap if you or your partner:

    ", + "
  • get Working Tax Credit (even if the amount you get is \u00a30)
  • ", + "
  • get Universal Credit because of a disability or health condition that stops you from working (this is called \u2018limited capability for work and work-related activity\u2019)
  • ", + "
  • get Universal Credit because you care for someone with a disability
  • ", + "
  • get Universal Credit and you and your partner earn \u00a3617 or more a month combined, after tax and National Insurance contributions
  • ", + "

    You\u2019re also not affected by the cap if you, your partner or any children under 18 living with you gets:

    ", + "
  • Armed Forces Compensation Scheme
  • ", + "
  • Armed Forces Independence Payment
  • ", + "
  • Attendance Allowance
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Disability Living Allowance (DLA)
  • ", + "
  • Employment and Support Allowance (if you get the support component)
  • ", + "
  • Guardian\u2019s Allowance
  • ", + "
  • Industrial Injuries Benefits (and equivalent payments as part of a War Disablement Pension or the Armed Forces Compensation Scheme)
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • War pensions
  • ", + "
  • War Widow\u2019s or War Widower\u2019s Pension
  • ", + "

    If you are affected, the benefit cap might not start for 9 months - depending on your earnings.

    ", + "

    When the benefit cap affects your Universal Credit payments

    ", + "

    The benefit cap might not affect your Universal Credit payments for up to 9 months. This is called the \u2018grace period\u2019.

    ", + "

    You\u2019ll get the grace period if all of the following are true:

    ", + "
  • you\u2019re claiming Universal Credit because you stopped working or your earnings went down
  • ", + "
  • you\u2019re now earning less than \u00a3617 a month
  • ", + "
  • in each of the 12 months before your earnings went down or you stopped working, you earned the same as or more than the earnings threshold (this was \u00a3604 up to 11 April 2021 and is \u00a3617 from 12 April 2021)
  • ", + "

    Your partner\u2019s earnings will be included when working out how much you earned even if they\u2019re not claiming benefits. If you have separated from your partner, their earnings will be included for the time that you lived with them before you separated.

    ", + "

    You need to report your last 12 months\u2019 earnings when you apply for Universal Credit to get the grace period.

    ", + "

    You will not be affected by the benefit cap if you or your partner get Universal Credit because you have a disability or health condition or because you care for someone with a disability or you earn \u00a3617 or more between you.

    ", + "

    How the 9 month grace period works

    ", + "

    If you\u2019re already claiming Universal Credit, the grace period will start on the first day of the assessment period in which your earnings went below the earnings threshold. The threshold was \u00a3604 up to 11 April 2021 and is \u00a3617 from 12 April 2021.

    ", + "

    If you\u2019re making a new claim for Universal Credit, the grace period starts from either:

    ", + "
  • the day after the last day you worked
  • ", + "
  • the payday when your earnings went below the earnings threshold (this was \u00a3604 up to 11 April 2021 and is \u00a3617 from 12 April 2021)
  • ", + "

    The 9 month grace period continues if you stop claiming Universal Credit and then start again.

    ", + "

    After the 9 month grace period ends, the amount of Universal Credit you get will usually go down. It might not go down if your circumstances change and you are not affected by the benefit cap.

    ", + "

    Help if you're affected by the benefit cap

    ", + "

    Contact the Department for Work and Pensions (DWP) if you\u2019re affected by the benefit cap and you need help.

    ", + "

    If you need help paying your rent or a rent deposit, contact your local council as well. They can check if you\u2019re eligible for a discretionary housing payment, which is not affected by the benefit cap.

    ", + "

    If you get Universal Credit

    ", + "

    Contact DWP either:

    ", + "
  • through the journal in your online account
  • ", + "
  • by calling the Universal Credit helpline
  • ", + "

    If you get any other benefits

    ", + "

    Benefit cap amounts

    ", + "

    The amount you get through the benefit cap depends on whether:

    ", + "
  • you live inside or outside Greater London
  • ", + "
  • you\u2019re single or in a couple
  • ", + "
  • your children live with you (if you\u2019re single)
  • ", + "

    If you\u2019re in a couple but you do not live together, you\u2019ll get the amounts for a single person.

    ", + "

    Use the benefit cap calculator to find out how much your benefit might be capped.

    ", + "

    Outside Greater London

    ", + "

    The benefit cap outside Greater London is:

    ", + "
  • \u00a3384.62 per week (\u00a320,000 a year) if you\u2019re in a couple
  • ", + "
  • \u00a3384.62 per week (\u00a320,000 a year) if you\u2019re a single parent and your children live with you
  • ", + "
  • \u00a3257.69 per week (\u00a313,400 a year) if you\u2019re a single adult
  • ", + "

    Inside Greater London

    ", + "

    The benefit cap inside Greater London is:

    ", + "
  • \u00a3442.31 per week (\u00a323,000 a year) if you\u2019re in a couple
  • ", + "
  • \u00a3442.31 per week (\u00a323,000 a year) if you\u2019re a single parent and your children live with you
  • ", + "
  • \u00a3296.35 per week (\u00a315,410 a year) if you\u2019re a single adult
  • " + ] + }, + "https://www.gov.uk/mandatory-reconsideration": { + "url": "https://www.gov.uk/mandatory-reconsideration", + "title": "Challenge a benefit decision (mandatory reconsideration)", + "content": "## Eligibility\n\nIf you disagree with a decision about benefits, tax credits or child maintenance you can ask for the decision to be looked at again - this is called \u2018mandatory reconsideration\u2019.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can do this if any of the following apply:\n\n- you think the office dealing with your claim has made an error or missed important evidence\n\n- you disagree with the reasons for the decision\n\n- you want to have the decision looked at again\n\nSome decisions cannot be reconsidered. Others can go straight to an appeal. Your original decision letter will say if this applies to you.\n\nYou need to ask for mandatory reconsideration within one month of the date of the decision.\n\n## Benefits this applies to\n\nYou can ask for mandatory reconsideration for benefits including:\n\n- Attendance Allowance\n\n- Bereavement Allowance\n\n- Carer\u2019s Allowance\n\n- Carer\u2019s Credit\n\n- child maintenance (sometimes known as \u2018child support\u2019)\n\n- Compensation Recovery Scheme (including NHS recovery claims)\n\n- Diffuse Mesotheliomia Payment Scheme\n\n- Disability Living Allowance\n\n- Employment and Support Allowance (ESA)\n\n- Funeral Expenses Payment\n\n- Income Support\n\n- Industrial Injuries Disablement Benefit\n\n- Jobseeker\u2019s Allowance (JSA)\n\n- Maternity Allowance\n\n- Pension Credit\n\n- Personal Independence Payment (PIP)\n\n- Sure Start Maternity Grant\n\n- Universal Credit (including advance payments)\n\n- Winter Fuel Payment\n\nThere\u2019s a different process for Child Benefit, Tax-Free Childcare and 30 hours free childcare, Guardian\u2019s Allowance, tax credits, Housing Benefit and Vaccine Damage Payment.\n\n## How to ask for mandatory reconsideration\n\nContact the benefits office that gave you the decision. You can contact them:\n\n- by phone\n\n- by letter\n\n- by filling in and returning a form\n\nThe contact details are on your decision letter.\n\nYou need to ask for mandatory reconsideration within one month of the date on your decision letter. If you\u2019re writing, the letter or form must arrive by then.\n\nIf you do not have your decision letter, contact the office where you applied for the benefit.\n\nThere\u2019s a different process for Child Benefit, Tax-Free Childcare and 30 hours free childcare, Guardian\u2019s Allowance, tax credits, Housing Benefit and Vaccine Damage Payment.\n\n## If you get Universal Credit\n\nIf you get Universal Credit you can use your journal to ask for mandatory reconsideration.\n\nIf you\u2019re unable to use your journal, you can ask for mandatory reconsideration in any of the following ways:\n\n- writing to the address on your decision letter\n\n- filling in and returning a form\n\n- calling the Universal Credit helpline\n\n## Before you ask for mandatory reconsideration\n\nIf you\u2019re not sure whether to ask for mandatory reconsideration or what evidence to give, call the benefits office dealing with your claim. They\u2019ll be able to explain the reason for your benefit decision and answer any questions.\n\nYou can still ask for mandatory reconsideration after you\u2019ve spoken to your benefits office.\n\n## If you want an explanation in writing\n\nYou can ask for a written explanation from the benefits office dealing with your claim - known as a \u2018written statement of reasons\u2019.\n\nYou do not need to do this for Personal Independence Payment - your decision letter will include a written statement.\n\nYou can still ask for mandatory reconsideration, but must do this within 14 days of the date on your written statement of reasons.\n\n## Applying after one month\n\nYou can ask for mandatory reconsideration after this but it must be for a good reason, for example if you\u2019ve been in hospital or had a bereavement. You must explain why your request is late.\n\nCall the phone number on your decision letter first.\n\n## What you need to provide\n\nYou need to give:\n\n- the date of the original benefit decision\n\n- your name and address\n\n- your date of birth\n\n- your National Insurance number\n\nExplain what part of the decision is wrong and why.\n\n## If you want to send evidence\n\nThis needs to shows why the decision was wrong. It could, for example, be:\n\n- new medical evidence\n\n- reports or care plans from specialists, therapists or nurses\n\n- bank statements or payslips\n\nOnly include evidence you have not already sent.\n\nWrite your full name, date of birth and National Insurance number at the top of each bit of evidence and send it to the benefit office where you applied for your benefit.\n\nYou cannot claim back the cost of any evidence you pay for.\n\nIt will not help your claim to include:\n\n- general information about your condition - for example factsheets, medical certificates or sick notes\n\n- appointment cards or letters about medical appointments, unless you could not claim your benefit because you were at the appointment\n\n- letters about tests that you\u2019re due to have\n\nIf you\u2019re not sure what evidence to send, read the guidance for the request form. You can also call the number on your decision letter.\n\n## What happens next\n\nThe benefits office that gave you the original benefit decision will reconsider it - you\u2019ll get a \u2018mandatory reconsideration notice\u2019 telling you whether they\u2019ve changed the decision. It\u2019ll explain the reasons for that decision and the evidence it was based on.\n\nYour benefit may increase, decrease, stop or stay the same following mandatory reconsideration.\n\n## If you disagree with the outcome\n\nYou can appeal to the Social Security and Child Support Tribunal if you think the decision in the mandatory reconsideration notice is wrong. The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\nYou usually need to do this within one month of the date of your mandatory reconsideration notice.\n\nYou cannot appeal to the Social Security and Child Support Tribunal until you get your mandatory reconsideration notice.", + "original_contents": [ + "

    Eligibility

    ", + "

    If you disagree with a decision about benefits, tax credits or child maintenance you can ask for the decision to be looked at again - this is called \u2018mandatory reconsideration\u2019.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You can do this if any of the following apply:

    ", + "
  • you think the office dealing with your claim has made an error or missed important evidence
  • ", + "
  • you disagree with the reasons for the decision
  • ", + "
  • you want to have the decision looked at again
  • ", + "

    Some decisions cannot be reconsidered. Others can go straight to an appeal. Your original decision letter will say if this applies to you.

    ", + "

    You need to ask for mandatory reconsideration within one month of the date of the decision.

    ", + "

    Benefits this applies to

    ", + "

    You can ask for mandatory reconsideration for benefits including:

    ", + "
  • Attendance Allowance
  • ", + "
  • Bereavement Allowance
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Carer\u2019s Credit
  • ", + "
  • child maintenance (sometimes known as \u2018child support\u2019)
  • ", + "
  • Compensation Recovery Scheme (including NHS recovery claims)
  • ", + "
  • Diffuse Mesotheliomia Payment Scheme
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Employment and Support Allowance (ESA)
  • ", + "
  • Funeral Expenses Payment
  • ", + "
  • Income Support
  • ", + "
  • Industrial Injuries Disablement Benefit
  • ", + "
  • Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • Maternity Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • Sure Start Maternity Grant
  • ", + "
  • Universal Credit (including advance payments)
  • ", + "
  • Winter Fuel Payment
  • ", + "

    There\u2019s a different process for Child Benefit, Tax-Free Childcare and 30 hours free childcare, Guardian\u2019s Allowance, tax credits, Housing Benefit and Vaccine Damage Payment.

    ", + "

    How to ask for mandatory reconsideration

    ", + "

    Contact the benefits office that gave you the decision. You can contact them:

    ", + "
  • by phone
  • ", + "
  • by letter
  • ", + "
  • by filling in and returning a form
  • ", + "

    The contact details are on your decision letter.

    ", + "

    You need to ask for mandatory reconsideration within one month of the date on your decision letter. If you\u2019re writing, the letter or form must arrive by then.

    ", + "

    If you do not have your decision letter, contact the office where you applied for the benefit.

    ", + "

    There\u2019s a different process for Child Benefit, Tax-Free Childcare and 30 hours free childcare, Guardian\u2019s Allowance, tax credits, Housing Benefit and Vaccine Damage Payment.

    ", + "

    If you get Universal Credit

    ", + "

    If you get Universal Credit you can use your journal to ask for mandatory reconsideration.

    ", + "

    If you\u2019re unable to use your journal, you can ask for mandatory reconsideration in any of the following ways:

    ", + "
  • writing to the address on your decision letter
  • ", + "
  • filling in and returning a form
  • ", + "
  • calling the Universal Credit helpline
  • ", + "

    Before you ask for mandatory reconsideration

    ", + "

    If you\u2019re not sure whether to ask for mandatory reconsideration or what evidence to give, call the benefits office dealing with your claim. They\u2019ll be able to explain the reason for your benefit decision and answer any questions.

    ", + "

    You can still ask for mandatory reconsideration after you\u2019ve spoken to your benefits office.

    ", + "

    If you want an explanation in writing

    ", + "

    You can ask for a written explanation from the benefits office dealing with your claim - known as a \u2018written statement of reasons\u2019.

    ", + "

    You do not need to do this for Personal Independence Payment - your decision letter will include a written statement.

    ", + "

    You can still ask for mandatory reconsideration, but must do this within 14 days of the date on your written statement of reasons.

    ", + "

    Applying after one month

    ", + "

    You can ask for mandatory reconsideration after this but it must be for a good reason, for example if you\u2019ve been in hospital or had a bereavement. You must explain why your request is late.

    ", + "

    Call the phone number on your decision letter first.

    ", + "

    What you need to provide

    ", + "

    You need to give:

    ", + "
  • the date of the original benefit decision
  • ", + "
  • your name and address
  • ", + "
  • your date of birth
  • ", + "
  • your National Insurance number
  • ", + "

    Explain what part of the decision is wrong and why.

    ", + "

    If you want to send evidence

    ", + "

    This needs to shows why the decision was wrong. It could, for example, be:

    ", + "
  • new medical evidence
  • ", + "
  • reports or care plans from specialists, therapists or nurses
  • ", + "
  • bank statements or payslips
  • ", + "

    Only include evidence you have not already sent.

    ", + "

    Write your full name, date of birth and National Insurance number at the top of each bit of evidence and send it to the benefit office where you applied for your benefit.

    ", + "

    You cannot claim back the cost of any evidence you pay for.

    ", + "

    It will not help your claim to include:

    ", + "
  • general information about your condition - for example factsheets, medical certificates or sick notes
  • ", + "
  • appointment cards or letters about medical appointments, unless you could not claim your benefit because you were at the appointment
  • ", + "
  • letters about tests that you\u2019re due to have
  • ", + "

    If you\u2019re not sure what evidence to send, read the guidance for the request form. You can also call the number on your decision letter.

    ", + "

    What happens next

    ", + "

    The benefits office that gave you the original benefit decision will reconsider it - you\u2019ll get a \u2018mandatory reconsideration notice\u2019 telling you whether they\u2019ve changed the decision. It\u2019ll explain the reasons for that decision and the evidence it was based on.

    ", + "

    Your benefit may increase, decrease, stop or stay the same following mandatory reconsideration.

    ", + "

    If you disagree with the outcome

    ", + "

    You can appeal to the Social Security and Child Support Tribunal if you think the decision in the mandatory reconsideration notice is wrong. The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    You usually need to do this within one month of the date of your mandatory reconsideration notice.

    ", + "

    You cannot appeal to the Social Security and Child Support Tribunal until you get your mandatory reconsideration notice.

    " + ] + }, + "https://www.gov.uk/appeal-benefit-decision": { + "url": "https://www.gov.uk/appeal-benefit-decision", + "title": "Appeal a benefit decision", + "content": "## Overview\n\nYou can appeal a decision about your entitlement to benefits, for example Personal Independence Payment (PIP), Employment and Support Allowance (ESA) and Universal Credit.\n\nThere\u2019s a different process if you live in Northern Ireland.\n\nAppeals are decided by the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government. The tribunal will listen to both sides before making a decision.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## How to appeal\n\nBefore you appeal you must usually ask for the decision about your benefits to be looked at again - this is called \u2018mandatory reconsideration\u2019.\n\nIf you do not need to do this, your decision letter will say that you can appeal straight away. The letter will explain why you do not need a mandatory reconsideration - include this when you submit your appeal.\n\nAppeal to the tribunal within one month of getting your mandatory reconsideration decision. If you start your appeal after a month you\u2019ll have to explain why you did not do it earlier. Your appeal might not be accepted.\n\nAfter you submit your appeal, you can provide evidence to the tribunal. Your appeal will be decided at a tribunal hearing.\n\n## Benefit decisions you can appeal\n\nYou can appeal a decision about:\n\n- 30 hours free childcare scheme\n\n- Attendance Allowance\n\n- Bereavement Support Payment\n\n- Budgeting Loans\n\n- Carer\u2019s Allowance\n\n- Child Benefit\n\n- Cold Weather Payment\n\n- Compensation Recovery Unit\n\n- Contracted Out Employment Group\n\n- Disability Living Allowance (DLA)\n\n- Disability Working Allowance\n\n- Employment and Support Allowance (ESA)\n\n- Funeral Expenses Payment\n\n- Health in Pregnancy Grant\n\n- Home Responsibilities Protection\n\n- Housing Benefit\n\n- Incapacity Benefit\n\n- Income Support\n\n- Industrial Death Benefit\n\n- Industrial Injuries Disablement Benefit\n\n- Jobseeker\u2019s Allowance\n\n- Maternity Allowance\n\n- Pension Credit\n\n- Personal Independence Payment (PIP)\n\n- Retirement Pension\n\n- Severe Disablement Allowance\n\n- Sure Start Maternity Grant\n\n- Tax credits\n\n- Tax-Free Childcare\n\n- Universal Credit\n\n- Widowed Parent\u2019s Allowance\n\n- Winter Fuel Payment\n\nCheck any letters you\u2019ve received about your benefit if you do not know the exact name.\n\n## Submit your appeal\n\nYou can appeal a decision about your entitlement to benefits, for example Personal Independence Payment (PIP), Employment and Support Allowance (ESA) or Universal Credit.\n\nYou must ask for the decision about your benefits to be looked at again before you can appeal, unless your decision letter says you do not need a \u2018mandatory reconsideration\u2019.\n\nYou\u2019ll need:\n\n- your National Insurance number\n\n- the details of the representative helping with your appeal (if you\u2019re using one)\n\n- your mandatory reconsideration notice - you get this after you ask for the benefit decision to be looked at again\n\nIf you do not need a mandatory reconsideration your decision letter will say why. Include this explanation when you submit your appeal.\n\nYou\u2019ll need to choose whether you want to go to the tribunal hearing to explain your appeal in person. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence you provide.\n\nStart now\n\nYou can only access the service\u2019s web chat if you\u2019re using Google Chrome, Mozilla Firefox or Safari. You can access everything else in the service using any browser.\n\n## Continue with an existing appeal\n\nSign in to continue with your saved benefit appeal application.\n\n## Appealing by post\n\nUse form SSCS1 to appeal a Universal Credit, ESA or PIP decision by post.\n\n## Help with your appeal\n\nYou can appoint someone as a \u2018representative\u2019 to help you with your appeal. A representative can:\n\n- help you submit your appeal or prepare your evidence\n\n- act on your behalf\n\n- give you advice\n\nAnyone can be a representative, including friends and family.\n\nYou might also be able to find a representative through a library or from an organisation in your area that gives advice on claiming benefits, such as Citizens Advice.\n\nYour representative will have permission to act on your behalf, for example to respond to letters. They\u2019ll be sent all the information about your appeal, including any medical evidence.\n\nTo register a representative, you can either:\n\n- name your representative when you submit your appeal\n\n- register a representative at any point after you submit your appeal\n\nWrite to HMCTS Benefit Appeals to register a representative after you submit your appeal.\n\nContact the benefit appeals helpline if you need more help submitting an appeal.\n\n## After you submit your appeal\n\nYour appeal will be sent to the department that made the decision about your entitlement to benefits. They\u2019ll respond to your appeal explaining why they made the decision.\n\nYou\u2019ll get a copy of the response.\n\n## Providing evidence\n\nYou can provide evidence to help the tribunal understand your condition or circumstances so they can make a decision. Evidence can include a letter from a doctor or someone who knows you.\n\nYou\u2019ll be told where to send your evidence after you submit your appeal. Send it as soon as you can so the tribunal have time to read it before the hearing.\n\n## The hearing\n\nYour appeal is decided at a tribunal hearing.\n\nYou\u2019ll get the decision by post after the hearing. You may get a decision on the day if you go to the hearing.\n\n## How long it takes\n\nIt usually takes up to 6 months for an appeal to be heard by the tribunal.\n\nYour appeal might be delayed unless you:\n\n- send any evidence as soon as you can before the hearing\n\n- arrive at the hearing on time (if you\u2019re attending)\n\n- register your representative as soon as you can (if you\u2019re using one)\n\n## What happens at the hearing\n\nSubmit any evidence as soon as possible before the hearing so the tribunal have time to read it. Evidence will usually be shared with all parties, including your representative (if you\u2019re using one).\n\nA judge and one or two experts will make a decision about the case. Who the experts are depends on what benefit you\u2019re appealing. The judge and experts are impartial and independent of government.\n\nThe tribunal must follow the rules in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.\n\n## If you attend the hearing\n\nYou\u2019ll have to the opportunity to explain your appeal.\n\nYou\u2019ll be asked questions about your condition or circumstances by the judge or the experts.\n\nThe department that made the original decision may also be at the hearing. They may ask questions, but they\u2019re not part of the tribunal and do not decide the result of the appeal.\n\nYou can get support during the hearing, for example an interpreter, hearing loop or accessible tribunal room. You can request support when you make an appeal.\n\nYou cannot use your own interpreter during the hearing.\n\n## Claiming expenses\n\nYou may be able to claim for reasonable expenses for going to the tribunal, for example:\n\n- travel expenses to cover your fare if you get there using public transport\n\n- travel expenses of 12p per mile if you drive, plus 2p per mile for up to 2 passengers\n\n- meals - \u00a34.25 if you\u2019re away for more than 5 hours, \u00a39.30 for more than 10 hours or \u00a313.55 for more than 12 hours\n\n- loss of earnings - \u00a338.96 if you\u2019re away from work for up to 4 hours or \u00a375.59 for 4 hours or more\n\n- care expenses up to the National Minimum Wage, for example for a childminder\n\nThe clerk will help you fill in a claim form when you go to the hearing.\n\nYou\u2019ll need to include proof, for example:\n\n- receipts\n\n- a letter from your employer for loss of earnings\n\n## If you're unhappy with the tribunal's decision\n\nYou may be able to:\n\n- get a decision cancelled (\u2018set aside\u2019)\n\n- appeal to the Upper Tribunal (Administrative Appeals Chamber)\n\nYour decision letter has more information.\n\n## Get a decision set aside\n\nYou\u2019ll be told how to get a decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process. Contact Citizens Advice if you need help.\n\n## Appeal to the Upper Tribunal Administrative Appeals Chamber\n\nYou can only appeal to the Upper Tribunal (Administrative Appeals Chamber) if you think the decision was wrong for a legal reason, for example, if the tribunal did not:\n\n- give proper reasons for its decision, or back up the decision with facts\n\n- apply the law properly\n\nYou may be able to get legal aid when you appeal to the Upper Tribunal (Administrative Appeals Chamber) - this can help pay for legal advice.\n\nContact Citizens Advice if you need help.\n\nYou must then follow 3 steps.\n\n- Ask the Social Security and Child Support Tribunal for full written reasons (known as a \u2018statement of reasons\u2019) within one month of the date of the decision. The decision letter will tell you how to do this.\n\n- Ask the Social Security and Child Support Tribunal for permission to appeal to the Upper Tribunal (Administrative Appeals Chamber).\n\n- If the Social Security and Child Support Tribunal refuses, ask the Upper Tribunal (Administrative Appeals Chamber) for permission to appeal.", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal a decision about your entitlement to benefits, for example Personal Independence Payment (PIP), Employment and Support Allowance (ESA) and Universal Credit.

    ", + "

    There\u2019s a different process if you live in Northern Ireland.

    ", + "

    Appeals are decided by the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government. The tribunal will listen to both sides before making a decision.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    How to appeal

    ", + "

    Before you appeal you must usually ask for the decision about your benefits to be looked at again - this is called \u2018mandatory reconsideration\u2019.

    ", + "

    If you do not need to do this, your decision letter will say that you can appeal straight away. The letter will explain why you do not need a mandatory reconsideration - include this when you submit your appeal.

    ", + "

    Appeal to the tribunal within one month of getting your mandatory reconsideration decision. If you start your appeal after a month you\u2019ll have to explain why you did not do it earlier. Your appeal might not be accepted.

    ", + "

    After you submit your appeal, you can provide evidence to the tribunal. Your appeal will be decided at a tribunal hearing.

    ", + "

    Benefit decisions you can appeal

    ", + "

    You can appeal a decision about:

    ", + "
  • 30 hours free childcare scheme
  • ", + "
  • Attendance Allowance
  • ", + "
  • Bereavement Support Payment
  • ", + "
  • Budgeting Loans
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Child Benefit
  • ", + "
  • Cold Weather Payment
  • ", + "
  • Compensation Recovery Unit
  • ", + "
  • Contracted Out Employment Group
  • ", + "
  • Disability Living Allowance (DLA)
  • ", + "
  • Disability Working Allowance
  • ", + "
  • Employment and Support Allowance (ESA)
  • ", + "
  • Funeral Expenses Payment
  • ", + "
  • Health in Pregnancy Grant
  • ", + "
  • Home Responsibilities Protection
  • ", + "
  • Housing Benefit
  • ", + "
  • Incapacity Benefit
  • ", + "
  • Income Support
  • ", + "
  • Industrial Death Benefit
  • ", + "
  • Industrial Injuries Disablement Benefit
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Maternity Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • Retirement Pension
  • ", + "
  • Severe Disablement Allowance
  • ", + "
  • Sure Start Maternity Grant
  • ", + "
  • Tax credits
  • ", + "
  • Tax-Free Childcare
  • ", + "
  • Universal Credit
  • ", + "
  • Widowed Parent\u2019s Allowance
  • ", + "
  • Winter Fuel Payment
  • ", + "

    Check any letters you\u2019ve received about your benefit if you do not know the exact name.

    ", + "

    Submit your appeal

    ", + "

    You can appeal a decision about your entitlement to benefits, for example Personal Independence Payment (PIP), Employment and Support Allowance (ESA) or Universal Credit.

    ", + "

    You must ask for the decision about your benefits to be looked at again before you can appeal, unless your decision letter says you do not need a \u2018mandatory reconsideration\u2019.

    ", + "

    You\u2019ll need:

    ", + "
  • your National Insurance number
  • ", + "
  • the details of the representative helping with your appeal (if you\u2019re using one)
  • ", + "
  • your mandatory reconsideration notice - you get this after you ask for the benefit decision to be looked at again
  • ", + "

    If you do not need a mandatory reconsideration your decision letter will say why. Include this explanation when you submit your appeal.

    ", + "

    You\u2019ll need to choose whether you want to go to the tribunal hearing to explain your appeal in person. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence you provide.

    ", + "

    Start now

    ", + "

    You can only access the service\u2019s web chat if you\u2019re using Google Chrome, Mozilla Firefox or Safari. You can access everything else in the service using any browser.

    ", + "

    Continue with an existing appeal

    ", + "

    Sign in to continue with your saved benefit appeal application.

    ", + "

    Appealing by post

    ", + "

    Use form SSCS1 to appeal a Universal Credit, ESA or PIP decision by post.

    ", + "

    Help with your appeal

    ", + "

    You can appoint someone as a \u2018representative\u2019 to help you with your appeal. A representative can:

    ", + "
  • help you submit your appeal or prepare your evidence
  • ", + "
  • act on your behalf
  • ", + "
  • give you advice
  • ", + "

    Anyone can be a representative, including friends and family.

    ", + "

    You might also be able to find a representative through a library or from an organisation in your area that gives advice on claiming benefits, such as Citizens Advice.

    ", + "

    Your representative will have permission to act on your behalf, for example to respond to letters. They\u2019ll be sent all the information about your appeal, including any medical evidence.

    ", + "

    To register a representative, you can either:

    ", + "
  • name your representative when you submit your appeal
  • ", + "
  • register a representative at any point after you submit your appeal
  • ", + "

    Write to HMCTS Benefit Appeals to register a representative after you submit your appeal.

    ", + "

    Contact the benefit appeals helpline if you need more help submitting an appeal.

    ", + "

    After you submit your appeal

    ", + "

    Your appeal will be sent to the department that made the decision about your entitlement to benefits. They\u2019ll respond to your appeal explaining why they made the decision.

    ", + "

    You\u2019ll get a copy of the response.

    ", + "

    Providing evidence

    ", + "

    You can provide evidence to help the tribunal understand your condition or circumstances so they can make a decision. Evidence can include a letter from a doctor or someone who knows you.

    ", + "

    You\u2019ll be told where to send your evidence after you submit your appeal. Send it as soon as you can so the tribunal have time to read it before the hearing.

    ", + "

    The hearing

    ", + "

    Your appeal is decided at a tribunal hearing.

    ", + "

    You\u2019ll get the decision by post after the hearing. You may get a decision on the day if you go to the hearing.

    ", + "

    How long it takes

    ", + "

    It usually takes up to 6 months for an appeal to be heard by the tribunal.

    ", + "

    Your appeal might be delayed unless you:

    ", + "
  • send any evidence as soon as you can before the hearing
  • ", + "
  • arrive at the hearing on time (if you\u2019re attending)
  • ", + "
  • register your representative as soon as you can (if you\u2019re using one)
  • ", + "

    What happens at the hearing

    ", + "

    Submit any evidence as soon as possible before the hearing so the tribunal have time to read it. Evidence will usually be shared with all parties, including your representative (if you\u2019re using one).

    ", + "

    A judge and one or two experts will make a decision about the case. Who the experts are depends on what benefit you\u2019re appealing. The judge and experts are impartial and independent of government.

    ", + "

    The tribunal must follow the rules in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.

    ", + "

    If you attend the hearing

    ", + "

    You\u2019ll have to the opportunity to explain your appeal.

    ", + "

    You\u2019ll be asked questions about your condition or circumstances by the judge or the experts.

    ", + "

    The department that made the original decision may also be at the hearing. They may ask questions, but they\u2019re not part of the tribunal and do not decide the result of the appeal.

    ", + "

    You can get support during the hearing, for example an interpreter, hearing loop or accessible tribunal room. You can request support when you make an appeal.

    ", + "

    You cannot use your own interpreter during the hearing.

    ", + "

    Claiming expenses

    ", + "

    You may be able to claim for reasonable expenses for going to the tribunal, for example:

    ", + "
  • travel expenses to cover your fare if you get there using public transport
  • ", + "
  • travel expenses of 12p per mile if you drive, plus 2p per mile for up to 2 passengers
  • ", + "
  • meals - \u00a34.25 if you\u2019re away for more than 5 hours, \u00a39.30 for more than 10 hours or \u00a313.55 for more than 12 hours
  • ", + "
  • loss of earnings - \u00a338.96 if you\u2019re away from work for up to 4 hours or \u00a375.59 for 4 hours or more
  • ", + "
  • care expenses up to the National Minimum Wage, for example for a childminder
  • ", + "

    The clerk will help you fill in a claim form when you go to the hearing.

    ", + "

    You\u2019ll need to include proof, for example:

    ", + "
  • receipts
  • ", + "
  • a letter from your employer for loss of earnings
  • ", + "

    If you're unhappy with the tribunal's decision

    ", + "

    You may be able to:

    ", + "
  • get a decision cancelled (\u2018set aside\u2019)
  • ", + "
  • appeal to the Upper Tribunal (Administrative Appeals Chamber)
  • ", + "

    Your decision letter has more information.

    ", + "

    Get a decision set aside

    ", + "

    You\u2019ll be told how to get a decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process. Contact Citizens Advice if you need help.

    ", + "

    Appeal to the Upper Tribunal Administrative Appeals Chamber

    ", + "

    You can only appeal to the Upper Tribunal (Administrative Appeals Chamber) if you think the decision was wrong for a legal reason, for example, if the tribunal did not:

    ", + "
  • give proper reasons for its decision, or back up the decision with facts
  • ", + "
  • apply the law properly
  • ", + "

    You may be able to get legal aid when you appeal to the Upper Tribunal (Administrative Appeals Chamber) - this can help pay for legal advice.

    ", + "

    Contact Citizens Advice if you need help.

    ", + "

    You must then follow 3 steps.

    ", + "
  • Ask the Social Security and Child Support Tribunal for full written reasons (known as a \u2018statement of reasons\u2019) within one month of the date of the decision. The decision letter will tell you how to do this.
  • ", + "
  • Ask the Social Security and Child Support Tribunal for permission to appeal to the Upper Tribunal (Administrative Appeals Chamber).
  • ", + "
  • If the Social Security and Child Support Tribunal refuses, ask the Upper Tribunal (Administrative Appeals Chamber) for permission to appeal.
  • " + ] + }, + "https://www.gov.uk/tax-credits-appeals-complaints": { + "url": "https://www.gov.uk/tax-credits-appeals-complaints", + "title": "Tax credits: appeals and complaints", + "content": "## Overview\n\nYou can:\n\n- dispute an overpayment decision if you\u2019ve been asked to pay back tax credits\n\n- disagree with a tax credits decision if you think your tax credits are wrong\n\n- complain if you think you\u2019ve been treated unfairly\n\nCall the helpline first if you think HM Revenue and Customs (HMRC) made a mistake.\n\n## Dispute a tax credits overpayment\n\nYou can be overpaid tax credits even if you told HM Revenue and Customs (HMRC) about a change of circumstances on time. You\u2019ll normally have to repay these.\n\nDisputes are usually only successful if HMRC made a mistake.\n\nFewer than 1 in 10 tax credit disputes are successful.\n\n## How to dispute\n\nTell HMRC online or by post.\n\nYou can do this even if you\u2019re no longer getting tax credits.\n\nHMRC will continue to reclaim overpayments while they review your dispute.\n\n## Deadlines\n\nSend your dispute form within 3 months of either:\n\n- the date on the first letter, statement or notice you received telling you that you\u2019ve been overpaid\n\n- the \u2018decision date\u2019 on your Annual Review notice\n\nYou can only send it after the deadline in exceptional circumstances, for example you were in hospital for the 3 months.\n\nIf you\u2019ve requested a \u2018mandatory reconsideration\u2019, you need to send your dispute form within 3 months of getting a reconsideration decision.\n\n## What happens next\n\nYou\u2019ll get a dispute decision letter telling you:\n\n- if you have to repay the tax credits\n\n- how much you have to repay\n\n- the reasons for the decision\n\n## If you do not agree with the decision\n\nYou can:\n\n- send HMRC new information\n\n- ask them to review the information you sent\n\nYou need to do this within 30 days of getting your dispute decision letter unless there are exceptional circumstances, for example you were in hospital.\n\nYou can only ask for the decision to be reviewed once.\n\nHMRC will continue to reclaim overpayments while they review your information.\n\nYou can contact an organisation like Citizens Advice if you have not got any new information and you\u2019re still unhappy.\n\n## Disagree with a tax credits decision\n\nCall HM Revenue and Customs (HMRC) if you think your tax credits are wrong. They can check your award and may be able to change it if it\u2019s wrong.\n\nThere\u2019s a different way of disagreeing with an overpayment decision.\n\n## If they do not change it or you still think it\u2019s wrong\n\nYou can ask for the decision to be reconsidered by filling in a WTC/AP form. This process is called \u2018mandatory reconsideration\u2019. You can fill in the form online or print it and send it to HMRC.\n\nYou need to do this within 30 days of getting your award notice unless there are exceptional circumstances, for example you were in hospital.\n\n## If you disagree with the result\n\nIf you\u2019re in England, Scotland or Wales you can appeal to the Social Security and Child Support Tribunal.\n\nIf you\u2019re in Northern Ireland appeal to the Appeals Service Northern Ireland.\n\n## Complain about tax credits\n\nYou can complain about things like unreasonable delays or the way you\u2019ve been treated.\n\nThere\u2019s a different process if you think your tax credits are wrong or you want to dispute a tax credits overpayment.\n\n## How to complain\n\nYou can:\n\n- complain online\n\n- call or write (telephone complaints are usually dealt with faster)\n\nTo complain online, you need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you complain.\n\nYou can call or write to HM Revenue and Customs (HMRC). If you write, include:\n\n- your National Insurance number\n\n- your full name, address and telephone number\n\n- details of what happened and when\n\n- how you\u2019d like your complaint settled\n\n- the word \u2018Complaint\u2019 at the top of your letter\n\n## If you do not agree with the response\n\nAsk HMRC to review their response and send you a final decision.\n\nIf you\u2019re unhappy with the final decision, you can contact the Independent Adjudicator.\n\nYou may be able to claim costs (for example for postage or phone calls) if HMRC admits they made a mistake. Ask them for details.", + "original_contents": [ + "

    Overview

    ", + "

    You can:

    ", + "
  • dispute an overpayment decision if you\u2019ve been asked to pay back tax credits
  • ", + "
  • disagree with a tax credits decision if you think your tax credits are wrong
  • ", + "
  • complain if you think you\u2019ve been treated unfairly
  • ", + "

    Call the helpline first if you think HM Revenue and Customs (HMRC) made a mistake.

    ", + "

    Dispute a tax credits overpayment

    ", + "

    You can be overpaid tax credits even if you told HM Revenue and Customs (HMRC) about a change of circumstances on time. You\u2019ll normally have to repay these.

    ", + "

    Disputes are usually only successful if HMRC made a mistake.

    ", + "

    Fewer than 1 in 10 tax credit disputes are successful.

    ", + "

    How to dispute

    ", + "

    Tell HMRC online or by post.

    ", + "

    You can do this even if you\u2019re no longer getting tax credits.

    ", + "

    HMRC will continue to reclaim overpayments while they review your dispute.

    ", + "

    Deadlines

    ", + "

    Send your dispute form within 3 months of either:

    ", + "
  • the date on the first letter, statement or notice you received telling you that you\u2019ve been overpaid
  • ", + "
  • the \u2018decision date\u2019 on your Annual Review notice
  • ", + "

    You can only send it after the deadline in exceptional circumstances, for example you were in hospital for the 3 months.

    ", + "

    If you\u2019ve requested a \u2018mandatory reconsideration\u2019, you need to send your dispute form within 3 months of getting a reconsideration decision.

    ", + "

    What happens next

    ", + "

    You\u2019ll get a dispute decision letter telling you:

    ", + "
  • if you have to repay the tax credits
  • ", + "
  • how much you have to repay
  • ", + "
  • the reasons for the decision
  • ", + "

    If you do not agree with the decision

    ", + "

    You can:

    ", + "
  • send HMRC new information
  • ", + "
  • ask them to review the information you sent
  • ", + "

    You need to do this within 30 days of getting your dispute decision letter unless there are exceptional circumstances, for example you were in hospital.

    ", + "

    You can only ask for the decision to be reviewed once.

    ", + "

    HMRC will continue to reclaim overpayments while they review your information.

    ", + "

    You can contact an organisation like Citizens Advice if you have not got any new information and you\u2019re still unhappy.

    ", + "

    Disagree with a tax credits decision

    ", + "

    Call HM Revenue and Customs (HMRC) if you think your tax credits are wrong. They can check your award and may be able to change it if it\u2019s wrong.

    ", + "

    There\u2019s a different way of disagreeing with an overpayment decision.

    ", + "

    If they do not change it or you still think it\u2019s wrong

    ", + "

    You can ask for the decision to be reconsidered by filling in a WTC/AP form. This process is called \u2018mandatory reconsideration\u2019. You can fill in the form online or print it and send it to HMRC.

    ", + "

    You need to do this within 30 days of getting your award notice unless there are exceptional circumstances, for example you were in hospital.

    ", + "

    If you disagree with the result

    ", + "

    If you\u2019re in England, Scotland or Wales you can appeal to the Social Security and Child Support Tribunal.

    ", + "

    If you\u2019re in Northern Ireland appeal to the Appeals Service Northern Ireland.

    ", + "

    Complain about tax credits

    ", + "

    You can complain about things like unreasonable delays or the way you\u2019ve been treated.

    ", + "

    There\u2019s a different process if you think your tax credits are wrong or you want to dispute a tax credits overpayment.

    ", + "

    How to complain

    ", + "

    You can:

    ", + "
  • complain online
  • ", + "
  • call or write (telephone complaints are usually dealt with faster)
  • ", + "

    To complain online, you need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you complain.

    ", + "

    You can call or write to HM Revenue and Customs (HMRC). If you write, include:

    ", + "
  • your National Insurance number
  • ", + "
  • your full name, address and telephone number
  • ", + "
  • details of what happened and when
  • ", + "
  • how you\u2019d like your complaint settled
  • ", + "
  • the word \u2018Complaint\u2019 at the top of your letter
  • ", + "

    If you do not agree with the response

    ", + "

    Ask HMRC to review their response and send you a final decision.

    ", + "

    If you\u2019re unhappy with the final decision, you can contact the Independent Adjudicator.

    ", + "

    You may be able to claim costs (for example for postage or phone calls) if HMRC admits they made a mistake. Ask them for details.

    " + ] + }, + "https://www.gov.uk/benefit-overpayments": { + "url": "https://www.gov.uk/benefit-overpayments", + "title": "Benefit overpayments", + "content": "## Overview\n\nTell the office dealing with your benefit straight away if:\n\n- you think you\u2019re being overpaid\n\n- your circumstances change\n\nYou may have to pay back the benefit if you\u2019ve been overpaid.\n\nThere\u2019s a different process for tax credits overpayment.\n\nYou may be prosecuted for benefit fraud or have to pay a penalty if you do not tell benefit providers about overpayments.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## If you\u2019ve been overpaid Universal Credit\n\nYou can report an overpayment by signing into your Universal Credit account or calling the Universal Credit helpline.\n\n## When the benefit office will contact you\n\nYou\u2019ll get a letter to let you know that you\u2019ve been overpaid.\n\nIf you think it\u2019s a mistake you can ask for mandatory reconsideration within one month of receiving the letter.\n\n## Housing Benefit paid directly to your landlord\n\nYour landlord may be asked to repay the money if they\u2019re responsible for an overpayment. You may have to repay if it was your fault.\n\n## When repayments have to be made\n\nYou may have to pay the money back if you\u2019ve been overpaid. For example, if:\n\n- the information you gave was wrong\n\n- you did not report a change in your circumstances straight away\n\n- you gave the wrong information when you reported a change of circumstances\n\n- a mistake was made with your payment\n\nFind out how to make repayments.\n\nThere\u2019s a different system if the person overpaid has died.\n\n## Repayments when someone has died\n\nThe Department for Work and Pensions (DWP) can recover benefit overpayments from a person\u2019s estate.\n\nAn overpayment could have happened because, for example, the person who died:\n\n- had more savings than they declared in their benefit claim\n\n- had not declared an income\n\n- was in hospital or a nursing home and had not told DWP\n\nIf you\u2019re dealing with the estate, DWP will write to you once probate has been granted to ask for the information they need.\n\nYou should not distribute the estate until you know what needs to be repaid. If you do, you may have to pay back the money yourself.\n\n## What you need to do\n\nYou\u2019ll be asked to provide information to help work out if anything needs to be repaid.\n\nYou may need bank statements, building society passbooks or other information about the dead person\u2019s assets.\n\nIf you do not provide the information asked for, the overpayment will be calculated based on the probate figure before any deductions (that is, the whole estate).\n\n## If there has been an overpayment\n\nDWP will write to you asking for the money back from the estate. They will tell you how any overpayment has been worked out and explain why it happened. They will also tell you how to pay.\n\nIf you need to discuss your payment, or setting up a repayment plan, call DWP\u2019s Debt Management Recovery from Estates. The number is on the letter.\n\nYou can also write to them:\n\n## If you\u2019re in England and Wales\n\n## If you\u2019re in Scotland\n\nIf you\u2019re in Northern Ireland, contact the Department for Communities Debt Management service.\n\n## If you disagree with the overpayment decision\n\nIf you disagree with the overpayment decision, you can ask for the decision to be looked at again - this is called a \u2018mandatory reconsideration\u2019.\n\nYou can do this if you:\n\n- think DWP made an error or missed important evidence\n\n- disagree with the reasons for the decision\n\n- want to have the decision looked at again\n\n## Payments made after death\n\nIf the overpayment happened because the payment arrived before DWP were told about the death, DWP Debt Management will contact:\n\n- the deceased\u2019s next of kin\n\n- the bank the benefit was paid in to\n\n- whoever is handling the estate\n\n## How to make a repayment\n\nHow you pay back the overpayment depends on:\n\n- whether you\u2019re making repayments for the first time or restarting them\n\n- whether you still receive benefits\n\n## Start making repayments if you\u2019re still receiving benefits\n\nIf you\u2019re still receiving benefits, the regular amount you get will be reduced until you\u2019ve paid back the money.\n\nContact the Department for Work and Pensions (DWP) Debt Management contact centre if you think too much has been taken for a repayment.\n\nIf you\u2019re in Northern Ireland, contact the Department for Communities Debt Management service.\n\n## Start making repayments if you no longer receive benefits\n\nIf you no longer receive benefits, you need to pay back the overpayment to DWP Debt Management. You\u2019ll get a letter telling you how much you need to repay.\n\nIf you cannot pay the debt in full, contact DWP Debt Management to arrange a payment plan.\n\nIf you\u2019re in Northern Ireland, contact the Department for Communities Debt Management service.\n\n## Online banking\n\nUse DWP\u2019s bank account details to pay, quoting the reference number shown on your letter or your National Insurance number.\n\n| Account name | Sort code | Account number |\n\n| DWP Debt Management | 60 70 80 | 10025634 |\n\n## Overseas accounts\n\nUse the following details if you\u2019re paying from an overseas account.\n\n| Account name | IBAN | BIC |\n\n| DWP Debt Management | GB30NWBK60708010025634 | NWBKGB2L |\n\n## Direct Debit, card, cheques and cash\n\nContact the DWP Debt Management contact centre to:\n\n- set up monthly repayments by Direct Debit\n\n- make a payment using a debit card\n\n- request a paying-in slip for cheque or cash payments\n\n## If you do not pay back the money\n\nIf you do not pay back the money or contact the DWP Debt Management contact centre, they may pass your case to an independent debt collector.\n\nYou\u2019ll get a letter to tell you about this.\n\nIf your case is passed to a debt collector, the letter will be from one of the following debt collection agencies:\n\n- Advantis\n\n- BPO Collections\n\n- CCS Collect\n\n- Moorcroft\n\n- Past Due Credit\n\n- Resolve Call\n\n- Shakespeare Martineau\n\nYou should deal directly with the debt collector to arrange repayment.", + "original_contents": [ + "

    Overview

    ", + "

    Tell the office dealing with your benefit straight away if:

    ", + "
  • you think you\u2019re being overpaid
  • ", + "
  • your circumstances change
  • ", + "

    You may have to pay back the benefit if you\u2019ve been overpaid.

    ", + "

    There\u2019s a different process for tax credits overpayment.

    ", + "

    You may be prosecuted for benefit fraud or have to pay a penalty if you do not tell benefit providers about overpayments.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you\u2019ve been overpaid Universal Credit

    ", + "

    You can report an overpayment by signing into your Universal Credit account or calling the Universal Credit helpline.

    ", + "

    When the benefit office will contact you

    ", + "

    You\u2019ll get a letter to let you know that you\u2019ve been overpaid.

    ", + "

    If you think it\u2019s a mistake you can ask for mandatory reconsideration within one month of receiving the letter.

    ", + "

    Housing Benefit paid directly to your landlord

    ", + "

    Your landlord may be asked to repay the money if they\u2019re responsible for an overpayment. You may have to repay if it was your fault.

    ", + "

    When repayments have to be made

    ", + "

    You may have to pay the money back if you\u2019ve been overpaid. For example, if:

    ", + "
  • the information you gave was wrong
  • ", + "
  • you did not report a change in your circumstances straight away
  • ", + "
  • you gave the wrong information when you reported a change of circumstances
  • ", + "
  • a mistake was made with your payment
  • ", + "

    Find out how to make repayments.

    ", + "

    There\u2019s a different system if the person overpaid has died.

    ", + "

    Repayments when someone has died

    ", + "

    The Department for Work and Pensions (DWP) can recover benefit overpayments from a person\u2019s estate.

    ", + "

    An overpayment could have happened because, for example, the person who died:

    ", + "
  • had more savings than they declared in their benefit claim
  • ", + "
  • had not declared an income
  • ", + "
  • was in hospital or a nursing home and had not told DWP
  • ", + "

    If you\u2019re dealing with the estate, DWP will write to you once probate has been granted to ask for the information they need.

    ", + "

    You should not distribute the estate until you know what needs to be repaid. If you do, you may have to pay back the money yourself.

    ", + "

    What you need to do

    ", + "

    You\u2019ll be asked to provide information to help work out if anything needs to be repaid.

    ", + "

    You may need bank statements, building society passbooks or other information about the dead person\u2019s assets.

    ", + "

    If you do not provide the information asked for, the overpayment will be calculated based on the probate figure before any deductions (that is, the whole estate).

    ", + "

    If there has been an overpayment

    ", + "

    DWP will write to you asking for the money back from the estate. They will tell you how any overpayment has been worked out and explain why it happened. They will also tell you how to pay.

    ", + "

    If you need to discuss your payment, or setting up a repayment plan, call DWP\u2019s Debt Management Recovery from Estates. The number is on the letter.

    ", + "

    You can also write to them:

    ", + "

    If you\u2019re in England and Wales

    ", + "

    If you\u2019re in Scotland

    ", + "

    If you\u2019re in Northern Ireland, contact the Department for Communities Debt Management service.

    ", + "

    If you disagree with the overpayment decision

    ", + "

    If you disagree with the overpayment decision, you can ask for the decision to be looked at again - this is called a \u2018mandatory reconsideration\u2019.

    ", + "

    You can do this if you:

    ", + "
  • think DWP made an error or missed important evidence
  • ", + "
  • disagree with the reasons for the decision
  • ", + "
  • want to have the decision looked at again
  • ", + "

    Payments made after death

    ", + "

    If the overpayment happened because the payment arrived before DWP were told about the death, DWP Debt Management will contact:

    ", + "
  • the deceased\u2019s next of kin
  • ", + "
  • the bank the benefit was paid in to
  • ", + "
  • whoever is handling the estate
  • ", + "

    How to make a repayment

    ", + "

    How you pay back the overpayment depends on:

    ", + "
  • whether you\u2019re making repayments for the first time or restarting them
  • ", + "
  • whether you still receive benefits
  • ", + "

    Start making repayments if you\u2019re still receiving benefits

    ", + "

    If you\u2019re still receiving benefits, the regular amount you get will be reduced until you\u2019ve paid back the money.

    ", + "

    Contact the Department for Work and Pensions (DWP) Debt Management contact centre if you think too much has been taken for a repayment.

    ", + "

    If you\u2019re in Northern Ireland, contact the Department for Communities Debt Management service.

    ", + "

    Start making repayments if you no longer receive benefits

    ", + "

    If you no longer receive benefits, you need to pay back the overpayment to DWP Debt Management. You\u2019ll get a letter telling you how much you need to repay.

    ", + "

    If you cannot pay the debt in full, contact DWP Debt Management to arrange a payment plan.

    ", + "

    If you\u2019re in Northern Ireland, contact the Department for Communities Debt Management service.

    ", + "

    Online banking

    ", + "

    Use DWP\u2019s bank account details to pay, quoting the reference number shown on your letter or your National Insurance number.

    ", + "Account name | Sort code | Account number", + "DWP Debt Management | 60 70 80 | 10025634", + "

    Overseas accounts

    ", + "

    Use the following details if you\u2019re paying from an overseas account.

    ", + "Account name | IBAN | BIC", + "DWP Debt Management | GB30NWBK60708010025634 | NWBKGB2L", + "

    Direct Debit, card, cheques and cash

    ", + "

    Contact the DWP Debt Management contact centre to:

    ", + "
  • set up monthly repayments by Direct Debit
  • ", + "
  • make a payment using a debit card
  • ", + "
  • request a paying-in slip for cheque or cash payments
  • ", + "

    If you do not pay back the money

    ", + "

    If you do not pay back the money or contact the DWP Debt Management contact centre, they may pass your case to an independent debt collector.

    ", + "

    You\u2019ll get a letter to tell you about this.

    ", + "

    If your case is passed to a debt collector, the letter will be from one of the following debt collection agencies:

    ", + "
  • Advantis
  • ", + "
  • BPO Collections
  • ", + "
  • CCS Collect
  • ", + "
  • Moorcroft
  • ", + "
  • Past Due Credit
  • ", + "
  • Resolve Call
  • ", + "
  • Shakespeare Martineau
  • ", + "

    You should deal directly with the debt collector to arrange repayment.

    " + ] + }, + "https://www.gov.uk/tax-credits-overpayments": { + "url": "https://www.gov.uk/tax-credits-overpayments", + "title": "Tax credits overpayments", + "content": "## Overview\n\nYou might be overpaid tax credits if:\n\n- there\u2019s a change in your circumstances - even if you report the change on time\n\n- you or the Tax Credit Office make a mistake\n\n- you do not renew your tax credits on time\n\nThe Tax Credit Office will write to tell you what you owe and how to repay the money. If you think they made a mistake, call the helpline.\n\nIf you still get tax credits or are now getting Universal Credit, the money you owe will usually be taken from your future payments.\n\nIf you no longer get tax credits and you do not get Universal Credit, you\u2019ll have to pay HM Revenue and Customs (HMRC) directly. The money may be recovered from you in another way if you do not repay HMRC in time.\n\n## How to repay your tax credits\n\nThe Tax Credit Office will write to tell you what you owe and how to repay.\n\nHow you repay depends on whether you still get tax credits, Universal Credit or neither.\n\nCall the helpline if you:\n\n- think the Tax Credit Office made a mistake\n\n- already have a repayment plan but you get another letter - you may need to set up a new plan\n\n## If you still get tax credits\n\nHMRC will automatically reduce your future tax credit payments until you\u2019ve paid back the money you owe.\n\nThe amount they\u2019ll reduce your tax credit payments by usually depends on how much you currently get and your household income.\n\n| Household income | Reduction |\n\n| \u00a320,000 or less and you get maximum tax credits | 10% |\n\n| \u00a320,000 or less and you get less than the maximum tax credits | 25% |\n\n| More than \u00a320,000 | 50% |\n\nIf you only get the family element of Child Tax Credit, your payments will be reduced by 100% whatever your income is.\n\n## If you\u2019ve moved to Universal Credit\n\nYour future payments will be reduced until you\u2019ve paid back the money you owe.\n\n## If you do not get tax credits or Universal Credit\n\nHMRC will send you a \u2018notice to pay\u2019 which you should pay within 30 days.\n\nIt\u2019s your responsibility to make sure payments reach HMRC on time. Check your bank\u2019s transaction limits and processing times.\n\nIf you do not pay in time, the money you owe will be recovered from you in another way.\n\nCall the helpline if you want to make extra payments to clear the debt more quickly.\n\nThere are several ways to repay.\n\n## Direct Debit\n\nYou can call the helpline to set up a Direct Debit.\n\nYou\u2019ll need your tax credit reference number - you\u2019ll find it on your notice to pay.\n\nIt takes up to 5 working days to set up. Payments appear on your statements as \u2018HMRC NDDS\u2019.\n\n## Online and telephone banking (Faster Payments)\n\nPay to HMRC\u2019s account and use your tax credit reference number (found on your notice to pay) as the payment reference.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\nPayments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nIf you\u2019re paying from an overseas account, you can pay HMRC in sterling or another currency.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld |\n\nHMRC\u2019s bank address is:\n\n## At your bank or building society\n\nPay at your branch by cash or cheque.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019. Write your tax credit reference number on the back of the cheque. You\u2019ll find this on your notice to pay.\n\nHMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC). Allow 3 working days for your payment to reach HMRC.\n\nYou do not need to include a street name, city name or PO box with this address.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019. Write your tax credit reference number on the back of the cheque. You\u2019ll find this on your notice to pay.\n\nDo not fold your cheque.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nInclude a note with:\n\n- your name, address and phone number\n\n- your tax credit reference number\n\n- how much you\u2019re paying\n\n- the period you\u2019re paying for\n\nYou can ask for a receipt if you want one.\n\n## If you cannot afford your repayments\n\nYou can ask to repay what you owe over a longer period of time if you\u2019re having financial difficulty. This will mean you pay less each week or month.\n\nYou may be asked about:\n\n- any savings and income you have - including benefits and pensions\n\n- your living expenses - including rent, mortgage or childcare payments and household costs\n\n- any other repayments you have to make - including loans, credit cards and utility bill repayments\n\nHow you ask for your repayments to be reconsidered depends on whether you still get tax credits, Universal Credit or neither.\n\nHMRC is offering further help and support during the COVID-19 crisis. If you are in temporary financial difficulty, and you are unable to pay or to keep up repayment of your existing debts, you should contact HMRC so we can work with you to ensure your arrangement remains affordable until you return to a more stable footing. If you need it, hardship arrangements can offer flexibility if you have previous overpayments being recovered from your tax credits award.\n\n## If you still get tax credits\n\nIf HMRC has reduced your tax credits to pay back an overpayment, you can ask them to reconsider:\n\n- online - you need your Government Gateway user ID and password - if you do not have one, you can create one when you use this service\n\n- by phone\n\nIf HMRC give you more time to pay back what you owe, this will mean they take less money from your tax credits each week or month.\n\nYou will usually receive a decision within 14 working days.\n\nIf you are still having financial difficulty at the end of the financial year (5 April), you will need to ask HMRC to reconsider your payments again.\n\n## If you have moved to Universal Credit\n\nContact the Department for Work and Pensions (DWP) Debt Management centre if you cannot afford your repayments.\n\n## If you do not get tax credits or Universal Credit\n\nCall the tax credits payments helpline to ask HMRC to reconsider.\n\nIf you\u2019ve received a \u2018TC1131\u2019 letter, this means your debt has passed to DWP. Call the DWP Debt Management contact centre to discuss your options. Call DfC Debt Management if you\u2019re in Northern Ireland.\n\n## If you get Universal Credit\n\nAfter you start getting Universal Credit you\u2019ll get a letter from HM Revenue and Customs (HMRC) telling you how much you owe. The letter is called a \u2018TC1131 (UC)\u2019.\n\nThe letter may come a few months after you\u2019ve moved to Universal Credit.\n\nIf you are already paying a \u2018notice to pay\u2019, keep making payments until you get the letter.\n\nAfter you get the letter, the Department for Work and Pensions (DWP) will reduce your Universal Credit payments until you pay back the money you owe. You do not have to do anything to set this up.\n\nIf you\u2019re in Northern Ireland this will be handled by the Department for Communities.\n\nIf you are repaying tax credits overpayments from different years, you may get more than one letter - you must repay each of these debts.\n\n## If you cannot afford your repayments\n\nContact DWP Debt Management if you cannot afford your repayments.\n\n## If you have an existing payment plan\n\nIf you have a repayment plan for your tax credits debt (also known as a \u2018Time to Pay\u2019 arrangement), it will end after you get the letter from HMRC. This applies whether the plan is with HMRC or an independent debt collector.\n\nYou must cancel any standing orders you\u2019ve set up to repay the debt. HMRC will cancel any Direct Debits.\n\n## If you claimed tax credits as a couple\n\nThe debt will be split in half between you. Each of you will receive a letter with details of your half of the debt. You must each pay your half.\n\nContact HMRC if you think your share is wrong.\n\n## If you do not get Universal Credit any more\n\nIf you get the letter from HMRC after you\u2019ve stopped receiving Universal Credit, you must repay DWP directly.\n\nIf you\u2019re in Northern Ireland, you must repay the Department for Communities.\n\n## If you do not repay HMRC\n\nIf you get a \u2018notice to pay\u2019 you must repay HM Revenue and Customs (HMRC) within 30 days. If you asked for more time to pay you should repay within the agreed time.\n\nHMRC will take \u2018enforcement action\u2019 if you do not pay all the money you owe in the agreed time. For example, they might ask a debt collection agency to collect any remaining money.\n\nYour debt may be passed to the Department for Work and Pensions (DWP) if HMRC cannot get the money you owe. You\u2019ll get a letter called a \u2018TC1131 (non-UC)\u2019 when this happens.\n\nYour debt will be passed to the Department for Communities (DfC) if you\u2019re in Northern Ireland.\n\nYou do not need to do anything - DWP or DfC will arrange the most suitable method of recovery with you. This might be by:\n\n- reducing your other benefits\n\n- agreeing a repayment plan with you\n\n- asking your employer to take money from your earnings (\u2018Direct Earnings Attachment\u2019)\n\n- asking a debt collection agency to collect the money\n\n## If you start getting Universal Credit\n\nIf you start getting Universal Credit before all your debt has been recovered, DWP will usually start to take repayments from your Universal Credit to collect the remaining money.", + "original_contents": [ + "

    Overview

    ", + "

    You might be overpaid tax credits if:

    ", + "
  • there\u2019s a change in your circumstances - even if you report the change on time
  • ", + "
  • you or the Tax Credit Office make a mistake
  • ", + "
  • you do not renew your tax credits on time
  • ", + "

    The Tax Credit Office will write to tell you what you owe and how to repay the money. If you think they made a mistake, call the helpline.

    ", + "

    If you still get tax credits or are now getting Universal Credit, the money you owe will usually be taken from your future payments.

    ", + "

    If you no longer get tax credits and you do not get Universal Credit, you\u2019ll have to pay HM Revenue and Customs (HMRC) directly. The money may be recovered from you in another way if you do not repay HMRC in time.

    ", + "

    How to repay your tax credits

    ", + "

    The Tax Credit Office will write to tell you what you owe and how to repay.

    ", + "

    How you repay depends on whether you still get tax credits, Universal Credit or neither.

    ", + "

    Call the helpline if you:

    ", + "
  • think the Tax Credit Office made a mistake
  • ", + "
  • already have a repayment plan but you get another letter - you may need to set up a new plan
  • ", + "

    If you still get tax credits

    ", + "

    HMRC will automatically reduce your future tax credit payments until you\u2019ve paid back the money you owe.

    ", + "

    The amount they\u2019ll reduce your tax credit payments by usually depends on how much you currently get and your household income.

    ", + "Household income | Reduction", + "\u00a320,000 or less and you get maximum tax credits | 10%", + "\u00a320,000 or less and you get less than the maximum tax credits | 25%", + "More than \u00a320,000 | 50%", + "

    If you only get the family element of Child Tax Credit, your payments will be reduced by 100% whatever your income is.

    ", + "

    If you\u2019ve moved to Universal Credit

    ", + "

    Your future payments will be reduced until you\u2019ve paid back the money you owe.

    ", + "

    If you do not get tax credits or Universal Credit

    ", + "

    HMRC will send you a \u2018notice to pay\u2019 which you should pay within 30 days.

    ", + "

    It\u2019s your responsibility to make sure payments reach HMRC on time. Check your bank\u2019s transaction limits and processing times.

    ", + "

    If you do not pay in time, the money you owe will be recovered from you in another way.

    ", + "

    Call the helpline if you want to make extra payments to clear the debt more quickly.

    ", + "

    There are several ways to repay.

    ", + "

    Direct Debit

    ", + "

    You can call the helpline to set up a Direct Debit.

    ", + "

    You\u2019ll need your tax credit reference number - you\u2019ll find it on your notice to pay.

    ", + "

    It takes up to 5 working days to set up. Payments appear on your statements as \u2018HMRC NDDS\u2019.

    ", + "

    Online and telephone banking (Faster Payments)

    ", + "

    Pay to HMRC\u2019s account and use your tax credit reference number (found on your notice to pay) as the payment reference.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001039 | HMRC Cumbernauld", + "

    Payments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    If you\u2019re paying from an overseas account, you can pay HMRC in sterling or another currency.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld", + "

    HMRC\u2019s bank address is:

    ", + "

    At your bank or building society

    ", + "

    Pay at your branch by cash or cheque.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019. Write your tax credit reference number on the back of the cheque. You\u2019ll find this on your notice to pay.

    ", + "

    HMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC). Allow 3 working days for your payment to reach HMRC.

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019. Write your tax credit reference number on the back of the cheque. You\u2019ll find this on your notice to pay.

    ", + "

    Do not fold your cheque.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    Include a note with:

    ", + "
  • your name, address and phone number
  • ", + "
  • your tax credit reference number
  • ", + "
  • how much you\u2019re paying
  • ", + "
  • the period you\u2019re paying for
  • ", + "

    You can ask for a receipt if you want one.

    ", + "

    If you cannot afford your repayments

    ", + "

    You can ask to repay what you owe over a longer period of time if you\u2019re having financial difficulty. This will mean you pay less each week or month.

    ", + "

    You may be asked about:

    ", + "
  • any savings and income you have - including benefits and pensions
  • ", + "
  • your living expenses - including rent, mortgage or childcare payments and household costs
  • ", + "
  • any other repayments you have to make - including loans, credit cards and utility bill repayments
  • ", + "

    How you ask for your repayments to be reconsidered depends on whether you still get tax credits, Universal Credit or neither.

    ", + "

    HMRC is offering further help and support during the COVID-19 crisis. If you are in temporary financial difficulty, and you are unable to pay or to keep up repayment of your existing debts, you should contact HMRC so we can work with you to ensure your arrangement remains affordable until you return to a more stable footing. If you need it, hardship arrangements can offer flexibility if you have previous overpayments being recovered from your tax credits award.

    ", + "

    If you still get tax credits

    ", + "

    If HMRC has reduced your tax credits to pay back an overpayment, you can ask them to reconsider:

    ", + "
  • online - you need your Government Gateway user ID and password - if you do not have one, you can create one when you use this service
  • ", + "
  • by phone
  • ", + "

    If HMRC give you more time to pay back what you owe, this will mean they take less money from your tax credits each week or month.

    ", + "

    You will usually receive a decision within 14 working days.

    ", + "

    If you are still having financial difficulty at the end of the financial year (5 April), you will need to ask HMRC to reconsider your payments again.

    ", + "

    If you have moved to Universal Credit

    ", + "

    Contact the Department for Work and Pensions (DWP) Debt Management centre if you cannot afford your repayments.

    ", + "

    If you do not get tax credits or Universal Credit

    ", + "

    Call the tax credits payments helpline to ask HMRC to reconsider.

    ", + "

    If you\u2019ve received a \u2018TC1131\u2019 letter, this means your debt has passed to DWP. Call the DWP Debt Management contact centre to discuss your options. Call DfC Debt Management if you\u2019re in Northern Ireland.

    ", + "

    If you get Universal Credit

    ", + "

    After you start getting Universal Credit you\u2019ll get a letter from HM Revenue and Customs (HMRC) telling you how much you owe. The letter is called a \u2018TC1131 (UC)\u2019.

    ", + "

    The letter may come a few months after you\u2019ve moved to Universal Credit.

    ", + "

    If you are already paying a \u2018notice to pay\u2019, keep making payments until you get the letter.

    ", + "

    After you get the letter, the Department for Work and Pensions (DWP) will reduce your Universal Credit payments until you pay back the money you owe. You do not have to do anything to set this up.

    ", + "

    If you\u2019re in Northern Ireland this will be handled by the Department for Communities.

    ", + "

    If you are repaying tax credits overpayments from different years, you may get more than one letter - you must repay each of these debts.

    ", + "

    If you cannot afford your repayments

    ", + "

    Contact DWP Debt Management if you cannot afford your repayments.

    ", + "

    If you have an existing payment plan

    ", + "

    If you have a repayment plan for your tax credits debt (also known as a \u2018Time to Pay\u2019 arrangement), it will end after you get the letter from HMRC. This applies whether the plan is with HMRC or an independent debt collector.

    ", + "

    You must cancel any standing orders you\u2019ve set up to repay the debt. HMRC will cancel any Direct Debits.

    ", + "

    If you claimed tax credits as a couple

    ", + "

    The debt will be split in half between you. Each of you will receive a letter with details of your half of the debt. You must each pay your half.

    ", + "

    Contact HMRC if you think your share is wrong.

    ", + "

    If you do not get Universal Credit any more

    ", + "

    If you get the letter from HMRC after you\u2019ve stopped receiving Universal Credit, you must repay DWP directly.

    ", + "

    If you\u2019re in Northern Ireland, you must repay the Department for Communities.

    ", + "

    If you do not repay HMRC

    ", + "

    If you get a \u2018notice to pay\u2019 you must repay HM Revenue and Customs (HMRC) within 30 days. If you asked for more time to pay you should repay within the agreed time.

    ", + "

    HMRC will take \u2018enforcement action\u2019 if you do not pay all the money you owe in the agreed time. For example, they might ask a debt collection agency to collect any remaining money.

    ", + "

    Your debt may be passed to the Department for Work and Pensions (DWP) if HMRC cannot get the money you owe. You\u2019ll get a letter called a \u2018TC1131 (non-UC)\u2019 when this happens.

    ", + "

    Your debt will be passed to the Department for Communities (DfC) if you\u2019re in Northern Ireland.

    ", + "

    You do not need to do anything - DWP or DfC will arrange the most suitable method of recovery with you. This might be by:

    ", + "
  • reducing your other benefits
  • ", + "
  • agreeing a repayment plan with you
  • ", + "
  • asking your employer to take money from your earnings (\u2018Direct Earnings Attachment\u2019)
  • ", + "
  • asking a debt collection agency to collect the money
  • ", + "

    If you start getting Universal Credit

    ", + "

    If you start getting Universal Credit before all your debt has been recovered, DWP will usually start to take repayments from your Universal Credit to collect the remaining money.

    " + ] + }, + "https://www.gov.uk/jobseekers-allowance": { + "url": "https://www.gov.uk/jobseekers-allowance", + "title": "Jobseeker's Allowance (JSA)", + "content": "## How it works\n\nYou can apply for \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA) to help you when you\u2019re looking for work.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou cannot apply for contribution-based or income-based JSA anymore. If you\u2019re currently getting contribution-based or income-based JSA, you\u2019ll keep getting payments while you\u2019re eligible until your claim ends.\n\n## What you need to do\n\n- Check you\u2019re eligible.\n\n- Make a claim for \u2018new style\u2019 JSA and attend a phone interview with your local Jobcentre Plus office.\n\n- Keep to your agreement to look for work. This agreement is called a \u2018Claimant Commitment\u2019 and you will create it at your phone interview.\n\nYour JSA payments will be stopped if you do not keep to your agreement to look for work and cannot give a good reason.\n\nCheck if you\u2019re eligible for Universal Credit. If you are, you could get Universal Credit at the same time or instead of \u2018new style\u2019 JSA.\n\n## What you\u2019ll get\n\nThere\u2019s a maximum amount you can get - but how much you\u2019re entitled to depends on your age.\n\nUse a benefits calculator to check how much JSA you can get, and how your other benefits will be affected.\n\n| Age | JSA weekly amount |\n\n| Up to 24 | up to \u00a359.20 |\n\n| 25 or over | up to \u00a374.70 |\n\n## How you\u2019re paid\n\nYour first payment will usually be within 7 days of your phone interview. It may not be the usual full amount.\n\nAfter that, payments are usually made every 2 weeks and they will be the full amount.\n\nAll benefits, pensions and allowances are usually paid into your bank, building society or credit union account.\n\n## If you\u2019re moving to Universal Credit from income-based JSA\n\nIf your income-based JSA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of JSA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.\n\nThe Department for Work and Pensions (DWP) will write to you telling you how this works.\n\nYou do not need to pay this money back, and it will not affect the amount of Universal Credit you get.\n\n## Eligibility\n\nTo be eligible for \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA) you\u2019ll need to have both:\n\n- worked as an employee\n\n- paid Class 1 National Insurance contributions, usually in the last 2 to 3 years (National Insurance credits can also count)\n\nYou will not be eligible if you were self-employed and only paid Class 2 National Insurance contributions, unless you were working as a share fisherman or a volunteer development worker.\n\nYou\u2019ll also need to:\n\n- be 18 or over (there are some exceptions if you\u2019re 16 or 17 - contact Jobcentre Plus for advice)\n\n- be under the State Pension age\n\n- not be in full-time education\n\n- be available for work\n\n- not be working at the moment, or be working less than 16 hours per week on average\n\n- not have an illness or disability which stops you from working\n\n- live in England, Scotland or Wales\n\n- have the right to work in the UK\n\nWhile you receive JSA, you\u2019ll need to take reasonable steps to look for work as agreed with your work coach. You must still follow the guidance on working safely during coronavirus.\n\nYour savings and your partner\u2019s income and savings will not affect your claim.\n\nYou can get \u2018new style\u2019 JSA for up to 182 days (about 6 months). After this you can talk to your work coach about your options.\n\nCheck if you\u2019re eligible for Universal Credit. If you are, you could get Universal Credit at the same time or instead of \u2018new style\u2019 JSA.\n\n## If you cannot work because of coronavirus (COVID-19)\n\nYou can claim JSA if you cannot work but you\u2019re still getting paid by your employer (\u2018on furlough\u2019) or through the Self-Employment Income Support Scheme.\n\nBoth of the following must also apply:\n\n- you usually work less than 16 hours a week\n\n- you meet the other eligibility requirements for JSA\n\n## Apply for 'new style' JSA\n\nBefore you apply for \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA), check if you\u2019re eligible.\n\nThere is a different process in Northern Ireland.\n\nTo apply, you\u2019ll need your:\n\n- National Insurance number\n\n- bank or building society account details (or those of a family member or trusted friend)\n\n- employment details for the past 6 months, including employer contact details and dates you worked with them\n\n- private pension statement letter\n\nTo reclaim you need to apply again, even if your details have not changed.\n\n## Backdating your claim\n\nWhen you apply, you can ask for your claim to be backdated by up to 3 months if you were not able to claim sooner.\n\nIf you want to backdate your claim, you\u2019ll need:\n\n- the date you want your claim to start from\n\n- the reason your claim was delayed\n\nYour claim may not be backdated if you do not have a good reason for the delay in making your claim. Reasons for backdating your claim could include:\n\n- you had a family bereavement - a partner, parent, child, brother or sister died\n\n- you were given the wrong advice that you could not get JSA\n\n## Apply online\n\nYou cannot apply online if you\u2019re under 18.\n\nApply for new style JSA\n\n## If you cannot apply online\n\nIf you need help applying or you\u2019re aged 16 to 17, contact Jobcentre Plus.\n\n## After you make your claim\n\nIf you applied online, you\u2019ll get a text to confirm that your application has been submitted.\n\nThe Department for Work and Pensions (DWP) will then contact you within 10 days of applying.\n\nYou do not need to contact DWP unless it has been more than 10 days since you applied and you haven\u2019t heard anything.\n\n## If you\u2019re eligible\n\nDWP will contact you within 10 days to schedule a phone interview that you must attend. It will normally be with a work coach from your local Jobcentre Plus office.\n\nAt the interview, you\u2019ll be asked some questions to confirm your identity and then you\u2019ll make an agreement about what steps you\u2019ll take to look for work. This agreement is called a \u2018Claimant Commitment\u2019.\n\nIf you need support during the appointment, you can have another person with you.\n\nContact Jobcentre Plus before your appointment if you:\n\n- need a foreign language interpreter, and do not have someone who can help with interpretation\n\n- have a disability or health condition, for example a hearing impairment which means you cannot attend a phone interview\n\n## If you\u2019re not eligible\n\nDWP will send you a letter within 10 days to explain why you are not eligible for JSA.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Make a complaint\n\nYou can complain about Jobcentre Plus if you\u2019re unhappy with the service you\u2019ve received.\n\n## Your JSA claim\n\nWhen you apply to claim JSA, your work coach will make an agreement with you to look for work. This agreement is called a \u2018Claimant Commitment\u2019.\n\nYour Claimant Commitment could include:\n\n- what you need to do to look for work - for example registering with recruitment agencies or writing a CV\n\n- how many hours you need to spend looking for work each week\n\nYou should continue to do all the things you have agreed to do if you can do them safely. You must still follow the guidance on working safely during coronavirus.\n\nYou can search and apply for work using the \u2018Find a job\u2019 service.\n\nYou must tell Jobcentre Plus if your circumstances change, for example you start working or your income changes.\n\n## Attending regular appointments\n\nYour work coach will arrange appointments with you every 1 to 2 weeks.\n\nAt these appointments, you must show your work coach what you\u2019ve been doing to look for work, for example proof of job applications and interviews.\n\nIf you\u2019re a victim of domestic abuse you might be able to get a break of up to 13 weeks from job seeking - speak to your work coach if you need this support.\n\n## When payment can be stopped\n\nYour JSA payments can be stopped for a period if you do not do something your work coach asks you to do. This is called being \u2018sanctioned\u2019. For example, if you:\n\n- do not take part in an appointment with your work coach\n\n- do not accept or keep to your agreement to look for work\n\n- turn down a job or training course\n\n- do not apply for any jobs you\u2019re told about\n\n- do not take part in any interviews you\u2019re invited to\n\n- do not go to any training booked for you or take part in employment schemes\n\n- leave your last job or training without good reason or because of your behaviour\n\nContact Jobcentre Plus as soon as possible if any of these apply to you. You may be able to keep your payment if you have good reason.\n\nYou\u2019ll be told how long your payment will be stopped for. It could be between 4 weeks and 26 weeks (about 6 months).\n\nIf you want to know how long your JSA payment could be stopped for, read part 3 of the guidance on JSA sanctions.\n\n## If your JSA payment is stopped\n\nIf your payment is stopped, you should keep looking for work. Your benefit payment could be stopped for longer if you do not.\n\nIf you disagree with the decision to stop payment, you can ask for the decision to be looked at again - this is called \u2018mandatory reconsideration\u2019.\n\nIf you disagree with the outcome of the mandatory reconsideration, you can appeal to the Social Security and Child Support Tribunal.\n\nYou should continue with any JSA claim until the dispute is settled.\n\n## If you claim Housing Benefit or Council Tax Reduction\n\nYou should contact your local council immediately. They\u2019ll tell you what to do to continue getting support.\n\n## If your claim is ended\n\nYour JSA claim may be ended if you\u2019re not available for or actively seeking work. You can apply again straight away, but your payments will be stopped for a period of either:\n\n- 4 weeks if it\u2019s the first time your claim has been ended\n\n- 13 weeks if a previous claim has been ended within the past year\n\n## Hardship payments\n\nYou may be able to get a hardship payment if your JSA payments have been stopped. You do not have to pay it back.\n\nA hardship payment is a reduced amount (usually 60%) of your JSA.\n\n## Eligibility\n\nYou can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your child.\n\nYou must be 18 or over.\n\nYou\u2019ll have to show that you\u2019ve tried to find the money from somewhere else, such as borrowing from a friend or working extra hours.\n\n## How to claim\n\nSpeak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.\n\n## If you\u2019re getting contribution-based or income-based JSA\n\nAs long as you\u2019re still eligible, you\u2019ll keep getting contribution-based or income-based Jobseeker\u2019s Allowance (JSA) until either:\n\n- your circumstances change\n\n- your claim for contribution-based JSA ends (you can get it for up to 182 days)\n\nJobcentre Plus will talk to you about your options. If you\u2019re eligible you might be able to claim Universal Credit.\n\nYou need to take reasonable steps to look for work while getting JSA. You must still follow the guidance on working safely during coronavirus.\n\nYou must tell Jobcentre Plus if your circumstances change, for example you start working or your income changes.\n\n## Working hours and income\n\nIf you start working more than 16 hours a week, you might stop being eligible for JSA.\n\nYou might stop being eligible for income-based JSA if:\n\n- your partner starts working 24 hours or more a week, or increases their hours to 16 hours or more a week\n\n- your savings increase to \u00a316,000 or more (including your partner\u2019s savings)\n\nYou cannot apply for contribution-based or income-based JSA anymore. Instead, check if you\u2019re eligible for Universal Credit and \u2018new style\u2019 JSA. You could get both at the same time.\n\n## Report a change of circumstances\n\nYou must tell Jobcentre Plus if your circumstances change, for example you start working or your income changes. This might affect how much you get.\n\nVolunteering will not normally affect your JSA but you should report it before you start.\n\nYour claim might be stopped or reduced if you do not report a change straight away.\n\nA change of circumstance can include:\n\n- starting or stopping work, education, training or an apprenticeship\n\n- changes to your or your partner\u2019s income or working hours\n\n- moving house\n\n- changing your name\n\n- people moving into or out of the place you live (for example your partner or a child)\n\n- changes to the benefits you or anyone else in your house gets\n\n- changes to your pension, savings, investments or property\n\n- changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)\n\n- changing your doctor\n\n- any changes to your medical condition or disability\n\n- going into hospital or a care home or sheltered accommodation\n\n- going abroad for any length of time\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nYou must tell Jobcentre Plus if you cannot work but you\u2019re still getting paid by your employer (\u2018on furlough\u2019) or you\u2019ve been given a grant through the Self-Employment Income Support Scheme.\n\nCall the JSA helpline if you\u2019re not sure whether you need to report a change.\n\nYou may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information, or do not report changes straight away.\n\n## How to report\n\nYou can report a change of circumstances by:\n\n- calling the JSA helpline\n\n- writing to the Jobcentre Plus office that pays your JSA - the address is on the letters you get about your JSA\n\nIf you\u2019re claiming Universal Credit as well as new style JSA, you must report changes to both services.\n\n## If you\u2019ve been paid too much\n\nIf you do not report a change straight away or give wrong or incomplete information, you might be paid too much. If you are, you might have to pay some of the money back.", + "original_contents": [ + "

    How it works

    ", + "

    You can apply for \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA) to help you when you\u2019re looking for work.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You cannot apply for contribution-based or income-based JSA anymore. If you\u2019re currently getting contribution-based or income-based JSA, you\u2019ll keep getting payments while you\u2019re eligible until your claim ends.

    ", + "

    What you need to do

    ", + "
  • Check you\u2019re eligible.
  • ", + "
  • Make a claim for \u2018new style\u2019 JSA and attend a phone interview with your local Jobcentre Plus office.
  • ", + "
  • Keep to your agreement to look for work. This agreement is called a \u2018Claimant Commitment\u2019 and you will create it at your phone interview.
  • ", + "

    Your JSA payments will be stopped if you do not keep to your agreement to look for work and cannot give a good reason.

    ", + "

    Check if you\u2019re eligible for Universal Credit. If you are, you could get Universal Credit at the same time or instead of \u2018new style\u2019 JSA.

    ", + "

    What you\u2019ll get

    ", + "

    There\u2019s a maximum amount you can get - but how much you\u2019re entitled to depends on your age.

    ", + "

    Use a benefits calculator to check how much JSA you can get, and how your other benefits will be affected.

    ", + "Age | JSA weekly amount", + "Up to 24 | up to \u00a359.20", + "25 or over | up to \u00a374.70", + "

    How you\u2019re paid

    ", + "

    Your first payment will usually be within 7 days of your phone interview. It may not be the usual full amount.

    ", + "

    After that, payments are usually made every 2 weeks and they will be the full amount.

    ", + "

    All benefits, pensions and allowances are usually paid into your bank, building society or credit union account.

    ", + "

    If you\u2019re moving to Universal Credit from income-based JSA

    ", + "

    If your income-based JSA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of JSA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.

    ", + "

    The Department for Work and Pensions (DWP) will write to you telling you how this works.

    ", + "

    You do not need to pay this money back, and it will not affect the amount of Universal Credit you get.

    ", + "

    Eligibility

    ", + "

    To be eligible for \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA) you\u2019ll need to have both:

    ", + "
  • worked as an employee
  • ", + "
  • paid Class 1 National Insurance contributions, usually in the last 2 to 3 years (National Insurance credits can also count)
  • ", + "

    You will not be eligible if you were self-employed and only paid Class 2 National Insurance contributions, unless you were working as a share fisherman or a volunteer development worker.

    ", + "

    You\u2019ll also need to:

    ", + "
  • be 18 or over (there are some exceptions if you\u2019re 16 or 17 - contact Jobcentre Plus for advice)
  • ", + "
  • be under the State Pension age
  • ", + "
  • not be in full-time education
  • ", + "
  • be available for work
  • ", + "
  • not be working at the moment, or be working less than 16 hours per week on average
  • ", + "
  • not have an illness or disability which stops you from working
  • ", + "
  • live in England, Scotland or Wales
  • ", + "
  • have the right to work in the UK
  • ", + "

    While you receive JSA, you\u2019ll need to take reasonable steps to look for work as agreed with your work coach. You must still follow the guidance on working safely during coronavirus.

    ", + "

    Your savings and your partner\u2019s income and savings will not affect your claim.

    ", + "

    You can get \u2018new style\u2019 JSA for up to 182 days (about 6 months). After this you can talk to your work coach about your options.

    ", + "

    Check if you\u2019re eligible for Universal Credit. If you are, you could get Universal Credit at the same time or instead of \u2018new style\u2019 JSA.

    ", + "

    If you cannot work because of coronavirus (COVID-19)

    ", + "

    You can claim JSA if you cannot work but you\u2019re still getting paid by your employer (\u2018on furlough\u2019) or through the Self-Employment Income Support Scheme.

    ", + "

    Both of the following must also apply:

    ", + "
  • you usually work less than 16 hours a week
  • ", + "
  • you meet the other eligibility requirements for JSA
  • ", + "

    Apply for 'new style' JSA

    ", + "

    Before you apply for \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA), check if you\u2019re eligible.

    ", + "

    There is a different process in Northern Ireland.

    ", + "

    To apply, you\u2019ll need your:

    ", + "
  • National Insurance number
  • ", + "
  • bank or building society account details (or those of a family member or trusted friend)
  • ", + "
  • employment details for the past 6 months, including employer contact details and dates you worked with them
  • ", + "
  • private pension statement letter
  • ", + "

    To reclaim you need to apply again, even if your details have not changed.

    ", + "

    Backdating your claim

    ", + "

    When you apply, you can ask for your claim to be backdated by up to 3 months if you were not able to claim sooner.

    ", + "

    If you want to backdate your claim, you\u2019ll need:

    ", + "
  • the date you want your claim to start from
  • ", + "
  • the reason your claim was delayed
  • ", + "

    Your claim may not be backdated if you do not have a good reason for the delay in making your claim. Reasons for backdating your claim could include:

    ", + "
  • you had a family bereavement - a partner, parent, child, brother or sister died
  • ", + "
  • you were given the wrong advice that you could not get JSA
  • ", + "

    Apply online

    ", + "

    You cannot apply online if you\u2019re under 18.

    ", + "

    Apply for new style JSA

    ", + "

    If you cannot apply online

    ", + "

    If you need help applying or you\u2019re aged 16 to 17, contact Jobcentre Plus.

    ", + "

    After you make your claim

    ", + "

    If you applied online, you\u2019ll get a text to confirm that your application has been submitted.

    ", + "

    The Department for Work and Pensions (DWP) will then contact you within 10 days of applying.

    ", + "

    You do not need to contact DWP unless it has been more than 10 days since you applied and you haven\u2019t heard anything.

    ", + "

    If you\u2019re eligible

    ", + "

    DWP will contact you within 10 days to schedule a phone interview that you must attend. It will normally be with a work coach from your local Jobcentre Plus office.

    ", + "

    At the interview, you\u2019ll be asked some questions to confirm your identity and then you\u2019ll make an agreement about what steps you\u2019ll take to look for work. This agreement is called a \u2018Claimant Commitment\u2019.

    ", + "

    If you need support during the appointment, you can have another person with you.

    ", + "

    Contact Jobcentre Plus before your appointment if you:

    ", + "
  • need a foreign language interpreter, and do not have someone who can help with interpretation
  • ", + "
  • have a disability or health condition, for example a hearing impairment which means you cannot attend a phone interview
  • ", + "

    If you\u2019re not eligible

    ", + "

    DWP will send you a letter within 10 days to explain why you are not eligible for JSA.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Make a complaint

    ", + "

    You can complain about Jobcentre Plus if you\u2019re unhappy with the service you\u2019ve received.

    ", + "

    Your JSA claim

    ", + "

    When you apply to claim JSA, your work coach will make an agreement with you to look for work. This agreement is called a \u2018Claimant Commitment\u2019.

    ", + "

    Your Claimant Commitment could include:

    ", + "
  • what you need to do to look for work - for example registering with recruitment agencies or writing a CV
  • ", + "
  • how many hours you need to spend looking for work each week
  • ", + "

    You should continue to do all the things you have agreed to do if you can do them safely. You must still follow the guidance on working safely during coronavirus.

    ", + "

    You can search and apply for work using the \u2018Find a job\u2019 service.

    ", + "

    You must tell Jobcentre Plus if your circumstances change, for example you start working or your income changes.

    ", + "

    Attending regular appointments

    ", + "

    Your work coach will arrange appointments with you every 1 to 2 weeks.

    ", + "

    At these appointments, you must show your work coach what you\u2019ve been doing to look for work, for example proof of job applications and interviews.

    ", + "

    If you\u2019re a victim of domestic abuse you might be able to get a break of up to 13 weeks from job seeking - speak to your work coach if you need this support.

    ", + "

    When payment can be stopped

    ", + "

    Your JSA payments can be stopped for a period if you do not do something your work coach asks you to do. This is called being \u2018sanctioned\u2019. For example, if you:

    ", + "
  • do not take part in an appointment with your work coach
  • ", + "
  • do not accept or keep to your agreement to look for work
  • ", + "
  • turn down a job or training course
  • ", + "
  • do not apply for any jobs you\u2019re told about
  • ", + "
  • do not take part in any interviews you\u2019re invited to
  • ", + "
  • do not go to any training booked for you or take part in employment schemes
  • ", + "
  • leave your last job or training without good reason or because of your behaviour
  • ", + "

    Contact Jobcentre Plus as soon as possible if any of these apply to you. You may be able to keep your payment if you have good reason.

    ", + "

    You\u2019ll be told how long your payment will be stopped for. It could be between 4 weeks and 26 weeks (about 6 months).

    ", + "

    If you want to know how long your JSA payment could be stopped for, read part 3 of the guidance on JSA sanctions.

    ", + "

    If your JSA payment is stopped

    ", + "

    If your payment is stopped, you should keep looking for work. Your benefit payment could be stopped for longer if you do not.

    ", + "

    If you disagree with the decision to stop payment, you can ask for the decision to be looked at again - this is called \u2018mandatory reconsideration\u2019.

    ", + "

    If you disagree with the outcome of the mandatory reconsideration, you can appeal to the Social Security and Child Support Tribunal.

    ", + "

    You should continue with any JSA claim until the dispute is settled.

    ", + "

    If you claim Housing Benefit or Council Tax Reduction

    ", + "

    You should contact your local council immediately. They\u2019ll tell you what to do to continue getting support.

    ", + "

    If your claim is ended

    ", + "

    Your JSA claim may be ended if you\u2019re not available for or actively seeking work. You can apply again straight away, but your payments will be stopped for a period of either:

    ", + "
  • 4 weeks if it\u2019s the first time your claim has been ended
  • ", + "
  • 13 weeks if a previous claim has been ended within the past year
  • ", + "

    Hardship payments

    ", + "

    You may be able to get a hardship payment if your JSA payments have been stopped. You do not have to pay it back.

    ", + "

    A hardship payment is a reduced amount (usually 60%) of your JSA.

    ", + "

    Eligibility

    ", + "

    You can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your child.

    ", + "

    You must be 18 or over.

    ", + "

    You\u2019ll have to show that you\u2019ve tried to find the money from somewhere else, such as borrowing from a friend or working extra hours.

    ", + "

    How to claim

    ", + "

    Speak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.

    ", + "

    If you\u2019re getting contribution-based or income-based JSA

    ", + "

    As long as you\u2019re still eligible, you\u2019ll keep getting contribution-based or income-based Jobseeker\u2019s Allowance (JSA) until either:

    ", + "
  • your circumstances change
  • ", + "
  • your claim for contribution-based JSA ends (you can get it for up to 182 days)
  • ", + "

    Jobcentre Plus will talk to you about your options. If you\u2019re eligible you might be able to claim Universal Credit.

    ", + "

    You need to take reasonable steps to look for work while getting JSA. You must still follow the guidance on working safely during coronavirus.

    ", + "

    You must tell Jobcentre Plus if your circumstances change, for example you start working or your income changes.

    ", + "

    Working hours and income

    ", + "

    If you start working more than 16 hours a week, you might stop being eligible for JSA.

    ", + "

    You might stop being eligible for income-based JSA if:

    ", + "
  • your partner starts working 24 hours or more a week, or increases their hours to 16 hours or more a week
  • ", + "
  • your savings increase to \u00a316,000 or more (including your partner\u2019s savings)
  • ", + "

    You cannot apply for contribution-based or income-based JSA anymore. Instead, check if you\u2019re eligible for Universal Credit and \u2018new style\u2019 JSA. You could get both at the same time.

    ", + "

    Report a change of circumstances

    ", + "

    You must tell Jobcentre Plus if your circumstances change, for example you start working or your income changes. This might affect how much you get.

    ", + "

    Volunteering will not normally affect your JSA but you should report it before you start.

    ", + "

    Your claim might be stopped or reduced if you do not report a change straight away.

    ", + "

    A change of circumstance can include:

    ", + "
  • starting or stopping work, education, training or an apprenticeship
  • ", + "
  • changes to your or your partner\u2019s income or working hours
  • ", + "
  • moving house
  • ", + "
  • changing your name
  • ", + "
  • people moving into or out of the place you live (for example your partner or a child)
  • ", + "
  • changes to the benefits you or anyone else in your house gets
  • ", + "
  • changes to your pension, savings, investments or property
  • ", + "
  • changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)
  • ", + "
  • changing your doctor
  • ", + "
  • any changes to your medical condition or disability
  • ", + "
  • going into hospital or a care home or sheltered accommodation
  • ", + "
  • going abroad for any length of time
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    You must tell Jobcentre Plus if you cannot work but you\u2019re still getting paid by your employer (\u2018on furlough\u2019) or you\u2019ve been given a grant through the Self-Employment Income Support Scheme.

    ", + "

    Call the JSA helpline if you\u2019re not sure whether you need to report a change.

    ", + "

    You may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information, or do not report changes straight away.

    ", + "

    How to report

    ", + "

    You can report a change of circumstances by:

    ", + "
  • calling the JSA helpline
  • ", + "
  • writing to the Jobcentre Plus office that pays your JSA - the address is on the letters you get about your JSA
  • ", + "

    If you\u2019re claiming Universal Credit as well as new style JSA, you must report changes to both services.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    If you do not report a change straight away or give wrong or incomplete information, you might be paid too much. If you are, you might have to pay some of the money back.

    " + ] + }, + "https://www.gov.uk/universal-credit": { + "url": "https://www.gov.uk/universal-credit", + "title": "Universal Credit", + "content": "## What Universal Credit is\n\nUniversal Credit is a payment to help with your living costs. It\u2019s paid monthly - or twice a month for some people in Scotland.\n\nYou may be able to get it if you\u2019re on a low income, out of work or you cannot work.\n\nThis guide is also available in Welsh (Cymraeg).\n\nIf you live in Northern Ireland, go to Universal Credit in Northern Ireland.\n\n## Sign in\n\nSign in to your Universal Credit account if you already have one.\n\n## If you already get other benefits\n\nUniversal Credit is replacing the following benefits:\n\n- Child Tax Credit\n\n- Housing Benefit\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance (JSA)\n\n- income-related Employment and Support Allowance (ESA)\n\n- Working Tax Credit\n\nIf you currently get any of these benefits, you do not need to do anything unless:\n\n- you have a change of circumstances you need to report\n\n- the Department for Work and Pensions (DWP) contacts you about moving to Universal Credit\n\nIf you get tax credits, they will stop when you or your partner applies for Universal Credit. Check how tax credits and Universal Credit affect each other.\n\n## Eligibility\n\nYou may be able to get Universal Credit if:\n\n- you\u2019re on a low income or out of work\n\n- you\u2019re 18 or over (there are some exceptions if you\u2019re 16 to 17)\n\n- you\u2019re under State Pension age (or your partner is)\n\n- you and your partner have \u00a316,000 or less in savings between you\n\n- you live in the UK\n\nIf you\u2019re an\u00a0EU,\u00a0EEA\u00a0or Swiss citizen, you and your family usually also need settled or pre-settled status under the EU Settlement Scheme to get Universal Credit. The deadline to apply to the EU Settlement Scheme is 30 June 2021.\n\nThe number of children you have does not affect your eligibility for Universal Credit, but it may affect how much you get.\n\nUse a benefits calculator to check what benefits you could get if you\u2019re not eligible for Universal Credit.\n\n## If you live with your partner\n\nYour partner\u2019s income and savings will be taken into account, even if they are not eligible for Universal Credit.\n\n## If you\u2019re 18 or over and in training or studying full-time\n\nYou can make a new claim for Universal Credit if any of the following apply:\n\n- you live with your partner and they\u2019re eligible for Universal Credit\n\n- you\u2019re responsible for a child, either as a single person or as a couple\n\n- you\u2019re in further education, are 21 or under and do not have parental support, for example you\u2019re estranged from your parents and you\u2019re not under local authority care\n\n## If you\u2019re moving from Employment and Support Allowance (ESA)\n\nYou can make a new claim for Universal Credit if you\u2019re in full-time education and all of the following apply:\n\n- you\u2019re entitled to Personal Independence Payment (PIP) or Disability Living Allowance (DLA)\n\n- you\u2019ve already been assessed as having limited capability for work\n\n- you make a new claim before your ESA ends or as soon as you\u2019re notified that your ESA claim has ended\n\n## If you\u2019re 16 or 17\n\nYou can make a new claim for Universal Credit if any of the following apply:\n\n- you have medical evidence and are waiting for a Work Capability Assessment\n\n- you\u2019re caring for a severely disabled person\n\n- you\u2019re responsible for a child\n\n- you\u2019re in a couple with responsibility for at least one child and your partner is eligible for Universal Credit\n\n- you\u2019re pregnant and it\u2019s 11 weeks or less before your expected week of childbirth\n\n- you\u2019ve had a child in the last 15 weeks\n\n- you do not have parental support, for example you\u2019re estranged from your parents and you\u2019re not under local authority care\n\n## If you\u2019re studying full-time\n\nYou can also make a claim if you\u2019re in full-time further education and any of the following apply:\n\n- you do not have parental support and you\u2019re not under local authority care\n\n- you have limited capability for work and you\u2019re entitled to Personal Independence Payment (PIP) or Disability Living Allowance (DLA)\n\n- you\u2019re responsible for a child\n\n- you\u2019re in a couple with responsibility for a child and your partner is eligible for Universal Credit\n\n## If you\u2019re in a couple and one of you is State Pension age\n\nYou and your partner can claim Universal Credit as a couple if one of you is under State Pension age and eligible for Universal Credit.\n\nWhen you both reach State Pension age your Universal Credit claim will stop.\n\nYou may be able to apply for Pension Credit or other benefits as a couple when your Universal Credit stops. Ask your Jobcentre Plus work coach what else you could be eligible for.\n\n## What you'll get\n\nYour Universal Credit payment is made up of a standard allowance and any extra amounts that apply to you, for example if you:\n\n- have children\n\n- have a disability or health condition which prevents you from working\n\n- need help paying your rent\n\nUse a benefits calculator to see how much you could get.\n\nHow much Universal Credit you get will depend on your earnings.\n\nYour circumstances are assessed every month. Changes in your circumstances can affect how much you\u2019re paid for the whole assessment period - not just from the date you report them.\n\nThe benefit cap may limit the total amount of benefit you receive.\n\n## Standard allowance\n\n| Your circumstances | Monthly standard allowance |\n\n| Single and under 25 | \u00a3344 |\n\n| Single and 25 or over | \u00a3411.51 |\n\n| In a couple and you\u2019re both under 25 | \u00a3490.60 (for you both) |\n\n| In a couple and either of you are 25 or over | \u00a3596.58 (for you both) |\n\n## Extra amounts\n\nYou may get more money on top of your standard allowance if you\u2019re eligible.\n\n## If you have children\n\nIf you have 1 or 2 children, you\u2019ll get an extra amount for each child.\n\nIf you have 3 or more children, you\u2019ll get an extra amount for at least 2 children. You can only get an extra amount for more children if any of the following are true:\n\n- your children were born before 6 April 2017\n\n- you were already claiming for 3 or more children before 6 April 2017\n\n- other exceptions apply\n\nYou\u2019ll get an extra amount for any disabled or severely disabled child - no matter how many children you have or when they were born.\n\n| How much you\u2019ll get | Extra monthly amount |\n\n| For your first child | \u00a3282.50 (born before 6 April 2017) \u00a3237.08 (born on or after 6 April 2017) |\n\n| For your second child and any other eligible children | \u00a3237.08 per child |\n\n| If you have a disabled or severely disabled child | \u00a3128.89 or \u00a3402.41 |\n\n| If you need help with childcare costs | up to 85% of your costs (up to \u00a3646.35 for one child and \u00a31,108.04 for 2 or more children) |\n\nYou might get the extra amount if you start caring for another child, depending on when they were born and how many children you have.\n\n## If you have a disability or health condition\n\n| How much you\u2019ll get | Extra monthly amount |\n\n| If you have limited capability for work and work-related activity | \u00a3343.63 |\n\n| If you have limited capability for work and you started your health-related Universal Credit or Employment and Support Allowance (ESA) claim before 3 April 2017 | \u00a3128.89 |\n\nIf you get the severe disability premium you may also be entitled to an extra \u2018transitional protection\u2019 payment if you\u2019re moving to Universal Credit.\n\n## If you care for a severely disabled person\n\n| How much you\u2019ll get | Extra monthly amount |\n\n| If you provide care for at least 35 hours a week for a severely disabled person who receives a disability-related benefit | \u00a3163.73 |\n\nThis is on top of any extra amount you get if you have a disabled child.\n\n## Housing costs\n\nYou could get money to help pay your housing costs. How much you get depends on your age and circumstances.\n\nThe payment can cover rent and some service charges.\n\nIf you\u2019re a homeowner, you might be able to get a loan to help with interest payments on your mortgage or other loans you\u2019ve taken out for your home.\n\n## Other support you could get\n\nIf you receive Universal Credit you may also be able to get other financial support depending on your circumstances.\n\n## How your earnings affect your payments\n\nIf you\u2019re employed, how much Universal Credit you get will depend on your earnings. Your Universal Credit payment will reduce gradually as you earn more - for every \u00a31 you earn your payment reduces by 63p.\n\nThere\u2019s no limit to how many hours you can work.\n\nUse a benefits calculator to see how increasing your hours or starting a new job could affect what you get.\n\n## The work allowance\n\nYou can earn a certain amount before your Universal Credit is reduced if you or your partner are either:\n\n- responsible for a child or young person\n\n- living with a disability or health condition that affects your ability to work\n\nThis is called a \u2018work allowance\u2019. Your work allowance is lower if you get help with housing costs.\n\n| Your circumstances | Monthly work allowance |\n\n| You get help with housing costs | \u00a3293 |\n\n| You do not get help with housing costs | \u00a3515 |\n\n## If your employer has put you on temporary leave (\u2018furlough\u2019)\n\nIf you\u2019re on furlough because your employer has no work for you, you can get up to 80% of your wages paid through the Coronavirus Job Retention Scheme, up to a monthly limit of \u00a32,500. Your employer takes care of this.\n\nYou can check if your employer can use the scheme.\n\n## If your payment stops because your earnings increased\n\nAs your income increases, your payment will reduce until you\u2019re earning enough to no longer claim Universal Credit. Your payment will then be stopped. You\u2019ll be told when this happens.\n\nIf your earnings decrease after this, you can claim Universal Credit again.\n\nIf you received your last payment 6 months ago or less, you can restart your old claim by signing in to your Universal Credit account. You\u2019ll need to report any changes in your circumstances. If you\u2019re eligible for Universal Credit, your payments will restart with the same monthly assessment period you had previously.\n\nIf you received your last payment more than 6 months ago, you\u2019ll need to make a new claim for Universal Credit. You can make a new claim by signing in to your Universal Credit account. You will not be paid on the same date as your previous claim. It usually takes around 5 weeks to get your first payment.\n\n## Surplus earnings\n\nIf your monthly earnings are more than \u00a32,500 over the amount where your payment stopped, this becomes \u2018surplus earnings\u2019.\n\nYour surplus earnings will be carried forward to the following month, where they count towards your earnings. If your earnings (including your surplus earnings) are then still over the amount where your payment stops, you will not get a Universal Credit payment.\n\nIf your earnings fall below the amount where your payment stopped, your surplus will decrease. Once your surplus has gone, you\u2019ll be able to get a Universal Credit payment again.\n\nYou\u2019ll need to reclaim Universal Credit every month until your earnings have reduced enough to get another payment.\n\nYou can talk to your work coach for more information about surplus earnings.\n\nThe statement in your online journal will show your work allowance and when the surplus reduces.\n\n## If you separate from your partner\n\nIf you\u2019re part of a couple that claims Universal Credit together, any surplus earnings will be divided equally between you if you separate.\n\nYou\u2019ll then need to re-apply individually, with your part of the surplus earnings counting towards your earnings.\n\nIf you\u2019re a victim of domestic abuse you do not take on any surplus earnings from your partner. Talk to your work coach to make sure your partner\u2019s surplus earnings are not divided between you.\n\n## If you\u2019re self-employed\n\nYou can carry over a loss (as well as a surplus) to the following month. A loss will be deducted from your next month\u2019s earnings.\n\n## How you're paid\n\nUniversal Credit is paid once a month, usually into your bank, building society or credit union account.\n\nYour payment can include an amount for housing, which you\u2019ll usually need to pay to your landlord.\n\nIf you\u2019re not able to open a bank, building society or credit union account, call the Universal Credit helpline to arrange a different way of getting paid.\n\nFind out how you\u2019ll be paid if you\u2019re in Northern Ireland.\n\n## Your first payment\n\nIt usually takes around 5 weeks to get your first payment.\n\nIf you need help with your living costs while you wait for your first payment, you can apply for an advance.\n\nThe wait before your first payment is made up of a one month assessment period and up to 7 days for the payment to reach your account.\n\n## Payment dates\n\nAfter the first payment, you\u2019ll be paid on the same date of every month.\n\nIf your payment date is on a weekend, you\u2019ll be paid on the working day before.\n\nYou\u2019ll get a monthly statement that tells you how much Universal Credit you\u2019re going to get.\n\nCall the helpline straight away if your payment does not arrive on time.\n\n## If you live in Scotland\n\nYou can get paid once or twice a month.\n\nIf you\u2019re making a new claim, you\u2019ll get a notification about how often you want to be paid. You get this after your first payment.\n\nIf you\u2019re already getting Universal Credit and have not had a notification, you can ask your work coach to be paid twice a month.\n\nWhen you\u2019re paid twice a month your first payment will be for a full month. You\u2019ll get the first half of your second month\u2019s payment a month after this. The second half will be paid 15 days later. This means there will be about a month and a half between your first payment and the full amount for your second month.\n\nAfter this, you\u2019ll be paid twice a month.\n\n## If you live with a partner\n\nIf you both claim Universal Credit, you\u2019ll get one payment each month for your household.\n\nIf you live in Scotland and you\u2019ve chosen to be paid twice monthly, you\u2019ll receive 2 payments each month for your household.\n\nPhone the Universal Credit helpline if you\u2019re worried about getting access to this money.\n\n## How often you\u2019re paid can affect your Universal Credit\n\nIf you\u2019re paid once a month on the same date and nothing changes in your earnings, then your Universal Credit amount should stay the same.\n\nYour Universal Credit can be affected if you receive no wages or more than one set of wages during some assessment periods. This could happen if:\n\n- you\u2019re paid weekly, every 2 weeks or every 4 weeks\n\n- your monthly payment date changes, for example you get paid on the last working day of each month\n\n## If your monthly payment date changes\n\nYou\u2019ll need to sign into your online account to check how much your next monthly payment will be. If it looks like you\u2019ll get paid too much or too little Universal Credit, ask your work coach to move your wages into another assessment period.\n\n## If you\u2019re paid weekly, every 2 weeks or every 4 weeks\n\nYou\u2019ll be told if your earnings are too high and whether you\u2019ll need to reapply to continue to get Universal Credit.\n\n| How often you\u2019re paid by your employer | The impact |\n\n| Every 4 weeks | Once a year, you\u2019ll get 2 sets of wages in one assessment period |\n\n| Every 2 weeks | Twice a year, you\u2019ll get 3 sets of wages in one assessment period |\n\n| Every week | Four times a year, you\u2019ll get 5 sets of wages in one assessment period |\n\n## How to claim\n\nApply for Universal Credit online.\n\nYou have to apply as a couple if you and your partner live together. You do not need to be married.\n\nThe Universal Credit team might phone you after you\u2019ve sent your application if they need more information or if you cannot verify your identity online.\n\nYou cannot claim Universal Credit and tax credits at the same time. If you get tax credits, they will stop when you or your partner applies for Universal Credit. Check how tax credits and Universal Credit affect each other.\n\n## What you need to apply\n\nYou\u2019ll need:\n\n- your bank, building society or credit union account details (call the Universal Credit helpline if you do not have one)\n\n- an email address\n\n- information about your housing, for example how much rent you pay\n\n- details of your income, for example payslips\n\n- details of savings and any investments, like shares or a property that you rent out\n\n- details of how much you pay for childcare if you\u2019re applying for help with childcare costs\n\nIf you do not provide the right information when you apply it might affect when you get paid or how much you get.\n\nYou also have to verify your identity online. You\u2019ll need some proof of identity for this, for example your:\n\n- driving licence\n\n- passport\n\n- debit or credit card\n\n## Apply for Universal Credit online\n\nApply now\n\n## If you cannot verify your identity online\n\nThe Universal Credit team will phone you to help you verify your identity.\n\n## Help with your application\n\nIf you need help with your application, ask straight away - the sooner you apply for Universal Credit, the sooner you get your first payment.\n\nThere are 2 ways to get help with your Universal Credit application.\n\n## Universal Credit helpline\n\nContact the Universal Credit helpline if:\n\n- you cannot use digital services at all - this might be because of disability or your circumstances\n\n- you have a question about your claim and cannot access your online claim\n\n## British Sign Language (BSL) video relay service\n\nYou can use the BSL video relay service to make a claim.\n\nFind out what you need to do to use the service.\n\nThe service is available Monday to Friday, 8am to 4pm.\n\n## Help to Claim\n\nHelp to Claim can support you in the early stages of your Universal Credit claim, from the online application, through to support with your application before your first full payment.\n\nIt\u2019s a free, independent, confidential and impartial service provided by trained advisers from Citizens Advice. They can help with things like how to gather evidence for your application or how to prepare for your first Jobcentre appointment.\n\nGet Help to Claim:\n\n- if you live in England or Wales\n\n- if you live in Scotland\n\n## After you apply\n\nThe Department for Work and Pensions (DWP) will make an appointment to talk to you, either over the phone or face-to-face.\n\n## If you have a disability or illness that affects your work\n\nYou may need a Work Capability Assessment to see how your disability or health condition affects your ability to work.\n\nDepending on the outcome of your assessment you may be eligible for an extra amount on top of your standard allowance.\n\n## Terminal illness\n\nIf you\u2019re terminally ill, you may get extra money for Universal Credit.\n\nIf you\u2019re making a new claim, you can declare this during your application. If you\u2019ve already made a claim, you\u2019ll need to report this as a change of circumstances.\n\n## If you\u2019ve claimed Universal Credit before\n\nYou can sign in to your account to make a new claim if you\u2019ve claimed Universal Credit at any time during the last 6 months.\n\nIf you stopped claiming more than 6 months ago, you\u2019ll need to reapply for Universal Credit.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Get an advance on your first payment\n\nIf you need help to pay your bills or cover other costs while you wait for your first Universal Credit payment, you can apply to get an advance.\n\nThe most you can get as an advance is the amount of your first estimated payment.\n\n## How to apply\n\nYou can apply for an advance payment in your online account or through your Jobcentre Plus work coach.\n\nYou\u2019ll need to:\n\n- explain why you need an advance\n\n- verify your identity (you\u2019ll do this when you apply online or on the phone with a work coach)\n\n- provide bank account details for the advance (talk to your work coach if you cannot open an account)\n\nYou\u2019ll usually find out the same day if you can get an advance.\n\n## If you need help\n\nCall the Universal Credit helpline if you need help applying for an advance payment.\n\n## How you pay back your advance\n\nYou start paying it back out of your first payment.\n\nYou can choose how many months you pay the advance back over, within the time limit. You must usually pay back the advance within:\n\n- 24 months if you apply on or after 12 April 2021\n\n- 12 months if you applied before 12 April 2021\n\nYou do not pay interest on it - the total amount you pay back is the same.\n\nRead more about getting a Universal Credit advance.\n\n## Your responsibilities\n\nYou\u2019ll make an agreement called a \u2018Claimant Commitment\u2019 with your work coach.\n\nWhat you need to do depends on your situation. You might need to do activities such as:\n\n- write a CV\n\n- look and apply for jobs\n\n- go on training courses\n\nYou\u2019ll also need to do things like:\n\n- pay your own rent and other housing costs\n\n- report any changes in your circumstances\n\nIf you\u2019re claiming with your partner, you\u2019ll each have a Claimant Commitment and set of responsibilities.\n\n## If you have children\n\nIf you\u2019re a single parent or the lead carer in a couple, your responsibilities will change as your youngest child gets older and will be tailored to your personal circumstances.\n\n| Age of your youngest child | Your responsibilities |\n\n| Under 1 | You do not need to look for work |\n\n| Aged 1 | You do not need to look for work. You need to have phone appointments with your work coach to discuss plans for moving into work in the future |\n\n| Aged 2 | You do not need to look for work. You need to have regular phone appointments with your work coach and do work preparation activities (for example, writing your CV) |\n\n| Aged 3 or 4 | Work a maximum of 16 hours a week (or spend 16 hours a week looking for work) |\n\n| Aged between 5 and 12 | Work a maximum of 25 hours a week (or spend 25 hours a week looking for work) |\n\n| 13 or older | Work a maximum of 35 hours a week (or spend 35 hours a week looking for work) |\n\n## If you get support with childcare costs\n\nYou must:\n\n- report your childcare costs when you pay them\n\n- prove you\u2019ve paid your childcare provider\n\nYou\u2019ll need to show proof of:\n\n- your childcare provider for each child, for example an invoice or contract that includes the provider\u2019s registration number and full contact details\n\n- the amount you paid and when you paid it, for example a receipt or bank statement\n\nYou can report childcare costs and provide proof that you\u2019ve paid by signing in to your Universal Credit account.\n\nYou\u2019ll usually get the childcare amount in your next Universal Credit payment.\n\nIf you pay for childcare after it\u2019s been provided, you can claim up to 3 months of past costs at a time. There may be a limit to how much you get back if you claim for more than one month\u2019s fees at a time. Talk to your work coach for advice.\n\nIf you pay for childcare in advance, you can claim up to 3 months of advance costs at a time. You\u2019ll be paid back in your monthly Universal Credit payments during the months the childcare is for.\n\n## If your payment is stopped or reduced\n\nIf you do not meet your responsibilities or what you\u2019ve agreed in your Claimant Commitment, your Universal Credit could be stopped or reduced. This is called a sanction.\n\nThere are different levels of sanctions and they\u2019re decided based on what you did and how often.\n\nYou\u2019ll get half a sanction if you apply with a partner and only one of you does not meet their responsibilities.\n\nYou can appeal a sanction if you think it\u2019s wrong. Citizens Advice can help with challenging a sanction.\n\n## Help if your payment is stopped or reduced\n\nYou can ask for a hardship payment if you cannot pay for rent, heating, food or hygiene needs because you got a sanction. You\u2019ll repay it through your Universal Credit payments - they\u2019ll be lower until you pay it back.\n\nYou must be 18 or over.\n\nYou\u2019ll have to show that you\u2019ve tried to:\n\n- find the money from somewhere else\n\n- only spend money on essentials\n\nCall the Universal Credit helpline to ask for a hardship payment.\n\n## Report a change of circumstances\n\nYou need to report changes to your circumstances so you keep getting the right amount each month.\n\nChanges can include:\n\n- finding or finishing a job\n\n- having a child\n\n- moving in with your partner\n\n- starting to care for a child or disabled person\n\n- changing your mobile number or email address\n\n- moving to a new address\n\n- changing your bank details\n\n- your rent going up or down\n\n- changes to your health condition\n\n- becoming too ill to work or meet your work coach\n\n- changes to your earnings (only if you\u2019re self-employed)\n\n- changes to your savings, investments and how much money you have\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## How to report\n\nYou can report a change of circumstances by signing in to your Universal Credit account.\n\n## If you get a job or increase the hours you work\n\nUse a benefits calculator or speak with your work coach to find out how getting a job or an increase in your earnings might affect your Universal Credit claim.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## If you have a terminal illness\n\nYou may get extra money if you\u2019re terminally ill.\n\n## If your life expectancy is more than 6 months\n\nYou\u2019ll need to report this in the same way as any other change of circumstance.\n\n## If your life expectancy is less than 6 months\n\nReport the change online through your Universal Credit account. You\u2019ll be contacted about what to do next.\n\nYou can also get someone else to report the change for you. They\u2019ll need to ask a doctor or healthcare professional to fill in form DS1500 (the doctor will have the form already). Either the doctor or your representative can send it to:\n\nIf you\u2019ve already sent form DS1500 for Personal Independence Payment or Employment and Support Allowance, you do not need to send it again.\n\nYou will not need to have a Work Capability Assessment.\n\n## Other financial support\n\nIf you\u2019re in financial difficulties, you can get help and advice from the government, local councils and other organisations.\n\n## Advance and hardship payments\n\nIf you do not have enough to live on while you wait for your first payment you can ask for an advance payment after you\u2019ve made a claim.\n\nYou can also ask for a hardship payment if you cannot pay for rent, heating, food or hygiene needs because you got a sanction.\n\nYou need to pay it back through your Universal Credit payments - they\u2019ll be lower until you pay it back.\n\n## Alternative Payment Arrangements\n\nIf you\u2019re having financial difficulties or you\u2019re behind on your rent, you or your landlord may be able to apply for an Alternative Payment Arrangement (APA).\n\nDepending on your circumstances, you could get an APA to:\n\n- get your rent paid directly to your landlord\n\n- get paid more frequently than once a month\n\n- receive split payments, if you\u2019re part of a couple\n\nSpeak to your work coach to apply for an APA.\n\n## Budgeting Advance\n\nYou might be able to get a Budgeting Advance to help with:\n\n- emergency household costs such as replacing a broken cooker\n\n- getting a job or staying in work\n\n- funeral costs\n\nYou\u2019ll repay it through your regular Universal Credit payments - these will be lower until you pay it back. If you stop getting Universal Credit, you\u2019ll have to repay the money in another way.\n\n## How much you can borrow\n\nThe smallest amount you can borrow is \u00a3100. You can get up to:\n\n- \u00a3348 if you\u2019re single\n\n- \u00a3464 if you\u2019re part of a couple\n\n- \u00a3812 if you have children\n\nWhat you get depends on whether you have savings of over \u00a31,000 and can pay the loan back.\n\n## Eligibility\n\nTo get a Budgeting Advance, all of the following must apply:\n\n- you\u2019ve been getting Universal Credit, Employment and Support Allowance, Income Support, Jobseeker\u2019s Allowance or State Pension Credit for 6 months or more, unless you need the money to help you start a new job or stay in work\n\n- you\u2019ve earned less than \u00a32,600 (\u00a33,600 together for couples) in the past 6 months\n\n- you\u2019ve paid off any previous Budgeting Advance loans\n\n## How to apply\n\nSign into your Universal Credit account and contact your work coach. They can tell you how to apply.\n\n## Other benefits you can claim\n\nIf you want to claim a benefit without your savings, your partner\u2019s savings or their income being taken into account, you can apply for either:\n\n- \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA)\n\n- \u2018new style\u2019 Employment and Support Allowance (ESA)\n\nUse a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment if you\u2019re disabled.\n\n## Other financial support you might get\n\nIf you receive Universal Credit you may be able to get other payments too.\n\nThe support you could get might be different in Scotland or Wales.\n\n## Help with housing costs and bills\n\nYou might be able to get:\n\n- BT Basic (or KCOM Flex Packages for the East Riding or Hull City Council local authority areas) if you have no income\n\n- a Cold Weather Payment\n\n- Disabled Facilities Grants\n\n- Discretionary Housing Payments if your Universal Credit payment is not enough to pay your rent\n\n- Energy Company Obligation (ECO) Affordable Warmth\n\n- a reduction in your Council Tax\n\n- WaterSure to cap your bills if you have a water meter\n\nYou can get advice on reducing your energy bills from:\n\n- Simple Energy Advice - in England and Wales\n\n- Energy Savings Trust Scotland - in Scotland\n\n- Bryson Energy - in Northern Ireland\n\n## Help if you\u2019re pregnant or have a child\n\nYou might be able to get:\n\n- free early education for 2 year olds\n\n- free school meals\n\n- Healthy Start vouchers (in England and Wales) if you\u2019re pregnant or have a child under 4 years old\n\n- Best Start Foods and a Best Start Grant (in Scotland) if you\u2019re pregnant or have a child under 4 years old\n\n- a Sure Start Maternity Grant in England and Wales\n\n- a Pregnancy and Baby payment in Scotland\n\n## Help with legal costs\n\nYou might be able to get:\n\n- help with prison visiting costs\n\n- help with the costs of using courts or tribunals\n\n- legal aid\n\n## Help with other costs\n\nYou might be able to get:\n\n- help with health costs, including prescriptions and dental treatment\n\n- a Funeral Expenses Payment\n\n- help with building up savings through Help to Save\n\n## Advice on money and debt\n\nYou can get help and advice from:\n\n- your Jobcentre Plus work coach\n\n- Citizens Advice\n\n- Money Advice Trust\n\n- the Money Manager tool from Money Advice Service\n\n- My Money Steps\n\n- National Debtline\n\n- Shelter for help with housing and homelessness\n\n- StepChange\n\n- Turn2Us\n\n## Contact Universal Credit\n\nYou can contact Universal Credit:\n\n- through your online account\n\n- by calling the Universal Credit helpline\n\n## If your query is about claiming \u2018new style\u2019 benefits with Universal Credit\n\nYou could get \u2018new style\u2019 Employment and Support Allowance (ESA) or \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA) at the same time or instead of Universal Credit.\n\n## Apply for \u2018new style\u2019 ESA\n\nYou can apply for \u2018new style\u2019 ESA online or contact the Universal Credit helpline.\n\n## Apply for \u2019new style\u2019 JSA\n\nYou can apply for \u2018new style\u2019 JSA online or contact the Jobcentre Plus helpline.\n\n## If you have a query about an existing claim for \u2018new style\u2019 ESA or JSA\n\nContact the Jobcentre Plus helpline.", + "original_contents": [ + "

    What Universal Credit is

    ", + "

    Universal Credit is a payment to help with your living costs. It\u2019s paid monthly - or twice a month for some people in Scotland.

    ", + "

    You may be able to get it if you\u2019re on a low income, out of work or you cannot work.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you live in Northern Ireland, go to Universal Credit in Northern Ireland.

    ", + "

    Sign in

    ", + "

    Sign in to your Universal Credit account if you already have one.

    ", + "

    If you already get other benefits

    ", + "

    Universal Credit is replacing the following benefits:

    ", + "
  • Child Tax Credit
  • ", + "
  • Housing Benefit
  • ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Working Tax Credit
  • ", + "

    If you currently get any of these benefits, you do not need to do anything unless:

    ", + "
  • you have a change of circumstances you need to report
  • ", + "
  • the Department for Work and Pensions (DWP) contacts you about moving to Universal Credit
  • ", + "

    If you get tax credits, they will stop when you or your partner applies for Universal Credit. Check how tax credits and Universal Credit affect each other.

    ", + "

    Eligibility

    ", + "

    You may be able to get Universal Credit if:

    ", + "
  • you\u2019re on a low income or out of work
  • ", + "
  • you\u2019re 18 or over (there are some exceptions if you\u2019re 16 to 17)
  • ", + "
  • you\u2019re under State Pension age (or your partner is)
  • ", + "
  • you and your partner have \u00a316,000 or less in savings between you
  • ", + "
  • you live in the UK
  • ", + "

    If you\u2019re an\u00a0EU,\u00a0EEA\u00a0or Swiss citizen, you and your family usually also need settled or pre-settled status under the EU Settlement Scheme to get Universal Credit. The deadline to apply to the EU Settlement Scheme is 30 June 2021.

    ", + "

    The number of children you have does not affect your eligibility for Universal Credit, but it may affect how much you get.

    ", + "

    Use a benefits calculator to check what benefits you could get if you\u2019re not eligible for Universal Credit.

    ", + "

    If you live with your partner

    ", + "

    Your partner\u2019s income and savings will be taken into account, even if they are not eligible for Universal Credit.

    ", + "

    If you\u2019re 18 or over and in training or studying full-time

    ", + "

    You can make a new claim for Universal Credit if any of the following apply:

    ", + "
  • you live with your partner and they\u2019re eligible for Universal Credit
  • ", + "
  • you\u2019re responsible for a child, either as a single person or as a couple
  • ", + "
  • you\u2019re in further education, are 21 or under and do not have parental support, for example you\u2019re estranged from your parents and you\u2019re not under local authority care
  • ", + "

    If you\u2019re moving from Employment and Support Allowance (ESA)

    ", + "

    You can make a new claim for Universal Credit if you\u2019re in full-time education and all of the following apply:

    ", + "
  • you\u2019re entitled to Personal Independence Payment (PIP) or Disability Living Allowance (DLA)
  • ", + "
  • you\u2019ve already been assessed as having limited capability for work
  • ", + "
  • you make a new claim before your ESA ends or as soon as you\u2019re notified that your ESA claim has ended
  • ", + "

    If you\u2019re 16 or 17

    ", + "

    You can make a new claim for Universal Credit if any of the following apply:

    ", + "
  • you have medical evidence and are waiting for a Work Capability Assessment
  • ", + "
  • you\u2019re caring for a severely disabled person
  • ", + "
  • you\u2019re responsible for a child
  • ", + "
  • you\u2019re in a couple with responsibility for at least one child and your partner is eligible for Universal Credit
  • ", + "
  • you\u2019re pregnant and it\u2019s 11 weeks or less before your expected week of childbirth
  • ", + "
  • you\u2019ve had a child in the last 15 weeks
  • ", + "
  • you do not have parental support, for example you\u2019re estranged from your parents and you\u2019re not under local authority care
  • ", + "

    If you\u2019re studying full-time

    ", + "

    You can also make a claim if you\u2019re in full-time further education and any of the following apply:

    ", + "
  • you do not have parental support and you\u2019re not under local authority care
  • ", + "
  • you have limited capability for work and you\u2019re entitled to Personal Independence Payment (PIP) or Disability Living Allowance (DLA)
  • ", + "
  • you\u2019re responsible for a child
  • ", + "
  • you\u2019re in a couple with responsibility for a child and your partner is eligible for Universal Credit
  • ", + "

    If you\u2019re in a couple and one of you is State Pension age

    ", + "

    You and your partner can claim Universal Credit as a couple if one of you is under State Pension age and eligible for Universal Credit.

    ", + "

    When you both reach State Pension age your Universal Credit claim will stop.

    ", + "

    You may be able to apply for Pension Credit or other benefits as a couple when your Universal Credit stops. Ask your Jobcentre Plus work coach what else you could be eligible for.

    ", + "

    What you'll get

    ", + "

    Your Universal Credit payment is made up of a standard allowance and any extra amounts that apply to you, for example if you:

    ", + "
  • have children
  • ", + "
  • have a disability or health condition which prevents you from working
  • ", + "
  • need help paying your rent
  • ", + "

    Use a benefits calculator to see how much you could get.

    ", + "

    How much Universal Credit you get will depend on your earnings.

    ", + "

    Your circumstances are assessed every month. Changes in your circumstances can affect how much you\u2019re paid for the whole assessment period - not just from the date you report them.

    ", + "

    The benefit cap may limit the total amount of benefit you receive.

    ", + "

    Standard allowance

    ", + "Your circumstances | Monthly standard allowance", + "Single and under 25 | \u00a3344", + "Single and 25 or over | \u00a3411.51", + "In a couple and you\u2019re both under 25 | \u00a3490.60 (for you both)", + "In a couple and either of you are 25 or over | \u00a3596.58 (for you both)", + "

    Extra amounts

    ", + "

    You may get more money on top of your standard allowance if you\u2019re eligible.

    ", + "

    If you have children

    ", + "

    If you have 1 or 2 children, you\u2019ll get an extra amount for each child.

    ", + "

    If you have 3 or more children, you\u2019ll get an extra amount for at least 2 children. You can only get an extra amount for more children if any of the following are true:

    ", + "
  • your children were born before 6 April 2017
  • ", + "
  • you were already claiming for 3 or more children before 6 April 2017
  • ", + "
  • other exceptions apply
  • ", + "

    You\u2019ll get an extra amount for any disabled or severely disabled child - no matter how many children you have or when they were born.

    ", + "How much you\u2019ll get | Extra monthly amount", + "For your first child | \u00a3282.50 (born before 6 April 2017) \u00a3237.08 (born on or after 6 April 2017)", + "For your second child and any other eligible children | \u00a3237.08 per child", + "If you have a disabled or severely disabled child | \u00a3128.89 or \u00a3402.41", + "If you need help with childcare costs | up to 85% of your costs (up to \u00a3646.35 for one child and \u00a31,108.04 for 2 or more children)", + "

    You might get the extra amount if you start caring for another child, depending on when they were born and how many children you have.

    ", + "

    If you have a disability or health condition

    ", + "How much you\u2019ll get | Extra monthly amount", + "If you have limited capability for work and work-related activity | \u00a3343.63", + "If you have limited capability for work and you started your health-related Universal Credit or Employment and Support Allowance (ESA) claim before 3 April 2017 | \u00a3128.89", + "

    If you get the severe disability premium you may also be entitled to an extra \u2018transitional protection\u2019 payment if you\u2019re moving to Universal Credit.

    ", + "

    If you care for a severely disabled person

    ", + "How much you\u2019ll get | Extra monthly amount", + "If you provide care for at least 35 hours a week for a severely disabled person who receives a disability-related benefit | \u00a3163.73", + "

    This is on top of any extra amount you get if you have a disabled child.

    ", + "

    Housing costs

    ", + "

    You could get money to help pay your housing costs. How much you get depends on your age and circumstances.

    ", + "

    The payment can cover rent and some service charges.

    ", + "

    If you\u2019re a homeowner, you might be able to get a loan to help with interest payments on your mortgage or other loans you\u2019ve taken out for your home.

    ", + "

    Other support you could get

    ", + "

    If you receive Universal Credit you may also be able to get other financial support depending on your circumstances.

    ", + "

    How your earnings affect your payments

    ", + "

    If you\u2019re employed, how much Universal Credit you get will depend on your earnings. Your Universal Credit payment will reduce gradually as you earn more - for every \u00a31 you earn your payment reduces by 63p.

    ", + "

    There\u2019s no limit to how many hours you can work.

    ", + "

    Use a benefits calculator to see how increasing your hours or starting a new job could affect what you get.

    ", + "

    The work allowance

    ", + "

    You can earn a certain amount before your Universal Credit is reduced if you or your partner are either:

    ", + "
  • responsible for a child or young person
  • ", + "
  • living with a disability or health condition that affects your ability to work
  • ", + "

    This is called a \u2018work allowance\u2019. Your work allowance is lower if you get help with housing costs.

    ", + "Your circumstances | Monthly work allowance", + "You get help with housing costs | \u00a3293", + "You do not get help with housing costs | \u00a3515", + "

    If your employer has put you on temporary leave (\u2018furlough\u2019)

    ", + "

    If you\u2019re on furlough because your employer has no work for you, you can get up to 80% of your wages paid through the Coronavirus Job Retention Scheme, up to a monthly limit of \u00a32,500. Your employer takes care of this.

    ", + "

    You can check if your employer can use the scheme.

    ", + "

    If your payment stops because your earnings increased

    ", + "

    As your income increases, your payment will reduce until you\u2019re earning enough to no longer claim Universal Credit. Your payment will then be stopped. You\u2019ll be told when this happens.

    ", + "

    If your earnings decrease after this, you can claim Universal Credit again.

    ", + "

    If you received your last payment 6 months ago or less, you can restart your old claim by signing in to your Universal Credit account. You\u2019ll need to report any changes in your circumstances. If you\u2019re eligible for Universal Credit, your payments will restart with the same monthly assessment period you had previously.

    ", + "

    If you received your last payment more than 6 months ago, you\u2019ll need to make a new claim for Universal Credit. You can make a new claim by signing in to your Universal Credit account. You will not be paid on the same date as your previous claim. It usually takes around 5 weeks to get your first payment.

    ", + "

    Surplus earnings

    ", + "

    If your monthly earnings are more than \u00a32,500 over the amount where your payment stopped, this becomes \u2018surplus earnings\u2019.

    ", + "

    Your surplus earnings will be carried forward to the following month, where they count towards your earnings. If your earnings (including your surplus earnings) are then still over the amount where your payment stops, you will not get a Universal Credit payment.

    ", + "

    If your earnings fall below the amount where your payment stopped, your surplus will decrease. Once your surplus has gone, you\u2019ll be able to get a Universal Credit payment again.

    ", + "

    You\u2019ll need to reclaim Universal Credit every month until your earnings have reduced enough to get another payment.

    ", + "

    You can talk to your work coach for more information about surplus earnings.

    ", + "

    The statement in your online journal will show your work allowance and when the surplus reduces.

    ", + "

    If you separate from your partner

    ", + "

    If you\u2019re part of a couple that claims Universal Credit together, any surplus earnings will be divided equally between you if you separate.

    ", + "

    You\u2019ll then need to re-apply individually, with your part of the surplus earnings counting towards your earnings.

    ", + "

    If you\u2019re a victim of domestic abuse you do not take on any surplus earnings from your partner. Talk to your work coach to make sure your partner\u2019s surplus earnings are not divided between you.

    ", + "

    If you\u2019re self-employed

    ", + "

    You can carry over a loss (as well as a surplus) to the following month. A loss will be deducted from your next month\u2019s earnings.

    ", + "

    How you're paid

    ", + "

    Universal Credit is paid once a month, usually into your bank, building society or credit union account.

    ", + "

    Your payment can include an amount for housing, which you\u2019ll usually need to pay to your landlord.

    ", + "

    If you\u2019re not able to open a bank, building society or credit union account, call the Universal Credit helpline to arrange a different way of getting paid.

    ", + "

    Find out how you\u2019ll be paid if you\u2019re in Northern Ireland.

    ", + "

    Your first payment

    ", + "

    It usually takes around 5 weeks to get your first payment.

    ", + "

    If you need help with your living costs while you wait for your first payment, you can apply for an advance.

    ", + "

    The wait before your first payment is made up of a one month assessment period and up to 7 days for the payment to reach your account.

    ", + "

    Payment dates

    ", + "

    After the first payment, you\u2019ll be paid on the same date of every month.

    ", + "

    If your payment date is on a weekend, you\u2019ll be paid on the working day before.

    ", + "

    You\u2019ll get a monthly statement that tells you how much Universal Credit you\u2019re going to get.

    ", + "

    Call the helpline straight away if your payment does not arrive on time.

    ", + "

    If you live in Scotland

    ", + "

    You can get paid once or twice a month.

    ", + "

    If you\u2019re making a new claim, you\u2019ll get a notification about how often you want to be paid. You get this after your first payment.

    ", + "

    If you\u2019re already getting Universal Credit and have not had a notification, you can ask your work coach to be paid twice a month.

    ", + "

    When you\u2019re paid twice a month your first payment will be for a full month. You\u2019ll get the first half of your second month\u2019s payment a month after this. The second half will be paid 15 days later. This means there will be about a month and a half between your first payment and the full amount for your second month.

    ", + "

    After this, you\u2019ll be paid twice a month.

    ", + "

    If you live with a partner

    ", + "

    If you both claim Universal Credit, you\u2019ll get one payment each month for your household.

    ", + "

    If you live in Scotland and you\u2019ve chosen to be paid twice monthly, you\u2019ll receive 2 payments each month for your household.

    ", + "

    Phone the Universal Credit helpline if you\u2019re worried about getting access to this money.

    ", + "

    How often you\u2019re paid can affect your Universal Credit

    ", + "

    If you\u2019re paid once a month on the same date and nothing changes in your earnings, then your Universal Credit amount should stay the same.

    ", + "

    Your Universal Credit can be affected if you receive no wages or more than one set of wages during some assessment periods. This could happen if:

    ", + "
  • you\u2019re paid weekly, every 2 weeks or every 4 weeks
  • ", + "
  • your monthly payment date changes, for example you get paid on the last working day of each month
  • ", + "

    If your monthly payment date changes

    ", + "

    You\u2019ll need to sign into your online account to check how much your next monthly payment will be. If it looks like you\u2019ll get paid too much or too little Universal Credit, ask your work coach to move your wages into another assessment period.

    ", + "

    If you\u2019re paid weekly, every 2 weeks or every 4 weeks

    ", + "

    You\u2019ll be told if your earnings are too high and whether you\u2019ll need to reapply to continue to get Universal Credit.

    ", + "How often you\u2019re paid by your employer | The impact", + "Every 4 weeks | Once a year, you\u2019ll get 2 sets of wages in one assessment period", + "Every 2 weeks | Twice a year, you\u2019ll get 3 sets of wages in one assessment period", + "Every week | Four times a year, you\u2019ll get 5 sets of wages in one assessment period", + "

    How to claim

    ", + "

    Apply for Universal Credit online.

    ", + "

    You have to apply as a couple if you and your partner live together. You do not need to be married.

    ", + "

    The Universal Credit team might phone you after you\u2019ve sent your application if they need more information or if you cannot verify your identity online.

    ", + "

    You cannot claim Universal Credit and tax credits at the same time. If you get tax credits, they will stop when you or your partner applies for Universal Credit. Check how tax credits and Universal Credit affect each other.

    ", + "

    What you need to apply

    ", + "

    You\u2019ll need:

    ", + "
  • your bank, building society or credit union account details (call the Universal Credit helpline if you do not have one)
  • ", + "
  • an email address
  • ", + "
  • information about your housing, for example how much rent you pay
  • ", + "
  • details of your income, for example payslips
  • ", + "
  • details of savings and any investments, like shares or a property that you rent out
  • ", + "
  • details of how much you pay for childcare if you\u2019re applying for help with childcare costs
  • ", + "

    If you do not provide the right information when you apply it might affect when you get paid or how much you get.

    ", + "

    You also have to verify your identity online. You\u2019ll need some proof of identity for this, for example your:

    ", + "
  • driving licence
  • ", + "
  • passport
  • ", + "
  • debit or credit card
  • ", + "

    Apply for Universal Credit online

    ", + "

    Apply now

    ", + "

    If you cannot verify your identity online

    ", + "

    The Universal Credit team will phone you to help you verify your identity.

    ", + "

    Help with your application

    ", + "

    If you need help with your application, ask straight away - the sooner you apply for Universal Credit, the sooner you get your first payment.

    ", + "

    There are 2 ways to get help with your Universal Credit application.

    ", + "

    Universal Credit helpline

    ", + "

    Contact the Universal Credit helpline if:

    ", + "
  • you cannot use digital services at all - this might be because of disability or your circumstances
  • ", + "
  • you have a question about your claim and cannot access your online claim
  • ", + "

    British Sign Language (BSL) video relay service

    ", + "

    You can use the BSL video relay service to make a claim.

    ", + "

    Find out what you need to do to use the service.

    ", + "

    The service is available Monday to Friday, 8am to 4pm.

    ", + "

    Help to Claim

    ", + "

    Help to Claim can support you in the early stages of your Universal Credit claim, from the online application, through to support with your application before your first full payment.

    ", + "

    It\u2019s a free, independent, confidential and impartial service provided by trained advisers from Citizens Advice. They can help with things like how to gather evidence for your application or how to prepare for your first Jobcentre appointment.

    ", + "

    Get Help to Claim:

    ", + "
  • if you live in England or Wales
  • ", + "
  • if you live in Scotland
  • ", + "

    After you apply

    ", + "

    The Department for Work and Pensions (DWP) will make an appointment to talk to you, either over the phone or face-to-face.

    ", + "

    If you have a disability or illness that affects your work

    ", + "

    You may need a Work Capability Assessment to see how your disability or health condition affects your ability to work.

    ", + "

    Depending on the outcome of your assessment you may be eligible for an extra amount on top of your standard allowance.

    ", + "

    Terminal illness

    ", + "

    If you\u2019re terminally ill, you may get extra money for Universal Credit.

    ", + "

    If you\u2019re making a new claim, you can declare this during your application. If you\u2019ve already made a claim, you\u2019ll need to report this as a change of circumstances.

    ", + "

    If you\u2019ve claimed Universal Credit before

    ", + "

    You can sign in to your account to make a new claim if you\u2019ve claimed Universal Credit at any time during the last 6 months.

    ", + "

    If you stopped claiming more than 6 months ago, you\u2019ll need to reapply for Universal Credit.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Get an advance on your first payment

    ", + "

    If you need help to pay your bills or cover other costs while you wait for your first Universal Credit payment, you can apply to get an advance.

    ", + "

    The most you can get as an advance is the amount of your first estimated payment.

    ", + "

    How to apply

    ", + "

    You can apply for an advance payment in your online account or through your Jobcentre Plus work coach.

    ", + "

    You\u2019ll need to:

    ", + "
  • explain why you need an advance
  • ", + "
  • verify your identity (you\u2019ll do this when you apply online or on the phone with a work coach)
  • ", + "
  • provide bank account details for the advance (talk to your work coach if you cannot open an account)
  • ", + "

    You\u2019ll usually find out the same day if you can get an advance.

    ", + "

    If you need help

    ", + "

    Call the Universal Credit helpline if you need help applying for an advance payment.

    ", + "

    How you pay back your advance

    ", + "

    You start paying it back out of your first payment.

    ", + "

    You can choose how many months you pay the advance back over, within the time limit. You must usually pay back the advance within:

    ", + "
  • 24 months if you apply on or after 12 April 2021
  • ", + "
  • 12 months if you applied before 12 April 2021
  • ", + "

    You do not pay interest on it - the total amount you pay back is the same.

    ", + "

    Read more about getting a Universal Credit advance.

    ", + "

    Your responsibilities

    ", + "

    You\u2019ll make an agreement called a \u2018Claimant Commitment\u2019 with your work coach.

    ", + "

    What you need to do depends on your situation. You might need to do activities such as:

    ", + "
  • write a CV
  • ", + "
  • look and apply for jobs
  • ", + "
  • go on training courses
  • ", + "

    You\u2019ll also need to do things like:

    ", + "
  • pay your own rent and other housing costs
  • ", + "
  • report any changes in your circumstances
  • ", + "

    If you\u2019re claiming with your partner, you\u2019ll each have a Claimant Commitment and set of responsibilities.

    ", + "

    If you have children

    ", + "

    If you\u2019re a single parent or the lead carer in a couple, your responsibilities will change as your youngest child gets older and will be tailored to your personal circumstances.

    ", + "Age of your youngest child | Your responsibilities", + "Under 1 | You do not need to look for work", + "Aged 1 | You do not need to look for work. You need to have phone appointments with your work coach to discuss plans for moving into work in the future", + "Aged 2 | You do not need to look for work. You need to have regular phone appointments with your work coach and do work preparation activities (for example, writing your CV)", + "Aged 3 or 4 | Work a maximum of 16 hours a week (or spend 16 hours a week looking for work)", + "Aged between 5 and 12 | Work a maximum of 25 hours a week (or spend 25 hours a week looking for work)", + "13 or older | Work a maximum of 35 hours a week (or spend 35 hours a week looking for work)", + "

    If you get support with childcare costs

    ", + "

    You must:

    ", + "
  • report your childcare costs when you pay them
  • ", + "
  • prove you\u2019ve paid your childcare provider
  • ", + "

    You\u2019ll need to show proof of:

    ", + "
  • your childcare provider for each child, for example an invoice or contract that includes the provider\u2019s registration number and full contact details
  • ", + "
  • the amount you paid and when you paid it, for example a receipt or bank statement
  • ", + "

    You can report childcare costs and provide proof that you\u2019ve paid by signing in to your Universal Credit account.

    ", + "

    You\u2019ll usually get the childcare amount in your next Universal Credit payment.

    ", + "

    If you pay for childcare after it\u2019s been provided, you can claim up to 3 months of past costs at a time. There may be a limit to how much you get back if you claim for more than one month\u2019s fees at a time. Talk to your work coach for advice.

    ", + "

    If you pay for childcare in advance, you can claim up to 3 months of advance costs at a time. You\u2019ll be paid back in your monthly Universal Credit payments during the months the childcare is for.

    ", + "

    If your payment is stopped or reduced

    ", + "

    If you do not meet your responsibilities or what you\u2019ve agreed in your Claimant Commitment, your Universal Credit could be stopped or reduced. This is called a sanction.

    ", + "

    There are different levels of sanctions and they\u2019re decided based on what you did and how often.

    ", + "

    You\u2019ll get half a sanction if you apply with a partner and only one of you does not meet their responsibilities.

    ", + "

    You can appeal a sanction if you think it\u2019s wrong. Citizens Advice can help with challenging a sanction.

    ", + "

    Help if your payment is stopped or reduced

    ", + "

    You can ask for a hardship payment if you cannot pay for rent, heating, food or hygiene needs because you got a sanction. You\u2019ll repay it through your Universal Credit payments - they\u2019ll be lower until you pay it back.

    ", + "

    You must be 18 or over.

    ", + "

    You\u2019ll have to show that you\u2019ve tried to:

    ", + "
  • find the money from somewhere else
  • ", + "
  • only spend money on essentials
  • ", + "

    Call the Universal Credit helpline to ask for a hardship payment.

    ", + "

    Report a change of circumstances

    ", + "

    You need to report changes to your circumstances so you keep getting the right amount each month.

    ", + "

    Changes can include:

    ", + "
  • finding or finishing a job
  • ", + "
  • having a child
  • ", + "
  • moving in with your partner
  • ", + "
  • starting to care for a child or disabled person
  • ", + "
  • changing your mobile number or email address
  • ", + "
  • moving to a new address
  • ", + "
  • changing your bank details
  • ", + "
  • your rent going up or down
  • ", + "
  • changes to your health condition
  • ", + "
  • becoming too ill to work or meet your work coach
  • ", + "
  • changes to your earnings (only if you\u2019re self-employed)
  • ", + "
  • changes to your savings, investments and how much money you have
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    How to report

    ", + "

    You can report a change of circumstances by signing in to your Universal Credit account.

    ", + "

    If you get a job or increase the hours you work

    ", + "

    Use a benefits calculator or speak with your work coach to find out how getting a job or an increase in your earnings might affect your Universal Credit claim.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    If you have a terminal illness

    ", + "

    You may get extra money if you\u2019re terminally ill.

    ", + "

    If your life expectancy is more than 6 months

    ", + "

    You\u2019ll need to report this in the same way as any other change of circumstance.

    ", + "

    If your life expectancy is less than 6 months

    ", + "

    Report the change online through your Universal Credit account. You\u2019ll be contacted about what to do next.

    ", + "

    You can also get someone else to report the change for you. They\u2019ll need to ask a doctor or healthcare professional to fill in form DS1500 (the doctor will have the form already). Either the doctor or your representative can send it to:

    ", + "

    If you\u2019ve already sent form DS1500 for Personal Independence Payment or Employment and Support Allowance, you do not need to send it again.

    ", + "

    You will not need to have a Work Capability Assessment.

    ", + "

    Other financial support

    ", + "

    If you\u2019re in financial difficulties, you can get help and advice from the government, local councils and other organisations.

    ", + "

    Advance and hardship payments

    ", + "

    If you do not have enough to live on while you wait for your first payment you can ask for an advance payment after you\u2019ve made a claim.

    ", + "

    You can also ask for a hardship payment if you cannot pay for rent, heating, food or hygiene needs because you got a sanction.

    ", + "

    You need to pay it back through your Universal Credit payments - they\u2019ll be lower until you pay it back.

    ", + "

    Alternative Payment Arrangements

    ", + "

    If you\u2019re having financial difficulties or you\u2019re behind on your rent, you or your landlord may be able to apply for an Alternative Payment Arrangement (APA).

    ", + "

    Depending on your circumstances, you could get an APA to:

    ", + "
  • get your rent paid directly to your landlord
  • ", + "
  • get paid more frequently than once a month
  • ", + "
  • receive split payments, if you\u2019re part of a couple
  • ", + "

    Speak to your work coach to apply for an APA.

    ", + "

    Budgeting Advance

    ", + "

    You might be able to get a Budgeting Advance to help with:

    ", + "
  • emergency household costs such as replacing a broken cooker
  • ", + "
  • getting a job or staying in work
  • ", + "
  • funeral costs
  • ", + "

    You\u2019ll repay it through your regular Universal Credit payments - these will be lower until you pay it back. If you stop getting Universal Credit, you\u2019ll have to repay the money in another way.

    ", + "

    How much you can borrow

    ", + "

    The smallest amount you can borrow is \u00a3100. You can get up to:

    ", + "
  • \u00a3348 if you\u2019re single
  • ", + "
  • \u00a3464 if you\u2019re part of a couple
  • ", + "
  • \u00a3812 if you have children
  • ", + "

    What you get depends on whether you have savings of over \u00a31,000 and can pay the loan back.

    ", + "

    Eligibility

    ", + "

    To get a Budgeting Advance, all of the following must apply:

    ", + "
  • you\u2019ve been getting Universal Credit, Employment and Support Allowance, Income Support, Jobseeker\u2019s Allowance or State Pension Credit for 6 months or more, unless you need the money to help you start a new job or stay in work
  • ", + "
  • you\u2019ve earned less than \u00a32,600 (\u00a33,600 together for couples) in the past 6 months
  • ", + "
  • you\u2019ve paid off any previous Budgeting Advance loans
  • ", + "

    How to apply

    ", + "

    Sign into your Universal Credit account and contact your work coach. They can tell you how to apply.

    ", + "

    Other benefits you can claim

    ", + "

    If you want to claim a benefit without your savings, your partner\u2019s savings or their income being taken into account, you can apply for either:

    ", + "
  • \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • \u2018new style\u2019 Employment and Support Allowance (ESA)
  • ", + "

    Use a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment if you\u2019re disabled.

    ", + "

    Other financial support you might get

    ", + "

    If you receive Universal Credit you may be able to get other payments too.

    ", + "

    The support you could get might be different in Scotland or Wales.

    ", + "

    Help with housing costs and bills

    ", + "

    You might be able to get:

    ", + "
  • BT Basic (or KCOM Flex Packages for the East Riding or Hull City Council local authority areas) if you have no income
  • ", + "
  • a Cold Weather Payment
  • ", + "
  • Disabled Facilities Grants
  • ", + "
  • Discretionary Housing Payments if your Universal Credit payment is not enough to pay your rent
  • ", + "
  • Energy Company Obligation (ECO) Affordable Warmth
  • ", + "
  • a reduction in your Council Tax
  • ", + "
  • WaterSure to cap your bills if you have a water meter
  • ", + "

    You can get advice on reducing your energy bills from:

    ", + "
  • Simple Energy Advice - in England and Wales
  • ", + "
  • Energy Savings Trust Scotland - in Scotland
  • ", + "
  • Bryson Energy - in Northern Ireland
  • ", + "

    Help if you\u2019re pregnant or have a child

    ", + "

    You might be able to get:

    ", + "
  • free early education for 2 year olds
  • ", + "
  • free school meals
  • ", + "
  • Healthy Start vouchers (in England and Wales) if you\u2019re pregnant or have a child under 4 years old
  • ", + "
  • Best Start Foods and a Best Start Grant (in Scotland) if you\u2019re pregnant or have a child under 4 years old
  • ", + "
  • a Sure Start Maternity Grant in England and Wales
  • ", + "
  • a Pregnancy and Baby payment in Scotland
  • ", + "

    Help with legal costs

    ", + "

    You might be able to get:

    ", + "
  • help with prison visiting costs
  • ", + "
  • help with the costs of using courts or tribunals
  • ", + "
  • legal aid
  • ", + "

    Help with other costs

    ", + "

    You might be able to get:

    ", + "
  • help with health costs, including prescriptions and dental treatment
  • ", + "
  • a Funeral Expenses Payment
  • ", + "
  • help with building up savings through Help to Save
  • ", + "

    Advice on money and debt

    ", + "

    You can get help and advice from:

    ", + "
  • your Jobcentre Plus work coach
  • ", + "
  • Citizens Advice
  • ", + "
  • Money Advice Trust
  • ", + "
  • the Money Manager tool from Money Advice Service
  • ", + "
  • My Money Steps
  • ", + "
  • National Debtline
  • ", + "
  • Shelter for help with housing and homelessness
  • ", + "
  • StepChange
  • ", + "
  • Turn2Us
  • ", + "

    Contact Universal Credit

    ", + "

    You can contact Universal Credit:

    ", + "
  • through your online account
  • ", + "
  • by calling the Universal Credit helpline
  • ", + "

    If your query is about claiming \u2018new style\u2019 benefits with Universal Credit

    ", + "

    You could get \u2018new style\u2019 Employment and Support Allowance (ESA) or \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA) at the same time or instead of Universal Credit.

    ", + "

    Apply for \u2018new style\u2019 ESA

    ", + "

    You can apply for \u2018new style\u2019 ESA online or contact the Universal Credit helpline.

    ", + "

    Apply for \u2019new style\u2019 JSA

    ", + "

    You can apply for \u2018new style\u2019 JSA online or contact the Jobcentre Plus helpline.

    ", + "

    If you have a query about an existing claim for \u2018new style\u2019 ESA or JSA

    ", + "

    Contact the Jobcentre Plus helpline.

    " + ] + }, + "https://www.gov.uk/pension-credit": { + "url": "https://www.gov.uk/pension-credit", + "title": "Pension Credit", + "content": "## Overview\n\nPension Credit gives you extra money to help with your living costs if you\u2019re over State Pension age and on a low income. Pension Credit can also help with housing costs such as ground rent or service charges.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou might get extra help if you\u2019re a carer, severely disabled, or responsible for a child or young person.\n\nPension Credit is separate from your State Pension.\n\nYou can get Pension Credit even if you have other income, savings or own your own home.\n\nThis guide covers Pension Credit in England, Scotland and Wales. Find out about Pension Credit in Northern Ireland.\n\n## Other help if you get Pension Credit\n\nIf you get Pension Credit you can also get other help, such as:\n\n- Housing Benefit if you rent the property you live in\n\n- Support for Mortgage Interest if you own the property you live in\n\n- Council Tax Reduction\n\n- a free TV licence if you\u2019re aged 75 or over\n\n- help with NHS dental treatment, glasses and transport costs for hospital appointments\n\n- help with your heating costs\n\n## Eligibility\n\nYou must live in England, Scotland or Wales and have reached State Pension age to qualify for Pension Credit.\n\nFind out about Pension Credit in Northern Ireland.\n\n## If you have a partner\n\nYou must include your partner on your application.\n\nYou\u2019ll be eligible if either:\n\n- you and your partner have both reached State Pension age\n\n- one of you is getting Housing Benefit for people over State Pension age\n\nA partner is either:\n\n- your husband, wife or civil partner - if you live with them\n\n- someone you live with as a couple, without being married or in a civil partnership\n\n## Your income\n\nWhen you apply for Pension Credit your income is calculated. If you have a partner, your income is calculated together.\n\nPension Credit tops up:\n\n- your weekly income to \u00a3177.10 if you\u2019re single\n\n- your joint weekly income to \u00a3270.30 if you have a partner\n\nIf your income is higher, you might still be eligible for Pension Credit if you have a disability, you care for someone, you have savings or you have housing costs.\n\n## What counts as income\n\nYour income includes:\n\n- State Pension\n\n- other pensions\n\n- earnings from employment and self-employment\n\n- most social security benefits, for example Carer\u2019s Allowance\n\n## What does not count as income\n\nNot all benefits are counted as income. For example, the following are not counted:\n\n- Attendance Allowance\n\n- Christmas Bonus\n\n- Child Benefit\n\n- Disability Living Allowance\n\n- Personal Independence Payment\n\n- social fund payments like Winter Fuel Allowance\n\n- Housing Benefit\n\n- Council Tax Reduction\n\n## If you\u2019ve deferred your pension\n\nIf you\u2019re entitled to a personal or workplace pension and you have not claimed it yet, the amount you\u2019d expect to get still counts as income.\n\nIf you\u2019ve deferred your State Pension, the amount of State Pension you would get is counted as income.\n\nYou cannot build up extra amounts for deferring your State Pension if you or your partner are getting Pension Credit.\n\n## Your savings and investments\n\nIf you have \u00a310,000 or less in savings and investments this will not affect your Pension Credit.\n\nIf you have more than \u00a310,000, every \u00a3500 over \u00a310,000 counts as \u00a31 income a week. For example, if you have \u00a311,000 in savings, this counts as \u00a32 income a week.\n\nContact the Pension Service helpline if your circumstances change.\n\n## What you'll get\n\nPension Credit tops up:\n\n- your weekly income to \u00a3177.10 if you\u2019re single\n\n- your joint weekly income to \u00a3270.30 if you have a partner\n\nYou may get extra amounts if you have other responsibilities and costs.\n\nThe top up and extra amounts are known as \u2018Guarantee Credit\u2019.\n\n## If you have a severe disability\n\nYou could get an extra \u00a367.30 a week if you get any of the following:\n\n- Attendance Allowance\n\n- the middle or highest rate care component of Disability Living Allowance (DLA)\n\n- Personal Independence Payment (PIP)\n\n- Armed Forces Independence Payment\n\n## If you care for another adult\n\nYou could get an extra \u00a337.70 a week if:\n\n- you get Carer\u2019s Allowance\n\n- you\u2019ve claimed Carer\u2019s Allowance but are not being paid because you already get another benefit paying a higher amount\n\nIf you and your partner have both claimed or are getting Carer\u2019s Allowance, you can both get this extra amount.\n\n## If you\u2019re responsible for children or young people\n\nYou could get an extra \u00a354.60 a week for each child or young person you\u2019re responsible for. This is increased to \u00a365.10 a week for the first child if they were born before 6 April 2017.\n\nThe child or young person must normally live with you and be under the age of 20.\n\nIf they\u2019re 16 or over and under 20, they must be in (or accepted for):\n\n- approved training, such as Foundation Apprenticeships\n\n- a course of non-advanced education (for example, they\u2019re studying for GCSEs or A levels)\n\nIf they\u2019re in education, it must be for more than 12 hours a week on average.\n\nIf you get Tax Credits, you cannot get this extra amount of Pension Credit for caring for a child. But you might be eligible for Child Tax Credits.\n\n## If the child or young person is disabled\n\nIf the child or young person is disabled, you could also get an extra amount of either:\n\n- \u00a329.66 a week if they get DLA or PIP\n\n- \u00a392.54 a week if they\u2019re blind or they get the highest rate care component of DLA, or the enhanced daily living component of PIP\n\n## If you have housing costs\n\nYou could get an extra amount to cover your housing costs, such as:\n\n- ground rent if your property is a leasehold\n\n- some service charges\n\n- charges for tents and site rents\n\nThe amount you could get depends on your housing costs.\n\nIf you get Pension Credit, you could also be eligible for:\n\n- Council Tax Reduction\n\n- Housing Benefit if you rent the property you live in\n\n- Support for Mortgage Interest if you own the property you live in\n\n## If you have savings or a second pension\n\nYou could get the \u2018Savings Credit\u2019 part of Pension Credit if both of the following apply:\n\n- you reached State Pension age before 6 April 2016\n\n- you saved some money for retirement, for example a personal or workplace pension\n\nYou\u2019ll get up to \u00a314.04 Savings Credit a week if you\u2019re single. If you have a partner, you\u2019ll get up to \u00a315.71 a week.\n\nYou might still get some Savings Credit even if you do not get the Guarantee Credit part of Pension Credit.\n\n## Other help if you get Pension Credit\n\nIf you get Pension Credit you\u2019ll automatically get cold weather payments.\n\nYou\u2019ll also be eligible to:\n\n- get help with NHS costs, such as prescriptions, dental treatment, glasses and transport costs for hospital appointments\n\n- apply for a free TV licence if you\u2019re aged 75 or over\n\n## Find out how much you could get\n\nUse the Pension Credit calculator to work out how much you might get.\n\nContact the Pension Service helpline if you\u2019re not sure whether you\u2019re eligible for extra amounts.\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into an account, for example a bank account.\n\n## How to claim\n\nYou can start your application up to 4 months before you reach State Pension age.\n\nYou can apply any time after you reach State Pension age but your application can only be backdated by 3 months. This means you can get up to 3 months of Pension Credit in your first payment if you were eligible during that time.\n\n## Information you\u2019ll need\n\nYou\u2019ll need the following information about you and your partner if you have one:\n\n- National Insurance number\n\n- information about any income, savings and investments you have\n\n- information about your income, savings and investments on the date you want to backdate your application to (usually 3 months ago or the date you reached State Pension age)\n\nYou\u2019ll also need your bank account details if you\u2019re applying by phone or by post.\n\n## Apply online\n\nYou can use the online service if:\n\n- you have already claimed your State Pension\n\n- there are no children or young people included in your application\n\nApply now\n\n## Apply by phone\n\nA friend or family member can call for you if you cannot use the phone.\n\n## Apply by post\n\nTo apply by post, print out and fill in the Pension Credit claim form or call the claim line to request a form.\n\nSend the claim form to the Pension Service, or ask someone to do it for you.\n\nContact a voluntary organisation like Citizens Advice or Age UK if you need help with the form.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your Pension Credit application. This is called asking for mandatory reconsideration.\n\n## Report a change of circumstances\n\nYou need to report changes to you and your partner\u2019s personal and financial circumstances.\n\nYour claim might be stopped or reduced if you do not report a change straight away. Some changes will increase the amount of Pension Credit you could get.\n\n## Changes to your personal circumstances\n\nA change of personal circumstances can include:\n\n- moving to a new address\n\n- starting or stopping living with a partner\n\n- the death of a partner who is named on your claim\n\n- starting or stopping work\n\n- going into hospital or a care home\n\n- people moving in or out of your house\n\n- changing your name\n\n- switching your bank account\n\n- changes to your Post Office card account\n\n- leaving England, Scotland and Wales for any period (for example, going on holiday)\n\n- you start or stop looking after a child or young person under the age of 20\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\n## Changes to your financial circumstances\n\nYou also need to report if your income or expenses change. This can include changes to:\n\n- housing costs, for example ground rent or service charges\n\n- benefits that anyone living in your home gets - including getting a new benefit or a benefit being stopped\n\n- occupational or personal pensions - including if you start to get a new pension or take a lump sum out of your pension pot\n\n- other income, for example foreign pensions or Working Tax Credits\n\n- savings, investments or property\n\nCall the Pension Credit helpline if you\u2019re not sure if you need to report a change.\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## How to report a change\n\nYou can also report by post. The address is on the letters you get about your Pension Credit.\n\n## Living with a partner under State Pension age\n\nYou will stop getting Pension Credit if you start living with a partner who is under State Pension age. You can start getting it again when your partner reaches State Pension age.\n\nIf you were living with a partner under State Pension age before 15 May 2019 and getting Pension Credit, you\u2019ll keep getting it unless you stop being eligible. If this happens, you usually won\u2019t be able to get Pension Credit again until you and your partner are both eligible.\n\nIf you cannot get Pension Credit, you might be entitled to Universal Credit instead, but you and your partner cannot get both at the same time. If one of you starts getting Universal Credit you\u2019ll stop being eligible for Pension Credit.\n\n## If you have an Assessed Income Period (AIP)\n\nAn AIP is a period of time when you do not have to report changes to your pensions, savings or investments.\n\nIf you have an AIP you must still report all other changes to your personal circumstances.\n\nYour Pension Credit award letter will tell you if you have an AIP. You may have one if you\u2019re aged 75 or over and you started getting Pension Credit before 6 April 2016.\n\nYour AIP will end if your household circumstances change, for example if you move into a care home or if you become a member of a couple.\n\nYou\u2019ll get a letter saying your AIP has ended. From then on, you must report all changes to your circumstances, including changes to your pensions, savings or investments.\n\nCall the Pension Service helpline if you\u2019re not sure if you need to report a change.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.", + "original_contents": [ + "

    Overview

    ", + "

    Pension Credit gives you extra money to help with your living costs if you\u2019re over State Pension age and on a low income. Pension Credit can also help with housing costs such as ground rent or service charges.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You might get extra help if you\u2019re a carer, severely disabled, or responsible for a child or young person.

    ", + "

    Pension Credit is separate from your State Pension.

    ", + "

    You can get Pension Credit even if you have other income, savings or own your own home.

    ", + "

    This guide covers Pension Credit in England, Scotland and Wales. Find out about Pension Credit in Northern Ireland.

    ", + "

    Other help if you get Pension Credit

    ", + "

    If you get Pension Credit you can also get other help, such as:

    ", + "
  • Housing Benefit if you rent the property you live in
  • ", + "
  • Support for Mortgage Interest if you own the property you live in
  • ", + "
  • Council Tax Reduction
  • ", + "
  • a free TV licence if you\u2019re aged 75 or over
  • ", + "
  • help with NHS dental treatment, glasses and transport costs for hospital appointments
  • ", + "
  • help with your heating costs
  • ", + "

    Eligibility

    ", + "

    You must live in England, Scotland or Wales and have reached State Pension age to qualify for Pension Credit.

    ", + "

    Find out about Pension Credit in Northern Ireland.

    ", + "

    If you have a partner

    ", + "

    You must include your partner on your application.

    ", + "

    You\u2019ll be eligible if either:

    ", + "
  • you and your partner have both reached State Pension age
  • ", + "
  • one of you is getting Housing Benefit for people over State Pension age
  • ", + "

    A partner is either:

    ", + "
  • your husband, wife or civil partner - if you live with them
  • ", + "
  • someone you live with as a couple, without being married or in a civil partnership
  • ", + "

    Your income

    ", + "

    When you apply for Pension Credit your income is calculated. If you have a partner, your income is calculated together.

    ", + "

    Pension Credit tops up:

    ", + "
  • your weekly income to \u00a3177.10 if you\u2019re single
  • ", + "
  • your joint weekly income to \u00a3270.30 if you have a partner
  • ", + "

    If your income is higher, you might still be eligible for Pension Credit if you have a disability, you care for someone, you have savings or you have housing costs.

    ", + "

    What counts as income

    ", + "

    Your income includes:

    ", + "
  • State Pension
  • ", + "
  • other pensions
  • ", + "
  • earnings from employment and self-employment
  • ", + "
  • most social security benefits, for example Carer\u2019s Allowance
  • ", + "

    What does not count as income

    ", + "

    Not all benefits are counted as income. For example, the following are not counted:

    ", + "
  • Attendance Allowance
  • ", + "
  • Christmas Bonus
  • ", + "
  • Child Benefit
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Personal Independence Payment
  • ", + "
  • social fund payments like Winter Fuel Allowance
  • ", + "
  • Housing Benefit
  • ", + "
  • Council Tax Reduction
  • ", + "

    If you\u2019ve deferred your pension

    ", + "

    If you\u2019re entitled to a personal or workplace pension and you have not claimed it yet, the amount you\u2019d expect to get still counts as income.

    ", + "

    If you\u2019ve deferred your State Pension, the amount of State Pension you would get is counted as income.

    ", + "

    You cannot build up extra amounts for deferring your State Pension if you or your partner are getting Pension Credit.

    ", + "

    Your savings and investments

    ", + "

    If you have \u00a310,000 or less in savings and investments this will not affect your Pension Credit.

    ", + "

    If you have more than \u00a310,000, every \u00a3500 over \u00a310,000 counts as \u00a31 income a week. For example, if you have \u00a311,000 in savings, this counts as \u00a32 income a week.

    ", + "

    Contact the Pension Service helpline if your circumstances change.

    ", + "

    What you'll get

    ", + "

    Pension Credit tops up:

    ", + "
  • your weekly income to \u00a3177.10 if you\u2019re single
  • ", + "
  • your joint weekly income to \u00a3270.30 if you have a partner
  • ", + "

    You may get extra amounts if you have other responsibilities and costs.

    ", + "

    The top up and extra amounts are known as \u2018Guarantee Credit\u2019.

    ", + "

    If you have a severe disability

    ", + "

    You could get an extra \u00a367.30 a week if you get any of the following:

    ", + "
  • Attendance Allowance
  • ", + "
  • the middle or highest rate care component of Disability Living Allowance (DLA)
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • Armed Forces Independence Payment
  • ", + "

    If you care for another adult

    ", + "

    You could get an extra \u00a337.70 a week if:

    ", + "
  • you get Carer\u2019s Allowance
  • ", + "
  • you\u2019ve claimed Carer\u2019s Allowance but are not being paid because you already get another benefit paying a higher amount
  • ", + "

    If you and your partner have both claimed or are getting Carer\u2019s Allowance, you can both get this extra amount.

    ", + "

    If you\u2019re responsible for children or young people

    ", + "

    You could get an extra \u00a354.60 a week for each child or young person you\u2019re responsible for. This is increased to \u00a365.10 a week for the first child if they were born before 6 April 2017.

    ", + "

    The child or young person must normally live with you and be under the age of 20.

    ", + "

    If they\u2019re 16 or over and under 20, they must be in (or accepted for):

    ", + "
  • approved training, such as Foundation Apprenticeships
  • ", + "
  • a course of non-advanced education (for example, they\u2019re studying for GCSEs or A levels)
  • ", + "

    If they\u2019re in education, it must be for more than 12 hours a week on average.

    ", + "

    If you get Tax Credits, you cannot get this extra amount of Pension Credit for caring for a child. But you might be eligible for Child Tax Credits.

    ", + "

    If the child or young person is disabled

    ", + "

    If the child or young person is disabled, you could also get an extra amount of either:

    ", + "
  • \u00a329.66 a week if they get DLA or PIP
  • ", + "
  • \u00a392.54 a week if they\u2019re blind or they get the highest rate care component of DLA, or the enhanced daily living component of PIP
  • ", + "

    If you have housing costs

    ", + "

    You could get an extra amount to cover your housing costs, such as:

    ", + "
  • ground rent if your property is a leasehold
  • ", + "
  • some service charges
  • ", + "
  • charges for tents and site rents
  • ", + "

    The amount you could get depends on your housing costs.

    ", + "

    If you get Pension Credit, you could also be eligible for:

    ", + "
  • Council Tax Reduction
  • ", + "
  • Housing Benefit if you rent the property you live in
  • ", + "
  • Support for Mortgage Interest if you own the property you live in
  • ", + "

    If you have savings or a second pension

    ", + "

    You could get the \u2018Savings Credit\u2019 part of Pension Credit if both of the following apply:

    ", + "
  • you reached State Pension age before 6 April 2016
  • ", + "
  • you saved some money for retirement, for example a personal or workplace pension
  • ", + "

    You\u2019ll get up to \u00a314.04 Savings Credit a week if you\u2019re single. If you have a partner, you\u2019ll get up to \u00a315.71 a week.

    ", + "

    You might still get some Savings Credit even if you do not get the Guarantee Credit part of Pension Credit.

    ", + "

    Other help if you get Pension Credit

    ", + "

    If you get Pension Credit you\u2019ll automatically get cold weather payments.

    ", + "

    You\u2019ll also be eligible to:

    ", + "
  • get help with NHS costs, such as prescriptions, dental treatment, glasses and transport costs for hospital appointments
  • ", + "
  • apply for a free TV licence if you\u2019re aged 75 or over
  • ", + "

    Find out how much you could get

    ", + "

    Use the Pension Credit calculator to work out how much you might get.

    ", + "

    Contact the Pension Service helpline if you\u2019re not sure whether you\u2019re eligible for extra amounts.

    ", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are paid into an account, for example a bank account.

    ", + "

    How to claim

    ", + "

    You can start your application up to 4 months before you reach State Pension age.

    ", + "

    You can apply any time after you reach State Pension age but your application can only be backdated by 3 months. This means you can get up to 3 months of Pension Credit in your first payment if you were eligible during that time.

    ", + "

    Information you\u2019ll need

    ", + "

    You\u2019ll need the following information about you and your partner if you have one:

    ", + "
  • National Insurance number
  • ", + "
  • information about any income, savings and investments you have
  • ", + "
  • information about your income, savings and investments on the date you want to backdate your application to (usually 3 months ago or the date you reached State Pension age)
  • ", + "

    You\u2019ll also need your bank account details if you\u2019re applying by phone or by post.

    ", + "

    Apply online

    ", + "

    You can use the online service if:

    ", + "
  • you have already claimed your State Pension
  • ", + "
  • there are no children or young people included in your application
  • ", + "

    Apply now

    ", + "

    Apply by phone

    ", + "

    A friend or family member can call for you if you cannot use the phone.

    ", + "

    Apply by post

    ", + "

    To apply by post, print out and fill in the Pension Credit claim form or call the claim line to request a form.

    ", + "

    Send the claim form to the Pension Service, or ask someone to do it for you.

    ", + "

    Contact a voluntary organisation like Citizens Advice or Age UK if you need help with the form.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your Pension Credit application. This is called asking for mandatory reconsideration.

    ", + "

    Report a change of circumstances

    ", + "

    You need to report changes to you and your partner\u2019s personal and financial circumstances.

    ", + "

    Your claim might be stopped or reduced if you do not report a change straight away. Some changes will increase the amount of Pension Credit you could get.

    ", + "

    Changes to your personal circumstances

    ", + "

    A change of personal circumstances can include:

    ", + "
  • moving to a new address
  • ", + "
  • starting or stopping living with a partner
  • ", + "
  • the death of a partner who is named on your claim
  • ", + "
  • starting or stopping work
  • ", + "
  • going into hospital or a care home
  • ", + "
  • people moving in or out of your house
  • ", + "
  • changing your name
  • ", + "
  • switching your bank account
  • ", + "
  • changes to your Post Office card account
  • ", + "
  • leaving England, Scotland and Wales for any period (for example, going on holiday)
  • ", + "
  • you start or stop looking after a child or young person under the age of 20
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    Changes to your financial circumstances

    ", + "

    You also need to report if your income or expenses change. This can include changes to:

    ", + "
  • housing costs, for example ground rent or service charges
  • ", + "
  • benefits that anyone living in your home gets - including getting a new benefit or a benefit being stopped
  • ", + "
  • occupational or personal pensions - including if you start to get a new pension or take a lump sum out of your pension pot
  • ", + "
  • other income, for example foreign pensions or Working Tax Credits
  • ", + "
  • savings, investments or property
  • ", + "

    Call the Pension Credit helpline if you\u2019re not sure if you need to report a change.

    ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    How to report a change

    ", + "

    You can also report by post. The address is on the letters you get about your Pension Credit.

    ", + "

    Living with a partner under State Pension age

    ", + "

    You will stop getting Pension Credit if you start living with a partner who is under State Pension age. You can start getting it again when your partner reaches State Pension age.

    ", + "

    If you were living with a partner under State Pension age before 15 May 2019 and getting Pension Credit, you\u2019ll keep getting it unless you stop being eligible. If this happens, you usually won\u2019t be able to get Pension Credit again until you and your partner are both eligible.

    ", + "

    If you cannot get Pension Credit, you might be entitled to Universal Credit instead, but you and your partner cannot get both at the same time. If one of you starts getting Universal Credit you\u2019ll stop being eligible for Pension Credit.

    ", + "

    If you have an Assessed Income Period (AIP)

    ", + "

    An AIP is a period of time when you do not have to report changes to your pensions, savings or investments.

    ", + "

    If you have an AIP you must still report all other changes to your personal circumstances.

    ", + "

    Your Pension Credit award letter will tell you if you have an AIP. You may have one if you\u2019re aged 75 or over and you started getting Pension Credit before 6 April 2016.

    ", + "

    Your AIP will end if your household circumstances change, for example if you move into a care home or if you become a member of a couple.

    ", + "

    You\u2019ll get a letter saying your AIP has ended. From then on, you must report all changes to your circumstances, including changes to your pensions, savings or investments.

    ", + "

    Call the Pension Service helpline if you\u2019re not sure if you need to report a change.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    " + ] + }, + "https://www.gov.uk/moving-from-benefits-to-work": { + "url": "https://www.gov.uk/moving-from-benefits-to-work", + "title": "Help with moving from benefits to work", + "content": "## Overview\n\nGet support from Jobcentre Plus to help you prepare for, find and stay in work, including:\n\n- training, guidance and work placement programmes\n\n- work experience, volunteering and job trialling schemes\n\n- help with starting your own business\n\n- help combining work with looking after children or caring responsibilities\n\n- extra help for specific problems\n\nYou may also be able to keep getting some benefits once you start working.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Support for disabled people\n\nSpeak to your local Jobcentre Plus if you\u2019re disabled or have a long-term health condition. They can help you find a job or gain new skills, and tell you about specific programmes to help you back into work.\n\nYou might be able to get an Access to Work grant to pay for:\n\n- special equipment, adaptations or support worker services to help you do things like answer the phone or go to meetings\n\n- help getting to and from work\n\n- mental health support\n\n- communication support at a job interview (for example, a British Sign Language interpreter or a lipspeaker)\n\n## Job search programmes\n\nYour Jobcentre Plus work coach can give you more information about programmes that can help you prepare for, find and stay in work.\n\nIf you live in Scotland, you can also get help from Fair Start Scotland.\n\n## Work Programme\n\nThe Work Programme stopped taking new participants on 1 April 2017. If you\u2019re already taking part, you can continue to do so for up to 2 years from the date you joined.\n\nYou\u2019ll have to attend an assessment interview with Jobcentre Plus if you\u2019ve been on the Work Programme for 2 years. The interview will help you plan, prepare and find work.\n\n## Help for specific types of work\n\nSector-based work academies offer training and work experience for up to 6 weeks in a particular industry or area of work.\n\nMost academies also offer a guaranteed interview for a job or an apprenticeship.\n\nThey\u2019re available to you if you\u2019re claiming any of the following because you\u2019re unemployed:\n\n- Jobseeker\u2019s Allowance\n\n- Employment and Support Allowance (if you\u2019re in the Work-Related Activity Group)\n\n- Universal Credit\n\n## Work clubs\n\nAnyone who\u2019s unemployed can join a Work Club. They\u2019re run by local organisations like employers and community groups, and give you the chance to share knowledge, experience and job hunting tips.\n\n## Work experience and volunteering\n\nContact Jobcentre Plus to find out about opportunities that can improve your chances of finding work, including work experience, volunteering and work trials.\n\nYou might be able to get help with costs like childcare and travel.\n\n## Work experience\n\nIf you\u2019re getting Jobseeker\u2019s Allowance (JSA) or Universal Credit, you can get work experience through Jobcentre Plus.\n\nWork experience can last between 2 and 8 weeks, and you\u2019ll normally be expected to work between 25 and 30 hours a week. You\u2019ll carry on getting your JSA or Universal Credit payment as long as you continue to look for work.\n\nYou may also be able to get help from Jobcentre Plus for costs related to work experience, for example for travel or childcare.\n\n## Work Together (volunteering)\n\nIf you\u2019re unemployed and looking for work, you can volunteer with a local organisation through the Work Together programme. Your Jobcentre Plus work coach will help you to find a volunteering opportunity.\n\n## Work trials\n\nA work trial gives you the chance to try out a job and keep getting benefits. It can last up to 30 working days, and you might get offered a job at the end.\n\nWork trials are voluntary, and your benefits will not be affected if you finish early or turn down a job you\u2019re offered.\n\nYour Jobcentre Plus can arrange a work trial for you, or you can ask them about how to do this yourself.\n\n## Employment on Trial\n\nEmployment on Trial allows you to leave a job and start claiming JSA again without this affecting your benefit (unless you\u2019re sacked or leave because of misconduct).\n\nYou must have worked more than 16 hours a week for between 4 and 12 weeks before leaving the job.\n\n## Starting or running your own business\n\nYou may be able to get New Enterprise Allowance to help you:\n\n- start your own business\n\n- develop your business, if you\u2019re already self-employed\n\n## Starting your own business\n\nYou could get mentoring and an allowance to help you start your own business through New Enterprise Allowance.\n\nYou may be eligible if you\u2019re over 18 and either:\n\n- you or your partner get Universal Credit, Jobseeker\u2019s Allowance or Employment and Support Allowance\n\n- you get Income Support and you\u2019re a lone parent, sick or disabled\n\n## What you\u2019ll get\n\nYou\u2019ll get a mentor who\u2019ll give you advice and support to help you set up your business and start to trade.\n\nOnce you\u2019ve made a business plan that your mentor has approved, you:\n\n- may get a weekly allowance worth up to \u00a31,274 over 26 weeks\n\n- can apply for a loan to help with start-up costs\n\n## How to get New Enterprise Allowance\n\nTalk to your Jobcentre Plus work coach. They\u2019ll check your business idea and help you if you\u2019re eligible.\n\n## Developing your business\n\nIf you\u2019re self-employed and getting Universal Credit, you may be able to:\n\n- get a mentor who\u2019ll give you advice and support to help you develop your business\n\n- apply for a start-up loan if your business is less than 2 years old\n\nTo find out if you\u2019re eligible for New Enterprise Allowance, contact your work coach by signing in to your Universal Credit account.\n\n## If you\u2019re disabled or you have a health condition\n\nYou may be able to get extra support through an Access to Work grant.\n\n## Help for parents and carers\n\nYour Jobcentre Plus work coach can tell you about support you can get to help you combine work with looking after children or caring responsibilities.\n\n## Help for parents\n\nParents can get help with childcare costs when moving from benefits to work.\n\n## Help for carers\n\nWork Preparation Support for Carers provides help and support for you to make a successful move into work, including access to training and advice on job hunting and applications.\n\nYou might be able to get help with the cost of replacement care while you take part in training or attend interviews.\n\n## Help with drug and alcohol problems\n\nYou may be able to get extra support if you have drug or alcohol problems that are stopping you working.\n\nYour Jobcentre Plus work coach can tell you about the help available from specialist drugs or alcohol treatment professionals in your area, and refer you to their services if you want.\n\nThis help is available to anyone getting benefits.\n\n## Support when you start working\n\nGoing back to work does not mean giving up all your benefits. Some benefits may carry on, and others may be available once you\u2019re working.\n\nContact Jobcentre Plus if you\u2019ve found a job and you or your partner have been getting:\n\n- Jobseeker\u2019s Allowance\n\n- Employment and Support Allowance\n\n- Income Support\n\n- Universal Credit\n\nYour Jobcentre Plus work coach will help you to manage your move into work, and sort out changes to your other benefits, including tax credits. What you can get will depend on how long you were claiming these benefits without a break.\n\nYou do not have to fill in any forms, but make sure you have details of your income, savings and any rent payments to hand.\n\nUse a benefits calculator to see how starting a job or increasing your working hours affects your benefits.\n\n## Help with housing\n\nDepending on how long you have been claiming benefits, you may be able to get:\n\n- Mortgage Interest Run On\n\n- Extended Payment of Housing Benefit\n\nThese payments provide help for up to 4 weeks when you start a new job and begin earning a wage. You may also be able to get extended reductions on your Council Tax.\n\n## If you\u2019re disabled or you have a health condition\n\nYou may be able to get extra support through an Access to Work grant.", + "original_contents": [ + "

    Overview

    ", + "

    Get support from Jobcentre Plus to help you prepare for, find and stay in work, including:

    ", + "
  • training, guidance and work placement programmes
  • ", + "
  • work experience, volunteering and job trialling schemes
  • ", + "
  • help with starting your own business
  • ", + "
  • help combining work with looking after children or caring responsibilities
  • ", + "
  • extra help for specific problems
  • ", + "

    You may also be able to keep getting some benefits once you start working.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Support for disabled people

    ", + "

    Speak to your local Jobcentre Plus if you\u2019re disabled or have a long-term health condition. They can help you find a job or gain new skills, and tell you about specific programmes to help you back into work.

    ", + "

    You might be able to get an Access to Work grant to pay for:

    ", + "
  • special equipment, adaptations or support worker services to help you do things like answer the phone or go to meetings
  • ", + "
  • help getting to and from work
  • ", + "
  • mental health support
  • ", + "
  • communication support at a job interview (for example, a British Sign Language interpreter or a lipspeaker)
  • ", + "

    Job search programmes

    ", + "

    Your Jobcentre Plus work coach can give you more information about programmes that can help you prepare for, find and stay in work.

    ", + "

    If you live in Scotland, you can also get help from Fair Start Scotland.

    ", + "

    Work Programme

    ", + "

    The Work Programme stopped taking new participants on 1 April 2017. If you\u2019re already taking part, you can continue to do so for up to 2 years from the date you joined.

    ", + "

    You\u2019ll have to attend an assessment interview with Jobcentre Plus if you\u2019ve been on the Work Programme for 2 years. The interview will help you plan, prepare and find work.

    ", + "

    Help for specific types of work

    ", + "

    Sector-based work academies offer training and work experience for up to 6 weeks in a particular industry or area of work.

    ", + "

    Most academies also offer a guaranteed interview for a job or an apprenticeship.

    ", + "

    They\u2019re available to you if you\u2019re claiming any of the following because you\u2019re unemployed:

    ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Employment and Support Allowance (if you\u2019re in the Work-Related Activity Group)
  • ", + "
  • Universal Credit
  • ", + "

    Work clubs

    ", + "

    Anyone who\u2019s unemployed can join a Work Club. They\u2019re run by local organisations like employers and community groups, and give you the chance to share knowledge, experience and job hunting tips.

    ", + "

    Work experience and volunteering

    ", + "

    Contact Jobcentre Plus to find out about opportunities that can improve your chances of finding work, including work experience, volunteering and work trials.

    ", + "

    You might be able to get help with costs like childcare and travel.

    ", + "

    Work experience

    ", + "

    If you\u2019re getting Jobseeker\u2019s Allowance (JSA) or Universal Credit, you can get work experience through Jobcentre Plus.

    ", + "

    Work experience can last between 2 and 8 weeks, and you\u2019ll normally be expected to work between 25 and 30 hours a week. You\u2019ll carry on getting your JSA or Universal Credit payment as long as you continue to look for work.

    ", + "

    You may also be able to get help from Jobcentre Plus for costs related to work experience, for example for travel or childcare.

    ", + "

    Work Together (volunteering)

    ", + "

    If you\u2019re unemployed and looking for work, you can volunteer with a local organisation through the Work Together programme. Your Jobcentre Plus work coach will help you to find a volunteering opportunity.

    ", + "

    Work trials

    ", + "

    A work trial gives you the chance to try out a job and keep getting benefits. It can last up to 30 working days, and you might get offered a job at the end.

    ", + "

    Work trials are voluntary, and your benefits will not be affected if you finish early or turn down a job you\u2019re offered.

    ", + "

    Your Jobcentre Plus can arrange a work trial for you, or you can ask them about how to do this yourself.

    ", + "

    Employment on Trial

    ", + "

    Employment on Trial allows you to leave a job and start claiming JSA again without this affecting your benefit (unless you\u2019re sacked or leave because of misconduct).

    ", + "

    You must have worked more than 16 hours a week for between 4 and 12 weeks before leaving the job.

    ", + "

    Starting or running your own business

    ", + "

    You may be able to get New Enterprise Allowance to help you:

    ", + "
  • start your own business
  • ", + "
  • develop your business, if you\u2019re already self-employed
  • ", + "

    Starting your own business

    ", + "

    You could get mentoring and an allowance to help you start your own business through New Enterprise Allowance.

    ", + "

    You may be eligible if you\u2019re over 18 and either:

    ", + "
  • you or your partner get Universal Credit, Jobseeker\u2019s Allowance or Employment and Support Allowance
  • ", + "
  • you get Income Support and you\u2019re a lone parent, sick or disabled
  • ", + "

    What you\u2019ll get

    ", + "

    You\u2019ll get a mentor who\u2019ll give you advice and support to help you set up your business and start to trade.

    ", + "

    Once you\u2019ve made a business plan that your mentor has approved, you:

    ", + "
  • may get a weekly allowance worth up to \u00a31,274 over 26 weeks
  • ", + "
  • can apply for a loan to help with start-up costs
  • ", + "

    How to get New Enterprise Allowance

    ", + "

    Talk to your Jobcentre Plus work coach. They\u2019ll check your business idea and help you if you\u2019re eligible.

    ", + "

    Developing your business

    ", + "

    If you\u2019re self-employed and getting Universal Credit, you may be able to:

    ", + "
  • get a mentor who\u2019ll give you advice and support to help you develop your business
  • ", + "
  • apply for a start-up loan if your business is less than 2 years old
  • ", + "

    To find out if you\u2019re eligible for New Enterprise Allowance, contact your work coach by signing in to your Universal Credit account.

    ", + "

    If you\u2019re disabled or you have a health condition

    ", + "

    You may be able to get extra support through an Access to Work grant.

    ", + "

    Help for parents and carers

    ", + "

    Your Jobcentre Plus work coach can tell you about support you can get to help you combine work with looking after children or caring responsibilities.

    ", + "

    Help for parents

    ", + "

    Parents can get help with childcare costs when moving from benefits to work.

    ", + "

    Help for carers

    ", + "

    Work Preparation Support for Carers provides help and support for you to make a successful move into work, including access to training and advice on job hunting and applications.

    ", + "

    You might be able to get help with the cost of replacement care while you take part in training or attend interviews.

    ", + "

    Help with drug and alcohol problems

    ", + "

    You may be able to get extra support if you have drug or alcohol problems that are stopping you working.

    ", + "

    Your Jobcentre Plus work coach can tell you about the help available from specialist drugs or alcohol treatment professionals in your area, and refer you to their services if you want.

    ", + "

    This help is available to anyone getting benefits.

    ", + "

    Support when you start working

    ", + "

    Going back to work does not mean giving up all your benefits. Some benefits may carry on, and others may be available once you\u2019re working.

    ", + "

    Contact Jobcentre Plus if you\u2019ve found a job and you or your partner have been getting:

    ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Employment and Support Allowance
  • ", + "
  • Income Support
  • ", + "
  • Universal Credit
  • ", + "

    Your Jobcentre Plus work coach will help you to manage your move into work, and sort out changes to your other benefits, including tax credits. What you can get will depend on how long you were claiming these benefits without a break.

    ", + "

    You do not have to fill in any forms, but make sure you have details of your income, savings and any rent payments to hand.

    ", + "

    Use a benefits calculator to see how starting a job or increasing your working hours affects your benefits.

    ", + "

    Help with housing

    ", + "

    Depending on how long you have been claiming benefits, you may be able to get:

    ", + "
  • Mortgage Interest Run On
  • ", + "
  • Extended Payment of Housing Benefit
  • ", + "

    These payments provide help for up to 4 weeks when you start a new job and begin earning a wage. You may also be able to get extended reductions on your Council Tax.

    ", + "

    If you\u2019re disabled or you have a health condition

    ", + "

    You may be able to get extra support through an Access to Work grant.

    " + ] + }, + "https://www.gov.uk/access-to-work": { + "url": "https://www.gov.uk/access-to-work", + "title": "Get support in work if you have a disability or health condition (Access to Work)", + "content": "## Overview\n\nIf you\u2019re disabled or have a physical or mental health condition that makes it hard for you to do your job, you can:\n\n- talk to your employer about changes they must make in your workplace\n\n- get extra help from Access to Work, including mental health support\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Talk to your employer about changes they must make in your workplace\n\nYour employer must make certain changes (known as \u2018reasonable adjustments\u2019) to make sure you\u2019re not substantially disadvantaged when doing your job. These could include changing your working hours or providing equipment to help you do your job.\n\nYou should talk to your employer about reasonable adjustments before you apply for Access to Work.\n\n## Get help from Access to Work\n\nIf the help you need at work is not covered by your employer making reasonable adjustments, you may be able to get help from Access to Work.\n\nYou need to have a paid job, or be about to start or return to one.\n\nYou\u2019ll be offered support based on your needs, which may include a grant to help cover the costs of practical support in the workplace. Your workplace can include your home if you work from there some or all of the time.\n\nAn Access to Work grant can pay for:\n\n- special equipment, adaptations or support worker services to help you do things like answer the phone or go to meetings\n\n- help getting to and from work\n\nYou might not get a grant if you already get certain benefits.\n\nThe money does not have to be paid back and will not affect your other benefits.\n\nThere\u2019s a different system in Northern Ireland.\n\n## Get mental health support\n\nYou can apply for Access to Work to get mental health support, or contact a Mental Health Support Service provider directly.\n\n## Eligibility\n\nTo get help from Access to Work you must:\n\n- have a disability or health condition (physical or mental) that makes it hard for you to do parts of your job or get to and from work\n\n- be 16 or over\n\n- live in England, Scotland or Wales - there\u2019s a different system in Northern Ireland\n\nYou also need to have a paid job, or be about to start or return to one. A paid job could include:\n\n- self-employment\n\n- an apprenticeship\n\n- a work trial or work experience\n\n- an internship\n\nYou cannot get a grant for voluntary work.\n\nYour job must be based in England, Scotland or Wales.\n\nYou cannot get Access to Work if you live in the Channel Islands or the Isle of Man.\n\n## If you get other benefits\n\nCertain benefits may affect whether you can get an Access to Work grant.\n\n## Universal Credit, Jobseeker\u2019s Allowance or Income Support\n\nYou can still get help from Access to Work if you work more than one hour a week.\n\n## Employment and Support Allowance\n\nYou can only get help from Access to Work if you\u2019re doing \u2018permitted work\u2019. It\u2019s permitted work if all of the following apply:\n\n- you earn up to \u00a3143 a week\n\n- you work less than 16 hours a week\n\n- it\u2019s been agreed with your work coach\n\n## What you'll get\n\nYou\u2019ll be offered support based on your needs. This may include a grant to help cover the costs of travel to and from work or practical support in the workplace. Your workplace can include your home if you work from there some or all of the time.\n\nThe grant can help pay for items or services you need, including:\n\n- adaptations to the equipment you use\n\n- special equipment or software\n\n- British Sign Language interpreters and video relay service support, lip speakers or note takers\n\n- adaptations to your vehicle so you can get to work\n\n- taxi fares to work or a support worker if you cannot use public transport - for example, if you use a wheelchair and your journey includes a train station that does not have ramps\n\n- taxi fares to work or a support worker if you cannot use public transport safely because of coronavirus (COVID-19) - for example, if you\u2019re blind and because of this you\u2019re unable to stay apart from other people\n\n- a support worker or job coach to help you in your workplace\n\n- personal protective equipment for your support worker, if you employ them yourself\n\n- disability awareness training for your colleagues\n\n- the cost of moving your equipment if you change location or job\n\nAccess to Work can also help assess whether your needs can be met through reasonable adjustments by your employer.\n\n## Mental health support\n\nYou can get confidential support and advice from a trained healthcare professional from the Mental Health Support Service. You do not need to have a diagnosed condition to use the service.\n\nYou do not have to get Access to Work to get support from the Mental Health Support Service, but you must be eligible.\n\nTo get mental health support you can apply for Access to Work. You can also contact one of the Mental Health Support Service providers directly. They are:\n\n- Able Futures\n\n- Remploy\n\n## How your Access to Work grant is paid\n\nYou or your employer will buy the items or services you need.\n\nAccess to Work will pay the money back, up to the amount of the grant you\u2019ve been offered and with any contributions (such as employer or NHS contributions) deducted.\n\n## What Access to Work will not cover\n\nYou will not get an Access to Work grant to pay for:\n\n- changes that your employer has to make (reasonable adjustments)\n\n- items that would normally be needed to do the job whether a person is disabled or not\n\n- support that your employer used to provide but has stopped\n\n## Apply\n\nCheck you\u2019re eligible before you apply.\n\nYou can apply for Access to Work online or by phone.\n\nYou\u2019ll need to provide:\n\n- your workplace address and postcode\n\n- the name of a workplace contact who can authorise your Access to Work payments\n\n- your workplace contact\u2019s email address or work phone number\n\n- your unique tax reference number (if you\u2019re self-employed)\n\nYou\u2019ll also need to explain:\n\n- how your condition affects you at work or getting to work\n\n- what help you\u2019re already getting\n\n- what else could help you\n\nIt will help your application if you\u2019ve spoken to your employer about reasonable adjustments before you apply for Access to Work.\n\nApply online\n\n## Apply by phone\n\nYou can apply by calling the Access to Work helpline. Make sure you have all the necessary details with you when you call.\n\n## British Sign Language (BSL) video relay service\n\nTo use this you must:\n\n- first check you can use the service\n\n- go to the video relay service\n\nMonday to Friday, 9am to 5pm\n\n## Alternative formats\n\nCall the Access to Work number to ask for alternative formats, such as braille, large print or audio CD.\n\n## Complaints\n\nYou can contact Access to Work to complain if you are not happy with how your case has been handled.\n\n## After you've applied\n\nOnce you\u2019ve applied, an Access to Work adviser will contact you to discuss what help you could get.\n\nAn adviser may also contact your employer to discuss how Access to Work can support you. They will not contact your employer until they\u2019ve agreed this with you first.\n\nAn assessor may visit your workplace to assess your needs.\n\nYou may get an offer of support, which could include a grant. If it does, you\u2019ll be told how much you\u2019ll get and for how long.\n\n## Renew\n\nIf your Access to Work grant is ending soon, you need to apply to renew it. You can apply up to 12 weeks before the date it ends.\n\nCheck you\u2019re still eligible before you apply.\n\nYou can apply online or by phone.\n\nYou\u2019ll need to provide your:\n\n- name\n\n- address\n\n- date of birth\n\n- unique reference number (if you know it)\n\nAfter you apply, an Access to Work adviser will contact you. They may request further information about your condition.\n\nThey\u2019ll also contact your employer.\n\nIf you\u2019re offered a new grant, you\u2019ll be told how much you\u2019ll get and for how long.\n\nRenew online\n\n## Renew by phone\n\nYou can apply by calling the Access to Work helpline. Make sure you have all the necessary details with you when you call.\n\n## British Sign Language (BSL) video relay service\n\nTo use this you must:\n\n- first check you can use the service\n\n- go to the video relay service\n\nMonday to Friday, 9am to 5pm\n\n## Alternative formats\n\nCall the Access to Work number to ask for alternative formats, such as braille, large print or audio CD.\n\n## Complaints\n\nYou can contact Access to Work to complain if you are not happy with how your case has been handled.\n\n## Report a change of circumstances\n\nIf you\u2019re getting support from Access to Work you need to report changes to:\n\n- your disability or health condition (physical or mental)\n\n- your home or work address - if you get travel to work support\n\n- your employer, job role or working pattern\n\nYou\u2019ll also need to tell Access to Work if your contact details change. For example, if you get a new phone number.\n\nTo report a change call the Access to Work helpline.\n\n## British Sign Language (BSL) video relay service\n\nTo use this you must:\n\n- first check you can use the service\n\n- go to the video relay service\n\nMonday to Friday, 9am to 5pm", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re disabled or have a physical or mental health condition that makes it hard for you to do your job, you can:

    ", + "
  • talk to your employer about changes they must make in your workplace
  • ", + "
  • get extra help from Access to Work, including mental health support
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Talk to your employer about changes they must make in your workplace

    ", + "

    Your employer must make certain changes (known as \u2018reasonable adjustments\u2019) to make sure you\u2019re not substantially disadvantaged when doing your job. These could include changing your working hours or providing equipment to help you do your job.

    ", + "

    You should talk to your employer about reasonable adjustments before you apply for Access to Work.

    ", + "

    Get help from Access to Work

    ", + "

    If the help you need at work is not covered by your employer making reasonable adjustments, you may be able to get help from Access to Work.

    ", + "

    You need to have a paid job, or be about to start or return to one.

    ", + "

    You\u2019ll be offered support based on your needs, which may include a grant to help cover the costs of practical support in the workplace. Your workplace can include your home if you work from there some or all of the time.

    ", + "

    An Access to Work grant can pay for:

    ", + "
  • special equipment, adaptations or support worker services to help you do things like answer the phone or go to meetings
  • ", + "
  • help getting to and from work
  • ", + "

    You might not get a grant if you already get certain benefits.

    ", + "

    The money does not have to be paid back and will not affect your other benefits.

    ", + "

    There\u2019s a different system in Northern Ireland.

    ", + "

    Get mental health support

    ", + "

    You can apply for Access to Work to get mental health support, or contact a Mental Health Support Service provider directly.

    ", + "

    Eligibility

    ", + "

    To get help from Access to Work you must:

    ", + "
  • have a disability or health condition (physical or mental) that makes it hard for you to do parts of your job or get to and from work
  • ", + "
  • be 16 or over
  • ", + "
  • live in England, Scotland or Wales - there\u2019s a different system in Northern Ireland
  • ", + "

    You also need to have a paid job, or be about to start or return to one. A paid job could include:

    ", + "
  • self-employment
  • ", + "
  • an apprenticeship
  • ", + "
  • a work trial or work experience
  • ", + "
  • an internship
  • ", + "

    You cannot get a grant for voluntary work.

    ", + "

    Your job must be based in England, Scotland or Wales.

    ", + "

    You cannot get Access to Work if you live in the Channel Islands or the Isle of Man.

    ", + "

    If you get other benefits

    ", + "

    Certain benefits may affect whether you can get an Access to Work grant.

    ", + "

    Universal Credit, Jobseeker\u2019s Allowance or Income Support

    ", + "

    You can still get help from Access to Work if you work more than one hour a week.

    ", + "

    Employment and Support Allowance

    ", + "

    You can only get help from Access to Work if you\u2019re doing \u2018permitted work\u2019. It\u2019s permitted work if all of the following apply:

    ", + "
  • you earn up to \u00a3143 a week
  • ", + "
  • you work less than 16 hours a week
  • ", + "
  • it\u2019s been agreed with your work coach
  • ", + "

    What you'll get

    ", + "

    You\u2019ll be offered support based on your needs. This may include a grant to help cover the costs of travel to and from work or practical support in the workplace. Your workplace can include your home if you work from there some or all of the time.

    ", + "

    The grant can help pay for items or services you need, including:

    ", + "
  • adaptations to the equipment you use
  • ", + "
  • special equipment or software
  • ", + "
  • British Sign Language interpreters and video relay service support, lip speakers or note takers
  • ", + "
  • adaptations to your vehicle so you can get to work
  • ", + "
  • taxi fares to work or a support worker if you cannot use public transport - for example, if you use a wheelchair and your journey includes a train station that does not have ramps
  • ", + "
  • taxi fares to work or a support worker if you cannot use public transport safely because of coronavirus (COVID-19) - for example, if you\u2019re blind and because of this you\u2019re unable to stay apart from other people
  • ", + "
  • a support worker or job coach to help you in your workplace
  • ", + "
  • personal protective equipment for your support worker, if you employ them yourself
  • ", + "
  • disability awareness training for your colleagues
  • ", + "
  • the cost of moving your equipment if you change location or job
  • ", + "

    Access to Work can also help assess whether your needs can be met through reasonable adjustments by your employer.

    ", + "

    Mental health support

    ", + "

    You can get confidential support and advice from a trained healthcare professional from the Mental Health Support Service. You do not need to have a diagnosed condition to use the service.

    ", + "

    You do not have to get Access to Work to get support from the Mental Health Support Service, but you must be eligible.

    ", + "

    To get mental health support you can apply for Access to Work. You can also contact one of the Mental Health Support Service providers directly. They are:

    ", + "
  • Able Futures
  • ", + "
  • Remploy
  • ", + "

    How your Access to Work grant is paid

    ", + "

    You or your employer will buy the items or services you need.

    ", + "

    Access to Work will pay the money back, up to the amount of the grant you\u2019ve been offered and with any contributions (such as employer or NHS contributions) deducted.

    ", + "

    What Access to Work will not cover

    ", + "

    You will not get an Access to Work grant to pay for:

    ", + "
  • changes that your employer has to make (reasonable adjustments)
  • ", + "
  • items that would normally be needed to do the job whether a person is disabled or not
  • ", + "
  • support that your employer used to provide but has stopped
  • ", + "

    Apply

    ", + "

    Check you\u2019re eligible before you apply.

    ", + "

    You can apply for Access to Work online or by phone.

    ", + "

    You\u2019ll need to provide:

    ", + "
  • your workplace address and postcode
  • ", + "
  • the name of a workplace contact who can authorise your Access to Work payments
  • ", + "
  • your workplace contact\u2019s email address or work phone number
  • ", + "
  • your unique tax reference number (if you\u2019re self-employed)
  • ", + "

    You\u2019ll also need to explain:

    ", + "
  • how your condition affects you at work or getting to work
  • ", + "
  • what help you\u2019re already getting
  • ", + "
  • what else could help you
  • ", + "

    It will help your application if you\u2019ve spoken to your employer about reasonable adjustments before you apply for Access to Work.

    ", + "

    Apply online

    ", + "

    Apply by phone

    ", + "

    You can apply by calling the Access to Work helpline. Make sure you have all the necessary details with you when you call.

    ", + "

    British Sign Language (BSL) video relay service

    ", + "

    To use this you must:

    ", + "
  • first check you can use the service
  • ", + "
  • go to the video relay service
  • ", + "

    Monday to Friday, 9am to 5pm

    ", + "

    Alternative formats

    ", + "

    Call the Access to Work number to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    Complaints

    ", + "

    You can contact Access to Work to complain if you are not happy with how your case has been handled.

    ", + "

    After you've applied

    ", + "

    Once you\u2019ve applied, an Access to Work adviser will contact you to discuss what help you could get.

    ", + "

    An adviser may also contact your employer to discuss how Access to Work can support you. They will not contact your employer until they\u2019ve agreed this with you first.

    ", + "

    An assessor may visit your workplace to assess your needs.

    ", + "

    You may get an offer of support, which could include a grant. If it does, you\u2019ll be told how much you\u2019ll get and for how long.

    ", + "

    Renew

    ", + "

    If your Access to Work grant is ending soon, you need to apply to renew it. You can apply up to 12 weeks before the date it ends.

    ", + "

    Check you\u2019re still eligible before you apply.

    ", + "

    You can apply online or by phone.

    ", + "

    You\u2019ll need to provide your:

    ", + "
  • name
  • ", + "
  • address
  • ", + "
  • date of birth
  • ", + "
  • unique reference number (if you know it)
  • ", + "

    After you apply, an Access to Work adviser will contact you. They may request further information about your condition.

    ", + "

    They\u2019ll also contact your employer.

    ", + "

    If you\u2019re offered a new grant, you\u2019ll be told how much you\u2019ll get and for how long.

    ", + "

    Renew online

    ", + "

    Renew by phone

    ", + "

    You can apply by calling the Access to Work helpline. Make sure you have all the necessary details with you when you call.

    ", + "

    British Sign Language (BSL) video relay service

    ", + "

    To use this you must:

    ", + "
  • first check you can use the service
  • ", + "
  • go to the video relay service
  • ", + "

    Monday to Friday, 9am to 5pm

    ", + "

    Alternative formats

    ", + "

    Call the Access to Work number to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    Complaints

    ", + "

    You can contact Access to Work to complain if you are not happy with how your case has been handled.

    ", + "

    Report a change of circumstances

    ", + "

    If you\u2019re getting support from Access to Work you need to report changes to:

    ", + "
  • your disability or health condition (physical or mental)
  • ", + "
  • your home or work address - if you get travel to work support
  • ", + "
  • your employer, job role or working pattern
  • ", + "

    You\u2019ll also need to tell Access to Work if your contact details change. For example, if you get a new phone number.

    ", + "

    To report a change call the Access to Work helpline.

    ", + "

    British Sign Language (BSL) video relay service

    ", + "

    To use this you must:

    ", + "
  • first check you can use the service
  • ", + "
  • go to the video relay service
  • ", + "

    Monday to Friday, 9am to 5pm

    " + ] + }, + "https://www.gov.uk/get-help-savings-low-income": { + "url": "https://www.gov.uk/get-help-savings-low-income", + "title": "Get help with savings if you\u2019re on a low income (Help to Save)", + "content": "## How it works\n\nHelp to Save is a type of savings account. It allows certain people entitled to Working Tax Credit or receiving Universal Credit to get a bonus of 50p for every \u00a31 they save over 4 years.\n\nHelp to Save is backed by the government so all savings in the scheme are secure.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## How payments work\n\nYou can save between \u00a31 and \u00a350 each calendar month. You do not have to pay money in every month.\n\nYou can pay money into your Help to Save account by debit card, standing order or bank transfer.\n\nYou can pay in as many times as you like, but the most you can pay in each calendar month is \u00a350. For example, if you have saved \u00a350 by 8 January you will not be able to pay in again until 1 February.\n\nYou can only withdraw money from your Help to Save account to your bank account.\n\n## How bonuses work\n\nYou get bonuses at the end of the second and fourth years. They\u2019re based on how much you\u2019ve saved.\n\n## What happens after 4 years\n\nYour Help to Save account will close 4 years after you open it. You will not be able to reopen it or open another Help to Save account. You\u2019ll be able to keep the money from your account.\n\nYou can close your account at any time. If you close your account early you\u2019ll miss your next bonus and you will not be able to open another one.\n\n## Sign in\n\nSign in to your Help to Save account if you already have one.\n\n## What you\u2019ll get\n\nYou can earn 2 tax-free bonuses over 4 years. You\u2019ll get any bonuses you\u2019ve earned even if you withdraw money.\n\nAfter your first 2 years, you\u2019ll get a first bonus if you\u2019ve been using your account to save. This bonus will be 50% of the highest balance you\u2019ve saved.\n\nAfter 4 years, you\u2019ll get a final bonus if you continue to save. This bonus will be 50% of the difference between 2 amounts:\n\n- the highest balance saved in the first 2 years (years 1 and 2)\n\n- the highest balance saved in the last 2 years (years 3 and 4)\n\nIf your highest balance does not increase, you will not earn a final bonus.\n\nThe most you can pay into your account each calendar month is \u00a350, which is \u00a32,400 over 4 years. The most you can earn from your savings in 4 years is \u00a31,200 in bonus money.\n\nYour bonus is paid into your bank account, not your Help to Save account.\n\n## What happens if you withdraw money\n\nIf you withdraw money it will be harder for you to:\n\n- grow your highest balance\n\n- earn the largest possible bonuses\n\nWithdrawing money could mean you are not able to earn a final bonus - depending on how much you withdraw and when.\n\n## Eligibility\n\nYou can open a Help to Save account if you\u2019re any of the following:\n\n- receiving Working Tax Credit\n\n- entitled to Working Tax Credit and receiving Child Tax Credit\n\n- claiming Universal Credit and you (with your partner if it\u2019s a joint claim) earned \u00a3617.73 or more from paid work in your last monthly assessment period\n\nIf you get payments as a couple, you and your partner can apply for your own Help to Save accounts. You need to apply separately.\n\nYou also need to be living in the UK. If you live overseas, you can apply for an account if you\u2019re either a:\n\n- Crown servant or their spouse or civil partner\n\n- member of the British armed forces or their spouse or civil partner\n\n## If you stop claiming benefits\n\nYou can keep using your Help to Save account.\n\n## How it will affect your benefits\n\nSaving money though a Help to Save account could affect your eligibility for certain benefits and how much you get.\n\n## Universal Credit\n\nIf you or your partner have \u00a36,000 or less in personal savings this will not affect how much Universal Credit you get. This includes any savings in your Help to Save account.\n\nYour Help to Save bonuses will not affect your Universal Credit payments.\n\n## Working Tax Credit\n\nAny savings or bonuses you earn through Help to Save will not affect how much Working Tax Credit you get.\n\n## Housing Benefit\n\nIf you or your partner have \u00a36,000 or less in personal savings this will not affect how much Housing Benefit you get. This includes any savings in your Help to Save account.\n\nYour Help to Save bonuses will not affect your Housing Benefit payments.\n\n## How to apply\n\nYou need a Government Gateway user ID and password to apply. If you do not have a user ID, you can create one when you apply.\n\nYou\u2019ll be asked to provide your UK bank details when you apply.\n\nApply now\n\n## Sign in\n\nSign in to your Help to Save account if you already have one.", + "original_contents": [ + "

    How it works

    ", + "

    Help to Save is a type of savings account. It allows certain people entitled to Working Tax Credit or receiving Universal Credit to get a bonus of 50p for every \u00a31 they save over 4 years.

    ", + "

    Help to Save is backed by the government so all savings in the scheme are secure.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    How payments work

    ", + "

    You can save between \u00a31 and \u00a350 each calendar month. You do not have to pay money in every month.

    ", + "

    You can pay money into your Help to Save account by debit card, standing order or bank transfer.

    ", + "

    You can pay in as many times as you like, but the most you can pay in each calendar month is \u00a350. For example, if you have saved \u00a350 by 8 January you will not be able to pay in again until 1 February.

    ", + "

    You can only withdraw money from your Help to Save account to your bank account.

    ", + "

    How bonuses work

    ", + "

    You get bonuses at the end of the second and fourth years. They\u2019re based on how much you\u2019ve saved.

    ", + "

    What happens after 4 years

    ", + "

    Your Help to Save account will close 4 years after you open it. You will not be able to reopen it or open another Help to Save account. You\u2019ll be able to keep the money from your account.

    ", + "

    You can close your account at any time. If you close your account early you\u2019ll miss your next bonus and you will not be able to open another one.

    ", + "

    Sign in

    ", + "

    Sign in to your Help to Save account if you already have one.

    ", + "

    What you\u2019ll get

    ", + "

    You can earn 2 tax-free bonuses over 4 years. You\u2019ll get any bonuses you\u2019ve earned even if you withdraw money.

    ", + "

    After your first 2 years, you\u2019ll get a first bonus if you\u2019ve been using your account to save. This bonus will be 50% of the highest balance you\u2019ve saved.

    ", + "

    After 4 years, you\u2019ll get a final bonus if you continue to save. This bonus will be 50% of the difference between 2 amounts:

    ", + "
  • the highest balance saved in the first 2 years (years 1 and 2)
  • ", + "
  • the highest balance saved in the last 2 years (years 3 and 4)
  • ", + "

    If your highest balance does not increase, you will not earn a final bonus.

    ", + "

    The most you can pay into your account each calendar month is \u00a350, which is \u00a32,400 over 4 years. The most you can earn from your savings in 4 years is \u00a31,200 in bonus money.

    ", + "

    Your bonus is paid into your bank account, not your Help to Save account.

    ", + "

    What happens if you withdraw money

    ", + "

    If you withdraw money it will be harder for you to:

    ", + "
  • grow your highest balance
  • ", + "
  • earn the largest possible bonuses
  • ", + "

    Withdrawing money could mean you are not able to earn a final bonus - depending on how much you withdraw and when.

    ", + "

    Eligibility

    ", + "

    You can open a Help to Save account if you\u2019re any of the following:

    ", + "
  • receiving Working Tax Credit
  • ", + "
  • entitled to Working Tax Credit and receiving Child Tax Credit
  • ", + "
  • claiming Universal Credit and you (with your partner if it\u2019s a joint claim) earned \u00a3617.73 or more from paid work in your last monthly assessment period
  • ", + "

    If you get payments as a couple, you and your partner can apply for your own Help to Save accounts. You need to apply separately.

    ", + "

    You also need to be living in the UK. If you live overseas, you can apply for an account if you\u2019re either a:

    ", + "
  • Crown servant or their spouse or civil partner
  • ", + "
  • member of the British armed forces or their spouse or civil partner
  • ", + "

    If you stop claiming benefits

    ", + "

    You can keep using your Help to Save account.

    ", + "

    How it will affect your benefits

    ", + "

    Saving money though a Help to Save account could affect your eligibility for certain benefits and how much you get.

    ", + "

    Universal Credit

    ", + "

    If you or your partner have \u00a36,000 or less in personal savings this will not affect how much Universal Credit you get. This includes any savings in your Help to Save account.

    ", + "

    Your Help to Save bonuses will not affect your Universal Credit payments.

    ", + "

    Working Tax Credit

    ", + "

    Any savings or bonuses you earn through Help to Save will not affect how much Working Tax Credit you get.

    ", + "

    Housing Benefit

    ", + "

    If you or your partner have \u00a36,000 or less in personal savings this will not affect how much Housing Benefit you get. This includes any savings in your Help to Save account.

    ", + "

    Your Help to Save bonuses will not affect your Housing Benefit payments.

    ", + "

    How to apply

    ", + "

    You need a Government Gateway user ID and password to apply. If you do not have a user ID, you can create one when you apply.

    ", + "

    You\u2019ll be asked to provide your UK bank details when you apply.

    ", + "

    Apply now

    ", + "

    Sign in

    ", + "

    Sign in to your Help to Save account if you already have one.

    " + ] + }, + "https://www.gov.uk/budgeting-help-benefits": { + "url": "https://www.gov.uk/budgeting-help-benefits", + "title": "Budgeting Loans", + "content": "## How they work\n\nA Budgeting Loan can help pay for:\n\n- furniture or household items (for example, washing machines or other \u2018white goods\u2019)\n\n- clothes or footwear\n\n- rent in advance\n\n- costs linked to moving house\n\n- maintenance, improvements or security for your home\n\n- travelling costs within the UK\n\n- costs linked to getting a new job\n\n- maternity costs\n\n- funeral costs\n\n- repaying hire purchase loans\n\n- repaying loans taken for the above items\n\nCrisis Loans are not available any more.\n\nYou may be eligible for a Budgeting Loan if you\u2019ve been on certain benefits for 6 months.\n\nYou only have to pay back the amount you borrow, and repayments are taken automatically from your benefits.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Check if you're eligible\n\nTo get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\nIf you moved from Universal Credit to Pension Credit, any time spent claiming Universal Credit will count towards the 6 months.\n\nYou cannot get a Budgeting Loan if:\n\n- you are currently claiming Universal Credit - apply for a Budgeting Advance instead\n\n- you\u2019re involved in industrial action (for example, a strike, walkout or lockout)\n\n- you owe more than \u00a31,500 in total for Crisis Loans and Budgeting Loans\n\nIf you live in Northern Ireland, go to Budgeting Loans in Northern Ireland.\n\n## What you could get\n\nThe lowest amount you can borrow is \u00a3100. You could get up to:\n\n- \u00a3348 if you\u2019re single\n\n- \u00a3464 if you have a partner\n\n- \u00a3812 if you or your partner claim Child Benefit\n\nHow much you could get depends on whether you:\n\n- can pay the loan back\n\n- have savings of more than \u00a31,000 (\u00a32,000 if you or your partner are 63 or over)\n\n- are paying back an existing Budgeting Loan or Crisis Loan\n\n## Paying back the loan\n\nA Budgeting Loan is interest free so you only pay back what you borrow.\n\nThe repayments will be taken automatically from your benefits. The amount you repay is based on your income - including any benefits you receive - and what you can afford.\n\nAfter you apply for a Budgeting Loan, you\u2019ll get an email, text or letter telling you if you\u2019ve been offered a loan. This explains how much your weekly repayments will be if you accept the loan.\n\nYou normally have to repay the loan within 2 years (104 weeks). If you stop getting benefits, you\u2019ll need to arrange another way to repay.\n\n## Apply\n\nCheck you\u2019re eligible before you apply.\n\nIf you get Universal Credit you cannot get a Budgeting Loan. You\u2019ll need to apply for a Budgeting Advance\u00a0instead.\n\nYou can apply online or using the paper form. It\u2019s quicker to apply online.\n\n## Apply online\n\nWhen you apply online, you can choose to get a decision on your loan by either:\n\n- email\n\n- text message\n\n- letter\n\nIt\u2019s quicker to get the decision by email or text message and accept it online.\n\nThere\u2019s a different way to apply for a Budgeting Loan in Northern Ireland.\n\nApply online\n\n## Apply using the paper form\n\nYou will need to fill in form SF500. You can:\n\n- download and print the form\n\n- phone the Social Fund Enquiry Line and ask for a form to be posted to you - allow 7 days for the form to arrive\n\nReturn your completed form by post.\n\n## After you apply\n\nAfter you apply you will be given a decision on your application. You need to accept the decision before you get your money.\n\n## If you apply online\n\nYou\u2019ll find out if you\u2019ve been offered a loan within:\n\n- 7 days if you get the decision by text or email\n\n- 21 days if you get the decision by letter\n\n## If you apply by post\n\nYou\u2019ll get a letter telling you if you\u2019ve been offered a loan within 21 days.\n\n## Accepting the loan\n\nHow you accept the loan depends on how you applied.\n\n## Accept online\n\nYou can accept the loan offer online by following the instructions in the text or email.\n\n## Accept by post\n\nYou can accept by signing page 4 of the acceptance letter and returning it in the pre-paid envelope provided. Make sure the reply slip is folded so that the return address is fully visible in the envelope window.\n\nReturn it to the address on the letter. Do not send it to your local Jobcentre Plus office as this may delay getting your loan.\n\n## Getting your money\n\nYou\u2019ll get your money within:\n\n- 7 days of accepting the loan offer online\n\n- 21 days of your loan offer acceptance being received by post\n\nThe money will be paid into your bank, building society or credit union account.\n\nYou\u2019ll get a text message confirming this has been done.\n\n## Questions about your application\n\nCall the Social Fund Enquiry Line if you have a question about the progress of your application.\n\nYou should wait:\n\n- 14 days before phoning if you applied online\n\n- 21 days before phoning if you applied by post\n\nYour application may not have been processed before then.\n\n## Other help you can get\n\nYou may be able to get other kinds of support, including:\n\n- help from your local council and Jobcentre Plus\n\n- the Discretionary Assistance Fund in Wales\n\n- a Crisis Grant or Community Care Grant in Scotland\n\n- Discretionary Support or a Short-term Benefit Advance in Northern Ireland", + "original_contents": [ + "

    How they work

    ", + "

    A Budgeting Loan can help pay for:

    ", + "
  • furniture or household items (for example, washing machines or other \u2018white goods\u2019)
  • ", + "
  • clothes or footwear
  • ", + "
  • rent in advance
  • ", + "
  • costs linked to moving house
  • ", + "
  • maintenance, improvements or security for your home
  • ", + "
  • travelling costs within the UK
  • ", + "
  • costs linked to getting a new job
  • ", + "
  • maternity costs
  • ", + "
  • funeral costs
  • ", + "
  • repaying hire purchase loans
  • ", + "
  • repaying loans taken for the above items
  • ", + "

    Crisis Loans are not available any more.

    ", + "

    You may be eligible for a Budgeting Loan if you\u2019ve been on certain benefits for 6 months.

    ", + "

    You only have to pay back the amount you borrow, and repayments are taken automatically from your benefits.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Check if you're eligible

    ", + "

    To get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "

    If you moved from Universal Credit to Pension Credit, any time spent claiming Universal Credit will count towards the 6 months.

    ", + "

    You cannot get a Budgeting Loan if:

    ", + "
  • you are currently claiming Universal Credit - apply for a Budgeting Advance instead
  • ", + "
  • you\u2019re involved in industrial action (for example, a strike, walkout or lockout)
  • ", + "
  • you owe more than \u00a31,500 in total for Crisis Loans and Budgeting Loans
  • ", + "

    If you live in Northern Ireland, go to Budgeting Loans in Northern Ireland.

    ", + "

    What you could get

    ", + "

    The lowest amount you can borrow is \u00a3100. You could get up to:

    ", + "
  • \u00a3348 if you\u2019re single
  • ", + "
  • \u00a3464 if you have a partner
  • ", + "
  • \u00a3812 if you or your partner claim Child Benefit
  • ", + "

    How much you could get depends on whether you:

    ", + "
  • can pay the loan back
  • ", + "
  • have savings of more than \u00a31,000 (\u00a32,000 if you or your partner are 63 or over)
  • ", + "
  • are paying back an existing Budgeting Loan or Crisis Loan
  • ", + "

    Paying back the loan

    ", + "

    A Budgeting Loan is interest free so you only pay back what you borrow.

    ", + "

    The repayments will be taken automatically from your benefits. The amount you repay is based on your income - including any benefits you receive - and what you can afford.

    ", + "

    After you apply for a Budgeting Loan, you\u2019ll get an email, text or letter telling you if you\u2019ve been offered a loan. This explains how much your weekly repayments will be if you accept the loan.

    ", + "

    You normally have to repay the loan within 2 years (104 weeks). If you stop getting benefits, you\u2019ll need to arrange another way to repay.

    ", + "

    Apply

    ", + "

    Check you\u2019re eligible before you apply.

    ", + "

    If you get Universal Credit you cannot get a Budgeting Loan. You\u2019ll need to apply for a Budgeting Advance\u00a0instead.

    ", + "

    You can apply online or using the paper form. It\u2019s quicker to apply online.

    ", + "

    Apply online

    ", + "

    When you apply online, you can choose to get a decision on your loan by either:

    ", + "
  • email
  • ", + "
  • text message
  • ", + "
  • letter
  • ", + "

    It\u2019s quicker to get the decision by email or text message and accept it online.

    ", + "

    There\u2019s a different way to apply for a Budgeting Loan in Northern Ireland.

    ", + "

    Apply online

    ", + "

    Apply using the paper form

    ", + "

    You will need to fill in form SF500. You can:

    ", + "
  • download and print the form
  • ", + "
  • phone the Social Fund Enquiry Line and ask for a form to be posted to you - allow 7 days for the form to arrive
  • ", + "

    Return your completed form by post.

    ", + "

    After you apply

    ", + "

    After you apply you will be given a decision on your application. You need to accept the decision before you get your money.

    ", + "

    If you apply online

    ", + "

    You\u2019ll find out if you\u2019ve been offered a loan within:

    ", + "
  • 7 days if you get the decision by text or email
  • ", + "
  • 21 days if you get the decision by letter
  • ", + "

    If you apply by post

    ", + "

    You\u2019ll get a letter telling you if you\u2019ve been offered a loan within 21 days.

    ", + "

    Accepting the loan

    ", + "

    How you accept the loan depends on how you applied.

    ", + "

    Accept online

    ", + "

    You can accept the loan offer online by following the instructions in the text or email.

    ", + "

    Accept by post

    ", + "

    You can accept by signing page 4 of the acceptance letter and returning it in the pre-paid envelope provided. Make sure the reply slip is folded so that the return address is fully visible in the envelope window.

    ", + "

    Return it to the address on the letter. Do not send it to your local Jobcentre Plus office as this may delay getting your loan.

    ", + "

    Getting your money

    ", + "

    You\u2019ll get your money within:

    ", + "
  • 7 days of accepting the loan offer online
  • ", + "
  • 21 days of your loan offer acceptance being received by post
  • ", + "

    The money will be paid into your bank, building society or credit union account.

    ", + "

    You\u2019ll get a text message confirming this has been done.

    ", + "

    Questions about your application

    ", + "

    Call the Social Fund Enquiry Line if you have a question about the progress of your application.

    ", + "

    You should wait:

    ", + "
  • 14 days before phoning if you applied online
  • ", + "
  • 21 days before phoning if you applied by post
  • ", + "

    Your application may not have been processed before then.

    ", + "

    Other help you can get

    ", + "

    You may be able to get other kinds of support, including:

    ", + "
  • help from your local council and Jobcentre Plus
  • ", + "
  • the Discretionary Assistance Fund in Wales
  • ", + "
  • a Crisis Grant or Community Care Grant in Scotland
  • ", + "
  • Discretionary Support or a Short-term Benefit Advance in Northern Ireland
  • " + ] + }, + "https://www.gov.uk/employment-support-allowance": { + "url": "https://www.gov.uk/employment-support-allowance", + "title": "Employment and Support Allowance (ESA)", + "content": "## Overview\n\nYou can apply for Employment and Support Allowance (ESA) if you have a disability or health condition that affects how much you can work.\n\nYou may also be able to get ESA if you were unable to work while self-isolating or \u2018shielding\u2019 because of coronavirus (COVID-19).\n\nESA gives you:\n\n- money to help with living costs if you\u2019re unable to work\n\n- support to get back into work if you\u2019re able to\n\nYou can apply if you\u2019re employed, self-employed or unemployed.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Eligibility\n\nYou can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.\n\nYou also need to have both:\n\n- worked as an employee or have been self-employed\n\n- paid enough National Insurance contributions, usually in the last 2 to 3 years - National Insurance credits also count\n\nCheck your National Insurance record for gaps.\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. Universal Credit can help with, for example, your housing and childcare costs.\n\nYou cannot get \u2018new style\u2019 ESA if you:\n\n- claim Jobseeker\u2019s Allowance\n\n- claim Statutory Sick Pay\n\n## If your Statutory Sick Pay (SSP) is due to end\n\nYou can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends. You\u2019ll start getting \u2018new style\u2019 ESA as soon as your SSP ends.\n\n## If you\u2019re working\n\nYou can apply whether you\u2019re in or out of work. There are conditions to working while claiming ESA.\n\n## If you\u2019ve been affected by coronavirus (COVID-19)\n\nYou can apply for \u2018new style\u2019 ESA if you\u2019re unable to claim Statutory Sick Pay and one of the following applies:\n\n- you or your child might have COVID-19 or you\u2019re recovering from it\n\n- you or your child are self-isolating because you came into contact with someone who might have COVID-19\n\n- you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery\n\n- you were advised to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nIf you\u2019re claiming ESA because of COVID-19, you\u2019ll need to give evidence to support your claim.\n\n## Proof if you\u2019re self-isolating because of COVID-19\n\nIf you or your child are self-isolating and you cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019ve been off work for 7 or more days. You do not have to go to your doctor or a hospital.\n\nIf you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.\n\nIf you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.\n\n## Proof if you were advised to shield because of COVID-19\n\nYour doctor or health authority should have sent you a letter advising you or your child to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19.\n\nThe letter will have included the period to shield for. It is proof of your eligibility for ESA for days away from work in that period.\n\nYou may have more than one letter covering more than one shielding period.\n\nContact your doctor if you do not have a letter but think you should have one.\n\n## What you'll get\n\nHow much you get will depend on what stage your application is at, as well as things like your age and whether you\u2019re able to get back into work.\n\nIf you get \u2018new style\u2019 ESA you\u2019ll earn Class 1 National Insurance credits, which can help towards your State Pension and some benefits in the future.\n\n## What might affect how much you get paid\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nNeither your or your partner\u2019s savings or income will affect how much \u2018new style\u2019 ESA you\u2019re paid. But a private pension worth more than \u00a385 per week may affect how much you can get.\n\nIf you get income-related ESA, your household income and savings worth \u00a36,000 or more may affect how much you can get.\n\n## While your claim is being assessed\n\nYou\u2019ll normally get the \u2018assessment rate\u2019 for 13 weeks while your claim is being assessed.\n\nThis will be:\n\n- up to \u00a359.20 a week if you\u2019re aged under 25\n\n- up to \u00a374.70 a week if you\u2019re aged 25 or over\n\nIf it takes longer than 13 weeks to assess your claim, you\u2019ll continue getting the \u2018assessment rate\u2019 until you get a decision or until your ESA is due to end. Your ESA will be backdated if you\u2019re owed any money after 13 weeks.\n\n## After you\u2019re assessed\n\nYou\u2019ll be placed into one of 2 groups if you\u2019re entitled to ESA. If you\u2019re able to get back into work in the future, you\u2019ll be put into the work-related activity group. Otherwise, you\u2019ll be put into the support group.\n\nYou\u2019ll get:\n\n- up to \u00a374.70 a week if you\u2019re in the work-related activity group\n\n- up to \u00a3114.10 a week if you\u2019re in the support group\n\n## If you\u2019re in the support group\n\nIf you\u2019re in the support group and on income-related ESA, you\u2019re also entitled to the enhanced disability premium.\n\nYou may also qualify for the severe disability premium.\n\nFind out how to apply for a disability premium.\n\n## How you\u2019re paid\n\nYou\u2019ll get paid ESA every 2 weeks.\n\nAll benefits are paid into your bank, building society or credit union account.\n\n## Other benefits you can claim\n\nUniversal Credit can help with, for example, your housing and childcare costs. You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA.\n\nUse a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment (PIP) if you have a long-term health condition or disability.\n\nThe benefit cap may affect the total amount of benefit you can get. The cap will not affect you if you\u2019re in the support group.\n\n## If you\u2019re moving to Universal Credit from income-related ESA\n\nIf your income-related ESA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of ESA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.\n\nThe Department for Work and Pensions (DWP) will write to you telling you how this works.\n\nYou do not need to pay this money back, and it will not affect the amount of Universal Credit you get.\n\n## Budgeting Loan\n\nYou can apply for a Budgeting Loan if you\u2019ve been on income-related ESA for at least 6 months.\n\n## Advice on money and debt\n\nYou can get help and advice from your Jobcentre Plus work coach or:\n\n- Citizens Advice\n\n- Money Advice Service\n\n- National Debtline\n\n- Shelter\n\n- Turn2us\n\n## Working while you claim\n\nYou can usually work while you are claiming ESA if both of the following apply:\n\n- you work less than 16 hours a week\n\n- you do not earn more than \u00a3143 a week\n\nTell Jobcentre Plus about your work when you make a claim.\n\nSend this form to Jobcentre Plus if you\u2019re already claiming ESA and you want to start work.\n\n## When you can work 16 hours or more a week\n\nYou can work more than 16 hours a week if the work is either voluntary or \u2018supported permitted work\u2019.\n\n## Supported permitted work\n\nThe work must be either:\n\n- supervised by someone from a local council or voluntary organisation who arranges work for disabled people\n\n- part of a treatment programme under medical supervision\n\nYou can still earn no more than \u00a3143 a week.\n\n## How to claim\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. \nCheck if you\u2019re eligible for Universal Credit.\n\nThere\u2019s a different way to apply in Northern Ireland.\n\n## What you need to apply\n\nYou\u2019ll need:\n\n- your National Insurance number\n\n- your bank or building society account number and sort code (you can use a friend or family member\u2019s account if you do not have one)\n\n- your doctor\u2019s name, address and telephone number\n\n- details of your income if you\u2019re working\n\n- the date your Statutory Sick Pay (SSP) ends if you\u2019re claiming it\n\nYou cannot get \u2018new style\u2019 ESA if you\u2019re getting Statutory Sick Pay (SSP) from an employer. You can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends.\n\nIf you\u2019re applying because of COVID-19, you\u2019ll also need:\n\n- an \u2018isolation note\u2019 if you\u2019re unable to work because of COVID-19\n\n- your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19\n\n- a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a letter from your doctor or a health authority advising you or your child to shield (take extra precautions to reduce contact with others) because you\u2019re at very high risk of severe illness from COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nOnce you\u2019ve applied, you\u2019ll be contacted by phone and told when to give the evidence and where to send it.\n\nApply now\n\n## When you can apply by phone\n\nCall the Universal Credit helpline if:\n\n- you cannot make an application online\n\n- you\u2019re an appointee for someone\n\n## After you apply\n\nThe Department for Work and Pensions (DWP) will contact you within 10 working days of applying.\n\n## If you\u2019re eligible\n\nDWP will contact you within 10 working days to schedule an appointment that you must attend. It will normally be over the phone with a work coach from your local Jobcentre Plus office.\n\nYour work coach will explain what you need to do to get \u2018new style\u2019 ESA. They will create an agreement with you called a \u2018Claimant Commitment\u2019.\n\nYou must agree to your Claimant Commitment before you can get \u2018new style\u2019 ESA.\n\nAt the appointment, you\u2019ll be asked to:\n\n- explain how your illness or disability affects your ability to work\n\n- provide medical evidence\n\n- agree to tell your local Jobcentre Plus if your circumstances change\n\n## If you\u2019re not eligible\n\nDWP will send you a letter within 10 working days of applying to explain why you\u2019re not eligible for ESA.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## Reapplying for ESA\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nYou may be able to reapply after your \u2018new style\u2019 ESA ends. You may qualify again depending on:\n\n- what National Insurance contributions you paid in the last 2 full tax years before the tax year you\u2019re claiming in\n\n- whether you\u2019re placed in the support group because you developed a new condition or your health deteriorated\n\n## Your ESA claim\n\nAfter you\u2019ve made your claim, you\u2019ll be told if you need to have a \u2018Work Capability Assessment\u2019 and what group you\u2019ll be put in.\n\n## Work Capability Assessment\n\nA Work Capability Assessment is used to find out if your illness or disability affects how much you can work.\n\nYou might not need one, for example if you\u2019re in hospital or you have a terminal illness.\n\nIf you need a Work Capability Assessment you\u2019ll get a letter telling you to fill in the \u2018Capability for work questionnaire\u2019 and send it to the Health Assessment Advisory Service. The address is on the form. The questionnaire is different in Northern Ireland.\n\nYou\u2019ll be told what happens next, for example if you need an appointment to understand your health condition better.\n\nIf you\u2019re claiming both Universal Credit and \u2018new style\u2019 ESA, you\u2019ll only have one Work Capability Assessment.\n\nYou can ask for your assessment to be recorded. If you would like this, tell the Health Assessment Advisory Service using the contact details in your appointment invite letter.\n\n## How the assessment happens\n\nAssessments can be in person, by video call or on the phone. You\u2019ll be told how your assessment will take place.\n\nIf you\u2019re asked to attend in person you\u2019ll be told how to do this safely because of coronavirus (COVID-19). You can bring one adult from your household with you.\n\nIf your assessment is by phone or video call, you can have someone else with you, for example a friend or support worker. You can ask the assessor to call them if they\u2019re not with you when the assessment starts.\n\nYou\u2019ll stay on the \u2018assessment rate\u2019 until a decision can be made on your Work Capability Assessment.\n\n## After your claim is assessed\n\nIf you\u2019re entitled to ESA you\u2019ll be placed in one of 2 groups:\n\n- a work-related activity group (you cannot work now, but can prepare to work in the future, for example by writing a CV)\n\n- a support group (you cannot work now and you\u2019re not expected to prepare for work in the future)\n\n## If you\u2019re in the work-related activity group\n\nYou must attend regular interviews with a work coach. They can help you improve your skills or write a CV to help you get back into work.\n\n## If you\u2019re in the support group\n\nYou\u2019re usually in this group if your illness or disability severely limits what you can do. You do not have to go to interviews. You can tell your work coach if you\u2019d like to take part in work-related activities.\n\n## How long you\u2019ll get ESA for\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\n\u2018New style\u2019 and contribution-based ESA last for 365 days if you\u2019re in the work-related activity group.\n\nThere\u2019s no time limit if you\u2019re in the support group, or if you\u2019re getting income-related ESA.\n\nTo keep getting ESA you must report any change in your circumstances. You may also need to send fit notes regularly.\n\n## If you get a sanction\n\nYour ESA can be reduced if you do not attend interviews or do work-related activity as agreed with your work coach in your \u2018Claimant Commitment\u2019. This reduction can continue for up to 4 weeks after you restart work-related activities.\n\nYou\u2019ll get a letter to say you may be sanctioned. Tell your work coach if you have a good reason for not doing what was agreed in your Claimant Commitment.\n\nYou\u2019ll get another letter if the decision is made to give you a sanction. Your benefit will only be affected once a decision has been made.\n\nYou should contact your local council immediately if you claim Housing Benefit or Council Tax Reduction. They\u2019ll tell you what to do to continue getting support.\n\nIf you get a sanction you can:\n\n- ask for the decision to be looked at again\n\n- ask for a hardship payment\n\nYou will not get a sanction if you\u2019re in the support group.\n\n## Hardship payments\n\nIf you get income-related ESA, you may be able to get a hardship payment if your benefit has been reduced because of a sanction or a penalty due to suspected benefit fraud.\n\nA hardship payment is a reduced amount of your ESA. You do not have to pay it back.\n\nYou can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your family. You must be 18 or over.\n\nSpeak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.\n\n## Report a change of circumstances\n\nYou need to report changes to your circumstances so you keep getting the right amount of Employment and Support Allowance (ESA).\n\nYour claim might be stopped or reduced if you do not report a change straight away.\n\nA change of circumstance can include:\n\n- starting or stopping work, education, training or an apprenticeship\n\n- moving house\n\n- changing your name\n\n- people moving into or out of the place you live (for example your partner or a child)\n\n- changes to the benefits you or anyone else in your house gets\n\n- changes to your pension, savings, investments or property\n\n- changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)\n\n- changing your doctor\n\n- any changes to your medical condition or disability\n\n- going into hospital or a care home or sheltered accommodation\n\n- going abroad for any length of time\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nCall Jobcentre Plus if you\u2019re not sure whether you need to report a change.\n\nYou may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information.\n\n## If you\u2019ve been paid too much\n\nIf you give wrong or incomplete information or do not report a change straight away, you might be paid too much. If you are, you might have to\u00a0pay some of the money back.\n\n## How to report\n\nYou can report a change of circumstances by:\n\n- calling Jobcentre Plus\n\n- writing to the Jobcentre Plus office that pays your ESA - the address is on the letters you get about your ESA\n\nIf you get Universal Credit at the same time as \u2018new style\u2019 ESA, you must also report the changes of circumstances in your Universal Credit account.\n\n## British Sign Language (BSL) video relay service\n\nWatch a video to check you can use the service\n\nGo to the video relay service\n\nMonday to Friday, 8am to 6pm.\n\nIf you\u2019re in Northern Ireland contact the ESA Centre.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for Employment and Support Allowance (ESA) if you have a disability or health condition that affects how much you can work.

    ", + "

    You may also be able to get ESA if you were unable to work while self-isolating or \u2018shielding\u2019 because of coronavirus (COVID-19).

    ", + "

    ESA gives you:

    ", + "
  • money to help with living costs if you\u2019re unable to work
  • ", + "
  • support to get back into work if you\u2019re able to
  • ", + "

    You can apply if you\u2019re employed, self-employed or unemployed.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Eligibility

    ", + "

    You can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.

    ", + "

    You also need to have both:

    ", + "
  • worked as an employee or have been self-employed
  • ", + "
  • paid enough National Insurance contributions, usually in the last 2 to 3 years - National Insurance credits also count
  • ", + "

    Check your National Insurance record for gaps.

    ", + "

    You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. Universal Credit can help with, for example, your housing and childcare costs.

    ", + "

    You cannot get \u2018new style\u2019 ESA if you:

    ", + "
  • claim Jobseeker\u2019s Allowance
  • ", + "
  • claim Statutory Sick Pay
  • ", + "

    If your Statutory Sick Pay (SSP) is due to end

    ", + "

    You can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends. You\u2019ll start getting \u2018new style\u2019 ESA as soon as your SSP ends.

    ", + "

    If you\u2019re working

    ", + "

    You can apply whether you\u2019re in or out of work. There are conditions to working while claiming ESA.

    ", + "

    If you\u2019ve been affected by coronavirus (COVID-19)

    ", + "

    You can apply for \u2018new style\u2019 ESA if you\u2019re unable to claim Statutory Sick Pay and one of the following applies:

    ", + "
  • you or your child might have COVID-19 or you\u2019re recovering from it
  • ", + "
  • you or your child are self-isolating because you came into contact with someone who might have COVID-19
  • ", + "
  • you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery
  • ", + "
  • you were advised to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19
  • ", + "

    Shielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.

    ", + "

    If you\u2019re claiming ESA because of COVID-19, you\u2019ll need to give evidence to support your claim.

    ", + "

    Proof if you\u2019re self-isolating because of COVID-19

    ", + "

    If you or your child are self-isolating and you cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019ve been off work for 7 or more days. You do not have to go to your doctor or a hospital.

    ", + "

    If you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.

    ", + "

    If you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.

    ", + "

    Proof if you were advised to shield because of COVID-19

    ", + "

    Your doctor or health authority should have sent you a letter advising you or your child to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19.

    ", + "

    The letter will have included the period to shield for. It is proof of your eligibility for ESA for days away from work in that period.

    ", + "

    You may have more than one letter covering more than one shielding period.

    ", + "

    Contact your doctor if you do not have a letter but think you should have one.

    ", + "

    What you'll get

    ", + "

    How much you get will depend on what stage your application is at, as well as things like your age and whether you\u2019re able to get back into work.

    ", + "

    If you get \u2018new style\u2019 ESA you\u2019ll earn Class 1 National Insurance credits, which can help towards your State Pension and some benefits in the future.

    ", + "

    What might affect how much you get paid

    ", + "

    You cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.

    ", + "

    Neither your or your partner\u2019s savings or income will affect how much \u2018new style\u2019 ESA you\u2019re paid. But a private pension worth more than \u00a385 per week may affect how much you can get.

    ", + "

    If you get income-related ESA, your household income and savings worth \u00a36,000 or more may affect how much you can get.

    ", + "

    While your claim is being assessed

    ", + "

    You\u2019ll normally get the \u2018assessment rate\u2019 for 13 weeks while your claim is being assessed.

    ", + "

    This will be:

    ", + "
  • up to \u00a359.20 a week if you\u2019re aged under 25
  • ", + "
  • up to \u00a374.70 a week if you\u2019re aged 25 or over
  • ", + "

    If it takes longer than 13 weeks to assess your claim, you\u2019ll continue getting the \u2018assessment rate\u2019 until you get a decision or until your ESA is due to end. Your ESA will be backdated if you\u2019re owed any money after 13 weeks.

    ", + "

    After you\u2019re assessed

    ", + "

    You\u2019ll be placed into one of 2 groups if you\u2019re entitled to ESA. If you\u2019re able to get back into work in the future, you\u2019ll be put into the work-related activity group. Otherwise, you\u2019ll be put into the support group.

    ", + "

    You\u2019ll get:

    ", + "
  • up to \u00a374.70 a week if you\u2019re in the work-related activity group
  • ", + "
  • up to \u00a3114.10 a week if you\u2019re in the support group
  • ", + "

    If you\u2019re in the support group

    ", + "

    If you\u2019re in the support group and on income-related ESA, you\u2019re also entitled to the enhanced disability premium.

    ", + "

    You may also qualify for the severe disability premium.

    ", + "

    Find out how to apply for a disability premium.

    ", + "

    How you\u2019re paid

    ", + "

    You\u2019ll get paid ESA every 2 weeks.

    ", + "

    All benefits are paid into your bank, building society or credit union account.

    ", + "

    Other benefits you can claim

    ", + "

    Universal Credit can help with, for example, your housing and childcare costs. You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA.

    ", + "

    Use a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment (PIP) if you have a long-term health condition or disability.

    ", + "

    The benefit cap may affect the total amount of benefit you can get. The cap will not affect you if you\u2019re in the support group.

    ", + "

    If you\u2019re moving to Universal Credit from income-related ESA

    ", + "

    If your income-related ESA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of ESA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.

    ", + "

    The Department for Work and Pensions (DWP) will write to you telling you how this works.

    ", + "

    You do not need to pay this money back, and it will not affect the amount of Universal Credit you get.

    ", + "

    Budgeting Loan

    ", + "

    You can apply for a Budgeting Loan if you\u2019ve been on income-related ESA for at least 6 months.

    ", + "

    Advice on money and debt

    ", + "

    You can get help and advice from your Jobcentre Plus work coach or:

    ", + "
  • Citizens Advice
  • ", + "
  • Money Advice Service
  • ", + "
  • National Debtline
  • ", + "
  • Shelter
  • ", + "
  • Turn2us
  • ", + "

    Working while you claim

    ", + "

    You can usually work while you are claiming ESA if both of the following apply:

    ", + "
  • you work less than 16 hours a week
  • ", + "
  • you do not earn more than \u00a3143 a week
  • ", + "

    Tell Jobcentre Plus about your work when you make a claim.

    ", + "

    Send this form to Jobcentre Plus if you\u2019re already claiming ESA and you want to start work.

    ", + "

    When you can work 16 hours or more a week

    ", + "

    You can work more than 16 hours a week if the work is either voluntary or \u2018supported permitted work\u2019.

    ", + "

    Supported permitted work

    ", + "

    The work must be either:

    ", + "
  • supervised by someone from a local council or voluntary organisation who arranges work for disabled people
  • ", + "
  • part of a treatment programme under medical supervision
  • ", + "

    You can still earn no more than \u00a3143 a week.

    ", + "

    How to claim

    ", + "

    You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. \nCheck if you\u2019re eligible for Universal Credit.

    ", + "

    There\u2019s a different way to apply in Northern Ireland.

    ", + "

    What you need to apply

    ", + "

    You\u2019ll need:

    ", + "
  • your National Insurance number
  • ", + "
  • your bank or building society account number and sort code (you can use a friend or family member\u2019s account if you do not have one)
  • ", + "
  • your doctor\u2019s name, address and telephone number
  • ", + "
  • details of your income if you\u2019re working
  • ", + "
  • the date your Statutory Sick Pay (SSP) ends if you\u2019re claiming it
  • ", + "

    You cannot get \u2018new style\u2019 ESA if you\u2019re getting Statutory Sick Pay (SSP) from an employer. You can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends.

    ", + "

    If you\u2019re applying because of COVID-19, you\u2019ll also need:

    ", + "
  • an \u2018isolation note\u2019 if you\u2019re unable to work because of COVID-19
  • ", + "
  • your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19
  • ", + "
  • a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery
  • ", + "
  • a letter from your doctor or a health authority advising you or your child to shield (take extra precautions to reduce contact with others) because you\u2019re at very high risk of severe illness from COVID-19
  • ", + "

    Shielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.

    ", + "

    Once you\u2019ve applied, you\u2019ll be contacted by phone and told when to give the evidence and where to send it.

    ", + "

    Apply now

    ", + "

    When you can apply by phone

    ", + "

    Call the Universal Credit helpline if:

    ", + "
  • you cannot make an application online
  • ", + "
  • you\u2019re an appointee for someone
  • ", + "

    After you apply

    ", + "

    The Department for Work and Pensions (DWP) will contact you within 10 working days of applying.

    ", + "

    If you\u2019re eligible

    ", + "

    DWP will contact you within 10 working days to schedule an appointment that you must attend. It will normally be over the phone with a work coach from your local Jobcentre Plus office.

    ", + "

    Your work coach will explain what you need to do to get \u2018new style\u2019 ESA. They will create an agreement with you called a \u2018Claimant Commitment\u2019.

    ", + "

    You must agree to your Claimant Commitment before you can get \u2018new style\u2019 ESA.

    ", + "

    At the appointment, you\u2019ll be asked to:

    ", + "
  • explain how your illness or disability affects your ability to work
  • ", + "
  • provide medical evidence
  • ", + "
  • agree to tell your local Jobcentre Plus if your circumstances change
  • ", + "

    If you\u2019re not eligible

    ", + "

    DWP will send you a letter within 10 working days of applying to explain why you\u2019re not eligible for ESA.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.

    ", + "

    Reapplying for ESA

    ", + "

    You cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.

    ", + "

    You may be able to reapply after your \u2018new style\u2019 ESA ends. You may qualify again depending on:

    ", + "
  • what National Insurance contributions you paid in the last 2 full tax years before the tax year you\u2019re claiming in
  • ", + "
  • whether you\u2019re placed in the support group because you developed a new condition or your health deteriorated
  • ", + "

    Your ESA claim

    ", + "

    After you\u2019ve made your claim, you\u2019ll be told if you need to have a \u2018Work Capability Assessment\u2019 and what group you\u2019ll be put in.

    ", + "

    Work Capability Assessment

    ", + "

    A Work Capability Assessment is used to find out if your illness or disability affects how much you can work.

    ", + "

    You might not need one, for example if you\u2019re in hospital or you have a terminal illness.

    ", + "

    If you need a Work Capability Assessment you\u2019ll get a letter telling you to fill in the \u2018Capability for work questionnaire\u2019 and send it to the Health Assessment Advisory Service. The address is on the form. The questionnaire is different in Northern Ireland.

    ", + "

    You\u2019ll be told what happens next, for example if you need an appointment to understand your health condition better.

    ", + "

    If you\u2019re claiming both Universal Credit and \u2018new style\u2019 ESA, you\u2019ll only have one Work Capability Assessment.

    ", + "

    You can ask for your assessment to be recorded. If you would like this, tell the Health Assessment Advisory Service using the contact details in your appointment invite letter.

    ", + "

    How the assessment happens

    ", + "

    Assessments can be in person, by video call or on the phone. You\u2019ll be told how your assessment will take place.

    ", + "

    If you\u2019re asked to attend in person you\u2019ll be told how to do this safely because of coronavirus (COVID-19). You can bring one adult from your household with you.

    ", + "

    If your assessment is by phone or video call, you can have someone else with you, for example a friend or support worker. You can ask the assessor to call them if they\u2019re not with you when the assessment starts.

    ", + "

    You\u2019ll stay on the \u2018assessment rate\u2019 until a decision can be made on your Work Capability Assessment.

    ", + "

    After your claim is assessed

    ", + "

    If you\u2019re entitled to ESA you\u2019ll be placed in one of 2 groups:

    ", + "
  • a work-related activity group (you cannot work now, but can prepare to work in the future, for example by writing a CV)
  • ", + "
  • a support group (you cannot work now and you\u2019re not expected to prepare for work in the future)
  • ", + "

    If you\u2019re in the work-related activity group

    ", + "

    You must attend regular interviews with a work coach. They can help you improve your skills or write a CV to help you get back into work.

    ", + "

    If you\u2019re in the support group

    ", + "

    You\u2019re usually in this group if your illness or disability severely limits what you can do. You do not have to go to interviews. You can tell your work coach if you\u2019d like to take part in work-related activities.

    ", + "

    How long you\u2019ll get ESA for

    ", + "

    You cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.

    ", + "

    \u2018New style\u2019 and contribution-based ESA last for 365 days if you\u2019re in the work-related activity group.

    ", + "

    There\u2019s no time limit if you\u2019re in the support group, or if you\u2019re getting income-related ESA.

    ", + "

    To keep getting ESA you must report any change in your circumstances. You may also need to send fit notes regularly.

    ", + "

    If you get a sanction

    ", + "

    Your ESA can be reduced if you do not attend interviews or do work-related activity as agreed with your work coach in your \u2018Claimant Commitment\u2019. This reduction can continue for up to 4 weeks after you restart work-related activities.

    ", + "

    You\u2019ll get a letter to say you may be sanctioned. Tell your work coach if you have a good reason for not doing what was agreed in your Claimant Commitment.

    ", + "

    You\u2019ll get another letter if the decision is made to give you a sanction. Your benefit will only be affected once a decision has been made.

    ", + "

    You should contact your local council immediately if you claim Housing Benefit or Council Tax Reduction. They\u2019ll tell you what to do to continue getting support.

    ", + "

    If you get a sanction you can:

    ", + "
  • ask for the decision to be looked at again
  • ", + "
  • ask for a hardship payment
  • ", + "

    You will not get a sanction if you\u2019re in the support group.

    ", + "

    Hardship payments

    ", + "

    If you get income-related ESA, you may be able to get a hardship payment if your benefit has been reduced because of a sanction or a penalty due to suspected benefit fraud.

    ", + "

    A hardship payment is a reduced amount of your ESA. You do not have to pay it back.

    ", + "

    You can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your family. You must be 18 or over.

    ", + "

    Speak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.

    ", + "

    Report a change of circumstances

    ", + "

    You need to report changes to your circumstances so you keep getting the right amount of Employment and Support Allowance (ESA).

    ", + "

    Your claim might be stopped or reduced if you do not report a change straight away.

    ", + "

    A change of circumstance can include:

    ", + "
  • starting or stopping work, education, training or an apprenticeship
  • ", + "
  • moving house
  • ", + "
  • changing your name
  • ", + "
  • people moving into or out of the place you live (for example your partner or a child)
  • ", + "
  • changes to the benefits you or anyone else in your house gets
  • ", + "
  • changes to your pension, savings, investments or property
  • ", + "
  • changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)
  • ", + "
  • changing your doctor
  • ", + "
  • any changes to your medical condition or disability
  • ", + "
  • going into hospital or a care home or sheltered accommodation
  • ", + "
  • going abroad for any length of time
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    Call Jobcentre Plus if you\u2019re not sure whether you need to report a change.

    ", + "

    You may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    If you give wrong or incomplete information or do not report a change straight away, you might be paid too much. If you are, you might have to\u00a0pay some of the money back.

    ", + "

    How to report

    ", + "

    You can report a change of circumstances by:

    ", + "
  • calling Jobcentre Plus
  • ", + "
  • writing to the Jobcentre Plus office that pays your ESA - the address is on the letters you get about your ESA
  • ", + "

    If you get Universal Credit at the same time as \u2018new style\u2019 ESA, you must also report the changes of circumstances in your Universal Credit account.

    ", + "

    British Sign Language (BSL) video relay service

    ", + "

    Watch a video to check you can use the service

    ", + "

    Go to the video relay service

    ", + "

    Monday to Friday, 8am to 6pm.

    ", + "

    If you\u2019re in Northern Ireland contact the ESA Centre.

    " + ] + }, + "https://www.gov.uk/statutory-sick-pay": { + "url": "https://www.gov.uk/statutory-sick-pay", + "title": "Statutory Sick Pay (SSP)", + "content": "## Overview\n\nYou can get \u00a396.35 per week Statutory Sick Pay (SSP) if you\u2019re too ill to work. It\u2019s paid by your employer for up to 28 weeks.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must be eligible for SSP.\n\nYou cannot get less than the statutory amount. You can get more if your company has a sick pay scheme (or \u2018occupational scheme\u2019) - check your employment contract.\n\nThere are different sick pay rules for agricultural workers.\n\nThere\u2019s a separate guide on Statutory Sick Pay if you\u2019re an employer.\n\n## If you cannot work because of coronavirus (COVID-19)\n\nYou could get SSP if you\u2019re self-isolating because:\n\n- you or someone you live with has COVID-19 symptoms or has tested positive for COVID-19\n\n- you\u2019ve been notified by the NHS or public health authorities that you\u2019ve been in contact with someone with COVID-19\n\n- someone in your support bubble (or your \u2018extended household\u2019 if you live in Scotland or Wales) has COVID-19 symptoms or has tested positive for COVID-19\n\n- you\u2019ve been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nYou could get SSP for every day you\u2019re off work.\n\nYou cannot get SSP if you\u2019re self-isolating after entering or returning to the UK and do not need to self-isolate for any other reason.\n\n## If your illness is not related to COVID-19\n\nIf your illness is not related to COVID-19, you can get SSP from the fourth day you are off work sick.\n\n## What you'll get\n\nYou can get \u00a396.35 a week Statutory Sick Pay (SSP) for up to 28 weeks.\n\n## If you\u2019re off work because of coronavirus (COVID-19)\n\nHow many days you can get SSP for depends on why you\u2019re off work.\n\n## If you\u2019re self-isolating because you or someone you live with has symptoms or has tested positive for COVID-19\n\nYou must self-isolate for at least 4 days to be eligible for SSP.\n\nYou can get SSP for every day you were self-isolating if you started on or after 13 March.\n\nIf you started self-isolating before 13 March, you can get SSP from:\n\n- the fourth day you were sick - if you had COVID-19 symptoms\n\n- 13 March - if you were self-isolating because someone you live with had symptoms\n\nCheck you\u2019re eligible for SSP.\n\n## If you\u2019re self-isolating because of contact with someone with COVID-19\n\nYou should self-isolate if you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19.\n\nYou must self-isolate for at least 4 days to be eligible for SSP.\n\nYou can get SSP for every day you were self-isolating from 28 May.\n\n## If you\u2019re self-isolating because someone in your \u2018support bubble\u2019 or extended household has symptoms or has tested positive for COVID-19\n\nYou should self-isolate if someone in your \u2018support bubble\u2019 (or your \u2018extended household\u2019 if you live in Scotland or Wales) has symptoms or has tested positive for COVID-19.\n\nYou must self-isolate for at least 4 days to be eligible for SSP.\n\nYou can get SSP for every day you were self-isolating from 6 July.\n\nYou are not eligible for SSP for any days away from work before 6 July.\n\n## If you\u2019re self-isolating before surgery\n\nIf you\u2019ve been advised by your doctor or a healthcare professional to self-isolate before going into hospital for surgery, you can get SSP.\n\nYou must self-isolate for at least 4 days (including non-working days) to be eligible for SSP.\n\nYou can get SSP for every day you are self-isolating.\n\nYou are not eligible for SSP for any day you were self-isolating before 26 August.\n\n## If you\u2019re off sick for another reason\n\nYou can get SSP from the fourth day you\u2019re off sick.\n\nThe days you\u2019re off sick when you normally would have worked are called \u2018qualifying days\u2019. If you\u2019re eligible, you\u2019ll get SSP for all your qualifying days, except for the first 3. These are called \u2018waiting days\u2019.\n\nYou only get paid for waiting days if you\u2019ve already received SSP within the last 8 weeks, and that included a 3-day waiting period.\n\nCheck you\u2019re eligible for SSP.\n\n## How you\u2019re paid\n\nSSP is paid by your employer in the same way as your normal wages, for example weekly or monthly.\n\nIf you have more than one job you may get SSP from each employer.\n\nTax and National Insurance will be deducted.\n\nIf you think you are not getting the right amount of SSP, talk to your employer. If you\u2019re still not happy, contact the HM Revenue and Customs (HMRC) enquiry line.\n\n## Eligibility\n\nTo qualify for Statutory Sick Pay (SSP) you must:\n\n- be classed as an employee and have done some work for your employer\n\n- earn an average of at least \u00a3120 per week\n\n- have been ill or self-isolating for at least 4 days in a row (including non-working days)\n\nHow many days you can get SSP for depends on why you\u2019re off work.\n\nAgency workers are entitled to Statutory Sick Pay.\n\n## Telling your employer\n\nYou must usually tell your employer you\u2019re unable to work before the deadline they set (or within 7 days if they have not set one).\n\nYou could lose some of your SSP if you do not tell your employer in time.\n\n## Exceptions\n\nYou will not qualify if you:\n\n- have received the maximum amount of SSP (28 weeks)\n\n- are getting Statutory Maternity Pay\n\n- are self-isolating after entering or returning to the UK and do not need to self-isolate for any other reason\n\nYou can still qualify if you started your job recently and you have not received 8 weeks\u2019 pay yet. Ask your employer to find out more.\n\nYou can still qualify if you\u2019re on furlough.\n\n## Linked periods of sickness\n\nIf you have regular periods of sickness, they may count as \u2018linked\u2019. To be linked, the periods must:\n\n- last 4 or more days each\n\n- be 8 weeks or less apart\n\nYou\u2019re no longer eligible for SSP if you have a continuous series of linked periods that lasts more than 3 years.\n\n## Fit notes and asking for proof\n\nYou only have to give your employer a fit note (sometimes called a sick note) if you\u2019re off sick for more than 7 days in a row (including non-working days).\n\nYou can get a fit note from your doctor or hospital doctor. If your employer agrees, a similar document can be provided by a physiotherapist, podiatrist or occupational therapist instead. This is called an Allied Health Professional (AHP) Health and Work Report.\n\n## Proof if you\u2019re self-isolating because of coronavirus (COVID-19)\n\nIf you\u2019re self-isolating and cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019re off work for 7 or more days. You do not have to go to your doctor or a hospital.\n\nIf you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.\n\nIf you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.\n\nYou cannot get SSP if you\u2019re self-isolating after entering or returning to the UK and do not need to self-isolate for any other reason.\n\n## Proof if you were \u2018shielding\u2019 because of COVID-19\n\nShielding has stopped in the UK.\n\nYou can no longer apply for a new shielding note or a replacement shielding note.\n\n## If you\u2019re not eligible or your SSP ends\n\nYou may be able to apply for Universal Credit or Employment and Support Allowance (ESA). You can use form SSP1 to support your application.\n\nIf your SSP is ending your employer must send you form SSP1 either:\n\n- within 7 days of your SSP ending, if it ends unexpectedly while you\u2019re still sick\n\n- on or before the beginning of the 23rd week, if your SSP is expected to end before your sickness does\n\nIf you do not qualify for SSP your employer must send you form SSP1 within 7 days of you going off sick.\n\n## How to claim\n\nTo claim Statutory Sick Pay (SSP), tell your employer by the deadline. Check with your employer how you should tell them.\n\nIf you cannot work for 7 or more days (including non-working days) you need:\n\n- an \u2018isolation note\u2019 if you\u2019re unable to work because of coronavirus (COVID-19)\n\n- your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19\n\n- a \u2018fit note\u2019 (or sick note) if you\u2019re off sick for another reason\n\n- a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery\n\n## If you\u2019re unhappy with a decision\n\nTalk to your employer if you think:\n\n- their decision not to pay you SSP is wrong\n\n- you\u2019re not getting the right amount of SSP\n\nYou can ask them for a reason.\n\nIf this does not sort the problem, contact the HMRC Statutory Payment Disputes Team.", + "original_contents": [ + "

    Overview

    ", + "

    You can get \u00a396.35 per week Statutory Sick Pay (SSP) if you\u2019re too ill to work. It\u2019s paid by your employer for up to 28 weeks.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You must be eligible for SSP.

    ", + "

    You cannot get less than the statutory amount. You can get more if your company has a sick pay scheme (or \u2018occupational scheme\u2019) - check your employment contract.

    ", + "

    There are different sick pay rules for agricultural workers.

    ", + "

    There\u2019s a separate guide on Statutory Sick Pay if you\u2019re an employer.

    ", + "

    If you cannot work because of coronavirus (COVID-19)

    ", + "

    You could get SSP if you\u2019re self-isolating because:

    ", + "
  • you or someone you live with has COVID-19 symptoms or has tested positive for COVID-19
  • ", + "
  • you\u2019ve been notified by the NHS or public health authorities that you\u2019ve been in contact with someone with COVID-19
  • ", + "
  • someone in your support bubble (or your \u2018extended household\u2019 if you live in Scotland or Wales) has COVID-19 symptoms or has tested positive for COVID-19
  • ", + "
  • you\u2019ve been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery
  • ", + "

    You could get SSP for every day you\u2019re off work.

    ", + "

    You cannot get SSP if you\u2019re self-isolating after entering or returning to the UK and do not need to self-isolate for any other reason.

    ", + "

    If your illness is not related to COVID-19

    ", + "

    If your illness is not related to COVID-19, you can get SSP from the fourth day you are off work sick.

    ", + "

    What you'll get

    ", + "

    You can get \u00a396.35 a week Statutory Sick Pay (SSP) for up to 28 weeks.

    ", + "

    If you\u2019re off work because of coronavirus (COVID-19)

    ", + "

    How many days you can get SSP for depends on why you\u2019re off work.

    ", + "

    If you\u2019re self-isolating because you or someone you live with has symptoms or has tested positive for COVID-19

    ", + "

    You must self-isolate for at least 4 days to be eligible for SSP.

    ", + "

    You can get SSP for every day you were self-isolating if you started on or after 13 March.

    ", + "

    If you started self-isolating before 13 March, you can get SSP from:

    ", + "
  • the fourth day you were sick - if you had COVID-19 symptoms
  • ", + "
  • 13 March - if you were self-isolating because someone you live with had symptoms
  • ", + "

    Check you\u2019re eligible for SSP.

    ", + "

    If you\u2019re self-isolating because of contact with someone with COVID-19

    ", + "

    You should self-isolate if you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19.

    ", + "

    You must self-isolate for at least 4 days to be eligible for SSP.

    ", + "

    You can get SSP for every day you were self-isolating from 28 May.

    ", + "

    If you\u2019re self-isolating because someone in your \u2018support bubble\u2019 or extended household has symptoms or has tested positive for COVID-19

    ", + "

    You should self-isolate if someone in your \u2018support bubble\u2019 (or your \u2018extended household\u2019 if you live in Scotland or Wales) has symptoms or has tested positive for COVID-19.

    ", + "

    You must self-isolate for at least 4 days to be eligible for SSP.

    ", + "

    You can get SSP for every day you were self-isolating from 6 July.

    ", + "

    You are not eligible for SSP for any days away from work before 6 July.

    ", + "

    If you\u2019re self-isolating before surgery

    ", + "

    If you\u2019ve been advised by your doctor or a healthcare professional to self-isolate before going into hospital for surgery, you can get SSP.

    ", + "

    You must self-isolate for at least 4 days (including non-working days) to be eligible for SSP.

    ", + "

    You can get SSP for every day you are self-isolating.

    ", + "

    You are not eligible for SSP for any day you were self-isolating before 26 August.

    ", + "

    If you\u2019re off sick for another reason

    ", + "

    You can get SSP from the fourth day you\u2019re off sick.

    ", + "

    The days you\u2019re off sick when you normally would have worked are called \u2018qualifying days\u2019. If you\u2019re eligible, you\u2019ll get SSP for all your qualifying days, except for the first 3. These are called \u2018waiting days\u2019.

    ", + "

    You only get paid for waiting days if you\u2019ve already received SSP within the last 8 weeks, and that included a 3-day waiting period.

    ", + "

    Check you\u2019re eligible for SSP.

    ", + "

    How you\u2019re paid

    ", + "

    SSP is paid by your employer in the same way as your normal wages, for example weekly or monthly.

    ", + "

    If you have more than one job you may get SSP from each employer.

    ", + "

    Tax and National Insurance will be deducted.

    ", + "

    If you think you are not getting the right amount of SSP, talk to your employer. If you\u2019re still not happy, contact the HM Revenue and Customs (HMRC) enquiry line.

    ", + "

    Eligibility

    ", + "

    To qualify for Statutory Sick Pay (SSP) you must:

    ", + "
  • be classed as an employee and have done some work for your employer
  • ", + "
  • earn an average of at least \u00a3120 per week
  • ", + "
  • have been ill or self-isolating for at least 4 days in a row (including non-working days)
  • ", + "

    How many days you can get SSP for depends on why you\u2019re off work.

    ", + "

    Agency workers are entitled to Statutory Sick Pay.

    ", + "

    Telling your employer

    ", + "

    You must usually tell your employer you\u2019re unable to work before the deadline they set (or within 7 days if they have not set one).

    ", + "

    You could lose some of your SSP if you do not tell your employer in time.

    ", + "

    Exceptions

    ", + "

    You will not qualify if you:

    ", + "
  • have received the maximum amount of SSP (28 weeks)
  • ", + "
  • are getting Statutory Maternity Pay
  • ", + "
  • are self-isolating after entering or returning to the UK and do not need to self-isolate for any other reason
  • ", + "

    You can still qualify if you started your job recently and you have not received 8 weeks\u2019 pay yet. Ask your employer to find out more.

    ", + "

    You can still qualify if you\u2019re on furlough.

    ", + "

    Linked periods of sickness

    ", + "

    If you have regular periods of sickness, they may count as \u2018linked\u2019. To be linked, the periods must:

    ", + "
  • last 4 or more days each
  • ", + "
  • be 8 weeks or less apart
  • ", + "

    You\u2019re no longer eligible for SSP if you have a continuous series of linked periods that lasts more than 3 years.

    ", + "

    Fit notes and asking for proof

    ", + "

    You only have to give your employer a fit note (sometimes called a sick note) if you\u2019re off sick for more than 7 days in a row (including non-working days).

    ", + "

    You can get a fit note from your doctor or hospital doctor. If your employer agrees, a similar document can be provided by a physiotherapist, podiatrist or occupational therapist instead. This is called an Allied Health Professional (AHP) Health and Work Report.

    ", + "

    Proof if you\u2019re self-isolating because of coronavirus (COVID-19)

    ", + "

    If you\u2019re self-isolating and cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019re off work for 7 or more days. You do not have to go to your doctor or a hospital.

    ", + "

    If you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.

    ", + "

    If you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.

    ", + "

    You cannot get SSP if you\u2019re self-isolating after entering or returning to the UK and do not need to self-isolate for any other reason.

    ", + "

    Proof if you were \u2018shielding\u2019 because of COVID-19

    ", + "

    Shielding has stopped in the UK.

    ", + "

    You can no longer apply for a new shielding note or a replacement shielding note.

    ", + "

    If you\u2019re not eligible or your SSP ends

    ", + "

    You may be able to apply for Universal Credit or Employment and Support Allowance (ESA). You can use form SSP1 to support your application.

    ", + "

    If your SSP is ending your employer must send you form SSP1 either:

    ", + "
  • within 7 days of your SSP ending, if it ends unexpectedly while you\u2019re still sick
  • ", + "
  • on or before the beginning of the 23rd week, if your SSP is expected to end before your sickness does
  • ", + "

    If you do not qualify for SSP your employer must send you form SSP1 within 7 days of you going off sick.

    ", + "

    How to claim

    ", + "

    To claim Statutory Sick Pay (SSP), tell your employer by the deadline. Check with your employer how you should tell them.

    ", + "

    If you cannot work for 7 or more days (including non-working days) you need:

    ", + "
  • an \u2018isolation note\u2019 if you\u2019re unable to work because of coronavirus (COVID-19)
  • ", + "
  • your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19
  • ", + "
  • a \u2018fit note\u2019 (or sick note) if you\u2019re off sick for another reason
  • ", + "
  • a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery
  • ", + "

    If you\u2019re unhappy with a decision

    ", + "

    Talk to your employer if you think:

    ", + "
  • their decision not to pay you SSP is wrong
  • ", + "
  • you\u2019re not getting the right amount of SSP
  • ", + "

    You can ask them for a reason.

    ", + "

    If this does not sort the problem, contact the HMRC Statutory Payment Disputes Team.

    " + ] + }, + "https://www.gov.uk/maternity-pay-leave": { + "url": "https://www.gov.uk/maternity-pay-leave", + "title": "Maternity pay and leave", + "content": "## Overview\n\nWhen you take time off to have a baby you might be eligible for:\n\n- Statutory Maternity Leave\n\n- Statutory Maternity Pay\n\n- paid time off for antenatal care\n\n- extra help from the government\n\nThere are rules on when and how to claim your paid leave and if you want to change your dates.\n\nYou can work out your maternity pay and leave online.\n\nYou may also be eligible to get Shared Parental Leave and Pay.\n\n## Employment rights when on leave\n\nYour employment rights are protected while on Statutory Maternity Leave. This includes your right to:\n\n- pay rises\n\n- build up (accrue) holiday\n\n- return to work\n\n## Leave\n\nStatutory Maternity Leave is 52 weeks. It\u2019s made up of:\n\n- Ordinary Maternity Leave - first 26 weeks\n\n- Additional Maternity Leave - last 26 weeks\n\nYou do not have to take 52 weeks but you must take 2 weeks\u2019 leave after your baby is born (or 4 weeks if you work in a factory).\n\nUse the maternity planner to work out the dates for your ordinary and additional leave.\n\nYou may be entitled to take some of your leave as Shared Parental Leave.\n\n## Start date and early births\n\nUsually, the earliest you can start your leave is 11 weeks before the expected week of childbirth.\n\nLeave will also start:\n\n- the day after the birth if the baby is early\n\n- automatically if you\u2019re off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that your baby is due\n\nUse the maternity planner to work out the earliest date your maternity leave can start.\n\n## Change your date for returning to work\n\nYou must give your employer at least 8 weeks\u2019 notice if you want to change your return to work date.\n\n## Pay\n\nStatutory Maternity Pay (SMP) is paid for up to 39 weeks. You get:\n\n- 90% of your average weekly earnings (before tax) for the first 6 weeks\n\n- \u00a3151.97or 90% of your average weekly earnings (whichever is lower) for the next 33 weeks\n\nSMP is paid in the same way as your wages (for example monthly or weekly). Tax and National Insurance will be deducted.\n\nUse the maternity pay calculator to work out how much you could get.\n\nIf you take Shared Parental Leave you\u2019ll get Statutory Shared Parental Pay (ShPP). ShPP is \u00a3151.97 a week or 90% of your average weekly earnings, whichever is lower.\n\n## Start date\n\nSMP usually starts when you take your maternity leave.\n\nIt starts automatically if you\u2019re off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that your baby is due.\n\n## Problems and disputes\n\nAsk your employer to explain your SMP if you think it\u2019s not right. If you disagree about the amount or your employer cannot pay (for example because they\u2019re insolvent), contact the Statutory Payment Disputes Team.\n\n## Eligibility\n\n## Statutory Maternity Leave\n\nYou qualify for Statutory Maternity Leave if:\n\n- you\u2019re an employee not a \u2018worker\u2019\n\n- you give your employer the correct notice\n\nIt does not matter how long you\u2019ve been with your employer, how many hours you work or how much you get paid.\n\nYou cannot get Statutory Maternity Leave if you have a child through surrogacy - you could get Statutory Adoption Leave and Pay instead.\n\n## Statutory Maternity Pay (SMP)\n\nTo qualify for SMP you must:\n\n- earn on average at least \u00a3120 a week\n\n- give the correct notice\n\n- give proof you\u2019re pregnant\n\n- have worked for your employer continuously for at least 26 weeks continuing into the \u2018qualifying week\u2019 - the 15th week before the expected week of childbirth\n\nIf you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.\n\nYou cannot get SMP if you go into police custody during your maternity pay period. It will not restart when you\u2019re discharged.\n\n## Early births or you lose your baby\n\nYou can still get Statutory Maternity Leave and SMP if your baby:\n\n- is born early\n\n- is stillborn after the start of your 24th week of pregnancy\n\n- dies after being born\n\n## If you\u2019re not eligible for SMP\n\nYour employer must give you form SMP1 explaining why you cannot get SMP within 7 days of making their decision. You may be eligible for Maternity Allowance instead.\n\n## How to claim\n\n## Statutory Maternity Leave\n\nAt least 15 weeks before your due date, tell your employer when the baby is due and when you want to start your maternity leave. Your employer can ask for this in writing.\n\nYour employer must write to you within 28 days confirming your start and end dates.\n\nUse the maternity planner to work out when you must claim your maternity leave.\n\n## Statutory Maternity Pay (SMP)\n\nTell your employer you want to stop work to have a baby and the day you want your SMP to start. You must give them at least 28 days\u2019 notice (in writing if they ask for it) and proof that you\u2019re pregnant.\n\nYour employer must confirm within 28 days how much SMP you\u2019ll get and when it will start and stop.\n\nIf they decide you\u2019re not eligible, they must give you form SMP1 within 7 days of making their decision and explain why.\n\n## Proof you\u2019re pregnant\n\nYou need to give your employer proof of the pregnancy to get SMP. You do not need it for maternity leave.\n\nWithin 21 days of your SMP start date (or as soon as possible if the baby\u2019s born early) give your employer either:\n\n- a letter from your doctor or midwife\n\n- your MATB1 certificate - doctors and midwives will give you this no more than 20 weeks before the due date\n\nYou will not get SMP if you do not give your employer proof that the baby is due.\n\n## Extra help\n\n## Maternity benefits\n\nUse a benefits calculator to see what help you can get from:\n\n- Universal Credit\n\n- Child Benefit\n\n- Child Tax Credit\n\n- Working Tax Credit - this can continue for 39 weeks after you go on maternity leave\n\n- Income Support - you may get this while you\u2019re not working\n\nYou could get a \u00a3500 Sure Start Maternity Grant (usually if it\u2019s your first child).\n\nIf you\u2019re not eligible for Statutory Maternity Pay, you could get Maternity Allowance from the government.\n\n## Company maternity schemes\n\nYou might get more than the statutory amount of leave and pay if your employer has a company maternity scheme. They cannot offer you less than the statutory amount.\n\n## Extra leave\n\nYou could get 18 weeks\u2019 unpaid parental leave after the birth - this may be restricted to 4 weeks per year.", + "original_contents": [ + "

    Overview

    ", + "

    When you take time off to have a baby you might be eligible for:

    ", + "
  • Statutory Maternity Leave
  • ", + "
  • Statutory Maternity Pay
  • ", + "
  • paid time off for antenatal care
  • ", + "
  • extra help from the government
  • ", + "

    There are rules on when and how to claim your paid leave and if you want to change your dates.

    ", + "

    You can work out your maternity pay and leave online.

    ", + "

    You may also be eligible to get Shared Parental Leave and Pay.

    ", + "

    Employment rights when on leave

    ", + "

    Your employment rights are protected while on Statutory Maternity Leave. This includes your right to:

    ", + "
  • pay rises
  • ", + "
  • build up (accrue) holiday
  • ", + "
  • return to work
  • ", + "

    Leave

    ", + "

    Statutory Maternity Leave is 52 weeks. It\u2019s made up of:

    ", + "
  • Ordinary Maternity Leave - first 26 weeks
  • ", + "
  • Additional Maternity Leave - last 26 weeks
  • ", + "

    You do not have to take 52 weeks but you must take 2 weeks\u2019 leave after your baby is born (or 4 weeks if you work in a factory).

    ", + "

    Use the maternity planner to work out the dates for your ordinary and additional leave.

    ", + "

    You may be entitled to take some of your leave as Shared Parental Leave.

    ", + "

    Start date and early births

    ", + "

    Usually, the earliest you can start your leave is 11 weeks before the expected week of childbirth.

    ", + "

    Leave will also start:

    ", + "
  • the day after the birth if the baby is early
  • ", + "
  • automatically if you\u2019re off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that your baby is due
  • ", + "

    Use the maternity planner to work out the earliest date your maternity leave can start.

    ", + "

    Change your date for returning to work

    ", + "

    You must give your employer at least 8 weeks\u2019 notice if you want to change your return to work date.

    ", + "

    Pay

    ", + "

    Statutory Maternity Pay (SMP) is paid for up to 39 weeks. You get:

    ", + "
  • 90% of your average weekly earnings (before tax) for the first 6 weeks
  • ", + "
  • \u00a3151.97or 90% of your average weekly earnings (whichever is lower) for the next 33 weeks
  • ", + "

    SMP is paid in the same way as your wages (for example monthly or weekly). Tax and National Insurance will be deducted.

    ", + "

    Use the maternity pay calculator to work out how much you could get.

    ", + "

    If you take Shared Parental Leave you\u2019ll get Statutory Shared Parental Pay (ShPP). ShPP is \u00a3151.97 a week or 90% of your average weekly earnings, whichever is lower.

    ", + "

    Start date

    ", + "

    SMP usually starts when you take your maternity leave.

    ", + "

    It starts automatically if you\u2019re off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that your baby is due.

    ", + "

    Problems and disputes

    ", + "

    Ask your employer to explain your SMP if you think it\u2019s not right. If you disagree about the amount or your employer cannot pay (for example because they\u2019re insolvent), contact the Statutory Payment Disputes Team.

    ", + "

    Eligibility

    ", + "

    Statutory Maternity Leave

    ", + "

    You qualify for Statutory Maternity Leave if:

    ", + "
  • you\u2019re an employee not a \u2018worker\u2019
  • ", + "
  • you give your employer the correct notice
  • ", + "

    It does not matter how long you\u2019ve been with your employer, how many hours you work or how much you get paid.

    ", + "

    You cannot get Statutory Maternity Leave if you have a child through surrogacy - you could get Statutory Adoption Leave and Pay instead.

    ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    To qualify for SMP you must:

    ", + "
  • earn on average at least \u00a3120 a week
  • ", + "
  • give the correct notice
  • ", + "
  • give proof you\u2019re pregnant
  • ", + "
  • have worked for your employer continuously for at least 26 weeks continuing into the \u2018qualifying week\u2019 - the 15th week before the expected week of childbirth
  • ", + "

    If you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.

    ", + "

    You cannot get SMP if you go into police custody during your maternity pay period. It will not restart when you\u2019re discharged.

    ", + "

    Early births or you lose your baby

    ", + "

    You can still get Statutory Maternity Leave and SMP if your baby:

    ", + "
  • is born early
  • ", + "
  • is stillborn after the start of your 24th week of pregnancy
  • ", + "
  • dies after being born
  • ", + "

    If you\u2019re not eligible for SMP

    ", + "

    Your employer must give you form SMP1 explaining why you cannot get SMP within 7 days of making their decision. You may be eligible for Maternity Allowance instead.

    ", + "

    How to claim

    ", + "

    Statutory Maternity Leave

    ", + "

    At least 15 weeks before your due date, tell your employer when the baby is due and when you want to start your maternity leave. Your employer can ask for this in writing.

    ", + "

    Your employer must write to you within 28 days confirming your start and end dates.

    ", + "

    Use the maternity planner to work out when you must claim your maternity leave.

    ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    Tell your employer you want to stop work to have a baby and the day you want your SMP to start. You must give them at least 28 days\u2019 notice (in writing if they ask for it) and proof that you\u2019re pregnant.

    ", + "

    Your employer must confirm within 28 days how much SMP you\u2019ll get and when it will start and stop.

    ", + "

    If they decide you\u2019re not eligible, they must give you form SMP1 within 7 days of making their decision and explain why.

    ", + "

    Proof you\u2019re pregnant

    ", + "

    You need to give your employer proof of the pregnancy to get SMP. You do not need it for maternity leave.

    ", + "

    Within 21 days of your SMP start date (or as soon as possible if the baby\u2019s born early) give your employer either:

    ", + "
  • a letter from your doctor or midwife
  • ", + "
  • your MATB1 certificate - doctors and midwives will give you this no more than 20 weeks before the due date
  • ", + "

    You will not get SMP if you do not give your employer proof that the baby is due.

    ", + "

    Extra help

    ", + "

    Maternity benefits

    ", + "

    Use a benefits calculator to see what help you can get from:

    ", + "
  • Universal Credit
  • ", + "
  • Child Benefit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Working Tax Credit - this can continue for 39 weeks after you go on maternity leave
  • ", + "
  • Income Support - you may get this while you\u2019re not working
  • ", + "

    You could get a \u00a3500 Sure Start Maternity Grant (usually if it\u2019s your first child).

    ", + "

    If you\u2019re not eligible for Statutory Maternity Pay, you could get Maternity Allowance from the government.

    ", + "

    Company maternity schemes

    ", + "

    You might get more than the statutory amount of leave and pay if your employer has a company maternity scheme. They cannot offer you less than the statutory amount.

    ", + "

    Extra leave

    ", + "

    You could get 18 weeks\u2019 unpaid parental leave after the birth - this may be restricted to 4 weeks per year.

    " + ] + }, + "https://www.gov.uk/maternity-allowance": { + "url": "https://www.gov.uk/maternity-allowance", + "title": "Maternity Allowance", + "content": "## Overview\n\nMaternity Allowance is usually paid to you if you do not qualify for Statutory Maternity Pay.\n\nThe amount you can get depends on your eligibility.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can claim Maternity Allowance as soon as you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.\n\nAny money you get can affect your other benefits.\n\n## What you'll get\n\nThe amount you can get depends on your eligibility.\n\nYou could get either:\n\n- \u00a3151.97 a week or 90% of your average weekly earnings (whichever is less) for 39 weeks\n\n- \u00a327 a week for 39 weeks\n\n- \u00a327 a week for 14 weeks\n\nMaternity Allowance is paid every 2 or 4 weeks.\n\nYou can claim Maternity Allowance once you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.\n\nUse the maternity entitlement calculator to work out how much you could get.\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are usually paid straight into your bank, building society or credit union account.\n\n## Impact on other benefits\n\nMaternity Allowance will not affect your tax credits but it will affect how much you get for:\n\n- Council Tax Reduction\n\n- Housing Benefit\n\n- Employment and Support Allowance (ESA)\n\n- Income Support\n\n- Jobseeker\u2019s Allowance (JSA) - this will stop if you get Maternity Allowance\n\n- bereavement benefits\n\n- Carer\u2019s Allowance\n\n- Universal Credit\n\n## The benefit cap\n\nThe benefit cap limits the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.\n\nSome individual benefits are not affected, but it may affect the total amount of benefit you get.\n\n## Eligibility\n\nYou can use the maternity entitlement calculator to check your eligibility.\n\n## Maternity Allowance for 39 weeks\n\nYou might get Maternity Allowance for 39 weeks if one of the following applies:\n\n- you\u2019re employed, but cannot get Statutory Maternity Pay\n\n- you\u2019re self-employed\n\n- you\u2019ve recently stopped working\n\nIn the 66 weeks before your baby\u2019s due, you must also have been:\n\n- employed or self-employed for at least 26 weeks\n\n- earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together\n\nYou may still qualify if you\u2019ve recently stopped working. It does not matter if you had different jobs or periods of unemployment.\n\nIf you usually earn \u00a330 or more a week and only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible. You must give details in your claim form.\n\n## If you\u2019re self-employed\n\nTo get the full amount of Maternity Allowance, you must have paid Class 2 National Insurance for at least 13 of the 66 weeks before your baby\u2019s due.\n\nThe Department for Work and Pensions (DWP) will check if you\u2019ve paid enough when you make your claim. They\u2019ll write to you if you have not.\n\nIf you have not paid enough Class 2 National Insurance to get the full rate (\u00a3151.97 a week), you\u2019ll get \u00a327 a week for 39 weeks. You still need to meet all the other eligibility criteria to get this amount.\n\nYou may be able to get the full rate by making early National Insurance payments. HM Revenue and Customs (HMRC) will send you a letter to tell you how.\n\nYou\u2019ll need to pay using the reference number in the letter to get the full rate, even if you\u2019ve recently made a payment through Self Assessment.\n\n## Maternity Allowance for 14 weeks\n\nYou might get Maternity Allowance for 14 weeks if for at least 26 weeks in the 66 weeks before your baby is due:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re not employed or self-employed\n\n- you take part in the business of your self-employed spouse or civil partner\n\n- the work you do is for the business and unpaid\n\n- your spouse or civil partner is registered as self-employed with HMRC and should pay Class 2 National Insurance\n\n- your spouse or civil partner is working as self-employed person\n\n- you\u2019re not eligible for Statutory Maternity Pay or the higher amount of Maternity Allowance (for the same pregnancy)\n\n## If you lose the baby\n\nYou may still qualify if the baby is either:\n\n- stillborn from the start of the 24th week of pregnancy\n\n- born alive at any point during the pregnancy\n\n## Change of circumstances\n\nReport any changes to your circumstances to your local Jobcentre Plus as they can affect how much you get. For example, if you go back to work.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## How to claim\n\nYou\u2019ll need a Maternity Allowance (MA1) claim form. You can either:\n\n- print it and fill it in\n\n- fill it in online and print it\n\n- order a form if you cannot print it\n\nThe form has notes to help you fill it in.\n\nSend it to the address on the form.\n\nIf you\u2019ve arranged to pay your Self Assessment tax and National Insurance bill in instalments because of coronavirus (COVID-19), your application might be rejected. Contact HMRC before applying for Maternity Allowance.\n\nAlternative formats\n\nCall Jobcentre Plus to ask for alternative formats, such as braille, large print or audio CD.\n\n## What to send with your claim form\n\nYou can claim Maternity Allowance once you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.\n\nYou need to provide:\n\n- proof of your income, such as original payslips or a Certificate of Small Earnings Exemption (if applicable for the 2014 to 2015 tax year)\n\n- proof of the baby\u2019s due date, such as a letter from the doctor or midwife or your MATB1 certificate\n\n- your SMP1 form - only if you were refused Statutory Maternity Pay by your employer\n\nIf your proof of income includes times you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, mention this in the \u2018additional information\u2019 section of your form. Include the dates that you were on the scheme and how much (as a percentage) of your normal pay you were actually paid.\n\nYou may need to give more information about your partner\u2019s self-employed business and what you do if you\u2019re applying for Maternity Allowance for 14 weeks.\n\n## When you\u2019ll hear about your claim\n\nYou should get a decision on your claim within 20 working days.\n\nIf you\u2019re eligible, a form will be sent to you confirming your entitlement and asking you to confirm your last day of employment before leave.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "original_contents": [ + "

    Overview

    ", + "

    Maternity Allowance is usually paid to you if you do not qualify for Statutory Maternity Pay.

    ", + "

    The amount you can get depends on your eligibility.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You can claim Maternity Allowance as soon as you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.

    ", + "

    Any money you get can affect your other benefits.

    ", + "

    What you'll get

    ", + "

    The amount you can get depends on your eligibility.

    ", + "

    You could get either:

    ", + "
  • \u00a3151.97 a week or 90% of your average weekly earnings (whichever is less) for 39 weeks
  • ", + "
  • \u00a327 a week for 39 weeks
  • ", + "
  • \u00a327 a week for 14 weeks
  • ", + "

    Maternity Allowance is paid every 2 or 4 weeks.

    ", + "

    You can claim Maternity Allowance once you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.

    ", + "

    Use the maternity entitlement calculator to work out how much you could get.

    ", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are usually paid straight into your bank, building society or credit union account.

    ", + "

    Impact on other benefits

    ", + "

    Maternity Allowance will not affect your tax credits but it will affect how much you get for:

    ", + "
  • Council Tax Reduction
  • ", + "
  • Housing Benefit
  • ", + "
  • Employment and Support Allowance (ESA)
  • ", + "
  • Income Support
  • ", + "
  • Jobseeker\u2019s Allowance (JSA) - this will stop if you get Maternity Allowance
  • ", + "
  • bereavement benefits
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Universal Credit
  • ", + "

    The benefit cap

    ", + "

    The benefit cap limits the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.

    ", + "

    Some individual benefits are not affected, but it may affect the total amount of benefit you get.

    ", + "

    Eligibility

    ", + "

    You can use the maternity entitlement calculator to check your eligibility.

    ", + "

    Maternity Allowance for 39 weeks

    ", + "

    You might get Maternity Allowance for 39 weeks if one of the following applies:

    ", + "
  • you\u2019re employed, but cannot get Statutory Maternity Pay
  • ", + "
  • you\u2019re self-employed
  • ", + "
  • you\u2019ve recently stopped working
  • ", + "

    In the 66 weeks before your baby\u2019s due, you must also have been:

    ", + "
  • employed or self-employed for at least 26 weeks
  • ", + "
  • earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together
  • ", + "

    You may still qualify if you\u2019ve recently stopped working. It does not matter if you had different jobs or periods of unemployment.

    ", + "

    If you usually earn \u00a330 or more a week and only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible. You must give details in your claim form.

    ", + "

    If you\u2019re self-employed

    ", + "

    To get the full amount of Maternity Allowance, you must have paid Class 2 National Insurance for at least 13 of the 66 weeks before your baby\u2019s due.

    ", + "

    The Department for Work and Pensions (DWP) will check if you\u2019ve paid enough when you make your claim. They\u2019ll write to you if you have not.

    ", + "

    If you have not paid enough Class 2 National Insurance to get the full rate (\u00a3151.97 a week), you\u2019ll get \u00a327 a week for 39 weeks. You still need to meet all the other eligibility criteria to get this amount.

    ", + "

    You may be able to get the full rate by making early National Insurance payments. HM Revenue and Customs (HMRC) will send you a letter to tell you how.

    ", + "

    You\u2019ll need to pay using the reference number in the letter to get the full rate, even if you\u2019ve recently made a payment through Self Assessment.

    ", + "

    Maternity Allowance for 14 weeks

    ", + "

    You might get Maternity Allowance for 14 weeks if for at least 26 weeks in the 66 weeks before your baby is due:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re not employed or self-employed
  • ", + "
  • you take part in the business of your self-employed spouse or civil partner
  • ", + "
  • the work you do is for the business and unpaid
  • ", + "
  • your spouse or civil partner is registered as self-employed with HMRC and should pay Class 2 National Insurance
  • ", + "
  • your spouse or civil partner is working as self-employed person
  • ", + "
  • you\u2019re not eligible for Statutory Maternity Pay or the higher amount of Maternity Allowance (for the same pregnancy)
  • ", + "

    If you lose the baby

    ", + "

    You may still qualify if the baby is either:

    ", + "
  • stillborn from the start of the 24th week of pregnancy
  • ", + "
  • born alive at any point during the pregnancy
  • ", + "

    Change of circumstances

    ", + "

    Report any changes to your circumstances to your local Jobcentre Plus as they can affect how much you get. For example, if you go back to work.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    How to claim

    ", + "

    You\u2019ll need a Maternity Allowance (MA1) claim form. You can either:

    ", + "
  • print it and fill it in
  • ", + "
  • fill it in online and print it
  • ", + "
  • order a form if you cannot print it
  • ", + "

    The form has notes to help you fill it in.

    ", + "

    Send it to the address on the form.

    ", + "

    If you\u2019ve arranged to pay your Self Assessment tax and National Insurance bill in instalments because of coronavirus (COVID-19), your application might be rejected. Contact HMRC before applying for Maternity Allowance.

    ", + "

    Alternative formats

    ", + "

    Call Jobcentre Plus to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    What to send with your claim form

    ", + "

    You can claim Maternity Allowance once you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.

    ", + "

    You need to provide:

    ", + "
  • proof of your income, such as original payslips or a Certificate of Small Earnings Exemption (if applicable for the 2014 to 2015 tax year)
  • ", + "
  • proof of the baby\u2019s due date, such as a letter from the doctor or midwife or your MATB1 certificate
  • ", + "
  • your SMP1 form - only if you were refused Statutory Maternity Pay by your employer
  • ", + "

    If your proof of income includes times you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, mention this in the \u2018additional information\u2019 section of your form. Include the dates that you were on the scheme and how much (as a percentage) of your normal pay you were actually paid.

    ", + "

    You may need to give more information about your partner\u2019s self-employed business and what you do if you\u2019re applying for Maternity Allowance for 14 weeks.

    ", + "

    When you\u2019ll hear about your claim

    ", + "

    You should get a decision on your claim within 20 working days.

    ", + "

    If you\u2019re eligible, a form will be sent to you confirming your entitlement and asking you to confirm your last day of employment before leave.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    " + ] + }, + "https://www.gov.uk/sure-start-maternity-grant": { + "url": "https://www.gov.uk/sure-start-maternity-grant", + "title": "Sure Start Maternity Grant", + "content": "## Overview\n\nYou could get a one-off payment of \u00a3500 to help towards the costs of having a child. This is known as a Sure Start Maternity Grant.\n\nIf you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.\n\nYou usually qualify for the grant if both of the following apply:\n\n- you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already\n\n- you or your partner already get certain benefits\n\nYou must claim the grant within 11 weeks of the baby\u2019s due date or within 6 months after the baby\u2019s birth.\n\nYou do not have to pay the grant back and it will not affect your other benefits or tax credits.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## What you'll get\n\nA Sure Start Maternity Grant is \u00a3500 and you do not have to pay it back.\n\nYou may not get a grant if you already have children.\n\n## If you already have children under 16\n\nYou can only get a grant if at least one of the following applies:\n\n- you\u2019re expecting a multiple birth (such as twins)\n\n- the child you\u2019re caring for is someone else\u2019s\n\n- you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK\n\n| Children under 16 | Grant if you have twins | Grant if you have triplets |\n\n| You have 1 or more (and none of them are from multiple births) | \u00a3500 | \u00a31,000 |\n\n| You\u2019ve already had twins | \u00a30 | \u00a3500 |\n\n| You\u2019ve already had triplets | \u00a30 | \u00a30 |\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Eligibility\n\nUsually, to qualify for a Sure Start Maternity Grant there must be no other children in your family. You or your partner must also get one of these benefits:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Child Tax Credit\n\n- Working Tax Credit that includes a disability or severe disability element\n\n- Universal Credit\n\nYou may also qualify if you\u2019re getting a Support for Mortgage Interest loan.\n\nIf you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.\n\n## If you already have children under 16\n\nYou may still be able to get a grant if any of the following apply:\n\n- you\u2019re expecting a multiple birth (such as twins)\n\n- the child you\u2019re caring for is someone else\u2019s (but not your partner\u2019s) and the child was over 12 months old when the arrangement started\n\n- you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK\n\nYou must claim by the deadline.\n\n## If you\u2019re not giving birth\n\nYou may also be able to get a grant if you\u2019re adopting or becoming a surrogate parent.\n\nThe baby must be less than 1 year old on the date you claim. You must be receiving one of the benefits above and one of the following must also apply:\n\n- you\u2019ve become responsible for the baby and you\u2019re not the mother\n\n- the baby has been placed with you for adoption\n\n- you\u2019ve got permission to adopt a baby from abroad\n\n- you\u2019ve got a parental order for a surrogate birth\n\n- you\u2019ve been appointed as guardian\n\n- you\u2019ve an adoption or a residence order\n\n## How to claim\n\nYou can claim from 11 weeks before the week your baby is due. The latest you can claim is 6 months after your baby is born.\n\nIf you\u2019re becoming responsible for a child, you must claim within 6 months of this happening.\n\n## Claim by post\n\n- Print out and fill in the Sure Start Maternity Grant (SF100) claim form.\n\n- Get a health professional such as a doctor or midwife to fill in the statement on page 10 of the form. You can send your form without this statement if necessary to meet the deadline. If you do this, you\u2019ll be contacted about arranging the statement at a later date.\n\n- Post the form to \u2018Freepost DWP SSMG\u2019 - you do not need a postcode or a stamp.\n\nThere\u2019s a different form and postal address if you live in Northern Ireland.\n\nYou\u2019ll get a letter telling you if your claim was successful.\n\nIf you get Universal Credit, you will not get a decision on your claim until after your next payment.\n\n## Get help with your claim\n\nCall the Sure Start Maternity Grant helpline.\n\nYou can also contact Jobcentre Plus.\n\n## Alternative formats\n\nCall the Sure Start Maternity Grant helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "original_contents": [ + "

    Overview

    ", + "

    You could get a one-off payment of \u00a3500 to help towards the costs of having a child. This is known as a Sure Start Maternity Grant.

    ", + "

    If you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.

    ", + "

    You usually qualify for the grant if both of the following apply:

    ", + "
  • you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already
  • ", + "
  • you or your partner already get certain benefits
  • ", + "

    You must claim the grant within 11 weeks of the baby\u2019s due date or within 6 months after the baby\u2019s birth.

    ", + "

    You do not have to pay the grant back and it will not affect your other benefits or tax credits.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    What you'll get

    ", + "

    A Sure Start Maternity Grant is \u00a3500 and you do not have to pay it back.

    ", + "

    You may not get a grant if you already have children.

    ", + "

    If you already have children under 16

    ", + "

    You can only get a grant if at least one of the following applies:

    ", + "
  • you\u2019re expecting a multiple birth (such as twins)
  • ", + "
  • the child you\u2019re caring for is someone else\u2019s
  • ", + "
  • you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK
  • ", + "Children under 16 | Grant if you have twins | Grant if you have triplets", + "You have 1 or more (and none of them are from multiple births) | \u00a3500 | \u00a31,000", + "You\u2019ve already had twins | \u00a30 | \u00a3500", + "You\u2019ve already had triplets | \u00a30 | \u00a30", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are paid into your bank, building society or credit union account.

    ", + "

    Eligibility

    ", + "

    Usually, to qualify for a Sure Start Maternity Grant there must be no other children in your family. You or your partner must also get one of these benefits:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Working Tax Credit that includes a disability or severe disability element
  • ", + "
  • Universal Credit
  • ", + "

    You may also qualify if you\u2019re getting a Support for Mortgage Interest loan.

    ", + "

    If you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.

    ", + "

    If you already have children under 16

    ", + "

    You may still be able to get a grant if any of the following apply:

    ", + "
  • you\u2019re expecting a multiple birth (such as twins)
  • ", + "
  • the child you\u2019re caring for is someone else\u2019s (but not your partner\u2019s) and the child was over 12 months old when the arrangement started
  • ", + "
  • you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK
  • ", + "

    You must claim by the deadline.

    ", + "

    If you\u2019re not giving birth

    ", + "

    You may also be able to get a grant if you\u2019re adopting or becoming a surrogate parent.

    ", + "

    The baby must be less than 1 year old on the date you claim. You must be receiving one of the benefits above and one of the following must also apply:

    ", + "
  • you\u2019ve become responsible for the baby and you\u2019re not the mother
  • ", + "
  • the baby has been placed with you for adoption
  • ", + "
  • you\u2019ve got permission to adopt a baby from abroad
  • ", + "
  • you\u2019ve got a parental order for a surrogate birth
  • ", + "
  • you\u2019ve been appointed as guardian
  • ", + "
  • you\u2019ve an adoption or a residence order
  • ", + "

    How to claim

    ", + "

    You can claim from 11 weeks before the week your baby is due. The latest you can claim is 6 months after your baby is born.

    ", + "

    If you\u2019re becoming responsible for a child, you must claim within 6 months of this happening.

    ", + "

    Claim by post

    ", + "
  • Print out and fill in the Sure Start Maternity Grant (SF100) claim form.
  • ", + "
  • Get a health professional such as a doctor or midwife to fill in the statement on page 10 of the form. You can send your form without this statement if necessary to meet the deadline. If you do this, you\u2019ll be contacted about arranging the statement at a later date.
  • ", + "
  • Post the form to \u2018Freepost DWP SSMG\u2019 - you do not need a postcode or a stamp.
  • ", + "

    There\u2019s a different form and postal address if you live in Northern Ireland.

    ", + "

    You\u2019ll get a letter telling you if your claim was successful.

    ", + "

    If you get Universal Credit, you will not get a decision on your claim until after your next payment.

    ", + "

    Get help with your claim

    ", + "

    Call the Sure Start Maternity Grant helpline.

    ", + "

    You can also contact Jobcentre Plus.

    ", + "

    Alternative formats

    ", + "

    Call the Sure Start Maternity Grant helpline to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    " + ] + }, + "https://www.gov.uk/paternity-pay-leave": { + "url": "https://www.gov.uk/paternity-pay-leave", + "title": "Paternity pay and leave", + "content": "## Overview\n\nWhen you take time off because your partner\u2019s having a baby, adopting a child or having a baby through a surrogacy arrangement you might be eligible for:\n\n- 1 or 2 weeks\u2019 paid Paternity Leave\n\n- Paternity Pay\n\n- Shared Parental Leave and Pay\n\nYou may not get both leave and pay, and there are rules on how to claim and when your leave can start.\n\n## Employment rights when on leave\n\nYour employment rights are protected while on paternity leave. This includes your right to:\n\n- pay rises\n\n- build up (accrue) holiday\n\n- return to work\n\nYou can get time off to accompany your partner (or the surrogate mother) to 2 antenatal appointments.\n\nIf you\u2019re adopting a child, you can get time off to attend 2 adoption appointments after you\u2019ve been matched with a child.\n\n## Leave\n\n## Paternity leave\n\nYou can choose to take either 1 or 2 weeks. You get the same amount of leave if your partner has a multiple birth (such as twins).\n\nYou must take your leave in one go. A week is the same amount of days that you normally work in a week - for example, a week is 2 days if you only work on Mondays and Tuesdays.\n\n## Start and end dates\n\nLeave cannot start before the birth. It must end within 56 days of the birth (or due date if the baby is early).\n\nYou must give your employer 28 days\u2019 notice if you want to change your start date.\n\nYou do not have to give a precise date when you want to take leave (for example 1 February). Instead you can give a general time, such as the day of the birth or 1 week after the birth.\n\nThe rules are different if you adopt.\n\n## Shared Parental Leave\n\nYou may also be eligible for Shared Parental Leave (SPL). You cannot take Paternity Leave after you take SPL.\n\n## Leave for antenatal appointments\n\nYou can take unpaid leave to accompany a pregnant woman to 2 antenatal appointments if you\u2019re:\n\n- the baby\u2019s father\n\n- the expectant mother\u2019s spouse or civil partner\n\n- in a long-term relationship with the expectant mother\n\n- the intended parent (if you\u2019re having a baby through a surrogacy arrangement)\n\nYou can take up to 6 and a half hours per appointment. Your employer can choose to give you longer.\n\nYou can apply for leave immediately if you\u2019re a permanent employee. You\u2019ll need to have been doing a job for 12 weeks before you qualify if you\u2019re an agency worker.\n\n## Pay\n\nThe statutory weekly rate of Paternity Pay is \u00a3151.97, or 90% of your average weekly earnings (whichever is lower).\n\nAny money you get is paid in the same way as your wages, for example monthly or weekly. Tax and National Insurance will be deducted.\n\n## Start and end dates\n\nThe money is usually paid while you\u2019re on leave. Your employer must confirm the start and end dates for your Paternity Pay when you claim it.\n\nTo change the start date you must give your employer 28 days\u2019 notice.\n\nYou could get more pay if your employer has a company paternity scheme - they cannot offer you less than the statutory amounts.\n\n## Eligibility\n\nYou must be taking time off to look after the child and be one of the following:\n\n- the father\n\n- the husband or partner of the mother (or adopter) - this includes same-sex partners\n\n- the child\u2019s adopter\n\n- the intended parent (if you\u2019re having a baby through a surrogacy arrangement)\n\nThere are extra conditions you need to meet to qualify for leave and pay.\n\nYou cannot get Paternity Pay and Leave if you\u2019ve taken paid time off to attend adoption appointments.\n\n## Paternity Leave\n\nYou must:\n\n- be an employee\n\n- give the correct notice\n\n- have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019\n\nThe \u2018qualifying week\u2019 is the 15th week before the baby is due. This is different if you adopt.\n\n## Paternity Pay\n\nYou must:\n\n- be employed by your employer up to the date of birth\n\n- earn at least \u00a3120 a week (before tax)\n\n- give the correct notice\n\n- have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019\n\nThe \u2018qualifying week\u2019 is the 15th week before the baby is due. This is different if you adopt.\n\nIf you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.\n\n## If you lose your baby\n\nYou can still get Paternity Leave or Pay if your baby is:\n\n- stillborn from 24 weeks of pregnancy\n\n- born alive at any point during the pregnancy\n\n## If you\u2019re not eligible\n\nYour employer must tell you within 28 days if you do not qualify and why using form SPP1.\n\n## How to claim\n\nClaim Paternity Leave and Pay through your employer. You do not need to give proof of the pregnancy or birth.\n\nThe rules and forms are different if you adopt.\n\n## Paternity Leave\n\nAt least 15 weeks before the baby is due, tell your employer:\n\n- the due date\n\n- when you want your leave to start, for example the day of the birth or the week after the birth\n\n- if you want 1 or 2 weeks\u2019 leave\n\nYour employer can ask for this in writing. You can ask for Paternity Pay at the same time, if you use form SC3 (or your employer\u2019s own version).\n\nUse the paternity planner to find out when you need to claim Paternity Leave by.\n\n## Paternity Pay\n\nAt least 15 weeks before the baby is due, give your employer form SC3 (or their own version).\n\n## Adoption and surrogacy\n\n## Eligibility\n\nYou must have been continuously employed by your employer for at least 26 weeks by the \u2018matching week\u2019. For adoption this is either:\n\n- the end of the week you\u2019re matched with the child (UK adoptions)\n\n- the date the child enters the UK or when you want your pay to start (overseas adoptions)\n\nYou must also meet the other eligibility conditions for paternity leave or pay.\n\n## Start and end dates - Paternity Leave\n\nYour period of Paternity Leave can start:\n\n- on the date of placement\n\n- an agreed number of days after the date of placement\n\n- on the date the child arrives in the UK or an agreed number of days after this (overseas adoptions only)\n\n- the day the child\u2019s born or the day after if you\u2019re working that day (surrogate parents)\n\nLeave must be taken within 56 days of the date of placement or the child\u2019s arrival in the UK (overseas adoptions).\n\nYou must give your employer 28 days\u2019 notice if you want to change your start date.\n\n## How to claim - Paternity Leave or Pay\n\nYou must use form SC4 (or your employer\u2019s own version) for:\n\n- leave - within 7 days of your co-adopter or partner being matched with a child\n\n- pay - 28 days before you want your pay to start\n\nFor overseas adoptions the form and notice period is different. The process is explained on form SC5.\n\n## Proof of adoption\n\nYou must give your employer proof of adoption to qualify for Paternity Pay. Proof is not needed for Paternity Leave unless your employer asks for it.\n\nProof can be a letter from your adoption agency or the matching certificate.\n\nYou\u2019ll need to provide this information within 28 days.\n\n## Surrogacy arrangements\n\nTo be eligible for Paternity Pay and Leave if you use a surrogate to have a baby, you must:\n\n- be in a couple\n\n- be responsible for the child (with your partner)\n\n- have worked for your employer continuously for at least 26 weeks by the end of the \u2018qualifying week\u2019 (the 15th week before the baby is due)\n\nAt least 15 weeks before the due date, tell your employer when the baby is due and when you want to start your leave - they may ask for this in writing.\n\nYour employer may ask for a written statement to confirm you intend to apply for a parental order in the 6 months after the child\u2019s birth. You must sign this in the presence of a legal professional.\n\nYou cannot get Paternity Leave if you take Shared Parental Leave.", + "original_contents": [ + "

    Overview

    ", + "

    When you take time off because your partner\u2019s having a baby, adopting a child or having a baby through a surrogacy arrangement you might be eligible for:

    ", + "
  • 1 or 2 weeks\u2019 paid Paternity Leave
  • ", + "
  • Paternity Pay
  • ", + "
  • Shared Parental Leave and Pay
  • ", + "

    You may not get both leave and pay, and there are rules on how to claim and when your leave can start.

    ", + "

    Employment rights when on leave

    ", + "

    Your employment rights are protected while on paternity leave. This includes your right to:

    ", + "
  • pay rises
  • ", + "
  • build up (accrue) holiday
  • ", + "
  • return to work
  • ", + "

    You can get time off to accompany your partner (or the surrogate mother) to 2 antenatal appointments.

    ", + "

    If you\u2019re adopting a child, you can get time off to attend 2 adoption appointments after you\u2019ve been matched with a child.

    ", + "

    Leave

    ", + "

    Paternity leave

    ", + "

    You can choose to take either 1 or 2 weeks. You get the same amount of leave if your partner has a multiple birth (such as twins).

    ", + "

    You must take your leave in one go. A week is the same amount of days that you normally work in a week - for example, a week is 2 days if you only work on Mondays and Tuesdays.

    ", + "

    Start and end dates

    ", + "

    Leave cannot start before the birth. It must end within 56 days of the birth (or due date if the baby is early).

    ", + "

    You must give your employer 28 days\u2019 notice if you want to change your start date.

    ", + "

    You do not have to give a precise date when you want to take leave (for example 1 February). Instead you can give a general time, such as the day of the birth or 1 week after the birth.

    ", + "

    The rules are different if you adopt.

    ", + "

    Shared Parental Leave

    ", + "

    You may also be eligible for Shared Parental Leave (SPL). You cannot take Paternity Leave after you take SPL.

    ", + "

    Leave for antenatal appointments

    ", + "

    You can take unpaid leave to accompany a pregnant woman to 2 antenatal appointments if you\u2019re:

    ", + "
  • the baby\u2019s father
  • ", + "
  • the expectant mother\u2019s spouse or civil partner
  • ", + "
  • in a long-term relationship with the expectant mother
  • ", + "
  • the intended parent (if you\u2019re having a baby through a surrogacy arrangement)
  • ", + "

    You can take up to 6 and a half hours per appointment. Your employer can choose to give you longer.

    ", + "

    You can apply for leave immediately if you\u2019re a permanent employee. You\u2019ll need to have been doing a job for 12 weeks before you qualify if you\u2019re an agency worker.

    ", + "

    Pay

    ", + "

    The statutory weekly rate of Paternity Pay is \u00a3151.97, or 90% of your average weekly earnings (whichever is lower).

    ", + "

    Any money you get is paid in the same way as your wages, for example monthly or weekly. Tax and National Insurance will be deducted.

    ", + "

    Start and end dates

    ", + "

    The money is usually paid while you\u2019re on leave. Your employer must confirm the start and end dates for your Paternity Pay when you claim it.

    ", + "

    To change the start date you must give your employer 28 days\u2019 notice.

    ", + "

    You could get more pay if your employer has a company paternity scheme - they cannot offer you less than the statutory amounts.

    ", + "

    Eligibility

    ", + "

    You must be taking time off to look after the child and be one of the following:

    ", + "
  • the father
  • ", + "
  • the husband or partner of the mother (or adopter) - this includes same-sex partners
  • ", + "
  • the child\u2019s adopter
  • ", + "
  • the intended parent (if you\u2019re having a baby through a surrogacy arrangement)
  • ", + "

    There are extra conditions you need to meet to qualify for leave and pay.

    ", + "

    You cannot get Paternity Pay and Leave if you\u2019ve taken paid time off to attend adoption appointments.

    ", + "

    Paternity Leave

    ", + "

    You must:

    ", + "
  • be an employee
  • ", + "
  • give the correct notice
  • ", + "
  • have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • ", + "

    The \u2018qualifying week\u2019 is the 15th week before the baby is due. This is different if you adopt.

    ", + "

    Paternity Pay

    ", + "

    You must:

    ", + "
  • be employed by your employer up to the date of birth
  • ", + "
  • earn at least \u00a3120 a week (before tax)
  • ", + "
  • give the correct notice
  • ", + "
  • have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • ", + "

    The \u2018qualifying week\u2019 is the 15th week before the baby is due. This is different if you adopt.

    ", + "

    If you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.

    ", + "

    If you lose your baby

    ", + "

    You can still get Paternity Leave or Pay if your baby is:

    ", + "
  • stillborn from 24 weeks of pregnancy
  • ", + "
  • born alive at any point during the pregnancy
  • ", + "

    If you\u2019re not eligible

    ", + "

    Your employer must tell you within 28 days if you do not qualify and why using form SPP1.

    ", + "

    How to claim

    ", + "

    Claim Paternity Leave and Pay through your employer. You do not need to give proof of the pregnancy or birth.

    ", + "

    The rules and forms are different if you adopt.

    ", + "

    Paternity Leave

    ", + "

    At least 15 weeks before the baby is due, tell your employer:

    ", + "
  • the due date
  • ", + "
  • when you want your leave to start, for example the day of the birth or the week after the birth
  • ", + "
  • if you want 1 or 2 weeks\u2019 leave
  • ", + "

    Your employer can ask for this in writing. You can ask for Paternity Pay at the same time, if you use form SC3 (or your employer\u2019s own version).

    ", + "

    Use the paternity planner to find out when you need to claim Paternity Leave by.

    ", + "

    Paternity Pay

    ", + "

    At least 15 weeks before the baby is due, give your employer form SC3 (or their own version).

    ", + "

    Adoption and surrogacy

    ", + "

    Eligibility

    ", + "

    You must have been continuously employed by your employer for at least 26 weeks by the \u2018matching week\u2019. For adoption this is either:

    ", + "
  • the end of the week you\u2019re matched with the child (UK adoptions)
  • ", + "
  • the date the child enters the UK or when you want your pay to start (overseas adoptions)
  • ", + "

    You must also meet the other eligibility conditions for paternity leave or pay.

    ", + "

    Start and end dates - Paternity Leave

    ", + "

    Your period of Paternity Leave can start:

    ", + "
  • on the date of placement
  • ", + "
  • an agreed number of days after the date of placement
  • ", + "
  • on the date the child arrives in the UK or an agreed number of days after this (overseas adoptions only)
  • ", + "
  • the day the child\u2019s born or the day after if you\u2019re working that day (surrogate parents)
  • ", + "

    Leave must be taken within 56 days of the date of placement or the child\u2019s arrival in the UK (overseas adoptions).

    ", + "

    You must give your employer 28 days\u2019 notice if you want to change your start date.

    ", + "

    How to claim - Paternity Leave or Pay

    ", + "

    You must use form SC4 (or your employer\u2019s own version) for:

    ", + "
  • leave - within 7 days of your co-adopter or partner being matched with a child
  • ", + "
  • pay - 28 days before you want your pay to start
  • ", + "

    For overseas adoptions the form and notice period is different. The process is explained on form SC5.

    ", + "

    Proof of adoption

    ", + "

    You must give your employer proof of adoption to qualify for Paternity Pay. Proof is not needed for Paternity Leave unless your employer asks for it.

    ", + "

    Proof can be a letter from your adoption agency or the matching certificate.

    ", + "

    You\u2019ll need to provide this information within 28 days.

    ", + "

    Surrogacy arrangements

    ", + "

    To be eligible for Paternity Pay and Leave if you use a surrogate to have a baby, you must:

    ", + "
  • be in a couple
  • ", + "
  • be responsible for the child (with your partner)
  • ", + "
  • have worked for your employer continuously for at least 26 weeks by the end of the \u2018qualifying week\u2019 (the 15th week before the baby is due)
  • ", + "

    At least 15 weeks before the due date, tell your employer when the baby is due and when you want to start your leave - they may ask for this in writing.

    ", + "

    Your employer may ask for a written statement to confirm you intend to apply for a parental order in the 6 months after the child\u2019s birth. You must sign this in the presence of a legal professional.

    ", + "

    You cannot get Paternity Leave if you take Shared Parental Leave.

    " + ] + }, + "https://www.gov.uk/shared-parental-leave-and-pay": { + "url": "https://www.gov.uk/shared-parental-leave-and-pay", + "title": "Shared Parental Leave and Pay", + "content": "## How it works\n\nYou and your partner may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if you\u2019re:\n\n- having a baby\n\n- using a surrogate to have a baby\n\n- adopting a child\n\nYou can share up to 50 weeks of leave and up to 37 weeks of pay between you.\n\nYou need to share the pay and leave in the first year after your child is born or placed with your family.\n\nYou can use SPL to take leave in blocks separated by periods of work, or take it all in one go. You can also choose to be off work together or to stagger the leave and pay.\n\nTo get SPL and ShPP, you and your partner need to:\n\n- meet the eligibility criteria - there\u2019s different criteria for birth parents and criteria for adoptive parents or parents using a surrogate\n\n- give notice to your employers\n\n## Eligibility for birth parents\n\nTo be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both parents must:\n\n- share responsibility for the child at birth\n\n- meet work and pay criteria - these are different depending on which parent wants to use the shared parental leave and pay\n\nYou\u2019re not eligible if you started sharing responsibility for the child after it was born.\n\nThe eligibility criteria are different if you\u2019re adoptive parents or parents using a surrogate.\n\nYou can check if you can get SPL and ShPP. You\u2019ll need to know:\n\n- your child\u2019s due date or birth date\n\n- your and your partner\u2019s employment status and earnings\n\n- if you and your partner can get Statutory Maternity Pay or Statutory Paternity Pay\n\n## If both parents want to share the SPL and ShPP\n\nTo be eligible for SPL and ShPP, you and your partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until you start your SPL\n\nTo be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.\n\nTo be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.\n\n## If the mother\u2019s partner wants to take the SPL and ShPP\n\nFor the mother\u2019s partner to take SPL and ShPP, both the mother and the mother\u2019s partner must meet some eligibility requirements.\n\nThe mother must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total across any 13 of the 66 weeks\n\nThe mother\u2019s partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, the partner must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the partner is a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, the partner must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## If the mother wants to take the SPL and ShPP\n\nFor the mother to take SPL and ShPP, both the mother\u2019s partner and the mother must meet some eligibility criteria.\n\nThe mother\u2019s partner must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)\n\nThe mother must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, the mother must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the mother is a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, the mother must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## Eligibility for adopters or parents using a surrogate\n\nTo be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both adoptive parents or both parents using a surrogate must:\n\n- share responsibility for the child on the child\u2019s due date or birth date if you\u2019re using a surrogate, or the date they\u2019re placed with you if you\u2019re adopting\n\n- meet the work and earnings criteria - these are different depending on which one of you wants to use the shared parental leave and pay\n\nThe eligibility criteria are different if you\u2019re birth parents.\n\nYou can check if you can get SPL and ShPP. You\u2019ll need to know:\n\n- your child\u2019s due date or birth date if you\u2019re using a surrogate, or the match date if you\u2019re adopting\n\n- your and your partner\u2019s employment status and earnings\n\n- if you and your partner can get Statutory Adoption Pay or Statutory Paternity Pay\n\n## If both parents want to share the SPL and ShPP\n\nTo be eligible for SPL and ShPP, you and your partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family\n\n- stay with the same employer until you start your SPL\n\nTo be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.\n\nTo be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.\n\n## If only one of the parents wants to take the SPL and ShPP\n\nBoth parents must meet some eligibility criteria.\n\nThe parent who wants to take the leave and pay must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, they must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If they are a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, they must earn on average at least \u00a3120 each a week.\n\nThe other parent must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the child was placed with you (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)\n\nIf either parent earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## What you'll get\n\nIf you\u2019re eligible and you or your partner end maternity or adoption leave and pay (or Maternity Allowance) early, then you can:\n\n- take the rest of the 52 weeks of maternity or adoption leave as Shared Parental Leave (SPL)\n\n- take the rest of the 39 weeks of maternity or adoption pay (or Maternity Allowance) as Statutory Shared Parental Pay (ShPP)\n\nYou can check when you and your partner can take your leave and how much statutory pay you\u2019ll get using the Shared Parental Leave and Pay planning tool.\n\n## How much pay you\u2019ll get\n\nShPP is paid at the rate of \u00a3151.97 a week or 90% of your average weekly earnings, whichever is lower.\n\nThis is the same as Statutory Maternity Pay (SMP) except that during the first 6 weeks SMP is paid at 90% of whatever you earn (with no maximum).\n\n## When you can start\n\nYou can only start Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) once the child has been born or placed for adoption.\n\nYou can check when you and your partner can start your leave using the Shared Parental Leave and Pay planning tool.\n\n## For SPL to start\n\nThe mother (or the person getting adoption leave) must either:\n\n- return to work, which ends any maternity or adoption leave\n\n- give their employer \u2018binding notice\u2019 of the date when they plan to end their leave (you cannot normally change the date you give in binding notice)\n\nYou can start SPL while your partner is still on maternity or adoption leave as long as they\u2019ve given binding notice to end it.\n\nYou can give binding notice and say when you plan to take your SPL at the same time.\n\nA mother cannot return to work before the end of the compulsory 2 weeks of maternity leave following the birth (4 weeks if they work in a factory). If you\u2019re adopting, the person claiming adoption pay must take at least 2 weeks of adoption leave.\n\n## If the mother or adopter does not get maternity or adoption leave\n\nThe mother or adopter must end any maternity pay, adoption pay or Maternity Allowance so that they or their partner can get SPL.\n\n## For ShPP to start\n\nThe mother (or the person getting adoption pay) must give their employer binding notice of the date when they plan to end any maternity or adoption pay.\n\nIf they get Maternity Allowance, they must give notice to Jobcentre Plus instead.\n\nThey cannot restart maternity pay, Maternity Allowance or adoption pay once it\u2019s ended.\n\nYou can start ShPP while your partner is still on maternity pay, adoption pay or Maternity Allowance as long as they\u2019ve given binding notice to end it.\n\nYou can give binding notice and say when you plan to take your ShPP at the same time.\n\n## Change the decision to end maternity or adoption leave\n\nThe mother or adopter may be able to change their decision to end maternity or adoption leave early. They must let their employer know.\n\nThey can only change the decision if both:\n\n- the planned end date has not passed\n\n- they have not already returned to work\n\nOne of the following must also apply:\n\n- you find out during the 8-week notice period that neither of you is eligible for SPL or ShPP\n\n- the mother or adopter\u2019s partner has died\n\n- the mother tells their employer less than 6 weeks after the birth (and they gave their employer notice before the birth)\n\n## Booking blocks of leave\n\nYou can book up to 3 separate blocks of Shared Parental Leave (SPL) instead of taking it all in one go, even if you are not sharing the leave with your partner.\n\nIf your partner is also eligible for SPL, you can take up to 3 blocks of leave each. You can take leave at different times or both at the same time.\n\nYou must tell your employer about your plans for leave when you apply for SPL. You can change these plans later but you must give your employer at least 8 weeks\u2019 notice before you want to begin a block of leave.\n\nYou can check when you and your partner can take your leave using the Shared Parental Leave and Pay planning tool.\n\n## Splitting blocks of leave\n\nIf your employer agrees, you can split blocks into shorter periods of at least a week.\n\n## Shared Parental Leave in touch (SPLIT) days\n\nYou and your partner can each work up to 20 days while you\u2019re taking SPL. These are called \u2018Shared Parental Leave in touch\u2019 (or SPLIT) days.\n\nThese days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days available to those on maternity or adoption leave.\n\nKIT and SPLIT days are optional - both you and your employer must agree to them.\n\n## Applying for leave and pay\n\nTo get Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) you must:\n\n- follow the rules for starting SPL and ShPP\n\n- give your employer at least 8 weeks\u2019 written notice of your leave dates\n\nIf the mother (or person taking adoption leave) plans to take SPL or ShPP, they must apply to their employer.\n\nIf the partner plans to take SPL or ShPP, both the partner and the mother (or person taking adoption leave) must apply to their employers.\n\nYou can use Shared Parental Leave forms and templates created by Acas to:\n\n- give your employer notice that you plan to take SPL and ShPP\n\n- give your employer notice of when the mother or adopter is going to end their maternity or adoption leave, and when they\u2019ll stop getting maternity or adoption pay\n\n- book your leave dates\n\nIf your employer has their own forms you can use those instead.\n\nYou can change your mind later about how much SPL or ShPP you plan to take and when you want to take it. You must give notice of any changes at least 8 weeks before the start of any leave.\n\nYou might not get SPL or ShPP if you do not include all the required information.\n\n## Giving more information\n\nYour employer can ask you for more information within 14 days of you applying for SPL or ShPP. They can ask for:\n\n- a copy of the birth certificate\n\n- a declaration of the place and date of birth (if the birth has not been registered yet)\n\n- the name and address of your partner\u2019s employer or a declaration that your partner has no employer\n\nIf you\u2019re adopting, your employer can ask for the:\n\n- name and address of the adoption agency\n\n- date you were matched with the child\n\n- date the child will start to live with you\n\n- name and address of your partner\u2019s employer or a declaration that your partner has no employer\n\nYou must give this information within 14 days of being asked for it.", + "original_contents": [ + "

    How it works

    ", + "

    You and your partner may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if you\u2019re:

    ", + "
  • having a baby
  • ", + "
  • using a surrogate to have a baby
  • ", + "
  • adopting a child
  • ", + "

    You can share up to 50 weeks of leave and up to 37 weeks of pay between you.

    ", + "

    You need to share the pay and leave in the first year after your child is born or placed with your family.

    ", + "

    You can use SPL to take leave in blocks separated by periods of work, or take it all in one go. You can also choose to be off work together or to stagger the leave and pay.

    ", + "

    To get SPL and ShPP, you and your partner need to:

    ", + "
  • meet the eligibility criteria - there\u2019s different criteria for birth parents and criteria for adoptive parents or parents using a surrogate
  • ", + "
  • give notice to your employers
  • ", + "

    Eligibility for birth parents

    ", + "

    To be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both parents must:

    ", + "
  • share responsibility for the child at birth
  • ", + "
  • meet work and pay criteria - these are different depending on which parent wants to use the shared parental leave and pay
  • ", + "

    You\u2019re not eligible if you started sharing responsibility for the child after it was born.

    ", + "

    The eligibility criteria are different if you\u2019re adoptive parents or parents using a surrogate.

    ", + "

    You can check if you can get SPL and ShPP. You\u2019ll need to know:

    ", + "
  • your child\u2019s due date or birth date
  • ", + "
  • your and your partner\u2019s employment status and earnings
  • ", + "
  • if you and your partner can get Statutory Maternity Pay or Statutory Paternity Pay
  • ", + "

    If both parents want to share the SPL and ShPP

    ", + "

    To be eligible for SPL and ShPP, you and your partner must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date
  • ", + "
  • stay with the same employer until you start your SPL
  • ", + "

    To be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.

    ", + "

    To be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.

    ", + "

    If the mother\u2019s partner wants to take the SPL and ShPP

    ", + "

    For the mother\u2019s partner to take SPL and ShPP, both the mother and the mother\u2019s partner must meet some eligibility requirements.

    ", + "

    The mother must:

    ", + "
  • have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)
  • ", + "
  • have earned at least \u00a3390 in total across any 13 of the 66 weeks
  • ", + "

    The mother\u2019s partner must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date
  • ", + "
  • stay with the same employer until they start their SPL
  • ", + "

    To be eligible for SPL, the partner must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the partner is a \u2018worker\u2019, they might be able to get ShPP but not SPL.

    ", + "

    To be eligible for ShPP, the partner must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    If the mother wants to take the SPL and ShPP

    ", + "

    For the mother to take SPL and ShPP, both the mother\u2019s partner and the mother must meet some eligibility criteria.

    ", + "

    The mother\u2019s partner must:

    ", + "
  • have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)
  • ", + "
  • have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)
  • ", + "

    The mother must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date
  • ", + "
  • stay with the same employer until they start their SPL
  • ", + "

    To be eligible for SPL, the mother must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the mother is a \u2018worker\u2019, they might be able to get ShPP but not SPL.

    ", + "

    To be eligible for ShPP, the mother must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    Eligibility for adopters or parents using a surrogate

    ", + "

    To be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both adoptive parents or both parents using a surrogate must:

    ", + "
  • share responsibility for the child on the child\u2019s due date or birth date if you\u2019re using a surrogate, or the date they\u2019re placed with you if you\u2019re adopting
  • ", + "
  • meet the work and earnings criteria - these are different depending on which one of you wants to use the shared parental leave and pay
  • ", + "

    The eligibility criteria are different if you\u2019re birth parents.

    ", + "

    You can check if you can get SPL and ShPP. You\u2019ll need to know:

    ", + "
  • your child\u2019s due date or birth date if you\u2019re using a surrogate, or the match date if you\u2019re adopting
  • ", + "
  • your and your partner\u2019s employment status and earnings
  • ", + "
  • if you and your partner can get Statutory Adoption Pay or Statutory Paternity Pay
  • ", + "

    If both parents want to share the SPL and ShPP

    ", + "

    To be eligible for SPL and ShPP, you and your partner must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family
  • ", + "
  • stay with the same employer until you start your SPL
  • ", + "

    To be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.

    ", + "

    To be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.

    ", + "

    If only one of the parents wants to take the SPL and ShPP

    ", + "

    Both parents must meet some eligibility criteria.

    ", + "

    The parent who wants to take the leave and pay must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family
  • ", + "
  • stay with the same employer until they start their SPL
  • ", + "

    To be eligible for SPL, they must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If they are a \u2018worker\u2019, they might be able to get ShPP but not SPL.

    ", + "

    To be eligible for ShPP, they must earn on average at least \u00a3120 each a week.

    ", + "

    The other parent must:

    ", + "
  • have been working for at least 26 weeks out of the 66 weeks before the week the child was placed with you (the 26 weeks do not need to be in a row)
  • ", + "
  • have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)
  • ", + "

    If either parent earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    What you'll get

    ", + "

    If you\u2019re eligible and you or your partner end maternity or adoption leave and pay (or Maternity Allowance) early, then you can:

    ", + "
  • take the rest of the 52 weeks of maternity or adoption leave as Shared Parental Leave (SPL)
  • ", + "
  • take the rest of the 39 weeks of maternity or adoption pay (or Maternity Allowance) as Statutory Shared Parental Pay (ShPP)
  • ", + "

    You can check when you and your partner can take your leave and how much statutory pay you\u2019ll get using the Shared Parental Leave and Pay planning tool.

    ", + "

    How much pay you\u2019ll get

    ", + "

    ShPP is paid at the rate of \u00a3151.97 a week or 90% of your average weekly earnings, whichever is lower.

    ", + "

    This is the same as Statutory Maternity Pay (SMP) except that during the first 6 weeks SMP is paid at 90% of whatever you earn (with no maximum).

    ", + "

    When you can start

    ", + "

    You can only start Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) once the child has been born or placed for adoption.

    ", + "

    You can check when you and your partner can start your leave using the Shared Parental Leave and Pay planning tool.

    ", + "

    For SPL to start

    ", + "

    The mother (or the person getting adoption leave) must either:

    ", + "
  • return to work, which ends any maternity or adoption leave
  • ", + "
  • give their employer \u2018binding notice\u2019 of the date when they plan to end their leave (you cannot normally change the date you give in binding notice)
  • ", + "

    You can start SPL while your partner is still on maternity or adoption leave as long as they\u2019ve given binding notice to end it.

    ", + "

    You can give binding notice and say when you plan to take your SPL at the same time.

    ", + "

    A mother cannot return to work before the end of the compulsory 2 weeks of maternity leave following the birth (4 weeks if they work in a factory). If you\u2019re adopting, the person claiming adoption pay must take at least 2 weeks of adoption leave.

    ", + "

    If the mother or adopter does not get maternity or adoption leave

    ", + "

    The mother or adopter must end any maternity pay, adoption pay or Maternity Allowance so that they or their partner can get SPL.

    ", + "

    For ShPP to start

    ", + "

    The mother (or the person getting adoption pay) must give their employer binding notice of the date when they plan to end any maternity or adoption pay.

    ", + "

    If they get Maternity Allowance, they must give notice to Jobcentre Plus instead.

    ", + "

    They cannot restart maternity pay, Maternity Allowance or adoption pay once it\u2019s ended.

    ", + "

    You can start ShPP while your partner is still on maternity pay, adoption pay or Maternity Allowance as long as they\u2019ve given binding notice to end it.

    ", + "

    You can give binding notice and say when you plan to take your ShPP at the same time.

    ", + "

    Change the decision to end maternity or adoption leave

    ", + "

    The mother or adopter may be able to change their decision to end maternity or adoption leave early. They must let their employer know.

    ", + "

    They can only change the decision if both:

    ", + "
  • the planned end date has not passed
  • ", + "
  • they have not already returned to work
  • ", + "

    One of the following must also apply:

    ", + "
  • you find out during the 8-week notice period that neither of you is eligible for SPL or ShPP
  • ", + "
  • the mother or adopter\u2019s partner has died
  • ", + "
  • the mother tells their employer less than 6 weeks after the birth (and they gave their employer notice before the birth)
  • ", + "

    Booking blocks of leave

    ", + "

    You can book up to 3 separate blocks of Shared Parental Leave (SPL) instead of taking it all in one go, even if you are not sharing the leave with your partner.

    ", + "

    If your partner is also eligible for SPL, you can take up to 3 blocks of leave each. You can take leave at different times or both at the same time.

    ", + "

    You must tell your employer about your plans for leave when you apply for SPL. You can change these plans later but you must give your employer at least 8 weeks\u2019 notice before you want to begin a block of leave.

    ", + "

    You can check when you and your partner can take your leave using the Shared Parental Leave and Pay planning tool.

    ", + "

    Splitting blocks of leave

    ", + "

    If your employer agrees, you can split blocks into shorter periods of at least a week.

    ", + "

    Shared Parental Leave in touch (SPLIT) days

    ", + "

    You and your partner can each work up to 20 days while you\u2019re taking SPL. These are called \u2018Shared Parental Leave in touch\u2019 (or SPLIT) days.

    ", + "

    These days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days available to those on maternity or adoption leave.

    ", + "

    KIT and SPLIT days are optional - both you and your employer must agree to them.

    ", + "

    Applying for leave and pay

    ", + "

    To get Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) you must:

    ", + "
  • follow the rules for starting SPL and ShPP
  • ", + "
  • give your employer at least 8 weeks\u2019 written notice of your leave dates
  • ", + "

    If the mother (or person taking adoption leave) plans to take SPL or ShPP, they must apply to their employer.

    ", + "

    If the partner plans to take SPL or ShPP, both the partner and the mother (or person taking adoption leave) must apply to their employers.

    ", + "

    You can use Shared Parental Leave forms and templates created by Acas to:

    ", + "
  • give your employer notice that you plan to take SPL and ShPP
  • ", + "
  • give your employer notice of when the mother or adopter is going to end their maternity or adoption leave, and when they\u2019ll stop getting maternity or adoption pay
  • ", + "
  • book your leave dates
  • ", + "

    If your employer has their own forms you can use those instead.

    ", + "

    You can change your mind later about how much SPL or ShPP you plan to take and when you want to take it. You must give notice of any changes at least 8 weeks before the start of any leave.

    ", + "

    You might not get SPL or ShPP if you do not include all the required information.

    ", + "

    Giving more information

    ", + "

    Your employer can ask you for more information within 14 days of you applying for SPL or ShPP. They can ask for:

    ", + "
  • a copy of the birth certificate
  • ", + "
  • a declaration of the place and date of birth (if the birth has not been registered yet)
  • ", + "
  • the name and address of your partner\u2019s employer or a declaration that your partner has no employer
  • ", + "

    If you\u2019re adopting, your employer can ask for the:

    ", + "
  • name and address of the adoption agency
  • ", + "
  • date you were matched with the child
  • ", + "
  • date the child will start to live with you
  • ", + "
  • name and address of your partner\u2019s employer or a declaration that your partner has no employer
  • ", + "

    You must give this information within 14 days of being asked for it.

    " + ] + }, + "https://www.gov.uk/adoption-pay-leave": { + "url": "https://www.gov.uk/adoption-pay-leave", + "title": "Adoption pay and leave", + "content": "## Overview\n\nWhen you take time off to adopt a child or have a child through a surrogacy arrangement you might be eligible for:\n\n- Statutory Adoption Leave\n\n- Statutory Adoption Pay\n\nThere are rules on when and how to claim your paid leave and if you want to change your dates.\n\nYou may also be eligible to take Shared Parental Leave and Pay.\n\n## Your employment rights when on leave\n\nYour employment rights are protected while on Statutory Adoption Leave. This includes your right to:\n\n- pay rises\n\n- build up (accrue) holiday\n\n- return to work\n\n## Leave\n\nStatutory Adoption Leave is 52 weeks. It\u2019s made up of:\n\n- 26 weeks of Ordinary Adoption Leave\n\n- 26 weeks of Additional Adoption Leave\n\nOnly 1 person in a couple can take adoption leave. The other partner could get paternity leave instead.\n\nIf you get adoption leave, you can also get paid time off work to attend 5 adoption appointments after you\u2019ve been matched with a child.\n\nUse the planner to work out the dates for your adoption leave.\n\n## Start date\n\nAdoption leave can start:\n\n- up to 14 days before the date the child starts living with you (UK adoptions)\n\n- when the child arrives in the UK or within 28 days of this date (overseas adoptions)\n\n- the day the child\u2019s born or the day after (if you\u2019ve used a surrogate to have a child)\n\n## Change your dates\n\nYou must tell your employer within 28 days if the date of placement (or UK arrival date for overseas adoptions) changes.\n\nYou must give your employer at least 8 weeks\u2019 notice if you want to change your return to work date.\n\n## Pay\n\nStatutory Adoption Pay is paid for up to 39 weeks. The weekly amount is:\n\n- 90% of your average weekly earnings for the first 6 weeks\n\n- \u00a3151.97 or 90% of your average weekly earnings (whichever is lower) for the next 33 weeks\n\nIt\u2019s paid in the same way as your wages (for example monthly or weekly). Tax and National Insurance will be deducted.\n\n## Extra pay\n\nYou may get more pay if your employer has a company adoption pay scheme. Your employer cannot offer you less than the statutory amount.\n\n## Start date\n\nStatutory Adoption Pay starts when you take your adoption leave.\n\n## Problems and disputes\n\nIf you disagree with the amount of Statutory Adoption Pay you get or your employer cannot pay it, for example because they\u2019re insolvent, contact the Statutory Payment Disputes Team.\n\n## Eligibility\n\nThere are different eligibility rules for leave and pay.\n\n## Adoption leave\n\nTo get Statutory Adoption Leave, you must:\n\n- be an employee\n\n- give the correct notice\n\n- give proof of the adoption or surrogacy, if your employer asks you for it\n\n## Leave if you\u2019re adopting a child from overseas\n\nYou must also sign form SC6 if you\u2019re adopting from overseas with a partner. This confirms you\u2019re not taking paternity leave or pay.\n\n## Adoption pay\n\nTo get Statutory Adoption Pay, you must:\n\n- have been continuously employed by your employer for at least 26 weeks by the week you were matched with a child\n\n- earn on average at least \u00a3120 a week (before tax)\n\n- give the correct notice\n\n- give proof of the adoption or surrogacy\n\nIf you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.\n\n## Pay if you\u2019re adopting a child from overseas\n\nThe requirements are the same if you\u2019re adopting from overseas, except you must have been continuously employed by your employer for at least 26 weeks when you start getting adoption pay.\n\nYou must also sign form SC6 if you\u2019re adopting from overseas with a partner. This confirms you\u2019re not taking paternity leave or pay.\n\n## Pay if you\u2019re in a surrogacy arrangement\n\nThe requirements are the same if you\u2019re in a surrogacy arrangement, except you must have been continuously employed by your employer for at least 26 weeks by the 15th week before the baby\u2019s due.\n\nYou must also:\n\n- intend to apply for a parental order\n\n- expect the order to be granted (for example because you do not have any convictions involving children, and the birth mother or father agree to the arrangement)\n\nIf you\u2019re genetically related to the child (the egg or sperm donor), you can choose to get paternity leave and pay instead. You cannot get both.\n\n## You\u2019re fostering for adoption\n\nIf you\u2019re eligible for adoption pay and leave, you\u2019ll receive them from when the child comes to live with you.\n\n## Exceptions\n\nYou do not qualify for Statutory Adoption Leave or Pay if you:\n\n- arrange a private adoption\n\n- become a special guardian or kinship carer\n\n- adopt a stepchild\n\n- adopt a family member\n\n## If you\u2019re not eligible\n\nYour employer must give you form SAP1 explaining why you cannot get Statutory Adoption Pay.\n\nYou may get support from your local council instead, if you\u2019re adopting a child.\n\n## How to claim\n\nThe rules are slightly different if you\u2019re adopting from overseas or you\u2019re having a child through a surrogacy arrangement.\n\n## Statutory Adoption Leave\n\nWithin 7 days of being matched with a child you must tell your employer:\n\n- how much leave you want\n\n- your leave start date\n\n- the \u2018date of placement\u2019 - the date the child is placed with you\n\nYour employer can ask for this in writing and for proof of the adoption.\n\nYour employer must confirm your leave start and end dates within 28 days.\n\nUse the planner to work out when you must claim your adoption leave.\n\n## Statutory Adoption Pay\n\nTell your employer you want to stop work to adopt a child and when you want your Statutory Adoption Pay to start. You must give them at least 28 days\u2019 notice. They can ask for this in writing and for proof of the adoption.\n\nYour employer must confirm within 28 days how much Statutory Adoption Pay you\u2019ll get and when it will start and stop.\n\nIf they decide you\u2019re not eligible, they must give you form SAP1 within 7 days of making their decision and explain why.\n\n## Proof of adoption\n\nYou must give your employer proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless they request it.\n\nThe proof must show:\n\n- your name and address and that of the agency\n\n- the match date - for example the matching certificate\n\n- the date of placement - for example a letter from the agency\n\n- the relevant UK authority\u2019s \u2018official notification\u2019 confirming you\u2019re allowed to adopt (overseas adoptions only)\n\n- the date the child arrived in the UK - for example a plane ticket (overseas adoptions only)\n\n## Overseas adoptions\n\nTell your employer the date of your \u2018official notification\u2019 and when you expect the child to arrive in the UK. You must usually do this within 28 days of getting the notification.\n\nYou can only take longer if you\u2019ve worked for your employer for less than 26 weeks. Tell them within 28 days of the Sunday in your 26th week.\n\nYou must also tell them:\n\n- the actual date the child arrives in the UK - within 28 days of this date\n\n- how much leave you want and your start date - giving your employer 28 days\u2019 notice\n\n## Surrogacy arrangements\n\nIf you use a surrogate to have a baby, tell your employer the due date and when you want to start your leave at least 15 weeks before the expected week of birth. They may ask for this in writing.\n\nYour employer may also ask for a written statement (\u2018statutory declaration\u2019) to confirm you\u2019ve applied or will apply for a parental order in the 6 months after the child\u2019s birth. You must sign this in the presence of a legal professional.", + "original_contents": [ + "

    Overview

    ", + "

    When you take time off to adopt a child or have a child through a surrogacy arrangement you might be eligible for:

    ", + "
  • Statutory Adoption Leave
  • ", + "
  • Statutory Adoption Pay
  • ", + "

    There are rules on when and how to claim your paid leave and if you want to change your dates.

    ", + "

    You may also be eligible to take Shared Parental Leave and Pay.

    ", + "

    Your employment rights when on leave

    ", + "

    Your employment rights are protected while on Statutory Adoption Leave. This includes your right to:

    ", + "
  • pay rises
  • ", + "
  • build up (accrue) holiday
  • ", + "
  • return to work
  • ", + "

    Leave

    ", + "

    Statutory Adoption Leave is 52 weeks. It\u2019s made up of:

    ", + "
  • 26 weeks of Ordinary Adoption Leave
  • ", + "
  • 26 weeks of Additional Adoption Leave
  • ", + "

    Only 1 person in a couple can take adoption leave. The other partner could get paternity leave instead.

    ", + "

    If you get adoption leave, you can also get paid time off work to attend 5 adoption appointments after you\u2019ve been matched with a child.

    ", + "

    Use the planner to work out the dates for your adoption leave.

    ", + "

    Start date

    ", + "

    Adoption leave can start:

    ", + "
  • up to 14 days before the date the child starts living with you (UK adoptions)
  • ", + "
  • when the child arrives in the UK or within 28 days of this date (overseas adoptions)
  • ", + "
  • the day the child\u2019s born or the day after (if you\u2019ve used a surrogate to have a child)
  • ", + "

    Change your dates

    ", + "

    You must tell your employer within 28 days if the date of placement (or UK arrival date for overseas adoptions) changes.

    ", + "

    You must give your employer at least 8 weeks\u2019 notice if you want to change your return to work date.

    ", + "

    Pay

    ", + "

    Statutory Adoption Pay is paid for up to 39 weeks. The weekly amount is:

    ", + "
  • 90% of your average weekly earnings for the first 6 weeks
  • ", + "
  • \u00a3151.97 or 90% of your average weekly earnings (whichever is lower) for the next 33 weeks
  • ", + "

    It\u2019s paid in the same way as your wages (for example monthly or weekly). Tax and National Insurance will be deducted.

    ", + "

    Extra pay

    ", + "

    You may get more pay if your employer has a company adoption pay scheme. Your employer cannot offer you less than the statutory amount.

    ", + "

    Start date

    ", + "

    Statutory Adoption Pay starts when you take your adoption leave.

    ", + "

    Problems and disputes

    ", + "

    If you disagree with the amount of Statutory Adoption Pay you get or your employer cannot pay it, for example because they\u2019re insolvent, contact the Statutory Payment Disputes Team.

    ", + "

    Eligibility

    ", + "

    There are different eligibility rules for leave and pay.

    ", + "

    Adoption leave

    ", + "

    To get Statutory Adoption Leave, you must:

    ", + "
  • be an employee
  • ", + "
  • give the correct notice
  • ", + "
  • give proof of the adoption or surrogacy, if your employer asks you for it
  • ", + "

    Leave if you\u2019re adopting a child from overseas

    ", + "

    You must also sign form SC6 if you\u2019re adopting from overseas with a partner. This confirms you\u2019re not taking paternity leave or pay.

    ", + "

    Adoption pay

    ", + "

    To get Statutory Adoption Pay, you must:

    ", + "
  • have been continuously employed by your employer for at least 26 weeks by the week you were matched with a child
  • ", + "
  • earn on average at least \u00a3120 a week (before tax)
  • ", + "
  • give the correct notice
  • ", + "
  • give proof of the adoption or surrogacy
  • ", + "

    If you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.

    ", + "

    Pay if you\u2019re adopting a child from overseas

    ", + "

    The requirements are the same if you\u2019re adopting from overseas, except you must have been continuously employed by your employer for at least 26 weeks when you start getting adoption pay.

    ", + "

    You must also sign form SC6 if you\u2019re adopting from overseas with a partner. This confirms you\u2019re not taking paternity leave or pay.

    ", + "

    Pay if you\u2019re in a surrogacy arrangement

    ", + "

    The requirements are the same if you\u2019re in a surrogacy arrangement, except you must have been continuously employed by your employer for at least 26 weeks by the 15th week before the baby\u2019s due.

    ", + "

    You must also:

    ", + "
  • intend to apply for a parental order
  • ", + "
  • expect the order to be granted (for example because you do not have any convictions involving children, and the birth mother or father agree to the arrangement)
  • ", + "

    If you\u2019re genetically related to the child (the egg or sperm donor), you can choose to get paternity leave and pay instead. You cannot get both.

    ", + "

    You\u2019re fostering for adoption

    ", + "

    If you\u2019re eligible for adoption pay and leave, you\u2019ll receive them from when the child comes to live with you.

    ", + "

    Exceptions

    ", + "

    You do not qualify for Statutory Adoption Leave or Pay if you:

    ", + "
  • arrange a private adoption
  • ", + "
  • become a special guardian or kinship carer
  • ", + "
  • adopt a stepchild
  • ", + "
  • adopt a family member
  • ", + "

    If you\u2019re not eligible

    ", + "

    Your employer must give you form SAP1 explaining why you cannot get Statutory Adoption Pay.

    ", + "

    You may get support from your local council instead, if you\u2019re adopting a child.

    ", + "

    How to claim

    ", + "

    The rules are slightly different if you\u2019re adopting from overseas or you\u2019re having a child through a surrogacy arrangement.

    ", + "

    Statutory Adoption Leave

    ", + "

    Within 7 days of being matched with a child you must tell your employer:

    ", + "
  • how much leave you want
  • ", + "
  • your leave start date
  • ", + "
  • the \u2018date of placement\u2019 - the date the child is placed with you
  • ", + "

    Your employer can ask for this in writing and for proof of the adoption.

    ", + "

    Your employer must confirm your leave start and end dates within 28 days.

    ", + "

    Use the planner to work out when you must claim your adoption leave.

    ", + "

    Statutory Adoption Pay

    ", + "

    Tell your employer you want to stop work to adopt a child and when you want your Statutory Adoption Pay to start. You must give them at least 28 days\u2019 notice. They can ask for this in writing and for proof of the adoption.

    ", + "

    Your employer must confirm within 28 days how much Statutory Adoption Pay you\u2019ll get and when it will start and stop.

    ", + "

    If they decide you\u2019re not eligible, they must give you form SAP1 within 7 days of making their decision and explain why.

    ", + "

    Proof of adoption

    ", + "

    You must give your employer proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless they request it.

    ", + "

    The proof must show:

    ", + "
  • your name and address and that of the agency
  • ", + "
  • the match date - for example the matching certificate
  • ", + "
  • the date of placement - for example a letter from the agency
  • ", + "
  • the relevant UK authority\u2019s \u2018official notification\u2019 confirming you\u2019re allowed to adopt (overseas adoptions only)
  • ", + "
  • the date the child arrived in the UK - for example a plane ticket (overseas adoptions only)
  • ", + "

    Overseas adoptions

    ", + "

    Tell your employer the date of your \u2018official notification\u2019 and when you expect the child to arrive in the UK. You must usually do this within 28 days of getting the notification.

    ", + "

    You can only take longer if you\u2019ve worked for your employer for less than 26 weeks. Tell them within 28 days of the Sunday in your 26th week.

    ", + "

    You must also tell them:

    ", + "
  • the actual date the child arrives in the UK - within 28 days of this date
  • ", + "
  • how much leave you want and your start date - giving your employer 28 days\u2019 notice
  • ", + "

    Surrogacy arrangements

    ", + "

    If you use a surrogate to have a baby, tell your employer the due date and when you want to start your leave at least 15 weeks before the expected week of birth. They may ask for this in writing.

    ", + "

    Your employer may also ask for a written statement (\u2018statutory declaration\u2019) to confirm you\u2019ve applied or will apply for a parental order in the 6 months after the child\u2019s birth. You must sign this in the presence of a legal professional.

    " + ] + }, + "https://www.gov.uk/parental-leave": { + "url": "https://www.gov.uk/parental-leave", + "title": "Unpaid parental leave", + "content": "## Overview\n\nEligible employees can take unpaid parental leave to look after their child\u2019s welfare, for example to:\n\n- spend more time with their children\n\n- look at new schools\n\n- settle children into new childcare arrangements\n\n- spend more time with family, such as visiting grandparents\n\nTheir employment rights (like the right to pay, holidays and returning to a job) are protected during parental leave.\n\n## Entitlement\n\nParental leave is unpaid. You\u2019re entitled to 18 weeks\u2019 leave for each child and adopted child, up to their 18th birthday.\n\nThe limit on how much parental leave each parent can take in a year is 4 weeks for each child (unless the employer agrees otherwise).\n\nYou must take parental leave as whole weeks (eg 1 week or 2 weeks) rather than individual days, unless your employer agrees otherwise or if your child is disabled. You don\u2019t have to take all the leave at once.\n\nA \u2018week\u2019 equals the length of time an employee normally works over 7 days.\n\n## Carrying leave over from a previous job\n\nParental leave applies to each child not to an individual\u2019s job.\n\n## Eligibility\n\nEmployees qualify if all of these apply:\n\n- they\u2019ve been in the company for more than a year\n\n- they\u2019re named on the child\u2019s birth or adoption certificate or they have or expect to have parental responsibility\n\n- they\u2019re not self-employed or a \u2018worker\u2019, eg an agency worker or contractor\n\n- they\u2019re not a foster parent (unless they\u2019ve secured parental responsibility through the courts)\n\n- the child is under 18\n\nEmployers can ask for proof (like a birth certificate) as long as it\u2019s reasonable to do so, eg they can\u2019t ask for proof each time an employee requests leave.\n\nEmployers can extend parental leave to those groups who aren\u2019t eligible. Employees can check this in their staff handbook.\n\n## Notice period\n\nEmployees must give 21 days\u2019 notice before their intended start date. If they or their partner are having a baby or adopting, it\u2019s 21 days before the week the baby or child is expected.\n\nEmployees must confirm the start and end dates in their notice. Unless an employer requests it, this doesn\u2019t have to be in writing.\n\n## Delaying leave\n\nLeave can\u2019t be postponed (delayed) if:\n\n- the employer doesn\u2019t have a \u2018significant reason\u2019, eg it would cause serious disruption to the business\n\n- it\u2019s being taken by the father or partner immediately after the birth or adoption of a child\n\n- it means an employee would no longer qualify for parental leave, eg postponing it until after the child\u2019s 18th birthday\n\nIf it\u2019s postponed, the employer:\n\n- must write explaining why within 7 days of the original request\n\n- suggest a new start date - this must be within 6 months of the requested start date\n\n- can\u2019t change the amount of leave being requested", + "original_contents": [ + "

    Overview

    ", + "

    Eligible employees can take unpaid parental leave to look after their child\u2019s welfare, for example to:

    ", + "
  • spend more time with their children
  • ", + "
  • look at new schools
  • ", + "
  • settle children into new childcare arrangements
  • ", + "
  • spend more time with family, such as visiting grandparents
  • ", + "

    Their employment rights (like the right to pay, holidays and returning to a job) are protected during parental leave.

    ", + "

    Entitlement

    ", + "

    Parental leave is unpaid. You\u2019re entitled to 18 weeks\u2019 leave for each child and adopted child, up to their 18th birthday.

    ", + "

    The limit on how much parental leave each parent can take in a year is 4 weeks for each child (unless the employer agrees otherwise).

    ", + "

    You must take parental leave as whole weeks (eg 1 week or 2 weeks) rather than individual days, unless your employer agrees otherwise or if your child is disabled. You don\u2019t have to take all the leave at once.

    ", + "

    A \u2018week\u2019 equals the length of time an employee normally works over 7 days.

    ", + "

    Carrying leave over from a previous job

    ", + "

    Parental leave applies to each child not to an individual\u2019s job.

    ", + "

    Eligibility

    ", + "

    Employees qualify if all of these apply:

    ", + "
  • they\u2019ve been in the company for more than a year
  • ", + "
  • they\u2019re named on the child\u2019s birth or adoption certificate or they have or expect to have parental responsibility
  • ", + "
  • they\u2019re not self-employed or a \u2018worker\u2019, eg an agency worker or contractor
  • ", + "
  • they\u2019re not a foster parent (unless they\u2019ve secured parental responsibility through the courts)
  • ", + "
  • the child is under 18
  • ", + "

    Employers can ask for proof (like a birth certificate) as long as it\u2019s reasonable to do so, eg they can\u2019t ask for proof each time an employee requests leave.

    ", + "

    Employers can extend parental leave to those groups who aren\u2019t eligible. Employees can check this in their staff handbook.

    ", + "

    Notice period

    ", + "

    Employees must give 21 days\u2019 notice before their intended start date. If they or their partner are having a baby or adopting, it\u2019s 21 days before the week the baby or child is expected.

    ", + "

    Employees must confirm the start and end dates in their notice. Unless an employer requests it, this doesn\u2019t have to be in writing.

    ", + "

    Delaying leave

    ", + "

    Leave can\u2019t be postponed (delayed) if:

    ", + "
  • the employer doesn\u2019t have a \u2018significant reason\u2019, eg it would cause serious disruption to the business
  • ", + "
  • it\u2019s being taken by the father or partner immediately after the birth or adoption of a child
  • ", + "
  • it means an employee would no longer qualify for parental leave, eg postponing it until after the child\u2019s 18th birthday
  • ", + "

    If it\u2019s postponed, the employer:

    ", + "
  • must write explaining why within 7 days of the original request
  • ", + "
  • suggest a new start date - this must be within 6 months of the requested start date
  • ", + "
  • can\u2019t change the amount of leave being requested
  • " + ] + }, + "https://www.gov.uk/child-benefit": { + "url": "https://www.gov.uk/child-benefit", + "title": "Claim Child Benefit", + "content": "## How it works\n\nYou get Child Benefit if you\u2019re responsible for bringing up a child who is:\n\n- under 16\n\n- under 20 if they stay in approved education or training\n\nOnly one person can get Child Benefit for a child.\n\nIt\u2019s paid every 4 weeks and there\u2019s no limit to how many children you can claim for.\n\nThis guide is also available in Welsh (Cymraeg).\n\nBy claiming Child Benefit:\n\n- you can get National Insurance credits which count towards your State Pension\n\n- your child will automatically get a National Insurance number when they\u2019re 16 years old\n\nIf you choose not to get Child Benefit payments, you should still fill in and send off the claim form.\n\n## If you or your partner earn over \u00a350,000\n\nYou may have to pay back some of your Child Benefit in tax if your (or your partner\u2019s) individual income is over \u00a350,000.\n\n## If your circumstances change\n\nYou must report any change of circumstances to the Child Benefit Office.\n\n## What you'll get\n\nThere are 2 Child Benefit rates.\n\n| Who the allowance is for | Rate (weekly) |\n\n| Eldest or only child | \u00a321.15 |\n\n| Additional children | \u00a314 per child |\n\nYou must contact the Child Benefit Office if you\u2019re paid too much or too little.\n\nThe benefit cap may affect the total amount of benefits you get, including Child Benefit.\n\n## How and when Child Benefit is paid\n\nChild Benefit is usually paid every 4 weeks on a Monday or Tuesday.\n\nYou can have the money paid weekly if you\u2019re a single parent or getting certain other benefits, such as Income Support.\n\nYou can get the money paid into any account, apart from a Nationwide cashbuilder account (sort code 070030) in someone else\u2019s name.\n\nYou can only get the money paid into one account.\n\n## Child Benefit and your State Pension\n\nIf your child is under 12 and you\u2019re not working or do not earn enough to pay National Insurance contributions, Child Benefit can give you National Insurance credits.\n\nThese credits count towards your State Pension, so you do not have gaps in your National Insurance record.\n\n## If families split up\n\nIf a family splits up, you get \u00a321.15 a week for the eldest child.\n\nIf you have 2 children and one stays with you and the other stays with your ex-partner, you\u2019ll both get \u00a321.15 a week for each child.\n\nIf you both claim for the same child, only one of you will get Child Benefit for them.\n\nIf you have other children who are entitled to Child Benefit, you\u2019ll get \u00a314 for each child.\n\n## If families join together\n\nIf 2 families join together, the eldest child in the new family qualifies for the \u00a321.15 rate and any other children who are eligible will get the \u00a314 rate.\n\n## If you or your partner earn over \u00a350,000\n\nYou can get Child Benefit if your (or your partner\u2019s) individual income is over \u00a350,000, but you may be taxed on the benefit. This is known as the High Income Child Benefit Tax Charge.\n\nIf your partner\u2019s income is also over \u00a350,000 but yours is higher, you\u2019re responsible for paying the tax charge. You need to fill in a Self Assessment tax return each tax year and pay what you owe.\n\nUse the Child Benefit tax calculator to estimate how much tax you may have to pay.\n\nOnce you earn \u00a360,000 you lose all of your benefit through tax.\n\n## Eligibility\n\nOnly one person can get Child Benefit for a child.\n\nYou normally qualify for Child Benefit if you\u2019re responsible for a child under 16 (or under 20 if they stay in approved education or training) and you live in the UK.\n\nYou\u2019ll usually be responsible for a child if you live with them or you\u2019re paying at least the same amount as Child Benefit (or the equivalent in kind) towards looking after them, for example on food, clothes or pocket money.\n\nEligibility rules are different if your child:\n\n- goes into hospital or care\n\n- lives with someone else\n\nChild Benefit continues for 20 weeks if 16 or 17 year olds leave education or training and register with the armed services or a government-sponsored careers service.\n\n## Fostering a child\n\nYou\u2019ll get Child Benefit if you foster a child, as long as the local council is not paying anything towards their accommodation or maintenance.\n\n## Adopting a child\n\nYou can apply for Child Benefit as soon as any child you\u2019re adopting comes to live with you - you do not have to wait until the adoption process is complete.\n\nYou might be able to get Child Benefit for a period before the adoption - contact the Child Benefit Office to find out.\n\n## Looking after someone else\u2019s child\n\nYou may be able to get Child Benefit if you\u2019ve got an informal arrangement to look after a friend or relative\u2019s child.\n\nYou might not qualify if your local council is paying towards the child\u2019s accommodation or maintenance - contact the Child Benefit Office to find out.\n\nTwo people cannot get Child Benefit for the same child - if you want to make a claim, you must agree it with the person who\u2019s currently claiming. HMRC will decide who receives the Child Benefit if you cannot agree.\n\nYou may also be entitled to Guardian\u2019s Allowance if you\u2019re responsible for a child who has lost one or both of their parents.\n\n## Living abroad\n\nYou may be able to get Child Benefit if you go to live in certain countries or if you\u2019re a Crown servant.\n\n## If you\u2019ve moved to the UK\n\nYou may be able to get Child Benefit if you have moved to the UK and you have a \u2018right to reside\u2019.\n\n## If your child starts work or gets benefits in their own right\n\nYou\u2019ll stop receiving Child Benefit immediately if your child:\n\n- starts paid work for 24 hours or more a week and is no longer in approved education or training\n\n- starts an apprenticeship in England\n\n- starts getting certain benefits in their own right, such as Income Support, Employment and Support Allowance or tax credits\n\n## If you or your partner earn over \u00a350,000\n\nYou\u2019ll still be eligible for Child Benefit even if you choose to stop receiving it. You can always change your mind and restart your payments.\n\nContact the Child Benefit Office if you\u2019re not sure about your eligibility.\n\n## How to claim\n\nYou can claim Child Benefit as soon as you\u2019ve registered the birth of your child, or they come to live with you.\n\nIf you\u2019re not able to register the birth of your child because of coronavirus (COVID-19), you can still make a claim to receive Child Benefit.\n\n## How long it takes\n\nIt can take 6 to 12 weeks to process a new Child Benefit claim (or longer if you\u2019re new to the UK). Child Benefit can be backdated for up to 3 months.\n\n## Deciding who should claim\n\nOnly one person can get Child Benefit for a child, so you need to decide whether it\u2019s better for you or the other parent to claim. The person who claims will get National Insurance credits towards their state pension if they are not working or earn less than \u00a3184 per week.\n\n## Make a claim for the first time\n\nFill in Child Benefit claim form CH2 and send it to the Child Benefit Office. The address is on the form.\n\nIf your child is adopted, send their original adoption certificate with the form. You can order a new adoption certificate if you\u2019ve lost the original.\n\nIf you do not have the certificate you need, send your claim form now and send the certificate once you\u2019ve got it.\n\n## If your child\u2019s birth was registered outside the UK\n\nWhen you send your claim form, include your child\u2019s:\n\n- original birth certificate\n\n- passport or travel document used to enter the UK\n\nIf you\u2019ve lost the original you can order a new birth certificate.\n\n## Add a child to an existing claim\n\nCall the child benefit helpline if:\n\n- your child is under 6 months old and lives with you\n\n- your child was born in the UK and their birth was registered in England, Scotland or Wales more than 24 hours ago\n\n- you\u2019re a UK, EEA or Swiss national and you\u2019ve lived in the UK since the start of your claim\n\nWhen you call, you\u2019ll need your:\n\n- National Insurance number\n\n- child\u2019s birth certificate\n\n## If you do not meet the criteria to add a child by phone\n\nYou\u2019ll need to make a new claim by post. Fill in Child Benefit form CH2 and send it to the Child Benefit Office. The address is on the form.\n\nIf you\u2019re claiming for more than 2 children, also include the \u2018additional children\u2019 form.\n\n## Claiming Child Benefit for someone else\n\nYou may be able to manage someone else\u2019s Child Benefit claim.\n\n## Make a change to your claim\n\nYou must report any change of circumstances to the Child Benefit Office. These include changes to your:\n\n- family life, for example getting married\n\n- child\u2019s life, for example leaving education or training\n\n## Change who gets Child Benefit\n\nContact the Child Benefit Office if you want someone else to claim Child Benefit, for example, your spouse or partner.\n\nAfter you\u2019ve done this, tell the other person to make a new claim.\n\n## Stop or restart payments\n\nYou can choose to stop or restart your payments at any time, for example because you or your partner earn over \u00a350,000 a year. It does not affect your eligibility.\n\n## Get help with your claim\n\nContact the Child Benefit Office if you have any questions.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Make a complaint\n\nYou can complain to the Child Benefit Office if you\u2019re unhappy with the way you\u2019ve been treated.", + "original_contents": [ + "

    How it works

    ", + "

    You get Child Benefit if you\u2019re responsible for bringing up a child who is:

    ", + "
  • under 16
  • ", + "
  • under 20 if they stay in approved education or training
  • ", + "

    Only one person can get Child Benefit for a child.

    ", + "

    It\u2019s paid every 4 weeks and there\u2019s no limit to how many children you can claim for.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    By claiming Child Benefit:

    ", + "
  • you can get National Insurance credits which count towards your State Pension
  • ", + "
  • your child will automatically get a National Insurance number when they\u2019re 16 years old
  • ", + "

    If you choose not to get Child Benefit payments, you should still fill in and send off the claim form.

    ", + "

    If you or your partner earn over \u00a350,000

    ", + "

    You may have to pay back some of your Child Benefit in tax if your (or your partner\u2019s) individual income is over \u00a350,000.

    ", + "

    If your circumstances change

    ", + "

    You must report any change of circumstances to the Child Benefit Office.

    ", + "

    What you'll get

    ", + "

    There are 2 Child Benefit rates.

    ", + "Who the allowance is for | Rate (weekly)", + "Eldest or only child | \u00a321.15", + "Additional children | \u00a314 per child", + "

    You must contact the Child Benefit Office if you\u2019re paid too much or too little.

    ", + "

    The benefit cap may affect the total amount of benefits you get, including Child Benefit.

    ", + "

    How and when Child Benefit is paid

    ", + "

    Child Benefit is usually paid every 4 weeks on a Monday or Tuesday.

    ", + "

    You can have the money paid weekly if you\u2019re a single parent or getting certain other benefits, such as Income Support.

    ", + "

    You can get the money paid into any account, apart from a Nationwide cashbuilder account (sort code 070030) in someone else\u2019s name.

    ", + "

    You can only get the money paid into one account.

    ", + "

    Child Benefit and your State Pension

    ", + "

    If your child is under 12 and you\u2019re not working or do not earn enough to pay National Insurance contributions, Child Benefit can give you National Insurance credits.

    ", + "

    These credits count towards your State Pension, so you do not have gaps in your National Insurance record.

    ", + "

    If families split up

    ", + "

    If a family splits up, you get \u00a321.15 a week for the eldest child.

    ", + "

    If you have 2 children and one stays with you and the other stays with your ex-partner, you\u2019ll both get \u00a321.15 a week for each child.

    ", + "

    If you both claim for the same child, only one of you will get Child Benefit for them.

    ", + "

    If you have other children who are entitled to Child Benefit, you\u2019ll get \u00a314 for each child.

    ", + "

    If families join together

    ", + "

    If 2 families join together, the eldest child in the new family qualifies for the \u00a321.15 rate and any other children who are eligible will get the \u00a314 rate.

    ", + "

    If you or your partner earn over \u00a350,000

    ", + "

    You can get Child Benefit if your (or your partner\u2019s) individual income is over \u00a350,000, but you may be taxed on the benefit. This is known as the High Income Child Benefit Tax Charge.

    ", + "

    If your partner\u2019s income is also over \u00a350,000 but yours is higher, you\u2019re responsible for paying the tax charge. You need to fill in a Self Assessment tax return each tax year and pay what you owe.

    ", + "

    Use the Child Benefit tax calculator to estimate how much tax you may have to pay.

    ", + "

    Once you earn \u00a360,000 you lose all of your benefit through tax.

    ", + "

    Eligibility

    ", + "

    Only one person can get Child Benefit for a child.

    ", + "

    You normally qualify for Child Benefit if you\u2019re responsible for a child under 16 (or under 20 if they stay in approved education or training) and you live in the UK.

    ", + "

    You\u2019ll usually be responsible for a child if you live with them or you\u2019re paying at least the same amount as Child Benefit (or the equivalent in kind) towards looking after them, for example on food, clothes or pocket money.

    ", + "

    Eligibility rules are different if your child:

    ", + "
  • goes into hospital or care
  • ", + "
  • lives with someone else
  • ", + "

    Child Benefit continues for 20 weeks if 16 or 17 year olds leave education or training and register with the armed services or a government-sponsored careers service.

    ", + "

    Fostering a child

    ", + "

    You\u2019ll get Child Benefit if you foster a child, as long as the local council is not paying anything towards their accommodation or maintenance.

    ", + "

    Adopting a child

    ", + "

    You can apply for Child Benefit as soon as any child you\u2019re adopting comes to live with you - you do not have to wait until the adoption process is complete.

    ", + "

    You might be able to get Child Benefit for a period before the adoption - contact the Child Benefit Office to find out.

    ", + "

    Looking after someone else\u2019s child

    ", + "

    You may be able to get Child Benefit if you\u2019ve got an informal arrangement to look after a friend or relative\u2019s child.

    ", + "

    You might not qualify if your local council is paying towards the child\u2019s accommodation or maintenance - contact the Child Benefit Office to find out.

    ", + "

    Two people cannot get Child Benefit for the same child - if you want to make a claim, you must agree it with the person who\u2019s currently claiming. HMRC will decide who receives the Child Benefit if you cannot agree.

    ", + "

    You may also be entitled to Guardian\u2019s Allowance if you\u2019re responsible for a child who has lost one or both of their parents.

    ", + "

    Living abroad

    ", + "

    You may be able to get Child Benefit if you go to live in certain countries or if you\u2019re a Crown servant.

    ", + "

    If you\u2019ve moved to the UK

    ", + "

    You may be able to get Child Benefit if you have moved to the UK and you have a \u2018right to reside\u2019.

    ", + "

    If your child starts work or gets benefits in their own right

    ", + "

    You\u2019ll stop receiving Child Benefit immediately if your child:

    ", + "
  • starts paid work for 24 hours or more a week and is no longer in approved education or training
  • ", + "
  • starts an apprenticeship in England
  • ", + "
  • starts getting certain benefits in their own right, such as Income Support, Employment and Support Allowance or tax credits
  • ", + "

    If you or your partner earn over \u00a350,000

    ", + "

    You\u2019ll still be eligible for Child Benefit even if you choose to stop receiving it. You can always change your mind and restart your payments.

    ", + "

    Contact the Child Benefit Office if you\u2019re not sure about your eligibility.

    ", + "

    How to claim

    ", + "

    You can claim Child Benefit as soon as you\u2019ve registered the birth of your child, or they come to live with you.

    ", + "

    If you\u2019re not able to register the birth of your child because of coronavirus (COVID-19), you can still make a claim to receive Child Benefit.

    ", + "

    How long it takes

    ", + "

    It can take 6 to 12 weeks to process a new Child Benefit claim (or longer if you\u2019re new to the UK). Child Benefit can be backdated for up to 3 months.

    ", + "

    Deciding who should claim

    ", + "

    Only one person can get Child Benefit for a child, so you need to decide whether it\u2019s better for you or the other parent to claim. The person who claims will get National Insurance credits towards their state pension if they are not working or earn less than \u00a3184 per week.

    ", + "

    Make a claim for the first time

    ", + "

    Fill in Child Benefit claim form CH2 and send it to the Child Benefit Office. The address is on the form.

    ", + "

    If your child is adopted, send their original adoption certificate with the form. You can order a new adoption certificate if you\u2019ve lost the original.

    ", + "

    If you do not have the certificate you need, send your claim form now and send the certificate once you\u2019ve got it.

    ", + "

    If your child\u2019s birth was registered outside the UK

    ", + "

    When you send your claim form, include your child\u2019s:

    ", + "
  • original birth certificate
  • ", + "
  • passport or travel document used to enter the UK
  • ", + "

    If you\u2019ve lost the original you can order a new birth certificate.

    ", + "

    Add a child to an existing claim

    ", + "

    Call the child benefit helpline if:

    ", + "
  • your child is under 6 months old and lives with you
  • ", + "
  • your child was born in the UK and their birth was registered in England, Scotland or Wales more than 24 hours ago
  • ", + "
  • you\u2019re a UK, EEA or Swiss national and you\u2019ve lived in the UK since the start of your claim
  • ", + "

    When you call, you\u2019ll need your:

    ", + "
  • National Insurance number
  • ", + "
  • child\u2019s birth certificate
  • ", + "

    If you do not meet the criteria to add a child by phone

    ", + "

    You\u2019ll need to make a new claim by post. Fill in Child Benefit form CH2 and send it to the Child Benefit Office. The address is on the form.

    ", + "

    If you\u2019re claiming for more than 2 children, also include the \u2018additional children\u2019 form.

    ", + "

    Claiming Child Benefit for someone else

    ", + "

    You may be able to manage someone else\u2019s Child Benefit claim.

    ", + "

    Make a change to your claim

    ", + "

    You must report any change of circumstances to the Child Benefit Office. These include changes to your:

    ", + "
  • family life, for example getting married
  • ", + "
  • child\u2019s life, for example leaving education or training
  • ", + "

    Change who gets Child Benefit

    ", + "

    Contact the Child Benefit Office if you want someone else to claim Child Benefit, for example, your spouse or partner.

    ", + "

    After you\u2019ve done this, tell the other person to make a new claim.

    ", + "

    Stop or restart payments

    ", + "

    You can choose to stop or restart your payments at any time, for example because you or your partner earn over \u00a350,000 a year. It does not affect your eligibility.

    ", + "

    Get help with your claim

    ", + "

    Contact the Child Benefit Office if you have any questions.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Make a complaint

    ", + "

    You can complain to the Child Benefit Office if you\u2019re unhappy with the way you\u2019ve been treated.

    " + ] + }, + "https://www.gov.uk/child-benefit-tax-charge": { + "url": "https://www.gov.uk/child-benefit-tax-charge", + "title": "High Income Child Benefit Tax Charge", + "content": "## Overview\n\nYou may have to pay a tax charge, known as the \u2018High Income Child Benefit Charge\u2019, if you have an individual income over \u00a350,000 and either:\n\n- you or your partner get Child Benefit\n\n- someone else gets Child Benefit for a child living with you and they contribute at least an equal amount towards the child\u2019s upkeep\n\nIt does not matter if the child living with you is not your own child.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## What counts as income\n\nTo work out if your income is over the threshold, you\u2019ll need to work out your \u2018adjusted net income\u2019.\n\nYour adjusted net income is your total taxable income before any personal allowances and less things like Gift Aid.\n\nUse the Child Benefit tax calculator to get an estimate of your adjusted net income.\n\n## Who pays the tax charge\n\nIf your individual income is over \u00a350,000 and so is your partner\u2019s, then whoever has the higher income is responsible for paying the tax charge.\n\n\u2018Partner\u2019 means someone you\u2019re not permanently separated from who you\u2019re married to, in a civil partnership with or living with as if you were.\n\n## If your income is over the threshold\n\nYou can choose to either:\n\n- get Child Benefit payments, and pay any tax charge at the end of each tax year\n\n- not get Child Benefit payments, and not pay the tax charge\n\n## If you choose to not get Child Benefit\n\nYou can still fill in the Child Benefit claim form. You need to state on the form that you do not want to get payments.\n\nYou need to fill in the claim form if you want to:\n\n- get National Insurance credits, which count towards your State Pension\n\n- ensure your child gets their National Insurance number automatically before they\u2019re 16 - otherwise they need to apply for one themselves\n\n## Already getting Child Benefit\n\nYou can choose to either:\n\n- stop getting Child Benefit - sometimes known as \u2018opting out\u2019\n\n- carry on getting Child Benefit and pay any tax charge at the end of each tax year\n\n## Pay the tax charge\n\nTo pay the tax charge, you must:\n\n- register for Self Assessment\n\n- fill in a Self Assessment tax return each tax year and pay what you owe\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you need to pay the tax charge.\n\nYou can get a penalty if you do not register for Self Assessment or do not declare child benefit on your Self Assessment tax return.\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now\n\n## If you cannot get information from your partner or ex-partner\n\nYou can write to HM Revenue and Customs (HMRC) to ask whether your partner or ex-partner gets Child Benefit or has a higher adjusted net income than you. HMRC will reply \u2018yes\u2019 or \u2018no\u2019 - they will not give you any financial information.\n\nYou can only ask for this information if you and your partner either live together, or separated within the tax year you want information for.\n\n## Write to HMRC\n\nYou need to tell HMRC the tax year you\u2019re asking about, as well as your:\n\n- name, address, date of birth and National Insurance number\n\n- Unique Taxpayer Reference, if you have one\n\n- adjusted net income\n\n- partner or ex-partner\u2019s name\n\nIf you can, include your partner or ex-partner\u2019s:\n\n- address\n\n- date of birth\n\n- National Insurance number, if you know it\n\n- Unique Taxpayer Reference, if they have one\n\nSend your letter to:\n\n## Stop your Child Benefit\n\nTo stop your Child Benefit you can either:\n\n- fill in an online form\n\n- contact the Child Benefit Office by phone or post\n\nYou need a Government Gateway user ID and password to fill in the online form. If you do not have a user ID, you can create one when you fill in the form.\n\nYou cannot use the online form if you\u2019re an appointee or authorised agent.\n\nYou cannot stop your Child Benefit if you\u2019re using it to pay back an overpayment (or to pay back certain other benefits from another country).\n\n## Responsibilities after your Child Benefit stops\n\nYou must pay any tax charge owed for each tax year up to the date your Child Benefit stops.\n\nUse the Child Benefit tax calculator to get an estimate of how much you may owe each tax year.\n\nEven after your payments stop, you must report any changes in your family life that affect your entitlement to Child Benefit.\n\n## Restart your Child Benefit\n\nYou can restart your Child Benefit if:\n\n- you\u2019ve previously stopped it because of the tax charge\n\n- you still qualify for Child Benefit\n\nTo restart your Child Benefit, either:\n\n- fill in an online form\n\n- contact the Child Benefit Office\n\nYou need a Government Gateway user ID and password to fill in the online form. If you do not have a user ID, you can create one when you fill in the form.\n\nYou cannot use the online form if you\u2019re an appointee or authorised agent.\n\nPayments usually start again the Monday after your request is received. The Child Benefit Office will write telling you how much backdated Child Benefit you\u2019ll get (if any).\n\n## Responsibilities after your Child Benefit restarts\n\nYou (or your partner) will have to pay any tax charge on the benefit received from the restart date if your income is over \u00a350,000.\n\nUse the Child Benefit tax calculator to get an estimate of your income and tax deductions to see if you may be affected by the tax charge.\n\nYou must report any changes to your family life that affect your Child Benefit.\n\n## If your circumstances change\n\n## Your income changes\n\nYou will not have to pay the tax charge if your income for the whole of a tax year is less than \u00a350,000.\n\nYou can choose to stop or restart your Child Benefit at any time. Use the Child Benefit tax calculator to get an estimate of your income changes to see if they may affect the tax charge.\n\n## You have a new child\n\nClaiming Child Benefit helps you qualify for:\n\n- National Insurance credits, which protect your right to the State Pension\n\n- other benefits like Guardian\u2019s Allowance\n\nChild Benefit proves you (or your partner) support another child. You may pay less child maintenance for children not living with you.\n\nYou can make a new claim or just protect your entitlement to the above by:\n\n- sending a Child Benefit claim form\n\n- ticking the option to \u2018not have the benefit paid\u2019\n\n## A partner moves in or out\n\nYour situation may change if your income is more than \u00a350,000 and you move in or split up with someone who\u2019s getting Child Benefit.\n\nYou\u2019ll have to pay the tax charge if your income is more than \u00a350,000 and higher than your new partner\u2019s income. Your partner pays it if their income is higher.\n\nThe tax charge applies from the date you move in together to either the date you permanently separate or the Child Benefit stops - for example because the child is too old to qualify for it.\n\nShort periods apart do not count as separation, for example a hospital stay or working away from home.", + "original_contents": [ + "

    Overview

    ", + "

    You may have to pay a tax charge, known as the \u2018High Income Child Benefit Charge\u2019, if you have an individual income over \u00a350,000 and either:

    ", + "
  • you or your partner get Child Benefit
  • ", + "
  • someone else gets Child Benefit for a child living with you and they contribute at least an equal amount towards the child\u2019s upkeep
  • ", + "

    It does not matter if the child living with you is not your own child.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    What counts as income

    ", + "

    To work out if your income is over the threshold, you\u2019ll need to work out your \u2018adjusted net income\u2019.

    ", + "

    Your adjusted net income is your total taxable income before any personal allowances and less things like Gift Aid.

    ", + "

    Use the Child Benefit tax calculator to get an estimate of your adjusted net income.

    ", + "

    Who pays the tax charge

    ", + "

    If your individual income is over \u00a350,000 and so is your partner\u2019s, then whoever has the higher income is responsible for paying the tax charge.

    ", + "

    \u2018Partner\u2019 means someone you\u2019re not permanently separated from who you\u2019re married to, in a civil partnership with or living with as if you were.

    ", + "

    If your income is over the threshold

    ", + "

    You can choose to either:

    ", + "
  • get Child Benefit payments, and pay any tax charge at the end of each tax year
  • ", + "
  • not get Child Benefit payments, and not pay the tax charge
  • ", + "

    If you choose to not get Child Benefit

    ", + "

    You can still fill in the Child Benefit claim form. You need to state on the form that you do not want to get payments.

    ", + "

    You need to fill in the claim form if you want to:

    ", + "
  • get National Insurance credits, which count towards your State Pension
  • ", + "
  • ensure your child gets their National Insurance number automatically before they\u2019re 16 - otherwise they need to apply for one themselves
  • ", + "

    Already getting Child Benefit

    ", + "

    You can choose to either:

    ", + "
  • stop getting Child Benefit - sometimes known as \u2018opting out\u2019
  • ", + "
  • carry on getting Child Benefit and pay any tax charge at the end of each tax year
  • ", + "

    Pay the tax charge

    ", + "

    To pay the tax charge, you must:

    ", + "
  • register for Self Assessment
  • ", + "
  • fill in a Self Assessment tax return each tax year and pay what you owe
  • ", + "

    Register for Self Assessment

    ", + "

    If you do not usually send a tax return, you need to register by 5 October following the tax year you need to pay the tax charge.

    ", + "

    You can get a penalty if you do not register for Self Assessment or do not declare child benefit on your Self Assessment tax return.

    ", + "

    You\u2019ll get a letter telling you what to do next after you\u2019ve registered.

    ", + "

    Register now

    ", + "

    If you cannot get information from your partner or ex-partner

    ", + "

    You can write to HM Revenue and Customs (HMRC) to ask whether your partner or ex-partner gets Child Benefit or has a higher adjusted net income than you. HMRC will reply \u2018yes\u2019 or \u2018no\u2019 - they will not give you any financial information.

    ", + "

    You can only ask for this information if you and your partner either live together, or separated within the tax year you want information for.

    ", + "

    Write to HMRC

    ", + "

    You need to tell HMRC the tax year you\u2019re asking about, as well as your:

    ", + "
  • name, address, date of birth and National Insurance number
  • ", + "
  • Unique Taxpayer Reference, if you have one
  • ", + "
  • adjusted net income
  • ", + "
  • partner or ex-partner\u2019s name
  • ", + "

    If you can, include your partner or ex-partner\u2019s:

    ", + "
  • address
  • ", + "
  • date of birth
  • ", + "
  • National Insurance number, if you know it
  • ", + "
  • Unique Taxpayer Reference, if they have one
  • ", + "

    Send your letter to:

    ", + "

    Stop your Child Benefit

    ", + "

    To stop your Child Benefit you can either:

    ", + "
  • fill in an online form
  • ", + "
  • contact the Child Benefit Office by phone or post
  • ", + "

    You need a Government Gateway user ID and password to fill in the online form. If you do not have a user ID, you can create one when you fill in the form.

    ", + "

    You cannot use the online form if you\u2019re an appointee or authorised agent.

    ", + "

    You cannot stop your Child Benefit if you\u2019re using it to pay back an overpayment (or to pay back certain other benefits from another country).

    ", + "

    Responsibilities after your Child Benefit stops

    ", + "

    You must pay any tax charge owed for each tax year up to the date your Child Benefit stops.

    ", + "

    Use the Child Benefit tax calculator to get an estimate of how much you may owe each tax year.

    ", + "

    Even after your payments stop, you must report any changes in your family life that affect your entitlement to Child Benefit.

    ", + "

    Restart your Child Benefit

    ", + "

    You can restart your Child Benefit if:

    ", + "
  • you\u2019ve previously stopped it because of the tax charge
  • ", + "
  • you still qualify for Child Benefit
  • ", + "

    To restart your Child Benefit, either:

    ", + "
  • fill in an online form
  • ", + "
  • contact the Child Benefit Office
  • ", + "

    You need a Government Gateway user ID and password to fill in the online form. If you do not have a user ID, you can create one when you fill in the form.

    ", + "

    You cannot use the online form if you\u2019re an appointee or authorised agent.

    ", + "

    Payments usually start again the Monday after your request is received. The Child Benefit Office will write telling you how much backdated Child Benefit you\u2019ll get (if any).

    ", + "

    Responsibilities after your Child Benefit restarts

    ", + "

    You (or your partner) will have to pay any tax charge on the benefit received from the restart date if your income is over \u00a350,000.

    ", + "

    Use the Child Benefit tax calculator to get an estimate of your income and tax deductions to see if you may be affected by the tax charge.

    ", + "

    You must report any changes to your family life that affect your Child Benefit.

    ", + "

    If your circumstances change

    ", + "

    Your income changes

    ", + "

    You will not have to pay the tax charge if your income for the whole of a tax year is less than \u00a350,000.

    ", + "

    You can choose to stop or restart your Child Benefit at any time. Use the Child Benefit tax calculator to get an estimate of your income changes to see if they may affect the tax charge.

    ", + "

    You have a new child

    ", + "

    Claiming Child Benefit helps you qualify for:

    ", + "
  • National Insurance credits, which protect your right to the State Pension
  • ", + "
  • other benefits like Guardian\u2019s Allowance
  • ", + "

    Child Benefit proves you (or your partner) support another child. You may pay less child maintenance for children not living with you.

    ", + "

    You can make a new claim or just protect your entitlement to the above by:

    ", + "
  • sending a Child Benefit claim form
  • ", + "
  • ticking the option to \u2018not have the benefit paid\u2019
  • ", + "

    A partner moves in or out

    ", + "

    Your situation may change if your income is more than \u00a350,000 and you move in or split up with someone who\u2019s getting Child Benefit.

    ", + "

    You\u2019ll have to pay the tax charge if your income is more than \u00a350,000 and higher than your new partner\u2019s income. Your partner pays it if their income is higher.

    ", + "

    The tax charge applies from the date you move in together to either the date you permanently separate or the Child Benefit stops - for example because the child is too old to qualify for it.

    ", + "

    Short periods apart do not count as separation, for example a hospital stay or working away from home.

    " + ] + }, + "https://www.gov.uk/making-child-maintenance-arrangement": { + "url": "https://www.gov.uk/making-child-maintenance-arrangement", + "title": "Making a child maintenance arrangement", + "content": "## Overview\n\nChild maintenance is an arrangement between you and the other parent of your child. It covers how your child\u2019s living costs will be paid for when one of the parents no longer lives with them. It\u2019s made when you\u2019ve separated from the other parent (or if you\u2019ve never been in a relationship).\n\nThis guide is also available in Welsh (Cymraeg).\n\nBoth parents are responsible for the costs of raising their children, even if they do not see them. Making agreements about access to your children happens separately.\n\nChild maintenance can be either:\n\n- a private arrangement between you and the other parent\n\n- made through the Child Maintenance Service - a government scheme\n\nYou need to have child maintenance arrangements for children under 16 (or under 20 if they\u2019re in approved education or training). If you make a private arrangement you can continue paying after then.\n\n## If you\u2019re experiencing domestic abuse or controlling behaviour\n\nDomestic abuse includes controlling behaviour. For example:\n\n- emotionally controlling or manipulative behaviour\n\n- controlling your finances\n\n- controlling the way you look after your children\n\nYou can use the Child Maintenance Service to arrange child maintenance if you do not want to contact the\u00a0other parent yourself. They will contact the other parent for you and you will not need to pay the application fee if you\u2019re experiencing domestic abuse.\n\n## How it affects benefits\n\nChild maintenance payments will not affect any benefits that you and your children get. You will not have to pay tax on them.\n\nYour Council Tax Reduction could be affected. Contact your local council to find out if this applies to you.\n\n## Making an arrangement for the first time\n\n- Talk to the other parent about making your own arrangements.\n\n- If you cannot agree, or you feel at risk talking to the other parent, contact Child Maintenance Options for help and support.\n\n- If you decide to use the Child Maintenance Service, they\u2019ll give you a reference number and explain how to apply.\n\n## Arrange child maintenance yourself\n\nYou can make arrangements for your children if both parents agree. This might cover their living costs and care.\n\nThis is a private arrangement where you and the other parent organise everything yourselves. No one else has to be involved. It\u2019s flexible and can be changed if your circumstances change. For example, you could both agree that one parent:\n\n- does school or nursery pick ups\n\n- looks after the children in the holidays\n\n- pays a proportion of their income to the parent with day to day care\n\n- pays for things like housing, school uniform, trips or after school clubs\n\n- pays a regular set amount directly to the parent with care\n\n## Working out payments\n\nIf you agree to make regular payments, you can use the child maintenance calculator to help you decide how much payments should be.\n\n## Get help to make an arrangement\n\nYou can search for a local mediator to help you reach agreement about an arrangement.\n\nYou can read guidance on:\n\n- working out the cost of raising your children\n\n- having a conversation about child maintenance\n\n- recording your agreement\n\nYou can contact Child Maintenance Options for support.\n\nThere are different contact details if you live in Northern Ireland.\n\n## If your private arrangement stops working\n\nYou can search for a local mediator to help you work out child maintenance arrangements.\n\nIf you later decide to switch to using the Child Maintenance Service you may have to pay an application fee. You will not need to pay the fee if you\u2019ve experienced domestic abuse, you\u2019re under 19 years old or you live in Northern Ireland.\n\n## Using the Child Maintenance Service\n\nThe Child Maintenance Service is for parents who have not been able to make a private arrangement about how their child\u2019s living costs will be paid. The payments are a fixed amount on a schedule.\n\nOnce the Child Maintenance Service calculates the maintenance amount, payments are usually managed between parents. The payments are fixed amounts paid on a schedule.\n\nIf you use the service to collect and transfer payments, you\u2019ll pay a fee each time you make or receive a payment.\n\nThe Child Maintenance Service can:\n\n- work out child maintenance payment amounts (you can do this yourself with the calculator)\n\n- arrange for the other parent to pay child maintenance and take action if payments are not made\n\n- help find the other parent (they\u2019ll need information from you and will not be able to set up a case if they cannot be found)\n\n- sort out disagreements about parentage\n\n- look at the payments if changes in parents\u2019 circumstances are reported\n\nYou can switch to arranging child maintenance yourself later on.\n\n## If you\u2019ve experienced domestic abuse or controlling behaviour from your child\u2019s other parent\n\nIf you\u2019re worried about your child\u2019s other parent contacting you, tell the Child Maintenance Service. You do not need to be in contact with the other parent.\n\nTell the Child Maintenance Service if it\u2019s not safe for the other parent to know your location or personal information, for example if you\u2019ve changed your name.\n\n## Getting payments without sharing your location\n\nThere are ways to get payments from your child\u2019s other parent without sharing your location.\n\nYou can ask your bank to set up a \u2018non-geographical\u2019 bank account if you do not want the other parent to know your address. Ask the Child Maintenance Service to give you a letter to explain why you need it.\n\nYou can also set up a pre-payment card which is not connected to a bank account. The paying parent can set up a standing order to your pre-payment card.\n\n## Eligibility\n\nYour child needs to be under 16 (or under 20 if they stay in approved education or training).\n\nYou need to live in the UK as your main home and have the right to live here.\n\nYou can apply if you\u2019re:\n\n- either parent (you do not need to live with the child)\n\n- a grandparent or other guardian of the child\n\n- a child over 12 living in Scotland\n\nIf you\u2019re in prison or a full-time student with no income, you do not have to pay child maintenance - there\u2019s no need to apply.\n\nYou cannot use this service if you have an existing consent order approved by a court that is either less than a year old or made before 3 March 2003.\n\n## If one of the parents lives outside the UK\n\nYou cannot apply if the child and the parent with main day-to-day care live outside the UK.\n\nThe service can only help if the paying parent works outside the UK for a British organisation.\n\n## Fees\n\nThe application fee is \u00a320.\n\nYou will not have to pay this if you:\n\n- have experienced domestic abuse\n\n- are under 19 years old\n\n- live in Northern Ireland\n\n## How to apply\n\nContact Child Maintenance Options before you apply.\n\nThey\u2019ll discuss your maintenance arrangements with you, give you a reference number and explain how to apply.\n\nThere are different contact details if you live in Northern Ireland.\n\n## What you\u2019ll need to provide\n\nYou\u2019ll need to give information about you and your family, for example:\n\n- details about the child you\u2019re applying for - including the full names of their parents\n\n- your National Insurance number\n\n- your bank account details (tell the Child Maintenance Service if it\u2019s not safe to tell the other parent your name, if you\u2019ve changed it, or location)\n\n## How your information is used\n\nYour information is used to set up and manage child maintenance payments, and sometimes to try to find the paying parent.\n\nThe Child Maintenance Service will share your name and your child\u2019s name with the other parent. They will not share your address.\n\nThey may share your contact details with other government organisations, debt collection agencies or the courts. They will not share details of your case.\n\nIf the Child Maintenance Service cannot get the information from either parent, they might ask others, for example:\n\n- the paying parent\u2019s employer\n\n- government organisations like Jobcentre Plus\n\n- prison services or local councils\n\n- the paying parent\u2019s bank or building society", + "original_contents": [ + "

    Overview

    ", + "

    Child maintenance is an arrangement between you and the other parent of your child. It covers how your child\u2019s living costs will be paid for when one of the parents no longer lives with them. It\u2019s made when you\u2019ve separated from the other parent (or if you\u2019ve never been in a relationship).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Both parents are responsible for the costs of raising their children, even if they do not see them. Making agreements about access to your children happens separately.

    ", + "

    Child maintenance can be either:

    ", + "
  • a private arrangement between you and the other parent
  • ", + "
  • made through the Child Maintenance Service - a government scheme
  • ", + "

    You need to have child maintenance arrangements for children under 16 (or under 20 if they\u2019re in approved education or training). If you make a private arrangement you can continue paying after then.

    ", + "

    If you\u2019re experiencing domestic abuse or controlling behaviour

    ", + "

    Domestic abuse includes controlling behaviour. For example:

    ", + "
  • emotionally controlling or manipulative behaviour
  • ", + "
  • controlling your finances
  • ", + "
  • controlling the way you look after your children
  • ", + "

    You can use the Child Maintenance Service to arrange child maintenance if you do not want to contact the\u00a0other parent yourself. They will contact the other parent for you and you will not need to pay the application fee if you\u2019re experiencing domestic abuse.

    ", + "

    How it affects benefits

    ", + "

    Child maintenance payments will not affect any benefits that you and your children get. You will not have to pay tax on them.

    ", + "

    Your Council Tax Reduction could be affected. Contact your local council to find out if this applies to you.

    ", + "

    Making an arrangement for the first time

    ", + "
  • Talk to the other parent about making your own arrangements.
  • ", + "
  • If you cannot agree, or you feel at risk talking to the other parent, contact Child Maintenance Options for help and support.
  • ", + "
  • If you decide to use the Child Maintenance Service, they\u2019ll give you a reference number and explain how to apply.
  • ", + "

    Arrange child maintenance yourself

    ", + "

    You can make arrangements for your children if both parents agree. This might cover their living costs and care.

    ", + "

    This is a private arrangement where you and the other parent organise everything yourselves. No one else has to be involved. It\u2019s flexible and can be changed if your circumstances change. For example, you could both agree that one parent:

    ", + "
  • does school or nursery pick ups
  • ", + "
  • looks after the children in the holidays
  • ", + "
  • pays a proportion of their income to the parent with day to day care
  • ", + "
  • pays for things like housing, school uniform, trips or after school clubs
  • ", + "
  • pays a regular set amount directly to the parent with care
  • ", + "

    Working out payments

    ", + "

    If you agree to make regular payments, you can use the child maintenance calculator to help you decide how much payments should be.

    ", + "

    Get help to make an arrangement

    ", + "

    You can search for a local mediator to help you reach agreement about an arrangement.

    ", + "

    You can read guidance on:

    ", + "
  • working out the cost of raising your children
  • ", + "
  • having a conversation about child maintenance
  • ", + "
  • recording your agreement
  • ", + "

    You can contact Child Maintenance Options for support.

    ", + "

    There are different contact details if you live in Northern Ireland.

    ", + "

    If your private arrangement stops working

    ", + "

    You can search for a local mediator to help you work out child maintenance arrangements.

    ", + "

    If you later decide to switch to using the Child Maintenance Service you may have to pay an application fee. You will not need to pay the fee if you\u2019ve experienced domestic abuse, you\u2019re under 19 years old or you live in Northern Ireland.

    ", + "

    Using the Child Maintenance Service

    ", + "

    The Child Maintenance Service is for parents who have not been able to make a private arrangement about how their child\u2019s living costs will be paid. The payments are a fixed amount on a schedule.

    ", + "

    Once the Child Maintenance Service calculates the maintenance amount, payments are usually managed between parents. The payments are fixed amounts paid on a schedule.

    ", + "

    If you use the service to collect and transfer payments, you\u2019ll pay a fee each time you make or receive a payment.

    ", + "

    The Child Maintenance Service can:

    ", + "
  • work out child maintenance payment amounts (you can do this yourself with the calculator)
  • ", + "
  • arrange for the other parent to pay child maintenance and take action if payments are not made
  • ", + "
  • help find the other parent (they\u2019ll need information from you and will not be able to set up a case if they cannot be found)
  • ", + "
  • sort out disagreements about parentage
  • ", + "
  • look at the payments if changes in parents\u2019 circumstances are reported
  • ", + "

    You can switch to arranging child maintenance yourself later on.

    ", + "

    If you\u2019ve experienced domestic abuse or controlling behaviour from your child\u2019s other parent

    ", + "

    If you\u2019re worried about your child\u2019s other parent contacting you, tell the Child Maintenance Service. You do not need to be in contact with the other parent.

    ", + "

    Tell the Child Maintenance Service if it\u2019s not safe for the other parent to know your location or personal information, for example if you\u2019ve changed your name.

    ", + "

    Getting payments without sharing your location

    ", + "

    There are ways to get payments from your child\u2019s other parent without sharing your location.

    ", + "

    You can ask your bank to set up a \u2018non-geographical\u2019 bank account if you do not want the other parent to know your address. Ask the Child Maintenance Service to give you a letter to explain why you need it.

    ", + "

    You can also set up a pre-payment card which is not connected to a bank account. The paying parent can set up a standing order to your pre-payment card.

    ", + "

    Eligibility

    ", + "

    Your child needs to be under 16 (or under 20 if they stay in approved education or training).

    ", + "

    You need to live in the UK as your main home and have the right to live here.

    ", + "

    You can apply if you\u2019re:

    ", + "
  • either parent (you do not need to live with the child)
  • ", + "
  • a grandparent or other guardian of the child
  • ", + "
  • a child over 12 living in Scotland
  • ", + "

    If you\u2019re in prison or a full-time student with no income, you do not have to pay child maintenance - there\u2019s no need to apply.

    ", + "

    You cannot use this service if you have an existing consent order approved by a court that is either less than a year old or made before 3 March 2003.

    ", + "

    If one of the parents lives outside the UK

    ", + "

    You cannot apply if the child and the parent with main day-to-day care live outside the UK.

    ", + "

    The service can only help if the paying parent works outside the UK for a British organisation.

    ", + "

    Fees

    ", + "

    The application fee is \u00a320.

    ", + "

    You will not have to pay this if you:

    ", + "
  • have experienced domestic abuse
  • ", + "
  • are under 19 years old
  • ", + "
  • live in Northern Ireland
  • ", + "

    How to apply

    ", + "

    Contact Child Maintenance Options before you apply.

    ", + "

    They\u2019ll discuss your maintenance arrangements with you, give you a reference number and explain how to apply.

    ", + "

    There are different contact details if you live in Northern Ireland.

    ", + "

    What you\u2019ll need to provide

    ", + "

    You\u2019ll need to give information about you and your family, for example:

    ", + "
  • details about the child you\u2019re applying for - including the full names of their parents
  • ", + "
  • your National Insurance number
  • ", + "
  • your bank account details (tell the Child Maintenance Service if it\u2019s not safe to tell the other parent your name, if you\u2019ve changed it, or location)
  • ", + "

    How your information is used

    ", + "

    Your information is used to set up and manage child maintenance payments, and sometimes to try to find the paying parent.

    ", + "

    The Child Maintenance Service will share your name and your child\u2019s name with the other parent. They will not share your address.

    ", + "

    They may share your contact details with other government organisations, debt collection agencies or the courts. They will not share details of your case.

    ", + "

    If the Child Maintenance Service cannot get the information from either parent, they might ask others, for example:

    ", + "
  • the paying parent\u2019s employer
  • ", + "
  • government organisations like Jobcentre Plus
  • ", + "
  • prison services or local councils
  • ", + "
  • the paying parent\u2019s bank or building society
  • " + ] + }, + "https://www.gov.uk/disability-living-allowance-children": { + "url": "https://www.gov.uk/disability-living-allowance-children", + "title": "Disability Living Allowance (DLA) for children", + "content": "## Overview\n\nDisability Living Allowance (DLA) for children may help with the extra costs of looking after a child who:\n\n- is under 16\n\n- has difficulties walking or needs much more looking after than a child of the same age who does not have a disability\n\nThey will need to meet all the eligibility requirements.\n\nThe DLA rate is between \u00a323.70 and \u00a3152.15 a week and depends on the level of help the child needs.\n\n## DLA rates for children\n\nDisability Living Allowance (DLA) for children is a tax-free benefit made up of 2 components (parts). The child might qualify for one or both components.\n\n## Care component\n\n| Care component | Weekly rate |\n\n| Lowest | \u00a323.70 |\n\n| Middle | \u00a360.00 |\n\n| Highest | \u00a389.60 |\n\n## Mobility component\n\n| Mobility component | Weekly rate |\n\n| Lower | \u00a323.70 |\n\n| Higher | \u00a362.55 |\n\n## How DLA for children is paid\n\nDLA is usually paid every 4 weeks on a Tuesday.\n\nIf your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Extra help\n\nYou might qualify for Carer\u2019s Allowance if you spend at least 35 hours a week caring for a child who gets the middle or highest care rate of DLA.\n\n## Eligibility\n\nUsually, to qualify for Disability Living Allowance (DLA) for children the child must:\n\n- be under 16 - anyone over 16 must apply for Personal Independence Payment (PIP)\n\n- need extra looking after or have walking dif\ufb01culties\n\n- be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces\n\n- have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old\n\n- be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands\n\n- not be subject to immigration control\n\nThe process is different in Northern Ireland.\n\nThere are some exceptions to these conditions if the child is living in or coming from an EEA country or Switzerland.\n\nYou can claim DLA for children if you\u2019re in or out of work.\n\n## Children under 3\n\nA child under 6 months must have lived in Great Britain for at least 13 weeks.\n\nA child aged between 6 months and 3 years must have lived in Great Britain for at least 26 of the last 156 weeks.\n\nThe rules on residence do not normally apply if a child is terminally ill.\n\n## The child\u2019s disability or health condition\n\nThe child\u2019s disability or health condition must mean at least one of the following apply:\n\n- they need much more looking after than a child of the same age who does not have a disability\n\n- they have difficulty getting about\n\nThey must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.\n\n## Care component\n\nThe rate the child gets depends on the level of looking after they need, for example:\n\n- lowest rate - help for some of the day\n\n- middle rate - frequent help or constant supervision during the day, supervision at night or someone to help while they\u2019re on dialysis\n\n- highest rate - help or supervision throughout both day and night, or they\u2019re terminally ill\n\n## Mobility component\n\nThe rate the child gets depends on the level of help they need getting about, for example:\n\n- lowest rate - they can walk but need help and or supervision when outdoors\n\n- highest rate - they cannot walk, can only walk a short distance without severe discomfort, could become very ill if they try to walk or they\u2019re blind or severely sight impaired\n\nThere are also age limits to receiving the mobility component:\n\n- lowest rate - the child must be 5 years or over\n\n- highest rate - the child must be 3 years or over\n\nIf your child is under these ages and you claim DLA for them, you should be sent a claim pack 6 months before they turn 3 and 6 months before they turn 5. You can then apply for the mobility component if you think they\u2019re eligible for it.\n\nIf you have not received any claim packs and you think your child may be entitled to the mobility component, contact the Disability Service Centre.\n\n## Change of circumstances\n\nContact the Disability Service Centre as soon as the child\u2019s circumstances change. This can affect how much they get, for example if their disability gets worse or they go abroad for medical treatment.\n\nTheir DLA will not usually be affected if they go:\n\n- into a local authority care home for less than 28 days\n\n- into a hospital\n\n- abroad for less than 13 weeks\n\n- abroad for less than 26 weeks to get medical treatment for a condition which began before they left\n\n## How to claim\n\nTo claim DLA for a child you need to be their parent or look after them as if you\u2019re their parent. This includes step-parents, guardians, grandparents, foster-parents or older brothers or sisters.\n\nTo apply you can either:\n\n- print off and fill in the DLA claim form\n\n- phone the Disability Living Allowance helpline and ask for a printed form\n\nThe process is different in Northern Ireland.\n\n## Alternative formats\n\nCall the Disability Living Allowance helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## When you\u2019ll be paid\n\nDLA can be paid from the start of your claim. It cannot be backdated. Your claim will start on the date the form is received or the date you call the enquiry line (if you return the claim pack within 6 weeks).\n\nYou\u2019ll usually get a decision letter about 8 weeks (40 working days) after your form is received. The letter will tell you when you\u2019ll get your first payment.\n\n## If the child is terminally ill\n\nThere are special rules if the child is not expected to live more than 6 months, so they can get DLA more quickly.\n\nPhone the Disability Living Allowance helpline to start your claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to the Department for Work and Pensions (DWP).\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## When your child turns 16\n\nYour child will need to apply for Personal Independence Payment (PIP) when they turn 16.\n\n## When they apply for PIP\n\nYour child will get a letter inviting them to apply for PIP. The letter will be sent:\n\n- shortly after their 16th birthday\n\n- when they leave hospital, if they were in hospital on their 16th birthday\n\n- about 20 weeks before their DLA award ends, if they were awarded DLA under the rules for people who are terminally ill\n\nYour child\u2019s DLA payments will stop unless they apply for PIP by the date given in the letter.\n\nIf they apply by the date given in the letter, they\u2019ll continue to receive DLA until their claim is assessed.", + "original_contents": [ + "

    Overview

    ", + "

    Disability Living Allowance (DLA) for children may help with the extra costs of looking after a child who:

    ", + "
  • is under 16
  • ", + "
  • has difficulties walking or needs much more looking after than a child of the same age who does not have a disability
  • ", + "

    They will need to meet all the eligibility requirements.

    ", + "

    The DLA rate is between \u00a323.70 and \u00a3152.15 a week and depends on the level of help the child needs.

    ", + "

    DLA rates for children

    ", + "

    Disability Living Allowance (DLA) for children is a tax-free benefit made up of 2 components (parts). The child might qualify for one or both components.

    ", + "

    Care component

    ", + "Care component | Weekly rate", + "Lowest | \u00a323.70", + "Middle | \u00a360.00", + "Highest | \u00a389.60", + "

    Mobility component

    ", + "Mobility component | Weekly rate", + "Lower | \u00a323.70", + "Higher | \u00a362.55", + "

    How DLA for children is paid

    ", + "

    DLA is usually paid every 4 weeks on a Tuesday.

    ", + "

    If your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.

    ", + "

    All benefits, pensions and allowances are paid into your bank, building society or credit union account.

    ", + "

    Extra help

    ", + "

    You might qualify for Carer\u2019s Allowance if you spend at least 35 hours a week caring for a child who gets the middle or highest care rate of DLA.

    ", + "

    Eligibility

    ", + "

    Usually, to qualify for Disability Living Allowance (DLA) for children the child must:

    ", + "
  • be under 16 - anyone over 16 must apply for Personal Independence Payment (PIP)
  • ", + "
  • need extra looking after or have walking dif\ufb01culties
  • ", + "
  • be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces
  • ", + "
  • have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old
  • ", + "
  • be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands
  • ", + "
  • not be subject to immigration control
  • ", + "

    The process is different in Northern Ireland.

    ", + "

    There are some exceptions to these conditions if the child is living in or coming from an EEA country or Switzerland.

    ", + "

    You can claim DLA for children if you\u2019re in or out of work.

    ", + "

    Children under 3

    ", + "

    A child under 6 months must have lived in Great Britain for at least 13 weeks.

    ", + "

    A child aged between 6 months and 3 years must have lived in Great Britain for at least 26 of the last 156 weeks.

    ", + "

    The rules on residence do not normally apply if a child is terminally ill.

    ", + "

    The child\u2019s disability or health condition

    ", + "

    The child\u2019s disability or health condition must mean at least one of the following apply:

    ", + "
  • they need much more looking after than a child of the same age who does not have a disability
  • ", + "
  • they have difficulty getting about
  • ", + "

    They must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.

    ", + "

    Care component

    ", + "

    The rate the child gets depends on the level of looking after they need, for example:

    ", + "
  • lowest rate - help for some of the day
  • ", + "
  • middle rate - frequent help or constant supervision during the day, supervision at night or someone to help while they\u2019re on dialysis
  • ", + "
  • highest rate - help or supervision throughout both day and night, or they\u2019re terminally ill
  • ", + "

    Mobility component

    ", + "

    The rate the child gets depends on the level of help they need getting about, for example:

    ", + "
  • lowest rate - they can walk but need help and or supervision when outdoors
  • ", + "
  • highest rate - they cannot walk, can only walk a short distance without severe discomfort, could become very ill if they try to walk or they\u2019re blind or severely sight impaired
  • ", + "

    There are also age limits to receiving the mobility component:

    ", + "
  • lowest rate - the child must be 5 years or over
  • ", + "
  • highest rate - the child must be 3 years or over
  • ", + "

    If your child is under these ages and you claim DLA for them, you should be sent a claim pack 6 months before they turn 3 and 6 months before they turn 5. You can then apply for the mobility component if you think they\u2019re eligible for it.

    ", + "

    If you have not received any claim packs and you think your child may be entitled to the mobility component, contact the Disability Service Centre.

    ", + "

    Change of circumstances

    ", + "

    Contact the Disability Service Centre as soon as the child\u2019s circumstances change. This can affect how much they get, for example if their disability gets worse or they go abroad for medical treatment.

    ", + "

    Their DLA will not usually be affected if they go:

    ", + "
  • into a local authority care home for less than 28 days
  • ", + "
  • into a hospital
  • ", + "
  • abroad for less than 13 weeks
  • ", + "
  • abroad for less than 26 weeks to get medical treatment for a condition which began before they left
  • ", + "

    How to claim

    ", + "

    To claim DLA for a child you need to be their parent or look after them as if you\u2019re their parent. This includes step-parents, guardians, grandparents, foster-parents or older brothers or sisters.

    ", + "

    To apply you can either:

    ", + "
  • print off and fill in the DLA claim form
  • ", + "
  • phone the Disability Living Allowance helpline and ask for a printed form
  • ", + "

    The process is different in Northern Ireland.

    ", + "

    Alternative formats

    ", + "

    Call the Disability Living Allowance helpline to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    When you\u2019ll be paid

    ", + "

    DLA can be paid from the start of your claim. It cannot be backdated. Your claim will start on the date the form is received or the date you call the enquiry line (if you return the claim pack within 6 weeks).

    ", + "

    You\u2019ll usually get a decision letter about 8 weeks (40 working days) after your form is received. The letter will tell you when you\u2019ll get your first payment.

    ", + "

    If the child is terminally ill

    ", + "

    There are special rules if the child is not expected to live more than 6 months, so they can get DLA more quickly.

    ", + "

    Phone the Disability Living Allowance helpline to start your claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to the Department for Work and Pensions (DWP).

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    When your child turns 16

    ", + "

    Your child will need to apply for Personal Independence Payment (PIP) when they turn 16.

    ", + "

    When they apply for PIP

    ", + "

    Your child will get a letter inviting them to apply for PIP. The letter will be sent:

    ", + "
  • shortly after their 16th birthday
  • ", + "
  • when they leave hospital, if they were in hospital on their 16th birthday
  • ", + "
  • about 20 weeks before their DLA award ends, if they were awarded DLA under the rules for people who are terminally ill
  • ", + "

    Your child\u2019s DLA payments will stop unless they apply for PIP by the date given in the letter.

    ", + "

    If they apply by the date given in the letter, they\u2019ll continue to receive DLA until their claim is assessed.

    " + ] + }, + "https://www.gov.uk/help-for-disabled-child": { + "url": "https://www.gov.uk/help-for-disabled-child", + "title": "Help if you have a disabled child", + "content": "## Overview\n\nYour local council can provide help if you have a disabled child, including:\n\n- short break services\n\n- holiday play schemes\n\n- care at home\n\n- some aids and adaptations\n\n- financial help, eg money towards travel costs for hospital visits\n\nYour council has a duty to provide these services under the Children Act 1989. Some are free of charge - the council might ask you to contribute towards others.\n\nIf you think your child may qualify, contact the social services team at your local council.\n\nA social worker will then talk to you about the needs of your family, including:\n\n- health\n\n- social care\n\n- education\n\nThis is called a \u2018needs assessment\u2019 - the social worker will give you advice on what to do next.\n\nYou can also ask your council about local support groups for carers and families with disabled children.\n\n## Help with costs\n\nIf your child qualifies for services from your local council, you\u2019ll also have the option of getting direct payments.\n\nThese are paid directly to you so you can arrange services you need. They\u2019re an alternative to social care services provided by your local council.\n\nYou may also be eligible for extra Child Tax Credit for each disabled child you\u2019re responsible for or Disability Living Allowance for children.\n\n## Childcare\n\nYour local council\u2019s Family Information Service can give you details about childcare in your local area.\n\nYou can also ask them about other specialist services that your child may need because of their disability.\n\n## Help with childcare costs\n\nAll 3 and 4 year olds are entitled to 15 hours of free education for 38 weeks of the year - read the information on childcare and tax credits for more details.\n\nSome 2-year-olds (even if they have an education, health and care plan or get Disability Living Allowance) are also entitled to the 15 hours of free education.\n\nYou can also get direct payments from your local council to help pay for childcare.\n\nIf you\u2019re on the Early Support Programme and have a Family File, show this to your childcare provider.\n\nIf you\u2019re working, you may be able to get up to \u00a34,000 a year to help pay for childcare for a disabled child through Tax-Free Childcare.\n\n## Education\n\nUnder the Equality Act 2010, it\u2019s against the law for schools and other education providers to discriminate against disabled children.\n\nExamples of discrimination include:\n\n- a school refusing to admit a disabled child just because of their disability\n\n- stopping a disabled pupil going outside at break time because it takes them longer to get there\n\nContact the Equality Advisory Support Service if you think your child has been discriminated against because of their disability.\n\n## Making \u2018reasonable adjustments\u2019\n\nSchools have to make \u2018reasonable adjustments\u2019 for disabled children. These can include:\n\n- changes to physical features, eg adding a ramp\n\n- changes to how learners are assessed\n\n- providing extra support and aids, eg specialist teachers or equipment\n\n## Special educational needs\n\nSome children may have special educational needs because their disabilities affect their ability to learn.\n\nYou can ask your council to carry out an education, health and care (EHC) needs assessment for your child. They may get an EHC plan, which will explain the extra support they need.\n\nThe council must make sure your child gets this support.\n\nAsk to see a school\u2019s policy on special educational needs so you know what support they can offer.\n\nFind your local support service if you need impartial advice about special educational needs.\n\n## Motability scheme\n\nThe Motability Scheme can help you lease a car if your child is aged 3 or over and is entitled to either the:\n\n- higher rate of the mobility component of Disability Living Allowance\n\n- enhanced mobility component of Personal Independence Payment\n\nMore information about the scheme is on the Motability website.\n\nYou can also contact:\n\n## Home adaptations\n\nIf your home needs to be adapted to meet your child\u2019s needs, you may be able to get a Disabled Facilities Grant to help with the costs.\n\nUsually, an occupational therapist will talk to you to work out what adaptations would be best for your child.\n\nA Disabled Facilities Grant will not affect any benefits that you\u2019re getting.", + "original_contents": [ + "

    Overview

    ", + "

    Your local council can provide help if you have a disabled child, including:

    ", + "
  • short break services
  • ", + "
  • holiday play schemes
  • ", + "
  • care at home
  • ", + "
  • some aids and adaptations
  • ", + "
  • financial help, eg money towards travel costs for hospital visits
  • ", + "

    Your council has a duty to provide these services under the Children Act 1989. Some are free of charge - the council might ask you to contribute towards others.

    ", + "

    If you think your child may qualify, contact the social services team at your local council.

    ", + "

    A social worker will then talk to you about the needs of your family, including:

    ", + "
  • health
  • ", + "
  • social care
  • ", + "
  • education
  • ", + "

    This is called a \u2018needs assessment\u2019 - the social worker will give you advice on what to do next.

    ", + "

    You can also ask your council about local support groups for carers and families with disabled children.

    ", + "

    Help with costs

    ", + "

    If your child qualifies for services from your local council, you\u2019ll also have the option of getting direct payments.

    ", + "

    These are paid directly to you so you can arrange services you need. They\u2019re an alternative to social care services provided by your local council.

    ", + "

    You may also be eligible for extra Child Tax Credit for each disabled child you\u2019re responsible for or Disability Living Allowance for children.

    ", + "

    Childcare

    ", + "

    Your local council\u2019s Family Information Service can give you details about childcare in your local area.

    ", + "

    You can also ask them about other specialist services that your child may need because of their disability.

    ", + "

    Help with childcare costs

    ", + "

    All 3 and 4 year olds are entitled to 15 hours of free education for 38 weeks of the year - read the information on childcare and tax credits for more details.

    ", + "

    Some 2-year-olds (even if they have an education, health and care plan or get Disability Living Allowance) are also entitled to the 15 hours of free education.

    ", + "

    You can also get direct payments from your local council to help pay for childcare.

    ", + "

    If you\u2019re on the Early Support Programme and have a Family File, show this to your childcare provider.

    ", + "

    If you\u2019re working, you may be able to get up to \u00a34,000 a year to help pay for childcare for a disabled child through Tax-Free Childcare.

    ", + "

    Education

    ", + "

    Under the Equality Act 2010, it\u2019s against the law for schools and other education providers to discriminate against disabled children.

    ", + "

    Examples of discrimination include:

    ", + "
  • a school refusing to admit a disabled child just because of their disability
  • ", + "
  • stopping a disabled pupil going outside at break time because it takes them longer to get there
  • ", + "

    Contact the Equality Advisory Support Service if you think your child has been discriminated against because of their disability.

    ", + "

    Making \u2018reasonable adjustments\u2019

    ", + "

    Schools have to make \u2018reasonable adjustments\u2019 for disabled children. These can include:

    ", + "
  • changes to physical features, eg adding a ramp
  • ", + "
  • changes to how learners are assessed
  • ", + "
  • providing extra support and aids, eg specialist teachers or equipment
  • ", + "

    Special educational needs

    ", + "

    Some children may have special educational needs because their disabilities affect their ability to learn.

    ", + "

    You can ask your council to carry out an education, health and care (EHC) needs assessment for your child. They may get an EHC plan, which will explain the extra support they need.

    ", + "

    The council must make sure your child gets this support.

    ", + "

    Ask to see a school\u2019s policy on special educational needs so you know what support they can offer.

    ", + "

    Find your local support service if you need impartial advice about special educational needs.

    ", + "

    Motability scheme

    ", + "

    The Motability Scheme can help you lease a car if your child is aged 3 or over and is entitled to either the:

    ", + "
  • higher rate of the mobility component of Disability Living Allowance
  • ", + "
  • enhanced mobility component of Personal Independence Payment
  • ", + "

    More information about the scheme is on the Motability website.

    ", + "

    You can also contact:

    ", + "

    Home adaptations

    ", + "

    If your home needs to be adapted to meet your child\u2019s needs, you may be able to get a Disabled Facilities Grant to help with the costs.

    ", + "

    Usually, an occupational therapist will talk to you to work out what adaptations would be best for your child.

    ", + "

    A Disabled Facilities Grant will not affect any benefits that you\u2019re getting.

    " + ] + }, + "https://www.gov.uk/disabled-facilities-grants": { + "url": "https://www.gov.uk/disabled-facilities-grants", + "title": "Disabled Facilities Grants", + "content": "## Overview\n\nYou could get a grant from your council if you\u2019re disabled and need to make changes to your home, for example to:\n\n- widen doors and install ramps\n\n- improve access to rooms and facilities - eg stairlifts or a downstairs bathroom\n\n- provide a heating system suitable for your needs\n\n- adapt heating or lighting controls to make them easier to use\n\nA Disabled Facilities Grant won\u2019t affect any benefits you get.\n\n## What you'll get\n\nHow much you get depends on your:\n\n- household income\n\n- household savings over \u00a36,000\n\n| Country | Grant |\n\n| England | Up to \u00a330,000 |\n\n| Wales | Up to \u00a336,000 |\n\n| Northern Ireland | Up to \u00a325,000 |\n\n| Scotland | Disabled Facilities Grants are not available - find out about support for equipment and adaptations |\n\nDepending on your income, you may need to pay towards the cost of the work to the property.\n\nDisabled children under 18 can get a grant without their parents\u2019 income being taken into account. Contact your local council for more information.\n\nYou might not get any grant if you start work on your property before the council approves your application.\n\n## How you\u2019ll be paid\n\nYou\u2019ll be paid either:\n\n- in instalments - as the work progresses\n\n- in full - when the work is finished\n\nThe council may pay the contractor directly or give you a cheque to pass on to them. They\u2019ll agree this with you when they approve your application.\n\n## When you\u2019ll be paid\n\nYou\u2019ll be paid either:\n\n- when the council is happy with the finished work\n\n- when you give the council the invoice, demand or receipt for payment from the contractor\n\nNormally, if you (or a relative) does the work the council will only accept invoices for materials or services you\u2019ve bought.\n\n## Eligibility\n\nYou or someone living in your property must be disabled. Either you or the person you\u2019re applying for must:\n\n- own the property or be a tenant\n\n- intend to live in the property during the grant period (which is currently 5 years)\n\nYou can also apply for a grant if you\u2019re a landlord and have a disabled tenant.\n\nThe council needs to be happy that the work is:\n\n- necessary and appropriate to meet the disabled person\u2019s needs\n\n- reasonable and can be done - depending on the age and condition of the property\n\nYou might not get any grant if you start work on your property before the council approves your application.\n\n## Planning and building regulations approval\n\nYou need to apply separately for any planning permission or building regulations approval.\n\nThe council may ask you to employ a qualified architect or surveyor to plan and oversee the work. If you get a grant, you can use it towards the cost of their fees.\n\n## How to apply\n\nApply through your local council.\n\nThe council may send an occupational therapist round to see you. They\u2019ll check your circumstances and see what changes you need.\n\n## Appeals\n\nYou can appeal to your council if you\u2019re unhappy with their decision.\n\nIf you appeal and you\u2019re still not happy, you can complain to the Local Government Ombudsman.", + "original_contents": [ + "

    Overview

    ", + "

    You could get a grant from your council if you\u2019re disabled and need to make changes to your home, for example to:

    ", + "
  • widen doors and install ramps
  • ", + "
  • improve access to rooms and facilities - eg stairlifts or a downstairs bathroom
  • ", + "
  • provide a heating system suitable for your needs
  • ", + "
  • adapt heating or lighting controls to make them easier to use
  • ", + "

    A Disabled Facilities Grant won\u2019t affect any benefits you get.

    ", + "

    What you'll get

    ", + "

    How much you get depends on your:

    ", + "
  • household income
  • ", + "
  • household savings over \u00a36,000
  • ", + "Country | Grant", + "England | Up to \u00a330,000", + "Wales | Up to \u00a336,000", + "Northern Ireland | Up to \u00a325,000", + "Scotland | Disabled Facilities Grants are not available - find out about support for equipment and adaptations", + "

    Depending on your income, you may need to pay towards the cost of the work to the property.

    ", + "

    Disabled children under 18 can get a grant without their parents\u2019 income being taken into account. Contact your local council for more information.

    ", + "

    You might not get any grant if you start work on your property before the council approves your application.

    ", + "

    How you\u2019ll be paid

    ", + "

    You\u2019ll be paid either:

    ", + "
  • in instalments - as the work progresses
  • ", + "
  • in full - when the work is finished
  • ", + "

    The council may pay the contractor directly or give you a cheque to pass on to them. They\u2019ll agree this with you when they approve your application.

    ", + "

    When you\u2019ll be paid

    ", + "

    You\u2019ll be paid either:

    ", + "
  • when the council is happy with the finished work
  • ", + "
  • when you give the council the invoice, demand or receipt for payment from the contractor
  • ", + "

    Normally, if you (or a relative) does the work the council will only accept invoices for materials or services you\u2019ve bought.

    ", + "

    Eligibility

    ", + "

    You or someone living in your property must be disabled. Either you or the person you\u2019re applying for must:

    ", + "
  • own the property or be a tenant
  • ", + "
  • intend to live in the property during the grant period (which is currently 5 years)
  • ", + "

    You can also apply for a grant if you\u2019re a landlord and have a disabled tenant.

    ", + "

    The council needs to be happy that the work is:

    ", + "
  • necessary and appropriate to meet the disabled person\u2019s needs
  • ", + "
  • reasonable and can be done - depending on the age and condition of the property
  • ", + "

    You might not get any grant if you start work on your property before the council approves your application.

    ", + "

    Planning and building regulations approval

    ", + "

    You need to apply separately for any planning permission or building regulations approval.

    ", + "

    The council may ask you to employ a qualified architect or surveyor to plan and oversee the work. If you get a grant, you can use it towards the cost of their fees.

    ", + "

    How to apply

    ", + "

    Apply through your local council.

    ", + "

    The council may send an occupational therapist round to see you. They\u2019ll check your circumstances and see what changes you need.

    ", + "

    Appeals

    ", + "

    You can appeal to your council if you\u2019re unhappy with their decision.

    ", + "

    If you appeal and you\u2019re still not happy, you can complain to the Local Government Ombudsman.

    " + ] + }, + "https://www.gov.uk/childcare-grant": { + "url": "https://www.gov.uk/childcare-grant", + "title": "Childcare Grant", + "content": "## Overview\n\nYou may be eligible for help with your childcare costs if you:\n\n- are a full-time higher education student\n\n- have children under 15, or under 17 if they have special educational needs\n\nThe grant:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\nYou must be eligible for student finance to apply for a Childcare Grant.\n\n## What you'll get\n\nThe amount you\u2019ll get depends on:\n\n- your household income\n\n- the number of children who are dependent on you\n\n## 2021 to 2022 academic year\n\nYou can get 85% of your childcare costs or a fixed maximum amount, whichever is less.\n\nThe maximum you can get is:\n\n- up to \u00a3179.62 a week for 1 child\n\n- up to \u00a3307.95 a week for 2 or more children\n\nYou have to pay for any remaining costs.\n\n## 2020 to 2021 academic year\n\nYou can get 85% of your childcare costs or a fixed maximum amount, whichever is less.\n\nThe maximum you can get is:\n\n- up to \u00a3174.22 a week for 1 child\n\n- up to \u00a3298.69 a week for 2 or more children\n\nYou have to pay for any remaining costs.\n\n## How you\u2019re paid\n\nYour grant will be paid into a Childcare Grant Payment Service (CCGPS) account. You\u2019ll get an email telling you how to set one up.\n\nYour childcare provider will send requests for payment to the CCGPS, which you can approve through your account. Your provider will be paid directly from the money in your account.\n\nAny money that\u2019s left over at the end of the academic year will be returned to Student Finance England.\n\nIncome-related, unemployment and housing benefits are not affected by a Childcare Grant.\n\n## Eligibility\n\nTo qualify for a Childcare Grant all the following must apply:\n\n- you\u2019re a full-time student\n\n- your child must be under 15, or under 17 if they have special educational needs\n\n- you get undergraduate student finance based on your household income, or are eligible to\n\n- you\u2019re not getting a Postgraduate Loan\n\n- you\u2019re a permanent resident in England\n\n- the children in your grant application are financially dependent on you\n\n- your childcare provider is on the Ofsted Early Years Register or General Childcare Register - check with your provider\n\n- if your child is cared for at home, the carer cannot be a relative and must be registered with an appropriate body - check with Student Finance England\n\n- neither you or your partner are claiming Tax-Free Childcare, the childcare element of working Tax Credit or Universal Credit\n\n- neither you or your partner receive help with childcare costs from the National Health Service (NHS)\n\nChildcare Grant isn\u2019t the same as 15 or 30 hours free childcare. You can\u2019t use it to pay for those hours.\n\n## How to apply\n\nTo apply for a Childcare Grant follow these steps:\n\n- Apply online as part of your main student finance application.\n\n- Send in evidence. You\u2019ll be told what evidence you need to provide when you apply.\n\n- You\u2019ll be sent a letter telling you how much Childcare Grant you\u2019ll get.\n\n- Create an online account with the Childcare Grant Payment Service (CCGPS). You\u2019ll get an email telling you how to set one up. Your grant will be paid into this account.\n\nUse the paper form instead if you:\n\n- have already applied for student finance but didn\u2019t apply for a childcare grant at the same time\n\n- want to apply for another child\n\nYou can download the form from the student finance form finder.\n\nUse your online account to send the form to Student Finance England, or send it by post.", + "original_contents": [ + "

    Overview

    ", + "

    You may be eligible for help with your childcare costs if you:

    ", + "
  • are a full-time higher education student
  • ", + "
  • have children under 15, or under 17 if they have special educational needs
  • ", + "

    The grant:

    ", + "
  • does not have to be paid back
  • ", + "
  • is paid on top of your other student finance
  • ", + "

    You must be eligible for student finance to apply for a Childcare Grant.

    ", + "

    What you'll get

    ", + "

    The amount you\u2019ll get depends on:

    ", + "
  • your household income
  • ", + "
  • the number of children who are dependent on you
  • ", + "

    2021 to 2022 academic year

    ", + "

    You can get 85% of your childcare costs or a fixed maximum amount, whichever is less.

    ", + "

    The maximum you can get is:

    ", + "
  • up to \u00a3179.62 a week for 1 child
  • ", + "
  • up to \u00a3307.95 a week for 2 or more children
  • ", + "

    You have to pay for any remaining costs.

    ", + "

    2020 to 2021 academic year

    ", + "

    You can get 85% of your childcare costs or a fixed maximum amount, whichever is less.

    ", + "

    The maximum you can get is:

    ", + "
  • up to \u00a3174.22 a week for 1 child
  • ", + "
  • up to \u00a3298.69 a week for 2 or more children
  • ", + "

    You have to pay for any remaining costs.

    ", + "

    How you\u2019re paid

    ", + "

    Your grant will be paid into a Childcare Grant Payment Service (CCGPS) account. You\u2019ll get an email telling you how to set one up.

    ", + "

    Your childcare provider will send requests for payment to the CCGPS, which you can approve through your account. Your provider will be paid directly from the money in your account.

    ", + "

    Any money that\u2019s left over at the end of the academic year will be returned to Student Finance England.

    ", + "

    Income-related, unemployment and housing benefits are not affected by a Childcare Grant.

    ", + "

    Eligibility

    ", + "

    To qualify for a Childcare Grant all the following must apply:

    ", + "
  • you\u2019re a full-time student
  • ", + "
  • your child must be under 15, or under 17 if they have special educational needs
  • ", + "
  • you get undergraduate student finance based on your household income, or are eligible to
  • ", + "
  • you\u2019re not getting a Postgraduate Loan
  • ", + "
  • you\u2019re a permanent resident in England
  • ", + "
  • the children in your grant application are financially dependent on you
  • ", + "
  • your childcare provider is on the Ofsted Early Years Register or General Childcare Register - check with your provider
  • ", + "
  • if your child is cared for at home, the carer cannot be a relative and must be registered with an appropriate body - check with Student Finance England
  • ", + "
  • neither you or your partner are claiming Tax-Free Childcare, the childcare element of working Tax Credit or Universal Credit
  • ", + "
  • neither you or your partner receive help with childcare costs from the National Health Service (NHS)
  • ", + "

    Childcare Grant isn\u2019t the same as 15 or 30 hours free childcare. You can\u2019t use it to pay for those hours.

    ", + "

    How to apply

    ", + "

    To apply for a Childcare Grant follow these steps:

    ", + "
  • Apply online as part of your main student finance application.
  • ", + "
  • Send in evidence. You\u2019ll be told what evidence you need to provide when you apply.
  • ", + "
  • You\u2019ll be sent a letter telling you how much Childcare Grant you\u2019ll get.
  • ", + "
  • Create an online account with the Childcare Grant Payment Service (CCGPS). You\u2019ll get an email telling you how to set one up. Your grant will be paid into this account.
  • ", + "

    Use the paper form instead if you:

    ", + "
  • have already applied for student finance but didn\u2019t apply for a childcare grant at the same time
  • ", + "
  • want to apply for another child
  • ", + "

    You can download the form from the student finance form finder.

    ", + "

    Use your online account to send the form to Student Finance England, or send it by post.

    " + ] + }, + "https://www.gov.uk/care-to-learn": { + "url": "https://www.gov.uk/care-to-learn", + "title": "Care to Learn", + "content": "## Overview\n\nThe Care to Learn scheme can help with childcare costs while you study.\n\nYou must be aged under 20 at the start of your course.\n\nThe scheme is available for publicly-funded courses in England. This includes courses in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a3160 per child per week if you live outside London\n\n- \u00a3175 per child per week if you live in London\n\n## What it covers\n\nCare to Learn can help with the cost of:\n\n- your childcare, including deposit and registration fees\n\n- a childcare taster session for up to 5 days\n\n- keeping your childcare place over the summer holidays\n\n- taking your child to their childcare provider\n\n## Payments\n\nChildcare payments go directly to your childcare provider.\n\nBefore they can be paid:\n\n- your childcare provider needs to confirm your child\u2019s attendance\n\n- your school or college needs to confirm that you\u2019re attending your course\n\nTravel payments go direct to your school or college - they\u2019ll either pay you or arrange travel for you.\n\n## When payments stop\n\nPayments end when:\n\n- you stop attending your course\n\n- you reach the end of your course\n\n- your child stops attending childcare\n\n## Eligibility\n\nYou can get Care to Learn if all of the following apply to you:\n\n- you\u2019re a parent under 20 at the start of your course\n\n- you\u2019re the main carer for your child\n\n- you live in England\n\n- you\u2019re either a British citizen or have a legal right to live and study in England\n\n- your course qualifies\n\n- your childcare provider qualifies\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Your course\n\nCare to Learn is only available for publicly-funded courses in England. This includes courses that take place in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n- other colleges and learning providers, including Foundation Learning\n\n- your community at Children\u2019s Centres\n\nYour learning provider can tell you if your course is eligible.\n\n## Your childcare provider\n\nTo qualify, your childcare provider must be registered with Ofsted.\n\nThey can be a:\n\n- childminder\n\n- preschool playgroup\n\n- day nursery\n\n- out of school club\n\n## Who cannot get Care to Learn\n\nYou\u2019re not eligible if:\n\n- you\u2019re an apprentice who gets a salary\n\n- you\u2019re doing a higher education course at university\n\n## Apply for Care to Learn\n\nYou must choose your learning provider and childcare provider before you apply.\n\nYou need to make a new application for each year you study.\n\nYour childcare provider is paid from the beginning of your course if you apply either:\n\n- before your course starts\n\n- within 28 days of starting your course\n\nIf you apply after that, your childcare provider will only be paid from the beginning of the week that your application was received.\n\nApply online for Care to Learn.\n\n## After you've applied\n\nYou must give your learning provider either:\n\n- a copy of the child\u2019s birth certificate\n\n- a letter confirming receipt of Child Benefit for that child\n\n## If you qualify\n\nYou\u2019ll get a letter and a payment plan telling you what financial help you can get.\n\nYour childcare provider will only be paid after you\u2019ve provided this.\n\nYour childcare provider will also get the payment plan to let them know when they\u2019ll be paid.\n\nIf you\u2019re eligible for travel costs, your learning provider will be told about payments for this.\n\n## If your circumstances change\n\nYou must report changes to your:\n\n- personal details\n\n- childcare provider\n\n- hours of childcare\n\n- travel costs\n\n- learning provider\n\nYou can do this by updating your online application.\n\n## Benefits\n\nClaiming Care to Learn will not affect your family\u2019s benefits or allowances.", + "original_contents": [ + "

    Overview

    ", + "

    The Care to Learn scheme can help with childcare costs while you study.

    ", + "

    You must be aged under 20 at the start of your course.

    ", + "

    The scheme is available for publicly-funded courses in England. This includes courses in:

    ", + "
  • schools
  • ", + "
  • sixth-forms in schools
  • ", + "
  • sixth-form colleges
  • ", + "

    What you'll get

    ", + "

    You can get up to:

    ", + "
  • \u00a3160 per child per week if you live outside London
  • ", + "
  • \u00a3175 per child per week if you live in London
  • ", + "

    What it covers

    ", + "

    Care to Learn can help with the cost of:

    ", + "
  • your childcare, including deposit and registration fees
  • ", + "
  • a childcare taster session for up to 5 days
  • ", + "
  • keeping your childcare place over the summer holidays
  • ", + "
  • taking your child to their childcare provider
  • ", + "

    Payments

    ", + "

    Childcare payments go directly to your childcare provider.

    ", + "

    Before they can be paid:

    ", + "
  • your childcare provider needs to confirm your child\u2019s attendance
  • ", + "
  • your school or college needs to confirm that you\u2019re attending your course
  • ", + "

    Travel payments go direct to your school or college - they\u2019ll either pay you or arrange travel for you.

    ", + "

    When payments stop

    ", + "

    Payments end when:

    ", + "
  • you stop attending your course
  • ", + "
  • you reach the end of your course
  • ", + "
  • your child stops attending childcare
  • ", + "

    Eligibility

    ", + "

    You can get Care to Learn if all of the following apply to you:

    ", + "
  • you\u2019re a parent under 20 at the start of your course
  • ", + "
  • you\u2019re the main carer for your child
  • ", + "
  • you live in England
  • ", + "
  • you\u2019re either a British citizen or have a legal right to live and study in England
  • ", + "
  • your course qualifies
  • ", + "
  • your childcare provider qualifies
  • ", + "

    If you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.

    ", + "

    Your course

    ", + "

    Care to Learn is only available for publicly-funded courses in England. This includes courses that take place in:

    ", + "
  • schools
  • ", + "
  • sixth-forms in schools
  • ", + "
  • sixth-form colleges
  • ", + "
  • other colleges and learning providers, including Foundation Learning
  • ", + "
  • your community at Children\u2019s Centres
  • ", + "

    Your learning provider can tell you if your course is eligible.

    ", + "

    Your childcare provider

    ", + "

    To qualify, your childcare provider must be registered with Ofsted.

    ", + "

    They can be a:

    ", + "
  • childminder
  • ", + "
  • preschool playgroup
  • ", + "
  • day nursery
  • ", + "
  • out of school club
  • ", + "

    Who cannot get Care to Learn

    ", + "

    You\u2019re not eligible if:

    ", + "
  • you\u2019re an apprentice who gets a salary
  • ", + "
  • you\u2019re doing a higher education course at university
  • ", + "

    Apply for Care to Learn

    ", + "

    You must choose your learning provider and childcare provider before you apply.

    ", + "

    You need to make a new application for each year you study.

    ", + "

    Your childcare provider is paid from the beginning of your course if you apply either:

    ", + "
  • before your course starts
  • ", + "
  • within 28 days of starting your course
  • ", + "

    If you apply after that, your childcare provider will only be paid from the beginning of the week that your application was received.

    ", + "

    Apply online for Care to Learn.

    ", + "

    After you've applied

    ", + "

    You must give your learning provider either:

    ", + "
  • a copy of the child\u2019s birth certificate
  • ", + "
  • a letter confirming receipt of Child Benefit for that child
  • ", + "

    If you qualify

    ", + "

    You\u2019ll get a letter and a payment plan telling you what financial help you can get.

    ", + "

    Your childcare provider will only be paid after you\u2019ve provided this.

    ", + "

    Your childcare provider will also get the payment plan to let them know when they\u2019ll be paid.

    ", + "

    If you\u2019re eligible for travel costs, your learning provider will be told about payments for this.

    ", + "

    If your circumstances change

    ", + "

    You must report changes to your:

    ", + "
  • personal details
  • ", + "
  • childcare provider
  • ", + "
  • hours of childcare
  • ", + "
  • travel costs
  • ", + "
  • learning provider
  • ", + "

    You can do this by updating your online application.

    ", + "

    Benefits

    ", + "

    Claiming Care to Learn will not affect your family\u2019s benefits or allowances.

    " + ] + }, + "https://www.gov.uk/healthy-start": { + "url": "https://www.gov.uk/healthy-start", + "title": "Healthy Start", + "content": "## Overview\n\nIf you\u2019re pregnant or have a child under 4, the Healthy Start scheme can help you buy basic foods like milk or fruit.\n\nIf you live in Scotland you cannot get Healthy Start. You can apply for Best Start Foods instead.\n\nIf you qualify for the scheme you\u2019ll be sent vouchers you can use in over 30,000 shops in the UK.\n\nYou can also get coupons to swap for:\n\n- pregnancy vitamins\n\n- breastfeeding vitamins\n\n- vitamins for children aged 6 months to 5 years old\n\n## What you'll get\n\nIf you qualify, you\u2019ll get vouchers worth \u00a34.25 each to spend on:\n\n- cow\u2019s milk\n\n- fresh, frozen or tinned fruit and vegetables\n\n- infant formula milk\n\n- fresh, dried, and tinned pulses\n\nYou get 1 voucher a week if:\n\n- you\u2019re pregnant\n\n- you have a child aged between 1 and 4\n\nYou get 2 vouchers a week if you have a child under 1.\n\nYou can also get free vitamin supplements.\n\n## Eligibility\n\nYou can get Healthy Start vouchers if you live in England, Wales or Northern Ireland. If you live in Scotland, apply for Best Start Foods instead.\n\nYou will qualify for the Healthy Start scheme if either:\n\n- you\u2019re at least 10 weeks pregnant\n\n- you have at least 1 child under 4 years old\n\nIn addition, you must be receiving any of the following:\n\n- Child Tax Credit (but only if your family\u2019s annual income is \u00a316,190 or less)\n\n- income-related Employment and Support Allowance\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- Pension Credit\n\n- Universal Credit (but only if your family earns \u00a3408 or less per month from employment)\n\n- Working Tax Credit (but only if your family is receiving the 4 week \u2018run-on\u2019 payment)\n\nYou\u2019ll also be eligible for the Healthy Start scheme if you\u2019re pregnant and under 18, even if you do not receive any benefits.\n\nWorking Tax Credit run-on is the payment you receive for a further 4 weeks immediately after you stop qualifying for Working Tax Credit.\n\n## How to claim\n\nApply for Healthy Start vouchers.\n\nYou can also get an application form from your midwife or \u2018health visitor\u2019, or by phoning the Healthy Start helpline.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re pregnant or have a child under 4, the Healthy Start scheme can help you buy basic foods like milk or fruit.

    ", + "

    If you live in Scotland you cannot get Healthy Start. You can apply for Best Start Foods instead.

    ", + "

    If you qualify for the scheme you\u2019ll be sent vouchers you can use in over 30,000 shops in the UK.

    ", + "

    You can also get coupons to swap for:

    ", + "
  • pregnancy vitamins
  • ", + "
  • breastfeeding vitamins
  • ", + "
  • vitamins for children aged 6 months to 5 years old
  • ", + "

    What you'll get

    ", + "

    If you qualify, you\u2019ll get vouchers worth \u00a34.25 each to spend on:

    ", + "
  • cow\u2019s milk
  • ", + "
  • fresh, frozen or tinned fruit and vegetables
  • ", + "
  • infant formula milk
  • ", + "
  • fresh, dried, and tinned pulses
  • ", + "

    You get 1 voucher a week if:

    ", + "
  • you\u2019re pregnant
  • ", + "
  • you have a child aged between 1 and 4
  • ", + "

    You get 2 vouchers a week if you have a child under 1.

    ", + "

    You can also get free vitamin supplements.

    ", + "

    Eligibility

    ", + "

    You can get Healthy Start vouchers if you live in England, Wales or Northern Ireland. If you live in Scotland, apply for Best Start Foods instead.

    ", + "

    You will qualify for the Healthy Start scheme if either:

    ", + "
  • you\u2019re at least 10 weeks pregnant
  • ", + "
  • you have at least 1 child under 4 years old
  • ", + "

    In addition, you must be receiving any of the following:

    ", + "
  • Child Tax Credit (but only if your family\u2019s annual income is \u00a316,190 or less)
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Universal Credit (but only if your family earns \u00a3408 or less per month from employment)
  • ", + "
  • Working Tax Credit (but only if your family is receiving the 4 week \u2018run-on\u2019 payment)
  • ", + "

    You\u2019ll also be eligible for the Healthy Start scheme if you\u2019re pregnant and under 18, even if you do not receive any benefits.

    ", + "

    Working Tax Credit run-on is the payment you receive for a further 4 weeks immediately after you stop qualifying for Working Tax Credit.

    ", + "

    How to claim

    ", + "

    Apply for Healthy Start vouchers.

    ", + "

    You can also get an application form from your midwife or \u2018health visitor\u2019, or by phoning the Healthy Start helpline.

    " + ] + }, + "https://www.gov.uk/guardians-allowance": { + "url": "https://www.gov.uk/guardians-allowance", + "title": "Guardian's Allowance", + "content": "## Overview\n\nYou could get Guardian\u2019s Allowance if you\u2019re bringing up a child whose parents have died. You may also be eligible if there\u2019s one surviving parent.\n\nThe Guardian\u2019s Allowance rate is \u00a318 a week. You get it on top of Child Benefit and it\u2019s tax-free.\n\nYou must tell the Guardian\u2019s Allowance Unit about certain changes to your circumstances.\n\n## What you'll get\n\nThe Guardian Allowance rate is:\n\n- \u00a318 a week per child\n\n- tax-free\n\n- paid on top of your Child Benefit payments\n\n## How the money is paid\n\nUsually, the money is paid into a bank account every 4 weeks. It can be paid weekly if you\u2019re a single parent or getting certain other benefits, such as Income Support.\n\nYou can get the money paid into any account, apart from a Nationwide Building Society account in someone else\u2019s name.\n\n## Effect on other benefits\n\nGuardian\u2019s Allowance does not count as income if you\u2019re claiming tax credits, Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance.\n\nGuardian\u2019s Allowance is not affected by the High Income Child Benefit charge. If you decide not to be paid Child Benefit your Guardian\u2019s Allowance can continue.\n\nGuardian\u2019s Allowance does not count towards the benefit cap.\n\nUse a benefits calculator to work out what benefits you can get.\n\n## Eligibility\n\nTo get Guardian\u2019s Allowance all of the following must apply:\n\n- you\u2019re bringing up someone else\u2019s child\n\n- the child\u2019s parents are dead (see conditions for one surviving parent below)\n\n- you qualify for Child Benefit\n\n- one of the parents was born in the UK (or was living in the UK since the age of 16 for at least 52 weeks in any 2-year period)\n\nIf you adopt a child you may still get Guardian\u2019s Allowance as long as you were getting it before you adopted the child.\n\n## If there is one surviving parent\n\nYou could get Guardian\u2019s Allowance if one of the following is true:\n\n- you do not know where the surviving parent is\n\n- the parents were divorced or their civil partnership had dissolved, the surviving parent does not have custody and is not maintaining the child and there is not a court order in place saying they should\n\n- the parents were not married, the mother has died and the father is unknown\n\n- the surviving parent will be in prison for at least 2 years from the date of death of the other parent\n\n- the surviving parent is in a hospital by court order\n\nUse a benefits calculator to check the benefits you\u2019re entitled to.\n\n## How to claim\n\nTo avoid losing money, claim Guardian\u2019s Allowance as soon as the child comes to live with you.\n\n- Fill in the claim form (BG1).\n\n- Send it to the Guardian\u2019s Allowance Unit with the child\u2019s full birth certificate and the parents\u2019 death certificates (or certificate if one parent has died) - send originals.\n\nYou should also claim Child Benefit as soon as possible.\n\nGuardian\u2019s Allowance can be backdated for up to 3 months.\n\nYou can also call the Guardian\u2019s Allowance Unit and ask for a claim pack.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Changes to your circumstances\n\nIf your circumstances change, your entitlement to Guardian\u2019s Allowance could be affected or your payments could stop.\n\nYou must report changes straight away. You can do this online if:\n\n- the child goes to live with someone else\n\n- you go abroad, either temporarily (for more than 8 weeks), or permanently (for more than 1 year)\n\n- the child leaves full-time education or approved training\n\n- your bank or contact details change\n\n- you find out where the surviving parent is\n\n- the surviving parent comes out of hospital or prison (or has their sentence shortened)\n\n- the surviving parent makes a payment towards their child\u2019s upkeep\n\nYou can also report a change of circumstance by phone or post.", + "original_contents": [ + "

    Overview

    ", + "

    You could get Guardian\u2019s Allowance if you\u2019re bringing up a child whose parents have died. You may also be eligible if there\u2019s one surviving parent.

    ", + "

    The Guardian\u2019s Allowance rate is \u00a318 a week. You get it on top of Child Benefit and it\u2019s tax-free.

    ", + "

    You must tell the Guardian\u2019s Allowance Unit about certain changes to your circumstances.

    ", + "

    What you'll get

    ", + "

    The Guardian Allowance rate is:

    ", + "
  • \u00a318 a week per child
  • ", + "
  • tax-free
  • ", + "
  • paid on top of your Child Benefit payments
  • ", + "

    How the money is paid

    ", + "

    Usually, the money is paid into a bank account every 4 weeks. It can be paid weekly if you\u2019re a single parent or getting certain other benefits, such as Income Support.

    ", + "

    You can get the money paid into any account, apart from a Nationwide Building Society account in someone else\u2019s name.

    ", + "

    Effect on other benefits

    ", + "

    Guardian\u2019s Allowance does not count as income if you\u2019re claiming tax credits, Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance.

    ", + "

    Guardian\u2019s Allowance is not affected by the High Income Child Benefit charge. If you decide not to be paid Child Benefit your Guardian\u2019s Allowance can continue.

    ", + "

    Guardian\u2019s Allowance does not count towards the benefit cap.

    ", + "

    Use a benefits calculator to work out what benefits you can get.

    ", + "

    Eligibility

    ", + "

    To get Guardian\u2019s Allowance all of the following must apply:

    ", + "
  • you\u2019re bringing up someone else\u2019s child
  • ", + "
  • the child\u2019s parents are dead (see conditions for one surviving parent below)
  • ", + "
  • you qualify for Child Benefit
  • ", + "
  • one of the parents was born in the UK (or was living in the UK since the age of 16 for at least 52 weeks in any 2-year period)
  • ", + "

    If you adopt a child you may still get Guardian\u2019s Allowance as long as you were getting it before you adopted the child.

    ", + "

    If there is one surviving parent

    ", + "

    You could get Guardian\u2019s Allowance if one of the following is true:

    ", + "
  • you do not know where the surviving parent is
  • ", + "
  • the parents were divorced or their civil partnership had dissolved, the surviving parent does not have custody and is not maintaining the child and there is not a court order in place saying they should
  • ", + "
  • the parents were not married, the mother has died and the father is unknown
  • ", + "
  • the surviving parent will be in prison for at least 2 years from the date of death of the other parent
  • ", + "
  • the surviving parent is in a hospital by court order
  • ", + "

    Use a benefits calculator to check the benefits you\u2019re entitled to.

    ", + "

    How to claim

    ", + "

    To avoid losing money, claim Guardian\u2019s Allowance as soon as the child comes to live with you.

    ", + "
  • Fill in the claim form (BG1).
  • ", + "
  • Send it to the Guardian\u2019s Allowance Unit with the child\u2019s full birth certificate and the parents\u2019 death certificates (or certificate if one parent has died) - send originals.
  • ", + "

    You should also claim Child Benefit as soon as possible.

    ", + "

    Guardian\u2019s Allowance can be backdated for up to 3 months.

    ", + "

    You can also call the Guardian\u2019s Allowance Unit and ask for a claim pack.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Changes to your circumstances

    ", + "

    If your circumstances change, your entitlement to Guardian\u2019s Allowance could be affected or your payments could stop.

    ", + "

    You must report changes straight away. You can do this online if:

    ", + "
  • the child goes to live with someone else
  • ", + "
  • you go abroad, either temporarily (for more than 8 weeks), or permanently (for more than 1 year)
  • ", + "
  • the child leaves full-time education or approved training
  • ", + "
  • your bank or contact details change
  • ", + "
  • you find out where the surviving parent is
  • ", + "
  • the surviving parent comes out of hospital or prison (or has their sentence shortened)
  • ", + "
  • the surviving parent makes a payment towards their child\u2019s upkeep
  • ", + "

    You can also report a change of circumstance by phone or post.

    " + ] + }, + "https://www.gov.uk/parents-learning-allowance": { + "url": "https://www.gov.uk/parents-learning-allowance", + "title": "Parents' Learning Allowance", + "content": "## Overview\n\nYou may be eligible for help with your learning costs if you\u2019re a full-time student with children. This is called Parents\u2019 Learning Allowance.\n\nHow much you get depends on your household income.\n\nThe allowance:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\n- will not affect your benefits or tax credit\n\n## What you'll get\n\nDepending on your household income, in the 2021 to 2022 academic year you could get between \u00a350 and \u00a31,821 a year.\n\nIt\u2019s usually paid in 3 instalments direct to your bank account, one at the start of each term.\n\nParents\u2019 Learning Allowance is paid on top of your other student finance and does not have to be paid back.\n\n## 2020 to 2021 academic year\n\nFull-time students could get up to \u00a31,766 a year.\n\n## Eligibility\n\nIf you\u2019re a student from England with dependent children you may qualify if you\u2019re taking:\n\n- a full-time undergraduate course\n\n- an Initial Teacher Training (ITT) course\n\nYou do not need to be paying for childcare to qualify.\n\n## How to apply\n\nYou can apply for the Parents\u2019 Learning Allowance when you apply for student finance.\n\n## After you apply\n\nAfter you apply you\u2019ll get a letter telling you how much you can get.", + "original_contents": [ + "

    Overview

    ", + "

    You may be eligible for help with your learning costs if you\u2019re a full-time student with children. This is called Parents\u2019 Learning Allowance.

    ", + "

    How much you get depends on your household income.

    ", + "

    The allowance:

    ", + "
  • does not have to be paid back
  • ", + "
  • is paid on top of your other student finance
  • ", + "
  • will not affect your benefits or tax credit
  • ", + "

    What you'll get

    ", + "

    Depending on your household income, in the 2021 to 2022 academic year you could get between \u00a350 and \u00a31,821 a year.

    ", + "

    It\u2019s usually paid in 3 instalments direct to your bank account, one at the start of each term.

    ", + "

    Parents\u2019 Learning Allowance is paid on top of your other student finance and does not have to be paid back.

    ", + "

    2020 to 2021 academic year

    ", + "

    Full-time students could get up to \u00a31,766 a year.

    ", + "

    Eligibility

    ", + "

    If you\u2019re a student from England with dependent children you may qualify if you\u2019re taking:

    ", + "
  • a full-time undergraduate course
  • ", + "
  • an Initial Teacher Training (ITT) course
  • ", + "

    You do not need to be paying for childcare to qualify.

    ", + "

    How to apply

    ", + "

    You can apply for the Parents\u2019 Learning Allowance when you apply for student finance.

    ", + "

    After you apply

    ", + "

    After you apply you\u2019ll get a letter telling you how much you can get.

    " + ] + }, + "https://www.gov.uk/financial-help-disabled": { + "url": "https://www.gov.uk/financial-help-disabled", + "title": "Financial help if you're disabled", + "content": "## Overview\n\nThere is a wide range of disability-related financial support, including benefits, tax credits, payments, grants and concessions.\n\nSome benefits you might get are:\n\n- Universal Credit\n\n- Personal Independence Payment (PIP) or Disability Living Allowance (DLA)\n\n- Attendance Allowance\n\n- \u2018new style\u2019 Employment and Support Allowance (ESA)\n\nDepending on your circumstances, you might also be able to get:\n\n- Industrial Injuries Benefit if you\u2019re disabled as a result of work\n\n- Constant Attendance Allowance if you need daily care and attention because of a disability\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Vehicles and transport\n\nIf you\u2019re disabled you can apply for the following:\n\n- exemption from paying vehicle tax\n\n- parking benefits - Blue Badge\n\n- disabled persons bus pass or railcard\n\n- help to buy or lease a car from The Motability Scheme\n\n## Home and housing\n\nIf you\u2019ve been assessed by your local council as needing care and support services, you can get:\n\n- Direct payments - allowing you to buy in and arrange help yourself instead of getting it directly from social services\n\n- Disabled Facilities Grants - which is money towards the costs of home adaptations to enable you to continue living there\n\n## If you\u2019re on a low income\n\nYou may be eligible for Universal Credit and could get help with housing costs.\n\nIf not, check if you\u2019re eligible for Housing Benefit and Council Tax Reduction from your local council.\n\n## Help if you\u2019re employed\n\nYou may be able to top up a low salary by claiming Universal Credit.\n\nYou also might be able to get an Access to Work grant to pay for:\n\n- special equipment, adaptations or support worker services to help you do things like answer the phone or go to meetings\n\n- help getting to and from work\n\n- mental health support\n\n- communication support at a job interview (for example, a British Sign Language interpreter or a lipspeaker)\n\n## VAT relief on certain goods and services\n\nYou do not have to pay VAT on certain goods and services if they\u2019re just for your own use and you\u2019re disabled or have a long term illness.\n\n## Armed forces compensation\n\nYou may be able to get compensation if you\u2019ve been injured or disabled while serving in the armed forces.\n\n## Disability and sickness benefits\n\n## Disability Living Allowance for children\n\nDisability Living Allowance for children (DLA) is a tax-free benefit for children under 16 to help with the extra costs caused by long-term ill health or a disability.\n\n## Disability Living Allowance for adults\n\nPersonal Independence Payment is gradually replacing DLA for adults with long-term ill health or a disability. If you\u2019ve reached State Pension age you can apply for Attendance Allowance instead.\n\n## Personal Independence Payment\n\nPersonal Independence Payment (PIP) is a tax-free benefit for people aged 16 or over who have not reached State Pension age. It can help with the extra costs caused by long term ill-health or a disability.\n\n## Attendance Allowance\n\nAttendance Allowance is a tax-free benefit for people who are State Pension age or over, have a disability and need someone to help look after them.\n\n## Employment and Support Allowance\n\nYou may be able to get \u2018new style\u2019 Employment and Support Allowance (ESA) if you cannot work because of illness or disability.\n\n## Carers\n\nCarer\u2019s Allowance is extra money to help you look after someone with substantial caring needs.\n\nYou could also get Carer\u2019s Credit so there will not be any gaps in your National Insurance record if you have to take on caring responsibilities.\n\n## Vehicles and transport\n\nYou\u2019ll need to meet the legal obligations for drivers before you can drive.\n\n## Blue Badge parking scheme\n\nThe Blue Badge scheme provides a range of parking benefits for disabled people with severe walking difficulties who travel either as drivers or as passengers.\n\n## Vehicle tax exemption\n\n## Eligibility\n\nYou can apply for exemption from paying vehicle tax if you get the:\n\n- higher rate mobility component of Disability Living Allowance (DLA)\n\n- enhanced rate mobility component of Personal Independence Payment (PIP)\n\n- War Pensioners\u2019 Mobility Supplement\n\n- Armed Forces Independence Payment\n\nThe vehicle must be registered in the disabled person\u2019s name or their nominated driver\u2019s name.\n\nIt must only be used for the disabled person\u2019s personal needs. It cannot be used by the nominated driver for their own personal use.\n\nYou can only have one vehicle tax exemption at any one time.\n\n## How to claim\n\nYou claim the exemption when you apply for vehicle tax.\n\nIf you\u2019re claiming for a vehicle for the first time, you have to claim at a Post Office. You must do this every time you change your vehicle.\n\n## Vehicle tax reduction\n\n## Eligibility\n\nYou can get a 50% reduction in vehicle tax if you get the PIP standard rate mobility component.\n\nThe vehicle should be registered in the disabled person\u2019s name or their nominated driver\u2019s name.\n\nYou cannot get a reduction for getting the DLA lower rate mobility component.\n\n## How to claim\n\nYou must include the following with your application:\n\n- a letter or statement from the Department for Work and Pensions that shows your PIP rate and the dates you\u2019re getting it\n\n- the vehicle log book (V5C)\n\n- a V10 form\n\n- an original MOT or GVT certificate (if your vehicle needs one)\n\n- a cheque or payable order (made out to \u2018DVLA, Swansea\u2019) for 50% of the full rate of car tax for the vehicle\n\n- an insurance certificate or cover note (if you live in Northern Ireland)\n\nDo not send your PIP assessment or any other medical information with your application.\n\nIf you\u2019ve just bought the vehicle and it\u2019s not registered in your name yet, you\u2019ll need to complete a V62 form and include the green \u2018new keeper\u2019 slip from the log book with your application.\n\nSend the documents to:\n\n## If the vehicle is not registered to you or the nominated driver\n\nWhen you make your application you will need to include a signed letter from the vehicle\u2019s registered keeper. This needs to say:\n\n- how they know you\n\n- how the vehicle will be used, for example picking up your prescription or shopping\n\n## The Motability Scheme\n\nThe Motability Scheme can help you with leasing a car, powered wheelchair or scooter. You\u2019ll need to be getting one of the following:\n\n- the higher rate of the mobility component of DLA\n\n- War Pensioners\u2019 Mobility Supplement\n\n- Armed Forces Independence Payment\n\n- the enhanced rate of the mobility component of PIP\n\n## VAT relief for vehicles\n\nYou may not have to pay VAT on having a vehicle adapted to suit your condition, or on the lease of a Motability vehicle - this is known as VAT relief.\n\n## Community and public transport\n\nYour local council may operate dial-a-ride or taxi schemes, for example, using vouchers or tokens. You may also be eligible for a bus pass, a Disabled Persons Railcard or both.\n\n## Home and housing\n\n## Direct Payments - arranging your own care and services\n\nIf you\u2019ve been assessed by your local council as needing care and support services, you may want to choose Direct Payments. They allow you to buy in and arrange help yourself instead of receiving it directly from your local council.\n\n## Disabled Facilities Grants\n\nDisabled Facilities Grants are local council grants. It helps towards the cost of essential adaptations to your home to enable you to continue to live there.\n\n## Council Tax Disabled Band Reduction Scheme\n\nYou may be entitled to a reduction in your Council Tax bill if your home has certain features that are essential to you living there.\n\nContact your local council to apply for Council Tax Disabled Band Reduction.\n\n## If you\u2019re on a low income\n\n## Universal Credit\n\nIf you\u2019re eligible for Universal Credit you could get help paying for your housing.\n\n## Housing Benefit\n\nHousing Benefit is being replaced by Universal Credit. Most people will need to claim Universal Credit instead.\n\nCheck if you\u2019re eligible for Housing Benefit before you apply.\n\nYou may also get a Council Tax Reduction from your local council.\n\n## On a low income\n\n## Universal Credit\n\nYou may be able to get Universal Credit if you\u2019re on a low income or out of work.\n\nCheck if you\u2019re eligible for Universal Credit.\n\n## Jobseeker\u2019s Allowance (JSA)\n\nYou may be able to claim \u2018new style\u2019 JSA.\n\nYou\u2019ll need to have worked as an employee and paid Class 1 National Insurance contributions, usually in the last 2 to 3 years. National Insurance credits can also count.\n\nYou will not be eligible if you were self-employed and only paid Class 2 National Insurance contributions, unless you were working as a share fisherman or a volunteer development worker.\n\nYou\u2019ll also need to take reasonable steps to look for work.\n\nCheck if you\u2019re eligible for \u2018new style\u2019 JSA.\n\n## Blind Person\u2019s Allowance\n\nThe Blind Person\u2019s Allowance allows you to receive an amount of income without having to pay tax. It\u2019s added to your personal tax allowance.\n\n## Television licence discount\n\nYou can get 50% off the cost of your TV licence if either:\n\n- you\u2019re registered blind or severely sight impaired\n\n- you live with someone who is registered blind or severely sight impaired\n\nIf the person who is registered blind is not the current licence holder for your address, you\u2019ll need to transfer the licence to their name.\n\nYou can either:\n\n- transfer the licence online - you\u2019ll need your licence number\n\n- contact TV Licensing to transfer the licence\n\n## How to apply\n\nTo claim the TV licence concession for blind people, you\u2019ll need to get a certificate from your local authority or ophthalmologist stating that you are registered blind or severely sight impaired.\n\nIn Northern Ireland, the certificate or document must be issued by or on behalf of a Health and Social Services Trust. On the Isle of Man, it must be issued by or on behalf of the Department for Health and Social Services.\n\nPost a copy of the certificate along with your licence renewal notice - if you have one - and a cheque or postal order for the licence to:\n\nRemember to include your name, address, phone number and TV licence number, if you have one.\n\n## VAT relief for disabled people\n\nIf you\u2019re disabled or have a long-term illness, you will not be charged VAT on products designed or adapted for your own personal or domestic use. Also, you will not be charged VAT on:\n\n- the installation and any extra work needed as part of this\n\n- repairs or maintenance\n\n- spare parts or accessories\n\nThe product and your disability have to qualify.\n\n## Qualifying products or services\n\nYour supplier can tell you, but usually products designed or adapted for a disability qualify. For example, certain types of:\n\n- adjustable beds\n\n- stair lifts\n\n- wheelchairs\n\n- medical appliances to help with severe injuries\n\n- alarms\n\n- braille paper or low vision aids - but not spectacles or contact lenses\n\n- motor vehicles - or the leasing of a motability vehicle\n\n- building work like ramps, widening doors, installing a lift or toilet\n\n## How to get the product VAT free\n\nTo get the product VAT free your disability has to qualify. For VAT purposes, you\u2019re disabled or have a long-term illness if:\n\n- you have a physical or mental impairment that affects your ability to carry out everyday activities, for example blindness\n\n- you have a condition that\u2019s treated as chronic sickness, like diabetes\n\n- you\u2019re terminally ill\n\nYou do not qualify if you\u2019re elderly but not disabled, or if you\u2019re temporarily disabled.\n\nYou\u2019ll need to confirm in writing that you meet these conditions. Your supplier may give you a form for this.\n\n## Help from your council\n\nYou can apply to your council for equipment or help to adapt your home if you have a disability.\n\n## Importing goods\n\nYou do not pay VAT if you import qualifying goods that are for your own personal or domestic use. This includes certain goods for blind and partially sighted people.\n\nIf you use a freight service they can help you with the paperwork, otherwise make sure the following is written on parcel, \u2018Goods for disabled people: relief claimed\u2019.\n\nIf you bring them in yourself, declare them in the red channel at Customs. For any other method of import, contact the National Import Reliefs Unit.\n\n## Work-related injuries or illness\n\n## Industrial Injuries Disablement Benefit\n\nYou may be entitled to get Industrial Injuries Benefit if you\u2019re disabled as a result of:\n\n- an accident at work\n\n- a disease\n\n- deafness caused by work\n\n## Constant Attendance Allowance\n\nYou can claim Constant Attendance Allowance if you need daily care and attention because of a disability and you claim Industrial Injuries Disablement Benefit.\n\n## Armed forces compensation\n\nYou can claim for compensation if while serving in the armed forces:\n\n- you got an injury or illness\n\n- an existing condition you had was made worse\n\n## Constant Attendance Allowance\n\nYou can also apply for Constant Attendance Allowance if you need daily care for a disability.", + "original_contents": [ + "

    Overview

    ", + "

    There is a wide range of disability-related financial support, including benefits, tax credits, payments, grants and concessions.

    ", + "

    Some benefits you might get are:

    ", + "
  • Universal Credit
  • ", + "
  • Personal Independence Payment (PIP) or Disability Living Allowance (DLA)
  • ", + "
  • Attendance Allowance
  • ", + "
  • \u2018new style\u2019 Employment and Support Allowance (ESA)
  • ", + "

    Depending on your circumstances, you might also be able to get:

    ", + "
  • Industrial Injuries Benefit if you\u2019re disabled as a result of work
  • ", + "
  • Constant Attendance Allowance if you need daily care and attention because of a disability
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Vehicles and transport

    ", + "

    If you\u2019re disabled you can apply for the following:

    ", + "
  • exemption from paying vehicle tax
  • ", + "
  • parking benefits - Blue Badge
  • ", + "
  • disabled persons bus pass or railcard
  • ", + "
  • help to buy or lease a car from The Motability Scheme
  • ", + "

    Home and housing

    ", + "

    If you\u2019ve been assessed by your local council as needing care and support services, you can get:

    ", + "
  • Direct payments - allowing you to buy in and arrange help yourself instead of getting it directly from social services
  • ", + "
  • Disabled Facilities Grants - which is money towards the costs of home adaptations to enable you to continue living there
  • ", + "

    If you\u2019re on a low income

    ", + "

    You may be eligible for Universal Credit and could get help with housing costs.

    ", + "

    If not, check if you\u2019re eligible for Housing Benefit and Council Tax Reduction from your local council.

    ", + "

    Help if you\u2019re employed

    ", + "

    You may be able to top up a low salary by claiming Universal Credit.

    ", + "

    You also might be able to get an Access to Work grant to pay for:

    ", + "
  • special equipment, adaptations or support worker services to help you do things like answer the phone or go to meetings
  • ", + "
  • help getting to and from work
  • ", + "
  • mental health support
  • ", + "
  • communication support at a job interview (for example, a British Sign Language interpreter or a lipspeaker)
  • ", + "

    VAT relief on certain goods and services

    ", + "

    You do not have to pay VAT on certain goods and services if they\u2019re just for your own use and you\u2019re disabled or have a long term illness.

    ", + "

    Armed forces compensation

    ", + "

    You may be able to get compensation if you\u2019ve been injured or disabled while serving in the armed forces.

    ", + "

    Disability and sickness benefits

    ", + "

    Disability Living Allowance for children

    ", + "

    Disability Living Allowance for children (DLA) is a tax-free benefit for children under 16 to help with the extra costs caused by long-term ill health or a disability.

    ", + "

    Disability Living Allowance for adults

    ", + "

    Personal Independence Payment is gradually replacing DLA for adults with long-term ill health or a disability. If you\u2019ve reached State Pension age you can apply for Attendance Allowance instead.

    ", + "

    Personal Independence Payment

    ", + "

    Personal Independence Payment (PIP) is a tax-free benefit for people aged 16 or over who have not reached State Pension age. It can help with the extra costs caused by long term ill-health or a disability.

    ", + "

    Attendance Allowance

    ", + "

    Attendance Allowance is a tax-free benefit for people who are State Pension age or over, have a disability and need someone to help look after them.

    ", + "

    Employment and Support Allowance

    ", + "

    You may be able to get \u2018new style\u2019 Employment and Support Allowance (ESA) if you cannot work because of illness or disability.

    ", + "

    Carers

    ", + "

    Carer\u2019s Allowance is extra money to help you look after someone with substantial caring needs.

    ", + "

    You could also get Carer\u2019s Credit so there will not be any gaps in your National Insurance record if you have to take on caring responsibilities.

    ", + "

    Vehicles and transport

    ", + "

    You\u2019ll need to meet the legal obligations for drivers before you can drive.

    ", + "

    Blue Badge parking scheme

    ", + "

    The Blue Badge scheme provides a range of parking benefits for disabled people with severe walking difficulties who travel either as drivers or as passengers.

    ", + "

    Vehicle tax exemption

    ", + "

    Eligibility

    ", + "

    You can apply for exemption from paying vehicle tax if you get the:

    ", + "
  • higher rate mobility component of Disability Living Allowance (DLA)
  • ", + "
  • enhanced rate mobility component of Personal Independence Payment (PIP)
  • ", + "
  • War Pensioners\u2019 Mobility Supplement
  • ", + "
  • Armed Forces Independence Payment
  • ", + "

    The vehicle must be registered in the disabled person\u2019s name or their nominated driver\u2019s name.

    ", + "

    It must only be used for the disabled person\u2019s personal needs. It cannot be used by the nominated driver for their own personal use.

    ", + "

    You can only have one vehicle tax exemption at any one time.

    ", + "

    How to claim

    ", + "

    You claim the exemption when you apply for vehicle tax.

    ", + "

    If you\u2019re claiming for a vehicle for the first time, you have to claim at a Post Office. You must do this every time you change your vehicle.

    ", + "

    Vehicle tax reduction

    ", + "

    Eligibility

    ", + "

    You can get a 50% reduction in vehicle tax if you get the PIP standard rate mobility component.

    ", + "

    The vehicle should be registered in the disabled person\u2019s name or their nominated driver\u2019s name.

    ", + "

    You cannot get a reduction for getting the DLA lower rate mobility component.

    ", + "

    How to claim

    ", + "

    You must include the following with your application:

    ", + "
  • a letter or statement from the Department for Work and Pensions that shows your PIP rate and the dates you\u2019re getting it
  • ", + "
  • the vehicle log book (V5C)
  • ", + "
  • a V10 form
  • ", + "
  • an original MOT or GVT certificate (if your vehicle needs one)
  • ", + "
  • a cheque or payable order (made out to \u2018DVLA, Swansea\u2019) for 50% of the full rate of car tax for the vehicle
  • ", + "
  • an insurance certificate or cover note (if you live in Northern Ireland)
  • ", + "

    Do not send your PIP assessment or any other medical information with your application.

    ", + "

    If you\u2019ve just bought the vehicle and it\u2019s not registered in your name yet, you\u2019ll need to complete a V62 form and include the green \u2018new keeper\u2019 slip from the log book with your application.

    ", + "

    Send the documents to:

    ", + "

    If the vehicle is not registered to you or the nominated driver

    ", + "

    When you make your application you will need to include a signed letter from the vehicle\u2019s registered keeper. This needs to say:

    ", + "
  • how they know you
  • ", + "
  • how the vehicle will be used, for example picking up your prescription or shopping
  • ", + "

    The Motability Scheme

    ", + "

    The Motability Scheme can help you with leasing a car, powered wheelchair or scooter. You\u2019ll need to be getting one of the following:

    ", + "
  • the higher rate of the mobility component of DLA
  • ", + "
  • War Pensioners\u2019 Mobility Supplement
  • ", + "
  • Armed Forces Independence Payment
  • ", + "
  • the enhanced rate of the mobility component of PIP
  • ", + "

    VAT relief for vehicles

    ", + "

    You may not have to pay VAT on having a vehicle adapted to suit your condition, or on the lease of a Motability vehicle - this is known as VAT relief.

    ", + "

    Community and public transport

    ", + "

    Your local council may operate dial-a-ride or taxi schemes, for example, using vouchers or tokens. You may also be eligible for a bus pass, a Disabled Persons Railcard or both.

    ", + "

    Home and housing

    ", + "

    Direct Payments - arranging your own care and services

    ", + "

    If you\u2019ve been assessed by your local council as needing care and support services, you may want to choose Direct Payments. They allow you to buy in and arrange help yourself instead of receiving it directly from your local council.

    ", + "

    Disabled Facilities Grants

    ", + "

    Disabled Facilities Grants are local council grants. It helps towards the cost of essential adaptations to your home to enable you to continue to live there.

    ", + "

    Council Tax Disabled Band Reduction Scheme

    ", + "

    You may be entitled to a reduction in your Council Tax bill if your home has certain features that are essential to you living there.

    ", + "

    Contact your local council to apply for Council Tax Disabled Band Reduction.

    ", + "

    If you\u2019re on a low income

    ", + "

    Universal Credit

    ", + "

    If you\u2019re eligible for Universal Credit you could get help paying for your housing.

    ", + "

    Housing Benefit

    ", + "

    Housing Benefit is being replaced by Universal Credit. Most people will need to claim Universal Credit instead.

    ", + "

    Check if you\u2019re eligible for Housing Benefit before you apply.

    ", + "

    You may also get a Council Tax Reduction from your local council.

    ", + "

    On a low income

    ", + "

    Universal Credit

    ", + "

    You may be able to get Universal Credit if you\u2019re on a low income or out of work.

    ", + "

    Check if you\u2019re eligible for Universal Credit.

    ", + "

    Jobseeker\u2019s Allowance (JSA)

    ", + "

    You may be able to claim \u2018new style\u2019 JSA.

    ", + "

    You\u2019ll need to have worked as an employee and paid Class 1 National Insurance contributions, usually in the last 2 to 3 years. National Insurance credits can also count.

    ", + "

    You will not be eligible if you were self-employed and only paid Class 2 National Insurance contributions, unless you were working as a share fisherman or a volunteer development worker.

    ", + "

    You\u2019ll also need to take reasonable steps to look for work.

    ", + "

    Check if you\u2019re eligible for \u2018new style\u2019 JSA.

    ", + "

    Blind Person\u2019s Allowance

    ", + "

    The Blind Person\u2019s Allowance allows you to receive an amount of income without having to pay tax. It\u2019s added to your personal tax allowance.

    ", + "

    Television licence discount

    ", + "

    You can get 50% off the cost of your TV licence if either:

    ", + "
  • you\u2019re registered blind or severely sight impaired
  • ", + "
  • you live with someone who is registered blind or severely sight impaired
  • ", + "

    If the person who is registered blind is not the current licence holder for your address, you\u2019ll need to transfer the licence to their name.

    ", + "

    You can either:

    ", + "
  • transfer the licence online - you\u2019ll need your licence number
  • ", + "
  • contact TV Licensing to transfer the licence
  • ", + "

    How to apply

    ", + "

    To claim the TV licence concession for blind people, you\u2019ll need to get a certificate from your local authority or ophthalmologist stating that you are registered blind or severely sight impaired.

    ", + "

    In Northern Ireland, the certificate or document must be issued by or on behalf of a Health and Social Services Trust. On the Isle of Man, it must be issued by or on behalf of the Department for Health and Social Services.

    ", + "

    Post a copy of the certificate along with your licence renewal notice - if you have one - and a cheque or postal order for the licence to:

    ", + "

    Remember to include your name, address, phone number and TV licence number, if you have one.

    ", + "

    VAT relief for disabled people

    ", + "

    If you\u2019re disabled or have a long-term illness, you will not be charged VAT on products designed or adapted for your own personal or domestic use. Also, you will not be charged VAT on:

    ", + "
  • the installation and any extra work needed as part of this
  • ", + "
  • repairs or maintenance
  • ", + "
  • spare parts or accessories
  • ", + "

    The product and your disability have to qualify.

    ", + "

    Qualifying products or services

    ", + "

    Your supplier can tell you, but usually products designed or adapted for a disability qualify. For example, certain types of:

    ", + "
  • adjustable beds
  • ", + "
  • stair lifts
  • ", + "
  • wheelchairs
  • ", + "
  • medical appliances to help with severe injuries
  • ", + "
  • alarms
  • ", + "
  • braille paper or low vision aids - but not spectacles or contact lenses
  • ", + "
  • motor vehicles - or the leasing of a motability vehicle
  • ", + "
  • building work like ramps, widening doors, installing a lift or toilet
  • ", + "

    How to get the product VAT free

    ", + "

    To get the product VAT free your disability has to qualify. For VAT purposes, you\u2019re disabled or have a long-term illness if:

    ", + "
  • you have a physical or mental impairment that affects your ability to carry out everyday activities, for example blindness
  • ", + "
  • you have a condition that\u2019s treated as chronic sickness, like diabetes
  • ", + "
  • you\u2019re terminally ill
  • ", + "

    You do not qualify if you\u2019re elderly but not disabled, or if you\u2019re temporarily disabled.

    ", + "

    You\u2019ll need to confirm in writing that you meet these conditions. Your supplier may give you a form for this.

    ", + "

    Help from your council

    ", + "

    You can apply to your council for equipment or help to adapt your home if you have a disability.

    ", + "

    Importing goods

    ", + "

    You do not pay VAT if you import qualifying goods that are for your own personal or domestic use. This includes certain goods for blind and partially sighted people.

    ", + "

    If you use a freight service they can help you with the paperwork, otherwise make sure the following is written on parcel, \u2018Goods for disabled people: relief claimed\u2019.

    ", + "

    If you bring them in yourself, declare them in the red channel at Customs. For any other method of import, contact the National Import Reliefs Unit.

    ", + "

    Work-related injuries or illness

    ", + "

    Industrial Injuries Disablement Benefit

    ", + "

    You may be entitled to get Industrial Injuries Benefit if you\u2019re disabled as a result of:

    ", + "
  • an accident at work
  • ", + "
  • a disease
  • ", + "
  • deafness caused by work
  • ", + "

    Constant Attendance Allowance

    ", + "

    You can claim Constant Attendance Allowance if you need daily care and attention because of a disability and you claim Industrial Injuries Disablement Benefit.

    ", + "

    Armed forces compensation

    ", + "

    You can claim for compensation if while serving in the armed forces:

    ", + "
  • you got an injury or illness
  • ", + "
  • an existing condition you had was made worse
  • ", + "

    Constant Attendance Allowance

    ", + "

    You can also apply for Constant Attendance Allowance if you need daily care for a disability.

    " + ] + }, + "https://www.gov.uk/pip": { + "url": "https://www.gov.uk/pip", + "title": "Personal Independence Payment (PIP)", + "content": "## Overview\n\nPersonal Independence Payment (PIP) can help you with some of the extra costs if you have a long term physical or mental health condition or disability.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThe amount you get depends on how your condition affects you, not the condition itself. You\u2019ll be assessed by a health professional to work out the level of help you can get.\n\nYour carer could get Carer\u2019s Allowance if you have substantial caring needs.\n\n## If you get Disability Living Allowance (DLA)\n\nDisability Living Allowance (DLA) is being replaced by PIP for most adults. You\u2019ll keep getting DLA if:\n\n- you\u2019re under 16\n\n- you were born on or before 8 April 1948\n\nIf you were born after 8 April 1948, the Department for Work and Pensions (DWP) will invite you to apply for PIP. You do not need to do anything until DWP writes to you about your DLA unless your circumstances change.\n\n## Help with PIP\n\nYou can contact a local support organisation or Citizens Advice to get help understanding PIP.\n\n## Eligibility\n\nYou can get Personal Independence Payment (PIP) whether you\u2019re working or not.\n\nYou must be aged 16 or over and usually have not reached State Pension age to claim.\n\nYou must also have a physical or mental health condition or disability where you:\n\n- have had difficulties with daily living or getting around (or both) for 3 months\n\n- expect these difficulties to continue for at least 9 months\n\nYou usually need to have lived in England, Scotland or Wales for at least 2 of the last 3 years, and be in one of these countries when you apply. If you\u2019ve recently returned from living in an EEA country, you might be able to get PIP sooner.\n\nFind out about PIP if you live in Northern Ireland.\n\nThere are different rules if you\u2019re terminally ill and a healthcare professional has said you might have less than 6 months to live.\n\nYou cannot get PIP and Armed Forces Independence Payment at the same time.\n\n## Daily living difficulties\n\nYou may get the daily living part of PIP if you need help more than half of the time with things like:\n\n- preparing or eating food\n\n- washing, bathing and using the toilet\n\n- dressing and undressing\n\n- reading and communicating\n\n- managing your medicines or treatments\n\n- making decisions about money\n\n- engaging with other people\n\n## Mobility difficulties\n\nYou may get the mobility part of PIP if you need help going out or moving around.\n\n## How you\u2019re assessed\n\nYou\u2019ll be assessed by an independent healthcare professional to work out the level of help you need.\n\n## If you\u2019ve reached State Pension age\n\nYou can get PIP if you:\n\n- were already getting PIP before you reached State Pension age and your condition has not changed\n\n- have been claiming Disability Living Allowance (DLA) and you\u2019ve had a letter inviting you to apply for PIP\n\nYou may get PIP if you previously got it and you were still entitled to it within the last year.\n\nIf you cannot get PIP, you can apply for Attendance Allowance instead.\n\n## Living abroad\n\nYou might still be able to get PIP if you:\n\n- live in an EU or EEA country or Switzerland - you can only get help with daily living needs\n\n- are a member or family member of the Armed Forces\n\n## If you\u2019re not a British citizen\n\nYou must:\n\n- normally live in or show that you intend to settle in the UK, Ireland, the Isle of Man or the Channel Islands\n\n- not be subject to immigration control (unless you\u2019re a sponsored immigrant)\n\nYou might still be able to get PIP if you are a refugee or have humanitarian protection status.\n\n## What you\u2019ll get\n\nPersonal Independence Payment (PIP) is made up of 2 parts - a daily living part and a mobility part. Whether you get one or both of these and how much you\u2019ll get depends on how severely your condition affects you.\n\nYou\u2019ll need an assessment to work out how much you\u2019ll get. Your rate will be regularly reviewed to make sure you\u2019re getting the right support.\n\nPIP is tax free. The amount you get is not affected by your income or savings.\n\nYou need to tell DWP straight away if there\u2019s a change in your personal circumstances or how your condition affects you.\n\n## Daily living part\n\nThe weekly rate for the daily living part of PIP is either \u00a360.00 or \u00a389.60.\n\n## Mobility part\n\nThe weekly rate for the mobility part of PIP is either \u00a323.70 or \u00a362.55.\n\n## Terminal illness\n\nYou\u2019ll get the higher daily living part if you\u2019re not expected to live more than 6 months. The rate of the mobility part depends on your needs.\n\n## How other benefits affect your PIP\n\nThe daily living part of your PIP will be reduced if you get any of the following benefits:\n\n- Constant Attendance Allowance\n\n- War Pensioners\u2019 Mobility Supplement\n\n## How you\u2019re paid\n\nPIP is usually paid every 4 weeks.\n\nYour decision letter will tell you:\n\n- the date of your first payment\n\n- what day of the week you\u2019ll usually be paid\n\nIf your payment date is on a bank holiday, you\u2019ll usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Other help\n\nYou or your carer might also qualify for other financial help, for example Carer\u2019s Allowance, or help with housing or transport costs.\n\nIf you get PIP and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.\n\n## How to claim\n\nCall the Department for Work and Pensions (DWP) to make a new Personal Independence Payment (PIP) claim.\n\nThere is a different way to claim if you\u2019re terminally ill.\n\nFind out how to claim if you live in Northern Ireland.\n\n## Claim by telephone or textphone\n\nBefore you call, you\u2019ll need:\n\n- your contact details, for example telephone number\n\n- your date of birth\n\n- your National Insurance number - this is on letters about tax, pensions and benefits\n\n- your bank or building society account number and sort code\n\n- your doctor or health worker\u2019s name, address and telephone number\n\n- dates and addresses for any time you\u2019ve spent in a care home or hospital\n\n- dates for any time you spent abroad for more than 4 weeks at a time, and the countries you visited\n\nIf you need someone to help you, ask DWP to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\n## Claim by post\n\nYou can get a form to send information by post (although this can delay the decision on your claim). Write a letter to ask for the form.\n\n## What happens next\n\n- You\u2019ll be sent a \u2018How your disability affects you\u2019 form. Call the PIP enquiry line if you need it in an alternative format such as braille, large print or audio CD.\n\n- Fill in the form using the notes that come with it to help you. You can also read Citizens Advice\u2019s help on filling in the form.\n\n- Return the form to DWP - the address is on the form. You have 1 month to return the form. DWP will start processing your claim when they receive your form. Contact the PIP enquiry line if you need more time.\n\n- If more information is needed, an independent health professional will send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call. You\u2019ll be asked questions about your ability to carry out activities and how your condition affects your daily life. You can read Citizens Advice\u2019s help on preparing for an assessment.\n\n- You\u2019ll get a letter that tells you whether you\u2019ll get PIP. If you do, you\u2019ll be told how much you\u2019ll get, when you\u2019ll be paid and the date your PIP will be reviewed so that you continue to get the right support.\n\nBecause of coronavirus (COVID-19), you\u2019ll only be invited to attend an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.\n\nYou cannot apply using any Disability Living Allowance (DLA) forms you may have.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## If your PIP claim is reviewed\n\nThe letter you got when your Personal Independence Payment (PIP) was approved will tell you when your claim will end and if it will be reviewed.\n\nIf your claim is going to be reviewed, the letter will tell you when you\u2019ll be contacted about the review.\n\n## How PIP reviews work\n\nYou will continue to get PIP while your claim is being reviewed.\n\n- You\u2019ll get a letter asking you to fill in a form called \u2018Award review - how your disability affects you\u2019.\n\n- Fill in the form using the notes that come with it.\n\n- Send the form and any supporting information you have not shared with the Department for Work and Pensions (DWP) before - the form explains what to include and where to send it. You\u2019ll need to return it within 1 month. Contact the PIP enquiry line if you need more time.\n\n- DWP will review your form. If they need more information, an independent health professional might phone you to ask some questions or send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call.\n\n- You\u2019ll get a letter that tells you what will happen with your PIP. If your needs have changed, your PIP might be increased, reduced or stopped.\n\nBecause of coronavirus (COVID-19), you\u2019ll only be invited to an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Change of circumstances\n\nYou must contact the Personal Independence Payment (PIP) enquiry line if:\n\n- your personal details change, for example your name, address or doctor\n\n- the help you need or your condition changes\n\n- your condition has worsened and you\u2019re not expected to live more than 6 months\n\n- you go into hospital or a care home\n\n- you go abroad\n\n- you\u2019re imprisoned or held in detention\n\n- your immigration status changes, if you\u2019re not a British citizen\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## How to report a change of circumstances\n\nContact the PIP enquiry line to report a change of circumstances.\n\nIf you need someone to help you, ask the Department for Work and Pensions (DWP) to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## Claiming PIP if you're terminally ill\n\nYou can get Personal Independence Payment (PIP) more quickly if you\u2019re terminally ill.\n\nYou can claim PIP if:\n\n- your doctor or a healthcare professional has said you might have less than 6 months to live\n\n- you are aged 16 or over and usually have not reached State Pension age\n\n## How to claim\n\nYou can claim for yourself or someone else can do it for you.\n\nCall DWP to start your PIP claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to DWP.\n\nYou will not need to go to a face-to-face consultation.\n\nIf you need someone to help you, ask DWP to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\nYou may be able to get other benefits if you\u2019re terminally ill.", + "original_contents": [ + "

    Overview

    ", + "

    Personal Independence Payment (PIP) can help you with some of the extra costs if you have a long term physical or mental health condition or disability.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    The amount you get depends on how your condition affects you, not the condition itself. You\u2019ll be assessed by a health professional to work out the level of help you can get.

    ", + "

    Your carer could get Carer\u2019s Allowance if you have substantial caring needs.

    ", + "

    If you get Disability Living Allowance (DLA)

    ", + "

    Disability Living Allowance (DLA) is being replaced by PIP for most adults. You\u2019ll keep getting DLA if:

    ", + "
  • you\u2019re under 16
  • ", + "
  • you were born on or before 8 April 1948
  • ", + "

    If you were born after 8 April 1948, the Department for Work and Pensions (DWP) will invite you to apply for PIP. You do not need to do anything until DWP writes to you about your DLA unless your circumstances change.

    ", + "

    Help with PIP

    ", + "

    You can contact a local support organisation or Citizens Advice to get help understanding PIP.

    ", + "

    Eligibility

    ", + "

    You can get Personal Independence Payment (PIP) whether you\u2019re working or not.

    ", + "

    You must be aged 16 or over and usually have not reached State Pension age to claim.

    ", + "

    You must also have a physical or mental health condition or disability where you:

    ", + "
  • have had difficulties with daily living or getting around (or both) for 3 months
  • ", + "
  • expect these difficulties to continue for at least 9 months
  • ", + "

    You usually need to have lived in England, Scotland or Wales for at least 2 of the last 3 years, and be in one of these countries when you apply. If you\u2019ve recently returned from living in an EEA country, you might be able to get PIP sooner.

    ", + "

    Find out about PIP if you live in Northern Ireland.

    ", + "

    There are different rules if you\u2019re terminally ill and a healthcare professional has said you might have less than 6 months to live.

    ", + "

    You cannot get PIP and Armed Forces Independence Payment at the same time.

    ", + "

    Daily living difficulties

    ", + "

    You may get the daily living part of PIP if you need help more than half of the time with things like:

    ", + "
  • preparing or eating food
  • ", + "
  • washing, bathing and using the toilet
  • ", + "
  • dressing and undressing
  • ", + "
  • reading and communicating
  • ", + "
  • managing your medicines or treatments
  • ", + "
  • making decisions about money
  • ", + "
  • engaging with other people
  • ", + "

    Mobility difficulties

    ", + "

    You may get the mobility part of PIP if you need help going out or moving around.

    ", + "

    How you\u2019re assessed

    ", + "

    You\u2019ll be assessed by an independent healthcare professional to work out the level of help you need.

    ", + "

    If you\u2019ve reached State Pension age

    ", + "

    You can get PIP if you:

    ", + "
  • were already getting PIP before you reached State Pension age and your condition has not changed
  • ", + "
  • have been claiming Disability Living Allowance (DLA) and you\u2019ve had a letter inviting you to apply for PIP
  • ", + "

    You may get PIP if you previously got it and you were still entitled to it within the last year.

    ", + "

    If you cannot get PIP, you can apply for Attendance Allowance instead.

    ", + "

    Living abroad

    ", + "

    You might still be able to get PIP if you:

    ", + "
  • live in an EU or EEA country or Switzerland - you can only get help with daily living needs
  • ", + "
  • are a member or family member of the Armed Forces
  • ", + "

    If you\u2019re not a British citizen

    ", + "

    You must:

    ", + "
  • normally live in or show that you intend to settle in the UK, Ireland, the Isle of Man or the Channel Islands
  • ", + "
  • not be subject to immigration control (unless you\u2019re a sponsored immigrant)
  • ", + "

    You might still be able to get PIP if you are a refugee or have humanitarian protection status.

    ", + "

    What you\u2019ll get

    ", + "

    Personal Independence Payment (PIP) is made up of 2 parts - a daily living part and a mobility part. Whether you get one or both of these and how much you\u2019ll get depends on how severely your condition affects you.

    ", + "

    You\u2019ll need an assessment to work out how much you\u2019ll get. Your rate will be regularly reviewed to make sure you\u2019re getting the right support.

    ", + "

    PIP is tax free. The amount you get is not affected by your income or savings.

    ", + "

    You need to tell DWP straight away if there\u2019s a change in your personal circumstances or how your condition affects you.

    ", + "

    Daily living part

    ", + "

    The weekly rate for the daily living part of PIP is either \u00a360.00 or \u00a389.60.

    ", + "

    Mobility part

    ", + "

    The weekly rate for the mobility part of PIP is either \u00a323.70 or \u00a362.55.

    ", + "

    Terminal illness

    ", + "

    You\u2019ll get the higher daily living part if you\u2019re not expected to live more than 6 months. The rate of the mobility part depends on your needs.

    ", + "

    How other benefits affect your PIP

    ", + "

    The daily living part of your PIP will be reduced if you get any of the following benefits:

    ", + "
  • Constant Attendance Allowance
  • ", + "
  • War Pensioners\u2019 Mobility Supplement
  • ", + "

    How you\u2019re paid

    ", + "

    PIP is usually paid every 4 weeks.

    ", + "

    Your decision letter will tell you:

    ", + "
  • the date of your first payment
  • ", + "
  • what day of the week you\u2019ll usually be paid
  • ", + "

    If your payment date is on a bank holiday, you\u2019ll usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.

    ", + "

    All benefits, pensions and allowances are paid into your bank, building society or credit union account.

    ", + "

    Other help

    ", + "

    You or your carer might also qualify for other financial help, for example Carer\u2019s Allowance, or help with housing or transport costs.

    ", + "

    If you get PIP and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.

    ", + "

    How to claim

    ", + "

    Call the Department for Work and Pensions (DWP) to make a new Personal Independence Payment (PIP) claim.

    ", + "

    There is a different way to claim if you\u2019re terminally ill.

    ", + "

    Find out how to claim if you live in Northern Ireland.

    ", + "

    Claim by telephone or textphone

    ", + "

    Before you call, you\u2019ll need:

    ", + "
  • your contact details, for example telephone number
  • ", + "
  • your date of birth
  • ", + "
  • your National Insurance number - this is on letters about tax, pensions and benefits
  • ", + "
  • your bank or building society account number and sort code
  • ", + "
  • your doctor or health worker\u2019s name, address and telephone number
  • ", + "
  • dates and addresses for any time you\u2019ve spent in a care home or hospital
  • ", + "
  • dates for any time you spent abroad for more than 4 weeks at a time, and the countries you visited
  • ", + "

    If you need someone to help you, ask DWP to add them to your call when you:

    ", + "
  • phone
  • ", + "
  • use Relay UK
  • ", + "
  • use the video relay service
  • ", + "

    You cannot do this if you use textphone.

    ", + "

    If you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.

    ", + "

    Claim by post

    ", + "

    You can get a form to send information by post (although this can delay the decision on your claim). Write a letter to ask for the form.

    ", + "

    What happens next

    ", + "
  • You\u2019ll be sent a \u2018How your disability affects you\u2019 form. Call the PIP enquiry line if you need it in an alternative format such as braille, large print or audio CD.
  • ", + "
  • Fill in the form using the notes that come with it to help you. You can also read Citizens Advice\u2019s help on filling in the form.
  • ", + "
  • Return the form to DWP - the address is on the form. You have 1 month to return the form. DWP will start processing your claim when they receive your form. Contact the PIP enquiry line if you need more time.
  • ", + "
  • If more information is needed, an independent health professional will send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call. You\u2019ll be asked questions about your ability to carry out activities and how your condition affects your daily life. You can read Citizens Advice\u2019s help on preparing for an assessment.
  • ", + "
  • You\u2019ll get a letter that tells you whether you\u2019ll get PIP. If you do, you\u2019ll be told how much you\u2019ll get, when you\u2019ll be paid and the date your PIP will be reviewed so that you continue to get the right support.
  • ", + "

    Because of coronavirus (COVID-19), you\u2019ll only be invited to attend an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.

    ", + "

    You cannot apply using any Disability Living Allowance (DLA) forms you may have.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.

    ", + "

    If your PIP claim is reviewed

    ", + "

    The letter you got when your Personal Independence Payment (PIP) was approved will tell you when your claim will end and if it will be reviewed.

    ", + "

    If your claim is going to be reviewed, the letter will tell you when you\u2019ll be contacted about the review.

    ", + "

    How PIP reviews work

    ", + "

    You will continue to get PIP while your claim is being reviewed.

    ", + "
  • You\u2019ll get a letter asking you to fill in a form called \u2018Award review - how your disability affects you\u2019.
  • ", + "
  • Fill in the form using the notes that come with it.
  • ", + "
  • Send the form and any supporting information you have not shared with the Department for Work and Pensions (DWP) before - the form explains what to include and where to send it. You\u2019ll need to return it within 1 month. Contact the PIP enquiry line if you need more time.
  • ", + "
  • DWP will review your form. If they need more information, an independent health professional might phone you to ask some questions or send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call.
  • ", + "
  • You\u2019ll get a letter that tells you what will happen with your PIP. If your needs have changed, your PIP might be increased, reduced or stopped.
  • ", + "

    Because of coronavirus (COVID-19), you\u2019ll only be invited to an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Change of circumstances

    ", + "

    You must contact the Personal Independence Payment (PIP) enquiry line if:

    ", + "
  • your personal details change, for example your name, address or doctor
  • ", + "
  • the help you need or your condition changes
  • ", + "
  • your condition has worsened and you\u2019re not expected to live more than 6 months
  • ", + "
  • you go into hospital or a care home
  • ", + "
  • you go abroad
  • ", + "
  • you\u2019re imprisoned or held in detention
  • ", + "
  • your immigration status changes, if you\u2019re not a British citizen
  • ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    How to report a change of circumstances

    ", + "

    Contact the PIP enquiry line to report a change of circumstances.

    ", + "

    If you need someone to help you, ask the Department for Work and Pensions (DWP) to add them to your call when you:

    ", + "
  • phone
  • ", + "
  • use Relay UK
  • ", + "
  • use the video relay service
  • ", + "

    You cannot do this if you use textphone.

    ", + "

    If you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    Claiming PIP if you're terminally ill

    ", + "

    You can get Personal Independence Payment (PIP) more quickly if you\u2019re terminally ill.

    ", + "

    You can claim PIP if:

    ", + "
  • your doctor or a healthcare professional has said you might have less than 6 months to live
  • ", + "
  • you are aged 16 or over and usually have not reached State Pension age
  • ", + "

    How to claim

    ", + "

    You can claim for yourself or someone else can do it for you.

    ", + "

    Call DWP to start your PIP claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to DWP.

    ", + "

    You will not need to go to a face-to-face consultation.

    ", + "

    If you need someone to help you, ask DWP to add them to your call when you:

    ", + "
  • phone
  • ", + "
  • use Relay UK
  • ", + "
  • use the video relay service
  • ", + "

    You cannot do this if you use textphone.

    ", + "

    If you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.

    ", + "

    You may be able to get other benefits if you\u2019re terminally ill.

    " + ] + }, + "https://www.gov.uk/attendance-allowance": { + "url": "https://www.gov.uk/attendance-allowance", + "title": "Attendance Allowance", + "content": "## Overview\n\nAttendance Allowance helps with extra costs if you have a disability severe enough that you need someone to help look after you.\n\nThis guide is also available in Welsh (Cymraeg).\n\nIt\u2019s paid at 2 different rates and how much you get depends on the level of care that you need because of your disability.\n\nYou could get \u00a360 or \u00a389.60 a week to help with personal support if you\u2019re both:\n\n- physically or mentally disabled\n\n- State Pension age or older\n\nIt does not cover mobility needs.\n\nThe other benefits you get can increase if you get Attendance Allowance.\n\nYou do not have to have someone caring for you in order to claim.\n\nIf you do have a carer, they could get Carer\u2019s Allowance if you have substantial caring needs.\n\n## What you'll get\n\nAttendance Allowance is paid weekly at 2 different rates - the one you get depends on the level of help you need.\n\nAttendance Allowance is not means-tested - what you earn or how much you have in savings will not affect what you get.\n\n## Attendance Allowance rates\n\n| Rate | Level of help you need |\n\n| Lower rate - \u00a360 | Frequent help or constant supervision during the day, or supervision at night |\n\n| Higher rate - \u00a389.60 | Help or supervision throughout both day and night, or you\u2019re terminally ill |\n\nIf your circumstances change, you could get a different rate. You must report a change of circumstances.\n\nYou could get extra Pension Credit, Housing Benefit or Council Tax Reduction if you get Attendance Allowance - check with the helpline or office dealing with your benefit.\n\n## How you\u2019re paid\n\nAll benefits are paid into your bank, building society or credit union account.\n\n## Eligibility\n\nYou can get Attendance Allowance if you\u2019ve reached State Pension age and the following apply:\n\n- you have a physical disability (including sensory disability, for example blindness), a mental disability (including learning difficulties), or both\n\n- your disability is severe enough for you to need help caring for yourself or someone to supervise you, for your own or someone else\u2019s safety\n\n- you have needed that help for at least 6 months (unless you\u2019re terminally ill)\n\nYou must also:\n\n- be in Great Britain when you claim - there are some exceptions, such as members and family members of the armed forces\n\n- have been in Great Britain for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)\n\n- be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands\n\n- not be subject to immigration control (unless you\u2019re a sponsored immigrant)\n\n## If you live in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nYou might still be able to get Attendance Allowance if you\u2019re a UK national and you live in or move to the EU, European Economic Area (EEA) or Switzerland.\n\nRead guidance to find out if you can get benefits in the EU, EEA or Switzerland.\n\n## If you\u2019re terminally ill\n\nIf you\u2019re not expected to live for more than 6 months, there are \u2018special rules\u2019:\n\n- there\u2019s no qualifying period for how long you\u2019ve had your illness\n\n- if you\u2019re eligible, you\u2019ll automatically get the higher rate of Attendance Allowance\n\n## If you\u2019re in a care home\n\nYou cannot usually get Attendance Allowance if you live in a care home and your care is paid for by your local authority. You can still claim Attendance Allowance if you pay for all your care home costs yourself.\n\n## If you need an assessment\n\nYou\u2019ll only need to attend an assessment to check your eligibility if it\u2019s unclear how your illness or disability affects you.\n\nIf you do need an assessment you\u2019ll get a letter saying why and where you must go. During the assessment, a healthcare professional will need to examine you.\n\nYou cannot get Attendance Allowance if you already get Disability Living Allowance (DLA) or Personal Independence Payment (PIP).\n\n## How to claim\n\nUse the Attendance Allowance claim form to apply by post. The form comes with notes telling you how to fill it in.\n\nSend the completed form to:\n\nYou do not need a postcode or a stamp.\n\nCall the Attendance Allowance helpline to ask for:\n\n- a copy of the form\n\n- alternative formats, such as braille, large print or audio CD\n\n## Backdating your claim\n\nAttendance Allowance can be backdated to the date of your claim. This is usually the date your form is received or the date you call the enquiry line (if you then return the claim pack within 6 weeks).\n\n## If you\u2019re terminally ill (\u2018special rules\u2019)\n\nThere are \u2018special rules\u2019 so you get Attendance Allowance more quickly if you\u2019re not expected to live more than 6 months. You must:\n\n- complete an Attendance Allowance form\n\n- ask a doctor or other healthcare professional for form DS1500 - they\u2019ll either fill it in and give the form to you or send it directly to DWP\n\nYou can do this on behalf of someone else without their permission. The letter about the money awarded will not mention \u2018special rules\u2019.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Complaints\n\nYou can complain to the Department for Work and Pensions (DWP) if you\u2019re unhappy with the service you\u2019ve received.\n\n## Report a change in circumstances\n\nYour circumstances can affect how much Attendance Allowance you get.\n\nYou must contact the Attendance Allowance helpline straight away if:\n\n- the level of help you need or your condition changes\n\n- you go into hospital or a care home\n\n- you leave the country for more than 4 weeks\n\n- you go into prison\n\n- you change your name, address or bank details\n\n- you want to stop receiving your benefit\n\n- your doctor\u2019s details change\n\n- your immigration status changes, if you\u2019re not a British citizen\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.", + "original_contents": [ + "

    Overview

    ", + "

    Attendance Allowance helps with extra costs if you have a disability severe enough that you need someone to help look after you.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    It\u2019s paid at 2 different rates and how much you get depends on the level of care that you need because of your disability.

    ", + "

    You could get \u00a360 or \u00a389.60 a week to help with personal support if you\u2019re both:

    ", + "
  • physically or mentally disabled
  • ", + "
  • State Pension age or older
  • ", + "

    It does not cover mobility needs.

    ", + "

    The other benefits you get can increase if you get Attendance Allowance.

    ", + "

    You do not have to have someone caring for you in order to claim.

    ", + "

    If you do have a carer, they could get Carer\u2019s Allowance if you have substantial caring needs.

    ", + "

    What you'll get

    ", + "

    Attendance Allowance is paid weekly at 2 different rates - the one you get depends on the level of help you need.

    ", + "

    Attendance Allowance is not means-tested - what you earn or how much you have in savings will not affect what you get.

    ", + "

    Attendance Allowance rates

    ", + "Rate | Level of help you need", + "Lower rate - \u00a360 | Frequent help or constant supervision during the day, or supervision at night", + "Higher rate - \u00a389.60 | Help or supervision throughout both day and night, or you\u2019re terminally ill", + "

    If your circumstances change, you could get a different rate. You must report a change of circumstances.

    ", + "

    You could get extra Pension Credit, Housing Benefit or Council Tax Reduction if you get Attendance Allowance - check with the helpline or office dealing with your benefit.

    ", + "

    How you\u2019re paid

    ", + "

    All benefits are paid into your bank, building society or credit union account.

    ", + "

    Eligibility

    ", + "

    You can get Attendance Allowance if you\u2019ve reached State Pension age and the following apply:

    ", + "
  • you have a physical disability (including sensory disability, for example blindness), a mental disability (including learning difficulties), or both
  • ", + "
  • your disability is severe enough for you to need help caring for yourself or someone to supervise you, for your own or someone else\u2019s safety
  • ", + "
  • you have needed that help for at least 6 months (unless you\u2019re terminally ill)
  • ", + "

    You must also:

    ", + "
  • be in Great Britain when you claim - there are some exceptions, such as members and family members of the armed forces
  • ", + "
  • have been in Great Britain for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)
  • ", + "
  • be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands
  • ", + "
  • not be subject to immigration control (unless you\u2019re a sponsored immigrant)
  • ", + "

    If you live in the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    You might still be able to get Attendance Allowance if you\u2019re a UK national and you live in or move to the EU, European Economic Area (EEA) or Switzerland.

    ", + "

    Read guidance to find out if you can get benefits in the EU, EEA or Switzerland.

    ", + "

    If you\u2019re terminally ill

    ", + "

    If you\u2019re not expected to live for more than 6 months, there are \u2018special rules\u2019:

    ", + "
  • there\u2019s no qualifying period for how long you\u2019ve had your illness
  • ", + "
  • if you\u2019re eligible, you\u2019ll automatically get the higher rate of Attendance Allowance
  • ", + "

    If you\u2019re in a care home

    ", + "

    You cannot usually get Attendance Allowance if you live in a care home and your care is paid for by your local authority. You can still claim Attendance Allowance if you pay for all your care home costs yourself.

    ", + "

    If you need an assessment

    ", + "

    You\u2019ll only need to attend an assessment to check your eligibility if it\u2019s unclear how your illness or disability affects you.

    ", + "

    If you do need an assessment you\u2019ll get a letter saying why and where you must go. During the assessment, a healthcare professional will need to examine you.

    ", + "

    You cannot get Attendance Allowance if you already get Disability Living Allowance (DLA) or Personal Independence Payment (PIP).

    ", + "

    How to claim

    ", + "

    Use the Attendance Allowance claim form to apply by post. The form comes with notes telling you how to fill it in.

    ", + "

    Send the completed form to:

    ", + "

    You do not need a postcode or a stamp.

    ", + "

    Call the Attendance Allowance helpline to ask for:

    ", + "
  • a copy of the form
  • ", + "
  • alternative formats, such as braille, large print or audio CD
  • ", + "

    Backdating your claim

    ", + "

    Attendance Allowance can be backdated to the date of your claim. This is usually the date your form is received or the date you call the enquiry line (if you then return the claim pack within 6 weeks).

    ", + "

    If you\u2019re terminally ill (\u2018special rules\u2019)

    ", + "

    There are \u2018special rules\u2019 so you get Attendance Allowance more quickly if you\u2019re not expected to live more than 6 months. You must:

    ", + "
  • complete an Attendance Allowance form
  • ", + "
  • ask a doctor or other healthcare professional for form DS1500 - they\u2019ll either fill it in and give the form to you or send it directly to DWP
  • ", + "

    You can do this on behalf of someone else without their permission. The letter about the money awarded will not mention \u2018special rules\u2019.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Complaints

    ", + "

    You can complain to the Department for Work and Pensions (DWP) if you\u2019re unhappy with the service you\u2019ve received.

    ", + "

    Report a change in circumstances

    ", + "

    Your circumstances can affect how much Attendance Allowance you get.

    ", + "

    You must contact the Attendance Allowance helpline straight away if:

    ", + "
  • the level of help you need or your condition changes
  • ", + "
  • you go into hospital or a care home
  • ", + "
  • you leave the country for more than 4 weeks
  • ", + "
  • you go into prison
  • ", + "
  • you change your name, address or bank details
  • ", + "
  • you want to stop receiving your benefit
  • ", + "
  • your doctor\u2019s details change
  • ", + "
  • your immigration status changes, if you\u2019re not a British citizen
  • ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    " + ] + }, + "https://www.gov.uk/industrial-injuries-disablement-benefit": { + "url": "https://www.gov.uk/industrial-injuries-disablement-benefit", + "title": "Industrial Injuries Disablement Benefit", + "content": "## Overview\n\nYou might get Industrial Injuries Disablement Benefit (IIDB) if you became ill or are disabled because of an accident or disease either:\n\n- at work\n\n- on an approved employment training scheme or course\n\nThe amount you may get depends on your individual circumstances.\n\nYour carer could get Carer\u2019s Allowance if you have substantial caring needs.\n\n## What you'll get\n\nThe level of your disability will affect the amount of benefit you may get. This will be assessed by a \u2018medical advisor\u2019 on a scale of 1 to 100%.\n\nNormally you must be assessed as 14% disabled or more to get the benefit.\n\nAll amounts are a guide only.\n\n| Assessed level of disablement | Weekly amount |\n\n| 100% | \u00a3182.90 |\n\n| 90% | \u00a3164.61 |\n\n| 80% | \u00a3146.32 |\n\n| 70% | \u00a3128.03 |\n\n| 60% | \u00a3109.74 |\n\n| 50% | \u00a391.45 |\n\n| 40% | \u00a373.16 |\n\n| 30% | \u00a354.87 |\n\n| 20% | \u00a336.58 |\n\n## Eligibility\n\n## Accidents\n\nYou may be able to claim Industrial Injuries Disablement Benefit (IIDB) if:\n\n- you were employed when the accident or event happened\n\n- you were on an approved employment training scheme or course when the accident or event happened\n\n- the work accident or event that caused your illness or disability happened in England, Scotland or Wales\n\nThere are some exceptions you can ask your regional Industrial Injuries Disablement Benefit Centre about.\n\n## Diseases\n\nYou can claim IIDB if you were employed in a job or were on an approved employment training scheme or course that caused your disease. The scheme covers more than 70 diseases, including:\n\n- asthma\n\n- chronic bronchitis or emphysema - also known as chronic obstructive pulmonary disease (COPD)\n\n- deafness\n\n- pneumoconiosis (including silicosis and asbestosis)\n\n- osteoarthritis of the knee in coal miners\n\n- prescribed disease A11 (previously known as vibration white finger)\n\n- Dupuytren\u2019s contracture\n\nThe scheme also covers asbestos related diseases including:\n\n- pneumoconiosis (asbestosis)\n\n- diffuse mesothelioma\n\n- primary carcinoma of the lung with asbestosis\n\n- primary carcinoma of the lung without asbestosis but where there has been extensive occupational exposure to asbestos in specified occupations\n\n- unilateral or bilateral diffuse pleural thickening\n\nYou can get a full list of illnesses from your regional Industrial Injuries Disablement Benefit centre.\n\nYou cannot claim Industrial Injuries Disablement Benefit if you were self-employed.\n\n## How to claim\n\nYou\u2019ll need to fill in and post a claim form.\n\nThe form comes with notes that:\n\n- help you fill it in\n\n- tell you where to send it\n\n## Download and print a claim form\n\nTo claim for:\n\n- accidents caused by work, use form BI100A\n\n- diseases caused by work, use form BI100PD\n\n## Request a claim form by phone\n\nYou can also ask Barnsley Industrial Injuries Disablement Benefit (IIDB) Centre to send you a claim form.\n\n## Alternative formats\n\nCall to ask for alternative formats, such as braille, large print or audio CD.\n\n## After you send your form\n\nYour claim will be assessed using the information provided in your claim form, or at a face to face medical assessment.\n\nThe Centre for Health and Disability Assessments (CHDA) will contact you if you need a face to face medical assessment. They\u2019ll send you information about what to expect at the appointment. Read the guidance on how to attend your face to face assessment safely because of coronavirus (COVID-19).\n\nYou will not need to attend a face to face assessment if you\u2019re terminally ill or you have any of the following diseases:\n\n- diffuse mesothelioma\n\n- angiosarcoma of the liver due to exposure to vinyl chloride monomer\n\n- primary carcinoma of the bronchus or lung through exposure to arsenic\n\n- primary carcinoma of the bronchus or lung through exposure to Nickel/Nickel compounds\n\n- primary carcinoma of the lung where there is accompanying evidence of asbestosis\n\n- primary carcinoma of the lung, through exposure to asbestos\n\n- primary carcinoma of the lung, linked to tin and other specified chemicals or work with coke ovens\n\n- primary carcinoma of the lung where there is accompanying silicosis\n\nThe assessment of your claim may be delayed because of coronavirus. When your claim is considered, your IIDB payments will be backdated to the date DWP received your claim form.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## If your IIDB payments are reviewed\n\nIf your IIDB payments were due to be reviewed, they will automatically be extended for 6 months because of coronavirus (COVID-19). You will not have to pay back any IIDB you get.\n\nDWP will write to you to tell you that your payments are being extended.\n\nIf you were given a \u2018final award\u2019 and your payments are for a limited time, they will not be extended. If the condition for which you\u2019re getting IIDB has changed, you should report the change to DWP.\n\n## Illnesses that may still be reviewed\n\nYour payments may still be reviewed if you are terminally ill or you have any of the following:\n\n- diffuse mesothelioma\n\n- angiosarcoma of the liver due to exposure to vinyl chloride monomer\n\n- primary carcinoma of the bronchus or lung through exposure to arsenic\n\n- primary carcinoma of the bronchus or lung through exposure to Nickel/Nickel compounds\n\n- primary carcinoma of the lung where there is accompanying evidence of asbestosis\n\n- primary carcinoma of the lung, through exposure to asbestos\n\n- primary carcinoma of the lung, linked to tin and other specified chemicals or work with coke ovens\n\n- primary carcinoma of the lung where there is accompanying silicosis\n\nDWP will write to you to tell you if your payments will be reviewed.\n\n## Report a change in circumstances\n\nYou, or the person who claims on your behalf, must tell the office that deals with your payments about any changes to your circumstances or personal details. Let them know straight away if:\n\n- the condition for which you\u2019re getting benefit improves or gets worse\n\n- you change your name or gender\n\n- you get married or form a civil partnership\n\n- you change your address\n\n- you leave the country\n\n- you go into prison\n\n- your immigration status changes, if you\u2019re not a British citizen\n\nYou must also report these if you receive Unemployability Supplement, which topped up Industrial Disablement Supplement until 1987.\n\nThere will be a delay in assessing your change of circumstances because of coronavirus (COVID-19). Any changes to your payments will be backdated to when you reported the change.\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## Industrial Injuries Disablement Benefit Centres\n\nBarrow IIDB Centre\n\nBarnsley IIDB Centre\n\nBradford IIDB Centre\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## Further information\n\n## Other benefits you may be able to get\n\n## Constant Attendance Allowance (CAA)\n\nYou can claim CAA for accidents where your disability is assessed at 100% and you need daily care and attention.\n\nThe CAA rate you\u2019re paid is based on an assessment of your needs.\n\n## Exceptionally Severe Disablement Allowance\n\nYou can claim \u00a373.20 paid in addition to the CAA rates, if you\u2019re assessed at one of the top 2 rates of CAA and need permanent, constant care and attention.\n\n## Reduced Earnings Allowance (REA)\n\nYou may get REA if:\n\n- you cannot do your usual job or other work with similar pay because of an accident or disease caused by work\n\n- you have a disability or injury which began before 1 October 1990\n\n## Pneumoconiosis Etc. (Workers\u2019 Compensation) Act 1979\n\nJobcentre Plus may pay you a lump sum if you have one of the following diseases:\n\n- pneumoconiosis\n\n- byssinosis\n\n- diffuse mesothelioma\n\n- bilateral diffuse pleural thickening\n\n- primary carcinoma of the lung when accompanied by asbestosis or bilateral diffuse pleural thickening\n\nTo get a payment you must meet all the following conditions:\n\n- your dust-related disease must have been caused by your employment\n\n- you\u2019re getting Industrial Injuries Disablement Benefit for one of the listed diseases\n\n- you must claim within 12 months of the decision awarding Industrial Injuries Disablement Benefit\n\n- you cannot or have not taken civil action because your former employer has stopped trading\n\n- you have not brought a court action or received compensation from an employer in respect of the disease\n\nYou may be able to make a claim if you\u2019re the dependant of someone who suffered from a dust-related disease but who has died. A dependant claim must be made within 12 months of the death of the sufferer.\n\n## Diffuse mesothelioma payment\n\nYou may still be able to get a payment for an asbestos-related illness if you are not eligible for compensation under the Pneumoconiosis etc (Workers\u2019 Compensation) Act 1979.\n\nYou can claim for the \u20182008 scheme\u2019 if you came into contact with asbestos:\n\n- while you were self employed\n\n- through a family member, for example by washing their clothes\n\nThere\u2019s a different payment scheme if you were diagnosed with diffuse mesothelioma on or after 25 July 2012. You can apply for this even if you\u2019ve claimed compensation under the Pneumoconiosis etc (Workers\u2019 Compensation) Act 1979.\n\n## Effects on other benefits\n\nYou can still get Industrial Injuries Disablement Benefit (IIDB) if you\u2019re claiming:\n\n- contribution-based Employment and Support Allowance\n\n- Incapacity Benefit\n\n- contribution-based Jobseeker\u2019s Allowance\n\n- State Pension\n\nIIDB will affect the following benefits if you or your partner are claiming them:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Housing Benefit\n\n- Working Tax Credit\n\n- Universal Credit\n\nIt may also affect Council Tax Reduction - contact your local council for more information.\n\n## Industrial Injuries Disablement Benefit Centres\n\nBarrow IIDB Centre\n\nBarnsley IIDB Centre\n\nBradford IIDB Centre", + "original_contents": [ + "

    Overview

    ", + "

    You might get Industrial Injuries Disablement Benefit (IIDB) if you became ill or are disabled because of an accident or disease either:

    ", + "
  • at work
  • ", + "
  • on an approved employment training scheme or course
  • ", + "

    The amount you may get depends on your individual circumstances.

    ", + "

    Your carer could get Carer\u2019s Allowance if you have substantial caring needs.

    ", + "

    What you'll get

    ", + "

    The level of your disability will affect the amount of benefit you may get. This will be assessed by a \u2018medical advisor\u2019 on a scale of 1 to 100%.

    ", + "

    Normally you must be assessed as 14% disabled or more to get the benefit.

    ", + "

    All amounts are a guide only.

    ", + "Assessed level of disablement | Weekly amount", + "100% | \u00a3182.90", + "90% | \u00a3164.61", + "80% | \u00a3146.32", + "70% | \u00a3128.03", + "60% | \u00a3109.74", + "50% | \u00a391.45", + "40% | \u00a373.16", + "30% | \u00a354.87", + "20% | \u00a336.58", + "

    Eligibility

    ", + "

    Accidents

    ", + "

    You may be able to claim Industrial Injuries Disablement Benefit (IIDB) if:

    ", + "
  • you were employed when the accident or event happened
  • ", + "
  • you were on an approved employment training scheme or course when the accident or event happened
  • ", + "
  • the work accident or event that caused your illness or disability happened in England, Scotland or Wales
  • ", + "

    There are some exceptions you can ask your regional Industrial Injuries Disablement Benefit Centre about.

    ", + "

    Diseases

    ", + "

    You can claim IIDB if you were employed in a job or were on an approved employment training scheme or course that caused your disease. The scheme covers more than 70 diseases, including:

    ", + "
  • asthma
  • ", + "
  • chronic bronchitis or emphysema - also known as chronic obstructive pulmonary disease (COPD)
  • ", + "
  • deafness
  • ", + "
  • pneumoconiosis (including silicosis and asbestosis)
  • ", + "
  • osteoarthritis of the knee in coal miners
  • ", + "
  • prescribed disease A11 (previously known as vibration white finger)
  • ", + "
  • Dupuytren\u2019s contracture
  • ", + "

    The scheme also covers asbestos related diseases including:

    ", + "
  • pneumoconiosis (asbestosis)
  • ", + "
  • diffuse mesothelioma
  • ", + "
  • primary carcinoma of the lung with asbestosis
  • ", + "
  • primary carcinoma of the lung without asbestosis but where there has been extensive occupational exposure to asbestos in specified occupations
  • ", + "
  • unilateral or bilateral diffuse pleural thickening
  • ", + "

    You can get a full list of illnesses from your regional Industrial Injuries Disablement Benefit centre.

    ", + "

    You cannot claim Industrial Injuries Disablement Benefit if you were self-employed.

    ", + "

    How to claim

    ", + "

    You\u2019ll need to fill in and post a claim form.

    ", + "

    The form comes with notes that:

    ", + "
  • help you fill it in
  • ", + "
  • tell you where to send it
  • ", + "

    Download and print a claim form

    ", + "

    To claim for:

    ", + "
  • accidents caused by work, use form BI100A
  • ", + "
  • diseases caused by work, use form BI100PD
  • ", + "

    Request a claim form by phone

    ", + "

    You can also ask Barnsley Industrial Injuries Disablement Benefit (IIDB) Centre to send you a claim form.

    ", + "

    Alternative formats

    ", + "

    Call to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    After you send your form

    ", + "

    Your claim will be assessed using the information provided in your claim form, or at a face to face medical assessment.

    ", + "

    The Centre for Health and Disability Assessments (CHDA) will contact you if you need a face to face medical assessment. They\u2019ll send you information about what to expect at the appointment. Read the guidance on how to attend your face to face assessment safely because of coronavirus (COVID-19).

    ", + "

    You will not need to attend a face to face assessment if you\u2019re terminally ill or you have any of the following diseases:

    ", + "
  • diffuse mesothelioma
  • ", + "
  • angiosarcoma of the liver due to exposure to vinyl chloride monomer
  • ", + "
  • primary carcinoma of the bronchus or lung through exposure to arsenic
  • ", + "
  • primary carcinoma of the bronchus or lung through exposure to Nickel/Nickel compounds
  • ", + "
  • primary carcinoma of the lung where there is accompanying evidence of asbestosis
  • ", + "
  • primary carcinoma of the lung, through exposure to asbestos
  • ", + "
  • primary carcinoma of the lung, linked to tin and other specified chemicals or work with coke ovens
  • ", + "
  • primary carcinoma of the lung where there is accompanying silicosis
  • ", + "

    The assessment of your claim may be delayed because of coronavirus. When your claim is considered, your IIDB payments will be backdated to the date DWP received your claim form.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.

    ", + "

    If your IIDB payments are reviewed

    ", + "

    If your IIDB payments were due to be reviewed, they will automatically be extended for 6 months because of coronavirus (COVID-19). You will not have to pay back any IIDB you get.

    ", + "

    DWP will write to you to tell you that your payments are being extended.

    ", + "

    If you were given a \u2018final award\u2019 and your payments are for a limited time, they will not be extended. If the condition for which you\u2019re getting IIDB has changed, you should report the change to DWP.

    ", + "

    Illnesses that may still be reviewed

    ", + "

    Your payments may still be reviewed if you are terminally ill or you have any of the following:

    ", + "
  • diffuse mesothelioma
  • ", + "
  • angiosarcoma of the liver due to exposure to vinyl chloride monomer
  • ", + "
  • primary carcinoma of the bronchus or lung through exposure to arsenic
  • ", + "
  • primary carcinoma of the bronchus or lung through exposure to Nickel/Nickel compounds
  • ", + "
  • primary carcinoma of the lung where there is accompanying evidence of asbestosis
  • ", + "
  • primary carcinoma of the lung, through exposure to asbestos
  • ", + "
  • primary carcinoma of the lung, linked to tin and other specified chemicals or work with coke ovens
  • ", + "
  • primary carcinoma of the lung where there is accompanying silicosis
  • ", + "

    DWP will write to you to tell you if your payments will be reviewed.

    ", + "

    Report a change in circumstances

    ", + "

    You, or the person who claims on your behalf, must tell the office that deals with your payments about any changes to your circumstances or personal details. Let them know straight away if:

    ", + "
  • the condition for which you\u2019re getting benefit improves or gets worse
  • ", + "
  • you change your name or gender
  • ", + "
  • you get married or form a civil partnership
  • ", + "
  • you change your address
  • ", + "
  • you leave the country
  • ", + "
  • you go into prison
  • ", + "
  • your immigration status changes, if you\u2019re not a British citizen
  • ", + "

    You must also report these if you receive Unemployability Supplement, which topped up Industrial Disablement Supplement until 1987.

    ", + "

    There will be a delay in assessing your change of circumstances because of coronavirus (COVID-19). Any changes to your payments will be backdated to when you reported the change.

    ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    Industrial Injuries Disablement Benefit Centres

    ", + "

    Barrow IIDB Centre

    ", + "

    Barnsley IIDB Centre

    ", + "

    Bradford IIDB Centre

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    Further information

    ", + "

    Other benefits you may be able to get

    ", + "

    Constant Attendance Allowance (CAA)

    ", + "

    You can claim CAA for accidents where your disability is assessed at 100% and you need daily care and attention.

    ", + "

    The CAA rate you\u2019re paid is based on an assessment of your needs.

    ", + "

    Exceptionally Severe Disablement Allowance

    ", + "

    You can claim \u00a373.20 paid in addition to the CAA rates, if you\u2019re assessed at one of the top 2 rates of CAA and need permanent, constant care and attention.

    ", + "

    Reduced Earnings Allowance (REA)

    ", + "

    You may get REA if:

    ", + "
  • you cannot do your usual job or other work with similar pay because of an accident or disease caused by work
  • ", + "
  • you have a disability or injury which began before 1 October 1990
  • ", + "

    Pneumoconiosis Etc. (Workers\u2019 Compensation) Act 1979

    ", + "

    Jobcentre Plus may pay you a lump sum if you have one of the following diseases:

    ", + "
  • pneumoconiosis
  • ", + "
  • byssinosis
  • ", + "
  • diffuse mesothelioma
  • ", + "
  • bilateral diffuse pleural thickening
  • ", + "
  • primary carcinoma of the lung when accompanied by asbestosis or bilateral diffuse pleural thickening
  • ", + "

    To get a payment you must meet all the following conditions:

    ", + "
  • your dust-related disease must have been caused by your employment
  • ", + "
  • you\u2019re getting Industrial Injuries Disablement Benefit for one of the listed diseases
  • ", + "
  • you must claim within 12 months of the decision awarding Industrial Injuries Disablement Benefit
  • ", + "
  • you cannot or have not taken civil action because your former employer has stopped trading
  • ", + "
  • you have not brought a court action or received compensation from an employer in respect of the disease
  • ", + "

    You may be able to make a claim if you\u2019re the dependant of someone who suffered from a dust-related disease but who has died. A dependant claim must be made within 12 months of the death of the sufferer.

    ", + "

    Diffuse mesothelioma payment

    ", + "

    You may still be able to get a payment for an asbestos-related illness if you are not eligible for compensation under the Pneumoconiosis etc (Workers\u2019 Compensation) Act 1979.

    ", + "

    You can claim for the \u20182008 scheme\u2019 if you came into contact with asbestos:

    ", + "
  • while you were self employed
  • ", + "
  • through a family member, for example by washing their clothes
  • ", + "

    There\u2019s a different payment scheme if you were diagnosed with diffuse mesothelioma on or after 25 July 2012. You can apply for this even if you\u2019ve claimed compensation under the Pneumoconiosis etc (Workers\u2019 Compensation) Act 1979.

    ", + "

    Effects on other benefits

    ", + "

    You can still get Industrial Injuries Disablement Benefit (IIDB) if you\u2019re claiming:

    ", + "
  • contribution-based Employment and Support Allowance
  • ", + "
  • Incapacity Benefit
  • ", + "
  • contribution-based Jobseeker\u2019s Allowance
  • ", + "
  • State Pension
  • ", + "

    IIDB will affect the following benefits if you or your partner are claiming them:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Housing Benefit
  • ", + "
  • Working Tax Credit
  • ", + "
  • Universal Credit
  • ", + "

    It may also affect Council Tax Reduction - contact your local council for more information.

    ", + "

    Industrial Injuries Disablement Benefit Centres

    ", + "

    Barrow IIDB Centre

    ", + "

    Barnsley IIDB Centre

    ", + "

    Bradford IIDB Centre

    " + ] + }, + "https://www.gov.uk/claim-for-injury-received-while-serving": { + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "title": "Claim if you were injured while serving in the armed forces", + "content": "## Overview\n\nYou can claim compensation if you were injured or got an illness while serving in the armed forces (including the reserve forces).\n\nCompensation may include:\n\n- a lump sum\n\n- regular payments\n\n## What you can claim for\n\nYou can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.\n\nYou can also claim:\n\n- if you were injured during a service-related activity, eg a training exercise\n\n- for conditions you had before service if you feel your service made them worse\n\n## If you\u2019re a victim of crime while serving abroad\n\nFind out if you qualify for the Criminal Injuries Compensation (Overseas) scheme if you were the victim of a violent crime while serving abroad.\n\n## What you'll get\n\nThe compensation you get depends on either:\n\n- when you were injured\n\n- when the circumstances happened that caused your illness\n\nWhat you get might be reduced if you\u2019re getting compensation from another scheme.\n\n## If your injury or illness is due to service after 5 April 2005\n\nIf your claim is successful, you\u2019ll get a tax-free lump sum payment between \u00a31,236 and \u00a3650,000. The amount you get will depend on how severe your injury is.\n\n## If you have a more serious illness or injury\n\nYou may also receive a tax-free monthly payment for life when you\u2019re discharged - sometimes known as a Guaranteed Income Payment (GIP).\n\nThe GIP is based on your salary, age and how severe your injury is.\n\nIf your GIP payment level is 50% of your salary or more, you can also claim an Armed Forces Independence Payment (AFIP).\n\n## If your injury or illness is due to service before 6 April 2005\n\nIf your claim is successful, you\u2019ll be awarded either:\n\n- a pension - if your disability is assessed at 20% or more\n\n- a lump sum - if your disability is assessed at less than 20%\n\nThe amount you get will depend on how severe your injury is.\n\nYou might also be able to get other allowances if you\u2019re having problems getting around or finding a job.\n\n## Eligibility\n\nThe rules for qualifying are different depending on when you were injured.\n\n## If your injury or illness is due to service after 5 April 2005\n\nClaim under the Armed Forces Compensation Scheme (AFCS).\n\nTo qualify you must be:\n\n- a current or former member of the armed forces\n\n- applying no later than 7 years after the injury or illness, unless you\u2019re claiming for an illness that started later (sometimes known as a \u2018late onset illness\u2019)\n\n## If your injury or illness is due to service before 6 April 2005\n\nClaim under the War Pension Scheme (WPS).\n\nThere are no time limits for claiming under the WPS but you must be no longer serving in the armed forces.\n\n## How to claim\n\nFill in the claim form and send it to the address on the form.\n\nIt\u2019s the same claim form for the Armed Forces Compensation Scheme (AFCS) and War Pension Scheme (WPS).\n\nYou can ask the Veterans Welfare Service (VWS) for help with making your claim.\n\nYou may be contacted for more evidence in support of your claim.\n\nYou may be able to apply for a \u2018fast payment\u2019 of \u00a360,000 if you were seriously injured during service after 8 May 2011.\n\n## If you disagree with the decision on your claim\n\nYou can write to Veterans UK to ask them reconsider their decision.\n\nYou can also appeal to an independent tribunal within 12 months.\n\n## Additional payments\n\nYou can apply for a Personal Independence Payment (PIP) while your compensation claim is being dealt with.\n\nYou might also be able to get:\n\n- other allowances if your injury or illness is due to service before 6 April 2005\n\n- an Armed Forces Independence Payment (AFIP) if you were seriously injured on or after 6 April 2005\n\n## Armed Forces Independence Payment (AFIP)\n\nOnce you\u2019ve had the result of your compensation claim, you might be able to claim AFIP if you\u2019ve been seriously injured.\n\nAFIP is \u00a3151.40 per week. It\u2019s tax free and is paid every 4 weeks into your bank account.\n\n## Eligibility\n\nYou\u2019re eligible if both of the following apply:\n\n- you were injured on or after 6 April 2005\n\n- you\u2019re given a Guaranteed Income Payment (GIP) of 50% or more\n\nYou\u2019ll get the payment as long as you\u2019re entitled to this level of GIP. You won\u2019t be reassessed in the future.\n\nIf you\u2019re not eligible for AFIP, you can get a PIP if you have a long-term health condition or disability.\n\n## How to claim\n\nContact Veterans UK for a claim form. There\u2019s no deadline.\n\n## Claiming other benefits with AFIP\n\nIf you get AFIP you might be eligible for other benefits, eg Child Tax Credit.\n\nAFIP is not counted as income when working out your what other benefits you can claim.\n\nYour household is exempt from the benefit cap if you or your partner are getting AFIP.", + "original_contents": [ + "

    Overview

    ", + "

    You can claim compensation if you were injured or got an illness while serving in the armed forces (including the reserve forces).

    ", + "

    Compensation may include:

    ", + "
  • a lump sum
  • ", + "
  • regular payments
  • ", + "

    What you can claim for

    ", + "

    You can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.

    ", + "

    You can also claim:

    ", + "
  • if you were injured during a service-related activity, eg a training exercise
  • ", + "
  • for conditions you had before service if you feel your service made them worse
  • ", + "

    If you\u2019re a victim of crime while serving abroad

    ", + "

    Find out if you qualify for the Criminal Injuries Compensation (Overseas) scheme if you were the victim of a violent crime while serving abroad.

    ", + "

    What you'll get

    ", + "

    The compensation you get depends on either:

    ", + "
  • when you were injured
  • ", + "
  • when the circumstances happened that caused your illness
  • ", + "

    What you get might be reduced if you\u2019re getting compensation from another scheme.

    ", + "

    If your injury or illness is due to service after 5 April 2005

    ", + "

    If your claim is successful, you\u2019ll get a tax-free lump sum payment between \u00a31,236 and \u00a3650,000. The amount you get will depend on how severe your injury is.

    ", + "

    If you have a more serious illness or injury

    ", + "

    You may also receive a tax-free monthly payment for life when you\u2019re discharged - sometimes known as a Guaranteed Income Payment (GIP).

    ", + "

    The GIP is based on your salary, age and how severe your injury is.

    ", + "

    If your GIP payment level is 50% of your salary or more, you can also claim an Armed Forces Independence Payment (AFIP).

    ", + "

    If your injury or illness is due to service before 6 April 2005

    ", + "

    If your claim is successful, you\u2019ll be awarded either:

    ", + "
  • a pension - if your disability is assessed at 20% or more
  • ", + "
  • a lump sum - if your disability is assessed at less than 20%
  • ", + "

    The amount you get will depend on how severe your injury is.

    ", + "

    You might also be able to get other allowances if you\u2019re having problems getting around or finding a job.

    ", + "

    Eligibility

    ", + "

    The rules for qualifying are different depending on when you were injured.

    ", + "

    If your injury or illness is due to service after 5 April 2005

    ", + "

    Claim under the Armed Forces Compensation Scheme (AFCS).

    ", + "

    To qualify you must be:

    ", + "
  • a current or former member of the armed forces
  • ", + "
  • applying no later than 7 years after the injury or illness, unless you\u2019re claiming for an illness that started later (sometimes known as a \u2018late onset illness\u2019)
  • ", + "

    If your injury or illness is due to service before 6 April 2005

    ", + "

    Claim under the War Pension Scheme (WPS).

    ", + "

    There are no time limits for claiming under the WPS but you must be no longer serving in the armed forces.

    ", + "

    How to claim

    ", + "

    Fill in the claim form and send it to the address on the form.

    ", + "

    It\u2019s the same claim form for the Armed Forces Compensation Scheme (AFCS) and War Pension Scheme (WPS).

    ", + "

    You can ask the Veterans Welfare Service (VWS) for help with making your claim.

    ", + "

    You may be contacted for more evidence in support of your claim.

    ", + "

    You may be able to apply for a \u2018fast payment\u2019 of \u00a360,000 if you were seriously injured during service after 8 May 2011.

    ", + "

    If you disagree with the decision on your claim

    ", + "

    You can write to Veterans UK to ask them reconsider their decision.

    ", + "

    You can also appeal to an independent tribunal within 12 months.

    ", + "

    Additional payments

    ", + "

    You can apply for a Personal Independence Payment (PIP) while your compensation claim is being dealt with.

    ", + "

    You might also be able to get:

    ", + "
  • other allowances if your injury or illness is due to service before 6 April 2005
  • ", + "
  • an Armed Forces Independence Payment (AFIP) if you were seriously injured on or after 6 April 2005
  • ", + "

    Armed Forces Independence Payment (AFIP)

    ", + "

    Once you\u2019ve had the result of your compensation claim, you might be able to claim AFIP if you\u2019ve been seriously injured.

    ", + "

    AFIP is \u00a3151.40 per week. It\u2019s tax free and is paid every 4 weeks into your bank account.

    ", + "

    Eligibility

    ", + "

    You\u2019re eligible if both of the following apply:

    ", + "
  • you were injured on or after 6 April 2005
  • ", + "
  • you\u2019re given a Guaranteed Income Payment (GIP) of 50% or more
  • ", + "

    You\u2019ll get the payment as long as you\u2019re entitled to this level of GIP. You won\u2019t be reassessed in the future.

    ", + "

    If you\u2019re not eligible for AFIP, you can get a PIP if you have a long-term health condition or disability.

    ", + "

    How to claim

    ", + "

    Contact Veterans UK for a claim form. There\u2019s no deadline.

    ", + "

    Claiming other benefits with AFIP

    ", + "

    If you get AFIP you might be eligible for other benefits, eg Child Tax Credit.

    ", + "

    AFIP is not counted as income when working out your what other benefits you can claim.

    ", + "

    Your household is exempt from the benefit cap if you or your partner are getting AFIP.

    " + ] + }, + "https://www.gov.uk/diffuse-mesothelioma-payment": { + "url": "https://www.gov.uk/diffuse-mesothelioma-payment", + "title": "Diffuse mesothelioma payments", + "content": "## Overview\n\nYou may be able to get a payment if you\u2019ve been diagnosed with the asbestos-related disease, diffuse mesothelioma.\n\nThere are 2 types of payment you can claim for:\n\n- diffuse mesothelioma payments (the \u20182008 scheme\u2019)\n\n- the Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYou can claim DMPS if you cannot find the employer responsible for your contact with asbestos, or their insurer.\n\n## What you'll get\n\n## The 2008 scheme\n\nYou\u2019ll get one payment.\n\nThe amount you\u2019ll get depends on how old you were when your disease was diagnosed. For example, if you were 60 when your disease was diagnosed, and you qualify, you\u2019ll get a payment of \u00a344,312.\n\n## Rates\n\n| Age when diagnosed | Payment |\n\n| 37 and under | \u00a394,296 |\n\n| 38 | \u00a392,463 |\n\n| 39 | \u00a390,633 |\n\n| 40 | \u00a388,804 |\n\n| 41 | \u00a386,971 |\n\n| 42 | \u00a385,140 |\n\n| 43 | \u00a384,227 |\n\n| 44 | \u00a383,306 |\n\n| 45 | \u00a382,394 |\n\n| 46 | \u00a381,477 |\n\n| 47 | \u00a380,562 |\n\n| 48 | \u00a378,003 |\n\n| 49 | \u00a375,440 |\n\n| 50 | \u00a372,873 |\n\n| 51 | \u00a370,312 |\n\n| 52 | \u00a367,742 |\n\n| 53 | \u00a365,913 |\n\n| 54 | \u00a364,085 |\n\n| 55 | \u00a362,258 |\n\n| 56 | \u00a360,418 |\n\n| 57 | \u00a358,587 |\n\n| 58 | \u00a353,829 |\n\n| 59 | \u00a349,066 |\n\n| 60 | \u00a344,312 |\n\n| 61 | \u00a339,550 |\n\n| 62 | \u00a334,790 |\n\n| 63 | \u00a331,859 |\n\n| 64 | \u00a328,926 |\n\n| 65 | \u00a326,001 |\n\n| 66 | \u00a323,071 |\n\n| 67 | \u00a320,142 |\n\n| 68 | \u00a319,545 |\n\n| 69 | \u00a318,946 |\n\n| 70 | \u00a318,357 |\n\n| 71 | \u00a317,761 |\n\n| 72 | \u00a317,169 |\n\n| 73 | \u00a316,662 |\n\n| 74 | \u00a316,146 |\n\n| 75 | \u00a315,652 |\n\n| 76 | \u00a315,155 |\n\n| 77 and over | \u00a314,651 |\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYour payment will depend on the details of your claim. Read about payment amounts on the DMPS website.\n\n## Eligibility\n\n## The 2008 scheme\n\nYou can claim a one-off payment if you:\n\n- are not entitled to a payment under the 1979 Pneumoconiosis Act\n\n- have not been given a payment for the disease from an employer, a civil claim or elsewhere\n\n- are not entitled to compensation from a Ministry of Defence scheme\n\nYou must have been exposed to asbestos in the United Kingdom.\n\nExamples of exposure include:\n\n- you came into contact with asbestos from a relative, for instance by washing their clothes\n\n- you were exposed to asbestos in the environment, for instance you lived near a factory using asbestos\n\n- you were exposed to asbestos while self-employed\n\n- your exposure cannot be specified but it occurred in the United Kingdom\n\nYou must claim within 12 months of diagnosis.\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYou may be able to claim if all of the following apply:\n\n- you were diagnosed with diffuse mesothelioma on or after 25 July 2012\n\n- your mesothelioma was caused by exposure to asbestos when working in the UK\n\n- you cannot trace the employer that exposed you to asbestos, or their insurers\n\n- you have not made a civil claim against any employer or insurer\n\n- you have not received damages or a specified payment for mesothelioma and you\u2019re not eligible to a specified payment\n\nYou may also be able to claim if you were the dependant of a sufferer who has died.\n\nYou can claim for DMPS even if you have already claimed from the 2008 scheme or under the 1979 Pneumoconiosis Act. If you\u2019ve already got a payment from the 2008 scheme or the Pneumoconiosis Act, it will be deducted from the amount you get from DMPS.\n\nYou may still be able to claim from the 2008 scheme even if you are unsuccessful in your DMPS claim.\n\nClaims through the DMPS scheme must be made within 3 years of diagnosis.\n\n## Payments for dependants\n\n## The 2008 scheme\n\nYou may be able to claim if you were the dependant of a sufferer who has died. You must claim within 12 months of their death.\n\nContact Barrow Industrial Injuries Disablement Benefit (IIDB) Centre to find out if you\u2019re eligible.\n\n## Rates\n\nIf you qualify, you\u2019ll get one payment. The amount will depend on how old the person with mesothelioma was when they died. For example, if they were 60 when they died, and you qualify, you\u2019ll get a payment of \u00a319,182.\n\n| Age of death | Payment |\n\n| 37 and under | \u00a349,073 |\n\n| 38 | \u00a348,018 |\n\n| 39 | \u00a346,965 |\n\n| 40 | \u00a345,913 |\n\n| 41 | \u00a344,860 |\n\n| 42 | \u00a343,808 |\n\n| 43 | \u00a342,800 |\n\n| 44 | \u00a341,784 |\n\n| 45 | \u00a340,783 |\n\n| 46 | \u00a339,777 |\n\n| 47 | \u00a338,772 |\n\n| 48 | \u00a337,536 |\n\n| 49 | \u00a336,297 |\n\n| 50 | \u00a335,063 |\n\n| 51 | \u00a333,831 |\n\n| 52 | \u00a332,596 |\n\n| 53 | \u00a331,583 |\n\n| 54 | \u00a330,580 |\n\n| 55 | \u00a329,573 |\n\n| 56 | \u00a328,559 |\n\n| 57 | \u00a327,555 |\n\n| 58 | \u00a324,768 |\n\n| 59 | \u00a321,971 |\n\n| 60 | \u00a319,182 |\n\n| 61 | \u00a316,389 |\n\n| 62 | \u00a313,593 |\n\n| 63 | \u00a312,795 |\n\n| 64 | \u00a312,003 |\n\n| 65 | \u00a311,191 |\n\n| 66 | \u00a310,392 |\n\n| 67 and over | \u00a38,124 |\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYour payment will depend on the details of your claim. Read about payment amounts on the DMPS website.\n\n## How to claim\n\n## The 2008 scheme\n\nFill in a mesothelioma payment claim form and provide medical evidence.\n\nContact Barrow Industrial Injuries Disablement Benefit (IIDB) Centre if you cannot print out a form and you need one sent to you.\n\n## Alternative formats\n\nContact the Barrow IIDB Centre to ask for alternative formats, such as braille, large print or audio CD.\n\nYou must claim within 12 months of diagnosis. If you\u2019re a dependant claiming for a sufferer who is now deceased, you must claim within 12 months from the date of their death.\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYou can apply online at the DMPS website.\n\nYou\u2019ll need:\n\n- your National Insurance number\n\n- your full employment history, with evidence - for example, P60s\n\n- evidence of unsuccessful attempts to trace your employer or insurers\n\n- the date of your diagnosis\n\n- evidence of diagnosis\n\n- details of any previous claims\n\n- a witness statement\n\nContact TopMark for more information on the DMPS and how to apply.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for a mandatory review.\n\nIf you\u2019re unhappy with the outcome of the mandatory review, you can appeal to to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.\n\nAppeal to the tribunal within one month of getting the mandatory review decision. If you submit your appeal after a month you\u2019ll have to explain why you did not do it earlier.\n\nDownload and fill in form SSCS6a and send it to the address on the form.\n\nYou\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.\n\nAfter you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts. The judge will then make a decision.\n\nIt usually takes around 6 months for your appeal to be heard by the tribunal.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to get a payment if you\u2019ve been diagnosed with the asbestos-related disease, diffuse mesothelioma.

    ", + "

    There are 2 types of payment you can claim for:

    ", + "
  • diffuse mesothelioma payments (the \u20182008 scheme\u2019)
  • ", + "
  • the Diffuse Mesothelioma Payment Scheme (DMPS)
  • ", + "

    You can claim DMPS if you cannot find the employer responsible for your contact with asbestos, or their insurer.

    ", + "

    What you'll get

    ", + "

    The 2008 scheme

    ", + "

    You\u2019ll get one payment.

    ", + "

    The amount you\u2019ll get depends on how old you were when your disease was diagnosed. For example, if you were 60 when your disease was diagnosed, and you qualify, you\u2019ll get a payment of \u00a344,312.

    ", + "

    Rates

    ", + "Age when diagnosed | Payment", + "37 and under | \u00a394,296", + "38 | \u00a392,463", + "39 | \u00a390,633", + "40 | \u00a388,804", + "41 | \u00a386,971", + "42 | \u00a385,140", + "43 | \u00a384,227", + "44 | \u00a383,306", + "45 | \u00a382,394", + "46 | \u00a381,477", + "47 | \u00a380,562", + "48 | \u00a378,003", + "49 | \u00a375,440", + "50 | \u00a372,873", + "51 | \u00a370,312", + "52 | \u00a367,742", + "53 | \u00a365,913", + "54 | \u00a364,085", + "55 | \u00a362,258", + "56 | \u00a360,418", + "57 | \u00a358,587", + "58 | \u00a353,829", + "59 | \u00a349,066", + "60 | \u00a344,312", + "61 | \u00a339,550", + "62 | \u00a334,790", + "63 | \u00a331,859", + "64 | \u00a328,926", + "65 | \u00a326,001", + "66 | \u00a323,071", + "67 | \u00a320,142", + "68 | \u00a319,545", + "69 | \u00a318,946", + "70 | \u00a318,357", + "71 | \u00a317,761", + "72 | \u00a317,169", + "73 | \u00a316,662", + "74 | \u00a316,146", + "75 | \u00a315,652", + "76 | \u00a315,155", + "77 and over | \u00a314,651", + "

    Diffuse Mesothelioma Payment Scheme (DMPS)

    ", + "

    Your payment will depend on the details of your claim. Read about payment amounts on the DMPS website.

    ", + "

    Eligibility

    ", + "

    The 2008 scheme

    ", + "

    You can claim a one-off payment if you:

    ", + "
  • are not entitled to a payment under the 1979 Pneumoconiosis Act
  • ", + "
  • have not been given a payment for the disease from an employer, a civil claim or elsewhere
  • ", + "
  • are not entitled to compensation from a Ministry of Defence scheme
  • ", + "

    You must have been exposed to asbestos in the United Kingdom.

    ", + "

    Examples of exposure include:

    ", + "
  • you came into contact with asbestos from a relative, for instance by washing their clothes
  • ", + "
  • you were exposed to asbestos in the environment, for instance you lived near a factory using asbestos
  • ", + "
  • you were exposed to asbestos while self-employed
  • ", + "
  • your exposure cannot be specified but it occurred in the United Kingdom
  • ", + "

    You must claim within 12 months of diagnosis.

    ", + "

    Diffuse Mesothelioma Payment Scheme (DMPS)

    ", + "

    You may be able to claim if all of the following apply:

    ", + "
  • you were diagnosed with diffuse mesothelioma on or after 25 July 2012
  • ", + "
  • your mesothelioma was caused by exposure to asbestos when working in the UK
  • ", + "
  • you cannot trace the employer that exposed you to asbestos, or their insurers
  • ", + "
  • you have not made a civil claim against any employer or insurer
  • ", + "
  • you have not received damages or a specified payment for mesothelioma and you\u2019re not eligible to a specified payment
  • ", + "

    You may also be able to claim if you were the dependant of a sufferer who has died.

    ", + "

    You can claim for DMPS even if you have already claimed from the 2008 scheme or under the 1979 Pneumoconiosis Act. If you\u2019ve already got a payment from the 2008 scheme or the Pneumoconiosis Act, it will be deducted from the amount you get from DMPS.

    ", + "

    You may still be able to claim from the 2008 scheme even if you are unsuccessful in your DMPS claim.

    ", + "

    Claims through the DMPS scheme must be made within 3 years of diagnosis.

    ", + "

    Payments for dependants

    ", + "

    The 2008 scheme

    ", + "

    You may be able to claim if you were the dependant of a sufferer who has died. You must claim within 12 months of their death.

    ", + "

    Contact Barrow Industrial Injuries Disablement Benefit (IIDB) Centre to find out if you\u2019re eligible.

    ", + "

    Rates

    ", + "

    If you qualify, you\u2019ll get one payment. The amount will depend on how old the person with mesothelioma was when they died. For example, if they were 60 when they died, and you qualify, you\u2019ll get a payment of \u00a319,182.

    ", + "Age of death | Payment", + "37 and under | \u00a349,073", + "38 | \u00a348,018", + "39 | \u00a346,965", + "40 | \u00a345,913", + "41 | \u00a344,860", + "42 | \u00a343,808", + "43 | \u00a342,800", + "44 | \u00a341,784", + "45 | \u00a340,783", + "46 | \u00a339,777", + "47 | \u00a338,772", + "48 | \u00a337,536", + "49 | \u00a336,297", + "50 | \u00a335,063", + "51 | \u00a333,831", + "52 | \u00a332,596", + "53 | \u00a331,583", + "54 | \u00a330,580", + "55 | \u00a329,573", + "56 | \u00a328,559", + "57 | \u00a327,555", + "58 | \u00a324,768", + "59 | \u00a321,971", + "60 | \u00a319,182", + "61 | \u00a316,389", + "62 | \u00a313,593", + "63 | \u00a312,795", + "64 | \u00a312,003", + "65 | \u00a311,191", + "66 | \u00a310,392", + "67 and over | \u00a38,124", + "

    Diffuse Mesothelioma Payment Scheme (DMPS)

    ", + "

    Your payment will depend on the details of your claim. Read about payment amounts on the DMPS website.

    ", + "

    How to claim

    ", + "

    The 2008 scheme

    ", + "

    Fill in a mesothelioma payment claim form and provide medical evidence.

    ", + "

    Contact Barrow Industrial Injuries Disablement Benefit (IIDB) Centre if you cannot print out a form and you need one sent to you.

    ", + "

    Alternative formats

    ", + "

    Contact the Barrow IIDB Centre to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    You must claim within 12 months of diagnosis. If you\u2019re a dependant claiming for a sufferer who is now deceased, you must claim within 12 months from the date of their death.

    ", + "

    Diffuse Mesothelioma Payment Scheme (DMPS)

    ", + "

    You can apply online at the DMPS website.

    ", + "

    You\u2019ll need:

    ", + "
  • your National Insurance number
  • ", + "
  • your full employment history, with evidence - for example, P60s
  • ", + "
  • evidence of unsuccessful attempts to trace your employer or insurers
  • ", + "
  • the date of your diagnosis
  • ", + "
  • evidence of diagnosis
  • ", + "
  • details of any previous claims
  • ", + "
  • a witness statement
  • ", + "

    Contact TopMark for more information on the DMPS and how to apply.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for a mandatory review.

    ", + "

    If you\u2019re unhappy with the outcome of the mandatory review, you can appeal to to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.

    ", + "

    Appeal to the tribunal within one month of getting the mandatory review decision. If you submit your appeal after a month you\u2019ll have to explain why you did not do it earlier.

    ", + "

    Download and fill in form SSCS6a and send it to the address on the form.

    ", + "

    You\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.

    ", + "

    After you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts. The judge will then make a decision.

    ", + "

    It usually takes around 6 months for your appeal to be heard by the tribunal.

    " + ] + }, + "https://www.gov.uk/reduced-earnings-allowance": { + "url": "https://www.gov.uk/reduced-earnings-allowance", + "title": "Reduced Earnings Allowance", + "content": "## Overview\n\nIf you cannot earn as much as you used to because of an accident or disease caused by your work, you could get up to \u00a373.16 per week Reduced Earnings Allowance.\n\nYou can only get it for accidents that happened, or diseases that started, before 1 October 1990.\n\nYou may also be able to get Industrial Injuries Disablement Benefit (IIDB).\n\n## Effect on other benefits\n\nReduced Earnings Allowance could affect any income-related benefits that you or your partner get.\n\nContact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre for details.\n\n## What you'll get\n\nYou could get up to \u00a373.16 per week.\n\nWhat you get depends on how much you earn in your regular employment.\n\nAsk the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre about how much you can get.\n\nReduced Earnings Allowance will be replaced by another benefit called Retirement Allowance if both the following apply:\n\n- you reach State Pension age\n\n- you\u2019re not in regular employment\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Eligibility\n\nYou could get Reduced Earnings Allowance if you have an illness or disability caused by a work-related accident or disease that happened before 1 October 1990.\n\nYou must also meet all of the following criteria:\n\n- your level of disability is assessed to be at least 1%\n\n- you cannot return to your regular occupation\n\n- you cannot do other work with the same level of earnings as your regular occupation\n\n## Going abroad\n\nIf you leave the UK to live abroad permanently, you may not be able to get Reduced Earnings Allowance.\n\nCheck if you can get benefits if you move to the EU, European Economic Area (EEA) or Switzerland.\n\nFor temporary visits to countries outside the EEA, you can usually claim for the first 3 months of your stay.\n\nThis can be longer in special circumstances - check with the International Pensions Centre to see if you qualify.\n\n## Your circumstances change\n\nTell the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre straight away if your circumstances change, for example:\n\n- you stop or start work\n\n- you change your occupation\n\n- your earnings change\n\n## How to claim\n\nYou\u2019ll need to fill in and post a claim form.\n\nContact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre to get a form.\n\nThe form comes with notes that will:\n\n- help you fill it in\n\n- tell you where to send it\n\nClaim straight away or you might lose benefit.\n\n## Contact the Barnsley IIDB centre\n\n## Alternative formats\n\nCall to ask for alternative formats, such as braille, large print or audio CD.", + "original_contents": [ + "

    Overview

    ", + "

    If you cannot earn as much as you used to because of an accident or disease caused by your work, you could get up to \u00a373.16 per week Reduced Earnings Allowance.

    ", + "

    You can only get it for accidents that happened, or diseases that started, before 1 October 1990.

    ", + "

    You may also be able to get Industrial Injuries Disablement Benefit (IIDB).

    ", + "

    Effect on other benefits

    ", + "

    Reduced Earnings Allowance could affect any income-related benefits that you or your partner get.

    ", + "

    Contact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre for details.

    ", + "

    What you'll get

    ", + "

    You could get up to \u00a373.16 per week.

    ", + "

    What you get depends on how much you earn in your regular employment.

    ", + "

    Ask the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre about how much you can get.

    ", + "

    Reduced Earnings Allowance will be replaced by another benefit called Retirement Allowance if both the following apply:

    ", + "
  • you reach State Pension age
  • ", + "
  • you\u2019re not in regular employment
  • ", + "

    How you\u2019re paid

    ", + "

    All benefits, pensions and allowances are paid into your bank, building society or credit union account.

    ", + "

    Eligibility

    ", + "

    You could get Reduced Earnings Allowance if you have an illness or disability caused by a work-related accident or disease that happened before 1 October 1990.

    ", + "

    You must also meet all of the following criteria:

    ", + "
  • your level of disability is assessed to be at least 1%
  • ", + "
  • you cannot return to your regular occupation
  • ", + "
  • you cannot do other work with the same level of earnings as your regular occupation
  • ", + "

    Going abroad

    ", + "

    If you leave the UK to live abroad permanently, you may not be able to get Reduced Earnings Allowance.

    ", + "

    Check if you can get benefits if you move to the EU, European Economic Area (EEA) or Switzerland.

    ", + "

    For temporary visits to countries outside the EEA, you can usually claim for the first 3 months of your stay.

    ", + "

    This can be longer in special circumstances - check with the International Pensions Centre to see if you qualify.

    ", + "

    Your circumstances change

    ", + "

    Tell the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre straight away if your circumstances change, for example:

    ", + "
  • you stop or start work
  • ", + "
  • you change your occupation
  • ", + "
  • your earnings change
  • ", + "

    How to claim

    ", + "

    You\u2019ll need to fill in and post a claim form.

    ", + "

    Contact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre to get a form.

    ", + "

    The form comes with notes that will:

    ", + "
  • help you fill it in
  • ", + "
  • tell you where to send it
  • ", + "

    Claim straight away or you might lose benefit.

    ", + "

    Contact the Barnsley IIDB centre

    ", + "

    Alternative formats

    ", + "

    Call to ask for alternative formats, such as braille, large print or audio CD.

    " + ] + }, + "https://www.gov.uk/blind-persons-allowance": { + "url": "https://www.gov.uk/blind-persons-allowance", + "title": "Blind Person's Allowance", + "content": "## Overview\n\nBlind Person\u2019s Allowance is an extra amount of tax-free allowance.\n\nIt means you can earn more before you start paying Income Tax.\n\n## What you'll get\n\nBlind Person\u2019s Allowance is added to your yearly Personal Allowance - the amount of money you can earn before you start paying Income Tax.\n\n| Tax year | Blind Person\u2019s Allowance |\n\n| 2021 to 2022 | \u00a32,520 |\n\n| 2020 to 2021 | \u00a32,500 |\n\nIf you and your spouse or civil partner are both eligible, you\u2019ll each get an allowance.\n\nYou can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or earn enough to use all of your allowance.\n\n## Previous tax years\n\nHM Revenue and Customs (HMRC) publishes tables with tax rates that include Blind Person\u2019s Allowance for current and past tax years.\n\n## Eligibility\n\n## England and Wales\n\nYou can claim Blind Person\u2019s Allowance if both of the following apply:\n\n- you\u2019re registered with your local council as blind or severely sight impaired\n\n- you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)\n\n## Scotland and Northern Ireland\n\nYou can claim Blind Person\u2019s Allowance if both of the following apply:\n\n- you cannot do work for which eyesight is essential\n\n- you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)\n\n## How to claim\n\nContact HM Revenue and Customs (HMRC) to claim.\n\n## Transfer your allowance\n\nYou can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or cannot use all of it.\n\nYou can do this:\n\n- if you\u2019re married or in a civil partnership\n\n- if you\u2019re living with your spouse or civil partner\n\n- whether or not your spouse or civil partner is blind\n\nYou can still transfer your allowance if you\u2019re unable to live with your spouse or civil partner because of:\n\n- illness or old age, for example where your spouse or partner is in residential care\n\n- working away from home\n\n- an armed forces posting\n\n- being in prison\n\n- training or education\n\n## How to transfer your allowance\n\nTo transfer your allowance to a spouse or civil partner, use form 575 or call HM Revenue and Customs (HMRC).\n\nYou\u2019ll also get the option to transfer any Married Couple\u2019s Allowance.\n\nIf you\u2019re making a claim to get tax back on savings and investment interest using form R40 you can also ask for a copy of form 575 by ticking the appropriate box.\n\n## Get the form in another format\n\nContact HM Revenue and Customs (HMRC) if you need the form in a different format, for example Braille.", + "original_contents": [ + "

    Overview

    ", + "

    Blind Person\u2019s Allowance is an extra amount of tax-free allowance.

    ", + "

    It means you can earn more before you start paying Income Tax.

    ", + "

    What you'll get

    ", + "

    Blind Person\u2019s Allowance is added to your yearly Personal Allowance - the amount of money you can earn before you start paying Income Tax.

    ", + "Tax year | Blind Person\u2019s Allowance", + "2021 to 2022 | \u00a32,520", + "2020 to 2021 | \u00a32,500", + "

    If you and your spouse or civil partner are both eligible, you\u2019ll each get an allowance.

    ", + "

    You can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or earn enough to use all of your allowance.

    ", + "

    Previous tax years

    ", + "

    HM Revenue and Customs (HMRC) publishes tables with tax rates that include Blind Person\u2019s Allowance for current and past tax years.

    ", + "

    Eligibility

    ", + "

    England and Wales

    ", + "

    You can claim Blind Person\u2019s Allowance if both of the following apply:

    ", + "
  • you\u2019re registered with your local council as blind or severely sight impaired
  • ", + "
  • you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)
  • ", + "

    Scotland and Northern Ireland

    ", + "

    You can claim Blind Person\u2019s Allowance if both of the following apply:

    ", + "
  • you cannot do work for which eyesight is essential
  • ", + "
  • you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)
  • ", + "

    How to claim

    ", + "

    Contact HM Revenue and Customs (HMRC) to claim.

    ", + "

    Transfer your allowance

    ", + "

    You can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or cannot use all of it.

    ", + "

    You can do this:

    ", + "
  • if you\u2019re married or in a civil partnership
  • ", + "
  • if you\u2019re living with your spouse or civil partner
  • ", + "
  • whether or not your spouse or civil partner is blind
  • ", + "

    You can still transfer your allowance if you\u2019re unable to live with your spouse or civil partner because of:

    ", + "
  • illness or old age, for example where your spouse or partner is in residential care
  • ", + "
  • working away from home
  • ", + "
  • an armed forces posting
  • ", + "
  • being in prison
  • ", + "
  • training or education
  • ", + "

    How to transfer your allowance

    ", + "

    To transfer your allowance to a spouse or civil partner, use form 575 or call HM Revenue and Customs (HMRC).

    ", + "

    You\u2019ll also get the option to transfer any Married Couple\u2019s Allowance.

    ", + "

    If you\u2019re making a claim to get tax back on savings and investment interest using form R40 you can also ask for a copy of form 575 by ticking the appropriate box.

    ", + "

    Get the form in another format

    ", + "

    Contact HM Revenue and Customs (HMRC) if you need the form in a different format, for example Braille.

    " + ] + }, + "https://www.gov.uk/vaccine-damage-payment": { + "url": "https://www.gov.uk/vaccine-damage-payment", + "title": "Vaccine Damage Payment", + "content": "## Overview\n\nIf you\u2019re severely disabled as a result of a vaccination against certain diseases, you could get a one-off tax-free payment of \u00a3120,000. This is called a Vaccine Damage Payment.\n\n## Effect on benefits you receive\n\nA Vaccine Damage Payment can affect benefits and entitlements like:\n\n- Income Support\n\n- Income-based Jobseeker\u2019s Allowance\n\n- Working Tax Credit\n\n- Child Tax Credit\n\n- Universal Credit\n\n- Pension Credit\n\n- Housing Benefit\n\n- Council Tax Reduction\n\n- Employment and Support Allowance\n\nThe effect the payment will have depends on a number of things. This includes the payment being put into a trust and the payments being made from it.\n\nYou should let the office that deals with your benefit or tax credit claim know if you\u2019ve got a Vaccine Damage Payment. You can get contact details from letters they have sent you.\n\n## What you'll get\n\nA Vaccine Damage Payment is a tax free one-off payment of \u00a3120,000.\n\n## How you\u2019re paid\n\nYou\u2019ll get payment direct to you or, if you\u2019re under 18 or cannot manage your own affairs, payment will be made to trustees.\n\nIf you live with your family, your parents may be appointed as trustees.\n\nAll benefits, pensions and allowances are paid into an account, for example your bank account.\n\n## Eligibility\n\nYou could get a payment if you\u2019re severely disabled and your disability was caused by vaccination against any of the following diseases:\n\n- coronavirus (COVID-19)\n\n- diphtheria\n\n- haemophilus influenzae type b (Hib)\n\n- human papillomavirus\n\n- influenza, except for influenza caused by a pandemic influenza virus\n\n- measles\n\n- meningococcal group B (meningitis B)\n\n- meningococcal group C (meningitis C)\n\n- meningococcal group W (meningitis W)\n\n- mumps\n\n- pandemic influenza A (H1N1) 2009 (swine flu) - up to 31 August 2010\n\n- pertussis (whooping cough)\n\n- pneumococcal infection\n\n- poliomyelitis\n\n- rotavirus\n\n- rubella (German measles)\n\n- smallpox - up to 1 August 1971\n\n- tetanus\n\n- tuberculosis (TB)\n\nYou may have had a combined vaccination against a number of the diseases listed. For example, you might have been vaccinated against DTP (diphtheria, tetanus and pertussis) or MMR (measles, mumps and rubella).\n\nYou may also be able to get a payment if you\u2019re severely disabled because either:\n\n- your mother was vaccinated against one of the diseases in the list while she was pregnant\n\n- you\u2019ve been in close physical contact with someone who\u2019s had an oral vaccine against poliomyelitis\n\n## What counts as \u2018severely disabled\u2019\n\nDisablement is worked out as a percentage, and \u2018severe disablement\u2019 means at least 60% disabled.\n\nThis could be a mental or physical disablement and will be based on medical evidence from the doctors or hospitals involved in your treatment.\n\n## When and where the vaccination must have taken place\n\nYou must normally have been vaccinated before your 18th birthday, unless the vaccination was during an outbreak of disease in the UK or the Isle of Man, or it was against:\n\n- coronavirus (COVID-19)\n\n- poliomyelitis\n\n- rubella\n\n- meningococcal group C\n\n- human papillomavirus\n\n- pandemic influenza A (H1N1) 2009 (swine flu)\n\n- meningococcal group W before your 26th birthday\n\n- influenza\n\nThe vaccination must have been given in the UK or the Isle of Man, unless you were vaccinated as part of your armed forces medical treatment.\n\n## How to claim\n\nApply by filling out a claim form. If you\u2019re under 16, your parent or guardian should claim on your behalf.\n\nSend it to:\n\nYou can also contact the Vaccine Damage Payments Unit to ask for a claim form:\n\n## Time limits on making a claim\n\nYou can only claim for a child once they are 2 years old.\n\nTo claim for an adult, apply by whichever is the latest of the following dates:\n\n- on or before their 21st birthday (or if they\u2019ve died, the date they would have reached 21)\n\n- within 6 years of the vaccination\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reversal\u2019\n\n## If the decision was made after 27 October 2013\n\nWrite to the Vaccine Damage Payments Unit. You must:\n\n- explain why you think the decision is wrong\n\n- include any new evidence to support your application - only include evidence you have not already sent\n\nYou need to include:\n\n- the date of the original payment decision\n\n- your name and address\n\n- your date of birth\n\n- your National Insurance number\n\n## If the decision was made on or before 27 October 2013\n\nContact the Vaccine Damage Payments Unit for advice on challenging the decision.\n\n## What happens next\n\nThe original decision will be reviewed. The Department for Work and Pensions will send you a new decision if they think it should be changed.\n\nIf they do not think the decision should be changed, you\u2019ll get a \u2018mandatory reversal notice\u2019 that will explain the reasons why. This will include the information you need to be able to appeal.\n\n## If you disagree with the outcome\n\nYou can ask for mandatory reversal again - there\u2019s no limit on the number of times you can make this request, and no time limit.\n\nYou can also appeal to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.\n\nThere is no time limit for requesting an appeal.\n\nDownload and fill in form SSCS1 and send it to the address on the form.\n\nYou\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.\n\nAfter you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts, for example a doctor. The judge will then make a decision.\n\nIt usually takes around 6 months for for your appeal to be heard by the tribunal.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re severely disabled as a result of a vaccination against certain diseases, you could get a one-off tax-free payment of \u00a3120,000. This is called a Vaccine Damage Payment.

    ", + "

    Effect on benefits you receive

    ", + "

    A Vaccine Damage Payment can affect benefits and entitlements like:

    ", + "
  • Income Support
  • ", + "
  • Income-based Jobseeker\u2019s Allowance
  • ", + "
  • Working Tax Credit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Universal Credit
  • ", + "
  • Pension Credit
  • ", + "
  • Housing Benefit
  • ", + "
  • Council Tax Reduction
  • ", + "
  • Employment and Support Allowance
  • ", + "

    The effect the payment will have depends on a number of things. This includes the payment being put into a trust and the payments being made from it.

    ", + "

    You should let the office that deals with your benefit or tax credit claim know if you\u2019ve got a Vaccine Damage Payment. You can get contact details from letters they have sent you.

    ", + "

    What you'll get

    ", + "

    A Vaccine Damage Payment is a tax free one-off payment of \u00a3120,000.

    ", + "

    How you\u2019re paid

    ", + "

    You\u2019ll get payment direct to you or, if you\u2019re under 18 or cannot manage your own affairs, payment will be made to trustees.

    ", + "

    If you live with your family, your parents may be appointed as trustees.

    ", + "

    All benefits, pensions and allowances are paid into an account, for example your bank account.

    ", + "

    Eligibility

    ", + "

    You could get a payment if you\u2019re severely disabled and your disability was caused by vaccination against any of the following diseases:

    ", + "
  • coronavirus (COVID-19)
  • ", + "
  • diphtheria
  • ", + "
  • haemophilus influenzae type b (Hib)
  • ", + "
  • human papillomavirus
  • ", + "
  • influenza, except for influenza caused by a pandemic influenza virus
  • ", + "
  • measles
  • ", + "
  • meningococcal group B (meningitis B)
  • ", + "
  • meningococcal group C (meningitis C)
  • ", + "
  • meningococcal group W (meningitis W)
  • ", + "
  • mumps
  • ", + "
  • pandemic influenza A (H1N1) 2009 (swine flu) - up to 31 August 2010
  • ", + "
  • pertussis (whooping cough)
  • ", + "
  • pneumococcal infection
  • ", + "
  • poliomyelitis
  • ", + "
  • rotavirus
  • ", + "
  • rubella (German measles)
  • ", + "
  • smallpox - up to 1 August 1971
  • ", + "
  • tetanus
  • ", + "
  • tuberculosis (TB)
  • ", + "

    You may have had a combined vaccination against a number of the diseases listed. For example, you might have been vaccinated against DTP (diphtheria, tetanus and pertussis) or MMR (measles, mumps and rubella).

    ", + "

    You may also be able to get a payment if you\u2019re severely disabled because either:

    ", + "
  • your mother was vaccinated against one of the diseases in the list while she was pregnant
  • ", + "
  • you\u2019ve been in close physical contact with someone who\u2019s had an oral vaccine against poliomyelitis
  • ", + "

    What counts as \u2018severely disabled\u2019

    ", + "

    Disablement is worked out as a percentage, and \u2018severe disablement\u2019 means at least 60% disabled.

    ", + "

    This could be a mental or physical disablement and will be based on medical evidence from the doctors or hospitals involved in your treatment.

    ", + "

    When and where the vaccination must have taken place

    ", + "

    You must normally have been vaccinated before your 18th birthday, unless the vaccination was during an outbreak of disease in the UK or the Isle of Man, or it was against:

    ", + "
  • coronavirus (COVID-19)
  • ", + "
  • poliomyelitis
  • ", + "
  • rubella
  • ", + "
  • meningococcal group C
  • ", + "
  • human papillomavirus
  • ", + "
  • pandemic influenza A (H1N1) 2009 (swine flu)
  • ", + "
  • meningococcal group W before your 26th birthday
  • ", + "
  • influenza
  • ", + "

    The vaccination must have been given in the UK or the Isle of Man, unless you were vaccinated as part of your armed forces medical treatment.

    ", + "

    How to claim

    ", + "

    Apply by filling out a claim form. If you\u2019re under 16, your parent or guardian should claim on your behalf.

    ", + "

    Send it to:

    ", + "

    You can also contact the Vaccine Damage Payments Unit to ask for a claim form:

    ", + "

    Time limits on making a claim

    ", + "

    You can only claim for a child once they are 2 years old.

    ", + "

    To claim for an adult, apply by whichever is the latest of the following dates:

    ", + "
  • on or before their 21st birthday (or if they\u2019ve died, the date they would have reached 21)
  • ", + "
  • within 6 years of the vaccination
  • ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for \u2018mandatory reversal\u2019

    ", + "

    If the decision was made after 27 October 2013

    ", + "

    Write to the Vaccine Damage Payments Unit. You must:

    ", + "
  • explain why you think the decision is wrong
  • ", + "
  • include any new evidence to support your application - only include evidence you have not already sent
  • ", + "

    You need to include:

    ", + "
  • the date of the original payment decision
  • ", + "
  • your name and address
  • ", + "
  • your date of birth
  • ", + "
  • your National Insurance number
  • ", + "

    If the decision was made on or before 27 October 2013

    ", + "

    Contact the Vaccine Damage Payments Unit for advice on challenging the decision.

    ", + "

    What happens next

    ", + "

    The original decision will be reviewed. The Department for Work and Pensions will send you a new decision if they think it should be changed.

    ", + "

    If they do not think the decision should be changed, you\u2019ll get a \u2018mandatory reversal notice\u2019 that will explain the reasons why. This will include the information you need to be able to appeal.

    ", + "

    If you disagree with the outcome

    ", + "

    You can ask for mandatory reversal again - there\u2019s no limit on the number of times you can make this request, and no time limit.

    ", + "

    You can also appeal to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.

    ", + "

    There is no time limit for requesting an appeal.

    ", + "

    Download and fill in form SSCS1 and send it to the address on the form.

    ", + "

    You\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.

    ", + "

    After you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts, for example a doctor. The judge will then make a decision.

    ", + "

    It usually takes around 6 months for for your appeal to be heard by the tribunal.

    " + ] + }, + "https://www.gov.uk/disabled-students-allowance-dsa": { + "url": "https://www.gov.uk/disabled-students-allowance-dsa", + "title": "Help if you're a student with a learning difficulty, health problem or disability", + "content": "## Disabled Students' Allowance\n\nDisabled Students\u2019 Allowance (DSA) is support to cover the study-related costs you have because of a mental health problem, long term illness or any other disability.\n\nThis can be on its own or in addition to any student finance you get.\n\nThe type of support and how much you get depends on your individual needs - not your household income.\n\nYou do not need to pay back DSA.\n\n## What you\u2019ll get\n\n## 2021 to 2022 academic year\n\nUndergraduate and postgraduate students can get up to \u00a325,000 a year for support.\n\n## 2020 to 2021 academic year\n\n| | Specialist equipment allowance | Non-medical helper allowance | General allowance |\n\n| Full-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a323,258 a year | Up to \u00a31,954 a year |\n\n| Part-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a317,443 a year | Up to \u00a31,465 a year |\n\nPostgraduates can get support of up to \u00a320,580 a year.\n\nThese figures are the maximum amounts - most students get less.\n\n## What DSA can pay for\n\nYou can get help with the costs of:\n\n- specialist equipment, for example a computer if you need one because of your disability\n\n- non-medical helpers, for example a British Sign Language (BSL) interpreter or specialist note taker\n\n- extra travel to attend your course or placement because of your disability\n\n- other disability-related study support, for example having to print additional copies of documents for proof-reading\n\nDSA does not cover disability-related costs you\u2019d have if you were not attending a course, or costs that any student might have.\n\n## Buying a new computer\n\nYou may get a new computer if you\u2019re assessed as needing one because:\n\n- you do not already have one\n\n- your current one does not meet your study needs\n\nWhen buying a new computer, you\u2019ll need to pay the first \u00a3200.\n\nThe DSA team will send you more information about this after your needs assessment.\n\n## Your \u2018needs assessment\u2019\n\nOnce your eligibility for DSA is confirmed, Student Finance England may ask you to contact an assessment centre to work out what help you need.\n\nThis is known as a needs assessment. Do not book this until Student Finance England asks you to.\n\nThe assessment is paid for through any DSA entitlement you may have.\n\nAfter the assessment, you\u2019ll get a report listing equipment and other support you can get for your course.\n\nDo not buy any equipment until you\u2019ve been assessed - you will not be reimbursed for it.\n\n## How DSA is paid\n\nMoney is paid either into your bank account or directly to the organisation providing the service or equipment.\n\nYou\u2019ll find out how your support will be paid to you after your needs assessment.\n\n## Eligibility\n\nYou can apply for Disabled Students\u2019 Allowance (DSA) if you live in England and have a disability that affects your ability to study, such as a:\n\n- specific learning difficulty, for example dyslexia or ADHD\n\n- mental health condition, for example anxiety or depression\n\n- physical disability, for example if you have to use crutches, a wheelchair or a special keyboard\n\n- sensory disability, for example if you\u2019re visually impaired, deaf or have a hearing impairment\n\n- long-term health condition, for example cancer, chronic heart disease or HIV\n\nYou must also:\n\n- be an undergraduate or postgraduate student (including Open University or distance learning)\n\n- qualify for student finance from Student Finance England\n\n- be studying on a course that lasts at least a year\n\n## Who is not eligible\n\nYou cannot get DSA from Student Finance England if you\u2019re:\n\n- an EU student who is eligible for fee support only\n\n- eligible for NHS Disabled Students\u2019 Allowances (this is a separate scheme)\n\n- getting equivalent support from another funding source, like from your university or a social work bursary\n\n## Proving you\u2019re eligible\n\nYou will not automatically get DSA - you need proof of your eligibility.\n\n| Condition | Proof |\n\n| Disabilities or long-term health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB) |\n\n| Mental health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB) |\n\n| Specific learning difficulty such as dyslexia | A copy of a \u2018diagnostic assessment\u2019 from a practitioner psychologist or suitably qualified specialist teacher |\n\nYou could get extra help to pay for a new diagnostic assessment.\n\n## Where to send letters or reports from a doctor\n\nYou can send proof of a health condition or learning disability to Student Finance England through your online account - if you have one. You can also send your proof by email or post.\n\n## Your course\n\nYour course must be in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- a Postgraduate Certificate of Education (PGCE)\n\n- a postgraduate course\n\n- Initial Teacher Training\n\nCheck with your university or college that your course is recognised.\n\n## Part-time course intensity\n\n## 2020 to 2021 academic year\n\nFor part-time students, your course intensity can affect how much DSA you get.\n\n\u2018Course intensity\u2019 means how long your course takes to complete each year compared to an equivalent full-time course. You can check course intensity with your university or college.\n\nThe rules are different depending on your course.\n\n## Part-time undergraduate courses\n\nYour course cannot be more than 4 times longer than the equivalent full-time course. Your course must last at least a year.\n\n## Part-time postgraduate master\u2019s courses\n\nIf you\u2019re applying for a Postgraduate Loan for a part-time master\u2019s degree, the course must not last more than twice as long as the full-time equivalent.\n\n## How to apply\n\nHow you apply for Disabled Students\u2019 Allowance (DSA) depends on whether you\u2019re studying full-time or part-time.\n\n## Full-time students\n\n## If you\u2019ve already applied for student finance\n\nSign in to your student finance account to start your DSA application.\n\nThe application for DSA should be on your \u2018to-do list\u2019 if you chose DSA in your application for other support. If it is not, select \u2018change your circumstances\u2019 to apply.\n\nIf you do not have an online account because you applied for student finance by post, fill in a student finance form (form DSA1).\n\n## If you have not applied for student finance\n\nYou can apply for DSA when you apply for student finance online.\n\nIf you do not need student finance, you can fill in a student finance form (form DSA1) to apply just for DSA.\n\nYou cannot apply for student finance online once you\u2019ve applied for DSA.\n\n## Part-time students\n\nFill in a student finance form (form DSA1) to apply for DSA.\n\n## If you\u2019re already getting DSA\n\nFill in a student finance form (form DSA1) to claim back your expenses.\n\n## How long it takes\n\nYou\u2019ll get confirmation of whether your application is successful within 6 weeks.\n\nIt can take up to 14 weeks to get your DSA support in place as this is done separately.\n\n## Further information\n\nContact the disability adviser at your university or college if you need advice about financial help.\n\n## If your circumstances change\n\nContact Student Finance England if your circumstances change as this may affect what you\u2019re entitled to. For example, if your condition gets worse you may be able to get extra help.\n\n## Appeals\n\nYou can ask for an explanation or to have your case reviewed if your application is turned down. Contact Student Finance England for more details.", + "original_contents": [ + "

    Disabled Students' Allowance

    ", + "

    Disabled Students\u2019 Allowance (DSA) is support to cover the study-related costs you have because of a mental health problem, long term illness or any other disability.

    ", + "

    This can be on its own or in addition to any student finance you get.

    ", + "

    The type of support and how much you get depends on your individual needs - not your household income.

    ", + "

    You do not need to pay back DSA.

    ", + "

    What you\u2019ll get

    ", + "

    2021 to 2022 academic year

    ", + "

    Undergraduate and postgraduate students can get up to \u00a325,000 a year for support.

    ", + "

    2020 to 2021 academic year

    ", + " | Specialist equipment allowance | Non-medical helper allowance | General allowance", + "Full-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a323,258 a year | Up to \u00a31,954 a year", + "Part-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a317,443 a year | Up to \u00a31,465 a year", + "

    Postgraduates can get support of up to \u00a320,580 a year.

    ", + "

    These figures are the maximum amounts - most students get less.

    ", + "

    What DSA can pay for

    ", + "

    You can get help with the costs of:

    ", + "
  • specialist equipment, for example a computer if you need one because of your disability
  • ", + "
  • non-medical helpers, for example a British Sign Language (BSL) interpreter or specialist note taker
  • ", + "
  • extra travel to attend your course or placement because of your disability
  • ", + "
  • other disability-related study support, for example having to print additional copies of documents for proof-reading
  • ", + "

    DSA does not cover disability-related costs you\u2019d have if you were not attending a course, or costs that any student might have.

    ", + "

    Buying a new computer

    ", + "

    You may get a new computer if you\u2019re assessed as needing one because:

    ", + "
  • you do not already have one
  • ", + "
  • your current one does not meet your study needs
  • ", + "

    When buying a new computer, you\u2019ll need to pay the first \u00a3200.

    ", + "

    The DSA team will send you more information about this after your needs assessment.

    ", + "

    Your \u2018needs assessment\u2019

    ", + "

    Once your eligibility for DSA is confirmed, Student Finance England may ask you to contact an assessment centre to work out what help you need.

    ", + "

    This is known as a needs assessment. Do not book this until Student Finance England asks you to.

    ", + "

    The assessment is paid for through any DSA entitlement you may have.

    ", + "

    After the assessment, you\u2019ll get a report listing equipment and other support you can get for your course.

    ", + "

    Do not buy any equipment until you\u2019ve been assessed - you will not be reimbursed for it.

    ", + "

    How DSA is paid

    ", + "

    Money is paid either into your bank account or directly to the organisation providing the service or equipment.

    ", + "

    You\u2019ll find out how your support will be paid to you after your needs assessment.

    ", + "

    Eligibility

    ", + "

    You can apply for Disabled Students\u2019 Allowance (DSA) if you live in England and have a disability that affects your ability to study, such as a:

    ", + "
  • specific learning difficulty, for example dyslexia or ADHD
  • ", + "
  • mental health condition, for example anxiety or depression
  • ", + "
  • physical disability, for example if you have to use crutches, a wheelchair or a special keyboard
  • ", + "
  • sensory disability, for example if you\u2019re visually impaired, deaf or have a hearing impairment
  • ", + "
  • long-term health condition, for example cancer, chronic heart disease or HIV
  • ", + "

    You must also:

    ", + "
  • be an undergraduate or postgraduate student (including Open University or distance learning)
  • ", + "
  • qualify for student finance from Student Finance England
  • ", + "
  • be studying on a course that lasts at least a year
  • ", + "

    Who is not eligible

    ", + "

    You cannot get DSA from Student Finance England if you\u2019re:

    ", + "
  • an EU student who is eligible for fee support only
  • ", + "
  • eligible for NHS Disabled Students\u2019 Allowances (this is a separate scheme)
  • ", + "
  • getting equivalent support from another funding source, like from your university or a social work bursary
  • ", + "

    Proving you\u2019re eligible

    ", + "

    You will not automatically get DSA - you need proof of your eligibility.

    ", + "Condition | Proof", + "Disabilities or long-term health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB)", + "Mental health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB)", + "Specific learning difficulty such as dyslexia | A copy of a \u2018diagnostic assessment\u2019 from a practitioner psychologist or suitably qualified specialist teacher", + "

    You could get extra help to pay for a new diagnostic assessment.

    ", + "

    Where to send letters or reports from a doctor

    ", + "

    You can send proof of a health condition or learning disability to Student Finance England through your online account - if you have one. You can also send your proof by email or post.

    ", + "

    Your course

    ", + "

    Your course must be in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "
  • a Foundation Degree
  • ", + "
  • a Certificate of Higher Education
  • ", + "
  • a Diploma of Higher Education (DipHE)
  • ", + "
  • a Higher National Certificate (HNC)
  • ", + "
  • a Higher National Diploma (HND)
  • ", + "
  • a Postgraduate Certificate of Education (PGCE)
  • ", + "
  • a postgraduate course
  • ", + "
  • Initial Teacher Training
  • ", + "

    Check with your university or college that your course is recognised.

    ", + "

    Part-time course intensity

    ", + "

    2020 to 2021 academic year

    ", + "

    For part-time students, your course intensity can affect how much DSA you get.

    ", + "

    \u2018Course intensity\u2019 means how long your course takes to complete each year compared to an equivalent full-time course. You can check course intensity with your university or college.

    ", + "

    The rules are different depending on your course.

    ", + "

    Part-time undergraduate courses

    ", + "

    Your course cannot be more than 4 times longer than the equivalent full-time course. Your course must last at least a year.

    ", + "

    Part-time postgraduate master\u2019s courses

    ", + "

    If you\u2019re applying for a Postgraduate Loan for a part-time master\u2019s degree, the course must not last more than twice as long as the full-time equivalent.

    ", + "

    How to apply

    ", + "

    How you apply for Disabled Students\u2019 Allowance (DSA) depends on whether you\u2019re studying full-time or part-time.

    ", + "

    Full-time students

    ", + "

    If you\u2019ve already applied for student finance

    ", + "

    Sign in to your student finance account to start your DSA application.

    ", + "

    The application for DSA should be on your \u2018to-do list\u2019 if you chose DSA in your application for other support. If it is not, select \u2018change your circumstances\u2019 to apply.

    ", + "

    If you do not have an online account because you applied for student finance by post, fill in a student finance form (form DSA1).

    ", + "

    If you have not applied for student finance

    ", + "

    You can apply for DSA when you apply for student finance online.

    ", + "

    If you do not need student finance, you can fill in a student finance form (form DSA1) to apply just for DSA.

    ", + "

    You cannot apply for student finance online once you\u2019ve applied for DSA.

    ", + "

    Part-time students

    ", + "

    Fill in a student finance form (form DSA1) to apply for DSA.

    ", + "

    If you\u2019re already getting DSA

    ", + "

    Fill in a student finance form (form DSA1) to claim back your expenses.

    ", + "

    How long it takes

    ", + "

    You\u2019ll get confirmation of whether your application is successful within 6 weeks.

    ", + "

    It can take up to 14 weeks to get your DSA support in place as this is done separately.

    ", + "

    Further information

    ", + "

    Contact the disability adviser at your university or college if you need advice about financial help.

    ", + "

    If your circumstances change

    ", + "

    Contact Student Finance England if your circumstances change as this may affect what you\u2019re entitled to. For example, if your condition gets worse you may be able to get extra help.

    ", + "

    Appeals

    ", + "

    You can ask for an explanation or to have your case reviewed if your application is turned down. Contact Student Finance England for more details.

    " + ] + }, + "https://www.gov.uk/carers-allowance": { + "url": "https://www.gov.uk/carers-allowance", + "title": "Carer's Allowance", + "content": "## How it works\n\nYou could get \u00a367.60 a week if you care for someone at least 35 hours a week and they get certain benefits.\n\nYou do not have to be related to, or live with, the person you care for.\n\nYou do not get paid extra if you care for more than one person.\n\nIf someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.\n\nCarer\u2019s Allowance can affect the other benefits that you and the person you care for get. You have to pay tax on it if your income is over the Personal Allowance.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Claiming Carer\u2019s Allowance if you\u2019re affected by coronavirus (COVID-19)\n\nYou can claim Carer\u2019s Allowance if you provide care remotely during the coronavirus outbreak. This includes giving emotional support over the phone or online.\n\n## How you\u2019re paid\n\nYou can choose to be paid weekly in advance or every 4 weeks.\n\nIt will be paid into an account, for example your bank account.\n\n## What else you can get\n\nFor each week you get Carer\u2019s Allowance you\u2019ll automatically get National Insurance credits.\n\nYou may also be able to apply for:\n\n- support from your local council\n\n- a Council Tax Reduction\n\n- Universal Credit if you\u2019re on a low income or out of work\n\n- Pension Credit if you\u2019re over working age\n\n- grants and bursaries to help pay for courses and training\n\n- Income Support (if you get the severe disability premium and you\u2019re on a low income)\n\n- income-based Employment and Support Allowance (if you get the severe disability premium and you cannot work)\n\nIf you live in Scotland and get Carer\u2019s Allowance, you may also get Carer\u2019s Allowance Supplement.\n\n## Get help and advice\n\nYou can get more help and advice from:\n\n- Carers UK\n\n- Carers Trust\n\n- Citizens Advice\n\n- NHS: Carers Direct helpline\n\n## Eligibility\n\nYou may be eligible for Carer\u2019s Allowance if you, the person you care for and the type of care you provide meets certain criteria.\n\n## The person you care for\n\nThe person you care for must already get one of these benefits:\n\n- Personal Independence Payment - daily living component\n\n- Disability Living Allowance - the middle or highest care rate\n\n- Attendance Allowance\n\n- Constant Attendance Allowance at or above the normal maximum rate with an Industrial Injuries Disablement Benefit\n\n- Constant Attendance Allowance at the basic (full day) rate with a War Disablement Pension\n\n- Armed Forces Independence Payment\n\nIf someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.\n\n## The type of care you provide\n\nYou need to spend at least 35 hours a week caring for someone. This can include:\n\n- helping with washing and cooking\n\n- taking the person you care for to a doctor\u2019s appointment\n\n- helping with household tasks, like managing bills and shopping\n\nIf you or the person you care for are affected by coronavirus, you can still claim Carer\u2019s Allowance if you provide care remotely. This includes giving emotional support over the phone or online.\n\n## Your eligibility\n\nAll of the following must apply:\n\n- you\u2019re 16 or over\n\n- you spend at least 35 hours a week caring for someone\n\n- you\u2019ve been in England, Scotland or Wales for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)\n\n- you normally live in England, Scotland or Wales, or you live abroad as a member of the armed forces (you might still be eligible if you\u2019re moving to or already living in an EEA country or Switzerland)\n\n- you\u2019re not in full-time education\n\n- you\u2019re not studying for 21 hours a week or more\n\n- you\u2019re not subject to immigration control\n\n- your earnings are \u00a3128 or less a week after tax, National Insurance and expenses\n\nIf your earnings are sometimes more than \u00a3128 a week you might still be eligible for Carer\u2019s Allowance. Your average earnings may be calculated to work out if you\u2019re eligible.\n\n## Calculating your earnings\n\nYour earnings are any income from employment and self-employment after tax, National Insurance and expenses.\n\nExpenses can include:\n\n- 50% of your pension contributions\n\n- equipment you need to do your job, for example specialist clothing\n\n- travel costs between different workplaces that are not paid for by your employer, for example fuel or train fares\n\n- business costs if you\u2019re self-employed, for example a computer you only use for work\n\nIf you pay a carer to look after the disabled person or your children while you work, you can treat care costs that are less than or equal to 50% of your earnings as an expense. The carer must not be your spouse, partner, parent, child or sibling.\n\nPayments that do not count as earnings include:\n\n- money received from an occupational or private pension\n\n- contributions towards your living or accommodation costs from someone you live with (they cannot be a tenant or boarder)\n\n- the first \u00a320 a week and 50% of the rest of any income you make from someone boarding in your home\n\n- a loan or advance payment from your employer\n\n## If you get State Pension\n\nYou cannot get the full amount of both Carer\u2019s Allowance and your State Pension at the same time.\n\nIf your pension is \u00a367.60 a week or more, you will not get a Carer\u2019s Allowance payment.\n\nIf your pension is less than \u00a367.60 a week, you\u2019ll get a Carer\u2019s Allowance payment to make up the difference.\n\n## If you get Pension Credit\n\nIf your State Pension is more than \u00a367.60 a week, you will not get a Carer\u2019s Allowance payment but your Pension Credit payments will increase instead.\n\n## If you\u2019re not eligible\n\nYou might be eligible for Carer\u2019s Credit if you\u2019re not eligible for Carer\u2019s Allowance.\n\n## Effect on other benefits\n\nCarer\u2019s Allowance can affect the other benefits that both you and the person you care for get.\n\n## Effect on the benefits of the person you care for\n\nWhen you claim Carer\u2019s Allowance, the person you care for will stop getting:\n\n- a severe disability premium paid with their benefits\n\n- an extra amount for severe disability paid with Pension Credit, if they get one\n\nThey might also stop getting reduced Council Tax. Contact their local council to find out if this affects them.\n\n## Effect on your benefits\n\nWhen you claim Carer\u2019s Allowance your other benefit payments may change, but your total benefit payments will usually either go up or stay the same.\n\nCarer\u2019s Allowance does not count towards the benefit cap.\n\nIf you get Working Tax Credit or Child Tax Credit, you must contact HM Revenue and Customs (HMRC) to tell them about your Carer\u2019s Allowance claim.\n\nIf you get Pension Credit, your payments will increase if you\u2019re eligible for Carer\u2019s Allowance.\n\nIf you delay claiming your State Pension, this could increase the State Pension payments you get when you decide to claim it. You cannot build up extra State Pension during any period you get Carer\u2019s Allowance.\n\nUse a benefits calculator to work out how your other benefits will be affected.\n\n## Make a claim\n\nBefore you apply make sure you have your:\n\n- National Insurance number (if you have a partner you\u2019ll need theirs too)\n\n- bank or building society details (unless you get your State Pension)\n\n- employment details and latest payslip if you\u2019re working\n\n- P45 if you\u2019ve recently finished work\n\n- course details if you\u2019re studying\n\n- details of any expenses, for example pension contributions or the cost of caring for your children or the disabled person while you\u2019re at work\n\nYou also need details of the person you care for. You need their:\n\n- date of birth and address\n\n- National Insurance number if they\u2019re 16 or over\n\n- Disability Living Allowance reference if they\u2019re under 16\n\nYou can backdate your claim by up to 3 months.\n\nApply now\n\n## Other ways to apply\n\nIf you cannot apply online, you can apply by post. The address to send your application to is at the end of the form.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Report a change in circumstances\n\nYou must report changes in your circumstances if you\u2019re claiming or have applied for Carer\u2019s Allowance.\n\nChanges can include:\n\n- starting a job\n\n- starting or ending full-time education\n\n- changes to your income\n\n- stopping being a carer\n\n- the person you care for no longer getting their disability benefit\n\n- someone else who cares for the same person claiming Carer\u2019s Allowance instead of you\n\n- someone else who cares for the same person claims the carer\u2019s element of Universal Credit\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nYou must tell the Department for Work and Pensions if the person you\u2019re caring for dies.\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## If you temporarily stop providing care for someone\n\nYou can still get Carer\u2019s Allowance if you temporarily stop providing care. This means any period when you spend less than 35 hours a week caring for the other person.\n\nThe person you care for must still receive their disability benefit.\n\nYou must tell DWP if you temporarily stop providing care and:\n\n- you or the person you care for will be in hospital, a nursing home, or respite care for more than 12 weeks\n\n- you stop caring for more than 28 days for any other reason\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## If you\u2019re working\n\nYou can work and get Carer\u2019s Allowance, as long as you spend at least 35 hours in your caring role.\n\nYou can get support for you or the person you care for from your employer, local councils and other organisations.\n\n## Time off for an emergency\n\nYou can ask your employer for time off to deal with an emergency involving someone else who depends on you for care. How much time off you get depends on your situation.\n\nIf you do not qualify for time off, your employer may allow you \u2018compassionate leave\u2019 for emergency situations.\n\n## Flexible working\n\nIf you need to work more flexibly, for example work part-time or work from home, you can request flexible working.\n\nYou do not have to tell your employer about your caring role or give another reason why you need to work more flexibly.\n\n## Respite care or \u2018short break\u2019 care\n\nIf you need someone to help look after the person you care for while you\u2019re at work, you can apply for respite care (also known as \u2018short break\u2019 care).\n\nRespite care options include:\n\n- getting a paid carer or a volunteer to sit with the person you look after for a few hours\n\n- a regular place in a day care centre for the person you care for\n\nYour local council may pay for respite care but you and the person you care for will need an assessment before you can apply.\n\nContact your local authority for information about local support.\n\n## Advice on starting work\n\nIf you need help starting or returning to work, contact your local Jobcentre Plus for help on how to combine work with your caring responsibilities.", + "original_contents": [ + "

    How it works

    ", + "

    You could get \u00a367.60 a week if you care for someone at least 35 hours a week and they get certain benefits.

    ", + "

    You do not have to be related to, or live with, the person you care for.

    ", + "

    You do not get paid extra if you care for more than one person.

    ", + "

    If someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.

    ", + "

    Carer\u2019s Allowance can affect the other benefits that you and the person you care for get. You have to pay tax on it if your income is over the Personal Allowance.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Claiming Carer\u2019s Allowance if you\u2019re affected by coronavirus (COVID-19)

    ", + "

    You can claim Carer\u2019s Allowance if you provide care remotely during the coronavirus outbreak. This includes giving emotional support over the phone or online.

    ", + "

    How you\u2019re paid

    ", + "

    You can choose to be paid weekly in advance or every 4 weeks.

    ", + "

    It will be paid into an account, for example your bank account.

    ", + "

    What else you can get

    ", + "

    For each week you get Carer\u2019s Allowance you\u2019ll automatically get National Insurance credits.

    ", + "

    You may also be able to apply for:

    ", + "
  • support from your local council
  • ", + "
  • a Council Tax Reduction
  • ", + "
  • Universal Credit if you\u2019re on a low income or out of work
  • ", + "
  • Pension Credit if you\u2019re over working age
  • ", + "
  • grants and bursaries to help pay for courses and training
  • ", + "
  • Income Support (if you get the severe disability premium and you\u2019re on a low income)
  • ", + "
  • income-based Employment and Support Allowance (if you get the severe disability premium and you cannot work)
  • ", + "

    If you live in Scotland and get Carer\u2019s Allowance, you may also get Carer\u2019s Allowance Supplement.

    ", + "

    Get help and advice

    ", + "

    You can get more help and advice from:

    ", + "
  • Carers UK
  • ", + "
  • Carers Trust
  • ", + "
  • Citizens Advice
  • ", + "
  • NHS: Carers Direct helpline
  • ", + "

    Eligibility

    ", + "

    You may be eligible for Carer\u2019s Allowance if you, the person you care for and the type of care you provide meets certain criteria.

    ", + "

    The person you care for

    ", + "

    The person you care for must already get one of these benefits:

    ", + "
  • Personal Independence Payment - daily living component
  • ", + "
  • Disability Living Allowance - the middle or highest care rate
  • ", + "
  • Attendance Allowance
  • ", + "
  • Constant Attendance Allowance at or above the normal maximum rate with an Industrial Injuries Disablement Benefit
  • ", + "
  • Constant Attendance Allowance at the basic (full day) rate with a War Disablement Pension
  • ", + "
  • Armed Forces Independence Payment
  • ", + "

    If someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.

    ", + "

    The type of care you provide

    ", + "

    You need to spend at least 35 hours a week caring for someone. This can include:

    ", + "
  • helping with washing and cooking
  • ", + "
  • taking the person you care for to a doctor\u2019s appointment
  • ", + "
  • helping with household tasks, like managing bills and shopping
  • ", + "

    If you or the person you care for are affected by coronavirus, you can still claim Carer\u2019s Allowance if you provide care remotely. This includes giving emotional support over the phone or online.

    ", + "

    Your eligibility

    ", + "

    All of the following must apply:

    ", + "
  • you\u2019re 16 or over
  • ", + "
  • you spend at least 35 hours a week caring for someone
  • ", + "
  • you\u2019ve been in England, Scotland or Wales for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)
  • ", + "
  • you normally live in England, Scotland or Wales, or you live abroad as a member of the armed forces (you might still be eligible if you\u2019re moving to or already living in an EEA country or Switzerland)
  • ", + "
  • you\u2019re not in full-time education
  • ", + "
  • you\u2019re not studying for 21 hours a week or more
  • ", + "
  • you\u2019re not subject to immigration control
  • ", + "
  • your earnings are \u00a3128 or less a week after tax, National Insurance and expenses
  • ", + "

    If your earnings are sometimes more than \u00a3128 a week you might still be eligible for Carer\u2019s Allowance. Your average earnings may be calculated to work out if you\u2019re eligible.

    ", + "

    Calculating your earnings

    ", + "

    Your earnings are any income from employment and self-employment after tax, National Insurance and expenses.

    ", + "

    Expenses can include:

    ", + "
  • 50% of your pension contributions
  • ", + "
  • equipment you need to do your job, for example specialist clothing
  • ", + "
  • travel costs between different workplaces that are not paid for by your employer, for example fuel or train fares
  • ", + "
  • business costs if you\u2019re self-employed, for example a computer you only use for work
  • ", + "

    If you pay a carer to look after the disabled person or your children while you work, you can treat care costs that are less than or equal to 50% of your earnings as an expense. The carer must not be your spouse, partner, parent, child or sibling.

    ", + "

    Payments that do not count as earnings include:

    ", + "
  • money received from an occupational or private pension
  • ", + "
  • contributions towards your living or accommodation costs from someone you live with (they cannot be a tenant or boarder)
  • ", + "
  • the first \u00a320 a week and 50% of the rest of any income you make from someone boarding in your home
  • ", + "
  • a loan or advance payment from your employer
  • ", + "

    If you get State Pension

    ", + "

    You cannot get the full amount of both Carer\u2019s Allowance and your State Pension at the same time.

    ", + "

    If your pension is \u00a367.60 a week or more, you will not get a Carer\u2019s Allowance payment.

    ", + "

    If your pension is less than \u00a367.60 a week, you\u2019ll get a Carer\u2019s Allowance payment to make up the difference.

    ", + "

    If you get Pension Credit

    ", + "

    If your State Pension is more than \u00a367.60 a week, you will not get a Carer\u2019s Allowance payment but your Pension Credit payments will increase instead.

    ", + "

    If you\u2019re not eligible

    ", + "

    You might be eligible for Carer\u2019s Credit if you\u2019re not eligible for Carer\u2019s Allowance.

    ", + "

    Effect on other benefits

    ", + "

    Carer\u2019s Allowance can affect the other benefits that both you and the person you care for get.

    ", + "

    Effect on the benefits of the person you care for

    ", + "

    When you claim Carer\u2019s Allowance, the person you care for will stop getting:

    ", + "
  • a severe disability premium paid with their benefits
  • ", + "
  • an extra amount for severe disability paid with Pension Credit, if they get one
  • ", + "

    They might also stop getting reduced Council Tax. Contact their local council to find out if this affects them.

    ", + "

    Effect on your benefits

    ", + "

    When you claim Carer\u2019s Allowance your other benefit payments may change, but your total benefit payments will usually either go up or stay the same.

    ", + "

    Carer\u2019s Allowance does not count towards the benefit cap.

    ", + "

    If you get Working Tax Credit or Child Tax Credit, you must contact HM Revenue and Customs (HMRC) to tell them about your Carer\u2019s Allowance claim.

    ", + "

    If you get Pension Credit, your payments will increase if you\u2019re eligible for Carer\u2019s Allowance.

    ", + "

    If you delay claiming your State Pension, this could increase the State Pension payments you get when you decide to claim it. You cannot build up extra State Pension during any period you get Carer\u2019s Allowance.

    ", + "

    Use a benefits calculator to work out how your other benefits will be affected.

    ", + "

    Make a claim

    ", + "

    Before you apply make sure you have your:

    ", + "
  • National Insurance number (if you have a partner you\u2019ll need theirs too)
  • ", + "
  • bank or building society details (unless you get your State Pension)
  • ", + "
  • employment details and latest payslip if you\u2019re working
  • ", + "
  • P45 if you\u2019ve recently finished work
  • ", + "
  • course details if you\u2019re studying
  • ", + "
  • details of any expenses, for example pension contributions or the cost of caring for your children or the disabled person while you\u2019re at work
  • ", + "

    You also need details of the person you care for. You need their:

    ", + "
  • date of birth and address
  • ", + "
  • National Insurance number if they\u2019re 16 or over
  • ", + "
  • Disability Living Allowance reference if they\u2019re under 16
  • ", + "

    You can backdate your claim by up to 3 months.

    ", + "

    Apply now

    ", + "

    Other ways to apply

    ", + "

    If you cannot apply online, you can apply by post. The address to send your application to is at the end of the form.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    ", + "

    Report a change in circumstances

    ", + "

    You must report changes in your circumstances if you\u2019re claiming or have applied for Carer\u2019s Allowance.

    ", + "

    Changes can include:

    ", + "
  • starting a job
  • ", + "
  • starting or ending full-time education
  • ", + "
  • changes to your income
  • ", + "
  • stopping being a carer
  • ", + "
  • the person you care for no longer getting their disability benefit
  • ", + "
  • someone else who cares for the same person claiming Carer\u2019s Allowance instead of you
  • ", + "
  • someone else who cares for the same person claims the carer\u2019s element of Universal Credit
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    You must tell the Department for Work and Pensions if the person you\u2019re caring for dies.

    ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    If you temporarily stop providing care for someone

    ", + "

    You can still get Carer\u2019s Allowance if you temporarily stop providing care. This means any period when you spend less than 35 hours a week caring for the other person.

    ", + "

    The person you care for must still receive their disability benefit.

    ", + "

    You must tell DWP if you temporarily stop providing care and:

    ", + "
  • you or the person you care for will be in hospital, a nursing home, or respite care for more than 12 weeks
  • ", + "
  • you stop caring for more than 28 days for any other reason
  • ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    If you\u2019re working

    ", + "

    You can work and get Carer\u2019s Allowance, as long as you spend at least 35 hours in your caring role.

    ", + "

    You can get support for you or the person you care for from your employer, local councils and other organisations.

    ", + "

    Time off for an emergency

    ", + "

    You can ask your employer for time off to deal with an emergency involving someone else who depends on you for care. How much time off you get depends on your situation.

    ", + "

    If you do not qualify for time off, your employer may allow you \u2018compassionate leave\u2019 for emergency situations.

    ", + "

    Flexible working

    ", + "

    If you need to work more flexibly, for example work part-time or work from home, you can request flexible working.

    ", + "

    You do not have to tell your employer about your caring role or give another reason why you need to work more flexibly.

    ", + "

    Respite care or \u2018short break\u2019 care

    ", + "

    If you need someone to help look after the person you care for while you\u2019re at work, you can apply for respite care (also known as \u2018short break\u2019 care).

    ", + "

    Respite care options include:

    ", + "
  • getting a paid carer or a volunteer to sit with the person you look after for a few hours
  • ", + "
  • a regular place in a day care centre for the person you care for
  • ", + "

    Your local council may pay for respite care but you and the person you care for will need an assessment before you can apply.

    ", + "

    Contact your local authority for information about local support.

    ", + "

    Advice on starting work

    ", + "

    If you need help starting or returning to work, contact your local Jobcentre Plus for help on how to combine work with your caring responsibilities.

    " + ] + }, + "https://www.gov.uk/carers-credit": { + "url": "https://www.gov.uk/carers-credit", + "title": "Carer's Credit", + "content": "## Overview\n\nYou could get Carer\u2019s Credit if you\u2019re caring for someone for at least 20 hours a week.\n\nCarer\u2019s Credit is a National Insurance credit that helps with gaps in your National Insurance record. Your State Pension is based on your National Insurance record.\n\nYour income, savings or investments will not affect eligibility for Carer\u2019s Credit.\n\n## What you'll get\n\nIf you\u2019re eligible for Carer\u2019s Credit, you can get credits to help fill gaps in your National Insurance record.\n\nThis means you can take on caring responsibilities without affecting your ability to qualify for the State Pension.\n\n## Eligibility\n\nTo get Carer\u2019s Credit you must be:\n\n- aged 16 or over\n\n- under State Pension age\n\n- looking after one or more people for at least 20 hours a week\n\nThe person you\u2019re looking after must get one of the following:\n\n- Disability Living Allowance care component at the middle or highest rate\n\n- Attendance Allowance\n\n- Constant Attendance Allowance\n\n- Personal Independence Payment - daily living component, at the standard or enhanced rate\n\n- Armed Forces Independence Payment\n\nIf the person you\u2019re caring for does not get one of these benefits, you may still be able to get Carer\u2019s Credit. When you apply, fill in the \u2018Care Certificate\u2019 part of the application form and get a health or social care professional to sign it.\n\nCarers who do not qualify for Carer\u2019s Allowance may qualify for Carer\u2019s Credit.\n\n## Breaks in caring and eligibility\n\nYou can still get Carer\u2019s Credit even if you have breaks from caring (up to 12 weeks in a row).\n\nFor example, you\u2019ll still get Carer\u2019s Credit for 12 weeks if:\n\n- you take a short holiday\n\n- someone you look after goes into hospital\n\n- you go into hospital\n\nKeep the Carer\u2019s Allowance Unit updated if you have a break in caring of more than 12 weeks in a row.\n\n## How to claim\n\n## Before you start\n\nYou do not need to apply for Carer\u2019s Credit if you:\n\n- get Carer\u2019s Allowance - you\u2019ll automatically get credits\n\n- get Child Benefit for a child under the age of 12 - you\u2019ll automatically get credits\n\n- are a foster carer - you can apply for National Insurance credits instead\n\n## Apply using a form\n\nDownload the Carer\u2019s Credit claim form.\n\nThe form includes a Care Certificate - ask a health or social care professional to sign it for you.\n\nYou can also get the form by calling the Carer\u2019s Allowance Unit.\n\n## Alternative formats\n\nCall the Carer\u2019s Allowance Unit to ask for alternative formats, such as braille, large print or audio CD.\n\n## Where to send your form\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "original_contents": [ + "

    Overview

    ", + "

    You could get Carer\u2019s Credit if you\u2019re caring for someone for at least 20 hours a week.

    ", + "

    Carer\u2019s Credit is a National Insurance credit that helps with gaps in your National Insurance record. Your State Pension is based on your National Insurance record.

    ", + "

    Your income, savings or investments will not affect eligibility for Carer\u2019s Credit.

    ", + "

    What you'll get

    ", + "

    If you\u2019re eligible for Carer\u2019s Credit, you can get credits to help fill gaps in your National Insurance record.

    ", + "

    This means you can take on caring responsibilities without affecting your ability to qualify for the State Pension.

    ", + "

    Eligibility

    ", + "

    To get Carer\u2019s Credit you must be:

    ", + "
  • aged 16 or over
  • ", + "
  • under State Pension age
  • ", + "
  • looking after one or more people for at least 20 hours a week
  • ", + "

    The person you\u2019re looking after must get one of the following:

    ", + "
  • Disability Living Allowance care component at the middle or highest rate
  • ", + "
  • Attendance Allowance
  • ", + "
  • Constant Attendance Allowance
  • ", + "
  • Personal Independence Payment - daily living component, at the standard or enhanced rate
  • ", + "
  • Armed Forces Independence Payment
  • ", + "

    If the person you\u2019re caring for does not get one of these benefits, you may still be able to get Carer\u2019s Credit. When you apply, fill in the \u2018Care Certificate\u2019 part of the application form and get a health or social care professional to sign it.

    ", + "

    Carers who do not qualify for Carer\u2019s Allowance may qualify for Carer\u2019s Credit.

    ", + "

    Breaks in caring and eligibility

    ", + "

    You can still get Carer\u2019s Credit even if you have breaks from caring (up to 12 weeks in a row).

    ", + "

    For example, you\u2019ll still get Carer\u2019s Credit for 12 weeks if:

    ", + "
  • you take a short holiday
  • ", + "
  • someone you look after goes into hospital
  • ", + "
  • you go into hospital
  • ", + "

    Keep the Carer\u2019s Allowance Unit updated if you have a break in caring of more than 12 weeks in a row.

    ", + "

    How to claim

    ", + "

    Before you start

    ", + "

    You do not need to apply for Carer\u2019s Credit if you:

    ", + "
  • get Carer\u2019s Allowance - you\u2019ll automatically get credits
  • ", + "
  • get Child Benefit for a child under the age of 12 - you\u2019ll automatically get credits
  • ", + "
  • are a foster carer - you can apply for National Insurance credits instead
  • ", + "

    Apply using a form

    ", + "

    Download the Carer\u2019s Credit claim form.

    ", + "

    The form includes a Care Certificate - ask a health or social care professional to sign it for you.

    ", + "

    You can also get the form by calling the Carer\u2019s Allowance Unit.

    ", + "

    Alternative formats

    ", + "

    Call the Carer\u2019s Allowance Unit to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    Where to send your form

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for mandatory reconsideration.

    " + ] + }, + "https://www.gov.uk/housing-benefit": { + "url": "https://www.gov.uk/housing-benefit", + "title": "Housing Benefit", + "content": "## Eligibility\n\nHousing Benefit can help you pay your rent if you\u2019re unemployed, on a low income or claiming benefits. It\u2019s being replaced by Universal Credit.\n\nYou can only make a new claim for Housing Benefit if either of the following apply:\n\n- you have reached State Pension age\n\n- you\u2019re in supported, sheltered or temporary housing\n\n## You\u2019ve reached State Pension age\n\nIf you\u2019re single you can make a new claim for Housing Benefit.\n\n## If you\u2019re over State Pension age and live with your partner\n\nYou can make a new claim for Housing Benefit if any of the following apply:\n\n- you and your partner have both reached State Pension age\n\n- one of you has reached State Pension age and started claiming Pension Credit (for you as a couple) before 15 May 2019\n\n- you\u2019re in supported, sheltered or temporary housing\n\n## If you\u2019re over State Pension age and have an existing claim\n\nYour existing claim will not be affected if, before 15 May 2019, you:\n\n- were getting Housing Benefit\n\n- had reached State Pension age\n\nIt does not matter if your partner is under State Pension age.\n\nIf your circumstances change and your Housing Benefit is stopped, you cannot start getting it again unless you and your partner are eligible to make a new claim.\n\nYou can apply for Universal Credit if you\u2019re not eligible.\n\n## If you\u2019re in supported, sheltered or temporary housing\n\nYou can make a new claim if:\n\n- you\u2019re living in temporary accommodation, such as a B&B arranged by your council\n\n- you\u2019re living in a refuge for survivors of domestic abuse\n\n- you\u2019re living in sheltered or supported housing (such as a hostel) which provides you with \u2018care, support or supervision\u2019\n\nIf you do not get \u2018care, support or supervision\u2019 through your supported or sheltered housing, you can apply for Universal Credit to help with housing costs.\n\nIf you\u2019re in supported, sheltered or temporary housing, you can apply for Universal Credit to help with other living costs.\n\n## When you may not be able to claim\n\nUsually, you will not get Housing Benefit if:\n\n- your savings are over \u00a316,000 - unless you get Guarantee Credit of Pension Credit\n\n- you\u2019re paying a mortgage on your own home - you may be able to get Support for Mortgage Interest (SMI)\n\n- you live in the home of a close relative\n\n- you\u2019re already claiming Universal Credit (unless you\u2019re in temporary or supported housing)\n\n- you live with your partner and they are already claiming Housing Benefit\n\n- you\u2019re a full-time student\n\n- you\u2019re residing in the UK as a European Economic Area jobseeker\n\n- you\u2019re an asylum seeker or sponsored to be in the UK\n\n- you\u2019re subject to immigration control and your granted leave states that you cannot claim public funds\n\n- you\u2019re a Crown Tenant\n\n- you\u2019ve reached State Pension age but your live-in partner has not - unless you had an existing claim as a couple before 15 May 2019\n\nYou may be able to get other help with housing costs.\n\nIf not, you\u2019ll need to claim Universal Credit instead.\n\nUse a benefits calculator to check if you can get Housing Benefit before you apply\n\n## What you'll get\n\nYou may get help with all or part of your rent. There\u2019s no set amount of Housing Benefit and what you get will depend on whether you rent privately or from a council.\n\nUse a benefits calculator to work out what you could get or check what extra help is available.\n\n## Council and social housing rent\n\nHow much you get depends on:\n\n- your \u2018eligible\u2019 rent\n\n- if you have a spare room\n\n- your household income - including benefits, pensions and savings (over \u00a36,000)\n\n- your circumstances, for example the age of people in the house or if someone has a disability\n\n## Eligible rent\n\nYour eligible rent is the amount used to calculate your Housing Benefit claim. It\u2019s your actual rent plus any service charges you have to pay (such as for lift maintenance or a communal laundry) but not things like heating or water costs for your home.\n\n## Spare bedrooms\n\nYour Housing Benefit could be reduced if you live in council or social housing and have a spare bedroom. The reduction is:\n\n- 14% of the \u2018eligible rent\u2019 for 1 spare bedroom\n\n- 25% of the \u2018eligible rent\u2019 for 2 or more spare bedrooms\n\n## Sharing bedrooms\n\nThe following are expected to share:\n\n- an adult couple\n\n- 2 children under 16 of the same sex\n\n- 2 children under 10 (regardless of sex)\n\nThe following can have their own bedroom:\n\n- a single adult (16 or over)\n\n- a child that would normally share but shared bedrooms are already taken, for example you have 3 children and 2 already share\n\n- a couple or children who cannot share because of a disability or medical condition\n\n- an overnight carer for you, your partner, your child or another adult - this is only if the carer does not live with you but sometimes has to stay overnight\n\nOne spare bedroom is allowed for:\n\n- an approved foster carer who is between placements but only for up to 52 weeks from the end of the last placement\n\n- a newly approved foster carer for up to 52 weeks from the date of approval if no child is placed with them during that time\n\nRooms used by students and members of the armed or reserve forces will not be counted as \u2018spare\u2019 if they\u2019re away and intend to return home.\n\n## Private rent\n\nIf you rent privately, your eligible rent amount is either your Local Housing Allowance (LHA) rate or your actual rent, whichever is lower. The LHA rate is based on:\n\n- where you live\n\n- your household size - find out how many bedrooms you\u2019re eligible for\n\n## How much you can get\n\nHow much you get depends on:\n\n- the lower figure of your \u2018eligible\u2019 rent or LHA rate\n\n- your household income including benefits, pensions and savings (over \u00a36,000)\n\n- your circumstances (for example your age or whether you have a disability)\n\nContact your local council if you\u2019re living in:\n\n- a houseboat or a mooring\n\n- a caravan site\n\n- a room with any meals included in the rent (sometimes known as a boarding home)\n\n- a hostel\n\n- a Rent Act protected property\n\n## Exception\n\nIf you\u2019ve been getting Housing Benefit since before 7 April 2008, these limits only apply if you:\n\n- change address\n\n- have a break in your claim for Housing Benefit\n\n## How you\u2019re paid\n\nThe way you get paid Housing Benefit by your council depends on the type of tenant you are.\n\nIf you\u2019re a:\n\n- council tenant, it\u2019s paid into your rent account (you will not receive the money)\n\n- private or housing association tenant, it\u2019s paid into your bank or building society account (rarely by cheque)\n\n## The benefit cap\n\nThe benefit cap limits the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.\n\nIf you\u2019re affected, your Housing Benefit will go down to make sure that the total amount of benefit you get is not more than the cap level. Use the benefit cap calculator to find out how the benefit cap affects you.\n\n## Appeal a Housing Benefit decision\n\nContact your local council to appeal a Housing Benefit decision.\n\n## Supporting your claim\n\nYou\u2019ll need to provide some information and evidence to support your claim for Housing Benefit.\n\nYou\u2019ll get Housing Benefit faster if you have this available when you make your claim.\n\nYou\u2019ll need to know:\n\n- how much rent you pay\n\n- whether anything else is included in the rent, such as water, gas or electricity charges\n\n- if you pay any service charges, including building maintenance or insurance\n\n- your landlord or agent\u2019s details\n\n## Special types of tenancy\n\nIf your current tenancy started in 1997 or earlier and you rent from a private landlord, you\u2019ll need to know if you have an \u2018assured tenancy\u2019. You can check your tenancy on the Shelter website.\n\nIf you live in and pay rent for a government property (a \u2018Crown Tenant\u2019), you\u2019re not entitled to Housing Benefit. This includes armed forces living in service family accommodation (SFA).\n\n## Evidence you\u2019ll have to provide\n\nYou\u2019ll need to provide original documents, not copies. The supporting evidence you\u2019ll need includes:\n\n- your most recent payslips (5 if paid weekly, or 2 if paid monthly)\n\n- bank or building society statements for the last 2 full months\n\n- proof of other income or investments, including shares, ISAs or Premium Bonds\n\n- proof of income for any non-dependants living with you, such as adult relatives or friends\n\nYou\u2019ll also need proof of your partner\u2019s name and address. You cannot use the same document to prove both their name and address.\n\nProvide any 2 of the following:\n\n- UK photocard driving licence\n\n- current passport\n\n- birth or marriage certificate\n\n- biometric residence permit\n\n- certificate of registration or naturalisation\n\n- permanent residence card\n\n- letter from HMRC or the Home Office\n\n- recent utility bill\n\n- recent bank or building society statement\n\n- recent benefit award statements\n\n## If you rent from a private landlord\n\nYou\u2019ll also need to provide one of the following:\n\n- a tenancy agreement or rent book\n\n- a letter from your landlord confirming your tenancy - this is usually supplied at the start of your tenancy\n\n## How to claim\n\nHousing Benefit is being replaced by Universal Credit. Most people will need to claim Universal Credit instead.\n\nCheck if you\u2019re eligible for Housing Benefit before you apply.\n\nYou can either apply:\n\n- through your local council\n\n- as part of a Pension Credit claim, if you\u2019re eligible for this\n\nYou\u2019ll need to provide evidence to support your Housing Benefit claim.\n\n## If you\u2019re applying for Pension Credit\n\nYou can apply for Housing Benefit as part of your Pension Credit application.\n\nApply for Pension Credit online or contact the Pension Service to claim.\n\nThe Pension Service will send details of your claim for Housing Benefit to your council.\n\n## Claiming in advance and backdating\n\nYou can claim in advance by up to 13 weeks (or 17 weeks if you\u2019re aged 60 or over), for example if you\u2019re moving. You will not usually get any money before you move.\n\nYou might also be able to get your claim backdated - ask your council.\n\n## Appeal a decision\n\nYou can ask your council for a Housing Benefit decision to be reconsidered.\n\nIf you\u2019re unhappy with the response you can appeal the decision.\n\n## Report a change of circumstances\n\nYou need to report a change of circumstances for you and anyone else in your house.\n\nYour claim might be stopped or reduced if you do not report a change of circumstances straight away.\n\nChanges can include:\n\n- starting or stopping work, education, training or an apprenticeship\n\n- changes to the benefits you or anyone else in your house gets\n\n- changes to your personal or workplace pension\n\n- changes to your savings, investments or property\n\n- your income going up or down\n\n- moving house\n\n- your rent going up or down\n\n- going abroad for any length of time\n\n- going into hospital, a care home or sheltered accommodation\n\n- people moving into or out of your house (for example your partner, a child or lodger)\n\n- having a baby\n\n- your partner or someone you live with dying\n\n- your child turning 18\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nContact your council if you\u2019re not sure whether you need to report a change.\n\n## How to report\n\nReport a change of circumstances to your council.\n\n## If you receive other benefits\n\nYou need to report a change of circumstances for all benefits you receive.\n\n## If your other benefits stop\n\nSome benefits stop if you go back to work, work more hours or earn more money.\n\nIf this happens, your council might:\n\n- give you an extra 4 weeks of housing benefit (\u2018Extended Payment of Housing Benefit\u2019)\n\n- start paying you an \u2018in-work Housing Benefit\u2019\n\nYou do not have to claim - your council will decide if you\u2019re eligible for help and write to let you know.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## Other help with housing costs\n\nHousing Benefit will not cover heating, hot water, energy or food. If you need help, use a benefits calculator to see what else you might be entitled to.\n\n## Extra help to pay the rent\n\nYou could also apply for extra help from your council if your Housing Benefit does not cover your rent. This is called a Discretionary Housing Payment.\n\n## Help with heating costs\n\nCheck what help you can get with heating and energy costs.", + "original_contents": [ + "

    Eligibility

    ", + "

    Housing Benefit can help you pay your rent if you\u2019re unemployed, on a low income or claiming benefits. It\u2019s being replaced by Universal Credit.

    ", + "

    You can only make a new claim for Housing Benefit if either of the following apply:

    ", + "
  • you have reached State Pension age
  • ", + "
  • you\u2019re in supported, sheltered or temporary housing
  • ", + "

    You\u2019ve reached State Pension age

    ", + "

    If you\u2019re single you can make a new claim for Housing Benefit.

    ", + "

    If you\u2019re over State Pension age and live with your partner

    ", + "

    You can make a new claim for Housing Benefit if any of the following apply:

    ", + "
  • you and your partner have both reached State Pension age
  • ", + "
  • one of you has reached State Pension age and started claiming Pension Credit (for you as a couple) before 15 May 2019
  • ", + "
  • you\u2019re in supported, sheltered or temporary housing
  • ", + "

    If you\u2019re over State Pension age and have an existing claim

    ", + "

    Your existing claim will not be affected if, before 15 May 2019, you:

    ", + "
  • were getting Housing Benefit
  • ", + "
  • had reached State Pension age
  • ", + "

    It does not matter if your partner is under State Pension age.

    ", + "

    If your circumstances change and your Housing Benefit is stopped, you cannot start getting it again unless you and your partner are eligible to make a new claim.

    ", + "

    You can apply for Universal Credit if you\u2019re not eligible.

    ", + "

    If you\u2019re in supported, sheltered or temporary housing

    ", + "

    You can make a new claim if:

    ", + "
  • you\u2019re living in temporary accommodation, such as a B&B arranged by your council
  • ", + "
  • you\u2019re living in a refuge for survivors of domestic abuse
  • ", + "
  • you\u2019re living in sheltered or supported housing (such as a hostel) which provides you with \u2018care, support or supervision\u2019
  • ", + "

    If you do not get \u2018care, support or supervision\u2019 through your supported or sheltered housing, you can apply for Universal Credit to help with housing costs.

    ", + "

    If you\u2019re in supported, sheltered or temporary housing, you can apply for Universal Credit to help with other living costs.

    ", + "

    When you may not be able to claim

    ", + "

    Usually, you will not get Housing Benefit if:

    ", + "
  • your savings are over \u00a316,000 - unless you get Guarantee Credit of Pension Credit
  • ", + "
  • you\u2019re paying a mortgage on your own home - you may be able to get Support for Mortgage Interest (SMI)
  • ", + "
  • you live in the home of a close relative
  • ", + "
  • you\u2019re already claiming Universal Credit (unless you\u2019re in temporary or supported housing)
  • ", + "
  • you live with your partner and they are already claiming Housing Benefit
  • ", + "
  • you\u2019re a full-time student
  • ", + "
  • you\u2019re residing in the UK as a European Economic Area jobseeker
  • ", + "
  • you\u2019re an asylum seeker or sponsored to be in the UK
  • ", + "
  • you\u2019re subject to immigration control and your granted leave states that you cannot claim public funds
  • ", + "
  • you\u2019re a Crown Tenant
  • ", + "
  • you\u2019ve reached State Pension age but your live-in partner has not - unless you had an existing claim as a couple before 15 May 2019
  • ", + "

    You may be able to get other help with housing costs.

    ", + "

    If not, you\u2019ll need to claim Universal Credit instead.

    ", + "

    Use a benefits calculator to check if you can get Housing Benefit before you apply

    ", + "

    What you'll get

    ", + "

    You may get help with all or part of your rent. There\u2019s no set amount of Housing Benefit and what you get will depend on whether you rent privately or from a council.

    ", + "

    Use a benefits calculator to work out what you could get or check what extra help is available.

    ", + "

    Council and social housing rent

    ", + "

    How much you get depends on:

    ", + "
  • your \u2018eligible\u2019 rent
  • ", + "
  • if you have a spare room
  • ", + "
  • your household income - including benefits, pensions and savings (over \u00a36,000)
  • ", + "
  • your circumstances, for example the age of people in the house or if someone has a disability
  • ", + "

    Eligible rent

    ", + "

    Your eligible rent is the amount used to calculate your Housing Benefit claim. It\u2019s your actual rent plus any service charges you have to pay (such as for lift maintenance or a communal laundry) but not things like heating or water costs for your home.

    ", + "

    Spare bedrooms

    ", + "

    Your Housing Benefit could be reduced if you live in council or social housing and have a spare bedroom. The reduction is:

    ", + "
  • 14% of the \u2018eligible rent\u2019 for 1 spare bedroom
  • ", + "
  • 25% of the \u2018eligible rent\u2019 for 2 or more spare bedrooms
  • ", + "

    Sharing bedrooms

    ", + "

    The following are expected to share:

    ", + "
  • an adult couple
  • ", + "
  • 2 children under 16 of the same sex
  • ", + "
  • 2 children under 10 (regardless of sex)
  • ", + "

    The following can have their own bedroom:

    ", + "
  • a single adult (16 or over)
  • ", + "
  • a child that would normally share but shared bedrooms are already taken, for example you have 3 children and 2 already share
  • ", + "
  • a couple or children who cannot share because of a disability or medical condition
  • ", + "
  • an overnight carer for you, your partner, your child or another adult - this is only if the carer does not live with you but sometimes has to stay overnight
  • ", + "

    One spare bedroom is allowed for:

    ", + "
  • an approved foster carer who is between placements but only for up to 52 weeks from the end of the last placement
  • ", + "
  • a newly approved foster carer for up to 52 weeks from the date of approval if no child is placed with them during that time
  • ", + "

    Rooms used by students and members of the armed or reserve forces will not be counted as \u2018spare\u2019 if they\u2019re away and intend to return home.

    ", + "

    Private rent

    ", + "

    If you rent privately, your eligible rent amount is either your Local Housing Allowance (LHA) rate or your actual rent, whichever is lower. The LHA rate is based on:

    ", + "
  • where you live
  • ", + "
  • your household size - find out how many bedrooms you\u2019re eligible for
  • ", + "

    How much you can get

    ", + "

    How much you get depends on:

    ", + "
  • the lower figure of your \u2018eligible\u2019 rent or LHA rate
  • ", + "
  • your household income including benefits, pensions and savings (over \u00a36,000)
  • ", + "
  • your circumstances (for example your age or whether you have a disability)
  • ", + "

    Contact your local council if you\u2019re living in:

    ", + "
  • a houseboat or a mooring
  • ", + "
  • a caravan site
  • ", + "
  • a room with any meals included in the rent (sometimes known as a boarding home)
  • ", + "
  • a hostel
  • ", + "
  • a Rent Act protected property
  • ", + "

    Exception

    ", + "

    If you\u2019ve been getting Housing Benefit since before 7 April 2008, these limits only apply if you:

    ", + "
  • change address
  • ", + "
  • have a break in your claim for Housing Benefit
  • ", + "

    How you\u2019re paid

    ", + "

    The way you get paid Housing Benefit by your council depends on the type of tenant you are.

    ", + "

    If you\u2019re a:

    ", + "
  • council tenant, it\u2019s paid into your rent account (you will not receive the money)
  • ", + "
  • private or housing association tenant, it\u2019s paid into your bank or building society account (rarely by cheque)
  • ", + "

    The benefit cap

    ", + "

    The benefit cap limits the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.

    ", + "

    If you\u2019re affected, your Housing Benefit will go down to make sure that the total amount of benefit you get is not more than the cap level. Use the benefit cap calculator to find out how the benefit cap affects you.

    ", + "

    Appeal a Housing Benefit decision

    ", + "

    Contact your local council to appeal a Housing Benefit decision.

    ", + "

    Supporting your claim

    ", + "

    You\u2019ll need to provide some information and evidence to support your claim for Housing Benefit.

    ", + "

    You\u2019ll get Housing Benefit faster if you have this available when you make your claim.

    ", + "

    You\u2019ll need to know:

    ", + "
  • how much rent you pay
  • ", + "
  • whether anything else is included in the rent, such as water, gas or electricity charges
  • ", + "
  • if you pay any service charges, including building maintenance or insurance
  • ", + "
  • your landlord or agent\u2019s details
  • ", + "

    Special types of tenancy

    ", + "

    If your current tenancy started in 1997 or earlier and you rent from a private landlord, you\u2019ll need to know if you have an \u2018assured tenancy\u2019. You can check your tenancy on the Shelter website.

    ", + "

    If you live in and pay rent for a government property (a \u2018Crown Tenant\u2019), you\u2019re not entitled to Housing Benefit. This includes armed forces living in service family accommodation (SFA).

    ", + "

    Evidence you\u2019ll have to provide

    ", + "

    You\u2019ll need to provide original documents, not copies. The supporting evidence you\u2019ll need includes:

    ", + "
  • your most recent payslips (5 if paid weekly, or 2 if paid monthly)
  • ", + "
  • bank or building society statements for the last 2 full months
  • ", + "
  • proof of other income or investments, including shares, ISAs or Premium Bonds
  • ", + "
  • proof of income for any non-dependants living with you, such as adult relatives or friends
  • ", + "

    You\u2019ll also need proof of your partner\u2019s name and address. You cannot use the same document to prove both their name and address.

    ", + "

    Provide any 2 of the following:

    ", + "
  • UK photocard driving licence
  • ", + "
  • current passport
  • ", + "
  • birth or marriage certificate
  • ", + "
  • biometric residence permit
  • ", + "
  • certificate of registration or naturalisation
  • ", + "
  • permanent residence card
  • ", + "
  • letter from HMRC or the Home Office
  • ", + "
  • recent utility bill
  • ", + "
  • recent bank or building society statement
  • ", + "
  • recent benefit award statements
  • ", + "

    If you rent from a private landlord

    ", + "

    You\u2019ll also need to provide one of the following:

    ", + "
  • a tenancy agreement or rent book
  • ", + "
  • a letter from your landlord confirming your tenancy - this is usually supplied at the start of your tenancy
  • ", + "

    How to claim

    ", + "

    Housing Benefit is being replaced by Universal Credit. Most people will need to claim Universal Credit instead.

    ", + "

    Check if you\u2019re eligible for Housing Benefit before you apply.

    ", + "

    You can either apply:

    ", + "
  • through your local council
  • ", + "
  • as part of a Pension Credit claim, if you\u2019re eligible for this
  • ", + "

    You\u2019ll need to provide evidence to support your Housing Benefit claim.

    ", + "

    If you\u2019re applying for Pension Credit

    ", + "

    You can apply for Housing Benefit as part of your Pension Credit application.

    ", + "

    Apply for Pension Credit online or contact the Pension Service to claim.

    ", + "

    The Pension Service will send details of your claim for Housing Benefit to your council.

    ", + "

    Claiming in advance and backdating

    ", + "

    You can claim in advance by up to 13 weeks (or 17 weeks if you\u2019re aged 60 or over), for example if you\u2019re moving. You will not usually get any money before you move.

    ", + "

    You might also be able to get your claim backdated - ask your council.

    ", + "

    Appeal a decision

    ", + "

    You can ask your council for a Housing Benefit decision to be reconsidered.

    ", + "

    If you\u2019re unhappy with the response you can appeal the decision.

    ", + "

    Report a change of circumstances

    ", + "

    You need to report a change of circumstances for you and anyone else in your house.

    ", + "

    Your claim might be stopped or reduced if you do not report a change of circumstances straight away.

    ", + "

    Changes can include:

    ", + "
  • starting or stopping work, education, training or an apprenticeship
  • ", + "
  • changes to the benefits you or anyone else in your house gets
  • ", + "
  • changes to your personal or workplace pension
  • ", + "
  • changes to your savings, investments or property
  • ", + "
  • your income going up or down
  • ", + "
  • moving house
  • ", + "
  • your rent going up or down
  • ", + "
  • going abroad for any length of time
  • ", + "
  • going into hospital, a care home or sheltered accommodation
  • ", + "
  • people moving into or out of your house (for example your partner, a child or lodger)
  • ", + "
  • having a baby
  • ", + "
  • your partner or someone you live with dying
  • ", + "
  • your child turning 18
  • ", + "
  • changes to your immigration status, if you\u2019re not a British citizen
  • ", + "

    Contact your council if you\u2019re not sure whether you need to report a change.

    ", + "

    How to report

    ", + "

    Report a change of circumstances to your council.

    ", + "

    If you receive other benefits

    ", + "

    You need to report a change of circumstances for all benefits you receive.

    ", + "

    If your other benefits stop

    ", + "

    Some benefits stop if you go back to work, work more hours or earn more money.

    ", + "

    If this happens, your council might:

    ", + "
  • give you an extra 4 weeks of housing benefit (\u2018Extended Payment of Housing Benefit\u2019)
  • ", + "
  • start paying you an \u2018in-work Housing Benefit\u2019
  • ", + "

    You do not have to claim - your council will decide if you\u2019re eligible for help and write to let you know.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    Other help with housing costs

    ", + "

    Housing Benefit will not cover heating, hot water, energy or food. If you need help, use a benefits calculator to see what else you might be entitled to.

    ", + "

    Extra help to pay the rent

    ", + "

    You could also apply for extra help from your council if your Housing Benefit does not cover your rent. This is called a Discretionary Housing Payment.

    ", + "

    Help with heating costs

    ", + "

    Check what help you can get with heating and energy costs.

    " + ] + }, + "https://www.gov.uk/support-for-mortgage-interest": { + "url": "https://www.gov.uk/support-for-mortgage-interest", + "title": "Support for Mortgage Interest (SMI)", + "content": "## Overview\n\nIf you\u2019re a homeowner, you might be able to get help towards interest payments on:\n\n- your mortgage\n\n- loans you\u2019ve taken out for certain repairs and improvements to your home\n\nThis help is called Support for Mortgage Interest (SMI).\n\nThis guide is also available in Welsh (Cymraeg).\n\nIt\u2019s paid as a loan, which you\u2019ll need to repay with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).\n\nYou usually need to be getting, or treated as getting, a qualifying benefit to get SMI.\n\nThere\u2019s no guarantee that you\u2019ll get SMI for a mortgage or loan you take out.\n\n## What you cannot use SMI for\n\nSMI cannot help you pay:\n\n- the amount you borrowed - only the interest on your mortgage\n\n- anything towards insurance policies you have\n\n- missed mortgage payments (arrears)\n\n## What you'll get\n\nIf you qualify for Support for Mortgage Interest (SMI), you\u2019ll usually get help paying the interest on up to \u00a3200,000 of your loan or mortgage.\n\nHowever, you can only get up to \u00a3100,000 if either:\n\n- you\u2019re getting Pension Credit\n\n- you started claiming another qualifying benefit before January 2009 and you were below State Pension age at that time\n\nIf you\u2019re already getting SMI and move to Pension Credit within 12 weeks of stopping your other benefits, you\u2019ll still get help with interest on up to \u00a3200,000.\n\nThe interest rate used to calculate the amount of SMI you\u2019ll get is currently 2.09%.\n\n## What you\u2019ll pay back\n\nSMI is paid as a loan. You\u2019ll need to repay the money you get with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).\n\nThe interest added to the loan can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%.\n\nIf you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.\n\n## How SMI is paid\n\nSMI is normally paid direct to your lender.\n\nPayments can start either:\n\n- from the date you start getting Pension Credit\n\n- after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income\n\n- after you\u2019ve claimed any other qualifying benefit for 39 weeks in a row\n\n## Eligibility\n\nTo be eligible for a Support for Mortgage Interest (SMI) loan, you usually need to be getting one of the following qualifying benefits:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance (JSA)\n\n- income-related Employment and Support Allowance (ESA)\n\n- Universal Credit\n\n- Pension Credit\n\nContact the relevant office to check if you\u2019re eligible for SMI.\n\nYou can start getting the loan:\n\n- from the date you start getting Pension Credit\n\n- after you\u2019ve claimed Income Support, income-based JSA or income-based ESA for 39 weeks in a row\n\n- after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income\n\n## If you receive Universal Credit\n\nYou cannot get SMI if you get any of the following income:\n\n- earnings from your job if you\u2019re employed or self-employed\n\n- a tax refund\n\n- Statutory Sick Pay\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Shared Parental Pay\n\nTo start getting SMI (or get it again if your SMI stopped), you\u2019ll need to stop getting this income and then get Universal Credit for 9 months in a row.\n\n## If your income is too high to get a qualifying benefit\n\nYou might still be able to get SMI if you apply for one of the qualifying benefits but cannot get it because your income is too high. You\u2019ll then be treated as getting the benefit you applied for.\n\nYou will not be treated as getting Universal Credit if you cannot get it because your income is too high.\n\n## How to apply\n\nWhen you apply for a qualifying benefit, you\u2019ll be asked extra questions about your housing costs to find out if you\u2019re eligible for Support for Mortgage Interest (SMI). You might also be sent a form asking for more detailed information.\n\nIf you qualify for SMI, you\u2019ll be offered a loan.\n\nIf you turn down the offer at first, you can still accept it at any time as long as you\u2019re eligible for SMI. The payments to your lender will be backdated to when you were first entitled to the loan. Contact the office that pays your benefit.\n\n## If you already get a qualifying benefit\n\nContact the office that pays your benefit to find out if you could get an SMI loan.\n\nThe payments to your lender will be backdated to when you were first entitled to the loan.\n\nIf you get or have applied for Income Support, income-based JSA or income-related ESA, contact Jobcentre Plus.\n\nIf you get or have applied for Pension Credit, contact the Pension Service.\n\nIf you get or have applied for Universal Credit, contact the Universal Credit helpline.\n\n## Repaying your loan\n\nYou\u2019ll need to repay your SMI loan with interest if you sell or transfer ownership of your home.\n\nThe interest you pay can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%. You\u2019ll be told if this is going to change.\n\n## Selling your home\n\nYou will not be asked to sell your home in order to repay your SMI loan.\n\nIf you sell your home, you\u2019ll repay the SMI loan from what\u2019s left after you pay:\n\n- your mortgage\n\n- any home improvement loans\n\n- any other loans secured against your home\n\nIf you do not have enough left to pay off all of the SMI loan, you will have to pay back what you can. The rest of the loan will be written off.\n\n## If you\u2019re buying a new home\n\nYou may be able to transfer the loan to your new home. Contact DWP Loan Management as soon as you know you intend to move, and before you complete your sale.\n\nYou\u2019ll need to give DWP Loan Management your solicitor\u2019s contact details. They will work with your solicitor to arrange for the loan to be moved to your new home.\n\nThe office paying your qualifying benefit will also check you\u2019re still eligible.\n\n## Voluntary repayments\n\nIf you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.\n\n## How to repay\n\nContact DWP Loan Repayment to ask for a \u2018settlement letter\u2019 - this will tell you how much you need to pay.\n\nYou can pay by telephone or online banking using the bank account details in your settlement letter.\n\n## Get other financial help with your housing costs\n\nYou can still get financial help with your housing costs if your Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance is going to stop because you are about to:\n\n- return to work full-time\n\n- work more hours\n\n- earn more money\n\n## Help and support\n\nYou can get free information about housing support from:\n\n- Citizens Advice\n\n- Money Advice Service\n\n- Shelter", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re a homeowner, you might be able to get help towards interest payments on:

    ", + "
  • your mortgage
  • ", + "
  • loans you\u2019ve taken out for certain repairs and improvements to your home
  • ", + "

    This help is called Support for Mortgage Interest (SMI).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    It\u2019s paid as a loan, which you\u2019ll need to repay with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).

    ", + "

    You usually need to be getting, or treated as getting, a qualifying benefit to get SMI.

    ", + "

    There\u2019s no guarantee that you\u2019ll get SMI for a mortgage or loan you take out.

    ", + "

    What you cannot use SMI for

    ", + "

    SMI cannot help you pay:

    ", + "
  • the amount you borrowed - only the interest on your mortgage
  • ", + "
  • anything towards insurance policies you have
  • ", + "
  • missed mortgage payments (arrears)
  • ", + "

    What you'll get

    ", + "

    If you qualify for Support for Mortgage Interest (SMI), you\u2019ll usually get help paying the interest on up to \u00a3200,000 of your loan or mortgage.

    ", + "

    However, you can only get up to \u00a3100,000 if either:

    ", + "
  • you\u2019re getting Pension Credit
  • ", + "
  • you started claiming another qualifying benefit before January 2009 and you were below State Pension age at that time
  • ", + "

    If you\u2019re already getting SMI and move to Pension Credit within 12 weeks of stopping your other benefits, you\u2019ll still get help with interest on up to \u00a3200,000.

    ", + "

    The interest rate used to calculate the amount of SMI you\u2019ll get is currently 2.09%.

    ", + "

    What you\u2019ll pay back

    ", + "

    SMI is paid as a loan. You\u2019ll need to repay the money you get with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).

    ", + "

    The interest added to the loan can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%.

    ", + "

    If you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.

    ", + "

    How SMI is paid

    ", + "

    SMI is normally paid direct to your lender.

    ", + "

    Payments can start either:

    ", + "
  • from the date you start getting Pension Credit
  • ", + "
  • after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income
  • ", + "
  • after you\u2019ve claimed any other qualifying benefit for 39 weeks in a row
  • ", + "

    Eligibility

    ", + "

    To be eligible for a Support for Mortgage Interest (SMI) loan, you usually need to be getting one of the following qualifying benefits:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Universal Credit
  • ", + "
  • Pension Credit
  • ", + "

    Contact the relevant office to check if you\u2019re eligible for SMI.

    ", + "

    You can start getting the loan:

    ", + "
  • from the date you start getting Pension Credit
  • ", + "
  • after you\u2019ve claimed Income Support, income-based JSA or income-based ESA for 39 weeks in a row
  • ", + "
  • after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income
  • ", + "

    If you receive Universal Credit

    ", + "

    You cannot get SMI if you get any of the following income:

    ", + "
  • earnings from your job if you\u2019re employed or self-employed
  • ", + "
  • a tax refund
  • ", + "
  • Statutory Sick Pay
  • ", + "
  • Statutory Maternity Pay
  • ", + "
  • Statutory Paternity Pay
  • ", + "
  • Statutory Adoption Pay
  • ", + "
  • Statutory Shared Parental Pay
  • ", + "

    To start getting SMI (or get it again if your SMI stopped), you\u2019ll need to stop getting this income and then get Universal Credit for 9 months in a row.

    ", + "

    If your income is too high to get a qualifying benefit

    ", + "

    You might still be able to get SMI if you apply for one of the qualifying benefits but cannot get it because your income is too high. You\u2019ll then be treated as getting the benefit you applied for.

    ", + "

    You will not be treated as getting Universal Credit if you cannot get it because your income is too high.

    ", + "

    How to apply

    ", + "

    When you apply for a qualifying benefit, you\u2019ll be asked extra questions about your housing costs to find out if you\u2019re eligible for Support for Mortgage Interest (SMI). You might also be sent a form asking for more detailed information.

    ", + "

    If you qualify for SMI, you\u2019ll be offered a loan.

    ", + "

    If you turn down the offer at first, you can still accept it at any time as long as you\u2019re eligible for SMI. The payments to your lender will be backdated to when you were first entitled to the loan. Contact the office that pays your benefit.

    ", + "

    If you already get a qualifying benefit

    ", + "

    Contact the office that pays your benefit to find out if you could get an SMI loan.

    ", + "

    The payments to your lender will be backdated to when you were first entitled to the loan.

    ", + "

    If you get or have applied for Income Support, income-based JSA or income-related ESA, contact Jobcentre Plus.

    ", + "

    If you get or have applied for Pension Credit, contact the Pension Service.

    ", + "

    If you get or have applied for Universal Credit, contact the Universal Credit helpline.

    ", + "

    Repaying your loan

    ", + "

    You\u2019ll need to repay your SMI loan with interest if you sell or transfer ownership of your home.

    ", + "

    The interest you pay can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%. You\u2019ll be told if this is going to change.

    ", + "

    Selling your home

    ", + "

    You will not be asked to sell your home in order to repay your SMI loan.

    ", + "

    If you sell your home, you\u2019ll repay the SMI loan from what\u2019s left after you pay:

    ", + "
  • your mortgage
  • ", + "
  • any home improvement loans
  • ", + "
  • any other loans secured against your home
  • ", + "

    If you do not have enough left to pay off all of the SMI loan, you will have to pay back what you can. The rest of the loan will be written off.

    ", + "

    If you\u2019re buying a new home

    ", + "

    You may be able to transfer the loan to your new home. Contact DWP Loan Management as soon as you know you intend to move, and before you complete your sale.

    ", + "

    You\u2019ll need to give DWP Loan Management your solicitor\u2019s contact details. They will work with your solicitor to arrange for the loan to be moved to your new home.

    ", + "

    The office paying your qualifying benefit will also check you\u2019re still eligible.

    ", + "

    Voluntary repayments

    ", + "

    If you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.

    ", + "

    How to repay

    ", + "

    Contact DWP Loan Repayment to ask for a \u2018settlement letter\u2019 - this will tell you how much you need to pay.

    ", + "

    You can pay by telephone or online banking using the bank account details in your settlement letter.

    ", + "

    Get other financial help with your housing costs

    ", + "

    You can still get financial help with your housing costs if your Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance is going to stop because you are about to:

    ", + "
  • return to work full-time
  • ", + "
  • work more hours
  • ", + "
  • earn more money
  • ", + "

    Help and support

    ", + "

    You can get free information about housing support from:

    ", + "
  • Citizens Advice
  • ", + "
  • Money Advice Service
  • ", + "
  • Shelter
  • " + ] + }, + "https://www.gov.uk/mortgage-interest-run-on": { + "url": "https://www.gov.uk/mortgage-interest-run-on", + "title": "Mortgage Interest Run On", + "content": "## Overview\n\nMortgage Interest Run On is extra money you can get towards your housing costs if certain other benefits are stopping because you\u2019re:\n\n- returning to work full-time\n\n- working more hours\n\n- earning more money\n\nYou can get this help for 4 weeks.\n\n## What you'll get\n\nIf you\u2019re eligible and were getting Support for Mortgage Interest before your work situation changed, you\u2019ll usually continue to get the same amount as you were getting before your benefits stopped.\n\nPayments for your mortgage or loan interest will be paid direct to you instead of to your lender.\n\n## Eligibility\n\nYou can claim Mortgage Interest Run On if you\u2019ve stopped getting income-based Jobseeker\u2019s Allowance, Income Support or income-related Employment and Support Allowance because you\u2019re:\n\n- returning to work full-time\n\n- working more hours\n\n- earning more money\n\nAll of the following must also apply:\n\n- you\u2019ve been claiming the benefit continuously for at least 26 weeks\n\n- you expect the work (or more money) to last for 5 weeks or more\n\n- you were entitled to help with your\u00a0housing costs\u00a0before your work started and you\u2019ll still have these costs when you start work\n\n## How to claim\n\nYou don\u2019t need to apply - you should get Mortgage Interest Run On automatically. You just need to let your Jobcentre Plus office know as soon as you\u2019re starting work.", + "original_contents": [ + "

    Overview

    ", + "

    Mortgage Interest Run On is extra money you can get towards your housing costs if certain other benefits are stopping because you\u2019re:

    ", + "
  • returning to work full-time
  • ", + "
  • working more hours
  • ", + "
  • earning more money
  • ", + "

    You can get this help for 4 weeks.

    ", + "

    What you'll get

    ", + "

    If you\u2019re eligible and were getting Support for Mortgage Interest before your work situation changed, you\u2019ll usually continue to get the same amount as you were getting before your benefits stopped.

    ", + "

    Payments for your mortgage or loan interest will be paid direct to you instead of to your lender.

    ", + "

    Eligibility

    ", + "

    You can claim Mortgage Interest Run On if you\u2019ve stopped getting income-based Jobseeker\u2019s Allowance, Income Support or income-related Employment and Support Allowance because you\u2019re:

    ", + "
  • returning to work full-time
  • ", + "
  • working more hours
  • ", + "
  • earning more money
  • ", + "

    All of the following must also apply:

    ", + "
  • you\u2019ve been claiming the benefit continuously for at least 26 weeks
  • ", + "
  • you expect the work (or more money) to last for 5 weeks or more
  • ", + "
  • you were entitled to help with your\u00a0housing costs\u00a0before your work started and you\u2019ll still have these costs when you start work
  • ", + "

    How to claim

    ", + "

    You don\u2019t need to apply - you should get Mortgage Interest Run On automatically. You just need to let your Jobcentre Plus office know as soon as you\u2019re starting work.

    " + ] + }, + "https://www.gov.uk/the-warm-home-discount-scheme": { + "url": "https://www.gov.uk/the-warm-home-discount-scheme", + "title": "Warm Home Discount Scheme", + "content": "## Overview\n\nYou could get \u00a3140 off your electricity bill for winter 2021 to 2022 under the Warm Home Discount Scheme. The scheme opens on 18 October 2021.\n\nThe money is not paid to you - it\u2019s a one-off discount on your electricity bill, between October and March.\n\nYou may be able to get the discount on your gas bill instead if your supplier provides you with both gas and electricity. Contact your supplier to find out.\n\nThe discount will not affect your Cold Weather Payment or Winter Fuel Payment.\n\n## Eligibility\n\nThere are 2 ways to qualify for the Warm Home Discount Scheme:\n\n- you get the Guarantee Credit element of Pension Credit - known as the \u2018core group\u2019\n\n- you\u2019re on a low income and meet your energy supplier\u2019s criteria for the scheme - known as the \u2018broader group\u2019\n\nHow you apply for the Warm Home Discount Scheme depends on how you qualify for the discount.\n\n## Pre-pay or pay-as-you-go meters\n\nYou can still qualify for the discount if you use a pre-pay or pay-as-you-go electricity meter.\n\nYour electricity supplier can tell you how you\u2019ll get the discount if you\u2019re eligible, for example a voucher you can use to top up your meter.\n\n## Park (mobile) homes\n\nYou apply a different way if you live in a park home.\n\nPark home applications for winter 2021 to 2022 will open in autumn 2021.\n\nFill in the Park Homes Warm Home Discount contact form to be told when the scheme reopens.\n\nContact Charis Grants for more information about the scheme.\n\n## If you get the Guarantee Credit element of Pension Credit\n\nYou qualify for the discount if on 4 July 2021 all of the following apply:\n\n- your energy supplier is part of the scheme\n\n- your name (or your partner\u2019s) is on the bill\n\n- you or your partner are getting the Guarantee Credit element of Pension Credit (even if you get Savings Credit as well)\n\nThis is known as being in the \u2018core group\u2019.\n\n## How to apply\n\nYou\u2019ll receive a letter between October and December 2021 telling you how to get the discount if you qualify.\n\nYour letter will say if you need to call a helpline by 28 February 2022 to confirm your details.\n\nYour electricity supplier will apply the discount to your bill by 31 March 2022.\n\n## If you do not get a letter\n\nContact the Warm Home Discount helpline if you do not get the letter by 31 December and you think you\u2019re eligible for the \u2018core group\u2019.\n\nDo not contact the Warm Home Discount helpline if you\u2019re not eligible for the \u2018core group\u2019.\n\nCheck if you\u2019re eligible to apply another way.\n\n## If you\u2019re on a low income\n\nYou may be able to apply directly to your electricity supplier for help if you do not get the Guarantee Credit element of Pension Credit but:\n\n- your energy supplier is part of the scheme\n\n- you\u2019re on a low income\n\n- you get certain means-tested benefits\n\nThis is known as being in the \u2018broader group\u2019.\n\nTo get the discount you\u2019ll need to stay with your supplier until it\u2019s paid.\n\n## How to apply\n\nYour electricity supplier decides who can get the discount.\n\nThe number of discounts suppliers can give is limited. Check with your supplier as early as possible to see if you\u2019re eligible and how to apply.\n\nCheck with them even if you were eligible for a discount last year.\n\nYour electricity supplier will apply the discount to your bill by 31 March 2022.\n\n## Energy suppliers\n\nThe following suppliers were part of the scheme in winter 2020 to 2021:\n\n- Affect Energy \u2013 see Octopus Energy\n\n- Atlantic \u2013 see SSE\n\n- Avro Energy\n\n- Boost\n\n- Bristol Energy - only if you\u2019re eligible for the \u2018core group\u2019\n\n- British Gas\n\n- British Gas Evolve (formerly British Gas X)\n\n- Bulb Energy\n\n- Co-op Energy - see Octopus Energy\n\n- E (Gas and Electricity)\n\n- E.ON\n\n- Ecotricity - only if you\u2019re eligible for the \u2018core group\u2019\n\n- EDF Energy\n\n- Green Energy UK (GEUK) - only if you\u2019re eligible for the \u2018core group\u2019\n\n- Green Network Energy\n\n- Green Star Energy - see Shell Energy\n\n- iSupply Energy - see EDF Energy\n\n- London Power \u2013 see Octopus Energy\n\n- Lumo - see OVO\n\n- M&S Energy \u2013 see Octopus Energy\n\n- npower\n\n- nPower Select - see E.ON Next\n\n- Octopus Energy\n\n- OVO\n\n- Powershop\n\n- Pure Planet\n\n- Qwest Energy - see Octopus Energy\n\n- Roar Power - see Octopus Energy\n\n- Sainsbury\u2019s Energy\n\n- Scottish Hydro \u2013 see SSE\n\n- ScottishPower\n\n- Shell Energy\n\n- So Energy\n\n- Southern Electric \u2013 see SSE\n\n- Spark\n\n- SSE\n\n- Swalec \u2013 see SSE\n\n- Symbio Energy\n\n- Tonik Energy - see ScottishPower\n\n- Utilita\n\n- Utility Point - only if you\u2019re eligible for the core group\n\n- Utility Warehouse", + "original_contents": [ + "

    Overview

    ", + "

    You could get \u00a3140 off your electricity bill for winter 2021 to 2022 under the Warm Home Discount Scheme. The scheme opens on 18 October 2021.

    ", + "

    The money is not paid to you - it\u2019s a one-off discount on your electricity bill, between October and March.

    ", + "

    You may be able to get the discount on your gas bill instead if your supplier provides you with both gas and electricity. Contact your supplier to find out.

    ", + "

    The discount will not affect your Cold Weather Payment or Winter Fuel Payment.

    ", + "

    Eligibility

    ", + "

    There are 2 ways to qualify for the Warm Home Discount Scheme:

    ", + "
  • you get the Guarantee Credit element of Pension Credit - known as the \u2018core group\u2019
  • ", + "
  • you\u2019re on a low income and meet your energy supplier\u2019s criteria for the scheme - known as the \u2018broader group\u2019
  • ", + "

    How you apply for the Warm Home Discount Scheme depends on how you qualify for the discount.

    ", + "

    Pre-pay or pay-as-you-go meters

    ", + "

    You can still qualify for the discount if you use a pre-pay or pay-as-you-go electricity meter.

    ", + "

    Your electricity supplier can tell you how you\u2019ll get the discount if you\u2019re eligible, for example a voucher you can use to top up your meter.

    ", + "

    Park (mobile) homes

    ", + "

    You apply a different way if you live in a park home.

    ", + "

    Park home applications for winter 2021 to 2022 will open in autumn 2021.

    ", + "

    Fill in the Park Homes Warm Home Discount contact form to be told when the scheme reopens.

    ", + "

    Contact Charis Grants for more information about the scheme.

    ", + "

    If you get the Guarantee Credit element of Pension Credit

    ", + "

    You qualify for the discount if on 4 July 2021 all of the following apply:

    ", + "
  • your energy supplier is part of the scheme
  • ", + "
  • your name (or your partner\u2019s) is on the bill
  • ", + "
  • you or your partner are getting the Guarantee Credit element of Pension Credit (even if you get Savings Credit as well)
  • ", + "

    This is known as being in the \u2018core group\u2019.

    ", + "

    How to apply

    ", + "

    You\u2019ll receive a letter between October and December 2021 telling you how to get the discount if you qualify.

    ", + "

    Your letter will say if you need to call a helpline by 28 February 2022 to confirm your details.

    ", + "

    Your electricity supplier will apply the discount to your bill by 31 March 2022.

    ", + "

    If you do not get a letter

    ", + "

    Contact the Warm Home Discount helpline if you do not get the letter by 31 December and you think you\u2019re eligible for the \u2018core group\u2019.

    ", + "

    Do not contact the Warm Home Discount helpline if you\u2019re not eligible for the \u2018core group\u2019.

    ", + "

    Check if you\u2019re eligible to apply another way.

    ", + "

    If you\u2019re on a low income

    ", + "

    You may be able to apply directly to your electricity supplier for help if you do not get the Guarantee Credit element of Pension Credit but:

    ", + "
  • your energy supplier is part of the scheme
  • ", + "
  • you\u2019re on a low income
  • ", + "
  • you get certain means-tested benefits
  • ", + "

    This is known as being in the \u2018broader group\u2019.

    ", + "

    To get the discount you\u2019ll need to stay with your supplier until it\u2019s paid.

    ", + "

    How to apply

    ", + "

    Your electricity supplier decides who can get the discount.

    ", + "

    The number of discounts suppliers can give is limited. Check with your supplier as early as possible to see if you\u2019re eligible and how to apply.

    ", + "

    Check with them even if you were eligible for a discount last year.

    ", + "

    Your electricity supplier will apply the discount to your bill by 31 March 2022.

    ", + "

    Energy suppliers

    ", + "

    The following suppliers were part of the scheme in winter 2020 to 2021:

    ", + "
  • Affect Energy \u2013 see Octopus Energy
  • ", + "
  • Atlantic \u2013 see SSE
  • ", + "
  • Avro Energy
  • ", + "
  • Boost
  • ", + "
  • Bristol Energy - only if you\u2019re eligible for the \u2018core group\u2019
  • ", + "
  • British Gas
  • ", + "
  • British Gas Evolve (formerly British Gas X)
  • ", + "
  • Bulb Energy
  • ", + "
  • Co-op Energy - see Octopus Energy
  • ", + "
  • E (Gas and Electricity)
  • ", + "
  • E.ON
  • ", + "
  • Ecotricity - only if you\u2019re eligible for the \u2018core group\u2019
  • ", + "
  • EDF Energy
  • ", + "
  • Green Energy UK (GEUK) - only if you\u2019re eligible for the \u2018core group\u2019
  • ", + "
  • Green Network Energy
  • ", + "
  • Green Star Energy - see Shell Energy
  • ", + "
  • iSupply Energy - see EDF Energy
  • ", + "
  • London Power \u2013 see Octopus Energy
  • ", + "
  • Lumo - see OVO
  • ", + "
  • M&S Energy \u2013 see Octopus Energy
  • ", + "
  • npower
  • ", + "
  • nPower Select - see E.ON Next
  • ", + "
  • Octopus Energy
  • ", + "
  • OVO
  • ", + "
  • Powershop
  • ", + "
  • Pure Planet
  • ", + "
  • Qwest Energy - see Octopus Energy
  • ", + "
  • Roar Power - see Octopus Energy
  • ", + "
  • Sainsbury\u2019s Energy
  • ", + "
  • Scottish Hydro \u2013 see SSE
  • ", + "
  • ScottishPower
  • ", + "
  • Shell Energy
  • ", + "
  • So Energy
  • ", + "
  • Southern Electric \u2013 see SSE
  • ", + "
  • Spark
  • ", + "
  • SSE
  • ", + "
  • Swalec \u2013 see SSE
  • ", + "
  • Symbio Energy
  • ", + "
  • Tonik Energy - see ScottishPower
  • ", + "
  • Utilita
  • ", + "
  • Utility Point - only if you\u2019re eligible for the core group
  • ", + "
  • Utility Warehouse
  • " + ] + }, + "https://www.gov.uk/national-concessionary-fuel-scheme": { + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "title": "National Concessionary Fuel Scheme", + "content": "## Overview\n\nYou could get free solid fuel or a cash allowance for fuel if you\u2019re an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC).\n\nYou need to qualify to get the fuel allowance through the National Concessionary Fuel Scheme (NCFS), and you can only get the cash allowance if you\u2019re already getting fuel through the scheme.\n\nYou might be eligible for the allowance if you\u2019re the widow or widower of an ex-employee, if the employee qualified for the NCFS.\n\n## What you'll get\n\n## Solid fuel\n\nIf you qualify for the allowance you\u2019ll get a delivery of solid fuel every 4 or 5 weeks, depending on where you live.\n\nYou might be able to change to \u2018cash in lieu\u2019 (or a cash allowance) if you already get fuel through the scheme and your circumstances have not changed.\n\nYou will need to return a Certificate of Continued Entitlement each year to keep your allowance.\n\n## How you\u2019re paid\n\nThe cash allowance is paid every 3 months into your bank or building society account.\n\n## Eligibility\n\nContact the National Concessionary Fuel Office (NCFO) to check if you\u2019re eligible.\n\nYou might be eligible for the National Concessionary Fuel Scheme (NCFS) if you\u2019re:\n\n- an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC)\n\n- a widow or widower of an ex-employee who would have been eligible\n\n## Change of circumstances\n\nYour allowance might be affected if your circumstances change, including:\n\n- who owns or rents your property changes\n\n- you change your heating arrangements\n\n- you remarry, marry or move in with a partner (widows, widowers and dependents only)\n\n- who lives in your home changes (family or lodgers moving in)\n\n- you take up employment or self-employment\n\nYou need to inform the NCFO of any changes in circumstances as your allowance can change. If your allowance goes down, any overpayments must be repaid in full.\n\n## How to claim\n\nContact the National Concessionary Fuel Office (NCFO) to apply.\n\n## Applying on behalf of someone else\n\nYou can apply for the fuel allowance on behalf of someone else if they\u2019re unable to.\n\nYou\u2019ll need to get authorisation by having one of:\n\n- a letter from the Department of Work and Pensions (DWP) stating that you are authorised to act on their behalf\n\n- a photocopy of your Power of Attorney\n\n- a letter signed by the person you are applying for stating that you are looking after their affairs\n\nIf payments are paid into a different account from the person getting the allowance, you need:\n\n- a photocopy of your Power of Attorney\n\n- a letter from DWP stating that you are looking after their financial affairs\n\n- a form from the NFCO signed by the person you are applying for\n\nYou need to contact the NFCO for the form or \u2018mandate\u2019.\n\n## Changing your delivery\n\nContact CPL Distribution on 0345 521 5214 to change your fuel delivery date and/or the amount of fuel you want delivered.\n\nFind out about call charges.\n\nContact the NCFO to change the type of fuel you get. You can only get 1 type of fuel delivered at a time. Get advice about the types of fuel to use from the Solid Fuel Association.\n\nYou cannot sell or give away unused fuel. If you change your type of solid fuel appliance you must refuse deliveries and left over fuel must be collected by the distributor.\n\n## Switching from fuel to cash allowance\n\nContact NCFO with your bank or building society account details to switch from fuel to cash. You can switch back to solid fuel but only after 12 months.", + "original_contents": [ + "

    Overview

    ", + "

    You could get free solid fuel or a cash allowance for fuel if you\u2019re an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC).

    ", + "

    You need to qualify to get the fuel allowance through the National Concessionary Fuel Scheme (NCFS), and you can only get the cash allowance if you\u2019re already getting fuel through the scheme.

    ", + "

    You might be eligible for the allowance if you\u2019re the widow or widower of an ex-employee, if the employee qualified for the NCFS.

    ", + "

    What you'll get

    ", + "

    Solid fuel

    ", + "

    If you qualify for the allowance you\u2019ll get a delivery of solid fuel every 4 or 5 weeks, depending on where you live.

    ", + "

    You might be able to change to \u2018cash in lieu\u2019 (or a cash allowance) if you already get fuel through the scheme and your circumstances have not changed.

    ", + "

    You will need to return a Certificate of Continued Entitlement each year to keep your allowance.

    ", + "

    How you\u2019re paid

    ", + "

    The cash allowance is paid every 3 months into your bank or building society account.

    ", + "

    Eligibility

    ", + "

    Contact the National Concessionary Fuel Office (NCFO) to check if you\u2019re eligible.

    ", + "

    You might be eligible for the National Concessionary Fuel Scheme (NCFS) if you\u2019re:

    ", + "
  • an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC)
  • ", + "
  • a widow or widower of an ex-employee who would have been eligible
  • ", + "

    Change of circumstances

    ", + "

    Your allowance might be affected if your circumstances change, including:

    ", + "
  • who owns or rents your property changes
  • ", + "
  • you change your heating arrangements
  • ", + "
  • you remarry, marry or move in with a partner (widows, widowers and dependents only)
  • ", + "
  • who lives in your home changes (family or lodgers moving in)
  • ", + "
  • you take up employment or self-employment
  • ", + "

    You need to inform the NCFO of any changes in circumstances as your allowance can change. If your allowance goes down, any overpayments must be repaid in full.

    ", + "

    How to claim

    ", + "

    Contact the National Concessionary Fuel Office (NCFO) to apply.

    ", + "

    Applying on behalf of someone else

    ", + "

    You can apply for the fuel allowance on behalf of someone else if they\u2019re unable to.

    ", + "

    You\u2019ll need to get authorisation by having one of:

    ", + "
  • a letter from the Department of Work and Pensions (DWP) stating that you are authorised to act on their behalf
  • ", + "
  • a photocopy of your Power of Attorney
  • ", + "
  • a letter signed by the person you are applying for stating that you are looking after their affairs
  • ", + "

    If payments are paid into a different account from the person getting the allowance, you need:

    ", + "
  • a photocopy of your Power of Attorney
  • ", + "
  • a letter from DWP stating that you are looking after their financial affairs
  • ", + "
  • a form from the NFCO signed by the person you are applying for
  • ", + "

    You need to contact the NFCO for the form or \u2018mandate\u2019.

    ", + "

    Changing your delivery

    ", + "

    Contact CPL Distribution on 0345 521 5214 to change your fuel delivery date and/or the amount of fuel you want delivered.

    ", + "

    Find out about call charges.

    ", + "

    Contact the NCFO to change the type of fuel you get. You can only get 1 type of fuel delivered at a time. Get advice about the types of fuel to use from the Solid Fuel Association.

    ", + "

    You cannot sell or give away unused fuel. If you change your type of solid fuel appliance you must refuse deliveries and left over fuel must be collected by the distributor.

    ", + "

    Switching from fuel to cash allowance

    ", + "

    Contact NCFO with your bank or building society account details to switch from fuel to cash. You can switch back to solid fuel but only after 12 months.

    " + ] + }, + "https://www.gov.uk/bereavement-support-payment": { + "url": "https://www.gov.uk/bereavement-support-payment", + "title": "Bereavement Support Payment", + "content": "## Eligibility\n\nYou may be able to get Bereavement Support Payment (BSP) if your husband, wife or civil partner died in the last 21 months.\n\nYou must claim within 3 months of your partner\u2019s death to get the full amount. You can claim up to 21 months after their death but you\u2019ll get fewer monthly payments.\n\nBereavement Support Payment has replaced Bereavement Allowance (previously Widow\u2019s Pension), Bereavement Payment, and Widowed Parent\u2019s Allowance.\n\nYou could be eligible if your partner either:\n\n- paid National Insurance contributions for at least 25 weeks in one tax year since 6 April 1975\n\n- died because of an accident at work or a disease caused by work\n\nWhen they died you must have been:\n\n- under State Pension age\n\n- living in the UK or a country that pays bereavement benefits\n\nYou cannot claim BSP if you\u2019re in prison.\n\n## If your partner died more than 21 months ago\n\nYou may still be able to claim BSP if your husband, wife or civil partner\u2019s cause of death was confirmed more than 21 months after the death. Call the Bereavement Service helpline.\n\nIf your husband, wife or civil partner died before 6 April 2017, you may be able to get Widowed Parent\u2019s Allowance instead.\n\n## What you'll get\n\nYou\u2019ll get a first payment and then up to 18 monthly payments. There are 2 rates.\n\n| | First payment | Monthly payment |\n\n| Higher rate | \u00a33,500 | \u00a3350 |\n\n| Lower rate | \u00a32,500 | \u00a3100 |\n\nIf you get Child Benefit (or if you do not get it but are entitled to it), you\u2019ll get the higher rate.\n\nIf you do not get Child Benefit, you\u2019ll get the lower rate unless you were pregnant when your husband, wife or civil partner died.\n\nYou must claim within 3 months of your partner\u2019s death to get the full amount. If you claim later, you\u2019ll get fewer monthly payments.\n\nYour payments will be paid into your bank or building society account.\n\n## If you get benefits\n\nBereavement Support Payment will not affect your benefits for a year after your first payment. After a year, money you have left from your first payment could affect the amount you get if you renew or make a claim for another benefit.\n\nYou must tell your benefits office (for example, your local Jobcentre Plus) when you start getting Bereavement Support Payment.\n\n## How to claim\n\nHow you apply depends on where you are.\n\n## If you\u2019re in England, Scotland or Wales\n\nThe quickest way to apply is by phone. You can also apply using a paper form.\n\nIf you\u2019ve arranged to pay your Self Assessment tax and National Insurance bill in instalments because of coronavirus (COVID-19), your application might be rejected. Contact HMRC before applying for Bereavement Support.\n\n## Apply by phone\n\n## Apply using a paper form\n\nTo get a form, you can either:\n\n- download a Bereavement Support Payment form (BSP1)\n\n- contact your nearest Jobcentre Plus to get one through the post\n\nFill in the claim form and send it to:\n\n## If you\u2019re in Northern Ireland\n\nThere\u2019s a different process in Northern Ireland.\n\n## If you\u2019re abroad\n\nCall the International Pension Centre to apply.", + "original_contents": [ + "

    Eligibility

    ", + "

    You may be able to get Bereavement Support Payment (BSP) if your husband, wife or civil partner died in the last 21 months.

    ", + "

    You must claim within 3 months of your partner\u2019s death to get the full amount. You can claim up to 21 months after their death but you\u2019ll get fewer monthly payments.

    ", + "

    Bereavement Support Payment has replaced Bereavement Allowance (previously Widow\u2019s Pension), Bereavement Payment, and Widowed Parent\u2019s Allowance.

    ", + "

    You could be eligible if your partner either:

    ", + "
  • paid National Insurance contributions for at least 25 weeks in one tax year since 6 April 1975
  • ", + "
  • died because of an accident at work or a disease caused by work
  • ", + "

    When they died you must have been:

    ", + "
  • under State Pension age
  • ", + "
  • living in the UK or a country that pays bereavement benefits
  • ", + "

    You cannot claim BSP if you\u2019re in prison.

    ", + "

    If your partner died more than 21 months ago

    ", + "

    You may still be able to claim BSP if your husband, wife or civil partner\u2019s cause of death was confirmed more than 21 months after the death. Call the Bereavement Service helpline.

    ", + "

    If your husband, wife or civil partner died before 6 April 2017, you may be able to get Widowed Parent\u2019s Allowance instead.

    ", + "

    What you'll get

    ", + "

    You\u2019ll get a first payment and then up to 18 monthly payments. There are 2 rates.

    ", + " | First payment | Monthly payment", + "Higher rate | \u00a33,500 | \u00a3350", + "Lower rate | \u00a32,500 | \u00a3100", + "

    If you get Child Benefit (or if you do not get it but are entitled to it), you\u2019ll get the higher rate.

    ", + "

    If you do not get Child Benefit, you\u2019ll get the lower rate unless you were pregnant when your husband, wife or civil partner died.

    ", + "

    You must claim within 3 months of your partner\u2019s death to get the full amount. If you claim later, you\u2019ll get fewer monthly payments.

    ", + "

    Your payments will be paid into your bank or building society account.

    ", + "

    If you get benefits

    ", + "

    Bereavement Support Payment will not affect your benefits for a year after your first payment. After a year, money you have left from your first payment could affect the amount you get if you renew or make a claim for another benefit.

    ", + "

    You must tell your benefits office (for example, your local Jobcentre Plus) when you start getting Bereavement Support Payment.

    ", + "

    How to claim

    ", + "

    How you apply depends on where you are.

    ", + "

    If you\u2019re in England, Scotland or Wales

    ", + "

    The quickest way to apply is by phone. You can also apply using a paper form.

    ", + "

    If you\u2019ve arranged to pay your Self Assessment tax and National Insurance bill in instalments because of coronavirus (COVID-19), your application might be rejected. Contact HMRC before applying for Bereavement Support.

    ", + "

    Apply by phone

    ", + "

    Apply using a paper form

    ", + "

    To get a form, you can either:

    ", + "
  • download a Bereavement Support Payment form (BSP1)
  • ", + "
  • contact your nearest Jobcentre Plus to get one through the post
  • ", + "

    Fill in the claim form and send it to:

    ", + "

    If you\u2019re in Northern Ireland

    ", + "

    There\u2019s a different process in Northern Ireland.

    ", + "

    If you\u2019re abroad

    ", + "

    Call the International Pension Centre to apply.

    " + ] + }, + "https://www.gov.uk/funeral-payments": { + "url": "https://www.gov.uk/funeral-payments", + "title": "Get help with funeral costs (Funeral Expenses Payment)", + "content": "## How it works\n\nYou could get a Funeral Expenses Payment (also called a Funeral Payment) if you get certain benefits and need help to pay for a funeral you\u2019re arranging.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## If you live in Scotland\n\nYou can apply for a Funeral Support Payment. It has replaced Funeral Expenses Payment in Scotland.\n\n## If you receive money from the deceased\u2019s estate\n\nYour Funeral Expenses Payment will be deducted from any money you get from the deceased\u2019s estate.\n\nThe estate includes any money or property they had but not a house or personal things left to a widow, widower or surviving civil partner.\n\n## What you\u2019ll get\n\nFuneral Expenses Payment can help pay for some of the costs of the following:\n\n- burial fees for a particular plot\n\n- cremation fees, including the cost of the doctor\u2019s certificate\n\n- travel to arrange or go to the funeral\n\n- the cost of moving the body within the UK, if it\u2019s being moved more than 50 miles\n\n- death certificates or other documents\n\nYou can also get up to \u00a31,000 for any other funeral expenses, such as funeral director\u2019s fees, flowers or the coffin.\n\nThe payment will not usually cover all of the costs of the funeral.\n\nHow much you get depends on your circumstances. This includes any other money that\u2019s available to cover the costs, for example from an insurance policy or the deceased person\u2019s estate.\n\nCheck the claim form notes for full details of what Funeral Expenses Payment covers.\n\nIf the deceased had a pre-paid funeral plan, you can only get up to \u00a3120 to help pay for items not covered by their plan.\n\n## How the money is paid\n\nFuneral Expenses Payment is paid into your bank, building society or credit union account if you\u2019ve already paid for the funeral.\n\nThe money will be paid directly to the organiser of the funeral (for example, the funeral director) if you have not paid yet.\n\n## Eligibility\n\nYou can get a Funeral Expenses Payment if all of the following apply:\n\n- you get certain benefits or tax credits\n\n- you meet the rules on your relationship with the deceased\n\n- you\u2019re arranging a funeral in the UK, the European Economic Area (EEA) or Switzerland\n\nYou might be able to get other help to pay for the funeral if you\u2019re not eligible for Funeral Expenses Payment.\n\n## Benefits and tax credits you must get\n\nYou (or your partner) must get one or more of the following:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Housing Benefit\n\n- the disability or severe disability element of Working Tax Credit\n\n- Child Tax Credit\n\n- Universal Credit\n\nYou might also be eligible if you\u2019re getting a Support for Mortgage Interest loan.\n\nYou can still claim Funeral Expenses Payment if you\u2019ve applied for these benefits and you\u2019re waiting to hear about your claim.\n\nIf you were responsible for a deceased child but you\u2019re not their parent, the non-resident parent must get one or more of these benefits.\n\nIf there\u2019s a close relative of the deceased who is not getting one of these benefits, you might not be able to claim Funeral Expenses Payment.\n\n## Rules on your relationship with the deceased\n\nYou must be one of the following:\n\n- the partner of the deceased when they died\n\n- a close relative or close friend of the deceased\n\n- the parent of a baby stillborn after 24 weeks of pregnancy\n\n- the parent or person responsible for a deceased child who was under 16 (or under 20 and in approved education or training)\n\nYou might not get a Funeral Expenses Payment if another close relative of the deceased (such as a sibling or parent) is in work.\n\n## If the funeral will take place in the EEA or Switzerland\n\nContact the Social Fund to check if you\u2019re eligible.\n\n## Make a claim\n\nYou must apply within 6 months of the funeral, even if you\u2019re waiting for a decision on a qualifying benefit.\n\nYou can make a claim before the funeral if you\u2019ve got an invoice or signed contract from the funeral director. It cannot be an estimate.\n\nIf you get Universal Credit, you will not get a decision on your claim until after your next payment.\n\nThere\u2019s a different way to claim if you live in Northern Ireland.\n\n## How to claim\n\nClaim by phone by calling the Bereavement Service helpline.\n\nAn adviser will also help you claim any other bereavement benefits you might be entitled to.\n\nYou can also claim by post. Download and fill in the claim form (SF200), then send it to the address on the form.\n\n## Appeal a Funeral Expenses Payment decision\n\nYou can appeal to the Social Security and Child Support Tribunal if you disagree with a decision about Funeral Expenses Payment.", + "original_contents": [ + "

    How it works

    ", + "

    You could get a Funeral Expenses Payment (also called a Funeral Payment) if you get certain benefits and need help to pay for a funeral you\u2019re arranging.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you live in Scotland

    ", + "

    You can apply for a Funeral Support Payment. It has replaced Funeral Expenses Payment in Scotland.

    ", + "

    If you receive money from the deceased\u2019s estate

    ", + "

    Your Funeral Expenses Payment will be deducted from any money you get from the deceased\u2019s estate.

    ", + "

    The estate includes any money or property they had but not a house or personal things left to a widow, widower or surviving civil partner.

    ", + "

    What you\u2019ll get

    ", + "

    Funeral Expenses Payment can help pay for some of the costs of the following:

    ", + "
  • burial fees for a particular plot
  • ", + "
  • cremation fees, including the cost of the doctor\u2019s certificate
  • ", + "
  • travel to arrange or go to the funeral
  • ", + "
  • the cost of moving the body within the UK, if it\u2019s being moved more than 50 miles
  • ", + "
  • death certificates or other documents
  • ", + "

    You can also get up to \u00a31,000 for any other funeral expenses, such as funeral director\u2019s fees, flowers or the coffin.

    ", + "

    The payment will not usually cover all of the costs of the funeral.

    ", + "

    How much you get depends on your circumstances. This includes any other money that\u2019s available to cover the costs, for example from an insurance policy or the deceased person\u2019s estate.

    ", + "

    Check the claim form notes for full details of what Funeral Expenses Payment covers.

    ", + "

    If the deceased had a pre-paid funeral plan, you can only get up to \u00a3120 to help pay for items not covered by their plan.

    ", + "

    How the money is paid

    ", + "

    Funeral Expenses Payment is paid into your bank, building society or credit union account if you\u2019ve already paid for the funeral.

    ", + "

    The money will be paid directly to the organiser of the funeral (for example, the funeral director) if you have not paid yet.

    ", + "

    Eligibility

    ", + "

    You can get a Funeral Expenses Payment if all of the following apply:

    ", + "
  • you get certain benefits or tax credits
  • ", + "
  • you meet the rules on your relationship with the deceased
  • ", + "
  • you\u2019re arranging a funeral in the UK, the European Economic Area (EEA) or Switzerland
  • ", + "

    You might be able to get other help to pay for the funeral if you\u2019re not eligible for Funeral Expenses Payment.

    ", + "

    Benefits and tax credits you must get

    ", + "

    You (or your partner) must get one or more of the following:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Housing Benefit
  • ", + "
  • the disability or severe disability element of Working Tax Credit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Universal Credit
  • ", + "

    You might also be eligible if you\u2019re getting a Support for Mortgage Interest loan.

    ", + "

    You can still claim Funeral Expenses Payment if you\u2019ve applied for these benefits and you\u2019re waiting to hear about your claim.

    ", + "

    If you were responsible for a deceased child but you\u2019re not their parent, the non-resident parent must get one or more of these benefits.

    ", + "

    If there\u2019s a close relative of the deceased who is not getting one of these benefits, you might not be able to claim Funeral Expenses Payment.

    ", + "

    Rules on your relationship with the deceased

    ", + "

    You must be one of the following:

    ", + "
  • the partner of the deceased when they died
  • ", + "
  • a close relative or close friend of the deceased
  • ", + "
  • the parent of a baby stillborn after 24 weeks of pregnancy
  • ", + "
  • the parent or person responsible for a deceased child who was under 16 (or under 20 and in approved education or training)
  • ", + "

    You might not get a Funeral Expenses Payment if another close relative of the deceased (such as a sibling or parent) is in work.

    ", + "

    If the funeral will take place in the EEA or Switzerland

    ", + "

    Contact the Social Fund to check if you\u2019re eligible.

    ", + "

    Make a claim

    ", + "

    You must apply within 6 months of the funeral, even if you\u2019re waiting for a decision on a qualifying benefit.

    ", + "

    You can make a claim before the funeral if you\u2019ve got an invoice or signed contract from the funeral director. It cannot be an estimate.

    ", + "

    If you get Universal Credit, you will not get a decision on your claim until after your next payment.

    ", + "

    There\u2019s a different way to claim if you live in Northern Ireland.

    ", + "

    How to claim

    ", + "

    Claim by phone by calling the Bereavement Service helpline.

    ", + "

    An adviser will also help you claim any other bereavement benefits you might be entitled to.

    ", + "

    You can also claim by post. Download and fill in the claim form (SF200), then send it to the address on the form.

    ", + "

    Appeal a Funeral Expenses Payment decision

    ", + "

    You can appeal to the Social Security and Child Support Tribunal if you disagree with a decision about Funeral Expenses Payment.

    " + ] + }, + "https://www.gov.uk/parental-bereavement-pay-leave": { + "url": "https://www.gov.uk/parental-bereavement-pay-leave", + "title": "Statutory Parental Bereavement Pay and Leave", + "content": "## Overview\n\nYou and your partner may be able to take time off work if your child dies before they turn 18, or if you have a stillbirth after 24 weeks of pregnancy.\n\nThe death or stillbirth must have happened on or after 6 April 2020.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou might be able to get leave, pay or both. You may be eligible for:\n\n- Parental Bereavement Leave\n\n- Statutory Parental Bereavement Pay\n\nThere\u2019s rules about when you can take your leave and pay and how to claim.\n\nYou can only claim Statutory Parental Bereavement Pay and Leave if you\u2019re employed in England, Scotland or Wales.\n\n## Employment rights when on leave\n\nYour employment rights are protected while on Parental Bereavement Leave. This includes your right to:\n\n- pay rises\n\n- build up (\u2018accrue\u2019) holiday\n\n- return to work\n\n## What you can get\n\nYou may be able to get either or both Parental Bereavement Leave and Statutory Parental Bereavement Pay.\n\n## Parental Bereavement Leave\n\nYou can take 2 weeks\u2019 leave from the first day of your employment for each child who has died or was stillborn if you\u2019re eligible.\n\nYou can take:\n\n- 2 weeks together\n\n- 2 separate weeks of leave\n\n- only one week of leave\n\nA week is the same number of days that you normally work in a week.\n\nThe leave:\n\n- can start on or after the date of the death or stillbirth\n\n- must finish within 56 weeks of the date of the death or stillbirth\n\n## Taking leave with other types of statutory leave\n\nIf you\u2019re taking another type of statutory leave (for example, maternity leave or paternity leave) when the child dies or stillbirth happens, your Parental Bereavement Leave must start after the other leave has ended but does not have to be taken immediately after. This includes if the statutory leave is for another child.\n\nIf your Parental Bereavement Leave is interrupted by the start of another type of statutory leave, you can take your remaining entitlement to Parental Bereavement Leave after that other leave has ended.\n\nYour remaining Parental Bereavement Leave must still be taken within 56 weeks of the date of death or stillbirth.\n\nYou can take Parental Bereavement Leave between blocks of shared parental leave that you booked before the child died. This includes if the shared parental leave is for another child.\n\n## Statutory Parental Bereavement Pay\n\nYou\u2019ll be able to get either \u00a3151.97 a week or 90% of your average weekly earnings (whichever is lower) if you\u2019re eligible.\n\nAny money you get is paid the same way as your wages, for example weekly or monthly, along with deductions for tax and National Insurance.\n\n## Check if you're eligible\n\nTo qualify for Parental Bereavement Leave and Statutory Parental Bereavement Pay, you must meet the criteria both as a parent (including if you had day to day responsibility) and an employee. You might not be eligible for both, depending on your circumstances.\n\n## If you were the child\u2019s parent or a parent\u2019s partner\n\nYou may be eligible if at the time of the child\u2019s death or stillbirth, you were:\n\n- the child or baby\u2019s parent - either biological, adoptive or parent of a child born to a surrogate\n\n- the partner of the child or baby\u2019s parent\n\nBiological parents of the child or baby will not be eligible for Parental Bereavement Leave and Statutory Parental Bereavement Pay after an adoption or parental order was made, unless there was a contact order in place.\n\n## If you or your partner had day to day responsibility for the child\n\nYou may be eligible if both of the following apply:\n\n- the child or baby was living with you at your home for 4 continuous weeks, ending with the date of death\n\n- you or your partner had day to day responsibility for the child or baby\u2019s care during that time\n\nIf you or your partner were being paid to look after the child or baby, you do not qualify for leave or pay unless you were:\n\n- a foster parent being paid a fee or allowance by a local authority\n\n- reimbursed for expenses related to caring for the child or baby\n\n- getting payments under the terms of a will or trust for the child or baby\u2019s care\n\nYou are not eligible if one of the child or baby\u2019s parents or someone who had parental responsibility (parental responsibilities in Scotland) for the child was also living in the household.\n\n## If you or your partner were an adoptive parent\n\nYou are eligible for pay or leave:\n\n- after the adoption order was granted\n\n- before the adoption order was made, if the child was placed with you and the placement was not disrupted (for example, being temporarily placed elsewhere) or stopped\n\n## If you or your partner were an adoptive parent of a child from outside the United Kingdom\n\nIf you or your partner were adopting a child from outside the United Kingdom and the adoption order had not yet been made, you may still be eligible. Both of the following must apply:\n\n- the child was living with you after entering Great Britain\n\n- you have the \u2018official notification\u2019 confirming you were allowed to adopt\n\n## If you or your partner had a baby with the help of a surrogate parent\n\nYou are eligible for pay or leave:\n\n- after a parental order was made\n\n- before a parental order was made if you had applied or intended to apply for a parental order within 6 months of the child\u2019s birth and expected it to be granted\n\n## Parental Bereavement Leave\n\nTo get Parental Bereavement Leave, you must also:\n\n- be classed as an employee - it does not matter how long you\u2019ve worked for your employer\n\n- give your employer notice for Parental Bereavement Leave\n\n## Statutory Parental Bereavement Pay\n\nTo get Statutory Parental Bereavement Pay, you must have been continuously employed by your employer for at least 26 weeks up to the end of the \u2018relevant week\u2019. The \u2018relevant week\u2019 is the week (ending with a Saturday) immediately before the week of the death or stillbirth.\n\nYou must also:\n\n- continue to be employed up to the day the child dies or is stillborn\n\n- earn on average \u00a3120 a week before tax (gross) over an 8 week period\n\n- give your employer the correct notice and information for Statutory Parental Bereavement Pay\n\nIf you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.\n\n## How to claim\n\nYou have 56 weeks to take Parental Bereavement Leave or claim Statutory Parental Bereavement Pay through your employer. This starts from the date of the child\u2019s death.\n\n## Parental Bereavement Leave\n\nYou can take 2 weeks leave in one block or as 2 separate blocks of one week.\n\nThe 56 weeks are split into 2 periods:\n\n- from the date of the child\u2019s death or stillbirth to 8 weeks after\n\n- 9 to 56 weeks after the date of the child\u2019s death or stillbirth\n\nYou must give your employer notice before you take Parental Bereavement Leave. How much notice depends on when you\u2019re taking the leave.\n\n## 0 to 8 weeks after the child\u2019s death or stillbirth\n\nYou must give your employer notice before you would normally start work on the first day of the week or weeks you want to take off work.\n\n## 9 to 56 weeks after the child\u2019s death or stillbirth\n\nYou must give your employer at least one week\u2019s notice before the start of the week or weeks you want to take off work.\n\n## Giving your employer notice\n\nYou must tell your employer:\n\n- the date of the child\u2019s death or stillbirth\n\n- when you want your parental bereavement leave to begin\n\n- how much leave you are taking - either 1 or 2 weeks\n\nYou can speak to your employer by phone, leave a voicemail, send a text message or an email. You do not need to give them notice in writing (for example through a form or letter).\n\nYou do not need to give proof of death or stillbirth.\n\n## Statutory Parental Bereavement Pay\n\nYou must ask for Statutory Parental Bereavement Pay within 28 days, starting from the first day of the week you\u2019re claiming the payment for.\n\nEach time you claim, you must give your employer the following information in writing (for example a letter, email or form):\n\n- your name\n\n- the dates of the period you want to claim Statutory Parental Bereavement Pay\n\n- the date of the child\u2019s death or stillbirth\n\nYou\u2019ll also need to give a \u2018declaration\u2019 to your employer to confirm you\u2019re eligible because of your relationship to the child or baby. You only need to complete this once when you first ask for pay.\n\n## Completing the declaration\n\nYou can:\n\n- complete the declaration form online - this takes 5 minutes\n\n- declare in writing you\u2019re eligible because of your relationship to the child or baby\n\n- use your employers own form if they have one\n\nOnce you\u2019ve completed your declaration, you\u2019ll need to send it to your employer. They\u2019ll check your information and your eligibility.\n\n## Cancelling your leave or pay\n\nYou can change your mind and cancel your Parental Bereavement Leave or Statutory Parental Bereavement Pay if you have given your employer more than the required notice for either taking leave or claiming pay.\n\nTo cancel your Parental Bereavement Leave or Statutory Parental Bereavement Pay, you\u2019ll need to tell your employer. When you need to tell them depends on when your leave or pay is due to start.\n\n## Parental Bereavement Leave\n\nIf your leave is due to start within 8 weeks of the death or stillbirth, you must let your employer know about the cancellation no later than the time you would normally start work on the first day of planned leave.\n\nIf your leave is due to start 9 weeks or later after the death or stillbirth, you must let your employer know no later than one week before the start of the planned leave.\n\nIf you cancel your leave, you can rebook it if you give your employer the correct notice.\n\n## Statutory Parental Bereavement Pay\n\nIf your pay was due to start within 8 weeks of the child\u2019s death or stillbirth, you must give your employer notice on the first day of the week you want to cancel.\n\nIf your pay was due to start 9 weeks or later after the child\u2019s death or stillbirth, you must tell your employer you want to cancel one week before your pay was due to start.", + "original_contents": [ + "

    Overview

    ", + "

    You and your partner may be able to take time off work if your child dies before they turn 18, or if you have a stillbirth after 24 weeks of pregnancy.

    ", + "

    The death or stillbirth must have happened on or after 6 April 2020.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You might be able to get leave, pay or both. You may be eligible for:

    ", + "
  • Parental Bereavement Leave
  • ", + "
  • Statutory Parental Bereavement Pay
  • ", + "

    There\u2019s rules about when you can take your leave and pay and how to claim.

    ", + "

    You can only claim Statutory Parental Bereavement Pay and Leave if you\u2019re employed in England, Scotland or Wales.

    ", + "

    Employment rights when on leave

    ", + "

    Your employment rights are protected while on Parental Bereavement Leave. This includes your right to:

    ", + "
  • pay rises
  • ", + "
  • build up (\u2018accrue\u2019) holiday
  • ", + "
  • return to work
  • ", + "

    What you can get

    ", + "

    You may be able to get either or both Parental Bereavement Leave and Statutory Parental Bereavement Pay.

    ", + "

    Parental Bereavement Leave

    ", + "

    You can take 2 weeks\u2019 leave from the first day of your employment for each child who has died or was stillborn if you\u2019re eligible.

    ", + "

    You can take:

    ", + "
  • 2 weeks together
  • ", + "
  • 2 separate weeks of leave
  • ", + "
  • only one week of leave
  • ", + "

    A week is the same number of days that you normally work in a week.

    ", + "

    The leave:

    ", + "
  • can start on or after the date of the death or stillbirth
  • ", + "
  • must finish within 56 weeks of the date of the death or stillbirth
  • ", + "

    Taking leave with other types of statutory leave

    ", + "

    If you\u2019re taking another type of statutory leave (for example, maternity leave or paternity leave) when the child dies or stillbirth happens, your Parental Bereavement Leave must start after the other leave has ended but does not have to be taken immediately after. This includes if the statutory leave is for another child.

    ", + "

    If your Parental Bereavement Leave is interrupted by the start of another type of statutory leave, you can take your remaining entitlement to Parental Bereavement Leave after that other leave has ended.

    ", + "

    Your remaining Parental Bereavement Leave must still be taken within 56 weeks of the date of death or stillbirth.

    ", + "

    You can take Parental Bereavement Leave between blocks of shared parental leave that you booked before the child died. This includes if the shared parental leave is for another child.

    ", + "

    Statutory Parental Bereavement Pay

    ", + "

    You\u2019ll be able to get either \u00a3151.97 a week or 90% of your average weekly earnings (whichever is lower) if you\u2019re eligible.

    ", + "

    Any money you get is paid the same way as your wages, for example weekly or monthly, along with deductions for tax and National Insurance.

    ", + "

    Check if you're eligible

    ", + "

    To qualify for Parental Bereavement Leave and Statutory Parental Bereavement Pay, you must meet the criteria both as a parent (including if you had day to day responsibility) and an employee. You might not be eligible for both, depending on your circumstances.

    ", + "

    If you were the child\u2019s parent or a parent\u2019s partner

    ", + "

    You may be eligible if at the time of the child\u2019s death or stillbirth, you were:

    ", + "
  • the child or baby\u2019s parent - either biological, adoptive or parent of a child born to a surrogate
  • ", + "
  • the partner of the child or baby\u2019s parent
  • ", + "

    Biological parents of the child or baby will not be eligible for Parental Bereavement Leave and Statutory Parental Bereavement Pay after an adoption or parental order was made, unless there was a contact order in place.

    ", + "

    If you or your partner had day to day responsibility for the child

    ", + "

    You may be eligible if both of the following apply:

    ", + "
  • the child or baby was living with you at your home for 4 continuous weeks, ending with the date of death
  • ", + "
  • you or your partner had day to day responsibility for the child or baby\u2019s care during that time
  • ", + "

    If you or your partner were being paid to look after the child or baby, you do not qualify for leave or pay unless you were:

    ", + "
  • a foster parent being paid a fee or allowance by a local authority
  • ", + "
  • reimbursed for expenses related to caring for the child or baby
  • ", + "
  • getting payments under the terms of a will or trust for the child or baby\u2019s care
  • ", + "

    You are not eligible if one of the child or baby\u2019s parents or someone who had parental responsibility (parental responsibilities in Scotland) for the child was also living in the household.

    ", + "

    If you or your partner were an adoptive parent

    ", + "

    You are eligible for pay or leave:

    ", + "
  • after the adoption order was granted
  • ", + "
  • before the adoption order was made, if the child was placed with you and the placement was not disrupted (for example, being temporarily placed elsewhere) or stopped
  • ", + "

    If you or your partner were an adoptive parent of a child from outside the United Kingdom

    ", + "

    If you or your partner were adopting a child from outside the United Kingdom and the adoption order had not yet been made, you may still be eligible. Both of the following must apply:

    ", + "
  • the child was living with you after entering Great Britain
  • ", + "
  • you have the \u2018official notification\u2019 confirming you were allowed to adopt
  • ", + "

    If you or your partner had a baby with the help of a surrogate parent

    ", + "

    You are eligible for pay or leave:

    ", + "
  • after a parental order was made
  • ", + "
  • before a parental order was made if you had applied or intended to apply for a parental order within 6 months of the child\u2019s birth and expected it to be granted
  • ", + "

    Parental Bereavement Leave

    ", + "

    To get Parental Bereavement Leave, you must also:

    ", + "
  • be classed as an employee - it does not matter how long you\u2019ve worked for your employer
  • ", + "
  • give your employer notice for Parental Bereavement Leave
  • ", + "

    Statutory Parental Bereavement Pay

    ", + "

    To get Statutory Parental Bereavement Pay, you must have been continuously employed by your employer for at least 26 weeks up to the end of the \u2018relevant week\u2019. The \u2018relevant week\u2019 is the week (ending with a Saturday) immediately before the week of the death or stillbirth.

    ", + "

    You must also:

    ", + "
  • continue to be employed up to the day the child dies or is stillborn
  • ", + "
  • earn on average \u00a3120 a week before tax (gross) over an 8 week period
  • ", + "
  • give your employer the correct notice and information for Statutory Parental Bereavement Pay
  • ", + "

    If you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.

    ", + "

    How to claim

    ", + "

    You have 56 weeks to take Parental Bereavement Leave or claim Statutory Parental Bereavement Pay through your employer. This starts from the date of the child\u2019s death.

    ", + "

    Parental Bereavement Leave

    ", + "

    You can take 2 weeks leave in one block or as 2 separate blocks of one week.

    ", + "

    The 56 weeks are split into 2 periods:

    ", + "
  • from the date of the child\u2019s death or stillbirth to 8 weeks after
  • ", + "
  • 9 to 56 weeks after the date of the child\u2019s death or stillbirth
  • ", + "

    You must give your employer notice before you take Parental Bereavement Leave. How much notice depends on when you\u2019re taking the leave.

    ", + "

    0 to 8 weeks after the child\u2019s death or stillbirth

    ", + "

    You must give your employer notice before you would normally start work on the first day of the week or weeks you want to take off work.

    ", + "

    9 to 56 weeks after the child\u2019s death or stillbirth

    ", + "

    You must give your employer at least one week\u2019s notice before the start of the week or weeks you want to take off work.

    ", + "

    Giving your employer notice

    ", + "

    You must tell your employer:

    ", + "
  • the date of the child\u2019s death or stillbirth
  • ", + "
  • when you want your parental bereavement leave to begin
  • ", + "
  • how much leave you are taking - either 1 or 2 weeks
  • ", + "

    You can speak to your employer by phone, leave a voicemail, send a text message or an email. You do not need to give them notice in writing (for example through a form or letter).

    ", + "

    You do not need to give proof of death or stillbirth.

    ", + "

    Statutory Parental Bereavement Pay

    ", + "

    You must ask for Statutory Parental Bereavement Pay within 28 days, starting from the first day of the week you\u2019re claiming the payment for.

    ", + "

    Each time you claim, you must give your employer the following information in writing (for example a letter, email or form):

    ", + "
  • your name
  • ", + "
  • the dates of the period you want to claim Statutory Parental Bereavement Pay
  • ", + "
  • the date of the child\u2019s death or stillbirth
  • ", + "

    You\u2019ll also need to give a \u2018declaration\u2019 to your employer to confirm you\u2019re eligible because of your relationship to the child or baby. You only need to complete this once when you first ask for pay.

    ", + "

    Completing the declaration

    ", + "

    You can:

    ", + "
  • complete the declaration form online - this takes 5 minutes
  • ", + "
  • declare in writing you\u2019re eligible because of your relationship to the child or baby
  • ", + "
  • use your employers own form if they have one
  • ", + "

    Once you\u2019ve completed your declaration, you\u2019ll need to send it to your employer. They\u2019ll check your information and your eligibility.

    ", + "

    Cancelling your leave or pay

    ", + "

    You can change your mind and cancel your Parental Bereavement Leave or Statutory Parental Bereavement Pay if you have given your employer more than the required notice for either taking leave or claiming pay.

    ", + "

    To cancel your Parental Bereavement Leave or Statutory Parental Bereavement Pay, you\u2019ll need to tell your employer. When you need to tell them depends on when your leave or pay is due to start.

    ", + "

    Parental Bereavement Leave

    ", + "

    If your leave is due to start within 8 weeks of the death or stillbirth, you must let your employer know about the cancellation no later than the time you would normally start work on the first day of planned leave.

    ", + "

    If your leave is due to start 9 weeks or later after the death or stillbirth, you must let your employer know no later than one week before the start of the planned leave.

    ", + "

    If you cancel your leave, you can rebook it if you give your employer the correct notice.

    ", + "

    Statutory Parental Bereavement Pay

    ", + "

    If your pay was due to start within 8 weeks of the child\u2019s death or stillbirth, you must give your employer notice on the first day of the week you want to cancel.

    ", + "

    If your pay was due to start 9 weeks or later after the child\u2019s death or stillbirth, you must tell your employer you want to cancel one week before your pay was due to start.

    " + ] + }, + "https://www.gov.uk/widowed-parents-allowance": { + "url": "https://www.gov.uk/widowed-parents-allowance", + "title": "Widowed Parent's Allowance", + "content": "## Eligibility\n\nWidowed Parent\u2019s Allowance (WPA) is being replaced by Bereavement Support Payment.\n\nYou can only make a new claim for WPA if your husband, wife or civil partner died before 6 April 2017 and the cause of death has just been confirmed.\n\nAll the following must also apply:\n\n- you\u2019re under State Pension age\n\n- you\u2019re entitled to Child Benefit for at least one child and your late husband, wife or civil partner was their parent\n\n- your late husband, wife or civil partner paid National Insurance contributions, or they died as a result of an industrial accident or disease\n\nYou may also claim WPA if you were pregnant when your husband died, or you were pregnant after fertility treatment when your civil partner or wife died.\n\nYou cannot claim WPA if you:\n\n- were divorced from your husband, wife or civil partner when they died\n\n- remarry or are living with another person as if you\u2019re married to them or as if you\u2019ve formed a civil partnership\n\n- were over State Pension age when you were widowed or became a surviving civil partner \u2013 you may be able to get extra State Pension\n\n- are in prison\n\n## What you'll get\n\nThe amount you get is based on how much your late husband, wife or civil partner paid in National Insurance contributions.\n\nThe maximum Widowed Parent\u2019s Allowance (WPA) is \u00a3122.55 a week.\n\nIf your husband, wife or civil partner died as a result of an industrial accident or disease, you may claim WPA even if they did not pay National Insurance contributions.\n\nYou\u2019ll continue to get WPA until you either:\n\n- stop being entitled to Child Benefit\n\n- reach State Pension age\n\n## How WPA is paid\n\nWPA is usually paid into your bank, building society or credit union account.\n\n## Effect on other benefits\n\nOther benefit payments you get may change when you start claiming WPA.\n\nOnce you get WPA, you must report it if you\u2019re getting any of the following:\n\n- Income Support\n\n- Incapacity Benefit\n\n- Jobseeker\u2019s Allowance\n\n- Carer\u2019s Allowance\n\n- Employment and Support Allowance\n\n- Universal Credit\n\nIf you do not report changes straight away, you could be paid the wrong amount and have to pay it back. You might also have to pay a fine.\n\n## The benefit cap\n\nThe benefit cap limits the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.\n\nSome individual benefits are not affected, but it may affect the total amount of benefit you get.\n\n## How to claim\n\nYou can apply by phone or using a paper form.\n\n## Apply by phone\n\nCall the Bereavement Service helpline.\n\n## Apply using a paper form\n\nDownload a Bereavement Benefits pack (form BB1) or email your local Jobcentre Plus to ask for a form.\n\nThe pack has notes to help you fill in the claim form.\n\nSend your completed form to:\n\n## Alternative formats\n\nCall the Bereavement Service helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## If you live abroad\n\nContact the International Pension Centre to find out if you can claim if you\u2019ve moved abroad.\n\nYou must include your:\n\n- full name\n\n- date of birth\n\n- National Insurance number (if you know it)\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## If your circumstances change\n\nYou must tell Dover Benefit Centre if you:\n\n- stop being entitled to Child Benefit\n\n- remarry or form a civil partnership\n\n- start to live with a partner as husband or wife, or as if you had formed a civil partnership\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.", + "original_contents": [ + "

    Eligibility

    ", + "

    Widowed Parent\u2019s Allowance (WPA) is being replaced by Bereavement Support Payment.

    ", + "

    You can only make a new claim for WPA if your husband, wife or civil partner died before 6 April 2017 and the cause of death has just been confirmed.

    ", + "

    All the following must also apply:

    ", + "
  • you\u2019re under State Pension age
  • ", + "
  • you\u2019re entitled to Child Benefit for at least one child and your late husband, wife or civil partner was their parent
  • ", + "
  • your late husband, wife or civil partner paid National Insurance contributions, or they died as a result of an industrial accident or disease
  • ", + "

    You may also claim WPA if you were pregnant when your husband died, or you were pregnant after fertility treatment when your civil partner or wife died.

    ", + "

    You cannot claim WPA if you:

    ", + "
  • were divorced from your husband, wife or civil partner when they died
  • ", + "
  • remarry or are living with another person as if you\u2019re married to them or as if you\u2019ve formed a civil partnership
  • ", + "
  • were over State Pension age when you were widowed or became a surviving civil partner \u2013 you may be able to get extra State Pension
  • ", + "
  • are in prison
  • ", + "

    What you'll get

    ", + "

    The amount you get is based on how much your late husband, wife or civil partner paid in National Insurance contributions.

    ", + "

    The maximum Widowed Parent\u2019s Allowance (WPA) is \u00a3122.55 a week.

    ", + "

    If your husband, wife or civil partner died as a result of an industrial accident or disease, you may claim WPA even if they did not pay National Insurance contributions.

    ", + "

    You\u2019ll continue to get WPA until you either:

    ", + "
  • stop being entitled to Child Benefit
  • ", + "
  • reach State Pension age
  • ", + "

    How WPA is paid

    ", + "

    WPA is usually paid into your bank, building society or credit union account.

    ", + "

    Effect on other benefits

    ", + "

    Other benefit payments you get may change when you start claiming WPA.

    ", + "

    Once you get WPA, you must report it if you\u2019re getting any of the following:

    ", + "
  • Income Support
  • ", + "
  • Incapacity Benefit
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Employment and Support Allowance
  • ", + "
  • Universal Credit
  • ", + "

    If you do not report changes straight away, you could be paid the wrong amount and have to pay it back. You might also have to pay a fine.

    ", + "

    The benefit cap

    ", + "

    The benefit cap limits the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.

    ", + "

    Some individual benefits are not affected, but it may affect the total amount of benefit you get.

    ", + "

    How to claim

    ", + "

    You can apply by phone or using a paper form.

    ", + "

    Apply by phone

    ", + "

    Call the Bereavement Service helpline.

    ", + "

    Apply using a paper form

    ", + "

    Download a Bereavement Benefits pack (form BB1) or email your local Jobcentre Plus to ask for a form.

    ", + "

    The pack has notes to help you fill in the claim form.

    ", + "

    Send your completed form to:

    ", + "

    Alternative formats

    ", + "

    Call the Bereavement Service helpline to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    If you live abroad

    ", + "

    Contact the International Pension Centre to find out if you can claim if you\u2019ve moved abroad.

    ", + "

    You must include your:

    ", + "
  • full name
  • ", + "
  • date of birth
  • ", + "
  • National Insurance number (if you know it)
  • ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.

    ", + "

    If your circumstances change

    ", + "

    You must tell Dover Benefit Centre if you:

    ", + "
  • stop being entitled to Child Benefit
  • ", + "
  • remarry or form a civil partnership
  • ", + "
  • start to live with a partner as husband or wife, or as if you had formed a civil partnership
  • ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    " + ] + }, + "https://www.gov.uk/war-widow-pension": { + "url": "https://www.gov.uk/war-widow-pension", + "title": "War Widow(er) Pension", + "content": "## Overview\n\nYou may be entitled to War Widow\u2019s or Widower\u2019s Pension if your wife, husband or civil partner died as a result of their service in Her Majesty\u2019s (HM) Armed Forces or during a time of war.\n\nThey must have served before 6 April 2005, but you may be eligible if they died of an illness or injury later.\n\n## Eligibility\n\nOne of the following must apply. Your husband, wife or civil partner:\n\n- died as result of their service in HM Armed Forces before 6 April 2005\n\n- was a civil defence volunteer or a civilian and their death was a result of the 1939 to 1945 war\n\n- was a merchant seaman, a member of the naval auxiliary services, or a coastguard and their death was a result of an injury or disease they got during a war or because they were a prisoner of war\n\n- died as a result of their service as a member of the Polish Forces under British command during the 1939 to 1945 war, or in the Polish Resettlement Forces\n\n- was getting a War Pensions Constant Attendance Allowance at the time of their death, or would have been had they not been in hospital\n\n- was getting a War Disablement Pension at the 80% rate or higher and was getting Unemployability Supplement\n\nYou may be entitled to a pension if you lived with a partner as husband and wife or as civil partners.\n\n## Illness, injury and death on or after 6 April 2005\n\nIf your partner was injured, developed an illness or died as a result of service on or after 6 April 2005, you can claim through the Armed Forces Compensation Scheme.\n\n## What you'll get\n\nWar Widow\u2019s or Widower\u2019s Pension is paid at different rates depending on your age and circumstances.\n\nYou do not pay tax on it.\n\nAll benefits, pensions and allowances are paid into an account, for example your bank account.\n\n## How to claim\n\nTo claim War Widow\u2019s or Widower\u2019s Pension you can either:\n\n- download a claim form\n\n- phone the Veterans UK helpline and ask for a claim form\n\nSend the completed form to:\n\n## How to appeal\n\nIf you disagree with a decision about your claim you can appeal to an independent Pensions Appeal Tribunal.\n\nBefore you appeal you should:\n\n- ask Veterans UK for more information about how the decision was reached\n\n- ask for the decision to be reconsidered if there are some facts Veterans UK may not have known when they made their decision\n\nIf you\u2019re still unhappy with the outcome contact Veterans UK to let them know that you want to appeal.\n\n## Further information\n\n## Changes in your circumstances\n\nYou\u2019ll continue to get your pension if you marry, form a civil partnership or start living with a partner on or after 1 April 2015.\n\nIf this happened before 1 April 2015, you\u2019ll still get a pension if both:\n\n- your late spouse or civil partner left service before 31 March 1973\n\n- your new relationship started on or after 6 April 2005\n\nOtherwise, your pension would have been stopped.\n\n## If your pension stopped\n\nYou can claim your pension again if:\n\n- you become widowed again\n\n- you divorce or separate\n\n- your civil partner dies\n\n- your civil partnership ends\n\n- you stop living with the person as their partner\n\nMake sure you tell Veterans UK of any changes in your circumstances so you get the right amount of pension.\n\n## Funeral expenses\n\nVeterans UK may be able to pay a grant of up to \u00a32,200 towards a veteran\u2019s funeral if any of the following apply:\n\n- death was due to service before 6 April 2005\n\n- War Pensions Constant Attendance Allowance was being paid or would have been paid if the war pensioner had not been in hospital when they died\n\n- Unemployability Supplement was being paid at the time of death and the War Disablement Pension was assessed at 80% or more\n\nThe payment can be made to the veteran\u2019s widow or widower, next of kin or person paying for the funeral.\n\nYou must make a claim within 3 months of the funeral.\n\n## How to apply\n\nDownload the claim form. Send the completed form to:", + "original_contents": [ + "

    Overview

    ", + "

    You may be entitled to War Widow\u2019s or Widower\u2019s Pension if your wife, husband or civil partner died as a result of their service in Her Majesty\u2019s (HM) Armed Forces or during a time of war.

    ", + "

    They must have served before 6 April 2005, but you may be eligible if they died of an illness or injury later.

    ", + "

    Eligibility

    ", + "

    One of the following must apply. Your husband, wife or civil partner:

    ", + "
  • died as result of their service in HM Armed Forces before 6 April 2005
  • ", + "
  • was a civil defence volunteer or a civilian and their death was a result of the 1939 to 1945 war
  • ", + "
  • was a merchant seaman, a member of the naval auxiliary services, or a coastguard and their death was a result of an injury or disease they got during a war or because they were a prisoner of war
  • ", + "
  • died as a result of their service as a member of the Polish Forces under British command during the 1939 to 1945 war, or in the Polish Resettlement Forces
  • ", + "
  • was getting a War Pensions Constant Attendance Allowance at the time of their death, or would have been had they not been in hospital
  • ", + "
  • was getting a War Disablement Pension at the 80% rate or higher and was getting Unemployability Supplement
  • ", + "

    You may be entitled to a pension if you lived with a partner as husband and wife or as civil partners.

    ", + "

    Illness, injury and death on or after 6 April 2005

    ", + "

    If your partner was injured, developed an illness or died as a result of service on or after 6 April 2005, you can claim through the Armed Forces Compensation Scheme.

    ", + "

    What you'll get

    ", + "

    War Widow\u2019s or Widower\u2019s Pension is paid at different rates depending on your age and circumstances.

    ", + "

    You do not pay tax on it.

    ", + "

    All benefits, pensions and allowances are paid into an account, for example your bank account.

    ", + "

    How to claim

    ", + "

    To claim War Widow\u2019s or Widower\u2019s Pension you can either:

    ", + "
  • download a claim form
  • ", + "
  • phone the Veterans UK helpline and ask for a claim form
  • ", + "

    Send the completed form to:

    ", + "

    How to appeal

    ", + "

    If you disagree with a decision about your claim you can appeal to an independent Pensions Appeal Tribunal.

    ", + "

    Before you appeal you should:

    ", + "
  • ask Veterans UK for more information about how the decision was reached
  • ", + "
  • ask for the decision to be reconsidered if there are some facts Veterans UK may not have known when they made their decision
  • ", + "

    If you\u2019re still unhappy with the outcome contact Veterans UK to let them know that you want to appeal.

    ", + "

    Further information

    ", + "

    Changes in your circumstances

    ", + "

    You\u2019ll continue to get your pension if you marry, form a civil partnership or start living with a partner on or after 1 April 2015.

    ", + "

    If this happened before 1 April 2015, you\u2019ll still get a pension if both:

    ", + "
  • your late spouse or civil partner left service before 31 March 1973
  • ", + "
  • your new relationship started on or after 6 April 2005
  • ", + "

    Otherwise, your pension would have been stopped.

    ", + "

    If your pension stopped

    ", + "

    You can claim your pension again if:

    ", + "
  • you become widowed again
  • ", + "
  • you divorce or separate
  • ", + "
  • your civil partner dies
  • ", + "
  • your civil partnership ends
  • ", + "
  • you stop living with the person as their partner
  • ", + "

    Make sure you tell Veterans UK of any changes in your circumstances so you get the right amount of pension.

    ", + "

    Funeral expenses

    ", + "

    Veterans UK may be able to pay a grant of up to \u00a32,200 towards a veteran\u2019s funeral if any of the following apply:

    ", + "
  • death was due to service before 6 April 2005
  • ", + "
  • War Pensions Constant Attendance Allowance was being paid or would have been paid if the war pensioner had not been in hospital when they died
  • ", + "
  • Unemployability Supplement was being paid at the time of death and the War Disablement Pension was assessed at 80% or more
  • ", + "

    The payment can be made to the veteran\u2019s widow or widower, next of kin or person paying for the funeral.

    ", + "

    You must make a claim within 3 months of the funeral.

    ", + "

    How to apply

    ", + "

    Download the claim form. Send the completed form to:

    " + ] + }, + "https://www.gov.uk/death-spouse-benefits-tax-pension": { + "url": "https://www.gov.uk/death-spouse-benefits-tax-pension", + "title": "Your benefits, tax and pension after the death of a spouse", + "content": "## Tax and National Insurance\n\nYour income will probably change after the death of your husband, wife or civil partner.\n\nIf you get extra money from pensions, annuities, benefits or an inheritance, you may need to pay more tax. You may be on a lower income and need to pay less tax.\n\nYour tax allowances - the income you do not pay tax on - may also change.\n\n## Income you must report\n\nTell HMRC if you get:\n\n- interest from a bank, building society or a National Savings and Investment product, eg pensioner income, capital bonds\n\n- income from letting out property\n\n- income from Purchased Life Annuities\n\n- Widowed Parent\u2019s Allowance or Bereavement Allowance\n\n- Carer\u2019s Allowance\n\n- foreign pension payments\n\n- other income that should have been taxed but has not been\n\nYou do not need to tell HMRC about:\n\n- income your employer pays tax on through PAYE\n\n- income from a private pension\n\n- income which does not get taxed, eg from an Individual Savings Account (ISA)\n\n- any income if you\u2019ll reach State Pension age within 4 months\n\n- getting Jobseeker\u2019s Allowance (JSA), Incapacity Benefit, Employment and Support Allowance (ESA) or Bereavement Support Payment\n\n## How to tell HMRC\n\nTell HMRC about a change in your income:\n\n- in your next Self Assessment tax return, if you\u2019re registered for Self Assessment\n\n- by phone\n\n## Tax allowances\n\nIf you pay Income Tax, you\u2019ll have a Personal Allowance - income you do not pay tax on. Your allowance may change if your income changes.\n\nHMRC will automatically adjust your Personal Allowance when you tell them about your change of income.\n\n## Married Couple\u2019s Allowance\n\nIf you or your husband, wife or civil partner were born before 6 April 1935, you may have been claiming Married Couple\u2019s Allowance. You\u2019ll still get the allowance for the current tax year (up to 5 April) but HMRC will automatically stop it after that and you\u2019ll get just your Personal Allowance.\n\n## Blind Person\u2019s Allowance\n\nIf your husband, wife or civil partner was claiming Blind Person\u2019s Allowance, ask HMRC to transfer what\u2019s left of their Blind Person\u2019s Allowance for the current tax year (up to 5 April) to you.\n\n## Reduced rate National Insurance\n\nIf you\u2019re a widow and you were married before April 1977, you might be paying a reduced rate of National Insurance (sometimes called the \u2018small stamp\u2019).\n\nYou may be able to keep paying the reduced rate. Contact HMRC to find out what you should do.\n\n## Benefits\n\nYou\u2019ll have to make new claims for some benefits that your husband, wife or civil partner was claiming for your family.\n\nYou may also be able to claim other benefits to help with your bereavement or if you\u2019re on a lower income because of the death.\n\n## Bereavement benefits\n\nYou may be able to get:\n\n- Funeral Expenses Payment - to help towards the cost of a funeral if you\u2019re on a low income\n\n- Bereavement Support Payment - if your husband, wife or civil partner died on or after 6 April 2017\n\n- Widowed Parent\u2019s Allowance - if your husband, wife or civil partner died before 6 April 2017 and you have at least one dependent child\n\nPhone the Department for Work and Pensions (DWP) Bereavement Service to check if:\n\n- you can get bereavement benefits\n\n- the death will affect any other benefits you\u2019re already claiming\n\nYou\u2019ll have to make new claims for Child Benefit and tax credits if your husband, wife or civil partner was claiming them.\n\n## Child Benefit\n\nYou\u2019ll need to make a new claim for Child Benefit if you were not the person named as the claimant on the original claim form.\n\n## Tax credits\n\nYou should tell the Tax Credit Office about the death within one month if you have not already heard from them. Phone the Tax Credit Helpline to report the death.\n\n## If your income is lower\n\nYou may be able to get benefits if you\u2019re on a lower income following the death of your husband, wife or civil partner. Use a benefits calculator to work out what benefits you can get and find out how to claim.\n\nYou may also be able to apply for:\n\n- Winter Fuel Payment - if you were born on or before 5 July 1952\n\n- Cold Weather Payment - if you\u2019re on a low income\n\n- Warm Home Discount Scheme\n\nYou may have to pay Income Tax on some benefits you claim.\n\n## Pensions\n\nYou may be able to get extra pension payments from your husband, wife or civil partner\u2019s pension or National Insurance contributions.\n\n## State Pension\n\nYou need to be over State Pension age to claim extra payments from your husband, wife or civil partner\u2019s State Pension.\n\nWhat you get and how you claim will depend on whether you reached State Pension age before or after 6 April 2016.\n\nContact the Pension Service to check what you can claim.\n\n## If you reached State Pension age before 6 April 2016\n\nYou\u2019ll get any State Pension based on your husband, wife or civil partner\u2019s National Insurance contribution when you claim your own pension.\n\nYou will not get it if you remarry or form a new civil partnership before you reach State Pension age.\n\n## If you reached State Pension age on or after 6 April 2016\n\nYou\u2019ll receive the \u2018new State Pension\u2019 and you may be able to inherit an extra payment on top of your pension.\n\n## Private pensions\n\nYou may get payments from your husband, wife or civil partner\u2019s workplace, personal or stakeholder pension - it will depend on the pension scheme. Contact the pension scheme to find out.\n\nYou\u2019ll have to pay tax on those payments if the pension provider does not pay it for you.\n\n## War Widow\u2019s or Widower\u2019s Pension\n\nYou may be able to get War Widow\u2019s or Widower Pension - if your husband, wife or civil partner died because of their service in the Armed Forces or because of a war.", + "original_contents": [ + "

    Tax and National Insurance

    ", + "

    Your income will probably change after the death of your husband, wife or civil partner.

    ", + "

    If you get extra money from pensions, annuities, benefits or an inheritance, you may need to pay more tax. You may be on a lower income and need to pay less tax.

    ", + "

    Your tax allowances - the income you do not pay tax on - may also change.

    ", + "

    Income you must report

    ", + "

    Tell HMRC if you get:

    ", + "
  • interest from a bank, building society or a National Savings and Investment product, eg pensioner income, capital bonds
  • ", + "
  • income from letting out property
  • ", + "
  • income from Purchased Life Annuities
  • ", + "
  • Widowed Parent\u2019s Allowance or Bereavement Allowance
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • foreign pension payments
  • ", + "
  • other income that should have been taxed but has not been
  • ", + "

    You do not need to tell HMRC about:

    ", + "
  • income your employer pays tax on through PAYE
  • ", + "
  • income from a private pension
  • ", + "
  • income which does not get taxed, eg from an Individual Savings Account (ISA)
  • ", + "
  • any income if you\u2019ll reach State Pension age within 4 months
  • ", + "
  • getting Jobseeker\u2019s Allowance (JSA), Incapacity Benefit, Employment and Support Allowance (ESA) or Bereavement Support Payment
  • ", + "

    How to tell HMRC

    ", + "

    Tell HMRC about a change in your income:

    ", + "
  • in your next Self Assessment tax return, if you\u2019re registered for Self Assessment
  • ", + "
  • by phone
  • ", + "

    Tax allowances

    ", + "

    If you pay Income Tax, you\u2019ll have a Personal Allowance - income you do not pay tax on. Your allowance may change if your income changes.

    ", + "

    HMRC will automatically adjust your Personal Allowance when you tell them about your change of income.

    ", + "

    Married Couple\u2019s Allowance

    ", + "

    If you or your husband, wife or civil partner were born before 6 April 1935, you may have been claiming Married Couple\u2019s Allowance. You\u2019ll still get the allowance for the current tax year (up to 5 April) but HMRC will automatically stop it after that and you\u2019ll get just your Personal Allowance.

    ", + "

    Blind Person\u2019s Allowance

    ", + "

    If your husband, wife or civil partner was claiming Blind Person\u2019s Allowance, ask HMRC to transfer what\u2019s left of their Blind Person\u2019s Allowance for the current tax year (up to 5 April) to you.

    ", + "

    Reduced rate National Insurance

    ", + "

    If you\u2019re a widow and you were married before April 1977, you might be paying a reduced rate of National Insurance (sometimes called the \u2018small stamp\u2019).

    ", + "

    You may be able to keep paying the reduced rate. Contact HMRC to find out what you should do.

    ", + "

    Benefits

    ", + "

    You\u2019ll have to make new claims for some benefits that your husband, wife or civil partner was claiming for your family.

    ", + "

    You may also be able to claim other benefits to help with your bereavement or if you\u2019re on a lower income because of the death.

    ", + "

    Bereavement benefits

    ", + "

    You may be able to get:

    ", + "
  • Funeral Expenses Payment - to help towards the cost of a funeral if you\u2019re on a low income
  • ", + "
  • Bereavement Support Payment - if your husband, wife or civil partner died on or after 6 April 2017
  • ", + "
  • Widowed Parent\u2019s Allowance - if your husband, wife or civil partner died before 6 April 2017 and you have at least one dependent child
  • ", + "

    Phone the Department for Work and Pensions (DWP) Bereavement Service to check if:

    ", + "
  • you can get bereavement benefits
  • ", + "
  • the death will affect any other benefits you\u2019re already claiming
  • ", + "

    You\u2019ll have to make new claims for Child Benefit and tax credits if your husband, wife or civil partner was claiming them.

    ", + "

    Child Benefit

    ", + "

    You\u2019ll need to make a new claim for Child Benefit if you were not the person named as the claimant on the original claim form.

    ", + "

    Tax credits

    ", + "

    You should tell the Tax Credit Office about the death within one month if you have not already heard from them. Phone the Tax Credit Helpline to report the death.

    ", + "

    If your income is lower

    ", + "

    You may be able to get benefits if you\u2019re on a lower income following the death of your husband, wife or civil partner. Use a benefits calculator to work out what benefits you can get and find out how to claim.

    ", + "

    You may also be able to apply for:

    ", + "
  • Winter Fuel Payment - if you were born on or before 5 July 1952
  • ", + "
  • Cold Weather Payment - if you\u2019re on a low income
  • ", + "
  • Warm Home Discount Scheme
  • ", + "

    You may have to pay Income Tax on some benefits you claim.

    ", + "

    Pensions

    ", + "

    You may be able to get extra pension payments from your husband, wife or civil partner\u2019s pension or National Insurance contributions.

    ", + "

    State Pension

    ", + "

    You need to be over State Pension age to claim extra payments from your husband, wife or civil partner\u2019s State Pension.

    ", + "

    What you get and how you claim will depend on whether you reached State Pension age before or after 6 April 2016.

    ", + "

    Contact the Pension Service to check what you can claim.

    ", + "

    If you reached State Pension age before 6 April 2016

    ", + "

    You\u2019ll get any State Pension based on your husband, wife or civil partner\u2019s National Insurance contribution when you claim your own pension.

    ", + "

    You will not get it if you remarry or form a new civil partnership before you reach State Pension age.

    ", + "

    If you reached State Pension age on or after 6 April 2016

    ", + "

    You\u2019ll receive the \u2018new State Pension\u2019 and you may be able to inherit an extra payment on top of your pension.

    ", + "

    Private pensions

    ", + "

    You may get payments from your husband, wife or civil partner\u2019s workplace, personal or stakeholder pension - it will depend on the pension scheme. Contact the pension scheme to find out.

    ", + "

    You\u2019ll have to pay tax on those payments if the pension provider does not pay it for you.

    ", + "

    War Widow\u2019s or Widower\u2019s Pension

    ", + "

    You may be able to get War Widow\u2019s or Widower Pension - if your husband, wife or civil partner died because of their service in the Armed Forces or because of a war.

    " + ] + }, + "https://www.gov.uk/adoption-records": { + "url": "https://www.gov.uk/adoption-records", + "title": "Adoption records", + "content": "## Accessing your birth records\n\nYou can access your birth records if you don\u2019t have them because you were adopted.\n\nYou need to be 18 or over to do this.\n\nEveryone adopted before 12 November 1975 will need to attend a counselling session with an approved adoption advisor first.\n\n## You know your birth details\n\nYou can order a copy of your original birth certificate from the General Register Office.\n\nFor adoptions outside England or Wales you need to contact the General Register Office where you were adopted.\n\n## You don\u2019t know your birth details\n\nYou need to fill in an application for Birth certificate Information Before Adoption (BIBA) service if you don\u2019t know your birth details. Which application form you fill in depends on if you live:\n\n- in the UK\n\n- outside the UK\n\nPost or email the form to:\n\n## The Adoption Contact Register\n\nYou can add yourself to the Adoption Contact Register at the General Register Office to:\n\n- find a birth relative or an adopted person\n\n- say you don\u2019t want to be contacted\n\nThis is not a tracing service - for a connection to be made between people, you must both be on the Adoption Contact Register.\n\n## Find birth relatives if you were adopted\n\nYou can add yourself to the Adoption Contact Register if you\u2019re 18 or over and your birth or adoption was registered with the General Register Office.\n\nYou need to fill in form CR part 1 to add yourself to the register. Read guidance notes on how to complete the form.\n\nYou need:\n\n- your original birth name\n\n- your date of birth\n\n- the full name(s) of your birth mother (and birth father if known)\n\nThe fee is \u00a315 - instructions on how to pay are on form CR part 1.\n\n## Find someone who was adopted if you\u2019re a birth relative\n\nYou can add yourself to the register to try to find an adopted person by filling in form CR part 2. Read guidance notes on how to complete the form. You\u2019ll only be able to find people who have also added themselves to it.\n\nYou need to be 18 or over.\n\nThe fee is \u00a330 - instructions on how to pay are on form CR part 2.\n\nYou can also use this form if you are an adopted person looking for other adopted siblings.\n\nYou can also apply to make contact with an adopted person through an approved intermediary agency.\n\n## More information\n\nContact the Adoptions Section of the HM Passport Office.\n\n## Intermediary agencies\n\nYou can use an intermediary agency to help you trace a birth relative if you were adopted or you\u2019re related to someone who has been adopted. The fee for the service depends on the agency.\n\nYou can use an intermediary agency if:\n\n- you were adopted before 30 December 2005\n\n- a relative of yours (including a relative by adoption) was adopted before 30 December 2005\n\nWhen an intermediary agency finds a person, you can only contact them if they agree to it. If they don\u2019t agree, the agency won\u2019t tell you their name or whereabouts but might be able to share some information, like:\n\n- their domestic or family circumstances\n\n- their general health and well-being\n\n## If you don\u2019t want to be contacted\n\nAdopted people and birth relatives can use the Adoption Contact Register to say that they don\u2019t want to be contacted.\n\nTell your agency and register a veto if you don\u2019t want to be approached by an intermediary agency. There are 2 types of veto called an \u2018absolute veto\u2019 and a \u2018qualified veto\u2019.\n\n## An \u2018absolute veto\u2019\n\nThis means an intermediary agency can\u2019t approach you under any circumstances (your adoption agency can still pass on information to you, for example about a hereditary medical condition or details of an inheritance).\n\n## A \u2018qualified veto\u2019\n\nThis means you can say when you would be prepared to be contacted, for example you could say that an approach on behalf of your birth parent wouldn\u2019t be acceptable, but an approach by a sibling would.\n\n## More help and information\n\nFor further information on intermediary services you can contact:\n\n- General Register Office\n\n- the adoption team at your local council\n\n- a voluntary adoption agency\n\n- an adoption support agency", + "original_contents": [ + "

    Accessing your birth records

    ", + "

    You can access your birth records if you don\u2019t have them because you were adopted.

    ", + "

    You need to be 18 or over to do this.

    ", + "

    Everyone adopted before 12 November 1975 will need to attend a counselling session with an approved adoption advisor first.

    ", + "

    You know your birth details

    ", + "

    You can order a copy of your original birth certificate from the General Register Office.

    ", + "

    For adoptions outside England or Wales you need to contact the General Register Office where you were adopted.

    ", + "

    You don\u2019t know your birth details

    ", + "

    You need to fill in an application for Birth certificate Information Before Adoption (BIBA) service if you don\u2019t know your birth details. Which application form you fill in depends on if you live:

    ", + "
  • in the UK
  • ", + "
  • outside the UK
  • ", + "

    Post or email the form to:

    ", + "

    The Adoption Contact Register

    ", + "

    You can add yourself to the Adoption Contact Register at the General Register Office to:

    ", + "
  • find a birth relative or an adopted person
  • ", + "
  • say you don\u2019t want to be contacted
  • ", + "

    This is not a tracing service - for a connection to be made between people, you must both be on the Adoption Contact Register.

    ", + "

    Find birth relatives if you were adopted

    ", + "

    You can add yourself to the Adoption Contact Register if you\u2019re 18 or over and your birth or adoption was registered with the General Register Office.

    ", + "

    You need to fill in form CR part 1 to add yourself to the register. Read guidance notes on how to complete the form.

    ", + "

    You need:

    ", + "
  • your original birth name
  • ", + "
  • your date of birth
  • ", + "
  • the full name(s) of your birth mother (and birth father if known)
  • ", + "

    The fee is \u00a315 - instructions on how to pay are on form CR part 1.

    ", + "

    Find someone who was adopted if you\u2019re a birth relative

    ", + "

    You can add yourself to the register to try to find an adopted person by filling in form CR part 2. Read guidance notes on how to complete the form. You\u2019ll only be able to find people who have also added themselves to it.

    ", + "

    You need to be 18 or over.

    ", + "

    The fee is \u00a330 - instructions on how to pay are on form CR part 2.

    ", + "

    You can also use this form if you are an adopted person looking for other adopted siblings.

    ", + "

    You can also apply to make contact with an adopted person through an approved intermediary agency.

    ", + "

    More information

    ", + "

    Contact the Adoptions Section of the HM Passport Office.

    ", + "

    Intermediary agencies

    ", + "

    You can use an intermediary agency to help you trace a birth relative if you were adopted or you\u2019re related to someone who has been adopted. The fee for the service depends on the agency.

    ", + "

    You can use an intermediary agency if:

    ", + "
  • you were adopted before 30 December 2005
  • ", + "
  • a relative of yours (including a relative by adoption) was adopted before 30 December 2005
  • ", + "

    When an intermediary agency finds a person, you can only contact them if they agree to it. If they don\u2019t agree, the agency won\u2019t tell you their name or whereabouts but might be able to share some information, like:

    ", + "
  • their domestic or family circumstances
  • ", + "
  • their general health and well-being
  • ", + "

    If you don\u2019t want to be contacted

    ", + "

    Adopted people and birth relatives can use the Adoption Contact Register to say that they don\u2019t want to be contacted.

    ", + "

    Tell your agency and register a veto if you don\u2019t want to be approached by an intermediary agency. There are 2 types of veto called an \u2018absolute veto\u2019 and a \u2018qualified veto\u2019.

    ", + "

    An \u2018absolute veto\u2019

    ", + "

    This means an intermediary agency can\u2019t approach you under any circumstances (your adoption agency can still pass on information to you, for example about a hereditary medical condition or details of an inheritance).

    ", + "

    A \u2018qualified veto\u2019

    ", + "

    This means you can say when you would be prepared to be contacted, for example you could say that an approach on behalf of your birth parent wouldn\u2019t be acceptable, but an approach by a sibling would.

    ", + "

    More help and information

    ", + "

    For further information on intermediary services you can contact:

    ", + "
  • General Register Office
  • ", + "
  • the adoption team at your local council
  • ", + "
  • a voluntary adoption agency
  • ", + "
  • an adoption support agency
  • " + ] + }, + "https://www.gov.uk/apply-gender-recognition-certificate": { + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "title": "Apply for a Gender Recognition Certificate", + "content": "## Overview\n\nApply to the Gender Recognition Panel for a Gender Recognition Certificate if you want your acquired gender to be legally recognised in the UK.\n\nThere are 3 different ways (\u2018routes\u2019) to get a certificate - which one you use depends on your situation.\n\nRead the full guidance before you apply.\n\n## Standard route\n\nApply by the standard route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria (discomfort with your birth gender) - this is also called gender identity disorder, gender incongruence or transsexualism\n\n- you\u2019ve lived in your acquired gender for at least 2 years\n\n- you intend to live in your acquired gender for the rest of your life\n\n## Alternative route\n\nApply by the alternative route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria or had surgery to change your sexual characteristics\n\n- you live in England, Wales, Northern Ireland or Scotland most of the time\n\n- you intend to live in your acquired gender for the rest of your life\n\n- you\u2019re in (or have been in) a protected marriage or protected civil partnership before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\n- you\u2019ve lived in your acquired gender for at least 6 years before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\nA marriage or civil partnership is protected if it\u2019s one of the following:\n\n- registered under the law of England, Wales or Northern Ireland\n\n- a marriage solemnised in Scotland\n\n- a civil partnership registered in Scotland\n\n- a marriage registered under the law of a country or territory outside the UK\n\n- a marriage on UK consular premises or in an armed forces base, if you elected England, Wales, Northern Ireland or Scotland as the relevant part of the UK\n\n## Overseas route\n\nApply by the overseas route if your acquired gender has been legally accepted in an \u2018approved country or territory\u2019 and you have documents to prove it.\n\nYou must be 18 or over.\n\n## Help you can get\n\nYou can get information, advice and support from a number of voluntary organisations - you can find a list on page 21 of the full guidance.\n\nYou can also contact Citizens Advice or find a legal adviser.\n\n## If you're married or in a civil partnership\n\n## If you\u2019re married\n\nYou can stay married if you apply for a Gender Recognition Certificate.\n\nYou and your spouse must fill in a statutory declaration saying you both agree to stay married.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.\n\nIf your marriage is registered in England, Wales or Northern Ireland and you have an interim certificate, you\u2019ll only get a full certificate once you end your marriage.\n\nIf your marriage was registered in Scotland, you can use an interim certificate to apply to the sheriff court for a full certificate. You do not need to end your marriage first.\n\nContact the administrative team at the Gender Recognition Panel if either you or your spouse change your mind about staying married during the application process.\n\n## If you\u2019re in a civil partnership\n\nYou can stay in your civil partnership if it was registered in England, Wales or Northern Ireland.\n\nYour partner must fill in a statutory declaration saying they agree to stay in a civil partnership with you. Contact the Gender Recognition Panel for help with filling in the declaration.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if your partner does not fill in a statutory declaration.\n\n## Civil partnerships registered in Scotland\n\nIf your civil partnership was registered in Scotland, you must end it or convert your civil partnership to marriage.\n\nIf you decide to convert your civil partnership into a marriage you must do it before you apply to the Gender Recognition Panel.\n\nIf you\u2019re still in a civil partnership when you apply to the Gender Recognition Panel, you\u2019ll get an \u2018interim certificate\u2019. You must end the civil partnership before you can get a full certificate.\n\n## How to apply\n\nDownload and fill in the right form for your application.\n\n| | Form | Guidance |\n\n| Standard route | Form T450 | Leaflet T451 |\n\n| Alternative route | Form T464 | Leaflet T465 |\n\n| Overseas route | Form T453 | Leaflet T454 |\n\nSend the completed form with your fee and any supporting documents relevant to your application.\n\n## Fees\n\nIt costs \u00a35 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\n## Get help with your application\n\nContact the administrative team at the Gender Recognition Panel for advice on the application process.\n\n## Documents you must provide\n\nYou must send certain documents when you apply, depending on which application route you use and whether you\u2019ve ever been married or in a civil partnership.\n\nYou might need to send original documents - you\u2019ll get them back after the Gender Recognition Panel has looked at your application. You will not get any statutory declarations back.\n\nFor all application routes, you must download and fill in the relevant statutory declaration for:\n\n- single people\n\n- married people or civil partners\n\n## If you\u2019ve ever been married or in a civil partnership\n\nFor all application routes you must provide the following (if relevant):\n\n- an original or certified copy of your marriage or civil partnership certificate\n\n- a copy of the decree ending your marriage or proof that any previous civil partnership has been dissolved\n\n- a copy of your spouse\u2019s death certificate\n\nIf you want to stay married, your spouse must fill in a statutory declaration for a spouse.\n\n## Standard or alternative route\n\nFor all application routes you must send:\n\n- an original or certified copy of your birth certificate\n\n- copies of any official documents that show your birth name has changed to your current name\n\n- proof you\u2019ve lived in your acquired gender for the required time\n\n- any required medical reports\n\nYou need to have lived in your acquired gender for 2 years if applying through the standard route.\n\nIf you\u2019re applying through the alternative route you need to have lived in your acquired gender for 6 years before 10 December 2014, or 16 December 2014 if you\u2019re in Scotland.\n\n## Proof you\u2019ve lived in your acquired gender\n\nThis proof must cover the required time that you\u2019ve lived in your acquired gender. It could include copies of your:\n\n- passport\n\n- driving licence\n\n- payslips or benefit documents\n\n- utility bills or other documents of an official nature\n\nAll documents should be in your acquired name and gender. The earliest document must be dated before the beginning of the required time.\n\n## Medical reports\n\nFor the standard and alternative application routes you must send a report that includes details of any treatment you\u2019ve had to change your sexual characteristics, for example hormone treatment or surgery.\n\nThe report must be an original copy from a qualified medical professional, for example a:\n\n- doctor registered with the General Medical Council (GMC)\n\n- psychologist registered with the Health and Care Professions Council\n\nYou can ask your GP or surgeon to fill in a report for you if you do not have one already.\n\nIf you have not had any treatment or surgery yet, you must send a report that includes details of any planned treatment or surgery.\n\nIf you are applying by the standard route you must also send a report with details of your gender dysphoria diagnosis.\n\nRead the list of gender dysphoria specialists to find out who can write this report for you. You can send a report from a registered medical professional not on this list if they can prove they work in gender dysphoria.\n\n## Overseas route\n\nIf you\u2019re applying using the overseas route, you must prove that your gender has been legally recognised in an \u2018approved country or territory\u2019. Send original or certified copies of the following (if you have them):\n\n- your new birth certificate and old birth certificate\n\n- an amended birth certificate that shows the change of gender\n\n- a court order authorising your change of gender\n\n- a document that\u2019s equivalent to a Gender Recognition Certificate\n\n- an entry in a legal register that proves your acquired gender has been recognised\n\n## What happens next\n\nYour application will be assessed by the Gender Recognition Panel - you\u2019ll be contacted if they need more proof or information.\n\nContact the administrative team at the Gender Recognition Panel to find out about your application\u2019s progress.\n\n## If you get a full certificate\n\nYou\u2019ll be sent information on:\n\n- how to get a new birth certificate, marriage certificate or civil partnership where appropriate\n\n- who you must tell about your gender change\n\nYour pension and benefits may be affected.\n\n## If you\u2019re given an interim certificate\n\nYou\u2019ll be sent information on:\n\n- how to annul or dissolve your marriage or civil partnership\n\n- how long you have to convert your civil partnership to a marriage, if applicable\n\n## If your application is turned down\n\nYou\u2019ll be told why your application was rejected.\n\nYou may be able to appeal the decision if you think it\u2019s wrong on a point of law.\n\nWhere you appeal depends on whether you live in:\n\n- England and Wales - appeal to the High Court Family Division\n\n- Scotland - appeal to the Court of Session in Edinburgh\n\n- Northern Ireland - appeal to the High Court\n\nYou\u2019ll be told in your decision letter how to appeal or apply again.\n\n## Legislation\n\nThe Gender Recognition Panel must apply the law in the Gender Recognition Act 2004 and the following amendments:\n\n- Schedule 5, Section 12 of the Marriage (Same Sex Couples) Act 2013\n\n- Part 4 of the Marriage and Civil Partnership (Scotland) Act 2014", + "original_contents": [ + "

    Overview

    ", + "

    Apply to the Gender Recognition Panel for a Gender Recognition Certificate if you want your acquired gender to be legally recognised in the UK.

    ", + "

    There are 3 different ways (\u2018routes\u2019) to get a certificate - which one you use depends on your situation.

    ", + "

    Read the full guidance before you apply.

    ", + "

    Standard route

    ", + "

    Apply by the standard route if all the following are true:

    ", + "
  • you\u2019re 18 or over
  • ", + "
  • you\u2019ve been diagnosed with gender dysphoria (discomfort with your birth gender) - this is also called gender identity disorder, gender incongruence or transsexualism
  • ", + "
  • you\u2019ve lived in your acquired gender for at least 2 years
  • ", + "
  • you intend to live in your acquired gender for the rest of your life
  • ", + "

    Alternative route

    ", + "

    Apply by the alternative route if all the following are true:

    ", + "
  • you\u2019re 18 or over
  • ", + "
  • you\u2019ve been diagnosed with gender dysphoria or had surgery to change your sexual characteristics
  • ", + "
  • you live in England, Wales, Northern Ireland or Scotland most of the time
  • ", + "
  • you intend to live in your acquired gender for the rest of your life
  • ", + "
  • you\u2019re in (or have been in) a protected marriage or protected civil partnership before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)
  • ", + "
  • you\u2019ve lived in your acquired gender for at least 6 years before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)
  • ", + "

    A marriage or civil partnership is protected if it\u2019s one of the following:

    ", + "
  • registered under the law of England, Wales or Northern Ireland
  • ", + "
  • a marriage solemnised in Scotland
  • ", + "
  • a civil partnership registered in Scotland
  • ", + "
  • a marriage registered under the law of a country or territory outside the UK
  • ", + "
  • a marriage on UK consular premises or in an armed forces base, if you elected England, Wales, Northern Ireland or Scotland as the relevant part of the UK
  • ", + "

    Overseas route

    ", + "

    Apply by the overseas route if your acquired gender has been legally accepted in an \u2018approved country or territory\u2019 and you have documents to prove it.

    ", + "

    You must be 18 or over.

    ", + "

    Help you can get

    ", + "

    You can get information, advice and support from a number of voluntary organisations - you can find a list on page 21 of the full guidance.

    ", + "

    You can also contact Citizens Advice or find a legal adviser.

    ", + "

    If you're married or in a civil partnership

    ", + "

    If you\u2019re married

    ", + "

    You can stay married if you apply for a Gender Recognition Certificate.

    ", + "

    You and your spouse must fill in a statutory declaration saying you both agree to stay married.

    ", + "

    You\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.

    ", + "

    If your marriage is registered in England, Wales or Northern Ireland and you have an interim certificate, you\u2019ll only get a full certificate once you end your marriage.

    ", + "

    If your marriage was registered in Scotland, you can use an interim certificate to apply to the sheriff court for a full certificate. You do not need to end your marriage first.

    ", + "

    Contact the administrative team at the Gender Recognition Panel if either you or your spouse change your mind about staying married during the application process.

    ", + "

    If you\u2019re in a civil partnership

    ", + "

    You can stay in your civil partnership if it was registered in England, Wales or Northern Ireland.

    ", + "

    Your partner must fill in a statutory declaration saying they agree to stay in a civil partnership with you. Contact the Gender Recognition Panel for help with filling in the declaration.

    ", + "

    You\u2019ll get an \u2018interim certificate\u2019 if your partner does not fill in a statutory declaration.

    ", + "

    Civil partnerships registered in Scotland

    ", + "

    If your civil partnership was registered in Scotland, you must end it or convert your civil partnership to marriage.

    ", + "

    If you decide to convert your civil partnership into a marriage you must do it before you apply to the Gender Recognition Panel.

    ", + "

    If you\u2019re still in a civil partnership when you apply to the Gender Recognition Panel, you\u2019ll get an \u2018interim certificate\u2019. You must end the civil partnership before you can get a full certificate.

    ", + "

    How to apply

    ", + "

    Download and fill in the right form for your application.

    ", + " | Form | Guidance", + "Standard route | Form T450 | Leaflet T451", + "Alternative route | Form T464 | Leaflet T465", + "Overseas route | Form T453 | Leaflet T454", + "

    Send the completed form with your fee and any supporting documents relevant to your application.

    ", + "

    Fees

    ", + "

    It costs \u00a35 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    Get help with your application

    ", + "

    Contact the administrative team at the Gender Recognition Panel for advice on the application process.

    ", + "

    Documents you must provide

    ", + "

    You must send certain documents when you apply, depending on which application route you use and whether you\u2019ve ever been married or in a civil partnership.

    ", + "

    You might need to send original documents - you\u2019ll get them back after the Gender Recognition Panel has looked at your application. You will not get any statutory declarations back.

    ", + "

    For all application routes, you must download and fill in the relevant statutory declaration for:

    ", + "
  • single people
  • ", + "
  • married people or civil partners
  • ", + "

    If you\u2019ve ever been married or in a civil partnership

    ", + "

    For all application routes you must provide the following (if relevant):

    ", + "
  • an original or certified copy of your marriage or civil partnership certificate
  • ", + "
  • a copy of the decree ending your marriage or proof that any previous civil partnership has been dissolved
  • ", + "
  • a copy of your spouse\u2019s death certificate
  • ", + "

    If you want to stay married, your spouse must fill in a statutory declaration for a spouse.

    ", + "

    Standard or alternative route

    ", + "

    For all application routes you must send:

    ", + "
  • an original or certified copy of your birth certificate
  • ", + "
  • copies of any official documents that show your birth name has changed to your current name
  • ", + "
  • proof you\u2019ve lived in your acquired gender for the required time
  • ", + "
  • any required medical reports
  • ", + "

    You need to have lived in your acquired gender for 2 years if applying through the standard route.

    ", + "

    If you\u2019re applying through the alternative route you need to have lived in your acquired gender for 6 years before 10 December 2014, or 16 December 2014 if you\u2019re in Scotland.

    ", + "

    Proof you\u2019ve lived in your acquired gender

    ", + "

    This proof must cover the required time that you\u2019ve lived in your acquired gender. It could include copies of your:

    ", + "
  • passport
  • ", + "
  • driving licence
  • ", + "
  • payslips or benefit documents
  • ", + "
  • utility bills or other documents of an official nature
  • ", + "

    All documents should be in your acquired name and gender. The earliest document must be dated before the beginning of the required time.

    ", + "

    Medical reports

    ", + "

    For the standard and alternative application routes you must send a report that includes details of any treatment you\u2019ve had to change your sexual characteristics, for example hormone treatment or surgery.

    ", + "

    The report must be an original copy from a qualified medical professional, for example a:

    ", + "
  • doctor registered with the General Medical Council (GMC)
  • ", + "
  • psychologist registered with the Health and Care Professions Council
  • ", + "

    You can ask your GP or surgeon to fill in a report for you if you do not have one already.

    ", + "

    If you have not had any treatment or surgery yet, you must send a report that includes details of any planned treatment or surgery.

    ", + "

    If you are applying by the standard route you must also send a report with details of your gender dysphoria diagnosis.

    ", + "

    Read the list of gender dysphoria specialists to find out who can write this report for you. You can send a report from a registered medical professional not on this list if they can prove they work in gender dysphoria.

    ", + "

    Overseas route

    ", + "

    If you\u2019re applying using the overseas route, you must prove that your gender has been legally recognised in an \u2018approved country or territory\u2019. Send original or certified copies of the following (if you have them):

    ", + "
  • your new birth certificate and old birth certificate
  • ", + "
  • an amended birth certificate that shows the change of gender
  • ", + "
  • a court order authorising your change of gender
  • ", + "
  • a document that\u2019s equivalent to a Gender Recognition Certificate
  • ", + "
  • an entry in a legal register that proves your acquired gender has been recognised
  • ", + "

    What happens next

    ", + "

    Your application will be assessed by the Gender Recognition Panel - you\u2019ll be contacted if they need more proof or information.

    ", + "

    Contact the administrative team at the Gender Recognition Panel to find out about your application\u2019s progress.

    ", + "

    If you get a full certificate

    ", + "

    You\u2019ll be sent information on:

    ", + "
  • how to get a new birth certificate, marriage certificate or civil partnership where appropriate
  • ", + "
  • who you must tell about your gender change
  • ", + "

    Your pension and benefits may be affected.

    ", + "

    If you\u2019re given an interim certificate

    ", + "

    You\u2019ll be sent information on:

    ", + "
  • how to annul or dissolve your marriage or civil partnership
  • ", + "
  • how long you have to convert your civil partnership to a marriage, if applicable
  • ", + "

    If your application is turned down

    ", + "

    You\u2019ll be told why your application was rejected.

    ", + "

    You may be able to appeal the decision if you think it\u2019s wrong on a point of law.

    ", + "

    Where you appeal depends on whether you live in:

    ", + "
  • England and Wales - appeal to the High Court Family Division
  • ", + "
  • Scotland - appeal to the Court of Session in Edinburgh
  • ", + "
  • Northern Ireland - appeal to the High Court
  • ", + "

    You\u2019ll be told in your decision letter how to appeal or apply again.

    ", + "

    Legislation

    ", + "

    The Gender Recognition Panel must apply the law in the Gender Recognition Act 2004 and the following amendments:

    ", + "
  • Schedule 5, Section 12 of the Marriage (Same Sex Couples) Act 2013
  • ", + "
  • Part 4 of the Marriage and Civil Partnership (Scotland) Act 2014
  • " + ] + }, + "https://www.gov.uk/change-name-deed-poll": { + "url": "https://www.gov.uk/change-name-deed-poll", + "title": "Change your name by deed poll", + "content": "## Overview\n\nYou do not have to follow a legal process to start using a new name. But you might need a \u2018deed poll\u2019 to apply for or to change official documents like your passport or driving licence.\n\nThere are different rules for changing your name in Scotland.\n\n## Get a deed poll\n\nA deed poll is a legal document that proves a change of name. You can change any part of your name, add or remove names and hyphens, or change spelling.\n\nThere are 2 ways to get a\u00a0deed poll. You can either:\n\n- make an \u2018unenrolled\u2019 deed poll yourself\n\n- apply for an \u2018enrolled\u2019 deed poll\n\nAsk the organisation you\u2019re dealing with (for example your bank) which type of deed poll they\u2019ll accept as proof of your new name.\n\nIf you\u2019re a permanent resident overseas, you cannot change your name by deed poll.\n\n## Make an \u2018unenrolled\u2019 deed poll\n\nYou can change your name yourself if you\u2019re 16 or over.\n\n## Apply for an \u2018enrolled\u2019 deed poll\n\n\u2018Enrolling\u2019 a deed poll means that you\u2019re putting your new name on public record.\n\nYou must apply to the Royal Courts of Justice to get an \u2018enrolled\u2019 deed poll using the deed poll process. It costs \u00a342.44.\n\nYou can only enrol your own name change if you\u2019re 18 or over. The process is different to change the name of a child under 18.\n\n## Marriage and civil partnership\n\nYou do not need a deed poll to take your spouse\u2019s or civil partner\u2019s surname. Send a copy of your marriage or civil partnership certificate to record-holders, such as benefits offices. Your documents will be updated for free.\n\n## If you divorce or end your civil partnership\n\nYou may be able to go back to your original name by showing record-holders either your:\n\n- marriage certificate and decree absolute\n\n- civil partnership certificate and final order\n\nSome organisations will not change your name back without a deed poll.\n\n## Make your own deed poll\n\nYou need to be 16 or over to make your own deed poll.\n\nSome organisations may not accept a deed poll you\u2019ve made yourself as proof of your new name. Ask the organisation you\u2019re dealing with (for example your bank) if they need an \u2018enrolled\u2019 deed poll instead.\n\n## How to make your own deed poll\n\nUse the following wording:\n\n\u201cI [old name] of [your address] have given up my name [old name] and have adopted for all purposes the name [new name].\n\n\u201cSigned as a deed on [date] as [old name] and [new name] in the presence of [witness 1 name] of [witness 1 address], and [witness 2 name] of [witness 2 address].\n\n\u201c[your new signature], [your old signature]\n\n\u201c[witness 1 signature], [witness 2 signature]\u201d\n\nA specialist agency or a solicitor can make the deed poll for you instead - they may charge a fee.\n\nAfter you\u2019ve made it, you can use your deed poll as proof of your new name.\n\n## Enrol a deed poll with the courts\n\nYou can put your new name on public record by \u2018enrolling\u2019 it at the Royal Courts of Justice if you\u2019re 18 or over. It costs \u00a342.44 and cheques should be made payable to HMCTS.\n\nIf you\u2019re under 18, follow the process for changing a child\u2019s name to enrol.\n\nDownload the guidance and forms for changing an adult\u2019s name - this includes the notification form for The Gazette.\n\nSend your forms and documents to the Queen\u2019s Bench Division.\n\nBecause of coronavirus (COVID-19), applications are taking longer than usual to process.\n\n## Change a child\u2019s name\n\nTo change the name of a child under 18 you can either:\n\n- make an unenrolled deed poll by using a specialist deed poll agency or a solicitor\n\n- apply for an enrolled deed poll from the Royal Courts of Justice\n\nIf you choose an enrolled deed poll, this means your child\u2019s new name will usually appear on public record in The Gazette.\n\nSome organisations will only accept an enrolled deed poll as proof of a name change. For example, to change your child\u2019s name on their passport you will need an enrolled deed poll.\n\nIf you\u2019re 16 or 17 you can choose to make your own unenrolled deed poll.\n\n## Apply for an enrolled deed poll\n\nYou\u2019ll need either:\n\n- the agreement of everyone with parental responsibility\n\n- a court order\n\nYou must try to reach agreement before you seek a court order.\n\n## If everyone with parental responsibility agrees\n\nDownload and complete the forms for changing a child\u2019s name - this includes the notification form for The Gazette.\n\nIt costs \u00a342.44 to apply.\n\nSend your forms and documents to the Queen\u2019s Bench Division.\n\nIf you\u2019re worried about your child\u2019s name change being published in The Gazette, contact the Queen\u2019s Bench Division. For example, they may agree to only publish your child\u2019s first name.\n\nBecause of coronavirus (COVID-19), applications are taking longer than usual to process.\n\n## If you need a court order\n\nRead the guidance on making an application to the court.\n\nFill in form C100 for a \u2018specific issue order\u2019.\n\nSend your form to your nearest court that deals with child cases.\n\nIt costs \u00a3215 to apply for a court order. You may be able to get help with court fees if you\u2019re on benefits or a low income.", + "original_contents": [ + "

    Overview

    ", + "

    You do not have to follow a legal process to start using a new name. But you might need a \u2018deed poll\u2019 to apply for or to change official documents like your passport or driving licence.

    ", + "

    There are different rules for changing your name in Scotland.

    ", + "

    Get a deed poll

    ", + "

    A deed poll is a legal document that proves a change of name. You can change any part of your name, add or remove names and hyphens, or change spelling.

    ", + "

    There are 2 ways to get a\u00a0deed poll. You can either:

    ", + "
  • make an \u2018unenrolled\u2019 deed poll yourself
  • ", + "
  • apply for an \u2018enrolled\u2019 deed poll
  • ", + "

    Ask the organisation you\u2019re dealing with (for example your bank) which type of deed poll they\u2019ll accept as proof of your new name.

    ", + "

    If you\u2019re a permanent resident overseas, you cannot change your name by deed poll.

    ", + "

    Make an \u2018unenrolled\u2019 deed poll

    ", + "

    You can change your name yourself if you\u2019re 16 or over.

    ", + "

    Apply for an \u2018enrolled\u2019 deed poll

    ", + "

    \u2018Enrolling\u2019 a deed poll means that you\u2019re putting your new name on public record.

    ", + "

    You must apply to the Royal Courts of Justice to get an \u2018enrolled\u2019 deed poll using the deed poll process. It costs \u00a342.44.

    ", + "

    You can only enrol your own name change if you\u2019re 18 or over. The process is different to change the name of a child under 18.

    ", + "

    Marriage and civil partnership

    ", + "

    You do not need a deed poll to take your spouse\u2019s or civil partner\u2019s surname. Send a copy of your marriage or civil partnership certificate to record-holders, such as benefits offices. Your documents will be updated for free.

    ", + "

    If you divorce or end your civil partnership

    ", + "

    You may be able to go back to your original name by showing record-holders either your:

    ", + "
  • marriage certificate and decree absolute
  • ", + "
  • civil partnership certificate and final order
  • ", + "

    Some organisations will not change your name back without a deed poll.

    ", + "

    Make your own deed poll

    ", + "

    You need to be 16 or over to make your own deed poll.

    ", + "

    Some organisations may not accept a deed poll you\u2019ve made yourself as proof of your new name. Ask the organisation you\u2019re dealing with (for example your bank) if they need an \u2018enrolled\u2019 deed poll instead.

    ", + "

    How to make your own deed poll

    ", + "

    Use the following wording:

    ", + "

    \u201cI [old name] of [your address] have given up my name [old name] and have adopted for all purposes the name [new name].

    ", + "

    \u201cSigned as a deed on [date] as [old name] and [new name] in the presence of [witness 1 name] of [witness 1 address], and [witness 2 name] of [witness 2 address].

    ", + "

    \u201c[your new signature], [your old signature]

    ", + "

    \u201c[witness 1 signature], [witness 2 signature]\u201d

    ", + "

    A specialist agency or a solicitor can make the deed poll for you instead - they may charge a fee.

    ", + "

    After you\u2019ve made it, you can use your deed poll as proof of your new name.

    ", + "

    Enrol a deed poll with the courts

    ", + "

    You can put your new name on public record by \u2018enrolling\u2019 it at the Royal Courts of Justice if you\u2019re 18 or over. It costs \u00a342.44 and cheques should be made payable to HMCTS.

    ", + "

    If you\u2019re under 18, follow the process for changing a child\u2019s name to enrol.

    ", + "

    Download the guidance and forms for changing an adult\u2019s name - this includes the notification form for The Gazette.

    ", + "

    Send your forms and documents to the Queen\u2019s Bench Division.

    ", + "

    Because of coronavirus (COVID-19), applications are taking longer than usual to process.

    ", + "

    Change a child\u2019s name

    ", + "

    To change the name of a child under 18 you can either:

    ", + "
  • make an unenrolled deed poll by using a specialist deed poll agency or a solicitor
  • ", + "
  • apply for an enrolled deed poll from the Royal Courts of Justice
  • ", + "

    If you choose an enrolled deed poll, this means your child\u2019s new name will usually appear on public record in The Gazette.

    ", + "

    Some organisations will only accept an enrolled deed poll as proof of a name change. For example, to change your child\u2019s name on their passport you will need an enrolled deed poll.

    ", + "

    If you\u2019re 16 or 17 you can choose to make your own unenrolled deed poll.

    ", + "

    Apply for an enrolled deed poll

    ", + "

    You\u2019ll need either:

    ", + "
  • the agreement of everyone with parental responsibility
  • ", + "
  • a court order
  • ", + "

    You must try to reach agreement before you seek a court order.

    ", + "

    If everyone with parental responsibility agrees

    ", + "

    Download and complete the forms for changing a child\u2019s name - this includes the notification form for The Gazette.

    ", + "

    It costs \u00a342.44 to apply.

    ", + "

    Send your forms and documents to the Queen\u2019s Bench Division.

    ", + "

    If you\u2019re worried about your child\u2019s name change being published in The Gazette, contact the Queen\u2019s Bench Division. For example, they may agree to only publish your child\u2019s first name.

    ", + "

    Because of coronavirus (COVID-19), applications are taking longer than usual to process.

    ", + "

    If you need a court order

    ", + "

    Read the guidance on making an application to the court.

    ", + "

    Fill in form C100 for a \u2018specific issue order\u2019.

    ", + "

    Send your form to your nearest court that deals with child cases.

    ", + "

    It costs \u00a3215 to apply for a court order. You may be able to get help with court fees if you\u2019re on benefits or a low income.

    " + ] + }, + "https://www.gov.uk/correct-birth-registration": { + "url": "https://www.gov.uk/correct-birth-registration", + "title": "Correct a birth registration", + "content": "## What corrections can be made\n\nYou can apply for a birth registration correction when the information is wrong - for example if a mistake was made when recording a parent\u2019s occupation.\n\nYou cannot apply for a correction to show new information if circumstances change after you\u2019ve registered your child\u2019s birth, for example if you change your name after getting married again.\n\nHowever, you can apply to re-register the birth if the natural parents get married at a later date.\n\n## Removing the wrong father\u2019s details\n\nYou can apply to change who the recorded father is if you can prove that the man named on the certificate is not the natural father of the child. Examples of proof include:\n\n- a DNA test record from an approved tester\n\n- a court order\n\n- evidence that confirms the name of the true biological father\n\n- other evidence that confirms the recorded father could not have been the child\u2019s natural father\n\n## What happens if you change gender\n\nIf you get your gender change legally recognised, you\u2019ll be able to order a new birth certificate with your new gender on it.\n\n## What the correction looks like\n\nIf your application is approved, a correction is made in the register in the office for the area where your child was born.\n\nThe original information will always be shown in the register. After the correction has been authorised, a note will be added to the margin of the register. This will explain what the correct information is and when the correction was made.\n\nAll full birth certificates that are issued after the correction will include the note in the margin.\n\nShort birth certificates only include the child\u2019s details and will not have a note in the margin - they just show any correct new details.\n\n## Who can apply\n\nThe following people can apply for a correction:\n\n- the mother\n\n- the father (if his details are on the certificate)\n\nIf you\u2019re applying to change a child\u2019s name and both parents are named on the certificate, both must sign the application form.\n\nThe child named on the certificate may be able to apply for a correction if their parents are not available.\n\n## Removing the wrong father\u2019s details\n\nIt is not always necessary for the named father to take part in the correction process. The General Register Office (GRO) can correct the entry if 2 of the following people apply to have it changed:\n\n- the mother\n\n- the natural father\n\n- the man named on the birth certificate as the father\n\nAt least one of these must sign the application form.\n\nYou need to provide contact addresses for the mother, the man named as the father on the certificate and the true biological father (if he took part in a DNA test).\n\n## How to apply\n\nIt costs \u00a375 or \u00a390 to apply to correct a mistake in a birth registration.\n\nContact the register office where your child\u2019s birth was registered to find out how to send your application, the cost and how to pay.\n\nFill in the relevant application form and send it to the register office:\n\n- correct details on a birth registration\n\n- remove incorrect father\u2019s details from a birth registration\n\nThere\u2019s a different process for correcting registrations made in Northern Ireland and Scotland.\n\n## Proving the registration is wrong\n\nYou\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time your child was born.\n\nDocuments you can send in include a:\n\n- passport\n\n- photocard driving licence\n\n- bank, building society or credit card statement\n\n- letter from a hospital or doctor\n\n- letter from a government department\n\nIf you are not able to send in proof, corrections cannot usually be made.\n\nAll certified copies sent with the application will be destroyed if you do not ask for them to be returned.\n\n## Proof the wrong father is on the certificate\n\nYou\u2019ll need to prove that the man named on the certificate is not the natural father of the child. Examples of proof include:\n\n- a DNA test record from an approved tester\n\n- a court order\n\n- evidence that confirms the name of the true biological father\n\n- other evidence that confirms the recorded father could not have been the child\u2019s natural father\n\n## Sending in certified documents\n\nYou should only send in documents that have been certified as true copies of the original.\n\n## Witnessing the correction\n\nIf the correction is being made at your register office, you need to arrange an appointment with them. When you go in you\u2019ll witness the correction and sign the note made in the birth register.\n\nIf you\u2019re applying to the General Register Office (GRO) to make the correction, you can say on the application form if you want to witness the correction.\n\n## Statutory declaration\n\nIf you\u2019re applying to correct a serious mistake (such as the name of a person), the GRO may ask you to make a \u2018statutory declaration\u2019 about the correction and send it to them. This means you have to make a legal statement in front of someone like a judge or solicitor that they must sign (sometimes called \u2018attesting an oath\u2019).\n\nIf you make a statutory declaration, you will not have to witness the correction.\n\nYou may have to pay a fee for a statutory declaration.\n\n## How long applications take\n\nThere is no set time for how long applications will take. It can take up to 25 days for you to get a reply.\n\n## Advice\n\nIf you want further advice on applying to make a correction, contact the register office or the General Register Office (GRO).", + "original_contents": [ + "

    What corrections can be made

    ", + "

    You can apply for a birth registration correction when the information is wrong - for example if a mistake was made when recording a parent\u2019s occupation.

    ", + "

    You cannot apply for a correction to show new information if circumstances change after you\u2019ve registered your child\u2019s birth, for example if you change your name after getting married again.

    ", + "

    However, you can apply to re-register the birth if the natural parents get married at a later date.

    ", + "

    Removing the wrong father\u2019s details

    ", + "

    You can apply to change who the recorded father is if you can prove that the man named on the certificate is not the natural father of the child. Examples of proof include:

    ", + "
  • a DNA test record from an approved tester
  • ", + "
  • a court order
  • ", + "
  • evidence that confirms the name of the true biological father
  • ", + "
  • other evidence that confirms the recorded father could not have been the child\u2019s natural father
  • ", + "

    What happens if you change gender

    ", + "

    If you get your gender change legally recognised, you\u2019ll be able to order a new birth certificate with your new gender on it.

    ", + "

    What the correction looks like

    ", + "

    If your application is approved, a correction is made in the register in the office for the area where your child was born.

    ", + "

    The original information will always be shown in the register. After the correction has been authorised, a note will be added to the margin of the register. This will explain what the correct information is and when the correction was made.

    ", + "

    All full birth certificates that are issued after the correction will include the note in the margin.

    ", + "

    Short birth certificates only include the child\u2019s details and will not have a note in the margin - they just show any correct new details.

    ", + "

    Who can apply

    ", + "

    The following people can apply for a correction:

    ", + "
  • the mother
  • ", + "
  • the father (if his details are on the certificate)
  • ", + "

    If you\u2019re applying to change a child\u2019s name and both parents are named on the certificate, both must sign the application form.

    ", + "

    The child named on the certificate may be able to apply for a correction if their parents are not available.

    ", + "

    Removing the wrong father\u2019s details

    ", + "

    It is not always necessary for the named father to take part in the correction process. The General Register Office (GRO) can correct the entry if 2 of the following people apply to have it changed:

    ", + "
  • the mother
  • ", + "
  • the natural father
  • ", + "
  • the man named on the birth certificate as the father
  • ", + "

    At least one of these must sign the application form.

    ", + "

    You need to provide contact addresses for the mother, the man named as the father on the certificate and the true biological father (if he took part in a DNA test).

    ", + "

    How to apply

    ", + "

    It costs \u00a375 or \u00a390 to apply to correct a mistake in a birth registration.

    ", + "

    Contact the register office where your child\u2019s birth was registered to find out how to send your application, the cost and how to pay.

    ", + "

    Fill in the relevant application form and send it to the register office:

    ", + "
  • correct details on a birth registration
  • ", + "
  • remove incorrect father\u2019s details from a birth registration
  • ", + "

    There\u2019s a different process for correcting registrations made in Northern Ireland and Scotland.

    ", + "

    Proving the registration is wrong

    ", + "

    You\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time your child was born.

    ", + "

    Documents you can send in include a:

    ", + "
  • passport
  • ", + "
  • photocard driving licence
  • ", + "
  • bank, building society or credit card statement
  • ", + "
  • letter from a hospital or doctor
  • ", + "
  • letter from a government department
  • ", + "

    If you are not able to send in proof, corrections cannot usually be made.

    ", + "

    All certified copies sent with the application will be destroyed if you do not ask for them to be returned.

    ", + "

    Proof the wrong father is on the certificate

    ", + "

    You\u2019ll need to prove that the man named on the certificate is not the natural father of the child. Examples of proof include:

    ", + "
  • a DNA test record from an approved tester
  • ", + "
  • a court order
  • ", + "
  • evidence that confirms the name of the true biological father
  • ", + "
  • other evidence that confirms the recorded father could not have been the child\u2019s natural father
  • ", + "

    Sending in certified documents

    ", + "

    You should only send in documents that have been certified as true copies of the original.

    ", + "

    Witnessing the correction

    ", + "

    If the correction is being made at your register office, you need to arrange an appointment with them. When you go in you\u2019ll witness the correction and sign the note made in the birth register.

    ", + "

    If you\u2019re applying to the General Register Office (GRO) to make the correction, you can say on the application form if you want to witness the correction.

    ", + "

    Statutory declaration

    ", + "

    If you\u2019re applying to correct a serious mistake (such as the name of a person), the GRO may ask you to make a \u2018statutory declaration\u2019 about the correction and send it to them. This means you have to make a legal statement in front of someone like a judge or solicitor that they must sign (sometimes called \u2018attesting an oath\u2019).

    ", + "

    If you make a statutory declaration, you will not have to witness the correction.

    ", + "

    You may have to pay a fee for a statutory declaration.

    ", + "

    How long applications take

    ", + "

    There is no set time for how long applications will take. It can take up to 25 days for you to get a reply.

    ", + "

    Advice

    ", + "

    If you want further advice on applying to make a correction, contact the register office or the General Register Office (GRO).

    " + ] + }, + "https://www.gov.uk/correcting-a-death-registration": { + "url": "https://www.gov.uk/correcting-a-death-registration", + "title": "Correct a death registration", + "content": "## What corrections can be made\n\nYou cannot change a death certificate once it\u2019s been issued, but you can apply to get a note added to the original entry in the death register.\n\nYou can then get an updated certificate issued that shows this note.\n\nCorrections to a death registration can only be made when the information is wrong (for example a mistake in spelling a person\u2019s name).\n\n## What the correction looks like\n\nThe original information will always be shown in the death register. After the correction has been authorised, a note will be added to the margin of the register. This will explain what the correct information is and when the correction was made.\n\nIf you apply for a new death certificate, the note containing the correct information will be in the margin.\n\n## Who can apply\n\nAnyone can apply to correct a death entry.\n\nHowever, the General Register Office (GRO) will usually need a letter from the person who gave information for the death to be registered before considering a correction.\n\n## How to apply\n\nIt costs \u00a375 or \u00a390 to apply to correct a mistake in a death registration.\n\nContact the register office where the death was registered to find out how to send your application, the cost, and how to pay.\n\nFill in the application form to correct details on a death registration and send it to the register office.\n\n## Proving the registration is wrong\n\nYou\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time of the death.\n\nDocuments you can send in include a:\n\n- passport\n\n- photocard driving licence\n\n- bank, building society or credit card statement\n\n- letter from a hospital or doctor\n\n- letter from a government department\n\n- utility bill\n\nIf you cannot send in proof, corrections cannot usually be made.\n\nAll certified copies sent with the application will be destroyed if you do not ask for them to be returned.\n\n## Sending in certified documents\n\nYou should only send in documents that have been certified as true copies of the original.\n\n## Witnessing the correction\n\nIf the correction is being made at your register office, you need to arrange an appointment with them. When you go in you\u2019ll witness the correction and sign the note made in the death register.\n\nIf you\u2019re applying to the GRO to make the correction, you can say on the application form if you want to witness the correction.\n\n## Statutory declaration\n\nIf you\u2019re applying to correct a serious mistake (for example in the name of a person), the GRO may ask you to make a \u2018statutory declaration\u2019. GRO will give you more advice about this if it is necessary.\n\nYou may have to pay a fee for a statutory declaration.\n\n## How long applications take\n\nThere is not a set time for how long applications will take. It can take up to 25 days for you to get a reply.\n\n## Advice\n\nIf you want further advice on applying to make a correction, contact the register office or the General Register Office (GRO).", + "original_contents": [ + "

    What corrections can be made

    ", + "

    You cannot change a death certificate once it\u2019s been issued, but you can apply to get a note added to the original entry in the death register.

    ", + "

    You can then get an updated certificate issued that shows this note.

    ", + "

    Corrections to a death registration can only be made when the information is wrong (for example a mistake in spelling a person\u2019s name).

    ", + "

    What the correction looks like

    ", + "

    The original information will always be shown in the death register. After the correction has been authorised, a note will be added to the margin of the register. This will explain what the correct information is and when the correction was made.

    ", + "

    If you apply for a new death certificate, the note containing the correct information will be in the margin.

    ", + "

    Who can apply

    ", + "

    Anyone can apply to correct a death entry.

    ", + "

    However, the General Register Office (GRO) will usually need a letter from the person who gave information for the death to be registered before considering a correction.

    ", + "

    How to apply

    ", + "

    It costs \u00a375 or \u00a390 to apply to correct a mistake in a death registration.

    ", + "

    Contact the register office where the death was registered to find out how to send your application, the cost, and how to pay.

    ", + "

    Fill in the application form to correct details on a death registration and send it to the register office.

    ", + "

    Proving the registration is wrong

    ", + "

    You\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time of the death.

    ", + "

    Documents you can send in include a:

    ", + "
  • passport
  • ", + "
  • photocard driving licence
  • ", + "
  • bank, building society or credit card statement
  • ", + "
  • letter from a hospital or doctor
  • ", + "
  • letter from a government department
  • ", + "
  • utility bill
  • ", + "

    If you cannot send in proof, corrections cannot usually be made.

    ", + "

    All certified copies sent with the application will be destroyed if you do not ask for them to be returned.

    ", + "

    Sending in certified documents

    ", + "

    You should only send in documents that have been certified as true copies of the original.

    ", + "

    Witnessing the correction

    ", + "

    If the correction is being made at your register office, you need to arrange an appointment with them. When you go in you\u2019ll witness the correction and sign the note made in the death register.

    ", + "

    If you\u2019re applying to the GRO to make the correction, you can say on the application form if you want to witness the correction.

    ", + "

    Statutory declaration

    ", + "

    If you\u2019re applying to correct a serious mistake (for example in the name of a person), the GRO may ask you to make a \u2018statutory declaration\u2019. GRO will give you more advice about this if it is necessary.

    ", + "

    You may have to pay a fee for a statutory declaration.

    ", + "

    How long applications take

    ", + "

    There is not a set time for how long applications will take. It can take up to 25 days for you to get a reply.

    ", + "

    Advice

    ", + "

    If you want further advice on applying to make a correction, contact the register office or the General Register Office (GRO).

    " + ] + }, + "https://www.gov.uk/get-copy-military-service-records": { + "url": "https://www.gov.uk/get-copy-military-service-records", + "title": "Get a copy of military service records", + "content": "## Overview\n\nYou can apply for either:\n\n- your own service records if you are, or have been, a member of the armed forces\n\n- the records of someone who\u2019s deceased if you\u2019re eligible, for example you\u2019re their immediate next of kin or you\u2019re researching them\n\n## How long it takes\n\nIt can take several months for your application to be processed.\n\nYour application will be prioritised if it\u2019s urgent.\n\n## Other ways to find service records\n\nYou can also search:\n\n- the Commonwealth War Graves Commission website\n\n- the Armed Forces Memorial roll of honour\n\n- the National Archives for service records from 1913 to 1920 or service records before 1913\n\n## Apply for your own records\n\nYou can apply for your own records if you are, or have been, a member of the armed forces, for example the Royal Navy (including Royal Marines), British Army or Royal Air Force.\n\nDownload and fill in a request for your own records (PDF, 64KB). Send it to the address on the form, along with any supporting documents. There\u2019s no fee.\n\nUse this form if you\u2019re acting on behalf of the person, for example if you have lasting power of attorney.\n\n## Apply for the records of someone who's deceased\n\nYou can apply for a copy of someone else\u2019s service records if any of the following apply:\n\n- you\u2019re their immediate next of kin, for example their spouse or parent\n\n- you\u2019ve got consent from their immediate next of kin\n\n- you have a general research interest - you\u2019ll only have access to limited information, unless they died more than 25 years ago\n\nYou need to know the person\u2019s full name, date of birth and service number.\n\nFill in 2 forms - a request form and a search form.\n\n## Fill in a request form\n\nDownload and fill in a request form for either:\n\n- next of kin\u2019s records (PDF, 53KB) - use this form if you\u2019re next of kin or have next of kin\u2019s consent\n\n- not next of kin\u2019s records (PDF, 46KB) - use this form if you\u2019re not next of kin and don\u2019t have next of kin\u2019s consent\n\n## Fill in a search form\n\nDownload and fill in the relevant search form, depending on whether the person was in the:\n\n- Royal Navy or Royal Marines (PDF, 20KB)\n\n- British Army (PDF, 20KB)\n\n- Royal Air Force (PDF, 20KB)\n\n## Post your forms\n\nSend both forms, with the fee of \u00a330 for each separate record, and any supporting documents (for example a death certificate) to the address on the search form.\n\nThere\u2019s no fee if you were the person\u2019s spouse or civil partner at the time of their death (or their parent, if there was no spouse).\n\nYou can pay by cheque or postal order - or by banker\u2019s draft or international money order if you\u2019re overseas.\n\nFollow the instructions for applying for your own records if you\u2019re acting on behalf of the person, for example you have lasting power of attorney.\n\n## What information you\u2019ll get\n\nRecords date from 1920 and may include:\n\n- surname, first name, service number, rank and regiment or corps\n\n- place and date of birth\n\n- date they joined and left the armed forces\n\n- date of death, if they died in service\n\n- good conduct medals\n\n- details about their career, for example the units they served in - you can only get these 25 years after the date they died, unless you have consent from their next of kin\n\nIn some cases little or no information is available about someone\u2019s military service.\n\nYour request might be refused if it could harm the security or operations of the armed forces.\n\n## If you want to complain\n\nWrite to the Ministry of Defence (MOD) Information Rights team if you want to complain about how your request was handled.\n\nYou can contact the Information Commissioner\u2019s Office (ICO) if you\u2019re not happy with how the MOD handled your complaint.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for either:

    ", + "
  • your own service records if you are, or have been, a member of the armed forces
  • ", + "
  • the records of someone who\u2019s deceased if you\u2019re eligible, for example you\u2019re their immediate next of kin or you\u2019re researching them
  • ", + "

    How long it takes

    ", + "

    It can take several months for your application to be processed.

    ", + "

    Your application will be prioritised if it\u2019s urgent.

    ", + "

    Other ways to find service records

    ", + "

    You can also search:

    ", + "
  • the Commonwealth War Graves Commission website
  • ", + "
  • the Armed Forces Memorial roll of honour
  • ", + "
  • the National Archives for service records from 1913 to 1920 or service records before 1913
  • ", + "

    Apply for your own records

    ", + "

    You can apply for your own records if you are, or have been, a member of the armed forces, for example the Royal Navy (including Royal Marines), British Army or Royal Air Force.

    ", + "

    Download and fill in a request for your own records (PDF, 64KB). Send it to the address on the form, along with any supporting documents. There\u2019s no fee.

    ", + "

    Use this form if you\u2019re acting on behalf of the person, for example if you have lasting power of attorney.

    ", + "

    Apply for the records of someone who's deceased

    ", + "

    You can apply for a copy of someone else\u2019s service records if any of the following apply:

    ", + "
  • you\u2019re their immediate next of kin, for example their spouse or parent
  • ", + "
  • you\u2019ve got consent from their immediate next of kin
  • ", + "
  • you have a general research interest - you\u2019ll only have access to limited information, unless they died more than 25 years ago
  • ", + "

    You need to know the person\u2019s full name, date of birth and service number.

    ", + "

    Fill in 2 forms - a request form and a search form.

    ", + "

    Fill in a request form

    ", + "

    Download and fill in a request form for either:

    ", + "
  • next of kin\u2019s records (PDF, 53KB) - use this form if you\u2019re next of kin or have next of kin\u2019s consent
  • ", + "
  • not next of kin\u2019s records (PDF, 46KB) - use this form if you\u2019re not next of kin and don\u2019t have next of kin\u2019s consent
  • ", + "

    Fill in a search form

    ", + "

    Download and fill in the relevant search form, depending on whether the person was in the:

    ", + "
  • Royal Navy or Royal Marines (PDF, 20KB)
  • ", + "
  • British Army (PDF, 20KB)
  • ", + "
  • Royal Air Force (PDF, 20KB)
  • ", + "

    Post your forms

    ", + "

    Send both forms, with the fee of \u00a330 for each separate record, and any supporting documents (for example a death certificate) to the address on the search form.

    ", + "

    There\u2019s no fee if you were the person\u2019s spouse or civil partner at the time of their death (or their parent, if there was no spouse).

    ", + "

    You can pay by cheque or postal order - or by banker\u2019s draft or international money order if you\u2019re overseas.

    ", + "

    Follow the instructions for applying for your own records if you\u2019re acting on behalf of the person, for example you have lasting power of attorney.

    ", + "

    What information you\u2019ll get

    ", + "

    Records date from 1920 and may include:

    ", + "
  • surname, first name, service number, rank and regiment or corps
  • ", + "
  • place and date of birth
  • ", + "
  • date they joined and left the armed forces
  • ", + "
  • date of death, if they died in service
  • ", + "
  • good conduct medals
  • ", + "
  • details about their career, for example the units they served in - you can only get these 25 years after the date they died, unless you have consent from their next of kin
  • ", + "

    In some cases little or no information is available about someone\u2019s military service.

    ", + "

    Your request might be refused if it could harm the security or operations of the armed forces.

    ", + "

    If you want to complain

    ", + "

    Write to the Ministry of Defence (MOD) Information Rights team if you want to complain about how your request was handled.

    ", + "

    You can contact the Information Commissioner\u2019s Office (ICO) if you\u2019re not happy with how the MOD handled your complaint.

    " + ] + }, + "https://www.gov.uk/marriages-civil-partnerships": { + "url": "https://www.gov.uk/marriages-civil-partnerships", + "title": "Marriages and civil partnerships in England and Wales", + "content": "## Check if you can get married or form a civil partnership\n\nYou can get married or form a civil partnership in England or Wales if you\u2019re:\n\n- 16 or over\n\n- not already married or in a civil partnership\n\n- not closely related\n\nSame sex couples can convert a civil partnership into a marriage in England or Wales.\n\nThere are different rules if you want to get married or form a civil partnership:\n\n- in Scotland\n\n- in Northern Ireland\n\n- abroad\n\n## If you\u2019re under 18\n\nYou need permission from your parents or guardians to get married or form a civil partnership in England or Wales.\n\n## If you or your partner are from outside the UK\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. The deadline for applying is 30 June 2021.\n\nYou must apply for a visa to get married or form a civil partnership in the UK if you:\n\n- are not a British or Irish citizen\n\n- do not have indefinite leave to remain in the UK\n\nIf you\u2019re from the EU, European Economic Area (EEA) or Switzerland, you will not need a visa if you\u2019re coming to the UK on or before 30 June 2021. From 1 July 2021, you will need a visa, unless you:\n\n- have settled or pre-settled status under the EU Settlement Scheme\n\n- applied to the EU Settlement Scheme before 30 June 2021, and are waiting for a decision\n\nThe visa or permit you need depends on where your partner is from and whether you want to live in the UK after your ceremony.\n\nYou can apply for:\n\n- a marriage visitor visa - if you\u2019re not going to live in the UK and will stay less than 6 months\n\n- a family visa - to live permanently in the UK if your partner is a British citizen, settled in the UK, has refugee status or humanitarian protection in the UK\n\n- a family permit - to join your family member from the EU, EEA or Switzerland in the UK\n\n## If you do not have a marriage visitor visa or family visa\n\nYou can still give notice of your intention to get married or form a civil partnership but the immigration authorities at the Home Office will be told.\n\nThe Home Office might:\n\n- ask questions about you and your relationship - if this happens you may need to wait up to 70 days before getting married or forming a civil partnership\n\n- decide not to approve your notice - if this happens you cannot get married or form a civil partnership in the UK\n\n## Plan your ceremony\n\nYou must decide where to have your marriage or civil partnership ceremony before \u2018giving notice\u2019.\n\nTo give notice, you\u2019ll sign a legal statement at your local register office saying you intend to get married or form a civil partnership. This must include details of the final venue for your ceremony.\n\nYou must hold your ceremony within 12 months of \u2018giving notice\u2019.\n\n## Coronavirus (COVID-19) and planning a ceremony\n\nSocial distancing and public health restrictions are in place for ceremonies because of coronavirus. Contact your local register office or venue for the ceremony to find out how these will affect you.\n\n## Choose the type of ceremony\n\nYou can choose to have either a religious ceremony or a civil ceremony if you\u2019re getting married.\n\nIf you\u2019re forming a civil partnership you cannot have a religious ceremony.\n\n## Religious ceremonies\n\nA religious wedding can take place at any registered religious building.\n\nSame-sex couples can get married in a religious building if it has been registered for the marriage of same-sex couples. You cannot get married in an Anglican church as a same-sex couple.\n\nAn authorised person, such as a religious minister, must attend the ceremony and sign the \u2018marriage schedule\u2019 or \u2018marriage document\u2019.\n\nCheck with the venue if there is an authorised person. If not, you\u2019ll need to book a registrar. This costs \u00a386.\n\n## Civil ceremonies\n\nYou can have a civil ceremony at:\n\n- a register office\n\n- any venue approved by the local council, for example a stately home or hotel\n\nYou must have at least 2 witnesses at the ceremony.\n\nA registrar must carry out, or be present at, your ceremony. You can book a registrar yourself or the venue may do this for you.\n\nThe cost of a registrar is:\n\n- \u00a346 at a register office\n\n- \u00a386 at a registered religious building\n\nCosts may be different at other approved premises.\n\n## What can happen at the ceremony\n\nYou must exchange vows if you\u2019re getting married. Discuss any other wording you want with the person carrying out the ceremony.\n\nYou do not need to exchange vows for a civil partnership, but you can if you\u2019d like to.\n\nCivil ceremonies can include readings, songs or music, but must not include anything that\u2019s religious (for example hymns or readings from the Bible or the Torah). You can get a religious blessing of your marriage after a civil ceremony.\n\nIf you\u2019re getting married, you and your partner sign the marriage schedule or marriage document at the ceremony. You can each include up to 4 parents on the form (for example mothers, fathers or step-parents).\n\n## After a marriage ceremony\n\nYour signed marriage schedule or document is sent to your local register office where it\u2019s added to the marriage register. After that, you can get your marriage certificate.\n\nContact your local register office to find out how to get your marriage certificate and how long it will take.\n\n## Give notice\n\nYou must sign a legal statement at your local register office to say you intend to get married or form a civil partnership. This is known as \u2018giving notice\u2019.\n\nYou must give notice at least 29 days before your ceremony.\n\nFor example, if you give notice on 1 May, the earliest date you can get married or form a civil partnership is 30 May.\n\nYou must hold your ceremony within 12 months of \u2018giving notice\u2019.\n\nThe process of giving notice might be different for Anglican weddings - check with the wedding venue.\n\n## Where to give notice\n\nYou usually need to make an appointment to give notice at your local register office. You must have lived in that registration district for the past 7 days.\n\nYou and your partner will need to give notice separately if you live in different registration districts. You do not have to do this on the same day.\n\n## If one of you is from outside the UK and you\u2019re giving notice by 30 June 2021\n\nYou and your partner need to give notice together at a designated register office unless you both have one of the following:\n\n- British or Irish citizenship\n\n- EU, European Economic Area (EEA) or Swiss citizenship\n\nYou can give your notice at a designated register office in any district.\n\n## If one of you is from outside the UK and you\u2019re giving notice from 1 July 2021\n\nYou and your partner must give notice together, unless you both have one of the following:\n\n- British or Irish citizenship\n\n- settled or pre-settled status under the EU Settlement Scheme\n\n- an application to the EU Settlement Scheme that you made before 30 June 2021, which you\u2019re waiting for a decision on\n\nYou must give your notice together at a register office in the district where at least one of you lives.\n\nIf your partner had already given notice separately before 1 July 2021, they will need to give notice again with you.\n\n## Documents you'll need to give notice\n\nYou must bring originals of the following documents to your appointment:\n\n- details of the final venue for your ceremony\n\n- a valid passport or UK birth certificate (if you were born before 1 January 1983)\n\n- proof of your home address\n\n- proof of any name changes (for example, a copy of a deed poll)\n\nUntil 30 June 2021, you can use a national identity card from the EU, European Economic Area (EEA) or Switzerland instead of a valid passport.\n\nTo prove your address, bring one of the following:\n\n- valid UK or Irish driving licence\n\n- gas, water or electricity bill from the last 3 months\n\n- bank or building society statement from the last month\n\n- Council Tax bill from the last 12 months\n\n- mortgage statement from the last 12 months\n\n- current tenancy agreement\n\n- letter from your landlord (dated within the last 7 days) confirming you live there and including your landlord\u2019s name, address and their signature\n\nUntil 30 June 2021, you can also use a driving licence from the EU, EEA or Switzerland as proof of UK address.\n\nIf your normal address is outside the UK, you\u2019ll need to give details of a UK contact address. For example, this could be your partner, friend or family member\u2019s address.\n\n## If you\u2019ve been married or in a civil partnership before\n\nYou\u2019ll also need to bring one of the following documents:\n\n- a decree absolute or final order\n\n- your former partner\u2019s death certificate\n\nYou need to bring proof of your divorce, annulment or dissolution if it was granted outside of the UK, Channel Islands or Isle of Man. You\u2019ll have to pay a fee of \u00a350 for the local register office to check your documents or \u00a375 if the General Register Office needs to check them.\n\n## If you or your partner are from outside the UK\n\nYou\u2019ll also need to bring:\n\n\u2022 a passport sized photo for each of you (even if only one of you from outside the UK)\n\u2022 proof of your current immigration status (for example, your visa)\n\u2022 a translation of any documents that are not in English\n\n## If you\u2019re from the EU, EEA or Switzerland\n\nYou will only need to bring the passport photos, proof of your immigration status and translated documents if you\u2019re giving notice on or after 1 July 2021.\n\nIf you\u2019re giving notice from 1 July 2021, you\u2019ll also need to bring confirmation of either:\n\n- your settled or pre-settled status - you\u2019ll need to bring a \u2018share code\u2019 which you can get from the \u2018view and prove your immigration status\u2019 service, which will be valid for 30 days\n\n- an application to the EU settlement scheme you made on or before 30 June 2021, which you\u2019re waiting for a decision on - you\u2019ll need to bring your certificate of application", + "original_contents": [ + "

    Check if you can get married or form a civil partnership

    ", + "

    You can get married or form a civil partnership in England or Wales if you\u2019re:

    ", + "
  • 16 or over
  • ", + "
  • not already married or in a civil partnership
  • ", + "
  • not closely related
  • ", + "

    Same sex couples can convert a civil partnership into a marriage in England or Wales.

    ", + "

    There are different rules if you want to get married or form a civil partnership:

    ", + "
  • in Scotland
  • ", + "
  • in Northern Ireland
  • ", + "
  • abroad
  • ", + "

    If you\u2019re under 18

    ", + "

    You need permission from your parents or guardians to get married or form a civil partnership in England or Wales.

    ", + "

    If you or your partner are from outside the UK

    ", + "

    If you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. The deadline for applying is 30 June 2021.

    ", + "

    You must apply for a visa to get married or form a civil partnership in the UK if you:

    ", + "
  • are not a British or Irish citizen
  • ", + "
  • do not have indefinite leave to remain in the UK
  • ", + "

    If you\u2019re from the EU, European Economic Area (EEA) or Switzerland, you will not need a visa if you\u2019re coming to the UK on or before 30 June 2021. From 1 July 2021, you will need a visa, unless you:

    ", + "
  • have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • applied to the EU Settlement Scheme before 30 June 2021, and are waiting for a decision
  • ", + "

    The visa or permit you need depends on where your partner is from and whether you want to live in the UK after your ceremony.

    ", + "

    You can apply for:

    ", + "
  • a marriage visitor visa - if you\u2019re not going to live in the UK and will stay less than 6 months
  • ", + "
  • a family visa - to live permanently in the UK if your partner is a British citizen, settled in the UK, has refugee status or humanitarian protection in the UK
  • ", + "
  • a family permit - to join your family member from the EU, EEA or Switzerland in the UK
  • ", + "

    If you do not have a marriage visitor visa or family visa

    ", + "

    You can still give notice of your intention to get married or form a civil partnership but the immigration authorities at the Home Office will be told.

    ", + "

    The Home Office might:

    ", + "
  • ask questions about you and your relationship - if this happens you may need to wait up to 70 days before getting married or forming a civil partnership
  • ", + "
  • decide not to approve your notice - if this happens you cannot get married or form a civil partnership in the UK
  • ", + "

    Plan your ceremony

    ", + "

    You must decide where to have your marriage or civil partnership ceremony before \u2018giving notice\u2019.

    ", + "

    To give notice, you\u2019ll sign a legal statement at your local register office saying you intend to get married or form a civil partnership. This must include details of the final venue for your ceremony.

    ", + "

    You must hold your ceremony within 12 months of \u2018giving notice\u2019.

    ", + "

    Coronavirus (COVID-19) and planning a ceremony

    ", + "

    Social distancing and public health restrictions are in place for ceremonies because of coronavirus. Contact your local register office or venue for the ceremony to find out how these will affect you.

    ", + "

    Choose the type of ceremony

    ", + "

    You can choose to have either a religious ceremony or a civil ceremony if you\u2019re getting married.

    ", + "

    If you\u2019re forming a civil partnership you cannot have a religious ceremony.

    ", + "

    Religious ceremonies

    ", + "

    A religious wedding can take place at any registered religious building.

    ", + "

    Same-sex couples can get married in a religious building if it has been registered for the marriage of same-sex couples. You cannot get married in an Anglican church as a same-sex couple.

    ", + "

    An authorised person, such as a religious minister, must attend the ceremony and sign the \u2018marriage schedule\u2019 or \u2018marriage document\u2019.

    ", + "

    Check with the venue if there is an authorised person. If not, you\u2019ll need to book a registrar. This costs \u00a386.

    ", + "

    Civil ceremonies

    ", + "

    You can have a civil ceremony at:

    ", + "
  • a register office
  • ", + "
  • any venue approved by the local council, for example a stately home or hotel
  • ", + "

    You must have at least 2 witnesses at the ceremony.

    ", + "

    A registrar must carry out, or be present at, your ceremony. You can book a registrar yourself or the venue may do this for you.

    ", + "

    The cost of a registrar is:

    ", + "
  • \u00a346 at a register office
  • ", + "
  • \u00a386 at a registered religious building
  • ", + "

    Costs may be different at other approved premises.

    ", + "

    What can happen at the ceremony

    ", + "

    You must exchange vows if you\u2019re getting married. Discuss any other wording you want with the person carrying out the ceremony.

    ", + "

    You do not need to exchange vows for a civil partnership, but you can if you\u2019d like to.

    ", + "

    Civil ceremonies can include readings, songs or music, but must not include anything that\u2019s religious (for example hymns or readings from the Bible or the Torah). You can get a religious blessing of your marriage after a civil ceremony.

    ", + "

    If you\u2019re getting married, you and your partner sign the marriage schedule or marriage document at the ceremony. You can each include up to 4 parents on the form (for example mothers, fathers or step-parents).

    ", + "

    After a marriage ceremony

    ", + "

    Your signed marriage schedule or document is sent to your local register office where it\u2019s added to the marriage register. After that, you can get your marriage certificate.

    ", + "

    Contact your local register office to find out how to get your marriage certificate and how long it will take.

    ", + "

    Give notice

    ", + "

    You must sign a legal statement at your local register office to say you intend to get married or form a civil partnership. This is known as \u2018giving notice\u2019.

    ", + "

    You must give notice at least 29 days before your ceremony.

    ", + "

    For example, if you give notice on 1 May, the earliest date you can get married or form a civil partnership is 30 May.

    ", + "

    You must hold your ceremony within 12 months of \u2018giving notice\u2019.

    ", + "

    The process of giving notice might be different for Anglican weddings - check with the wedding venue.

    ", + "

    Where to give notice

    ", + "

    You usually need to make an appointment to give notice at your local register office. You must have lived in that registration district for the past 7 days.

    ", + "

    You and your partner will need to give notice separately if you live in different registration districts. You do not have to do this on the same day.

    ", + "

    If one of you is from outside the UK and you\u2019re giving notice by 30 June 2021

    ", + "

    You and your partner need to give notice together at a designated register office unless you both have one of the following:

    ", + "
  • British or Irish citizenship
  • ", + "
  • EU, European Economic Area (EEA) or Swiss citizenship
  • ", + "

    You can give your notice at a designated register office in any district.

    ", + "

    If one of you is from outside the UK and you\u2019re giving notice from 1 July 2021

    ", + "

    You and your partner must give notice together, unless you both have one of the following:

    ", + "
  • British or Irish citizenship
  • ", + "
  • settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • an application to the EU Settlement Scheme that you made before 30 June 2021, which you\u2019re waiting for a decision on
  • ", + "

    You must give your notice together at a register office in the district where at least one of you lives.

    ", + "

    If your partner had already given notice separately before 1 July 2021, they will need to give notice again with you.

    ", + "

    Documents you'll need to give notice

    ", + "

    You must bring originals of the following documents to your appointment:

    ", + "
  • details of the final venue for your ceremony
  • ", + "
  • a valid passport or UK birth certificate (if you were born before 1 January 1983)
  • ", + "
  • proof of your home address
  • ", + "
  • proof of any name changes (for example, a copy of a deed poll)
  • ", + "

    Until 30 June 2021, you can use a national identity card from the EU, European Economic Area (EEA) or Switzerland instead of a valid passport.

    ", + "

    To prove your address, bring one of the following:

    ", + "
  • valid UK or Irish driving licence
  • ", + "
  • gas, water or electricity bill from the last 3 months
  • ", + "
  • bank or building society statement from the last month
  • ", + "
  • Council Tax bill from the last 12 months
  • ", + "
  • mortgage statement from the last 12 months
  • ", + "
  • current tenancy agreement
  • ", + "
  • letter from your landlord (dated within the last 7 days) confirming you live there and including your landlord\u2019s name, address and their signature
  • ", + "

    Until 30 June 2021, you can also use a driving licence from the EU, EEA or Switzerland as proof of UK address.

    ", + "

    If your normal address is outside the UK, you\u2019ll need to give details of a UK contact address. For example, this could be your partner, friend or family member\u2019s address.

    ", + "

    If you\u2019ve been married or in a civil partnership before

    ", + "

    You\u2019ll also need to bring one of the following documents:

    ", + "
  • a decree absolute or final order
  • ", + "
  • your former partner\u2019s death certificate
  • ", + "

    You need to bring proof of your divorce, annulment or dissolution if it was granted outside of the UK, Channel Islands or Isle of Man. You\u2019ll have to pay a fee of \u00a350 for the local register office to check your documents or \u00a375 if the General Register Office needs to check them.

    ", + "

    If you or your partner are from outside the UK

    ", + "

    You\u2019ll also need to bring:

    ", + "

    \u2022 a passport sized photo for each of you (even if only one of you from outside the UK)\n\u2022 proof of your current immigration status (for example, your visa)\n\u2022 a translation of any documents that are not in English

    ", + "

    If you\u2019re from the EU, EEA or Switzerland

    ", + "

    You will only need to bring the passport photos, proof of your immigration status and translated documents if you\u2019re giving notice on or after 1 July 2021.

    ", + "

    If you\u2019re giving notice from 1 July 2021, you\u2019ll also need to bring confirmation of either:

    ", + "
  • your settled or pre-settled status - you\u2019ll need to bring a \u2018share code\u2019 which you can get from the \u2018view and prove your immigration status\u2019 service, which will be valid for 30 days
  • ", + "
  • an application to the EU settlement scheme you made on or before 30 June 2021, which you\u2019re waiting for a decision on - you\u2019ll need to bring your certificate of application
  • " + ] + }, + "https://www.gov.uk/register-birth": { + "url": "https://www.gov.uk/register-birth", + "title": "Register a birth", + "content": "## Overview\n\nYou may not be able to register a birth at the moment because of coronavirus (COVID-19). You\u2019ll be able to register at a later date.\n\nFind out if you can register a birth now by:\n\n- contacting the local register office\n\n- asking at the hospital where the baby was born before the mother leaves\n\nThere are different rules for registering a birth in Scotland, registering a birth in Northern Ireland and registering a birth abroad.\n\n## Information you need when registering a birth\n\nWhen registering the birth, you should know:\n\n- place and date of the birth\n\n- name, surname and sex of the baby\n\n- parents\u2019 names, surnames and address\n\n- places and dates of parents\u2019 birth\n\n- date of parents\u2019 marriage or civil partnership\n\n- parents\u2019 jobs\n\n- mother\u2019s maiden surname\n\n## What you should take\n\nIf you can register the birth, you should take at least one form of identification when you go to the register office. You can use:\n\n- passport\n\n- birth certificate\n\n- deed poll\n\n- driving licence\n\n- proof of address (for example, a utility bill)\n\n- Council Tax bill\n\n- marriage or civil partnership certificate\n\nYou should also take your child\u2019s personal child health record or \u2018red book\u2019 as some registrars may ask to see it.\n\nIf you\u2019re going to the register office on your own, you may need proof of paternity from the other parent before you give their details.\n\n## Organisations you need to contact\n\nHaving a child might affect your tax, your benefits and services from your local council.\n\nThe Tell Us Once service can report a birth to the Department for Work and Pensions (DWP) and your local council in one go. The registrar will let you know if this service is available in your area.\n\nWhen you go to a Tell Us Once appointment, you\u2019ll be asked about:\n\n- the people who\u2019ll be named on the birth register\n\n- any partners that live with them\n\nFor each person, you\u2019ll need to know:\n\n- their address and phone number\n\n- their date of birth\n\n- their National Insurance number\n\n- details of any benefits they get or have applied for\n\nIf the Tell Us Once service is not available in your area, you\u2019ll need to contact Jobcentre Plus and your local council about your benefits and services.\n\n## After the birth is registered\n\nOnce you\u2019ve registered the birth, you may be able to claim:\n\n- Child Benefit\n\n- Child Tax Credit\n\n## Who can register a birth\n\n## Opposite-sex couples\n\n## Married or civil-partner parents\n\nEither parent can register the birth on their own. They can include both parents\u2019 details if they were married or in a civil partnership when the baby was born or conceived.\n\n## Unmarried parents\n\nThe details of both parents can be included on the birth certificate if one of the following happens:\n\n- they sign the birth register together\n\n- one parent completes a statutory declaration of parentage form and the other takes the signed form to register the birth\n\n- one parent goes to register the birth with a document from the court (for example, a court order) giving the father parental responsibility\n\nThe mother can choose to register the birth without the child\u2019s father if they\u2019re not married or in a civil partnership. The father\u2019s details will not be included on the birth certificate.\n\nIt might be possible to add the father\u2019s details at a later date by completing an application for the re-registration of a child\u2019s birth.\n\n## Same-sex female couples\n\nFemale couples can include both their names on their child\u2019s birth certificate when registering the birth.\n\n## Married or civil-partner parents\n\nEither parent can register the birth on their own if all of the following are true:\n\n- the mother has a child by donor insemination or fertility treatment\n\n- she was married or in a civil partnership at the time of the treatment\n\n## Unmarried, non-civil-partner parents\n\nWhen a mother is not married or in a civil partnership, her partner can be seen as the child\u2019s second parent if both women:\n\n- are treated together in the UK by a licensed clinic\n\n- have made a \u2018parenthood agreement\u2019\n\nHowever, for both parents\u2019 details to be recorded on the birth certificate, they must do one of the following:\n\n- register the birth jointly\n\n- complete a \u2018Statutory declaration of acknowledgement of parentage\u2019 form and one parent takes the signed form when she registers the birth\n\n- get a document from the court (for example, a court order) giving the second female parent parental responsibility and one parent shows the document when she registers the birth\n\n## Same-sex male couples\n\nMale couples must get a parental order from the court before they can be registered as parents.\n\n## Other people who can register a birth\n\nIf the parents cannot register the birth (for example, for medical reasons), certain other people can do it:\n\n- someone who was present at the birth\n\n- someone who is responsible for the child\n\n- a member of the administrative staff at the hospital where the child was born\n\n## Birth certificates\n\nYou may not get a certificate straight away because of coronavirus (COVID-19). The register office will tell you when you can get a certificate.\n\nThere are 2 types of birth certificate:\n\n- the short version, which contains only the baby\u2019s details\n\n- the full version, which also contains the parents\u2019 details\n\nOnce you have registered the birth, you\u2019ll be able to buy a short or full certificate for your baby. Both kinds cost \u00a311.", + "original_contents": [ + "

    Overview

    ", + "

    You may not be able to register a birth at the moment because of coronavirus (COVID-19). You\u2019ll be able to register at a later date.

    ", + "

    Find out if you can register a birth now by:

    ", + "
  • contacting the local register office
  • ", + "
  • asking at the hospital where the baby was born before the mother leaves
  • ", + "

    There are different rules for registering a birth in Scotland, registering a birth in Northern Ireland and registering a birth abroad.

    ", + "

    Information you need when registering a birth

    ", + "

    When registering the birth, you should know:

    ", + "
  • place and date of the birth
  • ", + "
  • name, surname and sex of the baby
  • ", + "
  • parents\u2019 names, surnames and address
  • ", + "
  • places and dates of parents\u2019 birth
  • ", + "
  • date of parents\u2019 marriage or civil partnership
  • ", + "
  • parents\u2019 jobs
  • ", + "
  • mother\u2019s maiden surname
  • ", + "

    What you should take

    ", + "

    If you can register the birth, you should take at least one form of identification when you go to the register office. You can use:

    ", + "
  • passport
  • ", + "
  • birth certificate
  • ", + "
  • deed poll
  • ", + "
  • driving licence
  • ", + "
  • proof of address (for example, a utility bill)
  • ", + "
  • Council Tax bill
  • ", + "
  • marriage or civil partnership certificate
  • ", + "

    You should also take your child\u2019s personal child health record or \u2018red book\u2019 as some registrars may ask to see it.

    ", + "

    If you\u2019re going to the register office on your own, you may need proof of paternity from the other parent before you give their details.

    ", + "

    Organisations you need to contact

    ", + "

    Having a child might affect your tax, your benefits and services from your local council.

    ", + "

    The Tell Us Once service can report a birth to the Department for Work and Pensions (DWP) and your local council in one go. The registrar will let you know if this service is available in your area.

    ", + "

    When you go to a Tell Us Once appointment, you\u2019ll be asked about:

    ", + "
  • the people who\u2019ll be named on the birth register
  • ", + "
  • any partners that live with them
  • ", + "

    For each person, you\u2019ll need to know:

    ", + "
  • their address and phone number
  • ", + "
  • their date of birth
  • ", + "
  • their National Insurance number
  • ", + "
  • details of any benefits they get or have applied for
  • ", + "

    If the Tell Us Once service is not available in your area, you\u2019ll need to contact Jobcentre Plus and your local council about your benefits and services.

    ", + "

    After the birth is registered

    ", + "

    Once you\u2019ve registered the birth, you may be able to claim:

    ", + "
  • Child Benefit
  • ", + "
  • Child Tax Credit
  • ", + "

    Who can register a birth

    ", + "

    Opposite-sex couples

    ", + "

    Married or civil-partner parents

    ", + "

    Either parent can register the birth on their own. They can include both parents\u2019 details if they were married or in a civil partnership when the baby was born or conceived.

    ", + "

    Unmarried parents

    ", + "

    The details of both parents can be included on the birth certificate if one of the following happens:

    ", + "
  • they sign the birth register together
  • ", + "
  • one parent completes a statutory declaration of parentage form and the other takes the signed form to register the birth
  • ", + "
  • one parent goes to register the birth with a document from the court (for example, a court order) giving the father parental responsibility
  • ", + "

    The mother can choose to register the birth without the child\u2019s father if they\u2019re not married or in a civil partnership. The father\u2019s details will not be included on the birth certificate.

    ", + "

    It might be possible to add the father\u2019s details at a later date by completing an application for the re-registration of a child\u2019s birth.

    ", + "

    Same-sex female couples

    ", + "

    Female couples can include both their names on their child\u2019s birth certificate when registering the birth.

    ", + "

    Married or civil-partner parents

    ", + "

    Either parent can register the birth on their own if all of the following are true:

    ", + "
  • the mother has a child by donor insemination or fertility treatment
  • ", + "
  • she was married or in a civil partnership at the time of the treatment
  • ", + "

    Unmarried, non-civil-partner parents

    ", + "

    When a mother is not married or in a civil partnership, her partner can be seen as the child\u2019s second parent if both women:

    ", + "
  • are treated together in the UK by a licensed clinic
  • ", + "
  • have made a \u2018parenthood agreement\u2019
  • ", + "

    However, for both parents\u2019 details to be recorded on the birth certificate, they must do one of the following:

    ", + "
  • register the birth jointly
  • ", + "
  • complete a \u2018Statutory declaration of acknowledgement of parentage\u2019 form and one parent takes the signed form when she registers the birth
  • ", + "
  • get a document from the court (for example, a court order) giving the second female parent parental responsibility and one parent shows the document when she registers the birth
  • ", + "

    Same-sex male couples

    ", + "

    Male couples must get a parental order from the court before they can be registered as parents.

    ", + "

    Other people who can register a birth

    ", + "

    If the parents cannot register the birth (for example, for medical reasons), certain other people can do it:

    ", + "
  • someone who was present at the birth
  • ", + "
  • someone who is responsible for the child
  • ", + "
  • a member of the administrative staff at the hospital where the child was born
  • ", + "

    Birth certificates

    ", + "

    You may not get a certificate straight away because of coronavirus (COVID-19). The register office will tell you when you can get a certificate.

    ", + "

    There are 2 types of birth certificate:

    ", + "
  • the short version, which contains only the baby\u2019s details
  • ", + "
  • the full version, which also contains the parents\u2019 details
  • ", + "

    Once you have registered the birth, you\u2019ll be able to buy a short or full certificate for your baby. Both kinds cost \u00a311.

    " + ] + }, + "https://www.gov.uk/claim-child-benefit-behalf-someone-else": { + "url": "https://www.gov.uk/claim-child-benefit-behalf-someone-else", + "title": "Claim and deal with Child Benefit for someone else", + "content": "## If your child has a baby\n\nYou can claim Child Benefit for a child you\u2019re responsible for and their baby.\n\nIf your child is claiming the Child Benefit, you can collect the payment on their behalf by talking to their bank.\n\nThe Child Benefit Office can only pay Child Benefit into one account. This can be a joint account you share with your child, but their name must be on the account too.\n\n## Appointees\n\nYou can apply for the right to deal with the Child Benefit of someone who can\u2019t manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.\n\nThis is called becoming an \u2018appointee\u2019.\n\nYou can apply as an individual or as a voluntary organisation.\n\nIf you\u2019re paid to deal with someone else\u2019s Child Benefit, you\u2019re known as a \u2018paid agent\u2019.\n\nYou\u2019re not an appointee if you just help someone complete their claim form.\n\n## How to become an appointee\n\nContact the Child Benefit Office to apply. They\u2019ll discuss if becoming an appointee is the best option and tell you what you need to do.\n\nYou can arrange with someone\u2019s bank or the Post Office to collect their payments without becoming an appointee.\n\n## Your responsibilities\n\nAs an appointee, you must do things like:\n\n- complete the claim form\n\n- deal with any letters from the Child Benefit Office\n\n- report any changes that affect Child Benefit\n\n- stop or restart payments where the person or their partner is affected by the High Income Child Benefit Charge\n\nThe Child Benefit will be paid into your bank account.\n\n## How to become a paid agent\n\nYour client must send a letter to the Child Benefit Office, saying you can deal with Child Benefit on their behalf.\n\n## Stop or change an appointee or paid agent\n\nWrite to the Child Benefit Office within one month of when you want to stop or change the appointee.\n\n## Authorisation\n\nThe Child Benefit Helpline can only discuss a claim with the person named on the claim form (or their appointee). A partner or someone else can get general advice but they must be \u2018authorised\u2019 to discuss a claim with the helpline.\n\nThe process is different if you act for a lot of clients or you\u2019re a paid agent.\n\n## Get authorised\n\nThe claimant must fill in form TC689, or write a letter with the same information, and send it to the Tax Credit Office - the address is on the form.\n\nThe authorisation lasts 12 months unless a different end date is put on the form. It usually takes 2 days to get authorised from when your form is received. Usually, you won\u2019t get a letter confirming the authorisation.\n\nThe Child Benefit Office will also need to have received the claimant\u2019s Child Benefit claim form.\n\nMore than one person can be authorised but they each must send a TC689 form.\n\n## If you act for a lot of clients\n\nWrite to the Tax Credit Office to register as an \u2018intermediary organisation\u2019 if you work in the voluntary sector and act for many people.\n\nYou can get urgent authorisation online if you\u2019re an intermediary organisation and you have a completed TC689. You must keep your client\u2019s completed TC689 for 7 years from the date it was signed.\n\n## If you\u2019re a paid agent\n\nYour client must send a letter to the Child Benefit Office, saying you can deal with Child Benefit on their behalf.\n\nTo authorise you to deal with High Income Child Benefit Tax Charge matters they also need to fill in form CH995.\n\n## Cancel an authorisation\n\nAn authorisation can be cancelled by writing to the Child Benefit Office.", + "original_contents": [ + "

    If your child has a baby

    ", + "

    You can claim Child Benefit for a child you\u2019re responsible for and their baby.

    ", + "

    If your child is claiming the Child Benefit, you can collect the payment on their behalf by talking to their bank.

    ", + "

    The Child Benefit Office can only pay Child Benefit into one account. This can be a joint account you share with your child, but their name must be on the account too.

    ", + "

    Appointees

    ", + "

    You can apply for the right to deal with the Child Benefit of someone who can\u2019t manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.

    ", + "

    This is called becoming an \u2018appointee\u2019.

    ", + "

    You can apply as an individual or as a voluntary organisation.

    ", + "

    If you\u2019re paid to deal with someone else\u2019s Child Benefit, you\u2019re known as a \u2018paid agent\u2019.

    ", + "

    You\u2019re not an appointee if you just help someone complete their claim form.

    ", + "

    How to become an appointee

    ", + "

    Contact the Child Benefit Office to apply. They\u2019ll discuss if becoming an appointee is the best option and tell you what you need to do.

    ", + "

    You can arrange with someone\u2019s bank or the Post Office to collect their payments without becoming an appointee.

    ", + "

    Your responsibilities

    ", + "

    As an appointee, you must do things like:

    ", + "
  • complete the claim form
  • ", + "
  • deal with any letters from the Child Benefit Office
  • ", + "
  • report any changes that affect Child Benefit
  • ", + "
  • stop or restart payments where the person or their partner is affected by the High Income Child Benefit Charge
  • ", + "

    The Child Benefit will be paid into your bank account.

    ", + "

    How to become a paid agent

    ", + "

    Your client must send a letter to the Child Benefit Office, saying you can deal with Child Benefit on their behalf.

    ", + "

    Stop or change an appointee or paid agent

    ", + "

    Write to the Child Benefit Office within one month of when you want to stop or change the appointee.

    ", + "

    Authorisation

    ", + "

    The Child Benefit Helpline can only discuss a claim with the person named on the claim form (or their appointee). A partner or someone else can get general advice but they must be \u2018authorised\u2019 to discuss a claim with the helpline.

    ", + "

    The process is different if you act for a lot of clients or you\u2019re a paid agent.

    ", + "

    Get authorised

    ", + "

    The claimant must fill in form TC689, or write a letter with the same information, and send it to the Tax Credit Office - the address is on the form.

    ", + "

    The authorisation lasts 12 months unless a different end date is put on the form. It usually takes 2 days to get authorised from when your form is received. Usually, you won\u2019t get a letter confirming the authorisation.

    ", + "

    The Child Benefit Office will also need to have received the claimant\u2019s Child Benefit claim form.

    ", + "

    More than one person can be authorised but they each must send a TC689 form.

    ", + "

    If you act for a lot of clients

    ", + "

    Write to the Tax Credit Office to register as an \u2018intermediary organisation\u2019 if you work in the voluntary sector and act for many people.

    ", + "

    You can get urgent authorisation online if you\u2019re an intermediary organisation and you have a completed TC689. You must keep your client\u2019s completed TC689 for 7 years from the date it was signed.

    ", + "

    If you\u2019re a paid agent

    ", + "

    Your client must send a letter to the Child Benefit Office, saying you can deal with Child Benefit on their behalf.

    ", + "

    To authorise you to deal with High Income Child Benefit Tax Charge matters they also need to fill in form CH995.

    ", + "

    Cancel an authorisation

    ", + "

    An authorisation can be cancelled by writing to the Child Benefit Office.

    " + ] + }, + "https://www.gov.uk/applying-for-probate": { + "url": "https://www.gov.uk/applying-for-probate", + "title": "Applying for probate", + "content": "## Overview\n\nApplying for the legal right to deal with someone\u2019s property, money and possessions (their \u2018estate\u2019) when they die is called \u2018applying for probate\u2019.\n\nYou\u2019ll get a document that allows you to start dealing with the estate. If the person left a will you\u2019ll get either:\n\n- a \u2018grant of probate\u2019\n\n- \u2018letters of administration with will annexed\u2019 (if the will does not name an executor or the named executor is unable to apply)\n\nIf the person did not leave a will, you\u2019ll get \u2018letters of administration\u2019.\n\nThis guide and the service are also available in Welsh (Cymraeg).\n\nThe process is different in Scotland and different in Northern Ireland.\n\nBecause of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process.\n\n## When probate is not needed\n\nYou may not need probate if the person who died:\n\n- had jointly owned land, property, shares or money - these will automatically pass to the surviving owners\n\n- only had savings or premium bonds\n\nContact each asset holder (for example a bank or mortgage company) to find out if you\u2019ll need probate to get access to their assets. Every organisation has its own rules.\n\n## Who can apply\n\nOnly certain people can apply for probate to deal with the estate of someone who died. It depends on whether the person who died left a will.\n\nA will states what should happen to a person\u2019s property and belongings (\u2018estate\u2019) after they die. It\u2019s usually valid if it\u2019s been signed by the person who made it and 2 witnesses.\n\n## If there\u2019s a will\n\nYou can apply for probate if you\u2019re named in the will, or in an update to the will (a \u2018codicil\u2019), as an \u2018executor\u2019.\n\nYou\u2019ll need the original will and any updates to apply for probate. These must be original documents, not photocopies.\n\nIf you do not want to apply for probate, fill in a form to give up executor rights.\n\nFind out what to do if you\u2019re an executor.\n\n## If the person did not leave a will\n\nThe \u2018administrator\u2019 deals with the estate.\n\nYou can apply to become the estate\u2019s administrator if you are 18 or over and you are the most \u2018entitled\u2019 inheritor of the deceased\u2019s estate. This is usually the deceased\u2019s closest living relative.\n\nRelatives are the most entitled inheritors in the following order:\n\n- husband, wife or civil partner (including if they were separated)\n\n- children (including legally adopted children but not step-children)\n\n- grandchildren\n\n- great-grandchildren\n\n- parents\n\n- brothers and sisters\n\n- nieces and nephews\n\n- half-brothers and half-sisters\n\n- half-nieces and half-nephews (the children of the half-brothers and half-sisters of the deceased)\n\n- grandparents\n\n- aunts and uncles\n\n- cousins\n\n- half-aunts and half-uncles (the half-brothers and half-sisters of the deceased\u2019s parent)\n\n- half-cousins (the children of the half-brothers and half-sisters of the deceased\u2019s parent)\n\nTo apply, follow the same steps as applying for probate.\n\nYou\u2019ll receive \u2018letters of administration\u2019 to prove you have the legal right to deal with the estate.\n\nYou cannot apply if you\u2019re the partner of the person but were not their spouse or civil partner when they died. You\u2019re not automatically entitled to any of their estate, unless you\u2019re able to make changes to the inheritance.\n\n## If you do not want to apply\n\nIf you\u2019re the most entitled inheritor and you do not want to apply to be the administrator, you can either:\n\n- appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and get the attorney to send this in with the probate application\n\n- nominate up to 2 people to be the next most entitled inheritor - fill in an \u2018intestate\u2019 form and send it to HMCTS Probate\n\n## Work out who inherits\n\nThe law decides who inherits the estate if there\u2019s no will. Work out who will inherit.\n\nYou\u2019ll need this information to report the estate\u2019s value and find out if there\u2019s Inheritance Tax to pay.\n\nInheritance laws may be different if you live in an EU country.\n\n## Stopping a probate application\n\nIf there\u2019s a dispute, you can challenge an application for probate (\u2018enter a caveat\u2019), before it\u2019s granted.\n\nFind out how to stop a probate application.\n\n## If you\u2019re an executor\n\nAn executor is someone named in a will as responsible for sorting out the estate of the person who\u2019s died.\n\nThe person who died will normally have told you if you\u2019re an executor. You\u2019ll need the original will to apply for probate.\n\n## Find the original will\n\nThe person who died should have told all the executors where to find the original will and any updates, for example:\n\n- at their house\n\n- with a probate practitioner, such as a solicitor\n\n- at the Newcastle District Probate Registry - you\u2019ll need the death certificate and evidence you\u2019re the executor\n\nGet help from a probate practitioner or Citizens Advice if you cannot understand a will or codicil.\n\nIf you cannot find the original will, you\u2019ll need to fill in a lost will form.\n\nIf there\u2019s more than one will, only the most recent will is valid. Do not destroy any copies of earlier wills until you\u2019ve received probate.\n\nAn executor only receives assets if they\u2019re also named as a beneficiary.\n\n## If there\u2019s more than one executor\n\nIf more than one person is named as an executor, you must all agree who makes the application for probate.\n\nUp to 4 executors can be named on the application.\n\nIf only one executor is named on the application they\u2019ll need to prove that they tried to contact all executors named in the will before they applied.\n\nIf you\u2019re having problems finding the other executors, you can contact the Probate Call Centre.\n\nThe Probate Call Centre cannot help with disagreements between executors. You\u2019ll need to find another way to reach an agreement - this could mean getting legal advice.\n\n## If you do not want to or cannot be an executor\n\nThe will may name a replacement executor for someone who becomes \u2018unwilling or unable\u2019 to deal with the estate.\n\nIf no executors are willing or able to apply for probate, fill in a form to give up executor rights and send it to HMCTS Probate.\n\n## You do not want to be an executor\n\nYou can do one of the following:\n\n- completely give up your right to apply for probate (\u2018renunciation\u2019) - fill in a form to give up executor rights and send it with the probate application form\n\n- reserve your right to apply for probate later if another executor cannot deal with the estate (holding \u2018power reserved\u2019)\n\n- appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and send it with the probate application\n\n## When an executor is unable to apply for probate\n\nA replacement executor should apply for probate if the executor is unable to, for example because:\n\n- they\u2019ve died\n\n- they do not have \u2018mental capacity\u2019 - get a doctor to fill in a mental capacity form and send it with the probate application\n\n## Apply for probate\n\nYou can apply for probate yourself online or by post, or pay a probate practitioner (such as a solicitor) to do it for you.\n\nBecause of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process. It\u2019s taking longer to process paper applications than online applications.\n\nThis guide and the service are also available in Welsh (Cymraeg).\n\n## Before you apply\n\n- Check if you need probate.\n\n- Check if you can apply for probate.\n\n- You must estimate and report the estate\u2019s value before you apply for probate.\n\n- You must find out whether you need to pay Inheritance Tax. If you do have to pay it, send the appropriate forms to HMRC and wait 20 working days before applying for probate.\n\n- You must have the original will if you\u2019re the executor (you do not need it if you\u2019re an administrator). You must also have the original death certificate or an interim death certificate from the coroner.\n\n## If you need to pay Inheritance Tax\n\nYou normally have to pay at least some of the tax before you\u2019ll get probate. You can claim the tax back from the estate, if you pay it out of your own bank account.\n\n## Probate application fees\n\nYou may have to pay a fee to apply for probate. Whether you need to pay depends on the value of the estate.\n\nIf the value of the estate is over \u00a35,000, the application fee is \u00a3215. You may be able to get help to pay the probate fee and other court fees if you have a low income or are on certain benefits.\n\nThere\u2019s no fee if the estate is \u00a35,000 or less.\n\nExtra copies of the probate cost \u00a31.50 each. This means you can send them to different organisations at the same time.\n\n## If the will has been changed or damaged\n\nYou must include a cover letter if the will or any additions have changed in any way since you\u2019ve had them. This includes them being damaged or separated for photocopying.\n\nThe letter should explain what\u2019s been changed and why.\n\n## Get help and advice\n\nIf you\u2019ve not yet applied and have a question about applying for probate, contact the Courts and Tribunals Service Centre:\n\n## If you\u2019re a probate practitioner\n\nYou should apply for probate for your client using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\n## Apply for probate online\n\nYou can use this service if you\u2019re the executor or administrator and you:\n\n- have the original will and any additions to it (\u2018codicils\u2019) if you\u2019re the executor (you do not need these if you\u2019re an administrator)\n\n- have the original death certificate or an interim death certificate from the coroner\n\n- have already reported the estate\u2019s value\n\n- have submitted tax forms to HMRC and waited 20 working days, if you need to pay Inheritance Tax\n\nThe person who died must have lived in England or Wales most of the time.\n\nThe probate registry will keep the original will and any additions to it. If you make a copy of these for your records, do not remove any staples or bindings from them.\n\nApply for probate\n\nReturn to an existing probate application.\n\n## Apply for probate by post\n\nThe form you need to fill in depends on whether the person left a will or not.\n\nFill in application form PA1P if there is a will.\n\nFill in application form PA1A if there is not a will.\n\nBecause of COVID-19, it\u2019s taking longer to process paper applications than online applications. Use the online service to apply for probate if you can.\n\nYou need to pay before you send the form.\n\nYou can pay by either:\n\n- calling the Courts and Tribunals Service Centre to pay by credit or debit card - you\u2019ll be given a reference number to send with your documents\n\n- sending a cheque payable to \u2018HM Courts and Tribunals Service\u2019 with your documents\n\nSend your completed form to HMCTS Probate with the following documents:\n\n- the original will and any additions to it (\u2018codicils\u2019)\n\n- the death certificate or an interim death certificate from the coroner\n\nUse a signed-for or tracked postal service that will deliver to PO boxes to send your documents.\n\nThe death certificate will be returned to you but the will and any additions to it will not be. If you make a copy of the will and any of its additions for your own records, do not remove any staples or bindings from them.\n\n## After you've applied\n\nYou\u2019ll usually get the grant of probate or letters of administration within 8 weeks of sending in your original documents. If you ordered copies of these documents for use outside the UK, these will take longer to arrive.\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications.\n\nYou should not make any financial plans or put property on the market until you have received the grant of probate or letters of administration.\n\nIf there\u2019s anything wrong with the grant of probate (or letters of administration), return it to the district probate registry listed on the grant or letters.\n\nSend a copy to organisations that hold the assets of the person who died, for example their bank.\n\nOnce you have probate you can start dealing with the estate.", + "original_contents": [ + "

    Overview

    ", + "

    Applying for the legal right to deal with someone\u2019s property, money and possessions (their \u2018estate\u2019) when they die is called \u2018applying for probate\u2019.

    ", + "

    You\u2019ll get a document that allows you to start dealing with the estate. If the person left a will you\u2019ll get either:

    ", + "
  • a \u2018grant of probate\u2019
  • ", + "
  • \u2018letters of administration with will annexed\u2019 (if the will does not name an executor or the named executor is unable to apply)
  • ", + "

    If the person did not leave a will, you\u2019ll get \u2018letters of administration\u2019.

    ", + "

    This guide and the service are also available in Welsh (Cymraeg).

    ", + "

    The process is different in Scotland and different in Northern Ireland.

    ", + "

    Because of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process.

    ", + "

    When probate is not needed

    ", + "

    You may not need probate if the person who died:

    ", + "
  • had jointly owned land, property, shares or money - these will automatically pass to the surviving owners
  • ", + "
  • only had savings or premium bonds
  • ", + "

    Contact each asset holder (for example a bank or mortgage company) to find out if you\u2019ll need probate to get access to their assets. Every organisation has its own rules.

    ", + "

    Who can apply

    ", + "

    Only certain people can apply for probate to deal with the estate of someone who died. It depends on whether the person who died left a will.

    ", + "

    A will states what should happen to a person\u2019s property and belongings (\u2018estate\u2019) after they die. It\u2019s usually valid if it\u2019s been signed by the person who made it and 2 witnesses.

    ", + "

    If there\u2019s a will

    ", + "

    You can apply for probate if you\u2019re named in the will, or in an update to the will (a \u2018codicil\u2019), as an \u2018executor\u2019.

    ", + "

    You\u2019ll need the original will and any updates to apply for probate. These must be original documents, not photocopies.

    ", + "

    If you do not want to apply for probate, fill in a form to give up executor rights.

    ", + "

    Find out what to do if you\u2019re an executor.

    ", + "

    If the person did not leave a will

    ", + "

    The \u2018administrator\u2019 deals with the estate.

    ", + "

    You can apply to become the estate\u2019s administrator if you are 18 or over and you are the most \u2018entitled\u2019 inheritor of the deceased\u2019s estate. This is usually the deceased\u2019s closest living relative.

    ", + "

    Relatives are the most entitled inheritors in the following order:

    ", + "
  • husband, wife or civil partner (including if they were separated)
  • ", + "
  • children (including legally adopted children but not step-children)
  • ", + "
  • grandchildren
  • ", + "
  • great-grandchildren
  • ", + "
  • parents
  • ", + "
  • brothers and sisters
  • ", + "
  • nieces and nephews
  • ", + "
  • half-brothers and half-sisters
  • ", + "
  • half-nieces and half-nephews (the children of the half-brothers and half-sisters of the deceased)
  • ", + "
  • grandparents
  • ", + "
  • aunts and uncles
  • ", + "
  • cousins
  • ", + "
  • half-aunts and half-uncles (the half-brothers and half-sisters of the deceased\u2019s parent)
  • ", + "
  • half-cousins (the children of the half-brothers and half-sisters of the deceased\u2019s parent)
  • ", + "

    To apply, follow the same steps as applying for probate.

    ", + "

    You\u2019ll receive \u2018letters of administration\u2019 to prove you have the legal right to deal with the estate.

    ", + "

    You cannot apply if you\u2019re the partner of the person but were not their spouse or civil partner when they died. You\u2019re not automatically entitled to any of their estate, unless you\u2019re able to make changes to the inheritance.

    ", + "

    If you do not want to apply

    ", + "

    If you\u2019re the most entitled inheritor and you do not want to apply to be the administrator, you can either:

    ", + "
  • appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and get the attorney to send this in with the probate application
  • ", + "
  • nominate up to 2 people to be the next most entitled inheritor - fill in an \u2018intestate\u2019 form and send it to HMCTS Probate
  • ", + "

    Work out who inherits

    ", + "

    The law decides who inherits the estate if there\u2019s no will. Work out who will inherit.

    ", + "

    You\u2019ll need this information to report the estate\u2019s value and find out if there\u2019s Inheritance Tax to pay.

    ", + "

    Inheritance laws may be different if you live in an EU country.

    ", + "

    Stopping a probate application

    ", + "

    If there\u2019s a dispute, you can challenge an application for probate (\u2018enter a caveat\u2019), before it\u2019s granted.

    ", + "

    Find out how to stop a probate application.

    ", + "

    If you\u2019re an executor

    ", + "

    An executor is someone named in a will as responsible for sorting out the estate of the person who\u2019s died.

    ", + "

    The person who died will normally have told you if you\u2019re an executor. You\u2019ll need the original will to apply for probate.

    ", + "

    Find the original will

    ", + "

    The person who died should have told all the executors where to find the original will and any updates, for example:

    ", + "
  • at their house
  • ", + "
  • with a probate practitioner, such as a solicitor
  • ", + "
  • at the Newcastle District Probate Registry - you\u2019ll need the death certificate and evidence you\u2019re the executor
  • ", + "

    Get help from a probate practitioner or Citizens Advice if you cannot understand a will or codicil.

    ", + "

    If you cannot find the original will, you\u2019ll need to fill in a lost will form.

    ", + "

    If there\u2019s more than one will, only the most recent will is valid. Do not destroy any copies of earlier wills until you\u2019ve received probate.

    ", + "

    An executor only receives assets if they\u2019re also named as a beneficiary.

    ", + "

    If there\u2019s more than one executor

    ", + "

    If more than one person is named as an executor, you must all agree who makes the application for probate.

    ", + "

    Up to 4 executors can be named on the application.

    ", + "

    If only one executor is named on the application they\u2019ll need to prove that they tried to contact all executors named in the will before they applied.

    ", + "

    If you\u2019re having problems finding the other executors, you can contact the Probate Call Centre.

    ", + "

    The Probate Call Centre cannot help with disagreements between executors. You\u2019ll need to find another way to reach an agreement - this could mean getting legal advice.

    ", + "

    If you do not want to or cannot be an executor

    ", + "

    The will may name a replacement executor for someone who becomes \u2018unwilling or unable\u2019 to deal with the estate.

    ", + "

    If no executors are willing or able to apply for probate, fill in a form to give up executor rights and send it to HMCTS Probate.

    ", + "

    You do not want to be an executor

    ", + "

    You can do one of the following:

    ", + "
  • completely give up your right to apply for probate (\u2018renunciation\u2019) - fill in a form to give up executor rights and send it with the probate application form
  • ", + "
  • reserve your right to apply for probate later if another executor cannot deal with the estate (holding \u2018power reserved\u2019)
  • ", + "
  • appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and send it with the probate application
  • ", + "

    When an executor is unable to apply for probate

    ", + "

    A replacement executor should apply for probate if the executor is unable to, for example because:

    ", + "
  • they\u2019ve died
  • ", + "
  • they do not have \u2018mental capacity\u2019 - get a doctor to fill in a mental capacity form and send it with the probate application
  • ", + "

    Apply for probate

    ", + "

    You can apply for probate yourself online or by post, or pay a probate practitioner (such as a solicitor) to do it for you.

    ", + "

    Because of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process. It\u2019s taking longer to process paper applications than online applications.

    ", + "

    This guide and the service are also available in Welsh (Cymraeg).

    ", + "

    Before you apply

    ", + "
  • Check if you need probate.
  • ", + "
  • Check if you can apply for probate.
  • ", + "
  • You must estimate and report the estate\u2019s value before you apply for probate.
  • ", + "
  • You must find out whether you need to pay Inheritance Tax. If you do have to pay it, send the appropriate forms to HMRC and wait 20 working days before applying for probate.
  • ", + "
  • You must have the original will if you\u2019re the executor (you do not need it if you\u2019re an administrator). You must also have the original death certificate or an interim death certificate from the coroner.
  • ", + "

    If you need to pay Inheritance Tax

    ", + "

    You normally have to pay at least some of the tax before you\u2019ll get probate. You can claim the tax back from the estate, if you pay it out of your own bank account.

    ", + "

    Probate application fees

    ", + "

    You may have to pay a fee to apply for probate. Whether you need to pay depends on the value of the estate.

    ", + "

    If the value of the estate is over \u00a35,000, the application fee is \u00a3215. You may be able to get help to pay the probate fee and other court fees if you have a low income or are on certain benefits.

    ", + "

    There\u2019s no fee if the estate is \u00a35,000 or less.

    ", + "

    Extra copies of the probate cost \u00a31.50 each. This means you can send them to different organisations at the same time.

    ", + "

    If the will has been changed or damaged

    ", + "

    You must include a cover letter if the will or any additions have changed in any way since you\u2019ve had them. This includes them being damaged or separated for photocopying.

    ", + "

    The letter should explain what\u2019s been changed and why.

    ", + "

    Get help and advice

    ", + "

    If you\u2019ve not yet applied and have a question about applying for probate, contact the Courts and Tribunals Service Centre:

    ", + "

    If you\u2019re a probate practitioner

    ", + "

    You should apply for probate for your client using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.

    ", + "

    Apply for probate online

    ", + "

    You can use this service if you\u2019re the executor or administrator and you:

    ", + "
  • have the original will and any additions to it (\u2018codicils\u2019) if you\u2019re the executor (you do not need these if you\u2019re an administrator)
  • ", + "
  • have the original death certificate or an interim death certificate from the coroner
  • ", + "
  • have already reported the estate\u2019s value
  • ", + "
  • have submitted tax forms to HMRC and waited 20 working days, if you need to pay Inheritance Tax
  • ", + "

    The person who died must have lived in England or Wales most of the time.

    ", + "

    The probate registry will keep the original will and any additions to it. If you make a copy of these for your records, do not remove any staples or bindings from them.

    ", + "

    Apply for probate

    ", + "

    Return to an existing probate application.

    ", + "

    Apply for probate by post

    ", + "

    The form you need to fill in depends on whether the person left a will or not.

    ", + "

    Fill in application form PA1P if there is a will.

    ", + "

    Fill in application form PA1A if there is not a will.

    ", + "

    Because of COVID-19, it\u2019s taking longer to process paper applications than online applications. Use the online service to apply for probate if you can.

    ", + "

    You need to pay before you send the form.

    ", + "

    You can pay by either:

    ", + "
  • calling the Courts and Tribunals Service Centre to pay by credit or debit card - you\u2019ll be given a reference number to send with your documents
  • ", + "
  • sending a cheque payable to \u2018HM Courts and Tribunals Service\u2019 with your documents
  • ", + "

    Send your completed form to HMCTS Probate with the following documents:

    ", + "
  • the original will and any additions to it (\u2018codicils\u2019)
  • ", + "
  • the death certificate or an interim death certificate from the coroner
  • ", + "

    Use a signed-for or tracked postal service that will deliver to PO boxes to send your documents.

    ", + "

    The death certificate will be returned to you but the will and any additions to it will not be. If you make a copy of the will and any of its additions for your own records, do not remove any staples or bindings from them.

    ", + "

    After you've applied

    ", + "

    You\u2019ll usually get the grant of probate or letters of administration within 8 weeks of sending in your original documents. If you ordered copies of these documents for use outside the UK, these will take longer to arrive.

    ", + "

    Because of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications.

    ", + "

    You should not make any financial plans or put property on the market until you have received the grant of probate or letters of administration.

    ", + "

    If there\u2019s anything wrong with the grant of probate (or letters of administration), return it to the district probate registry listed on the grant or letters.

    ", + "

    Send a copy to organisations that hold the assets of the person who died, for example their bank.

    ", + "

    Once you have probate you can start dealing with the estate.

    " + ] + }, + "https://www.gov.uk/get-declaration-presumed-death": { + "url": "https://www.gov.uk/get-declaration-presumed-death", + "title": "Get a declaration of presumed death", + "content": "## Overview\n\nYou can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:\n\n- 7 years or more\n\n- less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster\n\nA missing person is not automatically presumed dead.\n\nYou must make a claim for a declaration of presumed death if you want to do certain things, for example deal with their estate.\n\n## Who can make a claim\n\nYou can make a claim if you\u2019re the missing person\u2019s:\n\n- spouse or civil partner\n\n- parent\n\n- child\n\n- sibling\n\nIf none of these apply, you\u2019ll need to prove to the court that you have enough of a connection to the missing person (\u2018sufficient interest\u2019), for example you\u2019re a distant relative and you have a birth certificate to prove it.\n\n## What else must be true to make a claim\n\nTo make a claim one or more of the following must also apply:\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you treat England or Wales as your permanent home (\u2018domicile\u2019) on the date you make the claim\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you\u2019ve been living in England or Wales for the whole year before the date you make the claim\n\n- the missing person treated England or Wales as their permanent home (\u2018domicile\u2019) on the date they were last known to be alive\n\n- the missing person was living in England or Wales for the whole year before the date they were last known to be alive\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Fees\n\nIt costs \u00a3528 to get a declaration of presumed death. You may be able to get help paying court fees.\n\n## Make a claim for a declaration of presumed death\n\nYou can make a claim yourself or use a legal representative.\n\n- Make your claim.\n\n- Advertise your claim in a newspaper.\n\n- Attend a hearing.\n\n## Make your claim\n\nDownload and fill in a claim form (N208) with details about:\n\n- yourself - known as the \u2018claimant\u2019\n\n- the missing person - known as the \u2018defendant\u2019\n\n- your claim\n\nInclude relevant information about your claim in the section \u2018details of your claim\u2019.\n\nSend the following to a court that can hear High Court cases.\n\n- form N208 - 1 copy for each person named in the form plus a copy for the court\n\n- any supporting evidence, for example statements from witnesses, police reports\n\n- the claim fee of \u00a3528 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019\n\nThe court will stamp your form with an issue date and keep one copy. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.\n\n## Send copies of your claim to other people\n\nSend a copy of form N208 and an acknowledgement of service form within 7 days of the issue date on the form to:\n\n- the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive send it to the missing person\u2019s nearest relative\n\n- any other person or organisation who might have an interest, for example an insurance company\n\nYou must advertise your application in a newspaper within 7 days.\n\n## Advertise your claim in a newspaper\n\nYou must advertise your application in a newspaper local to the missing person\u2019s last known address.\n\nPlace the advert within 7 days of the issue date stamped on the claim form.\n\n## Use standard text for the advert\n\nUse the following text and make sure you:\n\n- put your case number after the words case number\n\n- replace or delete as appropriate the words in square brackets with the relevant details\n\n## Standard text\n\n\u201cIn the High Court of Justice [Chancery] [Family] Division\n\nCase number.\n\nIn the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].\n\nA claim has been issued in the High Court of Justice, for a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.\n\nIf you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.\n\n(If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d\n\n## Send a copy to the court\n\nSend the court a copy of the newspaper page showing the advertisement so it arrives at least 5 days before your court hearing.\n\n## Attend a hearing\n\nYou\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.\n\nBring any relevant documents.\n\nYour claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.\n\nAt the hearing you might be:\n\n- asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need\n\n- told there has to be another hearing - there may be several hearings before a decision is made\n\nIf the court agrees with your application, you\u2019ll get a declaration of presumed death at the hearing or later by letter.\n\n## Get a certificate of presumed death\n\nApply to the General Register Office for a certificate of presumed death.\n\nYou can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.\n\nYou can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.\n\nThe certificate can be used like a normal death certificate, for example to deal with a missing person\u2019s estate.\n\nIt costs \u00a311.\n\n## Appeal a decision\n\nContact the Civil Appeals Office to appeal against the High Court\u2019s decision.\n\n## Make a complaint\n\nUse the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.", + "original_contents": [ + "

    Overview

    ", + "

    You can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:

    ", + "
  • 7 years or more
  • ", + "
  • less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster
  • ", + "

    A missing person is not automatically presumed dead.

    ", + "

    You must make a claim for a declaration of presumed death if you want to do certain things, for example deal with their estate.

    ", + "

    Who can make a claim

    ", + "

    You can make a claim if you\u2019re the missing person\u2019s:

    ", + "
  • spouse or civil partner
  • ", + "
  • parent
  • ", + "
  • child
  • ", + "
  • sibling
  • ", + "

    If none of these apply, you\u2019ll need to prove to the court that you have enough of a connection to the missing person (\u2018sufficient interest\u2019), for example you\u2019re a distant relative and you have a birth certificate to prove it.

    ", + "

    What else must be true to make a claim

    ", + "

    To make a claim one or more of the following must also apply:

    ", + "
  • you\u2019re the missing person\u2019s spouse or civil partner and you treat England or Wales as your permanent home (\u2018domicile\u2019) on the date you make the claim
  • ", + "
  • you\u2019re the missing person\u2019s spouse or civil partner and you\u2019ve been living in England or Wales for the whole year before the date you make the claim
  • ", + "
  • the missing person treated England or Wales as their permanent home (\u2018domicile\u2019) on the date they were last known to be alive
  • ", + "
  • the missing person was living in England or Wales for the whole year before the date they were last known to be alive
  • ", + "

    The rules are different in Scotland and Northern Ireland.

    ", + "

    Fees

    ", + "

    It costs \u00a3528 to get a declaration of presumed death. You may be able to get help paying court fees.

    ", + "

    Make a claim for a declaration of presumed death

    ", + "

    You can make a claim yourself or use a legal representative.

    ", + "
  • Make your claim.
  • ", + "
  • Advertise your claim in a newspaper.
  • ", + "
  • Attend a hearing.
  • ", + "

    Make your claim

    ", + "

    Download and fill in a claim form (N208) with details about:

    ", + "
  • yourself - known as the \u2018claimant\u2019
  • ", + "
  • the missing person - known as the \u2018defendant\u2019
  • ", + "
  • your claim
  • ", + "

    Include relevant information about your claim in the section \u2018details of your claim\u2019.

    ", + "

    Send the following to a court that can hear High Court cases.

    ", + "
  • form N208 - 1 copy for each person named in the form plus a copy for the court
  • ", + "
  • any supporting evidence, for example statements from witnesses, police reports
  • ", + "
  • the claim fee of \u00a3528 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    The court will stamp your form with an issue date and keep one copy. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.

    ", + "

    Send copies of your claim to other people

    ", + "

    Send a copy of form N208 and an acknowledgement of service form within 7 days of the issue date on the form to:

    ", + "
  • the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive send it to the missing person\u2019s nearest relative
  • ", + "
  • any other person or organisation who might have an interest, for example an insurance company
  • ", + "

    You must advertise your application in a newspaper within 7 days.

    ", + "

    Advertise your claim in a newspaper

    ", + "

    You must advertise your application in a newspaper local to the missing person\u2019s last known address.

    ", + "

    Place the advert within 7 days of the issue date stamped on the claim form.

    ", + "

    Use standard text for the advert

    ", + "

    Use the following text and make sure you:

    ", + "
  • put your case number after the words case number
  • ", + "
  • replace or delete as appropriate the words in square brackets with the relevant details
  • ", + "

    Standard text

    ", + "

    \u201cIn the High Court of Justice [Chancery] [Family] Division

    ", + "

    Case number.

    ", + "

    In the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].

    ", + "

    A claim has been issued in the High Court of Justice, for a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.

    ", + "

    If you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.

    ", + "

    (If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d

    ", + "

    Send a copy to the court

    ", + "

    Send the court a copy of the newspaper page showing the advertisement so it arrives at least 5 days before your court hearing.

    ", + "

    Attend a hearing

    ", + "

    You\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.

    ", + "

    Bring any relevant documents.

    ", + "

    Your claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.

    ", + "

    At the hearing you might be:

    ", + "
  • asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need
  • ", + "
  • told there has to be another hearing - there may be several hearings before a decision is made
  • ", + "

    If the court agrees with your application, you\u2019ll get a declaration of presumed death at the hearing or later by letter.

    ", + "

    Get a certificate of presumed death

    ", + "

    Apply to the General Register Office for a certificate of presumed death.

    ", + "

    You can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.

    ", + "

    You can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.

    ", + "

    The certificate can be used like a normal death certificate, for example to deal with a missing person\u2019s estate.

    ", + "

    It costs \u00a311.

    ", + "

    Appeal a decision

    ", + "

    Contact the Civil Appeals Office to appeal against the High Court\u2019s decision.

    ", + "

    Make a complaint

    ", + "

    Use the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.

    " + ] + }, + "https://www.gov.uk/change-cancel-presumption-death-certificate": { + "url": "https://www.gov.uk/change-cancel-presumption-death-certificate", + "title": "Change or cancel a presumption of death certificate", + "content": "## Overview\n\nYou can make a claim to cancel (\u2018revoke\u2019) or change (\u2018vary\u2019) the details of a declaration of presumed death from the High Court if you can prove the missing person:\n\n- is still alive\n\n- died at a time earlier or later than the time of death in the original declaration\n\nYou can also make a claim if you can prove there are other circumstances that mean the declaration of presumed death should be cancelled or changed.\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Fees\n\nIt costs \u00a3480 to change or cancel a declaration of presumed death. Read the fees leaflet to find out when you might not have to pay.\n\n## Make a claim for a declaration of presumed death\n\nYou can make a claim yourself or use a legal representative.\n\n- Make your claim.\n\n- Advertise your claim in a newspaper.\n\n- Attend a hearing.\n\n## Make a claim\n\nDownload and fill in claim form N208.\n\nYou\u2019re known as the \u2018claimant\u2019 if you\u2019re making the claim.\n\nRead the guidance on filling in form N208. Include all the information asked for in \u2018claim for variation order\u2019 in your application.\n\nSend the claim to a court that can hear High Court cases.\n\nYou should include:\n\n- N208 form - one copy for each person named in the form plus a copy for the court\n\n- the claim fee of \u00a3480 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019\n\nThe court will stamp your form with an issue date and keep one copy of your N208 form. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.\n\n## Send copies of your claim to other people\n\nSend a copy of form N208 with an acknowledgment of service form within 7 days of the issue date the court has put on the form to:\n\n- the person who made the original claim\n\n- the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive, send it to the missing person\u2019s nearest relative\n\n- any other person or organisation who might have an interest, eg an insurance company\n\nYou must advertise your claim in a newspaper within 7 days.\n\n## Advertise your claim in a newspaper\n\nYou must advertise your claim in a newspaper local to the missing person\u2019s last known address.\n\nPlace the advert within 7 days of the issue date stamped on the claim form.\n\n## Use standard text for the advert\n\nUse the following text. You\u2019ll need to delete some words and replace others in the square brackets with the right details.\n\n## Standard text\n\n\u201cIn the High Court of Justice [Chancery] [Family] Division\n\nCase number [insert case number]\n\nIn the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].\n\nA claim has been issued in the High Court of Justice, for a variation of a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.\n\nIf you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.\n\n(If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d\n\nYou\u2019re known as the \u2018claimant\u2019 if you\u2019re making the claim.\n\n## Send a copy to the court\n\nSend the court a copy of the newspaper page showing the advertisement. It must arrive at least 5 days before your court hearing.\n\n## Attend a hearing\n\nYou\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.\n\nBring any relevant documents.\n\nYour claim may be challenged by someone who\u2019s received a copy of the claim form or seen the advert.\n\nAt the hearing you might:\n\n- be asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need\n\n- be told there has to be another hearing - there may be several hearings before a decision is made\n\nIf the court agrees with your application, you\u2019ll get the order changed or cancelled at the hearing or by letter later.\n\n## Get a certificate of presumed death\n\nApply to the General Register Office for a certificate of presumed death.\n\nYou can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.\n\nYou can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.\n\nThe certificate can be used like a normal death certificate, eg to deal with a missing person\u2019s estate.\n\nIt costs \u00a39.25.\n\nThe certificate will state when the missing person is presumed to have died.\n\nCall the General Register Office to get a certificate.\n\n## Appeal a decision\n\nCall or write to the Civil Appeals Office to appeal against the High Court\u2019s decision.\n\n## Make a complaint\n\nUse the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.\n\nYou cannot complain about the decision.", + "original_contents": [ + "

    Overview

    ", + "

    You can make a claim to cancel (\u2018revoke\u2019) or change (\u2018vary\u2019) the details of a declaration of presumed death from the High Court if you can prove the missing person:

    ", + "
  • is still alive
  • ", + "
  • died at a time earlier or later than the time of death in the original declaration
  • ", + "

    You can also make a claim if you can prove there are other circumstances that mean the declaration of presumed death should be cancelled or changed.

    ", + "

    The rules are different in Scotland and Northern Ireland.

    ", + "

    Fees

    ", + "

    It costs \u00a3480 to change or cancel a declaration of presumed death. Read the fees leaflet to find out when you might not have to pay.

    ", + "

    Make a claim for a declaration of presumed death

    ", + "

    You can make a claim yourself or use a legal representative.

    ", + "
  • Make your claim.
  • ", + "
  • Advertise your claim in a newspaper.
  • ", + "
  • Attend a hearing.
  • ", + "

    Make a claim

    ", + "

    Download and fill in claim form N208.

    ", + "

    You\u2019re known as the \u2018claimant\u2019 if you\u2019re making the claim.

    ", + "

    Read the guidance on filling in form N208. Include all the information asked for in \u2018claim for variation order\u2019 in your application.

    ", + "

    Send the claim to a court that can hear High Court cases.

    ", + "

    You should include:

    ", + "
  • N208 form - one copy for each person named in the form plus a copy for the court
  • ", + "
  • the claim fee of \u00a3480 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    The court will stamp your form with an issue date and keep one copy of your N208 form. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.

    ", + "

    Send copies of your claim to other people

    ", + "

    Send a copy of form N208 with an acknowledgment of service form within 7 days of the issue date the court has put on the form to:

    ", + "
  • the person who made the original claim
  • ", + "
  • the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive, send it to the missing person\u2019s nearest relative
  • ", + "
  • any other person or organisation who might have an interest, eg an insurance company
  • ", + "

    You must advertise your claim in a newspaper within 7 days.

    ", + "

    Advertise your claim in a newspaper

    ", + "

    You must advertise your claim in a newspaper local to the missing person\u2019s last known address.

    ", + "

    Place the advert within 7 days of the issue date stamped on the claim form.

    ", + "

    Use standard text for the advert

    ", + "

    Use the following text. You\u2019ll need to delete some words and replace others in the square brackets with the right details.

    ", + "

    Standard text

    ", + "

    \u201cIn the High Court of Justice [Chancery] [Family] Division

    ", + "

    Case number [insert case number]

    ", + "

    In the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].

    ", + "

    A claim has been issued in the High Court of Justice, for a variation of a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.

    ", + "

    If you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.

    ", + "

    (If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d

    ", + "

    You\u2019re known as the \u2018claimant\u2019 if you\u2019re making the claim.

    ", + "

    Send a copy to the court

    ", + "

    Send the court a copy of the newspaper page showing the advertisement. It must arrive at least 5 days before your court hearing.

    ", + "

    Attend a hearing

    ", + "

    You\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.

    ", + "

    Bring any relevant documents.

    ", + "

    Your claim may be challenged by someone who\u2019s received a copy of the claim form or seen the advert.

    ", + "

    At the hearing you might:

    ", + "
  • be asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need
  • ", + "
  • be told there has to be another hearing - there may be several hearings before a decision is made
  • ", + "

    If the court agrees with your application, you\u2019ll get the order changed or cancelled at the hearing or by letter later.

    ", + "

    Get a certificate of presumed death

    ", + "

    Apply to the General Register Office for a certificate of presumed death.

    ", + "

    You can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.

    ", + "

    You can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.

    ", + "

    The certificate can be used like a normal death certificate, eg to deal with a missing person\u2019s estate.

    ", + "

    It costs \u00a39.25.

    ", + "

    The certificate will state when the missing person is presumed to have died.

    ", + "

    Call the General Register Office to get a certificate.

    ", + "

    Appeal a decision

    ", + "

    Call or write to the Civil Appeals Office to appeal against the High Court\u2019s decision.

    ", + "

    Make a complaint

    ", + "

    Use the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.

    ", + "

    You cannot complain about the decision.

    " + ] + }, + "https://www.gov.uk/tell-dvla-about-bereavement": { + "url": "https://www.gov.uk/tell-dvla-about-bereavement", + "title": "Telling DVLA after someone dies", + "content": "## What you need to do\n\nYou can use the Tell Us Once service to notify DVLA when someone dies if it\u2019s available in your area.\n\nYou still have to tell DVLA separately when you:\n\n- sell the vehicle\n\n- keep the vehicle (even if it\u2019s temporary and you\u2019re not using it)\n\n- keep a personalised registration number (you\u2019ll need to do this before you sell the vehicle)\n\n## If Tell Us Once is not available in your area\n\nWrite to DVLA to tell them a driver has died. Include the person\u2019s driving licence with your letter, if you have it.\n\nYour letter must include:\n\n- your relationship to the person who died\n\n- the date they died\n\n- their name, address and date of birth\n\nSend the letter to:\n\nYou do not need to send a death certificate.\n\n## If you need help\n\nContact DVLA if you need help.\n\n## Northern Ireland\n\nThere\u2019s a different process in Northern Ireland.\n\n## Keeping a vehicle\n\nTell DVLA that you\u2019re the new keeper of the vehicle and tax it in your own name straight away.\n\nYou cannot transfer vehicle tax from another person. You must tax the vehicle in your name even if you\u2019re taking over ownership as a family member or looking after it for a short time.\n\nYou can be prosecuted if you use the vehicle on a public road before taxing it in your own name and insuring it.\n\nWhat you do depends on whether you have the vehicle log book (V5C).\n\n## If you have the vehicle log book (V5C)\n\n- Fill in section 2 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 6 if you have the older style log book.\n\n- Tear off and keep the green \u2018new keeper\u2019 slip.\n\n- Write a letter explaining your relationship to the person who died, the date they died and who should be paid any vehicle tax refund.\n\n- Send the V5C with your letter to the DVLA Sensitive Casework Team. Also include form V890 if you want to register the vehicle as off the road (SORN) instead of taxing it.\n\n- DVLA will immediately cancel any existing vehicle tax and direct debits, and send a cheque for any refund and a new V5C.\n\n- Use the new keeper slip to tax the vehicle in your name before you use it on a public road. Do not wait for the new V5C.\n\n## If you do not have the vehicle log book (V5C)\n\n- Fill in form V62 to apply for a V5C. There\u2019s a \u00a325 fee.\n\n- Write a letter explaining your relationship to the person who died, the date they died and who should be paid any vehicle tax refund.\n\n- Send the V62 and fee with your letter to the DVLA Sensitive Casework Team. Also include form V890 if you want to register the vehicle as off the road (SORN) instead of taxing it.\n\n- DVLA will immediately cancel any existing vehicle tax and direct debits, and send you a new V5C.\n\n- Use your new V5C to tax the vehicle.\n\n## If you need help\n\nContact DVLA if you need help.\n\n## Selling a vehicle\n\nWhat you do depends on whether you have the vehicle log book (V5C).\n\n## If you have the vehicle log book (V5C)\n\nWrite a letter explaining:\n\n- your relationship to the person who died\n\n- the date the person died\n\n- who should be paid any vehicle tax refund (vehicle tax cannot be transferred to a new owner)\n\nSend the letter to the DVLA Sensitive Casework Team with the right part of the V5C. The part you send depends on whether you\u2019re selling the vehicle to a private individual or a motor trader.\n\n## Selling to a private individual\n\n- Fill in section 2 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 6 if you have the older style log book.\n\n- Give the green \u2018new keeper\u2019 slip to the buyer.\n\n- Send the V5C with your letter to the DVLA Sensitive Casework Team.\n\n## Selling to a motor trader\n\n- Get the motor trader to fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of the log book.\n\n- Send the perforated section with your letter to the DVLA Sensitive Casework Team.\n\n- Give the motor trader the rest of the V5C.\n\n## If you do not have the vehicle log book (V5C)\n\nWhen you sell the car tell the buyer they\u2019ll need to fill in form V62 to apply for a V5C. There\u2019s a \u00a325 fee.\n\nYou need to write a letter to the DVLA Sensitive Casework Team to tell them you\u2019ve sold the vehicle. Your letter needs to say:\n\n- the date you sold the vehicle\n\n- your relationship to the person who died\n\n- the date they died\n\n- who should be paid any vehicle tax refund\n\n- the buyer\u2019s name and address\n\n## If you need help\n\nContact DVLA if you need help.", + "original_contents": [ + "

    What you need to do

    ", + "

    You can use the Tell Us Once service to notify DVLA when someone dies if it\u2019s available in your area.

    ", + "

    You still have to tell DVLA separately when you:

    ", + "
  • sell the vehicle
  • ", + "
  • keep the vehicle (even if it\u2019s temporary and you\u2019re not using it)
  • ", + "
  • keep a personalised registration number (you\u2019ll need to do this before you sell the vehicle)
  • ", + "

    If Tell Us Once is not available in your area

    ", + "

    Write to DVLA to tell them a driver has died. Include the person\u2019s driving licence with your letter, if you have it.

    ", + "

    Your letter must include:

    ", + "
  • your relationship to the person who died
  • ", + "
  • the date they died
  • ", + "
  • their name, address and date of birth
  • ", + "

    Send the letter to:

    ", + "

    You do not need to send a death certificate.

    ", + "

    If you need help

    ", + "

    Contact DVLA if you need help.

    ", + "

    Northern Ireland

    ", + "

    There\u2019s a different process in Northern Ireland.

    ", + "

    Keeping a vehicle

    ", + "

    Tell DVLA that you\u2019re the new keeper of the vehicle and tax it in your own name straight away.

    ", + "

    You cannot transfer vehicle tax from another person. You must tax the vehicle in your name even if you\u2019re taking over ownership as a family member or looking after it for a short time.

    ", + "

    You can be prosecuted if you use the vehicle on a public road before taxing it in your own name and insuring it.

    ", + "

    What you do depends on whether you have the vehicle log book (V5C).

    ", + "

    If you have the vehicle log book (V5C)

    ", + "
  • Fill in section 2 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 6 if you have the older style log book.
  • ", + "
  • Tear off and keep the green \u2018new keeper\u2019 slip.
  • ", + "
  • Write a letter explaining your relationship to the person who died, the date they died and who should be paid any vehicle tax refund.
  • ", + "
  • Send the V5C with your letter to the DVLA Sensitive Casework Team. Also include form V890 if you want to register the vehicle as off the road (SORN) instead of taxing it.
  • ", + "
  • DVLA will immediately cancel any existing vehicle tax and direct debits, and send a cheque for any refund and a new V5C.
  • ", + "
  • Use the new keeper slip to tax the vehicle in your name before you use it on a public road. Do not wait for the new V5C.
  • ", + "

    If you do not have the vehicle log book (V5C)

    ", + "
  • Fill in form V62 to apply for a V5C. There\u2019s a \u00a325 fee.
  • ", + "
  • Write a letter explaining your relationship to the person who died, the date they died and who should be paid any vehicle tax refund.
  • ", + "
  • Send the V62 and fee with your letter to the DVLA Sensitive Casework Team. Also include form V890 if you want to register the vehicle as off the road (SORN) instead of taxing it.
  • ", + "
  • DVLA will immediately cancel any existing vehicle tax and direct debits, and send you a new V5C.
  • ", + "
  • Use your new V5C to tax the vehicle.
  • ", + "

    If you need help

    ", + "

    Contact DVLA if you need help.

    ", + "

    Selling a vehicle

    ", + "

    What you do depends on whether you have the vehicle log book (V5C).

    ", + "

    If you have the vehicle log book (V5C)

    ", + "

    Write a letter explaining:

    ", + "
  • your relationship to the person who died
  • ", + "
  • the date the person died
  • ", + "
  • who should be paid any vehicle tax refund (vehicle tax cannot be transferred to a new owner)
  • ", + "

    Send the letter to the DVLA Sensitive Casework Team with the right part of the V5C. The part you send depends on whether you\u2019re selling the vehicle to a private individual or a motor trader.

    ", + "

    Selling to a private individual

    ", + "
  • Fill in section 2 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 6 if you have the older style log book.
  • ", + "
  • Give the green \u2018new keeper\u2019 slip to the buyer.
  • ", + "
  • Send the V5C with your letter to the DVLA Sensitive Casework Team.
  • ", + "

    Selling to a motor trader

    ", + "
  • Get the motor trader to fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of the log book.
  • ", + "
  • Send the perforated section with your letter to the DVLA Sensitive Casework Team.
  • ", + "
  • Give the motor trader the rest of the V5C.
  • ", + "

    If you do not have the vehicle log book (V5C)

    ", + "

    When you sell the car tell the buyer they\u2019ll need to fill in form V62 to apply for a V5C. There\u2019s a \u00a325 fee.

    ", + "

    You need to write a letter to the DVLA Sensitive Casework Team to tell them you\u2019ve sold the vehicle. Your letter needs to say:

    ", + "
  • the date you sold the vehicle
  • ", + "
  • your relationship to the person who died
  • ", + "
  • the date they died
  • ", + "
  • who should be paid any vehicle tax refund
  • ", + "
  • the buyer\u2019s name and address
  • ", + "

    If you need help

    ", + "

    Contact DVLA if you need help.

    " + ] + }, + "https://www.gov.uk/valuing-estate-of-someone-who-died": { + "url": "https://www.gov.uk/valuing-estate-of-someone-who-died", + "title": "Valuing the estate of someone who's died", + "content": "## What you need to do\n\nAs part of applying for probate, you need to value the money, property and possessions (\u2018estate\u2019) of the person who\u2019s died.\n\nYou don\u2019t need probate for all estates. Check if you need it.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou need to complete 3 main tasks when you value the estate.\n\n- Contact organisations such as banks or utility providers about the person\u2019s assets and debts.\n\n- Estimate the estate\u2019s value. This will affect how you report the value to HMRC, and the deadlines for reporting and paying any Inheritance Tax. Most estates aren\u2019t taxed.\n\n- Report the value to HM Revenue and Customs (HMRC).\n\n## How long it takes\n\nThe process of valuing the estate can take 6 to 9 months, or longer for big or complicated estates (for example if they involve trusts or there\u2019s tax to pay).\n\n## Deadlines\n\nYou don\u2019t need to value the estate straight away after someone dies. There are only deadlines if the estate owes Inheritance Tax.\n\nIf it does, you\u2019ll need to:\n\n- send Inheritance Tax forms within one year\n\n- start paying tax by the end of the sixth month after the person died - you can make a payment before you finish valuing the estate\n\n## Getting help\n\nYou can hire a professional (for example a solicitor) to help with some or all of the tasks involved with valuing an estate.\n\nMoney Advice Service has guidance on when and how to hire a professional. Law Donut has advice on keeping solicitors\u2019 fees down.\n\nContact HMRC to get help with:\n\n- probate\n\n- Inheritance Tax\n\n## Contact organisations about assets and debts\n\nTo help you value the estate of the person who died, write to organisations to find out about the person\u2019s:\n\n- assets, for example banks and pension providers\n\n- debts, such as utility companies, mortgage lenders and credit card companies\n\nIn your letter:\n\n- ask for the value of the asset or debt when the person died\n\n- include a copy of the death certificate\n\n## Which organisations to contact\n\nFind organisations to contact about the person\u2019s assets and debts by searching through their papers. You can also ask friends, family and any solicitor or accountant they had.\n\nOrganisations that hold a person\u2019s assets often include:\n\n- their bank\n\n- their pension provider - ask if you should include any private pension when you value the estate\n\n- their employer - the person may be owed wages\n\n- any companies they held shares in - include the number of shares, company details and the share certificate number (if you have it)\n\n- National Savings and Investments (NS&I) for Premium Bonds - use the free tracing service if you can\u2019t find certificates\n\n- other organisations that hold assets like ISAs, shares, investments or assets in a trust\n\n- their landlord, if they had one - the person may have paid rent in advance\n\nIn your letter to the bank, also ask for:\n\n- any standing orders and direct debits to be stopped (or transferred if they were in a joint name)\n\n- a list of any share certificates or deeds they were holding for the person who died\n\n## If the person had a mortgage\n\nAsk the mortgage lender if they require payments to continue while you\u2019re applying for probate. If they do, you need to either:\n\n- pay these bills yourself - and reclaim them from the estate once you\u2019ve got probate\n\n- check if the person had a life assurance or mortgage protection policy that covers these payments\n\n## Estimate the estate\u2019s value\n\nYou need an estimate of the estate\u2019s value to find out if there\u2019s Inheritance Tax to pay.\n\nThe estate won\u2019t have to pay tax as long as it either:\n\n- all passes to the dead person\u2019s spouse or civil partner, a charity or a community amateur sports club\n\n- has a value below the Inheritance Tax threshold of \u00a3325,000\n\nIf the person who died was widowed or is giving away their home to their children, the tax threshold can be higher.\n\nWhether there\u2019s tax to pay will affect how you report the estate\u2019s value, and the deadlines for reporting and paying any tax.\n\n## Working out your estimate\n\nYou need to estimate the \u2018gross\u2019 value of the estate. This is the value of the assets plus \u2018gifts\u2019.\n\nGifts are certain assets (for example cash) given away in the 7 years before the person died.\n\nAt this stage, your estimate only needs to be accurate enough for you to know if the estate owes tax.\n\n## Assets\n\nStart by listing the person\u2019s assets - the things the person owned with a value.\n\nThese may include:\n\n- assets held by organisations you\u2019ve written to - such as money in the person\u2019s bank account, pension or investments\n\n- possessions - for example their house, jewellery, furniture or car\n\n- payments when they died - for example life insurance or a lump sum \u2018death benefit\u2019 from a pension\n\nThen estimate the value of each on the date the person died. Use the asset\u2019s realistic selling price on the open market.\n\nInclude all assets in your estimate, including any left to the person\u2019s spouse, civil partner or a charity. You won\u2019t pay tax on these assets.\n\n## Valuing joint assets\n\nDivide the value of the asset by 2 if it was owned jointly with the person\u2019s spouse or civil partner.\n\nFor property or land shared with others, divide the value by the number of owners. You can then take 10% off the share of the person who died. In Scotland, take \u00a34,000 off the value of the whole asset before working out their share instead.\n\nIf the person jointly owned property as a tenant in common, work out the value based on the person\u2019s share.\n\nSome bank accounts are in joint names for convenience only, for example if an elderly person added their child to help them with the account. When valuing the account, use the amount the person actually owned, rather than dividing by the number of owners.\n\n## Gifts\n\nCheck bank statements or contact family members to find out about gifts of cash or other assets:\n\n- in the 7 years before the person died if they totalled \u00a33,000 or more per year - don\u2019t include exempt gifts, such as those for birthdays or weddings\n\n- at any time if they continued to benefit from a gift (for example they gave a house away but lived in it rent-free) or put a gift in a trust\n\nTo estimate the value of each gift, use either:\n\n- the approximate market value (realistic selling price) of the gift when it was made\n\n- the realistic selling price of the gift when the deceased stopped benefitting from it (if they benefitted from the gift after giving it away)\n\nIf the person gave away more than \u00a3325,000 before they died, the recipients may have to pay Inheritance Tax on their gifts.\n\n## Debts\n\nDon\u2019t include the estate\u2019s debts when you estimate the gross value - but you\u2019ll need to tell HM Revenue and Customs (HMRC) about them when you report the value of the estate.\n\nCheck for records of debts when the person died, for example:\n\n- their mortgage, loans, credit cards or overdrafts\n\n- \u2018liabilities\u2019 like household bills or bills for goods or services they\u2019d received but not yet paid for (like building work, decorators, accountants)\n\n## Get the gross value of the estate\n\nAdd the assets to any gifts to get the gross value. Ignore the debts at this stage.\n\nYou can now start telling HMRC about the value of the estate.\n\n## Report the estate\u2019s value to HMRC\n\nWhen you\u2019ve estimated the value of the estate you can:\n\n- start reporting the value in detail to HM Revenue and Customs (HMRC) - you\u2019ll find out whether you can report everything online or if you\u2019ll need a paper form\n\n- find out if there\u2019s tax to pay and when to pay it\n\nReport the estate\u2019s value\n\nYou can also continue a report you\u2019ve already started.\n\n## Before you start\n\nYou need to:\n\n- have an estimate of the gross value of the estate\n\n- have told organisations that the person has died - you\u2019ll need this to give accurate valuations of the person\u2019s assets or debts\n\nAs part of telling HMRC about the estate, you work out its detailed \u2018net\u2019 value - this is assets plus gifts minus debts. You\u2019ll need to know the net value if you need to apply for probate.\n\n## Getting more accurate valuations\n\nWhen telling HMRC about Inheritance Tax, you\u2019ll usually need more accurate valuations of the estate. This includes using a professional valuer for things over \u00a31,500.\n\nYou can continue using estimates if one of the following applies:\n\n- the estate\u2019s gross value is less than \u00a3250,000\n\n- all the estate passes to the dead person\u2019s spouse or civil partner, a charity or organisations like museums or community amateur sports clubs\n\n## If you need help\n\nContact HMRC to get help with:\n\n- probate\n\n- Inheritance Tax\n\n## Records\n\nYou must keep certain records after you value an estate.\n\nHM Revenue and Customs (HMRC) can ask to see your records up to 20 years after Inheritance Tax is paid.\n\nYou must keep copies of any:\n\n- will\n\n- copies of signed Inheritance Tax forms and supporting documents\n\n- records showing how you worked out the value of assets in the estate, for example an estate agent\u2019s valuation\n\n- documents showing any unused Inheritance Tax threshold that can be transferred to a surviving spouse or civil partner\n\n- final accounts\n\n## Final accounts\n\nInclude any documents showing how you distributed money, property or personal belongings from the estate, for example:\n\n- letters from HMRC confirming that you paid Inheritance Tax\n\n- receipts showing debts paid, for example utilities bills\n\n- receipts for your expenses from dealing with the estate\n\n- written confirmation that \u2018beneficiaries\u2019 (anyone who inherited) received their share of the estate\n\nSend copies of the final accounts to all beneficiaries.", + "original_contents": [ + "

    What you need to do

    ", + "

    As part of applying for probate, you need to value the money, property and possessions (\u2018estate\u2019) of the person who\u2019s died.

    ", + "

    You don\u2019t need probate for all estates. Check if you need it.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You need to complete 3 main tasks when you value the estate.

    ", + "
  • Contact organisations such as banks or utility providers about the person\u2019s assets and debts.
  • ", + "
  • Estimate the estate\u2019s value. This will affect how you report the value to HMRC, and the deadlines for reporting and paying any Inheritance Tax. Most estates aren\u2019t taxed.
  • ", + "
  • Report the value to HM Revenue and Customs (HMRC).
  • ", + "

    How long it takes

    ", + "

    The process of valuing the estate can take 6 to 9 months, or longer for big or complicated estates (for example if they involve trusts or there\u2019s tax to pay).

    ", + "

    Deadlines

    ", + "

    You don\u2019t need to value the estate straight away after someone dies. There are only deadlines if the estate owes Inheritance Tax.

    ", + "

    If it does, you\u2019ll need to:

    ", + "
  • send Inheritance Tax forms within one year
  • ", + "
  • start paying tax by the end of the sixth month after the person died - you can make a payment before you finish valuing the estate
  • ", + "

    Getting help

    ", + "

    You can hire a professional (for example a solicitor) to help with some or all of the tasks involved with valuing an estate.

    ", + "

    Money Advice Service has guidance on when and how to hire a professional. Law Donut has advice on keeping solicitors\u2019 fees down.

    ", + "

    Contact HMRC to get help with:

    ", + "
  • probate
  • ", + "
  • Inheritance Tax
  • ", + "

    Contact organisations about assets and debts

    ", + "

    To help you value the estate of the person who died, write to organisations to find out about the person\u2019s:

    ", + "
  • assets, for example banks and pension providers
  • ", + "
  • debts, such as utility companies, mortgage lenders and credit card companies
  • ", + "

    In your letter:

    ", + "
  • ask for the value of the asset or debt when the person died
  • ", + "
  • include a copy of the death certificate
  • ", + "

    Which organisations to contact

    ", + "

    Find organisations to contact about the person\u2019s assets and debts by searching through their papers. You can also ask friends, family and any solicitor or accountant they had.

    ", + "

    Organisations that hold a person\u2019s assets often include:

    ", + "
  • their bank
  • ", + "
  • their pension provider - ask if you should include any private pension when you value the estate
  • ", + "
  • their employer - the person may be owed wages
  • ", + "
  • any companies they held shares in - include the number of shares, company details and the share certificate number (if you have it)
  • ", + "
  • National Savings and Investments (NS&I) for Premium Bonds - use the free tracing service if you can\u2019t find certificates
  • ", + "
  • other organisations that hold assets like ISAs, shares, investments or assets in a trust
  • ", + "
  • their landlord, if they had one - the person may have paid rent in advance
  • ", + "

    In your letter to the bank, also ask for:

    ", + "
  • any standing orders and direct debits to be stopped (or transferred if they were in a joint name)
  • ", + "
  • a list of any share certificates or deeds they were holding for the person who died
  • ", + "

    If the person had a mortgage

    ", + "

    Ask the mortgage lender if they require payments to continue while you\u2019re applying for probate. If they do, you need to either:

    ", + "
  • pay these bills yourself - and reclaim them from the estate once you\u2019ve got probate
  • ", + "
  • check if the person had a life assurance or mortgage protection policy that covers these payments
  • ", + "

    Estimate the estate\u2019s value

    ", + "

    You need an estimate of the estate\u2019s value to find out if there\u2019s Inheritance Tax to pay.

    ", + "

    The estate won\u2019t have to pay tax as long as it either:

    ", + "
  • all passes to the dead person\u2019s spouse or civil partner, a charity or a community amateur sports club
  • ", + "
  • has a value below the Inheritance Tax threshold of \u00a3325,000
  • ", + "

    If the person who died was widowed or is giving away their home to their children, the tax threshold can be higher.

    ", + "

    Whether there\u2019s tax to pay will affect how you report the estate\u2019s value, and the deadlines for reporting and paying any tax.

    ", + "

    Working out your estimate

    ", + "

    You need to estimate the \u2018gross\u2019 value of the estate. This is the value of the assets plus \u2018gifts\u2019.

    ", + "

    Gifts are certain assets (for example cash) given away in the 7 years before the person died.

    ", + "

    At this stage, your estimate only needs to be accurate enough for you to know if the estate owes tax.

    ", + "

    Assets

    ", + "

    Start by listing the person\u2019s assets - the things the person owned with a value.

    ", + "

    These may include:

    ", + "
  • assets held by organisations you\u2019ve written to - such as money in the person\u2019s bank account, pension or investments
  • ", + "
  • possessions - for example their house, jewellery, furniture or car
  • ", + "
  • payments when they died - for example life insurance or a lump sum \u2018death benefit\u2019 from a pension
  • ", + "

    Then estimate the value of each on the date the person died. Use the asset\u2019s realistic selling price on the open market.

    ", + "

    Include all assets in your estimate, including any left to the person\u2019s spouse, civil partner or a charity. You won\u2019t pay tax on these assets.

    ", + "

    Valuing joint assets

    ", + "

    Divide the value of the asset by 2 if it was owned jointly with the person\u2019s spouse or civil partner.

    ", + "

    For property or land shared with others, divide the value by the number of owners. You can then take 10% off the share of the person who died. In Scotland, take \u00a34,000 off the value of the whole asset before working out their share instead.

    ", + "

    If the person jointly owned property as a tenant in common, work out the value based on the person\u2019s share.

    ", + "

    Some bank accounts are in joint names for convenience only, for example if an elderly person added their child to help them with the account. When valuing the account, use the amount the person actually owned, rather than dividing by the number of owners.

    ", + "

    Gifts

    ", + "

    Check bank statements or contact family members to find out about gifts of cash or other assets:

    ", + "
  • in the 7 years before the person died if they totalled \u00a33,000 or more per year - don\u2019t include exempt gifts, such as those for birthdays or weddings
  • ", + "
  • at any time if they continued to benefit from a gift (for example they gave a house away but lived in it rent-free) or put a gift in a trust
  • ", + "

    To estimate the value of each gift, use either:

    ", + "
  • the approximate market value (realistic selling price) of the gift when it was made
  • ", + "
  • the realistic selling price of the gift when the deceased stopped benefitting from it (if they benefitted from the gift after giving it away)
  • ", + "

    If the person gave away more than \u00a3325,000 before they died, the recipients may have to pay Inheritance Tax on their gifts.

    ", + "

    Debts

    ", + "

    Don\u2019t include the estate\u2019s debts when you estimate the gross value - but you\u2019ll need to tell HM Revenue and Customs (HMRC) about them when you report the value of the estate.

    ", + "

    Check for records of debts when the person died, for example:

    ", + "
  • their mortgage, loans, credit cards or overdrafts
  • ", + "
  • \u2018liabilities\u2019 like household bills or bills for goods or services they\u2019d received but not yet paid for (like building work, decorators, accountants)
  • ", + "

    Get the gross value of the estate

    ", + "

    Add the assets to any gifts to get the gross value. Ignore the debts at this stage.

    ", + "

    You can now start telling HMRC about the value of the estate.

    ", + "

    Report the estate\u2019s value to HMRC

    ", + "

    When you\u2019ve estimated the value of the estate you can:

    ", + "
  • start reporting the value in detail to HM Revenue and Customs (HMRC) - you\u2019ll find out whether you can report everything online or if you\u2019ll need a paper form
  • ", + "
  • find out if there\u2019s tax to pay and when to pay it
  • ", + "

    Report the estate\u2019s value

    ", + "

    You can also continue a report you\u2019ve already started.

    ", + "

    Before you start

    ", + "

    You need to:

    ", + "
  • have an estimate of the gross value of the estate
  • ", + "
  • have told organisations that the person has died - you\u2019ll need this to give accurate valuations of the person\u2019s assets or debts
  • ", + "

    As part of telling HMRC about the estate, you work out its detailed \u2018net\u2019 value - this is assets plus gifts minus debts. You\u2019ll need to know the net value if you need to apply for probate.

    ", + "

    Getting more accurate valuations

    ", + "

    When telling HMRC about Inheritance Tax, you\u2019ll usually need more accurate valuations of the estate. This includes using a professional valuer for things over \u00a31,500.

    ", + "

    You can continue using estimates if one of the following applies:

    ", + "
  • the estate\u2019s gross value is less than \u00a3250,000
  • ", + "
  • all the estate passes to the dead person\u2019s spouse or civil partner, a charity or organisations like museums or community amateur sports clubs
  • ", + "

    If you need help

    ", + "

    Contact HMRC to get help with:

    ", + "
  • probate
  • ", + "
  • Inheritance Tax
  • ", + "

    Records

    ", + "

    You must keep certain records after you value an estate.

    ", + "

    HM Revenue and Customs (HMRC) can ask to see your records up to 20 years after Inheritance Tax is paid.

    ", + "

    You must keep copies of any:

    ", + "
  • will
  • ", + "
  • copies of signed Inheritance Tax forms and supporting documents
  • ", + "
  • records showing how you worked out the value of assets in the estate, for example an estate agent\u2019s valuation
  • ", + "
  • documents showing any unused Inheritance Tax threshold that can be transferred to a surviving spouse or civil partner
  • ", + "
  • final accounts
  • ", + "

    Final accounts

    ", + "

    Include any documents showing how you distributed money, property or personal belongings from the estate, for example:

    ", + "
  • letters from HMRC confirming that you paid Inheritance Tax
  • ", + "
  • receipts showing debts paid, for example utilities bills
  • ", + "
  • receipts for your expenses from dealing with the estate
  • ", + "
  • written confirmation that \u2018beneficiaries\u2019 (anyone who inherited) received their share of the estate
  • ", + "

    Send copies of the final accounts to all beneficiaries.

    " + ] + }, + "https://www.gov.uk/unclaimed-estates-bona-vacantia": { + "url": "https://www.gov.uk/unclaimed-estates-bona-vacantia", + "title": "Claim or refer an unclaimed estate", + "content": "## Overview\n\nWhen someone dies with no will or known family, their property passes to the Crown as ownerless property (or \u2018bona vacantia\u2019). It can be any kind of property, like buildings, money or personal possessions.\n\nYou could be entitled to a share of a deceased relative\u2019s property (\u2018estate\u2019) if you\u2019re a relative.\n\n## How to claim\n\n- Check if the estate is listed with the Crown.\n\n- Make sure you\u2019re an entitled relative.\n\n- Make a claim on the estate.\n\nIf an estate is not listed, you can tell the Crown about an estate you think is unclaimed.\n\n## If you\u2019re not a relative\n\nYou can apply for a grant from the estate if you think you may be entitled to a share of a deceased person\u2019s estate (for example if you lived together or you cared for them).\n\n## Who to contact\n\nThe Government Legal Department handles bona vacantia in England and Wales (except in the Duchies of Cornwall and Lancaster).\n\nThere\u2019s a list of unclaimed estates published by the Government Legal Department.\n\n## Adverts and claims\n\nThe Government Legal Department advertises to find entitled relatives. If you reply to an advert, you have to prove your relationship with the deceased, for example with a birth, marriage or death certificate.\n\n## Other bodies that represent the Crown\n\nElsewhere, bona vacantia is dealt with by:\n\n- in the Duchies of Cornwall and Lancaster - Farrer and Co\n\n- in Scotland - The Queen\u2019s and Lord Treasurer\u2019s Remembrancer\n\n- in Northern Ireland - phone the Crown Solicitor\u2019s Office for Northern Ireland\n\n## Check if you're an entitled relative\n\nYou need to know if you\u2019re entitled before making a claim on an estate. The general rules are:\n\n- if there\u2019s no will, the person\u2019s spouse or civil partner and then any children have first claim to the estate\n\n- if there\u2019s no spouse or child, anyone descended from a grandparent of the person is entitled to a share in the estate\n\n- if you\u2019re related by marriage you have no entitlement\n\nFind out if you\u2019re entitled to a share of the estate.\n\n## Adopted people\n\nIf you\u2019re adopted:\n\n- you have the same rights as if you\u2019d been born into your adoptive family\n\n- you have no rights to an estate of your original birth family\n\nOnly the adoptive family have rights to the estate if the deceased person was adopted.\n\n## Make a claim on an estate\n\nIf you think you\u2019re entitled to an estate in England and Wales (but not Cornwall or Lancashire):\n\n- Find the estate.\n\n- Make sure you\u2019re an entitled relative.\n\n- Make a claim on the estate.\n\n## In the Duchies of Cornwall and Lancaster, Scotland or Northern Ireland\n\nContact the relevant body representing the Crown.\n\n## Evidence you need\n\nYou\u2019ll be asked to send a family tree showing your relationship and 2 pieces of identification:\n\n- one showing your name\n\n- one showing your name and address, dated within the last 3 months\n\nYou might also be asked to send birth, death or marriage certificates.\n\n## Refer an estate\n\nIf you know someone who has died with no will or known blood relatives, you can tell one of the bodies representing the Crown about their estate.\n\nYou should only refer an estate if:\n\n- the person didn\u2019t leave a will\n\n- there are no blood relatives\n\n- the person left more funds than debt \u2013 otherwise the estate is \u2018insolvent\u2019\n\n## How to refer an estate\n\nIn England and Wales (except the Duchies of Cornwall or Lancaster), you can download the forms to refer the estate.\n\nThe Government Legal Department only handles estates worth \u00a3500 or more.\n\nIn Scotland, Northern Ireland or the Duchies of Cornwall or Lancaster contact the relevant body representing the Crown.\n\n## Grants from a deceased person's estate\n\nYou can apply for a grant from a deceased person\u2019s estate if you could have expected to benefit from it. This could be where you:\n\n- provided the person with free services like washing, cleaning, cooking, shopping, home repairs or care where they might otherwise have had to pay\n\n- lived together with the person (as their partner or as a friend) but were not married\n\n- represent a charity or other body that cared for the person at considerable expense\n\nYou don\u2019t have to be related to the person to apply.\n\n## How to apply\n\nIn England and Wales (but not Cornwall or Lancashire) apply to the Government Legal Department.\n\nContact the Government Legal Department stating that you\u2019re claiming a \u2018discretionary grant\u2019, including as much supporting information as possible.\n\nIn Cornwall, Lancashire, Scotland or Northern Ireland, apply to the relevant body representing the Crown.", + "original_contents": [ + "

    Overview

    ", + "

    When someone dies with no will or known family, their property passes to the Crown as ownerless property (or \u2018bona vacantia\u2019). It can be any kind of property, like buildings, money or personal possessions.

    ", + "

    You could be entitled to a share of a deceased relative\u2019s property (\u2018estate\u2019) if you\u2019re a relative.

    ", + "

    How to claim

    ", + "
  • Check if the estate is listed with the Crown.
  • ", + "
  • Make sure you\u2019re an entitled relative.
  • ", + "
  • Make a claim on the estate.
  • ", + "

    If an estate is not listed, you can tell the Crown about an estate you think is unclaimed.

    ", + "

    If you\u2019re not a relative

    ", + "

    You can apply for a grant from the estate if you think you may be entitled to a share of a deceased person\u2019s estate (for example if you lived together or you cared for them).

    ", + "

    Who to contact

    ", + "

    The Government Legal Department handles bona vacantia in England and Wales (except in the Duchies of Cornwall and Lancaster).

    ", + "

    There\u2019s a list of unclaimed estates published by the Government Legal Department.

    ", + "

    Adverts and claims

    ", + "

    The Government Legal Department advertises to find entitled relatives. If you reply to an advert, you have to prove your relationship with the deceased, for example with a birth, marriage or death certificate.

    ", + "

    Other bodies that represent the Crown

    ", + "

    Elsewhere, bona vacantia is dealt with by:

    ", + "
  • in the Duchies of Cornwall and Lancaster - Farrer and Co
  • ", + "
  • in Scotland - The Queen\u2019s and Lord Treasurer\u2019s Remembrancer
  • ", + "
  • in Northern Ireland - phone the Crown Solicitor\u2019s Office for Northern Ireland
  • ", + "

    Check if you're an entitled relative

    ", + "

    You need to know if you\u2019re entitled before making a claim on an estate. The general rules are:

    ", + "
  • if there\u2019s no will, the person\u2019s spouse or civil partner and then any children have first claim to the estate
  • ", + "
  • if there\u2019s no spouse or child, anyone descended from a grandparent of the person is entitled to a share in the estate
  • ", + "
  • if you\u2019re related by marriage you have no entitlement
  • ", + "

    Find out if you\u2019re entitled to a share of the estate.

    ", + "

    Adopted people

    ", + "

    If you\u2019re adopted:

    ", + "
  • you have the same rights as if you\u2019d been born into your adoptive family
  • ", + "
  • you have no rights to an estate of your original birth family
  • ", + "

    Only the adoptive family have rights to the estate if the deceased person was adopted.

    ", + "

    Make a claim on an estate

    ", + "

    If you think you\u2019re entitled to an estate in England and Wales (but not Cornwall or Lancashire):

    ", + "
  • Find the estate.
  • ", + "
  • Make sure you\u2019re an entitled relative.
  • ", + "
  • Make a claim on the estate.
  • ", + "

    In the Duchies of Cornwall and Lancaster, Scotland or Northern Ireland

    ", + "

    Contact the relevant body representing the Crown.

    ", + "

    Evidence you need

    ", + "

    You\u2019ll be asked to send a family tree showing your relationship and 2 pieces of identification:

    ", + "
  • one showing your name
  • ", + "
  • one showing your name and address, dated within the last 3 months
  • ", + "

    You might also be asked to send birth, death or marriage certificates.

    ", + "

    Refer an estate

    ", + "

    If you know someone who has died with no will or known blood relatives, you can tell one of the bodies representing the Crown about their estate.

    ", + "

    You should only refer an estate if:

    ", + "
  • the person didn\u2019t leave a will
  • ", + "
  • there are no blood relatives
  • ", + "
  • the person left more funds than debt \u2013 otherwise the estate is \u2018insolvent\u2019
  • ", + "

    How to refer an estate

    ", + "

    In England and Wales (except the Duchies of Cornwall or Lancaster), you can download the forms to refer the estate.

    ", + "

    The Government Legal Department only handles estates worth \u00a3500 or more.

    ", + "

    In Scotland, Northern Ireland or the Duchies of Cornwall or Lancaster contact the relevant body representing the Crown.

    ", + "

    Grants from a deceased person's estate

    ", + "

    You can apply for a grant from a deceased person\u2019s estate if you could have expected to benefit from it. This could be where you:

    ", + "
  • provided the person with free services like washing, cleaning, cooking, shopping, home repairs or care where they might otherwise have had to pay
  • ", + "
  • lived together with the person (as their partner or as a friend) but were not married
  • ", + "
  • represent a charity or other body that cared for the person at considerable expense
  • ", + "

    You don\u2019t have to be related to the person to apply.

    ", + "

    How to apply

    ", + "

    In England and Wales (but not Cornwall or Lancashire) apply to the Government Legal Department.

    ", + "

    Contact the Government Legal Department stating that you\u2019re claiming a \u2018discretionary grant\u2019, including as much supporting information as possible.

    ", + "

    In Cornwall, Lancashire, Scotland or Northern Ireland, apply to the relevant body representing the Crown.

    " + ] + }, + "https://www.gov.uk/make-will": { + "url": "https://www.gov.uk/make-will", + "title": "Making a will", + "content": "## Overview\n\nYour will lets you decide what happens to your money, property and possessions after your death.\n\nIf you make a will you can also make sure you do not pay more Inheritance Tax than you need to.\n\nYou can write your will yourself, but you should get advice if your will is not straightforward.\n\nYou need to get your will formally witnessed and signed to make it legally valid.\n\nIf you want to update your will, you need to make an official alteration (called a \u2018codicil\u2019) or make a new will.\n\nIf you die without a will, the law decides who gets what.\n\n## Write your will\n\nYour will should set out:\n\n- who you want to benefit from your will\n\n- who should look after any children under 18\n\n- who is going to sort out your estate and carry out your wishes after your death (your executor)\n\n- what happens if the people you want to benefit die before you\n\nYou can also include a charity in your will.\n\n## When you need legal advice\n\nYou can get advice from a professional if your will is not straightforward, for example:\n\n- you share a property with someone who is not your husband, wife or civil partner\n\n- you want to leave money or property to a dependant who cannot care for themselves\n\n- you have several family members who may make a claim on your will, such as a second spouse or children from another marriage\n\n- your permanent home is outside the UK\n\n- you have property overseas\n\n- you have a business\n\n## Keep your will safe\n\nYou can keep your will at your home or store it with:\n\n- your solicitor\n\n- your bank\n\n- a company that offers the storage of wills - you can search online\n\n- the London Probate Service\n\nRead full guidance on storing your will with the Probate\nService.\n\nYou should tell your executor (the person you\u2019ve chosen to carry out your will), a close friend or relative where your will is.\n\n## Make sure your will is legal\n\nFor your will to be legally valid, you must:\n\n- be 18 or over\n\n- make it voluntarily\n\n- be of sound mind\n\n- make it in writing\n\n- sign it in the presence of 2 witnesses who are both over 18\n\n- have it signed by your 2 witnesses, in your presence\n\nSigning can be witnessed both in person and remotely (for example by video conferencing). In both cases:\n\n- you must have a clear view of the person and the act of signing\n\n- the will maker (or person authorised to sign on their behalf) and witnesses must sign the same document\n\nYou can only sign remotely in England or Wales.\n\nIf you make any changes to your will you must follow the same signing and witnessing process.\n\nYou cannot leave your witnesses (or their married partners) anything in your will.\n\n## Update your will\n\nYou should review your will every 5 years and after any major change in your life, for example:\n\n- getting separated or divorced\n\n- getting married (this cancels any will you made before)\n\n- having a child\n\n- moving house\n\n- if the executor named in the will dies\n\n## Making changes to your will\n\nYou cannot amend your will after it\u2019s been signed and witnessed. The only way you can change a will is by making an official alteration called a codicil.\n\nYou must sign a codicil and get it witnessed in the same way as witnessing a will.\n\nThere\u2019s no limit on how many codicils you can add to a will.\n\n## Making a new will\n\nFor major changes you should make a new will.\n\nYour new will should explain that it revokes (officially cancels) all previous wills and codicils. You should destroy your old will by burning it or tearing it up.", + "original_contents": [ + "

    Overview

    ", + "

    Your will lets you decide what happens to your money, property and possessions after your death.

    ", + "

    If you make a will you can also make sure you do not pay more Inheritance Tax than you need to.

    ", + "

    You can write your will yourself, but you should get advice if your will is not straightforward.

    ", + "

    You need to get your will formally witnessed and signed to make it legally valid.

    ", + "

    If you want to update your will, you need to make an official alteration (called a \u2018codicil\u2019) or make a new will.

    ", + "

    If you die without a will, the law decides who gets what.

    ", + "

    Write your will

    ", + "

    Your will should set out:

    ", + "
  • who you want to benefit from your will
  • ", + "
  • who should look after any children under 18
  • ", + "
  • who is going to sort out your estate and carry out your wishes after your death (your executor)
  • ", + "
  • what happens if the people you want to benefit die before you
  • ", + "

    You can also include a charity in your will.

    ", + "

    When you need legal advice

    ", + "

    You can get advice from a professional if your will is not straightforward, for example:

    ", + "
  • you share a property with someone who is not your husband, wife or civil partner
  • ", + "
  • you want to leave money or property to a dependant who cannot care for themselves
  • ", + "
  • you have several family members who may make a claim on your will, such as a second spouse or children from another marriage
  • ", + "
  • your permanent home is outside the UK
  • ", + "
  • you have property overseas
  • ", + "
  • you have a business
  • ", + "

    Keep your will safe

    ", + "

    You can keep your will at your home or store it with:

    ", + "
  • your solicitor
  • ", + "
  • your bank
  • ", + "
  • a company that offers the storage of wills - you can search online
  • ", + "
  • the London Probate Service
  • ", + "

    Read full guidance on storing your will with the Probate\nService.

    ", + "

    You should tell your executor (the person you\u2019ve chosen to carry out your will), a close friend or relative where your will is.

    ", + "

    Make sure your will is legal

    ", + "

    For your will to be legally valid, you must:

    ", + "
  • be 18 or over
  • ", + "
  • make it voluntarily
  • ", + "
  • be of sound mind
  • ", + "
  • make it in writing
  • ", + "
  • sign it in the presence of 2 witnesses who are both over 18
  • ", + "
  • have it signed by your 2 witnesses, in your presence
  • ", + "

    Signing can be witnessed both in person and remotely (for example by video conferencing). In both cases:

    ", + "
  • you must have a clear view of the person and the act of signing
  • ", + "
  • the will maker (or person authorised to sign on their behalf) and witnesses must sign the same document
  • ", + "

    You can only sign remotely in England or Wales.

    ", + "

    If you make any changes to your will you must follow the same signing and witnessing process.

    ", + "

    You cannot leave your witnesses (or their married partners) anything in your will.

    ", + "

    Update your will

    ", + "

    You should review your will every 5 years and after any major change in your life, for example:

    ", + "
  • getting separated or divorced
  • ", + "
  • getting married (this cancels any will you made before)
  • ", + "
  • having a child
  • ", + "
  • moving house
  • ", + "
  • if the executor named in the will dies
  • ", + "

    Making changes to your will

    ", + "

    You cannot amend your will after it\u2019s been signed and witnessed. The only way you can change a will is by making an official alteration called a codicil.

    ", + "

    You must sign a codicil and get it witnessed in the same way as witnessing a will.

    ", + "

    There\u2019s no limit on how many codicils you can add to a will.

    ", + "

    Making a new will

    ", + "

    For major changes you should make a new will.

    ", + "

    Your new will should explain that it revokes (officially cancels) all previous wills and codicils. You should destroy your old will by burning it or tearing it up.

    " + ] + }, + "https://www.gov.uk/apply-statutory-will": { + "url": "https://www.gov.uk/apply-statutory-will", + "title": "Make a statutory will on behalf of someone else", + "content": "## Overview\n\nApply to the Court of Protection if you want to make (or change) a will on behalf of someone who cannot do it themselves.\n\nThis may be because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\nYou can apply when the person is not able to understand:\n\n- what making or changing a will means\n\n- how much money they have or what property they own\n\n- how making or changing a will might affect the people they know (either those mentioned in the will or those left out)\n\nSomeone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.\n\n## How to apply\n\n- Download, fill in and return the forms with details of the proposed will and supporting documents.\n\n- Tell other people that you\u2019ve applied.\n\n- Attend a hearing if the Court of Protection decides to hold one.\n\n- Sign the will, have it witnessed and send it to the Court of Protection to have it \u2018sealed\u2019.\n\n## Emergency applications\n\nYou can apply to the Court of Protection for an emergency decision on a statutory will if the person you\u2019re applying for only has a short time to live.\n\n## Get legal advice\n\nYou can get legal advice from:\n\n- a solicitor - you\u2019ll have to pay for this\n\n- organisations which give advice for free, for example Citizens Advice Bureau\n\n## How to apply\n\nDownload and fill in the following forms to apply to make a will on behalf of someone, or to make changes to their existing will:\n\n- application form (COP1)\n\n- witness statement (COP24)\n\n- information form (COP1C)\n\nYou\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.\n\nDownload and fill in assessment of capacity form (COP3) - you\u2019ll need to get the person\u2019s doctor or other medical professional to fill in the relevant parts.\n\nSend the completed forms, your supporting documents and payment to the Court of Protection.\n\n## Supporting documents\n\nYou\u2019ll need to include the following information and documents:\n\n- a copy of the person\u2019s current will and any amendments (\u2018codicils\u2019)\n\n- a copy of the proposed new will or codicil\n\n- a copy of any deputyship order\n\n- details of the people who have agreed to deal with the will after the person\u2019s death (\u2018executors\u2019)\n\n- a copy of any registered lasting power of attorney or registered enduring power of attorney\n\n- the person\u2019s family tree\n\n- reasons the person might be expected to provide for people named in the will (\u2018beneficiaries\u2019)\n\n- the person\u2019s address and details about where they\u2019re living, for example care home, hospital\n\nYou must also provide:\n\n- details of the person\u2019s estate and assets\n\n- accounts showing their estimated income and outgoings\n\n- details of any inheritance tax payable in the event of the person\u2019s death\n\n## Acting in the other person\u2019s best interest\n\nDecisions taken on someone\u2019s behalf must always be in their best interest. You must consider:\n\n- what they would do if they were able to make a will themselves\n\n- their beliefs and personal values\n\n- how they\u2019ve acted and made decisions for themselves in the past\n\nRead the Court of Protection practice direction (9E) for more information and an example of a statutory will.\n\n## Fees\n\nAn application for a statutory will costs \u00a3365.\n\nYou may also have to pay:\n\n- \u00a3485 if the court decides to hold a hearing (including telephone hearings)\n\n- solicitor\u2019s fees if a solicitor is appointed by the Official Solicitor to act as the person\u2019s litigation friend\n\n- Counsel\u2019s fees (if there are any)\n\n## How to pay\n\nSend a cheque for \u00a3365 made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms and supporting documents.\n\nYou\u2019ll be told when you need to pay any additional costs, for example for court hearings.\n\nYou may be able to claim back any fees you pay from the estate of the person you\u2019re applying for.\n\n## Exemptions and refunds\n\nYou may not have to pay an application or hearing fee, depending on the circumstances of the person you\u2019re applying for, for example they:\n\n- have low (or no) income\n\n- are on certain types of benefit\n\nDownload and fill in the application for a fee remission form and send it the Court of Protection with your application forms. The form contains guidance about exemptions.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving your application.\n\n## After you apply\n\nThe Court of Protection will send you a letter to confirm that your application has been received.\n\nYou\u2019ll also get a stamped copy of your application form and a \u2018directions order\u2019 from the court telling you what to do next.\n\n## The Official Solicitor\n\nThe directions order might tell you to write to the Official Solicitor to tell them about your application. The Official Solicitor makes sure that people who cannot make decisions for themselves have someone to represent them in court cases.\n\n## Tell people named in your application\n\nYour directions order will say who you must tell (\u2018serve\u2019) about your application. This could include the person who the application is about and:\n\n- anyone named in an existing will who would be affected financially, for example they are not a beneficiary in the new will\n\n- anyone who would be expected to benefit if the person were to die without a will (\u2018intestate\u2019), for example family members\n\n- any other people named on your application\n\n- the Official Solicitor\n\nYou must serve both of the following documents within 14 days of the application being issued:\n\n- notice that an application form has been issued (COP15)\n\n- acknowledgment of service form (COP5) so they can confirm they\u2019ve been told about the application and register any objection\n\nYou can serve them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\nYou\u2019ll be given time to reach a decision with the people you\u2019ve served. The Court of Protection may hold a hearing if you cannot.\n\n## Getting a decision\n\nThe Court of Protection will tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you have to provide more information, for example further medical reports\n\n- there\u2019ll be a hearing to get more information\n\n## Court hearings\n\nThe Court of Protection will hold a hearing, or hearings, if you have not been able to reach a decision with the people you\u2019ve served.\n\nYou can also get a solicitor to represent you during the hearing.\n\nRead the guidance on what to expect from a Court of Protection hearing.\n\nYou\u2019ll have to pay a hearing fee after the court makes their final decision.\n\n## Appeal a decision\n\nYou can ask for a decision that was made without a hearing to be reconsidered any time within 21 days of the decision being made.\n\nTo appeal a decision made at a court hearing download and fill in the Appellants Notice Form COP 35.\n\nYou must pay \u00a3320. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nSend the form to the Court of Protection with a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 within 21 days of the date the decision was made.\n\n## Finalising the will\n\nYou\u2019ll be sent a court order confirming that your application has been accepted with a letter telling you what to do next.\n\n## Sign the will\n\nYou must sign 2 copies of the will. Both copies should be signed in your name and in the name of the person the will has been made for. You must also get 2 witnesses (aged 18 or over) to sign them.\n\nThe witnesses must:\n\n- be with you when you sign the will\n\n- sign the will straight after you\n\nSend the 2 signed copies of the statutory will to the Court of Protection.\n\nThe 2 copies will be given the court\u2019s official seal and sent back to you.\n\n## When the person dies\n\nThe statutory will can be handled (\u2018executed\u2019) in the normal way, as if the person had made the will themselves.", + "original_contents": [ + "

    Overview

    ", + "

    Apply to the Court of Protection if you want to make (or change) a will on behalf of someone who cannot do it themselves.

    ", + "

    This may be because, for example:

    ", + "
  • they\u2019ve had a serious brain injury or illness
  • ", + "
  • they have dementia
  • ", + "

    You can apply when the person is not able to understand:

    ", + "
  • what making or changing a will means
  • ", + "
  • how much money they have or what property they own
  • ", + "
  • how making or changing a will might affect the people they know (either those mentioned in the will or those left out)
  • ", + "

    Someone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.

    ", + "

    How to apply

    ", + "
  • Download, fill in and return the forms with details of the proposed will and supporting documents.
  • ", + "
  • Tell other people that you\u2019ve applied.
  • ", + "
  • Attend a hearing if the Court of Protection decides to hold one.
  • ", + "
  • Sign the will, have it witnessed and send it to the Court of Protection to have it \u2018sealed\u2019.
  • ", + "

    Emergency applications

    ", + "

    You can apply to the Court of Protection for an emergency decision on a statutory will if the person you\u2019re applying for only has a short time to live.

    ", + "

    Get legal advice

    ", + "

    You can get legal advice from:

    ", + "
  • a solicitor - you\u2019ll have to pay for this
  • ", + "
  • organisations which give advice for free, for example Citizens Advice Bureau
  • ", + "

    How to apply

    ", + "

    Download and fill in the following forms to apply to make a will on behalf of someone, or to make changes to their existing will:

    ", + "
  • application form (COP1)
  • ", + "
  • witness statement (COP24)
  • ", + "
  • information form (COP1C)
  • ", + "

    You\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.

    ", + "

    Download and fill in assessment of capacity form (COP3) - you\u2019ll need to get the person\u2019s doctor or other medical professional to fill in the relevant parts.

    ", + "

    Send the completed forms, your supporting documents and payment to the Court of Protection.

    ", + "

    Supporting documents

    ", + "

    You\u2019ll need to include the following information and documents:

    ", + "
  • a copy of the person\u2019s current will and any amendments (\u2018codicils\u2019)
  • ", + "
  • a copy of the proposed new will or codicil
  • ", + "
  • a copy of any deputyship order
  • ", + "
  • details of the people who have agreed to deal with the will after the person\u2019s death (\u2018executors\u2019)
  • ", + "
  • a copy of any registered lasting power of attorney or registered enduring power of attorney
  • ", + "
  • the person\u2019s family tree
  • ", + "
  • reasons the person might be expected to provide for people named in the will (\u2018beneficiaries\u2019)
  • ", + "
  • the person\u2019s address and details about where they\u2019re living, for example care home, hospital
  • ", + "

    You must also provide:

    ", + "
  • details of the person\u2019s estate and assets
  • ", + "
  • accounts showing their estimated income and outgoings
  • ", + "
  • details of any inheritance tax payable in the event of the person\u2019s death
  • ", + "

    Acting in the other person\u2019s best interest

    ", + "

    Decisions taken on someone\u2019s behalf must always be in their best interest. You must consider:

    ", + "
  • what they would do if they were able to make a will themselves
  • ", + "
  • their beliefs and personal values
  • ", + "
  • how they\u2019ve acted and made decisions for themselves in the past
  • ", + "

    Read the Court of Protection practice direction (9E) for more information and an example of a statutory will.

    ", + "

    Fees

    ", + "

    An application for a statutory will costs \u00a3365.

    ", + "

    You may also have to pay:

    ", + "
  • \u00a3485 if the court decides to hold a hearing (including telephone hearings)
  • ", + "
  • solicitor\u2019s fees if a solicitor is appointed by the Official Solicitor to act as the person\u2019s litigation friend
  • ", + "
  • Counsel\u2019s fees (if there are any)
  • ", + "

    How to pay

    ", + "

    Send a cheque for \u00a3365 made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms and supporting documents.

    ", + "

    You\u2019ll be told when you need to pay any additional costs, for example for court hearings.

    ", + "

    You may be able to claim back any fees you pay from the estate of the person you\u2019re applying for.

    ", + "

    Exemptions and refunds

    ", + "

    You may not have to pay an application or hearing fee, depending on the circumstances of the person you\u2019re applying for, for example they:

    ", + "
  • have low (or no) income
  • ", + "
  • are on certain types of benefit
  • ", + "

    Download and fill in the application for a fee remission form and send it the Court of Protection with your application forms. The form contains guidance about exemptions.

    ", + "

    The fee will be refunded if the person dies within 5 days of the Court of Protection receiving your application.

    ", + "

    After you apply

    ", + "

    The Court of Protection will send you a letter to confirm that your application has been received.

    ", + "

    You\u2019ll also get a stamped copy of your application form and a \u2018directions order\u2019 from the court telling you what to do next.

    ", + "

    The Official Solicitor

    ", + "

    The directions order might tell you to write to the Official Solicitor to tell them about your application. The Official Solicitor makes sure that people who cannot make decisions for themselves have someone to represent them in court cases.

    ", + "

    Tell people named in your application

    ", + "

    Your directions order will say who you must tell (\u2018serve\u2019) about your application. This could include the person who the application is about and:

    ", + "
  • anyone named in an existing will who would be affected financially, for example they are not a beneficiary in the new will
  • ", + "
  • anyone who would be expected to benefit if the person were to die without a will (\u2018intestate\u2019), for example family members
  • ", + "
  • any other people named on your application
  • ", + "
  • the Official Solicitor
  • ", + "

    You must serve both of the following documents within 14 days of the application being issued:

    ", + "
  • notice that an application form has been issued (COP15)
  • ", + "
  • acknowledgment of service form (COP5) so they can confirm they\u2019ve been told about the application and register any objection
  • ", + "

    You can serve them:

    ", + "
  • by post to their home address
  • ", + "
  • by fax or email
  • ", + "
  • in person
  • ", + "

    You\u2019ll be given time to reach a decision with the people you\u2019ve served. The Court of Protection may hold a hearing if you cannot.

    ", + "

    Getting a decision

    ", + "

    The Court of Protection will tell you if:

    ", + "
  • your application\u2019s been approved or rejected
  • ", + "
  • you have to provide more information, for example further medical reports
  • ", + "
  • there\u2019ll be a hearing to get more information
  • ", + "

    Court hearings

    ", + "

    The Court of Protection will hold a hearing, or hearings, if you have not been able to reach a decision with the people you\u2019ve served.

    ", + "

    You can also get a solicitor to represent you during the hearing.

    ", + "

    Read the guidance on what to expect from a Court of Protection hearing.

    ", + "

    You\u2019ll have to pay a hearing fee after the court makes their final decision.

    ", + "

    Appeal a decision

    ", + "

    You can ask for a decision that was made without a hearing to be reconsidered any time within 21 days of the decision being made.

    ", + "

    To appeal a decision made at a court hearing download and fill in the Appellants Notice Form COP 35.

    ", + "

    You must pay \u00a3320. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    Send the form to the Court of Protection with a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 within 21 days of the date the decision was made.

    ", + "

    Finalising the will

    ", + "

    You\u2019ll be sent a court order confirming that your application has been accepted with a letter telling you what to do next.

    ", + "

    Sign the will

    ", + "

    You must sign 2 copies of the will. Both copies should be signed in your name and in the name of the person the will has been made for. You must also get 2 witnesses (aged 18 or over) to sign them.

    ", + "

    The witnesses must:

    ", + "
  • be with you when you sign the will
  • ", + "
  • sign the will straight after you
  • ", + "

    Send the 2 signed copies of the statutory will to the Court of Protection.

    ", + "

    The 2 copies will be given the court\u2019s official seal and sent back to you.

    ", + "

    When the person dies

    ", + "

    The statutory will can be handled (\u2018executed\u2019) in the normal way, as if the person had made the will themselves.

    " + ] + }, + "https://www.gov.uk/inheritance-tax": { + "url": "https://www.gov.uk/inheritance-tax", + "title": "Inheritance Tax", + "content": "## Overview\n\nInheritance Tax is a tax on the estate (the property, money and possessions) of someone who\u2019s died.\n\nThere\u2019s normally no Inheritance Tax to pay if either:\n\n- the value of your estate is below the \u00a3325,000 threshold\n\n- you leave everything above the \u00a3325,000 threshold to your spouse, civil partner, a charity or a community amateur sports club\n\nIf the estate\u2019s value is below the threshold you\u2019ll still need to report it to HMRC.\n\nIf you give away your home to your children (including adopted, foster or stepchildren) or grandchildren your threshold can increase to \u00a3500,000.\n\nIf you\u2019re married or in a civil partnership and your estate is worth less than your threshold, any unused threshold can be added to your partner\u2019s threshold when you die. This means their threshold can be as much as \u00a31 million.\n\n## Inheritance Tax rates\n\nThe standard Inheritance Tax rate is 40%. It\u2019s only charged on the part of your estate that\u2019s above the threshold.\n\nThe estate can pay Inheritance Tax at a reduced rate of 36% on some assets if you leave 10% or more of the \u2018net value\u2019 to charity in your will.\n\n## Reliefs and exemptions\n\nSome gifts you give while you\u2019re alive may be taxed after your death. Depending on when you gave the gift, \u2018taper relief\u2019 might mean the Inheritance Tax charged on the gift is less than 40%.\n\nOther reliefs, such as Business Relief, allow some assets to be passed on free of Inheritance Tax or with a reduced bill.\n\nContact the Inheritance Tax and probate helpline about Agricultural Relief if your estate includes a farm or woodland.\n\n## Who pays the tax to HMRC\n\nFunds from your estate are used to pay Inheritance Tax to HM Revenue and Customs (HMRC). This is done by the person dealing with the estate (called the \u2018executor\u2019, if there\u2019s a will).\n\nYour beneficiaries (the people who inherit your estate) do not normally pay tax on things they inherit. They may have related taxes to pay, for example if they get rental income from a house left to them in a will.\n\nPeople you give gifts to might have to pay Inheritance Tax, but only if you give away more than \u00a3325,000 and die within 7 years.\n\n## Passing on a home\n\nYou can pass a home to your husband, wife or civil partner when you die. There\u2019s no Inheritance Tax to pay if you do this.\n\nIf you leave the home to another person in your will, it counts towards the value of the estate.\n\nIf you own your home (or a share in it) your tax-free threshold can increase to \u00a3500,000 if:\n\n- you leave it to your children (including adopted, foster or stepchildren) or grandchildren\n\n- your estate is worth less than \u00a32 million\n\n## Giving away a home before you die\n\nThere\u2019s normally no Inheritance Tax to pay if you move out and live for another 7 years.\n\nIf you want to continue living in your property after giving it away, you\u2019ll need to:\n\n- pay rent to the new owner at the going rate (for similar local rental properties)\n\n- pay your share of the bills\n\n- live there for at least 7 years\n\nYou do not have to pay rent to the new owners if both the following apply:\n\n- you only give away part of your property\n\n- the new owners also live at the property\n\n## If you die within 7 years\n\nIf you die within 7 years of giving away all or part of your property, your home will be treated as a gift and the 7 year rule applies.\n\nCall the Inheritance Tax and probate helpline if you have questions about giving away a home. They cannot give you advice on how to pay less tax.\n\n## Gifts\n\nThere\u2019s usually no Inheritance Tax to pay on small gifts you make out of your normal income, such as Christmas or birthday presents. These are known as \u2018exempted gifts\u2019.\n\nThere\u2019s also no Inheritance Tax to pay on gifts between spouses or civil partners. You can give them as much as you like during your lifetime, as long as they live in the UK permanently.\n\nOther gifts count towards the value of your estate.\n\nPeople you give gifts to will be charged Inheritance Tax if you give away more than \u00a3325,000 in the 7 years before your death.\n\n## What counts as a gift\n\nA gift can be:\n\n- anything that has a value, such as money, property, possessions\n\n- a loss in value when something\u2019s transferred, for example if you sell your house to your child for less than it\u2019s worth, the difference in value counts as a gift\n\nCall the Inheritance Tax and probate helpline if you\u2019re not sure.\n\n## Exempted gifts\n\nYou can give away \u00a33,000 worth of gifts each tax year (6 April to 5 April) without them being added to the value of your estate. This is known as your \u2018annual exemption\u2019.\n\nYou can carry any unused annual exemption forward to the next year - but only for one year.\n\nEach tax year, you can also give away:\n\n- wedding or civil ceremony gifts of up to \u00a31,000 per person (\u00a32,500 for a grandchild or great-grandchild, \u00a35,000 for a child)\n\n- normal gifts out of your income, for example Christmas or birthday presents - you must be able to maintain your standard of living after making the gift\n\n- payments to help with another person\u2019s living costs, such as an elderly relative or a child under 18\n\n- gifts to charities and political parties\n\nYou can use more than one of these exemptions on the same person - for example, you could give your grandchild gifts for her birthday and wedding in the same tax year.\n\n## Small gifts up to \u00a3250\n\nYou can give as many gifts of up to \u00a3250 per person as you want during the tax year as long as you have not used another exemption on the same person.\n\n## The 7 year rule\n\nIf there\u2019s Inheritance Tax to pay, it\u2019s charged at 40% on gifts given in the 3 years before you die.\n\nGifts made 3 to 7 years before your death are taxed on a sliding scale known as \u2018taper relief\u2019.\n\n| Years between gift and death | Tax paid |\n\n| less than 3 | 40% |\n\n| 3 to 4 | 32% |\n\n| 4 to 5 | 24% |\n\n| 5 to 6 | 16% |\n\n| 6 to 7 | 8% |\n\n| 7 or more | 0% |\n\nGifts are not counted towards the value of your estate after 7 years.\n\n## When someone living outside the UK dies\n\nIf your permanent home (\u2018domicile\u2019) is abroad, Inheritance Tax is only paid on your UK assets, for example property or bank accounts you have in the UK.\n\nIt\u2019s not paid on \u2018excluded assets\u2019 like:\n\n- foreign currency accounts with a bank or the Post Office\n\n- overseas pensions\n\n- holdings in authorised unit trusts and open-ended investment companies\n\nThere are different rules if you have assets in a trust or government gilts, or you\u2019re a member of visiting armed forces.\n\nContact the Inheritance Tax and probate helpline if you\u2019re not sure whether your assets are excluded.\n\n## When you will not count as living abroad\n\nHMRC will treat you as being domiciled in the UK if you either:\n\n- lived in the UK for 15 of the last 20 years\n\n- had your permanent home in the UK at any time in the last 3 years of your life\n\n## Double-taxation treaties\n\nYour executor might be able to reclaim tax through a double-taxation treaty if Inheritance Tax is charged on the same assets by the UK and the country where you lived.", + "original_contents": [ + "

    Overview

    ", + "

    Inheritance Tax is a tax on the estate (the property, money and possessions) of someone who\u2019s died.

    ", + "

    There\u2019s normally no Inheritance Tax to pay if either:

    ", + "
  • the value of your estate is below the \u00a3325,000 threshold
  • ", + "
  • you leave everything above the \u00a3325,000 threshold to your spouse, civil partner, a charity or a community amateur sports club
  • ", + "

    If the estate\u2019s value is below the threshold you\u2019ll still need to report it to HMRC.

    ", + "

    If you give away your home to your children (including adopted, foster or stepchildren) or grandchildren your threshold can increase to \u00a3500,000.

    ", + "

    If you\u2019re married or in a civil partnership and your estate is worth less than your threshold, any unused threshold can be added to your partner\u2019s threshold when you die. This means their threshold can be as much as \u00a31 million.

    ", + "

    Inheritance Tax rates

    ", + "

    The standard Inheritance Tax rate is 40%. It\u2019s only charged on the part of your estate that\u2019s above the threshold.

    ", + "

    The estate can pay Inheritance Tax at a reduced rate of 36% on some assets if you leave 10% or more of the \u2018net value\u2019 to charity in your will.

    ", + "

    Reliefs and exemptions

    ", + "

    Some gifts you give while you\u2019re alive may be taxed after your death. Depending on when you gave the gift, \u2018taper relief\u2019 might mean the Inheritance Tax charged on the gift is less than 40%.

    ", + "

    Other reliefs, such as Business Relief, allow some assets to be passed on free of Inheritance Tax or with a reduced bill.

    ", + "

    Contact the Inheritance Tax and probate helpline about Agricultural Relief if your estate includes a farm or woodland.

    ", + "

    Who pays the tax to HMRC

    ", + "

    Funds from your estate are used to pay Inheritance Tax to HM Revenue and Customs (HMRC). This is done by the person dealing with the estate (called the \u2018executor\u2019, if there\u2019s a will).

    ", + "

    Your beneficiaries (the people who inherit your estate) do not normally pay tax on things they inherit. They may have related taxes to pay, for example if they get rental income from a house left to them in a will.

    ", + "

    People you give gifts to might have to pay Inheritance Tax, but only if you give away more than \u00a3325,000 and die within 7 years.

    ", + "

    Passing on a home

    ", + "

    You can pass a home to your husband, wife or civil partner when you die. There\u2019s no Inheritance Tax to pay if you do this.

    ", + "

    If you leave the home to another person in your will, it counts towards the value of the estate.

    ", + "

    If you own your home (or a share in it) your tax-free threshold can increase to \u00a3500,000 if:

    ", + "
  • you leave it to your children (including adopted, foster or stepchildren) or grandchildren
  • ", + "
  • your estate is worth less than \u00a32 million
  • ", + "

    Giving away a home before you die

    ", + "

    There\u2019s normally no Inheritance Tax to pay if you move out and live for another 7 years.

    ", + "

    If you want to continue living in your property after giving it away, you\u2019ll need to:

    ", + "
  • pay rent to the new owner at the going rate (for similar local rental properties)
  • ", + "
  • pay your share of the bills
  • ", + "
  • live there for at least 7 years
  • ", + "

    You do not have to pay rent to the new owners if both the following apply:

    ", + "
  • you only give away part of your property
  • ", + "
  • the new owners also live at the property
  • ", + "

    If you die within 7 years

    ", + "

    If you die within 7 years of giving away all or part of your property, your home will be treated as a gift and the 7 year rule applies.

    ", + "

    Call the Inheritance Tax and probate helpline if you have questions about giving away a home. They cannot give you advice on how to pay less tax.

    ", + "

    Gifts

    ", + "

    There\u2019s usually no Inheritance Tax to pay on small gifts you make out of your normal income, such as Christmas or birthday presents. These are known as \u2018exempted gifts\u2019.

    ", + "

    There\u2019s also no Inheritance Tax to pay on gifts between spouses or civil partners. You can give them as much as you like during your lifetime, as long as they live in the UK permanently.

    ", + "

    Other gifts count towards the value of your estate.

    ", + "

    People you give gifts to will be charged Inheritance Tax if you give away more than \u00a3325,000 in the 7 years before your death.

    ", + "

    What counts as a gift

    ", + "

    A gift can be:

    ", + "
  • anything that has a value, such as money, property, possessions
  • ", + "
  • a loss in value when something\u2019s transferred, for example if you sell your house to your child for less than it\u2019s worth, the difference in value counts as a gift
  • ", + "

    Call the Inheritance Tax and probate helpline if you\u2019re not sure.

    ", + "

    Exempted gifts

    ", + "

    You can give away \u00a33,000 worth of gifts each tax year (6 April to 5 April) without them being added to the value of your estate. This is known as your \u2018annual exemption\u2019.

    ", + "

    You can carry any unused annual exemption forward to the next year - but only for one year.

    ", + "

    Each tax year, you can also give away:

    ", + "
  • wedding or civil ceremony gifts of up to \u00a31,000 per person (\u00a32,500 for a grandchild or great-grandchild, \u00a35,000 for a child)
  • ", + "
  • normal gifts out of your income, for example Christmas or birthday presents - you must be able to maintain your standard of living after making the gift
  • ", + "
  • payments to help with another person\u2019s living costs, such as an elderly relative or a child under 18
  • ", + "
  • gifts to charities and political parties
  • ", + "

    You can use more than one of these exemptions on the same person - for example, you could give your grandchild gifts for her birthday and wedding in the same tax year.

    ", + "

    Small gifts up to \u00a3250

    ", + "

    You can give as many gifts of up to \u00a3250 per person as you want during the tax year as long as you have not used another exemption on the same person.

    ", + "

    The 7 year rule

    ", + "

    If there\u2019s Inheritance Tax to pay, it\u2019s charged at 40% on gifts given in the 3 years before you die.

    ", + "

    Gifts made 3 to 7 years before your death are taxed on a sliding scale known as \u2018taper relief\u2019.

    ", + "Years between gift and death | Tax paid", + "less than 3 | 40%", + "3 to 4 | 32%", + "4 to 5 | 24%", + "5 to 6 | 16%", + "6 to 7 | 8%", + "7 or more | 0%", + "

    Gifts are not counted towards the value of your estate after 7 years.

    ", + "

    When someone living outside the UK dies

    ", + "

    If your permanent home (\u2018domicile\u2019) is abroad, Inheritance Tax is only paid on your UK assets, for example property or bank accounts you have in the UK.

    ", + "

    It\u2019s not paid on \u2018excluded assets\u2019 like:

    ", + "
  • foreign currency accounts with a bank or the Post Office
  • ", + "
  • overseas pensions
  • ", + "
  • holdings in authorised unit trusts and open-ended investment companies
  • ", + "

    There are different rules if you have assets in a trust or government gilts, or you\u2019re a member of visiting armed forces.

    ", + "

    Contact the Inheritance Tax and probate helpline if you\u2019re not sure whether your assets are excluded.

    ", + "

    When you will not count as living abroad

    ", + "

    HMRC will treat you as being domiciled in the UK if you either:

    ", + "
  • lived in the UK for 15 of the last 20 years
  • ", + "
  • had your permanent home in the UK at any time in the last 3 years of your life
  • ", + "

    Double-taxation treaties

    ", + "

    Your executor might be able to reclaim tax through a double-taxation treaty if Inheritance Tax is charged on the same assets by the UK and the country where you lived.

    " + ] + }, + "https://www.gov.uk/paying-inheritance-tax": { + "url": "https://www.gov.uk/paying-inheritance-tax", + "title": "Pay your Inheritance Tax bill", + "content": "## Overview\n\nYou must pay Inheritance Tax by the end of the sixth month after the person died.\n\nThere are different due dates if you\u2019re making payments on a trust.\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay by the due date.\n\n## How to pay\n\nYou\u2019ll need to get a payment reference number before you can pay your Inheritance Tax bill.\n\n## Pay from your own bank account\n\nYou can pay from your own bank account or a joint account with the deceased:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\nYou currently cannot pay Inheritance Tax by cheque because of coronavirus (COVID-19).\n\nYou can claim the money back from the deceased\u2019s estate or the beneficiaries once you get a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\n## Pay from accounts owned by the deceased\n\nYou can pay using the deceased\u2019s:\n\n- bank accounts - including National Savings and Investments (NS&I) accounts\n\n- government stock\n\n## If you do not know how much to pay\n\nYou can make payments before you know the exact amount of Inheritance Tax owed by the deceased person\u2019s estate. These are known as \u2018payments on account\u2019.\n\n## Check your payment has been received\n\nHMRC do not send receipts for each payment you make. They\u2019ll write to tell you when you\u2019ve paid all the Inheritance Tax and interest you owe.\n\nIf you\u2019ve paid through your own bank or building society, check your statement to confirm the payment has left your account.\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nAsk your bank if your cheque to HMRC has been cashed. If it has not been cashed, you should cancel the cheque and pay HMRC a different way.\n\n## Get a payment reference number\n\nYou\u2019ll need to get an Inheritance Tax reference number from HM Revenue and Customs (HMRC) at least 3 weeks before you make a payment.\n\nYou can apply for one:\n\n- online (unless you need it for a trust)\n\n- by post - using form IHT422, Application for an Inheritance Tax reference (the address you need is on the form)\n\nDo not use the 15-digit number from the online Inheritance Tax service to report an estate\u2019s value.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay by Faster Payments (online or telephone banking), CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001136 | HMRC Inheritance Tax |\n\nYou\u2019ll need to use your Inheritance Tax payment reference number as the payment reference.\n\n## How long it takes\n\nPayments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB66BARC20114763495590 | BARCGB22 | HMRC Inheritance Tax |\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay at a branch by cash or cheque.\n\nPlease complete one of your bank\u2019s paying in slips with the following HMRC bank account details:\n\nSort code 25 61 21\nAccount number 63495590\nAccount name HM Revenue & Customs Inheritance Tax\n\nSome branches might be closed at the moment because of coronavirus (COVID-19).\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite the name of the deceased and your Inheritance Tax payment reference number on the back of the cheque. You\u2019ll find the reference number on the letter HMRC sent you.\n\nHMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.\n\n## By cheque through the post\n\nYou currently cannot pay Inheritance Tax by post because of coronavirus (COVID-19). You can still pay:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\n## From the deceased's bank account\n\nYou can ask banks, building societies or National Savings & Investments (NS&I) to pay some or all of the Inheritance Tax due from the deceased person\u2019s accounts to HM Revenue and Customs (HMRC). This is called the \u2018Direct Payment Scheme\u2019.\n\n- Ask the bank, building society or NS&I to make you a \u2018personal representative\u2019 - each one will do this in a different way. You can do this before you apply for a \u2018grant of representation\u2019 (known as \u2018probate\u2019). This is known as confirmation in Scotland.\n\n- Get your Inheritance Tax payment reference number.\n\n- Fill in form IHT423 and send it to the bank, building society or NS&I. Send a separate form for each account you want to pay HMRC from.\n\n- Send Inheritance Tax Account form IHT 400, Probate Summary form IHT421, (Confirmation form C1 in Scotland) and any supplementary pages or supporting documents to HMRC.\n\nWhen the bank, building society or NS&I has made the payment, HMRC will stamp and return Probate Summary form IHT421 (Confirmation form C1 in Scotland) so you know the Inheritance Tax has been paid.\n\n## Using British government stock\n\nWrite to Computershare Investor Services, who run the British government stock scheme.\n\nTell them you want to pay Inheritance Tax and how much of the stock you want to use. Enclose a copy of the death certificate and the stock reference number (if you have it).\n\nAt the same time, send HMRC:\n\n- a letter saying how much tax you want to be paid out of the stock\n\n- Inheritance Tax Account form IHT400 - you\u2019ll need to put your Inheritance Tax payment reference number on the form\n\n- Probate Summary form IHT421 (Confirmation form C1 in Scotland)\n\nHMRC will contact Computershare and ask for the money to be transferred. This could take up to 4 weeks.\n\nDo not pay this way if you need to get probate (known as \u2018confirmation\u2019 in Scotland) quickly. (Probate is the right to deal with the deceased person\u2019s property, money and possessions.)\n\n## After the money has been transferred\n\n## In England, Wales or Northern Ireland\n\nHMRC will send your IHT421 form to the Probate Registry so they can send a grant of representation to you (if you\u2019re handling probate yourself) or to your solicitor.\n\n## In Scotland\n\nHMRC will return your C1 Confirmation form to you so you can apply for confirmation.\n\nIf the amount transferred is not enough to cover the Inheritance Tax you owe, HMRC will write to tell you how much to pay and how to pay it.\n\n## By transferring national heritage property\n\nIn very exceptional cases you may be able to make Inheritance Tax payments by transferring national heritage property to the Crown.\n\nNational heritage property may include:\n\n- buildings or land of historic, architectural, scenic or scientific interest\n\n- artworks, books and manuscripts or scientific collections of historic, scenic or scientific interest\n\nOffers to make Inheritance Tax payments by transferring national heritage property to the Crown are dealt with on an individual basis.\n\nContact the HMRC Heritage team for information on making an offer.\n\n## If your offer is accepted\n\nEven if your offer\u2019s accepted, you must first pay all of the Inheritance Tax you owe through other means and have a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\nOnce your property has been transferred HM Revenue and Customs (HMRC) will repay the Inheritance Tax you\u2019ve paid.\n\n## In yearly instalments\n\nYou can pay your Inheritance Tax on things that may take time to sell in equal annual instalments over 10 years.\n\nYou must say on Inheritance Tax Account form IHT400 if you want to pay in instalments.\n\nYou\u2019ll usually have to pay interest on your instalments. Use the calculator to work out the interest you\u2019ll need to pay.\n\nYou must pay the tax in full when you\u2019ve sold the deceased\u2019s assets, such as their house or shares.\n\n## When you must pay\n\nThe first instalment is due at the end of the sixth month after the death (for example if they died on 12 January, you\u2019d have to pay by 31 July). This is known as the \u2018due date\u2019. Payments are then due every year on that date.\n\n## Paying early\n\nYou can pay off the full tax and interest at any time. Write to HM Revenue and Customs (HMRC) Trusts and Estates asking for a final assessment (you do not have to include payment).\n\n## What you pay interest on\n\nYou will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:\n\n- the full outstanding tax balance\n\n- the instalment itself, from the date it\u2019s due to the date of payment (if it\u2019s paid late)\n\n## What you can pay in instalments\n\n## Houses\n\nYou can pay 10% and the interest each year if you decide to keep the house to live in.\n\n## Shares and securities\n\nYou can pay in instalments if the shares or securities allowed the deceased to control more than 50% of a company.\n\n## Unlisted shares and securities\n\nYou can pay in instalments for \u2018unlisted\u2019 shares or securities (ones not traded on a recognised stock exchange) if they\u2019re worth more than \u00a320,000 and either of these apply:\n\n- they represent 10% of the total value of the shares in the company, at the price they were first sold at (known as the \u2018nominal\u2019 value or \u2018face value\u2019)\n\n- they represent 10% of the total value of ordinary shares held in the company, at the price they were first sold at\n\nYou can find the face value of a share and whether it\u2019s an ordinary share on the share certificate.\n\nYou can also pay in instalments if either of these apply:\n\n- at least 20% of the total Inheritance Tax the estate owes is on assets that qualify for payment by instalments\n\n- paying Inheritance Tax on them in one lump sum will cause financial difficulties\n\n## Business run for profit\n\nYou can pay in instalments on the net value of a business, but not its assets.\n\n## Agricultural land and property\n\nThis is rare because most agricultural land and property is exempt from Inheritance Tax.\n\n## Gifts\n\nYou can pay in instalments if there is still Inheritance Tax to pay and you were given:\n\n- buildings\n\n- shares or securities\n\n- part or all of a business\n\nIf the gift was an unlisted share or security, it must still have been unlisted at the time of the death.\n\n## Trusts\n\n- Get your Inheritance Tax payment reference number at least 3 weeks before you want to make a payment by filling in Form IHT122.\n\n- Send Inheritance Tax Account form IHT100 to HM Revenue and Customs (HMRC).\n\n- Pay the Inheritance Tax, either through a bank or building society or by cheque through the post.\n\n## Payment deadlines\n\n## Transfers\n\nYou must pay Inheritance Tax on transfers into a trust or out of a trust (known as \u2018exit charges\u2019) no later than 6 months after the end of the month the transfer was made.\n\n## 10-year anniversary charge\n\nThe 10-year anniversary charge can be paid up to 6 months after the 10th anniversary of the date the trust was set up.\n\n## Pay early to avoid paying interest\n\nYou can make early Inheritance Tax payments before you know the exact amount the estate owes (this is known as a \u2018payment on account\u2019).\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay all the tax the estate owes by the due date. If you will not know how much Inheritance Tax the estate owes by the time the payment is due, a payment on account can help you avoid some of the interest.\n\n## If you overpay\n\nIf you pay more money than the final bill says the estate owes, HMRC will refund the excess after you\u2019ve been given probate (confirmation in Scotland). Probate is the right to deal with the deceased person\u2019s property, money and possessions.\n\nHMRC will also pay interest on the amount you\u2019ve overpaid.\n\nTo receive the refund, you\u2019ll need to write to HMRC.\n\nPut \u2018Repayment - further details\u2019 at the top of the letter.\n\nInclude the name, number and sort code of the bank account you want the refund to go to.\n\nThe letter must be signed by the same people who signed forms IHT400 and IHT100 if:\n\n- you\u2019re applying without the help of a solicitor or agent\n\n- the refund is being paid into a different bank account to the one nominated in IHT400 or IHT100\n\nIf you\u2019re an agent acting on behalf of the estate and you\u2019re not asking for the refund to be paid into a different bank account, only put your signature on the letter.", + "original_contents": [ + "

    Overview

    ", + "

    You must pay Inheritance Tax by the end of the sixth month after the person died.

    ", + "

    There are different due dates if you\u2019re making payments on a trust.

    ", + "

    HM Revenue and Customs (HMRC) will charge you interest if you do not pay by the due date.

    ", + "

    How to pay

    ", + "

    You\u2019ll need to get a payment reference number before you can pay your Inheritance Tax bill.

    ", + "

    Pay from your own bank account

    ", + "

    You can pay from your own bank account or a joint account with the deceased:

    ", + "
  • using online or telephone banking
  • ", + "
  • using CHAPS or Bacs
  • ", + "
  • at your bank or building society
  • ", + "

    You currently cannot pay Inheritance Tax by cheque because of coronavirus (COVID-19).

    ", + "

    You can claim the money back from the deceased\u2019s estate or the beneficiaries once you get a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.

    ", + "

    Pay from accounts owned by the deceased

    ", + "

    You can pay using the deceased\u2019s:

    ", + "
  • bank accounts - including National Savings and Investments (NS&I) accounts
  • ", + "
  • government stock
  • ", + "

    If you do not know how much to pay

    ", + "

    You can make payments before you know the exact amount of Inheritance Tax owed by the deceased person\u2019s estate. These are known as \u2018payments on account\u2019.

    ", + "

    Check your payment has been received

    ", + "

    HMRC do not send receipts for each payment you make. They\u2019ll write to tell you when you\u2019ve paid all the Inheritance Tax and interest you owe.

    ", + "

    If you\u2019ve paid through your own bank or building society, check your statement to confirm the payment has left your account.

    ", + "

    If you\u2019ve paid by cheque since 6 April 2020

    ", + "

    Ask your bank if your cheque to HMRC has been cashed. If it has not been cashed, you should cancel the cheque and pay HMRC a different way.

    ", + "

    Get a payment reference number

    ", + "

    You\u2019ll need to get an Inheritance Tax reference number from HM Revenue and Customs (HMRC) at least 3 weeks before you make a payment.

    ", + "

    You can apply for one:

    ", + "
  • online (unless you need it for a trust)
  • ", + "
  • by post - using form IHT422, Application for an Inheritance Tax reference (the address you need is on the form)
  • ", + "

    Do not use the 15-digit number from the online Inheritance Tax service to report an estate\u2019s value.

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    You can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.

    ", + "

    You can pay by Faster Payments (online or telephone banking), CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001136 | HMRC Inheritance Tax", + "

    You\u2019ll need to use your Inheritance Tax payment reference number as the payment reference.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB66BARC20114763495590 | BARCGB22 | HMRC Inheritance Tax", + "

    HMRC\u2019s banking address is:

    ", + "

    At your bank or building society

    ", + "

    You can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.

    ", + "

    You can pay at a branch by cash or cheque.

    ", + "

    Please complete one of your bank\u2019s paying in slips with the following HMRC bank account details:

    ", + "

    Sort code 25 61 21\nAccount number 63495590\nAccount name HM Revenue & Customs Inheritance Tax

    ", + "

    Some branches might be closed at the moment because of coronavirus (COVID-19).

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write the name of the deceased and your Inheritance Tax payment reference number on the back of the cheque. You\u2019ll find the reference number on the letter HMRC sent you.

    ", + "

    HMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.

    ", + "

    By cheque through the post

    ", + "

    You currently cannot pay Inheritance Tax by post because of coronavirus (COVID-19). You can still pay:

    ", + "
  • using online or telephone banking
  • ", + "
  • using CHAPS or Bacs
  • ", + "
  • at your bank or building society
  • ", + "

    From the deceased's bank account

    ", + "

    You can ask banks, building societies or National Savings & Investments (NS&I) to pay some or all of the Inheritance Tax due from the deceased person\u2019s accounts to HM Revenue and Customs (HMRC). This is called the \u2018Direct Payment Scheme\u2019.

    ", + "
  • Ask the bank, building society or NS&I to make you a \u2018personal representative\u2019 - each one will do this in a different way. You can do this before you apply for a \u2018grant of representation\u2019 (known as \u2018probate\u2019). This is known as confirmation in Scotland.
  • ", + "
  • Get your Inheritance Tax payment reference number.
  • ", + "
  • Fill in form IHT423 and send it to the bank, building society or NS&I. Send a separate form for each account you want to pay HMRC from.
  • ", + "
  • Send Inheritance Tax Account form IHT 400, Probate Summary form IHT421, (Confirmation form C1 in Scotland) and any supplementary pages or supporting documents to HMRC.
  • ", + "

    When the bank, building society or NS&I has made the payment, HMRC will stamp and return Probate Summary form IHT421 (Confirmation form C1 in Scotland) so you know the Inheritance Tax has been paid.

    ", + "

    Using British government stock

    ", + "

    Write to Computershare Investor Services, who run the British government stock scheme.

    ", + "

    Tell them you want to pay Inheritance Tax and how much of the stock you want to use. Enclose a copy of the death certificate and the stock reference number (if you have it).

    ", + "

    At the same time, send HMRC:

    ", + "
  • a letter saying how much tax you want to be paid out of the stock
  • ", + "
  • Inheritance Tax Account form IHT400 - you\u2019ll need to put your Inheritance Tax payment reference number on the form
  • ", + "
  • Probate Summary form IHT421 (Confirmation form C1 in Scotland)
  • ", + "

    HMRC will contact Computershare and ask for the money to be transferred. This could take up to 4 weeks.

    ", + "

    Do not pay this way if you need to get probate (known as \u2018confirmation\u2019 in Scotland) quickly. (Probate is the right to deal with the deceased person\u2019s property, money and possessions.)

    ", + "

    After the money has been transferred

    ", + "

    In England, Wales or Northern Ireland

    ", + "

    HMRC will send your IHT421 form to the Probate Registry so they can send a grant of representation to you (if you\u2019re handling probate yourself) or to your solicitor.

    ", + "

    In Scotland

    ", + "

    HMRC will return your C1 Confirmation form to you so you can apply for confirmation.

    ", + "

    If the amount transferred is not enough to cover the Inheritance Tax you owe, HMRC will write to tell you how much to pay and how to pay it.

    ", + "

    By transferring national heritage property

    ", + "

    In very exceptional cases you may be able to make Inheritance Tax payments by transferring national heritage property to the Crown.

    ", + "

    National heritage property may include:

    ", + "
  • buildings or land of historic, architectural, scenic or scientific interest
  • ", + "
  • artworks, books and manuscripts or scientific collections of historic, scenic or scientific interest
  • ", + "

    Offers to make Inheritance Tax payments by transferring national heritage property to the Crown are dealt with on an individual basis.

    ", + "

    Contact the HMRC Heritage team for information on making an offer.

    ", + "

    If your offer is accepted

    ", + "

    Even if your offer\u2019s accepted, you must first pay all of the Inheritance Tax you owe through other means and have a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.

    ", + "

    Once your property has been transferred HM Revenue and Customs (HMRC) will repay the Inheritance Tax you\u2019ve paid.

    ", + "

    In yearly instalments

    ", + "

    You can pay your Inheritance Tax on things that may take time to sell in equal annual instalments over 10 years.

    ", + "

    You must say on Inheritance Tax Account form IHT400 if you want to pay in instalments.

    ", + "

    You\u2019ll usually have to pay interest on your instalments. Use the calculator to work out the interest you\u2019ll need to pay.

    ", + "

    You must pay the tax in full when you\u2019ve sold the deceased\u2019s assets, such as their house or shares.

    ", + "

    When you must pay

    ", + "

    The first instalment is due at the end of the sixth month after the death (for example if they died on 12 January, you\u2019d have to pay by 31 July). This is known as the \u2018due date\u2019. Payments are then due every year on that date.

    ", + "

    Paying early

    ", + "

    You can pay off the full tax and interest at any time. Write to HM Revenue and Customs (HMRC) Trusts and Estates asking for a final assessment (you do not have to include payment).

    ", + "

    What you pay interest on

    ", + "

    You will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:

    ", + "
  • the full outstanding tax balance
  • ", + "
  • the instalment itself, from the date it\u2019s due to the date of payment (if it\u2019s paid late)
  • ", + "

    What you can pay in instalments

    ", + "

    Houses

    ", + "

    You can pay 10% and the interest each year if you decide to keep the house to live in.

    ", + "

    Shares and securities

    ", + "

    You can pay in instalments if the shares or securities allowed the deceased to control more than 50% of a company.

    ", + "

    Unlisted shares and securities

    ", + "

    You can pay in instalments for \u2018unlisted\u2019 shares or securities (ones not traded on a recognised stock exchange) if they\u2019re worth more than \u00a320,000 and either of these apply:

    ", + "
  • they represent 10% of the total value of the shares in the company, at the price they were first sold at (known as the \u2018nominal\u2019 value or \u2018face value\u2019)
  • ", + "
  • they represent 10% of the total value of ordinary shares held in the company, at the price they were first sold at
  • ", + "

    You can find the face value of a share and whether it\u2019s an ordinary share on the share certificate.

    ", + "

    You can also pay in instalments if either of these apply:

    ", + "
  • at least 20% of the total Inheritance Tax the estate owes is on assets that qualify for payment by instalments
  • ", + "
  • paying Inheritance Tax on them in one lump sum will cause financial difficulties
  • ", + "

    Business run for profit

    ", + "

    You can pay in instalments on the net value of a business, but not its assets.

    ", + "

    Agricultural land and property

    ", + "

    This is rare because most agricultural land and property is exempt from Inheritance Tax.

    ", + "

    Gifts

    ", + "

    You can pay in instalments if there is still Inheritance Tax to pay and you were given:

    ", + "
  • buildings
  • ", + "
  • shares or securities
  • ", + "
  • part or all of a business
  • ", + "

    If the gift was an unlisted share or security, it must still have been unlisted at the time of the death.

    ", + "

    Trusts

    ", + "
  • Get your Inheritance Tax payment reference number at least 3 weeks before you want to make a payment by filling in Form IHT122.
  • ", + "
  • Send Inheritance Tax Account form IHT100 to HM Revenue and Customs (HMRC).
  • ", + "
  • Pay the Inheritance Tax, either through a bank or building society or by cheque through the post.
  • ", + "

    Payment deadlines

    ", + "

    Transfers

    ", + "

    You must pay Inheritance Tax on transfers into a trust or out of a trust (known as \u2018exit charges\u2019) no later than 6 months after the end of the month the transfer was made.

    ", + "

    10-year anniversary charge

    ", + "

    The 10-year anniversary charge can be paid up to 6 months after the 10th anniversary of the date the trust was set up.

    ", + "

    Pay early to avoid paying interest

    ", + "

    You can make early Inheritance Tax payments before you know the exact amount the estate owes (this is known as a \u2018payment on account\u2019).

    ", + "

    HM Revenue and Customs (HMRC) will charge you interest if you do not pay all the tax the estate owes by the due date. If you will not know how much Inheritance Tax the estate owes by the time the payment is due, a payment on account can help you avoid some of the interest.

    ", + "

    If you overpay

    ", + "

    If you pay more money than the final bill says the estate owes, HMRC will refund the excess after you\u2019ve been given probate (confirmation in Scotland). Probate is the right to deal with the deceased person\u2019s property, money and possessions.

    ", + "

    HMRC will also pay interest on the amount you\u2019ve overpaid.

    ", + "

    To receive the refund, you\u2019ll need to write to HMRC.

    ", + "

    Put \u2018Repayment - further details\u2019 at the top of the letter.

    ", + "

    Include the name, number and sort code of the bank account you want the refund to go to.

    ", + "

    The letter must be signed by the same people who signed forms IHT400 and IHT100 if:

    ", + "
  • you\u2019re applying without the help of a solicitor or agent
  • ", + "
  • the refund is being paid into a different bank account to the one nominated in IHT400 or IHT100
  • ", + "

    If you\u2019re an agent acting on behalf of the estate and you\u2019re not asking for the refund to be paid into a different bank account, only put your signature on the letter.

    " + ] + }, + "https://www.gov.uk/business-relief-inheritance-tax": { + "url": "https://www.gov.uk/business-relief-inheritance-tax", + "title": "Business Relief for Inheritance Tax", + "content": "## Overview\n\nBusiness Relief reduces the value of a business or its assets when working out how much Inheritance Tax has to be paid.\n\nAny ownership of a business, or share of a business, is included in the estate for Inheritance Tax purposes.\n\nYou can get Business Relief of either 50% or 100% on some of an estate\u2019s business assets, which can be passed on:\n\n- while the owner is still alive\n\n- as part of the will\n\n## How to claim relief\n\nAs the executor of the will or administrator of the estate, you can claim Business Relief when you\u2019re valuing the estate.\n\nYou should fill in both:\n\n- form IHT400 (Inheritance Tax account)\n\n- schedule IHT413 (Business or partnership interests and assets)\n\nYou must use the market value of the business or asset when calculating relief at 50%.\n\nYou can claim relief on:\n\n- property and buildings\n\n- unlisted shares\n\n- machinery\n\n## What qualifies for Business Relief\n\nYou can get 100% Business Relief on:\n\n- a business or interest in a business\n\n- shares in an unlisted company\n\nYou can get 50% Business Relief on:\n\n- shares controlling more than 50% of the voting rights in a listed company\n\n- land, buildings or machinery owned by the deceased and used in a business they were a partner in or controlled\n\n- land, buildings or machinery used in the business and held in a trust that it has the right to benefit from\n\nYou can only get relief if the deceased owned the business or asset for at least 2 years before they died.\n\n## What doesn\u2019t qualify for Business Relief\n\nYou can\u2019t claim Business Relief if the company:\n\n- mainly deals with securities, stocks or shares, land or buildings, or in making or holding investments\n\n- is a not-for-profit organisation\n\n- is being sold, unless the sale is to a company that will carry on the business and the estate will be paid mainly in shares of that company\n\n- is being wound up, unless this is part of a process to allow the business of the company to carry on\n\nYou can\u2019t claim Business Relief on an asset if it:\n\n- also qualifies for Agricultural Relief\n\n- wasn\u2019t used mainly for business in the 2 years before it was either passed on as a gift or as part of the will\n\n- isn\u2019t needed for future use in the business\n\nIf part of a non-qualifying asset is used in the business, that part might qualify for Business Relief.\n\n## Relief for agricultural property\n\nYou may be able to get Business Relief on a transfer of agricultural property (eg farmland, buildings or farm equipment) which isn\u2019t eligible for agricultural relief.\n\n## Give away business property or assets\n\nSomeone can give away business property or assets while they\u2019re still alive and the estate can still get Business Relief on Inheritance Tax, as long as the property or assets qualify.\n\n## How to get Business Relief on a gift\n\nIf someone gives away business property or assets, the recipient must keep them as a going concern until the death of the donor if they want to keep the relief.\n\nThey can:\n\n- replace the property or assets - like machinery - with something of equal value if it\u2019s for use in the business\n\n- only get relief if the donor owned the business or asset for at least 2 years before the date it was given\n\n## When is a gift no longer liable for Inheritance Tax\n\nAny gift made more than 7 years before the donor\u2019s death doesn\u2019t count towards their estate for Inheritance Tax purposes.\n\nYou may have to pay Capital Gains Tax or Income Tax if you sell, give away or exchange (\u2018dispose of\u2019) an asset or property if it\u2019s gone up in value during the time you owned it.", + "original_contents": [ + "

    Overview

    ", + "

    Business Relief reduces the value of a business or its assets when working out how much Inheritance Tax has to be paid.

    ", + "

    Any ownership of a business, or share of a business, is included in the estate for Inheritance Tax purposes.

    ", + "

    You can get Business Relief of either 50% or 100% on some of an estate\u2019s business assets, which can be passed on:

    ", + "
  • while the owner is still alive
  • ", + "
  • as part of the will
  • ", + "

    How to claim relief

    ", + "

    As the executor of the will or administrator of the estate, you can claim Business Relief when you\u2019re valuing the estate.

    ", + "

    You should fill in both:

    ", + "
  • form IHT400 (Inheritance Tax account)
  • ", + "
  • schedule IHT413 (Business or partnership interests and assets)
  • ", + "

    You must use the market value of the business or asset when calculating relief at 50%.

    ", + "

    You can claim relief on:

    ", + "
  • property and buildings
  • ", + "
  • unlisted shares
  • ", + "
  • machinery
  • ", + "

    What qualifies for Business Relief

    ", + "

    You can get 100% Business Relief on:

    ", + "
  • a business or interest in a business
  • ", + "
  • shares in an unlisted company
  • ", + "

    You can get 50% Business Relief on:

    ", + "
  • shares controlling more than 50% of the voting rights in a listed company
  • ", + "
  • land, buildings or machinery owned by the deceased and used in a business they were a partner in or controlled
  • ", + "
  • land, buildings or machinery used in the business and held in a trust that it has the right to benefit from
  • ", + "

    You can only get relief if the deceased owned the business or asset for at least 2 years before they died.

    ", + "

    What doesn\u2019t qualify for Business Relief

    ", + "

    You can\u2019t claim Business Relief if the company:

    ", + "
  • mainly deals with securities, stocks or shares, land or buildings, or in making or holding investments
  • ", + "
  • is a not-for-profit organisation
  • ", + "
  • is being sold, unless the sale is to a company that will carry on the business and the estate will be paid mainly in shares of that company
  • ", + "
  • is being wound up, unless this is part of a process to allow the business of the company to carry on
  • ", + "

    You can\u2019t claim Business Relief on an asset if it:

    ", + "
  • also qualifies for Agricultural Relief
  • ", + "
  • wasn\u2019t used mainly for business in the 2 years before it was either passed on as a gift or as part of the will
  • ", + "
  • isn\u2019t needed for future use in the business
  • ", + "

    If part of a non-qualifying asset is used in the business, that part might qualify for Business Relief.

    ", + "

    Relief for agricultural property

    ", + "

    You may be able to get Business Relief on a transfer of agricultural property (eg farmland, buildings or farm equipment) which isn\u2019t eligible for agricultural relief.

    ", + "

    Give away business property or assets

    ", + "

    Someone can give away business property or assets while they\u2019re still alive and the estate can still get Business Relief on Inheritance Tax, as long as the property or assets qualify.

    ", + "

    How to get Business Relief on a gift

    ", + "

    If someone gives away business property or assets, the recipient must keep them as a going concern until the death of the donor if they want to keep the relief.

    ", + "

    They can:

    ", + "
  • replace the property or assets - like machinery - with something of equal value if it\u2019s for use in the business
  • ", + "
  • only get relief if the donor owned the business or asset for at least 2 years before the date it was given
  • ", + "

    When is a gift no longer liable for Inheritance Tax

    ", + "

    Any gift made more than 7 years before the donor\u2019s death doesn\u2019t count towards their estate for Inheritance Tax purposes.

    ", + "

    You may have to pay Capital Gains Tax or Income Tax if you sell, give away or exchange (\u2018dispose of\u2019) an asset or property if it\u2019s gone up in value during the time you owned it.

    " + ] + }, + "https://www.gov.uk/tax-property-money-shares-you-inherit": { + "url": "https://www.gov.uk/tax-property-money-shares-you-inherit", + "title": "Tax on property, money and shares you inherit", + "content": "## Overview\n\nYou don\u2019t usually pay tax on anything you inherit at the time you inherit it.\n\nYou may need to pay:\n\n- Income Tax on profit you later earn from your inheritance, eg dividends from shares or rental income from a property\n\n- Capital Gains Tax if you later sell shares or a property you inherited\n\n- Inheritance Tax\n\n## Inheritance Tax\n\nThe estate of the person who died usually pays Inheritance Tax. You may need to pay Inheritance Tax if the estate can\u2019t or doesn\u2019t pay it.\n\nYou may need to pay Inheritance Tax on a gift the person gave you in the 7 years before they died.\n\nYou may also need to pay it if your inheritance is put into a trust and the trust can\u2019t or doesn\u2019t pay.\n\nIf the will says the Inheritance Tax should be paid out of the assets you\u2019ve inherited, the executor of the will or administrator of the estate will usually pay it.\n\nHM Revenue and Customs (HMRC) will contact you if you need to pay.\n\n## Money and shares\n\nIn most cases you don\u2019t pay any tax on money and shares when you inherit them.\n\n## Inheritance Tax\n\nYou may have to pay Inheritance Tax on money and shares you inherit if the deceased person\u2019s estate can\u2019t or doesn\u2019t pay.\n\nHM Revenue and Customs (HMRC) will contact you if you need to pay.\n\nAny money or shares the person gave you before they died are known as gifts and have different rules.\n\n## Income Tax\n\nYou may have to pay Income Tax on:\n\n- interest you earn from money you inherit\n\n- dividends paid on shares you inherit\n\n## Capital Gains Tax\n\nYou\u2019ll have to pay Capital Gains Tax if you sell (\u2018dispose of\u2019) inherited shares that have gone up in value since the person died.\n\n## Property\n\nYou don\u2019t pay Stamp Duty, Income Tax or Capital Gains Tax on a property you inherit when you inherit it.\n\nYou may have to pay Inheritance Tax if the deceased\u2019s estate can\u2019t or doesn\u2019t pay it.\n\nHM Revenue and Customs (HMRC) will contact you if you need to pay.\n\nThe rules are different in Scotland.\n\n## Selling the property\n\nYou don\u2019t pay Capital Gains Tax when you sell your home. You do pay it if you make a profit when you sell a property that isn\u2019t your main home.\n\nIf inheriting a property means you own 2 homes, you\u2019ll have to nominate one of them as your main home. You must tell HMRC which property is your main home within 2 years of inheriting the property.\n\nIf you don\u2019t tell HMRC and you sell one of the properties, they\u2019ll decide which property was your main home.\n\n## Renting out the property\n\nYou may have to pay tax on the rental income.\n\n## Properties held in trust\n\nUsually if you inherit property held in a trust, you are the \u2018beneficiary\u2019 and the trustees are the legal owners and responsible for paying tax on income the trust receives.\n\nYou may still have to pay tax on any income you receive from the trust.\n\n## Bare trusts\n\nIf the trust is a \u2018bare trust\u2019 you are both the beneficiary and the legal owner and are responsible for paying tax on income the trust receives.\n\n## Joint property, shares and bank accounts\n\nIn most cases, you don\u2019t have to pay any Stamp Duty or tax when you inherit property, shares or the money in joint bank accounts you owned with the deceased.\n\n## Inheritance Tax\n\nWhat you pay will depend on how you owned the shares or property or how your bank accounts were set up.\n\nIf you and the deceased jointly owned the assets, you\u2019ll be known as \u2018joint tenants\u2019 (\u2018joint owners\u2019 in Scotland).\n\nIf you each owned a part of the assets, you\u2019ll be known as \u2018tenants in common\u2019 (\u2018common owners\u2019 in Scotland and \u2018coparceners\u2019 in Northern Ireland). Each part could be half or an agreed percentage of the money, shares or property.\n\nCheck with your bank if you\u2019re not sure how the money in your account(s) was divided up.\n\n## Joint tenants\n\nYou automatically inherit anything you owned as \u2018joint tenants\u2019.\n\nYou may have to pay Inheritance Tax if the whole of the deceased\u2019s estate (all their money, property and possessions) is worth more than the Inheritance Tax threshold of \u00a3325,000 and the deceased\u2019s estate can\u2019t or doesn\u2019t pay.\n\n## Tenants in common\n\nYou may have to pay Inheritance Tax on the deceased\u2019s share of the money in bank accounts, shares or property if the whole of their estate (money, property and possessions) is worth more than the Inheritance Tax threshold of \u00a3325,000.\n\nIf the deceased left you their share of the money, shares or property in their will, the executor of the will or administrator of their estate should pay the Inheritance Tax out of the estate.\n\nBut if the estate doesn\u2019t have enough money to pay the Inheritance Tax on the deceased\u2019s share of the assets, or the executor doesn\u2019t pay, you\u2019ll have to pay it. You may have to sell the shares or property to pay the tax and any other debts.\n\nHM Revenue and Customs (HMRC) will contact you if you need to pay.\n\nYou may have to tell the Land Registry about the death of one of the property\u2019s owners.\n\n## Income Tax and Capital Gains Tax\n\nYou may have to pay other taxes on anything you earn or profits you make from:\n\n- bank interest\n\n- share dividends\n\n- property", + "original_contents": [ + "

    Overview

    ", + "

    You don\u2019t usually pay tax on anything you inherit at the time you inherit it.

    ", + "

    You may need to pay:

    ", + "
  • Income Tax on profit you later earn from your inheritance, eg dividends from shares or rental income from a property
  • ", + "
  • Capital Gains Tax if you later sell shares or a property you inherited
  • ", + "
  • Inheritance Tax
  • ", + "

    Inheritance Tax

    ", + "

    The estate of the person who died usually pays Inheritance Tax. You may need to pay Inheritance Tax if the estate can\u2019t or doesn\u2019t pay it.

    ", + "

    You may need to pay Inheritance Tax on a gift the person gave you in the 7 years before they died.

    ", + "

    You may also need to pay it if your inheritance is put into a trust and the trust can\u2019t or doesn\u2019t pay.

    ", + "

    If the will says the Inheritance Tax should be paid out of the assets you\u2019ve inherited, the executor of the will or administrator of the estate will usually pay it.

    ", + "

    HM Revenue and Customs (HMRC) will contact you if you need to pay.

    ", + "

    Money and shares

    ", + "

    In most cases you don\u2019t pay any tax on money and shares when you inherit them.

    ", + "

    Inheritance Tax

    ", + "

    You may have to pay Inheritance Tax on money and shares you inherit if the deceased person\u2019s estate can\u2019t or doesn\u2019t pay.

    ", + "

    HM Revenue and Customs (HMRC) will contact you if you need to pay.

    ", + "

    Any money or shares the person gave you before they died are known as gifts and have different rules.

    ", + "

    Income Tax

    ", + "

    You may have to pay Income Tax on:

    ", + "
  • interest you earn from money you inherit
  • ", + "
  • dividends paid on shares you inherit
  • ", + "

    Capital Gains Tax

    ", + "

    You\u2019ll have to pay Capital Gains Tax if you sell (\u2018dispose of\u2019) inherited shares that have gone up in value since the person died.

    ", + "

    Property

    ", + "

    You don\u2019t pay Stamp Duty, Income Tax or Capital Gains Tax on a property you inherit when you inherit it.

    ", + "

    You may have to pay Inheritance Tax if the deceased\u2019s estate can\u2019t or doesn\u2019t pay it.

    ", + "

    HM Revenue and Customs (HMRC) will contact you if you need to pay.

    ", + "

    The rules are different in Scotland.

    ", + "

    Selling the property

    ", + "

    You don\u2019t pay Capital Gains Tax when you sell your home. You do pay it if you make a profit when you sell a property that isn\u2019t your main home.

    ", + "

    If inheriting a property means you own 2 homes, you\u2019ll have to nominate one of them as your main home. You must tell HMRC which property is your main home within 2 years of inheriting the property.

    ", + "

    If you don\u2019t tell HMRC and you sell one of the properties, they\u2019ll decide which property was your main home.

    ", + "

    Renting out the property

    ", + "

    You may have to pay tax on the rental income.

    ", + "

    Properties held in trust

    ", + "

    Usually if you inherit property held in a trust, you are the \u2018beneficiary\u2019 and the trustees are the legal owners and responsible for paying tax on income the trust receives.

    ", + "

    You may still have to pay tax on any income you receive from the trust.

    ", + "

    Bare trusts

    ", + "

    If the trust is a \u2018bare trust\u2019 you are both the beneficiary and the legal owner and are responsible for paying tax on income the trust receives.

    ", + "

    Joint property, shares and bank accounts

    ", + "

    In most cases, you don\u2019t have to pay any Stamp Duty or tax when you inherit property, shares or the money in joint bank accounts you owned with the deceased.

    ", + "

    Inheritance Tax

    ", + "

    What you pay will depend on how you owned the shares or property or how your bank accounts were set up.

    ", + "

    If you and the deceased jointly owned the assets, you\u2019ll be known as \u2018joint tenants\u2019 (\u2018joint owners\u2019 in Scotland).

    ", + "

    If you each owned a part of the assets, you\u2019ll be known as \u2018tenants in common\u2019 (\u2018common owners\u2019 in Scotland and \u2018coparceners\u2019 in Northern Ireland). Each part could be half or an agreed percentage of the money, shares or property.

    ", + "

    Check with your bank if you\u2019re not sure how the money in your account(s) was divided up.

    ", + "

    Joint tenants

    ", + "

    You automatically inherit anything you owned as \u2018joint tenants\u2019.

    ", + "

    You may have to pay Inheritance Tax if the whole of the deceased\u2019s estate (all their money, property and possessions) is worth more than the Inheritance Tax threshold of \u00a3325,000 and the deceased\u2019s estate can\u2019t or doesn\u2019t pay.

    ", + "

    Tenants in common

    ", + "

    You may have to pay Inheritance Tax on the deceased\u2019s share of the money in bank accounts, shares or property if the whole of their estate (money, property and possessions) is worth more than the Inheritance Tax threshold of \u00a3325,000.

    ", + "

    If the deceased left you their share of the money, shares or property in their will, the executor of the will or administrator of their estate should pay the Inheritance Tax out of the estate.

    ", + "

    But if the estate doesn\u2019t have enough money to pay the Inheritance Tax on the deceased\u2019s share of the assets, or the executor doesn\u2019t pay, you\u2019ll have to pay it. You may have to sell the shares or property to pay the tax and any other debts.

    ", + "

    HM Revenue and Customs (HMRC) will contact you if you need to pay.

    ", + "

    You may have to tell the Land Registry about the death of one of the property\u2019s owners.

    ", + "

    Income Tax and Capital Gains Tax

    ", + "

    You may have to pay other taxes on anything you earn or profits you make from:

    ", + "
  • bank interest
  • ", + "
  • share dividends
  • ", + "
  • property
  • " + ] + }, + "https://www.gov.uk/apply-special-guardian": { + "url": "https://www.gov.uk/apply-special-guardian", + "title": "Become a special guardian", + "content": "## What is a special guardian\n\nYou can apply to be a child\u2019s special guardian when they cannot live with their birth parents and adoption is not right for them.\n\nYou\u2019ll be responsible for looking after the child until they\u2019re 18 (unless the court takes your responsibility away earlier).\n\nYou\u2019ll make all day to day decisions about the child, for example schooling and medical treatment. You do not have to discuss these decisions with the birth parents.\n\nYou\u2019ll need to get the consent of everyone who has parental responsibility for the child before you make some important decisions, for example:\n\n- changing the child\u2019s surname\n\n- putting the child up for adoption\n\n- taking the child abroad for more than 3 months\n\n- the child having surgery for reasons other than improving health, such as circumcision, sterilisation or cosmetic surgery\n\nIf you cannot get consent, you can ask the court to decide. Use the form \u2018Make an application in existing court proceedings related to children\u2019 (form C2).\n\n## Who can apply\n\nYou can apply to be a child\u2019s special guardian if you\u2019re not their parent and you\u2019re over 18.\n\nYou can make an application with someone else. This is known as a joint claim.\n\nYou and anyone you\u2019re applying with can apply if:\n\n- you\u2019re already the child\u2019s legal guardian\n\n- the child lives with you because of a child arrangements order\n\n- the child has lived with you for 3 of the past 5 years\n\n- you\u2019re the child\u2019s relative or a foster parent, and the child has been living with you for at least 1 year\n\n- you have the agreement of anyone named in a child arrangements order as someone who the child will live with\n\n- you have the agreement of all the people with parental responsibility for the child\n\n- you have the agreement of the local council, if the child is in care\n\nIf you do not fit one of these descriptions, you\u2019ll need to ask the court\u2019s permission to apply. You\u2019ll need to send the following forms to your local family court:\n\n- \u2018Make an application in existing court proceedings relating to children\u2019 (form C2)\n\n- \u2018Family mediation and assessment meeting\u2019 (form FM1)\n\n## Apply\n\nYou can use a family mediator to help make arrangements with the child\u2019s family to avoid having to apply to the court.\n\nIt costs \u00a3215 to apply to the court. You may be able to get help with court fees if you\u2019re on benefits or a low income.\n\n## Before you apply\n\nThree months before you apply to become a special guardian you need to tell your local council in writing that you plan to make an application.\n\nYou also need to tell anyone named in existing court proceedings or orders about the child that you plan to make an application.\n\n## Applying to the court\n\nFill in these forms and send them to your local family court:\n\n- an \u2018Application for an order\u2019 (form C1)\n\n- a supporting statement (form C13A)\n\n- a \u2018Family mediation information and assessment meeting\u2019 form (FM1) to show you\u2019ve been through mediation or why you could not go\n\nMake copies of your completed forms before you send your application to the court. You\u2019ll need to send these copies to each person affected by the application after you apply.\n\nFind your local family court.\n\n## If you want to keep your details private\n\nYou can apply to keep your and the child\u2019s contact details private throughout the court proceedings.\n\nFill in \u2018Apply to keep your contact details confidential from other parties in family proceedings\u2019 (form C8) and send it with your application.\n\n## After you apply\n\nWithin 10 days of receiving your application the court will send you a case number and a date for a meeting to set out:\n\n- a timetable for your case\n\n- how it will be dealt with\n\nThis meeting is called a \u2018first directions hearing\u2019.\n\nYou must go to all hearings you\u2019re told to unless the court excuses you. If you\u2019re not able to go, contact the court office.\n\n## Contact people in the child\u2019s life\n\nYou must send the date and location of the hearing along with copies of your application to everyone with parental responsibility for the child.\n\nIf there is a current care order about the child, you should also send details of the hearing and copies of your application to:\n\n- everyone you believe had parental responsibility before the current court-made care order\n\n- the court-appointed Cafcass children\u2019s guardian\n\nYou must also tell the following people and organisations that you\u2019ve applied:\n\n- the children\u2019s services department of your local council or the council local to where the child is staying, if that is different\n\n- everyone who cares for the child\n\n- the home where the child stays if it is a registered children\u2019s home or a voluntary home and it is a refuge\n\n- everyone the child has lived with for at least 3 years before you made the application\n\n- anyone else named in a current court order\n\n- anyone involved in any other ongoing proceedings that might be affected by your application\n\n## The final hearing\n\nThe court will decide if a special guardianship order is in the best interests of the child after looking at all the evidence, and in some cases, hearing from witnesses.\n\nIf the court agrees, they will send the final order to you and the other people involved in the case, including the birth parents.\n\n## Financial help for special guardians\n\nYou might be able to get a special guardian allowance from the children\u2019s services department of your local council.", + "original_contents": [ + "

    What is a special guardian

    ", + "

    You can apply to be a child\u2019s special guardian when they cannot live with their birth parents and adoption is not right for them.

    ", + "

    You\u2019ll be responsible for looking after the child until they\u2019re 18 (unless the court takes your responsibility away earlier).

    ", + "

    You\u2019ll make all day to day decisions about the child, for example schooling and medical treatment. You do not have to discuss these decisions with the birth parents.

    ", + "

    You\u2019ll need to get the consent of everyone who has parental responsibility for the child before you make some important decisions, for example:

    ", + "
  • changing the child\u2019s surname
  • ", + "
  • putting the child up for adoption
  • ", + "
  • taking the child abroad for more than 3 months
  • ", + "
  • the child having surgery for reasons other than improving health, such as circumcision, sterilisation or cosmetic surgery
  • ", + "

    If you cannot get consent, you can ask the court to decide. Use the form \u2018Make an application in existing court proceedings related to children\u2019 (form C2).

    ", + "

    Who can apply

    ", + "

    You can apply to be a child\u2019s special guardian if you\u2019re not their parent and you\u2019re over 18.

    ", + "

    You can make an application with someone else. This is known as a joint claim.

    ", + "

    You and anyone you\u2019re applying with can apply if:

    ", + "
  • you\u2019re already the child\u2019s legal guardian
  • ", + "
  • the child lives with you because of a child arrangements order
  • ", + "
  • the child has lived with you for 3 of the past 5 years
  • ", + "
  • you\u2019re the child\u2019s relative or a foster parent, and the child has been living with you for at least 1 year
  • ", + "
  • you have the agreement of anyone named in a child arrangements order as someone who the child will live with
  • ", + "
  • you have the agreement of all the people with parental responsibility for the child
  • ", + "
  • you have the agreement of the local council, if the child is in care
  • ", + "

    If you do not fit one of these descriptions, you\u2019ll need to ask the court\u2019s permission to apply. You\u2019ll need to send the following forms to your local family court:

    ", + "
  • \u2018Make an application in existing court proceedings relating to children\u2019 (form C2)
  • ", + "
  • \u2018Family mediation and assessment meeting\u2019 (form FM1)
  • ", + "

    Apply

    ", + "

    You can use a family mediator to help make arrangements with the child\u2019s family to avoid having to apply to the court.

    ", + "

    It costs \u00a3215 to apply to the court. You may be able to get help with court fees if you\u2019re on benefits or a low income.

    ", + "

    Before you apply

    ", + "

    Three months before you apply to become a special guardian you need to tell your local council in writing that you plan to make an application.

    ", + "

    You also need to tell anyone named in existing court proceedings or orders about the child that you plan to make an application.

    ", + "

    Applying to the court

    ", + "

    Fill in these forms and send them to your local family court:

    ", + "
  • an \u2018Application for an order\u2019 (form C1)
  • ", + "
  • a supporting statement (form C13A)
  • ", + "
  • a \u2018Family mediation information and assessment meeting\u2019 form (FM1) to show you\u2019ve been through mediation or why you could not go
  • ", + "

    Make copies of your completed forms before you send your application to the court. You\u2019ll need to send these copies to each person affected by the application after you apply.

    ", + "

    Find your local family court.

    ", + "

    If you want to keep your details private

    ", + "

    You can apply to keep your and the child\u2019s contact details private throughout the court proceedings.

    ", + "

    Fill in \u2018Apply to keep your contact details confidential from other parties in family proceedings\u2019 (form C8) and send it with your application.

    ", + "

    After you apply

    ", + "

    Within 10 days of receiving your application the court will send you a case number and a date for a meeting to set out:

    ", + "
  • a timetable for your case
  • ", + "
  • how it will be dealt with
  • ", + "

    This meeting is called a \u2018first directions hearing\u2019.

    ", + "

    You must go to all hearings you\u2019re told to unless the court excuses you. If you\u2019re not able to go, contact the court office.

    ", + "

    Contact people in the child\u2019s life

    ", + "

    You must send the date and location of the hearing along with copies of your application to everyone with parental responsibility for the child.

    ", + "

    If there is a current care order about the child, you should also send details of the hearing and copies of your application to:

    ", + "
  • everyone you believe had parental responsibility before the current court-made care order
  • ", + "
  • the court-appointed Cafcass children\u2019s guardian
  • ", + "

    You must also tell the following people and organisations that you\u2019ve applied:

    ", + "
  • the children\u2019s services department of your local council or the council local to where the child is staying, if that is different
  • ", + "
  • everyone who cares for the child
  • ", + "
  • the home where the child stays if it is a registered children\u2019s home or a voluntary home and it is a refuge
  • ", + "
  • everyone the child has lived with for at least 3 years before you made the application
  • ", + "
  • anyone else named in a current court order
  • ", + "
  • anyone involved in any other ongoing proceedings that might be affected by your application
  • ", + "

    The final hearing

    ", + "

    The court will decide if a special guardianship order is in the best interests of the child after looking at all the evidence, and in some cases, hearing from witnesses.

    ", + "

    If the court agrees, they will send the final order to you and the other people involved in the case, including the birth parents.

    ", + "

    Financial help for special guardians

    ", + "

    You might be able to get a special guardian allowance from the children\u2019s services department of your local council.

    " + ] + }, + "https://www.gov.uk/becoming-foster-parent": { + "url": "https://www.gov.uk/becoming-foster-parent", + "title": "Becoming a foster parent", + "content": "## Who can foster\n\nBeing a foster parent means caring for a child as part of your family. To become a foster parent you need to be:\n\n- at least 21 years old\n\n- a UK resident or have indefinite leave to remain\n\n- able to take care of a child or young person, often on a full-time basis\n\nHow long you care for the child depends on the type of foster care. It can range from one night to many years, or until the child is an adult.\n\nIf you\u2019re already fostering a child, there\u2019s more information about help and support for foster parents.\n\nYou may be able to work and foster. Whether you can depends on the child\u2019s circumstances and the fostering service you apply to. This can be your local council or an independent fostering agency.\n\nYou do not need to own your home, but usually you\u2019ll need to have a spare bedroom.\n\nBefore you can foster, you must pass an assessment to check that you\u2019re able to care for a child. You will not be assessed on your age, ethnicity, gender, marital status, religion or sexual orientation.\n\nYou do not have a statutory right to time off work to care for foster children.\n\n## Your responsibilities\n\nIf you become a foster parent you\u2019ll need to:\n\n- care for the child as part of a team - this could include a local authority, schools, health professionals and the child\u2019s birth family\n\n- keep records and write reports about the foster child\n\n- attend meetings and advocate for the child\n\n- help the child manage their behaviour and feelings\n\n- attend training\n\nCall Fosterline for free to get advice on fostering. You can also read more about fostering on the Fosterline website.\n\n## Types of foster care\n\nThere are many types of foster care. The application process is the same for all types.\n\n## Long term\n\nYou foster children who cannot go back to their birth family but do not want to be adopted. Usually, you\u2019ll be their foster parent until they\u2019re an adult.\n\n## Short term\n\nYou look after children for a few weeks or months while plans are made for their future.\n\n## \u2018Family and friends\u2019 or \u2018kinship\u2019\n\nYou care for a child who you know or is part of your family - for example, your grandchild. Contact your council for information about becoming a \u2018family and friends\u2019 or \u2018kinship\u2019 carer.\n\n## Emergency\n\nYou give a child somewhere safe to stay for a few nights or weeks. This is usually unplanned and you could get less than 24 hours\u2019 notice.\n\n## Respite and short breaks\n\nYou care for children who have disabilities, special educational needs or behavioural issues while their parents or usual foster carers take a break.\n\n## Remand\n\nYou take care of young people who\u2019ve been remanded by a court. You must have specialist training to be this type of foster parent.\n\n## Fostering for adoption\n\nYou foster babies or young children who you may go on to adopt. If you\u2019re fostering for adoption you\u2019ll be entitled to adoption pay and leave from when the child comes to live with you.\n\n## Specialist therapeutic\n\nYou provide specialist therapeutic care to children and young people with complex needs or challenging behaviour. This is for experienced foster parents or those with certain skills.\n\n## Help with the cost of fostering\n\nAll foster parents receive a foster care allowance to cover the cost of caring for a child.\n\nThe minimum is usually between \u00a3134 and \u00a3235 a week. The total amount you get depends on:\n\n- where you live\n\n- which fostering service you use\n\n- the child\u2019s age\n\n- if the child has specific needs\n\n- your skills and experience\n\nThe fostering service you apply to will tell you how much you can get.\n\nThere\u2019s more information about financial help in the guide for foster parents.\n\n## Tax arrangements when you foster\n\nWhen you start fostering, you\u2019ll need to register as self-employed and file tax returns.\n\nYou\u2019ll also be entitled to qualifying care relief which means you\u2019ll:\n\n- earn \u00a310,000 from fostering before you have to pay tax\n\n- get tax relief for every week you foster a child\n\nThere\u2019s more information about paying tax in the guide for foster parents.\n\n## Claiming benefits\n\nBeing a foster parent can affect the benefits you get. If you\u2019re claiming benefits you\u2019ll need to tell the organisation that pays you that you\u2019re also getting foster care allowance.\n\nUse a benefits calculator to check what benefits you\u2019re eligible for.\n\nFor more help on how your benefits may change, contact:\n\n- the organisation that pays you\n\n- Fosterline - a free fostering advice service\n\n## Applying to become a foster parent\n\nThe process starts when you apply to become a foster parent and finishes with a decision from the fostering service. The process can take up to 8 months to complete.\n\nSteps 2 to 6 might happen in a different order.\n\n- You apply to become a foster parent through your local council or an independent fostering agency. You can only register with one fostering service.\n\n- The council or agency asks you to go to a preparation course on fostering.\n\n- You and every adult that lives with you will need to get an enhanced Disclosure and Barring Service (DBS) certificate.\n\n- A social worker assesses you and your family to check that you\u2019re able to care for a child.\n\n- You state any preferences about the children you\u2019ll care for, like age or gender. You cannot choose a child out of a group of children and you do not get a trial period with a foster child.\n\n- The fostering service reviews your application. You\u2019ll need to meet with their panel who will make a recommendation.\n\n- The fostering service makes a decision on your application.\n\n## Your fostering assessment\n\nBefore you can foster a child you must pass an assessment by a social worker.\n\nAssessments have 2 stages that might be done separately or at the same time.\n\n## Stage 1 - practical information about your circumstances\n\nA social worker will ask questions to assess if fostering is right for you. They will ask:\n\n- about the property you live in and any pets you have\n\n- for your personal information including your relationship history\n\n- about your general level of health (you\u2019ll need to get a medical statement, usually from a GP)\n\n- if you or anyone in your home has ever applied to foster, adopt, or become a childminder\n\n- about who else is living with you, including other children\n\n- about children in the family who do not live with you\n\n- for the names and addresses of at least 2 people who can give references for you and every adult who lives with you (they do not have to be the same 2 people for everyone)\n\nThey can ask for more information or run other checks.\n\n## Stage 2 - detailed information about you and your family\n\nA social worker will ask more questions so that they can get to know you and your family. They will ask:\n\n- about your personality\n\n- if you have religious beliefs\n\n- for your ethnicity, cultural background and what languages you speak\n\n- if you\u2019re willing and able to care for a child of a different religion, ethnicity or cultural background\n\n- for your employment history and about your standard of living\n\n- about your hobbies and interests\n\n- if you have ever cared for children\n\n- if you have any useful skills relevant to fostering\n\n## Where you\u2019ll be assessed\n\nDifferent fostering services assess you in different ways, for example they could:\n\n- visit you at home\n\n- call you\n\n- invite you to meetings\n\n## After you've applied\n\nThe fostering service will contact you to tell you the result of your application.\n\nIf you\u2019re approved you\u2019ll start training and meet your social workers.\n\nIf you\u2019re not approved you can appeal the decision. The fostering service should also tell you the reasons why you were not approved.\n\n## Once you\u2019re approved\n\nThe fostering service will add you to their list of available foster parents.\n\nThey\u2019ll send you a profile of any child they think is a good fit. Once you\u2019ve let the fostering service know if you\u2019d like to foster the child, they\u2019ll tell if you\u2019ve been chosen.\n\nIn some cases you\u2019ll get to meet the child before they come to live with you. You might not if it\u2019s an emergency placement.\n\nYou\u2019ll get training and support throughout the time you\u2019re fostering.\n\nYou have the right to end a placement by giving 28 days\u2019 notice.", + "original_contents": [ + "

    Who can foster

    ", + "

    Being a foster parent means caring for a child as part of your family. To become a foster parent you need to be:

    ", + "
  • at least 21 years old
  • ", + "
  • a UK resident or have indefinite leave to remain
  • ", + "
  • able to take care of a child or young person, often on a full-time basis
  • ", + "

    How long you care for the child depends on the type of foster care. It can range from one night to many years, or until the child is an adult.

    ", + "

    If you\u2019re already fostering a child, there\u2019s more information about help and support for foster parents.

    ", + "

    You may be able to work and foster. Whether you can depends on the child\u2019s circumstances and the fostering service you apply to. This can be your local council or an independent fostering agency.

    ", + "

    You do not need to own your home, but usually you\u2019ll need to have a spare bedroom.

    ", + "

    Before you can foster, you must pass an assessment to check that you\u2019re able to care for a child. You will not be assessed on your age, ethnicity, gender, marital status, religion or sexual orientation.

    ", + "

    You do not have a statutory right to time off work to care for foster children.

    ", + "

    Your responsibilities

    ", + "

    If you become a foster parent you\u2019ll need to:

    ", + "
  • care for the child as part of a team - this could include a local authority, schools, health professionals and the child\u2019s birth family
  • ", + "
  • keep records and write reports about the foster child
  • ", + "
  • attend meetings and advocate for the child
  • ", + "
  • help the child manage their behaviour and feelings
  • ", + "
  • attend training
  • ", + "

    Call Fosterline for free to get advice on fostering. You can also read more about fostering on the Fosterline website.

    ", + "

    Types of foster care

    ", + "

    There are many types of foster care. The application process is the same for all types.

    ", + "

    Long term

    ", + "

    You foster children who cannot go back to their birth family but do not want to be adopted. Usually, you\u2019ll be their foster parent until they\u2019re an adult.

    ", + "

    Short term

    ", + "

    You look after children for a few weeks or months while plans are made for their future.

    ", + "

    \u2018Family and friends\u2019 or \u2018kinship\u2019

    ", + "

    You care for a child who you know or is part of your family - for example, your grandchild. Contact your council for information about becoming a \u2018family and friends\u2019 or \u2018kinship\u2019 carer.

    ", + "

    Emergency

    ", + "

    You give a child somewhere safe to stay for a few nights or weeks. This is usually unplanned and you could get less than 24 hours\u2019 notice.

    ", + "

    Respite and short breaks

    ", + "

    You care for children who have disabilities, special educational needs or behavioural issues while their parents or usual foster carers take a break.

    ", + "

    Remand

    ", + "

    You take care of young people who\u2019ve been remanded by a court. You must have specialist training to be this type of foster parent.

    ", + "

    Fostering for adoption

    ", + "

    You foster babies or young children who you may go on to adopt. If you\u2019re fostering for adoption you\u2019ll be entitled to adoption pay and leave from when the child comes to live with you.

    ", + "

    Specialist therapeutic

    ", + "

    You provide specialist therapeutic care to children and young people with complex needs or challenging behaviour. This is for experienced foster parents or those with certain skills.

    ", + "

    Help with the cost of fostering

    ", + "

    All foster parents receive a foster care allowance to cover the cost of caring for a child.

    ", + "

    The minimum is usually between \u00a3134 and \u00a3235 a week. The total amount you get depends on:

    ", + "
  • where you live
  • ", + "
  • which fostering service you use
  • ", + "
  • the child\u2019s age
  • ", + "
  • if the child has specific needs
  • ", + "
  • your skills and experience
  • ", + "

    The fostering service you apply to will tell you how much you can get.

    ", + "

    There\u2019s more information about financial help in the guide for foster parents.

    ", + "

    Tax arrangements when you foster

    ", + "

    When you start fostering, you\u2019ll need to register as self-employed and file tax returns.

    ", + "

    You\u2019ll also be entitled to qualifying care relief which means you\u2019ll:

    ", + "
  • earn \u00a310,000 from fostering before you have to pay tax
  • ", + "
  • get tax relief for every week you foster a child
  • ", + "

    There\u2019s more information about paying tax in the guide for foster parents.

    ", + "

    Claiming benefits

    ", + "

    Being a foster parent can affect the benefits you get. If you\u2019re claiming benefits you\u2019ll need to tell the organisation that pays you that you\u2019re also getting foster care allowance.

    ", + "

    Use a benefits calculator to check what benefits you\u2019re eligible for.

    ", + "

    For more help on how your benefits may change, contact:

    ", + "
  • the organisation that pays you
  • ", + "
  • Fosterline - a free fostering advice service
  • ", + "

    Applying to become a foster parent

    ", + "

    The process starts when you apply to become a foster parent and finishes with a decision from the fostering service. The process can take up to 8 months to complete.

    ", + "

    Steps 2 to 6 might happen in a different order.

    ", + "
  • You apply to become a foster parent through your local council or an independent fostering agency. You can only register with one fostering service.
  • ", + "
  • The council or agency asks you to go to a preparation course on fostering.
  • ", + "
  • You and every adult that lives with you will need to get an enhanced Disclosure and Barring Service (DBS) certificate.
  • ", + "
  • A social worker assesses you and your family to check that you\u2019re able to care for a child.
  • ", + "
  • You state any preferences about the children you\u2019ll care for, like age or gender. You cannot choose a child out of a group of children and you do not get a trial period with a foster child.
  • ", + "
  • The fostering service reviews your application. You\u2019ll need to meet with their panel who will make a recommendation.
  • ", + "
  • The fostering service makes a decision on your application.
  • ", + "

    Your fostering assessment

    ", + "

    Before you can foster a child you must pass an assessment by a social worker.

    ", + "

    Assessments have 2 stages that might be done separately or at the same time.

    ", + "

    Stage 1 - practical information about your circumstances

    ", + "

    A social worker will ask questions to assess if fostering is right for you. They will ask:

    ", + "
  • about the property you live in and any pets you have
  • ", + "
  • for your personal information including your relationship history
  • ", + "
  • about your general level of health (you\u2019ll need to get a medical statement, usually from a GP)
  • ", + "
  • if you or anyone in your home has ever applied to foster, adopt, or become a childminder
  • ", + "
  • about who else is living with you, including other children
  • ", + "
  • about children in the family who do not live with you
  • ", + "
  • for the names and addresses of at least 2 people who can give references for you and every adult who lives with you (they do not have to be the same 2 people for everyone)
  • ", + "

    They can ask for more information or run other checks.

    ", + "

    Stage 2 - detailed information about you and your family

    ", + "

    A social worker will ask more questions so that they can get to know you and your family. They will ask:

    ", + "
  • about your personality
  • ", + "
  • if you have religious beliefs
  • ", + "
  • for your ethnicity, cultural background and what languages you speak
  • ", + "
  • if you\u2019re willing and able to care for a child of a different religion, ethnicity or cultural background
  • ", + "
  • for your employment history and about your standard of living
  • ", + "
  • about your hobbies and interests
  • ", + "
  • if you have ever cared for children
  • ", + "
  • if you have any useful skills relevant to fostering
  • ", + "

    Where you\u2019ll be assessed

    ", + "

    Different fostering services assess you in different ways, for example they could:

    ", + "
  • visit you at home
  • ", + "
  • call you
  • ", + "
  • invite you to meetings
  • ", + "

    After you've applied

    ", + "

    The fostering service will contact you to tell you the result of your application.

    ", + "

    If you\u2019re approved you\u2019ll start training and meet your social workers.

    ", + "

    If you\u2019re not approved you can appeal the decision. The fostering service should also tell you the reasons why you were not approved.

    ", + "

    Once you\u2019re approved

    ", + "

    The fostering service will add you to their list of available foster parents.

    ", + "

    They\u2019ll send you a profile of any child they think is a good fit. Once you\u2019ve let the fostering service know if you\u2019d like to foster the child, they\u2019ll tell if you\u2019ve been chosen.

    ", + "

    In some cases you\u2019ll get to meet the child before they come to live with you. You might not if it\u2019s an emergency placement.

    ", + "

    You\u2019ll get training and support throughout the time you\u2019re fostering.

    ", + "

    You have the right to end a placement by giving 28 days\u2019 notice.

    " + ] + }, + "https://www.gov.uk/child-trust-funds": { + "url": "https://www.gov.uk/child-trust-funds", + "title": "Child Trust Fund", + "content": "## Overview\n\nA Child Trust Fund (CTF) is a long-term tax-free savings account for children.\n\nYou cannot apply for a new Child Trust Fund because the scheme is now closed. You can apply for a Junior ISA instead.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## If you already have a Child Trust Fund\n\nYou can continue to add up to \u00a39,000 a year to your CTF account. The money belongs to the child and they can only take it out when they\u2019re 18. They can take control of the account when they\u2019re 16.\n\nThere\u2019s no tax to pay on the CTF income or any profit it makes. It will not affect any benefits or tax credits you receive.\n\n## Managing the account\n\nIf you\u2019re the main contact for the Child Trust Fund (CTF) account you\u2019re called the \u2018registered contact\u2019. You have certain responsibilities until the child turns 18, or until the child takes control of their own account.\n\n## Your responsibilities as the registered contact\n\nYou\u2019re the only person who can:\n\n- tell the account provider how to invest the fund and run the account\n\n- change the address and other personal details\n\n- change the type of account, for example from cash to stocks and shares\n\n- move the account to another provider\n\nContact your CTF provider to do this.\n\n## Moving to a different account\n\nYou can transfer a CTF account to a Junior ISA. Contact a Junior ISA provider to do this.\n\n## Records you need to keep\n\nKeep the following paperwork:\n\n- your child\u2019s Unique Reference Number (you\u2019ll find this on your annual CTF statement)\n\n- the account statements\n\n- details of the account type and the provider\n\n## Change a registered contact\n\nYou can change the registered contact to someone with parental responsibility for the child, like a parent, step-parent or legal guardian if both parties agree to this.\n\nYour CTF provider can tell you how to change the registered contact of a CTF account.\n\n## When your child is 16 or 18\n\nOnce your child turns 16, they can either:\n\n- take over the account by contacting the CTF provider\n\n- leave you in charge of the account\n\nWhen the child turns 18, they take over the account and can take out the money.\n\n## If your child lacks the mental capacity to manage their account when it matures\n\nYou, or a close friend or relative, need to apply to the Court of Protection (COP) for a financial deputyship order so you can manage your child\u2019s account when they turn 18. Once the account matures, the money can either be taken out or transferred into an ISA.\n\nIn Scotland, applications need to be made to the Office of the Public Guardian in Scotland.\n\nIn Northern Ireland, applications need to be made to the Office of Care and Protection.\n\n## Add money to the account\n\nAnyone can pay money into a Child Trust Fund (CTF) account.\n\nYou cannot apply for a new Child Trust Fund because the scheme is now closed. You can apply for a Junior ISA instead.\n\n## How much you can add\n\nYou can put up to \u00a39,000 a year into the account - the year starts on the child\u2019s birthday and ends the day before their next birthday.\n\nIf you do not use the \u00a39,000 limit, you cannot carry any unused amount over to the following year.\n\n## How to pay money in\n\nFor stakeholder accounts you can add money by:\n\n- cheque\n\n- standing order\n\n- direct debit\n\nFor savings or share accounts, check with your provider.\n\n## Government payments\n\nPayments made by the government do not count towards the \u00a39,000, apart from \npayments made by a local council to a child in care.\n\n## Find a Child Trust Fund\n\nYou can find out where a Child Trust Fund (CTF) is held if you do not know the provider.\n\nFill in the form online to ask HM Revenue and Customs (HMRC) where the account was originally opened.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you fill in the online form.\n\nIf you\u2019re a parent looking for your child\u2019s trust fund, you\u2019ll need either:\n\n- the child\u2019s Unique Reference Number (you\u2019ll find this on your annual CTF statement)\n\n- their National Insurance number\n\nIf you\u2019re looking for your own trust fund, you\u2019ll need your National Insurance number.\n\nHMRC will send you details of the CTF provider by post within 3 weeks of receiving your request.\n\nHMRC will contact you for more information if you\u2019ve adopted the child or a court has given you parental responsibility for them.\n\n## Applying by post\n\nYou can also contact HMRC by post to find out where a CTF is held.\n\nIf you\u2019re a parent looking for your child\u2019s trust fund, you\u2019ll need to include your full name and address and all of the following:\n\n- child\u2019s full name and address\n\n- child\u2019s date of birth\n\n- child\u2019s National Insurance number or Unique Reference Number if known\n\nIf you\u2019re looking for your own trust fund, you\u2019ll need to include all of the following:\n\n- your full name and address\n\n- your date of birth\n\n- your National Insurance number or Unique Reference Number if known\n\n## Accounts for children in care\n\nSome children looked after by local authorities have a Child Trust Fund (CTF) account set up on their behalf. The Share Foundation acts as the registered contact for these accounts.\n\n## How the account is managed\n\nThe Share Foundation manages the CTF account for the child and will:\n\n- write to the child when they take control of the account\n\n- change the type of CTF account and provider if necessary and write to the child to explain why the change was made\n\n- send account statements to the child\n\nThey\u2019ll manage the account until:\n\n- the child turns 18\n\n- the child turns 16 and decides to manage the account themselves\n\n- someone takes parental responsibility for the child, for example through adoption\n\n## Take over the management of an account\n\nContact the Share Foundation if you\u2019re taking parental responsibility for a child and want to manage their CTF account.\n\nYou\u2019ll need to provide evidence of parental responsibility, for example an adoption certificate.\n\nYou\u2019ll get a letter confirming that you can take over responsibility for the account. Show this to the CTF provider who can update the account to say you\u2019re the registered contact.\n\n## When a child in care turns 16\n\nThe Share Foundation will write to the child about 2 months before their 16th birthday, telling them how to become the registered contact for the account.\n\nIf they choose to take control of the account, they can:\n\n- start managing it when they turn 16\n\n- withdraw money when they turn 18\n\n## If your child is terminally ill or dies\n\nIf your child is terminally ill you can take money out of their Child Trust Fund (CTF) account. If they die, the money passes to whoever inherits their estate (property and possessions).\n\n## If your child is terminally ill\n\n\u2018Terminally ill\u2019 means they have a disease or illness that\u2019s going to get worse and are not likely to live more than 6 months. Only the registered contact can take money out of the account.\n\n## What you need to do\n\nFill in the terminal illness early access form to let HM Revenue and Customs (HMRC) know that:\n\n- your child is terminally ill\n\n- you want to take the money out of the account\n\nYou\u2019ll need to provide evidence that your child is terminally ill.\n\n## If your child dies\n\nThe money in the account will be paid to the person who inherits the child\u2019s estate. This is often one of the child\u2019s parents, but if your child was married, it could be their husband or wife.\n\nIf you get Child Benefit for a child who has died this can still carry on for a short time.\n\n## What you need to do\n\nTell the CTF account provider. They\u2019ll usually need proof, for example the death certificate.", + "original_contents": [ + "

    Overview

    ", + "

    A Child Trust Fund (CTF) is a long-term tax-free savings account for children.

    ", + "

    You cannot apply for a new Child Trust Fund because the scheme is now closed. You can apply for a Junior ISA instead.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you already have a Child Trust Fund

    ", + "

    You can continue to add up to \u00a39,000 a year to your CTF account. The money belongs to the child and they can only take it out when they\u2019re 18. They can take control of the account when they\u2019re 16.

    ", + "

    There\u2019s no tax to pay on the CTF income or any profit it makes. It will not affect any benefits or tax credits you receive.

    ", + "

    Managing the account

    ", + "

    If you\u2019re the main contact for the Child Trust Fund (CTF) account you\u2019re called the \u2018registered contact\u2019. You have certain responsibilities until the child turns 18, or until the child takes control of their own account.

    ", + "

    Your responsibilities as the registered contact

    ", + "

    You\u2019re the only person who can:

    ", + "
  • tell the account provider how to invest the fund and run the account
  • ", + "
  • change the address and other personal details
  • ", + "
  • change the type of account, for example from cash to stocks and shares
  • ", + "
  • move the account to another provider
  • ", + "

    Contact your CTF provider to do this.

    ", + "

    Moving to a different account

    ", + "

    You can transfer a CTF account to a Junior ISA. Contact a Junior ISA provider to do this.

    ", + "

    Records you need to keep

    ", + "

    Keep the following paperwork:

    ", + "
  • your child\u2019s Unique Reference Number (you\u2019ll find this on your annual CTF statement)
  • ", + "
  • the account statements
  • ", + "
  • details of the account type and the provider
  • ", + "

    Change a registered contact

    ", + "

    You can change the registered contact to someone with parental responsibility for the child, like a parent, step-parent or legal guardian if both parties agree to this.

    ", + "

    Your CTF provider can tell you how to change the registered contact of a CTF account.

    ", + "

    When your child is 16 or 18

    ", + "

    Once your child turns 16, they can either:

    ", + "
  • take over the account by contacting the CTF provider
  • ", + "
  • leave you in charge of the account
  • ", + "

    When the child turns 18, they take over the account and can take out the money.

    ", + "

    If your child lacks the mental capacity to manage their account when it matures

    ", + "

    You, or a close friend or relative, need to apply to the Court of Protection (COP) for a financial deputyship order so you can manage your child\u2019s account when they turn 18. Once the account matures, the money can either be taken out or transferred into an ISA.

    ", + "

    In Scotland, applications need to be made to the Office of the Public Guardian in Scotland.

    ", + "

    In Northern Ireland, applications need to be made to the Office of Care and Protection.

    ", + "

    Add money to the account

    ", + "

    Anyone can pay money into a Child Trust Fund (CTF) account.

    ", + "

    You cannot apply for a new Child Trust Fund because the scheme is now closed. You can apply for a Junior ISA instead.

    ", + "

    How much you can add

    ", + "

    You can put up to \u00a39,000 a year into the account - the year starts on the child\u2019s birthday and ends the day before their next birthday.

    ", + "

    If you do not use the \u00a39,000 limit, you cannot carry any unused amount over to the following year.

    ", + "

    How to pay money in

    ", + "

    For stakeholder accounts you can add money by:

    ", + "
  • cheque
  • ", + "
  • standing order
  • ", + "
  • direct debit
  • ", + "

    For savings or share accounts, check with your provider.

    ", + "

    Government payments

    ", + "

    Payments made by the government do not count towards the \u00a39,000, apart from \npayments made by a local council to a child in care.

    ", + "

    Find a Child Trust Fund

    ", + "

    You can find out where a Child Trust Fund (CTF) is held if you do not know the provider.

    ", + "

    Fill in the form online to ask HM Revenue and Customs (HMRC) where the account was originally opened.

    ", + "

    You\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you fill in the online form.

    ", + "

    If you\u2019re a parent looking for your child\u2019s trust fund, you\u2019ll need either:

    ", + "
  • the child\u2019s Unique Reference Number (you\u2019ll find this on your annual CTF statement)
  • ", + "
  • their National Insurance number
  • ", + "

    If you\u2019re looking for your own trust fund, you\u2019ll need your National Insurance number.

    ", + "

    HMRC will send you details of the CTF provider by post within 3 weeks of receiving your request.

    ", + "

    HMRC will contact you for more information if you\u2019ve adopted the child or a court has given you parental responsibility for them.

    ", + "

    Applying by post

    ", + "

    You can also contact HMRC by post to find out where a CTF is held.

    ", + "

    If you\u2019re a parent looking for your child\u2019s trust fund, you\u2019ll need to include your full name and address and all of the following:

    ", + "
  • child\u2019s full name and address
  • ", + "
  • child\u2019s date of birth
  • ", + "
  • child\u2019s National Insurance number or Unique Reference Number if known
  • ", + "

    If you\u2019re looking for your own trust fund, you\u2019ll need to include all of the following:

    ", + "
  • your full name and address
  • ", + "
  • your date of birth
  • ", + "
  • your National Insurance number or Unique Reference Number if known
  • ", + "

    Accounts for children in care

    ", + "

    Some children looked after by local authorities have a Child Trust Fund (CTF) account set up on their behalf. The Share Foundation acts as the registered contact for these accounts.

    ", + "

    How the account is managed

    ", + "

    The Share Foundation manages the CTF account for the child and will:

    ", + "
  • write to the child when they take control of the account
  • ", + "
  • change the type of CTF account and provider if necessary and write to the child to explain why the change was made
  • ", + "
  • send account statements to the child
  • ", + "

    They\u2019ll manage the account until:

    ", + "
  • the child turns 18
  • ", + "
  • the child turns 16 and decides to manage the account themselves
  • ", + "
  • someone takes parental responsibility for the child, for example through adoption
  • ", + "

    Take over the management of an account

    ", + "

    Contact the Share Foundation if you\u2019re taking parental responsibility for a child and want to manage their CTF account.

    ", + "

    You\u2019ll need to provide evidence of parental responsibility, for example an adoption certificate.

    ", + "

    You\u2019ll get a letter confirming that you can take over responsibility for the account. Show this to the CTF provider who can update the account to say you\u2019re the registered contact.

    ", + "

    When a child in care turns 16

    ", + "

    The Share Foundation will write to the child about 2 months before their 16th birthday, telling them how to become the registered contact for the account.

    ", + "

    If they choose to take control of the account, they can:

    ", + "
  • start managing it when they turn 16
  • ", + "
  • withdraw money when they turn 18
  • ", + "

    If your child is terminally ill or dies

    ", + "

    If your child is terminally ill you can take money out of their Child Trust Fund (CTF) account. If they die, the money passes to whoever inherits their estate (property and possessions).

    ", + "

    If your child is terminally ill

    ", + "

    \u2018Terminally ill\u2019 means they have a disease or illness that\u2019s going to get worse and are not likely to live more than 6 months. Only the registered contact can take money out of the account.

    ", + "

    What you need to do

    ", + "

    Fill in the terminal illness early access form to let HM Revenue and Customs (HMRC) know that:

    ", + "
  • your child is terminally ill
  • ", + "
  • you want to take the money out of the account
  • ", + "

    You\u2019ll need to provide evidence that your child is terminally ill.

    ", + "

    If your child dies

    ", + "

    The money in the account will be paid to the person who inherits the child\u2019s estate. This is often one of the child\u2019s parents, but if your child was married, it could be their husband or wife.

    ", + "

    If you get Child Benefit for a child who has died this can still carry on for a short time.

    ", + "

    What you need to do

    ", + "

    Tell the CTF account provider. They\u2019ll usually need proof, for example the death certificate.

    " + ] + }, + "https://www.gov.uk/child-adoption": { + "url": "https://www.gov.uk/child-adoption", + "title": "Child adoption", + "content": "## Overview\n\nTo be adopted, a child must:\n\n- be under the age of 18 when the adoption application is made\n\n- not be (or have never been) married or in a civil partnership\n\n## The child\u2019s birth parents\n\nBoth birth parents normally have to agree (consent) to the adoption, unless:\n\n- they cannot be found\n\n- they\u2019re incapable of giving consent, for example due to a mental disability\n\n- the child would be put at risk if they were not adopted\n\n## Who can adopt a child\n\nYou may be able to adopt a child if you\u2019re aged 21 or over (there\u2019s no upper age limit) and either:\n\n- single\n\n- married\n\n- in a civil partnership\n\n- an unmarried couple (same sex and opposite sex)\n\n- the partner of the child\u2019s parent\n\nThere are different rules for private adoptions and adoptions of looked-after children.\n\n## Living in the UK\n\nYou do not have to be a British citizen to adopt a child, but:\n\n- you (or your partner, if you\u2019re a couple) must have a fixed and permanent home in the UK, Channel Islands or the Isle of Man\n\n- you (and your partner, if you\u2019re a couple) must have lived in the UK for at least 1 year before you begin the application process\n\n## Adoption Support Fund\n\nYou may be able to get funding from the Adoption Support Fund. It provides money for therapy for children and families to help improve relationships, confidence and behaviour. Your social worker can apply for you.\n\nIf you\u2019re not happy with how the social worker has handled the application, complain to the council. If you\u2019re not happy with the council\u2019s response, contact the Adoption Support Fund team.\n\n## Early stages of adoption\n\nTo adopt a child you can go through either:\n\n- an adoption agency that\u2019s part of your local council\n\n- a voluntary adoption agency\n\n## The adoption process\n\n- Contact an adoption agency - they\u2019ll send you information about the adoption process.\n\n- The agency will arrange to meet you - you may also be invited to a meeting with other people wanting to adopt a child.\n\n- If you and the agency agree to carry on, the agency will give you an application form.\n\nThe adoption approval process normally takes around 6 months. You will then be matched with a child for adoption.\n\n## Adoption assessment\n\nOnce the agency gets your application it will do the following:\n\n- Invite you to a series of preparation classes - these are normally held locally and give advice on the effect adoption may have on you.\n\n- Arrange for a social worker to visit you on several occasions to carry out an assessment - this is to check you\u2019re suitable to become an adoptive parent.\n\n- Arrange a police check - you will not be allowed to adopt if you, or an adult member of your family, have been convicted of a serious offence, for example against a child.\n\n- Ask you to provide the names of 3 referees who will give you a personal reference. One of your referees can be a relative.\n\n- Arrange for you to have a full medical examination.\n\n## Your assessment\n\nThe social worker will send the assessment report to an independent adoption panel. This is a group of people who are experienced in adoption.\n\nThe panel will make a recommendation to the adoption agency based on your assessment.\n\nYou can go along to ask questions and answer any questions the panel has.\n\nThe adoption panel will send their recommendation to the agency, which will then decide whether you\u2019re suitable to adopt a child.\n\n## If you can adopt a child\n\nOnce your agency decides you can adopt, they\u2019ll begin the process of finding a child. The agency will explain how the process works and how you can be involved.\n\nIf you live in Wales your agency can refer you to the National Adoption Service for Wales. This holds details of children across Wales who need adopting.\n\n## If an adoption agency says you cannot adopt\n\nIf you disagree with an adoption agency\u2019s decision, you can either:\n\n- challenge their decision by writing to them\n\n- apply to the Independent Review Mechanism, which will look into your case\n\nYou can also contact other adoption agencies - but you\u2019ll have to start the process again.\n\n## Applying for an adoption court order\n\nTo make an adoption legal, you need to apply for an adoption court order. This gives you parental rights and responsibilities for the child.\n\nThe child must have lived with you for at least 10 weeks before you apply.\n\nOnce the order has been granted:\n\n- the adoption becomes permanent\n\n- the child has the same rights as if they were your own birth child, for example the right of inheritance\n\n- you can buy a copy of the adoption certificate - you will not get this automatically\n\nThe order also takes away parental responsibility from:\n\n- the child\u2019s birth parent(s)\n\n- anyone else who has parental responsibility for the child\n\n## How to apply\n\nMost applications for adoption orders are done at a Family Court.\n\nYou need to send the court a completed application for an adoption order - Form A58.\n\n## Getting an adoption certificate\n\nIf your application is successful, the General Register Office will create an adoption certificate. This replaces the original birth certificate, and shows the child\u2019s new name.\n\nIf you want a copy of the new certificate you need to buy one - you will not get it automatically.\n\nA \u2018full\u2019 copy of the certificate costs \u00a311. You can order one:\n\n- online\n\n- by post\n\nYou need the full version for most legal tasks for your child, for example getting a passport.\n\n## Adopting a child you\u2019ve been fostering\n\nYou need to be reassessed and approved as adoptive parents if you want to adopt the child you\u2019ve been fostering.\n\n## Adopting a stepchild\n\nYou need to tell your local council if you want to adopt your spouse\u2019s or partner\u2019s child. You must do this at least 3 months before applying to a court for an adoption order.\n\nThe child must also have lived with both of you for at least 6 months.\n\n## The adoption assessment\n\nThe process to adopt is similar to an assessment through an adoption agency.\n\nThe assessment is used to help a court decide if you can adopt the child (rather than being sent to an independent adoption panel).\n\nThe court will ask your local council to provide a report on:\n\n- your partner\n\n- the child\n\n- the other birth parent\n\nThe report will be prepared by a social worker and will be used to help the court make a decision.\n\nIf granted, the adoption court order gives you parental responsibility for the child - along with your spouse or partner.\n\nThe order also takes away parental responsibility from:\n\n- the child\u2019s other birth parent\n\n- anyone else who has parental responsibility for the child\n\nAn adoption order cancels any other type of court order, such as how and when the child\u2019s birth parent can visit the child.\n\n## Adopting a child from overseas\n\nYou can adopt a child from overseas if:\n\n- they cannot be cared for in a safe environment in their own country\n\n- the adoption would be in their best interests\n\n- the adopter has been assessed as eligible and suitable to adopt from overseas by an adoption agency in the UK\n\nIf you want to adopt a child from overseas, you should contact a UK adoption agency through:\n\n- your local council in England and Wales\n\n- your local health and social care trust in Northern Ireland\n\n- a voluntary adoption agency that deals with overseas adoption\n\nThere is a different process for overseas adoption in Scotland.\n\nThe adoption process is similar to a UK adoption and will be done by a UK adoption agency that may charge a fee.\n\nIf you\u2019re assessed and approved as suitable to adopt a child by a UK adoption agency, they will let you know what you need to do and guide you through these steps.\n\n- Your application will be sent to the Department for Education (DfE) or your relevant UK Central Authority to check it meets eligibility criteria.\n\n- DfE or your relevant UK Central Authority will issue a Certificate of Eligibility to Adopt and send it with your adoption application to the relevant overseas authority \u2013 some countries require adoption applications and supporting documentation is notarised, legalised and translated.\n\n- Once matched, you need to visit the child in their own country and confirm in writing that you\u2019ve visited them and want to proceed with the adoption.\n\n- You may need to go through adoption court processes in the country you\u2019re adopting from and the UK.\n\n- Once the placement has been finalised, you will need to arrange entry clearance for the child to enter the UK.\n\n## Fees\n\nThe DfE charges a non-refundable fee of \u00a31,975 for processing an application to adopt a child from overseas. The fee is exempt from VAT.\n\nYou\u2019ll be contacted by DfE about how to pay the fee once your application has been accepted.\n\nThe fee includes case management but does not include legalisation, notarisation or translation costs.\n\nContact the relevant authority to find out about fees and procedures in Scotland, Wales and Northern Ireland.\n\n## Restrictions\n\nThe UK has restricted adoption from the following countries:\n\n- Cambodia\n\n- Guatemala\n\n- Nepal\n\n- Haiti\n\n- Ethiopia\n\n- Nigeria\n\nYou can read about the reasons for the restrictions for each country.\n\n## How to make an exception request\n\nIf you want to adopt a child from a restricted country, you will need to set out the reasons in writing why your case is exceptional (for example, adopting a family member) and provide supporting evidence. Find out how to make an exception request to adopt a child from a country on the restricted list.\n\nYou\u2019ll need to follow a different process for dealing with restricted countries in Scotland. Contact the Scottish Government for enquiries about restrictions in Scotland.\n\n## If you live abroad\n\nYou must follow the adoption laws of the country you\u2019re in if you\u2019re normally resident in that country and want to adopt.\n\nYou must follow UK adoption law if you\u2019re normally resident in the UK, the Isle of Man or the Channel Islands. This is sometimes called \u2018habitual residence\u2019 and can apply even if you\u2019re living abroad at the time of the adoption. If you\u2019re unsure of your residence status, you should get your own independent legal advice before proceeding with an adoption.\n\nYou may have to give a sworn statement in front of a solicitor that you\u2019re no longer habitually resident in the UK, the Isle of Man or the Channel Islands if the country asks for a \u2018no objection\u2019 letter from the UK government. You must send this statement, along with a copy of your passport, either to the Intercountry Adoption Team at the DfE or the nearest British embassy.\n\nIf you\u2019ve adopted a child \u2013 either in the UK or overseas - and then travel or move to a third country, the adoption may not be recognised in that country. If you have any doubts you should get independent legal advice.\n\n## Registering an adoption\n\nYou can apply to register an overseas adoption in the Adopted Child Register for England and Wales if:\n\n- the adoption took place in certain overseas countries\n\n- the parent or parents were habitually resident in England and Wales at the time of the adoption\n\n- the parent or parents can provide all the supporting documents\n\nYou should read the guidance notes before filling in the form to register with the General Register Office (GRO).\n\n## Birth parents: your rights\n\nFor another couple (or person) to adopt your child, you normally have to agree to it.\n\nOnce your child is adopted, you no longer have parental responsibility for them.\n\nDepending on the child\u2019s situation, you may be able to stay in contact with them. This is often done using letters and photographs (and sometimes meetings) through the agency responsible for arranging the adoption.\n\n## Fathers\u2019 rights\n\nAs the child\u2019s father you\u2019ll be asked to agree to the adoption - but only if you have parental responsibility.\n\nIf you were never married to the child\u2019s mother or named on the birth certificate, you can apply to the court for a Parental Responsibility Order to get parental responsibility.\n\n## Trying to stop the adoption process\n\nIf the adoption process has started, you should get legal advice from a solicitor or Citizens Advice.\n\nTo make an adoption legal, a court has to grant a court order.\n\nThe agency arranging the adoption must let you know what your rights are - and also at what point the adoption cannot be stopped.\n\nIf you do not want your child to be adopted, a court will give you the chance to say why. A social worker, independent of the adoption agency, will visit you and:\n\n- record the reasons you do not want your child adopted\n\n- let the court know these reasons - you can go to court to explain them\n\nAn adoption order cannot be made unless the court thinks it\u2019s in your child\u2019s best interests.\n\n## Adoption without your consent\n\nA court can decide the adoption can go ahead without your consent if:\n\n- it thinks the child would be put at risk if they were not adopted - it will send you the evidence they have been given, for example from social services\n\n- you\u2019re incapable of giving consent, for example due to a mental disability", + "original_contents": [ + "

    Overview

    ", + "

    To be adopted, a child must:

    ", + "
  • be under the age of 18 when the adoption application is made
  • ", + "
  • not be (or have never been) married or in a civil partnership
  • ", + "

    The child\u2019s birth parents

    ", + "

    Both birth parents normally have to agree (consent) to the adoption, unless:

    ", + "
  • they cannot be found
  • ", + "
  • they\u2019re incapable of giving consent, for example due to a mental disability
  • ", + "
  • the child would be put at risk if they were not adopted
  • ", + "

    Who can adopt a child

    ", + "

    You may be able to adopt a child if you\u2019re aged 21 or over (there\u2019s no upper age limit) and either:

    ", + "
  • single
  • ", + "
  • married
  • ", + "
  • in a civil partnership
  • ", + "
  • an unmarried couple (same sex and opposite sex)
  • ", + "
  • the partner of the child\u2019s parent
  • ", + "

    There are different rules for private adoptions and adoptions of looked-after children.

    ", + "

    Living in the UK

    ", + "

    You do not have to be a British citizen to adopt a child, but:

    ", + "
  • you (or your partner, if you\u2019re a couple) must have a fixed and permanent home in the UK, Channel Islands or the Isle of Man
  • ", + "
  • you (and your partner, if you\u2019re a couple) must have lived in the UK for at least 1 year before you begin the application process
  • ", + "

    Adoption Support Fund

    ", + "

    You may be able to get funding from the Adoption Support Fund. It provides money for therapy for children and families to help improve relationships, confidence and behaviour. Your social worker can apply for you.

    ", + "

    If you\u2019re not happy with how the social worker has handled the application, complain to the council. If you\u2019re not happy with the council\u2019s response, contact the Adoption Support Fund team.

    ", + "

    Early stages of adoption

    ", + "

    To adopt a child you can go through either:

    ", + "
  • an adoption agency that\u2019s part of your local council
  • ", + "
  • a voluntary adoption agency
  • ", + "

    The adoption process

    ", + "
  • Contact an adoption agency - they\u2019ll send you information about the adoption process.
  • ", + "
  • The agency will arrange to meet you - you may also be invited to a meeting with other people wanting to adopt a child.
  • ", + "
  • If you and the agency agree to carry on, the agency will give you an application form.
  • ", + "

    The adoption approval process normally takes around 6 months. You will then be matched with a child for adoption.

    ", + "

    Adoption assessment

    ", + "

    Once the agency gets your application it will do the following:

    ", + "
  • Invite you to a series of preparation classes - these are normally held locally and give advice on the effect adoption may have on you.
  • ", + "
  • Arrange for a social worker to visit you on several occasions to carry out an assessment - this is to check you\u2019re suitable to become an adoptive parent.
  • ", + "
  • Arrange a police check - you will not be allowed to adopt if you, or an adult member of your family, have been convicted of a serious offence, for example against a child.
  • ", + "
  • Ask you to provide the names of 3 referees who will give you a personal reference. One of your referees can be a relative.
  • ", + "
  • Arrange for you to have a full medical examination.
  • ", + "

    Your assessment

    ", + "

    The social worker will send the assessment report to an independent adoption panel. This is a group of people who are experienced in adoption.

    ", + "

    The panel will make a recommendation to the adoption agency based on your assessment.

    ", + "

    You can go along to ask questions and answer any questions the panel has.

    ", + "

    The adoption panel will send their recommendation to the agency, which will then decide whether you\u2019re suitable to adopt a child.

    ", + "

    If you can adopt a child

    ", + "

    Once your agency decides you can adopt, they\u2019ll begin the process of finding a child. The agency will explain how the process works and how you can be involved.

    ", + "

    If you live in Wales your agency can refer you to the National Adoption Service for Wales. This holds details of children across Wales who need adopting.

    ", + "

    If an adoption agency says you cannot adopt

    ", + "

    If you disagree with an adoption agency\u2019s decision, you can either:

    ", + "
  • challenge their decision by writing to them
  • ", + "
  • apply to the Independent Review Mechanism, which will look into your case
  • ", + "

    You can also contact other adoption agencies - but you\u2019ll have to start the process again.

    ", + "

    Applying for an adoption court order

    ", + "

    To make an adoption legal, you need to apply for an adoption court order. This gives you parental rights and responsibilities for the child.

    ", + "

    The child must have lived with you for at least 10 weeks before you apply.

    ", + "

    Once the order has been granted:

    ", + "
  • the adoption becomes permanent
  • ", + "
  • the child has the same rights as if they were your own birth child, for example the right of inheritance
  • ", + "
  • you can buy a copy of the adoption certificate - you will not get this automatically
  • ", + "

    The order also takes away parental responsibility from:

    ", + "
  • the child\u2019s birth parent(s)
  • ", + "
  • anyone else who has parental responsibility for the child
  • ", + "

    How to apply

    ", + "

    Most applications for adoption orders are done at a Family Court.

    ", + "

    You need to send the court a completed application for an adoption order - Form A58.

    ", + "

    Getting an adoption certificate

    ", + "

    If your application is successful, the General Register Office will create an adoption certificate. This replaces the original birth certificate, and shows the child\u2019s new name.

    ", + "

    If you want a copy of the new certificate you need to buy one - you will not get it automatically.

    ", + "

    A \u2018full\u2019 copy of the certificate costs \u00a311. You can order one:

    ", + "
  • online
  • ", + "
  • by post
  • ", + "

    You need the full version for most legal tasks for your child, for example getting a passport.

    ", + "

    Adopting a child you\u2019ve been fostering

    ", + "

    You need to be reassessed and approved as adoptive parents if you want to adopt the child you\u2019ve been fostering.

    ", + "

    Adopting a stepchild

    ", + "

    You need to tell your local council if you want to adopt your spouse\u2019s or partner\u2019s child. You must do this at least 3 months before applying to a court for an adoption order.

    ", + "

    The child must also have lived with both of you for at least 6 months.

    ", + "

    The adoption assessment

    ", + "

    The process to adopt is similar to an assessment through an adoption agency.

    ", + "

    The assessment is used to help a court decide if you can adopt the child (rather than being sent to an independent adoption panel).

    ", + "

    The court will ask your local council to provide a report on:

    ", + "
  • your partner
  • ", + "
  • the child
  • ", + "
  • the other birth parent
  • ", + "

    The report will be prepared by a social worker and will be used to help the court make a decision.

    ", + "

    If granted, the adoption court order gives you parental responsibility for the child - along with your spouse or partner.

    ", + "

    The order also takes away parental responsibility from:

    ", + "
  • the child\u2019s other birth parent
  • ", + "
  • anyone else who has parental responsibility for the child
  • ", + "

    An adoption order cancels any other type of court order, such as how and when the child\u2019s birth parent can visit the child.

    ", + "

    Adopting a child from overseas

    ", + "

    You can adopt a child from overseas if:

    ", + "
  • they cannot be cared for in a safe environment in their own country
  • ", + "
  • the adoption would be in their best interests
  • ", + "
  • the adopter has been assessed as eligible and suitable to adopt from overseas by an adoption agency in the UK
  • ", + "

    If you want to adopt a child from overseas, you should contact a UK adoption agency through:

    ", + "
  • your local council in England and Wales
  • ", + "
  • your local health and social care trust in Northern Ireland
  • ", + "
  • a voluntary adoption agency that deals with overseas adoption
  • ", + "

    There is a different process for overseas adoption in Scotland.

    ", + "

    The adoption process is similar to a UK adoption and will be done by a UK adoption agency that may charge a fee.

    ", + "

    If you\u2019re assessed and approved as suitable to adopt a child by a UK adoption agency, they will let you know what you need to do and guide you through these steps.

    ", + "
  • Your application will be sent to the Department for Education (DfE) or your relevant UK Central Authority to check it meets eligibility criteria.
  • ", + "
  • DfE or your relevant UK Central Authority will issue a Certificate of Eligibility to Adopt and send it with your adoption application to the relevant overseas authority \u2013 some countries require adoption applications and supporting documentation is notarised, legalised and translated.
  • ", + "
  • Once matched, you need to visit the child in their own country and confirm in writing that you\u2019ve visited them and want to proceed with the adoption.
  • ", + "
  • You may need to go through adoption court processes in the country you\u2019re adopting from and the UK.
  • ", + "
  • Once the placement has been finalised, you will need to arrange entry clearance for the child to enter the UK.
  • ", + "

    Fees

    ", + "

    The DfE charges a non-refundable fee of \u00a31,975 for processing an application to adopt a child from overseas. The fee is exempt from VAT.

    ", + "

    You\u2019ll be contacted by DfE about how to pay the fee once your application has been accepted.

    ", + "

    The fee includes case management but does not include legalisation, notarisation or translation costs.

    ", + "

    Contact the relevant authority to find out about fees and procedures in Scotland, Wales and Northern Ireland.

    ", + "

    Restrictions

    ", + "

    The UK has restricted adoption from the following countries:

    ", + "
  • Cambodia
  • ", + "
  • Guatemala
  • ", + "
  • Nepal
  • ", + "
  • Haiti
  • ", + "
  • Ethiopia
  • ", + "
  • Nigeria
  • ", + "

    You can read about the reasons for the restrictions for each country.

    ", + "

    How to make an exception request

    ", + "

    If you want to adopt a child from a restricted country, you will need to set out the reasons in writing why your case is exceptional (for example, adopting a family member) and provide supporting evidence. Find out how to make an exception request to adopt a child from a country on the restricted list.

    ", + "

    You\u2019ll need to follow a different process for dealing with restricted countries in Scotland. Contact the Scottish Government for enquiries about restrictions in Scotland.

    ", + "

    If you live abroad

    ", + "

    You must follow the adoption laws of the country you\u2019re in if you\u2019re normally resident in that country and want to adopt.

    ", + "

    You must follow UK adoption law if you\u2019re normally resident in the UK, the Isle of Man or the Channel Islands. This is sometimes called \u2018habitual residence\u2019 and can apply even if you\u2019re living abroad at the time of the adoption. If you\u2019re unsure of your residence status, you should get your own independent legal advice before proceeding with an adoption.

    ", + "

    You may have to give a sworn statement in front of a solicitor that you\u2019re no longer habitually resident in the UK, the Isle of Man or the Channel Islands if the country asks for a \u2018no objection\u2019 letter from the UK government. You must send this statement, along with a copy of your passport, either to the Intercountry Adoption Team at the DfE or the nearest British embassy.

    ", + "

    If you\u2019ve adopted a child \u2013 either in the UK or overseas - and then travel or move to a third country, the adoption may not be recognised in that country. If you have any doubts you should get independent legal advice.

    ", + "

    Registering an adoption

    ", + "

    You can apply to register an overseas adoption in the Adopted Child Register for England and Wales if:

    ", + "
  • the adoption took place in certain overseas countries
  • ", + "
  • the parent or parents were habitually resident in England and Wales at the time of the adoption
  • ", + "
  • the parent or parents can provide all the supporting documents
  • ", + "

    You should read the guidance notes before filling in the form to register with the General Register Office (GRO).

    ", + "

    Birth parents: your rights

    ", + "

    For another couple (or person) to adopt your child, you normally have to agree to it.

    ", + "

    Once your child is adopted, you no longer have parental responsibility for them.

    ", + "

    Depending on the child\u2019s situation, you may be able to stay in contact with them. This is often done using letters and photographs (and sometimes meetings) through the agency responsible for arranging the adoption.

    ", + "

    Fathers\u2019 rights

    ", + "

    As the child\u2019s father you\u2019ll be asked to agree to the adoption - but only if you have parental responsibility.

    ", + "

    If you were never married to the child\u2019s mother or named on the birth certificate, you can apply to the court for a Parental Responsibility Order to get parental responsibility.

    ", + "

    Trying to stop the adoption process

    ", + "

    If the adoption process has started, you should get legal advice from a solicitor or Citizens Advice.

    ", + "

    To make an adoption legal, a court has to grant a court order.

    ", + "

    The agency arranging the adoption must let you know what your rights are - and also at what point the adoption cannot be stopped.

    ", + "

    If you do not want your child to be adopted, a court will give you the chance to say why. A social worker, independent of the adoption agency, will visit you and:

    ", + "
  • record the reasons you do not want your child adopted
  • ", + "
  • let the court know these reasons - you can go to court to explain them
  • ", + "

    An adoption order cannot be made unless the court thinks it\u2019s in your child\u2019s best interests.

    ", + "

    Adoption without your consent

    ", + "

    A court can decide the adoption can go ahead without your consent if:

    ", + "
  • it thinks the child would be put at risk if they were not adopted - it will send you the evidence they have been given, for example from social services
  • ", + "
  • you\u2019re incapable of giving consent, for example due to a mental disability
  • " + ] + }, + "https://www.gov.uk/child-employment": { + "url": "https://www.gov.uk/child-employment", + "title": "Child employment", + "content": "## Minimum ages children can work\n\n## Part-time work\n\nThe youngest age a child can work part-time is 13, except children involved in areas like:\n\n- television\n\n- theatre\n\n- modelling\n\nChildren working in these areas will need a performance licence.\n\n## Full-time work\n\nChildren can only start full-time work once they\u2019ve reached the minimum school leaving age - they can then work up to a maximum of 40 hours a week.\n\nOnce someone reaches 16, you may need to pay them through PAYE.\n\nOnce someone reaches 18, adult employment rights and rules then apply.\n\nIn England, a young person must be in part-time education or training until they\u2019re 18.\n\n## Paying children and young people\n\n## Children under 16\n\nSchool-aged children are not entitled to the National Minimum Wage.\n\nChildren under 16 do not pay National Insurance, so you only need to include them on your payroll if their total income is over their Personal Allowance.\n\n## Once someone reaches 16\n\nYoung workers aged 16 to 17 are entitled to at least \u00a34.62 per hour.\n\nIf you\u2019re a registered employer, you\u2019ll need to record and report their pay as part of running payroll. If they earn more than \u00a3120 a week, you\u2019ll also need to do other regular PAYE tasks like making deductions.\n\nBefore their next payday, collect information from them for PAYE. If they started work for you in the previous tax year, put their start date as 5 April in your payroll software. Record their pay for the current tax year only.\n\nIf you pay any employee over \u00a3120 a week you must be registered as an employer and operate PAYE.\n\n## Performance licences and supervision for children\n\nA child may need a licence if they\u2019re under school leaving age and taking part in:\n\n- films, plays, concerts or other public performances that the audience pays to see, or that take place on licensed premises\n\n- any sporting events or modelling assignments where the child is paid\n\nThe person in charge of running the event must apply to the child\u2019s local council for a child performance licence. Ask the council if you\u2019re not sure you need one.\n\n## Supervision for the child\n\nIf the child will not be with their parent, school teacher or home tutor, they must be supervised by a chaperone approved by the council. Chaperones can apply for approval from the council.\n\nThe normal rules for paying children and restrictions on employment apply to children in performances.\n\n## Restrictions on child employment\n\nThere are several restrictions on when and where children are allowed to work.\n\nChildren are not allowed to work:\n\n- without an employment permit issued by the education department of the local council, if this is required by local bylaws\n\n- in places like a factory or industrial site\n\n- during school hours\n\n- before 7am or after 7pm\n\n- for more than one hour before school (unless local bylaws allow it)\n\n- for more than 4 hours without taking a break of at least 1 hour\n\n- in any work that may be harmful to their health, well-being or education\n\n- without having a 2-week break from any work during the school holidays in each calendar year\n\nThere are also special rules which only apply during term times and school holiday times.\n\n## Term time rules\n\nDuring term time children can only work a maximum of 12 hours a week. This includes:\n\n- a maximum of 2 hours on school days and Sundays\n\n- a maximum of 5 hours on Saturdays for 13 to 14-year-olds, or 8 hours for 15 to 16-year-olds\n\n## School holiday rules\n\nDuring school holidays 13 to 14-year-olds are only allowed to work a maximum of 25 hours a week. This includes:\n\n- a maximum of 5 hours on weekdays and Saturdays\n\n- a maximum of 2 hours on Sunday\n\nDuring school holidays 15 to 16-year-olds can only work a maximum of 35 hours a week. This includes:\n\n- a maximum of 8 hours on weekdays and Saturdays\n\n- a maximum of 2 hours on Sunday\n\n## Local rules on the types of work children can do\n\nLocal bylaws list the jobs that children cannot do. If a job is on this list, a child under the minimum school leaving age cannot do this work.\n\nLocal bylaws may also have other restrictions on working hours, conditions of work and the type of employment.\n\nContact your local council\u2019s education department or education welfare service for more information.\n\n## Local council rules for child employment permits\n\nMost local councils say that businesses intending to employ school-aged children must apply for a child employment permit before they can be employed.\n\nIf a child is working without a child employment permit, there\u2019s a risk that the employer will not be insured against accidents involving the child.\n\nChildren do not need a work permit for work experience arranged by their school.\n\nEmployers should contact their local council\u2019s education department or education welfare service to find out if a child employment permit is needed.", + "original_contents": [ + "

    Minimum ages children can work

    ", + "

    Part-time work

    ", + "

    The youngest age a child can work part-time is 13, except children involved in areas like:

    ", + "
  • television
  • ", + "
  • theatre
  • ", + "
  • modelling
  • ", + "

    Children working in these areas will need a performance licence.

    ", + "

    Full-time work

    ", + "

    Children can only start full-time work once they\u2019ve reached the minimum school leaving age - they can then work up to a maximum of 40 hours a week.

    ", + "

    Once someone reaches 16, you may need to pay them through PAYE.

    ", + "

    Once someone reaches 18, adult employment rights and rules then apply.

    ", + "

    In England, a young person must be in part-time education or training until they\u2019re 18.

    ", + "

    Paying children and young people

    ", + "

    Children under 16

    ", + "

    School-aged children are not entitled to the National Minimum Wage.

    ", + "

    Children under 16 do not pay National Insurance, so you only need to include them on your payroll if their total income is over their Personal Allowance.

    ", + "

    Once someone reaches 16

    ", + "

    Young workers aged 16 to 17 are entitled to at least \u00a34.62 per hour.

    ", + "

    If you\u2019re a registered employer, you\u2019ll need to record and report their pay as part of running payroll. If they earn more than \u00a3120 a week, you\u2019ll also need to do other regular PAYE tasks like making deductions.

    ", + "

    Before their next payday, collect information from them for PAYE. If they started work for you in the previous tax year, put their start date as 5 April in your payroll software. Record their pay for the current tax year only.

    ", + "

    If you pay any employee over \u00a3120 a week you must be registered as an employer and operate PAYE.

    ", + "

    Performance licences and supervision for children

    ", + "

    A child may need a licence if they\u2019re under school leaving age and taking part in:

    ", + "
  • films, plays, concerts or other public performances that the audience pays to see, or that take place on licensed premises
  • ", + "
  • any sporting events or modelling assignments where the child is paid
  • ", + "

    The person in charge of running the event must apply to the child\u2019s local council for a child performance licence. Ask the council if you\u2019re not sure you need one.

    ", + "

    Supervision for the child

    ", + "

    If the child will not be with their parent, school teacher or home tutor, they must be supervised by a chaperone approved by the council. Chaperones can apply for approval from the council.

    ", + "

    The normal rules for paying children and restrictions on employment apply to children in performances.

    ", + "

    Restrictions on child employment

    ", + "

    There are several restrictions on when and where children are allowed to work.

    ", + "

    Children are not allowed to work:

    ", + "
  • without an employment permit issued by the education department of the local council, if this is required by local bylaws
  • ", + "
  • in places like a factory or industrial site
  • ", + "
  • during school hours
  • ", + "
  • before 7am or after 7pm
  • ", + "
  • for more than one hour before school (unless local bylaws allow it)
  • ", + "
  • for more than 4 hours without taking a break of at least 1 hour
  • ", + "
  • in any work that may be harmful to their health, well-being or education
  • ", + "
  • without having a 2-week break from any work during the school holidays in each calendar year
  • ", + "

    There are also special rules which only apply during term times and school holiday times.

    ", + "

    Term time rules

    ", + "

    During term time children can only work a maximum of 12 hours a week. This includes:

    ", + "
  • a maximum of 2 hours on school days and Sundays
  • ", + "
  • a maximum of 5 hours on Saturdays for 13 to 14-year-olds, or 8 hours for 15 to 16-year-olds
  • ", + "

    School holiday rules

    ", + "

    During school holidays 13 to 14-year-olds are only allowed to work a maximum of 25 hours a week. This includes:

    ", + "
  • a maximum of 5 hours on weekdays and Saturdays
  • ", + "
  • a maximum of 2 hours on Sunday
  • ", + "

    During school holidays 15 to 16-year-olds can only work a maximum of 35 hours a week. This includes:

    ", + "
  • a maximum of 8 hours on weekdays and Saturdays
  • ", + "
  • a maximum of 2 hours on Sunday
  • ", + "

    Local rules on the types of work children can do

    ", + "

    Local bylaws list the jobs that children cannot do. If a job is on this list, a child under the minimum school leaving age cannot do this work.

    ", + "

    Local bylaws may also have other restrictions on working hours, conditions of work and the type of employment.

    ", + "

    Contact your local council\u2019s education department or education welfare service for more information.

    ", + "

    Local council rules for child employment permits

    ", + "

    Most local councils say that businesses intending to employ school-aged children must apply for a child employment permit before they can be employed.

    ", + "

    If a child is working without a child employment permit, there\u2019s a risk that the employer will not be insured against accidents involving the child.

    ", + "

    Children do not need a work permit for work experience arranged by their school.

    ", + "

    Employers should contact their local council\u2019s education department or education welfare service to find out if a child employment permit is needed.

    " + ] + }, + "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad": { + "url": "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad", + "title": "Child maintenance if a parent lives abroad", + "content": "## Overview\n\nYou cannot make a new application to the Child Maintenance Service if the child and the parent with the main day-to-day care live abroad.\n\nThere are circumstances where the service can help if the paying parent lives abroad.\n\nYou can make a child maintenance arrangement yourself - if one or both parents live abroad.\n\n## Enforcing a child maintenance decision\n\nYou can ask a court for help if the other parent does not pay any child maintenance they owe you. This is known as taking \u2018enforcement action\u2019.\n\nYou cannot enforce an arrangement you\u2019ve made yourself - you need to make it legally binding first.\n\nYou can also ask the court to change an existing child maintenance decision or make a new one.\n\nHow you enforce, change or make a decision depends on:\n\n- where the other parent lives\n\n- where your original decision was made\n\nThe UK has a Reciprocal Enforcement of Maintenance Orders (REMO) agreement with a number of other countries. Courts in \u2018REMO countries\u2019 can enforce child maintenance decisions made by UK courts.\n\n## Child maintenance decisions made in Scotland or Northern Ireland\n\nThe process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.\n\n## If the decision was made in Scotland\n\nContact the Scottish government for advice.\n\n## If the decision was made in Northern Ireland\n\nContact the Northern Ireland Central Authority for advice.\n\n## If the other parent lives abroad\n\nHow you get a decision recognised or enforced depends on whether the other parent lives in a Reciprocal Enforcement of Maintenance Orders (REMO) country. Check the list of REMO countries.\n\nIf the other parent does not live in a REMO country, get legal advice from a solicitor to find out if you can enforce the decision.\n\nIf the other parent does live in a REMO country, contact your nearest Maintenance Enforcement Business Centre (MEBC). They\u2019ll send you an application form.\n\nComplete the form and send it back to your MEBC with any supporting documents. Your documents will be translated if needed. You do not have to pay for this.\n\nTell the MEBC if you do not want the other parent to see certain information about you, such as your address.\n\nThe process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.\n\n## Maintenance Enforcement Business Centres\n\n## Greater London\n\n## England\n\n## Wales\n\n## What happens next\n\nThe MEBC will send your completed form and any supporting documents to the REMO Unit.\n\nThe REMO Unit will send your documents to the body responsible for REMO in the relevant country within a month of receiving them. Your documents will then be sent on to the court in that country.\n\nThe process may change from 1 January 2021. The Maintenance Enforcement Business Centre or REMO Unit might tell you to fill in another form so your application can continue after that date. You\u2019ll be told if you need to do this.\n\nIt can take several months for the court to decide if your maintenance decision should be enforced.\n\n## If you live abroad\n\nYou can still enforce a child maintenance decision if the other parent lives in the UK but you live in another country.\n\nCheck if you live in a country which can enforce a child maintenance decision made in the UK. This is called a Reciprocal Enforcement of Maintenance Orders (REMO) country.\n\nIf you live in a REMO country, ask the court where you live to enforce the decision.\n\nIf you do not live in a REMO country, you might still be able to enforce a decision. Get legal advice from a solicitor in the country where you live or in the UK.\n\n## If the other parent works abroad for a British organisation\n\nYou might be able to make a new child maintenance claim instead of enforcing an existing one if the other parent is working abroad for certain British organisations, for example:\n\n- as a civil servant\n\n- for Her Majesty\u2019s Diplomatic Service\n\n- as a member of the Armed Forces\n\n- for a company based and registered in the UK\n\n- for the NHS\n\n- for a local authority\n\n## How to claim\n\nContact Child Maintenance Options to make a new arrangement.\n\nThey\u2019ll talk through the process with you and explain how to apply to the Child Maintenance Service.\n\nThere are different contact details if you live in Northern Ireland.\n\nYou must pay:\n\n- \u00a320 to apply - you do not have to pay this if you\u2019re under 19, a victim of domestic violence or in Northern Ireland\n\n- additional fees for paying and collecting child maintenance if you use the Collect and Pay service\n\nIf you\u2019ve already made a claim, contact the service that deals with your case for advice.", + "original_contents": [ + "

    Overview

    ", + "

    You cannot make a new application to the Child Maintenance Service if the child and the parent with the main day-to-day care live abroad.

    ", + "

    There are circumstances where the service can help if the paying parent lives abroad.

    ", + "

    You can make a child maintenance arrangement yourself - if one or both parents live abroad.

    ", + "

    Enforcing a child maintenance decision

    ", + "

    You can ask a court for help if the other parent does not pay any child maintenance they owe you. This is known as taking \u2018enforcement action\u2019.

    ", + "

    You cannot enforce an arrangement you\u2019ve made yourself - you need to make it legally binding first.

    ", + "

    You can also ask the court to change an existing child maintenance decision or make a new one.

    ", + "

    How you enforce, change or make a decision depends on:

    ", + "
  • where the other parent lives
  • ", + "
  • where your original decision was made
  • ", + "

    The UK has a Reciprocal Enforcement of Maintenance Orders (REMO) agreement with a number of other countries. Courts in \u2018REMO countries\u2019 can enforce child maintenance decisions made by UK courts.

    ", + "

    Child maintenance decisions made in Scotland or Northern Ireland

    ", + "

    The process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.

    ", + "

    If the decision was made in Scotland

    ", + "

    Contact the Scottish government for advice.

    ", + "

    If the decision was made in Northern Ireland

    ", + "

    Contact the Northern Ireland Central Authority for advice.

    ", + "

    If the other parent lives abroad

    ", + "

    How you get a decision recognised or enforced depends on whether the other parent lives in a Reciprocal Enforcement of Maintenance Orders (REMO) country. Check the list of REMO countries.

    ", + "

    If the other parent does not live in a REMO country, get legal advice from a solicitor to find out if you can enforce the decision.

    ", + "

    If the other parent does live in a REMO country, contact your nearest Maintenance Enforcement Business Centre (MEBC). They\u2019ll send you an application form.

    ", + "

    Complete the form and send it back to your MEBC with any supporting documents. Your documents will be translated if needed. You do not have to pay for this.

    ", + "

    Tell the MEBC if you do not want the other parent to see certain information about you, such as your address.

    ", + "

    The process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.

    ", + "

    Maintenance Enforcement Business Centres

    ", + "

    Greater London

    ", + "

    England

    ", + "

    Wales

    ", + "

    What happens next

    ", + "

    The MEBC will send your completed form and any supporting documents to the REMO Unit.

    ", + "

    The REMO Unit will send your documents to the body responsible for REMO in the relevant country within a month of receiving them. Your documents will then be sent on to the court in that country.

    ", + "

    The process may change from 1 January 2021. The Maintenance Enforcement Business Centre or REMO Unit might tell you to fill in another form so your application can continue after that date. You\u2019ll be told if you need to do this.

    ", + "

    It can take several months for the court to decide if your maintenance decision should be enforced.

    ", + "

    If you live abroad

    ", + "

    You can still enforce a child maintenance decision if the other parent lives in the UK but you live in another country.

    ", + "

    Check if you live in a country which can enforce a child maintenance decision made in the UK. This is called a Reciprocal Enforcement of Maintenance Orders (REMO) country.

    ", + "

    If you live in a REMO country, ask the court where you live to enforce the decision.

    ", + "

    If you do not live in a REMO country, you might still be able to enforce a decision. Get legal advice from a solicitor in the country where you live or in the UK.

    ", + "

    If the other parent works abroad for a British organisation

    ", + "

    You might be able to make a new child maintenance claim instead of enforcing an existing one if the other parent is working abroad for certain British organisations, for example:

    ", + "
  • as a civil servant
  • ", + "
  • for Her Majesty\u2019s Diplomatic Service
  • ", + "
  • as a member of the Armed Forces
  • ", + "
  • for a company based and registered in the UK
  • ", + "
  • for the NHS
  • ", + "
  • for a local authority
  • ", + "

    How to claim

    ", + "

    Contact Child Maintenance Options to make a new arrangement.

    ", + "

    They\u2019ll talk through the process with you and explain how to apply to the Child Maintenance Service.

    ", + "

    There are different contact details if you live in Northern Ireland.

    ", + "

    You must pay:

    ", + "
  • \u00a320 to apply - you do not have to pay this if you\u2019re under 19, a victim of domestic violence or in Northern Ireland
  • ", + "
  • additional fees for paying and collecting child maintenance if you use the Collect and Pay service
  • ", + "

    If you\u2019ve already made a claim, contact the service that deals with your case for advice.

    " + ] + }, + "https://www.gov.uk/support-for-foster-parents": { + "url": "https://www.gov.uk/support-for-foster-parents", + "title": "Help and support for foster parents", + "content": "## Training and development\n\nYou need to complete the training, support, and development standards workbook within 12 months of being approved to foster.\n\nContact your fostering service to find out what other training and development is available. They should help you:\n\n- with a personal development plan\n\n- take part in learning and development sessions\n\nThe Foster Carers\u2019 Charter explains your rights as a foster parent.\n\nYou do not have a statutory right to time off work to care for foster children.\n\nIf you\u2019re fostering for adoption you\u2019ll be entitled to adoption pay and leave from when the child comes to live with you.\n\nIf you\u2019re considering fostering, find out about becoming a foster parent.\n\n## Help with the cost of fostering\n\nAll foster parents get a foster care allowance to help cover the cost of caring for a child. You might get additional payments, depending on:\n\n- if the child has specific needs\n\n- how many children you\u2019re fostering\n\n- your skills and experience\n\n- your fostering service\n\nContact your fostering service to find out how much you get.\n\n## Minimum weekly allowance\n\nThe minimum allowance you\u2019ll get depends on where you live and the age of the child you care for.\n\n| | Age 0 to 2 | Age 3 to 4 | Age 5 to 10 | Age 11 to 15 | Age 16 to 17 |\n\n| London | \u00a3155 | \u00a3158 | \u00a3177 | \u00a3201 | \u00a3235 |\n\n| South East | \u00a3149 | \u00a3153 | \u00a3169 | \u00a3193 | \u00a3226 |\n\n| Rest of England | \u00a3134 | \u00a3138 | \u00a3152 | \u00a3173 | \u00a3202 |\n\nThese figures are for the tax year from 6 April 2021 to 5 April 2022. They\u2019re updated every April.\n\n## Allowance rates when the child is 18\n\nChildren stop being in care when they reach 18, even if they\u2019re still living with you. There is no minimum allowance when your child is old enough to leave foster care.\n\nContact your fostering service for more information.\n\n## Expenses\n\nYou may be able to apply to your fostering service for extra money to help with things like:\n\n- school trips\n\n- holidays\n\n- birthdays\n\n- religious festivals\n\n## Tax arrangements\n\nYou should have registered as self-employed when you started to foster. You\u2019ll need to file tax returns. Check with your fostering service what you need to do.\n\nIn your tax return, you\u2019ll be able to claim:\n\n- a tax exemption of up to \u00a310,000 per household\n\n- tax relief for every week you foster a child\n\nThis is known as qualifying care relief.\n\nYou may be entitled to National Insurance credits, which count towards your State Pension.\n\n## Tax exemption\n\nIn a tax year, households do not pay tax on the first \u00a310,000 they earn from fostering. You\u2019ll still pay tax on money you earn from a job or investment.\n\n## Tax relief\n\nOn top of the \u00a310,000 exemption, you also get tax relief for every week (or part week) that a child is in your care. This means you do not have to pay tax on some of your earnings over \u00a310,000.\n\n| Age of child | Tax relief |\n\n| Under 11 | \u00a3200 per child |\n\n| 11 or over | \u00a3250 per child |\n\n## Claiming benefits\n\nBeing a foster parent can affect your benefits. Check a benefits calculator to see what you\u2019re eligible for.\n\nIf you\u2019re claiming benefits you need to tell the organisation that pays you that you\u2019re also getting a foster care allowance.\n\nYou can get disability benefits for your foster child if they meet the criteria. You may also be able to claim Carer\u2019s Allowance if your foster child gets Disability Living Allowance or Personal Independence Payment.\n\nFor more help on how your benefits may change you can speak to an adviser from:\n\n- the organisation that pays you\n\n- Fosterline - a free fostering advice service\n\n## Making decisions for your foster child\n\nYour foster child\u2019s placement plan should tell you what decisions you can make, known as delegated authority.\n\nThere are 3 different levels to delegated authority:\n\n- day-to-day decisions like dental check ups, hair cuts, school trips, parent-teacher meetings and letting your child go to sleepovers\n\n- long-term decisions like which school a child goes to\n\n- significant decisions made by the local authority and birth parents, like surgery\n\nIf your child\u2019s placement plan does not tell you what level of delegated authority you have you should contact your fostering service to find out.\n\nYou may not have the same level of authority for each child you foster. For example, you might foster 2 children and have the right to sign a consent form for one of them.\n\n## Going on holiday\n\nIf you do not have the authority to take your foster child on holiday you\u2019ll need to speak to their social worker.\n\nYou\u2019ll also need to:\n\n- tell your child\u2019s social worker when you\u2019ll be going and when you\u2019ll be back\n\n- get a letter of consent from your child\u2019s social worker for passport control (if you\u2019re going abroad)\n\n## Medical treatment for your foster child\n\nYou may not have the right to give consent to medical treatment. Check your child placement plan to find out if you have the authority to let your foster child have:\n\n- medication\n\n- a medical examination\n\n- local or general anaesthetic\n\n- surgery\n\n## Getting support\n\nYou should get support from your fostering service, your local council and social workers. You can also get support and advice from Fosterline.\n\nYour local council must provide your foster child with a personal adviser from age 16 or 17 to age 25. They will help your foster child move to independent living or support them to stay with you (this is called a \u2018staying put\u2019 arrangement).\n\nExtra support is available when your foster child reaches age 16, 18 and 21.\n\n## Support from your fostering service\n\nYour foster child gets a placement plan. This tells you about the child and their needs. The fostering service should invite you to meetings on your foster child\u2019s progress and placement plan.\n\nYour family should get:\n\n- access to an out of hours advice and support service\n\n- access to support groups\n\n- practical, financial and emotional support\n\n- training and a personal development plan, which is reviewed every year\n\n- an opportunity to take a break from fostering if you need it\n\n## Dealing with allegations\n\nIf an allegation is made against you or anyone in your home, your local authority must:\n\n- investigate it\n\n- support you through it\n\n- update you on progress\n\n- help resolve any disagreements\n\nThey may remove your foster child from your home or ask the person the allegation is about to leave. They will also look at the safety of any other children in your home.\n\n## Support from social workers\n\nYou\u2019ll have contact with 2 social workers:\n\n- your foster child\u2019s social worker - they make sure you meet the child\u2019s needs\n\n- a supervising social worker to help and support you as a foster parent\n\nYour supervising social worker is there to support you as a foster parent. Contact them if you need:\n\n- emotional support\n\n- to talk about any concerns or worries you have about your foster child\n\n- help to develop your skills as a foster parent\n\nYour social workers must make sure you understand their policies on fostering, including:\n\n- how to manage your foster child\u2019s behaviour\n\n- financial support for foster parents\n\n- complaints\n\nThey must review your approval to foster at least once a year to make sure you\u2019re still suitable.\n\nSocial workers may decide to have some meetings without you if they think it\u2019s best for the foster child.\n\n## Social worker visits\n\nYour child\u2019s social worker must visit you and your foster child:\n\n- in the first week the child comes to live with you\n\n- once every 6 weeks in the first year\n\n- every 3 to 6 months after the child has lived with you for a year\n\nThey must also visit you once a year without telling you they\u2019re coming.\n\nYou or your foster child can ask for more visits from the social worker.\n\n## Ending a placement\n\nYou must give 28 days\u2019 notice to your social worker if you no longer wish to be the child\u2019s foster parent.\n\n## Support from Fosterline\n\nCall Fosterline for free to get advice on fostering.\n\nThey can provide help and advice about fostering, including information about:\n\n- finances\n\n- training\n\n- dealing with allegations", + "original_contents": [ + "

    Training and development

    ", + "

    You need to complete the training, support, and development standards workbook within 12 months of being approved to foster.

    ", + "

    Contact your fostering service to find out what other training and development is available. They should help you:

    ", + "
  • with a personal development plan
  • ", + "
  • take part in learning and development sessions
  • ", + "

    The Foster Carers\u2019 Charter explains your rights as a foster parent.

    ", + "

    You do not have a statutory right to time off work to care for foster children.

    ", + "

    If you\u2019re fostering for adoption you\u2019ll be entitled to adoption pay and leave from when the child comes to live with you.

    ", + "

    If you\u2019re considering fostering, find out about becoming a foster parent.

    ", + "

    Help with the cost of fostering

    ", + "

    All foster parents get a foster care allowance to help cover the cost of caring for a child. You might get additional payments, depending on:

    ", + "
  • if the child has specific needs
  • ", + "
  • how many children you\u2019re fostering
  • ", + "
  • your skills and experience
  • ", + "
  • your fostering service
  • ", + "

    Contact your fostering service to find out how much you get.

    ", + "

    Minimum weekly allowance

    ", + "

    The minimum allowance you\u2019ll get depends on where you live and the age of the child you care for.

    ", + " | Age 0 to 2 | Age 3 to 4 | Age 5 to 10 | Age 11 to 15 | Age 16 to 17", + "London | \u00a3155 | \u00a3158 | \u00a3177 | \u00a3201 | \u00a3235", + "South East | \u00a3149 | \u00a3153 | \u00a3169 | \u00a3193 | \u00a3226", + "Rest of England | \u00a3134 | \u00a3138 | \u00a3152 | \u00a3173 | \u00a3202", + "

    These figures are for the tax year from 6 April 2021 to 5 April 2022. They\u2019re updated every April.

    ", + "

    Allowance rates when the child is 18

    ", + "

    Children stop being in care when they reach 18, even if they\u2019re still living with you. There is no minimum allowance when your child is old enough to leave foster care.

    ", + "

    Contact your fostering service for more information.

    ", + "

    Expenses

    ", + "

    You may be able to apply to your fostering service for extra money to help with things like:

    ", + "
  • school trips
  • ", + "
  • holidays
  • ", + "
  • birthdays
  • ", + "
  • religious festivals
  • ", + "

    Tax arrangements

    ", + "

    You should have registered as self-employed when you started to foster. You\u2019ll need to file tax returns. Check with your fostering service what you need to do.

    ", + "

    In your tax return, you\u2019ll be able to claim:

    ", + "
  • a tax exemption of up to \u00a310,000 per household
  • ", + "
  • tax relief for every week you foster a child
  • ", + "

    This is known as qualifying care relief.

    ", + "

    You may be entitled to National Insurance credits, which count towards your State Pension.

    ", + "

    Tax exemption

    ", + "

    In a tax year, households do not pay tax on the first \u00a310,000 they earn from fostering. You\u2019ll still pay tax on money you earn from a job or investment.

    ", + "

    Tax relief

    ", + "

    On top of the \u00a310,000 exemption, you also get tax relief for every week (or part week) that a child is in your care. This means you do not have to pay tax on some of your earnings over \u00a310,000.

    ", + "Age of child | Tax relief", + "Under 11 | \u00a3200 per child", + "11 or over | \u00a3250 per child", + "

    Claiming benefits

    ", + "

    Being a foster parent can affect your benefits. Check a benefits calculator to see what you\u2019re eligible for.

    ", + "

    If you\u2019re claiming benefits you need to tell the organisation that pays you that you\u2019re also getting a foster care allowance.

    ", + "

    You can get disability benefits for your foster child if they meet the criteria. You may also be able to claim Carer\u2019s Allowance if your foster child gets Disability Living Allowance or Personal Independence Payment.

    ", + "

    For more help on how your benefits may change you can speak to an adviser from:

    ", + "
  • the organisation that pays you
  • ", + "
  • Fosterline - a free fostering advice service
  • ", + "

    Making decisions for your foster child

    ", + "

    Your foster child\u2019s placement plan should tell you what decisions you can make, known as delegated authority.

    ", + "

    There are 3 different levels to delegated authority:

    ", + "
  • day-to-day decisions like dental check ups, hair cuts, school trips, parent-teacher meetings and letting your child go to sleepovers
  • ", + "
  • long-term decisions like which school a child goes to
  • ", + "
  • significant decisions made by the local authority and birth parents, like surgery
  • ", + "

    If your child\u2019s placement plan does not tell you what level of delegated authority you have you should contact your fostering service to find out.

    ", + "

    You may not have the same level of authority for each child you foster. For example, you might foster 2 children and have the right to sign a consent form for one of them.

    ", + "

    Going on holiday

    ", + "

    If you do not have the authority to take your foster child on holiday you\u2019ll need to speak to their social worker.

    ", + "

    You\u2019ll also need to:

    ", + "
  • tell your child\u2019s social worker when you\u2019ll be going and when you\u2019ll be back
  • ", + "
  • get a letter of consent from your child\u2019s social worker for passport control (if you\u2019re going abroad)
  • ", + "

    Medical treatment for your foster child

    ", + "

    You may not have the right to give consent to medical treatment. Check your child placement plan to find out if you have the authority to let your foster child have:

    ", + "
  • medication
  • ", + "
  • a medical examination
  • ", + "
  • local or general anaesthetic
  • ", + "
  • surgery
  • ", + "

    Getting support

    ", + "

    You should get support from your fostering service, your local council and social workers. You can also get support and advice from Fosterline.

    ", + "

    Your local council must provide your foster child with a personal adviser from age 16 or 17 to age 25. They will help your foster child move to independent living or support them to stay with you (this is called a \u2018staying put\u2019 arrangement).

    ", + "

    Extra support is available when your foster child reaches age 16, 18 and 21.

    ", + "

    Support from your fostering service

    ", + "

    Your foster child gets a placement plan. This tells you about the child and their needs. The fostering service should invite you to meetings on your foster child\u2019s progress and placement plan.

    ", + "

    Your family should get:

    ", + "
  • access to an out of hours advice and support service
  • ", + "
  • access to support groups
  • ", + "
  • practical, financial and emotional support
  • ", + "
  • training and a personal development plan, which is reviewed every year
  • ", + "
  • an opportunity to take a break from fostering if you need it
  • ", + "

    Dealing with allegations

    ", + "

    If an allegation is made against you or anyone in your home, your local authority must:

    ", + "
  • investigate it
  • ", + "
  • support you through it
  • ", + "
  • update you on progress
  • ", + "
  • help resolve any disagreements
  • ", + "

    They may remove your foster child from your home or ask the person the allegation is about to leave. They will also look at the safety of any other children in your home.

    ", + "

    Support from social workers

    ", + "

    You\u2019ll have contact with 2 social workers:

    ", + "
  • your foster child\u2019s social worker - they make sure you meet the child\u2019s needs
  • ", + "
  • a supervising social worker to help and support you as a foster parent
  • ", + "

    Your supervising social worker is there to support you as a foster parent. Contact them if you need:

    ", + "
  • emotional support
  • ", + "
  • to talk about any concerns or worries you have about your foster child
  • ", + "
  • help to develop your skills as a foster parent
  • ", + "

    Your social workers must make sure you understand their policies on fostering, including:

    ", + "
  • how to manage your foster child\u2019s behaviour
  • ", + "
  • financial support for foster parents
  • ", + "
  • complaints
  • ", + "

    They must review your approval to foster at least once a year to make sure you\u2019re still suitable.

    ", + "

    Social workers may decide to have some meetings without you if they think it\u2019s best for the foster child.

    ", + "

    Social worker visits

    ", + "

    Your child\u2019s social worker must visit you and your foster child:

    ", + "
  • in the first week the child comes to live with you
  • ", + "
  • once every 6 weeks in the first year
  • ", + "
  • every 3 to 6 months after the child has lived with you for a year
  • ", + "

    They must also visit you once a year without telling you they\u2019re coming.

    ", + "

    You or your foster child can ask for more visits from the social worker.

    ", + "

    Ending a placement

    ", + "

    You must give 28 days\u2019 notice to your social worker if you no longer wish to be the child\u2019s foster parent.

    ", + "

    Support from Fosterline

    ", + "

    Call Fosterline for free to get advice on fostering.

    ", + "

    They can provide help and advice about fostering, including information about:

    ", + "
  • finances
  • ", + "
  • training
  • ", + "
  • dealing with allegations
  • " + ] + }, + "https://www.gov.uk/if-your-child-is-taken-into-care": { + "url": "https://www.gov.uk/if-your-child-is-taken-into-care", + "title": "If your child is taken into care", + "content": "## Overview\n\nIf your child is taken into care because of a care order, your council will share responsibility for making most of the important decisions about your child\u2019s upbringing, including:\n\n- who looks after them\n\n- where they live\n\n- how they are educated\n\nIf you agree to your child becoming \u2018looked after\u2019 and there is no care order, you\u2019ll continue to have parental responsibility for your child.\n\nIn either case, the council is responsible for:\n\n- making sure that an appropriate standard of care is provided\n\n- making sure only suitable people are employed to look after your child\n\n- providing proper training and support to staff and foster carers\n\n- listening to your child\u2019s views and your views about care arrangements and taking their religion, race, culture and background into account\n\n- making sure your child has someone independent to talk to and knows how to complain if necessary\n\nThe child may be placed with either:\n\n- another relative\n\n- a foster carer\n\n- a children\u2019s home\n\n## Care orders\n\nA care order is given by a court. It allows a council to take a child into care. Under the Children Act 1989 a council can apply for a care order if it believes a child is suffering or at risk of suffering significant harm.\n\nThe court decides if the child can be taken into care.\n\nCare orders last until:\n\n- the child\u2019s 18th birthday\n\n- an order is made giving parental responsibility to another person - for example, through adoption or special guardianship\n\n- the court lifts the order (this is called \u2018discharging\u2019 the order)\n\nA child can only be taken into care if they are under 18.\n\n## Making a complaint\n\nIf your child is in care and you\u2019re unhappy about their treatment, you can make a complaint. Talk to your child\u2019s carer or social worker first and if you\u2019re not happy, you can complain to your council.\n\n## Support for parents\n\nThe Family Rights Group Advice Service helpline provides confidential support for parents:\n\n## Care proceedings\n\nThe council can start \u2018care proceedings\u2019 if they\u2019re very worried about a child.\n\nThey can apply for a \u2018care order\u2019 which means the council will have parental responsibility for your child and can determine where your child can live.\n\nThey can apply for a \u2018placement order\u2019 as well if they believe that the child should be adopted. This allows the council to place the child with suitable adopters.\n\n## Interim care orders\n\nAt the start of care proceedings, the council asks the family court to make a temporary court order, called an \u2018interim care order\u2019.\n\nIf the court agrees, the council can take the child into care on a temporary basis. This can be for up to 8 weeks at first.\n\n## Looking at the case\n\nIt can take up to 26 weeks for a court to decide what should happen to the child. Some complex cases can take longer.\n\nDuring this time a social worker, an officer from the Children and Family Court Advisory and Support Service (Cafcass) and other people will be trying to understand the reasons why the child may be at risk. They will also look at what can be done to keep them safe.\n\nThey will talk to the parents and the child. They may talk to other family members or friends about looking after the child if they cannot safely live at home. The parents might also get support.\n\n## Reports\n\nThe social worker and Cafcass officer will each write a report for the court. These will outline what they think should happen to the child.\n\nThey will include whether they think the child should be taken into care or stay with the family.\n\nOnce all the information has been gathered, there will be a court hearing.\n\n## Going to court\n\nOnce all the information has been gathered, there will be a court hearing. The judge will look at the reports, and listen to everyone involved in the case, including:\n\n- the child\n\n- the parents\n\n- solicitors representing parents and children\n\n- the council social worker\n\n- the Children and Family Court Advisory and Support Service (Cafcass) officer\n\nThe child will go back home if the judge decides that they\u2019re safe. If not, the council will find them a new home. That may be with:\n\n- other members of their family\n\n- friends\n\n- a new family\n\n- a children\u2019s home\n\n- a foster carer\n\n## What Cafcass does\n\nIn care proceedings, a Children\u2019s Guardian from Cafcass represents the rights and interests of the child. They spend time getting to know the child and their family before the hearing.\n\nThe Children\u2019s Guardian:\n\n- appoints a solicitor for the child\n\n- advises the court about what needs to be done before it can make a decision\n\n- tells the court what they think would be best for the child \u2013 including the child\u2019s wishes and feelings\n\nThe Children\u2019s Guardian will usually spend time with the child and their family. They\u2019ll tell the court if they have not seen the child before they write their report. They may also talk to other people who know the family, like teachers, social workers and health visitors.\n\nThey may:\n\n- go to meetings about the child\n\n- check records and read the council\u2019s case file\n\n- recommend to the court that other independent professionals help the court with advice - for example, a doctor or psychologist\n\nCafcass workers are independent \u2013 they do not work for the council or the court.\n\nYou can find out more about what happens in care proceedings and about what Cafcass does on the Cafcass website.\n\n## Educating children in care\n\nThe council will be responsible for your child\u2019s education if they\u2019re taken into care. They must have someone called a \u2018virtual school head\u2019 to make sure social workers and others give proper attention to your child\u2019s education while in care.\n\nThere will also be a \u2018designated teacher\u2019, who is responsible for all of the children in care at your child\u2019s school.\n\nYour child will have an overall care plan, which will include education.\n\nMost of the decisions about the child\u2019s welfare will be taken by their social worker and foster carer (or residential care worker). You might also be involved, depending on the circumstances.\n\nThe social worker is responsible for making sure your child can achieve their potential, including:\n\n- working with your child\u2019s school to draw up a personal education plan\n\n- making sure they are well supported at school\n\n- making sure they go to school every day\n\n- choosing and applying for a school place when required\n\n- making sure that there are good links between social services and the child\u2019s designated teacher\n\n- being involved in any assessment for special educational needs\n\n- making sure that foster carers attend parents\u2019 evenings and any other school events which parents would attend", + "original_contents": [ + "

    Overview

    ", + "

    If your child is taken into care because of a care order, your council will share responsibility for making most of the important decisions about your child\u2019s upbringing, including:

    ", + "
  • who looks after them
  • ", + "
  • where they live
  • ", + "
  • how they are educated
  • ", + "

    If you agree to your child becoming \u2018looked after\u2019 and there is no care order, you\u2019ll continue to have parental responsibility for your child.

    ", + "

    In either case, the council is responsible for:

    ", + "
  • making sure that an appropriate standard of care is provided
  • ", + "
  • making sure only suitable people are employed to look after your child
  • ", + "
  • providing proper training and support to staff and foster carers
  • ", + "
  • listening to your child\u2019s views and your views about care arrangements and taking their religion, race, culture and background into account
  • ", + "
  • making sure your child has someone independent to talk to and knows how to complain if necessary
  • ", + "

    The child may be placed with either:

    ", + "
  • another relative
  • ", + "
  • a foster carer
  • ", + "
  • a children\u2019s home
  • ", + "

    Care orders

    ", + "

    A care order is given by a court. It allows a council to take a child into care. Under the Children Act 1989 a council can apply for a care order if it believes a child is suffering or at risk of suffering significant harm.

    ", + "

    The court decides if the child can be taken into care.

    ", + "

    Care orders last until:

    ", + "
  • the child\u2019s 18th birthday
  • ", + "
  • an order is made giving parental responsibility to another person - for example, through adoption or special guardianship
  • ", + "
  • the court lifts the order (this is called \u2018discharging\u2019 the order)
  • ", + "

    A child can only be taken into care if they are under 18.

    ", + "

    Making a complaint

    ", + "

    If your child is in care and you\u2019re unhappy about their treatment, you can make a complaint. Talk to your child\u2019s carer or social worker first and if you\u2019re not happy, you can complain to your council.

    ", + "

    Support for parents

    ", + "

    The Family Rights Group Advice Service helpline provides confidential support for parents:

    ", + "

    Care proceedings

    ", + "

    The council can start \u2018care proceedings\u2019 if they\u2019re very worried about a child.

    ", + "

    They can apply for a \u2018care order\u2019 which means the council will have parental responsibility for your child and can determine where your child can live.

    ", + "

    They can apply for a \u2018placement order\u2019 as well if they believe that the child should be adopted. This allows the council to place the child with suitable adopters.

    ", + "

    Interim care orders

    ", + "

    At the start of care proceedings, the council asks the family court to make a temporary court order, called an \u2018interim care order\u2019.

    ", + "

    If the court agrees, the council can take the child into care on a temporary basis. This can be for up to 8 weeks at first.

    ", + "

    Looking at the case

    ", + "

    It can take up to 26 weeks for a court to decide what should happen to the child. Some complex cases can take longer.

    ", + "

    During this time a social worker, an officer from the Children and Family Court Advisory and Support Service (Cafcass) and other people will be trying to understand the reasons why the child may be at risk. They will also look at what can be done to keep them safe.

    ", + "

    They will talk to the parents and the child. They may talk to other family members or friends about looking after the child if they cannot safely live at home. The parents might also get support.

    ", + "

    Reports

    ", + "

    The social worker and Cafcass officer will each write a report for the court. These will outline what they think should happen to the child.

    ", + "

    They will include whether they think the child should be taken into care or stay with the family.

    ", + "

    Once all the information has been gathered, there will be a court hearing.

    ", + "

    Going to court

    ", + "

    Once all the information has been gathered, there will be a court hearing. The judge will look at the reports, and listen to everyone involved in the case, including:

    ", + "
  • the child
  • ", + "
  • the parents
  • ", + "
  • solicitors representing parents and children
  • ", + "
  • the council social worker
  • ", + "
  • the Children and Family Court Advisory and Support Service (Cafcass) officer
  • ", + "

    The child will go back home if the judge decides that they\u2019re safe. If not, the council will find them a new home. That may be with:

    ", + "
  • other members of their family
  • ", + "
  • friends
  • ", + "
  • a new family
  • ", + "
  • a children\u2019s home
  • ", + "
  • a foster carer
  • ", + "

    What Cafcass does

    ", + "

    In care proceedings, a Children\u2019s Guardian from Cafcass represents the rights and interests of the child. They spend time getting to know the child and their family before the hearing.

    ", + "

    The Children\u2019s Guardian:

    ", + "
  • appoints a solicitor for the child
  • ", + "
  • advises the court about what needs to be done before it can make a decision
  • ", + "
  • tells the court what they think would be best for the child \u2013 including the child\u2019s wishes and feelings
  • ", + "

    The Children\u2019s Guardian will usually spend time with the child and their family. They\u2019ll tell the court if they have not seen the child before they write their report. They may also talk to other people who know the family, like teachers, social workers and health visitors.

    ", + "

    They may:

    ", + "
  • go to meetings about the child
  • ", + "
  • check records and read the council\u2019s case file
  • ", + "
  • recommend to the court that other independent professionals help the court with advice - for example, a doctor or psychologist
  • ", + "

    Cafcass workers are independent \u2013 they do not work for the council or the court.

    ", + "

    You can find out more about what happens in care proceedings and about what Cafcass does on the Cafcass website.

    ", + "

    Educating children in care

    ", + "

    The council will be responsible for your child\u2019s education if they\u2019re taken into care. They must have someone called a \u2018virtual school head\u2019 to make sure social workers and others give proper attention to your child\u2019s education while in care.

    ", + "

    There will also be a \u2018designated teacher\u2019, who is responsible for all of the children in care at your child\u2019s school.

    ", + "

    Your child will have an overall care plan, which will include education.

    ", + "

    Most of the decisions about the child\u2019s welfare will be taken by their social worker and foster carer (or residential care worker). You might also be involved, depending on the circumstances.

    ", + "

    The social worker is responsible for making sure your child can achieve their potential, including:

    ", + "
  • working with your child\u2019s school to draw up a personal education plan
  • ", + "
  • making sure they are well supported at school
  • ", + "
  • making sure they go to school every day
  • ", + "
  • choosing and applying for a school place when required
  • ", + "
  • making sure that there are good links between social services and the child\u2019s designated teacher
  • ", + "
  • being involved in any assessment for special educational needs
  • ", + "
  • making sure that foster carers attend parents\u2019 evenings and any other school events which parents would attend
  • " + ] + }, + "https://www.gov.uk/junior-individual-savings-accounts": { + "url": "https://www.gov.uk/junior-individual-savings-accounts", + "title": "Junior Individual Savings Accounts (ISA)", + "content": "## Overview\n\nJunior Individual Savings Accounts (ISAs) are long-term, tax-free savings accounts for children.\n\nIn the 2021 to 2022 tax year, the savings limit for Junior ISAs is \u00a39,000\n\n## Who can get a Junior ISA\n\nYour child must be both:\n\n- under 18\n\n- living in the UK\n\n## If your child lives outside the UK\n\nYour child can only get a Junior ISA if both the following apply:\n\n- you\u2019re a Crown servant (in the UK\u2019s armed forces, diplomatic service or overseas civil service, for example)\n\n- they depend on you for care\n\nYou cannot have a Junior ISA as well as a Child Trust Fund. If you want to open a Junior ISA ask the provider to transfer the trust fund into it.\n\n## How Junior ISAs work\n\nThere are 2 types of Junior ISA:\n\n- a cash Junior ISA, for example you will not pay tax on interest on the cash you save\n\n- a stocks and shares Junior ISA, for example your cash is invested and you will not pay tax on any capital growth or dividends you receive\n\nYour child can have one or both types of Junior ISA.\n\nParents or guardians with parental responsibility can open a Junior ISA and manage the account, but the money belongs to the child.\n\nThe child can take control of the account when they\u2019re 16, but cannot withdraw the money until they turn 18.\n\n## Open an account\n\nOnly parents or a guardian with parental responsibility can open a Junior ISA for under 16s.\n\nTo open a Junior ISA you need to:\n\n- choose the type of Junior ISA you want for your child - cash or stocks and shares (or both)\n\n- choose your account provider\n\n- get an application form from them\n\nYour child can only have:\n\n- 1 cash Junior ISA\n\n- 1 stocks and shares Junior ISA\n\nChildren aged 16 and 17 can open their own Junior ISA as well as an adult cash ISA.\n\n## Account providers\n\nYou can get a Junior ISA from a range of banks, building societies, credit unions, friendly societies and stock brokers.\n\nContact any of these directly for more information about how you can open a Junior ISA with them.\n\n## Add money to an account\n\nAnyone can pay money into a Junior ISA, but the total amount paid in cannot go over \u00a39,000 in the 2021 to 2022 tax year.\n\nYou can transfer money between:\n\n- your child\u2019s Junior ISAs\n\n- a Child Trust Fund (CTF) account and a Junior ISA - contact the Junior ISA provider to arrange this\n\nYou cannot transfer money between a Junior ISA and an adult ISA.\n\nIf your child moves abroad, you can still add cash to their Junior ISA.\n\n## Who the money belongs to\n\nMoney in a Junior ISA belongs to your child and cannot be taken out until they\u2019re 18, though there are exceptions to this.\n\n## Manage an account\n\nYour child\u2019s Junior ISA will be in their name, but the parent who opens it is responsible for managing the account and is known as the \u2018registered contact\u2019.\n\nThe registered contact is the only person who can:\n\n- change the account, for example from a cash to a stocks and shares Junior ISA\n\n- change the account provider\n\n- report changes of circumstances, for example change of address\n\nContact your account provider to do this.\n\n## Children older than 16\n\nIf your child is 16 or older they can:\n\n- become the registered contact for their Junior ISAs\n\n- open an adult cash ISA\n\nWhen your child turns 18 they can take out any money in their Junior ISAs.\n\nJunior ISAs automatically turn into an adult ISA when the child turns 18.\n\n## If your child lacks the mental capacity to manage their account when they turn 18\n\nYou, or a close friend or relative, need to apply to the Court of Protection (COP) for a financial deputyship order. This will allow you to manage your child\u2019s adult ISA account or take out money on their behalf once they turn 18.\n\nIn Scotland, applications need to be made to the Office of the Public Guardian in Scotland.\n\nIn Northern Ireland, applications need to be made to the Office of Care and Protection.\n\n## If your child is terminally ill or dies\n\nThe registered contact can take money out of a Junior ISA early if a child\u2019s terminally ill.\n\n\u2018Terminally ill\u2019 means that the child has a disease or illness that is going to get worse and is not expected to live more than 6 months.\n\n## How to take money out\n\nFill in the terminal illness early access form to let HM Revenue & Customs (HMRC) know that:\n\n- your child is terminally ill\n\n- you want to take money out of their Junior ISA\n\nHMRC will let you know if you can take money out of your child\u2019s Junior ISA.\n\n## If your child dies\n\nIf your child dies, any money in their Junior ISAs will be paid to whoever inherits their estate.\n\nThis is usually one of the child\u2019s parents, but it could be their spouse or partner if they were over 16 and married or in a civil partnership.\n\n## What you need to do\n\nYou do not need to contact HMRC but you\u2019ll need to tell your account provider so they can close your child\u2019s Junior ISAs.\n\nYour account provider may need proof to do this, for example a copy of the death certificate.", + "original_contents": [ + "

    Overview

    ", + "

    Junior Individual Savings Accounts (ISAs) are long-term, tax-free savings accounts for children.

    ", + "

    In the 2021 to 2022 tax year, the savings limit for Junior ISAs is \u00a39,000

    ", + "

    Who can get a Junior ISA

    ", + "

    Your child must be both:

    ", + "
  • under 18
  • ", + "
  • living in the UK
  • ", + "

    If your child lives outside the UK

    ", + "

    Your child can only get a Junior ISA if both the following apply:

    ", + "
  • you\u2019re a Crown servant (in the UK\u2019s armed forces, diplomatic service or overseas civil service, for example)
  • ", + "
  • they depend on you for care
  • ", + "

    You cannot have a Junior ISA as well as a Child Trust Fund. If you want to open a Junior ISA ask the provider to transfer the trust fund into it.

    ", + "

    How Junior ISAs work

    ", + "

    There are 2 types of Junior ISA:

    ", + "
  • a cash Junior ISA, for example you will not pay tax on interest on the cash you save
  • ", + "
  • a stocks and shares Junior ISA, for example your cash is invested and you will not pay tax on any capital growth or dividends you receive
  • ", + "

    Your child can have one or both types of Junior ISA.

    ", + "

    Parents or guardians with parental responsibility can open a Junior ISA and manage the account, but the money belongs to the child.

    ", + "

    The child can take control of the account when they\u2019re 16, but cannot withdraw the money until they turn 18.

    ", + "

    Open an account

    ", + "

    Only parents or a guardian with parental responsibility can open a Junior ISA for under 16s.

    ", + "

    To open a Junior ISA you need to:

    ", + "
  • choose the type of Junior ISA you want for your child - cash or stocks and shares (or both)
  • ", + "
  • choose your account provider
  • ", + "
  • get an application form from them
  • ", + "

    Your child can only have:

    ", + "
  • 1 cash Junior ISA
  • ", + "
  • 1 stocks and shares Junior ISA
  • ", + "

    Children aged 16 and 17 can open their own Junior ISA as well as an adult cash ISA.

    ", + "

    Account providers

    ", + "

    You can get a Junior ISA from a range of banks, building societies, credit unions, friendly societies and stock brokers.

    ", + "

    Contact any of these directly for more information about how you can open a Junior ISA with them.

    ", + "

    Add money to an account

    ", + "

    Anyone can pay money into a Junior ISA, but the total amount paid in cannot go over \u00a39,000 in the 2021 to 2022 tax year.

    ", + "

    You can transfer money between:

    ", + "
  • your child\u2019s Junior ISAs
  • ", + "
  • a Child Trust Fund (CTF) account and a Junior ISA - contact the Junior ISA provider to arrange this
  • ", + "

    You cannot transfer money between a Junior ISA and an adult ISA.

    ", + "

    If your child moves abroad, you can still add cash to their Junior ISA.

    ", + "

    Who the money belongs to

    ", + "

    Money in a Junior ISA belongs to your child and cannot be taken out until they\u2019re 18, though there are exceptions to this.

    ", + "

    Manage an account

    ", + "

    Your child\u2019s Junior ISA will be in their name, but the parent who opens it is responsible for managing the account and is known as the \u2018registered contact\u2019.

    ", + "

    The registered contact is the only person who can:

    ", + "
  • change the account, for example from a cash to a stocks and shares Junior ISA
  • ", + "
  • change the account provider
  • ", + "
  • report changes of circumstances, for example change of address
  • ", + "

    Contact your account provider to do this.

    ", + "

    Children older than 16

    ", + "

    If your child is 16 or older they can:

    ", + "
  • become the registered contact for their Junior ISAs
  • ", + "
  • open an adult cash ISA
  • ", + "

    When your child turns 18 they can take out any money in their Junior ISAs.

    ", + "

    Junior ISAs automatically turn into an adult ISA when the child turns 18.

    ", + "

    If your child lacks the mental capacity to manage their account when they turn 18

    ", + "

    You, or a close friend or relative, need to apply to the Court of Protection (COP) for a financial deputyship order. This will allow you to manage your child\u2019s adult ISA account or take out money on their behalf once they turn 18.

    ", + "

    In Scotland, applications need to be made to the Office of the Public Guardian in Scotland.

    ", + "

    In Northern Ireland, applications need to be made to the Office of Care and Protection.

    ", + "

    If your child is terminally ill or dies

    ", + "

    The registered contact can take money out of a Junior ISA early if a child\u2019s terminally ill.

    ", + "

    \u2018Terminally ill\u2019 means that the child has a disease or illness that is going to get worse and is not expected to live more than 6 months.

    ", + "

    How to take money out

    ", + "

    Fill in the terminal illness early access form to let HM Revenue & Customs (HMRC) know that:

    ", + "
  • your child is terminally ill
  • ", + "
  • you want to take money out of their Junior ISA
  • ", + "

    HMRC will let you know if you can take money out of your child\u2019s Junior ISA.

    ", + "

    If your child dies

    ", + "

    If your child dies, any money in their Junior ISAs will be paid to whoever inherits their estate.

    ", + "

    This is usually one of the child\u2019s parents, but it could be their spouse or partner if they were over 16 and married or in a civil partnership.

    ", + "

    What you need to do

    ", + "

    You do not need to contact HMRC but you\u2019ll need to tell your account provider so they can close your child\u2019s Junior ISAs.

    ", + "

    Your account provider may need proof to do this, for example a copy of the death certificate.

    " + ] + }, + "https://www.gov.uk/parental-rights-responsibilities": { + "url": "https://www.gov.uk/parental-rights-responsibilities", + "title": "Parental rights and responsibilities", + "content": "## What is parental responsibility?\n\nAll mothers and most fathers have legal rights and responsibilities as a parent - known as \u2018parental responsibility\u2019.\n\nIf you have parental responsibility, your most important roles are to:\n\n- provide a home for the child\n\n- protect and maintain the child\n\nYou\u2019re also responsible for:\n\n- disciplining the child\n\n- choosing and providing for the child\u2019s education\n\n- agreeing to the child\u2019s medical treatment\n\n- naming the child and agreeing to any change of name\n\n- looking after the child\u2019s property\n\nParents have to ensure that their child is supported financially, whether they have parental responsibility or not.\n\n## Parental responsibility for separated parents\n\nIf you have parental responsibility for a child but you do not live with them, it does not mean you have a right to spend time with your children. However, the other parent must include you when making important decisions about their lives.\n\nYou do not always need to get the consent of the other parent for routine decisions, even if they also have parental responsibility.\n\nIf it\u2019s a major decision (for example, one of you wants to move abroad with your children) both parents with responsibility must agree in writing.\n\nYou can apply for a Specific Issue Order or Prohibited Steps Order if you cannot agree. A judge will then make a decision which is in your children\u2019s best interests.\n\nYou must make sure your children are financially supported, whether you have parental responsibility or not.\n\nYou can get help to arrange contact with your children.\n\n## Who has parental responsibility\n\nA mother automatically has parental responsibility for her child from birth.\n\nA father usually has parental responsibility if he\u2019s either:\n\n- married to the child\u2019s mother\n\n- listed on the birth certificate (after a certain date, depending on which part of the UK the child was born in)\n\nYou can apply for parental responsibility if you do not automatically have it.\n\n## Births registered in England and Wales\n\nIf the parents of a child are married when the child is born, or if they\u2019ve jointly adopted a child, both have parental responsibility.\n\nThey both keep parental responsibility if they later divorce.\n\n## Unmarried parents\n\nAn unmarried father can get parental responsibility for his child in 1 of 3 ways:\n\n- jointly registering the birth of the child with the mother (from 1 December 2003)\n\n- getting a parental responsibility agreement with the mother\n\n- getting a parental responsibility order from a court\n\n## Births registered in Scotland\n\nA father has parental responsibility if he\u2019s married to the mother when the child is conceived, or marries her at any point afterwards.\n\nAn unmarried father has parental responsibility if he\u2019s named on the child\u2019s birth certificate (from 4 May 2006).\n\n## Births registered in Northern Ireland\n\nA father has parental responsibility if he\u2019s married to the mother at the time of the child\u2019s birth.\n\nIf a father marries the mother after the child\u2019s birth, he has parental responsibility if he lives in Northern Ireland at the time of the marriage.\n\nAn unmarried father has parental responsibility if he\u2019s named, or becomes named, on the child\u2019s birth certificate (from 15 April 2002).\n\n## Births registered outside the UK\n\nIf a child is born overseas and comes to live in the UK, parental responsibility depends on the UK country they\u2019re now living in.\n\n## Same-sex parents\n\n## Civil partners\n\nSame-sex partners will both have parental responsibility if they were civil partners at the time of the treatment, eg donor insemination or fertility treatment.\n\n## Non-civil partners\n\nFor same-sex partners who are not civil partners, the 2nd parent can get parental responsibility by either:\n\n- applying for parental responsibility if a parental agreement was made\n\n- becoming a civil partner of the other parent and making a parental responsibility agreement or jointly registering the birth\n\n## Apply for parental responsibility\n\nIf you\u2019re not the mother, you can apply to court to get parental responsibility.\n\nYou need to be connected to the child, for example as their father, step-parent or 2nd female parent.\n\nMore than 2 people can have parental responsibility for the same child.\n\nScotland has its own set of rules, covered under \u2018ordinary cause procedures\u2019.\n\n## Sign a parental responsibility agreement\n\nIf you\u2019re a father who wants parental responsibility and the mother agrees, fill in a parental responsibility agreement.\n\nThere\u2019s a different agreement form for step parents.\n\nTake the agreement to your local family court where it can be signed and witnessed.\n\nAlso take the child\u2019s birth certificate and proof of your identity, like a passport or driving licence.\n\nSend 2 copies of the form to the address below:\n\n## Apply for a court order\n\nIf you want parental responsibility but cannot agree on arrangements with the mother, you can apply for a court order.\n\nA court order costs \u00a3215.\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\nTo apply, fill in the application for an order (C1).\n\nSend this to your local family court.\n\nIf you and your partner use a surrogate to have a child, you\u2019ll need to apply for a parental order.", + "original_contents": [ + "

    What is parental responsibility?

    ", + "

    All mothers and most fathers have legal rights and responsibilities as a parent - known as \u2018parental responsibility\u2019.

    ", + "

    If you have parental responsibility, your most important roles are to:

    ", + "
  • provide a home for the child
  • ", + "
  • protect and maintain the child
  • ", + "

    You\u2019re also responsible for:

    ", + "
  • disciplining the child
  • ", + "
  • choosing and providing for the child\u2019s education
  • ", + "
  • agreeing to the child\u2019s medical treatment
  • ", + "
  • naming the child and agreeing to any change of name
  • ", + "
  • looking after the child\u2019s property
  • ", + "

    Parents have to ensure that their child is supported financially, whether they have parental responsibility or not.

    ", + "

    Parental responsibility for separated parents

    ", + "

    If you have parental responsibility for a child but you do not live with them, it does not mean you have a right to spend time with your children. However, the other parent must include you when making important decisions about their lives.

    ", + "

    You do not always need to get the consent of the other parent for routine decisions, even if they also have parental responsibility.

    ", + "

    If it\u2019s a major decision (for example, one of you wants to move abroad with your children) both parents with responsibility must agree in writing.

    ", + "

    You can apply for a Specific Issue Order or Prohibited Steps Order if you cannot agree. A judge will then make a decision which is in your children\u2019s best interests.

    ", + "

    You must make sure your children are financially supported, whether you have parental responsibility or not.

    ", + "

    You can get help to arrange contact with your children.

    ", + "

    Who has parental responsibility

    ", + "

    A mother automatically has parental responsibility for her child from birth.

    ", + "

    A father usually has parental responsibility if he\u2019s either:

    ", + "
  • married to the child\u2019s mother
  • ", + "
  • listed on the birth certificate (after a certain date, depending on which part of the UK the child was born in)
  • ", + "

    You can apply for parental responsibility if you do not automatically have it.

    ", + "

    Births registered in England and Wales

    ", + "

    If the parents of a child are married when the child is born, or if they\u2019ve jointly adopted a child, both have parental responsibility.

    ", + "

    They both keep parental responsibility if they later divorce.

    ", + "

    Unmarried parents

    ", + "

    An unmarried father can get parental responsibility for his child in 1 of 3 ways:

    ", + "
  • jointly registering the birth of the child with the mother (from 1 December 2003)
  • ", + "
  • getting a parental responsibility agreement with the mother
  • ", + "
  • getting a parental responsibility order from a court
  • ", + "

    Births registered in Scotland

    ", + "

    A father has parental responsibility if he\u2019s married to the mother when the child is conceived, or marries her at any point afterwards.

    ", + "

    An unmarried father has parental responsibility if he\u2019s named on the child\u2019s birth certificate (from 4 May 2006).

    ", + "

    Births registered in Northern Ireland

    ", + "

    A father has parental responsibility if he\u2019s married to the mother at the time of the child\u2019s birth.

    ", + "

    If a father marries the mother after the child\u2019s birth, he has parental responsibility if he lives in Northern Ireland at the time of the marriage.

    ", + "

    An unmarried father has parental responsibility if he\u2019s named, or becomes named, on the child\u2019s birth certificate (from 15 April 2002).

    ", + "

    Births registered outside the UK

    ", + "

    If a child is born overseas and comes to live in the UK, parental responsibility depends on the UK country they\u2019re now living in.

    ", + "

    Same-sex parents

    ", + "

    Civil partners

    ", + "

    Same-sex partners will both have parental responsibility if they were civil partners at the time of the treatment, eg donor insemination or fertility treatment.

    ", + "

    Non-civil partners

    ", + "

    For same-sex partners who are not civil partners, the 2nd parent can get parental responsibility by either:

    ", + "
  • applying for parental responsibility if a parental agreement was made
  • ", + "
  • becoming a civil partner of the other parent and making a parental responsibility agreement or jointly registering the birth
  • ", + "

    Apply for parental responsibility

    ", + "

    If you\u2019re not the mother, you can apply to court to get parental responsibility.

    ", + "

    You need to be connected to the child, for example as their father, step-parent or 2nd female parent.

    ", + "

    More than 2 people can have parental responsibility for the same child.

    ", + "

    Scotland has its own set of rules, covered under \u2018ordinary cause procedures\u2019.

    ", + "

    Sign a parental responsibility agreement

    ", + "

    If you\u2019re a father who wants parental responsibility and the mother agrees, fill in a parental responsibility agreement.

    ", + "

    There\u2019s a different agreement form for step parents.

    ", + "

    Take the agreement to your local family court where it can be signed and witnessed.

    ", + "

    Also take the child\u2019s birth certificate and proof of your identity, like a passport or driving licence.

    ", + "

    Send 2 copies of the form to the address below:

    ", + "

    Apply for a court order

    ", + "

    If you want parental responsibility but cannot agree on arrangements with the mother, you can apply for a court order.

    ", + "

    A court order costs \u00a3215.

    ", + "

    You may be able to get help with court fees if you\u2019re on benefits or a low income.

    ", + "

    To apply, fill in the application for an order (C1).

    ", + "

    Send this to your local family court.

    ", + "

    If you and your partner use a surrogate to have a child, you\u2019ll need to apply for a parental order.

    " + ] + }, + "https://www.gov.uk/legal-rights-when-using-surrogates-and-donors": { + "url": "https://www.gov.uk/legal-rights-when-using-surrogates-and-donors", + "title": "Surrogacy: legal rights of parents and surrogates", + "content": "## Overview\n\nSurrogacy is legal in the UK, but if you make a surrogacy agreement it cannot be enforced by the law.\n\n## The legal parents at birth\n\nIf you use a surrogate, they will be the child\u2019s legal parent at birth.\n\nIf the surrogate is married or in a civil partnership, their spouse or civil partner will be the child\u2019s second parent at birth, unless they did not give their permission.\n\nLegal parenthood can be transferred by parental order or adoption after the child is born.\n\nIf there is disagreement about who the child\u2019s legal parents should be, the courts will make a decision based on the best interests of the child.\n\n## Surrogacy agreements\n\nThe intended parents and surrogate can record how they want the arrangement to work in a surrogacy agreement.\n\nSurrogacy agreements are not enforceable by UK law, even if you have a signed document with your surrogate and have paid their expenses.\n\nYou cannot pay a surrogate in the UK, except for their reasonable expenses.\n\n## Donor\u2019s rights\n\nIf you use donated sperm or eggs with your surrogate, read about the rights of your donor.\n\nRead more about surrogacy and the legal process.\n\n## Become the child\u2019s legal parent\n\nYou must apply for a parental order or adoption if you want to become the legal parent of the child.\n\n## Parental orders\n\nYou can apply for a parental order with a partner or on your own.\n\n## Apply with a partner\n\nOne of you must be genetically related to the child - in other words, be the egg or sperm donor.\n\nYou must be one of the following:\n\n- married\n\n- civil partners\n\n- living as partners\n\nYou must also:\n\n- have the child living with you\n\n- reside permanently in either the UK, Channel Islands or Isle of Man\n\nYou must apply within 6 months of the child\u2019s birth.\n\n## Apply as an individual\n\nYou must be genetically related to the child - in other words, be the egg or sperm donor.\n\nYou must also:\n\n- have the child living with you\n\n- reside permanently in either the UK, Channel Islands or Isle of Man\n\nYou can apply for a child of any age if you apply before 4 July 2019. From 4 July 2019 you must apply within 6 months of the child\u2019s birth.\n\n## How to apply in England or Wales\n\nYou must fill in a \u2018C51 application form for a parental order\u2019 and take or send it to a family court.\n\nYou do not have to use your local family court, but you\u2019ll need to explain why if you do not.\n\nYou\u2019ll need to provide the child\u2019s full birth certificate and will also be charged a court fee of \u00a3215.\n\nThe court will then set a date for the hearing and issue you with a \u2018C52 acknowledgement form\u2019 that you must give to the child\u2019s legal parent, in other words, your surrogate.\n\nThe surrogate and anyone else who\u2019s a parent of the child must agree to the parental order by filling in form A101A.\n\n## How to apply in Scotland or Northern Ireland\n\nThe process is different if you live in Scotland or Northern Ireland.\n\nIn Scotland, contact the Court of Session or Sheriff Court.\n\nIn Northern Ireland, contact the Courts and Tribunals Service.\n\n## Adoption\n\nIf neither you or your partner are related to the child, adoption is the only way you can become the child\u2019s legal parent.\n\n## Children born outside the UK\n\nIf your surrogate gives birth abroad, you can only apply for a parental order if you and your partner are living in the UK.\n\nIf the child is not a UK or EU national, they will need a visa to enter the UK during this process.\n\nUsing a surrogate abroad can be complicated because different countries have different rules. You may want to get legal advice or contact The Human Fertilisation and Embryology Authority for more information.\n\nYou can also read about returning to the UK with your child.\n\n## Pay and leave\n\nYou and your partner may be eligible for adoption pay and leave and paternity pay and leave if you use a surrogate.\n\nIf you\u2019re not eligible for paid leave, you may be able to take parental leave or annual leave.\n\n## Surrogates\n\nEvery pregnant employee has the right to 52 weeks\u2019 maternity leave and to return to their job after this.\n\nWhat a surrogate does after the child is born does not affect their right to maternity leave.", + "original_contents": [ + "

    Overview

    ", + "

    Surrogacy is legal in the UK, but if you make a surrogacy agreement it cannot be enforced by the law.

    ", + "

    The legal parents at birth

    ", + "

    If you use a surrogate, they will be the child\u2019s legal parent at birth.

    ", + "

    If the surrogate is married or in a civil partnership, their spouse or civil partner will be the child\u2019s second parent at birth, unless they did not give their permission.

    ", + "

    Legal parenthood can be transferred by parental order or adoption after the child is born.

    ", + "

    If there is disagreement about who the child\u2019s legal parents should be, the courts will make a decision based on the best interests of the child.

    ", + "

    Surrogacy agreements

    ", + "

    The intended parents and surrogate can record how they want the arrangement to work in a surrogacy agreement.

    ", + "

    Surrogacy agreements are not enforceable by UK law, even if you have a signed document with your surrogate and have paid their expenses.

    ", + "

    You cannot pay a surrogate in the UK, except for their reasonable expenses.

    ", + "

    Donor\u2019s rights

    ", + "

    If you use donated sperm or eggs with your surrogate, read about the rights of your donor.

    ", + "

    Read more about surrogacy and the legal process.

    ", + "

    Become the child\u2019s legal parent

    ", + "

    You must apply for a parental order or adoption if you want to become the legal parent of the child.

    ", + "

    Parental orders

    ", + "

    You can apply for a parental order with a partner or on your own.

    ", + "

    Apply with a partner

    ", + "

    One of you must be genetically related to the child - in other words, be the egg or sperm donor.

    ", + "

    You must be one of the following:

    ", + "
  • married
  • ", + "
  • civil partners
  • ", + "
  • living as partners
  • ", + "

    You must also:

    ", + "
  • have the child living with you
  • ", + "
  • reside permanently in either the UK, Channel Islands or Isle of Man
  • ", + "

    You must apply within 6 months of the child\u2019s birth.

    ", + "

    Apply as an individual

    ", + "

    You must be genetically related to the child - in other words, be the egg or sperm donor.

    ", + "

    You must also:

    ", + "
  • have the child living with you
  • ", + "
  • reside permanently in either the UK, Channel Islands or Isle of Man
  • ", + "

    You can apply for a child of any age if you apply before 4 July 2019. From 4 July 2019 you must apply within 6 months of the child\u2019s birth.

    ", + "

    How to apply in England or Wales

    ", + "

    You must fill in a \u2018C51 application form for a parental order\u2019 and take or send it to a family court.

    ", + "

    You do not have to use your local family court, but you\u2019ll need to explain why if you do not.

    ", + "

    You\u2019ll need to provide the child\u2019s full birth certificate and will also be charged a court fee of \u00a3215.

    ", + "

    The court will then set a date for the hearing and issue you with a \u2018C52 acknowledgement form\u2019 that you must give to the child\u2019s legal parent, in other words, your surrogate.

    ", + "

    The surrogate and anyone else who\u2019s a parent of the child must agree to the parental order by filling in form A101A.

    ", + "

    How to apply in Scotland or Northern Ireland

    ", + "

    The process is different if you live in Scotland or Northern Ireland.

    ", + "

    In Scotland, contact the Court of Session or Sheriff Court.

    ", + "

    In Northern Ireland, contact the Courts and Tribunals Service.

    ", + "

    Adoption

    ", + "

    If neither you or your partner are related to the child, adoption is the only way you can become the child\u2019s legal parent.

    ", + "

    Children born outside the UK

    ", + "

    If your surrogate gives birth abroad, you can only apply for a parental order if you and your partner are living in the UK.

    ", + "

    If the child is not a UK or EU national, they will need a visa to enter the UK during this process.

    ", + "

    Using a surrogate abroad can be complicated because different countries have different rules. You may want to get legal advice or contact The Human Fertilisation and Embryology Authority for more information.

    ", + "

    You can also read about returning to the UK with your child.

    ", + "

    Pay and leave

    ", + "

    You and your partner may be eligible for adoption pay and leave and paternity pay and leave if you use a surrogate.

    ", + "

    If you\u2019re not eligible for paid leave, you may be able to take parental leave or annual leave.

    ", + "

    Surrogates

    ", + "

    Every pregnant employee has the right to 52 weeks\u2019 maternity leave and to return to their job after this.

    ", + "

    What a surrogate does after the child is born does not affect their right to maternity leave.

    " + ] + }, + "https://www.gov.uk/oneoff-decision-personal-welfare": { + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "title": "Apply for a one-off decision from the Court of Protection", + "content": "## Overview\n\nApply to the Court of Protection if both of the following apply:\n\n- you\u2019re concerned about the personal welfare or property and financial affairs of someone who\u2019s lost mental capacity\n\n- you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home\n\nYou can only apply to the court if there\u2019s a major disagreement about a serious decision which cannot be agreed any other way. There are general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\nCheck if someone has an attorney or deputy acting for them before you apply.\n\n## If there\u2019s an immediate risk to the person\n\nApply for an emergency or urgent court order if you think there\u2019s an immediate risk to the person, for example they need emergency medical treatment they cannot consent to.\n\n## If the person needs long-term help\n\nYou may have to apply to become a deputy if the person needs long-term help with decisions about personal welfare or property and financial affairs.\n\n## How to apply\n\nDownload and fill in:\n\n- an application form (COP1) - send the original and 2 copies\n\n- an assessment of capacity form (COP3) - get the person\u2019s doctor or other medical professional to fill in the relevant parts, and send the original and a copy\n\nYou may also need to download and fill in:\n\n- supporting information for property and financial affairs decisions (COP1A) - include any other relevant details by sending a completed witness form (COP24) with your application\n\n- supporting information for personal welfare applications (COP1B) - send the original and a copy\n\nYou must pay \u00a3365 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nSend a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms.\n\nRead the application form guidance notes (COP1) if you need help.\n\n## What happens next\n\nYou must tell:\n\n- the person you\u2019re applying to get a one-off decision for\n\n- people connected to the application\n\nTell them after you apply.\n\n## Tell other people you've applied\n\nThe Court of Protection will send you a copy of your application forms - they\u2019ll be stamped with an issue date.\n\nYou\u2019ll also get a letter from the court telling you what to do next.\n\nYou must tell (\u2018serve\u2019) certain people about the application within 14 days of the issue date.\n\n## Tell the person you\u2019re applying to get a one-off decision for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to get a one-off decision about their personal welfare or property and financial affairs\n\n- that their ability to make decisions is being questioned\n\n- what the one-off decision would mean for them\n\n- where to get advice if they want to discuss the application\n\nYou must give the person:\n\n- a completed form COP 14 - use the guidance notes to fill it in yourself\n\n- an acknowledgment form (COP5), so they can confirm they\u2019ve been told\n\n- any other documents related to your application\n\nThe person can get advice and assistance from the Court of Protection.\n\n## Tell people connected to the application\n\nYou must tell people named on your application that it\u2019s been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post\n\n- by fax or email\n\n- in person\n\n## Confirm you\u2019ve told people (\u2018served notice\u2019)\n\nYou must confirm you\u2019ve told people within 7 days of sending the forms. Download and fill in both:\n\n- form (COP20A) for the person you\u2019re applying to get a one-off decision for\n\n- form (COP20B) for other people named in the application\n\nThese forms are sometimes called \u2018certificates of service\u2019.\n\nYou must send both forms to the Court of Protection at the same time.\n\n## What happens next\n\nYou\u2019ll hear from the Court of Protection after you\u2019ve \u2018served notice\u2019 (told other people you\u2019ve applied).\n\nThe court will tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to make a decision, and when and where it\u2019ll take place\n\n## If there\u2019s a hearing\n\nYou must attend the hearing. You\u2019ll get a letter with a hearing date (\u2018notice\u2019) if the court decides to have a hearing.\n\nYou must tell the person you\u2019re getting a decision for about the hearing:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nFill in the notice about proceedings (COP14) and give it to the person you\u2019re getting a decision for. Use the guidance notes if you need help.\n\nThe person can contact the Court of Protection for advice and assistance - you must explain this to them.\n\nSend a certificate of service (COP20A) to the Court of Protection within 7 days of when you told the person.\n\nYou must pay \u00a3500 if the court makes a final decision at the hearing.\n\n## Get a decision\n\nIf there\u2019s a hearing, you\u2019ll get a decision at it or afterwards by post.\n\nYou\u2019ll get a decision by post if there is not a hearing.\n\n## Challenge a decision\n\nYou can apply to the court for the decision to be reconsidered if it was made without a hearing - use form (COP9).\n\nYou must apply within 21 days of the date the decision was made.\n\n## Appeal a decision\n\nYou must ask for permission to appeal if there was a hearing. Download and fill in the appellants\u2019 notice (COP35).\n\nYou must pay \u00a3230. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.", + "original_contents": [ + "

    Overview

    ", + "

    Apply to the Court of Protection if both of the following apply:

    ", + "
  • you\u2019re concerned about the personal welfare or property and financial affairs of someone who\u2019s lost mental capacity
  • ", + "
  • you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home
  • ", + "

    You can only apply to the court if there\u2019s a major disagreement about a serious decision which cannot be agreed any other way. There are general rules and examples in the Mental Capacity Act 2005 Code of Practice.

    ", + "

    Check if someone has an attorney or deputy acting for them before you apply.

    ", + "

    If there\u2019s an immediate risk to the person

    ", + "

    Apply for an emergency or urgent court order if you think there\u2019s an immediate risk to the person, for example they need emergency medical treatment they cannot consent to.

    ", + "

    If the person needs long-term help

    ", + "

    You may have to apply to become a deputy if the person needs long-term help with decisions about personal welfare or property and financial affairs.

    ", + "

    How to apply

    ", + "

    Download and fill in:

    ", + "
  • an application form (COP1) - send the original and 2 copies
  • ", + "
  • an assessment of capacity form (COP3) - get the person\u2019s doctor or other medical professional to fill in the relevant parts, and send the original and a copy
  • ", + "

    You may also need to download and fill in:

    ", + "
  • supporting information for property and financial affairs decisions (COP1A) - include any other relevant details by sending a completed witness form (COP24) with your application
  • ", + "
  • supporting information for personal welfare applications (COP1B) - send the original and a copy
  • ", + "

    You must pay \u00a3365 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    Send a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms.

    ", + "

    Read the application form guidance notes (COP1) if you need help.

    ", + "

    What happens next

    ", + "

    You must tell:

    ", + "
  • the person you\u2019re applying to get a one-off decision for
  • ", + "
  • people connected to the application
  • ", + "

    Tell them after you apply.

    ", + "

    Tell other people you've applied

    ", + "

    The Court of Protection will send you a copy of your application forms - they\u2019ll be stamped with an issue date.

    ", + "

    You\u2019ll also get a letter from the court telling you what to do next.

    ", + "

    You must tell (\u2018serve\u2019) certain people about the application within 14 days of the issue date.

    ", + "

    Tell the person you\u2019re applying to get a one-off decision for

    ", + "

    You or your representative must visit the person and tell them:

    ", + "
  • who\u2019s applying to get a one-off decision about their personal welfare or property and financial affairs
  • ", + "
  • that their ability to make decisions is being questioned
  • ", + "
  • what the one-off decision would mean for them
  • ", + "
  • where to get advice if they want to discuss the application
  • ", + "

    You must give the person:

    ", + "
  • a completed form COP 14 - use the guidance notes to fill it in yourself
  • ", + "
  • an acknowledgment form (COP5), so they can confirm they\u2019ve been told
  • ", + "
  • any other documents related to your application
  • ", + "

    The person can get advice and assistance from the Court of Protection.

    ", + "

    Tell people connected to the application

    ", + "

    You must tell people named on your application that it\u2019s been issued.

    ", + "

    Send them:

    ", + "
  • a notice that an application form has been issued (COP15)
  • ", + "
  • an acknowledgment form (COP5) so they can confirm they\u2019ve been told
  • ", + "
  • any other documents related to your application
  • ", + "

    You can tell them:

    ", + "
  • by post
  • ", + "
  • by fax or email
  • ", + "
  • in person
  • ", + "

    Confirm you\u2019ve told people (\u2018served notice\u2019)

    ", + "

    You must confirm you\u2019ve told people within 7 days of sending the forms. Download and fill in both:

    ", + "
  • form (COP20A) for the person you\u2019re applying to get a one-off decision for
  • ", + "
  • form (COP20B) for other people named in the application
  • ", + "

    These forms are sometimes called \u2018certificates of service\u2019.

    ", + "

    You must send both forms to the Court of Protection at the same time.

    ", + "

    What happens next

    ", + "

    You\u2019ll hear from the Court of Protection after you\u2019ve \u2018served notice\u2019 (told other people you\u2019ve applied).

    ", + "

    The court will tell you if:

    ", + "
  • your application\u2019s been approved or rejected
  • ", + "
  • you have to provide more information to support your application, for example a report from social services
  • ", + "
  • it\u2019s going to hold a hearing to make a decision, and when and where it\u2019ll take place
  • ", + "

    If there\u2019s a hearing

    ", + "

    You must attend the hearing. You\u2019ll get a letter with a hearing date (\u2018notice\u2019) if the court decides to have a hearing.

    ", + "

    You must tell the person you\u2019re getting a decision for about the hearing:

    ", + "
  • within 14 days of getting the notice
  • ", + "
  • at least 14 days before the date of the hearing
  • ", + "

    Fill in the notice about proceedings (COP14) and give it to the person you\u2019re getting a decision for. Use the guidance notes if you need help.

    ", + "

    The person can contact the Court of Protection for advice and assistance - you must explain this to them.

    ", + "

    Send a certificate of service (COP20A) to the Court of Protection within 7 days of when you told the person.

    ", + "

    You must pay \u00a3500 if the court makes a final decision at the hearing.

    ", + "

    Get a decision

    ", + "

    If there\u2019s a hearing, you\u2019ll get a decision at it or afterwards by post.

    ", + "

    You\u2019ll get a decision by post if there is not a hearing.

    ", + "

    Challenge a decision

    ", + "

    You can apply to the court for the decision to be reconsidered if it was made without a hearing - use form (COP9).

    ", + "

    You must apply within 21 days of the date the decision was made.

    ", + "

    Appeal a decision

    ", + "

    You must ask for permission to appeal if there was a hearing. Download and fill in the appellants\u2019 notice (COP35).

    ", + "

    You must pay \u00a3230. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    " + ] + }, + "https://www.gov.uk/mental-health-tribunal": { + "url": "https://www.gov.uk/mental-health-tribunal", + "title": "Apply to the Mental Health Tribunal", + "content": "## Overview\n\nYou can apply to the First-tier Tribunal (Mental Health) if you\u2019re admitted (\u2018detained\u2019) as a patient in a psychiatric hospital (\u2018sectioned\u2019) and want to be discharged.\n\nYou can apply on a patient\u2019s behalf if you\u2019re their:\n\n- legal representative\n\n- \u2018nearest relative\u2019\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nYou can also apply to the tribunal if you want to change:\n\n- a community treatment order\n\n- the conditions placed on your \u2018conditional discharge\u2019 from hospital\n\nThe tribunal deals with cases in England. There are different rules in Wales and rules in Scotland.\n\n## When to apply\n\nWhen you apply depends on how you were admitted - ask your doctor or lawyer (if you have one) if you\u2019re unsure.\n\nThere are deadlines for the first time you apply - you must apply within:\n\n- 14 days if you\u2019ve been admitted for assessment (\u2018section 2\u2019)\n\n- 6 months if you\u2019ve been admitted for treatment (\u2018section 3\u2019)\n\nGet legal advice if you\u2019re a \u2018restricted patient\u2019, for example you\u2019ve received an order from the Crown Court or been transferred from prison- the deadlines depend on your situation.\n\n## If you miss the deadline\n\nYou cannot apply to be discharged if you miss the deadline but you may be able to apply again later, for example after a year if you\u2019ve been admitted for treatment (\u2018section 3\u2019).\n\nThe tribunal will automatically look at your case again after a certain period of time. This is sometimes known as a \u2018referral\u2019. The period of time depends on your case, for example:\n\n- if it\u2019s been 3 years since the tribunal gave you a hearing\n\n- you\u2019ve not had a hearing in the first 6 months of your detention\n\n## Help you can get\n\nYou can get free legal help if you\u2019re a patient. It does not cost you anything as it\u2019s paid for by legal aid.\n\nFind a legal advisor near you or ask the tribunal to find one for you when you apply.\n\nYou can also get advice from:\n\n- Carers Direct\n\n- the charity Mind\n\n- the charity Rethink\n\n## Apply to the tribunal\n\nDownload and fill in an application to the First-tier Tribunal (Mental Health). You must include:\n\n- what you\u2019re applying for, for example discharge if you\u2019ve been admitted for assessment or treatment\n\n- the patient\u2019s first name, surname and date of birth\n\n- full details of the care coordinator and hospital\n\n- the date of the section or order\n\n- contact details for the \u2018nearest relative\u2019 (if there is one)\n\n- your lawyer\u2019s details (if you have one)\n\n- whether you need an interpreter\n\n## Send the form\n\nPost or email the form to HM Courts and Tribunals Service. The contact details are on the form.\n\nContact the tribunal by phone or email if you have any questions about completing the form. The helpline and email address cannot give you legal advice.\n\n## After you apply\n\nYou\u2019ll be told when the tribunal has received your application. You\u2019ll get information on your rights to legal representation if you did not include a lawyer\u2019s details in your application.\n\nYour \u2018nearest relative\u2019 will usually be told the date of the hearing - they can attend unless you object. Nearer the time of the hearing you\u2019ll be given copies of reports so that you can check that the information\u2019s correct and work out any questions you want to ask.\n\nThe date of the hearing depends on your situation. You\u2019ll usually get a hearing within:\n\n- 7 days of applying if you\u2019ve been admitted for assessment\n\n- 2 months if you\u2019ve been admitted for treatment\n\n- 4 months if you\u2019ve received an order from the Crown Court or been transferred from prison (known as a \u2018restricted patient\u2019)\n\n## Evidence from the tribunal doctor\n\nYou can ask for a pre-hearing examination with the tribunal doctor if you want one.\n\nIf you\u2019ve been admitted for assessment, do this in writing when you send your application to the tribunal.\n\nIf you\u2019ve been admitted for treatment or you\u2019re a restricted patient, you must do this at least 2 weeks before the hearing.\n\nWrite to:\n\nBecause of coronavirus (COVID-19), your pre-hearing examination may take place by video.\n\nThe tribunal will also ask the hospital for reports from:\n\n- your doctor\n\n- the social work and nursing teams responsible for your care\n\n- the Secretary of State for Justice if you\u2019re a restricted patient (and your social supervisor if you\u2019re living in the community on conditional discharge)\n\n## If you do not want to continue with your application\n\nWrite to the tribunal as soon as possible if you do not want to continue with your application. The tribunal will decide whether to accept your withdrawal.\n\nYou cannot withdraw your case if it was automatically referred to the tribunal, but you do not have to go to the hearing if you do not want to.\n\n## What happens at the hearing\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. The tribunal will contact you and tell you how the hearing will take place.\n\nYou do not have to attend the hearing if you do not want to. You can bring a legal representative and a relative to the hearing if you do go - your representative can arrange for witnesses or experts to attend.\n\nHearings are usually held in private and attended by:\n\n- a judicial panel, made up of a judge, a doctor and a specialist lay member (for example a mental health social worker)\n\n- the patient\n\n- their hospital doctor, ward nurse and social worker\n\n- your legal representative, if you have one\n\nThe doctor, nurse and social worker will give evidence. You can also give evidence, and ask questions.\n\nThe tribunal will also look at:\n\n- your pre-hearing examination from the tribunal doctor, if you had one\n\n- an independent psychiatric report, if your legal representative asked for one\n\nIf you\u2019re a \u2018restricted patient\u2019 and have committed a serious offence against a person, they or their family can ask (or make \u2018representations\u2019) for certain conditions if the tribunal thinks you\u2019re ready for discharge.\n\n## Claim expenses\n\nYou may be able to claim expenses for going to the hearing. This includes money for:\n\n- travel costs\n\n- loss of earnings\n\n- food and drink, if you\u2019re away for more than 5 hours\n\nRead the guidance on claiming expenses.\n\n## The tribunal's decision\n\nThe tribunal usually decides at the end of the hearing on whether you should be discharged - you\u2019ll get the decision on the day, and you\u2019ll usually get full written reasons with 7 days of the hearing.\n\nThe tribunal can:\n\n- order your release (on the same day or at a future date)\n\n- recommend that you\u2019re transferred to a different hospital\n\n- recommend that your doctor considers you for treatment in the community\n\n- recommend that you\u2019re allowed to leave the hospital for periods of time, to see if you\u2019re ready for life in the community\n\nThe tribunal cannot change your treatment, for example medication.\n\n## Appeal\n\nIf you lose your case, you can ask the tribunal:\n\n- to cancel the decision - you must do this within 28 days of getting the written decision\n\n- for permission to appeal to a higher tribunal (the \u2018Upper Tribunal\u2019)\n\n## Ask the tribunal to cancel the decision\n\nYou\u2019ll be told how to get a decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process, for example you were not told about the hearing so did not go.\n\nIf the tribunal cancels the decision, you may be able to get a new hearing.\n\nContact Citizens Advice if you need help.\n\n## Appeal to the Upper Tribunal\n\nYou can ask for permission to appeal to the Upper Tribunal if you think there was a legal mistake, for example if they:\n\n- did not apply the correct law or wrongly interpreted the law\n\n- did not follow the correct procedures\n\n- had no evidence or not enough evidence to support its decision\n\nFill in the application for permission to appeal - the address is on the form.\n\nAnother judge will look to see if there\u2019s a legal problem with your case and if it needs to be heard again.\n\n## Complain\n\nYou cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.\n\n## Legislation\n\nThe tribunal will make a decision based on:\n\n- Mental Health Act 1983 (as amended by the Mental Health Act 2007)\n\n- Mental Health Act 2007\n\n- Human Rights Act 1998 if the case is about human rights\n\nThe tribunal must follow the Tribunal Procedure (First-Tier Tribunal) (Health, Education And Social Care Chamber) Rules 2008.\n\nDoctors\u2019 statements and reports must be written in line with the practice directions.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to the First-tier Tribunal (Mental Health) if you\u2019re admitted (\u2018detained\u2019) as a patient in a psychiatric hospital (\u2018sectioned\u2019) and want to be discharged.

    ", + "

    You can apply on a patient\u2019s behalf if you\u2019re their:

    ", + "
  • legal representative
  • ", + "
  • \u2018nearest relative\u2019
  • ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    You can also apply to the tribunal if you want to change:

    ", + "
  • a community treatment order
  • ", + "
  • the conditions placed on your \u2018conditional discharge\u2019 from hospital
  • ", + "

    The tribunal deals with cases in England. There are different rules in Wales and rules in Scotland.

    ", + "

    When to apply

    ", + "

    When you apply depends on how you were admitted - ask your doctor or lawyer (if you have one) if you\u2019re unsure.

    ", + "

    There are deadlines for the first time you apply - you must apply within:

    ", + "
  • 14 days if you\u2019ve been admitted for assessment (\u2018section 2\u2019)
  • ", + "
  • 6 months if you\u2019ve been admitted for treatment (\u2018section 3\u2019)
  • ", + "

    Get legal advice if you\u2019re a \u2018restricted patient\u2019, for example you\u2019ve received an order from the Crown Court or been transferred from prison- the deadlines depend on your situation.

    ", + "

    If you miss the deadline

    ", + "

    You cannot apply to be discharged if you miss the deadline but you may be able to apply again later, for example after a year if you\u2019ve been admitted for treatment (\u2018section 3\u2019).

    ", + "

    The tribunal will automatically look at your case again after a certain period of time. This is sometimes known as a \u2018referral\u2019. The period of time depends on your case, for example:

    ", + "
  • if it\u2019s been 3 years since the tribunal gave you a hearing
  • ", + "
  • you\u2019ve not had a hearing in the first 6 months of your detention
  • ", + "

    Help you can get

    ", + "

    You can get free legal help if you\u2019re a patient. It does not cost you anything as it\u2019s paid for by legal aid.

    ", + "

    Find a legal advisor near you or ask the tribunal to find one for you when you apply.

    ", + "

    You can also get advice from:

    ", + "
  • Carers Direct
  • ", + "
  • the charity Mind
  • ", + "
  • the charity Rethink
  • ", + "

    Apply to the tribunal

    ", + "

    Download and fill in an application to the First-tier Tribunal (Mental Health). You must include:

    ", + "
  • what you\u2019re applying for, for example discharge if you\u2019ve been admitted for assessment or treatment
  • ", + "
  • the patient\u2019s first name, surname and date of birth
  • ", + "
  • full details of the care coordinator and hospital
  • ", + "
  • the date of the section or order
  • ", + "
  • contact details for the \u2018nearest relative\u2019 (if there is one)
  • ", + "
  • your lawyer\u2019s details (if you have one)
  • ", + "
  • whether you need an interpreter
  • ", + "

    Send the form

    ", + "

    Post or email the form to HM Courts and Tribunals Service. The contact details are on the form.

    ", + "

    Contact the tribunal by phone or email if you have any questions about completing the form. The helpline and email address cannot give you legal advice.

    ", + "

    After you apply

    ", + "

    You\u2019ll be told when the tribunal has received your application. You\u2019ll get information on your rights to legal representation if you did not include a lawyer\u2019s details in your application.

    ", + "

    Your \u2018nearest relative\u2019 will usually be told the date of the hearing - they can attend unless you object. Nearer the time of the hearing you\u2019ll be given copies of reports so that you can check that the information\u2019s correct and work out any questions you want to ask.

    ", + "

    The date of the hearing depends on your situation. You\u2019ll usually get a hearing within:

    ", + "
  • 7 days of applying if you\u2019ve been admitted for assessment
  • ", + "
  • 2 months if you\u2019ve been admitted for treatment
  • ", + "
  • 4 months if you\u2019ve received an order from the Crown Court or been transferred from prison (known as a \u2018restricted patient\u2019)
  • ", + "

    Evidence from the tribunal doctor

    ", + "

    You can ask for a pre-hearing examination with the tribunal doctor if you want one.

    ", + "

    If you\u2019ve been admitted for assessment, do this in writing when you send your application to the tribunal.

    ", + "

    If you\u2019ve been admitted for treatment or you\u2019re a restricted patient, you must do this at least 2 weeks before the hearing.

    ", + "

    Write to:

    ", + "

    Because of coronavirus (COVID-19), your pre-hearing examination may take place by video.

    ", + "

    The tribunal will also ask the hospital for reports from:

    ", + "
  • your doctor
  • ", + "
  • the social work and nursing teams responsible for your care
  • ", + "
  • the Secretary of State for Justice if you\u2019re a restricted patient (and your social supervisor if you\u2019re living in the community on conditional discharge)
  • ", + "

    If you do not want to continue with your application

    ", + "

    Write to the tribunal as soon as possible if you do not want to continue with your application. The tribunal will decide whether to accept your withdrawal.

    ", + "

    You cannot withdraw your case if it was automatically referred to the tribunal, but you do not have to go to the hearing if you do not want to.

    ", + "

    What happens at the hearing

    ", + "

    Because of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. The tribunal will contact you and tell you how the hearing will take place.

    ", + "

    You do not have to attend the hearing if you do not want to. You can bring a legal representative and a relative to the hearing if you do go - your representative can arrange for witnesses or experts to attend.

    ", + "

    Hearings are usually held in private and attended by:

    ", + "
  • a judicial panel, made up of a judge, a doctor and a specialist lay member (for example a mental health social worker)
  • ", + "
  • the patient
  • ", + "
  • their hospital doctor, ward nurse and social worker
  • ", + "
  • your legal representative, if you have one
  • ", + "

    The doctor, nurse and social worker will give evidence. You can also give evidence, and ask questions.

    ", + "

    The tribunal will also look at:

    ", + "
  • your pre-hearing examination from the tribunal doctor, if you had one
  • ", + "
  • an independent psychiatric report, if your legal representative asked for one
  • ", + "

    If you\u2019re a \u2018restricted patient\u2019 and have committed a serious offence against a person, they or their family can ask (or make \u2018representations\u2019) for certain conditions if the tribunal thinks you\u2019re ready for discharge.

    ", + "

    Claim expenses

    ", + "

    You may be able to claim expenses for going to the hearing. This includes money for:

    ", + "
  • travel costs
  • ", + "
  • loss of earnings
  • ", + "
  • food and drink, if you\u2019re away for more than 5 hours
  • ", + "

    Read the guidance on claiming expenses.

    ", + "

    The tribunal's decision

    ", + "

    The tribunal usually decides at the end of the hearing on whether you should be discharged - you\u2019ll get the decision on the day, and you\u2019ll usually get full written reasons with 7 days of the hearing.

    ", + "

    The tribunal can:

    ", + "
  • order your release (on the same day or at a future date)
  • ", + "
  • recommend that you\u2019re transferred to a different hospital
  • ", + "
  • recommend that your doctor considers you for treatment in the community
  • ", + "
  • recommend that you\u2019re allowed to leave the hospital for periods of time, to see if you\u2019re ready for life in the community
  • ", + "

    The tribunal cannot change your treatment, for example medication.

    ", + "

    Appeal

    ", + "

    If you lose your case, you can ask the tribunal:

    ", + "
  • to cancel the decision - you must do this within 28 days of getting the written decision
  • ", + "
  • for permission to appeal to a higher tribunal (the \u2018Upper Tribunal\u2019)
  • ", + "

    Ask the tribunal to cancel the decision

    ", + "

    You\u2019ll be told how to get a decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process, for example you were not told about the hearing so did not go.

    ", + "

    If the tribunal cancels the decision, you may be able to get a new hearing.

    ", + "

    Contact Citizens Advice if you need help.

    ", + "

    Appeal to the Upper Tribunal

    ", + "

    You can ask for permission to appeal to the Upper Tribunal if you think there was a legal mistake, for example if they:

    ", + "
  • did not apply the correct law or wrongly interpreted the law
  • ", + "
  • did not follow the correct procedures
  • ", + "
  • had no evidence or not enough evidence to support its decision
  • ", + "

    Fill in the application for permission to appeal - the address is on the form.

    ", + "

    Another judge will look to see if there\u2019s a legal problem with your case and if it needs to be heard again.

    ", + "

    Complain

    ", + "

    You cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.

    ", + "

    Legislation

    ", + "

    The tribunal will make a decision based on:

    ", + "
  • Mental Health Act 1983 (as amended by the Mental Health Act 2007)
  • ", + "
  • Mental Health Act 2007
  • ", + "
  • Human Rights Act 1998 if the case is about human rights
  • ", + "

    The tribunal must follow the Tribunal Procedure (First-Tier Tribunal) (Health, Education And Social Care Chamber) Rules 2008.

    ", + "

    Doctors\u2019 statements and reports must be written in line with the practice directions.

    " + ] + }, + "https://www.gov.uk/deputyship-refund": { + "url": "https://www.gov.uk/deputyship-refund", + "title": "Claim a deputyship fee refund", + "content": "## Overview\n\nYou might be eligible for a refund if you were overcharged deputyship fees by the Office of the Public Guardian (OPG) for England and Wales.\n\nThe refunds are only for deputyship assessments and annual supervisions which took place between 1 April 2008 and 31 March 2015.\n\nThis page is also available in Welsh (Cymraeg).\n\nTo find out if you\u2019re owed any money and how much you\u2019ll get, you\u2019ll need to make a claim to the OPG.\n\nIf you\u2019re a deputy acting under a current court order, you do not need to apply for a refund. Any overcharged fees will be refunded automatically.\n\nThe deadline for refund claims is 4 October 2022.\n\n## What you\u2019ll get\n\nHow much you get will depend on:\n\n- how much you paid and at what rate\n\n- how long you paid for\n\n- whether you have unpaid fees\n\nMost refunds will be less than \u00a3200. You\u2019ll also get 0.5% interest.\n\n## Who can claim\n\nYou can make a claim if you:\n\n- had a deputy previously\n\n- are acting on behalf of someone who had a deputy and has died\n\nThe deputyship must have been active between 1 April 2008 and 31 March 2015.\n\nIf you\u2019re still acting as a deputy, you do not need to apply. Any overcharged fees will be refunded automatically.\n\n## If you had a deputy previously\n\nIf you had a deputy but you now make your own decisions, you can apply for a refund.\n\nYou can also ask your property and financial affairs attorney to make a claim on your behalf.\n\n## If you\u2019re acting on behalf of someone who has died\n\nIf the person who used to have a deputy (the \u2018client\u2019) has died, the executor of the will must claim the refund.\n\nIf there is no executor, an administrator of the estate can apply.\n\nIf there is no estate administrator, a family member can apply.\n\n## What you do with the refund\n\nAny refund received should be divided between the beneficiaries of the client\u2019s estate.\n\nIf the client\u2019s estate has already been settled, you can get help from Citizens Advice or a solicitor to make sure you comply with the law.\n\n## What you'll need to claim\n\nTo claim, you\u2019ll need details of the person who had a deputy (the \u2018client\u2019). This includes their:\n\n- name\n\n- date of birth\n\n- address when the deputyship ended\n\n- date of death (if relevant)\n\nYou\u2019ll also need to provide details of the bank account you\u2019d like the refund to be paid in to (if you do not want to be refunded by cheque).\n\n## Documents you\u2019ll need to provide\n\nYou\u2019ll need to send proof of your:\n\n- name\n\n- address\n\n- right to apply (if you\u2019re not the client)\n\nYou can send scanned and photocopied documents.\n\nYou can also send original documents. They will be returned to you by post.\n\nYou need to send a different piece of evidence for each type of proof.\n\n## Proof of your name\n\nThis can be:\n\n- current signed passport (copy of the page showing your name and photograph)\n\n- original birth or adoption certificate\n\n- current UK or EEA photocard driver\u2019s licence (not provisional licence)\n\n- full old-style driving licence\n\n- EEA member state identity card or national identity photo card\n\n- benefit book or original notification letter from the benefits agency\n\n## Proof of your address\n\nThis can be:\n\n- utility bill (not a mobile phone bill) from the last 12 months\n\n- current council tax bill\n\n- bank, building society or credit union statement or passbook dated within the last 3 months\n\n- original mortgage statement issued for the last full year\n\n- council or housing association or rent card or tenancy agreement for the current year\n\n## Proof of your right to apply\n\nInclude a copy of:\n\n- grant of probate (executors)\n\n- letters of administration (administrators)\n\n- death certificate (family members)\n\nIf you\u2019re a property and financial affairs attorney, you\u2019ll need to provide the lasting power of attorney reference number.\n\n## How to claim\n\nYou will need to complete a form and send it with your evidence.\n\n## Claim by email\n\nSend the form and evidence as email attachments to:\n\nDeputyshipFeeRefunds@justice.gov.uk\n\nYou\u2019ll need to attach scanned copies or clear photographs of original documents. The email size limit is 10MB but you can send more than one email.\n\nWrite \u2018Deputyship fee refund application\u2019 as the email subject.\n\n## Claim by post\n\nPost the form and your evidence to:\n\n## Claim by phone\n\nIf you cannot claim by email or fill in the form yourself, contact the helpline. You\u2019ll still need to send evidence.\n\n## After you've claimed\n\nYou\u2019ll be told by email or letter:\n\n- when your application has been received\n\n- if any information is missing\n\n- whether your claim is successful\n\n- the refund amount and when it\u2019ll be paid\n\n- the reasons for any rejection\n\n## When you\u2019ll get the refund\n\nIt can take up to 10 weeks to get a decision and a further 2 weeks to receive the refund.\n\n## If your claim is rejected\n\nYou can appeal by contacting the Refunds Helpline.", + "original_contents": [ + "

    Overview

    ", + "

    You might be eligible for a refund if you were overcharged deputyship fees by the Office of the Public Guardian (OPG) for England and Wales.

    ", + "

    The refunds are only for deputyship assessments and annual supervisions which took place between 1 April 2008 and 31 March 2015.

    ", + "

    This page is also available in Welsh (Cymraeg).

    ", + "

    To find out if you\u2019re owed any money and how much you\u2019ll get, you\u2019ll need to make a claim to the OPG.

    ", + "

    If you\u2019re a deputy acting under a current court order, you do not need to apply for a refund. Any overcharged fees will be refunded automatically.

    ", + "

    The deadline for refund claims is 4 October 2022.

    ", + "

    What you\u2019ll get

    ", + "

    How much you get will depend on:

    ", + "
  • how much you paid and at what rate
  • ", + "
  • how long you paid for
  • ", + "
  • whether you have unpaid fees
  • ", + "

    Most refunds will be less than \u00a3200. You\u2019ll also get 0.5% interest.

    ", + "

    Who can claim

    ", + "

    You can make a claim if you:

    ", + "
  • had a deputy previously
  • ", + "
  • are acting on behalf of someone who had a deputy and has died
  • ", + "

    The deputyship must have been active between 1 April 2008 and 31 March 2015.

    ", + "

    If you\u2019re still acting as a deputy, you do not need to apply. Any overcharged fees will be refunded automatically.

    ", + "

    If you had a deputy previously

    ", + "

    If you had a deputy but you now make your own decisions, you can apply for a refund.

    ", + "

    You can also ask your property and financial affairs attorney to make a claim on your behalf.

    ", + "

    If you\u2019re acting on behalf of someone who has died

    ", + "

    If the person who used to have a deputy (the \u2018client\u2019) has died, the executor of the will must claim the refund.

    ", + "

    If there is no executor, an administrator of the estate can apply.

    ", + "

    If there is no estate administrator, a family member can apply.

    ", + "

    What you do with the refund

    ", + "

    Any refund received should be divided between the beneficiaries of the client\u2019s estate.

    ", + "

    If the client\u2019s estate has already been settled, you can get help from Citizens Advice or a solicitor to make sure you comply with the law.

    ", + "

    What you'll need to claim

    ", + "

    To claim, you\u2019ll need details of the person who had a deputy (the \u2018client\u2019). This includes their:

    ", + "
  • name
  • ", + "
  • date of birth
  • ", + "
  • address when the deputyship ended
  • ", + "
  • date of death (if relevant)
  • ", + "

    You\u2019ll also need to provide details of the bank account you\u2019d like the refund to be paid in to (if you do not want to be refunded by cheque).

    ", + "

    Documents you\u2019ll need to provide

    ", + "

    You\u2019ll need to send proof of your:

    ", + "
  • name
  • ", + "
  • address
  • ", + "
  • right to apply (if you\u2019re not the client)
  • ", + "

    You can send scanned and photocopied documents.

    ", + "

    You can also send original documents. They will be returned to you by post.

    ", + "

    You need to send a different piece of evidence for each type of proof.

    ", + "

    Proof of your name

    ", + "

    This can be:

    ", + "
  • current signed passport (copy of the page showing your name and photograph)
  • ", + "
  • original birth or adoption certificate
  • ", + "
  • current UK or EEA photocard driver\u2019s licence (not provisional licence)
  • ", + "
  • full old-style driving licence
  • ", + "
  • EEA member state identity card or national identity photo card
  • ", + "
  • benefit book or original notification letter from the benefits agency
  • ", + "

    Proof of your address

    ", + "

    This can be:

    ", + "
  • utility bill (not a mobile phone bill) from the last 12 months
  • ", + "
  • current council tax bill
  • ", + "
  • bank, building society or credit union statement or passbook dated within the last 3 months
  • ", + "
  • original mortgage statement issued for the last full year
  • ", + "
  • council or housing association or rent card or tenancy agreement for the current year
  • ", + "

    Proof of your right to apply

    ", + "

    Include a copy of:

    ", + "
  • grant of probate (executors)
  • ", + "
  • letters of administration (administrators)
  • ", + "
  • death certificate (family members)
  • ", + "

    If you\u2019re a property and financial affairs attorney, you\u2019ll need to provide the lasting power of attorney reference number.

    ", + "

    How to claim

    ", + "

    You will need to complete a form and send it with your evidence.

    ", + "

    Claim by email

    ", + "

    Send the form and evidence as email attachments to:

    ", + "

    DeputyshipFeeRefunds@justice.gov.uk

    ", + "

    You\u2019ll need to attach scanned copies or clear photographs of original documents. The email size limit is 10MB but you can send more than one email.

    ", + "

    Write \u2018Deputyship fee refund application\u2019 as the email subject.

    ", + "

    Claim by post

    ", + "

    Post the form and your evidence to:

    ", + "

    Claim by phone

    ", + "

    If you cannot claim by email or fill in the form yourself, contact the helpline. You\u2019ll still need to send evidence.

    ", + "

    After you've claimed

    ", + "

    You\u2019ll be told by email or letter:

    ", + "
  • when your application has been received
  • ", + "
  • if any information is missing
  • ", + "
  • whether your claim is successful
  • ", + "
  • the refund amount and when it\u2019ll be paid
  • ", + "
  • the reasons for any rejection
  • ", + "

    When you\u2019ll get the refund

    ", + "

    It can take up to 10 weeks to get a decision and a further 2 weeks to receive the refund.

    ", + "

    If your claim is rejected

    ", + "

    You can appeal by contacting the Refunds Helpline.

    " + ] + }, + "https://www.gov.uk/getting-help-with-your-tax-credits-claim": { + "url": "https://www.gov.uk/getting-help-with-your-tax-credits-claim", + "title": "Claiming and dealing with tax credits for someone else", + "content": "## Overview\n\nYou can get permission to deal with someone else\u2019s tax credits. The type of permission you need depends on what you want to do.\n\nYou can:\n\n- contact HM Revenue and Customs (HMRC) about someone else\u2019s claim - as an authorised intermediary\n\n- take responsibility for someone else\u2019s tax credit claim when they cannot manage their own affairs - as an appointee\n\n- claim tax credits for both your child and their baby\n\n## Authorisation\n\nYou must be authorised to talk to HM Revenue and Customs (HMRC) about someone else\u2019s tax credits. If you\u2019re not, every time you call that person must first confirm their identity and say they\u2019re happy for you to act for them.\n\n## Get authorised\n\nSend form TC689 to HMRC. This must be signed by the person (or persons if it\u2019s a joint claim) you\u2019re representing.\n\nThe authorisation lasts 12 months unless a different end date is put on the form. It usually takes 2 days to get authorised from when your form is received but can take longer if you send a letter instead of form TC689. Usually, you will not get a letter confirming your authorisation.\n\nMore than one person can be authorised but each one must send a TC689 form.\n\nTax credits will not be paid into your account unless you\u2019re the appointee.\n\n## If you act for a lot of clients\n\nWrite to HMRC to register as an \u2018intermediary organisation\u2019 if you work in the voluntary sector and act for many people.\n\nYou can get urgent authorisation online if you\u2019re an intermediary organisation and you have a completed TC689.\n\nUse form 64-8 to get authorisation if you\u2019re a paid agent. You can then use the Agent Priority Line to contact HMRC.\n\n## Cancel an authorisation\n\nAn authorisation can be cancelled by writing to HMRC.\n\n## Appointees\n\nYou can apply for the right to deal with the tax credits of someone who cannot manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.\n\nThis is called becoming an \u2018appointee\u2019.\n\nYou\u2019re not an appointee if you just help someone complete their claim form.\n\n## Applying to become a tax credit appointee\n\nYou must be over 18 and have a bank account. You do not have to be a relative.\n\nIf you have a tax credit claim form, complete the appointee section explaining why the person cannot complete and sign their form. Then send the form to HM Revenue and Customs (HMRC). They may contact you for more information before deciding whether to make you an appointee or not.\n\nIf you do not have a claim form, contact HMRC.\n\n## Your responsibilities\n\nYou must:\n\n- sign the tax credit claim form\n\n- renew the tax credits claim\n\n- report any changes which affect how much money the person gets\n\n- tell HMRC if you\u2019re no longer the appointee\n\nAny tax credits the person gets are paid directly into your bank account. If you make a false or misleading statement you may be charged a penalty.\n\nThe claimant is responsible for paying back overpayments. Their tax credits may be reduced or you may be asked to make a direct payment on their behalf.\n\n## Stop being an appointee\n\nWrite to HMRC within 1 month of when you want to stop being the appointee.\n\n## Claim on behalf of your child\n\n## Your child is under 16\n\nIf your child has a baby, you can make the claim for both of them if they live with you. The money will be paid to you.\n\n## Your child is over 16\n\nYour child can make the claim themselves if they\u2019re over 16 and have a baby.\n\nYou can make the claim for them if both the following apply:\n\n- your child and their baby live with you\n\n- your child is in approved education or training\n\nYou must stop claiming tax credits for your child if they start claiming tax credits for themselves. Phone HM Revenue and Customs (HMRC) to stop claiming tax credits.", + "original_contents": [ + "

    Overview

    ", + "

    You can get permission to deal with someone else\u2019s tax credits. The type of permission you need depends on what you want to do.

    ", + "

    You can:

    ", + "
  • contact HM Revenue and Customs (HMRC) about someone else\u2019s claim - as an authorised intermediary
  • ", + "
  • take responsibility for someone else\u2019s tax credit claim when they cannot manage their own affairs - as an appointee
  • ", + "
  • claim tax credits for both your child and their baby
  • ", + "

    Authorisation

    ", + "

    You must be authorised to talk to HM Revenue and Customs (HMRC) about someone else\u2019s tax credits. If you\u2019re not, every time you call that person must first confirm their identity and say they\u2019re happy for you to act for them.

    ", + "

    Get authorised

    ", + "

    Send form TC689 to HMRC. This must be signed by the person (or persons if it\u2019s a joint claim) you\u2019re representing.

    ", + "

    The authorisation lasts 12 months unless a different end date is put on the form. It usually takes 2 days to get authorised from when your form is received but can take longer if you send a letter instead of form TC689. Usually, you will not get a letter confirming your authorisation.

    ", + "

    More than one person can be authorised but each one must send a TC689 form.

    ", + "

    Tax credits will not be paid into your account unless you\u2019re the appointee.

    ", + "

    If you act for a lot of clients

    ", + "

    Write to HMRC to register as an \u2018intermediary organisation\u2019 if you work in the voluntary sector and act for many people.

    ", + "

    You can get urgent authorisation online if you\u2019re an intermediary organisation and you have a completed TC689.

    ", + "

    Use form 64-8 to get authorisation if you\u2019re a paid agent. You can then use the Agent Priority Line to contact HMRC.

    ", + "

    Cancel an authorisation

    ", + "

    An authorisation can be cancelled by writing to HMRC.

    ", + "

    Appointees

    ", + "

    You can apply for the right to deal with the tax credits of someone who cannot manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.

    ", + "

    This is called becoming an \u2018appointee\u2019.

    ", + "

    You\u2019re not an appointee if you just help someone complete their claim form.

    ", + "

    Applying to become a tax credit appointee

    ", + "

    You must be over 18 and have a bank account. You do not have to be a relative.

    ", + "

    If you have a tax credit claim form, complete the appointee section explaining why the person cannot complete and sign their form. Then send the form to HM Revenue and Customs (HMRC). They may contact you for more information before deciding whether to make you an appointee or not.

    ", + "

    If you do not have a claim form, contact HMRC.

    ", + "

    Your responsibilities

    ", + "

    You must:

    ", + "
  • sign the tax credit claim form
  • ", + "
  • renew the tax credits claim
  • ", + "
  • report any changes which affect how much money the person gets
  • ", + "
  • tell HMRC if you\u2019re no longer the appointee
  • ", + "

    Any tax credits the person gets are paid directly into your bank account. If you make a false or misleading statement you may be charged a penalty.

    ", + "

    The claimant is responsible for paying back overpayments. Their tax credits may be reduced or you may be asked to make a direct payment on their behalf.

    ", + "

    Stop being an appointee

    ", + "

    Write to HMRC within 1 month of when you want to stop being the appointee.

    ", + "

    Claim on behalf of your child

    ", + "

    Your child is under 16

    ", + "

    If your child has a baby, you can make the claim for both of them if they live with you. The money will be paid to you.

    ", + "

    Your child is over 16

    ", + "

    Your child can make the claim themselves if they\u2019re over 16 and have a baby.

    ", + "

    You can make the claim for them if both the following apply:

    ", + "
  • your child and their baby live with you
  • ", + "
  • your child is in approved education or training
  • ", + "

    You must stop claiming tax credits for your child if they start claiming tax credits for themselves. Phone HM Revenue and Customs (HMRC) to stop claiming tax credits.

    " + ] + }, + "https://www.gov.uk/become-deputy": { + "url": "https://www.gov.uk/become-deputy", + "title": "Deputies: make decisions for someone who lacks capacity", + "content": "## Overview\n\nYou can apply to become someone\u2019s deputy if they \u2018lack mental capacity\u2019. This means they cannot make a decision for themselves at the time it needs to be made. They may still be able to make decisions for themselves at certain times.\n\nPeople may lack mental capacity because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\n- they have severe learning disabilities\n\nAs a deputy, you\u2019ll be authorised by the Court of Protection to make decisions on their behalf.\n\n## Types of deputy\n\nThere are 2 types of deputy.\n\n## Property and financial affairs deputy\n\nYou\u2019ll do things like pay the person\u2019s bills or organise their pension.\n\n## Personal welfare deputy\n\nYou\u2019ll make decisions about medical treatment and how someone is looked after.\n\nYou cannot become someone\u2019s personal welfare deputy if they\u2019re under 16. Get legal advice if you think the court needs to make a decision about their care.\n\nThe court will usually only appoint a personal welfare deputy if:\n\n- there\u2019s doubt whether decisions will be made in someone\u2019s best interests, for example because the family disagree about care\n\n- someone needs to be appointed to make decisions about a specific issue over time, for example where someone will live\n\nRead the full guidance about when you need to make a personal welfare application.\n\n## Becoming a deputy\n\nYou can apply to be just one type of deputy or both. If you\u2019re appointed, you\u2019ll get a court order saying what you can and cannot do.\n\nWhen you become a deputy, you must send an annual report to the Office of the Public Guardian (OPG) each year explaining the decisions you\u2019ve made.\n\n## How to apply\n\nCheck you meet the requirements to be a deputy.\n\nSend the application forms to the Court of Protection and pay the application fee.\n\nYou do not need to be a deputy if you\u2019re just looking after someone\u2019s benefits. Apply to become an appointee instead.\n\n## Checks on your application\n\nThe Court of Protection will check:\n\n- whether the person needs a deputy or some other kind of help\n\n- there are no objections to your appointment\n\nIf you\u2019re appointed, the Office of the Public Guardian will help you carry out your responsibilities.\n\nYou\u2019ll continue to be a deputy until your court order is changed, cancelled or expires.\n\n## Other ways to make decisions for someone\n\nIf you want to make a single important decision, you can apply to the Court of Protection for a one-off order.\n\nIf the person already has a lasting power of attorney (LPA) or enduring power of attorney (EPA), they do not usually need a deputy. Check if they have an LPA or EPA before you apply.\n\n## Who can apply to be a deputy\n\nYou can apply to be a deputy if you\u2019re 18 or over. Deputies are usually close relatives or friends of the person who needs help making decisions.\n\nIf you want to become a property and affairs deputy, you need to have the skills to make financial decisions for someone else.\n\nThe court can appoint 2 or more deputies for the same person.\n\n## When there\u2019s more than one deputy\n\nWhen you apply, tell the court how you\u2019ll make decisions if you\u2019re not the only deputy. It will be either:\n\n- together (\u2018joint deputyship\u2019), which means all the deputies have to agree on the decision\n\n- separately or together (\u2018jointly and severally\u2019), which means deputies can make decisions on their own or with other deputies\n\n## Other types of deputy\n\nSome people are paid to act as deputies, for example accountants, solicitors or representatives of the local authority.\n\nThe Court of Protection can appoint a specialist deputy (called a \u2018panel deputy\u2019) from a list of approved law firms and charities if no one else is available.\n\n## Responsibilities\n\nAs a deputy, you\u2019re responsible for helping someone make decisions or making decisions on their behalf.\n\nYou must consider someone\u2019s level of mental capacity every time you make a decision for them - you cannot assume it\u2019s the same at all times and for all kinds of things.\n\nYou\u2019ll get a court order from the Court of Protection which says what you can and cannot do. There are also general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\n## Guidance for all deputies\n\nWhen you\u2019re making a decision, you must:\n\n- make sure it\u2019s in the other person\u2019s best interests\n\n- consider what they\u2019ve done in the past\n\n- apply a high standard of care - this might mean involving other people, for example getting advice from relatives and professionals like doctors\n\n- do everything you can to help the other person understand the decision, for example explain what\u2019s going to happen with the help of pictures or sign language\n\n- add the decisions to your annual report\n\nYou must not:\n\n- restrain the person, unless it\u2019s to stop them coming to harm\n\n- stop life-sustaining medical treatment\n\n- take advantage of the person\u2019s situation, for example abuse them or profit from a decision you\u2019ve taken on their behalf\n\n- make a will for the person, or change their existing will\n\n- make gifts unless the court order says you can\n\n- hold any money or property in your own name on the person\u2019s behalf\n\n## Property and affairs deputies\n\nYou must make sure:\n\n- your own property and money is separate from the other person\u2019s\n\n- you keep records of the finances you manage on their behalf in your annual report\n\nYou may need to manage a Court Funds Office account on the other person\u2019s behalf.\n\nYou could be fined or sent to prison for up to 5 years (or both) if you mistreat or neglect the person on purpose.\n\n## Apply to be a deputy\n\nYou need to download and fill in all of the following:\n\n- an application form (COP1) - you\u2019ll need to send the original form plus a copy when you apply\n\n- an assessment of capacity form (COP3)\n\n- a deputy\u2019s declaration (COP4)\n\nYou also need to download and fill in:\n\n- a supporting information form (COP1A) if you\u2019re applying to be a property and affairs deputy\n\n- a supporting information form (COP1B) if you\u2019re applying to be a personal welfare deputy\n\nYou must name at least 3 people in your application who know the person you\u2019re applying to be deputy for. For example, their relatives, a social worker or doctor.\n\nThe court may not accept your application if you do not send the \u2018assessment of capacity\u2019 (COP3) form.\n\nIf you cannot get an assessment, you must download and fill in a witness statement (COP24) to explain why you think the person you\u2019re applying about lacks capacity.\n\nYou should keep a copy of every form you fill in.\n\n## Where to send your forms\n\nSend the forms, including 2 copies of the application form (COP1), to the Court of Protection with a cheque for the application fee.\n\n## Tell people named in your application\n\nThe court will aim to send you a stamped copy of your application within a week of receiving it. This means your application is being considered (it has been \u2018issued\u2019). You\u2019ll be sent a letter explaining what to do next.\n\nWithin 14 days of the application being issued, you must tell (sometimes called \u2018serving\u2019) the following people:\n\n- the person you\u2019re applying to be a deputy for\n\n- at least 3 people named in your application as having an interest, for example the person\u2019s relatives, social worker or doctor\n\nIf you cannot tell 3 people you should send in a witness statement (COP24).\n\n## Tell the person you\u2019re applying to be a deputy for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to be their deputy\n\n- that their ability to make decisions is being questioned\n\n- what having a deputy would mean for them\n\n- where to get advice if they want to discuss the application\n\nDuring the visit give them:\n\n- a completed proceedings notification form (COP14) - use the guidance notes to fill this in yourself\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\n## Tell people connected to your application\n\nYou must tell 3 people named on your application that it has been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\n## Confirming that you\u2019ve told people (\u2018served notice\u2019)\n\nWithin 7 days of serving the documents, you must download and fill in the relevant forms (sometimes called \u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the person you\u2019re applying to be deputy for (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## Fees\n\nYou must pay:\n\n- a fee to apply to be a deputy\n\n- a supervision fee every year after you\u2019ve been appointed\n\nYou may also have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy.\n\n## When you apply\n\nYou must pay a \u00a3365 application fee. Send this with your application form.\n\nYou need to pay the application fee twice if you\u2019re applying to become both types of deputy.\n\nYou\u2019ll also need to pay \u00a3485 if the court decides your case needs a hearing. The court will tell you when you need to pay this.\n\nMake all cheques payable to \u2018HM Courts and Tribunals Service\u2019.\n\n## Security bonds for property and affairs deputies\n\nYou may have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy. This is a type of insurance that protects the finances of the person you\u2019re a deputy for.\n\nYou do not have to set up a bond if either:\n\n- you\u2019re representing a local authority\n\n- the court decides it\u2019s not necessary, for example if the person\u2019s estate has a low value\n\nIf you need to set one up, you\u2019ll get a letter from the court telling you this. The letter will explain what to do next.\n\nYou set up the bond with a security bond provider. The amount you pay depends on:\n\n- the value of the estate of the person you\u2019re a deputy for\n\n- how much of their estate you control\n\nYou can pay it either:\n\n- using the person\u2019s money\n\n- yourself - you can get the money back from the person\u2019s estate once you have access to it\n\nYou may be prosecuted if you misuse the person\u2019s money.\n\n## After you\u2019ve been appointed\n\nYou must pay an annual supervision fee depending on what level of supervision your deputyship needs. You\u2019ll pay:\n\n- \u00a3320 for general supervision\n\n- \u00a335 for minimal supervision - this applies to some property and affairs deputies managing less than \u00a321,000\n\nYour annual supervision fee is due on 31 March for the previous year.\n\nYou\u2019ll also need to pay a \u00a3100 assessment fee if you\u2019re a new deputy.\n\nThe Office of the Public Guardian will tell you how and when to pay your assessment and supervision fees.\n\nYou may be able to claim a refund of your fees in certain situations.\n\n## Getting help with your application fee\n\nYou may not have to pay an application fee depending on:\n\n- what type of deputy you\u2019re applying to be\n\n- how much money you or the person you\u2019re applying to be deputy for has\n\n| Type of deputy | Whose finances will be assessed |\n\n| Property and financial affairs | Theirs |\n\n| Personal welfare | Yours |\n\nThe guidance has information about getting help with your fees.\n\nYou can claim back the fee from the funds of the person you want to be a deputy for if you\u2019re applying to be a property and affairs deputy.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving the application.\n\n## Getting help with your supervision fees\n\nYou can apply for an exemption or reduction of the fee if the person you\u2019re a deputy for gets certain benefits or has an income below \u00a312,000. Read the guidance that comes with the form and apply if the person meets the requirements. The address is on the form.\n\nIf the person you\u2019re deputy for dies, you pay the supervision fee for the part of the year when you acted as deputy. For example, you\u2019ll have to pay \u00a317.50 if your minimal supervision deputyship comes to an end after 6 months.\n\n## After you've applied\n\nThere\u2019s a 14-day wait after you tell the other people involved that you applied, in case they object.\n\nThe Court of Protection will then review your application and tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you need to set up a security bond before you can be appointed\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to get more information, for example if someone objected\n\nThere\u2019s usually no hearing if you applied to be a property and financial affairs deputy.\n\nRead guidance on how coronavirus (COVID-19) might affect your hearing and what you should bring.\n\n## Tell the person you want to be a deputy for about the hearing\n\nYou\u2019ll get a notice with the date of the hearing if the court decides to hold one. You must visit the person you want to be deputy for and tell them about it:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nGive them a completed notice about proceedings (COP14). Use the guidance notes to fill it in.\n\nYou must explain that they can contact Court of Protection staff for advice and assistance.\n\nWhen you\u2019ve told them, send a certificate of service (COP20A) to the Court of Protection within 7 days.\n\nYou\u2019ll have to pay a fee if the court makes a final decision at the hearing.\n\nThe guidance explains what to expect from a Court of Protection hearing.\n\n## When you're appointed\n\nYou\u2019ll be sent a \u2018court order\u2019 telling you what you can and cannot do as a deputy. When you have this, you can start acting on the person\u2019s behalf.\n\nYou\u2019ll be sent the court order:\n\n- as soon as you\u2019re appointed - if you\u2019re a personal welfare deputy\n\n- after you set up a security bond - if you\u2019re a property and affairs deputy and have been asked to do this by the court\n\nYou\u2019ll need a separate court order before you can:\n\n- sell a property that\u2019s jointly owned if you\u2019re a property and affairs deputy\n\n- make a one-off decision on anything else that\u2019s not covered by the court order\n\nCheck the court order. If there are any mistakes, download and fill in form COP9 with the details and send it to the court within 21 days of receiving the court order. There is no fee.\n\n## Tell people and organisations you\u2019re a deputy\n\nYou\u2019ll get official copies of the court order to send to banks and building societies, for example. These prove you\u2019re acting on behalf of the other person. When you send out an official copy, ask for it to be returned.\n\nOrder extra copies of the court order by writing to the Court of Protection. They cost \u00a35 each.\n\n## Start managing a bank account\n\nBefore you can manage an account, you must show the bank:\n\n- the original court order, or an official copy of it\n\n- proof of your name, for example your passport or driving licence\n\n- proof of your address, for example a gas, electricity or council tax bill, or letter from a government department\n\n- proof of the name or address of the person you\u2019re applying to be deputy for - if they\u2019re not the same as on the bank account\n\n## Court Funds Office accounts\n\nIf the person you\u2019re deputy for has money in a Court Funds Office account, you\u2019ll be sent information about how to access it.\n\nYou can also apply to open an account with the Court Funds Office if you\u2019re a property and affairs deputy and it\u2019s in the person\u2019s best interests.\n\n## Record your decisions and transactions\n\nYou can start your annual report to record your decisions and transactions, such as paying bills.\n\n## Supervision, support and visits\n\nAs a deputy, you\u2019ll be supervised by the Office of the Public Guardian (OPG). They\u2019re authorised to contact you or visit you to check you\u2019re being an effective deputy. They can also give you advice and support.\n\n## How you\u2019ll be supervised\n\nNew deputies get a \u2018general\u2019 level of supervision for their first year.\n\nAfter that, if you\u2019re a property and affairs deputy you\u2019ll move to \u2018minimal\u2019 supervision if both:\n\n- you\u2019re managing less than \u00a321,000\n\n- you no longer need a general level of supervision\n\nYou\u2019ll pay a lower fee and have to write a shorter annual report than deputies with general supervision.\n\n## Supervision visits\n\nYou may be visited by a Court of Protection visitor to check if you:\n\n- understand your duties\n\n- have the right level of support from OPG\n\n- are carrying out your duties properly\n\n- are being investigated because of a complaint\n\nThe visitor will call you to arrange the visit and explain why they\u2019re visiting.\n\n## Contact OPG\n\nTell OPG if you\u2019re planning to make an important decision, for example you want to sell the property of the person you\u2019re deputy for so they can move into a care home.\n\n## Accounts, gifts and expenses\n\nYou must keep accounts and follow the rules for gifts and expenses if you\u2019re acting as deputy for someone else. You must also record the transactions in your annual report.\n\n## Accounts\n\nAs a property and affairs deputy, you must keep copies of:\n\n- bank statements\n\n- contracts for services or tradespeople\n\n- receipts\n\n- letters and emails about your activities as a deputy\n\n## Gifts\n\nYour court order will say if you can buy gifts or give gifts of money on behalf of the other person, including donations to charities. It will also say if there\u2019s an annual limit on how much money you can use for gifts.\n\nGifts must be reasonable. You need to make sure any gifts do not reduce the level of care the person you\u2019re deputy for can afford.\n\nYou must apply to the Court of Protection if you want to make a one-off large gift for Inheritance Tax purposes, for example.\n\n## Expenses\n\nYou can claim expenses for things you must do to carry out your role as deputy, for example phone calls, postage and travel costs. You cannot claim:\n\n- travel costs for social visits\n\n- for the time spent carrying out your duties (unless you\u2019re a professional deputy, for example a solicitor)\n\nYou may be asked to give a detailed report of what you spent. You\u2019ll have to pay the money back if the Office of the Public Guardian finds your expenses are unreasonable. They may ask the court to stop you being a deputy if they think you\u2019ve been dishonest.\n\n## Complete your deputy report\n\nYou must write a report each year explaining the decisions you\u2019ve made as a deputy. You might be asked to do this more often if the Office of the Public Guardian (OPG) needs additional information.\n\nYou may also need to write a final report if you stop being a deputy.\n\nIf you\u2019re a public authority or professional deputy using the service for the first time, you need to contact your case manager to register first. If you\u2019re a deputy for a friend or family member, you can create an account online.\n\nStart now\n\nOr you can download and fill in a paper annual report form. The address you need to send it to is on the form.\n\n## What to include\n\nYour report must include:\n\n- the reasons for your decisions and why they were in the best interests of the person you\u2019re deputy for\n\n- who you spoke to and why what they said was in the person\u2019s best interests\n\n- the finances of the person if you\u2019re their property and financial deputy\n\nThe OPG will tell you when it\u2019s time to send it.\n\nIf you do not send the report the OPG might:\n\n- increase your level of supervision\n\n- ask the court to replace you with a different deputy\n\n## Change your deputyship or make a one-off decision\n\nYou must apply to the Court of Protection if you have to:\n\n- renew your deputyship\n\n- change your deputyship, for example make decisions that are not in the original order\n\n- make a one-off decision on something not covered by your court order\n\n## How to apply\n\nDownload and fill in both:\n\n- an application form (COP 1)\n\n- a witness statement form (COP24) with a copy of the current order appointing you as a deputy attached\n\nYour witness statement should include:\n\n- the total annual income of the person you\u2019re a deputy for including pensions\n\n- a summary of their assets, for example bank balances, savings, investments\n\n- details of property they own\n\n- the annual cost of their care and other regular items of major expenditure\n\n- the value of the security bond set by the court\n\n- a description of the circumstances that have led to the application being made\n\nSend the Court of Protection:\n\n- the completed forms\n\n- a cheque for the application fee - \u00a3365 - payable to \u2018HM Courts and Tribunals Service\u2019\n\nYou can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nIf you need help with changing your deputyship, call the Court of Protection.\n\n## What happens next\n\nYou may have to notify other people about the change to the court order if the court tells you to.\n\nThey can object or ask the court to reconsider any proposed changes they do not agree with. They can do this:\n\n- before the court order is issued\n\n- up to 21 days after the court order is issued\n\n## End your deputyship\n\nIf you no longer want or need to be a deputy, download and fill in the application notice (COP1) and send it to the Court of Protection.\n\nIf the person has recovered mental capacity, download and fill in form COP 9. Send it to the Court of Protection with any supporting evidence, for example a doctor\u2019s letter.\n\nYou cannot stop being a deputy until you\u2019ve got the relevant court order.\n\n## If the person you\u2019re deputy for dies\n\nContact the Office of the Public Guardian (OPG) and the Court of Protection to tell them that the person has died.\n\nYou\u2019ll also have to send evidence to OPG that the person has died, for example a death certificate. Check the full list of evidence that OPG accepts.\n\nYour security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.\n\nContact the Court Funds Office if the person you were deputy for had an account with them.\n\nRead more about how to be a deputy.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to become someone\u2019s deputy if they \u2018lack mental capacity\u2019. This means they cannot make a decision for themselves at the time it needs to be made. They may still be able to make decisions for themselves at certain times.

    ", + "

    People may lack mental capacity because, for example:

    ", + "
  • they\u2019ve had a serious brain injury or illness
  • ", + "
  • they have dementia
  • ", + "
  • they have severe learning disabilities
  • ", + "

    As a deputy, you\u2019ll be authorised by the Court of Protection to make decisions on their behalf.

    ", + "

    Types of deputy

    ", + "

    There are 2 types of deputy.

    ", + "

    Property and financial affairs deputy

    ", + "

    You\u2019ll do things like pay the person\u2019s bills or organise their pension.

    ", + "

    Personal welfare deputy

    ", + "

    You\u2019ll make decisions about medical treatment and how someone is looked after.

    ", + "

    You cannot become someone\u2019s personal welfare deputy if they\u2019re under 16. Get legal advice if you think the court needs to make a decision about their care.

    ", + "

    The court will usually only appoint a personal welfare deputy if:

    ", + "
  • there\u2019s doubt whether decisions will be made in someone\u2019s best interests, for example because the family disagree about care
  • ", + "
  • someone needs to be appointed to make decisions about a specific issue over time, for example where someone will live
  • ", + "

    Read the full guidance about when you need to make a personal welfare application.

    ", + "

    Becoming a deputy

    ", + "

    You can apply to be just one type of deputy or both. If you\u2019re appointed, you\u2019ll get a court order saying what you can and cannot do.

    ", + "

    When you become a deputy, you must send an annual report to the Office of the Public Guardian (OPG) each year explaining the decisions you\u2019ve made.

    ", + "

    How to apply

    ", + "

    Check you meet the requirements to be a deputy.

    ", + "

    Send the application forms to the Court of Protection and pay the application fee.

    ", + "

    You do not need to be a deputy if you\u2019re just looking after someone\u2019s benefits. Apply to become an appointee instead.

    ", + "

    Checks on your application

    ", + "

    The Court of Protection will check:

    ", + "
  • whether the person needs a deputy or some other kind of help
  • ", + "
  • there are no objections to your appointment
  • ", + "

    If you\u2019re appointed, the Office of the Public Guardian will help you carry out your responsibilities.

    ", + "

    You\u2019ll continue to be a deputy until your court order is changed, cancelled or expires.

    ", + "

    Other ways to make decisions for someone

    ", + "

    If you want to make a single important decision, you can apply to the Court of Protection for a one-off order.

    ", + "

    If the person already has a lasting power of attorney (LPA) or enduring power of attorney (EPA), they do not usually need a deputy. Check if they have an LPA or EPA before you apply.

    ", + "

    Who can apply to be a deputy

    ", + "

    You can apply to be a deputy if you\u2019re 18 or over. Deputies are usually close relatives or friends of the person who needs help making decisions.

    ", + "

    If you want to become a property and affairs deputy, you need to have the skills to make financial decisions for someone else.

    ", + "

    The court can appoint 2 or more deputies for the same person.

    ", + "

    When there\u2019s more than one deputy

    ", + "

    When you apply, tell the court how you\u2019ll make decisions if you\u2019re not the only deputy. It will be either:

    ", + "
  • together (\u2018joint deputyship\u2019), which means all the deputies have to agree on the decision
  • ", + "
  • separately or together (\u2018jointly and severally\u2019), which means deputies can make decisions on their own or with other deputies
  • ", + "

    Other types of deputy

    ", + "

    Some people are paid to act as deputies, for example accountants, solicitors or representatives of the local authority.

    ", + "

    The Court of Protection can appoint a specialist deputy (called a \u2018panel deputy\u2019) from a list of approved law firms and charities if no one else is available.

    ", + "

    Responsibilities

    ", + "

    As a deputy, you\u2019re responsible for helping someone make decisions or making decisions on their behalf.

    ", + "

    You must consider someone\u2019s level of mental capacity every time you make a decision for them - you cannot assume it\u2019s the same at all times and for all kinds of things.

    ", + "

    You\u2019ll get a court order from the Court of Protection which says what you can and cannot do. There are also general rules and examples in the Mental Capacity Act 2005 Code of Practice.

    ", + "

    Guidance for all deputies

    ", + "

    When you\u2019re making a decision, you must:

    ", + "
  • make sure it\u2019s in the other person\u2019s best interests
  • ", + "
  • consider what they\u2019ve done in the past
  • ", + "
  • apply a high standard of care - this might mean involving other people, for example getting advice from relatives and professionals like doctors
  • ", + "
  • do everything you can to help the other person understand the decision, for example explain what\u2019s going to happen with the help of pictures or sign language
  • ", + "
  • add the decisions to your annual report
  • ", + "

    You must not:

    ", + "
  • restrain the person, unless it\u2019s to stop them coming to harm
  • ", + "
  • stop life-sustaining medical treatment
  • ", + "
  • take advantage of the person\u2019s situation, for example abuse them or profit from a decision you\u2019ve taken on their behalf
  • ", + "
  • make a will for the person, or change their existing will
  • ", + "
  • make gifts unless the court order says you can
  • ", + "
  • hold any money or property in your own name on the person\u2019s behalf
  • ", + "

    Property and affairs deputies

    ", + "

    You must make sure:

    ", + "
  • your own property and money is separate from the other person\u2019s
  • ", + "
  • you keep records of the finances you manage on their behalf in your annual report
  • ", + "

    You may need to manage a Court Funds Office account on the other person\u2019s behalf.

    ", + "

    You could be fined or sent to prison for up to 5 years (or both) if you mistreat or neglect the person on purpose.

    ", + "

    Apply to be a deputy

    ", + "

    You need to download and fill in all of the following:

    ", + "
  • an application form (COP1) - you\u2019ll need to send the original form plus a copy when you apply
  • ", + "
  • an assessment of capacity form (COP3)
  • ", + "
  • a deputy\u2019s declaration (COP4)
  • ", + "

    You also need to download and fill in:

    ", + "
  • a supporting information form (COP1A) if you\u2019re applying to be a property and affairs deputy
  • ", + "
  • a supporting information form (COP1B) if you\u2019re applying to be a personal welfare deputy
  • ", + "

    You must name at least 3 people in your application who know the person you\u2019re applying to be deputy for. For example, their relatives, a social worker or doctor.

    ", + "

    The court may not accept your application if you do not send the \u2018assessment of capacity\u2019 (COP3) form.

    ", + "

    If you cannot get an assessment, you must download and fill in a witness statement (COP24) to explain why you think the person you\u2019re applying about lacks capacity.

    ", + "

    You should keep a copy of every form you fill in.

    ", + "

    Where to send your forms

    ", + "

    Send the forms, including 2 copies of the application form (COP1), to the Court of Protection with a cheque for the application fee.

    ", + "

    Tell people named in your application

    ", + "

    The court will aim to send you a stamped copy of your application within a week of receiving it. This means your application is being considered (it has been \u2018issued\u2019). You\u2019ll be sent a letter explaining what to do next.

    ", + "

    Within 14 days of the application being issued, you must tell (sometimes called \u2018serving\u2019) the following people:

    ", + "
  • the person you\u2019re applying to be a deputy for
  • ", + "
  • at least 3 people named in your application as having an interest, for example the person\u2019s relatives, social worker or doctor
  • ", + "

    If you cannot tell 3 people you should send in a witness statement (COP24).

    ", + "

    Tell the person you\u2019re applying to be a deputy for

    ", + "

    You or your representative must visit the person and tell them:

    ", + "
  • who\u2019s applying to be their deputy
  • ", + "
  • that their ability to make decisions is being questioned
  • ", + "
  • what having a deputy would mean for them
  • ", + "
  • where to get advice if they want to discuss the application
  • ", + "

    During the visit give them:

    ", + "
  • a completed proceedings notification form (COP14) - use the guidance notes to fill this in yourself
  • ", + "
  • an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it
  • ", + "
  • any other documents related to your application
  • ", + "

    Tell people connected to your application

    ", + "

    You must tell 3 people named on your application that it has been issued.

    ", + "

    Send them:

    ", + "
  • a notice that an application form has been issued (COP15)
  • ", + "
  • an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it
  • ", + "
  • any other documents related to your application
  • ", + "

    You can tell them:

    ", + "
  • by post to their home address
  • ", + "
  • by fax or email
  • ", + "
  • in person
  • ", + "

    Confirming that you\u2019ve told people (\u2018served notice\u2019)

    ", + "

    Within 7 days of serving the documents, you must download and fill in the relevant forms (sometimes called \u2018certificates of service\u2019) confirming you\u2019ve told:

    ", + "
  • the person you\u2019re applying to be deputy for (COP20A)
  • ", + "
  • other people named in the application (COP20B)
  • ", + "

    Send them all together to the Court of Protection.

    ", + "

    Fees

    ", + "

    You must pay:

    ", + "
  • a fee to apply to be a deputy
  • ", + "
  • a supervision fee every year after you\u2019ve been appointed
  • ", + "

    You may also have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy.

    ", + "

    When you apply

    ", + "

    You must pay a \u00a3365 application fee. Send this with your application form.

    ", + "

    You need to pay the application fee twice if you\u2019re applying to become both types of deputy.

    ", + "

    You\u2019ll also need to pay \u00a3485 if the court decides your case needs a hearing. The court will tell you when you need to pay this.

    ", + "

    Make all cheques payable to \u2018HM Courts and Tribunals Service\u2019.

    ", + "

    Security bonds for property and affairs deputies

    ", + "

    You may have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy. This is a type of insurance that protects the finances of the person you\u2019re a deputy for.

    ", + "

    You do not have to set up a bond if either:

    ", + "
  • you\u2019re representing a local authority
  • ", + "
  • the court decides it\u2019s not necessary, for example if the person\u2019s estate has a low value
  • ", + "

    If you need to set one up, you\u2019ll get a letter from the court telling you this. The letter will explain what to do next.

    ", + "

    You set up the bond with a security bond provider. The amount you pay depends on:

    ", + "
  • the value of the estate of the person you\u2019re a deputy for
  • ", + "
  • how much of their estate you control
  • ", + "

    You can pay it either:

    ", + "
  • using the person\u2019s money
  • ", + "
  • yourself - you can get the money back from the person\u2019s estate once you have access to it
  • ", + "

    You may be prosecuted if you misuse the person\u2019s money.

    ", + "

    After you\u2019ve been appointed

    ", + "

    You must pay an annual supervision fee depending on what level of supervision your deputyship needs. You\u2019ll pay:

    ", + "
  • \u00a3320 for general supervision
  • ", + "
  • \u00a335 for minimal supervision - this applies to some property and affairs deputies managing less than \u00a321,000
  • ", + "

    Your annual supervision fee is due on 31 March for the previous year.

    ", + "

    You\u2019ll also need to pay a \u00a3100 assessment fee if you\u2019re a new deputy.

    ", + "

    The Office of the Public Guardian will tell you how and when to pay your assessment and supervision fees.

    ", + "

    You may be able to claim a refund of your fees in certain situations.

    ", + "

    Getting help with your application fee

    ", + "

    You may not have to pay an application fee depending on:

    ", + "
  • what type of deputy you\u2019re applying to be
  • ", + "
  • how much money you or the person you\u2019re applying to be deputy for has
  • ", + "Type of deputy | Whose finances will be assessed", + "Property and financial affairs | Theirs", + "Personal welfare | Yours", + "

    The guidance has information about getting help with your fees.

    ", + "

    You can claim back the fee from the funds of the person you want to be a deputy for if you\u2019re applying to be a property and affairs deputy.

    ", + "

    The fee will be refunded if the person dies within 5 days of the Court of Protection receiving the application.

    ", + "

    Getting help with your supervision fees

    ", + "

    You can apply for an exemption or reduction of the fee if the person you\u2019re a deputy for gets certain benefits or has an income below \u00a312,000. Read the guidance that comes with the form and apply if the person meets the requirements. The address is on the form.

    ", + "

    If the person you\u2019re deputy for dies, you pay the supervision fee for the part of the year when you acted as deputy. For example, you\u2019ll have to pay \u00a317.50 if your minimal supervision deputyship comes to an end after 6 months.

    ", + "

    After you've applied

    ", + "

    There\u2019s a 14-day wait after you tell the other people involved that you applied, in case they object.

    ", + "

    The Court of Protection will then review your application and tell you if:

    ", + "
  • your application\u2019s been approved or rejected
  • ", + "
  • you need to set up a security bond before you can be appointed
  • ", + "
  • you have to provide more information to support your application, for example a report from social services
  • ", + "
  • it\u2019s going to hold a hearing to get more information, for example if someone objected
  • ", + "

    There\u2019s usually no hearing if you applied to be a property and financial affairs deputy.

    ", + "

    Read guidance on how coronavirus (COVID-19) might affect your hearing and what you should bring.

    ", + "

    Tell the person you want to be a deputy for about the hearing

    ", + "

    You\u2019ll get a notice with the date of the hearing if the court decides to hold one. You must visit the person you want to be deputy for and tell them about it:

    ", + "
  • within 14 days of getting the notice
  • ", + "
  • at least 14 days before the date of the hearing
  • ", + "

    Give them a completed notice about proceedings (COP14). Use the guidance notes to fill it in.

    ", + "

    You must explain that they can contact Court of Protection staff for advice and assistance.

    ", + "

    When you\u2019ve told them, send a certificate of service (COP20A) to the Court of Protection within 7 days.

    ", + "

    You\u2019ll have to pay a fee if the court makes a final decision at the hearing.

    ", + "

    The guidance explains what to expect from a Court of Protection hearing.

    ", + "

    When you're appointed

    ", + "

    You\u2019ll be sent a \u2018court order\u2019 telling you what you can and cannot do as a deputy. When you have this, you can start acting on the person\u2019s behalf.

    ", + "

    You\u2019ll be sent the court order:

    ", + "
  • as soon as you\u2019re appointed - if you\u2019re a personal welfare deputy
  • ", + "
  • after you set up a security bond - if you\u2019re a property and affairs deputy and have been asked to do this by the court
  • ", + "

    You\u2019ll need a separate court order before you can:

    ", + "
  • sell a property that\u2019s jointly owned if you\u2019re a property and affairs deputy
  • ", + "
  • make a one-off decision on anything else that\u2019s not covered by the court order
  • ", + "

    Check the court order. If there are any mistakes, download and fill in form COP9 with the details and send it to the court within 21 days of receiving the court order. There is no fee.

    ", + "

    Tell people and organisations you\u2019re a deputy

    ", + "

    You\u2019ll get official copies of the court order to send to banks and building societies, for example. These prove you\u2019re acting on behalf of the other person. When you send out an official copy, ask for it to be returned.

    ", + "

    Order extra copies of the court order by writing to the Court of Protection. They cost \u00a35 each.

    ", + "

    Start managing a bank account

    ", + "

    Before you can manage an account, you must show the bank:

    ", + "
  • the original court order, or an official copy of it
  • ", + "
  • proof of your name, for example your passport or driving licence
  • ", + "
  • proof of your address, for example a gas, electricity or council tax bill, or letter from a government department
  • ", + "
  • proof of the name or address of the person you\u2019re applying to be deputy for - if they\u2019re not the same as on the bank account
  • ", + "

    Court Funds Office accounts

    ", + "

    If the person you\u2019re deputy for has money in a Court Funds Office account, you\u2019ll be sent information about how to access it.

    ", + "

    You can also apply to open an account with the Court Funds Office if you\u2019re a property and affairs deputy and it\u2019s in the person\u2019s best interests.

    ", + "

    Record your decisions and transactions

    ", + "

    You can start your annual report to record your decisions and transactions, such as paying bills.

    ", + "

    Supervision, support and visits

    ", + "

    As a deputy, you\u2019ll be supervised by the Office of the Public Guardian (OPG). They\u2019re authorised to contact you or visit you to check you\u2019re being an effective deputy. They can also give you advice and support.

    ", + "

    How you\u2019ll be supervised

    ", + "

    New deputies get a \u2018general\u2019 level of supervision for their first year.

    ", + "

    After that, if you\u2019re a property and affairs deputy you\u2019ll move to \u2018minimal\u2019 supervision if both:

    ", + "
  • you\u2019re managing less than \u00a321,000
  • ", + "
  • you no longer need a general level of supervision
  • ", + "

    You\u2019ll pay a lower fee and have to write a shorter annual report than deputies with general supervision.

    ", + "

    Supervision visits

    ", + "

    You may be visited by a Court of Protection visitor to check if you:

    ", + "
  • understand your duties
  • ", + "
  • have the right level of support from OPG
  • ", + "
  • are carrying out your duties properly
  • ", + "
  • are being investigated because of a complaint
  • ", + "

    The visitor will call you to arrange the visit and explain why they\u2019re visiting.

    ", + "

    Contact OPG

    ", + "

    Tell OPG if you\u2019re planning to make an important decision, for example you want to sell the property of the person you\u2019re deputy for so they can move into a care home.

    ", + "

    Accounts, gifts and expenses

    ", + "

    You must keep accounts and follow the rules for gifts and expenses if you\u2019re acting as deputy for someone else. You must also record the transactions in your annual report.

    ", + "

    Accounts

    ", + "

    As a property and affairs deputy, you must keep copies of:

    ", + "
  • bank statements
  • ", + "
  • contracts for services or tradespeople
  • ", + "
  • receipts
  • ", + "
  • letters and emails about your activities as a deputy
  • ", + "

    Gifts

    ", + "

    Your court order will say if you can buy gifts or give gifts of money on behalf of the other person, including donations to charities. It will also say if there\u2019s an annual limit on how much money you can use for gifts.

    ", + "

    Gifts must be reasonable. You need to make sure any gifts do not reduce the level of care the person you\u2019re deputy for can afford.

    ", + "

    You must apply to the Court of Protection if you want to make a one-off large gift for Inheritance Tax purposes, for example.

    ", + "

    Expenses

    ", + "

    You can claim expenses for things you must do to carry out your role as deputy, for example phone calls, postage and travel costs. You cannot claim:

    ", + "
  • travel costs for social visits
  • ", + "
  • for the time spent carrying out your duties (unless you\u2019re a professional deputy, for example a solicitor)
  • ", + "

    You may be asked to give a detailed report of what you spent. You\u2019ll have to pay the money back if the Office of the Public Guardian finds your expenses are unreasonable. They may ask the court to stop you being a deputy if they think you\u2019ve been dishonest.

    ", + "

    Complete your deputy report

    ", + "

    You must write a report each year explaining the decisions you\u2019ve made as a deputy. You might be asked to do this more often if the Office of the Public Guardian (OPG) needs additional information.

    ", + "

    You may also need to write a final report if you stop being a deputy.

    ", + "

    If you\u2019re a public authority or professional deputy using the service for the first time, you need to contact your case manager to register first. If you\u2019re a deputy for a friend or family member, you can create an account online.

    ", + "

    Start now

    ", + "

    Or you can download and fill in a paper annual report form. The address you need to send it to is on the form.

    ", + "

    What to include

    ", + "

    Your report must include:

    ", + "
  • the reasons for your decisions and why they were in the best interests of the person you\u2019re deputy for
  • ", + "
  • who you spoke to and why what they said was in the person\u2019s best interests
  • ", + "
  • the finances of the person if you\u2019re their property and financial deputy
  • ", + "

    The OPG will tell you when it\u2019s time to send it.

    ", + "

    If you do not send the report the OPG might:

    ", + "
  • increase your level of supervision
  • ", + "
  • ask the court to replace you with a different deputy
  • ", + "

    Change your deputyship or make a one-off decision

    ", + "

    You must apply to the Court of Protection if you have to:

    ", + "
  • renew your deputyship
  • ", + "
  • change your deputyship, for example make decisions that are not in the original order
  • ", + "
  • make a one-off decision on something not covered by your court order
  • ", + "

    How to apply

    ", + "

    Download and fill in both:

    ", + "
  • an application form (COP 1)
  • ", + "
  • a witness statement form (COP24) with a copy of the current order appointing you as a deputy attached
  • ", + "

    Your witness statement should include:

    ", + "
  • the total annual income of the person you\u2019re a deputy for including pensions
  • ", + "
  • a summary of their assets, for example bank balances, savings, investments
  • ", + "
  • details of property they own
  • ", + "
  • the annual cost of their care and other regular items of major expenditure
  • ", + "
  • the value of the security bond set by the court
  • ", + "
  • a description of the circumstances that have led to the application being made
  • ", + "

    Send the Court of Protection:

    ", + "
  • the completed forms
  • ", + "
  • a cheque for the application fee - \u00a3365 - payable to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    If you need help with changing your deputyship, call the Court of Protection.

    ", + "

    What happens next

    ", + "

    You may have to notify other people about the change to the court order if the court tells you to.

    ", + "

    They can object or ask the court to reconsider any proposed changes they do not agree with. They can do this:

    ", + "
  • before the court order is issued
  • ", + "
  • up to 21 days after the court order is issued
  • ", + "

    End your deputyship

    ", + "

    If you no longer want or need to be a deputy, download and fill in the application notice (COP1) and send it to the Court of Protection.

    ", + "

    If the person has recovered mental capacity, download and fill in form COP 9. Send it to the Court of Protection with any supporting evidence, for example a doctor\u2019s letter.

    ", + "

    You cannot stop being a deputy until you\u2019ve got the relevant court order.

    ", + "

    If the person you\u2019re deputy for dies

    ", + "

    Contact the Office of the Public Guardian (OPG) and the Court of Protection to tell them that the person has died.

    ", + "

    You\u2019ll also have to send evidence to OPG that the person has died, for example a death certificate. Check the full list of evidence that OPG accepts.

    ", + "

    Your security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.

    ", + "

    Contact the Court Funds Office if the person you were deputy for had an account with them.

    ", + "

    Read more about how to be a deputy.

    " + ] + }, + "https://www.gov.uk/court-funds-office-processes": { + "url": "https://www.gov.uk/court-funds-office-processes", + "title": "Deputies: manage a Court Funds Office account", + "content": "## Overview\n\nYou may need to manage a Court Funds Office account for someone if you\u2019re their property and affairs deputy and you\u2019re authorised by the Court of Protection to look after money on their behalf.\n\nCheck the court order that appointed you as deputy - it tells you what you\u2019re authorised to do.\n\nYou\u2019ll need to apply on behalf of the person you\u2019re deputy for to:\n\n- manage an account that was opened for them by court order, for example for money they received from a court case\n\n- open an account for them\n\nThey\u2019ll get a special account with the Court Funds Office.\n\n## Your responsibilities\n\nThe account belongs to the person you\u2019re deputy for. You\u2019re the only person who can manage it on their behalf.\n\nYou must keep to your responsibilities as a deputy when you\u2019re managing the account.\n\nCheck the court order that appointed you as deputy - it tells you the limits on what you can and cannot do with the account.\n\n## Apply\n\nYou need to apply to:\n\n- open an account for someone\n\n- manage an account for someone\n\nYou must be appointed by the Court of Protection as the person\u2019s property and affairs deputy.\n\nIf your application is successful, you\u2019ll be able to make withdrawals from the bank account that you run on behalf of the person whose affairs you manage.\n\n- Check the details on the court order that appointed you as deputy - you\u2019ll need the date of the order and the case number.\n\n- Fill in form CFO A to apply for authority to make withdrawals - give your bank account details and tick the \u2018New details\u2019 box.\n\n- Attach a copy of your bank statement (less than 3 months old) or a letter from your bank to confirm your bank account details.\n\n- Fill in form CFO L to pay money in to the account at the same time as applying - attach a cheque made payable to the \u2018Accountant General of the Senior Courts\u2019.\n\n- Send forms and attachments together with a copy of the original court order that appointed you as deputy - it must have a seal. The address is on the forms.\n\nYou\u2019ll get a letter from the Court Funds Office within 5 working days to confirm that you\u2019re set up to manage the account.\n\nYour form will be returned if your application cannot be processed - you\u2019ll be told what you can do to fix this.\n\n## Manage an account\n\nA Court Funds Office account is called a \u2018special account\u2019 if the account holder has a deputy.\n\n## Statements\n\nAs the deputy, you\u2019ll get statements in April or May and in October or November each year.\n\nYou can also ask for a statement at any time by contacting the Court Funds Office.\n\n## Interest and tax\n\nSpecial accounts currently pay 0.1% interest. The rate is not fixed - it is set by the Lord Chancellor.\n\nTax is not deducted from special accounts. The person you\u2019re deputy for must pay income tax if the interest is more than their tax allowance.\n\nYou\u2019ll also get tax vouchers (for tax returns) with your April statement.\n\n## Change of address\n\nWrite a letter to the Court Funds Office to tell them if your address changes so you can keep getting statements and tax vouchers.\n\n## Investments\n\nYou can invest in the stock market using money from the Court Funds Office account you manage if it:\n\n- holds \u00a310,000 or more for the person you\u2019re deputy for\n\n- is likely to hold the money for 5 or more years\n\nThe Court Funds Office makes stock market investments in companies using the Equity Tracker Index Fund (ETIF).\n\nWrite to the Court Funds Office asking them to invest the sum you require in the ETIF.\n\nCheck the value of the ETIF on the Financial Times website.\n\n## Tax\n\nTax is deducted from dividends on investments. However, if the person you\u2019re deputy for has a high income, they may need to pay more income tax on interest or dividends from the investments.\n\nThey must also pay Capital Gains Tax if their investments are sold for a difference in value that\u2019s more than their allowance.\n\n## Deposits\n\nYou can pay money in to an account after you apply to manage the account.\n\n- Check the details on the court order that appointed you as deputy - you\u2019ll need the date of the order and the case number.\n\n- Fill in form CFO L. You must physically sign the form - this is also known as a \u2018wet signature\u2019. Electronic signatures will not be accepted.\n\n- Write a cheque for the amount you\u2019re paying in, payable to the \u2018Accountant General of the Senior Courts\u2019.\n\n- Attach a copy of the original court order that appointed you as deputy (it must have a seal) and send it with the form and cheque to the address on the form.\n\nYou\u2019ll get a letter from the Court Funds Office within 5 working days to confirm that it\u2019s processed your deposit.\n\nYour form will be returned if your deposit cannot be processed - you\u2019ll be told what you can do to fix this.\n\n## Withdrawals\n\nYou can set up one-off withdrawals or regular withdrawals into the bank account that you run on behalf of the person whose affairs you manage after you apply to manage the account.\n\nYou can only make a payment to another bank account (for example to a solicitor\u2019s account to pay fees) if you have a court order from the Court of Protection saying you can do this.\n\nYou can only make withdrawals within limits set by the Court of Protection - check the court order that appointed you as deputy.\n\n## Set up payments\n\nCheck the court order that appointed you as deputy - you\u2019ll need the date of the order and the case number to fill in payment forms.\n\nFill in:\n\n- form CFO P to make a one-off payment to your bank account\n\n- form CFO R to set up or change a regular payment to your bank account\n\n- form CFO 205 to make a one-off payment to another bank account\n\nYou must also fill in form CFO A if your bank account details have changed \u2013 tick the \u2018amending details\u2019 box and attach either:\n\n- a copy of a bank statement (less than 3 months old)\n\n- letter from your bank confirming your new bank account details\n\nSend forms by post. The address is on the forms. You\u2019ll get a confirmation letter from the Court Funds Office within 5 working days.\n\n## One-off payment to your bank account\n\nA cheque will be paid into your bank account within 5 days. The money will take 3 working days to clear.\n\nIf you\u2019re withdrawing money for a gift or charitable donation, fill in form CFO PG and send it with form CFO P.\n\n## Regular payment to your bank account\n\nUse form CFO R to set up, amend, renew or stop a regular payment - tick the box on the form that applies.\n\nSpecify the number of months you want a regular payment to continue (up to 23 months).\n\nThe Court Funds Office automatically renews regular payments that are set up to continue for 23 months - you\u2019ll get a letter to remind you 1 month before renewal.\n\n## Payment to another bank account\n\nAsk the person or company the payment is for to sign form CFO 205. You must get a copy of a a bank statement (less than 3 months old) if you\u2019re paying a person rather than a company.\n\nSend it with an original copy of the court order authorising the payment \u2013 it must have a seal.\n\n## Stop managing or close an account\n\nA new deputy can take over management of the account if you stop being a deputy or die.\n\nYou cannot hand over management of the account - only the Court of Protection can appoint a new deputy. The new deputy will then need to apply to manage the account.\n\n## You stop being a deputy\n\nTell the Court Funds Office in writing if you stop being a deputy - send a copy of the letter to the Office of the Public Guardian and Court of Protection.\n\n## Close an account\n\nYou cannot close a Court Funds Office yourself (for example by moving all the money into another account) unless you have a court order that authorises you to do this.\n\nIf the person you\u2019re deputy for dies the person dealing with the estate can apply for the money in the account to be paid out. The account will be closed.\n\n## The person you're deputy for dies\n\nWrite to the Court Funds Office to tell them if the person you\u2019re deputy for has died. Send a certified copy of the death certificate if you can get one.\n\nYou\u2019ll need to include certain information depending on\n\n- who\u2019s dealing with the estate\n\n- whether there\u2019s a will\n\n## If you\u2019re dealing with the estate\n\nAsk for a Certificate of Funds when you write to the Court Funds Office about the death. This shows how much money is in the account and investments.\n\nYou\u2019ll need this information to deal with the person\u2019s tax and estate (their money, property and possessions)\n\n## If you\u2019re not dealing with the estate\n\nTell the Court Funds Office who is dealing with the estate (the personal representative) and provide their contact details.\n\nThe Court Funds Office will provide the personal representative with information and the forms required to close the account.\n\n## If the person did not leave a will\n\nIf the person died without making a will and has no living relatives, the Court Funds Office will contact the Treasury Solicitor or Solicitor for the Duchy of Cornwall or Lancaster. They will deal with the person\u2019s money, property and possessions as an unclaimed estate.\n\n## Payments for funeral expenses\n\nThe personal representative or the person who arranged the funeral can apply for funeral expenses to be paid to the funeral provider out of the account.\n\n- Fill in form CFO FE1.\n\n- Send it to the address on the form with the funeral provider\u2019s invoice and a certified copy of the death certificate.\n\nFuneral expenses must be in keeping with the value of the person\u2019s estate - they cannot include payments for:\n\n- headstones\n\n- refreshments at the funeral service\n\n## Payments for inheritance tax\n\nThe personal representative can apply for inheritance tax to be paid to HM Revenue & Customs (HMRC) out of the account.\n\n- Fill in form CFO IHT1.\n\n- Send it to the address on the form with the completed form IHT423 and certified copies of the death certificate and any will.", + "original_contents": [ + "

    Overview

    ", + "

    You may need to manage a Court Funds Office account for someone if you\u2019re their property and affairs deputy and you\u2019re authorised by the Court of Protection to look after money on their behalf.

    ", + "

    Check the court order that appointed you as deputy - it tells you what you\u2019re authorised to do.

    ", + "

    You\u2019ll need to apply on behalf of the person you\u2019re deputy for to:

    ", + "
  • manage an account that was opened for them by court order, for example for money they received from a court case
  • ", + "
  • open an account for them
  • ", + "

    They\u2019ll get a special account with the Court Funds Office.

    ", + "

    Your responsibilities

    ", + "

    The account belongs to the person you\u2019re deputy for. You\u2019re the only person who can manage it on their behalf.

    ", + "

    You must keep to your responsibilities as a deputy when you\u2019re managing the account.

    ", + "

    Check the court order that appointed you as deputy - it tells you the limits on what you can and cannot do with the account.

    ", + "

    Apply

    ", + "

    You need to apply to:

    ", + "
  • open an account for someone
  • ", + "
  • manage an account for someone
  • ", + "

    You must be appointed by the Court of Protection as the person\u2019s property and affairs deputy.

    ", + "

    If your application is successful, you\u2019ll be able to make withdrawals from the bank account that you run on behalf of the person whose affairs you manage.

    ", + "
  • Check the details on the court order that appointed you as deputy - you\u2019ll need the date of the order and the case number.
  • ", + "
  • Fill in form CFO A to apply for authority to make withdrawals - give your bank account details and tick the \u2018New details\u2019 box.
  • ", + "
  • Attach a copy of your bank statement (less than 3 months old) or a letter from your bank to confirm your bank account details.
  • ", + "
  • Fill in form CFO L to pay money in to the account at the same time as applying - attach a cheque made payable to the \u2018Accountant General of the Senior Courts\u2019.
  • ", + "
  • Send forms and attachments together with a copy of the original court order that appointed you as deputy - it must have a seal. The address is on the forms.
  • ", + "

    You\u2019ll get a letter from the Court Funds Office within 5 working days to confirm that you\u2019re set up to manage the account.

    ", + "

    Your form will be returned if your application cannot be processed - you\u2019ll be told what you can do to fix this.

    ", + "

    Manage an account

    ", + "

    A Court Funds Office account is called a \u2018special account\u2019 if the account holder has a deputy.

    ", + "

    Statements

    ", + "

    As the deputy, you\u2019ll get statements in April or May and in October or November each year.

    ", + "

    You can also ask for a statement at any time by contacting the Court Funds Office.

    ", + "

    Interest and tax

    ", + "

    Special accounts currently pay 0.1% interest. The rate is not fixed - it is set by the Lord Chancellor.

    ", + "

    Tax is not deducted from special accounts. The person you\u2019re deputy for must pay income tax if the interest is more than their tax allowance.

    ", + "

    You\u2019ll also get tax vouchers (for tax returns) with your April statement.

    ", + "

    Change of address

    ", + "

    Write a letter to the Court Funds Office to tell them if your address changes so you can keep getting statements and tax vouchers.

    ", + "

    Investments

    ", + "

    You can invest in the stock market using money from the Court Funds Office account you manage if it:

    ", + "
  • holds \u00a310,000 or more for the person you\u2019re deputy for
  • ", + "
  • is likely to hold the money for 5 or more years
  • ", + "

    The Court Funds Office makes stock market investments in companies using the Equity Tracker Index Fund (ETIF).

    ", + "

    Write to the Court Funds Office asking them to invest the sum you require in the ETIF.

    ", + "

    Check the value of the ETIF on the Financial Times website.

    ", + "

    Tax

    ", + "

    Tax is deducted from dividends on investments. However, if the person you\u2019re deputy for has a high income, they may need to pay more income tax on interest or dividends from the investments.

    ", + "

    They must also pay Capital Gains Tax if their investments are sold for a difference in value that\u2019s more than their allowance.

    ", + "

    Deposits

    ", + "

    You can pay money in to an account after you apply to manage the account.

    ", + "
  • Check the details on the court order that appointed you as deputy - you\u2019ll need the date of the order and the case number.
  • ", + "
  • Fill in form CFO L. You must physically sign the form - this is also known as a \u2018wet signature\u2019. Electronic signatures will not be accepted.
  • ", + "
  • Write a cheque for the amount you\u2019re paying in, payable to the \u2018Accountant General of the Senior Courts\u2019.
  • ", + "
  • Attach a copy of the original court order that appointed you as deputy (it must have a seal) and send it with the form and cheque to the address on the form.
  • ", + "

    You\u2019ll get a letter from the Court Funds Office within 5 working days to confirm that it\u2019s processed your deposit.

    ", + "

    Your form will be returned if your deposit cannot be processed - you\u2019ll be told what you can do to fix this.

    ", + "

    Withdrawals

    ", + "

    You can set up one-off withdrawals or regular withdrawals into the bank account that you run on behalf of the person whose affairs you manage after you apply to manage the account.

    ", + "

    You can only make a payment to another bank account (for example to a solicitor\u2019s account to pay fees) if you have a court order from the Court of Protection saying you can do this.

    ", + "

    You can only make withdrawals within limits set by the Court of Protection - check the court order that appointed you as deputy.

    ", + "

    Set up payments

    ", + "

    Check the court order that appointed you as deputy - you\u2019ll need the date of the order and the case number to fill in payment forms.

    ", + "

    Fill in:

    ", + "
  • form CFO P to make a one-off payment to your bank account
  • ", + "
  • form CFO R to set up or change a regular payment to your bank account
  • ", + "
  • form CFO 205 to make a one-off payment to another bank account
  • ", + "

    You must also fill in form CFO A if your bank account details have changed \u2013 tick the \u2018amending details\u2019 box and attach either:

    ", + "
  • a copy of a bank statement (less than 3 months old)
  • ", + "
  • letter from your bank confirming your new bank account details
  • ", + "

    Send forms by post. The address is on the forms. You\u2019ll get a confirmation letter from the Court Funds Office within 5 working days.

    ", + "

    One-off payment to your bank account

    ", + "

    A cheque will be paid into your bank account within 5 days. The money will take 3 working days to clear.

    ", + "

    If you\u2019re withdrawing money for a gift or charitable donation, fill in form CFO PG and send it with form CFO P.

    ", + "

    Regular payment to your bank account

    ", + "

    Use form CFO R to set up, amend, renew or stop a regular payment - tick the box on the form that applies.

    ", + "

    Specify the number of months you want a regular payment to continue (up to 23 months).

    ", + "

    The Court Funds Office automatically renews regular payments that are set up to continue for 23 months - you\u2019ll get a letter to remind you 1 month before renewal.

    ", + "

    Payment to another bank account

    ", + "

    Ask the person or company the payment is for to sign form CFO 205. You must get a copy of a a bank statement (less than 3 months old) if you\u2019re paying a person rather than a company.

    ", + "

    Send it with an original copy of the court order authorising the payment \u2013 it must have a seal.

    ", + "

    Stop managing or close an account

    ", + "

    A new deputy can take over management of the account if you stop being a deputy or die.

    ", + "

    You cannot hand over management of the account - only the Court of Protection can appoint a new deputy. The new deputy will then need to apply to manage the account.

    ", + "

    You stop being a deputy

    ", + "

    Tell the Court Funds Office in writing if you stop being a deputy - send a copy of the letter to the Office of the Public Guardian and Court of Protection.

    ", + "

    Close an account

    ", + "

    You cannot close a Court Funds Office yourself (for example by moving all the money into another account) unless you have a court order that authorises you to do this.

    ", + "

    If the person you\u2019re deputy for dies the person dealing with the estate can apply for the money in the account to be paid out. The account will be closed.

    ", + "

    The person you're deputy for dies

    ", + "

    Write to the Court Funds Office to tell them if the person you\u2019re deputy for has died. Send a certified copy of the death certificate if you can get one.

    ", + "

    You\u2019ll need to include certain information depending on

    ", + "
  • who\u2019s dealing with the estate
  • ", + "
  • whether there\u2019s a will
  • ", + "

    If you\u2019re dealing with the estate

    ", + "

    Ask for a Certificate of Funds when you write to the Court Funds Office about the death. This shows how much money is in the account and investments.

    ", + "

    You\u2019ll need this information to deal with the person\u2019s tax and estate (their money, property and possessions)

    ", + "

    If you\u2019re not dealing with the estate

    ", + "

    Tell the Court Funds Office who is dealing with the estate (the personal representative) and provide their contact details.

    ", + "

    The Court Funds Office will provide the personal representative with information and the forms required to close the account.

    ", + "

    If the person did not leave a will

    ", + "

    If the person died without making a will and has no living relatives, the Court Funds Office will contact the Treasury Solicitor or Solicitor for the Duchy of Cornwall or Lancaster. They will deal with the person\u2019s money, property and possessions as an unclaimed estate.

    ", + "

    Payments for funeral expenses

    ", + "

    The personal representative or the person who arranged the funeral can apply for funeral expenses to be paid to the funeral provider out of the account.

    ", + "
  • Fill in form CFO FE1.
  • ", + "
  • Send it to the address on the form with the funeral provider\u2019s invoice and a certified copy of the death certificate.
  • ", + "

    Funeral expenses must be in keeping with the value of the person\u2019s estate - they cannot include payments for:

    ", + "
  • headstones
  • ", + "
  • refreshments at the funeral service
  • ", + "

    Payments for inheritance tax

    ", + "

    The personal representative can apply for inheritance tax to be paid to HM Revenue & Customs (HMRC) out of the account.

    ", + "
  • Fill in form CFO IHT1.
  • ", + "
  • Send it to the address on the form with the completed form IHT423 and certified copies of the death certificate and any will.
  • " + ] + }, + "https://www.gov.uk/enduring-power-attorney-duties": { + "url": "https://www.gov.uk/enduring-power-attorney-duties", + "title": "Enduring power of attorney: acting as an attorney", + "content": "## Overview\n\nYou can help make or make decisions about someone\u2019s property and money if they appointed you using an enduring power of attorney (EPA).\n\nThe person who appointed you is called the \u2018donor\u2019 - you are their \u2018attorney\u2019.\n\nAny decision you make on the donor\u2019s behalf must be in their best interests.\n\nYou\u2019ll need to check if the donor\u2019s given you specific instructions or guidance in the EPA document that will affect your responsibilities.\n\nOnly EPAs made and signed before October 1, 2007 can still be used. After that date donors had to make a lasting power of attorney (LPA) instead.\n\nThis guide is also available in Welsh.\n\n## Using the enduring power of attorney\n\nYou can start using an EPA at any time if the EPA is legal and the donor gives you permission.\n\nYou\u2019ll be responsible for helping the donor make decisions about their finances. Depending on their instructions you\u2019ll help manage things like their:\n\n- money and bills\n\n- bank and building society accounts\n\n- property and investments\n\n- pensions and benefits\n\nThere may be other attorneys - if there are, check how the donor wants you to make decisions.\n\nYou must register the EPA when the donor starts to lose or has lost their mental capacity. This means they cannot make a decision at the time it needs to be made because of a mental impairment.\n\nYou must still involve the person in making decisions whenever possible and only make decisions on their behalf which are in their best interests.\n\n## Stop being an attorney\n\nThe EPA will end if the donor cancels it or they die.\n\nYou can stop being an attorney by choice.\n\nYou may be investigated if there\u2019s a complaint against you. The Office of the Public Guardian can apply to the Court of Protection to have you removed.\n\n## Register an enduring power of attorney\n\nYou must register the enduring power of attorney (EPA) as soon as the donor starts to lose mental capacity.\n\n- Tell the donor, their family members and other attorneys you intend to register the EPA.\n\n- Apply to register the EPA.\n\n- Pay the fee.\n\n## Telling people you intend to register\n\nDownload and fill in form EP1PG. Send it to:\n\n- the donor\n\n- at least 3 of the donor\u2019s family members who are eligible - they must be 18 or over and have mental capacity\n\n- any attorneys who were appointed \u2018jointly and severally\u2019 but are not applying to register the EPA\n\nYou must tell the first 3 eligible family members from the following list. If there\u2019s no family member in a particular category, move on to the next one. You must try to tell the family members in this order:\n\n- donor\u2019s husband, wife or civil partner\n\n- donor\u2019s children (including adopted children but not including stepchildren)\n\n- donor\u2019s parents\n\n- donor\u2019s brothers and sisters (including half-brothers and half-sisters)\n\n- widow or widower or surviving civil partner of the donor\u2019s child\n\n- donor\u2019s grandchildren\n\n- donor\u2019s nephews and nieces (children of the donor\u2019s full brothers and sisters)\n\n- donor\u2019s nephews and nieces (children of the donor\u2019s half-brothers and half-sisters)\n\n- donor\u2019s aunts and uncles (full brothers or sisters of a parent of the donor)\n\n- donor\u2019s first cousins (children of the donor\u2019s aunts and uncles who are full brothers and sisters of a parent of the donor)\n\nYou must tell all the people in a category if you tell one of them, eg if 1 of the 3 relatives you\u2019re telling is a grandchild and the donor has 15 other grandchildren, you must tell all 16 of them.\n\nIf you\u2019re a family member as well as an attorney, you count as one of the people to be told. You\u2019ll still have to tell other people in your category.\n\nYou must do all you can to find the people you\u2019re telling. If you cannot find their address, or if there are not 3 relatives alive, tell the Office of the Public Guardian when you apply to register.\n\nPeople who you tell can object to the registration. They have 35 days to object from when they get the form.\n\n## Apply to register\n\nDownload and fill in the application form EP2PG.\n\nAs soon as you\u2019ve officially told people you intend to register, send the form to the Office of the Public Guardian.\n\nUse a different address if you\u2019re a member of the DX Exchange courier service.\n\nInclude the original EPA form or a certified copy if the original has been lost.\n\nYou\u2019ll also need to pay the fee.\n\n## Fees\n\nIt costs \u00a382 to register an EPA, unless you\u2019re applying for help with fees (LPA120).\n\nSend a cheque for the fee payable to \u2018Office of the Public Guardian\u2019. Write the donor\u2019s name on the back of the cheque.\n\n## How long registration takes\n\nThe EPA will usually be registered between 8 and 10 weeks after you sent the application form and told the family members. It will take longer if one or more of the family members object.\n\n## Check an enduring power is legal\n\nYou can only use an enduring power of attorney (EPA) if it was made correctly.\n\nCheck that the EPA form was:\n\n- made when the donor was at least 18 and had the ability to make their own decisions (they had not lost \u2018mental capacity\u2019)\n\n- signed by the donor and a witness who was not one of the attorneys for the EPA\n\n- signed by all the attorneys\n\nWhen the EPA was made you and any other attorneys had to be:\n\n- 18 or over\n\n- not bankrupt - and have not been bankrupt since\n\nOnly EPAs made and signed before October 1, 2007 can still be used. After that date donors had to make a lasting power of attorney (LPA) instead.\n\n## When there's more than one attorney\n\nCheck the enduring power of attorney (EPA) form to find out how many attorneys have been appointed.\n\nIf there\u2019s more than one attorney, check whether you must make decisions:\n\n- separately or together (sometimes called \u2018jointly and severally\u2019), which means you can make decisions on your own or with other attorneys\n\n- together (sometimes called \u2018jointly\u2019), which means you and all the other attorneys have to agree on a decision\n\nThe donor may give instructions for you to make some decisions \u2018jointly\u2019 and others \u2018jointly and severally\u2019.\n\nAttorneys who are appointed jointly must all agree or they cannot make the decision.\n\n## Joint attorneys\n\nIf you\u2019re appointed jointly with another attorney or attorneys and one of you stops being an attorney, the enduring power of attorney ends automatically.\n\nYou\u2019ll need to find another way to help the donor make decisions.\n\n## Your duties\n\nYou\u2019re responsible for helping the donor to make decisions for things like their:\n\n- money and bills\n\n- bank and building society accounts\n\n- property and investments\n\n- pensions and benefits\n\nCheck the enduring power of attorney (EPA) form to see if the donor has listed:\n\n- restrictions on what you can do\n\n- guidance on how they want decisions to be made\n\n## How to manage the donor\u2019s finances\n\nYou must manage the donor\u2019s finances in their best interests.\n\nKeep the donor\u2019s finances separate from your own, unless you\u2019ve got a joint bank account or own a home together. If you do, tell the bank or mortgage company you\u2019re acting as the other person\u2019s attorney.\n\nYou must keep accounts of the donor\u2019s assets, income, spending and outgoings. The Office of the Public Guardian (OPG) and the Court of Protection can ask to check these.\n\nYou may be prosecuted if you misuse the donor\u2019s money.\n\n## Gifts\n\nYou can buy gifts or give gifts of money on behalf of the donor, including donations to charities. You must only make gifts:\n\n- to people who normally receive gifts from the person\n\n- on suitable occasions, eg birthdays, weddings\n\n- to charities that normally receive donations from the person\n\nGifts must be reasonable - read the guidance on suitable gifts.\n\n## Buying or selling property\n\nYou can buy or sell property on the donor\u2019s behalf if it\u2019s in their best interests.\n\nContact OPG if:\n\n- the sale is below the market value\n\n- you or your family want to buy the property\n\n- you\u2019re giving it to someone else\n\nThey can advise you on whether you need to apply to the Court of Protection about this.\n\nIf you\u2019re selling the donor\u2019s home and the donor has a health and welfare lasting power of attorney (LPA), you may need to discuss where the donor is going to live with the relevant attorney.\n\n## Wills\n\nYou cannot make a will on behalf of the donor.\n\nYou can apply to the Court of Protection for a \u2018statutory will\u2019 if the donor needs to make a will, but lacks capacity to do it themselves.\n\n## Payment and expenses\n\nUnless you\u2019re a professional attorney, you will not normally be paid for being someone\u2019s attorney.\n\n## Expenses\n\nYou can claim expenses you\u2019ve had while carrying out your duties as an attorney, for example:\n\n- travel costs\n\n- stationery\n\n- postage\n\n- phone calls\n\nKeep your receipts and invoice the donor for your expenses.\n\n## Stop acting as an attorney\n\nYou\u2019ll stop acting as the donor\u2019s attorney if:\n\n- the donor dies - the enduring power of attorney (EPA) ends automatically\n\n- you choose to stop being an attorney - sometimes called \u2018revoking\u2019 or \u2018disclaiming\u2019 an attorneyship\n\n- you declare yourself bankrupt\n\nIf you stop you\u2019ll need to fill in the relevant forms and provide the relevant documents.\n\nIf you had to make decisions jointly with other attorneys and any of you stop, the enduring power ends automatically. You\u2019ll need to find another way to help the donor make decisions.\n\n## If the donor dies\n\nYou\u2019ll stop being an attorney as soon as the donor dies. If the EPA was registered you must contact the Office of the Public Guardian (OPG). You must send them:\n\n- a copy of the death certificate\n\n- the original EPA\n\n## If you want to stop being an attorney\n\nIf you decide to give up the role of attorney, fill in and send a notification form. Send it to:\n\n- the donor - if the EPA has not been registered\n\n- the donor and OPG - if the EPA has been registered\n\nYou should also tell any other attorneys appointed on the EPA.", + "original_contents": [ + "

    Overview

    ", + "

    You can help make or make decisions about someone\u2019s property and money if they appointed you using an enduring power of attorney (EPA).

    ", + "

    The person who appointed you is called the \u2018donor\u2019 - you are their \u2018attorney\u2019.

    ", + "

    Any decision you make on the donor\u2019s behalf must be in their best interests.

    ", + "

    You\u2019ll need to check if the donor\u2019s given you specific instructions or guidance in the EPA document that will affect your responsibilities.

    ", + "

    Only EPAs made and signed before October 1, 2007 can still be used. After that date donors had to make a lasting power of attorney (LPA) instead.

    ", + "

    This guide is also available in Welsh.

    ", + "

    Using the enduring power of attorney

    ", + "

    You can start using an EPA at any time if the EPA is legal and the donor gives you permission.

    ", + "

    You\u2019ll be responsible for helping the donor make decisions about their finances. Depending on their instructions you\u2019ll help manage things like their:

    ", + "
  • money and bills
  • ", + "
  • bank and building society accounts
  • ", + "
  • property and investments
  • ", + "
  • pensions and benefits
  • ", + "

    There may be other attorneys - if there are, check how the donor wants you to make decisions.

    ", + "

    You must register the EPA when the donor starts to lose or has lost their mental capacity. This means they cannot make a decision at the time it needs to be made because of a mental impairment.

    ", + "

    You must still involve the person in making decisions whenever possible and only make decisions on their behalf which are in their best interests.

    ", + "

    Stop being an attorney

    ", + "

    The EPA will end if the donor cancels it or they die.

    ", + "

    You can stop being an attorney by choice.

    ", + "

    You may be investigated if there\u2019s a complaint against you. The Office of the Public Guardian can apply to the Court of Protection to have you removed.

    ", + "

    Register an enduring power of attorney

    ", + "

    You must register the enduring power of attorney (EPA) as soon as the donor starts to lose mental capacity.

    ", + "
  • Tell the donor, their family members and other attorneys you intend to register the EPA.
  • ", + "
  • Apply to register the EPA.
  • ", + "
  • Pay the fee.
  • ", + "

    Telling people you intend to register

    ", + "

    Download and fill in form EP1PG. Send it to:

    ", + "
  • the donor
  • ", + "
  • at least 3 of the donor\u2019s family members who are eligible - they must be 18 or over and have mental capacity
  • ", + "
  • any attorneys who were appointed \u2018jointly and severally\u2019 but are not applying to register the EPA
  • ", + "

    You must tell the first 3 eligible family members from the following list. If there\u2019s no family member in a particular category, move on to the next one. You must try to tell the family members in this order:

    ", + "
  • donor\u2019s husband, wife or civil partner
  • ", + "
  • donor\u2019s children (including adopted children but not including stepchildren)
  • ", + "
  • donor\u2019s parents
  • ", + "
  • donor\u2019s brothers and sisters (including half-brothers and half-sisters)
  • ", + "
  • widow or widower or surviving civil partner of the donor\u2019s child
  • ", + "
  • donor\u2019s grandchildren
  • ", + "
  • donor\u2019s nephews and nieces (children of the donor\u2019s full brothers and sisters)
  • ", + "
  • donor\u2019s nephews and nieces (children of the donor\u2019s half-brothers and half-sisters)
  • ", + "
  • donor\u2019s aunts and uncles (full brothers or sisters of a parent of the donor)
  • ", + "
  • donor\u2019s first cousins (children of the donor\u2019s aunts and uncles who are full brothers and sisters of a parent of the donor)
  • ", + "

    You must tell all the people in a category if you tell one of them, eg if 1 of the 3 relatives you\u2019re telling is a grandchild and the donor has 15 other grandchildren, you must tell all 16 of them.

    ", + "

    If you\u2019re a family member as well as an attorney, you count as one of the people to be told. You\u2019ll still have to tell other people in your category.

    ", + "

    You must do all you can to find the people you\u2019re telling. If you cannot find their address, or if there are not 3 relatives alive, tell the Office of the Public Guardian when you apply to register.

    ", + "

    People who you tell can object to the registration. They have 35 days to object from when they get the form.

    ", + "

    Apply to register

    ", + "

    Download and fill in the application form EP2PG.

    ", + "

    As soon as you\u2019ve officially told people you intend to register, send the form to the Office of the Public Guardian.

    ", + "

    Use a different address if you\u2019re a member of the DX Exchange courier service.

    ", + "

    Include the original EPA form or a certified copy if the original has been lost.

    ", + "

    You\u2019ll also need to pay the fee.

    ", + "

    Fees

    ", + "

    It costs \u00a382 to register an EPA, unless you\u2019re applying for help with fees (LPA120).

    ", + "

    Send a cheque for the fee payable to \u2018Office of the Public Guardian\u2019. Write the donor\u2019s name on the back of the cheque.

    ", + "

    How long registration takes

    ", + "

    The EPA will usually be registered between 8 and 10 weeks after you sent the application form and told the family members. It will take longer if one or more of the family members object.

    ", + "

    Check an enduring power is legal

    ", + "

    You can only use an enduring power of attorney (EPA) if it was made correctly.

    ", + "

    Check that the EPA form was:

    ", + "
  • made when the donor was at least 18 and had the ability to make their own decisions (they had not lost \u2018mental capacity\u2019)
  • ", + "
  • signed by the donor and a witness who was not one of the attorneys for the EPA
  • ", + "
  • signed by all the attorneys
  • ", + "

    When the EPA was made you and any other attorneys had to be:

    ", + "
  • 18 or over
  • ", + "
  • not bankrupt - and have not been bankrupt since
  • ", + "

    Only EPAs made and signed before October 1, 2007 can still be used. After that date donors had to make a lasting power of attorney (LPA) instead.

    ", + "

    When there's more than one attorney

    ", + "

    Check the enduring power of attorney (EPA) form to find out how many attorneys have been appointed.

    ", + "

    If there\u2019s more than one attorney, check whether you must make decisions:

    ", + "
  • separately or together (sometimes called \u2018jointly and severally\u2019), which means you can make decisions on your own or with other attorneys
  • ", + "
  • together (sometimes called \u2018jointly\u2019), which means you and all the other attorneys have to agree on a decision
  • ", + "

    The donor may give instructions for you to make some decisions \u2018jointly\u2019 and others \u2018jointly and severally\u2019.

    ", + "

    Attorneys who are appointed jointly must all agree or they cannot make the decision.

    ", + "

    Joint attorneys

    ", + "

    If you\u2019re appointed jointly with another attorney or attorneys and one of you stops being an attorney, the enduring power of attorney ends automatically.

    ", + "

    You\u2019ll need to find another way to help the donor make decisions.

    ", + "

    Your duties

    ", + "

    You\u2019re responsible for helping the donor to make decisions for things like their:

    ", + "
  • money and bills
  • ", + "
  • bank and building society accounts
  • ", + "
  • property and investments
  • ", + "
  • pensions and benefits
  • ", + "

    Check the enduring power of attorney (EPA) form to see if the donor has listed:

    ", + "
  • restrictions on what you can do
  • ", + "
  • guidance on how they want decisions to be made
  • ", + "

    How to manage the donor\u2019s finances

    ", + "

    You must manage the donor\u2019s finances in their best interests.

    ", + "

    Keep the donor\u2019s finances separate from your own, unless you\u2019ve got a joint bank account or own a home together. If you do, tell the bank or mortgage company you\u2019re acting as the other person\u2019s attorney.

    ", + "

    You must keep accounts of the donor\u2019s assets, income, spending and outgoings. The Office of the Public Guardian (OPG) and the Court of Protection can ask to check these.

    ", + "

    You may be prosecuted if you misuse the donor\u2019s money.

    ", + "

    Gifts

    ", + "

    You can buy gifts or give gifts of money on behalf of the donor, including donations to charities. You must only make gifts:

    ", + "
  • to people who normally receive gifts from the person
  • ", + "
  • on suitable occasions, eg birthdays, weddings
  • ", + "
  • to charities that normally receive donations from the person
  • ", + "

    Gifts must be reasonable - read the guidance on suitable gifts.

    ", + "

    Buying or selling property

    ", + "

    You can buy or sell property on the donor\u2019s behalf if it\u2019s in their best interests.

    ", + "

    Contact OPG if:

    ", + "
  • the sale is below the market value
  • ", + "
  • you or your family want to buy the property
  • ", + "
  • you\u2019re giving it to someone else
  • ", + "

    They can advise you on whether you need to apply to the Court of Protection about this.

    ", + "

    If you\u2019re selling the donor\u2019s home and the donor has a health and welfare lasting power of attorney (LPA), you may need to discuss where the donor is going to live with the relevant attorney.

    ", + "

    Wills

    ", + "

    You cannot make a will on behalf of the donor.

    ", + "

    You can apply to the Court of Protection for a \u2018statutory will\u2019 if the donor needs to make a will, but lacks capacity to do it themselves.

    ", + "

    Payment and expenses

    ", + "

    Unless you\u2019re a professional attorney, you will not normally be paid for being someone\u2019s attorney.

    ", + "

    Expenses

    ", + "

    You can claim expenses you\u2019ve had while carrying out your duties as an attorney, for example:

    ", + "
  • travel costs
  • ", + "
  • stationery
  • ", + "
  • postage
  • ", + "
  • phone calls
  • ", + "

    Keep your receipts and invoice the donor for your expenses.

    ", + "

    Stop acting as an attorney

    ", + "

    You\u2019ll stop acting as the donor\u2019s attorney if:

    ", + "
  • the donor dies - the enduring power of attorney (EPA) ends automatically
  • ", + "
  • you choose to stop being an attorney - sometimes called \u2018revoking\u2019 or \u2018disclaiming\u2019 an attorneyship
  • ", + "
  • you declare yourself bankrupt
  • ", + "

    If you stop you\u2019ll need to fill in the relevant forms and provide the relevant documents.

    ", + "

    If you had to make decisions jointly with other attorneys and any of you stop, the enduring power ends automatically. You\u2019ll need to find another way to help the donor make decisions.

    ", + "

    If the donor dies

    ", + "

    You\u2019ll stop being an attorney as soon as the donor dies. If the EPA was registered you must contact the Office of the Public Guardian (OPG). You must send them:

    ", + "
  • a copy of the death certificate
  • ", + "
  • the original EPA
  • ", + "

    If you want to stop being an attorney

    ", + "

    If you decide to give up the role of attorney, fill in and send a notification form. Send it to:

    ", + "
  • the donor - if the EPA has not been registered
  • ", + "
  • the donor and OPG - if the EPA has been registered
  • ", + "

    You should also tell any other attorneys appointed on the EPA.

    " + ] + }, + "https://www.gov.uk/lasting-power-attorney-duties": { + "url": "https://www.gov.uk/lasting-power-attorney-duties", + "title": "Lasting power of attorney: acting as an attorney", + "content": "## Overview\n\nYou can make decisions on someone\u2019s behalf if they appoint you using a lasting power of attorney (LPA).\n\nYou can contact GOV.UK to request this guide in another format, for example large print or braille.\n\nThe person who appoints you is called the \u2018donor\u2019. You\u2019re their \u2018attorney\u2019.\n\nYou don\u2019t need any legal experience to act as someone\u2019s attorney.\n\nThe types of decisions you make depend on whether you\u2019re a:\n\n- property and financial affairs attorney\n\n- health and welfare attorney\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Making decisions\n\nCheck what you need to do before you\u2019re allowed to start making decisions.\n\nAfter you start you must:\n\n- follow any instructions the donor included in the LPA\n\n- consider any preferences the donor included in the LPA\n\n- help the donor make their own decisions as much as they can\n\n- make any decisions in the donor\u2019s best interests\n\n- respect their human and civil rights\n\nYou must make the decisions yourself - you can\u2019t ask someone to make them for you.\n\nYou can get help making difficult decisions. Your decisions can be checked.\n\n## If you\u2019re not the only attorney\n\nCheck the LPA. It will tell you whether you must make decisions:\n\n- \u2018jointly\u2019 - this means all the attorneys must agree\n\n- \u2018jointly and severally\u2019 - this means you can make decisions together or on your own\n\nThe LPA may tell you to make some decisions \u2018jointly\u2019 and others \u2018jointly and severally\u2019.\n\nFind out what to do if you make decisions jointly with someone who stops acting as an attorney.\n\n## Property and financial affairs attorneys\n\nAs a property and financial affairs attorney, you make (or help the donor make) decisions about things like:\n\n- money, tax and bills\n\n- bank and building society accounts\n\n- property and investments\n\n- pensions and benefits\n\nYou can use the donor\u2019s money to look after their home and buy anything they need day to day (for example, food).\n\nDiscuss decisions that affect the donor\u2019s living arrangements, medical care or daily routine with their health and welfare attorney, if they have one.\n\n## Looking after money and property\n\nYou must keep the donor\u2019s finances separate from your own, unless you\u2019ve already got something in both of your names like a joint bank account or you own a home together.\n\n## Managing bank accounts\n\nBefore you can manage the donor\u2019s account, you must show the bank the original registered lasting power of attorney (LPA) or a copy of it signed on every page by the donor, a solicitor or notary.\n\nYou\u2019ll also need to give proof of:\n\n- your name\n\n- your address\n\n- the donor\u2019s name or address if they\u2019re not the same as on the bank account\n\nThe bank might ask for additional types of proof.\n\n## Spending money on gifts or donations\n\nUnless the LPA states otherwise, you can spend money on:\n\n- gifts to a donor\u2019s friend, family member or acquaintance on occasions when you would normally give gifts (such as birthdays or anniversaries)\n\n- donations to a charity that the donor wouldn\u2019t object to, for example a charity they\u2019ve donated to before\n\nYou must apply to the Court of Protection for any other type of gift or donation, even if the donor has given them before. These include:\n\n- paying someone\u2019s school or university fees\n\n- letting someone live in the donor\u2019s property without paying market rent (anything they pay below market rent counts as a gift)\n\n- interest-free loans\n\nYou must check that the donor can afford the gift or donation, even if they\u2019ve spent money on these types of things before. For example, you can\u2019t donate their money if that would mean they couldn\u2019t afford their care costs.\n\nRead the guidance for more information on giving gifts or donations.\n\n## Buying and selling property\n\nYou\u2019ll need to get legal advice if:\n\n- the sale is below the market value\n\n- you want to buy the property yourself\n\n- you\u2019re giving it to someone else\n\n## Making a will\n\nYou can apply for a statutory will if the donor needs to make a will but can\u2019t do it themselves.\n\nYou can\u2019t change a donor\u2019s will.\n\nYou can be ordered to repay the donor\u2019s money if you misuse it or make decisions to benefit yourself.\n\n## Health and welfare attorneys\n\nAs a health and welfare attorney, you make (or help the donor make) decisions about things like:\n\n- daily routine, for example washing, dressing and eating\n\n- medical care\n\n- where the donor lives\n\nYou might need to spend the donor\u2019s money on things that maintain or improve their quality of life. This can include:\n\n- new clothes or hairdressing\n\n- decorating their home or room in a care home\n\n- paying for extra support so the donor can go out more, for example to visit friends or relatives or to go on holiday\n\nYou must ask for money from the person in charge of the donor\u2019s funds.\n\n## Refusing or consenting to treatment\n\nCheck the lasting power of attorney (LPA) for instructions about refusing or consenting to treatment.\n\nYou\u2019ll need to:\n\n- show the LPA to care staff\n\n- sign medical consent forms\n\n- make decisions in the donor\u2019s best interests\n\nYou can\u2019t always make decisions about the donor\u2019s medical treatment, for example if the donor\u2019s made a living will or has been sectioned.\n\n## Living wills (\u2018advance decisions\u2019)\n\nThis is a legal statement from the donor about which medical treatments they don\u2019t want. You\u2019ll need to give this to care staff along with the LPA.\n\nNHS Choices has information about advance decisions.\n\n## Apply for a one-off decision\n\nYou may need to apply for a one-off decision from the Court of Protection to make a decision about a medical treatment if:\n\n- the living will and LPA give different instructions\n\n- the medical staff or the donor\u2019s friends and family disagree about whether the treatment should be given\n\n## Start acting as an attorney\n\nYou must have a registered lasting power of attorney (LPA) before you can start acting as an attorney.\n\nThe LPA is registered when the Office of the Public Guardian (OPG) has stamped it with \u2018VALIDATED-OPG\u2019.\n\nYou can prepare before you start by talking to the donor so you\u2019re ready to make decisions in their best interests. For example, ask about their plans for their money or how they want to be cared for if they become seriously ill.\n\n## Starting as a property and financial affairs attorney\n\nThe LPA may give you permission to make decisions while the donor still has the mental capacity to make their own financial decisions.\n\nIf it doesn\u2019t, you can only start making decisions when they don\u2019t have mental capacity.\n\n## Starting as a health and welfare attorney\n\nYou can only make decisions when the donor doesn\u2019t have mental capacity to make them.\n\nYou must tell people involved in the donor\u2019s care when you start. This includes the donor\u2019s:\n\n- friends and family\n\n- doctor and other healthcare staff\n\n- care workers, social worker and other social care staff\n\nStaff may want to see proof of your identity and either the original LPA or a certified copy.\n\n## Taking over as a replacement attorney\n\nReplacement attorneys are listed in the LPA.\n\nYou\u2019ll be able to start helping a donor make decisions as soon as the attorney you\u2019re replacing stops acting. Check the LPA to see if there are other attorneys you might need to make decisions with.\n\n## Records and expenses\n\nKeep a record of:\n\n- important decisions you make and when, for example selling the donor\u2019s home or agreeing to medical treatment\n\n- the donor\u2019s assets, income and how you spend their money - if you\u2019re their finance and property affairs attorney\n\nInclude details of who you asked for advice and any disagreements.\n\nDon\u2019t include small, everyday decisions.\n\n## Expenses\n\nYou can only claim expenses for things you must do to carry out your role as an attorney, for example:\n\n- hiring a professional to do things like fill in the donor\u2019s tax return\n\n- travel costs\n\n- stationery\n\n- postage\n\n- phone calls\n\nYou can be ordered to repay the donor\u2019s money if you misuse it or make decisions to benefit yourself.\n\nKeep your receipts and invoice the donor for your expenses. The money is paid by whoever\u2019s in charge of the donor\u2019s funds.\n\n## Checks and visits\n\nThe Office of the Public Guardian and Court of Protection can check your decisions. They may:\n\n- arrange a visit with you and the donor together, or the donor alone\n\n- contact other people such as the donor\u2019s family, bank or care workers\n\nThey can investigate and stop you acting as an attorney if, for example:\n\n- you\u2019ve done something the lasting power of attorney (LPA) says you can\u2019t\n\n- you haven\u2019t done something the LPA has instructed you to do\n\n- you haven\u2019t been acting in the donor\u2019s best interests\n\n- you misuse the donor\u2019s money or make decisions to benefit yourself\n\n- you do something that goes against their human or civil rights\n\n- the donor isn\u2019t being treated well\n\n- the donor made the LPA under pressure or they were tricked into it\n\n## Stop acting as an attorney\n\nThe lasting power of attorney (LPA) ends when the donor dies.\n\nTell the Office of the Public Guardian (OPG) and send them:\n\n- a copy of the death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n## Stopping before the donor dies\n\nYou can choose to stop acting as an attorney - sometimes called \u2018disclaiming\u2019 an attorneyship.\n\nThere are also some cases in which the law requires you to stop acting as an attorney.\n\nAny replacement attorneys listed in the LPA will take over if you stop.\n\nIf there are no replacements, there may be other ways to help the donor make decisions.\n\n## If you choose to stop\n\nFill in and send a notification form to:\n\n- the donor - if the LPA hasn\u2019t been registered\n\n- the donor and OPG (at the address on the form) - if the LPA is registered\n\n- any other attorneys appointed on the LPA\n\n## When you have to stop\n\nYou must stop acting as an attorney if:\n\n- the donor takes you off their LPA - sometimes called \u2018revoking\u2019 an attorney\n\n- you lose mental capacity and can\u2019t make decisions any more\n\n- you\u2019re a property and financial affairs attorney and you become bankrupt or subject to a debt relief order\n\n- you\u2019re married to or in a civil partnership with the donor and you get a divorce or an annulment (unless the LPA says you can keep acting as an attorney)\n\n- you\u2019re a joint attorney and another attorney stops acting, unless the LPA says you can carry on making decisions", + "original_contents": [ + "

    Overview

    ", + "

    You can make decisions on someone\u2019s behalf if they appoint you using a lasting power of attorney (LPA).

    ", + "

    You can contact GOV.UK to request this guide in another format, for example large print or braille.

    ", + "

    The person who appoints you is called the \u2018donor\u2019. You\u2019re their \u2018attorney\u2019.

    ", + "

    You don\u2019t need any legal experience to act as someone\u2019s attorney.

    ", + "

    The types of decisions you make depend on whether you\u2019re a:

    ", + "
  • property and financial affairs attorney
  • ", + "
  • health and welfare attorney
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Making decisions

    ", + "

    Check what you need to do before you\u2019re allowed to start making decisions.

    ", + "

    After you start you must:

    ", + "
  • follow any instructions the donor included in the LPA
  • ", + "
  • consider any preferences the donor included in the LPA
  • ", + "
  • help the donor make their own decisions as much as they can
  • ", + "
  • make any decisions in the donor\u2019s best interests
  • ", + "
  • respect their human and civil rights
  • ", + "

    You must make the decisions yourself - you can\u2019t ask someone to make them for you.

    ", + "

    You can get help making difficult decisions. Your decisions can be checked.

    ", + "

    If you\u2019re not the only attorney

    ", + "

    Check the LPA. It will tell you whether you must make decisions:

    ", + "
  • \u2018jointly\u2019 - this means all the attorneys must agree
  • ", + "
  • \u2018jointly and severally\u2019 - this means you can make decisions together or on your own
  • ", + "

    The LPA may tell you to make some decisions \u2018jointly\u2019 and others \u2018jointly and severally\u2019.

    ", + "

    Find out what to do if you make decisions jointly with someone who stops acting as an attorney.

    ", + "

    Property and financial affairs attorneys

    ", + "

    As a property and financial affairs attorney, you make (or help the donor make) decisions about things like:

    ", + "
  • money, tax and bills
  • ", + "
  • bank and building society accounts
  • ", + "
  • property and investments
  • ", + "
  • pensions and benefits
  • ", + "

    You can use the donor\u2019s money to look after their home and buy anything they need day to day (for example, food).

    ", + "

    Discuss decisions that affect the donor\u2019s living arrangements, medical care or daily routine with their health and welfare attorney, if they have one.

    ", + "

    Looking after money and property

    ", + "

    You must keep the donor\u2019s finances separate from your own, unless you\u2019ve already got something in both of your names like a joint bank account or you own a home together.

    ", + "

    Managing bank accounts

    ", + "

    Before you can manage the donor\u2019s account, you must show the bank the original registered lasting power of attorney (LPA) or a copy of it signed on every page by the donor, a solicitor or notary.

    ", + "

    You\u2019ll also need to give proof of:

    ", + "
  • your name
  • ", + "
  • your address
  • ", + "
  • the donor\u2019s name or address if they\u2019re not the same as on the bank account
  • ", + "

    The bank might ask for additional types of proof.

    ", + "

    Spending money on gifts or donations

    ", + "

    Unless the LPA states otherwise, you can spend money on:

    ", + "
  • gifts to a donor\u2019s friend, family member or acquaintance on occasions when you would normally give gifts (such as birthdays or anniversaries)
  • ", + "
  • donations to a charity that the donor wouldn\u2019t object to, for example a charity they\u2019ve donated to before
  • ", + "

    You must apply to the Court of Protection for any other type of gift or donation, even if the donor has given them before. These include:

    ", + "
  • paying someone\u2019s school or university fees
  • ", + "
  • letting someone live in the donor\u2019s property without paying market rent (anything they pay below market rent counts as a gift)
  • ", + "
  • interest-free loans
  • ", + "

    You must check that the donor can afford the gift or donation, even if they\u2019ve spent money on these types of things before. For example, you can\u2019t donate their money if that would mean they couldn\u2019t afford their care costs.

    ", + "

    Read the guidance for more information on giving gifts or donations.

    ", + "

    Buying and selling property

    ", + "

    You\u2019ll need to get legal advice if:

    ", + "
  • the sale is below the market value
  • ", + "
  • you want to buy the property yourself
  • ", + "
  • you\u2019re giving it to someone else
  • ", + "

    Making a will

    ", + "

    You can apply for a statutory will if the donor needs to make a will but can\u2019t do it themselves.

    ", + "

    You can\u2019t change a donor\u2019s will.

    ", + "

    You can be ordered to repay the donor\u2019s money if you misuse it or make decisions to benefit yourself.

    ", + "

    Health and welfare attorneys

    ", + "

    As a health and welfare attorney, you make (or help the donor make) decisions about things like:

    ", + "
  • daily routine, for example washing, dressing and eating
  • ", + "
  • medical care
  • ", + "
  • where the donor lives
  • ", + "

    You might need to spend the donor\u2019s money on things that maintain or improve their quality of life. This can include:

    ", + "
  • new clothes or hairdressing
  • ", + "
  • decorating their home or room in a care home
  • ", + "
  • paying for extra support so the donor can go out more, for example to visit friends or relatives or to go on holiday
  • ", + "

    You must ask for money from the person in charge of the donor\u2019s funds.

    ", + "

    Refusing or consenting to treatment

    ", + "

    Check the lasting power of attorney (LPA) for instructions about refusing or consenting to treatment.

    ", + "

    You\u2019ll need to:

    ", + "
  • show the LPA to care staff
  • ", + "
  • sign medical consent forms
  • ", + "
  • make decisions in the donor\u2019s best interests
  • ", + "

    You can\u2019t always make decisions about the donor\u2019s medical treatment, for example if the donor\u2019s made a living will or has been sectioned.

    ", + "

    Living wills (\u2018advance decisions\u2019)

    ", + "

    This is a legal statement from the donor about which medical treatments they don\u2019t want. You\u2019ll need to give this to care staff along with the LPA.

    ", + "

    NHS Choices has information about advance decisions.

    ", + "

    Apply for a one-off decision

    ", + "

    You may need to apply for a one-off decision from the Court of Protection to make a decision about a medical treatment if:

    ", + "
  • the living will and LPA give different instructions
  • ", + "
  • the medical staff or the donor\u2019s friends and family disagree about whether the treatment should be given
  • ", + "

    Start acting as an attorney

    ", + "

    You must have a registered lasting power of attorney (LPA) before you can start acting as an attorney.

    ", + "

    The LPA is registered when the Office of the Public Guardian (OPG) has stamped it with \u2018VALIDATED-OPG\u2019.

    ", + "

    You can prepare before you start by talking to the donor so you\u2019re ready to make decisions in their best interests. For example, ask about their plans for their money or how they want to be cared for if they become seriously ill.

    ", + "

    Starting as a property and financial affairs attorney

    ", + "

    The LPA may give you permission to make decisions while the donor still has the mental capacity to make their own financial decisions.

    ", + "

    If it doesn\u2019t, you can only start making decisions when they don\u2019t have mental capacity.

    ", + "

    Starting as a health and welfare attorney

    ", + "

    You can only make decisions when the donor doesn\u2019t have mental capacity to make them.

    ", + "

    You must tell people involved in the donor\u2019s care when you start. This includes the donor\u2019s:

    ", + "
  • friends and family
  • ", + "
  • doctor and other healthcare staff
  • ", + "
  • care workers, social worker and other social care staff
  • ", + "

    Staff may want to see proof of your identity and either the original LPA or a certified copy.

    ", + "

    Taking over as a replacement attorney

    ", + "

    Replacement attorneys are listed in the LPA.

    ", + "

    You\u2019ll be able to start helping a donor make decisions as soon as the attorney you\u2019re replacing stops acting. Check the LPA to see if there are other attorneys you might need to make decisions with.

    ", + "

    Records and expenses

    ", + "

    Keep a record of:

    ", + "
  • important decisions you make and when, for example selling the donor\u2019s home or agreeing to medical treatment
  • ", + "
  • the donor\u2019s assets, income and how you spend their money - if you\u2019re their finance and property affairs attorney
  • ", + "

    Include details of who you asked for advice and any disagreements.

    ", + "

    Don\u2019t include small, everyday decisions.

    ", + "

    Expenses

    ", + "

    You can only claim expenses for things you must do to carry out your role as an attorney, for example:

    ", + "
  • hiring a professional to do things like fill in the donor\u2019s tax return
  • ", + "
  • travel costs
  • ", + "
  • stationery
  • ", + "
  • postage
  • ", + "
  • phone calls
  • ", + "

    You can be ordered to repay the donor\u2019s money if you misuse it or make decisions to benefit yourself.

    ", + "

    Keep your receipts and invoice the donor for your expenses. The money is paid by whoever\u2019s in charge of the donor\u2019s funds.

    ", + "

    Checks and visits

    ", + "

    The Office of the Public Guardian and Court of Protection can check your decisions. They may:

    ", + "
  • arrange a visit with you and the donor together, or the donor alone
  • ", + "
  • contact other people such as the donor\u2019s family, bank or care workers
  • ", + "

    They can investigate and stop you acting as an attorney if, for example:

    ", + "
  • you\u2019ve done something the lasting power of attorney (LPA) says you can\u2019t
  • ", + "
  • you haven\u2019t done something the LPA has instructed you to do
  • ", + "
  • you haven\u2019t been acting in the donor\u2019s best interests
  • ", + "
  • you misuse the donor\u2019s money or make decisions to benefit yourself
  • ", + "
  • you do something that goes against their human or civil rights
  • ", + "
  • the donor isn\u2019t being treated well
  • ", + "
  • the donor made the LPA under pressure or they were tricked into it
  • ", + "

    Stop acting as an attorney

    ", + "

    The lasting power of attorney (LPA) ends when the donor dies.

    ", + "

    Tell the Office of the Public Guardian (OPG) and send them:

    ", + "
  • a copy of the death certificate
  • ", + "
  • the original LPA
  • ", + "
  • all certified copies of the LPA
  • ", + "

    Stopping before the donor dies

    ", + "

    You can choose to stop acting as an attorney - sometimes called \u2018disclaiming\u2019 an attorneyship.

    ", + "

    There are also some cases in which the law requires you to stop acting as an attorney.

    ", + "

    Any replacement attorneys listed in the LPA will take over if you stop.

    ", + "

    If there are no replacements, there may be other ways to help the donor make decisions.

    ", + "

    If you choose to stop

    ", + "

    Fill in and send a notification form to:

    ", + "
  • the donor - if the LPA hasn\u2019t been registered
  • ", + "
  • the donor and OPG (at the address on the form) - if the LPA is registered
  • ", + "
  • any other attorneys appointed on the LPA
  • ", + "

    When you have to stop

    ", + "

    You must stop acting as an attorney if:

    ", + "
  • the donor takes you off their LPA - sometimes called \u2018revoking\u2019 an attorney
  • ", + "
  • you lose mental capacity and can\u2019t make decisions any more
  • ", + "
  • you\u2019re a property and financial affairs attorney and you become bankrupt or subject to a debt relief order
  • ", + "
  • you\u2019re married to or in a civil partnership with the donor and you get a divorce or an annulment (unless the LPA says you can keep acting as an attorney)
  • ", + "
  • you\u2019re a joint attorney and another attorney stops acting, unless the LPA says you can carry on making decisions
  • " + ] + }, + "https://www.gov.uk/make-decisions-for-someone": { + "url": "https://www.gov.uk/make-decisions-for-someone", + "title": "Make decisions on behalf of someone", + "content": "## When you can make decisions for someone\n\nSomeone can choose you to make and carry out certain decisions on their behalf.\n\nThey can ask you to do this:\n\n- now - for example, while they\u2019re on holiday\n\n- in the future - for example, if they lose the mental capacity to make their own decisions\n\nYou can also apply to a court to help someone make decisions if they do not have mental capacity now.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When someone can choose you\n\nA person must have mental capacity when they choose you for short-term or long-term help with decisions.\n\n## Short-term help\n\nYou can be appointed to make decisions about someone\u2019s money or property for a limited time - for example, while they\u2019re on holiday.\n\nThey can appoint you with either:\n\n- a lasting power of attorney for \u2018property and financial affairs\u2019 - they\u2019ll say when it starts and ends\n\n- an \u2018ordinary power of attorney\u2019 - you can only use this while they have mental capacity\n\nTo make an ordinary power of attorney, the person who appoints you needs to buy a document from a newsagent or use a solicitor.\n\n## Long-term help\n\nYou can be appointed with a lasting power of attorney to help someone make ongoing decisions about either or both:\n\n- money and property - starting at any time, or when they do not have mental capacity\n\n- health and welfare - starting when they do not have mental capacity\n\nYou can also help someone with ongoing decisions using an enduring power of attorney made before 1 October 2007.\n\n## When you apply to a court\n\nApply to a court to help someone without mental capacity with one-off or long-term decisions.\n\nCheck if someone already has an attorney or deputy to help them with decisions before you apply. If they do have an attorney or deputy, ask them for help instead.\n\n## One-off decisions\n\nAsk the Court of Protection to make:\n\n- a one-off decision about an issue that\u2019s not urgent\n\n- an urgent or emergency decision about something that puts them at risk\n\nIf the decision is about medical treatment, you must consider any living will (advance decision) that the person has made.\n\n## Long-term help\n\nApply to the Court of Protection to help someone long-term with decisions about either or both:\n\n- money and property - as a \u2018property and financial affairs deputy\u2019\n\n- health and welfare - as a \u2018personal welfare deputy\u2019\n\n## How to make decisions\n\nAs someone\u2019s attorney or deputy you must:\n\n- give them all the help they need to make each decision before deciding they do not have mental capacity to make that decision themselves\n\n- make any decisions in their best interests\n\n- make decisions that restrict their human and civil rights as little as you can\n\n## Helping someone make decisions\n\nGive the person all the information they need to make a decision.\n\nMake it easy for them to understand and weigh up the information, for example by:\n\n- allowing plenty of time\n\n- choosing a time that suits them best\n\n- talking in familiar surroundings - for example, their home\n\n- removing distractions such as background noise\n\n- explaining things a different way - in pictures or sign language, for example\n\nSuggest different ways for them to tell you their decision if they cannot tell you in words - for example, by pointing, squeezing your hand, blinking or nodding.\n\n## Making decisions in someone\u2019s best interests\n\nAny decisions you make for someone must be right for them (\u2018in their best interests\u2019). Take into account:\n\n- what they would have decided if they could\n\n- their past and present values and wishes, including moral, political and religious views\n\nDo not make assumptions based on their age, gender, ethnic background, sexuality, behaviour or health.\n\nIt can help to:\n\n- write down what the person has told you is important to them\n\n- look at other things they wrote down or recorded (such as household budgets or home videos)\n\n- speak to friends, family or colleagues who know them well\n\n- consult anyone involved in their care, for example personal carers or care home staff\n\n- notice their behaviour and reactions - this can tell you about wishes and feelings that a person cannot express in words\n\n## Human and civil rights\n\nYour decisions must restrict the person\u2019s human and civil rights as little as possible. Citizens Advice has information about human and civil rights.\n\nYou can never make decisions on someone\u2019s behalf about certain things, such as:\n\n- voting\n\n- relationships - for example consenting to sex, getting married or getting divorced\n\nFollow the Mental Capacity Act code of practice when you make decisions.\n\n## Difficult decisions and disagreements\n\nConsult the person as well as their family, friends and carers. Including everyone in a \u2018best interests\u2019 meeting can help you reach agreement.\n\nIf you cannot agree you can:\n\n- get advice about how to reach agreement from the Office of the Public Guardian\n\n- get help from an advocate who can represent the person\u2019s best interests\n\n- find a mediation service\n\n- get help from the social services team at your local council if it\u2019s a disagreement about the person\u2019s care\n\n- ask the Court of Protection to decide if it\u2019s a major disagreement about a serious issue\n\n## Checking mental capacity\n\nA person may not have mental capacity because of a problem with the way their brain functions, for example:\n\n- a serious brain injury\n\n- an illness, such as dementia\n\n- severe learning disabilities\n\nMental capacity can come and go (for example, with dementia and some mental illnesses). A person can also recover mental capacity (for example, following a severe stroke).\n\n## What you must check\n\nYou must check that a person has mental capacity to make a decision at the time it needs to be made.\n\nThey can make the decision if they can:\n\n- understand the information they need - for example, what the consequences will be\n\n- remember the information for long enough to make the decision\n\n- weigh up the options and make a choice\n\n- communicate their decision in any way - for example, by blinking or squeezing a hand\n\nYou cannot decide a person lacks mental capacity because you think they\u2019ve made a bad or strange decision.\n\nIf the person cannot make a decision at a certain time, they may still be able to:\n\n- make it at another time\n\n- make decisions about other things\n\nDo not make a decision for them if it can wait until they can do it themselves.\n\n## Get help checking mental capacity\n\nYou can ask the person\u2019s doctor or another medical professional to assess their mental capacity.\n\nFollow the Mental Capacity Act code of practice when you check mental capacity.", + "original_contents": [ + "

    When you can make decisions for someone

    ", + "

    Someone can choose you to make and carry out certain decisions on their behalf.

    ", + "

    They can ask you to do this:

    ", + "
  • now - for example, while they\u2019re on holiday
  • ", + "
  • in the future - for example, if they lose the mental capacity to make their own decisions
  • ", + "

    You can also apply to a court to help someone make decisions if they do not have mental capacity now.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    When someone can choose you

    ", + "

    A person must have mental capacity when they choose you for short-term or long-term help with decisions.

    ", + "

    Short-term help

    ", + "

    You can be appointed to make decisions about someone\u2019s money or property for a limited time - for example, while they\u2019re on holiday.

    ", + "

    They can appoint you with either:

    ", + "
  • a lasting power of attorney for \u2018property and financial affairs\u2019 - they\u2019ll say when it starts and ends
  • ", + "
  • an \u2018ordinary power of attorney\u2019 - you can only use this while they have mental capacity
  • ", + "

    To make an ordinary power of attorney, the person who appoints you needs to buy a document from a newsagent or use a solicitor.

    ", + "

    Long-term help

    ", + "

    You can be appointed with a lasting power of attorney to help someone make ongoing decisions about either or both:

    ", + "
  • money and property - starting at any time, or when they do not have mental capacity
  • ", + "
  • health and welfare - starting when they do not have mental capacity
  • ", + "

    You can also help someone with ongoing decisions using an enduring power of attorney made before 1 October 2007.

    ", + "

    When you apply to a court

    ", + "

    Apply to a court to help someone without mental capacity with one-off or long-term decisions.

    ", + "

    Check if someone already has an attorney or deputy to help them with decisions before you apply. If they do have an attorney or deputy, ask them for help instead.

    ", + "

    One-off decisions

    ", + "

    Ask the Court of Protection to make:

    ", + "
  • a one-off decision about an issue that\u2019s not urgent
  • ", + "
  • an urgent or emergency decision about something that puts them at risk
  • ", + "

    If the decision is about medical treatment, you must consider any living will (advance decision) that the person has made.

    ", + "

    Long-term help

    ", + "

    Apply to the Court of Protection to help someone long-term with decisions about either or both:

    ", + "
  • money and property - as a \u2018property and financial affairs deputy\u2019
  • ", + "
  • health and welfare - as a \u2018personal welfare deputy\u2019
  • ", + "

    How to make decisions

    ", + "

    As someone\u2019s attorney or deputy you must:

    ", + "
  • give them all the help they need to make each decision before deciding they do not have mental capacity to make that decision themselves
  • ", + "
  • make any decisions in their best interests
  • ", + "
  • make decisions that restrict their human and civil rights as little as you can
  • ", + "

    Helping someone make decisions

    ", + "

    Give the person all the information they need to make a decision.

    ", + "

    Make it easy for them to understand and weigh up the information, for example by:

    ", + "
  • allowing plenty of time
  • ", + "
  • choosing a time that suits them best
  • ", + "
  • talking in familiar surroundings - for example, their home
  • ", + "
  • removing distractions such as background noise
  • ", + "
  • explaining things a different way - in pictures or sign language, for example
  • ", + "

    Suggest different ways for them to tell you their decision if they cannot tell you in words - for example, by pointing, squeezing your hand, blinking or nodding.

    ", + "

    Making decisions in someone\u2019s best interests

    ", + "

    Any decisions you make for someone must be right for them (\u2018in their best interests\u2019). Take into account:

    ", + "
  • what they would have decided if they could
  • ", + "
  • their past and present values and wishes, including moral, political and religious views
  • ", + "

    Do not make assumptions based on their age, gender, ethnic background, sexuality, behaviour or health.

    ", + "

    It can help to:

    ", + "
  • write down what the person has told you is important to them
  • ", + "
  • look at other things they wrote down or recorded (such as household budgets or home videos)
  • ", + "
  • speak to friends, family or colleagues who know them well
  • ", + "
  • consult anyone involved in their care, for example personal carers or care home staff
  • ", + "
  • notice their behaviour and reactions - this can tell you about wishes and feelings that a person cannot express in words
  • ", + "

    Human and civil rights

    ", + "

    Your decisions must restrict the person\u2019s human and civil rights as little as possible. Citizens Advice has information about human and civil rights.

    ", + "

    You can never make decisions on someone\u2019s behalf about certain things, such as:

    ", + "
  • voting
  • ", + "
  • relationships - for example consenting to sex, getting married or getting divorced
  • ", + "

    Follow the Mental Capacity Act code of practice when you make decisions.

    ", + "

    Difficult decisions and disagreements

    ", + "

    Consult the person as well as their family, friends and carers. Including everyone in a \u2018best interests\u2019 meeting can help you reach agreement.

    ", + "

    If you cannot agree you can:

    ", + "
  • get advice about how to reach agreement from the Office of the Public Guardian
  • ", + "
  • get help from an advocate who can represent the person\u2019s best interests
  • ", + "
  • find a mediation service
  • ", + "
  • get help from the social services team at your local council if it\u2019s a disagreement about the person\u2019s care
  • ", + "
  • ask the Court of Protection to decide if it\u2019s a major disagreement about a serious issue
  • ", + "

    Checking mental capacity

    ", + "

    A person may not have mental capacity because of a problem with the way their brain functions, for example:

    ", + "
  • a serious brain injury
  • ", + "
  • an illness, such as dementia
  • ", + "
  • severe learning disabilities
  • ", + "

    Mental capacity can come and go (for example, with dementia and some mental illnesses). A person can also recover mental capacity (for example, following a severe stroke).

    ", + "

    What you must check

    ", + "

    You must check that a person has mental capacity to make a decision at the time it needs to be made.

    ", + "

    They can make the decision if they can:

    ", + "
  • understand the information they need - for example, what the consequences will be
  • ", + "
  • remember the information for long enough to make the decision
  • ", + "
  • weigh up the options and make a choice
  • ", + "
  • communicate their decision in any way - for example, by blinking or squeezing a hand
  • ", + "

    You cannot decide a person lacks mental capacity because you think they\u2019ve made a bad or strange decision.

    ", + "

    If the person cannot make a decision at a certain time, they may still be able to:

    ", + "
  • make it at another time
  • ", + "
  • make decisions about other things
  • ", + "

    Do not make a decision for them if it can wait until they can do it themselves.

    ", + "

    Get help checking mental capacity

    ", + "

    You can ask the person\u2019s doctor or another medical professional to assess their mental capacity.

    ", + "

    Follow the Mental Capacity Act code of practice when you check mental capacity.

    " + ] + }, + "https://www.gov.uk/power-of-attorney": { + "url": "https://www.gov.uk/power-of-attorney", + "title": "Make, register or end a lasting power of attorney", + "content": "## Overview\n\nA lasting power of attorney (LPA) is a legal document that lets you (the \u2018donor\u2019) appoint one or more people (known as \u2018attorneys\u2019) to help you make decisions or to make decisions on your behalf.\n\nThis gives you more control over what happens to you if you have an accident or an illness and cannot make your own decisions (you \u2018lack mental capacity\u2019).\n\nYou must be 18 or over and have mental capacity (the ability to make your own decisions) when you make your LPA.\n\nYou do not need to live in the UK or be a British citizen.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere are 2 types of LPA:\n\n- health and welfare\n\n- property and financial affairs\n\nYou can choose to make one type or both.\n\nThere\u2019s a different process in Scotland and Northern Ireland.\n\n## How to make a lasting power of attorney\n\n- Choose your attorney (you can have more than one).\n\n- Fill in the forms to appoint them as an attorney.\n\n- Register your LPA with the Office of the Public Guardian (this can take up to 10 weeks).\n\nIt costs \u00a382 to register an LPA unless you get a reduction or exemption.\n\nYou can cancel your LPA if you no longer need it or want to make a new one.\n\n## Health and welfare lasting power of attorney\n\nUse this LPA to give an attorney the power to make decisions about things like:\n\n- your daily routine, for example washing, dressing, eating\n\n- medical care\n\n- moving into a care home\n\n- life-sustaining treatment\n\nIt can only be used when you\u2019re unable to make your own decisions.\n\n## Property and financial affairs lasting power of attorney\n\nUse this LPA to give an attorney the power to make decisions about money and property for you, for example:\n\n- managing a bank or building society account\n\n- paying bills\n\n- collecting benefits or a pension\n\n- selling your home\n\nIt can be used as soon as it\u2019s registered, with your permission.\n\n## Help deciding if you should make a lasting power of attorney\n\nContact the Office of the Public Guardian if you need help.\n\n## Choose your attorney\n\nYou can choose one or more people to be your attorney. If you appoint more than one, you must decide whether they\u2019ll make decisions separately or together.\n\n## Who can be your attorney\n\nYour attorney needs to be 18 or over. They could be:\n\n- a relative\n\n- a friend\n\n- a professional, for example a solicitor\n\n- your husband, wife or partner\n\nYou must appoint someone who has the mental capacity to make their own decisions.\n\nYour attorney does not need to live in the UK or be a British citizen.\n\nWhen choosing an attorney, think about:\n\n- how well they look after their own affairs, for example their finances\n\n- how well you know them\n\n- if you trust them to make decisions in your best interests\n\n- how happy they will be to make decisions for you\n\nRead about an attorney\u2019s responsibilities to help you with your decision.\n\nYou cannot choose someone who is subject to a Debt Relief Order or is bankrupt if you\u2019re making a lasting power of attorney (LPA) for property and financial affairs.\n\n## If there\u2019s more than one attorney\n\nIf you\u2019re appointing more than one person, you must decide if they\u2019ll make decisions:\n\n- separately or together - sometimes called \u2018jointly and severally\u2019 - which means attorneys can make decisions on their own or with other attorneys\n\n- together - sometimes called \u2018jointly\u2019 - which means all the attorneys have to agree on the decision\n\nYou can also choose to let them make some decisions \u2018jointly\u2019, and others \u2018jointly and severally\u2019.\n\nAttorneys who are appointed jointly must all agree or they cannot make the decision.\n\n## Replacement attorneys\n\nWhen you make your LPA you can nominate other people to replace your attorney or attorneys if at some point they cannot act on your behalf anymore.\n\n## Make a lasting power of attorney\n\nYou can make a lasting power of attorney (LPA) online or using paper forms.\n\nEither way, you need to get other people to sign the forms, including the attorneys and witnesses.\n\nYou can get someone else to use the online service or fill in the paper forms for you, for example a family member, friend or solicitor.\n\nYou must register your LPA or your attorney will not be able to make decisions for you.\n\nIt might take longer to make and register an LPA because of coronavirus (COVID-19). It will be quicker if you make it and pay online.\n\n## Make an LPA online\n\nCreate an account to start your LPA.\n\nYou can:\n\n- get help and guidance at each step\n\n- save your forms and complete them later\n\n- review your answers and fix any mistakes\n\nYou need to print out the forms and sign them when you\u2019ve finished.\n\n## Sign in to your account\n\nSign in to continue making your LPA.\n\n## Use the paper forms\n\nDownload the forms and print them out.\n\n## Signing the forms\n\nYou need to sign the forms before you send them off. They also need to be signed by:\n\n- the attorneys\n\n- witnesses\n\n- a \u2018certificate provider\u2019, who confirms you\u2019re making the LPA by choice and you understand what you\u2019re doing\n\nEveryone must sign the same original document. They cannot sign copies or use digital signatures.\n\n## Who can be a witness or certificate provider\n\nWitnesses and certificate providers must be 18 or over.\n\nAttorneys can witness each other sign, but they cannot:\n\n- witness you sign\n\n- sign as the certificate provider\n\nYou cannot be a witness if you\u2019re the person appointing an attorney.\n\n## Get help\n\nAsk the Office of the Public Guardian about help you can get if you:\n\n- do not have a computer or printer\n\n- want to use the online service but need some help\n\n## Register a lasting power of attorney\n\nWhen you\u2019ve made your lasting power of attorney (LPA), you need to register it with the Office of the Public Guardian (OPG).\n\nIt takes up to 15 weeks to register an LPA if there are no mistakes in the application.\n\nYou can apply to register your LPA yourself if you\u2019re able to make your own decisions.\n\nYour attorney can also register it for you. You\u2019ll be told if they do and you can object to the registration.\n\n## Notify people\n\nBefore you register, send a form to notify people (LP3) to all the \u2018people to notify\u2019 (also called \u2018people to be told\u2019) you listed in the LPA.\n\nThey\u2019ll have 3 weeks to raise any concerns with OPG.\n\nIf you\u2019re using the online service to make an LPA, it will create and fill in the LP3 forms for you.\n\n## How to register\n\nApply to register as soon as you\u2019ve sent forms to notify people.\n\nTo register, you need to sign your completed LPA form and send it to OPG.\n\nIf you create your LPA form using the online service, you will need to print it out to do this.\n\nThe address is also on the form. Make sure you include the original LPA form and the fee.\n\nYou can send a certified copy if you do not have the original form. Write a covering letter to explain why you do not have the original.\n\n## If you made your LPA with an older paper form\n\nYou can register by filling in form LP2 if you made your LPA:\n\n- on forms LPA114 or LPA117 before 1 January 2016\n\n- on forms LP PA or LP PW before 1 April 2011\n\nOtherwise you\u2019ll need to make a new LPA.\n\n## How much it costs\n\nIt costs \u00a382 to register each LPA unless you get a reduction or exemption.\n\nThis means it costs \u00a3164 to register both a property and financial affairs LPA and a health and welfare LPA.\n\nYou can pay by:\n\n- credit or debit card\n\n- cheque\n\nMake your cheque payable to \u2018Office of the Public Guardian\u2019 and write your name on the back. Send it to OPG with your forms.\n\n## If you make a mistake on your form\n\nDepending on the type of mistake, OPG may let you correct it and apply again within 3 months for \u00a341.\n\n## Get a reduction or exemption\n\nYou can apply for a reduction if you earn less than \u00a312,000. You might also be able to apply for an exemption if you\u2019re on certain benefits, such as Income Support.\n\nDownload and fill in the application form. The form has more information about eligibility.\n\n## Certify a copy of a lasting power of attorney\n\nYou can confirm that a copy of your lasting power of attorney (LPA) is genuine by \u2018certifying\u2019 it if you\u2019re still able to make your own decisions.\n\nYou or your attorney can use a certified copy to register your LPA if you do not have the original form.\n\nYour attorney can also use the certified copy to prove they have permission to make decisions on your behalf, for example to manage your bank account.\n\n## How to certify a copy\n\nWrite the following text on the bottom of every page of the copy:\n\n\u201cI certify this is a true and complete copy of the corresponding page of the original lasting power of attorney.\u201d\n\nOn the final page of the copy, you must also write:\n\n\u201cI certify this is a true and complete copy of the lasting power of attorney.\u201d\n\nYou need to sign and date every page.\n\n## Other ways to certify a copy\n\nCopies of your LPA can also be certified by:\n\n- a solicitor\n\n- a person authorised to carry out notarial activities\n\n## Change your lasting power of attorney\n\nYou can ask the Office of the Public Guardian (OPG) to change your lasting power of attorney (LPA) if it\u2019s been registered and you still have mental capacity to make decisions.\n\n## If you want to remove one of your attorneys\n\nYou will need to send OPG a written statement called a \u2018partial deed of revocation\u2019.\n\nIf you want to add another attorney you need to end your LPA and make a new one.\n\nUse the following wording. Replace the words in the square brackets with the relevant details.\n\nPartial deed of revocation\n\n\u201cThis partial deed of revocation is made by [donor\u2019s name] of [donor\u2019s address].\n\n1: I granted a lasting power of attorney for property and financial affairs/health and welfare [delete as appropriate] on [date donor signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).\n\n2: I hereby revoke [attorney\u2019s name that you are revoking] ONLY from the lasting power of attorney and the authority granted to him/her.\n\nSigned and delivered as a deed [donor\u2019s signature]\nDate signed [date] \nWitnessed by [signature of witness] \nFull name of witness [name of witness] \nAddress of witness [address of witness]\u201d\n\n## Where to send a partial deed of revocation\n\nSend the partial deed of revocation to the Office of the Public Guardian (OPG) with the original LPA document. You must also tell your attorney or attorneys that you\u2019re ending your LPA.\n\n## If your attorney\u2019s details change\n\nYou must write to OPG if one of your attorneys has changed their:\n\n- name - by marriage or deed poll\n\n- address\n\nYou need to provide supporting documents, such as the original marriage certificate, with their new name and address.\n\nDo not make changes to your LPA document itself, as it might become invalid. You must contact OPG to make changes to your LPA.\n\n## If one of your attorneys dies\n\nYou must tell OPG and send them:\n\n- a copy of their death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n- a return address where your documents can be sent back to\n\n## End your lasting power of attorney\n\nYou can end your lasting power of attorney (LPA) yourself - if you have mental capacity to make that decision.\n\nYou need to send the Office of the Public Guardian (OPG) both:\n\n- the original LPA\n\n- a written statement called a \u2018deed of revocation\u2019\n\nUse the following wording for the deed of revocation. Replace the words in the square brackets with the relevant details.\n\nDeed of revocation\n\n\u201cThis deed of revocation is made by [your name] of [your address].\n\n1: I granted a lasting power of attorney for property and financial affairs/health and welfare (delete as appropriate) on [date you signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).\n\n2: I revoke the lasting power of attorney and the authority granted by it.\n\nSigned and delivered as a deed [your signature]\nDate signed [date]\nWitnessed by [signature of witness]\nFull name of witness [name of witness]\nAddress of witness [address of witness]\u201d\n\nYou must be able to make your own decisions when you end your LPA.\n\nYou can also complain if you have concerns about your attorney, for example if they\u2019re not carrying out their responsibilities properly.\n\n## Other ways a lasting power of attorney can end\n\nYour LPA may end if your attorney:\n\n- loses the ability to make decisions - \u2018loses mental capacity\u2019\n\n- divorces you or ends your civil partnership if they\u2019re your husband, wife or partner\n\n- becomes bankrupt or they\u2019re subject to a Debt Relief Order (DRO) - if they\u2019re a property and financial affairs attorney\n\n- is removed by the Court of Protection\n\n- dies\n\n## If your only attorney dies\n\nYour LPA will end if your attorney dies and you have no replacement attorneys. You must tell OPG and send them:\n\n- a copy of their death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n- a return address where your documents can be sent back to\n\nYour LPA can continue if:\n\n- there are other attorneys who can act \u2018jointly and severally\u2019 - but not if they are only allowed to act \u2018jointly\u2019\n\n- there are replacement attorneys\n\n## If you die\n\nYour LPA will end automatically when you die. Your affairs will be looked after by your executors or personal representatives from that point, not your attorney.", + "original_contents": [ + "

    Overview

    ", + "

    A lasting power of attorney (LPA) is a legal document that lets you (the \u2018donor\u2019) appoint one or more people (known as \u2018attorneys\u2019) to help you make decisions or to make decisions on your behalf.

    ", + "

    This gives you more control over what happens to you if you have an accident or an illness and cannot make your own decisions (you \u2018lack mental capacity\u2019).

    ", + "

    You must be 18 or over and have mental capacity (the ability to make your own decisions) when you make your LPA.

    ", + "

    You do not need to live in the UK or be a British citizen.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    There are 2 types of LPA:

    ", + "
  • health and welfare
  • ", + "
  • property and financial affairs
  • ", + "

    You can choose to make one type or both.

    ", + "

    There\u2019s a different process in Scotland and Northern Ireland.

    ", + "

    How to make a lasting power of attorney

    ", + "
  • Choose your attorney (you can have more than one).
  • ", + "
  • Fill in the forms to appoint them as an attorney.
  • ", + "
  • Register your LPA with the Office of the Public Guardian (this can take up to 10 weeks).
  • ", + "

    It costs \u00a382 to register an LPA unless you get a reduction or exemption.

    ", + "

    You can cancel your LPA if you no longer need it or want to make a new one.

    ", + "

    Health and welfare lasting power of attorney

    ", + "

    Use this LPA to give an attorney the power to make decisions about things like:

    ", + "
  • your daily routine, for example washing, dressing, eating
  • ", + "
  • medical care
  • ", + "
  • moving into a care home
  • ", + "
  • life-sustaining treatment
  • ", + "

    It can only be used when you\u2019re unable to make your own decisions.

    ", + "

    Property and financial affairs lasting power of attorney

    ", + "

    Use this LPA to give an attorney the power to make decisions about money and property for you, for example:

    ", + "
  • managing a bank or building society account
  • ", + "
  • paying bills
  • ", + "
  • collecting benefits or a pension
  • ", + "
  • selling your home
  • ", + "

    It can be used as soon as it\u2019s registered, with your permission.

    ", + "

    Help deciding if you should make a lasting power of attorney

    ", + "

    Contact the Office of the Public Guardian if you need help.

    ", + "

    Choose your attorney

    ", + "

    You can choose one or more people to be your attorney. If you appoint more than one, you must decide whether they\u2019ll make decisions separately or together.

    ", + "

    Who can be your attorney

    ", + "

    Your attorney needs to be 18 or over. They could be:

    ", + "
  • a relative
  • ", + "
  • a friend
  • ", + "
  • a professional, for example a solicitor
  • ", + "
  • your husband, wife or partner
  • ", + "

    You must appoint someone who has the mental capacity to make their own decisions.

    ", + "

    Your attorney does not need to live in the UK or be a British citizen.

    ", + "

    When choosing an attorney, think about:

    ", + "
  • how well they look after their own affairs, for example their finances
  • ", + "
  • how well you know them
  • ", + "
  • if you trust them to make decisions in your best interests
  • ", + "
  • how happy they will be to make decisions for you
  • ", + "

    Read about an attorney\u2019s responsibilities to help you with your decision.

    ", + "

    You cannot choose someone who is subject to a Debt Relief Order or is bankrupt if you\u2019re making a lasting power of attorney (LPA) for property and financial affairs.

    ", + "

    If there\u2019s more than one attorney

    ", + "

    If you\u2019re appointing more than one person, you must decide if they\u2019ll make decisions:

    ", + "
  • separately or together - sometimes called \u2018jointly and severally\u2019 - which means attorneys can make decisions on their own or with other attorneys
  • ", + "
  • together - sometimes called \u2018jointly\u2019 - which means all the attorneys have to agree on the decision
  • ", + "

    You can also choose to let them make some decisions \u2018jointly\u2019, and others \u2018jointly and severally\u2019.

    ", + "

    Attorneys who are appointed jointly must all agree or they cannot make the decision.

    ", + "

    Replacement attorneys

    ", + "

    When you make your LPA you can nominate other people to replace your attorney or attorneys if at some point they cannot act on your behalf anymore.

    ", + "

    Make a lasting power of attorney

    ", + "

    You can make a lasting power of attorney (LPA) online or using paper forms.

    ", + "

    Either way, you need to get other people to sign the forms, including the attorneys and witnesses.

    ", + "

    You can get someone else to use the online service or fill in the paper forms for you, for example a family member, friend or solicitor.

    ", + "

    You must register your LPA or your attorney will not be able to make decisions for you.

    ", + "

    It might take longer to make and register an LPA because of coronavirus (COVID-19). It will be quicker if you make it and pay online.

    ", + "

    Make an LPA online

    ", + "

    Create an account to start your LPA.

    ", + "

    You can:

    ", + "
  • get help and guidance at each step
  • ", + "
  • save your forms and complete them later
  • ", + "
  • review your answers and fix any mistakes
  • ", + "

    You need to print out the forms and sign them when you\u2019ve finished.

    ", + "

    Sign in to your account

    ", + "

    Sign in to continue making your LPA.

    ", + "

    Use the paper forms

    ", + "

    Download the forms and print them out.

    ", + "

    Signing the forms

    ", + "

    You need to sign the forms before you send them off. They also need to be signed by:

    ", + "
  • the attorneys
  • ", + "
  • witnesses
  • ", + "
  • a \u2018certificate provider\u2019, who confirms you\u2019re making the LPA by choice and you understand what you\u2019re doing
  • ", + "

    Everyone must sign the same original document. They cannot sign copies or use digital signatures.

    ", + "

    Who can be a witness or certificate provider

    ", + "

    Witnesses and certificate providers must be 18 or over.

    ", + "

    Attorneys can witness each other sign, but they cannot:

    ", + "
  • witness you sign
  • ", + "
  • sign as the certificate provider
  • ", + "

    You cannot be a witness if you\u2019re the person appointing an attorney.

    ", + "

    Get help

    ", + "

    Ask the Office of the Public Guardian about help you can get if you:

    ", + "
  • do not have a computer or printer
  • ", + "
  • want to use the online service but need some help
  • ", + "

    Register a lasting power of attorney

    ", + "

    When you\u2019ve made your lasting power of attorney (LPA), you need to register it with the Office of the Public Guardian (OPG).

    ", + "

    It takes up to 15 weeks to register an LPA if there are no mistakes in the application.

    ", + "

    You can apply to register your LPA yourself if you\u2019re able to make your own decisions.

    ", + "

    Your attorney can also register it for you. You\u2019ll be told if they do and you can object to the registration.

    ", + "

    Notify people

    ", + "

    Before you register, send a form to notify people (LP3) to all the \u2018people to notify\u2019 (also called \u2018people to be told\u2019) you listed in the LPA.

    ", + "

    They\u2019ll have 3 weeks to raise any concerns with OPG.

    ", + "

    If you\u2019re using the online service to make an LPA, it will create and fill in the LP3 forms for you.

    ", + "

    How to register

    ", + "

    Apply to register as soon as you\u2019ve sent forms to notify people.

    ", + "

    To register, you need to sign your completed LPA form and send it to OPG.

    ", + "

    If you create your LPA form using the online service, you will need to print it out to do this.

    ", + "

    The address is also on the form. Make sure you include the original LPA form and the fee.

    ", + "

    You can send a certified copy if you do not have the original form. Write a covering letter to explain why you do not have the original.

    ", + "

    If you made your LPA with an older paper form

    ", + "

    You can register by filling in form LP2 if you made your LPA:

    ", + "
  • on forms LPA114 or LPA117 before 1 January 2016
  • ", + "
  • on forms LP PA or LP PW before 1 April 2011
  • ", + "

    Otherwise you\u2019ll need to make a new LPA.

    ", + "

    How much it costs

    ", + "

    It costs \u00a382 to register each LPA unless you get a reduction or exemption.

    ", + "

    This means it costs \u00a3164 to register both a property and financial affairs LPA and a health and welfare LPA.

    ", + "

    You can pay by:

    ", + "
  • credit or debit card
  • ", + "
  • cheque
  • ", + "

    Make your cheque payable to \u2018Office of the Public Guardian\u2019 and write your name on the back. Send it to OPG with your forms.

    ", + "

    If you make a mistake on your form

    ", + "

    Depending on the type of mistake, OPG may let you correct it and apply again within 3 months for \u00a341.

    ", + "

    Get a reduction or exemption

    ", + "

    You can apply for a reduction if you earn less than \u00a312,000. You might also be able to apply for an exemption if you\u2019re on certain benefits, such as Income Support.

    ", + "

    Download and fill in the application form. The form has more information about eligibility.

    ", + "

    Certify a copy of a lasting power of attorney

    ", + "

    You can confirm that a copy of your lasting power of attorney (LPA) is genuine by \u2018certifying\u2019 it if you\u2019re still able to make your own decisions.

    ", + "

    You or your attorney can use a certified copy to register your LPA if you do not have the original form.

    ", + "

    Your attorney can also use the certified copy to prove they have permission to make decisions on your behalf, for example to manage your bank account.

    ", + "

    How to certify a copy

    ", + "

    Write the following text on the bottom of every page of the copy:

    ", + "

    \u201cI certify this is a true and complete copy of the corresponding page of the original lasting power of attorney.\u201d

    ", + "

    On the final page of the copy, you must also write:

    ", + "

    \u201cI certify this is a true and complete copy of the lasting power of attorney.\u201d

    ", + "

    You need to sign and date every page.

    ", + "

    Other ways to certify a copy

    ", + "

    Copies of your LPA can also be certified by:

    ", + "
  • a solicitor
  • ", + "
  • a person authorised to carry out notarial activities
  • ", + "

    Change your lasting power of attorney

    ", + "

    You can ask the Office of the Public Guardian (OPG) to change your lasting power of attorney (LPA) if it\u2019s been registered and you still have mental capacity to make decisions.

    ", + "

    If you want to remove one of your attorneys

    ", + "

    You will need to send OPG a written statement called a \u2018partial deed of revocation\u2019.

    ", + "

    If you want to add another attorney you need to end your LPA and make a new one.

    ", + "

    Use the following wording. Replace the words in the square brackets with the relevant details.

    ", + "

    Partial deed of revocation

    ", + "

    \u201cThis partial deed of revocation is made by [donor\u2019s name] of [donor\u2019s address].

    ", + "

    1: I granted a lasting power of attorney for property and financial affairs/health and welfare [delete as appropriate] on [date donor signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).

    ", + "

    2: I hereby revoke [attorney\u2019s name that you are revoking] ONLY from the lasting power of attorney and the authority granted to him/her.

    ", + "

    Signed and delivered as a deed [donor\u2019s signature]\nDate signed [date] \nWitnessed by [signature of witness] \nFull name of witness [name of witness] \nAddress of witness [address of witness]\u201d

    ", + "

    Where to send a partial deed of revocation

    ", + "

    Send the partial deed of revocation to the Office of the Public Guardian (OPG) with the original LPA document. You must also tell your attorney or attorneys that you\u2019re ending your LPA.

    ", + "

    If your attorney\u2019s details change

    ", + "

    You must write to OPG if one of your attorneys has changed their:

    ", + "
  • name - by marriage or deed poll
  • ", + "
  • address
  • ", + "

    You need to provide supporting documents, such as the original marriage certificate, with their new name and address.

    ", + "

    Do not make changes to your LPA document itself, as it might become invalid. You must contact OPG to make changes to your LPA.

    ", + "

    If one of your attorneys dies

    ", + "

    You must tell OPG and send them:

    ", + "
  • a copy of their death certificate
  • ", + "
  • the original LPA
  • ", + "
  • all certified copies of the LPA
  • ", + "
  • a return address where your documents can be sent back to
  • ", + "

    End your lasting power of attorney

    ", + "

    You can end your lasting power of attorney (LPA) yourself - if you have mental capacity to make that decision.

    ", + "

    You need to send the Office of the Public Guardian (OPG) both:

    ", + "
  • the original LPA
  • ", + "
  • a written statement called a \u2018deed of revocation\u2019
  • ", + "

    Use the following wording for the deed of revocation. Replace the words in the square brackets with the relevant details.

    ", + "

    Deed of revocation

    ", + "

    \u201cThis deed of revocation is made by [your name] of [your address].

    ", + "

    1: I granted a lasting power of attorney for property and financial affairs/health and welfare (delete as appropriate) on [date you signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).

    ", + "

    2: I revoke the lasting power of attorney and the authority granted by it.

    ", + "

    Signed and delivered as a deed [your signature]\nDate signed [date]\nWitnessed by [signature of witness]\nFull name of witness [name of witness]\nAddress of witness [address of witness]\u201d

    ", + "

    You must be able to make your own decisions when you end your LPA.

    ", + "

    You can also complain if you have concerns about your attorney, for example if they\u2019re not carrying out their responsibilities properly.

    ", + "

    Other ways a lasting power of attorney can end

    ", + "

    Your LPA may end if your attorney:

    ", + "
  • loses the ability to make decisions - \u2018loses mental capacity\u2019
  • ", + "
  • divorces you or ends your civil partnership if they\u2019re your husband, wife or partner
  • ", + "
  • becomes bankrupt or they\u2019re subject to a Debt Relief Order (DRO) - if they\u2019re a property and financial affairs attorney
  • ", + "
  • is removed by the Court of Protection
  • ", + "
  • dies
  • ", + "

    If your only attorney dies

    ", + "

    Your LPA will end if your attorney dies and you have no replacement attorneys. You must tell OPG and send them:

    ", + "
  • a copy of their death certificate
  • ", + "
  • the original LPA
  • ", + "
  • all certified copies of the LPA
  • ", + "
  • a return address where your documents can be sent back to
  • ", + "

    Your LPA can continue if:

    ", + "
  • there are other attorneys who can act \u2018jointly and severally\u2019 - but not if they are only allowed to act \u2018jointly\u2019
  • ", + "
  • there are replacement attorneys
  • ", + "

    If you die

    ", + "

    Your LPA will end automatically when you die. Your affairs will be looked after by your executors or personal representatives from that point, not your attorney.

    " + ] + }, + "https://www.gov.uk/manage-missing-persons-finances": { + "url": "https://www.gov.uk/manage-missing-persons-finances", + "title": "Manage a missing person's finances and property", + "content": "## Overview\n\nYou can apply to be a guardian and manage the finances or property of someone who:\n\n- is missing\n\n- is in prison abroad and cannot communicate\n\n- has been taken hostage or kidnapped\n\nThe person must be missing from home and their usual activities.\n\nOne of the following must also apply:\n\n- you do not know where they are\n\n- they cannot contact you to let you know their decisions\n\nYou must apply to the High Court for a guardianship order.\n\nYou can apply when the person has been missing for the previous 90 days. You can apply earlier if it\u2019s urgent, for example the person\u2019s house is being repossessed.\n\nThe Office of the Public Guardian will supervise you while you are acting as a guardian. You\u2019ll need to keep records of the activities you carry out and decisions you make.\n\nYou must send reports to the Office of the Public Guardian when they ask you for them. They will tell you when it\u2019s time to send your report.\n\nThe Office of the Public Guardian might visit you.\n\n## Who can apply\n\nYou can apply if you\u2019re the missing person\u2019s:\n\n- husband, wife or civil partner\n\n- parent\n\n- child\n\n- brother or sister\n\n- guardian already and you\u2019re renewing the order\n\nYou can also apply if you can give the court evidence that you have a \u2018sufficient interest\u2019 in the person\u2019s finances or property. This might be, for example, because:\n\n- you have been in a relationship for a long time with the person and you live with them\n\n- the person is your business partner and you need to continue to run the business\n\n- you are the person\u2019s step-parent, step-sibling or step-child\n\nThe longer you\u2019ve known the person and the better you know them, the easier it will be for you to convince the court that you have \u2018sufficient interest\u2019.\n\nYou must be over 18 to apply.\n\n## Apply to be a guardian\n\nYou can make a claim yourself or use a legal representative.\n\n## Fill in the form\n\nDownload and fill in a part 8 claim form.\n\nInclude:\n\n- your name and address (under \u2018claimant\u2019)\n\n- the missing person\u2019s name (under \u2018defendant\u2019)\n\n- your relationship to the missing person\n\n- the last known address of the person\n\n- when the person went missing\n\n- how long the person has been missing\n\nIf you\u2019re applying with other people, complete one form with everyone\u2019s details in it.\n\nYou\u2019ll need to write a witness statement to help the court decide if you\u2019re a suitable guardian.\n\n## Witness statement\n\nConfirm that the missing person normally lives in England or Wales.\n\nIf you\u2019re not the person\u2019s husband, wife, civil partner, parent, child, brother or sister, explain why you\u2019re interested in the person\u2019s property or financial affairs.\n\nIf it\u2019s less than 90 days since the person went missing, explain you need the guardianship order urgently, for example, because the person is going to lose their house.\n\nIn the statement, include:\n\n- the person\u2019s usual day-to-day activities and when they stopped doing them\n\n- evidence that the person has been missing for at least the last 90 days\n\n- information about the property and finances of the person\n\n- what you know about their disappearance and where they might be\n\n- details of any police investigation or report\n\n- the names and addresses of the missing person\u2019s family, if they have any\n\n- the proposed news advert\n\n- whether you\u2019ve been convicted of a criminal offence\n\n- whether you\u2019ve been refused credit\n\n- whether you\u2019ve ever been bankrupt\n\n- whether you\u2019ve run a company that became insolvent or went bankrupt\n\n- confirmation that you believe the facts in the document are true and accurate (a \u2018truth statement\u2019)\n\n## Send the form to the High Court\n\nApply to one of the following:\n\n- the Chancery Division of the High Court - if there are complicated issues with a property or trust\n\n- the Family Division of the High Court - if it\u2019s likely that family disagreements and issues will happen\n\n- Your local High Court District Registry\n\nThe High Court can transfer your hearing from one division to another. This will not change what you have to pay.\n\nSend one identical copy for each person you need to tell, plus a copy for the court.\n\n- the form and witness statement\n\n- any documents you have as supporting evidence, for example police reports\n\n- a cheque for the court fee, made payable to \u2018HM Courts and Tribunals Service\u2019\n\nFind your local High Court District Registry.\n\nAfter you apply you\u2019ll need to advertise your claim in a newspaper. The High Court will ask you to go to a hearing.\n\n## How much it costs\n\nYou must pay either:\n\n- a \u00a3528 application fee if you apply to the Chancery Division of the High Court\n\n- a \u00a3245 application fee if you apply to the Family Division of the High Court\n\nSend a cheque for HM Courts and Tribunals with your application.\n\nYou might also have to pay a security bond.\n\nOnce you\u2019re appointed as a guardian you must pay:\n\n- a \u00a3200 set up fee\n\n- a \u00a3320 supervision fee every year of your guardianship\n\nThe Office of the Public Guardian will tell you how and when to pay your set up and supervision fees.\n\nIf you want to get the money back for the fees from the missing person\u2019s account, ask the court to give you permission in the guardianship order.\n\n## Pay the security bond\n\nYou might have to pay a security bond before you can use the guardianship order. The High Court will tell you if you need to pay a bond.\n\nIf the guardianship order gives you permission, either:\n\n- pay the bond from the person\u2019s funds\n\n- pay the bond yourself then pay yourself back once you have access to the person\u2019s finances\n\nYou cannot start acting for the person until you\u2019ve paid the security bond.\n\n## Get help with your fees\n\nYou might also be able to get help paying court fees.\n\n## After you've applied\n\nThe court will send copies of your form back to you, with \u2018acknowledgement of service\u2019 forms and a case number. It will keep a copy of the form. The High Court will let you know the hearing date.\n\nThe hearing will take place at least 8 weeks after the High Court sends you the claim forms back.\n\nWhen you have a hearing date from the court, you need to tell other people that you\u2019ve applied before the hearing, in case they object. You must also advertise your claim in a newspaper.\n\n## Tell the person\u2019s family that you\u2019ve applied to be their guardian\n\nYou\u2019ll need to tell the missing person\u2019s:\n\n- husband, wife or civil partner\n\n- parents, brothers and sisters\n\n- children\n\nSend:\n\n- a copy of the claim form\n\n- the acknowledgement of service form that the court has sent you\n\n- copies of the supporting evidence you sent with your application\n\n- a letter telling them the date of the first hearing\n\n## Advertise your claim in the news\n\nYou must advertise your claim within 14 days from the day you get a date for the first court hearing. The advert must appear in a print or online newspaper that covers the missing person\u2019s last known usual address.\n\n## How to write the advert\n\nYou can use this template for the advert. Add your own information where there are square brackets.\n\nIn the High Court of Justice [Family or Chancery] Division\n\nCase number [ ]\n\nIn the matter of an application made under the Guardianship (Missing Persons) Act 2017 for a guardianship order in respect of [insert missing person name].\n\nA claim has been issued in the High Court of Justice, [Family or Chancery] Division, case no. [case number], by [your name] for an order that [your name] be appointed guardian in respect of [missing person] (\u201cthe missing person\u201d), whose last usual place of residence was [missing person\u2019s address].\n\nThe date and venue for the first hearing of the claim application is [date] at [court address]. Any spouse, civil partner, parent, child or sibling of the missing person is entitled to intervene in the matter. Any other person having an interest may apply to the court for permission to intervene in the matter.\n\nIf you wish to give notice of intention to intervene or to apply to the court for permission to intervene, you should do so at [court address] as soon as possible, and no later than 14 days before the date of the first hearing, and serve a copy of that notice or application on the claimant at the address given below. Delay may harm your prospects of obtaining permission to intervene if you are not entitled to intervene, and, in any event, may be taken into account on any question relating to costs.\n\n[your name]\n[Name and address of your legal representative, if you have one]\n[Your address, if you do not have a legal representative]\n\n## Tell the court about the advert\n\nAt least 7 days before the first court hearing, send evidence to the High Court that you advertised the claim. Include the case number the court has sent you. Evidence could be:\n\n- a copy of the printed page\n\n- a working link to a website\n\n- confirmation from the news organisation\n\n## At the hearing\n\nBring any supporting documents you have to the hearing.\n\nAt the hearing, the judge might consider:\n\n- your relationship with the missing person\n\n- the missing person\u2019s opinion of you (for example, if there is evidence in writing from before they disappeared)\n\n- whether you have the right skills and knowledge to be a guardian\n\n- any conflict of interest between you and the missing person\n\nYou might be:\n\n- asked for more information\n\n- told there has to be another hearing\n\nThe court will tell you how to get a court order if someone\u2019s refusing to give you information you need.\n\nThere might be several hearings before the High Court makes a decision. It depends on how complicated the case is.\n\n## If the High Court approves your claim\n\nThe judge might tell you at the hearing that you have been successful, or there could be a short wait before you find out. It depends on how complicated your case is and how much the missing person owns.\n\nOnce the High Court has given you a guardianship order, they will send you several copies of it and a copy to the Office of the Public Guardian.\n\nThe Office of the Public Guardian will register your guardianship and supervise you. You might have to pay a security bond. The High Court will tell you if you do.\n\n## When you\u2019re appointed as a guardian\n\nThe guardianship order will tell you when you can start to make decisions for the person and what kinds of decision you can make.\n\nThe order will also say how long you are guardian for.\n\nContact the High Court if there are mistakes on the order.\n\nYou\u2019ll need apply again to make a decision on anything that\u2019s not covered by the order.\n\n## Let people know you\u2019re a guardian\n\nThe court might give you the right to find out where the person has bank or building society accounts, if you do not know already. You\u2019ll need to write to banks and building societies to find out.\n\nIf the order mentions people or organisations, tell them that you\u2019re the guardian.\n\nSome examples are:\n\n- Department for Work and Pensions\n\n- banks or building societies\n\n- life assurance companies\n\n- the payer of any private pensions\n\n- the solicitor who holds the person\u2019s will or property deeds\n\n- utility providers\n\n- the company where the person has a mortgage\n\nSend:\n\n- the guardianship order\n\n- proof of your name and address\n\n- proof of the name and address of the person you are guardian for\n\nProof of name and address could be a driving licence or utility bill. Check with the organisation:\n\n- what proof of name and address they accept\n\n- whether they\u2019ll accept a photocopy of the guardianship order or only the original\n\nAsk organisations to return your guardianship order when you send it out or you may run out of copies.\n\n## Pay bills and cancel payments\n\nOnce you have access to the person\u2019s accounts and know where their income comes from and their assets, you can make a full list of what\u2019s in their estate so you know what you\u2019re responsible for. If the guardianship order gives you permission, pay any outstanding bills and cancel any payments if they no longer apply.\n\n## Make decisions\n\nThe Office of the Public Guardian will supervise you while you act as a guardian. You\u2019ll need to keep a record of the decisions you make.\n\nThe kinds of decision the guardianship order might let you make include:\n\n- making an investment for the person\n\n- selling some of the person\u2019s assets\n\n- cancelling direct debits\n\nAny decisions you make for someone must be right for them (\u2018in their best interests\u2019).\n\n## Making decisions in someone\u2019s best interests\n\nTake into account:\n\n- what they would have decided if they could\n\n- their feelings and wishes\n\n- their values and beliefs, including moral, political and religious views\n\n- the views of other people who have an interest in the missing person\u2019s property\n\nDo not make assumptions based on their age, gender, ethnic background, sexuality or health.\n\nIt can help to:\n\n- write down what the person has told you is important to them\n\n- look at other things they wrote down or recorded (such as household budgets or home videos)\n\n- speak to friends, family or colleagues who know them well\n\nYou\u2019ll need to send a report to the Office for the Public Guardian explaining what decisions you took.\n\n## Difficult decisions and disagreements\n\nConsult the person\u2019s family and friends. Including everyone in a meeting can help you reach agreement.\n\nIf you cannot agree you can get advice about how to reach agreement from the Office of the Public Guardian.\n\nYou must apply again to the High Court to make a decision not covered by the guardianship order.\n\n## Keeping records, giving gifts and claiming expenses\n\nYou must keep financial records and accounts. Follow the rules for gifts and expenses. You must also record the transactions in your guardianship report.\n\n## Keeping records\n\nKeep a record if you:\n\n- make an investment for the person\n\n- sell the person\u2019s home, car or other valuables\n\n- use the person\u2019s money to buy someone a gift\n\n- ask someone for advice and any disagreements\n\n- close an account\n\n- pay a bill\n\nYou must keep copies of:\n\n- bank statements and receipts\n\n- invoices\n\n- contracts for services or tradespeople\n\n- letters and emails about your activities as a guardian\n\nThe Office of the Public Guardian might ask you to send these in when it reviews your guardian report.\n\n## Giving gifts\n\nYour guardianship order will say if you can buy gifts or give gifts of money on behalf of the person, including donations to charities. It will also say if there\u2019s a limit on what you can spend.\n\nYou must be sure the person can afford the gift.\n\n## Expenses\n\nCheck your guardianship order to find out whether or not you can claim expenses. You can only claim expenses if the order gives you permission and for things you must do to carry out your role as a guardian, for example:\n\n- hiring a professional to do things like fill in the person\u2019s tax return\n\n- travel costs\n\n- stationery\n\n- postage\n\n- phone calls\n\nYou can be ordered to repay the person\u2019s money if you misuse it or make decisions to benefit yourself.\n\nKeep your receipts and invoice the person for your expenses.\n\n## Complete your report\n\nYou must write a report for the Office of the Public Guardian each year explaining the decisions you\u2019ve made as a guardian.\n\nIt must include:\n\n- the reasons for your decisions and why they were in the person\u2019s best interests\n\n- who you spoke to and what they said was in the person\u2019s best interests\n\n- the opening and closing balances and bank statements\n\n- payments and transfers in and out of their accounts\n\n- details of the person\u2019s assets\n\n- any assets you bought or sold\n\nThe Office of the Public Guardian will tell you when to send your report and how to send it.\n\nIf you do not send the report, the Office of the Public Guardian might:\n\n- increase the amount of supervision you get\n\n- ask the court to replace you with a different guardian\n\n## Make a decision that's not covered by the order\n\nYou must apply to the High Court if you need to change your guardianship, for example to make decisions not covered by the original order.\n\n## How to apply\n\nApply to the High Court to change the guardianship order.\n\nDownload and fill in form N244.\n\nInclude your case number and select that you are the \u2018claimant\u2019.\n\n## When the guardianship ends\n\nYour guardianship ends automatically if one of the following things happens:\n\n- your guardianship order expires\n\n- the person dies\n\n- someone makes a declaration of presumed death\n\n- you die\n\n## If the person returns or you decide to step down\n\nYou\u2019ll need to apply to the High Court to end (\u2018revoke\u2019) the guardianship order.\n\nDownload and fill in form N244.\n\nInclude your case number and select that you are the \u2018claimant\u2019.\n\nExplain in the details section that you want to revoke the guardianship because the missing person has returned or you\u2019ve decided to step down.\n\n## Renew your guardianship\n\nThe guardianship order will make you a guardian for a maximum of 4 years.\n\nYou can apply for another guardianship order when it expires. The process is the same as applying for guardianship.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to be a guardian and manage the finances or property of someone who:

    ", + "
  • is missing
  • ", + "
  • is in prison abroad and cannot communicate
  • ", + "
  • has been taken hostage or kidnapped
  • ", + "

    The person must be missing from home and their usual activities.

    ", + "

    One of the following must also apply:

    ", + "
  • you do not know where they are
  • ", + "
  • they cannot contact you to let you know their decisions
  • ", + "

    You must apply to the High Court for a guardianship order.

    ", + "

    You can apply when the person has been missing for the previous 90 days. You can apply earlier if it\u2019s urgent, for example the person\u2019s house is being repossessed.

    ", + "

    The Office of the Public Guardian will supervise you while you are acting as a guardian. You\u2019ll need to keep records of the activities you carry out and decisions you make.

    ", + "

    You must send reports to the Office of the Public Guardian when they ask you for them. They will tell you when it\u2019s time to send your report.

    ", + "

    The Office of the Public Guardian might visit you.

    ", + "

    Who can apply

    ", + "

    You can apply if you\u2019re the missing person\u2019s:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • parent
  • ", + "
  • child
  • ", + "
  • brother or sister
  • ", + "
  • guardian already and you\u2019re renewing the order
  • ", + "

    You can also apply if you can give the court evidence that you have a \u2018sufficient interest\u2019 in the person\u2019s finances or property. This might be, for example, because:

    ", + "
  • you have been in a relationship for a long time with the person and you live with them
  • ", + "
  • the person is your business partner and you need to continue to run the business
  • ", + "
  • you are the person\u2019s step-parent, step-sibling or step-child
  • ", + "

    The longer you\u2019ve known the person and the better you know them, the easier it will be for you to convince the court that you have \u2018sufficient interest\u2019.

    ", + "

    You must be over 18 to apply.

    ", + "

    Apply to be a guardian

    ", + "

    You can make a claim yourself or use a legal representative.

    ", + "

    Fill in the form

    ", + "

    Download and fill in a part 8 claim form.

    ", + "

    Include:

    ", + "
  • your name and address (under \u2018claimant\u2019)
  • ", + "
  • the missing person\u2019s name (under \u2018defendant\u2019)
  • ", + "
  • your relationship to the missing person
  • ", + "
  • the last known address of the person
  • ", + "
  • when the person went missing
  • ", + "
  • how long the person has been missing
  • ", + "

    If you\u2019re applying with other people, complete one form with everyone\u2019s details in it.

    ", + "

    You\u2019ll need to write a witness statement to help the court decide if you\u2019re a suitable guardian.

    ", + "

    Witness statement

    ", + "

    Confirm that the missing person normally lives in England or Wales.

    ", + "

    If you\u2019re not the person\u2019s husband, wife, civil partner, parent, child, brother or sister, explain why you\u2019re interested in the person\u2019s property or financial affairs.

    ", + "

    If it\u2019s less than 90 days since the person went missing, explain you need the guardianship order urgently, for example, because the person is going to lose their house.

    ", + "

    In the statement, include:

    ", + "
  • the person\u2019s usual day-to-day activities and when they stopped doing them
  • ", + "
  • evidence that the person has been missing for at least the last 90 days
  • ", + "
  • information about the property and finances of the person
  • ", + "
  • what you know about their disappearance and where they might be
  • ", + "
  • details of any police investigation or report
  • ", + "
  • the names and addresses of the missing person\u2019s family, if they have any
  • ", + "
  • the proposed news advert
  • ", + "
  • whether you\u2019ve been convicted of a criminal offence
  • ", + "
  • whether you\u2019ve been refused credit
  • ", + "
  • whether you\u2019ve ever been bankrupt
  • ", + "
  • whether you\u2019ve run a company that became insolvent or went bankrupt
  • ", + "
  • confirmation that you believe the facts in the document are true and accurate (a \u2018truth statement\u2019)
  • ", + "

    Send the form to the High Court

    ", + "

    Apply to one of the following:

    ", + "
  • the Chancery Division of the High Court - if there are complicated issues with a property or trust
  • ", + "
  • the Family Division of the High Court - if it\u2019s likely that family disagreements and issues will happen
  • ", + "
  • Your local High Court District Registry
  • ", + "

    The High Court can transfer your hearing from one division to another. This will not change what you have to pay.

    ", + "

    Send one identical copy for each person you need to tell, plus a copy for the court.

    ", + "
  • the form and witness statement
  • ", + "
  • any documents you have as supporting evidence, for example police reports
  • ", + "
  • a cheque for the court fee, made payable to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    Find your local High Court District Registry.

    ", + "

    After you apply you\u2019ll need to advertise your claim in a newspaper. The High Court will ask you to go to a hearing.

    ", + "

    How much it costs

    ", + "

    You must pay either:

    ", + "
  • a \u00a3528 application fee if you apply to the Chancery Division of the High Court
  • ", + "
  • a \u00a3245 application fee if you apply to the Family Division of the High Court
  • ", + "

    Send a cheque for HM Courts and Tribunals with your application.

    ", + "

    You might also have to pay a security bond.

    ", + "

    Once you\u2019re appointed as a guardian you must pay:

    ", + "
  • a \u00a3200 set up fee
  • ", + "
  • a \u00a3320 supervision fee every year of your guardianship
  • ", + "

    The Office of the Public Guardian will tell you how and when to pay your set up and supervision fees.

    ", + "

    If you want to get the money back for the fees from the missing person\u2019s account, ask the court to give you permission in the guardianship order.

    ", + "

    Pay the security bond

    ", + "

    You might have to pay a security bond before you can use the guardianship order. The High Court will tell you if you need to pay a bond.

    ", + "

    If the guardianship order gives you permission, either:

    ", + "
  • pay the bond from the person\u2019s funds
  • ", + "
  • pay the bond yourself then pay yourself back once you have access to the person\u2019s finances
  • ", + "

    You cannot start acting for the person until you\u2019ve paid the security bond.

    ", + "

    Get help with your fees

    ", + "

    You might also be able to get help paying court fees.

    ", + "

    After you've applied

    ", + "

    The court will send copies of your form back to you, with \u2018acknowledgement of service\u2019 forms and a case number. It will keep a copy of the form. The High Court will let you know the hearing date.

    ", + "

    The hearing will take place at least 8 weeks after the High Court sends you the claim forms back.

    ", + "

    When you have a hearing date from the court, you need to tell other people that you\u2019ve applied before the hearing, in case they object. You must also advertise your claim in a newspaper.

    ", + "

    Tell the person\u2019s family that you\u2019ve applied to be their guardian

    ", + "

    You\u2019ll need to tell the missing person\u2019s:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • parents, brothers and sisters
  • ", + "
  • children
  • ", + "

    Send:

    ", + "
  • a copy of the claim form
  • ", + "
  • the acknowledgement of service form that the court has sent you
  • ", + "
  • copies of the supporting evidence you sent with your application
  • ", + "
  • a letter telling them the date of the first hearing
  • ", + "

    Advertise your claim in the news

    ", + "

    You must advertise your claim within 14 days from the day you get a date for the first court hearing. The advert must appear in a print or online newspaper that covers the missing person\u2019s last known usual address.

    ", + "

    How to write the advert

    ", + "

    You can use this template for the advert. Add your own information where there are square brackets.

    ", + "

    In the High Court of Justice [Family or Chancery] Division

    ", + "

    Case number [ ]

    ", + "

    In the matter of an application made under the Guardianship (Missing Persons) Act 2017 for a guardianship order in respect of [insert missing person name].

    ", + "

    A claim has been issued in the High Court of Justice, [Family or Chancery] Division, case no. [case number], by [your name] for an order that [your name] be appointed guardian in respect of [missing person] (\u201cthe missing person\u201d), whose last usual place of residence was [missing person\u2019s address].

    ", + "

    The date and venue for the first hearing of the claim application is [date] at [court address]. Any spouse, civil partner, parent, child or sibling of the missing person is entitled to intervene in the matter. Any other person having an interest may apply to the court for permission to intervene in the matter.

    ", + "

    If you wish to give notice of intention to intervene or to apply to the court for permission to intervene, you should do so at [court address] as soon as possible, and no later than 14 days before the date of the first hearing, and serve a copy of that notice or application on the claimant at the address given below. Delay may harm your prospects of obtaining permission to intervene if you are not entitled to intervene, and, in any event, may be taken into account on any question relating to costs.

    ", + "

    [your name]\n[Name and address of your legal representative, if you have one]\n[Your address, if you do not have a legal representative]

    ", + "

    Tell the court about the advert

    ", + "

    At least 7 days before the first court hearing, send evidence to the High Court that you advertised the claim. Include the case number the court has sent you. Evidence could be:

    ", + "
  • a copy of the printed page
  • ", + "
  • a working link to a website
  • ", + "
  • confirmation from the news organisation
  • ", + "

    At the hearing

    ", + "

    Bring any supporting documents you have to the hearing.

    ", + "

    At the hearing, the judge might consider:

    ", + "
  • your relationship with the missing person
  • ", + "
  • the missing person\u2019s opinion of you (for example, if there is evidence in writing from before they disappeared)
  • ", + "
  • whether you have the right skills and knowledge to be a guardian
  • ", + "
  • any conflict of interest between you and the missing person
  • ", + "

    You might be:

    ", + "
  • asked for more information
  • ", + "
  • told there has to be another hearing
  • ", + "

    The court will tell you how to get a court order if someone\u2019s refusing to give you information you need.

    ", + "

    There might be several hearings before the High Court makes a decision. It depends on how complicated the case is.

    ", + "

    If the High Court approves your claim

    ", + "

    The judge might tell you at the hearing that you have been successful, or there could be a short wait before you find out. It depends on how complicated your case is and how much the missing person owns.

    ", + "

    Once the High Court has given you a guardianship order, they will send you several copies of it and a copy to the Office of the Public Guardian.

    ", + "

    The Office of the Public Guardian will register your guardianship and supervise you. You might have to pay a security bond. The High Court will tell you if you do.

    ", + "

    When you\u2019re appointed as a guardian

    ", + "

    The guardianship order will tell you when you can start to make decisions for the person and what kinds of decision you can make.

    ", + "

    The order will also say how long you are guardian for.

    ", + "

    Contact the High Court if there are mistakes on the order.

    ", + "

    You\u2019ll need apply again to make a decision on anything that\u2019s not covered by the order.

    ", + "

    Let people know you\u2019re a guardian

    ", + "

    The court might give you the right to find out where the person has bank or building society accounts, if you do not know already. You\u2019ll need to write to banks and building societies to find out.

    ", + "

    If the order mentions people or organisations, tell them that you\u2019re the guardian.

    ", + "

    Some examples are:

    ", + "
  • Department for Work and Pensions
  • ", + "
  • banks or building societies
  • ", + "
  • life assurance companies
  • ", + "
  • the payer of any private pensions
  • ", + "
  • the solicitor who holds the person\u2019s will or property deeds
  • ", + "
  • utility providers
  • ", + "
  • the company where the person has a mortgage
  • ", + "

    Send:

    ", + "
  • the guardianship order
  • ", + "
  • proof of your name and address
  • ", + "
  • proof of the name and address of the person you are guardian for
  • ", + "

    Proof of name and address could be a driving licence or utility bill. Check with the organisation:

    ", + "
  • what proof of name and address they accept
  • ", + "
  • whether they\u2019ll accept a photocopy of the guardianship order or only the original
  • ", + "

    Ask organisations to return your guardianship order when you send it out or you may run out of copies.

    ", + "

    Pay bills and cancel payments

    ", + "

    Once you have access to the person\u2019s accounts and know where their income comes from and their assets, you can make a full list of what\u2019s in their estate so you know what you\u2019re responsible for. If the guardianship order gives you permission, pay any outstanding bills and cancel any payments if they no longer apply.

    ", + "

    Make decisions

    ", + "

    The Office of the Public Guardian will supervise you while you act as a guardian. You\u2019ll need to keep a record of the decisions you make.

    ", + "

    The kinds of decision the guardianship order might let you make include:

    ", + "
  • making an investment for the person
  • ", + "
  • selling some of the person\u2019s assets
  • ", + "
  • cancelling direct debits
  • ", + "

    Any decisions you make for someone must be right for them (\u2018in their best interests\u2019).

    ", + "

    Making decisions in someone\u2019s best interests

    ", + "

    Take into account:

    ", + "
  • what they would have decided if they could
  • ", + "
  • their feelings and wishes
  • ", + "
  • their values and beliefs, including moral, political and religious views
  • ", + "
  • the views of other people who have an interest in the missing person\u2019s property
  • ", + "

    Do not make assumptions based on their age, gender, ethnic background, sexuality or health.

    ", + "

    It can help to:

    ", + "
  • write down what the person has told you is important to them
  • ", + "
  • look at other things they wrote down or recorded (such as household budgets or home videos)
  • ", + "
  • speak to friends, family or colleagues who know them well
  • ", + "

    You\u2019ll need to send a report to the Office for the Public Guardian explaining what decisions you took.

    ", + "

    Difficult decisions and disagreements

    ", + "

    Consult the person\u2019s family and friends. Including everyone in a meeting can help you reach agreement.

    ", + "

    If you cannot agree you can get advice about how to reach agreement from the Office of the Public Guardian.

    ", + "

    You must apply again to the High Court to make a decision not covered by the guardianship order.

    ", + "

    Keeping records, giving gifts and claiming expenses

    ", + "

    You must keep financial records and accounts. Follow the rules for gifts and expenses. You must also record the transactions in your guardianship report.

    ", + "

    Keeping records

    ", + "

    Keep a record if you:

    ", + "
  • make an investment for the person
  • ", + "
  • sell the person\u2019s home, car or other valuables
  • ", + "
  • use the person\u2019s money to buy someone a gift
  • ", + "
  • ask someone for advice and any disagreements
  • ", + "
  • close an account
  • ", + "
  • pay a bill
  • ", + "

    You must keep copies of:

    ", + "
  • bank statements and receipts
  • ", + "
  • invoices
  • ", + "
  • contracts for services or tradespeople
  • ", + "
  • letters and emails about your activities as a guardian
  • ", + "

    The Office of the Public Guardian might ask you to send these in when it reviews your guardian report.

    ", + "

    Giving gifts

    ", + "

    Your guardianship order will say if you can buy gifts or give gifts of money on behalf of the person, including donations to charities. It will also say if there\u2019s a limit on what you can spend.

    ", + "

    You must be sure the person can afford the gift.

    ", + "

    Expenses

    ", + "

    Check your guardianship order to find out whether or not you can claim expenses. You can only claim expenses if the order gives you permission and for things you must do to carry out your role as a guardian, for example:

    ", + "
  • hiring a professional to do things like fill in the person\u2019s tax return
  • ", + "
  • travel costs
  • ", + "
  • stationery
  • ", + "
  • postage
  • ", + "
  • phone calls
  • ", + "

    You can be ordered to repay the person\u2019s money if you misuse it or make decisions to benefit yourself.

    ", + "

    Keep your receipts and invoice the person for your expenses.

    ", + "

    Complete your report

    ", + "

    You must write a report for the Office of the Public Guardian each year explaining the decisions you\u2019ve made as a guardian.

    ", + "

    It must include:

    ", + "
  • the reasons for your decisions and why they were in the person\u2019s best interests
  • ", + "
  • who you spoke to and what they said was in the person\u2019s best interests
  • ", + "
  • the opening and closing balances and bank statements
  • ", + "
  • payments and transfers in and out of their accounts
  • ", + "
  • details of the person\u2019s assets
  • ", + "
  • any assets you bought or sold
  • ", + "

    The Office of the Public Guardian will tell you when to send your report and how to send it.

    ", + "

    If you do not send the report, the Office of the Public Guardian might:

    ", + "
  • increase the amount of supervision you get
  • ", + "
  • ask the court to replace you with a different guardian
  • ", + "

    Make a decision that's not covered by the order

    ", + "

    You must apply to the High Court if you need to change your guardianship, for example to make decisions not covered by the original order.

    ", + "

    How to apply

    ", + "

    Apply to the High Court to change the guardianship order.

    ", + "

    Download and fill in form N244.

    ", + "

    Include your case number and select that you are the \u2018claimant\u2019.

    ", + "

    When the guardianship ends

    ", + "

    Your guardianship ends automatically if one of the following things happens:

    ", + "
  • your guardianship order expires
  • ", + "
  • the person dies
  • ", + "
  • someone makes a declaration of presumed death
  • ", + "
  • you die
  • ", + "

    If the person returns or you decide to step down

    ", + "

    You\u2019ll need to apply to the High Court to end (\u2018revoke\u2019) the guardianship order.

    ", + "

    Download and fill in form N244.

    ", + "

    Include your case number and select that you are the \u2018claimant\u2019.

    ", + "

    Explain in the details section that you want to revoke the guardianship because the missing person has returned or you\u2019ve decided to step down.

    ", + "

    Renew your guardianship

    ", + "

    The guardianship order will make you a guardian for a maximum of 4 years.

    ", + "

    You can apply for another guardianship order when it expires. The process is the same as applying for guardianship.

    " + ] + }, + "https://www.gov.uk/how-to-annul-marriage": { + "url": "https://www.gov.uk/how-to-annul-marriage", + "title": "Annul a marriage", + "content": "## When you can annul a marriage\n\nAnnulment (sometimes known as \u2018nullity\u2019) is a different way of ending a marriage.\n\nYou or your spouse must have either:\n\n- lived in England or Wales for at least a year\n\n- had a permanent home in England or Wales for at least 6 months\n\nUnlike divorce, you can apply for annulment in the first year of your marriage or any time after. However, if you apply years after the wedding, you might be asked to explain the delay.\n\nYou\u2019ll need to show that the marriage:\n\n- was never legally valid (\u2018void\u2019)\n\n- was legally valid, but meets one of the reasons that makes it \u2018voidable\u2019\n\n## Your marriage is not legally valid - \u2018void\u2019 marriages\n\nYou can annul a marriage if it was not legally valid in the first place, for example:\n\n- you\u2019re closely related to the person you married\n\n- one or both of you were under 16\n\n- one of you was already married or in a civil partnership\n\nIf a marriage was never legally valid, the law says that it never existed.\n\nHowever, you may need legal paperwork (a \u2018decree of nullity\u2019) to prove this - for example if you want to get married again.\n\n## Your marriage is \u2018voidable\u2019\n\nYou can annul a marriage for a number of reasons, such as:\n\n- it was not consummated - you have not had sexual intercourse with the person you married since the wedding (does not apply for same sex couples)\n\n- you did not properly consent to the marriage - for example you were forced into it\n\n- the other person had a sexually transmitted disease (STD) when you got married\n\n- your spouse was pregnant by someone else when you got married\n\n- one spouse is in the process of transitioning to a different gender\n\nAs with divorce, your marriage legally exists until you annul it using one of these reasons.\n\nThe rules on ending a civil partnership are slightly different, but the court forms are the same.\n\n## Apply for an annulment\n\nYou can apply to have your marriage annulled as soon as you get married. Unlike divorce, you do not have to wait for a year.\n\nTo annul a marriage, fill in a \u2018nullity petition\u2019.\n\nRead the supporting notes before you start.\n\nSend 2 copies of the form to your nearest divorce court, and keep your own copy.\n\nFiling a nullity petition form costs \u00a3550.\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\n## Apply for a decree nisi\n\nThe other person must respond to your nullity petition within 8 days, saying whether they agree the marriage should be annulled.\n\nIf they agree, you can apply for a \u2018decree nisi\u2019. This will confirm that the court does not see any reason why the marriage cannot be annulled.\n\nTo get a decree nisi, fill in the application for decree nisi or conditional order.\n\n## Statement in support of annulment\n\nYou must also fill in a statement confirming that what you said in your nullity petition is true.\n\nUse one of the forms below, depending on whether your marriage is \u2018void\u2019 or \u2018voidable\u2019:\n\n- statement in support of annulment - void marriage\n\n- statement in support of annulment - voidable marriage\n\nSee when you can annul a marriage for the difference between \u2018void\u2019 and \u2018voidable\u2019 marriages.\n\nThe marriage will not be ended yet, you still need to apply for a \u2018decree absolute\u2019.\n\n## Apply for a decree absolute\n\nYou can apply for a decree absolute 6 weeks after you get the decree nisi.\n\nIn these cases, it\u2019s also called a \u2018decree of nullity\u2019. This is the final legal document which says that the marriage has been annulled.\n\nTo apply for a decree of nullity, fill in the notice of application for decree nisi to be made absolute.\n\nThe decree absolute fee is included in the annulment cost.\n\n## When you return your forms\n\nThe court will check if there are any reasons that the marriage cannot be annulled. In most cases, you do not need to go to court for this.\n\nIf the court is happy, it will send you the decree of nullity. This will confirm that you\u2019re no longer married.\n\nIf your marriage was never legally valid (void), the decree will confirm that you were never legally married.", + "original_contents": [ + "

    When you can annul a marriage

    ", + "

    Annulment (sometimes known as \u2018nullity\u2019) is a different way of ending a marriage.

    ", + "

    You or your spouse must have either:

    ", + "
  • lived in England or Wales for at least a year
  • ", + "
  • had a permanent home in England or Wales for at least 6 months
  • ", + "

    Unlike divorce, you can apply for annulment in the first year of your marriage or any time after. However, if you apply years after the wedding, you might be asked to explain the delay.

    ", + "

    You\u2019ll need to show that the marriage:

    ", + "
  • was never legally valid (\u2018void\u2019)
  • ", + "
  • was legally valid, but meets one of the reasons that makes it \u2018voidable\u2019
  • ", + "

    Your marriage is not legally valid - \u2018void\u2019 marriages

    ", + "

    You can annul a marriage if it was not legally valid in the first place, for example:

    ", + "
  • you\u2019re closely related to the person you married
  • ", + "
  • one or both of you were under 16
  • ", + "
  • one of you was already married or in a civil partnership
  • ", + "

    If a marriage was never legally valid, the law says that it never existed.

    ", + "

    However, you may need legal paperwork (a \u2018decree of nullity\u2019) to prove this - for example if you want to get married again.

    ", + "

    Your marriage is \u2018voidable\u2019

    ", + "

    You can annul a marriage for a number of reasons, such as:

    ", + "
  • it was not consummated - you have not had sexual intercourse with the person you married since the wedding (does not apply for same sex couples)
  • ", + "
  • you did not properly consent to the marriage - for example you were forced into it
  • ", + "
  • the other person had a sexually transmitted disease (STD) when you got married
  • ", + "
  • your spouse was pregnant by someone else when you got married
  • ", + "
  • one spouse is in the process of transitioning to a different gender
  • ", + "

    As with divorce, your marriage legally exists until you annul it using one of these reasons.

    ", + "

    The rules on ending a civil partnership are slightly different, but the court forms are the same.

    ", + "

    Apply for an annulment

    ", + "

    You can apply to have your marriage annulled as soon as you get married. Unlike divorce, you do not have to wait for a year.

    ", + "

    To annul a marriage, fill in a \u2018nullity petition\u2019.

    ", + "

    Read the supporting notes before you start.

    ", + "

    Send 2 copies of the form to your nearest divorce court, and keep your own copy.

    ", + "

    Filing a nullity petition form costs \u00a3550.

    ", + "

    You may be able to get help with court fees if you\u2019re on benefits or a low income.

    ", + "

    Apply for a decree nisi

    ", + "

    The other person must respond to your nullity petition within 8 days, saying whether they agree the marriage should be annulled.

    ", + "

    If they agree, you can apply for a \u2018decree nisi\u2019. This will confirm that the court does not see any reason why the marriage cannot be annulled.

    ", + "

    To get a decree nisi, fill in the application for decree nisi or conditional order.

    ", + "

    Statement in support of annulment

    ", + "

    You must also fill in a statement confirming that what you said in your nullity petition is true.

    ", + "

    Use one of the forms below, depending on whether your marriage is \u2018void\u2019 or \u2018voidable\u2019:

    ", + "
  • statement in support of annulment - void marriage
  • ", + "
  • statement in support of annulment - voidable marriage
  • ", + "

    See when you can annul a marriage for the difference between \u2018void\u2019 and \u2018voidable\u2019 marriages.

    ", + "

    The marriage will not be ended yet, you still need to apply for a \u2018decree absolute\u2019.

    ", + "

    Apply for a decree absolute

    ", + "

    You can apply for a decree absolute 6 weeks after you get the decree nisi.

    ", + "

    In these cases, it\u2019s also called a \u2018decree of nullity\u2019. This is the final legal document which says that the marriage has been annulled.

    ", + "

    To apply for a decree of nullity, fill in the notice of application for decree nisi to be made absolute.

    ", + "

    The decree absolute fee is included in the annulment cost.

    ", + "

    When you return your forms

    ", + "

    The court will check if there are any reasons that the marriage cannot be annulled. In most cases, you do not need to go to court for this.

    ", + "

    If the court is happy, it will send you the decree of nullity. This will confirm that you\u2019re no longer married.

    ", + "

    If your marriage was never legally valid (void), the decree will confirm that you were never legally married.

    " + ] + }, + "https://www.gov.uk/money-property-when-relationship-ends": { + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "title": "Money and property when you divorce or separate", + "content": "## Getting a financial agreement\n\nWhen you divorce or end a civil partnership you and your ex-partner need to agree how to separate your finances.\n\nThis includes deciding how you\u2019re going to divide:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nYou might get things like:\n\n- a share of your your partner\u2019s pension - including State Pension or private pension plans\n\n- regular maintenance payments to help with children or living expenses\n\nYou can usually avoid going to court hearings if you agree how to split your money and property.\n\nThe rules are different if you were not married or in a civil partnership. You\u2019ll still have to agree on child maintenance payments for any children.\n\nWhat you can do is different in Scotland and Northern Ireland.\n\n## Making an agreement legally binding\n\nIf you and your ex-partner agree on how to divide money and property, you need to apply for a consent order to make it legally binding.\n\n## Get help agreeing\n\nYou can use a mediator or get other help to resolve issues out of court.\n\n## Get the court to decide\n\nIf you cannot agree on everything, you can ask a court to make a financial order.\n\n## If you agree\n\nIt\u2019s usually more straightforward and less expensive if you agree how to divide your money and property. Get help agreeing.\n\n## Making your agreement legally binding\n\nTo make your agreement legally binding you need to draft a consent order and ask a court to approve it.\n\nIf your agreement is not legally binding, a court cannot enforce it if there are any issues later.\n\nA consent order is a legal document that confirms your agreement. It explains how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\nYou can get legal advice or ask a solicitor to draft a consent order for you.\n\n## When to apply for a consent order\n\nYou can ask the court to approve your consent order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended. This may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to ask the court for approval\n\nYou and your ex-partner have to:\n\n- draft a consent order\n\n- sign the draft consent order - you also need 2 photocopies of the signed original\n\n- fill in a statement of information form\n\nOne of you also needs to fill in a notice of an application for a financial order.\n\nIf you\u2019re ending a civil partnership or legally separating, send the signed forms and copies with the \u00a350 fee to the court dealing with your paperwork. Keep your own copies.\n\nIf you\u2019re divorcing, send the signed forms and copies with the \u00a350 fee to:\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\nThere\u2019s usually no court hearing. A judge will approve your consent order to make it legally binding if they think it\u2019s fair.\n\nIf they do not think it\u2019s fair, they can ask you to change it.\n\n## How much it costs\n\nThe court fee is \u00a350.\n\nSolicitor fees vary depending on their experience and location. They usually charge per hour.\n\n## Get help agreeing\n\nA mediator can help you and your ex-partner agree on how to split money and property, without taking sides.\n\nMediation is not relationship counselling. It can help you agree on how you\u2019ll divide your assets, including:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nMediation can be quicker and cheaper than asking a court to decide for you.\n\nYou need to attend a mediation information assessment meeting (MIAM) before you start mediation.\n\nFind a local mediator.\n\nThe mediator can decide mediation is not right for you (for example, if there\u2019s been domestic abuse and you need to go to court instead).\n\n## How much it costs\n\nA MIAM is usually about \u00a330. If you need more mediation sessions they cost more and fees vary depending on where you live.\n\nCheck if you can get legal aid for mediation.\n\n## Making your agreement legally binding\n\nAt the end of mediation you\u2019ll get a document showing what you agreed. This agreement is not legally binding.\n\nIf you want a legally binding agreement you need to draft a consent order and get a court to approve it. The consent order can be based on what you agreed in mediation.\n\n## If you need more help agreeing\n\nYou can:\n\n- ask a legal adviser about other ways to resolve issues out of court (such as family arbitration or collaborative law)\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- work out your finances with a divorce and separation calculator\n\n## If you do not agree on everything\n\nYou can ask a court to decide on anything you have not agreed on.\n\n## Get the court to decide\n\nIf you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).\n\nThis means the court will decide how assets will be split. Getting the court to decide usually takes longer and is more expensive than if you and your ex-partner agree.\n\nYou must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).\n\nA financial order will describe how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\n## When to apply for a financial order\n\nYou can ask a court to make a financial order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended but it may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to apply\n\nYou need to apply for a financial order.\n\nSend 2 copies of the form to the court dealing with paperwork in your area to divorce or end your civil partnership. Keep a copy for yourself.\n\nYou can hire a solicitor to help you apply for a financial order from the court.\n\n## After you apply\n\nThere are three stages:\n\n- the first appointment - a short hearing with the judge to discuss your application\n\n- financial dispute resolution (FDR) appointment - to help you agree without needing a final hearing (you might need more than one appointment)\n\n- final hearing - if you\u2019re not able to agree, this is when a judge will decide how you must separate your finances\n\nThe court will send you and your ex-partner details when the first appointment will be. This is usually 12 to 14 weeks after you apply.\n\n## Before the first appointment\n\nYou and your ex-partner need to fill in a financial statement for a financial order (Form E) to show a breakdown of your property and debts. This includes giving an estimate of your future living costs.\n\nYou\u2019ll also need to collect documents about your finances, for example:\n\n- rental or mortgage agreements\n\n- pension documents\n\n- loan agreements\n\n- proof of your salary income, for example P60 or recent pay slips\n\n- details of personal belongings worth more than \u00a3500, for example a car or house contents\n\n## How long it takes\n\nIt depends on:\n\n- how many financial dispute resolution appointments you need\n\n- if you need a final hearing\n\nThere can be several months between the appointments.\n\n## How the court decides\n\nIf you cannot agree, a judge will decide how assets will be split. They\u2019ll base their decision on how long you\u2019ve been married or in a civil partnership, as well as your:\n\n- age\n\n- ability to earn\n\n- property and money\n\n- living expenses\n\n- standard of living\n\n- financial needs and responsibilities\n\n- role in looking after the family, for example if you were the main earner or caring for the family or home\n\n- disability or health condition, if you have any\n\nThe judge will decide on the fairest way to divide the assets if there\u2019s enough to meet everyone\u2019s needs. They will make arrangements for any children first - especially their housing arrangements and child maintenance. The reason for the divorce or dissolution is not taken into account.\n\nThe judge will usually try to arrange a \u2018clean break\u2019, so everything is shared out, and you no longer have any financial ties to one another.\n\n## How much it costs\n\nThe court fee is \u00a3255.\n\nSolicitor fees vary depending on their experience and where you live. They usually charge by the hour. How much you pay in total depends on how many financial dispute resolution appointments you need and if there will be a final hearing.\n\nYou can get legal aid to help with court costs in certain situations, for example if you\u2019re separating from an abusive partner.\n\n## Further help and advice\n\nYou can:\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- find out more about how to apply for a financial order\n\n## Maintenance payments\n\nThe court sometimes tells the person with the higher income to make regular maintenance payments to help with the other person\u2019s living costs.\n\nThis is called a \u2018maintenance order\u2019.\n\nA maintenance payment can be set for:\n\n- a limited period of time\n\n- until one of you dies, marries or enters into a new civil partnership\n\nThe payment can also be changed if one of you loses your job or gets much better paid work.\n\n## Child maintenance\n\nThe court can also decide on child maintenance, but this is often arranged by the Child Maintenance Service.\n\nRead more about making arrangements to look after children when you divorce or separate.\n\n## Tax when transferring assets\n\nYou do not usually have to pay Capital Gains Tax if you give, or otherwise \u2018dispose of\u2019, assets to your husband, wife or civil partner before you finalise the divorce or civil partnership.\n\nAssets include shares, certain personal possessions and property. You usually do not have to pay tax if you transfer or sell your main home.\n\n## If you transfer an asset when you\u2019re separated\n\nIf you lived together at any point in the tax year that you transferred the asset, the normal rules for spouses and civil partners apply.\n\nOtherwise you may have to pay Capital Gains Tax. You\u2019ll need to get a valuation of the asset on the date of transfer, and use it to work out the gain or loss.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you transfer an asset after you\u2019ve divorced or dissolved your civil partnership\n\nYou may have to pay Capital Gains Tax on assets you transfer after your relationship has legally ended.\n\nThe rules for working out your gain or loss are complex. Contact HM Revenue and Customs (HMRC) or get professional tax help, such as an accountant or tax adviser. You\u2019ll need to tell them the date of:\n\n- the decree absolute or dissolution\n\n- any court order, if assets were transferred this way\n\n- any other contract showing the transfer of assets", + "original_contents": [ + "

    Getting a financial agreement

    ", + "

    When you divorce or end a civil partnership you and your ex-partner need to agree how to separate your finances.

    ", + "

    This includes deciding how you\u2019re going to divide:

    ", + "
  • pensions
  • ", + "
  • property
  • ", + "
  • savings
  • ", + "
  • investments
  • ", + "

    You might get things like:

    ", + "
  • a share of your your partner\u2019s pension - including State Pension or private pension plans
  • ", + "
  • regular maintenance payments to help with children or living expenses
  • ", + "

    You can usually avoid going to court hearings if you agree how to split your money and property.

    ", + "

    The rules are different if you were not married or in a civil partnership. You\u2019ll still have to agree on child maintenance payments for any children.

    ", + "

    What you can do is different in Scotland and Northern Ireland.

    ", + "

    Making an agreement legally binding

    ", + "

    If you and your ex-partner agree on how to divide money and property, you need to apply for a consent order to make it legally binding.

    ", + "

    Get help agreeing

    ", + "

    You can use a mediator or get other help to resolve issues out of court.

    ", + "

    Get the court to decide

    ", + "

    If you cannot agree on everything, you can ask a court to make a financial order.

    ", + "

    If you agree

    ", + "

    It\u2019s usually more straightforward and less expensive if you agree how to divide your money and property. Get help agreeing.

    ", + "

    Making your agreement legally binding

    ", + "

    To make your agreement legally binding you need to draft a consent order and ask a court to approve it.

    ", + "

    If your agreement is not legally binding, a court cannot enforce it if there are any issues later.

    ", + "

    A consent order is a legal document that confirms your agreement. It explains how you\u2019re going to divide up assets like:

    ", + "
  • pensions
  • ", + "
  • property
  • ", + "
  • savings
  • ", + "
  • investments
  • ", + "

    It can also include arrangements for maintenance payments, including child maintenance.

    ", + "

    You can get legal advice or ask a solicitor to draft a consent order for you.

    ", + "

    When to apply for a consent order

    ", + "

    You can ask the court to approve your consent order if you\u2019ve started the paperwork to divorce or end your civil partnership.

    ", + "

    It is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.

    ", + "

    The final legal document is the:

    ", + "
  • decree absolute if you\u2019re divorcing
  • ", + "
  • final order if you\u2019re ending a civil partnership
  • ", + "

    You can divide money and property after your divorce is finalised or civil partnership has ended. This may change what you\u2019re entitled to get and you may have to pay tax on it.

    ", + "

    How to ask the court for approval

    ", + "

    You and your ex-partner have to:

    ", + "
  • draft a consent order
  • ", + "
  • sign the draft consent order - you also need 2 photocopies of the signed original
  • ", + "
  • fill in a statement of information form
  • ", + "

    One of you also needs to fill in a notice of an application for a financial order.

    ", + "

    If you\u2019re ending a civil partnership or legally separating, send the signed forms and copies with the \u00a350 fee to the court dealing with your paperwork. Keep your own copies.

    ", + "

    If you\u2019re divorcing, send the signed forms and copies with the \u00a350 fee to:

    ", + "

    You may be able to get help with court fees if you\u2019re on benefits or a low income.

    ", + "

    There\u2019s usually no court hearing. A judge will approve your consent order to make it legally binding if they think it\u2019s fair.

    ", + "

    If they do not think it\u2019s fair, they can ask you to change it.

    ", + "

    How much it costs

    ", + "

    The court fee is \u00a350.

    ", + "

    Solicitor fees vary depending on their experience and location. They usually charge per hour.

    ", + "

    Get help agreeing

    ", + "

    A mediator can help you and your ex-partner agree on how to split money and property, without taking sides.

    ", + "

    Mediation is not relationship counselling. It can help you agree on how you\u2019ll divide your assets, including:

    ", + "
  • pensions
  • ", + "
  • property
  • ", + "
  • savings
  • ", + "
  • investments
  • ", + "

    Mediation can be quicker and cheaper than asking a court to decide for you.

    ", + "

    You need to attend a mediation information assessment meeting (MIAM) before you start mediation.

    ", + "

    Find a local mediator.

    ", + "

    The mediator can decide mediation is not right for you (for example, if there\u2019s been domestic abuse and you need to go to court instead).

    ", + "

    How much it costs

    ", + "

    A MIAM is usually about \u00a330. If you need more mediation sessions they cost more and fees vary depending on where you live.

    ", + "

    Check if you can get legal aid for mediation.

    ", + "

    Making your agreement legally binding

    ", + "

    At the end of mediation you\u2019ll get a document showing what you agreed. This agreement is not legally binding.

    ", + "

    If you want a legally binding agreement you need to draft a consent order and get a court to approve it. The consent order can be based on what you agreed in mediation.

    ", + "

    If you need more help agreeing

    ", + "

    You can:

    ", + "
  • ask a legal adviser about other ways to resolve issues out of court (such as family arbitration or collaborative law)
  • ", + "
  • get information and advice from Citizens Advice
  • ", + "
  • read guidance to help you sort out finances when you get divorced
  • ", + "
  • work out your finances with a divorce and separation calculator
  • ", + "

    If you do not agree on everything

    ", + "

    You can ask a court to decide on anything you have not agreed on.

    ", + "

    Get the court to decide

    ", + "

    If you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).

    ", + "

    This means the court will decide how assets will be split. Getting the court to decide usually takes longer and is more expensive than if you and your ex-partner agree.

    ", + "

    You must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).

    ", + "

    A financial order will describe how you\u2019re going to divide up assets like:

    ", + "
  • pensions
  • ", + "
  • property
  • ", + "
  • savings
  • ", + "
  • investments
  • ", + "

    It can also include arrangements for maintenance payments, including child maintenance.

    ", + "

    When to apply for a financial order

    ", + "

    You can ask a court to make a financial order if you\u2019ve started the paperwork to divorce or end your civil partnership.

    ", + "

    It is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.

    ", + "

    The final legal document is the:

    ", + "
  • decree absolute if you\u2019re divorcing
  • ", + "
  • final order if you\u2019re ending a civil partnership
  • ", + "

    You can divide money and property after your divorce is finalised or civil partnership has ended but it may change what you\u2019re entitled to get and you may have to pay tax on it.

    ", + "

    How to apply

    ", + "

    You need to apply for a financial order.

    ", + "

    Send 2 copies of the form to the court dealing with paperwork in your area to divorce or end your civil partnership. Keep a copy for yourself.

    ", + "

    You can hire a solicitor to help you apply for a financial order from the court.

    ", + "

    After you apply

    ", + "

    There are three stages:

    ", + "
  • the first appointment - a short hearing with the judge to discuss your application
  • ", + "
  • financial dispute resolution (FDR) appointment - to help you agree without needing a final hearing (you might need more than one appointment)
  • ", + "
  • final hearing - if you\u2019re not able to agree, this is when a judge will decide how you must separate your finances
  • ", + "

    The court will send you and your ex-partner details when the first appointment will be. This is usually 12 to 14 weeks after you apply.

    ", + "

    Before the first appointment

    ", + "

    You and your ex-partner need to fill in a financial statement for a financial order (Form E) to show a breakdown of your property and debts. This includes giving an estimate of your future living costs.

    ", + "

    You\u2019ll also need to collect documents about your finances, for example:

    ", + "
  • rental or mortgage agreements
  • ", + "
  • pension documents
  • ", + "
  • loan agreements
  • ", + "
  • proof of your salary income, for example P60 or recent pay slips
  • ", + "
  • details of personal belongings worth more than \u00a3500, for example a car or house contents
  • ", + "

    How long it takes

    ", + "

    It depends on:

    ", + "
  • how many financial dispute resolution appointments you need
  • ", + "
  • if you need a final hearing
  • ", + "

    There can be several months between the appointments.

    ", + "

    How the court decides

    ", + "

    If you cannot agree, a judge will decide how assets will be split. They\u2019ll base their decision on how long you\u2019ve been married or in a civil partnership, as well as your:

    ", + "
  • age
  • ", + "
  • ability to earn
  • ", + "
  • property and money
  • ", + "
  • living expenses
  • ", + "
  • standard of living
  • ", + "
  • financial needs and responsibilities
  • ", + "
  • role in looking after the family, for example if you were the main earner or caring for the family or home
  • ", + "
  • disability or health condition, if you have any
  • ", + "

    The judge will decide on the fairest way to divide the assets if there\u2019s enough to meet everyone\u2019s needs. They will make arrangements for any children first - especially their housing arrangements and child maintenance. The reason for the divorce or dissolution is not taken into account.

    ", + "

    The judge will usually try to arrange a \u2018clean break\u2019, so everything is shared out, and you no longer have any financial ties to one another.

    ", + "

    How much it costs

    ", + "

    The court fee is \u00a3255.

    ", + "

    Solicitor fees vary depending on their experience and where you live. They usually charge by the hour. How much you pay in total depends on how many financial dispute resolution appointments you need and if there will be a final hearing.

    ", + "

    You can get legal aid to help with court costs in certain situations, for example if you\u2019re separating from an abusive partner.

    ", + "

    Further help and advice

    ", + "

    You can:

    ", + "
  • get information and advice from Citizens Advice
  • ", + "
  • read guidance to help you sort out finances when you get divorced
  • ", + "
  • find out more about how to apply for a financial order
  • ", + "

    Maintenance payments

    ", + "

    The court sometimes tells the person with the higher income to make regular maintenance payments to help with the other person\u2019s living costs.

    ", + "

    This is called a \u2018maintenance order\u2019.

    ", + "

    A maintenance payment can be set for:

    ", + "
  • a limited period of time
  • ", + "
  • until one of you dies, marries or enters into a new civil partnership
  • ", + "

    The payment can also be changed if one of you loses your job or gets much better paid work.

    ", + "

    Child maintenance

    ", + "

    The court can also decide on child maintenance, but this is often arranged by the Child Maintenance Service.

    ", + "

    Read more about making arrangements to look after children when you divorce or separate.

    ", + "

    Tax when transferring assets

    ", + "

    You do not usually have to pay Capital Gains Tax if you give, or otherwise \u2018dispose of\u2019, assets to your husband, wife or civil partner before you finalise the divorce or civil partnership.

    ", + "

    Assets include shares, certain personal possessions and property. You usually do not have to pay tax if you transfer or sell your main home.

    ", + "

    If you transfer an asset when you\u2019re separated

    ", + "

    If you lived together at any point in the tax year that you transferred the asset, the normal rules for spouses and civil partners apply.

    ", + "

    Otherwise you may have to pay Capital Gains Tax. You\u2019ll need to get a valuation of the asset on the date of transfer, and use it to work out the gain or loss.

    ", + "

    The tax year is from 6 April to 5 April the following year.

    ", + "

    If you transfer an asset after you\u2019ve divorced or dissolved your civil partnership

    ", + "

    You may have to pay Capital Gains Tax on assets you transfer after your relationship has legally ended.

    ", + "

    The rules for working out your gain or loss are complex. Contact HM Revenue and Customs (HMRC) or get professional tax help, such as an accountant or tax adviser. You\u2019ll need to tell them the date of:

    ", + "
  • the decree absolute or dissolution
  • ", + "
  • any court order, if assets were transferred this way
  • ", + "
  • any other contract showing the transfer of assets
  • " + ] + }, + "https://www.gov.uk/divorce": { + "url": "https://www.gov.uk/divorce", + "title": "Get a divorce", + "content": "## Check you can get a divorce\n\nYou can get divorced in England or Wales if all of the following are true:\n\n- you\u2019ve been married for over a year\n\n- your relationship has permanently broken down\n\n- your marriage is legally recognised in the UK (including same-sex marriage)\n\n- the UK is your permanent home, or the permanent home of your husband or wife\n\nIf you do not want a divorce, you can get a legal separation so you can live apart without ending the marriage. You might also be able to annul the marriage. You can apply for separation or annulment during your first year of marriage.\n\nThis guide is also available in Welsh (Cymraeg).\n\nGetting a divorce is different in Scotland and Northern Ireland.\n\n## Grounds for divorce\n\nWhen you apply for a divorce you\u2019ll need to prove that your marriage has broken down and cannot be saved. You\u2019ll need to give one or more of the following 5 reasons (also known as \u2018facts\u2019).\n\n## Adultery\n\nYour husband or wife had sexual intercourse with someone else of the opposite sex (committed adultery).\n\nYou cannot give adultery as a reason if you lived together as a couple for more than 6 months after you found out about it.\n\n## Unreasonable behaviour\n\nYour husband or wife has behaved in such a way that you cannot reasonably be expected to live with them.\n\nThis could include:\n\n- physical violence\n\n- verbal abuse, such as insults or threats\n\n- drunkenness or drug-taking\n\n- refusing to pay towards shared living expenses\n\n## Desertion\n\nYour husband or wife has left you for at least 2 years before you apply for divorce.\n\nYou can still claim desertion if you have lived together for up to a total of 6 months in this period, but that will not count towards the 2 years.\n\n## You\u2019ve been separated for at least 2 years\n\nYou can apply for a divorce if you\u2019ve been separated for at least 2 years before applying for divorce and you both agree to it.\n\nYour husband or wife must agree in writing.\n\nIt may be possible for you to show that you\u2019ve been separated while living in the same home as your wife or husband as long as you\u2019re not living together as a couple (for example you sleep and eat apart).\n\n## You\u2019ve been separated for at least 5 years\n\nYou can apply for a divorce if you\u2019ve been separated for at least 5 years before applying, even if your husband or wife disagrees.\n\n## Before you apply\n\nBefore you send in your application, you and your husband or wife can choose to work out:\n\n- arrangements for looking after any children\n\n- child maintenance payments for any children\n\nYou can also divide your money and property. There\u2019s a deadline if you want to make this legally binding.\n\nYou can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your marriage.\n\n## Get help agreeing on issues\n\nYou can use a mediator. Check if you can get legal aid to help pay for mediation.\n\nYou can also get advice on making agreements from:\n\n- organisations near you\n\n- Citizens Advice\n\n## If you\u2019re married to more than one person\n\nContact your regional divorce centre if you\u2019re married to more than one person (polygamy).\n\n## How to apply\n\nTo apply for a divorce you\u2019ll need:\n\n- your husband or wife\u2019s full name and address\n\n- your original marriage certificate or a certified copy (and a certified translation if it\u2019s not in English)\n\n- proof of your name change if you\u2019ve changed it since you got married - for example your marriage certificate or a deed poll\n\nYou must try to find your husband or wife\u2019s current address if you do not know it. The court will need it to send them a copy of the divorce petition.\n\nIf you name the person your husband or wife committed adultery with, they\u2019ll get copies of the paperwork.\n\n## Fee\n\nYou must pay a \u00a3550 fee to apply for a divorce. The way you pay depends on how you apply. Your fee will not be refunded after you are sent the notice that your application has been issued.\n\nYou may be able to get help with fees if you get benefits or are on a low income.\n\n## Apply online\n\nYou can apply for a divorce online.\n\nYou\u2019ll need a debit or credit card to apply online.\n\n## Apply by post or in Welsh\n\nFill in a divorce application form D8 (\u2018divorce petition\u2019) to start a divorce.\n\nYou can get help filling in the form at a Citizens Advice office.\n\nSend 3 copies of the form to your nearest divorce centre. They\u2019ll send one copy to your husband or wife.\n\nYou need to send 4 copies if you named someone your husband or wife committed adultery with.\n\nKeep your own copy of the forms.\n\n## How to pay\n\nYou can either pay by:\n\n- debit or credit card - the divorce centre will call you to take payment\n\n- cheque - made payable to \u2018HM Courts and Tribunals Service\u2019\n\n## What happens after you apply\n\nYour application will be checked. If it\u2019s correct, you\u2019ll be sent:\n\n- a notice that your application has been issued (sent out)\n\n- a copy of your application stamped by the divorce centre\n\n- a case number\n\nThis may take up to 10 days if you applied online or 1 month if you applied by post.\n\nThe court will send your husband or wife the divorce application and an \u2018acknowledgement of service\u2019 form. Your husband or wife will need to respond to your divorce application.\n\nIf you named someone your husband or wife committed adultery with, they\u2019ll also be sent a copy of the application and be asked to respond.\n\n## Your husband or wife responds\n\nThe acknowledgement of service form asks your husband or wife if they:\n\n- agree with the divorce\n\n- intend to try to prevent the divorce (defend it)\n\n- object to paying the costs (if you\u2019ve claimed them)\n\nYour husband or wife must respond within 8 days.\n\n## If they agree with the divorce\n\nYou can continue with the divorce by applying for a decree nisi.\n\n## If they defend the divorce\n\nYour husband or wife will have to complete an \u2018answer to divorce\u2019 form to say why they disagree with the divorce. They must do this within 28 days of getting the divorce application.\n\nIf they do not submit an \u2018answer to divorce\u2019 form, you can continue the divorce by applying for a decree nisi.\n\nIf they do submit an answer to divorce in time, you may have to go to court to discuss the case.\n\n## Apply for decree nisi\n\nYou can apply for a decree nisi if your husband or wife does not defend your divorce petition.\n\nA decree nisi is a document that says that the court does not see any reason why you cannot divorce.\n\nIf your husband or wife does not agree to the divorce, you can still apply for a decree nisi. However, you\u2019ll have to go to a court hearing to discuss the case, where a judge will decide whether to grant you a decree nisi.\n\nIf you already have a hearing date, the court will contact you and tell you how the hearing will take place.\n\n## How to apply\n\nTo get a decree nisi, read the guidance and then fill in the application for a decree nisi.\n\nYou must also fill in a statement confirming that what you said in your divorce petition is true.\n\nThere are 5 statement forms - use the one that covers the reason you\u2019ve given for your divorce:\n\n- adultery statement\n\n- unreasonable behaviour statement\n\n- desertion statement\n\n- 2 years\u2019 separation statement\n\n- 5 years\u2019 separation statement\n\nAttach a copy of your husband\u2019s or wife\u2019s response to the divorce petition.\n\n## Getting a decree nisi\n\nIf the judge agrees, the court will send you and your husband or wife a certificate. This may take several weeks.\n\nThe certificate will tell you the time and date you\u2019ll be granted a decree nisi.\n\nYou\u2019ll still be married after the decree nisi has been granted. You\u2019ll have to wait 43 days (6 weeks and 1 day) before you can apply for a \u2018decree absolute\u2019 to actually end the marriage.\n\n## Your application is rejected\n\nYou may be sent a \u2018notice of refusal of judge\u2019s certificate\u2019 form, saying why you cannot divorce.\n\nThe form will tell you what to do next. The judge may want more information in writing, or you may have to go to a court hearing.\n\nYou can get legal advice if there\u2019s going to be a court hearing.\n\n## Apply for a decree absolute\n\nThe decree absolute is the legal document that ends your marriage.\n\nYou need to wait at least 43 days (6 weeks and 1 day) after the date of the decree nisi before you can apply for a decree absolute.\n\nApply within 12 months of getting the decree nisi - otherwise you will have to explain the delay to the court.\n\n## How to apply\n\nTo apply for a decree absolute, fill in the notice of application for decree nisi to be made absolute form.\n\nIf you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a decree absolute.\n\n## Getting the decree absolute\n\nThe court will check that:\n\n- time limits have been met\n\n- there are no other reasons not to grant the divorce\n\nThe court will then send you both a decree absolute.\n\nYou\u2019ll get your decree absolute within:\n\n- 24 hours (Monday to Friday) if you applied online\n\n- 10 days if you applied by post\n\nIf a solicitor is acting for you, the decree absolute will be sent to them. You\u2019ll need to ask them for a copy.\n\nOnce you get the decree absolute, you are divorced, no longer married and free to marry again if you wish.\n\nKeep the decree absolute safe - you will need to show it if you remarry or to prove your marital status.\n\nIf you lose your decree absolute, you can apply to the court for a copy.\n\n## If you do not apply for the decree absolute\n\nYour husband or wife can apply for the decree absolute if you do not. They\u2019ll have to wait an extra 3 months to do this, on top of the standard 43 days.\n\n## If your husband or wife lacks mental capacity\n\nYou can apply for a divorce if your husband or wife \u2018lacks mental capacity\u2019 and cannot agree to a divorce or take part in the divorce case.\n\nYour husband or wife will need someone to make decisions for them during the divorce. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.\n\n## Your husband or wife does not have a litigation friend\n\nIf there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.\n\nThe Official Solicitor may agree to act as your husband or wife\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).\n\n## How to apply\n\n- Check there\u2019s nobody else suitable or willing to act as your husband or wife\u2019s litigation friend.\n\n- Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your husband or wife may be able to get legal aid.\n\n- Give the details of your husband or wife\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.\n\nIf the Official Solicitor agrees to act as litigation friend for your husband or wife, you\u2019ll be able to file for divorce.\n\n## Contact the Official Solicitor\u2019s staff\n\nEmail or call the private family law team if you have an enquiry about divorcing someone who lacks mental capacity. They cannot answer general questions about divorce.", + "original_contents": [ + "

    Check you can get a divorce

    ", + "

    You can get divorced in England or Wales if all of the following are true:

    ", + "
  • you\u2019ve been married for over a year
  • ", + "
  • your relationship has permanently broken down
  • ", + "
  • your marriage is legally recognised in the UK (including same-sex marriage)
  • ", + "
  • the UK is your permanent home, or the permanent home of your husband or wife
  • ", + "

    If you do not want a divorce, you can get a legal separation so you can live apart without ending the marriage. You might also be able to annul the marriage. You can apply for separation or annulment during your first year of marriage.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Getting a divorce is different in Scotland and Northern Ireland.

    ", + "

    Grounds for divorce

    ", + "

    When you apply for a divorce you\u2019ll need to prove that your marriage has broken down and cannot be saved. You\u2019ll need to give one or more of the following 5 reasons (also known as \u2018facts\u2019).

    ", + "

    Adultery

    ", + "

    Your husband or wife had sexual intercourse with someone else of the opposite sex (committed adultery).

    ", + "

    You cannot give adultery as a reason if you lived together as a couple for more than 6 months after you found out about it.

    ", + "

    Unreasonable behaviour

    ", + "

    Your husband or wife has behaved in such a way that you cannot reasonably be expected to live with them.

    ", + "

    This could include:

    ", + "
  • physical violence
  • ", + "
  • verbal abuse, such as insults or threats
  • ", + "
  • drunkenness or drug-taking
  • ", + "
  • refusing to pay towards shared living expenses
  • ", + "

    Desertion

    ", + "

    Your husband or wife has left you for at least 2 years before you apply for divorce.

    ", + "

    You can still claim desertion if you have lived together for up to a total of 6 months in this period, but that will not count towards the 2 years.

    ", + "

    You\u2019ve been separated for at least 2 years

    ", + "

    You can apply for a divorce if you\u2019ve been separated for at least 2 years before applying for divorce and you both agree to it.

    ", + "

    Your husband or wife must agree in writing.

    ", + "

    It may be possible for you to show that you\u2019ve been separated while living in the same home as your wife or husband as long as you\u2019re not living together as a couple (for example you sleep and eat apart).

    ", + "

    You\u2019ve been separated for at least 5 years

    ", + "

    You can apply for a divorce if you\u2019ve been separated for at least 5 years before applying, even if your husband or wife disagrees.

    ", + "

    Before you apply

    ", + "

    Before you send in your application, you and your husband or wife can choose to work out:

    ", + "
  • arrangements for looking after any children
  • ", + "
  • child maintenance payments for any children
  • ", + "

    You can also divide your money and property. There\u2019s a deadline if you want to make this legally binding.

    ", + "

    You can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your marriage.

    ", + "

    Get help agreeing on issues

    ", + "

    You can use a mediator. Check if you can get legal aid to help pay for mediation.

    ", + "

    You can also get advice on making agreements from:

    ", + "
  • organisations near you
  • ", + "
  • Citizens Advice
  • ", + "

    If you\u2019re married to more than one person

    ", + "

    Contact your regional divorce centre if you\u2019re married to more than one person (polygamy).

    ", + "

    How to apply

    ", + "

    To apply for a divorce you\u2019ll need:

    ", + "
  • your husband or wife\u2019s full name and address
  • ", + "
  • your original marriage certificate or a certified copy (and a certified translation if it\u2019s not in English)
  • ", + "
  • proof of your name change if you\u2019ve changed it since you got married - for example your marriage certificate or a deed poll
  • ", + "

    You must try to find your husband or wife\u2019s current address if you do not know it. The court will need it to send them a copy of the divorce petition.

    ", + "

    If you name the person your husband or wife committed adultery with, they\u2019ll get copies of the paperwork.

    ", + "

    Fee

    ", + "

    You must pay a \u00a3550 fee to apply for a divorce. The way you pay depends on how you apply. Your fee will not be refunded after you are sent the notice that your application has been issued.

    ", + "

    You may be able to get help with fees if you get benefits or are on a low income.

    ", + "

    Apply online

    ", + "

    You can apply for a divorce online.

    ", + "

    You\u2019ll need a debit or credit card to apply online.

    ", + "

    Apply by post or in Welsh

    ", + "

    Fill in a divorce application form D8 (\u2018divorce petition\u2019) to start a divorce.

    ", + "

    You can get help filling in the form at a Citizens Advice office.

    ", + "

    Send 3 copies of the form to your nearest divorce centre. They\u2019ll send one copy to your husband or wife.

    ", + "

    You need to send 4 copies if you named someone your husband or wife committed adultery with.

    ", + "

    Keep your own copy of the forms.

    ", + "

    How to pay

    ", + "

    You can either pay by:

    ", + "
  • debit or credit card - the divorce centre will call you to take payment
  • ", + "
  • cheque - made payable to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    What happens after you apply

    ", + "

    Your application will be checked. If it\u2019s correct, you\u2019ll be sent:

    ", + "
  • a notice that your application has been issued (sent out)
  • ", + "
  • a copy of your application stamped by the divorce centre
  • ", + "
  • a case number
  • ", + "

    This may take up to 10 days if you applied online or 1 month if you applied by post.

    ", + "

    The court will send your husband or wife the divorce application and an \u2018acknowledgement of service\u2019 form. Your husband or wife will need to respond to your divorce application.

    ", + "

    If you named someone your husband or wife committed adultery with, they\u2019ll also be sent a copy of the application and be asked to respond.

    ", + "

    Your husband or wife responds

    ", + "

    The acknowledgement of service form asks your husband or wife if they:

    ", + "
  • agree with the divorce
  • ", + "
  • intend to try to prevent the divorce (defend it)
  • ", + "
  • object to paying the costs (if you\u2019ve claimed them)
  • ", + "

    Your husband or wife must respond within 8 days.

    ", + "

    If they agree with the divorce

    ", + "

    You can continue with the divorce by applying for a decree nisi.

    ", + "

    If they defend the divorce

    ", + "

    Your husband or wife will have to complete an \u2018answer to divorce\u2019 form to say why they disagree with the divorce. They must do this within 28 days of getting the divorce application.

    ", + "

    If they do not submit an \u2018answer to divorce\u2019 form, you can continue the divorce by applying for a decree nisi.

    ", + "

    If they do submit an answer to divorce in time, you may have to go to court to discuss the case.

    ", + "

    Apply for decree nisi

    ", + "

    You can apply for a decree nisi if your husband or wife does not defend your divorce petition.

    ", + "

    A decree nisi is a document that says that the court does not see any reason why you cannot divorce.

    ", + "

    If your husband or wife does not agree to the divorce, you can still apply for a decree nisi. However, you\u2019ll have to go to a court hearing to discuss the case, where a judge will decide whether to grant you a decree nisi.

    ", + "

    If you already have a hearing date, the court will contact you and tell you how the hearing will take place.

    ", + "

    How to apply

    ", + "

    To get a decree nisi, read the guidance and then fill in the application for a decree nisi.

    ", + "

    You must also fill in a statement confirming that what you said in your divorce petition is true.

    ", + "

    There are 5 statement forms - use the one that covers the reason you\u2019ve given for your divorce:

    ", + "
  • adultery statement
  • ", + "
  • unreasonable behaviour statement
  • ", + "
  • desertion statement
  • ", + "
  • 2 years\u2019 separation statement
  • ", + "
  • 5 years\u2019 separation statement
  • ", + "

    Attach a copy of your husband\u2019s or wife\u2019s response to the divorce petition.

    ", + "

    Getting a decree nisi

    ", + "

    If the judge agrees, the court will send you and your husband or wife a certificate. This may take several weeks.

    ", + "

    The certificate will tell you the time and date you\u2019ll be granted a decree nisi.

    ", + "

    You\u2019ll still be married after the decree nisi has been granted. You\u2019ll have to wait 43 days (6 weeks and 1 day) before you can apply for a \u2018decree absolute\u2019 to actually end the marriage.

    ", + "

    Your application is rejected

    ", + "

    You may be sent a \u2018notice of refusal of judge\u2019s certificate\u2019 form, saying why you cannot divorce.

    ", + "

    The form will tell you what to do next. The judge may want more information in writing, or you may have to go to a court hearing.

    ", + "

    You can get legal advice if there\u2019s going to be a court hearing.

    ", + "

    Apply for a decree absolute

    ", + "

    The decree absolute is the legal document that ends your marriage.

    ", + "

    You need to wait at least 43 days (6 weeks and 1 day) after the date of the decree nisi before you can apply for a decree absolute.

    ", + "

    Apply within 12 months of getting the decree nisi - otherwise you will have to explain the delay to the court.

    ", + "

    How to apply

    ", + "

    To apply for a decree absolute, fill in the notice of application for decree nisi to be made absolute form.

    ", + "

    If you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a decree absolute.

    ", + "

    Getting the decree absolute

    ", + "

    The court will check that:

    ", + "
  • time limits have been met
  • ", + "
  • there are no other reasons not to grant the divorce
  • ", + "

    The court will then send you both a decree absolute.

    ", + "

    You\u2019ll get your decree absolute within:

    ", + "
  • 24 hours (Monday to Friday) if you applied online
  • ", + "
  • 10 days if you applied by post
  • ", + "

    If a solicitor is acting for you, the decree absolute will be sent to them. You\u2019ll need to ask them for a copy.

    ", + "

    Once you get the decree absolute, you are divorced, no longer married and free to marry again if you wish.

    ", + "

    Keep the decree absolute safe - you will need to show it if you remarry or to prove your marital status.

    ", + "

    If you lose your decree absolute, you can apply to the court for a copy.

    ", + "

    If you do not apply for the decree absolute

    ", + "

    Your husband or wife can apply for the decree absolute if you do not. They\u2019ll have to wait an extra 3 months to do this, on top of the standard 43 days.

    ", + "

    If your husband or wife lacks mental capacity

    ", + "

    You can apply for a divorce if your husband or wife \u2018lacks mental capacity\u2019 and cannot agree to a divorce or take part in the divorce case.

    ", + "

    Your husband or wife will need someone to make decisions for them during the divorce. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.

    ", + "

    Your husband or wife does not have a litigation friend

    ", + "

    If there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.

    ", + "

    The Official Solicitor may agree to act as your husband or wife\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).

    ", + "

    How to apply

    ", + "
  • Check there\u2019s nobody else suitable or willing to act as your husband or wife\u2019s litigation friend.
  • ", + "
  • Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your husband or wife may be able to get legal aid.
  • ", + "
  • Give the details of your husband or wife\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.
  • ", + "

    If the Official Solicitor agrees to act as litigation friend for your husband or wife, you\u2019ll be able to file for divorce.

    ", + "

    Contact the Official Solicitor\u2019s staff

    ", + "

    Email or call the private family law team if you have an enquiry about divorcing someone who lacks mental capacity. They cannot answer general questions about divorce.

    " + ] + }, + "https://www.gov.uk/end-civil-partnership": { + "url": "https://www.gov.uk/end-civil-partnership", + "title": "End a civil partnership", + "content": "## Check you can end your civil partnership\n\nYou can apply to end (\u2018dissolve\u2019) your civil partnership if you\u2019ve been in the partnership for over a year.\n\nIf you do not want to end the civil partnership, you can get a legal separation so you can live apart. You can apply for separation during the first year of your civil partnership.\n\nEnding your civil partnership is different in Scotland and Northern Ireland.\n\n## How to end your civil partnership\n\nYou must send paperwork to a court to ask for permission to end your civil partnership.\n\nSeparate from the paperwork, you and your ex-partner may need to work out:\n\n- arrangements for looking after any children\n\n- child maintenance payments for any children\n\nYou also need to divide your money and property. There\u2019s a deadline if you want to make this legally binding.\n\nYou can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your civil partnership.\n\n## Get help agreeing on issues\n\nYou can use a mediator. Check if you can get legal aid to help pay for mediation.\n\nYou can also get advice on making agreements from:\n\n- Citizens Advice\n\n- Advicenow\n\n## Grounds for ending a civil partnership\n\nWhen you apply to end your civil partnership (\u2018dissolution\u2019), you\u2019ll need to prove your relationship has broken down and cannot be saved.\n\nYou\u2019ll need to give one or more of the following 4 reasons (also known as \u2018facts\u2019).\n\n## Unreasonable behaviour\n\nYour civil partner has behaved in a way that means you cannot reasonably be expected to live with them.\n\nThis could include:\n\n- physical or mental cruelty\n\n- verbal or physical abuse\n\n- being irresponsible with money\n\n- being sexually unfaithful\n\n## Desertion\n\nYour civil partner has intentionally left you for at least 2 years.\n\nYou can still claim desertion if you have lived together for up to a total of 6 months in this period. This will not count towards the 2 years.\n\n## You\u2019ve been separated for at least 2 years\n\nYou can apply to end your civil partnership if you\u2019ve been separated for at least 2 years before applying and you both agree to end the civil partnership.\n\nYour civil partner must agree in writing to end the civil partnership.\n\nIt may be possible for you to show that you\u2019ve been separated while living in the same home as your civil partner as long as you\u2019re not living together as a couple (for example you sleep and eat apart).\n\n## You\u2019ve been separated for at least 5 years\n\nYou can apply to end your civil partnership if you\u2019ve been separated for at least 5 years, even if your civil partner disagrees.\n\n## How to apply\n\nTo end a civil partnership, you first need to fill in a dissolution application.\n\nYou must include your:\n\n- full name and address\n\n- civil partner\u2019s full name and address\n\n- civil partnership certificate - send the original certificate or get a copy from a register office\n\nInclude the names and dates of birth of any children (no matter how old they are).\n\nYou must try to find your civil partner\u2019s current address if you do not know it. The court will need it to send them a copy of the dissolution application.\n\n## Pay the court fee\n\nYou will have to pay a \u00a3550 court fee to file the dissolution application.\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\n## By phone with a debit or credit card\n\nThe court calls you to take your payment. Include a letter with your petition to request the call and give them your phone number.\n\n## By post with a cheque\n\nMake out the cheque to \u2018HM Courts and Tribunals Service\u2019 and send it with your application.\n\n## Send the forms\n\nOnce you have filled in the forms:\n\n- send 3 copies to the court\n\n- keep copies for yourself\n\n- include your cheque, or your letter asking to pay by phone\n\n## Where to send the forms\n\nSend the forms to your nearest court dealing with civil partnership dissolution.\n\n## Apply for a conditional order\n\nYou can get a conditional order if your partner agrees to end the civil partnership.\n\nA conditional order is a document that says the court does not see any reason why you cannot end the civil partnership. It is the first of 2 stages to getting the civil partnership dissolved -\u00ad the second stage is getting a final order.\n\nIf your partner does not agree to end the civil partnership, you can still apply for a conditional order. You\u2019ll have to go to a hearing at the court to discuss the case, where a judge will decide whether to grant you the conditional order.\n\nYou must wait at least 7 days after your civil partner has received their copy of the dissolution application.\n\n## Fill in the application form\n\nTo apply for a conditional order, fill in the application for a conditional order.\n\nIf your partner is defending the case, fill in section B of the form, saying you want a \u2018case management hearing\u2019 before the judge.\n\nYou also need to fill in a statement confirming that what you said in your dissolution application is true.\n\nThere are 4 statement forms - use the one that covers the reason you\u2019ve given for ending the civil partnership:\n\n- unreasonable behaviour statement\n\n- desertion statement\n\n- 2 years\u2019 separation statement\n\n- 5 years\u2019 separation statement\n\nThe forms will need to show your civil partner:\n\n- has received the dissolution application\n\n- agrees to the dissolution if you\u2019re using the fact that you\u2019ve been living apart for 2 years as your reason\n\n- agrees with any arrangement proposed for children\n\nAttach your civil partner\u2019s response to the dissolution application, and send it to the court. Keep your own copy.\n\nYou\u2019ll still be civil partners at this stage, the \u2018final order\u2019 actually ends your civil partnership.\n\n## Apply for a final order\n\nThe final order is the legal document that ends your civil partnership.\n\nYou have to wait 6 weeks after the date of the conditional order to apply for a final order.\n\nIf your civil partner applied for a conditional order, you have to wait 3 months and 6 weeks after the date of the conditional order.\n\nApply within 12 months of getting the conditional order - otherwise you will have to explain the delay to the court.\n\nIf you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a final order.\n\nTo apply for a final order, fill in the application for a conditional order to be made final.\n\nReturn the form to the court. This will usually be the same court that dealt with your conditional order.\n\n## Getting the final order\n\nThe court will check that there are no reasons why the civil partnership cannot be ended. You must provide all details the court asks for within the time limits.\n\nIf the court is happy with all the information, it will send you and your civil partner a final order.\n\nOnce you get your final order, your civil partnership has ended and you can marry or enter into another civil partnership.\n\nYou must keep your final order safe - you will need to show it if you enter into another civil partnership or to prove your status.\n\n## If your partner lacks mental capacity\n\nYou can apply to end your civil partnership if your partner \u2018lacks mental capacity\u2019 and cannot agree to end the civil partnership or take part in the process.\n\nYour partner will need someone to make decisions for them during the process. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.\n\n## Your partner does not have a litigation friend\n\nIf there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.\n\nThe Official Solicitor may agree to act as your partner\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).\n\n## How to apply\n\n- Check there\u2019s nobody else suitable or willing to act as your civil partner\u2019s litigation friend.\n\n- Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your civil partner may be able to get legal aid.\n\n- Give the details of your civil partner\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.\n\n## After you apply\n\nIf the Official Solicitor agrees to act as litigation friend for your civil partner, you\u2019ll be able to end your civil partnership.\n\n## Contact the Official Solicitor\u2019s staff\n\nEmail or call the private family law team if you have an enquiry.", + "original_contents": [ + "

    Check you can end your civil partnership

    ", + "

    You can apply to end (\u2018dissolve\u2019) your civil partnership if you\u2019ve been in the partnership for over a year.

    ", + "

    If you do not want to end the civil partnership, you can get a legal separation so you can live apart. You can apply for separation during the first year of your civil partnership.

    ", + "

    Ending your civil partnership is different in Scotland and Northern Ireland.

    ", + "

    How to end your civil partnership

    ", + "

    You must send paperwork to a court to ask for permission to end your civil partnership.

    ", + "

    Separate from the paperwork, you and your ex-partner may need to work out:

    ", + "
  • arrangements for looking after any children
  • ", + "
  • child maintenance payments for any children
  • ", + "

    You also need to divide your money and property. There\u2019s a deadline if you want to make this legally binding.

    ", + "

    You can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your civil partnership.

    ", + "

    Get help agreeing on issues

    ", + "

    You can use a mediator. Check if you can get legal aid to help pay for mediation.

    ", + "

    You can also get advice on making agreements from:

    ", + "
  • Citizens Advice
  • ", + "
  • Advicenow
  • ", + "

    Grounds for ending a civil partnership

    ", + "

    When you apply to end your civil partnership (\u2018dissolution\u2019), you\u2019ll need to prove your relationship has broken down and cannot be saved.

    ", + "

    You\u2019ll need to give one or more of the following 4 reasons (also known as \u2018facts\u2019).

    ", + "

    Unreasonable behaviour

    ", + "

    Your civil partner has behaved in a way that means you cannot reasonably be expected to live with them.

    ", + "

    This could include:

    ", + "
  • physical or mental cruelty
  • ", + "
  • verbal or physical abuse
  • ", + "
  • being irresponsible with money
  • ", + "
  • being sexually unfaithful
  • ", + "

    Desertion

    ", + "

    Your civil partner has intentionally left you for at least 2 years.

    ", + "

    You can still claim desertion if you have lived together for up to a total of 6 months in this period. This will not count towards the 2 years.

    ", + "

    You\u2019ve been separated for at least 2 years

    ", + "

    You can apply to end your civil partnership if you\u2019ve been separated for at least 2 years before applying and you both agree to end the civil partnership.

    ", + "

    Your civil partner must agree in writing to end the civil partnership.

    ", + "

    It may be possible for you to show that you\u2019ve been separated while living in the same home as your civil partner as long as you\u2019re not living together as a couple (for example you sleep and eat apart).

    ", + "

    You\u2019ve been separated for at least 5 years

    ", + "

    You can apply to end your civil partnership if you\u2019ve been separated for at least 5 years, even if your civil partner disagrees.

    ", + "

    How to apply

    ", + "

    To end a civil partnership, you first need to fill in a dissolution application.

    ", + "

    You must include your:

    ", + "
  • full name and address
  • ", + "
  • civil partner\u2019s full name and address
  • ", + "
  • civil partnership certificate - send the original certificate or get a copy from a register office
  • ", + "

    Include the names and dates of birth of any children (no matter how old they are).

    ", + "

    You must try to find your civil partner\u2019s current address if you do not know it. The court will need it to send them a copy of the dissolution application.

    ", + "

    Pay the court fee

    ", + "

    You will have to pay a \u00a3550 court fee to file the dissolution application.

    ", + "

    You may be able to get help with court fees if you\u2019re on benefits or a low income.

    ", + "

    By phone with a debit or credit card

    ", + "

    The court calls you to take your payment. Include a letter with your petition to request the call and give them your phone number.

    ", + "

    By post with a cheque

    ", + "

    Make out the cheque to \u2018HM Courts and Tribunals Service\u2019 and send it with your application.

    ", + "

    Send the forms

    ", + "

    Once you have filled in the forms:

    ", + "
  • send 3 copies to the court
  • ", + "
  • keep copies for yourself
  • ", + "
  • include your cheque, or your letter asking to pay by phone
  • ", + "

    Where to send the forms

    ", + "

    Send the forms to your nearest court dealing with civil partnership dissolution.

    ", + "

    Apply for a conditional order

    ", + "

    You can get a conditional order if your partner agrees to end the civil partnership.

    ", + "

    A conditional order is a document that says the court does not see any reason why you cannot end the civil partnership. It is the first of 2 stages to getting the civil partnership dissolved -\u00ad the second stage is getting a final order.

    ", + "

    If your partner does not agree to end the civil partnership, you can still apply for a conditional order. You\u2019ll have to go to a hearing at the court to discuss the case, where a judge will decide whether to grant you the conditional order.

    ", + "

    You must wait at least 7 days after your civil partner has received their copy of the dissolution application.

    ", + "

    Fill in the application form

    ", + "

    To apply for a conditional order, fill in the application for a conditional order.

    ", + "

    If your partner is defending the case, fill in section B of the form, saying you want a \u2018case management hearing\u2019 before the judge.

    ", + "

    You also need to fill in a statement confirming that what you said in your dissolution application is true.

    ", + "

    There are 4 statement forms - use the one that covers the reason you\u2019ve given for ending the civil partnership:

    ", + "
  • unreasonable behaviour statement
  • ", + "
  • desertion statement
  • ", + "
  • 2 years\u2019 separation statement
  • ", + "
  • 5 years\u2019 separation statement
  • ", + "

    The forms will need to show your civil partner:

    ", + "
  • has received the dissolution application
  • ", + "
  • agrees to the dissolution if you\u2019re using the fact that you\u2019ve been living apart for 2 years as your reason
  • ", + "
  • agrees with any arrangement proposed for children
  • ", + "

    Attach your civil partner\u2019s response to the dissolution application, and send it to the court. Keep your own copy.

    ", + "

    You\u2019ll still be civil partners at this stage, the \u2018final order\u2019 actually ends your civil partnership.

    ", + "

    Apply for a final order

    ", + "

    The final order is the legal document that ends your civil partnership.

    ", + "

    You have to wait 6 weeks after the date of the conditional order to apply for a final order.

    ", + "

    If your civil partner applied for a conditional order, you have to wait 3 months and 6 weeks after the date of the conditional order.

    ", + "

    Apply within 12 months of getting the conditional order - otherwise you will have to explain the delay to the court.

    ", + "

    If you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a final order.

    ", + "

    To apply for a final order, fill in the application for a conditional order to be made final.

    ", + "

    Return the form to the court. This will usually be the same court that dealt with your conditional order.

    ", + "

    Getting the final order

    ", + "

    The court will check that there are no reasons why the civil partnership cannot be ended. You must provide all details the court asks for within the time limits.

    ", + "

    If the court is happy with all the information, it will send you and your civil partner a final order.

    ", + "

    Once you get your final order, your civil partnership has ended and you can marry or enter into another civil partnership.

    ", + "

    You must keep your final order safe - you will need to show it if you enter into another civil partnership or to prove your status.

    ", + "

    If your partner lacks mental capacity

    ", + "

    You can apply to end your civil partnership if your partner \u2018lacks mental capacity\u2019 and cannot agree to end the civil partnership or take part in the process.

    ", + "

    Your partner will need someone to make decisions for them during the process. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.

    ", + "

    Your partner does not have a litigation friend

    ", + "

    If there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.

    ", + "

    The Official Solicitor may agree to act as your partner\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).

    ", + "

    How to apply

    ", + "
  • Check there\u2019s nobody else suitable or willing to act as your civil partner\u2019s litigation friend.
  • ", + "
  • Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your civil partner may be able to get legal aid.
  • ", + "
  • Give the details of your civil partner\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.
  • ", + "

    After you apply

    ", + "

    If the Official Solicitor agrees to act as litigation friend for your civil partner, you\u2019ll be able to end your civil partnership.

    ", + "

    Contact the Official Solicitor\u2019s staff

    ", + "

    Email or call the private family law team if you have an enquiry.

    " + ] + }, + "https://www.gov.uk/growing-your-business": { + "url": "https://www.gov.uk/growing-your-business", + "title": "Growing your business", + "content": "## Plan for growth\n\nOnce your business is established and you\u2019re making a profit on the products and services you sell to customers, you may want to start thinking about how to grow.\n\nMany businesses think of growth in terms of increased sales, but it\u2019s also important to focus on how to maintain or improve your profitability.\n\nThings you can do to help grow your business include:\n\n- looking into ways of increasing your sales, both to existing customers and new customers\n\n- improving your products and services by researching and testing changes with your customers\n\n- developing new products and services, and selling them to new or existing markets\n\n- taking on staff or training your current staff, including working with apprentices and mentors\n\n- looking for additional sources of funding, such as bringing in new investors\n\n- thinking about selling your products or services online\n\n- work with a business mentor, who can help you think about how to do all of these things\n\n## As your business grows\n\nYou must register for VAT if your VAT taxable turnover reaches more than \u00a385,000.\n\nYou may also find that a different legal structure is more suitable as your business grows.\n\nContact the business support helpline in your area for help and advice on starting or growing your business.\n\n## Get extra funding\n\nGrowing your business, whether through increased sales or improved profitability, often means you need to invest more. You can do this by:\n\n- investing previous profits back into your business\n\n- taking out a loan\n\n- selling shares to outside investors\n\n- looking for other sources of finance, including government-backed schemes\n\nFind out which types of finance might work for your business.\n\nFind public finance using the finance finder tool, or search for private finance.\n\nProfessional advisers such as accountants can help you to work out whether it makes financial sense to take on loans or investment. You should take legal advice before taking on new investment in your business.\n\nFind a chartered accountant on the Institute of Chartered Accountants (ICAEW) website, or a solicitor on the Law Society website.\n\n## Taking out a loan\n\nYou should make sure that your business will be able to pay back the debt before you take out a loan. Repayments are often made in instalments over a number of years, and you\u2019ll need to pay off any interest on outstanding debts.\n\nIf you\u2019re a sole trader looking for a loan, a lender might ask you to provide a personal guarantee or promise to hand over assets like your house or car if you can\u2019t repay the loan.\n\n## Selling shares\n\nIf you\u2019re thinking of bringing in new investors, they\u2019ll want to know how much your business could increase in value if they buy shares. To work this out, they\u2019ll need to know how much their investment will increase your sales and profitability.\n\nYou\u2019ll need to provide potential lenders and investors with a financial model showing:\n\n- how your business will spend the extra money to increase sales and profitability\n\n- how initial costs and increased ongoing costs will affect your cash flow\n\nIncreases in sales usually only happen after taking on additional costs like employing more staff, moving to larger premises or putting in bigger orders for raw materials. You\u2019ll need to take all of these into account in your financial planning.\n\n## Increase sales to existing customers\n\nHow you go about increasing sales depends on your circumstances and how your business is performing. You might choose to focus on customers who\u2019ve already bought from you, or you could try to win new customers in your local area, nationally or overseas.\n\nThe simplest way to increase your sales is to sell more of the products or services you\u2019re selling at the moment to the customers who are already buying them. For most businesses this involves:\n\n- persuading one-off customers to become repeat customers\n\n- finding customers who\u2019ve stopped buying from you and trying to win them back\n\n- selling more of the same products or services to your regular customers\n\nBy keeping a record of who your customers are and what you sold to them, you can work out who\u2019s stopped buying from you, and who might consider buying more. Targeting these customers is often a cheaper and more effective way to increase sales than trying to find new ones.\n\n## Review your prices\n\nRegularly reviewing your prices and checking them against your competitors can be an effective way of increasing your sales, profits or both.\n\nYou should try to estimate the likely effect of different price changes on the sales, cash flow and profitability of your business before making any changes. To do this successfully, you need to understand:\n\n- the \u2018cost structure\u2019 of your business (including regular \u2018fixed\u2019 costs, and \u2018variable\u2019 costs that change according to your business\u2019 activity)\n\n- the value your customers place on your products and services\n\nIt\u2019s worth bearing in mind that offering a discount can sometimes reduce your overall profitability, even if your sales go up. Equally, you might be able to make more profit overall by increasing prices, even if you\u2019re selling fewer items.\n\nSmall changes to pricing like providing loyalty schemes or bulk discounts can increase sales to both existing and former customers.\n\nYou should also regularly check the price you\u2019re selling products and services at against competitors. This will help you find out if you\u2019re:\n\n- losing customers who get the same product or service elsewhere for less money\n\n- sacrificing profitability, because customers are willing to pay more than you\u2019re charging them\n\nFind resources on pricing strategy and increasing sales on the Marketing Donut website.\n\n## Attract new customers\n\nOne way of finding new customers for your products and services is by increasing awareness in your local area. You can do this by:\n\n- asking your customers to recommend you to their friends and colleagues\n\n- advertising in local media\n\n- using other forms of marketing, including online\n\nYou could also talk to potential customers who don\u2019t use your business at the moment and find out what it would take for them to switch from your competition.\n\n## Expanding outside your local area\n\nIf you want to sell your product or service through new sales channels or markets elsewhere in the UK, there are different organisations you\u2019ll need to work with, including:\n\n- wholesalers\n\n- retailers, including online retailers\n\n- distributors\n\nYou could try using direct marketing to find new customers.\n\nSearch the contracts finder for business opportunities from government departments and agencies.\n\n## Expanding outside the UK\n\nYou might decide to find new customers outside the UK by exporting your products. The Department for International Trade offers help and resources on successfully selling your products and services to customers in other countries.\n\nMake sure that you\u2019re aware of your legal responsibilities around the sale of goods and services, and data protection.\n\n## Improve your products and services\n\nIf you\u2019re looking to grow your business by improving your products and services, start by focusing on your existing customers and their needs.\n\nTalk to them, and find out their views on:\n\n- what they\u2019re buying from you, and what they value most about it\n\n- what you could do to make it more useful and valuable to them\n\n- what would encourage them to buy more\n\n## Make changes based on feedback\n\nGetting customer feedback should help you to identify ways to improve what you\u2019re offering to your current customers. It may also allow you to:\n\n- increase the price you charge to your existing customers\n\n- attract new customers whose needs you weren\u2019t meeting before\n\nTry to ensure that any changes you make will increase your sales and profitability enough to make the time and money you\u2019ll need to invest worthwhile.\n\nIf possible, you should test out prototypes of improved products or services with a few existing customers. By doing this, you can get their feedback and avoid making unpopular changes that could harm your business.\n\nDoing this is equally important for all businesses, whether you\u2019re starting up or established, improving an existing product or service, or bringing something new to market.\n\n## Think about selling online\n\nSelling your products or services on the internet can:\n\n- help improve efficiency and productivity\n\n- reduce costs\n\n- help you communicate better with customers and suppliers\n\nYou can use analytics software to help you understand how customers use your site and show you ways to improve it.\n\n## Consider the costs of going online\n\nYou\u2019ll need to make sure you understand all the costs involved (eg hardware, software, hosting, training, services, maintenance and support, upgrades etc). You must also provide your customers with certain information.\n\n## Online security\n\nIf you\u2019re going to sell online, protect your customers and business with measures to keep systems and data safe from theft or hackers.\n\n## Develop new products and services\n\nIf you\u2019re planning to develop new products and services, you should test them with your customers with just as much care and attention as a new business going to market for the first time.\n\nBy making sure there\u2019s real demand for what you\u2019re planning to sell, you can find out about any problems and fix them before you\u2019ve wasted too much time, effort and money.\n\n- Talk to existing and potential customers and find out about their needs.\n\n- If you can, develop a prototype as quickly and cheaply as possible. Work out the minimum investment that lets you find out if you\u2019re meeting a real need.\n\n- Test it with customers and get feedback. Find out what they\u2019d be willing to pay for it. Try out different prices with different customers in a consistent, realistic way to see what people will really pay. Can you make enough money for a return on the investment you\u2019d need to develop your new product or service?\n\n- If there are are other businesses competing for your market, think about what will make you different. Can you provide something better than what\u2019s already available? And is it significantly different or better to what you\u2019re already offering?\n\n## Benefits of development\n\nBy developing new products and services, you can:\n\n- sell more to existing customers (making the most of existing relationships is cheaper than finding new customers)\n\n- spread fixed costs like premises or machinery across a range of products\n\n- diversify the products you offer so you\u2019re less reliant on certain customers or markets\n\nAnother way of expanding your product range is by importing goods from overseas to sell in the UK. Make sure you know the rules on things like tax and commodity codes if you\u2019re planning to import.\n\n## Business ideas and intellectual property\n\nIf you\u2019ve invented something or come up with an original idea that you want to turn into a product or service, you should register it to make sure nobody copies it without your permission. Find out about trademarks, copyright and intellectual property.\n\nYou can find local support in England for coming up with business ideas and developing them on the National Enterprise Network website.\n\nOther sources of advice and support include:\n\n- the Design Council\u2019s business resources\n\n- the British Library business and intellectual property centre\n\nYou may be able to benefit from developing your idea in partnership with experts in academic institutions through Knowledge Transfer Partnerships.\n\n## Hire and train staff\n\nAs your business expands, you\u2019ll need more capacity to produce or provide your product or service, and a wider range of skills. The easiest ways of achieving this are usually by taking on new staff, or training your existing workforce.\n\n## Employing people\n\nBy taking on new people you can spread your workload, expand production and take advantage of new and different skills and expertise.\n\nThis applies whether you already have employees, or you started your business on your own as a sole trader and are thinking about taking on staff for the first time. Find out about your responsibilities when employing someone.\n\n## Apprenticeships\n\nTaking on an apprentice allows you to grow your capacity by investing in people who want to learn. Your business benefits from the skills they develop as they train both on and off the job.\n\nFind out about the practical steps involved in taking on an apprentice.\n\n## Training your staff\n\nYou can improve the range and level of skills in your business by training up existing staff. Giving staff training opportunities can increase their loyalty to your company and their productivity - as well as your profits.\n\nSchemes and organisations that can help you to grow your business through training include:\n\n- finding training courses specific to your business area through the National Careers Service\n\n- using a business improvement framework, like Investors in People\n\n## Work with a mentor\n\nBusiness mentors can help you develop your ideas for growth by sharing their skills, expertise, experience and contacts.\n\nFind free and paid-for mentors in your area with knowledge and experience relevant to your business on the \u2018mentorsme\u2019 website, or Business mentoring if you\u2019re in Wales. Mentorsme also has advice on how to pick the right mentor for your business.", + "original_contents": [ + "

    Plan for growth

    ", + "

    Once your business is established and you\u2019re making a profit on the products and services you sell to customers, you may want to start thinking about how to grow.

    ", + "

    Many businesses think of growth in terms of increased sales, but it\u2019s also important to focus on how to maintain or improve your profitability.

    ", + "

    Things you can do to help grow your business include:

    ", + "
  • looking into ways of increasing your sales, both to existing customers and new customers
  • ", + "
  • improving your products and services by researching and testing changes with your customers
  • ", + "
  • developing new products and services, and selling them to new or existing markets
  • ", + "
  • taking on staff or training your current staff, including working with apprentices and mentors
  • ", + "
  • looking for additional sources of funding, such as bringing in new investors
  • ", + "
  • thinking about selling your products or services online
  • ", + "
  • work with a business mentor, who can help you think about how to do all of these things
  • ", + "

    As your business grows

    ", + "

    You must register for VAT if your VAT taxable turnover reaches more than \u00a385,000.

    ", + "

    You may also find that a different legal structure is more suitable as your business grows.

    ", + "

    Contact the business support helpline in your area for help and advice on starting or growing your business.

    ", + "

    Get extra funding

    ", + "

    Growing your business, whether through increased sales or improved profitability, often means you need to invest more. You can do this by:

    ", + "
  • investing previous profits back into your business
  • ", + "
  • taking out a loan
  • ", + "
  • selling shares to outside investors
  • ", + "
  • looking for other sources of finance, including government-backed schemes
  • ", + "

    Find out which types of finance might work for your business.

    ", + "

    Find public finance using the finance finder tool, or search for private finance.

    ", + "

    Professional advisers such as accountants can help you to work out whether it makes financial sense to take on loans or investment. You should take legal advice before taking on new investment in your business.

    ", + "

    Find a chartered accountant on the Institute of Chartered Accountants (ICAEW) website, or a solicitor on the Law Society website.

    ", + "

    Taking out a loan

    ", + "

    You should make sure that your business will be able to pay back the debt before you take out a loan. Repayments are often made in instalments over a number of years, and you\u2019ll need to pay off any interest on outstanding debts.

    ", + "

    If you\u2019re a sole trader looking for a loan, a lender might ask you to provide a personal guarantee or promise to hand over assets like your house or car if you can\u2019t repay the loan.

    ", + "

    Selling shares

    ", + "

    If you\u2019re thinking of bringing in new investors, they\u2019ll want to know how much your business could increase in value if they buy shares. To work this out, they\u2019ll need to know how much their investment will increase your sales and profitability.

    ", + "

    You\u2019ll need to provide potential lenders and investors with a financial model showing:

    ", + "
  • how your business will spend the extra money to increase sales and profitability
  • ", + "
  • how initial costs and increased ongoing costs will affect your cash flow
  • ", + "

    Increases in sales usually only happen after taking on additional costs like employing more staff, moving to larger premises or putting in bigger orders for raw materials. You\u2019ll need to take all of these into account in your financial planning.

    ", + "

    Increase sales to existing customers

    ", + "

    How you go about increasing sales depends on your circumstances and how your business is performing. You might choose to focus on customers who\u2019ve already bought from you, or you could try to win new customers in your local area, nationally or overseas.

    ", + "

    The simplest way to increase your sales is to sell more of the products or services you\u2019re selling at the moment to the customers who are already buying them. For most businesses this involves:

    ", + "
  • persuading one-off customers to become repeat customers
  • ", + "
  • finding customers who\u2019ve stopped buying from you and trying to win them back
  • ", + "
  • selling more of the same products or services to your regular customers
  • ", + "

    By keeping a record of who your customers are and what you sold to them, you can work out who\u2019s stopped buying from you, and who might consider buying more. Targeting these customers is often a cheaper and more effective way to increase sales than trying to find new ones.

    ", + "

    Review your prices

    ", + "

    Regularly reviewing your prices and checking them against your competitors can be an effective way of increasing your sales, profits or both.

    ", + "

    You should try to estimate the likely effect of different price changes on the sales, cash flow and profitability of your business before making any changes. To do this successfully, you need to understand:

    ", + "
  • the \u2018cost structure\u2019 of your business (including regular \u2018fixed\u2019 costs, and \u2018variable\u2019 costs that change according to your business\u2019 activity)
  • ", + "
  • the value your customers place on your products and services
  • ", + "

    It\u2019s worth bearing in mind that offering a discount can sometimes reduce your overall profitability, even if your sales go up. Equally, you might be able to make more profit overall by increasing prices, even if you\u2019re selling fewer items.

    ", + "

    Small changes to pricing like providing loyalty schemes or bulk discounts can increase sales to both existing and former customers.

    ", + "

    You should also regularly check the price you\u2019re selling products and services at against competitors. This will help you find out if you\u2019re:

    ", + "
  • losing customers who get the same product or service elsewhere for less money
  • ", + "
  • sacrificing profitability, because customers are willing to pay more than you\u2019re charging them
  • ", + "

    Find resources on pricing strategy and increasing sales on the Marketing Donut website.

    ", + "

    Attract new customers

    ", + "

    One way of finding new customers for your products and services is by increasing awareness in your local area. You can do this by:

    ", + "
  • asking your customers to recommend you to their friends and colleagues
  • ", + "
  • advertising in local media
  • ", + "
  • using other forms of marketing, including online
  • ", + "

    You could also talk to potential customers who don\u2019t use your business at the moment and find out what it would take for them to switch from your competition.

    ", + "

    Expanding outside your local area

    ", + "

    If you want to sell your product or service through new sales channels or markets elsewhere in the UK, there are different organisations you\u2019ll need to work with, including:

    ", + "
  • wholesalers
  • ", + "
  • retailers, including online retailers
  • ", + "
  • distributors
  • ", + "

    You could try using direct marketing to find new customers.

    ", + "

    Search the contracts finder for business opportunities from government departments and agencies.

    ", + "

    Expanding outside the UK

    ", + "

    You might decide to find new customers outside the UK by exporting your products. The Department for International Trade offers help and resources on successfully selling your products and services to customers in other countries.

    ", + "

    Make sure that you\u2019re aware of your legal responsibilities around the sale of goods and services, and data protection.

    ", + "

    Improve your products and services

    ", + "

    If you\u2019re looking to grow your business by improving your products and services, start by focusing on your existing customers and their needs.

    ", + "

    Talk to them, and find out their views on:

    ", + "
  • what they\u2019re buying from you, and what they value most about it
  • ", + "
  • what you could do to make it more useful and valuable to them
  • ", + "
  • what would encourage them to buy more
  • ", + "

    Make changes based on feedback

    ", + "

    Getting customer feedback should help you to identify ways to improve what you\u2019re offering to your current customers. It may also allow you to:

    ", + "
  • increase the price you charge to your existing customers
  • ", + "
  • attract new customers whose needs you weren\u2019t meeting before
  • ", + "

    Try to ensure that any changes you make will increase your sales and profitability enough to make the time and money you\u2019ll need to invest worthwhile.

    ", + "

    If possible, you should test out prototypes of improved products or services with a few existing customers. By doing this, you can get their feedback and avoid making unpopular changes that could harm your business.

    ", + "

    Doing this is equally important for all businesses, whether you\u2019re starting up or established, improving an existing product or service, or bringing something new to market.

    ", + "

    Think about selling online

    ", + "

    Selling your products or services on the internet can:

    ", + "
  • help improve efficiency and productivity
  • ", + "
  • reduce costs
  • ", + "
  • help you communicate better with customers and suppliers
  • ", + "

    You can use analytics software to help you understand how customers use your site and show you ways to improve it.

    ", + "

    Consider the costs of going online

    ", + "

    You\u2019ll need to make sure you understand all the costs involved (eg hardware, software, hosting, training, services, maintenance and support, upgrades etc). You must also provide your customers with certain information.

    ", + "

    Online security

    ", + "

    If you\u2019re going to sell online, protect your customers and business with measures to keep systems and data safe from theft or hackers.

    ", + "

    Develop new products and services

    ", + "

    If you\u2019re planning to develop new products and services, you should test them with your customers with just as much care and attention as a new business going to market for the first time.

    ", + "

    By making sure there\u2019s real demand for what you\u2019re planning to sell, you can find out about any problems and fix them before you\u2019ve wasted too much time, effort and money.

    ", + "
  • Talk to existing and potential customers and find out about their needs.
  • ", + "
  • If you can, develop a prototype as quickly and cheaply as possible. Work out the minimum investment that lets you find out if you\u2019re meeting a real need.
  • ", + "
  • Test it with customers and get feedback. Find out what they\u2019d be willing to pay for it. Try out different prices with different customers in a consistent, realistic way to see what people will really pay. Can you make enough money for a return on the investment you\u2019d need to develop your new product or service?
  • ", + "
  • If there are are other businesses competing for your market, think about what will make you different. Can you provide something better than what\u2019s already available? And is it significantly different or better to what you\u2019re already offering?
  • ", + "

    Benefits of development

    ", + "

    By developing new products and services, you can:

    ", + "
  • sell more to existing customers (making the most of existing relationships is cheaper than finding new customers)
  • ", + "
  • spread fixed costs like premises or machinery across a range of products
  • ", + "
  • diversify the products you offer so you\u2019re less reliant on certain customers or markets
  • ", + "

    Another way of expanding your product range is by importing goods from overseas to sell in the UK. Make sure you know the rules on things like tax and commodity codes if you\u2019re planning to import.

    ", + "

    Business ideas and intellectual property

    ", + "

    If you\u2019ve invented something or come up with an original idea that you want to turn into a product or service, you should register it to make sure nobody copies it without your permission. Find out about trademarks, copyright and intellectual property.

    ", + "

    You can find local support in England for coming up with business ideas and developing them on the National Enterprise Network website.

    ", + "

    Other sources of advice and support include:

    ", + "
  • the Design Council\u2019s business resources
  • ", + "
  • the British Library business and intellectual property centre
  • ", + "

    You may be able to benefit from developing your idea in partnership with experts in academic institutions through Knowledge Transfer Partnerships.

    ", + "

    Hire and train staff

    ", + "

    As your business expands, you\u2019ll need more capacity to produce or provide your product or service, and a wider range of skills. The easiest ways of achieving this are usually by taking on new staff, or training your existing workforce.

    ", + "

    Employing people

    ", + "

    By taking on new people you can spread your workload, expand production and take advantage of new and different skills and expertise.

    ", + "

    This applies whether you already have employees, or you started your business on your own as a sole trader and are thinking about taking on staff for the first time. Find out about your responsibilities when employing someone.

    ", + "

    Apprenticeships

    ", + "

    Taking on an apprentice allows you to grow your capacity by investing in people who want to learn. Your business benefits from the skills they develop as they train both on and off the job.

    ", + "

    Find out about the practical steps involved in taking on an apprentice.

    ", + "

    Training your staff

    ", + "

    You can improve the range and level of skills in your business by training up existing staff. Giving staff training opportunities can increase their loyalty to your company and their productivity - as well as your profits.

    ", + "

    Schemes and organisations that can help you to grow your business through training include:

    ", + "
  • finding training courses specific to your business area through the National Careers Service
  • ", + "
  • using a business improvement framework, like Investors in People
  • ", + "

    Work with a mentor

    ", + "

    Business mentors can help you develop your ideas for growth by sharing their skills, expertise, experience and contacts.

    ", + "

    Find free and paid-for mentors in your area with knowledge and experience relevant to your business on the \u2018mentorsme\u2019 website, or Business mentoring if you\u2019re in Wales. Mentorsme also has advice on how to pick the right mentor for your business.

    " + ] + }, + "https://www.gov.uk/set-up-business-partnership": { + "url": "https://www.gov.uk/set-up-business-partnership", + "title": "Set up a business partnership", + "content": "## Setting up\n\nIn a partnership, you and your partner (or partners) personally share responsibility for your business. This includes:\n\n- any losses your business makes\n\n- bills for things you buy for your business, like stock or equipment\n\nPartners share the business\u2019s profits, and each partner pays tax on their share.\n\nA partner does not have to be an actual person. For example, a limited company counts as a \u2018legal person\u2019 and can also be a partner.\n\n## What you need to do\n\nWhen you set up a business partnership you need to:\n\n- choose a name\n\n- choose a \u2018nominated partner\u2019\n\n- register with HM Revenue and Customs (HMRC)\n\nThe \u2018nominated partner\u2019 is responsible for managing the partnership\u2019s tax returns and keeping business records.\n\nThere are different rules for limited partnerships and limited liability partnerships (LLPs).\n\n## Naming your partnership\n\nYou can trade under your own names, or you can choose another name for your business. You do not need to register your name.\n\nYou must include all the partners\u2019 names and the business name (if you have one) on official paperwork, for example invoices and letters.\n\n## Business names\n\nBusiness partnership names must not:\n\n- include \u2018limited\u2019, \u2018Ltd\u2019, \u2018limited liability partnership, \u2018LLP\u2019, \u2018public limited company\u2019 or \u2018plc\u2019\n\n- be offensive\n\n- be the same as an existing trade mark\n\nYour name also cannot contain a \u2018sensitive\u2019 word or expression, or suggest a connection with government or local authorities, unless you get permission.\n\nCheck which words you need permission to use, and who from.\n\nYou\u2019ll need to register your name as a trade mark if you want to stop people from trading under your business name.\n\n## Register the partnership\n\nYou must register your partnership for Self Assessment with HM Revenue and Customs (HMRC) if you\u2019re the \u2018nominated partner\u2019. This means you\u2019re responsible for sending the partnership tax return.\n\nThe other partners need to register separately.\n\nRegister a partner or partnership\n\nAll partners also need to send their own tax returns as individuals.\n\nYou must register by 5 October in your business\u2019s second tax year, or you could be charged a penalty.\n\n## Other ways to register\n\nYou can also register the partnership using form SA400 if you cannot register online. You can register as a partner using form SA401.\n\n## Registering for VAT\n\nYou must also register for VAT if your VAT taxable turnover is more than \u00a385,000. You can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.\n\nYou can appoint an agent to deal with HMRC on your behalf.", + "original_contents": [ + "

    Setting up

    ", + "

    In a partnership, you and your partner (or partners) personally share responsibility for your business. This includes:

    ", + "
  • any losses your business makes
  • ", + "
  • bills for things you buy for your business, like stock or equipment
  • ", + "

    Partners share the business\u2019s profits, and each partner pays tax on their share.

    ", + "

    A partner does not have to be an actual person. For example, a limited company counts as a \u2018legal person\u2019 and can also be a partner.

    ", + "

    What you need to do

    ", + "

    When you set up a business partnership you need to:

    ", + "
  • choose a name
  • ", + "
  • choose a \u2018nominated partner\u2019
  • ", + "
  • register with HM Revenue and Customs (HMRC)
  • ", + "

    The \u2018nominated partner\u2019 is responsible for managing the partnership\u2019s tax returns and keeping business records.

    ", + "

    There are different rules for limited partnerships and limited liability partnerships (LLPs).

    ", + "

    Naming your partnership

    ", + "

    You can trade under your own names, or you can choose another name for your business. You do not need to register your name.

    ", + "

    You must include all the partners\u2019 names and the business name (if you have one) on official paperwork, for example invoices and letters.

    ", + "

    Business names

    ", + "

    Business partnership names must not:

    ", + "
  • include \u2018limited\u2019, \u2018Ltd\u2019, \u2018limited liability partnership, \u2018LLP\u2019, \u2018public limited company\u2019 or \u2018plc\u2019
  • ", + "
  • be offensive
  • ", + "
  • be the same as an existing trade mark
  • ", + "

    Your name also cannot contain a \u2018sensitive\u2019 word or expression, or suggest a connection with government or local authorities, unless you get permission.

    ", + "

    Check which words you need permission to use, and who from.

    ", + "

    You\u2019ll need to register your name as a trade mark if you want to stop people from trading under your business name.

    ", + "

    Register the partnership

    ", + "

    You must register your partnership for Self Assessment with HM Revenue and Customs (HMRC) if you\u2019re the \u2018nominated partner\u2019. This means you\u2019re responsible for sending the partnership tax return.

    ", + "

    The other partners need to register separately.

    ", + "

    Register a partner or partnership

    ", + "

    All partners also need to send their own tax returns as individuals.

    ", + "

    You must register by 5 October in your business\u2019s second tax year, or you could be charged a penalty.

    ", + "

    Other ways to register

    ", + "

    You can also register the partnership using form SA400 if you cannot register online. You can register as a partner using form SA401.

    ", + "

    Registering for VAT

    ", + "

    You must also register for VAT if your VAT taxable turnover is more than \u00a385,000. You can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.

    ", + "

    You can appoint an agent to deal with HMRC on your behalf.

    " + ] + }, + "https://www.gov.uk/prepare-file-annual-accounts-for-limited-company": { + "url": "https://www.gov.uk/prepare-file-annual-accounts-for-limited-company", + "title": "Accounts and tax returns for private limited companies", + "content": "## Overview\n\nAfter the end of its financial year, your private limited company must prepare:\n\n- full (\u2018statutory\u2019) annual accounts\n\n- a Company Tax Return\n\nYou need your accounts and tax return to meet deadlines for filing with Companies House and HM Revenue and Customs (HMRC).\n\nYou can also use them to work out how much Corporation Tax to pay.\n\n| Action | Deadline |\n\n| File first accounts with Companies House | 21 months after the date you registered with Companies House |\n\n| File annual accounts with Companies House | 9 months after your company\u2019s financial year ends |\n\n| Pay Corporation Tax or tell HMRC that your limited company does not owe any | 9 months and 1 day after your \u2018accounting period\u2019 for Corporation Tax ends |\n\n| File a Company Tax Return | 12 months after your accounting period for Corporation Tax ends |\n\nYour accounting period for Corporation Tax is the time covered by your Company Tax Return. It\u2019s normally the same 12 months as the company financial year covered by your annual accounts.\n\n## Filing your accounts and tax return\n\nYou can file with Companies House and HMRC together or separately.\n\nYou must take additional steps:\n\n- at the end of your company\u2019s first year\n\n- if you restart a dormant company\n\nThere are penalties for filing late with Companies House and HMRC.\n\n## Filing accounts and tax returns\n\nYou file your accounts with Companies House and your Company Tax Return with HM Revenue and Customs (HMRC).\n\nYou may be able to file them together if you have a private limited company that does not need an auditor.\n\n| What you want to do | How you can do it |\n\n| File accounts and tax return together | Use HMRC\u2019s online service or accounting software |\n\n| File accounts with Companies House separately | Send your accounts to Companies House online |\n\n| File tax return with HMRC separately | Use HMRC\u2019s online service or accounting software |\n\nYou\u2019ll need your:\n\n- HMRC online account details\n\n- company registration number\n\n- Companies House online account details\n\n## Corrections and amendments\n\nCheck what you must do to correct or amend your:\n\n- accounts\n\n- tax return\n\n## Using accountants or tax advisers to file for you\n\nYou can:\n\n- give your accountant or tax adviser your Companies House authentication code so they can file your accounts\n\n- appoint an agent to file your Company Tax Return\n\n## Apply to extend your accounts filing deadline\n\nYou can apply to extend your accounts filing deadline with Companies House if you cannot send your accounts because of an event outside your control - for example, if a fire destroyed company records before your filing deadline.\n\nYou must apply for the extension before your filing deadline.\n\n## Apply for an extension due to coronavirus (COVID-19)\n\nYou can apply for an immediate 3 month extension if your company is affected by coronavirus. You must apply before your filing deadline.\n\nYou may not be eligible if you\u2019ve already extended your filing deadline, or shortened your accounting period.\n\n## How to apply\n\nYou can apply online or by post.\n\n## Apply online\n\nTo apply online you\u2019ll need:\n\n- your company number\n\n- information about why you need more time\n\n- any documents you have that support your application\n\n## Apply by post\n\nYou can write to Companies House to apply for an extension. It is taking longer than usual to process applications because of coronavirus.\n\nYou should explain what\u2019s happened and how much more time you\u2019ll need to file your accounts.\n\nYou must apply to the correct office where your company is registered.", + "original_contents": [ + "

    Overview

    ", + "

    After the end of its financial year, your private limited company must prepare:

    ", + "
  • full (\u2018statutory\u2019) annual accounts
  • ", + "
  • a Company Tax Return
  • ", + "

    You need your accounts and tax return to meet deadlines for filing with Companies House and HM Revenue and Customs (HMRC).

    ", + "

    You can also use them to work out how much Corporation Tax to pay.

    ", + "Action | Deadline", + "File first accounts with Companies House | 21 months after the date you registered with Companies House", + "File annual accounts with Companies House | 9 months after your company\u2019s financial year ends", + "Pay Corporation Tax or tell HMRC that your limited company does not owe any | 9 months and 1 day after your \u2018accounting period\u2019 for Corporation Tax ends", + "File a Company Tax Return | 12 months after your accounting period for Corporation Tax ends", + "

    Your accounting period for Corporation Tax is the time covered by your Company Tax Return. It\u2019s normally the same 12 months as the company financial year covered by your annual accounts.

    ", + "

    Filing your accounts and tax return

    ", + "

    You can file with Companies House and HMRC together or separately.

    ", + "

    You must take additional steps:

    ", + "
  • at the end of your company\u2019s first year
  • ", + "
  • if you restart a dormant company
  • ", + "

    There are penalties for filing late with Companies House and HMRC.

    ", + "

    Filing accounts and tax returns

    ", + "

    You file your accounts with Companies House and your Company Tax Return with HM Revenue and Customs (HMRC).

    ", + "

    You may be able to file them together if you have a private limited company that does not need an auditor.

    ", + "What you want to do | How you can do it", + "File accounts and tax return together | Use HMRC\u2019s online service or accounting software", + "File accounts with Companies House separately | Send your accounts to Companies House online", + "File tax return with HMRC separately | Use HMRC\u2019s online service or accounting software", + "

    You\u2019ll need your:

    ", + "
  • HMRC online account details
  • ", + "
  • company registration number
  • ", + "
  • Companies House online account details
  • ", + "

    Corrections and amendments

    ", + "

    Check what you must do to correct or amend your:

    ", + "
  • accounts
  • ", + "
  • tax return
  • ", + "

    Using accountants or tax advisers to file for you

    ", + "

    You can:

    ", + "
  • give your accountant or tax adviser your Companies House authentication code so they can file your accounts
  • ", + "
  • appoint an agent to file your Company Tax Return
  • ", + "

    Apply to extend your accounts filing deadline

    ", + "

    You can apply to extend your accounts filing deadline with Companies House if you cannot send your accounts because of an event outside your control - for example, if a fire destroyed company records before your filing deadline.

    ", + "

    You must apply for the extension before your filing deadline.

    ", + "

    Apply for an extension due to coronavirus (COVID-19)

    ", + "

    You can apply for an immediate 3 month extension if your company is affected by coronavirus. You must apply before your filing deadline.

    ", + "

    You may not be eligible if you\u2019ve already extended your filing deadline, or shortened your accounting period.

    ", + "

    How to apply

    ", + "

    You can apply online or by post.

    ", + "

    Apply online

    ", + "

    To apply online you\u2019ll need:

    ", + "
  • your company number
  • ", + "
  • information about why you need more time
  • ", + "
  • any documents you have that support your application
  • ", + "

    Apply by post

    ", + "

    You can write to Companies House to apply for an extension. It is taking longer than usual to process applications because of coronavirus.

    ", + "

    You should explain what\u2019s happened and how much more time you\u2019ll need to file your accounts.

    ", + "

    You must apply to the correct office where your company is registered.

    " + ] + }, + "https://www.gov.uk/tax-tribunal": { + "url": "https://www.gov.uk/tax-tribunal", + "title": "Appeal to the tax tribunal", + "content": "## Overview\n\nYou can appeal to the First-tier Tribunal (Tax) if you want to challenge some decisions by:\n\n- HM Revenue and Customs (HMRC)\n\n- Border Force\n\n- the National Crime Agency (NCA)\n\n- the Welsh Revenue Authority (WRA)\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Appeal an HMRC decision\n\nYou can appeal some decisions about:\n\n- \u2018direct tax\u2019, for example Income Tax, PAYE tax, Corporation Tax, Capital Gains Tax, National Insurance contributions, Statutory Sick Pay, Statutory Maternity Pay, Inheritance Tax - you must appeal to HMRC first\n\n- \u2018indirect tax\u2019, for example VAT, excise duty, customs duty - you can usually appeal straight to the tribunal\n\nYou must appeal within the time limit - it\u2019ll usually be on your decision letter.\n\nYou can apply for alternative dispute resolution (ADR) after you\u2019ve appealed an HMRC decision.\n\nThere\u2019s a different way to appeal decisions about tax credits and Council Tax.\n\n## If you cannot pay\n\nYou must usually pay upfront what HMRC says you owe. Make a hardship application if you cannot. Appeal to the tribunal if HMRC will not let you delay payment.\n\nYou do not have to pay upfront if you\u2019re appealing about a penalty.\n\n## Appeal about seized goods\n\nYou must ask HMRC or Border Force to take your case to the magistrates\u2019 court (this is known as starting \u2018condemnation proceedings\u2019) if you think they should not have taken (or \u2018seized\u2019) your goods.\n\nThe tribunal cannot decide whether your goods were seized with good reason.\n\nYou may be able to appeal to the tribunal if HMRC or Border Force:\n\n- refuses to return your seized goods\n\n- says you need to pay to get your seized goods back\n\n- sends you an assessment for duty\n\n- tries to charge you a penalty\n\nYou must ask HMRC or Border Force to reconsider their decision before you can appeal.\n\n## Closure applications\n\nYou can apply for a \u2018closure notice if HMRC opens an enquiry to check your tax return for \u2018direct tax\u2019 (for example Income Tax, Capital Gains Tax or Corporation Tax) and you want it to be closed.\n\nThe tribunal will decide when HMRC should close the enquiry.\n\nYou cannot apply for a closure notice if your tax return is being checked for \u2018indirect tax\u2019.\n\n## Appeal an NCA decision\n\nThe National Crime Agency (NCA) can check your tax return instead of HMRC in some cases, for example if they suspect you\u2019ve been laundering money.\n\nYou can make an appeal if you do not agree with the decision by writing to the NCA.\n\n## Appeal a WRA decision\n\nYou can appeal some decisions about Land Transaction Tax and Landfill Disposals Tax.\n\nYou can also apply to close an enquiry into your tax return.\n\nYou must appeal within the time limit - it\u2019ll usually be on your decision letter.\n\nYou must usually pay upfront what WRA says you owe. You can request to delay paying until you get a decision about your appeal.\n\nBefore you appeal, you can ask WRA to change their decision.\n\n## Help you can get\n\nYou may want to get help and advice before you appeal.\n\nYou can represent yourself or get legal advice to help with your appeal.\n\nYou can get free advice from:\n\n- Citizens Advice\n\n- TaxAid\n\n- TaxHelp for Older People, if you\u2019re over 60\n\nRead more detailed information about appealing to the tribunal.\n\n## Appeal to the tribunal\n\nYou can appeal to the tax tribunal online.\n\nYou\u2019ll need:\n\n- a scan or photo of your original notice or review conclusion letter\n\n- reasons for your appeal, so the judge can understand your side of the argument\n\nYou can also use this service to apply to close an enquiry.\n\nStart now\n\n## If you want someone to represent you\n\nYou need to download and fill in an authorisation form if the person representing you is not a practising solicitor or barrister.\n\n## Appeal by post\n\nDownload and fill in a notice of appeal form (T240).\n\nIf you\u2019re applying to close an existing enquiry, download and fill in application form (T245).\n\nSend your completed form to the tribunal. The address is on the form.\n\n## If you need help\n\nContact the tax tribunal helpline if you have any questions about your appeal. The helpline cannot give you legal advice.\n\n## What happens next\n\nYou\u2019ll get a letter from the tribunal explaining what happens next. You might be asked to provide more documents to support your case.\n\nNot all cases will have a hearing, but you can ask for one. You\u2019ll usually get at least 14 days\u2019 notice of the date of the hearing. The tribunal will write to you with details of what you need to do.\n\n## If you have a hearing\n\nYou\u2019ll be told when and how the hearing will be held.\n\nYour hearing may take place by phone, by video or in person. Read how to take part in a phone or video hearing.\n\nYou can watch a video about what happens at a video hearing.\n\n## Documents you\u2019ll need\n\nYou\u2019ll be asked for copies of all documents relevant to your appeal (such as letters, invoices and accounts) together with your notice of appeal.\n\nYou must also give the tribunal your decision letter and any response you made.\n\nYou might get sent a \u2018bundle\u2019 of documents before the hearing. You must have this with you if your case is \u2018standard\u2019 or \u2018complex\u2019.\n\n## Who\u2019ll be at the hearing\n\nThe tribunal is made up of:\n\n- a tribunal panel, including a judge and, in some cases, a tax expert\n\n- a tribunal clerk\n\nYou can also ask any of the following people to the hearing:\n\n- a representative to act on your behalf, for example a lawyer, tax adviser or accountant\n\n- a friend, family member or colleague\n\n- a witness, if you need one\n\nYou will need to ask the permission of the court or tribunal for them to join.\n\n## What happens at the hearing\n\nYou (or your representative) will present your case to the tribunal. You must explain:\n\n- what has been agreed\n\n- what you think is wrong\n\n- what evidence you have to support you, like any documents or witnesses\n\nRepresentatives from the other party will present the case against you.\n\nThe tribunal and the other party may also ask questions during the hearing.\n\n## The tribunal's decision\n\nYou\u2019ll usually get the tribunal\u2019s decision:\n\n- in writing, if you did not have a hearing (the decision will be based on the appeal form and other paperwork)\n\n- in writing within 1 month, if you\u2019ve had a \u2018basic\u2019 case - you\u2019ll sometimes get a decision on the day\n\n- in writing within 2 months, if you\u2019ve had a \u2018standard\u2019 or \u2018complex\u2019 hearing\n\n## If you lose your case\n\nIf you lose your case, you may be able to:\n\n- get a decision \u2018set aside\u2019\n\n- ask for permission to appeal\n\n## Get a decision set aside\n\nYou can ask for a decision to be \u2018set aside\u2019 (cancelled), but only if you think there was a mistake in the process. The letter you get with the decision will tell you how to do this.\nContact Citizens Advice if you need help.\n\n## Ask for permission to appeal\n\nYou may be able to appeal against the decision if the tribunal made a legal mistake, for example if it did not:\n\n- apply the law correctly\n\n- fully explain its decision\n\n- Ask for full written reasons if you\u2019ve not had them already. You must do this within 28 days of the date on the decision notice - the decision notice will tell you how.\n\n- Ask for permission to appeal - download the appeal form and read the guidance notes. You must do this within 56 days of the date given on the full written reasons.\n\nSend the appeal form to:\n\n## After you send the form\n\nA judge will decide if you can take your case to a higher tribunal, called the Upper Tribunal (Tax and Chancery). Appeal to the Upper Tribunal if you get permission.\n\n## If you\u2019re refused permission to appeal\n\nYou can apply to the Upper Tribunal for permission to appeal if the First-tier Tribunal refuses, or only gives you permission to appeal on limited grounds.\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\n## Legislation\n\nThe tribunal must follow the Tribunal Procedure (First-tier Tribunal) (Tax Chamber) Rules 2009.\n\nRead the practice direction and practice statements for more detailed guidance.\n\nThe tribunal was set up by the Tribunals, Courts and Enforcement Act 2007 and Transfer of Tribunal Functions and Revenue and Customs Appeals Order 2009.", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal to the First-tier Tribunal (Tax) if you want to challenge some decisions by:

    ", + "
  • HM Revenue and Customs (HMRC)
  • ", + "
  • Border Force
  • ", + "
  • the National Crime Agency (NCA)
  • ", + "
  • the Welsh Revenue Authority (WRA)
  • ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Appeal an HMRC decision

    ", + "

    You can appeal some decisions about:

    ", + "
  • \u2018direct tax\u2019, for example Income Tax, PAYE tax, Corporation Tax, Capital Gains Tax, National Insurance contributions, Statutory Sick Pay, Statutory Maternity Pay, Inheritance Tax - you must appeal to HMRC first
  • ", + "
  • \u2018indirect tax\u2019, for example VAT, excise duty, customs duty - you can usually appeal straight to the tribunal
  • ", + "

    You must appeal within the time limit - it\u2019ll usually be on your decision letter.

    ", + "

    You can apply for alternative dispute resolution (ADR) after you\u2019ve appealed an HMRC decision.

    ", + "

    There\u2019s a different way to appeal decisions about tax credits and Council Tax.

    ", + "

    If you cannot pay

    ", + "

    You must usually pay upfront what HMRC says you owe. Make a hardship application if you cannot. Appeal to the tribunal if HMRC will not let you delay payment.

    ", + "

    You do not have to pay upfront if you\u2019re appealing about a penalty.

    ", + "

    Appeal about seized goods

    ", + "

    You must ask HMRC or Border Force to take your case to the magistrates\u2019 court (this is known as starting \u2018condemnation proceedings\u2019) if you think they should not have taken (or \u2018seized\u2019) your goods.

    ", + "

    The tribunal cannot decide whether your goods were seized with good reason.

    ", + "

    You may be able to appeal to the tribunal if HMRC or Border Force:

    ", + "
  • refuses to return your seized goods
  • ", + "
  • says you need to pay to get your seized goods back
  • ", + "
  • sends you an assessment for duty
  • ", + "
  • tries to charge you a penalty
  • ", + "

    You must ask HMRC or Border Force to reconsider their decision before you can appeal.

    ", + "

    Closure applications

    ", + "

    You can apply for a \u2018closure notice if HMRC opens an enquiry to check your tax return for \u2018direct tax\u2019 (for example Income Tax, Capital Gains Tax or Corporation Tax) and you want it to be closed.

    ", + "

    The tribunal will decide when HMRC should close the enquiry.

    ", + "

    You cannot apply for a closure notice if your tax return is being checked for \u2018indirect tax\u2019.

    ", + "

    Appeal an NCA decision

    ", + "

    The National Crime Agency (NCA) can check your tax return instead of HMRC in some cases, for example if they suspect you\u2019ve been laundering money.

    ", + "

    You can make an appeal if you do not agree with the decision by writing to the NCA.

    ", + "

    Appeal a WRA decision

    ", + "

    You can appeal some decisions about Land Transaction Tax and Landfill Disposals Tax.

    ", + "

    You can also apply to close an enquiry into your tax return.

    ", + "

    You must appeal within the time limit - it\u2019ll usually be on your decision letter.

    ", + "

    You must usually pay upfront what WRA says you owe. You can request to delay paying until you get a decision about your appeal.

    ", + "

    Before you appeal, you can ask WRA to change their decision.

    ", + "

    Help you can get

    ", + "

    You may want to get help and advice before you appeal.

    ", + "

    You can represent yourself or get legal advice to help with your appeal.

    ", + "

    You can get free advice from:

    ", + "
  • Citizens Advice
  • ", + "
  • TaxAid
  • ", + "
  • TaxHelp for Older People, if you\u2019re over 60
  • ", + "

    Read more detailed information about appealing to the tribunal.

    ", + "

    Appeal to the tribunal

    ", + "

    You can appeal to the tax tribunal online.

    ", + "

    You\u2019ll need:

    ", + "
  • a scan or photo of your original notice or review conclusion letter
  • ", + "
  • reasons for your appeal, so the judge can understand your side of the argument
  • ", + "

    You can also use this service to apply to close an enquiry.

    ", + "

    Start now

    ", + "

    If you want someone to represent you

    ", + "

    You need to download and fill in an authorisation form if the person representing you is not a practising solicitor or barrister.

    ", + "

    Appeal by post

    ", + "

    Download and fill in a notice of appeal form (T240).

    ", + "

    If you\u2019re applying to close an existing enquiry, download and fill in application form (T245).

    ", + "

    Send your completed form to the tribunal. The address is on the form.

    ", + "

    If you need help

    ", + "

    Contact the tax tribunal helpline if you have any questions about your appeal. The helpline cannot give you legal advice.

    ", + "

    What happens next

    ", + "

    You\u2019ll get a letter from the tribunal explaining what happens next. You might be asked to provide more documents to support your case.

    ", + "

    Not all cases will have a hearing, but you can ask for one. You\u2019ll usually get at least 14 days\u2019 notice of the date of the hearing. The tribunal will write to you with details of what you need to do.

    ", + "

    If you have a hearing

    ", + "

    You\u2019ll be told when and how the hearing will be held.

    ", + "

    Your hearing may take place by phone, by video or in person. Read how to take part in a phone or video hearing.

    ", + "

    You can watch a video about what happens at a video hearing.

    ", + "

    Documents you\u2019ll need

    ", + "

    You\u2019ll be asked for copies of all documents relevant to your appeal (such as letters, invoices and accounts) together with your notice of appeal.

    ", + "

    You must also give the tribunal your decision letter and any response you made.

    ", + "

    You might get sent a \u2018bundle\u2019 of documents before the hearing. You must have this with you if your case is \u2018standard\u2019 or \u2018complex\u2019.

    ", + "

    Who\u2019ll be at the hearing

    ", + "

    The tribunal is made up of:

    ", + "
  • a tribunal panel, including a judge and, in some cases, a tax expert
  • ", + "
  • a tribunal clerk
  • ", + "

    You can also ask any of the following people to the hearing:

    ", + "
  • a representative to act on your behalf, for example a lawyer, tax adviser or accountant
  • ", + "
  • a friend, family member or colleague
  • ", + "
  • a witness, if you need one
  • ", + "

    You will need to ask the permission of the court or tribunal for them to join.

    ", + "

    What happens at the hearing

    ", + "

    You (or your representative) will present your case to the tribunal. You must explain:

    ", + "
  • what has been agreed
  • ", + "
  • what you think is wrong
  • ", + "
  • what evidence you have to support you, like any documents or witnesses
  • ", + "

    Representatives from the other party will present the case against you.

    ", + "

    The tribunal and the other party may also ask questions during the hearing.

    ", + "

    The tribunal's decision

    ", + "

    You\u2019ll usually get the tribunal\u2019s decision:

    ", + "
  • in writing, if you did not have a hearing (the decision will be based on the appeal form and other paperwork)
  • ", + "
  • in writing within 1 month, if you\u2019ve had a \u2018basic\u2019 case - you\u2019ll sometimes get a decision on the day
  • ", + "
  • in writing within 2 months, if you\u2019ve had a \u2018standard\u2019 or \u2018complex\u2019 hearing
  • ", + "

    If you lose your case

    ", + "

    If you lose your case, you may be able to:

    ", + "
  • get a decision \u2018set aside\u2019
  • ", + "
  • ask for permission to appeal
  • ", + "

    Get a decision set aside

    ", + "

    You can ask for a decision to be \u2018set aside\u2019 (cancelled), but only if you think there was a mistake in the process. The letter you get with the decision will tell you how to do this.\nContact Citizens Advice if you need help.

    ", + "

    Ask for permission to appeal

    ", + "

    You may be able to appeal against the decision if the tribunal made a legal mistake, for example if it did not:

    ", + "
  • apply the law correctly
  • ", + "
  • fully explain its decision
  • ", + "
  • Ask for full written reasons if you\u2019ve not had them already. You must do this within 28 days of the date on the decision notice - the decision notice will tell you how.
  • ", + "
  • Ask for permission to appeal - download the appeal form and read the guidance notes. You must do this within 56 days of the date given on the full written reasons.
  • ", + "

    Send the appeal form to:

    ", + "

    After you send the form

    ", + "

    A judge will decide if you can take your case to a higher tribunal, called the Upper Tribunal (Tax and Chancery). Appeal to the Upper Tribunal if you get permission.

    ", + "

    If you\u2019re refused permission to appeal

    ", + "

    You can apply to the Upper Tribunal for permission to appeal if the First-tier Tribunal refuses, or only gives you permission to appeal on limited grounds.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal must follow the Tribunal Procedure (First-tier Tribunal) (Tax Chamber) Rules 2009.

    ", + "

    Read the practice direction and practice statements for more detailed guidance.

    ", + "

    The tribunal was set up by the Tribunals, Courts and Enforcement Act 2007 and Transfer of Tribunal Functions and Revenue and Customs Appeals Order 2009.

    " + ] + }, + "https://www.gov.uk/vat-businesses": { + "url": "https://www.gov.uk/vat-businesses", + "title": "Businesses and charging VAT", + "content": "## How VAT works\n\nYou can only charge VAT if your business is registered for VAT.\n\nVAT is charged on things like:\n\n- business sales - for example when you sell goods and services\n\n- hiring or loaning goods to someone\n\n- selling business assets\n\n- commission\n\n- items sold to staff - for example canteen meals\n\n- business goods used for personal reasons\n\n- \u2018non-sales\u2019 like bartering, part-exchange and gifts\n\nThese are known as \u2018taxable supplies\u2019. There are different rules for charities.\n\n## Responsibilities\n\nVAT-registered businesses:\n\n- must charge VAT on their goods or services\n\n- may reclaim any VAT they\u2019ve paid on business-related goods or services\n\n- must account for import VAT on their VAT return if they use import VAT this way (known as \u2018postponed VAT accounting\u2019)\n\nIf you\u2019re a VAT-registered business you must report to HM Revenue and Customs (HMRC) the amount of VAT you\u2019ve charged and the amount of VAT you\u2019ve paid. This is done through your VAT Return which is usually due every 3 months.\n\nYou may want to appoint an agent to deal with HMRC on your behalf.\n\nYou must account for VAT on the full value of what you sell, even if you:\n\n- receive goods or services instead of money (for example if you take something in part-exchange)\n\n- haven\u2019t charged any VAT to the customer - whatever price you charge is treated as including VAT\n\nIf you\u2019ve charged more VAT than you\u2019ve paid, you have to pay the difference to HMRC. If you\u2019ve paid more VAT than you\u2019ve charged, you can reclaim the difference from HMRC.\n\n## VAT rates\n\nThere are 3 different rates of VAT and you must make sure you charge the right amount.\n\nGet a list of reduced or zero-rated goods and services.\n\n## Standard rate\n\nMost goods and services are standard rate. You should charge this rate unless the goods or services are classed as reduced or zero-rated.\n\nThis includes any goods below the distance selling threshold you supply from Northern Ireland to non-VAT registered EU customers. If you go over the threshold, you\u2019ll have to register for VAT in that country.\n\n## Reduced rate\n\nWhen you charge this rate can depend on what the item is as well as the circumstances of the sale, for example:\n\n- children\u2019s car seats and domestic fuel or power are always charged at 5%\n\n- mobility aids for older people are only charged at 5% if they\u2019re for someone over 60 and the goods are installed in their home\n\n## Zero rate\n\nZero-rated means that the goods are still VAT-taxable but the rate of VAT you must charge your customers is 0%. You still have to record them in your VAT accounts and report them on your VAT Return. Examples include:\n\n- books and newspapers\n\n- children\u2019s clothes and shoes\n\n- motorcycle helmets\n\n- most goods you export from England, Wales and Scotland (Great Britain) to a country outside the UK\n\n- most goods you export from Northern Ireland to a country outside the EU and the UK\n\n- goods you supply from Northern Ireland to a VAT registered EU business - you can check if the VAT number is valid\n\nIf you sent goods to the EU from Northern Ireland, you\u2019ll need their VAT number and paperwork proving that the goods have been sent within certain time limits (usually 3 months).\n\nRates can change and you must apply any changes to the rates from the date they change.\n\n## What you must do when charging VAT\n\nYou need to know the right VAT rate so you can charge it correctly and reclaim it on your purchases.\n\nIf a transaction is a standard, reduced or zero-rated taxable supply, you must:\n\n- charge the right rate of VAT\n\n- work out the VAT if a single price is shown that includes or excludes VAT\n\n- show the VAT information on your invoice\n\n- show the transaction in your VAT account - a summary of your VAT\n\n- show the amount on your VAT Return\n\nYou may be able to reclaim the VAT on purchases that relate to these sales.\n\nYou cannot claim back all of the amount you\u2019ve paid if you pay the wrong amount of VAT on a purchase.\n\n## VAT-inclusive and exclusive prices\n\nYou\u2019ll need to make a calculation when charging VAT on goods or services, or when working out the amount of VAT you can claim back on items which were sold inclusive of VAT.\n\n## VAT-inclusive prices\n\nTo work out a price including the standard rate of VAT (20%), multiply the price excluding VAT by 1.2.\n\nTo work out a price including the reduced rate of VAT (5%), multiply the price excluding VAT by 1.05.\n\n## VAT-exclusive prices\n\nTo work out a price excluding the standard rate of VAT (20%) divide the price including VAT by 1.2.\n\nTo work out a price excluding the reduced rate of VAT (5%) divide the price including VAT by 1.05.\n\n## When not to charge VAT\n\nYou cannot charge VAT on exempt or \u2018out of scope\u2019 items.\n\n## Exempt goods and services\n\nExempt goods or services are supplies that you cannot charge VAT on.\n\nIf you buy or sell an exempt item you should still record the transaction in your general business accounts. Examples of exempt items include:\n\n- insurance\n\n- postage stamps or services\n\n- health services provided by doctors\n\nGet a list of goods and services that are VAT exempt.\n\n## VAT registration\n\nBusinesses that sell only VAT-exempt goods and services cannot register for VAT.\n\nIf you start selling items that aren\u2019t exempt, you can register for VAT voluntarily. You must register if the total value of non-exempt goods and services goes over the VAT taxable turnover threshold.\n\n## Out of scope\n\nSome goods and services are outside the VAT tax system so you cannot charge or reclaim the VAT on them. For example, out of scope items include:\n\n- goods or services you buy and use outside the UK\n\n- statutory fees - like the London congestion charge\n\n- goods you sell as part of a hobby - like stamps from a collection\n\n- donations to a charity - if given without receiving anything in return\n\n## Charging VAT to charities\n\nAs a VAT-registered business, you can sell certain goods and services to charities at the zero or reduced rate of VAT.\n\nIt\u2019s your responsibility to check the charity is eligible, and to apply the correct rate.\n\nCommunity amateur sports clubs (CASCs) don\u2019t qualify for VAT reliefs for charities.\n\n## Check the charity is eligible\n\nTo make sure the charity is eligible, ask them for:\n\n- evidence that they\u2019re a charity\n\n- a written declaration or \u2018certificate\u2019 confirming they meet the conditions for the particular VAT relief\n\n## Evidence of charitable status\n\nThe charity should give you either:\n\n- their Charity Commission registration number\n\n- a letter of recognition from HM Revenue and Customs (HMRC) if they\u2019re not registered with the Charity Commission for England and Wales (for example if they\u2019re a Scottish or Northern Irish charity)\n\n## Written declaration\n\nCharities are legally required to give you an eligibility certificate when you supply eligible building or construction services to them at zero VAT. The certificate must contain specific information.\n\nA declaration is not legally required for other items you sell at the zero or reduced rate, but you should ask for one to prove the charity is eligible for the relief.\n\nThese sample declarations contain examples of the information a charity should give you when buying:\n\n- medical and scientific equipment, motor vehicles and computer software\n\n- charity advertising\n\n- goods and services for disabled people\n\nThe written declaration should be separate from the order form or invoice for the goods or services the charity is buying.\n\nYou must keep the completed declarations for at least 4 years.\n\n## Items that qualify for the reduced rate\n\nYou may be able to apply the reduced VAT rate when you sell fuel and power in certain circumstances to an eligible charity.\n\n## Items that qualify for the zero rate\n\nYou may be able to apply zero VAT when you sell the following to an eligible charity:\n\n- advertising and items for collecting donations\n\n- aids for disabled people\n\n- construction services\n\n- drugs and chemicals\n\n- equipment for making \u2018talking\u2019 books and newspapers\n\n- lifeboats and associated equipment, including fuel\n\n- medicine or ingredients for medicine\n\n- resuscitation training models\n\n## Equipment for medical and veterinary use\n\nYou may also be able to zero-rate some other medical and veterinary equipment when you sell it to:\n\n- certain health bodies, for example NHS Trusts\n\n- not-for-profit research institutions\n\n- charities that provide institutional care, or medical or surgical treatment for chronically sick or disabled people\n\n- charities that provide transport services for disabled people\n\n- charities that provide rescue or first aid services to humans or animals\n\n- someone buying it specifically for donation to one of these bodies\n\nThe money used to buy the equipment must be from charitable or donated funds. This should be stated on the eligibility declaration.\n\nThe eligible items include:\n\n- medical, veterinary and scientific equipment\n\n- ambulances\n\n- goods for disabled people\n\n- motor vehicles for medical use\n\n- rescue equipment\n\n- resuscitation training dummies\n\n## Returned goods\n\nWhen you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled by issuing either a:\n\n- replacement invoice\n\n- credit or debit note\n\nIf you exchange the goods for goods of the same value you don\u2019t need to issue a new VAT invoice.\n\n## Credit and debit notes\n\nThese must show the same information as the VAT invoice and:\n\n- why it was issued\n\n- the total amount credited, excluding VAT\n\n- the number and date of the original VAT invoice\n\n## Discounts and free gifts\n\n## Discounts\n\nVAT may have to be charged on discounts and deals.\n\n| Offer | How to charge VAT |\n\n| Discounts | Charged on the discounted price (not the full price) |\n\n| Gifts | Charged on the gift\u2019s full value - there are some exceptions listed below |\n\n| Multi-buys | Charged on the combined price if all the items have the same VAT rate. If not, VAT is \u2018apportioned\u2019 as mixed-rate goods |\n\n| Money-off coupons, vouchers etc | No VAT due if given away free at time of a purchase. If not, VAT due on the price charged |\n\n| \u2018Face value\u2019 vouchers that can be used for more than one type of good or service | No VAT due, if sold at or below their monetary value |\n\n| Redeemed face value vouchers | Charged on the full value of the transaction |\n\n| Redeemed face value vouchers sold at a discount | Charged on the discounted value of the transaction |\n\n| Link-save offers (buy one get one free or discounted) | VAT is apportioned as mixed-rate goods - there are exceptions |\n\n## Exceptions for gifts and link-save offers\n\nThere\u2019s no VAT due on gifts given to the same person if their total value in a 12 month period is less than \u00a350.\n\nVAT is charged on the combined value of link-save items if the incentive product:\n\n- has a resale value of less than \u00a31\n\n- has a sale value of less than \u00a35\n\n- costs you less than 20% of the total of the other items in the offer\n\n- isn\u2019t sold at a separate price from the main product\n\n## Free goods and services\n\nYou don\u2019t have to pay VAT on things like free samples if they meet certain conditions.\n\n| Supplies | Condition to meet so no VAT due |\n\n| Free samples | Used for marketing purposes and provided in a quantity that lets potential customers test the product |\n\n| Free loans of business assets | The cost of hiring the asset is included in something else you sell to the customer |\n\n| Free gifts | The total cost of all gifts to the same person is less than \u00a350 in a 12 month period |\n\n| Free services | You don\u2019t get any payment or goods or services in return |", + "original_contents": [ + "

    How VAT works

    ", + "

    You can only charge VAT if your business is registered for VAT.

    ", + "

    VAT is charged on things like:

    ", + "
  • business sales - for example when you sell goods and services
  • ", + "
  • hiring or loaning goods to someone
  • ", + "
  • selling business assets
  • ", + "
  • commission
  • ", + "
  • items sold to staff - for example canteen meals
  • ", + "
  • business goods used for personal reasons
  • ", + "
  • \u2018non-sales\u2019 like bartering, part-exchange and gifts
  • ", + "

    These are known as \u2018taxable supplies\u2019. There are different rules for charities.

    ", + "

    Responsibilities

    ", + "

    VAT-registered businesses:

    ", + "
  • must charge VAT on their goods or services
  • ", + "
  • may reclaim any VAT they\u2019ve paid on business-related goods or services
  • ", + "
  • must account for import VAT on their VAT return if they use import VAT this way (known as \u2018postponed VAT accounting\u2019)
  • ", + "

    If you\u2019re a VAT-registered business you must report to HM Revenue and Customs (HMRC) the amount of VAT you\u2019ve charged and the amount of VAT you\u2019ve paid. This is done through your VAT Return which is usually due every 3 months.

    ", + "

    You may want to appoint an agent to deal with HMRC on your behalf.

    ", + "

    You must account for VAT on the full value of what you sell, even if you:

    ", + "
  • receive goods or services instead of money (for example if you take something in part-exchange)
  • ", + "
  • haven\u2019t charged any VAT to the customer - whatever price you charge is treated as including VAT
  • ", + "

    If you\u2019ve charged more VAT than you\u2019ve paid, you have to pay the difference to HMRC. If you\u2019ve paid more VAT than you\u2019ve charged, you can reclaim the difference from HMRC.

    ", + "

    VAT rates

    ", + "

    There are 3 different rates of VAT and you must make sure you charge the right amount.

    ", + "

    Get a list of reduced or zero-rated goods and services.

    ", + "

    Standard rate

    ", + "

    Most goods and services are standard rate. You should charge this rate unless the goods or services are classed as reduced or zero-rated.

    ", + "

    This includes any goods below the distance selling threshold you supply from Northern Ireland to non-VAT registered EU customers. If you go over the threshold, you\u2019ll have to register for VAT in that country.

    ", + "

    Reduced rate

    ", + "

    When you charge this rate can depend on what the item is as well as the circumstances of the sale, for example:

    ", + "
  • children\u2019s car seats and domestic fuel or power are always charged at 5%
  • ", + "
  • mobility aids for older people are only charged at 5% if they\u2019re for someone over 60 and the goods are installed in their home
  • ", + "

    Zero rate

    ", + "

    Zero-rated means that the goods are still VAT-taxable but the rate of VAT you must charge your customers is 0%. You still have to record them in your VAT accounts and report them on your VAT Return. Examples include:

    ", + "
  • books and newspapers
  • ", + "
  • children\u2019s clothes and shoes
  • ", + "
  • motorcycle helmets
  • ", + "
  • most goods you export from England, Wales and Scotland (Great Britain) to a country outside the UK
  • ", + "
  • most goods you export from Northern Ireland to a country outside the EU and the UK
  • ", + "
  • goods you supply from Northern Ireland to a VAT registered EU business - you can check if the VAT number is valid
  • ", + "

    If you sent goods to the EU from Northern Ireland, you\u2019ll need their VAT number and paperwork proving that the goods have been sent within certain time limits (usually 3 months).

    ", + "

    Rates can change and you must apply any changes to the rates from the date they change.

    ", + "

    What you must do when charging VAT

    ", + "

    You need to know the right VAT rate so you can charge it correctly and reclaim it on your purchases.

    ", + "

    If a transaction is a standard, reduced or zero-rated taxable supply, you must:

    ", + "
  • charge the right rate of VAT
  • ", + "
  • work out the VAT if a single price is shown that includes or excludes VAT
  • ", + "
  • show the VAT information on your invoice
  • ", + "
  • show the transaction in your VAT account - a summary of your VAT
  • ", + "
  • show the amount on your VAT Return
  • ", + "

    You may be able to reclaim the VAT on purchases that relate to these sales.

    ", + "

    You cannot claim back all of the amount you\u2019ve paid if you pay the wrong amount of VAT on a purchase.

    ", + "

    VAT-inclusive and exclusive prices

    ", + "

    You\u2019ll need to make a calculation when charging VAT on goods or services, or when working out the amount of VAT you can claim back on items which were sold inclusive of VAT.

    ", + "

    VAT-inclusive prices

    ", + "

    To work out a price including the standard rate of VAT (20%), multiply the price excluding VAT by 1.2.

    ", + "

    To work out a price including the reduced rate of VAT (5%), multiply the price excluding VAT by 1.05.

    ", + "

    VAT-exclusive prices

    ", + "

    To work out a price excluding the standard rate of VAT (20%) divide the price including VAT by 1.2.

    ", + "

    To work out a price excluding the reduced rate of VAT (5%) divide the price including VAT by 1.05.

    ", + "

    When not to charge VAT

    ", + "

    You cannot charge VAT on exempt or \u2018out of scope\u2019 items.

    ", + "

    Exempt goods and services

    ", + "

    Exempt goods or services are supplies that you cannot charge VAT on.

    ", + "

    If you buy or sell an exempt item you should still record the transaction in your general business accounts. Examples of exempt items include:

    ", + "
  • insurance
  • ", + "
  • postage stamps or services
  • ", + "
  • health services provided by doctors
  • ", + "

    Get a list of goods and services that are VAT exempt.

    ", + "

    VAT registration

    ", + "

    Businesses that sell only VAT-exempt goods and services cannot register for VAT.

    ", + "

    If you start selling items that aren\u2019t exempt, you can register for VAT voluntarily. You must register if the total value of non-exempt goods and services goes over the VAT taxable turnover threshold.

    ", + "

    Out of scope

    ", + "

    Some goods and services are outside the VAT tax system so you cannot charge or reclaim the VAT on them. For example, out of scope items include:

    ", + "
  • goods or services you buy and use outside the UK
  • ", + "
  • statutory fees - like the London congestion charge
  • ", + "
  • goods you sell as part of a hobby - like stamps from a collection
  • ", + "
  • donations to a charity - if given without receiving anything in return
  • ", + "

    Charging VAT to charities

    ", + "

    As a VAT-registered business, you can sell certain goods and services to charities at the zero or reduced rate of VAT.

    ", + "

    It\u2019s your responsibility to check the charity is eligible, and to apply the correct rate.

    ", + "

    Community amateur sports clubs (CASCs) don\u2019t qualify for VAT reliefs for charities.

    ", + "

    Check the charity is eligible

    ", + "

    To make sure the charity is eligible, ask them for:

    ", + "
  • evidence that they\u2019re a charity
  • ", + "
  • a written declaration or \u2018certificate\u2019 confirming they meet the conditions for the particular VAT relief
  • ", + "

    Evidence of charitable status

    ", + "

    The charity should give you either:

    ", + "
  • their Charity Commission registration number
  • ", + "
  • a letter of recognition from HM Revenue and Customs (HMRC) if they\u2019re not registered with the Charity Commission for England and Wales (for example if they\u2019re a Scottish or Northern Irish charity)
  • ", + "

    Written declaration

    ", + "

    Charities are legally required to give you an eligibility certificate when you supply eligible building or construction services to them at zero VAT. The certificate must contain specific information.

    ", + "

    A declaration is not legally required for other items you sell at the zero or reduced rate, but you should ask for one to prove the charity is eligible for the relief.

    ", + "

    These sample declarations contain examples of the information a charity should give you when buying:

    ", + "
  • medical and scientific equipment, motor vehicles and computer software
  • ", + "
  • charity advertising
  • ", + "
  • goods and services for disabled people
  • ", + "

    The written declaration should be separate from the order form or invoice for the goods or services the charity is buying.

    ", + "

    You must keep the completed declarations for at least 4 years.

    ", + "

    Items that qualify for the reduced rate

    ", + "

    You may be able to apply the reduced VAT rate when you sell fuel and power in certain circumstances to an eligible charity.

    ", + "

    Items that qualify for the zero rate

    ", + "

    You may be able to apply zero VAT when you sell the following to an eligible charity:

    ", + "
  • advertising and items for collecting donations
  • ", + "
  • aids for disabled people
  • ", + "
  • construction services
  • ", + "
  • drugs and chemicals
  • ", + "
  • equipment for making \u2018talking\u2019 books and newspapers
  • ", + "
  • lifeboats and associated equipment, including fuel
  • ", + "
  • medicine or ingredients for medicine
  • ", + "
  • resuscitation training models
  • ", + "

    Equipment for medical and veterinary use

    ", + "

    You may also be able to zero-rate some other medical and veterinary equipment when you sell it to:

    ", + "
  • certain health bodies, for example NHS Trusts
  • ", + "
  • not-for-profit research institutions
  • ", + "
  • charities that provide institutional care, or medical or surgical treatment for chronically sick or disabled people
  • ", + "
  • charities that provide transport services for disabled people
  • ", + "
  • charities that provide rescue or first aid services to humans or animals
  • ", + "
  • someone buying it specifically for donation to one of these bodies
  • ", + "

    The money used to buy the equipment must be from charitable or donated funds. This should be stated on the eligibility declaration.

    ", + "

    The eligible items include:

    ", + "
  • medical, veterinary and scientific equipment
  • ", + "
  • ambulances
  • ", + "
  • goods for disabled people
  • ", + "
  • motor vehicles for medical use
  • ", + "
  • rescue equipment
  • ", + "
  • resuscitation training dummies
  • ", + "

    Returned goods

    ", + "

    When you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled by issuing either a:

    ", + "
  • replacement invoice
  • ", + "
  • credit or debit note
  • ", + "

    If you exchange the goods for goods of the same value you don\u2019t need to issue a new VAT invoice.

    ", + "

    Credit and debit notes

    ", + "

    These must show the same information as the VAT invoice and:

    ", + "
  • why it was issued
  • ", + "
  • the total amount credited, excluding VAT
  • ", + "
  • the number and date of the original VAT invoice
  • ", + "

    Discounts and free gifts

    ", + "

    Discounts

    ", + "

    VAT may have to be charged on discounts and deals.

    ", + "Offer | How to charge VAT", + "Discounts | Charged on the discounted price (not the full price)", + "Gifts | Charged on the gift\u2019s full value - there are some exceptions listed below", + "Multi-buys | Charged on the combined price if all the items have the same VAT rate. If not, VAT is \u2018apportioned\u2019 as mixed-rate goods", + "Money-off coupons, vouchers etc | No VAT due if given away free at time of a purchase. If not, VAT due on the price charged", + "\u2018Face value\u2019 vouchers that can be used for more than one type of good or service | No VAT due, if sold at or below their monetary value", + "Redeemed face value vouchers | Charged on the full value of the transaction", + "Redeemed face value vouchers sold at a discount | Charged on the discounted value of the transaction", + "Link-save offers (buy one get one free or discounted) | VAT is apportioned as mixed-rate goods - there are exceptions", + "

    Exceptions for gifts and link-save offers

    ", + "

    There\u2019s no VAT due on gifts given to the same person if their total value in a 12 month period is less than \u00a350.

    ", + "

    VAT is charged on the combined value of link-save items if the incentive product:

    ", + "
  • has a resale value of less than \u00a31
  • ", + "
  • has a sale value of less than \u00a35
  • ", + "
  • costs you less than 20% of the total of the other items in the offer
  • ", + "
  • isn\u2019t sold at a separate price from the main product
  • ", + "

    Free goods and services

    ", + "

    You don\u2019t have to pay VAT on things like free samples if they meet certain conditions.

    ", + "Supplies | Condition to meet so no VAT due", + "Free samples | Used for marketing purposes and provided in a quantity that lets potential customers test the product", + "Free loans of business assets | The cost of hiring the asset is included in something else you sell to the customer", + "Free gifts | The total cost of all gifts to the same person is less than \u00a350 in a 12 month period", + "Free services | You don\u2019t get any payment or goods or services in return" + ] + }, + "https://www.gov.uk/capital-gains-tax-businesses": { + "url": "https://www.gov.uk/capital-gains-tax-businesses", + "title": "Capital Gains Tax for business", + "content": "## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) all or part of a business asset.\n\nBusiness assets you may need to pay tax on include:\n\n- land and buildings\n\n- fixtures and fittings\n\n- plant and machinery, for example a digger\n\n- shares\n\n- registered trademarks\n\n- your business\u2019s reputation\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nYou pay Capital Gains Tax if you\u2019re a self-employed sole trader or in a business partnership. Other organisations like limited companies pay Corporation Tax on profits from selling their assets.\n\n## When you do not pay it\n\nYou do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your business asset and what you sold it for.\n\nUse the market value instead if:\n\n- you gave it away (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited the asset (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\nIf the asset was given to you and you claimed Gift Hold-Over Relief, use the amount it was originally bought for to work out your gain. If you paid less than it was worth, use the amount you paid for it.\n\n## Deduct costs\n\nYou can deduct certain costs of buying, selling or improving your asset from your gain.\n\nCosts you can deduct include:\n\n- fees, for example for valuing or advertising assets\n\n- costs to improve assets (but not normal repairs)\n\n- Stamp Duty Land Tax and VAT (unless you can reclaim the VAT)\n\nYou cannot deduct certain costs. These include:\n\n- interest on a loan to buy your asset\n\n- costs you can claim as business expenses\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## Apply reliefs\n\nYou may be able to reduce or delay paying tax on your gains if you\u2019re eligible for tax relief.\n\n## Work out if you need to pay\n\nWhen you know your gain you need to work out if you need to report and pay Capital Gains Tax.\n\nIf you\u2019re in a business partnership:\n\n- work out your share of each gain or loss\n\n- the nominated partner must fill in form SA803\n\nYou can get help with working out your tax, for example from an accountant.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\n## Tax relief\n\nYou may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.\n\n| Relief | Description | Eligibility |\n\n| Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax on qualifying profits if you sell all or part of your business (instead of the normal rates) | For sole traders, business partners or those with shares in a \u2018personal company\u2019 |\n\n| Business Asset Rollover Relief | Delay paying Capital Gains Tax when you sell or dispose of some types of asset if you replace them | Buy the new asset within 3 years of disposing of the old one. Use the old and new assets in your business |\n\n| Incorporation Relief | Delay paying Capital Gains Tax when you transfer your business to a company | Transfer all your business and its assets (except cash) in return for shares in the company |\n\n| Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away a business asset - the person you gave it to pays tax when they sell it | You used the business asset for trading as a sole trader or partner |\n\n## Tax relief when you sell your home\n\nYou normally get Private Residence Relief when you sell or dispose of your main home, meaning you do not pay any Capital Gains Tax.\n\nIf you\u2019ve used any part of your home just for business, you have to pay Capital Gains Tax on that part when you sell your home.\n\n## Disincorporation relief\n\nYou may be able to claim Disincorporation Relief if you become a partnership or sole trader having been a limited company.\n\nIf you acquire the company\u2019s assets when it changes its business structure, you may have to pay Capital Gains Tax if you sell or dispose of them later - you\u2019ll use their value, including any Disincorporation Relief, when you acquired them.\n\nYou can get help from an accountant or tax adviser.", + "original_contents": [ + "

    What you pay it on

    ", + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) all or part of a business asset.

    ", + "

    Business assets you may need to pay tax on include:

    ", + "
  • land and buildings
  • ", + "
  • fixtures and fittings
  • ", + "
  • plant and machinery, for example a digger
  • ", + "
  • shares
  • ", + "
  • registered trademarks
  • ", + "
  • your business\u2019s reputation
  • ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax.

    ", + "

    You pay Capital Gains Tax if you\u2019re a self-employed sole trader or in a business partnership. Other organisations like limited companies pay Corporation Tax on profits from selling their assets.

    ", + "

    When you do not pay it

    ", + "

    You do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.

    ", + "

    Work out your gain

    ", + "

    Your gain is usually the difference between what you paid for your business asset and what you sold it for.

    ", + "

    Use the market value instead if:

    ", + "
  • you gave it away (there are different rules if it was to your spouse, civil partner or a charity)
  • ", + "
  • you sold it for less than it was worth to help the buyer
  • ", + "
  • you inherited the asset (and do not know the Inheritance Tax value)
  • ", + "
  • you owned it before April 1982
  • ", + "

    If the asset was given to you and you claimed Gift Hold-Over Relief, use the amount it was originally bought for to work out your gain. If you paid less than it was worth, use the amount you paid for it.

    ", + "

    Deduct costs

    ", + "

    You can deduct certain costs of buying, selling or improving your asset from your gain.

    ", + "

    Costs you can deduct include:

    ", + "
  • fees, for example for valuing or advertising assets
  • ", + "
  • costs to improve assets (but not normal repairs)
  • ", + "
  • Stamp Duty Land Tax and VAT (unless you can reclaim the VAT)
  • ", + "

    You cannot deduct certain costs. These include:

    ", + "
  • interest on a loan to buy your asset
  • ", + "
  • costs you can claim as business expenses
  • ", + "

    Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.

    ", + "

    Apply reliefs

    ", + "

    You may be able to reduce or delay paying tax on your gains if you\u2019re eligible for tax relief.

    ", + "

    Work out if you need to pay

    ", + "

    When you know your gain you need to work out if you need to report and pay Capital Gains Tax.

    ", + "

    If you\u2019re in a business partnership:

    ", + "
  • work out your share of each gain or loss
  • ", + "
  • the nominated partner must fill in form SA803
  • ", + "

    You can get help with working out your tax, for example from an accountant.

    ", + "

    Reporting a loss

    ", + "

    The rules are different if you need to report a loss.

    ", + "

    Tax relief

    ", + "

    You may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.

    ", + "Relief | Description | Eligibility", + "Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax on qualifying profits if you sell all or part of your business (instead of the normal rates) | For sole traders, business partners or those with shares in a \u2018personal company\u2019", + "Business Asset Rollover Relief | Delay paying Capital Gains Tax when you sell or dispose of some types of asset if you replace them | Buy the new asset within 3 years of disposing of the old one. Use the old and new assets in your business", + "Incorporation Relief | Delay paying Capital Gains Tax when you transfer your business to a company | Transfer all your business and its assets (except cash) in return for shares in the company", + "Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away a business asset - the person you gave it to pays tax when they sell it | You used the business asset for trading as a sole trader or partner", + "

    Tax relief when you sell your home

    ", + "

    You normally get Private Residence Relief when you sell or dispose of your main home, meaning you do not pay any Capital Gains Tax.

    ", + "

    If you\u2019ve used any part of your home just for business, you have to pay Capital Gains Tax on that part when you sell your home.

    ", + "

    Disincorporation relief

    ", + "

    You may be able to claim Disincorporation Relief if you become a partnership or sole trader having been a limited company.

    ", + "

    If you acquire the company\u2019s assets when it changes its business structure, you may have to pay Capital Gains Tax if you sell or dispose of them later - you\u2019ll use their value, including any Disincorporation Relief, when you acquired them.

    ", + "

    You can get help from an accountant or tax adviser.

    " + ] + }, + "https://www.gov.uk/simpler-income-tax-cash-basis": { + "url": "https://www.gov.uk/simpler-income-tax-cash-basis", + "title": "Cash basis", + "content": "## Overview\n\n\u2018Cash basis\u2019 is a way to work out your income and expenses for your Self Assessment tax return, if you\u2019re a sole trader or partner.\n\n## Why use cash basis\n\nIf you run a small business, cash basis accounting may suit you better than traditional accounting.\n\nThis is because you only need to declare money when it comes in and out of your business. At the end of the tax year, you won\u2019t have to pay Income Tax on money you didn\u2019t receive in your accounting period.\n\n## When cash basis might not suit your business\n\nCash basis probably won\u2019t suit you if you:\n\n- want to claim interest or bank charges of more than \u00a3500 as an expense\n\n- run a business that\u2019s more complex, for example you have high levels of stock\n\n- need to get finance for your business - a bank could ask to see accounts drawn up using traditional accounting to see what you owe and are due before agreeing a loan\n\n- have losses that you want to offset against other taxable income (\u2018sideways loss relief\u2019)\n\nTalk to a tax professional (such as an accountant) or legal adviser if you need help.\n\nFind out if you\u2019re eligible to use cash basis.\n\n## Who can use cash basis\n\nYou can use cash basis if you:\n\n- run a small self-employed business, for example sole trader or partnership\n\n- have a turnover of \u00a3150,000 or less a year\n\nIf you have more than one business, you must use cash basis for all your businesses. The combined turnover from your businesses must be less than \u00a3150,000.\n\n## If you use cash basis and your business grows during the tax year\n\nYou can stay in the scheme up to a total business turnover of \u00a3300,000 per year. Above that, you\u2019ll need to use traditional accounting for your next tax return.\n\n## Who can\u2019t use the scheme\n\nLimited companies and limited liability partnerships can\u2019t use cash basis.\n\nThere are also some specific types of businesses that can\u2019t use the scheme:\n\n- Lloyd\u2019s underwriters\n\n- farming businesses with a current herd basis election\n\n- farming and creative businesses with a section 221 ITTOIA profit averaging election\n\n- businesses that have claimed business premises renovation allowance\n\n- businesses that carry on a mineral extraction trade\n\n- businesses that have claimed research and development allowance\n\n- dealers in securities\n\n- relief for mineral royalties\n\n- lease premiums\n\n- ministers of religion\n\n- pool betting duty\n\n- intermediaries treated as making employment payments\n\n- managed service companies\n\n- waste disposal\n\n- cemeteries and crematoria\n\nIf you can\u2019t use cash basis, you\u2019ll need to use traditional accounting to work out your taxable profits.\n\n## Getting started\n\nAt the end of the tax year, work out your taxable profit from your cash basis income and expenses records.\n\nTick the cash basis box on the form when you send your return.\n\nYou can use cash basis for the 2013 to 2014 tax year onwards. If you\u2019re sending a late tax return for tax years before this, you\u2019ll need to use traditional accounting when working out your accounts.\n\n## Changing from traditional accounting to cash basis\n\nExisting businesses using traditional accounting might have to make some adjustments when they switch to cash basis.\n\nTalk to a tax professional (such as an accountant) or legal adviser if you need help.\n\n## How to record income and expenses\n\nYou must keep records of all business income and expenses to work out your profit for your tax return.\n\n## Income\n\nWith cash basis, only record income you actually received in a tax year. Don\u2019t count any money you\u2019re owed but haven\u2019t yet received.\n\nYou can choose how you record when money is received or paid (for example the date the money enters your account or the date a cheque is written) but you must use the same method each tax year.\n\nAll payments count - cash, card, cheque, payment in kind or any other method.\n\n## Expenses\n\nExpenses are business costs you can deduct from your income to calculate your taxable profit. In practice, this means your allowable expenses reduce your Income Tax.\n\nOnly count the expenses you\u2019ve actually paid. Money you owe isn\u2019t counted until you pay it.\n\nExamples of allowable business expenses if you\u2019re using cash basis are:\n\n- day to day running costs, such as electricity, fuel\n\n- admin costs, for example stationery\n\n- things you use in your business, such as machinery, computers, vans\n\n- interest and charges up to \u00a3500, for example interest on bank overdrafts\n\n- buying goods for resale\n\nYou can check what else counts as an allowable expense.\n\nFor the 2013 to 2014 tax year onwards you can also choose to use the simplified expenses scheme instead of calculating expenses for:\n\n- running a vehicle\n\n- working from home\n\n- making adjustments for living on your business premises\n\n## Cars and other equipment\n\nIf you buy a car for your business, you can claim the purchase as a capital allowance (but only if you\u2019re not using simplified expenses to work out your business expenses for that vehicle).\n\nUnlike traditional accounting, you claim other equipment you buy to keep and use in your business as a normal allowable business expense rather than as a capital allowance.\n\nIf you\u2019re currently claiming capital allowances and want to switch to cash basis, HM Revenue and Customs (HMRC) have guidance on the changes you need to make.\n\n## Keep your records\n\nYou don\u2019t need to send your records to HM Revenue and Customs (HMRC) when you send in your tax return but you need to keep them in case they ask to check them.\n\n## VAT registered businesses\n\nYou can start to use cash basis if you\u2019re VAT registered as long as your income is \u00a3150,000 or less during the tax year.\n\nYou can record your business income and expenses either excluding or including VAT. However, you must treat income and expenses the same way.\n\nIf you choose to include VAT, you have to record:\n\n- VAT payments you make to HM Revenue and Customs (HMRC) as expenses\n\n- VAT repayments you receive from HMRC as income", + "original_contents": [ + "

    Overview

    ", + "

    \u2018Cash basis\u2019 is a way to work out your income and expenses for your Self Assessment tax return, if you\u2019re a sole trader or partner.

    ", + "

    Why use cash basis

    ", + "

    If you run a small business, cash basis accounting may suit you better than traditional accounting.

    ", + "

    This is because you only need to declare money when it comes in and out of your business. At the end of the tax year, you won\u2019t have to pay Income Tax on money you didn\u2019t receive in your accounting period.

    ", + "

    When cash basis might not suit your business

    ", + "

    Cash basis probably won\u2019t suit you if you:

    ", + "
  • want to claim interest or bank charges of more than \u00a3500 as an expense
  • ", + "
  • run a business that\u2019s more complex, for example you have high levels of stock
  • ", + "
  • need to get finance for your business - a bank could ask to see accounts drawn up using traditional accounting to see what you owe and are due before agreeing a loan
  • ", + "
  • have losses that you want to offset against other taxable income (\u2018sideways loss relief\u2019)
  • ", + "

    Talk to a tax professional (such as an accountant) or legal adviser if you need help.

    ", + "

    Find out if you\u2019re eligible to use cash basis.

    ", + "

    Who can use cash basis

    ", + "

    You can use cash basis if you:

    ", + "
  • run a small self-employed business, for example sole trader or partnership
  • ", + "
  • have a turnover of \u00a3150,000 or less a year
  • ", + "

    If you have more than one business, you must use cash basis for all your businesses. The combined turnover from your businesses must be less than \u00a3150,000.

    ", + "

    If you use cash basis and your business grows during the tax year

    ", + "

    You can stay in the scheme up to a total business turnover of \u00a3300,000 per year. Above that, you\u2019ll need to use traditional accounting for your next tax return.

    ", + "

    Who can\u2019t use the scheme

    ", + "

    Limited companies and limited liability partnerships can\u2019t use cash basis.

    ", + "

    There are also some specific types of businesses that can\u2019t use the scheme:

    ", + "
  • Lloyd\u2019s underwriters
  • ", + "
  • farming businesses with a current herd basis election
  • ", + "
  • farming and creative businesses with a section 221 ITTOIA profit averaging election
  • ", + "
  • businesses that have claimed business premises renovation allowance
  • ", + "
  • businesses that carry on a mineral extraction trade
  • ", + "
  • businesses that have claimed research and development allowance
  • ", + "
  • dealers in securities
  • ", + "
  • relief for mineral royalties
  • ", + "
  • lease premiums
  • ", + "
  • ministers of religion
  • ", + "
  • pool betting duty
  • ", + "
  • intermediaries treated as making employment payments
  • ", + "
  • managed service companies
  • ", + "
  • waste disposal
  • ", + "
  • cemeteries and crematoria
  • ", + "

    If you can\u2019t use cash basis, you\u2019ll need to use traditional accounting to work out your taxable profits.

    ", + "

    Getting started

    ", + "

    At the end of the tax year, work out your taxable profit from your cash basis income and expenses records.

    ", + "

    Tick the cash basis box on the form when you send your return.

    ", + "

    You can use cash basis for the 2013 to 2014 tax year onwards. If you\u2019re sending a late tax return for tax years before this, you\u2019ll need to use traditional accounting when working out your accounts.

    ", + "

    Changing from traditional accounting to cash basis

    ", + "

    Existing businesses using traditional accounting might have to make some adjustments when they switch to cash basis.

    ", + "

    Talk to a tax professional (such as an accountant) or legal adviser if you need help.

    ", + "

    How to record income and expenses

    ", + "

    You must keep records of all business income and expenses to work out your profit for your tax return.

    ", + "

    Income

    ", + "

    With cash basis, only record income you actually received in a tax year. Don\u2019t count any money you\u2019re owed but haven\u2019t yet received.

    ", + "

    You can choose how you record when money is received or paid (for example the date the money enters your account or the date a cheque is written) but you must use the same method each tax year.

    ", + "

    All payments count - cash, card, cheque, payment in kind or any other method.

    ", + "

    Expenses

    ", + "

    Expenses are business costs you can deduct from your income to calculate your taxable profit. In practice, this means your allowable expenses reduce your Income Tax.

    ", + "

    Only count the expenses you\u2019ve actually paid. Money you owe isn\u2019t counted until you pay it.

    ", + "

    Examples of allowable business expenses if you\u2019re using cash basis are:

    ", + "
  • day to day running costs, such as electricity, fuel
  • ", + "
  • admin costs, for example stationery
  • ", + "
  • things you use in your business, such as machinery, computers, vans
  • ", + "
  • interest and charges up to \u00a3500, for example interest on bank overdrafts
  • ", + "
  • buying goods for resale
  • ", + "

    You can check what else counts as an allowable expense.

    ", + "

    For the 2013 to 2014 tax year onwards you can also choose to use the simplified expenses scheme instead of calculating expenses for:

    ", + "
  • running a vehicle
  • ", + "
  • working from home
  • ", + "
  • making adjustments for living on your business premises
  • ", + "

    Cars and other equipment

    ", + "

    If you buy a car for your business, you can claim the purchase as a capital allowance (but only if you\u2019re not using simplified expenses to work out your business expenses for that vehicle).

    ", + "

    Unlike traditional accounting, you claim other equipment you buy to keep and use in your business as a normal allowable business expense rather than as a capital allowance.

    ", + "

    If you\u2019re currently claiming capital allowances and want to switch to cash basis, HM Revenue and Customs (HMRC) have guidance on the changes you need to make.

    ", + "

    Keep your records

    ", + "

    You don\u2019t need to send your records to HM Revenue and Customs (HMRC) when you send in your tax return but you need to keep them in case they ask to check them.

    ", + "

    VAT registered businesses

    ", + "

    You can start to use cash basis if you\u2019re VAT registered as long as your income is \u00a3150,000 or less during the tax year.

    ", + "

    You can record your business income and expenses either excluding or including VAT. However, you must treat income and expenses the same way.

    ", + "

    If you choose to include VAT, you have to record:

    ", + "
  • VAT payments you make to HM Revenue and Customs (HMRC) as expenses
  • ", + "
  • VAT repayments you receive from HMRC as income
  • " + ] + }, + "https://www.gov.uk/charities-and-tax": { + "url": "https://www.gov.uk/charities-and-tax", + "title": "Charities and tax", + "content": "## Overview\n\nAs a charity you can get certain tax reliefs. To benefit you must be recognised by HM Revenue and Customs (HMRC).\n\nCharities do not pay tax on most types of income as long as they use the money for charitable purposes.\n\nYou can claim back tax that\u2019s been deducted, for example on bank interest and donations (this is known as Gift Aid).\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you need to pay tax\n\nYour charity may need to pay tax if you\u2019ve:\n\n- received income that does not qualify for tax relief\n\n- spent any of your income on non-charitable purposes\n\nYou need to complete a tax return if your charity has tax to pay.\n\nCommunity amateur sports clubs (CASCs) get different tax reliefs.\n\n## Tax reliefs for charities\n\nAs a charity you do not pay tax on most of your income and gains if you use it for charitable purposes - this is known as \u2018charitable expenditure\u2019.\n\nThis includes tax:\n\n- on donations\n\n- on profits from trading\n\n- on rental or investment income, for example bank interest\n\n- on profits when you sell or \u2018dispose of\u2019 an asset, like property or shares\n\n- when you buy property\n\nTo get tax relief you must be recognised by HM Revenue and Customs (HMRC).\n\nCommunity amateur sports clubs (CASCs) get different tax reliefs.\n\n## When you do pay tax\n\nCharities pay tax on:\n\n- dividends received from UK companies before 6 April 2016\n\n- profits from developing land or property\n\n- purchases - but there are special VAT rules for charities\n\nCharities pay business rates on non-domestic buildings, but they get an 80% discount.\n\nYou must pay tax on any money you do not use for charitable purposes. This is known as \u2018non-charitable expenditure\u2019.\n\n## Pay tax\n\nYou must complete a tax return if your charity needs to pay tax or if HMRC asks you to.\n\n## Reclaim tax\n\nYou can claim back tax that\u2019s been deducted, for example on:\n\n- donations (this is known as Gift Aid)\n\n- bank interest\n\n## Get recognition for tax purposes\n\nTo get tax relief your charity must be:\n\n- based in the UK, EU, Iceland, Liechtenstein or Norway\n\n- established for charitable purposes only\n\n- registered with the Charity Commission or another regulator, if this applies to you\n\n- run by \u2018fit and proper persons\u2019\n\n- recognised by HM Revenue and Customs (HMRC)\n\n## Apply for recognition\n\nRegister your charity\u2019s details using HMRC\u2019s online service.\n\n## Reclaim tax\n\nIf you receive income with tax deducted, for example donations you can claim Gift Aid on, you can claim it back:\n\n- online, using the Charities Online service\n\n- through software that works with Charities Online\n\n- by post, using form ChR1 - call the helpline to order it\n\n## Bank interest\n\nYou can arrange to receive interest without tax deducted. Show your bank your letter of recognition from HM Revenue and Customs (HMRC).\n\nIf tax has already been taken from your interest you can claim it back for:\n\n- the current tax year by asking your bank\n\n- previous tax years by claiming it from HMRC\n\n## Pay tax\n\nIf your charity has income that does not qualify for tax relief you must complete a tax return.\n\nIf you have no tax to pay, complete a tax return only if HM Revenue and Customs (HMRC) asks you to.\n\nIf your charity\u2019s income is over \u00a310,000 you must submit an annual return to the Charity Commission.\n\n## Company Tax Returns\n\nComplete a Company Tax Return if your charity is a limited company or unincorporated association. Include the supplementary pages for charities and community amateur sports clubs (CASCs).\n\nA charity is a limited company if it was set up by a:\n\n- constitution\n\n- memorandum and articles of association\n\n- royal charter or Act of Parliament\n\nLimited companies must also send annual accounts to Companies House.\n\n## Trusts\n\nComplete a Trust and Estate Self Assessment tax return if your charity is a trust. A charity is a trust if it was set up by a trust deed or will.\n\n## Penalties and deadlines\n\nYou must complete a tax return when HMRC asks you to, even if no tax is due.\n\nYou may have to pay a penalty if your tax return is late or you do not complete one when you should.\n\nThe deadline depends on whether you complete a Company Tax Return or a Self Assessment tax return.", + "original_contents": [ + "

    Overview

    ", + "

    As a charity you can get certain tax reliefs. To benefit you must be recognised by HM Revenue and Customs (HMRC).

    ", + "

    Charities do not pay tax on most types of income as long as they use the money for charitable purposes.

    ", + "

    You can claim back tax that\u2019s been deducted, for example on bank interest and donations (this is known as Gift Aid).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    When you need to pay tax

    ", + "

    Your charity may need to pay tax if you\u2019ve:

    ", + "
  • received income that does not qualify for tax relief
  • ", + "
  • spent any of your income on non-charitable purposes
  • ", + "

    You need to complete a tax return if your charity has tax to pay.

    ", + "

    Community amateur sports clubs (CASCs) get different tax reliefs.

    ", + "

    Tax reliefs for charities

    ", + "

    As a charity you do not pay tax on most of your income and gains if you use it for charitable purposes - this is known as \u2018charitable expenditure\u2019.

    ", + "

    This includes tax:

    ", + "
  • on donations
  • ", + "
  • on profits from trading
  • ", + "
  • on rental or investment income, for example bank interest
  • ", + "
  • on profits when you sell or \u2018dispose of\u2019 an asset, like property or shares
  • ", + "
  • when you buy property
  • ", + "

    To get tax relief you must be recognised by HM Revenue and Customs (HMRC).

    ", + "

    Community amateur sports clubs (CASCs) get different tax reliefs.

    ", + "

    When you do pay tax

    ", + "

    Charities pay tax on:

    ", + "
  • dividends received from UK companies before 6 April 2016
  • ", + "
  • profits from developing land or property
  • ", + "
  • purchases - but there are special VAT rules for charities
  • ", + "

    Charities pay business rates on non-domestic buildings, but they get an 80% discount.

    ", + "

    You must pay tax on any money you do not use for charitable purposes. This is known as \u2018non-charitable expenditure\u2019.

    ", + "

    Pay tax

    ", + "

    You must complete a tax return if your charity needs to pay tax or if HMRC asks you to.

    ", + "

    Reclaim tax

    ", + "

    You can claim back tax that\u2019s been deducted, for example on:

    ", + "
  • donations (this is known as Gift Aid)
  • ", + "
  • bank interest
  • ", + "

    Get recognition for tax purposes

    ", + "

    To get tax relief your charity must be:

    ", + "
  • based in the UK, EU, Iceland, Liechtenstein or Norway
  • ", + "
  • established for charitable purposes only
  • ", + "
  • registered with the Charity Commission or another regulator, if this applies to you
  • ", + "
  • run by \u2018fit and proper persons\u2019
  • ", + "
  • recognised by HM Revenue and Customs (HMRC)
  • ", + "

    Apply for recognition

    ", + "

    Register your charity\u2019s details using HMRC\u2019s online service.

    ", + "

    Reclaim tax

    ", + "

    If you receive income with tax deducted, for example donations you can claim Gift Aid on, you can claim it back:

    ", + "
  • online, using the Charities Online service
  • ", + "
  • through software that works with Charities Online
  • ", + "
  • by post, using form ChR1 - call the helpline to order it
  • ", + "

    Bank interest

    ", + "

    You can arrange to receive interest without tax deducted. Show your bank your letter of recognition from HM Revenue and Customs (HMRC).

    ", + "

    If tax has already been taken from your interest you can claim it back for:

    ", + "
  • the current tax year by asking your bank
  • ", + "
  • previous tax years by claiming it from HMRC
  • ", + "

    Pay tax

    ", + "

    If your charity has income that does not qualify for tax relief you must complete a tax return.

    ", + "

    If you have no tax to pay, complete a tax return only if HM Revenue and Customs (HMRC) asks you to.

    ", + "

    If your charity\u2019s income is over \u00a310,000 you must submit an annual return to the Charity Commission.

    ", + "

    Company Tax Returns

    ", + "

    Complete a Company Tax Return if your charity is a limited company or unincorporated association. Include the supplementary pages for charities and community amateur sports clubs (CASCs).

    ", + "

    A charity is a limited company if it was set up by a:

    ", + "
  • constitution
  • ", + "
  • memorandum and articles of association
  • ", + "
  • royal charter or Act of Parliament
  • ", + "

    Limited companies must also send annual accounts to Companies House.

    ", + "

    Trusts

    ", + "

    Complete a Trust and Estate Self Assessment tax return if your charity is a trust. A charity is a trust if it was set up by a trust deed or will.

    ", + "

    Penalties and deadlines

    ", + "

    You must complete a tax return when HMRC asks you to, even if no tax is due.

    ", + "

    You may have to pay a penalty if your tax return is late or you do not complete one when you should.

    ", + "

    The deadline depends on whether you complete a Company Tax Return or a Self Assessment tax return.

    " + ] + }, + "https://www.gov.uk/capital-allowances": { + "url": "https://www.gov.uk/capital-allowances", + "title": "Claim capital allowances", + "content": "## Overview\n\nYou can claim capital allowances when you buy assets that you keep to use in your business, for example:\n\n- equipment\n\n- machinery\n\n- business vehicles, for example cars, vans or lorries\n\nThese are known as plant and machinery.\n\nYou can deduct some or all of the value of the item from your profits before you pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\nIf you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.\n\n## Work out the value of your item\n\nIn most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:\n\n- you owned it before you started using it in your business\n\n- it was a gift\n\n## Other business costs\n\nYou claim for the cost of things that are not business assets in a different way. This includes:\n\n- your business\u2019s day-to-day running costs\n\n- items that it\u2019s your trade to buy and sell\n\n- interest payments or finance costs for buying assets\n\nClaim these costs as business expenses if you\u2019re a sole trader or partner, or deduct from your profits as a business cost if you\u2019re a limited company.\n\n## Other capital allowances\n\nAs well as plant and machinery, you can also claim capital allowances for:\n\n- renovating business premises in disadvantaged areas of the UK\n\n- extracting minerals\n\n- research and development\n\n- \u2018know-how\u2019 (intellectual property about industrial techniques)\n\n- patents\n\n- dredging\n\n- structure and buildings\n\n## If you let out residential property\n\nYou can only claim for items in residential property if your business qualifies as a furnished holiday lettings business. In each year the property must be:\n\n- available for holiday letting for 210 days\n\n- let for 105 days or more\n\n## What you can claim on\n\nYou can claim capital allowances on items that you keep to use in your business - these are known as \u2018plant and machinery\u2019.\n\nIn most cases you can deduct the full cost of these items from your profits before tax using annual investment allowance (AIA).\n\nIf you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.\n\n## What does not count as plant and machinery\n\nYou cannot claim capital allowances on:\n\n- things you lease - you must own them\n\n- buildings, including doors, gates, shutters, mains water and gas systems\n\n- land and structures, for example bridges, roads, docks\n\n- items used only for business entertainment, for example a yacht or karaoke machine\n\n## What counts as plant and machinery\n\nPlant and machinery includes:\n\n- items that you keep to use in your business, including cars\n\n- costs of demolishing plant and machinery\n\n- parts of a building considered integral, known as \u2018integral features\u2019\n\n- some fixtures, for example fitted kitchens or bathroom suites\n\n- alterations to a building to install other plant and machinery - this does not include repairs\n\nClaim repairs as business expenses if you\u2019re a sole trader or partner - deduct from your profits as a business cost if you\u2019re a limited company.\n\n## Integral features\n\nIntegral features are:\n\n- lifts, escalators and moving walkways\n\n- space and water heating systems\n\n- air-conditioning and air cooling systems\n\n- hot and cold water systems (but not toilet and kitchen facilities)\n\n- electrical systems, including lighting systems\n\n- external solar shading\n\n## Fixtures\n\nYou can claim for fixtures, for example:\n\n- fitted kitchens\n\n- bathroom suites\n\n- fire alarm and CCTV systems\n\nYou can claim if you rent or own the building, but only the person who bought the item can claim.\n\nWhen you buy a building from a previous business owner you can only claim for integral features and fixtures that they claimed for.\n\nYou must agree the value of the fixtures with the seller. If you do not you cannot claim for them. Agreeing the value also means the person selling the assets can account correctly for them.\n\n## If you let residential property\n\nYou can only claim for items in residential property if either:\n\n- you run a furnished holiday lettings business\n\n- the item is in the common parts of a residential building, for example a table in the hallway of a block of flats\n\n## Care workers\n\nThere are special rules if you run a care business.\n\n## Annual investment allowance\n\nYou can deduct the full value of an item that qualifies for annual investment allowance (AIA) from your profits before tax.\n\nIf you sell the item after claiming AIA you may need to pay tax.\n\n## What you can claim on\n\nYou can claim AIA on most plant and machinery up to the AIA amount.\n\n## What you cannot claim on\n\nYou cannot claim AIA on:\n\n- cars\n\n- items you owned for another reason before you started using them in your business\n\n- items given to you or your business\n\nClaim writing down allowances instead.\n\n## The AIA amount\n\nThe AIA amount has temporarily increased to \u00a31 million between 1 January 2019 and 31 December 2020.\n\n## Changes to the AIA\n\nThe\u00a0AIA\u00a0amount has changed several times since April 2008.\n\nIf the AIA changed in the period you\u2019re claiming for, you need to adjust the amount you can claim.\n\n| AIA | Sole traders/partners | Limited companies |\n\n| 1 million | 1 January 2019 - 31 December 2020 | 1 January 2019 - 31 December 2020 |\n\n| \u00a3200,000 | 1 January 2016 - 31 December 2018 | 1 January 2016 - 31 December 2018 |\n\n| \u00a3500,000 | 6 April 2014 - 31 December 2015 | 1 April 2014 - 31 December 2015 |\n\n| \u00a3250,000 | 1 January 2013 - 5 April 2014 | 1 January 2013 - 31 March 2014 |\n\n| \u00a325,000 | 6 April 2012 - 31 December 2012 | 1 April 2012 - 31 December 2012 |\n\n| \u00a3100,000 | 6 April 2010 - 5 April 2012 | 1 April 2010 - 31 March 2012 |\n\n| \u00a350,000 | 6 April 2008 - 5 April 2010 | 1 April 2008 - 31 March 2010 |\n\nYou get a new allowance for each accounting period.\n\n## If your accounting period is more or less than 12 months\n\nAdjust your AIA if your accounting period is more or less than 12 months.\n\nThe rules are different if your accounting period is longer than 18 months or you have a gap or overlap between accounting periods.\n\n## When you can claim\n\nYou can only claim AIA in the period you bought the item.\n\nThe date you bought it is:\n\n- when you signed the contract, if payment is due within less than 4 months\n\n- when payment\u2019s due, if it\u2019s due more than 4 months later\n\nIf you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.\n\nIf your business closes, you cannot claim AIA for items bought in the final accounting period.\n\n## If you do not want to claim the full cost\n\nIf you do not want to claim the full cost, for example you have low profits, you can claim:\n\n- writing down allowances instead\n\n- part of the cost as AIA and part as writing down allowances\n\n## Items you also use outside your business\n\nYou cannot claim the full value of items you also use outside your business if you\u2019re a sole trader or partner. Reduce the capital allowances you claim by the amount you use the asset outside your business.\n\n## If you spend more than the AIA amount\n\nClaim writing down allowances on any amount above the AIA. If a single item takes you above the AIA amount you can split the value between the types of allowance.\n\n## Mixed partnerships\n\nAIA is not available for partnerships where one of the partners is a company or another partnership.\n\n## More than one business or trade\n\nIf you\u2019re a sole trader or a partner and you have more than one business or trade, each business usually gets an AIA.\n\nYou only get one AIA if the businesses are both:\n\n- controlled by the same person\n\n- in the same premises or have similar activities\n\nIf 2 or more limited companies are controlled by the same person they only get one AIA between them. They can choose how to share the AIA.\n\n## How to claim\n\nClaim on your tax return.\n\n## First year allowances\n\nIf you buy an asset that qualifies for first year allowances you can deduct the full cost from your profits before tax.\n\nYou can claim first year allowances in addition to annual investment allowance - they do not count towards your AIA limit.\n\n## What qualifies\n\nYou can claim \u2018enhanced capital allowances\u2019 (a type of first year allowances) for the following energy and water efficient equipment:\n\n- some cars with low CO2 emissions\n\n- energy saving equipment that\u2019s on the energy technology product list, for example certain motors\n\n- water saving equipment that\u2019s on the water efficient technologies product list, for example meters, efficient toilets and taps\n\n- plant and machinery for gas refuelling stations, for example storage tanks, pumps\n\n- gas, biogas and hydrogen refuelling equipment\n\n- new zero-emission goods vehicles\n\nYou cannot normally claim on items your business buys to lease to other people or for use within a home you let out.\n\n## How to claim\n\nClaim on your tax return.\n\nIf you do not claim all the first year allowances you\u2019re entitled to, you can claim part of the cost in the next accounting period using writing down allowances.\n\n## Business cars\n\nYou can claim capital allowances on cars you buy and use in your business. This means you can deduct part of the value from your profits before you pay tax.\n\nUse writing down allowances to work out what you can claim - cars do not qualify for annual investment allowance (AIA).\n\n## Sole traders and partners\n\nIf you\u2019re a sole trader or a partner you can claim simplified mileage expenses on business vehicles instead - as long as you have not already claimed for them in another way.\n\n## Employees\n\nIf you\u2019re an employee you cannot claim capital allowances for cars, motorbikes and bicycles you use for work, but you may be able to claim for business mileage and fuel costs.\n\n## What counts as a car\n\nFor capital allowances a car is a type of vehicle that:\n\n- is suitable for private use - this includes motorhomes\n\n- most people use privately\n\n- was not built for transporting goods\n\n## What does not count\n\nBecause they do not count as cars you can claim AIA on:\n\n- motorcycles - apart from those bought before 6 April 2009\n\n- lorries, vans and trucks\n\n## Rates for cars\n\nThe rate you can claim depends on the CO2 emissions of your car and the date you bought it.\n\nThe main and special rates apply from 1 April for limited companies, and 6 April for sole traders and partners. The first year allowances rate applies from 1 April for all businesses.\n\n## Cars bought from April 2021\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 0g/km (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 1g/km and 50g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are between 1g/km and 50g/km (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 50g/km | Special rate allowances |\n\n## Cars bought between April 2018 and April 2021\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 50g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 50g/km and 110g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 110g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 110g/km | Special rate allowances |\n\n## Cars bought between April 2015 and April 2018\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 75g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 75g/km and 130g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 130g/km | Special rate allowances |\n\n## Cars bought between April 2013 and April 2015\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 95g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 95g/km and 130g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 130g/km | Special rate allowances |\n\n## Cars bought between April 2009 and April 2013\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 110g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 110g/km and 160g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 160g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions above 160g/km | Special rate allowances |\n\nMove the balance of any cars bought before April 2009 to your main rate allowances pool.\n\nIf your car does not have an emissions figure use the special rate - use the main rate if it was registered before 1 March 2001.\n\n## Using cars outside your business\n\nIf you\u2019re a sole trader or partner and you also use your car outside your business, calculate how much you can claim based on the amount of business use.\n\nIf your business provides a car for an employee or director you can claim capital allowances on the full cost. You may need to report it as a benefit if they use it personally.\n\n## How to claim\n\nWhen you\u2019ve worked out your capital allowances, claim on your:\n\n- Self Assessment tax return if you\u2019re a sole trader\n\n- partnership tax return if you\u2019re a partner\n\n- Company Tax Return if you\u2019re a limited company - you must include a separate capital allowances calculation\n\nEmployees must claim in a different way.\n\nThe amount you can claim is deducted from your profits.\n\n## When you can claim\n\nYou must claim in the accounting period you bought the item if you want to claim the full value under:\n\n- annual investment allowance\n\n- first year allowances\n\nIf you do not want to claim the full value you can claim part of it using writing down allowances. You can do this at any time as long as you still own the item.\n\n## When you bought it\n\nThe date you bought it is:\n\n- when you signed the contract, if payment is due within less than 4 months\n\n- when payment\u2019s due, if it\u2019s due more than 4 months later\n\nIf you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.", + "original_contents": [ + "

    Overview

    ", + "

    You can claim capital allowances when you buy assets that you keep to use in your business, for example:

    ", + "
  • equipment
  • ", + "
  • machinery
  • ", + "
  • business vehicles, for example cars, vans or lorries
  • ", + "

    These are known as plant and machinery.

    ", + "

    You can deduct some or all of the value of the item from your profits before you pay tax.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.

    ", + "

    Work out the value of your item

    ", + "

    In most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:

    ", + "
  • you owned it before you started using it in your business
  • ", + "
  • it was a gift
  • ", + "

    Other business costs

    ", + "

    You claim for the cost of things that are not business assets in a different way. This includes:

    ", + "
  • your business\u2019s day-to-day running costs
  • ", + "
  • items that it\u2019s your trade to buy and sell
  • ", + "
  • interest payments or finance costs for buying assets
  • ", + "

    Claim these costs as business expenses if you\u2019re a sole trader or partner, or deduct from your profits as a business cost if you\u2019re a limited company.

    ", + "

    Other capital allowances

    ", + "

    As well as plant and machinery, you can also claim capital allowances for:

    ", + "
  • renovating business premises in disadvantaged areas of the UK
  • ", + "
  • extracting minerals
  • ", + "
  • research and development
  • ", + "
  • \u2018know-how\u2019 (intellectual property about industrial techniques)
  • ", + "
  • patents
  • ", + "
  • dredging
  • ", + "
  • structure and buildings
  • ", + "

    If you let out residential property

    ", + "

    You can only claim for items in residential property if your business qualifies as a furnished holiday lettings business. In each year the property must be:

    ", + "
  • available for holiday letting for 210 days
  • ", + "
  • let for 105 days or more
  • ", + "

    What you can claim on

    ", + "

    You can claim capital allowances on items that you keep to use in your business - these are known as \u2018plant and machinery\u2019.

    ", + "

    In most cases you can deduct the full cost of these items from your profits before tax using annual investment allowance (AIA).

    ", + "

    If you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.

    ", + "

    What does not count as plant and machinery

    ", + "

    You cannot claim capital allowances on:

    ", + "
  • things you lease - you must own them
  • ", + "
  • buildings, including doors, gates, shutters, mains water and gas systems
  • ", + "
  • land and structures, for example bridges, roads, docks
  • ", + "
  • items used only for business entertainment, for example a yacht or karaoke machine
  • ", + "

    What counts as plant and machinery

    ", + "

    Plant and machinery includes:

    ", + "
  • items that you keep to use in your business, including cars
  • ", + "
  • costs of demolishing plant and machinery
  • ", + "
  • parts of a building considered integral, known as \u2018integral features\u2019
  • ", + "
  • some fixtures, for example fitted kitchens or bathroom suites
  • ", + "
  • alterations to a building to install other plant and machinery - this does not include repairs
  • ", + "

    Claim repairs as business expenses if you\u2019re a sole trader or partner - deduct from your profits as a business cost if you\u2019re a limited company.

    ", + "

    Integral features

    ", + "

    Integral features are:

    ", + "
  • lifts, escalators and moving walkways
  • ", + "
  • space and water heating systems
  • ", + "
  • air-conditioning and air cooling systems
  • ", + "
  • hot and cold water systems (but not toilet and kitchen facilities)
  • ", + "
  • electrical systems, including lighting systems
  • ", + "
  • external solar shading
  • ", + "

    Fixtures

    ", + "

    You can claim for fixtures, for example:

    ", + "
  • fitted kitchens
  • ", + "
  • bathroom suites
  • ", + "
  • fire alarm and CCTV systems
  • ", + "

    You can claim if you rent or own the building, but only the person who bought the item can claim.

    ", + "

    When you buy a building from a previous business owner you can only claim for integral features and fixtures that they claimed for.

    ", + "

    You must agree the value of the fixtures with the seller. If you do not you cannot claim for them. Agreeing the value also means the person selling the assets can account correctly for them.

    ", + "

    If you let residential property

    ", + "

    You can only claim for items in residential property if either:

    ", + "
  • you run a furnished holiday lettings business
  • ", + "
  • the item is in the common parts of a residential building, for example a table in the hallway of a block of flats
  • ", + "

    Care workers

    ", + "

    There are special rules if you run a care business.

    ", + "

    Annual investment allowance

    ", + "

    You can deduct the full value of an item that qualifies for annual investment allowance (AIA) from your profits before tax.

    ", + "

    If you sell the item after claiming AIA you may need to pay tax.

    ", + "

    What you can claim on

    ", + "

    You can claim AIA on most plant and machinery up to the AIA amount.

    ", + "

    What you cannot claim on

    ", + "

    You cannot claim AIA on:

    ", + "
  • cars
  • ", + "
  • items you owned for another reason before you started using them in your business
  • ", + "
  • items given to you or your business
  • ", + "

    Claim writing down allowances instead.

    ", + "

    The AIA amount

    ", + "

    The AIA amount has temporarily increased to \u00a31 million between 1 January 2019 and 31 December 2020.

    ", + "

    Changes to the AIA

    ", + "

    The\u00a0AIA\u00a0amount has changed several times since April 2008.

    ", + "

    If the AIA changed in the period you\u2019re claiming for, you need to adjust the amount you can claim.

    ", + "AIA | Sole traders/partners | Limited companies", + "1 million | 1 January 2019 - 31 December 2020 | 1 January 2019 - 31 December 2020", + "\u00a3200,000 | 1 January 2016 - 31 December 2018 | 1 January 2016 - 31 December 2018", + "\u00a3500,000 | 6 April 2014 - 31 December 2015 | 1 April 2014 - 31 December 2015", + "\u00a3250,000 | 1 January 2013 - 5 April 2014 | 1 January 2013 - 31 March 2014", + "\u00a325,000 | 6 April 2012 - 31 December 2012 | 1 April 2012 - 31 December 2012", + "\u00a3100,000 | 6 April 2010 - 5 April 2012 | 1 April 2010 - 31 March 2012", + "\u00a350,000 | 6 April 2008 - 5 April 2010 | 1 April 2008 - 31 March 2010", + "

    You get a new allowance for each accounting period.

    ", + "

    If your accounting period is more or less than 12 months

    ", + "

    Adjust your AIA if your accounting period is more or less than 12 months.

    ", + "

    The rules are different if your accounting period is longer than 18 months or you have a gap or overlap between accounting periods.

    ", + "

    When you can claim

    ", + "

    You can only claim AIA in the period you bought the item.

    ", + "

    The date you bought it is:

    ", + "
  • when you signed the contract, if payment is due within less than 4 months
  • ", + "
  • when payment\u2019s due, if it\u2019s due more than 4 months later
  • ", + "

    If you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.

    ", + "

    If your business closes, you cannot claim AIA for items bought in the final accounting period.

    ", + "

    If you do not want to claim the full cost

    ", + "

    If you do not want to claim the full cost, for example you have low profits, you can claim:

    ", + "
  • writing down allowances instead
  • ", + "
  • part of the cost as AIA and part as writing down allowances
  • ", + "

    Items you also use outside your business

    ", + "

    You cannot claim the full value of items you also use outside your business if you\u2019re a sole trader or partner. Reduce the capital allowances you claim by the amount you use the asset outside your business.

    ", + "

    If you spend more than the AIA amount

    ", + "

    Claim writing down allowances on any amount above the AIA. If a single item takes you above the AIA amount you can split the value between the types of allowance.

    ", + "

    Mixed partnerships

    ", + "

    AIA is not available for partnerships where one of the partners is a company or another partnership.

    ", + "

    More than one business or trade

    ", + "

    If you\u2019re a sole trader or a partner and you have more than one business or trade, each business usually gets an AIA.

    ", + "

    You only get one AIA if the businesses are both:

    ", + "
  • controlled by the same person
  • ", + "
  • in the same premises or have similar activities
  • ", + "

    If 2 or more limited companies are controlled by the same person they only get one AIA between them. They can choose how to share the AIA.

    ", + "

    How to claim

    ", + "

    Claim on your tax return.

    ", + "

    First year allowances

    ", + "

    If you buy an asset that qualifies for first year allowances you can deduct the full cost from your profits before tax.

    ", + "

    You can claim first year allowances in addition to annual investment allowance - they do not count towards your AIA limit.

    ", + "

    What qualifies

    ", + "

    You can claim \u2018enhanced capital allowances\u2019 (a type of first year allowances) for the following energy and water efficient equipment:

    ", + "
  • some cars with low CO2 emissions
  • ", + "
  • energy saving equipment that\u2019s on the energy technology product list, for example certain motors
  • ", + "
  • water saving equipment that\u2019s on the water efficient technologies product list, for example meters, efficient toilets and taps
  • ", + "
  • plant and machinery for gas refuelling stations, for example storage tanks, pumps
  • ", + "
  • gas, biogas and hydrogen refuelling equipment
  • ", + "
  • new zero-emission goods vehicles
  • ", + "

    You cannot normally claim on items your business buys to lease to other people or for use within a home you let out.

    ", + "

    How to claim

    ", + "

    Claim on your tax return.

    ", + "

    If you do not claim all the first year allowances you\u2019re entitled to, you can claim part of the cost in the next accounting period using writing down allowances.

    ", + "

    Business cars

    ", + "

    You can claim capital allowances on cars you buy and use in your business. This means you can deduct part of the value from your profits before you pay tax.

    ", + "

    Use writing down allowances to work out what you can claim - cars do not qualify for annual investment allowance (AIA).

    ", + "

    Sole traders and partners

    ", + "

    If you\u2019re a sole trader or a partner you can claim simplified mileage expenses on business vehicles instead - as long as you have not already claimed for them in another way.

    ", + "

    Employees

    ", + "

    If you\u2019re an employee you cannot claim capital allowances for cars, motorbikes and bicycles you use for work, but you may be able to claim for business mileage and fuel costs.

    ", + "

    What counts as a car

    ", + "

    For capital allowances a car is a type of vehicle that:

    ", + "
  • is suitable for private use - this includes motorhomes
  • ", + "
  • most people use privately
  • ", + "
  • was not built for transporting goods
  • ", + "

    What does not count

    ", + "

    Because they do not count as cars you can claim AIA on:

    ", + "
  • motorcycles - apart from those bought before 6 April 2009
  • ", + "
  • lorries, vans and trucks
  • ", + "

    Rates for cars

    ", + "

    The rate you can claim depends on the CO2 emissions of your car and the date you bought it.

    ", + "

    The main and special rates apply from 1 April for limited companies, and 6 April for sole traders and partners. The first year allowances rate applies from 1 April for all businesses.

    ", + "

    Cars bought from April 2021

    ", + "Description of car | What you can claim", + "New and unused, CO2 emissions are 0g/km (or car is electric) | First year allowances", + "New and unused, CO2 emissions are between 1g/km and 50g/km | Main rate allowances", + "Second hand, CO2 emissions are between 1g/km and 50g/km (or car is electric) | Main rate allowances", + "New or second hand, CO2 emissions are above 50g/km | Special rate allowances", + "

    Cars bought between April 2018 and April 2021

    ", + "Description of car | What you can claim", + "New and unused, CO2 emissions are 50g/km or less (or car is electric) | First year allowances", + "New and unused, CO2 emissions are between 50g/km and 110g/km | Main rate allowances", + "Second hand, CO2 emissions are 110g/km or less (or car is electric) | Main rate allowances", + "New or second hand, CO2 emissions are above 110g/km | Special rate allowances", + "

    Cars bought between April 2015 and April 2018

    ", + "Description of car | What you can claim", + "New and unused, CO2 emissions are 75g/km or less (or car is electric) | First year allowances", + "New and unused, CO2 emissions are between 75g/km and 130g/km | Main rate allowances", + "Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances", + "New or second hand, CO2 emissions are above 130g/km | Special rate allowances", + "

    Cars bought between April 2013 and April 2015

    ", + "Description of car | What you can claim", + "New and unused, CO2 emissions are 95g/km or less (or car is electric) | First year allowances", + "New and unused, CO2 emissions are between 95g/km and 130g/km | Main rate allowances", + "Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances", + "New or second hand, CO2 emissions are above 130g/km | Special rate allowances", + "

    Cars bought between April 2009 and April 2013

    ", + "Description of car | What you can claim", + "New and unused, CO2 emissions are 110g/km or less (or car is electric) | First year allowances", + "New and unused, CO2 emissions are between 110g/km and 160g/km | Main rate allowances", + "Second hand, CO2 emissions are 160g/km or less (or car is electric) | Main rate allowances", + "New or second hand, CO2 emissions above 160g/km | Special rate allowances", + "

    Move the balance of any cars bought before April 2009 to your main rate allowances pool.

    ", + "

    If your car does not have an emissions figure use the special rate - use the main rate if it was registered before 1 March 2001.

    ", + "

    Using cars outside your business

    ", + "

    If you\u2019re a sole trader or partner and you also use your car outside your business, calculate how much you can claim based on the amount of business use.

    ", + "

    If your business provides a car for an employee or director you can claim capital allowances on the full cost. You may need to report it as a benefit if they use it personally.

    ", + "

    How to claim

    ", + "

    When you\u2019ve worked out your capital allowances, claim on your:

    ", + "
  • Self Assessment tax return if you\u2019re a sole trader
  • ", + "
  • partnership tax return if you\u2019re a partner
  • ", + "
  • Company Tax Return if you\u2019re a limited company - you must include a separate capital allowances calculation
  • ", + "

    Employees must claim in a different way.

    ", + "

    The amount you can claim is deducted from your profits.

    ", + "

    When you can claim

    ", + "

    You must claim in the accounting period you bought the item if you want to claim the full value under:

    ", + "
  • annual investment allowance
  • ", + "
  • first year allowances
  • ", + "

    If you do not want to claim the full value you can claim part of it using writing down allowances. You can do this at any time as long as you still own the item.

    ", + "

    When you bought it

    ", + "

    The date you bought it is:

    ", + "
  • when you signed the contract, if payment is due within less than 4 months
  • ", + "
  • when payment\u2019s due, if it\u2019s due more than 4 months later
  • ", + "

    If you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.

    " + ] + }, + "https://www.gov.uk/company-tax-returns": { + "url": "https://www.gov.uk/company-tax-returns", + "title": "Company Tax Returns", + "content": "## Overview\n\nYour company or association must file a Company Tax Return if you get a \u2018notice to deliver a Company Tax Return\u2019 from HM Revenue and Customs (HMRC).\n\nYou must still send a return if you make a loss or have no Corporation Tax to pay.\n\nYou do not send a Company Tax Return if you\u2019re self-employed as a sole trader or in a partnership - but you must send a Self Assessment return.\n\n## What it involves\n\nWhen you file your tax return, you work out your:\n\n- profit or loss for Corporation Tax (this is different from the profit or loss shown in your annual accounts)\n\n- Corporation Tax bill\n\nYou can either get an accountant to prepare and file your tax return or do it yourself.\n\nIf you have a limited company, you may be able to file your accounts with Companies House at the same time as your tax return.\n\n## Deadlines\n\nThe deadline for your tax return is 12 months after the end of the accounting period it covers. You\u2019ll have to pay a penalty if you miss the deadline.\n\nThere\u2019s a separate deadline to pay your Corporation Tax bill. It\u2019s usually 9 months and one day after the end of the accounting period.\n\n## Penalties for late filing\n\nYou\u2019ll have to pay penalties if you do not file your Company Tax Return by the deadline.\n\n| Time after your deadline | Penalty |\n\n| 1 day | \u00a3100 |\n\n| 3 months | Another \u00a3100 |\n\n| 6 months | HM Revenue and Customs (HMRC) will estimate your Corporation Tax bill and add a penalty of 10% the unpaid tax |\n\n| 12 months | Another 10% of any unpaid tax |\n\nIf your tax return is late 3 times in a row, the \u00a3100 penalties are increased to \u00a3500 each.\n\n## If your tax return is more than 6 months late\n\nIf your tax return is 6 months late, HMRC will write telling you how much Corporation Tax they think you must pay. This is called a \u2018tax determination\u2019. You cannot appeal against it.\n\nYou must pay the Corporation Tax due and file your tax return. HMRC will recalculate the interest and penalties you need to pay.\n\n## Appeals\n\nIf you have a reasonable excuse, you can appeal against a late filing penalty by writing to your company\u2019s Corporation Tax office.\n\nCheck recent tax forms or letters from HMRC for your Corporation Tax office address or call the Corporation Tax helpline.\n\n## Making changes\n\nYou must usually make any changes (\u2018amendments\u2019) within 12 months of the filing deadline.\n\nYou can:\n\n- log in to HM Revenue and Customs (HMRC) online services to amend your Company Tax Return\n\n- use commercial software\n\n- send a paper return or write to your company\u2019s Corporation Tax office\n\nCheck recent tax forms or letters from HMRC for the Corporation Tax office address or call the helpline.\n\nHMRC may charge you a penalty for errors.\n\nHMRC can make a compliance check to check for errors in your Company Tax Return.", + "original_contents": [ + "

    Overview

    ", + "

    Your company or association must file a Company Tax Return if you get a \u2018notice to deliver a Company Tax Return\u2019 from HM Revenue and Customs (HMRC).

    ", + "

    You must still send a return if you make a loss or have no Corporation Tax to pay.

    ", + "

    You do not send a Company Tax Return if you\u2019re self-employed as a sole trader or in a partnership - but you must send a Self Assessment return.

    ", + "

    What it involves

    ", + "

    When you file your tax return, you work out your:

    ", + "
  • profit or loss for Corporation Tax (this is different from the profit or loss shown in your annual accounts)
  • ", + "
  • Corporation Tax bill
  • ", + "

    You can either get an accountant to prepare and file your tax return or do it yourself.

    ", + "

    If you have a limited company, you may be able to file your accounts with Companies House at the same time as your tax return.

    ", + "

    Deadlines

    ", + "

    The deadline for your tax return is 12 months after the end of the accounting period it covers. You\u2019ll have to pay a penalty if you miss the deadline.

    ", + "

    There\u2019s a separate deadline to pay your Corporation Tax bill. It\u2019s usually 9 months and one day after the end of the accounting period.

    ", + "

    Penalties for late filing

    ", + "

    You\u2019ll have to pay penalties if you do not file your Company Tax Return by the deadline.

    ", + "Time after your deadline | Penalty", + "1 day | \u00a3100", + "3 months | Another \u00a3100", + "6 months | HM Revenue and Customs (HMRC) will estimate your Corporation Tax bill and add a penalty of 10% the unpaid tax", + "12 months | Another 10% of any unpaid tax", + "

    If your tax return is late 3 times in a row, the \u00a3100 penalties are increased to \u00a3500 each.

    ", + "

    If your tax return is more than 6 months late

    ", + "

    If your tax return is 6 months late, HMRC will write telling you how much Corporation Tax they think you must pay. This is called a \u2018tax determination\u2019. You cannot appeal against it.

    ", + "

    You must pay the Corporation Tax due and file your tax return. HMRC will recalculate the interest and penalties you need to pay.

    ", + "

    Appeals

    ", + "

    If you have a reasonable excuse, you can appeal against a late filing penalty by writing to your company\u2019s Corporation Tax office.

    ", + "

    Check recent tax forms or letters from HMRC for your Corporation Tax office address or call the Corporation Tax helpline.

    ", + "

    Making changes

    ", + "

    You must usually make any changes (\u2018amendments\u2019) within 12 months of the filing deadline.

    ", + "

    You can:

    ", + "
  • log in to HM Revenue and Customs (HMRC) online services to amend your Company Tax Return
  • ", + "
  • use commercial software
  • ", + "
  • send a paper return or write to your company\u2019s Corporation Tax office
  • ", + "

    Check recent tax forms or letters from HMRC for the Corporation Tax office address or call the helpline.

    ", + "

    HMRC may charge you a penalty for errors.

    ", + "

    HMRC can make a compliance check to check for errors in your Company Tax Return.

    " + ] + }, + "https://www.gov.uk/tax-when-your-company-sells-assets": { + "url": "https://www.gov.uk/tax-when-your-company-sells-assets", + "title": "Corporation Tax when you sell business assets", + "content": "## Overview\n\nYour limited company usually pays Corporation Tax on the profit (\u2018chargeable gain\u2019) from selling or disposing of an asset.\n\n## Company assets\n\nAssets are things your company owns, such as:\n\n- land and property\n\n- equipment and machinery\n\n- shares\n\n## Who pays Corporation Tax\n\nCorporation Tax on chargeable gains is paid by:\n\n- limited companies\n\n- most unincorporated associations, for example clubs and co-operatives\n\n- foreign companies with a UK branch or office\n\nYou pay Capital Gains Tax instead if you\u2019re a self-employed sole trader or business partner.\n\n## Work out and report your gain\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nReport your gains to HM Revenue and Customs (HMRC) when you file your Company Tax Return. How much tax you pay depends on any allowances and reliefs you claim.\n\nThere are different rules for intangible assets, for example intellectual property and business reputation (\u2018goodwill\u2019).\n\n## Work out a chargeable gain\n\nThe gain is usually the difference between what you paid for the asset and what you sold it for.\n\nYou\u2019ll need to use the asset\u2019s market value if your business gave it away, or sold it for less than it was worth to help the buyer.\n\nYou can deduct any costs, for example solicitors\u2019 fees or Stamp Duty.\n\n## If you had the asset before December 2017\n\nBefore you work out your gain you need to work out how much you would have paid for the asset in today\u2019s money using the HM Revenue and Customs (HMRC) Indexation Allowance.\n\nThis will make your gain smaller and mean you pay less tax.\n\n## How to work out the gain\n\n- Work out the asset\u2019s value when it was sold - this is usually the amount your company received.\n\n- Deduct the amount your company paid for the asset. If it was not acquired in a normal commercial transaction you need to use the market value at the time.\n\n- Deduct any money your company spent buying, selling or improving the asset, for example solicitors\u2019 fees and Stamp Duty. (You cannot deduct maintenance costs.)\n\n- If you had the asset before December 2017, use HMRC\u2019s Indexation Allowance December 2017 guide for the month when your company sold the asset. Then find the figure (\u2018inflation factor\u2019) for the year and month when your company bought the asset. Multiply this by the amount you paid for the asset. Deduct the total from your profit.\n\n- If you made improvements to the asset, work out the effects of inflation in the same way. Deduct the total from your profit.\n\nYou now have your chargeable gain. You can ask HMRC to check your valuation by filling in a post-transaction valuation check form. Return it to the address on the form and allow at least 3 months for HMRC\u2019s response.\n\n## If you make a loss when you sell an asset\n\nYou can reduce your total chargeable gains by deducting any capital losses.\n\nYou can only deduct capital losses from your chargeable gains - not from trading income or other profits.\n\nThe loss you can claim is reduced by any amount you\u2019ve claimed as capital allowances.\n\n## Intangible assets\n\n\u2018Intangible assets\u2019 include intellectual property and business reputation (\u2018goodwill\u2019).\n\nHow you\u2019re taxed on gains from intangible assets depends on when your limited company first owned them.\n\n## After 31 March 2002\n\nInclude gains on intangible assets in your company\u2019s business income (\u2018trading profits\u2019) if your company acquired or created them after 31 March 2002. You pay Corporation Tax on trading profits.\n\n## Before 1 April 2002\n\nUse the detailed guidance to work out gains on intangible assets or get help from a professional, like an accountant.\n\nIf your company\u2019s intangible assets came from a change in business structure (for example from a business partnership or self-employed sole trader), use the date the assets were acquired or created before the structure change.", + "original_contents": [ + "

    Overview

    ", + "

    Your limited company usually pays Corporation Tax on the profit (\u2018chargeable gain\u2019) from selling or disposing of an asset.

    ", + "

    Company assets

    ", + "

    Assets are things your company owns, such as:

    ", + "
  • land and property
  • ", + "
  • equipment and machinery
  • ", + "
  • shares
  • ", + "

    Who pays Corporation Tax

    ", + "

    Corporation Tax on chargeable gains is paid by:

    ", + "
  • limited companies
  • ", + "
  • most unincorporated associations, for example clubs and co-operatives
  • ", + "
  • foreign companies with a UK branch or office
  • ", + "

    You pay Capital Gains Tax instead if you\u2019re a self-employed sole trader or business partner.

    ", + "

    Work out and report your gain

    ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax.

    ", + "

    Report your gains to HM Revenue and Customs (HMRC) when you file your Company Tax Return. How much tax you pay depends on any allowances and reliefs you claim.

    ", + "

    There are different rules for intangible assets, for example intellectual property and business reputation (\u2018goodwill\u2019).

    ", + "

    Work out a chargeable gain

    ", + "

    The gain is usually the difference between what you paid for the asset and what you sold it for.

    ", + "

    You\u2019ll need to use the asset\u2019s market value if your business gave it away, or sold it for less than it was worth to help the buyer.

    ", + "

    You can deduct any costs, for example solicitors\u2019 fees or Stamp Duty.

    ", + "

    If you had the asset before December 2017

    ", + "

    Before you work out your gain you need to work out how much you would have paid for the asset in today\u2019s money using the HM Revenue and Customs (HMRC) Indexation Allowance.

    ", + "

    This will make your gain smaller and mean you pay less tax.

    ", + "

    How to work out the gain

    ", + "
  • Work out the asset\u2019s value when it was sold - this is usually the amount your company received.
  • ", + "
  • Deduct the amount your company paid for the asset. If it was not acquired in a normal commercial transaction you need to use the market value at the time.
  • ", + "
  • Deduct any money your company spent buying, selling or improving the asset, for example solicitors\u2019 fees and Stamp Duty. (You cannot deduct maintenance costs.)
  • ", + "
  • If you had the asset before December 2017, use HMRC\u2019s Indexation Allowance December 2017 guide for the month when your company sold the asset. Then find the figure (\u2018inflation factor\u2019) for the year and month when your company bought the asset. Multiply this by the amount you paid for the asset. Deduct the total from your profit.
  • ", + "
  • If you made improvements to the asset, work out the effects of inflation in the same way. Deduct the total from your profit.
  • ", + "

    You now have your chargeable gain. You can ask HMRC to check your valuation by filling in a post-transaction valuation check form. Return it to the address on the form and allow at least 3 months for HMRC\u2019s response.

    ", + "

    If you make a loss when you sell an asset

    ", + "

    You can reduce your total chargeable gains by deducting any capital losses.

    ", + "

    You can only deduct capital losses from your chargeable gains - not from trading income or other profits.

    ", + "

    The loss you can claim is reduced by any amount you\u2019ve claimed as capital allowances.

    ", + "

    Intangible assets

    ", + "

    \u2018Intangible assets\u2019 include intellectual property and business reputation (\u2018goodwill\u2019).

    ", + "

    How you\u2019re taxed on gains from intangible assets depends on when your limited company first owned them.

    ", + "

    After 31 March 2002

    ", + "

    Include gains on intangible assets in your company\u2019s business income (\u2018trading profits\u2019) if your company acquired or created them after 31 March 2002. You pay Corporation Tax on trading profits.

    ", + "

    Before 1 April 2002

    ", + "

    Use the detailed guidance to work out gains on intangible assets or get help from a professional, like an accountant.

    ", + "

    If your company\u2019s intangible assets came from a change in business structure (for example from a business partnership or self-employed sole trader), use the date the assets were acquired or created before the structure change.

    " + ] + }, + "https://www.gov.uk/dormant-company": { + "url": "https://www.gov.uk/dormant-company", + "title": "Dormant companies and associations", + "content": "## Overview\n\nYour company or association may be \u2018dormant\u2019 if it\u2019s not doing business (\u2018trading\u2019) and doesn\u2019t have any other income, for example investments.\n\nDormant means different things for:\n\n- Corporation Tax and Company Tax Returns\n\n- annual accounts and returns for Companies House if you have a limited company\n\n## Dormant for Corporation Tax\n\nYour company is usually dormant for Corporation Tax if it:\n\n- has stopped trading and has no other income, for example investments\n\n- is a new limited company that hasn\u2019t started trading\n\n- is an unincorporated association or club owing less than \u00a3100 Corporation Tax\n\n- is a flat management company\n\nTrading includes buying, selling, renting property, advertising, employing someone or getting interest. HMRC has detailed guidance on what counts as dormant for Corporation Tax.\n\n## When HMRC thinks your company is dormant\n\nYou may get a letter from HMRC telling you:\n\n- they\u2019ve decided to treat your company or association as dormant\n\n- that you don\u2019t have to pay Corporation Tax or file Company Tax Returns\n\n## When you think your company is dormant\n\nIf your company has stopped trading and has no other income, you can tell HMRC that it\u2019s dormant for Corporation Tax.\n\n## If you\u2019ve never had a \u2018notice to deliver a Company Tax Return\u2019\n\nYou can tell HMRC your company\u2019s dormant over the phone or by post.\n\n## If you\u2019ve filed a Company Tax Return or had a \u2018notice to deliver a Company Tax Return\u2019\n\nYou\u2019ll still need to file a Company Tax Return online - this will show HMRC that your company is dormant for this period.\n\n## Limited companies\n\nYou don\u2019t need to pay Corporation Tax or file another Company Tax Return once you\u2019ve told HMRC your company is dormant unless you receive a further notice to deliver a Company Tax Return.\n\nYou must still file annual accounts and a confirmation statement (previously annual return) - exactly what you must do depends on if you\u2019re dormant for Companies House.\n\nFind out how to restart your company.\n\n## If you\u2019re registered for VAT\n\nIf you do not intend to trade again you must deregister for VAT within 30 days of your company becoming dormant.\n\nHowever, if you plan to restart trading, you must send \u2018nil\u2019 (empty) VAT returns while your company is dormant.\n\n## If you employ people\n\nIf you do not plan to restart trading in this tax year, you should close your PAYE scheme.\n\n## Dormant for Companies House\n\nYou must file your confirmation statement (previously annual return) and annual accounts with Companies House even if your limited company is:\n\n- dormant for Corporation Tax\n\n- dormant according to Companies House\n\nBut if your company is dormant according to Companies House and also qualifies as \u2018small\u2019 you:\n\n- can file \u2018dormant accounts\u2019 instead\n\n- don\u2019t have to include an auditor\u2019s report with your accounts\n\nCheck what to include in your accounts if your company is small and dormant for Companies House.\n\n## Dormant according to Companies House\n\nYour company is called dormant by Companies House if it\u2019s had no \u2018significant\u2019 transactions in the financial year.\n\nSignificant transactions don\u2019t include:\n\n- filing fees paid to Companies House\n\n- penalties for late filing of accounts\n\n- money paid for shares when the company was incorporated\n\nYou do not need to tell Companies House if you restart trading. The next set of non-dormant accounts that you file will show that your company is no longer dormant.", + "original_contents": [ + "

    Overview

    ", + "

    Your company or association may be \u2018dormant\u2019 if it\u2019s not doing business (\u2018trading\u2019) and doesn\u2019t have any other income, for example investments.

    ", + "

    Dormant means different things for:

    ", + "
  • Corporation Tax and Company Tax Returns
  • ", + "
  • annual accounts and returns for Companies House if you have a limited company
  • ", + "

    Dormant for Corporation Tax

    ", + "

    Your company is usually dormant for Corporation Tax if it:

    ", + "
  • has stopped trading and has no other income, for example investments
  • ", + "
  • is a new limited company that hasn\u2019t started trading
  • ", + "
  • is an unincorporated association or club owing less than \u00a3100 Corporation Tax
  • ", + "
  • is a flat management company
  • ", + "

    Trading includes buying, selling, renting property, advertising, employing someone or getting interest. HMRC has detailed guidance on what counts as dormant for Corporation Tax.

    ", + "

    When HMRC thinks your company is dormant

    ", + "

    You may get a letter from HMRC telling you:

    ", + "
  • they\u2019ve decided to treat your company or association as dormant
  • ", + "
  • that you don\u2019t have to pay Corporation Tax or file Company Tax Returns
  • ", + "

    When you think your company is dormant

    ", + "

    If your company has stopped trading and has no other income, you can tell HMRC that it\u2019s dormant for Corporation Tax.

    ", + "

    If you\u2019ve never had a \u2018notice to deliver a Company Tax Return\u2019

    ", + "

    You can tell HMRC your company\u2019s dormant over the phone or by post.

    ", + "

    If you\u2019ve filed a Company Tax Return or had a \u2018notice to deliver a Company Tax Return\u2019

    ", + "

    You\u2019ll still need to file a Company Tax Return online - this will show HMRC that your company is dormant for this period.

    ", + "

    Limited companies

    ", + "

    You don\u2019t need to pay Corporation Tax or file another Company Tax Return once you\u2019ve told HMRC your company is dormant unless you receive a further notice to deliver a Company Tax Return.

    ", + "

    You must still file annual accounts and a confirmation statement (previously annual return) - exactly what you must do depends on if you\u2019re dormant for Companies House.

    ", + "

    Find out how to restart your company.

    ", + "

    If you\u2019re registered for VAT

    ", + "

    If you do not intend to trade again you must deregister for VAT within 30 days of your company becoming dormant.

    ", + "

    However, if you plan to restart trading, you must send \u2018nil\u2019 (empty) VAT returns while your company is dormant.

    ", + "

    If you employ people

    ", + "

    If you do not plan to restart trading in this tax year, you should close your PAYE scheme.

    ", + "

    Dormant for Companies House

    ", + "

    You must file your confirmation statement (previously annual return) and annual accounts with Companies House even if your limited company is:

    ", + "
  • dormant for Corporation Tax
  • ", + "
  • dormant according to Companies House
  • ", + "

    But if your company is dormant according to Companies House and also qualifies as \u2018small\u2019 you:

    ", + "
  • can file \u2018dormant accounts\u2019 instead
  • ", + "
  • don\u2019t have to include an auditor\u2019s report with your accounts
  • ", + "

    Check what to include in your accounts if your company is small and dormant for Companies House.

    ", + "

    Dormant according to Companies House

    ", + "

    Your company is called dormant by Companies House if it\u2019s had no \u2018significant\u2019 transactions in the financial year.

    ", + "

    Significant transactions don\u2019t include:

    ", + "
  • filing fees paid to Companies House
  • ", + "
  • penalties for late filing of accounts
  • ", + "
  • money paid for shares when the company was incorporated
  • ", + "

    You do not need to tell Companies House if you restart trading. The next set of non-dormant accounts that you file will show that your company is no longer dormant.

    " + ] + }, + "https://www.gov.uk/expenses-if-youre-self-employed": { + "url": "https://www.gov.uk/expenses-if-youre-self-employed", + "title": "Expenses if you're self-employed", + "content": "## Overview\n\nIf you\u2019re self-employed, your business will have various running costs. You can deduct some of these costs to work out your taxable profit as long as they\u2019re allowable expenses.\n\nAllowable expenses do not include money taken from your business to pay for private purchases.\n\nIf you run your own limited company, you need to follow different rules. You can deduct any business costs from your profits before tax. You must report any item you make personal use of as a company benefit.\n\n## Costs you can claim as allowable expenses\n\nThese include:\n\n- office costs, for example stationery or phone bills\n\n- travel costs, for example fuel, parking, train or bus fares\n\n- clothing expenses, for example uniforms\n\n- staff costs, for example salaries or subcontractor costs\n\n- things you buy to sell on, for example stock or raw materials\n\n- financial costs, for example insurance or bank charges\n\n- costs of your business premises, for example heating, lighting, business rates\n\n- advertising or marketing, for example website costs\n\n- training courses related to your business, for example refresher courses\n\nYou cannot claim expenses if you use your \u00a31,000 tax-free \u2018trading allowance\u2019.\n\nContact the Self Assessment helpline if you\u2019re not sure whether a business cost is an allowable expense.\n\n## Costs you can claim as capital allowances\n\nIf you use traditional accounting, claim capital allowances when you buy something you keep to use in your business, for example:\n\n- equipment\n\n- machinery\n\n- business vehicles, for example cars, vans, lorries\n\nYou cannot claim capital allowances if you use your \u00a31,000 tax-free \u2018trading allowance\u2019.\n\n## If you use cash basis\n\nIf you use cash basis accounting and buy a car for your business, you can claim this as a capital allowance. However, all other items you buy and keep for your business should be claimed as allowable expenses in the normal way.\n\n## If you use something for both business and personal reasons\n\nYou can only claim allowable expenses for the business costs.\n\n## If you work from home\n\nYou may be able to claim a proportion of your costs for things like:\n\n- heating\n\n- electricity\n\n- Council Tax\n\n- mortgage interest or rent\n\n- internet and telephone use\n\nYou\u2019ll need to find a reasonable method of dividing your costs, for example by the number of rooms you use for business or the amount of time you spend working from home.\n\n## Simplified expenses\n\nYou can avoid using complex calculations to work out your business expenses by using simplified expenses. Simplified expenses are flat rates that can be used for:\n\n- vehicles\n\n- working from home\n\n- living on your business premises\n\n## Office, property and equipment\n\nClaim items you\u2019d normally use for less than 2 years as allowable expenses, for example:\n\n- stationery\n\n- rent, rates, power and insurance costs\n\nFor equipment you keep to use in your business, for example computers or printers, claim:\n\n- allowable expenses if you use cash basis accounting\n\n- capital allowances if you use traditional accounting\n\nYou cannot claim for any non-business use of premises, phones or other office resources.\n\n## Stationery\n\nYou can claim expenses for:\n\n- phone, mobile, fax and internet bills\n\n- postage\n\n- stationery\n\n- printing\n\n- printer ink and cartridges\n\n- computer software your business uses for less than 2 years\n\n- computer software if your business makes regular payments to renew the licence (even if you use it for more than 2 years)\n\nClaim other software for your business as capital allowances, unless you use cash basis.\n\n## Rents, rates, power and insurance costs\n\nYou can claim expenses for:\n\n- rent for business premises\n\n- business and water rates\n\n- utility bills\n\n- property insurance\n\n- security\n\n- using your home as an office (only the part that\u2019s used for business)\n\n## Business premises\n\nYou cannot claim expenses or allowances for buying building premises.\n\nClaim expenses for repairs and maintenance of business premises and equipment.\n\nFor alterations to install or replace equipment, claim:\n\n- allowable expenses if you use cash basis accounting\n\n- capital allowances if you use traditional accounting\n\nYou can also claim capital allowances for some integral parts of a building, for example water heating systems.\n\n## Car, van and travel expenses\n\nYou can claim allowable business expenses for:\n\n- vehicle insurance\n\n- repairs and servicing\n\n- fuel\n\n- parking\n\n- hire charges\n\n- vehicle licence fees\n\n- breakdown cover\n\n- train, bus, air and taxi fares\n\n- hotel rooms\n\n- meals on overnight business trips\n\nYou cannot claim for:\n\n- non-business driving or travel costs\n\n- fines\n\n- travel between home and work\n\nYou may be able to calculate your car, van or motorcycle expenses using a flat rate (known as simplified expenses) for mileage instead of the actual costs of buying and running your vehicle.\n\n## Buying vehicles\n\nIf you use traditional accounting and buy a vehicle for your business, you can claim this as a capital allowance.\n\nIf you use cash basis accounting and buy a car for your business, claim this as a capital allowance as long as you\u2019re not using simplified expenses.\n\nFor all other types of vehicle, claim them as allowable expenses.\n\n## Clothing expenses\n\nYou can claim allowable business expenses for:\n\n- uniforms\n\n- protective clothing needed for your work\n\n- costumes for actors or entertainers\n\nYou cannot claim for everyday clothing (even if you wear it for work).\n\n## Staff expenses\n\nYou can claim allowable business expenses for:\n\n- employee and staff salaries\n\n- bonuses\n\n- pensions\n\n- benefits\n\n- agency fees\n\n- subcontractors\n\n- employer\u2019s National Insurance\n\n- training courses related to your business\n\nYou cannot claim for carers or domestic help, for example nannies.\n\n## Reselling goods\n\nYou can claim allowable business expenses for:\n\n- goods for resale (stock)\n\n- raw materials\n\n- direct costs from producing goods\n\nYou cannot claim for:\n\n- any goods or materials bought for private use\n\n- depreciation of equipment\n\n## Legal and financial costs\n\nAccountancy, legal and other professional fees can count as allowable business expenses.\n\nYou can claim costs for:\n\n- hiring of accountants, solicitors, surveyors and architects for business reasons\n\n- professional indemnity insurance premiums\n\nYou cannot claim for:\n\n- legal costs of buying property and machinery - if you use traditional accounting, claim for these costs as capital allowances\n\n- fines for breaking the law\n\n## Bank, credit card and other financial charges\n\nYou can claim business costs for:\n\n- bank, overdraft and credit card charges\n\n- interest on bank and business loans\n\n- hire purchase interest\n\n- leasing payments\n\n- alternative finance payments, for example Islamic finance\n\nIf you\u2019re using cash basis accounting you can only claim up to \u00a3500 in interest and bank charges.\n\nYou cannot claim for repayments of loans, overdrafts or finance arrangements.\n\n## Insurance policies\n\nYou can claim for any insurance policy for your business, for example public liability insurance.\n\n## When your customer does not pay you\n\nIf you\u2019re using traditional accounting, you can claim for amounts of money you include in your turnover but will not ever receive (\u2018bad debts\u2019). However, you can only write off these debts if you\u2019re sure they will not be recovered from your customer in the future.\n\nYou cannot claim for:\n\n- debts not included in turnover\n\n- debts related to the disposal of fixed assets, for example land, buildings, machinery\n\n- bad debts that are not properly calculated, for example you can not just estimate that your debts are equal to 5% of your turnover\n\nBad debts cannot be claimed if you use cash basis accounting because you\u2019ve not received the money from your debtors. With cash basis, you only record income on your return that you\u2019ve actually received.\n\n## Marketing, entertainment and subscriptions\n\nYou can claim allowable business expenses for:\n\n- advertising in newspapers or directories\n\n- bulk mail advertising (mailshots)\n\n- free samples\n\n- website costs\n\nYou cannot claim for:\n\n- entertaining clients, suppliers and customers\n\n- event hospitality\n\n## Subscriptions\n\nYou can claim for:\n\n- trade or professional journals\n\n- trade body or professional organisation membership if related to your business\n\nYou cannot claim for:\n\n- payments to political parties\n\n- gym membership fees\n\n- donations to charity - but you may be able to claim for sponsorship payments\n\n## Training courses\n\nYou can claim allowable business expenses for training that helps you improve the skills and knowledge you use in your business (for example, refresher courses).\n\nThe training courses must be related to your business.\n\nYou cannot claim for training courses that help you:\n\n- start a new business\n\n- expand into new areas of business, including anything related to your current business\n\n## How to claim\n\nKeep records of all your business expenses as proof of your costs.\n\nAdd up all your allowable expenses for the tax year and put the total amount on your Self Assessment tax return.\n\nYou do not need to send in proof of expenses when you submit your tax return. But you should keep proof and records so you can show them to HM Revenue and Customs (HMRC) if asked.\n\nYou must make sure your records are accurate.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re self-employed, your business will have various running costs. You can deduct some of these costs to work out your taxable profit as long as they\u2019re allowable expenses.

    ", + "

    Allowable expenses do not include money taken from your business to pay for private purchases.

    ", + "

    If you run your own limited company, you need to follow different rules. You can deduct any business costs from your profits before tax. You must report any item you make personal use of as a company benefit.

    ", + "

    Costs you can claim as allowable expenses

    ", + "

    These include:

    ", + "
  • office costs, for example stationery or phone bills
  • ", + "
  • travel costs, for example fuel, parking, train or bus fares
  • ", + "
  • clothing expenses, for example uniforms
  • ", + "
  • staff costs, for example salaries or subcontractor costs
  • ", + "
  • things you buy to sell on, for example stock or raw materials
  • ", + "
  • financial costs, for example insurance or bank charges
  • ", + "
  • costs of your business premises, for example heating, lighting, business rates
  • ", + "
  • advertising or marketing, for example website costs
  • ", + "
  • training courses related to your business, for example refresher courses
  • ", + "

    You cannot claim expenses if you use your \u00a31,000 tax-free \u2018trading allowance\u2019.

    ", + "

    Contact the Self Assessment helpline if you\u2019re not sure whether a business cost is an allowable expense.

    ", + "

    Costs you can claim as capital allowances

    ", + "

    If you use traditional accounting, claim capital allowances when you buy something you keep to use in your business, for example:

    ", + "
  • equipment
  • ", + "
  • machinery
  • ", + "
  • business vehicles, for example cars, vans, lorries
  • ", + "

    You cannot claim capital allowances if you use your \u00a31,000 tax-free \u2018trading allowance\u2019.

    ", + "

    If you use cash basis

    ", + "

    If you use cash basis accounting and buy a car for your business, you can claim this as a capital allowance. However, all other items you buy and keep for your business should be claimed as allowable expenses in the normal way.

    ", + "

    If you use something for both business and personal reasons

    ", + "

    You can only claim allowable expenses for the business costs.

    ", + "

    If you work from home

    ", + "

    You may be able to claim a proportion of your costs for things like:

    ", + "
  • heating
  • ", + "
  • electricity
  • ", + "
  • Council Tax
  • ", + "
  • mortgage interest or rent
  • ", + "
  • internet and telephone use
  • ", + "

    You\u2019ll need to find a reasonable method of dividing your costs, for example by the number of rooms you use for business or the amount of time you spend working from home.

    ", + "

    Simplified expenses

    ", + "

    You can avoid using complex calculations to work out your business expenses by using simplified expenses. Simplified expenses are flat rates that can be used for:

    ", + "
  • vehicles
  • ", + "
  • working from home
  • ", + "
  • living on your business premises
  • ", + "

    Office, property and equipment

    ", + "

    Claim items you\u2019d normally use for less than 2 years as allowable expenses, for example:

    ", + "
  • stationery
  • ", + "
  • rent, rates, power and insurance costs
  • ", + "

    For equipment you keep to use in your business, for example computers or printers, claim:

    ", + "
  • allowable expenses if you use cash basis accounting
  • ", + "
  • capital allowances if you use traditional accounting
  • ", + "

    You cannot claim for any non-business use of premises, phones or other office resources.

    ", + "

    Stationery

    ", + "

    You can claim expenses for:

    ", + "
  • phone, mobile, fax and internet bills
  • ", + "
  • postage
  • ", + "
  • stationery
  • ", + "
  • printing
  • ", + "
  • printer ink and cartridges
  • ", + "
  • computer software your business uses for less than 2 years
  • ", + "
  • computer software if your business makes regular payments to renew the licence (even if you use it for more than 2 years)
  • ", + "

    Claim other software for your business as capital allowances, unless you use cash basis.

    ", + "

    Rents, rates, power and insurance costs

    ", + "

    You can claim expenses for:

    ", + "
  • rent for business premises
  • ", + "
  • business and water rates
  • ", + "
  • utility bills
  • ", + "
  • property insurance
  • ", + "
  • security
  • ", + "
  • using your home as an office (only the part that\u2019s used for business)
  • ", + "

    Business premises

    ", + "

    You cannot claim expenses or allowances for buying building premises.

    ", + "

    Claim expenses for repairs and maintenance of business premises and equipment.

    ", + "

    For alterations to install or replace equipment, claim:

    ", + "
  • allowable expenses if you use cash basis accounting
  • ", + "
  • capital allowances if you use traditional accounting
  • ", + "

    You can also claim capital allowances for some integral parts of a building, for example water heating systems.

    ", + "

    Car, van and travel expenses

    ", + "

    You can claim allowable business expenses for:

    ", + "
  • vehicle insurance
  • ", + "
  • repairs and servicing
  • ", + "
  • fuel
  • ", + "
  • parking
  • ", + "
  • hire charges
  • ", + "
  • vehicle licence fees
  • ", + "
  • breakdown cover
  • ", + "
  • train, bus, air and taxi fares
  • ", + "
  • hotel rooms
  • ", + "
  • meals on overnight business trips
  • ", + "

    You cannot claim for:

    ", + "
  • non-business driving or travel costs
  • ", + "
  • fines
  • ", + "
  • travel between home and work
  • ", + "

    You may be able to calculate your car, van or motorcycle expenses using a flat rate (known as simplified expenses) for mileage instead of the actual costs of buying and running your vehicle.

    ", + "

    Buying vehicles

    ", + "

    If you use traditional accounting and buy a vehicle for your business, you can claim this as a capital allowance.

    ", + "

    If you use cash basis accounting and buy a car for your business, claim this as a capital allowance as long as you\u2019re not using simplified expenses.

    ", + "

    For all other types of vehicle, claim them as allowable expenses.

    ", + "

    Clothing expenses

    ", + "

    You can claim allowable business expenses for:

    ", + "
  • uniforms
  • ", + "
  • protective clothing needed for your work
  • ", + "
  • costumes for actors or entertainers
  • ", + "

    You cannot claim for everyday clothing (even if you wear it for work).

    ", + "

    Staff expenses

    ", + "

    You can claim allowable business expenses for:

    ", + "
  • employee and staff salaries
  • ", + "
  • bonuses
  • ", + "
  • pensions
  • ", + "
  • benefits
  • ", + "
  • agency fees
  • ", + "
  • subcontractors
  • ", + "
  • employer\u2019s National Insurance
  • ", + "
  • training courses related to your business
  • ", + "

    You cannot claim for carers or domestic help, for example nannies.

    ", + "

    Reselling goods

    ", + "

    You can claim allowable business expenses for:

    ", + "
  • goods for resale (stock)
  • ", + "
  • raw materials
  • ", + "
  • direct costs from producing goods
  • ", + "

    You cannot claim for:

    ", + "
  • any goods or materials bought for private use
  • ", + "
  • depreciation of equipment
  • ", + "

    Legal and financial costs

    ", + "

    Accountancy, legal and other professional fees can count as allowable business expenses.

    ", + "

    You can claim costs for:

    ", + "
  • hiring of accountants, solicitors, surveyors and architects for business reasons
  • ", + "
  • professional indemnity insurance premiums
  • ", + "

    You cannot claim for:

    ", + "
  • legal costs of buying property and machinery - if you use traditional accounting, claim for these costs as capital allowances
  • ", + "
  • fines for breaking the law
  • ", + "

    Bank, credit card and other financial charges

    ", + "

    You can claim business costs for:

    ", + "
  • bank, overdraft and credit card charges
  • ", + "
  • interest on bank and business loans
  • ", + "
  • hire purchase interest
  • ", + "
  • leasing payments
  • ", + "
  • alternative finance payments, for example Islamic finance
  • ", + "

    If you\u2019re using cash basis accounting you can only claim up to \u00a3500 in interest and bank charges.

    ", + "

    You cannot claim for repayments of loans, overdrafts or finance arrangements.

    ", + "

    Insurance policies

    ", + "

    You can claim for any insurance policy for your business, for example public liability insurance.

    ", + "

    When your customer does not pay you

    ", + "

    If you\u2019re using traditional accounting, you can claim for amounts of money you include in your turnover but will not ever receive (\u2018bad debts\u2019). However, you can only write off these debts if you\u2019re sure they will not be recovered from your customer in the future.

    ", + "

    You cannot claim for:

    ", + "
  • debts not included in turnover
  • ", + "
  • debts related to the disposal of fixed assets, for example land, buildings, machinery
  • ", + "
  • bad debts that are not properly calculated, for example you can not just estimate that your debts are equal to 5% of your turnover
  • ", + "

    Bad debts cannot be claimed if you use cash basis accounting because you\u2019ve not received the money from your debtors. With cash basis, you only record income on your return that you\u2019ve actually received.

    ", + "

    Marketing, entertainment and subscriptions

    ", + "

    You can claim allowable business expenses for:

    ", + "
  • advertising in newspapers or directories
  • ", + "
  • bulk mail advertising (mailshots)
  • ", + "
  • free samples
  • ", + "
  • website costs
  • ", + "

    You cannot claim for:

    ", + "
  • entertaining clients, suppliers and customers
  • ", + "
  • event hospitality
  • ", + "

    Subscriptions

    ", + "

    You can claim for:

    ", + "
  • trade or professional journals
  • ", + "
  • trade body or professional organisation membership if related to your business
  • ", + "

    You cannot claim for:

    ", + "
  • payments to political parties
  • ", + "
  • gym membership fees
  • ", + "
  • donations to charity - but you may be able to claim for sponsorship payments
  • ", + "

    Training courses

    ", + "

    You can claim allowable business expenses for training that helps you improve the skills and knowledge you use in your business (for example, refresher courses).

    ", + "

    The training courses must be related to your business.

    ", + "

    You cannot claim for training courses that help you:

    ", + "
  • start a new business
  • ", + "
  • expand into new areas of business, including anything related to your current business
  • ", + "

    How to claim

    ", + "

    Keep records of all your business expenses as proof of your costs.

    ", + "

    Add up all your allowable expenses for the tax year and put the total amount on your Self Assessment tax return.

    ", + "

    You do not need to send in proof of expenses when you submit your tax return. But you should keep proof and records so you can show them to HM Revenue and Customs (HMRC) if asked.

    ", + "

    You must make sure your records are accurate.

    " + ] + }, + "https://www.gov.uk/machine-game-duty": { + "url": "https://www.gov.uk/machine-game-duty", + "title": "Machine Games Duty", + "content": "## What you pay it on\n\nYou may have to pay Machine Games Duty (MGD) if there are machines that give cash prizes on your premises. You pay duty on:\n\n- slot and fruit machines, and other gaming machines\n\n- quiz machines and other \u2018skill with prize\u2019 machines\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou do not pay it on machines where the prize is less than the cost to play, or on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.\n\nYour takings from machine games will be exempt from VAT if you pay MGD.\n\nIf you\u2019re responsible for MGD you\u2019ll need to register, send regular returns, pay duty and keep records.\n\n## Who\u2019s responsible for registering and paying\n\nIt\u2019s your responsibility if you hold any of the following licences:\n\n- premises licence, for example for gambling or alcohol\n\n- family entertainment centre gaming machine permit\n\n- club premises certificate, a club gaming permit or club machine permit\n\n- prize gaming permit or amusement permit\n\n- registration certificate including a club registration certificate\n\n- bookmaking office licence or bingo club licence\n\n- licence to sell alcohol in Northern Ireland\n\nThere are different rules if you\u2019re the tenant of a pub. You\u2019re responsible for MGD, not the premises licence owner (usually the pub\u2019s owner). When you stop being the tenant, you need to cancel your registration.\n\nYou are not responsible for MGD if you supply the machines, unless you also hold the licence or permit for the premises.\n\nIf your premises does not have a licence, HM Revenue and Customs (HMRC) will ask someone else, usually the manager or owner, to register and pay the duty.\n\nYou may have to pay a penalty if you do not register when you should.\n\n## Register\n\nRegister for Machine Games Duty (MGD) at least 14 days before you make your machines available to play.\n\nYou register by adding MGD to your HM Revenue and Customs (HMRC) account. If you do not have one (or only have an account for personal tax), create an account as an organisation.\n\nTo register for MGD, you\u2019ll need:\n\n- any licence or permit numbers for your premises\n\n- your Unique Taxpayer Reference (UTR), if you\u2019re registered for Self Assessment or Corporation Tax\n\n- your VAT number, if you\u2019re registered for VAT\n\n- your National Insurance number\n\n- to know how many machines you have\n\n- your accountant\u2019s MGD agent reference number and postcode, if you want them to file returns on your behalf\n\nRegister now\n\n## After you\u2019ve registered\n\nYou\u2019ll need to keep accurate records to show:\n\n- how you worked out the figures for your return\n\n- that the amount you\u2019ve paid is correct\n\nKeep your records for 4 years as HMRC might ask to see them.\n\n## If you want to file paper returns\n\nFill in and send the registration form if you want to file paper returns.\n\n## How much you pay\n\nYou pay Machine Games Duty (MGD) on the total net takings from your machine games.\n\nThis is what you charge to play the games minus the amount you pay as winnings, including non-cash prizes.\n\nYou do not pay it on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.\n\n## MGD rates\n\n| | Cost to play | Prize | Rate you pay |\n\n| Machine type 1 - lower rate | 20 pence or less | \u00a310 or less | 5% |\n\n| Machine type 2 - standard rate | 21 pence to \u00a35 | \u00a311 or more | 20% |\n\n| All other machine types - higher rate | More than \u00a35 | Any | 25% |\n\nIf your machine has more than one type of game, you pay the rate for the highest rated game on all takings from the machine.\n\n## File your return\n\nYou must file a Machine Games Duty (MGD) return every 3 months.\n\nYour return is due within 30 days of the end of the accounting period. You\u2019ll get a reminder if you included your email address when you registered online.\n\nYou\u2019ll need:\n\n- records of your total net takings from machine games\n\n- details of how you worked out the figures\n\nYou still fill in a return even if you do not owe anything, or your business has not traded during this accounting period. This can be for any reason, including if you\u2019ve closed because of coronavirus (COVID-19). Enter \u20180\u2019 in all boxes.\n\nFile your return\n\n## If you chose to file using paper forms\n\nHM Revenue and Customs (HMRC) will send you paper forms when your return is due. If you do not receive them, contact the helpline.\n\n## After you\u2019ve filed your return\n\nPay your Machine Games Duty bill within 30 days of the end of your accounting period.\n\nYou may have to pay a penalty if your return or payment is late. HMRC can also charge you an estimate of what you owe.\n\n## Change your details\n\nSign in to the Machine Games Duty (MGD) service to:\n\n- change your contact address or other details\n\n- cancel your registration if you\u2019ve stopped trading, no longer have machine games or want to be registered as part of a group of companies\n\n- add, change or remove an authorised agent to file returns for you\n\nYou can also contact HM Revenue and Customs (HMRC) by phone or post. You\u2019ll need to tell them your registration number.\n\n## Switch to file online instead of sending paper returns\n\nIf you already have an HMRC online account, sign in to add the MGD service.\n\nOtherwise, register for an HMRC account and sign up for MGD.", + "original_contents": [ + "

    What you pay it on

    ", + "

    You may have to pay Machine Games Duty (MGD) if there are machines that give cash prizes on your premises. You pay duty on:

    ", + "
  • slot and fruit machines, and other gaming machines
  • ", + "
  • quiz machines and other \u2018skill with prize\u2019 machines
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You do not pay it on machines where the prize is less than the cost to play, or on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.

    ", + "

    Your takings from machine games will be exempt from VAT if you pay MGD.

    ", + "

    If you\u2019re responsible for MGD you\u2019ll need to register, send regular returns, pay duty and keep records.

    ", + "

    Who\u2019s responsible for registering and paying

    ", + "

    It\u2019s your responsibility if you hold any of the following licences:

    ", + "
  • premises licence, for example for gambling or alcohol
  • ", + "
  • family entertainment centre gaming machine permit
  • ", + "
  • club premises certificate, a club gaming permit or club machine permit
  • ", + "
  • prize gaming permit or amusement permit
  • ", + "
  • registration certificate including a club registration certificate
  • ", + "
  • bookmaking office licence or bingo club licence
  • ", + "
  • licence to sell alcohol in Northern Ireland
  • ", + "

    There are different rules if you\u2019re the tenant of a pub. You\u2019re responsible for MGD, not the premises licence owner (usually the pub\u2019s owner). When you stop being the tenant, you need to cancel your registration.

    ", + "

    You are not responsible for MGD if you supply the machines, unless you also hold the licence or permit for the premises.

    ", + "

    If your premises does not have a licence, HM Revenue and Customs (HMRC) will ask someone else, usually the manager or owner, to register and pay the duty.

    ", + "

    You may have to pay a penalty if you do not register when you should.

    ", + "

    Register

    ", + "

    Register for Machine Games Duty (MGD) at least 14 days before you make your machines available to play.

    ", + "

    You register by adding MGD to your HM Revenue and Customs (HMRC) account. If you do not have one (or only have an account for personal tax), create an account as an organisation.

    ", + "

    To register for MGD, you\u2019ll need:

    ", + "
  • any licence or permit numbers for your premises
  • ", + "
  • your Unique Taxpayer Reference (UTR), if you\u2019re registered for Self Assessment or Corporation Tax
  • ", + "
  • your VAT number, if you\u2019re registered for VAT
  • ", + "
  • your National Insurance number
  • ", + "
  • to know how many machines you have
  • ", + "
  • your accountant\u2019s MGD agent reference number and postcode, if you want them to file returns on your behalf
  • ", + "

    Register now

    ", + "

    After you\u2019ve registered

    ", + "

    You\u2019ll need to keep accurate records to show:

    ", + "
  • how you worked out the figures for your return
  • ", + "
  • that the amount you\u2019ve paid is correct
  • ", + "

    Keep your records for 4 years as HMRC might ask to see them.

    ", + "

    If you want to file paper returns

    ", + "

    Fill in and send the registration form if you want to file paper returns.

    ", + "

    How much you pay

    ", + "

    You pay Machine Games Duty (MGD) on the total net takings from your machine games.

    ", + "

    This is what you charge to play the games minus the amount you pay as winnings, including non-cash prizes.

    ", + "

    You do not pay it on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.

    ", + "

    MGD rates

    ", + " | Cost to play | Prize | Rate you pay", + "Machine type 1 - lower rate | 20 pence or less | \u00a310 or less | 5%", + "Machine type 2 - standard rate | 21 pence to \u00a35 | \u00a311 or more | 20%", + "All other machine types - higher rate | More than \u00a35 | Any | 25%", + "

    If your machine has more than one type of game, you pay the rate for the highest rated game on all takings from the machine.

    ", + "

    File your return

    ", + "

    You must file a Machine Games Duty (MGD) return every 3 months.

    ", + "

    Your return is due within 30 days of the end of the accounting period. You\u2019ll get a reminder if you included your email address when you registered online.

    ", + "

    You\u2019ll need:

    ", + "
  • records of your total net takings from machine games
  • ", + "
  • details of how you worked out the figures
  • ", + "

    You still fill in a return even if you do not owe anything, or your business has not traded during this accounting period. This can be for any reason, including if you\u2019ve closed because of coronavirus (COVID-19). Enter \u20180\u2019 in all boxes.

    ", + "

    File your return

    ", + "

    If you chose to file using paper forms

    ", + "

    HM Revenue and Customs (HMRC) will send you paper forms when your return is due. If you do not receive them, contact the helpline.

    ", + "

    After you\u2019ve filed your return

    ", + "

    Pay your Machine Games Duty bill within 30 days of the end of your accounting period.

    ", + "

    You may have to pay a penalty if your return or payment is late. HMRC can also charge you an estimate of what you owe.

    ", + "

    Change your details

    ", + "

    Sign in to the Machine Games Duty (MGD) service to:

    ", + "
  • change your contact address or other details
  • ", + "
  • cancel your registration if you\u2019ve stopped trading, no longer have machine games or want to be registered as part of a group of companies
  • ", + "
  • add, change or remove an authorised agent to file returns for you
  • ", + "

    You can also contact HM Revenue and Customs (HMRC) by phone or post. You\u2019ll need to tell them your registration number.

    ", + "

    Switch to file online instead of sending paper returns

    ", + "

    If you already have an HMRC online account, sign in to add the MGD service.

    ", + "

    Otherwise, register for an HMRC account and sign up for MGD.

    " + ] + }, + "https://www.gov.uk/pay-machine-games-duty": { + "url": "https://www.gov.uk/pay-machine-games-duty", + "title": "Pay Machine Games Duty", + "content": "## Overview\n\nYou must file your Machine Games Duty (MGD) return and make your payment within 30 days of the end of your accounting period. An accounting period is 3 months unless you\u2019ve arranged with HM Revenue and Customs (HMRC) to use a different accounting period.\n\nThis guide is also available in Welsh (Cymraeg).\n\nIf the deadline falls on a weekend or bank holiday, make sure you file your return and your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments, debit card or credit card).\n\nPay now\n\n## Ways to pay\n\nMake sure you pay HMRC by the deadline. You may have to pay a penalty and interest if you pay late.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same day or next day\n\n- online or telephone banking (Faster Payments)\n\n- By debit or corporate credit card online\n\n- CHAPS\n\n- At your bank or building society\n\n## 3 working days\n\n- Bacs\n\n- By cheque through the post\n\n- Direct Debit - if you\u2019re making a single payment and you\u2019ve set up one for HMRC before\n\n## 5 working days\n\n- Direct Debit - if you\u2019re making a single payment and you have not set up one for HMRC before\n\n## 10 working days before you file your first return\n\n- Direct Debit - if you\u2019re setting up an automatic payment (known as a \u2018variable payment plan\u2019)\n\n## Penalties for late returns\n\nYou\u2019ll get a penalty if you miss the deadline for filing returns.\n\n| When the penalty is applied | Penalty |\n\n| 1 day after deadline | Between \u00a3100 and \u00a3400, depending on how many late returns you\u2019ve previously filed |\n\n| 6 months after deadline | \u00a3300 or 5% of the MGD due (whichever is higher) |\n\n| 12 months after deadline | \u00a3300 or 5% of the MGD due (whichever is higher) |\n\n## If you disagree with a penalty\n\nIf you\u2019ve been given a penalty and you think it\u2019s wrong, you can appeal to HMRC.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nMake your payment to HM Revenue and Customs\u2019 account.\n\n| Account name | Sort code | Account number |\n\n| HMRC Shipley | 08 32 10 | 12001020 |\n\n## Use your reference number\n\nYour payment reference is your 14-character Machine Games Duty (MGD) registration number.\n\nYou\u2019ll find it on:\n\n- your HM Revenue and Customs (HMRC) online account\n\n- the MGD Registration Certificate HMRC sent you\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB03BARC20114783977692 | BARCGB22 | HMRC Shipley |\n\nHMRC\u2019s banking address is:\n\n## Direct Debit\n\nYou can only pay by Direct Debit if you\u2019ve registered for Machine Games Duty (MGD) online.\n\nUse your HM Revenue and Customs (HMRC) online account to set up a Direct Debit.\n\nYou can set up:\n\n- a single payment each time you file your return\n\n- automatic payment of the duty shown on your return (known as a \u2018variable payment plan\u2019)\n\n## Single payment\n\nYou can make a single one-off payment by Direct Debit online.\n\nIt takes 5 working days to process a Direct Debit payment the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.\n\n## Variable payment plan\n\nYou can set up regular automatic Direct Debit payments online only. Choose a \u2018variable payment plan\u2019 when setting up your Direct Debit.\n\nIt takes at least 10 working days to process a payment when you first set it up. Make sure your payment will reach HMRC before the deadline.\n\nYour payment will then be taken automatically every time it\u2019s due.\n\nYou\u2019ll need to cancel your Direct Debit if you want to change to a different payment method.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nUse your 14-character Machine Games Duty (MGD) registration number as your \u2018charge reference\u2019.\n\nYou\u2019ll find it on:\n\n- your HM Revenue and Customs (HMRC) online account\n\n- the MGD Registration Certificate HMRC sent you\n\nHMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.\n\nIf you\u2019re unable to pay your Machine Games Duty bill in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can only pay Machine Games Duty (MGD) at your bank or building society if you file a paper MGD return.\n\nUse the payslip HM Revenue and Customs (HMRC) sent you.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your MGD reference number on the back of your cheque. You\u2019ll find the reference number on the payslip.\n\nHMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.\n\nPay online if you want to pay by debit or credit card.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Machine Games Duty (MGD) reference number on the back of the cheque.\n\nYou\u2019ll find your MGD reference number on either:\n\n- the payslip HMRC sent you if you file a paper return\n\n- your HMRC online account if you file your return online\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nIf you file a paper return, send your payslip with your cheque.\n\nIf you file online, send a letter including:\n\n- your name, address and telephone number\n\n- your MGD registration number\n\n- the amount you\u2019re paying\n\nDo not fold or staple your cheque.\n\n## Check your payment has been received\n\nView your HMRC online account to see if your payment has been received - it should update within 6 working days.\n\n## Tell HMRC no duty is due\n\nYou must still file your return even if you calculate that you do not owe any Machine Games Duty (MGD). You may have to pay a penalty if you do not.\n\nIf you owe a negative amount (you\u2019ve paid out more in winnings than you\u2019ve taken in playing charges), it\u2019ll be carried over to your next return and subtracted from the amount of MGD due.", + "original_contents": [ + "

    Overview

    ", + "

    You must file your Machine Games Duty (MGD) return and make your payment within 30 days of the end of your accounting period. An accounting period is 3 months unless you\u2019ve arranged with HM Revenue and Customs (HMRC) to use a different accounting period.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If the deadline falls on a weekend or bank holiday, make sure you file your return and your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments, debit card or credit card).

    ", + "

    Pay now

    ", + "

    Ways to pay

    ", + "

    Make sure you pay HMRC by the deadline. You may have to pay a penalty and interest if you pay late.

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same day or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • By debit or corporate credit card online
  • ", + "
  • CHAPS
  • ", + "
  • At your bank or building society
  • ", + "

    3 working days

    ", + "
  • Bacs
  • ", + "
  • By cheque through the post
  • ", + "
  • Direct Debit - if you\u2019re making a single payment and you\u2019ve set up one for HMRC before
  • ", + "

    5 working days

    ", + "
  • Direct Debit - if you\u2019re making a single payment and you have not set up one for HMRC before
  • ", + "

    10 working days before you file your first return

    ", + "
  • Direct Debit - if you\u2019re setting up an automatic payment (known as a \u2018variable payment plan\u2019)
  • ", + "

    Penalties for late returns

    ", + "

    You\u2019ll get a penalty if you miss the deadline for filing returns.

    ", + "When the penalty is applied | Penalty", + "1 day after deadline | Between \u00a3100 and \u00a3400, depending on how many late returns you\u2019ve previously filed", + "6 months after deadline | \u00a3300 or 5% of the MGD due (whichever is higher)", + "12 months after deadline | \u00a3300 or 5% of the MGD due (whichever is higher)", + "

    If you disagree with a penalty

    ", + "

    If you\u2019ve been given a penalty and you think it\u2019s wrong, you can appeal to HMRC.

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    Make your payment to HM Revenue and Customs\u2019 account.

    ", + "Account name | Sort code | Account number", + "HMRC Shipley | 08 32 10 | 12001020", + "

    Use your reference number

    ", + "

    Your payment reference is your 14-character Machine Games Duty (MGD) registration number.

    ", + "

    You\u2019ll find it on:

    ", + "
  • your HM Revenue and Customs (HMRC) online account
  • ", + "
  • the MGD Registration Certificate HMRC sent you
  • ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB03BARC20114783977692 | BARCGB22 | HMRC Shipley", + "

    HMRC\u2019s banking address is:

    ", + "

    Direct Debit

    ", + "

    You can only pay by Direct Debit if you\u2019ve registered for Machine Games Duty (MGD) online.

    ", + "

    Use your HM Revenue and Customs (HMRC) online account to set up a Direct Debit.

    ", + "

    You can set up:

    ", + "
  • a single payment each time you file your return
  • ", + "
  • automatic payment of the duty shown on your return (known as a \u2018variable payment plan\u2019)
  • ", + "

    Single payment

    ", + "

    You can make a single one-off payment by Direct Debit online.

    ", + "

    It takes 5 working days to process a Direct Debit payment the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.

    ", + "

    Variable payment plan

    ", + "

    You can set up regular automatic Direct Debit payments online only. Choose a \u2018variable payment plan\u2019 when setting up your Direct Debit.

    ", + "

    It takes at least 10 working days to process a payment when you first set it up. Make sure your payment will reach HMRC before the deadline.

    ", + "

    Your payment will then be taken automatically every time it\u2019s due.

    ", + "

    You\u2019ll need to cancel your Direct Debit if you want to change to a different payment method.

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    Use your 14-character Machine Games Duty (MGD) registration number as your \u2018charge reference\u2019.

    ", + "

    You\u2019ll find it on:

    ", + "
  • your HM Revenue and Customs (HMRC) online account
  • ", + "
  • the MGD Registration Certificate HMRC sent you
  • ", + "

    HMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.

    ", + "

    If you\u2019re unable to pay your Machine Games Duty bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    You can only pay Machine Games Duty (MGD) at your bank or building society if you file a paper MGD return.

    ", + "

    Use the payslip HM Revenue and Customs (HMRC) sent you.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your MGD reference number on the back of your cheque. You\u2019ll find the reference number on the payslip.

    ", + "

    HMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.

    ", + "

    Pay online if you want to pay by debit or credit card.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your Machine Games Duty (MGD) reference number on the back of the cheque.

    ", + "

    You\u2019ll find your MGD reference number on either:

    ", + "
  • the payslip HMRC sent you if you file a paper return
  • ", + "
  • your HMRC online account if you file your return online
  • ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    If you file a paper return, send your payslip with your cheque.

    ", + "

    If you file online, send a letter including:

    ", + "
  • your name, address and telephone number
  • ", + "
  • your MGD registration number
  • ", + "
  • the amount you\u2019re paying
  • ", + "

    Do not fold or staple your cheque.

    ", + "

    Check your payment has been received

    ", + "

    View your HMRC online account to see if your payment has been received - it should update within 6 working days.

    ", + "

    Tell HMRC no duty is due

    ", + "

    You must still file your return even if you calculate that you do not owe any Machine Games Duty (MGD). You may have to pay a penalty if you do not.

    ", + "

    If you owe a negative amount (you\u2019ve paid out more in winnings than you\u2019ve taken in playing charges), it\u2019ll be carried over to your next return and subtracted from the amount of MGD due.

    " + ] + }, + "https://www.gov.uk/pay-construction-industry-scheme-cis-late-filing-penalty": { + "url": "https://www.gov.uk/pay-construction-industry-scheme-cis-late-filing-penalty", + "title": "Pay a Construction Industry Scheme (CIS) late filing penalty", + "content": "## Overview\n\nHM Revenue and Customs (HMRC) will send you a late filing penalty notice telling you how much to pay if you\u2019ve filed your monthly return late.\n\nYou must pay within 30 days of receiving the notice, or you can appeal:\n\n- through HMRC\u2019s online service\n\n- by writing to HMRC - quote your Unique Taxpayer Reference (UTR) and the payment reference shown on the notice\n\nPay now\n\n## Ways to pay\n\nMake sure you pay by the deadline. The time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- online by debit or corporate credit card\n\n- at your bank or building society\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set up one for HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set up one for HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## Reference number\n\nYou\u2019ll need to use the 14-character Construction Industry Scheme (CIS) late filing penalty reference number from your late filing penalty notice. This number always starts with an X.\n\nDo not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB03BARC20114783977692 | BARCGB22 | HMRC Shipley |\n\nHMRC\u2019s banking address is:\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nYou\u2019ll need the 14-character Construction Industry Scheme (CIS) late filing penalty reference number from your late filing penalty notice. This number always starts with an X.\n\nDo not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHM Revenue and Customs (HMRC) will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches their account.\n\nIf you\u2019re unable to pay your late filing penalty in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nUse the payslip HM Revenue and Customs (HMRC) sent with your late filing penalty notice.\n\nDo not use a payslip from your payment booklet because your payment will be credited to the wrong account and you may receive reminders to pay.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 14-character Construction Industry Scheme (CIS) late filing penalty reference number on the back of your cheque. You will find the reference number on your penalty notice. It always starts with an X.\n\nDo not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it and not the date it reaches their account.\n\n## Direct Debit\n\nYou\u2019ll need to set up a new Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment.\n\nYou cannot use your existing Construction Industry Scheme (CIS) monthly or quarterly Direct Debit.\n\nYou\u2019ll need the 14-character CIS late filing penalty reference number from your late filing penalty notice. This number always starts with an X.\n\nDo not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\n## How much time to allow\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 14-character Construction Industry Scheme (CIS) late filing penalty reference number on the back of the cheque. This always starts with the letter \u2018X\u2019. Do not use your Accounts Office reference number.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nInclude the payslip HMRC sent you with the late filing penalty notice. Do not fold the payslip or cheque or fasten them together.\n\nYou can include a letter with your payment to request a receipt from HMRC.\n\n## If you do not have a payslip\n\nSend your cheque with a letter with these details:\n\n- company name\n\n- address\n\n- telephone number\n\n- penalty reference number\n\n- how much you\u2019re paying\n\n## Check your payment has been received\n\nYou can check your bank or building society statement to confirm the payment has left your account.\n\nIf paying by cheque through the post, you can include a letter with your payment to request a receipt from HM Revenue and Customs (HMRC).", + "original_contents": [ + "

    Overview

    ", + "

    HM Revenue and Customs (HMRC) will send you a late filing penalty notice telling you how much to pay if you\u2019ve filed your monthly return late.

    ", + "

    You must pay within 30 days of receiving the notice, or you can appeal:

    ", + "
  • through HMRC\u2019s online service
  • ", + "
  • by writing to HMRC - quote your Unique Taxpayer Reference (UTR) and the payment reference shown on the notice
  • ", + "

    Pay now

    ", + "

    Ways to pay

    ", + "

    Make sure you pay by the deadline. The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • online by debit or corporate credit card
  • ", + "
  • at your bank or building society
  • ", + "

    3 working days

    ", + "
  • Bacs
  • ", + "
  • Direct Debit (if you\u2019ve set up one for HMRC before)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set up one for HMRC before)
  • ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    You can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001020 | HMRC Shipley", + "

    Reference number

    ", + "

    You\u2019ll need to use the 14-character Construction Industry Scheme (CIS) late filing penalty reference number from your late filing penalty notice. This number always starts with an X.

    ", + "

    Do not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB03BARC20114783977692 | BARCGB22 | HMRC Shipley", + "

    HMRC\u2019s banking address is:

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    You\u2019ll need the 14-character Construction Industry Scheme (CIS) late filing penalty reference number from your late filing penalty notice. This number always starts with an X.

    ", + "

    Do not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    HM Revenue and Customs (HMRC) will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches their account.

    ", + "

    If you\u2019re unable to pay your late filing penalty in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    Use the payslip HM Revenue and Customs (HMRC) sent with your late filing penalty notice.

    ", + "

    Do not use a payslip from your payment booklet because your payment will be credited to the wrong account and you may receive reminders to pay.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 14-character Construction Industry Scheme (CIS) late filing penalty reference number on the back of your cheque. You will find the reference number on your penalty notice. It always starts with an X.

    ", + "

    Do not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    HMRC will accept your payment on the date you make it and not the date it reaches their account.

    ", + "

    Direct Debit

    ", + "

    You\u2019ll need to set up a new Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment.

    ", + "

    You cannot use your existing Construction Industry Scheme (CIS) monthly or quarterly Direct Debit.

    ", + "

    You\u2019ll need the 14-character CIS late filing penalty reference number from your late filing penalty notice. This number always starts with an X.

    ", + "

    Do not use your Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    How much time to allow

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 14-character Construction Industry Scheme (CIS) late filing penalty reference number on the back of the cheque. This always starts with the letter \u2018X\u2019. Do not use your Accounts Office reference number.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    Include the payslip HMRC sent you with the late filing penalty notice. Do not fold the payslip or cheque or fasten them together.

    ", + "

    You can include a letter with your payment to request a receipt from HMRC.

    ", + "

    If you do not have a payslip

    ", + "

    Send your cheque with a letter with these details:

    ", + "
  • company name
  • ", + "
  • address
  • ", + "
  • telephone number
  • ", + "
  • penalty reference number
  • ", + "
  • how much you\u2019re paying
  • ", + "

    Check your payment has been received

    ", + "

    You can check your bank or building society statement to confirm the payment has left your account.

    ", + "

    If paying by cheque through the post, you can include a letter with your payment to request a receipt from HM Revenue and Customs (HMRC).

    " + ] + }, + "https://www.gov.uk/pay-corporation-tax": { + "url": "https://www.gov.uk/pay-corporation-tax", + "title": "Pay your Corporation Tax bill", + "content": "## Overview\n\nThe deadline for your payment will depend on your taxable profits.\n\n## Taxable profits of up to \u00a31.5 million\n\nYou must pay your Corporation Tax 9 months and 1 day after the end of your accounting period. Your accounting period is usually your financial year, but you may have 2 accounting periods in the year you set up your company.\n\n## Taxable profits of more than \u00a31.5 million\n\nYou must pay your Corporation Tax in instalments.\n\nCheck the rules and deadlines:\n\n- if your taxable profits are between \u00a31.5 million and \u00a320 million\n\n- if your taxable profits are more than \u00a320 million\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline. They may charge you interest if you do not pay on time. They\u2019ll pay you interest if you pay your tax early.\n\nPay now\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same day or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- through your online bank account\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set one up before)\n\n- online by debit or corporate credit card\n\n- at your bank or building society\n\n## 5 working days\n\n- Direct Debit (if you have not set one up before)\n\nYou cannot pay Corporation Tax by post.\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Make an online or telephone bank transfer\n\nYou can pay HM Revenue and Customs (HMRC) by Faster Payments, CHAPS or Bacs.\n\nThe back of your payslip, sent to you by HMRC, tells you which account to use. If you\u2019re not sure, use Cumbernauld.\n\n| | Sort code | Account number |\n\n| HMRC Cumbernauld | 083210 | 12001039 |\n\n| HMRC Shipley | 083210 | 12001020 |\n\n## Reference number\n\nUse your 17-character Corporation Tax payslip reference for the accounting period you\u2019re paying.\n\nYou\u2019ll find the payslip reference:\n\n- on any payslip that HMRC sent you\n\n- through your company\u2019s HMRC online account - choose \u2018View account\u2019 then \u2018Accounting period\u2019\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas accounts\n\nUse these details to pay from an overseas account.\n\n| | Account number (IBAN) | Bank identifier code (BIC) |\n\n| HMRC Cumbernauld | GB62BARC20114770297690 | BARCGB22 |\n\n| HMRC Shipley | GB03BARC20114783977692 | BARCGB22 |\n\n## Multiple payments by CHAPS\n\nSend an online CHAPS enquiry form if you want to make a single payment to cover more than one company for the same accounting period.\n\nHMRC\u2019s banking address is:\n\n## Approve a payment through your online bank account\n\nYou can pay your Corporation Tax bill directly using your online or mobile bank account.\n\nWhen you\u2019re ready to pay, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your Corporation Tax payment.\n\nThe payment is usually instant but sometimes it takes up to 2 hours to show in your account.\n\nYou\u2019ll need to have your online banking details ready to pay this way.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay with a personal credit card.\n\nUse your 17-character Corporation Tax payslip reference for the accounting period you\u2019re paying.\n\nYou\u2019ll find the payslip reference:\n\n- on any payslip that HM Revenue and Customs (HMRC) sent you\n\n- through your company\u2019s HMRC online account - choose \u2018View account\u2019 then \u2018Accounting period\u2019\n\nYour payment may be delayed if you use the wrong reference number.\n\nIf you\u2019re unable to pay your Corporation Tax bill in full by card, you should use another payment method like a bank transfer.\n\n## How long it takes\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## At your bank or building society\n\nYou can pay at a branch by cash or cheque.\n\nYou\u2019ll need to use the payslip that HM Revenue and Customs (HMRC) sends you.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 17-character Corporation Tax payslip reference number on the back of your cheque\nfor the accounting period you\u2019re paying. You can find the reference number on the payslip sent to you by HMRC.\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## If you do not have a payslip\n\nYou\u2019ll need to pay by another method instead, for example:\n\n- debit or credit card online\n\n- online or telephone banking\n\n- Direct Debit\n\n## Direct Debit\n\nSet up and make changes to a Direct Debit through your company\u2019s HM Revenue and Customs (HMRC) online account.\n\nUse your 17-character Corporation Tax payslip reference for the accounting period you\u2019re paying.\n\nYou can find the payslip reference:\n\n- on the payslip that HMRC sent you\n\n- through your company\u2019s HMRC online account - choose \u2018View account\u2019 then \u2018Accounting period\u2019\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nAllow 5 working days to process a Direct Debit the first time you set one up.\n\nIt should take 3 working days each time you pay once you\u2019ve already authorised a Direct Debit from HMRC.\n\nPayments will appear on your bank statements as \u2018HMRC NDDS\u2019.\n\n## Payments for a group of companies\n\nIf your company is in a group, you can pay Corporation Tax under a Group Payment Arrangement. HM Revenue and Customs (HMRC) will write to tell you the correct payslip reference.\n\n## Tell HMRC no payment is due\n\nTell HM Revenue and Customs (HMRC) if you have nothing to pay. HMRC will send you payment reminders if you do not.\n\nYou can tell HMRC by either:\n\n- filling in the \u2018nil to pay\u2019 form\n\n- sending back the payslip on the reminder HMRC sends you, marked \u2018NIL due\u2019\n\nYou must still file your company tax return.\n\n## Check your payment has been received\n\nCheck your HM Revenue and Customs (HMRC) online account to see if your payment has been received. It should be updated within a few days of HMRC receiving the payment.", + "original_contents": [ + "

    Overview

    ", + "

    The deadline for your payment will depend on your taxable profits.

    ", + "

    Taxable profits of up to \u00a31.5 million

    ", + "

    You must pay your Corporation Tax 9 months and 1 day after the end of your accounting period. Your accounting period is usually your financial year, but you may have 2 accounting periods in the year you set up your company.

    ", + "

    Taxable profits of more than \u00a31.5 million

    ", + "

    You must pay your Corporation Tax in instalments.

    ", + "

    Check the rules and deadlines:

    ", + "
  • if your taxable profits are between \u00a31.5 million and \u00a320 million
  • ", + "
  • if your taxable profits are more than \u00a320 million
  • ", + "

    Ways to pay

    ", + "

    Make sure you pay HM Revenue and Customs (HMRC) by the deadline. They may charge you interest if you do not pay on time. They\u2019ll pay you interest if you pay your tax early.

    ", + "

    Pay now

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same day or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • through your online bank account
  • ", + "

    3 working days

    ", + "
  • Bacs
  • ", + "
  • Direct Debit (if you\u2019ve set one up before)
  • ", + "
  • online by debit or corporate credit card
  • ", + "
  • at your bank or building society
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set one up before)
  • ", + "

    You cannot pay Corporation Tax by post.

    ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    Make an online or telephone bank transfer

    ", + "

    You can pay HM Revenue and Customs (HMRC) by Faster Payments, CHAPS or Bacs.

    ", + "

    The back of your payslip, sent to you by HMRC, tells you which account to use. If you\u2019re not sure, use Cumbernauld.

    ", + " | Sort code | Account number", + "HMRC Cumbernauld | 083210 | 12001039", + "HMRC Shipley | 083210 | 12001020", + "

    Reference number

    ", + "

    Use your 17-character Corporation Tax payslip reference for the accounting period you\u2019re paying.

    ", + "

    You\u2019ll find the payslip reference:

    ", + "
  • on any payslip that HMRC sent you
  • ", + "
  • through your company\u2019s HMRC online account - choose \u2018View account\u2019 then \u2018Accounting period\u2019
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas accounts

    ", + "

    Use these details to pay from an overseas account.

    ", + " | Account number (IBAN) | Bank identifier code (BIC)", + "HMRC Cumbernauld | GB62BARC20114770297690 | BARCGB22", + "HMRC Shipley | GB03BARC20114783977692 | BARCGB22", + "

    Multiple payments by CHAPS

    ", + "

    Send an online CHAPS enquiry form if you want to make a single payment to cover more than one company for the same accounting period.

    ", + "

    HMRC\u2019s banking address is:

    ", + "

    Approve a payment through your online bank account

    ", + "

    You can pay your Corporation Tax bill directly using your online or mobile bank account.

    ", + "

    When you\u2019re ready to pay, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your Corporation Tax payment.

    ", + "

    The payment is usually instant but sometimes it takes up to 2 hours to show in your account.

    ", + "

    You\u2019ll need to have your online banking details ready to pay this way.

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay with a personal credit card.

    ", + "

    Use your 17-character Corporation Tax payslip reference for the accounting period you\u2019re paying.

    ", + "

    You\u2019ll find the payslip reference:

    ", + "
  • on any payslip that HM Revenue and Customs (HMRC) sent you
  • ", + "
  • through your company\u2019s HMRC online account - choose \u2018View account\u2019 then \u2018Accounting period\u2019
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    If you\u2019re unable to pay your Corporation Tax bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    How long it takes

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    At your bank or building society

    ", + "

    You can pay at a branch by cash or cheque.

    ", + "

    You\u2019ll need to use the payslip that HM Revenue and Customs (HMRC) sends you.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 17-character Corporation Tax payslip reference number on the back of your cheque\nfor the accounting period you\u2019re paying. You can find the reference number on the payslip sent to you by HMRC.

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    If you do not have a payslip

    ", + "

    You\u2019ll need to pay by another method instead, for example:

    ", + "
  • debit or credit card online
  • ", + "
  • online or telephone banking
  • ", + "
  • Direct Debit
  • ", + "

    Direct Debit

    ", + "

    Set up and make changes to a Direct Debit through your company\u2019s HM Revenue and Customs (HMRC) online account.

    ", + "

    Use your 17-character Corporation Tax payslip reference for the accounting period you\u2019re paying.

    ", + "

    You can find the payslip reference:

    ", + "
  • on the payslip that HMRC sent you
  • ", + "
  • through your company\u2019s HMRC online account - choose \u2018View account\u2019 then \u2018Accounting period\u2019
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up.

    ", + "

    It should take 3 working days each time you pay once you\u2019ve already authorised a Direct Debit from HMRC.

    ", + "

    Payments will appear on your bank statements as \u2018HMRC NDDS\u2019.

    ", + "

    Payments for a group of companies

    ", + "

    If your company is in a group, you can pay Corporation Tax under a Group Payment Arrangement. HM Revenue and Customs (HMRC) will write to tell you the correct payslip reference.

    ", + "

    Tell HMRC no payment is due

    ", + "

    Tell HM Revenue and Customs (HMRC) if you have nothing to pay. HMRC will send you payment reminders if you do not.

    ", + "

    You can tell HMRC by either:

    ", + "
  • filling in the \u2018nil to pay\u2019 form
  • ", + "
  • sending back the payslip on the reminder HMRC sends you, marked \u2018NIL due\u2019
  • ", + "

    You must still file your company tax return.

    ", + "

    Check your payment has been received

    ", + "

    Check your HM Revenue and Customs (HMRC) online account to see if your payment has been received. It should be updated within a few days of HMRC receiving the payment.

    " + ] + }, + "https://www.gov.uk/pay-vat": { + "url": "https://www.gov.uk/pay-vat", + "title": "Pay your VAT bill", + "content": "## Overview\n\nBefore you pay your VAT bill, make sure your deadline has not passed. Your deadline will be shown on your VAT return.\n\nThere are different deadlines if you use:\n\n- the Annual Accounting Scheme\n\n- payments on account\n\nPay now\n\nThere\u2019s a different way to pay a VAT Mini One Stop Shop (VAT MOSS) bill.\n\n## Ways to pay\n\nMake sure your payment will reach HM Revenue and Customs\u2019 (HMRC) bank account by the deadline. You may have to pay a surcharge if you do not pay on time.\n\nYou can use the VAT payment deadline calculator to work out how much time to allow.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n## 3 working days\n\n- Direct Debit\n\n- Bacs\n\n- standing order (only for businesses using the Annual Accounting Scheme or Payments on Account)\n\n- online by debit or corporate credit card\n\n- at your bank or building society\n\nIf the deadline falls on a weekend or bank holiday, your payment must arrive in HMRC\u2019s bank account on the last working day before it (unless you pay by Faster Payments).\n\n## Direct Debit\n\nUse your VAT online account to set up a Direct Debit.\n\nSet up the Direct Debit at least 3 working days before you submit your online VAT return, otherwise the payment will not be taken from your bank account in time.\n\nOnce you\u2019ve set up the Direct Debit, payments will be collected automatically from your bank account 3 working days after the payment deadline on your VAT return.\n\nIf you file your VAT return late, your payment will be taken 3 days after you file the return.\n\nYou cannot pay by Direct Debit if you have a \u2018payments on account\u2019 arrangement.\n\n## If you\u2019ve signed up to Making Tax Digital\n\nBusinesses that have signed up for Making Tax Digital and usually pay VAT by Direct Debit do not need to set up a new one.\n\nHMRC will transfer your Direct Debit to the new system.\n\n## If you use the Annual Accounting Scheme\n\nBusinesses that use the Annual Accounting Scheme can only set up an automatic Direct Debit online for balancing payments.\n\nYou can set up a Direct Debit for regular payments using form VAT 623.\n\n## Getting VAT repayments\n\nThe bank account details you use to set up your Direct Debit will not be used for VAT repayments.\n\nTo get VAT repayments paid into your bank account, update the registration details in your VAT online account. Otherwise HMRC will send you a cheque.\n\n## Make an online or telephone bank transfer\n\nYou can pay HM Revenue and Customs (HMRC) by Faster Payments, CHAPS or Bacs.\n\n| Sort code | Account number | Account name |\n\n| 08 32 00 | 11963155 | HMRC VAT |\n\n## Reference number\n\nYou\u2019ll need your 9-digit VAT registration number to make a payment.\n\nFind your registration number:\n\n- in your VAT online account\n\n- on your VAT registration certificate\n\nDo not put any spaces between the digits when paying your VAT bill.\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB36BARC20051773152391 | BARCGB22 | HMRC VAT |\n\nHMRC\u2019s banking address is:\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nYou\u2019ll need your 9-digit VAT registration number to make a payment.\n\nFind your registration number:\n\n- in your VAT online account\n\n- on your VAT registration certificate\n\nYour payment may be delayed if you use the wrong reference number.\n\nAllow 3 working days for your payment to reach HM Revenue and Customs\u2019 bank account.\n\nIf you\u2019re unable to pay your VAT bill in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou\u2019ll need to order paying-in slips online or by phone from HM Revenue and Customs (HMRC) before you can pay this way. It can take up to 6 weeks for them to arrive.\n\nUse the paying-in slips to pay at your own bank or building society by cash or cheque. Make your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 9-digit VAT registration number on the back of your cheque. You will find your registration number:\n\n- in your VAT online account\n\n- on your VAT registration certificate\n\nYour payment may be delayed if you use the wrong reference number.\n\nAllow 3 working days for your payment to reach HM Revenue and Customs\u2019 bank account.\n\n## Standing order\n\nBusinesses using the Annual Accounting Scheme or making payments on account can pay a VAT bill by standing order. Standing orders take 3 working days to reach HM Revenue and Customs\u2019 (HMRC) bank account.\n\n## Annual Accounting Scheme\n\nAsk to pay by standing order on your application form for the Annual Accounting Scheme.\n\nAfter you\u2019ve received a letter from HMRC accepting your application, set up a standing order using either:\n\n- form VAT 622\n\n- online or telephone banking\n\n## Payments on account\n\nSet up a standing order using either:\n\n- form VAT 622\n\n- online or telephone banking\n\n## Check your payment has been received\n\nView your VAT online account to see if your payment has been received - it should update within 48 hours.\n\n## Pay your UK VAT MOSS bill\n\nThe UK VAT Mini One Stop Shop (VAT MOSS) scheme closes on 10 January 2021.\n\nYou must send your final UK VAT MOSS return and payment by 20 January 2021. You will not be able to submit a return after 31 January 2021.\n\nIf you sell digital services to customers in the EU you must either register for VAT MOSS in an EU country, or pay VAT in each country you supply to. Find out about registering for VAT in EU countries.\n\n## Ways to pay\n\nBusinesses that are VAT registered in the UK can pay by Faster Payments, CHAPS or Bacs to the Union VAT MOSS account. Businesses outside the EU should use the Non-Union VAT MOSS account.\n\nUse the payment reference HMRC sent you when you submitted your VAT MOSS Return. You can also find it by logging in to your online account and checking the confirmation message.\n\n## Union VAT MOSS account details\n\n| Sort code | Account number | Account name |\n\n| 08 32 00 | 12001047 | HMRC VAT ON E |\n\nYou cannot combine your VAT MOSS payment with your normal UK VAT Return payment, because it goes to a different bank account.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Non-Union VAT MOSS account details\n\nUse the Non-Union VAT MOSS bank details if your business is based outside the EU.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB34BARC20051710753491 | BARCGB22 | HMRC VAT ON E |\n\nTo avoid underpaying HMRC because of bank charges, ask your bank to use the code \u2018OUR\u2019 in the \u2018Detail of charge\u2019 field when they process your payment.\n\nHMRC\u2019s banking address for Non-Union VAT MOSS payments is:", + "original_contents": [ + "

    Overview

    ", + "

    Before you pay your VAT bill, make sure your deadline has not passed. Your deadline will be shown on your VAT return.

    ", + "

    There are different deadlines if you use:

    ", + "
  • the Annual Accounting Scheme
  • ", + "
  • payments on account
  • ", + "

    Pay now

    ", + "

    There\u2019s a different way to pay a VAT Mini One Stop Shop (VAT MOSS) bill.

    ", + "

    Ways to pay

    ", + "

    Make sure your payment will reach HM Revenue and Customs\u2019 (HMRC) bank account by the deadline. You may have to pay a surcharge if you do not pay on time.

    ", + "

    You can use the VAT payment deadline calculator to work out how much time to allow.

    ", + "

    Same or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "

    3 working days

    ", + "
  • Direct Debit
  • ", + "
  • Bacs
  • ", + "
  • standing order (only for businesses using the Annual Accounting Scheme or Payments on Account)
  • ", + "
  • online by debit or corporate credit card
  • ", + "
  • at your bank or building society
  • ", + "

    If the deadline falls on a weekend or bank holiday, your payment must arrive in HMRC\u2019s bank account on the last working day before it (unless you pay by Faster Payments).

    ", + "

    Direct Debit

    ", + "

    Use your VAT online account to set up a Direct Debit.

    ", + "

    Set up the Direct Debit at least 3 working days before you submit your online VAT return, otherwise the payment will not be taken from your bank account in time.

    ", + "

    Once you\u2019ve set up the Direct Debit, payments will be collected automatically from your bank account 3 working days after the payment deadline on your VAT return.

    ", + "

    If you file your VAT return late, your payment will be taken 3 days after you file the return.

    ", + "

    You cannot pay by Direct Debit if you have a \u2018payments on account\u2019 arrangement.

    ", + "

    If you\u2019ve signed up to Making Tax Digital

    ", + "

    Businesses that have signed up for Making Tax Digital and usually pay VAT by Direct Debit do not need to set up a new one.

    ", + "

    HMRC will transfer your Direct Debit to the new system.

    ", + "

    If you use the Annual Accounting Scheme

    ", + "

    Businesses that use the Annual Accounting Scheme can only set up an automatic Direct Debit online for balancing payments.

    ", + "

    You can set up a Direct Debit for regular payments using form VAT 623.

    ", + "

    Getting VAT repayments

    ", + "

    The bank account details you use to set up your Direct Debit will not be used for VAT repayments.

    ", + "

    To get VAT repayments paid into your bank account, update the registration details in your VAT online account. Otherwise HMRC will send you a cheque.

    ", + "

    Make an online or telephone bank transfer

    ", + "

    You can pay HM Revenue and Customs (HMRC) by Faster Payments, CHAPS or Bacs.

    ", + "Sort code | Account number | Account name", + "08 32 00 | 11963155 | HMRC VAT", + "

    Reference number

    ", + "

    You\u2019ll need your 9-digit VAT registration number to make a payment.

    ", + "

    Find your registration number:

    ", + "
  • in your VAT online account
  • ", + "
  • on your VAT registration certificate
  • ", + "

    Do not put any spaces between the digits when paying your VAT bill.

    ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB36BARC20051773152391 | BARCGB22 | HMRC VAT", + "

    HMRC\u2019s banking address is:

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    You\u2019ll need your 9-digit VAT registration number to make a payment.

    ", + "

    Find your registration number:

    ", + "
  • in your VAT online account
  • ", + "
  • on your VAT registration certificate
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    Allow 3 working days for your payment to reach HM Revenue and Customs\u2019 bank account.

    ", + "

    If you\u2019re unable to pay your VAT bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    You\u2019ll need to order paying-in slips online or by phone from HM Revenue and Customs (HMRC) before you can pay this way. It can take up to 6 weeks for them to arrive.

    ", + "

    Use the paying-in slips to pay at your own bank or building society by cash or cheque. Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 9-digit VAT registration number on the back of your cheque. You will find your registration number:

    ", + "
  • in your VAT online account
  • ", + "
  • on your VAT registration certificate
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    Allow 3 working days for your payment to reach HM Revenue and Customs\u2019 bank account.

    ", + "

    Standing order

    ", + "

    Businesses using the Annual Accounting Scheme or making payments on account can pay a VAT bill by standing order. Standing orders take 3 working days to reach HM Revenue and Customs\u2019 (HMRC) bank account.

    ", + "

    Annual Accounting Scheme

    ", + "

    Ask to pay by standing order on your application form for the Annual Accounting Scheme.

    ", + "

    After you\u2019ve received a letter from HMRC accepting your application, set up a standing order using either:

    ", + "
  • form VAT 622
  • ", + "
  • online or telephone banking
  • ", + "

    Payments on account

    ", + "

    Set up a standing order using either:

    ", + "
  • form VAT 622
  • ", + "
  • online or telephone banking
  • ", + "

    Check your payment has been received

    ", + "

    View your VAT online account to see if your payment has been received - it should update within 48 hours.

    ", + "

    Pay your UK VAT MOSS bill

    ", + "

    The UK VAT Mini One Stop Shop (VAT MOSS) scheme closes on 10 January 2021.

    ", + "

    You must send your final UK VAT MOSS return and payment by 20 January 2021. You will not be able to submit a return after 31 January 2021.

    ", + "

    If you sell digital services to customers in the EU you must either register for VAT MOSS in an EU country, or pay VAT in each country you supply to. Find out about registering for VAT in EU countries.

    ", + "

    Ways to pay

    ", + "

    Businesses that are VAT registered in the UK can pay by Faster Payments, CHAPS or Bacs to the Union VAT MOSS account. Businesses outside the EU should use the Non-Union VAT MOSS account.

    ", + "

    Use the payment reference HMRC sent you when you submitted your VAT MOSS Return. You can also find it by logging in to your online account and checking the confirmation message.

    ", + "

    Union VAT MOSS account details

    ", + "Sort code | Account number | Account name", + "08 32 00 | 12001047 | HMRC VAT ON E", + "

    You cannot combine your VAT MOSS payment with your normal UK VAT Return payment, because it goes to a different bank account.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Non-Union VAT MOSS account details

    ", + "

    Use the Non-Union VAT MOSS bank details if your business is based outside the EU.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB34BARC20051710753491 | BARCGB22 | HMRC VAT ON E", + "

    To avoid underpaying HMRC because of bank charges, ask your bank to use the code \u2018OUR\u2019 in the \u2018Detail of charge\u2019 field when they process your payment.

    ", + "

    HMRC\u2019s banking address for Non-Union VAT MOSS payments is:

    " + ] + }, + "https://www.gov.uk/reclaim-vat": { + "url": "https://www.gov.uk/reclaim-vat", + "title": "Reclaiming VAT", + "content": "## What you can and cannot reclaim\n\nYou can usually reclaim the VAT paid on goods and services purchased for use in your business.\n\nIf a purchase is also for personal or private use, you can only reclaim the business proportion of the VAT.\n\nYou must keep records to support your claim and show how you arrived at the business proportion for a purchase. You must also have valid VAT invoices.\n\nFrom 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.\n\n## What you cannot reclaim\n\nYou cannot reclaim VAT for:\n\n- anything that\u2019s only for private use\n\n- goods and services your business uses to make VAT-exempt supplies\n\n- business entertainment costs\n\n- goods sold to you under one of the VAT second-hand margin schemes\n\n- business assets that are transferred to you as a going concern\n\n## Purchases before registration\n\nYou may be able to reclaim VAT paid on goods or services bought before you registered for VAT if the purchases were made within certain time limits.\n\n## Partly exempt businesses\n\nYou need to make separate calculations for purchases that relate to both VAT-exempt and taxable supplies, such as phone bills or accountancy fees.\n\n## Business assets of \u00a350,000 and more\n\nThere are special rules for reclaiming VAT for:\n\n- individual computers and single pieces of computer equipment costing \u00a350,000 or more before VAT\n\n- aircraft, ships and boats costing \u00a350,000 or more before VAT\n\n- land and buildings costing \u00a3250,000 or more before VAT\n\nYou may need to adjust the amount of VAT you reclaim over several years using the Capital Goods Scheme.\n\n## How your VAT refund is repaid\n\nClaim your refund by submitting a VAT Return.\n\nYou need to give your account details to HM Revenue and Customs (HMRC) - even if you\u2019ve already set up a Direct Debit for VAT Returns. Add or change them by going to the registration details in your VAT online account.\n\nYou can also use your online account to view any refund you\u2019re owed, unless you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019.\n\nYou will usually get your refund within 10 days of HMRC receiving your return but it may take longer. Only contact HMRC if you have not heard anything after 30 days.\n\n## Vehicles and fuel costs\n\n## Buying a new car\n\nYou may be able to reclaim all the VAT on a new car if you use it only for business.\n\nThe car must not be available for private use, and you must be able to show that it is not, for example it\u2019s specified in your employee\u2019s contract.\n\n\u2018Private use\u2019 includes travelling between home and work, unless it\u2019s a temporary place of work.\n\nYou may also be able to claim all the VAT on a new car if it\u2019s mainly used:\n\n- as a taxi\n\n- for driving instruction\n\n- for self-drive hire\n\n## Leasing a car\n\nIf you lease a car, you can usually claim 50% of the VAT. You may be able to reclaim all the VAT if the car is used only for business and is not available for private use, or is mainly used:\n\n- as a taxi\n\n- for driving instruction\n\n## Self-drive hire cars\n\nIf you hire a car to replace a company car that\u2019s off the road, you can usually claim 50% of the VAT on the hire charge.\n\nIf you hire a car for another reason (for example you do not have a company car), you can reclaim all the VAT if all the following apply:\n\n- you hire it for no more than 10 days\n\n- it\u2019s used only for business\n\n- it\u2019s not available for private use\n\n## Commercial vehicles\n\nYou can usually reclaim the VAT for buying a commercial vehicle (like a van, lorry or tractor) if you only use it for business.\n\nIf they\u2019re used only for business, you can also reclaim VAT on:\n\n- motorcycles\n\n- motorhomes and motor caravans\n\n- vans with rear seats (combi vans)\n\n- car-derived vans\n\n## Fuel costs\n\nThere are different ways of reclaiming VAT on fuel, if you do not pay a fixed rate under the Flat Rate Scheme.\n\nYou can reclaim all the VAT on fuel if your vehicle is used only for business. There are 3 ways of handling VAT if you use the vehicle for both business and private purposes. You can:\n\n- reclaim all the VAT and pay the right fuel scale charge for your vehicle\n\n- only reclaim the VAT on fuel you use for business trips - you\u2019ll have to keep detailed mileage records\n\n- choose not to reclaim any VAT, eg if your business mileage is so low that the fuel scale charge would be higher than the VAT you can reclaim\n\nIf you choose not to reclaim VAT on fuel for one vehicle you cannot reclaim VAT on any fuel for vehicles used by your business.\n\n## Additional costs\n\nYou can usually reclaim the VAT for:\n\n- all business-related running and maintenance costs, such as repairs or off-street parking\n\n- any accessories you\u2019ve fitted for business use\n\nYou can do this even if you cannot reclaim VAT on the vehicle itself.\n\n## Used vehicles\n\nThe sales invoice for your used vehicle must show the VAT. You cannot reclaim if it does not, for example if the seller uses the VAT margin scheme.\n\n## Staff travel\n\nYou can reclaim VAT on employee travel expenses for business trips, including meals and accommodation that you pay for.\n\nYou cannot reclaim VAT if you pay your employees a flat rate for expenses.\n\nThere are special rules for motoring expenses.\n\nYou cannot reclaim VAT on entertainment costs.\n\n## Who counts as an employee\n\nThe following people count as employees for VAT reclaims:\n\n- someone directly employed by you (not through an agency)\n\n- directors, partners, any other managers\n\n- self-employed people who are treated as employees (you cannot reclaim on travel expenses for this group)\n\n- helpers or stewards who help run events\n\nThe following people do not count as employees for VAT reclaims:\n\n- shareholders who are not employed by the business\n\n- pensioners and former employees\n\n- someone applying for a job, for example interviewees", + "original_contents": [ + "

    What you can and cannot reclaim

    ", + "

    You can usually reclaim the VAT paid on goods and services purchased for use in your business.

    ", + "

    If a purchase is also for personal or private use, you can only reclaim the business proportion of the VAT.

    ", + "

    You must keep records to support your claim and show how you arrived at the business proportion for a purchase. You must also have valid VAT invoices.

    ", + "

    From 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.

    ", + "

    What you cannot reclaim

    ", + "

    You cannot reclaim VAT for:

    ", + "
  • anything that\u2019s only for private use
  • ", + "
  • goods and services your business uses to make VAT-exempt supplies
  • ", + "
  • business entertainment costs
  • ", + "
  • goods sold to you under one of the VAT second-hand margin schemes
  • ", + "
  • business assets that are transferred to you as a going concern
  • ", + "

    Purchases before registration

    ", + "

    You may be able to reclaim VAT paid on goods or services bought before you registered for VAT if the purchases were made within certain time limits.

    ", + "

    Partly exempt businesses

    ", + "

    You need to make separate calculations for purchases that relate to both VAT-exempt and taxable supplies, such as phone bills or accountancy fees.

    ", + "

    Business assets of \u00a350,000 and more

    ", + "

    There are special rules for reclaiming VAT for:

    ", + "
  • individual computers and single pieces of computer equipment costing \u00a350,000 or more before VAT
  • ", + "
  • aircraft, ships and boats costing \u00a350,000 or more before VAT
  • ", + "
  • land and buildings costing \u00a3250,000 or more before VAT
  • ", + "

    You may need to adjust the amount of VAT you reclaim over several years using the Capital Goods Scheme.

    ", + "

    How your VAT refund is repaid

    ", + "

    Claim your refund by submitting a VAT Return.

    ", + "

    You need to give your account details to HM Revenue and Customs (HMRC) - even if you\u2019ve already set up a Direct Debit for VAT Returns. Add or change them by going to the registration details in your VAT online account.

    ", + "

    You can also use your online account to view any refund you\u2019re owed, unless you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    You will usually get your refund within 10 days of HMRC receiving your return but it may take longer. Only contact HMRC if you have not heard anything after 30 days.

    ", + "

    Vehicles and fuel costs

    ", + "

    Buying a new car

    ", + "

    You may be able to reclaim all the VAT on a new car if you use it only for business.

    ", + "

    The car must not be available for private use, and you must be able to show that it is not, for example it\u2019s specified in your employee\u2019s contract.

    ", + "

    \u2018Private use\u2019 includes travelling between home and work, unless it\u2019s a temporary place of work.

    ", + "

    You may also be able to claim all the VAT on a new car if it\u2019s mainly used:

    ", + "
  • as a taxi
  • ", + "
  • for driving instruction
  • ", + "
  • for self-drive hire
  • ", + "

    Leasing a car

    ", + "

    If you lease a car, you can usually claim 50% of the VAT. You may be able to reclaim all the VAT if the car is used only for business and is not available for private use, or is mainly used:

    ", + "
  • as a taxi
  • ", + "
  • for driving instruction
  • ", + "

    Self-drive hire cars

    ", + "

    If you hire a car to replace a company car that\u2019s off the road, you can usually claim 50% of the VAT on the hire charge.

    ", + "

    If you hire a car for another reason (for example you do not have a company car), you can reclaim all the VAT if all the following apply:

    ", + "
  • you hire it for no more than 10 days
  • ", + "
  • it\u2019s used only for business
  • ", + "
  • it\u2019s not available for private use
  • ", + "

    Commercial vehicles

    ", + "

    You can usually reclaim the VAT for buying a commercial vehicle (like a van, lorry or tractor) if you only use it for business.

    ", + "

    If they\u2019re used only for business, you can also reclaim VAT on:

    ", + "
  • motorcycles
  • ", + "
  • motorhomes and motor caravans
  • ", + "
  • vans with rear seats (combi vans)
  • ", + "
  • car-derived vans
  • ", + "

    Fuel costs

    ", + "

    There are different ways of reclaiming VAT on fuel, if you do not pay a fixed rate under the Flat Rate Scheme.

    ", + "

    You can reclaim all the VAT on fuel if your vehicle is used only for business. There are 3 ways of handling VAT if you use the vehicle for both business and private purposes. You can:

    ", + "
  • reclaim all the VAT and pay the right fuel scale charge for your vehicle
  • ", + "
  • only reclaim the VAT on fuel you use for business trips - you\u2019ll have to keep detailed mileage records
  • ", + "
  • choose not to reclaim any VAT, eg if your business mileage is so low that the fuel scale charge would be higher than the VAT you can reclaim
  • ", + "

    If you choose not to reclaim VAT on fuel for one vehicle you cannot reclaim VAT on any fuel for vehicles used by your business.

    ", + "

    Additional costs

    ", + "

    You can usually reclaim the VAT for:

    ", + "
  • all business-related running and maintenance costs, such as repairs or off-street parking
  • ", + "
  • any accessories you\u2019ve fitted for business use
  • ", + "

    You can do this even if you cannot reclaim VAT on the vehicle itself.

    ", + "

    Used vehicles

    ", + "

    The sales invoice for your used vehicle must show the VAT. You cannot reclaim if it does not, for example if the seller uses the VAT margin scheme.

    ", + "

    Staff travel

    ", + "

    You can reclaim VAT on employee travel expenses for business trips, including meals and accommodation that you pay for.

    ", + "

    You cannot reclaim VAT if you pay your employees a flat rate for expenses.

    ", + "

    There are special rules for motoring expenses.

    ", + "

    You cannot reclaim VAT on entertainment costs.

    ", + "

    Who counts as an employee

    ", + "

    The following people count as employees for VAT reclaims:

    ", + "
  • someone directly employed by you (not through an agency)
  • ", + "
  • directors, partners, any other managers
  • ", + "
  • self-employed people who are treated as employees (you cannot reclaim on travel expenses for this group)
  • ", + "
  • helpers or stewards who help run events
  • ", + "

    The following people do not count as employees for VAT reclaims:

    ", + "
  • shareholders who are not employed by the business
  • ", + "
  • pensioners and former employees
  • ", + "
  • someone applying for a job, for example interviewees
  • " + ] + }, + "https://www.gov.uk/simpler-income-tax-simplified-expenses": { + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "title": "Simplified expenses if you're self-employed", + "content": "## Overview\n\nSimplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.\n\nYou do not have to use simplified expenses. You can decide if it suits your business.\n\n## Who can use simplified expenses\n\nSimplified expenses can be used by:\n\n- sole traders\n\n- business partnerships that have no companies as partners\n\nSimplified expenses cannot be used by limited companies or business partnerships involving a limited company.\n\n## Types of expenses\n\nYou can use flat rates for:\n\n- business costs for some vehicles\n\n- working from home\n\n- living in your business premises\n\nYou must calculate all other expenses by working out the actual costs.\n\n## How to use simplified expenses\n\n- Keep records your business miles for vehicles, hours you work at home and how many people live at your business premises over the year.\n\n- At the end of the tax year use the flat rates for vehicle mileage, working from home, and living at your business premises to work out your expenses.\n\n- Include these amounts in the total for your expenses in your Self Assessment tax return.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs. This will help you work out if simplified expenses suits your business.\n\n## Vehicles\n\nCalculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.\n\nYou can use simplified expenses for:\n\n- cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)\n\n- goods vehicles (for example, vans)\n\n- motorcycles\n\nYou cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.\n\n| Vehicle | Flat rate per mile with simplified expenses |\n\n| Cars and goods vehicles first 10,000 miles | 45p |\n\n| Cars and goods vehicles after 10,000 miles | 25p |\n\n| Motorcycles | 24p |\n\nYou do not have to use flat rates for all your vehicles. Once you use the flat rates for a vehicle, you must continue to do so as long as you use that vehicle for your business.\n\nYou can claim all other travel expenses (for example train journeys) and parking on top of your vehicle expenses.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Working from home\n\nCalculate your allowable expenses using a flat rate based on the hours you work from home each month.\n\nThis means you do not have to work out the proportion of personal and business use for your home, for example how much of your utility bills are for business.\n\nThe flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.\n\nYou can only use simplified expenses if you work for 25 hours or more a month from home.\n\n| Hours of business use per month | Flat rate per month |\n\n| 25 to 50 | \u00a310 |\n\n| 51 to 100 | \u00a318 |\n\n| 101 and more | \u00a326 |\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Living at your business premises\n\nA small number of businesses use their business premises as their home, for example a guesthouse, bed and breakfast or small care home.\n\nYou can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.\n\nWith simplified expenses you calculate the total expenses for the premises.\n\nThen use the flat rates to subtract an amount for your personal use of the premises, based on the number of people living on the premises and claim the rest as your business expenses.\n\n| Number of people | Flat rate per month |\n\n| 1 | \u00a3350 |\n\n| 2 | \u00a3500 |\n\n| 3+ | \u00a3650 |\n\nIf someone lives at your business premises for part of the year, you can deduct only the relevant flat rate for the months they live there.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.", + "original_contents": [ + "

    Overview

    ", + "

    Simplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.

    ", + "

    You do not have to use simplified expenses. You can decide if it suits your business.

    ", + "

    Who can use simplified expenses

    ", + "

    Simplified expenses can be used by:

    ", + "
  • sole traders
  • ", + "
  • business partnerships that have no companies as partners
  • ", + "

    Simplified expenses cannot be used by limited companies or business partnerships involving a limited company.

    ", + "

    Types of expenses

    ", + "

    You can use flat rates for:

    ", + "
  • business costs for some vehicles
  • ", + "
  • working from home
  • ", + "
  • living in your business premises
  • ", + "

    You must calculate all other expenses by working out the actual costs.

    ", + "

    How to use simplified expenses

    ", + "
  • Keep records your business miles for vehicles, hours you work at home and how many people live at your business premises over the year.
  • ", + "
  • At the end of the tax year use the flat rates for vehicle mileage, working from home, and living at your business premises to work out your expenses.
  • ", + "
  • Include these amounts in the total for your expenses in your Self Assessment tax return.
  • ", + "

    Use the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs. This will help you work out if simplified expenses suits your business.

    ", + "

    Vehicles

    ", + "

    Calculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.

    ", + "

    You can use simplified expenses for:

    ", + "
  • cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)
  • ", + "
  • goods vehicles (for example, vans)
  • ", + "
  • motorcycles
  • ", + "

    You cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.

    ", + "Vehicle | Flat rate per mile with simplified expenses", + "Cars and goods vehicles first 10,000 miles | 45p", + "Cars and goods vehicles after 10,000 miles | 25p", + "Motorcycles | 24p", + "

    You do not have to use flat rates for all your vehicles. Once you use the flat rates for a vehicle, you must continue to do so as long as you use that vehicle for your business.

    ", + "

    You can claim all other travel expenses (for example train journeys) and parking on top of your vehicle expenses.

    ", + "

    Use the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.

    ", + "

    Working from home

    ", + "

    Calculate your allowable expenses using a flat rate based on the hours you work from home each month.

    ", + "

    This means you do not have to work out the proportion of personal and business use for your home, for example how much of your utility bills are for business.

    ", + "

    The flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.

    ", + "

    You can only use simplified expenses if you work for 25 hours or more a month from home.

    ", + "Hours of business use per month | Flat rate per month", + "25 to 50 | \u00a310", + "51 to 100 | \u00a318", + "101 and more | \u00a326", + "

    Use the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.

    ", + "

    Living at your business premises

    ", + "

    A small number of businesses use their business premises as their home, for example a guesthouse, bed and breakfast or small care home.

    ", + "

    You can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.

    ", + "

    With simplified expenses you calculate the total expenses for the premises.

    ", + "

    Then use the flat rates to subtract an amount for your personal use of the premises, based on the number of people living on the premises and claim the rest as your business expenses.

    ", + "Number of people | Flat rate per month", + "1 | \u00a3350", + "2 | \u00a3500", + "3+ | \u00a3650", + "

    If someone lives at your business premises for part of the year, you can deduct only the relevant flat rate for the months they live there.

    ", + "

    Use the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.

    " + ] + }, + "https://www.gov.uk/tax-buy-shares": { + "url": "https://www.gov.uk/tax-buy-shares", + "title": "Tax when you buy shares", + "content": "## Overview\n\nWhen you buy shares, you usually pay a tax or duty of 0.5% on the transaction.\n\nIf you buy:\n\n- shares electronically, you\u2019ll pay Stamp Duty Reserve Tax (SDRT)\n\n- shares using a stock transfer form, you\u2019ll pay Stamp Duty if the transaction is over \u00a31,000\n\nYou\u2019ll have to pay tax at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.\n\nYou pay tax on the price you pay for the shares, even if their actual market value is much higher.\n\n## Transactions you pay tax on\n\nYou pay tax when you buy:\n\n- existing shares in a company incorporated in the UK\n\n- an option to buy shares\n\n- an interest in shares, for example an interest in the money from selling them\n\n- shares in a foreign company that has a share register in the UK\n\n- rights arising from shares, for example rights you have when new shares are issued\n\n## When you do not pay tax\n\nYou do not have to pay tax if you:\n\n- are given shares for nothing\n\n- subscribe to a new issue of shares in a company\n\n- buy shares in an \u2018open ended investment company\u2019 (OEIC) from the fund manager\n\n- buy units in a unit trust from the fund manager\n\nYou do not normally have to pay Stamp Duty or SDRT if you buy foreign shares outside the UK. But you may have to pay other taxes.\n\n## When you sell the shares\n\nYou may need to pay Capital Gains Tax when you sell your shares.\n\n## Help and advice\n\nContact Stamp Duty share enquiries for general information about Stamp Duty on shares.\n\nContact Stamp Duty Reserve Tax enquiries if you have questions about Stamp Duty on electronic paperless share transactions.\n\nYou can also get professional help (for example, from a tax adviser) with your tax.\n\n## Buying shares electronically\n\nYou\u2019ll pay Stamp Duty Reserve Tax (SDRT) if you buy shares electronically through the \u2018CREST\u2019 system (a computerised register of shares and shareowners).\n\nThe tax is taken automatically when you buy the shares, so you do not need to do anything else about your tax.\n\nSDRT is charged at 0.5% when you buy shares electronically.\n\nIf you do not pay cash for your shares but give something else of value to buy them, you pay SDRT based on the value of what you gave.\n\nIf you\u2019re given shares for nothing, you do not have to pay any tax.\n\n## Buying shares \u2018off-market\u2019\n\nYou must also pay SDRT on \u2018off-market\u2019 transactions. This is when shares are transferred outside CREST.\n\n## How to pay\n\nTax is not deducted automatically when you buy shares off-market.\n\nYou\u2019ll need to send HM Revenue and Customs (HMRC) a written notice with details of the transaction.\n\nIf you do not pay on time, you\u2019ll be charged interest from the due date until the date you pay. You may also get a penalty.\n\n## Buying shares using a stock transfer form\n\nYou must pay Stamp Duty on your shares if:\n\n- you buy shares through a stock transfer form\n\n- the transaction is over \u00a31,000\n\nYou pay 0.5% duty, which will be rounded up to the nearest \u00a35.\n\nFor shares under \u00a31,000, you will not need to pay anything.\n\n## Get a stock transfer form\n\nYou can get a stock transfer form from:\n\n- a broker\n\n- a lawyer or an accountant who deals in shares\n\nYou can also download a stock transfer form from the internet.\n\nFind out what you need to include in a stock transfer form.\n\n## Send the transfer form to HMRC and pay Stamp Duty\n\nYou must send a copy of your stock transfer form to the Stamp Office within 30 days of it being signed and dated.\n\nEmail an electronic version or a scan of your paper form to stampdutymailbox@hmrc.gov.uk.\n\nIf you cannot email your stock transfer form, send a photocopy by post. You must keep the original signed document for your records.\n\nThere is a different address to send a stock transfer form by courier.\n\nYou must also pay the Stamp Duty within 30 days of the stock transfer form being signed and dated.\n\nYou may get a penalty if you do not pay on time.\n\n## Special share arrangements\n\nYou pay Stamp Duty Reserve Tax (SDRT) or Stamp Duty at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.\n\nThis is when the shares are transferred to a service operated by a third party (for example, a bank). The shares can then be traded free of Stamp Duty or SDRT.\n\nNot all of these schemes work like this. Sometimes the higher rate is not charged and you pay Stamp Duty or SDRT in the normal way. Check the details of your scheme with your stockbroker.", + "original_contents": [ + "

    Overview

    ", + "

    When you buy shares, you usually pay a tax or duty of 0.5% on the transaction.

    ", + "

    If you buy:

    ", + "
  • shares electronically, you\u2019ll pay Stamp Duty Reserve Tax (SDRT)
  • ", + "
  • shares using a stock transfer form, you\u2019ll pay Stamp Duty if the transaction is over \u00a31,000
  • ", + "

    You\u2019ll have to pay tax at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.

    ", + "

    You pay tax on the price you pay for the shares, even if their actual market value is much higher.

    ", + "

    Transactions you pay tax on

    ", + "

    You pay tax when you buy:

    ", + "
  • existing shares in a company incorporated in the UK
  • ", + "
  • an option to buy shares
  • ", + "
  • an interest in shares, for example an interest in the money from selling them
  • ", + "
  • shares in a foreign company that has a share register in the UK
  • ", + "
  • rights arising from shares, for example rights you have when new shares are issued
  • ", + "

    When you do not pay tax

    ", + "

    You do not have to pay tax if you:

    ", + "
  • are given shares for nothing
  • ", + "
  • subscribe to a new issue of shares in a company
  • ", + "
  • buy shares in an \u2018open ended investment company\u2019 (OEIC) from the fund manager
  • ", + "
  • buy units in a unit trust from the fund manager
  • ", + "

    You do not normally have to pay Stamp Duty or SDRT if you buy foreign shares outside the UK. But you may have to pay other taxes.

    ", + "

    When you sell the shares

    ", + "

    You may need to pay Capital Gains Tax when you sell your shares.

    ", + "

    Help and advice

    ", + "

    Contact Stamp Duty share enquiries for general information about Stamp Duty on shares.

    ", + "

    Contact Stamp Duty Reserve Tax enquiries if you have questions about Stamp Duty on electronic paperless share transactions.

    ", + "

    You can also get professional help (for example, from a tax adviser) with your tax.

    ", + "

    Buying shares electronically

    ", + "

    You\u2019ll pay Stamp Duty Reserve Tax (SDRT) if you buy shares electronically through the \u2018CREST\u2019 system (a computerised register of shares and shareowners).

    ", + "

    The tax is taken automatically when you buy the shares, so you do not need to do anything else about your tax.

    ", + "

    SDRT is charged at 0.5% when you buy shares electronically.

    ", + "

    If you do not pay cash for your shares but give something else of value to buy them, you pay SDRT based on the value of what you gave.

    ", + "

    If you\u2019re given shares for nothing, you do not have to pay any tax.

    ", + "

    Buying shares \u2018off-market\u2019

    ", + "

    You must also pay SDRT on \u2018off-market\u2019 transactions. This is when shares are transferred outside CREST.

    ", + "

    How to pay

    ", + "

    Tax is not deducted automatically when you buy shares off-market.

    ", + "

    You\u2019ll need to send HM Revenue and Customs (HMRC) a written notice with details of the transaction.

    ", + "

    If you do not pay on time, you\u2019ll be charged interest from the due date until the date you pay. You may also get a penalty.

    ", + "

    Buying shares using a stock transfer form

    ", + "

    You must pay Stamp Duty on your shares if:

    ", + "
  • you buy shares through a stock transfer form
  • ", + "
  • the transaction is over \u00a31,000
  • ", + "

    You pay 0.5% duty, which will be rounded up to the nearest \u00a35.

    ", + "

    For shares under \u00a31,000, you will not need to pay anything.

    ", + "

    Get a stock transfer form

    ", + "

    You can get a stock transfer form from:

    ", + "
  • a broker
  • ", + "
  • a lawyer or an accountant who deals in shares
  • ", + "

    You can also download a stock transfer form from the internet.

    ", + "

    Find out what you need to include in a stock transfer form.

    ", + "

    Send the transfer form to HMRC and pay Stamp Duty

    ", + "

    You must send a copy of your stock transfer form to the Stamp Office within 30 days of it being signed and dated.

    ", + "

    Email an electronic version or a scan of your paper form to stampdutymailbox@hmrc.gov.uk.

    ", + "

    If you cannot email your stock transfer form, send a photocopy by post. You must keep the original signed document for your records.

    ", + "

    There is a different address to send a stock transfer form by courier.

    ", + "

    You must also pay the Stamp Duty within 30 days of the stock transfer form being signed and dated.

    ", + "

    You may get a penalty if you do not pay on time.

    ", + "

    Special share arrangements

    ", + "

    You pay Stamp Duty Reserve Tax (SDRT) or Stamp Duty at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.

    ", + "

    This is when the shares are transferred to a service operated by a third party (for example, a bank). The shares can then be traded free of Stamp Duty or SDRT.

    ", + "

    Not all of these schemes work like this. Sometimes the higher rate is not charged and you pay Stamp Duty or SDRT in the normal way. Check the details of your scheme with your stockbroker.

    " + ] + }, + "https://www.gov.uk/tax-limited-company-gives-to-charity": { + "url": "https://www.gov.uk/tax-limited-company-gives-to-charity", + "title": "Tax when your limited company gives to charity", + "content": "## Overview\n\nYour limited company pays less Corporation Tax when it gives the following to charity:\n\n- money\n\n- equipment or trading stock (items it makes or sells)\n\n- land, property or shares in another company (shares in your own company don\u2019t qualify)\n\n- employees (on secondment)\n\n- sponsorship payments\n\nYou can claim tax relief by deducting the value of your donations from your total business profits before you pay tax.\n\nThere are different rules for sole traders and partnerships.\n\n## Donating money\n\nYour limited company can pay less Corporation Tax when it gives money to a charity or community amateur sports club (CASC).\n\nDeduct the value of the donations from your total business profits before you pay tax.\n\n## Payments that don\u2019t qualify\n\nYou can\u2019t deduct payments that:\n\n- are loans that will be repaid by the charity\n\n- are made on the condition that the charity will buy property from your company or anyone connected with it\n\n- are a distribution of company profits (eg dividends)\n\n## If you\u2019re given something in return\n\nAny benefits you\u2019re given in return for your donation (eg tickets to an event) must be below a certain value.\n\n| Donation amount | Maximum value of benefit |\n\n| Up to \u00a3100 | 25% of the donation |\n\n| \u00a3101 - \u00a31,000 | \u00a325 |\n\n| \u00a31,001 and over | 5% of the donation (up to a maximum of \u00a32,500) |\n\nThis applies to benefits given to any person or company connected with your company, including close relatives.\n\nIf you get a benefit that\u2019s related to the company your donation qualifies as a sponsorship payment.\n\n## Equipment and trading stock\n\nYour limited company pays less Corporation Tax if it gives equipment or items it makes or sells (\u2018trading stock\u2019) to a charity or community amateur sports club (CASC).\n\n## Giving equipment\n\nYou can claim full capital allowances on the cost of equipment.\n\nTo qualify, the equipment must have been used by your company. This includes things like:\n\n- office furniture\n\n- computers and printers\n\n- vans and cars\n\n- tools and machinery\n\n## Giving trading stock\n\nIf your company donates its trading stock to a charity or CASC, you don\u2019t have to include anything in your sales income for the value of the gift. This means you get tax relief on the cost of the stock you\u2019ve given away.\n\n## VAT\n\nIf your company is VAT-registered, you\u2019ll need to account for VAT on the items you give away.\n\nHowever, you can apply zero VAT to the items - even if you normally charge the standard or reduced rate - if your company makes the donation specifically so that the charity can:\n\n- sell the items\n\n- hire out the items\n\n- export the items\n\nThis means you can reclaim the VAT on the cost of the trading stock you donate.\n\nIf you can\u2019t zero rate the items, use the VAT rate you normally apply to them.\n\n## Land, property and shares\n\nYour limited company could pay less Corporation Tax if it gives or sells any of the following to charity:\n\n- land or property\n\n- shares in another company\n\nYou can\u2019t claim for gifts or sales of shares in your own company.\n\nContact your chosen charity first to make sure it can accept your gift.\n\n## What you get\n\nIf you give these to charity (including selling them for less than they\u2019re worth):\n\n- you won\u2019t have to pay tax on capital gains\n\n- you can deduct the value of the gift (its \u2018market value\u2019) from your business profits before you pay tax\n\nIf you donate or sell to a community amateur sports club (CASC), you don\u2019t pay tax on capital gains but you can\u2019t deduct the value of the gift from your business profits.\n\n## Work out the market value\n\nYou\u2019ll need to know how much the gift would sell for in an open market (its \u2018market value\u2019) to calculate your tax relief. You can get professional help with this.\n\n## What you need to do\n\nYou must keep documents relating to the donation to show that you\u2019ve made the gift or sale and that the charity has accepted it. You must keep these records for at least 6 years.\n\n## Land or property\n\nYou must get a letter or certificate from the charity which contains:\n\n- a description of the land or property\n\n- the date of the gift or sale (the \u2018disposal date\u2019)\n\n- a statement confirming that it now owns the land or property\n\n## Shares\n\nYou must fill in a stock transfer form to take the shares out of your company\u2019s name and put them into the charity\u2019s name.\n\n## Selling land, property or shares on behalf of a charity\n\nWhen you offer a gift of land, property or shares, the charity may ask you to sell the gift on its behalf.\n\nYou can do this and still claim tax relief for the donation, but you must keep records of the gift and the charity\u2019s request. Without them, you might have to pay Corporation Tax.\n\n## Seconding employees\n\nYou can deduct any costs as normal business expenses if:\n\n- your company temporarily transfers an employee to work for a charity (known as a \u2018secondment\u2019)\n\n- an employee volunteers for a charity in work time\n\nYour company must continue to pay the employee and run Pay As You Earn (PAYE) on their salary. You can set the costs (including wages and business expenses) against your taxable profits as if they were still working for you.\n\nYou can\u2019t claim the costs of employees on secondment or volunteering at a community amateur sports club (CASC).\n\n## Sponsoring a charity\n\nCharity sponsorship payments are different from donations because your company gets something related to the business in return.\n\nYou can deduct sponsorship payments from your business profits before you pay tax by treating them as business expenses.\n\n## What qualifies\n\nPayments qualify as business expenses if the charity:\n\n- publicly supports your products or services\n\n- allows you to use their logo in your own printed material\n\n- allows you to sell your goods or services at their event or premises\n\n- links from their website to yours\n\nIf you\u2019re unsure whether a charity payment qualifies as a sponsorship payment or a donation, contact the charities helpline.\n\n## How to claim\n\nThere are different ways to claim tax relief depending on the type of donation you make.\n\n## Deduct from your profits\n\nClaim relief in the Company Tax Return that covers the accounting period during which you made the donation or sale if you have:\n\n- donated money\n\n- given or sold land, property or shares\n\nEnter the total value of your donations in the \u2018Qualifying donations\u2019 box of the \u2018Deductions and Reliefs\u2019 section of your tax return.\n\nThere are special rules for working out the value of your donation if you give or sell land, property or shares to a charity.\n\n## Deduct as business expenses\n\nDeduct costs as normal business expenses in your company\u2019s annual accounts if you have:\n\n- seconded employees\n\n- sponsored a charity\n\n## Claim capital allowances\n\nClaim capital allowances on the cost of equipment you donate in your company\u2019s annual accounts.\n\n## If you donate more than your profit\n\nThe most you can deduct is the amount that reduces your company\u2019s profits to zero.\n\nIf you donate more than your total profits you can\u2019t:\n\n- declare trading losses on your tax return\n\n- carry over any remaining amount to your next tax return", + "original_contents": [ + "

    Overview

    ", + "

    Your limited company pays less Corporation Tax when it gives the following to charity:

    ", + "
  • money
  • ", + "
  • equipment or trading stock (items it makes or sells)
  • ", + "
  • land, property or shares in another company (shares in your own company don\u2019t qualify)
  • ", + "
  • employees (on secondment)
  • ", + "
  • sponsorship payments
  • ", + "

    You can claim tax relief by deducting the value of your donations from your total business profits before you pay tax.

    ", + "

    There are different rules for sole traders and partnerships.

    ", + "

    Donating money

    ", + "

    Your limited company can pay less Corporation Tax when it gives money to a charity or community amateur sports club (CASC).

    ", + "

    Deduct the value of the donations from your total business profits before you pay tax.

    ", + "

    Payments that don\u2019t qualify

    ", + "

    You can\u2019t deduct payments that:

    ", + "
  • are loans that will be repaid by the charity
  • ", + "
  • are made on the condition that the charity will buy property from your company or anyone connected with it
  • ", + "
  • are a distribution of company profits (eg dividends)
  • ", + "

    If you\u2019re given something in return

    ", + "

    Any benefits you\u2019re given in return for your donation (eg tickets to an event) must be below a certain value.

    ", + "Donation amount | Maximum value of benefit", + "Up to \u00a3100 | 25% of the donation", + "\u00a3101 - \u00a31,000 | \u00a325", + "\u00a31,001 and over | 5% of the donation (up to a maximum of \u00a32,500)", + "

    This applies to benefits given to any person or company connected with your company, including close relatives.

    ", + "

    If you get a benefit that\u2019s related to the company your donation qualifies as a sponsorship payment.

    ", + "

    Equipment and trading stock

    ", + "

    Your limited company pays less Corporation Tax if it gives equipment or items it makes or sells (\u2018trading stock\u2019) to a charity or community amateur sports club (CASC).

    ", + "

    Giving equipment

    ", + "

    You can claim full capital allowances on the cost of equipment.

    ", + "

    To qualify, the equipment must have been used by your company. This includes things like:

    ", + "
  • office furniture
  • ", + "
  • computers and printers
  • ", + "
  • vans and cars
  • ", + "
  • tools and machinery
  • ", + "

    Giving trading stock

    ", + "

    If your company donates its trading stock to a charity or CASC, you don\u2019t have to include anything in your sales income for the value of the gift. This means you get tax relief on the cost of the stock you\u2019ve given away.

    ", + "

    VAT

    ", + "

    If your company is VAT-registered, you\u2019ll need to account for VAT on the items you give away.

    ", + "

    However, you can apply zero VAT to the items - even if you normally charge the standard or reduced rate - if your company makes the donation specifically so that the charity can:

    ", + "
  • sell the items
  • ", + "
  • hire out the items
  • ", + "
  • export the items
  • ", + "

    This means you can reclaim the VAT on the cost of the trading stock you donate.

    ", + "

    If you can\u2019t zero rate the items, use the VAT rate you normally apply to them.

    ", + "

    Land, property and shares

    ", + "

    Your limited company could pay less Corporation Tax if it gives or sells any of the following to charity:

    ", + "
  • land or property
  • ", + "
  • shares in another company
  • ", + "

    You can\u2019t claim for gifts or sales of shares in your own company.

    ", + "

    Contact your chosen charity first to make sure it can accept your gift.

    ", + "

    What you get

    ", + "

    If you give these to charity (including selling them for less than they\u2019re worth):

    ", + "
  • you won\u2019t have to pay tax on capital gains
  • ", + "
  • you can deduct the value of the gift (its \u2018market value\u2019) from your business profits before you pay tax
  • ", + "

    If you donate or sell to a community amateur sports club (CASC), you don\u2019t pay tax on capital gains but you can\u2019t deduct the value of the gift from your business profits.

    ", + "

    Work out the market value

    ", + "

    You\u2019ll need to know how much the gift would sell for in an open market (its \u2018market value\u2019) to calculate your tax relief. You can get professional help with this.

    ", + "

    What you need to do

    ", + "

    You must keep documents relating to the donation to show that you\u2019ve made the gift or sale and that the charity has accepted it. You must keep these records for at least 6 years.

    ", + "

    Land or property

    ", + "

    You must get a letter or certificate from the charity which contains:

    ", + "
  • a description of the land or property
  • ", + "
  • the date of the gift or sale (the \u2018disposal date\u2019)
  • ", + "
  • a statement confirming that it now owns the land or property
  • ", + "

    Shares

    ", + "

    You must fill in a stock transfer form to take the shares out of your company\u2019s name and put them into the charity\u2019s name.

    ", + "

    Selling land, property or shares on behalf of a charity

    ", + "

    When you offer a gift of land, property or shares, the charity may ask you to sell the gift on its behalf.

    ", + "

    You can do this and still claim tax relief for the donation, but you must keep records of the gift and the charity\u2019s request. Without them, you might have to pay Corporation Tax.

    ", + "

    Seconding employees

    ", + "

    You can deduct any costs as normal business expenses if:

    ", + "
  • your company temporarily transfers an employee to work for a charity (known as a \u2018secondment\u2019)
  • ", + "
  • an employee volunteers for a charity in work time
  • ", + "

    Your company must continue to pay the employee and run Pay As You Earn (PAYE) on their salary. You can set the costs (including wages and business expenses) against your taxable profits as if they were still working for you.

    ", + "

    You can\u2019t claim the costs of employees on secondment or volunteering at a community amateur sports club (CASC).

    ", + "

    Sponsoring a charity

    ", + "

    Charity sponsorship payments are different from donations because your company gets something related to the business in return.

    ", + "

    You can deduct sponsorship payments from your business profits before you pay tax by treating them as business expenses.

    ", + "

    What qualifies

    ", + "

    Payments qualify as business expenses if the charity:

    ", + "
  • publicly supports your products or services
  • ", + "
  • allows you to use their logo in your own printed material
  • ", + "
  • allows you to sell your goods or services at their event or premises
  • ", + "
  • links from their website to yours
  • ", + "

    If you\u2019re unsure whether a charity payment qualifies as a sponsorship payment or a donation, contact the charities helpline.

    ", + "

    How to claim

    ", + "

    There are different ways to claim tax relief depending on the type of donation you make.

    ", + "

    Deduct from your profits

    ", + "

    Claim relief in the Company Tax Return that covers the accounting period during which you made the donation or sale if you have:

    ", + "
  • donated money
  • ", + "
  • given or sold land, property or shares
  • ", + "

    Enter the total value of your donations in the \u2018Qualifying donations\u2019 box of the \u2018Deductions and Reliefs\u2019 section of your tax return.

    ", + "

    There are special rules for working out the value of your donation if you give or sell land, property or shares to a charity.

    ", + "

    Deduct as business expenses

    ", + "

    Deduct costs as normal business expenses in your company\u2019s annual accounts if you have:

    ", + "
  • seconded employees
  • ", + "
  • sponsored a charity
  • ", + "

    Claim capital allowances

    ", + "

    Claim capital allowances on the cost of equipment you donate in your company\u2019s annual accounts.

    ", + "

    If you donate more than your profit

    ", + "

    The most you can deduct is the amount that reduces your company\u2019s profits to zero.

    ", + "

    If you donate more than your total profits you can\u2019t:

    ", + "
  • declare trading losses on your tax return
  • ", + "
  • carry over any remaining amount to your next tax return
  • " + ] + }, + "https://www.gov.uk/vat-returns": { + "url": "https://www.gov.uk/vat-returns", + "title": "VAT Returns", + "content": "## Overview\n\nYou usually submit a VAT Return to HM Revenue and Customs (HMRC) every 3 months. This period of time is known as your \u2018accounting period.\u2019\n\nThis guide is also available in Welsh (Cymraeg).\n\nThe VAT Return records things for the accounting period like:\n\n- your total sales and purchases\n\n- the amount of VAT you owe\n\n- the amount of VAT you can reclaim\n\n- what your VAT refund from HMRC is\n\nYou must submit a VAT Return even if you have no VAT to pay or reclaim.\n\n## Final VAT Returns\n\nYou have to submit a final VAT Return when you cancel your VAT registration.\n\nHMRC will send you a paper version to complete if your registration is cancelled because you\u2019re insolvent.\n\n## Fill in your return\n\nComplete and send your VAT Return online.\n\nYou cannot use your online account to send your VAT Return if you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019. Use compatible accounting software instead.\n\nIf you need help there\u2019s guidance on:\n\n- what to put in each box\n\n- filling in your return if you\u2019re on the Flat Rate Scheme\n\nIf you are registered for VAT in Northern Ireland, you must include EU sales on your VAT Return and complete an EC Sales List.\n\n## Working out what you can claim\n\nIf your business is a charity, you pay VAT at a reduced rate on some goods and services.\n\nVAT-registered businesses can usually reclaim the VAT they\u2019ve paid on business purchases and expenses. The claim must be for a business activity (you have to work out the business element if it also had a personal use).\n\nYou must keep records to support your claim and show the VAT was paid.\n\n## Exceptions\n\nYou cannot reclaim the VAT on:\n\n- entertainment expenses\n\n- purchases if you use the VAT Flat Rate Scheme (except some capital assets worth more than \u00a32,000)\n\nThere are special rules for working out how to reclaim VAT for:\n\n- cars, for example buying, repairing, fuel costs\n\n- staff travel expenses, for example accommodation and transport expenses\n\n- businesses that are partly exempt from VAT\n\n## Estimated figures\n\nAsk HM Revenue and Customs (HMRC) for permission to use estimated figures. You\u2019ll need a good reason why you cannot give accurate figures on your VAT Return.\n\nIf you\u2019re allowed, you will not be charged a penalty unless you miss the deadline or make a careless or deliberate error. You\u2019ll normally have to give the correct figures in your next VAT Return.\n\n## Bad debts\n\nYou can reclaim the VAT you\u2019ve paid HMRC but not received from a customer if it\u2019s a \u2018bad debt\u2019 (one you\u2019ve written off). To qualify for the relief:\n\n- the debt must be between 6 months old and 4 years and 6 months old\n\n- you must not have sold the debt on\n\n- you must not have charged more than the normal price for the item\n\nYou should reclaim them via your VAT Return (add them to your Box 4 figure) and keep records about the debt.\n\nIf the debt is paid, you must pay the relief back via your VAT Return by adding the amount to your \u2018Box 1\u2019 figure.\n\n## How to submit your return\n\nYou must submit your return online unless:\n\n- your business is subject to an insolvency procedure - if you have a Company Voluntary Arrangement or an Individual Voluntary Arrangement you can submit your return online if you want to\n\n- you object to using computers on religious grounds\n\n- you cannot because of your age, a disability or because of where you live, for example you do not have internet access\n\nContact HM Revenue and Customs (HMRC) to find out how to submit your return, for example paper filing, if you cannot submit online.\n\n## Submit your VAT Return online\n\nYou need a VAT number and a VAT online account. You can then submit your VAT Return using HMRC\u2019s free online service or commercial accounting software.\n\nYou cannot use your online account to send your VAT Return if you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019. Use compatible accounting software instead.\n\n## Getting online\n\nIf you need:\n\n- a VAT number and online account - register for VAT\n\n- an online account - sign up for an online account and select \u2018VAT submit returns\u2019\n\n- a VAT number - log in to your online account and apply for a VAT number\n\n## HMRC\u2019s free online service\n\nSign in to your VAT online account and complete your VAT Return.\n\n## Using accounting software\n\nMost accounting software lets you submit your VAT Return to HMRC directly. This means you will not have to enter your figures separately in HMRC\u2019s online service.\n\nHMRC has a list of software you can use to submit your VAT Return.\n\nKeep any reference number you receive as proof you\u2019ve sent your return.\n\n## Using accountants or agents\n\nYou\u2019ll need to authorise them before they can submit your VAT Return. You can do this through your VAT online account.\n\nFind an accountant or a solicitor to help you with your VAT return or tax.\n\n## Get help\n\nYou can get help with your VAT return or if you do not understand something about your tax.\n\n## Help with online services\n\nContact the VAT Online Services Helpdesk if you need any help using VAT online services.\n\n## Deadlines\n\nCheck your VAT Return and payment deadlines in your VAT online account.\n\nYour VAT online account tells you:\n\n- when your VAT Returns are due\n\n- when the payment must clear HM Revenue and Customs\u2019 (HMRC) account\n\nThe deadline for submitting the return online and paying HMRC are usually the same - 1 calendar month and 7 days after the end of an accounting period. You need to allow time for the payment to reach HMRC\u2019s account.\n\n## Exceptions\n\nThe deadlines are different if, for example, you use the VAT Annual Accounting Scheme.\n\n## Pay your VAT bill\n\nYou must pay VAT to HMRC electronically, for example through direct debit or internet banking. Most businesses are not allowed to pay by cheque.\n\nContact HMRC if you cannot pay your VAT bill.\n\n## Surcharges and penalties\n\nHM Revenue and Customs (HMRC) record a \u2018default\u2019 if:\n\n- they do not receive your VAT return by the deadline\n\n- full payment for the VAT due on your return has not reached their account by the deadline\n\n## Surcharges\n\nYou may enter a 12-month \u2018surcharge period\u2019 if you default. If you default again during this time:\n\n- the surcharge period is extended for a further 12 months\n\n- you may have to pay an extra amount (a \u2018surcharge\u2019) on top of the VAT you owe\n\nIf you submit a late return, you will not have to pay a surcharge if you:\n\n- pay your VAT in full by the deadline\n\n- have no tax to pay\n\n- are due a VAT repayment\n\nHMRC will write to you explaining any surcharges you owe and what happens if you default again.\n\n## How much you pay\n\nYour surcharge is a percentage of the VAT outstanding on the due date for the accounting period that is in default. The surcharge rate increases every time you default again in a surcharge period.\n\nThis table shows how much you\u2019ll be charged if you default within a surcharge period.\n\nYou do not pay a surcharge for your first default.\n\n| Defaults within 12 months | Surcharge if annual turnover is less than \u00a3150,000 | Surcharge if annual turnover is \u00a3150,000 or more |\n\n| 2nd | No surcharge | 2% (no surcharge if this is less than \u00a3400) |\n\n| 3rd | 2% (no surcharge if this is less than \u00a3400) | 5% (no surcharge if this is less than \u00a3400) |\n\n| 4th | 5% (no surcharge if this is less than \u00a3400) | 10% or \u00a330 (whichever is more) |\n\n| 5th | 10% or \u00a330 (whichever is more) | 15% or \u00a330 (whichever is more) |\n\n| 6 or more | 15% or \u00a330 (whichever is more) | 15% or \u00a330 (whichever is more) |\n\n## Penalties\n\nHMRC can charge you a penalty of up to:\n\n- 100% of any tax under-stated or over-claimed if you send a return that contains a careless or deliberate inaccuracy\n\n- 30% of an assessment if HMRC sends you one that\u2019s too low and you do not tell them it\u2019s wrong within 30 days\n\n- \u00a3400 if you submit a paper VAT return, unless HMRC has told you you\u2019re exempt from submitting your return using your VAT online account or Making Tax Digital compatible software\n\n## Assessments\n\nIf you do not send your VAT Return and pay any VAT due on time, you will get a \u2018VAT notice of assessment of tax\u2019 from HM Revenue and Customs (HMRC), telling you how much VAT they think you owe.\n\n## What you need to do\n\nSend your VAT Return and any payment due immediately.\n\nIf the assessed amount of VAT is too low you must tell HMRC within 30 days. Do this by sending a correct VAT Return and VAT payment or contacting them. You may be charged a penalty if you do not.\n\nIf the assessment is too high, you cannot appeal it. You must send a correct VAT Return and VAT payment.\n\nContact HMRC if you cannot pay your tax bill and contact the VAT helpline if you cannot send the return.\n\n## Interest on underpaid or overpaid VAT\n\nHM Revenue and Customs (HMRC) may charge you interest if you do not report and pay the right amount of VAT. If you pay too much VAT because HMRC make a mistake, you can claim interest.\n\n## When interest is charged\n\nInterest may be charged if you:\n\n- report less VAT than you charge, or reclaim more than you pay\n\n- pay an assessment that HMRC later find was too low\n\n- let HMRC know you owe them VAT because of a mistake on your VAT Return\n\n## How much interest is charged\n\nYou\u2019ll be charged 2.6% interest.\n\nThere\u2019s a different interest rate for tax that was underpaid before 21 November 2017.\n\nUse your VAT online account to check the amount you owe.\n\nHMRC will also send you a notice telling you how much you owe and how it\u2019s worked out.\n\nIf you do not pay within 30 days, further interest is charged on the VAT due from the date of the notice. You\u2019ll be charged interest for as long as you do not pay, up to a maximum of 2 years.\n\nYou cannot deduct the interest HMRC charges you when working out your taxable profits.\n\n## Claiming interest\n\nYou may be able to claim interest if HMRC\u2019s mistake means:\n\n- you pay too much VAT\n\n- you reclaim too little VAT\n\n- a payment to you from HMRC was delayed\n\nNormally HMRC will not repay interest if you\u2019ve paid too much VAT because of a mistake you made.\n\n## How much interest can you claim\n\nYou can claim 0.5% interest. This is normally paid for the whole period from when the VAT was overpaid or reclaimed until the date repayment is authorised.\n\nThere\u2019s a different interest rate for tax that was overpaid before 29 September 2009.\n\nIf you caused a delay to any payments (for example by not claiming straight away) HMRC might leave this time out.\n\nYou have to claim the interest separately from the repayment itself.\n\nWrite to HMRC with details of the repayment, explaining why you\u2019re owed interest. You must do this within 4 years of the repayment\u2019s authorisation date. Use the postal address on the VAT correspondence you have from HMRC.\n\nAny interest you get from HMRC counts as taxable income.\n\n## Paying interest to your customers\n\nYou must pay any of the interest you get (as well as the VAT) to your customers if HMRC\u2019s mistake means they paid too much VAT.\n\nContact the person at HMRC who dealt with your claim if you need to find out how the interest was calculated. This can help you work out how much you need to repay each customer. You must give the money back to HMRC within 14 days if you cannot get in touch with a customer to repay them.\n\n## Interest rates\n\nHMRC only charge or pay simple interest (interest on the original amount, not interest on interest).\n\n## Challenging an HMRC decision\n\nYou cannot appeal the decision to charge you interest but you can challenge the actual amount.", + "original_contents": [ + "

    Overview

    ", + "

    You usually submit a VAT Return to HM Revenue and Customs (HMRC) every 3 months. This period of time is known as your \u2018accounting period.\u2019

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    The VAT Return records things for the accounting period like:

    ", + "
  • your total sales and purchases
  • ", + "
  • the amount of VAT you owe
  • ", + "
  • the amount of VAT you can reclaim
  • ", + "
  • what your VAT refund from HMRC is
  • ", + "

    You must submit a VAT Return even if you have no VAT to pay or reclaim.

    ", + "

    Final VAT Returns

    ", + "

    You have to submit a final VAT Return when you cancel your VAT registration.

    ", + "

    HMRC will send you a paper version to complete if your registration is cancelled because you\u2019re insolvent.

    ", + "

    Fill in your return

    ", + "

    Complete and send your VAT Return online.

    ", + "

    You cannot use your online account to send your VAT Return if you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019. Use compatible accounting software instead.

    ", + "

    If you need help there\u2019s guidance on:

    ", + "
  • what to put in each box
  • ", + "
  • filling in your return if you\u2019re on the Flat Rate Scheme
  • ", + "

    If you are registered for VAT in Northern Ireland, you must include EU sales on your VAT Return and complete an EC Sales List.

    ", + "

    Working out what you can claim

    ", + "

    If your business is a charity, you pay VAT at a reduced rate on some goods and services.

    ", + "

    VAT-registered businesses can usually reclaim the VAT they\u2019ve paid on business purchases and expenses. The claim must be for a business activity (you have to work out the business element if it also had a personal use).

    ", + "

    You must keep records to support your claim and show the VAT was paid.

    ", + "

    Exceptions

    ", + "

    You cannot reclaim the VAT on:

    ", + "
  • entertainment expenses
  • ", + "
  • purchases if you use the VAT Flat Rate Scheme (except some capital assets worth more than \u00a32,000)
  • ", + "

    There are special rules for working out how to reclaim VAT for:

    ", + "
  • cars, for example buying, repairing, fuel costs
  • ", + "
  • staff travel expenses, for example accommodation and transport expenses
  • ", + "
  • businesses that are partly exempt from VAT
  • ", + "

    Estimated figures

    ", + "

    Ask HM Revenue and Customs (HMRC) for permission to use estimated figures. You\u2019ll need a good reason why you cannot give accurate figures on your VAT Return.

    ", + "

    If you\u2019re allowed, you will not be charged a penalty unless you miss the deadline or make a careless or deliberate error. You\u2019ll normally have to give the correct figures in your next VAT Return.

    ", + "

    Bad debts

    ", + "

    You can reclaim the VAT you\u2019ve paid HMRC but not received from a customer if it\u2019s a \u2018bad debt\u2019 (one you\u2019ve written off). To qualify for the relief:

    ", + "
  • the debt must be between 6 months old and 4 years and 6 months old
  • ", + "
  • you must not have sold the debt on
  • ", + "
  • you must not have charged more than the normal price for the item
  • ", + "

    You should reclaim them via your VAT Return (add them to your Box 4 figure) and keep records about the debt.

    ", + "

    If the debt is paid, you must pay the relief back via your VAT Return by adding the amount to your \u2018Box 1\u2019 figure.

    ", + "

    How to submit your return

    ", + "

    You must submit your return online unless:

    ", + "
  • your business is subject to an insolvency procedure - if you have a Company Voluntary Arrangement or an Individual Voluntary Arrangement you can submit your return online if you want to
  • ", + "
  • you object to using computers on religious grounds
  • ", + "
  • you cannot because of your age, a disability or because of where you live, for example you do not have internet access
  • ", + "

    Contact HM Revenue and Customs (HMRC) to find out how to submit your return, for example paper filing, if you cannot submit online.

    ", + "

    Submit your VAT Return online

    ", + "

    You need a VAT number and a VAT online account. You can then submit your VAT Return using HMRC\u2019s free online service or commercial accounting software.

    ", + "

    You cannot use your online account to send your VAT Return if you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019. Use compatible accounting software instead.

    ", + "

    Getting online

    ", + "

    If you need:

    ", + "
  • a VAT number and online account - register for VAT
  • ", + "
  • an online account - sign up for an online account and select \u2018VAT submit returns\u2019
  • ", + "
  • a VAT number - log in to your online account and apply for a VAT number
  • ", + "

    HMRC\u2019s free online service

    ", + "

    Sign in to your VAT online account and complete your VAT Return.

    ", + "

    Using accounting software

    ", + "

    Most accounting software lets you submit your VAT Return to HMRC directly. This means you will not have to enter your figures separately in HMRC\u2019s online service.

    ", + "

    HMRC has a list of software you can use to submit your VAT Return.

    ", + "

    Keep any reference number you receive as proof you\u2019ve sent your return.

    ", + "

    Using accountants or agents

    ", + "

    You\u2019ll need to authorise them before they can submit your VAT Return. You can do this through your VAT online account.

    ", + "

    Find an accountant or a solicitor to help you with your VAT return or tax.

    ", + "

    Get help

    ", + "

    You can get help with your VAT return or if you do not understand something about your tax.

    ", + "

    Help with online services

    ", + "

    Contact the VAT Online Services Helpdesk if you need any help using VAT online services.

    ", + "

    Deadlines

    ", + "

    Check your VAT Return and payment deadlines in your VAT online account.

    ", + "

    Your VAT online account tells you:

    ", + "
  • when your VAT Returns are due
  • ", + "
  • when the payment must clear HM Revenue and Customs\u2019 (HMRC) account
  • ", + "

    The deadline for submitting the return online and paying HMRC are usually the same - 1 calendar month and 7 days after the end of an accounting period. You need to allow time for the payment to reach HMRC\u2019s account.

    ", + "

    Exceptions

    ", + "

    The deadlines are different if, for example, you use the VAT Annual Accounting Scheme.

    ", + "

    Pay your VAT bill

    ", + "

    You must pay VAT to HMRC electronically, for example through direct debit or internet banking. Most businesses are not allowed to pay by cheque.

    ", + "

    Contact HMRC if you cannot pay your VAT bill.

    ", + "

    Surcharges and penalties

    ", + "

    HM Revenue and Customs (HMRC) record a \u2018default\u2019 if:

    ", + "
  • they do not receive your VAT return by the deadline
  • ", + "
  • full payment for the VAT due on your return has not reached their account by the deadline
  • ", + "

    Surcharges

    ", + "

    You may enter a 12-month \u2018surcharge period\u2019 if you default. If you default again during this time:

    ", + "
  • the surcharge period is extended for a further 12 months
  • ", + "
  • you may have to pay an extra amount (a \u2018surcharge\u2019) on top of the VAT you owe
  • ", + "

    If you submit a late return, you will not have to pay a surcharge if you:

    ", + "
  • pay your VAT in full by the deadline
  • ", + "
  • have no tax to pay
  • ", + "
  • are due a VAT repayment
  • ", + "

    HMRC will write to you explaining any surcharges you owe and what happens if you default again.

    ", + "

    How much you pay

    ", + "

    Your surcharge is a percentage of the VAT outstanding on the due date for the accounting period that is in default. The surcharge rate increases every time you default again in a surcharge period.

    ", + "

    This table shows how much you\u2019ll be charged if you default within a surcharge period.

    ", + "

    You do not pay a surcharge for your first default.

    ", + "Defaults within 12 months | Surcharge if annual turnover is less than \u00a3150,000 | Surcharge if annual turnover is \u00a3150,000 or more", + "2nd | No surcharge | 2% (no surcharge if this is less than \u00a3400)", + "3rd | 2% (no surcharge if this is less than \u00a3400) | 5% (no surcharge if this is less than \u00a3400)", + "4th | 5% (no surcharge if this is less than \u00a3400) | 10% or \u00a330 (whichever is more)", + "5th | 10% or \u00a330 (whichever is more) | 15% or \u00a330 (whichever is more)", + "6 or more | 15% or \u00a330 (whichever is more) | 15% or \u00a330 (whichever is more)", + "

    Penalties

    ", + "

    HMRC can charge you a penalty of up to:

    ", + "
  • 100% of any tax under-stated or over-claimed if you send a return that contains a careless or deliberate inaccuracy
  • ", + "
  • 30% of an assessment if HMRC sends you one that\u2019s too low and you do not tell them it\u2019s wrong within 30 days
  • ", + "
  • \u00a3400 if you submit a paper VAT return, unless HMRC has told you you\u2019re exempt from submitting your return using your VAT online account or Making Tax Digital compatible software
  • ", + "

    Assessments

    ", + "

    If you do not send your VAT Return and pay any VAT due on time, you will get a \u2018VAT notice of assessment of tax\u2019 from HM Revenue and Customs (HMRC), telling you how much VAT they think you owe.

    ", + "

    What you need to do

    ", + "

    Send your VAT Return and any payment due immediately.

    ", + "

    If the assessed amount of VAT is too low you must tell HMRC within 30 days. Do this by sending a correct VAT Return and VAT payment or contacting them. You may be charged a penalty if you do not.

    ", + "

    If the assessment is too high, you cannot appeal it. You must send a correct VAT Return and VAT payment.

    ", + "

    Contact HMRC if you cannot pay your tax bill and contact the VAT helpline if you cannot send the return.

    ", + "

    Interest on underpaid or overpaid VAT

    ", + "

    HM Revenue and Customs (HMRC) may charge you interest if you do not report and pay the right amount of VAT. If you pay too much VAT because HMRC make a mistake, you can claim interest.

    ", + "

    When interest is charged

    ", + "

    Interest may be charged if you:

    ", + "
  • report less VAT than you charge, or reclaim more than you pay
  • ", + "
  • pay an assessment that HMRC later find was too low
  • ", + "
  • let HMRC know you owe them VAT because of a mistake on your VAT Return
  • ", + "

    How much interest is charged

    ", + "

    You\u2019ll be charged 2.6% interest.

    ", + "

    There\u2019s a different interest rate for tax that was underpaid before 21 November 2017.

    ", + "

    Use your VAT online account to check the amount you owe.

    ", + "

    HMRC will also send you a notice telling you how much you owe and how it\u2019s worked out.

    ", + "

    If you do not pay within 30 days, further interest is charged on the VAT due from the date of the notice. You\u2019ll be charged interest for as long as you do not pay, up to a maximum of 2 years.

    ", + "

    You cannot deduct the interest HMRC charges you when working out your taxable profits.

    ", + "

    Claiming interest

    ", + "

    You may be able to claim interest if HMRC\u2019s mistake means:

    ", + "
  • you pay too much VAT
  • ", + "
  • you reclaim too little VAT
  • ", + "
  • a payment to you from HMRC was delayed
  • ", + "

    Normally HMRC will not repay interest if you\u2019ve paid too much VAT because of a mistake you made.

    ", + "

    How much interest can you claim

    ", + "

    You can claim 0.5% interest. This is normally paid for the whole period from when the VAT was overpaid or reclaimed until the date repayment is authorised.

    ", + "

    There\u2019s a different interest rate for tax that was overpaid before 29 September 2009.

    ", + "

    If you caused a delay to any payments (for example by not claiming straight away) HMRC might leave this time out.

    ", + "

    You have to claim the interest separately from the repayment itself.

    ", + "

    Write to HMRC with details of the repayment, explaining why you\u2019re owed interest. You must do this within 4 years of the repayment\u2019s authorisation date. Use the postal address on the VAT correspondence you have from HMRC.

    ", + "

    Any interest you get from HMRC counts as taxable income.

    ", + "

    Paying interest to your customers

    ", + "

    You must pay any of the interest you get (as well as the VAT) to your customers if HMRC\u2019s mistake means they paid too much VAT.

    ", + "

    Contact the person at HMRC who dealt with your claim if you need to find out how the interest was calculated. This can help you work out how much you need to repay each customer. You must give the money back to HMRC within 14 days if you cannot get in touch with a customer to repay them.

    ", + "

    Interest rates

    ", + "

    HMRC only charge or pay simple interest (interest on the original amount, not interest on interest).

    ", + "

    Challenging an HMRC decision

    ", + "

    You cannot appeal the decision to charge you interest but you can challenge the actual amount.

    " + ] + }, + "https://www.gov.uk/vat-registration": { + "url": "https://www.gov.uk/vat-registration", + "title": "VAT registration", + "content": "## Overview\n\nYou must register your business for VAT with HM Revenue and Customs (HMRC) if its VAT taxable turnover is more than \u00a385,000.\n\nWhen you register, you\u2019ll be sent a VAT registration certificate. This confirms:\n\n- your VAT number\n\n- when to submit your first VAT Return and payment\n\n- your \u2018effective date of registration\u2019 - this depends on the date you went over the threshold, or is the date you asked to register if it was voluntary\n\nYou can register voluntarily if your turnover is less than \u00a385,000, unless everything you sell is exempt. You\u2019ll have certain responsibilities if you register for VAT.\n\nYou can reclaim the VAT you\u2019ve paid on certain purchases made before you registered.\n\n## Your VAT responsibilities\n\nFrom your effective date of registration you must:\n\n- charge the right amount of VAT\n\n- pay any VAT due to HMRC\n\n- submit VAT Returns\n\n- keep VAT records and a VAT account\n\nMost VAT registered businesses that earn over \u00a385,000 must also follow the rules for \u2018Making Tax Digital for VAT\u2019.\n\n## While you wait\n\nYou cannot charge or show VAT on your invoices until you get your VAT number. However, you\u2019ll still have to pay the VAT to HMRC for this period.\n\nYou should increase your prices to allow for this and tell your customers why. Once you\u2019ve got your VAT number you can then reissue the invoices showing the VAT.\n\n## How to register\n\n## Register for VAT\n\nMost businesses can register online - including partnerships and a group of companies registering under one VAT number.\n\nBy doing this you\u2019ll register for VAT and create a VAT online account (sometimes known as a \u2018Government Gateway account\u2019). You need this to submit your VAT Returns to HM Revenue and Customs (HMRC).\n\n## Using an agent\n\nYou can appoint an accountant (or agent) to submit your VAT Returns and deal with HMRC on your behalf.\n\nWhen you receive your VAT number from HMRC, you can sign up for a VAT online account (select option \u2018VAT submit returns\u2019).\n\n## When you cannot register online\n\nYou must register by post using VAT1 if:\n\n- you want to apply for a \u2018registration exception\u2019\n\n- you\u2019re joining the Agricultural Flat Rate Scheme\n\n- you\u2019re registering the divisions or business units of a body corporate under separate VAT numbers\n\nRegister by post using form:\n\n- VAT1A if you\u2019re an EU business \u2018distance selling\u2019 to Northern Ireland\n\n- VAT1B if you import (\u2018acquire\u2019) goods into Northern Ireland worth more than \u00a385,000 from an EU country\n\n- VAT1C if you\u2019re disposing of assets on which 8th or 13th Directive refunds have been claimed\n\nWhen you receive your VAT number from HMRC, you can sign up for a VAT online account (select option \u2018VAT submit returns\u2019).\n\n## Getting your certificate\n\nYou should get a VAT registration certificate within 30 working days, though it can take longer.\n\nIt\u2019s sent either:\n\n- to your VAT online account\n\n- by post - if an agent registers you or you cannot register online\n\n## What you need to know\n\nYou need to provide details like your turnover, business activity and bank details.\n\nYour registration date is known as your \u2018effective date of registration\u2019. You\u2019ll have to pay HMRC any VAT due from this date.\n\nYou do not need to authorise an agent to register you for VAT.\n\n## When to register\n\nYou must register for VAT if your VAT taxable turnover goes over \u00a385,000 (the \u2018threshold\u2019), or you know that it will. Your VAT taxable turnover is the total of everything sold that is not VAT exempt.\n\nYou can also register voluntarily.\n\n## Compulsory registration\n\nYou must register for VAT if:\n\n- you expect your VAT taxable turnover to be more than \u00a385,000 in the next 30-day period\n\n- your business had a VAT taxable turnover of more than \u00a385,000 over the last 12 months\n\nYou might also need to register in some other cases, depending on the kinds of goods or services you sell and where you sell them.\n\n## If you\u2019ll exceed the VAT threshold in the next 30-day period\n\nYou must register if you realise that your total VAT taxable turnover is going to be more than \u00a385,000 in the next 30-day period.\n\nYou have to register by the end of that 30-day period. Your effective date of registration is the date you realised, not the date your turnover went over the threshold.\n\n## If you exceeded the VAT threshold in the past 12 months\n\nYou must register if, by the end of any month, your total VAT taxable turnover for the last 12 months was over \u00a385,000.\n\nYou have to register within 30 days of the end of the month when you went over the threshold. Your effective date of registration is the first day of the second month after you go over the threshold.\n\n## If you sell goods or services that are VAT exempt and are based in Northern Ireland\n\nYou\u2019ll need to register if you only sell goods or services that are exempt from VAT or \u2018out of scope\u2019 but you buy goods for more than \u00a385,000 from EU VAT-registered suppliers to use in your business.\n\n## If you take over a VAT-registered business\n\nYou may have to register for VAT.\n\n## Businesses outside the UK\n\nThere\u2019s no threshold if neither you nor your business is based in the UK. You must register as soon as you supply any goods and services to the UK (or if you expect to in the next 30 days).\n\n## Late registration\n\nIf you register late, you must pay what you owe from when you should have registered.\n\nYou may get a penalty depending on how much you owe and how late your registration is.\n\n## Voluntary registration\n\nYou can register voluntarily if your business turnover is below \u00a385,000. You must pay HMRC any VAT you owe from the date they register you.\n\n## Get an exception\n\nYou can apply for a registration \u2018exception\u2019 if your taxable turnover goes over the threshold temporarily.\n\nWrite to HMRC with evidence showing why you believe your VAT taxable turnover will not go over the deregistration threshold of \u00a383,000 in the next 12 months.\n\nHMRC will consider your exception and write confirming if you get one. If not, they\u2019ll register you for VAT.\n\n## Selling or moving goods in Northern Ireland\n\nIf you\u2019re a VAT-registered business, you need to tell HMRC if any of the following apply:\n\n- your goods are located in Northern Ireland at the time of sale\n\n- you receive goods in Northern Ireland from VAT-registered EU businesses for business purposes\n\n- you sell or move goods from Northern Ireland to an EU country\n\nThis means that:\n\n- you\u2019ll be eligible to use VAT simplifications when you trade with the EU\n\n- your suppliers are able to zero rate goods that they dispatch to you from the EU\n\n- your trade with the EU will remain acquisitions and dispatches when accounting for VAT\n\n## Tell HMRC\n\nYou\u2019ll need:\n\n- the Government Gateway user ID and password you used when you registered for VAT\n\n- your VAT registration number\n\n- the name of your business\n\nStart now\n\n## After you\u2019ve registered\n\nWhen you are trading with the EU and sell goods in Northern Ireland, you\u2019ll need to:\n\n- put an \u2018XI\u2019 prefix in front of your VAT number when communicating with an EU customer or supplier (your invoices will show XI in front of your VAT number - for example, XI 123456789 - instead of GB)\n\n- complete an EC Sales List if you\u2019re selling goods from Northern Ireland to VAT-registered customers in the EU\n\n## If you\u2019ve stopped selling or moving goods in Northern Ireland\n\nIf you\u2019ve stopped selling goods in Northern Ireland or moving goods between Northern Ireland and the EU, you need to tell HMRC.\n\n## Registering for VAT in EU countries\n\nYou may need to register for VAT in the EU country you\u2019re selling to. Find out how to register for VAT in EU countries on the European Commission website.\n\n## Supplying digital services\n\nIf your business supplies digital services to consumers in EU countries, you need to register for either:\n\n- VAT MOSS in any EU country\n\n- VAT in each country where you\u2019re supplying digital services\n\n## Register for VAT MOSS in an EU country\n\nYou\u2019ll need to register for the VAT MOSS scheme in an EU country by the 10th day of the month after your first sale to an EU customer.\n\nUse the European Commission website to:\n\n- check if you should register for either the union or non-union VAT MOSS scheme\n\n- find contact details to register for VAT MOSS in an EU country\n\n## Register for VAT in an EU country\n\nIf you do not want to use the VAT MOSS scheme, you must register for VAT in each EU country where you supply digital services.\n\nFind out how to register for VAT in EU member states on the European Commission website.\n\n## Calculate VAT taxable turnover\n\nVAT taxable turnover is the total value of everything you sell that is not exempt from VAT.\n\nYou must register for VAT with HM Revenue and Customs (HMRC) if it goes over the current registration threshold in a rolling 12-month period. This is not a fixed period like the tax year or the calendar year - it could be any period, for example the start of June to the end of May.\n\nThe current threshold is \u00a385,000. It usually goes up on 1 April each year. If your business is based in Northern Ireland, there are different thresholds for buying and selling from EU countries.\n\n## What to include\n\nTo check if you\u2019ve gone over the threshold in any 12-month period, add together the total value of your UK sales that are not VAT exempt, including:\n\n- goods you hired or loaned to customers\n\n- business goods used for personal reasons\n\n- goods you bartered, part-exchanged or gave as gifts\n\n- services you received from businesses in other countries that you had to \u2018reverse charge\u2019\n\n- building work over \u00a3100,000 your business did for itself\n\nInclude any zero-rated items - only exclude VAT-exempt sales, and goods or services you supply outside of the UK.\n\n## If you\u2019re over the threshold\n\nYou must register for VAT - though HMRC may allow you \u2018exception from registration\u2019 if your turnover goes above the threshold temporarily.\n\nYou must register straight away if you expect the value of everything you sell in the next 30 days to be over \u00a385,000. You do not need to include anything that is VAT exempt.\n\nYou should check your rolling turnover regularly if you\u2019re close to going over the threshold.\n\n## Thresholds for previous tax years\n\nCheck historical information about VAT thresholds if you think you should have been registered in previous tax years.\n\n## Purchases made before registration\n\nThere\u2019s a time limit for backdating claims for VAT paid before registration. From your date of registration the time limit is:\n\n- 4 years for goods you still have, or that were used to make other goods you still have\n\n- 6 months for services\n\nYou can only reclaim VAT on purchases for the business now registered for VAT. They must relate to your \u2018business purpose\u2019. This means they must relate to VAT taxable goods or services that you supply.\n\nYou should reclaim them on your first VAT Return (add them to your Box 4 figure) and keep records including:\n\n- invoices and receipts\n\n- a description and purchase dates\n\n- information about how they relate to your business now\n\n## Changes to your details\n\nYou must keep your VAT registration details up to date. You can change your details:\n\n- online - through your VAT online account\n\n- by post - using form VAT484\n\n- by webchat or phone\n\nYou must send form VAT2 to the VAT Registration Service to report any changes to a partnership.\n\nSome changes can affect your VAT registration or mean you have to cancel it.\n\n## When to tell HMRC\n\nYou need to tell HM Revenue and Customs (HMRC) about any changes to the following within 30 days or you could face a financial penalty:\n\n- the name, trading name or main address of your business\n\n- the accountant or agent who deals with your VAT\n\n- the members of a partnership, or the name or home address of any of the partners\n\n## Changing bank details\n\nYou must tell HMRC at least 14 days in advance if you\u2019re changing your bank details.\n\nYou\u2019ll also have to tell your bank to change your Direct Debit details if you pay your VAT by Direct Debit, but you should not do this within 5 banking days before or after your VAT return is due.\n\nYou must write to the Annual Accounting Registration Unit to change your Direct Debit details if you use the Annual Accounting Scheme. Include your registration number.\n\n## Death and illness\n\nYou must tell HMRC within 21 days if you take on the VAT responsibilities of someone who has died or is ill.\n\nYou can only do this by sending form VAT484 in the post, including details of the date of death or the date the illness started.\n\n## Cancel registration\n\nYou must cancel your registration if you\u2019re no longer eligible to be VAT registered. For example:\n\n- you stop trading or making VAT taxable supplies\n\n- you join a VAT group\n\nYou must cancel within 30 days if you stop being eligible or you may be charged a penalty.\n\nYou can ask HM Revenue and Customs (HMRC) to cancel your registration if your VAT taxable turnover falls below the deregistration threshold of \u00a383,000.\n\n## How to cancel\n\nYou can cancel your VAT registration online.\n\nCancel your registration\n\nYou can also fill in and send form VAT7 to cancel your VAT registration by post.\n\n## What happens next\n\nIt usually takes 3 weeks for HMRC to confirm your cancellation and the official cancellation date. This is either the date when the reason for your cancellation took effect (for example, when you stopped trading), or the date you asked to cancel if it\u2019s voluntary.\n\nHMRC will send confirmation to your VAT online account (or through the post if you do not apply online). From the date of cancellation you must stop charging VAT and keep your VAT records for 6 years.\n\nHMRC will automatically re-register you if they realise you should not have cancelled. You\u2019ll have to account for any VAT you should have paid in the meantime.\n\n## VAT after you cancel\n\nYou\u2019ll have to submit a final VAT Return for the period up to and including the cancellation date. You must account for any stock and other assets you have on this date if:\n\n- you could reclaim VAT when you bought them\n\n- the total VAT due on these assets is over \u00a31,000\n\nDo not wait until you\u2019ve received all your invoices before submitting your final return. You\u2019ll still be able to reclaim VAT on anything you bought for your business while still registered once you get the invoices.\n\n## Transfer registration\n\nYou can transfer a VAT registration from one business to another, or if the status of your business changes.\n\nFor example, if:\n\n- you take over a company and want to keep using its VAT number\n\n- your business changes from a partnership to a sole trader\n\nIf you\u2019re taking over a company, the previous owner must cancel their VAT registration before you can apply to transfer the VAT number.\n\nIf the status of your business changes, you must cancel your existing VAT registration and re-register.\n\nYou can apply to cancel or transfer a VAT registration:\n\n- online - through your VAT online account\n\n- by post - using form VAT68\n\n## What happens next\n\nIt usually takes 3 weeks for HMRC to confirm the transfer.\n\nIf you\u2019re selling your business:\n\n- cancel your accountant\u2019s access to your VAT online account - for example if you authorised them to deal with your VAT\n\n- cancel any direct debits on your VAT online account\n\nYou must also give your records to the buyer if you\u2019re passing on your VAT number.\n\nIf you\u2019re buying a business:\n\n- contact HMRC within 21 days of the transfer application if you want to keep the seller\u2019s accountant\n\n- replace any self-billing arrangements with new ones\n\n- set up new direct debits on your VAT online account", + "original_contents": [ + "

    Overview

    ", + "

    You must register your business for VAT with HM Revenue and Customs (HMRC) if its VAT taxable turnover is more than \u00a385,000.

    ", + "

    When you register, you\u2019ll be sent a VAT registration certificate. This confirms:

    ", + "
  • your VAT number
  • ", + "
  • when to submit your first VAT Return and payment
  • ", + "
  • your \u2018effective date of registration\u2019 - this depends on the date you went over the threshold, or is the date you asked to register if it was voluntary
  • ", + "

    You can register voluntarily if your turnover is less than \u00a385,000, unless everything you sell is exempt. You\u2019ll have certain responsibilities if you register for VAT.

    ", + "

    You can reclaim the VAT you\u2019ve paid on certain purchases made before you registered.

    ", + "

    Your VAT responsibilities

    ", + "

    From your effective date of registration you must:

    ", + "
  • charge the right amount of VAT
  • ", + "
  • pay any VAT due to HMRC
  • ", + "
  • submit VAT Returns
  • ", + "
  • keep VAT records and a VAT account
  • ", + "

    Most VAT registered businesses that earn over \u00a385,000 must also follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    While you wait

    ", + "

    You cannot charge or show VAT on your invoices until you get your VAT number. However, you\u2019ll still have to pay the VAT to HMRC for this period.

    ", + "

    You should increase your prices to allow for this and tell your customers why. Once you\u2019ve got your VAT number you can then reissue the invoices showing the VAT.

    ", + "

    How to register

    ", + "

    Register for VAT

    ", + "

    Most businesses can register online - including partnerships and a group of companies registering under one VAT number.

    ", + "

    By doing this you\u2019ll register for VAT and create a VAT online account (sometimes known as a \u2018Government Gateway account\u2019). You need this to submit your VAT Returns to HM Revenue and Customs (HMRC).

    ", + "

    Using an agent

    ", + "

    You can appoint an accountant (or agent) to submit your VAT Returns and deal with HMRC on your behalf.

    ", + "

    When you receive your VAT number from HMRC, you can sign up for a VAT online account (select option \u2018VAT submit returns\u2019).

    ", + "

    When you cannot register online

    ", + "

    You must register by post using VAT1 if:

    ", + "
  • you want to apply for a \u2018registration exception\u2019
  • ", + "
  • you\u2019re joining the Agricultural Flat Rate Scheme
  • ", + "
  • you\u2019re registering the divisions or business units of a body corporate under separate VAT numbers
  • ", + "

    Register by post using form:

    ", + "
  • VAT1A if you\u2019re an EU business \u2018distance selling\u2019 to Northern Ireland
  • ", + "
  • VAT1B if you import (\u2018acquire\u2019) goods into Northern Ireland worth more than \u00a385,000 from an EU country
  • ", + "
  • VAT1C if you\u2019re disposing of assets on which 8th or 13th Directive refunds have been claimed
  • ", + "

    When you receive your VAT number from HMRC, you can sign up for a VAT online account (select option \u2018VAT submit returns\u2019).

    ", + "

    Getting your certificate

    ", + "

    You should get a VAT registration certificate within 30 working days, though it can take longer.

    ", + "

    It\u2019s sent either:

    ", + "
  • to your VAT online account
  • ", + "
  • by post - if an agent registers you or you cannot register online
  • ", + "

    What you need to know

    ", + "

    You need to provide details like your turnover, business activity and bank details.

    ", + "

    Your registration date is known as your \u2018effective date of registration\u2019. You\u2019ll have to pay HMRC any VAT due from this date.

    ", + "

    You do not need to authorise an agent to register you for VAT.

    ", + "

    When to register

    ", + "

    You must register for VAT if your VAT taxable turnover goes over \u00a385,000 (the \u2018threshold\u2019), or you know that it will. Your VAT taxable turnover is the total of everything sold that is not VAT exempt.

    ", + "

    You can also register voluntarily.

    ", + "

    Compulsory registration

    ", + "

    You must register for VAT if:

    ", + "
  • you expect your VAT taxable turnover to be more than \u00a385,000 in the next 30-day period
  • ", + "
  • your business had a VAT taxable turnover of more than \u00a385,000 over the last 12 months
  • ", + "

    You might also need to register in some other cases, depending on the kinds of goods or services you sell and where you sell them.

    ", + "

    If you\u2019ll exceed the VAT threshold in the next 30-day period

    ", + "

    You must register if you realise that your total VAT taxable turnover is going to be more than \u00a385,000 in the next 30-day period.

    ", + "

    You have to register by the end of that 30-day period. Your effective date of registration is the date you realised, not the date your turnover went over the threshold.

    ", + "

    If you exceeded the VAT threshold in the past 12 months

    ", + "

    You must register if, by the end of any month, your total VAT taxable turnover for the last 12 months was over \u00a385,000.

    ", + "

    You have to register within 30 days of the end of the month when you went over the threshold. Your effective date of registration is the first day of the second month after you go over the threshold.

    ", + "

    If you sell goods or services that are VAT exempt and are based in Northern Ireland

    ", + "

    You\u2019ll need to register if you only sell goods or services that are exempt from VAT or \u2018out of scope\u2019 but you buy goods for more than \u00a385,000 from EU VAT-registered suppliers to use in your business.

    ", + "

    If you take over a VAT-registered business

    ", + "

    You may have to register for VAT.

    ", + "

    Businesses outside the UK

    ", + "

    There\u2019s no threshold if neither you nor your business is based in the UK. You must register as soon as you supply any goods and services to the UK (or if you expect to in the next 30 days).

    ", + "

    Late registration

    ", + "

    If you register late, you must pay what you owe from when you should have registered.

    ", + "

    You may get a penalty depending on how much you owe and how late your registration is.

    ", + "

    Voluntary registration

    ", + "

    You can register voluntarily if your business turnover is below \u00a385,000. You must pay HMRC any VAT you owe from the date they register you.

    ", + "

    Get an exception

    ", + "

    You can apply for a registration \u2018exception\u2019 if your taxable turnover goes over the threshold temporarily.

    ", + "

    Write to HMRC with evidence showing why you believe your VAT taxable turnover will not go over the deregistration threshold of \u00a383,000 in the next 12 months.

    ", + "

    HMRC will consider your exception and write confirming if you get one. If not, they\u2019ll register you for VAT.

    ", + "

    Selling or moving goods in Northern Ireland

    ", + "

    If you\u2019re a VAT-registered business, you need to tell HMRC if any of the following apply:

    ", + "
  • your goods are located in Northern Ireland at the time of sale
  • ", + "
  • you receive goods in Northern Ireland from VAT-registered EU businesses for business purposes
  • ", + "
  • you sell or move goods from Northern Ireland to an EU country
  • ", + "

    This means that:

    ", + "
  • you\u2019ll be eligible to use VAT simplifications when you trade with the EU
  • ", + "
  • your suppliers are able to zero rate goods that they dispatch to you from the EU
  • ", + "
  • your trade with the EU will remain acquisitions and dispatches when accounting for VAT
  • ", + "

    Tell HMRC

    ", + "

    You\u2019ll need:

    ", + "
  • the Government Gateway user ID and password you used when you registered for VAT
  • ", + "
  • your VAT registration number
  • ", + "
  • the name of your business
  • ", + "

    Start now

    ", + "

    After you\u2019ve registered

    ", + "

    When you are trading with the EU and sell goods in Northern Ireland, you\u2019ll need to:

    ", + "
  • put an \u2018XI\u2019 prefix in front of your VAT number when communicating with an EU customer or supplier (your invoices will show XI in front of your VAT number - for example, XI 123456789 - instead of GB)
  • ", + "
  • complete an EC Sales List if you\u2019re selling goods from Northern Ireland to VAT-registered customers in the EU
  • ", + "

    If you\u2019ve stopped selling or moving goods in Northern Ireland

    ", + "

    If you\u2019ve stopped selling goods in Northern Ireland or moving goods between Northern Ireland and the EU, you need to tell HMRC.

    ", + "

    Registering for VAT in EU countries

    ", + "

    You may need to register for VAT in the EU country you\u2019re selling to. Find out how to register for VAT in EU countries on the European Commission website.

    ", + "

    Supplying digital services

    ", + "

    If your business supplies digital services to consumers in EU countries, you need to register for either:

    ", + "
  • VAT MOSS in any EU country
  • ", + "
  • VAT in each country where you\u2019re supplying digital services
  • ", + "

    Register for VAT MOSS in an EU country

    ", + "

    You\u2019ll need to register for the VAT MOSS scheme in an EU country by the 10th day of the month after your first sale to an EU customer.

    ", + "

    Use the European Commission website to:

    ", + "
  • check if you should register for either the union or non-union VAT MOSS scheme
  • ", + "
  • find contact details to register for VAT MOSS in an EU country
  • ", + "

    Register for VAT in an EU country

    ", + "

    If you do not want to use the VAT MOSS scheme, you must register for VAT in each EU country where you supply digital services.

    ", + "

    Find out how to register for VAT in EU member states on the European Commission website.

    ", + "

    Calculate VAT taxable turnover

    ", + "

    VAT taxable turnover is the total value of everything you sell that is not exempt from VAT.

    ", + "

    You must register for VAT with HM Revenue and Customs (HMRC) if it goes over the current registration threshold in a rolling 12-month period. This is not a fixed period like the tax year or the calendar year - it could be any period, for example the start of June to the end of May.

    ", + "

    The current threshold is \u00a385,000. It usually goes up on 1 April each year. If your business is based in Northern Ireland, there are different thresholds for buying and selling from EU countries.

    ", + "

    What to include

    ", + "

    To check if you\u2019ve gone over the threshold in any 12-month period, add together the total value of your UK sales that are not VAT exempt, including:

    ", + "
  • goods you hired or loaned to customers
  • ", + "
  • business goods used for personal reasons
  • ", + "
  • goods you bartered, part-exchanged or gave as gifts
  • ", + "
  • services you received from businesses in other countries that you had to \u2018reverse charge\u2019
  • ", + "
  • building work over \u00a3100,000 your business did for itself
  • ", + "

    Include any zero-rated items - only exclude VAT-exempt sales, and goods or services you supply outside of the UK.

    ", + "

    If you\u2019re over the threshold

    ", + "

    You must register for VAT - though HMRC may allow you \u2018exception from registration\u2019 if your turnover goes above the threshold temporarily.

    ", + "

    You must register straight away if you expect the value of everything you sell in the next 30 days to be over \u00a385,000. You do not need to include anything that is VAT exempt.

    ", + "

    You should check your rolling turnover regularly if you\u2019re close to going over the threshold.

    ", + "

    Thresholds for previous tax years

    ", + "

    Check historical information about VAT thresholds if you think you should have been registered in previous tax years.

    ", + "

    Purchases made before registration

    ", + "

    There\u2019s a time limit for backdating claims for VAT paid before registration. From your date of registration the time limit is:

    ", + "
  • 4 years for goods you still have, or that were used to make other goods you still have
  • ", + "
  • 6 months for services
  • ", + "

    You can only reclaim VAT on purchases for the business now registered for VAT. They must relate to your \u2018business purpose\u2019. This means they must relate to VAT taxable goods or services that you supply.

    ", + "

    You should reclaim them on your first VAT Return (add them to your Box 4 figure) and keep records including:

    ", + "
  • invoices and receipts
  • ", + "
  • a description and purchase dates
  • ", + "
  • information about how they relate to your business now
  • ", + "

    Changes to your details

    ", + "

    You must keep your VAT registration details up to date. You can change your details:

    ", + "
  • online - through your VAT online account
  • ", + "
  • by post - using form VAT484
  • ", + "
  • by webchat or phone
  • ", + "

    You must send form VAT2 to the VAT Registration Service to report any changes to a partnership.

    ", + "

    Some changes can affect your VAT registration or mean you have to cancel it.

    ", + "

    When to tell HMRC

    ", + "

    You need to tell HM Revenue and Customs (HMRC) about any changes to the following within 30 days or you could face a financial penalty:

    ", + "
  • the name, trading name or main address of your business
  • ", + "
  • the accountant or agent who deals with your VAT
  • ", + "
  • the members of a partnership, or the name or home address of any of the partners
  • ", + "

    Changing bank details

    ", + "

    You must tell HMRC at least 14 days in advance if you\u2019re changing your bank details.

    ", + "

    You\u2019ll also have to tell your bank to change your Direct Debit details if you pay your VAT by Direct Debit, but you should not do this within 5 banking days before or after your VAT return is due.

    ", + "

    You must write to the Annual Accounting Registration Unit to change your Direct Debit details if you use the Annual Accounting Scheme. Include your registration number.

    ", + "

    Death and illness

    ", + "

    You must tell HMRC within 21 days if you take on the VAT responsibilities of someone who has died or is ill.

    ", + "

    You can only do this by sending form VAT484 in the post, including details of the date of death or the date the illness started.

    ", + "

    Cancel registration

    ", + "

    You must cancel your registration if you\u2019re no longer eligible to be VAT registered. For example:

    ", + "
  • you stop trading or making VAT taxable supplies
  • ", + "
  • you join a VAT group
  • ", + "

    You must cancel within 30 days if you stop being eligible or you may be charged a penalty.

    ", + "

    You can ask HM Revenue and Customs (HMRC) to cancel your registration if your VAT taxable turnover falls below the deregistration threshold of \u00a383,000.

    ", + "

    How to cancel

    ", + "

    You can cancel your VAT registration online.

    ", + "

    Cancel your registration

    ", + "

    You can also fill in and send form VAT7 to cancel your VAT registration by post.

    ", + "

    What happens next

    ", + "

    It usually takes 3 weeks for HMRC to confirm your cancellation and the official cancellation date. This is either the date when the reason for your cancellation took effect (for example, when you stopped trading), or the date you asked to cancel if it\u2019s voluntary.

    ", + "

    HMRC will send confirmation to your VAT online account (or through the post if you do not apply online). From the date of cancellation you must stop charging VAT and keep your VAT records for 6 years.

    ", + "

    HMRC will automatically re-register you if they realise you should not have cancelled. You\u2019ll have to account for any VAT you should have paid in the meantime.

    ", + "

    VAT after you cancel

    ", + "

    You\u2019ll have to submit a final VAT Return for the period up to and including the cancellation date. You must account for any stock and other assets you have on this date if:

    ", + "
  • you could reclaim VAT when you bought them
  • ", + "
  • the total VAT due on these assets is over \u00a31,000
  • ", + "

    Do not wait until you\u2019ve received all your invoices before submitting your final return. You\u2019ll still be able to reclaim VAT on anything you bought for your business while still registered once you get the invoices.

    ", + "

    Transfer registration

    ", + "

    You can transfer a VAT registration from one business to another, or if the status of your business changes.

    ", + "

    For example, if:

    ", + "
  • you take over a company and want to keep using its VAT number
  • ", + "
  • your business changes from a partnership to a sole trader
  • ", + "

    If you\u2019re taking over a company, the previous owner must cancel their VAT registration before you can apply to transfer the VAT number.

    ", + "

    If the status of your business changes, you must cancel your existing VAT registration and re-register.

    ", + "

    You can apply to cancel or transfer a VAT registration:

    ", + "
  • online - through your VAT online account
  • ", + "
  • by post - using form VAT68
  • ", + "

    What happens next

    ", + "

    It usually takes 3 weeks for HMRC to confirm the transfer.

    ", + "

    If you\u2019re selling your business:

    ", + "
  • cancel your accountant\u2019s access to your VAT online account - for example if you authorised them to deal with your VAT
  • ", + "
  • cancel any direct debits on your VAT online account
  • ", + "

    You must also give your records to the buyer if you\u2019re passing on your VAT number.

    ", + "

    If you\u2019re buying a business:

    ", + "
  • contact HMRC within 21 days of the transfer application if you want to keep the seller\u2019s accountant
  • ", + "
  • replace any self-billing arrangements with new ones
  • ", + "
  • set up new direct debits on your VAT online account
  • " + ] + }, + "https://www.gov.uk/what-you-must-do-as-a-cis-contractor": { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "title": "What you must do as a Construction Industry Scheme (CIS) contractor", + "content": "## Overview\n\nYou must register as a contractor with the Construction Industry Scheme (CIS) if:\n\n- you pay subcontractors to do construction work\n\n- your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment\n\nYou may be a sole trader, in a partnership or own a limited company.\n\nIf you\u2019re not sure if you need to register, check who is covered by CIS.\n\n## Rules you must follow\n\n- You must register for CIS before you take on your first subcontractor.\n\n- You must check if you should employ the person instead of subcontracting the work. You may get a penalty if they should be an employee instead.\n\n- Check with HM Revenue and Customs (HMRC) that your subcontractors are registered with CIS.\n\n- When you pay subcontractors, you\u2019ll usually need to make deductions from their payments and pay the money to HMRC. Deductions count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.\n\n- You\u2019ll need to file monthly returns and keep full CIS records - you may get a penalty if you do not.\n\n- You must let HMRC know about any changes to your business.\n\n## Who is covered by CIS\n\nThe Construction Industry Scheme (CIS) covers most construction work to buildings, including site preparation, decorating and refurbishment.\n\n## Mainstream contractors\n\nIf your business is construction and you pay subcontractors for construction work, you\u2019re a \u2018mainstream\u2019 contractor. This applies if you\u2019re a:\n\n- builder\n\n- labour agency\n\n- gangmaster (or gang leader)\n\n- property developer\n\n## Deemed contractors\n\nYou count as a \u2018deemed\u2019 contractor if your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment. This could apply to:\n\n- housing association or arm\u2019s length management organisations (ALMOs)\n\n- local authorities\n\n- government departments\n\nYou must monitor your construction spend if you are likely to become a deemed contractor.\n\n## Exceptions for contractors\n\nCIS does not apply if your work is:\n\n- paid for by a charity or trust\n\n- paid for by a governing body or head teacher of a maintained school on behalf of the local education authority\n\n- on the subcontractor\u2019s own property and worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption\n\nCIS also does not apply if you\u2019re a deemed contractor paying for:\n\n- work on property (that is not for sale or rent) for your own business use\n\n- a construction contract worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption\n\n## Construction work not covered by CIS\n\nThere are also certain jobs that are exempt from the scheme, including:\n\n- architecture and surveying\n\n- scaffolding hire (with no labour)\n\n- carpet fitting\n\n- delivering materials\n\n- work on construction sites that is clearly not construction, for example running a canteen or site facilities\n\nThe CIS guide for contractors and subcontractors explains in full what type of work is covered by CIS.\n\n## How to register\n\nTo register as a contractor, you need to follow the process for setting up as a new employer.\n\nWhen done, you\u2019ll get a letter from HM Revenue and Customs (HMRC) with the information you need to start working as a Construction Industry Scheme (CIS) contractor.\n\nIf your business is based outside the UK but you do construction work here, you follow a different registration process.\n\n## Help with registering\n\nIf you need help, call the new employer helpline or the CIS helpline.\n\nYou can also sign up for webinars and emails or watch videos from HMRC about CIS.\n\n## Verify subcontractors\n\nBefore you can pay a new subcontractor, you\u2019ll need to \u2018verify\u2019 them with HM Revenue and Customs (HMRC).\n\nHMRC will tell you:\n\n- whether they\u2019re registered for the Construction Industry Scheme (CIS)\n\n- what rate of deduction to use or if you can pay them without making deductions\n\nYou must also verify subcontractors you\u2019ve used before if you have not included them on a CIS return in the current or last 2 tax years.\n\n## How to verify\n\nYou can verify subcontractors using:\n\n- the free HMRC CIS online service\n\n- commercial CIS software\n\nIf you need to verify more than 50 subcontractors you\u2019ll need to use commercial CIS software.\n\n## What you\u2019ll need\n\nMake sure you have:\n\n- your Unique Taxpayer Reference (UTR)\n\n- the reference number for your HMRC accounts office\n\n- your HMRC employer reference\n\nYou\u2019ll also need your subcontractor\u2019s:\n\n- UTR\n\n- National Insurance number if they\u2019re a sole trader - you cannot verify temporary numbers, which start with \u2018TN\u2019 or 2 digits\n\n- company name, company UTR and registration number if they\u2019re a limited company\n\n- nominated partner details, trading name and partnership UTR if they\u2019re a partnership\n\nThe details you provide to verify the subcontractor must exactly match the details the subcontractor used to register with HMRC.\n\n## Make deductions and pay subcontractors\n\nWhen you pay a subcontractor, you usually make some deductions from their payments.\n\nHM Revenue and Customs (HMRC) will tell you how much to deduct from a subcontractor\u2019s payments when you verify them.\n\nThe Construction Industry Scheme (CIS) deduction rates are:\n\n- 20% for registered subcontractors\n\n- 30% for unregistered subcontractors\n\n- 0% if the subcontractor has \u2018gross payment\u2019 status - for example they do not have deductions made\n\nYou must pay these deductions to HMRC - they count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.\n\n## How to make a CIS deduction\n\nTo make a deduction from a subcontractor\u2019s payment, start with the total (gross) amount of the subcontractor\u2019s invoice.\n\nTake away the amount the subcontractor has paid for:\n\n- VAT\n\n- materials\n\n- equipment which is now unusable (\u2018consumable stores\u2019)\n\n- fuel used, except for travelling\n\n- equipment hired for this job (\u2018plant hire\u2019)\n\n- manufacturing or prefabricating materials\n\nOnly deduct materials the subcontractor has paid for directly. Ask the subcontractor for evidence that they paid for the materials if you\u2019re unsure.\n\nFinally, deduct the CIS percentage rate (as given to you by HMRC) from the amount left. You\u2019ll be left with the net amount you need to pay the subcontractor.\n\n## Paying subcontractors\n\nYou usually pay your subcontractors directly. But you can pay them through a third party (such as a relative or debt company) if they ask you to.\n\nIf you make deductions, you must give the subcontractor a payment and deduction statement within 14 days of the end of each tax month.\n\n## If you\u2019re not making payments\n\nIf you know you\u2019re not going to make any payments to subcontractors for up to 6 months, you can ask for your scheme to be made \u2018inactive\u2019. HMRC will not send you any returns for that period.\n\nYou must file a return when you start paying subcontractors again.\n\n## Pay deductions to HMRC\n\nYou must pay HM Revenue and Customs (HMRC) any deductions you\u2019ve made.\n\nHMRC will set up a Construction Industry Scheme (CIS) payment scheme for you when you register as a contractor.\n\nIf you already have employees, HMRC will change your existing PAYE Scheme to a PAYE/CIS scheme. You should make one payment each month or quarter to cover your PAYE tax, National Insurance and CIS deductions.\n\n## When and how to pay\n\nPay HMRC every month by the 22nd (or the 19th if you\u2019re paying by post). You may be charged interest and penalties if you pay late.\n\nPay CIS deductions to HMRC in the same way as PAYE and National Insurance payments.\n\n## File your monthly returns\n\nYou must tell HM Revenue and Customs (HMRC) each month about payments you\u2019ve made to subcontractors through your monthly return.\n\nYou can file returns by using:\n\n- the HMRC CIS online service\n\n- some commercial CIS software\n\nOn your return, you must declare that the subcontractors listed are not employees.\n\nYou could get a penalty of up to \u00a33,000 if you give the wrong employment status for a subcontractor on your monthly return.\n\n## If you made no payments\n\nYou do not have to file a return for the months when you made no payments to subcontractors, but you must tell HMRC that no return is due.\n\nYou can contact HMRC to make an \u2018inactivity request if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.\n\nYou must tell HMRC if you start using subcontractors again.\n\nPhone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.\n\n## Using commercial CIS software\n\nYour return must not include any negative values if you\u2019re using commercial CIS software.\n\nIf any entries come to less than 0, you should put \u20180\u2019 instead.\n\nHMRC might ask you later to give details of any entries you\u2019ve replaced.\n\n## Deadlines\n\nSend your monthly returns to HMRC by the 19th of every month following the last tax month.\n\n## Penalties for late returns\n\nYou\u2019ll get a penalty if you miss the deadline for filing returns.\n\nThe penalty will be cancelled if you let HMRC know that you did not pay any subcontractors that month.\n\n| How late the return is | Penalty |\n\n| 1 day late | \u00a3100 |\n\n| 2 months late | \u00a3200 |\n\n| 6 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher |\n\n| 12 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher |\n\nFor returns later than this, you may be given an additional penalty of up to \u00a33,000 or 100% of the CIS deductions on the return, whichever is higher.\n\nPay your late filing penalty.\n\n## If you disagree with a penalty\n\nYou can appeal within 30 days of the date on the penalty notice:\n\n- through HMRC\u2019s online service\n\n- by writing to HMRC - quote your Unique Taxpayer Reference (UTR) and the payment reference shown on the notice\n\n## Correcting or changing returns\n\nUse the HMRC CIS online service to change or correct something on your return.\n\nCall the CIS helpline if you need any help with this.\n\n## Record keeping\n\nUnder the Construction Industry Scheme (CIS), you must keep records of:\n\n- the gross amount of each payment invoiced by subcontractors, excluding VAT\n\n- any deductions you\u2019ve made from subcontractor payments\n\nIf you made deductions, you must also keep records of the costs of materials the subcontractor invoiced you for, excluding VAT.\n\nKeep these details for at least 3 years after the end of the tax year they relate to. HM Revenue and Customs (HMRC) could ask to see your CIS records at any time.\n\nYou could be fined up to \u00a33,000 if you cannot show your CIS records when asked by HMRC.\n\n## Tell HMRC about changes\n\nYou must tell HM Revenue and Customs (HMRC) if:\n\n- you change address (as an individual or business)\n\n- you change your business structure - for example from sole trader to limited company or vice versa\n\n- a contractor dies\n\n- you\u2019re a multiple contractor and you take on another contractor\u2019s business - you must tell HMRC within 90 days\n\n## If you stop trading or using subcontractors\n\nYou must:\n\n- tell HMRC\n\n- stop filing monthly CIS reports\n\nDo this even if you\u2019ve stopped using subcontractors temporarily, for example because you\u2019re using your own employees to carry out work.\n\n## If you\u2019ve temporarily stopped using subcontractors\n\nYou can contact HMRC to make an \u2018inactivity request\u2019 if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.\n\nYou must tell HMRC if you start using subcontractors again.\n\nPhone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.", + "original_contents": [ + "

    Overview

    ", + "

    You must register as a contractor with the Construction Industry Scheme (CIS) if:

    ", + "
  • you pay subcontractors to do construction work
  • ", + "
  • your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment
  • ", + "

    You may be a sole trader, in a partnership or own a limited company.

    ", + "

    If you\u2019re not sure if you need to register, check who is covered by CIS.

    ", + "

    Rules you must follow

    ", + "
  • You must register for CIS before you take on your first subcontractor.
  • ", + "
  • You must check if you should employ the person instead of subcontracting the work. You may get a penalty if they should be an employee instead.
  • ", + "
  • Check with HM Revenue and Customs (HMRC) that your subcontractors are registered with CIS.
  • ", + "
  • When you pay subcontractors, you\u2019ll usually need to make deductions from their payments and pay the money to HMRC. Deductions count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.
  • ", + "
  • You\u2019ll need to file monthly returns and keep full CIS records - you may get a penalty if you do not.
  • ", + "
  • You must let HMRC know about any changes to your business.
  • ", + "

    Who is covered by CIS

    ", + "

    The Construction Industry Scheme (CIS) covers most construction work to buildings, including site preparation, decorating and refurbishment.

    ", + "

    Mainstream contractors

    ", + "

    If your business is construction and you pay subcontractors for construction work, you\u2019re a \u2018mainstream\u2019 contractor. This applies if you\u2019re a:

    ", + "
  • builder
  • ", + "
  • labour agency
  • ", + "
  • gangmaster (or gang leader)
  • ", + "
  • property developer
  • ", + "

    Deemed contractors

    ", + "

    You count as a \u2018deemed\u2019 contractor if your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment. This could apply to:

    ", + "
  • housing association or arm\u2019s length management organisations (ALMOs)
  • ", + "
  • local authorities
  • ", + "
  • government departments
  • ", + "

    You must monitor your construction spend if you are likely to become a deemed contractor.

    ", + "

    Exceptions for contractors

    ", + "

    CIS does not apply if your work is:

    ", + "
  • paid for by a charity or trust
  • ", + "
  • paid for by a governing body or head teacher of a maintained school on behalf of the local education authority
  • ", + "
  • on the subcontractor\u2019s own property and worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption
  • ", + "

    CIS also does not apply if you\u2019re a deemed contractor paying for:

    ", + "
  • work on property (that is not for sale or rent) for your own business use
  • ", + "
  • a construction contract worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption
  • ", + "

    Construction work not covered by CIS

    ", + "

    There are also certain jobs that are exempt from the scheme, including:

    ", + "
  • architecture and surveying
  • ", + "
  • scaffolding hire (with no labour)
  • ", + "
  • carpet fitting
  • ", + "
  • delivering materials
  • ", + "
  • work on construction sites that is clearly not construction, for example running a canteen or site facilities
  • ", + "

    The CIS guide for contractors and subcontractors explains in full what type of work is covered by CIS.

    ", + "

    How to register

    ", + "

    To register as a contractor, you need to follow the process for setting up as a new employer.

    ", + "

    When done, you\u2019ll get a letter from HM Revenue and Customs (HMRC) with the information you need to start working as a Construction Industry Scheme (CIS) contractor.

    ", + "

    If your business is based outside the UK but you do construction work here, you follow a different registration process.

    ", + "

    Help with registering

    ", + "

    If you need help, call the new employer helpline or the CIS helpline.

    ", + "

    You can also sign up for webinars and emails or watch videos from HMRC about CIS.

    ", + "

    Verify subcontractors

    ", + "

    Before you can pay a new subcontractor, you\u2019ll need to \u2018verify\u2019 them with HM Revenue and Customs (HMRC).

    ", + "

    HMRC will tell you:

    ", + "
  • whether they\u2019re registered for the Construction Industry Scheme (CIS)
  • ", + "
  • what rate of deduction to use or if you can pay them without making deductions
  • ", + "

    You must also verify subcontractors you\u2019ve used before if you have not included them on a CIS return in the current or last 2 tax years.

    ", + "

    How to verify

    ", + "

    You can verify subcontractors using:

    ", + "
  • the free HMRC CIS online service
  • ", + "
  • commercial CIS software
  • ", + "

    If you need to verify more than 50 subcontractors you\u2019ll need to use commercial CIS software.

    ", + "

    What you\u2019ll need

    ", + "

    Make sure you have:

    ", + "
  • your Unique Taxpayer Reference (UTR)
  • ", + "
  • the reference number for your HMRC accounts office
  • ", + "
  • your HMRC employer reference
  • ", + "

    You\u2019ll also need your subcontractor\u2019s:

    ", + "
  • UTR
  • ", + "
  • National Insurance number if they\u2019re a sole trader - you cannot verify temporary numbers, which start with \u2018TN\u2019 or 2 digits
  • ", + "
  • company name, company UTR and registration number if they\u2019re a limited company
  • ", + "
  • nominated partner details, trading name and partnership UTR if they\u2019re a partnership
  • ", + "

    The details you provide to verify the subcontractor must exactly match the details the subcontractor used to register with HMRC.

    ", + "

    Make deductions and pay subcontractors

    ", + "

    When you pay a subcontractor, you usually make some deductions from their payments.

    ", + "

    HM Revenue and Customs (HMRC) will tell you how much to deduct from a subcontractor\u2019s payments when you verify them.

    ", + "

    The Construction Industry Scheme (CIS) deduction rates are:

    ", + "
  • 20% for registered subcontractors
  • ", + "
  • 30% for unregistered subcontractors
  • ", + "
  • 0% if the subcontractor has \u2018gross payment\u2019 status - for example they do not have deductions made
  • ", + "

    You must pay these deductions to HMRC - they count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.

    ", + "

    How to make a CIS deduction

    ", + "

    To make a deduction from a subcontractor\u2019s payment, start with the total (gross) amount of the subcontractor\u2019s invoice.

    ", + "

    Take away the amount the subcontractor has paid for:

    ", + "
  • VAT
  • ", + "
  • materials
  • ", + "
  • equipment which is now unusable (\u2018consumable stores\u2019)
  • ", + "
  • fuel used, except for travelling
  • ", + "
  • equipment hired for this job (\u2018plant hire\u2019)
  • ", + "
  • manufacturing or prefabricating materials
  • ", + "

    Only deduct materials the subcontractor has paid for directly. Ask the subcontractor for evidence that they paid for the materials if you\u2019re unsure.

    ", + "

    Finally, deduct the CIS percentage rate (as given to you by HMRC) from the amount left. You\u2019ll be left with the net amount you need to pay the subcontractor.

    ", + "

    Paying subcontractors

    ", + "

    You usually pay your subcontractors directly. But you can pay them through a third party (such as a relative or debt company) if they ask you to.

    ", + "

    If you make deductions, you must give the subcontractor a payment and deduction statement within 14 days of the end of each tax month.

    ", + "

    If you\u2019re not making payments

    ", + "

    If you know you\u2019re not going to make any payments to subcontractors for up to 6 months, you can ask for your scheme to be made \u2018inactive\u2019. HMRC will not send you any returns for that period.

    ", + "

    You must file a return when you start paying subcontractors again.

    ", + "

    Pay deductions to HMRC

    ", + "

    You must pay HM Revenue and Customs (HMRC) any deductions you\u2019ve made.

    ", + "

    HMRC will set up a Construction Industry Scheme (CIS) payment scheme for you when you register as a contractor.

    ", + "

    If you already have employees, HMRC will change your existing PAYE Scheme to a PAYE/CIS scheme. You should make one payment each month or quarter to cover your PAYE tax, National Insurance and CIS deductions.

    ", + "

    When and how to pay

    ", + "

    Pay HMRC every month by the 22nd (or the 19th if you\u2019re paying by post). You may be charged interest and penalties if you pay late.

    ", + "

    Pay CIS deductions to HMRC in the same way as PAYE and National Insurance payments.

    ", + "

    File your monthly returns

    ", + "

    You must tell HM Revenue and Customs (HMRC) each month about payments you\u2019ve made to subcontractors through your monthly return.

    ", + "

    You can file returns by using:

    ", + "
  • the HMRC CIS online service
  • ", + "
  • some commercial CIS software
  • ", + "

    On your return, you must declare that the subcontractors listed are not employees.

    ", + "

    You could get a penalty of up to \u00a33,000 if you give the wrong employment status for a subcontractor on your monthly return.

    ", + "

    If you made no payments

    ", + "

    You do not have to file a return for the months when you made no payments to subcontractors, but you must tell HMRC that no return is due.

    ", + "

    You can contact HMRC to make an \u2018inactivity request if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.

    ", + "

    You must tell HMRC if you start using subcontractors again.

    ", + "

    Phone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.

    ", + "

    Using commercial CIS software

    ", + "

    Your return must not include any negative values if you\u2019re using commercial CIS software.

    ", + "

    If any entries come to less than 0, you should put \u20180\u2019 instead.

    ", + "

    HMRC might ask you later to give details of any entries you\u2019ve replaced.

    ", + "

    Deadlines

    ", + "

    Send your monthly returns to HMRC by the 19th of every month following the last tax month.

    ", + "

    Penalties for late returns

    ", + "

    You\u2019ll get a penalty if you miss the deadline for filing returns.

    ", + "

    The penalty will be cancelled if you let HMRC know that you did not pay any subcontractors that month.

    ", + "How late the return is | Penalty", + "1 day late | \u00a3100", + "2 months late | \u00a3200", + "6 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher", + "12 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher", + "

    For returns later than this, you may be given an additional penalty of up to \u00a33,000 or 100% of the CIS deductions on the return, whichever is higher.

    ", + "

    Pay your late filing penalty.

    ", + "

    If you disagree with a penalty

    ", + "

    You can appeal within 30 days of the date on the penalty notice:

    ", + "
  • through HMRC\u2019s online service
  • ", + "
  • by writing to HMRC - quote your Unique Taxpayer Reference (UTR) and the payment reference shown on the notice
  • ", + "

    Correcting or changing returns

    ", + "

    Use the HMRC CIS online service to change or correct something on your return.

    ", + "

    Call the CIS helpline if you need any help with this.

    ", + "

    Record keeping

    ", + "

    Under the Construction Industry Scheme (CIS), you must keep records of:

    ", + "
  • the gross amount of each payment invoiced by subcontractors, excluding VAT
  • ", + "
  • any deductions you\u2019ve made from subcontractor payments
  • ", + "

    If you made deductions, you must also keep records of the costs of materials the subcontractor invoiced you for, excluding VAT.

    ", + "

    Keep these details for at least 3 years after the end of the tax year they relate to. HM Revenue and Customs (HMRC) could ask to see your CIS records at any time.

    ", + "

    You could be fined up to \u00a33,000 if you cannot show your CIS records when asked by HMRC.

    ", + "

    Tell HMRC about changes

    ", + "

    You must tell HM Revenue and Customs (HMRC) if:

    ", + "
  • you change address (as an individual or business)
  • ", + "
  • you change your business structure - for example from sole trader to limited company or vice versa
  • ", + "
  • a contractor dies
  • ", + "
  • you\u2019re a multiple contractor and you take on another contractor\u2019s business - you must tell HMRC within 90 days
  • ", + "

    If you stop trading or using subcontractors

    ", + "

    You must:

    ", + "
  • tell HMRC
  • ", + "
  • stop filing monthly CIS reports
  • ", + "

    Do this even if you\u2019ve stopped using subcontractors temporarily, for example because you\u2019re using your own employees to carry out work.

    ", + "

    If you\u2019ve temporarily stopped using subcontractors

    ", + "

    You can contact HMRC to make an \u2018inactivity request\u2019 if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.

    ", + "

    You must tell HMRC if you start using subcontractors again.

    ", + "

    Phone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.

    " + ] + }, + "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor": { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "title": "What you must do as a Construction Industry Scheme (CIS) subcontractor", + "content": "## Overview\n\nYou should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:\n\n- self-employed\n\n- the owner of a limited company\n\n- a partner in a partnership or trust\n\nUnder CIS, a contractor must deduct 20% from your payments and pass it to HM Revenue and Customs (HMRC).\n\nThese deductions count as advance payments towards your tax and National Insurance bill.\n\nIf you do not register for the scheme, contractors must deduct 30% from your payments instead.\n\n## If you do not want deductions made\n\nIf you do not want deductions to be made in advance by contractors, you can apply for \u2018gross payment status\u2019. You can do this when you register for CIS.\n\nYou do not need to register for CIS if you\u2019re an employee. Check your employment status if you\u2019re not sure.\n\n## How to register\n\nTo register for the Construction Industry Scheme (CIS) you\u2019ll need:\n\n- your legal business name - you can also give a trading name if it\u2019s different to your business name\n\n- your National Insurance Number\n\n- the unique taxpayer reference number (UTR) for your business\n\n- your VAT registration number (if you\u2019re VAT registered)\n\nIf you\u2019re a subcontractor and a contractor (you pay subcontractors to do construction work), you\u2019ll need to register for CIS as both.\n\n## Register as a sole trader\n\nIf you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).\n\nYou can apply for gross payment status at the same time.\n\nIf you do not have a UTR, register as a new business for Self Assessment and choose \u2018working as a subcontractor\u2019 when prompted. You\u2019ll be registered for Self Assessment and CIS at the same time.\n\nYou can also call the CIS helpline to register.\n\n## Register as another type of business\n\nFill in the online form for limited companies or the online form for partnerships.\n\nHMRC will register the partnership separately to your sole trader registration. They will need the partnership UTR and trading name.\n\n## You are based abroad\n\nYou should still register for CIS if you are a subcontractor based abroad but do construction work in the UK.\n\n## Help and support\n\nCall the CIS helpline for help with registering.\n\nYou can also sign up for webinars and emails or watch videos from HMRC about CIS.\n\n## Get paid\n\nTo be paid correctly by a contractor, make sure you give them the exact same legal business name or trading name you gave when you registered for the Construction Industry Scheme (CIS). You should also give them your Unique Taxpayer Reference (UTR) so they can verify you.\n\nIf you do not, this could affect how much you get paid.\n\n## Deduction rates\n\nWhen a contractor pays you under CIS, they\u2019ll normally make deductions at the standard rate of 20%.\n\nContractors will make deductions at a higher rate of 30% if:\n\n- you are not registered for CIS\n\n- they cannot verify you\n\n- you give the wrong name for your business\n\nYour contractor should give you monthly statements of payments and deductions. Use them to calculate whether you still owe tax and National Insurance to HM Revenue and Customs (HMRC) or are due a refund.\n\n## Gross payment status\n\nYou can apply for gross payment status when you register for CIS. This means the contractor will not make deductions from your payments and you\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\n## What does not count as your pay\n\nContractors will not make a deduction from amounts you charge on your invoice for:\n\n- VAT\n\n- materials that you have paid for directly\n\n- equipment which is now unusable (\u2018consumable stores\u2019)\n\n- plant hired for the job\n\n- manufacturing or prefabricating materials\n\n## Pay tax and claim back deductions\n\nWhen you\u2019re registered with the Construction Industry Scheme (CIS), you\u2019re still responsible for paying the correct tax and National Insurance for your business, even if deductions have been made by contractors throughout the year.\n\nContractors will give you a monthly statement of what they\u2019ve paid you and deductions they\u2019ve made to help with your accounting.\n\n## Sole traders and partners\n\nAt the end of the tax year, send in your Self Assessment tax return as usual. You should record:\n\n- the full amounts on your invoices as income\n\n- any deductions contractors have made in the \u2018CIS deductions\u2019 field\n\nHM Revenue and Customs (HMRC) will work out your tax and National Insurance bill and take off any deductions made by contractors.\n\nIf you still owe tax after this, you\u2019ll need to pay it by 31 January following the end of the tax year.\n\nIf you\u2019re due a tax refund, HMRC will pay the money back.\n\n## Limited companies\n\nIf you have gross payment status, declare all your income in your Corporation Tax return as usual.\n\nIf you pay CIS deductions, you must claim these back through your company\u2019s monthly payroll scheme. Do not try to claim back through your Corporation Tax return - you may get a penalty if you do.\n\n- Send your monthly Full Payment Submission (FPS) as usual to HMRC.\n\n- Also send an Employer Payment Summary (EPS). Enter the total CIS deductions for the year to date.\n\n- HMRC will take your CIS deductions off what you owe in PAYE tax and National Insurance. Pay the balance by the usual date.\n\nIf your company\u2019s PAYE bill for the period is reduced to zero and you still have some CIS deductions you have not been able to claim back, carry these forward to the next month or quarter (in the same tax year). Tell HMRC in the EPS that you have nothing to pay.\n\n## If HMRC thinks your claim is wrong\n\nHMRC may ask you to provide evidence for your CIS deductions or to change your claim.\n\nIf you do not do this by the deadline they give you, you will not be able to make any more claims in that tax year.\n\nYou can appeal HMRC\u2019s decision. They\u2019ll tell you how to do this.\n\n## Keep records\n\nYour company must keep a record of amounts claimed back against your monthly or quarterly PAYE bill.\n\nYou can use form CIS132 to do this or keep your own records.\n\n## If you paid too much in CIS deductions\n\nHMRC will pay back any deductions your company has not been able to claim back from its PAYE bill during the tax year.\n\n## If your company goes into administration\n\nIf your company goes into administration or liquidation, the person managing it should write to HMRC to ask for CIS deductions to be repaid straight away.\n\n## If you do not have all your CIS statements\n\nIf you have not received all the CIS statements you need from your contractor, you can ask them to send you replacement copies.\n\nIf the contractor you\u2019re working for stops trading and you have not been able to get all your CIS statements you should write to HMRC.\n\nInclude the following information:\n\n- your name, address and Unique Taxpayer Reference (UTR)\n\n- the name and address of the contractor\n\n- the contractor\u2019s tax reference - if you know it\n\n- the dates of the payments or the tax months when the contractor paid you\n\n- the reason why you do not have the statements or duplicates\n\n## How to get gross payment status\n\nYou can apply for gross payment status when you register for CIS.\n\nThis means contractors will pay you in full, without deductions. You\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\nIf you\u2019re already registered for CIS, you can apply for gross payment status by calling the CIS helpline or applying online.\n\n## Apply for gross payment status online\n\n- Sign in to Government Gateway - you\u2019ll need the Government Gateway user ID and password you used when you registered for CIS. If you do not have a user ID, you can create one when you register for CIS.\n\n- From \u2018Your tax account\u2019, go to \u2018Other services\u2019.\n\n- Choose \u2018Construction Industry Scheme \u2013 Subcontractors\u2019.\n\n## To qualify\n\nYou must show HM Revenue and Customs (HMRC) that your business passes some tests. You\u2019ll need to show that:\n\n- you\u2019ve paid your tax and National Insurance on time in the past\n\n- your business does construction work (or provides labour for it) in the UK\n\n- your business is run through a bank account\n\nHMRC will look at your turnover for the last 12 months. Ignoring VAT and the cost of materials, your turnover must be at least:\n\n- \u00a330,000 if you\u2019re a sole trader\n\n- \u00a330,000 for each partner in a partnership, or at least \u00a3100,000 for the whole partnership\n\n- \u00a330,000 for each director of a company, or at least \u00a3100,000 for the whole company\n\nIf your company\u2019s controlled by 5 people or fewer, you must have an annual turnover of \u00a330,000 for each of them.\n\nYou could be fined if you provide false information or help someone else to make a false application.\n\n## Paying tax when you have gross payment status\n\nYou must declare your payments as income at the end of the tax year in:\n\n- your Self Assessment tax return if you\u2019re a sole trader or partner\n\n- your Corporation Tax return if you own a limited company\n\n## Annual review\n\nIf you have gross payment status, HM Revenue and Customs (HMRC) will review your business every year, to decide if you can keep your status.\n\nYou must be on time with your tax returns and payments to keep your gross payment status.\n\nIf you run a limited company, HMRC will review the company itself, rather than individual directors or shareholders.\n\n## You do not meet all the conditions\n\nYou could fail the review and HMRC will remove your gross payment status. You\u2019ll be allowed a small amount of late payments or returns.\n\nContact HMRC if you have problems paying your tax on time. If HMRC give you more time to pay, this will not affect your gross payment status.\n\n## You fail your review\n\nYou\u2019ll get a letter explaining you\u2019re about to fail the review, along with the reasons why.\n\nIf you disagree, you can write back with your reasons.\n\nIf HMRC accept your explanation, they will not remove your gross payment status.\n\nIf you do not reply to the letter or HMRC does not accept your explanation, they\u2019ll write to explain:\n\n- what conditions you have not met\n\n- that they\u2019re withdrawing your gross payment status in 90 days\n\nIf you think HMRC have made the wrong decision, you have 30 days from the date of this letter to appeal.\n\n## Reapplying for gross payment status\n\nIf HMRC cancel your gross payment status, you need to wait a year from the date of the cancellation before you can reapply.\n\n## Changes you need to report\n\nReport changes by calling the Construction Industry Scheme (CIS) helpline.\n\nTell them if you:\n\n- change from a sole trader to a partnership\n\n- leave a partnership or company to become a sole trader\n\n- create a company or change your business to a company\n\nYou\u2019ll usually need to register again for CIS - as you cannot transfer the registration from your old business structure.\n\nIf you have gross payment status, you\u2019ll need to apply again.\n\nYou must also tell HM Revenue and Customs (HMRC) if you:\n\n- change your trading name\n\n- change your business, private or registered office address\n\n- stop trading\n\n- add new shareholders - HMRC may withdraw your gross payment status if you do not tell them within 30 days\n\n## Stop trading\n\nIf your business goes into administration it can keep receiving payments for work it\u2019s done under CIS. It should be paid in the same way that it was paid normally - either gross or under deduction.", + "original_contents": [ + "

    Overview

    ", + "

    You should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:

    ", + "
  • self-employed
  • ", + "
  • the owner of a limited company
  • ", + "
  • a partner in a partnership or trust
  • ", + "

    Under CIS, a contractor must deduct 20% from your payments and pass it to HM Revenue and Customs (HMRC).

    ", + "

    These deductions count as advance payments towards your tax and National Insurance bill.

    ", + "

    If you do not register for the scheme, contractors must deduct 30% from your payments instead.

    ", + "

    If you do not want deductions made

    ", + "

    If you do not want deductions to be made in advance by contractors, you can apply for \u2018gross payment status\u2019. You can do this when you register for CIS.

    ", + "

    You do not need to register for CIS if you\u2019re an employee. Check your employment status if you\u2019re not sure.

    ", + "

    How to register

    ", + "

    To register for the Construction Industry Scheme (CIS) you\u2019ll need:

    ", + "
  • your legal business name - you can also give a trading name if it\u2019s different to your business name
  • ", + "
  • your National Insurance Number
  • ", + "
  • the unique taxpayer reference number (UTR) for your business
  • ", + "
  • your VAT registration number (if you\u2019re VAT registered)
  • ", + "

    If you\u2019re a subcontractor and a contractor (you pay subcontractors to do construction work), you\u2019ll need to register for CIS as both.

    ", + "

    Register as a sole trader

    ", + "

    If you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).

    ", + "

    You can apply for gross payment status at the same time.

    ", + "

    If you do not have a UTR, register as a new business for Self Assessment and choose \u2018working as a subcontractor\u2019 when prompted. You\u2019ll be registered for Self Assessment and CIS at the same time.

    ", + "

    You can also call the CIS helpline to register.

    ", + "

    Register as another type of business

    ", + "

    Fill in the online form for limited companies or the online form for partnerships.

    ", + "

    HMRC will register the partnership separately to your sole trader registration. They will need the partnership UTR and trading name.

    ", + "

    You are based abroad

    ", + "

    You should still register for CIS if you are a subcontractor based abroad but do construction work in the UK.

    ", + "

    Help and support

    ", + "

    Call the CIS helpline for help with registering.

    ", + "

    You can also sign up for webinars and emails or watch videos from HMRC about CIS.

    ", + "

    Get paid

    ", + "

    To be paid correctly by a contractor, make sure you give them the exact same legal business name or trading name you gave when you registered for the Construction Industry Scheme (CIS). You should also give them your Unique Taxpayer Reference (UTR) so they can verify you.

    ", + "

    If you do not, this could affect how much you get paid.

    ", + "

    Deduction rates

    ", + "

    When a contractor pays you under CIS, they\u2019ll normally make deductions at the standard rate of 20%.

    ", + "

    Contractors will make deductions at a higher rate of 30% if:

    ", + "
  • you are not registered for CIS
  • ", + "
  • they cannot verify you
  • ", + "
  • you give the wrong name for your business
  • ", + "

    Your contractor should give you monthly statements of payments and deductions. Use them to calculate whether you still owe tax and National Insurance to HM Revenue and Customs (HMRC) or are due a refund.

    ", + "

    Gross payment status

    ", + "

    You can apply for gross payment status when you register for CIS. This means the contractor will not make deductions from your payments and you\u2019ll pay all your tax and National Insurance at the end of the tax year.

    ", + "

    What does not count as your pay

    ", + "

    Contractors will not make a deduction from amounts you charge on your invoice for:

    ", + "
  • VAT
  • ", + "
  • materials that you have paid for directly
  • ", + "
  • equipment which is now unusable (\u2018consumable stores\u2019)
  • ", + "
  • plant hired for the job
  • ", + "
  • manufacturing or prefabricating materials
  • ", + "

    Pay tax and claim back deductions

    ", + "

    When you\u2019re registered with the Construction Industry Scheme (CIS), you\u2019re still responsible for paying the correct tax and National Insurance for your business, even if deductions have been made by contractors throughout the year.

    ", + "

    Contractors will give you a monthly statement of what they\u2019ve paid you and deductions they\u2019ve made to help with your accounting.

    ", + "

    Sole traders and partners

    ", + "

    At the end of the tax year, send in your Self Assessment tax return as usual. You should record:

    ", + "
  • the full amounts on your invoices as income
  • ", + "
  • any deductions contractors have made in the \u2018CIS deductions\u2019 field
  • ", + "

    HM Revenue and Customs (HMRC) will work out your tax and National Insurance bill and take off any deductions made by contractors.

    ", + "

    If you still owe tax after this, you\u2019ll need to pay it by 31 January following the end of the tax year.

    ", + "

    If you\u2019re due a tax refund, HMRC will pay the money back.

    ", + "

    Limited companies

    ", + "

    If you have gross payment status, declare all your income in your Corporation Tax return as usual.

    ", + "

    If you pay CIS deductions, you must claim these back through your company\u2019s monthly payroll scheme. Do not try to claim back through your Corporation Tax return - you may get a penalty if you do.

    ", + "
  • Send your monthly Full Payment Submission (FPS) as usual to HMRC.
  • ", + "
  • Also send an Employer Payment Summary (EPS). Enter the total CIS deductions for the year to date.
  • ", + "
  • HMRC will take your CIS deductions off what you owe in PAYE tax and National Insurance. Pay the balance by the usual date.
  • ", + "

    If your company\u2019s PAYE bill for the period is reduced to zero and you still have some CIS deductions you have not been able to claim back, carry these forward to the next month or quarter (in the same tax year). Tell HMRC in the EPS that you have nothing to pay.

    ", + "

    If HMRC thinks your claim is wrong

    ", + "

    HMRC may ask you to provide evidence for your CIS deductions or to change your claim.

    ", + "

    If you do not do this by the deadline they give you, you will not be able to make any more claims in that tax year.

    ", + "

    You can appeal HMRC\u2019s decision. They\u2019ll tell you how to do this.

    ", + "

    Keep records

    ", + "

    Your company must keep a record of amounts claimed back against your monthly or quarterly PAYE bill.

    ", + "

    You can use form CIS132 to do this or keep your own records.

    ", + "

    If you paid too much in CIS deductions

    ", + "

    HMRC will pay back any deductions your company has not been able to claim back from its PAYE bill during the tax year.

    ", + "

    If your company goes into administration

    ", + "

    If your company goes into administration or liquidation, the person managing it should write to HMRC to ask for CIS deductions to be repaid straight away.

    ", + "

    If you do not have all your CIS statements

    ", + "

    If you have not received all the CIS statements you need from your contractor, you can ask them to send you replacement copies.

    ", + "

    If the contractor you\u2019re working for stops trading and you have not been able to get all your CIS statements you should write to HMRC.

    ", + "

    Include the following information:

    ", + "
  • your name, address and Unique Taxpayer Reference (UTR)
  • ", + "
  • the name and address of the contractor
  • ", + "
  • the contractor\u2019s tax reference - if you know it
  • ", + "
  • the dates of the payments or the tax months when the contractor paid you
  • ", + "
  • the reason why you do not have the statements or duplicates
  • ", + "

    How to get gross payment status

    ", + "

    You can apply for gross payment status when you register for CIS.

    ", + "

    This means contractors will pay you in full, without deductions. You\u2019ll pay all your tax and National Insurance at the end of the tax year.

    ", + "

    If you\u2019re already registered for CIS, you can apply for gross payment status by calling the CIS helpline or applying online.

    ", + "

    Apply for gross payment status online

    ", + "
  • Sign in to Government Gateway - you\u2019ll need the Government Gateway user ID and password you used when you registered for CIS. If you do not have a user ID, you can create one when you register for CIS.
  • ", + "
  • From \u2018Your tax account\u2019, go to \u2018Other services\u2019.
  • ", + "
  • Choose \u2018Construction Industry Scheme \u2013 Subcontractors\u2019.
  • ", + "

    To qualify

    ", + "

    You must show HM Revenue and Customs (HMRC) that your business passes some tests. You\u2019ll need to show that:

    ", + "
  • you\u2019ve paid your tax and National Insurance on time in the past
  • ", + "
  • your business does construction work (or provides labour for it) in the UK
  • ", + "
  • your business is run through a bank account
  • ", + "

    HMRC will look at your turnover for the last 12 months. Ignoring VAT and the cost of materials, your turnover must be at least:

    ", + "
  • \u00a330,000 if you\u2019re a sole trader
  • ", + "
  • \u00a330,000 for each partner in a partnership, or at least \u00a3100,000 for the whole partnership
  • ", + "
  • \u00a330,000 for each director of a company, or at least \u00a3100,000 for the whole company
  • ", + "

    If your company\u2019s controlled by 5 people or fewer, you must have an annual turnover of \u00a330,000 for each of them.

    ", + "

    You could be fined if you provide false information or help someone else to make a false application.

    ", + "

    Paying tax when you have gross payment status

    ", + "

    You must declare your payments as income at the end of the tax year in:

    ", + "
  • your Self Assessment tax return if you\u2019re a sole trader or partner
  • ", + "
  • your Corporation Tax return if you own a limited company
  • ", + "

    Annual review

    ", + "

    If you have gross payment status, HM Revenue and Customs (HMRC) will review your business every year, to decide if you can keep your status.

    ", + "

    You must be on time with your tax returns and payments to keep your gross payment status.

    ", + "

    If you run a limited company, HMRC will review the company itself, rather than individual directors or shareholders.

    ", + "

    You do not meet all the conditions

    ", + "

    You could fail the review and HMRC will remove your gross payment status. You\u2019ll be allowed a small amount of late payments or returns.

    ", + "

    Contact HMRC if you have problems paying your tax on time. If HMRC give you more time to pay, this will not affect your gross payment status.

    ", + "

    You fail your review

    ", + "

    You\u2019ll get a letter explaining you\u2019re about to fail the review, along with the reasons why.

    ", + "

    If you disagree, you can write back with your reasons.

    ", + "

    If HMRC accept your explanation, they will not remove your gross payment status.

    ", + "

    If you do not reply to the letter or HMRC does not accept your explanation, they\u2019ll write to explain:

    ", + "
  • what conditions you have not met
  • ", + "
  • that they\u2019re withdrawing your gross payment status in 90 days
  • ", + "

    If you think HMRC have made the wrong decision, you have 30 days from the date of this letter to appeal.

    ", + "

    Reapplying for gross payment status

    ", + "

    If HMRC cancel your gross payment status, you need to wait a year from the date of the cancellation before you can reapply.

    ", + "

    Changes you need to report

    ", + "

    Report changes by calling the Construction Industry Scheme (CIS) helpline.

    ", + "

    Tell them if you:

    ", + "
  • change from a sole trader to a partnership
  • ", + "
  • leave a partnership or company to become a sole trader
  • ", + "
  • create a company or change your business to a company
  • ", + "

    You\u2019ll usually need to register again for CIS - as you cannot transfer the registration from your old business structure.

    ", + "

    If you have gross payment status, you\u2019ll need to apply again.

    ", + "

    You must also tell HM Revenue and Customs (HMRC) if you:

    ", + "
  • change your trading name
  • ", + "
  • change your business, private or registered office address
  • ", + "
  • stop trading
  • ", + "
  • add new shareholders - HMRC may withdraw your gross payment status if you do not tell them within 30 days
  • ", + "

    Stop trading

    ", + "

    If your business goes into administration it can keep receiving payments for work it\u2019s done under CIS. It should be paid in the same way that it was paid normally - either gross or under deduction.

    " + ] + }, + "https://www.gov.uk/work-out-capital-allowances": { + "url": "https://www.gov.uk/work-out-capital-allowances", + "title": "Work out your capital allowances", + "content": "## Writing down allowances\n\nWhen you buy business assets you can usually deduct the full value from your profits before tax using annual investment allowance (AIA).\n\nUse writing down allowances instead if:\n\n- you\u2019ve already claimed AIA on items worth a total of more than the AIA amount\n\n- the item doesn\u2019t qualify for AIA (for example, cars, gifts or things you owned before you used them in your business)\n\nWriting down allowances is when you deduct a percentage of the value of an item from your profits each year.\n\nThe percentage you deduct depends on the item. For business cars the rate depends on their CO2 emissions.\n\n## Work out the value of your item\n\nIn most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:\n\n- you owned it before you started using it in your business\n\n- it was a gift\n\n## How to claim\n\nGroup the things you\u2019ve bought into \u2018pools\u2019 based on the percentage rate they qualify for.\n\nWhen you know the rate for your items, work out how much you can claim and deduct it from your profits before tax on your tax return.\n\nThe amount left in each pool becomes the starting balance for the next accounting period.\n\n## Rates and pools\n\nIf you\u2019re claiming writing down allowances, group items into pools depending on which rate they qualify for.\n\nThe 3 types of pool are the:\n\n- main pool with a rate of 18%\n\n- special rate pool with a rate of 6%\n\n- single asset pools with a rate of 18% or 6% depending on the item\n\n## Main rate pool\n\nAdd the value of all \u2018plant and machinery\u2019 you\u2019ve bought to the main rate pool, unless they\u2019re in:\n\n- the special rate pool\n\n- a single asset pool (for example, because you have chosen to treat them as \u2018short life\u2019 assets or you\u2019ve used them outside your business)\n\n## Special rate pool\n\nYou have to claim a lower rate of 6% on:\n\n- parts of a building considered integral - known as \u2018integral features\u2019\n\n- items with a long life\n\n- thermal insulation of buildings\n\n- cars with CO2 emissions over a certain threshold - check the threshold for your car, which depends on the car and when you bought it\n\nYou can claim AIA on these items apart from cars. Only claim writing down allowances at 6% if you\u2019ve already claimed AIA on items worth a total of more than the AIA amount.\n\n## Integral features\n\nIntegral features are:\n\n- lifts, escalators and moving walkways\n\n- space and water heating systems\n\n- air-conditioning and air cooling systems\n\n- hot and cold water systems (but not toilet and kitchen facilities)\n\n- electrical systems, including lighting systems\n\n- external solar shading\n\nBuildings themselves don\u2019t qualify for capital allowances.\n\n## Items with a long life\n\nThese are items with a useful life of at least 25 years from when they were new.\n\nPut them in the special rate pool if the value of all the long-life items you buy in a single accounting period (the tax year if you\u2019re a sole trader or partner) adds up to \u00a3100,000. Put them in the main rate pool if their total value is less than \u00a3100,000.\n\nThis \u00a3100,000 limit is adjusted if your accounting period is more or less than 12 months.\n\n## Single asset pools\n\nYou might need to create one or more separate pools for single assets that:\n\n- have a short life (for assets you aren\u2019t going to keep for a long time)\n\n- you use outside your business if you\u2019re a sole trader or a partner\n\n## Short life assets\n\nIt\u2019s up to you to decide whether you want to treat something as a short life asset. You can\u2019t include:\n\n- cars\n\n- items you also use outside your business\n\n- special rate items\n\nLarge numbers of very similar items can be pooled together (for example, crockery in a restaurant).\n\nThe pool ends when you sell the asset. This means you can claim the capital allowances over a shorter period.\n\nMove the balance into your main pool in your next accounting period or tax year if you\u2019re still using the item after 8 years.\n\n## Let HMRC know\n\nLet HM Revenue and Customs (HMRC) know on your tax return if you\u2019re a limited company and you decide to create a short life asset pool. You must do this within 2 years of the end of the tax year when you bought the item.\n\nLet HMRC know in writing if you\u2019re a sole trader or partner - include how much the item cost and when you acquired it. The deadline is the online filing deadline (31 January) for the tax year after the one you bought the item in.\n\n## Things you also use outside your business\n\nIf you use an item outside your business and you\u2019re a sole trader or partner, put it in a separate pool.\n\nWork out your capital allowances at the main rate (18%) or the special rate (6%) depending on what the item is.\n\nReduce the amount of capital allowances you can claim by the amount you use the asset outside your business.\n\n## If your accounting period is more or less than 12 months\n\nYou need to adjust the amount of writing down allowances you can claim if your accounting period is more or less than 12 months.\n\n## Items you\u2019ve claimed AIA or first year allowances on\n\nRecord any items you\u2019ve claimed annual investment allowance (AIA) or first year allowances on in the pool they qualify for. If you claim the full cost of an item you\u2019ll need to write down their value as zero. This will help you to work out whether you owe tax if you sell them.\n\n## Items not claimed\n\nAdd costs you haven\u2019t claimed first year allowances or annual investment allowance (AIA) on to the pool in the following year.\n\n## What to do next\n\nWhen you know the rate for your items, work out how much you can claim.\n\n## Work out what you can claim\n\nYou can claim the full cost of the item if you\u2019re claiming:\n\n- annual investment allowance (AIA)\n\n- first year allowances\n\nYou claim based on the rate for items that don\u2019t qualify for AIA or first year allowances.\n\n## Work out your allowance\n\nWork out what you can claim separately for each pool.\n\n- Take your closing balance from your last accounting period.\n\n- Add the value of anything you\u2019ve bought or been given in the current period that qualifies for this pool. Only include VAT if you\u2019re not VAT registered.\n\n- Deduct the value of anything you sold or \u2018disposed of\u2019 that originally qualified for this pool.\n\n- Work out how much you can claim using the correct rate.\n\n- Deduct the amount you can claim from the pool to get the closing balance. This is known as the \u2018tax written down value\u2019.\n\n## Items you use outside your business\n\nFor items that are in a single asset pool because you\u2019ve used them outside your business, reduce the amount you can claim by the amount you use them privately.\n\nYou still deduct the full amount from your pool to get the closing balance.\n\n## Items you use privately that aren\u2019t in a single asset pool\n\nIf you start using something outside your business that you\u2019ve already claimed capital allowances on:\n\n- add the market value of the item (the amount you\u2019d expect to sell it for) to a single asset pool\n\n- deduct the same amount from the pool it was in\n\nIf the amount you deduct is more than the balance in the pool, the difference is a \u2018balancing charge\u2019 - you must put it on your tax return.\n\n## Claiming less than you\u2019re entitled to\n\nYou don\u2019t have to claim the full amount you\u2019re entitled to. If you only claim part, the rest stays in your closing balance.\n\n## If you have \u00a31,000 or less in your pool\n\nYou can claim the full amount if the balance in your main or special rate pool is \u00a31,000 or less before you work out your allowance.\n\nThis is called a small pools allowance. It doesn\u2019t apply to single asset pools. You can either claim a small pools allowance or writing down allowances - you can\u2019t claim both.\n\nThis amount is adjusted if your accounting period is more or less than 12 months.\n\n## How to claim\n\nClaim on your tax return.", + "original_contents": [ + "

    Writing down allowances

    ", + "

    When you buy business assets you can usually deduct the full value from your profits before tax using annual investment allowance (AIA).

    ", + "

    Use writing down allowances instead if:

    ", + "
  • you\u2019ve already claimed AIA on items worth a total of more than the AIA amount
  • ", + "
  • the item doesn\u2019t qualify for AIA (for example, cars, gifts or things you owned before you used them in your business)
  • ", + "

    Writing down allowances is when you deduct a percentage of the value of an item from your profits each year.

    ", + "

    The percentage you deduct depends on the item. For business cars the rate depends on their CO2 emissions.

    ", + "

    Work out the value of your item

    ", + "

    In most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:

    ", + "
  • you owned it before you started using it in your business
  • ", + "
  • it was a gift
  • ", + "

    How to claim

    ", + "

    Group the things you\u2019ve bought into \u2018pools\u2019 based on the percentage rate they qualify for.

    ", + "

    When you know the rate for your items, work out how much you can claim and deduct it from your profits before tax on your tax return.

    ", + "

    The amount left in each pool becomes the starting balance for the next accounting period.

    ", + "

    Rates and pools

    ", + "

    If you\u2019re claiming writing down allowances, group items into pools depending on which rate they qualify for.

    ", + "

    The 3 types of pool are the:

    ", + "
  • main pool with a rate of 18%
  • ", + "
  • special rate pool with a rate of 6%
  • ", + "
  • single asset pools with a rate of 18% or 6% depending on the item
  • ", + "

    Main rate pool

    ", + "

    Add the value of all \u2018plant and machinery\u2019 you\u2019ve bought to the main rate pool, unless they\u2019re in:

    ", + "
  • the special rate pool
  • ", + "
  • a single asset pool (for example, because you have chosen to treat them as \u2018short life\u2019 assets or you\u2019ve used them outside your business)
  • ", + "

    Special rate pool

    ", + "

    You have to claim a lower rate of 6% on:

    ", + "
  • parts of a building considered integral - known as \u2018integral features\u2019
  • ", + "
  • items with a long life
  • ", + "
  • thermal insulation of buildings
  • ", + "
  • cars with CO2 emissions over a certain threshold - check the threshold for your car, which depends on the car and when you bought it
  • ", + "

    You can claim AIA on these items apart from cars. Only claim writing down allowances at 6% if you\u2019ve already claimed AIA on items worth a total of more than the AIA amount.

    ", + "

    Integral features

    ", + "

    Integral features are:

    ", + "
  • lifts, escalators and moving walkways
  • ", + "
  • space and water heating systems
  • ", + "
  • air-conditioning and air cooling systems
  • ", + "
  • hot and cold water systems (but not toilet and kitchen facilities)
  • ", + "
  • electrical systems, including lighting systems
  • ", + "
  • external solar shading
  • ", + "

    Buildings themselves don\u2019t qualify for capital allowances.

    ", + "

    Items with a long life

    ", + "

    These are items with a useful life of at least 25 years from when they were new.

    ", + "

    Put them in the special rate pool if the value of all the long-life items you buy in a single accounting period (the tax year if you\u2019re a sole trader or partner) adds up to \u00a3100,000. Put them in the main rate pool if their total value is less than \u00a3100,000.

    ", + "

    This \u00a3100,000 limit is adjusted if your accounting period is more or less than 12 months.

    ", + "

    Single asset pools

    ", + "

    You might need to create one or more separate pools for single assets that:

    ", + "
  • have a short life (for assets you aren\u2019t going to keep for a long time)
  • ", + "
  • you use outside your business if you\u2019re a sole trader or a partner
  • ", + "

    Short life assets

    ", + "

    It\u2019s up to you to decide whether you want to treat something as a short life asset. You can\u2019t include:

    ", + "
  • cars
  • ", + "
  • items you also use outside your business
  • ", + "
  • special rate items
  • ", + "

    Large numbers of very similar items can be pooled together (for example, crockery in a restaurant).

    ", + "

    The pool ends when you sell the asset. This means you can claim the capital allowances over a shorter period.

    ", + "

    Move the balance into your main pool in your next accounting period or tax year if you\u2019re still using the item after 8 years.

    ", + "

    Let HMRC know

    ", + "

    Let HM Revenue and Customs (HMRC) know on your tax return if you\u2019re a limited company and you decide to create a short life asset pool. You must do this within 2 years of the end of the tax year when you bought the item.

    ", + "

    Let HMRC know in writing if you\u2019re a sole trader or partner - include how much the item cost and when you acquired it. The deadline is the online filing deadline (31 January) for the tax year after the one you bought the item in.

    ", + "

    Things you also use outside your business

    ", + "

    If you use an item outside your business and you\u2019re a sole trader or partner, put it in a separate pool.

    ", + "

    Work out your capital allowances at the main rate (18%) or the special rate (6%) depending on what the item is.

    ", + "

    Reduce the amount of capital allowances you can claim by the amount you use the asset outside your business.

    ", + "

    If your accounting period is more or less than 12 months

    ", + "

    You need to adjust the amount of writing down allowances you can claim if your accounting period is more or less than 12 months.

    ", + "

    Items you\u2019ve claimed AIA or first year allowances on

    ", + "

    Record any items you\u2019ve claimed annual investment allowance (AIA) or first year allowances on in the pool they qualify for. If you claim the full cost of an item you\u2019ll need to write down their value as zero. This will help you to work out whether you owe tax if you sell them.

    ", + "

    Items not claimed

    ", + "

    Add costs you haven\u2019t claimed first year allowances or annual investment allowance (AIA) on to the pool in the following year.

    ", + "

    What to do next

    ", + "

    When you know the rate for your items, work out how much you can claim.

    ", + "

    Work out what you can claim

    ", + "

    You can claim the full cost of the item if you\u2019re claiming:

    ", + "
  • annual investment allowance (AIA)
  • ", + "
  • first year allowances
  • ", + "

    You claim based on the rate for items that don\u2019t qualify for AIA or first year allowances.

    ", + "

    Work out your allowance

    ", + "

    Work out what you can claim separately for each pool.

    ", + "
  • Take your closing balance from your last accounting period.
  • ", + "
  • Add the value of anything you\u2019ve bought or been given in the current period that qualifies for this pool. Only include VAT if you\u2019re not VAT registered.
  • ", + "
  • Deduct the value of anything you sold or \u2018disposed of\u2019 that originally qualified for this pool.
  • ", + "
  • Work out how much you can claim using the correct rate.
  • ", + "
  • Deduct the amount you can claim from the pool to get the closing balance. This is known as the \u2018tax written down value\u2019.
  • ", + "

    Items you use outside your business

    ", + "

    For items that are in a single asset pool because you\u2019ve used them outside your business, reduce the amount you can claim by the amount you use them privately.

    ", + "

    You still deduct the full amount from your pool to get the closing balance.

    ", + "

    Items you use privately that aren\u2019t in a single asset pool

    ", + "

    If you start using something outside your business that you\u2019ve already claimed capital allowances on:

    ", + "
  • add the market value of the item (the amount you\u2019d expect to sell it for) to a single asset pool
  • ", + "
  • deduct the same amount from the pool it was in
  • ", + "

    If the amount you deduct is more than the balance in the pool, the difference is a \u2018balancing charge\u2019 - you must put it on your tax return.

    ", + "

    Claiming less than you\u2019re entitled to

    ", + "

    You don\u2019t have to claim the full amount you\u2019re entitled to. If you only claim part, the rest stays in your closing balance.

    ", + "

    If you have \u00a31,000 or less in your pool

    ", + "

    You can claim the full amount if the balance in your main or special rate pool is \u00a31,000 or less before you work out your allowance.

    ", + "

    This is called a small pools allowance. It doesn\u2019t apply to single asset pools. You can either claim a small pools allowance or writing down allowances - you can\u2019t claim both.

    ", + "

    This amount is adjusted if your accounting period is more or less than 12 months.

    ", + "

    How to claim

    ", + "

    Claim on your tax return.

    " + ] + }, + "https://www.gov.uk/first-company-accounts-and-return": { + "url": "https://www.gov.uk/first-company-accounts-and-return", + "title": "Your limited company's first accounts and Company Tax Return", + "content": "## Overview\n\nWhen you set up your limited company, you automatically get different reporting dates for the first:\n\n- annual accounts you send to Companies House\n\n- Company Tax Return you send to HM Revenue and Customs (HMRC)\n\nYou may also have to send (\u2018file\u2019) 2 tax returns to cover your first year in business.\n\n## Annual accounts\n\nYour first accounts usually cover more than 12 months. This is because they:\n\n- start on the day your company was set up (\u2018incorporated\u2019)\n\n- end on the \u2018accounting reference date\u2019 that Companies House sets for the end of your company\u2019s financial year - this is the last day of the month your company was set up\n\n## Company Tax Return\n\nThe period covered by your tax return (your \u2018accounting period\u2019 for Corporation Tax) can\u2019t be longer than 12 months. So you may have to file 2 tax returns to cover the period of your first accounts. If you do, you\u2019ll also have 2 payment deadlines.\n\nIn following years you then normally only file one tax return - and it will usually cover the same financial year as your accounts.\n\n## What you must do\n\nThe dates of your first tax return - and whether you file 2 or one - depend on whether your company:\n\n- started trading on the same day it was set up\n\n- didn\u2019t start trading until after it was set up\n\n## You started trading the day your company set up\n\nFile 2 Company Tax Returns if your company started trading on the same day it was set up - one for your company\u2019s first 12 months and one for the rest of the time covered by your company\u2019s first accounts.\n\n## Example\n\n| Action | Date |\n\n| Company set up and started trading | 11 May 2013 |\n\n| First accounting period for Corporation Tax ends | 10 May 2014 |\n\n| Accounting reference date | 31 May 2014 |\n\n| Second accounting period for Corporation Tax ends | 31 May 2014 |\n\nPrepare your first set of accounts for 11 May 2013 to 31 May 2014. Then file your:\n\n- first tax return for 11 May 2013 to 10 May 2014\n\n- second tax return for 11 to 31 May 2014\n\nAfter you do this, your accounts and tax returns will normally cover your company\u2019s financial year from 1 June to 31 May.\n\n## You started trading after your company set up\n\nLimited companies can be \u2018dormant\u2019 for Corporation Tax between setting up (\u2018incorporating\u2019) and starting to trade for the first time.\n\nHM Revenue and Customs (HMRC) has detailed guidance on what counts as dormant for Corporation Tax.\n\nYou tell HMRC the date that you started to trade when you register for Corporation Tax.\n\nWhat you have to do if your company was dormant depends on whether you registered for Corporation Tax before your accounting reference date.\n\n## You registered for Corporation Tax before your accounting reference date\n\nYou usually:\n\n- don\u2019t file a tax return for the period you were dormant\n\n- prepare your first tax return to cover the period you were trading\n\nFile 2 tax returns if you were trading for more than 12 months - one for the first 12 months of trading and one for the rest of the time.\n\n## Example\n\n| Action | Date |\n\n| Company set up | 11 May 2013 |\n\n| Started trading | 22 July 2013 |\n\n| Register for Corporation Tax | 26 August 2013 |\n\n| Accounting reference date | 31 May 2014 |\n\nPrepare accounts for 11 May 2013 to 31 May 2014. Then file one tax return for your trading period from 22 July 2013 to 31 May 2014.\n\nAfter you do this, your dates for accounts and tax returns will normally match your company\u2019s financial year from 1 June to 31 May every year.\n\nCheck the \u2018notice to deliver a Company Tax Return\u2019 you get after your first year. If it covers your dormant and trading periods you must file 2 tax returns - one for your trading period and one for your dormant period.\n\n## You didn\u2019t register for Corporation Tax before your accounting reference date\n\nYou must file 2 tax returns - one for the period you were dormant and one for the period you were trading.\n\n## Example:\n\n| Action | Date |\n\n| Company set up | 11 May 2013 |\n\n| Started trading | 22 July 2013 |\n\n| Accounting reference date | 31 May 2014 |\n\nPrepare one set of accounts for 11 May 2013 to 31 May 2014. Then file your:\n\n- first tax return for your dormant period from 11 May to 21 July 2013\n\n- second tax return for your trading period from 22 July 2013 to 31 May 2014\n\nAfter you do this, your dates for accounts and tax returns will normally match your company\u2019s financial year from 1 June to 31 May every year.", + "original_contents": [ + "

    Overview

    ", + "

    When you set up your limited company, you automatically get different reporting dates for the first:

    ", + "
  • annual accounts you send to Companies House
  • ", + "
  • Company Tax Return you send to HM Revenue and Customs (HMRC)
  • ", + "

    You may also have to send (\u2018file\u2019) 2 tax returns to cover your first year in business.

    ", + "

    Annual accounts

    ", + "

    Your first accounts usually cover more than 12 months. This is because they:

    ", + "
  • start on the day your company was set up (\u2018incorporated\u2019)
  • ", + "
  • end on the \u2018accounting reference date\u2019 that Companies House sets for the end of your company\u2019s financial year - this is the last day of the month your company was set up
  • ", + "

    Company Tax Return

    ", + "

    The period covered by your tax return (your \u2018accounting period\u2019 for Corporation Tax) can\u2019t be longer than 12 months. So you may have to file 2 tax returns to cover the period of your first accounts. If you do, you\u2019ll also have 2 payment deadlines.

    ", + "

    In following years you then normally only file one tax return - and it will usually cover the same financial year as your accounts.

    ", + "

    What you must do

    ", + "

    The dates of your first tax return - and whether you file 2 or one - depend on whether your company:

    ", + "
  • started trading on the same day it was set up
  • ", + "
  • didn\u2019t start trading until after it was set up
  • ", + "

    You started trading the day your company set up

    ", + "

    File 2 Company Tax Returns if your company started trading on the same day it was set up - one for your company\u2019s first 12 months and one for the rest of the time covered by your company\u2019s first accounts.

    ", + "

    Example

    ", + "Action | Date", + "Company set up and started trading | 11 May 2013", + "First accounting period for Corporation Tax ends | 10 May 2014", + "Accounting reference date | 31 May 2014", + "Second accounting period for Corporation Tax ends | 31 May 2014", + "

    Prepare your first set of accounts for 11 May 2013 to 31 May 2014. Then file your:

    ", + "
  • first tax return for 11 May 2013 to 10 May 2014
  • ", + "
  • second tax return for 11 to 31 May 2014
  • ", + "

    After you do this, your accounts and tax returns will normally cover your company\u2019s financial year from 1 June to 31 May.

    ", + "

    You started trading after your company set up

    ", + "

    Limited companies can be \u2018dormant\u2019 for Corporation Tax between setting up (\u2018incorporating\u2019) and starting to trade for the first time.

    ", + "

    HM Revenue and Customs (HMRC) has detailed guidance on what counts as dormant for Corporation Tax.

    ", + "

    You tell HMRC the date that you started to trade when you register for Corporation Tax.

    ", + "

    What you have to do if your company was dormant depends on whether you registered for Corporation Tax before your accounting reference date.

    ", + "

    You registered for Corporation Tax before your accounting reference date

    ", + "

    You usually:

    ", + "
  • don\u2019t file a tax return for the period you were dormant
  • ", + "
  • prepare your first tax return to cover the period you were trading
  • ", + "

    File 2 tax returns if you were trading for more than 12 months - one for the first 12 months of trading and one for the rest of the time.

    ", + "

    Example

    ", + "Action | Date", + "Company set up | 11 May 2013", + "Started trading | 22 July 2013", + "Register for Corporation Tax | 26 August 2013", + "Accounting reference date | 31 May 2014", + "

    Prepare accounts for 11 May 2013 to 31 May 2014. Then file one tax return for your trading period from 22 July 2013 to 31 May 2014.

    ", + "

    After you do this, your dates for accounts and tax returns will normally match your company\u2019s financial year from 1 June to 31 May every year.

    ", + "

    Check the \u2018notice to deliver a Company Tax Return\u2019 you get after your first year. If it covers your dormant and trading periods you must file 2 tax returns - one for your trading period and one for your dormant period.

    ", + "

    You didn\u2019t register for Corporation Tax before your accounting reference date

    ", + "

    You must file 2 tax returns - one for the period you were dormant and one for the period you were trading.

    ", + "

    Example:

    ", + "Action | Date", + "Company set up | 11 May 2013", + "Started trading | 22 July 2013", + "Accounting reference date | 31 May 2014", + "

    Prepare one set of accounts for 11 May 2013 to 31 May 2014. Then file your:

    ", + "
  • first tax return for your dormant period from 11 May to 21 July 2013
  • ", + "
  • second tax return for your trading period from 22 July 2013 to 31 May 2014
  • ", + "

    After you do this, your dates for accounts and tax returns will normally match your company\u2019s financial year from 1 June to 31 May every year.

    " + ] + }, + "https://www.gov.uk/company-filing-software": { + "url": "https://www.gov.uk/company-filing-software", + "title": "Find software for filing company documents", + "content": "## Overview\n\nYou can use software to file your company accounts, file changes to your details and returns to Companies House electronically.\n\nYou can also file your annual accounts and confirmation statement (previously annual return) with Companies House online.\n\nUsing software or filing online you\u2019ll:\n\n- be less likely to get late filing penalties\n\n- get confirmation that your documents have been received\n\n- find out if they\u2019re accepted or rejected\n\n## How to file electronically\n\nYou must register for an online filing account - fill in the online filing credit account application form and send it to the address on the form.\n\nYou can then either:\n\n- get a software package from a Companies House (and HMRC) authorised provider\n\n- develop your own software - request a copy of the Companies House technical specifications by emailing xml@companieshouse.gov.uk\n\n## Filing annual accounts, returns and tax accounts\n\nCompanies House has tested the software listed.\n\nYou should consider which features you need and make sure the software you choose has those features, for example if you need software to deal with inactive accounts (sometimes called \u2018dormant accounts\u2019).\n\nYou must first register as an electronic filer.\n\nThe following is a list of software and the kinds of accounts you can use it for.\n\n| Supplier | Product | Dormant | Micro Entity | Abridged | Small | Full |\n\n| Ajaccts | AJACCTS | Yes | Yes | - | - | - |\n\n| Acorah Software Products Ltd | TaxCalc Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Anglia Registrars Ltd | Inform Direct | Yes | Yes | - | - | - |\n\n| BTCSoftware Limited | AP Solution | Yes | Yes | Yes | Yes | Yes |\n\n| Capium Limited | Capium Accounts Production | Yes | - | Yes | - | - |\n\n| CaseWare UK | CaseWare Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag | Yes | Yes | Yes | Yes | Yes |\n\n| CCH Software (Wolters Kluwer) | CCH Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| CoreFiling Limited | Seahorse | Yes | Yes | Yes | Yes | Yes |\n\n| Easy Digital Filing | Easy Digital Filing | Yes | Yes | Yes | Yes | - |\n\n| Eureka Software | Eureka Software | - | Yes | Yes | Yes | - |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC | Yes | Yes | - | Yes | Yes |\n\n| gbooks | gbooks Company Accounts | Yes | Yes | - | Yes | Yes |\n\n| IRIS Software | IRIS Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| IRIS Software | PTP Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Keytime | Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Quality Management Software Ltd | CT600CH | Yes | Yes | Yes | Yes | Yes |\n\n| Sage (UK) Limited | Sage Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Sage (UK) Limited | Sage Accountant Cloud - Final Accounts | Yes | Yes | Yes | Yes | Yes |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced | Yes | Yes | Yes | Yes | Yes |\n\n| Taxfiler | Taxfiler Accounts Production | Yes | Yes | Yes | Yes | - |\n\n| Thomson Reuters | Digita | Yes | Yes | Yes | Yes | Yes |\n\n| Thomson Reuters | ONESOURCE | Yes | Yes | Yes | Yes | Yes |\n\n| VT Software Limited | VT Filer | Yes | Yes | Yes | Yes | Yes |\n\n| Xero | Xero Tax | Yes | Yes | Yes | Yes | - |\n\n## Software for Limited Liability Partnerships (LLPs)\n\n| Supplier | Product |\n\n| Acorah Software Products Ltd | TaxCalc Accounts Production |\n\n| BTCSoftware Limited | AP Solution |\n\n| CaseWare UK | CaseWare Accounts Production |\n\n| CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag |\n\n| CCH Software (Wolters Kluwer) | CCH Accounts Production |\n\n| CoreFiling Limited | Seahorse |\n\n| Eureka Software | Eureka Software |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC |\n\n| gbooks | gbooks Company Accounts |\n\n| IRIS Software | IRIS Accounts Production |\n\n| IRIS Software | PTP Accounts Production |\n\n| Keytime | Accounts Production |\n\n| Sage (UK) Limited | Sage Accounts Production |\n\n| Sage (UK) Limited | Sage Accountant Cloud - Final Accounts |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced |\n\n| Taxfiler | Taxfiler Accounts Production |\n\n| Thomson Reuters | Digita |\n\n| VT Software Limited | VT Filer |\n\n## Software for charities\n\n| Supplier | Product |\n\n| BTCSoftware Limited | AP Solution |\n\n| CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag |\n\n| CCH Software (Wolters Kluwer) | CCH Accounts Production |\n\n| CoreFiling Limited | Seahorse |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC |\n\n| IRIS Software | IRIS Accounts Production |\n\n| IRIS Software | PTP Accounts Production |\n\n| Keytime | Accounts Production |\n\n| Sage (UK) Limited | Sage Accounts Production |\n\n| Sage (UK) Limited | Sage Accountant Cloud - Final Accounts |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced |\n\n## Uploading your accounts to Companies House\n\nTax account software generates electronic accounts in Inline eXtensible Reporting Language (iXBRL).\n\nThe following software has a direct filing link to Companies House:\n\n| Supplier | Product |\n\n| eFile Ready Limited | eCompany Services |\n\nThe following software can validate your iXBRL:\n\n| Supplier | Product |\n\n| Xmetric Limited | Surefile Accounts |\n\n## Filing other company information\n\nCompanies House has tested and authorised software for filing information about:\n\n- incorporations (registering a new company)\n\n- changes to your company, for example directors joining or leaving, changing a registered address, and filing annual returns\n\n- mortgages, for example when they\u2019re paid or part-paid\n\nYou should consider which features you need and make sure the software you choose has those features.\n\n| Supplier | Product(s) | Incorporations | Secretarial | Mortgages |\n\n| 121 Company Formation Ltd | 121 Company Formation | Yes | Yes | No |\n\n| Acorah Software Products Ltd | TaxCalc Company Secretarial | Yes | Yes | No |\n\n| Advanced | Cloud Forms (Laserform Hub) | No | Yes | MR01, MR02, MR04 and MR05 |\n\n| angelPRO Limited | VenturePro | No | Yes | No |\n\n| Anglia Registrars Ltd | Inform Direct | Yes | Yes | Yes |\n\n| BGL Corporate Solutions Ptd Ltd | Corporate Affairs System (CAS) | Yes | Yes | No |\n\n| BHIS Limited | PC Share Register Plus | Yes | Yes | No |\n\n| BritDAQ | BritDAQ Cosec | No | Yes | No |\n\n| BTC Software Limited | CS Solution | Yes | Yes | No |\n\n| Build and Prosper Ltd | File Direct 6 | Yes | Yes | No |\n\n| CFS International Formations LTD | CFS Formations and Free Secretarial Package | Yes | Yes | No |\n\n| The Company Formation Wizard | Company Formation Wizard | Yes | Yes | No |\n\n| Computershare Governance Services | Global Entity Management System (GEMS), Secretariat One (S1) | Yes | Yes | No |\n\n| Corporatek | EnGlobe, GlobalAct | No | Yes | No |\n\n| Diligent Entities | Blueprint | Yes | Yes | MR04, MR05 only |\n\n| Efaze Ltd BVI | Efaze.com company formations | Yes | Yes | No |\n\n| eFile Ready Limited | eCompany Services | Yes | Yes | No |\n\n| E Filing Limited | E Filing Limited | Yes | Yes | No |\n\n| First Corporate | First Order | Yes | Yes | No |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC | Yes | Yes | No |\n\n| Formations Direct | Vectis | Yes | Yes | No |\n\n| FormEvo | FormEvo | No | Yes | MR01, MR02, MR04 and MR05 |\n\n| gbooks | gbooks Company Forms, gbooks Incorporation | Yes | Yes | No |\n\n| Info Commerce Limited | Acs1, Sec1, Inc1 | Yes | Yes | No |\n\n| IRIS Software | IRIS Accountancy Suite | Yes | Yes | No |\n\n| Jordans Limited | Incorporator, Forming Companies, My Formations, PCSec administration software | Yes | Yes | No |\n\n| Keytime Objective Ltd | Company Secretarial | No | Yes | No |\n\n| Kudocs | Kudocs | Yes | Yes | No |\n\n| LTDONLINE Ltd | LTDONLINE | Yes | Yes | No |\n\n| Online Filings Ltd | Online Filings | Yes | Yes | No |\n\n| Oswalds (Jordans [Scotland] Ltd) | Incorporator, Forming Companies, PCSec administration software | Yes | Yes | No |\n\n| Oyez | The Oyez Gateway | No | No | Yes |\n\n| Panlegis (Malta) Limited | Panlegis (Malta) Limited | Yes | Yes | No |\n\n| Principal Consultancy Ltd | Your Limited Company | Yes | Yes | No |\n\n| Armadillo | Armadillo e-Incorp | Yes | Yes | No |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced, Sage Company Secretarial | No | Yes | No |\n\n| Thomson Reuters | Onvio Formations | Yes | No | No |\n\n| zetVisions AG | zetVisions CIM | No | Yes | No |", + "original_contents": [ + "

    Overview

    ", + "

    You can use software to file your company accounts, file changes to your details and returns to Companies House electronically.

    ", + "

    You can also file your annual accounts and confirmation statement (previously annual return) with Companies House online.

    ", + "

    Using software or filing online you\u2019ll:

    ", + "
  • be less likely to get late filing penalties
  • ", + "
  • get confirmation that your documents have been received
  • ", + "
  • find out if they\u2019re accepted or rejected
  • ", + "

    How to file electronically

    ", + "

    You must register for an online filing account - fill in the online filing credit account application form and send it to the address on the form.

    ", + "

    You can then either:

    ", + "
  • get a software package from a Companies House (and HMRC) authorised provider
  • ", + "
  • develop your own software - request a copy of the Companies House technical specifications by emailing xml@companieshouse.gov.uk
  • ", + "

    Filing annual accounts, returns and tax accounts

    ", + "

    Companies House has tested the software listed.

    ", + "

    You should consider which features you need and make sure the software you choose has those features, for example if you need software to deal with inactive accounts (sometimes called \u2018dormant accounts\u2019).

    ", + "

    You must first register as an electronic filer.

    ", + "

    The following is a list of software and the kinds of accounts you can use it for.

    ", + "Supplier | Product | Dormant | Micro Entity | Abridged | Small | Full", + "Ajaccts | AJACCTS | Yes | Yes | - | - | -", + "Acorah Software Products Ltd | TaxCalc Accounts Production | Yes | Yes | Yes | Yes | Yes", + "Anglia Registrars Ltd | Inform Direct | Yes | Yes | - | - | -", + "BTCSoftware Limited | AP Solution | Yes | Yes | Yes | Yes | Yes", + "Capium Limited | Capium Accounts Production | Yes | - | Yes | - | -", + "CaseWare UK | CaseWare Accounts Production | Yes | Yes | Yes | Yes | Yes", + "CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag | Yes | Yes | Yes | Yes | Yes", + "CCH Software (Wolters Kluwer) | CCH Accounts Production | Yes | Yes | Yes | Yes | Yes", + "CoreFiling Limited | Seahorse | Yes | Yes | Yes | Yes | Yes", + "Easy Digital Filing | Easy Digital Filing | Yes | Yes | Yes | Yes | -", + "Eureka Software | Eureka Software | - | Yes | Yes | Yes | -", + "Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC | Yes | Yes | - | Yes | Yes", + "gbooks | gbooks Company Accounts | Yes | Yes | - | Yes | Yes", + "IRIS Software | IRIS Accounts Production | Yes | Yes | Yes | Yes | Yes", + "IRIS Software | PTP Accounts Production | Yes | Yes | Yes | Yes | Yes", + "Keytime | Accounts Production | Yes | Yes | Yes | Yes | Yes", + "Quality Management Software Ltd | CT600CH | Yes | Yes | Yes | Yes | Yes", + "Sage (UK) Limited | Sage Accounts Production | Yes | Yes | Yes | Yes | Yes", + "Sage (UK) Limited | Sage Accountant Cloud - Final Accounts | Yes | Yes | Yes | Yes | Yes", + "Sage (UK) Limited | Sage Accounts Production Advanced | Yes | Yes | Yes | Yes | Yes", + "Taxfiler | Taxfiler Accounts Production | Yes | Yes | Yes | Yes | -", + "Thomson Reuters | Digita | Yes | Yes | Yes | Yes | Yes", + "Thomson Reuters | ONESOURCE | Yes | Yes | Yes | Yes | Yes", + "VT Software Limited | VT Filer | Yes | Yes | Yes | Yes | Yes", + "Xero | Xero Tax | Yes | Yes | Yes | Yes | -", + "

    Software for Limited Liability Partnerships (LLPs)

    ", + "Supplier | Product", + "Acorah Software Products Ltd | TaxCalc Accounts Production", + "BTCSoftware Limited | AP Solution", + "CaseWare UK | CaseWare Accounts Production", + "CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag", + "CCH Software (Wolters Kluwer) | CCH Accounts Production", + "CoreFiling Limited | Seahorse", + "Eureka Software | Eureka Software", + "Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC", + "gbooks | gbooks Company Accounts", + "IRIS Software | IRIS Accounts Production", + "IRIS Software | PTP Accounts Production", + "Keytime | Accounts Production", + "Sage (UK) Limited | Sage Accounts Production", + "Sage (UK) Limited | Sage Accountant Cloud - Final Accounts", + "Sage (UK) Limited | Sage Accounts Production Advanced", + "Taxfiler | Taxfiler Accounts Production", + "Thomson Reuters | Digita", + "VT Software Limited | VT Filer", + "

    Software for charities

    ", + "Supplier | Product", + "BTCSoftware Limited | AP Solution", + "CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag", + "CCH Software (Wolters Kluwer) | CCH Accounts Production", + "CoreFiling Limited | Seahorse", + "Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC", + "IRIS Software | IRIS Accounts Production", + "IRIS Software | PTP Accounts Production", + "Keytime | Accounts Production", + "Sage (UK) Limited | Sage Accounts Production", + "Sage (UK) Limited | Sage Accountant Cloud - Final Accounts", + "Sage (UK) Limited | Sage Accounts Production Advanced", + "

    Uploading your accounts to Companies House

    ", + "

    Tax account software generates electronic accounts in Inline eXtensible Reporting Language (iXBRL).

    ", + "

    The following software has a direct filing link to Companies House:

    ", + "Supplier | Product", + "eFile Ready Limited | eCompany Services", + "

    The following software can validate your iXBRL:

    ", + "Supplier | Product", + "Xmetric Limited | Surefile Accounts", + "

    Filing other company information

    ", + "

    Companies House has tested and authorised software for filing information about:

    ", + "
  • incorporations (registering a new company)
  • ", + "
  • changes to your company, for example directors joining or leaving, changing a registered address, and filing annual returns
  • ", + "
  • mortgages, for example when they\u2019re paid or part-paid
  • ", + "

    You should consider which features you need and make sure the software you choose has those features.

    ", + "Supplier | Product(s) | Incorporations | Secretarial | Mortgages", + "121 Company Formation Ltd | 121 Company Formation | Yes | Yes | No", + "Acorah Software Products Ltd | TaxCalc Company Secretarial | Yes | Yes | No", + "Advanced | Cloud Forms (Laserform Hub) | No | Yes | MR01, MR02, MR04 and MR05", + "angelPRO Limited | VenturePro | No | Yes | No", + "Anglia Registrars Ltd | Inform Direct | Yes | Yes | Yes", + "BGL Corporate Solutions Ptd Ltd | Corporate Affairs System (CAS) | Yes | Yes | No", + "BHIS Limited | PC Share Register Plus | Yes | Yes | No", + "BritDAQ | BritDAQ Cosec | No | Yes | No", + "BTC Software Limited | CS Solution | Yes | Yes | No", + "Build and Prosper Ltd | File Direct 6 | Yes | Yes | No", + "CFS International Formations LTD | CFS Formations and Free Secretarial Package | Yes | Yes | No", + "The Company Formation Wizard | Company Formation Wizard | Yes | Yes | No", + "Computershare Governance Services | Global Entity Management System (GEMS), Secretariat One (S1) | Yes | Yes | No", + "Corporatek | EnGlobe, GlobalAct | No | Yes | No", + "Diligent Entities | Blueprint | Yes | Yes | MR04, MR05 only", + "Efaze Ltd BVI | Efaze.com company formations | Yes | Yes | No", + "eFile Ready Limited | eCompany Services | Yes | Yes | No", + "E Filing Limited | E Filing Limited | Yes | Yes | No", + "First Corporate | First Order | Yes | Yes | No", + "Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC | Yes | Yes | No", + "Formations Direct | Vectis | Yes | Yes | No", + "FormEvo | FormEvo | No | Yes | MR01, MR02, MR04 and MR05", + "gbooks | gbooks Company Forms, gbooks Incorporation | Yes | Yes | No", + "Info Commerce Limited | Acs1, Sec1, Inc1 | Yes | Yes | No", + "IRIS Software | IRIS Accountancy Suite | Yes | Yes | No", + "Jordans Limited | Incorporator, Forming Companies, My Formations, PCSec administration software | Yes | Yes | No", + "Keytime Objective Ltd | Company Secretarial | No | Yes | No", + "Kudocs | Kudocs | Yes | Yes | No", + "LTDONLINE Ltd | LTDONLINE | Yes | Yes | No", + "Online Filings Ltd | Online Filings | Yes | Yes | No", + "Oswalds (Jordans [Scotland] Ltd) | Incorporator, Forming Companies, PCSec administration software | Yes | Yes | No", + "Oyez | The Oyez Gateway | No | No | Yes", + "Panlegis (Malta) Limited | Panlegis (Malta) Limited | Yes | Yes | No", + "Principal Consultancy Ltd | Your Limited Company | Yes | Yes | No", + "Armadillo | Armadillo e-Incorp | Yes | Yes | No", + "Sage (UK) Limited | Sage Accounts Production Advanced, Sage Company Secretarial | No | Yes | No", + "Thomson Reuters | Onvio Formations | Yes | No | No", + "zetVisions AG | zetVisions CIM | No | Yes | No" + ] + }, + "https://www.gov.uk/cartels-price-fixing": { + "url": "https://www.gov.uk/cartels-price-fixing", + "title": "Avoid and report anti-competitive activity", + "content": "## Overview\n\nAll businesses, whatever their size, must understand how they\u2019re affected by competition law.\n\nYou must follow the rules on all types of anti-competitive activity including:\n\n- price fixing, bid rigging and other ways of agreeing not to compete (sometimes called \u2018cartels\u2019)\n\n- abuse of a dominant market position\n\nYou should manage the risk of breaking the law, for example by having clear policies, guidelines and training for your staff.\n\nYou can report anti-competitive activity if you think another business is breaking the law, or if you might have been involved yourself.\n\n## If you\u2019re involved in anti-competitive activity\n\nYour business can be fined up to 10% of its worldwide turnover and sued for damages.\n\nYou can be fined or sent to prison for up to 5 years if you\u2019re found guilty of being involved in cartel activity.\n\nCompany directors can be disqualified from being a director for up to 15 years.\n\nGet legal advice or contact the Competition Pro Bono Scheme if you think something your business is doing might break the law.\n\n## Types of anti-competitive activity\n\nYou must avoid all types of anti-competitive activity in your business including:\n\n- agreeing not to compete with another business\n\n- abusing a dominant position\n\nYou can report anti-competitive activity if you see it.\n\n## Agreeing not to compete with another business (\u2018cartels\u2019)\n\nIf 2 or more businesses agree not to compete with each other in certain ways, it\u2019s called a \u2018cartel\u2019.\n\nThe rules on cartels apply to businesses of any size.\n\nRules about cartels cover:\n\n- price fixing\n\n- bid rigging\n\n- sharing markets or customers\n\n- sharing commercially sensitive information\n\nAn agreement does not have to be in writing for it to be illegal. You can break the law if you have an informal conversation (or \u2018gentleman\u2019s agreement\u2019) with another business, even if the agreement is not carried out.\n\nYou can work with other businesses without breaking competition law. Get legal advice or contact the Competition Pro Bono Scheme if you need to, and make sure you manage any risks.\n\n## Price fixing\n\nYou must not discuss the prices you\u2019re going to charge your customers with your competitors.\n\nYou\u2019ll be breaking the law if you agree with another business:\n\n- to charge the same prices to your customers\n\n- to offer discounts or increase your prices at the same time\n\n- to charge the same fees to intermediaries, for example retailers selling your products\n\n## Bid rigging\n\nYou cannot discuss bids for a contract tender with your competitors. Bid rigging includes:\n\n- agreeing with your competitors how much you\u2019ll bid for a contract or share information about your bid\n\n- taking turns to win contracts\n\n- asking other businesses to bid when they do not want the contract (called \u2018cover bids\u2019)\n\n- paying other businesses not to bid or when you win a tender\n\n- agreeing with other businesses not to bid or to withdrawing your bid\n\n## Market sharing\n\nYou cannot agree with other businesses to share markets or customers. You\u2019ll be breaking competition law if you agree with another business:\n\n- not to approach each other\u2019s customers\n\n- not to compete with them for customers, for example in specific locations\n\n## Sharing information\n\nYou cannot share information with other businesses that might reduce competition between you, for example information about:\n\n- prices\n\n- production\n\n- your suppliers, customers or contractors\n\n- the markets you sell or plan to sell to\n\nThis includes sharing information through a third party, for example a trade association.\n\n## Abusing a dominant position\n\nYour business might have a \u2018dominant position\u2019 in the market if:\n\n- it has more than a 40% market share\n\n- it\u2019s not affected by normal competitive restraints\n\nYou might be abusing your dominant position if you\u2019re unfair to your customers or other businesses, for example you:\n\n- treat customers differently, for example by offering different prices or terms to similar customers\n\n- make customers buy products they do not want, for example forcing them to take warranties for electrical products\n\n- charge low prices that do not cover your costs so you drive out competitors\n\nIf you think you have a dominant market position, get legal advice or contact the Competition Pro Bono Scheme to find out what you can and cannot do.\n\n## Other anti-competitive activities\n\nYou must avoid other activities that break competition law, eg:\n\n- buying or selling jointly with your competitors\n\n- agreeing with your competitors to reduce production of something to raise its market value\n\n- restricting how much other businesses can sell your product for\n\n- agreeing with your competitors not to sell to certain customers or deal with certain suppliers\n\n- having long-term exclusive contracts with any customers or suppliers\n\n## Manage risk\n\nThe people who run your business are responsible for ensuring it does not break competition law. You should:\n\n- work out where your business is at risk and how serious any risks are\n\n- set up policies, guidelines and training for your staff if you need to\n\nYour business can still be given a penalty and sued for damages even if your senior managers did not know about the illegal activity.\n\n## Work out if your business is at risk\n\nYou\u2019re more likely to be at risk if:\n\n- you or your employees have contact with your competitors, for example at conferences or trade association meetings\n\n- your employees regularly move to or from jobs with your competitors\n\n- you have partnerships with your competitors, for example joint buying or selling\n\n- you have any long-term exclusive contracts with any customers or suppliers\n\n- your business has a dominant position in any market where you do business\n\n## Set up policies, guidelines and training\n\nYou should ask a senior member of staff, for example a director, to make sure your employees know how to avoid and report anti-competitive behaviour.\n\nThere\u2019s further guidance from the Competition and Markets Authority (CMA) on reducing the risk of your business breaking the law.\n\n## Report anti-competitive activity\n\nThe way you report anti-competitive activity depends on the type of activity.\n\n## Report a cartel\n\nA cartel is where two or more businesses agree not to compete with each other, for example by sharing a market or fixing prices.\n\nContact the Competition and Markets Authority (CMA) cartels hotline if you:\n\n- know about a cartel\n\n- have been involved in one\n\nYou may:\n\n- get a financial reward for information that leads to an investigation\n\n- be treated with leniency if you report a cartel you\u2019ve been involved with\n\n## Report other anti-competitive activity\n\nTell the CMA if you have concerns about anti-competitive activity. Email general.enquiries@cma.gov.uk with the following information:\n\n- your contact details\n\n- the business you have concerns about and a description of the issue along with any supporting evidence\n\n- the market area according to the UK Standard Classification Index\n\n- details of any other organisations you have contacted\n\nIf you want help with a consumer problem, contact Citizens Advice (or the Financial Conduct Authority for consumer credit-related issues).\n\n## Report your concerns to an industry regulator\n\nYou can also report concerns about anti-competitive activity in certain sectors to a regulator. These are:\n\n- Civil Aviation Authority for airports and air traffic services\n\n- Financial Conduct Authority for financial services in the UK\n\n- Monitor for health services in England\n\n- Ofcom for television, radio, telephone, postal and internet services\n\n- Ofgem for gas and electricity in England, Wales and Scotland\n\n- Ofwat for water and sewage services in England and Wales\n\n- Office of Road and Rail for railways in England, Wales and Scotland\n\n- Payment Systems Regulator for payment systems in the UK\n\n- Utility Regulator for gas, electricity, water and sewerage in Northern Ireland", + "original_contents": [ + "

    Overview

    ", + "

    All businesses, whatever their size, must understand how they\u2019re affected by competition law.

    ", + "

    You must follow the rules on all types of anti-competitive activity including:

    ", + "
  • price fixing, bid rigging and other ways of agreeing not to compete (sometimes called \u2018cartels\u2019)
  • ", + "
  • abuse of a dominant market position
  • ", + "

    You should manage the risk of breaking the law, for example by having clear policies, guidelines and training for your staff.

    ", + "

    You can report anti-competitive activity if you think another business is breaking the law, or if you might have been involved yourself.

    ", + "

    If you\u2019re involved in anti-competitive activity

    ", + "

    Your business can be fined up to 10% of its worldwide turnover and sued for damages.

    ", + "

    You can be fined or sent to prison for up to 5 years if you\u2019re found guilty of being involved in cartel activity.

    ", + "

    Company directors can be disqualified from being a director for up to 15 years.

    ", + "

    Get legal advice or contact the Competition Pro Bono Scheme if you think something your business is doing might break the law.

    ", + "

    Types of anti-competitive activity

    ", + "

    You must avoid all types of anti-competitive activity in your business including:

    ", + "
  • agreeing not to compete with another business
  • ", + "
  • abusing a dominant position
  • ", + "

    You can report anti-competitive activity if you see it.

    ", + "

    Agreeing not to compete with another business (\u2018cartels\u2019)

    ", + "

    If 2 or more businesses agree not to compete with each other in certain ways, it\u2019s called a \u2018cartel\u2019.

    ", + "

    The rules on cartels apply to businesses of any size.

    ", + "

    Rules about cartels cover:

    ", + "
  • price fixing
  • ", + "
  • bid rigging
  • ", + "
  • sharing markets or customers
  • ", + "
  • sharing commercially sensitive information
  • ", + "

    An agreement does not have to be in writing for it to be illegal. You can break the law if you have an informal conversation (or \u2018gentleman\u2019s agreement\u2019) with another business, even if the agreement is not carried out.

    ", + "

    You can work with other businesses without breaking competition law. Get legal advice or contact the Competition Pro Bono Scheme if you need to, and make sure you manage any risks.

    ", + "

    Price fixing

    ", + "

    You must not discuss the prices you\u2019re going to charge your customers with your competitors.

    ", + "

    You\u2019ll be breaking the law if you agree with another business:

    ", + "
  • to charge the same prices to your customers
  • ", + "
  • to offer discounts or increase your prices at the same time
  • ", + "
  • to charge the same fees to intermediaries, for example retailers selling your products
  • ", + "

    Bid rigging

    ", + "

    You cannot discuss bids for a contract tender with your competitors. Bid rigging includes:

    ", + "
  • agreeing with your competitors how much you\u2019ll bid for a contract or share information about your bid
  • ", + "
  • taking turns to win contracts
  • ", + "
  • asking other businesses to bid when they do not want the contract (called \u2018cover bids\u2019)
  • ", + "
  • paying other businesses not to bid or when you win a tender
  • ", + "
  • agreeing with other businesses not to bid or to withdrawing your bid
  • ", + "

    Market sharing

    ", + "

    You cannot agree with other businesses to share markets or customers. You\u2019ll be breaking competition law if you agree with another business:

    ", + "
  • not to approach each other\u2019s customers
  • ", + "
  • not to compete with them for customers, for example in specific locations
  • ", + "

    Sharing information

    ", + "

    You cannot share information with other businesses that might reduce competition between you, for example information about:

    ", + "
  • prices
  • ", + "
  • production
  • ", + "
  • your suppliers, customers or contractors
  • ", + "
  • the markets you sell or plan to sell to
  • ", + "

    This includes sharing information through a third party, for example a trade association.

    ", + "

    Abusing a dominant position

    ", + "

    Your business might have a \u2018dominant position\u2019 in the market if:

    ", + "
  • it has more than a 40% market share
  • ", + "
  • it\u2019s not affected by normal competitive restraints
  • ", + "

    You might be abusing your dominant position if you\u2019re unfair to your customers or other businesses, for example you:

    ", + "
  • treat customers differently, for example by offering different prices or terms to similar customers
  • ", + "
  • make customers buy products they do not want, for example forcing them to take warranties for electrical products
  • ", + "
  • charge low prices that do not cover your costs so you drive out competitors
  • ", + "

    If you think you have a dominant market position, get legal advice or contact the Competition Pro Bono Scheme to find out what you can and cannot do.

    ", + "

    Other anti-competitive activities

    ", + "

    You must avoid other activities that break competition law, eg:

    ", + "
  • buying or selling jointly with your competitors
  • ", + "
  • agreeing with your competitors to reduce production of something to raise its market value
  • ", + "
  • restricting how much other businesses can sell your product for
  • ", + "
  • agreeing with your competitors not to sell to certain customers or deal with certain suppliers
  • ", + "
  • having long-term exclusive contracts with any customers or suppliers
  • ", + "

    Manage risk

    ", + "

    The people who run your business are responsible for ensuring it does not break competition law. You should:

    ", + "
  • work out where your business is at risk and how serious any risks are
  • ", + "
  • set up policies, guidelines and training for your staff if you need to
  • ", + "

    Your business can still be given a penalty and sued for damages even if your senior managers did not know about the illegal activity.

    ", + "

    Work out if your business is at risk

    ", + "

    You\u2019re more likely to be at risk if:

    ", + "
  • you or your employees have contact with your competitors, for example at conferences or trade association meetings
  • ", + "
  • your employees regularly move to or from jobs with your competitors
  • ", + "
  • you have partnerships with your competitors, for example joint buying or selling
  • ", + "
  • you have any long-term exclusive contracts with any customers or suppliers
  • ", + "
  • your business has a dominant position in any market where you do business
  • ", + "

    Set up policies, guidelines and training

    ", + "

    You should ask a senior member of staff, for example a director, to make sure your employees know how to avoid and report anti-competitive behaviour.

    ", + "

    There\u2019s further guidance from the Competition and Markets Authority (CMA) on reducing the risk of your business breaking the law.

    ", + "

    Report anti-competitive activity

    ", + "

    The way you report anti-competitive activity depends on the type of activity.

    ", + "

    Report a cartel

    ", + "

    A cartel is where two or more businesses agree not to compete with each other, for example by sharing a market or fixing prices.

    ", + "

    Contact the Competition and Markets Authority (CMA) cartels hotline if you:

    ", + "
  • know about a cartel
  • ", + "
  • have been involved in one
  • ", + "

    You may:

    ", + "
  • get a financial reward for information that leads to an investigation
  • ", + "
  • be treated with leniency if you report a cartel you\u2019ve been involved with
  • ", + "

    Report other anti-competitive activity

    ", + "

    Tell the CMA if you have concerns about anti-competitive activity. Email general.enquiries@cma.gov.uk with the following information:

    ", + "
  • your contact details
  • ", + "
  • the business you have concerns about and a description of the issue along with any supporting evidence
  • ", + "
  • the market area according to the UK Standard Classification Index
  • ", + "
  • details of any other organisations you have contacted
  • ", + "

    If you want help with a consumer problem, contact Citizens Advice (or the Financial Conduct Authority for consumer credit-related issues).

    ", + "

    Report your concerns to an industry regulator

    ", + "

    You can also report concerns about anti-competitive activity in certain sectors to a regulator. These are:

    ", + "
  • Civil Aviation Authority for airports and air traffic services
  • ", + "
  • Financial Conduct Authority for financial services in the UK
  • ", + "
  • Monitor for health services in England
  • ", + "
  • Ofcom for television, radio, telephone, postal and internet services
  • ", + "
  • Ofgem for gas and electricity in England, Wales and Scotland
  • ", + "
  • Ofwat for water and sewage services in England and Wales
  • ", + "
  • Office of Road and Rail for railways in England, Wales and Scotland
  • ", + "
  • Payment Systems Regulator for payment systems in the UK
  • ", + "
  • Utility Regulator for gas, electricity, water and sewerage in Northern Ireland
  • " + ] + }, + "https://www.gov.uk/directors-loans": { + "url": "https://www.gov.uk/directors-loans", + "title": "Director's loans", + "content": "## Overview\n\nA director\u2019s loan is when you (or other close family members) get money from your company that is not:\n\n- a salary, dividend or expense repayment\n\n- money you\u2019ve previously paid into or loaned the company\n\n## Records you must keep\n\nYou must keep a record of any money you borrow from or pay into the company - this record is usually known as a \u2018director\u2019s loan account\u2019.\n\n## At the end of your company\u2019s financial year\n\nInclude any money you owe the company or the company owes you on the \u2018balance sheet\u2019 in your annual accounts.\n\n## Tax on loans\n\nYou may have to pay tax on director\u2019s loans. Your company may also have to pay tax if you\u2019re a shareholder (sometimes called a \u2018participator\u2019) as well as a director.\n\nYour personal and company tax responsibilities depend on whether the director\u2019s loan account is:\n\n- overdrawn - you owe the company\n\n- in credit - the company owes you\n\n## If you owe your company money\n\nYou or your company may have to pay tax if you take a director\u2019s loan.\n\nYour personal and company tax responsibilities depend on how the loan is settled. You also need to check if you have extra tax responsibilities if:\n\n- the loan was more than \u00a310,000 (\u00a35,000 in 2013-14)\n\n- you paid your company interest on the loan below the official rate\n\n| | Your company\u2019s responsibilities if you\u2019re a shareholder and director | Your personal responsibilities when you get a director\u2019s loan |\n\n| You repay the loan within 9 months of the end of your Corporation Tax accounting period | Use form CT600A when you prepare your Company Tax Return to show the amount owed at the end of the accounting period.If the loan was more than \u00a35,000 (and you took another loan of \u00a35,000 or more up to 30 days before or after you repaid it) pay Corporation Tax at 32.5% of the original loan, or 25% if the loan was made before 6 April 2016. After you permanently repay the original loan, you can reclaim the Corporation Tax - but not interest.If the loan was more than \u00a315,000 (and you arranged another loan when you repaid it) pay Corporation Tax at 32.5% of the original loan, or 25% if the loan was made before 6 April 2016. After you permanently repay the original loan, you can reclaim the Corporation Tax - but not interest. | No responsibilities |\n\n| You do not repay the loan within 9 months of the end of your Corporation Tax accounting period | Use form CT600A when you prepare your Company Tax Return to show the amount owed at the end of the accounting period. Pay Corporation Tax at 32.5% of the outstanding amount, or 25% if the loan was made before 6 April 2016. Interest on this Corporation Tax will be added until the Corporation Tax is paid or the loan is repaid. You can reclaim the Corporation Tax - but not interest. | No responsibilities |\n\n| The loan is \u2018written off\u2019 or \u2018released\u2019 (not repaid) | Deduct Class 1 National Insurance through the company\u2019s payroll. | Pay Income Tax on the loan through a Self Assessment tax return |\n\n## If the loan was more than \u00a310,000 (\u00a35,000 in 2013-14)\n\nIf you\u2019re a shareholder and director and you owe your company more than \u00a310,000 (\u00a35,000 in 2013 to 2014) at any time in the year, your company must:\n\n- treat the loan as a \u2018benefit in kind\u2019\n\n- deduct Class 1 National Insurance\n\nYou must report the loan on a personal Self Assessment tax return. You may have to pay tax on the loan at the official rate of interest.\n\n## If you paid interest below the official rate\n\nIf you\u2019re a shareholder and director, your company must:\n\n- record interest you pay below the official rate as company income\n\n- treat the discounted interest as a \u2018benefit in kind\u2019\n\nYou must report the interest on a personal Self Assessment tax return. You may have to pay tax on the difference between the official rate and the rate you paid.\n\n## Reclaim Corporation Tax\n\nYour company can reclaim the Corporation Tax it pays on a director\u2019s loan that\u2019s been repaid, written off or released. You cannot reclaim any interest paid on the Corporation Tax.\n\nClaim after the relief is due - this is 9 months and 1 day after the end of the Corporation Tax accounting period when the loan was repaid, written off or released. You will not be repaid before this.\n\nYou must claim within 4 years (or 6 years if the loan was repaid on or before 31 March 2010).\n\n## Reclaiming within 2 years\n\nIf you\u2019re reclaiming within 2 years of the end of the accounting period when the loan was taken out, use form CT600A to claim when you prepare a Company Tax Return for that accounting period or amend it online.\n\nUse form L2P with your Company Tax Return instead if either:\n\n- your tax return is for a different accounting period than the one when the loan was taken out\n\n- you\u2019re amending your tax return in writing\n\nTell HMRC how you want the repayment in your Company Tax Return.\n\n## Reclaiming after 2 years\n\nIf you\u2019re reclaiming 2 years or more after the end of the accounting period when the loan was taken out, fill in form L2P and either include it with your latest Company Tax Return or post it separately.\n\nHMRC will repay your company by either:\n\n- using the details you gave in your latest Company Tax Return\n\n- sending a cheque to your company\u2019s registered office address\n\n## If you lend your company money\n\nYour company does not pay Corporation Tax on money you lend it.\n\n## If you charge interest\n\nInterest you charge your company on a loan counts as both:\n\n- a business expense for your company\n\n- personal income for you\n\nYou must report the income on a personal Self Assessment tax return.\n\nYour company must:\n\n- pay you the interest less Income Tax at the basic rate of 20%\n\n- report and pay the Income Tax every quarter using form CT61\n\nYou can request form CT61 online or call HM Revenue and Customs.", + "original_contents": [ + "

    Overview

    ", + "

    A director\u2019s loan is when you (or other close family members) get money from your company that is not:

    ", + "
  • a salary, dividend or expense repayment
  • ", + "
  • money you\u2019ve previously paid into or loaned the company
  • ", + "

    Records you must keep

    ", + "

    You must keep a record of any money you borrow from or pay into the company - this record is usually known as a \u2018director\u2019s loan account\u2019.

    ", + "

    At the end of your company\u2019s financial year

    ", + "

    Include any money you owe the company or the company owes you on the \u2018balance sheet\u2019 in your annual accounts.

    ", + "

    Tax on loans

    ", + "

    You may have to pay tax on director\u2019s loans. Your company may also have to pay tax if you\u2019re a shareholder (sometimes called a \u2018participator\u2019) as well as a director.

    ", + "

    Your personal and company tax responsibilities depend on whether the director\u2019s loan account is:

    ", + "
  • overdrawn - you owe the company
  • ", + "
  • in credit - the company owes you
  • ", + "

    If you owe your company money

    ", + "

    You or your company may have to pay tax if you take a director\u2019s loan.

    ", + "

    Your personal and company tax responsibilities depend on how the loan is settled. You also need to check if you have extra tax responsibilities if:

    ", + "
  • the loan was more than \u00a310,000 (\u00a35,000 in 2013-14)
  • ", + "
  • you paid your company interest on the loan below the official rate
  • ", + " | Your company\u2019s responsibilities if you\u2019re a shareholder and director | Your personal responsibilities when you get a director\u2019s loan", + "You repay the loan within 9 months of the end of your Corporation Tax accounting period | Use form CT600A when you prepare your Company Tax Return to show the amount owed at the end of the accounting period.If the loan was more than \u00a35,000 (and you took another loan of \u00a35,000 or more up to 30 days before or after you repaid it) pay Corporation Tax at 32.5% of the original loan, or 25% if the loan was made before 6 April 2016. After you permanently repay the original loan, you can reclaim the Corporation Tax - but not interest.If the loan was more than \u00a315,000 (and you arranged another loan when you repaid it) pay Corporation Tax at 32.5% of the original loan, or 25% if the loan was made before 6 April 2016. After you permanently repay the original loan, you can reclaim the Corporation Tax - but not interest. | No responsibilities", + "You do not repay the loan within 9 months of the end of your Corporation Tax accounting period | Use form CT600A when you prepare your Company Tax Return to show the amount owed at the end of the accounting period. Pay Corporation Tax at 32.5% of the outstanding amount, or 25% if the loan was made before 6 April 2016. Interest on this Corporation Tax will be added until the Corporation Tax is paid or the loan is repaid. You can reclaim the Corporation Tax - but not interest. | No responsibilities", + "The loan is \u2018written off\u2019 or \u2018released\u2019 (not repaid) | Deduct Class 1 National Insurance through the company\u2019s payroll. | Pay Income Tax on the loan through a Self Assessment tax return", + "

    If the loan was more than \u00a310,000 (\u00a35,000 in 2013-14)

    ", + "

    If you\u2019re a shareholder and director and you owe your company more than \u00a310,000 (\u00a35,000 in 2013 to 2014) at any time in the year, your company must:

    ", + "
  • treat the loan as a \u2018benefit in kind\u2019
  • ", + "
  • deduct Class 1 National Insurance
  • ", + "

    You must report the loan on a personal Self Assessment tax return. You may have to pay tax on the loan at the official rate of interest.

    ", + "

    If you paid interest below the official rate

    ", + "

    If you\u2019re a shareholder and director, your company must:

    ", + "
  • record interest you pay below the official rate as company income
  • ", + "
  • treat the discounted interest as a \u2018benefit in kind\u2019
  • ", + "

    You must report the interest on a personal Self Assessment tax return. You may have to pay tax on the difference between the official rate and the rate you paid.

    ", + "

    Reclaim Corporation Tax

    ", + "

    Your company can reclaim the Corporation Tax it pays on a director\u2019s loan that\u2019s been repaid, written off or released. You cannot reclaim any interest paid on the Corporation Tax.

    ", + "

    Claim after the relief is due - this is 9 months and 1 day after the end of the Corporation Tax accounting period when the loan was repaid, written off or released. You will not be repaid before this.

    ", + "

    You must claim within 4 years (or 6 years if the loan was repaid on or before 31 March 2010).

    ", + "

    Reclaiming within 2 years

    ", + "

    If you\u2019re reclaiming within 2 years of the end of the accounting period when the loan was taken out, use form CT600A to claim when you prepare a Company Tax Return for that accounting period or amend it online.

    ", + "

    Use form L2P with your Company Tax Return instead if either:

    ", + "
  • your tax return is for a different accounting period than the one when the loan was taken out
  • ", + "
  • you\u2019re amending your tax return in writing
  • ", + "

    Tell HMRC how you want the repayment in your Company Tax Return.

    ", + "

    Reclaiming after 2 years

    ", + "

    If you\u2019re reclaiming 2 years or more after the end of the accounting period when the loan was taken out, fill in form L2P and either include it with your latest Company Tax Return or post it separately.

    ", + "

    HMRC will repay your company by either:

    ", + "
  • using the details you gave in your latest Company Tax Return
  • ", + "
  • sending a cheque to your company\u2019s registered office address
  • ", + "

    If you lend your company money

    ", + "

    Your company does not pay Corporation Tax on money you lend it.

    ", + "

    If you charge interest

    ", + "

    Interest you charge your company on a loan counts as both:

    ", + "
  • a business expense for your company
  • ", + "
  • personal income for you
  • ", + "

    You must report the income on a personal Self Assessment tax return.

    ", + "

    Your company must:

    ", + "
  • pay you the interest less Income Tax at the basic rate of 20%
  • ", + "
  • report and pay the Income Tax every quarter using form CT61
  • ", + "

    You can request form CT61 online or call HM Revenue and Customs.

    " + ] + }, + "https://www.gov.uk/make-changes-to-your-limited-company": { + "url": "https://www.gov.uk/make-changes-to-your-limited-company", + "title": "Make changes to your private limited company", + "content": "## Overview\n\nYou must tell Companies House if you change your company\u2019s:\n\n- name\n\n- address\n\n- directors and company secretaries, including changes to their details\n\n- type, for example becoming a public limited company or unlimited company\n\n- share, for example issuing new shares or changing your share structure\n\n- constitution and articles of association - how your company is run\n\n- mortgages and loan guarantees (sometimes called \u2018charges\u2019), for example if the company takes out a secured loan\n\nYou may need your company\u2019s agreement before you can make some changes.\n\nYou may also need to tell HM Revenue and Customs (HMRC) about company changes.\n\n## When to tell Companies House\n\nYou must tell Companies House within 14 days if you make changes to:\n\n- where you keep your company records\n\n- your directors, or their personal details change, for example their address\n\n- company secretaries\n\nYou must tell Companies House within 15 days if you make changes to your constitution or articles of association.\n\nYou must tell Companies House within a month if you issue more shares in your company.\n\nYou must tell Companies House all other changes within 21 days.\n\n## How to tell Companies House\n\nYou can either:\n\n- use the Companies House online service if it\u2019s available for the change you need to make\n\n- download and fill in paper forms\n\n## Get agreement from your company\n\nYou usually need to get directors or entitled shareholders to vote (known as \u2018passing a resolution\u2019) on whether or not to make some changes.\n\nThings that usually need a resolution include:\n\n- changing your company name\n\n- removing a director\n\n- changing your company\u2019s constitution and articles of association - how your company is run\n\n- changing your company\u2019s share structure\n\nMost resolutions simply need more shareholders to agree than disagree (called an \u2018ordinary resolution\u2019). They may be simply done by a show of hands at a meeting. Ordinary resolutions are used for most routine changes, for example, increasing a company\u2019s share capital.\n\nSome decisions, for example changing your articles, might require a 75% or even 95% majority (called a \u2018special resolution\u2019 or \u2018extraordinary resolution\u2019).\n\nYour company articles will usually tell you if you need a resolution, and what type it should be.\n\nYou must let your shareholders (and auditors if relevant) know when there\u2019s going to be a vote on a resolution.\n\nYou must file special or extraordinary resolutions with Companies House within 15 days of passing them.\n\n## Shareholder voting for special and extraordinary resolutions\n\nWhen you\u2019re working out the majority in special or extraordinary resolutions you count the number of shares that give the owner the right to vote, rather than the number of shareholders.\n\n## How to hold a resolution\n\nYou do not always need to have a meeting to pass a resolution. If enough shareholders or directors have told you they agree, you can usually confirm the resolution in writing.\n\nYou must write to all shareholders letting them know about the outcome of a resolution.\n\n## Company name\n\nA company can change its name either by:\n\n- a special resolution\n\n- permission given in the company\u2019s articles of association\n\nYour new name must follow all the rules for company names.\n\nYour company name will not officially change until Companies House registers it.\n\n## Register online\n\nYou can use the Companies House online service to file changes of name by special resolution only.\n\nIt costs \u00a38 to file, or \u00a330 for the same-day service.\n\n## Register by post\n\n## If you\u2019re applying by special resolution\n\nDownload and fill in form NM01.\n\nYou must attach a copy of your resolution with your application.\n\nSend your form and a cheque for \u00a310 to the address on the form, or \u00a350 for the same-day service.\n\n## If you\u2019re registering with permission from the articles of association\n\nDownload and fill in form NM04.\n\nSend your form and a cheque for \u00a310 to the address on the form, or \u00a350 for the same-day service.\n\n## Company address\n\nYou must tell Companies House if you want to change:\n\n- your registered office address\n\n- the address where you keep your records, and which records you\u2019ll keep there\n\nYour address will not officially change until it\u2019s registered at Companies House.\n\nYour company\u2019s new addresses must be in the same part of the UK that the company was registered (\u2018incorporated\u2019).\n\nFor example, if your company was registered in Scotland, the new registered office address must be in Scotland.\n\nYou must re-incorporate your company if you move to another part of the UK, for example from England to Scotland.\n\nCompanies House will tell HM Revenue and Customs (HMRC) that you\u2019ve changed your registered office address.\n\n## Register online\n\nYou can use the Companies House online service.\n\n## Register by post\n\nDownload and fill in a change of address form. Send your completed form to the Companies House address on the form.\n\n## Directors and company secretaries\n\nYou must tell Companies House about changes to your company\u2019s directors and secretaries, such as:\n\n- new appointments\n\n- resignations\n\n- changes to personal details, for example residential addresses\n\n## Register online\n\nYou can use the Companies House online service.\n\n## Register by post\n\nYou can send your changes by post.\n\nDownload and fill in the change forms you need and send them to the address on the forms\n\n## Shares\n\nYou must tell Companies House about any changes to your company\u2019s share structure that you make outside your annual return.\n\nYou may need a special resolution to change your company\u2019s share structure. This includes if you:\n\n- change the number of shares the company has and their total value - this is your \u2018share capital\u2019 (the part of your company\u2019s money that comes from shares)\n\n- change how your shares are distributed\n\n- cancel any of your shares\n\n- change (\u2018denominate\u2019) your shares into other currencies\n\nYou must tell Companies House within a month if you issue more shares in your company.\n\nYou must report all other changes to your share structure within 21 days.\n\n## Documents you must provide\n\nYou must include a notice about the change you\u2019ve made and a statement declaring:\n\n- the company\u2019s total number of shares\n\n- the total value of those shares\n\n- how many shares have been paid for or not paid for\n\nThis is sometimes known as a \u2018statement of capital\u2019.\n\nYour shares may be normal (\u2018ordinary\u2019) or have special rights or restrictions.\n\nFor each type of share your company has, you must declare:\n\n- the rights that come with it\n\n- how many of the shares are issued\n\n- their total value before any additional costs are added\n\nAn accountant can help you prepare your statement of capital.\n\n## Register online\n\nYou can register changes to the shares your company issues online.\n\nYou must register all other changes to your shares by post.\n\n## Register by post\n\nYou can send your changes by post. Download and fill in the share change forms depending on the changes you\u2019re making.\n\nSend your completed forms, a copy of your resolution if needed and your statement of capital to the address on the forms.\n\n## Constitution and articles of association\n\nYou\u2019ll need agreement from your shareholders before changing your company\u2019s articles of association - the rules about how your company is run.\n\nThis can include changes to your company\u2019s \u2018objects\u2019 - what your company does as a business.\n\n## When you must change your constitution\n\nYou can change your constitution whenever your shareholders agree to the change in a \u2018resolution\u2019.\n\nYou must also change your constitution if:\n\n- a change in the law means your constitution would be illegal\n\n- ordered to by the courts or a regulating authority (for example the Charity Commission) tells you to change it\n\n## Sending your changes\n\nYou must include a copy of both the resolution you passed and the new articles of association when you make any changes to your company\u2019s constitution.\n\nDepending on why you\u2019re making the change you may also need to fill in one of the following:\n\n- a statement of company objects if your company is changing the objects in its articles\n\n- change of constitution by enactment if your change is because of a change in the law\n\n- change of constitution by order of court or other authority if your change has been ordered\n\nSend the copy of the resolution, the copy of your new articles and completed form (if any) to Companies House.\n\nIf a special enactment makes the change, you must include a copy of the enactment.\n\n## Deadline\n\nYou must send:\n\n- a copy of the resolution within 15 days of it being agreed\n\n- a copy of the amended articles of association within 15 days of them taking effect\n\n- any forms (if needed) within 15 days of the changes\n\n## Mortgages and loan guarantees\n\nYou can use your company\u2019s assets as a security for a loan or overdraft (sometimes known as \u2018charges\u2019), for example a mortgage for a property.\n\nYou must register details about any company charges with Companies House, including information about property or projects that are being backed by the charge.\n\nYou must also register changes to charges you\u2019ve previously registered, for example when a charge\u2019s been paid in part or in full.\n\nYou must register charges within 21 days from when they\u2019re set up - you will need a court order to register them later.\n\n## Register online\n\nYou can use the Companies House online service.\n\nIt costs \u00a310 to register online.\n\n## Register by post\n\nYou can send changes to your charges by post:\n\nDownload and fill in the forms you need and send them to the address on the forms.\n\nIt costs \u00a313 to register by post.\n\nCompanies House will reject your application if it\u2019s wrong or incomplete.\n\nYou can register for informal correction if you want Companies House to be able to correct certain types of information required to your form.\n\nOnce you\u2019re registered Companies House will contact you if they need more information or for permission to make a correction.", + "original_contents": [ + "

    Overview

    ", + "

    You must tell Companies House if you change your company\u2019s:

    ", + "
  • name
  • ", + "
  • address
  • ", + "
  • directors and company secretaries, including changes to their details
  • ", + "
  • type, for example becoming a public limited company or unlimited company
  • ", + "
  • share, for example issuing new shares or changing your share structure
  • ", + "
  • constitution and articles of association - how your company is run
  • ", + "
  • mortgages and loan guarantees (sometimes called \u2018charges\u2019), for example if the company takes out a secured loan
  • ", + "

    You may need your company\u2019s agreement before you can make some changes.

    ", + "

    You may also need to tell HM Revenue and Customs (HMRC) about company changes.

    ", + "

    When to tell Companies House

    ", + "

    You must tell Companies House within 14 days if you make changes to:

    ", + "
  • where you keep your company records
  • ", + "
  • your directors, or their personal details change, for example their address
  • ", + "
  • company secretaries
  • ", + "

    You must tell Companies House within 15 days if you make changes to your constitution or articles of association.

    ", + "

    You must tell Companies House within a month if you issue more shares in your company.

    ", + "

    You must tell Companies House all other changes within 21 days.

    ", + "

    How to tell Companies House

    ", + "

    You can either:

    ", + "
  • use the Companies House online service if it\u2019s available for the change you need to make
  • ", + "
  • download and fill in paper forms
  • ", + "

    Get agreement from your company

    ", + "

    You usually need to get directors or entitled shareholders to vote (known as \u2018passing a resolution\u2019) on whether or not to make some changes.

    ", + "

    Things that usually need a resolution include:

    ", + "
  • changing your company name
  • ", + "
  • removing a director
  • ", + "
  • changing your company\u2019s constitution and articles of association - how your company is run
  • ", + "
  • changing your company\u2019s share structure
  • ", + "

    Most resolutions simply need more shareholders to agree than disagree (called an \u2018ordinary resolution\u2019). They may be simply done by a show of hands at a meeting. Ordinary resolutions are used for most routine changes, for example, increasing a company\u2019s share capital.

    ", + "

    Some decisions, for example changing your articles, might require a 75% or even 95% majority (called a \u2018special resolution\u2019 or \u2018extraordinary resolution\u2019).

    ", + "

    Your company articles will usually tell you if you need a resolution, and what type it should be.

    ", + "

    You must let your shareholders (and auditors if relevant) know when there\u2019s going to be a vote on a resolution.

    ", + "

    You must file special or extraordinary resolutions with Companies House within 15 days of passing them.

    ", + "

    Shareholder voting for special and extraordinary resolutions

    ", + "

    When you\u2019re working out the majority in special or extraordinary resolutions you count the number of shares that give the owner the right to vote, rather than the number of shareholders.

    ", + "

    How to hold a resolution

    ", + "

    You do not always need to have a meeting to pass a resolution. If enough shareholders or directors have told you they agree, you can usually confirm the resolution in writing.

    ", + "

    You must write to all shareholders letting them know about the outcome of a resolution.

    ", + "

    Company name

    ", + "

    A company can change its name either by:

    ", + "
  • a special resolution
  • ", + "
  • permission given in the company\u2019s articles of association
  • ", + "

    Your new name must follow all the rules for company names.

    ", + "

    Your company name will not officially change until Companies House registers it.

    ", + "

    Register online

    ", + "

    You can use the Companies House online service to file changes of name by special resolution only.

    ", + "

    It costs \u00a38 to file, or \u00a330 for the same-day service.

    ", + "

    Register by post

    ", + "

    If you\u2019re applying by special resolution

    ", + "

    Download and fill in form NM01.

    ", + "

    You must attach a copy of your resolution with your application.

    ", + "

    Send your form and a cheque for \u00a310 to the address on the form, or \u00a350 for the same-day service.

    ", + "

    If you\u2019re registering with permission from the articles of association

    ", + "

    Download and fill in form NM04.

    ", + "

    Send your form and a cheque for \u00a310 to the address on the form, or \u00a350 for the same-day service.

    ", + "

    Company address

    ", + "

    You must tell Companies House if you want to change:

    ", + "
  • your registered office address
  • ", + "
  • the address where you keep your records, and which records you\u2019ll keep there
  • ", + "

    Your address will not officially change until it\u2019s registered at Companies House.

    ", + "

    Your company\u2019s new addresses must be in the same part of the UK that the company was registered (\u2018incorporated\u2019).

    ", + "

    For example, if your company was registered in Scotland, the new registered office address must be in Scotland.

    ", + "

    You must re-incorporate your company if you move to another part of the UK, for example from England to Scotland.

    ", + "

    Companies House will tell HM Revenue and Customs (HMRC) that you\u2019ve changed your registered office address.

    ", + "

    Register online

    ", + "

    You can use the Companies House online service.

    ", + "

    Register by post

    ", + "

    Download and fill in a change of address form. Send your completed form to the Companies House address on the form.

    ", + "

    Directors and company secretaries

    ", + "

    You must tell Companies House about changes to your company\u2019s directors and secretaries, such as:

    ", + "
  • new appointments
  • ", + "
  • resignations
  • ", + "
  • changes to personal details, for example residential addresses
  • ", + "

    Register online

    ", + "

    You can use the Companies House online service.

    ", + "

    Register by post

    ", + "

    You can send your changes by post.

    ", + "

    Download and fill in the change forms you need and send them to the address on the forms

    ", + "

    Shares

    ", + "

    You must tell Companies House about any changes to your company\u2019s share structure that you make outside your annual return.

    ", + "

    You may need a special resolution to change your company\u2019s share structure. This includes if you:

    ", + "
  • change the number of shares the company has and their total value - this is your \u2018share capital\u2019 (the part of your company\u2019s money that comes from shares)
  • ", + "
  • change how your shares are distributed
  • ", + "
  • cancel any of your shares
  • ", + "
  • change (\u2018denominate\u2019) your shares into other currencies
  • ", + "

    You must tell Companies House within a month if you issue more shares in your company.

    ", + "

    You must report all other changes to your share structure within 21 days.

    ", + "

    Documents you must provide

    ", + "

    You must include a notice about the change you\u2019ve made and a statement declaring:

    ", + "
  • the company\u2019s total number of shares
  • ", + "
  • the total value of those shares
  • ", + "
  • how many shares have been paid for or not paid for
  • ", + "

    This is sometimes known as a \u2018statement of capital\u2019.

    ", + "

    Your shares may be normal (\u2018ordinary\u2019) or have special rights or restrictions.

    ", + "

    For each type of share your company has, you must declare:

    ", + "
  • the rights that come with it
  • ", + "
  • how many of the shares are issued
  • ", + "
  • their total value before any additional costs are added
  • ", + "

    An accountant can help you prepare your statement of capital.

    ", + "

    Register online

    ", + "

    You can register changes to the shares your company issues online.

    ", + "

    You must register all other changes to your shares by post.

    ", + "

    Register by post

    ", + "

    You can send your changes by post. Download and fill in the share change forms depending on the changes you\u2019re making.

    ", + "

    Send your completed forms, a copy of your resolution if needed and your statement of capital to the address on the forms.

    ", + "

    Constitution and articles of association

    ", + "

    You\u2019ll need agreement from your shareholders before changing your company\u2019s articles of association - the rules about how your company is run.

    ", + "

    This can include changes to your company\u2019s \u2018objects\u2019 - what your company does as a business.

    ", + "

    When you must change your constitution

    ", + "

    You can change your constitution whenever your shareholders agree to the change in a \u2018resolution\u2019.

    ", + "

    You must also change your constitution if:

    ", + "
  • a change in the law means your constitution would be illegal
  • ", + "
  • ordered to by the courts or a regulating authority (for example the Charity Commission) tells you to change it
  • ", + "

    Sending your changes

    ", + "

    You must include a copy of both the resolution you passed and the new articles of association when you make any changes to your company\u2019s constitution.

    ", + "

    Depending on why you\u2019re making the change you may also need to fill in one of the following:

    ", + "
  • a statement of company objects if your company is changing the objects in its articles
  • ", + "
  • change of constitution by enactment if your change is because of a change in the law
  • ", + "
  • change of constitution by order of court or other authority if your change has been ordered
  • ", + "

    Send the copy of the resolution, the copy of your new articles and completed form (if any) to Companies House.

    ", + "

    If a special enactment makes the change, you must include a copy of the enactment.

    ", + "

    Deadline

    ", + "

    You must send:

    ", + "
  • a copy of the resolution within 15 days of it being agreed
  • ", + "
  • a copy of the amended articles of association within 15 days of them taking effect
  • ", + "
  • any forms (if needed) within 15 days of the changes
  • ", + "

    Mortgages and loan guarantees

    ", + "

    You can use your company\u2019s assets as a security for a loan or overdraft (sometimes known as \u2018charges\u2019), for example a mortgage for a property.

    ", + "

    You must register details about any company charges with Companies House, including information about property or projects that are being backed by the charge.

    ", + "

    You must also register changes to charges you\u2019ve previously registered, for example when a charge\u2019s been paid in part or in full.

    ", + "

    You must register charges within 21 days from when they\u2019re set up - you will need a court order to register them later.

    ", + "

    Register online

    ", + "

    You can use the Companies House online service.

    ", + "

    It costs \u00a310 to register online.

    ", + "

    Register by post

    ", + "

    You can send changes to your charges by post:

    ", + "

    Download and fill in the forms you need and send them to the address on the forms.

    ", + "

    It costs \u00a313 to register by post.

    ", + "

    Companies House will reject your application if it\u2019s wrong or incomplete.

    ", + "

    You can register for informal correction if you want Companies House to be able to correct certain types of information required to your form.

    ", + "

    Once you\u2019re registered Companies House will contact you if they need more information or for permission to make a correction.

    " + ] + }, + "https://www.gov.uk/annual-accounts": { + "url": "https://www.gov.uk/annual-accounts", + "title": "Prepare annual accounts for a private limited company", + "content": "## Overview\n\nYour company\u2019s annual accounts - called \u2018statutory accounts\u2019 - are prepared from the company\u2019s financial records at the end of your company\u2019s financial year.\n\nYou must always send copies of the statutory accounts to:\n\n- all shareholders\n\n- people who can go to the company\u2019s general meetings\n\n- Companies House\n\n- HM Revenue and Customs (HMRC) as part of your Company Tax Return\n\nYou have different deadlines for sending your accounts to Companies House and your tax return to HMRC, but you may be able send them at the same time.\n\nIf your company is small, a micro entity or dormant, you might be able to send simpler (\u2018abridged\u2019) accounts.\n\n## How to put together statutory accounts\n\nStatutory accounts must include:\n\n- a \u2018balance sheet\u2019, which shows the value of everything the company owns, owes and is owed on the last day of the financial year\n\n- a \u2018profit and loss account\u2019, which shows the company\u2019s sales, running costs and the profit or loss it has made over the financial year\n\n- notes about the accounts\n\n- a director\u2019s report (unless you\u2019re a \u2018micro-entity\u2019)\n\nYou might have to include an auditor\u2019s report - this depends on the size of your company.\n\nThe balance sheet must have the name of a director printed on it and must be signed by a director.\n\n## Accounting standards\n\nYour statutory accounts must meet either:\n\n- International Financial Reporting Standards\n\n- New UK Generally Accepted Accounting Practice\n\nSearch online to find out more about the standards, or ask your accountant or tax adviser. You can find an accountant accredited in the UK.\n\n## Micro-entities, small and dormant companies\n\nYou might be able to send simpler (\u2018abridged\u2019) accounts to Companies House and not need to be audited. This depends on whether your company is dormant or qualifies as a small company or \u2018micro-entity\u2019.\n\nYou must still send statutory accounts to your members and to HM Revenue and Customs (HMRC) as part of your Company Tax Return if you\u2019re a small company or micro-entity.\n\n## Dormant companies\n\nYour company is called \u2018dormant\u2019 by Companies House if it\u2019s had no \u2018significant\u2019 transactions in the financial year that you\u2019d normally report. Significant transactions do not include:\n\n- filing fees paid to Companies House\n\n- penalties for late filing of accounts\n\n- money paid for shares when the company was incorporated\n\nDormant companies that qualify as \u2018small\u2019 do not need to be audited.\n\nCheck if your company is also dormant for Corporation Tax.\n\n## Small companies\n\nYour company will be \u2018small\u2019 if it has any 2 of the following:\n\n- a turnover of \u00a310.2 million or less\n\n- \u00a35.1 million or less on its balance sheet\n\n- 50 employees or less\n\nIf your company is small, you can:\n\n- use the exemption so your company\u2019s accounts do not need to be audited\n\n- choose whether or not to send a copy of the director\u2019s report and profit and loss account to Companies House\n\n- send abridged accounts to Companies House\n\n## Sending abridged accounts\n\nYou can only send abridged accounts if all your company members agree to it.\n\nAbridged accounts must contain a simpler balance sheet, along with any notes. You can also choose to include a simpler profit and loss account and a copy of the director\u2019s report.\n\nThe balance sheet must have the name of a director printed on it and must be signed by a director.\n\nSending abridged accounts means less information about your company will be publicly available from Companies House.\n\n## Micro-entities\n\nMicro-entities are very small companies. Your company will be a micro-entity if it has any 2 of the following:\n\n- a turnover of \u00a3632,000 or less\n\n- \u00a3316,000 or less on its balance sheet\n\n- 10 employees or less\n\nIf your company is a micro-entity, you can:\n\n- prepare simpler accounts that meet statutory minimum requirements\n\n- send only your balance sheet with less information to Companies House\n\n- benefit from the same exemptions available to small companies\n\nFind out exactly what to include in your accounts depending on your company type, for example micro-entity, small, medium or dormant.\n\n## Corrections and amendments\n\nYou must send amended accounts to Companies House on paper.\n\nAmended or corrected accounts must be for the same period as the original accounts.\n\nYou must clearly say in your new accounts that they:\n\n- replace the original accounts\n\n- are now the statutory accounts\n\n- are prepared as they were at the date of the original accounts\n\nWrite \u201camended\u201d on the front so that Companies House know your accounts are not duplicates.\n\nYour original accounts will remain on file at Companies House.\n\nIf you only want to amend one part of your accounts, you need to send a note saying what\u2019s been changed. The note must be signed by a director and filed with a copy of the original accounts.\n\n## Penalties for late filing\n\nYou\u2019ll have to pay penalties if you do not file your accounts with Companies House by the deadline.\n\n| Time after the deadline | Penalty (for private limited companies) |\n\n| Up to 1 month | \u00a3150 |\n\n| 1 to 3 months | \u00a3375 |\n\n| 3 to 6 months | \u00a3750 |\n\n| More than 6 months | \u00a31,500 |\n\nPenalties for public limited companies are different.\n\nYou\u2019ll automatically receive a penalty notice if your accounts are filed after the deadline.\n\nThe penalty is doubled if your accounts are late 2 years in a row.\n\nYou can be fined and your company struck off the register if you do not send Companies House your accounts or confirmation statement.\n\n## Appeal against a late filing penalty\n\nIf you want to appeal a penalty you must:\n\n- give a specific reason for not filing your accounts on time\n\n- include all relevant details, such as dates and times\n\n- prove the circumstances were out of your control, for example a fire destroyed your records a few days before your accounts were due\n\nIf you need help with your appeal because you have a disability or a health condition, you can contact Companies House.\n\nYour appeal is likely to be unsuccessful if it\u2019s because:\n\n- these were your first accounts\n\n- your company is dormant\n\n- your company is a charity or a flat management company\n\n- you cannot afford to pay\n\n- another director is responsible for filing the accounts\n\n- it was your accountant\u2019s (or anybody else\u2019s) fault\n\n- you did not know when or how to file your accounts\n\n- your accounts were delayed or lost in the post\n\n- the directors live or were travelling overseas\n\nYou can send a letter to the address on the front page of the penalty \ninvoice, or send an email including the penalty reference.\n\nYou\u2019ll get a response within 20 working days and \nthe penalty will not be collected while your appeal is being \nconsidered.\n\n## Challenging an unsuccessful appeal\n\nIf your appeal is rejected and you have additional information to support your case, you can write to the senior casework manager in the Late Filing Penalties Department at the Companies House office that deals with your account.\n\nIf your appeal to the senior casework manager is unsuccessful, you can write to the independent adjudicators, and ask them to review your case.\n\nIf your appeal to the independent adjudicator is unsuccessful, you can submit a final application to the Registrar of Companies at the office that deals with your account.\n\nYou must follow this process, otherwise the registrar will not review your appeal.\n\nFind out more about late penalty appeals in different situations.", + "original_contents": [ + "

    Overview

    ", + "

    Your company\u2019s annual accounts - called \u2018statutory accounts\u2019 - are prepared from the company\u2019s financial records at the end of your company\u2019s financial year.

    ", + "

    You must always send copies of the statutory accounts to:

    ", + "
  • all shareholders
  • ", + "
  • people who can go to the company\u2019s general meetings
  • ", + "
  • Companies House
  • ", + "
  • HM Revenue and Customs (HMRC) as part of your Company Tax Return
  • ", + "

    You have different deadlines for sending your accounts to Companies House and your tax return to HMRC, but you may be able send them at the same time.

    ", + "

    If your company is small, a micro entity or dormant, you might be able to send simpler (\u2018abridged\u2019) accounts.

    ", + "

    How to put together statutory accounts

    ", + "

    Statutory accounts must include:

    ", + "
  • a \u2018balance sheet\u2019, which shows the value of everything the company owns, owes and is owed on the last day of the financial year
  • ", + "
  • a \u2018profit and loss account\u2019, which shows the company\u2019s sales, running costs and the profit or loss it has made over the financial year
  • ", + "
  • notes about the accounts
  • ", + "
  • a director\u2019s report (unless you\u2019re a \u2018micro-entity\u2019)
  • ", + "

    You might have to include an auditor\u2019s report - this depends on the size of your company.

    ", + "

    The balance sheet must have the name of a director printed on it and must be signed by a director.

    ", + "

    Accounting standards

    ", + "

    Your statutory accounts must meet either:

    ", + "
  • International Financial Reporting Standards
  • ", + "
  • New UK Generally Accepted Accounting Practice
  • ", + "

    Search online to find out more about the standards, or ask your accountant or tax adviser. You can find an accountant accredited in the UK.

    ", + "

    Micro-entities, small and dormant companies

    ", + "

    You might be able to send simpler (\u2018abridged\u2019) accounts to Companies House and not need to be audited. This depends on whether your company is dormant or qualifies as a small company or \u2018micro-entity\u2019.

    ", + "

    You must still send statutory accounts to your members and to HM Revenue and Customs (HMRC) as part of your Company Tax Return if you\u2019re a small company or micro-entity.

    ", + "

    Dormant companies

    ", + "

    Your company is called \u2018dormant\u2019 by Companies House if it\u2019s had no \u2018significant\u2019 transactions in the financial year that you\u2019d normally report. Significant transactions do not include:

    ", + "
  • filing fees paid to Companies House
  • ", + "
  • penalties for late filing of accounts
  • ", + "
  • money paid for shares when the company was incorporated
  • ", + "

    Dormant companies that qualify as \u2018small\u2019 do not need to be audited.

    ", + "

    Check if your company is also dormant for Corporation Tax.

    ", + "

    Small companies

    ", + "

    Your company will be \u2018small\u2019 if it has any 2 of the following:

    ", + "
  • a turnover of \u00a310.2 million or less
  • ", + "
  • \u00a35.1 million or less on its balance sheet
  • ", + "
  • 50 employees or less
  • ", + "

    If your company is small, you can:

    ", + "
  • use the exemption so your company\u2019s accounts do not need to be audited
  • ", + "
  • choose whether or not to send a copy of the director\u2019s report and profit and loss account to Companies House
  • ", + "
  • send abridged accounts to Companies House
  • ", + "

    Sending abridged accounts

    ", + "

    You can only send abridged accounts if all your company members agree to it.

    ", + "

    Abridged accounts must contain a simpler balance sheet, along with any notes. You can also choose to include a simpler profit and loss account and a copy of the director\u2019s report.

    ", + "

    The balance sheet must have the name of a director printed on it and must be signed by a director.

    ", + "

    Sending abridged accounts means less information about your company will be publicly available from Companies House.

    ", + "

    Micro-entities

    ", + "

    Micro-entities are very small companies. Your company will be a micro-entity if it has any 2 of the following:

    ", + "
  • a turnover of \u00a3632,000 or less
  • ", + "
  • \u00a3316,000 or less on its balance sheet
  • ", + "
  • 10 employees or less
  • ", + "

    If your company is a micro-entity, you can:

    ", + "
  • prepare simpler accounts that meet statutory minimum requirements
  • ", + "
  • send only your balance sheet with less information to Companies House
  • ", + "
  • benefit from the same exemptions available to small companies
  • ", + "

    Find out exactly what to include in your accounts depending on your company type, for example micro-entity, small, medium or dormant.

    ", + "

    Corrections and amendments

    ", + "

    You must send amended accounts to Companies House on paper.

    ", + "

    Amended or corrected accounts must be for the same period as the original accounts.

    ", + "

    You must clearly say in your new accounts that they:

    ", + "
  • replace the original accounts
  • ", + "
  • are now the statutory accounts
  • ", + "
  • are prepared as they were at the date of the original accounts
  • ", + "

    Write \u201camended\u201d on the front so that Companies House know your accounts are not duplicates.

    ", + "

    Your original accounts will remain on file at Companies House.

    ", + "

    If you only want to amend one part of your accounts, you need to send a note saying what\u2019s been changed. The note must be signed by a director and filed with a copy of the original accounts.

    ", + "

    Penalties for late filing

    ", + "

    You\u2019ll have to pay penalties if you do not file your accounts with Companies House by the deadline.

    ", + "Time after the deadline | Penalty (for private limited companies)", + "Up to 1 month | \u00a3150", + "1 to 3 months | \u00a3375", + "3 to 6 months | \u00a3750", + "More than 6 months | \u00a31,500", + "

    Penalties for public limited companies are different.

    ", + "

    You\u2019ll automatically receive a penalty notice if your accounts are filed after the deadline.

    ", + "

    The penalty is doubled if your accounts are late 2 years in a row.

    ", + "

    You can be fined and your company struck off the register if you do not send Companies House your accounts or confirmation statement.

    ", + "

    Appeal against a late filing penalty

    ", + "

    If you want to appeal a penalty you must:

    ", + "
  • give a specific reason for not filing your accounts on time
  • ", + "
  • include all relevant details, such as dates and times
  • ", + "
  • prove the circumstances were out of your control, for example a fire destroyed your records a few days before your accounts were due
  • ", + "

    If you need help with your appeal because you have a disability or a health condition, you can contact Companies House.

    ", + "

    Your appeal is likely to be unsuccessful if it\u2019s because:

    ", + "
  • these were your first accounts
  • ", + "
  • your company is dormant
  • ", + "
  • your company is a charity or a flat management company
  • ", + "
  • you cannot afford to pay
  • ", + "
  • another director is responsible for filing the accounts
  • ", + "
  • it was your accountant\u2019s (or anybody else\u2019s) fault
  • ", + "
  • you did not know when or how to file your accounts
  • ", + "
  • your accounts were delayed or lost in the post
  • ", + "
  • the directors live or were travelling overseas
  • ", + "

    You can send a letter to the address on the front page of the penalty \ninvoice, or send an email including the penalty reference.

    ", + "

    You\u2019ll get a response within 20 working days and \nthe penalty will not be collected while your appeal is being \nconsidered.

    ", + "

    Challenging an unsuccessful appeal

    ", + "

    If your appeal is rejected and you have additional information to support your case, you can write to the senior casework manager in the Late Filing Penalties Department at the Companies House office that deals with your account.

    ", + "

    If your appeal to the senior casework manager is unsuccessful, you can write to the independent adjudicators, and ask them to review your case.

    ", + "

    If your appeal to the independent adjudicator is unsuccessful, you can submit a final application to the Registrar of Companies at the office that deals with your account.

    ", + "

    You must follow this process, otherwise the registrar will not review your appeal.

    ", + "

    Find out more about late penalty appeals in different situations.

    " + ] + }, + "https://www.gov.uk/running-a-limited-company": { + "url": "https://www.gov.uk/running-a-limited-company", + "title": "Running a limited company", + "content": "## Directors' responsibilities\n\nAs a director of a limited company, you must:\n\n- follow the company\u2019s rules, shown in its articles of association\n\n- keep company records and report changes\n\n- file your accounts and your Company Tax Return\n\n- tell other shareholders if you might personally benefit from a transaction the company makes\n\n- pay Corporation Tax\n\nYou can hire other people to manage some of these things day-to-day (for example, an accountant) but you\u2019re still legally responsible for your company\u2019s records, accounts and performance.\n\nYou may be fined, prosecuted or disqualified if you do not meet your responsibilities as a director.\n\nContact your professional adviser or trade association to find out more.\n\n## Taking money out of a limited company\n\nHow you take money out of the company depends on what it\u2019s for and how much you take out.\n\n## Salary, expenses and benefits\n\nIf you want the company to pay you or anyone else a salary, expenses or benefits, you must register the company as an employer.\n\nThe company must take Income Tax and National Insurance contributions from your salary payments and pay these to HM Revenue and Customs (HMRC), along with employers\u2019 National Insurance contributions.\n\nIf you or one of your employees make personal use of something that belongs to the business, you must report it as a benefit and pay any tax due.\n\n## Dividends\n\nA dividend is a payment a company can make to shareholders if it has made a profit.\n\nYou cannot count dividends as business costs when you work out your Corporation Tax.\n\nYour company must not pay out more in dividends than its available profits from current and previous financial years.\n\nYou must usually pay dividends to all shareholders.\n\nTo pay a dividend, you must:\n\n- hold a directors\u2019 meeting to \u2018declare\u2019 the dividend\n\n- keep minutes of the meeting, even if you\u2019re the only director\n\n## Dividend paperwork\n\nFor each dividend payment the company makes, you must write up a dividend voucher showing the:\n\n- date\n\n- company name\n\n- names of the shareholders being paid a dividend\n\n- amount of the dividend\n\nYou must give a copy of the voucher to recipients of the dividend and keep a copy for your company\u2019s records.\n\n## Tax on dividends\n\nYour company does not need to pay tax on dividend payments. But shareholders may have to pay Income Tax if they\u2019re over \u00a32,000.\n\n## Directors\u2019 loans\n\nIf you take more money out of a company than you\u2019ve put in - and it\u2019s not salary or dividend - it\u2019s called a \u2018directors\u2019 loan\u2019.\n\nIf your company makes directors\u2019 loans, you must keep records of them. There are also some detailed tax rules about how directors\u2019 loans are handled.\n\n## Company changes you must report\n\nYou must report certain changes to Companies House.\n\n## Changing your company\u2019s registered office address\n\nYou must tell Companies House if you want to change your company\u2019s registered office address. If the change is approved, they will tell HM Revenue and Customs (HMRC).\n\nYour company\u2019s new registered office address must be in the same part of the UK that the company was registered (incorporated).\n\nFor example, if your company was registered in England and Wales, the new registered office address must be in England or Wales.\n\nYour address will not officially change until Companies House has registered it.\n\n## Other changes you must report\n\nYou must tell HMRC if:\n\n- your business\u2019 contact details change - for example, your name, gender, business name or your personal or trading address\n\n- you appoint an accountant or tax adviser\n\nYou must tell Companies House within 14 days if you make changes to:\n\n- the address where you keep your records, and which records you keep there\n\n- directors or their personal details, like their address\n\n- \u2018people with significant control\u2019 (PSC), or their personal details like a new address\n\n- company secretaries (appointing a new one or ending an existing one\u2019s appointment)\n\nYou must tell Companies House within a month if you issue more shares in your company.\n\n## How to report changes to Companies House\n\nYou can:\n\n- use the Companies House online service\n\n- fill in and send paper forms\n\n## Changes that shareholders must approve\n\nYou may need to get shareholders to vote on the decision if you want to:\n\n- change the company name\n\n- remove a director\n\n- change the company\u2019s articles of association\n\nThis is called \u2018passing a resolution\u2019. Most resolutions will need a majority to agree (called an \u2018ordinary resolution\u2019). Some might require a 75% majority (called a \u2018special resolution\u2019).\n\nCompanies House has more details about the types of changes and resolutions you must report to them.\n\nYour new company name will not take effect until it\u2019s registered by Companies House - they\u2019ll tell you when this happens.\n\n## Shareholder voting\n\nWhen you\u2019re working out whether you have a majority, count the number of shares that give the owner the right to vote, rather than the number of shareholders.\n\nYou do not necessarily need to have a meeting of shareholders to pass a resolution. If the right amount of shareholders have told you they agree, you can confirm the resolution in writing. But you must write to all shareholders letting them know about the decision.\n\n## Company and accounting records\n\nYou must keep:\n\n- records about the company itself\n\n- financial and accounting records\n\nYou can hire a professional (for example, an accountant) to help with your tax.\n\nHM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.\n\n## Records about the company\n\nYou must keep details of:\n\n- directors, shareholders and company secretaries\n\n- the results of any shareholder votes and resolutions\n\n- promises for the company to repay loans at a specific date in the future (\u2018debentures\u2019) and who they must be paid back to\n\n- promises the company makes for payments if something goes wrong and it\u2019s the company\u2019s fault (\u2018indemnities\u2019)\n\n- transactions when someone buys shares in the company\n\n- loans or mortgages secured against the company\u2019s assets\n\nYou must tell Companies House if you keep the records somewhere other than the company\u2019s registered office address.\n\n## Register of \u2018people with significant control\u2019\n\nYou must also keep a register of \u2018people with significant control\u2019 (PSC). Your PSC register must include details of anyone who:\n\n- has more than 25% shares or voting rights in your company\n\n- can appoint or remove a majority of directors\n\n- can influence or control your company or trust\n\nYou still need to keep a record if there are no people with significant control.\n\nRead more guidance on keeping a PSC register if your company\u2019s ownership and control is not simple.\n\n## Accounting records\n\nYou must keep accounting records that include:\n\n- all money received and spent by the company, including grants and payments from coronavirus support schemes\n\n- details of assets owned by the company\n\n- debts the company owes or is owed\n\n- stock the company owns at the end of the financial year\n\n- the stocktakings you used to work out the stock figure\n\n- all goods bought and sold\n\n- who you bought and sold them to and from (unless you run a retail business)\n\nYou must also keep any other financial records, information and calculations you need to prepare and file your annual accounts and Company Tax Return. This includes records of:\n\n- all money spent by the company, for example receipts, petty cash books, orders and delivery notes\n\n- all money received by the company, for example invoices, contracts, sales books and till rolls\n\n- any other relevant documents, for example bank statements and correspondence\n\nYou can be fined \u00a33,000 by HMRC or disqualified as a company director if you do not keep accounting records.\n\n## How long to keep records\n\nYou must keep records for 6 years from the end of the last company financial year they relate to, or longer if:\n\n- they show a transaction that covers more than one of the company\u2019s accounting periods\n\n- the company has bought something that it expects to last more than 6 years, like equipment or machinery\n\n- you sent your Company Tax Return late\n\n- HMRC has started a compliance check into your Company Tax Return\n\n## If your records are lost, stolen or destroyed\n\nIf you cannot replace your records after they were lost, stolen or destroyed you must:\n\n- do your best to recreate them\n\n- tell your Corporation Tax office straight away\n\n- include this information in your Company Tax Return\n\n## Confirmation statement (annual return)\n\nYou need to check that the information Companies House has about your company is correct every year. This is called a confirmation statement (previously an annual return).\n\n## Check your company\u2019s details\n\nYou need to check the following:\n\n- the details of your registered office, directors, secretary and the address where you keep your records\n\n- your statement of capital and shareholder information if your company has shares\n\n- your SIC code (the number that identifies what your company does)\n\n- your register of \u2018people with significant control\u2019 (PSC)\n\nCheck the Companies House register.\n\n## Send your confirmation statement\n\nSend your confirmation statement online or by post. It costs \u00a313 to file your confirmation statement online, and \u00a340 by post.\n\n## If you need to report changes\n\nYou can report changes to your statement of capital, shareholder information and SIC codes at the same time.\n\nYou cannot use the confirmation statement to report changes to:\n\n- your company\u2019s officers\n\n- the registered office address\n\n- the address where you keep your records\n\n- people with significant control\n\nYou must file those changes separately with Companies House.\n\n## When it\u2019s due\n\nYour confirmation statement is due usually a year after either:\n\n- the date your company incorporated\n\n- the date you filed your last annual return or confirmation statement\n\nYou can file your confirmation statement up to 14 days after the due date.\n\nSign up to get an email reminder when your confirmation statement is due.\n\nYou can be fined up to \u00a35,000 and your company may be struck off if you do not send your confirmation statement.\n\n## Signs, stationery and promotional material\n\n## Signs\n\nYou must display a sign showing your company name at your registered company address and wherever your business operates. If you\u2019re running your business from home, you do not need to display a sign there.\n\nThe sign must be easy to read and to see at any time, not just when you\u2019re open.\n\n## Stationery and promotional material\n\nYou must include your company\u2019s name on all company documents, publicity and letters.\n\nOn business letters, order forms and websites, you must show:\n\n- the company\u2019s registered number\n\n- its registered office address\n\n- where the company is registered (England and Wales, Scotland or Northern Ireland)\n\n- the fact that it\u2019s a limited company (usually by spelling out the company\u2019s full name including \u2018Limited\u2019 or \u2018Ltd\u2019)\n\nIf you want to include directors\u2019 names, you must list all of them.\n\nIf you want to show your company\u2019s share capital (how much the shares were worth when you issued them), you must say how much is \u2018paid up\u2019 (owned by shareholders).\n\nThere are different rules for what you need to include on invoices.", + "original_contents": [ + "

    Directors' responsibilities

    ", + "

    As a director of a limited company, you must:

    ", + "
  • follow the company\u2019s rules, shown in its articles of association
  • ", + "
  • keep company records and report changes
  • ", + "
  • file your accounts and your Company Tax Return
  • ", + "
  • tell other shareholders if you might personally benefit from a transaction the company makes
  • ", + "
  • pay Corporation Tax
  • ", + "

    You can hire other people to manage some of these things day-to-day (for example, an accountant) but you\u2019re still legally responsible for your company\u2019s records, accounts and performance.

    ", + "

    You may be fined, prosecuted or disqualified if you do not meet your responsibilities as a director.

    ", + "

    Contact your professional adviser or trade association to find out more.

    ", + "

    Taking money out of a limited company

    ", + "

    How you take money out of the company depends on what it\u2019s for and how much you take out.

    ", + "

    Salary, expenses and benefits

    ", + "

    If you want the company to pay you or anyone else a salary, expenses or benefits, you must register the company as an employer.

    ", + "

    The company must take Income Tax and National Insurance contributions from your salary payments and pay these to HM Revenue and Customs (HMRC), along with employers\u2019 National Insurance contributions.

    ", + "

    If you or one of your employees make personal use of something that belongs to the business, you must report it as a benefit and pay any tax due.

    ", + "

    Dividends

    ", + "

    A dividend is a payment a company can make to shareholders if it has made a profit.

    ", + "

    You cannot count dividends as business costs when you work out your Corporation Tax.

    ", + "

    Your company must not pay out more in dividends than its available profits from current and previous financial years.

    ", + "

    You must usually pay dividends to all shareholders.

    ", + "

    To pay a dividend, you must:

    ", + "
  • hold a directors\u2019 meeting to \u2018declare\u2019 the dividend
  • ", + "
  • keep minutes of the meeting, even if you\u2019re the only director
  • ", + "

    Dividend paperwork

    ", + "

    For each dividend payment the company makes, you must write up a dividend voucher showing the:

    ", + "
  • date
  • ", + "
  • company name
  • ", + "
  • names of the shareholders being paid a dividend
  • ", + "
  • amount of the dividend
  • ", + "

    You must give a copy of the voucher to recipients of the dividend and keep a copy for your company\u2019s records.

    ", + "

    Tax on dividends

    ", + "

    Your company does not need to pay tax on dividend payments. But shareholders may have to pay Income Tax if they\u2019re over \u00a32,000.

    ", + "

    Directors\u2019 loans

    ", + "

    If you take more money out of a company than you\u2019ve put in - and it\u2019s not salary or dividend - it\u2019s called a \u2018directors\u2019 loan\u2019.

    ", + "

    If your company makes directors\u2019 loans, you must keep records of them. There are also some detailed tax rules about how directors\u2019 loans are handled.

    ", + "

    Company changes you must report

    ", + "

    You must report certain changes to Companies House.

    ", + "

    Changing your company\u2019s registered office address

    ", + "

    You must tell Companies House if you want to change your company\u2019s registered office address. If the change is approved, they will tell HM Revenue and Customs (HMRC).

    ", + "

    Your company\u2019s new registered office address must be in the same part of the UK that the company was registered (incorporated).

    ", + "

    For example, if your company was registered in England and Wales, the new registered office address must be in England or Wales.

    ", + "

    Your address will not officially change until Companies House has registered it.

    ", + "

    Other changes you must report

    ", + "

    You must tell HMRC if:

    ", + "
  • your business\u2019 contact details change - for example, your name, gender, business name or your personal or trading address
  • ", + "
  • you appoint an accountant or tax adviser
  • ", + "

    You must tell Companies House within 14 days if you make changes to:

    ", + "
  • the address where you keep your records, and which records you keep there
  • ", + "
  • directors or their personal details, like their address
  • ", + "
  • \u2018people with significant control\u2019 (PSC), or their personal details like a new address
  • ", + "
  • company secretaries (appointing a new one or ending an existing one\u2019s appointment)
  • ", + "

    You must tell Companies House within a month if you issue more shares in your company.

    ", + "

    How to report changes to Companies House

    ", + "

    You can:

    ", + "
  • use the Companies House online service
  • ", + "
  • fill in and send paper forms
  • ", + "

    Changes that shareholders must approve

    ", + "

    You may need to get shareholders to vote on the decision if you want to:

    ", + "
  • change the company name
  • ", + "
  • remove a director
  • ", + "
  • change the company\u2019s articles of association
  • ", + "

    This is called \u2018passing a resolution\u2019. Most resolutions will need a majority to agree (called an \u2018ordinary resolution\u2019). Some might require a 75% majority (called a \u2018special resolution\u2019).

    ", + "

    Companies House has more details about the types of changes and resolutions you must report to them.

    ", + "

    Your new company name will not take effect until it\u2019s registered by Companies House - they\u2019ll tell you when this happens.

    ", + "

    Shareholder voting

    ", + "

    When you\u2019re working out whether you have a majority, count the number of shares that give the owner the right to vote, rather than the number of shareholders.

    ", + "

    You do not necessarily need to have a meeting of shareholders to pass a resolution. If the right amount of shareholders have told you they agree, you can confirm the resolution in writing. But you must write to all shareholders letting them know about the decision.

    ", + "

    Company and accounting records

    ", + "

    You must keep:

    ", + "
  • records about the company itself
  • ", + "
  • financial and accounting records
  • ", + "

    You can hire a professional (for example, an accountant) to help with your tax.

    ", + "

    HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.

    ", + "

    Records about the company

    ", + "

    You must keep details of:

    ", + "
  • directors, shareholders and company secretaries
  • ", + "
  • the results of any shareholder votes and resolutions
  • ", + "
  • promises for the company to repay loans at a specific date in the future (\u2018debentures\u2019) and who they must be paid back to
  • ", + "
  • promises the company makes for payments if something goes wrong and it\u2019s the company\u2019s fault (\u2018indemnities\u2019)
  • ", + "
  • transactions when someone buys shares in the company
  • ", + "
  • loans or mortgages secured against the company\u2019s assets
  • ", + "

    You must tell Companies House if you keep the records somewhere other than the company\u2019s registered office address.

    ", + "

    Register of \u2018people with significant control\u2019

    ", + "

    You must also keep a register of \u2018people with significant control\u2019 (PSC). Your PSC register must include details of anyone who:

    ", + "
  • has more than 25% shares or voting rights in your company
  • ", + "
  • can appoint or remove a majority of directors
  • ", + "
  • can influence or control your company or trust
  • ", + "

    You still need to keep a record if there are no people with significant control.

    ", + "

    Read more guidance on keeping a PSC register if your company\u2019s ownership and control is not simple.

    ", + "

    Accounting records

    ", + "

    You must keep accounting records that include:

    ", + "
  • all money received and spent by the company, including grants and payments from coronavirus support schemes
  • ", + "
  • details of assets owned by the company
  • ", + "
  • debts the company owes or is owed
  • ", + "
  • stock the company owns at the end of the financial year
  • ", + "
  • the stocktakings you used to work out the stock figure
  • ", + "
  • all goods bought and sold
  • ", + "
  • who you bought and sold them to and from (unless you run a retail business)
  • ", + "

    You must also keep any other financial records, information and calculations you need to prepare and file your annual accounts and Company Tax Return. This includes records of:

    ", + "
  • all money spent by the company, for example receipts, petty cash books, orders and delivery notes
  • ", + "
  • all money received by the company, for example invoices, contracts, sales books and till rolls
  • ", + "
  • any other relevant documents, for example bank statements and correspondence
  • ", + "

    You can be fined \u00a33,000 by HMRC or disqualified as a company director if you do not keep accounting records.

    ", + "

    How long to keep records

    ", + "

    You must keep records for 6 years from the end of the last company financial year they relate to, or longer if:

    ", + "
  • they show a transaction that covers more than one of the company\u2019s accounting periods
  • ", + "
  • the company has bought something that it expects to last more than 6 years, like equipment or machinery
  • ", + "
  • you sent your Company Tax Return late
  • ", + "
  • HMRC has started a compliance check into your Company Tax Return
  • ", + "

    If your records are lost, stolen or destroyed

    ", + "

    If you cannot replace your records after they were lost, stolen or destroyed you must:

    ", + "
  • do your best to recreate them
  • ", + "
  • tell your Corporation Tax office straight away
  • ", + "
  • include this information in your Company Tax Return
  • ", + "

    Confirmation statement (annual return)

    ", + "

    You need to check that the information Companies House has about your company is correct every year. This is called a confirmation statement (previously an annual return).

    ", + "

    Check your company\u2019s details

    ", + "

    You need to check the following:

    ", + "
  • the details of your registered office, directors, secretary and the address where you keep your records
  • ", + "
  • your statement of capital and shareholder information if your company has shares
  • ", + "
  • your SIC code (the number that identifies what your company does)
  • ", + "
  • your register of \u2018people with significant control\u2019 (PSC)
  • ", + "

    Check the Companies House register.

    ", + "

    Send your confirmation statement

    ", + "

    Send your confirmation statement online or by post. It costs \u00a313 to file your confirmation statement online, and \u00a340 by post.

    ", + "

    If you need to report changes

    ", + "

    You can report changes to your statement of capital, shareholder information and SIC codes at the same time.

    ", + "

    You cannot use the confirmation statement to report changes to:

    ", + "
  • your company\u2019s officers
  • ", + "
  • the registered office address
  • ", + "
  • the address where you keep your records
  • ", + "
  • people with significant control
  • ", + "

    You must file those changes separately with Companies House.

    ", + "

    When it\u2019s due

    ", + "

    Your confirmation statement is due usually a year after either:

    ", + "
  • the date your company incorporated
  • ", + "
  • the date you filed your last annual return or confirmation statement
  • ", + "

    You can file your confirmation statement up to 14 days after the due date.

    ", + "

    Sign up to get an email reminder when your confirmation statement is due.

    ", + "

    You can be fined up to \u00a35,000 and your company may be struck off if you do not send your confirmation statement.

    ", + "

    Signs, stationery and promotional material

    ", + "

    Signs

    ", + "

    You must display a sign showing your company name at your registered company address and wherever your business operates. If you\u2019re running your business from home, you do not need to display a sign there.

    ", + "

    The sign must be easy to read and to see at any time, not just when you\u2019re open.

    ", + "

    Stationery and promotional material

    ", + "

    You must include your company\u2019s name on all company documents, publicity and letters.

    ", + "

    On business letters, order forms and websites, you must show:

    ", + "
  • the company\u2019s registered number
  • ", + "
  • its registered office address
  • ", + "
  • where the company is registered (England and Wales, Scotland or Northern Ireland)
  • ", + "
  • the fact that it\u2019s a limited company (usually by spelling out the company\u2019s full name including \u2018Limited\u2019 or \u2018Ltd\u2019)
  • ", + "

    If you want to include directors\u2019 names, you must list all of them.

    ", + "

    If you want to show your company\u2019s share capital (how much the shares were worth when you issued them), you must say how much is \u2018paid up\u2019 (owned by shareholders).

    ", + "

    There are different rules for what you need to include on invoices.

    " + ] + }, + "https://www.gov.uk/strike-off-your-company-from-companies-register": { + "url": "https://www.gov.uk/strike-off-your-company-from-companies-register", + "title": "Strike off your limited company from the Companies Register", + "content": "## Overview\n\nYou can close down your limited company by getting it \u2018struck off\u2019 the Companies Register, but only if it:\n\n- hasn\u2019t traded or sold off any stock in the last 3 months\n\n- hasn\u2019t changed names in the last 3 months\n\n- isn\u2019t threatened with liquidation\n\n- has no agreements with creditors, eg a Company Voluntary Arrangement (CVA)\n\nIf your company doesn\u2019t meet these conditions, you\u2019ll have to voluntarily liquidate your company instead.\n\nWhen you apply to \u2018strike off\u2019 your company, you have certain responsibilities to close down your business properly.\n\n## Close down your company\n\nBefore applying to strike off your limited company, you must close it down legally. This involves:\n\n- announcing your plans to interested parties and HM Revenue and Customs (HMRC)\n\n- making sure your employees are treated according to the rules\n\n- dealing with your business assets and accounts\n\n## Who you must tell\n\nFill in an application to strike off and send a copy within 7 days to anyone who could be affected. This includes:\n\n- members (usually the shareholders)\n\n- creditors\n\n- employees\n\n- managers or trustees of any employee pension fund\n\n- any directors who didn\u2019t sign the application form\n\nIf you don\u2019t follow the rules on who you must tell, you can face a fine and possible prosecution.\n\n## Employees\n\nIf your company employs staff, you must:\n\n- follow the rules if you make staff redundant\n\n- pay their final wages or salary\n\n## PAYE and National Insurance (NI)\n\nYou\u2019ll need to tell HMRC that your company has stopped employing people.\n\n## Business assets\n\nYou should make sure that any business assets are shared among the shareholders before the company is struck off.\n\nAnything that\u2019s left will go to the Crown - you\u2019ll have to restore the company to get anything back.\n\n## Final accounts\n\nYou must send final statutory accounts and a Company Tax Return to HMRC.\n\nYou don\u2019t have to file final accounts with Companies House.\n\n- Prepare your final accounts and company tax return.\n\n- File your accounts and company tax return, stating that these are the final trading accounts and that the company will soon be dissolved.\n\n- Pay all Corporation Tax and any other outstanding tax liabilities.\n\nIf you\u2019ve made a loss in your final year of trading, you might be able to offset the tax against profits from previous years - this is known as \u2018terminal loss relief\u2019. You can claim this on your final tax return.\n\n## Capital Gains Tax on personal profits\n\nIf you take assets out of the company before it\u2019s struck off, you might have to pay Capital Gains Tax on the amount.\n\nYou might be able to get tax relief on this through Entrepreneurs\u2019 Relief.\n\nYou will work this out on your personal Self Assessment tax return.\n\nIf the amount is worth more than \u00a325,000, it will be treated as income and you\u2019ll have to pay Income Tax on it.\n\n## Keeping records\n\nYou must keep business documents for 7 years after the company is struck off, eg bank statements, invoices and receipts.\n\nIf the company employed people, you must keep copies of its employers\u2019 liability insurance policy and schedule for 40 years from the date the company was dissolved.\n\n## Apply to strike off\n\nTo apply to strike off your limited company, you must send Companies House form DS01.\n\nThe form must be signed by a majority of the company\u2019s directors.\n\nYou should deal with any of the assets of the company before applying, eg close any bank accounts and transfer any domain names.\n\nWhen your company is dissolved, all the remaining assets will pass to the Crown (including any bank balances).\n\nIt costs \u00a310 to strike off a company. You can\u2019t pay using a cheque from an account that belongs to the company you\u2019re striking off.\n\nIt is an offence to make a dishonest application - you can face a fine and possible prosecution.\n\n## What happens next\n\nYou\u2019ll get a letter from Companies House to let you know if you\u2019ve filled in the form correctly. If you have, your request for the company to be struck off will be published as a notice in your local Gazette.\n\nIf nobody objects, the company will be struck off the register once the 2 months mentioned in the notice has passed.\n\nA second notice will be published in the Gazette - this will mean the company won\u2019t legally exist anymore (it will have been \u2018dissolved\u2019).\n\n## More information\n\nRead more guidance on striking off your company.\n\n## Withdraw your application\n\nYou must withdraw your application if your company is no longer eligible to be struck off, eg it is trading or has become insolvent.\n\nYou can withdraw your application if you change your mind. You can only do this if your company is still on the Companies Register.\n\nOnly one director needs to sign the withdrawal form.\n\n## Apply online\n\nYou can withdraw your application using the Companies House online service.\n\n## Apply by post\n\nFill in form DS02 and send it to the address on the form.", + "original_contents": [ + "

    Overview

    ", + "

    You can close down your limited company by getting it \u2018struck off\u2019 the Companies Register, but only if it:

    ", + "
  • hasn\u2019t traded or sold off any stock in the last 3 months
  • ", + "
  • hasn\u2019t changed names in the last 3 months
  • ", + "
  • isn\u2019t threatened with liquidation
  • ", + "
  • has no agreements with creditors, eg a Company Voluntary Arrangement (CVA)
  • ", + "

    If your company doesn\u2019t meet these conditions, you\u2019ll have to voluntarily liquidate your company instead.

    ", + "

    When you apply to \u2018strike off\u2019 your company, you have certain responsibilities to close down your business properly.

    ", + "

    Close down your company

    ", + "

    Before applying to strike off your limited company, you must close it down legally. This involves:

    ", + "
  • announcing your plans to interested parties and HM Revenue and Customs (HMRC)
  • ", + "
  • making sure your employees are treated according to the rules
  • ", + "
  • dealing with your business assets and accounts
  • ", + "

    Who you must tell

    ", + "

    Fill in an application to strike off and send a copy within 7 days to anyone who could be affected. This includes:

    ", + "
  • members (usually the shareholders)
  • ", + "
  • creditors
  • ", + "
  • employees
  • ", + "
  • managers or trustees of any employee pension fund
  • ", + "
  • any directors who didn\u2019t sign the application form
  • ", + "

    If you don\u2019t follow the rules on who you must tell, you can face a fine and possible prosecution.

    ", + "

    Employees

    ", + "

    If your company employs staff, you must:

    ", + "
  • follow the rules if you make staff redundant
  • ", + "
  • pay their final wages or salary
  • ", + "

    PAYE and National Insurance (NI)

    ", + "

    You\u2019ll need to tell HMRC that your company has stopped employing people.

    ", + "

    Business assets

    ", + "

    You should make sure that any business assets are shared among the shareholders before the company is struck off.

    ", + "

    Anything that\u2019s left will go to the Crown - you\u2019ll have to restore the company to get anything back.

    ", + "

    Final accounts

    ", + "

    You must send final statutory accounts and a Company Tax Return to HMRC.

    ", + "

    You don\u2019t have to file final accounts with Companies House.

    ", + "
  • Prepare your final accounts and company tax return.
  • ", + "
  • File your accounts and company tax return, stating that these are the final trading accounts and that the company will soon be dissolved.
  • ", + "
  • Pay all Corporation Tax and any other outstanding tax liabilities.
  • ", + "

    If you\u2019ve made a loss in your final year of trading, you might be able to offset the tax against profits from previous years - this is known as \u2018terminal loss relief\u2019. You can claim this on your final tax return.

    ", + "

    Capital Gains Tax on personal profits

    ", + "

    If you take assets out of the company before it\u2019s struck off, you might have to pay Capital Gains Tax on the amount.

    ", + "

    You might be able to get tax relief on this through Entrepreneurs\u2019 Relief.

    ", + "

    You will work this out on your personal Self Assessment tax return.

    ", + "

    If the amount is worth more than \u00a325,000, it will be treated as income and you\u2019ll have to pay Income Tax on it.

    ", + "

    Keeping records

    ", + "

    You must keep business documents for 7 years after the company is struck off, eg bank statements, invoices and receipts.

    ", + "

    If the company employed people, you must keep copies of its employers\u2019 liability insurance policy and schedule for 40 years from the date the company was dissolved.

    ", + "

    Apply to strike off

    ", + "

    To apply to strike off your limited company, you must send Companies House form DS01.

    ", + "

    The form must be signed by a majority of the company\u2019s directors.

    ", + "

    You should deal with any of the assets of the company before applying, eg close any bank accounts and transfer any domain names.

    ", + "

    When your company is dissolved, all the remaining assets will pass to the Crown (including any bank balances).

    ", + "

    It costs \u00a310 to strike off a company. You can\u2019t pay using a cheque from an account that belongs to the company you\u2019re striking off.

    ", + "

    It is an offence to make a dishonest application - you can face a fine and possible prosecution.

    ", + "

    What happens next

    ", + "

    You\u2019ll get a letter from Companies House to let you know if you\u2019ve filled in the form correctly. If you have, your request for the company to be struck off will be published as a notice in your local Gazette.

    ", + "

    If nobody objects, the company will be struck off the register once the 2 months mentioned in the notice has passed.

    ", + "

    A second notice will be published in the Gazette - this will mean the company won\u2019t legally exist anymore (it will have been \u2018dissolved\u2019).

    ", + "

    More information

    ", + "

    Read more guidance on striking off your company.

    ", + "

    Withdraw your application

    ", + "

    You must withdraw your application if your company is no longer eligible to be struck off, eg it is trading or has become insolvent.

    ", + "

    You can withdraw your application if you change your mind. You can only do this if your company is still on the Companies Register.

    ", + "

    Only one director needs to sign the withdrawal form.

    ", + "

    Apply online

    ", + "

    You can withdraw your application using the Companies House online service.

    ", + "

    Apply by post

    ", + "

    Fill in form DS02 and send it to the address on the form.

    " + ] + }, + "https://www.gov.uk/queens-awards-for-enterprise": { + "url": "https://www.gov.uk/queens-awards-for-enterprise", + "title": "The Queen's Awards for Enterprise", + "content": "## About the awards\n\nThe Queen\u2019s Awards for Enterprise are for outstanding achievement by UK businesses in the categories of:\n\n- innovation\n\n- international trade\n\n- sustainable development\n\n- promoting opportunity through social mobility\n\nFind out if your business is eligible.\n\n## What happens if your company wins\n\nIf you win you\u2019ll be:\n\n- invited to a Royal reception\n\n- presented with the award at your company by one of The Queen\u2019s representatives, a Lord-Lieutenant\n\n- able to fly The Queen\u2019s Awards flag at your main office, and use the emblem on your marketing materials (for example, on your packaging, advertisements, stationery and website)\n\n- given a Grant of Appointment (an official certificate) and a commemorative crystal trophy\n\nThe awards are valid for 5 years.\n\nWinners have reported benefiting from worldwide recognition, increased commercial value, greater press coverage and a boost to staff morale.\n\nFind out when winners are announced.\n\n## Previous winners\n\nView details of previous Queen\u2019s Awards winners.\n\n## Eligibility\n\nTo apply for the Queen\u2019s Award for Enterprise your organisation must:\n\n- be based in the UK (including the Channel Islands and the Isle of Man)\n\n- file its Company Tax Returns with HM Revenue and Customs (HMRC)\n\n- be a self-contained enterprise that markets its own products or services and is under its own management\n\n- have at least 2 full-time UK employees or part-time equivalents\n\n- demonstrate strong corporate social responsibility\n\nYour organisation can be a business or non-profit.\n\nEach of the award categories has additional entry criteria.\n\n## International Trade\n\nTo apply for the International Trade award, you must also:\n\n- have made a minimum of \u00a3100,000 in overseas sales in the first year of your entry and show year-on-year growth\n\n- prove that your organisation has achieved outstanding growth in overseas earnings relative to your business size and sector\n\n- prove steep year-on-year growth (without dips) in overseas sales over 3 years - or substantial year-on-year growth (without dips) over 6 years\n\n## Innovation\n\nTo apply for the Innovation award, you must also:\n\n- have an innovation that has not been sold before\n\n- have had your innovation available on the market for at least 2 years\n\n- have recovered all the investments made in your innovation or show that the innovation will recover its full costs in future\n\n- show outstanding commercial success as a result of innovation over 2 years - or continuous commercial success over 5 years\n\nYour innovation should be in one of the following categories:\n\n- invention, design or production of goods\n\n- performance of services\n\n- marketing and distribution\n\n- after-sale support of goods or services\n\n## Sustainable Development\n\nTo apply for the Sustainable Development award, you must also:\n\n- show how you have achieved outstanding sustainable development for more than 2 years\n\n- provide evidence of the benefits or positive outcomes of your actions or interventions\n\n## Promoting Opportunity through social mobility\n\nTo apply for this award, your organisation must also have supported people from disadvantaged backgrounds in improving their job skills and their chances of finding work.\n\nThis includes doing one or more of the following, for at least 2 years:\n\n- providing work experience or careers advice\n\n- mentoring\n\n- offering interview and job-related training\n\n- making sure your recruitment process is open to everyone\n\nYou\u2019ll need to prove the benefits for:\n\n- the people you\u2019ve supported\n\n- your organisation\n\n- your employees\n\n- the wider community\n\n## Apply\n\nThe Queen\u2019s Awards for Enterprise are free to enter. You can apply for more than one award.\n\nYou\u2019ll need to:\n\n- create an account and register your details\n\n- answer questions about your eligibility - this should take less than 15 minutes\n\n- submit your application by midday on 8 September 2021\n\nApply now\n\n## Queen\u2019s Awards Helpline\n\nContact the Queen\u2019s Awards Helpline if you need help.\n\n## After you've applied\n\n## 2020 awards\n\nWinners have been announced in the London Gazette. The date of the royal reception is to be confirmed.\n\n## 2021 awards\n\n| Time | Step |\n\n| 1 May 2021 | New application period opens for 2021 awards |\n\n| Midday 8 September 2021 | Application period closes |\n\n| October 2021 | Shortlisted organisations notified |\n\n| November 2021 | Shortlisted organisations asked to provide verified commercial figures |\n\n| April 2022 | Winning organisations notified |\n\n| April 2022 | Unsuccessful organisations receive feedback on their applications |\n\n| 21 April 2022 | Winners officially announced in the London Gazette |\n\n| To be confirmed | Representatives from the winning organisations invited to attend a royal reception |", + "original_contents": [ + "

    About the awards

    ", + "

    The Queen\u2019s Awards for Enterprise are for outstanding achievement by UK businesses in the categories of:

    ", + "
  • innovation
  • ", + "
  • international trade
  • ", + "
  • sustainable development
  • ", + "
  • promoting opportunity through social mobility
  • ", + "

    Find out if your business is eligible.

    ", + "

    What happens if your company wins

    ", + "

    If you win you\u2019ll be:

    ", + "
  • invited to a Royal reception
  • ", + "
  • presented with the award at your company by one of The Queen\u2019s representatives, a Lord-Lieutenant
  • ", + "
  • able to fly The Queen\u2019s Awards flag at your main office, and use the emblem on your marketing materials (for example, on your packaging, advertisements, stationery and website)
  • ", + "
  • given a Grant of Appointment (an official certificate) and a commemorative crystal trophy
  • ", + "

    The awards are valid for 5 years.

    ", + "

    Winners have reported benefiting from worldwide recognition, increased commercial value, greater press coverage and a boost to staff morale.

    ", + "

    Find out when winners are announced.

    ", + "

    Previous winners

    ", + "

    View details of previous Queen\u2019s Awards winners.

    ", + "

    Eligibility

    ", + "

    To apply for the Queen\u2019s Award for Enterprise your organisation must:

    ", + "
  • be based in the UK (including the Channel Islands and the Isle of Man)
  • ", + "
  • file its Company Tax Returns with HM Revenue and Customs (HMRC)
  • ", + "
  • be a self-contained enterprise that markets its own products or services and is under its own management
  • ", + "
  • have at least 2 full-time UK employees or part-time equivalents
  • ", + "
  • demonstrate strong corporate social responsibility
  • ", + "

    Your organisation can be a business or non-profit.

    ", + "

    Each of the award categories has additional entry criteria.

    ", + "

    International Trade

    ", + "

    To apply for the International Trade award, you must also:

    ", + "
  • have made a minimum of \u00a3100,000 in overseas sales in the first year of your entry and show year-on-year growth
  • ", + "
  • prove that your organisation has achieved outstanding growth in overseas earnings relative to your business size and sector
  • ", + "
  • prove steep year-on-year growth (without dips) in overseas sales over 3 years - or substantial year-on-year growth (without dips) over 6 years
  • ", + "

    Innovation

    ", + "

    To apply for the Innovation award, you must also:

    ", + "
  • have an innovation that has not been sold before
  • ", + "
  • have had your innovation available on the market for at least 2 years
  • ", + "
  • have recovered all the investments made in your innovation or show that the innovation will recover its full costs in future
  • ", + "
  • show outstanding commercial success as a result of innovation over 2 years - or continuous commercial success over 5 years
  • ", + "

    Your innovation should be in one of the following categories:

    ", + "
  • invention, design or production of goods
  • ", + "
  • performance of services
  • ", + "
  • marketing and distribution
  • ", + "
  • after-sale support of goods or services
  • ", + "

    Sustainable Development

    ", + "

    To apply for the Sustainable Development award, you must also:

    ", + "
  • show how you have achieved outstanding sustainable development for more than 2 years
  • ", + "
  • provide evidence of the benefits or positive outcomes of your actions or interventions
  • ", + "

    Promoting Opportunity through social mobility

    ", + "

    To apply for this award, your organisation must also have supported people from disadvantaged backgrounds in improving their job skills and their chances of finding work.

    ", + "

    This includes doing one or more of the following, for at least 2 years:

    ", + "
  • providing work experience or careers advice
  • ", + "
  • mentoring
  • ", + "
  • offering interview and job-related training
  • ", + "
  • making sure your recruitment process is open to everyone
  • ", + "

    You\u2019ll need to prove the benefits for:

    ", + "
  • the people you\u2019ve supported
  • ", + "
  • your organisation
  • ", + "
  • your employees
  • ", + "
  • the wider community
  • ", + "

    Apply

    ", + "

    The Queen\u2019s Awards for Enterprise are free to enter. You can apply for more than one award.

    ", + "

    You\u2019ll need to:

    ", + "
  • create an account and register your details
  • ", + "
  • answer questions about your eligibility - this should take less than 15 minutes
  • ", + "
  • submit your application by midday on 8 September 2021
  • ", + "

    Apply now

    ", + "

    Queen\u2019s Awards Helpline

    ", + "

    Contact the Queen\u2019s Awards Helpline if you need help.

    ", + "

    After you've applied

    ", + "

    2020 awards

    ", + "

    Winners have been announced in the London Gazette. The date of the royal reception is to be confirmed.

    ", + "

    2021 awards

    ", + "Time | Step", + "1 May 2021 | New application period opens for 2021 awards", + "Midday 8 September 2021 | Application period closes", + "October 2021 | Shortlisted organisations notified", + "November 2021 | Shortlisted organisations asked to provide verified commercial figures", + "April 2022 | Winning organisations notified", + "April 2022 | Unsuccessful organisations receive feedback on their applications", + "21 April 2022 | Winners officially announced in the London Gazette", + "To be confirmed | Representatives from the winning organisations invited to attend a royal reception" + ] + }, + "https://www.gov.uk/employer-reporting-expenses-benefits": { + "url": "https://www.gov.uk/employer-reporting-expenses-benefits", + "title": "Expenses and benefits for employers", + "content": "## Overview\n\nIf you\u2019re an employer and provide expenses or benefits to employees or directors, you might need to tell HM Revenue and Customs (HMRC) and pay tax and National Insurance on them.\n\nExamples of expenses and benefits include:\n\n- company cars\n\n- health insurance\n\n- travel and entertainment expenses\n\n- childcare\n\nThere are different rules for what you have to report and pay depending on the type of expense or benefit that you provide.\n\n## Reporting and paying\n\nAt the end of the tax year you\u2019ll usually need to submit a P11D form to HM Revenue and Customs (HMRC) for each employee you\u2019ve provided with expenses or benefits.\n\nYou\u2019ll also need to submit a P11D(b) form if:\n\n- you\u2019ve submitted any P11D forms\n\n- you\u2019ve paid employees\u2019 expenses or benefits through your payroll\n\n- HMRC have asked you to - either by sending you a form or an email\n\nYour P11D(b) tells HMRC how much Class 1A National Insurance you need to pay on all the expenses and benefits you\u2019ve provided.\n\nIf HMRC have asked you to submit a P11D(b), you can tell them you do not owe Class 1A National Insurance by completing a declaration.\n\n## Paying tax on benefits through your payroll\n\nYou can deduct and pay tax on most employee expenses through your payroll (sometimes called \u2018payrolling\u2019) as long as you\u2019ve registered with HMRC before the start of the tax year (6 April).\n\nYou do not need to submit a P11D form for an employee if you\u2019re paying tax on all their benefits through your payroll.\n\nYou\u2019ll still need to submit a P11D(b) form so you can pay any Class 1A National Insurance you owe.\n\n## What to report\n\nEach expense or benefit is calculated differently. Find the type of expense or benefit you\u2019ve provided to see what you\u2019ll need to report and pay.\n\nFor \u2018minor\u2019 expenses or benefits, you might be able to make a one-off payment, known as a PAYE Settlement Agreement.\n\n## How to report\n\nYou can use any of the following methods:\n\n- commercial payroll software\n\n- HMRC\u2019s PAYE Online service\n\n- HMRC\u2019s Online End of Year Expenses and Benefits service\n\nYou can also download and fill in forms P11D and P11D(b) and send them to the P11D Support Team.\n\n## Correct an error\n\nIf you\u2019re correcting a P11D form include all the benefits and expenses for the tax year, not just the ones you want to change.\n\nIf you\u2019re correcting a P11D(b) form include the total amount of Class 1A National Insurance you need to pay, not the difference from your previous version.\n\nYou must submit a paper form, even if you originally submitted online.\n\nThe forms will show the most recent tax year. Write a different tax year on the form if you need to report for a different year. You must write:\n\n- that you\u2019re using the form to correct an error made in a different year to the one printed on the form\n\n- the tax year you\u2019re making the amendment for\n\n## Where to send forms\n\nSend new or corrected paper forms to:\n\n## Penalties\n\nYou may be charged a penalty if you carelessly or deliberately give inaccurate information in your tax return that results in you:\n\n- not paying enough tax\n\n- over-claiming tax reliefs\n\n## Deadlines\n\n| What you need to do | Deadline |\n\n| Submit your P11D forms online to HMRC | 6 July following the end of the tax year |\n\n| Give your employees a copy of the information on your forms | 6 July |\n\n| Tell HMRC the total amount of Class 1A National Insurance you owe on form P11D(b) | 6 July |\n\n| Pay any Class 1A National Insurance owed on expenses or benefits | Must reach HMRC by 22 July (19 July if you pay by cheque) |\n\n| If you have a PAYE Settlement Agreement pay tax and Class 1B National Insurance | Must reach HMRC by 22 October (19 October if you pay by cheque) |\n\n| Pay any PAYE tax or Class 1 National Insurance owed on expenses or benefits | Pay monthly through payroll |\n\nYou\u2019ll get a penalty of \u00a3100 per 50 employees for each month or part month your P11D(b) is late. You\u2019ll also be charged penalties and interest if you\u2019re late paying HMRC.\n\n## Record keeping\n\nYou must keep a record of all expenses and benefits you provide to your employees.\n\nYour records need to show that you\u2019ve reported accurately and your end-of-year forms are correct.\n\nHM Revenue and Customs (HMRC) may ask to see evidence of how you accounted for each expense or benefit at the end of the tax year.\n\n## What you should keep\n\nYou\u2019ll need to keep a record of:\n\n- the date and details of every expense or benefit you provide\n\n- any information needed to work out the amounts you put on your end-of-year forms\n\n- any payment your employee contributes to an expense or benefit\n\nYou should also keep any correspondence you have with HMRC.\n\nRecords must be kept for 3 years from the end of the tax year they relate to.\n\n## Exemptions and dispensations\n\nYou don\u2019t have to report some routine employee expenses to HM Revenue and Customs (HMRC). This is called an \u2018exemption\u2019.\n\nExemptions have replaced dispensations. You can\u2019t apply for a dispensation any more.\n\n## Expenses covered by an exemption\n\nYou don\u2019t have to report certain business expenses and benefits like:\n\n- business travel\n\n- phone bills\n\n- business entertainment expenses\n\n- uniform and tools for work\n\nTo qualify for an exemption, you must be either be:\n\n- paying a flat rate to your employee as part of their earnings - this must be either a benchmark rate or a special (\u2018bespoke\u2019) rate approved by HMRC\n\n- paying back the employee\u2019s actual costs\n\nYou must deduct and pay tax and National Insurance on all other expenses and benefits you give to your employees, and report them to HMRC as normal.\n\n## Apply for an exemption\n\nYou don\u2019t need to apply for an exemption if you\u2019re paying HMRC\u2019s benchmark rates for allowable expenses.\n\nYou only need to apply for an exemption if you want to pay bespoke rates to your employees.\n\nYou\u2019ll have to give HMRC evidence that the rates you\u2019re suggesting are based on your employees\u2019 actual expenses.\n\n## If you had a dispensation from HMRC\n\nYour dispensation won\u2019t apply after 5 April 2016, but the expenses covered by it should also be covered by the exemption.\n\nIf you agreed bespoke rates with HMRC between 6 April 2011 and 5 April 2016 as part of your dispensation, you can apply to carry on using them.\n\nYou can only use the bespoke rates for up to 5 years from the date they were agreed.\n\n## Checking expenses\n\nYou must have a system in place to check payments you make at benchmark or bespoke rates.\n\nYour employees aren\u2019t allowed to check their own expenses, so someone else within your company needs to do this to make sure they\u2019re legitimate.\n\nTell your employees to keep proof of their expenses, for example receipts or bills, in case you need to check them.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re an employer and provide expenses or benefits to employees or directors, you might need to tell HM Revenue and Customs (HMRC) and pay tax and National Insurance on them.

    ", + "

    Examples of expenses and benefits include:

    ", + "
  • company cars
  • ", + "
  • health insurance
  • ", + "
  • travel and entertainment expenses
  • ", + "
  • childcare
  • ", + "

    There are different rules for what you have to report and pay depending on the type of expense or benefit that you provide.

    ", + "

    Reporting and paying

    ", + "

    At the end of the tax year you\u2019ll usually need to submit a P11D form to HM Revenue and Customs (HMRC) for each employee you\u2019ve provided with expenses or benefits.

    ", + "

    You\u2019ll also need to submit a P11D(b) form if:

    ", + "
  • you\u2019ve submitted any P11D forms
  • ", + "
  • you\u2019ve paid employees\u2019 expenses or benefits through your payroll
  • ", + "
  • HMRC have asked you to - either by sending you a form or an email
  • ", + "

    Your P11D(b) tells HMRC how much Class 1A National Insurance you need to pay on all the expenses and benefits you\u2019ve provided.

    ", + "

    If HMRC have asked you to submit a P11D(b), you can tell them you do not owe Class 1A National Insurance by completing a declaration.

    ", + "

    Paying tax on benefits through your payroll

    ", + "

    You can deduct and pay tax on most employee expenses through your payroll (sometimes called \u2018payrolling\u2019) as long as you\u2019ve registered with HMRC before the start of the tax year (6 April).

    ", + "

    You do not need to submit a P11D form for an employee if you\u2019re paying tax on all their benefits through your payroll.

    ", + "

    You\u2019ll still need to submit a P11D(b) form so you can pay any Class 1A National Insurance you owe.

    ", + "

    What to report

    ", + "

    Each expense or benefit is calculated differently. Find the type of expense or benefit you\u2019ve provided to see what you\u2019ll need to report and pay.

    ", + "

    For \u2018minor\u2019 expenses or benefits, you might be able to make a one-off payment, known as a PAYE Settlement Agreement.

    ", + "

    How to report

    ", + "

    You can use any of the following methods:

    ", + "
  • commercial payroll software
  • ", + "
  • HMRC\u2019s PAYE Online service
  • ", + "
  • HMRC\u2019s Online End of Year Expenses and Benefits service
  • ", + "

    You can also download and fill in forms P11D and P11D(b) and send them to the P11D Support Team.

    ", + "

    Correct an error

    ", + "

    If you\u2019re correcting a P11D form include all the benefits and expenses for the tax year, not just the ones you want to change.

    ", + "

    If you\u2019re correcting a P11D(b) form include the total amount of Class 1A National Insurance you need to pay, not the difference from your previous version.

    ", + "

    You must submit a paper form, even if you originally submitted online.

    ", + "

    The forms will show the most recent tax year. Write a different tax year on the form if you need to report for a different year. You must write:

    ", + "
  • that you\u2019re using the form to correct an error made in a different year to the one printed on the form
  • ", + "
  • the tax year you\u2019re making the amendment for
  • ", + "

    Where to send forms

    ", + "

    Send new or corrected paper forms to:

    ", + "

    Penalties

    ", + "

    You may be charged a penalty if you carelessly or deliberately give inaccurate information in your tax return that results in you:

    ", + "
  • not paying enough tax
  • ", + "
  • over-claiming tax reliefs
  • ", + "

    Deadlines

    ", + "What you need to do | Deadline", + "Submit your P11D forms online to HMRC | 6 July following the end of the tax year", + "Give your employees a copy of the information on your forms | 6 July", + "Tell HMRC the total amount of Class 1A National Insurance you owe on form P11D(b) | 6 July", + "Pay any Class 1A National Insurance owed on expenses or benefits | Must reach HMRC by 22 July (19 July if you pay by cheque)", + "If you have a PAYE Settlement Agreement pay tax and Class 1B National Insurance | Must reach HMRC by 22 October (19 October if you pay by cheque)", + "Pay any PAYE tax or Class 1 National Insurance owed on expenses or benefits | Pay monthly through payroll", + "

    You\u2019ll get a penalty of \u00a3100 per 50 employees for each month or part month your P11D(b) is late. You\u2019ll also be charged penalties and interest if you\u2019re late paying HMRC.

    ", + "

    Record keeping

    ", + "

    You must keep a record of all expenses and benefits you provide to your employees.

    ", + "

    Your records need to show that you\u2019ve reported accurately and your end-of-year forms are correct.

    ", + "

    HM Revenue and Customs (HMRC) may ask to see evidence of how you accounted for each expense or benefit at the end of the tax year.

    ", + "

    What you should keep

    ", + "

    You\u2019ll need to keep a record of:

    ", + "
  • the date and details of every expense or benefit you provide
  • ", + "
  • any information needed to work out the amounts you put on your end-of-year forms
  • ", + "
  • any payment your employee contributes to an expense or benefit
  • ", + "

    You should also keep any correspondence you have with HMRC.

    ", + "

    Records must be kept for 3 years from the end of the tax year they relate to.

    ", + "

    Exemptions and dispensations

    ", + "

    You don\u2019t have to report some routine employee expenses to HM Revenue and Customs (HMRC). This is called an \u2018exemption\u2019.

    ", + "

    Exemptions have replaced dispensations. You can\u2019t apply for a dispensation any more.

    ", + "

    Expenses covered by an exemption

    ", + "

    You don\u2019t have to report certain business expenses and benefits like:

    ", + "
  • business travel
  • ", + "
  • phone bills
  • ", + "
  • business entertainment expenses
  • ", + "
  • uniform and tools for work
  • ", + "

    To qualify for an exemption, you must be either be:

    ", + "
  • paying a flat rate to your employee as part of their earnings - this must be either a benchmark rate or a special (\u2018bespoke\u2019) rate approved by HMRC
  • ", + "
  • paying back the employee\u2019s actual costs
  • ", + "

    You must deduct and pay tax and National Insurance on all other expenses and benefits you give to your employees, and report them to HMRC as normal.

    ", + "

    Apply for an exemption

    ", + "

    You don\u2019t need to apply for an exemption if you\u2019re paying HMRC\u2019s benchmark rates for allowable expenses.

    ", + "

    You only need to apply for an exemption if you want to pay bespoke rates to your employees.

    ", + "

    You\u2019ll have to give HMRC evidence that the rates you\u2019re suggesting are based on your employees\u2019 actual expenses.

    ", + "

    If you had a dispensation from HMRC

    ", + "

    Your dispensation won\u2019t apply after 5 April 2016, but the expenses covered by it should also be covered by the exemption.

    ", + "

    If you agreed bespoke rates with HMRC between 6 April 2011 and 5 April 2016 as part of your dispensation, you can apply to carry on using them.

    ", + "

    You can only use the bespoke rates for up to 5 years from the date they were agreed.

    ", + "

    Checking expenses

    ", + "

    You must have a system in place to check payments you make at benchmark or bespoke rates.

    ", + "

    Your employees aren\u2019t allowed to check their own expenses, so someone else within your company needs to do this to make sure they\u2019re legitimate.

    ", + "

    Tell your employees to keep proof of their expenses, for example receipts or bills, in case you need to check them.

    " + ] + }, + "https://www.gov.uk/expenses-and-benefits-loans-provided-to-employees": { + "url": "https://www.gov.uk/expenses-and-benefits-loans-provided-to-employees", + "title": "Expenses and benefits: loans provided to employees", + "content": "## Overview\n\nAs an employer providing loans to your employees or their relatives, you have certain National Insurance and reporting obligations.\n\n## What\u2019s included\n\nThere are different rules for:\n\n- providing \u2018beneficial loans\u2019, which are interest-free, or at a rate below HMRC\u2019s official interest rate\n\n- providing loans you write off\n\n- charging a director\u2019s personal bills to their loan account within the company\n\n## Beneficial loans\n\nThe rules cover beneficial loans advanced, arranged, facilitated, guaranteed or taken over from someone else by:\n\n- you (the employer)\n\n- a company or partnership you control\n\n- a company or partnership that controls your business\n\n- a person with a material interest in your business\n\nSee the technical guidance for what to do in more complicated situations, eg if you use third-party arrangements to make a loan to your employee.\n\n## What's exempt\n\nYou might not have to report anything to HMRC or pay tax and National Insurance on some types of beneficial loans.\n\nThis includes loans you provide:\n\n- in the normal course of a domestic or family relationship as an individual (not as a company you control, even if you are the sole owner and employee)\n\n- with a combined outstanding value to an employee of less than \u00a310,000 throughout the whole tax year (\u00a35,000 for 2013 to 2014)\n\n- to an employee for a fixed and invariable period, and at a fixed and invariable rate that was equal to or higher than HMRC\u2019s official interest rate when the loan was taken out\n\n- under identical terms and conditions to the general public as well (this mostly applies to commercial lenders)\n\n- that are \u2018qualifying loans\u2019, meaning all of the interest qualifies for tax relief - see the technical guidance for an explanation of this complex area\n\n- using a director\u2019s loan account as long as it\u2019s not overdrawn at any time during the tax year\n\n## Salary sacrifice arrangements\n\nYou do have to report loans to your employees or their relatives if they\u2019re made as part of a salary sacrifice arrangement.\n\n## What to report and pay\n\nIf the loans you provide aren\u2019t exempt, you have to report the costs to HMRC, and deduct or pay National Insurance on them.\n\n## Beneficial loans\n\nIf you or your business provides a beneficial loan, as defined in the overview, you\u2019ll need to:\n\n- report it on form P11D\n\n- pay Class 1A National Insurance on the value of the benefit\n\n## Loans you write off\n\nYou always have to report and pay on loans to employees that you write off, whether or not they are classed as beneficial loans.\n\nYou must:\n\n- report it on form P11D\n\n- deduct and pay Class 1 National Insurance (but not PAYE tax) on the value of the benefit\n\n## Work out the value\n\nYou can work out the value of loans using HMRC\u2019s PAYE Online or commercial payroll software.\n\nYou can also work out the value manually on P11D working sheet 4.\n\n## Salary sacrifice arrangements\n\nIf the cost of the loan is less than the amount of salary given up, report the salary amount instead.\n\nThese rules don\u2019t apply to arrangements made before 6 April 2017 - check when the rules will change.\n\n## Technical guidance\n\nThe following guides contain more detailed information:\n\n- beneficial loans: contents page\n\n- Class 1 National Insurance: loans written off\n\n- loans released or written off\n\n- making a loan: loan made by third party\n\n- contrasting treatment where some or part of the interest would qualify for relief\n\n- director\u2019s loan accounts: overview\n\n- director\u2019s loan accounts: whether withdrawals are loans or earnings\n\n- beneficial loan arrangements (chapter 17 of \u2018Expenses and benefits: a tax guide\u2019)", + "original_contents": [ + "

    Overview

    ", + "

    As an employer providing loans to your employees or their relatives, you have certain National Insurance and reporting obligations.

    ", + "

    What\u2019s included

    ", + "

    There are different rules for:

    ", + "
  • providing \u2018beneficial loans\u2019, which are interest-free, or at a rate below HMRC\u2019s official interest rate
  • ", + "
  • providing loans you write off
  • ", + "
  • charging a director\u2019s personal bills to their loan account within the company
  • ", + "

    Beneficial loans

    ", + "

    The rules cover beneficial loans advanced, arranged, facilitated, guaranteed or taken over from someone else by:

    ", + "
  • you (the employer)
  • ", + "
  • a company or partnership you control
  • ", + "
  • a company or partnership that controls your business
  • ", + "
  • a person with a material interest in your business
  • ", + "

    See the technical guidance for what to do in more complicated situations, eg if you use third-party arrangements to make a loan to your employee.

    ", + "

    What's exempt

    ", + "

    You might not have to report anything to HMRC or pay tax and National Insurance on some types of beneficial loans.

    ", + "

    This includes loans you provide:

    ", + "
  • in the normal course of a domestic or family relationship as an individual (not as a company you control, even if you are the sole owner and employee)
  • ", + "
  • with a combined outstanding value to an employee of less than \u00a310,000 throughout the whole tax year (\u00a35,000 for 2013 to 2014)
  • ", + "
  • to an employee for a fixed and invariable period, and at a fixed and invariable rate that was equal to or higher than HMRC\u2019s official interest rate when the loan was taken out
  • ", + "
  • under identical terms and conditions to the general public as well (this mostly applies to commercial lenders)
  • ", + "
  • that are \u2018qualifying loans\u2019, meaning all of the interest qualifies for tax relief - see the technical guidance for an explanation of this complex area
  • ", + "
  • using a director\u2019s loan account as long as it\u2019s not overdrawn at any time during the tax year
  • ", + "

    Salary sacrifice arrangements

    ", + "

    You do have to report loans to your employees or their relatives if they\u2019re made as part of a salary sacrifice arrangement.

    ", + "

    What to report and pay

    ", + "

    If the loans you provide aren\u2019t exempt, you have to report the costs to HMRC, and deduct or pay National Insurance on them.

    ", + "

    Beneficial loans

    ", + "

    If you or your business provides a beneficial loan, as defined in the overview, you\u2019ll need to:

    ", + "
  • report it on form P11D
  • ", + "
  • pay Class 1A National Insurance on the value of the benefit
  • ", + "

    Loans you write off

    ", + "

    You always have to report and pay on loans to employees that you write off, whether or not they are classed as beneficial loans.

    ", + "

    You must:

    ", + "
  • report it on form P11D
  • ", + "
  • deduct and pay Class 1 National Insurance (but not PAYE tax) on the value of the benefit
  • ", + "

    Work out the value

    ", + "

    You can work out the value of loans using HMRC\u2019s PAYE Online or commercial payroll software.

    ", + "

    You can also work out the value manually on P11D working sheet 4.

    ", + "

    Salary sacrifice arrangements

    ", + "

    If the cost of the loan is less than the amount of salary given up, report the salary amount instead.

    ", + "

    These rules don\u2019t apply to arrangements made before 6 April 2017 - check when the rules will change.

    ", + "

    Technical guidance

    ", + "

    The following guides contain more detailed information:

    ", + "
  • beneficial loans: contents page
  • ", + "
  • Class 1 National Insurance: loans written off
  • ", + "
  • loans released or written off
  • ", + "
  • making a loan: loan made by third party
  • ", + "
  • contrasting treatment where some or part of the interest would qualify for relief
  • ", + "
  • director\u2019s loan accounts: overview
  • ", + "
  • director\u2019s loan accounts: whether withdrawals are loans or earnings
  • ", + "
  • beneficial loan arrangements (chapter 17 of \u2018Expenses and benefits: a tax guide\u2019)
  • " + ] + }, + "https://www.gov.uk/paye-settlement-agreements": { + "url": "https://www.gov.uk/paye-settlement-agreements", + "title": "PAYE Settlement Agreements", + "content": "## Overview\n\nA PAYE Settlement Agreement (PSA) allows you to make one annual payment to cover all the tax and National Insurance due on minor, irregular or impracticable expenses or benefits for your employees.\n\nIf you get a PSA for these items you will not need to:\n\n- put them through your payroll to work out tax and National Insurance\n\n- include them in your end-of-year P11D forms\n\n- pay Class 1A National Insurance on them at the end of the tax year (you pay Class 1B National Insurance as part of your PSA instead)\n\nSome employee expenses are covered by exemptions (which have replaced dispensations). This means you will not have to include them in your end-of-year reports.\n\n## What's included\n\nThe expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.\n\n## Minor\n\nExamples of minor benefits and expenses include:\n\n- incentive awards, for example for long-service\n\n- telephone bills\n\n- small gifts and vouchers\n\n- staff entertainment, for example a ticket to an event\n\n- non-business expenses while travelling overnight on business that are over the daily limit\n\nYou do not need to include trivial benefits in your PSA.\n\n## Irregular\n\nIrregular benefits and expenses are things that are not paid at regular intervals over the course of a tax year, for example weekly or monthly. They\u2019re also things that employees do not have a contractual right to. Examples of irregular expenses and benefits include:\n\n- relocation expenses over \u00a38,000 (these are tax-free below \u00a38,000)\n\n- the cost of attending overseas conferences\n\n- expenses of a spouse accompanying an employee abroad\n\n- use of a company holiday flat\n\n## Impracticable\n\nImpracticable expenses and benefits are things that are difficult to place a value on or divide up between individual employees. Examples of impracticable expenses and benefits include:\n\n- staff entertainment that is not exempt from tax or National Insurance Contributions\n\n- shared cars\n\n- personal care expenses, for example hairdressing\n\n## What\u2019s not included\n\nYou cannot include wages, high-value benefits like company cars, or cash payments such as:\n\n- bonuses\n\n- round sum allowances\n\n- beneficial loans in a PSA\n\nIf you apply after the start of the tax year, there are extra restrictions on what you can include.\n\n## How to get a PSA\n\n- Write to HM Revenue and Customs (HMRC) Business Tax and Customs describing the expenses and benefits you want the PAYE Settlement Agreement (PSA) to cover.\n\n- Once they\u2019ve agreed on what can be included, they\u2019ll send you 2 draft copies of form P626. Sign and return both copies. HMRC will authorise your request and send back a form - this is your PSA.\n\n- You\u2019ll need to report anything that cannot be included separately using form P11D. You do not need to send a P11D if you\u2019re paying employees\u2019 expenses and benefits through your payroll.\n\n- Use form PSA1 to help you calculate the overall amount you\u2019ll need to pay. If you do not, HMRC will calculate the amount. You\u2019ll be charged more if this happens.\n\n- Send the completed form to HMRC as soon as possible after the end of the tax year. They\u2019ll get in touch with you before 19 October following the tax year that the PSA covers to confirm the total tax and National Insurance you need to pay.\n\nYou\u2019ll need to give an agent a signed letter of authority to make a PSA on your behalf if they do not have authorisation to do so.\n\nContact the HMRC employer helpline for advice on getting and calculating your PSA.\n\n## What happens next\n\nThe agreement will continue until either you or HMRC cancels it or you need to change it. You do not need to renew the PSA each tax year.\n\n## Deadlines and payment\n\nThe deadline for applying for a PAYE Settlement Agreement (PSA) is 5 July following the first tax year it applies to.\n\n## When to pay\n\nYou must pay any tax and National Insurance owed under a PSA by 22 October after the tax year the PSA applies to (19 October if you pay by post).\n\nYou may be fined or charged interest if you do not pay or your payment is late.\n\n## What to pay when the PSA is first approved\n\nIf HM Revenue and Customs (HMRC) approves your PSA before the start of a tax year, you can include any expenses and benefits contained in the agreement.\n\nIf they approve it after the start of the tax year, you might need to report some items separately.\n\n## If your PSA is approved before 6 April\n\nYou must use form P11D to report expenses and benefits provided before the agreement date that you:\n\n- have already included in your employee\u2019s tax code\n\n- included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions\n\n## If your PSA is approved between 6 April and 5 July\n\nYou must use form P11D to report expenses and benefits provided during the tax year that you:\n\n- have already included in your employee\u2019s tax code\n\n- included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions\n\n## Change or cancel a PSA\n\nTo change the items covered by your PAYE Settlement Agreement (PSA), send details of the changes to the office that issued it. HM Revenue and Customs (HMRC) will send you a revised P626 that you need to sign and return.\n\n## Cancel a PSA\n\nTo cancel your PSA, fill in the return slip section of the P626 and send it to HMRC.\n\nHMRC will cancel your PSA on the date you put on the return slip.\n\nYou need to report any outstanding tax and National Insurance Contributions (NICs) due on benefits and expenses using forms P11D and PSA1.\n\nYou need to pay any outstanding tax and NICs by 22 October after the tax year the PSA applies to (19 October if you pay by post).\n\nYou need to pay any NICs owed on expenses or benefits listed on the P11D form by 22 July after the tax year it applies to (19 July if you pay by post).\n\nIf you continue providing benefits after you\u2019ve cancelled your PSA, you need to either:\n\n- report them on a P11D form\n\n- put them through payroll\n\nYou can pay any tax or NICs due via PAYE.", + "original_contents": [ + "

    Overview

    ", + "

    A PAYE Settlement Agreement (PSA) allows you to make one annual payment to cover all the tax and National Insurance due on minor, irregular or impracticable expenses or benefits for your employees.

    ", + "

    If you get a PSA for these items you will not need to:

    ", + "
  • put them through your payroll to work out tax and National Insurance
  • ", + "
  • include them in your end-of-year P11D forms
  • ", + "
  • pay Class 1A National Insurance on them at the end of the tax year (you pay Class 1B National Insurance as part of your PSA instead)
  • ", + "

    Some employee expenses are covered by exemptions (which have replaced dispensations). This means you will not have to include them in your end-of-year reports.

    ", + "

    What's included

    ", + "

    The expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.

    ", + "

    Minor

    ", + "

    Examples of minor benefits and expenses include:

    ", + "
  • incentive awards, for example for long-service
  • ", + "
  • telephone bills
  • ", + "
  • small gifts and vouchers
  • ", + "
  • staff entertainment, for example a ticket to an event
  • ", + "
  • non-business expenses while travelling overnight on business that are over the daily limit
  • ", + "

    You do not need to include trivial benefits in your PSA.

    ", + "

    Irregular

    ", + "

    Irregular benefits and expenses are things that are not paid at regular intervals over the course of a tax year, for example weekly or monthly. They\u2019re also things that employees do not have a contractual right to. Examples of irregular expenses and benefits include:

    ", + "
  • relocation expenses over \u00a38,000 (these are tax-free below \u00a38,000)
  • ", + "
  • the cost of attending overseas conferences
  • ", + "
  • expenses of a spouse accompanying an employee abroad
  • ", + "
  • use of a company holiday flat
  • ", + "

    Impracticable

    ", + "

    Impracticable expenses and benefits are things that are difficult to place a value on or divide up between individual employees. Examples of impracticable expenses and benefits include:

    ", + "
  • staff entertainment that is not exempt from tax or National Insurance Contributions
  • ", + "
  • shared cars
  • ", + "
  • personal care expenses, for example hairdressing
  • ", + "

    What\u2019s not included

    ", + "

    You cannot include wages, high-value benefits like company cars, or cash payments such as:

    ", + "
  • bonuses
  • ", + "
  • round sum allowances
  • ", + "
  • beneficial loans in a PSA
  • ", + "

    If you apply after the start of the tax year, there are extra restrictions on what you can include.

    ", + "

    How to get a PSA

    ", + "
  • Write to HM Revenue and Customs (HMRC) Business Tax and Customs describing the expenses and benefits you want the PAYE Settlement Agreement (PSA) to cover.
  • ", + "
  • Once they\u2019ve agreed on what can be included, they\u2019ll send you 2 draft copies of form P626. Sign and return both copies. HMRC will authorise your request and send back a form - this is your PSA.
  • ", + "
  • You\u2019ll need to report anything that cannot be included separately using form P11D. You do not need to send a P11D if you\u2019re paying employees\u2019 expenses and benefits through your payroll.
  • ", + "
  • Use form PSA1 to help you calculate the overall amount you\u2019ll need to pay. If you do not, HMRC will calculate the amount. You\u2019ll be charged more if this happens.
  • ", + "
  • Send the completed form to HMRC as soon as possible after the end of the tax year. They\u2019ll get in touch with you before 19 October following the tax year that the PSA covers to confirm the total tax and National Insurance you need to pay.
  • ", + "

    You\u2019ll need to give an agent a signed letter of authority to make a PSA on your behalf if they do not have authorisation to do so.

    ", + "

    Contact the HMRC employer helpline for advice on getting and calculating your PSA.

    ", + "

    What happens next

    ", + "

    The agreement will continue until either you or HMRC cancels it or you need to change it. You do not need to renew the PSA each tax year.

    ", + "

    Deadlines and payment

    ", + "

    The deadline for applying for a PAYE Settlement Agreement (PSA) is 5 July following the first tax year it applies to.

    ", + "

    When to pay

    ", + "

    You must pay any tax and National Insurance owed under a PSA by 22 October after the tax year the PSA applies to (19 October if you pay by post).

    ", + "

    You may be fined or charged interest if you do not pay or your payment is late.

    ", + "

    What to pay when the PSA is first approved

    ", + "

    If HM Revenue and Customs (HMRC) approves your PSA before the start of a tax year, you can include any expenses and benefits contained in the agreement.

    ", + "

    If they approve it after the start of the tax year, you might need to report some items separately.

    ", + "

    If your PSA is approved before 6 April

    ", + "

    You must use form P11D to report expenses and benefits provided before the agreement date that you:

    ", + "
  • have already included in your employee\u2019s tax code
  • ", + "
  • included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions
  • ", + "

    If your PSA is approved between 6 April and 5 July

    ", + "

    You must use form P11D to report expenses and benefits provided during the tax year that you:

    ", + "
  • have already included in your employee\u2019s tax code
  • ", + "
  • included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions
  • ", + "

    Change or cancel a PSA

    ", + "

    To change the items covered by your PAYE Settlement Agreement (PSA), send details of the changes to the office that issued it. HM Revenue and Customs (HMRC) will send you a revised P626 that you need to sign and return.

    ", + "

    Cancel a PSA

    ", + "

    To cancel your PSA, fill in the return slip section of the P626 and send it to HMRC.

    ", + "

    HMRC will cancel your PSA on the date you put on the return slip.

    ", + "

    You need to report any outstanding tax and National Insurance Contributions (NICs) due on benefits and expenses using forms P11D and PSA1.

    ", + "

    You need to pay any outstanding tax and NICs by 22 October after the tax year the PSA applies to (19 October if you pay by post).

    ", + "

    You need to pay any NICs owed on expenses or benefits listed on the P11D form by 22 July after the tax year it applies to (19 July if you pay by post).

    ", + "

    If you continue providing benefits after you\u2019ve cancelled your PSA, you need to either:

    ", + "
  • report them on a P11D form
  • ", + "
  • put them through payroll
  • ", + "

    You can pay any tax or NICs due via PAYE.

    " + ] + }, + "https://www.gov.uk/claiming-money-or-property-from-dissolved-company": { + "url": "https://www.gov.uk/claiming-money-or-property-from-dissolved-company", + "title": "Claiming money or property from a dissolved company", + "content": "## Overview\n\nWhen a company is dissolved, all of its assets pass to the Crown and are legally known as \u2018bona vacantia\u2019 (ownerless property). Assets include:\n\n- property and land\n\n- mortgages\n\n- shares\n\n- intellectual property, for example trademarks, registered designs and patents\n\n## Claiming or buying assets\n\nYou may be able to claim money back or buy assets from the dissolved company by:\n\n- getting a court order to restore the company - if they owe you money\n\n- buying or claiming some of their assets - if you\u2019re affected by the company closing\n\n- applying for a discretionary grant - if you were a shareholder\n\nYou can get legal advice about the best way to claim back your money.\n\n## Get a court order to restore a company\n\nYou may be able to apply for a court order to restore a company if:\n\n- you did business with them\n\n- you worked for them\n\n- they owed you money when they were dissolved\n\n- you\u2019re responsible for their employee pension fund\n\n- you have a shared or competing interest in land\n\n- you were a shareholder or director when it was dissolved\n\nYou may be able to restore the company without a court order if you were a director or shareholder of a dissolved company.\n\n## How to apply\n\nDownload and fill in a claim to restore by court order (form N208) to apply for court order restoration in England and Wales.\n\nHM Courts and Tribunals service has guidance notes on filling in form N208 if you need help.\n\nFind the company\u2019s registered office and send your completed form to their nearest county court that deals with bankruptcy.\n\nIf you\u2019re not sure where to send the form then contact the Royal Courts of Justice.\n\nYou\u2019ll also need to include:\n\n- the \u00a3280 court fee (cash, postal order or cheque made payable to \u2018Her Majesty\u2019s Courts and Tribunals Service\u2019)\n\n- a witness statement, containing the supporting information outlined in section 4 of the Treasury Solicitor\u2019s guide to company restoration\n\n## In Scotland\n\nApply to the Court of Session if the initial value of the company\u2019s shares that have been paid for (\u2018paid-up capital\u2019) is more than \u00a3120,000.\n\nApply to the local sheriff court for other companies.\n\nYou\u2019ll then have to serve a \u2018petition to restore\u2019 on the Registrar of Companies in Scotland, and any other bodies the court asks you to.\n\n## In Northern Ireland\n\nApply by serving an \u2018originating summons\u2019 on the Royal Courts of Justice:\n\nYou also need to send this to the Registrar of Companies in Northern Ireland, along with a witness statement in support of the application.\n\n## What happens next\n\nIf your claim is accepted, the court will issue an order to restore a company - you\u2019ll be sent this, and you must send it on to the Registrar of Companies. Once they have it they will restore the company.\n\nYou\u2019ll then need to take further action to try and get your money:\n\n- get a \u2018judgment\u2019 from court for the amount of the money you\u2019re owed together with interest and costs\n\n- issue a statutory demand\n\n- take out a winding up petition\n\n## Buy a dissolved company's assets\n\nYou may be able to claim or buy an asset belonging to a dissolved company by asking the body representing the Crown. This is known as \u2018referring\u2019 an asset.\n\nWho you ask depends on where the company was registered.\n\nAnybody can refer an asset, for example if:\n\n- you\u2019re the leaseholder of a property where the company owned the freehold\n\n- you want to buy or are affected by land owned by the company\n\n- you want to buy other assets of the company like shares, trade marks or copyrights\n\n- you\u2019re a shareholder trying to get cash held by the company\n\n## How to refer an asset\n\nThe Treasury Solicitor looks after dissolved company assets in England and Wales (but not Cornwall or Lancashire).\n\nFind out how to refer an asset to the Treasury Solicitor.\n\nYou can also write to:\n\n## Other bodies that represent the Crown\n\nElsewhere, dissolved companies\u2019 assets are dealt with by:\n\n- in Cornwall and Lancashire - Farrer and Co\n\n- in Scotland - The Queen\u2019s and Lord Treasurer\u2019s Remembrancer\n\n- in Northern Ireland - phone or write to the Crown Solicitor\u2019s Office for Northern Ireland\n\n## Apply for a discretionary grant\n\nYou may be able to get back a dissolved company\u2019s assets if you were one of its shareholders.\n\n## How to apply\n\nIn England and Wales (but not Cornwall or Lancashire) you must apply to the Treasury Solicitor.\n\nHow you apply depends on whether the company can be restored or not.\n\nThe Treasury Solicitor has guidance on what you should do if:\n\n- the company can be restored\n\n- the company cannot be restored\n\n## Companies in Scotland, Northern Ireland, Cornwall and Lancashire\n\nProperty owned by dissolved companies is dealt with:\n\n- in Cornwall and Lancashire - Farrer and Co\n\n- in Scotland - The Queen\u2019s and Lord Treasurer\u2019s Remembrancer\n\n- in Northern Ireland - the Crown Solicitor\u2019s Office for Northern Ireland", + "original_contents": [ + "

    Overview

    ", + "

    When a company is dissolved, all of its assets pass to the Crown and are legally known as \u2018bona vacantia\u2019 (ownerless property). Assets include:

    ", + "
  • property and land
  • ", + "
  • mortgages
  • ", + "
  • shares
  • ", + "
  • intellectual property, for example trademarks, registered designs and patents
  • ", + "

    Claiming or buying assets

    ", + "

    You may be able to claim money back or buy assets from the dissolved company by:

    ", + "
  • getting a court order to restore the company - if they owe you money
  • ", + "
  • buying or claiming some of their assets - if you\u2019re affected by the company closing
  • ", + "
  • applying for a discretionary grant - if you were a shareholder
  • ", + "

    You can get legal advice about the best way to claim back your money.

    ", + "

    Get a court order to restore a company

    ", + "

    You may be able to apply for a court order to restore a company if:

    ", + "
  • you did business with them
  • ", + "
  • you worked for them
  • ", + "
  • they owed you money when they were dissolved
  • ", + "
  • you\u2019re responsible for their employee pension fund
  • ", + "
  • you have a shared or competing interest in land
  • ", + "
  • you were a shareholder or director when it was dissolved
  • ", + "

    You may be able to restore the company without a court order if you were a director or shareholder of a dissolved company.

    ", + "

    How to apply

    ", + "

    Download and fill in a claim to restore by court order (form N208) to apply for court order restoration in England and Wales.

    ", + "

    HM Courts and Tribunals service has guidance notes on filling in form N208 if you need help.

    ", + "

    Find the company\u2019s registered office and send your completed form to their nearest county court that deals with bankruptcy.

    ", + "

    If you\u2019re not sure where to send the form then contact the Royal Courts of Justice.

    ", + "

    You\u2019ll also need to include:

    ", + "
  • the \u00a3280 court fee (cash, postal order or cheque made payable to \u2018Her Majesty\u2019s Courts and Tribunals Service\u2019)
  • ", + "
  • a witness statement, containing the supporting information outlined in section 4 of the Treasury Solicitor\u2019s guide to company restoration
  • ", + "

    In Scotland

    ", + "

    Apply to the Court of Session if the initial value of the company\u2019s shares that have been paid for (\u2018paid-up capital\u2019) is more than \u00a3120,000.

    ", + "

    Apply to the local sheriff court for other companies.

    ", + "

    You\u2019ll then have to serve a \u2018petition to restore\u2019 on the Registrar of Companies in Scotland, and any other bodies the court asks you to.

    ", + "

    In Northern Ireland

    ", + "

    Apply by serving an \u2018originating summons\u2019 on the Royal Courts of Justice:

    ", + "

    You also need to send this to the Registrar of Companies in Northern Ireland, along with a witness statement in support of the application.

    ", + "

    What happens next

    ", + "

    If your claim is accepted, the court will issue an order to restore a company - you\u2019ll be sent this, and you must send it on to the Registrar of Companies. Once they have it they will restore the company.

    ", + "

    You\u2019ll then need to take further action to try and get your money:

    ", + "
  • get a \u2018judgment\u2019 from court for the amount of the money you\u2019re owed together with interest and costs
  • ", + "
  • issue a statutory demand
  • ", + "
  • take out a winding up petition
  • ", + "

    Buy a dissolved company's assets

    ", + "

    You may be able to claim or buy an asset belonging to a dissolved company by asking the body representing the Crown. This is known as \u2018referring\u2019 an asset.

    ", + "

    Who you ask depends on where the company was registered.

    ", + "

    Anybody can refer an asset, for example if:

    ", + "
  • you\u2019re the leaseholder of a property where the company owned the freehold
  • ", + "
  • you want to buy or are affected by land owned by the company
  • ", + "
  • you want to buy other assets of the company like shares, trade marks or copyrights
  • ", + "
  • you\u2019re a shareholder trying to get cash held by the company
  • ", + "

    How to refer an asset

    ", + "

    The Treasury Solicitor looks after dissolved company assets in England and Wales (but not Cornwall or Lancashire).

    ", + "

    Find out how to refer an asset to the Treasury Solicitor.

    ", + "

    You can also write to:

    ", + "

    Other bodies that represent the Crown

    ", + "

    Elsewhere, dissolved companies\u2019 assets are dealt with by:

    ", + "
  • in Cornwall and Lancashire - Farrer and Co
  • ", + "
  • in Scotland - The Queen\u2019s and Lord Treasurer\u2019s Remembrancer
  • ", + "
  • in Northern Ireland - phone or write to the Crown Solicitor\u2019s Office for Northern Ireland
  • ", + "

    Apply for a discretionary grant

    ", + "

    You may be able to get back a dissolved company\u2019s assets if you were one of its shareholders.

    ", + "

    How to apply

    ", + "

    In England and Wales (but not Cornwall or Lancashire) you must apply to the Treasury Solicitor.

    ", + "

    How you apply depends on whether the company can be restored or not.

    ", + "

    The Treasury Solicitor has guidance on what you should do if:

    ", + "
  • the company can be restored
  • ", + "
  • the company cannot be restored
  • ", + "

    Companies in Scotland, Northern Ireland, Cornwall and Lancashire

    ", + "

    Property owned by dissolved companies is dealt with:

    ", + "
  • in Cornwall and Lancashire - Farrer and Co
  • ", + "
  • in Scotland - The Queen\u2019s and Lord Treasurer\u2019s Remembrancer
  • ", + "
  • in Northern Ireland - the Crown Solicitor\u2019s Office for Northern Ireland
  • " + ] + }, + "https://www.gov.uk/county-court-judgments-ccj-for-debt": { + "url": "https://www.gov.uk/county-court-judgments-ccj-for-debt", + "title": "County court judgments for debt", + "content": "## Overview\n\nYou may get a county court judgment (CCJ) or high court judgment if someone takes court action against you (saying you owe them money) and you do not respond.\n\nYou must respond to the court claim by the date on the email or letter you receive.\n\nIf you get a judgment, this means that the court has formally decided that you owe the money.\n\nThe judgment will come in the post and will explain:\n\n- how much you owe\n\n- how to pay (in full or in instalments)\n\n- the deadline for paying\n\n- who to pay\n\nRecords of judgments are kept for 6 years unless you pay the full amount within a month - this can make it hard to get credit.\n\n## What you can do if you get a judgment\n\nIf you do owe the money, you\u2019ll need to pay it back. If you cannot afford to, you can ask to:\n\n- change the terms of (\u2018vary\u2019) the judgment\n\n- pay it back in instalments\n\nFind out what options you have for paying the judgment.\n\nYou can apply for the judgment to be cancelled (or \u2018set aside\u2019) if:\n\n- you do not owe the money\n\n- you did not receive, or did not respond to, the original claim from the court saying you owed the money\n\nFind out how to apply for the judgment to be cancelled.\n\nIf you get a judgment, do not ignore it - you could be taken back to court and forced to pay.\n\n## Court judgments for debt in Scotland\n\nThe law is different in Scotland - read guidance from the Accountant in Bankruptcy (Scotland\u2019s insolvency service).\n\n## Pay the judgment - if you do owe the money\n\nYou\u2019ll have to pay the person or business you owe the money to, or their solicitor. The name and address will be on the judgment form. Do not pay the court.\n\nMake sure you can prove you\u2019ve paid. Send a cheque or postal order by post, or make a bank transfer. Do not send cash through the post.\n\nKeep a record of your payments and make sure you pay in time.\n\n## Pay in instalments\n\nIf you\u2019re paying in instalments, ask the person or business you owe the money to about the best way to pay.\n\nYou may want to set up a standing order to pay the money directly from your bank account.\n\nIf you\u2019re late with your payments, you could be taken back to court and you may have to pay extra costs.\n\n## Ask to change the payments\n\nYou can ask to change the terms of the judgment - for example, how and when you pay.\n\nTo do this, fill in the N245 application form.\n\nGive details of your income and spending, and say how much you can realistically afford to pay.\n\nYou may have to pay a court fee.\n\nIf your offer is rejected, the court will decide on the amount you have to pay.\n\n## If you do not pay what the court has ordered\n\nIf you do not pay as ordered, the person or business you owe money to may:\n\n- threaten you with bailiffs to collect the money\n\n- ask the court to take action against you to force you to pay\n\n## If you\u2019re threatened with bailiffs\n\nThe person or business you owe money to may use bailiffs to collect the money.\n\nThey\u2019ll have to apply to the court for a \u2018warrant\u2019, which will give the bailiff the right to visit your home or property. You\u2019ll be given 7 days to pay before they visit.\n\nYou may be able to stop the bailiff from visiting, by filling in the N245 application form.\n\nSay on the form how you\u2019ll repay the money - for example weekly or monthly payments. If your offer is accepted, the warrant will be stopped as long as you keep up with the payments.\n\n## Actions the court can take against you to force you to pay\n\nThe court may decide to:\n\n- order a deduction from your earnings\n\n- freeze money in your bank or building society account\n\n- deduct the money you owe when you sell your property (such as a house, land, stocks or shares)\n\n- order you to come to court to answer questions about things like your earnings or employment status\n\n## If you have other judgments or debts\n\nIf you have another judgment against you, you can arrange to pay all your debts to the court in a single weekly or monthly payment.\n\nThis will stop people taking action against you to get their money - for example by sending bailiffs to your home.\n\nYou can only do this if your total debts are under \u00a35,000.\n\nYou\u2019ll need to fill in the application for an administration order (N92).\n\nContact the court if you cannot keep up with the payments.\n\n## Cancel the judgment\n\nIf you do not owe the money, you can ask the court to cancel the county court judgment (CCJ) or high court judgment. This is known as getting the judgment \u2018set aside\u2019.\n\nYou can also do this if you did not receive, or did not respond to, the original claim from the court saying you owed the money.\n\n## Apply to get the judgment set aside\n\nTo get a judgment set aside, fill in the application notice (N244) and send it to the court.\n\nYou may have to pay a court fee of \u00a3255.\n\nYou\u2019ll have to go to a private hearing at the court to explain why you do not owe the money.\n\nIf you do not go to the hearing, your application will be rejected and you\u2019ll have to pay the amount in the judgment.\n\n## CCJs and your credit rating\n\nIf you get a county court judgment (CCJ) or a high court judgment, it will stay on the Register of Judgments, Orders and Fines for 6 years.\n\nBanks and loan companies use this information to decide whether to give you credit or loans.\n\n## If you pay within one month\n\nIf you pay the full amount within one month, you can get the judgment removed from the register.\n\nWrite to the court to say you\u2019ve paid. You\u2019ll need to send proof of payment from the person or business you owed money to.\n\n## If you pay after one month\n\nIf you pay after one month, you can get the record of the judgment marked as \u2018satisfied\u2019 in the register.\n\nIt will stay on the register for 6 years but people searching the register will see that you\u2019ve paid.\n\nWrite to the court to say you\u2019ve paid. You\u2019ll need to send proof of payment from the person or business you owed money to.\n\n## Getting a certificate of cancellation or satisfaction\n\nIf you want proof from the court that you\u2019ve paid, you can apply for:\n\n- a certificate of cancellation - if you paid within one month\n\n- a certificate of satisfaction - if you paid after one month\n\nApply for the certificate in writing or by sending form N443 to the court that is dealing with your case.\n\nYou\u2019ll need to include a cheque for \u00a314 - make it payable to \u2018HMCTS\u2019. \nIf you want to pay by card, contact the court that\u2019s handling your case.\n\n## If you cannot get proof of payment\n\nIf you cannot get proof from the person or business you owed money to, you can still apply for a certificate of cancellation or satisfaction using form N443.\n\nYou\u2019ll need to send evidence to the court showing you made the payment, for example a bank statement. If you do not have evidence, explain this on the form.\n\nThe court will write to the person or business you owed money to. If they do not respond within 30 days, the court will use your evidence to make a decision.\n\n## Search the register of judgments\n\nYou can search for details of any judgments against you on the register of judgments.\n\nYou\u2019ll have to pay a small fee - each search costs between \u00a36 and \u00a310.\n\nIf the information on the register is wrong, contact Trust Online, who will check the details with the court:", + "original_contents": [ + "

    Overview

    ", + "

    You may get a county court judgment (CCJ) or high court judgment if someone takes court action against you (saying you owe them money) and you do not respond.

    ", + "

    You must respond to the court claim by the date on the email or letter you receive.

    ", + "

    If you get a judgment, this means that the court has formally decided that you owe the money.

    ", + "

    The judgment will come in the post and will explain:

    ", + "
  • how much you owe
  • ", + "
  • how to pay (in full or in instalments)
  • ", + "
  • the deadline for paying
  • ", + "
  • who to pay
  • ", + "

    Records of judgments are kept for 6 years unless you pay the full amount within a month - this can make it hard to get credit.

    ", + "

    What you can do if you get a judgment

    ", + "

    If you do owe the money, you\u2019ll need to pay it back. If you cannot afford to, you can ask to:

    ", + "
  • change the terms of (\u2018vary\u2019) the judgment
  • ", + "
  • pay it back in instalments
  • ", + "

    Find out what options you have for paying the judgment.

    ", + "

    You can apply for the judgment to be cancelled (or \u2018set aside\u2019) if:

    ", + "
  • you do not owe the money
  • ", + "
  • you did not receive, or did not respond to, the original claim from the court saying you owed the money
  • ", + "

    Find out how to apply for the judgment to be cancelled.

    ", + "

    If you get a judgment, do not ignore it - you could be taken back to court and forced to pay.

    ", + "

    Court judgments for debt in Scotland

    ", + "

    The law is different in Scotland - read guidance from the Accountant in Bankruptcy (Scotland\u2019s insolvency service).

    ", + "

    Pay the judgment - if you do owe the money

    ", + "

    You\u2019ll have to pay the person or business you owe the money to, or their solicitor. The name and address will be on the judgment form. Do not pay the court.

    ", + "

    Make sure you can prove you\u2019ve paid. Send a cheque or postal order by post, or make a bank transfer. Do not send cash through the post.

    ", + "

    Keep a record of your payments and make sure you pay in time.

    ", + "

    Pay in instalments

    ", + "

    If you\u2019re paying in instalments, ask the person or business you owe the money to about the best way to pay.

    ", + "

    You may want to set up a standing order to pay the money directly from your bank account.

    ", + "

    If you\u2019re late with your payments, you could be taken back to court and you may have to pay extra costs.

    ", + "

    Ask to change the payments

    ", + "

    You can ask to change the terms of the judgment - for example, how and when you pay.

    ", + "

    To do this, fill in the N245 application form.

    ", + "

    Give details of your income and spending, and say how much you can realistically afford to pay.

    ", + "

    You may have to pay a court fee.

    ", + "

    If your offer is rejected, the court will decide on the amount you have to pay.

    ", + "

    If you do not pay what the court has ordered

    ", + "

    If you do not pay as ordered, the person or business you owe money to may:

    ", + "
  • threaten you with bailiffs to collect the money
  • ", + "
  • ask the court to take action against you to force you to pay
  • ", + "

    If you\u2019re threatened with bailiffs

    ", + "

    The person or business you owe money to may use bailiffs to collect the money.

    ", + "

    They\u2019ll have to apply to the court for a \u2018warrant\u2019, which will give the bailiff the right to visit your home or property. You\u2019ll be given 7 days to pay before they visit.

    ", + "

    You may be able to stop the bailiff from visiting, by filling in the N245 application form.

    ", + "

    Say on the form how you\u2019ll repay the money - for example weekly or monthly payments. If your offer is accepted, the warrant will be stopped as long as you keep up with the payments.

    ", + "

    Actions the court can take against you to force you to pay

    ", + "

    The court may decide to:

    ", + "
  • order a deduction from your earnings
  • ", + "
  • freeze money in your bank or building society account
  • ", + "
  • deduct the money you owe when you sell your property (such as a house, land, stocks or shares)
  • ", + "
  • order you to come to court to answer questions about things like your earnings or employment status
  • ", + "

    If you have other judgments or debts

    ", + "

    If you have another judgment against you, you can arrange to pay all your debts to the court in a single weekly or monthly payment.

    ", + "

    This will stop people taking action against you to get their money - for example by sending bailiffs to your home.

    ", + "

    You can only do this if your total debts are under \u00a35,000.

    ", + "

    You\u2019ll need to fill in the application for an administration order (N92).

    ", + "

    Contact the court if you cannot keep up with the payments.

    ", + "

    Cancel the judgment

    ", + "

    If you do not owe the money, you can ask the court to cancel the county court judgment (CCJ) or high court judgment. This is known as getting the judgment \u2018set aside\u2019.

    ", + "

    You can also do this if you did not receive, or did not respond to, the original claim from the court saying you owed the money.

    ", + "

    Apply to get the judgment set aside

    ", + "

    To get a judgment set aside, fill in the application notice (N244) and send it to the court.

    ", + "

    You may have to pay a court fee of \u00a3255.

    ", + "

    You\u2019ll have to go to a private hearing at the court to explain why you do not owe the money.

    ", + "

    If you do not go to the hearing, your application will be rejected and you\u2019ll have to pay the amount in the judgment.

    ", + "

    CCJs and your credit rating

    ", + "

    If you get a county court judgment (CCJ) or a high court judgment, it will stay on the Register of Judgments, Orders and Fines for 6 years.

    ", + "

    Banks and loan companies use this information to decide whether to give you credit or loans.

    ", + "

    If you pay within one month

    ", + "

    If you pay the full amount within one month, you can get the judgment removed from the register.

    ", + "

    Write to the court to say you\u2019ve paid. You\u2019ll need to send proof of payment from the person or business you owed money to.

    ", + "

    If you pay after one month

    ", + "

    If you pay after one month, you can get the record of the judgment marked as \u2018satisfied\u2019 in the register.

    ", + "

    It will stay on the register for 6 years but people searching the register will see that you\u2019ve paid.

    ", + "

    Write to the court to say you\u2019ve paid. You\u2019ll need to send proof of payment from the person or business you owed money to.

    ", + "

    Getting a certificate of cancellation or satisfaction

    ", + "

    If you want proof from the court that you\u2019ve paid, you can apply for:

    ", + "
  • a certificate of cancellation - if you paid within one month
  • ", + "
  • a certificate of satisfaction - if you paid after one month
  • ", + "

    Apply for the certificate in writing or by sending form N443 to the court that is dealing with your case.

    ", + "

    You\u2019ll need to include a cheque for \u00a314 - make it payable to \u2018HMCTS\u2019. \nIf you want to pay by card, contact the court that\u2019s handling your case.

    ", + "

    If you cannot get proof of payment

    ", + "

    If you cannot get proof from the person or business you owed money to, you can still apply for a certificate of cancellation or satisfaction using form N443.

    ", + "

    You\u2019ll need to send evidence to the court showing you made the payment, for example a bank statement. If you do not have evidence, explain this on the form.

    ", + "

    The court will write to the person or business you owed money to. If they do not respond within 30 days, the court will use your evidence to make a decision.

    ", + "

    Search the register of judgments

    ", + "

    You can search for details of any judgments against you on the register of judgments.

    ", + "

    You\u2019ll have to pay a small fee - each search costs between \u00a36 and \u00a310.

    ", + "

    If the information on the register is wrong, contact Trust Online, who will check the details with the court:

    " + ] + }, + "https://www.gov.uk/late-commercial-payments-interest-debt-recovery": { + "url": "https://www.gov.uk/late-commercial-payments-interest-debt-recovery", + "title": "Late commercial payments: charging interest and debt recovery", + "content": "## When a payment becomes late\n\nYou can claim interest and debt recovery costs if another business is late paying for goods or a service.\n\nIf you agree a payment date, it must usually be within 30 days for public authorities or 60 days for business transactions.\n\nYou can agree a longer period than 60 days for business transactions - but it must be fair to both businesses.\n\nIf you do not agree a payment date, the law says the payment is late 30 days after either:\n\n- the customer gets the invoice\n\n- you deliver the goods or provide the service (if this is later)\n\n## Interest on late commercial payments\n\nThe interest you can charge if another business is late paying for goods or a service is \u2018statutory interest\u2019 - this is 8% plus the Bank of England base rate for business to business transactions. You cannot claim statutory interest if there\u2019s a different rate of interest in a contract.\n\nYou cannot use a lower interest rate if you have a contract with public authorities.\n\nCheck the current Bank of England base rate and previous rates.\n\nSend a new invoice if you decide to add interest to the money you\u2019re owed.\n\n## Claim debt recovery costs on late payments\n\nYou can also charge a business a fixed sum for the cost of recovering a late commercial payment on top of claiming interest from it.\n\nThe amount you\u2019re allowed to charge depends on the amount of debt. You can only charge the business once for each payment.\n\n| Amount of debt | What you can charge |\n\n| Up to \u00a3999.99 | \u00a340 |\n\n| \u00a31,000 to \u00a39,999.99 | \u00a370 |\n\n| \u00a310,000 or more | \u00a3100 |\n\nThese amounts are set by late payment legislation.\n\nIf you\u2019re a supplier, you can also claim for reasonable costs each time you try to recover the debt.\n\nRead more on recovering debt.", + "original_contents": [ + "

    When a payment becomes late

    ", + "

    You can claim interest and debt recovery costs if another business is late paying for goods or a service.

    ", + "

    If you agree a payment date, it must usually be within 30 days for public authorities or 60 days for business transactions.

    ", + "

    You can agree a longer period than 60 days for business transactions - but it must be fair to both businesses.

    ", + "

    If you do not agree a payment date, the law says the payment is late 30 days after either:

    ", + "
  • the customer gets the invoice
  • ", + "
  • you deliver the goods or provide the service (if this is later)
  • ", + "

    Interest on late commercial payments

    ", + "

    The interest you can charge if another business is late paying for goods or a service is \u2018statutory interest\u2019 - this is 8% plus the Bank of England base rate for business to business transactions. You cannot claim statutory interest if there\u2019s a different rate of interest in a contract.

    ", + "

    You cannot use a lower interest rate if you have a contract with public authorities.

    ", + "

    Check the current Bank of England base rate and previous rates.

    ", + "

    Send a new invoice if you decide to add interest to the money you\u2019re owed.

    ", + "

    Claim debt recovery costs on late payments

    ", + "

    You can also charge a business a fixed sum for the cost of recovering a late commercial payment on top of claiming interest from it.

    ", + "

    The amount you\u2019re allowed to charge depends on the amount of debt. You can only charge the business once for each payment.

    ", + "Amount of debt | What you can charge", + "Up to \u00a3999.99 | \u00a340", + "\u00a31,000 to \u00a39,999.99 | \u00a370", + "\u00a310,000 or more | \u00a3100", + "

    These amounts are set by late payment legislation.

    ", + "

    If you\u2019re a supplier, you can also claim for reasonable costs each time you try to recover the debt.

    ", + "

    Read more on recovering debt.

    " + ] + }, + "https://www.gov.uk/liquidate-your-company": { + "url": "https://www.gov.uk/liquidate-your-company", + "title": "Liquidate your limited company", + "content": "## Overview\n\nYou can choose to liquidate your limited company (also called \u2018winding up\u2019 a company).\n\nThe company will stop doing business and employing people. The company will not exist once it\u2019s been removed (\u2018struck off\u2019) from the companies register at Companies House.\n\nWhen you liquidate a company, its assets are used to pay off its debts. Any money left goes to shareholders. You\u2019ll need a validation order to access your company bank account.\n\nIf that money has not been shared between the shareholders by the time the company is removed from the register, it will go to the state.\n\nYou\u2019ll need to restore your company to claim back money after it\u2019s been removed from the register.\n\nThere are 3 types of liquidation:\n\n- creditors\u2019 voluntary liquidation - your company cannot pay its debts and you involve your creditors when you liquidate it\n\n- compulsory liquidation - your company cannot pay its debts and you apply to the courts to liquidate it\n\n- members\u2019 voluntary liquidation - your company can pay its debts but you want to close it\n\nYour company may be forced into liquidation if it cannot pay its debts.\n\n## Arrange liquidation with your creditors\n\nA director can propose a company stops trading and be liquidated (\u2018wound up\u2019) if:\n\n- the company cannot pay its debts (it\u2019s \u2018insolvent\u2019)\n\n- enough shareholders agree\n\n## Get shareholders\u2019 agreement\n\nYou must call a meeting of shareholders and ask them to vote.\n\n75% (by value of shares) of shareholders must agree to the winding-up to pass a \u2018winding-up resolution\u2019.\n\nOnce the resolution is made there are 3 steps you must follow.\n\n- Appoint an authorised insolvency practitioner as liquidator to take charge of liquidating the company. You can find an insolvency practitioner online.\n\n- Send the resolution to Companies House within 15 days.\n\n- Advertise the resolution in The Gazette within 14 days.\n\nYour responsibilities as a director will change.\n\n## Apply directly to the court\n\nA director can ask a court to order the company to stop trading and be liquidated (\u2018wound up\u2019).\n\nThis is known as \u2018compulsory liquidation\u2019.\n\nYou need to show the court that:\n\n- the company cannot pay its debts of \u00a3750 or more\n\n- 75% (by value of shares) of shareholders agree that the court can wind up the company\n\nYour company can be based anywhere but must carry out most of its business in England, Scotland and Wales.\n\n## How to apply\n\nFill in a \u2018winding-up petition\u2019 (form Comp 1) and send it to the court with:\n\n- form Comp 2 confirming the details of your petition\n\n- the winding-up resolution from the shareholders\n\nWhere you send the petition depends on how much \u2018paid-up share capital\u2019 your company has. You can find this on the Companies House register.\n\n## Your paid-up share capital is \u00a3120,000 or more\n\nSubmit the petition online. It\u2019ll go to the High Court.\n\n## Your paid-up share capital is under \u00a3120,000\n\nFind your nearest court that deals with bankruptcy.\n\nSubmit the petition online if it\u2019s one of these courts:\n\n- Admiralty and Commercial Court\n\n- Chancery Division\n\n- Companies Court\n\n- High Court (including Bankruptcy Court)\n\n- London Mercantile Court\n\n- Rolls Building\n\nIf it was another court you\u2019ll need to submit the petition by post.\n\n## Fees\n\nIt costs:\n\n- \u00a31,600 to submit the petition\n\n- \u00a3280 for the court hearing\n\n## After you apply\n\nYou\u2019ll get a date for the hearing if the court accepts your petition.\n\nBefore the court hearing, you must:\n\n- give (\u2018serve\u2019) a copy of the petition to your company - fill in a certificate of service to let the court know you\u2019ve done this\n\n- put an advert in The Gazette at least 7 days before the hearing\n\n- send a copy of the advert and the certificate of service to the court\n\n## The court hearing\n\nYou or your solicitor must be at the court hearing. You do not have to give any evidence.\n\nIf the court gives a winding-up order, the court will put an official receiver in charge of the liquidation. They\u2019ll start liquidating your company. A copy of the winding-up order will be sent to your company\u2019s registered office.\n\nYour role as a director will change.\n\n## Liquidate a company you do not want to run anymore\n\nYou may choose members\u2019 voluntary liquidation if your company is \u2018solvent\u2019 (can pay its debts) and one of the following applies:\n\n- you want to retire\n\n- you want to step down from the family business and nobody else wants to run it\n\n- you do not want to run the business any more\n\nTo pass a resolution for members\u2019 voluntary liquidation, you must:\n\n- make a \u2018Declaration of solvency\u2019 - English and Welsh companies\n\n- ask the Accountant in Bankruptcy for form 4.25 (Scot) - Scottish companies\n\nYou\u2019ll need to review the company\u2019s assets and liabilities just before making the declaration.\n\n## Make a declaration of solvency\n\nWrite a statement saying that the directors have assessed the company and believe it can pay its debts, with interest at the official rate. You should also include:\n\n- the name and address of the company\n\n- the names and addresses of the company\u2019s directors\n\n- how long it will take the company to pay its debts - this must be no longer than 12 months from when the company\u2019s liquidated\n\nYou also need to include the statement of the company\u2019s assets and liabilities.\n\n## After you\u2019ve signed the declaration or form\n\nThere are 5 further steps to members\u2019 voluntary liquidation.\n\n- Sign the declaration or form 4.25 (Scot) - it must be signed by the majority of directors in front of a solicitor or \u2018notary public\u2019.\n\n- Call a general meeting with shareholders no more than 5 weeks later and pass a resolution for voluntary winding up.\n\n- At the meeting appoint an authorised insolvency practitioner as a liquidator who will take charge of winding up the company. You can find an insolvency practitioner online.\n\n- Advertise the resolution in The Gazette within 14 days.\n\n- Send your signed declaration to Companies House or form 4.25 (Scot) to the Accountant in Bankruptcy (for Scottish companies) within 15 days of passing the resolution.\n\nWhen the liquidator is appointed they take control of the company. Your responsibilities as a director will change.\n\n## What the liquidator does\n\nThe liquidator is an authorised insolvency practitioner or official receiver who runs the liquidation process.\n\nAs soon as the liquidator is appointed, they\u2019ll take control of the business.\n\nThey will:\n\n- settle any legal disputes or outstanding contracts\n\n- sell off the company\u2019s assets and use any money to pay creditors\n\n- meet deadlines for paperwork and keep authorities informed\n\n- pay liquidation costs and the final VAT bill\n\n- keep creditors informed and involve them in decisions where necessary\n\n- make payments to creditors\n\n- interview the directors and report on what went wrong in the business\n\n- get the company removed from the companies register\n\nIn a creditors\u2019 voluntary liquidation, the liquidator acts in the interest of the creditors not the directors.\n\n## What happens to directors\n\nWhen a liquidator is appointed, directors:\n\n- no longer have control of the company or anything it owns\n\n- cannot act for or on behalf of the company\n\nIf you\u2019re a director you must:\n\n- give the liquidator any information about the company they ask for\n\n- hand over the company\u2019s assets, records and paperwork\n\n- allow the liquidator to interview you, if they ask\n\nYou can be banned from being a director for 2 to 15 years or prosecuted if the liquidator decides your conduct was unfit.\n\n## Re-using company names\n\nIf you were a director of a company in compulsory liquidation or creditors\u2019 voluntary liquidation, you\u2019ll be banned for 5 years from forming, managing or promoting any business with the same or similar name to your liquidated company. This includes the company\u2019s registered name and any trading names (if it had any).\n\nThe only exceptions to this are where:\n\n- the business is sold by a licensed insolvency practitioner giving the legally required notice\n\n- you get the court\u2019s permission to use the name\n\n- you\u2019re involved with another company that\u2019s been using the same name as the liquidated company for at least a year\n\nRead the guidance on re-using company names.\n\n## Access to your bank account\n\nYour company\u2019s bank account will be frozen when someone files a petition to wind up the company.\n\nYou need a validation order to access it.\n\n## How to apply for a validation order\n\nTell the person who filed the winding-up petition (the respondent) you\u2019re applying for a validation order. You must also tell them what court you\u2019ll apply to (usually the Companies Court) and when you\u2019ll apply.\n\nFill in Form IAA and write a witness statement. Take the form and the statement to the court.\n\nYou need to pay a \u00a3155 fee.\n\n## What happens after you apply\n\nYou\u2019ll be given a hearing on the same day or within the next few days.\n\nAt the hearing, you present your case to a registrar or district judge.\n\nThe respondent will present their case if they object to you getting a validation order.\n\nAt the end of the hearing you\u2019ll either:\n\n- get a decision - you\u2019ll also get a written copy sent to you\n\n- be asked to attend another hearing if the court wants more evidence\n\nYou\u2019ll be given the validation order if your application is successful. You must give your bank a copy of this to access your company\u2019s bank account.\n\nIf you do not agree with the decision you may be able to appeal to the Chancery Division of the High Court.", + "original_contents": [ + "

    Overview

    ", + "

    You can choose to liquidate your limited company (also called \u2018winding up\u2019 a company).

    ", + "

    The company will stop doing business and employing people. The company will not exist once it\u2019s been removed (\u2018struck off\u2019) from the companies register at Companies House.

    ", + "

    When you liquidate a company, its assets are used to pay off its debts. Any money left goes to shareholders. You\u2019ll need a validation order to access your company bank account.

    ", + "

    If that money has not been shared between the shareholders by the time the company is removed from the register, it will go to the state.

    ", + "

    You\u2019ll need to restore your company to claim back money after it\u2019s been removed from the register.

    ", + "

    There are 3 types of liquidation:

    ", + "
  • creditors\u2019 voluntary liquidation - your company cannot pay its debts and you involve your creditors when you liquidate it
  • ", + "
  • compulsory liquidation - your company cannot pay its debts and you apply to the courts to liquidate it
  • ", + "
  • members\u2019 voluntary liquidation - your company can pay its debts but you want to close it
  • ", + "

    Your company may be forced into liquidation if it cannot pay its debts.

    ", + "

    Arrange liquidation with your creditors

    ", + "

    A director can propose a company stops trading and be liquidated (\u2018wound up\u2019) if:

    ", + "
  • the company cannot pay its debts (it\u2019s \u2018insolvent\u2019)
  • ", + "
  • enough shareholders agree
  • ", + "

    Get shareholders\u2019 agreement

    ", + "

    You must call a meeting of shareholders and ask them to vote.

    ", + "

    75% (by value of shares) of shareholders must agree to the winding-up to pass a \u2018winding-up resolution\u2019.

    ", + "

    Once the resolution is made there are 3 steps you must follow.

    ", + "
  • Appoint an authorised insolvency practitioner as liquidator to take charge of liquidating the company. You can find an insolvency practitioner online.
  • ", + "
  • Send the resolution to Companies House within 15 days.
  • ", + "
  • Advertise the resolution in The Gazette within 14 days.
  • ", + "

    Your responsibilities as a director will change.

    ", + "

    Apply directly to the court

    ", + "

    A director can ask a court to order the company to stop trading and be liquidated (\u2018wound up\u2019).

    ", + "

    This is known as \u2018compulsory liquidation\u2019.

    ", + "

    You need to show the court that:

    ", + "
  • the company cannot pay its debts of \u00a3750 or more
  • ", + "
  • 75% (by value of shares) of shareholders agree that the court can wind up the company
  • ", + "

    Your company can be based anywhere but must carry out most of its business in England, Scotland and Wales.

    ", + "

    How to apply

    ", + "

    Fill in a \u2018winding-up petition\u2019 (form Comp 1) and send it to the court with:

    ", + "
  • form Comp 2 confirming the details of your petition
  • ", + "
  • the winding-up resolution from the shareholders
  • ", + "

    Where you send the petition depends on how much \u2018paid-up share capital\u2019 your company has. You can find this on the Companies House register.

    ", + "

    Your paid-up share capital is \u00a3120,000 or more

    ", + "

    Submit the petition online. It\u2019ll go to the High Court.

    ", + "

    Your paid-up share capital is under \u00a3120,000

    ", + "

    Find your nearest court that deals with bankruptcy.

    ", + "

    Submit the petition online if it\u2019s one of these courts:

    ", + "
  • Admiralty and Commercial Court
  • ", + "
  • Chancery Division
  • ", + "
  • Companies Court
  • ", + "
  • High Court (including Bankruptcy Court)
  • ", + "
  • London Mercantile Court
  • ", + "
  • Rolls Building
  • ", + "

    If it was another court you\u2019ll need to submit the petition by post.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a31,600 to submit the petition
  • ", + "
  • \u00a3280 for the court hearing
  • ", + "

    After you apply

    ", + "

    You\u2019ll get a date for the hearing if the court accepts your petition.

    ", + "

    Before the court hearing, you must:

    ", + "
  • give (\u2018serve\u2019) a copy of the petition to your company - fill in a certificate of service to let the court know you\u2019ve done this
  • ", + "
  • put an advert in The Gazette at least 7 days before the hearing
  • ", + "
  • send a copy of the advert and the certificate of service to the court
  • ", + "

    The court hearing

    ", + "

    You or your solicitor must be at the court hearing. You do not have to give any evidence.

    ", + "

    If the court gives a winding-up order, the court will put an official receiver in charge of the liquidation. They\u2019ll start liquidating your company. A copy of the winding-up order will be sent to your company\u2019s registered office.

    ", + "

    Your role as a director will change.

    ", + "

    Liquidate a company you do not want to run anymore

    ", + "

    You may choose members\u2019 voluntary liquidation if your company is \u2018solvent\u2019 (can pay its debts) and one of the following applies:

    ", + "
  • you want to retire
  • ", + "
  • you want to step down from the family business and nobody else wants to run it
  • ", + "
  • you do not want to run the business any more
  • ", + "

    To pass a resolution for members\u2019 voluntary liquidation, you must:

    ", + "
  • make a \u2018Declaration of solvency\u2019 - English and Welsh companies
  • ", + "
  • ask the Accountant in Bankruptcy for form 4.25 (Scot) - Scottish companies
  • ", + "

    You\u2019ll need to review the company\u2019s assets and liabilities just before making the declaration.

    ", + "

    Make a declaration of solvency

    ", + "

    Write a statement saying that the directors have assessed the company and believe it can pay its debts, with interest at the official rate. You should also include:

    ", + "
  • the name and address of the company
  • ", + "
  • the names and addresses of the company\u2019s directors
  • ", + "
  • how long it will take the company to pay its debts - this must be no longer than 12 months from when the company\u2019s liquidated
  • ", + "

    You also need to include the statement of the company\u2019s assets and liabilities.

    ", + "

    After you\u2019ve signed the declaration or form

    ", + "

    There are 5 further steps to members\u2019 voluntary liquidation.

    ", + "
  • Sign the declaration or form 4.25 (Scot) - it must be signed by the majority of directors in front of a solicitor or \u2018notary public\u2019.
  • ", + "
  • Call a general meeting with shareholders no more than 5 weeks later and pass a resolution for voluntary winding up.
  • ", + "
  • At the meeting appoint an authorised insolvency practitioner as a liquidator who will take charge of winding up the company. You can find an insolvency practitioner online.
  • ", + "
  • Advertise the resolution in The Gazette within 14 days.
  • ", + "
  • Send your signed declaration to Companies House or form 4.25 (Scot) to the Accountant in Bankruptcy (for Scottish companies) within 15 days of passing the resolution.
  • ", + "

    When the liquidator is appointed they take control of the company. Your responsibilities as a director will change.

    ", + "

    What the liquidator does

    ", + "

    The liquidator is an authorised insolvency practitioner or official receiver who runs the liquidation process.

    ", + "

    As soon as the liquidator is appointed, they\u2019ll take control of the business.

    ", + "

    They will:

    ", + "
  • settle any legal disputes or outstanding contracts
  • ", + "
  • sell off the company\u2019s assets and use any money to pay creditors
  • ", + "
  • meet deadlines for paperwork and keep authorities informed
  • ", + "
  • pay liquidation costs and the final VAT bill
  • ", + "
  • keep creditors informed and involve them in decisions where necessary
  • ", + "
  • make payments to creditors
  • ", + "
  • interview the directors and report on what went wrong in the business
  • ", + "
  • get the company removed from the companies register
  • ", + "

    In a creditors\u2019 voluntary liquidation, the liquidator acts in the interest of the creditors not the directors.

    ", + "

    What happens to directors

    ", + "

    When a liquidator is appointed, directors:

    ", + "
  • no longer have control of the company or anything it owns
  • ", + "
  • cannot act for or on behalf of the company
  • ", + "

    If you\u2019re a director you must:

    ", + "
  • give the liquidator any information about the company they ask for
  • ", + "
  • hand over the company\u2019s assets, records and paperwork
  • ", + "
  • allow the liquidator to interview you, if they ask
  • ", + "

    You can be banned from being a director for 2 to 15 years or prosecuted if the liquidator decides your conduct was unfit.

    ", + "

    Re-using company names

    ", + "

    If you were a director of a company in compulsory liquidation or creditors\u2019 voluntary liquidation, you\u2019ll be banned for 5 years from forming, managing or promoting any business with the same or similar name to your liquidated company. This includes the company\u2019s registered name and any trading names (if it had any).

    ", + "

    The only exceptions to this are where:

    ", + "
  • the business is sold by a licensed insolvency practitioner giving the legally required notice
  • ", + "
  • you get the court\u2019s permission to use the name
  • ", + "
  • you\u2019re involved with another company that\u2019s been using the same name as the liquidated company for at least a year
  • ", + "

    Read the guidance on re-using company names.

    ", + "

    Access to your bank account

    ", + "

    Your company\u2019s bank account will be frozen when someone files a petition to wind up the company.

    ", + "

    You need a validation order to access it.

    ", + "

    How to apply for a validation order

    ", + "

    Tell the person who filed the winding-up petition (the respondent) you\u2019re applying for a validation order. You must also tell them what court you\u2019ll apply to (usually the Companies Court) and when you\u2019ll apply.

    ", + "

    Fill in Form IAA and write a witness statement. Take the form and the statement to the court.

    ", + "

    You need to pay a \u00a3155 fee.

    ", + "

    What happens after you apply

    ", + "

    You\u2019ll be given a hearing on the same day or within the next few days.

    ", + "

    At the hearing, you present your case to a registrar or district judge.

    ", + "

    The respondent will present their case if they object to you getting a validation order.

    ", + "

    At the end of the hearing you\u2019ll either:

    ", + "
  • get a decision - you\u2019ll also get a written copy sent to you
  • ", + "
  • be asked to attend another hearing if the court wants more evidence
  • ", + "

    You\u2019ll be given the validation order if your application is successful. You must give your bank a copy of this to access your company\u2019s bank account.

    ", + "

    If you do not agree with the decision you may be able to appeal to the Chancery Division of the High Court.

    " + ] + }, + "https://www.gov.uk/make-court-claim-for-money": { + "url": "https://www.gov.uk/make-court-claim-for-money", + "title": "Make a court claim for money", + "content": "## How to make a claim\n\nYou can apply to a county court to claim money you\u2019re owed by a person or business.\n\nThis is known as making a court claim. It often used to be known as taking someone to a \u2018small claims court\u2019.\n\nA mediation service could be quicker and cheaper than going to court. Mediation is when an impartial person helps both sides work out an agreement.\n\nThe process is different in Scotland and Northern Ireland.\n\n## Make a claim\n\nMake your claim online if you\u2019re claiming for a fixed (\u2018specified\u2019) amount of money.\n\nDownload and fill in a paper claim form N1 if you\u2019re claiming for an unspecified amount of money.\n\nYou can also use the paper claim form to claim for a fixed amount.\n\nSend the paper form to the County Court Money Claims Centre.\n\nYou must pay a court fee when you make a claim.\n\n## What happens next\n\nYou might have to go to a court hearing if the other person or business (the \u2018defendant\u2019) denies owing the money and you disagree with their response.\n\nYou can get the court to order them to pay if they:\n\n- do not respond to your claim\n\n- admit they owe you but do not pay\n\nIf they still do not pay, you can ask the court to take further steps to collect the money - for example, by using bailiffs.\n\n## Court fees\n\nYou must pay a court fee when you make your claim.\n\n## If you know the claim amount\n\nThe court fee is based on the amount you\u2019re claiming, plus interest.\n\n| Claim amount | Fees |\n\n| Up to \u00a3300 | \u00a335 |\n\n| \u00a3300.01 to \u00a3500 | \u00a350 |\n\n| \u00a3500.01 to \u00a31,000 | \u00a370 |\n\n| \u00a31,000.01 to \u00a31,500 | \u00a380 |\n\n| \u00a31,500.01 to \u00a33,000 | \u00a3115 |\n\n| \u00a33,000.01 to \u00a35,000 | \u00a3205 |\n\n| \u00a35,000.01 to \u00a310,000 | \u00a3455 |\n\n| \u00a310,000.01 to \u00a3200,000 | 5% of the claim |\n\n| More than \u00a3200,000 | \u00a310,000 |\n\nTo calculate 5% of the value of the claim, take the amount you\u2019re claiming and multiply it by 0.05. If necessary, round down the result to the nearest 1p.\n\nThe fee will be calculated for you if you make your claim online.\n\n## If you do not know the claim amount\n\nUse the paper claim form if you do not know the exact amount - you cannot make a claim online.\n\nYou\u2019ll need to estimate the amount you\u2019re claiming and pay the fee for that amount.\n\nFor example, if you estimate you\u2019re claiming between \u00a33,000.01 and \u00a35,000, you\u2019d have to pay \u00a3205.\n\nIf you leave the \u2018amount claimed\u2019 blank, the fee is \u00a310,000.\n\n## Pay the court fee\n\nPay by credit or debit card if you\u2019re making a claim online.\n\nIf you use the paper claim form, pay by credit or debit card by sending a letter with your form asking to pay by card. Include your telephone number and a suitable time for the court to call you and take the payment.\n\nYou can also pay by postal order or cheque (payable to \u2018HM Courts and Tribunals Service\u2019) if you use the paper claim form.\n\nYou may have to pay more fees later on - for example, if there\u2019s a court hearing or you need to get a judgment enforced.\n\nYou may be able to claim the fees back if you win the case.\n\nFind out more about court fees.\n\n## Claim the interest\n\nYou can claim interest on the money you\u2019re owed.\n\nThe interest will be calculated for you if you claim for an unspecified amount.\n\nYou need to work out the interest yourself if you\u2019re claiming for a fixed (\u2018specified\u2019) amount of money.\n\n## Work out the interest\n\nIf you\u2019re owed money by another business, you can charge interest on a late commercial payment.\n\nFor other types of debt, the rate is usually 8%.\n\nTo calculate this, use the steps below.\n\n- Work out the yearly interest: take the amount you\u2019re claiming and multiply it by 0.08 (which is 8%).\n\n- Work out the daily interest: divide your yearly interest from step 1 by 365 (the number of days in a year).\n\n- Work out the total amount of interest: multiply the daily interest from step 2 by the number of days the debt has been overdue.\n\n## After you make your claim\n\nThe person or business who owes you money (the \u2018defendant\u2019) must respond to your claim. You\u2019ll be sent a letter or email telling you the date they need to respond by.\n\n## What to do if you get paid\n\nTell the defendant when you\u2019ve received their payment.\n\nHow you do this depends on how you made the claim.\n\n## If you used a paper claim form\n\nContact the court where you sent your claim.\n\n## If you claimed online\n\nYou can either:\n\n- update your claim in the Money Claim Online service\n\n- call or email - the contact details you use depends on how much money you\u2019re claiming.\n\nIf your claim is less than \u00a310,000, contact Civil Money Claims.\n\nIf your claim is between \u00a310,000 and \u00a3100,000, contact Money Claim Online.\n\n## If you do not get a response\n\nYou can ask the court to order the defendant to pay if they do not respond to your claim.\n\nYou need to:\n\n- request a judgment if you made your claim online\n\n- use request for judgment form N225 if you claimed a fixed (\u2018specified\u2019) amount using a claim form\n\n- use request for judgment form N227 if you claimed an unspecified amount using a claim form\n\n## If you disagree with the response\n\nYou might have to go to a court hearing if:\n\n- the defendant says they do not owe you any money\n\n- they disagree with the amount you\u2019ve claimed\n\n- you do not agree with how they\u2019ve offered to repay you\n\nThe court may send you a questionnaire asking for more information on the case.\n\nIf your claim is under \u00a310,000, you\u2019ll be asked if you\u2019d like to use the court\u2019s small claims mediation service to reach an agreement with the defendant.\n\nFill in the questionnaire and return it to the court. You\u2019ll have to pay an extra court fee.\n\nThe judge might not award you costs if they think you\u2019ve made no effort to agree out of court.\n\n## What happens at the hearing\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\nIf there\u2019s a hearing, you can:\n\n- represent yourself\n\n- pay for a barrister or solicitor to represent you\n\n- ask someone to advise you in court - they do not have to be a lawyer\n\n- ask someone to speak on your behalf - you might need to get the court\u2019s permission\n\nYour hearing can be held in the judge\u2019s room or a courtroom in a county court if your claim is for less than \u00a310,000. There might be a more formal hearing if you\u2019re claiming for more.\n\n## After the hearing\n\nYou\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.\n\nIf you win your case, the court will order the person or business who owes you money (the \u2018debtor\u2019) to pay you. There are ways the court can collect your payment if they ignore the court order.\n\n## Appeal the decision\n\nYou can appeal the decision if you think the judge made a mistake during the hearing. You must do this within 21 days of getting the decision.\n\nFind out which court or tribunal to appeal to.\n\nContact Citizens Advice to get advice on appealing.\n\n## Enforce a judgment\n\nYou can ask the court to collect payment from the person or business who owes you money (the \u2018debtor\u2019) if they do not pay you after receiving the court order.\n\nYou must pay a court fee when you ask the court to collect the payment.\n\n## Find out what the debtor can afford to pay\n\nAsk the court to order the debtor to attend court to provide evidence of their income or spending, for example bills and statements.\n\nIf the money is owed by a business, you can ask for an officer from the company to attend court and give details of its accounts.\n\nYou can then decide if you want the court to take further action to collect your payment.\n\n## Send bailiffs to collect payment\n\nYou can ask the court to send bailiffs to collect the money.\n\nThe bailiff will ask for payment within 7 days. If the debt is not paid, the bailiff will visit the debtor\u2019s home or business to see if anything can be sold to pay the debt.\n\nYou can apply to either a county court or the High Court if you\u2019re owed between \u00a3600 and \u00a35,000.\n\nYou may need legal advice if you apply at the High Court.\n\nHow you apply to the court depends on how you made your claim.\n\n## You claimed online\n\nIf your reference number has \u2018MC\u2019 in it, download and fill in either:\n\n- form N323 - to apply at a county court (you must be owed \u00a35,000 or less)\n\n- form N293A - to apply at the High Court (you must be owed at least \u00a3600)\n\nOtherwise, enforce a judgment using Money Claim Online.\n\n## You used a paper claim form\n\nDownload and fill in either:\n\n- form N323 - to apply at a county court (you must be owed \u00a35,000 or less)\n\n- form N293A - to apply at the High Court (you must be owed at least \u00a3600)\n\n## Get money deducted from wages\n\nYou can ask the court to take money from the debtor\u2019s wages to pay the debt. They do this by sending an order to the debtor\u2019s employer.\n\nDownload and fill in a request for an attachment of earnings order form N337.\n\n## Freeze assets or money in an account\n\nThe court can freeze money in the debtor\u2019s bank, building society or business account.\n\nDownload and fill in a request for a third party debt order form N349.\n\nThe court will decide if money from the account can be used to pay the debt.\n\n## Charge the debtor\u2019s land or property\n\nYou can ask the court to charge the debtor\u2019s land or property.\n\nDownload and fill in a request for a charging order form N379.\n\nIf the land or property is sold, the debtor must pay this charge before they get their money.", + "original_contents": [ + "

    How to make a claim

    ", + "

    You can apply to a county court to claim money you\u2019re owed by a person or business.

    ", + "

    This is known as making a court claim. It often used to be known as taking someone to a \u2018small claims court\u2019.

    ", + "

    A mediation service could be quicker and cheaper than going to court. Mediation is when an impartial person helps both sides work out an agreement.

    ", + "

    The process is different in Scotland and Northern Ireland.

    ", + "

    Make a claim

    ", + "

    Make your claim online if you\u2019re claiming for a fixed (\u2018specified\u2019) amount of money.

    ", + "

    Download and fill in a paper claim form N1 if you\u2019re claiming for an unspecified amount of money.

    ", + "

    You can also use the paper claim form to claim for a fixed amount.

    ", + "

    Send the paper form to the County Court Money Claims Centre.

    ", + "

    You must pay a court fee when you make a claim.

    ", + "

    What happens next

    ", + "

    You might have to go to a court hearing if the other person or business (the \u2018defendant\u2019) denies owing the money and you disagree with their response.

    ", + "

    You can get the court to order them to pay if they:

    ", + "
  • do not respond to your claim
  • ", + "
  • admit they owe you but do not pay
  • ", + "

    If they still do not pay, you can ask the court to take further steps to collect the money - for example, by using bailiffs.

    ", + "

    Court fees

    ", + "

    You must pay a court fee when you make your claim.

    ", + "

    If you know the claim amount

    ", + "

    The court fee is based on the amount you\u2019re claiming, plus interest.

    ", + "Claim amount | Fees", + "Up to \u00a3300 | \u00a335", + "\u00a3300.01 to \u00a3500 | \u00a350", + "\u00a3500.01 to \u00a31,000 | \u00a370", + "\u00a31,000.01 to \u00a31,500 | \u00a380", + "\u00a31,500.01 to \u00a33,000 | \u00a3115", + "\u00a33,000.01 to \u00a35,000 | \u00a3205", + "\u00a35,000.01 to \u00a310,000 | \u00a3455", + "\u00a310,000.01 to \u00a3200,000 | 5% of the claim", + "More than \u00a3200,000 | \u00a310,000", + "

    To calculate 5% of the value of the claim, take the amount you\u2019re claiming and multiply it by 0.05. If necessary, round down the result to the nearest 1p.

    ", + "

    The fee will be calculated for you if you make your claim online.

    ", + "

    If you do not know the claim amount

    ", + "

    Use the paper claim form if you do not know the exact amount - you cannot make a claim online.

    ", + "

    You\u2019ll need to estimate the amount you\u2019re claiming and pay the fee for that amount.

    ", + "

    For example, if you estimate you\u2019re claiming between \u00a33,000.01 and \u00a35,000, you\u2019d have to pay \u00a3205.

    ", + "

    If you leave the \u2018amount claimed\u2019 blank, the fee is \u00a310,000.

    ", + "

    Pay the court fee

    ", + "

    Pay by credit or debit card if you\u2019re making a claim online.

    ", + "

    If you use the paper claim form, pay by credit or debit card by sending a letter with your form asking to pay by card. Include your telephone number and a suitable time for the court to call you and take the payment.

    ", + "

    You can also pay by postal order or cheque (payable to \u2018HM Courts and Tribunals Service\u2019) if you use the paper claim form.

    ", + "

    You may have to pay more fees later on - for example, if there\u2019s a court hearing or you need to get a judgment enforced.

    ", + "

    You may be able to claim the fees back if you win the case.

    ", + "

    Find out more about court fees.

    ", + "

    Claim the interest

    ", + "

    You can claim interest on the money you\u2019re owed.

    ", + "

    The interest will be calculated for you if you claim for an unspecified amount.

    ", + "

    You need to work out the interest yourself if you\u2019re claiming for a fixed (\u2018specified\u2019) amount of money.

    ", + "

    Work out the interest

    ", + "

    If you\u2019re owed money by another business, you can charge interest on a late commercial payment.

    ", + "

    For other types of debt, the rate is usually 8%.

    ", + "

    To calculate this, use the steps below.

    ", + "
  • Work out the yearly interest: take the amount you\u2019re claiming and multiply it by 0.08 (which is 8%).
  • ", + "
  • Work out the daily interest: divide your yearly interest from step 1 by 365 (the number of days in a year).
  • ", + "
  • Work out the total amount of interest: multiply the daily interest from step 2 by the number of days the debt has been overdue.
  • ", + "

    After you make your claim

    ", + "

    The person or business who owes you money (the \u2018defendant\u2019) must respond to your claim. You\u2019ll be sent a letter or email telling you the date they need to respond by.

    ", + "

    What to do if you get paid

    ", + "

    Tell the defendant when you\u2019ve received their payment.

    ", + "

    How you do this depends on how you made the claim.

    ", + "

    If you used a paper claim form

    ", + "

    Contact the court where you sent your claim.

    ", + "

    If you claimed online

    ", + "

    You can either:

    ", + "
  • update your claim in the Money Claim Online service
  • ", + "
  • call or email - the contact details you use depends on how much money you\u2019re claiming.
  • ", + "

    If your claim is less than \u00a310,000, contact Civil Money Claims.

    ", + "

    If your claim is between \u00a310,000 and \u00a3100,000, contact Money Claim Online.

    ", + "

    If you do not get a response

    ", + "

    You can ask the court to order the defendant to pay if they do not respond to your claim.

    ", + "

    You need to:

    ", + "
  • request a judgment if you made your claim online
  • ", + "
  • use request for judgment form N225 if you claimed a fixed (\u2018specified\u2019) amount using a claim form
  • ", + "
  • use request for judgment form N227 if you claimed an unspecified amount using a claim form
  • ", + "

    If you disagree with the response

    ", + "

    You might have to go to a court hearing if:

    ", + "
  • the defendant says they do not owe you any money
  • ", + "
  • they disagree with the amount you\u2019ve claimed
  • ", + "
  • you do not agree with how they\u2019ve offered to repay you
  • ", + "

    The court may send you a questionnaire asking for more information on the case.

    ", + "

    If your claim is under \u00a310,000, you\u2019ll be asked if you\u2019d like to use the court\u2019s small claims mediation service to reach an agreement with the defendant.

    ", + "

    Fill in the questionnaire and return it to the court. You\u2019ll have to pay an extra court fee.

    ", + "

    The judge might not award you costs if they think you\u2019ve made no effort to agree out of court.

    ", + "

    What happens at the hearing

    ", + "

    Do not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.

    ", + "

    If there\u2019s a hearing, you can:

    ", + "
  • represent yourself
  • ", + "
  • pay for a barrister or solicitor to represent you
  • ", + "
  • ask someone to advise you in court - they do not have to be a lawyer
  • ", + "
  • ask someone to speak on your behalf - you might need to get the court\u2019s permission
  • ", + "

    Your hearing can be held in the judge\u2019s room or a courtroom in a county court if your claim is for less than \u00a310,000. There might be a more formal hearing if you\u2019re claiming for more.

    ", + "

    After the hearing

    ", + "

    You\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.

    ", + "

    If you win your case, the court will order the person or business who owes you money (the \u2018debtor\u2019) to pay you. There are ways the court can collect your payment if they ignore the court order.

    ", + "

    Appeal the decision

    ", + "

    You can appeal the decision if you think the judge made a mistake during the hearing. You must do this within 21 days of getting the decision.

    ", + "

    Find out which court or tribunal to appeal to.

    ", + "

    Contact Citizens Advice to get advice on appealing.

    ", + "

    Enforce a judgment

    ", + "

    You can ask the court to collect payment from the person or business who owes you money (the \u2018debtor\u2019) if they do not pay you after receiving the court order.

    ", + "

    You must pay a court fee when you ask the court to collect the payment.

    ", + "

    Find out what the debtor can afford to pay

    ", + "

    Ask the court to order the debtor to attend court to provide evidence of their income or spending, for example bills and statements.

    ", + "

    If the money is owed by a business, you can ask for an officer from the company to attend court and give details of its accounts.

    ", + "

    You can then decide if you want the court to take further action to collect your payment.

    ", + "

    Send bailiffs to collect payment

    ", + "

    You can ask the court to send bailiffs to collect the money.

    ", + "

    The bailiff will ask for payment within 7 days. If the debt is not paid, the bailiff will visit the debtor\u2019s home or business to see if anything can be sold to pay the debt.

    ", + "

    You can apply to either a county court or the High Court if you\u2019re owed between \u00a3600 and \u00a35,000.

    ", + "

    You may need legal advice if you apply at the High Court.

    ", + "

    How you apply to the court depends on how you made your claim.

    ", + "

    You claimed online

    ", + "

    If your reference number has \u2018MC\u2019 in it, download and fill in either:

    ", + "
  • form N323 - to apply at a county court (you must be owed \u00a35,000 or less)
  • ", + "
  • form N293A - to apply at the High Court (you must be owed at least \u00a3600)
  • ", + "

    Otherwise, enforce a judgment using Money Claim Online.

    ", + "

    You used a paper claim form

    ", + "

    Download and fill in either:

    ", + "
  • form N323 - to apply at a county court (you must be owed \u00a35,000 or less)
  • ", + "
  • form N293A - to apply at the High Court (you must be owed at least \u00a3600)
  • ", + "

    Get money deducted from wages

    ", + "

    You can ask the court to take money from the debtor\u2019s wages to pay the debt. They do this by sending an order to the debtor\u2019s employer.

    ", + "

    Download and fill in a request for an attachment of earnings order form N337.

    ", + "

    Freeze assets or money in an account

    ", + "

    The court can freeze money in the debtor\u2019s bank, building society or business account.

    ", + "

    Download and fill in a request for a third party debt order form N349.

    ", + "

    The court will decide if money from the account can be used to pay the debt.

    ", + "

    Charge the debtor\u2019s land or property

    ", + "

    You can ask the court to charge the debtor\u2019s land or property.

    ", + "

    Download and fill in a request for a charging order form N379.

    ", + "

    If the land or property is sold, the debtor must pay this charge before they get their money.

    " + ] + }, + "https://www.gov.uk/respond-to-court-claim-for-money": { + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "title": "Respond to a court claim for money", + "content": "## How to respond\n\nYou\u2019ll get a letter or email if someone claims you owe them money. You must respond by the date on the email or letter you receive.\n\nYou can respond by:\n\n- paying the full amount\n\n- paying only what you think you owe\n\n- defending the claim (if you do not think you owe any money or you\u2019ve already paid)\n\nYou might have to pay more or get a county court judgment (CCJ) if you do not respond in time.\n\n## If you need more time to respond\n\nYou can ask for another 14 days to respond if you\u2019re defending the claim or paying only what you think you owe.\n\nDownload and fill in the acknowledgement of service form in the response pack.\n\nSend it to the court address on the claim form.\n\nThe process is different in Scotland.\n\n## Pay the full amount\n\nSend a cheque or postal order made payable to the person or business you owe money to (the \u2018claimant\u2019). Their name and address will be on the claim form.\n\nYou can also pay the claimant in person.\n\nKeep proof (for example, your bank records or a receipt from the claimant) to show you\u2019ve paid.\n\n## If you cannot afford to pay the full amount at once\n\nYou can offer to pay in instalments or by a certain date.\n\nDownload and fill in either:\n\n- form N9A if the claim is for a specified amount\n\n- form N9C if the claim is for an unspecified amount\n\nYou must say how you want to pay (a certain amount per month for example) and send the completed form to the address on the claim form.\n\nIf the claimant does not accept your offer, the court will decide how you pay.\n\nYou can be taken to court and you may have to pay extra costs if you do not keep up the payments.\n\n## If the claim is for an unspecified amount\n\nDownload and fill in admission form N9A. Either:\n\n- ask the court to decide how much you owe\n\n- offer to pay a certain amount\n\nYou might have to give more information at a hearing if you ask the court to decide or the claimant rejects your offer.\n\nThe court will tell you when and where the hearing will take place.\n\n## If you\u2019ve already paid\n\nYou must defend the claim if you\u2019ve already paid the claimant.\n\nYou might still have to pay court fees if you paid the claimant after they made the claim.\n\n## Pay some of the money\n\nIf you do not agree with the amount on the claim form, you can apply to the court to pay only what you think you owe.\n\nYou must send the court both:\n\n- an admission form to say how much you\u2019ll pay\n\n- a defence form to explain why you do not owe the full amount\n\nRespond online if the claim was made using Money Claim Online.\n\nOtherwise, which forms you fill in will depend on whether the claim is for a fixed (\u2018specified\u2019) or an unspecified amount.\n\n## The claim is for a specified amount\n\nDownload and fill in:\n\n- admission form N9A\n\n- defence form N9B\n\n## The claim is for an unspecified amount\n\nDownload and fill in:\n\n- admission form N9C\n\n- defence form N9D\n\n## If your offer is rejected\n\nThe court will decide how much you owe.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Defend the claim\n\nYou can defend the claim if either:\n\n- you do not think you owe the other person or business any money\n\n- you\u2019ve already paid them\n\nYou can also make a claim against them (\u2018counterclaim\u2019) if you think they owe you money. You might have to pay a court fee.\n\nDownload and fill in either:\n\n- form N9B if the claim is for a fixed (\u2018specified\u2019) amount\n\n- form N9D if the claim is for an unspecified amount\n\nYou can respond online if the claim was made using an online service.\n\nThe court will decide whether you owe any money, and how much.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Going to a court hearing\n\nIf there\u2019s a hearing, you can:\n\n- represent yourself\n\n- pay for a barrister or solicitor to represent you\n\n- ask someone to advise you in court - they do not have to be a lawyer\n\n- ask someone to speak on your behalf - you might need to get the court\u2019s permission\n\nYour hearing can be held in the judge\u2019s room or a courtroom in a county court if the claim is for less than \u00a310,000. There might be a more formal hearing if the claim is for more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## After the hearing\n\nYou\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.\n\n## Appeal the decision\n\nYou can ask to appeal the decision if you think the judge made a mistake during the hearing. You must ask within 21 days of the date the decision was made.\n\nFind out which court or tribunal to appeal to.\n\nContact Citizens Advice to get advice on appealing.", + "original_contents": [ + "

    How to respond

    ", + "

    You\u2019ll get a letter or email if someone claims you owe them money. You must respond by the date on the email or letter you receive.

    ", + "

    You can respond by:

    ", + "
  • paying the full amount
  • ", + "
  • paying only what you think you owe
  • ", + "
  • defending the claim (if you do not think you owe any money or you\u2019ve already paid)
  • ", + "

    You might have to pay more or get a county court judgment (CCJ) if you do not respond in time.

    ", + "

    If you need more time to respond

    ", + "

    You can ask for another 14 days to respond if you\u2019re defending the claim or paying only what you think you owe.

    ", + "

    Download and fill in the acknowledgement of service form in the response pack.

    ", + "

    Send it to the court address on the claim form.

    ", + "

    The process is different in Scotland.

    ", + "

    Pay the full amount

    ", + "

    Send a cheque or postal order made payable to the person or business you owe money to (the \u2018claimant\u2019). Their name and address will be on the claim form.

    ", + "

    You can also pay the claimant in person.

    ", + "

    Keep proof (for example, your bank records or a receipt from the claimant) to show you\u2019ve paid.

    ", + "

    If you cannot afford to pay the full amount at once

    ", + "

    You can offer to pay in instalments or by a certain date.

    ", + "

    Download and fill in either:

    ", + "
  • form N9A if the claim is for a specified amount
  • ", + "
  • form N9C if the claim is for an unspecified amount
  • ", + "

    You must say how you want to pay (a certain amount per month for example) and send the completed form to the address on the claim form.

    ", + "

    If the claimant does not accept your offer, the court will decide how you pay.

    ", + "

    You can be taken to court and you may have to pay extra costs if you do not keep up the payments.

    ", + "

    If the claim is for an unspecified amount

    ", + "

    Download and fill in admission form N9A. Either:

    ", + "
  • ask the court to decide how much you owe
  • ", + "
  • offer to pay a certain amount
  • ", + "

    You might have to give more information at a hearing if you ask the court to decide or the claimant rejects your offer.

    ", + "

    The court will tell you when and where the hearing will take place.

    ", + "

    If you\u2019ve already paid

    ", + "

    You must defend the claim if you\u2019ve already paid the claimant.

    ", + "

    You might still have to pay court fees if you paid the claimant after they made the claim.

    ", + "

    Pay some of the money

    ", + "

    If you do not agree with the amount on the claim form, you can apply to the court to pay only what you think you owe.

    ", + "

    You must send the court both:

    ", + "
  • an admission form to say how much you\u2019ll pay
  • ", + "
  • a defence form to explain why you do not owe the full amount
  • ", + "

    Respond online if the claim was made using Money Claim Online.

    ", + "

    Otherwise, which forms you fill in will depend on whether the claim is for a fixed (\u2018specified\u2019) or an unspecified amount.

    ", + "

    The claim is for a specified amount

    ", + "

    Download and fill in:

    ", + "
  • admission form N9A
  • ", + "
  • defence form N9B
  • ", + "

    The claim is for an unspecified amount

    ", + "

    Download and fill in:

    ", + "
  • admission form N9C
  • ", + "
  • defence form N9D
  • ", + "

    If your offer is rejected

    ", + "

    The court will decide how much you owe.

    ", + "

    You might have to give more information at a hearing. The court will tell you when and where the hearing will take place.

    ", + "

    Defend the claim

    ", + "

    You can defend the claim if either:

    ", + "
  • you do not think you owe the other person or business any money
  • ", + "
  • you\u2019ve already paid them
  • ", + "

    You can also make a claim against them (\u2018counterclaim\u2019) if you think they owe you money. You might have to pay a court fee.

    ", + "

    Download and fill in either:

    ", + "
  • form N9B if the claim is for a fixed (\u2018specified\u2019) amount
  • ", + "
  • form N9D if the claim is for an unspecified amount
  • ", + "

    You can respond online if the claim was made using an online service.

    ", + "

    The court will decide whether you owe any money, and how much.

    ", + "

    You might have to give more information at a hearing. The court will tell you when and where the hearing will take place.

    ", + "

    Going to a court hearing

    ", + "

    If there\u2019s a hearing, you can:

    ", + "
  • represent yourself
  • ", + "
  • pay for a barrister or solicitor to represent you
  • ", + "
  • ask someone to advise you in court - they do not have to be a lawyer
  • ", + "
  • ask someone to speak on your behalf - you might need to get the court\u2019s permission
  • ", + "

    Your hearing can be held in the judge\u2019s room or a courtroom in a county court if the claim is for less than \u00a310,000. There might be a more formal hearing if the claim is for more.

    ", + "

    Do not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.

    ", + "

    After the hearing

    ", + "

    You\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.

    ", + "

    Appeal the decision

    ", + "

    You can ask to appeal the decision if you think the judge made a mistake during the hearing. You must ask within 21 days of the date the decision was made.

    ", + "

    Find out which court or tribunal to appeal to.

    ", + "

    Contact Citizens Advice to get advice on appealing.

    " + ] + }, + "https://www.gov.uk/wind-up-a-company-that-owes-you-money": { + "url": "https://www.gov.uk/wind-up-a-company-that-owes-you-money", + "title": "Wind up a company that owes you money", + "content": "## Overview\n\nYou can apply to the court to close or \u2018wind up\u2019 a company if it cannot pay its debts. This is also known as compulsory liquidation.\n\nTo wind up a company you must:\n\n- be owed \u00a3750 or more\n\n- be able to prove that the company cannot pay you\n\nYou need to fill in forms and send them to the right court to apply to wind up a company.\n\nYour application to the court is known as a \u2018winding-up petition\u2019. If you\u2019re successful:\n\n- the company assets are sold\n\n- any legal disputes are settled\n\n- the company collects money it\u2019s owed\n\n- funds are paid to you and any other creditors\n\nYou might not get all or any of the money you\u2019re owed.\n\nThere are also other ways to recover money that you\u2019re owed. You can get a debt specialist (like a solicitor) to help you recover debt.\n\n## Fees\n\nThe fees are:\n\n- \u00a3280 - court fees\n\n- \u00a31,600 - petition deposit (to manage the \u2018winding-up\u2019)\n\nYou might be able to get the fees back if the company can afford to repay them.\n\n## Scottish companies\n\nThere are different rules on winding up a company in Scotland.\n\n## Apply\n\nYou must send the right form to the court before they can deal with your petition. You might want to get legal help to make sure you submit your petition correctly.\n\n## Forms\n\nFill in form Comp 1 and make 3 copies.\n\nYou\u2019ll need to:\n\n- make sure the company\u2019s details are correct\n\n- state if any European Community regulations apply (this applies if the company is registered in or does business in England and Wales)\n\n- ask the court to restore the company (if it\u2019s been dissolved) before winding up the company\n\nYou need to provide evidence the company owes you money, for example:\n\n- a statutory demand - include the amount and date the demand was served\n\n- a court judgment - include the amount awarded (and your costs and interest), the date of the judgment, the court name and case number\n\nYou\u2019ll also need to fill in form Comp 2 confirming the details of your petition.\n\n## Where to send the petition\n\nWhere you send the petition depends on how much \u2018paid-up share capital\u2019 the company has - you can find this on the Companies House register.\n\n## Paid-up share capital is \u00a3120,000 or more\n\nSubmit the petition online. It\u2019ll go to the High Court.\n\nYou pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.\n\n## Paid-up share capital is under \u00a3120,000\n\nYou\u2019ll need to find the court nearest to the company\u2019s registered office - the court must deal with bankruptcy.\n\nSubmit the petition online if it\u2019s one of these courts:\n\n- Admiralty and Commercial Court\n\n- Chancery Division\n\n- Companies Court\n\n- High Court (including Bankruptcy Court)\n\n- London Mercantile Court\n\n- Rolls Building\n\nYou pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.\n\nIf it was another court you\u2019ll need to submit the petition by post. You can pay the fees by cash, postal order or a building society, bank or solicitor\u2019s cheque made payable to \u2018HM Courts and Tribunals Service\u2019.\n\n## After you apply\n\nYou\u2019ll get a copy of your petition from the court after you pay the petition deposit. You must:\n\n- deliver (\u2018serve\u2019) it to a company director or employee\n\n- provide a certificate of service to the court confirming that the petition has been served on the company\n\nYou can get a \u2018process server\u2019 to help you - your solicitor can arrange this.\n\nYou can serve the petition by attaching it to the company\u2019s front door or leaving it at the office if you cannot serve it in person.\n\nThe day after you serve the petition, send a copy to the relevant liquidator, administrative receiver, administrator or supervisor if the company is involved in:\n\n- voluntary liquidation\n\n- administrative receivership\n\n- an administration order\n\n- a voluntary arrangement\n\n## The court hearing\n\nIf the court accepts your petition, they\u2019ll arrange a date for a hearing.\n\n## Announce the hearing\n\nWhen you\u2019re given a date for the hearing, you must formally announce when and where it will take place.\n\n- At least 7 working days before the hearing, place an advert in The Gazette to say the petition has been served.\n\n- Send a copy of the advert and form Comp 3 to the court at least 5 working days before the hearing.\n\n- Give a list of everyone who will be attending to the court by 4:30pm on the day before the hearing.\n\nThe advert must state:\n\n- that you\u2019ve presented a petition to wind up the company\n\n- your name and address\n\n- your solicitor\u2019s name and address (if you have one)\n\n- the date you presented the petition\n\n- the court where the hearing will take place\n\n- that anyone wanting to come to the hearing must give notice\n\n## After the hearing\n\nIf the petition is successful, the court will issue a winding-up order.\n\nThe court will put an official receiver in charge of the liquidation. They\u2019ll start the process of turning the company\u2019s assets into money that can be used to pay the company\u2019s debts.\n\nOther creditors can register to claim the money they\u2019re owed.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to the court to close or \u2018wind up\u2019 a company if it cannot pay its debts. This is also known as compulsory liquidation.

    ", + "

    To wind up a company you must:

    ", + "
  • be owed \u00a3750 or more
  • ", + "
  • be able to prove that the company cannot pay you
  • ", + "

    You need to fill in forms and send them to the right court to apply to wind up a company.

    ", + "

    Your application to the court is known as a \u2018winding-up petition\u2019. If you\u2019re successful:

    ", + "
  • the company assets are sold
  • ", + "
  • any legal disputes are settled
  • ", + "
  • the company collects money it\u2019s owed
  • ", + "
  • funds are paid to you and any other creditors
  • ", + "

    You might not get all or any of the money you\u2019re owed.

    ", + "

    There are also other ways to recover money that you\u2019re owed. You can get a debt specialist (like a solicitor) to help you recover debt.

    ", + "

    Fees

    ", + "

    The fees are:

    ", + "
  • \u00a3280 - court fees
  • ", + "
  • \u00a31,600 - petition deposit (to manage the \u2018winding-up\u2019)
  • ", + "

    You might be able to get the fees back if the company can afford to repay them.

    ", + "

    Scottish companies

    ", + "

    There are different rules on winding up a company in Scotland.

    ", + "

    Apply

    ", + "

    You must send the right form to the court before they can deal with your petition. You might want to get legal help to make sure you submit your petition correctly.

    ", + "

    Forms

    ", + "

    Fill in form Comp 1 and make 3 copies.

    ", + "

    You\u2019ll need to:

    ", + "
  • make sure the company\u2019s details are correct
  • ", + "
  • state if any European Community regulations apply (this applies if the company is registered in or does business in England and Wales)
  • ", + "
  • ask the court to restore the company (if it\u2019s been dissolved) before winding up the company
  • ", + "

    You need to provide evidence the company owes you money, for example:

    ", + "
  • a statutory demand - include the amount and date the demand was served
  • ", + "
  • a court judgment - include the amount awarded (and your costs and interest), the date of the judgment, the court name and case number
  • ", + "

    You\u2019ll also need to fill in form Comp 2 confirming the details of your petition.

    ", + "

    Where to send the petition

    ", + "

    Where you send the petition depends on how much \u2018paid-up share capital\u2019 the company has - you can find this on the Companies House register.

    ", + "

    Paid-up share capital is \u00a3120,000 or more

    ", + "

    Submit the petition online. It\u2019ll go to the High Court.

    ", + "

    You pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.

    ", + "

    Paid-up share capital is under \u00a3120,000

    ", + "

    You\u2019ll need to find the court nearest to the company\u2019s registered office - the court must deal with bankruptcy.

    ", + "

    Submit the petition online if it\u2019s one of these courts:

    ", + "
  • Admiralty and Commercial Court
  • ", + "
  • Chancery Division
  • ", + "
  • Companies Court
  • ", + "
  • High Court (including Bankruptcy Court)
  • ", + "
  • London Mercantile Court
  • ", + "
  • Rolls Building
  • ", + "

    You pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.

    ", + "

    If it was another court you\u2019ll need to submit the petition by post. You can pay the fees by cash, postal order or a building society, bank or solicitor\u2019s cheque made payable to \u2018HM Courts and Tribunals Service\u2019.

    ", + "

    After you apply

    ", + "

    You\u2019ll get a copy of your petition from the court after you pay the petition deposit. You must:

    ", + "
  • deliver (\u2018serve\u2019) it to a company director or employee
  • ", + "
  • provide a certificate of service to the court confirming that the petition has been served on the company
  • ", + "

    You can get a \u2018process server\u2019 to help you - your solicitor can arrange this.

    ", + "

    You can serve the petition by attaching it to the company\u2019s front door or leaving it at the office if you cannot serve it in person.

    ", + "

    The day after you serve the petition, send a copy to the relevant liquidator, administrative receiver, administrator or supervisor if the company is involved in:

    ", + "
  • voluntary liquidation
  • ", + "
  • administrative receivership
  • ", + "
  • an administration order
  • ", + "
  • a voluntary arrangement
  • ", + "

    The court hearing

    ", + "

    If the court accepts your petition, they\u2019ll arrange a date for a hearing.

    ", + "

    Announce the hearing

    ", + "

    When you\u2019re given a date for the hearing, you must formally announce when and where it will take place.

    ", + "
  • At least 7 working days before the hearing, place an advert in The Gazette to say the petition has been served.
  • ", + "
  • Send a copy of the advert and form Comp 3 to the court at least 5 working days before the hearing.
  • ", + "
  • Give a list of everyone who will be attending to the court by 4:30pm on the day before the hearing.
  • ", + "

    The advert must state:

    ", + "
  • that you\u2019ve presented a petition to wind up the company
  • ", + "
  • your name and address
  • ", + "
  • your solicitor\u2019s name and address (if you have one)
  • ", + "
  • the date you presented the petition
  • ", + "
  • the court where the hearing will take place
  • ", + "
  • that anyone wanting to come to the hearing must give notice
  • ", + "

    After the hearing

    ", + "

    If the petition is successful, the court will issue a winding-up order.

    ", + "

    The court will put an official receiver in charge of the liquidation. They\u2019ll start the process of turning the company\u2019s assets into money that can be used to pay the company\u2019s debts.

    ", + "

    Other creditors can register to claim the money they\u2019re owed.

    " + ] + }, + "https://www.gov.uk/appeal-lawful-development-certificate-decision": { + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "title": "Appeal a decision about a lawful development certificate", + "content": "## When you can appeal\n\nYour local planning authority makes decisions about lawful development certificates.\n\nYou can appeal against a lawful development certificate decision if either:\n\n- you disagree with it\n\n- the decision was not made within 8 weeks (6 weeks for work to a listed building)\n\nDo not appeal if you\u2019ve already been given an enforcement notice. You may have to pay additional costs if you do.\n\nOnly the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nThere\u2019s normally no deadline. If you\u2019re appealing an application about a listed building lawful development certificate, you must appeal within 6 months of the decision.\n\nYou can apply for planning permission at the same time as appealing a lawful development certificate decision.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the local planning authority\u2019s decision notice - if they did not make a decision, send a copy of the letter acknowledging your application\n\n- all plans, drawings and documents you sent to the local planning authority\n\n- any letters or emails between you and the local planning authority\n\nYou\u2019ll also need to submit:\n\n- a map of the site\n\n- any other documents that directly support your appeal, for example your grounds of appeal\n\nIf you think your land or building is now lawful because the time limit for enforcement has passed, you also need to submit evidence like:\n\n- dated photographs of the site\n\n- letters from neighbours\n\n- receipts or invoices for work\n\n- plans and drawings\n\nYou can upload these documents or pictures of these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on a lawful development certificate appeal. Find the case on the appeals casework portal. The deadline for comments is 6 weeks after the start date of the appeal.\n\nYour local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. The local planning authority has to do this within 2 weeks of the appeal being validated by the Planning Inspectorate.\n\nIf there\u2019s going to be an inquiry, interested parties can apply to have \u2018rule 6 status\u2019, which means they\u2019ll play a much bigger part. For example, they can call witnesses and give evidence.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions about lawful development certificates.

    ", + "

    You can appeal against a lawful development certificate decision if either:

    ", + "
  • you disagree with it
  • ", + "
  • the decision was not made within 8 weeks (6 weeks for work to a listed building)
  • ", + "

    Do not appeal if you\u2019ve already been given an enforcement notice. You may have to pay additional costs if you do.

    ", + "

    Only the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Deadline for appealing

    ", + "

    There\u2019s normally no deadline. If you\u2019re appealing an application about a listed building lawful development certificate, you must appeal within 6 months of the decision.

    ", + "

    You can apply for planning permission at the same time as appealing a lawful development certificate decision.

    ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the local planning authority\u2019s decision notice - if they did not make a decision, send a copy of the letter acknowledging your application
  • ", + "
  • all plans, drawings and documents you sent to the local planning authority
  • ", + "
  • any letters or emails between you and the local planning authority
  • ", + "

    You\u2019ll also need to submit:

    ", + "
  • a map of the site
  • ", + "
  • any other documents that directly support your appeal, for example your grounds of appeal
  • ", + "

    If you think your land or building is now lawful because the time limit for enforcement has passed, you also need to submit evidence like:

    ", + "
  • dated photographs of the site
  • ", + "
  • letters from neighbours
  • ", + "
  • receipts or invoices for work
  • ", + "
  • plans and drawings
  • ", + "

    You can upload these documents or pictures of these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on a lawful development certificate appeal. Find the case on the appeals casework portal. The deadline for comments is 6 weeks after the start date of the appeal.

    ", + "

    Your local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. The local planning authority has to do this within 2 weeks of the appeal being validated by the Planning Inspectorate.

    ", + "

    If there\u2019s going to be an inquiry, interested parties can apply to have \u2018rule 6 status\u2019, which means they\u2019ll play a much bigger part. For example, they can call witnesses and give evidence.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/introduction-to-business-rates": { + "url": "https://www.gov.uk/introduction-to-business-rates", + "title": "Business rates", + "content": "## Overview\n\nBusiness rates are charged on most non-domestic properties, like:\n\n- shops\n\n- offices\n\n- pubs\n\n- warehouses\n\n- factories\n\n- holiday rental homes or guest houses\n\nYou\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What to pay and when\n\nYour local council will send you a business rates bill in February or March each year. This is for the following tax year. You can also estimate your business rates bill.\n\nYou can get help with business rates from:\n\n- your council if you have questions about your bill\n\n- the Valuation Office Agency (VOA) if you think your \u2018rateable value\u2019 is wrong\n\n## Relief schemes\n\nYou may be able to get business rates relief from your local council to reduce your bill. This is sometimes automatic, but you may need to apply.\n\nThe process depends on whether you\u2019re in England or Wales.\n\n## Who does not need to pay\n\nCertain properties are exempt from business rates, for example farm buildings or places used for the welfare of disabled people.\n\n## If you own a stable\n\nYou usually need to pay business rates on your stables, unless you use your horses for farming.\n\nYou may pay Council Tax instead if your stables are in your garden. Contact VOA to check if you\u2019re not sure which you should pay.\n\n## How your rates are calculated\n\nBusiness rates are worked out based on your property\u2019s \u2018rateable value\u2019.\n\nThis is its open market rental value on 1 April 2015, based on an estimate by the Valuation Office Agency (VOA).\n\nYou can estimate your business rates by multiplying the rateable value by the correct \u2018multiplier\u2019 (an amount set by central government).\n\nYour bill will be reduced if your property\u2019s eligible for business rates relief.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## If you think your rates are wrong\n\nYou can ask for your property\u2019s rateable value to be corrected if you think it\u2019s wrong.\n\n## If you\u2019re asked to provide rental information\n\nThe VOA may ask you to provide rental information about your property so they can work out its rateable value.\n\nContact the VOA if you need more time to send in your rental information.\n\n## Revaluation\n\nAt revaluation, the Valuation Office Agency (VOA) adjusts the rateable value of business properties to reflect changes in the property market.\n\nIt usually happens every 5 years. The most recent revaluation came into effect in England and Wales on 1 April 2017, based on rateable values from 1 April 2015.\n\nYou can check your valuation when you estimate your business rates.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What happens at revaluation\n\nAt revaluation:\n\n- all properties are given a new rateable value\n\n- multipliers are revised\n\nThis means that a change in your rateable value does not always mean a change in your bill.\n\nTo make sure your valuations are accurate, you may need to give VOA up-to-date rental evidence for your property at revaluation.\n\n## Get business rates relief\n\nYou may be able to get a discount from your local council if you\u2019re eligible for business rates relief.\n\nFor example you may be able to get:\n\n- transitional relief so that changes to your bill as a result of revaluation are phased in gradually\n\n- small business relief so that you pay no business rates if your rateable value is below \u00a315,000\n\n## Get help with business rates\n\nYou may be able to get a discount from your local council on your business rates if you\u2019re eligible for one or more business rates relief schemes.\n\nFor help with your property\u2019s rateable value, contact the Valuation Office Agency (VOA).\n\nFor help with your business rates bill (for example to pay in instalments) or rate relief, contact your council.\n\n## Get professional advice\n\nYou can also get help from a qualified rating surveyor through one of the following organisations:\n\n- Royal Institution of Chartered Surveyors (RICS)\n\n- Institute of Revenues, Rating and Valuation (IRRV)\n\n- Rating Surveyors Association\n\nYou may be charged for any advice you get from a rating surveyor right from the start.\n\nYou can call the RICS enquiry line for advice. The first 30 minutes are free.\n\n## If your business or premises change\n\nYour business rates could change if:\n\n- you move or make changes to your premises\n\n- the nature of your business changes\n\n- you sublet part of your property\n\n- you merge 2 or more properties into 1\n\nYou must report any changes to ensure you\u2019re paying the right amount and do not get a backdated increase in your bill.\n\nReport changes using the Valuation Office Agency (VOA) service in England or Wales.\n\nBusiness rates are handled differently in Scotland and Northern Ireland\n\n## If your premises are affected by local disruption\n\nYou may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).\n\nReport changes using the VOA service.\n\n## Working at home\n\nYou do not usually have to pay business rates for home-based businesses if you:\n\n- use a small part of your home for your business, for example if you use a bedroom as an office\n\n- sell goods by post\n\nYou may need to pay business rates as well as Council Tax if:\n\n- your property is part business and part domestic, for example if you live above your shop\n\n- you sell goods or services to people who visit your property\n\n- you employ other people to work at your property\n\n- you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s\n\nContact the Valuation Office Agency (VOA) to find out if you should be paying business rates. In Scotland, contact your local assessor.\n\n## Pubs and licensed trade\n\nIn England and Wales, the Valuation Office Agency (VOA) works out your rateable value based on the annual level of trade (excluding VAT) that a pub is expected to achieve if operated in a reasonably efficient way.\n\nThis is called \u2018fair maintainable trade\u2019 and it\u2019s based on:\n\n- the type of pub or licensed premises\n\n- the area it\u2019s in\n\n- the services it offers, for example food, gaming, or sports screenings\n\nThe VOA also looks at rents and turnovers to work out the fair maintainable trade figure, then applies a percentage to work out the rateable value.\n\nThe percentages are agreed with the British Beer and Pub Association and they\u2019re in the VOA\u2019s pub guide.\n\nYou can read more about how the VOA values pubs and other licensed premises for business rates.\n\nContact the VOA if you want to check the figures they\u2019re using or do not agree with the figures being used.\n\nYou can also find and check your business rates valuation online.\n\nYou\u2019ll need to provide details of turnover (excluding VAT) for all sources, such as liquor, food and gaming.\n\nYou can also use the online contact VOA service.\n\n## Scotland\n\nIn Scotland, your local assessor works out your rateable value.\n\nIf you want to check the figures they\u2019re using or do not agree with the figures being used, contact your local assessor.\n\n## Self-catering and holiday let accommodation\n\nIf your property is in England and available to let for short periods that total 140 days or more per year, it will be rated as a self-catering property and valued for business rates.\n\nIf your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:\n\n- available to let for short periods that total 140 days or more per year\n\n- actually let for 70 days\n\nThere are different rules in Scotland.\n\nThe Valuation Office will work out the rateable value of your property based on its type, size, location, quality and how much income you\u2019re likely to make from letting it.\n\nIf you only let one property and its rateable value is less than \u00a315,000 you may be eligible for small business rate relief.", + "original_contents": [ + "

    Overview

    ", + "

    Business rates are charged on most non-domestic properties, like:

    ", + "
  • shops
  • ", + "
  • offices
  • ", + "
  • pubs
  • ", + "
  • warehouses
  • ", + "
  • factories
  • ", + "
  • holiday rental homes or guest houses
  • ", + "

    You\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.

    ", + "

    Business rates are handled differently in Scotland and Northern Ireland.

    ", + "

    What to pay and when

    ", + "

    Your local council will send you a business rates bill in February or March each year. This is for the following tax year. You can also estimate your business rates bill.

    ", + "

    You can get help with business rates from:

    ", + "
  • your council if you have questions about your bill
  • ", + "
  • the Valuation Office Agency (VOA) if you think your \u2018rateable value\u2019 is wrong
  • ", + "

    Relief schemes

    ", + "

    You may be able to get business rates relief from your local council to reduce your bill. This is sometimes automatic, but you may need to apply.

    ", + "

    The process depends on whether you\u2019re in England or Wales.

    ", + "

    Who does not need to pay

    ", + "

    Certain properties are exempt from business rates, for example farm buildings or places used for the welfare of disabled people.

    ", + "

    If you own a stable

    ", + "

    You usually need to pay business rates on your stables, unless you use your horses for farming.

    ", + "

    You may pay Council Tax instead if your stables are in your garden. Contact VOA to check if you\u2019re not sure which you should pay.

    ", + "

    How your rates are calculated

    ", + "

    Business rates are worked out based on your property\u2019s \u2018rateable value\u2019.

    ", + "

    This is its open market rental value on 1 April 2015, based on an estimate by the Valuation Office Agency (VOA).

    ", + "

    You can estimate your business rates by multiplying the rateable value by the correct \u2018multiplier\u2019 (an amount set by central government).

    ", + "

    Your bill will be reduced if your property\u2019s eligible for business rates relief.

    ", + "

    Business rates are handled differently in Scotland and Northern Ireland.

    ", + "

    If you think your rates are wrong

    ", + "

    You can ask for your property\u2019s rateable value to be corrected if you think it\u2019s wrong.

    ", + "

    If you\u2019re asked to provide rental information

    ", + "

    The VOA may ask you to provide rental information about your property so they can work out its rateable value.

    ", + "

    Contact the VOA if you need more time to send in your rental information.

    ", + "

    Revaluation

    ", + "

    At revaluation, the Valuation Office Agency (VOA) adjusts the rateable value of business properties to reflect changes in the property market.

    ", + "

    It usually happens every 5 years. The most recent revaluation came into effect in England and Wales on 1 April 2017, based on rateable values from 1 April 2015.

    ", + "

    You can check your valuation when you estimate your business rates.

    ", + "

    Business rates are handled differently in Scotland and Northern Ireland.

    ", + "

    What happens at revaluation

    ", + "

    At revaluation:

    ", + "
  • all properties are given a new rateable value
  • ", + "
  • multipliers are revised
  • ", + "

    This means that a change in your rateable value does not always mean a change in your bill.

    ", + "

    To make sure your valuations are accurate, you may need to give VOA up-to-date rental evidence for your property at revaluation.

    ", + "

    Get business rates relief

    ", + "

    You may be able to get a discount from your local council if you\u2019re eligible for business rates relief.

    ", + "

    For example you may be able to get:

    ", + "
  • transitional relief so that changes to your bill as a result of revaluation are phased in gradually
  • ", + "
  • small business relief so that you pay no business rates if your rateable value is below \u00a315,000
  • ", + "

    Get help with business rates

    ", + "

    You may be able to get a discount from your local council on your business rates if you\u2019re eligible for one or more business rates relief schemes.

    ", + "

    For help with your property\u2019s rateable value, contact the Valuation Office Agency (VOA).

    ", + "

    For help with your business rates bill (for example to pay in instalments) or rate relief, contact your council.

    ", + "

    Get professional advice

    ", + "

    You can also get help from a qualified rating surveyor through one of the following organisations:

    ", + "
  • Royal Institution of Chartered Surveyors (RICS)
  • ", + "
  • Institute of Revenues, Rating and Valuation (IRRV)
  • ", + "
  • Rating Surveyors Association
  • ", + "

    You may be charged for any advice you get from a rating surveyor right from the start.

    ", + "

    You can call the RICS enquiry line for advice. The first 30 minutes are free.

    ", + "

    If your business or premises change

    ", + "

    Your business rates could change if:

    ", + "
  • you move or make changes to your premises
  • ", + "
  • the nature of your business changes
  • ", + "
  • you sublet part of your property
  • ", + "
  • you merge 2 or more properties into 1
  • ", + "

    You must report any changes to ensure you\u2019re paying the right amount and do not get a backdated increase in your bill.

    ", + "

    Report changes using the Valuation Office Agency (VOA) service in England or Wales.

    ", + "

    Business rates are handled differently in Scotland and Northern Ireland

    ", + "

    If your premises are affected by local disruption

    ", + "

    You may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).

    ", + "

    Report changes using the VOA service.

    ", + "

    Working at home

    ", + "

    You do not usually have to pay business rates for home-based businesses if you:

    ", + "
  • use a small part of your home for your business, for example if you use a bedroom as an office
  • ", + "
  • sell goods by post
  • ", + "

    You may need to pay business rates as well as Council Tax if:

    ", + "
  • your property is part business and part domestic, for example if you live above your shop
  • ", + "
  • you sell goods or services to people who visit your property
  • ", + "
  • you employ other people to work at your property
  • ", + "
  • you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s
  • ", + "

    Contact the Valuation Office Agency (VOA) to find out if you should be paying business rates. In Scotland, contact your local assessor.

    ", + "

    Pubs and licensed trade

    ", + "

    In England and Wales, the Valuation Office Agency (VOA) works out your rateable value based on the annual level of trade (excluding VAT) that a pub is expected to achieve if operated in a reasonably efficient way.

    ", + "

    This is called \u2018fair maintainable trade\u2019 and it\u2019s based on:

    ", + "
  • the type of pub or licensed premises
  • ", + "
  • the area it\u2019s in
  • ", + "
  • the services it offers, for example food, gaming, or sports screenings
  • ", + "

    The VOA also looks at rents and turnovers to work out the fair maintainable trade figure, then applies a percentage to work out the rateable value.

    ", + "

    The percentages are agreed with the British Beer and Pub Association and they\u2019re in the VOA\u2019s pub guide.

    ", + "

    You can read more about how the VOA values pubs and other licensed premises for business rates.

    ", + "

    Contact the VOA if you want to check the figures they\u2019re using or do not agree with the figures being used.

    ", + "

    You can also find and check your business rates valuation online.

    ", + "

    You\u2019ll need to provide details of turnover (excluding VAT) for all sources, such as liquor, food and gaming.

    ", + "

    You can also use the online contact VOA service.

    ", + "

    Scotland

    ", + "

    In Scotland, your local assessor works out your rateable value.

    ", + "

    If you want to check the figures they\u2019re using or do not agree with the figures being used, contact your local assessor.

    ", + "

    Self-catering and holiday let accommodation

    ", + "

    If your property is in England and available to let for short periods that total 140 days or more per year, it will be rated as a self-catering property and valued for business rates.

    ", + "

    If your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:

    ", + "
  • available to let for short periods that total 140 days or more per year
  • ", + "
  • actually let for 70 days
  • ", + "

    There are different rules in Scotland.

    ", + "

    The Valuation Office will work out the rateable value of your property based on its type, size, location, quality and how much income you\u2019re likely to make from letting it.

    ", + "

    If you only let one property and its rateable value is less than \u00a315,000 you may be eligible for small business rate relief.

    " + ] + }, + "https://www.gov.uk/apply-for-business-rate-relief": { + "url": "https://www.gov.uk/apply-for-business-rate-relief", + "title": "Business rates relief", + "content": "## Overview\n\nSome properties are eligible for discounts from the local council on their business rates. This is called \u2018business rates relief\u2019.\n\nRates relief is handled differently in Scotland, Wales and Northern Ireland.\n\nYou have to contact your local council to see if you\u2019re eligible and apply for:\n\n- small business rate relief\n\n- rural rate relief\n\n- charitable rate relief\n\n- enterprise zone relief\n\n- hardship relief\n\n- retail discount\n\n- local newspaper relief\n\nYour council automatically applies:\n\n- exempted buildings and empty buildings relief\n\n- transitional relief if your rates change by more than a certain amount at revaluation\n\nContact your local council if you\u2019re not getting a relief you think you\u2019re entitled to.\n\nFind out what support is available for businesses, including business rates grants or holidays, because of coronavirus (COVID-19).\n\n## If your premises are affected by local disruption\n\nYou may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).\n\nYou can report that something external to the premises has affected its value using the Valuation Office Agency service.\n\n## Small business rate relief\n\nYou can get small business rate relief if:\n\n- your property\u2019s rateable value is less than \u00a315,000\n\n- your business only uses one property - you may still be able to get relief if you use more\n\nContact your local council to apply for small business rate relief.\n\n## What you get\n\nYou will not pay business rates on a property with a rateable value of \u00a312,000 or less.\n\nFor properties with a rateable value of \u00a312,001 to \u00a315,000, the rate of relief will go down gradually from 100% to 0%.\n\n## If you use more than one property\n\nWhen you get a second property, you\u2019ll keep getting any existing relief on your main property for 12 months.\n\nYou can still get small business rate relief on your main property after this if both the following apply:\n\n- none of your other properties have a rateable value above \u00a32,899\n\n- the total rateable value of all your properties is less than \u00a320,000 (\u00a328,000 in London)\n\n## You\u2019re a small business but do not qualify for small business rate relief\n\nIf your property in England has a rateable value below \u00a351,000, your bill will be calculated using the small business multiplier, which is lower than the standard one. This is the case even if you do not get small business rate relief.\n\nThe small business multiplier is 49.1p and the standard multiplier is 50.4p from 1 April 2019 to 31 March 2020. The multipliers may be different in the City of London.\n\n## Rural rate relief\n\nYou could get rural rate relief if your business is in a rural area with a population below 3,000.\n\nYou will not pay business rates if your business is in an eligible area and either:\n\n- the only village shop or post office, with a rateable value of up to \u00a38,500\n\n- the only public house or petrol station, with a rateable value of up to \u00a312,500\n\nContact your local council to check you\u2019re eligible and to apply for rural rate relief.\n\n## Charitable rate relief\n\nCharities and community amateur sports clubs can apply for charitable rate relief of up to 80% if a property is used for charitable purposes.\n\nContact your local council to:\n\n- check if you\u2019re eligible\n\n- find out if they can top up the discount to 100% (called \u2018discretionary relief\u2019)\n\n## If you\u2019re not eligible for charitable rate relief\n\nYou may still be able to get discretionary relief if you\u2019re a non-profit or voluntary organisation. Contact your council to find out.\n\n## Enterprise zones\n\nIf you\u2019re starting up or relocating to an enterprise zone you could qualify for business rates relief.\n\nThe council works out how the relief is applied. You could get up to \u00a355,000 a year over 5 years.\n\nFind your local enterprise zone to check whether it offers business rates relief, and how and when to apply.\n\n## Exempted buildings and empty buildings relief\n\n## Exempted buildings\n\nCertain properties are exempt from business rates.\n\nYou may not have to pay business rates on:\n\n- agricultural land and buildings, including fish farms\n\n- buildings used for training or welfare of disabled people\n\n- buildings registered for public religious worship or church halls\n\nHowever, there are strict legal requirements for these exemptions.\n\nIf your property is in England, you can report that you think it should be exempt using the Valuation Office Agency service.\n\nThere\u2019s a different way to report exemptions if your property is in Wales.\n\n## Empty properties\n\nYou do not have to pay business rates on empty buildings for 3 months. After this time, most businesses must pay full business rates.\n\nSome properties can get extended empty property relief:\n\n- industrial premises (for example warehouses) are exempt for a further 3 months\n\n- listed buildings - until they\u2019re reoccupied\n\n- buildings with a rateable value under \u00a32,900 - until they\u2019re reoccupied\n\n- properties owned by charities - only if the property\u2019s next use will be mostly for charitable purposes\n\n- community amateur sports clubs buildings - only if the next use will be mostly as a sports club\n\nContact your local council to let them know when your property becomes vacant.\n\n## Hardship relief\n\nIn England, councils can reduce your business rates bill with hardship relief.\n\nTo be eligible, you must satisfy your council that both:\n\n- you would be in financial difficulties without it\n\n- giving hardship relief to you is in the interests of local people\n\nContact your local council and explain your situation if you think you\u2019re eligible.\n\n## Transitional relief\n\nTransitional relief limits how much your bill can change each year as a result of revaluation.\n\nThis means changes to your bill are phased in gradually, if you\u2019re eligible.\n\nYou get transitional relief if your:\n\n- property is in England\n\n- rates go up or down by more than a certain amount\n\nYour council will adjust your bill automatically if you\u2019re eligible.\n\n## How much your bill can change by\n\nHow much your bill can change by from one year to the next depends on both:\n\n- your property\u2019s rateable value\n\n- whether your bill is increasing or decreasing as a result of revaluation\n\nYou stop getting transitional relief when your bill reaches the full amount set by a revaluation.\n\nThe business rates year is from 1 April to 31 March the following year.\n\n## If your bill is increasing\n\n| Rateable value | 2017 to 2018 | 2018 to 2019 | 2019 to 2020 | 2020 to 2021 | 2021 to 2022 |\n\n| Up to \u00a320,000 (\u00a328,000 in London) | 5.0% | 7.5% | 10.0% | 15.0% | 15.0% |\n\n| 20,001 (28,001 in London) to \u00a399,999 | 12.5% | 17.5% | 20.0% | 25.0% | 25.0% |\n\n| Over \u00a3100,000 | 42.0% | 32.0% | 49.0% | 16.0% | 6.0% |\n\n## If your bill is decreasing\n\n| Rateable value | 2017 to 2018 | 2018 to 2019 | 2019 to 2020 | 2020 to 2021 | 2021 to 2022 |\n\n| Up to \u00a320,000 (\u00a328,000 in London) | 20.0% | 30.0% | 35.0% | 55.0% | 55.0% |\n\n| 20,001 (28,001 in London) to \u00a399,999 | 10.0% | 15.0% | 20.0% | 25.0% | 25.0% |\n\n| Over \u00a3100,000 | 4.1% | 4.6% | 5.9% | 5.8% | 4.8% |\n\n## If you\u2019ve received a transitional certificate\n\nThe transitional certificate value will be used in the business rates calculation for your property instead of the usual rateable value.\n\nIf you disagree with the value of the certificate, contact the Valuation Office Agency (VOA).\n\n## Retail discount\n\nYou could qualify for retail discount if your business is a:\n\n- shop\n\n- restaurant, caf\u00e9, bar or pub\n\n- cinema or music venue\n\n- hospitality or leisure business - for example, a gym, a spa, a casino or a hotel\n\nContact your local council to find out if you\u2019re eligible.\n\n## What you\u2019ll get\n\nIf you\u2019re eligible, you could get:\n\n- 100% off your business rates bills for the 2020 to 2021 tax year (1 April 2020 to 31 March 2021)\n\n- 100% off your business rates bills for the first 3 months of the 2021 to 2022 tax year (1 April 2021 to 30 June 2021)\n\n- 66% off your business rates bills for the rest of the 2021 to 2022 tax year (1 July 2021 to 31 March 2022) - up to a total value of \u00a32 million\n\nIf your business was legally allowed to open during the national lockdown starting 5 January 2021, your discount for 1 July 2021 to 31 March 2022 will be capped at \u00a3105,000 rather than \u00a32 million.\n\nYou can get the retail discount on top of any other business rates relief you\u2019re eligible for.\n\nIf you opt out of the retail discount for the 2021 to 2022 tax year you cannot change your mind.\n\n## Local newspaper relief\n\nYou could get local newspaper relief if your property is used as office premises for journalists and reporters on a local newspaper.\n\nThe relief is a \u00a31,500 reduction in business rates for eligible properties per year.\n\nYou can only get the relief for one property per newspaper even if more than one property is used as offices for the newspaper.\n\nIf several local newspapers use the same office, they can only get the relief on one newspaper title.\n\nContact your local council to find out if you\u2019re eligible.\n\nYou cannot get the relief for magazines.\n\n## Nurseries discount\n\nYou could qualify for nurseries discount if both:\n\n- your business is on Ofsted\u2019s Early Years Register\n\n- your premises is wholly or mainly used to provide the Early Years Foundation Stage of education\n\n## What you\u2019ll get\n\nIf you\u2019re eligible, you could get:\n\n- 100% off your business rates bills for the 2020 to 2021 tax year (1 April 2020 to 31 March 2021)\n\n- 100% off your business rates bills for the first 3 months of the 2021 to 2022 tax year (1 April 2021 to 30 June 2021)\n\n- 66% off your business rates bills for the rest of the 2021 to 2022 tax year (1 July 2021 to 31 March 2022) - up to a total value of \u00a3105,000\n\nYou can get the nurseries discount on top of any other business rates relief you\u2019re eligible for.\n\nIf you opt out of the nurseries discount for the 2021 to 2022 tax year you cannot change your mind.", + "original_contents": [ + "

    Overview

    ", + "

    Some properties are eligible for discounts from the local council on their business rates. This is called \u2018business rates relief\u2019.

    ", + "

    Rates relief is handled differently in Scotland, Wales and Northern Ireland.

    ", + "

    You have to contact your local council to see if you\u2019re eligible and apply for:

    ", + "
  • small business rate relief
  • ", + "
  • rural rate relief
  • ", + "
  • charitable rate relief
  • ", + "
  • enterprise zone relief
  • ", + "
  • hardship relief
  • ", + "
  • retail discount
  • ", + "
  • local newspaper relief
  • ", + "

    Your council automatically applies:

    ", + "
  • exempted buildings and empty buildings relief
  • ", + "
  • transitional relief if your rates change by more than a certain amount at revaluation
  • ", + "

    Contact your local council if you\u2019re not getting a relief you think you\u2019re entitled to.

    ", + "

    Find out what support is available for businesses, including business rates grants or holidays, because of coronavirus (COVID-19).

    ", + "

    If your premises are affected by local disruption

    ", + "

    You may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).

    ", + "

    You can report that something external to the premises has affected its value using the Valuation Office Agency service.

    ", + "

    Small business rate relief

    ", + "

    You can get small business rate relief if:

    ", + "
  • your property\u2019s rateable value is less than \u00a315,000
  • ", + "
  • your business only uses one property - you may still be able to get relief if you use more
  • ", + "

    Contact your local council to apply for small business rate relief.

    ", + "

    What you get

    ", + "

    You will not pay business rates on a property with a rateable value of \u00a312,000 or less.

    ", + "

    For properties with a rateable value of \u00a312,001 to \u00a315,000, the rate of relief will go down gradually from 100% to 0%.

    ", + "

    If you use more than one property

    ", + "

    When you get a second property, you\u2019ll keep getting any existing relief on your main property for 12 months.

    ", + "

    You can still get small business rate relief on your main property after this if both the following apply:

    ", + "
  • none of your other properties have a rateable value above \u00a32,899
  • ", + "
  • the total rateable value of all your properties is less than \u00a320,000 (\u00a328,000 in London)
  • ", + "

    You\u2019re a small business but do not qualify for small business rate relief

    ", + "

    If your property in England has a rateable value below \u00a351,000, your bill will be calculated using the small business multiplier, which is lower than the standard one. This is the case even if you do not get small business rate relief.

    ", + "

    The small business multiplier is 49.1p and the standard multiplier is 50.4p from 1 April 2019 to 31 March 2020. The multipliers may be different in the City of London.

    ", + "

    Rural rate relief

    ", + "

    You could get rural rate relief if your business is in a rural area with a population below 3,000.

    ", + "

    You will not pay business rates if your business is in an eligible area and either:

    ", + "
  • the only village shop or post office, with a rateable value of up to \u00a38,500
  • ", + "
  • the only public house or petrol station, with a rateable value of up to \u00a312,500
  • ", + "

    Contact your local council to check you\u2019re eligible and to apply for rural rate relief.

    ", + "

    Charitable rate relief

    ", + "

    Charities and community amateur sports clubs can apply for charitable rate relief of up to 80% if a property is used for charitable purposes.

    ", + "

    Contact your local council to:

    ", + "
  • check if you\u2019re eligible
  • ", + "
  • find out if they can top up the discount to 100% (called \u2018discretionary relief\u2019)
  • ", + "

    If you\u2019re not eligible for charitable rate relief

    ", + "

    You may still be able to get discretionary relief if you\u2019re a non-profit or voluntary organisation. Contact your council to find out.

    ", + "

    Enterprise zones

    ", + "

    If you\u2019re starting up or relocating to an enterprise zone you could qualify for business rates relief.

    ", + "

    The council works out how the relief is applied. You could get up to \u00a355,000 a year over 5 years.

    ", + "

    Find your local enterprise zone to check whether it offers business rates relief, and how and when to apply.

    ", + "

    Exempted buildings and empty buildings relief

    ", + "

    Exempted buildings

    ", + "

    Certain properties are exempt from business rates.

    ", + "

    You may not have to pay business rates on:

    ", + "
  • agricultural land and buildings, including fish farms
  • ", + "
  • buildings used for training or welfare of disabled people
  • ", + "
  • buildings registered for public religious worship or church halls
  • ", + "

    However, there are strict legal requirements for these exemptions.

    ", + "

    If your property is in England, you can report that you think it should be exempt using the Valuation Office Agency service.

    ", + "

    There\u2019s a different way to report exemptions if your property is in Wales.

    ", + "

    Empty properties

    ", + "

    You do not have to pay business rates on empty buildings for 3 months. After this time, most businesses must pay full business rates.

    ", + "

    Some properties can get extended empty property relief:

    ", + "
  • industrial premises (for example warehouses) are exempt for a further 3 months
  • ", + "
  • listed buildings - until they\u2019re reoccupied
  • ", + "
  • buildings with a rateable value under \u00a32,900 - until they\u2019re reoccupied
  • ", + "
  • properties owned by charities - only if the property\u2019s next use will be mostly for charitable purposes
  • ", + "
  • community amateur sports clubs buildings - only if the next use will be mostly as a sports club
  • ", + "

    Contact your local council to let them know when your property becomes vacant.

    ", + "

    Hardship relief

    ", + "

    In England, councils can reduce your business rates bill with hardship relief.

    ", + "

    To be eligible, you must satisfy your council that both:

    ", + "
  • you would be in financial difficulties without it
  • ", + "
  • giving hardship relief to you is in the interests of local people
  • ", + "

    Contact your local council and explain your situation if you think you\u2019re eligible.

    ", + "

    Transitional relief

    ", + "

    Transitional relief limits how much your bill can change each year as a result of revaluation.

    ", + "

    This means changes to your bill are phased in gradually, if you\u2019re eligible.

    ", + "

    You get transitional relief if your:

    ", + "
  • property is in England
  • ", + "
  • rates go up or down by more than a certain amount
  • ", + "

    Your council will adjust your bill automatically if you\u2019re eligible.

    ", + "

    How much your bill can change by

    ", + "

    How much your bill can change by from one year to the next depends on both:

    ", + "
  • your property\u2019s rateable value
  • ", + "
  • whether your bill is increasing or decreasing as a result of revaluation
  • ", + "

    You stop getting transitional relief when your bill reaches the full amount set by a revaluation.

    ", + "

    The business rates year is from 1 April to 31 March the following year.

    ", + "

    If your bill is increasing

    ", + "Rateable value | 2017 to 2018 | 2018 to 2019 | 2019 to 2020 | 2020 to 2021 | 2021 to 2022", + "Up to \u00a320,000 (\u00a328,000 in London) | 5.0% | 7.5% | 10.0% | 15.0% | 15.0%", + "20,001 (28,001 in London) to \u00a399,999 | 12.5% | 17.5% | 20.0% | 25.0% | 25.0%", + "Over \u00a3100,000 | 42.0% | 32.0% | 49.0% | 16.0% | 6.0%", + "

    If your bill is decreasing

    ", + "Rateable value | 2017 to 2018 | 2018 to 2019 | 2019 to 2020 | 2020 to 2021 | 2021 to 2022", + "Up to \u00a320,000 (\u00a328,000 in London) | 20.0% | 30.0% | 35.0% | 55.0% | 55.0%", + "20,001 (28,001 in London) to \u00a399,999 | 10.0% | 15.0% | 20.0% | 25.0% | 25.0%", + "Over \u00a3100,000 | 4.1% | 4.6% | 5.9% | 5.8% | 4.8%", + "

    If you\u2019ve received a transitional certificate

    ", + "

    The transitional certificate value will be used in the business rates calculation for your property instead of the usual rateable value.

    ", + "

    If you disagree with the value of the certificate, contact the Valuation Office Agency (VOA).

    ", + "

    Retail discount

    ", + "

    You could qualify for retail discount if your business is a:

    ", + "
  • shop
  • ", + "
  • restaurant, caf\u00e9, bar or pub
  • ", + "
  • cinema or music venue
  • ", + "
  • hospitality or leisure business - for example, a gym, a spa, a casino or a hotel
  • ", + "

    Contact your local council to find out if you\u2019re eligible.

    ", + "

    What you\u2019ll get

    ", + "

    If you\u2019re eligible, you could get:

    ", + "
  • 100% off your business rates bills for the 2020 to 2021 tax year (1 April 2020 to 31 March 2021)
  • ", + "
  • 100% off your business rates bills for the first 3 months of the 2021 to 2022 tax year (1 April 2021 to 30 June 2021)
  • ", + "
  • 66% off your business rates bills for the rest of the 2021 to 2022 tax year (1 July 2021 to 31 March 2022) - up to a total value of \u00a32 million
  • ", + "

    If your business was legally allowed to open during the national lockdown starting 5 January 2021, your discount for 1 July 2021 to 31 March 2022 will be capped at \u00a3105,000 rather than \u00a32 million.

    ", + "

    You can get the retail discount on top of any other business rates relief you\u2019re eligible for.

    ", + "

    If you opt out of the retail discount for the 2021 to 2022 tax year you cannot change your mind.

    ", + "

    Local newspaper relief

    ", + "

    You could get local newspaper relief if your property is used as office premises for journalists and reporters on a local newspaper.

    ", + "

    The relief is a \u00a31,500 reduction in business rates for eligible properties per year.

    ", + "

    You can only get the relief for one property per newspaper even if more than one property is used as offices for the newspaper.

    ", + "

    If several local newspapers use the same office, they can only get the relief on one newspaper title.

    ", + "

    Contact your local council to find out if you\u2019re eligible.

    ", + "

    You cannot get the relief for magazines.

    ", + "

    Nurseries discount

    ", + "

    You could qualify for nurseries discount if both:

    ", + "
  • your business is on Ofsted\u2019s Early Years Register
  • ", + "
  • your premises is wholly or mainly used to provide the Early Years Foundation Stage of education
  • ", + "

    What you\u2019ll get

    ", + "

    If you\u2019re eligible, you could get:

    ", + "
  • 100% off your business rates bills for the 2020 to 2021 tax year (1 April 2020 to 31 March 2021)
  • ", + "
  • 100% off your business rates bills for the first 3 months of the 2021 to 2022 tax year (1 April 2021 to 30 June 2021)
  • ", + "
  • 66% off your business rates bills for the rest of the 2021 to 2022 tax year (1 July 2021 to 31 March 2022) - up to a total value of \u00a3105,000
  • ", + "

    You can get the nurseries discount on top of any other business rates relief you\u2019re eligible for.

    ", + "

    If you opt out of the nurseries discount for the 2021 to 2022 tax year you cannot change your mind.

    " + ] + }, + "https://www.gov.uk/energy-performance-certificate-commercial-property": { + "url": "https://www.gov.uk/energy-performance-certificate-commercial-property", + "title": "Energy Performance Certificates for your business premises", + "content": "## Overview\n\nAn Energy Performance Certificate (EPC) rates how energy efficient your building is using grades from A to G (with \u2018A\u2019 the most efficient grade).\n\n## When you need an EPC\n\nYou must have an EPC if:\n\n- you rent out or sell the premises\n\n- a building under construction is finished\n\n- there are changes to the number of parts used for separate occupation and these changes involve providing or extending fixed heating, air conditioning or mechanical ventilation systems\n\nYou can be fined between \u00a3500 and \u00a35,000 based on the rateable value of the building if you don\u2019t make an EPC available to any prospective buyer or tenant.\n\n## When you must display one\n\nYou must display an EPC by fixing it to your commercial building if all these apply:\n\n- the total useful floor area is over 500 square metres\n\n- the building is frequently visited by the public\n\n- an EPC has already been produced for the building\u2019s sale, rental or construction\n\n## How much it costs\n\nThe cost of an EPC will depend on the building being assessed. All EPCs are valid for 10 years.\n\n## How to get a certificate\n\nYou can only get an Energy Performance Certificate (EPC) from a commercial energy assessor.\n\nThe type of assessor you\u2019ll need will depend on the complexity and features of the building. If you need advice on choosing one, speak to a commercial (non-domestic) energy assessor or contact the approved accreditation scheme they belong to.\n\n## Exemptions\n\nYou don\u2019t need an Energy Performance Certificate (EPC) if you can demonstrate that the building is any of these:\n\n- listed or officially protected and the minimum energy performance requirements would unacceptably alter it\n\n- a temporary building only going to be used for 2 years or less\n\n- used as a place of worship or for other religious activities\n\n- an industrial site, workshop or non-residential agricultural building that doesn\u2019t use much energy\n\n- a detached building with a total floor space under 50 square metres\n\n- due to be demolished by the seller or landlord and they have all the relevant planning and conservation consents\n\n## Vacant buildings and demolition\n\nA building is also exempt if all of the following are true:\n\n- it\u2019s due to be sold or rented out with vacant possession\n\n- it\u2019s suitable for demolition and the site could be redeveloped\n\n- the buyer or tenant has applied for planning permission to demolish it\n\n## Appeal a penalty charge\n\nYou can ask for a review if you get a penalty charge notice. The notice will tell you how to do this. If the review fails you\u2019ll get a letter confirming your penalty.\n\nYou can then appeal to the county court (or sheriff court in Scotland) but you must do this within 28 days of receiving your confirmed penalty.", + "original_contents": [ + "

    Overview

    ", + "

    An Energy Performance Certificate (EPC) rates how energy efficient your building is using grades from A to G (with \u2018A\u2019 the most efficient grade).

    ", + "

    When you need an EPC

    ", + "

    You must have an EPC if:

    ", + "
  • you rent out or sell the premises
  • ", + "
  • a building under construction is finished
  • ", + "
  • there are changes to the number of parts used for separate occupation and these changes involve providing or extending fixed heating, air conditioning or mechanical ventilation systems
  • ", + "

    You can be fined between \u00a3500 and \u00a35,000 based on the rateable value of the building if you don\u2019t make an EPC available to any prospective buyer or tenant.

    ", + "

    When you must display one

    ", + "

    You must display an EPC by fixing it to your commercial building if all these apply:

    ", + "
  • the total useful floor area is over 500 square metres
  • ", + "
  • the building is frequently visited by the public
  • ", + "
  • an EPC has already been produced for the building\u2019s sale, rental or construction
  • ", + "

    How much it costs

    ", + "

    The cost of an EPC will depend on the building being assessed. All EPCs are valid for 10 years.

    ", + "

    How to get a certificate

    ", + "

    You can only get an Energy Performance Certificate (EPC) from a commercial energy assessor.

    ", + "

    The type of assessor you\u2019ll need will depend on the complexity and features of the building. If you need advice on choosing one, speak to a commercial (non-domestic) energy assessor or contact the approved accreditation scheme they belong to.

    ", + "

    Exemptions

    ", + "

    You don\u2019t need an Energy Performance Certificate (EPC) if you can demonstrate that the building is any of these:

    ", + "
  • listed or officially protected and the minimum energy performance requirements would unacceptably alter it
  • ", + "
  • a temporary building only going to be used for 2 years or less
  • ", + "
  • used as a place of worship or for other religious activities
  • ", + "
  • an industrial site, workshop or non-residential agricultural building that doesn\u2019t use much energy
  • ", + "
  • a detached building with a total floor space under 50 square metres
  • ", + "
  • due to be demolished by the seller or landlord and they have all the relevant planning and conservation consents
  • ", + "

    Vacant buildings and demolition

    ", + "

    A building is also exempt if all of the following are true:

    ", + "
  • it\u2019s due to be sold or rented out with vacant possession
  • ", + "
  • it\u2019s suitable for demolition and the site could be redeveloped
  • ", + "
  • the buyer or tenant has applied for planning permission to demolish it
  • ", + "

    Appeal a penalty charge

    ", + "

    You can ask for a review if you get a penalty charge notice. The notice will tell you how to do this. If the review fails you\u2019ll get a letter confirming your penalty.

    ", + "

    You can then appeal to the county court (or sheriff court in Scotland) but you must do this within 28 days of receiving your confirmed penalty.

    " + ] + }, + "https://www.gov.uk/workplace-fire-safety-your-responsibilities": { + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "title": "Fire safety in the workplace", + "content": "## Who's responsible\n\nYou\u2019re responsible for fire safety in business or other non-domestic premises if you\u2019re:\n\n- an employer\n\n- the owner\n\n- the landlord\n\n- an occupier\n\n- anyone else with control of the premises, for example a facilities manager, building manager, managing agent or risk assessor\n\nYou\u2019re known as the \u2018responsible person\u2019. If there\u2019s more than one responsible person, you have to work together to meet your responsibilities.\n\nThe Fire Safety Order also applies if you have paying guests, for example if you run a bed and breakfast, guesthouse or let a self-catering property.\n\nFire safety rules are different in Scotland and Northern Ireland.\n\n## Responsibilities\n\nAs the responsible person you must:\n\n- carry out a fire risk assessment of the premises and review it regularly\n\n- tell staff or their representatives about the risks you\u2019ve identified\n\n- put in place, and maintain, appropriate fire safety measures\n\n- plan for an emergency\n\n- provide staff information, fire safety instruction and training\n\nYou can read about how to make sure your premises are safe from fire.\n\n## Non-domestic premises\n\nNon-domestic premises are:\n\n- all workplaces and commercial premises\n\n- all premises the public have access to\n\n- the common areas of multi-occupied residential buildings\n\n## Shared premises\n\nIn shared premises it\u2019s likely there\u2019ll be more than one responsible person. You\u2019ll need to co-ordinate your fire safety plans to make sure people on or around the premises are safe.\n\nFor common or shared areas, the responsible person is the landlord, freeholder or managing agent.\n\n## Alterations, extensions and new buildings\n\nWhen building new premises or doing building work on existing premises, you must comply with building regulations. This includes designing fire safety into the proposed building or extension.\n\nRead the fire safety building regulations.\n\n## Penalties and enforcement\n\nYou could be fined or go to prison if you do not follow fire safety regulations.\n\nLocal fire and rescue authorities inspect premises and can issue fire safety notices telling you about changes you need to make.\n\n## Fire risk assessments\n\nAs the responsible person you must carry out and regularly review a fire risk assessment of the premises. This will identify what you need to do to prevent fire and keep people safe.\n\nYou must keep a written record of your fire risk assessment if your business has 5 or more people.\n\n## Carrying out the assessment\n\n- Identify the fire hazards.\n\n- Identify people at risk.\n\n- Evaluate, remove or reduce the risks.\n\n- Record your findings, prepare an emergency plan and provide training.\n\n- Review and update the fire risk assessment regularly.\n\nThe fire safety risk assessment chart gives more detailed information about these steps.\n\nYou\u2019ll need to consider:\n\n- emergency routes and exits\n\n- fire detection and warning systems\n\n- fire fighting equipment\n\n- the removal or safe storage of dangerous substances\n\n- an emergency fire evacuation plan\n\n- the needs of vulnerable people, for example the elderly, young children or those with disabilities\n\n- providing information to employees and other people on the premises\n\n- staff fire safety training\n\n## Help with the assessment\n\nYou can do the fire risk assessment yourself with the help of standard fire safety risk assessment guides.\n\nIf you do not have the expertise or time to do the fire risk assessment yourself you need to appoint a \u2018competent person\u2019 to help, for example a professional risk assessor.\n\nYour local fire and rescue authority might be able to give you advice if you\u2019re not sure your risk assessment\u2019s been carried out properly. However, they cannot carry out risk assessments for you.\n\n## Assessment guides\n\nYou can download the following guides on risk assessments in:\n\n- offices and shops\n\n- factories and warehouses\n\n- sleeping accommodation\n\n- residential care premises\n\n- educational premises\n\n- small and medium places of assembly (holding 300 people or less)\n\n- large places of assembly (holding more than 300 people)\n\n- theatres, cinemas and similar premises\n\n- open air events and venues\n\n- healthcare premises\n\n- animal premises and stables\n\n- transport premises and facilities\n\nYou can also find guidance on:\n\n- risk assessments if you work in construction\n\n- purpose-built blocks of flats and other types of housing if you\u2019re a landlord\n\n## Fire safety and evacuation plans\n\nYour plan must show how you have:\n\n- a clear passageway to all escape routes\n\n- clearly marked escape routes that are as short and direct as possible\n\n- enough exits and routes for all people to escape\n\n- emergency doors that open easily\n\n- emergency lighting where needed\n\n- training for all employees to know and use the escape routes\n\n- a safe meeting point for staff\n\n## People with mobility needs\n\nYou should also make special arrangements for people with mobility needs, for example make sure there are people to help wheelchair users get downstairs if there\u2019s a fire.\n\n## Fire safety equipment, drills and training\n\n## Fire detection and warning systems\n\nYou must have a fire detection and warning system. You may need different types of detectors, depending on the type of building and the work carried out in it.\n\n## Fire fighting equipment\n\nThe types of equipment you need depend on your business premises. You\u2019ll need to have any equipment properly installed, tested and maintained and train your staff to use them if necessary.\n\n## Maintenance and testing\n\nYou must carry out regular checks to make sure that:\n\n- all fire alarm systems are working\n\n- the emergency lighting is working\n\n- you record any faults in systems and equipment\n\n- all escape routes are clear and the floor is in good condition\n\n- all fire escapes can be opened easily\n\n- automatic fire doors close correctly\n\n- fire exit signs are in the right place\n\n## Fire drills and training\n\nYou need to train new staff when they start work and tell all employees about any new fire risks.\n\nYou should carry out at least one fire drill per year and record the results. You must keep the results as part of your fire safety and evacuation plan.\n\n## Enforcement, appeals and penalties\n\nYour local fire and rescue authority visits premises to check the fire risk assessment and fire prevention measures are appropriate. Fire safety officers should help you understand the rules and comply with them.\n\nThey can also take action if they think your fire safety measures are not adequate. For example, they might issue an informal notice suggesting safety measures.\n\nThey could also give you a formal fire safety notice. They\u2019ll tell you how to fix the problems described in the notice.\n\n## Alterations notice\n\nYou could get an alterations notice if your premises have high safety risks or will have high safety risks if the use of the premises changes.\n\n## Enforcement notice\n\nYou could get an enforcement notice if the fire and rescue authority finds a serious risk that\u2019s not being managed. It will say what improvements are needed by when.\n\n## Prohibition notice\n\nThese take effect immediately if the fire and rescue authority thinks the fire risk is so great that access to your premises needs to be prohibited or restricted.\n\n## Appeals\n\nYou may be able to arrange an informal review from your fire and rescue authority if you disagree with the decision to issue a fire safety notice.\n\nYou can appeal to your local magistrates\u2019 court within 21 days of receiving a notice.\n\nIn certain circumstances, you and the fire and rescue authority can ask for a \u2018determination\u2019 from the Home Secretary to resolve a dispute.\n\n## Penalties\n\nYou could be fined or go to prison if you do not follow fire safety regulations.\n\nMinor penalties can be up to \u00a35,000. Major penalties can have unlimited fines and up to 2 years in prison.", + "original_contents": [ + "

    Who's responsible

    ", + "

    You\u2019re responsible for fire safety in business or other non-domestic premises if you\u2019re:

    ", + "
  • an employer
  • ", + "
  • the owner
  • ", + "
  • the landlord
  • ", + "
  • an occupier
  • ", + "
  • anyone else with control of the premises, for example a facilities manager, building manager, managing agent or risk assessor
  • ", + "

    You\u2019re known as the \u2018responsible person\u2019. If there\u2019s more than one responsible person, you have to work together to meet your responsibilities.

    ", + "

    The Fire Safety Order also applies if you have paying guests, for example if you run a bed and breakfast, guesthouse or let a self-catering property.

    ", + "

    Fire safety rules are different in Scotland and Northern Ireland.

    ", + "

    Responsibilities

    ", + "

    As the responsible person you must:

    ", + "
  • carry out a fire risk assessment of the premises and review it regularly
  • ", + "
  • tell staff or their representatives about the risks you\u2019ve identified
  • ", + "
  • put in place, and maintain, appropriate fire safety measures
  • ", + "
  • plan for an emergency
  • ", + "
  • provide staff information, fire safety instruction and training
  • ", + "

    You can read about how to make sure your premises are safe from fire.

    ", + "

    Non-domestic premises

    ", + "

    Non-domestic premises are:

    ", + "
  • all workplaces and commercial premises
  • ", + "
  • all premises the public have access to
  • ", + "
  • the common areas of multi-occupied residential buildings
  • ", + "

    Shared premises

    ", + "

    In shared premises it\u2019s likely there\u2019ll be more than one responsible person. You\u2019ll need to co-ordinate your fire safety plans to make sure people on or around the premises are safe.

    ", + "

    For common or shared areas, the responsible person is the landlord, freeholder or managing agent.

    ", + "

    Alterations, extensions and new buildings

    ", + "

    When building new premises or doing building work on existing premises, you must comply with building regulations. This includes designing fire safety into the proposed building or extension.

    ", + "

    Read the fire safety building regulations.

    ", + "

    Penalties and enforcement

    ", + "

    You could be fined or go to prison if you do not follow fire safety regulations.

    ", + "

    Local fire and rescue authorities inspect premises and can issue fire safety notices telling you about changes you need to make.

    ", + "

    Fire risk assessments

    ", + "

    As the responsible person you must carry out and regularly review a fire risk assessment of the premises. This will identify what you need to do to prevent fire and keep people safe.

    ", + "

    You must keep a written record of your fire risk assessment if your business has 5 or more people.

    ", + "

    Carrying out the assessment

    ", + "
  • Identify the fire hazards.
  • ", + "
  • Identify people at risk.
  • ", + "
  • Evaluate, remove or reduce the risks.
  • ", + "
  • Record your findings, prepare an emergency plan and provide training.
  • ", + "
  • Review and update the fire risk assessment regularly.
  • ", + "

    The fire safety risk assessment chart gives more detailed information about these steps.

    ", + "

    You\u2019ll need to consider:

    ", + "
  • emergency routes and exits
  • ", + "
  • fire detection and warning systems
  • ", + "
  • fire fighting equipment
  • ", + "
  • the removal or safe storage of dangerous substances
  • ", + "
  • an emergency fire evacuation plan
  • ", + "
  • the needs of vulnerable people, for example the elderly, young children or those with disabilities
  • ", + "
  • providing information to employees and other people on the premises
  • ", + "
  • staff fire safety training
  • ", + "

    Help with the assessment

    ", + "

    You can do the fire risk assessment yourself with the help of standard fire safety risk assessment guides.

    ", + "

    If you do not have the expertise or time to do the fire risk assessment yourself you need to appoint a \u2018competent person\u2019 to help, for example a professional risk assessor.

    ", + "

    Your local fire and rescue authority might be able to give you advice if you\u2019re not sure your risk assessment\u2019s been carried out properly. However, they cannot carry out risk assessments for you.

    ", + "

    Assessment guides

    ", + "

    You can download the following guides on risk assessments in:

    ", + "
  • offices and shops
  • ", + "
  • factories and warehouses
  • ", + "
  • sleeping accommodation
  • ", + "
  • residential care premises
  • ", + "
  • educational premises
  • ", + "
  • small and medium places of assembly (holding 300 people or less)
  • ", + "
  • large places of assembly (holding more than 300 people)
  • ", + "
  • theatres, cinemas and similar premises
  • ", + "
  • open air events and venues
  • ", + "
  • healthcare premises
  • ", + "
  • animal premises and stables
  • ", + "
  • transport premises and facilities
  • ", + "

    You can also find guidance on:

    ", + "
  • risk assessments if you work in construction
  • ", + "
  • purpose-built blocks of flats and other types of housing if you\u2019re a landlord
  • ", + "

    Fire safety and evacuation plans

    ", + "

    Your plan must show how you have:

    ", + "
  • a clear passageway to all escape routes
  • ", + "
  • clearly marked escape routes that are as short and direct as possible
  • ", + "
  • enough exits and routes for all people to escape
  • ", + "
  • emergency doors that open easily
  • ", + "
  • emergency lighting where needed
  • ", + "
  • training for all employees to know and use the escape routes
  • ", + "
  • a safe meeting point for staff
  • ", + "

    People with mobility needs

    ", + "

    You should also make special arrangements for people with mobility needs, for example make sure there are people to help wheelchair users get downstairs if there\u2019s a fire.

    ", + "

    Fire safety equipment, drills and training

    ", + "

    Fire detection and warning systems

    ", + "

    You must have a fire detection and warning system. You may need different types of detectors, depending on the type of building and the work carried out in it.

    ", + "

    Fire fighting equipment

    ", + "

    The types of equipment you need depend on your business premises. You\u2019ll need to have any equipment properly installed, tested and maintained and train your staff to use them if necessary.

    ", + "

    Maintenance and testing

    ", + "

    You must carry out regular checks to make sure that:

    ", + "
  • all fire alarm systems are working
  • ", + "
  • the emergency lighting is working
  • ", + "
  • you record any faults in systems and equipment
  • ", + "
  • all escape routes are clear and the floor is in good condition
  • ", + "
  • all fire escapes can be opened easily
  • ", + "
  • automatic fire doors close correctly
  • ", + "
  • fire exit signs are in the right place
  • ", + "

    Fire drills and training

    ", + "

    You need to train new staff when they start work and tell all employees about any new fire risks.

    ", + "

    You should carry out at least one fire drill per year and record the results. You must keep the results as part of your fire safety and evacuation plan.

    ", + "

    Enforcement, appeals and penalties

    ", + "

    Your local fire and rescue authority visits premises to check the fire risk assessment and fire prevention measures are appropriate. Fire safety officers should help you understand the rules and comply with them.

    ", + "

    They can also take action if they think your fire safety measures are not adequate. For example, they might issue an informal notice suggesting safety measures.

    ", + "

    They could also give you a formal fire safety notice. They\u2019ll tell you how to fix the problems described in the notice.

    ", + "

    Alterations notice

    ", + "

    You could get an alterations notice if your premises have high safety risks or will have high safety risks if the use of the premises changes.

    ", + "

    Enforcement notice

    ", + "

    You could get an enforcement notice if the fire and rescue authority finds a serious risk that\u2019s not being managed. It will say what improvements are needed by when.

    ", + "

    Prohibition notice

    ", + "

    These take effect immediately if the fire and rescue authority thinks the fire risk is so great that access to your premises needs to be prohibited or restricted.

    ", + "

    Appeals

    ", + "

    You may be able to arrange an informal review from your fire and rescue authority if you disagree with the decision to issue a fire safety notice.

    ", + "

    You can appeal to your local magistrates\u2019 court within 21 days of receiving a notice.

    ", + "

    In certain circumstances, you and the fire and rescue authority can ask for a \u2018determination\u2019 from the Home Secretary to resolve a dispute.

    ", + "

    Penalties

    ", + "

    You could be fined or go to prison if you do not follow fire safety regulations.

    ", + "

    Minor penalties can be up to \u00a35,000. Major penalties can have unlimited fines and up to 2 years in prison.

    " + ] + }, + "https://www.gov.uk/planning-permission-england-wales": { + "url": "https://www.gov.uk/planning-permission-england-wales", + "title": "Planning permission", + "content": "## When you need it\n\nYou\u2019ll probably need planning permission if you want to:\n\n- build something new\n\n- make a major change to your building, such as building an extension\n\n- change the use of your building\n\nTo find out if your project will need planning permission, contact your local planning authority (LPA) through your local council.\n\nFind out about the planning system in Scotland, Wales and Northern Ireland.\n\n## Applying for planning permission\n\nTo apply for planning permission, contact your LPA through your local council.\n\nIf your project needs planning permission and you do the work without getting it, you can be served an \u2018enforcement notice\u2019 ordering you to undo all the changes you have made.\n\nIt\u2019s illegal to ignore an enforcement notice, but you can appeal against it.\n\n## When you do not need it\n\nSome building projects do not need planning permission. This is known as \u2018permitted development rights\u2019.\n\nBuilding projects that normally have permitted development rights include:\n\n- industrial premises and warehouses\n\n- some outdoor signs and advertisements - though there are special rules around adverts\n\n- demolition - but before you begin you must get approval to demolish from your local planning authority (LPA) through your local council\n\nThere are other projects that might not need planning permission - for example, projects that will have no impact on your neighbours or the environment. If you think this could apply to your project, check with your LPA through your local council.\n\n## Community Rights in England\n\nIf your building project benefits the local community, and the community supports it, you may not have to go through the normal planning permission process. Neighbourhood planning lets your community grant planning permission directly under certain circumstances.\n\n## After you apply\n\nYour local planning authority (LPA) will decide whether to grant planning permission for your project based on its development plan. It will not take into account whether local people want it.\n\nTo decide whether a planning application fits with its development plan, an LPA will look at:\n\n- the number, size, layout, siting and external appearance of buildings\n\n- the infrastructure available, such as roads and water supply\n\n- any landscaping needs\n\n- what you want to use the development for\n\n- how your development would affect the surrounding area - for example, if it would create lots more traffic\n\nIn most cases, planning applications are decided within 8 weeks. In England, for unusually large or complex applications the time limit is 13 weeks. If the decision takes longer, you can appeal.\n\n## Appeals\n\nIf your application is refused, try to come to an agreement with the local planning authority (LPA) by adjusting your plans.\n\nIf you cannot reach an agreement, you can appeal.\n\nAppeals can take several months to be decided.\n\n## What you can appeal against\n\nYou can only appeal against a decision if the LPA:\n\n- refuses your application\n\n- grants permission but with conditions you object to\n\n- refuses to change or remove a condition of planning permission that has been granted with conditions\n\n- refuses to approve something reserved under an \u2018outline permission\u2019 \u2013 planning permission for a general idea, not of a specific plan\n\n- refuses to approve something that you were told to build by your LPA as part of a previous planning permission \u2013 the current development was one of the \u2018conditions\u2019 stated in the previous planning permission\n\n- does not make a decision on the application within the deadline and does not get your written consent to change the deadline\n\n- serves you with an enforcement notice because it thinks you have broken planning permission and you do not agree\n\nRead the guidance on the appeals process.", + "original_contents": [ + "

    When you need it

    ", + "

    You\u2019ll probably need planning permission if you want to:

    ", + "
  • build something new
  • ", + "
  • make a major change to your building, such as building an extension
  • ", + "
  • change the use of your building
  • ", + "

    To find out if your project will need planning permission, contact your local planning authority (LPA) through your local council.

    ", + "

    Find out about the planning system in Scotland, Wales and Northern Ireland.

    ", + "

    Applying for planning permission

    ", + "

    To apply for planning permission, contact your LPA through your local council.

    ", + "

    If your project needs planning permission and you do the work without getting it, you can be served an \u2018enforcement notice\u2019 ordering you to undo all the changes you have made.

    ", + "

    It\u2019s illegal to ignore an enforcement notice, but you can appeal against it.

    ", + "

    When you do not need it

    ", + "

    Some building projects do not need planning permission. This is known as \u2018permitted development rights\u2019.

    ", + "

    Building projects that normally have permitted development rights include:

    ", + "
  • industrial premises and warehouses
  • ", + "
  • some outdoor signs and advertisements - though there are special rules around adverts
  • ", + "
  • demolition - but before you begin you must get approval to demolish from your local planning authority (LPA) through your local council
  • ", + "

    There are other projects that might not need planning permission - for example, projects that will have no impact on your neighbours or the environment. If you think this could apply to your project, check with your LPA through your local council.

    ", + "

    Community Rights in England

    ", + "

    If your building project benefits the local community, and the community supports it, you may not have to go through the normal planning permission process. Neighbourhood planning lets your community grant planning permission directly under certain circumstances.

    ", + "

    After you apply

    ", + "

    Your local planning authority (LPA) will decide whether to grant planning permission for your project based on its development plan. It will not take into account whether local people want it.

    ", + "

    To decide whether a planning application fits with its development plan, an LPA will look at:

    ", + "
  • the number, size, layout, siting and external appearance of buildings
  • ", + "
  • the infrastructure available, such as roads and water supply
  • ", + "
  • any landscaping needs
  • ", + "
  • what you want to use the development for
  • ", + "
  • how your development would affect the surrounding area - for example, if it would create lots more traffic
  • ", + "

    In most cases, planning applications are decided within 8 weeks. In England, for unusually large or complex applications the time limit is 13 weeks. If the decision takes longer, you can appeal.

    ", + "

    Appeals

    ", + "

    If your application is refused, try to come to an agreement with the local planning authority (LPA) by adjusting your plans.

    ", + "

    If you cannot reach an agreement, you can appeal.

    ", + "

    Appeals can take several months to be decided.

    ", + "

    What you can appeal against

    ", + "

    You can only appeal against a decision if the LPA:

    ", + "
  • refuses your application
  • ", + "
  • grants permission but with conditions you object to
  • ", + "
  • refuses to change or remove a condition of planning permission that has been granted with conditions
  • ", + "
  • refuses to approve something reserved under an \u2018outline permission\u2019 \u2013 planning permission for a general idea, not of a specific plan
  • ", + "
  • refuses to approve something that you were told to build by your LPA as part of a previous planning permission \u2013 the current development was one of the \u2018conditions\u2019 stated in the previous planning permission
  • ", + "
  • does not make a decision on the application within the deadline and does not get your written consent to change the deadline
  • ", + "
  • serves you with an enforcement notice because it thinks you have broken planning permission and you do not agree
  • ", + "

    Read the guidance on the appeals process.

    " + ] + }, + "https://www.gov.uk/water-and-sewerage-rates-for-businesses": { + "url": "https://www.gov.uk/water-and-sewerage-rates-for-businesses", + "title": "Water and sewerage rates for businesses", + "content": "## Water\n\nYou\u2019ll have to pay for any water your business uses, and for the drainage of water and effluent (liquid waste) from your premises.\n\nOfwat regulates the water industry in England and Wales. There are different regulators in Scotland and Northern Ireland.\n\n## How you\u2019ll be charged\n\nYou\u2019ll be charged either:\n\n- for the water you use, plus a set charge (if you\u2019ve got a meter)\n\n- a set amount, usually based on the value of your property\n\nYour business could be eligible for a large user tariff, meaning your water might be cheaper. This is because it often costs less to supply larger businesses.\n\n## Sewerage and effluent\n\nYou\u2019ll be charged for any \u2018foul sewerage\u2019 (such as wastewater from a toilet or kitchen) and drainage from your property. The amount you pay is usually linked to how much water you use.\n\nYou\u2019ll also have to pay for any effluent (liquid waste) you produce. Effluent is water contaminated with things like:\n\n- fats, oils and grease\n\n- chemicals\n\n- food waste\n\nThe amount your water supplier will charge is usually based on the amount and strength of the effluent before it reaches the sewer.\n\nSewerage charges can either appear on your water bill or your effluent bill, depending on your supplier.\n\n## Choosing a supplier\n\nYou may be able to choose your water and sewerage service provider depending on where your business is.\n\nIn England and Wales you can check with Ofwat whether you can choose your own supplier.\n\nIn Scotland choose your supplier from the Water Commission\u2019s list of suppliers.\n\nIn Northern Ireland you can\u2019t choose your own supplier - water is supplied by Northern Ireland Water.", + "original_contents": [ + "

    Water

    ", + "

    You\u2019ll have to pay for any water your business uses, and for the drainage of water and effluent (liquid waste) from your premises.

    ", + "

    Ofwat regulates the water industry in England and Wales. There are different regulators in Scotland and Northern Ireland.

    ", + "

    How you\u2019ll be charged

    ", + "

    You\u2019ll be charged either:

    ", + "
  • for the water you use, plus a set charge (if you\u2019ve got a meter)
  • ", + "
  • a set amount, usually based on the value of your property
  • ", + "

    Your business could be eligible for a large user tariff, meaning your water might be cheaper. This is because it often costs less to supply larger businesses.

    ", + "

    Sewerage and effluent

    ", + "

    You\u2019ll be charged for any \u2018foul sewerage\u2019 (such as wastewater from a toilet or kitchen) and drainage from your property. The amount you pay is usually linked to how much water you use.

    ", + "

    You\u2019ll also have to pay for any effluent (liquid waste) you produce. Effluent is water contaminated with things like:

    ", + "
  • fats, oils and grease
  • ", + "
  • chemicals
  • ", + "
  • food waste
  • ", + "

    The amount your water supplier will charge is usually based on the amount and strength of the effluent before it reaches the sewer.

    ", + "

    Sewerage charges can either appear on your water bill or your effluent bill, depending on your supplier.

    ", + "

    Choosing a supplier

    ", + "

    You may be able to choose your water and sewerage service provider depending on where your business is.

    ", + "

    In England and Wales you can check with Ofwat whether you can choose your own supplier.

    ", + "

    In Scotland choose your supplier from the Water Commission\u2019s list of suppliers.

    ", + "

    In Northern Ireland you can\u2019t choose your own supplier - water is supplied by Northern Ireland Water.

    " + ] + }, + "https://www.gov.uk/food-labelling-and-packaging": { + "url": "https://www.gov.uk/food-labelling-and-packaging", + "title": "Food labelling and packaging", + "content": "## Overview\n\nTo sell food and drink products, the label must be:\n\n- clear and easy to read\n\n- permanent\n\n- easy to understand\n\n- easily visible\n\n- not misleading\n\nYou must show certain basic information and list the ingredients. You might also have to show certain warnings.\n\nThere are special regulations for labelling wine.\n\n## Products sold loose or in catering businesses\n\nIf you run a catering business, you sell food loose or package it for sale in your shop, you only need to show:\n\n- the name of the food\n\n- if any of the ingredients have been irradiated, or have come from genetically modified sources\n\n- certain warnings\n\n- any food additive you have added\n\n- allergen information\n\nYou must show more information if you sell meat products loose.\n\n## Packaging\n\nIf you package food yourself, you must use packaging that\u2019s suitable for food use. Suitable packaging is marked \u2018for food contact\u2019 or has a symbol on it that looks like a wine glass and a fork.\n\nThere are special rules for using plastics, ceramics or cellophane for packaging. You must have written evidence that you\u2019ve kept to them.\n\nThis is known as a \u2018declaration of compliance\u2019 and you can get it from your packaging supplier. You also have to get one if you buy food that\u2019s already packaged for sale in any of those materials.\n\nRead the national legislation on food contact materials for England, Northern Ireland, Wales or Scotland.\n\n## Food assurance schemes\n\nYou could also join voluntary food assurance schemes such as Red Tractor or Lion Eggs. These schemes let customers know food has been produced to certain standards, for example on food safety or animal welfare.\n\n## Food labelling - what you must show\n\nYou must show the following information:\n\n- the name of the food\n\n- a \u2018best before\u2019 or \u2018use by\u2019 date\n\n- any necessary warnings\n\n- net quantity information\n\n- a list of ingredients (if there is more than 1)\n\n- the country or place of origin, if required\n\n- the lot number or use-by date\n\n- any special storage conditions\n\n- instructions for use or cooking, if necessary\n\nIf you\u2019re selling food in Great Britain (England, Wales and Scotland), you must also include the name and address of the UK or EU business responsible for the information on the food. If the business is not in the UK or EU, you must include the name and address of the importer.\n\nIf you\u2019re selling food in Northern Ireland, you must include the name and address of the Northern Irish or EU business responsible for the information on the food. If the business is not in Northern Ireland or the EU, you must include the name and address of the importer.\n\nCheck if there are other food labelling standards you must follow.\n\n## Quantity information\n\nYou must put the net quantity in grams, kilograms, millilitres or litres on the label of:\n\n- packaged food over 5g or 5ml\n\n- packaged herbs and spices\n\nSolid foods packed in a liquid (or an ice glaze) must show the drained net weight.\n\nThe net quantity must be close enough to the name of the food that you can see all this information at the same time. This also applies to the alcoholic strength for alcoholic drinks.\n\nYou do not have to show the weight or volume on foods sold by number, for example 2 bread rolls, provided that you can clearly see the number of items inside the packaging.\n\nRead more guidance on quantity labelling.\n\n## Information you may have to show\n\nYou must also show these if they apply to your product:\n\n- a warning for drinks with an alcohol content above 1.2%\n\n- a warning if the product contains GM ingredients, unless their presence is accidental and 0.9% or less\n\n- a warning if the product has been irradiated\n\n- the words \u2018packaged in a protective atmosphere\u2019 if the food is packaged using a packaging gas\n\n## Country or place of origin\n\nYou must show the country or place of origin for:\n\n- beef, veal, lamb, mutton, pork, goat and poultry\n\n- fish and shellfish\n\n- honey\n\n- olive oil\n\n- wine\n\n- fruit and vegetables\n\nYou can label certain food from EU countries and Northern Ireland as \u2018origin EU\u2019. Food from and sold in Great Britain can be labelled as \u2018origin EU\u2019 until 30 September 2022. Check the rules for when to label meat, fish and shellfish with their country of origin.\n\nYou must also show the country of origin if customers might be misled without this information, for example if the label for a pizza shows the leaning tower of Pisa but the pizza is made in the UK.\n\nIf the primary ingredient in the food comes from somewhere different from where the product says it was made, the label must show this. For example, a pork pie labelled \u2018British\u2019 that\u2019s produced in the UK with pork from Denmark, must state \u2018with pork from Denmark\u2019 or \u2018made with pork from outside the UK\u2019.\n\n## Special rules for some products\n\nThere are special rules about what you have to show on the label if you supply any of the following:\n\n- bottled water\n\n- bread and flour\n\n- cocoa and chocolate products\n\n- fats and oils\n\n- fish\n\n- fruit juices and nectars\n\n- honey\n\n- jams and preserves\n\n- meat and meat products\n\n- milk and milk products\n\n- soluble coffee\n\n- sugar\n\n## Ingredients list\n\nIf your food or drink product has 2 or more ingredients (including any additives), you must list them all. Ingredients must be listed in order of weight, with the main ingredient first.\n\n## Ingredient quantities\n\nYou also have to show the percentage of an ingredient if it is:\n\n- highlighted by the labelling or a picture on a package, for example \u2018extra cheese\u2019\n\n- mentioned in the name of the product, for example \u2018cheese and onion pasty\u2019\n\n- normally connected with the name by the consumer, for example fruit in a summer pudding\n\n## Allergens\n\nYou must highlight allergens on the label using a different font, style or background colour. You must also list them in the ingredients.\n\nThe allergens you need to highlight and list are:\n\n- celery\n\n- cereals containing gluten - including wheat, rye, barley and oats\n\n- crustaceans - including prawns, crab and lobster\n\n- eggs\n\n- fish\n\n- lupin\n\n- milk\n\n- molluscs - including squid, mussels, cockles, whelks and snails\n\n- mustard\n\n- nuts\n\n- peanuts\n\n- sesame seeds\n\n- soya beans\n\n- sulphur dioxide or sulphites at levels above 10mg per kilogram or per litre\n\n## Food and drink warnings\n\nYou must show an appropriate warning on the label if your food contains certain ingredients.\n\n| Ingredient | Wording you must use |\n\n| Allura red (E129) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Aspartame | \u2018Contains a source of phenylalanine\u2019 |\n\n| Caffeine over 150 mg/l | \u2018Not suitable for children, pregnant women and persons sensitive to caffeine\u2019 |\n\n| Carmoisine (E122) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Liquorice | \u2018Contains liquorice\u2019 (you may need extra wording for confectionery or alcohol containing liquorice) |\n\n| Polyols | \u2018Excessive consumption may cause a laxative effect\u2019 |\n\n| Ponceau 4R (E124) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Quinoline yellow (E104) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Raw milk | \u2018This milk has not been heat-treated and may therefore contain organisms harmful to health\u2019 |\n\n| Skimmed milk with non-milk fat | There\u2019s no fixed wording, but you must show a warning that the product is unfit or not to be used for babies. |\n\n| Sulphur dioxide over 10mg/l | \u2018Contains sulphur dioxide (or sulphites/sulfites)\u2019 |\n\n| Sunset yellow (E110) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Sweeteners | \u2018With sweetener(s)\u2019 |\n\n| Sweeteners and sugar | \u2018With sugar and sweetener(s)\u2019 |\n\n| Tartrazine (E102) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n## Nutrition, health claims and supplement labelling\n\n## Nutrition labelling\n\nYou must follow nutrition labelling information rules for all pre-packed products unless both of the following apply:\n\n- you\u2019re a small business with under 10 employees and a turnover of less than \u00a31.4 million\n\n- you supply either direct to consumers or to local retailers - local means within your county, your neighbouring county, or up to 30 miles from your county boundary\n\n## Nutrition and health claims\n\nYou have to follow certain rules if you want to make a nutrition claim (for example, low fat) or a health claim (for example, calcium helps maintain normal bones).\n\nYou cannot claim or imply that food can treat, prevent or cure any disease or medical condition.\n\n## Food supplements, fortified foods and foods for specific nutritional uses\n\nYou must follow certain rules if you are manufacturing, selling or importing:\n\n- a food supplement\n\n- a food fortified with vitamins and minerals\n\nThere are also specific rules for \u2018parnuts foods\u2019, for example:\n\n- formula milk for infants and young children\n\n- baby food\n\n- meal and total diet replacement for weight control\n\n- medical foods\n\nYou must tell the Department for Health if you want to sell infant formula or medical food in the UK.\n\n## Organic food\n\nIf you\u2019re a retailer, you can label products \u2018organic\u2019 as long as:\n\n- at least 95% of the farm-grown ingredients are organic\n\n- you sell direct to customers in your shop\n\n## Organic certification\n\nYou must be certified by one of the organic control bodies if you produce or prepare organic food and you want to sell or label it as organic.\n\nYou can decide which body to register with based on your location and needs.\n\nOnce registered you\u2019ll have to:\n\n- follow a strict set of guidelines laid down by national and international law\n\n- keep thorough and accurate records of production processes\n\n- allow annual and random inspections\n\nYou\u2019ll also have to follow the rules for labelling organic products.\n\nYou can check how food labelling rules are enforced.", + "original_contents": [ + "

    Overview

    ", + "

    To sell food and drink products, the label must be:

    ", + "
  • clear and easy to read
  • ", + "
  • permanent
  • ", + "
  • easy to understand
  • ", + "
  • easily visible
  • ", + "
  • not misleading
  • ", + "

    You must show certain basic information and list the ingredients. You might also have to show certain warnings.

    ", + "

    There are special regulations for labelling wine.

    ", + "

    Products sold loose or in catering businesses

    ", + "

    If you run a catering business, you sell food loose or package it for sale in your shop, you only need to show:

    ", + "
  • the name of the food
  • ", + "
  • if any of the ingredients have been irradiated, or have come from genetically modified sources
  • ", + "
  • certain warnings
  • ", + "
  • any food additive you have added
  • ", + "
  • allergen information
  • ", + "

    You must show more information if you sell meat products loose.

    ", + "

    Packaging

    ", + "

    If you package food yourself, you must use packaging that\u2019s suitable for food use. Suitable packaging is marked \u2018for food contact\u2019 or has a symbol on it that looks like a wine glass and a fork.

    ", + "

    There are special rules for using plastics, ceramics or cellophane for packaging. You must have written evidence that you\u2019ve kept to them.

    ", + "

    This is known as a \u2018declaration of compliance\u2019 and you can get it from your packaging supplier. You also have to get one if you buy food that\u2019s already packaged for sale in any of those materials.

    ", + "

    Read the national legislation on food contact materials for England, Northern Ireland, Wales or Scotland.

    ", + "

    Food assurance schemes

    ", + "

    You could also join voluntary food assurance schemes such as Red Tractor or Lion Eggs. These schemes let customers know food has been produced to certain standards, for example on food safety or animal welfare.

    ", + "

    Food labelling - what you must show

    ", + "

    You must show the following information:

    ", + "
  • the name of the food
  • ", + "
  • a \u2018best before\u2019 or \u2018use by\u2019 date
  • ", + "
  • any necessary warnings
  • ", + "
  • net quantity information
  • ", + "
  • a list of ingredients (if there is more than 1)
  • ", + "
  • the country or place of origin, if required
  • ", + "
  • the lot number or use-by date
  • ", + "
  • any special storage conditions
  • ", + "
  • instructions for use or cooking, if necessary
  • ", + "

    If you\u2019re selling food in Great Britain (England, Wales and Scotland), you must also include the name and address of the UK or EU business responsible for the information on the food. If the business is not in the UK or EU, you must include the name and address of the importer.

    ", + "

    If you\u2019re selling food in Northern Ireland, you must include the name and address of the Northern Irish or EU business responsible for the information on the food. If the business is not in Northern Ireland or the EU, you must include the name and address of the importer.

    ", + "

    Check if there are other food labelling standards you must follow.

    ", + "

    Quantity information

    ", + "

    You must put the net quantity in grams, kilograms, millilitres or litres on the label of:

    ", + "
  • packaged food over 5g or 5ml
  • ", + "
  • packaged herbs and spices
  • ", + "

    Solid foods packed in a liquid (or an ice glaze) must show the drained net weight.

    ", + "

    The net quantity must be close enough to the name of the food that you can see all this information at the same time. This also applies to the alcoholic strength for alcoholic drinks.

    ", + "

    You do not have to show the weight or volume on foods sold by number, for example 2 bread rolls, provided that you can clearly see the number of items inside the packaging.

    ", + "

    Read more guidance on quantity labelling.

    ", + "

    Information you may have to show

    ", + "

    You must also show these if they apply to your product:

    ", + "
  • a warning for drinks with an alcohol content above 1.2%
  • ", + "
  • a warning if the product contains GM ingredients, unless their presence is accidental and 0.9% or less
  • ", + "
  • a warning if the product has been irradiated
  • ", + "
  • the words \u2018packaged in a protective atmosphere\u2019 if the food is packaged using a packaging gas
  • ", + "

    Country or place of origin

    ", + "

    You must show the country or place of origin for:

    ", + "
  • beef, veal, lamb, mutton, pork, goat and poultry
  • ", + "
  • fish and shellfish
  • ", + "
  • honey
  • ", + "
  • olive oil
  • ", + "
  • wine
  • ", + "
  • fruit and vegetables
  • ", + "

    You can label certain food from EU countries and Northern Ireland as \u2018origin EU\u2019. Food from and sold in Great Britain can be labelled as \u2018origin EU\u2019 until 30 September 2022. Check the rules for when to label meat, fish and shellfish with their country of origin.

    ", + "

    You must also show the country of origin if customers might be misled without this information, for example if the label for a pizza shows the leaning tower of Pisa but the pizza is made in the UK.

    ", + "

    If the primary ingredient in the food comes from somewhere different from where the product says it was made, the label must show this. For example, a pork pie labelled \u2018British\u2019 that\u2019s produced in the UK with pork from Denmark, must state \u2018with pork from Denmark\u2019 or \u2018made with pork from outside the UK\u2019.

    ", + "

    Special rules for some products

    ", + "

    There are special rules about what you have to show on the label if you supply any of the following:

    ", + "
  • bottled water
  • ", + "
  • bread and flour
  • ", + "
  • cocoa and chocolate products
  • ", + "
  • fats and oils
  • ", + "
  • fish
  • ", + "
  • fruit juices and nectars
  • ", + "
  • honey
  • ", + "
  • jams and preserves
  • ", + "
  • meat and meat products
  • ", + "
  • milk and milk products
  • ", + "
  • soluble coffee
  • ", + "
  • sugar
  • ", + "

    Ingredients list

    ", + "

    If your food or drink product has 2 or more ingredients (including any additives), you must list them all. Ingredients must be listed in order of weight, with the main ingredient first.

    ", + "

    Ingredient quantities

    ", + "

    You also have to show the percentage of an ingredient if it is:

    ", + "
  • highlighted by the labelling or a picture on a package, for example \u2018extra cheese\u2019
  • ", + "
  • mentioned in the name of the product, for example \u2018cheese and onion pasty\u2019
  • ", + "
  • normally connected with the name by the consumer, for example fruit in a summer pudding
  • ", + "

    Allergens

    ", + "

    You must highlight allergens on the label using a different font, style or background colour. You must also list them in the ingredients.

    ", + "

    The allergens you need to highlight and list are:

    ", + "
  • celery
  • ", + "
  • cereals containing gluten - including wheat, rye, barley and oats
  • ", + "
  • crustaceans - including prawns, crab and lobster
  • ", + "
  • eggs
  • ", + "
  • fish
  • ", + "
  • lupin
  • ", + "
  • milk
  • ", + "
  • molluscs - including squid, mussels, cockles, whelks and snails
  • ", + "
  • mustard
  • ", + "
  • nuts
  • ", + "
  • peanuts
  • ", + "
  • sesame seeds
  • ", + "
  • soya beans
  • ", + "
  • sulphur dioxide or sulphites at levels above 10mg per kilogram or per litre
  • ", + "

    Food and drink warnings

    ", + "

    You must show an appropriate warning on the label if your food contains certain ingredients.

    ", + "Ingredient | Wording you must use", + "Allura red (E129) | \u2018May have an adverse effect on activity and attention in children\u2019", + "Aspartame | \u2018Contains a source of phenylalanine\u2019", + "Caffeine over 150 mg/l | \u2018Not suitable for children, pregnant women and persons sensitive to caffeine\u2019", + "Carmoisine (E122) | \u2018May have an adverse effect on activity and attention in children\u2019", + "Liquorice | \u2018Contains liquorice\u2019 (you may need extra wording for confectionery or alcohol containing liquorice)", + "Polyols | \u2018Excessive consumption may cause a laxative effect\u2019", + "Ponceau 4R (E124) | \u2018May have an adverse effect on activity and attention in children\u2019", + "Quinoline yellow (E104) | \u2018May have an adverse effect on activity and attention in children\u2019", + "Raw milk | \u2018This milk has not been heat-treated and may therefore contain organisms harmful to health\u2019", + "Skimmed milk with non-milk fat | There\u2019s no fixed wording, but you must show a warning that the product is unfit or not to be used for babies.", + "Sulphur dioxide over 10mg/l | \u2018Contains sulphur dioxide (or sulphites/sulfites)\u2019", + "Sunset yellow (E110) | \u2018May have an adverse effect on activity and attention in children\u2019", + "Sweeteners | \u2018With sweetener(s)\u2019", + "Sweeteners and sugar | \u2018With sugar and sweetener(s)\u2019", + "Tartrazine (E102) | \u2018May have an adverse effect on activity and attention in children\u2019", + "

    Nutrition, health claims and supplement labelling

    ", + "

    Nutrition labelling

    ", + "

    You must follow nutrition labelling information rules for all pre-packed products unless both of the following apply:

    ", + "
  • you\u2019re a small business with under 10 employees and a turnover of less than \u00a31.4 million
  • ", + "
  • you supply either direct to consumers or to local retailers - local means within your county, your neighbouring county, or up to 30 miles from your county boundary
  • ", + "

    Nutrition and health claims

    ", + "

    You have to follow certain rules if you want to make a nutrition claim (for example, low fat) or a health claim (for example, calcium helps maintain normal bones).

    ", + "

    You cannot claim or imply that food can treat, prevent or cure any disease or medical condition.

    ", + "

    Food supplements, fortified foods and foods for specific nutritional uses

    ", + "

    You must follow certain rules if you are manufacturing, selling or importing:

    ", + "
  • a food supplement
  • ", + "
  • a food fortified with vitamins and minerals
  • ", + "

    There are also specific rules for \u2018parnuts foods\u2019, for example:

    ", + "
  • formula milk for infants and young children
  • ", + "
  • baby food
  • ", + "
  • meal and total diet replacement for weight control
  • ", + "
  • medical foods
  • ", + "

    You must tell the Department for Health if you want to sell infant formula or medical food in the UK.

    ", + "

    Organic food

    ", + "

    If you\u2019re a retailer, you can label products \u2018organic\u2019 as long as:

    ", + "
  • at least 95% of the farm-grown ingredients are organic
  • ", + "
  • you sell direct to customers in your shop
  • ", + "

    Organic certification

    ", + "

    You must be certified by one of the organic control bodies if you produce or prepare organic food and you want to sell or label it as organic.

    ", + "

    You can decide which body to register with based on your location and needs.

    ", + "

    Once registered you\u2019ll have to:

    ", + "
  • follow a strict set of guidelines laid down by national and international law
  • ", + "
  • keep thorough and accurate records of production processes
  • ", + "
  • allow annual and random inspections
  • ", + "

    You\u2019ll also have to follow the rules for labelling organic products.

    ", + "

    You can check how food labelling rules are enforced.

    " + ] + }, + "https://www.gov.uk/food-safety-your-responsibilities": { + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "title": "Food safety - your responsibilities", + "content": "## Food safety\n\nIf your business deals in food you must:\n\n- make sure food is safe to eat\n\n- make sure you don\u2019t add, remove or treat food in a way that makes it harmful to eat\n\n- make sure the food is the same quality that you say it is\n\n- make sure you don\u2019t mislead people by the way food is labelled, advertised or marketed\n\n- keep records on where you got food from and show this information on demand - known as \u2018traceability\u2019 (PDF, 90KB)\n\n- withdraw unsafe food and complete an incident report\n\n- tell people why food has been withdrawn or recalled, for example by using a leaflet or poster\n\n- display your food hygiene rating (if you sell food direct to the public)\n\n## Food additives\n\nIf you use an additive in food you must:\n\n- only use an approved additive\n\n- only use it if it is approved for use in that food\n\nThe food additive must not exceed the maximum permitted level.\n\n## Food hygiene\n\nPart of complying with food safety is managing food hygiene.\n\n## Hazard Analysis and Critical Control Point (HACCP) plan\n\nYou usually have to write a plan based on the HACCP principles if you run a food business. This keeps your food safe from biological, chemical and physical safety hazards.\n\n## Food contact materials\n\nMaterials and packaging that can be reasonably expected to come into contact with food are called \u2018food contact materials\u2019. These can include:\n\n- packaging\n\n- food processing equipment\n\n- cookware\n\n- work surfaces\n\n## To keep food safe for consumption:\n\n- make sure food contact materials don\u2019t transfer anything to food they touch\n\n- make sure food contact materials don\u2019t change the food they touch\n\n- when inspected, be able to show where the food contact materials came from\n\n## Bacteria and food poisoning\n\nTo keep food safe from bacteria, you should follow HACCP. Bacteria that cause serious health problems are:\n\n- E.coli O157 and campylobacter\n\n- salmonella, especially with the storage and handling of eggs\n\n## Food hygiene training\n\nEmployers are responsible for staff hygiene training. It can be either a formal programme or informal training, such as on the job training or self study.\n\n## Food allergies\n\nIf you are a food retailer or caterer you need to manage food allergies when preparing and selling food.\n\n## Food inspections\n\nYou can be inspected by your local council at any point in the food production and distribution process. All inspectors must follow the Food Law Code of Practice. Usually, you won\u2019t be told an inspection is going to happen.\n\nHow often you\u2019re inspected depends on the risk your business poses to public health. You might not be inspected as often if you\u2019re a member of a recognised assurance scheme. You can search for a registered assurance scheme online.\n\nIf you\u2019re a food retailer or caterer you will be inspected on a more regular basis to make sure you comply with food safety laws.\n\nYour premises, food, records and procedures can be inspected. Food samples can be taken as well as photographed.\n\nFind your local council enforcement officers.\n\n## After the inspection\n\nYou\u2019ll be sent a letter confirming any improvements you need to make and by when. Usually, you\u2019re responsible for confirming these\nimprovements have been made.\n\nFor serious food safety problems you may be sent a \u2018notice\u2019. The notice can include banning you from using certain equipment or processes until improvements have been made. Your business will be revisited to make sure you have followed the improvements in the notice. Example notices include a:\n\n- Hygiene Improvement Notice\n\n- Hygiene Emergency Prohibition Notices - banning you from using certain equipment or following certain processes\n\n## Appeals\n\nYour letter or notice should tell you how you can appeal a decision by an inspector.\n\n## Report a food safety incident\n\nYou must tell the Food Standards Agency (FSA) if you think any food your business:\n\n- has sold is unsafe\n\n- has is unsafe\n\nThe FSA will tell you if the food must be withdrawn and customers asked to return it.\n\nSubmit a food safety incident report.", + "original_contents": [ + "

    Food safety

    ", + "

    If your business deals in food you must:

    ", + "
  • make sure food is safe to eat
  • ", + "
  • make sure you don\u2019t add, remove or treat food in a way that makes it harmful to eat
  • ", + "
  • make sure the food is the same quality that you say it is
  • ", + "
  • make sure you don\u2019t mislead people by the way food is labelled, advertised or marketed
  • ", + "
  • keep records on where you got food from and show this information on demand - known as \u2018traceability\u2019 (PDF, 90KB)
  • ", + "
  • withdraw unsafe food and complete an incident report
  • ", + "
  • tell people why food has been withdrawn or recalled, for example by using a leaflet or poster
  • ", + "
  • display your food hygiene rating (if you sell food direct to the public)
  • ", + "

    Food additives

    ", + "

    If you use an additive in food you must:

    ", + "
  • only use an approved additive
  • ", + "
  • only use it if it is approved for use in that food
  • ", + "

    The food additive must not exceed the maximum permitted level.

    ", + "

    Food hygiene

    ", + "

    Part of complying with food safety is managing food hygiene.

    ", + "

    Hazard Analysis and Critical Control Point (HACCP) plan

    ", + "

    You usually have to write a plan based on the HACCP principles if you run a food business. This keeps your food safe from biological, chemical and physical safety hazards.

    ", + "

    Food contact materials

    ", + "

    Materials and packaging that can be reasonably expected to come into contact with food are called \u2018food contact materials\u2019. These can include:

    ", + "
  • packaging
  • ", + "
  • food processing equipment
  • ", + "
  • cookware
  • ", + "
  • work surfaces
  • ", + "

    To keep food safe for consumption:

    ", + "
  • make sure food contact materials don\u2019t transfer anything to food they touch
  • ", + "
  • make sure food contact materials don\u2019t change the food they touch
  • ", + "
  • when inspected, be able to show where the food contact materials came from
  • ", + "

    Bacteria and food poisoning

    ", + "

    To keep food safe from bacteria, you should follow HACCP. Bacteria that cause serious health problems are:

    ", + "
  • E.coli O157 and campylobacter
  • ", + "
  • salmonella, especially with the storage and handling of eggs
  • ", + "

    Food hygiene training

    ", + "

    Employers are responsible for staff hygiene training. It can be either a formal programme or informal training, such as on the job training or self study.

    ", + "

    Food allergies

    ", + "

    If you are a food retailer or caterer you need to manage food allergies when preparing and selling food.

    ", + "

    Food inspections

    ", + "

    You can be inspected by your local council at any point in the food production and distribution process. All inspectors must follow the Food Law Code of Practice. Usually, you won\u2019t be told an inspection is going to happen.

    ", + "

    How often you\u2019re inspected depends on the risk your business poses to public health. You might not be inspected as often if you\u2019re a member of a recognised assurance scheme. You can search for a registered assurance scheme online.

    ", + "

    If you\u2019re a food retailer or caterer you will be inspected on a more regular basis to make sure you comply with food safety laws.

    ", + "

    Your premises, food, records and procedures can be inspected. Food samples can be taken as well as photographed.

    ", + "

    Find your local council enforcement officers.

    ", + "

    After the inspection

    ", + "

    You\u2019ll be sent a letter confirming any improvements you need to make and by when. Usually, you\u2019re responsible for confirming these\nimprovements have been made.

    ", + "

    For serious food safety problems you may be sent a \u2018notice\u2019. The notice can include banning you from using certain equipment or processes until improvements have been made. Your business will be revisited to make sure you have followed the improvements in the notice. Example notices include a:

    ", + "
  • Hygiene Improvement Notice
  • ", + "
  • Hygiene Emergency Prohibition Notices - banning you from using certain equipment or following certain processes
  • ", + "

    Appeals

    ", + "

    Your letter or notice should tell you how you can appeal a decision by an inspector.

    ", + "

    Report a food safety incident

    ", + "

    You must tell the Food Standards Agency (FSA) if you think any food your business:

    ", + "
  • has sold is unsafe
  • ", + "
  • has is unsafe
  • ", + "

    The FSA will tell you if the food must be withdrawn and customers asked to return it.

    ", + "

    Submit a food safety incident report.

    " + ] + }, + "https://www.gov.uk/eori": { + "url": "https://www.gov.uk/eori", + "title": "Get an EORI number", + "content": "## Who needs an EORI\n\nYou may need an Economic Operators Registration and Identification number (EORI number) if you move goods:\n\n- between Great Britain (England, Scotland and Wales) or the Isle of Man and any other country (including the EU)\n\n- between Great Britain and Northern Ireland\n\n- between Great Britain and the Channel Islands\n\n- between Northern Ireland and countries outside the EU\n\nThis guide is also available in Welsh (Cymraeg).\n\nTo get an EORI number, your business usually needs to have premises based in the country you want to import to or export from - this is called \u2018being established\u2019. Your premises will need to be either a:\n\n- registered office\n\n- central headquarters\n\n- permanent business establishment - premises where some of your customs-related activities are taking place and your HR and technical resources are permanently located\n\nYou do not need an EORI number if you\u2019re moving goods for personal use only.\n\n## If your business is not based in the country you\u2019re moving goods to or from\n\nYou should still get an EORI number if you\u2019re:\n\n- making a customs declaration - check if you\u2019re eligible to make a customs declaration\n\n- making an entry summary declaration\n\n- making an exit summary declaration\n\n- making a temporary storage declaration\n\n- making a customs declaration for temporary admission or re-export declaration where you have a guarantee\n\n- acting as a carrier for transporting goods by sea, inland waterway or air\n\n- acting as a carrier connected to the customs system and you want to get notifications regarding the lodging or amendment of entry summary declarations\n\n- established in a common transit country where the declaration is lodged instead of an entry summary declaration or is used as a pre-departure declaration\n\nIf you\u2019re not eligible to apply for an EORI number yourself, you\u2019ll need to appoint someone to deal with customs on your behalf. The person you appoint will need to get the EORI number instead of you.\n\nIf you\u2019re based in the Channel Islands and you move goods to or from the UK, you do not need an EORI number. You\u2019ll need an EORI number if you use HMRC\u2019s customs systems like Customs Handling of Import and Export Freight (CHIEF).\n\n## When you\u2019ll need your EORI number\n\nYou\u2019ll need your EORI number if you:\n\n- appoint someone to deal with customs for you and are \u2018established\u2019 in the country you\u2019re importing to or exporting from\n\n- make customs declarations\n\n- use customs systems, such as the CHIEF system\nand the Import Control System Northern Ireland (ICS NI)\n\n- apply for a customs decision\n\n## Check which EORI number you need\n\nWhich type of EORI number you need and where you get it from depends on where you\u2019re moving goods to and from. You may need more than one.\n\nIf you do not have the right EORI number, you may have delays at customs and increased costs, for example your goods may have to be stored until you get an EORI.\n\n## If you\u2019re moving goods to or from Great Britain\n\nIf you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.\n\n## If you\u2019re moving goods to or from Northern Ireland\n\nYou may also need an EORI number starting with XI if you move goods to or from Northern Ireland.\n\nYou do not need an EORI number starting with XI if you already have an EORI number from an EU country.\n\n## If your business will be making declarations or getting a customs decision in the EU\n\nYou may need an EU EORI number from an EU country. Contact the customs authority in an EU country to get an EORI number. You do not need an EORI number from an EU country if you already have an EORI number starting with XI.\n\n## If you move goods to or from Northern Ireland\n\nYou must have an Economic Operators Registration and Identification number (EORI number) that starts with XI if you:\n\n- move goods into Northern Ireland from Great Britain (England, Scotland and Wales)\n\n- move goods from Northern Ireland to another non-EU country\n\n- make a declaration in Northern Ireland\n\n- apply for a customs decision in Northern Ireland\n\nYou only need to declare certain goods you move from Northern Ireland to Great Britain. Check if you need to make an export declaration and will need an EORI number that starts with XI.\n\nOnly people or organisations based in Northern Ireland or the EU can be named as the \u2018declarant\u2019 on import and export declarations made in Northern Ireland.\n\nYou do not need an EORI number if you only move goods on the island of Ireland or between an EU country and Northern Ireland.\n\nIf you already have an EU EORI number you do not need to apply for an XI EORI number.\n\nFind out how to apply for an XI EORI number.\n\n## Get help and advice if you move goods between Great Britain and Northern Ireland\n\nSign up for the Trader Support Service to get advice on EORI numbers and moving goods between Great Britain and Northern Ireland.\n\nFind more guidance on moving goods to and from Northern Ireland.\n\n## Apply for an EORI number\n\n## Apply for an EORI number that starts with GB\n\nTo apply for an Economic Operators Registration and Identification number (EORI number) you need your:\n\n- Unique Taxpayer Reference (UTR) - find your UTR if you do not know it\n\n- business start date and Standard Industrial Classification (SIC) code - these are in the Companies House register\n\n- Government Gateway user ID and password\n\n- VAT number and effective date of registration (if you\u2019re VAT registered) - these are on your VAT registration certificate\n\n- National Insurance number - if you\u2019re an individual or a sole trader\n\nIf you do not already have a Government Gateway user ID, you\u2019ll be able to create one when you apply.\n\nApply for a GB EORI number\n\nYou\u2019ll get your GB EORI number immediately unless HMRC needs to make any checks on your application. If they do, it can take up to 5 working days.\n\n## Apply for an EORI number that starts with XI\n\nBefore you apply, check you\u2019re eligible for an XI EORI number.\n\nYou must have applied for a GB EORI number before you can get an XI EORI number.\n\nOnce you have your GB EORI number then fill in an enquiry form, making sure you:\n\n- tick the box to say you will be trading with Northern Ireland or are based in Northern Ireland\n\n- tick the box saying your enquiry is a \u201cQuery regarding a current EORI number application\u201d\n\nYou\u2019ll get your XI EORI within 4 days.\n\n## Get help with an EORI number\n\nYou can check the status of an application you have already made.\n\nFill in an enquiry form if you have forgotten your EORI number, your details have changed or you have a question about your application.", + "original_contents": [ + "

    Who needs an EORI

    ", + "

    You may need an Economic Operators Registration and Identification number (EORI number) if you move goods:

    ", + "
  • between Great Britain (England, Scotland and Wales) or the Isle of Man and any other country (including the EU)
  • ", + "
  • between Great Britain and Northern Ireland
  • ", + "
  • between Great Britain and the Channel Islands
  • ", + "
  • between Northern Ireland and countries outside the EU
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    To get an EORI number, your business usually needs to have premises based in the country you want to import to or export from - this is called \u2018being established\u2019. Your premises will need to be either a:

    ", + "
  • registered office
  • ", + "
  • central headquarters
  • ", + "
  • permanent business establishment - premises where some of your customs-related activities are taking place and your HR and technical resources are permanently located
  • ", + "

    You do not need an EORI number if you\u2019re moving goods for personal use only.

    ", + "

    If your business is not based in the country you\u2019re moving goods to or from

    ", + "

    You should still get an EORI number if you\u2019re:

    ", + "
  • making a customs declaration - check if you\u2019re eligible to make a customs declaration
  • ", + "
  • making an entry summary declaration
  • ", + "
  • making an exit summary declaration
  • ", + "
  • making a temporary storage declaration
  • ", + "
  • making a customs declaration for temporary admission or re-export declaration where you have a guarantee
  • ", + "
  • acting as a carrier for transporting goods by sea, inland waterway or air
  • ", + "
  • acting as a carrier connected to the customs system and you want to get notifications regarding the lodging or amendment of entry summary declarations
  • ", + "
  • established in a common transit country where the declaration is lodged instead of an entry summary declaration or is used as a pre-departure declaration
  • ", + "

    If you\u2019re not eligible to apply for an EORI number yourself, you\u2019ll need to appoint someone to deal with customs on your behalf. The person you appoint will need to get the EORI number instead of you.

    ", + "

    If you\u2019re based in the Channel Islands and you move goods to or from the UK, you do not need an EORI number. You\u2019ll need an EORI number if you use HMRC\u2019s customs systems like Customs Handling of Import and Export Freight (CHIEF).

    ", + "

    When you\u2019ll need your EORI number

    ", + "

    You\u2019ll need your EORI number if you:

    ", + "
  • appoint someone to deal with customs for you and are \u2018established\u2019 in the country you\u2019re importing to or exporting from
  • ", + "
  • make customs declarations
  • ", + "
  • use customs systems, such as the CHIEF system\nand the Import Control System Northern Ireland (ICS NI)
  • ", + "
  • apply for a customs decision
  • ", + "

    Check which EORI number you need

    ", + "

    Which type of EORI number you need and where you get it from depends on where you\u2019re moving goods to and from. You may need more than one.

    ", + "

    If you do not have the right EORI number, you may have delays at customs and increased costs, for example your goods may have to be stored until you get an EORI.

    ", + "

    If you\u2019re moving goods to or from Great Britain

    ", + "

    If you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.

    ", + "

    If you\u2019re moving goods to or from Northern Ireland

    ", + "

    You may also need an EORI number starting with XI if you move goods to or from Northern Ireland.

    ", + "

    You do not need an EORI number starting with XI if you already have an EORI number from an EU country.

    ", + "

    If your business will be making declarations or getting a customs decision in the EU

    ", + "

    You may need an EU EORI number from an EU country. Contact the customs authority in an EU country to get an EORI number. You do not need an EORI number from an EU country if you already have an EORI number starting with XI.

    ", + "

    If you move goods to or from Northern Ireland

    ", + "

    You must have an Economic Operators Registration and Identification number (EORI number) that starts with XI if you:

    ", + "
  • move goods into Northern Ireland from Great Britain (England, Scotland and Wales)
  • ", + "
  • move goods from Northern Ireland to another non-EU country
  • ", + "
  • make a declaration in Northern Ireland
  • ", + "
  • apply for a customs decision in Northern Ireland
  • ", + "

    You only need to declare certain goods you move from Northern Ireland to Great Britain. Check if you need to make an export declaration and will need an EORI number that starts with XI.

    ", + "

    Only people or organisations based in Northern Ireland or the EU can be named as the \u2018declarant\u2019 on import and export declarations made in Northern Ireland.

    ", + "

    You do not need an EORI number if you only move goods on the island of Ireland or between an EU country and Northern Ireland.

    ", + "

    If you already have an EU EORI number you do not need to apply for an XI EORI number.

    ", + "

    Find out how to apply for an XI EORI number.

    ", + "

    Get help and advice if you move goods between Great Britain and Northern Ireland

    ", + "

    Sign up for the Trader Support Service to get advice on EORI numbers and moving goods between Great Britain and Northern Ireland.

    ", + "

    Find more guidance on moving goods to and from Northern Ireland.

    ", + "

    Apply for an EORI number

    ", + "

    Apply for an EORI number that starts with GB

    ", + "

    To apply for an Economic Operators Registration and Identification number (EORI number) you need your:

    ", + "
  • Unique Taxpayer Reference (UTR) - find your UTR if you do not know it
  • ", + "
  • business start date and Standard Industrial Classification (SIC) code - these are in the Companies House register
  • ", + "
  • Government Gateway user ID and password
  • ", + "
  • VAT number and effective date of registration (if you\u2019re VAT registered) - these are on your VAT registration certificate
  • ", + "
  • National Insurance number - if you\u2019re an individual or a sole trader
  • ", + "

    If you do not already have a Government Gateway user ID, you\u2019ll be able to create one when you apply.

    ", + "

    Apply for a GB EORI number

    ", + "

    You\u2019ll get your GB EORI number immediately unless HMRC needs to make any checks on your application. If they do, it can take up to 5 working days.

    ", + "

    Apply for an EORI number that starts with XI

    ", + "

    Before you apply, check you\u2019re eligible for an XI EORI number.

    ", + "

    You must have applied for a GB EORI number before you can get an XI EORI number.

    ", + "

    Once you have your GB EORI number then fill in an enquiry form, making sure you:

    ", + "
  • tick the box to say you will be trading with Northern Ireland or are based in Northern Ireland
  • ", + "
  • tick the box saying your enquiry is a \u201cQuery regarding a current EORI number application\u201d
  • ", + "

    You\u2019ll get your XI EORI within 4 days.

    ", + "

    Get help with an EORI number

    ", + "

    You can check the status of an application you have already made.

    ", + "

    Fill in an enquiry form if you have forgotten your EORI number, your details have changed or you have a question about your application.

    " + ] + }, + "https://www.gov.uk/goods-sent-from-abroad": { + "url": "https://www.gov.uk/goods-sent-from-abroad", + "title": "Tax and customs for goods sent from abroad", + "content": "## Overview\n\nAnything posted or couriered to you from another country goes through customs to check it is not banned or restricted and you pay the right tax and \u2018duty\u2019 on it.\n\nThis includes anything new or used that you:\n\n- buy online\n\n- buy abroad and send back to the UK\n\n- receive as a gift\n\n## Your responsibilities\n\nBefore receiving your goods, you may have to pay VAT, Customs Duty or Excise Duty if they were sent to:\n\n- Great Britain (England, Wales and Scotland) from outside the UK\n\n- Northern Ireland from countries outside the UK and the European Union (EU)\n\nYou must also check that the sender:\n\n- pays Excise Duty on any alcohol or tobacco sent from the EU to Northern Ireland\n\n- declares goods correctly if they\u2019re sent from outside the UK (or from outside the EU for Northern Ireland)\n\nYour goods may be seized if you do not follow the rules. You may also be fined or prosecuted.\n\n## Tax and duty\n\nYou\u2019ll be contacted by Royal Mail, Parcelforce or the courier company if you need to pay any VAT, duty or delivery charges (\u2018handling fees\u2019) to receive your goods.\n\nThey\u2019ll send you a bill stating exactly which fees you need to pay.\n\nThey\u2019ll normally hold your parcel for about 3 weeks. If you have not paid the bill by then, your parcel will be returned to the sender.\n\nYou will not have to pay anything to the delivery company to receive goods worth less than \u00a3135 unless they\u2019re gifts over \u00a339 or excise goods (for example, alcohol and tobacco).\n\n## VAT\n\nVAT is charged on all goods (except for gifts worth \u00a339 or less) sent from:\n\n- outside the UK to Great Britain\n\n- outside the UK and the EU to Northern Ireland\n\nVAT is not charged on goods that are gifts worth \u00a339 or less.\n\nYou pay VAT when you buy the goods or to the delivery company before you receive them. If you have to pay VAT to the delivery company, it\u2019s charged on the total package value, including:\n\n- the value of the goods\n\n- postage, packaging and insurance\n\n- any duty you owe\n\nVAT is charged at the VAT rate that applies to your goods.\n\n## Goods worth \u00a3135 or less in total\n\nIf you bought the goods yourself and they are not excise goods, the seller will have included VAT in the total you paid.\n\nYou will need to pay VAT to the delivery company if the goods are:\n\n- gifts sent to you by someone else and worth more than \u00a339\n\n- excise goods\n\n## Goods worth more than \u00a3135 in total\n\nYou will have to pay VAT to the delivery company either before the goods are delivered or when you collect them.\n\n## Customs Duty\n\nYou\u2019ll be charged Customs Duty on all goods sent from outside the UK (or the UK and the EU if you\u2019re in Northern Ireland) if they\u2019re either:\n\n- excise goods\n\n- worth more than \u00a3135\n\nIf you\u2019re charged Customs Duty, you\u2019ll need to pay it on both:\n\n- the price paid for the goods\n\n- postage, packaging and insurance\n\n| Type and value of goods | Customs Duty |\n\n| Non-excise goods worth \u00a3135 or less | No charge |\n\n| Gifts above \u00a3135 and up to \u00a3630 | 2.5%, but rates are lower for some goods - call the helpline |\n\n| Gifts above \u00a3630 and other goods above \u00a3135 | The rate depends on the type of goods and where they came from - call the helpline |\n\nYou pay Customs Duty on excise goods of any value.\n\n## Excise Duty\n\nIf you\u2019re sent alcohol or tobacco from outside the UK, you\u2019ll be charged Excise Duty at current rates.\n\nIf the goods are sent from the EU to Northern Ireland, check that the Excise Duty was included in the price. If it\u2019s not, your goods may be seized.\n\nIt does not matter whether you buy the goods or they\u2019re sent as a gift.\n\nIf you receive large amounts of alcohol or tobacco for your business, use the Trade Tariff to check duty rates.\n\nYour goods can also be seized if they\u2019re:\n\n- spirits over 35 centilitres without a UK duty stamp\n\n- cigarettes or hand-rolling tobacco without UK health warnings or fiscal marks\n\n## If you\u2019re charged too much or return your goods\n\nAsk for a refund of VAT or Customs Duty if you:\n\n- return your goods\n\n- think you\u2019ve been charged too much\n\nDownload and fill in:\n\n- form BOR 286 if Royal Mail or Parcelforce delivered the goods\n\n- form C285 if a courier or freight company delivered the goods\n\n## Documents\n\nCheck that goods sent to you from outside the UK (or outside the UK and the EU for goods in Northern Ireland) are declared to customs correctly.\n\nIf they\u2019re not declared correctly, your goods may be seized.\n\nYou must either:\n\n- check that the sender fills in the customs declaration form correctly\n\n- fill in the customs declaration yourself - this can delay getting your goods by at least 4 weeks\n\n## Filling in the customs declaration yourself\n\nThe sender must write \u2018goods to be declared by importer\u2019 on the customs declaration form.\n\nBefore you can collect your goods, you\u2019ll be sent:\n\n- a full customs declaration form to fill in\n\n- a letter explaining how to pay any tax or duty you owe\n\n## Gifts\n\nTo qualify as gifts, goods must be:\n\n- described as gifts on the customs declaration\n\n- for a birthday, anniversary or other occasion\n\n- bought and sent between individuals (not companies)\n\n- intended for personal use\n\n## Sending more than one gift\n\nIf you\u2019re sending more than one gift in the same parcel, you get the Customs Duty and VAT-free allowance for each gift if they\u2019re:\n\n- for different people\n\n- listed on the customs declaration with their individual values\n\n- wrapped individually", + "original_contents": [ + "

    Overview

    ", + "

    Anything posted or couriered to you from another country goes through customs to check it is not banned or restricted and you pay the right tax and \u2018duty\u2019 on it.

    ", + "

    This includes anything new or used that you:

    ", + "
  • buy online
  • ", + "
  • buy abroad and send back to the UK
  • ", + "
  • receive as a gift
  • ", + "

    Your responsibilities

    ", + "

    Before receiving your goods, you may have to pay VAT, Customs Duty or Excise Duty if they were sent to:

    ", + "
  • Great Britain (England, Wales and Scotland) from outside the UK
  • ", + "
  • Northern Ireland from countries outside the UK and the European Union (EU)
  • ", + "

    You must also check that the sender:

    ", + "
  • pays Excise Duty on any alcohol or tobacco sent from the EU to Northern Ireland
  • ", + "
  • declares goods correctly if they\u2019re sent from outside the UK (or from outside the EU for Northern Ireland)
  • ", + "

    Your goods may be seized if you do not follow the rules. You may also be fined or prosecuted.

    ", + "

    Tax and duty

    ", + "

    You\u2019ll be contacted by Royal Mail, Parcelforce or the courier company if you need to pay any VAT, duty or delivery charges (\u2018handling fees\u2019) to receive your goods.

    ", + "

    They\u2019ll send you a bill stating exactly which fees you need to pay.

    ", + "

    They\u2019ll normally hold your parcel for about 3 weeks. If you have not paid the bill by then, your parcel will be returned to the sender.

    ", + "

    You will not have to pay anything to the delivery company to receive goods worth less than \u00a3135 unless they\u2019re gifts over \u00a339 or excise goods (for example, alcohol and tobacco).

    ", + "

    VAT

    ", + "

    VAT is charged on all goods (except for gifts worth \u00a339 or less) sent from:

    ", + "
  • outside the UK to Great Britain
  • ", + "
  • outside the UK and the EU to Northern Ireland
  • ", + "

    VAT is not charged on goods that are gifts worth \u00a339 or less.

    ", + "

    You pay VAT when you buy the goods or to the delivery company before you receive them. If you have to pay VAT to the delivery company, it\u2019s charged on the total package value, including:

    ", + "
  • the value of the goods
  • ", + "
  • postage, packaging and insurance
  • ", + "
  • any duty you owe
  • ", + "

    VAT is charged at the VAT rate that applies to your goods.

    ", + "

    Goods worth \u00a3135 or less in total

    ", + "

    If you bought the goods yourself and they are not excise goods, the seller will have included VAT in the total you paid.

    ", + "

    You will need to pay VAT to the delivery company if the goods are:

    ", + "
  • gifts sent to you by someone else and worth more than \u00a339
  • ", + "
  • excise goods
  • ", + "

    Goods worth more than \u00a3135 in total

    ", + "

    You will have to pay VAT to the delivery company either before the goods are delivered or when you collect them.

    ", + "

    Customs Duty

    ", + "

    You\u2019ll be charged Customs Duty on all goods sent from outside the UK (or the UK and the EU if you\u2019re in Northern Ireland) if they\u2019re either:

    ", + "
  • excise goods
  • ", + "
  • worth more than \u00a3135
  • ", + "

    If you\u2019re charged Customs Duty, you\u2019ll need to pay it on both:

    ", + "
  • the price paid for the goods
  • ", + "
  • postage, packaging and insurance
  • ", + "Type and value of goods | Customs Duty", + "Non-excise goods worth \u00a3135 or less | No charge", + "Gifts above \u00a3135 and up to \u00a3630 | 2.5%, but rates are lower for some goods - call the helpline", + "Gifts above \u00a3630 and other goods above \u00a3135 | The rate depends on the type of goods and where they came from - call the helpline", + "

    You pay Customs Duty on excise goods of any value.

    ", + "

    Excise Duty

    ", + "

    If you\u2019re sent alcohol or tobacco from outside the UK, you\u2019ll be charged Excise Duty at current rates.

    ", + "

    If the goods are sent from the EU to Northern Ireland, check that the Excise Duty was included in the price. If it\u2019s not, your goods may be seized.

    ", + "

    It does not matter whether you buy the goods or they\u2019re sent as a gift.

    ", + "

    If you receive large amounts of alcohol or tobacco for your business, use the Trade Tariff to check duty rates.

    ", + "

    Your goods can also be seized if they\u2019re:

    ", + "
  • spirits over 35 centilitres without a UK duty stamp
  • ", + "
  • cigarettes or hand-rolling tobacco without UK health warnings or fiscal marks
  • ", + "

    If you\u2019re charged too much or return your goods

    ", + "

    Ask for a refund of VAT or Customs Duty if you:

    ", + "
  • return your goods
  • ", + "
  • think you\u2019ve been charged too much
  • ", + "

    Download and fill in:

    ", + "
  • form BOR 286 if Royal Mail or Parcelforce delivered the goods
  • ", + "
  • form C285 if a courier or freight company delivered the goods
  • ", + "

    Documents

    ", + "

    Check that goods sent to you from outside the UK (or outside the UK and the EU for goods in Northern Ireland) are declared to customs correctly.

    ", + "

    If they\u2019re not declared correctly, your goods may be seized.

    ", + "

    You must either:

    ", + "
  • check that the sender fills in the customs declaration form correctly
  • ", + "
  • fill in the customs declaration yourself - this can delay getting your goods by at least 4 weeks
  • ", + "

    Filling in the customs declaration yourself

    ", + "

    The sender must write \u2018goods to be declared by importer\u2019 on the customs declaration form.

    ", + "

    Before you can collect your goods, you\u2019ll be sent:

    ", + "
  • a full customs declaration form to fill in
  • ", + "
  • a letter explaining how to pay any tax or duty you owe
  • ", + "

    Gifts

    ", + "

    To qualify as gifts, goods must be:

    ", + "
  • described as gifts on the customs declaration
  • ", + "
  • for a birthday, anniversary or other occasion
  • ", + "
  • bought and sent between individuals (not companies)
  • ", + "
  • intended for personal use
  • ", + "

    Sending more than one gift

    ", + "

    If you\u2019re sending more than one gift in the same parcel, you get the Customs Duty and VAT-free allowance for each gift if they\u2019re:

    ", + "
  • for different people
  • ", + "
  • listed on the customs declaration with their individual values
  • ", + "
  • wrapped individually
  • " + ] + }, + "https://www.gov.uk/taking-goods-out-uk-temporarily": { + "url": "https://www.gov.uk/taking-goods-out-uk-temporarily", + "title": "Take goods temporarily out of the UK", + "content": "## Overview\n\nYou may need permission to temporarily move or export goods outside the UK, for example if you take sales samples to a trade show.\n\n## Temporarily export goods out of the UK\n\nMost countries have a limit on the value of goods you can bring in duty free.\n\nIf you\u2019re taking goods to another country temporarily for business reasons and you think you\u2019ll be over the duty free limit, you can usually get an ATA Carnet to avoid paying duty. This includes things like:\n\n- samples to show at trade fairs or sales meetings\n\n- publicity materials\n\n- recorded film and audio\n\n- equipment you need for work like laptops, cameras or sound equipment\n\n- goods for educational, scientific or cultural purposes\n\n- personal effects and sports goods\n\nIf you\u2019re taking a vehicle, get a CPD Carnet instead.\n\n## Licences for controlled goods\n\nCheck if your goods are controlled and you need a licence.\n\nTemporary licences are available for some types of controlled goods, for example:\n\n- controlled drugs for personal use\n\n- weapons or dual use goods and services\n\n## Get an ATA Carnet\n\nYou can use an ATA Carnet in around 70 countries.\n\nCountries have their own rules about what goods you can bring in with an ATA Carnet. Check with the issuer in the country you\u2019re exporting to.\n\nIf you cannot use an ATA Carnet (or do not want to pay the fee), use a Duplicate List to temporarily export your goods instead.\n\n## If you do not get an ATA Carnet or Duplicate List\n\nYou\u2019ll need to declare your goods and pay duties every time your goods go through customs.\n\nYou\u2019ll also need to follow the full customs rules and processes for exports and imports.\n\nYou can check the rules on:\n\n- how to export goods from the UK\n\n- how to import goods into the UK\n\n## How to apply\n\nYou can apply for an ATA Carnet:\n\n- online\n\n- by post\n\nIf you\u2019re using a freight forwarder, they\u2019ll usually fill this in for you.\n\nIt usually costs \u00a3325.96 and you\u2019ll need to pay a security deposit.\n\nIf you\u2019re sending goods to Taiwan, apply for a Taiwan Carnet instead.\n\nATA Carnets are usually valid for 1 year. Ask the overseas customs authority if you need to extend it. You\u2019ll need their written approval before you apply for a replacement Carnet.\n\n## Using an ATA Carnet\n\nCall the helpline when you\u2019re planning your journey.\n\nThey\u2019ll check that a customs officer can stamp your Carnet at the port or airport your goods are being shipped from.\n\n## When you return to the UK\n\nGo through the red channel at customs if you\u2019re bringing the goods back in your baggage.\n\n## Get help with ATA Carnets\n\nContact the ATA Carnet Unit if you have a question.\n\n## If you do not use an ATA Carnet\n\nUse a Duplicate List to temporarily export goods if:\n\n- the country you\u2019re exporting to does not recognise the ATA Carnet\n\n- you do not want to pay for an ATA Carnet\n\nAs with an ATA Carnet, you do not have to pay customs duty or tax. There\u2019s no fee, but it\u2019s more complicated than exporting something with an ATA Carnet.\n\n## How to export goods using a Duplicate List\n\nBefore you export the goods, prepare a list on company stationery. Include:\n\n- a description of the goods\n\n- how many there are\n\n- serial numbers, if the goods have them\n\n- value of the goods\n\nAt customs, you\u2019ll need to provide:\n\n- 2 copies of the list\n\n- a completed form C&E 1246 (PDF, 638 KB)\n\nContact the helpline in advance to make the arrangements.", + "original_contents": [ + "

    Overview

    ", + "

    You may need permission to temporarily move or export goods outside the UK, for example if you take sales samples to a trade show.

    ", + "

    Temporarily export goods out of the UK

    ", + "

    Most countries have a limit on the value of goods you can bring in duty free.

    ", + "

    If you\u2019re taking goods to another country temporarily for business reasons and you think you\u2019ll be over the duty free limit, you can usually get an ATA Carnet to avoid paying duty. This includes things like:

    ", + "
  • samples to show at trade fairs or sales meetings
  • ", + "
  • publicity materials
  • ", + "
  • recorded film and audio
  • ", + "
  • equipment you need for work like laptops, cameras or sound equipment
  • ", + "
  • goods for educational, scientific or cultural purposes
  • ", + "
  • personal effects and sports goods
  • ", + "

    If you\u2019re taking a vehicle, get a CPD Carnet instead.

    ", + "

    Licences for controlled goods

    ", + "

    Check if your goods are controlled and you need a licence.

    ", + "

    Temporary licences are available for some types of controlled goods, for example:

    ", + "
  • controlled drugs for personal use
  • ", + "
  • weapons or dual use goods and services
  • ", + "

    Get an ATA Carnet

    ", + "

    You can use an ATA Carnet in around 70 countries.

    ", + "

    Countries have their own rules about what goods you can bring in with an ATA Carnet. Check with the issuer in the country you\u2019re exporting to.

    ", + "

    If you cannot use an ATA Carnet (or do not want to pay the fee), use a Duplicate List to temporarily export your goods instead.

    ", + "

    If you do not get an ATA Carnet or Duplicate List

    ", + "

    You\u2019ll need to declare your goods and pay duties every time your goods go through customs.

    ", + "

    You\u2019ll also need to follow the full customs rules and processes for exports and imports.

    ", + "

    You can check the rules on:

    ", + "
  • how to export goods from the UK
  • ", + "
  • how to import goods into the UK
  • ", + "

    How to apply

    ", + "

    You can apply for an ATA Carnet:

    ", + "
  • online
  • ", + "
  • by post
  • ", + "

    If you\u2019re using a freight forwarder, they\u2019ll usually fill this in for you.

    ", + "

    It usually costs \u00a3325.96 and you\u2019ll need to pay a security deposit.

    ", + "

    If you\u2019re sending goods to Taiwan, apply for a Taiwan Carnet instead.

    ", + "

    ATA Carnets are usually valid for 1 year. Ask the overseas customs authority if you need to extend it. You\u2019ll need their written approval before you apply for a replacement Carnet.

    ", + "

    Using an ATA Carnet

    ", + "

    Call the helpline when you\u2019re planning your journey.

    ", + "

    They\u2019ll check that a customs officer can stamp your Carnet at the port or airport your goods are being shipped from.

    ", + "

    When you return to the UK

    ", + "

    Go through the red channel at customs if you\u2019re bringing the goods back in your baggage.

    ", + "

    Get help with ATA Carnets

    ", + "

    Contact the ATA Carnet Unit if you have a question.

    ", + "

    If you do not use an ATA Carnet

    ", + "

    Use a Duplicate List to temporarily export goods if:

    ", + "
  • the country you\u2019re exporting to does not recognise the ATA Carnet
  • ", + "
  • you do not want to pay for an ATA Carnet
  • ", + "

    As with an ATA Carnet, you do not have to pay customs duty or tax. There\u2019s no fee, but it\u2019s more complicated than exporting something with an ATA Carnet.

    ", + "

    How to export goods using a Duplicate List

    ", + "

    Before you export the goods, prepare a list on company stationery. Include:

    ", + "
  • a description of the goods
  • ", + "
  • how many there are
  • ", + "
  • serial numbers, if the goods have them
  • ", + "
  • value of the goods
  • ", + "

    At customs, you\u2019ll need to provide:

    ", + "
  • 2 copies of the list
  • ", + "
  • a completed form C&E 1246 (PDF, 638 KB)
  • ", + "

    Contact the helpline in advance to make the arrangements.

    " + ] + }, + "https://www.gov.uk/overseas-customers-export-opportunities": { + "url": "https://www.gov.uk/overseas-customers-export-opportunities", + "title": "Find overseas customers and export opportunities", + "content": "## Find export opportunities\n\nUse great.gov.uk to:\n\n- make sure your business is ready to export\n\n- show your products directly to overseas buyers through the \u2018find a buyer\u2019 service\n\n- find overseas opportunities for your product or service\n\nStart now\n\n## Find customers online\n\nGet help selling online overseas and take advantage of special deals negotiated by the government.\n\nAnd join the e-exporting programme to get:\n\n- advice on developing a strategy from e-commerce and international trade experts\n\n- special rates for some of the world\u2019s most popular online selling platforms\n\n- regular updates on e-commerce trends and opportunities to hear from industry experts and network with other online traders\n\nContact e-exporting@trade.gov.uk to join the e-exporting programme.\n\n## Get help from a trade specialist\n\nThe Department for International Trade (DIT) has a network of trade specialists who can also help you find overseas customers by:\n\n- helping you prepare for a trade show or overseas market visit (sometimes grants are available - check with the event organiser)\n\n- arranging introductions to potential overseas buyers, agents and distributors (there\u2019s a charge for this service)\n\nTo find out more, first see the export guidance on great.gov.uk, then contact a trade adviser in your region.\n\n## If you had an OMIS account\n\nIf you had an Overseas Market Introduction Service (OMIS) account and want to talk about something you commissioned, contact a trade adviser in your region or email omis.orders@digital.trade.gov.uk.\n\n## Defence, security and cyber security\n\nContact the Defence and Security Organisation (DSO) for help with:\n\n- presentations, product demonstrations and hosting delegations (including a bespoke hanger for exhibitions and demonstration centre for cyber security products)\n\n- displaying your products on the DSO stand at exhibitions and trade shows\n\n- booking military personnel to appear on your stand at an exhibition or trade show\n\n- providing after sales training to customers\n\nDSO provides media support for product launches or overseas campaigns. Call +44 (0)20 7215 8467.", + "original_contents": [ + "

    Find export opportunities

    ", + "

    Use great.gov.uk to:

    ", + "
  • make sure your business is ready to export
  • ", + "
  • show your products directly to overseas buyers through the \u2018find a buyer\u2019 service
  • ", + "
  • find overseas opportunities for your product or service
  • ", + "

    Start now

    ", + "

    Find customers online

    ", + "

    Get help selling online overseas and take advantage of special deals negotiated by the government.

    ", + "

    And join the e-exporting programme to get:

    ", + "
  • advice on developing a strategy from e-commerce and international trade experts
  • ", + "
  • special rates for some of the world\u2019s most popular online selling platforms
  • ", + "
  • regular updates on e-commerce trends and opportunities to hear from industry experts and network with other online traders
  • ", + "

    Contact e-exporting@trade.gov.uk to join the e-exporting programme.

    ", + "

    Get help from a trade specialist

    ", + "

    The Department for International Trade (DIT) has a network of trade specialists who can also help you find overseas customers by:

    ", + "
  • helping you prepare for a trade show or overseas market visit (sometimes grants are available - check with the event organiser)
  • ", + "
  • arranging introductions to potential overseas buyers, agents and distributors (there\u2019s a charge for this service)
  • ", + "

    To find out more, first see the export guidance on great.gov.uk, then contact a trade adviser in your region.

    ", + "

    If you had an OMIS account

    ", + "

    If you had an Overseas Market Introduction Service (OMIS) account and want to talk about something you commissioned, contact a trade adviser in your region or email omis.orders@digital.trade.gov.uk.

    ", + "

    Defence, security and cyber security

    ", + "

    Contact the Defence and Security Organisation (DSO) for help with:

    ", + "
  • presentations, product demonstrations and hosting delegations (including a bespoke hanger for exhibitions and demonstration centre for cyber security products)
  • ", + "
  • displaying your products on the DSO stand at exhibitions and trade shows
  • ", + "
  • booking military personnel to appear on your stand at an exhibition or trade show
  • ", + "
  • providing after sales training to customers
  • ", + "

    DSO provides media support for product launches or overseas campaigns. Call +44 (0)20 7215 8467.

    " + ] + }, + "https://www.gov.uk/business-asset-disposal-relief": { + "url": "https://www.gov.uk/business-asset-disposal-relief", + "title": "Business Asset Disposal Relief", + "content": "## Eligibility\n\nYou may be able to pay less Capital Gains Tax when you sell (or \u2018dispose of\u2019) all or part of your business.\n\nBusiness Asset Disposal Relief means you\u2019ll pay tax at 10% on all gains on qualifying assets.\n\nBusiness Asset Disposal Relief was known as Entrepreneurs\u2019 Relief before 6 April 2020.\n\n## If you\u2019re selling all or part of your business\n\nTo qualify for relief, both of the following must apply for at least 2 years up to the date you sell your business:\n\n- you\u2019re a sole trader or business partner\n\n- you\u2019ve owned the business for at least 2 years\n\nThe same conditions apply if you\u2019re closing your business instead. You must also dispose of your business assets within 3 years to qualify for relief.\n\n## If you\u2019re selling shares or securities\n\nTo qualify, both of the following must apply for at least 2 years up to the date you sell your shares:\n\n- you\u2019re an employee or office holder of the company (or one in the same group)\n\n- the company\u2019s main activities are in trading (rather than non-trading activities like investment) - or it\u2019s the holding company of a trading group\n\nThere are also other rules depending on whether or not the shares are from an Enterprise Management Incentive (EMI).\n\n## If the shares are from an EMI\n\nYou must have both:\n\n- bought the shares after 5 April 2013\n\n- been given the option to buy them at least 2 years before selling them\n\n## If the shares are not from an EMI\n\nFor at least 2 years before you sell your shares, the business must be a \u2018personal company\u2019. This means that you have at least 5% of both the:\n\n- shares\n\n- voting rights\n\nYou must also be entitled to at least 5% of either:\n\n- profits that are available for distribution and assets on winding up the company\n\n- disposal proceeds if the company is sold\n\nIf the number of shares you hold falls below 5% because the company has issued more shares, you may still be able to claim Business Asset Disposal Relief.\n\nYou need to choose or \u2018elect\u2019 to be treated as if you had sold and re-bought your shares immediately before the new shares were issued. This will create a gain on which you can claim Business Asset Disposal Relief.\n\nYou can also choose or \u2018elect\u2019 to postpone paying tax on that gain until you come to sell your shares.\n\nYou can do this by:\n\n- completing the additional information section of the Capital Gains summary form of your tax return\n\n- writing to HMRC if you do not have to complete a tax return for the year\n\n## If the company stops being a trading company\n\nIf the company stops being a trading company, you can still qualify for relief if you sell your shares within 3 years.\n\n## If you\u2019re selling assets you lent to the business\n\nTo qualify, both of the following must apply:\n\n- you\u2019ve sold at least 5% of your part of a business partnership or your shares in a personal company\n\n- you owned the assets but let your business partnership or personal company use them for at least one year up to the date you sold your business or shares - or the date the business closed\n\n## If you\u2019re a trustee\n\nYou may also qualify if you\u2019re a trustee selling assets held in the trust.\n\n## Work out your tax\n\nHow you work out your tax depends on whether all your gains are eligible for Business Asset Disposal Relief.\n\n## If all your gains qualify for Business Asset Disposal Relief\n\n- Work out the gain for all qualifying assets.\n\n- Add together the gains (and deduct qualifying losses) to work out the total taxable gain that\u2019s eligible for Business Asset Disposal Relief.\n\n- Deduct your tax-free allowance.\n\n- You\u2019ll pay 10% tax on what\u2019s left.\n\n## If you have other gains\n\nHow much tax you pay on your other gains depends on what Income Tax rate you pay.\n\n## Higher rate Income Tax payers\n\nFor gains that do not qualify for Business Asset Disposal Relief you\u2019ll pay:\n\n- 28% on gains from residential property\n\n- 20% on gains made from other chargeable assets\n\nYou can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## Basic rate Income Tax payers\n\nIf you\u2019re a basic rate taxpayer, you need to work out the tax rate you\u2019ll pay on gains that are not eligible for Business Asset Disposal Relief.\n\n- Work out how much taxable income you have - deduct your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.\n\n- Deduct this amount from the basic rate tax band for the year you made the gains (\u00a337,500 for the 2020 to 2021 tax year). This gives you the amount of basic rate band you can use against your gains.\n\n- Work out your total taxable gain.\n\n- Use your basic rate band first against any gains eligible for Business Asset Disposal Relief. You\u2019ll pay 10% tax on these.\n\n- Use any remaining basic rate band against your other gains. You\u2019ll pay 18% on gains made on residential property and 10% on gains from all other chargeable assets.\n\n- For gains above the basic rate band you\u2019ll pay 28% on gains made on residential property and 20% on gains from all other chargeable assets.\n\n- You can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## Get help\n\nContact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.\n\n## How to claim\n\nYou can claim Business Asset Disposal Relief either:\n\n- through your Self Assessment tax return\n\n- by filling in Section A of the Business Asset Disposal Relief helpsheet\n\nThere\u2019s no limit to how many times you can claim Business Asset Disposal Relief.\n\nYou can claim a total of \u00a31 million in Business Asset Disposal Relief over your lifetime.\n\nYou may be able to claim more if you sold your assets before 11 March 2020. Contact HMRC to find out.\n\n## Deadline\n\n| Tax year when you sold or closed your business | Deadline to claim Business Asset Disposal Relief |\n\n| 2020 to 2021 | 31 January 2023 |\n\n| 2019 to 2020 | 31 January 2022 |\n\n| 2018 to 2019 | 31 January 2021 |", + "original_contents": [ + "

    Eligibility

    ", + "

    You may be able to pay less Capital Gains Tax when you sell (or \u2018dispose of\u2019) all or part of your business.

    ", + "

    Business Asset Disposal Relief means you\u2019ll pay tax at 10% on all gains on qualifying assets.

    ", + "

    Business Asset Disposal Relief was known as Entrepreneurs\u2019 Relief before 6 April 2020.

    ", + "

    If you\u2019re selling all or part of your business

    ", + "

    To qualify for relief, both of the following must apply for at least 2 years up to the date you sell your business:

    ", + "
  • you\u2019re a sole trader or business partner
  • ", + "
  • you\u2019ve owned the business for at least 2 years
  • ", + "

    The same conditions apply if you\u2019re closing your business instead. You must also dispose of your business assets within 3 years to qualify for relief.

    ", + "

    If you\u2019re selling shares or securities

    ", + "

    To qualify, both of the following must apply for at least 2 years up to the date you sell your shares:

    ", + "
  • you\u2019re an employee or office holder of the company (or one in the same group)
  • ", + "
  • the company\u2019s main activities are in trading (rather than non-trading activities like investment) - or it\u2019s the holding company of a trading group
  • ", + "

    There are also other rules depending on whether or not the shares are from an Enterprise Management Incentive (EMI).

    ", + "

    If the shares are from an EMI

    ", + "

    You must have both:

    ", + "
  • bought the shares after 5 April 2013
  • ", + "
  • been given the option to buy them at least 2 years before selling them
  • ", + "

    If the shares are not from an EMI

    ", + "

    For at least 2 years before you sell your shares, the business must be a \u2018personal company\u2019. This means that you have at least 5% of both the:

    ", + "
  • shares
  • ", + "
  • voting rights
  • ", + "

    You must also be entitled to at least 5% of either:

    ", + "
  • profits that are available for distribution and assets on winding up the company
  • ", + "
  • disposal proceeds if the company is sold
  • ", + "

    If the number of shares you hold falls below 5% because the company has issued more shares, you may still be able to claim Business Asset Disposal Relief.

    ", + "

    You need to choose or \u2018elect\u2019 to be treated as if you had sold and re-bought your shares immediately before the new shares were issued. This will create a gain on which you can claim Business Asset Disposal Relief.

    ", + "

    You can also choose or \u2018elect\u2019 to postpone paying tax on that gain until you come to sell your shares.

    ", + "

    You can do this by:

    ", + "
  • completing the additional information section of the Capital Gains summary form of your tax return
  • ", + "
  • writing to HMRC if you do not have to complete a tax return for the year
  • ", + "

    If the company stops being a trading company

    ", + "

    If the company stops being a trading company, you can still qualify for relief if you sell your shares within 3 years.

    ", + "

    If you\u2019re selling assets you lent to the business

    ", + "

    To qualify, both of the following must apply:

    ", + "
  • you\u2019ve sold at least 5% of your part of a business partnership or your shares in a personal company
  • ", + "
  • you owned the assets but let your business partnership or personal company use them for at least one year up to the date you sold your business or shares - or the date the business closed
  • ", + "

    If you\u2019re a trustee

    ", + "

    You may also qualify if you\u2019re a trustee selling assets held in the trust.

    ", + "

    Work out your tax

    ", + "

    How you work out your tax depends on whether all your gains are eligible for Business Asset Disposal Relief.

    ", + "

    If all your gains qualify for Business Asset Disposal Relief

    ", + "
  • Work out the gain for all qualifying assets.
  • ", + "
  • Add together the gains (and deduct qualifying losses) to work out the total taxable gain that\u2019s eligible for Business Asset Disposal Relief.
  • ", + "
  • Deduct your tax-free allowance.
  • ", + "
  • You\u2019ll pay 10% tax on what\u2019s left.
  • ", + "

    If you have other gains

    ", + "

    How much tax you pay on your other gains depends on what Income Tax rate you pay.

    ", + "

    Higher rate Income Tax payers

    ", + "

    For gains that do not qualify for Business Asset Disposal Relief you\u2019ll pay:

    ", + "
  • 28% on gains from residential property
  • ", + "
  • 20% on gains made from other chargeable assets
  • ", + "

    You can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).

    ", + "

    Basic rate Income Tax payers

    ", + "

    If you\u2019re a basic rate taxpayer, you need to work out the tax rate you\u2019ll pay on gains that are not eligible for Business Asset Disposal Relief.

    ", + "
  • Work out how much taxable income you have - deduct your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.
  • ", + "
  • Deduct this amount from the basic rate tax band for the year you made the gains (\u00a337,500 for the 2020 to 2021 tax year). This gives you the amount of basic rate band you can use against your gains.
  • ", + "
  • Work out your total taxable gain.
  • ", + "
  • Use your basic rate band first against any gains eligible for Business Asset Disposal Relief. You\u2019ll pay 10% tax on these.
  • ", + "
  • Use any remaining basic rate band against your other gains. You\u2019ll pay 18% on gains made on residential property and 10% on gains from all other chargeable assets.
  • ", + "
  • For gains above the basic rate band you\u2019ll pay 28% on gains made on residential property and 20% on gains from all other chargeable assets.
  • ", + "
  • You can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).
  • ", + "

    Get help

    ", + "

    Contact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.

    ", + "

    How to claim

    ", + "

    You can claim Business Asset Disposal Relief either:

    ", + "
  • through your Self Assessment tax return
  • ", + "
  • by filling in Section A of the Business Asset Disposal Relief helpsheet
  • ", + "

    There\u2019s no limit to how many times you can claim Business Asset Disposal Relief.

    ", + "

    You can claim a total of \u00a31 million in Business Asset Disposal Relief over your lifetime.

    ", + "

    You may be able to claim more if you sold your assets before 11 March 2020. Contact HMRC to find out.

    ", + "

    Deadline

    ", + "Tax year when you sold or closed your business | Deadline to claim Business Asset Disposal Relief", + "2020 to 2021 | 31 January 2023", + "2019 to 2020 | 31 January 2022", + "2018 to 2019 | 31 January 2021" + ] + }, + "https://www.gov.uk/protecting-company-from-compulsory-liquidation": { + "url": "https://www.gov.uk/protecting-company-from-compulsory-liquidation", + "title": "Dealing with your limited company's debts", + "content": "## If your company cannot pay its debts\n\nYour limited company can be liquidated (\u2018wound up\u2019) if it cannot pay its debts.\n\nThe people or organisations your company owes money to (your \u2018creditors\u2019) can apply to the court to get their debts paid.\n\nThey can do this by either:\n\n- getting a court judgment\n\n- making an official request for payment - this is called a statutory demand\n\nGet professional advice from a solicitor or insolvency practitioner if your company is in debt.\n\n## Responding to a court judgment\n\nYou have 14 days to respond to a court judgment.\n\nTo respond, you must do one of the following:\n\n- pay the debt\n\n- reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement\n\n- put your company into administration\n\n- apply to liquidate (\u2018wind up\u2019) your company yourself\n\n- challenge the court judgment\n\nIf you do not respond to the court judgment within 14 days, your creditors can apply to have your assets seized by a bailiff or sheriff.\n\nYour creditors can apply to wind up your company if your assets are not worth enough to pay your debts.\n\n## Responding to a statutory demand\n\nYou have 21 days to respond to a statutory demand.\n\nTo respond, you must do one of the following:\n\n- pay the debt\n\n- reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement\n\n- put your company into administration\n\n- apply to liquidate (\u2018wind up\u2019) your company yourself\n\nYour creditors can apply to wind up your company if you do not respond to the statutory demand within 21 days.\n\n## Stop your creditors from applying to wind up your company\n\nYou can apply to the court to stop (\u2018restrain\u2019) your creditors from applying to wind up your company. You must do this within 21 days of getting the statutory demand.\n\nDownload and fill in application form IAA.\n\nWhich court you apply to depends on how much money shareholders have paid into your company by buying shares (\u2018paid up share capital\u2019).\n\nCheck the Companies House register to find out your company\u2019s paid up share capital.\n\n## Your paid up share capital is less than \u00a3120,000\n\nUse the court finder to find a court dealing with insolvency. You must use the court nearest your company\u2019s registered office.\n\n## Your paid up share capital is more than \u00a3120,000\n\nYou must apply to the High Court.\n\n## Getting a winding-up order\n\nYour creditors can apply to the court to close down your company. They do this by making an application called a \u2018winding-up petition\u2019.\n\nYou can apply to stop your creditors from making a winding-up petition if you were given a statutory demand.\n\nThey can withdraw the petition if your company pays the debt or makes an arrangement to pay it.\n\n## Attending the hearing\n\nIf the petition is accepted, the court will arrange a date for a hearing.\n\nYou must attend the hearing. Your creditors will announce when and where the hearing will take place in The Gazette.\n\nYour company can be put into the control of someone else until the hearing happens. This is known as \u2018provisional liquidation\u2019.\n\n## If the court decides you cannot pay your debts\n\nThe court will issue a winding-up order.\n\nAn officer of the court (\u2018official receiver\u2019) will be put in charge of winding-up your company. You must co-operate with the official receiver.\n\nWhen you get a winding-up order:\n\n- your company\u2019s bank account will usually be frozen\n\n- its assets or property will be sold by the official receiver\n\nIf any part of your company is bought with the intention of discontinuing the business (not running it as a \u2018going concern\u2019) then your employees will lose their jobs.\n\nYou can be banned from being a director for up to 15 years if you do not carry out your duties properly.\n\n## Cancel a winding-up order\n\nYou can apply to cancel a winding-up order if you do not think you need to pay your creditors. You must do this within 5 working days of getting the order.", + "original_contents": [ + "

    If your company cannot pay its debts

    ", + "

    Your limited company can be liquidated (\u2018wound up\u2019) if it cannot pay its debts.

    ", + "

    The people or organisations your company owes money to (your \u2018creditors\u2019) can apply to the court to get their debts paid.

    ", + "

    They can do this by either:

    ", + "
  • getting a court judgment
  • ", + "
  • making an official request for payment - this is called a statutory demand
  • ", + "

    Get professional advice from a solicitor or insolvency practitioner if your company is in debt.

    ", + "

    Responding to a court judgment

    ", + "

    You have 14 days to respond to a court judgment.

    ", + "

    To respond, you must do one of the following:

    ", + "
  • pay the debt
  • ", + "
  • reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement
  • ", + "
  • put your company into administration
  • ", + "
  • apply to liquidate (\u2018wind up\u2019) your company yourself
  • ", + "
  • challenge the court judgment
  • ", + "

    If you do not respond to the court judgment within 14 days, your creditors can apply to have your assets seized by a bailiff or sheriff.

    ", + "

    Your creditors can apply to wind up your company if your assets are not worth enough to pay your debts.

    ", + "

    Responding to a statutory demand

    ", + "

    You have 21 days to respond to a statutory demand.

    ", + "

    To respond, you must do one of the following:

    ", + "
  • pay the debt
  • ", + "
  • reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement
  • ", + "
  • put your company into administration
  • ", + "
  • apply to liquidate (\u2018wind up\u2019) your company yourself
  • ", + "

    Your creditors can apply to wind up your company if you do not respond to the statutory demand within 21 days.

    ", + "

    Stop your creditors from applying to wind up your company

    ", + "

    You can apply to the court to stop (\u2018restrain\u2019) your creditors from applying to wind up your company. You must do this within 21 days of getting the statutory demand.

    ", + "

    Download and fill in application form IAA.

    ", + "

    Which court you apply to depends on how much money shareholders have paid into your company by buying shares (\u2018paid up share capital\u2019).

    ", + "

    Check the Companies House register to find out your company\u2019s paid up share capital.

    ", + "

    Your paid up share capital is less than \u00a3120,000

    ", + "

    Use the court finder to find a court dealing with insolvency. You must use the court nearest your company\u2019s registered office.

    ", + "

    Your paid up share capital is more than \u00a3120,000

    ", + "

    You must apply to the High Court.

    ", + "

    Getting a winding-up order

    ", + "

    Your creditors can apply to the court to close down your company. They do this by making an application called a \u2018winding-up petition\u2019.

    ", + "

    You can apply to stop your creditors from making a winding-up petition if you were given a statutory demand.

    ", + "

    They can withdraw the petition if your company pays the debt or makes an arrangement to pay it.

    ", + "

    Attending the hearing

    ", + "

    If the petition is accepted, the court will arrange a date for a hearing.

    ", + "

    You must attend the hearing. Your creditors will announce when and where the hearing will take place in The Gazette.

    ", + "

    Your company can be put into the control of someone else until the hearing happens. This is known as \u2018provisional liquidation\u2019.

    ", + "

    If the court decides you cannot pay your debts

    ", + "

    The court will issue a winding-up order.

    ", + "

    An officer of the court (\u2018official receiver\u2019) will be put in charge of winding-up your company. You must co-operate with the official receiver.

    ", + "

    When you get a winding-up order:

    ", + "
  • your company\u2019s bank account will usually be frozen
  • ", + "
  • its assets or property will be sold by the official receiver
  • ", + "

    If any part of your company is bought with the intention of discontinuing the business (not running it as a \u2018going concern\u2019) then your employees will lose their jobs.

    ", + "

    You can be banned from being a director for up to 15 years if you do not carry out your duties properly.

    ", + "

    Cancel a winding-up order

    ", + "

    You can apply to cancel a winding-up order if you do not think you need to pay your creditors. You must do this within 5 working days of getting the order.

    " + ] + }, + "https://www.gov.uk/selling-your-business-your-responsibilities": { + "url": "https://www.gov.uk/selling-your-business-your-responsibilities", + "title": "Selling your business: your responsibilities", + "content": "## Self-employed sole trader\n\nWhen you sell your business, you have legal responsibilities to staff you employ. You must also finalise your business\u2019 tax affairs.\n\n## Staff\n\nIf you have anyone working for you, you must tell them:\n\n- when and why you\u2019re selling the business\n\n- about redundancy terms or relocation packages, if necessary\n\nMake sure you don\u2019t breach employees\u2019 rights when a business changes ownership.\n\n## Telling HMRC\n\nYou can use the online form to tell HM Revenue and Customs (HMRC) that you\u2019ve sold your business. It covers both Self Assessment and National Insurance.\n\nYou can also call HMRC\u2019s National Insurance helpline to cancel your Class 2 National Insurance contributions.\n\n## VAT registration\n\nIf you\u2019re registered for VAT, you may be able to transfer the VAT registration number to the new owner.\n\n## Tax returns\n\nYou must send a Self Assessment tax return by the deadline. You\u2019ll need to put the date you stopped trading on the return.\n\n## Capital Gains Tax\n\nYou may have made a capital gain when selling your business (for example the money you get from the sale, or assets from the business that you keep).\n\nIf this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.\n\n## Business partnership\n\nYour responsibilities when selling a partnership depend on whether you\u2019re selling:\n\n- your share of the partnership\n\n- the entire partnership\n\nCheck your business\u2019 partnership agreement - it may have restrictions and conditions on the sale.\n\n## Staff\n\nIf you have anyone working for you, you must tell them about the sale, including:\n\n- when and why you\u2019re selling the partnership\n\n- details about the redundancy terms or relocation packages you will offer, if required\n\nMake sure you don\u2019t breach employees\u2019 rights when a business changes ownership.\n\n## If you\u2019re stopping self-employment\n\nIf you\u2019re stopping self-employment when you sell the partnership, call HM Revenue and Customs (HMRC) to cancel your Class 2 National Insurance contributions.\n\n## VAT registration\n\nIf the partnership is registered for VAT, you may be able to transfer the VAT registration number to the new owner.\n\n## Tax returns\n\n## If you\u2019re selling your share in the partnership\n\nYou must fill out a personal Self Assessment tax return by the deadline.\n\n## If you\u2019re selling the whole partnership\n\nYou must:\n\n- make sure the \u2018nominated partner\u2019 sends a Partnership Tax Return by the deadline\n\n- send your personal Self Assessment tax return by the deadline\n\n## Capital Gains Tax\n\nYou may have made a \u2018capital gain\u2019 when selling the partnership (for example the money you get from the sale, or assets from the partnership that you keep).\n\nIf this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.\n\n## Limited company\n\nYour responsibilities will be different, depending on whether:\n\n- you\u2019re selling the entire shareholding in your limited company\n\n- the company is selling part of its business\n\n## Selling the entire shareholding\n\n## Appoint new directors or company secretaries\n\nYou should appoint new directors before you resign as a director yourself.\n\nTell Companies House to make these changes.\n\n## Capital Gains Tax\n\nYou may have made a \u2018capital gain\u2019 when selling the company (for example the money you get from the sale, or assets from it that you keep).\n\nIf this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.\n\n## Charges against your company\n\nIf you\u2019ve secured finance for the company against your personal property (for example a mortgage on your house to secure a business loan), you must let the provider know within 21 days of the sale.\n\n## VAT registration\n\nIf the company is registered for VAT, you may want to transfer the VAT registration number to the new owner.\n\n## If your company sells part of the business\n\nIf any employees are affected by the sale (for example the company\u2019s selling its production business and factory staff will be affected), you must tell them about the changes, including:\n\n- when and why part of the company is being sold\n\n- details about the redundancy terms or relocation packages, if necessary\n\nMake sure you don\u2019t breach employees\u2019 rights when a business changes ownership.", + "original_contents": [ + "

    Self-employed sole trader

    ", + "

    When you sell your business, you have legal responsibilities to staff you employ. You must also finalise your business\u2019 tax affairs.

    ", + "

    Staff

    ", + "

    If you have anyone working for you, you must tell them:

    ", + "
  • when and why you\u2019re selling the business
  • ", + "
  • about redundancy terms or relocation packages, if necessary
  • ", + "

    Make sure you don\u2019t breach employees\u2019 rights when a business changes ownership.

    ", + "

    Telling HMRC

    ", + "

    You can use the online form to tell HM Revenue and Customs (HMRC) that you\u2019ve sold your business. It covers both Self Assessment and National Insurance.

    ", + "

    You can also call HMRC\u2019s National Insurance helpline to cancel your Class 2 National Insurance contributions.

    ", + "

    VAT registration

    ", + "

    If you\u2019re registered for VAT, you may be able to transfer the VAT registration number to the new owner.

    ", + "

    Tax returns

    ", + "

    You must send a Self Assessment tax return by the deadline. You\u2019ll need to put the date you stopped trading on the return.

    ", + "

    Capital Gains Tax

    ", + "

    You may have made a capital gain when selling your business (for example the money you get from the sale, or assets from the business that you keep).

    ", + "

    If this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.

    ", + "

    Business partnership

    ", + "

    Your responsibilities when selling a partnership depend on whether you\u2019re selling:

    ", + "
  • your share of the partnership
  • ", + "
  • the entire partnership
  • ", + "

    Check your business\u2019 partnership agreement - it may have restrictions and conditions on the sale.

    ", + "

    Staff

    ", + "

    If you have anyone working for you, you must tell them about the sale, including:

    ", + "
  • when and why you\u2019re selling the partnership
  • ", + "
  • details about the redundancy terms or relocation packages you will offer, if required
  • ", + "

    Make sure you don\u2019t breach employees\u2019 rights when a business changes ownership.

    ", + "

    If you\u2019re stopping self-employment

    ", + "

    If you\u2019re stopping self-employment when you sell the partnership, call HM Revenue and Customs (HMRC) to cancel your Class 2 National Insurance contributions.

    ", + "

    VAT registration

    ", + "

    If the partnership is registered for VAT, you may be able to transfer the VAT registration number to the new owner.

    ", + "

    Tax returns

    ", + "

    If you\u2019re selling your share in the partnership

    ", + "

    You must fill out a personal Self Assessment tax return by the deadline.

    ", + "

    If you\u2019re selling the whole partnership

    ", + "

    You must:

    ", + "
  • make sure the \u2018nominated partner\u2019 sends a Partnership Tax Return by the deadline
  • ", + "
  • send your personal Self Assessment tax return by the deadline
  • ", + "

    Capital Gains Tax

    ", + "

    You may have made a \u2018capital gain\u2019 when selling the partnership (for example the money you get from the sale, or assets from the partnership that you keep).

    ", + "

    If this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.

    ", + "

    Limited company

    ", + "

    Your responsibilities will be different, depending on whether:

    ", + "
  • you\u2019re selling the entire shareholding in your limited company
  • ", + "
  • the company is selling part of its business
  • ", + "

    Selling the entire shareholding

    ", + "

    Appoint new directors or company secretaries

    ", + "

    You should appoint new directors before you resign as a director yourself.

    ", + "

    Tell Companies House to make these changes.

    ", + "

    Capital Gains Tax

    ", + "

    You may have made a \u2018capital gain\u2019 when selling the company (for example the money you get from the sale, or assets from it that you keep).

    ", + "

    If this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.

    ", + "

    Charges against your company

    ", + "

    If you\u2019ve secured finance for the company against your personal property (for example a mortgage on your house to secure a business loan), you must let the provider know within 21 days of the sale.

    ", + "

    VAT registration

    ", + "

    If the company is registered for VAT, you may want to transfer the VAT registration number to the new owner.

    ", + "

    If your company sells part of the business

    ", + "

    If any employees are affected by the sale (for example the company\u2019s selling its production business and factory staff will be affected), you must tell them about the changes, including:

    ", + "
  • when and why part of the company is being sold
  • ", + "
  • details about the redundancy terms or relocation packages, if necessary
  • ", + "

    Make sure you don\u2019t breach employees\u2019 rights when a business changes ownership.

    " + ] + }, + "https://www.gov.uk/unfair-terms-in-sales-contracts": { + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "title": "Avoid unfair terms in sales contracts", + "content": "## Overview\n\nYour standard sales contracts must be \u2018fair\u2019 or you won\u2019t be able to enforce them.\n\nThere are different rules on what\u2019s fair for:\n\n- consumer contracts\n\n- business contracts\n\nYou\u2019re legally responsible for certain situations, eg when goods you sell are faulty. You must not try to claim you\u2019re not responsible.\n\nYou have more responsibilities towards consumers than towards other businesses.\n\n## Customers\u2019 rights\n\nYour customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.\n\n## Unfair consumer contracts\n\nYou can\u2019t enforce unfair terms in a consumer contract, or unfair consumer notices (eg signs on a shop wall or in a car park).\n\nYou can never enforce terms or notices that try to avoid your responsibility for:\n\n- death\n\n- injury\n\n- faulty goods\n\n- goods that aren\u2019t as described\n\n- selling goods that aren\u2019t yours to sell\n\nYou might not be able to enforce terms or notices if they try to avoid your responsibility in other ways, eg:\n\n- delays\n\n- unsatisfactory services\n\n- not doing what was agreed\n\nYour contract terms might also be unfair if they weigh the contract significantly in your favour, eg:\n\n- by providing for excessive cancellation charges and automatic loss of all upfront payments\n\n- by creating unbalanced rights, eg being able to cancel a contract at any time, but requiring the customer to give 3 months\u2019 notice\n\n- by allowing you to increase the agreed price at a later date\n\nYour contract won\u2019t be unfair just because it sets a price that\u2019s higher than another business charges.\n\nContracts must be written in plain language to avoid being misleading and unfair.\n\n## If a customer complains\n\nIt\u2019s up to the courts to decide if a term in your contract or wording in your notices is unfair.\n\nYou can be taken to court by the Competition and Markets Authority or a local trading standards office to stop you using unfair terms or notices.\n\nConsumers can also take legal action themselves to challenge unfair terms or notices.\n\nRead the guidance on unfair terms.\n\n## Unfair business contracts\n\nYour standard contract would be unfair if you try to not take responsibility for:\n\n- death or injury - under any circumstances\n\n- losses caused by negligence - unless to do so is \u2018reasonable\u2019\n\n- defective or poor quality goods - unless to do so is \u2018reasonable\u2019\n\nYou must not try to claim you\u2019re not responsible for these things.\n\n## What is reasonable\n\nIt\u2019s up to the courts to decide what is reasonable.\n\nCourts will take into account:\n\n- the information available to both parties when the contract was drawn up\n\n- if the contract was negotiated or in standard form\n\n- if the buyer had the bargaining power to negotiate better terms\n\n## Implied and statutory rights\n\nYour customers have implied rights when buying your goods or services.\n\nSome implied rights are also known as \u2018statutory rights\u2019.\n\n## Products\n\nImplied rights mean a product must be:\n\n- as described\n\n- of satisfactory quality, eg safe, in working order, free of defects\n\n- fit for purpose - capable of doing what the customer has asked for\n\nContracts for hiring, hire purchase and part exchange also have these implied rights.\n\nConsumers always have these implied rights when buying goods - the contract can\u2019t legally state otherwise.\n\n## Services\n\nImplied rights mean services must be carried out:\n\n- with reasonable care and skill\n\n- within a reasonable time (if no specific time has been agreed)\n\n- for a reasonable charge (if no exact price has been agreed)\n\nYou\u2019re unlikely to be able to enforce terms in a consumer contract for services if they try to deny a customer\u2019s implied rights.\n\n## Business contracts\n\nYour business customers have implied rights unless the contract legally states otherwise in a way a court would decide is reasonable.", + "original_contents": [ + "

    Overview

    ", + "

    Your standard sales contracts must be \u2018fair\u2019 or you won\u2019t be able to enforce them.

    ", + "

    There are different rules on what\u2019s fair for:

    ", + "
  • consumer contracts
  • ", + "
  • business contracts
  • ", + "

    You\u2019re legally responsible for certain situations, eg when goods you sell are faulty. You must not try to claim you\u2019re not responsible.

    ", + "

    You have more responsibilities towards consumers than towards other businesses.

    ", + "

    Customers\u2019 rights

    ", + "

    Your customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.

    ", + "

    Unfair consumer contracts

    ", + "

    You can\u2019t enforce unfair terms in a consumer contract, or unfair consumer notices (eg signs on a shop wall or in a car park).

    ", + "

    You can never enforce terms or notices that try to avoid your responsibility for:

    ", + "
  • death
  • ", + "
  • injury
  • ", + "
  • faulty goods
  • ", + "
  • goods that aren\u2019t as described
  • ", + "
  • selling goods that aren\u2019t yours to sell
  • ", + "

    You might not be able to enforce terms or notices if they try to avoid your responsibility in other ways, eg:

    ", + "
  • delays
  • ", + "
  • unsatisfactory services
  • ", + "
  • not doing what was agreed
  • ", + "

    Your contract terms might also be unfair if they weigh the contract significantly in your favour, eg:

    ", + "
  • by providing for excessive cancellation charges and automatic loss of all upfront payments
  • ", + "
  • by creating unbalanced rights, eg being able to cancel a contract at any time, but requiring the customer to give 3 months\u2019 notice
  • ", + "
  • by allowing you to increase the agreed price at a later date
  • ", + "

    Your contract won\u2019t be unfair just because it sets a price that\u2019s higher than another business charges.

    ", + "

    Contracts must be written in plain language to avoid being misleading and unfair.

    ", + "

    If a customer complains

    ", + "

    It\u2019s up to the courts to decide if a term in your contract or wording in your notices is unfair.

    ", + "

    You can be taken to court by the Competition and Markets Authority or a local trading standards office to stop you using unfair terms or notices.

    ", + "

    Consumers can also take legal action themselves to challenge unfair terms or notices.

    ", + "

    Read the guidance on unfair terms.

    ", + "

    Unfair business contracts

    ", + "

    Your standard contract would be unfair if you try to not take responsibility for:

    ", + "
  • death or injury - under any circumstances
  • ", + "
  • losses caused by negligence - unless to do so is \u2018reasonable\u2019
  • ", + "
  • defective or poor quality goods - unless to do so is \u2018reasonable\u2019
  • ", + "

    You must not try to claim you\u2019re not responsible for these things.

    ", + "

    What is reasonable

    ", + "

    It\u2019s up to the courts to decide what is reasonable.

    ", + "

    Courts will take into account:

    ", + "
  • the information available to both parties when the contract was drawn up
  • ", + "
  • if the contract was negotiated or in standard form
  • ", + "
  • if the buyer had the bargaining power to negotiate better terms
  • ", + "

    Implied and statutory rights

    ", + "

    Your customers have implied rights when buying your goods or services.

    ", + "

    Some implied rights are also known as \u2018statutory rights\u2019.

    ", + "

    Products

    ", + "

    Implied rights mean a product must be:

    ", + "
  • as described
  • ", + "
  • of satisfactory quality, eg safe, in working order, free of defects
  • ", + "
  • fit for purpose - capable of doing what the customer has asked for
  • ", + "

    Contracts for hiring, hire purchase and part exchange also have these implied rights.

    ", + "

    Consumers always have these implied rights when buying goods - the contract can\u2019t legally state otherwise.

    ", + "

    Services

    ", + "

    Implied rights mean services must be carried out:

    ", + "
  • with reasonable care and skill
  • ", + "
  • within a reasonable time (if no specific time has been agreed)
  • ", + "
  • for a reasonable charge (if no exact price has been agreed)
  • ", + "

    You\u2019re unlikely to be able to enforce terms in a consumer contract for services if they try to deny a customer\u2019s implied rights.

    ", + "

    Business contracts

    ", + "

    Your business customers have implied rights unless the contract legally states otherwise in a way a court would decide is reasonable.

    " + ] + }, + "https://www.gov.uk/entertainment-and-modelling-agencies": { + "url": "https://www.gov.uk/entertainment-and-modelling-agencies", + "title": "Charge fees as an entertainment and modelling agency", + "content": "## Overview\n\nYou can charge fees as an entertainment and modelling agency for finding someone work.\n\nThe fees you charge depend on if the person is:\n\n- a performer or worker\n\n- a model\n\nWorkers, performers and models need to agree to your terms and conditions before you can charge fees.\n\n## Terms and conditions\n\nTerms and conditions of your service and your fees must be agreed in writing (for example, in a contract) with the worker, performer or model.\n\nThese must include details of:\n\n- the work-finding services that you\u2019ll provide them\n\n- any authority you have to act on behalf of them\n\n- any authorisations to receive any money on behalf of them\n\n- any fees or commissions you\u2019ll charge for finding work\n\n- how your fee or commission will be paid\n\n- how any commissions or fees will be refunded\n\n- the length of time the worker, performer or model needs to give to end the contract\n\n- the length of time you need to give to end a worker, performer or models\u2019s contract\n\n## Fees for performers and workers\n\nYou can\u2019t charge fees or deduct money from an entertainment worker or performer\u2019s earnings until they agree to your terms and conditions.\n\n## Promotional fees for performers and entertainment workers (not models)\n\nYou can only charge upfront fees for listing the worker or performer\u2019s details in promotional publications or on websites to help them find work.\n\nPromotional publication includes listing information in publications or on websites and photographs or audio or video recordings.\n\nYou must give the worker or performer a chance to see any copies.\n\nOther fees or commission for finding work normally come out of the worker or performer\u2019s earnings from the employment that you found.\n\n## Fees for promoting performers\n\nYou can only charge fees 30 days after the start of the contract (if there is a fee for promoting a performer).\n\nIn that 30-day period the performer can cancel or withdraw from the contract without penalty and won\u2019t have to make any payment.\n\nYou need to show the performer any promotional photographs, audio or video before its published. They then have 7 days to object to anything being used.\n\nYou can\u2019t charge the performer until the 7 days is over or you\u2019ve dealt with any reasonable requirement from the performer, whichever is later.\n\nYou can charge fees for the following performers:\n\n- actors\n\n- background artists\n\n- dancers\n\n- extras\n\n- musicians\n\n- singers\n\n- other performers\n\n## Fees for entertainment workers (except models)\n\nIf there is a fee for promoting a worker, you can only charge this 7 days after the start of the contract.\n\nIn that 7-day period:\n\n- the worker can cancel or withdraw from the contract without penalty\n\n- the worker doesn\u2019t have to make any payment under the contract\n\n- the worker can say what information shouldn\u2019t be included in the publication\n\nThis covers the following types of workers:\n\n- composer\n\n- writer\n\n- artist\n\n- director or producer\n\n- production manager\n\n- lighting cameraman, camera operator\n\n- make up artist, clothes, hair or make up stylist\n\n- film editor\n\n- action arranger or co-ordinator, stunt arranger\n\n- costume or production designer\n\n- recording engineer\n\n- property master\n\n- film continuity person\n\n- sound mixer\n\n- photographer\n\n- stage manager\n\n- choreographer or theatre designer\n\n## Refunds for promotional services\n\nWork-seekers have the right to a refund if the promotional information isn\u2019t made available to potential hirers within 60 days of a fee being paid.\n\n## Fees for fashion and photographic models\n\nYou can\u2019t charge fees or deduct money from a model\u2019s earnings until they agree to your terms and conditions.\n\nYou can\u2019t charge any upfront fees for finding work for photographic and fashion models. This includes putting information about the models in a publication or website.\n\nHowever, after you\u2019ve found work for a model you can charge fees for:\n\n- including information about them in a publication or website\n\n- providing a service to find the model work (these fees must have been agreed with the model before you started looking for work for them)\n\n## Fees for other services\n\nYou can charge fees for other services such as producing a photo or show reel. You have to put the terms and conditions for these in a separate document. You need to give this to the performer, model or entertainment worker before providing these services.\n\nYou can\u2019t make using other services you provide a condition of you finding work for someone.\n\nYou can\u2019t charge fees until 30 days after the start of the contract for these services.\u00a0The performer, model or entertainment worker can cancel within these 30 days and won\u2019t have to pay you anything.", + "original_contents": [ + "

    Overview

    ", + "

    You can charge fees as an entertainment and modelling agency for finding someone work.

    ", + "

    The fees you charge depend on if the person is:

    ", + "
  • a performer or worker
  • ", + "
  • a model
  • ", + "

    Workers, performers and models need to agree to your terms and conditions before you can charge fees.

    ", + "

    Terms and conditions

    ", + "

    Terms and conditions of your service and your fees must be agreed in writing (for example, in a contract) with the worker, performer or model.

    ", + "

    These must include details of:

    ", + "
  • the work-finding services that you\u2019ll provide them
  • ", + "
  • any authority you have to act on behalf of them
  • ", + "
  • any authorisations to receive any money on behalf of them
  • ", + "
  • any fees or commissions you\u2019ll charge for finding work
  • ", + "
  • how your fee or commission will be paid
  • ", + "
  • how any commissions or fees will be refunded
  • ", + "
  • the length of time the worker, performer or model needs to give to end the contract
  • ", + "
  • the length of time you need to give to end a worker, performer or models\u2019s contract
  • ", + "

    Fees for performers and workers

    ", + "

    You can\u2019t charge fees or deduct money from an entertainment worker or performer\u2019s earnings until they agree to your terms and conditions.

    ", + "

    Promotional fees for performers and entertainment workers (not models)

    ", + "

    You can only charge upfront fees for listing the worker or performer\u2019s details in promotional publications or on websites to help them find work.

    ", + "

    Promotional publication includes listing information in publications or on websites and photographs or audio or video recordings.

    ", + "

    You must give the worker or performer a chance to see any copies.

    ", + "

    Other fees or commission for finding work normally come out of the worker or performer\u2019s earnings from the employment that you found.

    ", + "

    Fees for promoting performers

    ", + "

    You can only charge fees 30 days after the start of the contract (if there is a fee for promoting a performer).

    ", + "

    In that 30-day period the performer can cancel or withdraw from the contract without penalty and won\u2019t have to make any payment.

    ", + "

    You need to show the performer any promotional photographs, audio or video before its published. They then have 7 days to object to anything being used.

    ", + "

    You can\u2019t charge the performer until the 7 days is over or you\u2019ve dealt with any reasonable requirement from the performer, whichever is later.

    ", + "

    You can charge fees for the following performers:

    ", + "
  • actors
  • ", + "
  • background artists
  • ", + "
  • dancers
  • ", + "
  • extras
  • ", + "
  • musicians
  • ", + "
  • singers
  • ", + "
  • other performers
  • ", + "

    Fees for entertainment workers (except models)

    ", + "

    If there is a fee for promoting a worker, you can only charge this 7 days after the start of the contract.

    ", + "

    In that 7-day period:

    ", + "
  • the worker can cancel or withdraw from the contract without penalty
  • ", + "
  • the worker doesn\u2019t have to make any payment under the contract
  • ", + "
  • the worker can say what information shouldn\u2019t be included in the publication
  • ", + "

    This covers the following types of workers:

    ", + "
  • composer
  • ", + "
  • writer
  • ", + "
  • artist
  • ", + "
  • director or producer
  • ", + "
  • production manager
  • ", + "
  • lighting cameraman, camera operator
  • ", + "
  • make up artist, clothes, hair or make up stylist
  • ", + "
  • film editor
  • ", + "
  • action arranger or co-ordinator, stunt arranger
  • ", + "
  • costume or production designer
  • ", + "
  • recording engineer
  • ", + "
  • property master
  • ", + "
  • film continuity person
  • ", + "
  • sound mixer
  • ", + "
  • photographer
  • ", + "
  • stage manager
  • ", + "
  • choreographer or theatre designer
  • ", + "

    Refunds for promotional services

    ", + "

    Work-seekers have the right to a refund if the promotional information isn\u2019t made available to potential hirers within 60 days of a fee being paid.

    ", + "

    Fees for fashion and photographic models

    ", + "

    You can\u2019t charge fees or deduct money from a model\u2019s earnings until they agree to your terms and conditions.

    ", + "

    You can\u2019t charge any upfront fees for finding work for photographic and fashion models. This includes putting information about the models in a publication or website.

    ", + "

    However, after you\u2019ve found work for a model you can charge fees for:

    ", + "
  • including information about them in a publication or website
  • ", + "
  • providing a service to find the model work (these fees must have been agreed with the model before you started looking for work for them)
  • ", + "

    Fees for other services

    ", + "

    You can charge fees for other services such as producing a photo or show reel. You have to put the terms and conditions for these in a separate document. You need to give this to the performer, model or entertainment worker before providing these services.

    ", + "

    You can\u2019t make using other services you provide a condition of you finding work for someone.

    ", + "

    You can\u2019t charge fees until 30 days after the start of the contract for these services.\u00a0The performer, model or entertainment worker can cancel within these 30 days and won\u2019t have to pay you anything.

    " + ] + }, + "https://www.gov.uk/data-protection-your-business": { + "url": "https://www.gov.uk/data-protection-your-business", + "title": "Data protection and your business", + "content": "## Overview\n\nYou must follow rules on data protection if your business stores or uses personal information.\n\nThis applies to information kept on staff, customers and account holders, for example when you:\n\n- recruit staff\n\n- manage staff records\n\n- market your products or services\n\n- use CCTV\n\nThis could include:\n\n- keeping customers\u2019 addresses on file\n\n- recording staff working hours\n\n- giving delivery information to a delivery company\n\nFor information on direct marketing, see marketing and advertising: the law.\n\n## Data protection rules\n\nYou must make sure the information is kept secure, accurate and up to date.\n\nWhen you collect someone\u2019s personal data you must tell them who you are and how you\u2019ll use their information, including if it\u2019s being shared with other organisations.\n\nYou must also tell them that they have the right to:\n\n- see any information you hold about them and correct it if it\u2019s wrong\n\n- request their data is deleted\n\n- request their data is not used for certain purposes\n\nThe main data protection rules are set out in the data protection principles.\n\n## What you have to do\n\nYou must:\n\n- tell the Information Commissioner\u2019s Office (ICO) how your business uses personal information\n\n- respond to a data protection request, if someone asks to see what information you have about them\n\nYou could be given a heavy fine or made to pay compensation if you misuse personal data.\n\n## Recruitment and managing staff records\n\nYou must keep any data you collect on staff secure - lock paper records in filing cabinets or set passwords for computer records, for example.\n\nOnly keep the information for as long as you have a clear business need for it, and dispose of it securely afterwards - by shredding, for example.\n\n## Recruiting staff\n\nYou must give the name of your business and contact details (or those of the agency) on job adverts.\n\nOnly collect the personal information you need on application forms, and do not ask for irrelevant information, like banking details.\n\nOnly keep the information for recruitment - do not use it for a marketing mailing list, for example.\n\n## Keeping staff records\n\nMake sure only appropriate staff, with the right training, can see staff records, and store sensitive information (such as health or criminal records) separately.\n\nIf you\u2019re asked to provide a reference, check the worker or ex-staff member is happy for you to do so.\n\n## Letting staff see their records\n\nYour staff have the right to ask for a copy of the information you hold about them.\n\nThis includes information about grievance and disciplinary issues.\n\nYou must respond to their request within 30 days.\n\nYou may be able to withhold some information when responding to a request if the information concerns someone else - you need to protect someone who\u2019s accused them of harassment, for example.\n\nStaff can complain if they think their information is being misused, and you could be ordered to pay a fine or compensation.\n\n## Monitoring staff at work\n\nYou must be able to justify monitoring staff at work, which could include:\n\n- using CCTV\n\n- keeping records of phone calls\n\n- logging their email or internet use\n\n- searching staff or their work areas\n\nEmployees have rights at work and if you do not treat them fairly they could:\n\n- take you to an employment tribunal\n\n- complain to the Information Commissioner\n\nYou must make them aware that they\u2019re being monitored, and why - for example by sending them an email.\n\nAlso explain your policies on things like using work computers or phones for personal use.\n\n## Monitoring staff without their knowledge\n\nYou can monitor staff without their knowledge if:\n\n- you suspect they\u2019re breaking the law\n\n- letting them know about it would make it hard to detect the crime\n\nOnly do this as part of a specific investigation, and stop when the investigation is over.\n\n## Using CCTV\n\nIf your business uses CCTV, you must register your details with the Information Commissioner\u2019s Office (ICO) and pay a data protection fee, unless you are exempt.\n\nCheck if you need to pay the data protection fee.\n\nYou must also:\n\n- tell people they may be recorded, usually by displaying signs, which must be clearly visible and readable\n\n- control who can see the recordings\n\n- make sure the system is only used for the purpose it was intended for - for example, if it was set up to detect crime, you must not use it to monitor how much work your staff do\n\nThe ICO has guidance with more details about CCTV.\n\n## How to pay the fee\n\nYou can register and pay the fee online.\n\n## Letting people see CCTV recordings\n\nAnyone can ask to see images that you\u2019ve recorded of them. Usually, you must usually provide the footage free of charge within 1 calendar month.\n\nFind out more about CCTV and data protection rules.\n\nData protection rules do not apply if you install a camera on your own home for household purposes - for example, to protect it from burglary. Find out more about using CCTV in the home.\n\n## Get advice on data protection\n\nFor more information and advice:\n\n- read the Information Commissioner\u2019s Office (ICO) guidance for organisations\n\n- chat online with an advisor\n\n- contact the ICO", + "original_contents": [ + "

    Overview

    ", + "

    You must follow rules on data protection if your business stores or uses personal information.

    ", + "

    This applies to information kept on staff, customers and account holders, for example when you:

    ", + "
  • recruit staff
  • ", + "
  • manage staff records
  • ", + "
  • market your products or services
  • ", + "
  • use CCTV
  • ", + "

    This could include:

    ", + "
  • keeping customers\u2019 addresses on file
  • ", + "
  • recording staff working hours
  • ", + "
  • giving delivery information to a delivery company
  • ", + "

    For information on direct marketing, see marketing and advertising: the law.

    ", + "

    Data protection rules

    ", + "

    You must make sure the information is kept secure, accurate and up to date.

    ", + "

    When you collect someone\u2019s personal data you must tell them who you are and how you\u2019ll use their information, including if it\u2019s being shared with other organisations.

    ", + "

    You must also tell them that they have the right to:

    ", + "
  • see any information you hold about them and correct it if it\u2019s wrong
  • ", + "
  • request their data is deleted
  • ", + "
  • request their data is not used for certain purposes
  • ", + "

    The main data protection rules are set out in the data protection principles.

    ", + "

    What you have to do

    ", + "

    You must:

    ", + "
  • tell the Information Commissioner\u2019s Office (ICO) how your business uses personal information
  • ", + "
  • respond to a data protection request, if someone asks to see what information you have about them
  • ", + "

    You could be given a heavy fine or made to pay compensation if you misuse personal data.

    ", + "

    Recruitment and managing staff records

    ", + "

    You must keep any data you collect on staff secure - lock paper records in filing cabinets or set passwords for computer records, for example.

    ", + "

    Only keep the information for as long as you have a clear business need for it, and dispose of it securely afterwards - by shredding, for example.

    ", + "

    Recruiting staff

    ", + "

    You must give the name of your business and contact details (or those of the agency) on job adverts.

    ", + "

    Only collect the personal information you need on application forms, and do not ask for irrelevant information, like banking details.

    ", + "

    Only keep the information for recruitment - do not use it for a marketing mailing list, for example.

    ", + "

    Keeping staff records

    ", + "

    Make sure only appropriate staff, with the right training, can see staff records, and store sensitive information (such as health or criminal records) separately.

    ", + "

    If you\u2019re asked to provide a reference, check the worker or ex-staff member is happy for you to do so.

    ", + "

    Letting staff see their records

    ", + "

    Your staff have the right to ask for a copy of the information you hold about them.

    ", + "

    This includes information about grievance and disciplinary issues.

    ", + "

    You must respond to their request within 30 days.

    ", + "

    You may be able to withhold some information when responding to a request if the information concerns someone else - you need to protect someone who\u2019s accused them of harassment, for example.

    ", + "

    Staff can complain if they think their information is being misused, and you could be ordered to pay a fine or compensation.

    ", + "

    Monitoring staff at work

    ", + "

    You must be able to justify monitoring staff at work, which could include:

    ", + "
  • using CCTV
  • ", + "
  • keeping records of phone calls
  • ", + "
  • logging their email or internet use
  • ", + "
  • searching staff or their work areas
  • ", + "

    Employees have rights at work and if you do not treat them fairly they could:

    ", + "
  • take you to an employment tribunal
  • ", + "
  • complain to the Information Commissioner
  • ", + "

    You must make them aware that they\u2019re being monitored, and why - for example by sending them an email.

    ", + "

    Also explain your policies on things like using work computers or phones for personal use.

    ", + "

    Monitoring staff without their knowledge

    ", + "

    You can monitor staff without their knowledge if:

    ", + "
  • you suspect they\u2019re breaking the law
  • ", + "
  • letting them know about it would make it hard to detect the crime
  • ", + "

    Only do this as part of a specific investigation, and stop when the investigation is over.

    ", + "

    Using CCTV

    ", + "

    If your business uses CCTV, you must register your details with the Information Commissioner\u2019s Office (ICO) and pay a data protection fee, unless you are exempt.

    ", + "

    Check if you need to pay the data protection fee.

    ", + "

    You must also:

    ", + "
  • tell people they may be recorded, usually by displaying signs, which must be clearly visible and readable
  • ", + "
  • control who can see the recordings
  • ", + "
  • make sure the system is only used for the purpose it was intended for - for example, if it was set up to detect crime, you must not use it to monitor how much work your staff do
  • ", + "

    The ICO has guidance with more details about CCTV.

    ", + "

    How to pay the fee

    ", + "

    You can register and pay the fee online.

    ", + "

    Letting people see CCTV recordings

    ", + "

    Anyone can ask to see images that you\u2019ve recorded of them. Usually, you must usually provide the footage free of charge within 1 calendar month.

    ", + "

    Find out more about CCTV and data protection rules.

    ", + "

    Data protection rules do not apply if you install a camera on your own home for household purposes - for example, to protect it from burglary. Find out more about using CCTV in the home.

    ", + "

    Get advice on data protection

    ", + "

    For more information and advice:

    ", + "
  • read the Information Commissioner\u2019s Office (ICO) guidance for organisations
  • ", + "
  • chat online with an advisor
  • ", + "
  • contact the ICO
  • " + ] + }, + "https://www.gov.uk/invoicing-and-taking-payment-from-customers": { + "url": "https://www.gov.uk/invoicing-and-taking-payment-from-customers", + "title": "Invoicing and taking payment from customers", + "content": "## Overview\n\nIf you sell a customer a product or a service, you need to give them an invoice (bill) by law if both you and the customer are registered for VAT (a business to business transaction). An invoice is not the same as a receipt, which is an acknowledgement of payment.\n\nThe invoice must include certain information such as:\n\n- how much the customer needs to pay you\n\n- when the customer must pay you\n\nYou and the customer also have certain obligations on payment.\n\n## Invoices - what they must include\n\nYour invoice must include:\n\n- a unique identification number\n\n- your company name, address and contact information\n\n- the company name and address of the customer you\u2019re invoicing\n\n- a clear description of what you\u2019re charging for\n\n- the date the goods or service were provided (supply date)\n\n- the date of the invoice\n\n- the amount(s) being charged\n\n- VAT amount if applicable\n\n- the total amount owed\n\n## Sole trader invoices\n\nIf you\u2019re a sole trader, the invoice must also include:\n\n- your name and any business name being used\n\n- an address where any legal documents can be delivered to you if you are using a business name\n\n## Limited company invoices\n\nIf your company is a limited company, you must include the full company name as it appears on the certificate of incorporation.\n\nIf you decide to put names of your directors on your invoices, you must include the names of all directors.\n\n## VAT invoices\n\nYou must use VAT invoices if you and your customer are VAT registered.\n\nThese include more information than non-VAT invoices.\n\n## Payment - obligations\n\n## Your right to be paid\n\nYou can set your own payment terms, such as discounts for early payment and payment upfront.\n\nUnless you agree a payment date, the customer must pay you within 30 days of getting your invoice or the goods or service.\n\nYou can use a statutory demand to formally request payment of what you\u2019re owed.\n\n## Charging interest for late payment\n\nYou have the right to charge interest for late payment, but you can choose not to.\n\n## Liability for disputed card payments\n\nIf a customer asks their credit or debit card issuer to reverse a transaction, they can reclaim the value of the transaction from you. This is known as a \u2018chargeback\u2019.\n\nChargebacks can be made when:\n\n- the purchased item never arrived\n\n- the item wasn\u2019t as described\n\n- a customer\u2019s card was used without their permission to purchase the item fraudulently.\n\nYou can be charged up to 120 days after the transaction has been debited or from when the goods or services were due to be received.\n\n## Minimising chargebacks\n\nIf a customer uses their PIN, you\u2019ll only be liable for a chargeback if the goods are faulty or aren\u2019t as described.\n\nWhere you can\u2019t accept a PIN, a clear signature will help but there is no guarantee against a chargeback.\n\nFor card-not-present transactions, such as online sales, the risks of chargeback will be higher.\n\n## Regulation\n\nIf you want to set up a business that takes a sum of money from a customer every time they use a service, for example, online trading, you may need to be authorised by the Financial Conduct Authority.\n\nIf customers pay you in large amounts of cash, your business may need to be \nregistered for an anti-money laundering scheme.\n\n## Protecting customer data\n\nYou must follow the rules on storing customer data to protect their financial information.", + "original_contents": [ + "

    Overview

    ", + "

    If you sell a customer a product or a service, you need to give them an invoice (bill) by law if both you and the customer are registered for VAT (a business to business transaction). An invoice is not the same as a receipt, which is an acknowledgement of payment.

    ", + "

    The invoice must include certain information such as:

    ", + "
  • how much the customer needs to pay you
  • ", + "
  • when the customer must pay you
  • ", + "

    You and the customer also have certain obligations on payment.

    ", + "

    Invoices - what they must include

    ", + "

    Your invoice must include:

    ", + "
  • a unique identification number
  • ", + "
  • your company name, address and contact information
  • ", + "
  • the company name and address of the customer you\u2019re invoicing
  • ", + "
  • a clear description of what you\u2019re charging for
  • ", + "
  • the date the goods or service were provided (supply date)
  • ", + "
  • the date of the invoice
  • ", + "
  • the amount(s) being charged
  • ", + "
  • VAT amount if applicable
  • ", + "
  • the total amount owed
  • ", + "

    Sole trader invoices

    ", + "

    If you\u2019re a sole trader, the invoice must also include:

    ", + "
  • your name and any business name being used
  • ", + "
  • an address where any legal documents can be delivered to you if you are using a business name
  • ", + "

    Limited company invoices

    ", + "

    If your company is a limited company, you must include the full company name as it appears on the certificate of incorporation.

    ", + "

    If you decide to put names of your directors on your invoices, you must include the names of all directors.

    ", + "

    VAT invoices

    ", + "

    You must use VAT invoices if you and your customer are VAT registered.

    ", + "

    These include more information than non-VAT invoices.

    ", + "

    Payment - obligations

    ", + "

    Your right to be paid

    ", + "

    You can set your own payment terms, such as discounts for early payment and payment upfront.

    ", + "

    Unless you agree a payment date, the customer must pay you within 30 days of getting your invoice or the goods or service.

    ", + "

    You can use a statutory demand to formally request payment of what you\u2019re owed.

    ", + "

    Charging interest for late payment

    ", + "

    You have the right to charge interest for late payment, but you can choose not to.

    ", + "

    Liability for disputed card payments

    ", + "

    If a customer asks their credit or debit card issuer to reverse a transaction, they can reclaim the value of the transaction from you. This is known as a \u2018chargeback\u2019.

    ", + "

    Chargebacks can be made when:

    ", + "
  • the purchased item never arrived
  • ", + "
  • the item wasn\u2019t as described
  • ", + "
  • a customer\u2019s card was used without their permission to purchase the item fraudulently.
  • ", + "

    You can be charged up to 120 days after the transaction has been debited or from when the goods or services were due to be received.

    ", + "

    Minimising chargebacks

    ", + "

    If a customer uses their PIN, you\u2019ll only be liable for a chargeback if the goods are faulty or aren\u2019t as described.

    ", + "

    Where you can\u2019t accept a PIN, a clear signature will help but there is no guarantee against a chargeback.

    ", + "

    For card-not-present transactions, such as online sales, the risks of chargeback will be higher.

    ", + "

    Regulation

    ", + "

    If you want to set up a business that takes a sum of money from a customer every time they use a service, for example, online trading, you may need to be authorised by the Financial Conduct Authority.

    ", + "

    If customers pay you in large amounts of cash, your business may need to be \nregistered for an anti-money laundering scheme.

    ", + "

    Protecting customer data

    ", + "

    You must follow the rules on storing customer data to protect their financial information.

    " + ] + }, + "https://www.gov.uk/marketing-advertising-law": { + "url": "https://www.gov.uk/marketing-advertising-law", + "title": "Marketing and advertising: the law", + "content": "## Overview\n\nAll marketing and advertising must be:\n\n- an accurate description of the product or service\n\n- legal\n\n- decent\n\n- truthful\n\n- honest\n\n- socially responsible (not encouraging illegal, unsafe or anti-social behaviour)\n\nThere are regulations that restrict what advertisers can and cannot do.\n\nAs well as the regulations, there are 2 advertising codes of practice that you need to follow to help you advertise legally.\n\nYou must describe your product or service accurately.\n\n## Requirements for specific products\n\nThere are also specific requirements that apply to certain sectors, such as:\n\n- food\n\n- alcohol\n\n- beauty products\n\n- environmentally friendly products\n\n- medicines\n\n- tobacco\n\nFor example, you can only claim your drink is \u2018low in alcohol\u2019 if it contains between 0.5% and 1.2% alcohol by volume.\n\n## Data protection\n\nIf you\u2019re gathering, storing or using information about customers or potential customers, you must also protect their data.\n\n## Regulations that affect advertising\n\n## Advertising to consumers\n\nThe Consumer Protection from Unfair Trading Regulations mean you cannot mislead or harass consumers by, for example:\n\n- including false or deceptive messages\n\n- leaving out important information\n\n- using aggressive sales techniques\n\nRead \u2018The consumer protection from unfair trading regulations\u2019 for the rules on advertising legally.\n\n## Advertising to businesses\n\nAdvertising to businesses is covered by the Business Protection from Misleading Marketing Regulations. As well as being accurate and honest, you must not make misleading comparisons with competitors, that includes:\n\n- using a competitor\u2019s logo or trademark, or something very similar\n\n- comparing your product with a competitor\u2019s product that\u2019s not the same\n\nDownload \u2018The Business Protection from Misleading Marketing Regulations 2008\u2019 for more detail about the regulations that cover advertising to businesses.\n\n## Penalties\n\nIf you break the regulations, you could be reported to a local Trading Standards office. You could be fined, prosecuted or imprisoned.\n\n## Advertising codes of practice\n\nThere are 2 advertising codes of practice that describe how businesses should advertise.\n\nThey cover all kinds of promotional communications, depending where the advert or promotion will appear.\n\n## Non-broadcast media\n\nThe CAP non-broadcast code has rules that cover non-broadcast advertising (for example print, online), sales promotion and direct marketing (such as telesales and email).\n\nThe code specifies standards for accuracy and honesty that businesses must stick to, including specific conditions, such as:\n\n- advertising to children\n\n- causing offence\n\n- political advertising\n\n## Broadcast media (for example TV, radio)\n\nYou must follow the CAP broadcast code, which covers issues including taste, decency and product placement.\n\nAs well as setting standards about accuracy and honesty businesses must stick to, they also have rules about things like scheduling.\n\n## General broadcasting rules\n\nYou also need to follow rules about taste, decency, product placement etc that apply to all broadcasting.\n\nThese are called \u2018broadcast codes\u2019. Find out more about them on the Ofcom website.\n\n## Enforcing the rules\n\nThe rules are enforced by the Advertising Standards Authority (ASA).\n\nAnyone who thinks advertising rules have been broken can complain to the ASA within 3 months of the advert appearing.\n\nIf an advert breaks the rules, it may be withdrawn. If the product does not match the description or the advert breaks the law, you could be prosecuted.\n\n## Describing your product\n\nYou must describe your product accurately. This means if you make a claim about your product, you must be able to prove what you say.\n\n## Prices\n\nYour adverts must describe the actual cost accurately, including any ongoing or associated costs (like subscription fees) and taxes (such as VAT).\n\n## Direct marketing\n\nYou must check if customers want to be contacted by fax, phone, post or email, and give them the chance to object. You must be able to prove you\u2019ve done this.\n\nWhen you collect customer details, you must get their permission if you want to send them other offers or promotions.\n\nYou must also ask for their permission if you want to share their information with another organisation.\n\n## Letting customers opt out\n\nCustomers have the right to stop their information being used for direct marketing.\n\nYou must make it easy to opt out - for example by sending a \u2018STOP\u2019 text to a short number, or using an \u2018unsubscribe\u2019 link.\n\n## Telesales and fax marketing\n\nYou must say who you are when you make a telesales call, and give your address or phone number if you\u2019re asked for it. The number for customers to call must be a freephone number.\n\nYou\u2019re not allowed to send marketing faxes to individuals unless you\u2019ve received their prior permission, but you can send unsolicited faxes to companies.\n\nYou must be able to prove that you\u2019ve checked you\u2019re not contacting anyone who does not want to be contacted.\n\nCheck who\u2019s asked not to receive calls or faxes using the:\n\n- Telephone Preference Service\n\n- Fax Preference Service\n\nIt\u2019s illegal to phone or fax someone registered with these services if you do not have their permission. You can be fined up to \u00a3500,000 for each unsolicited phonecall.\n\n## Automated calls\n\nIf you want to make automated calls - with pre-recorded phone messages - you must get the permission of the individual or business first.\n\n## Direct mail\n\nCheck that your mailing lists do not include anyone who\u2019s asked not to receive direct mailing, using the Mail Preference Service.\n\n## Email marketing and text messages\n\nYou\u2019re only allowed to send marketing emails to individual customers if they\u2019ve given you permission.\n\nEmails or text messages must clearly indicate:\n\n- who you are\n\n- that you\u2019re selling something\n\n- what the promotions are, and any conditions\n\nCheck that you are not sending emails to anyone who\u2019s asked not to receive them, using the Email Preference Service.\n\nIf you buy or rent a mailing list, ask the supplier if you have the right to use it for email marketing.\n\nEvery marketing email you send must give the person the ability to opt out of (or \u2018unsubscribe from\u2019) further emails.\n\nYou must tell customers if you add them to a list of people who do not want to be emailed.\n\n## Cookies\n\nYou must tell visitors to your website how your site uses cookies, and ask if they want to accept them.\n\nThe information should be easy to understand.\n\nFind out more about cookies on the Information Commissioner\u2019s Office website and AboutCookies.org.\n\nCustomers can complain if you misuse their information, and you could be ordered to pay a fine or compensation.", + "original_contents": [ + "

    Overview

    ", + "

    All marketing and advertising must be:

    ", + "
  • an accurate description of the product or service
  • ", + "
  • legal
  • ", + "
  • decent
  • ", + "
  • truthful
  • ", + "
  • honest
  • ", + "
  • socially responsible (not encouraging illegal, unsafe or anti-social behaviour)
  • ", + "

    There are regulations that restrict what advertisers can and cannot do.

    ", + "

    As well as the regulations, there are 2 advertising codes of practice that you need to follow to help you advertise legally.

    ", + "

    You must describe your product or service accurately.

    ", + "

    Requirements for specific products

    ", + "

    There are also specific requirements that apply to certain sectors, such as:

    ", + "
  • food
  • ", + "
  • alcohol
  • ", + "
  • beauty products
  • ", + "
  • environmentally friendly products
  • ", + "
  • medicines
  • ", + "
  • tobacco
  • ", + "

    For example, you can only claim your drink is \u2018low in alcohol\u2019 if it contains between 0.5% and 1.2% alcohol by volume.

    ", + "

    Data protection

    ", + "

    If you\u2019re gathering, storing or using information about customers or potential customers, you must also protect their data.

    ", + "

    Regulations that affect advertising

    ", + "

    Advertising to consumers

    ", + "

    The Consumer Protection from Unfair Trading Regulations mean you cannot mislead or harass consumers by, for example:

    ", + "
  • including false or deceptive messages
  • ", + "
  • leaving out important information
  • ", + "
  • using aggressive sales techniques
  • ", + "

    Read \u2018The consumer protection from unfair trading regulations\u2019 for the rules on advertising legally.

    ", + "

    Advertising to businesses

    ", + "

    Advertising to businesses is covered by the Business Protection from Misleading Marketing Regulations. As well as being accurate and honest, you must not make misleading comparisons with competitors, that includes:

    ", + "
  • using a competitor\u2019s logo or trademark, or something very similar
  • ", + "
  • comparing your product with a competitor\u2019s product that\u2019s not the same
  • ", + "

    Download \u2018The Business Protection from Misleading Marketing Regulations 2008\u2019 for more detail about the regulations that cover advertising to businesses.

    ", + "

    Penalties

    ", + "

    If you break the regulations, you could be reported to a local Trading Standards office. You could be fined, prosecuted or imprisoned.

    ", + "

    Advertising codes of practice

    ", + "

    There are 2 advertising codes of practice that describe how businesses should advertise.

    ", + "

    They cover all kinds of promotional communications, depending where the advert or promotion will appear.

    ", + "

    Non-broadcast media

    ", + "

    The CAP non-broadcast code has rules that cover non-broadcast advertising (for example print, online), sales promotion and direct marketing (such as telesales and email).

    ", + "

    The code specifies standards for accuracy and honesty that businesses must stick to, including specific conditions, such as:

    ", + "
  • advertising to children
  • ", + "
  • causing offence
  • ", + "
  • political advertising
  • ", + "

    Broadcast media (for example TV, radio)

    ", + "

    You must follow the CAP broadcast code, which covers issues including taste, decency and product placement.

    ", + "

    As well as setting standards about accuracy and honesty businesses must stick to, they also have rules about things like scheduling.

    ", + "

    General broadcasting rules

    ", + "

    You also need to follow rules about taste, decency, product placement etc that apply to all broadcasting.

    ", + "

    These are called \u2018broadcast codes\u2019. Find out more about them on the Ofcom website.

    ", + "

    Enforcing the rules

    ", + "

    The rules are enforced by the Advertising Standards Authority (ASA).

    ", + "

    Anyone who thinks advertising rules have been broken can complain to the ASA within 3 months of the advert appearing.

    ", + "

    If an advert breaks the rules, it may be withdrawn. If the product does not match the description or the advert breaks the law, you could be prosecuted.

    ", + "

    Describing your product

    ", + "

    You must describe your product accurately. This means if you make a claim about your product, you must be able to prove what you say.

    ", + "

    Prices

    ", + "

    Your adverts must describe the actual cost accurately, including any ongoing or associated costs (like subscription fees) and taxes (such as VAT).

    ", + "

    Direct marketing

    ", + "

    You must check if customers want to be contacted by fax, phone, post or email, and give them the chance to object. You must be able to prove you\u2019ve done this.

    ", + "

    When you collect customer details, you must get their permission if you want to send them other offers or promotions.

    ", + "

    You must also ask for their permission if you want to share their information with another organisation.

    ", + "

    Letting customers opt out

    ", + "

    Customers have the right to stop their information being used for direct marketing.

    ", + "

    You must make it easy to opt out - for example by sending a \u2018STOP\u2019 text to a short number, or using an \u2018unsubscribe\u2019 link.

    ", + "

    Telesales and fax marketing

    ", + "

    You must say who you are when you make a telesales call, and give your address or phone number if you\u2019re asked for it. The number for customers to call must be a freephone number.

    ", + "

    You\u2019re not allowed to send marketing faxes to individuals unless you\u2019ve received their prior permission, but you can send unsolicited faxes to companies.

    ", + "

    You must be able to prove that you\u2019ve checked you\u2019re not contacting anyone who does not want to be contacted.

    ", + "

    Check who\u2019s asked not to receive calls or faxes using the:

    ", + "
  • Telephone Preference Service
  • ", + "
  • Fax Preference Service
  • ", + "

    It\u2019s illegal to phone or fax someone registered with these services if you do not have their permission. You can be fined up to \u00a3500,000 for each unsolicited phonecall.

    ", + "

    Automated calls

    ", + "

    If you want to make automated calls - with pre-recorded phone messages - you must get the permission of the individual or business first.

    ", + "

    Direct mail

    ", + "

    Check that your mailing lists do not include anyone who\u2019s asked not to receive direct mailing, using the Mail Preference Service.

    ", + "

    Email marketing and text messages

    ", + "

    You\u2019re only allowed to send marketing emails to individual customers if they\u2019ve given you permission.

    ", + "

    Emails or text messages must clearly indicate:

    ", + "
  • who you are
  • ", + "
  • that you\u2019re selling something
  • ", + "
  • what the promotions are, and any conditions
  • ", + "

    Check that you are not sending emails to anyone who\u2019s asked not to receive them, using the Email Preference Service.

    ", + "

    If you buy or rent a mailing list, ask the supplier if you have the right to use it for email marketing.

    ", + "

    Every marketing email you send must give the person the ability to opt out of (or \u2018unsubscribe from\u2019) further emails.

    ", + "

    You must tell customers if you add them to a list of people who do not want to be emailed.

    ", + "

    Cookies

    ", + "

    You must tell visitors to your website how your site uses cookies, and ask if they want to accept them.

    ", + "

    The information should be easy to understand.

    ", + "

    Find out more about cookies on the Information Commissioner\u2019s Office website and AboutCookies.org.

    ", + "

    Customers can complain if you misuse their information, and you could be ordered to pay a fine or compensation.

    " + ] + }, + "https://www.gov.uk/weights-measures-and-packaging-the-law": { + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "title": "Weights and measures: the law", + "content": "## Units of measurement\n\nYou must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.\n\nThere are different rules in Northern Ireland.\n\nThe only products you can sell in imperial measures are:\n\n- draught beer or cider by pint\n\n- milk in returnable containers by pint\n\n- precious metals by troy ounce\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Specified quantities\n\nSome goods must be sold in fixed sizes known as \u2018specified quantities\u2019.\n\n## Alcohol\n\nThere are different rules depending on whether you\u2019re selling by the glass or bottle.\n\n## By the glass\n\n| | Measures |\n\n| Still wine | 125ml, 175ml, multiples of 125ml and 175ml |\n\n| Port, sherry or other fortified wine | 50ml, 70ml, multiples of 50ml or 70ml |\n\n| Gin, rum, vodka and whisky | Either 25ml and multiples of 25ml, or 35ml and multiples of 35ml (not both on the same premises) |\n\n| Draught beer and cider | Third, half, two-thirds of a pint and multiples of half a pint |\n\nThere are no specified quantities for sparkling wine or yellow wine by the glass or spirits other than gin, rum, vodka and whisky.\n\n## Packaged in bottles, boxes or similar\n\n| | Volume by millilitre (ml) |\n\n| Still wine | 100, 187, 250, 375, 500, 750, 1000, 1500 |\n\n| Yellow wine | 620 |\n\n| Sparkling wine | 125, 200, 375, 750, 1500 |\n\n| Fortified wine | 100, 200, 375, 500, 750, 1000, 1500 |\n\n| Spirit drinks | 100, 200, 350, 500, 700, 1000, 1500, 1750, 2000 |\n\nYou can sell packaged alcohol in any volume if it\u2019s below the minimum or above the maximum allowed for specified quantities.\n\n| | Minimum (ml) | Maximum (ml) |\n\n| Still wine | 100 | 1500 |\n\n| Yellow wine | 100 | 1500 |\n\n| Sparkling wine | 125 | 1500 |\n\n| Fortified wine | 100 | 1500 |\n\n| Spirit drinks | 100 | 2000 |\n\nThere are no specified quantities for packaged beer or cider.\n\n## Solid fuel\n\nYou can sell sealed bags of solid fuel in any size you wish but if you\u2019re selling it loose, you can only sell it in quantities of:\n\n- 25kg\n\n- 50kg\n\n- multiples of 50kg\n\n## Packaged goods\n\nPackaged goods are products that are all of these:\n\n- sold sealed\n\n- between 5g and 25kg or 5ml and 25 litres\n\n- the same weight or volume as other products of the same type\n\nThere are 2 ways to pack your products.\n\n## Minimum system\n\nYou can pack your products so that they contain at least the quantity displayed on the label. The packages can contain more than the label says, but not less.\n\n## Average system\n\nYou can pack your products to an average measurement that is on the label. You must check your packages to make sure a random sample is packed to meet all these rules - known as the \u2018three packers\u2019 rules\u2019:\n\n- the contents of the packages must not be less, on average, than the weight on the label\n\n- only a small number can fall below a certain margin of error, known as the \u2018tolerable negative error\u2019 (TNE)\n\n- no package can be underweight by more than twice the TNE\n\n| Quantity in grams and millilitres | TNE as % of quantity | TNE in grams or millilitres |\n\n| 5 to 50 | 9 | n/a |\n\n| 50 to 100 | n/a | 4.5 |\n\n| 100 to 200 | 4.5 | n/a |\n\n| 200 to 300 | n/a | 9 |\n\n| 300 to 500 | 3 | n/a |\n\n| 500 to 1,000 | n/a | 15 |\n\n| 1,000 to 10,000 | 1.5 | n/a |\n\n| 10,000 to 15,000 | n/a | 150 |\n\n| more than 15,000 | 1 | n/a |\n\nIf you\u2019re calculating the TNE as a percentage of the quantity, you must round up the weight or volume to the nearest 0.10 of a gram or millilitre.\n\nContact your local Trading Standards office for help with packing to the average system.\n\nRead the \u2018Weights and Measures (Packaged Goods) 2006\u2019 guidance for business for more information.\n\nYou must make sure packaged goods you\u2019re producing or importing are packed and labelled correctly.\n\nYou can be fined or sent to prison if you break the rules.\n\n## Equipment and records\n\n## Equipment for packaged goods\n\nThe equipment you use to weigh or measure your packaged goods has to be suitable. There are no hard and fast rules about what equipment you should use but you cannot use domestic scales to weigh goods you intend to sell.\n\nYour local Trading Standards office will tell you what is suitable equipment for your business sector.\n\nTrading Standards will check the weights and measures of your goods on your production line to make sure the equipment is accurate.\n\n## Records\n\nYou must keep records if you pack your products using the average system. You must record the results of your sample batches and show that they meet the \u2018three packers\u2019 rules.\n\nYou do not have to keep records if you measure every package or you use the minimum system to pack your products.\n\nYou must keep your records for at least one year from either the date you ship the packages or the \u2018use by\u2019 date on the package - whichever is shorter.\n\nYour local Trading Standards office can advise you about how to keep records.\n\n## Labelling packaged goods\n\nYou must put the weight or volume of your packaged goods on the label.\n\nThe quantity marking must be:\n\n- permanent\n\n- easy to see\n\n- meet a minimum height requirement\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Food\n\nRead the rules about what you must show on packaged food labels.\n\n## Exporting packaged goods\n\nYou must meet the rules for packaged goods in the country you\u2019re exporting to.", + "original_contents": [ + "

    Units of measurement

    ", + "

    You must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.

    ", + "

    There are different rules in Northern Ireland.

    ", + "

    The only products you can sell in imperial measures are:

    ", + "
  • draught beer or cider by pint
  • ", + "
  • milk in returnable containers by pint
  • ", + "
  • precious metals by troy ounce
  • ", + "

    You can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.

    ", + "

    Specified quantities

    ", + "

    Some goods must be sold in fixed sizes known as \u2018specified quantities\u2019.

    ", + "

    Alcohol

    ", + "

    There are different rules depending on whether you\u2019re selling by the glass or bottle.

    ", + "

    By the glass

    ", + " | Measures", + "Still wine | 125ml, 175ml, multiples of 125ml and 175ml", + "Port, sherry or other fortified wine | 50ml, 70ml, multiples of 50ml or 70ml", + "Gin, rum, vodka and whisky | Either 25ml and multiples of 25ml, or 35ml and multiples of 35ml (not both on the same premises)", + "Draught beer and cider | Third, half, two-thirds of a pint and multiples of half a pint", + "

    There are no specified quantities for sparkling wine or yellow wine by the glass or spirits other than gin, rum, vodka and whisky.

    ", + "

    Packaged in bottles, boxes or similar

    ", + " | Volume by millilitre (ml)", + "Still wine | 100, 187, 250, 375, 500, 750, 1000, 1500", + "Yellow wine | 620", + "Sparkling wine | 125, 200, 375, 750, 1500", + "Fortified wine | 100, 200, 375, 500, 750, 1000, 1500", + "Spirit drinks | 100, 200, 350, 500, 700, 1000, 1500, 1750, 2000", + "

    You can sell packaged alcohol in any volume if it\u2019s below the minimum or above the maximum allowed for specified quantities.

    ", + " | Minimum (ml) | Maximum (ml)", + "Still wine | 100 | 1500", + "Yellow wine | 100 | 1500", + "Sparkling wine | 125 | 1500", + "Fortified wine | 100 | 1500", + "Spirit drinks | 100 | 2000", + "

    There are no specified quantities for packaged beer or cider.

    ", + "

    Solid fuel

    ", + "

    You can sell sealed bags of solid fuel in any size you wish but if you\u2019re selling it loose, you can only sell it in quantities of:

    ", + "
  • 25kg
  • ", + "
  • 50kg
  • ", + "
  • multiples of 50kg
  • ", + "

    Packaged goods

    ", + "

    Packaged goods are products that are all of these:

    ", + "
  • sold sealed
  • ", + "
  • between 5g and 25kg or 5ml and 25 litres
  • ", + "
  • the same weight or volume as other products of the same type
  • ", + "

    There are 2 ways to pack your products.

    ", + "

    Minimum system

    ", + "

    You can pack your products so that they contain at least the quantity displayed on the label. The packages can contain more than the label says, but not less.

    ", + "

    Average system

    ", + "

    You can pack your products to an average measurement that is on the label. You must check your packages to make sure a random sample is packed to meet all these rules - known as the \u2018three packers\u2019 rules\u2019:

    ", + "
  • the contents of the packages must not be less, on average, than the weight on the label
  • ", + "
  • only a small number can fall below a certain margin of error, known as the \u2018tolerable negative error\u2019 (TNE)
  • ", + "
  • no package can be underweight by more than twice the TNE
  • ", + "Quantity in grams and millilitres | TNE as % of quantity | TNE in grams or millilitres", + "5 to 50 | 9 | n/a", + "50 to 100 | n/a | 4.5", + "100 to 200 | 4.5 | n/a", + "200 to 300 | n/a | 9", + "300 to 500 | 3 | n/a", + "500 to 1,000 | n/a | 15", + "1,000 to 10,000 | 1.5 | n/a", + "10,000 to 15,000 | n/a | 150", + "more than 15,000 | 1 | n/a", + "

    If you\u2019re calculating the TNE as a percentage of the quantity, you must round up the weight or volume to the nearest 0.10 of a gram or millilitre.

    ", + "

    Contact your local Trading Standards office for help with packing to the average system.

    ", + "

    Read the \u2018Weights and Measures (Packaged Goods) 2006\u2019 guidance for business for more information.

    ", + "

    You must make sure packaged goods you\u2019re producing or importing are packed and labelled correctly.

    ", + "

    You can be fined or sent to prison if you break the rules.

    ", + "

    Equipment and records

    ", + "

    Equipment for packaged goods

    ", + "

    The equipment you use to weigh or measure your packaged goods has to be suitable. There are no hard and fast rules about what equipment you should use but you cannot use domestic scales to weigh goods you intend to sell.

    ", + "

    Your local Trading Standards office will tell you what is suitable equipment for your business sector.

    ", + "

    Trading Standards will check the weights and measures of your goods on your production line to make sure the equipment is accurate.

    ", + "

    Records

    ", + "

    You must keep records if you pack your products using the average system. You must record the results of your sample batches and show that they meet the \u2018three packers\u2019 rules.

    ", + "

    You do not have to keep records if you measure every package or you use the minimum system to pack your products.

    ", + "

    You must keep your records for at least one year from either the date you ship the packages or the \u2018use by\u2019 date on the package - whichever is shorter.

    ", + "

    Your local Trading Standards office can advise you about how to keep records.

    ", + "

    Labelling packaged goods

    ", + "

    You must put the weight or volume of your packaged goods on the label.

    ", + "

    The quantity marking must be:

    ", + "
  • permanent
  • ", + "
  • easy to see
  • ", + "
  • meet a minimum height requirement
  • ", + "

    You can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.

    ", + "

    Food

    ", + "

    Read the rules about what you must show on packaged food labels.

    ", + "

    Exporting packaged goods

    ", + "

    You must meet the rules for packaged goods in the country you\u2019re exporting to.

    " + ] + }, + "https://www.gov.uk/become-childminder-nanny": { + "url": "https://www.gov.uk/become-childminder-nanny", + "title": "Become a childminder or nanny (England)", + "content": "## Overview\n\nIf you want to be paid to look after children under 8, you might need to register with Ofsted or a childminder agency.\n\nYou can get a fine if you do not register when you need to.\n\nYou must register as a childminder if all of the following apply:\n\n- the children are under the age of 8\n\n- you look after them for more than 2 hours a day\n\n- you look after them in your own home\n\n- you get paid to look after them - including payment in kind\n\nYou can register with Ofsted online. To register with a childminder agency, contact them directly.\n\nThere are different rules if you want to provide daycare outside someone\u2019s home - for example a nursery or creche.\n\nYou do not need to register if you\u2019re:\n\n- a nanny\n\n- a tutor\n\n- a babysitter and if you look after the children between 6pm and 2am\n\n- a family friend and if you look after the children less than 3 hours a day\n\nYou can still choose to register if you\u2019re a nanny or in other situations. This helps the child\u2019s parents qualify for free childcare.\n\nCheck which register to join if you\u2019re not sure.\n\n## Who cannot register\n\nYou cannot register if you:\n\n- are under 18\n\n- are related to all of the children you look after\n\n- do not have the legal right to work in the UK\n\n- are barred from working with children\n\n- have been disqualified\n\n- have been refused registration in the past or had your registration cancelled - unless it was because you did not pay your annual fee\n\n- are childminding in a home where a disqualified person lives or works\n\nIf you\u2019ve been disqualified, you may be able to apply to waive your disqualification\n\n## Which register to join\n\nThere are 2 registers - the Early Years Register and the Childcare Register.\n\nWhich register you join depends on:\n\n- the age of the children you\u2019re looking after\n\n- if you\u2019re registering as a childminder or a nanny\n\nYou\u2019ll be prompted to join the correct register when you apply.\n\n## Children up to the age of 5\n\nIf you\u2019re a childminder and you look after children from birth to 5 years old you must join the Early Years Register. This lets you look after children up to 31 August after their fifth birthday.\n\nYou\u2019ll get a registration visit from Ofsted when you apply.\n\nAfter you join the register you must follow the early years foundation stage (EYFS) framework.\n\nNannies cannot join the Early Years Register.\n\n## Children from 5 to 8 years old\n\nIf you\u2019re a childminder and you look after children from 5 to 8 years old you must join the Childcare Register. This lets you look after children from 1 September after their fifth birthday up to their eighth birthday.\n\nAs a nanny you can choose to join the Childcare Register, regardless of the age of the children you\u2019re looking after.\n\nYou may be inspected by Ofsted. You may also get a registration visit.\n\n## How much it costs\n\nYou need to pay an annual registration fee to Ofsted. You\u2019ll also have to pay for things like criminal record checks, training and insurance.\n\n## Registration fee\n\nYou\u2019ll have to pay the registration fee each year.\n\n| | Cost for childminders | Cost for nannies |\n\n| Childminders - caring only for children aged 5 or under | \u00a335 | Not applicable |\n\n| Childminders - caring only for children aged 5 or older | \u00a3103 | Not applicable |\n\n| Childminders - caring for children of all ages | \u00a335 | Not applicable |\n\n| Register as a nanny | Not applicable | \u00a3103 |\n\n## Criminal record and health checks\n\n| | Cost for childminders | Cost for nannies |\n\n| Your criminal record check | \u00a348.10 | \u00a348.10 |\n\n| Checks for adults in your home | \u00a348.10 each | Not applicable |\n\n| Criminal record check update service (recommended) | \u00a313/year | \u00a313/year |\n\n| GP to fill in and sign health declaration booklet | \u00a390 (approximately) | Not applicable |\n\n## Training\n\n| | Cost for childminders | Cost for nannies |\n\n| First aid course to cover the age groups you look after | \u00a360 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately) |\n\n| Childcare training on the type of care you will provide - ask your council | \u00a350 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately) |\n\n## Other costs\n\n| Insurance | Cost |\n\n| Public liability insurance | \u00a325 to \u00a3100 (approximately) |\n\n| Keeping digital records | Cost |\n\n| Register with ICO to keep digital records of children (childminders only) | \u00a340 |\n\n## Register as a nanny\n\nYou can register with Ofsted as a nanny or au pair to look after children in their own home.\n\nA nanny can look after children from 1 or 2 families at the same time.\n\nIf you want to look after children from more than 2 families at the same time in your home, you\u2019ll need to register as a childminder instead.\n\nYou will need:\n\n- an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check\n\n- first aid training\n\n- childcare training - speak to your local council\n\n- public liability insurance\n\n- a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years\n\nOfsted will reject your application if you do not have the correct documents.\n\n## How much it costs\n\nIt costs \u00a3103 to register with Ofsted. This fee is not refundable.\n\nFind out about other costs.\n\n## How long it takes\n\nIt usually takes up to 12 weeks to process your application.\n\n## Register online\n\nIt should take you about 15 minutes to fill in the form.\n\nRegister as a nanny\n\n## Register as a childminder\n\nYou must register with Ofsted to look after children in your home.\n\nIf you\u2019re looking after children in their own home, you should register with Ofsted as a nanny or au pair instead.\n\nYou will need:\n\n- an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check\n\n- first aid training for the age group you will look after\n\n- childcare training - speak to your local council\n\n- a health declaration booklet\n\n- contact details for 2 references\n\n- a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years\n\nOfsted will reject your application if you do not have the correct documents.\n\n## Checks on other people in your home\n\nIf anyone aged 16 or over lives with you or works in your home regularly, they\u2019ll need to get an enhanced criminal record check with barred lists.\n\nThe type of check they get depends on their role. For example your partner would need to get a different check to someone who works in your home, like a cleaner.\n\nThey\u2019ll also need to get a certificate of good character from an embassy if they\u2019ve lived abroad in the last 5 years.\n\n## How much it costs\n\nIt usually costs \u00a335 to register with Ofsted. This fee is not refundable.\n\nFind out about other costs.\n\n## How long it takes\n\nIt usually takes up to 12 weeks to process your application.\n\n## Register online\n\nIt should take you about 30 minutes to fill in the form.\n\nRegister as a childminder\n\n## After you apply\n\nWhen you submit your application Ofsted will:\n\n- do background checks with local authorities\n\n- check your references\n\n- give you a reference number to use if you have questions about your application\n\n## If you\u2019re a childminder\n\nAn inspector will visit you to check:\n\n- your identity and qualifications - including first aid qualifications\n\n- your house and garden are safe for children\n\n- that you\u2019re familiar with the early years foundation stage (EYFS) requirements and know how to put them into practice\n\n- your level of English\n\nYou will not usually get a registration visit if you\u2019re only looking after children aged over 5.\n\nFind out how to prepare for your registration visit.\n\n## If your application is approved\n\nYou\u2019ll get a certificate of registration if your application is approved. You will need this to start work as a childminder.\n\nOfsted will publish your unique reference number (\u2018URN\u2019) and inspection reports online. If you\u2019re a childminder they will also publish your name and address - unless you tell them not to.\n\n## If your application is refused\n\nOfsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.\n\nYou\u2019ll be disqualified from applying again in future.\n\n## Object to a decision\n\nYou can object to a decision if you\u2019ve been sent a \u2018notice of intention\u2019.\n\nYou must object within 14 days of the date on the notice.\n\nOfsted will consider your objection, then tell you if:\n\n- you\u2019re still refused registration\n\n- you cannot look after children in a particular home\n\n- your decision is overturned\n\nIf you do not object, or Ofsted does not change its decision, you\u2019ll get a second letter called a \u2018notice of decision\u2019. This is the final decision to refuse registration or approval of a certain premises.\n\n## Appeal a decision\n\nIf you disagree with Ofsted\u2019s final decision, you can appeal to an independent tribunal.\n\nYou must appeal within 3 months of the date that you\u2019re sent the notice of decision.\n\n## After you're registered\n\nYou must continue to meet the registration standards while you\u2019re working as a childminder or nanny.\n\nYou\u2019ll need to:\n\n- pay the annual registration fee\n\n- keep your details up to date\n\n- report any major accidents or incidents\n\nOfsted will inspect childminders and some nannies.\n\n## Keep your details up to date\n\nYou must tell Ofsted if:\n\n- you change where you\u2019re working\n\n- your contact details change\n\n- you stop working as a childminder or nanny\n\n## If you\u2019re a childminder\n\nYou must tell Ofsted if:\n\n- anyone 16 or over moves into your home or leaves your home\n\n- your childminding assistants change\n\n## Reporting accidents and incidents\n\nUse the early years incident online form to report:\n\n- a serious accident, injury or illness to a child, for example food poisoning\n\n- allegations that someone living, working or looking after children in your household has committed serious harm or abuse\n\n- anything that might affect the suitability of someone on the premises to look after children\n\n- a child\u2019s death\n\n## Providing other types of childcare\n\nIf you\u2019re a childminder, you can apply to set up childcare on non-domestic premises (for example, a playgroup or after-school club). You can work here for up to half of your time.\n\nIf you want to work with 3 or more childminders or childminding assistants in your home, you\u2019ll need to register as a daycare organisation (this is known as \u2018providing childcare on domestic premises\u2019).", + "original_contents": [ + "

    Overview

    ", + "

    If you want to be paid to look after children under 8, you might need to register with Ofsted or a childminder agency.

    ", + "

    You can get a fine if you do not register when you need to.

    ", + "

    You must register as a childminder if all of the following apply:

    ", + "
  • the children are under the age of 8
  • ", + "
  • you look after them for more than 2 hours a day
  • ", + "
  • you look after them in your own home
  • ", + "
  • you get paid to look after them - including payment in kind
  • ", + "

    You can register with Ofsted online. To register with a childminder agency, contact them directly.

    ", + "

    There are different rules if you want to provide daycare outside someone\u2019s home - for example a nursery or creche.

    ", + "

    You do not need to register if you\u2019re:

    ", + "
  • a nanny
  • ", + "
  • a tutor
  • ", + "
  • a babysitter and if you look after the children between 6pm and 2am
  • ", + "
  • a family friend and if you look after the children less than 3 hours a day
  • ", + "

    You can still choose to register if you\u2019re a nanny or in other situations. This helps the child\u2019s parents qualify for free childcare.

    ", + "

    Check which register to join if you\u2019re not sure.

    ", + "

    Who cannot register

    ", + "

    You cannot register if you:

    ", + "
  • are under 18
  • ", + "
  • are related to all of the children you look after
  • ", + "
  • do not have the legal right to work in the UK
  • ", + "
  • are barred from working with children
  • ", + "
  • have been disqualified
  • ", + "
  • have been refused registration in the past or had your registration cancelled - unless it was because you did not pay your annual fee
  • ", + "
  • are childminding in a home where a disqualified person lives or works
  • ", + "

    If you\u2019ve been disqualified, you may be able to apply to waive your disqualification

    ", + "

    Which register to join

    ", + "

    There are 2 registers - the Early Years Register and the Childcare Register.

    ", + "

    Which register you join depends on:

    ", + "
  • the age of the children you\u2019re looking after
  • ", + "
  • if you\u2019re registering as a childminder or a nanny
  • ", + "

    You\u2019ll be prompted to join the correct register when you apply.

    ", + "

    Children up to the age of 5

    ", + "

    If you\u2019re a childminder and you look after children from birth to 5 years old you must join the Early Years Register. This lets you look after children up to 31 August after their fifth birthday.

    ", + "

    You\u2019ll get a registration visit from Ofsted when you apply.

    ", + "

    After you join the register you must follow the early years foundation stage (EYFS) framework.

    ", + "

    Nannies cannot join the Early Years Register.

    ", + "

    Children from 5 to 8 years old

    ", + "

    If you\u2019re a childminder and you look after children from 5 to 8 years old you must join the Childcare Register. This lets you look after children from 1 September after their fifth birthday up to their eighth birthday.

    ", + "

    As a nanny you can choose to join the Childcare Register, regardless of the age of the children you\u2019re looking after.

    ", + "

    You may be inspected by Ofsted. You may also get a registration visit.

    ", + "

    How much it costs

    ", + "

    You need to pay an annual registration fee to Ofsted. You\u2019ll also have to pay for things like criminal record checks, training and insurance.

    ", + "

    Registration fee

    ", + "

    You\u2019ll have to pay the registration fee each year.

    ", + " | Cost for childminders | Cost for nannies", + "Childminders - caring only for children aged 5 or under | \u00a335 | Not applicable", + "Childminders - caring only for children aged 5 or older | \u00a3103 | Not applicable", + "Childminders - caring for children of all ages | \u00a335 | Not applicable", + "Register as a nanny | Not applicable | \u00a3103", + "

    Criminal record and health checks

    ", + " | Cost for childminders | Cost for nannies", + "Your criminal record check | \u00a348.10 | \u00a348.10", + "Checks for adults in your home | \u00a348.10 each | Not applicable", + "Criminal record check update service (recommended) | \u00a313/year | \u00a313/year", + "GP to fill in and sign health declaration booklet | \u00a390 (approximately) | Not applicable", + "

    Training

    ", + " | Cost for childminders | Cost for nannies", + "First aid course to cover the age groups you look after | \u00a360 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately)", + "Childcare training on the type of care you will provide - ask your council | \u00a350 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately)", + "

    Other costs

    ", + "Insurance | Cost", + "Public liability insurance | \u00a325 to \u00a3100 (approximately)", + "Keeping digital records | Cost", + "Register with ICO to keep digital records of children (childminders only) | \u00a340", + "

    Register as a nanny

    ", + "

    You can register with Ofsted as a nanny or au pair to look after children in their own home.

    ", + "

    A nanny can look after children from 1 or 2 families at the same time.

    ", + "

    If you want to look after children from more than 2 families at the same time in your home, you\u2019ll need to register as a childminder instead.

    ", + "

    You will need:

    ", + "
  • an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check
  • ", + "
  • first aid training
  • ", + "
  • childcare training - speak to your local council
  • ", + "
  • public liability insurance
  • ", + "
  • a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years
  • ", + "

    Ofsted will reject your application if you do not have the correct documents.

    ", + "

    How much it costs

    ", + "

    It costs \u00a3103 to register with Ofsted. This fee is not refundable.

    ", + "

    Find out about other costs.

    ", + "

    How long it takes

    ", + "

    It usually takes up to 12 weeks to process your application.

    ", + "

    Register online

    ", + "

    It should take you about 15 minutes to fill in the form.

    ", + "

    Register as a nanny

    ", + "

    Register as a childminder

    ", + "

    You must register with Ofsted to look after children in your home.

    ", + "

    If you\u2019re looking after children in their own home, you should register with Ofsted as a nanny or au pair instead.

    ", + "

    You will need:

    ", + "
  • an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check
  • ", + "
  • first aid training for the age group you will look after
  • ", + "
  • childcare training - speak to your local council
  • ", + "
  • a health declaration booklet
  • ", + "
  • contact details for 2 references
  • ", + "
  • a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years
  • ", + "

    Ofsted will reject your application if you do not have the correct documents.

    ", + "

    Checks on other people in your home

    ", + "

    If anyone aged 16 or over lives with you or works in your home regularly, they\u2019ll need to get an enhanced criminal record check with barred lists.

    ", + "

    The type of check they get depends on their role. For example your partner would need to get a different check to someone who works in your home, like a cleaner.

    ", + "

    They\u2019ll also need to get a certificate of good character from an embassy if they\u2019ve lived abroad in the last 5 years.

    ", + "

    How much it costs

    ", + "

    It usually costs \u00a335 to register with Ofsted. This fee is not refundable.

    ", + "

    Find out about other costs.

    ", + "

    How long it takes

    ", + "

    It usually takes up to 12 weeks to process your application.

    ", + "

    Register online

    ", + "

    It should take you about 30 minutes to fill in the form.

    ", + "

    Register as a childminder

    ", + "

    After you apply

    ", + "

    When you submit your application Ofsted will:

    ", + "
  • do background checks with local authorities
  • ", + "
  • check your references
  • ", + "
  • give you a reference number to use if you have questions about your application
  • ", + "

    If you\u2019re a childminder

    ", + "

    An inspector will visit you to check:

    ", + "
  • your identity and qualifications - including first aid qualifications
  • ", + "
  • your house and garden are safe for children
  • ", + "
  • that you\u2019re familiar with the early years foundation stage (EYFS) requirements and know how to put them into practice
  • ", + "
  • your level of English
  • ", + "

    You will not usually get a registration visit if you\u2019re only looking after children aged over 5.

    ", + "

    Find out how to prepare for your registration visit.

    ", + "

    If your application is approved

    ", + "

    You\u2019ll get a certificate of registration if your application is approved. You will need this to start work as a childminder.

    ", + "

    Ofsted will publish your unique reference number (\u2018URN\u2019) and inspection reports online. If you\u2019re a childminder they will also publish your name and address - unless you tell them not to.

    ", + "

    If your application is refused

    ", + "

    Ofsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.

    ", + "

    You\u2019ll be disqualified from applying again in future.

    ", + "

    Object to a decision

    ", + "

    You can object to a decision if you\u2019ve been sent a \u2018notice of intention\u2019.

    ", + "

    You must object within 14 days of the date on the notice.

    ", + "

    Ofsted will consider your objection, then tell you if:

    ", + "
  • you\u2019re still refused registration
  • ", + "
  • you cannot look after children in a particular home
  • ", + "
  • your decision is overturned
  • ", + "

    If you do not object, or Ofsted does not change its decision, you\u2019ll get a second letter called a \u2018notice of decision\u2019. This is the final decision to refuse registration or approval of a certain premises.

    ", + "

    Appeal a decision

    ", + "

    If you disagree with Ofsted\u2019s final decision, you can appeal to an independent tribunal.

    ", + "

    You must appeal within 3 months of the date that you\u2019re sent the notice of decision.

    ", + "

    After you're registered

    ", + "

    You must continue to meet the registration standards while you\u2019re working as a childminder or nanny.

    ", + "

    You\u2019ll need to:

    ", + "
  • pay the annual registration fee
  • ", + "
  • keep your details up to date
  • ", + "
  • report any major accidents or incidents
  • ", + "

    Ofsted will inspect childminders and some nannies.

    ", + "

    Keep your details up to date

    ", + "

    You must tell Ofsted if:

    ", + "
  • you change where you\u2019re working
  • ", + "
  • your contact details change
  • ", + "
  • you stop working as a childminder or nanny
  • ", + "

    If you\u2019re a childminder

    ", + "

    You must tell Ofsted if:

    ", + "
  • anyone 16 or over moves into your home or leaves your home
  • ", + "
  • your childminding assistants change
  • ", + "

    Reporting accidents and incidents

    ", + "

    Use the early years incident online form to report:

    ", + "
  • a serious accident, injury or illness to a child, for example food poisoning
  • ", + "
  • allegations that someone living, working or looking after children in your household has committed serious harm or abuse
  • ", + "
  • anything that might affect the suitability of someone on the premises to look after children
  • ", + "
  • a child\u2019s death
  • ", + "

    Providing other types of childcare

    ", + "

    If you\u2019re a childminder, you can apply to set up childcare on non-domestic premises (for example, a playgroup or after-school club). You can work here for up to half of your time.

    ", + "

    If you want to work with 3 or more childminders or childminding assistants in your home, you\u2019ll need to register as a daycare organisation (this is known as \u2018providing childcare on domestic premises\u2019).

    " + ] + }, + "https://www.gov.uk/register-childminder-agency-england": { + "url": "https://www.gov.uk/register-childminder-agency-england", + "title": "Register as a childminder agency in England", + "content": "## Overview\n\nYou must register with Ofsted if you want to set up a childminder agency in England.\n\nChildminder agencies register childminders and give training, business support, advice and help finding suitable parents.\n\nYou can register as an individual, or as a private or public sector organisation such as a school or academy.\n\nYou must have a Disclosure and Barring Service (DBS) check, and be interviewed and inspected by Ofsted as part of your application.\n\n## Which register to join\n\nThere are 2 registers. You must apply to join:\n\n- the Early Years Register to register childminders who look after children aged 5 and under\n\n- the compulsory part of the Childcare Register to register childminders who look after children aged 5 to 7\n\n- both registers to register childminders who look after children of all ages\n\nThe Early Years Register is for children from birth up to the 31 August after their 5th birthday.\n\nIf you\u2019re on the compulsory part of the Childcare Register, you can also join the voluntary part. You can only register childminders on the voluntary part of the register if you\u2019ve already registered them on the compulsory part.\n\n## How long it takes\n\nRegistration can take up to 16 weeks.\n\n## Fees\n\nIt costs \u00a3220 to register as a childminder agency.\n\nIt\u2019s free to join the Childcare Register if you\u2019re already on or applying to the Early Years Register.\n\n## How to apply\n\n- Read the childminder agency handbook.\n\n- Apply for a Disclosure and Barring Service (DBS) check through the Ofsted portal.\n\n- Join the DBS update service and agree to Ofsted checking your DBS certificate at least once every 6 months. You have 19 days to join the service after getting your certificate, otherwise you\u2019ll need to get a new certificate.\n\n- Download, fill in and send the application form.\n\n- Check whether you need to fill in and send a declaration and consent form.\n\n- Prepare for your registration visit by an Ofsted inspector (see the childminder agency handbook for details on this).\n\n## Get help and advice\n\nContact Ofsted if you have any questions about the application process.\n\n## Change your details\n\nYou must tell Ofsted if there are any changes to anyone named in your application.\n\nDownload and fill in a notification form and send it to the address on the form.\n\n## After you apply\n\nYou\u2019ll be told at the end of your registration inspection visit if you can start working as an agency.\n\nYou\u2019ll get a registration certificate in the post that you must display at all times in your work place.\n\nAfter you\u2019re registered you can be inspected again or get an \u2018investigation visit\u2019 if someone makes a complaint about you.\n\nYou must tell Ofsted if there are any changes to anyone named in your application. Download and fill in a notification form and send it to the address on the form.\n\n## If your application is refused\n\nOfsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.\n\nYou\u2019ll also be sent a leaflet on how to object and appeal.\n\n## Withdraw your application\n\nYou can withdraw your application up until you get a notice of intention to refuse your registration. Your fee won\u2019t be refunded.", + "original_contents": [ + "

    Overview

    ", + "

    You must register with Ofsted if you want to set up a childminder agency in England.

    ", + "

    Childminder agencies register childminders and give training, business support, advice and help finding suitable parents.

    ", + "

    You can register as an individual, or as a private or public sector organisation such as a school or academy.

    ", + "

    You must have a Disclosure and Barring Service (DBS) check, and be interviewed and inspected by Ofsted as part of your application.

    ", + "

    Which register to join

    ", + "

    There are 2 registers. You must apply to join:

    ", + "
  • the Early Years Register to register childminders who look after children aged 5 and under
  • ", + "
  • the compulsory part of the Childcare Register to register childminders who look after children aged 5 to 7
  • ", + "
  • both registers to register childminders who look after children of all ages
  • ", + "

    The Early Years Register is for children from birth up to the 31 August after their 5th birthday.

    ", + "

    If you\u2019re on the compulsory part of the Childcare Register, you can also join the voluntary part. You can only register childminders on the voluntary part of the register if you\u2019ve already registered them on the compulsory part.

    ", + "

    How long it takes

    ", + "

    Registration can take up to 16 weeks.

    ", + "

    Fees

    ", + "

    It costs \u00a3220 to register as a childminder agency.

    ", + "

    It\u2019s free to join the Childcare Register if you\u2019re already on or applying to the Early Years Register.

    ", + "

    How to apply

    ", + "
  • Read the childminder agency handbook.
  • ", + "
  • Apply for a Disclosure and Barring Service (DBS) check through the Ofsted portal.
  • ", + "
  • Join the DBS update service and agree to Ofsted checking your DBS certificate at least once every 6 months. You have 19 days to join the service after getting your certificate, otherwise you\u2019ll need to get a new certificate.
  • ", + "
  • Download, fill in and send the application form.
  • ", + "
  • Check whether you need to fill in and send a declaration and consent form.
  • ", + "
  • Prepare for your registration visit by an Ofsted inspector (see the childminder agency handbook for details on this).
  • ", + "

    Get help and advice

    ", + "

    Contact Ofsted if you have any questions about the application process.

    ", + "

    Change your details

    ", + "

    You must tell Ofsted if there are any changes to anyone named in your application.

    ", + "

    Download and fill in a notification form and send it to the address on the form.

    ", + "

    After you apply

    ", + "

    You\u2019ll be told at the end of your registration inspection visit if you can start working as an agency.

    ", + "

    You\u2019ll get a registration certificate in the post that you must display at all times in your work place.

    ", + "

    After you\u2019re registered you can be inspected again or get an \u2018investigation visit\u2019 if someone makes a complaint about you.

    ", + "

    You must tell Ofsted if there are any changes to anyone named in your application. Download and fill in a notification form and send it to the address on the form.

    ", + "

    If your application is refused

    ", + "

    Ofsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.

    ", + "

    You\u2019ll also be sent a leaflet on how to object and appeal.

    ", + "

    Withdraw your application

    ", + "

    You can withdraw your application up until you get a notice of intention to refuse your registration. Your fee won\u2019t be refunded.

    " + ] + }, + "https://www.gov.uk/agricultural-sick-pay": { + "url": "https://www.gov.uk/agricultural-sick-pay", + "title": "Agricultural Sick Pay", + "content": "## Overview\n\nAgricultural Sick Pay (ASP) means you\u2019re paid at least the Agricultural Minimum Wage when you\u2019re off work sick. It includes any Statutory Sick Pay you might be entitled to.\n\nYou only have the right to Agricultural Sick Pay if you were employed before the rules changed on 1 October 2013\u00a0and it says so in your contract.\n\nThere are different rules for Agricultural Sick Pay in Scotland.\n\n## What you'll get\n\n| Number of months continuous employment when you went off sick | Maximum weeks you can claim Agricultural Sick Pay (ASP) per year |\n\n| Up to 12 | 0 |\n\n| 12 to 23 | 13 |\n\n| 24 to 35 | 16 |\n\n| 36 to 47 | 19 |\n\n| 48 to 58 | 22 |\n\n| 59 or more | 26 |\n\n## Working out how much you\u2019ll get\n\nMultiply the \u2018maximum weeks you can claim ASP\u2019 in the table by the number of days you regularly work per week including any guaranteed overtime. This doesn\u2019t include overtime you regularly work that isn\u2019t guaranteed. This number tells you how many days you can claim over a 12 month period starting from the first day of sickness or injury that\u2019s eligible.\n\nThe period you can claim for starts on the first full working day you\u2019re unable to work and ends on the day before you return. This can be any day, including days you don\u2019t usually work.\n\nYou must be paid at least your basic pay for all normal working hours (including guaranteed overtime) for each day you\u2019re entitled to.\n\n## Away for longer than you\u2019re entitled to claim for\n\nIf you\u2019re away for longer than the number of weeks you\u2019re entitled to claim for, you might be able to get Employment and Support Allowance or other benefits.\n\n## When you\u2019ll be paid\n\nYou should be paid on your normal pay day. Your employer must pay your sick pay while you\u2019re off work and immediately after you come back. Each payment should be for at least the amount your employer knows you\u2019re entitled to (rather than guessing when you\u2019ll return).\n\n## Eligibility\n\nYou only have the right to Agricultural Sick Pay if you were employed before the rules changed on 1 October 2013\u00a0and it says so in your contract.\n\nYou must have been continuously employed by the same employer for at least 52 weeks before the first day of your absence.\n\n## When you become entitled to Agricultural Sick Pay (ASP)\n\nYou won\u2019t be paid for the first 3 days off sick unless you\u2019re away for longer than 14 working days in total.\n\n## Sickness that counts for ASP\n\n- your own illness, whatever caused it\n\n- your own illness or incapacity caused by pregnancy or maternity\n\n- injuries which happened at work\n\n- injuries which happened travelling to or from work\n\n- recovering from an operation caused by an illness or injury suffered at work or travelling to or from work\n\nIf you\u2019re sick because of another reason, you might be entitled to Statutory Sick Pay.\n\n## How to claim\n\nTell your employer about your sickness or injury and they\u2019ll sort out your Agricultural Sick Pay (ASP). If you\u2019re ill for longer than 8 days, you must give your employer a medical certificate (doctor\u2019s note).\n\n## Further information\n\nIf you need advice, contact the pay and work rights helpline.", + "original_contents": [ + "

    Overview

    ", + "

    Agricultural Sick Pay (ASP) means you\u2019re paid at least the Agricultural Minimum Wage when you\u2019re off work sick. It includes any Statutory Sick Pay you might be entitled to.

    ", + "

    You only have the right to Agricultural Sick Pay if you were employed before the rules changed on 1 October 2013\u00a0and it says so in your contract.

    ", + "

    There are different rules for Agricultural Sick Pay in Scotland.

    ", + "

    What you'll get

    ", + "Number of months continuous employment when you went off sick | Maximum weeks you can claim Agricultural Sick Pay (ASP) per year", + "Up to 12 | 0", + "12 to 23 | 13", + "24 to 35 | 16", + "36 to 47 | 19", + "48 to 58 | 22", + "59 or more | 26", + "

    Working out how much you\u2019ll get

    ", + "

    Multiply the \u2018maximum weeks you can claim ASP\u2019 in the table by the number of days you regularly work per week including any guaranteed overtime. This doesn\u2019t include overtime you regularly work that isn\u2019t guaranteed. This number tells you how many days you can claim over a 12 month period starting from the first day of sickness or injury that\u2019s eligible.

    ", + "

    The period you can claim for starts on the first full working day you\u2019re unable to work and ends on the day before you return. This can be any day, including days you don\u2019t usually work.

    ", + "

    You must be paid at least your basic pay for all normal working hours (including guaranteed overtime) for each day you\u2019re entitled to.

    ", + "

    Away for longer than you\u2019re entitled to claim for

    ", + "

    If you\u2019re away for longer than the number of weeks you\u2019re entitled to claim for, you might be able to get Employment and Support Allowance or other benefits.

    ", + "

    When you\u2019ll be paid

    ", + "

    You should be paid on your normal pay day. Your employer must pay your sick pay while you\u2019re off work and immediately after you come back. Each payment should be for at least the amount your employer knows you\u2019re entitled to (rather than guessing when you\u2019ll return).

    ", + "

    Eligibility

    ", + "

    You only have the right to Agricultural Sick Pay if you were employed before the rules changed on 1 October 2013\u00a0and it says so in your contract.

    ", + "

    You must have been continuously employed by the same employer for at least 52 weeks before the first day of your absence.

    ", + "

    When you become entitled to Agricultural Sick Pay (ASP)

    ", + "

    You won\u2019t be paid for the first 3 days off sick unless you\u2019re away for longer than 14 working days in total.

    ", + "

    Sickness that counts for ASP

    ", + "
  • your own illness, whatever caused it
  • ", + "
  • your own illness or incapacity caused by pregnancy or maternity
  • ", + "
  • injuries which happened at work
  • ", + "
  • injuries which happened travelling to or from work
  • ", + "
  • recovering from an operation caused by an illness or injury suffered at work or travelling to or from work
  • ", + "

    If you\u2019re sick because of another reason, you might be entitled to Statutory Sick Pay.

    ", + "

    How to claim

    ", + "

    Tell your employer about your sickness or injury and they\u2019ll sort out your Agricultural Sick Pay (ASP). If you\u2019re ill for longer than 8 days, you must give your employer a medical certificate (doctor\u2019s note).

    ", + "

    Further information

    ", + "

    If you need advice, contact the pay and work rights helpline.

    " + ] + }, + "https://www.gov.uk/agricultural-workers-rights": { + "url": "https://www.gov.uk/agricultural-workers-rights", + "title": "Agricultural workers' rights", + "content": "## Overview\n\nAgricultural workers in Wales, and those employed in England before 1 October 2013, are normally entitled to:\n\n- minimum rates of pay which may be higher than the National Minimum Wage\n\n- paid holiday\n\n- Agricultural Sick Pay\n\n- pay even if bad weather stops work\n\n- night work pay\n\n- on-call allowance\n\n- 30-minute rest breaks, if they are 18 or over and work more than 5.5 hours a day\n\nThere are different employment rights for agricultural workers employed in England from 1 October 2013.\n\nThere are also different rules for agricultural workers\u2019 rights in Scotland and Northern Ireland.\n\n## Terms and conditions\n\n## England\n\nAgricultural workers in England employed before 1 October 2013 still have the terms and conditions set out in the Agricultural Wages (England and Wales) Order 2012.\n\n## Wales\n\nBefore starting work, employers must give agricultural workers in Wales an Agricultural Wage Order. This sets out many of the terms and conditions of employment. But, employers must still give agricultural workers a written statement of employment particulars.\n\nThis sets out many of the terms and conditions of employment. However, agricultural workers must still be given a written statement of employment particulars by their employer.\n\n## Trainees\n\nTrainees have different rights, for example they do not get paid holidays.\n\n## Help and advice\n\nIf you were employed in England before 1 October 2013, you can contact the Acas helpline or use the Acas Helpline Online to get further advice.\n\nYou can also make a complaint to the Rural Payments agency.\n\nFor queries about wages and rights in Wales after 1 October 2013 contact the Agriculture: Sustainable Development Division.\n\n## What counts as an agricultural worker\n\nAn agricultural worker is someone who works in:\n\n- farming and rearing animals\n\n- growing produce including non-edible crops like bulbs, plants and flowers\n\n- forestry, market gardens and nurseries\n\n- maintaining meadow or pasture land, woodlands and reed beds\n\nThis list does not include everything. If you\u2019re not sure if a job counts as work in agriculture, call the Acas helpline.\n\n## Pay and overtime\n\nAgricultural workers in England must be paid at least the National Minimum Wage. Workers employed before the rules changed on 1 October 2013 still have the right to the Agricultural Minimum Wage if it says so in their contract.\n\nAgricultural workers in Wales must be paid at least the Agricultural Minimum Wage, or the National Minimum Wage if that\u2019s higher. The Agricultural Minimum Wage depends on the worker\u2019s job grade and category.\n\n## Agricultural Minimum Wage\n\n## Grades 1 to 6\n\nIf a worker\u2019s contract says they should work 39 hours a week (not including overtime) they must be paid the weekly rate, otherwise they must be paid the hourly rate.\n\n| | Weekly pay | Hourly pay | Hourly overtime |\n\n| Grade 1 (compulsory school age) | n/a | \u00a33.11 | \u00a34.67 |\n\n| Grade 1 (above compulsory school age) | \u00a3242.19 | \u00a36.21 | \u00a39.32 |\n\n| Grade 2 | \u00a3271.44 | \u00a36.96 | \u00a310.44 |\n\n| Grade 3 | \u00a3298.74 | \u00a37.66 | \u00a311.49 |\n\n| Grade 4 | \u00a3320.19 | \u00a38.21 | \u00a312.32 |\n\n| Grade 5 | \u00a3339.30 | \u00a38.70 | \u00a313.05 |\n\n| Grade 6 | \u00a3366.60 | \u00a39.40 | \u00a314.10 |\n\n## Full-time and part-time flexible workers\n\nFlexible workers must be paid at least the weekly rate if they are full-time, or at least the hourly rate if they are part-time.\n\n| | Hourly pay | Weekly pay | Hourly overtime |\n\n| Grade 1 - 6 days per week | \u00a36.64 | \u00a3258.96 | \u00a39.32 |\n\n| Grade 1 - 4-5 days per week | \u00a36.52 | \u00a3254.28 | \u00a39.32 |\n\n| Grade 2 - 6 days per week | \u00a37.45 | \u00a3290.55 | \u00a310.44 |\n\n| Grade 2 - 4-5 days per week | \u00a37.31 | \u00a3285.09 | \u00a310.44 |\n\n| Grade 3 - 6 days per week | \u00a38.20 | \u00a3319.80 | \u00a311.49 |\n\n| Grade 3 - 4-5 days per week | \u00a38.04 | \u00a3313.56 | \u00a311.49 |\n\n| Grade 4 - 6 days per week | \u00a38.78 | \u00a3342.42 | \u00a312.32 |\n\n| Grade 4 - 4-5 days per week | \u00a38.62 | \u00a3336.18 | \u00a312.32 |\n\n| Grade 5 - 6 days per week | \u00a39.31 | \u00a3363.09 | \u00a313.05 |\n\n| Grade 5 - 4-5 days per week | \u00a39.14 | \u00a3356.46 | \u00a313.05 |\n\n| Grade 6 - 6 days per week | \u00a310.06 | \u00a3392.34 | \u00a314.10 |\n\n| Grade 6 - 4-5 days per week | \u00a39.87 | \u00a3384.93 | \u00a314.10 |\n\n## Apprentices\n\nFor years 3 and above, apprentices must receive at least the rate for Grade 2 workers.\n\n| | Weekly pay | Hourly pay | Hourly overtime |\n\n| Year 1 - any age | \u00a3139.23 | \u00a33.57 | \u00a35.36 |\n\n| Year 2 - age 16 to 17 | \u00a3145.08 | \u00a33.72 | \u00a35.52 |\n\n| Year 2 - age 18 to 20 | \u00a3196.17 | \u00a35.03 | \u00a37.47 |\n\n| Year 2 - age 21 and over | \u00a3246.09 | \u00a36.31 | \u00a39.29 |\n\n## Trainees\n\nA trainee does not have to be paid for:\n\n- the hours they\u2019re being trained\n\n- holidays\n\nThey should be paid for any work done as part of a separate contract.\n\n## Training courses\n\nIf an employed worker is on a training course, they should be paid at least their normal wage - including for the time spent travelling to and from the training.\n\n## Overtime\n\nOvertime must be paid if a person works:\n\n- more than 39 basic hours in a week\n\n- more than 8 hours in a day\n\n- any hours over the normal working hours in the employment contract\n\n- on a public or bank holiday\n\n- on a Sunday - if the contract started before 1 October 2006\n\n## Piece work\n\nEven if they are paid for completing a task, for example for each box of fruit packed, a worker must be paid the Agricultural Minimum Wage according to the hours they work.\n\n## Night work\n\nA worker who works at any time between 7pm and 6am must be paid \u00a31.36 per hour more than their basic pay rate.\n\n## Dog allowance\n\nIf a worker keeps a dog for their job, they must get \u00a37.63 a week for each dog.\n\n## Tied accommodation\n\nIf a worker gets a house or \u2018self-contained accommodation\u2019 as part of their job they can be paid \u00a31.50 less than their normal weekly pay. They may automatically get an agricultural tenancy.\n\nIf the accommodation is not a house - for example, a caravan - they can be paid \u00a34.82 less each day they stay there.\n\nAccommodation must be safe, warm, secure - and have toilet and washing facilities and fresh drinking water.\n\n## On-call allowance\n\nThe on-call allowance for a worker is 2 hours\u2019 overtime pay for their grade, and is paid if they are not at work but have an arrangement with their employer:\n\n- to be contactable by an agreed method\n\n- to be able to reach their workplace within an agreed time\n\nIf they are called into work, they must be paid overtime for the hours they work, or for 2 hours - whichever is the higher.\n\n## Sick pay\n\nAgricultural workers are entitled to sick pay, meaning they\u2019ll get at least the Agricultural Minimum Wage when they\u2019re off.\n\n## Grades and categories\n\nThe minimum wage and other rights and entitlements for agricultural workers depends on their grade and category.\n\n## Grades\n\nAn agricultural worker\u2019s grade is based on their skills and responsibilities.\n\n## Grade 1 - initial grade\n\nA grade 1 worker is usually supervised and works on simple tasks like harvesting or packing.\n\nThey have the right to be trained to become a grade 2 worker once they\u2019ve worked for the same employer continuously for 30 weeks.\n\n## Grade 2 - standard worker\n\nSomeone is a grade 2 worker if they have one of the following:\n\n- a vocational qualification of at least NVQ at level 2\n\n- a certificate of competence for the agricultural sector they work in\n\nSomeone is also a grade 2 worker if they:\n\n- work mainly unsupervised\n\n- work with animals\n\n- use powered machinery\n\n- drive a tractor\n\n## Grade 3 - lead worker\n\nIf someone has worked in agriculture for at least 2 of the past 5 years, they\u2019re a grade 3 worker if they have either:\n\n- a National Certificate in agriculture or horticulture\n\n- 4 certificates of competence or non-accredited competencies, for the agricultural sector they work in\n\nSomeone is also a grade 3 worker if\n\n- they manage a team - but not discipline team members\n\n- their employer views them as a grade 3 team leader and they\u2019ve completed a one month (maximum) trial period\n\n## Grade 4 - craft grade\n\nSomeone is a grade 4 worker if they have:\n\n- an NVQ level 3 vocational qualification\n\n- 8 certificates of competence for the agricultural sector they work in\n\nThey should also have:\n\n- worked for the same employer continuously for 12 months since getting this qualification\n\n- worked in agriculture for at least 2 of the past 5 years\n\nThere are other qualifications for grade 4 - you can get more help and advice.\n\n## Grade 5 - supervisory grade\n\nA grade 5 worker is responsible for either:\n\n- supervising work on a farm on a daily basis\n\n- instructing, supervising and disciplining staff\n\n## Grade 6 - farm management grade\n\nA grade 6 worker has either:\n\n- management responsibility for a farm - or part of a farm if it\u2019s run as a separate business\n\n- responsibility for employing, disciplining and dismissing staff\n\n## Categories\n\nAn agricultural worker\u2019s category depends on their duties, responsibilities and/or qualifications.\n\n## Flexible workers\n\nFlexible workers must have a written \u2018flexible working agreement\u2019.\n\nA full-time flexible worker works:\n\n- a 39 basic hour week - the hours can vary over different days\n\n- set working hours and working days, which cannot be changed unless agreed with the employer\n\n- on a Sunday when needed\n\nA part-time flexible worker works:\n\n- less than 39 basic hours a week - the hours can vary over different days\n\n- set working hours and working days, which cannot be changed unless agreed with the employer\n\n## Trainee\n\nA trainee is someone who is:\n\n- on work experience as part of a Business, Innovation and Skills-approved training scheme\n\n- on work experience in agriculture as part of the Diploma in Environmental and Land-Based Studies for 14 to 19-year-olds\n\n- taking part in the second phase of the European Leonardo da Vinci Programme\n\n## Apprentice\n\nRights for apprentices are different.\n\n## Agricultural tenancies\n\nIf an agricultural worker gets a self-contained home as part of their job they may automatically have an \u2018assured agricultural occupancy\u2019. This will not happen if they had a written notice at the start of the tenancy saying that it was an assured shorthold tenancy instead.\n\n## How it starts\n\nAn assured agricultural occupancy starts when the worker has been employed in agriculture (by any employer) for 91 weeks of the last 104, including paid holiday and sick leave, and:\n\n- the tenant works 35 hours or more a week\n\n- the accommodation is owned by the farmer, or arranged by them\n\n## Who can get one\n\nThe tenant must be a serving farm worker or a:\n\n- farm manager or family worker\n\n- retired farm worker\n\n- farm worker forced to give up work\n\n- former farm worker who has taken other employment\n\n- deceased farm worker\u2019s widow, widower or family member of a worker and were living with the worker when they died\n\nThey have to have been working for the farmer who provides or arranges the accommodation.\n\nYou can get more detailed information on who can get an assured agricultural occupancy in \u2018agricultural lettings\u2019.\n\n## Rent increases\n\nThe rent can go up at any time if the worker agrees - if they do not, then it can only go up yearly, unless a different interval is stated in the tenancy agreement. The farmer must tell the worker in writing before putting the rent up.\n\n## The employment ends\n\nIf the worker loses their job or retires, they can stay in the accommodation. The farmer can ask them to start paying rent - or a higher rent than before. If the farmer and worker cannot agree on a rent, they can go to a rent assessment committee.\n\nIf the farmer wants the property back, they can apply to the courts, although they may have to provide the tenant with suitable alternative accommodation. If nothing suitable is available, the tenant may be entitled to re-housing by the council.\n\n## The farmer wants to end the tenancy\n\nThe farmer may want the property back for a new worker, or to end the tenancy because the worker is:\n\n- not paying the rent\n\n- breaking terms of the tenancy agreement\n\n- damaging the property or its contents\n\n- being a nuisance to neighbours\n\nIf the worker does not leave willingly, the farmer will have to go to court, and the court will decide whether the worker has to go. If the worker is still a serving farm worker, the farmer may have to provide alternative accommodation.\n\n## If a tenant dies\n\nThe tenancy will automatically pass to their husband or wife. If they did not have a husband or wife, it can pass to another family member if they lived there for the 2 years before the worker\u2019s death.\n\n## Gangmasters\n\nAn individual or business that provides workers for agricultural work is called a \u2018gangmaster\u2019.\n\nGangmasters must be licensed if they provide workers for:\n\n- agriculture\n\n- horticulture\n\n- dairy farming\n\n- food and drink processing or packaging\n\n- forestry\n\n- gathering shellfish (anybody who uses supplied workers to gather shellfish also needs to be licensed)\n\nThere are some jobs in these industries that do not need a gangmaster licence.\n\nYou can check if a gangmaster is licensed.\n\n## Changes to employment terms and conditions\n\nFrom 1 October 2013, the terms and conditions changed for agricultural and horticultural workers in England who begin new jobs. This includes workers supplied by a gangmaster.\n\n## Employment started on or after 1 October 2013\n\nWorkers must receive at least:\n\n- the National Minimum Wage\n\n- other statutory minimum terms of employment\n\n## Employment started before 1 October 2013\n\nWorkers, including those supplied by a gangmaster, are still entitled to the terms and conditions of their contract.\n\nFor example, this might mean workers are entitled to overtime rates, agricultural sick pay and dog allowance. Where accommodation is provided in a contract, workers can continue living in that accommodation.\n\nThese entitlements and any other terms and conditions already agreed will continue to apply unless the contract is changed by mutual agreement or it finishes.\n\nWorkers must always be paid at least the appropriate National Minimum Wage. A worker\u2019s rate must be raised if it ever falls below the minimum.\n\n## Enforcement of workers\u2019 rights\n\nWorkers should contact the Acas helpline if they\u2019re concerned that they\u2019re not working under the right terms and conditions.\n\n## Wales\n\nThere is no change in terms and conditions for workers in Wales after 1 October 2013.\n\nWorkers should contact the Agriculture: Sustainable Development Division if they\u2019re concerned they\u2019re not working under the correct terms and conditions.", + "original_contents": [ + "

    Overview

    ", + "

    Agricultural workers in Wales, and those employed in England before 1 October 2013, are normally entitled to:

    ", + "
  • minimum rates of pay which may be higher than the National Minimum Wage
  • ", + "
  • paid holiday
  • ", + "
  • Agricultural Sick Pay
  • ", + "
  • pay even if bad weather stops work
  • ", + "
  • night work pay
  • ", + "
  • on-call allowance
  • ", + "
  • 30-minute rest breaks, if they are 18 or over and work more than 5.5 hours a day
  • ", + "

    There are different employment rights for agricultural workers employed in England from 1 October 2013.

    ", + "

    There are also different rules for agricultural workers\u2019 rights in Scotland and Northern Ireland.

    ", + "

    Terms and conditions

    ", + "

    England

    ", + "

    Agricultural workers in England employed before 1 October 2013 still have the terms and conditions set out in the Agricultural Wages (England and Wales) Order 2012.

    ", + "

    Wales

    ", + "

    Before starting work, employers must give agricultural workers in Wales an Agricultural Wage Order. This sets out many of the terms and conditions of employment. But, employers must still give agricultural workers a written statement of employment particulars.

    ", + "

    This sets out many of the terms and conditions of employment. However, agricultural workers must still be given a written statement of employment particulars by their employer.

    ", + "

    Trainees

    ", + "

    Trainees have different rights, for example they do not get paid holidays.

    ", + "

    Help and advice

    ", + "

    If you were employed in England before 1 October 2013, you can contact the Acas helpline or use the Acas Helpline Online to get further advice.

    ", + "

    You can also make a complaint to the Rural Payments agency.

    ", + "

    For queries about wages and rights in Wales after 1 October 2013 contact the Agriculture: Sustainable Development Division.

    ", + "

    What counts as an agricultural worker

    ", + "

    An agricultural worker is someone who works in:

    ", + "
  • farming and rearing animals
  • ", + "
  • growing produce including non-edible crops like bulbs, plants and flowers
  • ", + "
  • forestry, market gardens and nurseries
  • ", + "
  • maintaining meadow or pasture land, woodlands and reed beds
  • ", + "

    This list does not include everything. If you\u2019re not sure if a job counts as work in agriculture, call the Acas helpline.

    ", + "

    Pay and overtime

    ", + "

    Agricultural workers in England must be paid at least the National Minimum Wage. Workers employed before the rules changed on 1 October 2013 still have the right to the Agricultural Minimum Wage if it says so in their contract.

    ", + "

    Agricultural workers in Wales must be paid at least the Agricultural Minimum Wage, or the National Minimum Wage if that\u2019s higher. The Agricultural Minimum Wage depends on the worker\u2019s job grade and category.

    ", + "

    Agricultural Minimum Wage

    ", + "

    Grades 1 to 6

    ", + "

    If a worker\u2019s contract says they should work 39 hours a week (not including overtime) they must be paid the weekly rate, otherwise they must be paid the hourly rate.

    ", + " | Weekly pay | Hourly pay | Hourly overtime", + "Grade 1 (compulsory school age) | n/a | \u00a33.11 | \u00a34.67", + "Grade 1 (above compulsory school age) | \u00a3242.19 | \u00a36.21 | \u00a39.32", + "Grade 2 | \u00a3271.44 | \u00a36.96 | \u00a310.44", + "Grade 3 | \u00a3298.74 | \u00a37.66 | \u00a311.49", + "Grade 4 | \u00a3320.19 | \u00a38.21 | \u00a312.32", + "Grade 5 | \u00a3339.30 | \u00a38.70 | \u00a313.05", + "Grade 6 | \u00a3366.60 | \u00a39.40 | \u00a314.10", + "

    Full-time and part-time flexible workers

    ", + "

    Flexible workers must be paid at least the weekly rate if they are full-time, or at least the hourly rate if they are part-time.

    ", + " | Hourly pay | Weekly pay | Hourly overtime", + "Grade 1 - 6 days per week | \u00a36.64 | \u00a3258.96 | \u00a39.32", + "Grade 1 - 4-5 days per week | \u00a36.52 | \u00a3254.28 | \u00a39.32", + "Grade 2 - 6 days per week | \u00a37.45 | \u00a3290.55 | \u00a310.44", + "Grade 2 - 4-5 days per week | \u00a37.31 | \u00a3285.09 | \u00a310.44", + "Grade 3 - 6 days per week | \u00a38.20 | \u00a3319.80 | \u00a311.49", + "Grade 3 - 4-5 days per week | \u00a38.04 | \u00a3313.56 | \u00a311.49", + "Grade 4 - 6 days per week | \u00a38.78 | \u00a3342.42 | \u00a312.32", + "Grade 4 - 4-5 days per week | \u00a38.62 | \u00a3336.18 | \u00a312.32", + "Grade 5 - 6 days per week | \u00a39.31 | \u00a3363.09 | \u00a313.05", + "Grade 5 - 4-5 days per week | \u00a39.14 | \u00a3356.46 | \u00a313.05", + "Grade 6 - 6 days per week | \u00a310.06 | \u00a3392.34 | \u00a314.10", + "Grade 6 - 4-5 days per week | \u00a39.87 | \u00a3384.93 | \u00a314.10", + "

    Apprentices

    ", + "

    For years 3 and above, apprentices must receive at least the rate for Grade 2 workers.

    ", + " | Weekly pay | Hourly pay | Hourly overtime", + "Year 1 - any age | \u00a3139.23 | \u00a33.57 | \u00a35.36", + "Year 2 - age 16 to 17 | \u00a3145.08 | \u00a33.72 | \u00a35.52", + "Year 2 - age 18 to 20 | \u00a3196.17 | \u00a35.03 | \u00a37.47", + "Year 2 - age 21 and over | \u00a3246.09 | \u00a36.31 | \u00a39.29", + "

    Trainees

    ", + "

    A trainee does not have to be paid for:

    ", + "
  • the hours they\u2019re being trained
  • ", + "
  • holidays
  • ", + "

    They should be paid for any work done as part of a separate contract.

    ", + "

    Training courses

    ", + "

    If an employed worker is on a training course, they should be paid at least their normal wage - including for the time spent travelling to and from the training.

    ", + "

    Overtime

    ", + "

    Overtime must be paid if a person works:

    ", + "
  • more than 39 basic hours in a week
  • ", + "
  • more than 8 hours in a day
  • ", + "
  • any hours over the normal working hours in the employment contract
  • ", + "
  • on a public or bank holiday
  • ", + "
  • on a Sunday - if the contract started before 1 October 2006
  • ", + "

    Piece work

    ", + "

    Even if they are paid for completing a task, for example for each box of fruit packed, a worker must be paid the Agricultural Minimum Wage according to the hours they work.

    ", + "

    Night work

    ", + "

    A worker who works at any time between 7pm and 6am must be paid \u00a31.36 per hour more than their basic pay rate.

    ", + "

    Dog allowance

    ", + "

    If a worker keeps a dog for their job, they must get \u00a37.63 a week for each dog.

    ", + "

    Tied accommodation

    ", + "

    If a worker gets a house or \u2018self-contained accommodation\u2019 as part of their job they can be paid \u00a31.50 less than their normal weekly pay. They may automatically get an agricultural tenancy.

    ", + "

    If the accommodation is not a house - for example, a caravan - they can be paid \u00a34.82 less each day they stay there.

    ", + "

    Accommodation must be safe, warm, secure - and have toilet and washing facilities and fresh drinking water.

    ", + "

    On-call allowance

    ", + "

    The on-call allowance for a worker is 2 hours\u2019 overtime pay for their grade, and is paid if they are not at work but have an arrangement with their employer:

    ", + "
  • to be contactable by an agreed method
  • ", + "
  • to be able to reach their workplace within an agreed time
  • ", + "

    If they are called into work, they must be paid overtime for the hours they work, or for 2 hours - whichever is the higher.

    ", + "

    Sick pay

    ", + "

    Agricultural workers are entitled to sick pay, meaning they\u2019ll get at least the Agricultural Minimum Wage when they\u2019re off.

    ", + "

    Grades and categories

    ", + "

    The minimum wage and other rights and entitlements for agricultural workers depends on their grade and category.

    ", + "

    Grades

    ", + "

    An agricultural worker\u2019s grade is based on their skills and responsibilities.

    ", + "

    Grade 1 - initial grade

    ", + "

    A grade 1 worker is usually supervised and works on simple tasks like harvesting or packing.

    ", + "

    They have the right to be trained to become a grade 2 worker once they\u2019ve worked for the same employer continuously for 30 weeks.

    ", + "

    Grade 2 - standard worker

    ", + "

    Someone is a grade 2 worker if they have one of the following:

    ", + "
  • a vocational qualification of at least NVQ at level 2
  • ", + "
  • a certificate of competence for the agricultural sector they work in
  • ", + "

    Someone is also a grade 2 worker if they:

    ", + "
  • work mainly unsupervised
  • ", + "
  • work with animals
  • ", + "
  • use powered machinery
  • ", + "
  • drive a tractor
  • ", + "

    Grade 3 - lead worker

    ", + "

    If someone has worked in agriculture for at least 2 of the past 5 years, they\u2019re a grade 3 worker if they have either:

    ", + "
  • a National Certificate in agriculture or horticulture
  • ", + "
  • 4 certificates of competence or non-accredited competencies, for the agricultural sector they work in
  • ", + "

    Someone is also a grade 3 worker if

    ", + "
  • they manage a team - but not discipline team members
  • ", + "
  • their employer views them as a grade 3 team leader and they\u2019ve completed a one month (maximum) trial period
  • ", + "

    Grade 4 - craft grade

    ", + "

    Someone is a grade 4 worker if they have:

    ", + "
  • an NVQ level 3 vocational qualification
  • ", + "
  • 8 certificates of competence for the agricultural sector they work in
  • ", + "

    They should also have:

    ", + "
  • worked for the same employer continuously for 12 months since getting this qualification
  • ", + "
  • worked in agriculture for at least 2 of the past 5 years
  • ", + "

    There are other qualifications for grade 4 - you can get more help and advice.

    ", + "

    Grade 5 - supervisory grade

    ", + "

    A grade 5 worker is responsible for either:

    ", + "
  • supervising work on a farm on a daily basis
  • ", + "
  • instructing, supervising and disciplining staff
  • ", + "

    Grade 6 - farm management grade

    ", + "

    A grade 6 worker has either:

    ", + "
  • management responsibility for a farm - or part of a farm if it\u2019s run as a separate business
  • ", + "
  • responsibility for employing, disciplining and dismissing staff
  • ", + "

    Categories

    ", + "

    An agricultural worker\u2019s category depends on their duties, responsibilities and/or qualifications.

    ", + "

    Flexible workers

    ", + "

    Flexible workers must have a written \u2018flexible working agreement\u2019.

    ", + "

    A full-time flexible worker works:

    ", + "
  • a 39 basic hour week - the hours can vary over different days
  • ", + "
  • set working hours and working days, which cannot be changed unless agreed with the employer
  • ", + "
  • on a Sunday when needed
  • ", + "

    A part-time flexible worker works:

    ", + "
  • less than 39 basic hours a week - the hours can vary over different days
  • ", + "
  • set working hours and working days, which cannot be changed unless agreed with the employer
  • ", + "

    Trainee

    ", + "

    A trainee is someone who is:

    ", + "
  • on work experience as part of a Business, Innovation and Skills-approved training scheme
  • ", + "
  • on work experience in agriculture as part of the Diploma in Environmental and Land-Based Studies for 14 to 19-year-olds
  • ", + "
  • taking part in the second phase of the European Leonardo da Vinci Programme
  • ", + "

    Apprentice

    ", + "

    Rights for apprentices are different.

    ", + "

    Agricultural tenancies

    ", + "

    If an agricultural worker gets a self-contained home as part of their job they may automatically have an \u2018assured agricultural occupancy\u2019. This will not happen if they had a written notice at the start of the tenancy saying that it was an assured shorthold tenancy instead.

    ", + "

    How it starts

    ", + "

    An assured agricultural occupancy starts when the worker has been employed in agriculture (by any employer) for 91 weeks of the last 104, including paid holiday and sick leave, and:

    ", + "
  • the tenant works 35 hours or more a week
  • ", + "
  • the accommodation is owned by the farmer, or arranged by them
  • ", + "

    Who can get one

    ", + "

    The tenant must be a serving farm worker or a:

    ", + "
  • farm manager or family worker
  • ", + "
  • retired farm worker
  • ", + "
  • farm worker forced to give up work
  • ", + "
  • former farm worker who has taken other employment
  • ", + "
  • deceased farm worker\u2019s widow, widower or family member of a worker and were living with the worker when they died
  • ", + "

    They have to have been working for the farmer who provides or arranges the accommodation.

    ", + "

    You can get more detailed information on who can get an assured agricultural occupancy in \u2018agricultural lettings\u2019.

    ", + "

    Rent increases

    ", + "

    The rent can go up at any time if the worker agrees - if they do not, then it can only go up yearly, unless a different interval is stated in the tenancy agreement. The farmer must tell the worker in writing before putting the rent up.

    ", + "

    The employment ends

    ", + "

    If the worker loses their job or retires, they can stay in the accommodation. The farmer can ask them to start paying rent - or a higher rent than before. If the farmer and worker cannot agree on a rent, they can go to a rent assessment committee.

    ", + "

    If the farmer wants the property back, they can apply to the courts, although they may have to provide the tenant with suitable alternative accommodation. If nothing suitable is available, the tenant may be entitled to re-housing by the council.

    ", + "

    The farmer wants to end the tenancy

    ", + "

    The farmer may want the property back for a new worker, or to end the tenancy because the worker is:

    ", + "
  • not paying the rent
  • ", + "
  • breaking terms of the tenancy agreement
  • ", + "
  • damaging the property or its contents
  • ", + "
  • being a nuisance to neighbours
  • ", + "

    If the worker does not leave willingly, the farmer will have to go to court, and the court will decide whether the worker has to go. If the worker is still a serving farm worker, the farmer may have to provide alternative accommodation.

    ", + "

    If a tenant dies

    ", + "

    The tenancy will automatically pass to their husband or wife. If they did not have a husband or wife, it can pass to another family member if they lived there for the 2 years before the worker\u2019s death.

    ", + "

    Gangmasters

    ", + "

    An individual or business that provides workers for agricultural work is called a \u2018gangmaster\u2019.

    ", + "

    Gangmasters must be licensed if they provide workers for:

    ", + "
  • agriculture
  • ", + "
  • horticulture
  • ", + "
  • dairy farming
  • ", + "
  • food and drink processing or packaging
  • ", + "
  • forestry
  • ", + "
  • gathering shellfish (anybody who uses supplied workers to gather shellfish also needs to be licensed)
  • ", + "

    There are some jobs in these industries that do not need a gangmaster licence.

    ", + "

    You can check if a gangmaster is licensed.

    ", + "

    Changes to employment terms and conditions

    ", + "

    From 1 October 2013, the terms and conditions changed for agricultural and horticultural workers in England who begin new jobs. This includes workers supplied by a gangmaster.

    ", + "

    Employment started on or after 1 October 2013

    ", + "

    Workers must receive at least:

    ", + "
  • the National Minimum Wage
  • ", + "
  • other statutory minimum terms of employment
  • ", + "

    Employment started before 1 October 2013

    ", + "

    Workers, including those supplied by a gangmaster, are still entitled to the terms and conditions of their contract.

    ", + "

    For example, this might mean workers are entitled to overtime rates, agricultural sick pay and dog allowance. Where accommodation is provided in a contract, workers can continue living in that accommodation.

    ", + "

    These entitlements and any other terms and conditions already agreed will continue to apply unless the contract is changed by mutual agreement or it finishes.

    ", + "

    Workers must always be paid at least the appropriate National Minimum Wage. A worker\u2019s rate must be raised if it ever falls below the minimum.

    ", + "

    Enforcement of workers\u2019 rights

    ", + "

    Workers should contact the Acas helpline if they\u2019re concerned that they\u2019re not working under the right terms and conditions.

    ", + "

    Wales

    ", + "

    There is no change in terms and conditions for workers in Wales after 1 October 2013.

    ", + "

    Workers should contact the Agriculture: Sustainable Development Division if they\u2019re concerned they\u2019re not working under the correct terms and conditions.

    " + ] + }, + "https://www.gov.uk/farm-and-livery-horses": { + "url": "https://www.gov.uk/farm-and-livery-horses", + "title": "Farm and livery horses", + "content": "## Looking after horses\n\nA horse is considered to be an agricultural animal if it is used to farm agricultural land or is farmed for meat or hides.\n\nHorses on farms or in stables and livery yards are protected by the Animal Welfare Act. If you own or are responsible for a horse, you have a duty to look after its basic welfare by:\n\n- providing it with a suitable place to live\n\n- giving it a suitable diet\n\n- protecting it from pain, injury, suffering and disease\n\n- making sure it can behave normally and naturally\n\nYou can get an unlimited fine or be sent to prison for up to 6 months if you are cruel to an animal or do not care for it properly. You may also be banned from owning animals in future.\n\nThe standards for looking after horses on farms or in livery yards are set out in the Department for Environment Food and Rural Affairs (Defra) \u2018Code of Practice for the Welfare of Horses, Ponies, Donkeys and their Hybrids\u2019.\n\nFailing to follow the Code of Practice could be used against you if you are prosecuted under the Animal Welfare Act.\n\n## Stables and livery yards\n\nAt a livery yard, horses are housed and cared for in return for payment but do not belong to the owner of the yard.\n\nHealth and safety standards for livery yards are set out by the Chartered Institute for Environmental Health (CIEH).\n\n## Planning permission for stables and livery yards\n\nStables and livery yards require planning permission:\n\n- in England and Wales\n\n- in Scotland\n\nYou can make a planning application online.\n\n## Dealing with waste\n\n## Horse manure\n\nHorse manure is not considered waste if all of the following apply:\n\n- it is used as soil fertiliser\n\n- it is used lawfully for spreading on clearly identified pieces of agricultural land\n\n- it is only stored to be used for spreading on agricultural land\n\nIf you store or spread horse waste near to water, it can be a health hazard and could harm the environment. You will need to follow rules on Nitrate Vulnerable Zones and follow rules on the pollution of groundwater.\n\n## Getting rid of solid waste\n\nSolid waste includes things like:\n\n- contaminated bedding\n\n- food containers\n\n- horse manure (if not used as soil fertiliser)\n\n- empty pesticide and other chemical containers\n\n- plastics such as silage wrap, bags and sheets\n\n- tyres, batteries, clinical waste, old machinery and oil\n\nYou must use a licensed facility to get rid of solid waste - it\u2019s against the law to dump or burn it.\n\nContact the Environment Agency or your local authority for information on how to get rid of solid waste.\n\nSome biodegradable waste can be composted. Composting plants must be registered with the Environment Agency. You may need an environmental permit for on-site composting of some materials.\n\n## Transporting horses\n\nYou should not transport a horse in a way that may cause it harm or distress. There are welfare regulations for transporting live animals, including for commercial reasons.\n\nHorses, ponies and donkeys must have a horse passport with them whenever they are transported.\n\nThere are other rules you must follow if you\u2019re importing or exporting an animal, even if you\u2019re only transporting them overseas temporarily.\n\n## Death and disease\n\nIf you think that a horse has a notifiable disease then you must immediately contact your local Animal Health Office.\n\n## Fallen stock\n\nIf a horse dies or has to be put down on your premises, you will have to arrange its disposal as fallen stock under animal by-products (ABPs) controls.\n\nThis includes:\n\n- entire animal bodies\n\n- parts of animals\n\n- products of animal origin\n\n- other products obtained from animals that are not for human consumption.\n\nYou must deal with ABPs promptly to protect people, animals and the environment. In most cases, this will mean arranging for them to be taken away to approved premises, like:\n\n- rendering plants\n\n- incinerators\n\n- collection centres\n\n- storage plants\n\nYour local council can provide a list of approved premises for the disposal of ABPs.\n\nThe National Fallen Stock Scheme is a not-for-profit scheme which helps farmers and animal owners to follow the law on disposing of fallen stock.", + "original_contents": [ + "

    Looking after horses

    ", + "

    A horse is considered to be an agricultural animal if it is used to farm agricultural land or is farmed for meat or hides.

    ", + "

    Horses on farms or in stables and livery yards are protected by the Animal Welfare Act. If you own or are responsible for a horse, you have a duty to look after its basic welfare by:

    ", + "
  • providing it with a suitable place to live
  • ", + "
  • giving it a suitable diet
  • ", + "
  • protecting it from pain, injury, suffering and disease
  • ", + "
  • making sure it can behave normally and naturally
  • ", + "

    You can get an unlimited fine or be sent to prison for up to 6 months if you are cruel to an animal or do not care for it properly. You may also be banned from owning animals in future.

    ", + "

    The standards for looking after horses on farms or in livery yards are set out in the Department for Environment Food and Rural Affairs (Defra) \u2018Code of Practice for the Welfare of Horses, Ponies, Donkeys and their Hybrids\u2019.

    ", + "

    Failing to follow the Code of Practice could be used against you if you are prosecuted under the Animal Welfare Act.

    ", + "

    Stables and livery yards

    ", + "

    At a livery yard, horses are housed and cared for in return for payment but do not belong to the owner of the yard.

    ", + "

    Health and safety standards for livery yards are set out by the Chartered Institute for Environmental Health (CIEH).

    ", + "

    Planning permission for stables and livery yards

    ", + "

    Stables and livery yards require planning permission:

    ", + "
  • in England and Wales
  • ", + "
  • in Scotland
  • ", + "

    You can make a planning application online.

    ", + "

    Dealing with waste

    ", + "

    Horse manure

    ", + "

    Horse manure is not considered waste if all of the following apply:

    ", + "
  • it is used as soil fertiliser
  • ", + "
  • it is used lawfully for spreading on clearly identified pieces of agricultural land
  • ", + "
  • it is only stored to be used for spreading on agricultural land
  • ", + "

    If you store or spread horse waste near to water, it can be a health hazard and could harm the environment. You will need to follow rules on Nitrate Vulnerable Zones and follow rules on the pollution of groundwater.

    ", + "

    Getting rid of solid waste

    ", + "

    Solid waste includes things like:

    ", + "
  • contaminated bedding
  • ", + "
  • food containers
  • ", + "
  • horse manure (if not used as soil fertiliser)
  • ", + "
  • empty pesticide and other chemical containers
  • ", + "
  • plastics such as silage wrap, bags and sheets
  • ", + "
  • tyres, batteries, clinical waste, old machinery and oil
  • ", + "

    You must use a licensed facility to get rid of solid waste - it\u2019s against the law to dump or burn it.

    ", + "

    Contact the Environment Agency or your local authority for information on how to get rid of solid waste.

    ", + "

    Some biodegradable waste can be composted. Composting plants must be registered with the Environment Agency. You may need an environmental permit for on-site composting of some materials.

    ", + "

    Transporting horses

    ", + "

    You should not transport a horse in a way that may cause it harm or distress. There are welfare regulations for transporting live animals, including for commercial reasons.

    ", + "

    Horses, ponies and donkeys must have a horse passport with them whenever they are transported.

    ", + "

    There are other rules you must follow if you\u2019re importing or exporting an animal, even if you\u2019re only transporting them overseas temporarily.

    ", + "

    Death and disease

    ", + "

    If you think that a horse has a notifiable disease then you must immediately contact your local Animal Health Office.

    ", + "

    Fallen stock

    ", + "

    If a horse dies or has to be put down on your premises, you will have to arrange its disposal as fallen stock under animal by-products (ABPs) controls.

    ", + "

    This includes:

    ", + "
  • entire animal bodies
  • ", + "
  • parts of animals
  • ", + "
  • products of animal origin
  • ", + "
  • other products obtained from animals that are not for human consumption.
  • ", + "

    You must deal with ABPs promptly to protect people, animals and the environment. In most cases, this will mean arranging for them to be taken away to approved premises, like:

    ", + "
  • rendering plants
  • ", + "
  • incinerators
  • ", + "
  • collection centres
  • ", + "
  • storage plants
  • ", + "

    Your local council can provide a list of approved premises for the disposal of ABPs.

    ", + "

    The National Fallen Stock Scheme is a not-for-profit scheme which helps farmers and animal owners to follow the law on disposing of fallen stock.

    " + ] + }, + "https://www.gov.uk/health-and-safety-for-farm-vehicles": { + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "title": "Health and safety using farm vehicles and machinery", + "content": "## Overview\n\nIf you own or manage a farm, you\u2019re responsible for ensuring the health and safety of your workers and anyone who\u2019s affected by what they do.\n\nYou must:\n\n- carry out a assessment of any risks related to your farm\n\n- have a plan to manage these risks and protect people from harm\n\n- plan and set standards to be sure that your health and safety practices work\n\n- check how you\u2019re doing through regular inspections and monitoring\n\nYou must make sure that all farming vehicles and equipment are:\n\n- safe to use\n\n- appropriate for the jobs they are used for\n\n- their safety risks are reduced as much as possible\n\n## Health and safety assessments\n\nThe Health and Safety Executive (HSE) has produced guidance to help farmers conduct health and safety assessments of their farms.\n\nThe \u2018Farmwise\u2019 guide also provides information and guidance on health and safety for farm vehicles and machinery.\n\n## Buying vehicles and equipment\n\n## CE Mark\n\nMost new machines, vehicles or pieces of farming equipment you buy must be \u2018CE\u2019 marked. This mark means that it has been built to meet minimum legal safety requirements.\n\nMost new machines or pieces of equipment should also have:\n\n- a \u2018declaration of conformity\u2019 to show that it meets EU standards\n\n- a manual\n\n- information on noise levels\n\n## Second-hand equipment and vehicles\n\nBefore using second hand machinery, you should:\n\n- make sure that it complies with the Provision and Use of Work Equipment Regulations 1998\n\n- get the operator\u2019s manual or suitable instructions for use\n\n- replace or repair any missing or damaged safety guards before use\n\n## Maintaining vehicles and equipment\n\nYou must make sure that all your equipment is properly maintained and in good working order. You\u2019ll need to perform regular maintenance checks on all of your vehicles and machinery.\n\nYou can find useful equipment maintenance checklists on the British Agricultural and Garden Machinery Association website.\n\nThe Department for Transport also provides guidance on performing health checks on farm vehicles.\n\nYou can find information on the safe use of agricultural machinery on the Health and Safety Executive website.\n\n## Noise levels\n\nHigh levels of noise can damage hearing. By law, you must assess the level of noise in areas where people work for you. You must take action where noise exceeds certain levels.\n\nIf you have noisy machinery or equipment, you should consider:\n\n- providing hearing protection for operators\n\n- using barriers or screens to block sound\n\n- using materials to absorb sound\n\n- limiting the time spent in noisy environments\n\nRead information from the Health and Safety Executive (HSE) on noise levels at work.", + "original_contents": [ + "

    Overview

    ", + "

    If you own or manage a farm, you\u2019re responsible for ensuring the health and safety of your workers and anyone who\u2019s affected by what they do.

    ", + "

    You must:

    ", + "
  • carry out a assessment of any risks related to your farm
  • ", + "
  • have a plan to manage these risks and protect people from harm
  • ", + "
  • plan and set standards to be sure that your health and safety practices work
  • ", + "
  • check how you\u2019re doing through regular inspections and monitoring
  • ", + "

    You must make sure that all farming vehicles and equipment are:

    ", + "
  • safe to use
  • ", + "
  • appropriate for the jobs they are used for
  • ", + "
  • their safety risks are reduced as much as possible
  • ", + "

    Health and safety assessments

    ", + "

    The Health and Safety Executive (HSE) has produced guidance to help farmers conduct health and safety assessments of their farms.

    ", + "

    The \u2018Farmwise\u2019 guide also provides information and guidance on health and safety for farm vehicles and machinery.

    ", + "

    Buying vehicles and equipment

    ", + "

    CE Mark

    ", + "

    Most new machines, vehicles or pieces of farming equipment you buy must be \u2018CE\u2019 marked. This mark means that it has been built to meet minimum legal safety requirements.

    ", + "

    Most new machines or pieces of equipment should also have:

    ", + "
  • a \u2018declaration of conformity\u2019 to show that it meets EU standards
  • ", + "
  • a manual
  • ", + "
  • information on noise levels
  • ", + "

    Second-hand equipment and vehicles

    ", + "

    Before using second hand machinery, you should:

    ", + "
  • make sure that it complies with the Provision and Use of Work Equipment Regulations 1998
  • ", + "
  • get the operator\u2019s manual or suitable instructions for use
  • ", + "
  • replace or repair any missing or damaged safety guards before use
  • ", + "

    Maintaining vehicles and equipment

    ", + "

    You must make sure that all your equipment is properly maintained and in good working order. You\u2019ll need to perform regular maintenance checks on all of your vehicles and machinery.

    ", + "

    You can find useful equipment maintenance checklists on the British Agricultural and Garden Machinery Association website.

    ", + "

    The Department for Transport also provides guidance on performing health checks on farm vehicles.

    ", + "

    You can find information on the safe use of agricultural machinery on the Health and Safety Executive website.

    ", + "

    Noise levels

    ", + "

    High levels of noise can damage hearing. By law, you must assess the level of noise in areas where people work for you. You must take action where noise exceeds certain levels.

    ", + "

    If you have noisy machinery or equipment, you should consider:

    ", + "
  • providing hearing protection for operators
  • ", + "
  • using barriers or screens to block sound
  • ", + "
  • using materials to absorb sound
  • ", + "
  • limiting the time spent in noisy environments
  • ", + "

    Read information from the Health and Safety Executive (HSE) on noise levels at work.

    " + ] + }, + "https://www.gov.uk/planning-permissions-for-farms": { + "url": "https://www.gov.uk/planning-permissions-for-farms", + "title": "Planning permission for farms", + "content": "## When you need it\n\nFarms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.\n\nYou need planning permission if:\n\n- you want to change how you use your land or buildings from farming to something else\n\n- you want to build a house on the land\n\nYou will also usually need planning permission if you are applying for a grant to fund a project that needs a building or other development.\n\n## When you don\u2019t need it\n\nYou don\u2019t need planning permission:\n\n- for farming operations\n\n- to use buildings already on your land for farming purposes\n\n- to change the inside of a building, or make small alterations to the outside - eg installing an alarm box\n\n- if there are permitted development rights\n\nBefore starting work on the project, always check with:\n\n- your local planning authority in England and Wales\n\n- your local planning authority in Scotland\n\n- you local area planning office in Northern Ireland\n\nIf you don\u2019t get planning permission when you need it you may have to stop work on the development or demolish it.\n\n## Apply for planning permission\n\nIn England and Wales, you can apply online at the Planning Portal.\n\nIn Scotland you can apply online at ePlanning Scotland.\n\nIn Northern Ireland, you apply for planning permission to your local area planning office.\n\n## Permitted development\n\nPermitted development means that if your farm is 5 hectares or more, you have the right to:\n\n- erect, extend or alter a building\n\n- carry out excavations and engineering operations needed for agricultural purposes - though you may still require approval for certain details of the development.\n\nThe types of permitted development include:\n\n- temporary uses of land\n\n- agricultural buildings below a certain size\n\n- forestry buildings\n\n- caravan sites and related buildings in some circumstances\n\nCheck with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.\n\nThe Agricultural Document Library (ADLib) has policy planning guidance on permitted development and farms.\n\n## Appeals\n\nThe way you appeal and the deadlines for appealing are different depending on which country you\u2019re in. See the relevant planning guide for more information:\n\n- England and Wales\n\n- Scotland", + "original_contents": [ + "

    When you need it

    ", + "

    Farms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.

    ", + "

    You need planning permission if:

    ", + "
  • you want to change how you use your land or buildings from farming to something else
  • ", + "
  • you want to build a house on the land
  • ", + "

    You will also usually need planning permission if you are applying for a grant to fund a project that needs a building or other development.

    ", + "

    When you don\u2019t need it

    ", + "

    You don\u2019t need planning permission:

    ", + "
  • for farming operations
  • ", + "
  • to use buildings already on your land for farming purposes
  • ", + "
  • to change the inside of a building, or make small alterations to the outside - eg installing an alarm box
  • ", + "
  • if there are permitted development rights
  • ", + "

    Before starting work on the project, always check with:

    ", + "
  • your local planning authority in England and Wales
  • ", + "
  • your local planning authority in Scotland
  • ", + "
  • you local area planning office in Northern Ireland
  • ", + "

    If you don\u2019t get planning permission when you need it you may have to stop work on the development or demolish it.

    ", + "

    Apply for planning permission

    ", + "

    In England and Wales, you can apply online at the Planning Portal.

    ", + "

    In Scotland you can apply online at ePlanning Scotland.

    ", + "

    In Northern Ireland, you apply for planning permission to your local area planning office.

    ", + "

    Permitted development

    ", + "

    Permitted development means that if your farm is 5 hectares or more, you have the right to:

    ", + "
  • erect, extend or alter a building
  • ", + "
  • carry out excavations and engineering operations needed for agricultural purposes - though you may still require approval for certain details of the development.
  • ", + "

    The types of permitted development include:

    ", + "
  • temporary uses of land
  • ", + "
  • agricultural buildings below a certain size
  • ", + "
  • forestry buildings
  • ", + "
  • caravan sites and related buildings in some circumstances
  • ", + "

    Check with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.

    ", + "

    The Agricultural Document Library (ADLib) has policy planning guidance on permitted development and farms.

    ", + "

    Appeals

    ", + "

    The way you appeal and the deadlines for appealing are different depending on which country you\u2019re in. See the relevant planning guide for more information:

    ", + "
  • England and Wales
  • ", + "
  • Scotland
  • " + ] + }, + "https://www.gov.uk/register-land-rural-land-register": { + "url": "https://www.gov.uk/register-land-rural-land-register", + "title": "Register land with the Rural Land Register", + "content": "## Overview\n\nYou must use the Rural Land Register (RLR) to register agricultural land.\n\nYou can register any type of land or property with HM Land Registry.\n\nYou must register your land with both the RLR and HM Land Registry to claim from most land-based funding schemes, including:\n\n- Environmental Stewardship schemes\n\n- the English Woodland Grant Scheme\n\nRegister with your local Rural Payments and Inspections Directorate (RPID) office if your land is in Scotland.\n\n## What to register\n\nYou only need to register land that you want to claim payments on. This includes land that:\n\n- you farm\n\n- qualifies for land-based payment schemes, for example because it has environmental value\n\n## What you\u2019ll get\n\nYou\u2019ll get a complete set of maps showing your registered land.\n\n## Who can register\n\n## Customer registration\n\nYou need to register as a customer with the Rural Payments Agency (RPA) before you register your land. You\u2019ll need to tell them:\n\n- the name and address of your business\n\n- who is legally responsible for your business\n\n- the address of your land, including the grid reference or postcode\n\n- who your main contact person should be and what powers they should have\n\nThe main contact person can be yourself, a person legally responsible for your business or someone independent (an agent).\n\nYou can give an agent full powers (empowerment) to deal with your land registration or partial powers (for example, they can access information but not change it).\n\nThe Rural Payments Agency has produced a leaflet about the different levels of empowerment you can give your contact person.\n\nCall the RPA to give this information for the first time or change existing contact details for your business.\n\nYou\u2019ll receive a Single Business Identifier for your business, and each person will get a Personal Identifier. You\u2019ll need these to register your land.\n\n## Landlords and tenants\n\nEither the landlord or the tenant can register land on the Rural Land Register, but the land can only be registered once.\n\nHowever, it\u2019s possible for the landlord to claim funds under one land scheme and their tenant to claim under another.\n\n## How to register land or change a registration\n\nYou can use the RLE1 form to:\n\n- register new land for the first time\n\n- make changes to land already on the Rural Land Register, for example if the boundaries change or if you sell the land to someone else\n\nFill in the form and post it to the Rural Payments Agency (RPA). You can either download the form below or ask the RPA to send you a pre-printed copy.\n\nYou\u2019ll need to give your Single Business Identifier - you\u2019ll get this when you complete the customer registration process for the first time.\n\nYou also need to enclose a map with a visible scale if you\u2019re registering land for the first time, or if your boundaries have changed. Mark your land boundaries clearly with a fine-tipped pen.\n\nRead the guidance on filling out form RLE1.\n\n## Contacting the RPA\n\n## If you live in Scotland, Wales or Northern Ireland\n\nThe Rural Land Register only covers land in England.\n\nIf your land is in more than one country, you\u2019ll need to register each piece of land separately for each country.\n\nContact the Rural Payments Agency if you have land in more than one country and have questions about your land in England.\n\nUse the numbers below if you have land in more than one country and have questions about land in Scotland, Northern Ireland or Wales.\n\n## Land in Scotland\n\n## Land in Northern Ireland\n\n## Land in Wales\n\nFind out about call charges.", + "original_contents": [ + "

    Overview

    ", + "

    You must use the Rural Land Register (RLR) to register agricultural land.

    ", + "

    You can register any type of land or property with HM Land Registry.

    ", + "

    You must register your land with both the RLR and HM Land Registry to claim from most land-based funding schemes, including:

    ", + "
  • Environmental Stewardship schemes
  • ", + "
  • the English Woodland Grant Scheme
  • ", + "

    Register with your local Rural Payments and Inspections Directorate (RPID) office if your land is in Scotland.

    ", + "

    What to register

    ", + "

    You only need to register land that you want to claim payments on. This includes land that:

    ", + "
  • you farm
  • ", + "
  • qualifies for land-based payment schemes, for example because it has environmental value
  • ", + "

    What you\u2019ll get

    ", + "

    You\u2019ll get a complete set of maps showing your registered land.

    ", + "

    Who can register

    ", + "

    Customer registration

    ", + "

    You need to register as a customer with the Rural Payments Agency (RPA) before you register your land. You\u2019ll need to tell them:

    ", + "
  • the name and address of your business
  • ", + "
  • who is legally responsible for your business
  • ", + "
  • the address of your land, including the grid reference or postcode
  • ", + "
  • who your main contact person should be and what powers they should have
  • ", + "

    The main contact person can be yourself, a person legally responsible for your business or someone independent (an agent).

    ", + "

    You can give an agent full powers (empowerment) to deal with your land registration or partial powers (for example, they can access information but not change it).

    ", + "

    The Rural Payments Agency has produced a leaflet about the different levels of empowerment you can give your contact person.

    ", + "

    Call the RPA to give this information for the first time or change existing contact details for your business.

    ", + "

    You\u2019ll receive a Single Business Identifier for your business, and each person will get a Personal Identifier. You\u2019ll need these to register your land.

    ", + "

    Landlords and tenants

    ", + "

    Either the landlord or the tenant can register land on the Rural Land Register, but the land can only be registered once.

    ", + "

    However, it\u2019s possible for the landlord to claim funds under one land scheme and their tenant to claim under another.

    ", + "

    How to register land or change a registration

    ", + "

    You can use the RLE1 form to:

    ", + "
  • register new land for the first time
  • ", + "
  • make changes to land already on the Rural Land Register, for example if the boundaries change or if you sell the land to someone else
  • ", + "

    Fill in the form and post it to the Rural Payments Agency (RPA). You can either download the form below or ask the RPA to send you a pre-printed copy.

    ", + "

    You\u2019ll need to give your Single Business Identifier - you\u2019ll get this when you complete the customer registration process for the first time.

    ", + "

    You also need to enclose a map with a visible scale if you\u2019re registering land for the first time, or if your boundaries have changed. Mark your land boundaries clearly with a fine-tipped pen.

    ", + "

    Read the guidance on filling out form RLE1.

    ", + "

    Contacting the RPA

    ", + "

    If you live in Scotland, Wales or Northern Ireland

    ", + "

    The Rural Land Register only covers land in England.

    ", + "

    If your land is in more than one country, you\u2019ll need to register each piece of land separately for each country.

    ", + "

    Contact the Rural Payments Agency if you have land in more than one country and have questions about your land in England.

    ", + "

    Use the numbers below if you have land in more than one country and have questions about land in Scotland, Northern Ireland or Wales.

    ", + "

    Land in Scotland

    ", + "

    Land in Northern Ireland

    ", + "

    Land in Wales

    ", + "

    Find out about call charges.

    " + ] + }, + "https://www.gov.uk/report-veterinary-medicine-problem": { + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "title": "Report a suspected problem with an animal medicine or microchip", + "content": "## Overview\n\nYou can report an unexpected reaction to an animal medicine or microchip to the Veterinary Medicines Directorate (VMD). You can also report if an animal medicine has not worked.\n\nHow you report the reaction depends on whether:\n\n- an animal has reacted to animal medicine or to a microchip\n\n- a human has reacted to animal medicine\n\nVMD will use the information you provide to help make sure that animal medicines and microchips are used safely and effectively.\n\n## Report an animal's reaction to animal medicine\n\nYou can report when a medicine may not have worked, or could have made your animal unwell.\n\nYou\u2019ll be asked for details of:\n\n- the medicine, including batch number and marketing authorisation number if known\n\n- the animal that was affected, for example the species, breed and age\n\n- when and how the medicine was first given to the animal\n\n- the symptoms\n\nSend your report\n\n## If you cannot report online\n\nDownload and fill in the form for reporting reactions in animals. Send it to the address on the form.\n\n## Report an animal's reaction to a microchip\n\nYou can report suspected incidents with animal microchips including:\n\n- a reaction to the chip being implanted, such as injury, infection or prolonged bleeding\n\n- if a chip\u2019s moved from where it was implanted or has come out\n\n- a chip that does not read properly\n\nYou\u2019ll need the microchip number to make a report.\n\nSend your report\n\nContact VMD if you cannot report the incident online.\n\n## Report a person's reaction to animal medicine\n\nYou can report a suspected reaction you or someone else has had to an animal medicine while using it on an animal, for example a skin allergy.\n\nYou\u2019ll be asked for details of:\n\n- the medicine, including the batch number and marketing authorisation number (if you know it)\n\n- the people affected - and how and when they came into contact with the medicine\n\n- the symptoms\n\nSend your report\n\n## If you cannot report online\n\nDownload and fill in the form for reporting reactions in humans. Send it to the address on the form.\n\n## Contact VMD\n\nContact the Veterinary Medicines Directorate (VMD) Pharmacovigilance Team if you have any questions about reporting reactions.", + "original_contents": [ + "

    Overview

    ", + "

    You can report an unexpected reaction to an animal medicine or microchip to the Veterinary Medicines Directorate (VMD). You can also report if an animal medicine has not worked.

    ", + "

    How you report the reaction depends on whether:

    ", + "
  • an animal has reacted to animal medicine or to a microchip
  • ", + "
  • a human has reacted to animal medicine
  • ", + "

    VMD will use the information you provide to help make sure that animal medicines and microchips are used safely and effectively.

    ", + "

    Report an animal's reaction to animal medicine

    ", + "

    You can report when a medicine may not have worked, or could have made your animal unwell.

    ", + "

    You\u2019ll be asked for details of:

    ", + "
  • the medicine, including batch number and marketing authorisation number if known
  • ", + "
  • the animal that was affected, for example the species, breed and age
  • ", + "
  • when and how the medicine was first given to the animal
  • ", + "
  • the symptoms
  • ", + "

    Send your report

    ", + "

    If you cannot report online

    ", + "

    Download and fill in the form for reporting reactions in animals. Send it to the address on the form.

    ", + "

    Report an animal's reaction to a microchip

    ", + "

    You can report suspected incidents with animal microchips including:

    ", + "
  • a reaction to the chip being implanted, such as injury, infection or prolonged bleeding
  • ", + "
  • if a chip\u2019s moved from where it was implanted or has come out
  • ", + "
  • a chip that does not read properly
  • ", + "

    You\u2019ll need the microchip number to make a report.

    ", + "

    Send your report

    ", + "

    Contact VMD if you cannot report the incident online.

    ", + "

    Report a person's reaction to animal medicine

    ", + "

    You can report a suspected reaction you or someone else has had to an animal medicine while using it on an animal, for example a skin allergy.

    ", + "

    You\u2019ll be asked for details of:

    ", + "
  • the medicine, including the batch number and marketing authorisation number (if you know it)
  • ", + "
  • the people affected - and how and when they came into contact with the medicine
  • ", + "
  • the symptoms
  • ", + "

    Send your report

    ", + "

    If you cannot report online

    ", + "

    Download and fill in the form for reporting reactions in humans. Send it to the address on the form.

    ", + "

    Contact VMD

    ", + "

    Contact the Veterinary Medicines Directorate (VMD) Pharmacovigilance Team if you have any questions about reporting reactions.

    " + ] + }, + "https://www.gov.uk/how-to-register-a-trade-mark": { + "url": "https://www.gov.uk/how-to-register-a-trade-mark", + "title": "Apply to register a trade mark", + "content": "## Register a trade mark\n\nYou can register your trade mark to protect your brand, for example the name of your product or service.\n\nWhen you register your trade mark, you\u2019ll be able to:\n\n- take legal action against anyone who uses your brand without your permission, including counterfeiters\n\n- put the \u00ae symbol next to your brand - to show that it\u2019s yours and warn others against using it\n\n- sell and license your brand\n\n## How to register a trade mark\n\n- Check if your brand qualifies as a trade mark.\n\n- Apply to register your trade mark.\n\n- Respond to any objections.\n\nThe registration process takes about 4 months if no-one objects. Registered trade marks last 10 years.\n\n## Register your trade mark overseas\n\nRegistering a trade mark in the UK only protects your brand in the UK.\n\nThere are different processes for registering EU and international trade marks.\n\n## What you can and cannot register\n\nYour trade mark must be unique. It can include:\n\n- words\n\n- sounds\n\n- logos\n\n- colours\n\n- a combination of any of these\n\nYour trade mark cannot:\n\n- be offensive, for example contain swear words or pornographic images\n\n- describe the goods or services it will relate to, for example the word \u2018cotton\u2019 cannot be a trade mark for a cotton textile company\n\n- be misleading, for example use the word \u2018organic\u2019 for goods that are not organic\n\n- be a 3-dimensional shape associated with your trade mark, for example the shape of an egg for eggs\n\n- be too common and non-distinctive, for example be a simple statement like \u2018we lead the way\u2019\n\n- look too similar to state symbols like flags or hallmarks, based on World Intellectual Property Organization guidelines\n\n## Series applications\n\nIf you have similar versions of your trade mark, you can make a series application for up to 6 marks.\n\nAll your marks should:\n\n- look the same\n\n- sound the same\n\n- mean the same\n\nAny differences must be minor.\n\n## Check if your trade mark is already registered\n\nBefore you apply, you must search the trade marks database to check if anyone has already registered an identical or similar trade mark for the same or similar goods or services.\n\nYou must also check the EU trade marks register on the European Union Intellectual Property Office website for any EU applications that were \u2018pending\u2019 on 1 January 2021. These applications have priority over yours.\n\nYou can ask the holder of an existing trade mark for permission to register yours. They must give you a \u2018letter of consent\u2019 - you must send this letter with your application.\n\nYou can use a trade mark attorney to help you with searches and registrations.\n\n## Apply\n\nThis service will be unavailable from 6am to 4pm on Saturday 26 June.\n\nYou cannot change your trade mark once you\u2019ve applied, and the fees are non-refundable.\n\nYou\u2019ll get feedback on your application (called an \u2018examination report\u2019) within 12 weeks (60 working days).\n\n## Before you apply\n\nYou must check if your trade mark is already registered.\n\nRead the guide to new applications before you start if you\u2019ve not applied before.\n\n## Apply to register a trademark\n\nYou\u2019ll need:\n\n- details of what you want to register, for example a word, illustration or slogan\n\n- the trade mark classes you want to register in, for example food and drink services (class 43) or chemicals (class 1)\n\nApply now\n\n## How much it costs\n\nYou can use the \u2018Right Start\u2019 service if you want to check your application meets the rules for registration.\n\nYou pay \u00a3100 initially, plus \u00a350 for each additional class. You\u2019ll then get a report telling you if your application meets the rules.\n\nIf you want to continue, you must pay the full fee within 28 days of getting your report.\n\nYou can also choose to continue your application even if it does not meet the rules for registration.\n\n| | Fee | Each additional class |\n\n| Standard application (online) | \u00a3170 | \u00a350 |\n\n| Right Start application (online) | \u00a3200 (\u00a3100 up front plus \u00a3100 if you go ahead with your registration) | \u00a350 (\u00a325 up front plus \u00a325 if you go ahead with your registration) |\n\nA series application for 3 or more marks costs an additional \u00a350 per mark.\n\n## Other ways to apply\n\nFill in the paper forms if you want to apply by post. It costs \u00a3200 for one class plus \u00a350 for each additional class.\n\n## After you apply\n\n- You\u2019ll get feedback on your application (an \u2018examination report\u2019) in up to 12 weeks (60 working days) - you have 2 months to resolve any problems.\n\n- If the examiner has no objections your application will be published in the trade marks journal for 2 months, during which time anyone can oppose it.\n\n- Your trade mark will be registered once any objections are resolved - you\u2019ll get a certificate to confirm this.\n\n## If your application is opposed\n\nThe Intellectual Property Office will tell you if someone opposes your application.\n\nYou can either:\n\n- withdraw your application\n\n- talk to the person making the opposition\n\n- defend your application\n\nYou cannot register your trade mark until the matter is settled and may have to pay legal costs if you want to challenge the opposing party.\n\nRead guidance on your options following an opposition.\n\nResearch previous trade mark decisions to help you with a dispute and prepare for a hearing.\n\n## Once your trade mark is registered\n\nYou must report any changes to your name, address or email address.\n\nYou can object to other people\u2019s trade marks, for example if you think they are identical or similar to yours.\n\nYou can sell, market, license and mortgage your trade mark.\n\nYour trade mark will last 10 years - you can renew it after that time.\n\n## Unregistered trade marks\n\nYou may be able to stop someone using a similar trade mark to yours on their goods and services (known as \u2018passing off\u2019), even if you have not registered it.\n\nYou\u2019ll usually need to get legal advice from a trade mark attorney.\n\nIt\u2019s harder to prove passing off than it is to defend a registered trade mark. To be successful you\u2019ll need to show that:\n\n- the mark is yours\n\n- you\u2019ve built up goodwill associated with the mark\n\n- you\u2019ve been harmed in some way by the other person\u2019s use of the mark", + "original_contents": [ + "

    Register a trade mark

    ", + "

    You can register your trade mark to protect your brand, for example the name of your product or service.

    ", + "

    When you register your trade mark, you\u2019ll be able to:

    ", + "
  • take legal action against anyone who uses your brand without your permission, including counterfeiters
  • ", + "
  • put the \u00ae symbol next to your brand - to show that it\u2019s yours and warn others against using it
  • ", + "
  • sell and license your brand
  • ", + "

    How to register a trade mark

    ", + "
  • Check if your brand qualifies as a trade mark.
  • ", + "
  • Apply to register your trade mark.
  • ", + "
  • Respond to any objections.
  • ", + "

    The registration process takes about 4 months if no-one objects. Registered trade marks last 10 years.

    ", + "

    Register your trade mark overseas

    ", + "

    Registering a trade mark in the UK only protects your brand in the UK.

    ", + "

    There are different processes for registering EU and international trade marks.

    ", + "

    What you can and cannot register

    ", + "

    Your trade mark must be unique. It can include:

    ", + "
  • words
  • ", + "
  • sounds
  • ", + "
  • logos
  • ", + "
  • colours
  • ", + "
  • a combination of any of these
  • ", + "

    Your trade mark cannot:

    ", + "
  • be offensive, for example contain swear words or pornographic images
  • ", + "
  • describe the goods or services it will relate to, for example the word \u2018cotton\u2019 cannot be a trade mark for a cotton textile company
  • ", + "
  • be misleading, for example use the word \u2018organic\u2019 for goods that are not organic
  • ", + "
  • be a 3-dimensional shape associated with your trade mark, for example the shape of an egg for eggs
  • ", + "
  • be too common and non-distinctive, for example be a simple statement like \u2018we lead the way\u2019
  • ", + "
  • look too similar to state symbols like flags or hallmarks, based on World Intellectual Property Organization guidelines
  • ", + "

    Series applications

    ", + "

    If you have similar versions of your trade mark, you can make a series application for up to 6 marks.

    ", + "

    All your marks should:

    ", + "
  • look the same
  • ", + "
  • sound the same
  • ", + "
  • mean the same
  • ", + "

    Any differences must be minor.

    ", + "

    Check if your trade mark is already registered

    ", + "

    Before you apply, you must search the trade marks database to check if anyone has already registered an identical or similar trade mark for the same or similar goods or services.

    ", + "

    You must also check the EU trade marks register on the European Union Intellectual Property Office website for any EU applications that were \u2018pending\u2019 on 1 January 2021. These applications have priority over yours.

    ", + "

    You can ask the holder of an existing trade mark for permission to register yours. They must give you a \u2018letter of consent\u2019 - you must send this letter with your application.

    ", + "

    You can use a trade mark attorney to help you with searches and registrations.

    ", + "

    Apply

    ", + "

    This service will be unavailable from 6am to 4pm on Saturday 26 June.

    ", + "

    You cannot change your trade mark once you\u2019ve applied, and the fees are non-refundable.

    ", + "

    You\u2019ll get feedback on your application (called an \u2018examination report\u2019) within 12 weeks (60 working days).

    ", + "

    Before you apply

    ", + "

    You must check if your trade mark is already registered.

    ", + "

    Read the guide to new applications before you start if you\u2019ve not applied before.

    ", + "

    Apply to register a trademark

    ", + "

    You\u2019ll need:

    ", + "
  • details of what you want to register, for example a word, illustration or slogan
  • ", + "
  • the trade mark classes you want to register in, for example food and drink services (class 43) or chemicals (class 1)
  • ", + "

    Apply now

    ", + "

    How much it costs

    ", + "

    You can use the \u2018Right Start\u2019 service if you want to check your application meets the rules for registration.

    ", + "

    You pay \u00a3100 initially, plus \u00a350 for each additional class. You\u2019ll then get a report telling you if your application meets the rules.

    ", + "

    If you want to continue, you must pay the full fee within 28 days of getting your report.

    ", + "

    You can also choose to continue your application even if it does not meet the rules for registration.

    ", + " | Fee | Each additional class", + "Standard application (online) | \u00a3170 | \u00a350", + "Right Start application (online) | \u00a3200 (\u00a3100 up front plus \u00a3100 if you go ahead with your registration) | \u00a350 (\u00a325 up front plus \u00a325 if you go ahead with your registration)", + "

    A series application for 3 or more marks costs an additional \u00a350 per mark.

    ", + "

    Other ways to apply

    ", + "

    Fill in the paper forms if you want to apply by post. It costs \u00a3200 for one class plus \u00a350 for each additional class.

    ", + "

    After you apply

    ", + "
  • You\u2019ll get feedback on your application (an \u2018examination report\u2019) in up to 12 weeks (60 working days) - you have 2 months to resolve any problems.
  • ", + "
  • If the examiner has no objections your application will be published in the trade marks journal for 2 months, during which time anyone can oppose it.
  • ", + "
  • Your trade mark will be registered once any objections are resolved - you\u2019ll get a certificate to confirm this.
  • ", + "

    If your application is opposed

    ", + "

    The Intellectual Property Office will tell you if someone opposes your application.

    ", + "

    You can either:

    ", + "
  • withdraw your application
  • ", + "
  • talk to the person making the opposition
  • ", + "
  • defend your application
  • ", + "

    You cannot register your trade mark until the matter is settled and may have to pay legal costs if you want to challenge the opposing party.

    ", + "

    Read guidance on your options following an opposition.

    ", + "

    Research previous trade mark decisions to help you with a dispute and prepare for a hearing.

    ", + "

    Once your trade mark is registered

    ", + "

    You must report any changes to your name, address or email address.

    ", + "

    You can object to other people\u2019s trade marks, for example if you think they are identical or similar to yours.

    ", + "

    You can sell, market, license and mortgage your trade mark.

    ", + "

    Your trade mark will last 10 years - you can renew it after that time.

    ", + "

    Unregistered trade marks

    ", + "

    You may be able to stop someone using a similar trade mark to yours on their goods and services (known as \u2018passing off\u2019), even if you have not registered it.

    ", + "

    You\u2019ll usually need to get legal advice from a trade mark attorney.

    ", + "

    It\u2019s harder to prove passing off than it is to defend a registered trade mark. To be successful you\u2019ll need to show that:

    ", + "
  • the mark is yours
  • ", + "
  • you\u2019ve built up goodwill associated with the mark
  • ", + "
  • you\u2019ve been harmed in some way by the other person\u2019s use of the mark
  • " + ] + }, + "https://www.gov.uk/defend-your-intellectual-property": { + "url": "https://www.gov.uk/defend-your-intellectual-property", + "title": "Defend your intellectual property", + "content": "## Overview\n\nIt\u2019s your responsibility to defend your intellectual property (IP) and to take action if someone\u2019s used it without permission (known as \u2018infringement\u2019).\n\nExamples of IP infringement include when someone:\n\n- uses, sells or imports your patented product or process\n\n- uses all or some of your work under copyright without your permission\n\n- makes, offers or sells your registered design for commercial gain\n\n- uses a trade mark that\u2019s identical or similar to one you\u2019ve registered\n\nYou can take the following steps.\n\n- Get the other party to stop using your IP or come to an agreement with them, for example license your IP.\n\n- Use mediation or another type of dispute resolution.\n\n- Take legal action if you can\u2019t resolve the dispute by other means.\n\nYou may want to get help from an IP professional, such as a solicitor. The Intellectual Property Office (IPO) can also help.\n\n## Report IP crime\n\nIt can be a criminal offence to copy or use copyright material and registered trade marks and designs without permission.\n\nReport suspected IP crime to Trading Standards by contacting Citizens Advice.\n\nYou can also report it anonymously through:\n\n- Crimestoppers\n\n- Action Fraud\n\n## Get help and advice\n\nAn intellectual property (IP) professional can give you legal advice on a dispute, or act on your behalf.\n\nFind an IP professional through organisations including:\n\n- The Chartered Institute of Patent Attorneys\n\n- The Chartered Institute of Trade Mark Attorneys\n\n- The Law Society (England and Wales)\n\n- The Law Society of Scotland\n\n- The Law Society of Northern Ireland\n\n## Contact the Intellectual Property Office (IPO)\n\nYou can contact IPO for:\n\n- an opinion on whether your patent or supplementary protection certificate is being infringed - it costs \u00a3200\n\n- to start legal proceedings over some types of IP dispute (this does not include copyright infringement)\n\n- general advice on IP\n\n## Come to an agreement\n\nIf someone is using your IP without your permission you can contact them and ask them to stop.\n\nYou can be sued for making unjustified threats. You may want to seek legal advice before contacting the other party.\n\n## Make a deal\n\nYou can offer to make a deal with the other party, which is usually cheaper and quicker than going to court.\n\nRead the guidance on how to license, sell, mortgage and market your:\n\n- copyright\n\n- patent\n\n- design\n\n- trade mark\n\nYou can also come to a coexistence agreement with someone who has a similar trade mark.\n\n## Use a mediator\n\nYou can use a mediator if you can\u2019t come to an agreement over an intellectual property (IP) dispute.\n\nMediation can be used in most IP disputes. This includes disputes about:\n\n- trade marks\n\n- copyright\n\n- designs\n\n- patents\n\nMediation is a way of resolving disputes without going to court. It\u2019s cheaper and quicker than taking legal action and the outcome is usually beneficial to all parties.\n\nMediators provide an independent view on a dispute. They can\u2019t make a decision for you, but they can help to find a solution that both parties accept.\n\nDiscussions with a mediator are confidential and can\u2019t be used in court later if the dispute isn\u2019t resolved.\n\n## IPO mediation service\n\nThe Intellectual Property Office (IPO) has its own mediation service.\n\nWhat you will pay for mediation depends on the type and length of mediation session.\n\nRead guidance on IPO\u2019s mediation service, including information on fees.\n\n## Other mediators you can use\n\nYou can also use the:\n\n- Civil Mediation Council (England and Wales)\n\n- Scottish Mediation Network\n\n- Northern Ireland Mediation\n\n## Take legal action\n\nYou can file legal proceedings either through the Intellectual Property Office (IPO) or through the courts.\n\nSome types of proceedings can only be filed through one or the other. For example, copyright infringement claims can only be filed through the courts.\n\nA court will expect you to have tried to resolve your dispute - possibly using mediation - before starting legal proceedings.\n\nYou can pay an Intellectual Property Professional to help you.\n\n## File through IPO\n\nContact IPO for more information on filing through them.\n\n## File through the courts in England and Wales\n\nThe court you go to depends on the nature, complexity and value of your claim.\n\n## Claims below \u00a310,000\n\nUse the Intellectual Property Enterprise Court (IPEC) small claims track if your claim is for less than \u00a310,000 and for infringement of one of the following:\n\n- copyright\n\n- passing off\n\n- trade marks\n\n- breach of confidence\n\n- unregistered design rights\n\nYou don\u2019t need a lawyer to use the IPEC small claims track.\n\n## Claims up to \u00a3500,000\n\nYou can take a case for any IP right to the Intellectual Property Enterprise Court (IPEC) if you do not wish to claim more than:\n\n- \u00a350,000 for legal costs\n\n- \u00a3500,000 for damages\n\n## If you\u2019re claiming more than \u00a3500,000 in damages\n\nUse the Chancery Division of the High Court of England and Wales - there are no limits to legal costs or damages you can claim.\n\n## File through the courts in Scotland\n\nUse the Court of Session if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.\n\n## File through the courts in Northern Ireland\n\nYou can use the Chancery Division of the High Court of Northern Ireland if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.", + "original_contents": [ + "

    Overview

    ", + "

    It\u2019s your responsibility to defend your intellectual property (IP) and to take action if someone\u2019s used it without permission (known as \u2018infringement\u2019).

    ", + "

    Examples of IP infringement include when someone:

    ", + "
  • uses, sells or imports your patented product or process
  • ", + "
  • uses all or some of your work under copyright without your permission
  • ", + "
  • makes, offers or sells your registered design for commercial gain
  • ", + "
  • uses a trade mark that\u2019s identical or similar to one you\u2019ve registered
  • ", + "

    You can take the following steps.

    ", + "
  • Get the other party to stop using your IP or come to an agreement with them, for example license your IP.
  • ", + "
  • Use mediation or another type of dispute resolution.
  • ", + "
  • Take legal action if you can\u2019t resolve the dispute by other means.
  • ", + "

    You may want to get help from an IP professional, such as a solicitor. The Intellectual Property Office (IPO) can also help.

    ", + "

    Report IP crime

    ", + "

    It can be a criminal offence to copy or use copyright material and registered trade marks and designs without permission.

    ", + "

    Report suspected IP crime to Trading Standards by contacting Citizens Advice.

    ", + "

    You can also report it anonymously through:

    ", + "
  • Crimestoppers
  • ", + "
  • Action Fraud
  • ", + "

    Get help and advice

    ", + "

    An intellectual property (IP) professional can give you legal advice on a dispute, or act on your behalf.

    ", + "

    Find an IP professional through organisations including:

    ", + "
  • The Chartered Institute of Patent Attorneys
  • ", + "
  • The Chartered Institute of Trade Mark Attorneys
  • ", + "
  • The Law Society (England and Wales)
  • ", + "
  • The Law Society of Scotland
  • ", + "
  • The Law Society of Northern Ireland
  • ", + "

    Contact the Intellectual Property Office (IPO)

    ", + "

    You can contact IPO for:

    ", + "
  • an opinion on whether your patent or supplementary protection certificate is being infringed - it costs \u00a3200
  • ", + "
  • to start legal proceedings over some types of IP dispute (this does not include copyright infringement)
  • ", + "
  • general advice on IP
  • ", + "

    Come to an agreement

    ", + "

    If someone is using your IP without your permission you can contact them and ask them to stop.

    ", + "

    You can be sued for making unjustified threats. You may want to seek legal advice before contacting the other party.

    ", + "

    Make a deal

    ", + "

    You can offer to make a deal with the other party, which is usually cheaper and quicker than going to court.

    ", + "

    Read the guidance on how to license, sell, mortgage and market your:

    ", + "
  • copyright
  • ", + "
  • patent
  • ", + "
  • design
  • ", + "
  • trade mark
  • ", + "

    You can also come to a coexistence agreement with someone who has a similar trade mark.

    ", + "

    Use a mediator

    ", + "

    You can use a mediator if you can\u2019t come to an agreement over an intellectual property (IP) dispute.

    ", + "

    Mediation can be used in most IP disputes. This includes disputes about:

    ", + "
  • trade marks
  • ", + "
  • copyright
  • ", + "
  • designs
  • ", + "
  • patents
  • ", + "

    Mediation is a way of resolving disputes without going to court. It\u2019s cheaper and quicker than taking legal action and the outcome is usually beneficial to all parties.

    ", + "

    Mediators provide an independent view on a dispute. They can\u2019t make a decision for you, but they can help to find a solution that both parties accept.

    ", + "

    Discussions with a mediator are confidential and can\u2019t be used in court later if the dispute isn\u2019t resolved.

    ", + "

    IPO mediation service

    ", + "

    The Intellectual Property Office (IPO) has its own mediation service.

    ", + "

    What you will pay for mediation depends on the type and length of mediation session.

    ", + "

    Read guidance on IPO\u2019s mediation service, including information on fees.

    ", + "

    Other mediators you can use

    ", + "

    You can also use the:

    ", + "
  • Civil Mediation Council (England and Wales)
  • ", + "
  • Scottish Mediation Network
  • ", + "
  • Northern Ireland Mediation
  • ", + "

    Take legal action

    ", + "

    You can file legal proceedings either through the Intellectual Property Office (IPO) or through the courts.

    ", + "

    Some types of proceedings can only be filed through one or the other. For example, copyright infringement claims can only be filed through the courts.

    ", + "

    A court will expect you to have tried to resolve your dispute - possibly using mediation - before starting legal proceedings.

    ", + "

    You can pay an Intellectual Property Professional to help you.

    ", + "

    File through IPO

    ", + "

    Contact IPO for more information on filing through them.

    ", + "

    File through the courts in England and Wales

    ", + "

    The court you go to depends on the nature, complexity and value of your claim.

    ", + "

    Claims below \u00a310,000

    ", + "

    Use the Intellectual Property Enterprise Court (IPEC) small claims track if your claim is for less than \u00a310,000 and for infringement of one of the following:

    ", + "
  • copyright
  • ", + "
  • passing off
  • ", + "
  • trade marks
  • ", + "
  • breach of confidence
  • ", + "
  • unregistered design rights
  • ", + "

    You don\u2019t need a lawyer to use the IPEC small claims track.

    ", + "

    Claims up to \u00a3500,000

    ", + "

    You can take a case for any IP right to the Intellectual Property Enterprise Court (IPEC) if you do not wish to claim more than:

    ", + "
  • \u00a350,000 for legal costs
  • ", + "
  • \u00a3500,000 for damages
  • ", + "

    If you\u2019re claiming more than \u00a3500,000 in damages

    ", + "

    Use the Chancery Division of the High Court of England and Wales - there are no limits to legal costs or damages you can claim.

    ", + "

    File through the courts in Scotland

    ", + "

    Use the Court of Session if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.

    ", + "

    File through the courts in Northern Ireland

    ", + "

    You can use the Chancery Division of the High Court of Northern Ireland if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.

    " + ] + }, + "https://www.gov.uk/get-copies-of-intellectual-property-documents": { + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "title": "Get copies of patent, trade mark or design registration documents", + "content": "## Overview\n\nYou can get copies of documents if you need to prove who owns or has applied for a UK patent, trade mark or design registration.\n\nThere are 2 types of copy \u2013 certified and uncertified.\n\n## Certified copy\n\nThis is an official document, also called a Certificate of the Registrar.\n\nYou need a certified copy to:\n\n- register a piece of intellectual property (IP) outside the UK\n\n- prove legal ownership of intellectual property, such as in a court case\n\n## Uncertified copy\n\nAn uncertified copy is a photocopy or digital copy of the details on the register. You can use this for research or personal use.\n\n## Request patent documents\n\nUse patents form 23 to apply for either a certified or uncertified copy of a patent.\n\nYou must send a separate form for each certified copy you need, but you can make multiple requests on one form.\n\nFill in the form and post it. The address is on the form.\n\nYou can request uncertified copies of patent documents online.\n\n## How much they cost\n\nCertified copies cost \u00a320 each.\n\nUncertified copies cost \u00a35.\n\nUncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.\n\n## Request trade marks documents\n\nUse form TM31R to get a certified copy of a trade mark.\n\nCertified copies cost \u00a320 each.\n\nFill in the form and post it. The address is on the form.\n\n## Uncertified copies\n\nSend an email to Intellectual Property Office (IPO) sales including:\n\n- the trade mark number\n\n- your telephone number\n\n- the address you want the photocopy sent to\n\nUncertified copies usually cost \u00a35 - large documents may cost more.\n\nUncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.\n\nAfter you email, you\u2019ll get a quote and instructions on how you pay.\n\n## Request design registration documents\n\nUse form DF23 to request a certified copy of a design registration or application.\n\nYou should use one form for each certified copy you\u2019re requesting.\n\nCertified copies cost \u00a330 each.\n\nFill in the form and post it. The address is on the form.\n\n## Uncertified copies\n\nSend an email to Intellectual Property Office (IPO) sales including:\n\n- the design number\n\n- your telephone number\n\n- the address you want the photocopy sent to\n\nUncertified copies usually cost \u00a35 - large documents may cost more.\n\nUncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.\n\nAfter you email, you\u2019ll get a quote and instructions on how you pay.", + "original_contents": [ + "

    Overview

    ", + "

    You can get copies of documents if you need to prove who owns or has applied for a UK patent, trade mark or design registration.

    ", + "

    There are 2 types of copy \u2013 certified and uncertified.

    ", + "

    Certified copy

    ", + "

    This is an official document, also called a Certificate of the Registrar.

    ", + "

    You need a certified copy to:

    ", + "
  • register a piece of intellectual property (IP) outside the UK
  • ", + "
  • prove legal ownership of intellectual property, such as in a court case
  • ", + "

    Uncertified copy

    ", + "

    An uncertified copy is a photocopy or digital copy of the details on the register. You can use this for research or personal use.

    ", + "

    Request patent documents

    ", + "

    Use patents form 23 to apply for either a certified or uncertified copy of a patent.

    ", + "

    You must send a separate form for each certified copy you need, but you can make multiple requests on one form.

    ", + "

    Fill in the form and post it. The address is on the form.

    ", + "

    You can request uncertified copies of patent documents online.

    ", + "

    How much they cost

    ", + "

    Certified copies cost \u00a320 each.

    ", + "

    Uncertified copies cost \u00a35.

    ", + "

    Uncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.

    ", + "

    Request trade marks documents

    ", + "

    Use form TM31R to get a certified copy of a trade mark.

    ", + "

    Certified copies cost \u00a320 each.

    ", + "

    Fill in the form and post it. The address is on the form.

    ", + "

    Uncertified copies

    ", + "

    Send an email to Intellectual Property Office (IPO) sales including:

    ", + "
  • the trade mark number
  • ", + "
  • your telephone number
  • ", + "
  • the address you want the photocopy sent to
  • ", + "

    Uncertified copies usually cost \u00a35 - large documents may cost more.

    ", + "

    Uncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.

    ", + "

    After you email, you\u2019ll get a quote and instructions on how you pay.

    ", + "

    Request design registration documents

    ", + "

    Use form DF23 to request a certified copy of a design registration or application.

    ", + "

    You should use one form for each certified copy you\u2019re requesting.

    ", + "

    Certified copies cost \u00a330 each.

    ", + "

    Fill in the form and post it. The address is on the form.

    ", + "

    Uncertified copies

    ", + "

    Send an email to Intellectual Property Office (IPO) sales including:

    ", + "
  • the design number
  • ", + "
  • your telephone number
  • ", + "
  • the address you want the photocopy sent to
  • ", + "

    Uncertified copies usually cost \u00a35 - large documents may cost more.

    ", + "

    Uncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.

    ", + "

    After you email, you\u2019ll get a quote and instructions on how you pay.

    " + ] + }, + "https://www.gov.uk/copyright": { + "url": "https://www.gov.uk/copyright", + "title": "How copyright protects your work", + "content": "## Overview\n\nCopyright protects your work and stops others from using it without your permission.\n\nYou get copyright protection automatically - you don\u2019t have to apply or pay a fee. There isn\u2019t a register of copyright works in the UK.\n\nYou automatically get copyright protection when you create:\n\n- original literary, dramatic, musical and artistic work, including illustration and photography\n\n- original non-literary written work, such as software, web content and databases\n\n- sound and music recordings\n\n- film and television recordings\n\n- broadcasts\n\n- the layout of published editions of written, dramatic and musical works\n\nYou can mark your work with the copyright symbol (\u00a9), your name and the year of creation. Whether you mark the work or not doesn\u2019t affect the level of protection you have.\n\n## How copyright protects your work\n\nCopyright prevents people from:\n\n- copying your work\n\n- distributing copies of it, whether free of charge or for sale\n\n- renting or lending copies of your work\n\n- performing, showing or playing your work in public\n\n- making an adaptation of your work\n\n- putting it on the internet\n\n## Copyright overseas\n\nYour work could be protected by copyright in other countries through international agreements, for example the Berne Convention.\n\nIn most countries copyright lasts a minimum of life plus 50 years for most types of written, dramatic and artistic works, and at least 25 years for photographs. It can be different for other types of work.\n\nContact the IPO Information Centre if you have a question about international copyright.\n\n## How long copyright lasts\n\nCopyright protection starts as soon as a work is created. Once your copyright has expired, anyone can use or copy your work.\n\nThe length of copyright depends on the type of work.\n\n| Type of work | How long copyright usually lasts |\n\n| Written, dramatic, musical and artistic work | 70 years after the author\u2019s death |\n\n| Sound and music recording | 70 years from when it\u2019s first published |\n\n| Films | 70 years after the death of the director, screenplay author and composer |\n\n| Broadcasts | 50 years from when it\u2019s first broadcast |\n\n| Layout of published editions of written, dramatic or musical works | 25 years from when it\u2019s first published |\n\nThe length of copyright also depends on how long ago the work was created.\n\nYou can read more guidance about how long copyright lasts.\n\nContact the IPO Information Centre if you have questions about the copyright of an older work.\n\n## License and sell your copyright\n\nYou can license the use of your work if you own the copyright. You can also decide how your work is used.\n\nYou can register your work with a licensing body, for example a collecting society, who will agree licences with users for you and collect royalties for you.\n\n## Sell or transfer your copyright\n\nYou\u2019ll need to write and sign a document (sometimes called an \u2018assignment\u2019) to show a sale or transfer has taken place.\n\nYour copyright can be transferred by inheritance and will be valid as long as the work remains in copyright - check how long protection lasts.\n\n## Moral rights\n\nYou can keep or waive your \u2018moral rights\u2019, which include the right to:\n\n- be identified as the author of your work\n\n- object to how the work is presented, for example if you think it\u2019s \u2018derogatory\u2019 or damaging to you or your reputation\n\n- object to changes made to your work\n\n## Performers\u2019 rights\n\nYou have rights in your performances separate to copyright if you\u2019re a performer.\n\nFor example, if you\u2019re an actor in a play you may have \u2018economic rights\u2019 in any recordings or broadcasts of their performance, even if the copyright is sold.\n\n## Stop people using your work\n\nYou\u2019re responsible for defending your copyright material against infringement.\n\nSome people or organisations (such as libraries or schools) may be able to use copyright work without permission. You should check whether someone\u2019s use of your work is permitted before trying to stop them.\n\n## If you think someone is using your work and they don\u2019t know you own the rights\n\nPeople or organisations must apply for a licence if they want to use a work that\u2019s covered by copyright but don\u2019t know who the rights holder is.\n\nCheck the licences register to see if anyone has licensed your work or is in the process of applying for a licence. If your work is on the register you can:\n\n- apply to have an application stopped\n\n- claim the licence fee that\u2019s been paid (if a licence has already been issued)\n\n## If you have a dispute about licensing\n\nYour collecting society can contact the Copyright Tribunal and ask them to decide on some disputes about licensing.\n\nThey can also contact them by post.\n\n## Help with copyright law\n\nThe IPO Information Centre offers general advice on copyright law.\n\nYou can get advice on particular legal issues from an intellectual property (IP) professional.\n\n## If you\u2019d like more guidance about an area of copyright law\n\nYou can also ask IPO to publish guidance about an area of copyright law.\n\nThey might publish a public \u2018copyright notice\u2019 if your question highlights a gap in the general copyright guidance.", + "original_contents": [ + "

    Overview

    ", + "

    Copyright protects your work and stops others from using it without your permission.

    ", + "

    You get copyright protection automatically - you don\u2019t have to apply or pay a fee. There isn\u2019t a register of copyright works in the UK.

    ", + "

    You automatically get copyright protection when you create:

    ", + "
  • original literary, dramatic, musical and artistic work, including illustration and photography
  • ", + "
  • original non-literary written work, such as software, web content and databases
  • ", + "
  • sound and music recordings
  • ", + "
  • film and television recordings
  • ", + "
  • broadcasts
  • ", + "
  • the layout of published editions of written, dramatic and musical works
  • ", + "

    You can mark your work with the copyright symbol (\u00a9), your name and the year of creation. Whether you mark the work or not doesn\u2019t affect the level of protection you have.

    ", + "

    How copyright protects your work

    ", + "

    Copyright prevents people from:

    ", + "
  • copying your work
  • ", + "
  • distributing copies of it, whether free of charge or for sale
  • ", + "
  • renting or lending copies of your work
  • ", + "
  • performing, showing or playing your work in public
  • ", + "
  • making an adaptation of your work
  • ", + "
  • putting it on the internet
  • ", + "

    Copyright overseas

    ", + "

    Your work could be protected by copyright in other countries through international agreements, for example the Berne Convention.

    ", + "

    In most countries copyright lasts a minimum of life plus 50 years for most types of written, dramatic and artistic works, and at least 25 years for photographs. It can be different for other types of work.

    ", + "

    Contact the IPO Information Centre if you have a question about international copyright.

    ", + "

    How long copyright lasts

    ", + "

    Copyright protection starts as soon as a work is created. Once your copyright has expired, anyone can use or copy your work.

    ", + "

    The length of copyright depends on the type of work.

    ", + "Type of work | How long copyright usually lasts", + "Written, dramatic, musical and artistic work | 70 years after the author\u2019s death", + "Sound and music recording | 70 years from when it\u2019s first published", + "Films | 70 years after the death of the director, screenplay author and composer", + "Broadcasts | 50 years from when it\u2019s first broadcast", + "Layout of published editions of written, dramatic or musical works | 25 years from when it\u2019s first published", + "

    The length of copyright also depends on how long ago the work was created.

    ", + "

    You can read more guidance about how long copyright lasts.

    ", + "

    Contact the IPO Information Centre if you have questions about the copyright of an older work.

    ", + "

    License and sell your copyright

    ", + "

    You can license the use of your work if you own the copyright. You can also decide how your work is used.

    ", + "

    You can register your work with a licensing body, for example a collecting society, who will agree licences with users for you and collect royalties for you.

    ", + "

    Sell or transfer your copyright

    ", + "

    You\u2019ll need to write and sign a document (sometimes called an \u2018assignment\u2019) to show a sale or transfer has taken place.

    ", + "

    Your copyright can be transferred by inheritance and will be valid as long as the work remains in copyright - check how long protection lasts.

    ", + "

    Moral rights

    ", + "

    You can keep or waive your \u2018moral rights\u2019, which include the right to:

    ", + "
  • be identified as the author of your work
  • ", + "
  • object to how the work is presented, for example if you think it\u2019s \u2018derogatory\u2019 or damaging to you or your reputation
  • ", + "
  • object to changes made to your work
  • ", + "

    Performers\u2019 rights

    ", + "

    You have rights in your performances separate to copyright if you\u2019re a performer.

    ", + "

    For example, if you\u2019re an actor in a play you may have \u2018economic rights\u2019 in any recordings or broadcasts of their performance, even if the copyright is sold.

    ", + "

    Stop people using your work

    ", + "

    You\u2019re responsible for defending your copyright material against infringement.

    ", + "

    Some people or organisations (such as libraries or schools) may be able to use copyright work without permission. You should check whether someone\u2019s use of your work is permitted before trying to stop them.

    ", + "

    If you think someone is using your work and they don\u2019t know you own the rights

    ", + "

    People or organisations must apply for a licence if they want to use a work that\u2019s covered by copyright but don\u2019t know who the rights holder is.

    ", + "

    Check the licences register to see if anyone has licensed your work or is in the process of applying for a licence. If your work is on the register you can:

    ", + "
  • apply to have an application stopped
  • ", + "
  • claim the licence fee that\u2019s been paid (if a licence has already been issued)
  • ", + "

    If you have a dispute about licensing

    ", + "

    Your collecting society can contact the Copyright Tribunal and ask them to decide on some disputes about licensing.

    ", + "

    They can also contact them by post.

    ", + "

    Help with copyright law

    ", + "

    The IPO Information Centre offers general advice on copyright law.

    ", + "

    You can get advice on particular legal issues from an intellectual property (IP) professional.

    ", + "

    If you\u2019d like more guidance about an area of copyright law

    ", + "

    You can also ask IPO to publish guidance about an area of copyright law.

    ", + "

    They might publish a public \u2018copyright notice\u2019 if your question highlights a gap in the general copyright guidance.

    " + ] + }, + "https://www.gov.uk/patent-your-invention": { + "url": "https://www.gov.uk/patent-your-invention", + "title": "Patenting your invention", + "content": "## What you can patent\n\nYou can use a patent to protect your invention. It gives you the right to take legal action against anyone who makes, uses, sells or imports it without your permission.\n\nTo be granted a patent, your invention must be all of the following:\n\n- something that can be made or used\n\n- new\n\n- inventive - not just a simple modification to something that already exists\n\nPatents are expensive and difficult to get. Before you apply, check if a patent is right for your business.\n\n## What you cannot patent\n\nYou cannot patent certain types of invention, including:\n\n- literary, dramatic, musical or artistic works\n\n- a way of doing business, playing a game or thinking\n\n- a method of medical treatment or diagnosis\n\n- a discovery, scientific theory or mathematical method\n\n- the way information is presented\n\n- some computer programs or mobile apps\n\n- \u2018essentially biological\u2019 processes like crossing-breeding plants, and plant or animal varieties\n\n## Before you apply\n\nPatents are the most difficult form of protection to get. Check if a patent is right for your business before you apply for one.\n\nYou should only apply for a patent if:\n\n- your invention is new - check for similar ones by searching published patents, the internet and trade publications\n\n- you have the time and money for the application process\n\nThe application process is:\n\n- complicated - only 1 in 20 applicants get a patent without professional help\n\n- expensive - with professional help, applications typically cost \u00a34,000\n\n- long - it usually takes 5 years\n\nIf you get a patent, you\u2019ll also have to pay to renew it each year and the costs of legal action if you need to defend it.\n\n## Other ways to protect your intellectual property\n\nOther types of protection might be more appropriate for your business. For example, you can use:\n\n- trade marks - if you can create a brand and be first to market\n\n- design rights - if how your product looks (rather than how it works) is important and innovative\n\n- non-disclosure agreements to keep it secret before launch - this can provide enough protection if your product is likely to sell for only a short time\n\n## Getting help\n\nYou can get a professional to help you decide whether a patent is right for your business.\n\nYou may be able to get free advice by:\n\n- speaking to a patent attorney or other professional advisor - many offer basic advice for free\n\n- attending an intellectual property (IP) clinic\n\n- going to the British Library Business and IP Centre in London\n\nThis advice will be confidential.\n\nDo not talk to other people without a non-disclosure agreement, or you may not be able to patent your invention. You can get help with this from a patent attorney or solicitor.\n\n## If you decide to apply\n\nWhen you\u2019ve checked that a patent is right for your business, you should find a patent attorney or advisor. They will:\n\n- help you prepare your application correctly - you cannot add in additional information later\n\n- give you the best chance of being granted a patent\n\n- try to make your patent as commercially valuable as possible\n\nYou may be approached by companies offering to promote your invention for a fee. Get independent legal or financial advice before you agree to anything.\n\n## Applying for a patent\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process. Applications typically cost \u00a34,000 and the process usually takes 5 years. There are 8 steps if you apply for patent protection in the UK through the Intellectual Property Office (IPO).\n\n- Search for similar patents to make sure your invention is new.\n\n- Prepare your patent application.\n\n- File your patent application and request a search from IPO.\n\n- Receive your search report (usually within 6 months) and decide whether you want to continue with your application.\n\n- Your application will be published 18 months after you file it.\n\n- Ask for a \u2018substantive examination\u2019 within 6 months of publication.\n\n- Respond to comments from IPO\u2019s \u2018substantive examination\u2019. The examination may take place several years after you file your application.\n\n- Your application will be granted or refused.\n\nYou can commercially benefit from your patent once it has been granted, for example license, sell or mortgage your patent.\n\nDo not make your invention public before you apply. You may not be able to patent it if you do.\n\n## Other ways to get a UK patent\n\nYou can also file a UK patent application through the:\n\n- European Patent Office (EPO)\n\n- World Intellectual Property Organization (WIPO)\n\n## Prepare your application\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nA patent application is made up of 4 parts that need to meet specific criteria.\n\nYou must include:\n\n- a description of your invention that allows others to see how it works and how it could be made\n\n- legal statements that set out the technical features of your invention that are to be protected (known as \u2018claims\u2019)\n\n- a summary of all the important technical aspects of your invention (known as the \u2018abstract\u2019)\n\nYou should also include any drawings you need to illustrate your description.\n\nThe fees are higher if your description has more than 35 pages or you include more than 25 claims.\n\nRead the patent application fact sheets for instructions on how to produce each part of your application.\n\nYou have to submit your description and any drawings with your application form.\n\nYou can file your claims and abstract once your patent is pending, but it\u2019s best if you submit all the parts together.\n\n## Academic papers\n\nYou can send academic papers as part of your patent application, to help describe your invention.\n\nYou still need to send a description, drawings and claims.\n\n## \u2018Statement of inventorship\u2019\n\nYou need to complete a statement of inventorship if:\n\n- you\u2019re not the inventor\n\n- there\u2019s more than one inventor and they\u2019re not listed as applicants\n\n- you\u2019re applying on behalf of a company\n\nThe statement provides the Intellectual Property Office (IPO) with more information about who the inventor is and why you have the right to apply for the patent.\n\nSubmit your \u2018statement of inventorship\u2019 online when you apply for a patent, or do it later by filing documents for a pending UK patent.\n\nAlternatively, download the \u2018statement of inventorship\u2019 form and send it with your application.\n\n## Apply for a patent\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nYou can file a UK patent application with the Intellectual Property Office (IPO). Read the patent application fact sheets for instructions on how to produce each part of your application.\n\nYou can apply either:\n\n- online\n\n- by post\n\nYou can request and pay for your search and examination at this point or later in the process.\n\n## Fees\n\n| Stage | Apply online | Apply by post |\n\n| Application (if you pay when you apply) | \u00a360 | \u00a390 |\n\n| Application (if you pay later) | \u00a375 | \u00a3112.50 |\n\n| Search | \u00a3150 (plus \u00a320 for each claim over 25 claims) | \u00a3180 (plus \u00a320 for each claim over 25 claims) |\n\n| Substantive examination | \u00a3100 (plus \u00a310 for each page of description over 35 pages) | \u00a3130 (plus \u00a310 for each page of description over 35 pages) |\n\nIf you get a patent, you\u2019ll also have to pay to renew it to keep it in force.\n\n## Get your patent granted more quickly\n\nYou can get your application processed more quickly if you file your search and examination requests at the same time as you apply.\n\nThis costs the same as applying separately and means they\u2019ll be processed at the same time.\n\nYou may also be able to get a \u2018fast grant\u2019 if, for example:\n\n- your invention has some sort of environmental benefit (green channel)\n\n- you\u2019ve already submitted a patent application for your invention at another patent office (Patent Prosecution Highway)\n\nRead the patents fast grant guidance.\n\n## Request your search and examination\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nAs part of the application process, you must pay for a patent search and a \u2018substantive examination\u2019.\n\nYou can request the search either when you apply or later in the process.\n\nYou must request your search within 12 months of your filing or priority date.\n\nYou must request your examination within 6 months of publication.\n\n## Patent search\n\nThe Intellectual Property Office (IPO) carries out a search to check whether your invention is new and inventive.\n\nYou have to request and pay for your search within 12 months of your filing date or priority date.\n\nYou\u2019ll be sent the results and told if any part of your application is not right.\n\nRead the search report factsheet.\n\nSearch reports can take up to 6 months.\n\n## Publication\n\nYour application will be published 18 months from your filing or priority date, provided it\u2019s complete and passes the search.\n\nThe open part of your application, which includes your address, will be publicly available in the:\n\n- online patents journal on the IPO website\n\n- IPO records\n\n## \u2018Substantive examination\u2019\n\nThe examination checks whether your invention is new and inventive enough. It also checks that your description and claims match and are good enough to patent.\n\nThe examination will show if your application meets the legal requirements. You\u2019ll be told what you need to do if it does not.\n\nYou must request an examination of your patent application within 6 months of publication.\n\nExaminations can take place several years after you file your application.\n\n## How to apply\n\nYou can apply online or by post for both the search and examination.\n\n## Apply online\n\nYou can request your search and examination either:\n\n- with your initial application\n\n- later in the process\n\nYou must request your search within 12 months of your filing or priority date and examination within 6 months of publication.\n\n## Apply by post\n\nDownload the forms:\n\n- search request form\n\n- examination request form\n\nFill in and post the forms. The address is on the forms.\n\n## After you apply\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nYou\u2019ll be sent a receipt with your application number and filing date (the date your application is received).\n\nYou\u2019ll be told what to do next and when.\n\nAfter you\u2019ve applied you can mark your invention as \u2018patent pending\u2019 or \u2018patent applied for\u2019. You can either add the patent number and say that you applied for it in the UK, or use a web address instead if the patent number is online.\n\nIf you use a web address, make sure the patent number and the product it relates to are clearly displayed on your website.\n\nIf your patent is granted:\n\n- your application will be published in its final form\n\n- you\u2019ll be sent a certificate\n\nYou\u2019ll be responsible for renewing and defending your patent.\n\n## File more documents once your patent is pending\n\nYou may need to file more forms and documents once you have a patent pending (for example a form to request a search, or a document with your claims).\n\nYou must send your claims, abstract, application fee and search fee within 12 months of your filing date.\n\n## If your application includes a \u2018priority date\u2019 from an earlier application\n\nYou must send your claims, abstract, application fee and search fee within whichever of the following is later:\n\n- 12 months of the date when you filed your previous application (the priority date)\n\n- 2 months of your current filing date\n\n## Withdraw your application\n\nYou can withdraw your application for any reason, for example to stop it becoming public.\n\nTo stop your invention entering the public domain you must withdraw your application before it\u2019s published.\n\nYou can ask for a withdrawal up to the day before the deadline given in your search report.\n\n## Withdraw by email\n\nEmail withdraw@ipo.gov.uk with your patent application number in the subject line.\n\nClearly state that you want to withdraw in the body of the email.\n\nState why you have the authority to withdraw the application, for example that you\u2019re the applicant or their agent.\n\n## Withdraw by post\n\nYou can also withdraw by post - mark your request as urgent if there\u2019s less than 3 weeks until publication.\n\n## Make a new application with a priority date\n\nYou can withdraw your application and reapply if you want to change it for any reason, for example if you\u2019ve developed your invention since you first applied or have new information.\n\nYou can use the filing date of your earlier application (known as the priority date) if your new application is made within 12 months.\n\n## Terminated applications\n\nYour application will be terminated if you do not submit the right documents, forms and payment when asked to.\n\nYou may be able to reopen your application if you apply within 12 months of termination.\n\nYou need to be able to show:\n\n- why you failed to meet the requirements\n\n- that the failure was not intentional\n\n- when you became able to meet the requirements\n\nIt costs \u00a3150 to apply - this is not refundable.\n\n## Reopen your application\n\nDownload the reinstatement request form.\n\nSend the form, your fee and any supporting evidence to IPO.\n\nIf your request is granted, you must meet the requirements within 2 months.\n\nYou can ask for an ex parte hearing if you\u2019re turned down, where you can put your case to a senior official.\n\n## International patents\n\nA patent only protects your invention in the country where the patent is registered.\n\nFor protection overseas, you can:\n\n- file a single application under the Patent Cooperation Treaty (PCT) for protection in more than 140 countries\n\n- file a single application with the European Patent Office (EPO) for protection in more than 30 countries in Europe\n\n- apply separately to the patent office of each country where you want a patent\n\nRead the guidance on filing a patent abroad for basic information on filing for international protection.", + "original_contents": [ + "

    What you can patent

    ", + "

    You can use a patent to protect your invention. It gives you the right to take legal action against anyone who makes, uses, sells or imports it without your permission.

    ", + "

    To be granted a patent, your invention must be all of the following:

    ", + "
  • something that can be made or used
  • ", + "
  • new
  • ", + "
  • inventive - not just a simple modification to something that already exists
  • ", + "

    Patents are expensive and difficult to get. Before you apply, check if a patent is right for your business.

    ", + "

    What you cannot patent

    ", + "

    You cannot patent certain types of invention, including:

    ", + "
  • literary, dramatic, musical or artistic works
  • ", + "
  • a way of doing business, playing a game or thinking
  • ", + "
  • a method of medical treatment or diagnosis
  • ", + "
  • a discovery, scientific theory or mathematical method
  • ", + "
  • the way information is presented
  • ", + "
  • some computer programs or mobile apps
  • ", + "
  • \u2018essentially biological\u2019 processes like crossing-breeding plants, and plant or animal varieties
  • ", + "

    Before you apply

    ", + "

    Patents are the most difficult form of protection to get. Check if a patent is right for your business before you apply for one.

    ", + "

    You should only apply for a patent if:

    ", + "
  • your invention is new - check for similar ones by searching published patents, the internet and trade publications
  • ", + "
  • you have the time and money for the application process
  • ", + "

    The application process is:

    ", + "
  • complicated - only 1 in 20 applicants get a patent without professional help
  • ", + "
  • expensive - with professional help, applications typically cost \u00a34,000
  • ", + "
  • long - it usually takes 5 years
  • ", + "

    If you get a patent, you\u2019ll also have to pay to renew it each year and the costs of legal action if you need to defend it.

    ", + "

    Other ways to protect your intellectual property

    ", + "

    Other types of protection might be more appropriate for your business. For example, you can use:

    ", + "
  • trade marks - if you can create a brand and be first to market
  • ", + "
  • design rights - if how your product looks (rather than how it works) is important and innovative
  • ", + "
  • non-disclosure agreements to keep it secret before launch - this can provide enough protection if your product is likely to sell for only a short time
  • ", + "

    Getting help

    ", + "

    You can get a professional to help you decide whether a patent is right for your business.

    ", + "

    You may be able to get free advice by:

    ", + "
  • speaking to a patent attorney or other professional advisor - many offer basic advice for free
  • ", + "
  • attending an intellectual property (IP) clinic
  • ", + "
  • going to the British Library Business and IP Centre in London
  • ", + "

    This advice will be confidential.

    ", + "

    Do not talk to other people without a non-disclosure agreement, or you may not be able to patent your invention. You can get help with this from a patent attorney or solicitor.

    ", + "

    If you decide to apply

    ", + "

    When you\u2019ve checked that a patent is right for your business, you should find a patent attorney or advisor. They will:

    ", + "
  • help you prepare your application correctly - you cannot add in additional information later
  • ", + "
  • give you the best chance of being granted a patent
  • ", + "
  • try to make your patent as commercially valuable as possible
  • ", + "

    You may be approached by companies offering to promote your invention for a fee. Get independent legal or financial advice before you agree to anything.

    ", + "

    Applying for a patent

    ", + "

    If you work with a patent attorney or advisor, they\u2019ll help you through the application process. Applications typically cost \u00a34,000 and the process usually takes 5 years. There are 8 steps if you apply for patent protection in the UK through the Intellectual Property Office (IPO).

    ", + "
  • Search for similar patents to make sure your invention is new.
  • ", + "
  • Prepare your patent application.
  • ", + "
  • File your patent application and request a search from IPO.
  • ", + "
  • Receive your search report (usually within 6 months) and decide whether you want to continue with your application.
  • ", + "
  • Your application will be published 18 months after you file it.
  • ", + "
  • Ask for a \u2018substantive examination\u2019 within 6 months of publication.
  • ", + "
  • Respond to comments from IPO\u2019s \u2018substantive examination\u2019. The examination may take place several years after you file your application.
  • ", + "
  • Your application will be granted or refused.
  • ", + "

    You can commercially benefit from your patent once it has been granted, for example license, sell or mortgage your patent.

    ", + "

    Do not make your invention public before you apply. You may not be able to patent it if you do.

    ", + "

    Other ways to get a UK patent

    ", + "

    You can also file a UK patent application through the:

    ", + "
  • European Patent Office (EPO)
  • ", + "
  • World Intellectual Property Organization (WIPO)
  • ", + "

    Prepare your application

    ", + "

    If you work with a patent attorney or advisor, they\u2019ll help you through the application process.

    ", + "

    A patent application is made up of 4 parts that need to meet specific criteria.

    ", + "

    You must include:

    ", + "
  • a description of your invention that allows others to see how it works and how it could be made
  • ", + "
  • legal statements that set out the technical features of your invention that are to be protected (known as \u2018claims\u2019)
  • ", + "
  • a summary of all the important technical aspects of your invention (known as the \u2018abstract\u2019)
  • ", + "

    You should also include any drawings you need to illustrate your description.

    ", + "

    The fees are higher if your description has more than 35 pages or you include more than 25 claims.

    ", + "

    Read the patent application fact sheets for instructions on how to produce each part of your application.

    ", + "

    You have to submit your description and any drawings with your application form.

    ", + "

    You can file your claims and abstract once your patent is pending, but it\u2019s best if you submit all the parts together.

    ", + "

    Academic papers

    ", + "

    You can send academic papers as part of your patent application, to help describe your invention.

    ", + "

    You still need to send a description, drawings and claims.

    ", + "

    \u2018Statement of inventorship\u2019

    ", + "

    You need to complete a statement of inventorship if:

    ", + "
  • you\u2019re not the inventor
  • ", + "
  • there\u2019s more than one inventor and they\u2019re not listed as applicants
  • ", + "
  • you\u2019re applying on behalf of a company
  • ", + "

    The statement provides the Intellectual Property Office (IPO) with more information about who the inventor is and why you have the right to apply for the patent.

    ", + "

    Submit your \u2018statement of inventorship\u2019 online when you apply for a patent, or do it later by filing documents for a pending UK patent.

    ", + "

    Alternatively, download the \u2018statement of inventorship\u2019 form and send it with your application.

    ", + "

    Apply for a patent

    ", + "

    If you work with a patent attorney or advisor, they\u2019ll help you through the application process.

    ", + "

    You can file a UK patent application with the Intellectual Property Office (IPO). Read the patent application fact sheets for instructions on how to produce each part of your application.

    ", + "

    You can apply either:

    ", + "
  • online
  • ", + "
  • by post
  • ", + "

    You can request and pay for your search and examination at this point or later in the process.

    ", + "

    Fees

    ", + "Stage | Apply online | Apply by post", + "Application (if you pay when you apply) | \u00a360 | \u00a390", + "Application (if you pay later) | \u00a375 | \u00a3112.50", + "Search | \u00a3150 (plus \u00a320 for each claim over 25 claims) | \u00a3180 (plus \u00a320 for each claim over 25 claims)", + "Substantive examination | \u00a3100 (plus \u00a310 for each page of description over 35 pages) | \u00a3130 (plus \u00a310 for each page of description over 35 pages)", + "

    If you get a patent, you\u2019ll also have to pay to renew it to keep it in force.

    ", + "

    Get your patent granted more quickly

    ", + "

    You can get your application processed more quickly if you file your search and examination requests at the same time as you apply.

    ", + "

    This costs the same as applying separately and means they\u2019ll be processed at the same time.

    ", + "

    You may also be able to get a \u2018fast grant\u2019 if, for example:

    ", + "
  • your invention has some sort of environmental benefit (green channel)
  • ", + "
  • you\u2019ve already submitted a patent application for your invention at another patent office (Patent Prosecution Highway)
  • ", + "

    Read the patents fast grant guidance.

    ", + "

    Request your search and examination

    ", + "

    If you work with a patent attorney or advisor, they\u2019ll help you through the application process.

    ", + "

    As part of the application process, you must pay for a patent search and a \u2018substantive examination\u2019.

    ", + "

    You can request the search either when you apply or later in the process.

    ", + "

    You must request your search within 12 months of your filing or priority date.

    ", + "

    You must request your examination within 6 months of publication.

    ", + "

    Patent search

    ", + "

    The Intellectual Property Office (IPO) carries out a search to check whether your invention is new and inventive.

    ", + "

    You have to request and pay for your search within 12 months of your filing date or priority date.

    ", + "

    You\u2019ll be sent the results and told if any part of your application is not right.

    ", + "

    Read the search report factsheet.

    ", + "

    Search reports can take up to 6 months.

    ", + "

    Publication

    ", + "

    Your application will be published 18 months from your filing or priority date, provided it\u2019s complete and passes the search.

    ", + "

    The open part of your application, which includes your address, will be publicly available in the:

    ", + "
  • online patents journal on the IPO website
  • ", + "
  • IPO records
  • ", + "

    \u2018Substantive examination\u2019

    ", + "

    The examination checks whether your invention is new and inventive enough. It also checks that your description and claims match and are good enough to patent.

    ", + "

    The examination will show if your application meets the legal requirements. You\u2019ll be told what you need to do if it does not.

    ", + "

    You must request an examination of your patent application within 6 months of publication.

    ", + "

    Examinations can take place several years after you file your application.

    ", + "

    How to apply

    ", + "

    You can apply online or by post for both the search and examination.

    ", + "

    Apply online

    ", + "

    You can request your search and examination either:

    ", + "
  • with your initial application
  • ", + "
  • later in the process
  • ", + "

    You must request your search within 12 months of your filing or priority date and examination within 6 months of publication.

    ", + "

    Apply by post

    ", + "

    Download the forms:

    ", + "
  • search request form
  • ", + "
  • examination request form
  • ", + "

    Fill in and post the forms. The address is on the forms.

    ", + "

    After you apply

    ", + "

    If you work with a patent attorney or advisor, they\u2019ll help you through the application process.

    ", + "

    You\u2019ll be sent a receipt with your application number and filing date (the date your application is received).

    ", + "

    You\u2019ll be told what to do next and when.

    ", + "

    After you\u2019ve applied you can mark your invention as \u2018patent pending\u2019 or \u2018patent applied for\u2019. You can either add the patent number and say that you applied for it in the UK, or use a web address instead if the patent number is online.

    ", + "

    If you use a web address, make sure the patent number and the product it relates to are clearly displayed on your website.

    ", + "

    If your patent is granted:

    ", + "
  • your application will be published in its final form
  • ", + "
  • you\u2019ll be sent a certificate
  • ", + "

    You\u2019ll be responsible for renewing and defending your patent.

    ", + "

    File more documents once your patent is pending

    ", + "

    You may need to file more forms and documents once you have a patent pending (for example a form to request a search, or a document with your claims).

    ", + "

    You must send your claims, abstract, application fee and search fee within 12 months of your filing date.

    ", + "

    If your application includes a \u2018priority date\u2019 from an earlier application

    ", + "

    You must send your claims, abstract, application fee and search fee within whichever of the following is later:

    ", + "
  • 12 months of the date when you filed your previous application (the priority date)
  • ", + "
  • 2 months of your current filing date
  • ", + "

    Withdraw your application

    ", + "

    You can withdraw your application for any reason, for example to stop it becoming public.

    ", + "

    To stop your invention entering the public domain you must withdraw your application before it\u2019s published.

    ", + "

    You can ask for a withdrawal up to the day before the deadline given in your search report.

    ", + "

    Withdraw by email

    ", + "

    Email withdraw@ipo.gov.uk with your patent application number in the subject line.

    ", + "

    Clearly state that you want to withdraw in the body of the email.

    ", + "

    State why you have the authority to withdraw the application, for example that you\u2019re the applicant or their agent.

    ", + "

    Withdraw by post

    ", + "

    You can also withdraw by post - mark your request as urgent if there\u2019s less than 3 weeks until publication.

    ", + "

    Make a new application with a priority date

    ", + "

    You can withdraw your application and reapply if you want to change it for any reason, for example if you\u2019ve developed your invention since you first applied or have new information.

    ", + "

    You can use the filing date of your earlier application (known as the priority date) if your new application is made within 12 months.

    ", + "

    Terminated applications

    ", + "

    Your application will be terminated if you do not submit the right documents, forms and payment when asked to.

    ", + "

    You may be able to reopen your application if you apply within 12 months of termination.

    ", + "

    You need to be able to show:

    ", + "
  • why you failed to meet the requirements
  • ", + "
  • that the failure was not intentional
  • ", + "
  • when you became able to meet the requirements
  • ", + "

    It costs \u00a3150 to apply - this is not refundable.

    ", + "

    Reopen your application

    ", + "

    Download the reinstatement request form.

    ", + "

    Send the form, your fee and any supporting evidence to IPO.

    ", + "

    If your request is granted, you must meet the requirements within 2 months.

    ", + "

    You can ask for an ex parte hearing if you\u2019re turned down, where you can put your case to a senior official.

    ", + "

    International patents

    ", + "

    A patent only protects your invention in the country where the patent is registered.

    ", + "

    For protection overseas, you can:

    ", + "
  • file a single application under the Patent Cooperation Treaty (PCT) for protection in more than 140 countries
  • ", + "
  • file a single application with the European Patent Office (EPO) for protection in more than 30 countries in Europe
  • ", + "
  • apply separately to the patent office of each country where you want a patent
  • ", + "

    Read the guidance on filing a patent abroad for basic information on filing for international protection.

    " + ] + }, + "https://www.gov.uk/register-a-design": { + "url": "https://www.gov.uk/register-a-design", + "title": "Register a design", + "content": "## Check if you can register your design\n\nYou can register the look of a product you\u2019ve designed to stop people copying or stealing it.\n\nThe look of your design includes the:\n\n- appearance\n\n- physical shape\n\n- configuration (or how different parts of a design are arranged together)\n\n- decoration\n\n## What you\u2019ll get\n\nRegistering your design:\n\n- protects any aspect of your design, for example both the product\u2019s shape and decoration\n\n- gives you the right to prevent others from using it for up to 25 years - you have to renew your registered design every 5 years\n\n- makes taking legal action against infringement and copying more straightforward\n\nOnce registered you can display your registration number on your design.\n\nShapes of objects may already be automatically protected by design right, but it\u2019s easier to protect your design if you register it.\n\n## What you can and cannot register\n\nTo register your design, it must:\n\n- be new\n\n- not be offensive (for example feature graphic images or words)\n\n- be your own intellectual property\n\n- not make use of protected emblems or flags (for example the Olympic rings or the Royal Crown)\n\n- not be an invention or how a product works - you\u2019ll need a patent instead\n\nYou cannot protect the functionality of a design - for example a chair that folds down more quickly than others of the same kind.\n\n## Search the registers\n\nSearch all of the following design registers to check if your design is unique:\n\n- UK-registered designs\n\n- EU Intellectual Property Office (EUIPO)\n\n- World Intellectual Property Organisation (WIPO)\n\nYou can ask the Intellectual Property Office to search for you for \u00a324.\n\n## Prepare your illustrations\n\nYour illustrations should:\n\n- show the design as it appears to the eye, using photographs, line drawings, computer-aided design (CAD) or rendered CAD\n\n- show the design against a plain background, with no details hidden by shadows or reflections\n\n- not contain text, measurements or other technical information\n\n- not contain more than one view of the design\n\n- not include anything that is not part of the design, for example another object or your hand\n\n- be the same type, not a mixture (for example, all line drawings or all photographs)\n\n- include the complete pattern and enough to show how the pattern repeats, if you want to register a surface pattern\n\nInclude up to 12 illustrations if you\u2019re applying online, with one view per file. Apply by post if you need to show more than 12 illustrations.\n\nIf you\u2019re applying by post, your illustrations should be on plain A4 paper.\n\nIf your application is shown in colour, or contains tonal contrast, the Intellectual Property Office will assume that those elements are intended to form part of your design (unless you\u2019ve added a \u2018disclaimer\u2019).\n\nColour included in these diagrams is used for illustrative purposes only.\n\nYou may need to add more information to your illustrations to make it clear what you want to protect.\n\n## If you're only registering part of an illustration\n\nYou can add more information if you only want to register:\n\n- part of your illustration\n\n- the shape, not the colour or surface pattern\n\nYou can either show or explain:\n\n- which parts of an illustration you want to protect - this is called a \u2018limitation\u2019\n\n- the parts of an illustration you do not want to protect - this is called a \u2018disclaimer\u2019\n\nYou can do this by \u2018greying out\u2019 or circling parts of the illustration, or by adding a line of text.\n\n## Apply\n\n## Apply online\n\nYou can register your design online. It\u2019s cheaper than applying by post.\n\n| Number of designs | Fee |\n\n| One | \u00a350 |\n\n| Up to 10 | \u00a370 |\n\n| Up to 20 | \u00a390 |\n\n| Up to 30 | \u00a3110 |\n\n| Up to 40 | \u00a3130 |\n\n| Up to 50 | \u00a3150 |\n\nYou cannot claim back VAT as the fee is out of scope.\n\n## Apply by post\n\nYour application should include the following documents:\n\n- a completed application form - read the guidance notes before applying\n\n- your prepared illustrations\n\n| Number of designs | Fee |\n\n| One | \u00a360 |\n\n| Each additional design | \u00a340 |\n\nYou cannot claim back VAT as the fee is out of scope.\n\n## After you\u2019ve applied\n\nThe Intellectual Property Office will examine your application within 8 weeks (40 working days).\n\nIf there are no objections and you have not asked to defer your registration, your design will be registered immediately.\n\nIf there are any objections, you have 2 months to respond.\n\nYou can request a hearing if you:\n\n- think your application has been dealt with unfairly\n\n- disagree with the decision about your design\n\nYour design will be added to the list of registered designs and made public. You can choose for it not to be made public by deferring your registration.\n\n## Send forms and responses\n\nSend all forms, changes to your application or hearing requests to:\n\n## How long it lasts\n\nYou must renew your design registration every 5 years to keep it protected.\n\n## Use your design\n\nOnce registered you can license, sell or mortgage your design.\n\n## Defer your registration\n\nYou might want to defer registering your design, for example if you need more time to develop and market your product before it becomes public.\n\nYou can ask that your design is not registered for up to 12 months when you apply.\n\nYou must register a deferred design within 12 months of applying or your application will be cancelled and you\u2019ll have to reapply, including paying the fee again.\n\n## When you\u2019re ready to register your design\n\nPost a deferred design registration form for each design to request registration. The address is on the form.\n\nYour design will be registered from the date you first filed your application.\n\nThe fee to register a deferred design is \u00a340.\n\nYou will not get the full protection of being registered until your application is registered and published.", + "original_contents": [ + "

    Check if you can register your design

    ", + "

    You can register the look of a product you\u2019ve designed to stop people copying or stealing it.

    ", + "

    The look of your design includes the:

    ", + "
  • appearance
  • ", + "
  • physical shape
  • ", + "
  • configuration (or how different parts of a design are arranged together)
  • ", + "
  • decoration
  • ", + "

    What you\u2019ll get

    ", + "

    Registering your design:

    ", + "
  • protects any aspect of your design, for example both the product\u2019s shape and decoration
  • ", + "
  • gives you the right to prevent others from using it for up to 25 years - you have to renew your registered design every 5 years
  • ", + "
  • makes taking legal action against infringement and copying more straightforward
  • ", + "

    Once registered you can display your registration number on your design.

    ", + "

    Shapes of objects may already be automatically protected by design right, but it\u2019s easier to protect your design if you register it.

    ", + "

    What you can and cannot register

    ", + "

    To register your design, it must:

    ", + "
  • be new
  • ", + "
  • not be offensive (for example feature graphic images or words)
  • ", + "
  • be your own intellectual property
  • ", + "
  • not make use of protected emblems or flags (for example the Olympic rings or the Royal Crown)
  • ", + "
  • not be an invention or how a product works - you\u2019ll need a patent instead
  • ", + "

    You cannot protect the functionality of a design - for example a chair that folds down more quickly than others of the same kind.

    ", + "

    Search the registers

    ", + "

    Search all of the following design registers to check if your design is unique:

    ", + "
  • UK-registered designs
  • ", + "
  • EU Intellectual Property Office (EUIPO)
  • ", + "
  • World Intellectual Property Organisation (WIPO)
  • ", + "

    You can ask the Intellectual Property Office to search for you for \u00a324.

    ", + "

    Prepare your illustrations

    ", + "

    Your illustrations should:

    ", + "
  • show the design as it appears to the eye, using photographs, line drawings, computer-aided design (CAD) or rendered CAD
  • ", + "
  • show the design against a plain background, with no details hidden by shadows or reflections
  • ", + "
  • not contain text, measurements or other technical information
  • ", + "
  • not contain more than one view of the design
  • ", + "
  • not include anything that is not part of the design, for example another object or your hand
  • ", + "
  • be the same type, not a mixture (for example, all line drawings or all photographs)
  • ", + "
  • include the complete pattern and enough to show how the pattern repeats, if you want to register a surface pattern
  • ", + "

    Include up to 12 illustrations if you\u2019re applying online, with one view per file. Apply by post if you need to show more than 12 illustrations.

    ", + "

    If you\u2019re applying by post, your illustrations should be on plain A4 paper.

    ", + "

    If your application is shown in colour, or contains tonal contrast, the Intellectual Property Office will assume that those elements are intended to form part of your design (unless you\u2019ve added a \u2018disclaimer\u2019).

    ", + "

    Colour included in these diagrams is used for illustrative purposes only.

    ", + "

    ", + "

    You may need to add more information to your illustrations to make it clear what you want to protect.

    ", + "

    If you're only registering part of an illustration

    ", + "

    You can add more information if you only want to register:

    ", + "
  • part of your illustration
  • ", + "
  • the shape, not the colour or surface pattern
  • ", + "

    You can either show or explain:

    ", + "
  • which parts of an illustration you want to protect - this is called a \u2018limitation\u2019
  • ", + "
  • the parts of an illustration you do not want to protect - this is called a \u2018disclaimer\u2019
  • ", + "

    You can do this by \u2018greying out\u2019 or circling parts of the illustration, or by adding a line of text.

    ", + "

    Apply

    ", + "

    Apply online

    ", + "

    You can register your design online. It\u2019s cheaper than applying by post.

    ", + "Number of designs | Fee", + "One | \u00a350", + "Up to 10 | \u00a370", + "Up to 20 | \u00a390", + "Up to 30 | \u00a3110", + "Up to 40 | \u00a3130", + "Up to 50 | \u00a3150", + "

    You cannot claim back VAT as the fee is out of scope.

    ", + "

    Apply by post

    ", + "

    Your application should include the following documents:

    ", + "
  • a completed application form - read the guidance notes before applying
  • ", + "
  • your prepared illustrations
  • ", + "Number of designs | Fee", + "One | \u00a360", + "Each additional design | \u00a340", + "

    You cannot claim back VAT as the fee is out of scope.

    ", + "

    After you\u2019ve applied

    ", + "

    The Intellectual Property Office will examine your application within 8 weeks (40 working days).

    ", + "

    If there are no objections and you have not asked to defer your registration, your design will be registered immediately.

    ", + "

    If there are any objections, you have 2 months to respond.

    ", + "

    You can request a hearing if you:

    ", + "
  • think your application has been dealt with unfairly
  • ", + "
  • disagree with the decision about your design
  • ", + "

    Your design will be added to the list of registered designs and made public. You can choose for it not to be made public by deferring your registration.

    ", + "

    Send forms and responses

    ", + "

    Send all forms, changes to your application or hearing requests to:

    ", + "

    How long it lasts

    ", + "

    You must renew your design registration every 5 years to keep it protected.

    ", + "

    Use your design

    ", + "

    Once registered you can license, sell or mortgage your design.

    ", + "

    Defer your registration

    ", + "

    You might want to defer registering your design, for example if you need more time to develop and market your product before it becomes public.

    ", + "

    You can ask that your design is not registered for up to 12 months when you apply.

    ", + "

    You must register a deferred design within 12 months of applying or your application will be cancelled and you\u2019ll have to reapply, including paying the fee again.

    ", + "

    When you\u2019re ready to register your design

    ", + "

    Post a deferred design registration form for each design to request registration. The address is on the form.

    ", + "

    Your design will be registered from the date you first filed your application.

    ", + "

    The fee to register a deferred design is \u00a340.

    ", + "

    You will not get the full protection of being registered until your application is registered and published.

    " + ] + }, + "https://www.gov.uk/using-somebody-elses-intellectual-property": { + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "title": "Using somebody else's intellectual property", + "content": "## Overview\n\nYou can usually get permission to use someone else\u2019s intellectual property (IP) by buying the rights from them or getting their permission to use it.\n\nUsing someone\u2019s trade mark, patent, copyright or design without their permission is known as \u2018IP infringement\u2019 and could lead to a fine, prison or both.\n\nRead about IP crime and enforcement for more information on the penalties.\n\n## Trade marks\n\nTo use an existing trade mark you should contact the current owner.\n\nFind the owner of a registered trade mark by searching the trade marks database.\n\n## Licensing\n\nA licence is a formal agreement to use someone else\u2019s trade mark. You and the owner must agree the terms of the licence, for example the cost or how long it will last.\n\nWhen you\u2019ve agreed a licence to use the trade mark, fill in the form to record a licensee and post it. The address is on the form.\n\nPost an application to remove or amend the record of a licence when the licensing agreement ends or if you need to change it.\n\nThe owner must sign any form you send, or you must send proof of the agreement with your application.\n\nEach application costs \u00a350.\n\n## Buying\n\nYou must tell IPO if you become the new owner of a trade mark, for example by buying it or as the result of a company merger.\n\nIn some cases the owner may only sell you one part of a trade mark, for example they may not sell the right to register derivative marks. This is known as a \u2018partial assignment\u2019.\n\nUse either:\n\n- \u2018Application to record a change of ownership\u2019 form\n\n- \u2018Application to record a partial assignment of goods and/or services\u2019 form\n\nEach application costs \u00a350.\n\nFill in the form and post it. The address is on the form.\n\n## Coexistence agreements\n\nYou may be able to use an identical trade mark (for example company name, logo) as someone else by making a coexistence agreement.\n\nThis means you agree that both of you can continue to use the trade mark.\n\n## Patents\n\nContact the owner of the patent to see if they\u2019ll:\n\n- license it to you\n\n- sell it to you\n\nSearch the patent databases to find the current owner.\n\n## Licensing\n\nAny licence arrangement, including cost, is made directly between you and the patent owner.\n\nYou can ask Intellectual Property Office (IPO) for help to resolve patent disputes if you can\u2019t reach an agreement.\n\nIPO can\u2019t decide the exact terms of the licence (for example the price) but can decide:\n\n- what can and can\u2019t be part of a licence\n\n- if the patent owner must grant you a licence (known as a \u2018compulsory licence under a patent\u2019)\n\n## Licence of right\n\nA patent with \u2018licence of right\u2019, means that the patent owners will give anyone a licence to use it.\n\nYou must still agree with the owner on the terms of the licence before you can use the patent.\n\nYou can ask IPO for help if you can\u2019t reach agreement.\n\n## Registering your licence\n\nRegister a licence agreement (or changes to an existing licence, for example cancellation) by filling in Patents form 21. Send it to the address on the form.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Buying a patent\n\nWhen someone sells you a patent they must transfer ownership to you.\n\nYou need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.\n\nA solicitor can help you draw up this document.\n\nFill in Patents form 21 and return it to the address on the form. Include a copy of your assignment.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Copyright\n\nYou can\u2019t copy or use copyright material without permission. For example, you can\u2019t buy a painting and then use copies of it for a book cover, or buy a CD and use a track from it in a film.\n\nTo use something protected by copyright you must either:\n\n- agree a licence with the owner to use it\n\n- buy or acquire the copyright\n\n- confirm that your intended use falls within the exceptions to copyright\n\n## Finding a copyright owner\n\nA person can give permission if they are:\n\n- the person who made it (the creator), or their family or heirs\n\n- the creator\u2019s employer, if it was created it as part of the creator\u2019s job\n\n- a person who bought, acquired or licensed the rights\n\n- an organisation representing the copyright owner\n\nYou may be able to find out who owns copyright from Writers, Artists and their copyright holders (WATCH).\n\nIf you can\u2019t find out who the copyright owner is check if you need a licence to use the work.\n\n## Licensing\n\nYou must agree the terms of an agreement with the current owner to use all or part of copyright works.\n\nThe licence agreement may allow you to use it for one or more specified purposes and may apply only for a limited time or in specific places.\n\n## Exclusive use\n\nYou\u2019ll be the only person able to use something for the duration of the agreement.\n\nThis includes the copyright owner, who won\u2019t be able to use it themselves while the agreement is in place.\n\n## Limited use\n\nYou\u2019ll only be given permission to use something for one or more specific reasons, for example publishing a photograph in one edition of a magazine or using a song as the theme for one series of a TV show.\n\nYou need to agree another licence if you want to use the material for something else.\n\n## Creative Commons licence\n\nSome copyright owners release work under a Creative Commons licence.\n\nYou must check what kind of use the licence allows.\n\n## Buying copyright\n\nWhen you buy copyright the person you\u2019re buying from transfers the copyright to you.\n\nOnce you own the copyright to something you can use it for anything you like, without the creator\u2019s express permission, as long as you respect their moral rights.\n\nYou must have a written agreement, signed by the copyright owner, stating that they have transferred ownership of the copyright to you.\n\n## Moral rights\n\nThe creator may still have certain rights regarding how their work is used even if you\u2019ve bought the copyright.\n\nAuthors, playwrights, composers, artists and film directors have the moral right:\n\n- to be recognised as the creator of the work when copies are made available to the public\n\n- to object to the work being altered in a way that has negative effect on their reputation\n\n- to not have someone else\u2019s work falsely attributed to them\n\nPerformers, such as actors or dancers, have the moral right:\n\n- to be recognised as the performer of the piece\n\n- to object to the performance being altered in a way that is damaging to their reputation\n\nThe creator or performer of a piece of work to which you own the copyright must tell you if they want to exercise these rights.\n\nThey can choose whether or not to use their moral rights.\n\nMoral rights can\u2019t be sold or transferred in the same way as copyright. They last for as long as the piece of work is covered by copyright.\n\n## Performers\u2019 rights\n\nPerformers, for example in films or broadcasts, may still have \u2018economic rights\u2019 to some copyright material, even if you\u2019ve bought the copyright.\n\nFor example, if you\u2019ve bought the copyright to a filmed recording of a play you may still have to pay the actors if you broadcast it.\n\n## Permitted use of copyright works\n\nYou may not need permission if you\u2019re using a copyright work for the following reasons:\n\n- non-commercial research and private study\n\n- criticism, review and reporting current events\n\n- teaching in educational establishments\n\n- helping disabled people\n\n- recording for use at a later date\n\nYou may not need permission if you only want to use a \u2018less than a substantial\u2019 part of a copyright protected work. This is decided on a case by case basis.\n\nGenerally something won\u2019t be less than a substantial part if it could be seen as an important part of the work, for example a frame from a film or the conclusions of a report.\n\nGet legal advice from an intellectual property professional before using copyrighted material, if you\u2019re in any doubt.\n\nRead the guidance on exceptions to copyright for detailed information.\n\n## Designs\n\nTo use a registered design you must contact the current owner and either agree a licence to use the design or buy it from them.\n\nThe licence between you and the design\u2019s owner will tell you:\n\n- what you can do with the design\n\n- how long your licence will last\n\n- what you have to pay - if anything\n\nYou can do anything with a design that you\u2019ve bought.\n\nFill in and send form DF12A to register a licence or transfer ownership of the design - the address is on the form.\n\nThere\u2019s no fee.", + "original_contents": [ + "

    Overview

    ", + "

    You can usually get permission to use someone else\u2019s intellectual property (IP) by buying the rights from them or getting their permission to use it.

    ", + "

    Using someone\u2019s trade mark, patent, copyright or design without their permission is known as \u2018IP infringement\u2019 and could lead to a fine, prison or both.

    ", + "

    Read about IP crime and enforcement for more information on the penalties.

    ", + "

    Trade marks

    ", + "

    To use an existing trade mark you should contact the current owner.

    ", + "

    Find the owner of a registered trade mark by searching the trade marks database.

    ", + "

    Licensing

    ", + "

    A licence is a formal agreement to use someone else\u2019s trade mark. You and the owner must agree the terms of the licence, for example the cost or how long it will last.

    ", + "

    When you\u2019ve agreed a licence to use the trade mark, fill in the form to record a licensee and post it. The address is on the form.

    ", + "

    Post an application to remove or amend the record of a licence when the licensing agreement ends or if you need to change it.

    ", + "

    The owner must sign any form you send, or you must send proof of the agreement with your application.

    ", + "

    Each application costs \u00a350.

    ", + "

    Buying

    ", + "

    You must tell IPO if you become the new owner of a trade mark, for example by buying it or as the result of a company merger.

    ", + "

    In some cases the owner may only sell you one part of a trade mark, for example they may not sell the right to register derivative marks. This is known as a \u2018partial assignment\u2019.

    ", + "

    Use either:

    ", + "
  • \u2018Application to record a change of ownership\u2019 form
  • ", + "
  • \u2018Application to record a partial assignment of goods and/or services\u2019 form
  • ", + "

    Each application costs \u00a350.

    ", + "

    Fill in the form and post it. The address is on the form.

    ", + "

    Coexistence agreements

    ", + "

    You may be able to use an identical trade mark (for example company name, logo) as someone else by making a coexistence agreement.

    ", + "

    This means you agree that both of you can continue to use the trade mark.

    ", + "

    Patents

    ", + "

    Contact the owner of the patent to see if they\u2019ll:

    ", + "
  • license it to you
  • ", + "
  • sell it to you
  • ", + "

    Search the patent databases to find the current owner.

    ", + "

    Licensing

    ", + "

    Any licence arrangement, including cost, is made directly between you and the patent owner.

    ", + "

    You can ask Intellectual Property Office (IPO) for help to resolve patent disputes if you can\u2019t reach an agreement.

    ", + "

    IPO can\u2019t decide the exact terms of the licence (for example the price) but can decide:

    ", + "
  • what can and can\u2019t be part of a licence
  • ", + "
  • if the patent owner must grant you a licence (known as a \u2018compulsory licence under a patent\u2019)
  • ", + "

    Licence of right

    ", + "

    A patent with \u2018licence of right\u2019, means that the patent owners will give anyone a licence to use it.

    ", + "

    You must still agree with the owner on the terms of the licence before you can use the patent.

    ", + "

    You can ask IPO for help if you can\u2019t reach agreement.

    ", + "

    Registering your licence

    ", + "

    Register a licence agreement (or changes to an existing licence, for example cancellation) by filling in Patents form 21. Send it to the address on the form.

    ", + "

    You can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.

    ", + "

    Buying a patent

    ", + "

    When someone sells you a patent they must transfer ownership to you.

    ", + "

    You need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.

    ", + "

    A solicitor can help you draw up this document.

    ", + "

    Fill in Patents form 21 and return it to the address on the form. Include a copy of your assignment.

    ", + "

    You can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.

    ", + "

    Copyright

    ", + "

    You can\u2019t copy or use copyright material without permission. For example, you can\u2019t buy a painting and then use copies of it for a book cover, or buy a CD and use a track from it in a film.

    ", + "

    To use something protected by copyright you must either:

    ", + "
  • agree a licence with the owner to use it
  • ", + "
  • buy or acquire the copyright
  • ", + "
  • confirm that your intended use falls within the exceptions to copyright
  • ", + "

    Finding a copyright owner

    ", + "

    A person can give permission if they are:

    ", + "
  • the person who made it (the creator), or their family or heirs
  • ", + "
  • the creator\u2019s employer, if it was created it as part of the creator\u2019s job
  • ", + "
  • a person who bought, acquired or licensed the rights
  • ", + "
  • an organisation representing the copyright owner
  • ", + "

    You may be able to find out who owns copyright from Writers, Artists and their copyright holders (WATCH).

    ", + "

    If you can\u2019t find out who the copyright owner is check if you need a licence to use the work.

    ", + "

    Licensing

    ", + "

    You must agree the terms of an agreement with the current owner to use all or part of copyright works.

    ", + "

    The licence agreement may allow you to use it for one or more specified purposes and may apply only for a limited time or in specific places.

    ", + "

    Exclusive use

    ", + "

    You\u2019ll be the only person able to use something for the duration of the agreement.

    ", + "

    This includes the copyright owner, who won\u2019t be able to use it themselves while the agreement is in place.

    ", + "

    Limited use

    ", + "

    You\u2019ll only be given permission to use something for one or more specific reasons, for example publishing a photograph in one edition of a magazine or using a song as the theme for one series of a TV show.

    ", + "

    You need to agree another licence if you want to use the material for something else.

    ", + "

    Creative Commons licence

    ", + "

    Some copyright owners release work under a Creative Commons licence.

    ", + "

    You must check what kind of use the licence allows.

    ", + "

    Buying copyright

    ", + "

    When you buy copyright the person you\u2019re buying from transfers the copyright to you.

    ", + "

    Once you own the copyright to something you can use it for anything you like, without the creator\u2019s express permission, as long as you respect their moral rights.

    ", + "

    You must have a written agreement, signed by the copyright owner, stating that they have transferred ownership of the copyright to you.

    ", + "

    Moral rights

    ", + "

    The creator may still have certain rights regarding how their work is used even if you\u2019ve bought the copyright.

    ", + "

    Authors, playwrights, composers, artists and film directors have the moral right:

    ", + "
  • to be recognised as the creator of the work when copies are made available to the public
  • ", + "
  • to object to the work being altered in a way that has negative effect on their reputation
  • ", + "
  • to not have someone else\u2019s work falsely attributed to them
  • ", + "

    Performers, such as actors or dancers, have the moral right:

    ", + "
  • to be recognised as the performer of the piece
  • ", + "
  • to object to the performance being altered in a way that is damaging to their reputation
  • ", + "

    The creator or performer of a piece of work to which you own the copyright must tell you if they want to exercise these rights.

    ", + "

    They can choose whether or not to use their moral rights.

    ", + "

    Moral rights can\u2019t be sold or transferred in the same way as copyright. They last for as long as the piece of work is covered by copyright.

    ", + "

    Performers\u2019 rights

    ", + "

    Performers, for example in films or broadcasts, may still have \u2018economic rights\u2019 to some copyright material, even if you\u2019ve bought the copyright.

    ", + "

    For example, if you\u2019ve bought the copyright to a filmed recording of a play you may still have to pay the actors if you broadcast it.

    ", + "

    Permitted use of copyright works

    ", + "

    You may not need permission if you\u2019re using a copyright work for the following reasons:

    ", + "
  • non-commercial research and private study
  • ", + "
  • criticism, review and reporting current events
  • ", + "
  • teaching in educational establishments
  • ", + "
  • helping disabled people
  • ", + "
  • recording for use at a later date
  • ", + "

    You may not need permission if you only want to use a \u2018less than a substantial\u2019 part of a copyright protected work. This is decided on a case by case basis.

    ", + "

    Generally something won\u2019t be less than a substantial part if it could be seen as an important part of the work, for example a frame from a film or the conclusions of a report.

    ", + "

    Get legal advice from an intellectual property professional before using copyrighted material, if you\u2019re in any doubt.

    ", + "

    Read the guidance on exceptions to copyright for detailed information.

    ", + "

    Designs

    ", + "

    To use a registered design you must contact the current owner and either agree a licence to use the design or buy it from them.

    ", + "

    The licence between you and the design\u2019s owner will tell you:

    ", + "
  • what you can do with the design
  • ", + "
  • how long your licence will last
  • ", + "
  • what you have to pay - if anything
  • ", + "

    You can do anything with a design that you\u2019ve bought.

    ", + "

    Fill in and send form DF12A to register a licence or transfer ownership of the design - the address is on the form.

    ", + "

    There\u2019s no fee.

    " + ] + }, + "https://www.gov.uk/how-to-classify-different-types-of-waste": { + "url": "https://www.gov.uk/how-to-classify-different-types-of-waste", + "title": "Classify different types of waste", + "content": "## Overview\n\nYou must identify and classify your waste before you send it for recycling or disposal. This makes sure you or anyone handling your waste deals with it properly.\n\nThere are special rules for dealing with hazardous waste or disposing of waste with a high level of persistent organic pollutants (POPs), (known as \u2018POPs waste\u2019).\n\n## Filling in waste transfer or consignment notes\n\nYou must describe your waste in the paperwork you give your waste contractor. This must include:\n\n- the waste classification code, also referred to as LoW (List of Waste) or EWC (European Waste Catalogue) code - classification codes for common types of waste are in the relevant parts of this guidance\n\n- whether it\u2019s hazardous or POPs waste\n\n- the type of premises or business where the waste was produced\n\n- the name of the substance or substances\n\n- the process that produced the waste\n\n- a chemical and physical analysis of the waste and its components\n\n- any special problems, requirements or knowledge related to the waste\n\n## If you cannot find a code for your waste\n\nCheck the technical guidance on waste, it includes more information about waste classification and assessing waste.\n\nYou must not use landfill waste acceptance criteria (WAC) results for waste classification purposes.\n\n## How to find out if your waste is hazardous or POPs waste\n\nIn most cases you can check the waste code or codes associated with your waste to see if they are hazardous and POPs waste. You must make sure your waste contractor can dispose of this waste properly.\n\nSome waste items have more than one classification, depending on the possible mix of substances in them.\n\nIn these cases you must work out exactly what is in your waste, and how much of it is hazardous or POPs.\n\nCheck the manufacturers\u2019 product safety data sheets for this information or carry out an assessment.\n\nMany products include orange and black danger symbols or red and white hazard pictograms to indicate they\u2019re hazardous.\n\nSome products (for example cosmetics and medicines) are not normally labelled with hazard symbols - check the product\u2019s safety data sheet.\n\nRead the technical guidance on waste and guidance on dealing with POPs waste) for more information on checking for hazardous substances and POPs.\n\n## Mixing waste\n\nIt\u2019s illegal to mix hazardous or POPs waste with either non-hazardous or another hazardous waste.\n\nCheck how to mix and store hazardous waste.\n\nYou will usually need more than one code if you store more than one type of non-hazardous waste in your container.\n\n## If you need more help\n\nGet advice from a specialist waste contractor if you\u2019re not sure whether it\u2019s hazardous or not.\n\nFor more information, contact the Environment Agency.\n\n## Construction and demolition waste\n\nThe tables below list waste codes for common construction and demolition waste.\n\nYou can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.\n\n## Insulation and asbestos materials\n\n| | Waste status | Waste code |\n\n| Insulation containing asbestos | Hazardous | 17-06-01* |\n\n| Other insulation containing hazardous substances | Hazardous | 17-06-03* |\n\n| Other insulation materials | Non-hazardous | 17-06-04 |\n\n| Other construction materials containing asbestos | Hazardous | 17-06-05* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Concrete, bricks, tiles and ceramics\n\nThis list excludes asbestos-containing materials - refer to the insulation and asbestos materials table for any waste with asbestos.\n\n| | Waste status | Waste code |\n\n| Concrete | Non-hazardous | 17-01-01 |\n\n| Bricks | Non-hazardous | 17-01-02 |\n\n| Tiles and ceramics | Non-hazardous | 17-01-03 |\n\n| Concrete, bricks, tiles and ceramics (alone or in mixtures) containing hazardous substances | Hazardous | 17-01-06* |\n\n| Concrete, bricks, tiles and ceramics in mixtures, containing no hazardous substances | Non-hazardous | 17-01-07 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Wood, glass and plastic\n\nThis list excludes packaging wastes and domestic type recyclables - refer to the packaging section for related codes.\n\n| | Waste status | Waste code |\n\n| Wood - untreated | Non-hazardous | 17-02-01 |\n\n| Glass - uncontaminated | Non-hazardous | 17-02-02 |\n\n| Plastic - excludes packaging waste | Non-hazardous | 17-02-03 |\n\n| Treated wood, glass, plastic (alone or in mixtures) containing hazardous substances | Hazardous | 17-02-04* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Bituminous mixtures, coal tar and tar\n\n| | Waste status | Waste code |\n\n| Bituminous mixtures containing coal tar | Hazardous | 17-03-01* |\n\n| Other bituminous mixtures | Non-hazardous | 17-03-02 |\n\n| Coal tar and tarred products | Hazardous | 17-03-03* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Metallic waste, including cable\n\n| | Waste status | Waste code |\n\n| Copper, bronze and brass | Non-hazardous | 17-04-01 |\n\n| Aluminium | Non-hazardous | 17-04-02 |\n\n| Lead | Non-hazardous | 17-04-03 |\n\n| Iron and steel | Non-hazardous | 17-04-05 |\n\n| Tin | Non-hazardous | 17-04-06 |\n\n| Mixed metals | Non-hazardous | 17-04-07 |\n\n| Metals containing hazardous substances | Hazardous | 17-04-09* |\n\n| Cables containing oil, coal tar and other hazardous substances | Hazardous | 17-04-10* |\n\n| Other cables | Non-hazardous | 17-04-11 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Soil, contaminated soil, stones and dredging spoil\n\nYou must be able to prove that your waste does not contain any hazardous substances to classify soil as non-hazardous - you\u2019ll always need to assess the soil before you hand it over to be collected.\n\nThe presence of any fragments of asbestos-containing material in the soil results in a mixed hazardous waste - refer to the insulation and asbestos materials table for more guidance.\n\n| | Waste status | Waste code |\n\n| Soil and stones containing hazardous substances | Hazardous | 17-05-03* |\n\n| Other soil and stones | Non-hazardous | 17-05-04 |\n\n| Dredging spoil containing hazardous substances | Hazardous | 17-05-05* |\n\n| Other dredging spoil | Non-hazardous | 17-05-06 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Gypsum\n\n| | Waste status | Waste code |\n\n| Gypsum materials containing hazardous substances | Hazardous | 17-08-01* |\n\n| Other gypsum materials | Non-hazardous | 17-08-02 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Cement\n\n| | Waste status | Waste code |\n\n| Un-used or un-set cement | Hazardous | 17-09-03* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Paints and varnishes\n\nPaints and varnishes of a type normally used by householders can be classified under the codes indicated in brackets if separated out from other waste.\n\n| | Waste status | Waste code |\n\n| Containing organic solvents or other hazardous substances | Hazardous | 08-01-11* (20-01-27*) |\n\n| Not containing organic solvents or other hazardous substances | Non-hazardous | 08-01-12 (20-01-28) |\n\n| Paint or varnish remover | Hazardous | 08-01-21* |\n\n| Paint cans | Hazardous | Refer to packaging waste and recyclables section |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Adhesives and sealants\n\nAdhesives and sealants of a type normally used by householders can be classified under the codes indicated in brackets if separated out from other waste.\n\n| | Waste status | Waste code |\n\n| Containing organic solvents or other hazardous substances | Hazardous | 08-04-09* (20-01-27*) |\n\n| Not containing organic solvents or other hazardous substances | Non-hazardous | 08-04-10 (20-01-28) |\n\n| Adhesive or sealant containers | Hazardous | Refer to packaging waste and recyclables section |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Packaging waste and recyclables\n\nThe tables below list waste codes for common packaging and domestic type recyclable wastes.\n\nYou can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.\n\nContainers must be empty to be classified as packaging waste.\n\n| | Waste status | Plastic | Metal | Paper and cardboard | Glass | Textiles |\n\n| Clean packaging | Non-hazardous | 15-01-02 | 15-01-04 | 15-01-01 | 15-01-07 | 15-01-09 |\n\n| Other clean material, unmixed - excluding packaging | Non-hazardous | 20-01-39 | 20-01-40 | 20-01-01 | 20-01-02 | 20-01-11 |\n\n| Mixed clean material - including packaging | Non-hazardous | 15-01-02 and 20-01-39 | 15-01-04 and 20-01-40 | 15-01-01 and 20-01-01 | 15-01-07 and 20-01-02 | 15-01-09 and 20-01-10 |\n\n| Empty packaging contaminated with residues of hazardous substances, for example paint cans, intermediate bulk containers (IBCs) and drums | Hazardous | 15-01-10* | 15-01-10* | 15-01-10* | 15-01-10* | 15-01-10* |\n\n| Empty packaging contaminated with residues of non-hazardous substances | Non-hazardous | 15-01-02 | 15-01-04 | 15-01-01 | 15-01-07 | 15-01-09 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Electronic and electrical equipment\n\nThese tables list common waste codes for batteries, lightbulbs and electrical devices.\n\nYou need to include all relevant classification codes if you place waste electrical and electronic equipment (WEEE) that would be assigned different codes in the same container.\n\n## Hazardous substances or persistent organic pollutants (POPs) in waste electricals\n\nWEEE often has components that contain hazardous substances or persistent organic pollutants (POPs). These could include:\n\n- printed circuit boards\n\n- plastic casings, cables and other components\n\n- insulation foam\n\n- cooling agents\n\n- flame retardants\n\n- activated glass and screen phosphors\n\n- cathode ray tubes\n\n- capacitors\n\n- Ni-Cd batteries\n\nIf the levels of hazardous substances or POPs are over a certain amount the item will be classified as hazardous or POPs waste.\n\nIf your WEEE is POPs waste you cannot reuse or recycle it.\n\nThere are special rules about:\n\n- where you can export WEEE that contains POPs\n\n- dealing with hazardous waste\n\n- disposing of POPs waste\n\nIf you\u2019ve assessed your waste and are still not sure if an item is hazardous or POPs waste, you should treat it as hazardous and POPs waste as a precaution.\n\nRead technical guidance on how to assess waste and identifying POPs waste.\n\n## Televisions, computer monitors and other display devices\n\nComponents such as screens, circuit boards, batteries or any plastic parts may contain hazardous chemicals or POPs.\n\n| | Waste status | Household | Industrial or commercial |\n\n| Cathode ray tube (CRT), flatscreen (plasma or LCD) containing POPs | Hazardous and POPs | 20-01-35* | 16-02-13* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Fridges, freezers, chillers and air-conditioning units\n\nComponents such as circuit boards, motors and any plastic parts may contain hazardous chemicals or POPs. Coolants and foam may also be hazardous. Usually there is not enough POPs for the item to be classified as POPs waste.\n\n| | Waste status | Household | Industrial or commercial |\n\n| Containing ozone-depleting substances as foam blowing agents or coolants | Hazardous, non-POPs | 20-01-23* | 16-02-11* |\n\n| Other | Hazardous, non-POPs | 20-01-35* | 16-02-13* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Large domestic appliances (LDA): white goods (washing machines, tumble driers, dishwashers and cookers)\n\nComponents such as circuit boards, motors or any plastic parts may contain hazardous chemicals or POPs. Usually there is not enough for the item to be classified as hazardous or POPs waste.\n\n| | Waste status | Household | Industrial or commercial |\n\n| Large domestic appliances: white goods | Non-hazardous, non-POPs | 20-01-36 | 16-02-14 |\n\n## Small mixed WEEE\n\nThese are small household-type electrical items collected from homes or businesses.\n\nComponents such as screens, circuit boards, batteries or any plastic parts may contain hazardous chemicals or POPs.\n\n| | Waste status | Household | Industrial or commercial |\n\n| Small mixed WEEE containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Other household-type electricals from homes or businesses\n\nThese are waste electrical items collected from households or businesses that are not already listed and are separated from small mixed WEEE.\n\nComponents such as screens, circuit boards, batteries or any plastic parts may contain hazardous chemicals or POPs.\n\n| | Waste status | Household | Industrial or commercial |\n\n| Cat 1: Large household appliances (other than LDA white goods) containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a |\n\n| Cat 2: Small household appliances containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a |\n\n| Cat 3: IT and telecommunication equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a |\n\n| Cat 4: Consumer equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a |\n\n| Cat 5: Lighting equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a |\n\n| Cat 6: Electronic and electrical tools containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a |\n\n| Cat 7: Toys, leisure and sporting equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Lightbulbs and lamps\n\nComponents such as circuit boards, plastic parts or casings may contain POPs and hazardous chemicals, such as flame retardants.\n\nYou must check the levels of hazardous substances and POPs in the bulbs before you can classify the waste. Read guidance on assessing WEEE for hazardous substances or POPs.\n\n| | Waste status | Household | Industrial or commercial |\n\n| Fluorescent tubes and low energy - excluding LED and other gas-discharge lamps | Hazardous | 20-01-21* | 16-02-13* |\n\n| LED, halogen and incandescent containing POPs | Hazardous and POPs | 20-01-35* | 16-02-13* |\n\n| LED, halogen and incandescent not containing hazardous components | Non-hazardous | 20-01-36 | 16-02-14 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Batteries\n\n| | Waste status | Household | Industrial or commercial |\n\n| Lead acid (vehicle) | Hazardous | 16-06-01* | 16-06-01* |\n\n| Lead acid (other) | Hazardous | 20-01-33* | 16-06-01* |\n\n| Nickel-Cadmium | Hazardous | 20-01-33* | 16-06-02* |\n\n| Mercury containing | Hazardous | 20-01-33* | 16-06-03* |\n\n| Alkaline | Non-hazardous | 20-01-34 | 16-06-04 |\n\n| Other - Lithium or Lithium ion | Non-hazardous | 20-01-34 | 16-06-05 |\n\n| Mixed household-type batteries - separately collected | Hazardous | 20-01-33* | Not allowed |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Other WEEE, parts and components\n\nIf your waste is not listed, you can find more classes in the guidance on classifying waste from dismantling or treating WEEE.\n\n## Vehicle and oily wastes\n\nThe tables below list waste codes for common wastes produced by vehicle maintenance and dismantling activities.\n\nYou can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.\n\n## Vehicle fluids and other oils\n\nYou must not mix any of the following fluids:\n\n- mineral oils\n\n- cooking oils\n\n- halogenated oils\n\n- brake fluids\n\n- anti-freeze\n\n- washer fluids\n\n- oily waters\n\n## Vehicle and other oils\n\n| | Waste status | Contains PCBs (polychlorinated biphenyls) | Mineral-based and chlorinated | Mineral-based and non-chlorinated | Synthetic | Readily biodegradable | Other oils |\n\n| Hydraulic oils | Hazardous | 13-01-01* | 13-01-09* | 13-01-10* | 13-01-11* | 13-01-12* | 13-01-13* |\n\n| Engine, gear and lubricating oils | Hazardous | Not applicable | 13-02-04* | 13-02-05* | 13-02-06* | 13-02-07* | 13-02-08* |\n\n| Insulating and transmission oils | Hazardous | 13-03-01* | 13-03-06* | 13-03-07* | 13-03-08* | 13-03-09* | 13-03-10* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Interceptor wastes\n\n| | Waste status | Waste code |\n\n| Interceptor sludges | Hazardous | 13-05-03* |\n\n| Oily water from interceptor | Hazardous | 13-05-07* |\n\n| Solid waste from interceptor | Hazardous | 13-05-01* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Fuels, brake and anti-freeze fluids\n\n| | Waste status | Waste code |\n\n| Fuel oil and diesel | Hazardous | 13-07-01* |\n\n| Petrol | Hazardous | 13-07-02* |\n\n| Other fuels, including mixed fuels from mis-fuelling | Hazardous | 13-07-03* |\n\n| Brake fluids | Hazardous | 16-01-13* |\n\n| Antifreeze containing hazardous substances | Hazardous | 16-01-14* |\n\n| Antifreeze not containing hazardous substances | Non-hazardous | 16-01-15 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Vehicles and their components\n\nThe waste code for end-of-life (no longer usable) tyres is 16-01-03.\n\n## Vehicles\n\n| | Waste status | Waste code |\n\n| End-of-life vehicles - un-depolluted | Hazardous | 16-01-04* |\n\n| End-of-life vehicles - depolluted | Non-hazardous | 16-01-06 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Components, including oil filters\n\n| | Waste status | Waste code |\n\n| Oil filters | Hazardous | 16-01-07* |\n\n| Components containing mercury | Hazardous | 16-01-08* |\n\n| Components containing PCBs | Hazardous | 16-01-09* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Air bags\n\nThe waste code for explosive components (for example air bags) is 16-01-10*.\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Brake pads\n\n| | Waste status | Waste code |\n\n| Brake pads containing asbestos | Hazardous | 16-01-11* |\n\n| Other brake pads | Non-hazardous | 16-01-12 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Car batteries\n\nThe waste code for lead acid car batteries is 16-06-01*.\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Catalytic converters\n\nThe waste code for catalytic converters is 16 01 21*, or 16 01 22 for those that do not contain refractory ceramic fibres (RCF).\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## End-of-life vehicle wastes\n\n| | Waste status | Waste code |\n\n| Ferrous metal | Non-hazardous | 16-01-17 |\n\n| Non-ferrous metal | Non-hazardous | 16-01-18 |\n\n| Plastic | Non-hazardous | 16-01-19 |\n\n| Vehicle glass | Non-hazardous | 16-01-20 |\n\n## Contaminated materials\n\n| | Waste status | Waste code |\n\n| Clothing, absorbents or wiping cloths contaminated with hazardous substances | Hazardous | 15-02-02* |\n\n| Clothing, absorbents or wiping clothes contaminated with non-hazardous substances | Non-hazardous | 15-02-03 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Healthcare and related wastes\n\nThe tables below list waste codes for common healthcare and related wastes.\n\nYou can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.\n\n## Additional guidance\n\nCheck the guide to the safe management of healthcare waste for additional information about classifying clinical and healthcare waste.\n\n## Offensive waste\n\n\u2018Offensive waste\u2019 is non-clinical waste that\u2019s non-infectious and does not contain pharmaceutical or chemical substances, but may be unpleasant to anyone who comes into contact with it.\n\n| | Examples | Waste status | Human healthcare | Animal healthcare |\n\n| Healthcare offensive waste | Outer dressings and protective clothing like masks, gowns and gloves that are not contaminated with body fluids, and sterilised laboratory waste | Non-hazardous | 18-01-04 | 18-02-03 |\n\n| Municipal offensive waste | Hygiene waste and sanitary protection like nappies and incontinence pads | Non-hazardous | 20-01-99 | 20-01-99 |\n\nYou must segregate healthcare offensive waste from both clinical and mixed municipal wastes.\n\nIf you\u2019ve produced more than 7kg of municipal offensive waste, or have more than one bag in a collection period, you must segregate it from any mixed municipal waste.\n\nIf you\u2019ve produced less, you can dispose of your municipal offensive waste in your mixed municipal waste (\u2018black bag\u2019). Use classification code 20-03-01.\n\n## Plaster and similar wastes\n\nMost plaster waste is non-infectious.\n\nIt should be kept separately from any plaster waste that\u2019s infectious, which must be placed in the bagged infectious clinical waste stream.\n\n| | Waste status | Human healthcare | Animal healthcare |\n\n| Plaster and similar wastes, for example from dentistry and fracture clinics | Non-hazardous | 18-01-04 | 18-02-03 |\n\n## Waste medicines\n\nA medicine is considered to be cytotoxic or cytostatic for waste classification purposes if it\u2019s any of the following:\n\n- acutely toxic\n\n- carcinogenic\n\n- mutagenic\n\n- toxic for reproduction\n\n| | Waste status | Human healthcare | Animal healthcare |\n\n| Cytotoxic and cytostatic medicines | Hazardous | 18-01-08* | 18-02-07* |\n\n| Other medicines | Non-hazardous | 18-01-09 | 18-02-08 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\nHousehold medicines returned to a community pharmacy should be coded as follows:\n\n- cytotoxic and cytostatic medicines: 20-01-31*\n\n- other medicines: 20-01-32\n\n## Sharps and related waste\n\n| | Waste status | Human healthcare | Animal healthcare |\n\n| Cytotoxic and cytostatic contaminated | Hazardous | 18-01-08* and 18-01-03* | 18-02-07* and 18-02-02* |\n\n| Other medicinally contaminated | Hazardous | 18-01-03* and 18-01-09 | 18-02-02* and 18-02-08 |\n\n| Non-medicinally contaminated | Hazardous | 18-01-03* | 18-02-02* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Anatomical waste\n\n| | Waste status | Human healthcare | Animal healthcare |\n\n| Not chemically preserved - infectious | Hazardous | 18-01-03* | 18-02-02* |\n\n| Not chemically preserved - non-infectious | Non-hazardous | 18-01-02 | 18-02-03 |\n\n| Chemically preserved - infectious or non-infectious | Hazardous | 18-01-06* and 18-01-02*/03 | 18-02-05* and 18-02-02*/03 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Bagged clinical waste\n\nYou must only put waste items that are both infectious and chemically contaminated (for example some samples and diagnostic kits) in the yellow bag waste stream.\n\n| | Waste status | Human healthcare | Animal healthcare |\n\n| Infectious clinical waste (no chemicals or pharmaceuticals) - orange bag | Hazardous | 18-01-03* | 18-02-02* |\n\n| Infectious clinical waste - yellow bag | Hazardous | 18-01-03* and 18-01-06* | 18-02-02* and 18-02-05* |\n\n(*) An asterisk at the end of a code means the waste is hazardous.\n\n## Laboratory chemicals and photochemicals\n\nYou must classify photochemicals and film, including X-ray related products, with codes from chapter 9 of the waste code section in the technical guidance on waste.\n\n| | Waste status | Human healthcare | Animal healthcare |\n\n| Other chemicals - hazardous | Hazardous | 18-01-06* | 18-02-05* |\n\n| Other chemicals - non-hazardous | Non-hazardous | 18-01-07 | 18-02-06 |\n\n(*) An asterisk at the end of a code means the waste is hazardous.", + "original_contents": [ + "

    Overview

    ", + "

    You must identify and classify your waste before you send it for recycling or disposal. This makes sure you or anyone handling your waste deals with it properly.

    ", + "

    There are special rules for dealing with hazardous waste or disposing of waste with a high level of persistent organic pollutants (POPs), (known as \u2018POPs waste\u2019).

    ", + "

    Filling in waste transfer or consignment notes

    ", + "

    You must describe your waste in the paperwork you give your waste contractor. This must include:

    ", + "
  • the waste classification code, also referred to as LoW (List of Waste) or EWC (European Waste Catalogue) code - classification codes for common types of waste are in the relevant parts of this guidance
  • ", + "
  • whether it\u2019s hazardous or POPs waste
  • ", + "
  • the type of premises or business where the waste was produced
  • ", + "
  • the name of the substance or substances
  • ", + "
  • the process that produced the waste
  • ", + "
  • a chemical and physical analysis of the waste and its components
  • ", + "
  • any special problems, requirements or knowledge related to the waste
  • ", + "

    If you cannot find a code for your waste

    ", + "

    Check the technical guidance on waste, it includes more information about waste classification and assessing waste.

    ", + "

    You must not use landfill waste acceptance criteria (WAC) results for waste classification purposes.

    ", + "

    How to find out if your waste is hazardous or POPs waste

    ", + "

    In most cases you can check the waste code or codes associated with your waste to see if they are hazardous and POPs waste. You must make sure your waste contractor can dispose of this waste properly.

    ", + "

    Some waste items have more than one classification, depending on the possible mix of substances in them.

    ", + "

    In these cases you must work out exactly what is in your waste, and how much of it is hazardous or POPs.

    ", + "

    Check the manufacturers\u2019 product safety data sheets for this information or carry out an assessment.

    ", + "

    Many products include orange and black danger symbols or red and white hazard pictograms to indicate they\u2019re hazardous.

    ", + "

    Some products (for example cosmetics and medicines) are not normally labelled with hazard symbols - check the product\u2019s safety data sheet.

    ", + "

    Read the technical guidance on waste and guidance on dealing with POPs waste) for more information on checking for hazardous substances and POPs.

    ", + "

    Mixing waste

    ", + "

    It\u2019s illegal to mix hazardous or POPs waste with either non-hazardous or another hazardous waste.

    ", + "

    Check how to mix and store hazardous waste.

    ", + "

    You will usually need more than one code if you store more than one type of non-hazardous waste in your container.

    ", + "

    If you need more help

    ", + "

    Get advice from a specialist waste contractor if you\u2019re not sure whether it\u2019s hazardous or not.

    ", + "

    For more information, contact the Environment Agency.

    ", + "

    Construction and demolition waste

    ", + "

    The tables below list waste codes for common construction and demolition waste.

    ", + "

    You can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.

    ", + "

    Insulation and asbestos materials

    ", + " | Waste status | Waste code", + "Insulation containing asbestos | Hazardous | 17-06-01*", + "Other insulation containing hazardous substances | Hazardous | 17-06-03*", + "Other insulation materials | Non-hazardous | 17-06-04", + "Other construction materials containing asbestos | Hazardous | 17-06-05*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Concrete, bricks, tiles and ceramics

    ", + "

    This list excludes asbestos-containing materials - refer to the insulation and asbestos materials table for any waste with asbestos.

    ", + " | Waste status | Waste code", + "Concrete | Non-hazardous | 17-01-01", + "Bricks | Non-hazardous | 17-01-02", + "Tiles and ceramics | Non-hazardous | 17-01-03", + "Concrete, bricks, tiles and ceramics (alone or in mixtures) containing hazardous substances | Hazardous | 17-01-06*", + "Concrete, bricks, tiles and ceramics in mixtures, containing no hazardous substances | Non-hazardous | 17-01-07", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Wood, glass and plastic

    ", + "

    This list excludes packaging wastes and domestic type recyclables - refer to the packaging section for related codes.

    ", + " | Waste status | Waste code", + "Wood - untreated | Non-hazardous | 17-02-01", + "Glass - uncontaminated | Non-hazardous | 17-02-02", + "Plastic - excludes packaging waste | Non-hazardous | 17-02-03", + "Treated wood, glass, plastic (alone or in mixtures) containing hazardous substances | Hazardous | 17-02-04*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Bituminous mixtures, coal tar and tar

    ", + " | Waste status | Waste code", + "Bituminous mixtures containing coal tar | Hazardous | 17-03-01*", + "Other bituminous mixtures | Non-hazardous | 17-03-02", + "Coal tar and tarred products | Hazardous | 17-03-03*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Metallic waste, including cable

    ", + " | Waste status | Waste code", + "Copper, bronze and brass | Non-hazardous | 17-04-01", + "Aluminium | Non-hazardous | 17-04-02", + "Lead | Non-hazardous | 17-04-03", + "Iron and steel | Non-hazardous | 17-04-05", + "Tin | Non-hazardous | 17-04-06", + "Mixed metals | Non-hazardous | 17-04-07", + "Metals containing hazardous substances | Hazardous | 17-04-09*", + "Cables containing oil, coal tar and other hazardous substances | Hazardous | 17-04-10*", + "Other cables | Non-hazardous | 17-04-11", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Soil, contaminated soil, stones and dredging spoil

    ", + "

    You must be able to prove that your waste does not contain any hazardous substances to classify soil as non-hazardous - you\u2019ll always need to assess the soil before you hand it over to be collected.

    ", + "

    The presence of any fragments of asbestos-containing material in the soil results in a mixed hazardous waste - refer to the insulation and asbestos materials table for more guidance.

    ", + " | Waste status | Waste code", + "Soil and stones containing hazardous substances | Hazardous | 17-05-03*", + "Other soil and stones | Non-hazardous | 17-05-04", + "Dredging spoil containing hazardous substances | Hazardous | 17-05-05*", + "Other dredging spoil | Non-hazardous | 17-05-06", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Gypsum

    ", + " | Waste status | Waste code", + "Gypsum materials containing hazardous substances | Hazardous | 17-08-01*", + "Other gypsum materials | Non-hazardous | 17-08-02", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Cement

    ", + " | Waste status | Waste code", + "Un-used or un-set cement | Hazardous | 17-09-03*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Paints and varnishes

    ", + "

    Paints and varnishes of a type normally used by householders can be classified under the codes indicated in brackets if separated out from other waste.

    ", + " | Waste status | Waste code", + "Containing organic solvents or other hazardous substances | Hazardous | 08-01-11* (20-01-27*)", + "Not containing organic solvents or other hazardous substances | Non-hazardous | 08-01-12 (20-01-28)", + "Paint or varnish remover | Hazardous | 08-01-21*", + "Paint cans | Hazardous | Refer to packaging waste and recyclables section", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Adhesives and sealants

    ", + "

    Adhesives and sealants of a type normally used by householders can be classified under the codes indicated in brackets if separated out from other waste.

    ", + " | Waste status | Waste code", + "Containing organic solvents or other hazardous substances | Hazardous | 08-04-09* (20-01-27*)", + "Not containing organic solvents or other hazardous substances | Non-hazardous | 08-04-10 (20-01-28)", + "Adhesive or sealant containers | Hazardous | Refer to packaging waste and recyclables section", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Packaging waste and recyclables

    ", + "

    The tables below list waste codes for common packaging and domestic type recyclable wastes.

    ", + "

    You can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.

    ", + "

    Containers must be empty to be classified as packaging waste.

    ", + " | Waste status | Plastic | Metal | Paper and cardboard | Glass | Textiles", + "Clean packaging | Non-hazardous | 15-01-02 | 15-01-04 | 15-01-01 | 15-01-07 | 15-01-09", + "Other clean material, unmixed - excluding packaging | Non-hazardous | 20-01-39 | 20-01-40 | 20-01-01 | 20-01-02 | 20-01-11", + "Mixed clean material - including packaging | Non-hazardous | 15-01-02 and 20-01-39 | 15-01-04 and 20-01-40 | 15-01-01 and 20-01-01 | 15-01-07 and 20-01-02 | 15-01-09 and 20-01-10", + "Empty packaging contaminated with residues of hazardous substances, for example paint cans, intermediate bulk containers (IBCs) and drums | Hazardous | 15-01-10* | 15-01-10* | 15-01-10* | 15-01-10* | 15-01-10*", + "Empty packaging contaminated with residues of non-hazardous substances | Non-hazardous | 15-01-02 | 15-01-04 | 15-01-01 | 15-01-07 | 15-01-09", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Electronic and electrical equipment

    ", + "

    These tables list common waste codes for batteries, lightbulbs and electrical devices.

    ", + "

    You need to include all relevant classification codes if you place waste electrical and electronic equipment (WEEE) that would be assigned different codes in the same container.

    ", + "

    Hazardous substances or persistent organic pollutants (POPs) in waste electricals

    ", + "

    WEEE often has components that contain hazardous substances or persistent organic pollutants (POPs). These could include:

    ", + "
  • printed circuit boards
  • ", + "
  • plastic casings, cables and other components
  • ", + "
  • insulation foam
  • ", + "
  • cooling agents
  • ", + "
  • flame retardants
  • ", + "
  • activated glass and screen phosphors
  • ", + "
  • cathode ray tubes
  • ", + "
  • capacitors
  • ", + "
  • Ni-Cd batteries
  • ", + "

    If the levels of hazardous substances or POPs are over a certain amount the item will be classified as hazardous or POPs waste.

    ", + "

    If your WEEE is POPs waste you cannot reuse or recycle it.

    ", + "

    There are special rules about:

    ", + "
  • where you can export WEEE that contains POPs
  • ", + "
  • dealing with hazardous waste
  • ", + "
  • disposing of POPs waste
  • ", + "

    If you\u2019ve assessed your waste and are still not sure if an item is hazardous or POPs waste, you should treat it as hazardous and POPs waste as a precaution.

    ", + "

    Read technical guidance on how to assess waste and identifying POPs waste.

    ", + "

    Televisions, computer monitors and other display devices

    ", + "

    Components such as screens, circuit boards, batteries or any plastic parts may contain hazardous chemicals or POPs.

    ", + " | Waste status | Household | Industrial or commercial", + "Cathode ray tube (CRT), flatscreen (plasma or LCD) containing POPs | Hazardous and POPs | 20-01-35* | 16-02-13*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Fridges, freezers, chillers and air-conditioning units

    ", + "

    Components such as circuit boards, motors and any plastic parts may contain hazardous chemicals or POPs. Coolants and foam may also be hazardous. Usually there is not enough POPs for the item to be classified as POPs waste.

    ", + " | Waste status | Household | Industrial or commercial", + "Containing ozone-depleting substances as foam blowing agents or coolants | Hazardous, non-POPs | 20-01-23* | 16-02-11*", + "Other | Hazardous, non-POPs | 20-01-35* | 16-02-13*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Large domestic appliances (LDA): white goods (washing machines, tumble driers, dishwashers and cookers)

    ", + "

    Components such as circuit boards, motors or any plastic parts may contain hazardous chemicals or POPs. Usually there is not enough for the item to be classified as hazardous or POPs waste.

    ", + " | Waste status | Household | Industrial or commercial", + "Large domestic appliances: white goods | Non-hazardous, non-POPs | 20-01-36 | 16-02-14", + "

    Small mixed WEEE

    ", + "

    These are small household-type electrical items collected from homes or businesses.

    ", + "

    Components such as screens, circuit boards, batteries or any plastic parts may contain hazardous chemicals or POPs.

    ", + " | Waste status | Household | Industrial or commercial", + "Small mixed WEEE containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Other household-type electricals from homes or businesses

    ", + "

    These are waste electrical items collected from households or businesses that are not already listed and are separated from small mixed WEEE.

    ", + "

    Components such as screens, circuit boards, batteries or any plastic parts may contain hazardous chemicals or POPs.

    ", + " | Waste status | Household | Industrial or commercial", + "Cat 1: Large household appliances (other than LDA white goods) containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 2: Small household appliances containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 3: IT and telecommunication equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 4: Consumer equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 5: Lighting equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 6: Electronic and electrical tools containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "Cat 7: Toys, leisure and sporting equipment containing POPs | Hazardous and POPs | 20-01-35* and 20 01 36 | n/a", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Lightbulbs and lamps

    ", + "

    Components such as circuit boards, plastic parts or casings may contain POPs and hazardous chemicals, such as flame retardants.

    ", + "

    You must check the levels of hazardous substances and POPs in the bulbs before you can classify the waste. Read guidance on assessing WEEE for hazardous substances or POPs.

    ", + " | Waste status | Household | Industrial or commercial", + "Fluorescent tubes and low energy - excluding LED and other gas-discharge lamps | Hazardous | 20-01-21* | 16-02-13*", + "LED, halogen and incandescent containing POPs | Hazardous and POPs | 20-01-35* | 16-02-13*", + "LED, halogen and incandescent not containing hazardous components | Non-hazardous | 20-01-36 | 16-02-14", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Batteries

    ", + " | Waste status | Household | Industrial or commercial", + "Lead acid (vehicle) | Hazardous | 16-06-01* | 16-06-01*", + "Lead acid (other) | Hazardous | 20-01-33* | 16-06-01*", + "Nickel-Cadmium | Hazardous | 20-01-33* | 16-06-02*", + "Mercury containing | Hazardous | 20-01-33* | 16-06-03*", + "Alkaline | Non-hazardous | 20-01-34 | 16-06-04", + "Other - Lithium or Lithium ion | Non-hazardous | 20-01-34 | 16-06-05", + "Mixed household-type batteries - separately collected | Hazardous | 20-01-33* | Not allowed", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Other WEEE, parts and components

    ", + "

    If your waste is not listed, you can find more classes in the guidance on classifying waste from dismantling or treating WEEE.

    ", + "

    Vehicle and oily wastes

    ", + "

    The tables below list waste codes for common wastes produced by vehicle maintenance and dismantling activities.

    ", + "

    You can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.

    ", + "

    Vehicle fluids and other oils

    ", + "

    You must not mix any of the following fluids:

    ", + "
  • mineral oils
  • ", + "
  • cooking oils
  • ", + "
  • halogenated oils
  • ", + "
  • brake fluids
  • ", + "
  • anti-freeze
  • ", + "
  • washer fluids
  • ", + "
  • oily waters
  • ", + "

    Vehicle and other oils

    ", + " | Waste status | Contains PCBs (polychlorinated biphenyls) | Mineral-based and chlorinated | Mineral-based and non-chlorinated | Synthetic | Readily biodegradable | Other oils", + "Hydraulic oils | Hazardous | 13-01-01* | 13-01-09* | 13-01-10* | 13-01-11* | 13-01-12* | 13-01-13*", + "Engine, gear and lubricating oils | Hazardous | Not applicable | 13-02-04* | 13-02-05* | 13-02-06* | 13-02-07* | 13-02-08*", + "Insulating and transmission oils | Hazardous | 13-03-01* | 13-03-06* | 13-03-07* | 13-03-08* | 13-03-09* | 13-03-10*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Interceptor wastes

    ", + " | Waste status | Waste code", + "Interceptor sludges | Hazardous | 13-05-03*", + "Oily water from interceptor | Hazardous | 13-05-07*", + "Solid waste from interceptor | Hazardous | 13-05-01*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Fuels, brake and anti-freeze fluids

    ", + " | Waste status | Waste code", + "Fuel oil and diesel | Hazardous | 13-07-01*", + "Petrol | Hazardous | 13-07-02*", + "Other fuels, including mixed fuels from mis-fuelling | Hazardous | 13-07-03*", + "Brake fluids | Hazardous | 16-01-13*", + "Antifreeze containing hazardous substances | Hazardous | 16-01-14*", + "Antifreeze not containing hazardous substances | Non-hazardous | 16-01-15", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Vehicles and their components

    ", + "

    The waste code for end-of-life (no longer usable) tyres is 16-01-03.

    ", + "

    Vehicles

    ", + " | Waste status | Waste code", + "End-of-life vehicles - un-depolluted | Hazardous | 16-01-04*", + "End-of-life vehicles - depolluted | Non-hazardous | 16-01-06", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Components, including oil filters

    ", + " | Waste status | Waste code", + "Oil filters | Hazardous | 16-01-07*", + "Components containing mercury | Hazardous | 16-01-08*", + "Components containing PCBs | Hazardous | 16-01-09*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Air bags

    ", + "

    The waste code for explosive components (for example air bags) is 16-01-10*.

    ", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Brake pads

    ", + " | Waste status | Waste code", + "Brake pads containing asbestos | Hazardous | 16-01-11*", + "Other brake pads | Non-hazardous | 16-01-12", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Car batteries

    ", + "

    The waste code for lead acid car batteries is 16-06-01*.

    ", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Catalytic converters

    ", + "

    The waste code for catalytic converters is 16 01 21*, or 16 01 22 for those that do not contain refractory ceramic fibres (RCF).

    ", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    End-of-life vehicle wastes

    ", + " | Waste status | Waste code", + "Ferrous metal | Non-hazardous | 16-01-17", + "Non-ferrous metal | Non-hazardous | 16-01-18", + "Plastic | Non-hazardous | 16-01-19", + "Vehicle glass | Non-hazardous | 16-01-20", + "

    Contaminated materials

    ", + " | Waste status | Waste code", + "Clothing, absorbents or wiping cloths contaminated with hazardous substances | Hazardous | 15-02-02*", + "Clothing, absorbents or wiping clothes contaminated with non-hazardous substances | Non-hazardous | 15-02-03", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Healthcare and related wastes

    ", + "

    The tables below list waste codes for common healthcare and related wastes.

    ", + "

    You can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.

    ", + "

    Additional guidance

    ", + "

    Check the guide to the safe management of healthcare waste for additional information about classifying clinical and healthcare waste.

    ", + "

    Offensive waste

    ", + "

    \u2018Offensive waste\u2019 is non-clinical waste that\u2019s non-infectious and does not contain pharmaceutical or chemical substances, but may be unpleasant to anyone who comes into contact with it.

    ", + " | Examples | Waste status | Human healthcare | Animal healthcare", + "Healthcare offensive waste | Outer dressings and protective clothing like masks, gowns and gloves that are not contaminated with body fluids, and sterilised laboratory waste | Non-hazardous | 18-01-04 | 18-02-03", + "Municipal offensive waste | Hygiene waste and sanitary protection like nappies and incontinence pads | Non-hazardous | 20-01-99 | 20-01-99", + "

    You must segregate healthcare offensive waste from both clinical and mixed municipal wastes.

    ", + "

    If you\u2019ve produced more than 7kg of municipal offensive waste, or have more than one bag in a collection period, you must segregate it from any mixed municipal waste.

    ", + "

    If you\u2019ve produced less, you can dispose of your municipal offensive waste in your mixed municipal waste (\u2018black bag\u2019). Use classification code 20-03-01.

    ", + "

    Plaster and similar wastes

    ", + "

    Most plaster waste is non-infectious.

    ", + "

    It should be kept separately from any plaster waste that\u2019s infectious, which must be placed in the bagged infectious clinical waste stream.

    ", + " | Waste status | Human healthcare | Animal healthcare", + "Plaster and similar wastes, for example from dentistry and fracture clinics | Non-hazardous | 18-01-04 | 18-02-03", + "

    Waste medicines

    ", + "

    A medicine is considered to be cytotoxic or cytostatic for waste classification purposes if it\u2019s any of the following:

    ", + "
  • acutely toxic
  • ", + "
  • carcinogenic
  • ", + "
  • mutagenic
  • ", + "
  • toxic for reproduction
  • ", + " | Waste status | Human healthcare | Animal healthcare", + "Cytotoxic and cytostatic medicines | Hazardous | 18-01-08* | 18-02-07*", + "Other medicines | Non-hazardous | 18-01-09 | 18-02-08", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Household medicines returned to a community pharmacy should be coded as follows:

    ", + "
  • cytotoxic and cytostatic medicines: 20-01-31*
  • ", + "
  • other medicines: 20-01-32
  • ", + "

    Sharps and related waste

    ", + " | Waste status | Human healthcare | Animal healthcare", + "Cytotoxic and cytostatic contaminated | Hazardous | 18-01-08* and 18-01-03* | 18-02-07* and 18-02-02*", + "Other medicinally contaminated | Hazardous | 18-01-03* and 18-01-09 | 18-02-02* and 18-02-08", + "Non-medicinally contaminated | Hazardous | 18-01-03* | 18-02-02*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Anatomical waste

    ", + " | Waste status | Human healthcare | Animal healthcare", + "Not chemically preserved - infectious | Hazardous | 18-01-03* | 18-02-02*", + "Not chemically preserved - non-infectious | Non-hazardous | 18-01-02 | 18-02-03", + "Chemically preserved - infectious or non-infectious | Hazardous | 18-01-06* and 18-01-02*/03 | 18-02-05* and 18-02-02*/03", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Bagged clinical waste

    ", + "

    You must only put waste items that are both infectious and chemically contaminated (for example some samples and diagnostic kits) in the yellow bag waste stream.

    ", + " | Waste status | Human healthcare | Animal healthcare", + "Infectious clinical waste (no chemicals or pharmaceuticals) - orange bag | Hazardous | 18-01-03* | 18-02-02*", + "Infectious clinical waste - yellow bag | Hazardous | 18-01-03* and 18-01-06* | 18-02-02* and 18-02-05*", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    ", + "

    Laboratory chemicals and photochemicals

    ", + "

    You must classify photochemicals and film, including X-ray related products, with codes from chapter 9 of the waste code section in the technical guidance on waste.

    ", + " | Waste status | Human healthcare | Animal healthcare", + "Other chemicals - hazardous | Hazardous | 18-01-06* | 18-02-05*", + "Other chemicals - non-hazardous | Non-hazardous | 18-01-07 | 18-02-06", + "

    (*) An asterisk at the end of a code means the waste is hazardous.

    " + ] + }, + "https://www.gov.uk/contaminated-land": { + "url": "https://www.gov.uk/contaminated-land", + "title": "Contaminated land", + "content": "## Overview\n\nLand can be contaminated by things like:\n\n- heavy metals, such as arsenic, cadmium and lead\n\n- oils and tars\n\n- chemical substances and preparations, like solvents\n\n- gases\n\n- asbestos\n\n- radioactive substances\n\n## What counts as contaminated land\n\nLand is legally defined as \u2018contaminated land\u2019 where substances are causing or could cause:\n\n- significant harm to people, property or protected species\n\n- significant pollution of surface waters (for example lakes and rivers) or groundwater\n\n- harm to people as a result of radioactivity\n\nContaminated land may previously have been used as a:\n\n- factory\n\n- mine\n\n- steel mill\n\n- refinery\n\n- landfill\n\n## Special sites\n\nSome types of contaminated land are classed as \u2018special sites\u2019. This includes land that:\n\n- seriously affects drinking waters, surface waters or important groundwater sources\n\n- has been, or is being, used for certain industrial activities, such as oil refining or making explosives\n\n- is being or has been regulated using a permit issued under the integrated pollution control or pollution prevention and control regimes\n\n- has been used to get rid of waste acid tars\n\n- is owned or occupied by the Ministry of Defence\n\n- is contaminated by radioactivity\n\n- is a nuclear site\n\nThe Environment Agency has technical guidance on special sites.\n\nOnce a local council has decided that an area is a special site, it is regulated by:\n\n- the Environment Agency in England\n\n- Natural Resources Wales in Wales\n\n- the Scottish Environment Protection Agency (SEPA) in Scotland\n\n## Who decides if land is contaminated\n\nYour local council or an environment agency will decide if your land is contaminated.\n\nYour land could be investigated for a number of reasons, including when:\n\n- land is sold, let, used or otherwise transferred\n\n- land is proposed for development\n\n- local councils inspect land in their area\n\n- an application is made for an environmental permit or other licence\n\n- land is polluted\n\nContact your local council if you believe your land is contaminated.\n\n## Dealing with contamination\n\nThe rules for who\u2019s responsible for contamination and how to deal with it depend on whether the land is legally considered \u2018contaminated land\u2019.\n\n## If the land counts as contaminated land\n\nIf the land is legally considered \u2018contaminated land\u2019, the person who caused or allowed the contamination to happen is responsible for dealing with it, unless:\n\n- they can\u2019t be identified\n\n- the local council or environment agency investigating the issue decides they\u2019re exempt\n\nThe council or agency will then decide who\u2019s responsible for dealing with it instead. This may be the landowner, or the person who uses the land.\n\n## What happens next\n\nThe council or agency will:\n\n- decide how the land should be dealt with\n\n- ask the responsible person to deal with the contamination\n\n- tell them how they should take care of it (clean it up or fence it off, for example)\n\nIf the person doesn\u2019t deal with the contamination, the council or agency will send a \u2018remediation notice\u2019, telling them when they must take care of it by.\n\nYou can agree a voluntary scheme with the council or agency if you\u2019re responsible for part or all of the clean up. You must tell them what steps you\u2019ll take to clean up the land.\n\n## If the land doesn\u2019t count as contaminated land\n\nIf the land isn\u2019t legally considered \u2018contaminated land\u2019, you could be responsible for dealing with the contamination if you\u2019re:\n\n- responsible for causing it\n\n- the landowner\n\nYou may face legal action if you don\u2019t deal with contamination that you\u2019re responsible for. Find out how to manage contamination on your land.\n\n## If you\u2019re developing the land\n\nYou\u2019ll have to deal with the contamination either:\n\n- before you get planning permission\n\n- as part of the development\n\nContact your local council to check what you must do to make sure the land is suitable for your proposed development.", + "original_contents": [ + "

    Overview

    ", + "

    Land can be contaminated by things like:

    ", + "
  • heavy metals, such as arsenic, cadmium and lead
  • ", + "
  • oils and tars
  • ", + "
  • chemical substances and preparations, like solvents
  • ", + "
  • gases
  • ", + "
  • asbestos
  • ", + "
  • radioactive substances
  • ", + "

    What counts as contaminated land

    ", + "

    Land is legally defined as \u2018contaminated land\u2019 where substances are causing or could cause:

    ", + "
  • significant harm to people, property or protected species
  • ", + "
  • significant pollution of surface waters (for example lakes and rivers) or groundwater
  • ", + "
  • harm to people as a result of radioactivity
  • ", + "

    Contaminated land may previously have been used as a:

    ", + "
  • factory
  • ", + "
  • mine
  • ", + "
  • steel mill
  • ", + "
  • refinery
  • ", + "
  • landfill
  • ", + "

    Special sites

    ", + "

    Some types of contaminated land are classed as \u2018special sites\u2019. This includes land that:

    ", + "
  • seriously affects drinking waters, surface waters or important groundwater sources
  • ", + "
  • has been, or is being, used for certain industrial activities, such as oil refining or making explosives
  • ", + "
  • is being or has been regulated using a permit issued under the integrated pollution control or pollution prevention and control regimes
  • ", + "
  • has been used to get rid of waste acid tars
  • ", + "
  • is owned or occupied by the Ministry of Defence
  • ", + "
  • is contaminated by radioactivity
  • ", + "
  • is a nuclear site
  • ", + "

    The Environment Agency has technical guidance on special sites.

    ", + "

    Once a local council has decided that an area is a special site, it is regulated by:

    ", + "
  • the Environment Agency in England
  • ", + "
  • Natural Resources Wales in Wales
  • ", + "
  • the Scottish Environment Protection Agency (SEPA) in Scotland
  • ", + "

    Who decides if land is contaminated

    ", + "

    Your local council or an environment agency will decide if your land is contaminated.

    ", + "

    Your land could be investigated for a number of reasons, including when:

    ", + "
  • land is sold, let, used or otherwise transferred
  • ", + "
  • land is proposed for development
  • ", + "
  • local councils inspect land in their area
  • ", + "
  • an application is made for an environmental permit or other licence
  • ", + "
  • land is polluted
  • ", + "

    Contact your local council if you believe your land is contaminated.

    ", + "

    Dealing with contamination

    ", + "

    The rules for who\u2019s responsible for contamination and how to deal with it depend on whether the land is legally considered \u2018contaminated land\u2019.

    ", + "

    If the land counts as contaminated land

    ", + "

    If the land is legally considered \u2018contaminated land\u2019, the person who caused or allowed the contamination to happen is responsible for dealing with it, unless:

    ", + "
  • they can\u2019t be identified
  • ", + "
  • the local council or environment agency investigating the issue decides they\u2019re exempt
  • ", + "

    The council or agency will then decide who\u2019s responsible for dealing with it instead. This may be the landowner, or the person who uses the land.

    ", + "

    What happens next

    ", + "

    The council or agency will:

    ", + "
  • decide how the land should be dealt with
  • ", + "
  • ask the responsible person to deal with the contamination
  • ", + "
  • tell them how they should take care of it (clean it up or fence it off, for example)
  • ", + "

    If the person doesn\u2019t deal with the contamination, the council or agency will send a \u2018remediation notice\u2019, telling them when they must take care of it by.

    ", + "

    You can agree a voluntary scheme with the council or agency if you\u2019re responsible for part or all of the clean up. You must tell them what steps you\u2019ll take to clean up the land.

    ", + "

    If the land doesn\u2019t count as contaminated land

    ", + "

    If the land isn\u2019t legally considered \u2018contaminated land\u2019, you could be responsible for dealing with the contamination if you\u2019re:

    ", + "
  • responsible for causing it
  • ", + "
  • the landowner
  • ", + "

    You may face legal action if you don\u2019t deal with contamination that you\u2019re responsible for. Find out how to manage contamination on your land.

    ", + "

    If you\u2019re developing the land

    ", + "

    You\u2019ll have to deal with the contamination either:

    ", + "
  • before you get planning permission
  • ", + "
  • as part of the development
  • ", + "

    Contact your local council to check what you must do to make sure the land is suitable for your proposed development.

    " + ] + }, + "https://www.gov.uk/managing-your-waste-an-overview": { + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "title": "Dispose of business or commercial waste", + "content": "## Your responsibilities\n\nYou must:\n\n- keep waste to a minimum by doing everything you reasonably can to prevent, reuse, recycle or recover waste (in that order) - get help to do this\n\n- sort and store waste safely and securely\n\n- complete a waste transfer note for each load of waste that leaves your premises\n\n- check if your waste carrier is registered to dispose of waste\n\n- not allow the waste carrier to dispose of your waste illegally (and report them to Crimestoppers if they do)\n\nYou have extra responsibilities if you\u2019re dealing with hazardous waste.\n\n## What counts as business waste\n\nAny waste that comes from a commercial activity is business waste. If you use part of your home to run your business then any waste from that part is business waste.\n\nBusiness waste also includes any waste that comes from:\n\n- construction\n\n- demolition\n\n- industry\n\n- agriculture\n\nCheck what you need to do in Northern Ireland, Scotland and Wales.\n\n## Disposing of your own waste\n\nYou must register as a waste carrier if you want to dispose of your own waste regularly. Apply to register in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nDepending on what you\u2019re doing, you may also need to apply for a waste permit.\n\n## Moving waste between countries\n\nYou cannot move waste between countries for disposal, for example to send it to landfill. You can usually only import or export waste to recover it, such as using waste to produce energy.\n\nRead the guide on waste imports and exports.\n\n## Sorting and storing waste\n\nYou must store waste safely and securely. To do this:\n\n- store waste in a secure place\n\n- use suitable containers that will stop waste escaping\n\n- label containers clearly with the type of waste they contain\n\n- use covers to stop waste blowing away\n\n- use waterproof covers if rain could cause contaminated run-off or prevent the waste from being reused\n\nYou have extra responsibilities if you\u2019re storing hazardous waste.\n\nStore different types of waste separately, so that:\n\n- they do not contaminate each other\n\n- they can be reused more easily\n\n- you can complete the waste transfer note correctly\n\n## Waste transfer notes\n\nFor each load of non-hazardous waste you move off your premises, you need a waste transfer note or a document with the same information, such as an invoice.\n\nRegister online to:\n\n- fill in a waste transfer note for a single load of waste\n\n- create a season ticket for a series of loads\n\nOr download a waste transfer note to fill in and sign on paper.\n\nYour business and the business taking your waste both need to:\n\n- Fill in the sections of the waste transfer note that apply to you.\n\n- Sign it.\n\n- Keep a copy for 2 years.\n\n- Show it to an enforcement officer from your local council or the Environment Agency if asked.\n\nYou must include enough information to help the business taking your waste to handle and dispose of it safely.\n\n## Contacts\n\nContact the organisation in your region if you have any questions about business and commercial waste.\n\n## England\n\n## Scotland\n\n## Wales\n\n## Northern Ireland", + "original_contents": [ + "

    Your responsibilities

    ", + "

    You must:

    ", + "
  • keep waste to a minimum by doing everything you reasonably can to prevent, reuse, recycle or recover waste (in that order) - get help to do this
  • ", + "
  • sort and store waste safely and securely
  • ", + "
  • complete a waste transfer note for each load of waste that leaves your premises
  • ", + "
  • check if your waste carrier is registered to dispose of waste
  • ", + "
  • not allow the waste carrier to dispose of your waste illegally (and report them to Crimestoppers if they do)
  • ", + "

    You have extra responsibilities if you\u2019re dealing with hazardous waste.

    ", + "

    What counts as business waste

    ", + "

    Any waste that comes from a commercial activity is business waste. If you use part of your home to run your business then any waste from that part is business waste.

    ", + "

    Business waste also includes any waste that comes from:

    ", + "
  • construction
  • ", + "
  • demolition
  • ", + "
  • industry
  • ", + "
  • agriculture
  • ", + "

    Check what you need to do in Northern Ireland, Scotland and Wales.

    ", + "

    Disposing of your own waste

    ", + "

    You must register as a waste carrier if you want to dispose of your own waste regularly. Apply to register in:

    ", + "
  • England
  • ", + "
  • Wales
  • ", + "
  • Scotland
  • ", + "
  • Northern Ireland
  • ", + "

    Depending on what you\u2019re doing, you may also need to apply for a waste permit.

    ", + "

    Moving waste between countries

    ", + "

    You cannot move waste between countries for disposal, for example to send it to landfill. You can usually only import or export waste to recover it, such as using waste to produce energy.

    ", + "

    Read the guide on waste imports and exports.

    ", + "

    Sorting and storing waste

    ", + "

    You must store waste safely and securely. To do this:

    ", + "
  • store waste in a secure place
  • ", + "
  • use suitable containers that will stop waste escaping
  • ", + "
  • label containers clearly with the type of waste they contain
  • ", + "
  • use covers to stop waste blowing away
  • ", + "
  • use waterproof covers if rain could cause contaminated run-off or prevent the waste from being reused
  • ", + "

    You have extra responsibilities if you\u2019re storing hazardous waste.

    ", + "

    Store different types of waste separately, so that:

    ", + "
  • they do not contaminate each other
  • ", + "
  • they can be reused more easily
  • ", + "
  • you can complete the waste transfer note correctly
  • ", + "

    Waste transfer notes

    ", + "

    For each load of non-hazardous waste you move off your premises, you need a waste transfer note or a document with the same information, such as an invoice.

    ", + "

    Register online to:

    ", + "
  • fill in a waste transfer note for a single load of waste
  • ", + "
  • create a season ticket for a series of loads
  • ", + "

    Or download a waste transfer note to fill in and sign on paper.

    ", + "

    Your business and the business taking your waste both need to:

    ", + "
  • Fill in the sections of the waste transfer note that apply to you.
  • ", + "
  • Sign it.
  • ", + "
  • Keep a copy for 2 years.
  • ", + "
  • Show it to an enforcement officer from your local council or the Environment Agency if asked.
  • ", + "

    You must include enough information to help the business taking your waste to handle and dispose of it safely.

    ", + "

    Contacts

    ", + "

    Contact the organisation in your region if you have any questions about business and commercial waste.

    ", + "

    England

    ", + "

    Scotland

    ", + "

    Wales

    ", + "

    Northern Ireland

    " + ] + }, + "https://www.gov.uk/green-taxes-and-reliefs": { + "url": "https://www.gov.uk/green-taxes-and-reliefs", + "title": "Environmental taxes, reliefs and schemes for businesses", + "content": "## Overview\n\nEnvironmental taxes encourage your business to operate in a more environmentally friendly way. There are taxes and schemes for different types and size of business.\n\nYou may get reliefs or be exempt from some taxes, for example if:\n\n- you use a lot of energy because of the nature of your business\n\n- you\u2019re a small business that does not use much energy\n\n- you buy energy-efficient technology for your business\n\nYou can pay less tax by applying for schemes to help you demonstrate that you\u2019re operating more efficiently and producing waste that\u2019s less damaging.\n\n## Climate Change Levy\n\nClimate Change Levy (CCL) is paid at either the:\n\n- main rates\n\n- carbon price support (CPS) rates\n\n## Main rates\n\nYou pay CCL at the main rate on:\n\n- electricity\n\n- gas\n\n- solid fuels - like coal, lignite, coke and petroleum coke\n\nThe CCL main rates are listed on your business\u2019s energy bill.\n\nThere\u2019s more detailed information on Climate Change Levy rates and allowances.\n\n## Who it applies to\n\nYou pay the main rates of CCL if your business is in one of the following sectors:\n\n- industrial\n\n- commercial\n\n- agricultural\n\n- public services\n\nYou do not pay the main rate of CCL on certain supplies, for example if you\u2019re a:\n\n- business that uses small amounts of energy\n\n- domestic energy user\n\n- charity engaged in non-commercial activities\n\n## Fuels that are exempt\n\nElectricity, gas and solid fuel are normally exempt from the main rates of CCL if any of the following apply:\n\n- they will not be used in the UK\n\n- they\u2019re supplied to or from certain combined heat and power (CHP) schemes registered under the CHP quality assurance (CHPQA) programme\n\n- the electricity was generated from renewable sources before 1 August 2015\n\n- they\u2019re used to produce electricity in a generating station which has a capacity of 2MW or greater\n\n- they will not be used as fuel\n\n- they\u2019re used in certain forms of transport\n\nThere are other exemptions and reliefs.\n\n## Pay a reduced rate\n\nYou can get a reduction on the main rates of CCL if you\u2019re an energy intensive business and have entered into a climate change agreement (CCA) with the Environment Agency.\n\nEnergy intensive businesses can get a 90% reduction for electricity and a 65% reduction for gas, liquefied petroleum gas (LPG), coal and other solid fuel.\n\nCheck if your business is eligible. Your industry trade association can also give advice.\n\n## Carbon price support rates\n\nThe CPS rates of CCL encourage industry to use low carbon technology for producing electricity.\n\nYou pay CPS rates for:\n\n- gas\n\n- LPG\n\n- coal and other solid fossil fuels\n\n## Who pays CPS rates\n\nThe CPS rates of CCL are paid by owners of electricity generating stations and operators of combined heat and power (CHP) stations.\n\nCertain suppliers do not have to pay CPS rates. These include small generators, stand-by generators and generating stations in Northern Ireland.\n\n## CRC Energy Efficiency Scheme\n\nThe CRC Energy Efficiency Scheme (formerly known as the \u2018Carbon Reduction Commitment\u2019) covers large, non-energy-intensive organisations, for example:\n\n- supermarkets\n\n- hotels\n\n- water companies\n\n- banks\n\n- local authorities, including state-funded schools\n\n- all central government departments\n\n## How it works\n\nYou should already be registered if your business qualifies for the CRC Energy Efficiency Scheme. You must now:\n\n- monitor and report your CO2 emissions from gas and electricity use\n\n- buy enough allowances to cover your annual emissions and surrender them at the end of the year\n\n## If you need more help\n\nThere\u2019s more detailed guidance on the scheme if you\u2019re in England or Wales.\n\n## Emissions trading\n\nThe EU Emissions Trading System (EU ETS) affects businesses from energy-intensive sectors - like the energy industry and certain manufacturers.\n\nIt lets you buy and sell greenhouse gas emission allowances to reduce your organisation\u2019s environmental impact.\n\nLarge organisations not covered by the EU ETS are covered by another scheme called the CRC Energy Efficiency Scheme.\n\n## How it works\n\nIf your business is covered by the EU ETS you must meet targets by:\n\n- cutting your business emissions\n\n- trading emissions allowances\n\nYou\u2019ll need to open an EU Registry account so you can trade allowances. You can then trade allowances by:\n\n- trading directly with other businesses\n\n- buying or selling from intermediaries, for example banks and specialist traders\n\n- using the services of a broker\n\n- joining one of the several exchanges that list carbon allowance products\n\n- bidding at UK government or other EU member state auctions\n\n## Calculate your greenhouse gas emissions\n\nWork out your greenhouse gas emissions by multiplying the amount of energy you use by the (emissions they produce). You need to do this for each type of energy you use.\n\nTo do this, you need to know:\n\n- how much non-renewable energy you\u2019ve used - this information can be found on your gas, electricity and water bills, invoices and receipts\n\n- the greenhouse gases produced by each type of energy (the \u2018emission factor\u2019) - these are updated every year\n\nYou can calculate your carbon emissions online.\n\n## Capital allowances on energy-efficient items\n\nYou can claim capital allowances when you buy energy efficient, or low or zero-carbon technology for your business. This reduces the amount of tax you pay.\n\n## Landfill Tax\n\nYou pay tax on top of your normal landfill fees if your business gets rid of waste using landfill sites.\n\nIf you get rid of waste at sites not authorised for landfill, you\u2019ll be charged Landfill Tax. You may also have to pay a penalty or be taken to court.\n\n## Landfill operators - what you must do\n\nYou need to:\n\n- get a permit\n\n- register within 30 days of setting up - if you do not you can be fined\n\n## What to pay\n\nThe tax is charged by weight. There are 2 rates. You pay the lower rate on \u2018inactive waste\u2019 - for example rocks or soil.\n\n| Rate | Amount you pay |\n\n| Lower rate | \u00a33.10 per tonne |\n\n| Standard rate | \u00a396.70 per tonne |\n\n## Loss on Ignition (LOI) testing regime\n\nIf your landfill site accepts waste fines, you may need to carry out a loss on ignition test to help determine the rate of tax to pay.\n\n## Exemptions\n\nYou do not have to pay Landfill Tax on:\n\n- dredging activities\n\n- quarrying and mining\n\n- pet cemeteries\n\n- inactive waste used for filling quarries\n\nYou can get tax credits if you send waste from landfill to be recycled, incinerated or reused.\n\n## Aggregates Levy\n\nThis is a tax on sand, gravel and rock that\u2019s either been:\n\n- dug from the ground\n\n- dredged from the sea in UK waters\n\n- imported\n\n## What you need to do\n\nYou must register with HM Revenue and Customs (HMRC) if your business exploits aggregate in the UK, for example if you\u2019re a quarry operator.\n\nEvery quarter, you must tell HMRC how much aggregate you\u2019ve produced or sold.\n\n## How much you pay\n\nYou pay tax of \u00a32 per tonne of sand, gravel or rock. You pay less on smaller amounts, for example \u00a31 on half a tonne. You still pay tax if you import the materials.\n\n## Reliefs\n\nYou can get tax relief if you export aggregates or use them in some industrial or agricultural processes. If you do not use the material as aggregate it may be eligible for relief.\n\n## Exemptions\n\nCertain materials are excluded from the tax, for example soil, vegetable or other organic matter.\n\n## If you need more help\n\nThere\u2019s more detailed guidance on Aggregates Levy or you can contact the helpline.", + "original_contents": [ + "

    Overview

    ", + "

    Environmental taxes encourage your business to operate in a more environmentally friendly way. There are taxes and schemes for different types and size of business.

    ", + "

    You may get reliefs or be exempt from some taxes, for example if:

    ", + "
  • you use a lot of energy because of the nature of your business
  • ", + "
  • you\u2019re a small business that does not use much energy
  • ", + "
  • you buy energy-efficient technology for your business
  • ", + "

    You can pay less tax by applying for schemes to help you demonstrate that you\u2019re operating more efficiently and producing waste that\u2019s less damaging.

    ", + "

    Climate Change Levy

    ", + "

    Climate Change Levy (CCL) is paid at either the:

    ", + "
  • main rates
  • ", + "
  • carbon price support (CPS) rates
  • ", + "

    Main rates

    ", + "

    You pay CCL at the main rate on:

    ", + "
  • electricity
  • ", + "
  • gas
  • ", + "
  • solid fuels - like coal, lignite, coke and petroleum coke
  • ", + "

    The CCL main rates are listed on your business\u2019s energy bill.

    ", + "

    There\u2019s more detailed information on Climate Change Levy rates and allowances.

    ", + "

    Who it applies to

    ", + "

    You pay the main rates of CCL if your business is in one of the following sectors:

    ", + "
  • industrial
  • ", + "
  • commercial
  • ", + "
  • agricultural
  • ", + "
  • public services
  • ", + "

    You do not pay the main rate of CCL on certain supplies, for example if you\u2019re a:

    ", + "
  • business that uses small amounts of energy
  • ", + "
  • domestic energy user
  • ", + "
  • charity engaged in non-commercial activities
  • ", + "

    Fuels that are exempt

    ", + "

    Electricity, gas and solid fuel are normally exempt from the main rates of CCL if any of the following apply:

    ", + "
  • they will not be used in the UK
  • ", + "
  • they\u2019re supplied to or from certain combined heat and power (CHP) schemes registered under the CHP quality assurance (CHPQA) programme
  • ", + "
  • the electricity was generated from renewable sources before 1 August 2015
  • ", + "
  • they\u2019re used to produce electricity in a generating station which has a capacity of 2MW or greater
  • ", + "
  • they will not be used as fuel
  • ", + "
  • they\u2019re used in certain forms of transport
  • ", + "

    There are other exemptions and reliefs.

    ", + "

    Pay a reduced rate

    ", + "

    You can get a reduction on the main rates of CCL if you\u2019re an energy intensive business and have entered into a climate change agreement (CCA) with the Environment Agency.

    ", + "

    Energy intensive businesses can get a 90% reduction for electricity and a 65% reduction for gas, liquefied petroleum gas (LPG), coal and other solid fuel.

    ", + "

    Check if your business is eligible. Your industry trade association can also give advice.

    ", + "

    Carbon price support rates

    ", + "

    The CPS rates of CCL encourage industry to use low carbon technology for producing electricity.

    ", + "

    You pay CPS rates for:

    ", + "
  • gas
  • ", + "
  • LPG
  • ", + "
  • coal and other solid fossil fuels
  • ", + "

    Who pays CPS rates

    ", + "

    The CPS rates of CCL are paid by owners of electricity generating stations and operators of combined heat and power (CHP) stations.

    ", + "

    Certain suppliers do not have to pay CPS rates. These include small generators, stand-by generators and generating stations in Northern Ireland.

    ", + "

    CRC Energy Efficiency Scheme

    ", + "

    The CRC Energy Efficiency Scheme (formerly known as the \u2018Carbon Reduction Commitment\u2019) covers large, non-energy-intensive organisations, for example:

    ", + "
  • supermarkets
  • ", + "
  • hotels
  • ", + "
  • water companies
  • ", + "
  • banks
  • ", + "
  • local authorities, including state-funded schools
  • ", + "
  • all central government departments
  • ", + "

    How it works

    ", + "

    You should already be registered if your business qualifies for the CRC Energy Efficiency Scheme. You must now:

    ", + "
  • monitor and report your CO2 emissions from gas and electricity use
  • ", + "
  • buy enough allowances to cover your annual emissions and surrender them at the end of the year
  • ", + "

    If you need more help

    ", + "

    There\u2019s more detailed guidance on the scheme if you\u2019re in England or Wales.

    ", + "

    Emissions trading

    ", + "

    The EU Emissions Trading System (EU ETS) affects businesses from energy-intensive sectors - like the energy industry and certain manufacturers.

    ", + "

    It lets you buy and sell greenhouse gas emission allowances to reduce your organisation\u2019s environmental impact.

    ", + "

    Large organisations not covered by the EU ETS are covered by another scheme called the CRC Energy Efficiency Scheme.

    ", + "

    How it works

    ", + "

    If your business is covered by the EU ETS you must meet targets by:

    ", + "
  • cutting your business emissions
  • ", + "
  • trading emissions allowances
  • ", + "

    You\u2019ll need to open an EU Registry account so you can trade allowances. You can then trade allowances by:

    ", + "
  • trading directly with other businesses
  • ", + "
  • buying or selling from intermediaries, for example banks and specialist traders
  • ", + "
  • using the services of a broker
  • ", + "
  • joining one of the several exchanges that list carbon allowance products
  • ", + "
  • bidding at UK government or other EU member state auctions
  • ", + "

    Calculate your greenhouse gas emissions

    ", + "

    Work out your greenhouse gas emissions by multiplying the amount of energy you use by the (emissions they produce). You need to do this for each type of energy you use.

    ", + "

    To do this, you need to know:

    ", + "
  • how much non-renewable energy you\u2019ve used - this information can be found on your gas, electricity and water bills, invoices and receipts
  • ", + "
  • the greenhouse gases produced by each type of energy (the \u2018emission factor\u2019) - these are updated every year
  • ", + "

    You can calculate your carbon emissions online.

    ", + "

    Capital allowances on energy-efficient items

    ", + "

    You can claim capital allowances when you buy energy efficient, or low or zero-carbon technology for your business. This reduces the amount of tax you pay.

    ", + "

    Landfill Tax

    ", + "

    You pay tax on top of your normal landfill fees if your business gets rid of waste using landfill sites.

    ", + "

    If you get rid of waste at sites not authorised for landfill, you\u2019ll be charged Landfill Tax. You may also have to pay a penalty or be taken to court.

    ", + "

    Landfill operators - what you must do

    ", + "

    You need to:

    ", + "
  • get a permit
  • ", + "
  • register within 30 days of setting up - if you do not you can be fined
  • ", + "

    What to pay

    ", + "

    The tax is charged by weight. There are 2 rates. You pay the lower rate on \u2018inactive waste\u2019 - for example rocks or soil.

    ", + "Rate | Amount you pay", + "Lower rate | \u00a33.10 per tonne", + "Standard rate | \u00a396.70 per tonne", + "

    Loss on Ignition (LOI) testing regime

    ", + "

    If your landfill site accepts waste fines, you may need to carry out a loss on ignition test to help determine the rate of tax to pay.

    ", + "

    Exemptions

    ", + "

    You do not have to pay Landfill Tax on:

    ", + "
  • dredging activities
  • ", + "
  • quarrying and mining
  • ", + "
  • pet cemeteries
  • ", + "
  • inactive waste used for filling quarries
  • ", + "

    You can get tax credits if you send waste from landfill to be recycled, incinerated or reused.

    ", + "

    Aggregates Levy

    ", + "

    This is a tax on sand, gravel and rock that\u2019s either been:

    ", + "
  • dug from the ground
  • ", + "
  • dredged from the sea in UK waters
  • ", + "
  • imported
  • ", + "

    What you need to do

    ", + "

    You must register with HM Revenue and Customs (HMRC) if your business exploits aggregate in the UK, for example if you\u2019re a quarry operator.

    ", + "

    Every quarter, you must tell HMRC how much aggregate you\u2019ve produced or sold.

    ", + "

    How much you pay

    ", + "

    You pay tax of \u00a32 per tonne of sand, gravel or rock. You pay less on smaller amounts, for example \u00a31 on half a tonne. You still pay tax if you import the materials.

    ", + "

    Reliefs

    ", + "

    You can get tax relief if you export aggregates or use them in some industrial or agricultural processes. If you do not use the material as aggregate it may be eligible for relief.

    ", + "

    Exemptions

    ", + "

    Certain materials are excluded from the tax, for example soil, vegetable or other organic matter.

    ", + "

    If you need more help

    ", + "

    There\u2019s more detailed guidance on Aggregates Levy or you can contact the helpline.

    " + ] + }, + "https://www.gov.uk/green-deal-energy-saving-measures": { + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "title": "Green Deal: energy saving for your home", + "content": "## Overview\n\nThe Green Deal helps you make energy-saving improvements to your home and to find the best way to pay for them.\n\nThe improvements that could save you the most energy depend on your home, but typical examples include:\n\n- insulation, such as solid wall, cavity wall or loft insulation\n\n- heating\n\n- draught-proofing\n\n- double glazing\n\n- renewable energy generation, such as solar panels or heat pumps\n\n## If you need help paying for home improvements\n\nYou may be able to get a loan through the Green Deal, but you\u2019ll have to pay this back.\n\n## Find out if your home will benefit\n\nThere are various ways to check if your property could benefit from energy-saving improvements:\n\n- use the Energy Efficiency Calculator to find out how you can reduce your energy bills\n\n- check which home energy grants you might be able to apply for\n\n- talk to a Green Deal assessor or provider\n\nThe Green Deal may be right for you if you think your property could benefit from energy-saving improvements.\n\nYou can also talk to Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland\n\nFind out about call charges\n\nThe Green Deal is not available in Northern Ireland.\n\n## Green Deal mark\n\nAll Green Deal organisations must be authorised. Look for the quality mark, which is a green house with a tick on the roof.\n\nYou can also check if a Green Deal company is genuine.\n\n## Improvements and benefits to your home\n\nAny household with an electricity meter (including prepayment meters) in England, Scotland or Wales can use the scheme.\n\nBoth the landlord and the tenant must agree to the improvements if the building is rented.\n\n## Eligible improvements\n\nYou can use the Green Deal for a range of different energy saving measures including:\n\n- replacing windows and doors\n\n- installing secondary glazing\n\n- using energy efficient lighting\n\n- insulating your loft or walls\n\n- adding draught proofing\n\n- upgrading your heating\n\n- generating renewable energy from sources such as wind or solar power\n\nBut only if your Green Deal assessment recommends them.\n\n## Get an assessment\n\nYou must get your property assessed to use the Green Deal. Contact a Green Deal assessor or ask a Green Deal provider to find an assessor for you.\n\nYou may have to pay for an assessment. The assessor must tell you the fee in advance.\n\n## What to expect from an assessment\n\nA Green Deal assessor will visit your home, talk to you about your property and your energy use and help you decide if you could benefit from Green Deal improvements.\n\n## When you book\n\nYou may be asked if:\n\n- you own or rent the property\n\n- your home is a listed building, in a conservation area, built before 1900 or constructed in a non-traditional way\n\n- there are access issues, such as access to your loft\n\n- you can provide bills showing your recent energy use\n\n## When the assessor visits\n\nYou may be asked:\n\n- how many people live in your home\n\n- what type of heating and appliances you use\n\n- how often you use your heating\n\n- what energy-saving measures are already installed\n\n## After the visit\n\nYou\u2019ll get a document, called a Green Deal advice report, that contains:\n\n- an Energy Performance Certificate (EPC) that rates your home for energy efficiency\n\n- an occupancy assessment that measures how much energy you and other occupiers are using\n\n- improvements your assessor recommends\n\n- an estimate of the money you could save on your annual energy bills\n\n- a statement on whether the improvements will pay for themselves through reduced energy costs\n\nA Green Deal advice report is valid for 10 years, or until you make changes or energy saving improvements to the property, for example you build an extension or change the windows.\n\nThe actual savings will depend on how much energy you use and the future cost of energy.\n\n## What to do next\n\nYou decide:\n\n- if you want to get the work done\n\n- how you want to pay\n\n## Getting the work done\n\nHow you decide to get the work done will affect your options for how you pay for the work.\n\nAfter you get a Green Deal advice report, you can:\n\n- ask a Green Deal provider to arrange installation and pay for the work yourself\n\n- ask a Green Deal provider to arrange installation and a Green Deal finance plan to pay for the work\n\n- get your own installers to fit the improvements and pay for them yourself\n\n- pay for the work in more than one way, like using a Green Deal finance plan or money of your own\n\nSome companies provide all the services for a Green Deal package - assessment, finance and installation. You can choose to use a different company for each service.\n\n## Get a quote\n\nGive a provider or installer your Green Deal advice report.\n\nProviders will give you a quote and arrange the installers for you. Installers will quote to do the work themselves. A quote from a provider will include the repayment terms if you\u2019re paying with a finance plan.\n\nYou can get more than one quote and you can choose which improvements you want.\n\nYou can ask the provider or installer if you or your property qualify to combine the Green Deal with these other schemes:\n\n- Affordable Warmth Obligation - help from your energy company to improve your home if you\u2019re on certain benefits or a low income, or for certain hard-to-treat properties\n\n- Feed-in Tariffs - payments from your energy provider if you generate your own electricity (such as through solar panels or a wind turbine)\n\n- Renewable Heat Incentive (RHI) - payments for generation and use of renewable energy to heat buildings\n\n- any scheme run by your Local Authority - contact your Local Authority for information\n\n## Agree the work\n\nPick the provider or installer you want to do the work.\n\nThe provider will write you a contract called a Green Deal finance plan if you choose to pay with Green Deal finance. The plan will contain:\n\n- an outline of the work that will be done\n\n- any financial help you can get from other schemes\n\n- the repayments and interest rate\n\n- information on other incentives you can access, such as Feed-in Tarrifs\n\n- information on warranties and guarantees\n\nYour Green Deal repayments will be automatically added to your electricity bill if you have chosen to take Green Deal finance.\n\n## Complaints\n\nYou can complain about your Green Deal.\n\n## How to pay\n\nYou can pay in advance, get a Green Deal finance plan, or use other schemes to fund the work. You can also combine ways to pay.\n\n## Getting a Green Deal finance plan\n\nFinance plans are offered by approved Green Deal providers.\n\nGive your Green Deal assessment to providers you want to get a quote from.\n\nYour provider will find an installer for you.\n\nYou can only get a finance plan for improvements recommended in your Green Deal assessment.\n\nEach provider must tell you:\n\n- how much you\u2019ll pay back\n\n- how long you\u2019ll pay for\n\n## What you can borrow and how much you\u2019ll pay\n\nYou can get finance for an amount based on what you\u2019ll be expected to save on your energy bills.\n\nThe annual repayments on the loan should not be more than the savings you might make on your energy bills.\n\nThere\u2019s no set interest rate. Your interest rate will be determined by the amount of your finance plan. Check with your provider for rates and fees.\n\nThe interest rate is fixed for the full term of the plan so your repayments will be fixed.\n\n## How you pay\n\nYou pay back the loan through a charge added to your electricity bill. If you have a prepayment meter, a small amount will be taken from the meter each day.\n\nThis is because the Green Deal stays with the property. If you move, you no longer benefit from the improvements and therefore stop paying for them.\n\nYou can pay off your Green Deal early, but you might be charged a fee - check with your provider.\n\n## Moving into a property with a Green Deal\n\nIf you move into a property with a Green Deal, the landlord or seller must show you a copy of the Energy Performance Certificate (EPC). This will explain what improvements have been made and how much you\u2019ll need to repay.\n\nThe person who pays the electricity bill pays the money back.\n\nYou can change electricity supplier if the new supplier is participating in the Green Deal.\n\n## Get more information\n\nContact the Green Deal provider if you have specific questions about the improvements, warranties or repayments.\n\nYou can get general information from Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland.\n\nFind out about call charges", + "original_contents": [ + "

    Overview

    ", + "

    The Green Deal helps you make energy-saving improvements to your home and to find the best way to pay for them.

    ", + "

    The improvements that could save you the most energy depend on your home, but typical examples include:

    ", + "
  • insulation, such as solid wall, cavity wall or loft insulation
  • ", + "
  • heating
  • ", + "
  • draught-proofing
  • ", + "
  • double glazing
  • ", + "
  • renewable energy generation, such as solar panels or heat pumps
  • ", + "

    If you need help paying for home improvements

    ", + "

    You may be able to get a loan through the Green Deal, but you\u2019ll have to pay this back.

    ", + "

    Find out if your home will benefit

    ", + "

    There are various ways to check if your property could benefit from energy-saving improvements:

    ", + "
  • use the Energy Efficiency Calculator to find out how you can reduce your energy bills
  • ", + "
  • check which home energy grants you might be able to apply for
  • ", + "
  • talk to a Green Deal assessor or provider
  • ", + "

    The Green Deal may be right for you if you think your property could benefit from energy-saving improvements.

    ", + "

    You can also talk to Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland

    ", + "

    Find out about call charges

    ", + "

    The Green Deal is not available in Northern Ireland.

    ", + "

    Green Deal mark

    ", + "

    ", + "

    All Green Deal organisations must be authorised. Look for the quality mark, which is a green house with a tick on the roof.

    ", + "

    You can also check if a Green Deal company is genuine.

    ", + "

    Improvements and benefits to your home

    ", + "

    Any household with an electricity meter (including prepayment meters) in England, Scotland or Wales can use the scheme.

    ", + "

    Both the landlord and the tenant must agree to the improvements if the building is rented.

    ", + "

    Eligible improvements

    ", + "

    You can use the Green Deal for a range of different energy saving measures including:

    ", + "
  • replacing windows and doors
  • ", + "
  • installing secondary glazing
  • ", + "
  • using energy efficient lighting
  • ", + "
  • insulating your loft or walls
  • ", + "
  • adding draught proofing
  • ", + "
  • upgrading your heating
  • ", + "
  • generating renewable energy from sources such as wind or solar power
  • ", + "

    But only if your Green Deal assessment recommends them.

    ", + "

    Get an assessment

    ", + "

    You must get your property assessed to use the Green Deal. Contact a Green Deal assessor or ask a Green Deal provider to find an assessor for you.

    ", + "

    You may have to pay for an assessment. The assessor must tell you the fee in advance.

    ", + "

    What to expect from an assessment

    ", + "

    A Green Deal assessor will visit your home, talk to you about your property and your energy use and help you decide if you could benefit from Green Deal improvements.

    ", + "

    When you book

    ", + "

    You may be asked if:

    ", + "
  • you own or rent the property
  • ", + "
  • your home is a listed building, in a conservation area, built before 1900 or constructed in a non-traditional way
  • ", + "
  • there are access issues, such as access to your loft
  • ", + "
  • you can provide bills showing your recent energy use
  • ", + "

    When the assessor visits

    ", + "

    You may be asked:

    ", + "
  • how many people live in your home
  • ", + "
  • what type of heating and appliances you use
  • ", + "
  • how often you use your heating
  • ", + "
  • what energy-saving measures are already installed
  • ", + "

    After the visit

    ", + "

    You\u2019ll get a document, called a Green Deal advice report, that contains:

    ", + "
  • an Energy Performance Certificate (EPC) that rates your home for energy efficiency
  • ", + "
  • an occupancy assessment that measures how much energy you and other occupiers are using
  • ", + "
  • improvements your assessor recommends
  • ", + "
  • an estimate of the money you could save on your annual energy bills
  • ", + "
  • a statement on whether the improvements will pay for themselves through reduced energy costs
  • ", + "

    A Green Deal advice report is valid for 10 years, or until you make changes or energy saving improvements to the property, for example you build an extension or change the windows.

    ", + "

    The actual savings will depend on how much energy you use and the future cost of energy.

    ", + "

    What to do next

    ", + "

    You decide:

    ", + "
  • if you want to get the work done
  • ", + "
  • how you want to pay
  • ", + "

    Getting the work done

    ", + "

    How you decide to get the work done will affect your options for how you pay for the work.

    ", + "

    After you get a Green Deal advice report, you can:

    ", + "
  • ask a Green Deal provider to arrange installation and pay for the work yourself
  • ", + "
  • ask a Green Deal provider to arrange installation and a Green Deal finance plan to pay for the work
  • ", + "
  • get your own installers to fit the improvements and pay for them yourself
  • ", + "
  • pay for the work in more than one way, like using a Green Deal finance plan or money of your own
  • ", + "

    Some companies provide all the services for a Green Deal package - assessment, finance and installation. You can choose to use a different company for each service.

    ", + "

    Get a quote

    ", + "

    Give a provider or installer your Green Deal advice report.

    ", + "

    Providers will give you a quote and arrange the installers for you. Installers will quote to do the work themselves. A quote from a provider will include the repayment terms if you\u2019re paying with a finance plan.

    ", + "

    You can get more than one quote and you can choose which improvements you want.

    ", + "

    You can ask the provider or installer if you or your property qualify to combine the Green Deal with these other schemes:

    ", + "
  • Affordable Warmth Obligation - help from your energy company to improve your home if you\u2019re on certain benefits or a low income, or for certain hard-to-treat properties
  • ", + "
  • Feed-in Tariffs - payments from your energy provider if you generate your own electricity (such as through solar panels or a wind turbine)
  • ", + "
  • Renewable Heat Incentive (RHI) - payments for generation and use of renewable energy to heat buildings
  • ", + "
  • any scheme run by your Local Authority - contact your Local Authority for information
  • ", + "

    Agree the work

    ", + "

    Pick the provider or installer you want to do the work.

    ", + "

    The provider will write you a contract called a Green Deal finance plan if you choose to pay with Green Deal finance. The plan will contain:

    ", + "
  • an outline of the work that will be done
  • ", + "
  • any financial help you can get from other schemes
  • ", + "
  • the repayments and interest rate
  • ", + "
  • information on other incentives you can access, such as Feed-in Tarrifs
  • ", + "
  • information on warranties and guarantees
  • ", + "

    Your Green Deal repayments will be automatically added to your electricity bill if you have chosen to take Green Deal finance.

    ", + "

    Complaints

    ", + "

    You can complain about your Green Deal.

    ", + "

    How to pay

    ", + "

    You can pay in advance, get a Green Deal finance plan, or use other schemes to fund the work. You can also combine ways to pay.

    ", + "

    Getting a Green Deal finance plan

    ", + "

    Finance plans are offered by approved Green Deal providers.

    ", + "

    Give your Green Deal assessment to providers you want to get a quote from.

    ", + "

    Your provider will find an installer for you.

    ", + "

    You can only get a finance plan for improvements recommended in your Green Deal assessment.

    ", + "

    Each provider must tell you:

    ", + "
  • how much you\u2019ll pay back
  • ", + "
  • how long you\u2019ll pay for
  • ", + "

    What you can borrow and how much you\u2019ll pay

    ", + "

    You can get finance for an amount based on what you\u2019ll be expected to save on your energy bills.

    ", + "

    The annual repayments on the loan should not be more than the savings you might make on your energy bills.

    ", + "

    There\u2019s no set interest rate. Your interest rate will be determined by the amount of your finance plan. Check with your provider for rates and fees.

    ", + "

    The interest rate is fixed for the full term of the plan so your repayments will be fixed.

    ", + "

    How you pay

    ", + "

    You pay back the loan through a charge added to your electricity bill. If you have a prepayment meter, a small amount will be taken from the meter each day.

    ", + "

    This is because the Green Deal stays with the property. If you move, you no longer benefit from the improvements and therefore stop paying for them.

    ", + "

    You can pay off your Green Deal early, but you might be charged a fee - check with your provider.

    ", + "

    Moving into a property with a Green Deal

    ", + "

    If you move into a property with a Green Deal, the landlord or seller must show you a copy of the Energy Performance Certificate (EPC). This will explain what improvements have been made and how much you\u2019ll need to repay.

    ", + "

    The person who pays the electricity bill pays the money back.

    ", + "

    You can change electricity supplier if the new supplier is participating in the Green Deal.

    ", + "

    Get more information

    ", + "

    Contact the Green Deal provider if you have specific questions about the improvements, warranties or repayments.

    ", + "

    You can get general information from Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland.

    ", + "

    Find out about call charges

    " + ] + }, + "https://www.gov.uk/dispose-hazardous-waste": { + "url": "https://www.gov.uk/dispose-hazardous-waste", + "title": "Hazardous waste", + "content": "## Overview\n\nYou must make sure hazardous waste produced or handled by your business in England causes no harm or damage.\n\nYou have responsibilities known as your \u2018duty of care\u2019. You must also meet extra requirements depending on whether you\u2019re a waste:\n\n- producer or holder (you produce or store waste)\n\n- carrier (you collect and transport waste)\n\n- consignee (you receive waste, such as for recycling or disposal)\n\nCheck what you need to do in Northern Ireland, Scotland and Wales.\n\nThere are different requirements for exporting waste.\n\n## Check if your waste is hazardous\n\nWaste is generally considered hazardous if it (or the material or substances it contains) are harmful to humans or the environment. Examples of hazardous waste include:\n\n- asbestos\n\n- chemicals, such as brake fluid or print toner\n\n- batteries\n\n- solvents\n\n- pesticides\n\n- oils (except edible ones), such as car oil\n\n- equipment containing ozone depleting substances, like fridges\n\n- hazardous waste containers\n\nClassify your waste to find out if it is hazardous.\n\n## Producers and holders\n\nYou must follow these steps in England if your business:\n\n- produces hazardous waste\n\n- holds or stores hazardous waste\n\n- has hazardous waste removed from its premises\n\n- Classify your waste to check if it\u2019s hazardous.\n\n- Separate and store hazardous waste safely.\n\n- Use authorised businesses to collect, recycle or dispose of your hazardous waste \u2013\u00a0check that waste carriers are registered and waste sites have environmental permits.\n\n- Fill in the parts of the consignment note that apply to you \u2013 keep one copy and give 2 copies to the carrier collecting your waste.\n\n- Keep records (known as a \u2018register\u2019) for 3 years at the premises that produced or stored the waste.\n\n## Records you must keep\n\nYou must keep your copies of:\n\n- consignment notes\n\n- consignee returns \u2013 you\u2019ll get these from businesses that receive your waste (consignees)\n\n- any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads\n\nIf these documents are not accurate or complete, you must keep a record of any missing information.\n\n## Extra requirements\n\nYou must meet extra requirements in these situations.\n\n## Your waste is rejected\n\nYou must follow the guidance on rejected loads if your hazardous waste is rejected by the destination site you sent it to.\n\n## You transport your own waste\n\nYou must meet the requirements for carriers if you transport any hazardous waste from your own or another business.\n\n## You receive, treat or dispose of waste\n\nYou must meet the requirements for consignees if you:\n\n- receive hazardous waste \u2013\u00a0this includes deliveries of waste from your own business\n\n- treat or dispose of hazardous waste on your business premises \u2013\u00a0this includes your own waste\n\n## Carriers\n\nYou must follow these steps if your business collects and transports hazardous waste in England (for example you\u2019re a waste carrier, or you move your own waste).\n\n- Register as a waste carrier.\n\n- Check parts A and B of the consignment note and the waste before you accept it \u2013\u00a0make sure the waste is classified correctly.\n\n- Separate waste correctly when you load it for transportation.\n\n- Fill in the part of the consignment note that applies to you.\n\n- Leave one copy of the consignment note with the waste producer or holder and keep 2 copies \u2013\u00a0these must stay with the waste until it reaches its destination.\n\n- Take the waste to the destination on the consignment note \u2013\u00a0it must be an authorised waste site.\n\n- Keep records (known as a \u2018register\u2019) for one year.\n\nYou must keep records at your head office.\n\n## Records you must keep\n\nYou must keep copies of:\n\n- consignment notes\n\n- any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads\n\nIf these documents are not accurate or complete, you must keep a record of any missing information.\n\n## You\u2019re a waste dealer or broker\n\nAsk the waste producer or holder for copies of their records. You must keep these for 3 years. Check what other registration requirements and responsibilities you may need to meet.\n\n## Your waste delivery is rejected\n\nYou must follow the guidance on rejected loads if a consignee rejects the hazardous waste you\u2019re transporting.\n\n## Consignees\n\nYou must follow these steps if you receive, treat or dispose of hazardous waste at premises in England.\n\n- Get an environmental permit or register an exemption for your premises.\n\n- Check the consignment note and waste before you accept it \u2013 make sure it\u2019s classified correctly.\n\n- Reject the waste if the consignment note is missing, incorrect or incomplete.\n\n- Fill in part E of the consignment note for any hazardous waste you accept or reject \u2013 keep one copy and hand one copy back to the carrier.\n\n- Send consignee returns to the Environment Agency, and the waste producer or holder, to report on any hazardous waste you accept or reject.\n\n- Keep records (known as a \u2018register\u2019).\n\nYou must keep records at the site where the hazardous waste was stored, treated or disposed.\n\n## Records you must keep\n\nYou must keep:\n\n- consignment notes\n\n- any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads\n\n- a site inventory that records where waste was stored, treated or disposed of at your waste site \u2013\u00a0keep this in a secure, marked area that\u2019s accessible in emergencies\n\n## Site inventories for tipped waste\n\n\u2018Tipped waste\u2019 (permanent waste storage, for example landfill) includes:\n\n| Type of storage | Disposal code (from the Waste Framework Directive) |\n\n| Deposit into or onto land, for example landfill | D1 |\n\n| Land treatment | D2 |\n\n| Deep injection | D3 |\n\n| Surface impoundment | D4 |\n\n| Specially engineered landfill | D5 |\n\n| Release into a water body except seas or oceans | D6 |\n\n| Permanent storage | D12 |\n\nYour site inventory must be a site plan that shows where hazardous waste is stored at your waste site together with its:\n\n- consignment note code \u2013 get this from the consignee return if there\u2019s no consignment note\n\n- waste description including the waste classification code, its chemical components and hazardous properties\n\nUse either a grid or contour lines to divide up your site plan.\n\n## Site inventories for all other waste operations\n\nThese requirements are for all waste operations other than tipped waste, including:\n\n- disposal by other methods\n\n- treatment\n\n- recovery\n\n- incineration\n\nYour site inventory can be a site plan or table showing the location of waste at your site together with:\n\n- its consignment note code \u2013 get this from the consignee return if there\u2019s no consignment note\n\n- information cross-referencing each incoming or outgoing waste (waste transfer activities only)\n\nYou must also keep records for each delivery of hazardous waste you accept at your site \u2013 include:\n\n- its weight in kilograms\n\n- its waste description including the waste classification code, its chemical components and hazardous properties\n\n- the name, address and postcode of the waste holder or producer it came from\n\n- the disposal or recovery method you applied to the waste\n\n## How long you must keep records\n\nThe type of waste site you have determines how long you keep records.\n\n| | Type of record | How long you must keep it |\n\n| Landfill site (disposal codes D1 to D6 and D12) | All records | As long as you have a permit |\n\n| Other waste site with a permit | Consignment notes | 5 years |\n\n| Other waste site with a permit | Site inventory and all other records | As long as you have a permit |\n\n| Waste sites with an exemption | All records | 3 years |\n\nYou must send your records to the Environment Agency if you give up or lose your permit.\n\n## Consignment notes\n\nYou must use consignment notes to move hazardous waste.\n\nA consignment note must stay with hazardous waste until it reaches its final destination.\n\n## Fill in a consignment note\n\nRead the consignment notes guidance.\n\n- Download a consignment note form.\n\n- Fill in the parts that apply to you.\n\n- Use a continuation sheet if you need more space.\n\nThe part that applies to you depends on your role in the waste process.\n\n| Your role | Part you must complete |\n\n| Producer | A and B |\n\n| Holder (stores waste) | A and B |\n\n| Carrier (collects and transports waste) | C |\n\n| Consignor (hands the waste to the carrier) | D |\n\n| Consignee (receives waste for recycling or disposal) | E |\n\n## You\u2019re the waste producer or holder\n\nYou\u2019ll need to know both the:\n\n- Standard Industrial Classification (SIC) code (2007) \u2013 this describes the business activity that produced the waste\n\n- waste classification code, also referred to as LoW (List of Waste) or EWC (European Waste Catalogue) code \u2013 this describes the waste\n\n## Get consignment notes another way\n\nYou can also:\n\n- use a note from your waste contractor or write your own \u2013 it must include the information on the form\n\n- buy consignment notices from the Environment Agency \u2013 these have 3 colour-coded copies\n\n## Consignee returns\n\nConsignee returns are reports on any hazardous waste received, treated or disposed of by a business (the \u2018consignee\u2019).\n\n## You\u2019re a waste producer or holder\n\nYou should get consignee returns every quarter from the consignee dealing with your hazardous waste.\n\nAsk for consignee returns in writing if you do not get them \u2013 you need them to keep records.\n\nYou should contact the Environment Agency and stop using a waste business if they do not provide consignee returns.\n\n## You\u2019re a consignee\n\nYou must send consignee returns every quarter to the:\n\n- Environment Agency\n\n- the waste producer or holder\n\nYou must send separate consignee returns to the Environment Agency and the waste producer or holder. You cannot send copies of the same document to both.\n\nRead the consignee returns guidance for help with filling in your consignee returns.\n\n## Send consignee returns to the Environment Agency\n\n- Fill in the consignee returns spreadsheet.\n\n- Send the spreadsheet to the Environment Agency - either email it to hazwastereturn@environment-agency.gov.uk or upload it online (in Wales email it to waleshazreturns@cyfoethnaturiolcymru.gov.uk).\n\nRead the consignee returns guidance for other ways you can send your returns.\n\n## Deadlines\n\n| Reporting period | Deadline |\n\n| January to March | 30 April |\n\n| April to June | 31 July |\n\n| July to September | 31 October |\n\n| October to December | 31 January |\n\n## Fees\n\nFees are per consignment of waste and depend on whether the consignment formed part of a multiple collection (if it came from multiple locations) or not. The fees are:\n\n- single consignment - \u00a310 (electronic returns) or \u00a319 (paper returns)\n\n- multiple collection - \u00a35 (electronic returns) or \u00a310 (paper returns)\n\n## Contact the Environment Agency\n\nContact the Environment Agency if you have any questions about hazardous waste.", + "original_contents": [ + "

    Overview

    ", + "

    You must make sure hazardous waste produced or handled by your business in England causes no harm or damage.

    ", + "

    You have responsibilities known as your \u2018duty of care\u2019. You must also meet extra requirements depending on whether you\u2019re a waste:

    ", + "
  • producer or holder (you produce or store waste)
  • ", + "
  • carrier (you collect and transport waste)
  • ", + "
  • consignee (you receive waste, such as for recycling or disposal)
  • ", + "

    Check what you need to do in Northern Ireland, Scotland and Wales.

    ", + "

    There are different requirements for exporting waste.

    ", + "

    Check if your waste is hazardous

    ", + "

    Waste is generally considered hazardous if it (or the material or substances it contains) are harmful to humans or the environment. Examples of hazardous waste include:

    ", + "
  • asbestos
  • ", + "
  • chemicals, such as brake fluid or print toner
  • ", + "
  • batteries
  • ", + "
  • solvents
  • ", + "
  • pesticides
  • ", + "
  • oils (except edible ones), such as car oil
  • ", + "
  • equipment containing ozone depleting substances, like fridges
  • ", + "
  • hazardous waste containers
  • ", + "

    Classify your waste to find out if it is hazardous.

    ", + "

    Producers and holders

    ", + "

    You must follow these steps in England if your business:

    ", + "
  • produces hazardous waste
  • ", + "
  • holds or stores hazardous waste
  • ", + "
  • has hazardous waste removed from its premises
  • ", + "
  • Classify your waste to check if it\u2019s hazardous.
  • ", + "
  • Separate and store hazardous waste safely.
  • ", + "
  • Use authorised businesses to collect, recycle or dispose of your hazardous waste \u2013\u00a0check that waste carriers are registered and waste sites have environmental permits.
  • ", + "
  • Fill in the parts of the consignment note that apply to you \u2013 keep one copy and give 2 copies to the carrier collecting your waste.
  • ", + "
  • Keep records (known as a \u2018register\u2019) for 3 years at the premises that produced or stored the waste.
  • ", + "

    Records you must keep

    ", + "

    You must keep your copies of:

    ", + "
  • consignment notes
  • ", + "
  • consignee returns \u2013 you\u2019ll get these from businesses that receive your waste (consignees)
  • ", + "
  • any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads
  • ", + "

    If these documents are not accurate or complete, you must keep a record of any missing information.

    ", + "

    Extra requirements

    ", + "

    You must meet extra requirements in these situations.

    ", + "

    Your waste is rejected

    ", + "

    You must follow the guidance on rejected loads if your hazardous waste is rejected by the destination site you sent it to.

    ", + "

    You transport your own waste

    ", + "

    You must meet the requirements for carriers if you transport any hazardous waste from your own or another business.

    ", + "

    You receive, treat or dispose of waste

    ", + "

    You must meet the requirements for consignees if you:

    ", + "
  • receive hazardous waste \u2013\u00a0this includes deliveries of waste from your own business
  • ", + "
  • treat or dispose of hazardous waste on your business premises \u2013\u00a0this includes your own waste
  • ", + "

    Carriers

    ", + "

    You must follow these steps if your business collects and transports hazardous waste in England (for example you\u2019re a waste carrier, or you move your own waste).

    ", + "
  • Register as a waste carrier.
  • ", + "
  • Check parts A and B of the consignment note and the waste before you accept it \u2013\u00a0make sure the waste is classified correctly.
  • ", + "
  • Separate waste correctly when you load it for transportation.
  • ", + "
  • Fill in the part of the consignment note that applies to you.
  • ", + "
  • Leave one copy of the consignment note with the waste producer or holder and keep 2 copies \u2013\u00a0these must stay with the waste until it reaches its destination.
  • ", + "
  • Take the waste to the destination on the consignment note \u2013\u00a0it must be an authorised waste site.
  • ", + "
  • Keep records (known as a \u2018register\u2019) for one year.
  • ", + "

    You must keep records at your head office.

    ", + "

    Records you must keep

    ", + "

    You must keep copies of:

    ", + "
  • consignment notes
  • ", + "
  • any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads
  • ", + "

    If these documents are not accurate or complete, you must keep a record of any missing information.

    ", + "

    You\u2019re a waste dealer or broker

    ", + "

    Ask the waste producer or holder for copies of their records. You must keep these for 3 years. Check what other registration requirements and responsibilities you may need to meet.

    ", + "

    Your waste delivery is rejected

    ", + "

    You must follow the guidance on rejected loads if a consignee rejects the hazardous waste you\u2019re transporting.

    ", + "

    Consignees

    ", + "

    You must follow these steps if you receive, treat or dispose of hazardous waste at premises in England.

    ", + "
  • Get an environmental permit or register an exemption for your premises.
  • ", + "
  • Check the consignment note and waste before you accept it \u2013 make sure it\u2019s classified correctly.
  • ", + "
  • Reject the waste if the consignment note is missing, incorrect or incomplete.
  • ", + "
  • Fill in part E of the consignment note for any hazardous waste you accept or reject \u2013 keep one copy and hand one copy back to the carrier.
  • ", + "
  • Send consignee returns to the Environment Agency, and the waste producer or holder, to report on any hazardous waste you accept or reject.
  • ", + "
  • Keep records (known as a \u2018register\u2019).
  • ", + "

    You must keep records at the site where the hazardous waste was stored, treated or disposed.

    ", + "

    Records you must keep

    ", + "

    You must keep:

    ", + "
  • consignment notes
  • ", + "
  • any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads
  • ", + "
  • a site inventory that records where waste was stored, treated or disposed of at your waste site \u2013\u00a0keep this in a secure, marked area that\u2019s accessible in emergencies
  • ", + "

    Site inventories for tipped waste

    ", + "

    \u2018Tipped waste\u2019 (permanent waste storage, for example landfill) includes:

    ", + "Type of storage | Disposal code (from the Waste Framework Directive)", + "Deposit into or onto land, for example landfill | D1", + "Land treatment | D2", + "Deep injection | D3", + "Surface impoundment | D4", + "Specially engineered landfill | D5", + "Release into a water body except seas or oceans | D6", + "Permanent storage | D12", + "

    Your site inventory must be a site plan that shows where hazardous waste is stored at your waste site together with its:

    ", + "
  • consignment note code \u2013 get this from the consignee return if there\u2019s no consignment note
  • ", + "
  • waste description including the waste classification code, its chemical components and hazardous properties
  • ", + "

    Use either a grid or contour lines to divide up your site plan.

    ", + "

    Site inventories for all other waste operations

    ", + "

    These requirements are for all waste operations other than tipped waste, including:

    ", + "
  • disposal by other methods
  • ", + "
  • treatment
  • ", + "
  • recovery
  • ", + "
  • incineration
  • ", + "

    Your site inventory can be a site plan or table showing the location of waste at your site together with:

    ", + "
  • its consignment note code \u2013 get this from the consignee return if there\u2019s no consignment note
  • ", + "
  • information cross-referencing each incoming or outgoing waste (waste transfer activities only)
  • ", + "

    You must also keep records for each delivery of hazardous waste you accept at your site \u2013 include:

    ", + "
  • its weight in kilograms
  • ", + "
  • its waste description including the waste classification code, its chemical components and hazardous properties
  • ", + "
  • the name, address and postcode of the waste holder or producer it came from
  • ", + "
  • the disposal or recovery method you applied to the waste
  • ", + "

    How long you must keep records

    ", + "

    The type of waste site you have determines how long you keep records.

    ", + " | Type of record | How long you must keep it", + "Landfill site (disposal codes D1 to D6 and D12) | All records | As long as you have a permit", + "Other waste site with a permit | Consignment notes | 5 years", + "Other waste site with a permit | Site inventory and all other records | As long as you have a permit", + "Waste sites with an exemption | All records | 3 years", + "

    You must send your records to the Environment Agency if you give up or lose your permit.

    ", + "

    Consignment notes

    ", + "

    You must use consignment notes to move hazardous waste.

    ", + "

    A consignment note must stay with hazardous waste until it reaches its final destination.

    ", + "

    Fill in a consignment note

    ", + "

    Read the consignment notes guidance.

    ", + "
  • Download a consignment note form.
  • ", + "
  • Fill in the parts that apply to you.
  • ", + "
  • Use a continuation sheet if you need more space.
  • ", + "

    The part that applies to you depends on your role in the waste process.

    ", + "Your role | Part you must complete", + "Producer | A and B", + "Holder (stores waste) | A and B", + "Carrier (collects and transports waste) | C", + "Consignor (hands the waste to the carrier) | D", + "Consignee (receives waste for recycling or disposal) | E", + "

    You\u2019re the waste producer or holder

    ", + "

    You\u2019ll need to know both the:

    ", + "
  • Standard Industrial Classification (SIC) code (2007) \u2013 this describes the business activity that produced the waste
  • ", + "
  • waste classification code, also referred to as LoW (List of Waste) or EWC (European Waste Catalogue) code \u2013 this describes the waste
  • ", + "

    Get consignment notes another way

    ", + "

    You can also:

    ", + "
  • use a note from your waste contractor or write your own \u2013 it must include the information on the form
  • ", + "
  • buy consignment notices from the Environment Agency \u2013 these have 3 colour-coded copies
  • ", + "

    Consignee returns

    ", + "

    Consignee returns are reports on any hazardous waste received, treated or disposed of by a business (the \u2018consignee\u2019).

    ", + "

    You\u2019re a waste producer or holder

    ", + "

    You should get consignee returns every quarter from the consignee dealing with your hazardous waste.

    ", + "

    Ask for consignee returns in writing if you do not get them \u2013 you need them to keep records.

    ", + "

    You should contact the Environment Agency and stop using a waste business if they do not provide consignee returns.

    ", + "

    You\u2019re a consignee

    ", + "

    You must send consignee returns every quarter to the:

    ", + "
  • Environment Agency
  • ", + "
  • the waste producer or holder
  • ", + "

    You must send separate consignee returns to the Environment Agency and the waste producer or holder. You cannot send copies of the same document to both.

    ", + "

    Read the consignee returns guidance for help with filling in your consignee returns.

    ", + "

    Send consignee returns to the Environment Agency

    ", + "
  • Fill in the consignee returns spreadsheet.
  • ", + "
  • Send the spreadsheet to the Environment Agency - either email it to hazwastereturn@environment-agency.gov.uk or upload it online (in Wales email it to waleshazreturns@cyfoethnaturiolcymru.gov.uk).
  • ", + "

    Read the consignee returns guidance for other ways you can send your returns.

    ", + "

    Deadlines

    ", + "Reporting period | Deadline", + "January to March | 30 April", + "April to June | 31 July", + "July to September | 31 October", + "October to December | 31 January", + "

    Fees

    ", + "

    Fees are per consignment of waste and depend on whether the consignment formed part of a multiple collection (if it came from multiple locations) or not. The fees are:

    ", + "
  • single consignment - \u00a310 (electronic returns) or \u00a319 (paper returns)
  • ", + "
  • multiple collection - \u00a35 (electronic returns) or \u00a310 (paper returns)
  • ", + "

    Contact the Environment Agency

    ", + "

    Contact the Environment Agency if you have any questions about hazardous waste.

    " + ] + }, + "https://www.gov.uk/preventing-air-pollution": { + "url": "https://www.gov.uk/preventing-air-pollution", + "title": "Preventing air pollution", + "content": "## Local controls\n\nYour local council can introduce extra controls on emissions if there are air quality problems in your area.\n\n## Air Quality Management Areas\n\nIf air quality falls below required standards, your council will declare an Air Quality Management Area (AQMA) and plan for improvements.\n\nCheck if your business is in an AQMA and if you\u2019re affected by:\n\n- road charging\n\n- parking restrictions\n\n- increased restrictions on waiting and loading times\n\n- taxes to encourage moving goods by rail\n\n- the review of planning applications by a pollution control team\n\n## Smoke control areas\n\nYour council can also declare a smoke control area. This means you can only use authorised fuels, or exempted furnaces and boilers. Chimney smoke is not allowed, with only a few exceptions.\n\nYou could be fined up to \u00a31,000 for each offence.\n\nIf you\u2019re a contractor working at different locations you should always check if you\u2019re in a smoke control area.\n\n## Dark smoke\n\nThe darker the smoke, the more polluting it tends to be. Smoke darker than a specified shade of grey is officially classified as \u2018dark smoke\u2019.\n\nThe Ringelmann chart is used to define dark smoke. The chart has 5 shades of grey with 0 being clear and 5 being black. Smoke is considered \u2018dark\u2019 if it is shade 2 or darker.\n\n## Chimney and boiler restrictions\n\nYou mustn\u2019t release dark smoke from your premises, including from:\n\n- chimneys serving furnaces\n\n- fixed boilers or industrial plants, whether they\u2019re attached to buildings or not\n\nThere are some exemptions if emissions won\u2019t damage health or cause a nuisance.\n\n## Boilers and furnaces\n\nYou need a permit for most generators, furnaces and boilers.\n\n## Get a permit\n\nThe permit you need depends on the type and amount of fuel you\u2019re burning.\n\n## Part A(1) environmental permit\n\nYou\u2019ll need a Part A(1) environmental permit if your appliances:\n\n- have an aggregated rated thermal input of 50 megawatts (mw) or more\n\n- burn waste oil, recovered oil or any fuel made from waste, with a rated thermal input of 3 to 50 mw\n\nGet a Part A(1) permit from:\n\n- Environment Agency if you\u2019re in England\n\n- Natural Resources Wales (NRW)\n\n- Scottish Environment Protection Agency (SEPA)\n\n## Part B environmental permit\n\nYou\u2019ll need a Part B environmental permit if your appliances:\n\n- have a rated thermal input of 20 to 50 mw\n\n- burn waste excluded from the Industrial Emissions Directive (IED) with a rated thermal input of 0.4 to 3 mw\n\nGet a Part B permit from:\n\n- your local council if you\u2019re in England and Wales\n\n- SEPA if you\u2019re in Scotland\n\n## Small Waste Incineration Plant (SWIP) environmental permit\n\nYou\u2019ll need a Small Waste Incineration Plant (SWIP) environmental permit if your appliance can burn either:\n\n- less than 10 tonnes per day of hazardous waste\n\n- less than 3 tonnes per hour of non-hazardous waste (equivalent to 72 tonnes per day)\n\nGet a SWIP environmental permit from your local council.\n\n## Installing furnaces\n\nYour local council must approve:\n\n- the use of a new non-domestic furnace in a building, fixed boiler or industrial plant\n\n- changes to an existing furnace\n\nContact your local council about getting approval for grit and dust arrestment equipment for your furnace if it\u2019s going to be used to burn:\n\n- pulverised fuel\n\n- any other solid matter at a rate of 45.4 kilograms (kg) or more an hour\n\n- liquid or gaseous matter at a rate equivalent to 366.4 kilowatts (kw) or more\n\nYou might not need approval if your boiler won\u2019t create emissions that can damage health or cause a nuisance. Contact your local council to check if you\u2019re exempt.\n\n## Chimney height requirements\n\nYour chimney must be high enough to prevent smoke, grit, dust, gases and fume emissions from damaging health or causing a nuisance. Your local council can refuse your application if your chimney isn\u2019t high enough.\n\nYou must apply for chimney height approval if your boiler\u2019s fuel consumption either:\n\n- exceeds 45.4 kg of solid fuel an hour\n\n- exceeds 366.4 kw of liquid or gas fuel\n\nIf your approval application is refused your local council will tell you the minimum chimney height you need.\n\nA chimney may be exempt if it\u2019s used as part of:\n\n- a temporary replacement, for example if the boiler or furnace is being repaired\n\n- a temporary source of heat or power for building works\n\n- an auxiliary plant to bring the main plant up to operating temperatures\n\n- a mobile source of heat or power for agricultural purposes\n\nIf the use of your chimney changes you must re-apply for approval.", + "original_contents": [ + "

    Local controls

    ", + "

    Your local council can introduce extra controls on emissions if there are air quality problems in your area.

    ", + "

    Air Quality Management Areas

    ", + "

    If air quality falls below required standards, your council will declare an Air Quality Management Area (AQMA) and plan for improvements.

    ", + "

    Check if your business is in an AQMA and if you\u2019re affected by:

    ", + "
  • road charging
  • ", + "
  • parking restrictions
  • ", + "
  • increased restrictions on waiting and loading times
  • ", + "
  • taxes to encourage moving goods by rail
  • ", + "
  • the review of planning applications by a pollution control team
  • ", + "

    Smoke control areas

    ", + "

    Your council can also declare a smoke control area. This means you can only use authorised fuels, or exempted furnaces and boilers. Chimney smoke is not allowed, with only a few exceptions.

    ", + "

    You could be fined up to \u00a31,000 for each offence.

    ", + "

    If you\u2019re a contractor working at different locations you should always check if you\u2019re in a smoke control area.

    ", + "

    Dark smoke

    ", + "

    The darker the smoke, the more polluting it tends to be. Smoke darker than a specified shade of grey is officially classified as \u2018dark smoke\u2019.

    ", + "

    The Ringelmann chart is used to define dark smoke. The chart has 5 shades of grey with 0 being clear and 5 being black. Smoke is considered \u2018dark\u2019 if it is shade 2 or darker.

    ", + "

    Chimney and boiler restrictions

    ", + "

    You mustn\u2019t release dark smoke from your premises, including from:

    ", + "
  • chimneys serving furnaces
  • ", + "
  • fixed boilers or industrial plants, whether they\u2019re attached to buildings or not
  • ", + "

    There are some exemptions if emissions won\u2019t damage health or cause a nuisance.

    ", + "

    Boilers and furnaces

    ", + "

    You need a permit for most generators, furnaces and boilers.

    ", + "

    Get a permit

    ", + "

    The permit you need depends on the type and amount of fuel you\u2019re burning.

    ", + "

    Part A(1) environmental permit

    ", + "

    You\u2019ll need a Part A(1) environmental permit if your appliances:

    ", + "
  • have an aggregated rated thermal input of 50 megawatts (mw) or more
  • ", + "
  • burn waste oil, recovered oil or any fuel made from waste, with a rated thermal input of 3 to 50 mw
  • ", + "

    Get a Part A(1) permit from:

    ", + "
  • Environment Agency if you\u2019re in England
  • ", + "
  • Natural Resources Wales (NRW)
  • ", + "
  • Scottish Environment Protection Agency (SEPA)
  • ", + "

    Part B environmental permit

    ", + "

    You\u2019ll need a Part B environmental permit if your appliances:

    ", + "
  • have a rated thermal input of 20 to 50 mw
  • ", + "
  • burn waste excluded from the Industrial Emissions Directive (IED) with a rated thermal input of 0.4 to 3 mw
  • ", + "

    Get a Part B permit from:

    ", + "
  • your local council if you\u2019re in England and Wales
  • ", + "
  • SEPA if you\u2019re in Scotland
  • ", + "

    Small Waste Incineration Plant (SWIP) environmental permit

    ", + "

    You\u2019ll need a Small Waste Incineration Plant (SWIP) environmental permit if your appliance can burn either:

    ", + "
  • less than 10 tonnes per day of hazardous waste
  • ", + "
  • less than 3 tonnes per hour of non-hazardous waste (equivalent to 72 tonnes per day)
  • ", + "

    Get a SWIP environmental permit from your local council.

    ", + "

    Installing furnaces

    ", + "

    Your local council must approve:

    ", + "
  • the use of a new non-domestic furnace in a building, fixed boiler or industrial plant
  • ", + "
  • changes to an existing furnace
  • ", + "

    Contact your local council about getting approval for grit and dust arrestment equipment for your furnace if it\u2019s going to be used to burn:

    ", + "
  • pulverised fuel
  • ", + "
  • any other solid matter at a rate of 45.4 kilograms (kg) or more an hour
  • ", + "
  • liquid or gaseous matter at a rate equivalent to 366.4 kilowatts (kw) or more
  • ", + "

    You might not need approval if your boiler won\u2019t create emissions that can damage health or cause a nuisance. Contact your local council to check if you\u2019re exempt.

    ", + "

    Chimney height requirements

    ", + "

    Your chimney must be high enough to prevent smoke, grit, dust, gases and fume emissions from damaging health or causing a nuisance. Your local council can refuse your application if your chimney isn\u2019t high enough.

    ", + "

    You must apply for chimney height approval if your boiler\u2019s fuel consumption either:

    ", + "
  • exceeds 45.4 kg of solid fuel an hour
  • ", + "
  • exceeds 366.4 kw of liquid or gas fuel
  • ", + "

    If your approval application is refused your local council will tell you the minimum chimney height you need.

    ", + "

    A chimney may be exempt if it\u2019s used as part of:

    ", + "
  • a temporary replacement, for example if the boiler or furnace is being repaired
  • ", + "
  • a temporary source of heat or power for building works
  • ", + "
  • an auxiliary plant to bring the main plant up to operating temperatures
  • ", + "
  • a mobile source of heat or power for agricultural purposes
  • ", + "

    If the use of your chimney changes you must re-apply for approval.

    " + ] + }, + "https://www.gov.uk/emergency-and-lifesaving-equipment-on-ships": { + "url": "https://www.gov.uk/emergency-and-lifesaving-equipment-on-ships", + "title": "Emergency and life-saving equipment on ships", + "content": "## Overview\n\nAll ships must carry certain emergency and life-saving equipment. This equipment must meet minimum standards and must be properly tested and serviced.\n\nThere are different requirements depending on the size and type of ship and where it operates.\n\nEmergency and life-saving equipment include things like:\n\n- lifeboats and liferafts\n\n- lifebuoys\n\n- lifejackets and attachments\n\n- buoyancy apparatus\n\n- emergency alarm systems and public address systems\n\n- marine evacuation systems\n\n- two-way VHF radiotelephone sets\n\n- fire-fighting equipment\n\n## Life-saving equipment\n\n## Merchant ships\n\nYou can find information on the life-saving appliances that ships must carry in the Merchant Shipping (Life-Saving Appliances Regulations for Ships Other Than Ships of Classes III to VI(A)) Regulations 1999.\n\n## Passenger ships\n\nThere are different requirements for different types of passenger ships.\n\nDownload information about requirements for life-saving appliances on passenger ships on domestic voyages.\n\nYou must also read the amendments to these regulations.\n\nDownload information about which lifejackets must be carried on passenger ships.\n\n## Roll-on Roll-off (Ro-Ro) passenger ships\n\nRo-Ro passenger ships must be fitted with emergency equipment lockers for emergency situations.\n\n## Large commercial yachts\n\nThe Large Commercial Yacht Code includes rules on life-saving equipment for certain types of ship of less than 3,000 gross tonnage.\n\n## Small commercial vessel and pilot boats\n\nThe Small Commercial Vessels Code sets out rules on life-saving equipment for certain vessels of less than 24 metres.\n\n## Small passenger boats on inland waters\n\nThe Inland Waters Small Passenger Boat Code includes rules on life-saving equipment for inland vessels that carry no more than 12 passengers.\n\n## Pleasure craft\n\nSome pleasure craft don\u2019t have to carry certain life-saving equipment. Download the regulations for pleasure craft.\n\n## Fire-fighting equipment\n\nShips must carry certain fire-fighting equipment on board.\n\n## Exemptions\n\nSome ships are exempt from these regulations.\n\n## Fixed fire alarms and extinguishers\n\nDownload the rules on fixed fire-detection alarms and extinguishing systems.\n\n## Fixed gas fire-extinguishing systems\n\nDownload guidance on operating fixed gas fire-extinguishing systems.\n\nYour crew must know how to use fixed gas fire-extinguishing systems safely.\n\n## Halon fire-fighting systems\n\nIt\u2019s now illegal to use fire-fighting equipment that contains halons. Download information on the phasing out of halon fire-fighting systems.\n\n## Safe use of emergency equipment\n\nAll emergency life-saving equipment must be safe to use, and you must make sure that your crew know how to use it properly.\n\n## Lifejackets\n\nAll lifejackets must be regularly inspected. You\u2019ll need to check the individual manufacturer\u2019s instructions on how to do this.\n\nDownload general guidance on how to use and inspect inflatable lifejackets.\n\n## Immersion suits\n\nRead information on the safe use of immersion suits and lifejackets.\n\n## Marine evacuation systems (MESs)\n\nA marine evacuation system is an inflatable slide or escape chute which passengers can use to get into liferafts from the ship.\n\nIf your vessel has an MES, you must make sure that crew are properly trained in how to use it, and that all onboard lifejackets can be used safely with it.\n\n## Liferafts and Hydrostatic Release Units (HRUs)\n\nDownload guidance on the safe use of HRUs and liferafts.\n\n## Fuels and lubricating oils in lifeboat engines\n\nIn lifeboat engines, you must make sure that all fuels and lubricating oils are safe to use in low temperatures.\n\nDownload information on which fuels and oils are safe to use.\n\n## Retro-reflective material\n\nYou must check all retro-reflective material at regular intervals to make sure it\u2019s effective. Download guidance on using and fitting retro-reflective material on life-saving appliances.\n\n## Servicing and testing emergency equipment\n\n## Life-saving appliance testing\n\nSome life-saving equipment must be serviced regularly at an approved service station, like:\n\n- inflatable liferafts\n\n- inflatable boats\n\n- rescue boats\n\n- fast rescue boats\n\n- inflatable lifejackets\n\n- Hydrostatic Release Units (HRUs)\n\nYou can find details of independent lifeboat servicing and testing organisations on the Maritime and Coastguard Agency (MCA) website.\n\nDownload further information on servicing this kind of emergency equipment.\n\n## Manufacturers of life-saving appliances\n\nYou can find details of manufacturers of life-saving appliances and their UK representatives on the MCA website.\n\n## Emergency electrical systems\n\nDownload information on testing emergency electrical systems.\n\n## Fire equipment testing\n\nAll fire protection systems and equipment should be regularly tested and maintained so that they\u2019re ready for immediate use when needed.\n\nYou must carry out monthly fire equipment testing and inspection to make sure that:\n\n- all fireman\u2019s outfits, fire extinguishers, fire hydrants, hoses and nozzles are in place and in good condition\n\n- all escape routes are free of obstructions and properly maintained\n\n- the public address system and ship\u2019s alarms are working properly\n\n- all fixed fire-fighting installation valves are set in the correct operating position\n\n- dry pipe sprinkler systems are pressurised, where needed, and their gauges are working properly\n\n- the sprinkler system pressure tank water levels are correct\n\n- all sprinkler system pumps operate automatically on pressure loss in the systems\n\n- all fire pumps are working properly\n\n- all fixed gas fire extinguishing installations are free from leaks\n\n## Fixed bulk dry powder fire extinguishing systems\n\nDownload information on maintaining and testing fixed dry bulk power systems.\n\nRead \u2018MGN 355 (M) Periodic Inspection, Testing and Maintenance of Fixed Bulk Dry Powder Fire Extinguishing Systems\u2019.\n\n## Seamless steel pressurised gas cylinders\n\nDownload information on testing seamless steel pressurised gas cylinders used for fire-fighting.\n\n## Portable fire extinguishers\n\nDownload information on how to carry out testing and maintenance of portable fire extinguishers.\n\n## Help and advice\n\nYou can contact the Maritime and Coastguard Agency (MCA) for further information on life-saving appliances.\n\nThe MCA lists current safety alerts for technical matters, including information on known design faults and fake safety equipment.\n\nIt also lists safety alerts for health and safety matters.", + "original_contents": [ + "

    Overview

    ", + "

    All ships must carry certain emergency and life-saving equipment. This equipment must meet minimum standards and must be properly tested and serviced.

    ", + "

    There are different requirements depending on the size and type of ship and where it operates.

    ", + "

    Emergency and life-saving equipment include things like:

    ", + "
  • lifeboats and liferafts
  • ", + "
  • lifebuoys
  • ", + "
  • lifejackets and attachments
  • ", + "
  • buoyancy apparatus
  • ", + "
  • emergency alarm systems and public address systems
  • ", + "
  • marine evacuation systems
  • ", + "
  • two-way VHF radiotelephone sets
  • ", + "
  • fire-fighting equipment
  • ", + "

    Life-saving equipment

    ", + "

    Merchant ships

    ", + "

    You can find information on the life-saving appliances that ships must carry in the Merchant Shipping (Life-Saving Appliances Regulations for Ships Other Than Ships of Classes III to VI(A)) Regulations 1999.

    ", + "

    Passenger ships

    ", + "

    There are different requirements for different types of passenger ships.

    ", + "

    Download information about requirements for life-saving appliances on passenger ships on domestic voyages.

    ", + "

    You must also read the amendments to these regulations.

    ", + "

    Download information about which lifejackets must be carried on passenger ships.

    ", + "

    Roll-on Roll-off (Ro-Ro) passenger ships

    ", + "

    Ro-Ro passenger ships must be fitted with emergency equipment lockers for emergency situations.

    ", + "

    Large commercial yachts

    ", + "

    The Large Commercial Yacht Code includes rules on life-saving equipment for certain types of ship of less than 3,000 gross tonnage.

    ", + "

    Small commercial vessel and pilot boats

    ", + "

    The Small Commercial Vessels Code sets out rules on life-saving equipment for certain vessels of less than 24 metres.

    ", + "

    Small passenger boats on inland waters

    ", + "

    The Inland Waters Small Passenger Boat Code includes rules on life-saving equipment for inland vessels that carry no more than 12 passengers.

    ", + "

    Pleasure craft

    ", + "

    Some pleasure craft don\u2019t have to carry certain life-saving equipment. Download the regulations for pleasure craft.

    ", + "

    Fire-fighting equipment

    ", + "

    Ships must carry certain fire-fighting equipment on board.

    ", + "

    Exemptions

    ", + "

    Some ships are exempt from these regulations.

    ", + "

    Fixed fire alarms and extinguishers

    ", + "

    Download the rules on fixed fire-detection alarms and extinguishing systems.

    ", + "

    Fixed gas fire-extinguishing systems

    ", + "

    Download guidance on operating fixed gas fire-extinguishing systems.

    ", + "

    Your crew must know how to use fixed gas fire-extinguishing systems safely.

    ", + "

    Halon fire-fighting systems

    ", + "

    It\u2019s now illegal to use fire-fighting equipment that contains halons. Download information on the phasing out of halon fire-fighting systems.

    ", + "

    Safe use of emergency equipment

    ", + "

    All emergency life-saving equipment must be safe to use, and you must make sure that your crew know how to use it properly.

    ", + "

    Lifejackets

    ", + "

    All lifejackets must be regularly inspected. You\u2019ll need to check the individual manufacturer\u2019s instructions on how to do this.

    ", + "

    Download general guidance on how to use and inspect inflatable lifejackets.

    ", + "

    Immersion suits

    ", + "

    Read information on the safe use of immersion suits and lifejackets.

    ", + "

    Marine evacuation systems (MESs)

    ", + "

    A marine evacuation system is an inflatable slide or escape chute which passengers can use to get into liferafts from the ship.

    ", + "

    If your vessel has an MES, you must make sure that crew are properly trained in how to use it, and that all onboard lifejackets can be used safely with it.

    ", + "

    Liferafts and Hydrostatic Release Units (HRUs)

    ", + "

    Download guidance on the safe use of HRUs and liferafts.

    ", + "

    Fuels and lubricating oils in lifeboat engines

    ", + "

    In lifeboat engines, you must make sure that all fuels and lubricating oils are safe to use in low temperatures.

    ", + "

    Download information on which fuels and oils are safe to use.

    ", + "

    Retro-reflective material

    ", + "

    You must check all retro-reflective material at regular intervals to make sure it\u2019s effective. Download guidance on using and fitting retro-reflective material on life-saving appliances.

    ", + "

    Servicing and testing emergency equipment

    ", + "

    Life-saving appliance testing

    ", + "

    Some life-saving equipment must be serviced regularly at an approved service station, like:

    ", + "
  • inflatable liferafts
  • ", + "
  • inflatable boats
  • ", + "
  • rescue boats
  • ", + "
  • fast rescue boats
  • ", + "
  • inflatable lifejackets
  • ", + "
  • Hydrostatic Release Units (HRUs)
  • ", + "

    You can find details of independent lifeboat servicing and testing organisations on the Maritime and Coastguard Agency (MCA) website.

    ", + "

    Download further information on servicing this kind of emergency equipment.

    ", + "

    Manufacturers of life-saving appliances

    ", + "

    You can find details of manufacturers of life-saving appliances and their UK representatives on the MCA website.

    ", + "

    Emergency electrical systems

    ", + "

    Download information on testing emergency electrical systems.

    ", + "

    Fire equipment testing

    ", + "

    All fire protection systems and equipment should be regularly tested and maintained so that they\u2019re ready for immediate use when needed.

    ", + "

    You must carry out monthly fire equipment testing and inspection to make sure that:

    ", + "
  • all fireman\u2019s outfits, fire extinguishers, fire hydrants, hoses and nozzles are in place and in good condition
  • ", + "
  • all escape routes are free of obstructions and properly maintained
  • ", + "
  • the public address system and ship\u2019s alarms are working properly
  • ", + "
  • all fixed fire-fighting installation valves are set in the correct operating position
  • ", + "
  • dry pipe sprinkler systems are pressurised, where needed, and their gauges are working properly
  • ", + "
  • the sprinkler system pressure tank water levels are correct
  • ", + "
  • all sprinkler system pumps operate automatically on pressure loss in the systems
  • ", + "
  • all fire pumps are working properly
  • ", + "
  • all fixed gas fire extinguishing installations are free from leaks
  • ", + "

    Fixed bulk dry powder fire extinguishing systems

    ", + "

    Download information on maintaining and testing fixed dry bulk power systems.

    ", + "

    Read \u2018MGN 355 (M) Periodic Inspection, Testing and Maintenance of Fixed Bulk Dry Powder Fire Extinguishing Systems\u2019.

    ", + "

    Seamless steel pressurised gas cylinders

    ", + "

    Download information on testing seamless steel pressurised gas cylinders used for fire-fighting.

    ", + "

    Portable fire extinguishers

    ", + "

    Download information on how to carry out testing and maintenance of portable fire extinguishers.

    ", + "

    Help and advice

    ", + "

    You can contact the Maritime and Coastguard Agency (MCA) for further information on life-saving appliances.

    ", + "

    The MCA lists current safety alerts for technical matters, including information on known design faults and fake safety equipment.

    ", + "

    It also lists safety alerts for health and safety matters.

    " + ] + }, + "https://www.gov.uk/fishing-vessel-licence-under-10-metres": { + "url": "https://www.gov.uk/fishing-vessel-licence-under-10-metres", + "title": "Get a fishing vessel licence: vessels 10 metres or under", + "content": "## Overview\n\nYou need a Category A (10 metres or under) fishing vessel licence if you want to catch and sell sea fish, unless you\u2019re exempt.\n\nCheck the licence you need if your vessel is longer than 10 metres.\n\nFollow these steps to get a Category A (10 metres or under) fishing vessel licence:\n\n- Register your vessel - you must do this before you can get a licence.\n\n- Get a licence entitlement - you\u2019ll need this to get a licence.\n\n- Apply for your licence.\n\nYou must carry your licence on board your vessel at all times.\n\n## Exemptions\n\nYou don\u2019t need a licence for your vessel if any of the following apply:\n\n- it doesn\u2019t have an engine\n\n- it\u2019ll only be used to fish for common eels, salmon or migratory trout\n\n- you fish only within 12 nautical miles of Jersey, Guernsey or the Isle of Man, but you\u2019ll need a licence from the relevant authority\n\n- you only use your vessel to fish for pleasure\n\n## Register your vessel\n\nYou must register your vessel on the UK Ship Registry to get a fishing vessel licence, unless your vessel is registered in the Channel Islands or the Isle of Man.\n\nTo get on the register:\n\n- arrange an inspection by a Maritime and Coastguard Agency (MCA) inspector or surveyor\n\n- fill in application form MSF4740 and send it to the address on the form\n\nYou can choose simple or full registration. Full registration lets you take out a marine mortgage against your vessel.\n\n## Registration fees\n\nSimple registration is \u00a3111 and full registration is \u00a3131.\n\n## Documents you need\n\nYou must include the following documents:\n\n- Declaration of Eligibility (MSF 4728)\n\n- original ownership documents - bill of sale, invoice or builder\u2019s certificate\n\n- Seafish Construction Certificate if your vessel was built after July 2007, or Seafish Inspection Report if your vessel was built before 2007\n\n- Safety Certificate issued by MCA (MSF 1606)\n\n- the vessel\u2019s radio call sign, if you have one\n\n- deletion certificate if the vessel was previously registered on another register\n\n- a copy of the Certificate of Incorporation if the owner is a limited company\n\nYour evidence of ownership must cover the last 3 years if you\u2019re applying for full registration.\n\n## Get a licence entitlement\n\nYou can get an entitlement by:\n\n- buying the entitlement from a vessel that has sunk, been scrapped or is no longer being used for fishing\n\n- buying a vessel with a licence\n\nYou need to make sure the entitlement is suitable for:\n\n- a vessel which is 10 metres or under (Category A)\n\n- the tonnage of your vessel and the size of the engine (kilowattage)\n\nYou can combine 2 or more entitlements if 1 is not enough to cover your vessel. You can also split an entitlement if you don\u2019t need it all.\n\n## Register an entitlement bought without a vessel\n\nGet form AFL7 from your local MMO office.\n\nRead the instructions for filling in form AFL7.\n\nFill in sections A and B of the form and send it to your local MMO office.\n\nMMO will check the previous owner has agreed to the transfer and return the form to you.\n\n## Entitlements bought with a vessel\n\nThe seller will transfer the entitlement into your name as part of the sale. MMO will send you form AFL7.\n\nUse form AFL7 to convert your entitlement into a licence.\n\n## Apply for your licence\n\nFill in application form AFL2 to apply for a Category A (10 metres or under) licence and send it to your local MMO office with your:\n\n- certificate of registry for the vessel\n\n- form AFL7 showing you as the entitlement holder\n\nSend the original documents, not copies.\n\nA licence is valid for 2 years, starting on 1 July and ending 2 years later on 30 June.\n\nYour licence will be renewed automatically.", + "original_contents": [ + "

    Overview

    ", + "

    You need a Category A (10 metres or under) fishing vessel licence if you want to catch and sell sea fish, unless you\u2019re exempt.

    ", + "

    Check the licence you need if your vessel is longer than 10 metres.

    ", + "

    Follow these steps to get a Category A (10 metres or under) fishing vessel licence:

    ", + "
  • Register your vessel - you must do this before you can get a licence.
  • ", + "
  • Get a licence entitlement - you\u2019ll need this to get a licence.
  • ", + "
  • Apply for your licence.
  • ", + "

    You must carry your licence on board your vessel at all times.

    ", + "

    Exemptions

    ", + "

    You don\u2019t need a licence for your vessel if any of the following apply:

    ", + "
  • it doesn\u2019t have an engine
  • ", + "
  • it\u2019ll only be used to fish for common eels, salmon or migratory trout
  • ", + "
  • you fish only within 12 nautical miles of Jersey, Guernsey or the Isle of Man, but you\u2019ll need a licence from the relevant authority
  • ", + "
  • you only use your vessel to fish for pleasure
  • ", + "

    Register your vessel

    ", + "

    You must register your vessel on the UK Ship Registry to get a fishing vessel licence, unless your vessel is registered in the Channel Islands or the Isle of Man.

    ", + "

    To get on the register:

    ", + "
  • arrange an inspection by a Maritime and Coastguard Agency (MCA) inspector or surveyor
  • ", + "
  • fill in application form MSF4740 and send it to the address on the form
  • ", + "

    You can choose simple or full registration. Full registration lets you take out a marine mortgage against your vessel.

    ", + "

    Registration fees

    ", + "

    Simple registration is \u00a3111 and full registration is \u00a3131.

    ", + "

    Documents you need

    ", + "

    You must include the following documents:

    ", + "
  • Declaration of Eligibility (MSF 4728)
  • ", + "
  • original ownership documents - bill of sale, invoice or builder\u2019s certificate
  • ", + "
  • Seafish Construction Certificate if your vessel was built after July 2007, or Seafish Inspection Report if your vessel was built before 2007
  • ", + "
  • Safety Certificate issued by MCA (MSF 1606)
  • ", + "
  • the vessel\u2019s radio call sign, if you have one
  • ", + "
  • deletion certificate if the vessel was previously registered on another register
  • ", + "
  • a copy of the Certificate of Incorporation if the owner is a limited company
  • ", + "

    Your evidence of ownership must cover the last 3 years if you\u2019re applying for full registration.

    ", + "

    Get a licence entitlement

    ", + "

    You can get an entitlement by:

    ", + "
  • buying the entitlement from a vessel that has sunk, been scrapped or is no longer being used for fishing
  • ", + "
  • buying a vessel with a licence
  • ", + "

    You need to make sure the entitlement is suitable for:

    ", + "
  • a vessel which is 10 metres or under (Category A)
  • ", + "
  • the tonnage of your vessel and the size of the engine (kilowattage)
  • ", + "

    You can combine 2 or more entitlements if 1 is not enough to cover your vessel. You can also split an entitlement if you don\u2019t need it all.

    ", + "

    Register an entitlement bought without a vessel

    ", + "

    Get form AFL7 from your local MMO office.

    ", + "

    Read the instructions for filling in form AFL7.

    ", + "

    Fill in sections A and B of the form and send it to your local MMO office.

    ", + "

    MMO will check the previous owner has agreed to the transfer and return the form to you.

    ", + "

    Entitlements bought with a vessel

    ", + "

    The seller will transfer the entitlement into your name as part of the sale. MMO will send you form AFL7.

    ", + "

    Use form AFL7 to convert your entitlement into a licence.

    ", + "

    Apply for your licence

    ", + "

    Fill in application form AFL2 to apply for a Category A (10 metres or under) licence and send it to your local MMO office with your:

    ", + "
  • certificate of registry for the vessel
  • ", + "
  • form AFL7 showing you as the entitlement holder
  • ", + "

    Send the original documents, not copies.

    ", + "

    A licence is valid for 2 years, starting on 1 July and ending 2 years later on 30 June.

    ", + "

    Your licence will be renewed automatically.

    " + ] + }, + "https://www.gov.uk/hiring-crew": { + "url": "https://www.gov.uk/hiring-crew", + "title": "Hiring crew for ships and yachts", + "content": "## Overview\n\nWhen you\u2019re hiring crew for a ship or yacht, you must:\n\n- check crew members\u2019 discharge books to make sure they have the qualifications and certificates of competency for their jobs\n\n- check that all crew members have the necessary medical certificates for the work they\u2019ll be doing\n\n- make sure everyone has the necessary travel documents\n\n- check that all crew can speak the ship\u2019s common working language\n\n- draw up a crew agreement\n\n- send a full crew list to the owner of the ship or yacht\n\nYou must make sure all crew members know the ship\u2019s safety and emergency procedures before the start of your journey.\n\n## Checking crew qualifications\n\nYou must check crew members\u2019 discharge books to make sure everyone has the necessary qualifications and experience.\n\nCrew members doing specialist jobs or working on particular types of craft may need special training.\n\n## Officers\n\nOfficers in your crew must have the necessary certificates of competency (CoCs).\n\nCheck that officers\u2019 CoCs are valid on the Maritime and Coastguard Agency (MCA) website.\n\nOfficers may need special training if working on tankers, high-speed craft or passenger ships.\n\n## Merchant navy ratings\n\nMake sure that all crew have the correct rating for the work they\u2019ll be doing. Watch ratings need a CoC if they\u2019re performing navigation or engine room duties.\n\n## Crew on large yachts (24 metres long or over)\n\nYou must make sure your crew have a MCA Yacht Rating Certificate or other MCA recognised qualification, for example:\n\n- an able seaman (AB) certificate issued under the International Labour Organisation (ILO) AB Convention\n\n- a UK efficient deck hand (EDH) certificate\n\n- a navigational or engine room watch rating certificate issued under Standards of Training, Certification and Watchkeeping (STCW)\n\n## Certificates of competency\n\nYou must follow international regulations from Standards in Training Certification and Watchkeeping for Seafarers (STCW) if you have a commercial vessel going to sea.\n\nSome crew members need a certificate of competency (CoC) or certificate of equivalent competency (CEC) to carry out certain duties.\n\nFor seafarers\u2019 CoCs to remain valid on certain types of ship they\u2019ll need to meet new training standards in line with STCW regulations (\u20182010 Manila Amendments\u2019).\n\n## Deck officers\n\nMasters and other deck department officers need a CoC if they\u2019re performing:\n\n- bridge watch-keeping duties\n\n- navigational duties\n\nCoCs for deck officers are restricted depending on:\n\n- the size of the ship or yacht\n\n- the area of sea where it will operate\n\nDownload an application for a CoC for:\n\n- masters, chief mates and deck officers in the merchant navy\n\n- masters, chief mates and deck officers on yachts\n\nYou can use a Certificate of Service instead, if you have one. These were issued until 1998.\n\n## Engineer officers\n\nEngineer officers on a ship or yacht with a power output of 750 kilowatts or more need a CoC. There are different CoCs for engineer officers, depending on:\n\n- the power output of the ship or yacht\n\n- the area of sea where it will be operating\n\nDownload an application for a CoC for:\n\n- a merchant navy engineering officer\n\n- a yacht engineering officer\n\n## Revalidating CoCs\n\nDeck and engineering officers must revalidate their certificate every 5 years. They do this by showing they\u2019ve completed either:\n\n- 12 months\u2019 sea service in the last 5 years\n\n- 3 months\u2019 sea service in the last 6 months\n\n- 2.5 years in a relevant job - contact the MCA for advice\n\nUse form MSF 4258 if someone you want to hire can\u2019t revalidate their CoC because they don\u2019t meet the requirements.\n\n## Watch ratings\n\nWatch ratings on merchant ships need a CoC if they\u2019re performing navigation or engine room duties.\n\n## Radio operators\n\nRadio operators need CoCs if they handle distress and safety radio-communications. All radio personnel serving on UK-registered ships must have either:\n\n- a Restricted Operator\u2019s Certificate (ROC)\n\n- a General Operator\u2019s Certificate (GOC)\n\n## Other crew\n\nShips\u2019 cooks and security officers may also need a CoC.\n\n## More information\n\nTo find out more about the certification structure and examination and training requirements, read:\n\n- MSN 1856 (M+F) for merchant navy deck officers\n\n- MSN 1857 (M+F) for merchant navy engineer officers\n\nContact the Maritime and Coastguard Agency (MCA) to find out which members of your crew need a CoC.\n\n## Certificate of equivalent competency (CEC)\n\nA CEC allows officers holding Standards of Training Certification and Watchkeeping (STCW) certificates issued by some non-UK countries to work as officers on UK-registered merchant ships.\n\nTo get a CEC, your crew member must complete the CEC application form. As part of the application process they may be asked to prove their:\n\n- standards of competency\n\n- ability to use the English language (this may include an oral exam)\n\n- knowledge of UK law relating to their job\n\nRead more about CECs or download part 19 of the MCA\u2019s training and certification guidance for more information.\n\n## Crew agreements\n\nA crew agreement is an employment contract between a ship or yacht\u2019s owners and its crew.\n\nAll crew agreements must have:\n\n- a cover with details of the ship and its owners\n\n- an up-to-date crew list with names, dates of birth and addresses\n\n- a list of anyone on board who is under 18 or exempt from a crew agreement\n\n- contractual clauses for each crew member\n\nA crew agreement can last up to 12 months. After this period, a new agreement must be drawn up.\n\n## What goes in a contractual clause\n\nClauses must include:\n\n- the name of the crew member\n\n- a description of the journey(s) that the agreement relates to\n\n- the crew member\u2019s job description\n\n- details of their pay, hours and leave\n\n- details of required notice and how the crew agreement can be terminated\n\nThe Maritime and Coastguard Agency (MCA) gives guidance on drawing up crew agreements for merchant ships and yachts:\n\n- download MGN 148 \u2018Approval of crew agreements: merchant ships\n\n- download MGN 149 \u2018Approval of crew agreements: yachts\n\nContact MCA for advice on drawing up a crew agreement.\n\n## What to do once you\u2019ve drawn up a crew agreement\n\n- Get every crew member to sign the agreement when they join the ship and at the end of the journey.\n\n- File the agreement with the shipping registry in the ship\u2019s \u2018flag state\u2019 (the country where it\u2019s registered).\n\n- Display a copy on board the vessel.\n\n- Send a copy (with the official log book, if a merchant ship) to a superintendent or proper officer within 3 days of its expiry.\n\n## Who signs a crew agreement\n\nMost of the people on board a ship or yacht must sign the crew agreement. However, certain personnel will have separate employment contracts and won\u2019t have to sign, like:\n\n- captains\n\n- bodyguards\n\n- nannies\n\n- entertainment staff\n\n## Travel documents\n\nAll crew members must have either:\n\n- a valid passport\n\n- a Seafarers Identity Document (SID) containing a photograph, signature (or fingerprints) and a description of the holder, including their nationality\n\nThe standard seafarer\u2019s identity document for British citizens is the British seaman\u2019s card.\n\n## Crew lists\n\nThe master or skipper of a UK-registered ship must provide the ship\u2019s owner with a copy of an up-to-date crew list at the start of each journey. They must also tell the owner if there are any changes of crew during the journey.\n\nIf a ship is lost at sea, the crew list will be used to find out who is missing. The ship\u2019s owner should hand the crew list in to a local Maritime and Coastguard Agency (MCA) Marine Office or post it to:", + "original_contents": [ + "

    Overview

    ", + "

    When you\u2019re hiring crew for a ship or yacht, you must:

    ", + "
  • check crew members\u2019 discharge books to make sure they have the qualifications and certificates of competency for their jobs
  • ", + "
  • check that all crew members have the necessary medical certificates for the work they\u2019ll be doing
  • ", + "
  • make sure everyone has the necessary travel documents
  • ", + "
  • check that all crew can speak the ship\u2019s common working language
  • ", + "
  • draw up a crew agreement
  • ", + "
  • send a full crew list to the owner of the ship or yacht
  • ", + "

    You must make sure all crew members know the ship\u2019s safety and emergency procedures before the start of your journey.

    ", + "

    Checking crew qualifications

    ", + "

    You must check crew members\u2019 discharge books to make sure everyone has the necessary qualifications and experience.

    ", + "

    Crew members doing specialist jobs or working on particular types of craft may need special training.

    ", + "

    Officers

    ", + "

    Officers in your crew must have the necessary certificates of competency (CoCs).

    ", + "

    Check that officers\u2019 CoCs are valid on the Maritime and Coastguard Agency (MCA) website.

    ", + "

    Officers may need special training if working on tankers, high-speed craft or passenger ships.

    ", + "

    Merchant navy ratings

    ", + "

    Make sure that all crew have the correct rating for the work they\u2019ll be doing. Watch ratings need a CoC if they\u2019re performing navigation or engine room duties.

    ", + "

    Crew on large yachts (24 metres long or over)

    ", + "

    You must make sure your crew have a MCA Yacht Rating Certificate or other MCA recognised qualification, for example:

    ", + "
  • an able seaman (AB) certificate issued under the International Labour Organisation (ILO) AB Convention
  • ", + "
  • a UK efficient deck hand (EDH) certificate
  • ", + "
  • a navigational or engine room watch rating certificate issued under Standards of Training, Certification and Watchkeeping (STCW)
  • ", + "

    Certificates of competency

    ", + "

    You must follow international regulations from Standards in Training Certification and Watchkeeping for Seafarers (STCW) if you have a commercial vessel going to sea.

    ", + "

    Some crew members need a certificate of competency (CoC) or certificate of equivalent competency (CEC) to carry out certain duties.

    ", + "

    For seafarers\u2019 CoCs to remain valid on certain types of ship they\u2019ll need to meet new training standards in line with STCW regulations (\u20182010 Manila Amendments\u2019).

    ", + "

    Deck officers

    ", + "

    Masters and other deck department officers need a CoC if they\u2019re performing:

    ", + "
  • bridge watch-keeping duties
  • ", + "
  • navigational duties
  • ", + "

    CoCs for deck officers are restricted depending on:

    ", + "
  • the size of the ship or yacht
  • ", + "
  • the area of sea where it will operate
  • ", + "

    Download an application for a CoC for:

    ", + "
  • masters, chief mates and deck officers in the merchant navy
  • ", + "
  • masters, chief mates and deck officers on yachts
  • ", + "

    You can use a Certificate of Service instead, if you have one. These were issued until 1998.

    ", + "

    Engineer officers

    ", + "

    Engineer officers on a ship or yacht with a power output of 750 kilowatts or more need a CoC. There are different CoCs for engineer officers, depending on:

    ", + "
  • the power output of the ship or yacht
  • ", + "
  • the area of sea where it will be operating
  • ", + "

    Download an application for a CoC for:

    ", + "
  • a merchant navy engineering officer
  • ", + "
  • a yacht engineering officer
  • ", + "

    Revalidating CoCs

    ", + "

    Deck and engineering officers must revalidate their certificate every 5 years. They do this by showing they\u2019ve completed either:

    ", + "
  • 12 months\u2019 sea service in the last 5 years
  • ", + "
  • 3 months\u2019 sea service in the last 6 months
  • ", + "
  • 2.5 years in a relevant job - contact the MCA for advice
  • ", + "

    Use form MSF 4258 if someone you want to hire can\u2019t revalidate their CoC because they don\u2019t meet the requirements.

    ", + "

    Watch ratings

    ", + "

    Watch ratings on merchant ships need a CoC if they\u2019re performing navigation or engine room duties.

    ", + "

    Radio operators

    ", + "

    Radio operators need CoCs if they handle distress and safety radio-communications. All radio personnel serving on UK-registered ships must have either:

    ", + "
  • a Restricted Operator\u2019s Certificate (ROC)
  • ", + "
  • a General Operator\u2019s Certificate (GOC)
  • ", + "

    Other crew

    ", + "

    Ships\u2019 cooks and security officers may also need a CoC.

    ", + "

    More information

    ", + "

    To find out more about the certification structure and examination and training requirements, read:

    ", + "
  • MSN 1856 (M+F) for merchant navy deck officers
  • ", + "
  • MSN 1857 (M+F) for merchant navy engineer officers
  • ", + "

    Contact the Maritime and Coastguard Agency (MCA) to find out which members of your crew need a CoC.

    ", + "

    Certificate of equivalent competency (CEC)

    ", + "

    A CEC allows officers holding Standards of Training Certification and Watchkeeping (STCW) certificates issued by some non-UK countries to work as officers on UK-registered merchant ships.

    ", + "

    To get a CEC, your crew member must complete the CEC application form. As part of the application process they may be asked to prove their:

    ", + "
  • standards of competency
  • ", + "
  • ability to use the English language (this may include an oral exam)
  • ", + "
  • knowledge of UK law relating to their job
  • ", + "

    Read more about CECs or download part 19 of the MCA\u2019s training and certification guidance for more information.

    ", + "

    Crew agreements

    ", + "

    A crew agreement is an employment contract between a ship or yacht\u2019s owners and its crew.

    ", + "

    All crew agreements must have:

    ", + "
  • a cover with details of the ship and its owners
  • ", + "
  • an up-to-date crew list with names, dates of birth and addresses
  • ", + "
  • a list of anyone on board who is under 18 or exempt from a crew agreement
  • ", + "
  • contractual clauses for each crew member
  • ", + "

    A crew agreement can last up to 12 months. After this period, a new agreement must be drawn up.

    ", + "

    What goes in a contractual clause

    ", + "

    Clauses must include:

    ", + "
  • the name of the crew member
  • ", + "
  • a description of the journey(s) that the agreement relates to
  • ", + "
  • the crew member\u2019s job description
  • ", + "
  • details of their pay, hours and leave
  • ", + "
  • details of required notice and how the crew agreement can be terminated
  • ", + "

    The Maritime and Coastguard Agency (MCA) gives guidance on drawing up crew agreements for merchant ships and yachts:

    ", + "
  • download MGN 148 \u2018Approval of crew agreements: merchant ships
  • ", + "
  • download MGN 149 \u2018Approval of crew agreements: yachts
  • ", + "

    Contact MCA for advice on drawing up a crew agreement.

    ", + "

    What to do once you\u2019ve drawn up a crew agreement

    ", + "
  • Get every crew member to sign the agreement when they join the ship and at the end of the journey.
  • ", + "
  • File the agreement with the shipping registry in the ship\u2019s \u2018flag state\u2019 (the country where it\u2019s registered).
  • ", + "
  • Display a copy on board the vessel.
  • ", + "
  • Send a copy (with the official log book, if a merchant ship) to a superintendent or proper officer within 3 days of its expiry.
  • ", + "

    Who signs a crew agreement

    ", + "

    Most of the people on board a ship or yacht must sign the crew agreement. However, certain personnel will have separate employment contracts and won\u2019t have to sign, like:

    ", + "
  • captains
  • ", + "
  • bodyguards
  • ", + "
  • nannies
  • ", + "
  • entertainment staff
  • ", + "

    Travel documents

    ", + "

    All crew members must have either:

    ", + "
  • a valid passport
  • ", + "
  • a Seafarers Identity Document (SID) containing a photograph, signature (or fingerprints) and a description of the holder, including their nationality
  • ", + "

    The standard seafarer\u2019s identity document for British citizens is the British seaman\u2019s card.

    ", + "

    Crew lists

    ", + "

    The master or skipper of a UK-registered ship must provide the ship\u2019s owner with a copy of an up-to-date crew list at the start of each journey. They must also tell the owner if there are any changes of crew during the journey.

    ", + "

    If a ship is lost at sea, the crew list will be used to find out who is missing. The ship\u2019s owner should hand the crew list in to a local Maritime and Coastguard Agency (MCA) Marine Office or post it to:

    " + ] + }, + "https://www.gov.uk/maritime-safety-weather-and-navigation": { + "url": "https://www.gov.uk/maritime-safety-weather-and-navigation", + "title": "Maritime safety: weather and navigation", + "content": "## Maritime Safety Information broadcasts\n\nHM Coastguard regularly broadcasts Maritime Safety Information (MSI) by radio. MSI includes:\n\n- information on wind strength and direction\n\n- warnings of restricted visibility\n\n- updates on sea conditions\n\n- navigational guidance and warnings\n\nMSI broadcasts may be interrupted or delayed due to search and rescue operations.\n\nYou must check MSI and other weather and tide information to avoid collisions and accidents at sea. You must also make sure that you understand any navigational guidance or warnings that are broadcast to your ship.\n\n## How to receive MSI\n\nMSI is broadcast:\n\n- by NAVTEX (Navigational telex) out to 270 miles\n\n- on VHF out to 30 miles\n\n- on MF out to 150 miles\n\nRead the Maritime and Coastguard Agency (MCA) guide to maritime safety information, which includes information on broadcast frequencies.\n\n## Weather and tide information\n\n## Weather information at sea\n\nFind information about conditions at sea from The Met Office provides useful information about conditions at sea, including:\n\n- a shipping forecast and gale warnings\n\n- marine observations which give information on wave height, visibility and sea temperature\n\n## Longer-term weather outlooks\n\nYou can get an extended outlook with information up to 5 days in advance on the 518 NAVTEX service.\n\n## Information about tides\n\nThe UK Hydrographic Office provide information on tides through the Admiralty Easy Tide Service.\n\n## Navigational guidance and warnings\n\nYou can get navigational information by radio from:\n\n- navigational warnings, broadcast on either NAVTEX or Inmarsat SafetyNET\n\n- NAVAREA (I) warnings, broadcast through EGC SafetyNET\n\n- UK coastal navigational warnings broadcast on VHF and MF on selected aerials at 4-hourly intervals\n\nRead more about maritime safety broadcast times and medical advice calls.\n\nIn-force navigational warnings are shown on the UK Hydrographic Office (UKHO) website.\n\n## Reporting navigational hazards\n\nYou may get warnings about:\n\n- damaged or broken lights, fog signals, buoys and navigational aids that affect main shipping lanes\n\n- wrecks, reefs, rocks and shoals that might be a danger to main shipping lanes\n\n- drifting hazards, such as derelict ships, mines, ice\n\n- unexpected changes or closures of established routes\n\n- cable or pipe laying, naval exercises or underwater operations that might be a danger for shipping lanes\n\n- problems with radio navigation, radio or satellite maritime safety information services\n\n- areas to avoid where search and rescue and anti-pollution activities are happening\n\nContact the United Kingdom Hydrographic Office (UKHO) Radio navigational warning helpline if you\u2019ve spotted any of these hazards or want to ask about them.\n\nYou\u2019ll have to contribute toward the cost of broadcasting any necessary warnings if you\u2019re responsible for causing a navigational hazard.\n\n## Navigating safely\n\nSafe navigation is particularly important in adverse weather and sea conditions.\n\nRead more about keeping a safe navigational watch on merchant ships.\n\n## Navigation lights, shapes and sound signals\n\nYour ship must comply with the requirements for navigation lights and other equipment in the \u2018Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations\u2019.\n\n## Restricted visibility\n\nRead information on navigating in restricted visibility.\n\n## High-speed craft\n\nRead information on controlling high-speed craft in adverse sea conditions.\n\n## Navigating in the Dover Strait\n\nThe Dover Strait is one of the busiest shipping lanes in the world. The Dover Strait Traffic Separation Scheme (TSS) exists to help ships crossing the Dover Strait to navigate safely and avoid collisions.\n\nRead information about the TSS and guidance for ships in the Dover Strait.\n\n## The Dover Strait and Channel Navigation Information Service (CNIS)\n\nThe Dover CNIS provides a 24-hour radio and radar service for all shipping in the Dover Strait.\n\nDover CNIS broadcasts information in the Dover TSS area every 60 minutes (30 minutes if visibility drops below 2 miles). You can find these on VHF radio channel 11.\n\nDover CNIS broadcasts information on:\n\n- weather and sea conditions\n\n- navigational hazards, like hampered vessels\n\n- misplaced or defective navigational aids\n\n- deep draught bulk carriers and tankers\n\n- vessels under tow\n\n- surveying vessels\n\n- unorthodox crossings, such as cross-channel swims\n\nInformation is also broadcast about any ship that appears to be breaking the \nInternational Regulations for the Prevention of Collisions at Sea to warn other ships of a potential hazard.\n\nShips using the TSS are automatically tracked by radar. This information can be used in a prosecution if any ship breaks the law.\n\n## Voyage data recorders\n\nA voyage data recorder (VDR), often known as the ship\u2019s \u2018black box\u2019, collects and stores information over the course of a ship\u2019s journey, including:\n\n- the ship\u2019s position\n\n- audio from the ship\u2019s bridge\n\n- the ship\u2019s speed and heading\n\n- depth under the keel\n\n- VHF radio communications\n\nAll VDRs must be tested after installation and then inspected every year.\n\nFind out more about the requirements for voyage data recorders.\n\n## The Global Maritime Distress and Safety System\n\nThe Global Maritime Distress and Safety System (GMDSS) is a maritime communications system used for:\n\n- emergency and distress messages\n\n- vessel-to-vessel routine communications\n\n- vessel-to-shore routine communications\n\nIf you own commercial ships with over 300 gross tonnage, or certain smaller craft, fit them with GMDSS equipment.\n\nMost offshore yacht races also now insist that competing yachts are GMDSS-equipped.\n\nRead the Merchant Shipping (Radio Installations) Regulations for more information on who has to fit GMDSS.\n\n## Digital Selective Calling (DSC) for pleasure craft\n\nIt\u2019s voluntary for small leisure craft to have GMDSS, but HM Coastguard strongly recommends that pleasure craft install GMDSS with DSC.\n\nDSC is a tone-signalling system with the ability to include other information like:\n\n- a vessel\u2019s identification number\n\n- the purpose of the call\n\n- your position\n\n- the channel you want to speak on\n\n## Register 406 MHz beacons\n\nA 406 megahertz (MHz) beacon can send a distress signal via satellites to alert search and rescue authorities to your location. There are 3 types:\n\n- Emergency Position Indicating Radio Beacons (EPIRBs) for ships and boats\n\n- Emergency Locator Transmitters (ELTs) for aircraft\n\n- Personal Locator Beacons (PLBs) for personal use\n\nYou must register your 406 MHz beacon with the coastguard and keep your registration up to date.\n\nIf your beacon is activated and a distress signal received, the search and rescue authorities will contact you using the information on the register.\n\nYou must provide an emergency contact who will be called if you\u2019re unreachable.\n\nNotify the coastguard of changes to your beacon or your vessel - this will help to locate you in an emergency.\n\n## Register or update a registration\n\nYou can register or update a registration online.\n\nRegistration and updates are free.\n\nContact the UK Beacon Registry for help with registering.\n\n## Navigation equipment for small commercial vessels\n\nSmall commercial ships should keep a listening watch on VHF channel 16 for any coastguard announcements.\n\nYou should fit VHF DSC (Digital Selective Calling) if your ship needs a fixed VHF channel to receive these broadcasts.\n\nAll new vessels and all those replacing VHF radios must have VHF DSC installed.\n\n## Radio installation\n\nYou must mount any radio aerials as high as you can to get the best possible reception. If your main aerial is fitted to a mast, you should also provide an emergency aerial.\n\nContact the Maritime and Coastguard Agency (MCA) if you\u2019re not sure of the VHF coverage in the area where you\u2019ll be operating.\n\nYou must make sure that you\u2019re able to charge the batteries that charge the ships\u2019 radio equipment and that they\u2019re protected from flooding.\n\nYour fixed radio installation should be marked with:\n\n- the ship\u2019s call sign\n\n- codes for the use of the radio\n\n- Maritime Mobile Service Identity (MMSI) number (where applicable)\n\nYou should also have a card giving information on radio distress, urgency and safety procedures in full view of the radio operating position.\n\n## Navigation lights, shapes and sound signals\n\nYour ship must meet the requirements of the Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations.\n\nSmall vessels may be exempt from certain requirements, for example if:\n\n- you only operate between sunrise and sunset or in favourable weather, in which case you do not have to carry navigation lights\n\n- your vessel is less than 12 metres in length, in which case you do not have to carry sound signalling equipment\n\nRead the rules in section 17 of MGN 280 on navigation lights, shapes and sound signals for small commercial vessels. Rules for other navigational equipment are detailed in section 18.", + "original_contents": [ + "

    Maritime Safety Information broadcasts

    ", + "

    HM Coastguard regularly broadcasts Maritime Safety Information (MSI) by radio. MSI includes:

    ", + "
  • information on wind strength and direction
  • ", + "
  • warnings of restricted visibility
  • ", + "
  • updates on sea conditions
  • ", + "
  • navigational guidance and warnings
  • ", + "

    MSI broadcasts may be interrupted or delayed due to search and rescue operations.

    ", + "

    You must check MSI and other weather and tide information to avoid collisions and accidents at sea. You must also make sure that you understand any navigational guidance or warnings that are broadcast to your ship.

    ", + "

    How to receive MSI

    ", + "

    MSI is broadcast:

    ", + "
  • by NAVTEX (Navigational telex) out to 270 miles
  • ", + "
  • on VHF out to 30 miles
  • ", + "
  • on MF out to 150 miles
  • ", + "

    Read the Maritime and Coastguard Agency (MCA) guide to maritime safety information, which includes information on broadcast frequencies.

    ", + "

    Weather and tide information

    ", + "

    Weather information at sea

    ", + "

    Find information about conditions at sea from The Met Office provides useful information about conditions at sea, including:

    ", + "
  • a shipping forecast and gale warnings
  • ", + "
  • marine observations which give information on wave height, visibility and sea temperature
  • ", + "

    Longer-term weather outlooks

    ", + "

    You can get an extended outlook with information up to 5 days in advance on the 518 NAVTEX service.

    ", + "

    Information about tides

    ", + "

    The UK Hydrographic Office provide information on tides through the Admiralty Easy Tide Service.

    ", + "

    Navigational guidance and warnings

    ", + "

    You can get navigational information by radio from:

    ", + "
  • navigational warnings, broadcast on either NAVTEX or Inmarsat SafetyNET
  • ", + "
  • NAVAREA (I) warnings, broadcast through EGC SafetyNET
  • ", + "
  • UK coastal navigational warnings broadcast on VHF and MF on selected aerials at 4-hourly intervals
  • ", + "

    Read more about maritime safety broadcast times and medical advice calls.

    ", + "

    In-force navigational warnings are shown on the UK Hydrographic Office (UKHO) website.

    ", + "

    Reporting navigational hazards

    ", + "

    You may get warnings about:

    ", + "
  • damaged or broken lights, fog signals, buoys and navigational aids that affect main shipping lanes
  • ", + "
  • wrecks, reefs, rocks and shoals that might be a danger to main shipping lanes
  • ", + "
  • drifting hazards, such as derelict ships, mines, ice
  • ", + "
  • unexpected changes or closures of established routes
  • ", + "
  • cable or pipe laying, naval exercises or underwater operations that might be a danger for shipping lanes
  • ", + "
  • problems with radio navigation, radio or satellite maritime safety information services
  • ", + "
  • areas to avoid where search and rescue and anti-pollution activities are happening
  • ", + "

    Contact the United Kingdom Hydrographic Office (UKHO) Radio navigational warning helpline if you\u2019ve spotted any of these hazards or want to ask about them.

    ", + "

    You\u2019ll have to contribute toward the cost of broadcasting any necessary warnings if you\u2019re responsible for causing a navigational hazard.

    ", + "

    Navigating safely

    ", + "

    Safe navigation is particularly important in adverse weather and sea conditions.

    ", + "

    Read more about keeping a safe navigational watch on merchant ships.

    ", + "

    Navigation lights, shapes and sound signals

    ", + "

    Your ship must comply with the requirements for navigation lights and other equipment in the \u2018Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations\u2019.

    ", + "

    Restricted visibility

    ", + "

    Read information on navigating in restricted visibility.

    ", + "

    High-speed craft

    ", + "

    Read information on controlling high-speed craft in adverse sea conditions.

    ", + "

    Navigating in the Dover Strait

    ", + "

    The Dover Strait is one of the busiest shipping lanes in the world. The Dover Strait Traffic Separation Scheme (TSS) exists to help ships crossing the Dover Strait to navigate safely and avoid collisions.

    ", + "

    Read information about the TSS and guidance for ships in the Dover Strait.

    ", + "

    The Dover Strait and Channel Navigation Information Service (CNIS)

    ", + "

    The Dover CNIS provides a 24-hour radio and radar service for all shipping in the Dover Strait.

    ", + "

    Dover CNIS broadcasts information in the Dover TSS area every 60 minutes (30 minutes if visibility drops below 2 miles). You can find these on VHF radio channel 11.

    ", + "

    Dover CNIS broadcasts information on:

    ", + "
  • weather and sea conditions
  • ", + "
  • navigational hazards, like hampered vessels
  • ", + "
  • misplaced or defective navigational aids
  • ", + "
  • deep draught bulk carriers and tankers
  • ", + "
  • vessels under tow
  • ", + "
  • surveying vessels
  • ", + "
  • unorthodox crossings, such as cross-channel swims
  • ", + "

    Information is also broadcast about any ship that appears to be breaking the \nInternational Regulations for the Prevention of Collisions at Sea to warn other ships of a potential hazard.

    ", + "

    Ships using the TSS are automatically tracked by radar. This information can be used in a prosecution if any ship breaks the law.

    ", + "

    Voyage data recorders

    ", + "

    A voyage data recorder (VDR), often known as the ship\u2019s \u2018black box\u2019, collects and stores information over the course of a ship\u2019s journey, including:

    ", + "
  • the ship\u2019s position
  • ", + "
  • audio from the ship\u2019s bridge
  • ", + "
  • the ship\u2019s speed and heading
  • ", + "
  • depth under the keel
  • ", + "
  • VHF radio communications
  • ", + "

    All VDRs must be tested after installation and then inspected every year.

    ", + "

    Find out more about the requirements for voyage data recorders.

    ", + "

    The Global Maritime Distress and Safety System

    ", + "

    The Global Maritime Distress and Safety System (GMDSS) is a maritime communications system used for:

    ", + "
  • emergency and distress messages
  • ", + "
  • vessel-to-vessel routine communications
  • ", + "
  • vessel-to-shore routine communications
  • ", + "

    If you own commercial ships with over 300 gross tonnage, or certain smaller craft, fit them with GMDSS equipment.

    ", + "

    Most offshore yacht races also now insist that competing yachts are GMDSS-equipped.

    ", + "

    Read the Merchant Shipping (Radio Installations) Regulations for more information on who has to fit GMDSS.

    ", + "

    Digital Selective Calling (DSC) for pleasure craft

    ", + "

    It\u2019s voluntary for small leisure craft to have GMDSS, but HM Coastguard strongly recommends that pleasure craft install GMDSS with DSC.

    ", + "

    DSC is a tone-signalling system with the ability to include other information like:

    ", + "
  • a vessel\u2019s identification number
  • ", + "
  • the purpose of the call
  • ", + "
  • your position
  • ", + "
  • the channel you want to speak on
  • ", + "

    Register 406 MHz beacons

    ", + "

    A 406 megahertz (MHz) beacon can send a distress signal via satellites to alert search and rescue authorities to your location. There are 3 types:

    ", + "
  • Emergency Position Indicating Radio Beacons (EPIRBs) for ships and boats
  • ", + "
  • Emergency Locator Transmitters (ELTs) for aircraft
  • ", + "
  • Personal Locator Beacons (PLBs) for personal use
  • ", + "

    You must register your 406 MHz beacon with the coastguard and keep your registration up to date.

    ", + "

    If your beacon is activated and a distress signal received, the search and rescue authorities will contact you using the information on the register.

    ", + "

    You must provide an emergency contact who will be called if you\u2019re unreachable.

    ", + "

    Notify the coastguard of changes to your beacon or your vessel - this will help to locate you in an emergency.

    ", + "

    Register or update a registration

    ", + "

    You can register or update a registration online.

    ", + "

    Registration and updates are free.

    ", + "

    Contact the UK Beacon Registry for help with registering.

    ", + "

    Navigation equipment for small commercial vessels

    ", + "

    Small commercial ships should keep a listening watch on VHF channel 16 for any coastguard announcements.

    ", + "

    You should fit VHF DSC (Digital Selective Calling) if your ship needs a fixed VHF channel to receive these broadcasts.

    ", + "

    All new vessels and all those replacing VHF radios must have VHF DSC installed.

    ", + "

    Radio installation

    ", + "

    You must mount any radio aerials as high as you can to get the best possible reception. If your main aerial is fitted to a mast, you should also provide an emergency aerial.

    ", + "

    Contact the Maritime and Coastguard Agency (MCA) if you\u2019re not sure of the VHF coverage in the area where you\u2019ll be operating.

    ", + "

    You must make sure that you\u2019re able to charge the batteries that charge the ships\u2019 radio equipment and that they\u2019re protected from flooding.

    ", + "

    Your fixed radio installation should be marked with:

    ", + "
  • the ship\u2019s call sign
  • ", + "
  • codes for the use of the radio
  • ", + "
  • Maritime Mobile Service Identity (MMSI) number (where applicable)
  • ", + "

    You should also have a card giving information on radio distress, urgency and safety procedures in full view of the radio operating position.

    ", + "

    Navigation lights, shapes and sound signals

    ", + "

    Your ship must meet the requirements of the Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations.

    ", + "

    Small vessels may be exempt from certain requirements, for example if:

    ", + "
  • you only operate between sunrise and sunset or in favourable weather, in which case you do not have to carry navigation lights
  • ", + "
  • your vessel is less than 12 metres in length, in which case you do not have to carry sound signalling equipment
  • ", + "

    Read the rules in section 17 of MGN 280 on navigation lights, shapes and sound signals for small commercial vessels. Rules for other navigational equipment are detailed in section 18.

    " + ] + }, + "https://www.gov.uk/operational-standards-for-small-vessels": { + "url": "https://www.gov.uk/operational-standards-for-small-vessels", + "title": "Operational standards for small vessels", + "content": "## Overview\n\nSmall commercial vessels must follow certain codes of practice.\n\nThis applies to any vessel that:\n\n- is less than 24 metres long\n\n- is less than 150 gross tonnes and was built before 21st July 1968\n\n- carries cargo and no more than 12 passengers\n\n- provides a service where neither cargo or passengers are carried\n\n- is a pilot boat of any size, eg a vessel that take pilots to and from larger ships\n\n- isn\u2019t considered a \u2018pleasure vessel\u2019\n\n## Pleasure vessels\n\nThese are craft used solely for either:\n\n- sport or recreation by their owners, family, friends or employees\n\n- non-profit journeys\n\nPleasure vessels are exempt from the small commercial vessel codes of practice.\n\n## Safety codes of practice\n\nThere are 4 codes of practice for small commercial vessels.\n\nThe Maritime and Coastguard Agency (MCA) has produced a guidance note for small commercial vessels that covers these codes of practice.\n\n## Certification\n\nAny small commercial vessels not used as \u2018pleasure vessels\u2019 must have the right small commercial vessel certificate.\n\nTo get the right certificate, you must arrange a survey of your boat by a Maritime and Coastguard Agency (MCA) approved authority.\n\nIf your boat passes this, it\u2019ll be issued with either a:\n\n- small commercial vessel certificate\n\n- workboat certificate\n\n- pilot boat certificate\n\nThis must be kept on board your boat and is valid for 5 years.\n\nBoats being surveyed for the first time must also meet stability requirements outlined in section 11 of Marine Guidance Note 280.\n\n## If you\u2019re in charge of a business boat\n\nYou must have the correct certificate to be in charge of a small business boat.\n\nCheck the appropriate code of practice for your boat to see which certificate you need.\n\n## Operating overseas\n\nThere\u2019s no international code of practice for the safety of small commercial vessels outside the UK.\n\nMany countries accept commercial vessels with UK certificates, but you may need to follow local safety laws as well.", + "original_contents": [ + "

    Overview

    ", + "

    Small commercial vessels must follow certain codes of practice.

    ", + "

    This applies to any vessel that:

    ", + "
  • is less than 24 metres long
  • ", + "
  • is less than 150 gross tonnes and was built before 21st July 1968
  • ", + "
  • carries cargo and no more than 12 passengers
  • ", + "
  • provides a service where neither cargo or passengers are carried
  • ", + "
  • is a pilot boat of any size, eg a vessel that take pilots to and from larger ships
  • ", + "
  • isn\u2019t considered a \u2018pleasure vessel\u2019
  • ", + "

    Pleasure vessels

    ", + "

    These are craft used solely for either:

    ", + "
  • sport or recreation by their owners, family, friends or employees
  • ", + "
  • non-profit journeys
  • ", + "

    Pleasure vessels are exempt from the small commercial vessel codes of practice.

    ", + "

    Safety codes of practice

    ", + "

    There are 4 codes of practice for small commercial vessels.

    ", + "

    The Maritime and Coastguard Agency (MCA) has produced a guidance note for small commercial vessels that covers these codes of practice.

    ", + "

    Certification

    ", + "

    Any small commercial vessels not used as \u2018pleasure vessels\u2019 must have the right small commercial vessel certificate.

    ", + "

    To get the right certificate, you must arrange a survey of your boat by a Maritime and Coastguard Agency (MCA) approved authority.

    ", + "

    If your boat passes this, it\u2019ll be issued with either a:

    ", + "
  • small commercial vessel certificate
  • ", + "
  • workboat certificate
  • ", + "
  • pilot boat certificate
  • ", + "

    This must be kept on board your boat and is valid for 5 years.

    ", + "

    Boats being surveyed for the first time must also meet stability requirements outlined in section 11 of Marine Guidance Note 280.

    ", + "

    If you\u2019re in charge of a business boat

    ", + "

    You must have the correct certificate to be in charge of a small business boat.

    ", + "

    Check the appropriate code of practice for your boat to see which certificate you need.

    ", + "

    Operating overseas

    ", + "

    There\u2019s no international code of practice for the safety of small commercial vessels outside the UK.

    ", + "

    Many countries accept commercial vessels with UK certificates, but you may need to follow local safety laws as well.

    " + ] + }, + "https://www.gov.uk/seafarer-working-and-living-rights": { + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "title": "Seafarer working and living rights", + "content": "## Overview\n\nAll seafarers have working and living rights that include:\n\n- employment contracts\n\n- accommodation\n\n- food and medical care\n\nA seafarer is anyone who works on board a seagoing ship, including:\n\n- master and crew\n\n- self-employed contractors\n\n- shopkeepers and hairdressers\n\n- entertainers\n\nA seagoing ship is any vessel:\n\n- on an international voyage or from a foreign port\n\n- on a domestic journey from the UK coast\n\n- more than 500 gross tonnes\n\nThe Maritime Labour Convention (MLC) 2006 came into force on 7 August 2014. It replaced all existing laws on seafarers\u2019 rights.\n\n## Working conditions\n\nThere are minimum requirements seafarers must meet to work at sea.\n\n## Minimum age\n\nThe minimum age for seafarers is 16, although this is 18 if the work involves any:\n\n- night work\n\n- hazardous tasks\n\n## Hazardous tasks\n\nManual tasks on a ship can be hazardous if not done properly, like:\n\n- lifting\n\n- hauling\n\n- mooring\n\n- towing\n\nEmployers of seafarers must ensure their staff:\n\n- know how to operate any equipment correctly\n\n- are aware of safety procedures\n\n- have access to protective personal equipment if needed\n\n## Medical certification for seafarers\n\nAnyone in charge of a ship must have an ENG1 seafarer medical certificate.\n\n## Certificates of competency\n\nSome seafarers will need a certificate of competency before they can carry out certain duties.\n\n## Conditions of employment\n\nSeafarers\u2019 employment contracts are covered by the Maritime Labour Convention (MLC) 2006.\n\n## Working time regulations\n\nAll seafarers on seagoing ships are entitled to:\n\n- a minimum of 10 hours\u2019 rest in any 24 hour period\n\n- 77 hours rest in any 7 day period\n\n- at least 4 weeks\u2019 paid annual leave\n\nRead the Merchant Shipping Regulations 2002 for more information.\n\n## The 'human element'\n\nThe term \u2018human element\u2019 covers anything to do with the interaction between a human and any system aboard ship, and is of high importance in maritime safety and security.\n\nFactors which affect the human element include:\n\n- recruitment and selection policies and methods\n\n- crew competence, training and experience\n\n- conditions of service, motivation and morale\n\n- design, construction and ergonomics\n\n- standards of build and certification\n\n- maintenance\n\n- stress and fatigue\n\n- security\n\n- living and working conditions\n\n- manning levels and hours of work\n\n- management policies\n\n- safety management systems\n\n- operational systems\n\n- organisational and safety culture\n\n- culture of continuous improvement and workforce engagement\n\nFor more information read \u2018The human element: a guide to human behaviour in the shipping industry\u2019.\n\n## Safe working practices\n\nAll UK ships must carry copies of the \u2018Code of Safe Working Practices for Merchant Seamen\u2019, unless it\u2019s a fishing boat or pleasure vessel.\n\n## Safe manning of ships\n\nEmployers must ensure their ships have enough properly trained and certificated officers so that it can operate safely at all times.\n\nThere must also be sufficient food on board for the number of seafarers serving.\n\nRead more in \u2018Merchant Shipping Notice 1868 (M) UK requirements for safe manning and watchkeeping\u2019.\n\n## Noise and vibration\n\nA seafarer\u2019s employer must carry out risk assessments to identify who\u2019s at risk from noise or vibration in their work and what can be done to reduce or remove these risks.\n\n## Protective personal equipment (PPE)\n\nA seafarer\u2019s employer must give them suitable protective equipment if they\u2019re performing dangerous tasks.\n\nYou can find further information in the code of safe working practices for merchant seafarers.\n\n## Living conditions\n\nSeafarers\u2019 living conditions are covered by Maritime Labour Convention (MLC) rules on crew accommodation.\n\n## Food and catering\n\nSeafarers\u2019 food and catering conditions are covered by MSN 1845 under MLC rules.\n\n## Health and safety\n\nEmployers of seafarers must follow health and safety rules and provide:\n\n- safe working places and environment\n\n- safe machinery and equipment\n\n- health and safety training, instruction, supervision and information\n\n- a health and safety policy\n\n- protective clothing and equipment where necessary\n\n- information for workers about the findings of their risk assessment\n\n- information on what qualifications any temporary workers must have\n\n- information about their activities and staff to the company\n\n## Risk assessments\n\nAny vessel seafarers work onboard must have had a risk assessment carried out by their employer or the ship owner.\n\n## New or expectant mothers\n\nWhere women of childbearing age are employed as seafarers, a risk assessment must take place of any potential hazard likely to affect a new or expectant mother.\n\nIt does not matter if they are pregnant at the time of the assessment or not.\n\nIf a risk is found that cannot be removed, a new or expectant mother working as a seafarer can be suspended on full pay providing they have either:\n\n- told their employer they\u2019re pregnant\n\n- given birth in the last 6 months\n\n- are breastfeeding\n\nFor more information on health and safety rules for new and expectant mothers, contact the Seafarer Safety and Health Branch of the Maritime and Coastguard Authority (MCA).\n\n## Additional dangers\n\nSeafarers may face additional dangers when living onboard ships.\n\n## Petrol generators\n\nShips that use petrol generators must have a risk assessment carried out to make sure they provide:\n\n- sufficient power for accommodation and lighting\n\n- adequate ventilation\n\n- adequate alarms - for example, carbon monoxide alarms\n\n## Fumigating cargo spaces\n\nIf pesticides are on board a ship, employers must make sure:\n\n- adequate breathing aids are provided for seafarers checking fumigated cargo bulks\n\n- the ship\u2019s destination port is told 24 hours in advance of receiving this cargo\n\n- properly trained personnel check the relevant cargo bulks at port\n\n## Illegal drugs\n\nThe unauthorised presence of drugs on board a ship can have serious legal implications for seafarers and employers, potentially resulting in:\n\n- heavy fines\n\n- detention of a ship\n\n- imprisonment\n\n- the death penalty\n\n## Potentially dangerous cargo\n\nIf seafarers deal with certain toxic cargo or equipment on board ships, their employer must follow a number of specific requirements.\n\nYou can find further information on specialist ships in section 4 of the Code of Safe Working Practices for Merchant Seamen.\n\n## Health and medical care\n\nEmployers must protect their seafarers\u2019 health by:\n\n- providing immunisations for certain infectious diseases\n\n- making sure hygiene measures are effective and minimise the risks of infection\n\n- making arrangements for infection control\n\n- having the right medical supplies\n\n- knowing the routes and destinations of their ships\n\nUntil the UK made the Maritime Labour Convention (MLA) law, seafarers\u2019 health and safety regulations were covered by the Merchant Shipping Act 1995\n\n## Maritime Labour Convention\n\nThe Maritime Labour Convention (MLC) came into force for the UK on 7 August 2014. It sets out the minimum working and living rights for seafarers.\n\n## Exemptions\n\nThe MLC does not cover seafarers serving on the following boats:\n\n- ships navigating inland or sheltered waters subject to port regulations\n\n- fishing vessels\n\n- warships and naval auxiliaries\n\n- traditional ships, such as dhows\n\n## Minimum requirements\n\nThe MLC sets out minimum standards for seafarers to work on a ship, including:\n\n- minimum age\n\n- medical certification\n\n- training and qualifications\n\n## Age\n\nThe minimum age for seafarers will be 16. Night workers have to be 18 or over.\n\nExceptions can be allowed for:\n\n- training purposes\n\n- where the seafarer\u2019s duties require it, as long as their health and safety is not affected\n\n## Medical certification\n\nAll seafarers must have the right medical certificate to work at sea before they can work on ships.\n\n## Training and qualifications\n\nUnder the MLC, seafarers will need to:\n\n- be trained and qualified to perform onboard duties\n\n- receive personal safety training\n\n- for training to conform to International Maritime Organisation standards\n\nFind out more about seafarer training and qualifications.\n\n## Conditions of employment\n\nUnder the MLC, seafarers have minimum working rights covering:\n\n- employment agreements\n\n- wages\n\n- hours of rest\n\n- entitlement to leave\n\n- repatriation\n\n- compensation for a ship\u2019s loss or foundering\n\n- manning levels\n\n- career and skills development\n\n- employment opportunities\n\n## Employment contracts\n\nThe convention makes sure contracts between seafarers and shipowner provide fair living and working conditions.\n\nContracts should be in English and include:\n\n- shipowner\u2019s name and address\n\n- seafarer\u2019s name, date and place of birth\n\n- place and date where agreement signed\n\n- conditions for the termination of agreement\n\n- health and social security protection benefits provided by shipowner\n\n- seafarer\u2019s right to repatriation\n\nSeafarers must also be:\n\n- allowed to read and consider contracts before signing them\n\n- given a record of their employment\n\n- given their own copy of their contract (the shipowner should also have a copy)\n\n## Wages\n\nUnder the MLC, seafarers\u2019 wages must be:\n\n- paid regularly - for example, monthly\n\n- include monthly statements of accounts\n\n- allow seafarers to transfer part or all of their wages\n\n- keep currency conversion charges to reasonable limits\n\n## Hours of rest\n\nHours of rest must be at least:\n\n- 10 hours in any 24 hour period\n\n- 77 hours in any 7 day period\n\nCrew exercises, such as lifeboat drills, must cause minimal disruption to rest periods. Seafarers called out in a rest period are entitled to a rest period to make up for it.\n\nYou can read Merchant Shipping Notice (MSN) 1848 (M) Amendment 3 MLC survey and certification of UK ships.\n\n## Holiday pay\n\nUnder the MLC, seafarers are entitled to paid leave calculated at 2.5 days per calendar month of employment.\n\nRead more about holiday pay for seafarers in the Merchant Shipping Regulations 2002.\n\n## Repatriation\n\nThis gives seafarers the right to be returned to their home country:\n\n- when their employment contract ends or is cancelled\n\n- when they\u2019re no longer able to carry out their duties\n\n- in the event of shipwreck\n\n- if their ship is bound for a war zone they have not agreed to go to\n\nShipowners cannot request advance payment for repatriation from seafarers. If a shipowner does not make repatriation arrangements, seafarers on UK ships can be repatriated by the MCA.\n\n## Accommodation and recreational facilities\n\nThe Maritime and Labour Convention (MLC) ensures seafarers have access to decent accommodation and recreational facilities when living on ships.\n\n## Medical care\n\nThese cover seafarers\u2019 rights to:\n\n- decent on board health protection facilities, including essential dental care\n\n- the right to visit qualified medical personnel while in port\n\n- access to a qualified medical doctor on ships carrying more than 100 people on international voyages lasting more than 3 days\n\n- where there is no doctor on board, there must be designated and able seafarer(s) to provide first aid and medical care\n\n## Shipowner\u2019s liabilities\n\nUnder the MLC, if a seafarer suffers accident or disability because of their work the shipowner must provide where necessary:\n\n- assistance and medical care\n\n- repatriation\n\n- burial or cremation, if they die\n\nThe shipowner must have financial cover in case they are liable for compensation for long-term disability or illness.\n\nA shipowner is not liable when an injury is not related to a seafarer\u2019s duties, when it\u2019s caused by wilful misconduct or when a seafarer intentionally hides an illness or disability.\n\n## Health and safety protection\n\nUnder the MLC, seafarers\u2019 work environments on ships must:\n\n- have regular risk assessments of workplace hazards - for example, from machinery\n\n- take steps to prevent work accidents\n\n- have a system for reporting accidents and occupational diseases\n\n## Enforcement\n\nUnder the MLC, the MCA can withdraw a ship\u2019s maritime labour certificate if seafarer living and working conditions are breached.\n\n## Complaints\n\nSeafarers can complain if the MLC has not been followed. On board a ship seafarers can complain to a manager. On shore seafarers can complain to an MCA surveyor.\n\nRead MSN 1849 On-board complaints procedure and Marine Guidance Note (MGN) 487 Onshore complaints procedure.", + "original_contents": [ + "

    Overview

    ", + "

    All seafarers have working and living rights that include:

    ", + "
  • employment contracts
  • ", + "
  • accommodation
  • ", + "
  • food and medical care
  • ", + "

    A seafarer is anyone who works on board a seagoing ship, including:

    ", + "
  • master and crew
  • ", + "
  • self-employed contractors
  • ", + "
  • shopkeepers and hairdressers
  • ", + "
  • entertainers
  • ", + "

    A seagoing ship is any vessel:

    ", + "
  • on an international voyage or from a foreign port
  • ", + "
  • on a domestic journey from the UK coast
  • ", + "
  • more than 500 gross tonnes
  • ", + "

    The Maritime Labour Convention (MLC) 2006 came into force on 7 August 2014. It replaced all existing laws on seafarers\u2019 rights.

    ", + "

    Working conditions

    ", + "

    There are minimum requirements seafarers must meet to work at sea.

    ", + "

    Minimum age

    ", + "

    The minimum age for seafarers is 16, although this is 18 if the work involves any:

    ", + "
  • night work
  • ", + "
  • hazardous tasks
  • ", + "

    Hazardous tasks

    ", + "

    Manual tasks on a ship can be hazardous if not done properly, like:

    ", + "
  • lifting
  • ", + "
  • hauling
  • ", + "
  • mooring
  • ", + "
  • towing
  • ", + "

    Employers of seafarers must ensure their staff:

    ", + "
  • know how to operate any equipment correctly
  • ", + "
  • are aware of safety procedures
  • ", + "
  • have access to protective personal equipment if needed
  • ", + "

    Medical certification for seafarers

    ", + "

    Anyone in charge of a ship must have an ENG1 seafarer medical certificate.

    ", + "

    Certificates of competency

    ", + "

    Some seafarers will need a certificate of competency before they can carry out certain duties.

    ", + "

    Conditions of employment

    ", + "

    Seafarers\u2019 employment contracts are covered by the Maritime Labour Convention (MLC) 2006.

    ", + "

    Working time regulations

    ", + "

    All seafarers on seagoing ships are entitled to:

    ", + "
  • a minimum of 10 hours\u2019 rest in any 24 hour period
  • ", + "
  • 77 hours rest in any 7 day period
  • ", + "
  • at least 4 weeks\u2019 paid annual leave
  • ", + "

    Read the Merchant Shipping Regulations 2002 for more information.

    ", + "

    The 'human element'

    ", + "

    The term \u2018human element\u2019 covers anything to do with the interaction between a human and any system aboard ship, and is of high importance in maritime safety and security.

    ", + "

    Factors which affect the human element include:

    ", + "
  • recruitment and selection policies and methods
  • ", + "
  • crew competence, training and experience
  • ", + "
  • conditions of service, motivation and morale
  • ", + "
  • design, construction and ergonomics
  • ", + "
  • standards of build and certification
  • ", + "
  • maintenance
  • ", + "
  • stress and fatigue
  • ", + "
  • security
  • ", + "
  • living and working conditions
  • ", + "
  • manning levels and hours of work
  • ", + "
  • management policies
  • ", + "
  • safety management systems
  • ", + "
  • operational systems
  • ", + "
  • organisational and safety culture
  • ", + "
  • culture of continuous improvement and workforce engagement
  • ", + "

    For more information read \u2018The human element: a guide to human behaviour in the shipping industry\u2019.

    ", + "

    Safe working practices

    ", + "

    All UK ships must carry copies of the \u2018Code of Safe Working Practices for Merchant Seamen\u2019, unless it\u2019s a fishing boat or pleasure vessel.

    ", + "

    Safe manning of ships

    ", + "

    Employers must ensure their ships have enough properly trained and certificated officers so that it can operate safely at all times.

    ", + "

    There must also be sufficient food on board for the number of seafarers serving.

    ", + "

    Read more in \u2018Merchant Shipping Notice 1868 (M) UK requirements for safe manning and watchkeeping\u2019.

    ", + "

    Noise and vibration

    ", + "

    A seafarer\u2019s employer must carry out risk assessments to identify who\u2019s at risk from noise or vibration in their work and what can be done to reduce or remove these risks.

    ", + "

    Protective personal equipment (PPE)

    ", + "

    A seafarer\u2019s employer must give them suitable protective equipment if they\u2019re performing dangerous tasks.

    ", + "

    You can find further information in the code of safe working practices for merchant seafarers.

    ", + "

    Living conditions

    ", + "

    Seafarers\u2019 living conditions are covered by Maritime Labour Convention (MLC) rules on crew accommodation.

    ", + "

    Food and catering

    ", + "

    Seafarers\u2019 food and catering conditions are covered by MSN 1845 under MLC rules.

    ", + "

    Health and safety

    ", + "

    Employers of seafarers must follow health and safety rules and provide:

    ", + "
  • safe working places and environment
  • ", + "
  • safe machinery and equipment
  • ", + "
  • health and safety training, instruction, supervision and information
  • ", + "
  • a health and safety policy
  • ", + "
  • protective clothing and equipment where necessary
  • ", + "
  • information for workers about the findings of their risk assessment
  • ", + "
  • information on what qualifications any temporary workers must have
  • ", + "
  • information about their activities and staff to the company
  • ", + "

    Risk assessments

    ", + "

    Any vessel seafarers work onboard must have had a risk assessment carried out by their employer or the ship owner.

    ", + "

    New or expectant mothers

    ", + "

    Where women of childbearing age are employed as seafarers, a risk assessment must take place of any potential hazard likely to affect a new or expectant mother.

    ", + "

    It does not matter if they are pregnant at the time of the assessment or not.

    ", + "

    If a risk is found that cannot be removed, a new or expectant mother working as a seafarer can be suspended on full pay providing they have either:

    ", + "
  • told their employer they\u2019re pregnant
  • ", + "
  • given birth in the last 6 months
  • ", + "
  • are breastfeeding
  • ", + "

    For more information on health and safety rules for new and expectant mothers, contact the Seafarer Safety and Health Branch of the Maritime and Coastguard Authority (MCA).

    ", + "

    Additional dangers

    ", + "

    Seafarers may face additional dangers when living onboard ships.

    ", + "

    Petrol generators

    ", + "

    Ships that use petrol generators must have a risk assessment carried out to make sure they provide:

    ", + "
  • sufficient power for accommodation and lighting
  • ", + "
  • adequate ventilation
  • ", + "
  • adequate alarms - for example, carbon monoxide alarms
  • ", + "

    Fumigating cargo spaces

    ", + "

    If pesticides are on board a ship, employers must make sure:

    ", + "
  • adequate breathing aids are provided for seafarers checking fumigated cargo bulks
  • ", + "
  • the ship\u2019s destination port is told 24 hours in advance of receiving this cargo
  • ", + "
  • properly trained personnel check the relevant cargo bulks at port
  • ", + "

    Illegal drugs

    ", + "

    The unauthorised presence of drugs on board a ship can have serious legal implications for seafarers and employers, potentially resulting in:

    ", + "
  • heavy fines
  • ", + "
  • detention of a ship
  • ", + "
  • imprisonment
  • ", + "
  • the death penalty
  • ", + "

    Potentially dangerous cargo

    ", + "

    If seafarers deal with certain toxic cargo or equipment on board ships, their employer must follow a number of specific requirements.

    ", + "

    You can find further information on specialist ships in section 4 of the Code of Safe Working Practices for Merchant Seamen.

    ", + "

    Health and medical care

    ", + "

    Employers must protect their seafarers\u2019 health by:

    ", + "
  • providing immunisations for certain infectious diseases
  • ", + "
  • making sure hygiene measures are effective and minimise the risks of infection
  • ", + "
  • making arrangements for infection control
  • ", + "
  • having the right medical supplies
  • ", + "
  • knowing the routes and destinations of their ships
  • ", + "

    Until the UK made the Maritime Labour Convention (MLA) law, seafarers\u2019 health and safety regulations were covered by the Merchant Shipping Act 1995

    ", + "

    Maritime Labour Convention

    ", + "

    The Maritime Labour Convention (MLC) came into force for the UK on 7 August 2014. It sets out the minimum working and living rights for seafarers.

    ", + "

    Exemptions

    ", + "

    The MLC does not cover seafarers serving on the following boats:

    ", + "
  • ships navigating inland or sheltered waters subject to port regulations
  • ", + "
  • fishing vessels
  • ", + "
  • warships and naval auxiliaries
  • ", + "
  • traditional ships, such as dhows
  • ", + "

    Minimum requirements

    ", + "

    The MLC sets out minimum standards for seafarers to work on a ship, including:

    ", + "
  • minimum age
  • ", + "
  • medical certification
  • ", + "
  • training and qualifications
  • ", + "

    Age

    ", + "

    The minimum age for seafarers will be 16. Night workers have to be 18 or over.

    ", + "

    Exceptions can be allowed for:

    ", + "
  • training purposes
  • ", + "
  • where the seafarer\u2019s duties require it, as long as their health and safety is not affected
  • ", + "

    Medical certification

    ", + "

    All seafarers must have the right medical certificate to work at sea before they can work on ships.

    ", + "

    Training and qualifications

    ", + "

    Under the MLC, seafarers will need to:

    ", + "
  • be trained and qualified to perform onboard duties
  • ", + "
  • receive personal safety training
  • ", + "
  • for training to conform to International Maritime Organisation standards
  • ", + "

    Find out more about seafarer training and qualifications.

    ", + "

    Conditions of employment

    ", + "

    Under the MLC, seafarers have minimum working rights covering:

    ", + "
  • employment agreements
  • ", + "
  • wages
  • ", + "
  • hours of rest
  • ", + "
  • entitlement to leave
  • ", + "
  • repatriation
  • ", + "
  • compensation for a ship\u2019s loss or foundering
  • ", + "
  • manning levels
  • ", + "
  • career and skills development
  • ", + "
  • employment opportunities
  • ", + "

    Employment contracts

    ", + "

    The convention makes sure contracts between seafarers and shipowner provide fair living and working conditions.

    ", + "

    Contracts should be in English and include:

    ", + "
  • shipowner\u2019s name and address
  • ", + "
  • seafarer\u2019s name, date and place of birth
  • ", + "
  • place and date where agreement signed
  • ", + "
  • conditions for the termination of agreement
  • ", + "
  • health and social security protection benefits provided by shipowner
  • ", + "
  • seafarer\u2019s right to repatriation
  • ", + "

    Seafarers must also be:

    ", + "
  • allowed to read and consider contracts before signing them
  • ", + "
  • given a record of their employment
  • ", + "
  • given their own copy of their contract (the shipowner should also have a copy)
  • ", + "

    Wages

    ", + "

    Under the MLC, seafarers\u2019 wages must be:

    ", + "
  • paid regularly - for example, monthly
  • ", + "
  • include monthly statements of accounts
  • ", + "
  • allow seafarers to transfer part or all of their wages
  • ", + "
  • keep currency conversion charges to reasonable limits
  • ", + "

    Hours of rest

    ", + "

    Hours of rest must be at least:

    ", + "
  • 10 hours in any 24 hour period
  • ", + "
  • 77 hours in any 7 day period
  • ", + "

    Crew exercises, such as lifeboat drills, must cause minimal disruption to rest periods. Seafarers called out in a rest period are entitled to a rest period to make up for it.

    ", + "

    You can read Merchant Shipping Notice (MSN) 1848 (M) Amendment 3 MLC survey and certification of UK ships.

    ", + "

    Holiday pay

    ", + "

    Under the MLC, seafarers are entitled to paid leave calculated at 2.5 days per calendar month of employment.

    ", + "

    Read more about holiday pay for seafarers in the Merchant Shipping Regulations 2002.

    ", + "

    Repatriation

    ", + "

    This gives seafarers the right to be returned to their home country:

    ", + "
  • when their employment contract ends or is cancelled
  • ", + "
  • when they\u2019re no longer able to carry out their duties
  • ", + "
  • in the event of shipwreck
  • ", + "
  • if their ship is bound for a war zone they have not agreed to go to
  • ", + "

    Shipowners cannot request advance payment for repatriation from seafarers. If a shipowner does not make repatriation arrangements, seafarers on UK ships can be repatriated by the MCA.

    ", + "

    Accommodation and recreational facilities

    ", + "

    The Maritime and Labour Convention (MLC) ensures seafarers have access to decent accommodation and recreational facilities when living on ships.

    ", + "

    Medical care

    ", + "

    These cover seafarers\u2019 rights to:

    ", + "
  • decent on board health protection facilities, including essential dental care
  • ", + "
  • the right to visit qualified medical personnel while in port
  • ", + "
  • access to a qualified medical doctor on ships carrying more than 100 people on international voyages lasting more than 3 days
  • ", + "
  • where there is no doctor on board, there must be designated and able seafarer(s) to provide first aid and medical care
  • ", + "

    Shipowner\u2019s liabilities

    ", + "

    Under the MLC, if a seafarer suffers accident or disability because of their work the shipowner must provide where necessary:

    ", + "
  • assistance and medical care
  • ", + "
  • repatriation
  • ", + "
  • burial or cremation, if they die
  • ", + "

    The shipowner must have financial cover in case they are liable for compensation for long-term disability or illness.

    ", + "

    A shipowner is not liable when an injury is not related to a seafarer\u2019s duties, when it\u2019s caused by wilful misconduct or when a seafarer intentionally hides an illness or disability.

    ", + "

    Health and safety protection

    ", + "

    Under the MLC, seafarers\u2019 work environments on ships must:

    ", + "
  • have regular risk assessments of workplace hazards - for example, from machinery
  • ", + "
  • take steps to prevent work accidents
  • ", + "
  • have a system for reporting accidents and occupational diseases
  • ", + "

    Enforcement

    ", + "

    Under the MLC, the MCA can withdraw a ship\u2019s maritime labour certificate if seafarer living and working conditions are breached.

    ", + "

    Complaints

    ", + "

    Seafarers can complain if the MLC has not been followed. On board a ship seafarers can complain to a manager. On shore seafarers can complain to an MCA surveyor.

    ", + "

    Read MSN 1849 On-board complaints procedure and Marine Guidance Note (MGN) 487 Onshore complaints procedure.

    " + ] + }, + "https://www.gov.uk/claim-tax-credits": { + "url": "https://www.gov.uk/claim-tax-credits", + "title": "How to claim tax credits", + "content": "## How to claim\n\nTax credits have been replaced by Universal Credit.\n\nYou can only make a claim for Child Tax Credit or Working Tax Credit if you already get tax credits. You\u2019ll need to update your existing tax credit claim by\u00a0reporting a change in your circumstances online or by phone.\n\nIf you cannot apply for tax credits, you can apply for Universal Credit instead.\n\nYou might be able to apply for Pension Credit if you and your partner are State Pension age or over.\n\n## When to claim\n\nApply as soon as you know you\u2019re eligible so you get all the money you\u2019re entitled to.\n\nYou can claim tax credits at any time of year.\n\n## If you know your income will go down\n\nApply straight away if you know your income will drop to a level that means you\u2019ll be eligible for tax credits.\n\nFor example, you could make a claim now if you found out your income is going to drop in 6 months\u2019 time.\n\nThe income levels for Working Tax Credit and Child Tax Credit are different.\n\nUsually, tax credits are backdated by up to 31 days from the start of your claim.\n\n## Joint claims\n\nYou can apply for tax credits as a single person, or as a couple (known as a \u2018joint claim\u2019) if you\u2019re both 16 or over and living in the UK.\n\nUsually, you must make a joint claim if:\n\n- you\u2019re married or in a civil partnership (and not permanently or legally separated)\n\n- you live with your partner as though you\u2019re married or in a civil partnership\n\n- you\u2019re temporarily living away from one another, for example looking after a relative or working away from home\n\n- your partner is working abroad for the government\n\nYou might also need to make a joint claim if you and your partner are not married or in a civil partnership, but:\n\n- sometimes live in the same house\n\n- have a joint financial agreement\n\n- have dependent children\n\n## Exceptions\n\nYou do not always make a joint claim because you have a partner. For example, make a single claim if:\n\n- you live in the UK but your partner lives abroad (unless your partner works for the government)\n\n- you both live abroad, you\u2019re from the EEA or Switzerland and you work in the UK but your partner does not\n\n## If you\u2019re not sure\n\nCall HM Revenue and Customs to find out if you should make a joint claim.\n\nYou must pay back any tax credits you\u2019re not entitled to if you do not make the right sort of application.\n\n## Backdate a claim\n\nWhen you make a claim, your tax credits are usually backdated automatically by up to 31 days. You do not have to do anything.\n\n## If you\u2019re claiming other benefits\n\nYou have to ask for your tax credits to be backdated if you get:\n\n- Income Support\n\n- Jobseeker\u2019s Allowance (income-based)\n\n- Employment and Support Allowance (income-related)\n\n- Pension Credit\n\nYou might not get the full backdated claim if you stopped getting one of these benefits in the last 31 days and you\u2019re claiming both Child Tax Credit and Working Tax Credit.\n\n## Backdating by more than 31 days\n\nTax credit claims can sometimes be backdated by more than 31 days if you:\n\n- apply within a month of getting refugee status\n\n- apply within 31 days of qualifying for certain sickness or disability benefits, such as Disability Living Allowance or Personal Independence Payment\n\nDo not apply to backdate these claims until you\u2019ve been given a decision on your refugee status or disability benefits.\n\nYou should still apply for other tax credits if you already qualify for them, for example if you have children.\n\n## How to backdate a claim\n\nIf you\u2019re claiming over the phone, call HM Revenue and Customs to ask them to backdate your claim.\n\nIf you\u2019re using claim form, include a page confirming:\n\n- your name, address and National Insurance number\n\n- the date you started work\n\n- the date you started getting one of the benefits listed, if you\u2019re not in work\n\n- the date you got a decision on your refugee status or disability benefits - if you\u2019re applying to backdate by more than 31 days\n\n## What counts as income\n\nUsually, what you\u2019re entitled to is based on your income for the last tax year (6 April 2020 to 5 April 2021).\n\nIncome includes:\n\n- money from employment before tax and National Insurance, including if you cannot work but you\u2019re still getting paid (\u2018on furlough\u2019) - check your P60s, P45s or payslips\n\n- earnings if you\u2019re self-employed before tax and National Insurance, including grants from the Self-Employment Income Support Scheme - check your Self Assessment tax return\n\n- money from some coronavirus (COVID-19) payments\n\n- benefits from your employer (check your P11D)\n\n- certain state benefits\n\n- money from a pension - including your State Pension\n\n- interest on savings\n\n- your partner\u2019s income - if you make a joint claim\n\n- UK company dividends\n\n- profit from a property you own or rent out in the UK\n\n- earnings from the Rent a Room Scheme above \u00a37,500 (or \u00a33,750 if you\u2019re a joint owner)\n\n- payment above \u00a330,000 because your job ended\n\nHM Revenue and Customs (HMRC) has detailed guidance if you need help working out your income.\n\n## Benefits\n\nIncome includes money from UK state benefits (or their foreign equivalents) except income-based Jobseeker\u2019s Allowance (JSA) or \u2018tax-free\u2019 benefits. Tax-free benefits include:\n\n- Child Benefit\n\n- Housing Benefit\n\n- Attendance Allowance\n\n- Disability Living Allowance\n\n- Personal Independence Payment\n\n- the foreign equivalents of UK tax-free benefits\n\nTo support your claim, keep records of your income, bills, payslips, benefits, tax credits, childcare and child\u2019s education for the current tax year and at least 2 years before that.\n\n## Work out your hours\n\nPut the number of hours you work in a normal week on your claim form.\n\nAdd all your hours together if you have more than one job.\n\nIf you\u2019ve just started work put the hours you expect to work.\n\n| Type of work | How to work out your hours |\n\n| Employed | Include overtime, but not unpaid breaks |\n\n| Self-employed | Include all the time you spend on your business (once you\u2019ve set it up) |\n\n| Seasonal | Put the hours you\u2019re working at the moment |\n\n| Regular term-time | Put the hours you work during term time |\n\n| Agency | Decide your normal hours with your employer |\n\n| On-call | Only count the hours you\u2019re called to work |\n\n| On standby | Do not count the time when you\u2019re not paid |", + "original_contents": [ + "

    How to claim

    ", + "

    Tax credits have been replaced by Universal Credit.

    ", + "

    You can only make a claim for Child Tax Credit or Working Tax Credit if you already get tax credits. You\u2019ll need to update your existing tax credit claim by\u00a0reporting a change in your circumstances online or by phone.

    ", + "

    If you cannot apply for tax credits, you can apply for Universal Credit instead.

    ", + "

    You might be able to apply for Pension Credit if you and your partner are State Pension age or over.

    ", + "

    When to claim

    ", + "

    Apply as soon as you know you\u2019re eligible so you get all the money you\u2019re entitled to.

    ", + "

    You can claim tax credits at any time of year.

    ", + "

    If you know your income will go down

    ", + "

    Apply straight away if you know your income will drop to a level that means you\u2019ll be eligible for tax credits.

    ", + "

    For example, you could make a claim now if you found out your income is going to drop in 6 months\u2019 time.

    ", + "

    The income levels for Working Tax Credit and Child Tax Credit are different.

    ", + "

    Usually, tax credits are backdated by up to 31 days from the start of your claim.

    ", + "

    Joint claims

    ", + "

    You can apply for tax credits as a single person, or as a couple (known as a \u2018joint claim\u2019) if you\u2019re both 16 or over and living in the UK.

    ", + "

    Usually, you must make a joint claim if:

    ", + "
  • you\u2019re married or in a civil partnership (and not permanently or legally separated)
  • ", + "
  • you live with your partner as though you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re temporarily living away from one another, for example looking after a relative or working away from home
  • ", + "
  • your partner is working abroad for the government
  • ", + "

    You might also need to make a joint claim if you and your partner are not married or in a civil partnership, but:

    ", + "
  • sometimes live in the same house
  • ", + "
  • have a joint financial agreement
  • ", + "
  • have dependent children
  • ", + "

    Exceptions

    ", + "

    You do not always make a joint claim because you have a partner. For example, make a single claim if:

    ", + "
  • you live in the UK but your partner lives abroad (unless your partner works for the government)
  • ", + "
  • you both live abroad, you\u2019re from the EEA or Switzerland and you work in the UK but your partner does not
  • ", + "

    If you\u2019re not sure

    ", + "

    Call HM Revenue and Customs to find out if you should make a joint claim.

    ", + "

    You must pay back any tax credits you\u2019re not entitled to if you do not make the right sort of application.

    ", + "

    Backdate a claim

    ", + "

    When you make a claim, your tax credits are usually backdated automatically by up to 31 days. You do not have to do anything.

    ", + "

    If you\u2019re claiming other benefits

    ", + "

    You have to ask for your tax credits to be backdated if you get:

    ", + "
  • Income Support
  • ", + "
  • Jobseeker\u2019s Allowance (income-based)
  • ", + "
  • Employment and Support Allowance (income-related)
  • ", + "
  • Pension Credit
  • ", + "

    You might not get the full backdated claim if you stopped getting one of these benefits in the last 31 days and you\u2019re claiming both Child Tax Credit and Working Tax Credit.

    ", + "

    Backdating by more than 31 days

    ", + "

    Tax credit claims can sometimes be backdated by more than 31 days if you:

    ", + "
  • apply within a month of getting refugee status
  • ", + "
  • apply within 31 days of qualifying for certain sickness or disability benefits, such as Disability Living Allowance or Personal Independence Payment
  • ", + "

    Do not apply to backdate these claims until you\u2019ve been given a decision on your refugee status or disability benefits.

    ", + "

    You should still apply for other tax credits if you already qualify for them, for example if you have children.

    ", + "

    How to backdate a claim

    ", + "

    If you\u2019re claiming over the phone, call HM Revenue and Customs to ask them to backdate your claim.

    ", + "

    If you\u2019re using claim form, include a page confirming:

    ", + "
  • your name, address and National Insurance number
  • ", + "
  • the date you started work
  • ", + "
  • the date you started getting one of the benefits listed, if you\u2019re not in work
  • ", + "
  • the date you got a decision on your refugee status or disability benefits - if you\u2019re applying to backdate by more than 31 days
  • ", + "

    What counts as income

    ", + "

    Usually, what you\u2019re entitled to is based on your income for the last tax year (6 April 2020 to 5 April 2021).

    ", + "

    Income includes:

    ", + "
  • money from employment before tax and National Insurance, including if you cannot work but you\u2019re still getting paid (\u2018on furlough\u2019) - check your P60s, P45s or payslips
  • ", + "
  • earnings if you\u2019re self-employed before tax and National Insurance, including grants from the Self-Employment Income Support Scheme - check your Self Assessment tax return
  • ", + "
  • money from some coronavirus (COVID-19) payments
  • ", + "
  • benefits from your employer (check your P11D)
  • ", + "
  • certain state benefits
  • ", + "
  • money from a pension - including your State Pension
  • ", + "
  • interest on savings
  • ", + "
  • your partner\u2019s income - if you make a joint claim
  • ", + "
  • UK company dividends
  • ", + "
  • profit from a property you own or rent out in the UK
  • ", + "
  • earnings from the Rent a Room Scheme above \u00a37,500 (or \u00a33,750 if you\u2019re a joint owner)
  • ", + "
  • payment above \u00a330,000 because your job ended
  • ", + "

    HM Revenue and Customs (HMRC) has detailed guidance if you need help working out your income.

    ", + "

    Benefits

    ", + "

    Income includes money from UK state benefits (or their foreign equivalents) except income-based Jobseeker\u2019s Allowance (JSA) or \u2018tax-free\u2019 benefits. Tax-free benefits include:

    ", + "
  • Child Benefit
  • ", + "
  • Housing Benefit
  • ", + "
  • Attendance Allowance
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Personal Independence Payment
  • ", + "
  • the foreign equivalents of UK tax-free benefits
  • ", + "

    To support your claim, keep records of your income, bills, payslips, benefits, tax credits, childcare and child\u2019s education for the current tax year and at least 2 years before that.

    ", + "

    Work out your hours

    ", + "

    Put the number of hours you work in a normal week on your claim form.

    ", + "

    Add all your hours together if you have more than one job.

    ", + "

    If you\u2019ve just started work put the hours you expect to work.

    ", + "Type of work | How to work out your hours", + "Employed | Include overtime, but not unpaid breaks", + "Self-employed | Include all the time you spend on your business (once you\u2019ve set it up)", + "Seasonal | Put the hours you\u2019re working at the moment", + "Regular term-time | Put the hours you work during term time", + "Agency | Decide your normal hours with your employer", + "On-call | Only count the hours you\u2019re called to work", + "On standby | Do not count the time when you\u2019re not paid" + ] + }, + "https://www.gov.uk/tax-credits-if-moving-country-or-travelling": { + "url": "https://www.gov.uk/tax-credits-if-moving-country-or-travelling", + "title": "Tax credits if you leave or move to the UK", + "content": "## Your family lives abroad\n\nIf your partner is outside the UK and you do not have children, check the Working Tax Credit guidance for information on whether you can continue to claim.\n\n## You have a child who lives abroad\n\nIf you already get Working Tax Credit and want to add Child Tax Credit to your claim, check if you\u2019re eligible.\n\nIf you already get Child Tax Credit, you may be able to make a claim for an additional child if:\n\n- you are working in the UK\n\n- the child is living in the EEA or Switzerland\n\n- you are supporting the child\n\nYou must also be one of the following:\n\n- an EEA or Swiss citizen who has settled or pre-settled status under the EU Settlement Scheme\n\n- an EEA or Swiss citizen who had a right to reside in the UK on 31 December 2020\n\n- a family member of an EEA or Swiss citizen (who has settled or pre-settled status under the EU Settlement Scheme or had a right to reside in the UK on 31 December 2020) and you are residing in the UK\n\n- a person with dual nationality, one of which is nationality of an EEA country or Switzerland\n\n- covered by any of the other conditions in the Withdrawal Agreement with the EEA and Switzerland\n\nYou usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.\n\nYou must let HMRC know within a month if your partner or child join you in the UK. This is because your tax credits payments may change.\n\n## Your partner gets benefits in an EEA country or Switzerland\n\nIf you\u2019ve got children and your partner gets benefits paid by an EEA country or Switzerland, this may affect your tax credits. You must tell HMRC if you or your partner are paid benefits by an EEA country or Switzerland.\n\nSome benefits are counted as income, for example benefits paid because of unemployment.\n\n## Going abroad\n\nYour tax credits will stop if you expect to be away for one year or more.\n\nYou may still qualify for tax credits if you go abroad for a short period, for example on holiday or for medical treatment.\n\n| Reason for leaving | How long you can get tax credits for |\n\n| Medical treatment for yourself, your partner or your child | Up to 12 weeks |\n\n| Death of your partner, a child or close relative of either you or your partner | Up to 12 weeks |\n\n| Any other reason, for example holidays or business | Up to 8 weeks |\n\nIf your trip is going to last longer than 8 or 12 weeks, contact HM Revenue and Customs (HMRC) within a month. Your tax credits will end unless:\n\n- you get UK benefits or State Pension and you live in another European country with a child\n\n- you work and pay National Insurance contributions in the UK, but your family lives in another European country\n\n## You live outside the UK\n\nYou may continue to get tax credits if you\u2019re a Crown servant posted overseas or you live abroad with your child and get UK benefits or the State Pension.\n\n## You\u2019re a Crown servant posted overseas\n\nYou may continue to get tax credits, just as if you were living in the UK. HM Revenue and Customs (HMRC) will treat you as being in the UK if any of the following applies:\n\n- you are, or were just before you were posted abroad, \u2018ordinarily resident\u2019 in the UK\n\n- you\u2019ve had a series of postings abroad, with no breaks in between - and you are or were \u2018ordinarily resident\u2019 in the UK immediately before the first of those postings\n\n- you were in the UK just before you were posted abroad and the reason you were in the UK was connected to your posting - this can apply to a single posting or to a series of postings\n\n## Ordinarily resident\n\nOrdinarily resident means you normally live in the UK, and plan to stay here for the time being. When HMRC decides if you\u2019re ordinarily resident in the UK they\u2019ll look at things like:\n\n- where your settled home is\n\n- where your close family live\n\n- why you came to the UK\n\n- if you plan to leave the UK permanently in the next 2 or 3 years\n\n## Your partner\u2019s a Crown servant posted overseas\n\nYou may continue to get tax credits if your partner\u2019s a Crown servant posted outside the UK and you:\n\n- live with your partner while they work abroad\n\n- live in the UK while your partner works abroad\n\nYou do not need to be ordinarily resident in the UK during the time you\u2019re with your Crown servant partner overseas.\n\n## You have a child - and get UK benefits or State Pension\n\nIf none of the sections above apply to you, you may continue to get Child Tax Credit (or add it to an existing Working Tax Credit claim) if you and your child live in a European Union (EU) member state and you get State Pension or one of the following benefits:\n\n- Incapacity Benefit\n\n- State Pension\n\n- Widow\u2019s Benefit\n\n- Bereavement Benefit\n\n- Industrial Injuries Disablement Benefit\n\n- contribution-based Employment and Support Allowance\n\n- Severe Disablement Allowance\n\nYou will not be able to get Child Tax Credit if you do not live in an EU member state, unless you (or your partner) are a Crown servant posted abroad.\n\n## Moving to the UK\n\nYou must have been living in the UK for 3 months before you were eligible to claim Child Tax Credit if you moved to the UK on or after 1 July 2014 and do not have a job. This does not apply if you:\n\n- are a family member of someone who works or is self-employed\n\n- are a refugee\n\n- have been granted discretionary leave to enter or stay in the UK and you can get benefits\n\n- have been given leave to stay as a displaced person and you can get benefits\n\n- have been given to leave to stay and have applied for settlement as a victim of domestic violence\n\n- have been granted humanitarian protection\n\n- were made redundant in the UK (or your family member was) and you\u2019re looking for a job or in training\n\n- were working in the UK before but temporarily cannot work because of your health or an accident\n\n- have been abroad for less than a year but usually live in the UK and were claiming Child Tax Credits before moving\n\n- have been abroad for less than a year but usually live in the UK and were in the UK for at least 3 months before moving\n\n- paid Class 1 or Class 2 National Insurance contributions while you were working abroad, and paid these in the 3 month period before returning to the UK\n\n## Cross-border workers\n\nYou may continue to get tax credits if you regularly travel from:\n\n- another country to work in the UK\n\n- the UK to work in another country\n\n## Working Tax Credit\n\nYou may continue to get Working Tax Credit if you live in:\n\n- an EEA country (including Switzerland) and work in the UK\n\n- the UK and work in an EEA country (including Switzerland)\n\n## Child Tax Credit\n\nYou and your partner - if you have one - may continue to get Child Tax Credit for your children if:\n\n- you work in the UK\n\n- you pay National Insurance as a worker here\n\n- your child lives in an EEA country or in Switzerland\n\n- your child is living with your partner or someone else and they depend on you to support them\n\nYou usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.\n\n## Childcare costs\n\nYou can usually claim help for your childcare costs through the childcare element of Working Tax Credit.\n\nTo qualify your children must either:\n\n- be in registered or approved childcare in the UK\n\n- be in childcare approved by a Ministry of Defence accreditation scheme abroad - if you\u2019re a Crown servant posted abroad\n\n## Immigration control\n\nYou usually cannot get tax credits if you\u2019re \u2018subject to immigration control\u2019, although there are some exceptions. You\u2019ll still need to meet the other qualifying rules, for example work the right number of hours.\n\nWhen you arrived in the UK your passport may have been stamped. The stamp shows the conditions of your stay in the UK, for example \u2018no recourse to public funds\u2019. Public funds include tax credits and most benefits.\n\n## Exceptions\n\nYou may continue to get tax credits if:\n\n- your partner lives in the UK and is not subject to immigration control\n\n- one of the examples below applies to you or your partner\n\n## You have permission to stay in the UK because someone else supports you\n\nYou may continue to get tax credits if someone else is responsible for your maintenance while you\u2019re in the UK. This means they pay for your upkeep and provide you with somewhere to live. This person is often called your \u2018sponsor\u2019, and could be a friend, employer or relative.\n\nAll of the following must apply:\n\n- your sponsor has given the Home Office a written statement saying that they\u2019re sponsoring you\n\n- your sponsor has permission to stay in the UK\n\n- you\u2019ve been living permanently in the UK for at least 5 years, either since you came into the UK or since you started being sponsored (whichever date is later)\n\nYou may also continue to get tax credits if you\u2019ve been living in the UK for fewer than 5 years, but:\n\n- your sponsor has died\n\n- all your sponsors - if you had more than one - have died\n\n## You\u2019re from Albania, Morocco, San Marino or Tunisia\n\nYou cannot get Working Tax Credit.\n\nYou may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:\n\n- retired\n\n- pregnant or looking after children\n\n- sick or disabled or your partner has died\n\n## You\u2019re from Turkey\n\nTo continue to get Working Tax Credit you need to be lawfully present in the UK and a Turkish national.\n\nYou may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:\n\n- retired\n\n- pregnant or looking after children\n\n- sick or disabled or your partner has died\n\n## You\u2019re from North Macedonia\n\nYou may continue to get Working Tax Credit if you\u2019re a national of North Macedonia. You\u2019ll need to be lawfully present in the UK.\n\nYou cannot normally get Child Tax Credit. However, you may continue to if you\u2019ve been getting payments for your children through Income Support or income-based Jobseeker\u2019s Allowance.\n\n## You claimed asylum before 5 February 2006\n\nYou may continue to get Child Tax Credit if you received financial support for your children through Income Support or income-based Jobseeker\u2019s Allowance.", + "original_contents": [ + "

    Your family lives abroad

    ", + "

    If your partner is outside the UK and you do not have children, check the Working Tax Credit guidance for information on whether you can continue to claim.

    ", + "

    You have a child who lives abroad

    ", + "

    If you already get Working Tax Credit and want to add Child Tax Credit to your claim, check if you\u2019re eligible.

    ", + "

    If you already get Child Tax Credit, you may be able to make a claim for an additional child if:

    ", + "
  • you are working in the UK
  • ", + "
  • the child is living in the EEA or Switzerland
  • ", + "
  • you are supporting the child
  • ", + "

    You must also be one of the following:

    ", + "
  • an EEA or Swiss citizen who has settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • an EEA or Swiss citizen who had a right to reside in the UK on 31 December 2020
  • ", + "
  • a family member of an EEA or Swiss citizen (who has settled or pre-settled status under the EU Settlement Scheme or had a right to reside in the UK on 31 December 2020) and you are residing in the UK
  • ", + "
  • a person with dual nationality, one of which is nationality of an EEA country or Switzerland
  • ", + "
  • covered by any of the other conditions in the Withdrawal Agreement with the EEA and Switzerland
  • ", + "

    You usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.

    ", + "

    You must let HMRC know within a month if your partner or child join you in the UK. This is because your tax credits payments may change.

    ", + "

    Your partner gets benefits in an EEA country or Switzerland

    ", + "

    If you\u2019ve got children and your partner gets benefits paid by an EEA country or Switzerland, this may affect your tax credits. You must tell HMRC if you or your partner are paid benefits by an EEA country or Switzerland.

    ", + "

    Some benefits are counted as income, for example benefits paid because of unemployment.

    ", + "

    Going abroad

    ", + "

    Your tax credits will stop if you expect to be away for one year or more.

    ", + "

    You may still qualify for tax credits if you go abroad for a short period, for example on holiday or for medical treatment.

    ", + "Reason for leaving | How long you can get tax credits for", + "Medical treatment for yourself, your partner or your child | Up to 12 weeks", + "Death of your partner, a child or close relative of either you or your partner | Up to 12 weeks", + "Any other reason, for example holidays or business | Up to 8 weeks", + "

    If your trip is going to last longer than 8 or 12 weeks, contact HM Revenue and Customs (HMRC) within a month. Your tax credits will end unless:

    ", + "
  • you get UK benefits or State Pension and you live in another European country with a child
  • ", + "
  • you work and pay National Insurance contributions in the UK, but your family lives in another European country
  • ", + "

    You live outside the UK

    ", + "

    You may continue to get tax credits if you\u2019re a Crown servant posted overseas or you live abroad with your child and get UK benefits or the State Pension.

    ", + "

    You\u2019re a Crown servant posted overseas

    ", + "

    You may continue to get tax credits, just as if you were living in the UK. HM Revenue and Customs (HMRC) will treat you as being in the UK if any of the following applies:

    ", + "
  • you are, or were just before you were posted abroad, \u2018ordinarily resident\u2019 in the UK
  • ", + "
  • you\u2019ve had a series of postings abroad, with no breaks in between - and you are or were \u2018ordinarily resident\u2019 in the UK immediately before the first of those postings
  • ", + "
  • you were in the UK just before you were posted abroad and the reason you were in the UK was connected to your posting - this can apply to a single posting or to a series of postings
  • ", + "

    Ordinarily resident

    ", + "

    Ordinarily resident means you normally live in the UK, and plan to stay here for the time being. When HMRC decides if you\u2019re ordinarily resident in the UK they\u2019ll look at things like:

    ", + "
  • where your settled home is
  • ", + "
  • where your close family live
  • ", + "
  • why you came to the UK
  • ", + "
  • if you plan to leave the UK permanently in the next 2 or 3 years
  • ", + "

    Your partner\u2019s a Crown servant posted overseas

    ", + "

    You may continue to get tax credits if your partner\u2019s a Crown servant posted outside the UK and you:

    ", + "
  • live with your partner while they work abroad
  • ", + "
  • live in the UK while your partner works abroad
  • ", + "

    You do not need to be ordinarily resident in the UK during the time you\u2019re with your Crown servant partner overseas.

    ", + "

    You have a child - and get UK benefits or State Pension

    ", + "

    If none of the sections above apply to you, you may continue to get Child Tax Credit (or add it to an existing Working Tax Credit claim) if you and your child live in a European Union (EU) member state and you get State Pension or one of the following benefits:

    ", + "
  • Incapacity Benefit
  • ", + "
  • State Pension
  • ", + "
  • Widow\u2019s Benefit
  • ", + "
  • Bereavement Benefit
  • ", + "
  • Industrial Injuries Disablement Benefit
  • ", + "
  • contribution-based Employment and Support Allowance
  • ", + "
  • Severe Disablement Allowance
  • ", + "

    You will not be able to get Child Tax Credit if you do not live in an EU member state, unless you (or your partner) are a Crown servant posted abroad.

    ", + "

    Moving to the UK

    ", + "

    You must have been living in the UK for 3 months before you were eligible to claim Child Tax Credit if you moved to the UK on or after 1 July 2014 and do not have a job. This does not apply if you:

    ", + "
  • are a family member of someone who works or is self-employed
  • ", + "
  • are a refugee
  • ", + "
  • have been granted discretionary leave to enter or stay in the UK and you can get benefits
  • ", + "
  • have been given leave to stay as a displaced person and you can get benefits
  • ", + "
  • have been given to leave to stay and have applied for settlement as a victim of domestic violence
  • ", + "
  • have been granted humanitarian protection
  • ", + "
  • were made redundant in the UK (or your family member was) and you\u2019re looking for a job or in training
  • ", + "
  • were working in the UK before but temporarily cannot work because of your health or an accident
  • ", + "
  • have been abroad for less than a year but usually live in the UK and were claiming Child Tax Credits before moving
  • ", + "
  • have been abroad for less than a year but usually live in the UK and were in the UK for at least 3 months before moving
  • ", + "
  • paid Class 1 or Class 2 National Insurance contributions while you were working abroad, and paid these in the 3 month period before returning to the UK
  • ", + "

    Cross-border workers

    ", + "

    You may continue to get tax credits if you regularly travel from:

    ", + "
  • another country to work in the UK
  • ", + "
  • the UK to work in another country
  • ", + "

    Working Tax Credit

    ", + "

    You may continue to get Working Tax Credit if you live in:

    ", + "
  • an EEA country (including Switzerland) and work in the UK
  • ", + "
  • the UK and work in an EEA country (including Switzerland)
  • ", + "

    Child Tax Credit

    ", + "

    You and your partner - if you have one - may continue to get Child Tax Credit for your children if:

    ", + "
  • you work in the UK
  • ", + "
  • you pay National Insurance as a worker here
  • ", + "
  • your child lives in an EEA country or in Switzerland
  • ", + "
  • your child is living with your partner or someone else and they depend on you to support them
  • ", + "

    You usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.

    ", + "

    Childcare costs

    ", + "

    You can usually claim help for your childcare costs through the childcare element of Working Tax Credit.

    ", + "

    To qualify your children must either:

    ", + "
  • be in registered or approved childcare in the UK
  • ", + "
  • be in childcare approved by a Ministry of Defence accreditation scheme abroad - if you\u2019re a Crown servant posted abroad
  • ", + "

    Immigration control

    ", + "

    You usually cannot get tax credits if you\u2019re \u2018subject to immigration control\u2019, although there are some exceptions. You\u2019ll still need to meet the other qualifying rules, for example work the right number of hours.

    ", + "

    When you arrived in the UK your passport may have been stamped. The stamp shows the conditions of your stay in the UK, for example \u2018no recourse to public funds\u2019. Public funds include tax credits and most benefits.

    ", + "

    Exceptions

    ", + "

    You may continue to get tax credits if:

    ", + "
  • your partner lives in the UK and is not subject to immigration control
  • ", + "
  • one of the examples below applies to you or your partner
  • ", + "

    You have permission to stay in the UK because someone else supports you

    ", + "

    You may continue to get tax credits if someone else is responsible for your maintenance while you\u2019re in the UK. This means they pay for your upkeep and provide you with somewhere to live. This person is often called your \u2018sponsor\u2019, and could be a friend, employer or relative.

    ", + "

    All of the following must apply:

    ", + "
  • your sponsor has given the Home Office a written statement saying that they\u2019re sponsoring you
  • ", + "
  • your sponsor has permission to stay in the UK
  • ", + "
  • you\u2019ve been living permanently in the UK for at least 5 years, either since you came into the UK or since you started being sponsored (whichever date is later)
  • ", + "

    You may also continue to get tax credits if you\u2019ve been living in the UK for fewer than 5 years, but:

    ", + "
  • your sponsor has died
  • ", + "
  • all your sponsors - if you had more than one - have died
  • ", + "

    You\u2019re from Albania, Morocco, San Marino or Tunisia

    ", + "

    You cannot get Working Tax Credit.

    ", + "

    You may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:

    ", + "
  • retired
  • ", + "
  • pregnant or looking after children
  • ", + "
  • sick or disabled or your partner has died
  • ", + "

    You\u2019re from Turkey

    ", + "

    To continue to get Working Tax Credit you need to be lawfully present in the UK and a Turkish national.

    ", + "

    You may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:

    ", + "
  • retired
  • ", + "
  • pregnant or looking after children
  • ", + "
  • sick or disabled or your partner has died
  • ", + "

    You\u2019re from North Macedonia

    ", + "

    You may continue to get Working Tax Credit if you\u2019re a national of North Macedonia. You\u2019ll need to be lawfully present in the UK.

    ", + "

    You cannot normally get Child Tax Credit. However, you may continue to if you\u2019ve been getting payments for your children through Income Support or income-based Jobseeker\u2019s Allowance.

    ", + "

    You claimed asylum before 5 February 2006

    ", + "

    You may continue to get Child Tax Credit if you received financial support for your children through Income Support or income-based Jobseeker\u2019s Allowance.

    " + ] + }, + "https://www.gov.uk/complain-about-school": { + "url": "https://www.gov.uk/complain-about-school", + "title": "Complain about a school", + "content": "## Types of complaints\n\nThere are different ways to complain in England depending on whether your child:\n\n- attends a state school\n\n- attends a private school\n\n- has special educational needs (SEN)\n\nSchools may not consider complaints about behaviour that happens outside the school\u2019s hours or premises \u2013 check the school\u2019s behaviour policy.\n\nThere are different ways to complain about schools in:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\n## Other types of complaint\n\nFor some types of complaint you need to contact a different agency.\n\n| Complaint | Who to contact |\n\n| Child protection | Local council |\n\n| Criminal behaviour | Police |\n\n| Data protection | Information Commissioner\u2019s Office |\n\n| Discrimination | Equality Advisory and Support Service |\n\n| Employment | An employment tribunal |\n\n| Exam malpractice or maladministration (SATs) | Standards and testing agency |\n\n| Exam malpractice or maladministration (secondary school) | Ofqual and the awarding body |\n\n## Legal advice\n\nYou can get free legal advice about schooling and education from Child Law Advice.\n\n## State schools\n\nState schools include:\n\n- maintained schools\n\n- academies and free schools\n\nContact your local council or call your local police on 101 if you think a child is at risk. Call 999 if a child is in immediate danger.\n\n## How to complain\n\nContact the school to discuss the problem first - most problems can be solved this way.\n\nFollow all the steps in the school\u2019s complaints procedure to make a formal complaint. Every school in England must have one. It\u2019s often on the school\u2019s website and should tell you the kind of complaints the school deals with.\n\nYou may not be able to complain to academies or free schools if you do not have a child at the school.\n\nYou can complain to the Department for Education (DfE) directly if:\n\n- a child is at risk\n\n- a child is missing school\n\n- the school is stopping you from following its complaints procedure\n\n## If you think your complaint was not dealt with correctly\n\nYou can ask DfE to consider your complaint if you\u2019ve followed all the steps in the school\u2019s complaints procedure.\n\n## Tell Ofsted about a problem\n\nOfsted cannot respond to or resolve individual complaints but you can still tell Ofsted about a problem with a school. They can use the information you provide to decide when to inspect and what areas to focus the inspection on.\n\n## Private schools\n\nContact your local council or call your local police on 101 if you think a child is at risk.\n\nCall 999 if a child is in immediate danger.\n\n## Make a complaint\n\nFollow the school\u2019s complaints procedure - every school in England must have one. It should be published on the school\u2019s website.\n\nIt should tell you what kind of complaints the school will deal with, such as bullying or bad behaviour.\n\nYou cannot complain directly to a private school if you do not have a child at the school.\n\n## Further complaints\n\nThe Department for Education (DfE) cannot investigate individual complaints about private schools. But it has certain powers as a regulator if the school is not meeting standards set by DfE for:\n\n- education\n\n- pupil welfare and health and safety\n\n- school premises\n\n- staff suitability\n\n- making information available to parents\n\n- spiritual, moral, social or cultural development of students\n\nDfE will consider any reports of a major failure to meet the standards. It can arrange an emergency inspection to look at pupil welfare and health and safety, and make sure serious failings are dealt with.\n\nDfE can ask the school inspectorates to take minor complaints into account when the school is next inspected.\n\nYou can complain to the DfE by filling in the school complaints form.\n\n## Special educational needs (SEN)\n\nIf you want to complain about a school\u2019s SEN support, you should do it while your child is still registered at the school.\n\nThis includes complaints that the school has not provided the support required by your child\u2019s SEN statement or education, health and care (EHC) plan.\n\n## Make a complaint\n\nFollow these steps in order. Move on to the next step if your complaint is not resolved.\n\n- Talk to the school\u2019s special educational needs co-ordinator (SENCO).\n\n- Follow the school\u2019s complaints procedure.\n\n- Complain to your local authority.\n\nComplain to the Education and Skills Funding Agency (ESFA) instead of the local authority if both the following apply:\n\n- the school is an academy or free school\n\n- your complaint is not about an SEN statement or an EHC plan\n\nThere\u2019s a different process if you disagree with a decision your local authority has made about an SEN statement or an EHC plan.\n\n## Disability discrimination\n\nFollow the school\u2019s complaints process if you believe a school has discriminated against someone because of their disability.\n\nIf this does not solve the problem, or you do not want to complain to the school first, you may be able to complain to the Special Educational Needs and Disability (SEND) tribunal.\n\n## Who can complain to the SEND tribunal\n\nYou can complain to the tribunal if you\u2019re:\n\n- someone with parental responsibility for a young person, or their foster parent or carer\n\n- a young person over school leaving age but under 18\n\nYou can complain to the tribunal about:\n\n- a school, nursery or pupil referral unit maintained by a local authority\n\n- an independent school\n\n- a free school, including an academy\n\nYou cannot complain to the tribunal about:\n\n- a private nursery, unless it\u2019s part of a school\n\n- a further education college\n\n- an organisation using a school\u2019s premises\n\n## Complain to the SEND tribunal\n\nYou must send your complaint to the tribunal within 6 months of the discrimination taking place. If you send your complaint more than 6 months later, you\u2019ll be asked to explain why.\n\nYour complaint can include events which happened more than 6 months ago, as long as these directly relate to events that have taken place in the last 6 months. The tribunal must be able to treat events as a single complaint about one ongoing issue.\n\nFor example, if your child was permanently excluded from school after a series of fixed-term exclusions which you believe were all because of the child\u2019s disability, the tribunal could treat them as a single complaint.\n\nIt\u2019s free to make a complaint to the SEND tribunal.\n\nDownload and fill in:\n\n- form SEND4A if you\u2019re a parent making a complaint on behalf of a child\n\n- form SEND4B if you\u2019re a young person above school leaving age making a complaint for yourself\n\nThe address to send it to is on the form.\n\nYou can include details of up to 5 witnesses who you\u2019d like to bring to the hearing on your form.\n\nContact the tribunal if you have any questions about completing the form. They cannot give you legal advice.\n\n## Special Educational Needs and Disability Tribunal\n\n## Help you can get\n\nCheck if you can get legal aid.\n\nYou can also get free help and advice from:\n\n- the Independent Parental Special Education Advice (IPSEA)\n\n- your local Parent Partnership Service through the Information, Advice and Support Services (IASS) Network\n\n## After you make your complaint\n\nOnce the tribunal has registered your complaint, it will ask you and the school you\u2019re complaining about if you agree to the complaint being decided without a hearing.\n\nIf you both agree, the tribunal will make a decision about your complaint.\n\nIf you do not agree, the tribunal will send you a letter telling you if they\u2019ll hold a hearing, and when and where it\u2019ll take place.\n\nYou can complain to the Department for Education (DfE) about a school if the SEND tribunal will not handle your case.\n\n## Attending the hearing\n\nYou may be able to attend the hearing by video link. If you do need to attend in person, the hearing will be close to your home.\n\n## Change or withdraw your complaint before the hearing\n\nDownload and fill in:\n\n- form SEND7 to change your complaint, for example to ask for a different hearing date or add more witnesses\n\n- form SEND8 to withdraw your complaint\n\n## What happens at the hearing\n\nThe hearing will usually be attended by:\n\n- up to 3 tribunal members\n\n- a clerk\n\n- someone representing the school or local authority you\u2019re complaining about\n\n- witnesses\n\nYou do not have to go to the hearing, but if you do you can ask questions and present the case yourself. If you\u2019re complaining as a young person, your parents can come to the hearing.\n\nFill in the attendance form if you want to bring:\n\n- someone to represent you\n\n- someone to support you\n\n- witnesses\n\nYou can ask to have an interpreter at the hearing. They\u2019ll translate what happens but they cannot represent you or give you legal advice.\n\nYou might be asked questions by:\n\n- your legal representative (if you have one)\n\n- the local authority\u2019s representative\n\n- the tribunal\n\nYou\u2019ll usually get a letter with the tribunal\u2019s decision within 10 working days of the hearing.\n\n## Claiming expenses\n\nYou might be able to claim travel expenses for going to the hearing.\n\nYour witnesses might also be able to claim expenses for travel and loss of earnings.\n\nIf you bring a friend or relative to the hearing, you might also be able to claim for their travel costs.\n\n## If your complaint is successful\n\nThe school or local authority must act on the tribunal\u2019s decision within a set amount of time.\n\nYou can complain to the Local Government Ombudsman if a local authority does not keep to the decision.\n\n## Local Government Ombudsman\n\n## If your complaint is not successful\n\nThe letter giving the tribunal\u2019s decision will tell you how to apply to:\n\n- get the decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process\n\n- ask the tribunal to \u2018review\u2019 the decision, for example if your circumstances have changed since you got the decision or the decision contains a mistake\n\nYou can also ask for permission to appeal to the Upper Tribunal (Administrative Appeals) Chamber if you think the SEND tribunal has made a mistake and acted against the law.\n\nYou must ask for permission to appeal within 28 days of the date on the tribunal\u2019s decision letter.", + "original_contents": [ + "

    Types of complaints

    ", + "

    There are different ways to complain in England depending on whether your child:

    ", + "
  • attends a state school
  • ", + "
  • attends a private school
  • ", + "
  • has special educational needs (SEN)
  • ", + "

    Schools may not consider complaints about behaviour that happens outside the school\u2019s hours or premises \u2013 check the school\u2019s behaviour policy.

    ", + "

    There are different ways to complain about schools in:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    Other types of complaint

    ", + "

    For some types of complaint you need to contact a different agency.

    ", + "Complaint | Who to contact", + "Child protection | Local council", + "Criminal behaviour | Police", + "Data protection | Information Commissioner\u2019s Office", + "Discrimination | Equality Advisory and Support Service", + "Employment | An employment tribunal", + "Exam malpractice or maladministration (SATs) | Standards and testing agency", + "Exam malpractice or maladministration (secondary school) | Ofqual and the awarding body", + "

    Legal advice

    ", + "

    You can get free legal advice about schooling and education from Child Law Advice.

    ", + "

    State schools

    ", + "

    State schools include:

    ", + "
  • maintained schools
  • ", + "
  • academies and free schools
  • ", + "

    Contact your local council or call your local police on 101 if you think a child is at risk. Call 999 if a child is in immediate danger.

    ", + "

    How to complain

    ", + "

    Contact the school to discuss the problem first - most problems can be solved this way.

    ", + "

    Follow all the steps in the school\u2019s complaints procedure to make a formal complaint. Every school in England must have one. It\u2019s often on the school\u2019s website and should tell you the kind of complaints the school deals with.

    ", + "

    You may not be able to complain to academies or free schools if you do not have a child at the school.

    ", + "

    You can complain to the Department for Education (DfE) directly if:

    ", + "
  • a child is at risk
  • ", + "
  • a child is missing school
  • ", + "
  • the school is stopping you from following its complaints procedure
  • ", + "

    If you think your complaint was not dealt with correctly

    ", + "

    You can ask DfE to consider your complaint if you\u2019ve followed all the steps in the school\u2019s complaints procedure.

    ", + "

    Tell Ofsted about a problem

    ", + "

    Ofsted cannot respond to or resolve individual complaints but you can still tell Ofsted about a problem with a school. They can use the information you provide to decide when to inspect and what areas to focus the inspection on.

    ", + "

    Private schools

    ", + "

    Contact your local council or call your local police on 101 if you think a child is at risk.

    ", + "

    Call 999 if a child is in immediate danger.

    ", + "

    Make a complaint

    ", + "

    Follow the school\u2019s complaints procedure - every school in England must have one. It should be published on the school\u2019s website.

    ", + "

    It should tell you what kind of complaints the school will deal with, such as bullying or bad behaviour.

    ", + "

    You cannot complain directly to a private school if you do not have a child at the school.

    ", + "

    Further complaints

    ", + "

    The Department for Education (DfE) cannot investigate individual complaints about private schools. But it has certain powers as a regulator if the school is not meeting standards set by DfE for:

    ", + "
  • education
  • ", + "
  • pupil welfare and health and safety
  • ", + "
  • school premises
  • ", + "
  • staff suitability
  • ", + "
  • making information available to parents
  • ", + "
  • spiritual, moral, social or cultural development of students
  • ", + "

    DfE will consider any reports of a major failure to meet the standards. It can arrange an emergency inspection to look at pupil welfare and health and safety, and make sure serious failings are dealt with.

    ", + "

    DfE can ask the school inspectorates to take minor complaints into account when the school is next inspected.

    ", + "

    You can complain to the DfE by filling in the school complaints form.

    ", + "

    Special educational needs (SEN)

    ", + "

    If you want to complain about a school\u2019s SEN support, you should do it while your child is still registered at the school.

    ", + "

    This includes complaints that the school has not provided the support required by your child\u2019s SEN statement or education, health and care (EHC) plan.

    ", + "

    Make a complaint

    ", + "

    Follow these steps in order. Move on to the next step if your complaint is not resolved.

    ", + "
  • Talk to the school\u2019s special educational needs co-ordinator (SENCO).
  • ", + "
  • Follow the school\u2019s complaints procedure.
  • ", + "
  • Complain to your local authority.
  • ", + "

    Complain to the Education and Skills Funding Agency (ESFA) instead of the local authority if both the following apply:

    ", + "
  • the school is an academy or free school
  • ", + "
  • your complaint is not about an SEN statement or an EHC plan
  • ", + "

    There\u2019s a different process if you disagree with a decision your local authority has made about an SEN statement or an EHC plan.

    ", + "

    Disability discrimination

    ", + "

    Follow the school\u2019s complaints process if you believe a school has discriminated against someone because of their disability.

    ", + "

    If this does not solve the problem, or you do not want to complain to the school first, you may be able to complain to the Special Educational Needs and Disability (SEND) tribunal.

    ", + "

    Who can complain to the SEND tribunal

    ", + "

    You can complain to the tribunal if you\u2019re:

    ", + "
  • someone with parental responsibility for a young person, or their foster parent or carer
  • ", + "
  • a young person over school leaving age but under 18
  • ", + "

    You can complain to the tribunal about:

    ", + "
  • a school, nursery or pupil referral unit maintained by a local authority
  • ", + "
  • an independent school
  • ", + "
  • a free school, including an academy
  • ", + "

    You cannot complain to the tribunal about:

    ", + "
  • a private nursery, unless it\u2019s part of a school
  • ", + "
  • a further education college
  • ", + "
  • an organisation using a school\u2019s premises
  • ", + "

    Complain to the SEND tribunal

    ", + "

    You must send your complaint to the tribunal within 6 months of the discrimination taking place. If you send your complaint more than 6 months later, you\u2019ll be asked to explain why.

    ", + "

    Your complaint can include events which happened more than 6 months ago, as long as these directly relate to events that have taken place in the last 6 months. The tribunal must be able to treat events as a single complaint about one ongoing issue.

    ", + "

    For example, if your child was permanently excluded from school after a series of fixed-term exclusions which you believe were all because of the child\u2019s disability, the tribunal could treat them as a single complaint.

    ", + "

    It\u2019s free to make a complaint to the SEND tribunal.

    ", + "

    Download and fill in:

    ", + "
  • form SEND4A if you\u2019re a parent making a complaint on behalf of a child
  • ", + "
  • form SEND4B if you\u2019re a young person above school leaving age making a complaint for yourself
  • ", + "

    The address to send it to is on the form.

    ", + "

    You can include details of up to 5 witnesses who you\u2019d like to bring to the hearing on your form.

    ", + "

    Contact the tribunal if you have any questions about completing the form. They cannot give you legal advice.

    ", + "

    Special Educational Needs and Disability Tribunal

    ", + "

    Help you can get

    ", + "

    Check if you can get legal aid.

    ", + "

    You can also get free help and advice from:

    ", + "
  • the Independent Parental Special Education Advice (IPSEA)
  • ", + "
  • your local Parent Partnership Service through the Information, Advice and Support Services (IASS) Network
  • ", + "

    After you make your complaint

    ", + "

    Once the tribunal has registered your complaint, it will ask you and the school you\u2019re complaining about if you agree to the complaint being decided without a hearing.

    ", + "

    If you both agree, the tribunal will make a decision about your complaint.

    ", + "

    If you do not agree, the tribunal will send you a letter telling you if they\u2019ll hold a hearing, and when and where it\u2019ll take place.

    ", + "

    You can complain to the Department for Education (DfE) about a school if the SEND tribunal will not handle your case.

    ", + "

    Attending the hearing

    ", + "

    You may be able to attend the hearing by video link. If you do need to attend in person, the hearing will be close to your home.

    ", + "

    Change or withdraw your complaint before the hearing

    ", + "

    Download and fill in:

    ", + "
  • form SEND7 to change your complaint, for example to ask for a different hearing date or add more witnesses
  • ", + "
  • form SEND8 to withdraw your complaint
  • ", + "

    What happens at the hearing

    ", + "

    The hearing will usually be attended by:

    ", + "
  • up to 3 tribunal members
  • ", + "
  • a clerk
  • ", + "
  • someone representing the school or local authority you\u2019re complaining about
  • ", + "
  • witnesses
  • ", + "

    You do not have to go to the hearing, but if you do you can ask questions and present the case yourself. If you\u2019re complaining as a young person, your parents can come to the hearing.

    ", + "

    Fill in the attendance form if you want to bring:

    ", + "
  • someone to represent you
  • ", + "
  • someone to support you
  • ", + "
  • witnesses
  • ", + "

    You can ask to have an interpreter at the hearing. They\u2019ll translate what happens but they cannot represent you or give you legal advice.

    ", + "

    You might be asked questions by:

    ", + "
  • your legal representative (if you have one)
  • ", + "
  • the local authority\u2019s representative
  • ", + "
  • the tribunal
  • ", + "

    You\u2019ll usually get a letter with the tribunal\u2019s decision within 10 working days of the hearing.

    ", + "

    Claiming expenses

    ", + "

    You might be able to claim travel expenses for going to the hearing.

    ", + "

    Your witnesses might also be able to claim expenses for travel and loss of earnings.

    ", + "

    If you bring a friend or relative to the hearing, you might also be able to claim for their travel costs.

    ", + "

    If your complaint is successful

    ", + "

    The school or local authority must act on the tribunal\u2019s decision within a set amount of time.

    ", + "

    You can complain to the Local Government Ombudsman if a local authority does not keep to the decision.

    ", + "

    Local Government Ombudsman

    ", + "

    If your complaint is not successful

    ", + "

    The letter giving the tribunal\u2019s decision will tell you how to apply to:

    ", + "
  • get the decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process
  • ", + "
  • ask the tribunal to \u2018review\u2019 the decision, for example if your circumstances have changed since you got the decision or the decision contains a mistake
  • ", + "

    You can also ask for permission to appeal to the Upper Tribunal (Administrative Appeals) Chamber if you think the SEND tribunal has made a mistake and acted against the law.

    ", + "

    You must ask for permission to appeal within 28 days of the date on the tribunal\u2019s decision letter.

    " + ] + }, + "https://www.gov.uk/types-of-school": { + "url": "https://www.gov.uk/types-of-school", + "title": "Types of school", + "content": "## Overview\n\nAll children in England between the ages of 5 and 16 are entitled to a free place at a state school.\n\nState schools receive funding through their local authority or directly from the government. The most common ones are:\n\n- community schools, which are sometimes called local authority maintained schools - they are not influenced by business or religious groups and follow the national curriculum\n\n- foundation schools and voluntary schools, which are funded by the local authority but have more freedom to change the way they do things - sometimes they are supported by representatives from religious groups\n\n- academies and free schools, which are run by not-for-profit academy trusts, are independent from the local authority - they have more freedom to change how they run things and can follow a different curriculum\n\n- grammar schools, which can be run by the local authority, a foundation body or an academy trust - they select their pupils based on academic ability and there is a test to get in\n\nYou can find and compare schools in England, Northern Ireland, Scotland and Wales.\n\n## Special schools\n\nSpecial schools with pupils aged 11 and older can specialise in 1 of the 4 areas of special educational needs:\n\n- communication and interaction\n\n- cognition and learning\n\n- social, emotional and mental health\n\n- sensory and physical needs\n\nSchools can further specialise within these categories to reflect the special needs they help with, for example Autistic spectrum disorders, visual impairment, or speech, language and communication needs (SLCN).\n\n## Faith schools\n\nFaith schools have to follow the national curriculum, but they can choose what they teach in religious studies.\n\nFaith schools may have different admissions criteria and staffing policies to state schools, although anyone can apply for a place.\n\n## Faith academies\n\nFaith academies do not have to teach the national curriculum and have their own admissions processes.\n\n## Free schools\n\nFree schools are funded by the government but are not run by the local authority. They have more control over how they do things.\n\nThey\u2019re \u2018all-ability\u2019 schools, so can not use academic selection processes like a grammar school.\n\nFree schools can:\n\n- set their own pay and conditions for staff\n\n- change the length of school terms and the school day\n\nThey do not have to follow the national curriculum.\n\n## Who can set up free schools\n\nFree schools are run on a not-for-profit basis and can be set up by groups like:\n\n- charities\n\n- universities\n\n- independent schools\n\n- community and faith groups\n\n- teachers\n\n- parents\n\n- businesses\n\n## Types of free school\n\n## University technical colleges\n\nUniversity technical colleges specialise in subjects like engineering and construction - and teach these subjects along with business skills and using IT.\n\nPupils study academic subjects as well as practical subjects leading to technical qualifications. The curriculum is designed by the university and employers, who also provide work experience for students.\n\nUniversity technical colleges are sponsored by:\n\n- universities\n\n- employers\n\n- further education colleges\n\n## Studio schools\n\nStudio schools are small schools (usually with around 300 pupils) teaching mainstream qualifications through project-based learning. This means working in realistic situations as well as learning academic subjects.\n\nStudents work with local employers and a personal coach, and follow a curriculum designed to give them the skills and qualifications they need in work, or to take up further education.\n\n## Academies\n\nAcademies receive funding directly from the government and are run by an academy trust. They have more control over how they do things than community schools. Academies do not charge fees.\n\nAcademies are inspected by Ofsted. They have to follow the same rules on admissions, special educational needs and exclusions as other state schools and students sit the same exams.\n\nAcademies have more control over how they do things, for example they do not have to follow the national curriculum and can set their own term times.\n\nSome schools choose to become academies. If a school funded by the local authority is judged as \u2018inadequate\u2019 by Ofsted then it must become an academy.\n\n## Academy trusts and sponsors\n\nAcademy trusts are not-for-profit companies. They employ the staff and have trustees who are responsible for the performance of the academies in the trust. Trusts might run a single academy or a group of academies.\n\nSome academies are supported by sponsors such as businesses, universities, other schools, faith groups or voluntary groups. Sponsors work with the academy trust to improve the performance of their schools.\n\n## City technology colleges\n\nCity technology colleges and \u2018 the city college for the technology of the arts\u2019 are independent schools in urban areas that are free to go to. They\u2019re funded by central government - companies can also contribute.\n\nCity technology colleges emphasise teaching science and technology.\n\nThe city college for the technology of the arts teaches technology in its application of performing and creative arts, for example by offering interactive digital design courses.\n\n## State boarding schools\n\nState boarding schools provide free education but charge fees for boarding. Most state boarding schools are academies, some are free schools and some are run by local authorities.\n\nState boarding schools give priority to children who have a particular need to board and will assess children\u2019s suitability for boarding.\n\nCharities such as Buttle UK or the Royal National Children\u2019s Foundation can sometimes help with the cost of boarding.\n\nContact the State Boarding Forum for more information about state boarding schools, eligibility and how to apply.\n\n## Private schools\n\nPrivate schools (also known as \u2018independent schools\u2019) charge fees to attend instead of being funded by the government. Pupils do not have to follow the national curriculum.\n\nAll private schools must be registered with the government and are inspected regularly.\n\n## Reports on private schools\n\nAll school reports are published online by the organisation responsible for inspecting them. Find out from the school which organisation inspects them.\n\nHalf of all independent schools are inspected by Ofsted.\n\nThe Independent Schools Inspectorate inspects schools that are members of the associations that form the Independent Schools Council.\n\nSome other schools are inspected by the School Inspection Service.\n\n## Special educational needs\n\nThere are also private schools which specialise in teaching children with special educational needs.", + "original_contents": [ + "

    Overview

    ", + "

    All children in England between the ages of 5 and 16 are entitled to a free place at a state school.

    ", + "

    State schools receive funding through their local authority or directly from the government. The most common ones are:

    ", + "
  • community schools, which are sometimes called local authority maintained schools - they are not influenced by business or religious groups and follow the national curriculum
  • ", + "
  • foundation schools and voluntary schools, which are funded by the local authority but have more freedom to change the way they do things - sometimes they are supported by representatives from religious groups
  • ", + "
  • academies and free schools, which are run by not-for-profit academy trusts, are independent from the local authority - they have more freedom to change how they run things and can follow a different curriculum
  • ", + "
  • grammar schools, which can be run by the local authority, a foundation body or an academy trust - they select their pupils based on academic ability and there is a test to get in
  • ", + "

    You can find and compare schools in England, Northern Ireland, Scotland and Wales.

    ", + "

    Special schools

    ", + "

    Special schools with pupils aged 11 and older can specialise in 1 of the 4 areas of special educational needs:

    ", + "
  • communication and interaction
  • ", + "
  • cognition and learning
  • ", + "
  • social, emotional and mental health
  • ", + "
  • sensory and physical needs
  • ", + "

    Schools can further specialise within these categories to reflect the special needs they help with, for example Autistic spectrum disorders, visual impairment, or speech, language and communication needs (SLCN).

    ", + "

    Faith schools

    ", + "

    Faith schools have to follow the national curriculum, but they can choose what they teach in religious studies.

    ", + "

    Faith schools may have different admissions criteria and staffing policies to state schools, although anyone can apply for a place.

    ", + "

    Faith academies

    ", + "

    Faith academies do not have to teach the national curriculum and have their own admissions processes.

    ", + "

    Free schools

    ", + "

    Free schools are funded by the government but are not run by the local authority. They have more control over how they do things.

    ", + "

    They\u2019re \u2018all-ability\u2019 schools, so can not use academic selection processes like a grammar school.

    ", + "

    Free schools can:

    ", + "
  • set their own pay and conditions for staff
  • ", + "
  • change the length of school terms and the school day
  • ", + "

    They do not have to follow the national curriculum.

    ", + "

    Who can set up free schools

    ", + "

    Free schools are run on a not-for-profit basis and can be set up by groups like:

    ", + "
  • charities
  • ", + "
  • universities
  • ", + "
  • independent schools
  • ", + "
  • community and faith groups
  • ", + "
  • teachers
  • ", + "
  • parents
  • ", + "
  • businesses
  • ", + "

    Types of free school

    ", + "

    University technical colleges

    ", + "

    University technical colleges specialise in subjects like engineering and construction - and teach these subjects along with business skills and using IT.

    ", + "

    Pupils study academic subjects as well as practical subjects leading to technical qualifications. The curriculum is designed by the university and employers, who also provide work experience for students.

    ", + "

    University technical colleges are sponsored by:

    ", + "
  • universities
  • ", + "
  • employers
  • ", + "
  • further education colleges
  • ", + "

    Studio schools

    ", + "

    Studio schools are small schools (usually with around 300 pupils) teaching mainstream qualifications through project-based learning. This means working in realistic situations as well as learning academic subjects.

    ", + "

    Students work with local employers and a personal coach, and follow a curriculum designed to give them the skills and qualifications they need in work, or to take up further education.

    ", + "

    Academies

    ", + "

    Academies receive funding directly from the government and are run by an academy trust. They have more control over how they do things than community schools. Academies do not charge fees.

    ", + "

    Academies are inspected by Ofsted. They have to follow the same rules on admissions, special educational needs and exclusions as other state schools and students sit the same exams.

    ", + "

    Academies have more control over how they do things, for example they do not have to follow the national curriculum and can set their own term times.

    ", + "

    Some schools choose to become academies. If a school funded by the local authority is judged as \u2018inadequate\u2019 by Ofsted then it must become an academy.

    ", + "

    Academy trusts and sponsors

    ", + "

    Academy trusts are not-for-profit companies. They employ the staff and have trustees who are responsible for the performance of the academies in the trust. Trusts might run a single academy or a group of academies.

    ", + "

    Some academies are supported by sponsors such as businesses, universities, other schools, faith groups or voluntary groups. Sponsors work with the academy trust to improve the performance of their schools.

    ", + "

    City technology colleges

    ", + "

    City technology colleges and \u2018 the city college for the technology of the arts\u2019 are independent schools in urban areas that are free to go to. They\u2019re funded by central government - companies can also contribute.

    ", + "

    City technology colleges emphasise teaching science and technology.

    ", + "

    The city college for the technology of the arts teaches technology in its application of performing and creative arts, for example by offering interactive digital design courses.

    ", + "

    State boarding schools

    ", + "

    State boarding schools provide free education but charge fees for boarding. Most state boarding schools are academies, some are free schools and some are run by local authorities.

    ", + "

    State boarding schools give priority to children who have a particular need to board and will assess children\u2019s suitability for boarding.

    ", + "

    Charities such as Buttle UK or the Royal National Children\u2019s Foundation can sometimes help with the cost of boarding.

    ", + "

    Contact the State Boarding Forum for more information about state boarding schools, eligibility and how to apply.

    ", + "

    Private schools

    ", + "

    Private schools (also known as \u2018independent schools\u2019) charge fees to attend instead of being funded by the government. Pupils do not have to follow the national curriculum.

    ", + "

    All private schools must be registered with the government and are inspected regularly.

    ", + "

    Reports on private schools

    ", + "

    All school reports are published online by the organisation responsible for inspecting them. Find out from the school which organisation inspects them.

    ", + "

    Half of all independent schools are inspected by Ofsted.

    ", + "

    The Independent Schools Inspectorate inspects schools that are members of the associations that form the Independent Schools Council.

    ", + "

    Some other schools are inspected by the School Inspection Service.

    ", + "

    Special educational needs

    ", + "

    There are also private schools which specialise in teaching children with special educational needs.

    " + ] + }, + "https://www.gov.uk/national-curriculum": { + "url": "https://www.gov.uk/national-curriculum", + "title": "The national curriculum", + "content": "## Overview\n\nThe \u2018basic\u2019 school curriculum includes the \u2018national curriculum\u2019, as well as religious education and sex education.\n\nThe national curriculum is a set of subjects and standards used by primary and secondary schools so children learn the same things. It covers what subjects are taught and the standards children should reach in each subject.\n\nOther types of school like academies and private schools do not have to follow the national curriculum. Academies must teach a broad and balanced curriculum including English, maths and science. They must also teach religious education.\n\n## Key stages\n\nThe national curriculum is organised into blocks of years called \u2018key stages\u2019 (KS). At the end of each key stage, the teacher will formally assess your child\u2019s performance.\n\n| Child\u2019s age | Year | Key stage | Assessment |\n\n| 3 to 4 | | Early years | |\n\n| 4 to 5 | Reception | Early years | Teacher assessments (there\u2019s also an optional assessment at the start of the year) |\n\n| 5 to 6 | Year 1 | KS1 | Phonics screening check |\n\n| 6 to 7 | Year 2 | KS1 | National tests and teacher assessments in English, maths and science |\n\n| 7 to 8 | Year 3 | KS2 | |\n\n| 8 to 9 | Year 4 | KS2 | |\n\n| 9 to 10 | Year 5 | KS2 | |\n\n| 10 to 11 | Year 6 | KS2 | National tests and teacher assessments in English and maths, and teacher assessments in science |\n\n| 11 to 12 | Year 7 | KS3 | |\n\n| 12 to 13 | Year 8 | KS3 | |\n\n| 13 to 14 | Year 9 | KS3 | |\n\n| 14 to 15 | Year 10 | KS4 | Some children take GCSEs |\n\n| 15 to 16 | Year 11 | KS4 | Most children take GCSEs or other national |\n\n## Assessments\n\nBy the end of each summer term the school must write a report on your child\u2019s progress and talk it through with you.\n\n## Key stage 1 and 2\n\nCompulsory national curriculum subjects at primary school are:\n\n- English\n\n- maths\n\n- science\n\n- design and technology\n\n- history\n\n- geography\n\n- art and design\n\n- music\n\n- physical education (PE), including swimming\n\n- computing\n\n- ancient and modern foreign languages (at key stage 2)\n\nSchools must provide religious education (RE) but parents can ask for their children to be taken out of the whole lesson or part of it.\n\nSchools often also teach:\n\n- personal, social and health education (PSHE)\n\n- citizenship\n\n- modern foreign languages (at key stage 1)\n\n## Tests and assessments\n\n## Year 1 phonics screening check\n\nThe check will take place in June when your child will read 40 words out loud to a teacher. You\u2019ll find out how your child did, and their teacher will assess whether he or she needs extra help with reading. If your child does not do well enough in the check they\u2019ll have to do it again in Year 2.\n\n## Key stage 1\n\nKey stage 1 tests cover:\n\n- English reading\n\n- English grammar, punctuation and spelling\n\n- maths\n\nYour child will take the tests in May. You can ask the school for the test results.\n\nYou\u2019ll be sent the results of your child\u2019s teacher assessments automatically.\n\n## Key stage 2\n\nYour child will take national tests in May when they reach the end of key stage 2. These test your child\u2019s skills in:\n\n- English reading\n\n- English grammar, punctuation and spelling\n\n- maths\n\nThe tests last less than 4 hours. You\u2019ll get the results in July.\n\nThe school will send you the results of your child\u2019s tests and teacher assessments.\n\n## Key stage 3 and 4\n\n## Key stage 3\n\nCompulsory national curriculum subjects are:\n\n- English\n\n- maths\n\n- science\n\n- history\n\n- geography\n\n- modern foreign languages\n\n- design and technology\n\n- art and design\n\n- music\n\n- physical education\n\n- citizenship\n\n- computing\n\nSchools must provide religious education (RE) and sex education from key stage 3 but parents can ask for their children to be taken out of the whole lesson or part of it.\n\n## Key stage 4\n\nDuring key stage 4 most pupils work towards national qualifications - usually GCSEs.\n\nThe compulsory national curriculum subjects are the \u2018core\u2019 and \u2018foundation\u2019 subjects.\n\nCore subjects are:\n\n- English\n\n- maths\n\n- science\n\nFoundation subjects are:\n\n- computing\n\n- physical education\n\n- citizenship\n\nSchools must also offer at least one subject from each of these areas:\n\n- arts\n\n- design and technology\n\n- humanities\n\n- modern foreign languages\n\nThey must also provide religious education (RE) and sex education at key stage 4.\n\n## English Baccalaureate (EBacc)\n\nThe EBacc is a way to measure how many pupils in a school choose to take a GCSE in these core subjects:\n\n- English language and literature\n\n- maths\n\n- the sciences\n\n- history or geography\n\n- a language\n\nFind out more about the EBacc.\n\n## Other compulsory subjects\n\nChildren must also study:\n\n- sex and relationships education (year 7 onwards)\n\n- religious education (RE)\n\nThey may not have to take exams in these subjects.\n\n## Sex and relationship education\n\nSex and relationship education (SRE) is compulsory from age 11 onwards. It involves teaching children about reproduction, sexuality and sexual health. It does not promote early sexual activity or any particular sexual orientation.\n\nSome parts of sex and relationship education are compulsory - these are part of the national curriculum for science. Parents can withdraw their children from all other parts of sex and relationship education if they want.\n\nAll schools must have a written policy on sex education, which they must make available to parents for free.\n\n## Religious education\n\nSchools have to teach RE but parents can withdraw their children for all or part of the lessons. Pupils can choose to withdraw themselves once they\u2019re 18.\n\nLocal councils are responsible for deciding the RE syllabus, but faith schools and academies can set their own.", + "original_contents": [ + "

    Overview

    ", + "

    The \u2018basic\u2019 school curriculum includes the \u2018national curriculum\u2019, as well as religious education and sex education.

    ", + "

    The national curriculum is a set of subjects and standards used by primary and secondary schools so children learn the same things. It covers what subjects are taught and the standards children should reach in each subject.

    ", + "

    Other types of school like academies and private schools do not have to follow the national curriculum. Academies must teach a broad and balanced curriculum including English, maths and science. They must also teach religious education.

    ", + "

    Key stages

    ", + "

    The national curriculum is organised into blocks of years called \u2018key stages\u2019 (KS). At the end of each key stage, the teacher will formally assess your child\u2019s performance.

    ", + "Child\u2019s age | Year | Key stage | Assessment", + "3 to 4 | | Early years | ", + "4 to 5 | Reception | Early years | Teacher assessments (there\u2019s also an optional assessment at the start of the year)", + "5 to 6 | Year 1 | KS1 | Phonics screening check", + "6 to 7 | Year 2 | KS1 | National tests and teacher assessments in English, maths and science", + "7 to 8 | Year 3 | KS2 | ", + "8 to 9 | Year 4 | KS2 | ", + "9 to 10 | Year 5 | KS2 | ", + "10 to 11 | Year 6 | KS2 | National tests and teacher assessments in English and maths, and teacher assessments in science", + "11 to 12 | Year 7 | KS3 | ", + "12 to 13 | Year 8 | KS3 | ", + "13 to 14 | Year 9 | KS3 | ", + "14 to 15 | Year 10 | KS4 | Some children take GCSEs", + "15 to 16 | Year 11 | KS4 | Most children take GCSEs or other national", + "

    Assessments

    ", + "

    By the end of each summer term the school must write a report on your child\u2019s progress and talk it through with you.

    ", + "

    Key stage 1 and 2

    ", + "

    Compulsory national curriculum subjects at primary school are:

    ", + "
  • English
  • ", + "
  • maths
  • ", + "
  • science
  • ", + "
  • design and technology
  • ", + "
  • history
  • ", + "
  • geography
  • ", + "
  • art and design
  • ", + "
  • music
  • ", + "
  • physical education (PE), including swimming
  • ", + "
  • computing
  • ", + "
  • ancient and modern foreign languages (at key stage 2)
  • ", + "

    Schools must provide religious education (RE) but parents can ask for their children to be taken out of the whole lesson or part of it.

    ", + "

    Schools often also teach:

    ", + "
  • personal, social and health education (PSHE)
  • ", + "
  • citizenship
  • ", + "
  • modern foreign languages (at key stage 1)
  • ", + "

    Tests and assessments

    ", + "

    Year 1 phonics screening check

    ", + "

    The check will take place in June when your child will read 40 words out loud to a teacher. You\u2019ll find out how your child did, and their teacher will assess whether he or she needs extra help with reading. If your child does not do well enough in the check they\u2019ll have to do it again in Year 2.

    ", + "

    Key stage 1

    ", + "

    Key stage 1 tests cover:

    ", + "
  • English reading
  • ", + "
  • English grammar, punctuation and spelling
  • ", + "
  • maths
  • ", + "

    Your child will take the tests in May. You can ask the school for the test results.

    ", + "

    You\u2019ll be sent the results of your child\u2019s teacher assessments automatically.

    ", + "

    Key stage 2

    ", + "

    Your child will take national tests in May when they reach the end of key stage 2. These test your child\u2019s skills in:

    ", + "
  • English reading
  • ", + "
  • English grammar, punctuation and spelling
  • ", + "
  • maths
  • ", + "

    The tests last less than 4 hours. You\u2019ll get the results in July.

    ", + "

    The school will send you the results of your child\u2019s tests and teacher assessments.

    ", + "

    Key stage 3 and 4

    ", + "

    Key stage 3

    ", + "

    Compulsory national curriculum subjects are:

    ", + "
  • English
  • ", + "
  • maths
  • ", + "
  • science
  • ", + "
  • history
  • ", + "
  • geography
  • ", + "
  • modern foreign languages
  • ", + "
  • design and technology
  • ", + "
  • art and design
  • ", + "
  • music
  • ", + "
  • physical education
  • ", + "
  • citizenship
  • ", + "
  • computing
  • ", + "

    Schools must provide religious education (RE) and sex education from key stage 3 but parents can ask for their children to be taken out of the whole lesson or part of it.

    ", + "

    Key stage 4

    ", + "

    During key stage 4 most pupils work towards national qualifications - usually GCSEs.

    ", + "

    The compulsory national curriculum subjects are the \u2018core\u2019 and \u2018foundation\u2019 subjects.

    ", + "

    Core subjects are:

    ", + "
  • English
  • ", + "
  • maths
  • ", + "
  • science
  • ", + "

    Foundation subjects are:

    ", + "
  • computing
  • ", + "
  • physical education
  • ", + "
  • citizenship
  • ", + "

    Schools must also offer at least one subject from each of these areas:

    ", + "
  • arts
  • ", + "
  • design and technology
  • ", + "
  • humanities
  • ", + "
  • modern foreign languages
  • ", + "

    They must also provide religious education (RE) and sex education at key stage 4.

    ", + "

    English Baccalaureate (EBacc)

    ", + "

    The EBacc is a way to measure how many pupils in a school choose to take a GCSE in these core subjects:

    ", + "
  • English language and literature
  • ", + "
  • maths
  • ", + "
  • the sciences
  • ", + "
  • history or geography
  • ", + "
  • a language
  • ", + "

    Find out more about the EBacc.

    ", + "

    Other compulsory subjects

    ", + "

    Children must also study:

    ", + "
  • sex and relationships education (year 7 onwards)
  • ", + "
  • religious education (RE)
  • ", + "

    They may not have to take exams in these subjects.

    ", + "

    Sex and relationship education

    ", + "

    Sex and relationship education (SRE) is compulsory from age 11 onwards. It involves teaching children about reproduction, sexuality and sexual health. It does not promote early sexual activity or any particular sexual orientation.

    ", + "

    Some parts of sex and relationship education are compulsory - these are part of the national curriculum for science. Parents can withdraw their children from all other parts of sex and relationship education if they want.

    ", + "

    All schools must have a written policy on sex education, which they must make available to parents for free.

    ", + "

    Religious education

    ", + "

    Schools have to teach RE but parents can withdraw their children for all or part of the lessons. Pupils can choose to withdraw themselves once they\u2019re 18.

    ", + "

    Local councils are responsible for deciding the RE syllabus, but faith schools and academies can set their own.

    " + ] + }, + "https://www.gov.uk/children-with-special-educational-needs": { + "url": "https://www.gov.uk/children-with-special-educational-needs", + "title": "Children with special educational needs and disabilities (SEND)", + "content": "## Overview\n\nSpecial educational needs and disabilities (SEND) can affect a child or young person\u2019s ability to learn. They can affect their:\n\n- behaviour or ability to socialise, for example they struggle to make friends\n\n- reading and writing, for example because they have dyslexia\n\n- ability to understand things\n\n- concentration levels, for example because they have ADHD\n\n- physical ability\n\n## Who to talk to\n\nIf you think your child may have special educational needs, contact the SEN co-ordinator, or \u2018SENCO\u2019 in your child\u2019s school or nursery.\n\nContact your local council if your child is not in a school or nursery.\n\nYour local Information, Advice and Support (IAS) Service can give you advice about SEND.\n\n## Support your child can receive\n\nYour child may be eligible for:\n\n- SEN support - support given in school, like speech therapy\n\n- an education, health and care (EHC) plan - a plan of care for children and young people aged up to 25 who have more complex needs\n\nIf you or your child got support before September 2014 this will continue until your local council changes it to an EHC plan.\n\n## Special educational needs support\n\nYour child will get SEN support at their school or college.\n\nYour child may need an education, health and care (EHC) plan if they need more support than their school provides.\n\n## Children under 5\n\nSEN support for children under 5 includes:\n\n- a written progress check when your child is 2 years old\n\n- a child health visitor carrying out a health check for your child if they\u2019re aged 2 to 3\n\n- a written assessment in the summer term of your child\u2019s first year of primary school\n\n- making reasonable adjustments for disabled children, like providing aids like tactile signs\n\nNurseries, playgroups and childminders registered with Ofsted follow the Early Years Foundation Stage (EYFS) framework. The framework makes sure that there\u2019s support in place for children with SEND.\n\nTalk to a doctor or health adviser if you think your child has SEND but they do not go to a nursery, playgroup or childminder. They\u2019ll tell you what support options are available.\n\n## Children between 5 and 15\n\nTalk to the teacher or the SEN co-ordinator (SENCO) if you think your child needs:\n\n- a special learning programme\n\n- extra help from a teacher or assistant\n\n- to work in a smaller group\n\n- observation in class or at break\n\n- help taking part in class activities\n\n- extra encouragement in their learning, for example to ask questions or to try something they find difficult\n\n- help communicating with other children\n\n- support with physical or personal care difficulties, for example eating, getting around school safely or using the toilet\n\n## Young people aged 16 or over in further education\n\nContact the college before your child starts further education to make sure that they can meet your child\u2019s needs.\n\nThe college and your local authority will talk to your child about the support they need.\n\n## Extra help\n\nAn education, health and care (EHC) plan is for children and young people aged up to 25 who need more support than is available through special educational needs support.\n\nEHC plans identify educational, health and social needs and set out the additional support to meet those needs.\n\n## Requesting an EHC assessment\n\nYou can ask your local authority to carry out an assessment if you think your child needs an EHC plan.\n\nA young person can request an assessment themselves if they\u2019re aged 16 to 25.\n\nA request can also be made by anyone else who thinks an assessment may be necessary, including doctors, health visitors, teachers, parents and family friends.\n\nIf they decide to carry out an assessment you may be asked for:\n\n- any reports from your child\u2019s school, nursery or childminder\n\n- doctors\u2019 assessments of your child\n\n- a letter from you about your child\u2019s needs\n\nThe local authority will tell you within 16 weeks whether an EHC plan is going to be made for your child.\n\n## Creating an EHC plan\n\n- Your local authority will create a draft EHC plan and send you a copy.\n\n- You have 15 days to comment, including if you want to ask that your child goes to a specialist needs school or specialist college.\n\n- Your local authority has 20 weeks from the date they receive the request for the assessment to give you the final EHC plan.\n\n## Disagreeing with a decision\n\nYou can challenge your local authority about:\n\n- their decision to not carry out an assessment\n\n- their decision to not create an EHC plan\n\n- the special educational support in the EHC plan\n\n- the school named in the EHC plan\n\nIf you cannot resolve the problem with your local authority, you can appeal to the Special Educational Needs and Disability (SEND) Tribunal.\n\n## Personal budgets\n\nYou may be able to get a personal budget for your child if they have an EHC plan or have been told that they need one.\n\nIt allows you to have a say in how to spend the money on support for your child.\n\nThere are 3 ways you can use your personal budget. You can have:\n\n- direct payments made into your account - you buy and manage services yourself\n\n- an arrangement with your local authority or school where they hold the money for you but you still decide how to spend it (sometimes called \u2018notional arrangements\u2019)\n\n- third-party arrangements - you choose someone else to manage the money for you\n\nYou can have a combination of all 3 options.\n\n## Independent support for children of all ages\n\nIndependent supporters can help you and your child through the new SEN assessment process, including:\n\n- replacing a statement of special educational needs with a new EHC plan\n\n- moving a child from a learning difficulty assessment (LDA) to an EHC plan\n\nYou can find out how to get local support through:\n\n- Council for Disabled Children\n\n- Information, Advice and Support Service Network\n\n- your local authority website and search for \u2018Local Offer\u2019\n\n## If your child got support before September 2014\n\nYour child will move to an education, health and care (EHC) plan. This will normally happen at a planned review, or when your child moves school. Your council will tell you which.\n\nYour child will already be getting SEN support if they used to get help through:\n\n- School Action or School Action Plus\n\n- Early Years Action or Early Years Action Plus\n\n## Support after your child leaves school\n\nIf your child has a statement of special educational needs, they\u2019ll have a \u2018transition plan\u2019 drawn up in Year 9. This helps to plan for their future after they leave school.\n\nThey\u2019ll continue to get support during further education. Your child can also ask for an EHC assessment if they need more help than the school or college can provide.\n\n## Help and advice\n\nYou can call the Contact a Family helpline for help and advice.\n\nYou can also get help from Independent Parental Special Education Advice (IPSEA).", + "original_contents": [ + "

    Overview

    ", + "

    Special educational needs and disabilities (SEND) can affect a child or young person\u2019s ability to learn. They can affect their:

    ", + "
  • behaviour or ability to socialise, for example they struggle to make friends
  • ", + "
  • reading and writing, for example because they have dyslexia
  • ", + "
  • ability to understand things
  • ", + "
  • concentration levels, for example because they have ADHD
  • ", + "
  • physical ability
  • ", + "

    Who to talk to

    ", + "

    If you think your child may have special educational needs, contact the SEN co-ordinator, or \u2018SENCO\u2019 in your child\u2019s school or nursery.

    ", + "

    Contact your local council if your child is not in a school or nursery.

    ", + "

    Your local Information, Advice and Support (IAS) Service can give you advice about SEND.

    ", + "

    Support your child can receive

    ", + "

    Your child may be eligible for:

    ", + "
  • SEN support - support given in school, like speech therapy
  • ", + "
  • an education, health and care (EHC) plan - a plan of care for children and young people aged up to 25 who have more complex needs
  • ", + "

    If you or your child got support before September 2014 this will continue until your local council changes it to an EHC plan.

    ", + "

    Special educational needs support

    ", + "

    Your child will get SEN support at their school or college.

    ", + "

    Your child may need an education, health and care (EHC) plan if they need more support than their school provides.

    ", + "

    Children under 5

    ", + "

    SEN support for children under 5 includes:

    ", + "
  • a written progress check when your child is 2 years old
  • ", + "
  • a child health visitor carrying out a health check for your child if they\u2019re aged 2 to 3
  • ", + "
  • a written assessment in the summer term of your child\u2019s first year of primary school
  • ", + "
  • making reasonable adjustments for disabled children, like providing aids like tactile signs
  • ", + "

    Nurseries, playgroups and childminders registered with Ofsted follow the Early Years Foundation Stage (EYFS) framework. The framework makes sure that there\u2019s support in place for children with SEND.

    ", + "

    Talk to a doctor or health adviser if you think your child has SEND but they do not go to a nursery, playgroup or childminder. They\u2019ll tell you what support options are available.

    ", + "

    Children between 5 and 15

    ", + "

    Talk to the teacher or the SEN co-ordinator (SENCO) if you think your child needs:

    ", + "
  • a special learning programme
  • ", + "
  • extra help from a teacher or assistant
  • ", + "
  • to work in a smaller group
  • ", + "
  • observation in class or at break
  • ", + "
  • help taking part in class activities
  • ", + "
  • extra encouragement in their learning, for example to ask questions or to try something they find difficult
  • ", + "
  • help communicating with other children
  • ", + "
  • support with physical or personal care difficulties, for example eating, getting around school safely or using the toilet
  • ", + "

    Young people aged 16 or over in further education

    ", + "

    Contact the college before your child starts further education to make sure that they can meet your child\u2019s needs.

    ", + "

    The college and your local authority will talk to your child about the support they need.

    ", + "

    Extra help

    ", + "

    An education, health and care (EHC) plan is for children and young people aged up to 25 who need more support than is available through special educational needs support.

    ", + "

    EHC plans identify educational, health and social needs and set out the additional support to meet those needs.

    ", + "

    Requesting an EHC assessment

    ", + "

    You can ask your local authority to carry out an assessment if you think your child needs an EHC plan.

    ", + "

    A young person can request an assessment themselves if they\u2019re aged 16 to 25.

    ", + "

    A request can also be made by anyone else who thinks an assessment may be necessary, including doctors, health visitors, teachers, parents and family friends.

    ", + "

    If they decide to carry out an assessment you may be asked for:

    ", + "
  • any reports from your child\u2019s school, nursery or childminder
  • ", + "
  • doctors\u2019 assessments of your child
  • ", + "
  • a letter from you about your child\u2019s needs
  • ", + "

    The local authority will tell you within 16 weeks whether an EHC plan is going to be made for your child.

    ", + "

    Creating an EHC plan

    ", + "
  • Your local authority will create a draft EHC plan and send you a copy.
  • ", + "
  • You have 15 days to comment, including if you want to ask that your child goes to a specialist needs school or specialist college.
  • ", + "
  • Your local authority has 20 weeks from the date they receive the request for the assessment to give you the final EHC plan.
  • ", + "

    Disagreeing with a decision

    ", + "

    You can challenge your local authority about:

    ", + "
  • their decision to not carry out an assessment
  • ", + "
  • their decision to not create an EHC plan
  • ", + "
  • the special educational support in the EHC plan
  • ", + "
  • the school named in the EHC plan
  • ", + "

    If you cannot resolve the problem with your local authority, you can appeal to the Special Educational Needs and Disability (SEND) Tribunal.

    ", + "

    Personal budgets

    ", + "

    You may be able to get a personal budget for your child if they have an EHC plan or have been told that they need one.

    ", + "

    It allows you to have a say in how to spend the money on support for your child.

    ", + "

    There are 3 ways you can use your personal budget. You can have:

    ", + "
  • direct payments made into your account - you buy and manage services yourself
  • ", + "
  • an arrangement with your local authority or school where they hold the money for you but you still decide how to spend it (sometimes called \u2018notional arrangements\u2019)
  • ", + "
  • third-party arrangements - you choose someone else to manage the money for you
  • ", + "

    You can have a combination of all 3 options.

    ", + "

    Independent support for children of all ages

    ", + "

    Independent supporters can help you and your child through the new SEN assessment process, including:

    ", + "
  • replacing a statement of special educational needs with a new EHC plan
  • ", + "
  • moving a child from a learning difficulty assessment (LDA) to an EHC plan
  • ", + "

    You can find out how to get local support through:

    ", + "
  • Council for Disabled Children
  • ", + "
  • Information, Advice and Support Service Network
  • ", + "
  • your local authority website and search for \u2018Local Offer\u2019
  • ", + "

    If your child got support before September 2014

    ", + "

    Your child will move to an education, health and care (EHC) plan. This will normally happen at a planned review, or when your child moves school. Your council will tell you which.

    ", + "

    Your child will already be getting SEN support if they used to get help through:

    ", + "
  • School Action or School Action Plus
  • ", + "
  • Early Years Action or Early Years Action Plus
  • ", + "

    Support after your child leaves school

    ", + "

    If your child has a statement of special educational needs, they\u2019ll have a \u2018transition plan\u2019 drawn up in Year 9. This helps to plan for their future after they leave school.

    ", + "

    They\u2019ll continue to get support during further education. Your child can also ask for an EHC assessment if they need more help than the school or college can provide.

    ", + "

    Help and advice

    ", + "

    You can call the Contact a Family helpline for help and advice.

    ", + "

    You can also get help from Independent Parental Special Education Advice (IPSEA).

    " + ] + }, + "https://www.gov.uk/schools-admissions": { + "url": "https://www.gov.uk/schools-admissions", + "title": "School admissions", + "content": "## Choosing schools\n\nIf you live in England contact your local council to find:\n\n- state-funded schools in your area\n\n- admission criteria for the schools you\u2019re interested in\n\nThe process is different if you live in Scotland, Wales or Northern Ireland.\n\nYou can also contact your local council to apply for places at state schools in other areas. You can search online to find schools in England.\n\n## Private schools or home schooling\n\nIf you\u2019re looking for a place at a private school (also called \u2018independent schools\u2019), contact the school directly.\n\nYou can also choose to teach your child at home, known as home schooling.\n\n## Children with special educational needs (SEN)\n\nIf your child has SEN, their Education, Health and Care (EHC) plan will name a school for them. The school must give your child a place.\n\nYou can ask your local council to carry out an assessment if you think your child needs additional support with their educational, health and social needs.\n\n## Find out about a primary or secondary school\n\nYou can find out more by:\n\n- visiting the school - most schools have open days\n\n- reading the school\u2019s most recent Ofsted reports\n\n- checking school performance tables\n\n- talking to other parents about what they think of the school\n\n## What schools must publish on their website\n\nSchools\u2019 websites must include:\n\n- admission arrangements, including how to apply\n\n- details of the curriculum\n\n- behaviour policy\n\n- links to Ofsted reports\n\n- links to performance data\n\n- the school\u2019s latest key stage 2 and 4 attainment and progress measures\n\n- their policies for children with special educational needs and disabilities\n\n- the amount of money they get for taking underprivileged children (the \u2018pupil premium\u2019), what they do with it and the effect it\u2019s had\n\nYou can also get advice about choosing state-funded schools from your local council.\n\n## Admission criteria\n\nAll schools have admission criteria to decide which children get places. The school or local council usually set these.\n\nAdmission criteria are different for each school. They may give priority to children:\n\n- who live close to the school\n\n- who have a brother or sister at the school already\n\n- from a particular religion (for faith schools)\n\n- who pass an entrance exam (for selective schools, for example grammar schools)\n\n- who went to a particular primary school (a \u2018feeder school\u2019)\n\n- who are eligible for the pupil premium or the service pupil premium\n\n- whose parent has worked at the school for 2 years or more\n\nYour local council can give you information about schools\u2019 criteria and how to apply.\n\n## Children in care\n\nAll state-funded schools must give top priority to admitting children who:\n\n- are in care or being looked after\n\n- have been in care\n\n## Complain about unfair admission arrangements\n\nContact the Schools Adjudicator if you think a school has unlawful or unfair admission arrangements.\n\nYou need to complain by 15 May of the year before you\u2019re applying for a place. For example, to complain about admission arrangements for September 2021 the deadline is 15 May 2020.\n\n## School starting age\n\nMost children start school full-time in the September after their fourth birthday. This means they\u2019ll turn 5 during their first school year.\n\nFor example, if your child\u2019s fourth birthday is between 1 September 2021 and 31 August 2022 they will usually start school in September 2022.\n\n## If you want your child to start later\n\nIf you do not think your child is ready to start school at the usual time, they can start later - as long as they\u2019re in full-time education by the time they reach \u2018compulsory school age\u2019.\n\nThey can start:\n\n- part time\n\n- part-way through the year\n\n- in the next school year, in the September after they turn 5\n\nYou\u2019ll still need to apply for a school place at the same time as everyone else. You request your child\u2019s later start when you apply.\n\n## If your child starts in the September after they turn 5\n\nYour child will go into year 1. Contact the local council or school if you want your child to start in reception instead. They do not have to agree.\n\n## Compulsory school age\n\nYour child must start full-time education once they reach compulsory school age. This is on 31 December, 31 March or 31 August following their fifth birthday - whichever comes first. If your child\u2019s fifth birthday is on one of those dates then they reach compulsory school age on that date.\n\nFor example, if your child reaches compulsory school age on 31 March, they must start full-time education at the beginning of the next term (summer term that year).\n\nChildren must stay in full-time education until they reach school leaving age.\n\nAll 3 to 4-year-olds in England are entitled to free early education before they start school full time.\n\n## How to apply\n\nFollow your local council\u2019s application process to:\n\n- apply for a primary school place\n\n- apply for a secondary school place\n\nYou must still apply for a place, even if the school is linked to your child\u2019s current nursery, infant or primary school.\n\nApply directly for:\n\n- a 6th form place at a school or college\n\n- a place at a private school\n\n## Moving to another area\n\nYou apply through your local council even if you\u2019re applying for schools in another council area or you\u2019ve just moved to England.\n\nIf you\u2019re applying from another country, contact the local council in the area where you\u2019re going to live.\n\nYou may need to:\n\n- supply proof of your new address, for example a mortgage or rental agreement or deeds for the property\n\n- prove that you\u2019ll live in the area before the start of the next school term\n\n## Completing the application\n\nWhen you fill in the form (online or on paper) you\u2019ll be asked to list the schools you\u2019re applying for in order of preference.\n\nListing only one school will not increase your chances of getting a place there.\n\nTo get a copy of the application form on paper, contact your local council.\n\n## When to apply\n\nApplications open on different days in each local council area. Find out from your local council when applications open for primary or secondary schools.\n\n## Applying for a primary school place\n\nYou must apply for a primary school place a year before your child can start school.\n\nApplications open in September and close on 15 January. Your child will be 3 or have just turned 4 when you apply.\n\nYou\u2019ll need to apply then even if you want your child to start part-way through the year.\n\n## Applying for a secondary school place\n\nThe deadline for applying is 31 October.\n\nYour child is less likely to be offered a place at their chosen schools if you miss the deadline for applications.\n\n## When you\u2019ll find out\n\nCouncils will send offers of school places for:\n\n- primary schools on 16 April\n\n- secondary schools on 1 March\n\nIf either date falls on a weekend or a bank holiday, offers are sent the next working day.\n\nYou must accept the offer by the deadline given in the offer letter. Otherwise it may be withdrawn and the place given to someone else.\n\nThe local council must provide a place at another school, if your child is not offered a place at any of the schools you\u2019ve applied for. This is usually your nearest school with places still available.\n\n## Applying after the start of the school year\n\nContact your local council to find out about applying for a school place once the school year has started (known as in-year applications). They can tell you which schools still have places and how to apply.\n\nOnce your child has been offered a place, they will usually start school at the beginning of the following term.\n\n## School waiting lists\n\nIf your child does not have a place, contact your local council for schools with places.\n\nYou can also put your child\u2019s name down on a waiting list. The \u2018admission authority\u2019 for the school (usually the school itself or the council) must keep a waiting list open for at least the first term of each school year.\n\nContact the school or your local council if you want your child\u2019s name added to a waiting list.\n\nYou can add your child\u2019s name to a waiting list even if they have been offered a place at another school.\n\nIf your child is on a waiting list and the school offers you a place, the admission authority will send you a formal offer. You can still accept the offer even if your child has already started at another school.\n\n## Appealing a school's decision\n\nYou\u2019ll be sent a letter with the decision about your child\u2019s school. If your child is refused a place, you can appeal against the decision. The letter will tell you how.\n\nYou must appeal against each rejection separately. You can only appeal once against each rejection.\n\n## Preparing your appeal\n\nThe admission authority for the school must allow you at least 20 school days to appeal from when they send the decision letter.\n\nThe admission authority will set a deadline for submitting information and evidence to support your appeal. If you submit anything after the deadline, it might not be considered and may result in delays to your hearing.\n\nCoram Children\u2019s Legal Centre may be able to give you advice about appeals.\n\n## When the hearing will be\n\nThe admission authority must give you at least 10 school days\u2019 notice of the hearing.\n\nAppeals must be heard within 40 school days of the deadline for making an appeal.\n\n## What happens at the appeal hearing\n\nThere\u2019s a panel of 3 or more people at the appeal hearing. The panel must be independent and must follow the school admission appeals code.\n\n- The admission authority will explain why they turned down your application.\n\n- You\u2019ll be able to give your own reasons why your child should be admitted.\n\n- The appeals panel must decide if the school\u2019s admission criteria were properly followed and comply with the school admissions code.\n\n- If the criteria were not properly followed or do not comply with the school admissions code your appeal must be upheld.\n\n- If your reasons for your child to be admitted outweigh the school\u2019s reasons for not admitting any more children at all, your appeal will be upheld.\n\n- You will usually be sent the decision within 5 school days.\n\nYou can read more about school admission appeals.\n\n## Appeals for infant classes\n\nYou need to go through the same process if you\u2019re appealing a decision about an infant class. In reception, year 1 and year 2, the class size is limited to 30. Your application can be turned down if all the classes already have 30 children.\n\nYour appeal could be successful if:\n\n- giving your child a place will not increase the class size above the limit\n\n- the admission arrangements have not been properly followed\n\n- the admission criteria do not comply with the school admissions code\n\n## Complain about the appeals process\n\nYou can complain about the way the appeal was carried out, but you can not complain about the decision itself.\n\n## Maintained schools\n\nComplain to the Local Government Ombudsman.\n\nFill in the online complaint form.\n\n## If a maintained school becomes an academy\n\nIf you complain about an appeal concerning a maintained school that then converts to academy status, the Local Government Ombudsman will investigate it and pass any actions to the Education and Skills Funding Agency (ESFA).\n\n## Other schools\n\nComplain to ESFA about an appeal made to:\n\n- free schools\n\n- academies, including university technical colleges and studio schools\n\nFill in the online complaint form.\n\nUsing the online form is the quickest way to make a complaint. If you need a paper form instead, contact:\n\nYou should get a decision on your complaint within 9 weeks (45 working days). You\u2019ll be told if it\u2019ll take longer.\n\nYou\u2019ll get a letter explaining the reasons for the decision.\n\nIf ESFA decides something went wrong with the appeals panel, it may:\n\n- ask the school to hold a new appeal hearing with a different panel\n\n- recommend the school reviews its appeals process\n\n## Complain about another school matter\n\nIf you have a complaint about a school that is not related to the appeals process, contact the Department for Education.", + "original_contents": [ + "

    Choosing schools

    ", + "

    If you live in England contact your local council to find:

    ", + "
  • state-funded schools in your area
  • ", + "
  • admission criteria for the schools you\u2019re interested in
  • ", + "

    The process is different if you live in Scotland, Wales or Northern Ireland.

    ", + "

    You can also contact your local council to apply for places at state schools in other areas. You can search online to find schools in England.

    ", + "

    Private schools or home schooling

    ", + "

    If you\u2019re looking for a place at a private school (also called \u2018independent schools\u2019), contact the school directly.

    ", + "

    You can also choose to teach your child at home, known as home schooling.

    ", + "

    Children with special educational needs (SEN)

    ", + "

    If your child has SEN, their Education, Health and Care (EHC) plan will name a school for them. The school must give your child a place.

    ", + "

    You can ask your local council to carry out an assessment if you think your child needs additional support with their educational, health and social needs.

    ", + "

    Find out about a primary or secondary school

    ", + "

    You can find out more by:

    ", + "
  • visiting the school - most schools have open days
  • ", + "
  • reading the school\u2019s most recent Ofsted reports
  • ", + "
  • checking school performance tables
  • ", + "
  • talking to other parents about what they think of the school
  • ", + "

    What schools must publish on their website

    ", + "

    Schools\u2019 websites must include:

    ", + "
  • admission arrangements, including how to apply
  • ", + "
  • details of the curriculum
  • ", + "
  • behaviour policy
  • ", + "
  • links to Ofsted reports
  • ", + "
  • links to performance data
  • ", + "
  • the school\u2019s latest key stage 2 and 4 attainment and progress measures
  • ", + "
  • their policies for children with special educational needs and disabilities
  • ", + "
  • the amount of money they get for taking underprivileged children (the \u2018pupil premium\u2019), what they do with it and the effect it\u2019s had
  • ", + "

    You can also get advice about choosing state-funded schools from your local council.

    ", + "

    Admission criteria

    ", + "

    All schools have admission criteria to decide which children get places. The school or local council usually set these.

    ", + "

    Admission criteria are different for each school. They may give priority to children:

    ", + "
  • who live close to the school
  • ", + "
  • who have a brother or sister at the school already
  • ", + "
  • from a particular religion (for faith schools)
  • ", + "
  • who pass an entrance exam (for selective schools, for example grammar schools)
  • ", + "
  • who went to a particular primary school (a \u2018feeder school\u2019)
  • ", + "
  • who are eligible for the pupil premium or the service pupil premium
  • ", + "
  • whose parent has worked at the school for 2 years or more
  • ", + "

    Your local council can give you information about schools\u2019 criteria and how to apply.

    ", + "

    Children in care

    ", + "

    All state-funded schools must give top priority to admitting children who:

    ", + "
  • are in care or being looked after
  • ", + "
  • have been in care
  • ", + "

    Complain about unfair admission arrangements

    ", + "

    Contact the Schools Adjudicator if you think a school has unlawful or unfair admission arrangements.

    ", + "

    You need to complain by 15 May of the year before you\u2019re applying for a place. For example, to complain about admission arrangements for September 2021 the deadline is 15 May 2020.

    ", + "

    School starting age

    ", + "

    Most children start school full-time in the September after their fourth birthday. This means they\u2019ll turn 5 during their first school year.

    ", + "

    For example, if your child\u2019s fourth birthday is between 1 September 2021 and 31 August 2022 they will usually start school in September 2022.

    ", + "

    If you want your child to start later

    ", + "

    If you do not think your child is ready to start school at the usual time, they can start later - as long as they\u2019re in full-time education by the time they reach \u2018compulsory school age\u2019.

    ", + "

    They can start:

    ", + "
  • part time
  • ", + "
  • part-way through the year
  • ", + "
  • in the next school year, in the September after they turn 5
  • ", + "

    You\u2019ll still need to apply for a school place at the same time as everyone else. You request your child\u2019s later start when you apply.

    ", + "

    If your child starts in the September after they turn 5

    ", + "

    Your child will go into year 1. Contact the local council or school if you want your child to start in reception instead. They do not have to agree.

    ", + "

    Compulsory school age

    ", + "

    Your child must start full-time education once they reach compulsory school age. This is on 31 December, 31 March or 31 August following their fifth birthday - whichever comes first. If your child\u2019s fifth birthday is on one of those dates then they reach compulsory school age on that date.

    ", + "

    For example, if your child reaches compulsory school age on 31 March, they must start full-time education at the beginning of the next term (summer term that year).

    ", + "

    Children must stay in full-time education until they reach school leaving age.

    ", + "

    All 3 to 4-year-olds in England are entitled to free early education before they start school full time.

    ", + "

    How to apply

    ", + "

    Follow your local council\u2019s application process to:

    ", + "
  • apply for a primary school place
  • ", + "
  • apply for a secondary school place
  • ", + "

    You must still apply for a place, even if the school is linked to your child\u2019s current nursery, infant or primary school.

    ", + "

    Apply directly for:

    ", + "
  • a 6th form place at a school or college
  • ", + "
  • a place at a private school
  • ", + "

    Moving to another area

    ", + "

    You apply through your local council even if you\u2019re applying for schools in another council area or you\u2019ve just moved to England.

    ", + "

    If you\u2019re applying from another country, contact the local council in the area where you\u2019re going to live.

    ", + "

    You may need to:

    ", + "
  • supply proof of your new address, for example a mortgage or rental agreement or deeds for the property
  • ", + "
  • prove that you\u2019ll live in the area before the start of the next school term
  • ", + "

    Completing the application

    ", + "

    When you fill in the form (online or on paper) you\u2019ll be asked to list the schools you\u2019re applying for in order of preference.

    ", + "

    Listing only one school will not increase your chances of getting a place there.

    ", + "

    To get a copy of the application form on paper, contact your local council.

    ", + "

    When to apply

    ", + "

    Applications open on different days in each local council area. Find out from your local council when applications open for primary or secondary schools.

    ", + "

    Applying for a primary school place

    ", + "

    You must apply for a primary school place a year before your child can start school.

    ", + "

    Applications open in September and close on 15 January. Your child will be 3 or have just turned 4 when you apply.

    ", + "

    You\u2019ll need to apply then even if you want your child to start part-way through the year.

    ", + "

    Applying for a secondary school place

    ", + "

    The deadline for applying is 31 October.

    ", + "

    Your child is less likely to be offered a place at their chosen schools if you miss the deadline for applications.

    ", + "

    When you\u2019ll find out

    ", + "

    Councils will send offers of school places for:

    ", + "
  • primary schools on 16 April
  • ", + "
  • secondary schools on 1 March
  • ", + "

    If either date falls on a weekend or a bank holiday, offers are sent the next working day.

    ", + "

    You must accept the offer by the deadline given in the offer letter. Otherwise it may be withdrawn and the place given to someone else.

    ", + "

    The local council must provide a place at another school, if your child is not offered a place at any of the schools you\u2019ve applied for. This is usually your nearest school with places still available.

    ", + "

    Applying after the start of the school year

    ", + "

    Contact your local council to find out about applying for a school place once the school year has started (known as in-year applications). They can tell you which schools still have places and how to apply.

    ", + "

    Once your child has been offered a place, they will usually start school at the beginning of the following term.

    ", + "

    School waiting lists

    ", + "

    If your child does not have a place, contact your local council for schools with places.

    ", + "

    You can also put your child\u2019s name down on a waiting list. The \u2018admission authority\u2019 for the school (usually the school itself or the council) must keep a waiting list open for at least the first term of each school year.

    ", + "

    Contact the school or your local council if you want your child\u2019s name added to a waiting list.

    ", + "

    You can add your child\u2019s name to a waiting list even if they have been offered a place at another school.

    ", + "

    If your child is on a waiting list and the school offers you a place, the admission authority will send you a formal offer. You can still accept the offer even if your child has already started at another school.

    ", + "

    Appealing a school's decision

    ", + "

    You\u2019ll be sent a letter with the decision about your child\u2019s school. If your child is refused a place, you can appeal against the decision. The letter will tell you how.

    ", + "

    You must appeal against each rejection separately. You can only appeal once against each rejection.

    ", + "

    Preparing your appeal

    ", + "

    The admission authority for the school must allow you at least 20 school days to appeal from when they send the decision letter.

    ", + "

    The admission authority will set a deadline for submitting information and evidence to support your appeal. If you submit anything after the deadline, it might not be considered and may result in delays to your hearing.

    ", + "

    Coram Children\u2019s Legal Centre may be able to give you advice about appeals.

    ", + "

    When the hearing will be

    ", + "

    The admission authority must give you at least 10 school days\u2019 notice of the hearing.

    ", + "

    Appeals must be heard within 40 school days of the deadline for making an appeal.

    ", + "

    What happens at the appeal hearing

    ", + "

    There\u2019s a panel of 3 or more people at the appeal hearing. The panel must be independent and must follow the school admission appeals code.

    ", + "
  • The admission authority will explain why they turned down your application.
  • ", + "
  • You\u2019ll be able to give your own reasons why your child should be admitted.
  • ", + "
  • The appeals panel must decide if the school\u2019s admission criteria were properly followed and comply with the school admissions code.
  • ", + "
  • If the criteria were not properly followed or do not comply with the school admissions code your appeal must be upheld.
  • ", + "
  • If your reasons for your child to be admitted outweigh the school\u2019s reasons for not admitting any more children at all, your appeal will be upheld.
  • ", + "
  • You will usually be sent the decision within 5 school days.
  • ", + "

    You can read more about school admission appeals.

    ", + "

    Appeals for infant classes

    ", + "

    You need to go through the same process if you\u2019re appealing a decision about an infant class. In reception, year 1 and year 2, the class size is limited to 30. Your application can be turned down if all the classes already have 30 children.

    ", + "

    Your appeal could be successful if:

    ", + "
  • giving your child a place will not increase the class size above the limit
  • ", + "
  • the admission arrangements have not been properly followed
  • ", + "
  • the admission criteria do not comply with the school admissions code
  • ", + "

    Complain about the appeals process

    ", + "

    You can complain about the way the appeal was carried out, but you can not complain about the decision itself.

    ", + "

    Maintained schools

    ", + "

    Complain to the Local Government Ombudsman.

    ", + "

    Fill in the online complaint form.

    ", + "

    If a maintained school becomes an academy

    ", + "

    If you complain about an appeal concerning a maintained school that then converts to academy status, the Local Government Ombudsman will investigate it and pass any actions to the Education and Skills Funding Agency (ESFA).

    ", + "

    Other schools

    ", + "

    Complain to ESFA about an appeal made to:

    ", + "
  • free schools
  • ", + "
  • academies, including university technical colleges and studio schools
  • ", + "

    Fill in the online complaint form.

    ", + "

    Using the online form is the quickest way to make a complaint. If you need a paper form instead, contact:

    ", + "

    You should get a decision on your complaint within 9 weeks (45 working days). You\u2019ll be told if it\u2019ll take longer.

    ", + "

    You\u2019ll get a letter explaining the reasons for the decision.

    ", + "

    If ESFA decides something went wrong with the appeals panel, it may:

    ", + "
  • ask the school to hold a new appeal hearing with a different panel
  • ", + "
  • recommend the school reviews its appeals process
  • ", + "

    Complain about another school matter

    ", + "

    If you have a complaint about a school that is not related to the appeals process, contact the Department for Education.

    " + ] + }, + "https://www.gov.uk/school-attendance-absence": { + "url": "https://www.gov.uk/school-attendance-absence", + "title": "School attendance and absence", + "content": "## Overview\n\nYou must make sure your child gets a full-time education that meets their needs (for example if they have special educational needs). You can send your child to school or educate them yourself.\n\nChildren must get an education between the school term after their 5th birthday and the last Friday in June in the school year they turn 16.\n\nYou\u2019ll be contacted by either:\n\n- the school - if your child is enrolled in school and does not turn up (even if they\u2019re only absent for a day)\n\n- the council\u2019s education welfare officer - if they think your child is not getting a suitable education at home\n\nYou can be prosecuted if you do not give your child an education. You\u2019ll normally get warnings and offers of help from the local council first.\n\nYou can get education and attendance information from your council.\n\n## When your child can miss school\n\nYou can only allow your child to miss school if either:\n\n- they\u2019re too ill to go in\n\n- you\u2019ve got advance permission from the school\n\nThere\u2019s extra support available if your child cannot go to school for long periods because of a health problem.\n\n## Holidays in term time\n\nYou have to get permission from the head teacher if you want to take your child out of school during term time.\n\nYou can only do this if:\n\n- you make an application to the head teacher in advance (as a parent the child normally lives with)\n\n- there are exceptional circumstances\n\nIt\u2019s up to the head teacher how many days your child can be away from school if leave is granted.\n\nYou can be fined for taking your child on holiday during term time without the school\u2019s permission.\n\n## School trips\n\nYour child\u2019s school can ask you for a voluntary contribution to the cost of activities like school trips. They cannot stop your child from attending if you do not pay, but they should cancel the activity if there is not enough money to cover the cost of it.\n\n## Help with getting your child to go to school\n\nIf you\u2019re having trouble getting your child to go to school, the school and local council can help.\n\nThe school will discuss attendance problems with you and should agree a plan with you to improve your child\u2019s attendance.\n\nA lot of local councils have teams that help parents improve their child\u2019s attendance at school. The council will tell you if they\u2019re able to help. Forms of help could include:\n\n- support to reduce the burden on children where families are in difficulty (for example if a child is spending a lot of time caring for someone)\n\n- working with families and schools to overcome bullying and other serious problems\n\n- a parenting contract\n\n## Parenting contract\n\nThis is a voluntary written agreement between you and either the local council or the school\u2019s governing body. Between you, you agree to find ways to improve your child\u2019s attendance.\n\nIf you refuse to make a contract or you do not stick to it, it can be used as evidence if the local council decides to prosecute you.\n\n## Legal action to enforce school attendance\n\nLocal councils and schools can use various legal powers if your child is missing school without a good reason. They can give you:\n\n- a Parenting Order\n\n- an Education Supervision Order\n\n- a School Attendance Order\n\n- a fine (sometimes known as a \u2018penalty notice\u2019)\n\nYou can be given one or more of these but the council does not have to do this before prosecuting you.\n\n## Parenting Order\n\nThis means you have to go to parenting classes. You\u2019ll also have to do what the court says to improve your child\u2019s school attendance.\n\n## Education Supervision Order\n\nIf the council thinks you need support getting your child to go to school but you\u2019re not co-operating, they can apply to a court for an Education Supervision Order.\n\nA supervisor will be appointed to help you get your child into education. The local council can do this instead of prosecuting you, or as well.\n\n## School Attendance Order\n\nYou\u2019ll get a School Attendance Order if the local council thinks your child is not getting an education.\n\nYou have 15 days to provide evidence that you\u2019ve registered your child with the school listed in the order or that you\u2019re giving them home education. If you do not, you could be prosecuted or given a fine.\n\n## Fine\n\nYour local council can give each parent a fine of \u00a360, which rises to \u00a3120 each if you do not pay within 21 days. If you do not pay the fine after 28 days you may be prosecuted for your child\u2019s absence from school.\n\nCheck your local council\u2019s rules on when you can be fined.\n\n## Prosecution\n\nYou could get a fine of up to \u00a32,500, a community order or a jail sentence up to 3 months. The court also gives you a Parenting Order.", + "original_contents": [ + "

    Overview

    ", + "

    You must make sure your child gets a full-time education that meets their needs (for example if they have special educational needs). You can send your child to school or educate them yourself.

    ", + "

    Children must get an education between the school term after their 5th birthday and the last Friday in June in the school year they turn 16.

    ", + "

    You\u2019ll be contacted by either:

    ", + "
  • the school - if your child is enrolled in school and does not turn up (even if they\u2019re only absent for a day)
  • ", + "
  • the council\u2019s education welfare officer - if they think your child is not getting a suitable education at home
  • ", + "

    You can be prosecuted if you do not give your child an education. You\u2019ll normally get warnings and offers of help from the local council first.

    ", + "

    You can get education and attendance information from your council.

    ", + "

    When your child can miss school

    ", + "

    You can only allow your child to miss school if either:

    ", + "
  • they\u2019re too ill to go in
  • ", + "
  • you\u2019ve got advance permission from the school
  • ", + "

    There\u2019s extra support available if your child cannot go to school for long periods because of a health problem.

    ", + "

    Holidays in term time

    ", + "

    You have to get permission from the head teacher if you want to take your child out of school during term time.

    ", + "

    You can only do this if:

    ", + "
  • you make an application to the head teacher in advance (as a parent the child normally lives with)
  • ", + "
  • there are exceptional circumstances
  • ", + "

    It\u2019s up to the head teacher how many days your child can be away from school if leave is granted.

    ", + "

    You can be fined for taking your child on holiday during term time without the school\u2019s permission.

    ", + "

    School trips

    ", + "

    Your child\u2019s school can ask you for a voluntary contribution to the cost of activities like school trips. They cannot stop your child from attending if you do not pay, but they should cancel the activity if there is not enough money to cover the cost of it.

    ", + "

    Help with getting your child to go to school

    ", + "

    If you\u2019re having trouble getting your child to go to school, the school and local council can help.

    ", + "

    The school will discuss attendance problems with you and should agree a plan with you to improve your child\u2019s attendance.

    ", + "

    A lot of local councils have teams that help parents improve their child\u2019s attendance at school. The council will tell you if they\u2019re able to help. Forms of help could include:

    ", + "
  • support to reduce the burden on children where families are in difficulty (for example if a child is spending a lot of time caring for someone)
  • ", + "
  • working with families and schools to overcome bullying and other serious problems
  • ", + "
  • a parenting contract
  • ", + "

    Parenting contract

    ", + "

    This is a voluntary written agreement between you and either the local council or the school\u2019s governing body. Between you, you agree to find ways to improve your child\u2019s attendance.

    ", + "

    If you refuse to make a contract or you do not stick to it, it can be used as evidence if the local council decides to prosecute you.

    ", + "

    Legal action to enforce school attendance

    ", + "

    Local councils and schools can use various legal powers if your child is missing school without a good reason. They can give you:

    ", + "
  • a Parenting Order
  • ", + "
  • an Education Supervision Order
  • ", + "
  • a School Attendance Order
  • ", + "
  • a fine (sometimes known as a \u2018penalty notice\u2019)
  • ", + "

    You can be given one or more of these but the council does not have to do this before prosecuting you.

    ", + "

    Parenting Order

    ", + "

    This means you have to go to parenting classes. You\u2019ll also have to do what the court says to improve your child\u2019s school attendance.

    ", + "

    Education Supervision Order

    ", + "

    If the council thinks you need support getting your child to go to school but you\u2019re not co-operating, they can apply to a court for an Education Supervision Order.

    ", + "

    A supervisor will be appointed to help you get your child into education. The local council can do this instead of prosecuting you, or as well.

    ", + "

    School Attendance Order

    ", + "

    You\u2019ll get a School Attendance Order if the local council thinks your child is not getting an education.

    ", + "

    You have 15 days to provide evidence that you\u2019ve registered your child with the school listed in the order or that you\u2019re giving them home education. If you do not, you could be prosecuted or given a fine.

    ", + "

    Fine

    ", + "

    Your local council can give each parent a fine of \u00a360, which rises to \u00a3120 each if you do not pay within 21 days. If you do not pay the fine after 28 days you may be prosecuted for your child\u2019s absence from school.

    ", + "

    Check your local council\u2019s rules on when you can be fined.

    ", + "

    Prosecution

    ", + "

    You could get a fine of up to \u00a32,500, a community order or a jail sentence up to 3 months. The court also gives you a Parenting Order.

    " + ] + }, + "https://www.gov.uk/bullying-at-school": { + "url": "https://www.gov.uk/bullying-at-school", + "title": "Bullying at school", + "content": "## The law\n\nSome forms of bullying are illegal and should be reported to the police. These include:\n\n- violence or assault\n\n- theft\n\n- repeated harassment or intimidation, for example name calling, threats and abusive phone calls, emails or text messages\n\n- hate crimes\n\nCall 999 if you or someone else is in immediate danger.\n\n## Schools and the law\n\nBy law, all state (not private) schools must have a behaviour policy in place that includes measures to prevent all forms of bullying among pupils.\n\nThis policy is decided by the school. All teachers, pupils and parents must be told what it is.\n\n## Anti-discrimination law\n\nSchools must also follow anti-discrimination law. This means staff must act to prevent discrimination, harassment and victimisation within the school. This applies to all schools in England and Wales, and most schools in Scotland.\n\nNorthern Ireland has different anti-discrimination law.\n\n## Reporting bullying\n\nYou should report bullying to your school in the first place - or someone you trust if it happens outside school, for example in a club or online.\n\nTell the police if the bullying involves a crime.\n\n## Schools - reporting bullying\n\nSchool staff will deal with bullying in different ways, depending on how serious the bullying is.\n\nThey might deal with it in school, for example by disciplining bullies, or they might report it to the police or social services.\n\nAny discipline must take account of special educational needs or disabilities that the pupils involved may have.\n\nYou can complain about a school if you think it hasn\u2019t dealt with your concerns.\n\n## Police - reporting bullying\n\nAnyone can make a complaint to the police about bullying but it\u2019s usually a good idea to speak to your school first.\n\nIf you\u2019re reporting cyberbullying, keep a record of the date and time of the calls, emails or texts - don\u2019t delete any messages you receive.\n\nCall 999 if you or someone else is in immediate danger.\n\n## Where to get help and advice\n\nThere are lots of organisations that provide support and advice if you\u2019re worried about bullying:\n\n- Anti-Bullying Alliance\n\n- Bullying UK\n\n- Childline\n\n- The Diana Award\n\n- Internet Matters\n\n- Kidscape\n\n- The UK Safer Internet Centre\n\n- UK Council for Child Internet Safety (UKCCIS)\n\n## Bullying outside school\n\nHead teachers have the legal power to make sure pupils behave outside of school premises (state schools only).\n\nThis includes bullying that happens anywhere off the school premises, for example on public transport or in a town centre.\n\nSchool staff can also choose to report bullying to the police or local council.\n\n## Bullying - a definition\n\nThere is no legal definition of bullying.\n\nHowever, it\u2019s usually defined as behaviour that is:\n\n- repeated\n\n- intended to hurt someone either physically or emotionally\n\n- often aimed at certain groups, for example because of race, religion, gender or sexual orientation\n\nIt takes many forms and can include:\n\n- physical assault\n\n- teasing\n\n- making threats\n\n- name calling\n\n- cyberbullying - bullying via mobile phone or online (for example email, social networks and instant messenger)\n\nYour school should have its own policy to stop bullying.", + "original_contents": [ + "

    The law

    ", + "

    Some forms of bullying are illegal and should be reported to the police. These include:

    ", + "
  • violence or assault
  • ", + "
  • theft
  • ", + "
  • repeated harassment or intimidation, for example name calling, threats and abusive phone calls, emails or text messages
  • ", + "
  • hate crimes
  • ", + "

    Call 999 if you or someone else is in immediate danger.

    ", + "

    Schools and the law

    ", + "

    By law, all state (not private) schools must have a behaviour policy in place that includes measures to prevent all forms of bullying among pupils.

    ", + "

    This policy is decided by the school. All teachers, pupils and parents must be told what it is.

    ", + "

    Anti-discrimination law

    ", + "

    Schools must also follow anti-discrimination law. This means staff must act to prevent discrimination, harassment and victimisation within the school. This applies to all schools in England and Wales, and most schools in Scotland.

    ", + "

    Northern Ireland has different anti-discrimination law.

    ", + "

    Reporting bullying

    ", + "

    You should report bullying to your school in the first place - or someone you trust if it happens outside school, for example in a club or online.

    ", + "

    Tell the police if the bullying involves a crime.

    ", + "

    Schools - reporting bullying

    ", + "

    School staff will deal with bullying in different ways, depending on how serious the bullying is.

    ", + "

    They might deal with it in school, for example by disciplining bullies, or they might report it to the police or social services.

    ", + "

    Any discipline must take account of special educational needs or disabilities that the pupils involved may have.

    ", + "

    You can complain about a school if you think it hasn\u2019t dealt with your concerns.

    ", + "

    Police - reporting bullying

    ", + "

    Anyone can make a complaint to the police about bullying but it\u2019s usually a good idea to speak to your school first.

    ", + "

    If you\u2019re reporting cyberbullying, keep a record of the date and time of the calls, emails or texts - don\u2019t delete any messages you receive.

    ", + "

    Call 999 if you or someone else is in immediate danger.

    ", + "

    Where to get help and advice

    ", + "

    There are lots of organisations that provide support and advice if you\u2019re worried about bullying:

    ", + "
  • Anti-Bullying Alliance
  • ", + "
  • Bullying UK
  • ", + "
  • Childline
  • ", + "
  • The Diana Award
  • ", + "
  • Internet Matters
  • ", + "
  • Kidscape
  • ", + "
  • The UK Safer Internet Centre
  • ", + "
  • UK Council for Child Internet Safety (UKCCIS)
  • ", + "

    Bullying outside school

    ", + "

    Head teachers have the legal power to make sure pupils behave outside of school premises (state schools only).

    ", + "

    This includes bullying that happens anywhere off the school premises, for example on public transport or in a town centre.

    ", + "

    School staff can also choose to report bullying to the police or local council.

    ", + "

    Bullying - a definition

    ", + "

    There is no legal definition of bullying.

    ", + "

    However, it\u2019s usually defined as behaviour that is:

    ", + "
  • repeated
  • ", + "
  • intended to hurt someone either physically or emotionally
  • ", + "
  • often aimed at certain groups, for example because of race, religion, gender or sexual orientation
  • ", + "

    It takes many forms and can include:

    ", + "
  • physical assault
  • ", + "
  • teasing
  • ", + "
  • making threats
  • ", + "
  • name calling
  • ", + "
  • cyberbullying - bullying via mobile phone or online (for example email, social networks and instant messenger)
  • ", + "

    Your school should have its own policy to stop bullying.

    " + ] + }, + "https://www.gov.uk/school-discipline-exclusions": { + "url": "https://www.gov.uk/school-discipline-exclusions", + "title": "School discipline and exclusions", + "content": "## Discipline\n\n## School behaviour policy\n\nEvery school has a behaviour policy, which lists the rules of conduct for pupils before and after school as well as during the school day.\n\nThe policy should also say what the school does to prevent bullying.\n\nYou can ask the school for a copy of the policy document.\n\n## Punishments\n\nSchools can punish pupils if they behave badly.\n\nExamples of punishments (sometimes called \u2018sanctions\u2019) include:\n\n- a telling-off\n\n- a letter home\n\n- removal from a class or group\n\n- confiscating something inappropriate for school , eg mobile phone or MP3 player\n\n- detention\n\n## Detention\n\nSchools don\u2019t have to give parents notice of after-school detentions or tell them why a detention has been given.\n\n## Physical contact\n\nSchool staff can use reasonable force to control and restrain pupils. This could include leading a pupil by the arm into a classroom.\n\n## Complaining about a punishment\n\nIf you disagree with the way your child\u2019s been punished, first talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.\n\n## Exclusions\n\nHeadteachers can exclude your child if they misbehave in or outside school.\n\n## What happens when your child is excluded\n\nYour child\u2019s school will let you know about an exclusion as soon as possible. They\u2019ll follow up with a letter telling you how long your child is excluded for and why.\n\nYou should also be told how to challenge the exclusion, if you want to.\n\nExclusions can start on the same day but the school shouldn\u2019t make you collect your child straight away.\n\n## Risk of prosecution if child is found in public place\n\nFor the first 5 school days of an exclusion, it\u2019s your responsibility to make sure your child isn\u2019t in a public place during normal school hours unless there is a good reason.\n\nYou might be prosecuted if your child is found in a public place when they\u2019re not supposed to be.\n\nChild Law Advice has more information on what happens when a child is excluded.\n\n## Types of exclusion\n\nThere are 2 kinds of exclusion - fixed period (suspended) and permanent (expelled).\n\n## Fixed period exclusion\n\nA fixed period exclusion is where your child is temporarily removed from school. They can only be removed for up to 45 school days in one school year, even if they\u2019ve changed school.\n\nIf a child has been excluded for a fixed period, schools should set and mark work for the first 5 school days.\n\nIf the exclusion is longer than 5 school days, the school must arrange suitable full-time education from the sixth school day, eg at a pupil referral unit.\n\n## Permanent exclusion\n\nPermanent exclusion means your child is expelled. Your local council must arrange full-time education from the sixth school day.\n\n## Alternative education and exclusion\n\nThe school or local council must tell you about any alternative education they arrange. It\u2019s your responsibility to make sure your child attends.\n\n## Making a complaint\n\nIf alternative education isn\u2019t arranged within 5 days, or you\u2019re not happy with the education, you can complain to:\n\n- the school, for fixed period exclusions\n\n- the local council, for permanent exclusions\n\nIf you\u2019re not happy with the response, you can complain to the Department for Education (DfE).\n\nYou\u2019ll need to show that you followed the school or council\u2019s complaints procedure.\n\n## Challenging exclusion\n\nYou\u2019ll get a letter from the school telling you what to do if you disagree with the exclusion.\n\nYou can ask the school\u2019s governing body to overturn the exclusion if either:\n\n- your child has been excluded for more than 5 days\n\n- the exclusion means they\u2019ll miss a public exam or national curriculum test\n\nIf the exclusion is for 5 days or fewer, you can still ask the governors to hear your views but they can\u2019t overturn the headteacher\u2019s decision.\n\n## Challenging permanent exclusion\n\nYou\u2019ll be invited to a review meeting with the school\u2019s governors if your child has been permanently excluded. This will happen within 15 school days.\n\nIf the governors don\u2019t overturn the exclusion, you can ask for an independent review by your local council (or academy trust if the school\u2019s an academy). The governors must tell you how to do this.\n\nIf your child is still excluded you can ask the Local Government Ombudsman (or the Education Funding Agency if the school\u2019s an academy or free school) to look at whether your case was handled properly. They can\u2019t overturn the exclusion.\n\n## Discrimination and other complaints\n\nYou can make a claim to a court or a tribunal if you think your child\u2019s been discriminated against. You need to do this within 6 months of the exclusion.\n\nContact the Equality Advisory Support Service for help and advice.\n\nFor more general complaints (eg if you don\u2019t want to challenge the exclusion but you\u2019re not happy with the way the school handled it), follow the normal school complaints process.\n\n## Searches\n\n## Searches without your child\u2019s consent\n\nThe school doesn\u2019t need your child\u2019s consent to search them if they think your child has prohibited items, including:\n\n- weapons, eg knives\n\n- alcohol\n\n- illegal drugs\n\n- stolen goods\n\n- tobacco products, eg cigarettes\n\n- pornographic images (of any kind, eg tabloid topless pictures and \u2018lads\u2019 mags\u2019 as well as extreme adult material)\n\n- fireworks\n\n- anything that has been, or is likely to be, used to cause injury or commit an offence\n\n- anything banned in the school rules\n\nThese things can be confiscated.\n\n## Legal requirements of a search\n\nThere should normally be 2 members of staff present during the search - the person doing the search and the search witness. Searches should normally be done by someone the same sex as your child.\n\nThe search witness must also be the same sex as your child if possible. Your child must not be asked to remove clothes, other than outer clothing like a coat.\n\nIf there\u2019s a risk of serious harm to a person if the search is not conducted immediately, a child may be searched by a person of the opposite sex and without another member of staff present.\n\n## Metal detectors\n\nSchools can make pupils go through a metal detector - they don\u2019t have to suspect that your child has a weapon. If your child refuses to go through the metal detector, they can be stopped from coming into school.\n\n## Complaining about a search\n\nIf you\u2019re unhappy with a search on your child at school, talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.", + "original_contents": [ + "

    Discipline

    ", + "

    School behaviour policy

    ", + "

    Every school has a behaviour policy, which lists the rules of conduct for pupils before and after school as well as during the school day.

    ", + "

    The policy should also say what the school does to prevent bullying.

    ", + "

    You can ask the school for a copy of the policy document.

    ", + "

    Punishments

    ", + "

    Schools can punish pupils if they behave badly.

    ", + "

    Examples of punishments (sometimes called \u2018sanctions\u2019) include:

    ", + "
  • a telling-off
  • ", + "
  • a letter home
  • ", + "
  • removal from a class or group
  • ", + "
  • confiscating something inappropriate for school , eg mobile phone or MP3 player
  • ", + "
  • detention
  • ", + "

    Detention

    ", + "

    Schools don\u2019t have to give parents notice of after-school detentions or tell them why a detention has been given.

    ", + "

    Physical contact

    ", + "

    School staff can use reasonable force to control and restrain pupils. This could include leading a pupil by the arm into a classroom.

    ", + "

    Complaining about a punishment

    ", + "

    If you disagree with the way your child\u2019s been punished, first talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.

    ", + "

    Exclusions

    ", + "

    Headteachers can exclude your child if they misbehave in or outside school.

    ", + "

    What happens when your child is excluded

    ", + "

    Your child\u2019s school will let you know about an exclusion as soon as possible. They\u2019ll follow up with a letter telling you how long your child is excluded for and why.

    ", + "

    You should also be told how to challenge the exclusion, if you want to.

    ", + "

    Exclusions can start on the same day but the school shouldn\u2019t make you collect your child straight away.

    ", + "

    Risk of prosecution if child is found in public place

    ", + "

    For the first 5 school days of an exclusion, it\u2019s your responsibility to make sure your child isn\u2019t in a public place during normal school hours unless there is a good reason.

    ", + "

    You might be prosecuted if your child is found in a public place when they\u2019re not supposed to be.

    ", + "

    Child Law Advice has more information on what happens when a child is excluded.

    ", + "

    Types of exclusion

    ", + "

    There are 2 kinds of exclusion - fixed period (suspended) and permanent (expelled).

    ", + "

    Fixed period exclusion

    ", + "

    A fixed period exclusion is where your child is temporarily removed from school. They can only be removed for up to 45 school days in one school year, even if they\u2019ve changed school.

    ", + "

    If a child has been excluded for a fixed period, schools should set and mark work for the first 5 school days.

    ", + "

    If the exclusion is longer than 5 school days, the school must arrange suitable full-time education from the sixth school day, eg at a pupil referral unit.

    ", + "

    Permanent exclusion

    ", + "

    Permanent exclusion means your child is expelled. Your local council must arrange full-time education from the sixth school day.

    ", + "

    Alternative education and exclusion

    ", + "

    The school or local council must tell you about any alternative education they arrange. It\u2019s your responsibility to make sure your child attends.

    ", + "

    Making a complaint

    ", + "

    If alternative education isn\u2019t arranged within 5 days, or you\u2019re not happy with the education, you can complain to:

    ", + "
  • the school, for fixed period exclusions
  • ", + "
  • the local council, for permanent exclusions
  • ", + "

    If you\u2019re not happy with the response, you can complain to the Department for Education (DfE).

    ", + "

    You\u2019ll need to show that you followed the school or council\u2019s complaints procedure.

    ", + "

    Challenging exclusion

    ", + "

    You\u2019ll get a letter from the school telling you what to do if you disagree with the exclusion.

    ", + "

    You can ask the school\u2019s governing body to overturn the exclusion if either:

    ", + "
  • your child has been excluded for more than 5 days
  • ", + "
  • the exclusion means they\u2019ll miss a public exam or national curriculum test
  • ", + "

    If the exclusion is for 5 days or fewer, you can still ask the governors to hear your views but they can\u2019t overturn the headteacher\u2019s decision.

    ", + "

    Challenging permanent exclusion

    ", + "

    You\u2019ll be invited to a review meeting with the school\u2019s governors if your child has been permanently excluded. This will happen within 15 school days.

    ", + "

    If the governors don\u2019t overturn the exclusion, you can ask for an independent review by your local council (or academy trust if the school\u2019s an academy). The governors must tell you how to do this.

    ", + "

    If your child is still excluded you can ask the Local Government Ombudsman (or the Education Funding Agency if the school\u2019s an academy or free school) to look at whether your case was handled properly. They can\u2019t overturn the exclusion.

    ", + "

    Discrimination and other complaints

    ", + "

    You can make a claim to a court or a tribunal if you think your child\u2019s been discriminated against. You need to do this within 6 months of the exclusion.

    ", + "

    Contact the Equality Advisory Support Service for help and advice.

    ", + "

    For more general complaints (eg if you don\u2019t want to challenge the exclusion but you\u2019re not happy with the way the school handled it), follow the normal school complaints process.

    ", + "

    Searches

    ", + "

    Searches without your child\u2019s consent

    ", + "

    The school doesn\u2019t need your child\u2019s consent to search them if they think your child has prohibited items, including:

    ", + "
  • weapons, eg knives
  • ", + "
  • alcohol
  • ", + "
  • illegal drugs
  • ", + "
  • stolen goods
  • ", + "
  • tobacco products, eg cigarettes
  • ", + "
  • pornographic images (of any kind, eg tabloid topless pictures and \u2018lads\u2019 mags\u2019 as well as extreme adult material)
  • ", + "
  • fireworks
  • ", + "
  • anything that has been, or is likely to be, used to cause injury or commit an offence
  • ", + "
  • anything banned in the school rules
  • ", + "

    These things can be confiscated.

    ", + "

    Legal requirements of a search

    ", + "

    There should normally be 2 members of staff present during the search - the person doing the search and the search witness. Searches should normally be done by someone the same sex as your child.

    ", + "

    The search witness must also be the same sex as your child if possible. Your child must not be asked to remove clothes, other than outer clothing like a coat.

    ", + "

    If there\u2019s a risk of serious harm to a person if the search is not conducted immediately, a child may be searched by a person of the opposite sex and without another member of staff present.

    ", + "

    Metal detectors

    ", + "

    Schools can make pupils go through a metal detector - they don\u2019t have to suspect that your child has a weapon. If your child refuses to go through the metal detector, they can be stopped from coming into school.

    ", + "

    Complaining about a search

    ", + "

    If you\u2019re unhappy with a search on your child at school, talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.

    " + ] + }, + "https://www.gov.uk/renounce-british-nationality": { + "url": "https://www.gov.uk/renounce-british-nationality", + "title": "Give up (renounce) British citizenship or nationality", + "content": "## Overview\n\nYou can apply to give up (renounce) your British citizenship or status. If accepted, you\u2019ll get a \u2018declaration of renunciation\u2019 that you can use to show that you\u2019re no longer British.\n\nYou might do this, for example, if you want to become a citizen of another country that does not allow dual citizenship.\n\nYou can renounce your:\n\n- British citizenship\n\n- British overseas territories citizenship\n\n- British overseas citizenship\n\n- British subject status\n\n- British national (overseas) status\n\nYou can give up more than one at a time.\n\nGiving up your citizenship or status only affects you and not any other members of your family - although it could affect the status of any children you have in future.\n\nYour right to live in the UK will be affected if you give up citizenship.\n\n## When you can give up your citizenship\n\nYou can only give up your British citizenship or status if either of the following apply:\n\n- you already have another citizenship or nationality\n\n- you\u2019re going to get another citizenship or nationality after giving up your British citizenship or status\n\nYou must also be:\n\n- aged 18 or over (unless you\u2019re under 18 and married)\n\n- of sound mind (unless it\u2019s decided that it\u2019s in your best interest)\n\n## Apply\n\nFill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.\n\nIf you live in the Channel Islands, the Isle of Man or a British overseas territory, you have to apply in person or by post instead. Check which you can do with your governor\u2019s office.\n\nIf you live elsewhere, you can apply by post. This will take much longer than applying online because of coronavirus (COVID-19). Avoid applying by post, especially if you need your documents back by a specific date.\n\nIt is taking longer than usual to process applications because of coronavirus. This will not affect the decision.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## After you've applied\n\nYou\u2019ll get a \u2018declaration of renunciation\u2019 if your application is successful. This will be your application form, officially signed and stamped.\n\nThe date your citizenship or status stops will be shown on the form.\n\nYour supporting documents will be returned to you whether you\u2019re successful or not.\n\nIt is taking longer than usual to process applications because of coronavirus (COVID-19). This will not affect the decision.\n\n## Time limits if you\u2019re getting another citizenship\n\nYou\u2019ll have 6 months from when you received your declaration to get another citizenship - otherwise the declaration will no longer be valid and you\u2019ll keep your British citizenship or status.\n\n## Resume your British nationality\n\nIn some cases it\u2019s possible to resume your British nationality after renouncing it.\n\nRead the guidance to check if you can apply.\n\nIt is taking longer than usual to process applications because of coronavirus (COVID-19). This will not affect the decision. You\u2019ll get extra time to provide your fingerprints, photo and additional information, and to book a citizenship ceremony.\n\n## How to apply\n\nFill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.\n\nIf you live in the Channel Islands, the Isle of Man or a British overseas territory, you have to apply in person or by post instead. Check which you can do with your governor\u2019s office.\n\nIf you live elsewhere, you can apply by post. This will take much longer than applying online because of coronavirus. Avoid applying by post, especially if you need your documents back by a specific date.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Fee\n\nPay the current fee for registration.\n\nYour fee will not be refunded if your application is refused.\n\nYou\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## If you\u2019re applying from the Channel Islands, the Isle of Man or a British overseas territory\n\nYou\u2019ll be told the fee for providing your biometric information when you apply.\n\n## Supporting documents\n\nYou\u2019ll need to provide:\n\n- your copy of your declaration of renunciation (either form RN1 or R6)\n\n- your passport, or certificate of naturalisation or registration for your current citizenship or nationality\n\n- an official letter or statement from the country you\u2019re currently a citizen or national of saying that if you had not given up your British citizenship you\u2019d have lost or failed to get your current citizenship or nationality\n\nIf you gave up United Kingdom and Colonies citizenship you\u2019ll also need to provide:\n\n- the birth, naturalisation or registration certificate of the person you have the connection to the UK with, and evidence of your relationship to that person, for example a birth, marriage or civil partnership certificate\n\n- evidence that you gave up citizenship because you believed you\u2019d be deprived of your citizenship of a Commonwealth country unless you did so - this should be a separate letter explaining this plus any supporting documents\n\nYou may have to provide different documents if you originally gave up citizenship for a reason other than you\u2019d have lost or failed to get citizenship of another country - read the guidance for details.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## If you\u2019re applying from the Channel Islands, the Isle of Man or a British overseas territory\n\nYou\u2019ll be told how to provide your biometric information and supporting documents when you apply.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to give up (renounce) your British citizenship or status. If accepted, you\u2019ll get a \u2018declaration of renunciation\u2019 that you can use to show that you\u2019re no longer British.

    ", + "

    You might do this, for example, if you want to become a citizen of another country that does not allow dual citizenship.

    ", + "

    You can renounce your:

    ", + "
  • British citizenship
  • ", + "
  • British overseas territories citizenship
  • ", + "
  • British overseas citizenship
  • ", + "
  • British subject status
  • ", + "
  • British national (overseas) status
  • ", + "

    You can give up more than one at a time.

    ", + "

    Giving up your citizenship or status only affects you and not any other members of your family - although it could affect the status of any children you have in future.

    ", + "

    Your right to live in the UK will be affected if you give up citizenship.

    ", + "

    When you can give up your citizenship

    ", + "

    You can only give up your British citizenship or status if either of the following apply:

    ", + "
  • you already have another citizenship or nationality
  • ", + "
  • you\u2019re going to get another citizenship or nationality after giving up your British citizenship or status
  • ", + "

    You must also be:

    ", + "
  • aged 18 or over (unless you\u2019re under 18 and married)
  • ", + "
  • of sound mind (unless it\u2019s decided that it\u2019s in your best interest)
  • ", + "

    Apply

    ", + "

    Fill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.

    ", + "

    If you live in the Channel Islands, the Isle of Man or a British overseas territory, you have to apply in person or by post instead. Check which you can do with your governor\u2019s office.

    ", + "

    If you live elsewhere, you can apply by post. This will take much longer than applying online because of coronavirus (COVID-19). Avoid applying by post, especially if you need your documents back by a specific date.

    ", + "

    It is taking longer than usual to process applications because of coronavirus. This will not affect the decision.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    After you've applied

    ", + "

    You\u2019ll get a \u2018declaration of renunciation\u2019 if your application is successful. This will be your application form, officially signed and stamped.

    ", + "

    The date your citizenship or status stops will be shown on the form.

    ", + "

    Your supporting documents will be returned to you whether you\u2019re successful or not.

    ", + "

    It is taking longer than usual to process applications because of coronavirus (COVID-19). This will not affect the decision.

    ", + "

    Time limits if you\u2019re getting another citizenship

    ", + "

    You\u2019ll have 6 months from when you received your declaration to get another citizenship - otherwise the declaration will no longer be valid and you\u2019ll keep your British citizenship or status.

    ", + "

    Resume your British nationality

    ", + "

    In some cases it\u2019s possible to resume your British nationality after renouncing it.

    ", + "

    Read the guidance to check if you can apply.

    ", + "

    It is taking longer than usual to process applications because of coronavirus (COVID-19). This will not affect the decision. You\u2019ll get extra time to provide your fingerprints, photo and additional information, and to book a citizenship ceremony.

    ", + "

    How to apply

    ", + "

    Fill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.

    ", + "

    If you live in the Channel Islands, the Isle of Man or a British overseas territory, you have to apply in person or by post instead. Check which you can do with your governor\u2019s office.

    ", + "

    If you live elsewhere, you can apply by post. This will take much longer than applying online because of coronavirus. Avoid applying by post, especially if you need your documents back by a specific date.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Fee

    ", + "

    Pay the current fee for registration.

    ", + "

    Your fee will not be refunded if your application is refused.

    ", + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you\u2019re applying from the Channel Islands, the Isle of Man or a British overseas territory

    ", + "

    You\u2019ll be told the fee for providing your biometric information when you apply.

    ", + "

    Supporting documents

    ", + "

    You\u2019ll need to provide:

    ", + "
  • your copy of your declaration of renunciation (either form RN1 or R6)
  • ", + "
  • your passport, or certificate of naturalisation or registration for your current citizenship or nationality
  • ", + "
  • an official letter or statement from the country you\u2019re currently a citizen or national of saying that if you had not given up your British citizenship you\u2019d have lost or failed to get your current citizenship or nationality
  • ", + "

    If you gave up United Kingdom and Colonies citizenship you\u2019ll also need to provide:

    ", + "
  • the birth, naturalisation or registration certificate of the person you have the connection to the UK with, and evidence of your relationship to that person, for example a birth, marriage or civil partnership certificate
  • ", + "
  • evidence that you gave up citizenship because you believed you\u2019d be deprived of your citizenship of a Commonwealth country unless you did so - this should be a separate letter explaining this plus any supporting documents
  • ", + "

    You may have to provide different documents if you originally gave up citizenship for a reason other than you\u2019d have lost or failed to get citizenship of another country - read the guidance for details.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    If you\u2019re applying from the Channel Islands, the Isle of Man or a British overseas territory

    ", + "

    You\u2019ll be told how to provide your biometric information and supporting documents when you apply.

    " + ] + }, + "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk": { + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "title": "Windrush Scheme: get a document showing your right to be in the UK", + "content": "## Overview\n\nIf you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.\n\nYou may be able to apply for a document to prove you can live and work in the UK if one of the following is true:\n\n- you came to the UK from a Commonwealth country before 1973\n\n- your parents came to the UK from a Commonwealth country before 1973\n\n- you came to the UK from any country before 31 December 1988 and are now settled here\n\nIt\u2019s free to apply.\n\nYou might also be entitled to apply for citizenship for free if you\u2019re a Commonwealth citizen who settled in the UK before 1 January 1973, or you\u2019re the child of someone who did.\n\n## If you suffered losses because you did not have documents\n\nIf you are eligible for this scheme, you might also be able to apply for compensation. The compensation scheme is for losses that happened because you could not show that you had a right to live in the UK.\n\n\u2018Losses\u2019 can be things like not being able to work, find a place to live or get health treatment. They can also include immigration action, like detention or removal from the UK.\n\n## You arrived before 1973 from a Commonwealth country\n\nYou may be able to apply for a document to prove you can live and work in Britain if both of the following apply:\n\n- you\u2019re a Commonwealth citizen\n\n- you were settled in the UK before 1 January 1973\n\nWhat you\u2019re entitled to depends on whether you:\n\n- have been living in the UK continuously\n\n- left the UK for more than 2 years and came back\n\n- are outside the UK\n\n## If you\u2019ve been living in the UK continuously\n\nIf you\u2019ve lived in the UK continuously, or have the right of abode, you can apply for one of the following:\n\n- British citizenship\n\n- evidence you have the right of abode\n\n- a document confirming you have indefinite leave to remain\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019ve left the UK for more than 2 years and come back\n\nIf you\u2019ve been away from the UK for more than 2 years at some point and are now lawfully in the UK, you might be entitled to indefinite leave to remain.\n\nIf you already have indefinite leave to remain you might be able to apply for either:\n\n- a document to prove you have this\n\n- British citizenship\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019re outside the UK\n\nIf you\u2019ve left the UK and have lost your indefinite leave to remain, you might be entitled to:\n\n- a Returning Resident visa\n\n- a 10 year multiple entry visa\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## You're the child of a Commonwealth citizen who arrived before 1973\n\nYou can apply for British citizenship or a document confirming you have indefinite leave to remain.\n\nIf you do not have indefinite leave to remain but are here lawfully, you can apply for it through the scheme.\n\nTo apply, one of your parents must be a Commonwealth citizen and either:\n\n- was settled in the UK before 1 January 1973\n\n- had the right of abode\n\nOne of the following must also be true:\n\n- you were born in the UK\n\n- you came to live in the UK before turning 18\n\nYou must have lived continuously in the UK since arriving (or being born) here.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## You arrived before 1989\n\nYou can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.\n\nYou can be of any nationality.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## How to apply\n\nWhen you apply, the Home Office will work with other government departments to find records of you living in the UK.\n\nNone of your information will be shared with immigration enforcement teams.\n\n## If you\u2019re in the UK\n\nApply using the Windrush Scheme application form (UK).\n\nPost it to the address on the form with your supporting documents.\n\nThe Windrush helpline can post a paper form to you.\n\n## If you\u2019re outside the UK\n\nYou must apply using an online form.\n\n## Fee\n\nIt\u2019s free to apply.\n\n## What happens next\n\nThe Windrush taskforce will get in touch with you if they have any questions about your application, or if they need more information.\n\n## Give your fingerprints and photo\n\nYou\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) once you\u2019ve sent in your form. You will not have to pay anything to do this.\n\n## Commonwealth countries\n\nYou may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.\n\nYou may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:\n\n- Anguilla\n\n- Antigua and Barbuda\n\n- Australia\n\n- The Bahamas\n\n- Bangladesh\n\n- Barbados\n\n- Belize\n\n- Bermuda\n\n- Botswana\n\n- British Antarctic Territory\n\n- British Indian Ocean Territory\n\n- Brunei\n\n- Canada\n\n- Cayman Islands\n\n- Cyprus (excluding the Sovereign base area)\n\n- Dominica\n\n- Falkland Islands\n\n- Fiji\n\n- The Gambia\n\n- Ghana\n\n- Gibraltar\n\n- Grenada\n\n- Guyana\n\n- Hong Kong\n\n- India\n\n- Jamaica\n\n- Kenya\n\n- Kiribati\n\n- Lesotho\n\n- Malawi\n\n- Malaysia\n\n- Maldives\n\n- Malta\n\n- Mauritius\n\n- Monserrat\n\n- Namibia\n\n- Nauru\n\n- New Zealand\n\n- Nigeria\n\n- Pakistan\n\n- Papua New Guinea\n\n- Pitcairn, Henderson, Ducie and Oeno Islands\n\n- Saint Helena, Ascension and Tristan da Cunha\n\n- Saint Lucia\n\n- Samoa\n\n- Seychelles\n\n- Sierra Leone\n\n- Singapore\n\n- Solomon Islands\n\n- South Africa\n\n- South Georgia and the South Sandwich Islands\n\n- Sri Lanka\n\n- St Kitts and Nevis\n\n- St Vincent and The Grenadines\n\n- Swaziland\n\n- Tanzania\n\n- Tonga\n\n- Trinidad and Tobago\n\n- Turks and Caicos Islands\n\n- Tuvalu\n\n- Uganda\n\n- Vanuatu\n\n- Virgin Islands\n\n- Zambia\n\n- Zimbabwe\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## Windrush helpline\n\nThe Windrush helpline can:\n\n- help you make a claim\n\n- give extra support to those who need it - for example, elderly or vulnerable claimants\n\n- post a form to you\n\nIf you are outside the UK, email the helpline and request a call back.\n\nOutside of the helpline opening hours, you can leave a message to ask for your call to be returned at a convenient time.\n\nYou can also sign up for email updates about the scheme.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.

    ", + "

    You may be able to apply for a document to prove you can live and work in the UK if one of the following is true:

    ", + "
  • you came to the UK from a Commonwealth country before 1973
  • ", + "
  • your parents came to the UK from a Commonwealth country before 1973
  • ", + "
  • you came to the UK from any country before 31 December 1988 and are now settled here
  • ", + "

    It\u2019s free to apply.

    ", + "

    You might also be entitled to apply for citizenship for free if you\u2019re a Commonwealth citizen who settled in the UK before 1 January 1973, or you\u2019re the child of someone who did.

    ", + "

    If you suffered losses because you did not have documents

    ", + "

    If you are eligible for this scheme, you might also be able to apply for compensation. The compensation scheme is for losses that happened because you could not show that you had a right to live in the UK.

    ", + "

    \u2018Losses\u2019 can be things like not being able to work, find a place to live or get health treatment. They can also include immigration action, like detention or removal from the UK.

    ", + "

    You arrived before 1973 from a Commonwealth country

    ", + "

    You may be able to apply for a document to prove you can live and work in Britain if both of the following apply:

    ", + "
  • you\u2019re a Commonwealth citizen
  • ", + "
  • you were settled in the UK before 1 January 1973
  • ", + "

    What you\u2019re entitled to depends on whether you:

    ", + "
  • have been living in the UK continuously
  • ", + "
  • left the UK for more than 2 years and came back
  • ", + "
  • are outside the UK
  • ", + "

    If you\u2019ve been living in the UK continuously

    ", + "

    If you\u2019ve lived in the UK continuously, or have the right of abode, you can apply for one of the following:

    ", + "
  • British citizenship
  • ", + "
  • evidence you have the right of abode
  • ", + "
  • a document confirming you have indefinite leave to remain
  • ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    Find out how to apply.

    ", + "

    If you\u2019ve left the UK for more than 2 years and come back

    ", + "

    If you\u2019ve been away from the UK for more than 2 years at some point and are now lawfully in the UK, you might be entitled to indefinite leave to remain.

    ", + "

    If you already have indefinite leave to remain you might be able to apply for either:

    ", + "
  • a document to prove you have this
  • ", + "
  • British citizenship
  • ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    Find out how to apply.

    ", + "

    If you\u2019re outside the UK

    ", + "

    If you\u2019ve left the UK and have lost your indefinite leave to remain, you might be entitled to:

    ", + "
  • a Returning Resident visa
  • ", + "
  • a 10 year multiple entry visa
  • ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    You're the child of a Commonwealth citizen who arrived before 1973

    ", + "

    You can apply for British citizenship or a document confirming you have indefinite leave to remain.

    ", + "

    If you do not have indefinite leave to remain but are here lawfully, you can apply for it through the scheme.

    ", + "

    To apply, one of your parents must be a Commonwealth citizen and either:

    ", + "
  • was settled in the UK before 1 January 1973
  • ", + "
  • had the right of abode
  • ", + "

    One of the following must also be true:

    ", + "
  • you were born in the UK
  • ", + "
  • you came to live in the UK before turning 18
  • ", + "

    You must have lived continuously in the UK since arriving (or being born) here.

    ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    Find out how to apply.

    ", + "

    You arrived before 1989

    ", + "

    You can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.

    ", + "

    You can be of any nationality.

    ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    Find out how to apply.

    ", + "

    How to apply

    ", + "

    When you apply, the Home Office will work with other government departments to find records of you living in the UK.

    ", + "

    None of your information will be shared with immigration enforcement teams.

    ", + "

    If you\u2019re in the UK

    ", + "

    Apply using the Windrush Scheme application form (UK).

    ", + "

    Post it to the address on the form with your supporting documents.

    ", + "

    The Windrush helpline can post a paper form to you.

    ", + "

    If you\u2019re outside the UK

    ", + "

    You must apply using an online form.

    ", + "

    Fee

    ", + "

    It\u2019s free to apply.

    ", + "

    What happens next

    ", + "

    The Windrush taskforce will get in touch with you if they have any questions about your application, or if they need more information.

    ", + "

    Give your fingerprints and photo

    ", + "

    You\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) once you\u2019ve sent in your form. You will not have to pay anything to do this.

    ", + "

    Commonwealth countries

    ", + "

    You may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.

    ", + "

    You may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:

    ", + "
  • Anguilla
  • ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • The Bahamas
  • ", + "
  • Bangladesh
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Bermuda
  • ", + "
  • Botswana
  • ", + "
  • British Antarctic Territory
  • ", + "
  • British Indian Ocean Territory
  • ", + "
  • Brunei
  • ", + "
  • Canada
  • ", + "
  • Cayman Islands
  • ", + "
  • Cyprus (excluding the Sovereign base area)
  • ", + "
  • Dominica
  • ", + "
  • Falkland Islands
  • ", + "
  • Fiji
  • ", + "
  • The Gambia
  • ", + "
  • Ghana
  • ", + "
  • Gibraltar
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Hong Kong
  • ", + "
  • India
  • ", + "
  • Jamaica
  • ", + "
  • Kenya
  • ", + "
  • Kiribati
  • ", + "
  • Lesotho
  • ", + "
  • Malawi
  • ", + "
  • Malaysia
  • ", + "
  • Maldives
  • ", + "
  • Malta
  • ", + "
  • Mauritius
  • ", + "
  • Monserrat
  • ", + "
  • Namibia
  • ", + "
  • Nauru
  • ", + "
  • New Zealand
  • ", + "
  • Nigeria
  • ", + "
  • Pakistan
  • ", + "
  • Papua New Guinea
  • ", + "
  • Pitcairn, Henderson, Ducie and Oeno Islands
  • ", + "
  • Saint Helena, Ascension and Tristan da Cunha
  • ", + "
  • Saint Lucia
  • ", + "
  • Samoa
  • ", + "
  • Seychelles
  • ", + "
  • Sierra Leone
  • ", + "
  • Singapore
  • ", + "
  • Solomon Islands
  • ", + "
  • South Africa
  • ", + "
  • South Georgia and the South Sandwich Islands
  • ", + "
  • Sri Lanka
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Vincent and The Grenadines
  • ", + "
  • Swaziland
  • ", + "
  • Tanzania
  • ", + "
  • Tonga
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • Turks and Caicos Islands
  • ", + "
  • Tuvalu
  • ", + "
  • Uganda
  • ", + "
  • Vanuatu
  • ", + "
  • Virgin Islands
  • ", + "
  • Zambia
  • ", + "
  • Zimbabwe
  • ", + "

    Contact the Windrush helpline for help with working out if you\u2019re eligible.

    ", + "

    Windrush helpline

    ", + "

    The Windrush helpline can:

    ", + "
  • help you make a claim
  • ", + "
  • give extra support to those who need it - for example, elderly or vulnerable claimants
  • ", + "
  • post a form to you
  • ", + "

    If you are outside the UK, email the helpline and request a call back.

    ", + "

    Outside of the helpline opening hours, you can leave a message to ask for your call to be returned at a convenient time.

    ", + "

    You can also sign up for email updates about the scheme.

    " + ] + }, + "https://www.gov.uk/apply-medal-or-veterans-badge": { + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "title": "Apply for a veterans badge or a medal", + "content": "## Apply for a veterans badge\n\nYou can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.\n\n## Eligibility\n\nYou can apply if you were in the:\n\n- army\n\n- Royal Navy\n\n- Royal Marines\n\n- Royal Air Force (RAF)\n\n- volunteer or regular reserves\n\nYou cannot apply if you:\n\n- served in the armed forces of another country\n\n- served alongside the UK armed forces, for example in the Canadian Navy or Royal Australian Air Force\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get either:\n\n- a War Widow\u2019s or Widower\u2019s Pension\n\n- compensation under the Survivors Guaranteed Income Payment (SGIP)\n\n## How to apply\n\nDownload and fill in the application for an armed forces veterans badge.\n\nYou can also call the enquiries line to get a paper application form sent to you.\n\nYou\u2019ll need to give as much information on the form as possible, such as:\n\n- the force you served in, for example the army or Royal Navy\n\n- service number\n\n- period of service\n\nPost the form to the Ministry of Defence (MOD) Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your veterans badge within 6 to 8 weeks of applying.\n\nYou can also apply for a medal if you\u2019re eligible.\n\nIf you lose your badge, you can apply for a replacement.\n\n## Get help\n\nIf you need to contact MOD about your veterans badge application, you can phone, fax or send an email to dbs-modmo-vetsbadge@mod.gov.uk.\n\nYou cannot apply for a veterans badge by email.\n\n## Apply for a medal\n\nYou can apply for a medal if you served in the armed forces and are eligible.\n\nFind out the types of medal the Ministry of Defence (MOD) issues.\n\nYou can only apply for World War 1 medals if the original was returned.\n\n## Eligibility\n\nYou can apply if you were awarded a medal for service in any of the following:\n\n- the army\n\n- the Royal Navy\n\n- the Royal Marines\n\n- the Royal Air Force (RAF)\n\n- the Home Guard\n\n- the reserve forces\n\nYou must meet the eligibility requirements for the medal you\u2019re applying for.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply on behalf of a veteran if you have lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules for the official next of kin are:\n\n- the person\u2019s spouse or civil partner has the first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the parent is entitled to apply\n\n- if there\u2019s no spouse, child or parent, the eldest grandchild is entitled to apply\n\n## How to apply\n\nDownload and fill in the medal application form.\n\nApply through your unit if you\u2019re still serving in the armed forces.\n\nIf you\u2019re applying on behalf of someone else, you must include a copy of either your lasting power of attorney or a death certificate.\n\nPost the form, along with any supporting documents, to the MOD Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your medal within 12 weeks of sending the application form.\n\nYou can apply for a replacement medal if the original\u2019s been stolen or accidentally destroyed, for example in a fire.\n\n## Get help\n\nIf you need to contact MOD about your medal application, email dbs-medals@mod.gov.uk.\n\n## Replace a badge or medal\n\nYou can get the first replacement veterans badge for free.\n\nYou may be able to get a replacement medal - it depends how it was lost. You\u2019ll have to pay for the replacement medal plus a fee.\n\n## Replace a veterans badge\n\nFollow the instructions for applying for a veterans badge - you can use the same form.\n\nYou\u2019ll usually get your replacement veterans badge within 6 to 8 weeks of applying.\n\nYou do not have to pay a fee if it\u2019s the first veterans badge you\u2019re replacing.\n\n## Replace a medal\n\nYou can only get a replacement medal from the Ministry of Defence (MOD) if it was stolen or destroyed, for example in a fire or flood. The medal must have been awarded for service after World War 1.\n\nYou\u2019ll need to show proof by providing a copy of either a:\n\n- police crime report\n\n- successful insurance claim listing the individual items\n\nYou can also buy replacement medals from a licensed medal dealer.\n\n## How to apply\n\nDownload and fill in the medal application form to ask for a replacement medal. Post the form to the MOD Medal Office, along with:\n\n- a letter explaining how the medal was stolen or destroyed\n\n- a copy of the police report or insurance claim\n\nThe address is on the form.\n\nContact your unit\u2019s human resources (HR) department if you\u2019re currently serving in the armed forces.\n\n## After you\u2019ve applied\n\nYou\u2019ll get a letter from the Medal Office - usually within 10 working days of when your application\u2019s received.\n\nYou\u2019ll be told how much the replacement will cost and how to pay if your application\u2019s successful. The cost depends on the type of medal. It includes an administration fee.\n\nYou\u2019ll get the replacement within 4 weeks from the Medal Office getting your payment.\n\n## Apply for a UK merchant seafarers veterans badge\n\nYou can apply for a UK merchant seafarers veterans badge if you:\n\n- were a Merchant Navy seafarer or fisherman\n\n- served in a vessel used to support the UK Armed Forces\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.\n\n## How to apply\n\nYou can apply for a badge through the Merchant Navy Association.\n\n## Members of the Royal Fleet Auxiliary\n\nIf you\u2019re a member of the Royal Fleet Auxiliary, apply for the armed forces veterans badge.\n\n## Apply for a UK merchant navy medal\n\nYou can apply for a UK merchant navy medal if you were a member of the merchant navy and you:\n\n- served in a vessel used to support the UK armed forces\n\n- meet the eligibility requirements for the medal you\u2019re applying for\n\n## How to apply\n\nComplete the application form and send it to the address on the form. You\u2019ll also need to send your seaman\u2019s discharge book.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply for someone else if either:\n\n- they\u2019ve died\n\n- you have lasting power of attorney\n\nYou must include a copy of the death certificate or your lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules are:\n\n- the person\u2019s spouse or civil partner has first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the eldest grandchild is entitled to apply\n\n## After you\u2019ve applied\n\nYou\u2019ll get a decision within 30 working days of your application being received.\n\n## Get help\n\nEmail seafarers_registry@mcga.gov.uk if you need help with your application.\n\n## Replace a lost or stolen medal\n\nYou\u2019ll need to complete the application form if your medal is lost or has been stolen.\n\n## If you want to appeal or complain\n\nYou can write to or email the Ministry of Defence (MOD) Medal Office if you want to:\n\n- appeal a decision\n\n- complain about how you\u2019ve been treated\n\nYou should include any new evidence you have if you make an appeal.", + "original_contents": [ + "

    Apply for a veterans badge

    ", + "

    You can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.

    ", + "

    Eligibility

    ", + "

    You can apply if you were in the:

    ", + "
  • army
  • ", + "
  • Royal Navy
  • ", + "
  • Royal Marines
  • ", + "
  • Royal Air Force (RAF)
  • ", + "
  • volunteer or regular reserves
  • ", + "

    You cannot apply if you:

    ", + "
  • served in the armed forces of another country
  • ", + "
  • served alongside the UK armed forces, for example in the Canadian Navy or Royal Australian Air Force
  • ", + "

    If you\u2019re applying on behalf of someone who\u2019s died

    ", + "

    You can only apply on behalf of a veteran who\u2019s died if you get either:

    ", + "
  • a War Widow\u2019s or Widower\u2019s Pension
  • ", + "
  • compensation under the Survivors Guaranteed Income Payment (SGIP)
  • ", + "

    How to apply

    ", + "

    Download and fill in the application for an armed forces veterans badge.

    ", + "

    You can also call the enquiries line to get a paper application form sent to you.

    ", + "

    You\u2019ll need to give as much information on the form as possible, such as:

    ", + "
  • the force you served in, for example the army or Royal Navy
  • ", + "
  • service number
  • ", + "
  • period of service
  • ", + "

    Post the form to the Ministry of Defence (MOD) Medal Office - the address is on the form. Do not send the form by email.

    ", + "

    After you\u2019ve applied

    ", + "

    You\u2019ll usually get your veterans badge within 6 to 8 weeks of applying.

    ", + "

    You can also apply for a medal if you\u2019re eligible.

    ", + "

    If you lose your badge, you can apply for a replacement.

    ", + "

    Get help

    ", + "

    If you need to contact MOD about your veterans badge application, you can phone, fax or send an email to dbs-modmo-vetsbadge@mod.gov.uk.

    ", + "

    You cannot apply for a veterans badge by email.

    ", + "

    Apply for a medal

    ", + "

    You can apply for a medal if you served in the armed forces and are eligible.

    ", + "

    Find out the types of medal the Ministry of Defence (MOD) issues.

    ", + "

    You can only apply for World War 1 medals if the original was returned.

    ", + "

    Eligibility

    ", + "

    You can apply if you were awarded a medal for service in any of the following:

    ", + "
  • the army
  • ", + "
  • the Royal Navy
  • ", + "
  • the Royal Marines
  • ", + "
  • the Royal Air Force (RAF)
  • ", + "
  • the Home Guard
  • ", + "
  • the reserve forces
  • ", + "

    You must meet the eligibility requirements for the medal you\u2019re applying for.

    ", + "

    If you\u2019re applying for someone else\u2019s medal

    ", + "

    You can apply on behalf of a veteran if you have lasting power of attorney.

    ", + "

    If the veteran has died, you must be the official next of kin. The general rules for the official next of kin are:

    ", + "
  • the person\u2019s spouse or civil partner has the first claim to the medal, and then the eldest child
  • ", + "
  • if there\u2019s no spouse or child, the parent is entitled to apply
  • ", + "
  • if there\u2019s no spouse, child or parent, the eldest grandchild is entitled to apply
  • ", + "

    How to apply

    ", + "

    Download and fill in the medal application form.

    ", + "

    Apply through your unit if you\u2019re still serving in the armed forces.

    ", + "

    If you\u2019re applying on behalf of someone else, you must include a copy of either your lasting power of attorney or a death certificate.

    ", + "

    Post the form, along with any supporting documents, to the MOD Medal Office - the address is on the form. Do not send the form by email.

    ", + "

    After you\u2019ve applied

    ", + "

    You\u2019ll usually get your medal within 12 weeks of sending the application form.

    ", + "

    You can apply for a replacement medal if the original\u2019s been stolen or accidentally destroyed, for example in a fire.

    ", + "

    Get help

    ", + "

    If you need to contact MOD about your medal application, email dbs-medals@mod.gov.uk.

    ", + "

    Replace a badge or medal

    ", + "

    You can get the first replacement veterans badge for free.

    ", + "

    You may be able to get a replacement medal - it depends how it was lost. You\u2019ll have to pay for the replacement medal plus a fee.

    ", + "

    Replace a veterans badge

    ", + "

    Follow the instructions for applying for a veterans badge - you can use the same form.

    ", + "

    You\u2019ll usually get your replacement veterans badge within 6 to 8 weeks of applying.

    ", + "

    You do not have to pay a fee if it\u2019s the first veterans badge you\u2019re replacing.

    ", + "

    Replace a medal

    ", + "

    You can only get a replacement medal from the Ministry of Defence (MOD) if it was stolen or destroyed, for example in a fire or flood. The medal must have been awarded for service after World War 1.

    ", + "

    You\u2019ll need to show proof by providing a copy of either a:

    ", + "
  • police crime report
  • ", + "
  • successful insurance claim listing the individual items
  • ", + "

    You can also buy replacement medals from a licensed medal dealer.

    ", + "

    How to apply

    ", + "

    Download and fill in the medal application form to ask for a replacement medal. Post the form to the MOD Medal Office, along with:

    ", + "
  • a letter explaining how the medal was stolen or destroyed
  • ", + "
  • a copy of the police report or insurance claim
  • ", + "

    The address is on the form.

    ", + "

    Contact your unit\u2019s human resources (HR) department if you\u2019re currently serving in the armed forces.

    ", + "

    After you\u2019ve applied

    ", + "

    You\u2019ll get a letter from the Medal Office - usually within 10 working days of when your application\u2019s received.

    ", + "

    You\u2019ll be told how much the replacement will cost and how to pay if your application\u2019s successful. The cost depends on the type of medal. It includes an administration fee.

    ", + "

    You\u2019ll get the replacement within 4 weeks from the Medal Office getting your payment.

    ", + "

    Apply for a UK merchant seafarers veterans badge

    ", + "

    You can apply for a UK merchant seafarers veterans badge if you:

    ", + "
  • were a Merchant Navy seafarer or fisherman
  • ", + "
  • served in a vessel used to support the UK Armed Forces
  • ", + "

    If you\u2019re applying on behalf of someone who\u2019s died

    ", + "

    You can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.

    ", + "

    How to apply

    ", + "

    You can apply for a badge through the Merchant Navy Association.

    ", + "

    Members of the Royal Fleet Auxiliary

    ", + "

    If you\u2019re a member of the Royal Fleet Auxiliary, apply for the armed forces veterans badge.

    ", + "

    Apply for a UK merchant navy medal

    ", + "

    You can apply for a UK merchant navy medal if you were a member of the merchant navy and you:

    ", + "
  • served in a vessel used to support the UK armed forces
  • ", + "
  • meet the eligibility requirements for the medal you\u2019re applying for
  • ", + "

    How to apply

    ", + "

    Complete the application form and send it to the address on the form. You\u2019ll also need to send your seaman\u2019s discharge book.

    ", + "

    If you\u2019re applying for someone else\u2019s medal

    ", + "

    You can apply for someone else if either:

    ", + "
  • they\u2019ve died
  • ", + "
  • you have lasting power of attorney
  • ", + "

    You must include a copy of the death certificate or your lasting power of attorney.

    ", + "

    If the veteran has died, you must be the official next of kin. The general rules are:

    ", + "
  • the person\u2019s spouse or civil partner has first claim to the medal, and then the eldest child
  • ", + "
  • if there\u2019s no spouse or child, the eldest grandchild is entitled to apply
  • ", + "

    After you\u2019ve applied

    ", + "

    You\u2019ll get a decision within 30 working days of your application being received.

    ", + "

    Get help

    ", + "

    Email seafarers_registry@mcga.gov.uk if you need help with your application.

    ", + "

    Replace a lost or stolen medal

    ", + "

    You\u2019ll need to complete the application form if your medal is lost or has been stolen.

    ", + "

    If you want to appeal or complain

    ", + "

    You can write to or email the Ministry of Defence (MOD) Medal Office if you want to:

    ", + "
  • appeal a decision
  • ", + "
  • complain about how you\u2019ve been treated
  • ", + "

    You should include any new evidence you have if you make an appeal.

    " + ] + }, + "https://www.gov.uk/become-magistrate": { + "url": "https://www.gov.uk/become-magistrate", + "title": "Become a magistrate", + "content": "## What magistrates do\n\nMagistrates are volunteers who hear cases in courts in their community. They can hear cases in the criminal court, the family court, or both.\n\nEach case is usually heard by 3 magistrates, including a magistrate who is trained to act as a chairperson.\n\nA legal adviser in the court gives advice on the law and makes sure the magistrates follow the right procedures.\n\n## Criminal cases\n\nAll criminal cases begin in a magistrates\u2019 court.\n\nMagistrates pass the most serious crimes (for example murder, rape and robbery) to the Crown Court. Magistrates decide if the defendant should be:\n\n- kept in custody - for example in a police or court cell\n\n- let out on strict conditions - for example to keep away from named places or people\n\nMagistrates deal with crimes like:\n\n- minor assaults\n\n- motoring offences\n\n- theft\n\n- handling stolen goods\n\n- TV licence evasion\n\nMagistrates can give punishments such as:\n\n- fines\n\n- unpaid work in the community\n\n- prison for up to 6 months (or up to 12 months for more than 1 crime)\n\n## Family cases\n\nMagistrates can also hear cases at a family court.\n\nThese magistrates deal with cases about children. They can:\n\n- arrange for a child to be taken into care or put up for adoption\n\n- help separated parents make arrangements for their children\n\n- enforce child maintenance orders\n\n- make court orders to prevent domestic abuse\n\nThese magistrates can get advice from the child\u2019s guardian or a family court adviser during the case.\n\n## Who can be a magistrate\n\nYou need to give up some of your spare time and not everyone can serve as a magistrate.\n\n## Qualifications\n\nYou do not need formal qualifications or legal training to become a magistrate.\n\nYou will get full training for the role, and a legal adviser in court will help you with questions about the law.\n\n## Age\n\nYou have to be over 18 and under 65.\n\nMagistrates must retire at 70 and are normally expected to serve for at least 5 years.\n\n## Health\n\nYou need to be able to hear clearly, with or without a hearing aid, to listen to a case.\n\nYou also need to be able to sit and concentrate for long periods of time.\n\n## Personal qualities\n\nYou need to show you\u2019ve got the right personal qualities, for example that you are:\n\n- aware of social issues\n\n- mature, understand people and have a sense of fairness\n\n- reliable and committed to serving the community\n\nYou also need to be able to:\n\n- understand documents, follow evidence and communicate effectively\n\n- think logically, weigh up arguments and reach a fair decision\n\n## Good character\n\nIt\u2019s unlikely you\u2019ll be taken on if you have been:\n\n- found guilty of a serious crime\n\n- found guilty of a number of minor offences\n\n- banned from driving in the past 5 to 10 years\n\n- declared bankrupt\n\n## Conflicts of interest\n\nYou cannot be a magistrate if you work in one of a small number of jobs where there could be a conflict of interest - for instance if you are a police officer.\n\n## Time off for magistrate duties\n\nYou will need to be in court for at least 13 days a year, which are usually full days.\n\nDiscuss with your employer how you will balance your work and magistrate duties.\n\nYour employer must, by law, allow you reasonable time off work to serve as a magistrate.\n\nYou will get your rota well in advance, so you can give your employer plenty of notice of when you\u2019ll be in court.\n\n## Pay and allowances\n\nMagistrates are not paid, but many employers allow their employees time off with pay.\n\nIf you lose out on pay, you can claim an allowance at a set rate, as well as allowances for travel and subsistence.\n\nFind out more about magistrates\u2019 allowances.\n\n## Training to be a magistrate\n\nYou will need training to be a magistrate.\n\nThe training when you start will add up to about 21 hours, or 3 and a half days, as well as some meetings.\n\nThe training could take place over:\n\n- a long weekend\n\n- weekdays\n\n- short evening sessions over several weeks\n\n## Apply to be a magistrate\n\n## Visit your local court\n\nYou should visit your local court at least once, and a few times if you can, to check the role is right for you.\n\nAs family cases are heard in private, you will not be able to visit a family court before you apply.\n\nUse the court finder to find your nearest court.\n\nThe court can let you know when it\u2019s best to visit and which courtrooms to go and see.\n\nIf you are invited to an interview, you will be asked to talk about your visits.\n\n## Find out where to apply\n\nYou need to apply to the advisory committee for your local court.\n\nCheck the list of advisory committees to find out if there are any vacancies in your area, and where you need to apply.\n\n## Application form\n\nYou can download the application form and guidance notes and email or post it to the advisory committee for your area.\n\n## Recruitment queries\n\nContact your local advisory committee if you have a question about applying to become a magistrate.\n\nYou can also contact the Magistrates HR Team.", + "original_contents": [ + "

    What magistrates do

    ", + "

    Magistrates are volunteers who hear cases in courts in their community. They can hear cases in the criminal court, the family court, or both.

    ", + "

    Each case is usually heard by 3 magistrates, including a magistrate who is trained to act as a chairperson.

    ", + "

    A legal adviser in the court gives advice on the law and makes sure the magistrates follow the right procedures.

    ", + "

    Criminal cases

    ", + "

    All criminal cases begin in a magistrates\u2019 court.

    ", + "

    Magistrates pass the most serious crimes (for example murder, rape and robbery) to the Crown Court. Magistrates decide if the defendant should be:

    ", + "
  • kept in custody - for example in a police or court cell
  • ", + "
  • let out on strict conditions - for example to keep away from named places or people
  • ", + "

    Magistrates deal with crimes like:

    ", + "
  • minor assaults
  • ", + "
  • motoring offences
  • ", + "
  • theft
  • ", + "
  • handling stolen goods
  • ", + "
  • TV licence evasion
  • ", + "

    Magistrates can give punishments such as:

    ", + "
  • fines
  • ", + "
  • unpaid work in the community
  • ", + "
  • prison for up to 6 months (or up to 12 months for more than 1 crime)
  • ", + "

    Family cases

    ", + "

    Magistrates can also hear cases at a family court.

    ", + "

    These magistrates deal with cases about children. They can:

    ", + "
  • arrange for a child to be taken into care or put up for adoption
  • ", + "
  • help separated parents make arrangements for their children
  • ", + "
  • enforce child maintenance orders
  • ", + "
  • make court orders to prevent domestic abuse
  • ", + "

    These magistrates can get advice from the child\u2019s guardian or a family court adviser during the case.

    ", + "

    Who can be a magistrate

    ", + "

    You need to give up some of your spare time and not everyone can serve as a magistrate.

    ", + "

    Qualifications

    ", + "

    You do not need formal qualifications or legal training to become a magistrate.

    ", + "

    You will get full training for the role, and a legal adviser in court will help you with questions about the law.

    ", + "

    Age

    ", + "

    You have to be over 18 and under 65.

    ", + "

    Magistrates must retire at 70 and are normally expected to serve for at least 5 years.

    ", + "

    Health

    ", + "

    You need to be able to hear clearly, with or without a hearing aid, to listen to a case.

    ", + "

    You also need to be able to sit and concentrate for long periods of time.

    ", + "

    Personal qualities

    ", + "

    You need to show you\u2019ve got the right personal qualities, for example that you are:

    ", + "
  • aware of social issues
  • ", + "
  • mature, understand people and have a sense of fairness
  • ", + "
  • reliable and committed to serving the community
  • ", + "

    You also need to be able to:

    ", + "
  • understand documents, follow evidence and communicate effectively
  • ", + "
  • think logically, weigh up arguments and reach a fair decision
  • ", + "

    Good character

    ", + "

    It\u2019s unlikely you\u2019ll be taken on if you have been:

    ", + "
  • found guilty of a serious crime
  • ", + "
  • found guilty of a number of minor offences
  • ", + "
  • banned from driving in the past 5 to 10 years
  • ", + "
  • declared bankrupt
  • ", + "

    Conflicts of interest

    ", + "

    You cannot be a magistrate if you work in one of a small number of jobs where there could be a conflict of interest - for instance if you are a police officer.

    ", + "

    Time off for magistrate duties

    ", + "

    You will need to be in court for at least 13 days a year, which are usually full days.

    ", + "

    Discuss with your employer how you will balance your work and magistrate duties.

    ", + "

    Your employer must, by law, allow you reasonable time off work to serve as a magistrate.

    ", + "

    You will get your rota well in advance, so you can give your employer plenty of notice of when you\u2019ll be in court.

    ", + "

    Pay and allowances

    ", + "

    Magistrates are not paid, but many employers allow their employees time off with pay.

    ", + "

    If you lose out on pay, you can claim an allowance at a set rate, as well as allowances for travel and subsistence.

    ", + "

    Find out more about magistrates\u2019 allowances.

    ", + "

    Training to be a magistrate

    ", + "

    You will need training to be a magistrate.

    ", + "

    The training when you start will add up to about 21 hours, or 3 and a half days, as well as some meetings.

    ", + "

    The training could take place over:

    ", + "
  • a long weekend
  • ", + "
  • weekdays
  • ", + "
  • short evening sessions over several weeks
  • ", + "

    Apply to be a magistrate

    ", + "

    Visit your local court

    ", + "

    You should visit your local court at least once, and a few times if you can, to check the role is right for you.

    ", + "

    As family cases are heard in private, you will not be able to visit a family court before you apply.

    ", + "

    Use the court finder to find your nearest court.

    ", + "

    The court can let you know when it\u2019s best to visit and which courtrooms to go and see.

    ", + "

    If you are invited to an interview, you will be asked to talk about your visits.

    ", + "

    Find out where to apply

    ", + "

    You need to apply to the advisory committee for your local court.

    ", + "

    Check the list of advisory committees to find out if there are any vacancies in your area, and where you need to apply.

    ", + "

    Application form

    ", + "

    You can download the application form and guidance notes and email or post it to the advisory committee for your area.

    ", + "

    Recruitment queries

    ", + "

    Contact your local advisory committee if you have a question about applying to become a magistrate.

    ", + "

    You can also contact the Magistrates HR Team.

    " + ] + }, + "https://www.gov.uk/claim-gift-aid": { + "url": "https://www.gov.uk/claim-gift-aid", + "title": "Claiming Gift Aid as a charity or CASC", + "content": "## Overview\n\nYou can claim back 25p every time an individual donates \u00a31 to your charity or community amateur sports club (CASC). This is called Gift Aid.\n\nYou must be recognised as a charity or CASC for tax purposes.\n\nThere are rules on which donations you can claim Gift Aid on.\n\nYou can claim Gift Aid online - you should get your payment within 5 weeks.\n\n## What the donor needs to do\n\nThe donor must:\n\n- have paid at least as much in Income Tax or Capital Gains Tax in that tax year as you want to claim in Gift Aid\n\n- make a Gift Aid declaration that gives you permission to claim it\n\nIf the donor has not made a declaration you may still be able to claim on cash donations of \u00a330 or less, for example from a collection.\n\n## What you can claim it on\n\nYou can claim Gift Aid on donations from individuals. The donor must:\n\n- have paid the same amount or more in Income Tax or Capital Gains Tax in that tax year\n\n- make a Gift Aid declaration that gives you permission to claim it\n\nYou must be recognised as a charity or community amateur sports club (CASC) to claim Gift Aid.\n\n## Special rules for claiming Gift Aid\n\nThere are special rules for:\n\n- funds from sponsored challenges for example overseas treks or marathons\n\n- charity membership fees\n\n- church collections\n\n- selling goods on behalf of individuals, for example through a charity shop\n\n- charity events or to view charity property\n\n- charity auctions\n\n- volunteer expenses donated back to your charity or CASC\n\n- funds raised through charities involved in running schools\n\n## What you cannot claim it on\n\nYou cannot claim on donations:\n\n- from limited companies\n\n- made through Payroll Giving\n\n- that are a payment for goods or services or made because your charity or CASC bought goods and services\n\n- where the donor gets a \u2018benefit\u2019 over a certain limit\n\n- of shares\n\n- from charity cards or of vouchers, for example Charities Aid Foundation (CAF) vouchers\n\n- of membership fees to CASCs\n\n- you got before you were a recognised charity or CASC\n\n## Gift Aid declarations\n\nTo claim Gift Aid you need to get a Gift Aid declaration from the donor. It should state that the donor:\n\n- has paid the same amount or more in Income Tax or Capital Gains Tax in that tax year\n\n- agrees to Gift Aid being claimed\n\nYou must keep a record of declarations for 6 years after the most recent donation you claimed Gift Aid on.\n\n## Gift Aid declaration forms\n\nThe declaration must include a description of the gift and the:\n\n- name of your charity or community amateur sports club (CASC)\n\n- donor\u2019s full name\n\n- donor\u2019s home address (at least their house number or name and postcode)\n\n## Example declarations\n\nDownload example Gift Aid declaration forms for:\n\n- one-off donations\n\n- all donations\n\n- sponsored events\n\n## Cash donations\n\nYou can put a Gift Aid declaration on your charity\u2019s collection envelopes.\n\nYou may still be able to claim on cash donations of \u00a330 or less if you do not have a declaration.\n\n## Small donations scheme\n\nYou may be able to claim 25% on:\n\n- cash donations of \u00a330 or less\n\n- contactless card donations of \u00a330 or less collected on or after 6 April 2019\n\nThis is called the Gift Aid small donations scheme (GASDS). You do not need a Gift Aid declaration to claim.\n\nFrom 6 April 2016, you can claim up to \u00a32,000 in a tax year or \u00a31,250 for earlier years.\n\n## Who can claim\n\nYour charity or CASC must have claimed Gift Aid:\n\n- in the same tax year as you want to claim GASDS\n\n- without getting a penalty in the last 2 tax years\n\n- in at least 2 of the last 4 tax years (without a 2-year gap between claims) if you\u2019re claiming on donations made before 6 April 2017\n\n## What you can claim\n\nYour GASDS claim cannot be more than 10 times your Gift Aid claim. For example, you can claim on \u00a31,000 worth of donations through GASDS if you\u2019ve received \u00a3100 of Gift Aid donations in the same tax year.\n\nYou can claim on donations that are eligible for Gift Aid, but not membership fees.\n\n## Collections in community buildings\n\nIf your charity has a community building (for example a village hall or religious building) you might be able to claim more on donations collected either:\n\n- in your community building\n\n- in the same council area as your community building, if you collected the donations on or after 6 April 2017\n\nFor somewhere to count as your community building, you need to have hosted at least 6 charity events there. The events must have all been attended by at least 10 people.\n\n## If your organisation is connected to another charity or CASC\n\nIf one of the charities has a community building, all of the connected charities can either:\n\n- claim as if they had a community building\n\n- share a single \u00a38,000 limit - all the charities will need to write to HMRC to do this\n\nIf none of the charities have a community building, or you\u2019re claiming for donations made before 6 April 2017, the connected charities must share a single \u00a38,000 limit.\n\nIf your charity has merged with another charity or CASC you may be able to take on the other charity\u2019s record of good claims.\n\n## Keeping records\n\nYou need to record the:\n\n- total cash donations collected\n\n- date of the collection\n\n- date it was paid into a bank account\n\nYou\u2019ll need to keep records of any contactless card donations that you\u2019ve taken, for example receipts from your card machine.\n\nFor collections in community buildings you\u2019ll also need to record:\n\n- the address of the place you collected the donations (including postcode)\n\n- the type of event\n\n- the number of events you held\n\n- an estimate of how many people were at the event\n\n- when you collected the donations\n\n## How to claim\n\nClaim under GASDS in the same way as Gift Aid.\n\n## How to claim\n\nYou can claim Gift Aid using Charities Online with:\n\n- eligible software, like a database\n\n- a spreadsheet of your donations\n\nFor claims of over 1,000 donations you must use software.\n\nTo apply by post use form ChR1, which you can get from the charities helpline.\n\n## When you must claim\n\nYour deadline to claim Gift Aid depends on how your charity is set up.\n\nYou need to claim for a donation within 4 years of the end of the financial period you received it in. This is:\n\n- the tax year (6 April to 5 April) if you\u2019re a trust\n\n- your accounting period if your charity is a community amateur sports club (CASC), a Charity Incorporated Organisation (CIO) or a limited company\n\nYou must claim on cash donations under the Gift Aid Small Donations Scheme within 2 years of the end of the tax year that the donations were collected in.\n\n## Keeping records\n\nYou need to keep records of these donations for a further two years.\n\n## When you\u2019ll get paid\n\nYou\u2019ll get a Gift Aid payment by BACS within:\n\n- 4 weeks if you claimed online\n\n- 5 weeks if you claimed by post using form ChR1\n\nContact the charities helpline if your repayment is wrong or if you submitted an incorrect claim.", + "original_contents": [ + "

    Overview

    ", + "

    You can claim back 25p every time an individual donates \u00a31 to your charity or community amateur sports club (CASC). This is called Gift Aid.

    ", + "

    You must be recognised as a charity or CASC for tax purposes.

    ", + "

    There are rules on which donations you can claim Gift Aid on.

    ", + "

    You can claim Gift Aid online - you should get your payment within 5 weeks.

    ", + "

    What the donor needs to do

    ", + "

    The donor must:

    ", + "
  • have paid at least as much in Income Tax or Capital Gains Tax in that tax year as you want to claim in Gift Aid
  • ", + "
  • make a Gift Aid declaration that gives you permission to claim it
  • ", + "

    If the donor has not made a declaration you may still be able to claim on cash donations of \u00a330 or less, for example from a collection.

    ", + "

    What you can claim it on

    ", + "

    You can claim Gift Aid on donations from individuals. The donor must:

    ", + "
  • have paid the same amount or more in Income Tax or Capital Gains Tax in that tax year
  • ", + "
  • make a Gift Aid declaration that gives you permission to claim it
  • ", + "

    You must be recognised as a charity or community amateur sports club (CASC) to claim Gift Aid.

    ", + "

    Special rules for claiming Gift Aid

    ", + "

    There are special rules for:

    ", + "
  • funds from sponsored challenges for example overseas treks or marathons
  • ", + "
  • charity membership fees
  • ", + "
  • church collections
  • ", + "
  • selling goods on behalf of individuals, for example through a charity shop
  • ", + "
  • charity events or to view charity property
  • ", + "
  • charity auctions
  • ", + "
  • volunteer expenses donated back to your charity or CASC
  • ", + "
  • funds raised through charities involved in running schools
  • ", + "

    What you cannot claim it on

    ", + "

    You cannot claim on donations:

    ", + "
  • from limited companies
  • ", + "
  • made through Payroll Giving
  • ", + "
  • that are a payment for goods or services or made because your charity or CASC bought goods and services
  • ", + "
  • where the donor gets a \u2018benefit\u2019 over a certain limit
  • ", + "
  • of shares
  • ", + "
  • from charity cards or of vouchers, for example Charities Aid Foundation (CAF) vouchers
  • ", + "
  • of membership fees to CASCs
  • ", + "
  • you got before you were a recognised charity or CASC
  • ", + "

    Gift Aid declarations

    ", + "

    To claim Gift Aid you need to get a Gift Aid declaration from the donor. It should state that the donor:

    ", + "
  • has paid the same amount or more in Income Tax or Capital Gains Tax in that tax year
  • ", + "
  • agrees to Gift Aid being claimed
  • ", + "

    You must keep a record of declarations for 6 years after the most recent donation you claimed Gift Aid on.

    ", + "

    Gift Aid declaration forms

    ", + "

    The declaration must include a description of the gift and the:

    ", + "
  • name of your charity or community amateur sports club (CASC)
  • ", + "
  • donor\u2019s full name
  • ", + "
  • donor\u2019s home address (at least their house number or name and postcode)
  • ", + "

    Example declarations

    ", + "

    Download example Gift Aid declaration forms for:

    ", + "
  • one-off donations
  • ", + "
  • all donations
  • ", + "
  • sponsored events
  • ", + "

    Cash donations

    ", + "

    You can put a Gift Aid declaration on your charity\u2019s collection envelopes.

    ", + "

    You may still be able to claim on cash donations of \u00a330 or less if you do not have a declaration.

    ", + "

    Small donations scheme

    ", + "

    You may be able to claim 25% on:

    ", + "
  • cash donations of \u00a330 or less
  • ", + "
  • contactless card donations of \u00a330 or less collected on or after 6 April 2019
  • ", + "

    This is called the Gift Aid small donations scheme (GASDS). You do not need a Gift Aid declaration to claim.

    ", + "

    From 6 April 2016, you can claim up to \u00a32,000 in a tax year or \u00a31,250 for earlier years.

    ", + "

    Who can claim

    ", + "

    Your charity or CASC must have claimed Gift Aid:

    ", + "
  • in the same tax year as you want to claim GASDS
  • ", + "
  • without getting a penalty in the last 2 tax years
  • ", + "
  • in at least 2 of the last 4 tax years (without a 2-year gap between claims) if you\u2019re claiming on donations made before 6 April 2017
  • ", + "

    What you can claim

    ", + "

    Your GASDS claim cannot be more than 10 times your Gift Aid claim. For example, you can claim on \u00a31,000 worth of donations through GASDS if you\u2019ve received \u00a3100 of Gift Aid donations in the same tax year.

    ", + "

    You can claim on donations that are eligible for Gift Aid, but not membership fees.

    ", + "

    Collections in community buildings

    ", + "

    If your charity has a community building (for example a village hall or religious building) you might be able to claim more on donations collected either:

    ", + "
  • in your community building
  • ", + "
  • in the same council area as your community building, if you collected the donations on or after 6 April 2017
  • ", + "

    For somewhere to count as your community building, you need to have hosted at least 6 charity events there. The events must have all been attended by at least 10 people.

    ", + "

    If your organisation is connected to another charity or CASC

    ", + "

    If one of the charities has a community building, all of the connected charities can either:

    ", + "
  • claim as if they had a community building
  • ", + "
  • share a single \u00a38,000 limit - all the charities will need to write to HMRC to do this
  • ", + "

    If none of the charities have a community building, or you\u2019re claiming for donations made before 6 April 2017, the connected charities must share a single \u00a38,000 limit.

    ", + "

    If your charity has merged with another charity or CASC you may be able to take on the other charity\u2019s record of good claims.

    ", + "

    Keeping records

    ", + "

    You need to record the:

    ", + "
  • total cash donations collected
  • ", + "
  • date of the collection
  • ", + "
  • date it was paid into a bank account
  • ", + "

    You\u2019ll need to keep records of any contactless card donations that you\u2019ve taken, for example receipts from your card machine.

    ", + "

    For collections in community buildings you\u2019ll also need to record:

    ", + "
  • the address of the place you collected the donations (including postcode)
  • ", + "
  • the type of event
  • ", + "
  • the number of events you held
  • ", + "
  • an estimate of how many people were at the event
  • ", + "
  • when you collected the donations
  • ", + "

    How to claim

    ", + "

    Claim under GASDS in the same way as Gift Aid.

    ", + "

    How to claim

    ", + "

    You can claim Gift Aid using Charities Online with:

    ", + "
  • eligible software, like a database
  • ", + "
  • a spreadsheet of your donations
  • ", + "

    For claims of over 1,000 donations you must use software.

    ", + "

    To apply by post use form ChR1, which you can get from the charities helpline.

    ", + "

    When you must claim

    ", + "

    Your deadline to claim Gift Aid depends on how your charity is set up.

    ", + "

    You need to claim for a donation within 4 years of the end of the financial period you received it in. This is:

    ", + "
  • the tax year (6 April to 5 April) if you\u2019re a trust
  • ", + "
  • your accounting period if your charity is a community amateur sports club (CASC), a Charity Incorporated Organisation (CIO) or a limited company
  • ", + "

    You must claim on cash donations under the Gift Aid Small Donations Scheme within 2 years of the end of the tax year that the donations were collected in.

    ", + "

    Keeping records

    ", + "

    You need to keep records of these donations for a further two years.

    ", + "

    When you\u2019ll get paid

    ", + "

    You\u2019ll get a Gift Aid payment by BACS within:

    ", + "
  • 4 weeks if you claimed online
  • ", + "
  • 5 weeks if you claimed by post using form ChR1
  • ", + "

    Contact the charities helpline if your repayment is wrong or if you submitted an incorrect claim.

    " + ] + }, + "https://www.gov.uk/honours": { + "url": "https://www.gov.uk/honours", + "title": "Nominate someone for an honour or award", + "content": "## Overview\n\nThe honours system recognises people who have:\n\n- made achievements in public life\n\n- committed themselves to serving and helping Britain\n\nThey\u2019ll usually have made life better for other people or be outstanding at what they do.\n\nThey must still be actively involved in what you\u2019re nominating them for. The only honours which can be awarded after someone\u2019s death are gallantry awards.\n\nWhether someone gets an honour - and the honour they get - is decided by an honours committee. The committee\u2019s recommendations go to the Prime Minister and then to the Queen, who awards the honour.\n\n## Nominating someone for an honour\n\nAnyone can nominate someone for an honour.\n\nHow you apply depends on whether you want to:\n\n- nominate someone in the UK\n\n- nominate someone for their work in responding to coronavirus (COVID-19)\n\n- nominate someone overseas\n\n- nominate someone for a gallantry award\n\n## After you nominate someone for an honour\n\nYou\u2019ll get an acknowledgment - but you may not hear anything else for 12 to 18 months.\n\nAll nominees will be checked by various government departments to make sure they\u2019re suitable for an honour. This may include checks by HM Revenue and Customs (HMRC).\n\nThe honours committee reviews those nominations that are sent to it.\n\n## What people get honours for\n\nPeople get honours for achievements like:\n\n- making a difference to their community or field of work\n\n- enhancing Britain\u2019s reputation\n\n- long-term voluntary service\n\n- innovation and entrepreneurship\n\n- changing things, with an emphasis on achievement\n\n- improving life for people less able to help themselves\n\n- displaying moral courage\n\nHonours are given to people involved in fields including:\n\n- community, voluntary and local services\n\n- arts and media\n\n- health\n\n- sport\n\n- education\n\n- science and technology\n\n- business and the economy\n\n- civil or political service\n\n## Group nominations\n\nYou can only nominate individuals for honours.\n\nYou can nominate a volunteer group for the Queen\u2019s Award for Voluntary Service.\n\n## Nominate someone who lives in the UK\n\nYou can nominate someone for an honour online.\n\nThere\u2019s a different process for coronavirus (COVID-19) nominations and gallantry awards.\n\nYou\u2019ll need to write a detailed description explaining why you\u2019re nominating them. Read the guidance on how to write a nomination.\n\nYou\u2019ll also need:\n\n- your nominee\u2019s name, age, address and contact details\n\n- details of relevant work or volunteering they\u2019ve done\n\n- details of any awards or other recognition they\u2019ve received\n\n- 2 supporting letters to back up your nomination - these should be from people who know the nominee personally\n\nYou can include any evidence you have of recognition your nominee has received for their achievements, for example articles, photos or letters.\n\nYou can save your nomination and come back to it later.\n\nMake a nomination\n\n## Make a nomination by email\n\nDownload and fill in the honours nomination form and email it to the Honours and Appointments Secretariat.\n\nYou can also ask the unit questions about the nomination process.\n\n## Nominate someone for coronavirus-related work\n\nYou can nominate someone who has made an exceptional contribution to the response to the coronavirus (COVID-19) crisis in the UK.\n\nAnyone can make a nomination and there is no deadline. Nominations will be considered by an independent honours committee.\n\n## How to make a nomination\n\nDownload and fill in the honours nomination form and email it to the Honours and Appointments Secretariat.\n\n## What you need to include\n\nYou should try to include:\n\n- the nominee\u2019s name\n\n- any contact details\n\n- their role\n\n- a summary of the impact the person has made\n\nYou can add additional documents, for example letters of support, as attachments to your email.\n\n## What happens next\n\nYou\u2019ll get an acknowledgment. Nominations will be processed as quickly as possible.\n\n## Nominate someone who lives or works abroad\n\nYou can nominate someone for an honour if they live or work abroad and they\u2019ve made achievements in either:\n\n- the UK and their achievement has a significant international element\n\n- another country\n\nThey\u2019ll be given an \u2018honorary award\u2019 if they\u2019re not:\n\n- British\n\n- a national of a country where the Queen is Head of State\n\nThere\u2019s a different process for gallantry awards.\n\nDownload and fill in the nomination form and send it to the Royal, Ceremonial and Honours Unit, part of the Foreign, Commonwealth and Development Office (FCDO).\n\nYou can also ask the unit questions about the nomination process.\n\n## Recommend someone for a gallantry award\n\nCivilian gallantry awards recognise the bravery of people who\u2019ve put themselves in danger to save (or attempt to save) someone\u2019s life. Recommendations are judged on:\n\n- degree of risk\n\n- how aware the nominee was of the danger\n\n- persistence\n\nThe incident must have taken place in the last 5 years. You can recommend someone after they\u2019ve died \u2013\u00a0they\u2019ll get a posthumous award. They do not have to be British (except for the George Cross award).\n\n## Types of gallantry awards\n\nYou can recommend someone for the:\n\n- George Cross (a first-level civilian medal for bravery, for acts of great heroism and courage in extreme danger)\n\n- George Medal (a second-level civilian medal for bravery, for acts of great bravery)\n\n- Queen\u2019s Gallantry Medal (a third-level civilian medal for bravery, for inspiring acts of bravery)\n\n- Queen\u2019s Commendation for Bravery/Bravery in the Air (a fourth-level civilian medal for bravery, for acts which involve risk to life)\n\n## How to recommend someone for a gallantry award\n\nEmail the Honours and Appointments Secretariat.\n\nYou\u2019ll need to write a detailed description explaining why you\u2019re recommending them. Include the person\u2019s:\n\n- name\n\n- date of birth\n\n- address\n\nGive as many details as possible about what happened. This will make your application more likely to be considered. Include:\n\n- location\n\n- date\n\n- any emergency or official services that were there\n\n## After you recommend someone for a gallantry award\n\nAll recommendations will be assessed by the George Cross Committee, which makes recommendations to the Queen, who awards the honour.\n\n## Types of honours and awards\n\nYou cannot nominate someone for a specific honour - that\u2019s decided by the honours committee.\n\nThere are also awards for bravery, called gallantry awards.\n\n## Companion of Honour\n\nThis is awarded for having a major contribution to the arts, science, medicine, or government lasting over a long period of time.\n\n## Knight or Dame\n\nThis is awarded for having a major contribution in any activity, usually at national level. Other people working in the nominee\u2019s area will see their contribution as inspirational and significant, requiring commitment over a long period of time.\n\n## Commander of the Order of the British Empire (CBE)\n\nThis is awarded for having a prominent but lesser role at national level, or a leading role at regional level. You can also get one for a distinguished, innovative contribution to any area.\n\n## Officer of the Order of the British Empire (OBE)\n\nThis is awarded for having a major local role in any activity, including people whose work has made them known nationally in their chosen area.\n\n## Member of the Order of the British Empire (MBE)\n\nAwarded for an outstanding achievement or service to the community. This will have had a long-term, significant impact and stand out as an example to others.\n\n## British Empire Medal (BEM)\n\nAwarded for a \u2018hands-on\u2019 service to the local community. This could be a long-term charitable or voluntary activity, or innovative work of a relatively short duration (3 to 4 years) that has made a significant difference.\n\n## Royal Victorian Order (RVO)\n\nAn award given by the Queen - usually to people who have helped her personally, like members of the Royal household staff or British ambassadors.\n\n## The orders\n\nThe committee decides which order someone should be a member of. You do not have to specify this in your nomination.\n\n| Order | Who can be nominated |\n\n| Order of the Bath | Senior civil servants and military officers |\n\n| Order of St Michael and St George | Diplomats and people serving the UK abroad |\n\n| Order of the British Empire | Anyone |\n\n| Companion of Honour (award) | Anyone |\n\n| Royal Victorian Order | People who have served the Queen or the Monarchy in a personal way |\n\nMost awards are in the Order of the British Empire.\n\n## Honours lists\n\nThe lists of who\u2019s received honours are published at New Year and on the Queen\u2019s official birthday in June.\n\n## 2021 New Year honours\n\nRead a full listing of the 2021 New Year honours.\n\n## 2021 Queen\u2019s Birthday honours\n\nRead a full listing of the 2021 Queen\u2019s Birthday honours.\n\n## Previous honours lists\n\nRead previous honours lists and reports on the honours system.\n\n## Foreign, Commonwealth and Development Office Honorary Awards\n\nYou can read a list of Honorary Awards approved by Her Majesty the Queen in 2021.\n\n## Civilian gallantry awards\n\nYou can read the civilian gallantry list approved by Her Majesty the Queen in 2021.", + "original_contents": [ + "

    Overview

    ", + "

    The honours system recognises people who have:

    ", + "
  • made achievements in public life
  • ", + "
  • committed themselves to serving and helping Britain
  • ", + "

    They\u2019ll usually have made life better for other people or be outstanding at what they do.

    ", + "

    They must still be actively involved in what you\u2019re nominating them for. The only honours which can be awarded after someone\u2019s death are gallantry awards.

    ", + "

    Whether someone gets an honour - and the honour they get - is decided by an honours committee. The committee\u2019s recommendations go to the Prime Minister and then to the Queen, who awards the honour.

    ", + "

    Nominating someone for an honour

    ", + "

    Anyone can nominate someone for an honour.

    ", + "

    How you apply depends on whether you want to:

    ", + "
  • nominate someone in the UK
  • ", + "
  • nominate someone for their work in responding to coronavirus (COVID-19)
  • ", + "
  • nominate someone overseas
  • ", + "
  • nominate someone for a gallantry award
  • ", + "

    After you nominate someone for an honour

    ", + "

    You\u2019ll get an acknowledgment - but you may not hear anything else for 12 to 18 months.

    ", + "

    All nominees will be checked by various government departments to make sure they\u2019re suitable for an honour. This may include checks by HM Revenue and Customs (HMRC).

    ", + "

    The honours committee reviews those nominations that are sent to it.

    ", + "

    What people get honours for

    ", + "

    People get honours for achievements like:

    ", + "
  • making a difference to their community or field of work
  • ", + "
  • enhancing Britain\u2019s reputation
  • ", + "
  • long-term voluntary service
  • ", + "
  • innovation and entrepreneurship
  • ", + "
  • changing things, with an emphasis on achievement
  • ", + "
  • improving life for people less able to help themselves
  • ", + "
  • displaying moral courage
  • ", + "

    Honours are given to people involved in fields including:

    ", + "
  • community, voluntary and local services
  • ", + "
  • arts and media
  • ", + "
  • health
  • ", + "
  • sport
  • ", + "
  • education
  • ", + "
  • science and technology
  • ", + "
  • business and the economy
  • ", + "
  • civil or political service
  • ", + "

    Group nominations

    ", + "

    You can only nominate individuals for honours.

    ", + "

    You can nominate a volunteer group for the Queen\u2019s Award for Voluntary Service.

    ", + "

    Nominate someone who lives in the UK

    ", + "

    You can nominate someone for an honour online.

    ", + "

    There\u2019s a different process for coronavirus (COVID-19) nominations and gallantry awards.

    ", + "

    You\u2019ll need to write a detailed description explaining why you\u2019re nominating them. Read the guidance on how to write a nomination.

    ", + "

    You\u2019ll also need:

    ", + "
  • your nominee\u2019s name, age, address and contact details
  • ", + "
  • details of relevant work or volunteering they\u2019ve done
  • ", + "
  • details of any awards or other recognition they\u2019ve received
  • ", + "
  • 2 supporting letters to back up your nomination - these should be from people who know the nominee personally
  • ", + "

    You can include any evidence you have of recognition your nominee has received for their achievements, for example articles, photos or letters.

    ", + "

    You can save your nomination and come back to it later.

    ", + "

    Make a nomination

    ", + "

    Make a nomination by email

    ", + "

    Download and fill in the honours nomination form and email it to the Honours and Appointments Secretariat.

    ", + "

    You can also ask the unit questions about the nomination process.

    ", + "

    Nominate someone for coronavirus-related work

    ", + "

    You can nominate someone who has made an exceptional contribution to the response to the coronavirus (COVID-19) crisis in the UK.

    ", + "

    Anyone can make a nomination and there is no deadline. Nominations will be considered by an independent honours committee.

    ", + "

    How to make a nomination

    ", + "

    Download and fill in the honours nomination form and email it to the Honours and Appointments Secretariat.

    ", + "

    What you need to include

    ", + "

    You should try to include:

    ", + "
  • the nominee\u2019s name
  • ", + "
  • any contact details
  • ", + "
  • their role
  • ", + "
  • a summary of the impact the person has made
  • ", + "

    You can add additional documents, for example letters of support, as attachments to your email.

    ", + "

    What happens next

    ", + "

    You\u2019ll get an acknowledgment. Nominations will be processed as quickly as possible.

    ", + "

    Nominate someone who lives or works abroad

    ", + "

    You can nominate someone for an honour if they live or work abroad and they\u2019ve made achievements in either:

    ", + "
  • the UK and their achievement has a significant international element
  • ", + "
  • another country
  • ", + "

    They\u2019ll be given an \u2018honorary award\u2019 if they\u2019re not:

    ", + "
  • British
  • ", + "
  • a national of a country where the Queen is Head of State
  • ", + "

    There\u2019s a different process for gallantry awards.

    ", + "

    Download and fill in the nomination form and send it to the Royal, Ceremonial and Honours Unit, part of the Foreign, Commonwealth and Development Office (FCDO).

    ", + "

    You can also ask the unit questions about the nomination process.

    ", + "

    Recommend someone for a gallantry award

    ", + "

    Civilian gallantry awards recognise the bravery of people who\u2019ve put themselves in danger to save (or attempt to save) someone\u2019s life. Recommendations are judged on:

    ", + "
  • degree of risk
  • ", + "
  • how aware the nominee was of the danger
  • ", + "
  • persistence
  • ", + "

    The incident must have taken place in the last 5 years. You can recommend someone after they\u2019ve died \u2013\u00a0they\u2019ll get a posthumous award. They do not have to be British (except for the George Cross award).

    ", + "

    Types of gallantry awards

    ", + "

    You can recommend someone for the:

    ", + "
  • George Cross (a first-level civilian medal for bravery, for acts of great heroism and courage in extreme danger)
  • ", + "
  • George Medal (a second-level civilian medal for bravery, for acts of great bravery)
  • ", + "
  • Queen\u2019s Gallantry Medal (a third-level civilian medal for bravery, for inspiring acts of bravery)
  • ", + "
  • Queen\u2019s Commendation for Bravery/Bravery in the Air (a fourth-level civilian medal for bravery, for acts which involve risk to life)
  • ", + "

    How to recommend someone for a gallantry award

    ", + "

    Email the Honours and Appointments Secretariat.

    ", + "

    You\u2019ll need to write a detailed description explaining why you\u2019re recommending them. Include the person\u2019s:

    ", + "
  • name
  • ", + "
  • date of birth
  • ", + "
  • address
  • ", + "

    Give as many details as possible about what happened. This will make your application more likely to be considered. Include:

    ", + "
  • location
  • ", + "
  • date
  • ", + "
  • any emergency or official services that were there
  • ", + "

    After you recommend someone for a gallantry award

    ", + "

    All recommendations will be assessed by the George Cross Committee, which makes recommendations to the Queen, who awards the honour.

    ", + "

    Types of honours and awards

    ", + "

    You cannot nominate someone for a specific honour - that\u2019s decided by the honours committee.

    ", + "

    There are also awards for bravery, called gallantry awards.

    ", + "

    Companion of Honour

    ", + "

    This is awarded for having a major contribution to the arts, science, medicine, or government lasting over a long period of time.

    ", + "

    Knight or Dame

    ", + "

    This is awarded for having a major contribution in any activity, usually at national level. Other people working in the nominee\u2019s area will see their contribution as inspirational and significant, requiring commitment over a long period of time.

    ", + "

    Commander of the Order of the British Empire (CBE)

    ", + "

    This is awarded for having a prominent but lesser role at national level, or a leading role at regional level. You can also get one for a distinguished, innovative contribution to any area.

    ", + "

    Officer of the Order of the British Empire (OBE)

    ", + "

    This is awarded for having a major local role in any activity, including people whose work has made them known nationally in their chosen area.

    ", + "

    Member of the Order of the British Empire (MBE)

    ", + "

    Awarded for an outstanding achievement or service to the community. This will have had a long-term, significant impact and stand out as an example to others.

    ", + "

    British Empire Medal (BEM)

    ", + "

    Awarded for a \u2018hands-on\u2019 service to the local community. This could be a long-term charitable or voluntary activity, or innovative work of a relatively short duration (3 to 4 years) that has made a significant difference.

    ", + "

    Royal Victorian Order (RVO)

    ", + "

    An award given by the Queen - usually to people who have helped her personally, like members of the Royal household staff or British ambassadors.

    ", + "

    The orders

    ", + "

    The committee decides which order someone should be a member of. You do not have to specify this in your nomination.

    ", + "Order | Who can be nominated", + "Order of the Bath | Senior civil servants and military officers", + "Order of St Michael and St George | Diplomats and people serving the UK abroad", + "Order of the British Empire | Anyone", + "Companion of Honour (award) | Anyone", + "Royal Victorian Order | People who have served the Queen or the Monarchy in a personal way", + "

    Most awards are in the Order of the British Empire.

    ", + "

    Honours lists

    ", + "

    The lists of who\u2019s received honours are published at New Year and on the Queen\u2019s official birthday in June.

    ", + "

    2021 New Year honours

    ", + "

    Read a full listing of the 2021 New Year honours.

    ", + "

    2021 Queen\u2019s Birthday honours

    ", + "

    Read a full listing of the 2021 Queen\u2019s Birthday honours.

    ", + "

    Previous honours lists

    ", + "

    Read previous honours lists and reports on the honours system.

    ", + "

    Foreign, Commonwealth and Development Office Honorary Awards

    ", + "

    You can read a list of Honorary Awards approved by Her Majesty the Queen in 2021.

    ", + "

    Civilian gallantry awards

    ", + "

    You can read the civilian gallantry list approved by Her Majesty the Queen in 2021.

    " + ] + }, + "https://www.gov.uk/register-a-community-amateur-sports-club": { + "url": "https://www.gov.uk/register-a-community-amateur-sports-club", + "title": "Register as a community amateur sports club (CASC)", + "content": "## Overview\n\nIf your sports club is eligible, you can become a community amateur sports club (CASC). You\u2019ll get:\n\n- tax relief on income, gains and profits from some activities\n\n- Gift Aid repayments on donations\n\n- business rates relief\n\nTo benefit you must register with HM Revenue and Customs (HMRC).\n\nYou can claim relief on money you use to promote and provide facilities for eligible sports. These are known as \u2018qualifying purposes\u2019.\n\nYou can\u2019t remove a CASC from the register (\u2018deregistration\u2019) though you can close it if the club\u2019s members vote and agree.\n\n## CASCs and charities\n\nYou must choose whether to register as a CASC or a charity. A registered CASC can\u2019t be recognised as a charity for tax purposes.\n\nCASCs aren\u2019t regulated by the Charity Commission.\n\n## Eligibility\n\nTo register as a CASC you must provide facilities for eligible sports and encourage people to take part. Under the new rules from 1 April 2015, at least 50% of members must take part.\n\nYou must also:\n\n- be set up with a formal constitution, known as a governing document\n\n- be open to the whole community and have affordable membership fees\n\n- be organised on an amateur basis\n\n- be set up and provide facilities in the UK, the EU, Iceland, Liechtenstein or Norway (but in one country only)\n\n- be managed by \u2018fit and proper persons\u2019\n\n## Governing document\n\nThis is the document that sets out the purpose and structure of your club. It may also be called a \u2018memorandum and articles of association\u2019.\n\nIt must:\n\n- set out how you meet the eligibility criteria for registering as a CASC\n\n- state that any assets left after the club closes are only used by another registered CASC, charity or related community sport\n\n## Open to the whole community\n\nCASCs must be open to people of all ethnicities, nationalities, sexual orientations, religions or beliefs, sexes, ages and ability - except when a certain level of physical ability is needed to take part in a sport.\n\n## Membership fees\n\nCASCs can\u2019t charge more than \u00a331 a week for membership, and clubs that charge more than \u00a310 a week must provide help (eg a discount) for people who can\u2019t pay.\n\nYou can charge different fees for different types of members, like juniors or students, as long as you\u2019re not discriminating against groups or individuals.\n\n## Organised on an amateur basis\n\nCASCs must:\n\n- not make a profit, unless this is reinvested in the club and spent only on promoting participation and providing facilities for eligible sports\n\n- not pay more than \u00a310,000 in total to all players in a year (before 1 April 2015 CASCs couldn\u2019t pay players at all)\n\n- provide only the benefits normally associated with an amateur sports club, eg use of equipment, coaching, post-match refreshments\n\n- only pay expenses for matches and tours where players take part in and promote the club\u2019s sport (before 1 April 2015 clubs couldn\u2019t pay any expenses)\n\n## Register\n\nRegister as a community amateur sports club (CASC) by filling in form CASC (A1) if your CASC is eligible.\n\nYou can\u2019t withdraw an application once it\u2019s been made.\n\n## What you need to complete the form\n\nYou must be the club\u2019s \u2018authorised official\u2019 or \u2018responsible person\u2019 to fill in the form. You\u2019ll also need:\n\n- details of at least 2 other officials, including National Insurance and telephone numbers\n\n- the name and address of the club\n\n- a correspondence address, if that\u2019s different\n\n- the number of members or subscriptions\n\n- company or VAT references, if applicable\n\n- details of a nominee or agent, if the club has one\n\n- the club\u2019s bank details\n\n- details of the club\u2019s income\n\nWithin 30 days of applying, you must send copies of the club\u2019s:\n\n- accounts from the last 12 months\n\n- bank statements from the last 3 months\n\n- rules or articles of association\n\nYou must include a translation of any documents not in English.\n\nSend them to the address on the form.\n\n## How long the application takes\n\nYou should get a response within 3 weeks.\n\n## If your application is refused\n\nHMRC will explain the reasons and what you need to change.\n\nYou can appeal in writing to HMRC within 30 days of their decision if you think it\u2019s wrong.\n\nIf you\u2019re not satisfied with the outcome you have a further 30 days to appeal to the tax tribunal.\n\n## Help with registering\n\nYou can get more help and information from HMRC\u2019s charities helpline.", + "original_contents": [ + "

    Overview

    ", + "

    If your sports club is eligible, you can become a community amateur sports club (CASC). You\u2019ll get:

    ", + "
  • tax relief on income, gains and profits from some activities
  • ", + "
  • Gift Aid repayments on donations
  • ", + "
  • business rates relief
  • ", + "

    To benefit you must register with HM Revenue and Customs (HMRC).

    ", + "

    You can claim relief on money you use to promote and provide facilities for eligible sports. These are known as \u2018qualifying purposes\u2019.

    ", + "

    You can\u2019t remove a CASC from the register (\u2018deregistration\u2019) though you can close it if the club\u2019s members vote and agree.

    ", + "

    CASCs and charities

    ", + "

    You must choose whether to register as a CASC or a charity. A registered CASC can\u2019t be recognised as a charity for tax purposes.

    ", + "

    CASCs aren\u2019t regulated by the Charity Commission.

    ", + "

    Eligibility

    ", + "

    To register as a CASC you must provide facilities for eligible sports and encourage people to take part. Under the new rules from 1 April 2015, at least 50% of members must take part.

    ", + "

    You must also:

    ", + "
  • be set up with a formal constitution, known as a governing document
  • ", + "
  • be open to the whole community and have affordable membership fees
  • ", + "
  • be organised on an amateur basis
  • ", + "
  • be set up and provide facilities in the UK, the EU, Iceland, Liechtenstein or Norway (but in one country only)
  • ", + "
  • be managed by \u2018fit and proper persons\u2019
  • ", + "

    Governing document

    ", + "

    This is the document that sets out the purpose and structure of your club. It may also be called a \u2018memorandum and articles of association\u2019.

    ", + "

    It must:

    ", + "
  • set out how you meet the eligibility criteria for registering as a CASC
  • ", + "
  • state that any assets left after the club closes are only used by another registered CASC, charity or related community sport
  • ", + "

    Open to the whole community

    ", + "

    CASCs must be open to people of all ethnicities, nationalities, sexual orientations, religions or beliefs, sexes, ages and ability - except when a certain level of physical ability is needed to take part in a sport.

    ", + "

    Membership fees

    ", + "

    CASCs can\u2019t charge more than \u00a331 a week for membership, and clubs that charge more than \u00a310 a week must provide help (eg a discount) for people who can\u2019t pay.

    ", + "

    You can charge different fees for different types of members, like juniors or students, as long as you\u2019re not discriminating against groups or individuals.

    ", + "

    Organised on an amateur basis

    ", + "

    CASCs must:

    ", + "
  • not make a profit, unless this is reinvested in the club and spent only on promoting participation and providing facilities for eligible sports
  • ", + "
  • not pay more than \u00a310,000 in total to all players in a year (before 1 April 2015 CASCs couldn\u2019t pay players at all)
  • ", + "
  • provide only the benefits normally associated with an amateur sports club, eg use of equipment, coaching, post-match refreshments
  • ", + "
  • only pay expenses for matches and tours where players take part in and promote the club\u2019s sport (before 1 April 2015 clubs couldn\u2019t pay any expenses)
  • ", + "

    Register

    ", + "

    Register as a community amateur sports club (CASC) by filling in form CASC (A1) if your CASC is eligible.

    ", + "

    You can\u2019t withdraw an application once it\u2019s been made.

    ", + "

    What you need to complete the form

    ", + "

    You must be the club\u2019s \u2018authorised official\u2019 or \u2018responsible person\u2019 to fill in the form. You\u2019ll also need:

    ", + "
  • details of at least 2 other officials, including National Insurance and telephone numbers
  • ", + "
  • the name and address of the club
  • ", + "
  • a correspondence address, if that\u2019s different
  • ", + "
  • the number of members or subscriptions
  • ", + "
  • company or VAT references, if applicable
  • ", + "
  • details of a nominee or agent, if the club has one
  • ", + "
  • the club\u2019s bank details
  • ", + "
  • details of the club\u2019s income
  • ", + "

    Within 30 days of applying, you must send copies of the club\u2019s:

    ", + "
  • accounts from the last 12 months
  • ", + "
  • bank statements from the last 3 months
  • ", + "
  • rules or articles of association
  • ", + "

    You must include a translation of any documents not in English.

    ", + "

    Send them to the address on the form.

    ", + "

    How long the application takes

    ", + "

    You should get a response within 3 weeks.

    ", + "

    If your application is refused

    ", + "

    HMRC will explain the reasons and what you need to change.

    ", + "

    You can appeal in writing to HMRC within 30 days of their decision if you think it\u2019s wrong.

    ", + "

    If you\u2019re not satisfied with the outcome you have a further 30 days to appeal to the tax tribunal.

    ", + "

    Help with registering

    ", + "

    You can get more help and information from HMRC\u2019s charities helpline.

    " + ] + }, + "https://www.gov.uk/running-community-amateur-sports-club": { + "url": "https://www.gov.uk/running-community-amateur-sports-club", + "title": "Running a community amateur sports club (CASC)", + "content": "## Overview\n\nAs a community amateur sports club (CASC) you must tell HM Revenue and Customs (HMRC) about:\n\n- any tax you need to pay\n\n- changes within your organisation\n\nThe rules for CASCs changed on 1 April 2015. Check whether you need to make changes to meet the new rules.\n\n## When you need to pay tax\n\nYou don\u2019t pay tax on some income as long as you:\n\n- are registered as a CASC with HMRC\n\n- use it to promote participation in and provide facilities for eligible sports\n\nYou may need to pay tax if:\n\n- your club uses money for other (non-qualifying) purposes\n\n- your trading or property rental income is more than the threshold for relief\n\n## Register for VAT\n\nYour CASC must register for VAT if your taxable turnover is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.\n\nTaxable turnover includes everything you sell that\u2019s not exempt from VAT. Income from sporting activities and fundraising events is exempt.\n\n## Changes to your CASC\n\nYou must report changes to your club\u2019s:\n\n- contact details\n\n- bank details\n\n- management\n\nYou can close a CASC but can\u2019t remove it from the register (this is called \u2018deregistration\u2019).\n\nIf you change the way you run your CASC you must still meet the rules on eligibility. If you don\u2019t, HM Revenue and Customs (HMRC) can cancel your registration.\n\n## Get help and advice\n\nYou can get help and advice on CASCs and charities from HMRC\u2019s charities helpline.\n\nAdvice and support is also available from cascinfo.co.uk.\n\n## Paying tax\n\nCommunity amateur sports clubs (CASCs) need to pay Corporation Tax on any income or capital gains that don\u2019t qualify for tax relief.\n\nIf your CASC needs to pay tax you must:\n\n- file a Company Tax Return\n\n- include form CT600E if you\u2019re claiming relief on any income or gains\n\nIf you have no tax to pay you only need to complete a tax return if HM Revenue and Customs (HMRC) asks you to.\n\nLimited companies must also send annual accounts to Companies House.\n\nYou may have to pay a fine if you don\u2019t complete a tax return when you need to or you file your tax return late.\n\n## Reporting changes\n\nUse form ChV1 to report changes to your community amateur sports club (CASC).\n\nAllow at least 30 days for HMRC to register your changes.\n\n## Changes you have to report\n\nYou must tell HM Revenue and Customs (HMRC) about changes to your:\n\n- organisation\u2019s contact details\n\n- authorised officials or responsible persons\n\n- nominees\u2019 details, including their bank or building society account changes\n\n- bank or building society account details\n\nYou can also use the form to tell HMRC about any other changes, for example changes to your constitution.\n\nYou must report any changes that would affect your club\u2019s eligibility to be a CASC.\n\n## Closing or deregistering a CASC\n\nOnly HM Revenue and Customs (HMRC) can deregister your CASC.\n\nIf your club\u2019s members vote and agree to close your CASC, you must:\n\n- let HMRC know\n\n- follow the rules in your governing document\n\nHMRC will tell you if you have to complete a Company Tax Return.\n\n## Disposing of assets\n\nThere are rules about what you do with your assets (for example, land or money) when you close a CASC.\n\nAny remaining assets must only be used for:\n\n- related community sport (as decided by your sport\u2019s governing body)\n\n- another registered CASC\n\n- a charity\n\nYour CASC would otherwise have to pay Corporation Tax.\n\n## If your club is removed from the register\n\nHMRC can cancel your CASC registration by writing to the club secretary if it decides your club is no longer eligible. This can be backdated.\n\nIf HMRC deregisters your CASC you:\n\n- will no longer get tax exemptions as of the deregistration date\n\n- may have to pay Corporation Tax on any assets taken out of the club", + "original_contents": [ + "

    Overview

    ", + "

    As a community amateur sports club (CASC) you must tell HM Revenue and Customs (HMRC) about:

    ", + "
  • any tax you need to pay
  • ", + "
  • changes within your organisation
  • ", + "

    The rules for CASCs changed on 1 April 2015. Check whether you need to make changes to meet the new rules.

    ", + "

    When you need to pay tax

    ", + "

    You don\u2019t pay tax on some income as long as you:

    ", + "
  • are registered as a CASC with HMRC
  • ", + "
  • use it to promote participation in and provide facilities for eligible sports
  • ", + "

    You may need to pay tax if:

    ", + "
  • your club uses money for other (non-qualifying) purposes
  • ", + "
  • your trading or property rental income is more than the threshold for relief
  • ", + "

    Register for VAT

    ", + "

    Your CASC must register for VAT if your taxable turnover is more than \u00a385,000.

    ", + "

    You can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.

    ", + "

    Taxable turnover includes everything you sell that\u2019s not exempt from VAT. Income from sporting activities and fundraising events is exempt.

    ", + "

    Changes to your CASC

    ", + "

    You must report changes to your club\u2019s:

    ", + "
  • contact details
  • ", + "
  • bank details
  • ", + "
  • management
  • ", + "

    You can close a CASC but can\u2019t remove it from the register (this is called \u2018deregistration\u2019).

    ", + "

    If you change the way you run your CASC you must still meet the rules on eligibility. If you don\u2019t, HM Revenue and Customs (HMRC) can cancel your registration.

    ", + "

    Get help and advice

    ", + "

    You can get help and advice on CASCs and charities from HMRC\u2019s charities helpline.

    ", + "

    Advice and support is also available from cascinfo.co.uk.

    ", + "

    Paying tax

    ", + "

    Community amateur sports clubs (CASCs) need to pay Corporation Tax on any income or capital gains that don\u2019t qualify for tax relief.

    ", + "

    If your CASC needs to pay tax you must:

    ", + "
  • file a Company Tax Return
  • ", + "
  • include form CT600E if you\u2019re claiming relief on any income or gains
  • ", + "

    If you have no tax to pay you only need to complete a tax return if HM Revenue and Customs (HMRC) asks you to.

    ", + "

    Limited companies must also send annual accounts to Companies House.

    ", + "

    You may have to pay a fine if you don\u2019t complete a tax return when you need to or you file your tax return late.

    ", + "

    Reporting changes

    ", + "

    Use form ChV1 to report changes to your community amateur sports club (CASC).

    ", + "

    Allow at least 30 days for HMRC to register your changes.

    ", + "

    Changes you have to report

    ", + "

    You must tell HM Revenue and Customs (HMRC) about changes to your:

    ", + "
  • organisation\u2019s contact details
  • ", + "
  • authorised officials or responsible persons
  • ", + "
  • nominees\u2019 details, including their bank or building society account changes
  • ", + "
  • bank or building society account details
  • ", + "

    You can also use the form to tell HMRC about any other changes, for example changes to your constitution.

    ", + "

    You must report any changes that would affect your club\u2019s eligibility to be a CASC.

    ", + "

    Closing or deregistering a CASC

    ", + "

    Only HM Revenue and Customs (HMRC) can deregister your CASC.

    ", + "

    If your club\u2019s members vote and agree to close your CASC, you must:

    ", + "
  • let HMRC know
  • ", + "
  • follow the rules in your governing document
  • ", + "

    HMRC will tell you if you have to complete a Company Tax Return.

    ", + "

    Disposing of assets

    ", + "

    There are rules about what you do with your assets (for example, land or money) when you close a CASC.

    ", + "

    Any remaining assets must only be used for:

    ", + "
  • related community sport (as decided by your sport\u2019s governing body)
  • ", + "
  • another registered CASC
  • ", + "
  • a charity
  • ", + "

    Your CASC would otherwise have to pay Corporation Tax.

    ", + "

    If your club is removed from the register

    ", + "

    HMRC can cancel your CASC registration by writing to the club secretary if it decides your club is no longer eligible. This can be backdated.

    ", + "

    If HMRC deregisters your CASC you:

    ", + "
  • will no longer get tax exemptions as of the deregistration date
  • ", + "
  • may have to pay Corporation Tax on any assets taken out of the club
  • " + ] + }, + "https://www.gov.uk/setting-up-charity": { + "url": "https://www.gov.uk/setting-up-charity", + "title": "Set up a charity", + "content": "## Set up a charity\n\nThere are 6 steps to setting up a charity.\n\n- Find trustees for your charity - you usually need at least 3.\n\n- Make sure the charity has \u2018charitable purposes for the public benefit\u2019.\n\n- Choose a name for your charity.\n\n- Choose a structure for your charity.\n\n- Create a \u2018governing document\u2019.\n\n- Register as a charity if your annual income is over \u00a35,000 or if you set up a charitable incorporated organisation (CIO).\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Tax relief\n\nTo get tax relief your charity needs to be recognised by HM Revenue and Customs (HMRC).\n\n## Charitable purposes\n\nYour charity must have \u2018charitable purposes\u2019 that help the public (known as being \u2018for public benefit\u2019).\n\nCharitable purposes include things that contribute to:\n\n- relieving poverty\n\n- education\n\n- religion\n\n- health\n\n- saving lives\n\n- citizenship or community development\n\n- the arts\n\n- amateur sport\n\n- human rights\n\n- religious or racial harmony\n\n- the protection of the environment\n\n- animal welfare\n\n- the efficiency of the armed forces, police, fire or ambulance services\n\nRead guidance on writing your charitable purposes.\n\nYou should also read about public benefit to decide if your charity\u2019s aims are suitable.\n\nYou can\u2019t set up a charity to help one specific person.\n\n## Name your charity\n\nYour charity name must not:\n\n- be similar to the name of an existing charity (unless you can prove you need to use it)\n\n- use words you don\u2019t have permission to use, for example a trade mark\n\n- use offensive words or acronyms\n\n- be misleading, for example suggest your charity does something it doesn\u2019t\n\nSearch the charities register to check the names of registered charities. Unregistered charities won\u2019t appear in the register.\n\n## Additional names\n\nYou can use:\n\n- abbreviations, for example National Society for the Prevention of Cruelty to Children is known as NSPCC\n\n- alternative names, for example Comic Relief is a working name for Charity Projects\n\nYou must list any alternative or working names your charity uses when you apply to register.\n\n## Non-English names\n\nYou must include a translation of any non-English words in your charity\u2019s name when you register.\n\n## Using \u2018charity\u2019 in a name\n\nYou can use the words \u2018charity\u2019, \u2018charities\u2019 or \u2018charitable\u2019 in your charity\u2019s name but you need approval from the Charity Commission if you use them when you register a company name with Companies House.\n\n## Structures\n\nYou must choose a structure for your charity, which will affect things like:\n\n- who runs the charity\n\n- how the charity is run\n\n- what the charity can do, for example employ people or own property\n\nThere are 4 common charity structures.\n\n## Charitable company\n\nYour charitable companies will have to be limited by guarantees rather than shares when you register. Select \u2018private company limited by guarantee\u2019 on the form.\n\nTrustees have limited or no liability for a charitable company\u2019s debts or liabilities.\n\n## Apply online\n\nYou can apply online to register a charitable company with Companies House.\n\n## Apply by post\n\nFill in the form to register a charitable company with Companies House by post.\n\nIt costs \u00a340.\n\nYou may also need:\n\n- continuation sheets if you need extra space to write\n\n- a Welsh version of the form\n\n## Charitable incorporated organisation (CIO)\n\nA CIO is an incorporated structure designed for charities. You create a CIO by registering with the Charity Commission. You don\u2019t need to register with Companies House.\n\nTrustees have limited or no liability for CIO debts or liabilities.\n\n## Charitable trust\n\nA \u2018charitable trust\u2019 is a way for a group of people (\u2018trustees\u2019) to manage assets such as money, investments, land or buildings.\n\n## Unincorporated charitable association\n\nAn \u2018unincorporated charitable association\u2019 is a simple way for a group of volunteers to run a charity for a common purpose.\n\nUnincorporated charitable associations can\u2019t employ staff or own premises.\n\n## Governing document\n\nYou must create a \u2018governing document\u2019 (or \u2018rulebook\u2019) for your charity that explains how your charity is run.\n\nYour governing document lets trustees and other interested parties find out:\n\n- your charity\u2019s purpose\n\n- who runs it and how they run it\n\n- how trustees will be appointed\n\n- rules about trustees\u2019 expenses\n\n- rules about payments to trustees\n\n- how to close the charity\n\nWhat type of governing document you need depends on your charity structure.\n\nRead guidance on writing your governing document, including example templates.\n\nYou can create your governing document using your own templates but it may mean registration takes longer.\n\nThe trustees must meet to sign the governing document. You\u2019ll need an independent witness if you\u2019re setting up a charitable trust.\n\n## Register your charity\n\nYou must apply to register your charity if:\n\n- its income is at least \u00a35,000 per year or it\u2019s a charitable incorporated organisation (CIO)\n\n- it\u2019s based in England or Wales (the rules are different in Scotland and Northern Ireland\n\n## Supporting documents\n\nWhen you apply you\u2019ll be asked:\n\n- about your charity\u2019s charitable purposes\n\n- how you run your charity for public benefit\n\n- for proof that your charity\u2019s annual income is above \u00a35,000, unless you\u2019re a CIO\n\nYou\u2019ll also need to give your charity\u2019s:\n\n- name\n\n- bank or building society details\n\n- most recent accounts\n\n- contact details, including a postal address\n\n- trustees\u2019 names, dates of birth and contact details\n\n- a copy of your charity\u2019s governing document (in PDF format)\n\n## Proof of income\n\nProof of income, if needed, can be any one of:\n\n- your charity\u2019s latest \u2018published\u2019 annual accounts (in PDF format) - they must have been approved as proof of income by an independent examiner or auditor\n\n- a recent bank statement (as a scanned image)\n\n- a formal offer of funding from a recognised funding body (as a scanned image)", + "original_contents": [ + "

    Set up a charity

    ", + "

    There are 6 steps to setting up a charity.

    ", + "
  • Find trustees for your charity - you usually need at least 3.
  • ", + "
  • Make sure the charity has \u2018charitable purposes for the public benefit\u2019.
  • ", + "
  • Choose a name for your charity.
  • ", + "
  • Choose a structure for your charity.
  • ", + "
  • Create a \u2018governing document\u2019.
  • ", + "
  • Register as a charity if your annual income is over \u00a35,000 or if you set up a charitable incorporated organisation (CIO).
  • ", + "

    There are different rules in Scotland and Northern Ireland.

    ", + "

    Tax relief

    ", + "

    To get tax relief your charity needs to be recognised by HM Revenue and Customs (HMRC).

    ", + "

    Charitable purposes

    ", + "

    Your charity must have \u2018charitable purposes\u2019 that help the public (known as being \u2018for public benefit\u2019).

    ", + "

    Charitable purposes include things that contribute to:

    ", + "
  • relieving poverty
  • ", + "
  • education
  • ", + "
  • religion
  • ", + "
  • health
  • ", + "
  • saving lives
  • ", + "
  • citizenship or community development
  • ", + "
  • the arts
  • ", + "
  • amateur sport
  • ", + "
  • human rights
  • ", + "
  • religious or racial harmony
  • ", + "
  • the protection of the environment
  • ", + "
  • animal welfare
  • ", + "
  • the efficiency of the armed forces, police, fire or ambulance services
  • ", + "

    Read guidance on writing your charitable purposes.

    ", + "

    You should also read about public benefit to decide if your charity\u2019s aims are suitable.

    ", + "

    You can\u2019t set up a charity to help one specific person.

    ", + "

    Name your charity

    ", + "

    Your charity name must not:

    ", + "
  • be similar to the name of an existing charity (unless you can prove you need to use it)
  • ", + "
  • use words you don\u2019t have permission to use, for example a trade mark
  • ", + "
  • use offensive words or acronyms
  • ", + "
  • be misleading, for example suggest your charity does something it doesn\u2019t
  • ", + "

    Search the charities register to check the names of registered charities. Unregistered charities won\u2019t appear in the register.

    ", + "

    Additional names

    ", + "

    You can use:

    ", + "
  • abbreviations, for example National Society for the Prevention of Cruelty to Children is known as NSPCC
  • ", + "
  • alternative names, for example Comic Relief is a working name for Charity Projects
  • ", + "

    You must list any alternative or working names your charity uses when you apply to register.

    ", + "

    Non-English names

    ", + "

    You must include a translation of any non-English words in your charity\u2019s name when you register.

    ", + "

    Using \u2018charity\u2019 in a name

    ", + "

    You can use the words \u2018charity\u2019, \u2018charities\u2019 or \u2018charitable\u2019 in your charity\u2019s name but you need approval from the Charity Commission if you use them when you register a company name with Companies House.

    ", + "

    Structures

    ", + "

    You must choose a structure for your charity, which will affect things like:

    ", + "
  • who runs the charity
  • ", + "
  • how the charity is run
  • ", + "
  • what the charity can do, for example employ people or own property
  • ", + "

    There are 4 common charity structures.

    ", + "

    Charitable company

    ", + "

    Your charitable companies will have to be limited by guarantees rather than shares when you register. Select \u2018private company limited by guarantee\u2019 on the form.

    ", + "

    Trustees have limited or no liability for a charitable company\u2019s debts or liabilities.

    ", + "

    Apply online

    ", + "

    You can apply online to register a charitable company with Companies House.

    ", + "

    Apply by post

    ", + "

    Fill in the form to register a charitable company with Companies House by post.

    ", + "

    It costs \u00a340.

    ", + "

    You may also need:

    ", + "
  • continuation sheets if you need extra space to write
  • ", + "
  • a Welsh version of the form
  • ", + "

    Charitable incorporated organisation (CIO)

    ", + "

    A CIO is an incorporated structure designed for charities. You create a CIO by registering with the Charity Commission. You don\u2019t need to register with Companies House.

    ", + "

    Trustees have limited or no liability for CIO debts or liabilities.

    ", + "

    Charitable trust

    ", + "

    A \u2018charitable trust\u2019 is a way for a group of people (\u2018trustees\u2019) to manage assets such as money, investments, land or buildings.

    ", + "

    Unincorporated charitable association

    ", + "

    An \u2018unincorporated charitable association\u2019 is a simple way for a group of volunteers to run a charity for a common purpose.

    ", + "

    Unincorporated charitable associations can\u2019t employ staff or own premises.

    ", + "

    Governing document

    ", + "

    You must create a \u2018governing document\u2019 (or \u2018rulebook\u2019) for your charity that explains how your charity is run.

    ", + "

    Your governing document lets trustees and other interested parties find out:

    ", + "
  • your charity\u2019s purpose
  • ", + "
  • who runs it and how they run it
  • ", + "
  • how trustees will be appointed
  • ", + "
  • rules about trustees\u2019 expenses
  • ", + "
  • rules about payments to trustees
  • ", + "
  • how to close the charity
  • ", + "

    What type of governing document you need depends on your charity structure.

    ", + "

    Read guidance on writing your governing document, including example templates.

    ", + "

    You can create your governing document using your own templates but it may mean registration takes longer.

    ", + "

    The trustees must meet to sign the governing document. You\u2019ll need an independent witness if you\u2019re setting up a charitable trust.

    ", + "

    Register your charity

    ", + "

    You must apply to register your charity if:

    ", + "
  • its income is at least \u00a35,000 per year or it\u2019s a charitable incorporated organisation (CIO)
  • ", + "
  • it\u2019s based in England or Wales (the rules are different in Scotland and Northern Ireland
  • ", + "

    Supporting documents

    ", + "

    When you apply you\u2019ll be asked:

    ", + "
  • about your charity\u2019s charitable purposes
  • ", + "
  • how you run your charity for public benefit
  • ", + "
  • for proof that your charity\u2019s annual income is above \u00a35,000, unless you\u2019re a CIO
  • ", + "

    You\u2019ll also need to give your charity\u2019s:

    ", + "
  • name
  • ", + "
  • bank or building society details
  • ", + "
  • most recent accounts
  • ", + "
  • contact details, including a postal address
  • ", + "
  • trustees\u2019 names, dates of birth and contact details
  • ", + "
  • a copy of your charity\u2019s governing document (in PDF format)
  • ", + "

    Proof of income

    ", + "

    Proof of income, if needed, can be any one of:

    ", + "
  • your charity\u2019s latest \u2018published\u2019 annual accounts (in PDF format) - they must have been approved as proof of income by an independent examiner or auditor
  • ", + "
  • a recent bank statement (as a scanned image)
  • ", + "
  • a formal offer of funding from a recognised funding body (as a scanned image)
  • " + ] + }, + "https://www.gov.uk/donating-to-charity": { + "url": "https://www.gov.uk/donating-to-charity", + "title": "Tax relief when you donate to a charity", + "content": "## Overview\n\nDonations by individuals to charity or to community amateur sports clubs (CASCs) are tax free. This is called tax relief.\n\nThe tax goes to you or the charity. How this works depends on whether you donate:\n\n- through Gift Aid\n\n- straight from your wages or pension through a Payroll Giving scheme\n\n- land, property or shares\n\n- in your will\n\nThis also applies to sole traders and partnerships. There are different rules for limited companies.\n\nIf you want to donate to a sports club, check if it\u2019s registered as a community amateur sports club (CASC). You cannot donate to a CASC through Payroll Giving.\n\n## Keeping records\n\nYou\u2019ll need to keep a record of your donations if you want to take them off your total taxable income.\n\n## Gift Aid\n\nDonating through Gift Aid means charities and community amateur sports clubs (CASCs) can claim an extra 25p for every \u00a31 you give. It will not cost you any extra.\n\nCharities can claim Gift Aid on most donations, but some payments do not qualify.\n\n## What you need to do\n\nYou need to make a Gift Aid declaration for the charity to claim. You usually do this by filling in a form - contact the charity if you have not got one.\n\nYou must give a declaration to each charity you want to donate to through Gift Aid.\n\nYou can include all donations from the last 4 years. Tell the charity about any tax years where you did not pay enough tax.\n\n## Paying enough tax to qualify for Gift Aid\n\nYour donations will qualify as long as they\u2019re not more than 4 times what you have paid in tax in that tax year (6 April to 5 April).\n\nThe tax could have been paid on income or capital gains.\n\nYou must tell the charities you support if you stop paying enough tax.\n\n## Higher rate taxpayers\n\nIf you pay tax above the basic rate, you can claim the difference between the rate you pay and basic rate on your donation. It\u2019s the same if you live in Scotland. Do this either:\n\n- through your Self Assessment tax return\n\n- by asking HM Revenue and Customs (HMRC) to amend your tax code\n\nWith Payroll Giving, you do not pay the difference between the higher and basic rate of tax on your donation.\n\n## Getting tax relief sooner\n\nIn your Self Assessment tax return, you normally only report things from the previous tax year.\n\nBut for Gift Aid, you can also claim tax relief on donations you make in the current tax year (up to the date you send your return) if you either:\n\n- want tax relief sooner\n\n- will not pay higher rate tax in current year, but you did in the previous year\n\nYou cannot do this if:\n\n- you miss the deadline\n (31 January if you file online)\n\n- your donations do not qualify for Gift Aid - your donations from both tax years together must not be more than 4 times what you paid in tax in the previous year\n\nIf you do not have to send a tax return, contact HMRC and ask for a P810 form. You\u2019ll need to submit it by 31 January after the end of the previous tax year.\n\n## Donating straight from your wages or pension\n\nIf your employer, company or personal pension provider runs a Payroll Giving scheme, you can donate straight from your wages or pension. This happens before tax is deducted from your income.\n\nAsk your employer or pension provider if they run a Payroll Giving scheme.\n\nYou cannot donate to a community amateur sports club (CASC) through Payroll Giving.\n\nThe tax relief you get depends on the rate of tax you pay. To donate \u00a31, you pay:\n\n- 80p if you\u2019re a basic rate taxpayer\n\n- 60p if you\u2019re a higher rate taxpayer\n\n- 55p if you\u2019re an additional rate taxpayer\n\nThe tax relief you get is different if you live in Scotland. To donate \u00a31, you pay:\n\n- 81p if you\u2019re a starter rate taxpayer\n\n- 80p if you\u2019re a basic rate taxpayer\n\n- 79p if you\u2019re a intermediate rate taxpayer\n\n- 59p if you\u2019re a higher rate taxpayer\n\n- 54p if you\u2019re a top rate taxpayer\n\n## Donating land, property or shares\n\nYou do not have to pay tax on land, property or shares you donate to charity. This includes selling them for less than their market value.\n\nYou get tax relief on both:\n\n- Income Tax\n\n- Capital Gains Tax\n\nYou cannot get Income Tax relief on donations to community amateur sports clubs (CASCs).\n\nYou must keep records of the donation to show that you\u2019ve made the gift or sale and that the charity has accepted it.\n\n## Income Tax relief\n\nYou can pay less Income Tax by deducting the value of your donation from your total taxable income. Do this for the tax year (6 April to 5 April) in which you made the gift or sale to charity.\n\n## How to claim\n\nIf you complete a Self Assessment tax return, add the amount you\u2019re claiming in the \u2018Charitable giving\u2019 section of the form. This will reduce your Self Assessment bill.\n\nIf you do not complete a tax return, write to HM Revenue and Customs (HMRC) with details of the gift or sale and your tax relief amount. You\u2019ll either get a refund, or your tax code will be changed so you pay less Income Tax for that tax year.\n\n## Capital Gains Tax relief\n\nYou do not have to pay Capital Gains Tax on land, property or shares you give to charity.\n\nYou may have to pay if you sell them for more than they cost you but less than their market value. Work out your gain using the amount the charity actually pays you, rather than the value of the asset.\n\n## Selling land, property or shares on behalf of a charity\n\nWhen you offer a gift of land, property or shares, the charity may ask you to sell the gift on its behalf.\n\nYou can do this and still claim tax relief for the donation, but you must keep records of the gift and the charity\u2019s request. Without them, you might have to pay Capital Gains Tax.\n\n## Leaving gifts to charity in your will\n\nYour will says what will happen to your money, property and possessions after you die.\n\nYour donation will either:\n\n- be taken off the value of your estate before Inheritance Tax is calculated\n\n- reduce your Inheritance Tax rate, if 10% or more of your estate is left to charity\n\nYou can donate:\n\n- a fixed amount\n\n- an item\n\n- what\u2019s left after other gifts have been given out\n\n## Writing your will\n\nFind out how to write or update your will, including how to make sure it\u2019s legal.\n\nInclude the charity\u2019s full name - check with them or search the charity register in England and Wales, Scotland or Northern Ireland.\n\n## Keeping records\n\nYou need to keep records of donations if you want to claim tax back on them.\n\n## Gift Aid donations\n\nKeep records if you:\n\n- pay higher rate tax\n\n- claim tax credits\n\n- get a higher Personal Allowance because of your age\n\n- get Married Couple\u2019s Allowance\n\nIf you\u2019re claiming tax back through your Self Assessment tax return or by asking HM Revenue & Customs (HMRC) to amend your tax code keep records showing the date, the amount and which charities you\u2019ve donated to.\n\n## Land, buildings and shares\n\nFor donations of land, property or shares you need to keep:\n\n- legal documents showing the sale or transfer to charity\n\n- any documents from a charity asking you to sell land or shares on its behalf\n\nYou normally have to keep your records for at least 22 months from the end of the tax year they\u2019re for.", + "original_contents": [ + "

    Overview

    ", + "

    Donations by individuals to charity or to community amateur sports clubs (CASCs) are tax free. This is called tax relief.

    ", + "

    The tax goes to you or the charity. How this works depends on whether you donate:

    ", + "
  • through Gift Aid
  • ", + "
  • straight from your wages or pension through a Payroll Giving scheme
  • ", + "
  • land, property or shares
  • ", + "
  • in your will
  • ", + "

    This also applies to sole traders and partnerships. There are different rules for limited companies.

    ", + "

    If you want to donate to a sports club, check if it\u2019s registered as a community amateur sports club (CASC). You cannot donate to a CASC through Payroll Giving.

    ", + "

    Keeping records

    ", + "

    You\u2019ll need to keep a record of your donations if you want to take them off your total taxable income.

    ", + "

    Gift Aid

    ", + "

    Donating through Gift Aid means charities and community amateur sports clubs (CASCs) can claim an extra 25p for every \u00a31 you give. It will not cost you any extra.

    ", + "

    Charities can claim Gift Aid on most donations, but some payments do not qualify.

    ", + "

    What you need to do

    ", + "

    You need to make a Gift Aid declaration for the charity to claim. You usually do this by filling in a form - contact the charity if you have not got one.

    ", + "

    You must give a declaration to each charity you want to donate to through Gift Aid.

    ", + "

    You can include all donations from the last 4 years. Tell the charity about any tax years where you did not pay enough tax.

    ", + "

    Paying enough tax to qualify for Gift Aid

    ", + "

    Your donations will qualify as long as they\u2019re not more than 4 times what you have paid in tax in that tax year (6 April to 5 April).

    ", + "

    The tax could have been paid on income or capital gains.

    ", + "

    You must tell the charities you support if you stop paying enough tax.

    ", + "

    Higher rate taxpayers

    ", + "

    If you pay tax above the basic rate, you can claim the difference between the rate you pay and basic rate on your donation. It\u2019s the same if you live in Scotland. Do this either:

    ", + "
  • through your Self Assessment tax return
  • ", + "
  • by asking HM Revenue and Customs (HMRC) to amend your tax code
  • ", + "

    With Payroll Giving, you do not pay the difference between the higher and basic rate of tax on your donation.

    ", + "

    Getting tax relief sooner

    ", + "

    In your Self Assessment tax return, you normally only report things from the previous tax year.

    ", + "

    But for Gift Aid, you can also claim tax relief on donations you make in the current tax year (up to the date you send your return) if you either:

    ", + "
  • want tax relief sooner
  • ", + "
  • will not pay higher rate tax in current year, but you did in the previous year
  • ", + "

    You cannot do this if:

    ", + "
  • you miss the deadline\n (31 January if you file online)
  • ", + "
  • your donations do not qualify for Gift Aid - your donations from both tax years together must not be more than 4 times what you paid in tax in the previous year
  • ", + "

    If you do not have to send a tax return, contact HMRC and ask for a P810 form. You\u2019ll need to submit it by 31 January after the end of the previous tax year.

    ", + "

    Donating straight from your wages or pension

    ", + "

    If your employer, company or personal pension provider runs a Payroll Giving scheme, you can donate straight from your wages or pension. This happens before tax is deducted from your income.

    ", + "

    Ask your employer or pension provider if they run a Payroll Giving scheme.

    ", + "

    You cannot donate to a community amateur sports club (CASC) through Payroll Giving.

    ", + "

    The tax relief you get depends on the rate of tax you pay. To donate \u00a31, you pay:

    ", + "
  • 80p if you\u2019re a basic rate taxpayer
  • ", + "
  • 60p if you\u2019re a higher rate taxpayer
  • ", + "
  • 55p if you\u2019re an additional rate taxpayer
  • ", + "

    The tax relief you get is different if you live in Scotland. To donate \u00a31, you pay:

    ", + "
  • 81p if you\u2019re a starter rate taxpayer
  • ", + "
  • 80p if you\u2019re a basic rate taxpayer
  • ", + "
  • 79p if you\u2019re a intermediate rate taxpayer
  • ", + "
  • 59p if you\u2019re a higher rate taxpayer
  • ", + "
  • 54p if you\u2019re a top rate taxpayer
  • ", + "

    Donating land, property or shares

    ", + "

    You do not have to pay tax on land, property or shares you donate to charity. This includes selling them for less than their market value.

    ", + "

    You get tax relief on both:

    ", + "
  • Income Tax
  • ", + "
  • Capital Gains Tax
  • ", + "

    You cannot get Income Tax relief on donations to community amateur sports clubs (CASCs).

    ", + "

    You must keep records of the donation to show that you\u2019ve made the gift or sale and that the charity has accepted it.

    ", + "

    Income Tax relief

    ", + "

    You can pay less Income Tax by deducting the value of your donation from your total taxable income. Do this for the tax year (6 April to 5 April) in which you made the gift or sale to charity.

    ", + "

    How to claim

    ", + "

    If you complete a Self Assessment tax return, add the amount you\u2019re claiming in the \u2018Charitable giving\u2019 section of the form. This will reduce your Self Assessment bill.

    ", + "

    If you do not complete a tax return, write to HM Revenue and Customs (HMRC) with details of the gift or sale and your tax relief amount. You\u2019ll either get a refund, or your tax code will be changed so you pay less Income Tax for that tax year.

    ", + "

    Capital Gains Tax relief

    ", + "

    You do not have to pay Capital Gains Tax on land, property or shares you give to charity.

    ", + "

    You may have to pay if you sell them for more than they cost you but less than their market value. Work out your gain using the amount the charity actually pays you, rather than the value of the asset.

    ", + "

    Selling land, property or shares on behalf of a charity

    ", + "

    When you offer a gift of land, property or shares, the charity may ask you to sell the gift on its behalf.

    ", + "

    You can do this and still claim tax relief for the donation, but you must keep records of the gift and the charity\u2019s request. Without them, you might have to pay Capital Gains Tax.

    ", + "

    Leaving gifts to charity in your will

    ", + "

    Your will says what will happen to your money, property and possessions after you die.

    ", + "

    Your donation will either:

    ", + "
  • be taken off the value of your estate before Inheritance Tax is calculated
  • ", + "
  • reduce your Inheritance Tax rate, if 10% or more of your estate is left to charity
  • ", + "

    You can donate:

    ", + "
  • a fixed amount
  • ", + "
  • an item
  • ", + "
  • what\u2019s left after other gifts have been given out
  • ", + "

    Writing your will

    ", + "

    Find out how to write or update your will, including how to make sure it\u2019s legal.

    ", + "

    Include the charity\u2019s full name - check with them or search the charity register in England and Wales, Scotland or Northern Ireland.

    ", + "

    Keeping records

    ", + "

    You need to keep records of donations if you want to claim tax back on them.

    ", + "

    Gift Aid donations

    ", + "

    Keep records if you:

    ", + "
  • pay higher rate tax
  • ", + "
  • claim tax credits
  • ", + "
  • get a higher Personal Allowance because of your age
  • ", + "
  • get Married Couple\u2019s Allowance
  • ", + "

    If you\u2019re claiming tax back through your Self Assessment tax return or by asking HM Revenue & Customs (HMRC) to amend your tax code keep records showing the date, the amount and which charities you\u2019ve donated to.

    ", + "

    Land, buildings and shares

    ", + "

    For donations of land, property or shares you need to keep:

    ", + "
  • legal documents showing the sale or transfer to charity
  • ", + "
  • any documents from a charity asking you to sell land or shares on its behalf
  • ", + "

    You normally have to keep your records for at least 22 months from the end of the tax year they\u2019re for.

    " + ] + }, + "https://www.gov.uk/vat-charities": { + "url": "https://www.gov.uk/vat-charities", + "title": "VAT for charities", + "content": "## Overview\n\nAs a charity you do not pay VAT when you buy some goods and services.\n\nCommunity amateur sports clubs (CASCs) do not qualify for the same VAT reliefs as charities.\n\n## How to get VAT relief\n\nYou must prove to the person who\u2019s selling the goods or services to you that you\u2019re eligible for relief. You do not need to be registered for VAT.\n\n## When you must register for VAT\n\nYou must register for VAT if your charity\u2019s VAT taxable turnover (the total value of everything you sell that isn\u2019t exempt from VAT) is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example if you want to reclaim VAT on your supplies.\n\n## Get help with VAT\n\nContact HM Revenue and Customs (HMRC) if you have questions about VAT for your charity.\n\n## What qualifies for VAT relief\n\nCharities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.\n\n## What qualifies for the reduced rate\n\nYour charity pays 5% VAT on fuel and power if they\u2019re for:\n\n- residential accommodation (for example, a children\u2019s home or care home for the elderly)\n\n- charitable non-business activities (for example, free daycare for disabled people)\n\n- small-scale use (up to 1,000 kilowatt hours of electricity a month or a delivery of 2,300 litres of gas oil)\n\nIf less than 60% of the fuel and power is for something that qualifies, you\u2019ll pay the reduced rate of VAT on the qualifying part and the standard rate (20%) on the rest.\n\nQualifying fuel and power includes gases, electricity, oils and solid fuels (such as coal). It does not include vehicle fuel.\n\n## What qualifies for the zero rate\n\nFind out about the conditions you must meet so that your charity pays no VAT (the zero rate) when you buy:\n\n- advertising and items for collecting donations\n\n- aids for disabled people\n\n- construction services\n\n- drugs and chemicals\n\n- equipment for making \u2018talking\u2019 books and newspapers\n\n- lifeboats and associated equipment, including fuel\n\n- medicine or ingredients for medicine\n\n- resuscitation training models\n\n- medical, veterinary and scientific equipment\n\n- ambulances\n\n- goods for disabled people\n\n- motor vehicles designed or adapted for a disability\n\n- rescue equipment\n\n## VAT-free goods from outside the UK\n\nCharities do not pay VAT on goods imported from outside the UK as long as they\u2019re benefiting people in need by providing:\n\n- basic necessities\n\n- equipment and office materials to help run your organisation for the benefit of people in need\n\n- goods to be used or sold at charity events\n\nYou can check which goods you can claim VAT relief for, as well as how to claim.\n\n## How to claim VAT relief\n\nTo get VAT relief you must give your supplier:\n\n- evidence that you\u2019re a charity\n\n- a written declaration or \u2018certificate\u2019 confirming that you\u2019re eligible for the relief\n\n## Evidence of charitable status\n\nThis can be either your:\n\n- Charity Commission registration number\n\n- letter of recognition from HM Revenue and Customs (HMRC)\n\nScottish and Northern Irish charities must provide their letter of recognition from HMRC.\n\n## Written declaration\n\nYou must give your supplier an eligibility declaration or certificate when they sell you goods or services at zero rate VAT. There are examples of declarations and certificates for different goods.\n\nIf you\u2019re buying building or construction services at zero VAT, the certificate must follow a set format.\n\nThe written declaration or certificate should be separate from the order form or invoice for the goods or services your charity is buying.\n\n## Charities and VAT registration\n\nAs a charity, you must register for VAT with HM Revenue and Customs (HMRC) if your VAT taxable turnover is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example to reclaim VAT on your supplies.\n\nIf you\u2019re registered for VAT you must send a return every 3 months.\n\n## Work out your taxable turnover\n\nTo work out your VAT taxable turnover add up the total value of everything you sell in a 12-month period that is not:\n\n- exempt from VAT\n\n- outside the scope of VAT\n\nCheck what VAT rate applies to your charity\u2019s activities.\n\n## Exempt from VAT\n\nYou cannot charge VAT on exempt goods and services (such as the provision of welfare services). You cannot normally reclaim VAT on any goods and services purchased in relation to an exempt business activity.\n\nYou cannot register for VAT if all your business activities are exempt from VAT.\n\n## Outside the scope of VAT\n\nIncome from non-business activities is \u2018outside the scope\u2019 of VAT (you cannot charge or reclaim VAT on them). This includes:\n\n- donations where nothing is given in return\n\n- grant funding given to support your charitable activities where nothing is given in return\n\n- activities where your organisation does not make a charge\n\nRead more about what counts as a business activity.\n\n## Charging VAT\n\nOnce you\u2019ve registered you must charge VAT at the correct rate on everything you supply.\n\n## Reclaiming VAT\n\nIf you\u2019re registered you may be able to reclaim VAT when you file your VAT Return.\n\nYou can reclaim the VAT you were charged on goods and services relating to your taxable business activities.\n\n## Exports outside the UK\n\nIf you supply goods outside the UK free of charge (for example as aid), you can treat this as a zero-rate business activity (0% VAT) so you can reclaim the VAT on any associated costs.", + "original_contents": [ + "

    Overview

    ", + "

    As a charity you do not pay VAT when you buy some goods and services.

    ", + "

    Community amateur sports clubs (CASCs) do not qualify for the same VAT reliefs as charities.

    ", + "

    How to get VAT relief

    ", + "

    You must prove to the person who\u2019s selling the goods or services to you that you\u2019re eligible for relief. You do not need to be registered for VAT.

    ", + "

    When you must register for VAT

    ", + "

    You must register for VAT if your charity\u2019s VAT taxable turnover (the total value of everything you sell that isn\u2019t exempt from VAT) is more than \u00a385,000.

    ", + "

    You can choose to register if it\u2019s below this, for example if you want to reclaim VAT on your supplies.

    ", + "

    Get help with VAT

    ", + "

    Contact HM Revenue and Customs (HMRC) if you have questions about VAT for your charity.

    ", + "

    What qualifies for VAT relief

    ", + "

    Charities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.

    ", + "

    What qualifies for the reduced rate

    ", + "

    Your charity pays 5% VAT on fuel and power if they\u2019re for:

    ", + "
  • residential accommodation (for example, a children\u2019s home or care home for the elderly)
  • ", + "
  • charitable non-business activities (for example, free daycare for disabled people)
  • ", + "
  • small-scale use (up to 1,000 kilowatt hours of electricity a month or a delivery of 2,300 litres of gas oil)
  • ", + "

    If less than 60% of the fuel and power is for something that qualifies, you\u2019ll pay the reduced rate of VAT on the qualifying part and the standard rate (20%) on the rest.

    ", + "

    Qualifying fuel and power includes gases, electricity, oils and solid fuels (such as coal). It does not include vehicle fuel.

    ", + "

    What qualifies for the zero rate

    ", + "

    Find out about the conditions you must meet so that your charity pays no VAT (the zero rate) when you buy:

    ", + "
  • advertising and items for collecting donations
  • ", + "
  • aids for disabled people
  • ", + "
  • construction services
  • ", + "
  • drugs and chemicals
  • ", + "
  • equipment for making \u2018talking\u2019 books and newspapers
  • ", + "
  • lifeboats and associated equipment, including fuel
  • ", + "
  • medicine or ingredients for medicine
  • ", + "
  • resuscitation training models
  • ", + "
  • medical, veterinary and scientific equipment
  • ", + "
  • ambulances
  • ", + "
  • goods for disabled people
  • ", + "
  • motor vehicles designed or adapted for a disability
  • ", + "
  • rescue equipment
  • ", + "

    VAT-free goods from outside the UK

    ", + "

    Charities do not pay VAT on goods imported from outside the UK as long as they\u2019re benefiting people in need by providing:

    ", + "
  • basic necessities
  • ", + "
  • equipment and office materials to help run your organisation for the benefit of people in need
  • ", + "
  • goods to be used or sold at charity events
  • ", + "

    You can check which goods you can claim VAT relief for, as well as how to claim.

    ", + "

    How to claim VAT relief

    ", + "

    To get VAT relief you must give your supplier:

    ", + "
  • evidence that you\u2019re a charity
  • ", + "
  • a written declaration or \u2018certificate\u2019 confirming that you\u2019re eligible for the relief
  • ", + "

    Evidence of charitable status

    ", + "

    This can be either your:

    ", + "
  • Charity Commission registration number
  • ", + "
  • letter of recognition from HM Revenue and Customs (HMRC)
  • ", + "

    Scottish and Northern Irish charities must provide their letter of recognition from HMRC.

    ", + "

    Written declaration

    ", + "

    You must give your supplier an eligibility declaration or certificate when they sell you goods or services at zero rate VAT. There are examples of declarations and certificates for different goods.

    ", + "

    If you\u2019re buying building or construction services at zero VAT, the certificate must follow a set format.

    ", + "

    The written declaration or certificate should be separate from the order form or invoice for the goods or services your charity is buying.

    ", + "

    Charities and VAT registration

    ", + "

    As a charity, you must register for VAT with HM Revenue and Customs (HMRC) if your VAT taxable turnover is more than \u00a385,000.

    ", + "

    You can choose to register if it\u2019s below this, for example to reclaim VAT on your supplies.

    ", + "

    If you\u2019re registered for VAT you must send a return every 3 months.

    ", + "

    Work out your taxable turnover

    ", + "

    To work out your VAT taxable turnover add up the total value of everything you sell in a 12-month period that is not:

    ", + "
  • exempt from VAT
  • ", + "
  • outside the scope of VAT
  • ", + "

    Check what VAT rate applies to your charity\u2019s activities.

    ", + "

    Exempt from VAT

    ", + "

    You cannot charge VAT on exempt goods and services (such as the provision of welfare services). You cannot normally reclaim VAT on any goods and services purchased in relation to an exempt business activity.

    ", + "

    You cannot register for VAT if all your business activities are exempt from VAT.

    ", + "

    Outside the scope of VAT

    ", + "

    Income from non-business activities is \u2018outside the scope\u2019 of VAT (you cannot charge or reclaim VAT on them). This includes:

    ", + "
  • donations where nothing is given in return
  • ", + "
  • grant funding given to support your charitable activities where nothing is given in return
  • ", + "
  • activities where your organisation does not make a charge
  • ", + "

    Read more about what counts as a business activity.

    ", + "

    Charging VAT

    ", + "

    Once you\u2019ve registered you must charge VAT at the correct rate on everything you supply.

    ", + "

    Reclaiming VAT

    ", + "

    If you\u2019re registered you may be able to reclaim VAT when you file your VAT Return.

    ", + "

    You can reclaim the VAT you were charged on goods and services relating to your taxable business activities.

    ", + "

    Exports outside the UK

    ", + "

    If you supply goods outside the UK free of charge (for example as aid), you can treat this as a zero-rate business activity (0% VAT) so you can reclaim the VAT on any associated costs.

    " + ] + }, + "https://www.gov.uk/volunteer-as-a-coastguard": { + "url": "https://www.gov.uk/volunteer-as-a-coastguard", + "title": "Volunteer as a coastguard", + "content": "## What the Coastguard Rescue Service does\n\nThe Coastguard Rescue Service is made up of volunteers and is part of HM Coastguard.\n\nAs a coastguard rescue officer you may have to:\n\n- help rescue people trapped on the coast, for example on cliffs, stuck in mud or in the water\n\n- search for missing people\n\n- report and deal with pollution and other hazards\n\n- help emergency services and local authorities during emergencies, for example flooding\n\n- gather information for the coastguard operations centre\n\n- go to schools, clubs and other public places to tell people about staying safe at sea and along the coast\n\n- carry out duties for the Receiver of Wreck, for example dealing with wreckage or dead whales and dolphins on the shoreline\n\n## What to expect as a volunteer\n\nAs a coastguard rescue officer you:\n\n- could be called out at any time of the day or night\n\n- may have to work in hazardous situations for long hours\n\n- may have to carry out physically demanding tasks, for example carrying heavy equipment to rescue sites\n\nAs a volunteer you will not be paid. You can claim a small amount for your time and expenses.\n\n## Volunteering and working\n\nYou can have a full time job and still be a coastguard rescue officer.\n\nYou must ask your employer if you can respond to emergencies during work hours before you become a volunteer.\n\nYou can still go on holiday - just let your coastguard manager know when you\u2019re going to be away.\n\n## Training and equipment\n\nYou must pass initial training by HM Coastguard, followed by regular training to keep your skills up to date.\n\nThis will include training in:\n\n- first aid\n\n- water rescue\n\n- map work\n\n- search techniques\n\n- communications\n\n- skills you need for your local area, for example rope rescue, mud rescue\n\nTraining is often held in the evenings or at weekends.\n\nYou\u2019ll be given all the equipment and protective clothing that you need.\n\n## Who can apply\n\nAll of the following must apply:\n\n- you\u2019re aged 18 or over\n\n- you have a full driving licence\n\n- you live or work within 30 minutes of the rescue station - check the map to find your nearest station\n\nYour local station may have further requirements, for example you may need to live closer to the station.\n\n## Health and fitness\n\nYou need to be reasonably fit and generally in good health. You must also:\n\n- weigh 120kg or less\n\n- have a waist measurement of 110cm or less\n\nYou must take a health and fitness test, and meet eyesight and hearing requirements.\n\nIf you have type 1 diabetes there will be restrictions on what activities you can do. Contact crsenquiries@mcga.gov.uk to find out if you can apply.\n\n## How to apply\n\nContact your local area management team to find out if there are any volunteering opportunities.\n\nTo do this, you need to find which team is responsible for your area.\n\n- Check the map of coastguard stations in the UK. If you cannot access the map, contact crsenquiries@mcga.gov.uk.\n\n- Find the coastguard station you want to volunteer at on the map.\n\n- Check which area the station is in, for example \u2018Area 1\u2019.\n\n- Email the relevant area - you can find the contact details in the table. Use the subject line \u2018coastguard rescue service enrolment\u2019. Do not send your CV or any other attachments.\n\n## Area contact details\n\nFind the email address for your local area.\n\n| Coastguard area | Email address | |\n\n| 1 | area1@mcga.gov.uk | |\n\n| 2 | area2@mcga.gov.uk | |\n\n| 3 | area3@mcga.gov.uk | |\n\n| 4 | area4@mcga.gov.uk | |\n\n| 5 | area5@mcga.gov.uk | |\n\n| 6 | area6@mcga.gov.uk | |\n\n| 7 | area7@mcga.gov.uk | |\n\n| 8 | area8@mcga.gov.uk | |\n\n| 9 | area9@mcga.gov.uk | |\n\n| 10 | area10@mcga.gov.uk | |\n\n| 11 | area11@mcga.gov.uk | |\n\n| 12 | area12@mcga.gov.uk | |\n\n| 13 | area13@mcga.gov.uk | |\n\n| 14 | area14@mcga.gov.uk | |\n\n| 15 | area15@mcga.gov.uk | |\n\n| 16 | area16@mcga.gov.uk | |\n\n| 17 | area17@mcga.gov.uk | |\n\n| 18 | area18@mcga.gov.uk | |", + "original_contents": [ + "

    What the Coastguard Rescue Service does

    ", + "

    The Coastguard Rescue Service is made up of volunteers and is part of HM Coastguard.

    ", + "

    As a coastguard rescue officer you may have to:

    ", + "
  • help rescue people trapped on the coast, for example on cliffs, stuck in mud or in the water
  • ", + "
  • search for missing people
  • ", + "
  • report and deal with pollution and other hazards
  • ", + "
  • help emergency services and local authorities during emergencies, for example flooding
  • ", + "
  • gather information for the coastguard operations centre
  • ", + "
  • go to schools, clubs and other public places to tell people about staying safe at sea and along the coast
  • ", + "
  • carry out duties for the Receiver of Wreck, for example dealing with wreckage or dead whales and dolphins on the shoreline
  • ", + "

    What to expect as a volunteer

    ", + "

    As a coastguard rescue officer you:

    ", + "
  • could be called out at any time of the day or night
  • ", + "
  • may have to work in hazardous situations for long hours
  • ", + "
  • may have to carry out physically demanding tasks, for example carrying heavy equipment to rescue sites
  • ", + "

    As a volunteer you will not be paid. You can claim a small amount for your time and expenses.

    ", + "

    Volunteering and working

    ", + "

    You can have a full time job and still be a coastguard rescue officer.

    ", + "

    You must ask your employer if you can respond to emergencies during work hours before you become a volunteer.

    ", + "

    You can still go on holiday - just let your coastguard manager know when you\u2019re going to be away.

    ", + "

    Training and equipment

    ", + "

    You must pass initial training by HM Coastguard, followed by regular training to keep your skills up to date.

    ", + "

    This will include training in:

    ", + "
  • first aid
  • ", + "
  • water rescue
  • ", + "
  • map work
  • ", + "
  • search techniques
  • ", + "
  • communications
  • ", + "
  • skills you need for your local area, for example rope rescue, mud rescue
  • ", + "

    Training is often held in the evenings or at weekends.

    ", + "

    You\u2019ll be given all the equipment and protective clothing that you need.

    ", + "

    Who can apply

    ", + "

    All of the following must apply:

    ", + "
  • you\u2019re aged 18 or over
  • ", + "
  • you have a full driving licence
  • ", + "
  • you live or work within 30 minutes of the rescue station - check the map to find your nearest station
  • ", + "

    Your local station may have further requirements, for example you may need to live closer to the station.

    ", + "

    Health and fitness

    ", + "

    You need to be reasonably fit and generally in good health. You must also:

    ", + "
  • weigh 120kg or less
  • ", + "
  • have a waist measurement of 110cm or less
  • ", + "

    You must take a health and fitness test, and meet eyesight and hearing requirements.

    ", + "

    If you have type 1 diabetes there will be restrictions on what activities you can do. Contact crsenquiries@mcga.gov.uk to find out if you can apply.

    ", + "

    How to apply

    ", + "

    Contact your local area management team to find out if there are any volunteering opportunities.

    ", + "

    To do this, you need to find which team is responsible for your area.

    ", + "
  • Check the map of coastguard stations in the UK. If you cannot access the map, contact crsenquiries@mcga.gov.uk.
  • ", + "
  • Find the coastguard station you want to volunteer at on the map.
  • ", + "
  • Check which area the station is in, for example \u2018Area 1\u2019.
  • ", + "
  • Email the relevant area - you can find the contact details in the table. Use the subject line \u2018coastguard rescue service enrolment\u2019. Do not send your CV or any other attachments.
  • ", + "

    Area contact details

    ", + "

    Find the email address for your local area.

    ", + "Coastguard area | Email address | ", + "1 | area1@mcga.gov.uk | ", + "2 | area2@mcga.gov.uk | ", + "3 | area3@mcga.gov.uk | ", + "4 | area4@mcga.gov.uk | ", + "5 | area5@mcga.gov.uk | ", + "6 | area6@mcga.gov.uk | ", + "7 | area7@mcga.gov.uk | ", + "8 | area8@mcga.gov.uk | ", + "9 | area9@mcga.gov.uk | ", + "10 | area10@mcga.gov.uk | ", + "11 | area11@mcga.gov.uk | ", + "12 | area12@mcga.gov.uk | ", + "13 | area13@mcga.gov.uk | ", + "14 | area14@mcga.gov.uk | ", + "15 | area15@mcga.gov.uk | ", + "16 | area16@mcga.gov.uk | ", + "17 | area17@mcga.gov.uk | ", + "18 | area18@mcga.gov.uk | " + ] + }, + "https://www.gov.uk/volunteering": { + "url": "https://www.gov.uk/volunteering", + "title": "Volunteer opportunities, rights and expenses", + "content": "## Find volunteer opportunities\n\nYou can find volunteering opportunities on the:\n\n- Do-it website\n\n- Volunteering Matters website for young, older and disabled volunteers\n\n- National Association for Voluntary and Community Action website\n\n- local Volunteer Centre website\n\n- Reach Volunteering website for volunteers with specific skills - like accountancy, marketing, law, management, mentoring or IT\n\n- Volunteering Wales website\n\n- Volunteer Scotland website\n\nFind out about volunteering during coronavirus (COVID-19).\n\n## Volunteers' rights\n\nYou do not have a contract of employment as a volunteer, so you do not have the same rights as an employee or worker.\n\nYou will usually be given a volunteer agreement that explains:\n\n- the level of supervision and support you\u2019ll get\n\n- what training you\u2019ll get\n\n- whether you\u2019re covered under the organisation\u2019s employer or public liability insurance\n\n- health and safety issues\n\n- any expenses the organisation will cover\n\nThe volunteer agreement is not compulsory, but sets out what you can expect from the organisation you\u2019re volunteering for. It does not form a contract between you and the organisation.\n\nThe National Council for Voluntary Organisations (NCVO) has information on volunteers\u2019 legal status.\n\n## When you can volunteer\n\n## Age limits\n\nThere\u2019s no upper age limit on volunteering, but anyone over 70 will need to follow public health advice on volunteering during coronavirus (COVID-19).\n\nSome organisations\u2019 insurance policies do not cover you if you\u2019re under 16 or over a certain age.\n\nYou cannot work for a profit-making organisation if you\u2019re under 14, even if you\u2019re not paid.\n\nYour local council might have extra rules about the work you can do as a young person.\n\n## Volunteering and benefits\n\nYou can volunteer and claim benefits if:\n\n- the only money you get from volunteering is to cover expenses, like travel costs\n\n- you continue to meet the conditions of the benefit you get\n\n## Criminal records\n\nIf you have a criminal record you can still volunteer in most roles, depending on your offences. You might need a Disclosure and Barring Service check if you want to volunteer with children or vulnerable adults.\n\n## Pay and expenses\n\nYou are not paid for your time as a volunteer, but you may get money to cover expenses. This is usually limited to food, drink, travel or any equipment you need to buy.\n\nYou may need to pay tax on your driving expenses if you get back more than you spent.\n\nYou might be classed as an employee or worker rather than a volunteer if you get any other payment, reward or benefit in kind. This includes any promise of a contract or paid work in the future.\n\nYou get certain employment rights if you\u2019re classed as an employee or worker, like getting the minimum wage.", + "original_contents": [ + "

    Find volunteer opportunities

    ", + "

    You can find volunteering opportunities on the:

    ", + "
  • Do-it website
  • ", + "
  • Volunteering Matters website for young, older and disabled volunteers
  • ", + "
  • National Association for Voluntary and Community Action website
  • ", + "
  • local Volunteer Centre website
  • ", + "
  • Reach Volunteering website for volunteers with specific skills - like accountancy, marketing, law, management, mentoring or IT
  • ", + "
  • Volunteering Wales website
  • ", + "
  • Volunteer Scotland website
  • ", + "

    Find out about volunteering during coronavirus (COVID-19).

    ", + "

    Volunteers' rights

    ", + "

    You do not have a contract of employment as a volunteer, so you do not have the same rights as an employee or worker.

    ", + "

    You will usually be given a volunteer agreement that explains:

    ", + "
  • the level of supervision and support you\u2019ll get
  • ", + "
  • what training you\u2019ll get
  • ", + "
  • whether you\u2019re covered under the organisation\u2019s employer or public liability insurance
  • ", + "
  • health and safety issues
  • ", + "
  • any expenses the organisation will cover
  • ", + "

    The volunteer agreement is not compulsory, but sets out what you can expect from the organisation you\u2019re volunteering for. It does not form a contract between you and the organisation.

    ", + "

    The National Council for Voluntary Organisations (NCVO) has information on volunteers\u2019 legal status.

    ", + "

    When you can volunteer

    ", + "

    Age limits

    ", + "

    There\u2019s no upper age limit on volunteering, but anyone over 70 will need to follow public health advice on volunteering during coronavirus (COVID-19).

    ", + "

    Some organisations\u2019 insurance policies do not cover you if you\u2019re under 16 or over a certain age.

    ", + "

    You cannot work for a profit-making organisation if you\u2019re under 14, even if you\u2019re not paid.

    ", + "

    Your local council might have extra rules about the work you can do as a young person.

    ", + "

    Volunteering and benefits

    ", + "

    You can volunteer and claim benefits if:

    ", + "
  • the only money you get from volunteering is to cover expenses, like travel costs
  • ", + "
  • you continue to meet the conditions of the benefit you get
  • ", + "

    Criminal records

    ", + "

    If you have a criminal record you can still volunteer in most roles, depending on your offences. You might need a Disclosure and Barring Service check if you want to volunteer with children or vulnerable adults.

    ", + "

    Pay and expenses

    ", + "

    You are not paid for your time as a volunteer, but you may get money to cover expenses. This is usually limited to food, drink, travel or any equipment you need to buy.

    ", + "

    You may need to pay tax on your driving expenses if you get back more than you spent.

    ", + "

    You might be classed as an employee or worker rather than a volunteer if you get any other payment, reward or benefit in kind. This includes any promise of a contract or paid work in the future.

    ", + "

    You get certain employment rights if you\u2019re classed as an employee or worker, like getting the minimum wage.

    " + ] + }, + "https://www.gov.uk/coronavirus-volunteering": { + "url": "https://www.gov.uk/coronavirus-volunteering", + "title": "Volunteering during coronavirus (COVID-19)", + "content": "## Overview\n\nYou can volunteer during coronavirus (COVID-19) with an organisation or group. You can also help people in your local area by doing things like picking up shopping or medicines.\n\nYou may be able to volunteer:\n\n- from home\n\n- from outside your home\n\n- in a workplace\n\nA new COVID-19 variant is spreading in some parts of England. Check what you can and cannot do if you\u2019re in an area where the new variant is spreading.\n\nThis guidance is for volunteers in England. There\u2019s different guidance on:\n\n- volunteering in Scotland\n\n- volunteering in Wales\n\n- volunteering in Northern Ireland\n\nIf you run an organisation or group, or manage volunteers, find out how to involve volunteers safely.\n\n## Where you can volunteer\n\nYou should volunteer from home where possible.\n\nFollow guidance on volunteering with other people if you have to volunteer outside your home. Do not leave home if:\n\n- you\u2019ve been told to self-isolate by NHS Test and Trace\n\n- you\u2019re self-isolating for any other reason\n\nIf you\u2019re volunteering in a workplace, it should follow guidance on working safely during COVID-19.\n\n## If you\u2019re at high risk from COVID-19\n\nYou can volunteer outside your home, if you\u2019re at high risk from COVID-19 (clinically extremely vulnerable), but you should take extra steps to protect yourself. For example, reduce:\n\n- your social interactions\n\n- the time you spend in places where you cannot social distance\n\n## If you have COVID-19 symptoms\n\nDo not volunteer outside your home if you have COVID-19 symptoms or if you\u2019ve tested positive for COVID-19.\n\nYou must self-isolate from the date you started having symptoms or from the day you tested positive and for the next 10 full days - whichever is the latest.\n\nIf you\u2019re self-isolating your volunteer organisation should not ask you to leave home.\n\n## If you need to travel as a volunteer\n\nFind out how to travel safely if you\u2019re volunteering in England.\n\nCheck COVID-19 guidance in Scotland, Wales or Northern Ireland before you travel, if you need to volunteer in one of these countries.\n\nBefore volunteering abroad:\n\n- check if the country you\u2019re going to is accepting volunteers - read foreign travel advice to find out where you can go\n\n- read the guidance on travelling abroad during COVID-19\n\n- check if your volunteering role means you\u2019re exempt from travel restrictions\n\n- check the rules you must follow when you return to England\n\n## Ways to volunteer\n\nYou can volunteer during coronavirus (COVID-19) with an organisation or group, for example a charity, the NHS or a local volunteer-run group.\n\nFind out about volunteering with a charity or voluntary organisation.\n\nCheck if your local council has volunteering opportunities.\n\nYou should choose your volunteering activity based on your risk of getting seriously ill with COVID-19.\n\n## Volunteer with the NHS\n\nIf you want to help the NHS as a general volunteer, apply for the NHS volunteer responder scheme. You\u2019ll need to check if the scheme is recruiting in your area.\n\nTo volunteer in a hospital, including if you\u2019re a doctor or nurse, contact your local hospital trust.\n\nIf you want to give blood, read the guidance about donating blood during COVID-19.\n\nYou can also sign up to the NHS COVID-19 vaccine registry if you want to take part in a COVID-19 vaccine research study.\n\n## Help people in your local area\n\nYou can help others by doing activities like picking up shopping and offering support on the phone. This includes:\n\n- family, friends and neighbours who are at high risk from COVID-19 or who prefer not to go out\n\n- people who are feeling lonely or isolated\n\n- staff and volunteers in key worker roles\n\nYou can also join a mutual aid group. A mutual aid group is a local volunteer-run initiative where people come together to help each other.\n\n## Protect those you help\n\nIf you\u2019re worried about someone\u2019s health, contact the NHS or check NHS COVID-19 advice online.\n\nIf you\u2019re helping someone who\u2019s staying at home, you should follow social distancing guidelines if you do have to go indoors.\n\nIt may not always be possible to follow social distancing guidelines, for example if you\u2019re providing personal care to someone. You should consider whether the activity is essential and follow working safely guidance.\n\n## If you\u2019re helping someone who\u2019s not a friend or family member\n\nYou should show identification when you call at their home.\n\nYou should not:\n\n- ask for their credit or debit card numbers, or other financial information\n\n- take their address and phone number, unless you need it to do a task\n\n- pressure them into giving you any unnecessary information\n\nYou can find out how to help others safely on the British Red Cross website.\n\nContact the police if you think someone you\u2019re helping is being abused or neglected. Phone 999 in an emergency or 101 if the person is not in immediate danger.\n\n## Volunteering with other people\n\nWhen you volunteer, you can meet in groups of any size from different households, both indoors or outdoors. However, meeting in smaller groups can reduce the risk of coronavirus (COVID-19) spreading.\n\nYou can also meet in groups for activities like volunteer recruitment and training. This does not include meeting in groups for social activities.\n\nThe organisation or group of volunteers running the activities should follow guidance on working safely during COVID-19.\n\nAs a volunteer, you should:\n\n- follow social distancing guidelines\n\n- wash your hands regularly and for 20 seconds\n\n- wear a face covering indoors\n\n- make sure indoor spaces are well ventilated with fresh air\n\nIn some volunteering roles, it may not be possible for you to follow social distancing guidelines. For example, driving a vehicle with others in it. You should consider whether the activity is essential before doing it and follow the guidance on working safely during COVID-19.\n\n## Volunteering in a support group\n\nYou can volunteer in a support group. Support groups should provide mutual aid, therapy or another form of support.\n\nThere cannot be more than 30 people in the support group itself. Children under 5 are not included in this limit. There\u2019s no limit to the number of volunteers.\n\nFor example, 5 volunteers could support up to 30 people in a group session, to make a group of 35 in total.\n\nFormal support groups must not be run from private homes.\n\n## Testing and vaccination\n\nFind out how to get tested for coronavirus (COVID-19).\n\nIf you volunteer in an essential role and have COVID-19 symptoms, you\u2019ll be prioritised for a test.\n\n## Who can get a vaccine\n\nYou can get vaccinated if you\u2019re a volunteer in an eligible group. This includes volunteers in frontline health and social care roles.\n\nIf you qualify for a vaccine because of your age or a clinical condition, you\u2019ll be vaccinated at the same time as other people in your area.\n\nThe NHS will let you know when you can get a vaccine and how to get it.", + "original_contents": [ + "

    Overview

    ", + "

    You can volunteer during coronavirus (COVID-19) with an organisation or group. You can also help people in your local area by doing things like picking up shopping or medicines.

    ", + "

    You may be able to volunteer:

    ", + "
  • from home
  • ", + "
  • from outside your home
  • ", + "
  • in a workplace
  • ", + "

    A new COVID-19 variant is spreading in some parts of England. Check what you can and cannot do if you\u2019re in an area where the new variant is spreading.

    ", + "

    This guidance is for volunteers in England. There\u2019s different guidance on:

    ", + "
  • volunteering in Scotland
  • ", + "
  • volunteering in Wales
  • ", + "
  • volunteering in Northern Ireland
  • ", + "

    If you run an organisation or group, or manage volunteers, find out how to involve volunteers safely.

    ", + "

    Where you can volunteer

    ", + "

    You should volunteer from home where possible.

    ", + "

    Follow guidance on volunteering with other people if you have to volunteer outside your home. Do not leave home if:

    ", + "
  • you\u2019ve been told to self-isolate by NHS Test and Trace
  • ", + "
  • you\u2019re self-isolating for any other reason
  • ", + "

    If you\u2019re volunteering in a workplace, it should follow guidance on working safely during COVID-19.

    ", + "

    If you\u2019re at high risk from COVID-19

    ", + "

    You can volunteer outside your home, if you\u2019re at high risk from COVID-19 (clinically extremely vulnerable), but you should take extra steps to protect yourself. For example, reduce:

    ", + "
  • your social interactions
  • ", + "
  • the time you spend in places where you cannot social distance
  • ", + "

    If you have COVID-19 symptoms

    ", + "

    Do not volunteer outside your home if you have COVID-19 symptoms or if you\u2019ve tested positive for COVID-19.

    ", + "

    You must self-isolate from the date you started having symptoms or from the day you tested positive and for the next 10 full days - whichever is the latest.

    ", + "

    If you\u2019re self-isolating your volunteer organisation should not ask you to leave home.

    ", + "

    If you need to travel as a volunteer

    ", + "

    Find out how to travel safely if you\u2019re volunteering in England.

    ", + "

    Check COVID-19 guidance in Scotland, Wales or Northern Ireland before you travel, if you need to volunteer in one of these countries.

    ", + "

    Before volunteering abroad:

    ", + "
  • check if the country you\u2019re going to is accepting volunteers - read foreign travel advice to find out where you can go
  • ", + "
  • read the guidance on travelling abroad during COVID-19
  • ", + "
  • check if your volunteering role means you\u2019re exempt from travel restrictions
  • ", + "
  • check the rules you must follow when you return to England
  • ", + "

    Ways to volunteer

    ", + "

    You can volunteer during coronavirus (COVID-19) with an organisation or group, for example a charity, the NHS or a local volunteer-run group.

    ", + "

    Find out about volunteering with a charity or voluntary organisation.

    ", + "

    Check if your local council has volunteering opportunities.

    ", + "

    You should choose your volunteering activity based on your risk of getting seriously ill with COVID-19.

    ", + "

    Volunteer with the NHS

    ", + "

    If you want to help the NHS as a general volunteer, apply for the NHS volunteer responder scheme. You\u2019ll need to check if the scheme is recruiting in your area.

    ", + "

    To volunteer in a hospital, including if you\u2019re a doctor or nurse, contact your local hospital trust.

    ", + "

    If you want to give blood, read the guidance about donating blood during COVID-19.

    ", + "

    You can also sign up to the NHS COVID-19 vaccine registry if you want to take part in a COVID-19 vaccine research study.

    ", + "

    Help people in your local area

    ", + "

    You can help others by doing activities like picking up shopping and offering support on the phone. This includes:

    ", + "
  • family, friends and neighbours who are at high risk from COVID-19 or who prefer not to go out
  • ", + "
  • people who are feeling lonely or isolated
  • ", + "
  • staff and volunteers in key worker roles
  • ", + "

    You can also join a mutual aid group. A mutual aid group is a local volunteer-run initiative where people come together to help each other.

    ", + "

    Protect those you help

    ", + "

    If you\u2019re worried about someone\u2019s health, contact the NHS or check NHS COVID-19 advice online.

    ", + "

    If you\u2019re helping someone who\u2019s staying at home, you should follow social distancing guidelines if you do have to go indoors.

    ", + "

    It may not always be possible to follow social distancing guidelines, for example if you\u2019re providing personal care to someone. You should consider whether the activity is essential and follow working safely guidance.

    ", + "

    If you\u2019re helping someone who\u2019s not a friend or family member

    ", + "

    You should show identification when you call at their home.

    ", + "

    You should not:

    ", + "
  • ask for their credit or debit card numbers, or other financial information
  • ", + "
  • take their address and phone number, unless you need it to do a task
  • ", + "
  • pressure them into giving you any unnecessary information
  • ", + "

    You can find out how to help others safely on the British Red Cross website.

    ", + "

    Contact the police if you think someone you\u2019re helping is being abused or neglected. Phone 999 in an emergency or 101 if the person is not in immediate danger.

    ", + "

    Volunteering with other people

    ", + "

    When you volunteer, you can meet in groups of any size from different households, both indoors or outdoors. However, meeting in smaller groups can reduce the risk of coronavirus (COVID-19) spreading.

    ", + "

    You can also meet in groups for activities like volunteer recruitment and training. This does not include meeting in groups for social activities.

    ", + "

    The organisation or group of volunteers running the activities should follow guidance on working safely during COVID-19.

    ", + "

    As a volunteer, you should:

    ", + "
  • follow social distancing guidelines
  • ", + "
  • wash your hands regularly and for 20 seconds
  • ", + "
  • wear a face covering indoors
  • ", + "
  • make sure indoor spaces are well ventilated with fresh air
  • ", + "

    In some volunteering roles, it may not be possible for you to follow social distancing guidelines. For example, driving a vehicle with others in it. You should consider whether the activity is essential before doing it and follow the guidance on working safely during COVID-19.

    ", + "

    Volunteering in a support group

    ", + "

    You can volunteer in a support group. Support groups should provide mutual aid, therapy or another form of support.

    ", + "

    There cannot be more than 30 people in the support group itself. Children under 5 are not included in this limit. There\u2019s no limit to the number of volunteers.

    ", + "

    For example, 5 volunteers could support up to 30 people in a group session, to make a group of 35 in total.

    ", + "

    Formal support groups must not be run from private homes.

    ", + "

    Testing and vaccination

    ", + "

    Find out how to get tested for coronavirus (COVID-19).

    ", + "

    If you volunteer in an essential role and have COVID-19 symptoms, you\u2019ll be prioritised for a test.

    ", + "

    Who can get a vaccine

    ", + "

    You can get vaccinated if you\u2019re a volunteer in an eligible group. This includes volunteers in frontline health and social care roles.

    ", + "

    If you qualify for a vaccine because of your age or a clinical condition, you\u2019ll be vaccinated at the same time as other people in your area.

    ", + "

    The NHS will let you know when you can get a vaccine and how to get it.

    " + ] + }, + "https://www.gov.uk/access-to-elected-office-fund": { + "url": "https://www.gov.uk/access-to-elected-office-fund", + "title": "Access to Elected Office Fund", + "content": "## Overview\n\nThis fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.\n\nYou could get a grant of between \u00a3250 and \u00a340,000 if you\u2019re disabled and standing for election to, or selection as a candidate in, the:\n\n- UK Parliament\n\n- English local government\n\n- Greater London Assembly\n\n- mayoral elections (England only)\n\n- Police and Crime Commissioner\n\n- English parish and town councils\n\nYou will not have to pay back any money you receive.\n\nThe fund is for disability-related costs you pay as part of standing for election - it does not cover general campaigning costs (like leaflets) or living costs.\n\n## What you'll get\n\nThis fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.\n\nYou could get between \u00a3250 and \u00a340,000 in any calendar year (1 January to 31 December) to cover disability-related costs. For example:\n\n- transport needs (if you have difficulty using public transport)\n\n- sign language interpreters\n\n- extra travel or accommodation costs if you need a carer\n\nYou can apply more than once but together the applications must not total more than \u00a340,000 in any calendar year. Your grant can be backdated up to 2 months before the date of your offer letter.\n\nYou cannot use the money for general campaigning or living costs. Read guidance on campaign spending and donations from the Electoral Commission website.\n\n## How you\u2019re paid\n\nIf your application is successful, you must send in any original invoices or receipts for the items you listed in your application. The money will be paid after you provide proof of your spending.\n\nPayments are made on the second and last Friday of every month.\n\n## Eligibility\n\nThis fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.\n\nYou can apply to the Access to Elected Office Fund if:\n\n- you\u2019re eligible to stand for election\n\n- you can prove your disability, for example with a letter from a doctor\n\n- you can prove you\u2019re involved or interested in civic, community or relevant activities, for example volunteering or student politics\n\n- your application is supported by a member of your political party, or an independent referee if you do not have a political party", + "original_contents": [ + "

    Overview

    ", + "

    This fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.

    ", + "

    You could get a grant of between \u00a3250 and \u00a340,000 if you\u2019re disabled and standing for election to, or selection as a candidate in, the:

    ", + "
  • UK Parliament
  • ", + "
  • English local government
  • ", + "
  • Greater London Assembly
  • ", + "
  • mayoral elections (England only)
  • ", + "
  • Police and Crime Commissioner
  • ", + "
  • English parish and town councils
  • ", + "

    You will not have to pay back any money you receive.

    ", + "

    The fund is for disability-related costs you pay as part of standing for election - it does not cover general campaigning costs (like leaflets) or living costs.

    ", + "

    What you'll get

    ", + "

    This fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.

    ", + "

    You could get between \u00a3250 and \u00a340,000 in any calendar year (1 January to 31 December) to cover disability-related costs. For example:

    ", + "
  • transport needs (if you have difficulty using public transport)
  • ", + "
  • sign language interpreters
  • ", + "
  • extra travel or accommodation costs if you need a carer
  • ", + "

    You can apply more than once but together the applications must not total more than \u00a340,000 in any calendar year. Your grant can be backdated up to 2 months before the date of your offer letter.

    ", + "

    You cannot use the money for general campaigning or living costs. Read guidance on campaign spending and donations from the Electoral Commission website.

    ", + "

    How you\u2019re paid

    ", + "

    If your application is successful, you must send in any original invoices or receipts for the items you listed in your application. The money will be paid after you provide proof of your spending.

    ", + "

    Payments are made on the second and last Friday of every month.

    ", + "

    Eligibility

    ", + "

    This fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.

    ", + "

    You can apply to the Access to Elected Office Fund if:

    ", + "
  • you\u2019re eligible to stand for election
  • ", + "
  • you can prove your disability, for example with a letter from a doctor
  • ", + "
  • you can prove you\u2019re involved or interested in civic, community or relevant activities, for example volunteering or student politics
  • ", + "
  • your application is supported by a member of your political party, or an independent referee if you do not have a political party
  • " + ] + }, + "https://www.gov.uk/report-suspicious-emails-websites-phishing": { + "url": "https://www.gov.uk/report-suspicious-emails-websites-phishing", + "title": "Avoid and report internet scams and phishing", + "content": "## Report internet scams and phishing\n\nReport misleading websites, emails, phone numbers, phone calls or text messages you think may be suspicious.\n\nDo not give out private information (such as bank details or passwords), reply to text messages, download attachments or click on any links in emails if you\u2019re not sure they\u2019re genuine.\n\n## Suspicious emails\n\nForward the email to report@phishing.gov.uk.\n\nThe National Cyber Security Centre (NCSC) will investigate it.\n\n## Text messages\n\nForward the text message to 7726 - it\u2019s free.\n\nThis will report the message to your mobile phone provider.\n\n## Adverts\n\nReport scam or misleading adverts to the Advertising Standards Authority. You can report adverts found online, including in search engines, websites or on social media.\n\nYou can also report scam or misleading adverts to Google if you found them in Google search results, or report to Bing if you found them in Bing search results.\n\n## If you think you\u2019ve been a victim of an online scam or fraud\n\nContact Action Fraud if you think you\u2019ve lost money or been hacked because of an online scam or fraud. You can:\n\n- report online - either sign up for an account or continue as a \u2018guest\u2019\n\n- call 0300 123 2040\n\nIf you\u2019re in Scotland and you think you\u2019ve been the victim of an online scam or fraud, report the crime to Police Scotland.\n\n## Avoid misleading government websites, emails and phone numbers\n\nSome websites, emails or phone numbers look like they\u2019re part of an official government service when they\u2019re not, or claim to help more than they actually do. Some make you pay for things that would be free or cheaper if you use the official government service.\n\nSearch on GOV.UK to find official government services and phone numbers, for example if you want to apply to the DVLA for a driving licence.\n\n## Report HMRC phishing emails, texts and phone call scams\n\nYou can report something suspicious to HM Revenue and Customs\u2019s (HMRC) phishing team, for example:\n\n- a text message (forward it to 60599 - you\u2019ll be charged at your network rate)\n\n- an email (forward it to phishing@hmrc.gov.uk)\n\n- a message in an application, for example WhatsApp - take a screenshot and forward as an email\n\n- phone calls asking for personal information or threatening a lawsuit (report a phone call)\n\nYour email address and phone number will be shared with other organisations if that\u2019s necessary to close down the scam.\n\n## If you\u2019ve given your personal details to someone\n\nContact the HMRC security team if you think you\u2019ve given any personal information in reply to a suspicious email or text.\n\nInclude brief details of what you disclosed (for example name, address, HMRC User ID, password) but do not give your personal details in the email.\n\n## Spotting HMRC scams\n\nYou\u2019ll never get an email, text message, message in an application (for example WhatsApp) or a phone call from HMRC which:\n\n- tells you about a tax rebate or penalty\n\n- asks for your personal or payment information\n\nCheck HMRC\u2019s guidance on recognising scams if you\u2019re not sure.\n\n## Report visa and immigration scams\n\nYou\u2019ll never be asked to pay for a visa using:\n\n- cash\n\n- money transfer\n\nContact Action Fraud to report visa and immigration scams. You should include:\n\n- a copy of the suspicious email you received, the sender\u2019s email address and the date and time it was received\n\n- details of what you sent in a reply, if you replied - for example whether you sent your bank details, address or password\n\nYou can also report suspicious emails, letters or telephone calls to the police through Action Fraud.", + "original_contents": [ + "

    Report internet scams and phishing

    ", + "

    Report misleading websites, emails, phone numbers, phone calls or text messages you think may be suspicious.

    ", + "

    Do not give out private information (such as bank details or passwords), reply to text messages, download attachments or click on any links in emails if you\u2019re not sure they\u2019re genuine.

    ", + "

    Suspicious emails

    ", + "

    Forward the email to report@phishing.gov.uk.

    ", + "

    The National Cyber Security Centre (NCSC) will investigate it.

    ", + "

    Text messages

    ", + "

    Forward the text message to 7726 - it\u2019s free.

    ", + "

    This will report the message to your mobile phone provider.

    ", + "

    Adverts

    ", + "

    Report scam or misleading adverts to the Advertising Standards Authority. You can report adverts found online, including in search engines, websites or on social media.

    ", + "

    You can also report scam or misleading adverts to Google if you found them in Google search results, or report to Bing if you found them in Bing search results.

    ", + "

    If you think you\u2019ve been a victim of an online scam or fraud

    ", + "

    Contact Action Fraud if you think you\u2019ve lost money or been hacked because of an online scam or fraud. You can:

    ", + "
  • report online - either sign up for an account or continue as a \u2018guest\u2019
  • ", + "
  • call 0300 123 2040
  • ", + "

    If you\u2019re in Scotland and you think you\u2019ve been the victim of an online scam or fraud, report the crime to Police Scotland.

    ", + "

    Avoid misleading government websites, emails and phone numbers

    ", + "

    Some websites, emails or phone numbers look like they\u2019re part of an official government service when they\u2019re not, or claim to help more than they actually do. Some make you pay for things that would be free or cheaper if you use the official government service.

    ", + "

    Search on GOV.UK to find official government services and phone numbers, for example if you want to apply to the DVLA for a driving licence.

    ", + "

    Report HMRC phishing emails, texts and phone call scams

    ", + "

    You can report something suspicious to HM Revenue and Customs\u2019s (HMRC) phishing team, for example:

    ", + "
  • a text message (forward it to 60599 - you\u2019ll be charged at your network rate)
  • ", + "
  • an email (forward it to phishing@hmrc.gov.uk)
  • ", + "
  • a message in an application, for example WhatsApp - take a screenshot and forward as an email
  • ", + "
  • phone calls asking for personal information or threatening a lawsuit (report a phone call)
  • ", + "

    Your email address and phone number will be shared with other organisations if that\u2019s necessary to close down the scam.

    ", + "

    If you\u2019ve given your personal details to someone

    ", + "

    Contact the HMRC security team if you think you\u2019ve given any personal information in reply to a suspicious email or text.

    ", + "

    Include brief details of what you disclosed (for example name, address, HMRC User ID, password) but do not give your personal details in the email.

    ", + "

    Spotting HMRC scams

    ", + "

    You\u2019ll never get an email, text message, message in an application (for example WhatsApp) or a phone call from HMRC which:

    ", + "
  • tells you about a tax rebate or penalty
  • ", + "
  • asks for your personal or payment information
  • ", + "

    Check HMRC\u2019s guidance on recognising scams if you\u2019re not sure.

    ", + "

    Report visa and immigration scams

    ", + "

    You\u2019ll never be asked to pay for a visa using:

    ", + "
  • cash
  • ", + "
  • money transfer
  • ", + "

    Contact Action Fraud to report visa and immigration scams. You should include:

    ", + "
  • a copy of the suspicious email you received, the sender\u2019s email address and the date and time it was received
  • ", + "
  • details of what you sent in a reply, if you replied - for example whether you sent your bank details, address or password
  • ", + "

    You can also report suspicious emails, letters or telephone calls to the police through Action Fraud.

    " + ] + }, + "https://www.gov.uk/challenge-election-result": { + "url": "https://www.gov.uk/challenge-election-result", + "title": "Challenge an election result", + "content": "## When you can make a challenge\n\nYou may be able to challenge the result of an election if you think it was not run properly, for example the votes were not counted correctly or a candidate broke the law.\n\nYou can challenge a UK Parliament election if either of the following apply:\n\n- you had the right to vote in it\n\n- you were a candidate\n\nYou can challenge a local government election if either:\n\n- you\u2019re part of a group of at least 4 people who had the right to vote in the election\n\n- you were a candidate\n\n## The deadline\n\nYou must usually apply within 21 days of when:\n\n- the result of the UK Parliament election was returned to the Clerk of the Crown in Chancery\n\n- the local government election was held\n\nA judge might let you apply after 21 days if:\n\n- you think there have been corrupt or illegal practices, for example bribery\n\n- your complaint is about election expenses, for example you think the winner spent more than they were allowed\n\n## How to make a challenge\n\nTo challenge an election you must apply to the Election Petitions Office. This is called issuing an election petition.\n\nYou\u2019ll need to send:\n\n- an election petition\n\n- an application to pay \u2018security for costs\u2019\n\nThe Election Petitions Office will stamp the petition before you send (\u2018serve\u2019) it to the people you\u2019re complaining about (\u2018the respondents\u2019). You can then apply to set a date for a hearing.\n\n## What to include in the petition\n\nYour petition must say:\n\n- why you\u2019re allowed to challenge the election result\n\n- the date and result of the election\n\n- the reason you\u2019re challenging the result, for example you think the votes were counted incorrectly\n\n- what you would like to happen, for example a recount\n\nFor a UK Parliament election, you must also give the date the result was given to the Clerk of the Crown in Chancery. The person who oversaw the election (the \u2018returning officer\u2019) can tell you this.\n\nYou can use a template to help you write the petition.\n\nYou must sign the petition. You cannot ask a solicitor to sign it for you. If you\u2019re part of a group, you must all sign.\n\n## Application for \u2018security for costs\u2019\n\nYou\u2019ll need to make an application to pay \u2018security for costs\u2019. This covers the cost of going to court.\n\nFill in form N244 (the \u2018application notice\u2019) and send it with your petition.\n\n## Send your challenge\n\nSend your petition and your application to pay \u2018security for costs\u2019 to the Election Petitions Office, along with your fees. The fees are:\n\n- \u00a3528 to issue a petition\n\n- \u00a3100 to apply for \u2018security for costs\u2019\n\nMake your cheque or postal order payable to \u2018HM Courts and Tribunals Service\u2019.\n\nThe Election Petitions Office must receive your petition by the last day you\u2019re allowed to apply.\n\nYou can also hand in your petition in person. The Election Petitions Office is open on weekdays from 9:30am to 4:30pm.\n\nOn the last day you\u2019re allowed to apply, you can apply any time before midnight. Put your petition in the letterbox outside room E110 if the office is closed.\n\nCall the Royal Courts of Justice if you need to get access to the letterbox.\n\nYou must make a statement (\u2018swear an affidavit\u2019) the next working day in front of a solicitor or a notary public. Your statement must confirm the day and time when you put the petition in the letterbox.\n\n## Pay 'security for costs'\n\nAfter you apply, the Election Petitions Office will tell you how much to pay for \u2018security for costs\u2019. The maximum is:\n\n- \u00a35,000 for a UK Parliament election\n\n- \u00a32,500 for a local government election\n\n- \u00a31,500 for a parish council election\n\nYou can sometimes get help with court fees if you have little or no savings, are on certain benefits or have a low income.\n\nYou can pay cash or give the names of up to 4 people (\u2018sureties\u2019) who will guarantee to pay. You must do this within 3 working days of handing in the petition.\n\nYou\u2019ll usually get the \u2018security for costs\u2019 back if you win the case.\n\nYou might have to pay more if you lose the case or you decide to stop it.\n\n## Serve your election petition\n\nYou should only contact the people you\u2019re complaining about (\u2018the respondents\u2019) once the Elections Petitions Office has stamped your petition. You must give (\u2018serve\u2019) them the petition within 5 working days of paying the \u2018security for costs\u2019.\n\nThe person who won the election must be one of the respondents, even if you do not think they\u2019ve done anything wrong.\n\n## What you must send\n\nSend each respondent copies of:\n\n- a letter (\u2018notice of presentation\u2019) from your solicitor if you have one\n\n- the petition you sent to the Election Petitions Office\n\n- the letter from the Election Petitions Office showing the amount of \u2018security for costs\u2019 and how you\u2019re paying (cash or guarantees)\n\n- promises (\u2018affidavits\u2019) from the people who guarantee to pay (\u2018sureties\u2019) if relevant\n\nYou must also send copies to the Director of Public Prosecutions.\n\nYou can send your documents:\n\n- in person\n\n- by first class post\n\n- through a solicitor\n\nThe court will consider documents to be served 2 days after they were posted if that\u2019s a working day, or the next working day if it is not.\n\n## What happens at the hearing and trial\n\nContact the Election Petitions Office to set the date for the hearing. You should do this within 28 days of your petition being stamped.\n\nIf you do not apply to set a date for the hearing, the respondents will have 28 days to apply themselves. They can also make other requests, for example to cancel (\u2018set aside\u2019) your petition.\n\nA judge will set a date for the hearing if you and the respondents do not apply to set one.\n\n## At the hearing and trial\n\nAt the hearing a judge can appoint a commissioner to manage your complaint. The commissioner will look at the evidence, for example by checking the voting slips.\n\nIf the commissioner thinks there should be a trial, it will normally be at a court in the constituency where you\u2019re challenging the result.\n\nAt the trial you and the respondents will each present your cases to the commissioner. Both sides can call witnesses to give evidence.\n\nIt usually takes several weeks to get a judgment. You\u2019ll be called to a meeting with the commissioner to hear the decision.\n\nYou cannot appeal the decision.", + "original_contents": [ + "

    When you can make a challenge

    ", + "

    You may be able to challenge the result of an election if you think it was not run properly, for example the votes were not counted correctly or a candidate broke the law.

    ", + "

    You can challenge a UK Parliament election if either of the following apply:

    ", + "
  • you had the right to vote in it
  • ", + "
  • you were a candidate
  • ", + "

    You can challenge a local government election if either:

    ", + "
  • you\u2019re part of a group of at least 4 people who had the right to vote in the election
  • ", + "
  • you were a candidate
  • ", + "

    The deadline

    ", + "

    You must usually apply within 21 days of when:

    ", + "
  • the result of the UK Parliament election was returned to the Clerk of the Crown in Chancery
  • ", + "
  • the local government election was held
  • ", + "

    A judge might let you apply after 21 days if:

    ", + "
  • you think there have been corrupt or illegal practices, for example bribery
  • ", + "
  • your complaint is about election expenses, for example you think the winner spent more than they were allowed
  • ", + "

    How to make a challenge

    ", + "

    To challenge an election you must apply to the Election Petitions Office. This is called issuing an election petition.

    ", + "

    You\u2019ll need to send:

    ", + "
  • an election petition
  • ", + "
  • an application to pay \u2018security for costs\u2019
  • ", + "

    The Election Petitions Office will stamp the petition before you send (\u2018serve\u2019) it to the people you\u2019re complaining about (\u2018the respondents\u2019). You can then apply to set a date for a hearing.

    ", + "

    What to include in the petition

    ", + "

    Your petition must say:

    ", + "
  • why you\u2019re allowed to challenge the election result
  • ", + "
  • the date and result of the election
  • ", + "
  • the reason you\u2019re challenging the result, for example you think the votes were counted incorrectly
  • ", + "
  • what you would like to happen, for example a recount
  • ", + "

    For a UK Parliament election, you must also give the date the result was given to the Clerk of the Crown in Chancery. The person who oversaw the election (the \u2018returning officer\u2019) can tell you this.

    ", + "

    You can use a template to help you write the petition.

    ", + "

    You must sign the petition. You cannot ask a solicitor to sign it for you. If you\u2019re part of a group, you must all sign.

    ", + "

    Application for \u2018security for costs\u2019

    ", + "

    You\u2019ll need to make an application to pay \u2018security for costs\u2019. This covers the cost of going to court.

    ", + "

    Fill in form N244 (the \u2018application notice\u2019) and send it with your petition.

    ", + "

    Send your challenge

    ", + "

    Send your petition and your application to pay \u2018security for costs\u2019 to the Election Petitions Office, along with your fees. The fees are:

    ", + "
  • \u00a3528 to issue a petition
  • ", + "
  • \u00a3100 to apply for \u2018security for costs\u2019
  • ", + "

    Make your cheque or postal order payable to \u2018HM Courts and Tribunals Service\u2019.

    ", + "

    The Election Petitions Office must receive your petition by the last day you\u2019re allowed to apply.

    ", + "

    You can also hand in your petition in person. The Election Petitions Office is open on weekdays from 9:30am to 4:30pm.

    ", + "

    On the last day you\u2019re allowed to apply, you can apply any time before midnight. Put your petition in the letterbox outside room E110 if the office is closed.

    ", + "

    Call the Royal Courts of Justice if you need to get access to the letterbox.

    ", + "

    You must make a statement (\u2018swear an affidavit\u2019) the next working day in front of a solicitor or a notary public. Your statement must confirm the day and time when you put the petition in the letterbox.

    ", + "

    Pay 'security for costs'

    ", + "

    After you apply, the Election Petitions Office will tell you how much to pay for \u2018security for costs\u2019. The maximum is:

    ", + "
  • \u00a35,000 for a UK Parliament election
  • ", + "
  • \u00a32,500 for a local government election
  • ", + "
  • \u00a31,500 for a parish council election
  • ", + "

    You can sometimes get help with court fees if you have little or no savings, are on certain benefits or have a low income.

    ", + "

    You can pay cash or give the names of up to 4 people (\u2018sureties\u2019) who will guarantee to pay. You must do this within 3 working days of handing in the petition.

    ", + "

    You\u2019ll usually get the \u2018security for costs\u2019 back if you win the case.

    ", + "

    You might have to pay more if you lose the case or you decide to stop it.

    ", + "

    Serve your election petition

    ", + "

    You should only contact the people you\u2019re complaining about (\u2018the respondents\u2019) once the Elections Petitions Office has stamped your petition. You must give (\u2018serve\u2019) them the petition within 5 working days of paying the \u2018security for costs\u2019.

    ", + "

    The person who won the election must be one of the respondents, even if you do not think they\u2019ve done anything wrong.

    ", + "

    What you must send

    ", + "

    Send each respondent copies of:

    ", + "
  • a letter (\u2018notice of presentation\u2019) from your solicitor if you have one
  • ", + "
  • the petition you sent to the Election Petitions Office
  • ", + "
  • the letter from the Election Petitions Office showing the amount of \u2018security for costs\u2019 and how you\u2019re paying (cash or guarantees)
  • ", + "
  • promises (\u2018affidavits\u2019) from the people who guarantee to pay (\u2018sureties\u2019) if relevant
  • ", + "

    You must also send copies to the Director of Public Prosecutions.

    ", + "

    You can send your documents:

    ", + "
  • in person
  • ", + "
  • by first class post
  • ", + "
  • through a solicitor
  • ", + "

    The court will consider documents to be served 2 days after they were posted if that\u2019s a working day, or the next working day if it is not.

    ", + "

    What happens at the hearing and trial

    ", + "

    Contact the Election Petitions Office to set the date for the hearing. You should do this within 28 days of your petition being stamped.

    ", + "

    If you do not apply to set a date for the hearing, the respondents will have 28 days to apply themselves. They can also make other requests, for example to cancel (\u2018set aside\u2019) your petition.

    ", + "

    A judge will set a date for the hearing if you and the respondents do not apply to set one.

    ", + "

    At the hearing and trial

    ", + "

    At the hearing a judge can appoint a commissioner to manage your complaint. The commissioner will look at the evidence, for example by checking the voting slips.

    ", + "

    If the commissioner thinks there should be a trial, it will normally be at a court in the constituency where you\u2019re challenging the result.

    ", + "

    At the trial you and the respondents will each present your cases to the commissioner. Both sides can call witnesses to give evidence.

    ", + "

    It usually takes several weeks to get a judgment. You\u2019ll be called to a meeting with the commissioner to hear the decision.

    ", + "

    You cannot appeal the decision.

    " + ] + }, + "https://www.gov.uk/how-to-vote": { + "url": "https://www.gov.uk/how-to-vote", + "title": "How to vote", + "content": "## Overview\n\nYou need to be registered to vote before you can vote in UK elections or referendums.\n\nIf you\u2019re eligible, you can vote in person on the day of the election at a named polling station. You can also apply for a postal or proxy vote instead.\n\nFind out about voting safely during coronavirus (COVID-19).\n\n## Ways of voting\n\nYou can vote:\n\n- in person at a polling station\n\n- by post\n\n- by asking someone else to vote for you (voting by proxy)\n\nYou cannot vote online in any elections.\n\n## Eligibility to vote\n\nYou can vote when you\u2019re:\n\n- 18 years old in England and Northern Ireland\n\n- 16 years old in Scottish Parliament and local elections (and other elections when you\u2019re 18)\n\n- 16 years old in Welsh Parliament elections (and other elections when you\u2019re 18)\n\n## Elections you can vote in\n\nDifferent elections have different rules on who can vote.\n\n## Voting and coronavirus (COVID-19)\n\nElections and referendums are going ahead during coronavirus (COVID-19), though you may see changes to some processes. You can still vote in person at a polling station.\n\nIf you\u2019re self-isolating, clinically extremely vulnerable, or do not want to go to the polling station, you can vote by post or vote by proxy.\n\nYou may also be able to get an emergency proxy vote at short notice if you need to self-isolate shortly before or on election day.\n\n## At the polling station\n\nBecause of COVID-19, there will be safety measures in place at polling stations to help you vote safely (for example, a one-way system or restrictions on the number of people allowed in).\n\nIf you choose to vote in person, make sure you:\n\n- wear a face covering (unless you\u2019re exempt)\n\n- bring your own pen or pencil (there will be clean pencils available at the polling station if you forget to bring your own)\n\n- use the hand sanitiser provided when entering and leaving the polling station\n\n- keep to social distancing guidelines\n\n## If you have COVID-19 symptoms or have been asked to self-isolate\n\nDo not visit the polling station. Apply for an emergency proxy vote instead. Your proxy can also apply if they develop symptoms.\n\nYou can apply until 5pm on election day. There are different forms to:\n\n- apply for an emergency proxy vote in England\n\n- apply for an emergency proxy vote in Scotland\n\n- apply for an emergency proxy vote in Wales\n\n## Voting in person\n\nYou vote in person at a polling station (usually in a public building, such as a school or local hall).\n\n## Your poll card\n\nYou\u2019ll be sent a poll card just before an election telling you when to vote and at which polling station. You can only vote at the polling station location on your card.\n\nIf you have not received a poll card but think you should, contact your local Electoral Registration Office.\n\nYou can still vote if you\u2019ve lost your card.\n\n## When you can vote\n\nPolling stations will be open from 7am to 10pm on the day of an election (\u2018polling day\u2019).\n\n## When you get to the polling station\n\nGive your name and address to the staff inside the polling station when you arrive.\n\nYou\u2019ll be given a ballot paper containing a list of the people, parties or options you can vote for.\n\n## ID you need to bring\n\nIf you live in England, Wales or Scotland you do not need to bring any identification to vote.\n\nYou will need to show photo ID to vote in Northern Ireland (your passport, driving licence, Electoral Identity Card or certain kinds of Translink Smartpass).\n\nYou do not have to take your poll card with you.\n\n## Filling in your ballot paper\n\nFollow the instructions on the notices in the polling booth and on the top of the ballot paper to vote.\n\n## Voting if you have a disability\n\nIf you have a disability, your local Electoral Registration Office can tell you about:\n\n- physical access, for example wheelchair ramps and disabled parking spaces\n\n- low-level polling booths\n\n- equipment for voters with a visual impairment\n\nEvery polling station must provide at least one large print display version of the ballot paper and a special tactile voting device (TVD) to help people with sight loss.\n\n## Voting by post\n\nYou must apply for a postal vote if you want to vote by post, for example if:\n\n- you\u2019re away from home\n\n- you\u2019re abroad and want to vote in England, Scotland or Wales\n\nYou do not need to give a reason unless you\u2019re voting in Northern Ireland.\n\n## Apply for a postal vote\n\nYou can apply to vote by post for one of the following:\n\n- a single election on a specific date\n\n- a specific period if you want to vote in England, Scotland or Wales\n\n- permanently\n\nArrange to vote by proxy if there are under 2 weeks until election day and you have not made arrangements.\n\nThere\u2019s a different form to apply to vote by post in Northern Ireland.\n\n## Change where your postal vote card is sent\n\nMake a new application for a postal vote if you move house or you\u2019ll be away from home when the postal vote is sent out.\n\nThere\u2019s a different form for Northern Ireland.\n\n## Completing and returning your postal vote\n\nWhen voting by post, you should:\n\n- mark your vote on your ballot paper in secret\n\n- fill in the postal voting statement\n\n- put the ballot and statement in the envelope provided\n\n- seal the envelope yourself\n\nPost your ballot back as quickly as possible to make sure it\u2019s counted.\n\n## If you\u2019re too late to post your ballot paper\n\nTake it to your local polling station by 10pm on election day, or Electoral Registration Office before they close.\n\nIn Northern Ireland, take it to your local Area Electoral Office before they close.\n\n## Replace a lost or damaged ballot paper\n\nYour ballot paper needs to clearly display your details and voting choice. If it has been damaged you need to get another one.\n\nYou can either:\n\n- ask your local Electoral Registration Office to post a replacement\n\n- collect a replacement from your local Electoral Registration Office up to 5pm on election day (or the day before in Northern Ireland)\n\nYou cannot vote at a polling station if you registered to vote by post but your ballot paper was lost or damaged.\n\n## Voting by proxy\n\nIf you\u2019re unable to vote in person you can ask someone to vote on your behalf. This is called a proxy vote.\n\nYou can only apply for a proxy vote under certain circumstances, including:\n\n- being away on polling day\n\n- having a medical issue or disability\n\n- not being able to vote in person because of work or military service\n\nYour proxy should be someone you trust to vote on your behalf. You\u2019ll need to tell them which candidate (or referendum outcome) you want to vote for.\n\n## How to apply for a proxy vote\n\nApply for a proxy vote using a paper form. You need to send it to your local Electoral Registration Office.\n\nUsually, you need to apply for a proxy vote at least 6 working days before election day if you want to vote in England, Scotland or Wales.\n\nThere\u2019s a different form to apply to vote by proxy in Northern Ireland. Apply at least 14 working days before election day.\n\n## Apply for an emergency proxy vote\n\nIf the proxy vote deadline has passed you may be able to apply for an emergency proxy vote if you both:\n\n- cannot vote in person because of your employment or a disability\n\n- became aware of this reason after the proxy deadline\n\nYou can apply until 5pm on the day of the election. Fill in a paper form to:\n\n- apply to vote by emergency proxy based on your employment\n\n- apply to vote by emergency proxy based on your disability\n\nAn \u2018appropriate person\u2019 (for example your employer or a doctor) must sign the application form. Send it to your local Electoral Registration Office.\n\nYou can also apply for an emergency proxy vote if you or your proxy need to self-isolate because of COVID-19.\n\n## How long your proxy vote is for\n\nYou can apply to vote by proxy:\n\n- for a single election on a specific date\n\n- for a specific period if you want to vote in England, Scotland or Wales\n\n- permanently\n\n## Who can act as a proxy\n\nYou can ask anyone to act as your proxy - as long as they:\n\n- are registered to vote\n\n- are allowed to vote in the type of election taking place\n\n- can vote in the polling station stated on your poll card\n\nIf they cannot get to your polling station, they will need to contact your local Electoral Registration Office to arrange to cast their proxy vote by post.\n\n## Change or cancel your proxy vote\n\nTo change who acts as your proxy or to start voting in person, contact your local Electoral Registration Office.\n\nIf you want to vote by post instead, complete a postal vote application.\n\n## Voting from abroad\n\nHow you vote when you\u2019re abroad depends on:\n\n- whether you\u2019ll be abroad temporarily or living abroad\n\n- where you want to vote\n\n## If you\u2019ll be abroad temporarily\n\nYou can vote by post or proxy if you\u2019ll be abroad temporarily on election day, for example on holiday or a work trip.\n\n## Voting in England, Scotland or Wales\n\nYou can arrange:\n\n- to vote by post\n\n- for someone else to vote for you (vote by proxy)\n\nIf you\u2019re abroad on election day you need to make arrangements in advance. Apply to vote by proxy if the election is less than 2 weeks away and you have not made arrangements yet.\n\nYour postal ballot will be sent to the address you\u2019ve chosen no earlier than 16 days before the election. You need to return your ballot before 10pm on polling day.\n\n## Voting in Northern Ireland\n\nThere\u2019s a different process to apply to vote by post or proxy if you live in Northern Ireland and will be abroad temporarily on election day.\n\nIf you will not have time to receive and return your postal ballot in Northern Ireland before going abroad you\u2019ll need to vote by proxy. You cannot apply to have your postal vote sent outside the UK.\n\n## If you\u2019re moving or living abroad\n\nYou can only vote in UK Parliament elections. You may be able to vote in referendums. Each referendum has different rules on who can vote in it.\n\nYou need to register as an overseas voter.\n\nYou can vote by post or proxy, if you\u2019re eligible. You\u2019ll be asked to make this choice when you register.\n\nYou\u2019ll then need to apply by filling in and posting one of the following:\n\n- the paper form to apply for a postal vote\n\n- the paper form to apply for a proxy vote\n\nYou can also ask for the form to be emailed or posted to you when you register online.\n\nIf you\u2019re registered in Northern Ireland, you cannot vote by post from abroad.\n\n## Get help voting\n\nYou can contact your Electoral Register Office to find out when postal votes might be sent. This could help you decide whether to vote by proxy or by post.", + "original_contents": [ + "

    Overview

    ", + "

    You need to be registered to vote before you can vote in UK elections or referendums.

    ", + "

    If you\u2019re eligible, you can vote in person on the day of the election at a named polling station. You can also apply for a postal or proxy vote instead.

    ", + "

    Find out about voting safely during coronavirus (COVID-19).

    ", + "

    Ways of voting

    ", + "

    You can vote:

    ", + "
  • in person at a polling station
  • ", + "
  • by post
  • ", + "
  • by asking someone else to vote for you (voting by proxy)
  • ", + "

    You cannot vote online in any elections.

    ", + "

    Eligibility to vote

    ", + "

    You can vote when you\u2019re:

    ", + "
  • 18 years old in England and Northern Ireland
  • ", + "
  • 16 years old in Scottish Parliament and local elections (and other elections when you\u2019re 18)
  • ", + "
  • 16 years old in Welsh Parliament elections (and other elections when you\u2019re 18)
  • ", + "

    Elections you can vote in

    ", + "

    Different elections have different rules on who can vote.

    ", + "

    Voting and coronavirus (COVID-19)

    ", + "

    Elections and referendums are going ahead during coronavirus (COVID-19), though you may see changes to some processes. You can still vote in person at a polling station.

    ", + "

    If you\u2019re self-isolating, clinically extremely vulnerable, or do not want to go to the polling station, you can vote by post or vote by proxy.

    ", + "

    You may also be able to get an emergency proxy vote at short notice if you need to self-isolate shortly before or on election day.

    ", + "

    At the polling station

    ", + "

    Because of COVID-19, there will be safety measures in place at polling stations to help you vote safely (for example, a one-way system or restrictions on the number of people allowed in).

    ", + "

    If you choose to vote in person, make sure you:

    ", + "
  • wear a face covering (unless you\u2019re exempt)
  • ", + "
  • bring your own pen or pencil (there will be clean pencils available at the polling station if you forget to bring your own)
  • ", + "
  • use the hand sanitiser provided when entering and leaving the polling station
  • ", + "
  • keep to social distancing guidelines
  • ", + "

    If you have COVID-19 symptoms or have been asked to self-isolate

    ", + "

    Do not visit the polling station. Apply for an emergency proxy vote instead. Your proxy can also apply if they develop symptoms.

    ", + "

    You can apply until 5pm on election day. There are different forms to:

    ", + "
  • apply for an emergency proxy vote in England
  • ", + "
  • apply for an emergency proxy vote in Scotland
  • ", + "
  • apply for an emergency proxy vote in Wales
  • ", + "

    Voting in person

    ", + "

    You vote in person at a polling station (usually in a public building, such as a school or local hall).

    ", + "

    Your poll card

    ", + "

    You\u2019ll be sent a poll card just before an election telling you when to vote and at which polling station. You can only vote at the polling station location on your card.

    ", + "

    If you have not received a poll card but think you should, contact your local Electoral Registration Office.

    ", + "

    You can still vote if you\u2019ve lost your card.

    ", + "

    When you can vote

    ", + "

    Polling stations will be open from 7am to 10pm on the day of an election (\u2018polling day\u2019).

    ", + "

    When you get to the polling station

    ", + "

    Give your name and address to the staff inside the polling station when you arrive.

    ", + "

    You\u2019ll be given a ballot paper containing a list of the people, parties or options you can vote for.

    ", + "

    ID you need to bring

    ", + "

    If you live in England, Wales or Scotland you do not need to bring any identification to vote.

    ", + "

    You will need to show photo ID to vote in Northern Ireland (your passport, driving licence, Electoral Identity Card or certain kinds of Translink Smartpass).

    ", + "

    You do not have to take your poll card with you.

    ", + "

    Filling in your ballot paper

    ", + "

    Follow the instructions on the notices in the polling booth and on the top of the ballot paper to vote.

    ", + "

    Voting if you have a disability

    ", + "

    If you have a disability, your local Electoral Registration Office can tell you about:

    ", + "
  • physical access, for example wheelchair ramps and disabled parking spaces
  • ", + "
  • low-level polling booths
  • ", + "
  • equipment for voters with a visual impairment
  • ", + "

    Every polling station must provide at least one large print display version of the ballot paper and a special tactile voting device (TVD) to help people with sight loss.

    ", + "

    Voting by post

    ", + "

    You must apply for a postal vote if you want to vote by post, for example if:

    ", + "
  • you\u2019re away from home
  • ", + "
  • you\u2019re abroad and want to vote in England, Scotland or Wales
  • ", + "

    You do not need to give a reason unless you\u2019re voting in Northern Ireland.

    ", + "

    Apply for a postal vote

    ", + "

    You can apply to vote by post for one of the following:

    ", + "
  • a single election on a specific date
  • ", + "
  • a specific period if you want to vote in England, Scotland or Wales
  • ", + "
  • permanently
  • ", + "

    Arrange to vote by proxy if there are under 2 weeks until election day and you have not made arrangements.

    ", + "

    There\u2019s a different form to apply to vote by post in Northern Ireland.

    ", + "

    Change where your postal vote card is sent

    ", + "

    Make a new application for a postal vote if you move house or you\u2019ll be away from home when the postal vote is sent out.

    ", + "

    There\u2019s a different form for Northern Ireland.

    ", + "

    Completing and returning your postal vote

    ", + "

    When voting by post, you should:

    ", + "
  • mark your vote on your ballot paper in secret
  • ", + "
  • fill in the postal voting statement
  • ", + "
  • put the ballot and statement in the envelope provided
  • ", + "
  • seal the envelope yourself
  • ", + "

    Post your ballot back as quickly as possible to make sure it\u2019s counted.

    ", + "

    If you\u2019re too late to post your ballot paper

    ", + "

    Take it to your local polling station by 10pm on election day, or Electoral Registration Office before they close.

    ", + "

    In Northern Ireland, take it to your local Area Electoral Office before they close.

    ", + "

    Replace a lost or damaged ballot paper

    ", + "

    Your ballot paper needs to clearly display your details and voting choice. If it has been damaged you need to get another one.

    ", + "

    You can either:

    ", + "
  • ask your local Electoral Registration Office to post a replacement
  • ", + "
  • collect a replacement from your local Electoral Registration Office up to 5pm on election day (or the day before in Northern Ireland)
  • ", + "

    You cannot vote at a polling station if you registered to vote by post but your ballot paper was lost or damaged.

    ", + "

    Voting by proxy

    ", + "

    If you\u2019re unable to vote in person you can ask someone to vote on your behalf. This is called a proxy vote.

    ", + "

    You can only apply for a proxy vote under certain circumstances, including:

    ", + "
  • being away on polling day
  • ", + "
  • having a medical issue or disability
  • ", + "
  • not being able to vote in person because of work or military service
  • ", + "

    Your proxy should be someone you trust to vote on your behalf. You\u2019ll need to tell them which candidate (or referendum outcome) you want to vote for.

    ", + "

    How to apply for a proxy vote

    ", + "

    Apply for a proxy vote using a paper form. You need to send it to your local Electoral Registration Office.

    ", + "

    Usually, you need to apply for a proxy vote at least 6 working days before election day if you want to vote in England, Scotland or Wales.

    ", + "

    There\u2019s a different form to apply to vote by proxy in Northern Ireland. Apply at least 14 working days before election day.

    ", + "

    Apply for an emergency proxy vote

    ", + "

    If the proxy vote deadline has passed you may be able to apply for an emergency proxy vote if you both:

    ", + "
  • cannot vote in person because of your employment or a disability
  • ", + "
  • became aware of this reason after the proxy deadline
  • ", + "

    You can apply until 5pm on the day of the election. Fill in a paper form to:

    ", + "
  • apply to vote by emergency proxy based on your employment
  • ", + "
  • apply to vote by emergency proxy based on your disability
  • ", + "

    An \u2018appropriate person\u2019 (for example your employer or a doctor) must sign the application form. Send it to your local Electoral Registration Office.

    ", + "

    You can also apply for an emergency proxy vote if you or your proxy need to self-isolate because of COVID-19.

    ", + "

    How long your proxy vote is for

    ", + "

    You can apply to vote by proxy:

    ", + "
  • for a single election on a specific date
  • ", + "
  • for a specific period if you want to vote in England, Scotland or Wales
  • ", + "
  • permanently
  • ", + "

    Who can act as a proxy

    ", + "

    You can ask anyone to act as your proxy - as long as they:

    ", + "
  • are registered to vote
  • ", + "
  • are allowed to vote in the type of election taking place
  • ", + "
  • can vote in the polling station stated on your poll card
  • ", + "

    If they cannot get to your polling station, they will need to contact your local Electoral Registration Office to arrange to cast their proxy vote by post.

    ", + "

    Change or cancel your proxy vote

    ", + "

    To change who acts as your proxy or to start voting in person, contact your local Electoral Registration Office.

    ", + "

    If you want to vote by post instead, complete a postal vote application.

    ", + "

    Voting from abroad

    ", + "

    How you vote when you\u2019re abroad depends on:

    ", + "
  • whether you\u2019ll be abroad temporarily or living abroad
  • ", + "
  • where you want to vote
  • ", + "

    If you\u2019ll be abroad temporarily

    ", + "

    You can vote by post or proxy if you\u2019ll be abroad temporarily on election day, for example on holiday or a work trip.

    ", + "

    Voting in England, Scotland or Wales

    ", + "

    You can arrange:

    ", + "
  • to vote by post
  • ", + "
  • for someone else to vote for you (vote by proxy)
  • ", + "

    If you\u2019re abroad on election day you need to make arrangements in advance. Apply to vote by proxy if the election is less than 2 weeks away and you have not made arrangements yet.

    ", + "

    Your postal ballot will be sent to the address you\u2019ve chosen no earlier than 16 days before the election. You need to return your ballot before 10pm on polling day.

    ", + "

    Voting in Northern Ireland

    ", + "

    There\u2019s a different process to apply to vote by post or proxy if you live in Northern Ireland and will be abroad temporarily on election day.

    ", + "

    If you will not have time to receive and return your postal ballot in Northern Ireland before going abroad you\u2019ll need to vote by proxy. You cannot apply to have your postal vote sent outside the UK.

    ", + "

    If you\u2019re moving or living abroad

    ", + "

    You can only vote in UK Parliament elections. You may be able to vote in referendums. Each referendum has different rules on who can vote in it.

    ", + "

    You need to register as an overseas voter.

    ", + "

    You can vote by post or proxy, if you\u2019re eligible. You\u2019ll be asked to make this choice when you register.

    ", + "

    You\u2019ll then need to apply by filling in and posting one of the following:

    ", + "
  • the paper form to apply for a postal vote
  • ", + "
  • the paper form to apply for a proxy vote
  • ", + "

    You can also ask for the form to be emailed or posted to you when you register online.

    ", + "

    If you\u2019re registered in Northern Ireland, you cannot vote by post from abroad.

    ", + "

    Get help voting

    ", + "

    You can contact your Electoral Register Office to find out when postal votes might be sent. This could help you decide whether to vote by proxy or by post.

    " + ] + }, + "https://www.gov.uk/electoral-register": { + "url": "https://www.gov.uk/electoral-register", + "title": "The electoral register and the 'open register'", + "content": "## Get on the electoral register\n\nThe electoral register (sometimes called the \u2018electoral roll\u2019) lists the names and addresses of everyone who\u2019s registered to vote.\n\nUse the register to vote service to:\n\n- get on the electoral register\n\n- update your details (for example change your name or address)\n\nTo check whether you\u2019re already on the register, contact:\n\n- your local Electoral Registration Office if you live in England, Scotland or Wales\n\n- the Electoral Office for Northern Ireland (EONI) if you live in Northern Ireland\n\n## What happens if you do not register\n\nYou must register to vote if you\u2019re asked to do so and you meet the conditions for registering, for example you\u2019re 16 or over and you\u2019re British or a national of an EU or Commonwealth country.\n\nIf you\u2019re asked to register and do not, you could be fined.\n\nYou will not be fined if you have a valid reason for not registering, for example a long stay in hospital, or you have severe learning difficulties.\n\n## When you can register in more than one place\n\nIt\u2019s sometimes possible to register at 2 addresses (though you can only vote once in any election).\n\nFor example, if you\u2019re a student with different home and term-time addresses, you may be able to register at both.\n\nRegister to vote twice if you live at 2 addresses.\n\n## The annual canvass\n\nFrom July each year Electoral Registration Offices (EROs) contact households to check if the details on the electoral register are correct. This is called the annual canvass.\n\nYou will be contacted by post, email, phone or by someone knocking on your door.\n\n## Canvass 2021 in Northern Ireland\n\nFrom 1 July 2021, the electoral register in Northern Ireland will be renewed as part of the national canvass. If you want to vote in future elections, you must register to vote after 1 July, even if you\u2019ve registered before.\n\n## Opt out of the 'open register'\n\nThere are 2 versions of the electoral register - the full version and the \u2018open register\u2019 (known as the \u2018edited register\u2019 in Northern Ireland).\n\nIf you registered to vote anonymously your details will not appear on either version of the electoral register. You will still be able to vote.\n\n## How to opt out of the open register\n\nYou can opt out of the open register. This is the version of the register that\u2019s available to anyone who wants to buy a copy.\n\nTo opt out, either:\n\n- use the register to vote service (even if you\u2019re already registered)\n\n- contact your local Electoral Registration Office if you live in England, Scotland or Wales\n\n- contact the Electoral Office for Northern Ireland (EONI) if you live in Northern Ireland\n\nOpting out does not affect your right to vote.\n\nWhen you opt out of the open register, your details will still appear on the full version of the electoral register.\n\n## The full version and what it can be used for\n\nEveryone\u2019s name and address goes on the full version of the electoral register, and you cannot opt out. This is the version of the register that\u2019s used for elections and referendums.\n\nThe full version of the register can only be used for:\n\n- electoral administration purposes (such as sending out poll cards before elections)\n\n- campaigning activities (for example, candidates and political parties sending election communications to voters, surveying opinions or fundraising)\n\n- preventing and detecting crime\n\n- checking applications for loans or credit\n\n- jury summoning in England, Wales and Northern Ireland\n\nYou can find out more about the difference between the open register and the electoral register.\n\n## View the electoral register\n\nContact:\n\n- your local Electoral Registration Office if you live in England, Scotland or Wales\n\n- the Electoral Office for Northern Ireland (EONI) if you live in Northern Ireland\n\nThey will tell you where you can view the current electoral register (it\u2019s often available in libraries). The register will list everyone who\u2019s registered to vote in the local area.\n\n## Search historical versions of the electoral register\n\nYou can find out about historical versions of the electoral register - for example, if you want to research local or family history.", + "original_contents": [ + "

    Get on the electoral register

    ", + "

    The electoral register (sometimes called the \u2018electoral roll\u2019) lists the names and addresses of everyone who\u2019s registered to vote.

    ", + "

    Use the register to vote service to:

    ", + "
  • get on the electoral register
  • ", + "
  • update your details (for example change your name or address)
  • ", + "

    To check whether you\u2019re already on the register, contact:

    ", + "
  • your local Electoral Registration Office if you live in England, Scotland or Wales
  • ", + "
  • the Electoral Office for Northern Ireland (EONI) if you live in Northern Ireland
  • ", + "

    What happens if you do not register

    ", + "

    You must register to vote if you\u2019re asked to do so and you meet the conditions for registering, for example you\u2019re 16 or over and you\u2019re British or a national of an EU or Commonwealth country.

    ", + "

    If you\u2019re asked to register and do not, you could be fined.

    ", + "

    You will not be fined if you have a valid reason for not registering, for example a long stay in hospital, or you have severe learning difficulties.

    ", + "

    When you can register in more than one place

    ", + "

    It\u2019s sometimes possible to register at 2 addresses (though you can only vote once in any election).

    ", + "

    For example, if you\u2019re a student with different home and term-time addresses, you may be able to register at both.

    ", + "

    Register to vote twice if you live at 2 addresses.

    ", + "

    The annual canvass

    ", + "

    From July each year Electoral Registration Offices (EROs) contact households to check if the details on the electoral register are correct. This is called the annual canvass.

    ", + "

    You will be contacted by post, email, phone or by someone knocking on your door.

    ", + "

    Canvass 2021 in Northern Ireland

    ", + "

    From 1 July 2021, the electoral register in Northern Ireland will be renewed as part of the national canvass. If you want to vote in future elections, you must register to vote after 1 July, even if you\u2019ve registered before.

    ", + "

    Opt out of the 'open register'

    ", + "

    There are 2 versions of the electoral register - the full version and the \u2018open register\u2019 (known as the \u2018edited register\u2019 in Northern Ireland).

    ", + "

    If you registered to vote anonymously your details will not appear on either version of the electoral register. You will still be able to vote.

    ", + "

    How to opt out of the open register

    ", + "

    You can opt out of the open register. This is the version of the register that\u2019s available to anyone who wants to buy a copy.

    ", + "

    To opt out, either:

    ", + "
  • use the register to vote service (even if you\u2019re already registered)
  • ", + "
  • contact your local Electoral Registration Office if you live in England, Scotland or Wales
  • ", + "
  • contact the Electoral Office for Northern Ireland (EONI) if you live in Northern Ireland
  • ", + "

    Opting out does not affect your right to vote.

    ", + "

    When you opt out of the open register, your details will still appear on the full version of the electoral register.

    ", + "

    The full version and what it can be used for

    ", + "

    Everyone\u2019s name and address goes on the full version of the electoral register, and you cannot opt out. This is the version of the register that\u2019s used for elections and referendums.

    ", + "

    The full version of the register can only be used for:

    ", + "
  • electoral administration purposes (such as sending out poll cards before elections)
  • ", + "
  • campaigning activities (for example, candidates and political parties sending election communications to voters, surveying opinions or fundraising)
  • ", + "
  • preventing and detecting crime
  • ", + "
  • checking applications for loans or credit
  • ", + "
  • jury summoning in England, Wales and Northern Ireland
  • ", + "

    You can find out more about the difference between the open register and the electoral register.

    ", + "

    View the electoral register

    ", + "

    Contact:

    ", + "
  • your local Electoral Registration Office if you live in England, Scotland or Wales
  • ", + "
  • the Electoral Office for Northern Ireland (EONI) if you live in Northern Ireland
  • ", + "

    They will tell you where you can view the current electoral register (it\u2019s often available in libraries). The register will list everyone who\u2019s registered to vote in the local area.

    ", + "

    Search historical versions of the electoral register

    ", + "

    You can find out about historical versions of the electoral register - for example, if you want to research local or family history.

    " + ] + }, + "https://www.gov.uk/elections-in-the-uk": { + "url": "https://www.gov.uk/elections-in-the-uk", + "title": "Types of election, referendums, and who can vote", + "content": "## General election\n\nGeneral elections (elections to the UK Parliament) usually take place every 5 years.\n\nTo vote in a general election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish or qualifying Commonwealth citizen\n\n- be resident at an address in the UK (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)\n\n- not be legally excluded from voting\n\nThere are 650 Members of Parliament (MPs) in the UK Parliament.\n\nMPs are elected using the First Past the Post system. You vote once for a candidate in your constituency and the candidate with the most votes becomes your MP.\n\nYou can find your local MP.\n\nRead more about general elections on The Electoral Commission website.\n\n## Local government\n\nLocal government elections take place at least every 4 years. Not all local government elections take place at the same time.\n\nYour local government will do one of the following:\n\n- elect all the local councillors every 4 years\n\n- elect half the local councillors every 2 years\n\n- elect one third of the local councillors every year for 3 years and hold no elections in the 4th year\n\nTo vote in a local government election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019) (16 or over in Scotland)\n\n- be registered at an address in the area you want to vote in\n\n- not be legally excluded from voting\n\nYou must also be one of the following:\n\n- a British citizen\n\n- an Irish or EU citizen\n\n- a qualifying Commonwealth citizen\n\n- a citizen of another country living in Scotland or Wales who has permission to enter or stay in the UK, or who does not need permission\n\nLocal government councillors in England and Wales are elected using the First Past the Post system. You vote for one candidate in your local area and the candidate with the most votes wins.\n\nIn Scotland and Northern Ireland, councillors are elected using the Single Transferable Vote system. You rank the candidates in order of preference.\n\n## When you can vote in more than one local election\n\nIf you live in 2 different local authority areas (for example because you\u2019re a student), you may be able to vote in both areas.\n\nYou must register to vote in both areas. The local Electoral Registration Offices will check each application and tell you if you can register in both areas.\n\nRead more about local government elections on The Electoral Commission website.\n\n## Scottish Parliament\n\nThere are 129 Members of the Scottish Parliament (MSPs).\n\nTo vote in Scottish Parliament elections you must:\n\n- be registered to vote at an address in Scotland\n\n- be 16 or over on the day of the election (\u2018polling day\u2019)\n\n- not be legally excluded from voting\n\nYou must also be one of the following:\n\n- a British citizen\n\n- an Irish citizen\n\n- a citizen of another country living in Scotland who has permission to enter or stay in the UK, or who does not need permission\n\nMSPs are elected using the Additional Member system. You vote once for your constituency MSP and once for an MSP to represent the wider region.\n\nRead more about the Scottish Parliament elections on The Electoral Commission website.\n\n## Northern Ireland Assembly\n\nThere are 90 Members of the Legislative Assembly (MLAs) in the Northern Ireland Assembly.\n\nTo vote in Northern Ireland Assembly elections you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be registered at an address in the area you want to vote in\n\n- not be legally excluded from voting\n\nMLAs are elected by the Single Transferable Vote system.\n\nRead more about the Northern Ireland Assembly elections on The Electoral Commission website.\n\n## Welsh Parliament\n\nThere are 60 Members of the Senedd Cymru: Welsh Parliament (MSs).\n\nTo vote in Welsh Parliament elections you must:\n\n- be registered to vote\n\n- be 16 or over on the day of the election (\u2018polling day\u2019)\n\n- live in Wales\n\n- not be legally excluded from voting\n\nMSs are elected using the Additional Member system. You vote once for your constituency MS and once for an MS to represent the wider region.\n\nRead more about the Welsh Parliament on The Electoral Commission website.\n\n## Local mayors, Mayor of London and London Assembly\n\n## Elected local mayors\n\nIn some areas of England voters elect a mayor.\n\nCheck if your mayor is elected on your local council website.\n\nMayors are elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, then your second choice is counted.\n\nTo vote for a local mayor, you must be eligible to vote in local elections.\n\n## Mayor of London and London Assembly\n\nThe Mayor of London makes decisions on behalf of the people of London. The 25 London Assembly Members make sure the Mayor\u2019s decisions are in the interests of the public.\n\nTo vote in the London Mayor and London Assembly elections you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be resident at an address in Greater London\n\n- not be legally excluded from voting\n\nThe Mayor of London is elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.\n\nLondon Assembly members are elected using the Additional Member system. You vote once for your constituency member and once for a London-wide representative.\n\nThere are 14 constituency members and 11 London-wide members.\n\nRead more about the Mayor of London and London Assembly elections on The Electoral Commission website.\n\n## Police and Crime Commissioner\n\nThere are 41 Police and Crime Commissioners (PCCs) in England and Wales who are elected to make sure the police are run properly. There is no elected PCC for London.\n\nTo vote in a PCC election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be resident at an address in England or Wales (excluding London)\n\n- not be legally excluded from voting\n\nPCCs are elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.\n\nRead more about Police and Crime Commissioner elections on The Electoral Commission website.\n\n## Referendums\n\nA referendum is a vote on a single issue.\n\nEach referendum has different rules on who can vote in it.\n\nTo vote in a referendum you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the referendum (\u2018polling day\u2019)\n\n- be a British, Irish or Commonwealth citizen\n\n- be resident at an address in the UK or Gibraltar (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)\n\n- not be legally excluded from voting\n\nYou make one choice between 2 options. Votes are counted for the whole of the UK, not by constituency.", + "original_contents": [ + "

    General election

    ", + "

    General elections (elections to the UK Parliament) usually take place every 5 years.

    ", + "

    To vote in a general election you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • be a British, Irish or qualifying Commonwealth citizen
  • ", + "
  • be resident at an address in the UK (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)
  • ", + "
  • not be legally excluded from voting
  • ", + "

    There are 650 Members of Parliament (MPs) in the UK Parliament.

    ", + "

    MPs are elected using the First Past the Post system. You vote once for a candidate in your constituency and the candidate with the most votes becomes your MP.

    ", + "

    You can find your local MP.

    ", + "

    Read more about general elections on The Electoral Commission website.

    ", + "

    Local government

    ", + "

    Local government elections take place at least every 4 years. Not all local government elections take place at the same time.

    ", + "

    Your local government will do one of the following:

    ", + "
  • elect all the local councillors every 4 years
  • ", + "
  • elect half the local councillors every 2 years
  • ", + "
  • elect one third of the local councillors every year for 3 years and hold no elections in the 4th year
  • ", + "

    To vote in a local government election you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the election (\u2018polling day\u2019) (16 or over in Scotland)
  • ", + "
  • be registered at an address in the area you want to vote in
  • ", + "
  • not be legally excluded from voting
  • ", + "

    You must also be one of the following:

    ", + "
  • a British citizen
  • ", + "
  • an Irish or EU citizen
  • ", + "
  • a qualifying Commonwealth citizen
  • ", + "
  • a citizen of another country living in Scotland or Wales who has permission to enter or stay in the UK, or who does not need permission
  • ", + "

    Local government councillors in England and Wales are elected using the First Past the Post system. You vote for one candidate in your local area and the candidate with the most votes wins.

    ", + "

    In Scotland and Northern Ireland, councillors are elected using the Single Transferable Vote system. You rank the candidates in order of preference.

    ", + "

    When you can vote in more than one local election

    ", + "

    If you live in 2 different local authority areas (for example because you\u2019re a student), you may be able to vote in both areas.

    ", + "

    You must register to vote in both areas. The local Electoral Registration Offices will check each application and tell you if you can register in both areas.

    ", + "

    Read more about local government elections on The Electoral Commission website.

    ", + "

    Scottish Parliament

    ", + "

    There are 129 Members of the Scottish Parliament (MSPs).

    ", + "

    To vote in Scottish Parliament elections you must:

    ", + "
  • be registered to vote at an address in Scotland
  • ", + "
  • be 16 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • not be legally excluded from voting
  • ", + "

    You must also be one of the following:

    ", + "
  • a British citizen
  • ", + "
  • an Irish citizen
  • ", + "
  • a citizen of another country living in Scotland who has permission to enter or stay in the UK, or who does not need permission
  • ", + "

    MSPs are elected using the Additional Member system. You vote once for your constituency MSP and once for an MSP to represent the wider region.

    ", + "

    Read more about the Scottish Parliament elections on The Electoral Commission website.

    ", + "

    Northern Ireland Assembly

    ", + "

    There are 90 Members of the Legislative Assembly (MLAs) in the Northern Ireland Assembly.

    ", + "

    To vote in Northern Ireland Assembly elections you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • be a British, Irish, qualifying Commonwealth or EU citizen
  • ", + "
  • be registered at an address in the area you want to vote in
  • ", + "
  • not be legally excluded from voting
  • ", + "

    MLAs are elected by the Single Transferable Vote system.

    ", + "

    Read more about the Northern Ireland Assembly elections on The Electoral Commission website.

    ", + "

    Welsh Parliament

    ", + "

    There are 60 Members of the Senedd Cymru: Welsh Parliament (MSs).

    ", + "

    To vote in Welsh Parliament elections you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 16 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • live in Wales
  • ", + "
  • not be legally excluded from voting
  • ", + "

    MSs are elected using the Additional Member system. You vote once for your constituency MS and once for an MS to represent the wider region.

    ", + "

    Read more about the Welsh Parliament on The Electoral Commission website.

    ", + "

    Local mayors, Mayor of London and London Assembly

    ", + "

    Elected local mayors

    ", + "

    In some areas of England voters elect a mayor.

    ", + "

    Check if your mayor is elected on your local council website.

    ", + "

    Mayors are elected using the Supplementary Vote system. You make a first and second choice when you vote.

    ", + "

    If no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, then your second choice is counted.

    ", + "

    To vote for a local mayor, you must be eligible to vote in local elections.

    ", + "

    Mayor of London and London Assembly

    ", + "

    The Mayor of London makes decisions on behalf of the people of London. The 25 London Assembly Members make sure the Mayor\u2019s decisions are in the interests of the public.

    ", + "

    To vote in the London Mayor and London Assembly elections you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • be a British, Irish, qualifying Commonwealth or EU citizen
  • ", + "
  • be resident at an address in Greater London
  • ", + "
  • not be legally excluded from voting
  • ", + "

    The Mayor of London is elected using the Supplementary Vote system. You make a first and second choice when you vote.

    ", + "

    If no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.

    ", + "

    London Assembly members are elected using the Additional Member system. You vote once for your constituency member and once for a London-wide representative.

    ", + "

    There are 14 constituency members and 11 London-wide members.

    ", + "

    Read more about the Mayor of London and London Assembly elections on The Electoral Commission website.

    ", + "

    Police and Crime Commissioner

    ", + "

    There are 41 Police and Crime Commissioners (PCCs) in England and Wales who are elected to make sure the police are run properly. There is no elected PCC for London.

    ", + "

    To vote in a PCC election you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the election (\u2018polling day\u2019)
  • ", + "
  • be a British, Irish, qualifying Commonwealth or EU citizen
  • ", + "
  • be resident at an address in England or Wales (excluding London)
  • ", + "
  • not be legally excluded from voting
  • ", + "

    PCCs are elected using the Supplementary Vote system. You make a first and second choice when you vote.

    ", + "

    If no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.

    ", + "

    Read more about Police and Crime Commissioner elections on The Electoral Commission website.

    ", + "

    Referendums

    ", + "

    A referendum is a vote on a single issue.

    ", + "

    Each referendum has different rules on who can vote in it.

    ", + "

    To vote in a referendum you must:

    ", + "
  • be registered to vote
  • ", + "
  • be 18 or over on the day of the referendum (\u2018polling day\u2019)
  • ", + "
  • be a British, Irish or Commonwealth citizen
  • ", + "
  • be resident at an address in the UK or Gibraltar (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)
  • ", + "
  • not be legally excluded from voting
  • ", + "

    You make one choice between 2 options. Votes are counted for the whole of the UK, not by constituency.

    " + ] + }, + "https://www.gov.uk/appeal-call-up-reserve-forces": { + "url": "https://www.gov.uk/appeal-call-up-reserve-forces", + "title": "Appeal a call up to the reserve forces", + "content": "## Overview\n\nYou can appeal to the Reserve Forces Appeal Tribunals (RFAT) if:\n\n- you\u2019re in the UK reserve forces and your request for exemption from service has been turned down\n\n- you employ a reservist and your request for their exemption from service has been turned down\n\nThe tribunal must receive your appeal within 5 days of you getting the decision letter or your application will be rejected.\n\nIf you\u2019re going to miss the deadline and have a valid reason, say why when you appeal. Extensions are only granted in exceptional circumstances.\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nContact RFAT or your legal representative if you have any questions about appealing. RFAT cannot give you legal advice.\n\nYou can find legal advice, including from a lawyer.\n\n## Appeal to the tribunal\n\nWrite a letter called a \u2018notice of appeal\u2019 to the Secretary of Tribunals.\n\nYour letter must include:\n\n- your name, address and telephone number\n\n- a statement that it\u2019s a \u2018notice of appeal\u2019\n\n- the grounds for appealing the decision\n\n- what you want the tribunal to decide (known as the \u2018determination\u2019)\n\n- whether you want to attend the hearing\n\n- whether you\u2019ll be legally represented\n\n- the names and addresses of any witnesses you\u2019d like to give evidence at the hearing\n\nYou\u2019ll need to include:\n\n- a copy of the decision you\u2019re appealing\n\n- all documents that were part of your application for exemption\n\n- any relevant documents that were not part of your original application - and the reasons why they were not included\n\n## Send your letter\n\nYou can email, fax, post or deliver your notice of appeal in person to:\n\n## After you send your application\n\nYou\u2019ll be told straight away when your appeal has been received.\n\nYou\u2019ll also be given:\n\n- a case name\n\n- a case number\n\n- an address for sending any further letters and documents to the tribunal\n\n- a hearing date - it\u2019ll usually be within 28 days of the tribunal getting your appeal\n\nYou\u2019ll normally find out within a week of sending your appeal:\n\n- whether the tribunal will consider your case\n\n- whether the Reserve Forces opposes the appeal and why\n\n- if the tribunal needs more information\n\nYou\u2019ll get another letter a few days before the hearing telling you what documents to bring with you, or send by post in advance.\n\n## Witnesses\n\nThe tribunal may suggest witnesses. You must contact them and make sure they appear at the hearing.\n\nThe tribunal can force witnesses to appear at the hearing if you\u2019re unable to do it yourself - the tribunal will tell you how.\n\n## What happens at the hearing\n\nYou (or your legal representative) will present your case to the tribunal. An \u2018adjudication officer\u2019 will represent the Reserve Forces.\n\nBoth sides can give evidence, call witnesses, question witnesses and make statements to the tribunal.\n\nIf neither side wants to attend a hearing, a decision will be made without a hearing. This is called a \u2018paper hearing\u2019.\n\nYou and any witnesses who attend a hearing may be able to claim for expenses you have, for example accommodation or travel.\n\nHearings are usually held in public.\n\n## The tribunal\u2019s decision\n\nYou may get a decision at the end of the hearing. You\u2019ll also get a written copy sent to you.\n\nIf a decision\u2019s not made at the hearing, you\u2019ll get a letter telling you the decision within 1 month. This is known as a \u2018reserved\u2019 decision.\n\n## If you're unhappy with the decision\n\nYou cannot appeal if you lose the case.\n\nIn exceptional circumstances, you may be able to ask for the tribunal to review its decision, for example if:\n\n- new evidence becomes available\n\n- the Secretary of Tribunals made a mistake in the proceedings\n\n- someone had the right to attend the hearing but could not, and had a valid reason for doing so\n\n- something else has gone wrong that\u2019s made the process or decision unfair (known as a review \u2018in the interests of justice\u2019)\n\nYou can get legal advice, including from a lawyer if you need help.\n\nWrite to the Secretary of Tribunals within 5 days of getting the decision.\n\n## What happens next\n\nThe tribunal can:\n\n- \u2018set aside\u2019 the decision - this means you\u2019ll have another hearing\n\n- change the decision\n\n## Legislation\n\nThe tribunal must follow the rules and process in:\n\n- the Reserve Forces Appeal Tribunals Rules 1997\n\n- Part IX of the Reserve Forces Act 1996\n\nThe tribunal will make a decision based on the Reserve Forces (Call-out and Recall) (Exemptions Etc.) Regulations 1997.", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal to the Reserve Forces Appeal Tribunals (RFAT) if:

    ", + "
  • you\u2019re in the UK reserve forces and your request for exemption from service has been turned down
  • ", + "
  • you employ a reservist and your request for their exemption from service has been turned down
  • ", + "

    The tribunal must receive your appeal within 5 days of you getting the decision letter or your application will be rejected.

    ", + "

    If you\u2019re going to miss the deadline and have a valid reason, say why when you appeal. Extensions are only granted in exceptional circumstances.

    ", + "

    The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    Contact RFAT or your legal representative if you have any questions about appealing. RFAT cannot give you legal advice.

    ", + "

    You can find legal advice, including from a lawyer.

    ", + "

    Appeal to the tribunal

    ", + "

    Write a letter called a \u2018notice of appeal\u2019 to the Secretary of Tribunals.

    ", + "

    Your letter must include:

    ", + "
  • your name, address and telephone number
  • ", + "
  • a statement that it\u2019s a \u2018notice of appeal\u2019
  • ", + "
  • the grounds for appealing the decision
  • ", + "
  • what you want the tribunal to decide (known as the \u2018determination\u2019)
  • ", + "
  • whether you want to attend the hearing
  • ", + "
  • whether you\u2019ll be legally represented
  • ", + "
  • the names and addresses of any witnesses you\u2019d like to give evidence at the hearing
  • ", + "

    You\u2019ll need to include:

    ", + "
  • a copy of the decision you\u2019re appealing
  • ", + "
  • all documents that were part of your application for exemption
  • ", + "
  • any relevant documents that were not part of your original application - and the reasons why they were not included
  • ", + "

    Send your letter

    ", + "

    You can email, fax, post or deliver your notice of appeal in person to:

    ", + "

    After you send your application

    ", + "

    You\u2019ll be told straight away when your appeal has been received.

    ", + "

    You\u2019ll also be given:

    ", + "
  • a case name
  • ", + "
  • a case number
  • ", + "
  • an address for sending any further letters and documents to the tribunal
  • ", + "
  • a hearing date - it\u2019ll usually be within 28 days of the tribunal getting your appeal
  • ", + "

    You\u2019ll normally find out within a week of sending your appeal:

    ", + "
  • whether the tribunal will consider your case
  • ", + "
  • whether the Reserve Forces opposes the appeal and why
  • ", + "
  • if the tribunal needs more information
  • ", + "

    You\u2019ll get another letter a few days before the hearing telling you what documents to bring with you, or send by post in advance.

    ", + "

    Witnesses

    ", + "

    The tribunal may suggest witnesses. You must contact them and make sure they appear at the hearing.

    ", + "

    The tribunal can force witnesses to appear at the hearing if you\u2019re unable to do it yourself - the tribunal will tell you how.

    ", + "

    What happens at the hearing

    ", + "

    You (or your legal representative) will present your case to the tribunal. An \u2018adjudication officer\u2019 will represent the Reserve Forces.

    ", + "

    Both sides can give evidence, call witnesses, question witnesses and make statements to the tribunal.

    ", + "

    If neither side wants to attend a hearing, a decision will be made without a hearing. This is called a \u2018paper hearing\u2019.

    ", + "

    You and any witnesses who attend a hearing may be able to claim for expenses you have, for example accommodation or travel.

    ", + "

    Hearings are usually held in public.

    ", + "

    The tribunal\u2019s decision

    ", + "

    You may get a decision at the end of the hearing. You\u2019ll also get a written copy sent to you.

    ", + "

    If a decision\u2019s not made at the hearing, you\u2019ll get a letter telling you the decision within 1 month. This is known as a \u2018reserved\u2019 decision.

    ", + "

    If you're unhappy with the decision

    ", + "

    You cannot appeal if you lose the case.

    ", + "

    In exceptional circumstances, you may be able to ask for the tribunal to review its decision, for example if:

    ", + "
  • new evidence becomes available
  • ", + "
  • the Secretary of Tribunals made a mistake in the proceedings
  • ", + "
  • someone had the right to attend the hearing but could not, and had a valid reason for doing so
  • ", + "
  • something else has gone wrong that\u2019s made the process or decision unfair (known as a review \u2018in the interests of justice\u2019)
  • ", + "

    You can get legal advice, including from a lawyer if you need help.

    ", + "

    Write to the Secretary of Tribunals within 5 days of getting the decision.

    ", + "

    What happens next

    ", + "

    The tribunal can:

    ", + "
  • \u2018set aside\u2019 the decision - this means you\u2019ll have another hearing
  • ", + "
  • change the decision
  • ", + "

    Legislation

    ", + "

    The tribunal must follow the rules and process in:

    ", + "
  • the Reserve Forces Appeal Tribunals Rules 1997
  • ", + "
  • Part IX of the Reserve Forces Act 1996
  • ", + "

    The tribunal will make a decision based on the Reserve Forces (Call-out and Recall) (Exemptions Etc.) Regulations 1997.

    " + ] + }, + "https://www.gov.uk/upper-tribunal-immigration-asylum": { + "url": "https://www.gov.uk/upper-tribunal-immigration-asylum", + "title": "Appeal a decision by the immigration and asylum tribunal", + "content": "## Overview\n\nYou can appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you think there\u2019s a legal mistake with a decision made by the First-tier Tribunal (Immigration and Asylum Chamber).\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou can get legal advice (including from a solicitor), or help from a regulated immigration adviser.\n\nYou can also contact Citizens Advice.\n\nYou may be able to get legal aid.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYou may be able to get asylum support, for example housing and money, while you\u2019re waiting to find out if you\u2019ll be given asylum.\n\nContact the tribunal if you have any questions about your appeal. The tribunal can not give you legal advice.\n\n## How to appeal\n\nYou must be able to make a case for why the decision was legally wrong. For example, if the tribunal:\n\n- did not apply the correct law or wrongly interpreted the law\n\n- did not follow the correct procedures\n\n- had no evidence or not enough evidence to support its decision\n\n## Ask for permission to appeal\n\nYou must ask the First-tier Tribunal (Immigration and Asylum Chamber) for permission to appeal to the Upper Tribunal.\n\nYou\u2019ll be given the form to ask permission from the First-tier Tribunal (Immigration and Asylum Chamber) when you get your decision. Send it with a copy of the decision to the address on the form.\n\n## Deadlines for asking the First-tier Tribunal for permission to appeal\n\nYou must ask for permission to appeal within a certain period of time of getting your decision. When you must appeal by depends on whether you\u2019re inside or outside the UK.\n\n| | When you must appeal by |\n\n| You\u2019re inside the UK | 14 days after the date on the written reasons for the decisions |\n\n| You\u2019re outside the UK | 28 days after the date on the written reasons for the decisions |\n\n## Fees\n\nThere is no fee to appeal to the tribunal.\n\n## If you\u2019re refused permission to appeal\n\nYou can apply to the Upper Tribunal for permission to appeal if the First-tier Tribunal refuses, or only gives your permission to appeal on limited grounds.\n\nDownload and fill in the Upper Tribunal permission request form and send it with the appropriate documents to the address on the form.\n\nYou must also say whether you want a hearing or not.\n\nIf your case was heard at either the Yarl\u2019s Wood or the Harmondsworth hearing centre as a Detained Immigration Appeal, send your application to the Harmondsworth hearing centre.\n\n## Deadlines for asking the Upper Tribunal for permission to appeal\n\nHow long you have depends on where you are and how you received your refusal letter from the First-tier Tribunal.\n\n| | When you must appeal by |\n\n| You\u2019re inside the UK | 14 days after the date on the decision |\n\n| You\u2019re outside the UK | 1 month after the date on the decision |\n\n## Documents you must send with your application\n\nInclude copies of the following documents with your form:\n\n- the decision by the First-tier Tribunal\n\n- the \u2018notice of refusal of permission to appeal\u2019 by the First-tier Tribunal or the \u2018refusal to admit the application for permission\u2019\n\n- a statement clearly setting out your reasons for why you think the First-tier Tribunal made a mistake\n\n- any other relevant documents that you sent to the First-tier Tribunal\n\nYou also need to include any written evidence that shows why you think the First-tier Tribunal made a legal mistake.\n\nIf your application is late, you must explain in writing why it is late. The tribunal will then decide if it can review your application.\n\n## Ask for a hearing\n\nYou can ask on your application for a decision to be made either:\n\n- just on the information in your application\n\n- at a hearing that you or your representative can go to\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend if you\u2019re in the UK.\n\nIf they do not hold a hearing, a judge will decide your case based on your application.\n\n## Withdrawing your appeal\n\nOnly you or your representative can withdraw your appeal. Contact the tribunal in writing if you want to withdraw your appeal - include your appeal number. The tribunal will decide whether to give you permission to withdraw, or if the hearing will go ahead.\n\nIf your hearing is less than 7 days away, contact the hearing centre where your appeal is scheduled.\n\n## If you have a hearing\n\nYou or your representative will be told when and where your hearing will take place. You can check the daily courts lists on the day of your hearing to find out if anything has changed.\n\nYou may need to attend a pre-hearing first, where the tribunal will check that you\u2019re ready for the full hearing to take place.\n\nBring copies of all the documents that you gave to the tribunal.\n\nYou can bring a friend to represent you - ask the judge at the beginning of the hearing if this is the case.\n\n## Special requirements\n\nWrite to the Customer Enquiry Unit at least 2 weeks before your hearing if you need any special help, for example wheelchair access.\n\n## Private hearings or hearings by video\n\nHearings are usually carried out in public. If you have an important need (for example you think you\u2019ll be put in danger if you go to the hearing), you can ask:\n\n- for your name not to appear on any tribunal documents or court lists\n\n- for the tribunal to be private and not open to the public\n\n- to attend the hearing by video link\n\n## Asking for a male or female judge\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\nMake your request as soon as possible when your apply, and no later than 7 days before the hearing.\n\n## If you cannot attend the hearing\n\nYou must attend the hearing yourself if you\u2019re in the UK. You can also bring a solicitor or regulated immigration adviser with you.\n\nIf you\u2019re not in the UK, you can ask a solicitor, regulated immigration adviser or the person who supported your application (your \u2018sponsor\u2019) to attend the hearing in your place.\n\nYou can only be represented at the hearing by a solicitor or regulated immigration adviser, your sponsor can not act on your behalf.\n\nYour sponsor can not represent you at the hearing, they can only be:\n\n- told the tribunal\u2019s decision\n\n- given information over the phone\n\nYou must write to the tribunal to tell them if your sponsor will be attending the hearing in your place. Include the case reference number of your appeal.\n\n## Children at the hearing\n\nYou can not take children into the hearing room with you. If you need to bring them to the tribunal, you\u2019ll need to bring someone to look after them.\n\n## If your appeal can not be resolved at the hearing\n\nIf your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be \u2018adjourned\u2019 and rescheduled for another day.\n\nYour hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it can not be resolved on the day, for example because more evidence is needed.\n\nThe tribunal will arrange another hearing with the same people present.\n\n## The tribunal's decision\n\nYou\u2019ll normally get your decision in writing in 28 days.\n\n## If you win your appeal\n\nIf the Upper Tribunal decides that a mistake was made it can:\n\n- overrule the decision and make its own judgement\n\n- order the First-tier Tribunal to hear the case again\n\nThe Home Office can appeal the decision of the tribunal.\n\n## If you lose your appeal\n\nYou may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.\n\nGet legal help or advice if you\u2019re not sure about this.\n\n## Ask for permission\n\nYou must write to the upper tribunal and ask for permission before you appeal. How long you have to do this depends on where you are and how you received your decision.\n\n| | Refusal letter by post | Refusal by email or delivered personally |\n\n| You\u2019re inside the UK | 12 working days | 10 working days |\n\n| You\u2019re outside the UK | 38 days | 10 days |\n\nOnce you have permission, you should appeal to the relevant higher court:\n\n- The Court of Appeal in England and Wales\n\n- The Court of Session in Scotland\n\n- The Court of Appeal in Northern Ireland\n\nYou must do this within:\n\n- 28 days of being given permission (England and Wales)\n\n- 42 days of being given permission (Scotland)\n\n- 21 days of being given permission (Northern Ireland)\n\nYou may have to pay court fees and the other party\u2019s costs.\n\n## If you\u2019re refused permission\n\nYou can ask the relevant higher court for permission.\n\nYou must do this within:\n\n- 28 days of being refused permission (England and Wales)\n\n- 42 days of being refused permission (Scotland)\n\n- 21 days of being refused permission (Northern Ireland)\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Legislation\n\nThe Upper Tribunal (Immigration and Asylum Chamber) must follow the rules and process in the The Tribunal Procedure (Upper Tribunal) Rules 2008.\n\nThe tribunal has issued additional guidance on certain issues:\n\n- practice statements\n\n- practice directions\n\nThe tribunal will make a decision based on legislation, including the:\n\n- Immigration Act 1971\n\n- Nationality, Immigration and Asylum Act 2002\n\n- Immigration, Asylum and Nationality Act 2006\n\n- Tribunals, Courts and Enforcement Act 2007\n\n- UK Borders Act 2007\n\n- Borders, Citizenship and Immigration Act 2009\n\n- Immigration Rules\n\n- Immigration (European Economic Area) Regulations 2006\n\n## Previous decisions\n\nYou can search for decisions made in other cases.", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you think there\u2019s a legal mistake with a decision made by the First-tier Tribunal (Immigration and Asylum Chamber).

    ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    You can get legal advice (including from a solicitor), or help from a regulated immigration adviser.

    ", + "

    You can also contact Citizens Advice.

    ", + "

    You may be able to get legal aid.

    ", + "

    Read the guide on representing yourself if you\u2019re not going to have a legal representative.

    ", + "

    You may be able to get asylum support, for example housing and money, while you\u2019re waiting to find out if you\u2019ll be given asylum.

    ", + "

    Contact the tribunal if you have any questions about your appeal. The tribunal can not give you legal advice.

    ", + "

    How to appeal

    ", + "

    You must be able to make a case for why the decision was legally wrong. For example, if the tribunal:

    ", + "
  • did not apply the correct law or wrongly interpreted the law
  • ", + "
  • did not follow the correct procedures
  • ", + "
  • had no evidence or not enough evidence to support its decision
  • ", + "

    Ask for permission to appeal

    ", + "

    You must ask the First-tier Tribunal (Immigration and Asylum Chamber) for permission to appeal to the Upper Tribunal.

    ", + "

    You\u2019ll be given the form to ask permission from the First-tier Tribunal (Immigration and Asylum Chamber) when you get your decision. Send it with a copy of the decision to the address on the form.

    ", + "

    Deadlines for asking the First-tier Tribunal for permission to appeal

    ", + "

    You must ask for permission to appeal within a certain period of time of getting your decision. When you must appeal by depends on whether you\u2019re inside or outside the UK.

    ", + " | When you must appeal by", + "You\u2019re inside the UK | 14 days after the date on the written reasons for the decisions", + "You\u2019re outside the UK | 28 days after the date on the written reasons for the decisions", + "

    Fees

    ", + "

    There is no fee to appeal to the tribunal.

    ", + "

    If you\u2019re refused permission to appeal

    ", + "

    You can apply to the Upper Tribunal for permission to appeal if the First-tier Tribunal refuses, or only gives your permission to appeal on limited grounds.

    ", + "

    Download and fill in the Upper Tribunal permission request form and send it with the appropriate documents to the address on the form.

    ", + "

    You must also say whether you want a hearing or not.

    ", + "

    If your case was heard at either the Yarl\u2019s Wood or the Harmondsworth hearing centre as a Detained Immigration Appeal, send your application to the Harmondsworth hearing centre.

    ", + "

    Deadlines for asking the Upper Tribunal for permission to appeal

    ", + "

    How long you have depends on where you are and how you received your refusal letter from the First-tier Tribunal.

    ", + " | When you must appeal by", + "You\u2019re inside the UK | 14 days after the date on the decision", + "You\u2019re outside the UK | 1 month after the date on the decision", + "

    Documents you must send with your application

    ", + "

    Include copies of the following documents with your form:

    ", + "
  • the decision by the First-tier Tribunal
  • ", + "
  • the \u2018notice of refusal of permission to appeal\u2019 by the First-tier Tribunal or the \u2018refusal to admit the application for permission\u2019
  • ", + "
  • a statement clearly setting out your reasons for why you think the First-tier Tribunal made a mistake
  • ", + "
  • any other relevant documents that you sent to the First-tier Tribunal
  • ", + "

    You also need to include any written evidence that shows why you think the First-tier Tribunal made a legal mistake.

    ", + "

    If your application is late, you must explain in writing why it is late. The tribunal will then decide if it can review your application.

    ", + "

    Ask for a hearing

    ", + "

    You can ask on your application for a decision to be made either:

    ", + "
  • just on the information in your application
  • ", + "
  • at a hearing that you or your representative can go to
  • ", + "

    The tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend if you\u2019re in the UK.

    ", + "

    If they do not hold a hearing, a judge will decide your case based on your application.

    ", + "

    Withdrawing your appeal

    ", + "

    Only you or your representative can withdraw your appeal. Contact the tribunal in writing if you want to withdraw your appeal - include your appeal number. The tribunal will decide whether to give you permission to withdraw, or if the hearing will go ahead.

    ", + "

    If your hearing is less than 7 days away, contact the hearing centre where your appeal is scheduled.

    ", + "

    If you have a hearing

    ", + "

    You or your representative will be told when and where your hearing will take place. You can check the daily courts lists on the day of your hearing to find out if anything has changed.

    ", + "

    You may need to attend a pre-hearing first, where the tribunal will check that you\u2019re ready for the full hearing to take place.

    ", + "

    Bring copies of all the documents that you gave to the tribunal.

    ", + "

    You can bring a friend to represent you - ask the judge at the beginning of the hearing if this is the case.

    ", + "

    Special requirements

    ", + "

    Write to the Customer Enquiry Unit at least 2 weeks before your hearing if you need any special help, for example wheelchair access.

    ", + "

    Private hearings or hearings by video

    ", + "

    Hearings are usually carried out in public. If you have an important need (for example you think you\u2019ll be put in danger if you go to the hearing), you can ask:

    ", + "
  • for your name not to appear on any tribunal documents or court lists
  • ", + "
  • for the tribunal to be private and not open to the public
  • ", + "
  • to attend the hearing by video link
  • ", + "

    Asking for a male or female judge

    ", + "

    You can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.

    ", + "

    Make your request as soon as possible when your apply, and no later than 7 days before the hearing.

    ", + "

    If you cannot attend the hearing

    ", + "

    You must attend the hearing yourself if you\u2019re in the UK. You can also bring a solicitor or regulated immigration adviser with you.

    ", + "

    If you\u2019re not in the UK, you can ask a solicitor, regulated immigration adviser or the person who supported your application (your \u2018sponsor\u2019) to attend the hearing in your place.

    ", + "

    You can only be represented at the hearing by a solicitor or regulated immigration adviser, your sponsor can not act on your behalf.

    ", + "

    Your sponsor can not represent you at the hearing, they can only be:

    ", + "
  • told the tribunal\u2019s decision
  • ", + "
  • given information over the phone
  • ", + "

    You must write to the tribunal to tell them if your sponsor will be attending the hearing in your place. Include the case reference number of your appeal.

    ", + "

    Children at the hearing

    ", + "

    You can not take children into the hearing room with you. If you need to bring them to the tribunal, you\u2019ll need to bring someone to look after them.

    ", + "

    If your appeal can not be resolved at the hearing

    ", + "

    If your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be \u2018adjourned\u2019 and rescheduled for another day.

    ", + "

    Your hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it can not be resolved on the day, for example because more evidence is needed.

    ", + "

    The tribunal will arrange another hearing with the same people present.

    ", + "

    The tribunal's decision

    ", + "

    You\u2019ll normally get your decision in writing in 28 days.

    ", + "

    If you win your appeal

    ", + "

    If the Upper Tribunal decides that a mistake was made it can:

    ", + "
  • overrule the decision and make its own judgement
  • ", + "
  • order the First-tier Tribunal to hear the case again
  • ", + "

    The Home Office can appeal the decision of the tribunal.

    ", + "

    If you lose your appeal

    ", + "

    You may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.

    ", + "

    Get legal help or advice if you\u2019re not sure about this.

    ", + "

    Ask for permission

    ", + "

    You must write to the upper tribunal and ask for permission before you appeal. How long you have to do this depends on where you are and how you received your decision.

    ", + " | Refusal letter by post | Refusal by email or delivered personally", + "You\u2019re inside the UK | 12 working days | 10 working days", + "You\u2019re outside the UK | 38 days | 10 days", + "

    Once you have permission, you should appeal to the relevant higher court:

    ", + "
  • The Court of Appeal in England and Wales
  • ", + "
  • The Court of Session in Scotland
  • ", + "
  • The Court of Appeal in Northern Ireland
  • ", + "

    You must do this within:

    ", + "
  • 28 days of being given permission (England and Wales)
  • ", + "
  • 42 days of being given permission (Scotland)
  • ", + "
  • 21 days of being given permission (Northern Ireland)
  • ", + "

    You may have to pay court fees and the other party\u2019s costs.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the relevant higher court for permission.

    ", + "

    You must do this within:

    ", + "
  • 28 days of being refused permission (England and Wales)
  • ", + "
  • 42 days of being refused permission (Scotland)
  • ", + "
  • 21 days of being refused permission (Northern Ireland)
  • ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Legislation

    ", + "

    The Upper Tribunal (Immigration and Asylum Chamber) must follow the rules and process in the The Tribunal Procedure (Upper Tribunal) Rules 2008.

    ", + "

    The tribunal has issued additional guidance on certain issues:

    ", + "
  • practice statements
  • ", + "
  • practice directions
  • ", + "

    The tribunal will make a decision based on legislation, including the:

    ", + "
  • Immigration Act 1971
  • ", + "
  • Nationality, Immigration and Asylum Act 2002
  • ", + "
  • Immigration, Asylum and Nationality Act 2006
  • ", + "
  • Tribunals, Courts and Enforcement Act 2007
  • ", + "
  • UK Borders Act 2007
  • ", + "
  • Borders, Citizenship and Immigration Act 2009
  • ", + "
  • Immigration Rules
  • ", + "
  • Immigration (European Economic Area) Regulations 2006
  • ", + "

    Previous decisions

    ", + "

    You can search for decisions made in other cases.

    " + ] + }, + "https://www.gov.uk/appeal-magistrates-court-decision": { + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "title": "Appeal a magistrates\u2019 court decision", + "content": "## What you can appeal\n\nYou can appeal to the magistrates\u2019 court against your:\n\n- sentence, if you pleaded guilty\n\n- conviction and sentence, if you pleaded not guilty\n\nYou should talk to your legal representative (if you have one) or get help from a legal adviser before you appeal.\n\n## Ask the court to reconsider a decision\n\nIf you think the decision was wrong, you can ask the court to reconsider a sentence or conviction. For example, if there was a serious mistake or the court did not follow the right steps.\n\nIf you disagree with the decision but there has been no mistake you will normally need to appeal to the Crown Court.\n\n## If you did not know about your court case\n\nIf you did not know about your case before a decision was made, you can make a statutory declaration to a magistrates\u2019 court to reopen your case.\n\n## Change the amount you\u2019ve been fined\n\nYou can ask the court to change the amount you\u2019ve been fined if:\n\n- your financial circumstances have changed\n\n- the court did not know your income at the time of your conviction\n\n## Ask the court to reconsider a decision\n\nYou can ask the court to reconsider your conviction, sentence or court order if you think the decision was wrong for a legal reason, for example if the court did not:\n\n- give proper reasons for its decision, or back up the decision with facts\n\n- apply the law properly\n\nThis is different to making an appeal to the Crown Court.\n\nIf you pleaded guilty, you cannot ask the court to reconsider your conviction.\n\n## How to get a decision reconsidered\n\nSubmit your request as early as possible by writing to the magistrates\u2019 court where you had your hearing.\n\nYou must include:\n\n- information about your conviction, sentence or court order\n\n- why you think the decision should change\n\n- what the conviction, sentence or order should be changed to\n\nSend a copy of your application to the prosecutor\u2019s office (you can find the address of the prosecutor by contacting\nthe magistrates\u2019 court where you were convicted).\n\nThe court will decide if a hearing is needed.\n\n## If you did not know about your case\n\nIf a magistrates\u2019 court convicted you without you knowing, you can make a statutory declaration before a magistrates\u2019 court or to a commissioner for oaths (for example a solicitor).\n\nIf the court accepts your declaration they will start the proceedings again. Your conviction or sentence will no longer apply.\n\n## When to make your declaration\n\nYou must give your completed declaration to the court within 21 days of finding out about your case.\n\nIf you want to give a declaration after 21 days, you\u2019ll have to ask the court if they\u2019ll accept it.\n\n## Making a statutory declaration\n\n- Download a statutory declaration (called an ignorance of proceedings form) or ask for a copy at your local magistrates\u2019 court.\n\n- Fill out the form telling the court when and how you heard about your court case. You\u2019ll need to provide details of your case, including where your hearing was held and on what date.\n\n- Arrange an appointment to make your statutory declaration before a solicitor or any magistrates\u2019 court.\n\n- Sign and date your form.\n\n- Give your declaration to the court or ask your solicitor to do it.\n\nIf your case was decided by a magistrate without a hearing, you\u2019ll need to give a written plea (or a completed single justice procedure notice if you have one) to the court or your solicitor along with your statutory declaration.\n\n## Get a fine reviewed\n\nYou can ask the court to change a fine if:\n\n- your financial circumstances have changed\n\n- the court did not know your income when they convicted you\n\nYour original conviction or record of your offence will not change.\n\n## How to ask for a review\n\nWrite to the court or go to your court hearing with evidence of your income and living expenses.\n\nIf your income has changed since you were sentenced you need to also provide your income on the date you were sentenced.\n\nYou can ask your legal adviser if you\u2019re not sure what documents you need.\n\n## What happens next\n\nThe court will decide if the decision should be reconsidered.\n\nYou may need to attend court for another hearing. They\u2019ll let you know when the hearing will take place.\n\n## Appeal to the Crown Court\n\nIf you disagree with a decision but there has been no mistake you can appeal to the Crown Court.\n\nDownload and fill in the \u2018Appeal to the Crown Court\u2019 form that relates to your crime or sentence. Send the form by post or email. The address is on the form.\n\nIf you were convicted at a magistrates\u2019 court but sentenced at a Crown Court, follow the rules for appealing a Crown Court decision.\n\nIf you pleaded guilty, you can only appeal against your sentence.\n\n## When to appeal\n\nYou must appeal within 21 days of the date you were sentenced.\n\nIf you want to appeal after 21 days, you\u2019ll have to ask the Crown Court for permission before you can appeal. The magistrates\u2019 court where you were sentenced will tell you how to do this.\n\nTalk to your legal representative (if you have one) or get help from a legal adviser before you appeal.\n\n## The court hearing\n\nThe Crown Court will make a decision on your appeal at a hearing.\n\nYou\u2019ll get a letter within 80 days of making your appeal to let you know when and where the hearing will take place.\n\nThe hearing is usually held at your nearest Crown Court.\n\n## What happens at the hearing\n\nYou\u2019ll have the chance to present your case to the judge and magistrates. Representatives from the prosecution will present the case against you.\n\nThe judge might also ask you questions during the hearing.\n\nYou\u2019ll be told whether you\u2019ve won your appeal at the hearing. You\u2019ll also be sent a copy of the judge\u2019s decision by post.\n\n## Stopping your appeal\n\nYou can apply to stop your appeal before the hearing. Your appeal cannot be restarted once it\u2019s been stopped.\n\nSend a \u2018notice of abandonment of appeal\u2019 to the magistrates\u2019 court where you sent your appeal and the Crown Court where your hearing will take place.\n\nYou must also send a copy to any other parties involved in the case, for example a prosecutor.\n\n## If you win your appeal\n\nIf you win your appeal against your conviction, your sentence will no longer apply. You might be able to apply to get compensation.\n\nIf you win your appeal against your sentence, it will be reduced.\n\nThe court might decide you can get some of your legal costs paid back, for example your solicitor\u2019s fee.\n\n## If you lose your appeal\n\nYour original sentence or conviction might change.\n\nCheck with your legal adviser if you can appeal again. You might have to pay extra costs if you do.", + "original_contents": [ + "

    What you can appeal

    ", + "

    You can appeal to the magistrates\u2019 court against your:

    ", + "
  • sentence, if you pleaded guilty
  • ", + "
  • conviction and sentence, if you pleaded not guilty
  • ", + "

    You should talk to your legal representative (if you have one) or get help from a legal adviser before you appeal.

    ", + "

    Ask the court to reconsider a decision

    ", + "

    If you think the decision was wrong, you can ask the court to reconsider a sentence or conviction. For example, if there was a serious mistake or the court did not follow the right steps.

    ", + "

    If you disagree with the decision but there has been no mistake you will normally need to appeal to the Crown Court.

    ", + "

    If you did not know about your court case

    ", + "

    If you did not know about your case before a decision was made, you can make a statutory declaration to a magistrates\u2019 court to reopen your case.

    ", + "

    Change the amount you\u2019ve been fined

    ", + "

    You can ask the court to change the amount you\u2019ve been fined if:

    ", + "
  • your financial circumstances have changed
  • ", + "
  • the court did not know your income at the time of your conviction
  • ", + "

    Ask the court to reconsider a decision

    ", + "

    You can ask the court to reconsider your conviction, sentence or court order if you think the decision was wrong for a legal reason, for example if the court did not:

    ", + "
  • give proper reasons for its decision, or back up the decision with facts
  • ", + "
  • apply the law properly
  • ", + "

    This is different to making an appeal to the Crown Court.

    ", + "

    If you pleaded guilty, you cannot ask the court to reconsider your conviction.

    ", + "

    How to get a decision reconsidered

    ", + "

    Submit your request as early as possible by writing to the magistrates\u2019 court where you had your hearing.

    ", + "

    You must include:

    ", + "
  • information about your conviction, sentence or court order
  • ", + "
  • why you think the decision should change
  • ", + "
  • what the conviction, sentence or order should be changed to
  • ", + "

    Send a copy of your application to the prosecutor\u2019s office (you can find the address of the prosecutor by contacting\nthe magistrates\u2019 court where you were convicted).

    ", + "

    The court will decide if a hearing is needed.

    ", + "

    If you did not know about your case

    ", + "

    If a magistrates\u2019 court convicted you without you knowing, you can make a statutory declaration before a magistrates\u2019 court or to a commissioner for oaths (for example a solicitor).

    ", + "

    If the court accepts your declaration they will start the proceedings again. Your conviction or sentence will no longer apply.

    ", + "

    When to make your declaration

    ", + "

    You must give your completed declaration to the court within 21 days of finding out about your case.

    ", + "

    If you want to give a declaration after 21 days, you\u2019ll have to ask the court if they\u2019ll accept it.

    ", + "

    Making a statutory declaration

    ", + "
  • Download a statutory declaration (called an ignorance of proceedings form) or ask for a copy at your local magistrates\u2019 court.
  • ", + "
  • Fill out the form telling the court when and how you heard about your court case. You\u2019ll need to provide details of your case, including where your hearing was held and on what date.
  • ", + "
  • Arrange an appointment to make your statutory declaration before a solicitor or any magistrates\u2019 court.
  • ", + "
  • Sign and date your form.
  • ", + "
  • Give your declaration to the court or ask your solicitor to do it.
  • ", + "

    If your case was decided by a magistrate without a hearing, you\u2019ll need to give a written plea (or a completed single justice procedure notice if you have one) to the court or your solicitor along with your statutory declaration.

    ", + "

    Get a fine reviewed

    ", + "

    You can ask the court to change a fine if:

    ", + "
  • your financial circumstances have changed
  • ", + "
  • the court did not know your income when they convicted you
  • ", + "

    Your original conviction or record of your offence will not change.

    ", + "

    How to ask for a review

    ", + "

    Write to the court or go to your court hearing with evidence of your income and living expenses.

    ", + "

    If your income has changed since you were sentenced you need to also provide your income on the date you were sentenced.

    ", + "

    You can ask your legal adviser if you\u2019re not sure what documents you need.

    ", + "

    What happens next

    ", + "

    The court will decide if the decision should be reconsidered.

    ", + "

    You may need to attend court for another hearing. They\u2019ll let you know when the hearing will take place.

    ", + "

    Appeal to the Crown Court

    ", + "

    If you disagree with a decision but there has been no mistake you can appeal to the Crown Court.

    ", + "

    Download and fill in the \u2018Appeal to the Crown Court\u2019 form that relates to your crime or sentence. Send the form by post or email. The address is on the form.

    ", + "

    If you were convicted at a magistrates\u2019 court but sentenced at a Crown Court, follow the rules for appealing a Crown Court decision.

    ", + "

    If you pleaded guilty, you can only appeal against your sentence.

    ", + "

    When to appeal

    ", + "

    You must appeal within 21 days of the date you were sentenced.

    ", + "

    If you want to appeal after 21 days, you\u2019ll have to ask the Crown Court for permission before you can appeal. The magistrates\u2019 court where you were sentenced will tell you how to do this.

    ", + "

    Talk to your legal representative (if you have one) or get help from a legal adviser before you appeal.

    ", + "

    The court hearing

    ", + "

    The Crown Court will make a decision on your appeal at a hearing.

    ", + "

    You\u2019ll get a letter within 80 days of making your appeal to let you know when and where the hearing will take place.

    ", + "

    The hearing is usually held at your nearest Crown Court.

    ", + "

    What happens at the hearing

    ", + "

    You\u2019ll have the chance to present your case to the judge and magistrates. Representatives from the prosecution will present the case against you.

    ", + "

    The judge might also ask you questions during the hearing.

    ", + "

    You\u2019ll be told whether you\u2019ve won your appeal at the hearing. You\u2019ll also be sent a copy of the judge\u2019s decision by post.

    ", + "

    Stopping your appeal

    ", + "

    You can apply to stop your appeal before the hearing. Your appeal cannot be restarted once it\u2019s been stopped.

    ", + "

    Send a \u2018notice of abandonment of appeal\u2019 to the magistrates\u2019 court where you sent your appeal and the Crown Court where your hearing will take place.

    ", + "

    You must also send a copy to any other parties involved in the case, for example a prosecutor.

    ", + "

    If you win your appeal

    ", + "

    If you win your appeal against your conviction, your sentence will no longer apply. You might be able to apply to get compensation.

    ", + "

    If you win your appeal against your sentence, it will be reduced.

    ", + "

    The court might decide you can get some of your legal costs paid back, for example your solicitor\u2019s fee.

    ", + "

    If you lose your appeal

    ", + "

    Your original sentence or conviction might change.

    ", + "

    Check with your legal adviser if you can appeal again. You might have to pay extra costs if you do.

    " + ] + }, + "https://www.gov.uk/immigration-asylum-tribunal": { + "url": "https://www.gov.uk/immigration-asylum-tribunal", + "title": "Appeal against a visa or immigration decision", + "content": "## Overview\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber) if the Home Office has decided to:\n\n- refuse your protection claim (also known as \u2018asylum claim\u2019 or \u2018humanitarian protection\u2019)\n\n- revoke your protection status\n\n- refuse your human rights claim\n\n- refuse you a residence document or deport you under the Immigration (European Economic Area) Regulations 2016\n\n- revoke your British citizenship\n\n- refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme\n\n- refuse or revoke your travel permit or family permit under the EU Settlement Scheme or restrict your rights to enter or leave the UK under those permits\n\n- refuse or revoke your permit, or deport you if you\u2019re a frontier worker\n\n- refuse or revoke your leave, or deport you if you\u2019re an S2 healthcare visitor\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\nIf you do not have the right to appeal, you might be able to ask the Home Office for an administrative review.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nFind out how to appeal from:\n\n- within the UK\n\n- outside the UK\n\nThere\u2019s a different way to appeal if you made your application before 6 April 2015.\n\n## Help you can get\n\nYou can get help and advice from a solicitor or an immigration adviser.\n\nYou can also contact Citizens Advice.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYou may be able to get asylum support (such as housing and money) if you\u2019ve been refused asylum.\n\nContact the tribunal if you have any questions about your appeal. The tribunal cannot give you legal advice.\n\n## Urgent appeal applications\n\nYou need to write to the tribunal with:\n\n- the reason why your case should be heard urgently\n\n- evidence of compelling or compassionate grounds, for example letters from a doctor or hospital\n\nYou should write \u2018expedite requests\u2019 on the top of any documents you send with your application.\n\nA judge will review your evidence and decide whether your application should be heard sooner than usual.\n\nYour application will only be reviewed if you\u2019ve paid your tribunal fee (if you need to pay one).\n\n## Where to send your application\n\nSend your reasons for the urgent appeal and evidence to the tribunal.\n\nContact the tribunal to check if your application has been received.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nYou can apply again for the EU Settlement Scheme, Frontier Worker permit or S2 Healthcare Visitor visa for free if you have new evidence to submit.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Appeal from within the UK\n\nYou can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.\n\nTalk to a solicitor or an immigration adviser if you\u2019re not sure.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYour decision letter will usually tell you if you can apply for an administrative review if you do not have the right to appeal.\n\nThe administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nYou have 14 days to appeal from the date the decision was sent.\n\nIf you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.\n\nYou can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.\n\nApply online if you can - online appeals are quicker than post or fax appeals.\n\n| What you\u2019re appealing | How you can appeal |\n\n| A decision to refuse your human rights claim or protection claim while you\u2019re in the UK | Online or by post or fax with form IAFT-5 |\n\n| A decision to revoke your protection status | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5 |\n\n| A decision where you\u2019ve been detained in an Immigration detention centre and your decision letter was sent by the Home Office | By post or fax with form IAFT-DIA |\n\n| A decision where you\u2019ve been detained in prison and your decision letter was sent by the Home Office. | Online or by post or fax with form IAFT-5 |\n\n| A decision to remove your British citizenship | Online or by post or fax with form IAFT-5 |\n\n| Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form |\n\nIf you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.\n\n## Ask for an oral hearing\n\nYou can ask on your appeal form for a decision to be made either:\n\n- just on the information in your appeal form and any documents supplied to the tribunal\n\n- at a hearing that you and your representative can attend\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend.\n\nIf the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and the documents.\n\nHearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\n## Special requirements\n\nContact the Customer Enquiry Unit before your hearing if you need any special help, for example you need wheelchair access.\n\n## Fees\n\nIt costs:\n\n- \u00a380 without a hearing\n\n- \u00a3140 with a hearing\n\nYou may not have to pay if you:\n\n- get asylum support\n\n- get legal aid\n\n- get services from your local council and you\u2019re under 18\n\nYou can also get help with court fees if any of the following apply:\n\n- you have little or no savings\n\n- you\u2019re on certain benefits\n\n- you have a low income\n\nRead the tribunal fees guidance for more information.\n\nContact the tribunal if you\u2019re unsure if you have to pay a fee.\n\n## How to pay\n\nYou can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.\n\nIf you\u2019ve already made your appeal you can also pay your fee online.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nIf you have new evidence to submit, you can:\n\n- apply for the EU Settlement Scheme\n\n- apply for a Frontier Worker permit\n\n- apply for a S2 Healthcare Visitor visa\n\nIt\u2019s free to apply.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Appeal from outside the UK\n\nYou can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.\n\nIf you\u2019ve been refused a tier 1, 2, 4 or 5 visa you will be able to ask for the decision to be reviewed at an administrative review - your refusal letter will usually tell you if you can.\n\nThe administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.\n\nTalk to a solicitor or an immigration adviser if you\u2019re unsure whether you can appeal.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nYou have 28 days to appeal after you get your decision. If you have to leave the country before you\u2019re allowed to appeal, you have 28 days to appeal once you\u2019ve left the country.\n\nIf you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.\n\nYou can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.\n\nApply online if you can - online appeals are quicker than post or fax appeals.\n\n| What you\u2019re appealing | How you can appeal |\n\n| A decision to refuse a human rights claim for entry clearance | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse a human rights claim or protection claim (where you can only apply after you\u2019ve left the country) | Online or by post or fax with form IAFT-7 |\n\n| A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5 |\n\n| Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form |\n\nIf you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.\n\n## Ask for an oral hearing\n\nYou can ask on your appeal form for a decision to be made either:\n\n- just on the information in your appeal form and any documents supplied to the tribunal\n\n- at a hearing that your representatives can attend\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case.\n\nIf the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and documents.\n\nHearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\n## Special requirements\n\nContact the Customer Enquiry Unit before your hearing if any special help is needed, for example someone attending on your behalf needs wheelchair access.\n\n## Fees\n\nIt costs:\n\n- \u00a380 without a hearing\n\n- \u00a3140 with a hearing\n\nYou may not have to pay if you get legal aid.\n\nRead the tribunal fees guidance for more information.\n\nContact the tribunal if you\u2019re not sure if you have to pay a fee.\n\n## How to pay\n\nYou can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.\n\nIf you\u2019ve already made your appeal you can also pay your fee online.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nIf you have new evidence to submit, you can:\n\n- apply for the EU Settlement Scheme\n\n- apply for a Frontier Worker permit\n\n- apply for a S2 Healthcare Visitor visa\n\nIt\u2019s free to apply.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Applications made before 6 April 2015\n\nYou might be able to appeal against a decision made by the Home Office if you submitted your application before 6 April 2015 and it was refused.\n\n## Tier 1, 2 or 5 migrants and family members\n\nYou can make an appeal if you applied for leave to remain as a Tier 1, 2 or 5 migrant or family member before 2 March 2015 and your application was refused on or after 6 April 2015.\n\nYou can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nAppeal online or by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Tier 4 migrants and family members\n\nYou can make an appeal if you applied for permission to remain as a Tier 4 migrant or family member before 20 October 2014 and your application was refused on or after 6 April 2015.\n\nYou can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nAppeal online or by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Other decisions\n\nYou can appeal against certain other Home Office decisions if you applied before 6 April 2015 and your application was refused on or after the same date.\n\nYou can only do this if the Home Office\u2019s decision did not include refusing an asylum or human rights claim.\n\n## Leave to enter\n\nYou can appeal online if your application for leave to enter was refused.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Vary your leave to enter or remain\n\nYou can appeal online if your application to change (\u2018vary\u2019) the length and conditions of your stay in the UK was refused. You can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Entry clearance\n\nYou can appeal online if your application for entry clearance was refused.\n\nYou can also appeal by post or fax with form IAFT-2.\n\n## Certificate of entitlement\n\nYou can appeal online if your application for a certificate of entitlement to prove you have a right of abode in the UK was refused.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## If there's a hearing\n\nYou\u2019ll get a letter or email with details of how to attend your hearing. You may be asked to attend in person at a tribunal building, or asked to attend remotely by a video link or by phone.\n\nIf you\u2019ll be attending remotely, the letter or email will tell you how to prepare for this.\n\nYou can check the daily courts lists on the day of your hearing to find out if anything has changed.\n\nIf you cannot attend yourself you can ask someone to represent you and ask witnesses to attend.\n\nYou may have to give evidence at the hearing and answer questions.\n\nYou may need to take part in a \u2018pre-hearing\u2019, where the tribunal will check that you\u2019re ready for a full hearing.\n\nThe hearing will normally be attended by:\n\n- a judge, sometimes with other tribunal members\n\n- a clerk and other tribunal staff, to help run the hearing\n\n- your representative, if you have one\n\n- a Home Office \u2018presenting officer\u2019, who will argue the case for the Home Office\n\n- any witnesses called to give evidence\n\n- an interpreter, if you\u2019ve asked for one\n\nIt can also normally be attended by:\n\n- your sponsor, if you have one\n\n- members of the public\n\n- the press or media\n\n## If your appeal cannot be resolved at the hearing\n\nIf your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be rescheduled for another day.\n\nYour hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it cannot be resolved on the day. The tribunal will arrange another hearing with the same people present.\n\n## Get a decision\n\nYou\u2019ll be given a decision in person or by post.\n\nThe tribunal will either decide to:\n\n- allow your appeal - this does not automatically mean you\u2019ll be able to enter or stay in the country and may simply mean the Home Office has to reconsider its decision\n\n- dismiss your appeal and uphold the Home Office\u2019s original decision\n\nYou\u2019ll usually get a copy of the tribunal\u2019s decision within 4 weeks of the hearing.\n\nBoth you and the Home Office can appeal the decision of the tribunal.\n\nThe tribunal can order either you or the Home Office to pay the other\u2019s costs if either of you has acted unreasonably.\n\n## If you win your appeal\n\nThe Home Office will change (\u2018revise\u2019) its decision if you win your appeal. The Home Office may reconsider your entire application if your circumstances have changed since you first made your appeal.\n\nThe judge may order the Home Office to pay you a \u2018fee award\u2019 if you win your appeal, up to the amount you paid for your tribunal fee.\n\nEmail the Home Office if you do not get your fee award after 60 days.\n\nInclude the following information:\n\n- your Home Office reference number\n\n- your appeal reference number\n\n- the date of the tribunal decision letter\n\n## If you lose your appeal\n\nYou can ask for permission to appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you lose your case and you think there\u2019s a legal mistake with the tribunal\u2019s decision.\n\nFor example, you think the tribunal:\n\n- got the law wrong\n\n- do not apply the correct law\n\n- do not follow the correct procedures, which affected the decision\n\n- had no evidence to support its decision\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and the guidance it\u2019s issued.\n\nAll parties must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Immigration and Asylum Chamber) Rules 2014.\n\nThe tribunal will make a decision based on legislation, including the:\n\n- Immigration Act 1971\n\n- Nationality, Immigration and Asylum Act 2002\n\n- Immigration, Asylum and Nationality Act 2006\n\n- Tribunals, Courts and Enforcement Act 2007\n\n- UK Borders Act 2007\n\n- Borders, Citizenship and Immigration Act 2009\n\n- Immigration Rules\n\n- Immigration (European Economic Area) Regulations 2016\n\nThe tribunal fees are set out in the First-tier Tribunal (Immigration and Asylum Chamber) Fees Order 2011.\n\nThe president of the tribunal has issued guidance which provides more detail on certain issues.\n\nThere are also older guidance notes for the Asylum and Immigration Tribunal which still apply to the First-tier Tribunal (Immigration and Asylum Chamber).\n\nCheck the decisions database to see how previous decisions on appeals have been made by the Immigration and Asylum Chamber.", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal to the First-tier Tribunal (Immigration and Asylum Chamber) if the Home Office has decided to:

    ", + "
  • refuse your protection claim (also known as \u2018asylum claim\u2019 or \u2018humanitarian protection\u2019)
  • ", + "
  • revoke your protection status
  • ", + "
  • refuse your human rights claim
  • ", + "
  • refuse you a residence document or deport you under the Immigration (European Economic Area) Regulations 2016
  • ", + "
  • revoke your British citizenship
  • ", + "
  • refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme
  • ", + "
  • refuse or revoke your travel permit or family permit under the EU Settlement Scheme or restrict your rights to enter or leave the UK under those permits
  • ", + "
  • refuse or revoke your permit, or deport you if you\u2019re a frontier worker
  • ", + "
  • refuse or revoke your leave, or deport you if you\u2019re an S2 healthcare visitor
  • ", + "

    The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    If you do not have the right to appeal, you might be able to ask the Home Office for an administrative review.

    ", + "

    How to appeal

    ", + "

    How you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.

    ", + "

    If you\u2019re a solicitor or an immigration adviser

    ", + "

    For most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.

    ", + "

    You must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.

    ", + "

    If you\u2019re appealing for yourself without a solicitor or immigration adviser

    ", + "

    Find out how to appeal from:

    ", + "
  • within the UK
  • ", + "
  • outside the UK
  • ", + "

    There\u2019s a different way to appeal if you made your application before 6 April 2015.

    ", + "

    Help you can get

    ", + "

    You can get help and advice from a solicitor or an immigration adviser.

    ", + "

    You can also contact Citizens Advice.

    ", + "

    Read the guide on representing yourself if you\u2019re not going to have a legal representative.

    ", + "

    You may be able to get asylum support (such as housing and money) if you\u2019ve been refused asylum.

    ", + "

    Contact the tribunal if you have any questions about your appeal. The tribunal cannot give you legal advice.

    ", + "

    Urgent appeal applications

    ", + "

    You need to write to the tribunal with:

    ", + "
  • the reason why your case should be heard urgently
  • ", + "
  • evidence of compelling or compassionate grounds, for example letters from a doctor or hospital
  • ", + "

    You should write \u2018expedite requests\u2019 on the top of any documents you send with your application.

    ", + "

    A judge will review your evidence and decide whether your application should be heard sooner than usual.

    ", + "

    Your application will only be reviewed if you\u2019ve paid your tribunal fee (if you need to pay one).

    ", + "

    Where to send your application

    ", + "

    Send your reasons for the urgent appeal and evidence to the tribunal.

    ", + "

    Contact the tribunal to check if your application has been received.

    ", + "

    If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful

    ", + "

    You can apply again for the EU Settlement Scheme, Frontier Worker permit or S2 Healthcare Visitor visa for free if you have new evidence to submit.

    ", + "

    Or you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.

    ", + "

    You can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.

    ", + "

    You can only appeal a decision if you made your application after:

    ", + "
  • 11pm on 31 January 2020, for the EU Settlement Scheme
  • ", + "
  • 10 December 2020, for a Frontier Worker permit
  • ", + "
  • 11pm on 31 December 2020, for a S2 Healthcare Visitor visa
  • ", + "

    Appeal from within the UK

    ", + "

    You can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.

    ", + "

    Talk to a solicitor or an immigration adviser if you\u2019re not sure.

    ", + "

    Read the guide on representing yourself if you\u2019re not going to have a legal representative.

    ", + "

    Your decision letter will usually tell you if you can apply for an administrative review if you do not have the right to appeal.

    ", + "

    The administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.

    ", + "

    How to appeal

    ", + "

    How you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.

    ", + "

    If you\u2019re a solicitor or an immigration adviser

    ", + "

    For most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.

    ", + "

    You must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.

    ", + "

    If you\u2019re appealing for yourself without a solicitor or immigration adviser

    ", + "

    You have 14 days to appeal from the date the decision was sent.

    ", + "

    If you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.

    ", + "

    You can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.

    ", + "

    Apply online if you can - online appeals are quicker than post or fax appeals.

    ", + "What you\u2019re appealing | How you can appeal", + "A decision to refuse your human rights claim or protection claim while you\u2019re in the UK | Online or by post or fax with form IAFT-5", + "A decision to revoke your protection status | Online or by post or fax with form IAFT-5", + "A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5", + "A decision where you\u2019ve been detained in an Immigration detention centre and your decision letter was sent by the Home Office | By post or fax with form IAFT-DIA", + "A decision where you\u2019ve been detained in prison and your decision letter was sent by the Home Office. | Online or by post or fax with form IAFT-5", + "A decision to remove your British citizenship | Online or by post or fax with form IAFT-5", + "Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form", + "

    If you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.

    ", + "

    Ask for an oral hearing

    ", + "

    You can ask on your appeal form for a decision to be made either:

    ", + "
  • just on the information in your appeal form and any documents supplied to the tribunal
  • ", + "
  • at a hearing that you and your representative can attend
  • ", + "

    The tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend.

    ", + "

    If the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and the documents.

    ", + "

    Hearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.

    ", + "

    You can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.

    ", + "

    Special requirements

    ", + "

    Contact the Customer Enquiry Unit before your hearing if you need any special help, for example you need wheelchair access.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a380 without a hearing
  • ", + "
  • \u00a3140 with a hearing
  • ", + "

    You may not have to pay if you:

    ", + "
  • get asylum support
  • ", + "
  • get legal aid
  • ", + "
  • get services from your local council and you\u2019re under 18
  • ", + "

    You can also get help with court fees if any of the following apply:

    ", + "
  • you have little or no savings
  • ", + "
  • you\u2019re on certain benefits
  • ", + "
  • you have a low income
  • ", + "

    Read the tribunal fees guidance for more information.

    ", + "

    Contact the tribunal if you\u2019re unsure if you have to pay a fee.

    ", + "

    How to pay

    ", + "

    You can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.

    ", + "

    If you\u2019ve already made your appeal you can also pay your fee online.

    ", + "

    If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful

    ", + "

    If you have new evidence to submit, you can:

    ", + "
  • apply for the EU Settlement Scheme
  • ", + "
  • apply for a Frontier Worker permit
  • ", + "
  • apply for a S2 Healthcare Visitor visa
  • ", + "

    It\u2019s free to apply.

    ", + "

    Or you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.

    ", + "

    You can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.

    ", + "

    You can only appeal a decision if you made your application after:

    ", + "
  • 11pm on 31 January 2020, for the EU Settlement Scheme
  • ", + "
  • 10 December 2020, for a Frontier Worker permit
  • ", + "
  • 11pm on 31 December 2020, for a S2 Healthcare Visitor visa
  • ", + "

    Appeal from outside the UK

    ", + "

    You can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.

    ", + "

    If you\u2019ve been refused a tier 1, 2, 4 or 5 visa you will be able to ask for the decision to be reviewed at an administrative review - your refusal letter will usually tell you if you can.

    ", + "

    The administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.

    ", + "

    Talk to a solicitor or an immigration adviser if you\u2019re unsure whether you can appeal.

    ", + "

    Read the guide on representing yourself if you\u2019re not going to have a legal representative.

    ", + "

    How to appeal

    ", + "

    How you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.

    ", + "

    If you\u2019re a solicitor or an immigration adviser

    ", + "

    For most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.

    ", + "

    You must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.

    ", + "

    If you\u2019re appealing for yourself without a solicitor or immigration adviser

    ", + "

    You have 28 days to appeal after you get your decision. If you have to leave the country before you\u2019re allowed to appeal, you have 28 days to appeal once you\u2019ve left the country.

    ", + "

    If you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.

    ", + "

    You can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.

    ", + "

    Apply online if you can - online appeals are quicker than post or fax appeals.

    ", + "What you\u2019re appealing | How you can appeal", + "A decision to refuse a human rights claim for entry clearance | Online or by post or fax with form IAFT-6", + "A decision to refuse a human rights claim or protection claim (where you can only apply after you\u2019ve left the country) | Online or by post or fax with form IAFT-7", + "A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-6", + "A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-6", + "A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5", + "A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5", + "Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form", + "

    If you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.

    ", + "

    Ask for an oral hearing

    ", + "

    You can ask on your appeal form for a decision to be made either:

    ", + "
  • just on the information in your appeal form and any documents supplied to the tribunal
  • ", + "
  • at a hearing that your representatives can attend
  • ", + "

    The tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case.

    ", + "

    If the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and documents.

    ", + "

    Hearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.

    ", + "

    You can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.

    ", + "

    Special requirements

    ", + "

    Contact the Customer Enquiry Unit before your hearing if any special help is needed, for example someone attending on your behalf needs wheelchair access.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a380 without a hearing
  • ", + "
  • \u00a3140 with a hearing
  • ", + "

    You may not have to pay if you get legal aid.

    ", + "

    Read the tribunal fees guidance for more information.

    ", + "

    Contact the tribunal if you\u2019re not sure if you have to pay a fee.

    ", + "

    How to pay

    ", + "

    You can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.

    ", + "

    If you\u2019ve already made your appeal you can also pay your fee online.

    ", + "

    If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful

    ", + "

    If you have new evidence to submit, you can:

    ", + "
  • apply for the EU Settlement Scheme
  • ", + "
  • apply for a Frontier Worker permit
  • ", + "
  • apply for a S2 Healthcare Visitor visa
  • ", + "

    It\u2019s free to apply.

    ", + "

    Or you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.

    ", + "

    You can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.

    ", + "

    You can only appeal a decision if you made your application after:

    ", + "
  • 11pm on 31 January 2020, for the EU Settlement Scheme
  • ", + "
  • 10 December 2020, for a Frontier Worker permit
  • ", + "
  • 11pm on 31 December 2020, for a S2 Healthcare Visitor visa
  • ", + "

    Applications made before 6 April 2015

    ", + "

    You might be able to appeal against a decision made by the Home Office if you submitted your application before 6 April 2015 and it was refused.

    ", + "

    Tier 1, 2 or 5 migrants and family members

    ", + "

    You can make an appeal if you applied for leave to remain as a Tier 1, 2 or 5 migrant or family member before 2 March 2015 and your application was refused on or after 6 April 2015.

    ", + "

    You can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.

    ", + "

    Appeal online or by post or fax with:

    ", + "
  • form IAFT-1 if you\u2019re in the UK
  • ", + "
  • form IAFT-3 if you\u2019ve left the UK
  • ", + "

    Tier 4 migrants and family members

    ", + "

    You can make an appeal if you applied for permission to remain as a Tier 4 migrant or family member before 20 October 2014 and your application was refused on or after 6 April 2015.

    ", + "

    You can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.

    ", + "

    Appeal online or by post or fax with:

    ", + "
  • form IAFT-1 if you\u2019re in the UK
  • ", + "
  • form IAFT-3 if you\u2019ve left the UK
  • ", + "

    Other decisions

    ", + "

    You can appeal against certain other Home Office decisions if you applied before 6 April 2015 and your application was refused on or after the same date.

    ", + "

    You can only do this if the Home Office\u2019s decision did not include refusing an asylum or human rights claim.

    ", + "

    Leave to enter

    ", + "

    You can appeal online if your application for leave to enter was refused.

    ", + "

    You can also appeal by post or fax with:

    ", + "
  • form IAFT-1 if you\u2019re in the UK
  • ", + "
  • form IAFT-3 if you\u2019ve left the UK
  • ", + "

    Vary your leave to enter or remain

    ", + "

    You can appeal online if your application to change (\u2018vary\u2019) the length and conditions of your stay in the UK was refused. You can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.

    ", + "

    You can also appeal by post or fax with:

    ", + "
  • form IAFT-1 if you\u2019re in the UK
  • ", + "
  • form IAFT-3 if you\u2019ve left the UK
  • ", + "

    Entry clearance

    ", + "

    You can appeal online if your application for entry clearance was refused.

    ", + "

    You can also appeal by post or fax with form IAFT-2.

    ", + "

    Certificate of entitlement

    ", + "

    You can appeal online if your application for a certificate of entitlement to prove you have a right of abode in the UK was refused.

    ", + "

    You can also appeal by post or fax with:

    ", + "
  • form IAFT-1 if you\u2019re in the UK
  • ", + "
  • form IAFT-3 if you\u2019ve left the UK
  • ", + "

    If there's a hearing

    ", + "

    You\u2019ll get a letter or email with details of how to attend your hearing. You may be asked to attend in person at a tribunal building, or asked to attend remotely by a video link or by phone.

    ", + "

    If you\u2019ll be attending remotely, the letter or email will tell you how to prepare for this.

    ", + "

    You can check the daily courts lists on the day of your hearing to find out if anything has changed.

    ", + "

    If you cannot attend yourself you can ask someone to represent you and ask witnesses to attend.

    ", + "

    You may have to give evidence at the hearing and answer questions.

    ", + "

    You may need to take part in a \u2018pre-hearing\u2019, where the tribunal will check that you\u2019re ready for a full hearing.

    ", + "

    The hearing will normally be attended by:

    ", + "
  • a judge, sometimes with other tribunal members
  • ", + "
  • a clerk and other tribunal staff, to help run the hearing
  • ", + "
  • your representative, if you have one
  • ", + "
  • a Home Office \u2018presenting officer\u2019, who will argue the case for the Home Office
  • ", + "
  • any witnesses called to give evidence
  • ", + "
  • an interpreter, if you\u2019ve asked for one
  • ", + "

    It can also normally be attended by:

    ", + "
  • your sponsor, if you have one
  • ", + "
  • members of the public
  • ", + "
  • the press or media
  • ", + "

    If your appeal cannot be resolved at the hearing

    ", + "

    If your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be rescheduled for another day.

    ", + "

    Your hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it cannot be resolved on the day. The tribunal will arrange another hearing with the same people present.

    ", + "

    Get a decision

    ", + "

    You\u2019ll be given a decision in person or by post.

    ", + "

    The tribunal will either decide to:

    ", + "
  • allow your appeal - this does not automatically mean you\u2019ll be able to enter or stay in the country and may simply mean the Home Office has to reconsider its decision
  • ", + "
  • dismiss your appeal and uphold the Home Office\u2019s original decision
  • ", + "

    You\u2019ll usually get a copy of the tribunal\u2019s decision within 4 weeks of the hearing.

    ", + "

    Both you and the Home Office can appeal the decision of the tribunal.

    ", + "

    The tribunal can order either you or the Home Office to pay the other\u2019s costs if either of you has acted unreasonably.

    ", + "

    If you win your appeal

    ", + "

    The Home Office will change (\u2018revise\u2019) its decision if you win your appeal. The Home Office may reconsider your entire application if your circumstances have changed since you first made your appeal.

    ", + "

    The judge may order the Home Office to pay you a \u2018fee award\u2019 if you win your appeal, up to the amount you paid for your tribunal fee.

    ", + "

    Email the Home Office if you do not get your fee award after 60 days.

    ", + "

    Include the following information:

    ", + "
  • your Home Office reference number
  • ", + "
  • your appeal reference number
  • ", + "
  • the date of the tribunal decision letter
  • ", + "

    If you lose your appeal

    ", + "

    You can ask for permission to appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you lose your case and you think there\u2019s a legal mistake with the tribunal\u2019s decision.

    ", + "

    For example, you think the tribunal:

    ", + "
  • got the law wrong
  • ", + "
  • do not apply the correct law
  • ", + "
  • do not follow the correct procedures, which affected the decision
  • ", + "
  • had no evidence to support its decision
  • ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and the guidance it\u2019s issued.

    ", + "

    All parties must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Immigration and Asylum Chamber) Rules 2014.

    ", + "

    The tribunal will make a decision based on legislation, including the:

    ", + "
  • Immigration Act 1971
  • ", + "
  • Nationality, Immigration and Asylum Act 2002
  • ", + "
  • Immigration, Asylum and Nationality Act 2006
  • ", + "
  • Tribunals, Courts and Enforcement Act 2007
  • ", + "
  • UK Borders Act 2007
  • ", + "
  • Borders, Citizenship and Immigration Act 2009
  • ", + "
  • Immigration Rules
  • ", + "
  • Immigration (European Economic Area) Regulations 2016
  • ", + "

    The tribunal fees are set out in the First-tier Tribunal (Immigration and Asylum Chamber) Fees Order 2011.

    ", + "

    The president of the tribunal has issued guidance which provides more detail on certain issues.

    ", + "

    There are also older guidance notes for the Asylum and Immigration Tribunal which still apply to the First-tier Tribunal (Immigration and Asylum Chamber).

    ", + "

    Check the decisions database to see how previous decisions on appeals have been made by the Immigration and Asylum Chamber.

    " + ] + }, + "https://www.gov.uk/appeal-employment-appeal-tribunal": { + "url": "https://www.gov.uk/appeal-employment-appeal-tribunal", + "title": "Appeal to the Employment Appeal Tribunal (EAT)", + "content": "## Overview\n\nYou can appeal to the Employment Appeal Tribunal (EAT) if you think a legal mistake was made in an employment tribunal case.\n\nFor example, you could appeal if it:\n\n- got the law wrong\n\n- did not apply the correct law\n\n- did not follow the correct procedures and this affected the decision\n\n- had no evidence to support its decision\n\n- was unfairly biased towards the other party\n\nGet legal advice if you\u2019re unsure about this.\n\nEAT is independent of government and will listen to both sides of the argument before making a decision.\n\n## Before you appeal\n\nAsk the employment tribunal to send you the reasons for the decision, if you do not already have them. You can continue your appeal while you wait for them.\n\n## Help with your appeal\n\nRead the rules that EAT follows when making decisions.\n\nYou can also get free legal advice from Citizens Advice and Citizens Advice Scotland.\n\n## Contact EAT\n\nContact the enquiry line for more information.\n\nEAT public enquiry line\nTelephone: 020 7273 1041 (England and Wales) \nTelephone: 0131 225 3963 (Scotland)\nFind out about call charges\n\n## How to appeal\n\n- Read the full practice direction and appeal guidance.\n\n- Fill in the notice of appeal form.\n\n- Send the form, with the supporting documents listed on it, to the Employment Appeal Tribunal (EAT) office.\n\nYou do not have to pay a fee to make an appeal.\n\n## Deadline for appealing\n\nYou must appeal within 42 days of the date that either:\n\n- the decision was sent to you\n\n- the reasons were sent to you (but only if the Employment Tribunal did not provide reasons at the hearing or you asked for the reasons within 14 days of the decision being sent to you)\n\nYour appeal must arrive by 4pm on the final day.\n\nYou can ask for an appeal to be considered even if it\u2019s late, but extensions are rarely given, and you must have a good reason.\n\n## Where to send your appeal\n\nYou can send it by email. You must send any documents as attachments, and the email must be 10MB or less.\n\nYou can also send your appeal by fax or post.\n\n## For cases in England and Wales\n\n## For cases in Scotland\n\n## After you appeal\n\nEAT will decide if your case can go ahead. If it can, you may be asked to attend a hearing to present your case.\n\nIf your appeal cannot go ahead, you\u2019ll be sent a letter explaining why and whether you can appeal further.\n\n## The tribunal hearing\n\nYou may have to attend a hearing where you (or your representative) will present your case.\n\nThe Employment Appeal Tribunal (EAT) will decide if your appeal has been successful.\n\nYou\u2019ll be told the outcome of the case either at the end of the hearing or afterwards by letter.\n\n## Preparing for the hearing\n\nYou\u2019ll usually be asked when you\u2019re available to attend a hearing. In certain cases you may be told when a hearing will take place, but you\u2019ll be told at least 14 days beforehand. Hearings can be held sooner than this under exceptional circumstances.\n\nYou\u2019ll be told what documents you need to send to EAT and to other parties.\n\nYou may be able to get free advice immediately before the hearing if you do not have a representative - ask EAT for details.\n\nYou cannot claim any expenses for going to a hearing.\n\n## What happens at the hearing\n\nYou\u2019ll present your case - someone else can do this for you, for example a lawyer, friend or family member. The other party will present the case against you. You may be asked questions about your case.\n\n## If you lose your case\n\nYou may be able to appeal to a higher court if you think there was a legal problem with the Employment Appeal Tribunal\u2019s (EAT\u2019s) decision.\n\nGet legal help or advice if you\u2019re not sure about this.\n\n## Ask permission to appeal\n\nYou must ask for permission before you appeal. You can either ask EAT or the higher court directly.\n\n## Asking EAT\n\nYou must ask within 7 days of receiving the decision (or within 42 days if the employment tribunal whose decision you are appealing was held in Scotland).\n\nYou can ask for permission on the day of your hearing (if you receive your decision on the day).\n\nYou must provide your grounds for appeal and the legal problem with the decision.\n\nIf you\u2019re refused permission, you can ask the higher court directly.\n\n## Asking the higher court\n\nYou can ask the Court of Appeal for permission. You must do this within 21 days of the date you were told you lost your case or were refused permission by EAT.\n\nIf the employment tribunal that made the initial decision was based in Scotland, ask the Court of Session for permission.\n\n## Appeal to the higher court\n\nYou can appeal to the Court of Appeal once you\u2019ve been given permission.\n\nIf the employment tribunal that made the initial decision was based in Scotland, you should appeal to the Court of Session.\n\n## Legislation and previous decisions\n\nRead the rules the Employment Appeal Tribunal (EAT) must follow and its decisions on previous cases.\n\n## Legislation\n\nEAT must follow the rules and process in the:\n\n- Employment Appeal Tribunal Rules 1993 (as amended)\n\n- Employment Tribunals Act 1996\n\nEAT has also issued a practice direction that provides more detailed guidance.\n\n## Previous decisions\n\nYou can search for decisions made in other EAT cases.", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal to the Employment Appeal Tribunal (EAT) if you think a legal mistake was made in an employment tribunal case.

    ", + "

    For example, you could appeal if it:

    ", + "
  • got the law wrong
  • ", + "
  • did not apply the correct law
  • ", + "
  • did not follow the correct procedures and this affected the decision
  • ", + "
  • had no evidence to support its decision
  • ", + "
  • was unfairly biased towards the other party
  • ", + "

    Get legal advice if you\u2019re unsure about this.

    ", + "

    EAT is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    Before you appeal

    ", + "

    Ask the employment tribunal to send you the reasons for the decision, if you do not already have them. You can continue your appeal while you wait for them.

    ", + "

    Help with your appeal

    ", + "

    Read the rules that EAT follows when making decisions.

    ", + "

    You can also get free legal advice from Citizens Advice and Citizens Advice Scotland.

    ", + "

    Contact EAT

    ", + "

    Contact the enquiry line for more information.

    ", + "

    EAT public enquiry line\nTelephone: 020 7273 1041 (England and Wales) \nTelephone: 0131 225 3963 (Scotland)\nFind out about call charges

    ", + "

    How to appeal

    ", + "
  • Read the full practice direction and appeal guidance.
  • ", + "
  • Fill in the notice of appeal form.
  • ", + "
  • Send the form, with the supporting documents listed on it, to the Employment Appeal Tribunal (EAT) office.
  • ", + "

    You do not have to pay a fee to make an appeal.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 42 days of the date that either:

    ", + "
  • the decision was sent to you
  • ", + "
  • the reasons were sent to you (but only if the Employment Tribunal did not provide reasons at the hearing or you asked for the reasons within 14 days of the decision being sent to you)
  • ", + "

    Your appeal must arrive by 4pm on the final day.

    ", + "

    You can ask for an appeal to be considered even if it\u2019s late, but extensions are rarely given, and you must have a good reason.

    ", + "

    Where to send your appeal

    ", + "

    You can send it by email. You must send any documents as attachments, and the email must be 10MB or less.

    ", + "

    You can also send your appeal by fax or post.

    ", + "

    For cases in England and Wales

    ", + "

    For cases in Scotland

    ", + "

    After you appeal

    ", + "

    EAT will decide if your case can go ahead. If it can, you may be asked to attend a hearing to present your case.

    ", + "

    If your appeal cannot go ahead, you\u2019ll be sent a letter explaining why and whether you can appeal further.

    ", + "

    The tribunal hearing

    ", + "

    You may have to attend a hearing where you (or your representative) will present your case.

    ", + "

    The Employment Appeal Tribunal (EAT) will decide if your appeal has been successful.

    ", + "

    You\u2019ll be told the outcome of the case either at the end of the hearing or afterwards by letter.

    ", + "

    Preparing for the hearing

    ", + "

    You\u2019ll usually be asked when you\u2019re available to attend a hearing. In certain cases you may be told when a hearing will take place, but you\u2019ll be told at least 14 days beforehand. Hearings can be held sooner than this under exceptional circumstances.

    ", + "

    You\u2019ll be told what documents you need to send to EAT and to other parties.

    ", + "

    You may be able to get free advice immediately before the hearing if you do not have a representative - ask EAT for details.

    ", + "

    You cannot claim any expenses for going to a hearing.

    ", + "

    What happens at the hearing

    ", + "

    You\u2019ll present your case - someone else can do this for you, for example a lawyer, friend or family member. The other party will present the case against you. You may be asked questions about your case.

    ", + "

    If you lose your case

    ", + "

    You may be able to appeal to a higher court if you think there was a legal problem with the Employment Appeal Tribunal\u2019s (EAT\u2019s) decision.

    ", + "

    Get legal help or advice if you\u2019re not sure about this.

    ", + "

    Ask permission to appeal

    ", + "

    You must ask for permission before you appeal. You can either ask EAT or the higher court directly.

    ", + "

    Asking EAT

    ", + "

    You must ask within 7 days of receiving the decision (or within 42 days if the employment tribunal whose decision you are appealing was held in Scotland).

    ", + "

    You can ask for permission on the day of your hearing (if you receive your decision on the day).

    ", + "

    You must provide your grounds for appeal and the legal problem with the decision.

    ", + "

    If you\u2019re refused permission, you can ask the higher court directly.

    ", + "

    Asking the higher court

    ", + "

    You can ask the Court of Appeal for permission. You must do this within 21 days of the date you were told you lost your case or were refused permission by EAT.

    ", + "

    If the employment tribunal that made the initial decision was based in Scotland, ask the Court of Session for permission.

    ", + "

    Appeal to the higher court

    ", + "

    You can appeal to the Court of Appeal once you\u2019ve been given permission.

    ", + "

    If the employment tribunal that made the initial decision was based in Scotland, you should appeal to the Court of Session.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the Employment Appeal Tribunal (EAT) must follow and its decisions on previous cases.

    ", + "

    Legislation

    ", + "

    EAT must follow the rules and process in the:

    ", + "
  • Employment Appeal Tribunal Rules 1993 (as amended)
  • ", + "
  • Employment Tribunals Act 1996
  • ", + "

    EAT has also issued a practice direction that provides more detailed guidance.

    ", + "

    Previous decisions

    ", + "

    You can search for decisions made in other EAT cases.

    " + ] + }, + "https://www.gov.uk/administrative-appeals-tribunal": { + "url": "https://www.gov.uk/administrative-appeals-tribunal", + "title": "Appeal to the Upper Tribunal (Administrative Appeals Chamber)", + "content": "## Overview\n\nYou may be able to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you think there was a legal mistake with a decision made against you by certain lower tribunals and organisations.\n\nYou might be able to appeal if your case was about:\n\n- social security or child support\n\n- war pensions and armed forces compensation\n\n- mental health\n\n- special education needs or disabilities\n\n- a dispute that was heard by the General Regulatory Chamber\n\n- a decision made by the Disclosure and Barring Service\n\n- a decision made by the Traffic Commissioner (or the Transport Regulation Unit in Northern Ireland)\n\nThere are also other cases that the tribunal deals with.\n\nThere\u2019s a different process if your case is about criminal injuries compensation.\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nYou\u2019ll need to apply to Northern Ireland commissioners if your case was heard in Northern Ireland and was about social security or war pensions.\n\n## Get help with your appeal\n\nYou can read more detail about the appeal process.\n\nYou may also be able to get free legal advice from Citizens Advice or help from Welfare Rights if you\u2019re in Scotland.\n\n## Contact the tribunal\n\n## England and Wales\n\n## Scotland\n\n## Northern Ireland\n\n## How to appeal\n\nYou may have to ask for permission to appeal - it depends on your case.\n\n## If you\u2019re appealing a decision made by another tribunal\n\nYou must get permission to appeal.\n\nFirst ask the tribunal who made the decision for permission to appeal. You usually have to do this within 28 days of the decision - speak to that tribunal to find out the deadline.\n\nOnce you have permission, download and fill in the relevant appeal form. Send it to the address on the form within 1 month of getting permission.\n\n## If you\u2019re refused permission\n\nYou can ask the Upper Tribunal (Administrative Appeals Chamber) for permission directly using the relevant permission form. Send it to the address on the form within 1 month of being refused.\n\n## If you\u2019re appealing a decision made by an organisation\n\nYou will not need to ask for permission to appeal (unless you\u2019re appealing a decision made by Disclosure and Barring Service).\n\nAppeal using the relevant appeal form and send it to the address on the form.\n\n## Appealing a Disclosure and Barring Service decision\n\nYou\u2019ll need to ask the Upper Tribunal (Administrative Appeals Chamber) for permission before you can appeal.\n\nUse the relevant permission form and send it to the address on the form.\n\n## How your case will be decided\n\nA judge will make a decision using:\n\n- your appeal form\n\n- the documents you\u2019ve provided\n\n- the documents used by the lower tribunal or organisation that decided your case\n\nThe decision will be sent to you by post.\n\n## Attending a hearing\n\nIn certain cases you may be asked to attend a hearing to present your case. You can also ask for a hearing when you apply - the judge will decide if it\u2019s necessary.\n\nYou\u2019ll be told the time and date of the hearing and where it\u2019s being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.\n\nYou\u2019ll be sent instructions on how to prepare and what documents you\u2019ll need to provide.\n\n## Getting a time extension\n\nYou may be able to get a time extension if you need more time to prepare - ask the judge.\n\nYou must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.\n\n## If you lose your case\n\nYou may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.\n\nGet legal help or advice if you\u2019re not sure about this.\n\n## Ask for permission\n\nYou must write to the tribunal and ask for permission before you appeal.\n\nYou must do this within one month of getting the decision (or 3 months for social security, child support, or war pensions and armed forces cases).\n\n## England and Wales\n\n## Scotland\n\n## Northern Ireland\n\nOnce you have permission, you should appeal to the relevant higher court:\n\n- The Court of Appeal in England and Wales\n\n- The Court of Session in Scotland\n\n- The Court of Appeal in Northern Ireland\n\nYou must do this within:\n\n- 28 days of being given permission (England and Wales)\n\n- 42 days of being given permission (Scotland)\n\n- 6 weeks of being given permission (Northern Ireland)\n\nYou may have to pay court fees and the other party\u2019s costs.\n\n## If you\u2019re refused permission\n\nYou can ask the relevant higher court for permission.\n\nYou must do this within 28 days of being refused permission in England and Wales.\n\nThe time limits are different in Scotland and Northern Ireland - contact the relevant tribunal office for details.\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\n## Legislation\n\nThe tribunal must follow the rules and process set out in The Tribunal Procedure (Upper Tribunal) Rules 2008.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you think there was a legal mistake with a decision made against you by certain lower tribunals and organisations.

    ", + "

    You might be able to appeal if your case was about:

    ", + "
  • social security or child support
  • ", + "
  • war pensions and armed forces compensation
  • ", + "
  • mental health
  • ", + "
  • special education needs or disabilities
  • ", + "
  • a dispute that was heard by the General Regulatory Chamber
  • ", + "
  • a decision made by the Disclosure and Barring Service
  • ", + "
  • a decision made by the Traffic Commissioner (or the Transport Regulation Unit in Northern Ireland)
  • ", + "

    There are also other cases that the tribunal deals with.

    ", + "

    There\u2019s a different process if your case is about criminal injuries compensation.

    ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    You\u2019ll need to apply to Northern Ireland commissioners if your case was heard in Northern Ireland and was about social security or war pensions.

    ", + "

    Get help with your appeal

    ", + "

    You can read more detail about the appeal process.

    ", + "

    You may also be able to get free legal advice from Citizens Advice or help from Welfare Rights if you\u2019re in Scotland.

    ", + "

    Contact the tribunal

    ", + "

    England and Wales

    ", + "

    Scotland

    ", + "

    Northern Ireland

    ", + "

    How to appeal

    ", + "

    You may have to ask for permission to appeal - it depends on your case.

    ", + "

    If you\u2019re appealing a decision made by another tribunal

    ", + "

    You must get permission to appeal.

    ", + "

    First ask the tribunal who made the decision for permission to appeal. You usually have to do this within 28 days of the decision - speak to that tribunal to find out the deadline.

    ", + "

    Once you have permission, download and fill in the relevant appeal form. Send it to the address on the form within 1 month of getting permission.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the Upper Tribunal (Administrative Appeals Chamber) for permission directly using the relevant permission form. Send it to the address on the form within 1 month of being refused.

    ", + "

    If you\u2019re appealing a decision made by an organisation

    ", + "

    You will not need to ask for permission to appeal (unless you\u2019re appealing a decision made by Disclosure and Barring Service).

    ", + "

    Appeal using the relevant appeal form and send it to the address on the form.

    ", + "

    Appealing a Disclosure and Barring Service decision

    ", + "

    You\u2019ll need to ask the Upper Tribunal (Administrative Appeals Chamber) for permission before you can appeal.

    ", + "

    Use the relevant permission form and send it to the address on the form.

    ", + "

    How your case will be decided

    ", + "

    A judge will make a decision using:

    ", + "
  • your appeal form
  • ", + "
  • the documents you\u2019ve provided
  • ", + "
  • the documents used by the lower tribunal or organisation that decided your case
  • ", + "

    The decision will be sent to you by post.

    ", + "

    Attending a hearing

    ", + "

    In certain cases you may be asked to attend a hearing to present your case. You can also ask for a hearing when you apply - the judge will decide if it\u2019s necessary.

    ", + "

    You\u2019ll be told the time and date of the hearing and where it\u2019s being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.

    ", + "

    You\u2019ll be sent instructions on how to prepare and what documents you\u2019ll need to provide.

    ", + "

    Getting a time extension

    ", + "

    You may be able to get a time extension if you need more time to prepare - ask the judge.

    ", + "

    You must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.

    ", + "

    If you lose your case

    ", + "

    You may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.

    ", + "

    Get legal help or advice if you\u2019re not sure about this.

    ", + "

    Ask for permission

    ", + "

    You must write to the tribunal and ask for permission before you appeal.

    ", + "

    You must do this within one month of getting the decision (or 3 months for social security, child support, or war pensions and armed forces cases).

    ", + "

    England and Wales

    ", + "

    Scotland

    ", + "

    Northern Ireland

    ", + "

    Once you have permission, you should appeal to the relevant higher court:

    ", + "
  • The Court of Appeal in England and Wales
  • ", + "
  • The Court of Session in Scotland
  • ", + "
  • The Court of Appeal in Northern Ireland
  • ", + "

    You must do this within:

    ", + "
  • 28 days of being given permission (England and Wales)
  • ", + "
  • 42 days of being given permission (Scotland)
  • ", + "
  • 6 weeks of being given permission (Northern Ireland)
  • ", + "

    You may have to pay court fees and the other party\u2019s costs.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the relevant higher court for permission.

    ", + "

    You must do this within 28 days of being refused permission in England and Wales.

    ", + "

    The time limits are different in Scotland and Northern Ireland - contact the relevant tribunal office for details.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal must follow the rules and process set out in The Tribunal Procedure (Upper Tribunal) Rules 2008.

    " + ] + }, + "https://www.gov.uk/tax-upper-tribunal": { + "url": "https://www.gov.uk/tax-upper-tribunal", + "title": "Appeal to the Upper Tribunal (Tax and Chancery)", + "content": "## Overview\n\nYou may be able to appeal to the Upper Tribunal (Tax and Chancery Chamber) if you think there was a legal mistake with a decision made against you by certain lower tribunals and organisations.\n\nYou might be able to appeal if your case was heard by the:\n\n- First-tier Tribunal (Tax) - for cases about tax\n\n- General Regulatory Chamber - for cases about charities\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\n## Financial services cases\n\nThere\u2019s a different process if you\u2019re challenging a decision made by:\n\n- Financial Conduct Authority\n\n- Prudential Regulation Authority\n\n- Pensions Regulator\n\n- Bank of England\n\n- HM Treasury\n\n- Ofgem\n\n## Decisions by the Secretary of State or Trade Remedies Authority\n\nThere\u2019s a different way to challenge a decision made by the Secretary of State for International Trade or the Trade Remedies Authority.\n\n## Help you can get\n\nYou may want to get help and advice before you appeal.\n\nYou can represent yourself or find a legal adviser (including a lawyer), tax adviser or accountant to help with your appeal.\n\nYou can get free advice from:\n\n- Citizens Advice\n\n- TaxAid\n\n- TaxHelp for Older People, if you\u2019re over 60\n\nCall or email the tribunal if you have any questions about the process. The tribunal cannot give you legal advice.\n\n## How to appeal\n\nYou must get permission if you want to appeal the decision of another tribunal.\n\nAsk the tribunal that made the decision for permission within:\n\n- 56 days of the date on the decision letter (for tax cases)\n\n- 28 days of the date on the decision letter (for charities)\n\nIf you\u2019re given permission, download and fill in the relevant appeal form. Send it to the address on the form within one month of the date on the permission letter\n\nRead the guidance on appealing.\n\n## If you\u2019re refused permission\n\nYou can ask the Upper Tribunal to give you permission if you were refused it, or only given permission on some grounds. Download and fill in the permission form. Send it to the address on the form.\n\nYou must include a copy of:\n\n- the first-tier tribunal\u2019s full decision\n\n- the written decision refusing permission (or only giving you permission on some grounds)\n\n- the accompanying letter saying you\u2019ve been refused permission (or only given permission on some grounds)\n\nYou must do this within one month of the letter of refusal being sent.\n\nA tribunal judge will read your appeal form and decide if you should be given permission to appeal or permission on additional grounds. You can ask for the decision to be reconsidered at a hearing if you\u2019re refused permission.\n\nYou\u2019ll get a letter from the tribunal after the judge has made a decision telling you what to do next.\n\n## The tribunal hearing\n\nYou usually have to attend a hearing where you (or your representative) and the other parties will present your cases to a judge at the tribunal.\n\nThe tribunal will decide which party wins the case.\n\nYou\u2019ll normally be told the outcome of the case within 3 months of the hearing.\n\nYou\u2019ll most likely have to pay the other party\u2019s costs if you lose, but the other party will be asked to pay your costs if you win.\n\nIf you\u2019re appealing a decision about a charity case made by the General Regulatory Chamber, the tribunal can only order you to pay the other party\u2019s costs if they think you acted unreasonably.\n\n## Preparing for the hearing\n\nYou\u2019ll be sent instructions on how to prepare for the hearing and what documents you\u2019ll need to provide.\n\nYou\u2019ll also be told when and where the hearing will be held. Hearings normally take place in London, Edinburgh or Belfast.\n\nYou can check the register of cases to find out if anything has changed.\n\n## Decisions without hearings\n\nYou can ask for a decision to be made without a hearing, but the other party must also agree.\n\n## Getting a time extension\n\nYou may be able to get a time extension if you need more time to prepare - write to the tribunal.\n\nYou must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.\n\n## If you lose your case\n\nYou may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.\n\nYou can get legal advice if you\u2019re unsure about this, including from a lawyer. You can also speak to an accountant or tax adviser.\n\n## Ask for permission\n\nYou must write to the tribunal and ask for permission before you appeal.\n\nYou must do this within one month of the date on the decision letter.\n\nOnce you have permission, you should appeal to the relevant higher court:\n\n- The Court of Appeal in England and Wales\n\n- The Court of Session in Scotland\n\n- The Court of Appeal in Northern Ireland\n\nYou must do this within 28 days of the date on the permission letter.\n\nYou may have to pay court fees and the other party\u2019s costs.\n\n## If you\u2019re refused permission\n\nYou can ask the relevant higher court for permission.\n\nYou must do this within 28 days of the date on the refusal letter.\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\n## Legislation\n\nThe tribunal will make a decision based on The Tribunal Procedure (Upper Tribunal) Rules 2008.\n\nRead the tribunal\u2019s practice directions for more guidance on how the tribunal makes decisions.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to appeal to the Upper Tribunal (Tax and Chancery Chamber) if you think there was a legal mistake with a decision made against you by certain lower tribunals and organisations.

    ", + "

    You might be able to appeal if your case was heard by the:

    ", + "
  • First-tier Tribunal (Tax) - for cases about tax
  • ", + "
  • General Regulatory Chamber - for cases about charities
  • ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    Financial services cases

    ", + "

    There\u2019s a different process if you\u2019re challenging a decision made by:

    ", + "
  • Financial Conduct Authority
  • ", + "
  • Prudential Regulation Authority
  • ", + "
  • Pensions Regulator
  • ", + "
  • Bank of England
  • ", + "
  • HM Treasury
  • ", + "
  • Ofgem
  • ", + "

    Decisions by the Secretary of State or Trade Remedies Authority

    ", + "

    There\u2019s a different way to challenge a decision made by the Secretary of State for International Trade or the Trade Remedies Authority.

    ", + "

    Help you can get

    ", + "

    You may want to get help and advice before you appeal.

    ", + "

    You can represent yourself or find a legal adviser (including a lawyer), tax adviser or accountant to help with your appeal.

    ", + "

    You can get free advice from:

    ", + "
  • Citizens Advice
  • ", + "
  • TaxAid
  • ", + "
  • TaxHelp for Older People, if you\u2019re over 60
  • ", + "

    Call or email the tribunal if you have any questions about the process. The tribunal cannot give you legal advice.

    ", + "

    How to appeal

    ", + "

    You must get permission if you want to appeal the decision of another tribunal.

    ", + "

    Ask the tribunal that made the decision for permission within:

    ", + "
  • 56 days of the date on the decision letter (for tax cases)
  • ", + "
  • 28 days of the date on the decision letter (for charities)
  • ", + "

    If you\u2019re given permission, download and fill in the relevant appeal form. Send it to the address on the form within one month of the date on the permission letter

    ", + "

    Read the guidance on appealing.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the Upper Tribunal to give you permission if you were refused it, or only given permission on some grounds. Download and fill in the permission form. Send it to the address on the form.

    ", + "

    You must include a copy of:

    ", + "
  • the first-tier tribunal\u2019s full decision
  • ", + "
  • the written decision refusing permission (or only giving you permission on some grounds)
  • ", + "
  • the accompanying letter saying you\u2019ve been refused permission (or only given permission on some grounds)
  • ", + "

    You must do this within one month of the letter of refusal being sent.

    ", + "

    A tribunal judge will read your appeal form and decide if you should be given permission to appeal or permission on additional grounds. You can ask for the decision to be reconsidered at a hearing if you\u2019re refused permission.

    ", + "

    You\u2019ll get a letter from the tribunal after the judge has made a decision telling you what to do next.

    ", + "

    The tribunal hearing

    ", + "

    You usually have to attend a hearing where you (or your representative) and the other parties will present your cases to a judge at the tribunal.

    ", + "

    The tribunal will decide which party wins the case.

    ", + "

    You\u2019ll normally be told the outcome of the case within 3 months of the hearing.

    ", + "

    You\u2019ll most likely have to pay the other party\u2019s costs if you lose, but the other party will be asked to pay your costs if you win.

    ", + "

    If you\u2019re appealing a decision about a charity case made by the General Regulatory Chamber, the tribunal can only order you to pay the other party\u2019s costs if they think you acted unreasonably.

    ", + "

    Preparing for the hearing

    ", + "

    You\u2019ll be sent instructions on how to prepare for the hearing and what documents you\u2019ll need to provide.

    ", + "

    You\u2019ll also be told when and where the hearing will be held. Hearings normally take place in London, Edinburgh or Belfast.

    ", + "

    You can check the register of cases to find out if anything has changed.

    ", + "

    Decisions without hearings

    ", + "

    You can ask for a decision to be made without a hearing, but the other party must also agree.

    ", + "

    Getting a time extension

    ", + "

    You may be able to get a time extension if you need more time to prepare - write to the tribunal.

    ", + "

    You must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.

    ", + "

    If you lose your case

    ", + "

    You may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.

    ", + "

    You can get legal advice if you\u2019re unsure about this, including from a lawyer. You can also speak to an accountant or tax adviser.

    ", + "

    Ask for permission

    ", + "

    You must write to the tribunal and ask for permission before you appeal.

    ", + "

    You must do this within one month of the date on the decision letter.

    ", + "

    Once you have permission, you should appeal to the relevant higher court:

    ", + "
  • The Court of Appeal in England and Wales
  • ", + "
  • The Court of Session in Scotland
  • ", + "
  • The Court of Appeal in Northern Ireland
  • ", + "

    You must do this within 28 days of the date on the permission letter.

    ", + "

    You may have to pay court fees and the other party\u2019s costs.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the relevant higher court for permission.

    ", + "

    You must do this within 28 days of the date on the refusal letter.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal will make a decision based on The Tribunal Procedure (Upper Tribunal) Rules 2008.

    ", + "

    Read the tribunal\u2019s practice directions for more guidance on how the tribunal makes decisions.

    " + ] + }, + "https://www.gov.uk/appeal-upper-tribunal-lands": { + "url": "https://www.gov.uk/appeal-upper-tribunal-lands", + "title": "Apply or appeal to the Upper Tribunal (Lands Chamber)", + "content": "## Overview\n\nYou can appeal to the Upper Tribunal (Lands Chamber) if you think there was a legal problem with a decision made by the:\n\n- First-tier Tribunal (Property Chamber)\n\n- Residential Property Tribunal in Wales\n\n- Leasehold Valuation Tribunal in Wales\n\n- Valuation Tribunal in England or Wales\n\nYou might need to get permission before you appeal.\n\nYou can also apply to the tribunal if your case is about:\n\n- compensation for the compulsory purchase of land\n\n- discharge or modification of land affected by a \u2018restrictive covenant\u2019\n\n- compensation for the effect on land affected by public works\n\n- a tree preservation order\n\n- compensation for damage to land damaged by subsidence from mining\n\n- the valuation of land or buildings for Capital Gains Tax or Inheritance Tax purposes\n\n- a \u2018right to light\u2019 dispute\n\n- compensation for blighted land\n\nThe tribunal is independent and will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nA mediation service could be quicker and cheaper than going to the tribunal. Mediation is when an independent and impartial person discusses a problem with both parties to try to find a solution.\n\nYou can contact Citizens Advice or the Leasehold Advisory Service for free legal advice. You can also find a lawyer.\n\nCall or email the tribunal if you have any questions about the process. The tribunal cannot give you legal advice.\n\n## Get permission\n\nYou need to get permission before you appeal to the tribunal if you\u2019re appealing a decision made by the:\n\n- First-tier Tribunal (Property Chamber)\n\n- Residential Property Tribunal in Wales\n\n- Leasehold Valuation Tribunal in Wales\n\nYou can appeal to the tribunal without permission if your case is about a decision about rates made by the Valuation Tribunal in England or Wales.\n\nYou do not need to get permission to apply to the tribunal.\n\n## How to get permission\n\nAsk the tribunal that originally made the decision for permission to appeal. Follow the steps on your decision letter.\n\nThe original tribunal must get your request for permission within 28 days of your decision letter. Speak to the original tribunal for details.\n\n## If you\u2019re refused permission\n\nYou can ask the Lands Chamber for permission directly if you\u2019re refused it from the original tribunal. Follow the steps on your decision letter.\n\nYou must do this within 14 days of being refused permission.\n\nIt costs \u00a3220 except for land registration cases where there\u2019s no fee. You may be able to get help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nYou can apply for judicial review if you do not get permission from the Lands Chamber. Speak to a solicitor to get help with the application.\n\n## How to apply or appeal\n\nCheck whether you need permission. You can appeal or apply without permission in some cases.\n\n## Fill in the form\n\nThe form you fill in depends on what your case is about. The address is on the form.\n\nYou must pay a fee - you can apply for help if you\u2019re getting certain benefits or on a low income.\n\n| What your case is about | Form | Fee | Deadline | Guidance |\n\n| First-tier Tribunal (Property Chamber) decision | Form T601 or Form T602 | \u00a3275 - no fee for land registration cases | 1 month of getting permission | Leaflet T605 and T614 |\n\n| Leasehold Valuation Tribunal and Residential Property Tribunal decisions | Form T601 or Form T602 | \u00a3275 | 1 month of getting permission | Leaflet T609 |\n\n| Valuation Tribunal in England or Wales decision | Form T385 | \u00a3275 | 28 days of the decision | Leaflet T606 and Form T615 |\n\n| Compulsory acquisition of land (and other land compensation) | Form T371 or Form T370 | \u00a3275 | Get legal advice - it depends on your case | Leaflet T604 and T616 |\n\n| Restrictive covenant | Form T379 | \u00a3880 | Get legal advice | Leaflet T608 and T617 |\n\n| Public works | Form T371 | \u00a3275 | Get legal advice | Leaflet T604 and T616 |\n\n| Compulsory acquisition where owner is absent (greater London) | Form T370 or Form T362 | \u00a31,270 | Get legal advice | Leaflet T604 and T616 |\n\n| Compulsory acquisition where owner is absent (not in greater London) | Form T370 or Form T362 | \u00a31,150 | Get legal advice | Leaflet T604 and T616 |\n\n| \u2018Right to light\u2019 dispute | Form T383 or Form T384 | \u00a31,320 or \u00a31,650 | Get legal advice | Leaflet T607 |\n\n| Tree preservation order | Form T371 or Form T370 | \u00a3275 | Get legal advice | Leaflet T604 and T616 |\n\n| Compensation for blighted land | Form T374 or Form T375 | \u00a3275 | Get legal advice | Leaflet T604 and T616 |\n\n| Any other case | See the list of forms | | | |\n\n## What to include\n\nYou must include:\n\n- a copy of the decision you\u2019re appealing against (if you\u2019re appealing a decision)\n\n- what your case is about, for example leasehold enfranchisement, rent increases, variation of a lease\n\n- whether you\u2019d like to go to the hearing - and whether you need special arrangements, for example because of mobility issues\n\n- whether you\u2019d like to call any expert witnesses\n\n- a \u2018statement of case\u2019 - where you set out why you\u2019re appealing or applying to the tribunal\n\n- any other documents mentioned on the form\n\n## What happens next\n\nThe tribunal will decide if it can consider your case.\n\nIn most cases you will be asked to attend a hearing to present your case. You can also ask for a decision to be made without a hearing. The judge will decide if it\u2019s necessary.\n\n## Get a time extension\n\nYou may be able to get a time extension for any step of the process. You must tell the tribunal why you need more time. You must also tell the other party in writing that you\u2019re going to ask for an extension.\n\nIt costs \u00a3110 - make a cheque payable to \u2018HMCTS\u2019 and send it to the tribunal with a letter explaining your request. You must also send a copy of this letter to the other party.\n\n## If you get a hearing\n\nYou\u2019ll usually be asked when you\u2019re available to attend a hearing. In certain cases you may be told when a hearing will take place, but you\u2019ll be told at least 14 days beforehand. Hearings can be held sooner than this under exceptional circumstances. You can call a witness to support your case.\n\nYou can check the daily courts lists before your hearing to find out if anything has changed.\n\nHearings cost between \u00a3275 and \u00a316,500 (depending on the size of the claim) and are usually held in public. There\u2019s no hearing fee for land registration cases.\n\nYou may be asked questions by:\n\n- the judge\n\n- the other party, or their representative (if they have one)\n\nYou can not claim any expenses for going to a tribunal hearing. The tribunal may order the other party to pay your costs if you win your case.\n\nYou\u2019ll get a decision in writing after the hearing, usually within 3 months.\n\n## If you lose your case\n\nYou may be able to appeal to a higher court if you think there was a legal problem with the judge\u2019s decision at the Upper Tribunal (Lands Chamber). Get legal help or advice if you\u2019re not sure.\n\nYou must ask the upper tribunal judge for permission before you appeal - you must do this in writing within 1 month of the decision.\n\nIf the judge refuses you permission, you can ask the Court of Appeal in England and Wales for permission.\n\n## Legislation and previous decisions\n\nRead the rules the Upper Tribunal (Lands Chamber) must follow and its decisions on previous cases.\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\n## Legislation\n\nThe tribunal must follow the rules and process set out in the:\n\n- Tribunal Procedure (Upper Tribunal) (Lands Chamber) Rules 2010\n\n- Tribunal Procedure (Amendment) Rules 2012\n\n- Tribunal Procedure (Amendment No. 3) Rules 2013\n\n- Practice Directions \u2013 The Upper Tribunal (Lands Chamber)\n\n- Practice Statement \u2013 Delegation of functions to staff in the Upper Tribunal (Lands Chamber)\n\n- Upper Tribunal (Lands Chamber) Fees Order 2009\n\n- Upper Tribunal (Lands Chamber) Fees (Amendment) Order 2010\n\n- Upper Tribunal (Lands Chamber) Fees (Amendment) Order 2013\n\nRead the Practice Directions and Practice Statements for more guidance.", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal to the Upper Tribunal (Lands Chamber) if you think there was a legal problem with a decision made by the:

    ", + "
  • First-tier Tribunal (Property Chamber)
  • ", + "
  • Residential Property Tribunal in Wales
  • ", + "
  • Leasehold Valuation Tribunal in Wales
  • ", + "
  • Valuation Tribunal in England or Wales
  • ", + "

    You might need to get permission before you appeal.

    ", + "

    You can also apply to the tribunal if your case is about:

    ", + "
  • compensation for the compulsory purchase of land
  • ", + "
  • discharge or modification of land affected by a \u2018restrictive covenant\u2019
  • ", + "
  • compensation for the effect on land affected by public works
  • ", + "
  • a tree preservation order
  • ", + "
  • compensation for damage to land damaged by subsidence from mining
  • ", + "
  • the valuation of land or buildings for Capital Gains Tax or Inheritance Tax purposes
  • ", + "
  • a \u2018right to light\u2019 dispute
  • ", + "
  • compensation for blighted land
  • ", + "

    The tribunal is independent and will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    A mediation service could be quicker and cheaper than going to the tribunal. Mediation is when an independent and impartial person discusses a problem with both parties to try to find a solution.

    ", + "

    You can contact Citizens Advice or the Leasehold Advisory Service for free legal advice. You can also find a lawyer.

    ", + "

    Call or email the tribunal if you have any questions about the process. The tribunal cannot give you legal advice.

    ", + "

    Get permission

    ", + "

    You need to get permission before you appeal to the tribunal if you\u2019re appealing a decision made by the:

    ", + "
  • First-tier Tribunal (Property Chamber)
  • ", + "
  • Residential Property Tribunal in Wales
  • ", + "
  • Leasehold Valuation Tribunal in Wales
  • ", + "

    You can appeal to the tribunal without permission if your case is about a decision about rates made by the Valuation Tribunal in England or Wales.

    ", + "

    You do not need to get permission to apply to the tribunal.

    ", + "

    How to get permission

    ", + "

    Ask the tribunal that originally made the decision for permission to appeal. Follow the steps on your decision letter.

    ", + "

    The original tribunal must get your request for permission within 28 days of your decision letter. Speak to the original tribunal for details.

    ", + "

    If you\u2019re refused permission

    ", + "

    You can ask the Lands Chamber for permission directly if you\u2019re refused it from the original tribunal. Follow the steps on your decision letter.

    ", + "

    You must do this within 14 days of being refused permission.

    ", + "

    It costs \u00a3220 except for land registration cases where there\u2019s no fee. You may be able to get help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    You can apply for judicial review if you do not get permission from the Lands Chamber. Speak to a solicitor to get help with the application.

    ", + "

    How to apply or appeal

    ", + "

    Check whether you need permission. You can appeal or apply without permission in some cases.

    ", + "

    Fill in the form

    ", + "

    The form you fill in depends on what your case is about. The address is on the form.

    ", + "

    You must pay a fee - you can apply for help if you\u2019re getting certain benefits or on a low income.

    ", + "What your case is about | Form | Fee | Deadline | Guidance", + "First-tier Tribunal (Property Chamber) decision | Form T601 or Form T602 | \u00a3275 - no fee for land registration cases | 1 month of getting permission | Leaflet T605 and T614", + "Leasehold Valuation Tribunal and Residential Property Tribunal decisions | Form T601 or Form T602 | \u00a3275 | 1 month of getting permission | Leaflet T609", + "Valuation Tribunal in England or Wales decision | Form T385 | \u00a3275 | 28 days of the decision | Leaflet T606 and Form T615", + "Compulsory acquisition of land (and other land compensation) | Form T371 or Form T370 | \u00a3275 | Get legal advice - it depends on your case | Leaflet T604 and T616", + "Restrictive covenant | Form T379 | \u00a3880 | Get legal advice | Leaflet T608 and T617", + "Public works | Form T371 | \u00a3275 | Get legal advice | Leaflet T604 and T616", + "Compulsory acquisition where owner is absent (greater London) | Form T370 or Form T362 | \u00a31,270 | Get legal advice | Leaflet T604 and T616", + "Compulsory acquisition where owner is absent (not in greater London) | Form T370 or Form T362 | \u00a31,150 | Get legal advice | Leaflet T604 and T616", + "\u2018Right to light\u2019 dispute | Form T383 or Form T384 | \u00a31,320 or \u00a31,650 | Get legal advice | Leaflet T607", + "Tree preservation order | Form T371 or Form T370 | \u00a3275 | Get legal advice | Leaflet T604 and T616", + "Compensation for blighted land | Form T374 or Form T375 | \u00a3275 | Get legal advice | Leaflet T604 and T616", + "Any other case | See the list of forms | | | ", + "

    What to include

    ", + "

    You must include:

    ", + "
  • a copy of the decision you\u2019re appealing against (if you\u2019re appealing a decision)
  • ", + "
  • what your case is about, for example leasehold enfranchisement, rent increases, variation of a lease
  • ", + "
  • whether you\u2019d like to go to the hearing - and whether you need special arrangements, for example because of mobility issues
  • ", + "
  • whether you\u2019d like to call any expert witnesses
  • ", + "
  • a \u2018statement of case\u2019 - where you set out why you\u2019re appealing or applying to the tribunal
  • ", + "
  • any other documents mentioned on the form
  • ", + "

    What happens next

    ", + "

    The tribunal will decide if it can consider your case.

    ", + "

    In most cases you will be asked to attend a hearing to present your case. You can also ask for a decision to be made without a hearing. The judge will decide if it\u2019s necessary.

    ", + "

    Get a time extension

    ", + "

    You may be able to get a time extension for any step of the process. You must tell the tribunal why you need more time. You must also tell the other party in writing that you\u2019re going to ask for an extension.

    ", + "

    It costs \u00a3110 - make a cheque payable to \u2018HMCTS\u2019 and send it to the tribunal with a letter explaining your request. You must also send a copy of this letter to the other party.

    ", + "

    If you get a hearing

    ", + "

    You\u2019ll usually be asked when you\u2019re available to attend a hearing. In certain cases you may be told when a hearing will take place, but you\u2019ll be told at least 14 days beforehand. Hearings can be held sooner than this under exceptional circumstances. You can call a witness to support your case.

    ", + "

    You can check the daily courts lists before your hearing to find out if anything has changed.

    ", + "

    Hearings cost between \u00a3275 and \u00a316,500 (depending on the size of the claim) and are usually held in public. There\u2019s no hearing fee for land registration cases.

    ", + "

    You may be asked questions by:

    ", + "
  • the judge
  • ", + "
  • the other party, or their representative (if they have one)
  • ", + "

    You can not claim any expenses for going to a tribunal hearing. The tribunal may order the other party to pay your costs if you win your case.

    ", + "

    You\u2019ll get a decision in writing after the hearing, usually within 3 months.

    ", + "

    If you lose your case

    ", + "

    You may be able to appeal to a higher court if you think there was a legal problem with the judge\u2019s decision at the Upper Tribunal (Lands Chamber). Get legal help or advice if you\u2019re not sure.

    ", + "

    You must ask the upper tribunal judge for permission before you appeal - you must do this in writing within 1 month of the decision.

    ", + "

    If the judge refuses you permission, you can ask the Court of Appeal in England and Wales for permission.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the Upper Tribunal (Lands Chamber) must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal must follow the rules and process set out in the:

    ", + "
  • Tribunal Procedure (Upper Tribunal) (Lands Chamber) Rules 2010
  • ", + "
  • Tribunal Procedure (Amendment) Rules 2012
  • ", + "
  • Tribunal Procedure (Amendment No. 3) Rules 2013
  • ", + "
  • Practice Directions \u2013 The Upper Tribunal (Lands Chamber)
  • ", + "
  • Practice Statement \u2013 Delegation of functions to staff in the Upper Tribunal (Lands Chamber)
  • ", + "
  • Upper Tribunal (Lands Chamber) Fees Order 2009
  • ", + "
  • Upper Tribunal (Lands Chamber) Fees (Amendment) Order 2010
  • ", + "
  • Upper Tribunal (Lands Chamber) Fees (Amendment) Order 2013
  • ", + "

    Read the Practice Directions and Practice Statements for more guidance.

    " + ] + }, + "https://www.gov.uk/apply-land-registration-tribunal": { + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "title": "Apply to the land registration tribunal", + "content": "## Overview\n\nYou need to apply to the Land Registration division of the Property Chamber (First-tier Tribunal) if you want to correct or cancel certain documents relating to registered land.\n\nYou may also be referred to the tribunal by HM Land Registry if you\u2019re in a dispute over a change to the land register (known as a \u2018reference case\u2019).\n\nIf you want to change the title register or title plan, contact HM Land Registry directly.\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou may want to get help and advice before you appeal, for example from a lawyer.\n\n## Apply to the tribunal\n\nApply to the tribunal if you want to correct or cancel (sometimes known as \u2018set aside\u2019) certain documents relating to registered land. You can also object to someone else\u2019s application. These are known as \u2018rectification cases\u2019.\n\n## Apply to make a change to a document\n\nDownload and fill in the application form and send it to the address on the form.\n\nYou must also include a statement saying that you believe that the facts stated in the application are true.\n\nThe tribunal will then send, or tell you to send, a copy of the application to all other interested parties.\n\nYou\u2019ll be told whether there\u2019ll be a hearing to decide your case.\n\n## Object to a change of a document\n\nDownload and fill in the objection form and send it to the address given in the form.\n\nYou must send the form within 28 days of getting your copy of an application to change the register.\n\nYour response must include your reasons for objecting to the application, giving all relevant facts and evidence\n\nYou\u2019ll need to include a list of and copies of all documents that:\n\n- are important to your case\n\n- the tribunal and all interested parties will need to understand the case\n\nYou\u2019ll be told by the tribunal if there\u2019ll be a hearing to decide your case.\n\n## Get help\n\nYou can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.\n\n## Being referred to the tribunal\n\nYour case may be referred to the Land Registration division of the Property Chamber if somebody disputes your application to HM Land Registry. This is known as a \u2018reference case\u2019.\n\nBoth parties will be sent a letter by the tribunal after your case has been referred by HM Land Registry.\n\nThe letter will explain whether you\u2019re the \u2018applicant\u2019 or the \u2018respondent\u2019. Generally, you\u2019ll be named as the applicant if the tribunal thinks you\u2019re the party that needs to prove its case.\n\n## Making a \u2018statement of case\u2019\n\n## Applicants\n\nYou have 28 days after getting the letter to send your \u2018statement of case\u2019 to the tribunal and the respondent. The letter will tell you where to send your statement.\n\nYour statement must include:\n\n- your name and address (and an address where documents can be sent to you)\n\n- the name and address of your legal representative (if you have one)\n\n- your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence\n\nYou need to include copies of documents that:\n\n- are important to your case\n\n- are needed to understand the case\n\nYou also need to include a list of the documents.\n\nAfter the other parties have responded to the tribunal, you\u2019ll be told if there\u2019s going to be a hearing.\n\n## Respondents\n\nYou have 28 days after getting the applicants \u2018statement of case\u2019 to send your own case to the tribunal and the applicant.\n\nYour statement must include your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence.\n\nYou need to include copies of all documents that:\n\n- are important to your case\n\n- are needed to understand the case\n\nYou also need to include a list of these documents.\n\nThe tribunal will then contact you to tell you if there\u2019s going to be a hearing.\n\n## Starting court proceedings\n\nYou or the other party can be ordered by the tribunal to start court proceedings at any time. This will happen if the tribunal cannot handle your case.\n\nYou can also contact the tribunal and ask them to make the other party start court proceedings, or voluntarily start proceedings yourself.\n\n## Get help\n\nYou can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.\n\n## What happens at the hearing\n\nYou may have to attend a hearing where you (or your legal representative) and the other parties will present your cases to a judge.\n\nThe judge will decide:\n\n- which party wins the case\n\n- if any costs are payable by one party to another\n\nYou\u2019ll usually be told the outcome of the case within 42 days of the hearing.\n\n## Preparing for the hearing\n\nYou\u2019ll be told the time and date of the hearing and where its being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.\n\nYou\u2019ll be sent instructions on how to prepare and exchange evidence after all the parties have given their statements of case.\n\n## Decisions without hearings\n\nThe tribunal may make a decision without a hearing if all the people involved agree or if no one objects once given notice.\n\nThe people involved can also ask the tribunal to make a decision without a hearing.\n\n## Getting a time extension\n\nYou can ask for a time extension at any point in the proceedings.\n\nYou should ask all other parties involved to agree to an extension before applying to the tribunal.\n\n## If you lose your case\n\nYou can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.\n\nYou can also ask the First-tier Tribunal to set aside their decision if you think there was a problem with the tribunal\u2019s procedure, for example you did not receive a notice of a hearing.\n\nRead guidance on how to challenge a decision for details.\n\nYou can complain about the tribunal staff or the service you received. You cannot complain about the decision.\n\n## Legislation and previous decisions\n\nYou can read the rules the tribunal must follow and its decisions on previous cases if you\u2019re representing yourself or someone else.\n\nThe tribunal will make a decision based on the Land Registration Act 2002.\n\nThe tribunal must follow the rules and process in:\n\n- Tribunal Procedure (First-tier Tribunal) (Property Chamber) Rules 2013\n\n- Practice Directions issued by the Senior President of Tribunals (30 July 2013) (PDF, 49KB)\n\n- Practice Statement issued by the Senior President of Tribunals (8 August 2017) (PDF, 0.1MB)\n\nYou can also search the decisions database to see how and why previous decisions have been made.", + "original_contents": [ + "

    Overview

    ", + "

    You need to apply to the Land Registration division of the Property Chamber (First-tier Tribunal) if you want to correct or cancel certain documents relating to registered land.

    ", + "

    You may also be referred to the tribunal by HM Land Registry if you\u2019re in a dispute over a change to the land register (known as a \u2018reference case\u2019).

    ", + "

    If you want to change the title register or title plan, contact HM Land Registry directly.

    ", + "

    The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    You may want to get help and advice before you appeal, for example from a lawyer.

    ", + "

    Apply to the tribunal

    ", + "

    Apply to the tribunal if you want to correct or cancel (sometimes known as \u2018set aside\u2019) certain documents relating to registered land. You can also object to someone else\u2019s application. These are known as \u2018rectification cases\u2019.

    ", + "

    Apply to make a change to a document

    ", + "

    Download and fill in the application form and send it to the address on the form.

    ", + "

    You must also include a statement saying that you believe that the facts stated in the application are true.

    ", + "

    The tribunal will then send, or tell you to send, a copy of the application to all other interested parties.

    ", + "

    You\u2019ll be told whether there\u2019ll be a hearing to decide your case.

    ", + "

    Object to a change of a document

    ", + "

    Download and fill in the objection form and send it to the address given in the form.

    ", + "

    You must send the form within 28 days of getting your copy of an application to change the register.

    ", + "

    Your response must include your reasons for objecting to the application, giving all relevant facts and evidence

    ", + "

    You\u2019ll need to include a list of and copies of all documents that:

    ", + "
  • are important to your case
  • ", + "
  • the tribunal and all interested parties will need to understand the case
  • ", + "

    You\u2019ll be told by the tribunal if there\u2019ll be a hearing to decide your case.

    ", + "

    Get help

    ", + "

    You can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.

    ", + "

    Being referred to the tribunal

    ", + "

    Your case may be referred to the Land Registration division of the Property Chamber if somebody disputes your application to HM Land Registry. This is known as a \u2018reference case\u2019.

    ", + "

    Both parties will be sent a letter by the tribunal after your case has been referred by HM Land Registry.

    ", + "

    The letter will explain whether you\u2019re the \u2018applicant\u2019 or the \u2018respondent\u2019. Generally, you\u2019ll be named as the applicant if the tribunal thinks you\u2019re the party that needs to prove its case.

    ", + "

    Making a \u2018statement of case\u2019

    ", + "

    Applicants

    ", + "

    You have 28 days after getting the letter to send your \u2018statement of case\u2019 to the tribunal and the respondent. The letter will tell you where to send your statement.

    ", + "

    Your statement must include:

    ", + "
  • your name and address (and an address where documents can be sent to you)
  • ", + "
  • the name and address of your legal representative (if you have one)
  • ", + "
  • your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence
  • ", + "

    You need to include copies of documents that:

    ", + "
  • are important to your case
  • ", + "
  • are needed to understand the case
  • ", + "

    You also need to include a list of the documents.

    ", + "

    After the other parties have responded to the tribunal, you\u2019ll be told if there\u2019s going to be a hearing.

    ", + "

    Respondents

    ", + "

    You have 28 days after getting the applicants \u2018statement of case\u2019 to send your own case to the tribunal and the applicant.

    ", + "

    Your statement must include your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence.

    ", + "

    You need to include copies of all documents that:

    ", + "
  • are important to your case
  • ", + "
  • are needed to understand the case
  • ", + "

    You also need to include a list of these documents.

    ", + "

    The tribunal will then contact you to tell you if there\u2019s going to be a hearing.

    ", + "

    Starting court proceedings

    ", + "

    You or the other party can be ordered by the tribunal to start court proceedings at any time. This will happen if the tribunal cannot handle your case.

    ", + "

    You can also contact the tribunal and ask them to make the other party start court proceedings, or voluntarily start proceedings yourself.

    ", + "

    Get help

    ", + "

    You can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.

    ", + "

    What happens at the hearing

    ", + "

    You may have to attend a hearing where you (or your legal representative) and the other parties will present your cases to a judge.

    ", + "

    The judge will decide:

    ", + "
  • which party wins the case
  • ", + "
  • if any costs are payable by one party to another
  • ", + "

    You\u2019ll usually be told the outcome of the case within 42 days of the hearing.

    ", + "

    Preparing for the hearing

    ", + "

    You\u2019ll be told the time and date of the hearing and where its being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.

    ", + "

    You\u2019ll be sent instructions on how to prepare and exchange evidence after all the parties have given their statements of case.

    ", + "

    Decisions without hearings

    ", + "

    The tribunal may make a decision without a hearing if all the people involved agree or if no one objects once given notice.

    ", + "

    The people involved can also ask the tribunal to make a decision without a hearing.

    ", + "

    Getting a time extension

    ", + "

    You can ask for a time extension at any point in the proceedings.

    ", + "

    You should ask all other parties involved to agree to an extension before applying to the tribunal.

    ", + "

    If you lose your case

    ", + "

    You can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.

    ", + "

    You can also ask the First-tier Tribunal to set aside their decision if you think there was a problem with the tribunal\u2019s procedure, for example you did not receive a notice of a hearing.

    ", + "

    Read guidance on how to challenge a decision for details.

    ", + "

    You can complain about the tribunal staff or the service you received. You cannot complain about the decision.

    ", + "

    Legislation and previous decisions

    ", + "

    You can read the rules the tribunal must follow and its decisions on previous cases if you\u2019re representing yourself or someone else.

    ", + "

    The tribunal will make a decision based on the Land Registration Act 2002.

    ", + "

    The tribunal must follow the rules and process in:

    ", + "
  • Tribunal Procedure (First-tier Tribunal) (Property Chamber) Rules 2013
  • ", + "
  • Practice Directions issued by the Senior President of Tribunals (30 July 2013) (PDF, 49KB)
  • ", + "
  • Practice Statement issued by the Senior President of Tribunals (8 August 2017) (PDF, 0.1MB)
  • ", + "

    You can also search the decisions database to see how and why previous decisions have been made.

    " + ] + }, + "https://www.gov.uk/charged-crime": { + "url": "https://www.gov.uk/charged-crime", + "title": "Being charged with a crime", + "content": "## Overview\n\nIf you are charged with a crime you will be given a \u2018charge sheet\u2019. This sets out the details of the crime you are being charged with.\n\nThe police will decide if you:\n\n- can go home until the court hearing - but may have to follow certain rules, known as \u2018bail\u2019\n\n- are kept in police custody until you are taken to court for your hearing\n\nYour first court hearing after you are charged with a crime will be at a magistrates\u2019 court - even if your trial will be at a Crown Court later on.\n\nIf you\u2019re charged with a minor offence your case could be decided without going to court (\u2018single justice procedure\u2019). If you get a single justice procedure notice you must respond within 21 days.\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Young people\n\nIf you\u2019re under 18, your first hearing will usually be at a youth court.\n\nIf you\u2019re under 17, the police must arrange for you to be held in local authority accommodation, if possible, before you go to court.\n\nIf you\u2019re aged 12 to 16, the police can decide to keep you at the police station if they think it will protect the public.\n\n## Bail\n\nYou can be released on bail at the police station after you\u2019ve been charged. This means you will be able to go home until your court hearing.\n\nIf you are given bail, you might have to agree to conditions like:\n\n- living at a particular address\n\n- not contacting certain people\n\n- giving your passport to the police so you cannot leave the UK\n\n- reporting to a police station at agreed times, for example once a week\n\nIf you do not stick to these conditions you can be arrested again and be taken to prison to wait for your court hearing.\n\nWhen you attend your hearing at a magistrates\u2019 court you might be given bail again until your trial begins.\n\n## Reasons you may not be given bail\n\nYou\u2019re unlikely to be given bail if:\n\n- you are charged with a serious offence, for example armed robbery\n\n- you\u2019ve been convicted of a serious crime in the past\n\n- you\u2019ve been given bail in the past and not stuck to the terms\n\n- the police think you may not turn up for your hearing\n\n- the police think you might commit a crime while you\u2019re on bail\n\n## Remand\n\nIf the court decides to put you on remand it means you will go to prison until your hearing at a magistrates\u2019 court.\n\nIf you are under 18 you will be taken to a secure centre for young people, not an adult prison.\n\nYou will probably be put on remand if:\n\n- you have been charged with a serious crime, for example armed robbery\n\n- you have been convicted of a serious crime in the past\n\n- the police think you may not go to your court hearing\n\n- the police think you may commit another crime while on bail\n\n- you have been given bail before and not stuck to the terms\n\nWhen you attend your hearing at a magistrates\u2019 court, you might be put on remand again until your trial begins, even if you were previously given bail.", + "original_contents": [ + "

    Overview

    ", + "

    If you are charged with a crime you will be given a \u2018charge sheet\u2019. This sets out the details of the crime you are being charged with.

    ", + "

    The police will decide if you:

    ", + "
  • can go home until the court hearing - but may have to follow certain rules, known as \u2018bail\u2019
  • ", + "
  • are kept in police custody until you are taken to court for your hearing
  • ", + "

    Your first court hearing after you are charged with a crime will be at a magistrates\u2019 court - even if your trial will be at a Crown Court later on.

    ", + "

    If you\u2019re charged with a minor offence your case could be decided without going to court (\u2018single justice procedure\u2019). If you get a single justice procedure notice you must respond within 21 days.

    ", + "

    The rules are different in Scotland and Northern Ireland.

    ", + "

    Young people

    ", + "

    If you\u2019re under 18, your first hearing will usually be at a youth court.

    ", + "

    If you\u2019re under 17, the police must arrange for you to be held in local authority accommodation, if possible, before you go to court.

    ", + "

    If you\u2019re aged 12 to 16, the police can decide to keep you at the police station if they think it will protect the public.

    ", + "

    Bail

    ", + "

    You can be released on bail at the police station after you\u2019ve been charged. This means you will be able to go home until your court hearing.

    ", + "

    If you are given bail, you might have to agree to conditions like:

    ", + "
  • living at a particular address
  • ", + "
  • not contacting certain people
  • ", + "
  • giving your passport to the police so you cannot leave the UK
  • ", + "
  • reporting to a police station at agreed times, for example once a week
  • ", + "

    If you do not stick to these conditions you can be arrested again and be taken to prison to wait for your court hearing.

    ", + "

    When you attend your hearing at a magistrates\u2019 court you might be given bail again until your trial begins.

    ", + "

    Reasons you may not be given bail

    ", + "

    You\u2019re unlikely to be given bail if:

    ", + "
  • you are charged with a serious offence, for example armed robbery
  • ", + "
  • you\u2019ve been convicted of a serious crime in the past
  • ", + "
  • you\u2019ve been given bail in the past and not stuck to the terms
  • ", + "
  • the police think you may not turn up for your hearing
  • ", + "
  • the police think you might commit a crime while you\u2019re on bail
  • ", + "

    Remand

    ", + "

    If the court decides to put you on remand it means you will go to prison until your hearing at a magistrates\u2019 court.

    ", + "

    If you are under 18 you will be taken to a secure centre for young people, not an adult prison.

    ", + "

    You will probably be put on remand if:

    ", + "
  • you have been charged with a serious crime, for example armed robbery
  • ", + "
  • you have been convicted of a serious crime in the past
  • ", + "
  • the police think you may not go to your court hearing
  • ", + "
  • the police think you may commit another crime while on bail
  • ", + "
  • you have been given bail before and not stuck to the terms
  • ", + "

    When you attend your hearing at a magistrates\u2019 court, you might be put on remand again until your trial begins, even if you were previously given bail.

    " + ] + }, + "https://www.gov.uk/being-taken-to-employment-tribunal-by-employee": { + "url": "https://www.gov.uk/being-taken-to-employment-tribunal-by-employee", + "title": "Being taken to an employment tribunal", + "content": "## Overview\n\nYou can be taken to an employment tribunal by an employee or someone else (for example a job applicant or trade union) over various issues, including:\n\n- pay\n\n- dismissal\n\n- discrimination\n\nThis guide is also available in Welsh (Cymraeg).\n\nThe tribunal is independent of government and will listen to you (the \u2018respondent\u2019) and the other party (the \u2018claimant\u2019) before making a decision.\n\nYou may have to pay compensation or reinstate the claimant if you lose the case.\n\n## Solve the dispute without a hearing\n\nYou\u2019ll be contacted by the Advisory, Conciliation and Arbitration Service (Acas) if someone wants to make a claim against you. They\u2019ll offer to work with you and the claimant to try to solve the problem without it going to a tribunal - this is called \u2018conciliation\u2019.\n\nCall Acas for help and advice.\n\n## Respond to a claim\n\nThe tribunal will send you a letter (known as a \u2018response pack\u2019) if a claim has been made against you and conciliation has not worked. You can respond either:\n\n- online\n\n- by filling out and returning the response pack you\u2019re sent\n\n- by downloading and filling in the response form and sending it to the tribunal office dealing with the case\n\nRead the response guidance before you fill in the form.\n\nYou must respond to the claim within 28 days.\n\nYou may be able to get more time to respond - ask the tribunal. If you\u2019re late or do not respond, the tribunal may make a decision against you without a hearing.\n\n## Offer the claimant compensation\n\nYou can try to settle the case at any time by offering to pay compensation to the claimant (known as a \u2018settlement agreement\u2019).\n\n## Get help or legal advice\n\nYou may want to get legal advice if a claim is made against you.\n\nCall the employment tribunal enquiry line for general guidance on how the process works. They cannot give you legal advice.\n\n## If you\u2019re in Northern Ireland\n\nYour case will be dealt with by the Office of Industrial Tribunals and the Fair Employment Tribunal.\n\n## Before the hearing\n\nYou\u2019ll be given at least 14 days\u2019 notice before the hearing - you\u2019ll get a letter confirming this. You must prepare documents and arrange for witnesses to attend in advance.\n\n## \u2018Preliminary hearing\u2019\n\nYou may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:\n\n- the date and time of a hearing\n\n- how long the hearing should take\n\nThe tribunal will let you know if you\u2019ll have to give evidence or provide any extra information.\n\n## Arrange documents\n\nYou can ask the claimant for documents that will help you with the case, and they can request documents from you.\n\nExamples of documents include:\n\n- a contract of employment\n\n- pay slips\n\n- details of a pension scheme\n\n- notes from relevant meetings\n\nUsually the tribunal will issue an order setting out a timetable for when you should exchange documents.\n\nYou\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.\n\n## Organise witnesses\n\nYou can bring witnesses to the hearing if they can give evidence directly relevant to the case.\n\nIf you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with the case, giving:\n\n- the name and address of the witness\n\n- details of what the witness may be able to say and how it will help the case\n\n- the reason the witness has refused to attend (if they gave you one)\n\nYou\u2019ll most likely be responsible for paying the witness\u2019s expenses.\n\n## At the hearing\n\nCases are normally held at the employment tribunal office closest to where you worked.\n\nYou must take the documents you\u2019re using to support the case.\n\nYou cannot claim for expenses for going to the hearing.\n\n## What happens at the hearing\n\nYou\u2019ll present the case to the tribunal - someone else can do this for you, such as a lawyer, friend or family member. The claimant will present their case against you.\n\nYou may be asked questions by:\n\n- the judge\n\n- the claimant\n\n- 2 other tribunal members (only in certain tribunals)\n\n## Get a decision\n\nYou\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.\n\n## If you win the case\n\nIn most cases, you will not be awarded any compensation if you win. However, if the claimant acted unreasonably or if their case had no hope of success, you can ask to be awarded costs by the tribunal.\n\n## If you lose the case\n\nIf you lose, the tribunal can order you to do certain things depending on the type of case. Examples include:\n\n- giving the claimant their job back\n\n- paying compensation if you cannot give the claimant their job back\n\n- paying witness expenses\n\n- paying damages or loss of earnings\n\n## Pay compensation\n\nPaying compensation is the most common outcome of a tribunal. There can be limits to the amount of money a tribunal can award. There\u2019s no limit in cases of discrimination.\n\nThe tribunal usually works out the amount based on the financial loss the person has suffered as a result of your actions.\n\nInterest is calculated from the day the judgment is received, but you will not have to pay interest if you pay the full compensation award within 14 days.\n\nYou can be taken to court and forced to pay. You can also be fined and named online by the government if you do not pay.\n\n## Pay back state benefits\n\nYou might have to pay back any Jobseeker\u2019s Allowance, Income Support or Employment Support Allowance (ESA) that the claimant claimed while taking their case to the tribunal.\n\nThis is to prevent them from getting paid twice.\n\nThe tribunal and the Compensation Recovery Unit will tell you what you need to do and how much to pay.\n\n## If you disagree with a tribunal decision\n\nYou can ask the tribunal to reconsider the decision if you lose the case.\n\nYou must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.\n\nYou need to give good reasons, such as:\n\n- the tribunal made a mistake in the way it reached its decision\n\n- you were not told about the hearing\n\n- new evidence has turned up since the hearing\n\nSend your letter to the tribunal office that dealt with the case.\n\n## Appeal to the Employment Appeal Tribunal\n\nYou can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.\n\n## Legislation\n\nThe Employment Tribunal follows certain rules and processes that you also have to follow.\n\nYou can also read other relevant tribunal rules and regulations.\n\nThe tribunal has issued guidance and practice directions which provides more information about specific areas, such as postponing hearings and serving documents.\n\nYou can also read guidance about specific cases.", + "original_contents": [ + "

    Overview

    ", + "

    You can be taken to an employment tribunal by an employee or someone else (for example a job applicant or trade union) over various issues, including:

    ", + "
  • pay
  • ", + "
  • dismissal
  • ", + "
  • discrimination
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    The tribunal is independent of government and will listen to you (the \u2018respondent\u2019) and the other party (the \u2018claimant\u2019) before making a decision.

    ", + "

    You may have to pay compensation or reinstate the claimant if you lose the case.

    ", + "

    Solve the dispute without a hearing

    ", + "

    You\u2019ll be contacted by the Advisory, Conciliation and Arbitration Service (Acas) if someone wants to make a claim against you. They\u2019ll offer to work with you and the claimant to try to solve the problem without it going to a tribunal - this is called \u2018conciliation\u2019.

    ", + "

    Call Acas for help and advice.

    ", + "

    Respond to a claim

    ", + "

    The tribunal will send you a letter (known as a \u2018response pack\u2019) if a claim has been made against you and conciliation has not worked. You can respond either:

    ", + "
  • online
  • ", + "
  • by filling out and returning the response pack you\u2019re sent
  • ", + "
  • by downloading and filling in the response form and sending it to the tribunal office dealing with the case
  • ", + "

    Read the response guidance before you fill in the form.

    ", + "

    You must respond to the claim within 28 days.

    ", + "

    You may be able to get more time to respond - ask the tribunal. If you\u2019re late or do not respond, the tribunal may make a decision against you without a hearing.

    ", + "

    Offer the claimant compensation

    ", + "

    You can try to settle the case at any time by offering to pay compensation to the claimant (known as a \u2018settlement agreement\u2019).

    ", + "

    Get help or legal advice

    ", + "

    You may want to get legal advice if a claim is made against you.

    ", + "

    Call the employment tribunal enquiry line for general guidance on how the process works. They cannot give you legal advice.

    ", + "

    If you\u2019re in Northern Ireland

    ", + "

    Your case will be dealt with by the Office of Industrial Tribunals and the Fair Employment Tribunal.

    ", + "

    Before the hearing

    ", + "

    You\u2019ll be given at least 14 days\u2019 notice before the hearing - you\u2019ll get a letter confirming this. You must prepare documents and arrange for witnesses to attend in advance.

    ", + "

    \u2018Preliminary hearing\u2019

    ", + "

    You may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:

    ", + "
  • the date and time of a hearing
  • ", + "
  • how long the hearing should take
  • ", + "

    The tribunal will let you know if you\u2019ll have to give evidence or provide any extra information.

    ", + "

    Arrange documents

    ", + "

    You can ask the claimant for documents that will help you with the case, and they can request documents from you.

    ", + "

    Examples of documents include:

    ", + "
  • a contract of employment
  • ", + "
  • pay slips
  • ", + "
  • details of a pension scheme
  • ", + "
  • notes from relevant meetings
  • ", + "

    Usually the tribunal will issue an order setting out a timetable for when you should exchange documents.

    ", + "

    You\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.

    ", + "

    Organise witnesses

    ", + "

    You can bring witnesses to the hearing if they can give evidence directly relevant to the case.

    ", + "

    If you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with the case, giving:

    ", + "
  • the name and address of the witness
  • ", + "
  • details of what the witness may be able to say and how it will help the case
  • ", + "
  • the reason the witness has refused to attend (if they gave you one)
  • ", + "

    You\u2019ll most likely be responsible for paying the witness\u2019s expenses.

    ", + "

    At the hearing

    ", + "

    Cases are normally held at the employment tribunal office closest to where you worked.

    ", + "

    You must take the documents you\u2019re using to support the case.

    ", + "

    You cannot claim for expenses for going to the hearing.

    ", + "

    What happens at the hearing

    ", + "

    You\u2019ll present the case to the tribunal - someone else can do this for you, such as a lawyer, friend or family member. The claimant will present their case against you.

    ", + "

    You may be asked questions by:

    ", + "
  • the judge
  • ", + "
  • the claimant
  • ", + "
  • 2 other tribunal members (only in certain tribunals)
  • ", + "

    Get a decision

    ", + "

    You\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.

    ", + "

    If you win the case

    ", + "

    In most cases, you will not be awarded any compensation if you win. However, if the claimant acted unreasonably or if their case had no hope of success, you can ask to be awarded costs by the tribunal.

    ", + "

    If you lose the case

    ", + "

    If you lose, the tribunal can order you to do certain things depending on the type of case. Examples include:

    ", + "
  • giving the claimant their job back
  • ", + "
  • paying compensation if you cannot give the claimant their job back
  • ", + "
  • paying witness expenses
  • ", + "
  • paying damages or loss of earnings
  • ", + "

    Pay compensation

    ", + "

    Paying compensation is the most common outcome of a tribunal. There can be limits to the amount of money a tribunal can award. There\u2019s no limit in cases of discrimination.

    ", + "

    The tribunal usually works out the amount based on the financial loss the person has suffered as a result of your actions.

    ", + "

    Interest is calculated from the day the judgment is received, but you will not have to pay interest if you pay the full compensation award within 14 days.

    ", + "

    You can be taken to court and forced to pay. You can also be fined and named online by the government if you do not pay.

    ", + "

    Pay back state benefits

    ", + "

    You might have to pay back any Jobseeker\u2019s Allowance, Income Support or Employment Support Allowance (ESA) that the claimant claimed while taking their case to the tribunal.

    ", + "

    This is to prevent them from getting paid twice.

    ", + "

    The tribunal and the Compensation Recovery Unit will tell you what you need to do and how much to pay.

    ", + "

    If you disagree with a tribunal decision

    ", + "

    You can ask the tribunal to reconsider the decision if you lose the case.

    ", + "

    You must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.

    ", + "

    You need to give good reasons, such as:

    ", + "
  • the tribunal made a mistake in the way it reached its decision
  • ", + "
  • you were not told about the hearing
  • ", + "
  • new evidence has turned up since the hearing
  • ", + "

    Send your letter to the tribunal office that dealt with the case.

    ", + "

    Appeal to the Employment Appeal Tribunal

    ", + "

    You can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.

    ", + "

    Legislation

    ", + "

    The Employment Tribunal follows certain rules and processes that you also have to follow.

    ", + "

    You can also read other relevant tribunal rules and regulations.

    ", + "

    The tribunal has issued guidance and practice directions which provides more information about specific areas, such as postponing hearings and serving documents.

    ", + "

    You can also read guidance about specific cases.

    " + ] + }, + "https://www.gov.uk/challenge-solicitors-bill": { + "url": "https://www.gov.uk/challenge-solicitors-bill", + "title": "Challenge your solicitor's bill", + "content": "## Overview\n\nYou can challenge your solicitor\u2019s bill if you think you\u2019ve been charged too much.\n\nAsk the Senior Courts Costs Office to make a \u2018detailed assessment\u2019 of your bill. They can reduce your bill if they agree it\u2019s too expensive.\n\nThere\u2019s a different process if you want to complain about your solicitor\u2019s behaviour.\n\n## Before you apply\n\nTry to solve the problem with your solicitor before contacting the court.\n\nYou can complain to your solicitor directly by following their complaints procedure.\n\nYou can also get free legal help and advice from:\n\n- your local Citizens Advice Bureau\n\n- your local Law Centre\n\n- the Royal Courts of Justice Advice Bureau\n\n## When to apply\n\nYou must apply to the court before asking for a detailed assessment. You must do this within one month of getting your solicitor\u2019s bill.\n\nIf you do not, you can still apply within a year of getting the bill, but the court might ask you to pay part or all of what you owe upfront. You\u2019ll get back what you\u2019ve overpaid if the judge agrees you\u2019ve been charged too much.\n\nYou might also be able to apply if you\u2019ve already paid your solicitor\u2019s bill or it\u2019s been over a year since you got it. You can only do this in special circumstances - you must explain what these are when you apply.\n\n## How to apply\n\nDownload and fill in 3 copies of Part 8 claim form (N208). You must pay \u00a345.\n\nSend a cheque made payable to \u2018HMCTS\u2019 with all 3 copies of your completed form and a copy of your solicitor\u2019s bill to:\n\nYou can apply to your local District Registry (a court that deals with certain High Court cases) instead if you live outside of London.\n\nApply to your nearest county court if the original case was dealt with by a county court and your solicitor\u2019s bill is for \u00a35,000 or less.\n\n## What happens next\n\nThe court will keep one copy of your claim form. The other copies will be sent to you and your solicitor and stamped with an issue date.\n\nYou\u2019ll then get an \u2018acknowledgement of service\u2019 from your solicitor confirming they\u2019ve seen your application.\n\nYou\u2019ll be asked to attend a hearing if your solicitor does not think you should have a detailed assessment. You\u2019ll get a \u2018notice of hearing\u2019 from the court saying when and where the hearing will take place.\n\nYou\u2019ll get a letter from your solicitor if they agree to a detailed assessment. Send a copy of this letter to the court.\n\nIf your solicitor does not challenge your application, you can ask them to give their consent. If they agree then the court might decide neither of you will need to go to the hearing.\n\n## If you have a hearing\n\nBoth you and the other side will present your case to a Costs Judge (or a District Judge if the hearing is held outside London).\n\nYou must bring with you copies of any documents you\u2019ve sent to the court as part of your application.\n\nThe court will decide whether to order a detailed assessment. You\u2019ll get the decision then or by post within a few days of the hearing.\n\n## If you disagree with the decision\n\nYou can make an appeal if you disagree with the court\u2019s decision.\n\nYou must get permission before you appeal - you can ask the Costs Judge at the hearing.\n\nYou can ask the appeal court for permission if you\u2019re refused or do not ask for it at the hearing. Read leaflet EX340 for more information.\n\n## Get a detailed assessment\n\nYou\u2019ll be given a court order after the hearing that says whether you can have a detailed assessment.\n\nThe detailed assessment will take place at another hearing.\n\nDownload and fill in request form (N258C). You must also pay a court fee. How much you pay will depend on the size of your solicitor\u2019s bill.\n\n| Amount on your solicitor\u2019s bill | Fee |\n\n| \u00a315,000 or less | \u00a3335 |\n\n| \u00a315,000.01 to \u00a350,000 | \u00a3675 |\n\n| \u00a350,000.01 to \u00a3100,000 | \u00a31,005 |\n\n| \u00a3100,000.01 to \u00a3150,000 | \u00a31,345 |\n\n| \u00a3150,000.01 to \u00a3200,000 | \u00a31,680 |\n\n| \u00a3200,000.01 to \u00a3300,000 | \u00a32,520 |\n\n| \u00a3300,000.01 to \u00a3500,000 | \u00a34,200 |\n\n| \u00a3500,000.01 or more | \u00a35,600 |\n\n## Other fees\n\nYou must pay your own costs and the other party\u2019s reasonable costs of the detailed assessment, unless:\n\n- the judge reduces your solicitor\u2019s bill by 20% or more\n\n- there are special circumstances, for example you originally offered to settle the bill for an amount more than the final amount fixed by the court\n\nHow much you pay will depend on how much time your solicitor has spent in court - this is usually worked out from their hourly rate.", + "original_contents": [ + "

    Overview

    ", + "

    You can challenge your solicitor\u2019s bill if you think you\u2019ve been charged too much.

    ", + "

    Ask the Senior Courts Costs Office to make a \u2018detailed assessment\u2019 of your bill. They can reduce your bill if they agree it\u2019s too expensive.

    ", + "

    There\u2019s a different process if you want to complain about your solicitor\u2019s behaviour.

    ", + "

    Before you apply

    ", + "

    Try to solve the problem with your solicitor before contacting the court.

    ", + "

    You can complain to your solicitor directly by following their complaints procedure.

    ", + "

    You can also get free legal help and advice from:

    ", + "
  • your local Citizens Advice Bureau
  • ", + "
  • your local Law Centre
  • ", + "
  • the Royal Courts of Justice Advice Bureau
  • ", + "

    When to apply

    ", + "

    You must apply to the court before asking for a detailed assessment. You must do this within one month of getting your solicitor\u2019s bill.

    ", + "

    If you do not, you can still apply within a year of getting the bill, but the court might ask you to pay part or all of what you owe upfront. You\u2019ll get back what you\u2019ve overpaid if the judge agrees you\u2019ve been charged too much.

    ", + "

    You might also be able to apply if you\u2019ve already paid your solicitor\u2019s bill or it\u2019s been over a year since you got it. You can only do this in special circumstances - you must explain what these are when you apply.

    ", + "

    How to apply

    ", + "

    Download and fill in 3 copies of Part 8 claim form (N208). You must pay \u00a345.

    ", + "

    Send a cheque made payable to \u2018HMCTS\u2019 with all 3 copies of your completed form and a copy of your solicitor\u2019s bill to:

    ", + "

    You can apply to your local District Registry (a court that deals with certain High Court cases) instead if you live outside of London.

    ", + "

    Apply to your nearest county court if the original case was dealt with by a county court and your solicitor\u2019s bill is for \u00a35,000 or less.

    ", + "

    What happens next

    ", + "

    The court will keep one copy of your claim form. The other copies will be sent to you and your solicitor and stamped with an issue date.

    ", + "

    You\u2019ll then get an \u2018acknowledgement of service\u2019 from your solicitor confirming they\u2019ve seen your application.

    ", + "

    You\u2019ll be asked to attend a hearing if your solicitor does not think you should have a detailed assessment. You\u2019ll get a \u2018notice of hearing\u2019 from the court saying when and where the hearing will take place.

    ", + "

    You\u2019ll get a letter from your solicitor if they agree to a detailed assessment. Send a copy of this letter to the court.

    ", + "

    If your solicitor does not challenge your application, you can ask them to give their consent. If they agree then the court might decide neither of you will need to go to the hearing.

    ", + "

    If you have a hearing

    ", + "

    Both you and the other side will present your case to a Costs Judge (or a District Judge if the hearing is held outside London).

    ", + "

    You must bring with you copies of any documents you\u2019ve sent to the court as part of your application.

    ", + "

    The court will decide whether to order a detailed assessment. You\u2019ll get the decision then or by post within a few days of the hearing.

    ", + "

    If you disagree with the decision

    ", + "

    You can make an appeal if you disagree with the court\u2019s decision.

    ", + "

    You must get permission before you appeal - you can ask the Costs Judge at the hearing.

    ", + "

    You can ask the appeal court for permission if you\u2019re refused or do not ask for it at the hearing. Read leaflet EX340 for more information.

    ", + "

    Get a detailed assessment

    ", + "

    You\u2019ll be given a court order after the hearing that says whether you can have a detailed assessment.

    ", + "

    The detailed assessment will take place at another hearing.

    ", + "

    Download and fill in request form (N258C). You must also pay a court fee. How much you pay will depend on the size of your solicitor\u2019s bill.

    ", + "Amount on your solicitor\u2019s bill | Fee", + "\u00a315,000 or less | \u00a3335", + "\u00a315,000.01 to \u00a350,000 | \u00a3675", + "\u00a350,000.01 to \u00a3100,000 | \u00a31,005", + "\u00a3100,000.01 to \u00a3150,000 | \u00a31,345", + "\u00a3150,000.01 to \u00a3200,000 | \u00a31,680", + "\u00a3200,000.01 to \u00a3300,000 | \u00a32,520", + "\u00a3300,000.01 to \u00a3500,000 | \u00a34,200", + "\u00a3500,000.01 or more | \u00a35,600", + "

    Other fees

    ", + "

    You must pay your own costs and the other party\u2019s reasonable costs of the detailed assessment, unless:

    ", + "
  • the judge reduces your solicitor\u2019s bill by 20% or more
  • ", + "
  • there are special circumstances, for example you originally offered to settle the bill for an amount more than the final amount fixed by the court
  • ", + "

    How much you pay will depend on how much time your solicitor has spent in court - this is usually worked out from their hourly rate.

    " + ] + }, + "https://www.gov.uk/community-sentences": { + "url": "https://www.gov.uk/community-sentences", + "title": "Community sentences", + "content": "## Overview\n\nYou may get a community sentence if you\u2019re convicted of a crime by a court but are not sent to prison.\n\nYou may have to do unpaid work in your local community, like removing graffiti. This is called Community Payback.\n\nCommunity sentences can be given for crimes such as:\n\n- damaging property\n\n- benefit fraud\n\n- assault\n\nYou may get a community sentence if:\n\n- the court thinks you\u2019re more likely to stop committing crime than if you go to prison\n\n- it\u2019s the first time you have committed a crime\n\n- you have a mental health condition that affects your behaviour\n\nThe rules are different in Scotland.\n\n## Community Payback\n\nCommunity Payback is unpaid work like:\n\n- removing graffiti\n\n- clearing wasteland\n\n- decorating public places and buildings\u00a0- for example, a community centre\n\nYou will usually work in your local area, and be managed by a Community Payback supervisor. You must wear a high visibility orange vest while you work.\n\nYou can expect to complete anything from 40 to 300 hours of Community Payback, depending on how serious your crime was.\n\nYou have to work 3 or 4 days each week if you\u2019re unemployed.\n\nThe Community Payback work will be arranged outside your working hours if you have a job, for example evenings or weekends.\n\n## Treatment and programmes\n\nThe treatment or programmes you get are intended to help with problems that led you to commit crime in the first place. They\u2019re also to stop you committing more crime.\n\nProgrammes and treatment could be to help with:\n\n- any addictions you have, for example drugs\n\n- a mental health condition\n\n- getting new skills and qualifications\n\nDepending on the treatment or programme, it could involve:\n\n- counselling sessions\u00a0- where you get support from a medical professional\n\n- drug testing\n\n- \u2018accredited programmes\u2019, such as anger management courses, to help with your behaviour\n\n- mental health treatment with a doctor or psychologist\n\n- improving your reading and writing\n\n- getting help with a job application\n\n- learning interview skills\n\n- meeting people who were affected by your offence, as part of a restorative justice programme\n\nIf you don\u2019t complete a treatment or programme, or fail a drugs test, you could be sent back to court and your punishment could increase.\n\n## What you can and can\u2019t do while on a community sentence\n\nWhat you can and can\u2019t do while on a community sentence is decided by:\n\n- a court when you are sentenced\n\n- the person dealing with your sentence once it\u2019s started\u00a0- called the \u2018offender manager\u2019\n\nThis can include:\n\n- being at a particular place at certain times - known as a \u2018curfew\u2019\n\n- wearing an electronic tag to check that you stay there\n\n- appointments with an offender manager\n\n- being stopped from going to certain places or areas, for example your victim\u2019s home\n\n- being stopped from taking part in certain activities, for example going to a pub or a bar\n\n- being told where you have to live, for example a family member\u2019s home\n\nIf you don\u2019t stick to the rules while you\u2019re on a community sentence, you could get a warning or be sent back to court, and your punishment could increase.\n\n## Community sentences if you are under 18\n\nCommunity sentences for young people are different from those given to adults.\n\nThere are 3 main community sentences a court can give you:\n\n- referral orders \u2013 when, with a panel of people from your local community and your youth justice workers, you are asked to agree a programme of work to address your behaviour\n\n- reparation orders \u2013 when you make up for the harm caused by your crime, like repairing any damage to the victim\u2019s property\n\n- Youth Rehabilitation Order \u2013 when a court decides on different things that you have to do or must not do, which can last for up to 3 years\n\nYou can also be given a discharge, when the court decides that the experience of being arrested and going to court is enough of a punishment.\n\nAs part of your community sentence you may also have to speak to the victim and:\n\n- listen to their side of the story\n\n- apologise to them, either in writing or, if the victim wants, face-to-face\n\nIf you break the rules of your community sentence you could end up back in court, and if you have recently been released from custody you could be sent back.", + "original_contents": [ + "

    Overview

    ", + "

    You may get a community sentence if you\u2019re convicted of a crime by a court but are not sent to prison.

    ", + "

    You may have to do unpaid work in your local community, like removing graffiti. This is called Community Payback.

    ", + "

    Community sentences can be given for crimes such as:

    ", + "
  • damaging property
  • ", + "
  • benefit fraud
  • ", + "
  • assault
  • ", + "

    You may get a community sentence if:

    ", + "
  • the court thinks you\u2019re more likely to stop committing crime than if you go to prison
  • ", + "
  • it\u2019s the first time you have committed a crime
  • ", + "
  • you have a mental health condition that affects your behaviour
  • ", + "

    The rules are different in Scotland.

    ", + "

    Community Payback

    ", + "

    Community Payback is unpaid work like:

    ", + "
  • removing graffiti
  • ", + "
  • clearing wasteland
  • ", + "
  • decorating public places and buildings\u00a0- for example, a community centre
  • ", + "

    You will usually work in your local area, and be managed by a Community Payback supervisor. You must wear a high visibility orange vest while you work.

    ", + "

    You can expect to complete anything from 40 to 300 hours of Community Payback, depending on how serious your crime was.

    ", + "

    You have to work 3 or 4 days each week if you\u2019re unemployed.

    ", + "

    The Community Payback work will be arranged outside your working hours if you have a job, for example evenings or weekends.

    ", + "

    Treatment and programmes

    ", + "

    The treatment or programmes you get are intended to help with problems that led you to commit crime in the first place. They\u2019re also to stop you committing more crime.

    ", + "

    Programmes and treatment could be to help with:

    ", + "
  • any addictions you have, for example drugs
  • ", + "
  • a mental health condition
  • ", + "
  • getting new skills and qualifications
  • ", + "

    Depending on the treatment or programme, it could involve:

    ", + "
  • counselling sessions\u00a0- where you get support from a medical professional
  • ", + "
  • drug testing
  • ", + "
  • \u2018accredited programmes\u2019, such as anger management courses, to help with your behaviour
  • ", + "
  • mental health treatment with a doctor or psychologist
  • ", + "
  • improving your reading and writing
  • ", + "
  • getting help with a job application
  • ", + "
  • learning interview skills
  • ", + "
  • meeting people who were affected by your offence, as part of a restorative justice programme
  • ", + "

    If you don\u2019t complete a treatment or programme, or fail a drugs test, you could be sent back to court and your punishment could increase.

    ", + "

    What you can and can\u2019t do while on a community sentence

    ", + "

    What you can and can\u2019t do while on a community sentence is decided by:

    ", + "
  • a court when you are sentenced
  • ", + "
  • the person dealing with your sentence once it\u2019s started\u00a0- called the \u2018offender manager\u2019
  • ", + "

    This can include:

    ", + "
  • being at a particular place at certain times - known as a \u2018curfew\u2019
  • ", + "
  • wearing an electronic tag to check that you stay there
  • ", + "
  • appointments with an offender manager
  • ", + "
  • being stopped from going to certain places or areas, for example your victim\u2019s home
  • ", + "
  • being stopped from taking part in certain activities, for example going to a pub or a bar
  • ", + "
  • being told where you have to live, for example a family member\u2019s home
  • ", + "

    If you don\u2019t stick to the rules while you\u2019re on a community sentence, you could get a warning or be sent back to court, and your punishment could increase.

    ", + "

    Community sentences if you are under 18

    ", + "

    Community sentences for young people are different from those given to adults.

    ", + "

    There are 3 main community sentences a court can give you:

    ", + "
  • referral orders \u2013 when, with a panel of people from your local community and your youth justice workers, you are asked to agree a programme of work to address your behaviour
  • ", + "
  • reparation orders \u2013 when you make up for the harm caused by your crime, like repairing any damage to the victim\u2019s property
  • ", + "
  • Youth Rehabilitation Order \u2013 when a court decides on different things that you have to do or must not do, which can last for up to 3 years
  • ", + "

    You can also be given a discharge, when the court decides that the experience of being arrested and going to court is enough of a punishment.

    ", + "

    As part of your community sentence you may also have to speak to the victim and:

    ", + "
  • listen to their side of the story
  • ", + "
  • apologise to them, either in writing or, if the victim wants, face-to-face
  • ", + "

    If you break the rules of your community sentence you could end up back in court, and if you have recently been released from custody you could be sent back.

    " + ] + }, + "https://www.gov.uk/courts": { + "url": "https://www.gov.uk/courts", + "title": "Criminal courts", + "content": "## Magistrates' courts\n\nAll criminal cases start in a magistrates\u2019 court.\n\nCases are heard by either:\n\n- 2 or 3 magistrates\n\n- a district judge\n\nThere is not a jury in a magistrates\u2019 court.\n\n## Cases a magistrates\u2019 court deals with\n\nA magistrates\u2019 court normally handles cases known as \u2018summary offences\u2019, for example:\n\n- most motoring offences\n\n- minor criminal damage\n\n- common assault (not causing significant injury)\n\nIt can also deal with some of the more serious offences, such as:\n\n- burglary\n\n- drugs offences\n\nThese are called \u2018either way\u2019 offences and can be heard either in a magistrates\u2019 court or a Crown Court.\n\nFind your local magistrates\u2019 court.\n\n## Cases that magistrates pass to the Crown Court\n\nMagistrates\u2019 courts always pass the most serious crimes to the Crown Court, for example:\n\n- murder\n\n- rape\n\n- robbery\n\nThese are known as \u2018indictable offences\u2019.\n\n## Being kept in custody or granted bail\n\nIn some cases the magistrates\u2019 court will decide if you should be kept in custody until your next court hearing, or released on bail.\n\nThis may happen if:\n\n- another court hearing is needed\n\n- the court needs more information before passing sentence\n\n- your case is passed to the Crown Court for trial or sentencing\n\nIf you\u2019re released on bail, you might have to follow strict conditions such as keeping away from certain people or places, staying indoors or wearing a tag.\n\nIf you do not attend court after being granted bail, you can be put in prison.\n\n## Sentences a magistrates\u2019 court can give\n\nThe court can give punishments including:\n\n- up to 6 months in prison (or up to 12 months in total for more than one offence)\n\n- a fine\n\n- a community sentence, like doing unpaid work in the community\n\n- a ban, for example from driving or keeping an animal\n\nCourts can also give a combination of punishments - for example a fine and unpaid work in the community.\n\nIf the court decides your sentence should be for longer than 6 months, it can pass your case to the Crown Court for sentencing.\n\n## Appealing a sentence or conviction\n\nIf you disagree with verdict of the magistrates\u2019 court, you may be able to appeal.\n\n## Crown Court\n\n## Types of cases the Crown Court deals with\n\nA Crown Court deals with serious criminal cases, for example:\n\n- murder\n\n- rape\n\n- robbery\n\nIt also deals with:\n\n- appeals against a magistrates\u2019 court conviction or sentence\n\n- cases passed from a magistrates\u2019 court for trial or sentencing\n\nFind a Crown Court.\n\nYou can see what cases a court is hearing each day and check their progress on the court lists.\n\n## Who does what in the court\n\nA Crown Court:\n\n- normally has a jury - which decides if you\u2019re guilty or not\n\n- has a judge - who decides what sentence you get\n\nYour solicitor (if you have one) can explain what happens in court - the judge and court staff will also give instructions about the trial.\n\n## Sentences a Crown Court can give\n\nA Crown Court can give a range of sentences including:\n\n- community sentences\n\n- prison sentences - including life sentences\n\n## Appealing a sentence or conviction\n\nIf you disagree with the Crown Court\u2019s verdict, you may be able to appeal.\n\n## Youth courts\n\nA youth court is a special type of magistrates\u2019 court for people aged between 10 and 17.\n\nA youth court has either:\n\n- 3 magistrates\n\n- a district judge\n\nThere is not a jury in a youth court.\n\nYour parent or guardian must come with you:\n\n- if you\u2019re under 16\n\n- if you\u2019re 16 to 17 and they\u2019re given a court order\n\n## How youth courts are different from adult courts\n\nYouth courts are less formal than adult courts, for example:\n\n- members of the public are not allowed in to the court (unless they get permission)\n\n- you are called by your first name\n\n## Types of cases a youth court deals with\n\nA youth court deals with cases like:\n\n- theft and burglary\n\n- anti-social behaviour\n\n- drugs offences\n\nFor serious crimes, like murder or rape, the case starts in the youth court but will be passed to a Crown Court.\n\n## Sentences a youth court can give\n\nThe court can give a range of sentences including:\n\n- community sentences\n\n- Detention and Training Orders carried out in secure centres for young people\n\n## Appealing a sentence\n\nIf you disagree with the court\u2019s verdict, you may be able to appeal. Court staff can give you information on how to appeal.", + "original_contents": [ + "

    Magistrates' courts

    ", + "

    All criminal cases start in a magistrates\u2019 court.

    ", + "

    Cases are heard by either:

    ", + "
  • 2 or 3 magistrates
  • ", + "
  • a district judge
  • ", + "

    There is not a jury in a magistrates\u2019 court.

    ", + "

    Cases a magistrates\u2019 court deals with

    ", + "

    A magistrates\u2019 court normally handles cases known as \u2018summary offences\u2019, for example:

    ", + "
  • most motoring offences
  • ", + "
  • minor criminal damage
  • ", + "
  • common assault (not causing significant injury)
  • ", + "

    It can also deal with some of the more serious offences, such as:

    ", + "
  • burglary
  • ", + "
  • drugs offences
  • ", + "

    These are called \u2018either way\u2019 offences and can be heard either in a magistrates\u2019 court or a Crown Court.

    ", + "

    Find your local magistrates\u2019 court.

    ", + "

    Cases that magistrates pass to the Crown Court

    ", + "

    Magistrates\u2019 courts always pass the most serious crimes to the Crown Court, for example:

    ", + "
  • murder
  • ", + "
  • rape
  • ", + "
  • robbery
  • ", + "

    These are known as \u2018indictable offences\u2019.

    ", + "

    Being kept in custody or granted bail

    ", + "

    In some cases the magistrates\u2019 court will decide if you should be kept in custody until your next court hearing, or released on bail.

    ", + "

    This may happen if:

    ", + "
  • another court hearing is needed
  • ", + "
  • the court needs more information before passing sentence
  • ", + "
  • your case is passed to the Crown Court for trial or sentencing
  • ", + "

    If you\u2019re released on bail, you might have to follow strict conditions such as keeping away from certain people or places, staying indoors or wearing a tag.

    ", + "

    If you do not attend court after being granted bail, you can be put in prison.

    ", + "

    Sentences a magistrates\u2019 court can give

    ", + "

    The court can give punishments including:

    ", + "
  • up to 6 months in prison (or up to 12 months in total for more than one offence)
  • ", + "
  • a fine
  • ", + "
  • a community sentence, like doing unpaid work in the community
  • ", + "
  • a ban, for example from driving or keeping an animal
  • ", + "

    Courts can also give a combination of punishments - for example a fine and unpaid work in the community.

    ", + "

    If the court decides your sentence should be for longer than 6 months, it can pass your case to the Crown Court for sentencing.

    ", + "

    Appealing a sentence or conviction

    ", + "

    If you disagree with verdict of the magistrates\u2019 court, you may be able to appeal.

    ", + "

    Crown Court

    ", + "

    Types of cases the Crown Court deals with

    ", + "

    A Crown Court deals with serious criminal cases, for example:

    ", + "
  • murder
  • ", + "
  • rape
  • ", + "
  • robbery
  • ", + "

    It also deals with:

    ", + "
  • appeals against a magistrates\u2019 court conviction or sentence
  • ", + "
  • cases passed from a magistrates\u2019 court for trial or sentencing
  • ", + "

    Find a Crown Court.

    ", + "

    You can see what cases a court is hearing each day and check their progress on the court lists.

    ", + "

    Who does what in the court

    ", + "

    A Crown Court:

    ", + "
  • normally has a jury - which decides if you\u2019re guilty or not
  • ", + "
  • has a judge - who decides what sentence you get
  • ", + "

    Your solicitor (if you have one) can explain what happens in court - the judge and court staff will also give instructions about the trial.

    ", + "

    Sentences a Crown Court can give

    ", + "

    A Crown Court can give a range of sentences including:

    ", + "
  • community sentences
  • ", + "
  • prison sentences - including life sentences
  • ", + "

    Appealing a sentence or conviction

    ", + "

    If you disagree with the Crown Court\u2019s verdict, you may be able to appeal.

    ", + "

    Youth courts

    ", + "

    A youth court is a special type of magistrates\u2019 court for people aged between 10 and 17.

    ", + "

    A youth court has either:

    ", + "
  • 3 magistrates
  • ", + "
  • a district judge
  • ", + "

    There is not a jury in a youth court.

    ", + "

    Your parent or guardian must come with you:

    ", + "
  • if you\u2019re under 16
  • ", + "
  • if you\u2019re 16 to 17 and they\u2019re given a court order
  • ", + "

    How youth courts are different from adult courts

    ", + "

    Youth courts are less formal than adult courts, for example:

    ", + "
  • members of the public are not allowed in to the court (unless they get permission)
  • ", + "
  • you are called by your first name
  • ", + "

    Types of cases a youth court deals with

    ", + "

    A youth court deals with cases like:

    ", + "
  • theft and burglary
  • ", + "
  • anti-social behaviour
  • ", + "
  • drugs offences
  • ", + "

    For serious crimes, like murder or rape, the case starts in the youth court but will be passed to a Crown Court.

    ", + "

    Sentences a youth court can give

    ", + "

    The court can give a range of sentences including:

    ", + "
  • community sentences
  • ", + "
  • Detention and Training Orders carried out in secure centres for young people
  • ", + "

    Appealing a sentence

    ", + "

    If you disagree with the court\u2019s verdict, you may be able to appeal. Court staff can give you information on how to appeal.

    " + ] + }, + "https://www.gov.uk/drink-drive-course": { + "url": "https://www.gov.uk/drink-drive-course", + "title": "Drink-drive rehabilitation courses", + "content": "## When you can take a course\n\nYou can be offered a rehabilitation course to reduce your driving ban if:\n\n- you\u2019re found guilty of a drink-drive offence\n\n- your ban is for 12 months or more\n\nYou have to pay to take the course. It can cost up to \u00a3250.\n\n## Reducing the length of your ban\n\nYour ban will be reduced if you complete the course within a certain time. The ban is usually reduced by a quarter.\n\n## Deciding to take a course\n\nYou have to decide in court if you want to take a course or not. You cannot change your mind later.\n\nThere\u2019s a different process for taking a drink-drive course in Northern Ireland.\n\n## Choose a course\n\nBefore you go to court, find a drink-drive course that you want to take if you\u2019re found guilty and offered a course.\n\nThe court will send your details to the course provider. They\u2019ll then send you details of:\n\n- the available course dates\n\n- when you must complete your course by\n\nYou\u2019re responsible for completing the course by the deadline.\n\n## Changing courses\n\nYou can change to another course with a different provider at any point before you book. It\u2019s free to change your course.\n\nAsk the provider of the course you\u2019d originally chosen to arrange this.\n\n## How the course works\n\nThe course aims to stop you from drink-driving again. They:\n\n- are face-to-face\n\n- take place over 16 hours (usually run on 3 days spread over 3 weeks)\n\n- will have other drink-drive offenders at them\n\nThe course syllabus tells you more about what\u2019s covered during the course.\n\n## After the course\n\nYou\u2019ll get a \u2018certificate of course completion\u2019 from the course provider when you complete the course. They\u2019ll also send a copy to the court that sentenced you.\n\nThe court will tell DVLA so that your driving ban is reduced.\n\nYour driving ban will not be reduced if you do not complete the course or do not pay for your course.\n\n## If you\u2019re a \u2018high risk offender\u2019\n\nYou need to reapply for a driving licence and take a medical if you\u2019re classified as a \u2018high risk offender\u2019. Check with your course provider if you\u2019re not sure if you are.\n\n## Complain about a course\n\nComplain to the course provider if you\u2019re not happy with the course.\n\nContact the Driver and Vehicle Standards Agency if you cannot sort out the problem with the course provider.", + "original_contents": [ + "

    When you can take a course

    ", + "

    You can be offered a rehabilitation course to reduce your driving ban if:

    ", + "
  • you\u2019re found guilty of a drink-drive offence
  • ", + "
  • your ban is for 12 months or more
  • ", + "

    You have to pay to take the course. It can cost up to \u00a3250.

    ", + "

    Reducing the length of your ban

    ", + "

    Your ban will be reduced if you complete the course within a certain time. The ban is usually reduced by a quarter.

    ", + "

    Deciding to take a course

    ", + "

    You have to decide in court if you want to take a course or not. You cannot change your mind later.

    ", + "

    There\u2019s a different process for taking a drink-drive course in Northern Ireland.

    ", + "

    Choose a course

    ", + "

    Before you go to court, find a drink-drive course that you want to take if you\u2019re found guilty and offered a course.

    ", + "

    The court will send your details to the course provider. They\u2019ll then send you details of:

    ", + "
  • the available course dates
  • ", + "
  • when you must complete your course by
  • ", + "

    You\u2019re responsible for completing the course by the deadline.

    ", + "

    Changing courses

    ", + "

    You can change to another course with a different provider at any point before you book. It\u2019s free to change your course.

    ", + "

    Ask the provider of the course you\u2019d originally chosen to arrange this.

    ", + "

    How the course works

    ", + "

    The course aims to stop you from drink-driving again. They:

    ", + "
  • are face-to-face
  • ", + "
  • take place over 16 hours (usually run on 3 days spread over 3 weeks)
  • ", + "
  • will have other drink-drive offenders at them
  • ", + "

    The course syllabus tells you more about what\u2019s covered during the course.

    ", + "

    After the course

    ", + "

    You\u2019ll get a \u2018certificate of course completion\u2019 from the course provider when you complete the course. They\u2019ll also send a copy to the court that sentenced you.

    ", + "

    The court will tell DVLA so that your driving ban is reduced.

    ", + "

    Your driving ban will not be reduced if you do not complete the course or do not pay for your course.

    ", + "

    If you\u2019re a \u2018high risk offender\u2019

    ", + "

    You need to reapply for a driving licence and take a medical if you\u2019re classified as a \u2018high risk offender\u2019. Check with your course provider if you\u2019re not sure if you are.

    ", + "

    Complain about a course

    ", + "

    Complain to the course provider if you\u2019re not happy with the course.

    ", + "

    Contact the Driver and Vehicle Standards Agency if you cannot sort out the problem with the course provider.

    " + ] + }, + "https://www.gov.uk/going-to-court-victim-witness": { + "url": "https://www.gov.uk/going-to-court-victim-witness", + "title": "Going to court to give evidence as a victim or witness", + "content": "## Before the trial\n\nIf you\u2019re a victim of crime or a witness for the prosecution, a \u2018witness care officer\u2019 will tell you which court to go to, and when to go there.\n\nIf you\u2019re a witness for the defence, the defence lawyer will tell you when you have to go to court.\n\nYou\u2019ll usually be given a fixed date to go to court.\n\nSometimes you\u2019ll be given a 2 to 4 week period that you\u2019ll need to keep free - this is known as a \u2018warned period\u2019 or \u2018floating trial\u2019. If this happens, you\u2019ll be given 1 working day\u2019s notice before you are due to go to court.\n\nYou must tell your witness care officer or the defence lawyer straight away if you cannot make the date of the trial.\n\n## Help getting to the court\n\nThere\u2019s different support if you\u2019re going to court as a witness in Scotland or Northern Ireland.\n\n## You\u2019re a victim or prosecution witness\n\nAsk the witness care officer for help if you cannot easily travel to court. They might be able to provide transport.\n\nYou might be able to give evidence through a video link if you live far away from the court, or find it very difficult to get there. Ask your witness care officer if this is available.\n\n## You\u2019re a defence witness\n\nSpeak to the defence lawyer if you need help with getting to court.\n\nYou might be able to give evidence through a video link if you live far away from the court, or find it very difficult to get there. Ask the defence lawyer if this is possible.\n\n## Help in the courtroom if you have a disability\n\nCheck which facilities are available in the court you\u2019re going to.\n\nContact the court to talk about your needs, or if you need any other help.\n\n## Sign language\n\nYou can usually get a British Sign Language (BSL) translator for the trial if you find it difficult to understand spoken English.\n\nAsk the Crown Prosecution Service (CPS) if you\u2019re a victim or prosecution witness.\n\nAsk the defence lawyer if you\u2019re a defence witness.\n\n## Translators\n\nIf you do not understand English, you can usually get someone to translate or interpret the trial for free.\nAsk the Crown Prosecution Service (CPS) to arrange a translator if you\u2019re a victim or prosecution witness.\n\nIf you\u2019re a defence witness, ask the defence lawyer if you can get a translator.\n\n## Preparing to give evidence\n\nContact the Citizens Advice Witness Service to help prepare for the day.\n\nBefore the trial, they can:\n\n- show you around the court so you know what to expect on the day (sometimes called a pre-trial visit)\n\n- explain the court process and who\u2019s who in the courtroom\n\n- come to your home or anywhere you feel safe to answer your questions\n\n## Your statement\n\nIf you\u2019re a victim or prosecution witness, you can ask the Crown Prosecution Service (CPS) to see your statement again before you go to court to refresh your memory.\n\nYou can add things to your statement if you remember them later on, but you cannot withdraw it.\n\n## You\u2019re a victim of crime\n\nAs well as the statement you gave the police when you reported the crime, you can also make a \u2018victim personal statement\u2019 (sometimes known as an \u2018impact statement\u2019). This can be read out in court.\n\nYou can include information about how the crime has affected you:\n\n- physically\n\n- mentally\n\n- emotionally\n\n- financially\n\nYou can also mention any worries you have about the defendant being released on bail.\n\nWhen you give your victim personal statement to the police, tell them if you\u2019d prefer to read it out in court yourself, or have someone else to do it for you.\n\nThe court will decide if your statement will be read out in part or in full.\n\nMaking a victim statement is different if you\u2019re in Scotland or Northern Ireland.\n\n## Extra support in the courtroom\n\nThe court may be able to take extra steps to protect you if you:\n\n- are under 18\n\n- have a mental or physical disability\n\n- are afraid to give evidence\n\n- are a victim of a sexual offence\n\n- are a victim of other serious crimes, such as domestic violence or attempted murder\n\nThese steps include:\n\n- screens, so the defendant cannot see you\n\n- giving evidence by video link from somewhere else (the defendant will be able to see you)\n\n- asking the public to leave the courtroom when you give evidence, if the case is about a sexual offence\n\n- recording your evidence in front of a camera before the trial\n\n- having someone explain the questions and help you reply to the court (an \u2018intermediary\u2019)\n\n## How to get extra support\n\nIf you\u2019re the victim or a prosecution witness, speak to your witness care officer or the Crown Prosecution Service (CPS).\n\nIf you\u2019re a defence witness, speak to the defence lawyer.\n\nThe trial judge will then decide what support will be made available to you.\n\n## The day of the trial\n\nWhen you arrive at the court, you\u2019ll need to go through security. Tell the security staff who you are and that you\u2019re a witness or victim. Someone from the Citizens Advice Witness Service will take you to a waiting area if they are available.\n\n## Waiting to give evidence\n\nIf you\u2019re a victim or prosecution witness, there will usually be a separate room where you can wait so you do not meet the defendant or their family and friends.\n\nIf there is not a separate area, speak to court staff - they can make sure you\u2019re safe.\n\nIf anyone tries to intimidate you, tell the Crown Prosecution Service (CPS), your solicitor or the court staff - they\u2019ll report it to the police.\n\nYou might have to wait a long time before you\u2019re asked to go into the courtroom to give evidence. You might not even have to go in at all, for example if the defendant changes their plea to guilty.\n\n## Childcare\n\nIf you bring a child with you, make sure you also bring someone who can take care of them when you\u2019re in the courtroom.\n\n## Help and support on the day\n\nSomeone from the Citizens Advice Witness Service will be at the court, and can:\n\n- go with you when you give evidence\n\n- support you on the day the verdict and sentence are decided if you\u2019re in court\n\n- listen to your concerns in private (but they cannot discuss details of the case)\n\nYou\u2019ll also have someone who will translate or interpret the trial if you arranged it beforehand.\n\n## Young witnesses (under 18)\n\nTalk to the police or child witness care officer if you have concerns about your child. For example, if they\u2019ll need to take breaks or need any help giving evidence.\n\nRead the full guidance on how to prepare your child for court and special measures that are available.\n\nYoung witnesses can get support and find out what to expect at court from:\n\n- guidance for 5 to 11 year olds\n\n- guidance for 12 to 17 year olds\n\n- the Citizens Advice Witness Service\n\n- Childline\n\n- NSPCC\n\n## After you give evidence\n\nCitizens Advice have more information about what happens after you\u2019ve given evidence.\n\n## Expenses for going to court\n\nYou can ask for expenses when you go to court as a:\n\n- prosecution witness - from the Crown Prosecution Service (CPS)\n\n- defence witness - from the defence lawyer\n\nYour employer does not have to pay you for your time off work.\n\nAsk the Citizens Advice Witness Service for help with claiming expenses.\n\nThere\u2019s a different process for claiming expenses in Scotland and Northern Ireland.\n\n## Prosecution witnesses\n\nYou can claim for expenses from the CPS. They\u2019ll pay for things like:\n\n- travelling expenses - the standard or 2nd class fare, or 25p per mile if you drive\n\n- meals and refreshments - \u00a32.25 for up to 5 hours, or \u00a34.50 for 5 to 10 hours\n\n- loss of earnings - \u00a333.50 for up to 4 hours, or \u00a367 for longer (\u00a342.95 or \u00a385.90 if you\u2019re self-employed)\n\n- childcare - up to \u00a367 per day\n\nIf you\u2019re not sent an expenses form before the trial, ask for one from a court usher or someone from the Citizens Advice Witness Service.\n\n## Defence witnesses\n\nIf the court usher does not give you an expenses form, ask the court or the defence lawyer if you\u2019re able to claim expenses for your time in court.", + "original_contents": [ + "

    Before the trial

    ", + "

    If you\u2019re a victim of crime or a witness for the prosecution, a \u2018witness care officer\u2019 will tell you which court to go to, and when to go there.

    ", + "

    If you\u2019re a witness for the defence, the defence lawyer will tell you when you have to go to court.

    ", + "

    You\u2019ll usually be given a fixed date to go to court.

    ", + "

    Sometimes you\u2019ll be given a 2 to 4 week period that you\u2019ll need to keep free - this is known as a \u2018warned period\u2019 or \u2018floating trial\u2019. If this happens, you\u2019ll be given 1 working day\u2019s notice before you are due to go to court.

    ", + "

    You must tell your witness care officer or the defence lawyer straight away if you cannot make the date of the trial.

    ", + "

    Help getting to the court

    ", + "

    There\u2019s different support if you\u2019re going to court as a witness in Scotland or Northern Ireland.

    ", + "

    You\u2019re a victim or prosecution witness

    ", + "

    Ask the witness care officer for help if you cannot easily travel to court. They might be able to provide transport.

    ", + "

    You might be able to give evidence through a video link if you live far away from the court, or find it very difficult to get there. Ask your witness care officer if this is available.

    ", + "

    You\u2019re a defence witness

    ", + "

    Speak to the defence lawyer if you need help with getting to court.

    ", + "

    You might be able to give evidence through a video link if you live far away from the court, or find it very difficult to get there. Ask the defence lawyer if this is possible.

    ", + "

    Help in the courtroom if you have a disability

    ", + "

    Check which facilities are available in the court you\u2019re going to.

    ", + "

    Contact the court to talk about your needs, or if you need any other help.

    ", + "

    Sign language

    ", + "

    You can usually get a British Sign Language (BSL) translator for the trial if you find it difficult to understand spoken English.

    ", + "

    Ask the Crown Prosecution Service (CPS) if you\u2019re a victim or prosecution witness.

    ", + "

    Ask the defence lawyer if you\u2019re a defence witness.

    ", + "

    Translators

    ", + "

    If you do not understand English, you can usually get someone to translate or interpret the trial for free.\nAsk the Crown Prosecution Service (CPS) to arrange a translator if you\u2019re a victim or prosecution witness.

    ", + "

    If you\u2019re a defence witness, ask the defence lawyer if you can get a translator.

    ", + "

    Preparing to give evidence

    ", + "

    Contact the Citizens Advice Witness Service to help prepare for the day.

    ", + "

    Before the trial, they can:

    ", + "
  • show you around the court so you know what to expect on the day (sometimes called a pre-trial visit)
  • ", + "
  • explain the court process and who\u2019s who in the courtroom
  • ", + "
  • come to your home or anywhere you feel safe to answer your questions
  • ", + "

    Your statement

    ", + "

    If you\u2019re a victim or prosecution witness, you can ask the Crown Prosecution Service (CPS) to see your statement again before you go to court to refresh your memory.

    ", + "

    You can add things to your statement if you remember them later on, but you cannot withdraw it.

    ", + "

    You\u2019re a victim of crime

    ", + "

    As well as the statement you gave the police when you reported the crime, you can also make a \u2018victim personal statement\u2019 (sometimes known as an \u2018impact statement\u2019). This can be read out in court.

    ", + "

    You can include information about how the crime has affected you:

    ", + "
  • physically
  • ", + "
  • mentally
  • ", + "
  • emotionally
  • ", + "
  • financially
  • ", + "

    You can also mention any worries you have about the defendant being released on bail.

    ", + "

    When you give your victim personal statement to the police, tell them if you\u2019d prefer to read it out in court yourself, or have someone else to do it for you.

    ", + "

    The court will decide if your statement will be read out in part or in full.

    ", + "

    Making a victim statement is different if you\u2019re in Scotland or Northern Ireland.

    ", + "

    Extra support in the courtroom

    ", + "

    The court may be able to take extra steps to protect you if you:

    ", + "
  • are under 18
  • ", + "
  • have a mental or physical disability
  • ", + "
  • are afraid to give evidence
  • ", + "
  • are a victim of a sexual offence
  • ", + "
  • are a victim of other serious crimes, such as domestic violence or attempted murder
  • ", + "

    These steps include:

    ", + "
  • screens, so the defendant cannot see you
  • ", + "
  • giving evidence by video link from somewhere else (the defendant will be able to see you)
  • ", + "
  • asking the public to leave the courtroom when you give evidence, if the case is about a sexual offence
  • ", + "
  • recording your evidence in front of a camera before the trial
  • ", + "
  • having someone explain the questions and help you reply to the court (an \u2018intermediary\u2019)
  • ", + "

    How to get extra support

    ", + "

    If you\u2019re the victim or a prosecution witness, speak to your witness care officer or the Crown Prosecution Service (CPS).

    ", + "

    If you\u2019re a defence witness, speak to the defence lawyer.

    ", + "

    The trial judge will then decide what support will be made available to you.

    ", + "

    The day of the trial

    ", + "

    When you arrive at the court, you\u2019ll need to go through security. Tell the security staff who you are and that you\u2019re a witness or victim. Someone from the Citizens Advice Witness Service will take you to a waiting area if they are available.

    ", + "

    Waiting to give evidence

    ", + "

    If you\u2019re a victim or prosecution witness, there will usually be a separate room where you can wait so you do not meet the defendant or their family and friends.

    ", + "

    If there is not a separate area, speak to court staff - they can make sure you\u2019re safe.

    ", + "

    If anyone tries to intimidate you, tell the Crown Prosecution Service (CPS), your solicitor or the court staff - they\u2019ll report it to the police.

    ", + "

    You might have to wait a long time before you\u2019re asked to go into the courtroom to give evidence. You might not even have to go in at all, for example if the defendant changes their plea to guilty.

    ", + "

    Childcare

    ", + "

    If you bring a child with you, make sure you also bring someone who can take care of them when you\u2019re in the courtroom.

    ", + "

    Help and support on the day

    ", + "

    Someone from the Citizens Advice Witness Service will be at the court, and can:

    ", + "
  • go with you when you give evidence
  • ", + "
  • support you on the day the verdict and sentence are decided if you\u2019re in court
  • ", + "
  • listen to your concerns in private (but they cannot discuss details of the case)
  • ", + "

    You\u2019ll also have someone who will translate or interpret the trial if you arranged it beforehand.

    ", + "

    Young witnesses (under 18)

    ", + "

    Talk to the police or child witness care officer if you have concerns about your child. For example, if they\u2019ll need to take breaks or need any help giving evidence.

    ", + "

    Read the full guidance on how to prepare your child for court and special measures that are available.

    ", + "

    Young witnesses can get support and find out what to expect at court from:

    ", + "
  • guidance for 5 to 11 year olds
  • ", + "
  • guidance for 12 to 17 year olds
  • ", + "
  • the Citizens Advice Witness Service
  • ", + "
  • Childline
  • ", + "
  • NSPCC
  • ", + "

    After you give evidence

    ", + "

    Citizens Advice have more information about what happens after you\u2019ve given evidence.

    ", + "

    Expenses for going to court

    ", + "

    You can ask for expenses when you go to court as a:

    ", + "
  • prosecution witness - from the Crown Prosecution Service (CPS)
  • ", + "
  • defence witness - from the defence lawyer
  • ", + "

    Your employer does not have to pay you for your time off work.

    ", + "

    Ask the Citizens Advice Witness Service for help with claiming expenses.

    ", + "

    There\u2019s a different process for claiming expenses in Scotland and Northern Ireland.

    ", + "

    Prosecution witnesses

    ", + "

    You can claim for expenses from the CPS. They\u2019ll pay for things like:

    ", + "
  • travelling expenses - the standard or 2nd class fare, or 25p per mile if you drive
  • ", + "
  • meals and refreshments - \u00a32.25 for up to 5 hours, or \u00a34.50 for 5 to 10 hours
  • ", + "
  • loss of earnings - \u00a333.50 for up to 4 hours, or \u00a367 for longer (\u00a342.95 or \u00a385.90 if you\u2019re self-employed)
  • ", + "
  • childcare - up to \u00a367 per day
  • ", + "

    If you\u2019re not sent an expenses form before the trial, ask for one from a court usher or someone from the Citizens Advice Witness Service.

    ", + "

    Defence witnesses

    ", + "

    If the court usher does not give you an expenses form, ask the court or the defence lawyer if you\u2019re able to claim expenses for your time in court.

    " + ] + }, + "https://www.gov.uk/bail-immigration-detainees": { + "url": "https://www.gov.uk/bail-immigration-detainees", + "title": "Immigration detention bail", + "content": "## Before you apply\n\nYou can apply for immigration bail if the Home Office is holding you on immigration matters. This means you might be released from detention but you\u2019ll have to obey at least one condition.\n\n## Who can apply\n\nYou can apply whether you\u2019re held in an immigration removal centre, a detention centre or a prison. You must be held on immigration matters.\n\n## When you\u2019re more likely to get bail\n\nYou\u2019re more likely to get bail if you have a place to stay.\n\nYour application is also more likely to succeed if you have at least one \u2018Financial Condition Supporter\u2019. This is a person who:\n\n- will pay money if you don\u2019t follow the conditions of your bail\n\n- can attend your bail hearing\n\nGive information about where you\u2019ll stay and your Financial Condition Supporters in the application form.\n\n## When you might not get released on bail\n\nYou may find it harder to get bail if you:\n\n- have broken bail conditions in the past\n\n- have a criminal record, and there\u2019s a risk you might reoffend\n\nIf you were refused bail in the last 28 days, you won\u2019t get another hearing unless your situation has changed significantly. Explain what you think has changed in your application.\n\nIf you are refused bail, you\u2019ll get a written statement telling you why.\n\n## If you\u2019re due to be removed from the country\n\nYou might not be released even if you\u2019re granted bail. If your removal date is in the 14 days after you get bail, the Home Office will have to agree to your release.\n\n## Apply for bail\n\nYou can apply for bail in 2 main ways. It depends on your situation. Apply to:\n\n- the Home Secretary (\u2018Secretary of State bail\u2019) any time after you arrive in the UK\n\n- the First-tier Tribunal (Immigration and Asylum Chamber) - only if you arrived more than 8 days ago\n\nYou might be automatically referred for a bail hearing if you\u2019ve been in detention for 4 months or more.\n\nIf you are appealing to the Special Immigration Appeals Commission you can apply to them for bail.\n\nA solicitor or legal adviser can help you with a bail application.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\n## Apply for Secretary of State bail\n\nYou can apply to the Home Secretary for bail from the first day you arrive in the UK. This is called \u2019Secretary of State Bail\u2019.\n\nDownload and fill in form BAIL401 explaining why you\u2019re asking for bail.\n\nYou can also get the form from:\n\n- the welfare officer, if you\u2019re in an Immigration Removal Centre\n\n- your detention paperwork pack, if you\u2019re in a prison\n\nYour application will be decided by Home Office staff and there will not be a hearing.\n\n## Apply for bail from the First-tier Tribunal\n\nYou can apply to the independent \u2018First-tier Tribunal\u2019 for bail if you arrived in the UK more than 8 days ago. Your application for bail will be decided by an independent judge at a hearing.\n\nDownload and fill in form B1.\n\nIf you can\u2019t download the form yourself, you can:\n\n- ask the staff at the place where you\u2019re being held\n\n- contact the tribunal - by phone on 0300 123 1711 or by email on customer.service@justice.gov.uk\n\nIf you have a tribunal appeal hearing scheduled, send the form to the tribunal or hearing centre where it\u2019s happening. You can find the address of the venue using the A to Z list.\n\nIf you don\u2019t have an appeal hearing, ask staff at the place you\u2019re held \u2013 they can fax your application to the right venue.\n\n## Automatic referral for bail\n\nThe Home Office will automatically refer you to the First-tier Tribunal for a bail hearing if all of the following are true:\n\n- you\u2019ve been in detention for 4 months or more\n\n- you aren\u2019t being detained in the interests of national security\n\n- there\u2019s no action being taken to deport you from the UK\n\n- you haven\u2019t applied for bail to the First-tier Tribunal in the last 4 months\n\nThey will make an application on your behalf using all the information they have.\n\nYou can refuse the referral, or choose to make your own bail application. The Home Office will apply on your behalf every 4 months unless you apply for bail yourself.\n\n## What happens at the First-tier Tribunal hearing\n\nThere will usually be a hearing to decide if you should be granted bail. This will happen a few days after your application is received \u2013 you\u2019ll receive a \u2018notice of hearing\u2019 to tell you when it is.\n\nYou probably won\u2019t be in the room for the hearing. It\u2019s more likely to happen over a video-link instead.\n\nThe Home Office will send the tribunal a document listing the reasons they think you should not get bail (a \u2018Bail Summary\u2019). They will also send you a copy.\n\nRead information about the Tribunal\u2019s rules and procedures.\n\n## Conditions of your bail\n\nIf you\u2019re granted bail, there will be at least one condition you have to obey.\n\nYou might have to:\n\n- report regularly to an immigration official\n\n- attend an appointment or hearing\n\n- be restricted on where you can live\n\n- have an electronic monitoring tag\n\n- have restrictions on the work or studies you can do\n\n- obey any other condition decided by the person granting your bail\n\nYou or your financial condition supporter might have to promise to pay money if you break one of the other conditions of your bail. This is called a \u2018financial condition\u2019.\n\nThese conditions can be changed after you\u2019re granted bail.\n\nIf you do not follow the terms of your bail you might:\n\n- have your bail conditions changed so that there are tighter restrictions\n\n- be charged with a crime\n\n- have to pay the money agreed at the hearing - or your Financial Condition Supporter might have to pay\n\n- be returned to detention\n\n## Change the conditions of your bail\n\nYou can ask to change (\u2018vary\u2019) the conditions of your bail, for example, if you need to move to a new address.\n\nIf the First-tier Tribunal granted you bail, fill in form B2 and send it to your nearest First-tier Tribunal hearing centre. The Home Office might oppose your request.\n\nIf the management of your bail has been transferred to the Home Office contact them instead.\n\nIf you\u2019re on Secretary of State bail, speak to an immigration officer.\n\nYou must continue to obey the conditions of your bail until a decision has been made to change them.", + "original_contents": [ + "

    Before you apply

    ", + "

    You can apply for immigration bail if the Home Office is holding you on immigration matters. This means you might be released from detention but you\u2019ll have to obey at least one condition.

    ", + "

    Who can apply

    ", + "

    You can apply whether you\u2019re held in an immigration removal centre, a detention centre or a prison. You must be held on immigration matters.

    ", + "

    When you\u2019re more likely to get bail

    ", + "

    You\u2019re more likely to get bail if you have a place to stay.

    ", + "

    Your application is also more likely to succeed if you have at least one \u2018Financial Condition Supporter\u2019. This is a person who:

    ", + "
  • will pay money if you don\u2019t follow the conditions of your bail
  • ", + "
  • can attend your bail hearing
  • ", + "

    Give information about where you\u2019ll stay and your Financial Condition Supporters in the application form.

    ", + "

    When you might not get released on bail

    ", + "

    You may find it harder to get bail if you:

    ", + "
  • have broken bail conditions in the past
  • ", + "
  • have a criminal record, and there\u2019s a risk you might reoffend
  • ", + "

    If you were refused bail in the last 28 days, you won\u2019t get another hearing unless your situation has changed significantly. Explain what you think has changed in your application.

    ", + "

    If you are refused bail, you\u2019ll get a written statement telling you why.

    ", + "

    If you\u2019re due to be removed from the country

    ", + "

    You might not be released even if you\u2019re granted bail. If your removal date is in the 14 days after you get bail, the Home Office will have to agree to your release.

    ", + "

    Apply for bail

    ", + "

    You can apply for bail in 2 main ways. It depends on your situation. Apply to:

    ", + "
  • the Home Secretary (\u2018Secretary of State bail\u2019) any time after you arrive in the UK
  • ", + "
  • the First-tier Tribunal (Immigration and Asylum Chamber) - only if you arrived more than 8 days ago
  • ", + "

    You might be automatically referred for a bail hearing if you\u2019ve been in detention for 4 months or more.

    ", + "

    If you are appealing to the Special Immigration Appeals Commission you can apply to them for bail.

    ", + "

    A solicitor or legal adviser can help you with a bail application.

    ", + "

    Read the guide on representing yourself if you\u2019re not going to have a legal representative.

    ", + "

    Apply for Secretary of State bail

    ", + "

    You can apply to the Home Secretary for bail from the first day you arrive in the UK. This is called \u2019Secretary of State Bail\u2019.

    ", + "

    Download and fill in form BAIL401 explaining why you\u2019re asking for bail.

    ", + "

    You can also get the form from:

    ", + "
  • the welfare officer, if you\u2019re in an Immigration Removal Centre
  • ", + "
  • your detention paperwork pack, if you\u2019re in a prison
  • ", + "

    Your application will be decided by Home Office staff and there will not be a hearing.

    ", + "

    Apply for bail from the First-tier Tribunal

    ", + "

    You can apply to the independent \u2018First-tier Tribunal\u2019 for bail if you arrived in the UK more than 8 days ago. Your application for bail will be decided by an independent judge at a hearing.

    ", + "

    Download and fill in form B1.

    ", + "

    If you can\u2019t download the form yourself, you can:

    ", + "
  • ask the staff at the place where you\u2019re being held
  • ", + "
  • contact the tribunal - by phone on 0300 123 1711 or by email on customer.service@justice.gov.uk
  • ", + "

    If you have a tribunal appeal hearing scheduled, send the form to the tribunal or hearing centre where it\u2019s happening. You can find the address of the venue using the A to Z list.

    ", + "

    If you don\u2019t have an appeal hearing, ask staff at the place you\u2019re held \u2013 they can fax your application to the right venue.

    ", + "

    Automatic referral for bail

    ", + "

    The Home Office will automatically refer you to the First-tier Tribunal for a bail hearing if all of the following are true:

    ", + "
  • you\u2019ve been in detention for 4 months or more
  • ", + "
  • you aren\u2019t being detained in the interests of national security
  • ", + "
  • there\u2019s no action being taken to deport you from the UK
  • ", + "
  • you haven\u2019t applied for bail to the First-tier Tribunal in the last 4 months
  • ", + "

    They will make an application on your behalf using all the information they have.

    ", + "

    You can refuse the referral, or choose to make your own bail application. The Home Office will apply on your behalf every 4 months unless you apply for bail yourself.

    ", + "

    What happens at the First-tier Tribunal hearing

    ", + "

    There will usually be a hearing to decide if you should be granted bail. This will happen a few days after your application is received \u2013 you\u2019ll receive a \u2018notice of hearing\u2019 to tell you when it is.

    ", + "

    You probably won\u2019t be in the room for the hearing. It\u2019s more likely to happen over a video-link instead.

    ", + "

    The Home Office will send the tribunal a document listing the reasons they think you should not get bail (a \u2018Bail Summary\u2019). They will also send you a copy.

    ", + "

    Read information about the Tribunal\u2019s rules and procedures.

    ", + "

    Conditions of your bail

    ", + "

    If you\u2019re granted bail, there will be at least one condition you have to obey.

    ", + "

    You might have to:

    ", + "
  • report regularly to an immigration official
  • ", + "
  • attend an appointment or hearing
  • ", + "
  • be restricted on where you can live
  • ", + "
  • have an electronic monitoring tag
  • ", + "
  • have restrictions on the work or studies you can do
  • ", + "
  • obey any other condition decided by the person granting your bail
  • ", + "

    You or your financial condition supporter might have to promise to pay money if you break one of the other conditions of your bail. This is called a \u2018financial condition\u2019.

    ", + "

    These conditions can be changed after you\u2019re granted bail.

    ", + "

    If you do not follow the terms of your bail you might:

    ", + "
  • have your bail conditions changed so that there are tighter restrictions
  • ", + "
  • be charged with a crime
  • ", + "
  • have to pay the money agreed at the hearing - or your Financial Condition Supporter might have to pay
  • ", + "
  • be returned to detention
  • ", + "

    Change the conditions of your bail

    ", + "

    You can ask to change (\u2018vary\u2019) the conditions of your bail, for example, if you need to move to a new address.

    ", + "

    If the First-tier Tribunal granted you bail, fill in form B2 and send it to your nearest First-tier Tribunal hearing centre. The Home Office might oppose your request.

    ", + "

    If the management of your bail has been transferred to the Home Office contact them instead.

    ", + "

    If you\u2019re on Secretary of State bail, speak to an immigration officer.

    ", + "

    You must continue to obey the conditions of your bail until a decision has been made to change them.

    " + ] + }, + "https://www.gov.uk/jury-service": { + "url": "https://www.gov.uk/jury-service", + "title": "Jury service", + "content": "## How jury service works\n\nIf you get a jury summons in the post, you must respond within 7 days and confirm if you can attend.\n\nYour name was chosen randomly from the electoral register.\n\nYou\u2019ll be part of a jury of 12 people to decide the outcome of a criminal trial.\n\nYou can watch a video about jury service. There\u2019s also a Welsh language version of the video.\n\n## Jury service and coronavirus (COVID-19)\n\nIf you\u2019ve received a jury summons, you will need to attend. Jury staff will contact you to confirm the days and times you need to attend.\n\nDo not go to court if you have COVID-19 symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\nYou can read more about how coronavirus is affecting jury service including the social distancing measures that are in place.\n\n## How long jury service lasts\n\nJury service usually lasts up to 10 working days.\n\nIf the trial is likely to last longer than 10 days, jury staff will let you know. If the trial is shorter than 10 days, you may be asked to be a juror on other trials.\n\nYou\u2019ll usually need to be at court from 10am to 5:30pm Monday to Friday, but times can vary.\n\nYou\u2019ll need to arrive at court earlier on your first day. Check your summons letter for the exact time.\n\n## What you can claim\n\nYou will not be paid for doing jury service, but you can claim some money back if you lose earnings. You can also claim some expenses, for example travel.\n\nFind out what you can claim:\n\n- if you\u2019re an employee\n\n- if you\u2019re self-employed\n\n- if you\u2019re not working\n\n## What you can claim if you\u2019re an employee\n\nYou will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:\n\n- up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements\n\n- \u00a35.71 for food and drink\n\n- the cost of travel to and from court\n\nYou\u2019ll be told how to claim expenses after your jury service has ended.\n\n## Taking time off work\n\nGive a copy of your jury summons to your employer.\n\nYour employer must let you have time off work, but can ask you to delay your jury service if your absence will have a serious effect on their business.\n\n## Problems with your employer\n\nIf you\u2019re not allowed to take time off work for jury service, you can complain to an employment tribunal.\n\nIf you\u2019re sacked because you do jury service you may be able to claim unfair dismissal.\n\n## Getting paid during jury service\n\nYour employer can choose whether or not to pay you during your service.\n\nIf they do not pay you, you can claim for loss of earnings from the court.\n\n## If you get benefits or financial support\n\nShow your jury summons to your benefit office or work coach as soon as you get it.\n\nYou\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.\n\n## What you can claim\n\nThere\u2019s a limit to how much you can claim for each day you\u2019re at court.\n\n## Loss of earnings, childcare and other care costs\n\nHow much you can claim to cover loss of earnings and care costs depends on the length of your jury service and how many hours you spend at court each day.\n\nFor the first 10 days of jury service, you can claim up to:\n\n- \u00a364.95 a day if you spend more than 4 hours at court\n\n- \u00a332.47 a day if you spend 4 hours or less at court\n\nIf your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:\n\n- \u00a3129.91 a day if you spend more than 4 hours at court\n\n- \u00a364.95 a day if you spend 4 hours or less at court\n\n## Travel and parking costs\n\nHow much you can claim depends on how you travel to court.\n\n| How you travel to court | The court will pay |\n\n| Bus or underground | Cost of the ticket |\n\n| Train | Cost of the ticket (standard class return fare) |\n\n| Bicycle | 9.6p per mile |\n\n| Motorcycle | 31.4p per mile |\n\n| Car | 31.4p per mile - check if the court will pay for parking |\n\n| Car - for one other juror as a passenger | 4.2p per mile |\n\n| Car - for each additional passenger | 3.2p per mile |\n\n| Taxi | The fare - ask the court for permission before using a taxi |\n\n## Food and drink\n\nHow much you can claim depends on how many hours you spend in court each day.\n\n| Time spent each day | The court will pay up to |\n\n| Up to and including 10 hours a day | \u00a35.71 per day |\n\n| Over 10 hours a day | \u00a312.17 per day |\n\n## Estimate your expenses\n\nYou can use a calculator to check what you can claim.\n\n## What you can claim if you\u2019re self-employed\n\nYou will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:\n\n- up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements\n\n- \u00a35.71 for food and drink\n\n- the cost of travel to and from court\n\nYou\u2019ll be told how to claim expenses after your jury service has ended.\n\nYou can ask to delay your jury service if you cannot do jury service on the dates in your summons letter.\n\n## If you get benefits or financial support\n\nShow your jury summons to your benefit office or work coach as soon as you get it.\n\nYou\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.\n\n## What you can claim\n\nThere\u2019s a limit to how much you can claim for each day you\u2019re at court.\n\n## Loss of earnings, childcare and other care costs\n\nHow much you can claim to cover loss of earnings and care costs depends on the length of your jury service and how many hours you spend at court each day.\n\nFor the first 10 days of jury service, you can claim up to:\n\n- \u00a364.95 a day if you spend more than 4 hours at court\n\n- \u00a332.47 a day if you spend 4 hours or less at court\n\nIf your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:\n\n- \u00a3129.91 a day if you spend more than 4 hours at court\n\n- \u00a364.95 a day if you spend 4 hours or less at court\n\n## Travel and parking costs\n\nHow much you can claim depends on how you travel to court.\n\n| How you travel to court | The court will pay |\n\n| Bus or underground | Cost of the ticket |\n\n| Train | Cost of the ticket (standard class return fare) |\n\n| Bicycle | 9.6p per mile |\n\n| Motorcycle | 31.4p per mile |\n\n| Car | 31.4p per mile - check if the court will pay for parking |\n\n| Car - for one other juror as a passenger | 4.2p per mile |\n\n| Car - for each additional passenger | 3.2p per mile |\n\n| Taxi | The fare - ask the court for permission before using a taxi |\n\n## Food and drink\n\nHow much you can claim depends on how many hours you spend in court each day.\n\n| Time spent each day | The court will pay up to |\n\n| Up to and including 10 hours a day | \u00a35.71 per day |\n\n| Over 10 hours a day | \u00a312.17 per day |\n\n## Estimate your expenses\n\nYou can use a calculator to check what you can claim.\n\n## What you can claim if you're not working\n\nYou will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:\n\n- up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements\n\n- \u00a35.71 for food and drink\n\n- the cost of travel to and from court\n\nYou\u2019ll be told how to claim expenses after your jury service has ended.\n\nYou can ask to delay your jury service if you cannot do jury service on the dates in your summons letter.\n\n## If you get benefits or financial support\n\nShow your jury summons to your benefit office or work coach as soon as you get it.\n\nYou\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.\n\n## What you can claim\n\nThere\u2019s a limit to how much you can claim for each day you\u2019re at court.\n\n## Childcare and other care costs if you are not working\n\nHow much you can claim to cover care costs depends on the length of your jury service and how many hours you spend at court each day.\n\nFor the first 10 days of jury service, you can claim up to:\n\n- \u00a364.95 a day if you spend more than 4 hours at court\n\n- \u00a332.47 a day if you spend 4 hours or less at court\n\nIf your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:\n\n- \u00a3129.91 a day if you spend more than 4 hours at court\n\n- \u00a364.95 a day if you spend 4 hours or less at court\n\n## Travel and parking costs\n\nHow much you can claim depends on how you travel to court.\n\n| How you travel to court | The court will pay |\n\n| Bus or underground | Cost of the ticket |\n\n| Train | Cost of the ticket (standard class return fare) |\n\n| Bicycle | 9.6p per mile |\n\n| Motorcycle | 31.4p per mile |\n\n| Car | 31.4p per mile - check if the court will pay for parking |\n\n| Car - for one other juror as a passenger | 4.2p per mile |\n\n| Car - for each additional passenger | 3.2p per mile |\n\n| Taxi | The fare - ask the court for permission before using a taxi |\n\n## Food and drink\n\nHow much you can claim depends on how many hours you spend in court each day.\n\n| Time spent each day | The court will pay up to |\n\n| Up to and including 10 hours a day | \u00a35.71 per day |\n\n| Over 10 hours a day | \u00a312.17 per day |\n\n## Estimate your expenses\n\nYou can use a calculator to check what you can claim.\n\n## Ask to change the date or be excused\n\nIf you cannot do jury service on the dates in your summons letter, you can ask to change the date or be excused.\n\n## Ask to change the date of your jury service\n\nYou might be able to change the date of your jury service to another date within the next 12 months. You\u2019ll need a good reason, for example:\n\n- you\u2019re having an operation\n\n- you\u2019re sitting an exam\n\n- your employer will not give you time off work\n\n- you have a holiday booked\n\n- you\u2019re a new parent\n\nYou can only ask to change the date once.\n\nTo change the date, reply to your jury summons explaining your reasons in detail. When you reply you can suggest 3 possible dates in the next 12 months that work for you.\n\n## Ask to be excused from jury service\n\nIf it\u2019s not possible for you to do jury service in the next 12 months, you can ask to be excused. You\u2019ll only be allowed to do this in exceptional circumstances, for example:\n\n- you have a serious illness or disability that prevents you from doing jury service\n\n- you\u2019re a full time carer of someone with an illness or disability\n\n- you\u2019re a new parent and will not be able to serve at any other time in the next 12 months\n\nIf you cannot do jury service because of coronavirus (COVID-19), you should ask to change the date.\n\nYou can also ask to be excused from jury service if you\u2019ve done it in the last 2 years.\n\nIf you do not do jury service this time, you could still receive a summons in the future.\n\nTo ask to be excused, reply to your jury summons explaining your reasons in detail. You might need to give proof, for example, if you\u2019re ill you might be asked for a letter from your doctor.\n\nIf your request is turned down, you can still ask to change the date of your jury service.\n\n## If you disagree with the decision\n\nYou can appeal if your request to change the date of your jury service or be excused is refused. Write to the Jury Central Summoning Bureau, including:\n\n- why you disagree with the decision\n\n- your juror number (this is on your summons letter)\n\n- your name and address\n\n- your date of birth\n\n- the name and address of the court you\u2019ve been summoned to\n\n- the dates of your jury service\n\n## Get help\n\nContact the Jury Central Summoning Bureau if you have questions about jury service.\n\n## Respond to the summons\n\nYou must respond to your jury summons within 7 days of getting it.\n\nYou can either:\n\n- reply to the jury summons online\n\n- complete and return the form by post\n\nYou can be fined up to \u00a31,000 if you do not return the form or turn up for your jury service.\n\n## After you respond\n\nThe Jury Central Summoning Bureau will send you a letter to confirm details of your jury service, including when and where it will take place.\n\nIf you asked to change the date or to be excused, the letter will explain if your request was accepted.\n\nYou\u2019ll need to bring your summons or confirmation letter to court with you on your first day of jury service.\n\nDue to coronavirus (COVID-19), you may be asked to go to a different location than the one you were summoned to. If the court needs to change the venue, they will contact you at least one week before your jury service is due to start. Check which courts offer additional locations.\n\n## Get help\n\nContact the Jury Central Summoning Bureau if you have questions about jury service or about a decision.\n\nThe Jury Central Summoning Bureau may be able to change the location of your jury service if you\u2019ve been summoned to a court far from where you live. For example, if you\u2019ve recently moved house or if you\u2019re at university and you\u2019ve been summoned to a court near your family home.\n\nContact the court if you:\n\n- need directions\n\n- have a question about your expenses claim\n\n## Going to court as a juror\n\nOn your first day, you should bring:\n\n- your jury summons form or your jury service confirmation letter\n\n- some identification, such as your passport, photo driving licence or Home Office documents showing your UK immigration status\n\nIf you do not have identification, you can bring any 2 documents from the following:\n\n- your birth certificate\n\n- your credit card with 3 statements and proof of signature\n\n- your cheque book and bank card with 3 statements and proof of signature\n\n- 3 utility bills showing your name and address\n\n## Laptops, tablets and mobile phones\n\nYou can bring your mobile phone, tablet or laptop into the court building and use it in the jury assembly area.\n\nYou cannot take your phone, laptop or tablet into the deliberation room. All courts have lockers or somewhere you can safely store your personal items.\n\nThere is free wifi in most courts.\n\n## What to wear\n\nThere is no strict dress code and you can wear clothes you\u2019re comfortable in, such as jeans and a t-shirt.\n\nVery casual clothing such as shorts or clothing with inappropriate logos or slogans are not allowed.\n\n## What will happen when you arrive at court\n\nAllow extra time to go through security at court.\n\nCourt staff will show you where the jury assembly area is and the jury manager will:\n\n- tell you about jury service\n\n- explain your responsibilities\n\n- tell you what expenses you can claim and how to claim them\n\nThere are extra security and hygiene measures in place because of coronavirus (COVID-19).\n\n## If you have a disability\n\nCheck what facilities are available in the court you\u2019re going to.\n\nContact the Jury Central Summoning Bureau if you have questions about the facilities or to arrange a visit to the court.\n\n## Discussing the trial\n\nDo not discuss the trial with anyone until it\u2019s finished, except with other jury members in the deliberation room.\n\nAfter the trial you must not talk about what happened in the deliberation room, even with family members. You can talk about what happened in the courtroom.\n\nDo not post comments about the trial on social media websites like Facebook or Twitter - even after the trial\u2019s finished. This is contempt of court and you can be fined or sent to prison.\n\n## If anyone approaches you about the trial\n\nTell a court officer if you\u2019re approached about the trial. If you\u2019re approached outside court, tell a police officer.\n\n## If you find the trial distressing\n\nYou may be upset by the trial and want to speak to someone privately. Speak to court staff - they\u2019ll give you advice.\n\nFor emotional support speak to your GP to find out what support is available. You can also contact the Samaritans - although they cannot give advice.\n\n## How to claim expenses\n\nMake your claim for expenses at the end of your jury service - and no more than 12 months after your jury service started.\n\nYou\u2019ll usually be paid 7 to 10 working days after submitting your claim form.\n\nThe court may be able to pay your expenses during the trial if it\u2019s likely to last a long time or if you\u2019re facing financial hardship. Ask jury staff for more information.\n\n## Food, drink and travel expenses\n\nFill in the claim form you received at the start of jury service. Return it to the court with the relevant receipts.\n\n## Loss of earnings\n\nWhat you need to do depends on whether you are employed or self-employed.\n\n## If you\u2019re an employee\n\nYour employer needs to fill in a loss of earnings form if they\u2019ve told you they are not going to pay you during jury service. Bring it to court on your first day of jury service.\n\n## If you\u2019re self-employed\n\nFill in a self-employed loss of earnings form. You\u2019ll need to include evidence of lost earnings, such as your most recent tax return.\n\n## Care and childcare expenses\n\nYou and the carer need to fill in the care expenses form to claim for costs outside of your usual care arrangements.\n\nIf you\u2019re using a registered childminder, they need to write their Ofsted number on the form. If a family member or friend is looking after your children, they must write a letter saying how many hours they\u2019ve cared for your child.\n\nBring your child\u2019s birth certificate or passport to court during your service or attach a copy to the claim form.\n\nReturn the form to the court with evidence of the cost of care, for example invoices or receipts.\n\n## Questions about expenses\n\nContact the court where you did jury service if you have questions about expenses.", + "original_contents": [ + "

    How jury service works

    ", + "

    If you get a jury summons in the post, you must respond within 7 days and confirm if you can attend.

    ", + "

    Your name was chosen randomly from the electoral register.

    ", + "

    You\u2019ll be part of a jury of 12 people to decide the outcome of a criminal trial.

    ", + "

    You can watch a video about jury service. There\u2019s also a Welsh language version of the video.

    ", + "

    Jury service and coronavirus (COVID-19)

    ", + "

    If you\u2019ve received a jury summons, you will need to attend. Jury staff will contact you to confirm the days and times you need to attend.

    ", + "

    Do not go to court if you have COVID-19 symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.

    ", + "

    You can read more about how coronavirus is affecting jury service including the social distancing measures that are in place.

    ", + "

    How long jury service lasts

    ", + "

    Jury service usually lasts up to 10 working days.

    ", + "

    If the trial is likely to last longer than 10 days, jury staff will let you know. If the trial is shorter than 10 days, you may be asked to be a juror on other trials.

    ", + "

    You\u2019ll usually need to be at court from 10am to 5:30pm Monday to Friday, but times can vary.

    ", + "

    You\u2019ll need to arrive at court earlier on your first day. Check your summons letter for the exact time.

    ", + "

    What you can claim

    ", + "

    You will not be paid for doing jury service, but you can claim some money back if you lose earnings. You can also claim some expenses, for example travel.

    ", + "

    Find out what you can claim:

    ", + "
  • if you\u2019re an employee
  • ", + "
  • if you\u2019re self-employed
  • ", + "
  • if you\u2019re not working
  • ", + "

    What you can claim if you\u2019re an employee

    ", + "

    You will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:

    ", + "
  • up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements
  • ", + "
  • \u00a35.71 for food and drink
  • ", + "
  • the cost of travel to and from court
  • ", + "

    You\u2019ll be told how to claim expenses after your jury service has ended.

    ", + "

    Taking time off work

    ", + "

    Give a copy of your jury summons to your employer.

    ", + "

    Your employer must let you have time off work, but can ask you to delay your jury service if your absence will have a serious effect on their business.

    ", + "

    Problems with your employer

    ", + "

    If you\u2019re not allowed to take time off work for jury service, you can complain to an employment tribunal.

    ", + "

    If you\u2019re sacked because you do jury service you may be able to claim unfair dismissal.

    ", + "

    Getting paid during jury service

    ", + "

    Your employer can choose whether or not to pay you during your service.

    ", + "

    If they do not pay you, you can claim for loss of earnings from the court.

    ", + "

    If you get benefits or financial support

    ", + "

    Show your jury summons to your benefit office or work coach as soon as you get it.

    ", + "

    You\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.

    ", + "

    What you can claim

    ", + "

    There\u2019s a limit to how much you can claim for each day you\u2019re at court.

    ", + "

    Loss of earnings, childcare and other care costs

    ", + "

    How much you can claim to cover loss of earnings and care costs depends on the length of your jury service and how many hours you spend at court each day.

    ", + "

    For the first 10 days of jury service, you can claim up to:

    ", + "
  • \u00a364.95 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a332.47 a day if you spend 4 hours or less at court
  • ", + "

    If your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:

    ", + "
  • \u00a3129.91 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a364.95 a day if you spend 4 hours or less at court
  • ", + "

    Travel and parking costs

    ", + "

    How much you can claim depends on how you travel to court.

    ", + "How you travel to court | The court will pay", + "Bus or underground | Cost of the ticket", + "Train | Cost of the ticket (standard class return fare)", + "Bicycle | 9.6p per mile", + "Motorcycle | 31.4p per mile", + "Car | 31.4p per mile - check if the court will pay for parking", + "Car - for one other juror as a passenger | 4.2p per mile", + "Car - for each additional passenger | 3.2p per mile", + "Taxi | The fare - ask the court for permission before using a taxi", + "

    Food and drink

    ", + "

    How much you can claim depends on how many hours you spend in court each day.

    ", + "Time spent each day | The court will pay up to", + "Up to and including 10 hours a day | \u00a35.71 per day", + "Over 10 hours a day | \u00a312.17 per day", + "

    Estimate your expenses

    ", + "

    You can use a calculator to check what you can claim.

    ", + "

    What you can claim if you\u2019re self-employed

    ", + "

    You will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:

    ", + "
  • up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements
  • ", + "
  • \u00a35.71 for food and drink
  • ", + "
  • the cost of travel to and from court
  • ", + "

    You\u2019ll be told how to claim expenses after your jury service has ended.

    ", + "

    You can ask to delay your jury service if you cannot do jury service on the dates in your summons letter.

    ", + "

    If you get benefits or financial support

    ", + "

    Show your jury summons to your benefit office or work coach as soon as you get it.

    ", + "

    You\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.

    ", + "

    What you can claim

    ", + "

    There\u2019s a limit to how much you can claim for each day you\u2019re at court.

    ", + "

    Loss of earnings, childcare and other care costs

    ", + "

    How much you can claim to cover loss of earnings and care costs depends on the length of your jury service and how many hours you spend at court each day.

    ", + "

    For the first 10 days of jury service, you can claim up to:

    ", + "
  • \u00a364.95 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a332.47 a day if you spend 4 hours or less at court
  • ", + "

    If your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:

    ", + "
  • \u00a3129.91 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a364.95 a day if you spend 4 hours or less at court
  • ", + "

    Travel and parking costs

    ", + "

    How much you can claim depends on how you travel to court.

    ", + "How you travel to court | The court will pay", + "Bus or underground | Cost of the ticket", + "Train | Cost of the ticket (standard class return fare)", + "Bicycle | 9.6p per mile", + "Motorcycle | 31.4p per mile", + "Car | 31.4p per mile - check if the court will pay for parking", + "Car - for one other juror as a passenger | 4.2p per mile", + "Car - for each additional passenger | 3.2p per mile", + "Taxi | The fare - ask the court for permission before using a taxi", + "

    Food and drink

    ", + "

    How much you can claim depends on how many hours you spend in court each day.

    ", + "Time spent each day | The court will pay up to", + "Up to and including 10 hours a day | \u00a35.71 per day", + "Over 10 hours a day | \u00a312.17 per day", + "

    Estimate your expenses

    ", + "

    You can use a calculator to check what you can claim.

    ", + "

    What you can claim if you're not working

    ", + "

    You will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:

    ", + "
  • up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements
  • ", + "
  • \u00a35.71 for food and drink
  • ", + "
  • the cost of travel to and from court
  • ", + "

    You\u2019ll be told how to claim expenses after your jury service has ended.

    ", + "

    You can ask to delay your jury service if you cannot do jury service on the dates in your summons letter.

    ", + "

    If you get benefits or financial support

    ", + "

    Show your jury summons to your benefit office or work coach as soon as you get it.

    ", + "

    You\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.

    ", + "

    What you can claim

    ", + "

    There\u2019s a limit to how much you can claim for each day you\u2019re at court.

    ", + "

    Childcare and other care costs if you are not working

    ", + "

    How much you can claim to cover care costs depends on the length of your jury service and how many hours you spend at court each day.

    ", + "

    For the first 10 days of jury service, you can claim up to:

    ", + "
  • \u00a364.95 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a332.47 a day if you spend 4 hours or less at court
  • ", + "

    If your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:

    ", + "
  • \u00a3129.91 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a364.95 a day if you spend 4 hours or less at court
  • ", + "

    Travel and parking costs

    ", + "

    How much you can claim depends on how you travel to court.

    ", + "How you travel to court | The court will pay", + "Bus or underground | Cost of the ticket", + "Train | Cost of the ticket (standard class return fare)", + "Bicycle | 9.6p per mile", + "Motorcycle | 31.4p per mile", + "Car | 31.4p per mile - check if the court will pay for parking", + "Car - for one other juror as a passenger | 4.2p per mile", + "Car - for each additional passenger | 3.2p per mile", + "Taxi | The fare - ask the court for permission before using a taxi", + "

    Food and drink

    ", + "

    How much you can claim depends on how many hours you spend in court each day.

    ", + "Time spent each day | The court will pay up to", + "Up to and including 10 hours a day | \u00a35.71 per day", + "Over 10 hours a day | \u00a312.17 per day", + "

    Estimate your expenses

    ", + "

    You can use a calculator to check what you can claim.

    ", + "

    Ask to change the date or be excused

    ", + "

    If you cannot do jury service on the dates in your summons letter, you can ask to change the date or be excused.

    ", + "

    Ask to change the date of your jury service

    ", + "

    You might be able to change the date of your jury service to another date within the next 12 months. You\u2019ll need a good reason, for example:

    ", + "
  • you\u2019re having an operation
  • ", + "
  • you\u2019re sitting an exam
  • ", + "
  • your employer will not give you time off work
  • ", + "
  • you have a holiday booked
  • ", + "
  • you\u2019re a new parent
  • ", + "

    You can only ask to change the date once.

    ", + "

    To change the date, reply to your jury summons explaining your reasons in detail. When you reply you can suggest 3 possible dates in the next 12 months that work for you.

    ", + "

    Ask to be excused from jury service

    ", + "

    If it\u2019s not possible for you to do jury service in the next 12 months, you can ask to be excused. You\u2019ll only be allowed to do this in exceptional circumstances, for example:

    ", + "
  • you have a serious illness or disability that prevents you from doing jury service
  • ", + "
  • you\u2019re a full time carer of someone with an illness or disability
  • ", + "
  • you\u2019re a new parent and will not be able to serve at any other time in the next 12 months
  • ", + "

    If you cannot do jury service because of coronavirus (COVID-19), you should ask to change the date.

    ", + "

    You can also ask to be excused from jury service if you\u2019ve done it in the last 2 years.

    ", + "

    If you do not do jury service this time, you could still receive a summons in the future.

    ", + "

    To ask to be excused, reply to your jury summons explaining your reasons in detail. You might need to give proof, for example, if you\u2019re ill you might be asked for a letter from your doctor.

    ", + "

    If your request is turned down, you can still ask to change the date of your jury service.

    ", + "

    If you disagree with the decision

    ", + "

    You can appeal if your request to change the date of your jury service or be excused is refused. Write to the Jury Central Summoning Bureau, including:

    ", + "
  • why you disagree with the decision
  • ", + "
  • your juror number (this is on your summons letter)
  • ", + "
  • your name and address
  • ", + "
  • your date of birth
  • ", + "
  • the name and address of the court you\u2019ve been summoned to
  • ", + "
  • the dates of your jury service
  • ", + "

    Get help

    ", + "

    Contact the Jury Central Summoning Bureau if you have questions about jury service.

    ", + "

    Respond to the summons

    ", + "

    You must respond to your jury summons within 7 days of getting it.

    ", + "

    You can either:

    ", + "
  • reply to the jury summons online
  • ", + "
  • complete and return the form by post
  • ", + "

    You can be fined up to \u00a31,000 if you do not return the form or turn up for your jury service.

    ", + "

    After you respond

    ", + "

    The Jury Central Summoning Bureau will send you a letter to confirm details of your jury service, including when and where it will take place.

    ", + "

    If you asked to change the date or to be excused, the letter will explain if your request was accepted.

    ", + "

    You\u2019ll need to bring your summons or confirmation letter to court with you on your first day of jury service.

    ", + "

    Due to coronavirus (COVID-19), you may be asked to go to a different location than the one you were summoned to. If the court needs to change the venue, they will contact you at least one week before your jury service is due to start. Check which courts offer additional locations.

    ", + "

    Get help

    ", + "

    Contact the Jury Central Summoning Bureau if you have questions about jury service or about a decision.

    ", + "

    The Jury Central Summoning Bureau may be able to change the location of your jury service if you\u2019ve been summoned to a court far from where you live. For example, if you\u2019ve recently moved house or if you\u2019re at university and you\u2019ve been summoned to a court near your family home.

    ", + "

    Contact the court if you:

    ", + "
  • need directions
  • ", + "
  • have a question about your expenses claim
  • ", + "

    Going to court as a juror

    ", + "

    On your first day, you should bring:

    ", + "
  • your jury summons form or your jury service confirmation letter
  • ", + "
  • some identification, such as your passport, photo driving licence or Home Office documents showing your UK immigration status
  • ", + "

    If you do not have identification, you can bring any 2 documents from the following:

    ", + "
  • your birth certificate
  • ", + "
  • your credit card with 3 statements and proof of signature
  • ", + "
  • your cheque book and bank card with 3 statements and proof of signature
  • ", + "
  • 3 utility bills showing your name and address
  • ", + "

    Laptops, tablets and mobile phones

    ", + "

    You can bring your mobile phone, tablet or laptop into the court building and use it in the jury assembly area.

    ", + "

    You cannot take your phone, laptop or tablet into the deliberation room. All courts have lockers or somewhere you can safely store your personal items.

    ", + "

    There is free wifi in most courts.

    ", + "

    What to wear

    ", + "

    There is no strict dress code and you can wear clothes you\u2019re comfortable in, such as jeans and a t-shirt.

    ", + "

    Very casual clothing such as shorts or clothing with inappropriate logos or slogans are not allowed.

    ", + "

    What will happen when you arrive at court

    ", + "

    Allow extra time to go through security at court.

    ", + "

    Court staff will show you where the jury assembly area is and the jury manager will:

    ", + "
  • tell you about jury service
  • ", + "
  • explain your responsibilities
  • ", + "
  • tell you what expenses you can claim and how to claim them
  • ", + "

    There are extra security and hygiene measures in place because of coronavirus (COVID-19).

    ", + "

    If you have a disability

    ", + "

    Check what facilities are available in the court you\u2019re going to.

    ", + "

    Contact the Jury Central Summoning Bureau if you have questions about the facilities or to arrange a visit to the court.

    ", + "

    Discussing the trial

    ", + "

    Do not discuss the trial with anyone until it\u2019s finished, except with other jury members in the deliberation room.

    ", + "

    After the trial you must not talk about what happened in the deliberation room, even with family members. You can talk about what happened in the courtroom.

    ", + "

    Do not post comments about the trial on social media websites like Facebook or Twitter - even after the trial\u2019s finished. This is contempt of court and you can be fined or sent to prison.

    ", + "

    If anyone approaches you about the trial

    ", + "

    Tell a court officer if you\u2019re approached about the trial. If you\u2019re approached outside court, tell a police officer.

    ", + "

    If you find the trial distressing

    ", + "

    You may be upset by the trial and want to speak to someone privately. Speak to court staff - they\u2019ll give you advice.

    ", + "

    For emotional support speak to your GP to find out what support is available. You can also contact the Samaritans - although they cannot give advice.

    ", + "

    How to claim expenses

    ", + "

    Make your claim for expenses at the end of your jury service - and no more than 12 months after your jury service started.

    ", + "

    You\u2019ll usually be paid 7 to 10 working days after submitting your claim form.

    ", + "

    The court may be able to pay your expenses during the trial if it\u2019s likely to last a long time or if you\u2019re facing financial hardship. Ask jury staff for more information.

    ", + "

    Food, drink and travel expenses

    ", + "

    Fill in the claim form you received at the start of jury service. Return it to the court with the relevant receipts.

    ", + "

    Loss of earnings

    ", + "

    What you need to do depends on whether you are employed or self-employed.

    ", + "

    If you\u2019re an employee

    ", + "

    Your employer needs to fill in a loss of earnings form if they\u2019ve told you they are not going to pay you during jury service. Bring it to court on your first day of jury service.

    ", + "

    If you\u2019re self-employed

    ", + "

    Fill in a self-employed loss of earnings form. You\u2019ll need to include evidence of lost earnings, such as your most recent tax return.

    ", + "

    Care and childcare expenses

    ", + "

    You and the carer need to fill in the care expenses form to claim for costs outside of your usual care arrangements.

    ", + "

    If you\u2019re using a registered childminder, they need to write their Ofsted number on the form. If a family member or friend is looking after your children, they must write a letter saying how many hours they\u2019ve cared for your child.

    ", + "

    Bring your child\u2019s birth certificate or passport to court during your service or attach a copy to the claim form.

    ", + "

    Return the form to the court with evidence of the cost of care, for example invoices or receipts.

    ", + "

    Questions about expenses

    ", + "

    Contact the court where you did jury service if you have questions about expenses.

    " + ] + }, + "https://www.gov.uk/legal-aid": { + "url": "https://www.gov.uk/legal-aid", + "title": "Legal aid", + "content": "## Overview\n\nLegal aid can help meet the costs of legal advice, family mediation and representation in a court or tribunal.\n\nYou\u2019ll usually need to show that:\n\n- your case is eligible for legal aid\n\n- the problem is serious\n\n- you cannot afford to pay for legal costs\n\nYou could for example get legal aid if:\n\n- you or your family are at risk of abuse or serious harm, for example domestic violence or forced marriage\n\n- you\u2019re at risk of homelessness or losing your home\n\n- you\u2019ve been accused of a crime, face prison or detention\n\n- you\u2019re being discriminated against\n\n- you need family mediation\n\n- you\u2019re adding legal arguments or bringing a case under the Human Rights Act\n\nYou\u2019ll usually need to show that you cannot afford to pay for this help. You may have to pay some money towards the legal costs of your case or pay costs back later.\n\nCheck if you can get legal aid to get help with civil cases. Your legal adviser will usually apply for legal aid on your behalf.\n\nLegal aid rules are different in Scotland and Northern Ireland.\n\n## What you can get\n\nYou could get help with the costs of legal advice or getting someone to speak or negotiate for you.\n\nYou may have to pay some money towards the legal costs of your case.\n\nIf your problem is covered by legal aid and you qualify you could get:\n\n- advice on your rights and options\n\n- help with negotiations and paperwork\n\n- help if you\u2019re accused of a crime, for example advice at a police station\n\n- a solicitor or barrister to get your case ready and speak on your behalf in court and some tribunals\n\n## What you can get legal aid for\n\nYou might be able to get legal aid for problems like:\n\n- homelessness or losing your home, or if it\u2019s in serious disrepair\n\n- protecting yourself or your child from abuse or harassment, for example domestic violence or forced marriage\n\n- poor quality care you or a family member are getting due to age, disability or special educational needs\n\n- needing advice on finances, children or divorce if you\u2019ve been in an abusive relationship\n\n- a child in your family being at risk of being taken into care\n\n- family mediation, for example if you\u2019re separating or getting a divorce\n\n- discrimination\n\n- challenging the way the government has made a decision about you\n\n- seeking asylum or if you\u2019ve been the victim of human trafficking\n\n- being arrested, charged or questioned by the police\n\n- needing representation at a mental health tribunal or inquest\n\n- appealing a decision made by the social security tribunal about your benefits to the Upper Tribunal, Court of Appeal or Supreme Court\n\n## Exceptional case funding\n\nYou may be able to get legal aid in other exceptional cases, if you can show that being refused legal aid would infringe:\n\n- your rights under the European Convention on Human Rights (ECHR)\n\n- your EU rights to legal representation\n\nGet advice from a legal adviser about whether you\u2019re eligible and how to apply.\n\nYou can also apply directly to the Exceptional Case Funding team at the Legal Aid Agency.\n\n## Eligibility\n\nWhether you qualify for legal aid will depend on:\n\n- the type of case\n\n- your financial circumstances\n\n## Civil (non-criminal) cases\n\nCivil cases include things like debt, family or housing problems. To get legal aid, you usually need to show you cannot afford to pay for legal costs and your problem is serious.\n\nYou\u2019ll usually have to give details and evidence of your income, benefits, savings and property, and those of your partner. If you\u2019re under 18, you may need to give information about your parents\u2019 or guardians\u2019 income.\n\nYour financial situation is not taken into account for cases about:\n\n- mental health tribunals\n\n- children in care\n\n- child abduction\n\nYou may also have to provide evidence about your problem, for example in a divorce case by providing a court order or GP letter showing that you or your child have been a victim of abuse.\n\nCheck if you qualify for legal aid to get help with civil cases.\n\n## Paying the costs of your case\n\nLegal aid might not cover all the costs of your case. You may have to:\n\n- pay some of the costs upfront\n\n- pay back some of the cost if you win money or property from your case\n\nRead about paying for legal aid.\n\nThe Legal Aid Agency (LAA) will make a charge or claim \u2013 known as the \u2018statutory charge\u2019 \u2013 on any money or property you win. If this is your home, payment can be deferred and the debt placed as a charge on your home (similar to a mortgage).\n\nYour legal adviser will explain how this works.\n\nContact the LAA\u2019s Secured Debt Team to discuss how to pay.\n\nIf legal aid is withdrawn, you may have to repay the full legal costs.\n\n## Criminal cases\n\nYou have the right to free legal advice if you\u2019re questioned at a police station.\n\nYou\u2019ll automatically get legal aid for legal representation in court if you\u2019re under 16 (or under 18 and in full-time education) or on certain benefits.\n\n## Alternatives to legal aid\n\nIf you cannot get legal aid, you may be able to get free advice from:\n\n- the Law Centres Network\n\n- Citizens Advice\n\n- AdviceNow\n\nYou can also pay for advice from a local legal adviser or solicitor.\n\n## How to claim\n\nCheck if you can get legal aid in England or Wales.\n\nSearch for a legal aid solicitor if you\u2019re in Scotland or Northern Ireland.\n\nYour legal adviser or family mediator will apply for legal aid on your behalf. If you qualify, the government will pay their costs directly.\n\n## Getting legal aid in an emergency\n\nYou can get emergency help if you need urgent representation in court, for example to keep you and your children safe from domestic abuse.\n\nYour legal adviser will apply for Emergency Legal Representation to cover any immediate action. You still need to apply for legal aid in the normal way for any ongoing work.\n\n## Criminal cases\n\nA police custody officer will help you get legal aid if you\u2019ve been arrested and held at a police station. You\u2019ll be offered free advice:\n\n- by telephone (if the offence is less serious)\n\n- from the police station\u2019s duty solicitor\n\n- from your own legal adviser\n\n## If you\u2019re charged or go to court\n\nA solicitor will check if you qualify for legal aid if you\u2019re charged with a crime or have to go to court. You can then:\n\n- get advice from the same organisation that helped you at the police station\n\n- ask to speak to the court duty solicitor\n\n- find your own criminal legal aid solicitor\n\n## What you need to bring to your legal adviser\n\nYou\u2019ll need to give information about the following for both yourself and your partner:\n\n- benefits - including benefits statements\n\n- income, savings and spending - including pay slips and bank statements\n\n- National Insurance numbers\n\nYou\u2019ll also need copies of evidence relating to your case, eg:\n\n- court documents\n\n- marriage and birth certificates (for family cases)\n\n- relevant letters\n\nTell your legal adviser if any of your financial circumstances change.\n\n## Domestic abuse or violence\n\nYou might be able to get legal aid if you have evidence that you or your children have been victims of domestic abuse or violence and you cannot afford to pay legal costs.\n\nYou do not have to get evidence before talking to a legal aid solicitor or Civil Legal Advice (CLA), but they\u2019ll need to see it before deciding whether you can get legal aid.\n\n## What counts as domestic abuse for legal aid\n\nYou or your children must have been victims of either:\n\n- domestic abuse or violence\n\n- financial control, for example being stopped from accessing a joint bank account\n\n## What counts as evidence\n\nYou\u2019ll usually need to show that you or your children were at risk of harm from an ex-partner.\n\nYou can ask for evidence from:\n\n- the courts\n\n- the police\n\n- a multi-agency risk assessment conference (MARAC)\n\n- social services\n\n- a health professional, for example a doctor, nurse, midwife, psychologist or health visitor\n\n- a refuge manager\n\n- a domestic violence support service\n\n- your bank, for example credit card accounts, loan documents and statements\n\n- your employer, or education or training provider\n\n- the provider of any benefits you\u2019ve received\n\n## How to get evidence\n\nYou can download and print a sample letter to send to the police, courts, or medical and social services.\n\nThis helps you get the proof you need, depending on whether:\n\n- you\u2019ve been a victim\n\n- your children have been victims\n\nGive the letter to the person you\u2019re asking to provide evidence. They\u2019ll be able to fill in the details for you.\n\nYou might have to pay a fee for this.\n\n## When you have the evidence\n\nShow the evidence to your legal aid solicitor or CLA adviser.\n\n## Legal problems abroad\n\nYou can apply for legal aid in:\n\n- Albania\n\n- Austria\n\n- Azerbaijan\n\n- Belgium\n\n- Bosnia and Herzegovina\n\n- Bulgaria\n\n- Cyprus\n\n- Czech Republic\n\n- Denmark\n\n- Estonia\n\n- Finland\n\n- France\n\n- Georgia\n\n- Greece\n\n- Ireland\n\n- Italy\n\n- Latvia\n\n- Lithuania\n\n- Luxembourg\n\n- Montenegro\n\n- Netherlands\n\n- North Macedonia\n\n- Norway\n\n- Poland\n\n- Portugal\n\n- Romania\n\n- Serbia\n\n- Spain\n\n- Sweden\n\n- Switzerland\n\n- Turkey\n\n- Ukraine\n\nYou can get help with your application from a publicly funded solicitor, including getting documents translated.\n\nContact the embassy or consulate of that country or the Legal Aid Agency to find out how to apply.", + "original_contents": [ + "

    Overview

    ", + "

    Legal aid can help meet the costs of legal advice, family mediation and representation in a court or tribunal.

    ", + "

    You\u2019ll usually need to show that:

    ", + "
  • your case is eligible for legal aid
  • ", + "
  • the problem is serious
  • ", + "
  • you cannot afford to pay for legal costs
  • ", + "

    You could for example get legal aid if:

    ", + "
  • you or your family are at risk of abuse or serious harm, for example domestic violence or forced marriage
  • ", + "
  • you\u2019re at risk of homelessness or losing your home
  • ", + "
  • you\u2019ve been accused of a crime, face prison or detention
  • ", + "
  • you\u2019re being discriminated against
  • ", + "
  • you need family mediation
  • ", + "
  • you\u2019re adding legal arguments or bringing a case under the Human Rights Act
  • ", + "

    You\u2019ll usually need to show that you cannot afford to pay for this help. You may have to pay some money towards the legal costs of your case or pay costs back later.

    ", + "

    Check if you can get legal aid to get help with civil cases. Your legal adviser will usually apply for legal aid on your behalf.

    ", + "

    Legal aid rules are different in Scotland and Northern Ireland.

    ", + "

    What you can get

    ", + "

    You could get help with the costs of legal advice or getting someone to speak or negotiate for you.

    ", + "

    You may have to pay some money towards the legal costs of your case.

    ", + "

    If your problem is covered by legal aid and you qualify you could get:

    ", + "
  • advice on your rights and options
  • ", + "
  • help with negotiations and paperwork
  • ", + "
  • help if you\u2019re accused of a crime, for example advice at a police station
  • ", + "
  • a solicitor or barrister to get your case ready and speak on your behalf in court and some tribunals
  • ", + "

    What you can get legal aid for

    ", + "

    You might be able to get legal aid for problems like:

    ", + "
  • homelessness or losing your home, or if it\u2019s in serious disrepair
  • ", + "
  • protecting yourself or your child from abuse or harassment, for example domestic violence or forced marriage
  • ", + "
  • poor quality care you or a family member are getting due to age, disability or special educational needs
  • ", + "
  • needing advice on finances, children or divorce if you\u2019ve been in an abusive relationship
  • ", + "
  • a child in your family being at risk of being taken into care
  • ", + "
  • family mediation, for example if you\u2019re separating or getting a divorce
  • ", + "
  • discrimination
  • ", + "
  • challenging the way the government has made a decision about you
  • ", + "
  • seeking asylum or if you\u2019ve been the victim of human trafficking
  • ", + "
  • being arrested, charged or questioned by the police
  • ", + "
  • needing representation at a mental health tribunal or inquest
  • ", + "
  • appealing a decision made by the social security tribunal about your benefits to the Upper Tribunal, Court of Appeal or Supreme Court
  • ", + "

    Exceptional case funding

    ", + "

    You may be able to get legal aid in other exceptional cases, if you can show that being refused legal aid would infringe:

    ", + "
  • your rights under the European Convention on Human Rights (ECHR)
  • ", + "
  • your EU rights to legal representation
  • ", + "

    Get advice from a legal adviser about whether you\u2019re eligible and how to apply.

    ", + "

    You can also apply directly to the Exceptional Case Funding team at the Legal Aid Agency.

    ", + "

    Eligibility

    ", + "

    Whether you qualify for legal aid will depend on:

    ", + "
  • the type of case
  • ", + "
  • your financial circumstances
  • ", + "

    Civil (non-criminal) cases

    ", + "

    Civil cases include things like debt, family or housing problems. To get legal aid, you usually need to show you cannot afford to pay for legal costs and your problem is serious.

    ", + "

    You\u2019ll usually have to give details and evidence of your income, benefits, savings and property, and those of your partner. If you\u2019re under 18, you may need to give information about your parents\u2019 or guardians\u2019 income.

    ", + "

    Your financial situation is not taken into account for cases about:

    ", + "
  • mental health tribunals
  • ", + "
  • children in care
  • ", + "
  • child abduction
  • ", + "

    You may also have to provide evidence about your problem, for example in a divorce case by providing a court order or GP letter showing that you or your child have been a victim of abuse.

    ", + "

    Check if you qualify for legal aid to get help with civil cases.

    ", + "

    Paying the costs of your case

    ", + "

    Legal aid might not cover all the costs of your case. You may have to:

    ", + "
  • pay some of the costs upfront
  • ", + "
  • pay back some of the cost if you win money or property from your case
  • ", + "

    Read about paying for legal aid.

    ", + "

    The Legal Aid Agency (LAA) will make a charge or claim \u2013 known as the \u2018statutory charge\u2019 \u2013 on any money or property you win. If this is your home, payment can be deferred and the debt placed as a charge on your home (similar to a mortgage).

    ", + "

    Your legal adviser will explain how this works.

    ", + "

    Contact the LAA\u2019s Secured Debt Team to discuss how to pay.

    ", + "

    If legal aid is withdrawn, you may have to repay the full legal costs.

    ", + "

    Criminal cases

    ", + "

    You have the right to free legal advice if you\u2019re questioned at a police station.

    ", + "

    You\u2019ll automatically get legal aid for legal representation in court if you\u2019re under 16 (or under 18 and in full-time education) or on certain benefits.

    ", + "

    Alternatives to legal aid

    ", + "

    If you cannot get legal aid, you may be able to get free advice from:

    ", + "
  • the Law Centres Network
  • ", + "
  • Citizens Advice
  • ", + "
  • AdviceNow
  • ", + "

    You can also pay for advice from a local legal adviser or solicitor.

    ", + "

    How to claim

    ", + "

    Check if you can get legal aid in England or Wales.

    ", + "

    Search for a legal aid solicitor if you\u2019re in Scotland or Northern Ireland.

    ", + "

    Your legal adviser or family mediator will apply for legal aid on your behalf. If you qualify, the government will pay their costs directly.

    ", + "

    Getting legal aid in an emergency

    ", + "

    You can get emergency help if you need urgent representation in court, for example to keep you and your children safe from domestic abuse.

    ", + "

    Your legal adviser will apply for Emergency Legal Representation to cover any immediate action. You still need to apply for legal aid in the normal way for any ongoing work.

    ", + "

    Criminal cases

    ", + "

    A police custody officer will help you get legal aid if you\u2019ve been arrested and held at a police station. You\u2019ll be offered free advice:

    ", + "
  • by telephone (if the offence is less serious)
  • ", + "
  • from the police station\u2019s duty solicitor
  • ", + "
  • from your own legal adviser
  • ", + "

    If you\u2019re charged or go to court

    ", + "

    A solicitor will check if you qualify for legal aid if you\u2019re charged with a crime or have to go to court. You can then:

    ", + "
  • get advice from the same organisation that helped you at the police station
  • ", + "
  • ask to speak to the court duty solicitor
  • ", + "
  • find your own criminal legal aid solicitor
  • ", + "

    What you need to bring to your legal adviser

    ", + "

    You\u2019ll need to give information about the following for both yourself and your partner:

    ", + "
  • benefits - including benefits statements
  • ", + "
  • income, savings and spending - including pay slips and bank statements
  • ", + "
  • National Insurance numbers
  • ", + "

    You\u2019ll also need copies of evidence relating to your case, eg:

    ", + "
  • court documents
  • ", + "
  • marriage and birth certificates (for family cases)
  • ", + "
  • relevant letters
  • ", + "

    Tell your legal adviser if any of your financial circumstances change.

    ", + "

    Domestic abuse or violence

    ", + "

    You might be able to get legal aid if you have evidence that you or your children have been victims of domestic abuse or violence and you cannot afford to pay legal costs.

    ", + "

    You do not have to get evidence before talking to a legal aid solicitor or Civil Legal Advice (CLA), but they\u2019ll need to see it before deciding whether you can get legal aid.

    ", + "

    What counts as domestic abuse for legal aid

    ", + "

    You or your children must have been victims of either:

    ", + "
  • domestic abuse or violence
  • ", + "
  • financial control, for example being stopped from accessing a joint bank account
  • ", + "

    What counts as evidence

    ", + "

    You\u2019ll usually need to show that you or your children were at risk of harm from an ex-partner.

    ", + "

    You can ask for evidence from:

    ", + "
  • the courts
  • ", + "
  • the police
  • ", + "
  • a multi-agency risk assessment conference (MARAC)
  • ", + "
  • social services
  • ", + "
  • a health professional, for example a doctor, nurse, midwife, psychologist or health visitor
  • ", + "
  • a refuge manager
  • ", + "
  • a domestic violence support service
  • ", + "
  • your bank, for example credit card accounts, loan documents and statements
  • ", + "
  • your employer, or education or training provider
  • ", + "
  • the provider of any benefits you\u2019ve received
  • ", + "

    How to get evidence

    ", + "

    You can download and print a sample letter to send to the police, courts, or medical and social services.

    ", + "

    This helps you get the proof you need, depending on whether:

    ", + "
  • you\u2019ve been a victim
  • ", + "
  • your children have been victims
  • ", + "

    Give the letter to the person you\u2019re asking to provide evidence. They\u2019ll be able to fill in the details for you.

    ", + "

    You might have to pay a fee for this.

    ", + "

    When you have the evidence

    ", + "

    Show the evidence to your legal aid solicitor or CLA adviser.

    ", + "

    Legal problems abroad

    ", + "

    You can apply for legal aid in:

    ", + "
  • Albania
  • ", + "
  • Austria
  • ", + "
  • Azerbaijan
  • ", + "
  • Belgium
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Bulgaria
  • ", + "
  • Cyprus
  • ", + "
  • Czech Republic
  • ", + "
  • Denmark
  • ", + "
  • Estonia
  • ", + "
  • Finland
  • ", + "
  • France
  • ", + "
  • Georgia
  • ", + "
  • Greece
  • ", + "
  • Ireland
  • ", + "
  • Italy
  • ", + "
  • Latvia
  • ", + "
  • Lithuania
  • ", + "
  • Luxembourg
  • ", + "
  • Montenegro
  • ", + "
  • Netherlands
  • ", + "
  • North Macedonia
  • ", + "
  • Norway
  • ", + "
  • Poland
  • ", + "
  • Portugal
  • ", + "
  • Romania
  • ", + "
  • Serbia
  • ", + "
  • Spain
  • ", + "
  • Sweden
  • ", + "
  • Switzerland
  • ", + "
  • Turkey
  • ", + "
  • Ukraine
  • ", + "

    You can get help with your application from a publicly funded solicitor, including getting documents translated.

    ", + "

    Contact the embassy or consulate of that country or the Legal Aid Agency to find out how to apply.

    " + ] + }, + "https://www.gov.uk/litigation-friend": { + "url": "https://www.gov.uk/litigation-friend", + "title": "Litigation friends", + "content": "## Overview\n\nYou can be appointed as litigation friend to make decisions about a court case for either:\n\n- an adult who lacks the mental capacity to manage their own court case either with or without a solicitor\n\n- a child\n\nThe court case can be any of the following:\n\n- a civil case, except a tribunal\n\n- a family case\n\n- a Court of Protection case\n\nYou\u2019ll have to go to court if there\u2019s a hearing, but you cannot act as the other person\u2019s lawyer.\n\nAn adult with a litigation friend is called the \u2018protected party\u2019 in court.\n\n## How you\u2019re appointed\n\nYou can either:\n\n- apply to be someone\u2019s litigation friend\n\n- be appointed by the court if someone involved in a case asks them to appoint a litigation friend for one of the other people involved\n\nThe court will check if you\u2019re suitable. It can appoint you as soon as the case has started or at any time during the case.\n\nWhen there\u2019s no one suitable, willing and able to be a litigation friend, the court may ask the Official Solicitor to step in.\n\n## When your appointment ends\n\nIf you\u2019re the litigation friend for a child who turns 18 or an adult who recovers capacity during the case, you may need to apply to stop being a litigation friend.\n\nYou may be replaced by the court if you do not carry out your duties properly.\n\n## Duties\n\nYou must \u2018direct the proceedings\u2019 on behalf of the other person if you\u2019re their litigation friend. This means you\u2019ll:\n\n- make decisions in their best interests\n\n- do everything you can to tell them what\u2019s happening in the case and find out their wishes and feelings\n\n- talk to their solicitor about what\u2019s happening, get advice from them and give instructions to them in the other person\u2019s best interests\n\n- pay any costs ordered by the court\n\n## Civil cases: settlement hearings\n\nIf the person\u2019s going to be paid money to settle the case, there\u2019ll be a hearing to approve the settlement.\n\nYou\u2019ll need to fill in and bring:\n\n- form CFO 320 if they\u2019re a child - also bring the child\u2019s original birth certificate or a certified copy\n\n- form CFO 320 PB if they\u2019re an adult and the money is going in to a Court Funds Office (CFO) account\n\nRead guidance on CFO accounts and investments for help with the forms.\n\n## After the court case\n\nYour role usually ends after the court case, unless you\u2019re the litigation friend of someone awarded money that\u2019s going into a CFO account.\n\nYou\u2019ll need to remain the contact for a child\u2019s CFO account until they turn 18 or the court directs that the money is paid out. If you cannot carry out this role, you\u2019ll need to be replaced as a litigation friend.\n\nIf you\u2019re the deputy of an adult awarded more than \u00a350,000 into a CFO account, you\u2019ll need to manage the account for them. The Court of Protection may agree that a deputy is not needed.\n\n## Civil cases: expenses\n\nYou can apply to the court to be paid back any expenses you\u2019ve had while acting as litigation friend. This can include the premium for a court costs insurance policy or the interest on a loan taken out to pay for a costs insurance policy.\n\nWrite to the judge in charge of your case giving details of what you spent and when. Include your receipts. The court will check whether your expenses are reasonable.\n\n## Who can be a litigation friend\n\nThe court can appoint anyone to be a litigation friend, for example:\n\n- a parent or guardian\n\n- a family member or friend\n\n- a solicitor\n\n- a professional advocate, such as an Independent Mental Capacity Advocate (IMCA)\n\n- a Court of Protection deputy\n\n- someone who has a lasting or enduring power of attorney\n\n## Suitability\n\nThe court will check you\u2019re suitable by making sure:\n\n- your interests do not conflict with theirs\n\n- you can make decisions about the case in a fair and competent way\n\nYou must fill in a certificate of suitability if you\u2019re applying be someone\u2019s litigation friend.\n\n## If there\u2019s no one suitable to be litigation friend\n\nThe Official Solicitor will act as a litigation friend if:\n\n- nobody else is suitable and willing to be litigation friend\n\n- there\u2019s money available to pay the Official Solicitor\u2019s costs, for example legal aid\n\n- the person\u2019s doctor or another medical professional, for example their psychiatrist, confirms they lack capacity to manage the case (unless they\u2019re a child)\n\nThe court will appoint the Official Solicitor - if he agrees - at the relevant time.\n\nContact the relevant section of the Official Solicitor\u2019s office if you have a query about his involvement in a case.\n\n## Apply to be a litigation friend\n\nYou can apply to be someone\u2019s litigation friend by either:\n\n- providing a copy of the court order that appointed you as the person\u2019s deputy if it gives you permission to act as their litigation friend\n\n- filling in a certificate of suitability if you\u2019re not the person\u2019s deputy\n\nYou must send (\u2018file\u2019) your court order or certificate of suitability with the court before you can act on the person\u2019s behalf.\n\nThe person\u2019s solicitor usually does this, but you can do it yourself if there\u2019s no solicitor yet. Contact the court to find out where to deliver your documents. You\u2019ll then have to find a solicitor to act for the other person.\n\n## Deputies: civil cases\n\nIf you\u2019re the deputy of the claimant (the person bringing the case to court) and your deputy\u2019s court order gives you permission to be litigation friend, you must file your court order together with the claim form that starts the court case.\n\n## Certificate of suitability\n\nDownload and fill in the relevant form to apply in the:\n\n- civil courts\n\n- family courts\n\n- Court of Protection\n\nDeliver in person (\u2018serve\u2019) a completed copy of the relevant form to the:\n\n- parent, guardian or carer, if you\u2019re applying to be a child\u2019s litigation friend\n\n- deputy, attorney with a lasting power of attorney or enduring power of attorney, or carer of the adult you want to be litigation friend for\n\n- the adult, known as the \u2018protected party\u2019, you want to be litigation friend for\n\nIf you\u2019re applying to act for an adult, explain on the certificate of suitability form why you think they need someone to make decisions about the case on their behalf.\n\n## Certificate of service\n\nWhen you\u2019ve served the certificate of suitability, download and fill in the relevant certificate of service for a:\n\n- civil case\n\n- family case\n\n- Court of Protection case depending on whether you\u2019re serving the other person or someone else\n\n## What to do with the forms\n\nDeliver or send the certificate of suitability and certificate of service to the court at the same time.\n\nIf you\u2019re applying to be litigation friend for the person making the claim in a civil case, your forms must be delivered with the claim form.\n\n## Ask the court to appoint a litigation friend\n\nYou or anyone involved can apply to the court to get a litigation friend appointed at any time during the case.\n\n## How to apply\n\nDownload and fill in the relevant form to apply in the:\n\n- civil courts\n\n- family courts\n\n- Court of Protection\n\nYou\u2019ll need to provide evidence that the person you want the court to appoint:\n\n- agrees to be the litigation friend\n\n- is suitable and willing\n\n- is able to carry out the duties\n\nDeliver in person (\u2018serve\u2019) a completed copy of the relevant form to the:\n\n- parent, guardian or carer if you\u2019re applying to get a litigation friend appointed for a child\n\n- deputy, attorney with a lasting power of attorney or enduring power of attorney, or carer if you\u2019re applying to get a litigation friend appointed for an adult\n\n- the adult you\u2019re applying to get a litigation friend appointed for\n\n## Certificate of service\n\nWhen you\u2019ve served the certificate of suitability, download and fill in the relevant certificate of service for a:\n\n- civil case\n\n- family case\n\n- Court of Protection case depending on whether you\u2019re serving the other person or someone else\n\nDeliver or send the certificate of suitability and certificate of service to the court at the same time.\n\n## Stop being a litigation friend\n\nYou\u2019ll usually stop being a litigation friend when:\n\n- the case ends, unless you\u2019re litigation friend for a child and they\u2019ve been given a settlement\n\n- the child turns 18\n\n- the adult who did not have mental capacity recovers or gets mental capacity\n\n- you or someone else applies to the court for a replacement litigation friend\n\n## If you\u2019re litigation friend for a child\n\nIf the case has already been settled and you\u2019re managing a Court Funds Office account on the child\u2019s behalf, the Court Funds Office will write to them and explain how they can get their money.\n\nWhen a child turns 18 during the court case, they must write a statement telling the court and everyone involved in the case:\n\n- they\u2019ve turned 18\n\n- you\u2019ve stopped being their litigation friend\n\n- they are or are not going to carry on with the legal case\n\n- their address so documents can be sent to them\n\nThey must file the statement with the court and give a copy to everyone involved in the case.\n\n## When the adult recovers or gets mental capacity\n\nYou, as the litigation friend of someone who recovers mental capacity, or the person themselves can apply to the court for an order to stop you acting as litigation friend.\n\nYou or they must include:\n\n- medical evidence that they\u2019ve recovered capacity\n\n- any Court of Protection orders or declarations\n\nThen they must write a statement telling the court and anyone involved in the case:\n\n- you\u2019ve stopped being their litigation friend\n\n- they are or are not going to carry on with the legal case\n\n- their address so documents can be sent to them\n\nThey must file the statement with the court and give a copy to everyone involved in the case (\u2018serve\u2019 it).\n\nIn a civil case, the person must serve the statement within 28 days from when you stopped being their litigation friend. If they do not, anyone involved in the case can make an application to have their case dismissed.", + "original_contents": [ + "

    Overview

    ", + "

    You can be appointed as litigation friend to make decisions about a court case for either:

    ", + "
  • an adult who lacks the mental capacity to manage their own court case either with or without a solicitor
  • ", + "
  • a child
  • ", + "

    The court case can be any of the following:

    ", + "
  • a civil case, except a tribunal
  • ", + "
  • a family case
  • ", + "
  • a Court of Protection case
  • ", + "

    You\u2019ll have to go to court if there\u2019s a hearing, but you cannot act as the other person\u2019s lawyer.

    ", + "

    An adult with a litigation friend is called the \u2018protected party\u2019 in court.

    ", + "

    How you\u2019re appointed

    ", + "

    You can either:

    ", + "
  • apply to be someone\u2019s litigation friend
  • ", + "
  • be appointed by the court if someone involved in a case asks them to appoint a litigation friend for one of the other people involved
  • ", + "

    The court will check if you\u2019re suitable. It can appoint you as soon as the case has started or at any time during the case.

    ", + "

    When there\u2019s no one suitable, willing and able to be a litigation friend, the court may ask the Official Solicitor to step in.

    ", + "

    When your appointment ends

    ", + "

    If you\u2019re the litigation friend for a child who turns 18 or an adult who recovers capacity during the case, you may need to apply to stop being a litigation friend.

    ", + "

    You may be replaced by the court if you do not carry out your duties properly.

    ", + "

    Duties

    ", + "

    You must \u2018direct the proceedings\u2019 on behalf of the other person if you\u2019re their litigation friend. This means you\u2019ll:

    ", + "
  • make decisions in their best interests
  • ", + "
  • do everything you can to tell them what\u2019s happening in the case and find out their wishes and feelings
  • ", + "
  • talk to their solicitor about what\u2019s happening, get advice from them and give instructions to them in the other person\u2019s best interests
  • ", + "
  • pay any costs ordered by the court
  • ", + "

    Civil cases: settlement hearings

    ", + "

    If the person\u2019s going to be paid money to settle the case, there\u2019ll be a hearing to approve the settlement.

    ", + "

    You\u2019ll need to fill in and bring:

    ", + "
  • form CFO 320 if they\u2019re a child - also bring the child\u2019s original birth certificate or a certified copy
  • ", + "
  • form CFO 320 PB if they\u2019re an adult and the money is going in to a Court Funds Office (CFO) account
  • ", + "

    Read guidance on CFO accounts and investments for help with the forms.

    ", + "

    After the court case

    ", + "

    Your role usually ends after the court case, unless you\u2019re the litigation friend of someone awarded money that\u2019s going into a CFO account.

    ", + "

    You\u2019ll need to remain the contact for a child\u2019s CFO account until they turn 18 or the court directs that the money is paid out. If you cannot carry out this role, you\u2019ll need to be replaced as a litigation friend.

    ", + "

    If you\u2019re the deputy of an adult awarded more than \u00a350,000 into a CFO account, you\u2019ll need to manage the account for them. The Court of Protection may agree that a deputy is not needed.

    ", + "

    Civil cases: expenses

    ", + "

    You can apply to the court to be paid back any expenses you\u2019ve had while acting as litigation friend. This can include the premium for a court costs insurance policy or the interest on a loan taken out to pay for a costs insurance policy.

    ", + "

    Write to the judge in charge of your case giving details of what you spent and when. Include your receipts. The court will check whether your expenses are reasonable.

    ", + "

    Who can be a litigation friend

    ", + "

    The court can appoint anyone to be a litigation friend, for example:

    ", + "
  • a parent or guardian
  • ", + "
  • a family member or friend
  • ", + "
  • a solicitor
  • ", + "
  • a professional advocate, such as an Independent Mental Capacity Advocate (IMCA)
  • ", + "
  • a Court of Protection deputy
  • ", + "
  • someone who has a lasting or enduring power of attorney
  • ", + "

    Suitability

    ", + "

    The court will check you\u2019re suitable by making sure:

    ", + "
  • your interests do not conflict with theirs
  • ", + "
  • you can make decisions about the case in a fair and competent way
  • ", + "

    You must fill in a certificate of suitability if you\u2019re applying be someone\u2019s litigation friend.

    ", + "

    If there\u2019s no one suitable to be litigation friend

    ", + "

    The Official Solicitor will act as a litigation friend if:

    ", + "
  • nobody else is suitable and willing to be litigation friend
  • ", + "
  • there\u2019s money available to pay the Official Solicitor\u2019s costs, for example legal aid
  • ", + "
  • the person\u2019s doctor or another medical professional, for example their psychiatrist, confirms they lack capacity to manage the case (unless they\u2019re a child)
  • ", + "

    The court will appoint the Official Solicitor - if he agrees - at the relevant time.

    ", + "

    Contact the relevant section of the Official Solicitor\u2019s office if you have a query about his involvement in a case.

    ", + "

    Apply to be a litigation friend

    ", + "

    You can apply to be someone\u2019s litigation friend by either:

    ", + "
  • providing a copy of the court order that appointed you as the person\u2019s deputy if it gives you permission to act as their litigation friend
  • ", + "
  • filling in a certificate of suitability if you\u2019re not the person\u2019s deputy
  • ", + "

    You must send (\u2018file\u2019) your court order or certificate of suitability with the court before you can act on the person\u2019s behalf.

    ", + "

    The person\u2019s solicitor usually does this, but you can do it yourself if there\u2019s no solicitor yet. Contact the court to find out where to deliver your documents. You\u2019ll then have to find a solicitor to act for the other person.

    ", + "

    Deputies: civil cases

    ", + "

    If you\u2019re the deputy of the claimant (the person bringing the case to court) and your deputy\u2019s court order gives you permission to be litigation friend, you must file your court order together with the claim form that starts the court case.

    ", + "

    Certificate of suitability

    ", + "

    Download and fill in the relevant form to apply in the:

    ", + "
  • civil courts
  • ", + "
  • family courts
  • ", + "
  • Court of Protection
  • ", + "

    Deliver in person (\u2018serve\u2019) a completed copy of the relevant form to the:

    ", + "
  • parent, guardian or carer, if you\u2019re applying to be a child\u2019s litigation friend
  • ", + "
  • deputy, attorney with a lasting power of attorney or enduring power of attorney, or carer of the adult you want to be litigation friend for
  • ", + "
  • the adult, known as the \u2018protected party\u2019, you want to be litigation friend for
  • ", + "

    If you\u2019re applying to act for an adult, explain on the certificate of suitability form why you think they need someone to make decisions about the case on their behalf.

    ", + "

    Certificate of service

    ", + "

    When you\u2019ve served the certificate of suitability, download and fill in the relevant certificate of service for a:

    ", + "
  • civil case
  • ", + "
  • family case
  • ", + "
  • Court of Protection case depending on whether you\u2019re serving the other person or someone else
  • ", + "

    What to do with the forms

    ", + "

    Deliver or send the certificate of suitability and certificate of service to the court at the same time.

    ", + "

    If you\u2019re applying to be litigation friend for the person making the claim in a civil case, your forms must be delivered with the claim form.

    ", + "

    Ask the court to appoint a litigation friend

    ", + "

    You or anyone involved can apply to the court to get a litigation friend appointed at any time during the case.

    ", + "

    How to apply

    ", + "

    Download and fill in the relevant form to apply in the:

    ", + "
  • civil courts
  • ", + "
  • family courts
  • ", + "
  • Court of Protection
  • ", + "

    You\u2019ll need to provide evidence that the person you want the court to appoint:

    ", + "
  • agrees to be the litigation friend
  • ", + "
  • is suitable and willing
  • ", + "
  • is able to carry out the duties
  • ", + "

    Deliver in person (\u2018serve\u2019) a completed copy of the relevant form to the:

    ", + "
  • parent, guardian or carer if you\u2019re applying to get a litigation friend appointed for a child
  • ", + "
  • deputy, attorney with a lasting power of attorney or enduring power of attorney, or carer if you\u2019re applying to get a litigation friend appointed for an adult
  • ", + "
  • the adult you\u2019re applying to get a litigation friend appointed for
  • ", + "

    Certificate of service

    ", + "

    When you\u2019ve served the certificate of suitability, download and fill in the relevant certificate of service for a:

    ", + "
  • civil case
  • ", + "
  • family case
  • ", + "
  • Court of Protection case depending on whether you\u2019re serving the other person or someone else
  • ", + "

    Deliver or send the certificate of suitability and certificate of service to the court at the same time.

    ", + "

    Stop being a litigation friend

    ", + "

    You\u2019ll usually stop being a litigation friend when:

    ", + "
  • the case ends, unless you\u2019re litigation friend for a child and they\u2019ve been given a settlement
  • ", + "
  • the child turns 18
  • ", + "
  • the adult who did not have mental capacity recovers or gets mental capacity
  • ", + "
  • you or someone else applies to the court for a replacement litigation friend
  • ", + "

    If you\u2019re litigation friend for a child

    ", + "

    If the case has already been settled and you\u2019re managing a Court Funds Office account on the child\u2019s behalf, the Court Funds Office will write to them and explain how they can get their money.

    ", + "

    When a child turns 18 during the court case, they must write a statement telling the court and everyone involved in the case:

    ", + "
  • they\u2019ve turned 18
  • ", + "
  • you\u2019ve stopped being their litigation friend
  • ", + "
  • they are or are not going to carry on with the legal case
  • ", + "
  • their address so documents can be sent to them
  • ", + "

    They must file the statement with the court and give a copy to everyone involved in the case.

    ", + "

    When the adult recovers or gets mental capacity

    ", + "

    You, as the litigation friend of someone who recovers mental capacity, or the person themselves can apply to the court for an order to stop you acting as litigation friend.

    ", + "

    You or they must include:

    ", + "
  • medical evidence that they\u2019ve recovered capacity
  • ", + "
  • any Court of Protection orders or declarations
  • ", + "

    Then they must write a statement telling the court and anyone involved in the case:

    ", + "
  • you\u2019ve stopped being their litigation friend
  • ", + "
  • they are or are not going to carry on with the legal case
  • ", + "
  • their address so documents can be sent to them
  • ", + "

    They must file the statement with the court and give a copy to everyone involved in the case (\u2018serve\u2019 it).

    ", + "

    In a civil case, the person must serve the statement within 28 days from when you stopped being their litigation friend. If they do not, anyone involved in the case can make an application to have their case dismissed.

    " + ] + }, + "https://www.gov.uk/employment-tribunals": { + "url": "https://www.gov.uk/employment-tribunals", + "title": "Make a claim to an employment tribunal", + "content": "## When you can claim\n\nYou can make a claim to an employment tribunal if you think someone has treated you unlawfully, such as your employer, a potential employer or a trade union.\n\nUnlawful treatment can include:\n\n- unfair dismissal\n\n- discrimination\n\n- unfair deductions from your pay\n\nThis guide and the online service are also available in Welsh (Cymraeg).\n\nYou usually have to make a claim to the tribunal within 3 months of your employment ending or the problem happening.\n\nThe tribunal is independent of government and will listen to you (the \u2018claimant\u2019) and the person you\u2019re making a claim against (the \u2018respondent\u2019) before making a decision.\n\nSee if there\u2019s another way to solve the problem before you make a claim to a tribunal, such as using a grievance procedure.\n\n## Before you make a claim\n\nYou must tell the Advisory, Conciliation and Arbitration Service (Acas) that you intend to make a claim to the tribunal.\n\nYou\u2019ll be offered the chance to try and settle the dispute without going to court by using Acas\u2019s free \u2018Early Conciliation\u2019 service.\n\nIf early conciliation does not work, Acas will send you an early conciliation certificate - use this when you make a claim to the tribunal.\n\nOnce you receive your certificate, you\u2019ll have at least one month left to make your claim.\n\n## Help you can get\n\nCall the Employment Tribunal customer contact centre if you have any questions about your claim. They cannot give you legal advice.\n\nCall Acas if you have any questions about early conciliation. They cannot answer questions about your claim.\n\n## Legal help\n\nYou may want to get legal help or advice if you\u2019re in England and Wales or Scotland before you make your claim.\n\nYour trade union may be able to pay for a solicitor.\n\nYou can also get free legal advice from Citizens Advice or Citizens Advice Scotland.\n\nThe Equality Advisory and Support Service can help if your claim is about discrimination. You may also be able to get legal aid.\n\n## Make a claim\n\nYou can make a claim to the employment tribunal online.\n\nYou should read the guidance for whistleblowing if it relates to your claim.\n\nThis online service is also available in Welsh (Cymraeg).\n\nThere\u2019s a different way to claim if you live in Northern Ireland.\n\nClaim online\n\n## Make a claim by post\n\nYou can also download and fill in a claim form.\n\nRead the guidance for making a claim before you fill in the form. You should also read the guidance for whistleblowing if it relates to your claim.\n\nYou do not have to pay a fee to make a claim to the Employment Tribunal, even if it says so on the form.\n\nSend your completed form to one of the following addresses, depending on where you were working.\n\n## Talk-through service\n\nUse the employment tribunal talk-through service only if you\u2019re unable to use a computer without help.\n\nBefore calling make sure you have:\n\n- your Acas early conciliation certificate number or a valid reason why you do not have one\n\n- details of your claim including the background, dates and people involved\n\nThis service will not give you advice on the details of your claim. Contact the number for general enquiries instead.\n\n## After you make a claim\n\nThe respondent usually has to reply to your claim in writing within 28 days of getting your claim form. They will give their side of the case.\n\nOnce they\u2019ve replied, the tribunal will decide whether there will be a full hearing to decide on your case.\n\nIf they do not reply, the tribunal may decide on your case without you having to go to a hearing.\n\n## Hearings and coronavirus (COVID-19)\n\nBecause of coronavirus, your hearing may take place by phone, by video or in person.\n\nIf you\u2019re a legal professional, read guidance on how cases are affected by COVID-19.\n\n## \u2018Preliminary hearing\u2019\n\nYou may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:\n\n- whether part or all of your claim can go ahead\n\n- the date and time of a hearing\n\n- how long the hearing should take\n\n## Arrange documents\n\nYou can ask the respondent for documents that will help you with your case, and they can request documents from you.\n\nExamples of documents include:\n\n- a contract of employment\n\n- pay slips\n\n- details of your pension scheme\n\n- notes from relevant meetings you attended at work\n\nUsually the tribunal will issue an order setting out a timetable for when you should exchange documents.\n\nYou\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.\n\n## Organise witnesses\n\nYou can bring witnesses to the hearing if they can give evidence directly relevant to your case.\n\nIf you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with your case, giving:\n\n- the name and address of the witness\n\n- details of what the witness may be able to say and how it will help your case\n\n- the reason the witness has refused to attend (if they gave you one)\n\nYou\u2019ll most likely be responsible for paying the witness\u2019s expenses.\n\n## Going to a tribunal hearing\n\nCases are normally held at the employment tribunal office closest to where you worked.\n\nYou must take the documents you\u2019re using to support your case. You can take a colleague or someone else with you if you want.\n\nYou cannot claim for expenses for going to the hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. If you need to attend in person, find out what to expect when coming to your hearing. The tribunal will contact you and tell you how the hearing will take place.\n\n## What happens at the hearing\n\nYou\u2019ll present your case to the tribunal - someone else can do this for you, for example a lawyer, friend or family member. The respondent will present their case against you.\n\nYou\u2019ll normally give evidence first, unless your case is about unfair dismissal. You can also call witnesses to give evidence.\n\nYou will usually be asked questions by:\n\n- the judge\n\n- the respondent\n\n- two other tribunal members (only in certain cases)\n\n## Get a decision\n\nYou\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.\n\n## If you win your case\n\nIf you win your case, the tribunal can order the losing party to do certain things depending on the type of case. Examples include:\n\n- paying you compensation\n\n- paying you any witness expenses you\u2019ve paid\n\n- improving your working conditions\n\n- giving you your job back, if appropriate\n\nIf you get compensation, the amount can depend on:\n\n- the type of case - there are limits on certain cases\n\n- how much money you\u2019ve lost because of the respondent\u2019s actions\n\n- your age, length of service and salary\n\n## If the respondent does not pay\n\nIf you do not get your payment, contact them to find out why.\n\nIf they still do not pay you can ask to have them fined and named online by the government. You can also ask a court to force them to pay.\n\nYou cannot do these things if the respondent has appealed, or is about to. They have 42 days to appeal.\n\n## Get the respondent fined and named online by the government\n\nUse the penalty enforcement form. Post it to the address on the form or email it to the Department for Business, Energy and Industrial Strategy.\n\nThe respondent will initially get a warning notice telling them they may be fined, and named online by the government.\n\nIf they do not pay the compensation within 28 days of this notice they\u2019ll have to pay a fine and may be named online by the government.\n\nYou can still get a court to force them to pay.\n\n## Forcing them to pay if you\u2019re in England or Wales\n\nYou can use the Fast Track scheme to send a High Court Enforcement Officer - similar to a bailiff - to demand payment from the respondent.\n\nIt costs \u00a366, which you get back from the respondent when they pay.\n\nFill in the Fast Track Enforcement form (or the Acas settlement form if your case was settled before a hearing) and send it to the address on the form.\n\nYou can also ask the local county court to send an enforcement officer to get the money from the respondent. This costs \u00a344.\n\nFill in an application to enforce an award form and send it with a copy of the tribunal\u2019s decision to your local county court.\n\n## Forcing them to pay if you\u2019re in Scotland\n\nWrite to the office that heard your case and ask for an \u2018extract of the judgment\u2019. A sheriff officer can use this to force the respondent to pay.\n\nIf the respondent is \u2018insolvent\u2019 (for example, they\u2019re in administration, liquidation or receivership) you can make a claim for money they owe you, including redundancy payments.\n\n## If you lose your case\n\nYou can ask the tribunal to reconsider the decision (or \u2018judgment\u2019) if you lose your case.\n\nYou must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.\n\nYou also need to give good reasons, for example:\n\n- the tribunal made a mistake in the way it reached its decision\n\n- you were not told about the hearing, or were not at the hearing\n\n- there\u2019s new evidence\n\nSend your letter to the tribunal office that dealt with your case.\n\n## Appeal to the Employment Appeal Tribunal\n\nYou can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.\n\n## Get a refund for tribunal fees\n\nYou can get a refund if you paid fees at an Employment Tribunal or Employment Appeals Tribunal between 29 July 2013 and 26 July 2017.\n\n## How to apply\n\nYou can apply online if:\n\n- you have not changed your name since you made the claim to the tribunal\n\n- your claim was against one employer\n\n- you have a UK bank account\n\nOtherwise, you can apply by post or email.\n\nYou\u2019ll need to include how much you paid in tribunal fees.\n\n## Apply online\n\nUse the service to apply for a refund online.\n\n## Apply by email or post\n\nThe form you use depends on why you paid the fees.\n\nUse form 1/2-CR if:\n\n- you made the claim on your own and paid the fees\n\n- a claim was brought against you and you were ordered to pay someone\u2019s fees, or if you paid any other fees to the tribunal\n\n- you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for less than 11 people\n\nUse form 3-S if:\n\n- you paid the fees for someone else to make the claim\n\n- you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for over 10 people\n\nSend your completed form by post or email to HM Courts and Tribunals Service (HMCTS).\n\n## Get help applying\n\nContact HMCTS if you need help applying or have questions about refunds.\n\nFind out about call charges.\n\n## What happens next\n\nIf you\u2019re entitled to a refund it\u2019ll be transferred to your bank account (plus 0.5% interest). You\u2019ll get a letter confirming the amount.\n\n## Legislation\n\nThe Employment Tribunal follows rules and processes that you also have to follow.\n\nYou can also read other relevant tribunal rules and regulations.\n\nThe tribunal has issued guidance and practice directions for England and Wales and Scotland which provide more information about specific areas, such as postponing hearings and serving documents.\n\nYou can also read guidance about specific cases.", + "original_contents": [ + "

    When you can claim

    ", + "

    You can make a claim to an employment tribunal if you think someone has treated you unlawfully, such as your employer, a potential employer or a trade union.

    ", + "

    Unlawful treatment can include:

    ", + "
  • unfair dismissal
  • ", + "
  • discrimination
  • ", + "
  • unfair deductions from your pay
  • ", + "

    This guide and the online service are also available in Welsh (Cymraeg).

    ", + "

    You usually have to make a claim to the tribunal within 3 months of your employment ending or the problem happening.

    ", + "

    The tribunal is independent of government and will listen to you (the \u2018claimant\u2019) and the person you\u2019re making a claim against (the \u2018respondent\u2019) before making a decision.

    ", + "

    See if there\u2019s another way to solve the problem before you make a claim to a tribunal, such as using a grievance procedure.

    ", + "

    Before you make a claim

    ", + "

    You must tell the Advisory, Conciliation and Arbitration Service (Acas) that you intend to make a claim to the tribunal.

    ", + "

    You\u2019ll be offered the chance to try and settle the dispute without going to court by using Acas\u2019s free \u2018Early Conciliation\u2019 service.

    ", + "

    If early conciliation does not work, Acas will send you an early conciliation certificate - use this when you make a claim to the tribunal.

    ", + "

    Once you receive your certificate, you\u2019ll have at least one month left to make your claim.

    ", + "

    Help you can get

    ", + "

    Call the Employment Tribunal customer contact centre if you have any questions about your claim. They cannot give you legal advice.

    ", + "

    Call Acas if you have any questions about early conciliation. They cannot answer questions about your claim.

    ", + "

    Legal help

    ", + "

    You may want to get legal help or advice if you\u2019re in England and Wales or Scotland before you make your claim.

    ", + "

    Your trade union may be able to pay for a solicitor.

    ", + "

    You can also get free legal advice from Citizens Advice or Citizens Advice Scotland.

    ", + "

    The Equality Advisory and Support Service can help if your claim is about discrimination. You may also be able to get legal aid.

    ", + "

    Make a claim

    ", + "

    You can make a claim to the employment tribunal online.

    ", + "

    You should read the guidance for whistleblowing if it relates to your claim.

    ", + "

    This online service is also available in Welsh (Cymraeg).

    ", + "

    There\u2019s a different way to claim if you live in Northern Ireland.

    ", + "

    Claim online

    ", + "

    Make a claim by post

    ", + "

    You can also download and fill in a claim form.

    ", + "

    Read the guidance for making a claim before you fill in the form. You should also read the guidance for whistleblowing if it relates to your claim.

    ", + "

    You do not have to pay a fee to make a claim to the Employment Tribunal, even if it says so on the form.

    ", + "

    Send your completed form to one of the following addresses, depending on where you were working.

    ", + "

    Talk-through service

    ", + "

    Use the employment tribunal talk-through service only if you\u2019re unable to use a computer without help.

    ", + "

    Before calling make sure you have:

    ", + "
  • your Acas early conciliation certificate number or a valid reason why you do not have one
  • ", + "
  • details of your claim including the background, dates and people involved
  • ", + "

    This service will not give you advice on the details of your claim. Contact the number for general enquiries instead.

    ", + "

    After you make a claim

    ", + "

    The respondent usually has to reply to your claim in writing within 28 days of getting your claim form. They will give their side of the case.

    ", + "

    Once they\u2019ve replied, the tribunal will decide whether there will be a full hearing to decide on your case.

    ", + "

    If they do not reply, the tribunal may decide on your case without you having to go to a hearing.

    ", + "

    Hearings and coronavirus (COVID-19)

    ", + "

    Because of coronavirus, your hearing may take place by phone, by video or in person.

    ", + "

    If you\u2019re a legal professional, read guidance on how cases are affected by COVID-19.

    ", + "

    \u2018Preliminary hearing\u2019

    ", + "

    You may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:

    ", + "
  • whether part or all of your claim can go ahead
  • ", + "
  • the date and time of a hearing
  • ", + "
  • how long the hearing should take
  • ", + "

    Arrange documents

    ", + "

    You can ask the respondent for documents that will help you with your case, and they can request documents from you.

    ", + "

    Examples of documents include:

    ", + "
  • a contract of employment
  • ", + "
  • pay slips
  • ", + "
  • details of your pension scheme
  • ", + "
  • notes from relevant meetings you attended at work
  • ", + "

    Usually the tribunal will issue an order setting out a timetable for when you should exchange documents.

    ", + "

    You\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.

    ", + "

    Organise witnesses

    ", + "

    You can bring witnesses to the hearing if they can give evidence directly relevant to your case.

    ", + "

    If you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with your case, giving:

    ", + "
  • the name and address of the witness
  • ", + "
  • details of what the witness may be able to say and how it will help your case
  • ", + "
  • the reason the witness has refused to attend (if they gave you one)
  • ", + "

    You\u2019ll most likely be responsible for paying the witness\u2019s expenses.

    ", + "

    Going to a tribunal hearing

    ", + "

    Cases are normally held at the employment tribunal office closest to where you worked.

    ", + "

    You must take the documents you\u2019re using to support your case. You can take a colleague or someone else with you if you want.

    ", + "

    You cannot claim for expenses for going to the hearing.

    ", + "

    Because of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. If you need to attend in person, find out what to expect when coming to your hearing. The tribunal will contact you and tell you how the hearing will take place.

    ", + "

    What happens at the hearing

    ", + "

    You\u2019ll present your case to the tribunal - someone else can do this for you, for example a lawyer, friend or family member. The respondent will present their case against you.

    ", + "

    You\u2019ll normally give evidence first, unless your case is about unfair dismissal. You can also call witnesses to give evidence.

    ", + "

    You will usually be asked questions by:

    ", + "
  • the judge
  • ", + "
  • the respondent
  • ", + "
  • two other tribunal members (only in certain cases)
  • ", + "

    Get a decision

    ", + "

    You\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.

    ", + "

    If you win your case

    ", + "

    If you win your case, the tribunal can order the losing party to do certain things depending on the type of case. Examples include:

    ", + "
  • paying you compensation
  • ", + "
  • paying you any witness expenses you\u2019ve paid
  • ", + "
  • improving your working conditions
  • ", + "
  • giving you your job back, if appropriate
  • ", + "

    If you get compensation, the amount can depend on:

    ", + "
  • the type of case - there are limits on certain cases
  • ", + "
  • how much money you\u2019ve lost because of the respondent\u2019s actions
  • ", + "
  • your age, length of service and salary
  • ", + "

    If the respondent does not pay

    ", + "

    If you do not get your payment, contact them to find out why.

    ", + "

    If they still do not pay you can ask to have them fined and named online by the government. You can also ask a court to force them to pay.

    ", + "

    You cannot do these things if the respondent has appealed, or is about to. They have 42 days to appeal.

    ", + "

    Get the respondent fined and named online by the government

    ", + "

    Use the penalty enforcement form. Post it to the address on the form or email it to the Department for Business, Energy and Industrial Strategy.

    ", + "

    The respondent will initially get a warning notice telling them they may be fined, and named online by the government.

    ", + "

    If they do not pay the compensation within 28 days of this notice they\u2019ll have to pay a fine and may be named online by the government.

    ", + "

    You can still get a court to force them to pay.

    ", + "

    Forcing them to pay if you\u2019re in England or Wales

    ", + "

    You can use the Fast Track scheme to send a High Court Enforcement Officer - similar to a bailiff - to demand payment from the respondent.

    ", + "

    It costs \u00a366, which you get back from the respondent when they pay.

    ", + "

    Fill in the Fast Track Enforcement form (or the Acas settlement form if your case was settled before a hearing) and send it to the address on the form.

    ", + "

    You can also ask the local county court to send an enforcement officer to get the money from the respondent. This costs \u00a344.

    ", + "

    Fill in an application to enforce an award form and send it with a copy of the tribunal\u2019s decision to your local county court.

    ", + "

    Forcing them to pay if you\u2019re in Scotland

    ", + "

    Write to the office that heard your case and ask for an \u2018extract of the judgment\u2019. A sheriff officer can use this to force the respondent to pay.

    ", + "

    If the respondent is \u2018insolvent\u2019 (for example, they\u2019re in administration, liquidation or receivership) you can make a claim for money they owe you, including redundancy payments.

    ", + "

    If you lose your case

    ", + "

    You can ask the tribunal to reconsider the decision (or \u2018judgment\u2019) if you lose your case.

    ", + "

    You must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.

    ", + "

    You also need to give good reasons, for example:

    ", + "
  • the tribunal made a mistake in the way it reached its decision
  • ", + "
  • you were not told about the hearing, or were not at the hearing
  • ", + "
  • there\u2019s new evidence
  • ", + "

    Send your letter to the tribunal office that dealt with your case.

    ", + "

    Appeal to the Employment Appeal Tribunal

    ", + "

    You can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.

    ", + "

    Get a refund for tribunal fees

    ", + "

    You can get a refund if you paid fees at an Employment Tribunal or Employment Appeals Tribunal between 29 July 2013 and 26 July 2017.

    ", + "

    How to apply

    ", + "

    You can apply online if:

    ", + "
  • you have not changed your name since you made the claim to the tribunal
  • ", + "
  • your claim was against one employer
  • ", + "
  • you have a UK bank account
  • ", + "

    Otherwise, you can apply by post or email.

    ", + "

    You\u2019ll need to include how much you paid in tribunal fees.

    ", + "

    Apply online

    ", + "

    Use the service to apply for a refund online.

    ", + "

    Apply by email or post

    ", + "

    The form you use depends on why you paid the fees.

    ", + "

    Use form 1/2-CR if:

    ", + "
  • you made the claim on your own and paid the fees
  • ", + "
  • a claim was brought against you and you were ordered to pay someone\u2019s fees, or if you paid any other fees to the tribunal
  • ", + "
  • you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for less than 11 people
  • ", + "

    Use form 3-S if:

    ", + "
  • you paid the fees for someone else to make the claim
  • ", + "
  • you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for over 10 people
  • ", + "

    Send your completed form by post or email to HM Courts and Tribunals Service (HMCTS).

    ", + "

    Get help applying

    ", + "

    Contact HMCTS if you need help applying or have questions about refunds.

    ", + "

    Find out about call charges.

    ", + "

    What happens next

    ", + "

    If you\u2019re entitled to a refund it\u2019ll be transferred to your bank account (plus 0.5% interest). You\u2019ll get a letter confirming the amount.

    ", + "

    Legislation

    ", + "

    The Employment Tribunal follows rules and processes that you also have to follow.

    ", + "

    You can also read other relevant tribunal rules and regulations.

    ", + "

    The tribunal has issued guidance and practice directions for England and Wales and Scotland which provide more information about specific areas, such as postponing hearings and serving documents.

    ", + "

    You can also read guidance about specific cases.

    " + ] + }, + "https://www.gov.uk/make-a-statement-to-the-parole-board": { + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "title": "Make a victim personal statement to the Parole Board", + "content": "## Who can make a victim personal statement and when\n\nThe Parole Board decides if prisoners who are eligible for parole can be released. It also makes recommendations on whether it\u2019s safe for prisoners to be:\n\n- transferred to an open prison\n\n- given a temporary release under supervision (known as being \u2018on licence\u2019 or probation)\n\n## Victims\n\nYou can make a \u2018victim personal statement\u2019 to be presented at the Parole Board hearing if you\u2019re a victim of the prisoner.\n\nThis is sometimes known as an \u2018impact statement\u2019.\n\nIf you\u2019re in Scotland, you need to make a written representation to the Parole Board for Scotland.\n\nYou can use your statement to explain how the crime has affected you - from the time it was committed until now.\n\nThis includes the effect the crime has had on you and your family:\n\n- physically\n\n- mentally\n\n- emotionally\n\n- financially\n\n## Relatives of victims\n\nYou can make a victim personal statement if you\u2019re a close relative of a victim who:\n\n- has died\n\n- is aged under 18\n\n- cannot make a statement themselves - for example, because of mental incapacity or illness\n\nClose relatives include spouses and partners, parents, children, grandparents, grandchildren, siblings and dependants. Other family members, guardians and carers of victims may also be allowed to make a statement.\n\nWhen more than one relative wants to make a statement, the Parole Board may ask for 1 or 2 statements to represent them all.\n\n## When to make your victim personal statement\n\nIf you choose to join the Victim Contact Scheme, your Victim Liaison Officer will tell you when a prisoner is being considered for parole.\n\nThey\u2019ll tell you when to write your victim personal statement. They\u2019ll also send it to the Parole Board for you at least 28 days before the hearing.\n\nIf you did not join the Victim Contact Scheme, you can contact your local probation office about:\n\n- giving a statement\n\n- joining the scheme if you want to be told when a prisoner is being considered for release or transfer\n\nThe Parole Board has more information about making a victim personal statement and joining the Victim Contact Scheme.\n\n## How a victim personal statement is used\n\nThe Parole Board panel makes a decision based on whether a prisoner is a risk to the public.\n\nThe panel can use your victim personal statement to help it:\n\n- understand the impact of the crime\n\n- decide what questions to ask the prisoner, to find out about their understanding of how their crimes have affected victims\n\n- decide what the prisoner can and cannot do (known as \u2018licence conditions\u2019) if they\u2019re released\n\nThe Parole Board will make its decision by:\n\n- privately reviewing a file of information and reports about the prisoner\n\n- holding a hearing, if the board needs more information\n\nYou can ask to attend the hearing to read out your statement if you want, or have it read out for you. The Parole Board decides if you can attend.\n\n## Write your victim personal statement\n\nYour victim personal statement is your opportunity to explain how a crime has affected you and your family - for example, physically, emotionally, financially or in any other way.\n\nYou can update the statement that you wrote for the prisoner\u2019s trial or write a new one.\n\nYour statement should take less than 10 minutes to read out.\n\nYou can usually choose how your statement is presented at an oral hearing.\n\nYou must always submit a written version of your statement.\n\n## What to include\n\nYou need to include how the:\n\n- crime affected you at the time\n\n- crime has affected you since it happened\n\n- prisoner\u2019s release or move to an open prison would affect you, your family, friends or community\n\nDo not include:\n\n- whether you think the prisoner should be released\n\n- long descriptions of the original crime\n\n- any threats or critical comments to or about the prisoner or the Parole Board\n\nTell your Victim Liaison Officer if you think you have other information that will help the Parole Board make a decision.\n\n## Young victims and children\n\nIf you do not want to or cannot make a written victim personal statement, you can tell your Victim Liaison Officer about how:\n\n- you and your family were hurt\n\n- the crime makes you feel now\n\n- you think you would feel if the prisoner was released\n\nYour Victim Liaison Officer will write this down and give it to the Parole Board.\n\nYour parent or guardian can also make a statement if they want to.\n\n## The prisoner\u2019s access to your victim personal statement\n\nPrisoners usually have full access to all victim personal statements presented at their hearing.\n\nSpeak to your Victim Liaison Officer if you do not want the prisoner to have access to your statement.\n\nYou\u2019ll need to make a good case that it will:\n\n- put you or your family at risk\n\n- have a negative effect on you in some other way\n\nStatements are only withheld from prisoners under exceptional circumstances.\n\n## Choose how your victim personal statement is presented at the hearing\n\nYou\u2019ll usually have a choice of how your victim personal statement is presented at the hearing.\n\nYou can ask:\n\n- for the Parole Board panel to read your statement themselves\n\n- to attend the hearing and read out your statement in person\n\n- to attend the hearing and choose someone else to read out your statement\n\n- to choose someone to go the hearing instead of you and read out your statement\n\nBecause of coronavirus (COVID-19) you cannot currently attend hearings in person. You will have to submit your statement remotely.\n\nAt some hearings you may be able to read out your statement via a live video link or make a recording for the panel.\n\nRequests by victims to attend hearings are usually granted, but it\u2019s not a legal right and you can be refused.\n\nYou can usually bring your Victim Liaison Officer or a family member or friend if you come to the hearing.\n\nPeople under 18 years of age usually cannot attend parole hearings in person and must choose one of the other options, such as getting someone else to read out your statement.\n\n## What happens at a parole hearing\n\nYou\u2019ll be asked to read out your victim personal statement (unless someone else is reading it for you).\n\nYou will not be able to add anything to your written statement at the hearing and will not usually be asked questions.\n\nAfter you\u2019ve made your statement you\u2019ll be asked to leave and the hearing will continue.\n\nYour Victim Liaison Officer will tell you the outcome.\n\nRead the guide on getting parole for detailed information on what happens at a parole hearing.\n\n## Prisoners at parole hearings\n\nPrisoners are usually not present while their victims read their statements. The prisoner\u2019s legal representative is usually there.\n\nYou can ask that the prisoner is present while you read your statement, but they\u2019ll need to agree to this and the Parole Board has to allow it.", + "original_contents": [ + "

    Who can make a victim personal statement and when

    ", + "

    The Parole Board decides if prisoners who are eligible for parole can be released. It also makes recommendations on whether it\u2019s safe for prisoners to be:

    ", + "
  • transferred to an open prison
  • ", + "
  • given a temporary release under supervision (known as being \u2018on licence\u2019 or probation)
  • ", + "

    Victims

    ", + "

    You can make a \u2018victim personal statement\u2019 to be presented at the Parole Board hearing if you\u2019re a victim of the prisoner.

    ", + "

    This is sometimes known as an \u2018impact statement\u2019.

    ", + "

    If you\u2019re in Scotland, you need to make a written representation to the Parole Board for Scotland.

    ", + "

    You can use your statement to explain how the crime has affected you - from the time it was committed until now.

    ", + "

    This includes the effect the crime has had on you and your family:

    ", + "
  • physically
  • ", + "
  • mentally
  • ", + "
  • emotionally
  • ", + "
  • financially
  • ", + "

    Relatives of victims

    ", + "

    You can make a victim personal statement if you\u2019re a close relative of a victim who:

    ", + "
  • has died
  • ", + "
  • is aged under 18
  • ", + "
  • cannot make a statement themselves - for example, because of mental incapacity or illness
  • ", + "

    Close relatives include spouses and partners, parents, children, grandparents, grandchildren, siblings and dependants. Other family members, guardians and carers of victims may also be allowed to make a statement.

    ", + "

    When more than one relative wants to make a statement, the Parole Board may ask for 1 or 2 statements to represent them all.

    ", + "

    When to make your victim personal statement

    ", + "

    If you choose to join the Victim Contact Scheme, your Victim Liaison Officer will tell you when a prisoner is being considered for parole.

    ", + "

    They\u2019ll tell you when to write your victim personal statement. They\u2019ll also send it to the Parole Board for you at least 28 days before the hearing.

    ", + "

    If you did not join the Victim Contact Scheme, you can contact your local probation office about:

    ", + "
  • giving a statement
  • ", + "
  • joining the scheme if you want to be told when a prisoner is being considered for release or transfer
  • ", + "

    The Parole Board has more information about making a victim personal statement and joining the Victim Contact Scheme.

    ", + "

    How a victim personal statement is used

    ", + "

    The Parole Board panel makes a decision based on whether a prisoner is a risk to the public.

    ", + "

    The panel can use your victim personal statement to help it:

    ", + "
  • understand the impact of the crime
  • ", + "
  • decide what questions to ask the prisoner, to find out about their understanding of how their crimes have affected victims
  • ", + "
  • decide what the prisoner can and cannot do (known as \u2018licence conditions\u2019) if they\u2019re released
  • ", + "

    The Parole Board will make its decision by:

    ", + "
  • privately reviewing a file of information and reports about the prisoner
  • ", + "
  • holding a hearing, if the board needs more information
  • ", + "

    You can ask to attend the hearing to read out your statement if you want, or have it read out for you. The Parole Board decides if you can attend.

    ", + "

    Write your victim personal statement

    ", + "

    Your victim personal statement is your opportunity to explain how a crime has affected you and your family - for example, physically, emotionally, financially or in any other way.

    ", + "

    You can update the statement that you wrote for the prisoner\u2019s trial or write a new one.

    ", + "

    Your statement should take less than 10 minutes to read out.

    ", + "

    You can usually choose how your statement is presented at an oral hearing.

    ", + "

    You must always submit a written version of your statement.

    ", + "

    What to include

    ", + "

    You need to include how the:

    ", + "
  • crime affected you at the time
  • ", + "
  • crime has affected you since it happened
  • ", + "
  • prisoner\u2019s release or move to an open prison would affect you, your family, friends or community
  • ", + "

    Do not include:

    ", + "
  • whether you think the prisoner should be released
  • ", + "
  • long descriptions of the original crime
  • ", + "
  • any threats or critical comments to or about the prisoner or the Parole Board
  • ", + "

    Tell your Victim Liaison Officer if you think you have other information that will help the Parole Board make a decision.

    ", + "

    Young victims and children

    ", + "

    If you do not want to or cannot make a written victim personal statement, you can tell your Victim Liaison Officer about how:

    ", + "
  • you and your family were hurt
  • ", + "
  • the crime makes you feel now
  • ", + "
  • you think you would feel if the prisoner was released
  • ", + "

    Your Victim Liaison Officer will write this down and give it to the Parole Board.

    ", + "

    Your parent or guardian can also make a statement if they want to.

    ", + "

    The prisoner\u2019s access to your victim personal statement

    ", + "

    Prisoners usually have full access to all victim personal statements presented at their hearing.

    ", + "

    Speak to your Victim Liaison Officer if you do not want the prisoner to have access to your statement.

    ", + "

    You\u2019ll need to make a good case that it will:

    ", + "
  • put you or your family at risk
  • ", + "
  • have a negative effect on you in some other way
  • ", + "

    Statements are only withheld from prisoners under exceptional circumstances.

    ", + "

    Choose how your victim personal statement is presented at the hearing

    ", + "

    You\u2019ll usually have a choice of how your victim personal statement is presented at the hearing.

    ", + "

    You can ask:

    ", + "
  • for the Parole Board panel to read your statement themselves
  • ", + "
  • to attend the hearing and read out your statement in person
  • ", + "
  • to attend the hearing and choose someone else to read out your statement
  • ", + "
  • to choose someone to go the hearing instead of you and read out your statement
  • ", + "

    Because of coronavirus (COVID-19) you cannot currently attend hearings in person. You will have to submit your statement remotely.

    ", + "

    At some hearings you may be able to read out your statement via a live video link or make a recording for the panel.

    ", + "

    Requests by victims to attend hearings are usually granted, but it\u2019s not a legal right and you can be refused.

    ", + "

    You can usually bring your Victim Liaison Officer or a family member or friend if you come to the hearing.

    ", + "

    People under 18 years of age usually cannot attend parole hearings in person and must choose one of the other options, such as getting someone else to read out your statement.

    ", + "

    What happens at a parole hearing

    ", + "

    You\u2019ll be asked to read out your victim personal statement (unless someone else is reading it for you).

    ", + "

    You will not be able to add anything to your written statement at the hearing and will not usually be asked questions.

    ", + "

    After you\u2019ve made your statement you\u2019ll be asked to leave and the hearing will continue.

    ", + "

    Your Victim Liaison Officer will tell you the outcome.

    ", + "

    Read the guide on getting parole for detailed information on what happens at a parole hearing.

    ", + "

    Prisoners at parole hearings

    ", + "

    Prisoners are usually not present while their victims read their statements. The prisoner\u2019s legal representative is usually there.

    ", + "

    You can ask that the prisoner is present while you read your statement, but they\u2019ll need to agree to this and the Parole Board has to allow it.

    " + ] + }, + "https://www.gov.uk/represent-yourself-in-court": { + "url": "https://www.gov.uk/represent-yourself-in-court", + "title": "Represent yourself in court", + "content": "## Overview\n\nYou have the right to speak for yourself in court without a solicitor or other legal professional.\n\nYou may choose to do this because:\n\n- you think it\u2019s better to talk directly to the judge, jury or magistrates yourself\n\n- you cannot afford to pay legal fees\n\nIf you\u2019re considering representing yourself because you cannot afford legal costs, check if you can get legal aid instead.\n\nYou\u2019ll be known as a \u2018litigant in person\u2019 if you represent yourself. You\u2019ll also be known as an \u2018applicant\u2019, \u2018respondent\u2019 or \u2018defendant\u2019 depending on whether your case is heard in a family, civil or criminal court.\n\nRead Advicenow\u2019s guides to going to court for advice on how to conduct your case.\n\nThere are different courts and rules in Scotland.\n\n## Someone with you in court\n\nYou may be allowed to have someone to help you in court by taking notes and giving advice, but they cannot:\n\n- speak for you\n\n- interfere with proceedings\n\n- sign documents on your behalf\n\nThis person is known as a \u2018McKenzie friend\u2019.\n\nThe judge will decide whether you can have a McKenzie friend with you in court.\n\nRead guidance on what a McKenzie friend can and cannot do.\n\n## Get legal advice\n\nYou can still get legal advice to help you with your case, even if you choose to represent yourself in court.\n\nFind a solicitor.\n\nRead advice on what you should consider before going to court for a debt, dispute or personal injury claim.\n\n## Divorce and separation involving children\n\nYou\u2019ll be referred to as the \u2018applicant\u2019 if you brought the case, for example you filed the divorce papers.\n\nYou\u2019ll be known as the \u2018respondent\u2019 if you\u2019ve received divorce papers or a request for a separation, or a contact order or residence order for a child.\n\n## Before you go to court\n\nYou must normally go to mediation before you go to court.\n\nThe court will not hear your case until you send them a C100 form.\n\nRead guidance about whether you should take your case to court.\n\nRead the \u2018Guide for Separated Parents: Children and the Family Courts\u2019.\n\nFind out more about:\n\n- how to apply for a court order\n\n- the types of court order you can apply for or respond to\n\n- what the court does after you apply for a court order\n\n- getting free and independent help with forms and documents\n\n## Divorce and separation: money and property\n\nYou\u2019ll be referred to as the:\n\n- \u2018applicant\u2019 if you brought the case, for example you filed a divorce petition\n\n- \u2018respondent\u2019 if someone else has brought the case\n\nFind out what you must do before you go to court if you\u2019re divorcing or separating and you\u2019ve a dispute about money or property.\n\nYou must normally consider mediation before you go to court.\n\nThe court will not hear your case until you send them a C100 form.", + "original_contents": [ + "

    Overview

    ", + "

    You have the right to speak for yourself in court without a solicitor or other legal professional.

    ", + "

    You may choose to do this because:

    ", + "
  • you think it\u2019s better to talk directly to the judge, jury or magistrates yourself
  • ", + "
  • you cannot afford to pay legal fees
  • ", + "

    If you\u2019re considering representing yourself because you cannot afford legal costs, check if you can get legal aid instead.

    ", + "

    You\u2019ll be known as a \u2018litigant in person\u2019 if you represent yourself. You\u2019ll also be known as an \u2018applicant\u2019, \u2018respondent\u2019 or \u2018defendant\u2019 depending on whether your case is heard in a family, civil or criminal court.

    ", + "

    Read Advicenow\u2019s guides to going to court for advice on how to conduct your case.

    ", + "

    There are different courts and rules in Scotland.

    ", + "

    Someone with you in court

    ", + "

    You may be allowed to have someone to help you in court by taking notes and giving advice, but they cannot:

    ", + "
  • speak for you
  • ", + "
  • interfere with proceedings
  • ", + "
  • sign documents on your behalf
  • ", + "

    This person is known as a \u2018McKenzie friend\u2019.

    ", + "

    The judge will decide whether you can have a McKenzie friend with you in court.

    ", + "

    Read guidance on what a McKenzie friend can and cannot do.

    ", + "

    Get legal advice

    ", + "

    You can still get legal advice to help you with your case, even if you choose to represent yourself in court.

    ", + "

    Find a solicitor.

    ", + "

    Read advice on what you should consider before going to court for a debt, dispute or personal injury claim.

    ", + "

    Divorce and separation involving children

    ", + "

    You\u2019ll be referred to as the \u2018applicant\u2019 if you brought the case, for example you filed the divorce papers.

    ", + "

    You\u2019ll be known as the \u2018respondent\u2019 if you\u2019ve received divorce papers or a request for a separation, or a contact order or residence order for a child.

    ", + "

    Before you go to court

    ", + "

    You must normally go to mediation before you go to court.

    ", + "

    The court will not hear your case until you send them a C100 form.

    ", + "

    Read guidance about whether you should take your case to court.

    ", + "

    Read the \u2018Guide for Separated Parents: Children and the Family Courts\u2019.

    ", + "

    Find out more about:

    ", + "
  • how to apply for a court order
  • ", + "
  • the types of court order you can apply for or respond to
  • ", + "
  • what the court does after you apply for a court order
  • ", + "
  • getting free and independent help with forms and documents
  • ", + "

    Divorce and separation: money and property

    ", + "

    You\u2019ll be referred to as the:

    ", + "
  • \u2018applicant\u2019 if you brought the case, for example you filed a divorce petition
  • ", + "
  • \u2018respondent\u2019 if someone else has brought the case
  • ", + "

    Find out what you must do before you go to court if you\u2019re divorcing or separating and you\u2019ve a dispute about money or property.

    ", + "

    You must normally consider mediation before you go to court.

    ", + "

    The court will not hear your case until you send them a C100 form.

    " + ] + }, + "https://www.gov.uk/housing-tribunals": { + "url": "https://www.gov.uk/housing-tribunals", + "title": "Solve a residential property dispute", + "content": "## Overview\n\nYou can apply to the First-Tier Tribunal (Property Chamber - Residential Property) if you\u2019re a landlord, tenant, freeholder, leaseholder, park home occupier or site owner. The cases you can apply for include:\n\n- rent increases for \u2018fair\u2019 or \u2018market\u2019 rates\n\n- leasehold disputes, for example variable service charges, recognising a tenants\u2019 association, management disputes\n\n- leasehold enfranchisement, for example buying the freehold for a group of flats, extending a lease\n\n- disputes about park homes, for example breach of agreement, changing the pitch fee\n\n- financial penalties issued by local authorities\n\n- rent repayment orders\n\n- improvement notices and prohibition orders where your notice is under the Housing Act 2004\n\n- disputes about licences for houses in multiple occupation\n\n- the right to buy your council home being refused because it\u2019s deemed suitable for elderly people\n\n- banned tenant fees you paid to a landlord or letting agent, for example fees for a credit check\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nThere are different ways to apply in Wales, apply in Scotland and apply in Northern Ireland.\n\n## Help you can get\n\nYou may want to get help and advice before you apply - contact Leasehold Advisory Service or Citizens Advice.\n\nYou can also get legal advice, including from a lawyer.\n\n## Apply to the tribunal\n\nDownload and fill in the right form for your application.\n\n| Why you\u2019re applying | Form | Guidance |\n\n| Rent | See the form finder | Leaflet T540 |\n\n| Service charges and leasehold management | See the form finder | Leaflet T541 |\n\n| Leasehold enfranchisement | Form \u2018Leasehold 9\u2019 | Leaflet T542 |\n\n| Houses in multiple occupation and selective licensing | Form HMO | Leaflet T543 |\n\n| Improvement notices, prohibition orders, demolition orders | Form HHSRS | Leaflet T543 |\n\n| Park homes | See the form finder | Leaflet T544 |\n\n| Financial penalties appeals under the Housing Act 2004 | Form HO4 | Leaflet T543 |\n\n| Financial penalties appeals under the Tenant Fees Act 2019 | Form TFA2 | Leaflet TFA3 |\n\n| Rent repayment orders | Form RRO1 | Leaflet T543 |\n\n| Recognising a tenants\u2019 association | Form TA | Leaflet T545 |\n\n| Right to buy your council home is refused | Form RTB1 | Leaflet T546 |\n\n| Tenant fees charged by landlord or letting agent | Form TFA1 | Leaflet TFA3 |\n\n| All other cases | See the form finder | |\n\n## Fees\n\nYou may have to pay a fee to apply - the form will say how much. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\n## Send the form\n\nEmail the form to the regional office that covers your area.\n\n## What happens next\n\nYou\u2019ll be told whether the tribunal will consider your case. You may need to provide more evidence, for example additional supporting documents.\n\nYou may be told that the case does not need a hearing and can be decided on your application alone (known as a \u2018paper decision\u2019). You can still ask for a hearing (\u2018oral hearing\u2019) if you\u2019d like one.\n\n## What happens at the hearing\n\nWhat happens will depend on whether you\u2019ve asked for a paper decision or an oral hearing.\n\n## Paper decision\n\nThere will not normally be an oral hearing if you ask for a paper decision, unless a judge requests one.\n\nThe paper decision will be based on:\n\n- your application\n\n- supporting documents\n\nYou\u2019ll usually get a decision within 6 weeks of the tribunal looking at your documents.\n\n## Oral hearing\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. Find out what to expect if you\u2019re attending a hearing in person. The tribunal will contact you and tell you how the hearing will take place.\n\nThe hearing is public. You\u2019ll present your case to the tribunal - someone else can do this for you, for example a legal adviser, surveyor, friend or family member.\n\nYou may be asked questions by:\n\n- your representative (if you have one)\n\n- the other party\u2019s representative\n\n- the tribunal hearing your case\n\nYou\u2019ll usually get a decision within 6 weeks of the hearing.\n\n## If you're unhappy with the decision\n\nYou may be able to appeal if you\u2019re unhappy with the decision. Ask the tribunal for permission to appeal to the Upper Tribunal (Lands Chamber) within 28 days of the hearing\u2019s decision.\n\nContact HM Courts and Tribunals Service (HMCTS) if you want to complain about the quality of service you received.\n\n## Legislation and previous decisions\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\n## Legislation\n\nThe tribunal must follow the rules in the Tribunal Procedure (First-tier Tribunal) (Property Chamber) Rules 2013.\n\n## Rent disputes\n\nThe tribunal will make a decision based on the:\n\n- Rent Act 1977\n\n- Rent Acts (Maximum Fair Rent) Order 1999 - this limits the amount of rent that can be charged\n\n- Local Government and Housing Act 1989 - this covers long leases at low rent\n\n- Housing Act 1988\n\n## Park homes\n\nThe tribunal will make a decision based on the:\n\n- Caravan Sites and Control of Development Act 1960\n\n- Mobile Homes Act 1983\n\n## Leasehold disputes\n\nThe tribunal will make a decision based on the:\n\n- Landlord and Tenant Act 1985\n\n- Landlord and Tenant Act 1987\n\n- Commonhold and Leasehold Reform Act 2002\n\n## Rent repayment orders\n\nThe tribunal will make a decision based on part 2, chapter 4 of the Housing and Planning Act 2016.\n\n## \u2018Housing Act 2004\u2019 appeals\n\nThe tribunal will make a decision based on Housing Act 2004 in certain cases. See:\n\n- part 1, chapter 2 for the law on improvement notices and prohibition orders\n\n- part 1, chapter 4 for the law on demolition orders\n\n- part 1, chapter 3 for the law on emergency remedial notices or emergency prohibition orders\n\n- part 2 for the law on licensing houses in multiple occupation\n\n- part 3 for the law on selective licensing\n\n- part 4, chapter 2 for the law on empty dwelling management orders\n\n## Leasehold enfranchisement\n\nThe tribunal will make a decision based on the:\n\n- Leasehold Reform, Housing and Urban Development Act 1993\n\n- Leasehold Reform Act 1967\n\n- Commonhold and Leasehold Reform Act 2002\n\n- Landlord and Tenant Act 1987", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to the First-Tier Tribunal (Property Chamber - Residential Property) if you\u2019re a landlord, tenant, freeholder, leaseholder, park home occupier or site owner. The cases you can apply for include:

    ", + "
  • rent increases for \u2018fair\u2019 or \u2018market\u2019 rates
  • ", + "
  • leasehold disputes, for example variable service charges, recognising a tenants\u2019 association, management disputes
  • ", + "
  • leasehold enfranchisement, for example buying the freehold for a group of flats, extending a lease
  • ", + "
  • disputes about park homes, for example breach of agreement, changing the pitch fee
  • ", + "
  • financial penalties issued by local authorities
  • ", + "
  • rent repayment orders
  • ", + "
  • improvement notices and prohibition orders where your notice is under the Housing Act 2004
  • ", + "
  • disputes about licences for houses in multiple occupation
  • ", + "
  • the right to buy your council home being refused because it\u2019s deemed suitable for elderly people
  • ", + "
  • banned tenant fees you paid to a landlord or letting agent, for example fees for a credit check
  • ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    There are different ways to apply in Wales, apply in Scotland and apply in Northern Ireland.

    ", + "

    Help you can get

    ", + "

    You may want to get help and advice before you apply - contact Leasehold Advisory Service or Citizens Advice.

    ", + "

    You can also get legal advice, including from a lawyer.

    ", + "

    Apply to the tribunal

    ", + "

    Download and fill in the right form for your application.

    ", + "Why you\u2019re applying | Form | Guidance", + "Rent | See the form finder | Leaflet T540", + "Service charges and leasehold management | See the form finder | Leaflet T541", + "Leasehold enfranchisement | Form \u2018Leasehold 9\u2019 | Leaflet T542", + "Houses in multiple occupation and selective licensing | Form HMO | Leaflet T543", + "Improvement notices, prohibition orders, demolition orders | Form HHSRS | Leaflet T543", + "Park homes | See the form finder | Leaflet T544", + "Financial penalties appeals under the Housing Act 2004 | Form HO4 | Leaflet T543", + "Financial penalties appeals under the Tenant Fees Act 2019 | Form TFA2 | Leaflet TFA3", + "Rent repayment orders | Form RRO1 | Leaflet T543", + "Recognising a tenants\u2019 association | Form TA | Leaflet T545", + "Right to buy your council home is refused | Form RTB1 | Leaflet T546", + "Tenant fees charged by landlord or letting agent | Form TFA1 | Leaflet TFA3", + "All other cases | See the form finder | ", + "

    Fees

    ", + "

    You may have to pay a fee to apply - the form will say how much. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.

    ", + "

    Send the form

    ", + "

    Email the form to the regional office that covers your area.

    ", + "

    What happens next

    ", + "

    You\u2019ll be told whether the tribunal will consider your case. You may need to provide more evidence, for example additional supporting documents.

    ", + "

    You may be told that the case does not need a hearing and can be decided on your application alone (known as a \u2018paper decision\u2019). You can still ask for a hearing (\u2018oral hearing\u2019) if you\u2019d like one.

    ", + "

    What happens at the hearing

    ", + "

    What happens will depend on whether you\u2019ve asked for a paper decision or an oral hearing.

    ", + "

    Paper decision

    ", + "

    There will not normally be an oral hearing if you ask for a paper decision, unless a judge requests one.

    ", + "

    The paper decision will be based on:

    ", + "
  • your application
  • ", + "
  • supporting documents
  • ", + "

    You\u2019ll usually get a decision within 6 weeks of the tribunal looking at your documents.

    ", + "

    Oral hearing

    ", + "

    Because of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. Find out what to expect if you\u2019re attending a hearing in person. The tribunal will contact you and tell you how the hearing will take place.

    ", + "

    The hearing is public. You\u2019ll present your case to the tribunal - someone else can do this for you, for example a legal adviser, surveyor, friend or family member.

    ", + "

    You may be asked questions by:

    ", + "
  • your representative (if you have one)
  • ", + "
  • the other party\u2019s representative
  • ", + "
  • the tribunal hearing your case
  • ", + "

    You\u2019ll usually get a decision within 6 weeks of the hearing.

    ", + "

    If you're unhappy with the decision

    ", + "

    You may be able to appeal if you\u2019re unhappy with the decision. Ask the tribunal for permission to appeal to the Upper Tribunal (Lands Chamber) within 28 days of the hearing\u2019s decision.

    ", + "

    Contact HM Courts and Tribunals Service (HMCTS) if you want to complain about the quality of service you received.

    ", + "

    Legislation and previous decisions

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal must follow the rules in the Tribunal Procedure (First-tier Tribunal) (Property Chamber) Rules 2013.

    ", + "

    Rent disputes

    ", + "

    The tribunal will make a decision based on the:

    ", + "
  • Rent Act 1977
  • ", + "
  • Rent Acts (Maximum Fair Rent) Order 1999 - this limits the amount of rent that can be charged
  • ", + "
  • Local Government and Housing Act 1989 - this covers long leases at low rent
  • ", + "
  • Housing Act 1988
  • ", + "

    Park homes

    ", + "

    The tribunal will make a decision based on the:

    ", + "
  • Caravan Sites and Control of Development Act 1960
  • ", + "
  • Mobile Homes Act 1983
  • ", + "

    Leasehold disputes

    ", + "

    The tribunal will make a decision based on the:

    ", + "
  • Landlord and Tenant Act 1985
  • ", + "
  • Landlord and Tenant Act 1987
  • ", + "
  • Commonhold and Leasehold Reform Act 2002
  • ", + "

    Rent repayment orders

    ", + "

    The tribunal will make a decision based on part 2, chapter 4 of the Housing and Planning Act 2016.

    ", + "

    \u2018Housing Act 2004\u2019 appeals

    ", + "

    The tribunal will make a decision based on Housing Act 2004 in certain cases. See:

    ", + "
  • part 1, chapter 2 for the law on improvement notices and prohibition orders
  • ", + "
  • part 1, chapter 4 for the law on demolition orders
  • ", + "
  • part 1, chapter 3 for the law on emergency remedial notices or emergency prohibition orders
  • ", + "
  • part 2 for the law on licensing houses in multiple occupation
  • ", + "
  • part 3 for the law on selective licensing
  • ", + "
  • part 4, chapter 2 for the law on empty dwelling management orders
  • ", + "

    Leasehold enfranchisement

    ", + "

    The tribunal will make a decision based on the:

    ", + "
  • Leasehold Reform, Housing and Urban Development Act 1993
  • ", + "
  • Leasehold Reform Act 1967
  • ", + "
  • Commonhold and Leasehold Reform Act 2002
  • ", + "
  • Landlord and Tenant Act 1987
  • " + ] + }, + "https://www.gov.uk/staying-in-touch-with-someone-in-prison": { + "url": "https://www.gov.uk/staying-in-touch-with-someone-in-prison", + "title": "Staying in touch with someone in prison", + "content": "## Letters, video and telephone calls\n\n## Letters\n\nYou can contact a prisoner by writing to them. Write the person\u2019s prisoner number on the envelope. Normally there\u2019s no limit on the number of letters you can send.\n\nMost letters sent to and from prison are checked by prison staff.\n\nPrisons cannot open letters from solicitors and courts except in special cases, for example if they suspect a letter is not really from a legal adviser.\n\nYou can complain to the prison if you think your letters are being read when they should not be, or if your letters are not reaching the prisoner.\n\n## Video calls\n\nYou can make video calls to people in some prisons using your mobile phone or tablet.\n\nVideo calls are free at the moment. This is because of coronavirus (COVID-19).\n\nCalls can last up to 30 minutes. A prisoner is allowed 1 video call a month.\n\n## Who can call\n\nYou must be over 18 and on the prisoner\u2019s list of friends and family.\n\nYou can invite up to 3 other people (of any age) on the call if they are on the prisoner\u2019s visitor list.\n\n## How to call\n\n- Find out if the prison offers video calls.\n\n- Install an app on your phone or tablet (it can take up to 24 hours for your account on the app to be verified).\n\n- Check if everyone who wants to join the call is on the prisoner\u2019s list of friends and family.\n\n- Request a video call using the app or ask the prisoner to request a call.\n\n- Prison staff will schedule the call and send confirmation by email.\n\nAll video calls are recorded. Prison staff may watch video calls while they are happening.\n\n## Telephone calls\n\nThe prisoner has to call you using a prison phone.\n\nThey can only call people named on their list of friends and family. This list is checked by security when they first arrive so it may take a few days before they\u2019re able to call.\n\nPrison staff can listen to and record most types of call. Some calls are not monitored, for example when a prisoner calls a legal adviser.\n\nYou can also exchange voice messages with a prisoner using the Prison Voicemail service.\n\n## Email and social media\n\nPrisoners are not allowed to access social networking websites (such as Facebook or Twitter) while they\u2019re in custody.\n\nYou cannot email prisoners directly, but you can use a service called Email a Prisoner. If you send a message this way, it\u2019ll be printed out and delivered by prison staff. Each email costs 40p and you need to buy credit to use the service.\n\nIn some prisons, prisoners can also reply and attach a photo through Email a Prisoner. Check which prisons allow replies.\n\n## Banned items\n\nYou must not send or give anything to a prisoner that:\n\n- is indecent or obscene\n\n- threatens the security of the prison\n\n- is written in code\n\nYou must not take anything written by a prisoner that they want to publish and be paid for.\n\nIt\u2019s a criminal offence to send or give a prisoner:\n\n- illegal drugs\n\n- alcohol\n\n- weapons\n\n- a camera\n\n- a mobile phone\n\nContact the prison if you\u2019re unsure what you can send or give.\n\n## Sending money\n\nYou can send money to someone in prison by making an online payment by Visa, Mastercard and Maestro debit card.\n\nThe money is paid into the prisoner\u2019s account - a basic cash account they can use to send and receive money.\n\nYou can no longer send money by bank transfer, cheque, postal order or send cash by post to any prison. You\u2019ll need to use a debit card instead.\n\n## If you cannot make an online payment\n\nYou may be able to apply for an exemption - for example if you:\n\n- are unable to use a computer, a smart phone or the internet\n\n- do not have a debit card\n\nThis will allow you to send money by post.\n\nYou can also find out how to get a debit card by setting up a basic bank account.\n\n## Visiting someone in prison\n\nYou can normally visit partners and close family members in some prisons. There are restrictions because of coronavirus (COVID-19).\n\nFind out which prisons are open for visits and what you need to do.\n\nYou can only visit a prisoner if they\u2019ve added you to their visitor list. The prison will contact you once you\u2019re on this list.\n\n## Get help with the cost of visiting someone\n\nYou might be able to get help paying for a prison visit, for example travel costs, if you\u2019re receiving certain benefits.\n\n## How often you can visit someone in prison\n\nA convicted prisoner is usually allowed at least two 1-hour visits every 4 weeks.\n\nA prisoner on remand (waiting for their trial) is allowed three 1-hour visits a week.\n\nYou can find out more about the exact rules on visits on the prison information page of the prison you\u2019re visiting.", + "original_contents": [ + "

    Letters, video and telephone calls

    ", + "

    Letters

    ", + "

    You can contact a prisoner by writing to them. Write the person\u2019s prisoner number on the envelope. Normally there\u2019s no limit on the number of letters you can send.

    ", + "

    Most letters sent to and from prison are checked by prison staff.

    ", + "

    Prisons cannot open letters from solicitors and courts except in special cases, for example if they suspect a letter is not really from a legal adviser.

    ", + "

    You can complain to the prison if you think your letters are being read when they should not be, or if your letters are not reaching the prisoner.

    ", + "

    Video calls

    ", + "

    You can make video calls to people in some prisons using your mobile phone or tablet.

    ", + "

    Video calls are free at the moment. This is because of coronavirus (COVID-19).

    ", + "

    Calls can last up to 30 minutes. A prisoner is allowed 1 video call a month.

    ", + "

    Who can call

    ", + "

    You must be over 18 and on the prisoner\u2019s list of friends and family.

    ", + "

    You can invite up to 3 other people (of any age) on the call if they are on the prisoner\u2019s visitor list.

    ", + "

    How to call

    ", + "
  • Find out if the prison offers video calls.
  • ", + "
  • Install an app on your phone or tablet (it can take up to 24 hours for your account on the app to be verified).
  • ", + "
  • Check if everyone who wants to join the call is on the prisoner\u2019s list of friends and family.
  • ", + "
  • Request a video call using the app or ask the prisoner to request a call.
  • ", + "
  • Prison staff will schedule the call and send confirmation by email.
  • ", + "

    All video calls are recorded. Prison staff may watch video calls while they are happening.

    ", + "

    Telephone calls

    ", + "

    The prisoner has to call you using a prison phone.

    ", + "

    They can only call people named on their list of friends and family. This list is checked by security when they first arrive so it may take a few days before they\u2019re able to call.

    ", + "

    Prison staff can listen to and record most types of call. Some calls are not monitored, for example when a prisoner calls a legal adviser.

    ", + "

    You can also exchange voice messages with a prisoner using the Prison Voicemail service.

    ", + "

    Email and social media

    ", + "

    Prisoners are not allowed to access social networking websites (such as Facebook or Twitter) while they\u2019re in custody.

    ", + "

    You cannot email prisoners directly, but you can use a service called Email a Prisoner. If you send a message this way, it\u2019ll be printed out and delivered by prison staff. Each email costs 40p and you need to buy credit to use the service.

    ", + "

    In some prisons, prisoners can also reply and attach a photo through Email a Prisoner. Check which prisons allow replies.

    ", + "

    Banned items

    ", + "

    You must not send or give anything to a prisoner that:

    ", + "
  • is indecent or obscene
  • ", + "
  • threatens the security of the prison
  • ", + "
  • is written in code
  • ", + "

    You must not take anything written by a prisoner that they want to publish and be paid for.

    ", + "

    It\u2019s a criminal offence to send or give a prisoner:

    ", + "
  • illegal drugs
  • ", + "
  • alcohol
  • ", + "
  • weapons
  • ", + "
  • a camera
  • ", + "
  • a mobile phone
  • ", + "

    Contact the prison if you\u2019re unsure what you can send or give.

    ", + "

    Sending money

    ", + "

    You can send money to someone in prison by making an online payment by Visa, Mastercard and Maestro debit card.

    ", + "

    The money is paid into the prisoner\u2019s account - a basic cash account they can use to send and receive money.

    ", + "

    You can no longer send money by bank transfer, cheque, postal order or send cash by post to any prison. You\u2019ll need to use a debit card instead.

    ", + "

    If you cannot make an online payment

    ", + "

    You may be able to apply for an exemption - for example if you:

    ", + "
  • are unable to use a computer, a smart phone or the internet
  • ", + "
  • do not have a debit card
  • ", + "

    This will allow you to send money by post.

    ", + "

    You can also find out how to get a debit card by setting up a basic bank account.

    ", + "

    Visiting someone in prison

    ", + "

    You can normally visit partners and close family members in some prisons. There are restrictions because of coronavirus (COVID-19).

    ", + "

    Find out which prisons are open for visits and what you need to do.

    ", + "

    You can only visit a prisoner if they\u2019ve added you to their visitor list. The prison will contact you once you\u2019re on this list.

    ", + "

    Get help with the cost of visiting someone

    ", + "

    You might be able to get help paying for a prison visit, for example travel costs, if you\u2019re receiving certain benefits.

    ", + "

    How often you can visit someone in prison

    ", + "

    A convicted prisoner is usually allowed at least two 1-hour visits every 4 weeks.

    ", + "

    A prisoner on remand (waiting for their trial) is allowed three 1-hour visits a week.

    ", + "

    You can find out more about the exact rules on visits on the prison information page of the prison you\u2019re visiting.

    " + ] + }, + "https://www.gov.uk/types-of-prison-sentence": { + "url": "https://www.gov.uk/types-of-prison-sentence", + "title": "Types of prison sentences", + "content": "## Concurrent and consecutive sentences\n\nIf someone\u2019s convicted of committing more than one crime, they\u2019re usually given a sentence for each crime.\n\nConcurrent sentences are served at the same time.\n\nConsecutive sentences are served one after the other, for example a 6 month sentence followed by a 3 month sentence.\n\nThe judge (or magistrate) tells the person what type of sentence they get and how it must be served.\n\n## Suspended prison sentences\n\nA \u2018suspended\u2019 prison sentence is carried out in the community.\n\nThe person has to meet certain conditions, for example:\n\n- having to stay away from a certain place or person\n\n- doing unpaid work - called \u2018Community Payback\u2019\n\nIf the person breaks the conditions of their sentence they can be sent to prison.\n\n## Determinate prison sentences - fixed length of time\n\nA \u2018determinate\u2019 prison sentence is for a fixed length of time.\n\n## If the sentence is for 12 months or more\n\nFor prison sentences of 12 months or more the person spends the first half of the sentence in prison and the second half in the community \u2018on licence\u2019.\n\nIf they break any licence conditions, for example they commit another crime, they could go back to prison.\n\n## If the sentence is under 12 months\n\nFor prison sentences under 12 months, the person\u2019s normally released automatically halfway through.\n\n## Indeterminate prison sentences - no fixed length of time\n\nAn \u2018indeterminate\u2019 prison sentence does not have a fixed length of time.\n\nThis means:\n\n- no date is set when the person will be released\n\n- they have to spend a minimum amount of time in prison (called a \u2018tariff\u2019) before they\u2019re considered for release\n\nThe Parole Board is responsible for deciding if someone can be released from prison.\n\nIndeterminate sentences are given if a court thinks an offender is a danger to the public.\n\n## Life sentences\n\nIf a person\u2019s found guilty of murder, a court must give them a life sentence.\n\nA court may choose to give a life sentence for serious offences like:\n\n- rape\n\n- armed robbery\n\nA life sentence lasts for the rest of a person\u2019s life \u2013 if they\u2019re released from prison and commit another crime they can be sent back to prison at any time.\n\n## Whole life term\n\nA whole life term means there\u2019s no minimum term set by the judge, and the person\u2019s never considered for release.\n\n## Sentences for young people\n\nPeople under 18 get different sentences to adults.\n\n## Detention and Training Order\n\nA Detention and Training Order can be given to someone aged between 12 and 17.\n\nThey last between 4 months and 2 years.\n\nThe first half of a Detention and Training Order is served in custody, the second half is served in the community.\n\n## Violent or sexual crimes\n\nFor severe crimes - usually violent or sexual - young people can get an \u2018extended sentence\u2019. They could spend a long time in custody, and when released they\u2019ll be put under supervision for a long time (for example being tagged).\n\n## Murder\n\nFor murder, the court sets the minimum amount of time to be spent in custody. The young person can\u2019t apply for parole before this time.\n\nWhen released, the young person will be kept under supervision for the rest of their life.\n\n## Other serious crimes\n\nSometimes the sentence for a young person can last as long as the sentence for an adult for the same offence (but not longer). This includes life sentences.", + "original_contents": [ + "

    Concurrent and consecutive sentences

    ", + "

    If someone\u2019s convicted of committing more than one crime, they\u2019re usually given a sentence for each crime.

    ", + "

    Concurrent sentences are served at the same time.

    ", + "

    Consecutive sentences are served one after the other, for example a 6 month sentence followed by a 3 month sentence.

    ", + "

    The judge (or magistrate) tells the person what type of sentence they get and how it must be served.

    ", + "

    Suspended prison sentences

    ", + "

    A \u2018suspended\u2019 prison sentence is carried out in the community.

    ", + "

    The person has to meet certain conditions, for example:

    ", + "
  • having to stay away from a certain place or person
  • ", + "
  • doing unpaid work - called \u2018Community Payback\u2019
  • ", + "

    If the person breaks the conditions of their sentence they can be sent to prison.

    ", + "

    Determinate prison sentences - fixed length of time

    ", + "

    A \u2018determinate\u2019 prison sentence is for a fixed length of time.

    ", + "

    If the sentence is for 12 months or more

    ", + "

    For prison sentences of 12 months or more the person spends the first half of the sentence in prison and the second half in the community \u2018on licence\u2019.

    ", + "

    If they break any licence conditions, for example they commit another crime, they could go back to prison.

    ", + "

    If the sentence is under 12 months

    ", + "

    For prison sentences under 12 months, the person\u2019s normally released automatically halfway through.

    ", + "

    Indeterminate prison sentences - no fixed length of time

    ", + "

    An \u2018indeterminate\u2019 prison sentence does not have a fixed length of time.

    ", + "

    This means:

    ", + "
  • no date is set when the person will be released
  • ", + "
  • they have to spend a minimum amount of time in prison (called a \u2018tariff\u2019) before they\u2019re considered for release
  • ", + "

    The Parole Board is responsible for deciding if someone can be released from prison.

    ", + "

    Indeterminate sentences are given if a court thinks an offender is a danger to the public.

    ", + "

    Life sentences

    ", + "

    If a person\u2019s found guilty of murder, a court must give them a life sentence.

    ", + "

    A court may choose to give a life sentence for serious offences like:

    ", + "
  • rape
  • ", + "
  • armed robbery
  • ", + "

    A life sentence lasts for the rest of a person\u2019s life \u2013 if they\u2019re released from prison and commit another crime they can be sent back to prison at any time.

    ", + "

    Whole life term

    ", + "

    A whole life term means there\u2019s no minimum term set by the judge, and the person\u2019s never considered for release.

    ", + "

    Sentences for young people

    ", + "

    People under 18 get different sentences to adults.

    ", + "

    Detention and Training Order

    ", + "

    A Detention and Training Order can be given to someone aged between 12 and 17.

    ", + "

    They last between 4 months and 2 years.

    ", + "

    The first half of a Detention and Training Order is served in custody, the second half is served in the community.

    ", + "

    Violent or sexual crimes

    ", + "

    For severe crimes - usually violent or sexual - young people can get an \u2018extended sentence\u2019. They could spend a long time in custody, and when released they\u2019ll be put under supervision for a long time (for example being tagged).

    ", + "

    Murder

    ", + "

    For murder, the court sets the minimum amount of time to be spent in custody. The young person can\u2019t apply for parole before this time.

    ", + "

    When released, the young person will be kept under supervision for the rest of their life.

    ", + "

    Other serious crimes

    ", + "

    Sometimes the sentence for a young person can last as long as the sentence for an adult for the same offence (but not longer). This includes life sentences.

    " + ] + }, + "https://www.gov.uk/life-in-prison": { + "url": "https://www.gov.uk/life-in-prison", + "title": "Prison life", + "content": "## Arriving at prison\n\nWhen someone arrives at prison they have at least one interview and assessment with a qualified professional so they:\n\n- know what their rights are\n\n- get help with their physical and mental health, for example with sexual health or drug and alcohol problems\n\n- are told what courses they can do in prison\n\n- understand prison rules and procedures\n\nThe prisoner gets a prisoner number and their property is recorded and put somewhere safe until they\u2019re released.\n\n## Security categories\n\nPrisoners are given a security category based on:\n\n- how likely they are to try to escape\n\n- their risk of causing harm to other prisoners and prison staff\n\nA prisoner may be transferred to another prison with a different security category at any time.\n\n## Prisoner privileges and rights\n\nPrisoners who follow rules can earn privileges. This is called the \u2018Incentives and Earned Privileges Scheme\u2019. A prisoner may be able to:\n\n- get more visits from family or friends\n\n- be allowed to spend more money each week\n\nPrivileges are different in each prison - staff can explain to the prisoner how the scheme works.\n\n## Rights\n\nPrisoners have rights, including:\n\n- protection from bullying and racial harassment\n\n- being able to get in contact with a solicitor\n\n- healthcare - including support for a mental health condition\n\nAll prisoners should be able to spend between 30 minutes and an hour outside in the open air each day.\n\n## Punishments\n\nA prisoner who breaks prison rules is normally punished. They can be:\n\n- kept in their cell for up to\u00a021 days\n\n- given up to 42 extra days in prison on top of their original sentence\n\nThe prison can take away privileges, for example removing a TV from a cell.\n\n## Healthcare in prison\n\nPrisoners get the same healthcare and treatment as anyone outside of prison.\n\nTreatment is free but has to be approved by a prison doctor or member of the healthcare team.\n\nPrisons do not have hospitals, but many have in-patient beds.\n\nMost problems are dealt with by the healthcare team. If they cannot, the prison may:\n\n- get an expert to visit the prison\n\n- arrange for treatment in an outside hospital\n\nThe healthcare team can ask the prisoner\u2019s family doctor for their records, but only if the prisoner agrees to it.\n\n## Special help and support\n\nPrisoners can get specialist support, for example if they:\n\n- have drug or alcohol problems\n\n- have HIV or AIDS\n\n- are disabled or have a learning difficulty\n\n## Refusing medical treatment\n\nA prisoner can refuse treatment. However, the healthcare team may choose to give treatment if the prisoner is not capable of making decisions themselves (for example they have a mental health condition).\n\nWherever possible, the healthcare team will discuss this with the prisoner\u2019s family first.\n\n## Vulnerable prisoners\n\nStaff are trained to spot prisoners at risk of bullying, suicide or self-harm. The prisoner may get their own case manager who will make sure they:\n\n- are asked about their mental health, for example if they\u2019re feeling depressed\n\n- get regular support from a health specialist\n\nMost prisons also have \u2018listener schemes\u2019 that offer emotional support in confidence - normally from fellow prisoners.\n\n## Psychiatric hospitals\n\nA prisoner can be moved to a secure psychiatric hospital for their own safety. This only happens if they meet certain conditions under the Mental Health Act.\n\nOnce the prisoner gets better, they return to prison.\n\n## If you\u2019re worried about a prisoner\n\nIf you\u2019re worried about a prisoner:\n\n- tell a member of prison staff when you visit\n\n- contact the prison\u2019s \u2018Safer Custody Team\u2019\n\nSome prisons run confidential Safer Custody hotlines where you can leave a message explaining your concerns. Find a prison and check the contact section for details.\n\n## Pregnancy and childcare in prison\n\nWomen who give birth in prison can keep their baby for the first 18 months in a mother and baby unit.\n\nA prisoner with a child under 18 months old can apply to bring their child to prison with them.\n\nSocial Services arrange for children over 18 months to be cared for (for example by the prisoner\u2019s parents, or fostering).\n\n## Applying for a place in a mother and baby unit\n\n- The prisoner can apply for a space in a mother and baby unit when they enter prison.\n\n- An admissions board will decide if it\u2019s the best thing for the child.\n\n- If there are no places in the prison the mother first goes to, they may be offered a place in another unit.\n\n- If there are no spaces in any unit, arrangements must be made for the child to be cared for outside prison.\n\n- If the mother is refused a place they can appeal - the prison will explain how.\n\n- Separation plans are made when the mother enters prison if the child will reach 18 months before her sentence is over.\n\nFor prisoners with sentences of 18 months or over, arrangements are normally made for the child to be cared for outside prison.\n\n## Prisons with mother and baby units\n\nThe following prisons have mother and baby units:\n\n- Bronzefield\n\n- Eastwood Park\n\n- Styal\n\n- New Hall\n\n- Peterborough\n\n- Askham Grange\n\n## Education and work in prison\n\nCourses are normally available to help prisoners get new skills, for example learning to read and write, use computers and do basic maths. Most prisoners get an Individual Learning Plan listing courses and training.\n\n## Qualifications and skills\n\nMost courses lead to qualifications that are recognised by employers outside prison, for example GCSEs or NVQs. Prisoners may be able to do a distance learning course, for example Open University.\n\nA prisoner can learn skills, for example woodwork, engineering or gardening.\n\n## Working in prison\n\nMany prisoners get the chance to work while carrying out their sentence, for example making clothes and furniture or electrical engineering.\n\nThis is done in prison workshops and is normally paid work.\n\nPrisoners can also work around the prison itself, for example in kitchens and laundries.\n\nA \u2018low-risk\u2019 prisoner may be allowed to work in the community.\n\nYou can find out what education and work\nopportunities each prison offers.", + "original_contents": [ + "

    Arriving at prison

    ", + "

    When someone arrives at prison they have at least one interview and assessment with a qualified professional so they:

    ", + "
  • know what their rights are
  • ", + "
  • get help with their physical and mental health, for example with sexual health or drug and alcohol problems
  • ", + "
  • are told what courses they can do in prison
  • ", + "
  • understand prison rules and procedures
  • ", + "

    The prisoner gets a prisoner number and their property is recorded and put somewhere safe until they\u2019re released.

    ", + "

    Security categories

    ", + "

    Prisoners are given a security category based on:

    ", + "
  • how likely they are to try to escape
  • ", + "
  • their risk of causing harm to other prisoners and prison staff
  • ", + "

    A prisoner may be transferred to another prison with a different security category at any time.

    ", + "

    Prisoner privileges and rights

    ", + "

    Prisoners who follow rules can earn privileges. This is called the \u2018Incentives and Earned Privileges Scheme\u2019. A prisoner may be able to:

    ", + "
  • get more visits from family or friends
  • ", + "
  • be allowed to spend more money each week
  • ", + "

    Privileges are different in each prison - staff can explain to the prisoner how the scheme works.

    ", + "

    Rights

    ", + "

    Prisoners have rights, including:

    ", + "
  • protection from bullying and racial harassment
  • ", + "
  • being able to get in contact with a solicitor
  • ", + "
  • healthcare - including support for a mental health condition
  • ", + "

    All prisoners should be able to spend between 30 minutes and an hour outside in the open air each day.

    ", + "

    Punishments

    ", + "

    A prisoner who breaks prison rules is normally punished. They can be:

    ", + "
  • kept in their cell for up to\u00a021 days
  • ", + "
  • given up to 42 extra days in prison on top of their original sentence
  • ", + "

    The prison can take away privileges, for example removing a TV from a cell.

    ", + "

    Healthcare in prison

    ", + "

    Prisoners get the same healthcare and treatment as anyone outside of prison.

    ", + "

    Treatment is free but has to be approved by a prison doctor or member of the healthcare team.

    ", + "

    Prisons do not have hospitals, but many have in-patient beds.

    ", + "

    Most problems are dealt with by the healthcare team. If they cannot, the prison may:

    ", + "
  • get an expert to visit the prison
  • ", + "
  • arrange for treatment in an outside hospital
  • ", + "

    The healthcare team can ask the prisoner\u2019s family doctor for their records, but only if the prisoner agrees to it.

    ", + "

    Special help and support

    ", + "

    Prisoners can get specialist support, for example if they:

    ", + "
  • have drug or alcohol problems
  • ", + "
  • have HIV or AIDS
  • ", + "
  • are disabled or have a learning difficulty
  • ", + "

    Refusing medical treatment

    ", + "

    A prisoner can refuse treatment. However, the healthcare team may choose to give treatment if the prisoner is not capable of making decisions themselves (for example they have a mental health condition).

    ", + "

    Wherever possible, the healthcare team will discuss this with the prisoner\u2019s family first.

    ", + "

    Vulnerable prisoners

    ", + "

    Staff are trained to spot prisoners at risk of bullying, suicide or self-harm. The prisoner may get their own case manager who will make sure they:

    ", + "
  • are asked about their mental health, for example if they\u2019re feeling depressed
  • ", + "
  • get regular support from a health specialist
  • ", + "

    Most prisons also have \u2018listener schemes\u2019 that offer emotional support in confidence - normally from fellow prisoners.

    ", + "

    Psychiatric hospitals

    ", + "

    A prisoner can be moved to a secure psychiatric hospital for their own safety. This only happens if they meet certain conditions under the Mental Health Act.

    ", + "

    Once the prisoner gets better, they return to prison.

    ", + "

    If you\u2019re worried about a prisoner

    ", + "

    If you\u2019re worried about a prisoner:

    ", + "
  • tell a member of prison staff when you visit
  • ", + "
  • contact the prison\u2019s \u2018Safer Custody Team\u2019
  • ", + "

    Some prisons run confidential Safer Custody hotlines where you can leave a message explaining your concerns. Find a prison and check the contact section for details.

    ", + "

    Pregnancy and childcare in prison

    ", + "

    Women who give birth in prison can keep their baby for the first 18 months in a mother and baby unit.

    ", + "

    A prisoner with a child under 18 months old can apply to bring their child to prison with them.

    ", + "

    Social Services arrange for children over 18 months to be cared for (for example by the prisoner\u2019s parents, or fostering).

    ", + "

    Applying for a place in a mother and baby unit

    ", + "
  • The prisoner can apply for a space in a mother and baby unit when they enter prison.
  • ", + "
  • An admissions board will decide if it\u2019s the best thing for the child.
  • ", + "
  • If there are no places in the prison the mother first goes to, they may be offered a place in another unit.
  • ", + "
  • If there are no spaces in any unit, arrangements must be made for the child to be cared for outside prison.
  • ", + "
  • If the mother is refused a place they can appeal - the prison will explain how.
  • ", + "
  • Separation plans are made when the mother enters prison if the child will reach 18 months before her sentence is over.
  • ", + "

    For prisoners with sentences of 18 months or over, arrangements are normally made for the child to be cared for outside prison.

    ", + "

    Prisons with mother and baby units

    ", + "

    The following prisons have mother and baby units:

    ", + "
  • Bronzefield
  • ", + "
  • Eastwood Park
  • ", + "
  • Styal
  • ", + "
  • New Hall
  • ", + "
  • Peterborough
  • ", + "
  • Askham Grange
  • ", + "

    Education and work in prison

    ", + "

    Courses are normally available to help prisoners get new skills, for example learning to read and write, use computers and do basic maths. Most prisoners get an Individual Learning Plan listing courses and training.

    ", + "

    Qualifications and skills

    ", + "

    Most courses lead to qualifications that are recognised by employers outside prison, for example GCSEs or NVQs. Prisoners may be able to do a distance learning course, for example Open University.

    ", + "

    A prisoner can learn skills, for example woodwork, engineering or gardening.

    ", + "

    Working in prison

    ", + "

    Many prisoners get the chance to work while carrying out their sentence, for example making clothes and furniture or electrical engineering.

    ", + "

    This is done in prison workshops and is normally paid work.

    ", + "

    Prisoners can also work around the prison itself, for example in kitchens and laundries.

    ", + "

    A \u2018low-risk\u2019 prisoner may be allowed to work in the community.

    ", + "

    You can find out what education and work\nopportunities each prison offers.

    " + ] + }, + "https://www.gov.uk/leaving-prison": { + "url": "https://www.gov.uk/leaving-prison", + "title": "Leaving prison", + "content": "## When someone can leave prison\n\nWhen a prisoner is released depends on:\n\n- the length of their sentence\n\n- their behaviour in prison\n\n- any time spent on remand (waiting for their trial)\n\n## If the prisoner has a fixed term (determinate) sentence\n\nA prisoner serving a determinate sentence is normally released automatically halfway through their sentence.\n\nIf their sentence is 12 months or more, they\u2019ll be released on probation.\n\nA Parole Board is not involved.\n\n## When a Parole Board reviews a case\n\nPrisoners can apply for parole if they have an extended sentence, or a fixed-term sentence for:\n\n- 4 years or more\n\n- a serious violent or sexual crime committed before 4 April 2005\n\n## If the prisoner has a non fixed term (indeterminate) or life sentence\n\nThe government will apply for parole on the prisoner\u2019s behalf.\n\n## Temporary release from prison\n\nA prisoner may be allowed to leave prison for short periods towards the end of their sentence - whatever its type or length.\n\nHowever, the prison will not release someone if it thinks they\u2019re a risk to the public or may commit more crime.\n\n## Resettlement day release\n\nA resettlement day release lets a prisoner out during the day - for example to go on a training course to help them find work once they\u2019re released.\n\n## Resettlement overnight release\n\nA resettlement overnight release lets a prisoner spend the night at the place they\u2019ll live at after they\u2019re released.\n\n## Childcare resettlement licence\n\nA childcare resettlement licence lets a prisoner spend time with their child. They can only apply for this if they\u2019ll be the sole carer of a child when they finish their prison sentence.\n\n## Before someone leaves prison\n\nAll prisoners get help preparing for life when they leave prison. In the last 12 weeks of their sentence, they\u2019re given advice and support on:\n\n- finding somewhere to live\n\n- getting a job\n\n- looking after money\n\nPrisoners get additional support if they:\n\n- have abused substances (such as drugs or alcohol)\n\n- are sex workers\n\n- are the victim of domestic violence\n\nMost prisoners spend the last few months of their sentence in a prison near where they plan to live.\n\n## Support when someone leaves prison\n\nA person leaving prison may get the following financial support:\n\n- Universal Credit\n\n- Jobseeker\u2019s Allowance\n\n- help from your local council\n\n- Scottish Welfare Fund in Scotland\n\n- Discretionary Assistance Fund in Wales\n\nPrisons may also work with organisations in their local area, such as charities, to help prisoners prepare for their release. You can find out about these organisations in the prison information pages.\n\n## Useful websites\n\nThere are organisations that can provide support for people leaving prison, including:\n\n- Nacro (previously National Association for the Care and Resettlement of Offenders)\n\n- Prison Reform Trust\n\n- The Hardman Directory\n\n- Shelter\n\n- Unlock", + "original_contents": [ + "

    When someone can leave prison

    ", + "

    When a prisoner is released depends on:

    ", + "
  • the length of their sentence
  • ", + "
  • their behaviour in prison
  • ", + "
  • any time spent on remand (waiting for their trial)
  • ", + "

    If the prisoner has a fixed term (determinate) sentence

    ", + "

    A prisoner serving a determinate sentence is normally released automatically halfway through their sentence.

    ", + "

    If their sentence is 12 months or more, they\u2019ll be released on probation.

    ", + "

    A Parole Board is not involved.

    ", + "

    When a Parole Board reviews a case

    ", + "

    Prisoners can apply for parole if they have an extended sentence, or a fixed-term sentence for:

    ", + "
  • 4 years or more
  • ", + "
  • a serious violent or sexual crime committed before 4 April 2005
  • ", + "

    If the prisoner has a non fixed term (indeterminate) or life sentence

    ", + "

    The government will apply for parole on the prisoner\u2019s behalf.

    ", + "

    Temporary release from prison

    ", + "

    A prisoner may be allowed to leave prison for short periods towards the end of their sentence - whatever its type or length.

    ", + "

    However, the prison will not release someone if it thinks they\u2019re a risk to the public or may commit more crime.

    ", + "

    Resettlement day release

    ", + "

    A resettlement day release lets a prisoner out during the day - for example to go on a training course to help them find work once they\u2019re released.

    ", + "

    Resettlement overnight release

    ", + "

    A resettlement overnight release lets a prisoner spend the night at the place they\u2019ll live at after they\u2019re released.

    ", + "

    Childcare resettlement licence

    ", + "

    A childcare resettlement licence lets a prisoner spend time with their child. They can only apply for this if they\u2019ll be the sole carer of a child when they finish their prison sentence.

    ", + "

    Before someone leaves prison

    ", + "

    All prisoners get help preparing for life when they leave prison. In the last 12 weeks of their sentence, they\u2019re given advice and support on:

    ", + "
  • finding somewhere to live
  • ", + "
  • getting a job
  • ", + "
  • looking after money
  • ", + "

    Prisoners get additional support if they:

    ", + "
  • have abused substances (such as drugs or alcohol)
  • ", + "
  • are sex workers
  • ", + "
  • are the victim of domestic violence
  • ", + "

    Most prisoners spend the last few months of their sentence in a prison near where they plan to live.

    ", + "

    Support when someone leaves prison

    ", + "

    A person leaving prison may get the following financial support:

    ", + "
  • Universal Credit
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • help from your local council
  • ", + "
  • Scottish Welfare Fund in Scotland
  • ", + "
  • Discretionary Assistance Fund in Wales
  • ", + "

    Prisons may also work with organisations in their local area, such as charities, to help prisoners prepare for their release. You can find out about these organisations in the prison information pages.

    ", + "

    Useful websites

    ", + "

    There are organisations that can provide support for people leaving prison, including:

    ", + "
  • Nacro (previously National Association for the Care and Resettlement of Offenders)
  • ", + "
  • Prison Reform Trust
  • ", + "
  • The Hardman Directory
  • ", + "
  • Shelter
  • ", + "
  • Unlock
  • " + ] + }, + "https://www.gov.uk/getting-parole": { + "url": "https://www.gov.uk/getting-parole", + "title": "Getting parole", + "content": "## Overview\n\nGetting parole means you can leave prison or be released from custody before the end of your sentence. You\u2019ll be kept under supervision, known as being \u2018on licence\u2019 or probation.\n\nYou may be released or transferred to an open prison (\u2018open conditions\u2019).\n\nThe rules are different in Scotland, Northern Ireland or if you\u2019re a young offender.\n\nThe government will apply for parole on your behalf - you do not have to do anything.\n\n## When you\u2019re eligible for parole\n\nWhen you\u2019re eligible for parole depends on what type of sentence you have.\n\n## Life or indeterminate sentence\n\nYou\u2019ll be contacted either:\n\n- 3 years before your earliest release date (\u2018tariff\u2019) runs out if you\u2019re serving a sentence of 4 years or more\n\n- at least 6 months before your tariff runs out if you\u2019re serving a shorter sentence\n\n## Extended or fixed-term sentences\n\nYou\u2019ll be contacted up to 6 months before your earliest release date if you have either:\n\n- an extended sentence\n\n- a fixed-term sentence of 4 years or more, given before 3 December 2012 for a serious violent or sexual crime committed before 4 April 2005\n\nYou\u2019re not eligible for parole if your sentence is less than 4 years.\n\n## What happens next\n\n- You\u2019ll get an application form to fill in. Ask a friend for help if you need to. You can also use a legal advisor.\n\n- The prison will put together some documents. They\u2019ll include what you\u2019ve done in prison and what you plan to do on release.\n\n- Check that the documents are correct. You can add evidence (\u2018representations\u2019) showing why you should be released.\n\n- The Parole Board will decide either that you cannot be released or that your case needs a hearing. You may have to represent yourself if you cannot get legal aid or do not have a solicitor.\n\nIt usually takes 6 months to get a decision about your case.\n\nYour case will be reviewed again within 2 years if you do not get parole.\n\n## Challenge the Parole Board\u2019s decision\n\nYou may be able to challenge the Parole Board\u2019s decision.\n\n## Parole Board hearing\n\nYou may have to go to a hearing before the Parole Board can make a decision.\n\nYou\u2019ll get a hearing if:\n\n- the Parole Board thinks there\u2019s a realistic prospect of you being released or moved to open conditions\n\n- they need more evidence from you because the file did not give them what they needed\n\n- for any other reason, the Board thinks it would be fair to give you an oral hearing\n\nYou\u2019ll be told when and how the hearing will be held.\n\n## Hearings and coronavirus (COVID-19)\n\nBecause of coronavirus, most hearings are now taking place remotely - either by phone or video.\n\nIf the Parole Board decides your case needs a face to face hearing, it will work with the prison to make arrangements for a safe hearing to take place.\n\n## What happens at the hearing\n\nUp to 3 members of a panel will decide whether to release you based on a file of documents the prison puts together. This includes:\n\n- your behaviour in prison\n\n- what you plan to do once released\n\n- whether you\u2019re likely to commit more crime or are a danger to the public\n\n- why you\u2019re in prison\n\n- previous offences\n\n- what the judge said when you were sentenced\n\n- the victim statement - this may be read at the hearing\n\n- medical, psychiatric and psychological evidence\n\n## Who\u2019ll be at the hearing\n\nYou must usually attend the Parole Board hearing.\n\nThere will be other people at the hearing, for example:\n\n- your solicitor (you may need to represent yourself at the hearing if you cannot get legal aid or do not have a solicitor)\n\n- a prison psychologist\n\n- the victim (when they\u2019re reading their victim statement)\n\n- the victim liaison officer\n\n- witnesses\n\n## What happens next\n\nThe Parole Board will write to you with their decision. The hearing and full decision will be kept private.\n\nYou may be able to challenge the decision.\n\n## Represent yourself at the hearing\n\nYou\u2019ll have to represent yourself at the Parole Board hearing if you do not use a solicitor.\n\nCheck if you can get legal aid to help pay for a solicitor.\n\nRead more detailed information about representing yourself at a hearing.\n\n## Help and advice\n\nAsk the Offender Management Unit in your prison to give you the name and number of the case manager handling your case.\n\nYou can also get help from:\n\n- Prisoners Advice Service\n\n- Howard League\n\n- Prison Reform Trust\n\n- your prisoner offender supervisor, offender manager or case administrator\n\n- a solicitor\n\nYou can also contact the Parole Board for help and advice.\n\nYour family and friends can also get support.\n\n## Challenge a decision\n\nYou can challenge a Parole Board decision that was made on or after 22 July 2019. You cannot challenge a decision made before 22 July 2019, but you can apply for judicial review.\n\nYou can challenge a Parole Board decision if you think:\n\n- your parole was not reviewed correctly, for example important information was not given to the Parole Board\n\n- the decision was unreasonable\n\nThe Parole Board will decide if the decision needs to be reconsidered, and if there needs to be a new hearing.\n\nAsk your lawyer if you can get criminal legal aid to help pay for the costs of challenging a decision.\n\nIf the Parole Board refuses to reconsider the decision you can apply for judicial review.", + "original_contents": [ + "

    Overview

    ", + "

    Getting parole means you can leave prison or be released from custody before the end of your sentence. You\u2019ll be kept under supervision, known as being \u2018on licence\u2019 or probation.

    ", + "

    You may be released or transferred to an open prison (\u2018open conditions\u2019).

    ", + "

    The rules are different in Scotland, Northern Ireland or if you\u2019re a young offender.

    ", + "

    The government will apply for parole on your behalf - you do not have to do anything.

    ", + "

    When you\u2019re eligible for parole

    ", + "

    When you\u2019re eligible for parole depends on what type of sentence you have.

    ", + "

    Life or indeterminate sentence

    ", + "

    You\u2019ll be contacted either:

    ", + "
  • 3 years before your earliest release date (\u2018tariff\u2019) runs out if you\u2019re serving a sentence of 4 years or more
  • ", + "
  • at least 6 months before your tariff runs out if you\u2019re serving a shorter sentence
  • ", + "

    Extended or fixed-term sentences

    ", + "

    You\u2019ll be contacted up to 6 months before your earliest release date if you have either:

    ", + "
  • an extended sentence
  • ", + "
  • a fixed-term sentence of 4 years or more, given before 3 December 2012 for a serious violent or sexual crime committed before 4 April 2005
  • ", + "

    You\u2019re not eligible for parole if your sentence is less than 4 years.

    ", + "

    What happens next

    ", + "
  • You\u2019ll get an application form to fill in. Ask a friend for help if you need to. You can also use a legal advisor.
  • ", + "
  • The prison will put together some documents. They\u2019ll include what you\u2019ve done in prison and what you plan to do on release.
  • ", + "
  • Check that the documents are correct. You can add evidence (\u2018representations\u2019) showing why you should be released.
  • ", + "
  • The Parole Board will decide either that you cannot be released or that your case needs a hearing. You may have to represent yourself if you cannot get legal aid or do not have a solicitor.
  • ", + "

    It usually takes 6 months to get a decision about your case.

    ", + "

    Your case will be reviewed again within 2 years if you do not get parole.

    ", + "

    Challenge the Parole Board\u2019s decision

    ", + "

    You may be able to challenge the Parole Board\u2019s decision.

    ", + "

    Parole Board hearing

    ", + "

    You may have to go to a hearing before the Parole Board can make a decision.

    ", + "

    You\u2019ll get a hearing if:

    ", + "
  • the Parole Board thinks there\u2019s a realistic prospect of you being released or moved to open conditions
  • ", + "
  • they need more evidence from you because the file did not give them what they needed
  • ", + "
  • for any other reason, the Board thinks it would be fair to give you an oral hearing
  • ", + "

    You\u2019ll be told when and how the hearing will be held.

    ", + "

    Hearings and coronavirus (COVID-19)

    ", + "

    Because of coronavirus, most hearings are now taking place remotely - either by phone or video.

    ", + "

    If the Parole Board decides your case needs a face to face hearing, it will work with the prison to make arrangements for a safe hearing to take place.

    ", + "

    What happens at the hearing

    ", + "

    Up to 3 members of a panel will decide whether to release you based on a file of documents the prison puts together. This includes:

    ", + "
  • your behaviour in prison
  • ", + "
  • what you plan to do once released
  • ", + "
  • whether you\u2019re likely to commit more crime or are a danger to the public
  • ", + "
  • why you\u2019re in prison
  • ", + "
  • previous offences
  • ", + "
  • what the judge said when you were sentenced
  • ", + "
  • the victim statement - this may be read at the hearing
  • ", + "
  • medical, psychiatric and psychological evidence
  • ", + "

    Who\u2019ll be at the hearing

    ", + "

    You must usually attend the Parole Board hearing.

    ", + "

    There will be other people at the hearing, for example:

    ", + "
  • your solicitor (you may need to represent yourself at the hearing if you cannot get legal aid or do not have a solicitor)
  • ", + "
  • a prison psychologist
  • ", + "
  • the victim (when they\u2019re reading their victim statement)
  • ", + "
  • the victim liaison officer
  • ", + "
  • witnesses
  • ", + "

    What happens next

    ", + "

    The Parole Board will write to you with their decision. The hearing and full decision will be kept private.

    ", + "

    You may be able to challenge the decision.

    ", + "

    Represent yourself at the hearing

    ", + "

    You\u2019ll have to represent yourself at the Parole Board hearing if you do not use a solicitor.

    ", + "

    Check if you can get legal aid to help pay for a solicitor.

    ", + "

    Read more detailed information about representing yourself at a hearing.

    ", + "

    Help and advice

    ", + "

    Ask the Offender Management Unit in your prison to give you the name and number of the case manager handling your case.

    ", + "

    You can also get help from:

    ", + "
  • Prisoners Advice Service
  • ", + "
  • Howard League
  • ", + "
  • Prison Reform Trust
  • ", + "
  • your prisoner offender supervisor, offender manager or case administrator
  • ", + "
  • a solicitor
  • ", + "

    You can also contact the Parole Board for help and advice.

    ", + "

    Your family and friends can also get support.

    ", + "

    Challenge a decision

    ", + "

    You can challenge a Parole Board decision that was made on or after 22 July 2019. You cannot challenge a decision made before 22 July 2019, but you can apply for judicial review.

    ", + "

    You can challenge a Parole Board decision if you think:

    ", + "
  • your parole was not reviewed correctly, for example important information was not given to the Parole Board
  • ", + "
  • the decision was unreasonable
  • ", + "

    The Parole Board will decide if the decision needs to be reconsidered, and if there needs to be a new hearing.

    ", + "

    Ask your lawyer if you can get criminal legal aid to help pay for the costs of challenging a decision.

    ", + "

    If the Parole Board refuses to reconsider the decision you can apply for judicial review.

    " + ] + }, + "https://www.gov.uk/guide-to-probation": { + "url": "https://www.gov.uk/guide-to-probation", + "title": "Probation", + "content": "## Overview\n\nProbation means you\u2019re serving your sentence but you\u2019re not in prison.\n\nYou could be put on probation because:\n\n- you\u2019re serving a community sentence\n\n- you have been released from prison on licence or on parole\n\nWhile on probation, you may have to:\n\n- do unpaid work\n\n- complete an education or training course\n\n- get treatment for addictions, like drugs or alcohol\n\n- have regular meetings with an \u2018offender manager\u2019\n\n## Meetings with your offender manager\n\nWhen you\u2019re on probation you may have meetings with your offender manager. This will usually happen at your local probation office.\n\nAt your first meeting your offender manager will explain:\n\n- the rules of your probation\n\n- the dates, times and places of future meetings\n\n- any appointments you must go to, for example training courses or treatment\n\n- what happens if you do not do what you are asked\n\nYour offender manager will ask you to read and agree to a \u2018sentence plan\u2019. This will tell you the rules you have to stick to during your probation and what your responsibilities are.\n\n## What you must tell your offender manager\n\nYou must tell your offender manager if:\n\n- you plan to change your name or address\n\n- you will not be able to make any meetings you have arranged with them\n\n- you\u2019re having problems sticking to the rules of your probation\n\nIf you miss a scheduled meeting with your offender manager, you should get in touch and tell them why. You may need to provide proof, like a letter from a doctor or your employer.\n\nYou are allowed to miss meetings or appointments to attend religious or other important events if you give your offender manager advance notice.\n\n## If you break the rules of your probation\n\nYou could go back to court if you break any rules of your probation. For example, if you:\n\n- do something your sentence bans you from doing\n\n- commit another crime\n\n- miss meetings and appointments without a good reason\n\n- behave in an aggressive, racist or other unacceptable way at a meeting or appointment\n\nYou can also be taken back to prison if you break the conditions of your licence or parole.\n\n## Being taken back to prison\n\nYou can be taken straight back to prison if you have been released on licence or parole and you break the rules of your probation. This is known as a \u2018recall\u2019. Your offender manager will tell you why you\u2019ve been recalled.\n\nThere are three types of recalls.\n\n## Fixed-term recalls\n\nYou\u2019ll be sent back to prison for either:\n\n- 14 days - if your original sentence was less than 12 months\n\n- 28 days - if your original sentence was 12 months or more\n\nWhen you\u2019re released you\u2019ll be back on probation and licence until the end of your sentence.\n\n## Standard recalls\n\nYou\u2019ll go back to prison until the end of your sentence, unless a parole board or the Secretary of State for Justice decide to release you.\n\nYour case will be sent to a parole board automatically after 28 days. They will either release you straight away or set a date (within 1 year) when you can be released on licence.\n\nYour offender manager can also review your case at any time and recommend to the Secretary of State that you should be released.\n\n## Indeterminate sentence recalls\n\nYour case will be sent to a parole board either:\n\n- 28 days after you go back to prison\n\n- within 12 months of your last parole board review\n\nThe parole board will do one of the following:\n\n- release you on licence immediately\n\n- set a date when you\u2019ll be released on licence\n\n- keep you in prison\n\n- ask you to attend a hearing\n\n- delay making a decision about your sentence until they have more information\n\n## Ask to be released again on probation\n\nIf you have been taken back to prison and think you should be released on probation again, ask the prison in writing. This is called \u2018making representations\u2019.\n\nYou can also ask a family member, friend or legal adviser to write to the prison for you.\n\nYou must do this within 2 weeks of being told why you are being recalled to prison.", + "original_contents": [ + "

    Overview

    ", + "

    Probation means you\u2019re serving your sentence but you\u2019re not in prison.

    ", + "

    You could be put on probation because:

    ", + "
  • you\u2019re serving a community sentence
  • ", + "
  • you have been released from prison on licence or on parole
  • ", + "

    While on probation, you may have to:

    ", + "
  • do unpaid work
  • ", + "
  • complete an education or training course
  • ", + "
  • get treatment for addictions, like drugs or alcohol
  • ", + "
  • have regular meetings with an \u2018offender manager\u2019
  • ", + "

    Meetings with your offender manager

    ", + "

    When you\u2019re on probation you may have meetings with your offender manager. This will usually happen at your local probation office.

    ", + "

    At your first meeting your offender manager will explain:

    ", + "
  • the rules of your probation
  • ", + "
  • the dates, times and places of future meetings
  • ", + "
  • any appointments you must go to, for example training courses or treatment
  • ", + "
  • what happens if you do not do what you are asked
  • ", + "

    Your offender manager will ask you to read and agree to a \u2018sentence plan\u2019. This will tell you the rules you have to stick to during your probation and what your responsibilities are.

    ", + "

    What you must tell your offender manager

    ", + "

    You must tell your offender manager if:

    ", + "
  • you plan to change your name or address
  • ", + "
  • you will not be able to make any meetings you have arranged with them
  • ", + "
  • you\u2019re having problems sticking to the rules of your probation
  • ", + "

    If you miss a scheduled meeting with your offender manager, you should get in touch and tell them why. You may need to provide proof, like a letter from a doctor or your employer.

    ", + "

    You are allowed to miss meetings or appointments to attend religious or other important events if you give your offender manager advance notice.

    ", + "

    If you break the rules of your probation

    ", + "

    You could go back to court if you break any rules of your probation. For example, if you:

    ", + "
  • do something your sentence bans you from doing
  • ", + "
  • commit another crime
  • ", + "
  • miss meetings and appointments without a good reason
  • ", + "
  • behave in an aggressive, racist or other unacceptable way at a meeting or appointment
  • ", + "

    You can also be taken back to prison if you break the conditions of your licence or parole.

    ", + "

    Being taken back to prison

    ", + "

    You can be taken straight back to prison if you have been released on licence or parole and you break the rules of your probation. This is known as a \u2018recall\u2019. Your offender manager will tell you why you\u2019ve been recalled.

    ", + "

    There are three types of recalls.

    ", + "

    Fixed-term recalls

    ", + "

    You\u2019ll be sent back to prison for either:

    ", + "
  • 14 days - if your original sentence was less than 12 months
  • ", + "
  • 28 days - if your original sentence was 12 months or more
  • ", + "

    When you\u2019re released you\u2019ll be back on probation and licence until the end of your sentence.

    ", + "

    Standard recalls

    ", + "

    You\u2019ll go back to prison until the end of your sentence, unless a parole board or the Secretary of State for Justice decide to release you.

    ", + "

    Your case will be sent to a parole board automatically after 28 days. They will either release you straight away or set a date (within 1 year) when you can be released on licence.

    ", + "

    Your offender manager can also review your case at any time and recommend to the Secretary of State that you should be released.

    ", + "

    Indeterminate sentence recalls

    ", + "

    Your case will be sent to a parole board either:

    ", + "
  • 28 days after you go back to prison
  • ", + "
  • within 12 months of your last parole board review
  • ", + "

    The parole board will do one of the following:

    ", + "
  • release you on licence immediately
  • ", + "
  • set a date when you\u2019ll be released on licence
  • ", + "
  • keep you in prison
  • ", + "
  • ask you to attend a hearing
  • ", + "
  • delay making a decision about your sentence until they have more information
  • ", + "

    Ask to be released again on probation

    ", + "

    If you have been taken back to prison and think you should be released on probation again, ask the prison in writing. This is called \u2018making representations\u2019.

    ", + "

    You can also ask a family member, friend or legal adviser to write to the prison for you.

    ", + "

    You must do this within 2 weeks of being told why you are being recalled to prison.

    " + ] + }, + "https://www.gov.uk/your-rights-after-crime": { + "url": "https://www.gov.uk/your-rights-after-crime", + "title": "After a crime: your rights", + "content": "## Your rights\n\nYou have the right to contact the police and be kept informed about the investigation if you\u2019re:\n\n- the victim of a crime\n\n- a close relative of someone who died because of a crime - for example their partner, child or sibling\n\nYou have different rights if you\u2019re the victim of a crime in Scotland or Northern Ireland.\n\n## When you report the crime\n\nThe police must give you:\n\n- written confirmation of the crime you\u2019ve reported\n\n- a crime reference number\n\n- contact details for the police officer dealing with your case\n\nThey must also:\n\n- tell you clearly what will happen next\n\n- tell you how often they\u2019ll give you an update on their investigation\n\n- carry out a \u2018needs assessment\u2019 to find out what support you should get\n\n- ask a victim support organisation to contact you within 2 days\n\nThey must also ask if you want to write a statement about how the crime has affected you. This is called a \u2018victim personal statement\u2019. It can be used later when the court is deciding on a punishment.\n\n## During the police investigation\n\nThe police must give you updates on their investigation, and tell you within 5 days when a suspect is:\n\n- arrested or charged\n\n- set free or released on bail\n\n- given a caution, reprimand, final warning, or penalty notice\n\nWhen the police have finished their investigation, they can pass the information to the Crown Prosecution Service (CPS) who then decide if there\u2019s enough evidence to take the case to court.\n\nIf the police or the CPS decide to drop the charge, they must tell you within 5 days. You can ask for a review if you disagree with their decision.\n\n## Privacy\n\nThe police might give some information about the crime to the media to help with the investigation. They\u2019ll normally ask your permission before they do this.\n\nIf you\u2019ve been the victim of a sexual assault or rape, it\u2019s against the law for anyone to publish your name, photo or anything else that could identify you.\n\n## If the case goes to court\n\nYour local Crown Prosecution Service (CPS) must tell you immediately where and when the trial will be.\n\nIf you\u2019re asked to give evidence, the police will pass your details to a Witness Care Officer who will support you before and during the trial.\n\nIf the defendant is found guilty, you may be able to read your victim personal statement to them.\n\nAfter the trial ends, your Witness Care Officer must tell you:\n\n- the verdict - within 24 hours\n\n- what sentence the offender gets - if they\u2019re found guilty\n\n- if the offender appeals their conviction or sentence\n\nYou can also:\n\n- claim compensation - if the crime was violent\n\n- get free help and advice from the Victims\u2019 Information Service or Victim Contact Scheme\n\n- meet the offender (\u2018restorative justice\u2019) - contact your local victim support organisation to arrange this\n\n## If the crime was serious or you're vulnerable\n\nYou may get extra support if you:\n\n- are the victim of a serious crime\n\n- are under 18\n\n- have a mental health condition or lack mental capacity\n\n- have a disability\n\n- are a close relative of someone who died because of a crime - for example their partner, child or sibling\n\n- have been a victim of crime repeatedly - for example you\u2019re being targeted, harassed or stalked\n\n## Serious crimes\n\nYou\u2019re the victim of a serious crime if it was:\n\n- arson with intent to endanger life\n\n- attempted murder\n\n- domestic abuse\n\n- kidnapping or false imprisonment\n\n- a hate crime\n\n- human trafficking\n\n- a sexual offence\n\n- terrorism\n\n- wounding or grievous bodily harm with intent\n\n## What support you\u2019ll get\n\nYou\u2019re entitled to:\n\n- get information quicker - usually within 24 hours\n\n- protection in court if you need to give evidence\n\n- specialist help and advice\n\n- a Family Liaison Officer - if you\u2019re a close relative of the victim\n\nContact the police officer dealing with your case or your local Crown Prosecution Service (CPS) about getting this extra help.\n\n## Make a complaint\n\nYou can complain if you\u2019ve been:\n\n- treated unprofessionally, disrespectfully or insensitively\n\n- discriminated against\n\nThe Victim\u2019s Code has full details of how the police, Crown Prosecution Service (CPS) and other organisations should treat you if you\u2019re the victim of crime.\n\nMake your complaint to the organisation you want to complain about. For example:\n\n- the police\n\n- the CPS or your Witness Care Officer\n\n- the court\n\nThe organisation must confirm they\u2019ve received your complaint within 10 days.\n\n## If you do not agree with the decision\n\nYou can complain to the Parliamentary and Health Service Ombudsman if you do not agree with the decision about your complaint.", + "original_contents": [ + "

    Your rights

    ", + "

    You have the right to contact the police and be kept informed about the investigation if you\u2019re:

    ", + "
  • the victim of a crime
  • ", + "
  • a close relative of someone who died because of a crime - for example their partner, child or sibling
  • ", + "

    You have different rights if you\u2019re the victim of a crime in Scotland or Northern Ireland.

    ", + "

    When you report the crime

    ", + "

    The police must give you:

    ", + "
  • written confirmation of the crime you\u2019ve reported
  • ", + "
  • a crime reference number
  • ", + "
  • contact details for the police officer dealing with your case
  • ", + "

    They must also:

    ", + "
  • tell you clearly what will happen next
  • ", + "
  • tell you how often they\u2019ll give you an update on their investigation
  • ", + "
  • carry out a \u2018needs assessment\u2019 to find out what support you should get
  • ", + "
  • ask a victim support organisation to contact you within 2 days
  • ", + "

    They must also ask if you want to write a statement about how the crime has affected you. This is called a \u2018victim personal statement\u2019. It can be used later when the court is deciding on a punishment.

    ", + "

    During the police investigation

    ", + "

    The police must give you updates on their investigation, and tell you within 5 days when a suspect is:

    ", + "
  • arrested or charged
  • ", + "
  • set free or released on bail
  • ", + "
  • given a caution, reprimand, final warning, or penalty notice
  • ", + "

    When the police have finished their investigation, they can pass the information to the Crown Prosecution Service (CPS) who then decide if there\u2019s enough evidence to take the case to court.

    ", + "

    If the police or the CPS decide to drop the charge, they must tell you within 5 days. You can ask for a review if you disagree with their decision.

    ", + "

    Privacy

    ", + "

    The police might give some information about the crime to the media to help with the investigation. They\u2019ll normally ask your permission before they do this.

    ", + "

    If you\u2019ve been the victim of a sexual assault or rape, it\u2019s against the law for anyone to publish your name, photo or anything else that could identify you.

    ", + "

    If the case goes to court

    ", + "

    Your local Crown Prosecution Service (CPS) must tell you immediately where and when the trial will be.

    ", + "

    If you\u2019re asked to give evidence, the police will pass your details to a Witness Care Officer who will support you before and during the trial.

    ", + "

    If the defendant is found guilty, you may be able to read your victim personal statement to them.

    ", + "

    After the trial ends, your Witness Care Officer must tell you:

    ", + "
  • the verdict - within 24 hours
  • ", + "
  • what sentence the offender gets - if they\u2019re found guilty
  • ", + "
  • if the offender appeals their conviction or sentence
  • ", + "

    You can also:

    ", + "
  • claim compensation - if the crime was violent
  • ", + "
  • get free help and advice from the Victims\u2019 Information Service or Victim Contact Scheme
  • ", + "
  • meet the offender (\u2018restorative justice\u2019) - contact your local victim support organisation to arrange this
  • ", + "

    If the crime was serious or you're vulnerable

    ", + "

    You may get extra support if you:

    ", + "
  • are the victim of a serious crime
  • ", + "
  • are under 18
  • ", + "
  • have a mental health condition or lack mental capacity
  • ", + "
  • have a disability
  • ", + "
  • are a close relative of someone who died because of a crime - for example their partner, child or sibling
  • ", + "
  • have been a victim of crime repeatedly - for example you\u2019re being targeted, harassed or stalked
  • ", + "

    Serious crimes

    ", + "

    You\u2019re the victim of a serious crime if it was:

    ", + "
  • arson with intent to endanger life
  • ", + "
  • attempted murder
  • ", + "
  • domestic abuse
  • ", + "
  • kidnapping or false imprisonment
  • ", + "
  • a hate crime
  • ", + "
  • human trafficking
  • ", + "
  • a sexual offence
  • ", + "
  • terrorism
  • ", + "
  • wounding or grievous bodily harm with intent
  • ", + "

    What support you\u2019ll get

    ", + "

    You\u2019re entitled to:

    ", + "
  • get information quicker - usually within 24 hours
  • ", + "
  • protection in court if you need to give evidence
  • ", + "
  • specialist help and advice
  • ", + "
  • a Family Liaison Officer - if you\u2019re a close relative of the victim
  • ", + "

    Contact the police officer dealing with your case or your local Crown Prosecution Service (CPS) about getting this extra help.

    ", + "

    Make a complaint

    ", + "

    You can complain if you\u2019ve been:

    ", + "
  • treated unprofessionally, disrespectfully or insensitively
  • ", + "
  • discriminated against
  • ", + "

    The Victim\u2019s Code has full details of how the police, Crown Prosecution Service (CPS) and other organisations should treat you if you\u2019re the victim of crime.

    ", + "

    Make your complaint to the organisation you want to complain about. For example:

    ", + "
  • the police
  • ", + "
  • the CPS or your Witness Care Officer
  • ", + "
  • the court
  • ", + "

    The organisation must confirm they\u2019ve received your complaint within 10 days.

    ", + "

    If you do not agree with the decision

    ", + "

    You can complain to the Parliamentary and Health Service Ombudsman if you do not agree with the decision about your complaint.

    " + ] + }, + "https://www.gov.uk/claim-compensation-criminal-injury": { + "url": "https://www.gov.uk/claim-compensation-criminal-injury", + "title": "Claim compensation if you were the victim of a violent crime", + "content": "## Overview\n\nYou might be able to claim compensation if you were the victim of a violent crime. This includes if:\n\n- you were injured\n\n- a close relative died\n\n- you saw the crime happen to a loved one (or were there immediately afterwards)\n\n- you paid for the funeral of a person who died\n\nYou usually have to claim within 2 years of the crime. The crime must be reported to the police before you apply.\n\nIt does not cost anything to apply.\n\n## If you were injured trying to stop a crime\n\nYou might also be able to claim compensation if you were taking a \u2018justified and exceptional\u2019 risk trying to stop a crime. For example somebody was in danger and it was not a situation that you were trained to deal with.\n\n## Get practical and emotional support\n\nVisit Victim and Witness information if you\u2019re in England and Wales.\n\nGet support as a victim or witness of crime in Scotland.\n\nYou can also get help and advice from your trade union.\n\n## Eligibility\n\nThe crime must have happened in England, Wales or Scotland. It must be reported to the police.\n\nThe process is different if the crime happened in Northern Ireland or in another country.\n\n## When you can claim\n\nIn most cases you must apply within 2 years of the crime happening.\n\nYou may be able to claim for a crime that happened more than 2 years ago if one or both of the following apply:\n\n- you\u2019re claiming because of childhood sexual or physical abuse\n\n- you could not claim earlier, for example because your mental or physical health stopped you\n\nYou may also be able to claim if the crime happened before 1 October 1979 and you lived with the attacker as a family member at the time of the incident. This was known as the \u2018same roof\u2019 rule and has changed.\n\n## Your nationality\n\nYou must have been one of the following when the crime happened:\n\n- a British citizen or EU or EEA national (or their close relative)\n\n- a family member of an EU or EEA national who has the right to be in the UK\n\n- a member of the armed forces (or you\u2019re a close relative living in their household)\n\n- a potential victim of human trafficking on or before the date of your application - this must be confirmed by the UK Human Trafficking Centre and UK Visas and Immigration\n\n- an asylum seeker\n\n- a national of a country that has signed up to the Council of Europe Convention on the Compensation of Victim of Violent Crimes\n\nYou\u2019re also eligible if you were \u2018ordinarily resident\u2019 in the UK at the time of the crime. This depends on your connection to the UK, for example if you were living, working or studying there (or you were the family member of someone who was).\n\n## What you can get compensation for\n\nYou can get compensation for:\n\n- physical injuries\n\n- disabling mental injuries\n\n- sexual or physical abuse\n\n- the death of a close relative\n\n- paying for someone\u2019s funeral\n\n- loss of earnings and expenses\n\n## Disabling mental injuries\n\nA disabling mental injury is something that significantly affects your day-to-day performance at work or school, your relationships, or your sexual relationships. Mental injuries must be diagnosed by a psychiatrist or clinical psychologist.\n\n## Loss of earnings and expenses\n\nYou might get compensation for loss of earnings, or paid expenses to cover the cost of:\n\n- care, home adaptations or mobility aids\n\n- damage to physical aids, such as dentures, walking sticks or glasses\n\nYou usually have to be unable to work or have very limited ability to work for 28 weeks or longer to be eligible.\n\nYou will not be paid loss of earnings for the first 28 weeks you were unable to work.\n\nYou must have been employed when the crime happened or for the 3 years immediately before it. If you were not employed, you might still be eligible if you could not work, for example because you were in full-time education, retired or caring for someone.\n\n## Make a claim\n\nYou can claim for compensation online.\n\nIf the crime happened between 1 August 1964 and 30 September 1979 and you lived with the attacker as a family member at the time of the incident, you can also request someone to call you to start your claim.\n\nWhen you make a claim to the Criminal Injuries Compensation Authority (CICA), you may need to provide:\n\n- the date and location of the crime\n\n- the name of the police station where the crime was reported\n\n- your crime reference number\n\n- your GP\u2019s name and address\n\n- your dentist\u2019s name and address (if you had dental treatment because of your injuries)\n\n- details of any previous applications you\u2019ve made to CICA\n\n- details of any unspent criminal convictions\n\nIf you deliberately provide information you know is wrong or misleading, you may be prosecuted and your application for compensation may be refused.\n\nYou\u2019ll be asked if you\u2019ve tried to get compensation or other money you\u2019re entitled to, for example:\n\n- by claiming benefits\n\n- through insurance payments\n\n- from a civil court claim\n\n- from a criminal court case (if the crime went to court)\n\nYou do not need to wait for the outcome of other claims before you apply.\n\nIt does not cost anything to apply and you do not have to use a legal adviser.\n\nYou cannot save your application and return to it later. The service will time out if you stop using it for 30 minutes or more.\n\nMake a claim\n\n## Help making your application\n\nContact the CICA helpline if you need help because you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can ask a friend or relative to make an application on your behalf.\n\n## General enquiries\n\nEmail info@cica.gov.uk if you have a question about the claims process.\n\nYou cannot claim the cost of using a legal adviser.\n\n## What happens next\n\nYou\u2019ll get a reference number when you submit your claim. Use the reference number whenever you contact Criminal Injuries Compensation Authority (CICA) about your claim.\n\nYour claim will be assessed on:\n\n- the information you provided in your application\n\n- information from the police, including the evidence you gave them\n\n- your criminal record\n\n- medical evidence (if it\u2019s needed)\n\nCICA will contact you if they need more information and when they make a final decision.\n\n## Medical evidence\n\nYou\u2019ll be told if you need to provide a medical report. It can cost up to \u00a350.\n\nContact CICA if you need help getting or paying for the medical report.\n\nYou might also need to attend a psychological assessment if you\u2019re claiming compensation for mental injuries.\n\n## If you\u2019re using a legal adviser\n\nIf you and your legal adviser disagree about how much money you owe them, you normally will not be paid your compensation in full until you resolve this.\n\n## Disagreeing with a decision\n\nWrite to CICA and ask them to review a decision if you disagree with it.\n\nIf you disagree with the outcome of CICA\u2019s review, you can appeal to the criminal injuries compensation tribunal.\n\n## Update your claim\n\nSign in to your account to finish your application.\n\nYou need to contact Criminal Injuries Compensation Authority (CICA) if:\n\n- your contact or personal details change\n\n- you stop using or change a legal adviser\n\n- you get compensation or money from any other sources after you apply\n\n## If you applied by phone\n\nCall CICA to update your claim if you applied by phone.\n\nYou\u2019ll need your reference number.\n\n## If you\u2019re a victim who lived with the attacker before 1 October 1979\n\nThe deadline to apply for compensation was 13 June 2021 if you were a victim of violent crime and:\n\n- the crime happened between 1 August 1964 and 30 September 1979\n\n- you lived with the attacker as a family member at the time of the incident (this was known as the \u2018same roof\u2019 rule)\n\n## Claims made after the deadline\n\nYou may still be able to claim if you can show you were unable to apply before 13 June 2021 and you either:\n\n- were a child at the time of the crime\n\n- could not apply earlier because of exceptional circumstances (you must provide enough evidence so your claim can be decided without further extensive enquiries)\n\n## If you\u2019ve made a claim before\n\nIf you\u2019ve made a claim before but it was refused or reduced because of the \u2018same roof\u2019 rule you can reapply for compensation if you\u2019re eligible. The \u2018same roof\u2019 rule does not apply anymore.\n\n## How to make a claim\n\nYou can request someone to contact you about your claim. You\u2019ll need to give some information like your name and contact details.\n\nA caseworker will contact you within 2 working days or on the next available day you\u2019ve selected on the form.\n\nRequest someone to contact you\n\n## Other ways to apply\n\nYou can make a claim online or on the phone by calling Criminal Injuries Compensation Authority (CICA). You can also call CICA to arrange a time for someone to take your claim over the phone.", + "original_contents": [ + "

    Overview

    ", + "

    You might be able to claim compensation if you were the victim of a violent crime. This includes if:

    ", + "
  • you were injured
  • ", + "
  • a close relative died
  • ", + "
  • you saw the crime happen to a loved one (or were there immediately afterwards)
  • ", + "
  • you paid for the funeral of a person who died
  • ", + "

    You usually have to claim within 2 years of the crime. The crime must be reported to the police before you apply.

    ", + "

    It does not cost anything to apply.

    ", + "

    If you were injured trying to stop a crime

    ", + "

    You might also be able to claim compensation if you were taking a \u2018justified and exceptional\u2019 risk trying to stop a crime. For example somebody was in danger and it was not a situation that you were trained to deal with.

    ", + "

    Get practical and emotional support

    ", + "

    Visit Victim and Witness information if you\u2019re in England and Wales.

    ", + "

    Get support as a victim or witness of crime in Scotland.

    ", + "

    You can also get help and advice from your trade union.

    ", + "

    Eligibility

    ", + "

    The crime must have happened in England, Wales or Scotland. It must be reported to the police.

    ", + "

    The process is different if the crime happened in Northern Ireland or in another country.

    ", + "

    When you can claim

    ", + "

    In most cases you must apply within 2 years of the crime happening.

    ", + "

    You may be able to claim for a crime that happened more than 2 years ago if one or both of the following apply:

    ", + "
  • you\u2019re claiming because of childhood sexual or physical abuse
  • ", + "
  • you could not claim earlier, for example because your mental or physical health stopped you
  • ", + "

    You may also be able to claim if the crime happened before 1 October 1979 and you lived with the attacker as a family member at the time of the incident. This was known as the \u2018same roof\u2019 rule and has changed.

    ", + "

    Your nationality

    ", + "

    You must have been one of the following when the crime happened:

    ", + "
  • a British citizen or EU or EEA national (or their close relative)
  • ", + "
  • a family member of an EU or EEA national who has the right to be in the UK
  • ", + "
  • a member of the armed forces (or you\u2019re a close relative living in their household)
  • ", + "
  • a potential victim of human trafficking on or before the date of your application - this must be confirmed by the UK Human Trafficking Centre and UK Visas and Immigration
  • ", + "
  • an asylum seeker
  • ", + "
  • a national of a country that has signed up to the Council of Europe Convention on the Compensation of Victim of Violent Crimes
  • ", + "

    You\u2019re also eligible if you were \u2018ordinarily resident\u2019 in the UK at the time of the crime. This depends on your connection to the UK, for example if you were living, working or studying there (or you were the family member of someone who was).

    ", + "

    What you can get compensation for

    ", + "

    You can get compensation for:

    ", + "
  • physical injuries
  • ", + "
  • disabling mental injuries
  • ", + "
  • sexual or physical abuse
  • ", + "
  • the death of a close relative
  • ", + "
  • paying for someone\u2019s funeral
  • ", + "
  • loss of earnings and expenses
  • ", + "

    Disabling mental injuries

    ", + "

    A disabling mental injury is something that significantly affects your day-to-day performance at work or school, your relationships, or your sexual relationships. Mental injuries must be diagnosed by a psychiatrist or clinical psychologist.

    ", + "

    Loss of earnings and expenses

    ", + "

    You might get compensation for loss of earnings, or paid expenses to cover the cost of:

    ", + "
  • care, home adaptations or mobility aids
  • ", + "
  • damage to physical aids, such as dentures, walking sticks or glasses
  • ", + "

    You usually have to be unable to work or have very limited ability to work for 28 weeks or longer to be eligible.

    ", + "

    You will not be paid loss of earnings for the first 28 weeks you were unable to work.

    ", + "

    You must have been employed when the crime happened or for the 3 years immediately before it. If you were not employed, you might still be eligible if you could not work, for example because you were in full-time education, retired or caring for someone.

    ", + "

    Make a claim

    ", + "

    You can claim for compensation online.

    ", + "

    If the crime happened between 1 August 1964 and 30 September 1979 and you lived with the attacker as a family member at the time of the incident, you can also request someone to call you to start your claim.

    ", + "

    When you make a claim to the Criminal Injuries Compensation Authority (CICA), you may need to provide:

    ", + "
  • the date and location of the crime
  • ", + "
  • the name of the police station where the crime was reported
  • ", + "
  • your crime reference number
  • ", + "
  • your GP\u2019s name and address
  • ", + "
  • your dentist\u2019s name and address (if you had dental treatment because of your injuries)
  • ", + "
  • details of any previous applications you\u2019ve made to CICA
  • ", + "
  • details of any unspent criminal convictions
  • ", + "

    If you deliberately provide information you know is wrong or misleading, you may be prosecuted and your application for compensation may be refused.

    ", + "

    You\u2019ll be asked if you\u2019ve tried to get compensation or other money you\u2019re entitled to, for example:

    ", + "
  • by claiming benefits
  • ", + "
  • through insurance payments
  • ", + "
  • from a civil court claim
  • ", + "
  • from a criminal court case (if the crime went to court)
  • ", + "

    You do not need to wait for the outcome of other claims before you apply.

    ", + "

    It does not cost anything to apply and you do not have to use a legal adviser.

    ", + "

    You cannot save your application and return to it later. The service will time out if you stop using it for 30 minutes or more.

    ", + "

    Make a claim

    ", + "

    Help making your application

    ", + "

    Contact the CICA helpline if you need help because you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can ask a friend or relative to make an application on your behalf.

    ", + "

    General enquiries

    ", + "

    Email info@cica.gov.uk if you have a question about the claims process.

    ", + "

    You cannot claim the cost of using a legal adviser.

    ", + "

    What happens next

    ", + "

    You\u2019ll get a reference number when you submit your claim. Use the reference number whenever you contact Criminal Injuries Compensation Authority (CICA) about your claim.

    ", + "

    Your claim will be assessed on:

    ", + "
  • the information you provided in your application
  • ", + "
  • information from the police, including the evidence you gave them
  • ", + "
  • your criminal record
  • ", + "
  • medical evidence (if it\u2019s needed)
  • ", + "

    CICA will contact you if they need more information and when they make a final decision.

    ", + "

    Medical evidence

    ", + "

    You\u2019ll be told if you need to provide a medical report. It can cost up to \u00a350.

    ", + "

    Contact CICA if you need help getting or paying for the medical report.

    ", + "

    You might also need to attend a psychological assessment if you\u2019re claiming compensation for mental injuries.

    ", + "

    If you\u2019re using a legal adviser

    ", + "

    If you and your legal adviser disagree about how much money you owe them, you normally will not be paid your compensation in full until you resolve this.

    ", + "

    Disagreeing with a decision

    ", + "

    Write to CICA and ask them to review a decision if you disagree with it.

    ", + "

    If you disagree with the outcome of CICA\u2019s review, you can appeal to the criminal injuries compensation tribunal.

    ", + "

    Update your claim

    ", + "

    Sign in to your account to finish your application.

    ", + "

    You need to contact Criminal Injuries Compensation Authority (CICA) if:

    ", + "
  • your contact or personal details change
  • ", + "
  • you stop using or change a legal adviser
  • ", + "
  • you get compensation or money from any other sources after you apply
  • ", + "

    If you applied by phone

    ", + "

    Call CICA to update your claim if you applied by phone.

    ", + "

    You\u2019ll need your reference number.

    ", + "

    If you\u2019re a victim who lived with the attacker before 1 October 1979

    ", + "

    The deadline to apply for compensation was 13 June 2021 if you were a victim of violent crime and:

    ", + "
  • the crime happened between 1 August 1964 and 30 September 1979
  • ", + "
  • you lived with the attacker as a family member at the time of the incident (this was known as the \u2018same roof\u2019 rule)
  • ", + "

    Claims made after the deadline

    ", + "

    You may still be able to claim if you can show you were unable to apply before 13 June 2021 and you either:

    ", + "
  • were a child at the time of the crime
  • ", + "
  • could not apply earlier because of exceptional circumstances (you must provide enough evidence so your claim can be decided without further extensive enquiries)
  • ", + "

    If you\u2019ve made a claim before

    ", + "

    If you\u2019ve made a claim before but it was refused or reduced because of the \u2018same roof\u2019 rule you can reapply for compensation if you\u2019re eligible. The \u2018same roof\u2019 rule does not apply anymore.

    ", + "

    How to make a claim

    ", + "

    You can request someone to contact you about your claim. You\u2019ll need to give some information like your name and contact details.

    ", + "

    A caseworker will contact you within 2 working days or on the next available day you\u2019ve selected on the form.

    ", + "

    Request someone to contact you

    ", + "

    Other ways to apply

    ", + "

    You can make a claim online or on the phone by calling Criminal Injuries Compensation Authority (CICA). You can also call CICA to arrange a time for someone to take your claim over the phone.

    " + ] + }, + "https://www.gov.uk/compensation-after-accident-or-injury": { + "url": "https://www.gov.uk/compensation-after-accident-or-injury", + "title": "Compensation after an accident or injury", + "content": "## Write a letter, complain or try mediation\n\nYou can get compensation by taking legal action, but it could cost you money and you may not win your case against the person or organisation to blame.\n\n## Writing a letter or making a complaint\n\nIf it\u2019s not a serious injury, you may be able to solve the issue by writing a letter or making a complaint - use the complaints procedure if there is one.\n\nExplain what went wrong and tell them how much compensation you want or how they can make up for the injury.\n\n## Using mediation\n\nYou may want to use a mediation service to negotiate a settlement.\n\nThere is usually a fee, but it can be cheaper, quicker and easier than going to court.\n\n## Check your insurance policies\n\nYou may already have insurance to pay for legal costs.\n\n- check your insurance policies (like motor, home contents or holiday insurance policies) to see if they include \u2018legal expenses insurance\u2019\n\n- check if you have legal cover as a member of a trade union, or an organisation like the RAC or the AA\n\nPolicies normally only cover you for some types of legal problem and have other terms and conditions.\n\n## \u2018After the event\u2019 insurance\n\nIf you\u2019re not insured, you could take out insurance after the incident to protect yourself against a large legal bill.\n\nA solicitor can help you choose an \u2018after-the-event\u2019 insurance policy and may take it out on your behalf.\n\nIf you win, you may be able to get some of the costs back from the losing side.\n\nSome insurance companies will not insure you if they think you\u2019re unlikely to succeed, and some policies are very expensive.\n\n## Using a solicitor or a claims company\n\nYou can\u2019t usually get legal aid for personal injury cases.\n\nA solicitor should advise you on costs before you agree to hire them.\n\nGet advice from Citizens Advice on what\u2019s involved in taking legal action and how much it will cost you.\n\n## Claims companies\n\nBusinesses known as claims companies can help you find a solicitor.\n\nMost claims handlers aren\u2019t solicitors, and so won\u2019t be able to represent you in court.\n\nCheck that a claims company is authorised: business search.\n\n## \u2018No win, no fee\u2019 deals\n\nIf you use a \u2018no win, no fee\u2019 agreement, you will only have to pay the solicitor\u2019s fee if you win the case.\n\nYou may still have to pay for some other costs, like:\n\n- fees to pay for experts\n\n- court fees\n\n- travelling expenses\n\nIf you lose, you will also have to pay for:\n\n- the other side\u2019s legal costs\n\n- other expenses and charges, such as fees for witnesses\n\nThe solicitor may charge a fee for winning the case.", + "original_contents": [ + "

    Write a letter, complain or try mediation

    ", + "

    You can get compensation by taking legal action, but it could cost you money and you may not win your case against the person or organisation to blame.

    ", + "

    Writing a letter or making a complaint

    ", + "

    If it\u2019s not a serious injury, you may be able to solve the issue by writing a letter or making a complaint - use the complaints procedure if there is one.

    ", + "

    Explain what went wrong and tell them how much compensation you want or how they can make up for the injury.

    ", + "

    Using mediation

    ", + "

    You may want to use a mediation service to negotiate a settlement.

    ", + "

    There is usually a fee, but it can be cheaper, quicker and easier than going to court.

    ", + "

    Check your insurance policies

    ", + "

    You may already have insurance to pay for legal costs.

    ", + "
  • check your insurance policies (like motor, home contents or holiday insurance policies) to see if they include \u2018legal expenses insurance\u2019
  • ", + "
  • check if you have legal cover as a member of a trade union, or an organisation like the RAC or the AA
  • ", + "

    Policies normally only cover you for some types of legal problem and have other terms and conditions.

    ", + "

    \u2018After the event\u2019 insurance

    ", + "

    If you\u2019re not insured, you could take out insurance after the incident to protect yourself against a large legal bill.

    ", + "

    A solicitor can help you choose an \u2018after-the-event\u2019 insurance policy and may take it out on your behalf.

    ", + "

    If you win, you may be able to get some of the costs back from the losing side.

    ", + "

    Some insurance companies will not insure you if they think you\u2019re unlikely to succeed, and some policies are very expensive.

    ", + "

    Using a solicitor or a claims company

    ", + "

    You can\u2019t usually get legal aid for personal injury cases.

    ", + "

    A solicitor should advise you on costs before you agree to hire them.

    ", + "

    Get advice from Citizens Advice on what\u2019s involved in taking legal action and how much it will cost you.

    ", + "

    Claims companies

    ", + "

    Businesses known as claims companies can help you find a solicitor.

    ", + "

    Most claims handlers aren\u2019t solicitors, and so won\u2019t be able to represent you in court.

    ", + "

    Check that a claims company is authorised: business search.

    ", + "

    \u2018No win, no fee\u2019 deals

    ", + "

    If you use a \u2018no win, no fee\u2019 agreement, you will only have to pay the solicitor\u2019s fee if you win the case.

    ", + "

    You may still have to pay for some other costs, like:

    ", + "
  • fees to pay for experts
  • ", + "
  • court fees
  • ", + "
  • travelling expenses
  • ", + "

    If you lose, you will also have to pay for:

    ", + "
  • the other side\u2019s legal costs
  • ", + "
  • other expenses and charges, such as fees for witnesses
  • ", + "

    The solicitor may charge a fee for winning the case.

    " + ] + }, + "https://www.gov.uk/criminal-injuries-compensation-tribunal": { + "url": "https://www.gov.uk/criminal-injuries-compensation-tribunal", + "title": "Criminal injuries compensation tribunal", + "content": "## Overview\n\nYou can appeal to the First-tier Tribunal (Criminal Injuries Compensation) if you disagree with a decision by the Criminal Injuries Compensation Authority (CICA) on your claim for compensation.\n\nYou may want to appeal if you\u2019re refused compensation or unhappy with the amount.\n\nThe tribunal can:\n\n- uphold CICA\u2019s decision\n\n- increase or reduce your award\n\n- decide you should not get anything\n\n- ask CICA to make the decision again\n\nYou have 90 days to appeal to the tribunal from the date of CICA\u2019s review decision. Explain why you\u2019re late if you miss the deadline, for example if you\u2019re waiting for medical reports.\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou can contact Victim and Witness Information to find local help and support.\n\nYou can represent yourself at the tribunal. To get help and advice before you appeal you can find a solicitor.\n\n## Appeal to the tribunal\n\nDownload and fill in the appeal form giving reasons why you disagree with the the Criminal Injuries Compensation Authority\u2019s (CICA\u2019s) decision.\n\nYou must also provide:\n\n- the decision letter from CICA\n\n- documents supporting your case, for example, medical records or evidence of loss of earnings\n\nSend the form, decision letter and documents to the address on the form.\n\nCall or email the tribunal helpline if you have any questions about completing the form. The tribunal cannot give you legal advice.\n\n## What happens next\n\nThe tribunal will send a copy of your appeal form to the Criminal Injuries Compensation Authority (CICA). CICA will usually respond to you and the tribunal within 6 weeks.\n\nYou\u2019ll have one month to get back to the tribunal with any extra information or arguments.\n\n## How your appeal will be decided\n\nThe tribunal will write to tell you if your appeal will be decided using either:\n\n- the paperwork in the case\n\n- a hearing\n\nYou can ask the tribunal for a hearing if you\u2019re unhappy with not being given one.\n\nThe tribunal judge\u2019s decision will be sent to you by post if your appeal is decided using paperwork.\n\nYou\u2019ll be given at least 14 days\u2019 notice of any hearing.\n\n## Hearings\n\nThe hearing will usually be held in the area covered by the police force which investigated the crime.\n\nThe hearing will be attended by:\n\n- 2 or 3 tribunal judges or members\n\n- a clerk\n\n- a representative from CICA\n\n- any witnesses\n\nA police officer who knows about your case may also attend if they can help the tribunal.\n\nOffenders do not usually attend tribunal hearings.\n\n## What happens at a hearing\n\nYou\u2019ll be asked questions about the crime and your injuries.\n\nYou\u2019ll present your case to the judge - someone else can do this for you, for example a lawyer friend or family member.\n\nWitnesses will come into the hearing room to give evidence - they\u2019ll leave after they\u2019ve done that.\n\nYou or your representative can ask questions during the hearing, and can make points at the end.\n\nYou\u2019ll usually get the tribunal\u2019s decision on the day of the hearing.\n\n## Expenses for going to the hearing\n\nThe tribunal will send you information on how to claim expenses for going to the hearing, such as travel costs.\n\n## If you lose your appeal\n\nThere\u2019s no right of appeal but you may be able to ask for a \u2018judicial review\u2019 of the decision if you think the decision was wrong for a legal reason. This means they may hear the case again.\n\nContact a solicitor for legal advice if you\u2019re unsure.\n\n## Before you apply\n\nBefore applying for a judicial review:\n\n- write to the tribunal, saying why you think the decision was wrong\n\n- ask for written reasons for its decision\n\nYou must do this within 1 month of the date of the decision.\n\n## How to apply - England and Wales\n\nYou must get permission from the Upper Tribunal (Administrative Appeals Chamber) if you live in England or Wales.\n\nFill in the judicial review claim form and return it to the address on the form.\n\nFind out more about appealing to the Upper Tribunal.\n\n## How to apply - Scotland\n\nYou must get permission from the Court of Session if you live in Scotland by using the application for leave to appeal form.\n\nSend the form to:\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\nThe tribunal will make a decision based on the Criminal Injuries Compensation Scheme 2012.\n\n## Legislation\n\nThe tribunal must follow the rules in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.\n\nRead the Practice Directions and Statements for more information.", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal to the First-tier Tribunal (Criminal Injuries Compensation) if you disagree with a decision by the Criminal Injuries Compensation Authority (CICA) on your claim for compensation.

    ", + "

    You may want to appeal if you\u2019re refused compensation or unhappy with the amount.

    ", + "

    The tribunal can:

    ", + "
  • uphold CICA\u2019s decision
  • ", + "
  • increase or reduce your award
  • ", + "
  • decide you should not get anything
  • ", + "
  • ask CICA to make the decision again
  • ", + "

    You have 90 days to appeal to the tribunal from the date of CICA\u2019s review decision. Explain why you\u2019re late if you miss the deadline, for example if you\u2019re waiting for medical reports.

    ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    You can contact Victim and Witness Information to find local help and support.

    ", + "

    You can represent yourself at the tribunal. To get help and advice before you appeal you can find a solicitor.

    ", + "

    Appeal to the tribunal

    ", + "

    Download and fill in the appeal form giving reasons why you disagree with the the Criminal Injuries Compensation Authority\u2019s (CICA\u2019s) decision.

    ", + "

    You must also provide:

    ", + "
  • the decision letter from CICA
  • ", + "
  • documents supporting your case, for example, medical records or evidence of loss of earnings
  • ", + "

    Send the form, decision letter and documents to the address on the form.

    ", + "

    Call or email the tribunal helpline if you have any questions about completing the form. The tribunal cannot give you legal advice.

    ", + "

    What happens next

    ", + "

    The tribunal will send a copy of your appeal form to the Criminal Injuries Compensation Authority (CICA). CICA will usually respond to you and the tribunal within 6 weeks.

    ", + "

    You\u2019ll have one month to get back to the tribunal with any extra information or arguments.

    ", + "

    How your appeal will be decided

    ", + "

    The tribunal will write to tell you if your appeal will be decided using either:

    ", + "
  • the paperwork in the case
  • ", + "
  • a hearing
  • ", + "

    You can ask the tribunal for a hearing if you\u2019re unhappy with not being given one.

    ", + "

    The tribunal judge\u2019s decision will be sent to you by post if your appeal is decided using paperwork.

    ", + "

    You\u2019ll be given at least 14 days\u2019 notice of any hearing.

    ", + "

    Hearings

    ", + "

    The hearing will usually be held in the area covered by the police force which investigated the crime.

    ", + "

    The hearing will be attended by:

    ", + "
  • 2 or 3 tribunal judges or members
  • ", + "
  • a clerk
  • ", + "
  • a representative from CICA
  • ", + "
  • any witnesses
  • ", + "

    A police officer who knows about your case may also attend if they can help the tribunal.

    ", + "

    Offenders do not usually attend tribunal hearings.

    ", + "

    What happens at a hearing

    ", + "

    You\u2019ll be asked questions about the crime and your injuries.

    ", + "

    You\u2019ll present your case to the judge - someone else can do this for you, for example a lawyer friend or family member.

    ", + "

    Witnesses will come into the hearing room to give evidence - they\u2019ll leave after they\u2019ve done that.

    ", + "

    You or your representative can ask questions during the hearing, and can make points at the end.

    ", + "

    You\u2019ll usually get the tribunal\u2019s decision on the day of the hearing.

    ", + "

    Expenses for going to the hearing

    ", + "

    The tribunal will send you information on how to claim expenses for going to the hearing, such as travel costs.

    ", + "

    If you lose your appeal

    ", + "

    There\u2019s no right of appeal but you may be able to ask for a \u2018judicial review\u2019 of the decision if you think the decision was wrong for a legal reason. This means they may hear the case again.

    ", + "

    Contact a solicitor for legal advice if you\u2019re unsure.

    ", + "

    Before you apply

    ", + "

    Before applying for a judicial review:

    ", + "
  • write to the tribunal, saying why you think the decision was wrong
  • ", + "
  • ask for written reasons for its decision
  • ", + "

    You must do this within 1 month of the date of the decision.

    ", + "

    How to apply - England and Wales

    ", + "

    You must get permission from the Upper Tribunal (Administrative Appeals Chamber) if you live in England or Wales.

    ", + "

    Fill in the judicial review claim form and return it to the address on the form.

    ", + "

    Find out more about appealing to the Upper Tribunal.

    ", + "

    How to apply - Scotland

    ", + "

    You must get permission from the Court of Session if you live in Scotland by using the application for leave to appeal form.

    ", + "

    Send the form to:

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    The tribunal will make a decision based on the Criminal Injuries Compensation Scheme 2012.

    ", + "

    Legislation

    ", + "

    The tribunal must follow the rules in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.

    ", + "

    Read the Practice Directions and Statements for more information.

    " + ] + }, + "https://www.gov.uk/injunction-domestic-violence": { + "url": "https://www.gov.uk/injunction-domestic-violence", + "title": "Get an injunction if you've been the victim of domestic abuse", + "content": "## How to apply\n\nYou can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:\n\n- protects you or your child from being harmed or threatened by the person who\u2019s abused you - this is called a \u2018non-molestation order\u2019\n\n- decides who can live in the family home or enter the surrounding area - this is called an \u2018occupation order\u2019\n\nThe person named in the injunction can be arrested if they break it.\n\nGet advice on applying for an injunction from a charity, for example Refuge, Women\u2019s Aid, Citizens Advice or the Men\u2019s Advice Line.\n\nYou may be able to get free legal representation.\n\nIf you\u2019re in immediate danger of being abused or have been abused, report it to the police.\n\n## Apply online\n\nYou can use the RCJ Citizens Advice CourtNav service to prepare an injunction application online.\n\nYou\u2019ll need to:\n\n- create an online account\n\n- explain what happened to you\n\n- include the name and address of the person who\u2019s abused you\n\nAs part of your application, you can choose a law firm to review it.\n\nIf you\u2019re unable to get legal aid or pay for legal advice, your application can be sent back to a legal adviser at RCJ Citizens Advice to check for free.\n\nThe legal adviser will tell you if you need to make a court application and how to submit one.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call. If you need a face-to-face hearing, you\u2019ll need to explain why in your application.\n\n## Apply by email or post\n\nFollow these steps to apply for an injunction by email or post.\n\n- Check if you\u2019re eligible to apply for a non-molestation order or an occupation order.\n\n- Download and fill in the application form (form FL401) and make 2 copies.\n\n- Write your witness statement telling the court what has happened and asking for the relevant order.\n\n- At the bottom of the witness statement write a statement of truth. Use the following words: \u201cI believe that the facts stated in this witness statement are true.\u201d Sign and date the statement of truth.\n\n- Download and fill in form C8 if you want to keep your address and telephone number private.\n\n- Email or send all the documents to a court which deals with domestic abuse cases - there\u2019s no fee.\n\nMany courts are closed because of coronavirus. You\u2019ll need to check that the court is open and staffed before you send in your application.\n\n## Emergency orders\n\nIf you need protection immediately, ask for an emergency order when you apply. You do not have to tell the person you want protection from that you\u2019re applying so it\u2019s known as a \u2018without notice\u2019 or \u2018ex-parte\u2019 application.\n\nThe court will hold a hearing which you must attend. It may issue an order at the hearing.\n\nYou\u2019ll still have to tell that person about your application after the order has been issued.\n\nAn emergency order will usually last until your hearing.\n\n## If you\u2019re 17 or under\n\nIf you\u2019re under 16 you\u2019ll need permission to apply from the High Court.\n\nIf you\u2019re 16 or 17 you\u2019ll need to appoint a \u2018litigation friend\u2019 to represent you in court \u2013 this is usually a parent, family member or close friend.\n\n## After you\u2019ve applied\n\nAfter you\u2019ve applied you must arrange for the person you\u2019re applying to get an injunction against to be told about your application.\n\n## Who can apply: non-molestation order\n\nYou can usually apply if you\u2019re a victim of domestic abuse and the person you want to be protected from (\u2018the respondent\u2019) is:\n\n- someone you\u2019re having or have had a relationship with\n\n- a family member\n\n- someone you\u2019re living or have lived with\n\nCheck the following lists to make sure you can apply.\n\nIf you\u2019re under 16 you need permission from the High Court to apply.\n\n## Husband, wife, civil partner or other relationship\n\nYou can apply if you\u2019re a victim of domestic abuse and the respondent is your:\n\n- husband, wife or civil partner\n\n- former husband, former wife or former civil partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- former fianc\u00e9, former fianc\u00e9e or former proposed civil partner \u2013 if your engagement or agreement to form a civil partnership ended less than 3 years ago\n\n- boyfriend, girlfriend, partner or a person you\u2019re in or have been in a relationship with for more than 6 months\n\nIf you were engaged to or had agreed to form a civil partnership with the respondent, you\u2019ll need to provide evidence, such as a ring or statement from a witness who attended a ceremony or celebration.\n\n## Family member\n\nYou can apply if the respondent is a close family member, for example a parent, brother, sister, aunt or uncle.\n\n## People who have parental responsibility for your child or grandchild\n\nYou can apply if you have a child or grandchild and the respondent is the child\u2019s parent or person you share parental responsibility with.\n\nIf your child (or grandchild) has been adopted, you can also apply to get an injunction against their:\n\n- adoptive parent\n\n- anyone who has applied to adopt them\n\n- anyone the child has been placed with for adoption\n\nYou can also apply for an order against the child or grandchild if they\u2019ve been adopted.\n\nYou can report anyone who abuses you to your neighbourhood police team.\n\n## Who can apply: occupation order\n\nYou can apply for an occupation order if you\u2019re a victim of domestic abuse and meet the requirements. The order will say who can live in the family home or enter the surrounding area.\n\nYou can apply if:\n\n- you own or rent the home and it is, was, or was intended to be shared with a husband or wife, civil partner, cohabitant, family member, person you\u2019re engaged to or parent of your child\n\n- you do not own or rent the home but you\u2019re married or in a civil partnership with the owner and you\u2019re living in the home (known as \u2018matrimonial home rights\u2019)\n\n- your former husband, wife or civil partner is the owner or tenant, and the home is, was, or was intended to be your shared matrimonial home\n\n- the person you cohabit or cohabited with is the owner or tenant, and the home is, was, or was intended to be your shared home\n\n## After you submit your application\n\nYou\u2019ll be given a document called a \u2018Notice of Proceedings\u2019 by the court. This tells you when your court hearing will take place.\n\n## Telling people about your application\n\nThe court will send you back a sealed copy of your application. You must arrange for the sealed copy and your witness statement to be \u2018served\u2019 on the person named in the application. This means making sure they get a copy of the documents in person.\n\nYour solicitor will do this if you\u2019re using one or you can ask the court to serve the documents for free.\n\nDo not serve the documents yourself.\n\n## Your court hearing\n\nYour hearing will be held in private (sometimes called \u2018in chambers\u2019). In most cases only you and the person you\u2019re applying for an injunction against, and any legal representatives, can attend. Read about what to expect when you go to a court hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call.\n\nThe court will provide an interpreter if you asked for one when you applied for the injunction. They can translate what happens during the hearing but they cannot represent you or give you legal advice.\n\nContact the court before the hearing if you need support or extra protection.\n\nThe judge may make a decision without a hearing if, for example:\n\n- you\u2019re self-isolating because of coronavirus\n\n- the person you\u2019re applying for an injunction against lives with you\n\nThis is called \u2018on paper\u2019.\n\n## Get a decision\n\nAt the end of the hearing the court will make one of the following decisions:\n\n- the person you\u2019ve applied for an injunction against must make an \u2018undertaking\u2019 (a promise) to do or not do something\n\n- you must provide more information - the court may issue a short-term order (an \u2018interim order\u2019) to protect you while you get this information\n\n- it will issue an order - when that ends they may hold another hearing to decide whether to renew the order\n\nYou\u2019ll get a copy of the order if the court issues one. It will say what the respondent can and cannot do.\n\nIf your order expires and you still want protection, you\u2019ll have to apply again.\n\n## After the hearing\n\nYou must arrange for the order to be \u2018served\u2019 on the respondent. This means making sure they get a copy of the order in person.\n\nIf you have a solicitor, they will arrange for the documents to be served. If you do not have a solicitor you can:\n\n- ask the court to serve the documents - you will not need to pay for this\n\n- hire a professional process server to serve the documents\n\nDo not serve the documents yourself.\n\nThe court will send the order and the statement of service to the officer in charge of your neighbourhood police station or the police station named in the court order.\n\nIf the person named in your injunction does not follow the court order, you can call the police.\n\n## Complaints and appeals\n\nYou can complain to the court where you had the hearing if you\u2019re unhappy with the service they provided.\n\nYou may be able to make an appeal about the decision if you think there\u2019s been a serious mistake. You\u2019ll have to get permission to make the appeal and there\u2019s usually a fee. Read the guidance on how to make an appeal.", + "original_contents": [ + "

    How to apply

    ", + "

    You can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:

    ", + "
  • protects you or your child from being harmed or threatened by the person who\u2019s abused you - this is called a \u2018non-molestation order\u2019
  • ", + "
  • decides who can live in the family home or enter the surrounding area - this is called an \u2018occupation order\u2019
  • ", + "

    The person named in the injunction can be arrested if they break it.

    ", + "

    Get advice on applying for an injunction from a charity, for example Refuge, Women\u2019s Aid, Citizens Advice or the Men\u2019s Advice Line.

    ", + "

    You may be able to get free legal representation.

    ", + "

    If you\u2019re in immediate danger of being abused or have been abused, report it to the police.

    ", + "

    Apply online

    ", + "

    You can use the RCJ Citizens Advice CourtNav service to prepare an injunction application online.

    ", + "

    You\u2019ll need to:

    ", + "
  • create an online account
  • ", + "
  • explain what happened to you
  • ", + "
  • include the name and address of the person who\u2019s abused you
  • ", + "

    As part of your application, you can choose a law firm to review it.

    ", + "

    If you\u2019re unable to get legal aid or pay for legal advice, your application can be sent back to a legal adviser at RCJ Citizens Advice to check for free.

    ", + "

    The legal adviser will tell you if you need to make a court application and how to submit one.

    ", + "

    Because of coronavirus (COVID-19), your hearing may take place over a video or phone call. If you need a face-to-face hearing, you\u2019ll need to explain why in your application.

    ", + "

    Apply by email or post

    ", + "

    Follow these steps to apply for an injunction by email or post.

    ", + "
  • Check if you\u2019re eligible to apply for a non-molestation order or an occupation order.
  • ", + "
  • Download and fill in the application form (form FL401) and make 2 copies.
  • ", + "
  • Write your witness statement telling the court what has happened and asking for the relevant order.
  • ", + "
  • At the bottom of the witness statement write a statement of truth. Use the following words: \u201cI believe that the facts stated in this witness statement are true.\u201d Sign and date the statement of truth.
  • ", + "
  • Download and fill in form C8 if you want to keep your address and telephone number private.
  • ", + "
  • Email or send all the documents to a court which deals with domestic abuse cases - there\u2019s no fee.
  • ", + "

    Many courts are closed because of coronavirus. You\u2019ll need to check that the court is open and staffed before you send in your application.

    ", + "

    Emergency orders

    ", + "

    If you need protection immediately, ask for an emergency order when you apply. You do not have to tell the person you want protection from that you\u2019re applying so it\u2019s known as a \u2018without notice\u2019 or \u2018ex-parte\u2019 application.

    ", + "

    The court will hold a hearing which you must attend. It may issue an order at the hearing.

    ", + "

    You\u2019ll still have to tell that person about your application after the order has been issued.

    ", + "

    An emergency order will usually last until your hearing.

    ", + "

    If you\u2019re 17 or under

    ", + "

    If you\u2019re under 16 you\u2019ll need permission to apply from the High Court.

    ", + "

    If you\u2019re 16 or 17 you\u2019ll need to appoint a \u2018litigation friend\u2019 to represent you in court \u2013 this is usually a parent, family member or close friend.

    ", + "

    After you\u2019ve applied

    ", + "

    After you\u2019ve applied you must arrange for the person you\u2019re applying to get an injunction against to be told about your application.

    ", + "

    Who can apply: non-molestation order

    ", + "

    You can usually apply if you\u2019re a victim of domestic abuse and the person you want to be protected from (\u2018the respondent\u2019) is:

    ", + "
  • someone you\u2019re having or have had a relationship with
  • ", + "
  • a family member
  • ", + "
  • someone you\u2019re living or have lived with
  • ", + "

    Check the following lists to make sure you can apply.

    ", + "

    If you\u2019re under 16 you need permission from the High Court to apply.

    ", + "

    Husband, wife, civil partner or other relationship

    ", + "

    You can apply if you\u2019re a victim of domestic abuse and the respondent is your:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • former husband, former wife or former civil partner
  • ", + "
  • fianc\u00e9, fianc\u00e9e or proposed civil partner
  • ", + "
  • former fianc\u00e9, former fianc\u00e9e or former proposed civil partner \u2013 if your engagement or agreement to form a civil partnership ended less than 3 years ago
  • ", + "
  • boyfriend, girlfriend, partner or a person you\u2019re in or have been in a relationship with for more than 6 months
  • ", + "

    If you were engaged to or had agreed to form a civil partnership with the respondent, you\u2019ll need to provide evidence, such as a ring or statement from a witness who attended a ceremony or celebration.

    ", + "

    Family member

    ", + "

    You can apply if the respondent is a close family member, for example a parent, brother, sister, aunt or uncle.

    ", + "

    People who have parental responsibility for your child or grandchild

    ", + "

    You can apply if you have a child or grandchild and the respondent is the child\u2019s parent or person you share parental responsibility with.

    ", + "

    If your child (or grandchild) has been adopted, you can also apply to get an injunction against their:

    ", + "
  • adoptive parent
  • ", + "
  • anyone who has applied to adopt them
  • ", + "
  • anyone the child has been placed with for adoption
  • ", + "

    You can also apply for an order against the child or grandchild if they\u2019ve been adopted.

    ", + "

    You can report anyone who abuses you to your neighbourhood police team.

    ", + "

    Who can apply: occupation order

    ", + "

    You can apply for an occupation order if you\u2019re a victim of domestic abuse and meet the requirements. The order will say who can live in the family home or enter the surrounding area.

    ", + "

    You can apply if:

    ", + "
  • you own or rent the home and it is, was, or was intended to be shared with a husband or wife, civil partner, cohabitant, family member, person you\u2019re engaged to or parent of your child
  • ", + "
  • you do not own or rent the home but you\u2019re married or in a civil partnership with the owner and you\u2019re living in the home (known as \u2018matrimonial home rights\u2019)
  • ", + "
  • your former husband, wife or civil partner is the owner or tenant, and the home is, was, or was intended to be your shared matrimonial home
  • ", + "
  • the person you cohabit or cohabited with is the owner or tenant, and the home is, was, or was intended to be your shared home
  • ", + "

    After you submit your application

    ", + "

    You\u2019ll be given a document called a \u2018Notice of Proceedings\u2019 by the court. This tells you when your court hearing will take place.

    ", + "

    Telling people about your application

    ", + "

    The court will send you back a sealed copy of your application. You must arrange for the sealed copy and your witness statement to be \u2018served\u2019 on the person named in the application. This means making sure they get a copy of the documents in person.

    ", + "

    Your solicitor will do this if you\u2019re using one or you can ask the court to serve the documents for free.

    ", + "

    Do not serve the documents yourself.

    ", + "

    Your court hearing

    ", + "

    Your hearing will be held in private (sometimes called \u2018in chambers\u2019). In most cases only you and the person you\u2019re applying for an injunction against, and any legal representatives, can attend. Read about what to expect when you go to a court hearing.

    ", + "

    Because of coronavirus (COVID-19), your hearing may take place over a video or phone call.

    ", + "

    The court will provide an interpreter if you asked for one when you applied for the injunction. They can translate what happens during the hearing but they cannot represent you or give you legal advice.

    ", + "

    Contact the court before the hearing if you need support or extra protection.

    ", + "

    The judge may make a decision without a hearing if, for example:

    ", + "
  • you\u2019re self-isolating because of coronavirus
  • ", + "
  • the person you\u2019re applying for an injunction against lives with you
  • ", + "

    This is called \u2018on paper\u2019.

    ", + "

    Get a decision

    ", + "

    At the end of the hearing the court will make one of the following decisions:

    ", + "
  • the person you\u2019ve applied for an injunction against must make an \u2018undertaking\u2019 (a promise) to do or not do something
  • ", + "
  • you must provide more information - the court may issue a short-term order (an \u2018interim order\u2019) to protect you while you get this information
  • ", + "
  • it will issue an order - when that ends they may hold another hearing to decide whether to renew the order
  • ", + "

    You\u2019ll get a copy of the order if the court issues one. It will say what the respondent can and cannot do.

    ", + "

    If your order expires and you still want protection, you\u2019ll have to apply again.

    ", + "

    After the hearing

    ", + "

    You must arrange for the order to be \u2018served\u2019 on the respondent. This means making sure they get a copy of the order in person.

    ", + "

    If you have a solicitor, they will arrange for the documents to be served. If you do not have a solicitor you can:

    ", + "
  • ask the court to serve the documents - you will not need to pay for this
  • ", + "
  • hire a professional process server to serve the documents
  • ", + "

    Do not serve the documents yourself.

    ", + "

    The court will send the order and the statement of service to the officer in charge of your neighbourhood police station or the police station named in the court order.

    ", + "

    If the person named in your injunction does not follow the court order, you can call the police.

    ", + "

    Complaints and appeals

    ", + "

    You can complain to the court where you had the hearing if you\u2019re unhappy with the service they provided.

    ", + "

    You may be able to make an appeal about the decision if you think there\u2019s been a serious mistake. You\u2019ll have to get permission to make the appeal and there\u2019s usually a fee. Read the guidance on how to make an appeal.

    " + ] + }, + "https://www.gov.uk/terrorism-national-emergency": { + "url": "https://www.gov.uk/terrorism-national-emergency", + "title": "Terrorism and national emergencies", + "content": "## Terrorism threat levels\n\nThe threat level indicates the likelihood of a terrorist attack in the UK.\n\n## National threat level\n\nThe threat to the UK (England, Wales, Scotland and Northern Ireland) from terrorism is substantial.\n\n## Northern Ireland-related threat level\n\nThe threat to Northern Ireland from Northern Ireland-related terrorism is severe.\n\n## Threat levels\n\nThere are 5 levels of threat:\n\n- low - an attack is highly unlikely\n\n- moderate - an attack is possible but not likely\n\n- substantial - an attack is likely\n\n- severe - an attack is highly likely\n\n- critical - an attack is highly likely in the near future\n\nThe level is set by the Joint Terrorism Analysis Centre and the Security Service (MI5).\n\nThreat levels do not have an expiry date. They can change at any time as different information becomes available.\n\n## More information about terrorist threat levels\n\nGet more information about terrorism threat levels in the UK on the MI5 website.\n\nYou can also check the government\u2019s travel advice for different countries.\n\n## Counter-terrorism\n\nThe Security Service (MI5) is responsible for protecting the UK against threats to national security.\n\nThe Office for Security and Counter-Terrorism coordinates the government\u2019s response in case of a terrorist incident.\n\nCounter-terrorism laws are enforced by the police.\n\n## Public safety\n\nThe government will issue a warning to the public if that\u2019s the best way to protect a community or a place facing a specific threat.\n\n## Reporting suspected terrorism\n\nIf you suspect someone is involved in terrorism in any way:\n\n- call the police or report your suspicions to them online\n\n- report suspicious activity to MI5\n\n- report online terrorist material\n\nYou can remain anonymous.\n\n## National emergencies\n\n## National Risk Register\n\nThe government regularly assesses the natural hazards and man-made threats that could affect the UK.\n\nThese are published in the National Risk Register. This explains the likelihood of a risk occurring and possible effects of an emergency if it happens.\n\n## Local and central government preparations\n\nYour local council, fire, police and ambulance services and other organisations take part in regular training exercises to prepare for emergencies.\n\nFind out how emergencies are planned for in your area.\n\nYou can also read guidance for local councils on recovery after an emergency.\n\nThere are also government plans to make sure essential services, like food, water, transport, health and financial services, keep working in the event of an emergency.", + "original_contents": [ + "

    Terrorism threat levels

    ", + "

    The threat level indicates the likelihood of a terrorist attack in the UK.

    ", + "

    National threat level

    ", + "

    The threat to the UK (England, Wales, Scotland and Northern Ireland) from terrorism is substantial.

    ", + "

    Northern Ireland-related threat level

    ", + "

    The threat to Northern Ireland from Northern Ireland-related terrorism is severe.

    ", + "

    Threat levels

    ", + "

    There are 5 levels of threat:

    ", + "
  • low - an attack is highly unlikely
  • ", + "
  • moderate - an attack is possible but not likely
  • ", + "
  • substantial - an attack is likely
  • ", + "
  • severe - an attack is highly likely
  • ", + "
  • critical - an attack is highly likely in the near future
  • ", + "

    The level is set by the Joint Terrorism Analysis Centre and the Security Service (MI5).

    ", + "

    Threat levels do not have an expiry date. They can change at any time as different information becomes available.

    ", + "

    More information about terrorist threat levels

    ", + "

    Get more information about terrorism threat levels in the UK on the MI5 website.

    ", + "

    You can also check the government\u2019s travel advice for different countries.

    ", + "

    Counter-terrorism

    ", + "

    The Security Service (MI5) is responsible for protecting the UK against threats to national security.

    ", + "

    The Office for Security and Counter-Terrorism coordinates the government\u2019s response in case of a terrorist incident.

    ", + "

    Counter-terrorism laws are enforced by the police.

    ", + "

    Public safety

    ", + "

    The government will issue a warning to the public if that\u2019s the best way to protect a community or a place facing a specific threat.

    ", + "

    Reporting suspected terrorism

    ", + "

    If you suspect someone is involved in terrorism in any way:

    ", + "
  • call the police or report your suspicions to them online
  • ", + "
  • report suspicious activity to MI5
  • ", + "
  • report online terrorist material
  • ", + "

    You can remain anonymous.

    ", + "

    National emergencies

    ", + "

    National Risk Register

    ", + "

    The government regularly assesses the natural hazards and man-made threats that could affect the UK.

    ", + "

    These are published in the National Risk Register. This explains the likelihood of a risk occurring and possible effects of an emergency if it happens.

    ", + "

    Local and central government preparations

    ", + "

    Your local council, fire, police and ambulance services and other organisations take part in regular training exercises to prepare for emergencies.

    ", + "

    Find out how emergencies are planned for in your area.

    ", + "

    You can also read guidance for local councils on recovery after an emergency.

    ", + "

    There are also government plans to make sure essential services, like food, water, transport, health and financial services, keep working in the event of an emergency.

    " + ] + }, + "https://www.gov.uk/what-to-do-if-your-vehicle-has-been-stolen": { + "url": "https://www.gov.uk/what-to-do-if-your-vehicle-has-been-stolen", + "title": "What to do if your vehicle has been stolen", + "content": "## Report your vehicle as stolen\n\nTell the police and your insurance company straight away if your vehicle has been stolen.\n\n## Call your local police station\n\nDial 101 and ask to be put through to your local police.\n\nMake sure you have your vehicle\u2019s:\n\n- registration number\n\n- make and model\n\n- colour\n\nYou\u2019ll get a crime reference number. You\u2019ll need this when you call your insurance company.\n\nThe police will tell DVLA about the theft and if the vehicle is found.\n\n## Call your insurance company\n\nYour insurance company will tell you how to make an insurance claim.\n\n## Tell DVLA if your insurance company pays out\n\nIf your insurance company pays out a claim for your stolen vehicle, you must tell DVLA it\u2019s been sold to the insurance company.\n\nIf your vehicle had a personalised registration number that you want to keep, you need to get it back before you tell DVLA that you no longer own your vehicle.\n\nYou can tell DVLA online or fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of your vehicle log book. Send the perforated section to DVLA, with a letter saying when the payment was accepted and details of your insurance company.\n\nYou\u2019ll need to give the remaining part of your log book to your insurance company.\n\nIf your insurance company asks for the whole log book then you\u2019ll need to send a letter to DVLA including:\n\n- the details of your insurance company\n\n- the date of the claim\n\n- your registration number\n\n- the make, model and colour of your vehicle\n\n- your signature\n\nSend your letter to:\n\n## Get a vehicle tax refund\n\nYour vehicle tax will be cancelled by DVLA once you tell them you no longer own your vehicle. If you pay by Direct Debit, the Direct Debit will be cancelled automatically.\n\nYou must apply for a refund instead if your vehicle had a personalised registration number that you want to keep.\n\nYou\u2019ll automatically get a refund cheque for any full months left on your vehicle tax. The refund is calculated from the date DVLA gets your information. The cheque is sent to the name and address on the vehicle log book.\n\nYou will not get a refund for:\n\n- any credit card fees\n\n- the 5% surcharge on some Direct Debit payments\n\n- the 10% surcharge on a single 6 month payment\n\n## If you had a private (personalised) registration number\n\nApply to keep your private (personalised) registration number as soon as your vehicle is stolen.\n\nThis means the number will stay in your name so you can assign it to another vehicle later.\n\nYou must apply within 2 years and 6 months of telling DVLA your vehicle has been stolen.\n\nYou can only get your private registration number back if:\n\n- you told the police about the theft\n\n- the vehicle had a valid MOT certificate when it was stolen\n\n- the vehicle had up-to-date vehicle tax when it was stolen\n\n## Apply to keep your registration number\n\nYou can only apply by post. It costs \u00a380.\n\nYou need to send all of the following to DVLA:\n\n- a V317 \u2018transfer or retain a vehicle registration number\u2019 form - the address is on the form\n\n- the vehicle\u2019s log book (V5C) or green \u2018new keeper\u2019 slip with a completed V62 \u2018application for a vehicle registration certificate V5C\u2019\n\n- the \u00a380 transfer fee\n\n## If you get your stolen vehicle back\n\nIf you\u2019ve already applied to keep your private registration number, you can apply to put it on another vehicle straight away.\n\nYou must apply before your vehicle is sold or scrapped.\n\n## If you do not get your stolen vehicle back\n\nYou must wait 6 months before you can transfer your private registration number to another vehicle. You can only do this by post.\n\n## Tell DVLA you no longer own your vehicle\n\nAfter you get your private registration number back, you can tell DVLA that you no longer own your vehicle.\n\nTell DVLA online or fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of your vehicle log book and send the perforated section to DVLA.\n\n## Apply for a vehicle tax refund\n\nYou will not automatically get a vehicle tax refund - you\u2019ll need to apply for one.\n\nContact DVLA to get form V33. Complete your form and send it to DVLA. You must include your crime reference number.\n\nCheck that your name and address is correct on your log book - otherwise you will not receive the refund.\n\nYou\u2019ll usually get your refund in 4 to 6 weeks.", + "original_contents": [ + "

    Report your vehicle as stolen

    ", + "

    Tell the police and your insurance company straight away if your vehicle has been stolen.

    ", + "

    Call your local police station

    ", + "

    Dial 101 and ask to be put through to your local police.

    ", + "

    Make sure you have your vehicle\u2019s:

    ", + "
  • registration number
  • ", + "
  • make and model
  • ", + "
  • colour
  • ", + "

    You\u2019ll get a crime reference number. You\u2019ll need this when you call your insurance company.

    ", + "

    The police will tell DVLA about the theft and if the vehicle is found.

    ", + "

    Call your insurance company

    ", + "

    Your insurance company will tell you how to make an insurance claim.

    ", + "

    Tell DVLA if your insurance company pays out

    ", + "

    If your insurance company pays out a claim for your stolen vehicle, you must tell DVLA it\u2019s been sold to the insurance company.

    ", + "

    If your vehicle had a personalised registration number that you want to keep, you need to get it back before you tell DVLA that you no longer own your vehicle.

    ", + "

    You can tell DVLA online or fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of your vehicle log book. Send the perforated section to DVLA, with a letter saying when the payment was accepted and details of your insurance company.

    ", + "

    You\u2019ll need to give the remaining part of your log book to your insurance company.

    ", + "

    If your insurance company asks for the whole log book then you\u2019ll need to send a letter to DVLA including:

    ", + "
  • the details of your insurance company
  • ", + "
  • the date of the claim
  • ", + "
  • your registration number
  • ", + "
  • the make, model and colour of your vehicle
  • ", + "
  • your signature
  • ", + "

    Send your letter to:

    ", + "

    Get a vehicle tax refund

    ", + "

    Your vehicle tax will be cancelled by DVLA once you tell them you no longer own your vehicle. If you pay by Direct Debit, the Direct Debit will be cancelled automatically.

    ", + "

    You must apply for a refund instead if your vehicle had a personalised registration number that you want to keep.

    ", + "

    You\u2019ll automatically get a refund cheque for any full months left on your vehicle tax. The refund is calculated from the date DVLA gets your information. The cheque is sent to the name and address on the vehicle log book.

    ", + "

    You will not get a refund for:

    ", + "
  • any credit card fees
  • ", + "
  • the 5% surcharge on some Direct Debit payments
  • ", + "
  • the 10% surcharge on a single 6 month payment
  • ", + "

    If you had a private (personalised) registration number

    ", + "

    Apply to keep your private (personalised) registration number as soon as your vehicle is stolen.

    ", + "

    This means the number will stay in your name so you can assign it to another vehicle later.

    ", + "

    You must apply within 2 years and 6 months of telling DVLA your vehicle has been stolen.

    ", + "

    You can only get your private registration number back if:

    ", + "
  • you told the police about the theft
  • ", + "
  • the vehicle had a valid MOT certificate when it was stolen
  • ", + "
  • the vehicle had up-to-date vehicle tax when it was stolen
  • ", + "

    Apply to keep your registration number

    ", + "

    You can only apply by post. It costs \u00a380.

    ", + "

    You need to send all of the following to DVLA:

    ", + "
  • a V317 \u2018transfer or retain a vehicle registration number\u2019 form - the address is on the form
  • ", + "
  • the vehicle\u2019s log book (V5C) or green \u2018new keeper\u2019 slip with a completed V62 \u2018application for a vehicle registration certificate V5C\u2019
  • ", + "
  • the \u00a380 transfer fee
  • ", + "

    If you get your stolen vehicle back

    ", + "

    If you\u2019ve already applied to keep your private registration number, you can apply to put it on another vehicle straight away.

    ", + "

    You must apply before your vehicle is sold or scrapped.

    ", + "

    If you do not get your stolen vehicle back

    ", + "

    You must wait 6 months before you can transfer your private registration number to another vehicle. You can only do this by post.

    ", + "

    Tell DVLA you no longer own your vehicle

    ", + "

    After you get your private registration number back, you can tell DVLA that you no longer own your vehicle.

    ", + "

    Tell DVLA online or fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of your vehicle log book and send the perforated section to DVLA.

    ", + "

    Apply for a vehicle tax refund

    ", + "

    You will not automatically get a vehicle tax refund - you\u2019ll need to apply for one.

    ", + "

    Contact DVLA to get form V33. Complete your form and send it to DVLA. You must include your crime reference number.

    ", + "

    Check that your name and address is correct on your log book - otherwise you will not receive the refund.

    ", + "

    You\u2019ll usually get your refund in 4 to 6 weeks.

    " + ] + }, + "https://www.gov.uk/young-people-in-custody": { + "url": "https://www.gov.uk/young-people-in-custody", + "title": "Young people in custody", + "content": "## Overview\n\nPeople under 18 who are sentenced to custody are sent to secure centres for young people, not to adult prisons.\n\n## Why young people are sent to custody\n\nA court can give a young person a custodial sentence if:\n\n- the crime is so serious there is no other suitable option\n\n- the young person has committed crimes before\n\n- the judge or magistrate thinks the young person is a risk to the public\n\nA young person can also be sent to custody on remand.\n\nThe Youth Justice Board decides which secure centre a young person will be sent to.\n\nThey will choose somewhere that:\n\n- can deal with the young person\u2019s needs safely, eg if they have a health problem\n\n- is suitable for their age, sex and background\n\n- is as near to their home as possible\n\n## Arriving at custody\n\nThe young person is interviewed by the reception officer as soon as they arrive.\n\nThe reception officer uses this interview to make sure the young person is properly looked after, eg if they need any health care.\n\n## Search\n\nThe young person will have some of their belongings taken away, like their money and phone.\n\nThey will also be searched to make sure they don\u2019t have things like drugs on them.\n\n## Personal officer\n\nWithin the first few days, the young person will meet their personal officer. This person is in charge of the young person\u2019s well-being for as long as they\u2019re in the secure centre.\n\nFind out more about the support that\u2019s available for a young person in custody.\n\n## What custody is like for young people\n\nTime in custody is spent:\n\n- in lessons\n\n- learning skills to get a job or to return to education\n\n- taking part in programmes to improve behaviour\n\n- participating in sport, fitness, and other activities\n\nThere are strict rules about what young people can and can\u2019t do, and they may have to go through alcohol or drug counselling.\n\n## Types of secure centre\n\nThere are 3 types of custody for young people:\n\n- young offender institutions\n\n- secure training centres\n\n- secure children\u2019s homes\n\nYoung offender institutions:\n\n- are run by the Prison Service and private companies\n\n- are for people aged 15 to 21 (people under 18 are held in different buildings)\n\n- house between 60 to 400 people, split into \u2018wings\u2019 of 30 to 60 people\n\nSecure training centres:\n\n- are run by private companies\n\n- are for people aged up to 17\n\n- house between 50 and 80, split into units of 5 to 8 people\n\n- give 30 hours of education and training a week, following a school day timetable\n\nSecure children\u2019s homes:\n\n- run by local councils\n\n- are for people aged 10 to 14\n\n- house between 8 and 40 people\n\n- give 30 hours of education and training a week, following a school day timetable\n\n## Visiting young people in custody\n\nYou must arrange your visit first. Contact the secure centre to find out what you need to do.\n\n## Who can visit\n\nFamily members and friends can ask to visit. If you\u2019re under 18 you have to be accompanied by an adult.\n\nPeople whose job it is to support the young person, like a social worker or legal adviser, can visit them at any time.\n\n## When you can visit\n\nEach centre will have specific times for visiting. They will tell you when these are, and you won\u2019t be allowed to visit outside of these times.\n\n## How often you can visit\n\nUsually, you can visit a young person once a week if you are a family member or friend, but this can vary.\n\n## How many people can visit\n\nGenerally, 3 people are allowed at one time. If you want to bring more people, you will need to get permission first.\n\n## Getting help with travel costs\n\nFamily members can sometimes get help with the costs of visiting, such as train tickets or petrol.\n\nThere are different rules for claiming money back depending on where you visit.\n\n## Travel claims for visiting a young offender institution (YOI)\n\nYou should contact the Prison Service to claim for a visit to a YOI.\n\n## Travel claims for visiting a secure children\u2019s home\n\nYou should contact the young person\u2019s youth offending team to claim for a visit to a secure children\u2019s home.\n\nThe document \u2018AVS1 - Assisted visits scheme information for relatives\u2019 will give you information on this. You need to complete form AVS2.\n\n## Travel claims for visiting a secure training centre (STC)\n\nCall the STC you\u2019re visiting on one of the following numbers. Ask for the STC monitor - they\u2019ll tell you how to make a claim and what it covers.\n\n- Oakhill: 01908 866 021\n\n- Rainsbrook: 01788 528 806\n\n- Medway: 01634 823 305\n\nFind out about call charges.\n\nYou may get help claiming the cost of a train journey before you travel. You can also\nclaim back the cost of your travel after your visit.\n\nYou could get help with registered childminder costs if you have young children.\n\n## If the young person is on remand\n\nContact the young person\u2019s youth offending team, who can organise a visit.\n\nYou can\u2019t get help with your travel costs if the young person you\u2019re visiting is on remand.\n\n## Advice and support\n\nFor advice or support, a young person can speak to a member of staff, for example:\n\n- their personal officer\n\n- a chaplain, social worker or teacher\n\n- a doctor, nurse or other health worker\n\nThe personal officer is the person in charge of the young person\u2019s well-being.\n\nChaplains provide support to everyone, whatever their faith. A young person can ask to speak to a chaplain of their own faith if they want.\n\n## Support from the youth offending team\n\nSomeone from the local youth offending team will stay in contact with the young person while they\u2019re in custody. The young person can get in touch with them whenever they need.\n\n## Friends and family\n\nA young person will be able to contact their family regularly, and can arrange for them to visit.\n\n## Advocacy services\n\nYoung people can also speak to someone from an advocacy service.\n\n## Advocacy services\n\nAdvocacy services are run by children\u2019s charities and are confidential.\n\nA young person in custody can ask an advocacy service for help if they:\n\n- feel they can\u2019t speak for themselves\n\n- don\u2019t understand something\n\n- can\u2019t make themselves understood\n\n## How to get in touch\n\nPeople from an advocacy service regularly visit secure centres so young people can meet them. Young people can also telephone them.\n\nBarnardo\u2019s\nTelephone: 0808 168 2694 \nFind out about call charges\n\nThis number is for young people in young offender institutions (YOIs) or secure training centres (STCs). The phone number is different for young people in a secure children\u2019s home - they need to ask a member of staff for the number.\n\n## Other people to call\n\nYoung people and their families can also contact other organisations for help.\n\n## Organisations that can help\n\nThe Howard League might be able to offer legal advice and help to people under 18 in custody.\n\nThe Prison Reform Trust and Nacro offer advice and support to young people and their families, but can\u2019t give legal advice.\n\nFind out about call charges.", + "original_contents": [ + "

    Overview

    ", + "

    People under 18 who are sentenced to custody are sent to secure centres for young people, not to adult prisons.

    ", + "

    Why young people are sent to custody

    ", + "

    A court can give a young person a custodial sentence if:

    ", + "
  • the crime is so serious there is no other suitable option
  • ", + "
  • the young person has committed crimes before
  • ", + "
  • the judge or magistrate thinks the young person is a risk to the public
  • ", + "

    A young person can also be sent to custody on remand.

    ", + "

    The Youth Justice Board decides which secure centre a young person will be sent to.

    ", + "

    They will choose somewhere that:

    ", + "
  • can deal with the young person\u2019s needs safely, eg if they have a health problem
  • ", + "
  • is suitable for their age, sex and background
  • ", + "
  • is as near to their home as possible
  • ", + "

    Arriving at custody

    ", + "

    The young person is interviewed by the reception officer as soon as they arrive.

    ", + "

    The reception officer uses this interview to make sure the young person is properly looked after, eg if they need any health care.

    ", + "

    Search

    ", + "

    The young person will have some of their belongings taken away, like their money and phone.

    ", + "

    They will also be searched to make sure they don\u2019t have things like drugs on them.

    ", + "

    Personal officer

    ", + "

    Within the first few days, the young person will meet their personal officer. This person is in charge of the young person\u2019s well-being for as long as they\u2019re in the secure centre.

    ", + "

    Find out more about the support that\u2019s available for a young person in custody.

    ", + "

    What custody is like for young people

    ", + "

    Time in custody is spent:

    ", + "
  • in lessons
  • ", + "
  • learning skills to get a job or to return to education
  • ", + "
  • taking part in programmes to improve behaviour
  • ", + "
  • participating in sport, fitness, and other activities
  • ", + "

    There are strict rules about what young people can and can\u2019t do, and they may have to go through alcohol or drug counselling.

    ", + "

    Types of secure centre

    ", + "

    There are 3 types of custody for young people:

    ", + "
  • young offender institutions
  • ", + "
  • secure training centres
  • ", + "
  • secure children\u2019s homes
  • ", + "

    Young offender institutions:

    ", + "
  • are run by the Prison Service and private companies
  • ", + "
  • are for people aged 15 to 21 (people under 18 are held in different buildings)
  • ", + "
  • house between 60 to 400 people, split into \u2018wings\u2019 of 30 to 60 people
  • ", + "

    Secure training centres:

    ", + "
  • are run by private companies
  • ", + "
  • are for people aged up to 17
  • ", + "
  • house between 50 and 80, split into units of 5 to 8 people
  • ", + "
  • give 30 hours of education and training a week, following a school day timetable
  • ", + "

    Secure children\u2019s homes:

    ", + "
  • run by local councils
  • ", + "
  • are for people aged 10 to 14
  • ", + "
  • house between 8 and 40 people
  • ", + "
  • give 30 hours of education and training a week, following a school day timetable
  • ", + "

    Visiting young people in custody

    ", + "

    You must arrange your visit first. Contact the secure centre to find out what you need to do.

    ", + "

    Who can visit

    ", + "

    Family members and friends can ask to visit. If you\u2019re under 18 you have to be accompanied by an adult.

    ", + "

    People whose job it is to support the young person, like a social worker or legal adviser, can visit them at any time.

    ", + "

    When you can visit

    ", + "

    Each centre will have specific times for visiting. They will tell you when these are, and you won\u2019t be allowed to visit outside of these times.

    ", + "

    How often you can visit

    ", + "

    Usually, you can visit a young person once a week if you are a family member or friend, but this can vary.

    ", + "

    How many people can visit

    ", + "

    Generally, 3 people are allowed at one time. If you want to bring more people, you will need to get permission first.

    ", + "

    Getting help with travel costs

    ", + "

    Family members can sometimes get help with the costs of visiting, such as train tickets or petrol.

    ", + "

    There are different rules for claiming money back depending on where you visit.

    ", + "

    Travel claims for visiting a young offender institution (YOI)

    ", + "

    You should contact the Prison Service to claim for a visit to a YOI.

    ", + "

    Travel claims for visiting a secure children\u2019s home

    ", + "

    You should contact the young person\u2019s youth offending team to claim for a visit to a secure children\u2019s home.

    ", + "

    The document \u2018AVS1 - Assisted visits scheme information for relatives\u2019 will give you information on this. You need to complete form AVS2.

    ", + "

    Travel claims for visiting a secure training centre (STC)

    ", + "

    Call the STC you\u2019re visiting on one of the following numbers. Ask for the STC monitor - they\u2019ll tell you how to make a claim and what it covers.

    ", + "
  • Oakhill: 01908 866 021
  • ", + "
  • Rainsbrook: 01788 528 806
  • ", + "
  • Medway: 01634 823 305
  • ", + "

    Find out about call charges.

    ", + "

    You may get help claiming the cost of a train journey before you travel. You can also\nclaim back the cost of your travel after your visit.

    ", + "

    You could get help with registered childminder costs if you have young children.

    ", + "

    If the young person is on remand

    ", + "

    Contact the young person\u2019s youth offending team, who can organise a visit.

    ", + "

    You can\u2019t get help with your travel costs if the young person you\u2019re visiting is on remand.

    ", + "

    Advice and support

    ", + "

    For advice or support, a young person can speak to a member of staff, for example:

    ", + "
  • their personal officer
  • ", + "
  • a chaplain, social worker or teacher
  • ", + "
  • a doctor, nurse or other health worker
  • ", + "

    The personal officer is the person in charge of the young person\u2019s well-being.

    ", + "

    Chaplains provide support to everyone, whatever their faith. A young person can ask to speak to a chaplain of their own faith if they want.

    ", + "

    Support from the youth offending team

    ", + "

    Someone from the local youth offending team will stay in contact with the young person while they\u2019re in custody. The young person can get in touch with them whenever they need.

    ", + "

    Friends and family

    ", + "

    A young person will be able to contact their family regularly, and can arrange for them to visit.

    ", + "

    Advocacy services

    ", + "

    Young people can also speak to someone from an advocacy service.

    ", + "

    Advocacy services

    ", + "

    Advocacy services are run by children\u2019s charities and are confidential.

    ", + "

    A young person in custody can ask an advocacy service for help if they:

    ", + "
  • feel they can\u2019t speak for themselves
  • ", + "
  • don\u2019t understand something
  • ", + "
  • can\u2019t make themselves understood
  • ", + "

    How to get in touch

    ", + "

    People from an advocacy service regularly visit secure centres so young people can meet them. Young people can also telephone them.

    ", + "

    Barnardo\u2019s\nTelephone: 0808 168 2694 \nFind out about call charges

    ", + "

    This number is for young people in young offender institutions (YOIs) or secure training centres (STCs). The phone number is different for young people in a secure children\u2019s home - they need to ask a member of staff for the number.

    ", + "

    Other people to call

    ", + "

    Young people and their families can also contact other organisations for help.

    ", + "

    Organisations that can help

    ", + "

    The Howard League might be able to offer legal advice and help to people under 18 in custody.

    ", + "

    The Prison Reform Trust and Nacro offer advice and support to young people and their families, but can\u2019t give legal advice.

    ", + "

    Find out about call charges.

    " + ] + }, + "https://www.gov.uk/youth-crime-prevention-programmes": { + "url": "https://www.gov.uk/youth-crime-prevention-programmes", + "title": "Youth crime prevention programmes", + "content": "## Overview\n\nThere are various prevention programmes that work to keep young people away from crime. They are run within local communities, and can involve parents and families.\n\nYoung people are placed on these programmes if:\n\n- they have been in trouble with the police\n\n- they\u2019re \u2018at risk\u2019 of committing a crime\n\n- they\u2019re involved in anti-social behaviour\n\nAttending one of these programmes is voluntary. The young person and their parents or carers have to be happy with everything before it starts.\n\nMany programmes are run by the council\u2019s local youth offending team or by other local organisations like youth charities.\n\nTo find out about youth crime prevention programmes in your area, contact your local youth offending team.\n\n## How young people are put on a programme\n\nYoung people are usually sent - or \u2018referred\u2019 - to one of these programmes by the police or the youth offending team.\n\nHowever, they can also be referred by a teacher, social worker or parent.\n\n## Assessment - making sure it\u2019s the right programme\n\nBefore anything happens, the youth workers running the prevention programme will assess the young person to:\n\n- make sure a prevention programme will help\n\n- decide which type of support will be most suitable\n\nThe young person will be involved in the assessment and will be asked questions about their life and background.\n\n## What these programmes are and how they work\n\nYouth crime prevention programmes have different names and do different things, but they all involve activities to help keep young people away from crime. Young people can also learn new skills or get advice about school or jobs.\n\nSome are run in groups while others are for just one young person supervised by an adult.\n\nTwo of the main prevention programmes are \u2018youth inclusion programmes\u2019 and \u2018youth inclusion and support panels\u2019, although there are many others.\n\n## Youth inclusion programmes\n\nThese are for 8 to 17 year-olds and usually last for set lengths of time, eg 6 months. Sometimes a young person can attend for longer if they need to, if they find the activities helpful.\n\n## Youth inclusion and support panels\n\nThese panels - made up of people like local youth or social workers - work with 8 to 13 year-olds to make sure they get access to local services that will help them stay out of trouble. These services could be things like getting extra help at school, or treatment for health or mental health problems.\n\nBoth these programmes use something called an \u2018intervention plan\u2019 that everyone must agree on, including the young person and their family. This plan describes what the young person is expected to do, as well as what support the young person will get.\n\nYoung people can also be mentored, and sometimes their families can also be involved.\n\n## Mentoring\n\nA mentor is a specially trained volunteer who spends time helping someone.\n\nThey can help a young person with things like:\n\n- doing better at school\n\n- coping with bullying\n\n- applying for jobs or colleges\n\nSometimes this personal help can be more effective than sending a young person on a group activity. A mentoring programme doesn\u2019t usually have a set time limit - a young person can be mentored for as long as is helpful.\n\nMentors are not connected to the police or a school.\n\n## Involving parents and families\n\nUsually, parents and families will be involved in helping a young person on a crime prevention programme. This could mean anything from attending classes with their child, to just making sure the young person does what they are asked.\n\n## Parenting programmes\n\nIf a young person gets into trouble with the law, their parents or carers might be asked to go on a parenting programme. Usually, they will be asked to attend voluntarily, but sometimes they will have to go.\n\nThis can be part of a youth crime prevention programme, and sometimes it will be separate.\n\nHow these programmes work will change from person to person, and will be planned in a way that\u2019s right for the young person and their family. They could involve:\n\n- improving parenting skills\n\n- making sure nothing at home is causing the young person to commit crime", + "original_contents": [ + "

    Overview

    ", + "

    There are various prevention programmes that work to keep young people away from crime. They are run within local communities, and can involve parents and families.

    ", + "

    Young people are placed on these programmes if:

    ", + "
  • they have been in trouble with the police
  • ", + "
  • they\u2019re \u2018at risk\u2019 of committing a crime
  • ", + "
  • they\u2019re involved in anti-social behaviour
  • ", + "

    Attending one of these programmes is voluntary. The young person and their parents or carers have to be happy with everything before it starts.

    ", + "

    Many programmes are run by the council\u2019s local youth offending team or by other local organisations like youth charities.

    ", + "

    To find out about youth crime prevention programmes in your area, contact your local youth offending team.

    ", + "

    How young people are put on a programme

    ", + "

    Young people are usually sent - or \u2018referred\u2019 - to one of these programmes by the police or the youth offending team.

    ", + "

    However, they can also be referred by a teacher, social worker or parent.

    ", + "

    Assessment - making sure it\u2019s the right programme

    ", + "

    Before anything happens, the youth workers running the prevention programme will assess the young person to:

    ", + "
  • make sure a prevention programme will help
  • ", + "
  • decide which type of support will be most suitable
  • ", + "

    The young person will be involved in the assessment and will be asked questions about their life and background.

    ", + "

    What these programmes are and how they work

    ", + "

    Youth crime prevention programmes have different names and do different things, but they all involve activities to help keep young people away from crime. Young people can also learn new skills or get advice about school or jobs.

    ", + "

    Some are run in groups while others are for just one young person supervised by an adult.

    ", + "

    Two of the main prevention programmes are \u2018youth inclusion programmes\u2019 and \u2018youth inclusion and support panels\u2019, although there are many others.

    ", + "

    Youth inclusion programmes

    ", + "

    These are for 8 to 17 year-olds and usually last for set lengths of time, eg 6 months. Sometimes a young person can attend for longer if they need to, if they find the activities helpful.

    ", + "

    Youth inclusion and support panels

    ", + "

    These panels - made up of people like local youth or social workers - work with 8 to 13 year-olds to make sure they get access to local services that will help them stay out of trouble. These services could be things like getting extra help at school, or treatment for health or mental health problems.

    ", + "

    Both these programmes use something called an \u2018intervention plan\u2019 that everyone must agree on, including the young person and their family. This plan describes what the young person is expected to do, as well as what support the young person will get.

    ", + "

    Young people can also be mentored, and sometimes their families can also be involved.

    ", + "

    Mentoring

    ", + "

    A mentor is a specially trained volunteer who spends time helping someone.

    ", + "

    They can help a young person with things like:

    ", + "
  • doing better at school
  • ", + "
  • coping with bullying
  • ", + "
  • applying for jobs or colleges
  • ", + "

    Sometimes this personal help can be more effective than sending a young person on a group activity. A mentoring programme doesn\u2019t usually have a set time limit - a young person can be mentored for as long as is helpful.

    ", + "

    Mentors are not connected to the police or a school.

    ", + "

    Involving parents and families

    ", + "

    Usually, parents and families will be involved in helping a young person on a crime prevention programme. This could mean anything from attending classes with their child, to just making sure the young person does what they are asked.

    ", + "

    Parenting programmes

    ", + "

    If a young person gets into trouble with the law, their parents or carers might be asked to go on a parenting programme. Usually, they will be asked to attend voluntarily, but sometimes they will have to go.

    ", + "

    This can be part of a youth crime prevention programme, and sometimes it will be separate.

    ", + "

    How these programmes work will change from person to person, and will be planned in a way that\u2019s right for the young person and their family. They could involve:

    ", + "
  • improving parenting skills
  • ", + "
  • making sure nothing at home is causing the young person to commit crime
  • " + ] + }, + "https://www.gov.uk/arrested-your-rights": { + "url": "https://www.gov.uk/arrested-your-rights", + "title": "Being arrested: your rights", + "content": "## When you're arrested\n\nIf you\u2019re arrested, you\u2019ll usually be taken to a police station, held in custody in a cell and then questioned.\n\nAfter you\u2019ve been taken to a police station, you may be released or charged with a crime.\n\nThe\u00a0law on being arrested is different in Scotland.\n\n## Your rights in custody\n\nThe custody officer at the police station must explain your rights. You have the right to:\n\n- get free legal advice\n\n- tell someone where you are\n\n- have medical help if you\u2019re feeling ill\n\n- see the rules the police must follow (\u2018Codes of Practice\u2019)\n\n- see a written notice telling you about your rights, eg regular breaks for food and to use the toilet (you can ask for a notice in your language) or an interpreter to explain the notice\n\nYou\u2019ll be searched and your possessions will be kept by the police custody officer while you\u2019re in the cell.\n\n## Young people under 18 and vulnerable adults\n\nThe police must try to contact your parent, guardian or carer if you\u2019re under 18 or a vulnerable adult.\n\nThey must also find an \u2018appropriate adult\u2019 to come to the station to help you and be present during questioning and searching. An appropriate adult can be:\n\n- your parent, guardian or carer\n\n- a social worker\n\n- another family member or friend aged 18 or over\n\n- a volunteer aged 18 or over\n\nThe National Appropriate Adult Network provides appropriate adult services in England and Wales.\n\n## Your rights when being questioned\n\nThe police may question you about the crime you\u2019re suspected of - this will be recorded. You don\u2019t have to answer the questions but there could be consequences if you don\u2019t. The police must explain this to you by reading you the police caution:\n\n\u201cYou do not have to say anything. But, it may harm your defence if you do not mention when questioned something which you later rely on in court. Anything you do say may be given in evidence.\u201d\n\n## How long you can be held in custody\n\nThe police can hold you for up to 24 hours before they have to charge you with a crime or release you.\n\nThey can apply to hold you for up to 36 or 96 hours if you\u2019re suspected of a serious crime, eg murder.\n\nYou can be held without charge for up to 14 days If you\u2019re arrested under the Terrorism Act.\n\n## When you can be released on bail\n\nThe police can release you on police bail if there\u2019s not enough evidence to charge you. You don\u2019t have to pay to be released on police bail, but you\u2019ll have to return to the station for further questioning when asked.\n\nYou can be released on conditional bail if the police charge you and think that you may:\n\n- commit another offence\n\n- fail to turn up at court\n\n- intimidate other witnesses\n\n- obstruct the course of justice\n\nThis means your freedom will be restricted in some way, eg they can impose a curfew on you if your offence was committed at night.\n\n## Giving fingerprints, photographs and samples\n\nThe police have the right to take photographs of you. They can also take fingerprints and a DNA sample (eg from a mouth swab or head hair root) from you as well as swab the skin surface of your hands and arms. They don\u2019t need your permission to do this.\n\nThe police need both your permission and the authority of a senior police officer to take samples like blood or urine, or to take dental impressions.\n\nThis doesn\u2019t apply when they take a blood or urine sample in connection with drink or drug driving.\n\nInformation from fingerprints and samples is stored in a police database.\n\nYou can find out if your information is stored on the police database by getting a copy of your police records from your local police station.\n\nYou have to write to your local police (England, Wales and Northern Ireland) or local police (Scotland) to have your personal information removed from the police database.\n\nThey\u2019ll only do this if an offence no longer exists or if anything in the police process (eg how you were arrested or detained) was unlawful.\n\n## Legal advice at the police station\n\n## Your right to free legal advice\n\nYou have the right to free legal advice (legal aid) if you\u2019re questioned at a police station. You can change your mind later if you turn it down.\n\n## How you can get free legal advice\n\nYou must be told about your right to free legal advice after you\u2019re arrested and before you\u2019re questioned at a police station. You can:\n\n- ask for the police station\u2019s \u2018duty solicitor\u2019 - they\u2019re available 24 hours a day and independent of the police\n\n- tell the police you would like legal advice - the police will contact the Defence Solicitor Call Centre (DSCC)\n\n- ask the police to contact a solicitor, eg your own one\n\nYou may be offered legal advice over the phone instead of a duty solicitor if you\u2019re suspected of having committed a less serious offence, eg being disorderly. The advice is free and independent of the police.\n\n## Being questioned without legal advice\n\nOnce you\u2019ve asked for legal advice, the police can\u2019t question you until you\u2019ve got it - with some exceptions.\n\nThe police can make you wait for legal advice in serious cases, but only if a senior officer agrees.\n\nThe longest you can be made to wait before getting legal advice is 36 hours after arriving at the police station (or 48 hours for suspected terrorism).\n\nYou have the right to free legal advice if you are questioned by the police.\n\n## Complaining about your treatment by the police\n\nContact the police force you want to complain about if you\u2019re unhappy about how the police have treated you.\n\nPolice forces must refer certain types of complaints to the Independent Office for Police Conduct (IOPC).", + "original_contents": [ + "

    When you're arrested

    ", + "

    If you\u2019re arrested, you\u2019ll usually be taken to a police station, held in custody in a cell and then questioned.

    ", + "

    After you\u2019ve been taken to a police station, you may be released or charged with a crime.

    ", + "

    The\u00a0law on being arrested is different in Scotland.

    ", + "

    Your rights in custody

    ", + "

    The custody officer at the police station must explain your rights. You have the right to:

    ", + "
  • get free legal advice
  • ", + "
  • tell someone where you are
  • ", + "
  • have medical help if you\u2019re feeling ill
  • ", + "
  • see the rules the police must follow (\u2018Codes of Practice\u2019)
  • ", + "
  • see a written notice telling you about your rights, eg regular breaks for food and to use the toilet (you can ask for a notice in your language) or an interpreter to explain the notice
  • ", + "

    You\u2019ll be searched and your possessions will be kept by the police custody officer while you\u2019re in the cell.

    ", + "

    Young people under 18 and vulnerable adults

    ", + "

    The police must try to contact your parent, guardian or carer if you\u2019re under 18 or a vulnerable adult.

    ", + "

    They must also find an \u2018appropriate adult\u2019 to come to the station to help you and be present during questioning and searching. An appropriate adult can be:

    ", + "
  • your parent, guardian or carer
  • ", + "
  • a social worker
  • ", + "
  • another family member or friend aged 18 or over
  • ", + "
  • a volunteer aged 18 or over
  • ", + "

    The National Appropriate Adult Network provides appropriate adult services in England and Wales.

    ", + "

    Your rights when being questioned

    ", + "

    The police may question you about the crime you\u2019re suspected of - this will be recorded. You don\u2019t have to answer the questions but there could be consequences if you don\u2019t. The police must explain this to you by reading you the police caution:

    ", + "

    \u201cYou do not have to say anything. But, it may harm your defence if you do not mention when questioned something which you later rely on in court. Anything you do say may be given in evidence.\u201d

    ", + "

    How long you can be held in custody

    ", + "

    The police can hold you for up to 24 hours before they have to charge you with a crime or release you.

    ", + "

    They can apply to hold you for up to 36 or 96 hours if you\u2019re suspected of a serious crime, eg murder.

    ", + "

    You can be held without charge for up to 14 days If you\u2019re arrested under the Terrorism Act.

    ", + "

    When you can be released on bail

    ", + "

    The police can release you on police bail if there\u2019s not enough evidence to charge you. You don\u2019t have to pay to be released on police bail, but you\u2019ll have to return to the station for further questioning when asked.

    ", + "

    You can be released on conditional bail if the police charge you and think that you may:

    ", + "
  • commit another offence
  • ", + "
  • fail to turn up at court
  • ", + "
  • intimidate other witnesses
  • ", + "
  • obstruct the course of justice
  • ", + "

    This means your freedom will be restricted in some way, eg they can impose a curfew on you if your offence was committed at night.

    ", + "

    Giving fingerprints, photographs and samples

    ", + "

    The police have the right to take photographs of you. They can also take fingerprints and a DNA sample (eg from a mouth swab or head hair root) from you as well as swab the skin surface of your hands and arms. They don\u2019t need your permission to do this.

    ", + "

    The police need both your permission and the authority of a senior police officer to take samples like blood or urine, or to take dental impressions.

    ", + "

    This doesn\u2019t apply when they take a blood or urine sample in connection with drink or drug driving.

    ", + "

    Information from fingerprints and samples is stored in a police database.

    ", + "

    You can find out if your information is stored on the police database by getting a copy of your police records from your local police station.

    ", + "

    You have to write to your local police (England, Wales and Northern Ireland) or local police (Scotland) to have your personal information removed from the police database.

    ", + "

    They\u2019ll only do this if an offence no longer exists or if anything in the police process (eg how you were arrested or detained) was unlawful.

    ", + "

    Legal advice at the police station

    ", + "

    Your right to free legal advice

    ", + "

    You have the right to free legal advice (legal aid) if you\u2019re questioned at a police station. You can change your mind later if you turn it down.

    ", + "

    How you can get free legal advice

    ", + "

    You must be told about your right to free legal advice after you\u2019re arrested and before you\u2019re questioned at a police station. You can:

    ", + "
  • ask for the police station\u2019s \u2018duty solicitor\u2019 - they\u2019re available 24 hours a day and independent of the police
  • ", + "
  • tell the police you would like legal advice - the police will contact the Defence Solicitor Call Centre (DSCC)
  • ", + "
  • ask the police to contact a solicitor, eg your own one
  • ", + "

    You may be offered legal advice over the phone instead of a duty solicitor if you\u2019re suspected of having committed a less serious offence, eg being disorderly. The advice is free and independent of the police.

    ", + "

    Being questioned without legal advice

    ", + "

    Once you\u2019ve asked for legal advice, the police can\u2019t question you until you\u2019ve got it - with some exceptions.

    ", + "

    The police can make you wait for legal advice in serious cases, but only if a senior officer agrees.

    ", + "

    The longest you can be made to wait before getting legal advice is 36 hours after arriving at the police station (or 48 hours for suspected terrorism).

    ", + "

    You have the right to free legal advice if you are questioned by the police.

    ", + "

    Complaining about your treatment by the police

    ", + "

    Contact the police force you want to complain about if you\u2019re unhappy about how the police have treated you.

    ", + "

    Police forces must refer certain types of complaints to the Independent Office for Police Conduct (IOPC).

    " + ] + }, + "https://www.gov.uk/stopped-by-police-while-driving-your-rights": { + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "title": "Being stopped by the police while driving", + "content": "## Overview\n\nThe police can stop a vehicle for any reason. If they ask you to stop, you should always pull over when it\u2019s safe to do so. You\u2019re breaking the law if you do not stop.\n\nIf you\u2019re stopped, the police can ask to see your:\n\n- driving licence\n\n- insurance certificate\n\n- MOT certificate\n\nIf you do not have these documents with you, you have 7 days to take them to a police station. You\u2019re breaking the law if you do not show the requested documents within 7 days.\n\nThe police can also give you an on-the-spot fixed penalty notice for many minor offences and make you take a breath test in certain circumstances.\n\nYou can also have your vehicle seized if you\u2019re stopped on suspicion of driving without insurance and for some other offences.\n\n## Breath tests\n\nThe police can stop you at any time and ask you to take a breath test (\u2018breathalyse\u2019 you) if:\n\n- they think you\u2019ve been drinking\n\n- you\u2019ve committed a traffic offence\n\n- you\u2019ve been involved in a road traffic accident\n\nIf you refuse to take a breath test, or fail to supply a sample of breath and do not have a \u2018reasonable excuse\u2019, you can be arrested. A reasonable excuse could be a genuine physical or mental condition stopping you from giving a sample.\n\nThe breath test gives a result straight away. If it shows you\u2019re not over the drink drive limit, you may be allowed to go.\n\nIf you fail the breath test, you\u2019ll be taken to a police station and given a final breath test. If it\u2019s positive, you will be charged.\n\nIf the officer thinks you\u2019re under the influence of alcohol or drugs, they can ask you to:\n\n- take a drug test\n\n- do a physical test (a \u2018field impairment test\u2019), for example walk in a straight line then turn around and walk back\n\nYou can be arrested if you fail the test.\n\nIf you fail a breath test you cannot drive your car until you\u2019re sober. You can ask someone else to collect your car for you.\n\n## Minor motoring offences\n\nThe police can give you a \u2018fixed penalty notice\u2019 for less serious traffic offences, including for:\n\n- careless or inconsiderate driving\n\n- using a mobile phone while driving\n\n- not wearing a seat belt\n\n- driving too close to another vehicle\n\nYou can be fined up to \u00a3200 and get penalty points on your licence if you get a fixed penalty notice - you may be disqualified from driving if you build up 12 points within 3 years.\n\nThe police can also decide to:\n\n- take no action\n\n- issue a warning\n\n- offer driver training\n\n- charge you with an offence\n\nYou can choose not to pay the fixed penalty if you believe that it was given unjustly, but you\u2019ll have to argue your case in court.\n\n## Faults with your vehicle\n\nIf your vehicle has something wrong with it, for example a broken brake light, the police may give you a \u2018vehicle defect rectification notice\u2019.\n\nYou\u2019ll need to get your vehicle fixed and provide proof that it\u2019s been fixed, for example a receipt for the work from a mechanic. You have 14 days from the date of the notice to show the proof to the police.\n\n## When the police can seize your vehicle\n\nThe police can seize a vehicle if they think it\u2019s being used in a way that causes alarm, harassment or distress, for example careless or inconsiderate driving.\n\nThey can also seize a vehicle if they think it\u2019s:\n\n- being driven by someone who does not have a proper licence or insurance\n\n- dangerously, illegally or obstructively parked\n\n- broken-down or abandoned\n\nIf your vehicle is seized there\u2019s a \u2018release fee\u2019 of up to \u00a3200 plus a storage fee of \u00a320 for every day or part day.", + "original_contents": [ + "

    Overview

    ", + "

    The police can stop a vehicle for any reason. If they ask you to stop, you should always pull over when it\u2019s safe to do so. You\u2019re breaking the law if you do not stop.

    ", + "

    If you\u2019re stopped, the police can ask to see your:

    ", + "
  • driving licence
  • ", + "
  • insurance certificate
  • ", + "
  • MOT certificate
  • ", + "

    If you do not have these documents with you, you have 7 days to take them to a police station. You\u2019re breaking the law if you do not show the requested documents within 7 days.

    ", + "

    The police can also give you an on-the-spot fixed penalty notice for many minor offences and make you take a breath test in certain circumstances.

    ", + "

    You can also have your vehicle seized if you\u2019re stopped on suspicion of driving without insurance and for some other offences.

    ", + "

    Breath tests

    ", + "

    The police can stop you at any time and ask you to take a breath test (\u2018breathalyse\u2019 you) if:

    ", + "
  • they think you\u2019ve been drinking
  • ", + "
  • you\u2019ve committed a traffic offence
  • ", + "
  • you\u2019ve been involved in a road traffic accident
  • ", + "

    If you refuse to take a breath test, or fail to supply a sample of breath and do not have a \u2018reasonable excuse\u2019, you can be arrested. A reasonable excuse could be a genuine physical or mental condition stopping you from giving a sample.

    ", + "

    The breath test gives a result straight away. If it shows you\u2019re not over the drink drive limit, you may be allowed to go.

    ", + "

    If you fail the breath test, you\u2019ll be taken to a police station and given a final breath test. If it\u2019s positive, you will be charged.

    ", + "

    If the officer thinks you\u2019re under the influence of alcohol or drugs, they can ask you to:

    ", + "
  • take a drug test
  • ", + "
  • do a physical test (a \u2018field impairment test\u2019), for example walk in a straight line then turn around and walk back
  • ", + "

    You can be arrested if you fail the test.

    ", + "

    If you fail a breath test you cannot drive your car until you\u2019re sober. You can ask someone else to collect your car for you.

    ", + "

    Minor motoring offences

    ", + "

    The police can give you a \u2018fixed penalty notice\u2019 for less serious traffic offences, including for:

    ", + "
  • careless or inconsiderate driving
  • ", + "
  • using a mobile phone while driving
  • ", + "
  • not wearing a seat belt
  • ", + "
  • driving too close to another vehicle
  • ", + "

    You can be fined up to \u00a3200 and get penalty points on your licence if you get a fixed penalty notice - you may be disqualified from driving if you build up 12 points within 3 years.

    ", + "

    The police can also decide to:

    ", + "
  • take no action
  • ", + "
  • issue a warning
  • ", + "
  • offer driver training
  • ", + "
  • charge you with an offence
  • ", + "

    You can choose not to pay the fixed penalty if you believe that it was given unjustly, but you\u2019ll have to argue your case in court.

    ", + "

    Faults with your vehicle

    ", + "

    If your vehicle has something wrong with it, for example a broken brake light, the police may give you a \u2018vehicle defect rectification notice\u2019.

    ", + "

    You\u2019ll need to get your vehicle fixed and provide proof that it\u2019s been fixed, for example a receipt for the work from a mechanic. You have 14 days from the date of the notice to show the proof to the police.

    ", + "

    When the police can seize your vehicle

    ", + "

    The police can seize a vehicle if they think it\u2019s being used in a way that causes alarm, harassment or distress, for example careless or inconsiderate driving.

    ", + "

    They can also seize a vehicle if they think it\u2019s:

    ", + "
  • being driven by someone who does not have a proper licence or insurance
  • ", + "
  • dangerously, illegally or obstructively parked
  • ", + "
  • broken-down or abandoned
  • ", + "

    If your vehicle is seized there\u2019s a \u2018release fee\u2019 of up to \u00a3200 plus a storage fee of \u00a320 for every day or part day.

    " + ] + }, + "https://www.gov.uk/data-protection": { + "url": "https://www.gov.uk/data-protection", + "title": "Data protection", + "content": "## The Data Protection Act\n\nThe Data Protection Act 2018 controls how your personal information is used by organisations, businesses or the government.\n\nThe Data Protection Act 2018 is the UK\u2019s implementation of the General Data Protection Regulation (GDPR).\n\nEveryone responsible for using personal data has to follow strict rules called \u2018data protection principles\u2019. They must make sure the information is:\n\n- used fairly, lawfully and transparently\n\n- used for specified, explicit purposes\n\n- used in a way that is adequate, relevant and limited to only what is necessary\n\n- accurate and, where necessary, kept up to date\n\n- kept for no longer than is necessary\n\n- handled in a way that ensures appropriate security, including protection against unlawful or unauthorised processing, access, loss, destruction or damage\n\nThere is stronger legal protection for more sensitive information, such as:\n\n- race\n\n- ethnic background\n\n- political opinions\n\n- religious beliefs\n\n- trade union membership\n\n- genetics\n\n- biometrics (where used for identification)\n\n- health\n\n- sex life or orientation\n\nThere are separate safeguards for personal data relating to criminal convictions and offences.\n\n## Your rights\n\nUnder the Data Protection Act 2018, you have the right to find out what information the government and other organisations store about you. These include the right to:\n\n- be informed about how your data is being used\n\n- access personal data\n\n- have incorrect data updated\n\n- have data erased\n\n- stop or restrict the processing of your data\n\n- data portability (allowing you to get and reuse your data for different services)\n\n- object to how your data is processed in certain circumstances\n\nYou also have rights when an organisation is using your personal data for:\n\n- automated decision-making processes (without human involvement)\n\n- profiling, for example to predict your behaviour or interests\n\n## Find out what data an organisation has about you\n\nWrite to an organisation to ask for a copy of the information they hold about you.\n\nIf it\u2019s a public organisation, write to their Data Protection Officer (DPO). Their details should be on the organisation\u2019s privacy notice.\n\nIf the organisation has no DPO, or you do not know who to write to, address your letter to the company secretary.\n\n## How long it should take\n\nThe organisation must give you a copy of the data they hold about you as soon as possible, and within 1 month at most.\n\nIn certain circumstances, for example particularly complex or multiple requests, the organisation can take a further 2 months to provide data. In this case, they must tell you:\n\n- within 1 month of your request\n\n- why there\u2019s a delay\n\n## When information can be withheld\n\nThere are some situations when organisations are allowed to withhold information, for example if the information is about:\n\n- the prevention, detection or investigation of a crime\n\n- national security or the armed forces\n\n- the assessment or collection of tax\n\n- judicial or ministerial appointments\n\nAn organisation does not have to say why they\u2019re withholding information.\n\n## How much it costs\n\nRequests for information are usually free. However, organisations can charge an administrative cost in some circumstances, for example if:\n\n- you\u2019re asking for a large amount of information\n\n- your request will take a lot of time and effort to process\n\n## Make a complaint\n\nIf you think your data has been misused or that the organisation holding it has not kept it secure, you should contact them and tell them.\n\nIf you\u2019re unhappy with their response or if you need any advice you should contact the Information Commissioner\u2019s Office (ICO).\n\nYou can also chat online with an advisor.\n\nThe ICO can investigate your claim and take action against anyone who\u2019s misused personal data.\n\nYou can also visit their website for information on how to make a data protection complaint.", + "original_contents": [ + "

    The Data Protection Act

    ", + "

    The Data Protection Act 2018 controls how your personal information is used by organisations, businesses or the government.

    ", + "

    The Data Protection Act 2018 is the UK\u2019s implementation of the General Data Protection Regulation (GDPR).

    ", + "

    Everyone responsible for using personal data has to follow strict rules called \u2018data protection principles\u2019. They must make sure the information is:

    ", + "
  • used fairly, lawfully and transparently
  • ", + "
  • used for specified, explicit purposes
  • ", + "
  • used in a way that is adequate, relevant and limited to only what is necessary
  • ", + "
  • accurate and, where necessary, kept up to date
  • ", + "
  • kept for no longer than is necessary
  • ", + "
  • handled in a way that ensures appropriate security, including protection against unlawful or unauthorised processing, access, loss, destruction or damage
  • ", + "

    There is stronger legal protection for more sensitive information, such as:

    ", + "
  • race
  • ", + "
  • ethnic background
  • ", + "
  • political opinions
  • ", + "
  • religious beliefs
  • ", + "
  • trade union membership
  • ", + "
  • genetics
  • ", + "
  • biometrics (where used for identification)
  • ", + "
  • health
  • ", + "
  • sex life or orientation
  • ", + "

    There are separate safeguards for personal data relating to criminal convictions and offences.

    ", + "

    Your rights

    ", + "

    Under the Data Protection Act 2018, you have the right to find out what information the government and other organisations store about you. These include the right to:

    ", + "
  • be informed about how your data is being used
  • ", + "
  • access personal data
  • ", + "
  • have incorrect data updated
  • ", + "
  • have data erased
  • ", + "
  • stop or restrict the processing of your data
  • ", + "
  • data portability (allowing you to get and reuse your data for different services)
  • ", + "
  • object to how your data is processed in certain circumstances
  • ", + "

    You also have rights when an organisation is using your personal data for:

    ", + "
  • automated decision-making processes (without human involvement)
  • ", + "
  • profiling, for example to predict your behaviour or interests
  • ", + "

    Find out what data an organisation has about you

    ", + "

    Write to an organisation to ask for a copy of the information they hold about you.

    ", + "

    If it\u2019s a public organisation, write to their Data Protection Officer (DPO). Their details should be on the organisation\u2019s privacy notice.

    ", + "

    If the organisation has no DPO, or you do not know who to write to, address your letter to the company secretary.

    ", + "

    How long it should take

    ", + "

    The organisation must give you a copy of the data they hold about you as soon as possible, and within 1 month at most.

    ", + "

    In certain circumstances, for example particularly complex or multiple requests, the organisation can take a further 2 months to provide data. In this case, they must tell you:

    ", + "
  • within 1 month of your request
  • ", + "
  • why there\u2019s a delay
  • ", + "

    When information can be withheld

    ", + "

    There are some situations when organisations are allowed to withhold information, for example if the information is about:

    ", + "
  • the prevention, detection or investigation of a crime
  • ", + "
  • national security or the armed forces
  • ", + "
  • the assessment or collection of tax
  • ", + "
  • judicial or ministerial appointments
  • ", + "

    An organisation does not have to say why they\u2019re withholding information.

    ", + "

    How much it costs

    ", + "

    Requests for information are usually free. However, organisations can charge an administrative cost in some circumstances, for example if:

    ", + "
  • you\u2019re asking for a large amount of information
  • ", + "
  • your request will take a lot of time and effort to process
  • ", + "

    Make a complaint

    ", + "

    If you think your data has been misused or that the organisation holding it has not kept it secure, you should contact them and tell them.

    ", + "

    If you\u2019re unhappy with their response or if you need any advice you should contact the Information Commissioner\u2019s Office (ICO).

    ", + "

    You can also chat online with an advisor.

    ", + "

    The ICO can investigate your claim and take action against anyone who\u2019s misused personal data.

    ", + "

    You can also visit their website for information on how to make a data protection complaint.

    " + ] + }, + "https://www.gov.uk/rights-disabled-person": { + "url": "https://www.gov.uk/rights-disabled-person", + "title": "Disability rights", + "content": "## Overview\n\nAs a disabled person, you have rights to protect you from discrimination. These rights cover most areas including:\n\n- employment\n\n- education\n\n- dealing with the police\n\nThe Equality Act 2010 and the United Nations (UN) Convention on disability rights help to enforce, protect and promote your rights.\n\n## Employment\n\nIt\u2019s against the law for employers to discriminate against you because of a disability. The Equality Act 2010 protects you and covers areas including:\n\n- application forms\n\n- interview arrangements\n\n- aptitude or proficiency tests\n\n- job offers\n\n- terms of employment, including pay\n\n- promotion, transfer and training opportunities\n\n- dismissal or redundancy\n\n- discipline and grievances\n\n## Reasonable adjustments in the workplace\n\nAn employer has to make \u2018reasonable adjustments\u2019 to avoid you being put at a disadvantage compared to non-disabled people in the workplace. For example, adjusting your working hours or providing you with a special piece of equipment to help you do the job.\n\n## Recruitment\n\nAn employer who\u2019s recruiting staff may make limited enquiries about your health or disability.\n\nYou can only be asked about your health or disability:\n\n- to help decide if you can carry out a task that is an essential part of the work\n\n- to help find out if you can take part in an interview\n\n- to help decide if the interviewers need to make reasonable adjustments for you in a selection process\n\n- to help monitoring\n\n- if they want to increase the number of disabled people they employ\n\n- if they need to know for the purposes of national security checks\n\nYou may be asked whether you have a health condition or disability on an application form or in an interview. You need to think about whether the question is one that is allowed to be asked at that stage of recruitment.\n\n## Redundancy and retirement\n\nYou can\u2019t be chosen for redundancy just because you\u2019re disabled. The selection process for redundancy must be fair and balanced for all employees.\n\nYour employer cannot force you to retire if you become disabled.\n\n## Education\n\nIt\u2019s against the law for a school or other education provider to treat disabled students unfavourably. This includes:\n\n- direct discrimination, for example refusing admission to a student or excluding them because of disability\n\n- indirect discrimination, for example only providing application forms in one format that may not be accessible\n\n- discrimination arising from a disability, for example a disabled pupil is prevented from going outside at break time because it takes too long to get there\n\n- harassment, for example a teacher shouts at a disabled student for not paying attention when the student\u2019s disability stops them from easily concentrating\n\n- victimisation, for example suspending a disabled student because they\u2019ve complained about harassment\n\n## Reasonable adjustments\n\nAn education provider has a duty to make \u2018reasonable adjustments\u2019 to make sure disabled students are not discriminated against. These changes could include providing extra support and aids (like specialist teachers or equipment).\n\nSchools are not subject to the reasonable adjustment duty to make alterations to physical features, like adding ramps. They must make the buildings accessible for their disabled pupils as part of their overall planning duties.\n\n## Special educational needs and disabilities (SEND)\n\nAll publicly funded pre-schools, nurseries, state schools and local authorities must try to identify and help assess children with special educational needs and disabilities (SEND).\n\nIf a child has an an education, health and care (EHC) plan or a statement of special educational needs, these must be reviewed annually. From year 9 the child will get a full review to understand what support they will need to prepare them for adulthood.\n\n## Higher education\n\nAll universities and higher education colleges should have a person in charge of disability issues that you can talk to about the support they offer.\n\nYou can also ask local social services for an assessment to help with your day-to-day living needs.\n\n## Police\n\nIf you\u2019re being questioned or interviewed at a police station you have certain rights depending on your impairment.\n\n## Deaf, hearing-impaired or speech difficulties\n\nThe police should arrange for an interpreter to be present with you. The police can interview you without an interpreter if a delay would result in harm to people, property or evidence.\n\n## Learning disabilities\n\nThe police should only interview someone who has a learning disability when a responsible person (referred to as an \u2018appropriate adult\u2019) is present. The appropriate adult should not work for the police and should have experience of people with learning disabilities. The police can interview you without an appropriate adult if a delay would result in harm to people, property or evidence.\n\n## Right to medical treatment\n\nIf you\u2019re being kept in a police cell, you have the right to a medical examination by a healthcare worker. A healthcare worker may be a paramedic, nurse or a police surgeon (sometimes referred to as a \u2018Forensic Medical Examiner\u2019).\n\nIf you do not want to be examined by the healthcare worker provided, you could be examined by a general practitioner (GP) that you choose - if they\u2019re available. You may have to pay for this, and this payment will be noted down.\n\n## The Equality Act 2010 and UN Convention\n\nThe Equality Act 2010 protects you from discrimination. It provides legal rights for you in the areas of:\n\n- employment\n\n- education\n\n- access to goods, services and facilities\n\n- buying and renting land or property\n\nThe Equality Act 2010 also protects your rights if you have an association with a disabled person, for example a carer or parent.\n\nGet more information about the Equality Act 2010.\n\n## United Nations (UN) Convention on disability rights\n\nThe UN Convention on disability rights has been agreed by the UK to protect and promote the rights of disabled people.\n\nGet more information about the UN Convention on disability rights from the Office for Disability Issues.\n\n## Further help and advice\n\nCheck if you can get legal aid to help with your legal costs if you think you\u2019ve been discriminated against. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\nYou can get advice and information on your rights from:\n\n- Equality Advisory Support Service\n\n- Disability Rights UK\n\n- Advicenow\n\n- Citizens Advice", + "original_contents": [ + "

    Overview

    ", + "

    As a disabled person, you have rights to protect you from discrimination. These rights cover most areas including:

    ", + "
  • employment
  • ", + "
  • education
  • ", + "
  • dealing with the police
  • ", + "

    The Equality Act 2010 and the United Nations (UN) Convention on disability rights help to enforce, protect and promote your rights.

    ", + "

    Employment

    ", + "

    It\u2019s against the law for employers to discriminate against you because of a disability. The Equality Act 2010 protects you and covers areas including:

    ", + "
  • application forms
  • ", + "
  • interview arrangements
  • ", + "
  • aptitude or proficiency tests
  • ", + "
  • job offers
  • ", + "
  • terms of employment, including pay
  • ", + "
  • promotion, transfer and training opportunities
  • ", + "
  • dismissal or redundancy
  • ", + "
  • discipline and grievances
  • ", + "

    Reasonable adjustments in the workplace

    ", + "

    An employer has to make \u2018reasonable adjustments\u2019 to avoid you being put at a disadvantage compared to non-disabled people in the workplace. For example, adjusting your working hours or providing you with a special piece of equipment to help you do the job.

    ", + "

    Recruitment

    ", + "

    An employer who\u2019s recruiting staff may make limited enquiries about your health or disability.

    ", + "

    You can only be asked about your health or disability:

    ", + "
  • to help decide if you can carry out a task that is an essential part of the work
  • ", + "
  • to help find out if you can take part in an interview
  • ", + "
  • to help decide if the interviewers need to make reasonable adjustments for you in a selection process
  • ", + "
  • to help monitoring
  • ", + "
  • if they want to increase the number of disabled people they employ
  • ", + "
  • if they need to know for the purposes of national security checks
  • ", + "

    You may be asked whether you have a health condition or disability on an application form or in an interview. You need to think about whether the question is one that is allowed to be asked at that stage of recruitment.

    ", + "

    Redundancy and retirement

    ", + "

    You can\u2019t be chosen for redundancy just because you\u2019re disabled. The selection process for redundancy must be fair and balanced for all employees.

    ", + "

    Your employer cannot force you to retire if you become disabled.

    ", + "

    Education

    ", + "

    It\u2019s against the law for a school or other education provider to treat disabled students unfavourably. This includes:

    ", + "
  • direct discrimination, for example refusing admission to a student or excluding them because of disability
  • ", + "
  • indirect discrimination, for example only providing application forms in one format that may not be accessible
  • ", + "
  • discrimination arising from a disability, for example a disabled pupil is prevented from going outside at break time because it takes too long to get there
  • ", + "
  • harassment, for example a teacher shouts at a disabled student for not paying attention when the student\u2019s disability stops them from easily concentrating
  • ", + "
  • victimisation, for example suspending a disabled student because they\u2019ve complained about harassment
  • ", + "

    Reasonable adjustments

    ", + "

    An education provider has a duty to make \u2018reasonable adjustments\u2019 to make sure disabled students are not discriminated against. These changes could include providing extra support and aids (like specialist teachers or equipment).

    ", + "

    Schools are not subject to the reasonable adjustment duty to make alterations to physical features, like adding ramps. They must make the buildings accessible for their disabled pupils as part of their overall planning duties.

    ", + "

    Special educational needs and disabilities (SEND)

    ", + "

    All publicly funded pre-schools, nurseries, state schools and local authorities must try to identify and help assess children with special educational needs and disabilities (SEND).

    ", + "

    If a child has an an education, health and care (EHC) plan or a statement of special educational needs, these must be reviewed annually. From year 9 the child will get a full review to understand what support they will need to prepare them for adulthood.

    ", + "

    Higher education

    ", + "

    All universities and higher education colleges should have a person in charge of disability issues that you can talk to about the support they offer.

    ", + "

    You can also ask local social services for an assessment to help with your day-to-day living needs.

    ", + "

    Police

    ", + "

    If you\u2019re being questioned or interviewed at a police station you have certain rights depending on your impairment.

    ", + "

    Deaf, hearing-impaired or speech difficulties

    ", + "

    The police should arrange for an interpreter to be present with you. The police can interview you without an interpreter if a delay would result in harm to people, property or evidence.

    ", + "

    Learning disabilities

    ", + "

    The police should only interview someone who has a learning disability when a responsible person (referred to as an \u2018appropriate adult\u2019) is present. The appropriate adult should not work for the police and should have experience of people with learning disabilities. The police can interview you without an appropriate adult if a delay would result in harm to people, property or evidence.

    ", + "

    Right to medical treatment

    ", + "

    If you\u2019re being kept in a police cell, you have the right to a medical examination by a healthcare worker. A healthcare worker may be a paramedic, nurse or a police surgeon (sometimes referred to as a \u2018Forensic Medical Examiner\u2019).

    ", + "

    If you do not want to be examined by the healthcare worker provided, you could be examined by a general practitioner (GP) that you choose - if they\u2019re available. You may have to pay for this, and this payment will be noted down.

    ", + "

    The Equality Act 2010 and UN Convention

    ", + "

    The Equality Act 2010 protects you from discrimination. It provides legal rights for you in the areas of:

    ", + "
  • employment
  • ", + "
  • education
  • ", + "
  • access to goods, services and facilities
  • ", + "
  • buying and renting land or property
  • ", + "

    The Equality Act 2010 also protects your rights if you have an association with a disabled person, for example a carer or parent.

    ", + "

    Get more information about the Equality Act 2010.

    ", + "

    United Nations (UN) Convention on disability rights

    ", + "

    The UN Convention on disability rights has been agreed by the UK to protect and promote the rights of disabled people.

    ", + "

    Get more information about the UN Convention on disability rights from the Office for Disability Issues.

    ", + "

    Further help and advice

    ", + "

    Check if you can get legal aid to help with your legal costs if you think you\u2019ve been discriminated against. You can get advice from Civil Legal Advice if you\u2019re eligible.

    ", + "

    You can get advice and information on your rights from:

    ", + "
  • Equality Advisory Support Service
  • ", + "
  • Disability Rights UK
  • ", + "
  • Advicenow
  • ", + "
  • Citizens Advice
  • " + ] + }, + "https://www.gov.uk/discrimination-your-rights": { + "url": "https://www.gov.uk/discrimination-your-rights", + "title": "Discrimination: your rights", + "content": "## Types of discrimination ('protected characteristics')\n\nIt is against the law to discriminate against anyone because of:\n\n- age\n\n- gender reassignment\n\n- being married or in a civil partnership\n\n- being pregnant or on maternity leave\n\n- disability\n\n- race including colour, nationality, ethnic or national origin\n\n- religion or belief\n\n- sex\n\n- sexual orientation\n\nThese are called \u2018protected characteristics\u2019.\n\nYou\u2019re protected from discrimination:\n\n- at work\n\n- in education\n\n- as a consumer\n\n- when using public services\n\n- when buying or renting property\n\n- as a member or guest of a private club or association\n\nYou\u2019re legally protected from discrimination by the Equality Act 2010.\n\nYou\u2019re also protected from discrimination if:\n\n- you\u2019re associated with someone who has a protected characteristic, for example a family member or friend\n\n- you\u2019ve complained about discrimination or supported someone else\u2019s claim\n\n## Action against discrimination\n\nYou can do something voluntarily to help people with a protected characteristic. This is called \u2018positive action\u2019.\n\nTaking positive action is legal if people with a protected characteristic:\n\n- are at a disadvantage\n\n- have particular needs\n\n- are under-represented in an activity or type of work\n\n## How you can be discriminated against\n\nDiscrimination can come in one of the following forms:\n\n- direct discrimination - treating someone with a protected characteristic less favourably than others\n\n- indirect discrimination - putting rules or arrangements in place that apply to everyone, but that put someone with a protected characteristic at an unfair disadvantage\n\n- harassment - unwanted behaviour linked to a protected characteristic that violates someone\u2019s dignity or creates an offensive environment for them\n\n- victimisation - treating someone unfairly because they\u2019ve complained about discrimination or harassment\n\nIt can be lawful to have specific rules or arrangements in place, as long as they can be justified.\n\n## Discrimination at work\n\nThe law protects you against discrimination at work, including:\n\n- dismissal\n\n- employment terms and conditions\n\n- pay and benefits\n\n- promotion and transfer opportunities\n\n- training\n\n- recruitment\n\n- redundancy\n\nSome forms of discrimination are only allowed if they\u2019re needed for the way the organisation works, for example:\n\n- a Roman Catholic school restricting applications for admission of pupils to Catholics only\n\n- employing only women in a health centre for Muslim women\n\n## Disability\n\nIf you\u2019re disabled you have the same rights as other workers. Employers should also make \u2018reasonable adjustments\u2019 to help disabled employees and job applicants with:\n\n- application forms, for example providing forms in Braille or audio formats\n\n- aptitude tests, for example giving extra time to complete the tests\n\n- dismissal or redundancy\n\n- discipline and grievances\n\n- interview arrangements, such as providing wheelchair access, communicator support\n\n- making sure the workplace has the right facilities and equipment for disabled workers or someone offered a job\n\n- promotion, transfer and training opportunities\n\n- terms of employment, including pay\n\n- work-related benefits like access to recreation or refreshment facilities\n\n## What you can do\n\nIf you\u2019re discriminated against at work there are ways to deal with it.\n\nEmployers have to follow the law on preventing discrimination at work.\n\n## Other types of unfair treatment\n\nYou\u2019re also protected from being treated unfairly because of:\n\n- trade union membership or non-membership\n\n- being a fixed-term or part-time worker\n\n## What you can do\n\nIf you think you\u2019ve been unfairly discriminated against you can:\n\n- complain directly to the person or organisation\n\n- use someone else to help you sort it out (called \u2018mediation\u2019 or \u2018alternative dispute resolution\u2019)\n\n- make a claim in a court or tribunal\n\nContact the Equality Advisory Support Service for help and advice.\n\n## Discrimination at work\n\nEmployees should talk to their employer first to try and sort out the problem informally. You may also want to read about workplace disputes.\n\nIf things cannot be sorted out informally, talk to Acas, Citizens Advice or a trade union representative.\n\nYou might be able to take a claim to an employment tribunal for discrimination.\n\nCheck if you can get legal aid to help with your legal costs if you think you\u2019ve been discriminated against. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\nEmployers must follow the law on preventing discrimination at work.", + "original_contents": [ + "

    Types of discrimination ('protected characteristics')

    ", + "

    It is against the law to discriminate against anyone because of:

    ", + "
  • age
  • ", + "
  • gender reassignment
  • ", + "
  • being married or in a civil partnership
  • ", + "
  • being pregnant or on maternity leave
  • ", + "
  • disability
  • ", + "
  • race including colour, nationality, ethnic or national origin
  • ", + "
  • religion or belief
  • ", + "
  • sex
  • ", + "
  • sexual orientation
  • ", + "

    These are called \u2018protected characteristics\u2019.

    ", + "

    You\u2019re protected from discrimination:

    ", + "
  • at work
  • ", + "
  • in education
  • ", + "
  • as a consumer
  • ", + "
  • when using public services
  • ", + "
  • when buying or renting property
  • ", + "
  • as a member or guest of a private club or association
  • ", + "

    You\u2019re legally protected from discrimination by the Equality Act 2010.

    ", + "

    You\u2019re also protected from discrimination if:

    ", + "
  • you\u2019re associated with someone who has a protected characteristic, for example a family member or friend
  • ", + "
  • you\u2019ve complained about discrimination or supported someone else\u2019s claim
  • ", + "

    Action against discrimination

    ", + "

    You can do something voluntarily to help people with a protected characteristic. This is called \u2018positive action\u2019.

    ", + "

    Taking positive action is legal if people with a protected characteristic:

    ", + "
  • are at a disadvantage
  • ", + "
  • have particular needs
  • ", + "
  • are under-represented in an activity or type of work
  • ", + "

    How you can be discriminated against

    ", + "

    Discrimination can come in one of the following forms:

    ", + "
  • direct discrimination - treating someone with a protected characteristic less favourably than others
  • ", + "
  • indirect discrimination - putting rules or arrangements in place that apply to everyone, but that put someone with a protected characteristic at an unfair disadvantage
  • ", + "
  • harassment - unwanted behaviour linked to a protected characteristic that violates someone\u2019s dignity or creates an offensive environment for them
  • ", + "
  • victimisation - treating someone unfairly because they\u2019ve complained about discrimination or harassment
  • ", + "

    It can be lawful to have specific rules or arrangements in place, as long as they can be justified.

    ", + "

    Discrimination at work

    ", + "

    The law protects you against discrimination at work, including:

    ", + "
  • dismissal
  • ", + "
  • employment terms and conditions
  • ", + "
  • pay and benefits
  • ", + "
  • promotion and transfer opportunities
  • ", + "
  • training
  • ", + "
  • recruitment
  • ", + "
  • redundancy
  • ", + "

    Some forms of discrimination are only allowed if they\u2019re needed for the way the organisation works, for example:

    ", + "
  • a Roman Catholic school restricting applications for admission of pupils to Catholics only
  • ", + "
  • employing only women in a health centre for Muslim women
  • ", + "

    Disability

    ", + "

    If you\u2019re disabled you have the same rights as other workers. Employers should also make \u2018reasonable adjustments\u2019 to help disabled employees and job applicants with:

    ", + "
  • application forms, for example providing forms in Braille or audio formats
  • ", + "
  • aptitude tests, for example giving extra time to complete the tests
  • ", + "
  • dismissal or redundancy
  • ", + "
  • discipline and grievances
  • ", + "
  • interview arrangements, such as providing wheelchair access, communicator support
  • ", + "
  • making sure the workplace has the right facilities and equipment for disabled workers or someone offered a job
  • ", + "
  • promotion, transfer and training opportunities
  • ", + "
  • terms of employment, including pay
  • ", + "
  • work-related benefits like access to recreation or refreshment facilities
  • ", + "

    What you can do

    ", + "

    If you\u2019re discriminated against at work there are ways to deal with it.

    ", + "

    Employers have to follow the law on preventing discrimination at work.

    ", + "

    Other types of unfair treatment

    ", + "

    You\u2019re also protected from being treated unfairly because of:

    ", + "
  • trade union membership or non-membership
  • ", + "
  • being a fixed-term or part-time worker
  • ", + "

    What you can do

    ", + "

    If you think you\u2019ve been unfairly discriminated against you can:

    ", + "
  • complain directly to the person or organisation
  • ", + "
  • use someone else to help you sort it out (called \u2018mediation\u2019 or \u2018alternative dispute resolution\u2019)
  • ", + "
  • make a claim in a court or tribunal
  • ", + "

    Contact the Equality Advisory Support Service for help and advice.

    ", + "

    Discrimination at work

    ", + "

    Employees should talk to their employer first to try and sort out the problem informally. You may also want to read about workplace disputes.

    ", + "

    If things cannot be sorted out informally, talk to Acas, Citizens Advice or a trade union representative.

    ", + "

    You might be able to take a claim to an employment tribunal for discrimination.

    ", + "

    Check if you can get legal aid to help with your legal costs if you think you\u2019ve been discriminated against. You can get advice from Civil Legal Advice if you\u2019re eligible.

    ", + "

    Employers must follow the law on preventing discrimination at work.

    " + ] + }, + "https://www.gov.uk/make-a-freedom-of-information-request": { + "url": "https://www.gov.uk/make-a-freedom-of-information-request", + "title": "How to make a freedom of information (FOI) request", + "content": "## Overview\n\nYou have the right to ask to see recorded information held by public authorities.\n\nThe Freedom of Information Act (FOIA) and Freedom of Information (Scotland) Act (FOISA) give you the right to see information.\n\nIf you ask for environmental information, your request will be handled under the Environmental Regulations (EIRs) or Environmental Information (Scotland) Regulations (EISRs).\n\nEnvironmental information includes things like carbon emissions or the environment\u2019s effect on human health.\n\nYou do not need to tell the organisation which law or regulations you\u2019re making your request under.\n\n## Personal information\n\nThere is a different way to make a request if you want information that an organisation holds about you. This includes things like your health records or credit reference files.\n\n## Organisations you can ask for information\n\nYou can request information from some public authorities, such as:\n\n- government departments, devolved administrations, other public bodies and committees\n\n- local councils\n\n- schools, colleges and universities\n\n- the NHS - including hospitals, GPs, dentists, pharmacists and opticians\n\n- publicly owned companies\n\n- publicly funded museums, galleries and theatres\n\n- the police and fire services\n\n- registered social landlords in Scotland\n\nYou can make an environmental information request to private or public companies that have public responsibilities - like water companies.\n\nIf you\u2019re not sure if the organisation is one you can make a request to, check with the information commissioner for:\n\n- Scottish public authorities - you can search on the Scottish Information Commissioner\u2019s website\n\n- England, Wales or Northern Ireland and organisations that cover the whole of the UK - contact the Information Commissioner\u2019s Office\n\n## How to make an FOI request\n\nYou must make a Freedom of Information (FOI) request in writing. You can do it by:\n\n- letter\n\n- email\n\n- social media\n\n- online form - check the organisation\u2019s website or the government department\u2019s page to see if they have an online form\n\n- fax\n\nIf you cannot make your request in writing because of a disability, contact the public authority. They should help you to make the request another way - for example over the phone.\n\nYou can ask for environmental information in writing, in person or by phone.\n\n## Before you make a request\n\nYou might not need to make a Freedom of Information (FOI) request if the organisation has:\n\n- already published the information\n\n- previously responded to an FOI request\n\nCheck their website for responses to previous FOI requests. This is sometimes known as a \u2018disclosure log\u2019. You can search for published responses to FOI requests from government departments, agencies and arms length bodies.\n\nYou can also email or phone the organisation to ask if they\u2019ve already published the information or responded to an FOI request.\n\n## What to include\n\nYou should give:\n\n- your name (not needed if you\u2019re asking for environmental information)\n\n- a contact postal or email address\n\n- a detailed description of the information you want - for example, you might want all information held on a subject, or just a summary\n\nYou can ask for information in a particular format, such as:\n\n- paper or electronic copies of information\n\n- audio format\n\n- large print\n\n## When you\u2019ll get a response\n\nThe organisation should send you the information within 20 working days of receiving your request. Some schools are allowed more time during school holidays.\n\nIn Scotland, you should allow 6 extra days if you send your request by post.\n\nThe organisation will tell you when to expect the information if they need more time.\n\n## When your information will be shared\n\nIf you\u2019ve sent an FOI request to several government departments, they may share your name and request between them. This is to help deal with your enquiry more effectively.\n\nNo other details will be shared and your information will not be used for any other purpose.\n\n## Costs\n\nMost requests are free but you might be asked to pay a small amount for photocopies or postage. The organisation will tell you if you have to pay anything.\n\nCheck the copyright status of information you receive if you plan to reproduce it.\n\n## If your request is turned down\n\nSome sensitive information is not available to members of the public. If this applies, an organisation must tell you why they cannot give you some or all of the information you requested.\n\nThey might ask you to be more specific so they can provide just the information you need.\n\nAn organisation can also refuse your Freedom of Information (FOI) request if getting information will cost more than \u00a3450, or \u00a3600 if the organisation is:\n\n- a government department, Parliament or part of the armed forces\n\n- the Northern Ireland Assembly or the Welsh Assembly\n\n- based in Scotland\n\nAn organisation can refuse your request for environmental information, if they think the cost of getting the information is too high.\n\n## Reviews and complaints\n\nIf an organisation does not provide you with the information you requested, you should first ask them to review their decision.\n\nIf you\u2019re not satisfied with the organisation\u2019s response, you can complain or appeal to the information commissioner for:\n\n- England, Wales or Northern Ireland and organisations that cover the whole of the UK - complain to the Information Commissioner\u2019s Office\n\n- Scottish public authorities - make an appeal to the Scottish Information Commissioner", + "original_contents": [ + "

    Overview

    ", + "

    You have the right to ask to see recorded information held by public authorities.

    ", + "

    The Freedom of Information Act (FOIA) and Freedom of Information (Scotland) Act (FOISA) give you the right to see information.

    ", + "

    If you ask for environmental information, your request will be handled under the Environmental Regulations (EIRs) or Environmental Information (Scotland) Regulations (EISRs).

    ", + "

    Environmental information includes things like carbon emissions or the environment\u2019s effect on human health.

    ", + "

    You do not need to tell the organisation which law or regulations you\u2019re making your request under.

    ", + "

    Personal information

    ", + "

    There is a different way to make a request if you want information that an organisation holds about you. This includes things like your health records or credit reference files.

    ", + "

    Organisations you can ask for information

    ", + "

    You can request information from some public authorities, such as:

    ", + "
  • government departments, devolved administrations, other public bodies and committees
  • ", + "
  • local councils
  • ", + "
  • schools, colleges and universities
  • ", + "
  • the NHS - including hospitals, GPs, dentists, pharmacists and opticians
  • ", + "
  • publicly owned companies
  • ", + "
  • publicly funded museums, galleries and theatres
  • ", + "
  • the police and fire services
  • ", + "
  • registered social landlords in Scotland
  • ", + "

    You can make an environmental information request to private or public companies that have public responsibilities - like water companies.

    ", + "

    If you\u2019re not sure if the organisation is one you can make a request to, check with the information commissioner for:

    ", + "
  • Scottish public authorities - you can search on the Scottish Information Commissioner\u2019s website
  • ", + "
  • England, Wales or Northern Ireland and organisations that cover the whole of the UK - contact the Information Commissioner\u2019s Office
  • ", + "

    How to make an FOI request

    ", + "

    You must make a Freedom of Information (FOI) request in writing. You can do it by:

    ", + "
  • letter
  • ", + "
  • email
  • ", + "
  • social media
  • ", + "
  • online form - check the organisation\u2019s website or the government department\u2019s page to see if they have an online form
  • ", + "
  • fax
  • ", + "

    If you cannot make your request in writing because of a disability, contact the public authority. They should help you to make the request another way - for example over the phone.

    ", + "

    You can ask for environmental information in writing, in person or by phone.

    ", + "

    Before you make a request

    ", + "

    You might not need to make a Freedom of Information (FOI) request if the organisation has:

    ", + "
  • already published the information
  • ", + "
  • previously responded to an FOI request
  • ", + "

    Check their website for responses to previous FOI requests. This is sometimes known as a \u2018disclosure log\u2019. You can search for published responses to FOI requests from government departments, agencies and arms length bodies.

    ", + "

    You can also email or phone the organisation to ask if they\u2019ve already published the information or responded to an FOI request.

    ", + "

    What to include

    ", + "

    You should give:

    ", + "
  • your name (not needed if you\u2019re asking for environmental information)
  • ", + "
  • a contact postal or email address
  • ", + "
  • a detailed description of the information you want - for example, you might want all information held on a subject, or just a summary
  • ", + "

    You can ask for information in a particular format, such as:

    ", + "
  • paper or electronic copies of information
  • ", + "
  • audio format
  • ", + "
  • large print
  • ", + "

    When you\u2019ll get a response

    ", + "

    The organisation should send you the information within 20 working days of receiving your request. Some schools are allowed more time during school holidays.

    ", + "

    In Scotland, you should allow 6 extra days if you send your request by post.

    ", + "

    The organisation will tell you when to expect the information if they need more time.

    ", + "

    When your information will be shared

    ", + "

    If you\u2019ve sent an FOI request to several government departments, they may share your name and request between them. This is to help deal with your enquiry more effectively.

    ", + "

    No other details will be shared and your information will not be used for any other purpose.

    ", + "

    Costs

    ", + "

    Most requests are free but you might be asked to pay a small amount for photocopies or postage. The organisation will tell you if you have to pay anything.

    ", + "

    Check the copyright status of information you receive if you plan to reproduce it.

    ", + "

    If your request is turned down

    ", + "

    Some sensitive information is not available to members of the public. If this applies, an organisation must tell you why they cannot give you some or all of the information you requested.

    ", + "

    They might ask you to be more specific so they can provide just the information you need.

    ", + "

    An organisation can also refuse your Freedom of Information (FOI) request if getting information will cost more than \u00a3450, or \u00a3600 if the organisation is:

    ", + "
  • a government department, Parliament or part of the armed forces
  • ", + "
  • the Northern Ireland Assembly or the Welsh Assembly
  • ", + "
  • based in Scotland
  • ", + "

    An organisation can refuse your request for environmental information, if they think the cost of getting the information is too high.

    ", + "

    Reviews and complaints

    ", + "

    If an organisation does not provide you with the information you requested, you should first ask them to review their decision.

    ", + "

    If you\u2019re not satisfied with the organisation\u2019s response, you can complain or appeal to the information commissioner for:

    ", + "
  • England, Wales or Northern Ireland and organisations that cover the whole of the UK - complain to the Information Commissioner\u2019s Office
  • ", + "
  • Scottish public authorities - make an appeal to the Scottish Information Commissioner
  • " + ] + }, + "https://www.gov.uk/dla-disability-living-allowance-benefit": { + "url": "https://www.gov.uk/dla-disability-living-allowance-benefit", + "title": "Disability Living Allowance (DLA) for adults", + "content": "## Overview\n\nDisability Living Allowance (DLA) is being replaced by Personal Independence Payment (PIP) for disabled people.\n\nYou can only apply for DLA if you\u2019re under 16. You can apply for:\n\n- PIP if you\u2019re aged 16 or over and have not reached State Pension age\n\n- Attendance Allowance if you\u2019re State Pension age or older and do not get DLA\n\nIf you already get DLA, your claim might end. You\u2019ll get a letter telling you when this will happen and how you can apply for PIP.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## If you already get DLA\n\nIf you were born on or before 8 April 1948, you\u2019ll continue to get Disability Living Allowance (DLA) as long as you\u2019re eligible for it.\n\nIf you were born after 8 April 1948, your DLA will end. You\u2019ll get a letter telling you when that will happen. You\u2019ll continue to get DLA until that date.\n\nUnless your circumstances change, you do not need to do anything until you get this letter.\n\n## If your DLA claim is ending\n\nIf your DLA is ending, you\u2019ll get a letter inviting you to apply for Personal Independence Payment (PIP). If you do apply, you\u2019ll need to do it within 28 days.\n\nDLA will continue to be paid until at least 28 days after a decision is made about your PIP application.\n\nIf you\u2019re eligible for PIP, you\u2019ll start getting PIP payments as soon as your DLA payments end.\n\n## Change of circumstances\n\nYou must contact the Disability Service Centre if your circumstances change, as this may affect how much DLA you get. For example:\n\n- the level of help you need or your condition changes\n\n- you go into hospital or a care home for more than 4 weeks\n\n- you go abroad for more than 13 weeks\n\n- you\u2019re imprisoned or held in detention\n\nYou must also contact the centre if:\n\n- you change your name, address or bank details\n\n- you want to stop receiving your benefit\n\n- your doctor\u2019s details change\n\nYou may be asked to claim Personal Independence Payment (PIP) after you report a change to your circumstances.\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your DLA claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## DLA rates\n\nYou can no longer apply for Disability Living Allowance (DLA) if you\u2019re 16 or over. You might be able to apply for Personal Independence Payment (PIP) instead.\n\nDLA is made up of 2 components (parts), the \u2018care component\u2019 and the \u2018mobility component\u2019. To get DLA you must be eligible for at least one of the components.\n\nHow much DLA you get depends on how your disability or health condition affects you.\n\n## If you need help looking after yourself\n\nYou might get the care component of DLA if you:\n\n- need help with things like washing, dressing, eating, using the toilet or communicating your needs\n\n- need supervision to avoid putting yourself or others in danger\n\n- need someone with you when you\u2019re on dialysis\n\n- cannot prepare a cooked main meal\n\nYou can get this part if no one is actually giving you the care you need, or you live alone.\n\n| Care component | Weekly rate | Level of help you need |\n\n| Lowest | \u00a323.70 | Help for some of the day or with preparing cooked meals |\n\n| Middle | \u00a360.00 | Frequent help or constant supervision during the day, supervision at night or someone to help you while on dialysis |\n\n| Highest | \u00a389.60 | Help or supervision throughout both day and night, or you\u2019re terminally ill |\n\nIf you get DLA and Constant Attendance Allowance, the care component of your DLA will be reduced by the amount of Constant Attendance Allowance you get.\n\n## If you have walking difficulties\n\nYou might get the mobility component of DLA if, when using your normal aid, you:\n\n- cannot walk\n\n- can only walk a short distance without severe discomfort\n\n- could become very ill if you try to walk\n\nYou might also get it if you:\n\n- have no feet or legs\n\n- are assessed as 100% blind and at least 80% deaf and you need someone with you when outdoors\n\n- are severely mentally impaired with severe behavioural problems and get the highest rate of care for DLA\n\n- need supervision most of the time when walking outdoors\n\n- are certified as severely sight impaired and you were aged between 3 and 64 on 11 April 2011\n\n| Mobility component | Weekly rate | Level of help you need |\n\n| Lower | \u00a323.70 | Guidance or supervision outdoors |\n\n| Higher | \u00a362.55 | You have any other, more severe, walking difficulty |\n\nYou must contact the Disability Service Centre if your circumstances change, for example your condition improves or you need more help.\n\n## Assessments\n\nYou might get a letter saying you need to attend an assessment to check the level of help you need. The letter explains why, and where you must go. Your benefit may be stopped if you do not go.\n\nAt the assessment, you\u2019ll be asked for identification. You can use a passport or any 3 of the following:\n\n- birth certificate\n\n- a full driving licence\n\n- life assurance policy\n\n- bank statements\n\n## How you\u2019re paid\n\nDLA is usually paid every 4 weeks on a Wednesday.\n\nIf your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Extra help\n\nYou could get extra benefits if you get Disability Living Allowance - check with the Disability Service Centre or the office dealing with your benefit.\n\nIf your disability or health condition stops you from working and you\u2019re eligible for Universal Credit, you could get an extra amount on top of your Universal Credit standard allowance.\n\nIf you get DLA and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.", + "original_contents": [ + "

    Overview

    ", + "

    Disability Living Allowance (DLA) is being replaced by Personal Independence Payment (PIP) for disabled people.

    ", + "

    You can only apply for DLA if you\u2019re under 16. You can apply for:

    ", + "
  • PIP if you\u2019re aged 16 or over and have not reached State Pension age
  • ", + "
  • Attendance Allowance if you\u2019re State Pension age or older and do not get DLA
  • ", + "

    If you already get DLA, your claim might end. You\u2019ll get a letter telling you when this will happen and how you can apply for PIP.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you already get DLA

    ", + "

    If you were born on or before 8 April 1948, you\u2019ll continue to get Disability Living Allowance (DLA) as long as you\u2019re eligible for it.

    ", + "

    If you were born after 8 April 1948, your DLA will end. You\u2019ll get a letter telling you when that will happen. You\u2019ll continue to get DLA until that date.

    ", + "

    Unless your circumstances change, you do not need to do anything until you get this letter.

    ", + "

    If your DLA claim is ending

    ", + "

    If your DLA is ending, you\u2019ll get a letter inviting you to apply for Personal Independence Payment (PIP). If you do apply, you\u2019ll need to do it within 28 days.

    ", + "

    DLA will continue to be paid until at least 28 days after a decision is made about your PIP application.

    ", + "

    If you\u2019re eligible for PIP, you\u2019ll start getting PIP payments as soon as your DLA payments end.

    ", + "

    Change of circumstances

    ", + "

    You must contact the Disability Service Centre if your circumstances change, as this may affect how much DLA you get. For example:

    ", + "
  • the level of help you need or your condition changes
  • ", + "
  • you go into hospital or a care home for more than 4 weeks
  • ", + "
  • you go abroad for more than 13 weeks
  • ", + "
  • you\u2019re imprisoned or held in detention
  • ", + "

    You must also contact the centre if:

    ", + "
  • you change your name, address or bank details
  • ", + "
  • you want to stop receiving your benefit
  • ", + "
  • your doctor\u2019s details change
  • ", + "

    You may be asked to claim Personal Independence Payment (PIP) after you report a change to your circumstances.

    ", + "

    You could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.

    ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay the money you owe from benefit overpayment.

    ", + "

    If you disagree with a decision

    ", + "

    You can challenge a decision about your DLA claim. This is called asking for \u2018mandatory reconsideration\u2019.

    ", + "

    DLA rates

    ", + "

    You can no longer apply for Disability Living Allowance (DLA) if you\u2019re 16 or over. You might be able to apply for Personal Independence Payment (PIP) instead.

    ", + "

    DLA is made up of 2 components (parts), the \u2018care component\u2019 and the \u2018mobility component\u2019. To get DLA you must be eligible for at least one of the components.

    ", + "

    How much DLA you get depends on how your disability or health condition affects you.

    ", + "

    If you need help looking after yourself

    ", + "

    You might get the care component of DLA if you:

    ", + "
  • need help with things like washing, dressing, eating, using the toilet or communicating your needs
  • ", + "
  • need supervision to avoid putting yourself or others in danger
  • ", + "
  • need someone with you when you\u2019re on dialysis
  • ", + "
  • cannot prepare a cooked main meal
  • ", + "

    You can get this part if no one is actually giving you the care you need, or you live alone.

    ", + "Care component | Weekly rate | Level of help you need", + "Lowest | \u00a323.70 | Help for some of the day or with preparing cooked meals", + "Middle | \u00a360.00 | Frequent help or constant supervision during the day, supervision at night or someone to help you while on dialysis", + "Highest | \u00a389.60 | Help or supervision throughout both day and night, or you\u2019re terminally ill", + "

    If you get DLA and Constant Attendance Allowance, the care component of your DLA will be reduced by the amount of Constant Attendance Allowance you get.

    ", + "

    If you have walking difficulties

    ", + "

    You might get the mobility component of DLA if, when using your normal aid, you:

    ", + "
  • cannot walk
  • ", + "
  • can only walk a short distance without severe discomfort
  • ", + "
  • could become very ill if you try to walk
  • ", + "

    You might also get it if you:

    ", + "
  • have no feet or legs
  • ", + "
  • are assessed as 100% blind and at least 80% deaf and you need someone with you when outdoors
  • ", + "
  • are severely mentally impaired with severe behavioural problems and get the highest rate of care for DLA
  • ", + "
  • need supervision most of the time when walking outdoors
  • ", + "
  • are certified as severely sight impaired and you were aged between 3 and 64 on 11 April 2011
  • ", + "Mobility component | Weekly rate | Level of help you need", + "Lower | \u00a323.70 | Guidance or supervision outdoors", + "Higher | \u00a362.55 | You have any other, more severe, walking difficulty", + "

    You must contact the Disability Service Centre if your circumstances change, for example your condition improves or you need more help.

    ", + "

    Assessments

    ", + "

    You might get a letter saying you need to attend an assessment to check the level of help you need. The letter explains why, and where you must go. Your benefit may be stopped if you do not go.

    ", + "

    At the assessment, you\u2019ll be asked for identification. You can use a passport or any 3 of the following:

    ", + "
  • birth certificate
  • ", + "
  • a full driving licence
  • ", + "
  • life assurance policy
  • ", + "
  • bank statements
  • ", + "

    How you\u2019re paid

    ", + "

    DLA is usually paid every 4 weeks on a Wednesday.

    ", + "

    If your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.

    ", + "

    All benefits, pensions and allowances are paid into your bank, building society or credit union account.

    ", + "

    Extra help

    ", + "

    You could get extra benefits if you get Disability Living Allowance - check with the Disability Service Centre or the office dealing with your benefit.

    ", + "

    If your disability or health condition stops you from working and you\u2019re eligible for Universal Credit, you could get an extra amount on top of your Universal Credit standard allowance.

    ", + "

    If you get DLA and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.

    " + ] + }, + "https://www.gov.uk/driving-medical-conditions": { + "url": "https://www.gov.uk/driving-medical-conditions", + "title": "Medical conditions, disabilities and driving", + "content": "## Telling DVLA about a medical condition or disability\n\nYou must tell DVLA if you have a driving licence and:\n\n- you develop a \u2018notifiable\u2019 medical condition or disability\n\n- a condition or disability has got worse since you got your licence\n\nNotifiable conditions are anything that could affect your ability to drive safely. They can include:\n\n- diabetes or taking insulin\n\n- syncope (fainting)\n\n- heart conditions (including atrial fibrillation and pacemakers)\n\n- sleep apnoea\n\n- epilepsy\n\n- strokes\n\n- glaucoma\n\n## How to tell DVLA\n\nCheck if you need to tell DVLA about your condition to find the forms or questionnaires you need. The address you need is on the forms.\n\nIf you\u2019re in Northern Ireland you must contact the Driver and Vehicle Agency (DVA).\n\nThere are different forms for different conditions and disabilities.\n\nContact DVLA if you\u2019re not sure what to do.\n\nYou could be fined up to \u00a31,000 if you do not tell DVLA about a condition that might affect your ability to drive safely. You could also be prosecuted if you have an accident.\n\n## Surrendering your licence\n\nYou must surrender your licence to DVLA if any of the following are true:\n\n- your doctor tells you to stop driving for 3 months or more\n\n- your medical condition affects your ability to drive safely and lasts for 3 months or more\n\n- you do not meet the required standards for driving because of your medical condition\n\nYou can apply to get your licence back when you meet the medical standards for driving again.\n\n## First licence or renewal if you\u2019re 70 or over\n\nYou must also tell DVLA about notifiable conditions if you:\n\n- apply for your first licence\n\n- renew your licence (if you\u2019re 70 or over)\n\nYou\u2019ll be asked for this information in your application form. You do not need to contact DVLA separately.\n\n## What happens after you tell DVLA\n\nYou\u2019ll usually get a decision within 6 weeks. You\u2019ll get a letter from DVLA if it\u2019s going to take longer.\n\nDVLA might:\n\n- contact your doctor or consultant\n\n- arrange for you to be examined\n\n- ask you to take a driving assessment, or an eyesight or driving test\n\nYou can usually keep driving while DVLA are considering your application.\n\nIf you\u2019ve told DVLA about a condition when applying to renew your licence, follow the guidance about driving that\u2019s in the form.\n\nContact DVLA if you need advice or to check on your case.\n\n## What DVLA will decide\n\nDVLA will assess your medical condition or disability and decide if:\n\n- you need to get a new driving licence\n\n- you can have a shorter licence - for 1, 2, 3 or 5 years\n\n- you need to adapt your car by fitting special controls\n\n- you must stop driving and give up your licence\n\n## You need to adapt your vehicle\n\nIf you\u2019ve been told that you must adapt your car, you get an independent assessment of your adaptation needs through Driving Mobility.\n\nFind out more about adapting your vehicle and where to get special controls fitted through the Research Institute for Disabled Consumers.\n\n## You must stop driving\n\nYou\u2019ll be given a medical reason why you must stop driving, and be told if and when you can reapply for your licence.\n\n## If you disagree with DVLA\u2019s decision\n\nYou can write to DVLA if you disagree with the decision to stop you driving. You must be able to provide relevant information that was not included in the original assessment.\n\nYou must also include:\n\n- proof that you meet the required standards for driving (these are explained in the decision letter DVLA sent you)\n\n- the reference number from your decision letter\n\nYou can also appeal the decision if you contact your local magistrate\u2019s court within 6 months, or your local sheriff\u2019s court in Scotland within 21 days.\n\nYou may want to get legal advice before you appeal - you might be able to get legal aid to pay for it.\n\nYou must tell DVLA in writing if you choose to appeal.\n\n## Make a complaint\n\nYou can make a complaint if you\u2019re unhappy with the service you get from DVLA.\n\n## Renewing or reapplying for your licence\n\nHow you reapply for or renew your licence depends on if you had to give up your licence, or if you have a short-term licence.\n\n## You\u2019ve got a short-term licence\n\nDVLA will send you a renewal letter 90 days before your 1, 2, 3 or 5-year licence is due to expire.\n\nRenew your licence online, or send the renewal reminder back by post.\n\n## You gave up your licence and stopped driving\n\nThe letter DVLA sends you when your licence is taken away tells you if you have to wait before you can reapply.\n\nYou must check with your doctor that you\u2019re fit to drive before you reapply for your licence, if it was taken away because of a medical condition.", + "original_contents": [ + "

    Telling DVLA about a medical condition or disability

    ", + "

    You must tell DVLA if you have a driving licence and:

    ", + "
  • you develop a \u2018notifiable\u2019 medical condition or disability
  • ", + "
  • a condition or disability has got worse since you got your licence
  • ", + "

    Notifiable conditions are anything that could affect your ability to drive safely. They can include:

    ", + "
  • diabetes or taking insulin
  • ", + "
  • syncope (fainting)
  • ", + "
  • heart conditions (including atrial fibrillation and pacemakers)
  • ", + "
  • sleep apnoea
  • ", + "
  • epilepsy
  • ", + "
  • strokes
  • ", + "
  • glaucoma
  • ", + "

    How to tell DVLA

    ", + "

    Check if you need to tell DVLA about your condition to find the forms or questionnaires you need. The address you need is on the forms.

    ", + "

    If you\u2019re in Northern Ireland you must contact the Driver and Vehicle Agency (DVA).

    ", + "

    There are different forms for different conditions and disabilities.

    ", + "

    Contact DVLA if you\u2019re not sure what to do.

    ", + "

    You could be fined up to \u00a31,000 if you do not tell DVLA about a condition that might affect your ability to drive safely. You could also be prosecuted if you have an accident.

    ", + "

    Surrendering your licence

    ", + "

    You must surrender your licence to DVLA if any of the following are true:

    ", + "
  • your doctor tells you to stop driving for 3 months or more
  • ", + "
  • your medical condition affects your ability to drive safely and lasts for 3 months or more
  • ", + "
  • you do not meet the required standards for driving because of your medical condition
  • ", + "

    You can apply to get your licence back when you meet the medical standards for driving again.

    ", + "

    First licence or renewal if you\u2019re 70 or over

    ", + "

    You must also tell DVLA about notifiable conditions if you:

    ", + "
  • apply for your first licence
  • ", + "
  • renew your licence (if you\u2019re 70 or over)
  • ", + "

    You\u2019ll be asked for this information in your application form. You do not need to contact DVLA separately.

    ", + "

    What happens after you tell DVLA

    ", + "

    You\u2019ll usually get a decision within 6 weeks. You\u2019ll get a letter from DVLA if it\u2019s going to take longer.

    ", + "

    DVLA might:

    ", + "
  • contact your doctor or consultant
  • ", + "
  • arrange for you to be examined
  • ", + "
  • ask you to take a driving assessment, or an eyesight or driving test
  • ", + "

    You can usually keep driving while DVLA are considering your application.

    ", + "

    If you\u2019ve told DVLA about a condition when applying to renew your licence, follow the guidance about driving that\u2019s in the form.

    ", + "

    Contact DVLA if you need advice or to check on your case.

    ", + "

    What DVLA will decide

    ", + "

    DVLA will assess your medical condition or disability and decide if:

    ", + "
  • you need to get a new driving licence
  • ", + "
  • you can have a shorter licence - for 1, 2, 3 or 5 years
  • ", + "
  • you need to adapt your car by fitting special controls
  • ", + "
  • you must stop driving and give up your licence
  • ", + "

    You need to adapt your vehicle

    ", + "

    If you\u2019ve been told that you must adapt your car, you get an independent assessment of your adaptation needs through Driving Mobility.

    ", + "

    Find out more about adapting your vehicle and where to get special controls fitted through the Research Institute for Disabled Consumers.

    ", + "

    You must stop driving

    ", + "

    You\u2019ll be given a medical reason why you must stop driving, and be told if and when you can reapply for your licence.

    ", + "

    If you disagree with DVLA\u2019s decision

    ", + "

    You can write to DVLA if you disagree with the decision to stop you driving. You must be able to provide relevant information that was not included in the original assessment.

    ", + "

    You must also include:

    ", + "
  • proof that you meet the required standards for driving (these are explained in the decision letter DVLA sent you)
  • ", + "
  • the reference number from your decision letter
  • ", + "

    You can also appeal the decision if you contact your local magistrate\u2019s court within 6 months, or your local sheriff\u2019s court in Scotland within 21 days.

    ", + "

    You may want to get legal advice before you appeal - you might be able to get legal aid to pay for it.

    ", + "

    You must tell DVLA in writing if you choose to appeal.

    ", + "

    Make a complaint

    ", + "

    You can make a complaint if you\u2019re unhappy with the service you get from DVLA.

    ", + "

    Renewing or reapplying for your licence

    ", + "

    How you reapply for or renew your licence depends on if you had to give up your licence, or if you have a short-term licence.

    ", + "

    You\u2019ve got a short-term licence

    ", + "

    DVLA will send you a renewal letter 90 days before your 1, 2, 3 or 5-year licence is due to expire.

    ", + "

    Renew your licence online, or send the renewal reminder back by post.

    ", + "

    You gave up your licence and stopped driving

    ", + "

    The letter DVLA sends you when your licence is taken away tells you if you have to wait before you can reapply.

    ", + "

    You must check with your doctor that you\u2019re fit to drive before you reapply for your licence, if it was taken away because of a medical condition.

    " + ] + }, + "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules": { + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "title": "Mobility scooters and powered wheelchairs: the rules", + "content": "## Overview\n\nYou do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.\n\nMobility scooters and powered wheelchairs come in 2 categories:\n\n- \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph\n\n- \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road\n\nYou do not need to register a class 2 invalid carriage.\n\nYou must register class 3 invalid carriages.\n\nYou must be 14 or over to drive a class 3 invalid carriage.\n\n## Rules for class 3 invalid carriages\n\nThe law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:\n\n- a maximum unladen weight of 150kg\n\n- a maximum width of 0.85 metres\n\n- a device to limit its speed to 4mph\n\n- a maximum speed of 8mph\n\n- an efficient braking system\n\n- front and rear lights and reflectors\n\n- direction indicators able to operate as a hazard warning signal\n\n- an audible horn\n\n- a rear view mirror\n\n- an amber flashing light if it\u2019s used on a dual carriageway\n\nYou could be stopped by the police if your class 3 invalid carriage does not have these features.\n\n## Driving on the road\n\nYou can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.\n\nYou cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.\n\nYou must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.\n\n## Road rules\n\nYou must follow the Highway Code if you drive your mobility scooter on the road.\n\n## Driving on footpaths and parking\n\nAll mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.\n\nYou cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.\n\n## Parking\n\nAll normal parking restrictions apply to mobility scooters and powered wheelchairs.\n\nYour vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.\n\n## Eyesight requirements\n\nThere is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).\n\nYou must check that you can still do this regularly.\n\nYou might have to pay compensation if you have an accident and poor eyesight was part of the cause.\n\n## Who can use them\n\nYou can only drive a mobility scooter or powered wheelchair if you:\n\n- have trouble walking because of an injury, physical disability or medical condition\n\n- are demonstrating the vehicle before it\u2019s sold\n\n- are training a disabled user\n\n- are taking the vehicle to or from maintenance or repair\n\n## Vehicle tax, registration and insurance\n\nYou do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.\n\nCheck whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.\n\n## Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair\n\nWhen you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.\n\nIf you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.\n\n## Change your name or address\n\nIf you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.\n\n## If your mobility scooter or powered wheelchair is not a registered vehicle\n\nMost scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.\n\nIf your vehicle is not registered, register it by filling in:\n\n- form V55/4 for new vehicles\n\n- form V55/5 for used vehicles\n\n## Insurance\n\nYou do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.", + "original_contents": [ + "

    Overview

    ", + "

    You do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.

    ", + "

    Mobility scooters and powered wheelchairs come in 2 categories:

    ", + "
  • \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph
  • ", + "
  • \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road
  • ", + "

    You do not need to register a class 2 invalid carriage.

    ", + "

    You must register class 3 invalid carriages.

    ", + "

    You must be 14 or over to drive a class 3 invalid carriage.

    ", + "

    Rules for class 3 invalid carriages

    ", + "

    The law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:

    ", + "
  • a maximum unladen weight of 150kg
  • ", + "
  • a maximum width of 0.85 metres
  • ", + "
  • a device to limit its speed to 4mph
  • ", + "
  • a maximum speed of 8mph
  • ", + "
  • an efficient braking system
  • ", + "
  • front and rear lights and reflectors
  • ", + "
  • direction indicators able to operate as a hazard warning signal
  • ", + "
  • an audible horn
  • ", + "
  • a rear view mirror
  • ", + "
  • an amber flashing light if it\u2019s used on a dual carriageway
  • ", + "

    You could be stopped by the police if your class 3 invalid carriage does not have these features.

    ", + "

    Driving on the road

    ", + "

    You can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.

    ", + "

    You cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.

    ", + "

    You must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.

    ", + "

    Road rules

    ", + "

    You must follow the Highway Code if you drive your mobility scooter on the road.

    ", + "

    Driving on footpaths and parking

    ", + "

    All mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.

    ", + "

    You cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.

    ", + "

    Parking

    ", + "

    All normal parking restrictions apply to mobility scooters and powered wheelchairs.

    ", + "

    Your vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.

    ", + "

    Eyesight requirements

    ", + "

    There is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).

    ", + "

    You must check that you can still do this regularly.

    ", + "

    You might have to pay compensation if you have an accident and poor eyesight was part of the cause.

    ", + "

    Who can use them

    ", + "

    You can only drive a mobility scooter or powered wheelchair if you:

    ", + "
  • have trouble walking because of an injury, physical disability or medical condition
  • ", + "
  • are demonstrating the vehicle before it\u2019s sold
  • ", + "
  • are training a disabled user
  • ", + "
  • are taking the vehicle to or from maintenance or repair
  • ", + "

    Vehicle tax, registration and insurance

    ", + "

    You do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.

    ", + "

    Check whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.

    ", + "

    Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair

    ", + "

    When you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.

    ", + "

    If you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.

    ", + "

    Change your name or address

    ", + "

    If you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.

    ", + "

    If your mobility scooter or powered wheelchair is not a registered vehicle

    ", + "

    Most scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.

    ", + "

    If your vehicle is not registered, register it by filling in:

    ", + "
  • form V55/4 for new vehicles
  • ", + "
  • form V55/5 for used vehicles
  • ", + "

    Insurance

    ", + "

    You do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.

    " + ] + }, + "https://www.gov.uk/transport-disabled": { + "url": "https://www.gov.uk/transport-disabled", + "title": "Transport support services for disabled people", + "content": "## Trains\n\nYou can give National Rail train companies advance notice if you think you\u2019ll need any help from staff.\n\nYou can also check if a station has accessible facilities.\n\n## Wheelchairs on trains\n\nOn mainline (intercity, suburban and cross-country) trains there\u2019s space for your wheelchair. Put your chair in this space and use the brakes (or switch your wheelchair\u2019s power off) when the train\u2019s moving.\n\n## How to get help\n\nAll licensed train companies must be able to tell you:\n\n- what services and facilities are available\n\n- how to get assistance - including when there are disruptions\n\nThis is called an Accessible Travel Policy (ATP). You can get a copy of an ATP from the train company.\n\n## Disabled person\u2019s railcard\n\nIf you\u2019re eligible you can get up to a third off rail tickets by applying for a disabled person\u2019s railcard. You must provide evidence of a relevant disability.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the train company directly.\n\nIf you cannot resolve the complaint, you may be able to complain to the Rail Ombudsman. They can only consider complaints about companies that have joined the Rail Ombudsman scheme.\n\n## Planes\n\nTell your airline at least 48 hours before departure if you\u2019ll need help.\n\nAirlines and airports have different facilities for disabled people. Find out from your airport or airline if they have the facilities you need, for example a toilet with disabled access.\n\n## Help at the airport\n\nIf you have a sensory, physical or learning disability which affects your mobility when using transport, at airports in the UK and EU you have the right to:\n\n- help at specific arrival points, such as at terminal entrances, at transport interchanges and in car parks\n\n- help to reach check-in\n\n- help with registration at check-in\n\n- help with moving through the airport if you need it, including to toilets\n\n- help to board the plane\n\nYou\u2019ll also have the right to help because of your age or a temporary illness or injury - for example if you\u2019ve broken your leg and it\u2019s in a cast.\n\nYou can travel with up to 2 items of mobility equipment free of charge if you\u2019re disabled. This will not count as part of your baggage allowance.\n\n## Help on the plane\n\nIf you have a sensory, physical or learning disability which affects your mobility on a flight, in the UK and EU you have the right to:\n\n- get information about your flight in a way you understand it\n\n- help to find a seat that is suited to your needs\n\n- help to move around the plane, including to toilets\n\n## Taking your wheelchair on the plane\n\nYou cannot take your own wheelchair into the passenger cabin of a plane - it will be stored in the hold. Speak to your airline to find out what help they\u2019ll provide when boarding.\n\nTell your airline, travel agent or tour operator as soon as possible if you\u2019re taking on a battery-powered wheelchair or mobility aid.\n\n## Travelling with a companion\n\nYou must travel with a companion if you\u2019re not self reliant, for example if you need help with feeding, breathing, using medication or using the toilet.\n\nThe airline you\u2019re flying with will do their best to make sure you sit next to each other, so long as you tell them at least 48 hours before departure.\n\n## Travelling with an assistance dog\n\nYou have the right to travel with your assistance dog. You\u2019ll need to follow the rules on pet travel.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the airport or airline directly.\n\nIf you cannot resolve the problem with them, you can complain to either:\n\n- an alternative dispute resolution (ADR) body\n\n- the Civil Aviation Authority (CAA) if the airline or airport does not have an agreement with an ADR\n\n## Cars, buses and coaches\n\nFind out what you need to do if you\u2019re driving and you have a medical condition or disability, for example learning to drive and getting insured.\n\nYou may be able to get a Blue Badge so you can park closer to where you want to go.\n\n## The Motability Scheme\n\nThe Motability Scheme can help you with leasing a car, powered wheelchair or scooter.\n\n## Buses and coaches\n\nYou can get a bus pass for free travel if you\u2019re disabled. Passes from councils in England can be used anywhere in England:\n\n- at any time on a Saturday, Sunday or bank holiday\n\n- from 9:30am to 11pm on any other day\n\nFor travel outside of these times, contact the relevant council.\n\n## Help getting on and off\n\nThe law says bus and coach drivers must give reasonable assistance to disabled people, for example by helping them get on and off the bus or coach. This does not mean physically lifting passengers or heavy mobility equipment.\n\nIf you need help to get on and off a coach, you should ask for this when you book your ticket.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the bus or coach service operator directly.\n\nIf you cannot resolve the problem with the operator, contact:\n\n- Bus Users UK for complaints about services outside of London\n\n- London TravelWatch for complaints about services in London\n\n- your local government ombudsman for complaints about bus passes\n\n## Taxis and minicabs\n\nLicensed taxis can be hailed on the street, picked up at ranks or pre-booked, but you can only pre-book minicabs (also called \u2018private hire vehicles\u2019).\n\n## Wheelchair access\n\nIn some areas (mainly larger cities), licensed taxis have to be wheelchair accessible.\n\nTo find out if there are accessible taxis near you, contact the taxi licensing office at your local council.\n\n## London taxis\n\nIn London, all black cabs are wheelchair accessible.\n\nSome of the newer \u2018black cabs\u2019 are also fitted with induction loops and intercoms for hearing aid users.\n\n## Assistance dogs\n\nIf you travel with an assistance dog they must be allowed into the taxi or minicab with you, unless the driver has an exemption certificate. This can be issued if they\u2019ve got a medical condition made worse by contact with dogs.\n\nA driver with an exemption certificate will have a \u2018Notice of Exemption\u2019 notice on their vehicle windscreen.\n\nIt\u2019s illegal to be charged extra to travel in a taxi or minicab with an assistance dog. Otherwise the driver could be fined up to \u00a31,000.\n\nThe following types of dog can be taken with you in taxis or minicabs:\n\n- guide dogs\n\n- hearing dogs\n\n- assistance dogs trained by Dogs for the Disabled, Support Dogs or Canine Partners\n\n## Travelling with your dog\n\nTaxi and private hire vehicle drivers have been told how to identify assistance dogs.\n\nYour assistance dog should wear its harness or identification jacket when you are travelling with it. If an identification card was issued for the dog, this should also be carried.\n\nDogs should remain on the floor and under control at all times. If your dog causes any damage to the vehicle, the driver could ask you to pay for it.\n\n## Report a problem\n\nAs well as the rules on wheelchairs and assistance dogs, all taxi and minicab drivers must make sure they do not discriminate against you and cannot treat you less favourably than other customers. They should also make any \u2018reasonable adjustments\u2019 to their service for you to make your journey easier.\n\nYou should report any problems to the taxi licensing office at your local council.\n\n## Ships\n\nYou can get help if you\u2019re disabled and travelling on any of the following:\n\n- a cruise ship that\u2019s leaving from a port within the UK\n\n- a ferry that\u2019s leaving from or going to a port within the UK\n\n- a local ferry service, for example by river bus\n\nIf you need to make specific arrangements for your journey (for example if you have certain accommodation or seating requirements), you should tell the cruise line, ferry service, travel agent or tour operator at least 48 hours before departure.\n\n## Travelling with a carer\n\nYou should let the cruise line or ferry service know if you need to travel with a carer. On a ferry, your carer might be able to travel for free.\n\n## Help getting on and off\n\nTell the cruise line or ferry service at least 48 hours before departure if you need help getting on and off the ship.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the cruise line or ferry service company directly.\n\nIf it cannot be resolved you can contact an independent organisation to look into your complaint.\n\nIn England or Wales, you can contact:\n\n- Association of British Travel Agents (ABTA), for complaints about ferries\n\n- London Travel Watch, for complaints about London River Bus services\n\n- Cruise Line International Association (CLIA), for complaints about cruises\n\nIn Scotland, you can contact Transport Scotland.\n\nIn Northern Ireland, you can contact the Consumer Council of Northern Ireland.\n\n## Wheelchairs\n\nShopmobility lends wheelchairs and powered scooters to people who are disabled so they can shop or visit leisure facilities in a town, city or shopping centre.", + "original_contents": [ + "

    Trains

    ", + "

    You can give National Rail train companies advance notice if you think you\u2019ll need any help from staff.

    ", + "

    You can also check if a station has accessible facilities.

    ", + "

    Wheelchairs on trains

    ", + "

    On mainline (intercity, suburban and cross-country) trains there\u2019s space for your wheelchair. Put your chair in this space and use the brakes (or switch your wheelchair\u2019s power off) when the train\u2019s moving.

    ", + "

    How to get help

    ", + "

    All licensed train companies must be able to tell you:

    ", + "
  • what services and facilities are available
  • ", + "
  • how to get assistance - including when there are disruptions
  • ", + "

    This is called an Accessible Travel Policy (ATP). You can get a copy of an ATP from the train company.

    ", + "

    Disabled person\u2019s railcard

    ", + "

    If you\u2019re eligible you can get up to a third off rail tickets by applying for a disabled person\u2019s railcard. You must provide evidence of a relevant disability.

    ", + "

    Report a problem

    ", + "

    If you\u2019re unhappy with the help you get, complain to the train company directly.

    ", + "

    If you cannot resolve the complaint, you may be able to complain to the Rail Ombudsman. They can only consider complaints about companies that have joined the Rail Ombudsman scheme.

    ", + "

    Planes

    ", + "

    Tell your airline at least 48 hours before departure if you\u2019ll need help.

    ", + "

    Airlines and airports have different facilities for disabled people. Find out from your airport or airline if they have the facilities you need, for example a toilet with disabled access.

    ", + "

    Help at the airport

    ", + "

    If you have a sensory, physical or learning disability which affects your mobility when using transport, at airports in the UK and EU you have the right to:

    ", + "
  • help at specific arrival points, such as at terminal entrances, at transport interchanges and in car parks
  • ", + "
  • help to reach check-in
  • ", + "
  • help with registration at check-in
  • ", + "
  • help with moving through the airport if you need it, including to toilets
  • ", + "
  • help to board the plane
  • ", + "

    You\u2019ll also have the right to help because of your age or a temporary illness or injury - for example if you\u2019ve broken your leg and it\u2019s in a cast.

    ", + "

    You can travel with up to 2 items of mobility equipment free of charge if you\u2019re disabled. This will not count as part of your baggage allowance.

    ", + "

    Help on the plane

    ", + "

    If you have a sensory, physical or learning disability which affects your mobility on a flight, in the UK and EU you have the right to:

    ", + "
  • get information about your flight in a way you understand it
  • ", + "
  • help to find a seat that is suited to your needs
  • ", + "
  • help to move around the plane, including to toilets
  • ", + "

    Taking your wheelchair on the plane

    ", + "

    You cannot take your own wheelchair into the passenger cabin of a plane - it will be stored in the hold. Speak to your airline to find out what help they\u2019ll provide when boarding.

    ", + "

    Tell your airline, travel agent or tour operator as soon as possible if you\u2019re taking on a battery-powered wheelchair or mobility aid.

    ", + "

    Travelling with a companion

    ", + "

    You must travel with a companion if you\u2019re not self reliant, for example if you need help with feeding, breathing, using medication or using the toilet.

    ", + "

    The airline you\u2019re flying with will do their best to make sure you sit next to each other, so long as you tell them at least 48 hours before departure.

    ", + "

    Travelling with an assistance dog

    ", + "

    You have the right to travel with your assistance dog. You\u2019ll need to follow the rules on pet travel.

    ", + "

    Report a problem

    ", + "

    If you\u2019re unhappy with the help you get, complain to the airport or airline directly.

    ", + "

    If you cannot resolve the problem with them, you can complain to either:

    ", + "
  • an alternative dispute resolution (ADR) body
  • ", + "
  • the Civil Aviation Authority (CAA) if the airline or airport does not have an agreement with an ADR
  • ", + "

    Cars, buses and coaches

    ", + "

    Find out what you need to do if you\u2019re driving and you have a medical condition or disability, for example learning to drive and getting insured.

    ", + "

    You may be able to get a Blue Badge so you can park closer to where you want to go.

    ", + "

    The Motability Scheme

    ", + "

    The Motability Scheme can help you with leasing a car, powered wheelchair or scooter.

    ", + "

    Buses and coaches

    ", + "

    You can get a bus pass for free travel if you\u2019re disabled. Passes from councils in England can be used anywhere in England:

    ", + "
  • at any time on a Saturday, Sunday or bank holiday
  • ", + "
  • from 9:30am to 11pm on any other day
  • ", + "

    For travel outside of these times, contact the relevant council.

    ", + "

    Help getting on and off

    ", + "

    The law says bus and coach drivers must give reasonable assistance to disabled people, for example by helping them get on and off the bus or coach. This does not mean physically lifting passengers or heavy mobility equipment.

    ", + "

    If you need help to get on and off a coach, you should ask for this when you book your ticket.

    ", + "

    Report a problem

    ", + "

    If you\u2019re unhappy with the help you get, complain to the bus or coach service operator directly.

    ", + "

    If you cannot resolve the problem with the operator, contact:

    ", + "
  • Bus Users UK for complaints about services outside of London
  • ", + "
  • London TravelWatch for complaints about services in London
  • ", + "
  • your local government ombudsman for complaints about bus passes
  • ", + "

    Taxis and minicabs

    ", + "

    Licensed taxis can be hailed on the street, picked up at ranks or pre-booked, but you can only pre-book minicabs (also called \u2018private hire vehicles\u2019).

    ", + "

    Wheelchair access

    ", + "

    In some areas (mainly larger cities), licensed taxis have to be wheelchair accessible.

    ", + "

    To find out if there are accessible taxis near you, contact the taxi licensing office at your local council.

    ", + "

    London taxis

    ", + "

    In London, all black cabs are wheelchair accessible.

    ", + "

    Some of the newer \u2018black cabs\u2019 are also fitted with induction loops and intercoms for hearing aid users.

    ", + "

    Assistance dogs

    ", + "

    If you travel with an assistance dog they must be allowed into the taxi or minicab with you, unless the driver has an exemption certificate. This can be issued if they\u2019ve got a medical condition made worse by contact with dogs.

    ", + "

    A driver with an exemption certificate will have a \u2018Notice of Exemption\u2019 notice on their vehicle windscreen.

    ", + "

    It\u2019s illegal to be charged extra to travel in a taxi or minicab with an assistance dog. Otherwise the driver could be fined up to \u00a31,000.

    ", + "

    The following types of dog can be taken with you in taxis or minicabs:

    ", + "
  • guide dogs
  • ", + "
  • hearing dogs
  • ", + "
  • assistance dogs trained by Dogs for the Disabled, Support Dogs or Canine Partners
  • ", + "

    Travelling with your dog

    ", + "

    Taxi and private hire vehicle drivers have been told how to identify assistance dogs.

    ", + "

    Your assistance dog should wear its harness or identification jacket when you are travelling with it. If an identification card was issued for the dog, this should also be carried.

    ", + "

    Dogs should remain on the floor and under control at all times. If your dog causes any damage to the vehicle, the driver could ask you to pay for it.

    ", + "

    Report a problem

    ", + "

    As well as the rules on wheelchairs and assistance dogs, all taxi and minicab drivers must make sure they do not discriminate against you and cannot treat you less favourably than other customers. They should also make any \u2018reasonable adjustments\u2019 to their service for you to make your journey easier.

    ", + "

    You should report any problems to the taxi licensing office at your local council.

    ", + "

    Ships

    ", + "

    You can get help if you\u2019re disabled and travelling on any of the following:

    ", + "
  • a cruise ship that\u2019s leaving from a port within the UK
  • ", + "
  • a ferry that\u2019s leaving from or going to a port within the UK
  • ", + "
  • a local ferry service, for example by river bus
  • ", + "

    If you need to make specific arrangements for your journey (for example if you have certain accommodation or seating requirements), you should tell the cruise line, ferry service, travel agent or tour operator at least 48 hours before departure.

    ", + "

    Travelling with a carer

    ", + "

    You should let the cruise line or ferry service know if you need to travel with a carer. On a ferry, your carer might be able to travel for free.

    ", + "

    Help getting on and off

    ", + "

    Tell the cruise line or ferry service at least 48 hours before departure if you need help getting on and off the ship.

    ", + "

    Report a problem

    ", + "

    If you\u2019re unhappy with the help you get, complain to the cruise line or ferry service company directly.

    ", + "

    If it cannot be resolved you can contact an independent organisation to look into your complaint.

    ", + "

    In England or Wales, you can contact:

    ", + "
  • Association of British Travel Agents (ABTA), for complaints about ferries
  • ", + "
  • London Travel Watch, for complaints about London River Bus services
  • ", + "
  • Cruise Line International Association (CLIA), for complaints about cruises
  • ", + "

    In Scotland, you can contact Transport Scotland.

    ", + "

    In Northern Ireland, you can contact the Consumer Council of Northern Ireland.

    ", + "

    Wheelchairs

    ", + "

    Shopmobility lends wheelchairs and powered scooters to people who are disabled so they can shop or visit leisure facilities in a town, city or shopping centre.

    " + ] + }, + "https://www.gov.uk/recruitment-disabled-people": { + "url": "https://www.gov.uk/recruitment-disabled-people", + "title": "Recruitment and disabled people", + "content": "## Job specifications\n\nThe job specification (or \u2018person requirements\u2019) of a vacancy must not exclude disabled people from applying for a job.\n\nHowever, some jobs may have an essential requirement that cannot be met with a reasonable adjustment.\n\nIf you reject a disabled candidate, it must be based on their performance at interview rather than having to make reasonable adjustments.\n\n## Encouraging applications\n\nYour local Jobcentre Plus can help with:\n\n- making sure your application process is accessible\n\n- advising you about recruitment practices that open up jobs to disabled people\n\n- information about making reasonable adjustments that can help someone start or keep their job\n\nContact Jobcentre Plus to find out more.\n\n## Apply for the disability confident scheme\n\nSign up as a disability confident committed employer. When you\u2019ve done this you can use the disability confident badge on adverts to show you encourage applications from disabled people.\n\n## Alternative formats\n\nYou must provide information about the vacancy in alternative formats (for example, large print) on request if this is reasonable. You must also accept applications in alternative formats (for example, electronically) where possible.\n\n## Reasonable adjustments\n\nYou can ask if a candidate needs an adjustment to the recruitment process to allow them to be considered for the job, or you can wait to be told.\n\nYou must make adjustments if they\u2019re reasonable, for example allowing:\n\n- wheelchair users to have their interview on the ground floor\n\n- candidates to complete a written test using a computer\n\nAfter you\u2019ve made a job offer, you can ask what adjustments they\u2019ll need to do the job.\n\nYou can get help paying for extra support in the workplace through an Access to Work grant but you cannot use the money for reasonable adjustments.", + "original_contents": [ + "

    Job specifications

    ", + "

    The job specification (or \u2018person requirements\u2019) of a vacancy must not exclude disabled people from applying for a job.

    ", + "

    However, some jobs may have an essential requirement that cannot be met with a reasonable adjustment.

    ", + "

    If you reject a disabled candidate, it must be based on their performance at interview rather than having to make reasonable adjustments.

    ", + "

    Encouraging applications

    ", + "

    Your local Jobcentre Plus can help with:

    ", + "
  • making sure your application process is accessible
  • ", + "
  • advising you about recruitment practices that open up jobs to disabled people
  • ", + "
  • information about making reasonable adjustments that can help someone start or keep their job
  • ", + "

    Contact Jobcentre Plus to find out more.

    ", + "

    Apply for the disability confident scheme

    ", + "

    Sign up as a disability confident committed employer. When you\u2019ve done this you can use the disability confident badge on adverts to show you encourage applications from disabled people.

    ", + "

    Alternative formats

    ", + "

    You must provide information about the vacancy in alternative formats (for example, large print) on request if this is reasonable. You must also accept applications in alternative formats (for example, electronically) where possible.

    ", + "

    Reasonable adjustments

    ", + "

    You can ask if a candidate needs an adjustment to the recruitment process to allow them to be considered for the job, or you can wait to be told.

    ", + "

    You must make adjustments if they\u2019re reasonable, for example allowing:

    ", + "
  • wheelchair users to have their interview on the ground floor
  • ", + "
  • candidates to complete a written test using a computer
  • ", + "

    After you\u2019ve made a job offer, you can ask what adjustments they\u2019ll need to do the job.

    ", + "

    You can get help paying for extra support in the workplace through an Access to Work grant but you cannot use the money for reasonable adjustments.

    " + ] + }, + "https://www.gov.uk/towing-with-car": { + "url": "https://www.gov.uk/towing-with-car", + "title": "Towing with a car", + "content": "## What you can tow\n\nThe rules on what you can tow are different depending on when you passed your driving test.\n\nView your driving licence information to see if you\u2019re allowed to tow.\n\n## Licences issued from 1 January 1997\n\nIf you passed your car driving test on or after 1 January 1997 you can:\n\n- drive a car or van up to 3,500kg maximum authorised mass (MAM) towing a trailer of up to 750kg MAM\n\n- tow a trailer over 750kg MAM as long as the combined MAM of the trailer and towing vehicle is no more than 3,500kg\n\nMAM is the limit on how much the vehicle can weigh when it\u2019s loaded.\n\nYou have to pass the car and trailer driving test if you want to tow anything heavier.\n\n## Licences issued before 1 January 1997\n\nIf you passed your car test before 1 January 1997 you\u2019re usually allowed to drive a vehicle and trailer combination up to 8,250kg MAM. View your driving licence information to check.\n\nYou\u2019re also allowed to drive a minibus with a trailer over 750kg MAM.\n\n## Towing heavier combinations\n\nFollow these steps if you want to tow heavier combinations.\n\n- Apply for provisional licence for a medium-sized lorry and trailer (category C1+E).\n\n- Pass the lorry theory test.\n\n- Pass the C1+E driving test.\n\nYou need to take extra Driver Certificate of Professional Competence (CPC) tests if driving the medium-sized lorry is the main part of your job.\n\nOnce you\u2019ve done this you can drive vehicles and trailers with a combined weight of up to 12,000kg MAM.\n\n## Towing weight and width limits\n\nMost cars have a maximum weight they can tow. It\u2019s usually listed in the handbook or specification sheet.\n\nAlternatively the vehicle\u2019s \u2018gross train weight\u2019 may be listed on the vehicle identification number (VIN) plate on the car. This is normally under the bonnet or inside the driver\u2019s door.\n\nThe gross train weight is the weight of the fully-loaded car plus fully-loaded trailer and must not be exceeded.\n\nIf your VIN plate doesn\u2019t list a train weight, you should not use your vehicle for towing.\n\n## Width and length\n\nThe maximum trailer width for any towing vehicle is 2.55 metres.\n\nThe maximum length for a trailer towed by a vehicle weighing up to 3,500kg is 7 metres. This length does not include the A-frame.\n\n## Trailers, caravans and towing equipment\n\nThe equipment you use with your trailer or caravan must:\n\n- meet certain safety standards\n\n- be used correctly\n\nYou can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for using a vehicle in a dangerous condition.\n\nCarry out safety checks to make sure you\u2019re using the trailer and equipment legally.\n\n## Towing bars\n\nIf you get a tow bar for your car, it needs to be \u2018type approved\u2019. This means it meets EU regulations and is designed for your car.\n\nType-approved tow bars have a label with:\n\n- an approval number\n\n- details of the vehicles it\u2019s approved for\n\nIf your car was first used before 1 August 1998, your tow bar doesn\u2019t need to be type-approved.\n\n## Towing mirrors\n\nYou must have an adequate view of the road behind you.\n\nFit suitable towing mirrors if your trailer or caravan is wider than the rear of your car.\n\nYou can be fined up to \u00a31,000 and get 3 penalty points for towing without proper towing mirrors.\n\n## Trailer or caravan brakes\n\nYour trailer must have a working brake system if it weighs over 750kg when it\u2019s loaded.\n\nSome smaller trailers also have brakes, but these are optional.\n\nAny brakes must be in good working order.\n\nYou must use a breakaway cable or secondary coupling in case the trailer becomes detached from your car.\n\n## Number plates\n\nYou must display the same number plate on your trailer as on your towing car.\n\nIf you tow more than one trailer at a time, fix the number plate to the trailer at the back.\n\n## Towing an American caravan or trailer\n\nAmerican trailers and caravans don\u2019t always meet European safety regulations.\n\nIf you want to use an American caravan or trailer in the UK or the EU, you must first check that it\u2019s legal.\n\nRead more about brakes and couplings for American caravans and trailers.", + "original_contents": [ + "

    What you can tow

    ", + "

    The rules on what you can tow are different depending on when you passed your driving test.

    ", + "

    View your driving licence information to see if you\u2019re allowed to tow.

    ", + "

    Licences issued from 1 January 1997

    ", + "

    If you passed your car driving test on or after 1 January 1997 you can:

    ", + "
  • drive a car or van up to 3,500kg maximum authorised mass (MAM) towing a trailer of up to 750kg MAM
  • ", + "
  • tow a trailer over 750kg MAM as long as the combined MAM of the trailer and towing vehicle is no more than 3,500kg
  • ", + "

    MAM is the limit on how much the vehicle can weigh when it\u2019s loaded.

    ", + "

    You have to pass the car and trailer driving test if you want to tow anything heavier.

    ", + "

    Licences issued before 1 January 1997

    ", + "

    If you passed your car test before 1 January 1997 you\u2019re usually allowed to drive a vehicle and trailer combination up to 8,250kg MAM. View your driving licence information to check.

    ", + "

    You\u2019re also allowed to drive a minibus with a trailer over 750kg MAM.

    ", + "

    Towing heavier combinations

    ", + "

    Follow these steps if you want to tow heavier combinations.

    ", + "
  • Apply for provisional licence for a medium-sized lorry and trailer (category C1+E).
  • ", + "
  • Pass the lorry theory test.
  • ", + "
  • Pass the C1+E driving test.
  • ", + "

    You need to take extra Driver Certificate of Professional Competence (CPC) tests if driving the medium-sized lorry is the main part of your job.

    ", + "

    Once you\u2019ve done this you can drive vehicles and trailers with a combined weight of up to 12,000kg MAM.

    ", + "

    Towing weight and width limits

    ", + "

    Most cars have a maximum weight they can tow. It\u2019s usually listed in the handbook or specification sheet.

    ", + "

    Alternatively the vehicle\u2019s \u2018gross train weight\u2019 may be listed on the vehicle identification number (VIN) plate on the car. This is normally under the bonnet or inside the driver\u2019s door.

    ", + "

    The gross train weight is the weight of the fully-loaded car plus fully-loaded trailer and must not be exceeded.

    ", + "

    If your VIN plate doesn\u2019t list a train weight, you should not use your vehicle for towing.

    ", + "

    Width and length

    ", + "

    The maximum trailer width for any towing vehicle is 2.55 metres.

    ", + "

    The maximum length for a trailer towed by a vehicle weighing up to 3,500kg is 7 metres. This length does not include the A-frame.

    ", + "

    Trailers, caravans and towing equipment

    ", + "

    The equipment you use with your trailer or caravan must:

    ", + "
  • meet certain safety standards
  • ", + "
  • be used correctly
  • ", + "

    You can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for using a vehicle in a dangerous condition.

    ", + "

    Carry out safety checks to make sure you\u2019re using the trailer and equipment legally.

    ", + "

    Towing bars

    ", + "

    If you get a tow bar for your car, it needs to be \u2018type approved\u2019. This means it meets EU regulations and is designed for your car.

    ", + "

    Type-approved tow bars have a label with:

    ", + "
  • an approval number
  • ", + "
  • details of the vehicles it\u2019s approved for
  • ", + "

    If your car was first used before 1 August 1998, your tow bar doesn\u2019t need to be type-approved.

    ", + "

    Towing mirrors

    ", + "

    You must have an adequate view of the road behind you.

    ", + "

    Fit suitable towing mirrors if your trailer or caravan is wider than the rear of your car.

    ", + "

    You can be fined up to \u00a31,000 and get 3 penalty points for towing without proper towing mirrors.

    ", + "

    Trailer or caravan brakes

    ", + "

    Your trailer must have a working brake system if it weighs over 750kg when it\u2019s loaded.

    ", + "

    Some smaller trailers also have brakes, but these are optional.

    ", + "

    Any brakes must be in good working order.

    ", + "

    You must use a breakaway cable or secondary coupling in case the trailer becomes detached from your car.

    ", + "

    Number plates

    ", + "

    You must display the same number plate on your trailer as on your towing car.

    ", + "

    If you tow more than one trailer at a time, fix the number plate to the trailer at the back.

    ", + "

    Towing an American caravan or trailer

    ", + "

    American trailers and caravans don\u2019t always meet European safety regulations.

    ", + "

    If you want to use an American caravan or trailer in the UK or the EU, you must first check that it\u2019s legal.

    ", + "

    Read more about brakes and couplings for American caravans and trailers.

    " + ] + }, + "https://www.gov.uk/car-trailer-driving-test": { + "url": "https://www.gov.uk/car-trailer-driving-test", + "title": "Car and trailer driving test", + "content": "## Booking your test\n\nYou can book your car and trailer driving test when you\u2019ve got a full car driving licence. You do not need to pass another theory test.\n\nThe test is sometimes called the \u2018B+E test\u2019. Check the rules to see if you need to take it.\n\nTo pass the driving test you must be able to:\n\n- drive safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you drive\n\nThe national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your test.\n\n## Change or check your test details\n\nYou can change the date of your test after you\u2019ve booked.\n\nYou can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.\n\n## Rebook your test\n\nRebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.\n\n## What to take to your test\n\nYou must take:\n\n- your UK driving licence\n\n- a car and trailer that meet the rules\n\n- a face covering, unless you have a good reason not to wear one\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your driving test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Wearing a face covering\n\nYou must bring and wear a face covering during your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nIf you cannot wear a face covering during your test, you or your driving school must tell DVSA when booking your appointment.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nBecause of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.\n\n## Your driving licence\n\nApply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence.\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## What happens during the car and trailer test\n\nThere are 6 parts to the driving test:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- reversing your vehicle\n\n- general driving ability\n\n- independent driving\n\n- uncoupling and recoupling the trailer\n\nYou\u2019ll drive for around 50 minutes.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example, AB51 ABC.\n\nYou\u2019ll fail your driving test if you fail the eyesight check. The test will end.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 5 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.\n\n## Reversing your vehicle\n\nYou\u2019ll have to show that you can manoeuvre your car and trailer into a restricted space and stop at a certain point.\n\nThe examiner will show you a diagram of where to reverse your vehicle.\n\n## Your general driving ability\n\nYou\u2019ll drive in various road and traffic conditions, including motorways where possible.\n\nThe examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.\n\n## Pulling over at the side of the road\n\nYou\u2019ll be asked to pull over and pull away during your test, including:\n\n- normal stops at the side of the road\n\n- pulling out from behind a parked vehicle\n\n- a hill start\n\n## Independent driving\n\nYou\u2019ll have to drive for about 10 minutes by following either:\n\n- traffic signs\n\n- a series of verbal directions\n\n- a combination of both\n\nThe examiner can show you a simple diagram to help you understand where you\u2019re going when following verbal directions.\n\nYou cannot use a sat nav.\n\n## If you cannot see traffic signs\n\nIf you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.\n\n## Forgetting the directions\n\nYou can ask the examiner to confirm the directions if you forget them. It does not matter if you do not remember every direction.\n\n## Going off the route\n\nYour test result will not be affected if you go off the route, unless you make a fault while doing it.\n\nThe examiner will help you get back on the route if you take a wrong turning.\n\n## Uncoupling and recoupling the trailer\n\nYou\u2019ll be asked to:\n\n- uncouple your car from the trailer\n\n- park the car alongside the trailer\n\n- realign the car with the trailer and recouple them\n\n## If you make mistakes during your test\n\nYou can carry on if you make a mistake during your driving test.\n\nIf you make a serious or dangerous mistake (sometimes called a \u2018major fault\u2019), your examiner will stop the test and direct you back to the driving test centre. This is to minimise the amount of time you need to spend in the car together.\n\n## Driving test faults and your result\n\nThere are 3 types of faults you can make:\n\n- a dangerous fault - this involves actual danger to you, the examiner, the public or property\n\n- a serious fault - something potentially dangerous\n\n- a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault\n\n## Pass mark\n\nYou\u2019ll pass your driving test if you make:\n\n- no more than 15 driving faults (sometimes called \u2018minors\u2019)\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your licence if you want to do this\n\nIf you choose not to get your licence sent to you automatically, you\u2019ve got 2 years to apply for it. After that you\u2019ll need to take the test again.\n\n## When you can start driving\n\nYou can start towing straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nThe examiner will tell you what faults you made.\n\nIf you want to resit the test, you\u2019ll need to pay again to book another test.\n\n## Appeal your driving test\n\nYou can appeal your driving test if you can prove that your driving examiner did not follow the law.\n\nRead the guidance on appealing your driving test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA).\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint, you may be able to appeal to a court instead.\n\n## Appeal your driving test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your driving test in England and Wales\n\n- 21 days of your driving test in Scotland\n\nCheck if you can appeal.\n\n## Rules for the car you use\n\nThe car that you use to tow the trailer must meet certain rules.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Rules about the car\n\nYour car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19, you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Things that must be fitted\n\nThe car must have:\n\n- extra mirrors mounted onto the wing mirrors on both the passenger and driver side (for the examiner to use)\n\n- L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front of the car and rear of the trailer\n\n- a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)\n\n## Manual and automatic cars\n\nYou can take the test in a:\n\n- manual car - these have 3 pedals\n\n- automatic or semi-automatic car - these have 2 pedals\n\nThe type of car and trailer you can drive after passing the test depends on:\n\n- what your licence is already for\n\n- what type of car you take the test in\n\n## What you can drive after passing the car and trailer test\n\n| Existing car licence | Car you use for the test | Cars you can drive when towing | Cars you can drive when not towing |\n\n| Manual | Manual | Manual and automatic | Manual and automatic |\n\n| Automatic | Automatic | Automatic | Automatic |\n\n| Automatic | Manual | Manual and automatic | Manual and automatic |\n\n| Manual | Automatic | Automatic | Manual and automatic |\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you bring proof to the test that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\n| Model | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sept 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Build dates between 9 Sept 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.\n\n## Rules for the trailer you use\n\nThe trailer you use and the load it carries must meet certain rules.\n\nYour test will be cancelled and you\u2019ll have to pay again if your trailer or load do not meet the rules.\n\nThe trailer you use must:\n\n- be a closed box body, such as a horsebox\n\n- be around the same width and height as the car - you must only be able to see to the rear by using external mirrors, and not through the rear window\n\n- have a maximum authorised mass (MAM) of at least 1,000kg - you need proof to show the examiner, for example, the manufacturer\u2019s plate\n\nThe MAM is the limit on how much the trailer can weigh when it\u2019s loaded.\n\n## Rules about the load\n\nThe trailer must carry a load of at least 600kg. The combined weight of the trailer and load must be at least 800kg.\n\nThe load must be secured safely to the trailer. Your test will be cancelled if it is not.\n\nThe load can be either:\n\n- bagged aggregates weighing at least 600kg, for example, sand, stone chippings or gravel (but not toxic materials)\n\n- a 600 litre or 1,000 litre intermediate bulk container, completely full of water\n\nIntermediate bulk containers are industrial containers for transporting liquids. They\u2019re made from semi-transparent plastic and are usually reinforced with a wire frame.\n\n## Bags of aggregate\n\nEach bag of aggregate must:\n\n- be sealed\n\n- weigh at least 10kg (all bags must weigh the same)\n\n- have the weight clearly marked on it\n\nYou can also use a single bag if it weighs 600kg or 1,000kg.\n\n## Water in containers\n\nWater must be in an intermediate bulk container. The examiner must be able to see that it is full.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your driving test you should say if you have a:\n\n- disability\n\n- health condition\n\n- learning difficulty\n\nYou\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.\n\nIf your health condition or disability means you cannot wear a face covering during your test, you or your driving school must tell DVSA when booking your appointment.\n\n## You have a disability\n\nAt the start of the test, the examiner will talk to you about:\n\n- your disability\n\n- any adaptations fitted to your car\n\nIf you\u2019re physically unable to uncouple and recouple the car and trailer, you can be asked questions to check your understanding instead.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour driving instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.\n\n## You\u2019re pregnant\n\nYou can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.\n\n## You have reading difficulties\n\nWhen you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent driving part of the test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.\n\nYou might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.\n\n## If your test is cancelled or there's bad weather\n\nYour driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is cancelled because of coronavirus (COVID-19)\n\nYou\u2019ll be emailed with a new date if your driving test is cancelled because of COVID-19.\n\n## Bad weather\n\nDriving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it is not suitable. Your driving school will need to change your test date for you if they booked it.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your vehicle\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your vehicle, for example, if your car breaks down during the test or the car or trailer do not meet the rules to be used\n\nYour driving school will need to rearrange your test for you if they booked it.\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it is not suitable. Your driving school will need to change your test date for you if they booked it.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.", + "original_contents": [ + "

    Booking your test

    ", + "

    You can book your car and trailer driving test when you\u2019ve got a full car driving licence. You do not need to pass another theory test.

    ", + "

    The test is sometimes called the \u2018B+E test\u2019. Check the rules to see if you need to take it.

    ", + "

    To pass the driving test you must be able to:

    ", + "
  • drive safely in different road and traffic conditions
  • ", + "
  • show that you know The Highway Code by the way you drive
  • ", + "

    The national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.

    ", + "

    There\u2019s no minimum number of lessons you must have done before you book and take your test.

    ", + "

    Change or check your test details

    ", + "

    You can change the date of your test after you\u2019ve booked.

    ", + "

    You can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.

    ", + "

    Rebook your test

    ", + "

    Rebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.

    ", + "

    What to take to your test

    ", + "

    You must take:

    ", + "
  • your UK driving licence
  • ", + "
  • a car and trailer that meet the rules
  • ", + "
  • a face covering, unless you have a good reason not to wear one
  • ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your driving test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Wearing a face covering

    ", + "

    You must bring and wear a face covering during your test, unless you have a good reason not to. Good reasons are things like:

    ", + "
  • having a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    If you cannot wear a face covering during your test, you or your driving school must tell DVSA when booking your appointment.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Because of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.

    ", + "

    Your driving licence

    ", + "

    Apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    ", + "

    If you do not have a photocard licence

    ", + "

    Bring a valid passport and your paper licence.

    ", + "

    If you have a licence from Northern Ireland

    ", + "

    Bring the Northern Ireland photocard and paper counterpart.

    ", + "

    What happens during the car and trailer test

    ", + "

    There are 6 parts to the driving test:

    ", + "
  • an eyesight check
  • ", + "
  • \u2018show me, tell me\u2019 vehicle safety questions
  • ", + "
  • reversing your vehicle
  • ", + "
  • general driving ability
  • ", + "
  • independent driving
  • ", + "
  • uncoupling and recoupling the trailer
  • ", + "

    You\u2019ll drive for around 50 minutes.

    ", + "

    Eyesight check

    ", + "

    You\u2019ll have to read a number plate from a distance of:

    ", + "
  • 20 metres for vehicles with a new-style number plate
  • ", + "
  • 20.5 metres for vehicles with an old-style number plate
  • ", + "

    New-style number plates start with 2 letters followed by 2 numbers, for example, AB51 ABC.

    ", + "

    You\u2019ll fail your driving test if you fail the eyesight check. The test will end.

    ", + "

    \u2018Show me, tell me\u2019 questions

    ", + "

    You\u2019ll be asked 5 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.

    ", + "

    Reversing your vehicle

    ", + "

    You\u2019ll have to show that you can manoeuvre your car and trailer into a restricted space and stop at a certain point.

    ", + "

    The examiner will show you a diagram of where to reverse your vehicle.

    ", + "

    Your general driving ability

    ", + "

    You\u2019ll drive in various road and traffic conditions, including motorways where possible.

    ", + "

    The examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.

    ", + "

    Pulling over at the side of the road

    ", + "

    You\u2019ll be asked to pull over and pull away during your test, including:

    ", + "
  • normal stops at the side of the road
  • ", + "
  • pulling out from behind a parked vehicle
  • ", + "
  • a hill start
  • ", + "

    Independent driving

    ", + "

    You\u2019ll have to drive for about 10 minutes by following either:

    ", + "
  • traffic signs
  • ", + "
  • a series of verbal directions
  • ", + "
  • a combination of both
  • ", + "

    The examiner can show you a simple diagram to help you understand where you\u2019re going when following verbal directions.

    ", + "

    You cannot use a sat nav.

    ", + "

    If you cannot see traffic signs

    ", + "

    If you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.

    ", + "

    Forgetting the directions

    ", + "

    You can ask the examiner to confirm the directions if you forget them. It does not matter if you do not remember every direction.

    ", + "

    Going off the route

    ", + "

    Your test result will not be affected if you go off the route, unless you make a fault while doing it.

    ", + "

    The examiner will help you get back on the route if you take a wrong turning.

    ", + "

    Uncoupling and recoupling the trailer

    ", + "

    You\u2019ll be asked to:

    ", + "
  • uncouple your car from the trailer
  • ", + "
  • park the car alongside the trailer
  • ", + "
  • realign the car with the trailer and recouple them
  • ", + "

    If you make mistakes during your test

    ", + "

    You can carry on if you make a mistake during your driving test.

    ", + "

    If you make a serious or dangerous mistake (sometimes called a \u2018major fault\u2019), your examiner will stop the test and direct you back to the driving test centre. This is to minimise the amount of time you need to spend in the car together.

    ", + "

    Driving test faults and your result

    ", + "

    There are 3 types of faults you can make:

    ", + "
  • a dangerous fault - this involves actual danger to you, the examiner, the public or property
  • ", + "
  • a serious fault - something potentially dangerous
  • ", + "
  • a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault
  • ", + "

    Pass mark

    ", + "

    You\u2019ll pass your driving test if you make:

    ", + "
  • no more than 15 driving faults (sometimes called \u2018minors\u2019)
  • ", + "
  • no serious or dangerous faults (sometimes called \u2018majors\u2019)
  • ", + "

    If you pass your test

    ", + "

    The examiner will:

    ", + "
  • tell you what faults you made, if any
  • ", + "
  • give you a pass certificate
  • ", + "
  • ask you if you want your full licence to be sent to you automatically - give the examiner your licence if you want to do this
  • ", + "

    If you choose not to get your licence sent to you automatically, you\u2019ve got 2 years to apply for it. After that you\u2019ll need to take the test again.

    ", + "

    When you can start driving

    ", + "

    You can start towing straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.

    ", + "

    Contact DVLA if your full licence has not arrived 3 weeks after you applied for it.

    ", + "

    If you do not pass

    ", + "

    The examiner will tell you what faults you made.

    ", + "

    If you want to resit the test, you\u2019ll need to pay again to book another test.

    ", + "

    Appeal your driving test

    ", + "

    You can appeal your driving test if you can prove that your driving examiner did not follow the law.

    ", + "

    Read the guidance on appealing your driving test to check if your examiner followed the law.

    ", + "

    If you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA).

    ", + "

    If DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.

    ", + "

    If DVSA does not agree with your complaint, you may be able to appeal to a court instead.

    ", + "

    Appeal your driving test to a court

    ", + "

    You can appeal if you can prove that your examiner did not follow the law when they carried out your test.

    ", + "

    Your test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.

    ", + "

    You might have to pay significant legal costs if your appeal is unsuccessful.

    ", + "

    You\u2019ll need to appeal within:

    ", + "
  • 6 months of your driving test in England and Wales
  • ", + "
  • 21 days of your driving test in Scotland
  • ", + "

    Check if you can appeal.

    ", + "

    Rules for the car you use

    ", + "

    The car that you use to tow the trailer must meet certain rules.

    ", + "

    Your test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.

    ", + "

    Rules about the car

    ", + "

    Your car must:

    ", + "
  • be taxed
  • ", + "
  • be insured for a driving test (check with your insurance company)
  • ", + "
  • be roadworthy and have a current MOT (if it\u2019s over 3 years old)
  • ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "
  • be able to reach at least 62mph and have an mph speedometer
  • ", + "
  • have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500kg
  • ", + "

    The MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.

    ", + "

    Coronavirus (COVID-19) safety

    ", + "

    Because of COVID-19, you must clean the inside of your car before your test.

    ", + "

    This means:

    ", + "
  • tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    ", + "

    Things that must be fitted

    ", + "

    The car must have:

    ", + "
  • extra mirrors mounted onto the wing mirrors on both the passenger and driver side (for the examiner to use)
  • ", + "
  • L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front of the car and rear of the trailer
  • ", + "
  • a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)
  • ", + "

    Manual and automatic cars

    ", + "

    You can take the test in a:

    ", + "
  • manual car - these have 3 pedals
  • ", + "
  • automatic or semi-automatic car - these have 2 pedals
  • ", + "

    The type of car and trailer you can drive after passing the test depends on:

    ", + "
  • what your licence is already for
  • ", + "
  • what type of car you take the test in
  • ", + "

    What you can drive after passing the car and trailer test

    ", + "Existing car licence | Car you use for the test | Cars you can drive when towing | Cars you can drive when not towing", + "Manual | Manual | Manual and automatic | Manual and automatic", + "Automatic | Automatic | Automatic | Automatic", + "Automatic | Manual | Manual and automatic | Manual and automatic", + "Manual | Automatic | Automatic | Manual and automatic", + "

    Hire cars

    ", + "

    You can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.

    ", + "

    Vehicle features

    ", + "

    You can use a car with:

    ", + "
  • an electronic parking brake
  • ", + "
  • hill-start assist
  • ", + "

    Cars with known safety faults

    ", + "

    You cannot use one of the cars shown in the table unless you bring proof to the test that it\u2019s safe. This is because these cars have been recalled for a safety reason.

    ", + "Model | Reason for recall | Vehicles affected | Recall issue date", + "Citroen C1 | Steering failure | Vehicles built between 9 Sept 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016", + "Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016", + "Toyota Aygo | Steering failure | Build dates between 9 Sept 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016", + "Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014", + "Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014", + "Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014", + "

    Proof you need to bring to your test

    ", + "

    You must bring proof that says one of the following:

    ", + "
  • the car was recalled and the recall work has been done
  • ", + "
  • the car was recalled but did not need any work to be done
  • ", + "
  • the car was not part of the recall
  • ", + "

    The proof must be either:

    ", + "
  • the recall letter or safety notice, stamped by the manufacturer or dealer
  • ", + "
  • on official or headed notepaper from the manufacturer or a dealer
  • ", + "

    Your test will be cancelled and you could lose your fee if you do not bring the right proof.

    ", + "

    Rules for the trailer you use

    ", + "

    The trailer you use and the load it carries must meet certain rules.

    ", + "

    Your test will be cancelled and you\u2019ll have to pay again if your trailer or load do not meet the rules.

    ", + "

    The trailer you use must:

    ", + "
  • be a closed box body, such as a horsebox
  • ", + "
  • be around the same width and height as the car - you must only be able to see to the rear by using external mirrors, and not through the rear window
  • ", + "
  • have a maximum authorised mass (MAM) of at least 1,000kg - you need proof to show the examiner, for example, the manufacturer\u2019s plate
  • ", + "

    The MAM is the limit on how much the trailer can weigh when it\u2019s loaded.

    ", + "

    Rules about the load

    ", + "

    The trailer must carry a load of at least 600kg. The combined weight of the trailer and load must be at least 800kg.

    ", + "

    The load must be secured safely to the trailer. Your test will be cancelled if it is not.

    ", + "

    The load can be either:

    ", + "
  • bagged aggregates weighing at least 600kg, for example, sand, stone chippings or gravel (but not toxic materials)
  • ", + "
  • a 600 litre or 1,000 litre intermediate bulk container, completely full of water
  • ", + "

    Intermediate bulk containers are industrial containers for transporting liquids. They\u2019re made from semi-transparent plastic and are usually reinforced with a wire frame.

    ", + "

    Bags of aggregate

    ", + "

    Each bag of aggregate must:

    ", + "
  • be sealed
  • ", + "
  • weigh at least 10kg (all bags must weigh the same)
  • ", + "
  • have the weight clearly marked on it
  • ", + "

    You can also use a single bag if it weighs 600kg or 1,000kg.

    ", + "

    Water in containers

    ", + "

    Water must be in an intermediate bulk container. The examiner must be able to see that it is full.

    ", + "

    If you have a disability, health condition or learning difficulty

    ", + "

    When you book your driving test you should say if you have a:

    ", + "
  • disability
  • ", + "
  • health condition
  • ", + "
  • learning difficulty
  • ", + "

    You\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.

    ", + "

    If your health condition or disability means you cannot wear a face covering during your test, you or your driving school must tell DVSA when booking your appointment.

    ", + "

    You have a disability

    ", + "

    At the start of the test, the examiner will talk to you about:

    ", + "
  • your disability
  • ", + "
  • any adaptations fitted to your car
  • ", + "

    If you\u2019re physically unable to uncouple and recouple the car and trailer, you can be asked questions to check your understanding instead.

    ", + "

    You\u2019re deaf or have a hearing impairment

    ", + "

    The examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.

    ", + "

    The examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.

    ", + "

    Using a sign language interpreter

    ", + "

    You can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.

    ", + "

    Your driving instructor can be your interpreter.

    ", + "

    You need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.

    ", + "

    You\u2019re pregnant

    ", + "

    You can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.

    ", + "

    You have reading difficulties

    ", + "

    When you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.

    ", + "

    You have learning difficulties

    ", + "

    The examiner will make adjustments for the independent driving part of the test if you have learning difficulties.

    ", + "

    They might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.

    ", + "

    You might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.

    ", + "

    If your test is cancelled or there's bad weather

    ", + "

    Your driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.

    ", + "

    If your test is cancelled because of coronavirus (COVID-19)

    ", + "

    You\u2019ll be emailed with a new date if your driving test is cancelled because of COVID-19.

    ", + "

    Bad weather

    ", + "

    Driving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.

    ", + "

    Call your test centre if there are any of these conditions on the day of your test.

    ", + "

    The phone number for the test centre is on your booking confirmation email.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it is not suitable. Your driving school will need to change your test date for you if they booked it.

    ", + "

    You cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.

    ", + "

    Problems with you or your vehicle

    ", + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example, if you feel unwell while taking your test
  • ", + "
  • your vehicle, for example, if your car breaks down during the test or the car or trailer do not meet the rules to be used
  • ", + "

    Your driving school will need to rearrange your test for you if they booked it.

    ", + "

    If your test is cancelled for another reason

    ", + "

    Sometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it is not suitable. Your driving school will need to change your test date for you if they booked it.

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    " + ] + }, + "https://www.gov.uk/penalty-points-endorsements": { + "url": "https://www.gov.uk/penalty-points-endorsements", + "title": "Penalty points (endorsements)", + "content": "## Overview\n\nThe courts can fine you and \u2018endorse\u2019 your driving record with penalty points if you\u2019re convicted of a motoring offence.\n\nEndorsements must stay on your driving record for 4 or 11 years, depending on the offence.\n\nThe endorsement and penalty points are put on your driver record. View your driving licence record to see what penalty points you have and when they\u2019ll be removed.\n\nYou can be disqualified from driving if you build up 12 or more penalty points within a period of 3 years. There are different rules for new drivers.\n\nEndorsement codes and processes in Northern Ireland are different.\n\n## Endorsement codes and penalty points\n\nEach endorsement has a special code and is given \u2018penalty points\u2019 on a scale from 1 to 11. You get more points for more serious offences.\n\nThe table shows the offence codes that can be put on your driving record. It also shows how many penalty points you can get for them. Some offences may also involve a disqualification.\n\nOffence codes and penalty points must stay on your driving record for 4 or 11 years depending on the offence.\n\n## Accident offences\n\nThese codes must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| AC10 | Failing to stop after an accident | 5 to 10 |\n\n| AC20 | Failing to give particulars or report an accident within 24 hours | 5 to 10 |\n\n| AC30 | Undefined accident offences | 4 to 9 |\n\n## Disqualified driver\n\nCodes BA10 and BA30 must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| BA10 | Driving while disqualified by order of court | 6 |\n\n| BA30 | Attempting to drive while disqualified by order of court | 6 |\n\nCodes BA40 and BA60 must stay on a driving record for 4 years from the date of the conviction.\n\n| Code | Offence | Penalty points |\n\n| BA40 | Causing death by driving while disqualified | 3 to 11 |\n\n| BA60 | Causing serious injury by driving while disqualified | 3 to 11 |\n\n## Careless driving\n\nCodes CD10 to CD30 must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| CD10 | Driving without due care and attention | 3 to 9 |\n\n| CD20 | Driving without reasonable consideration for other road users | 3 to 9 |\n\n| CD30 | Driving without due care and attention or without reasonable consideration for other road users | 3 to 9 |\n\nCodes CD40 to CD70 must stay on a driving record for 11 years from the date of the conviction.\n\n| Code | Offence | Penalty points |\n\n| CD40 | Causing death through careless driving when unfit through drink | 3 to 11 |\n\n| CD50 | Causing death by careless driving when unfit through drugs | 3 to 11 |\n\n| CD60 | Causing death by careless driving with alcohol level above the limit | 3 to 11 |\n\n| CD70 | Causing death by careless driving then failing to supply a specimen for alcohol analysis | 3 to 11 |\n\nCodes CD80 and CD90 must stay on a driving record for 4 years from the date of the conviction.\n\n| Code | Offence | Penalty points |\n\n| CD80 | Causing death by careless, or inconsiderate, driving | 3 to 11 |\n\n| CD90 | Causing death by driving: unlicensed, disqualified or uninsured drivers | 3 to 11 |\n\n## Construction and use offences\n\nThese codes must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| CU10 | Using a vehicle with defective brakes | 3 |\n\n| CU20 | Causing or likely to cause danger by reason of use of unsuitable vehicle or using a vehicle with parts or accessories (excluding brakes, steering or tyres) in a dangerous condition | 3 |\n\n| CU30 | Using a vehicle with defective tyre(s) | 3 |\n\n| CU40 | Using a vehicle with defective steering | 3 |\n\n| CU50 | Causing or likely to cause danger by reason of load or passengers | 3 |\n\n| CU80 | Breach of requirements as to control of the vehicle, such as using a mobile phone | 3 to 6 |\n\n## Reckless/dangerous driving\n\nThese codes must stay on a driving record for 4 years from the date of the conviction.\n\n| Code | Offence | Penalty points |\n\n| DD10 | Causing serious injury by dangerous driving | 3 to 11 |\n\n| DD40 | Dangerous driving | 3 to 11 |\n\n| DD60 | Manslaughter or culpable homicide while driving a vehicle | 3 to 11 |\n\n| DD80 | Causing death by dangerous driving | 3 to 11 |\n\n| DD90 | Furious driving | 3 to 9 |\n\n## Drink\n\nCodes DR10 to DR61 must stay on a driving record for 11 years from the date of the conviction.\n\n| Code | Offence | Penalty points |\n\n| DR10 | Driving or attempting to drive with alcohol level above limit | 3 to 11 |\n\n| DR20 | Driving or attempting to drive while unfit through drink | 3 to 11 |\n\n| DR30 | Driving or attempting to drive then failing to supply a specimen for analysis | 3 to 11 |\n\n| DR31 | Driving or attempting to drive then refusing to give permission for analysis of a blood sample that was taken without consent due to incapacity | 3 to 11 |\n\n| DR61 | Refusing to give permission for analysis of a blood sample that was taken without consent due to incapacity in circumstances other than driving or attempting to drive | 10 |\n\nCodes DR40 to DR70 must stay on a driving record for 4 years from the date of the offence or 4 years from date of conviction where a disqualification is imposed.\n\n| Code | Offence | Penalty points |\n\n| DR40 | In charge of a vehicle while alcohol level above limit | 10 |\n\n| DR50 | In charge of a vehicle while unfit through drink | 10 |\n\n| DR60 | Failure to provide a specimen for analysis in circumstances other than driving or attempting to drive | 10 |\n\n| DR70 | Failing to co-operate with a preliminary test | 4 |\n\n## Drugs\n\nThese codes must stay on a driving record for 11 years from the date of the conviction.\n\n| Code | Offence | Penalty points |\n\n| DG10 | Driving or attempting to drive with drug level above the specified limit | 3 to 11 |\n\n| DG60 | Causing death by careless driving with drug level above the limit | 3 to 11 |\n\n| DR80 | Driving or attempting to drive when unfit through drugs | 3 to 11 |\n\nThese codes must stay on a driving record for 4 years from the date of the offence or 4 years from date of conviction where a disqualification is imposed.\n\n| Code | Offence | Penalty points |\n\n| DG40 | In charge of a vehicle while drug level above specified limit | 10 |\n\n| DR70 | Failing to co-operate with a preliminary test | 4 |\n\n| DR90 | In charge of a vehicle when unfit through drugs | 10 |\n\n## Insurance offences\n\nCode IN10 must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| IN10 | Using a vehicle uninsured against third party risks | 6 to 8 |\n\n## Licence offences\n\nThese codes must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| LC20 | Driving otherwise than in accordance with a licence | 3 to 6 |\n\n| LC30 | Driving after making a false declaration about fitness when applying for a licence | 3 to 6 |\n\n| LC40 | Driving a vehicle having failed to notify a disability | 3 to 6 |\n\n| LC50 | Driving after a licence has been cancelled (revoked) or refused on medical grounds | 3 to 6 |\n\n## Miscellaneous offences\n\nThese codes must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| MS10 | Leaving a vehicle in a dangerous position | 3 |\n\n| MS20 | Unlawful pillion riding | 3 |\n\n| MS30 | Play street offences | 2 |\n\n| MS50 | Motor racing on the highway | 3 to 11 |\n\n| MS60 | Offences not covered by other codes (including offences relating to breach of requirements as to control of vehicle) | 3 |\n\n| MS70 | Driving with uncorrected defective eyesight | 3 |\n\n| MS80 | Refusing to submit to an eyesight test | 3 |\n\n| MS90 | Failure to give information as to identity of driver etc | 6 |\n\n## Motorway offences\n\nCode MW10 must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| MW10 | Contravention of special roads regulations (excluding speed limits) | 3 |\n\n## Pedestrian crossings\n\nThese codes must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| PC10 | Undefined contravention of pedestrian crossing regulations | 3 |\n\n| PC20 | Contravention of pedestrian crossing regulations with moving vehicle | 3 |\n\n| PC30 | Contravention of pedestrian crossing regulations with stationary vehicle | 3 |\n\n## Speed limits\n\nThese codes must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| SP10 | Exceeding goods vehicle speed limits | 3 to 6 |\n\n| SP20 | Exceeding speed limit for type of vehicle (excluding goods or passenger vehicles) | 3 to 6 |\n\n| SP30 | Exceeding statutory speed limit on a public road | 3 to 6 |\n\n| SP40 | Exceeding passenger vehicle speed limit | 3 to 6 |\n\n| SP50 | Exceeding speed limit on a motorway | 3 to 6 |\n\n## Traffic direction and signs\n\nThese codes must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| TS10 | Failing to comply with traffic light signals | 3 |\n\n| TS20 | Failing to comply with double white lines | 3 |\n\n| TS30 | Failing to comply with \u2018stop\u2019 sign | 3 |\n\n| TS40 | Failing to comply with direction of a constable/warden | 3 |\n\n| TS50 | Failing to comply with traffic sign (excluding \u2018stop\u2019 signs, traffic lights or double white lines) | 3 |\n\n| TS60 | Failing to comply with a school crossing patrol sign | 3 |\n\n| TS70 | Undefined failure to comply with a traffic direction sign | 3 |\n\n## Special code\n\nCode TT99 must stay on a driving record for 4 years from the date of conviction.\n\nIt shows disqualification under \u2018totting-up\u2019 - if the total of penalty points reaches 12 or more within 3 years, the driver can be disqualified.\n\n## Theft or unauthorised taking\n\nCode UT50 must stay on a driving record for 4 years from the date of the offence.\n\n| Code | Offence | Penalty points |\n\n| UT50 | Aggravated taking of a vehicle | 3 to 11 |\n\n## \u2018Mutual recognition\u2019 codes\n\nYou\u2019ll get an \u2018MR\u2019 code on your driving record if you\u2019re disqualified while driving in Northern Ireland or the Isle of Man. Your disqualification period will also be valid in GB and will stay on your record for 4 years from the date of conviction.\n\n| Code | Offence |\n\n| MR09 | Reckless or dangerous driving (whether or not resulting in death, injury or serious risk) |\n\n| MR19 | Wilful failure to carry out the obligation placed on driver after being involved in a road accident (hit or run) |\n\n| MR29 | Driving a vehicle while under the influence of alcohol or other substance affecting or diminishing the mental and physical abilities of a driver |\n\n| MR39 | Driving a vehicle faster than the permitted speed |\n\n| MR49 | Driving a vehicle whilst disqualified |\n\n| MR59 | Other conduct constituting an offence for which a driving disqualification has been imposed by the State of Offence |\n\n## Aiding, abetting, counselling or procuring offences\n\nFor these offences, the codes are similar, but with the number 0 on the code changed to 2.\n\nFor example, code LC20 (driving otherwise than in accordance with a licence) becomes code LC22 on your driving record if you have helped someone to do this.\n\n## Causing or permitting offences\n\nFor these offences, the codes are similar, but with the number 0 on the code changed to 4.\n\nFor example, LC20 (driving otherwise than in accordance with a licence) becomes LC24 on your licence if you\u2019ve caused or permitted someone to do this.\n\n## Inciting offences\n\nFor these offences, the codes are similar, but with the number 0 on the code changed to 6.\n\nFor example, DD40 (dangerous driving) becomes DD46 on your driving record if you\u2019ve incited someone to do this.\n\n## How long endorsements stay on your driving record\n\nEndorsements stay on your driving record for 4 or 11 years depending on the offence. This can start from either the date you\u2019re convicted or the date of your offence.\n\nThe endorsement is \u2018valid\u2019 for the first:\n\n- 3 years, for a 4-year endorsement\n\n- 10 years, for an 11-year endorsement\n\nA court can take your endorsement into account if both:\n\n- you commit another offence while it\u2019s valid\n\n- the endorsement is still on your driving record when the court considers your case\n\nOther people, like insurers and employers, may be able to find out that you have the endorsement:\n\n- any time during a 4-year endorsement\n\n- during the first 5 years of an 11-year endorsement, or the first 30 months if you\u2019re under 18\n\n## 4 years from date of conviction\n\nAn endorsement will stay on a driving record for 4 years from the date of conviction if the offence:\n\n- is for reckless/dangerous driving - shown on the driving record as DD40, DD60 and DD80\n\n- results in disqualification\n\n## 4 years from the date of offence\n\nIn all other cases endorsements stay on your driving record for 4 years from the date of offence.\n\n## 11 years from date of conviction\n\nIf the offence is:\n\n- drink driving or drug driving - shown on the driving record as DR10, DR20, DR30, DR31, DR61 and DR80\n\n- causing death by careless driving while under the influence of drink or drugs \u2013 shown on the driving record as CD40, CD50 and CD60\n\n- causing death by careless driving, then failing to provide a specimen for analysis \u2013 shown on the driving record as CD70\n\n## New drivers\n\nYour licence will be cancelled (revoked) if you get 6 or more points within 2 years of passing your test.\n\n## Points on your provisional licence\n\nAny penalty points on your provisional licence that have not expired will be carried over to your full licence when you pass your test. However, your licence will be cancelled if you get any further penalty points that take you up to a total of 6 or more within 2 years of passing your driving test.\n\n## If your licence is cancelled within 2 years\n\nYou\u2019ll have to apply and pay for a new provisional licence and pass both theory and practical parts of the driving or riding test again to get a full licence.\n\n## If you have not sent off for your full licence\n\nYou must retake both parts of your driving test if your licence has been cancelled after you\u2019ve passed your test, but you have not sent off for your full licence yet. You can use your current provisional licence to take the tests.\n\n## Who\u2019s covered by the rules\n\nThese rules apply to all new drivers who passed their first driving test in:\n\n- Great Britain\n\n- Northern Ireland\n\n- Isle of Man\n\n- Channel Islands\n\n- Gibraltar\n\n- the European Community (EC) and European Economic Area (EEA)\n\nThe EC/EEA countries are:\n\nAustria, Belgium, Bulgaria, Croatia, Republic of Cyprus, Czech Republic, Denmark, Estonia, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Liechtenstein, Lithuania, Luxembourg, Malta, Netherlands, Norway, Poland, Portugal, Romania, Slovenia, Slovakia, Spain and Sweden.\n\nThere is not another 2 year period if you pass a test for another category of vehicle, for example to drive a heavy goods vehicle.\n\n## Foreign licences\n\nThe rules also apply if you exchange a foreign driving licence for a British licence and then pass a further driving test in Great Britain.\n\n## Handing over your driving licence for endorsement\n\nIf you get an endorsement you\u2019ll need to hand over your licence to either the police, a fixed penalty office (FPO) or when you appear in court.\n\nYour fixed penalty notice will tell you how to find your local FPO.\n\nYou\u2019ll need to get a replacement if you\u2019ve lost your licence.\n\nIf your driving licence is not returned to you, contact the FPO or court you sent it to, unless your licence has been sent to DVLA.\n\n## When your licence is sent to DVLA\n\nThe FPO or court will send your driving licence to DVLA if:\n\n- the licence has been cancelled (\u2018revoked\u2019) by a court\n\n- you\u2019re a new driver and you\u2019ve been given more than 6 penalty points\n\n- the licence you gave the court is invalid\n\n- you\u2019ve let DVLA know that you\u2019ve changed your address\n\nIf your licence is sent to DVLA because you\u2019ve changed your address, it\u2019ll be returned to you within 3 weeks.\n\n## Removing expired endorsements from your driving record\n\nMost expired endorsements will automatically be removed from your driving record when they\u2019re no longer valid.\n\nThe length of time they stay on your record depends on how serious the offence was.\n\n## How to check your endorsement details\n\nView your driving licence record to see what penalty points you have and when they\u2019ll be removed.\n\nYou can also contact DVLA.\n\n## Incorrect endorsement details on your licence\n\nContact the court that convicted if your endorsement details are shown incorrectly on your driving licence.", + "original_contents": [ + "

    Overview

    ", + "

    The courts can fine you and \u2018endorse\u2019 your driving record with penalty points if you\u2019re convicted of a motoring offence.

    ", + "

    Endorsements must stay on your driving record for 4 or 11 years, depending on the offence.

    ", + "

    The endorsement and penalty points are put on your driver record. View your driving licence record to see what penalty points you have and when they\u2019ll be removed.

    ", + "

    You can be disqualified from driving if you build up 12 or more penalty points within a period of 3 years. There are different rules for new drivers.

    ", + "

    Endorsement codes and processes in Northern Ireland are different.

    ", + "

    Endorsement codes and penalty points

    ", + "

    Each endorsement has a special code and is given \u2018penalty points\u2019 on a scale from 1 to 11. You get more points for more serious offences.

    ", + "

    The table shows the offence codes that can be put on your driving record. It also shows how many penalty points you can get for them. Some offences may also involve a disqualification.

    ", + "

    Offence codes and penalty points must stay on your driving record for 4 or 11 years depending on the offence.

    ", + "

    Accident offences

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "AC10 | Failing to stop after an accident | 5 to 10", + "AC20 | Failing to give particulars or report an accident within 24 hours | 5 to 10", + "AC30 | Undefined accident offences | 4 to 9", + "

    Disqualified driver

    ", + "

    Codes BA10 and BA30 must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "BA10 | Driving while disqualified by order of court | 6", + "BA30 | Attempting to drive while disqualified by order of court | 6", + "

    Codes BA40 and BA60 must stay on a driving record for 4 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "BA40 | Causing death by driving while disqualified | 3 to 11", + "BA60 | Causing serious injury by driving while disqualified | 3 to 11", + "

    Careless driving

    ", + "

    Codes CD10 to CD30 must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "CD10 | Driving without due care and attention | 3 to 9", + "CD20 | Driving without reasonable consideration for other road users | 3 to 9", + "CD30 | Driving without due care and attention or without reasonable consideration for other road users | 3 to 9", + "

    Codes CD40 to CD70 must stay on a driving record for 11 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "CD40 | Causing death through careless driving when unfit through drink | 3 to 11", + "CD50 | Causing death by careless driving when unfit through drugs | 3 to 11", + "CD60 | Causing death by careless driving with alcohol level above the limit | 3 to 11", + "CD70 | Causing death by careless driving then failing to supply a specimen for alcohol analysis | 3 to 11", + "

    Codes CD80 and CD90 must stay on a driving record for 4 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "CD80 | Causing death by careless, or inconsiderate, driving | 3 to 11", + "CD90 | Causing death by driving: unlicensed, disqualified or uninsured drivers | 3 to 11", + "

    Construction and use offences

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "CU10 | Using a vehicle with defective brakes | 3", + "CU20 | Causing or likely to cause danger by reason of use of unsuitable vehicle or using a vehicle with parts or accessories (excluding brakes, steering or tyres) in a dangerous condition | 3", + "CU30 | Using a vehicle with defective tyre(s) | 3", + "CU40 | Using a vehicle with defective steering | 3", + "CU50 | Causing or likely to cause danger by reason of load or passengers | 3", + "CU80 | Breach of requirements as to control of the vehicle, such as using a mobile phone | 3 to 6", + "

    Reckless/dangerous driving

    ", + "

    These codes must stay on a driving record for 4 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "DD10 | Causing serious injury by dangerous driving | 3 to 11", + "DD40 | Dangerous driving | 3 to 11", + "DD60 | Manslaughter or culpable homicide while driving a vehicle | 3 to 11", + "DD80 | Causing death by dangerous driving | 3 to 11", + "DD90 | Furious driving | 3 to 9", + "

    Drink

    ", + "

    Codes DR10 to DR61 must stay on a driving record for 11 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "DR10 | Driving or attempting to drive with alcohol level above limit | 3 to 11", + "DR20 | Driving or attempting to drive while unfit through drink | 3 to 11", + "DR30 | Driving or attempting to drive then failing to supply a specimen for analysis | 3 to 11", + "DR31 | Driving or attempting to drive then refusing to give permission for analysis of a blood sample that was taken without consent due to incapacity | 3 to 11", + "DR61 | Refusing to give permission for analysis of a blood sample that was taken without consent due to incapacity in circumstances other than driving or attempting to drive | 10", + "

    Codes DR40 to DR70 must stay on a driving record for 4 years from the date of the offence or 4 years from date of conviction where a disqualification is imposed.

    ", + "Code | Offence | Penalty points", + "DR40 | In charge of a vehicle while alcohol level above limit | 10", + "DR50 | In charge of a vehicle while unfit through drink | 10", + "DR60 | Failure to provide a specimen for analysis in circumstances other than driving or attempting to drive | 10", + "DR70 | Failing to co-operate with a preliminary test | 4", + "

    Drugs

    ", + "

    These codes must stay on a driving record for 11 years from the date of the conviction.

    ", + "Code | Offence | Penalty points", + "DG10 | Driving or attempting to drive with drug level above the specified limit | 3 to 11", + "DG60 | Causing death by careless driving with drug level above the limit | 3 to 11", + "DR80 | Driving or attempting to drive when unfit through drugs | 3 to 11", + "

    These codes must stay on a driving record for 4 years from the date of the offence or 4 years from date of conviction where a disqualification is imposed.

    ", + "Code | Offence | Penalty points", + "DG40 | In charge of a vehicle while drug level above specified limit | 10", + "DR70 | Failing to co-operate with a preliminary test | 4", + "DR90 | In charge of a vehicle when unfit through drugs | 10", + "

    Insurance offences

    ", + "

    Code IN10 must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "IN10 | Using a vehicle uninsured against third party risks | 6 to 8", + "

    Licence offences

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "LC20 | Driving otherwise than in accordance with a licence | 3 to 6", + "LC30 | Driving after making a false declaration about fitness when applying for a licence | 3 to 6", + "LC40 | Driving a vehicle having failed to notify a disability | 3 to 6", + "LC50 | Driving after a licence has been cancelled (revoked) or refused on medical grounds | 3 to 6", + "

    Miscellaneous offences

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "MS10 | Leaving a vehicle in a dangerous position | 3", + "MS20 | Unlawful pillion riding | 3", + "MS30 | Play street offences | 2", + "MS50 | Motor racing on the highway | 3 to 11", + "MS60 | Offences not covered by other codes (including offences relating to breach of requirements as to control of vehicle) | 3", + "MS70 | Driving with uncorrected defective eyesight | 3", + "MS80 | Refusing to submit to an eyesight test | 3", + "MS90 | Failure to give information as to identity of driver etc | 6", + "

    Motorway offences

    ", + "

    Code MW10 must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "MW10 | Contravention of special roads regulations (excluding speed limits) | 3", + "

    Pedestrian crossings

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "PC10 | Undefined contravention of pedestrian crossing regulations | 3", + "PC20 | Contravention of pedestrian crossing regulations with moving vehicle | 3", + "PC30 | Contravention of pedestrian crossing regulations with stationary vehicle | 3", + "

    Speed limits

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "SP10 | Exceeding goods vehicle speed limits | 3 to 6", + "SP20 | Exceeding speed limit for type of vehicle (excluding goods or passenger vehicles) | 3 to 6", + "SP30 | Exceeding statutory speed limit on a public road | 3 to 6", + "SP40 | Exceeding passenger vehicle speed limit | 3 to 6", + "SP50 | Exceeding speed limit on a motorway | 3 to 6", + "

    Traffic direction and signs

    ", + "

    These codes must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "TS10 | Failing to comply with traffic light signals | 3", + "TS20 | Failing to comply with double white lines | 3", + "TS30 | Failing to comply with \u2018stop\u2019 sign | 3", + "TS40 | Failing to comply with direction of a constable/warden | 3", + "TS50 | Failing to comply with traffic sign (excluding \u2018stop\u2019 signs, traffic lights or double white lines) | 3", + "TS60 | Failing to comply with a school crossing patrol sign | 3", + "TS70 | Undefined failure to comply with a traffic direction sign | 3", + "

    Special code

    ", + "

    Code TT99 must stay on a driving record for 4 years from the date of conviction.

    ", + "

    It shows disqualification under \u2018totting-up\u2019 - if the total of penalty points reaches 12 or more within 3 years, the driver can be disqualified.

    ", + "

    Theft or unauthorised taking

    ", + "

    Code UT50 must stay on a driving record for 4 years from the date of the offence.

    ", + "Code | Offence | Penalty points", + "UT50 | Aggravated taking of a vehicle | 3 to 11", + "

    \u2018Mutual recognition\u2019 codes

    ", + "

    You\u2019ll get an \u2018MR\u2019 code on your driving record if you\u2019re disqualified while driving in Northern Ireland or the Isle of Man. Your disqualification period will also be valid in GB and will stay on your record for 4 years from the date of conviction.

    ", + "Code | Offence", + "MR09 | Reckless or dangerous driving (whether or not resulting in death, injury or serious risk)", + "MR19 | Wilful failure to carry out the obligation placed on driver after being involved in a road accident (hit or run)", + "MR29 | Driving a vehicle while under the influence of alcohol or other substance affecting or diminishing the mental and physical abilities of a driver", + "MR39 | Driving a vehicle faster than the permitted speed", + "MR49 | Driving a vehicle whilst disqualified", + "MR59 | Other conduct constituting an offence for which a driving disqualification has been imposed by the State of Offence", + "

    Aiding, abetting, counselling or procuring offences

    ", + "

    For these offences, the codes are similar, but with the number 0 on the code changed to 2.

    ", + "

    For example, code LC20 (driving otherwise than in accordance with a licence) becomes code LC22 on your driving record if you have helped someone to do this.

    ", + "

    Causing or permitting offences

    ", + "

    For these offences, the codes are similar, but with the number 0 on the code changed to 4.

    ", + "

    For example, LC20 (driving otherwise than in accordance with a licence) becomes LC24 on your licence if you\u2019ve caused or permitted someone to do this.

    ", + "

    Inciting offences

    ", + "

    For these offences, the codes are similar, but with the number 0 on the code changed to 6.

    ", + "

    For example, DD40 (dangerous driving) becomes DD46 on your driving record if you\u2019ve incited someone to do this.

    ", + "

    How long endorsements stay on your driving record

    ", + "

    Endorsements stay on your driving record for 4 or 11 years depending on the offence. This can start from either the date you\u2019re convicted or the date of your offence.

    ", + "

    The endorsement is \u2018valid\u2019 for the first:

    ", + "
  • 3 years, for a 4-year endorsement
  • ", + "
  • 10 years, for an 11-year endorsement
  • ", + "

    A court can take your endorsement into account if both:

    ", + "
  • you commit another offence while it\u2019s valid
  • ", + "
  • the endorsement is still on your driving record when the court considers your case
  • ", + "

    Other people, like insurers and employers, may be able to find out that you have the endorsement:

    ", + "
  • any time during a 4-year endorsement
  • ", + "
  • during the first 5 years of an 11-year endorsement, or the first 30 months if you\u2019re under 18
  • ", + "

    4 years from date of conviction

    ", + "

    An endorsement will stay on a driving record for 4 years from the date of conviction if the offence:

    ", + "
  • is for reckless/dangerous driving - shown on the driving record as DD40, DD60 and DD80
  • ", + "
  • results in disqualification
  • ", + "

    4 years from the date of offence

    ", + "

    In all other cases endorsements stay on your driving record for 4 years from the date of offence.

    ", + "

    11 years from date of conviction

    ", + "

    If the offence is:

    ", + "
  • drink driving or drug driving - shown on the driving record as DR10, DR20, DR30, DR31, DR61 and DR80
  • ", + "
  • causing death by careless driving while under the influence of drink or drugs \u2013 shown on the driving record as CD40, CD50 and CD60
  • ", + "
  • causing death by careless driving, then failing to provide a specimen for analysis \u2013 shown on the driving record as CD70
  • ", + "

    New drivers

    ", + "

    Your licence will be cancelled (revoked) if you get 6 or more points within 2 years of passing your test.

    ", + "

    Points on your provisional licence

    ", + "

    Any penalty points on your provisional licence that have not expired will be carried over to your full licence when you pass your test. However, your licence will be cancelled if you get any further penalty points that take you up to a total of 6 or more within 2 years of passing your driving test.

    ", + "

    If your licence is cancelled within 2 years

    ", + "

    You\u2019ll have to apply and pay for a new provisional licence and pass both theory and practical parts of the driving or riding test again to get a full licence.

    ", + "

    If you have not sent off for your full licence

    ", + "

    You must retake both parts of your driving test if your licence has been cancelled after you\u2019ve passed your test, but you have not sent off for your full licence yet. You can use your current provisional licence to take the tests.

    ", + "

    Who\u2019s covered by the rules

    ", + "

    These rules apply to all new drivers who passed their first driving test in:

    ", + "
  • Great Britain
  • ", + "
  • Northern Ireland
  • ", + "
  • Isle of Man
  • ", + "
  • Channel Islands
  • ", + "
  • Gibraltar
  • ", + "
  • the European Community (EC) and European Economic Area (EEA)
  • ", + "

    The EC/EEA countries are:

    ", + "

    Austria, Belgium, Bulgaria, Croatia, Republic of Cyprus, Czech Republic, Denmark, Estonia, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Liechtenstein, Lithuania, Luxembourg, Malta, Netherlands, Norway, Poland, Portugal, Romania, Slovenia, Slovakia, Spain and Sweden.

    ", + "

    There is not another 2 year period if you pass a test for another category of vehicle, for example to drive a heavy goods vehicle.

    ", + "

    Foreign licences

    ", + "

    The rules also apply if you exchange a foreign driving licence for a British licence and then pass a further driving test in Great Britain.

    ", + "

    Handing over your driving licence for endorsement

    ", + "

    If you get an endorsement you\u2019ll need to hand over your licence to either the police, a fixed penalty office (FPO) or when you appear in court.

    ", + "

    Your fixed penalty notice will tell you how to find your local FPO.

    ", + "

    You\u2019ll need to get a replacement if you\u2019ve lost your licence.

    ", + "

    If your driving licence is not returned to you, contact the FPO or court you sent it to, unless your licence has been sent to DVLA.

    ", + "

    When your licence is sent to DVLA

    ", + "

    The FPO or court will send your driving licence to DVLA if:

    ", + "
  • the licence has been cancelled (\u2018revoked\u2019) by a court
  • ", + "
  • you\u2019re a new driver and you\u2019ve been given more than 6 penalty points
  • ", + "
  • the licence you gave the court is invalid
  • ", + "
  • you\u2019ve let DVLA know that you\u2019ve changed your address
  • ", + "

    If your licence is sent to DVLA because you\u2019ve changed your address, it\u2019ll be returned to you within 3 weeks.

    ", + "

    Removing expired endorsements from your driving record

    ", + "

    Most expired endorsements will automatically be removed from your driving record when they\u2019re no longer valid.

    ", + "

    The length of time they stay on your record depends on how serious the offence was.

    ", + "

    How to check your endorsement details

    ", + "

    View your driving licence record to see what penalty points you have and when they\u2019ll be removed.

    ", + "

    You can also contact DVLA.

    ", + "

    Incorrect endorsement details on your licence

    ", + "

    Contact the court that convicted if your endorsement details are shown incorrectly on your driving licence.

    " + ] + }, + "https://www.gov.uk/vehicle-tax-direct-debit": { + "url": "https://www.gov.uk/vehicle-tax-direct-debit", + "title": "Vehicle tax Direct Debit payments", + "content": "## Set up a Direct Debit\n\nYou can set up a Direct Debit when you tax your vehicle online or at a Post Office.\n\nYou do not need to be the vehicle\u2019s registered keeper to set up a Direct Debit.\n\nEmails and letters about Direct Debit payments are sent to the account holder.\n\n## How much it costs\n\nThe amount you pay depends on how often you want to make a payment. There\u2019s a 5% surcharge if you pay:\n\n- monthly\n\n- every 6 months\n\nThere\u2019s no surcharge if you pay yearly.\n\n## What you need\n\nYou need:\n\n- your address and date of birth\n\n- your bank or building society name, account number and sort code\n\nYou cannot set up a Direct Debit for an account that needs 2 signatures.\n\n## What happens next\n\n- You\u2019ll get a confirmation by email or post that your Direct Debit has been set up.\n\n- The first payment will not be taken until the vehicle tax has started. It can take up to 10 days. You can still use the vehicle before the payment is taken.\n\n- All the following payments will be taken on the first working day of the month that the Direct Debit is due.\n\n## Renewing your vehicle tax\n\nYour Direct Debit for vehicle tax will renew automatically when it\u2019s due to run out.\n\nYou\u2019ll get an email or letter telling you when your payments will be taken.\n\nYou will not be sent a vehicle tax reminder letter (V11).\n\nDo not tax your vehicle again. If you do, you\u2019ll be charged twice.\n\nThe vehicle keeper must have a vehicle logbook (V5C) before the vehicle tax is renewed.\n\n## If the vehicle keeper does not have a V5C\n\nYour Direct Debit will not automatically renew if there\u2019s no vehicle keeper in DVLA\u2019s records.\n\nYou can tell DVLA who the vehicle keeper is online.\n\nIf you do not get an email or letter when your vehicle tax runs out, you should contact DVLA.\n\n## If you do not have an MOT or insurance in place\n\nDVLA will write to you if your vehicle\u2019s MOT certificate will have run out when your vehicle tax is due to renew.\n\nYour vehicle must pass an MOT by the time the current one runs out.\n\nAfter it\u2019s passed an MOT, DVLA\u2019s records will be updated automatically. Your vehicle tax will be renewed on the date it was due to run out.\n\nYou do not need to contact DVLA or tax your vehicle again.\n\nIf you do not get an MOT in time, you\u2019ll need to tax your vehicle again.\n\nIf your vehicle is registered in Northern Ireland, you must also have insurance in place when your vehicle tax is due to renew. You\u2019ll get a letter telling you if your insurance will have run out by then.\n\n## Change your address, email or name\n\nTell DVLA if you want to change the address, email or name on your Direct Debit.\n\nYou can call DVLA if:\n\n- you\u2019ve moved house\n\n- you\u2019ve got a new email address\n\n- you\u2019ve got married or divorced and want to update your details\n\n- there\u2019s a mistake with your name or address\n\n## If you changed your name by deed poll\n\nWrite to DVLA if you\u2019ve changed your name by deed poll.\n\nYou need to include:\n\n- your address and date of birth\n\n- your bank or building society name, account number and sort code\n\n- a copy of your deed poll\n\nSend it to:\n\n## Change how often you pay\n\nWhen you set up your Direct Debit you can choose to pay:\n\n- every month\n\n- every 6 months\n\n- every year\n\nDVLA will take the payments on the first working day of the month. You cannot change it to a different date.\n\nTo change how often you pay (for example, from every 6 months to monthly), you have to cancel your Direct Debit and then tax your vehicle again.\n\n## What you need to do\n\n- Ask your bank or building society to cancel your Direct Debit. Depending on your account, you can do this online, by phone or post, or at a branch.\n\n- You can keep driving your vehicle until the date your next Direct Debit payment was due.\n\n- Tax your vehicle on the first day of the month that your next Direct Debit payment was due. Use the 11 digit number on your vehicle log book (V5C).\n\n- Choose the Direct Debit option when you tax your vehicle. Then choose how often you want to pay - either monthly, every 6 months or every year.\n\n## Change bank account or payment method\n\nWhen you want to change the account your Direct Debit is taken from you can either:\n\n- ask your new bank or building society to move your Direct Debits from your old account\n\n- change to another account you already have\n\nYou can also change to paying by credit or debit card.\n\n## Switching bank or building society\n\nMost UK banks can move Direct Debits from your old bank account to your new one.\n\nYou do not need to tell DVLA or do anything else.\n\n## Move your Direct Debit to an account you already have\n\nYour bank might be able to move a Direct Debit from one of your accounts to another if both accounts are with them - check with your bank.\n\nContact DVLA if your bank cannot move the Direct Debit to your new account or the 2 accounts are with different banks.\n\n## Pay with a debit or credit card\n\n- Ask your bank or building society to cancel your Direct Debit. You can keep driving your vehicle until the date your next Direct Debit payment was due.\n\n- Tax your vehicle on the first day of the month that your next Direct Debit payment was due. Use the 11 digit number on your vehicle log book (V5C).\n\n- Pay the tax for your vehicle using a debit or credit card.\n\n## If a Direct Debit payment fails\n\nThe Direct Debit account holder will get an email from DVLA if a payment fails because there is not enough money in the account.\n\nDVLA will try to take the payment again within 4 working days. If that also fails, you\u2019ll get an email telling you that:\n\n- the Direct Debit has failed twice and has been permanently cancelled\n\n- your vehicle is no longer taxed\n\n## What to do if your Direct Debit is cancelled\n\nYou\u2019ll have to tax your vehicle using your vehicle log book (V5C). You\u2019ll need to either:\n\n- make sure there\u2019s enough money in your account and set up a new Direct Debit\n\n- use a new payment method, for example, a debit card or Direct Debit from another account with enough money in it\n\nIt\u2019s illegal to drive your vehicle until you\u2019ve taxed it.\n\n## If you do not do anything\n\nYou\u2019ll be fined \u00a380 if you do not tax your vehicle or tell DVLA that it\u2019s off the road. You\u2019ll also have to pay for the time it was not taxed.\n\nIf you do not pay your fine on time your vehicle could be clamped or crushed, or your details passed to a debt collection agency.\n\n## Cancel a Direct Debit\n\nDVLA will cancel your Direct Debit when you tell them your vehicle\u2019s been:\n\n- sold or transferred to someone else\n\n- taken off the road, for example, you\u2019re keeping it in a garage - this is called a Statutory Off Road Notification (SORN)\n\n- written off by your insurance company\n\n- scrapped at a vehicle scrapyard\n\n- stolen - you\u2019ll have to apply for a refund separately\n\n- exported out of the UK\n\nThe Direct Debit will also be cancelled if you no longer have to pay vehicle tax because you\u2019ve told DVLA:\n\n- it\u2019s being used by a disabled person\n\n- the vehicle is historic (it\u2019s over 40 years old)\n\n## If you overpaid your tax\n\nYou\u2019ll automatically get a refund cheque for any full months left on your vehicle tax. The refund is calculated from the date DVLA gets your information.\n\nIf you cancel your Direct Debit just before a monthly payment is due, DVLA may still take the payment. You\u2019ll automatically get a refund within 10 working days if this happens.\n\n## Cancelling the Direct Debit for other reasons\n\nIf you cancel your Direct Debit with your bank or building society for any other reason, you must tax your vehicle again using either:\n\n- a Direct Debit from an account with enough money in it\n\n- another payment method, for example, by debit or credit card", + "original_contents": [ + "

    Set up a Direct Debit

    ", + "

    You can set up a Direct Debit when you tax your vehicle online or at a Post Office.

    ", + "

    You do not need to be the vehicle\u2019s registered keeper to set up a Direct Debit.

    ", + "

    Emails and letters about Direct Debit payments are sent to the account holder.

    ", + "

    How much it costs

    ", + "

    The amount you pay depends on how often you want to make a payment. There\u2019s a 5% surcharge if you pay:

    ", + "
  • monthly
  • ", + "
  • every 6 months
  • ", + "

    There\u2019s no surcharge if you pay yearly.

    ", + "

    What you need

    ", + "

    You need:

    ", + "
  • your address and date of birth
  • ", + "
  • your bank or building society name, account number and sort code
  • ", + "

    You cannot set up a Direct Debit for an account that needs 2 signatures.

    ", + "

    What happens next

    ", + "
  • You\u2019ll get a confirmation by email or post that your Direct Debit has been set up.
  • ", + "
  • The first payment will not be taken until the vehicle tax has started. It can take up to 10 days. You can still use the vehicle before the payment is taken.
  • ", + "
  • All the following payments will be taken on the first working day of the month that the Direct Debit is due.
  • ", + "

    Renewing your vehicle tax

    ", + "

    Your Direct Debit for vehicle tax will renew automatically when it\u2019s due to run out.

    ", + "

    You\u2019ll get an email or letter telling you when your payments will be taken.

    ", + "

    You will not be sent a vehicle tax reminder letter (V11).

    ", + "

    Do not tax your vehicle again. If you do, you\u2019ll be charged twice.

    ", + "

    The vehicle keeper must have a vehicle logbook (V5C) before the vehicle tax is renewed.

    ", + "

    If the vehicle keeper does not have a V5C

    ", + "

    Your Direct Debit will not automatically renew if there\u2019s no vehicle keeper in DVLA\u2019s records.

    ", + "

    You can tell DVLA who the vehicle keeper is online.

    ", + "

    If you do not get an email or letter when your vehicle tax runs out, you should contact DVLA.

    ", + "

    If you do not have an MOT or insurance in place

    ", + "

    DVLA will write to you if your vehicle\u2019s MOT certificate will have run out when your vehicle tax is due to renew.

    ", + "

    Your vehicle must pass an MOT by the time the current one runs out.

    ", + "

    After it\u2019s passed an MOT, DVLA\u2019s records will be updated automatically. Your vehicle tax will be renewed on the date it was due to run out.

    ", + "

    You do not need to contact DVLA or tax your vehicle again.

    ", + "

    If you do not get an MOT in time, you\u2019ll need to tax your vehicle again.

    ", + "

    If your vehicle is registered in Northern Ireland, you must also have insurance in place when your vehicle tax is due to renew. You\u2019ll get a letter telling you if your insurance will have run out by then.

    ", + "

    Change your address, email or name

    ", + "

    Tell DVLA if you want to change the address, email or name on your Direct Debit.

    ", + "

    You can call DVLA if:

    ", + "
  • you\u2019ve moved house
  • ", + "
  • you\u2019ve got a new email address
  • ", + "
  • you\u2019ve got married or divorced and want to update your details
  • ", + "
  • there\u2019s a mistake with your name or address
  • ", + "

    If you changed your name by deed poll

    ", + "

    Write to DVLA if you\u2019ve changed your name by deed poll.

    ", + "

    You need to include:

    ", + "
  • your address and date of birth
  • ", + "
  • your bank or building society name, account number and sort code
  • ", + "
  • a copy of your deed poll
  • ", + "

    Send it to:

    ", + "

    Change how often you pay

    ", + "

    When you set up your Direct Debit you can choose to pay:

    ", + "
  • every month
  • ", + "
  • every 6 months
  • ", + "
  • every year
  • ", + "

    DVLA will take the payments on the first working day of the month. You cannot change it to a different date.

    ", + "

    To change how often you pay (for example, from every 6 months to monthly), you have to cancel your Direct Debit and then tax your vehicle again.

    ", + "

    What you need to do

    ", + "
  • Ask your bank or building society to cancel your Direct Debit. Depending on your account, you can do this online, by phone or post, or at a branch.
  • ", + "
  • You can keep driving your vehicle until the date your next Direct Debit payment was due.
  • ", + "
  • Tax your vehicle on the first day of the month that your next Direct Debit payment was due. Use the 11 digit number on your vehicle log book (V5C).
  • ", + "
  • Choose the Direct Debit option when you tax your vehicle. Then choose how often you want to pay - either monthly, every 6 months or every year.
  • ", + "

    Change bank account or payment method

    ", + "

    When you want to change the account your Direct Debit is taken from you can either:

    ", + "
  • ask your new bank or building society to move your Direct Debits from your old account
  • ", + "
  • change to another account you already have
  • ", + "

    You can also change to paying by credit or debit card.

    ", + "

    Switching bank or building society

    ", + "

    Most UK banks can move Direct Debits from your old bank account to your new one.

    ", + "

    You do not need to tell DVLA or do anything else.

    ", + "

    Move your Direct Debit to an account you already have

    ", + "

    Your bank might be able to move a Direct Debit from one of your accounts to another if both accounts are with them - check with your bank.

    ", + "

    Contact DVLA if your bank cannot move the Direct Debit to your new account or the 2 accounts are with different banks.

    ", + "

    Pay with a debit or credit card

    ", + "
  • Ask your bank or building society to cancel your Direct Debit. You can keep driving your vehicle until the date your next Direct Debit payment was due.
  • ", + "
  • Tax your vehicle on the first day of the month that your next Direct Debit payment was due. Use the 11 digit number on your vehicle log book (V5C).
  • ", + "
  • Pay the tax for your vehicle using a debit or credit card.
  • ", + "

    If a Direct Debit payment fails

    ", + "

    The Direct Debit account holder will get an email from DVLA if a payment fails because there is not enough money in the account.

    ", + "

    DVLA will try to take the payment again within 4 working days. If that also fails, you\u2019ll get an email telling you that:

    ", + "
  • the Direct Debit has failed twice and has been permanently cancelled
  • ", + "
  • your vehicle is no longer taxed
  • ", + "

    What to do if your Direct Debit is cancelled

    ", + "

    You\u2019ll have to tax your vehicle using your vehicle log book (V5C). You\u2019ll need to either:

    ", + "
  • make sure there\u2019s enough money in your account and set up a new Direct Debit
  • ", + "
  • use a new payment method, for example, a debit card or Direct Debit from another account with enough money in it
  • ", + "

    It\u2019s illegal to drive your vehicle until you\u2019ve taxed it.

    ", + "

    If you do not do anything

    ", + "

    You\u2019ll be fined \u00a380 if you do not tax your vehicle or tell DVLA that it\u2019s off the road. You\u2019ll also have to pay for the time it was not taxed.

    ", + "

    If you do not pay your fine on time your vehicle could be clamped or crushed, or your details passed to a debt collection agency.

    ", + "

    Cancel a Direct Debit

    ", + "

    DVLA will cancel your Direct Debit when you tell them your vehicle\u2019s been:

    ", + "
  • sold or transferred to someone else
  • ", + "
  • taken off the road, for example, you\u2019re keeping it in a garage - this is called a Statutory Off Road Notification (SORN)
  • ", + "
  • written off by your insurance company
  • ", + "
  • scrapped at a vehicle scrapyard
  • ", + "
  • stolen - you\u2019ll have to apply for a refund separately
  • ", + "
  • exported out of the UK
  • ", + "

    The Direct Debit will also be cancelled if you no longer have to pay vehicle tax because you\u2019ve told DVLA:

    ", + "
  • it\u2019s being used by a disabled person
  • ", + "
  • the vehicle is historic (it\u2019s over 40 years old)
  • ", + "

    If you overpaid your tax

    ", + "

    You\u2019ll automatically get a refund cheque for any full months left on your vehicle tax. The refund is calculated from the date DVLA gets your information.

    ", + "

    If you cancel your Direct Debit just before a monthly payment is due, DVLA may still take the payment. You\u2019ll automatically get a refund within 10 working days if this happens.

    ", + "

    Cancelling the Direct Debit for other reasons

    ", + "

    If you cancel your Direct Debit with your bank or building society for any other reason, you must tax your vehicle again using either:

    ", + "
  • a Direct Debit from an account with enough money in it
  • ", + "
  • another payment method, for example, by debit or credit card
  • " + ] + }, + "https://www.gov.uk/vehicle-tax-rate-tables": { + "url": "https://www.gov.uk/vehicle-tax-rate-tables", + "title": "Vehicle tax rates", + "content": "## Cars registered on or after 1 April 2017\n\nYou need to pay tax when the vehicle is first registered, this covers the vehicle for 12 months.\n\nYou\u2019ll then pay vehicle tax every 6 or 12 months at a different rate.\n\n## First tax payment when you register the vehicle\n\nYou\u2019ll pay a rate based on a vehicle\u2019s CO2 emissions the first time it\u2019s registered.\n\nThis also applies to some motorhomes.\n\nYou have to pay a higher rate for diesel cars that do not meet the Real Driving Emissions 2 (RDE2) standard for nitrogen oxide emissions. You can ask your car\u2019s manufacturer if your car meets the RDE2 standard.\n\n| CO2 emissions | Diesel cars (TC49) that meet the RDE2 standard and petrol cars (TC48) | All other diesel cars (TC49) | Alternative fuel cars (TC59) |\n\n| 0g/km | \u00a30 | \u00a30 | \u00a30 |\n\n| 1 to 50g/km | \u00a310 | \u00a325 | \u00a30 |\n\n| 51 to 75g/km | \u00a325 | \u00a3115 | \u00a315 |\n\n| 76 to 90g/km | \u00a3115 | \u00a3140 | \u00a3105 |\n\n| 91 to 100g/km | \u00a3140 | \u00a3160 | \u00a3130 |\n\n| 101 to 110g/km | \u00a3160 | \u00a3180 | \u00a3150 |\n\n| 111 to 130g/km | \u00a3180 | \u00a3220 | \u00a3170 |\n\n| 131 to 150g/km | \u00a3220 | \u00a3555 | \u00a3210 |\n\n| 151 to 170g/km | \u00a3555 | \u00a3895 | \u00a3545 |\n\n| 171 to 190g/km | \u00a3895 | \u00a31,345 | \u00a3885 |\n\n| 191 to 225g/km | \u00a31,345 | \u00a31,910 | \u00a31,335 |\n\n| 226 to 255g/km | \u00a31,910 | \u00a32,245 | \u00a31,900 |\n\n| Over 255g/km | \u00a32,245 | \u00a32,245 | \u00a32,235 |\n\nThis payment covers your vehicle for 12 months.\n\n## Rates for second tax payment onwards\n\n| Fuel type | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly payments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit |\n\n| Petrol or diesel | \u00a3155 | \u00a3155 | \u00a3162.75 | \u00a385.25 | \u00a381.38 |\n\n| Electric | \u00a30 | N/A | N/A | \u00a30 | N/A |\n\n| Alternative | \u00a3145 | \u00a3145 | \u00a3152.25 | \u00a379.75 | \u00a376.13 |\n\nAlternative fuel vehicles include hybrids, bioethanol and liquid petroleum gas.\n\n## Vehicles with a list price of more than \u00a340,000\n\nYou have to pay an extra \u00a3335 a year if you have a car or motorhome with a \u2018list price\u2019 (the published price before any discounts) of more than \u00a340,000. You do not have to pay this if you have a zero emission vehicle.\n\nYou only have to pay this rate for 5 years (from the second time the vehicle is taxed).\n\nCheck the list price with your dealer so you know how much vehicle tax you\u2019ll have to pay.\n\n| Fuel type | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly payments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit |\n\n| Petrol or diesel | \u00a3490 | \u00a3490 | \u00a3514.50 | \u00a3269.50 | \u00a3257.25 |\n\n| Alternative | \u00a3480 | \u00a3480 | \u00a3504 | \u00a3264 | \u00a3252 |\n\n## Cars registered between 1 March 2001 and 31 March 2017\n\nThe rate of vehicle tax is based on fuel type and CO2 emissions.\n\nCO2 emission details are shown on the car\u2019s V5C registration certificate, or you can find emission details online.\n\n## Petrol car (TC48) and diesel car (TC49)\n\n| Band and CO2 emission | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit |\n\n| A: Up to 100g/km | \u00a30 | \u00a30 | N/A | N/A | N/A |\n\n| B: 101 to 110g/km | \u00a320 | \u00a320 | \u00a321 | N/A | N/A |\n\n| C: 111 to 120g/km | \u00a330 | \u00a330 | \u00a331.50 | N/A | N/A |\n\n| D: 121 to 130g/km | \u00a3130 | \u00a3130 | \u00a3136.50 | \u00a371.50 | \u00a368.25 |\n\n| E: 131 to 140g/km | \u00a3155 | \u00a3155 | \u00a3162.75 | \u00a385.25 | \u00a381.38 |\n\n| F: 141 to 150g/km | \u00a3170 | \u00a3170 | \u00a3178.50 | \u00a393.50 | \u00a389.25 |\n\n| G: 151 to 165g/km | \u00a3210 | \u00a3210 | \u00a3220.50 | \u00a3115.50 | \u00a3110.25 |\n\n| H: 166 to 175g/km | \u00a3250 | \u00a3250 | \u00a3262.50 | \u00a3137.50 | \u00a3131.25 |\n\n| I: 176 to 185g/km | \u00a3275 | \u00a3275 | \u00a3288.75 | \u00a3151.25 | \u00a3144.38 |\n\n| J: 186 to 200g/km | \u00a3315 | \u00a3315 | \u00a3330.75 | \u00a3173.25 | \u00a3165.38 |\n\n| K*: 201 to 225g/km | \u00a3340 | \u00a3340 | \u00a3357 | \u00a3187 | \u00a3178.50 |\n\n| L: 226 to 255g/km | \u00a3585 | \u00a3585 | \u00a3614.25 | \u00a3321.75 | \u00a3307.13 |\n\n| M: Over 255g/km | \u00a3600 | \u00a3600 | \u00a3630 | \u00a3330 | \u00a3315 |\n\n*Includes cars with a CO2 figure over 225g/km but were registered before 23 March 2006.\n\n## Alternative fuel car (TC59)\n\n| Band and CO2 emission | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit |\n\n| A: Up to 100g/km | \u00a30 | N/A | N/A | N/A | N/A |\n\n| B: 101 to 110g/km | \u00a310 | \u00a310 | \u00a310.50 | N/A | N/A |\n\n| C: 111 to 120g/km | \u00a320 | \u00a320 | \u00a321 | N/A | N/A |\n\n| D: 121 to 130g/km | \u00a3120 | \u00a3120 | \u00a3126 | \u00a366 | \u00a363 |\n\n| E: 131 to 140g/km | \u00a3145 | \u00a3145 | \u00a3152.25 | \u00a379.75 | \u00a376.13 |\n\n| F: 141 to 150g/km | \u00a3160 | \u00a3160 | \u00a3168 | \u00a388 | \u00a384 |\n\n| G: 151 to 165g/km | \u00a3200 | \u00a3200 | \u00a3210 | \u00a3110 | \u00a3105 |\n\n| H: 166 to 175g/km | \u00a3240 | \u00a3240 | \u00a3252 | \u00a3132 | \u00a3126 |\n\n| I: 176 to 185g/km | \u00a3265 | \u00a3265 | \u00a3278.25 | \u00a3145.75 | \u00a3139.13 |\n\n| J: 186 to 200g/km | \u00a3305 | \u00a3305 | \u00a3320.25 | \u00a3167.75 | \u00a3160.13 |\n\n| K*: 201 to 225g/km | \u00a3330 | \u00a3330 | \u00a3346.50 | \u00a3181.50 | \u00a3173.25 |\n\n| L: 226 to 255g/km | \u00a3575 | \u00a3575 | \u00a3603.75 | \u00a3316.25 | \u00a3301.88 |\n\n| M: Over 255g/km | \u00a3590 | \u00a3590 | \u00a3619.50 | \u00a3324.50 | \u00a3309.75 |\n\n*Includes cars with a CO2 figure over 225g/km but were registered before 23 March 2006.\n\n## Cars and light goods vehicles registered before 1 March 2001\n\nThe rate of vehicle tax is based on engine size.\n\n## Private or light goods (TC11)\n\n| Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit |\n\n| Not over 1549 | \u00a3170 | \u00a3170 | \u00a3178.50 | \u00a393.50 | \u00a389.25 |\n\n| Over 1549 | \u00a3280 | \u00a3280 | \u00a3294 | \u00a3154 | \u00a3147 |\n\n## Motorhomes\n\nThe rate of vehicle tax is based on the vehicle\u2019s revenue weight (also known as maximum or gross vehicle weight).\n\n## Private or light goods (TC11)\n\nPrivate or light goods vehicles have a revenue weight of 3,500kg or less.\n\n| Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit |\n\n| Not over 1549 | \u00a3170 | \u00a3170 | \u00a3178.50 | \u00a393.50 | \u00a389.25 |\n\n| Over 1549 | \u00a3280 | \u00a3280 | \u00a3294 | \u00a3154 | \u00a3147 |\n\n## Private heavy goods (TC10)\n\nPrivate heavy goods vehicles have a revenue weight that\u2019s over 3,500kg.\n\n| Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit |\n\n| \u00a3165 | \u00a3165 | \u00a3173.25 | \u00a390.75 | \u00a386.63 |\n\n## If your motorhome was registered between 1 April 2017 and 11 March 2020\n\nYou\u2019ll pay a different rate of tax if both of the following apply to your motorhome:\n\n- it\u2019s in the M1SP category - check with your dealer if you\u2019re not sure\n\n- its CO2 emissions are included on the \u2018type approval certificate\u2019 (this might be called a \u2018certificate of conformity\u2019 or \u2018individual vehicle approval\u2019)\n\n## Other vehicle tax rates\n\n## Light goods vehicles (TC39)\n\nRegistered on or after 1 March 2001 and not over 3,500kg revenue weight (also known as maximum or gross vehicle weight).\n\n| Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit |\n\n| \u00a3275 | \u00a3275 | \u00a3288.75 | \u00a3151.25 | \u00a3144.38 |\n\n## Euro 4 light goods vehicles (TC36)\n\nRegistered between 1 March 2003 and 31 December 2006, Euro 4 compliant and not over 3,500kg revenue weight.\n\n| Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit |\n\n| \u00a3140 | \u00a3140 | \u00a3147 | \u00a377 | \u00a373.50 |\n\n## Euro 5 light goods vehicles (TC36)\n\nRegistered between 1 January 2009 and 31 December 2010, Euro 5 compliant and not over 3,500kg revenue weight.\n\n| Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit |\n\n| \u00a3140 | \u00a3140 | \u00a3147 | \u00a377 | \u00a373.50 |\n\n## Motorcycle (with or without sidecar) (TC17)\n\n| Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit |\n\n| Not over 150 | \u00a321 | \u00a321 | \u00a322.05 | N/A | N/A |\n\n| 151-400 | \u00a345 | \u00a345 | \u00a347.25 | N/A | N/A |\n\n| 401-600 | \u00a369 | \u00a369 | \u00a372.45 | \u00a337.95 | \u00a336.23 |\n\n| Over 600 | \u00a396 | \u00a396 | \u00a3100.80 | \u00a352.80 | \u00a350.40 |\n\n## Tricycles (not over 450kg unladen) (TC50)\n\n| Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit |\n\n| Tricycle not over 150 | \u00a321 | \u00a321 | \u00a322.05 | N/A | N/A |\n\n| All other tricycles | \u00a396 | \u00a396 | \u00a3100.80 | \u00a352.80 | \u00a350.40 |\n\n## Trade licences\n\nYou can get trade licences for between 6 and 12 months, depending on the month you apply.\n\n| Month you apply | When the licence expires | How long it\u2019s valid for | Rate of duty for all vehicles | Rate of duty for bicycles and tricycles |\n\n| January (6 month licence) | June | 6 months | \u00a393.50 | \u00a352.80 |\n\n| January (12 month licence) | December | 12 months | \u00a3170 | \u00a396 |\n\n| February | December | 11 months | \u00a3170 | \u00a396 |\n\n| March | December | 10 months | \u00a3155.85 | \u00a388 |\n\n| April | December | 9 months | \u00a3140.25 | \u00a379.20 |\n\n| May | December | 8 months | \u00a3124.65 | \u00a370.40 |\n\n| June | December | 7 months | \u00a3109.10 | \u00a361.60 |\n\n| July | December | 6 months | \u00a393.50 | \u00a352.80 |\n\n| August | June | 11 months | \u00a3170 | \u00a396 |\n\n| September | June | 10 months | \u00a3155.85 | \u00a388 |\n\n| October | June | 9 months | \u00a3140.25 | \u00a379.20 |\n\n| November | June | 8 months | \u00a3124.65 | \u00a370.40 |\n\n| December | June | 7 months | \u00a3109.10 | \u00a361.60 |", + "original_contents": [ + "

    Cars registered on or after 1 April 2017

    ", + "

    You need to pay tax when the vehicle is first registered, this covers the vehicle for 12 months.

    ", + "

    You\u2019ll then pay vehicle tax every 6 or 12 months at a different rate.

    ", + "

    First tax payment when you register the vehicle

    ", + "

    You\u2019ll pay a rate based on a vehicle\u2019s CO2 emissions the first time it\u2019s registered.

    ", + "

    This also applies to some motorhomes.

    ", + "

    You have to pay a higher rate for diesel cars that do not meet the Real Driving Emissions 2 (RDE2) standard for nitrogen oxide emissions. You can ask your car\u2019s manufacturer if your car meets the RDE2 standard.

    ", + "CO2 emissions | Diesel cars (TC49) that meet the RDE2 standard and petrol cars (TC48) | All other diesel cars (TC49) | Alternative fuel cars (TC59)", + "0g/km | \u00a30 | \u00a30 | \u00a30", + "1 to 50g/km | \u00a310 | \u00a325 | \u00a30", + "51 to 75g/km | \u00a325 | \u00a3115 | \u00a315", + "76 to 90g/km | \u00a3115 | \u00a3140 | \u00a3105", + "91 to 100g/km | \u00a3140 | \u00a3160 | \u00a3130", + "101 to 110g/km | \u00a3160 | \u00a3180 | \u00a3150", + "111 to 130g/km | \u00a3180 | \u00a3220 | \u00a3170", + "131 to 150g/km | \u00a3220 | \u00a3555 | \u00a3210", + "151 to 170g/km | \u00a3555 | \u00a3895 | \u00a3545", + "171 to 190g/km | \u00a3895 | \u00a31,345 | \u00a3885", + "191 to 225g/km | \u00a31,345 | \u00a31,910 | \u00a31,335", + "226 to 255g/km | \u00a31,910 | \u00a32,245 | \u00a31,900", + "Over 255g/km | \u00a32,245 | \u00a32,245 | \u00a32,235", + "

    This payment covers your vehicle for 12 months.

    ", + "

    Rates for second tax payment onwards

    ", + "Fuel type | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly payments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "Petrol or diesel | \u00a3155 | \u00a3155 | \u00a3162.75 | \u00a385.25 | \u00a381.38", + "Electric | \u00a30 | N/A | N/A | \u00a30 | N/A", + "Alternative | \u00a3145 | \u00a3145 | \u00a3152.25 | \u00a379.75 | \u00a376.13", + "

    Alternative fuel vehicles include hybrids, bioethanol and liquid petroleum gas.

    ", + "

    Vehicles with a list price of more than \u00a340,000

    ", + "

    You have to pay an extra \u00a3335 a year if you have a car or motorhome with a \u2018list price\u2019 (the published price before any discounts) of more than \u00a340,000. You do not have to pay this if you have a zero emission vehicle.

    ", + "

    You only have to pay this rate for 5 years (from the second time the vehicle is taxed).

    ", + "

    Check the list price with your dealer so you know how much vehicle tax you\u2019ll have to pay.

    ", + "Fuel type | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly payments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "Petrol or diesel | \u00a3490 | \u00a3490 | \u00a3514.50 | \u00a3269.50 | \u00a3257.25", + "Alternative | \u00a3480 | \u00a3480 | \u00a3504 | \u00a3264 | \u00a3252", + "

    Cars registered between 1 March 2001 and 31 March 2017

    ", + "

    The rate of vehicle tax is based on fuel type and CO2 emissions.

    ", + "

    CO2 emission details are shown on the car\u2019s V5C registration certificate, or you can find emission details online.

    ", + "

    Petrol car (TC48) and diesel car (TC49)

    ", + "Band and CO2 emission | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "A: Up to 100g/km | \u00a30 | \u00a30 | N/A | N/A | N/A", + "B: 101 to 110g/km | \u00a320 | \u00a320 | \u00a321 | N/A | N/A", + "C: 111 to 120g/km | \u00a330 | \u00a330 | \u00a331.50 | N/A | N/A", + "D: 121 to 130g/km | \u00a3130 | \u00a3130 | \u00a3136.50 | \u00a371.50 | \u00a368.25", + "E: 131 to 140g/km | \u00a3155 | \u00a3155 | \u00a3162.75 | \u00a385.25 | \u00a381.38", + "F: 141 to 150g/km | \u00a3170 | \u00a3170 | \u00a3178.50 | \u00a393.50 | \u00a389.25", + "G: 151 to 165g/km | \u00a3210 | \u00a3210 | \u00a3220.50 | \u00a3115.50 | \u00a3110.25", + "H: 166 to 175g/km | \u00a3250 | \u00a3250 | \u00a3262.50 | \u00a3137.50 | \u00a3131.25", + "I: 176 to 185g/km | \u00a3275 | \u00a3275 | \u00a3288.75 | \u00a3151.25 | \u00a3144.38", + "J: 186 to 200g/km | \u00a3315 | \u00a3315 | \u00a3330.75 | \u00a3173.25 | \u00a3165.38", + "K*: 201 to 225g/km | \u00a3340 | \u00a3340 | \u00a3357 | \u00a3187 | \u00a3178.50", + "L: 226 to 255g/km | \u00a3585 | \u00a3585 | \u00a3614.25 | \u00a3321.75 | \u00a3307.13", + "M: Over 255g/km | \u00a3600 | \u00a3600 | \u00a3630 | \u00a3330 | \u00a3315", + "

    *Includes cars with a CO2 figure over 225g/km but were registered before 23 March 2006.

    ", + "

    Alternative fuel car (TC59)

    ", + "Band and CO2 emission | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "A: Up to 100g/km | \u00a30 | N/A | N/A | N/A | N/A", + "B: 101 to 110g/km | \u00a310 | \u00a310 | \u00a310.50 | N/A | N/A", + "C: 111 to 120g/km | \u00a320 | \u00a320 | \u00a321 | N/A | N/A", + "D: 121 to 130g/km | \u00a3120 | \u00a3120 | \u00a3126 | \u00a366 | \u00a363", + "E: 131 to 140g/km | \u00a3145 | \u00a3145 | \u00a3152.25 | \u00a379.75 | \u00a376.13", + "F: 141 to 150g/km | \u00a3160 | \u00a3160 | \u00a3168 | \u00a388 | \u00a384", + "G: 151 to 165g/km | \u00a3200 | \u00a3200 | \u00a3210 | \u00a3110 | \u00a3105", + "H: 166 to 175g/km | \u00a3240 | \u00a3240 | \u00a3252 | \u00a3132 | \u00a3126", + "I: 176 to 185g/km | \u00a3265 | \u00a3265 | \u00a3278.25 | \u00a3145.75 | \u00a3139.13", + "J: 186 to 200g/km | \u00a3305 | \u00a3305 | \u00a3320.25 | \u00a3167.75 | \u00a3160.13", + "K*: 201 to 225g/km | \u00a3330 | \u00a3330 | \u00a3346.50 | \u00a3181.50 | \u00a3173.25", + "L: 226 to 255g/km | \u00a3575 | \u00a3575 | \u00a3603.75 | \u00a3316.25 | \u00a3301.88", + "M: Over 255g/km | \u00a3590 | \u00a3590 | \u00a3619.50 | \u00a3324.50 | \u00a3309.75", + "

    *Includes cars with a CO2 figure over 225g/km but were registered before 23 March 2006.

    ", + "

    Cars and light goods vehicles registered before 1 March 2001

    ", + "

    The rate of vehicle tax is based on engine size.

    ", + "

    Private or light goods (TC11)

    ", + "Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "Not over 1549 | \u00a3170 | \u00a3170 | \u00a3178.50 | \u00a393.50 | \u00a389.25", + "Over 1549 | \u00a3280 | \u00a3280 | \u00a3294 | \u00a3154 | \u00a3147", + "

    Motorhomes

    ", + "

    The rate of vehicle tax is based on the vehicle\u2019s revenue weight (also known as maximum or gross vehicle weight).

    ", + "

    Private or light goods (TC11)

    ", + "

    Private or light goods vehicles have a revenue weight of 3,500kg or less.

    ", + "Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "Not over 1549 | \u00a3170 | \u00a3170 | \u00a3178.50 | \u00a393.50 | \u00a389.25", + "Over 1549 | \u00a3280 | \u00a3280 | \u00a3294 | \u00a3154 | \u00a3147", + "

    Private heavy goods (TC10)

    ", + "

    Private heavy goods vehicles have a revenue weight that\u2019s over 3,500kg.

    ", + "Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | Single 6 month payment by Direct Debit", + "\u00a3165 | \u00a3165 | \u00a3173.25 | \u00a390.75 | \u00a386.63", + "

    If your motorhome was registered between 1 April 2017 and 11 March 2020

    ", + "

    You\u2019ll pay a different rate of tax if both of the following apply to your motorhome:

    ", + "
  • it\u2019s in the M1SP category - check with your dealer if you\u2019re not sure
  • ", + "
  • its CO2 emissions are included on the \u2018type approval certificate\u2019 (this might be called a \u2018certificate of conformity\u2019 or \u2018individual vehicle approval\u2019)
  • ", + "

    Other vehicle tax rates

    ", + "

    Light goods vehicles (TC39)

    ", + "

    Registered on or after 1 March 2001 and not over 3,500kg revenue weight (also known as maximum or gross vehicle weight).

    ", + "Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit", + "\u00a3275 | \u00a3275 | \u00a3288.75 | \u00a3151.25 | \u00a3144.38", + "

    Euro 4 light goods vehicles (TC36)

    ", + "

    Registered between 1 March 2003 and 31 December 2006, Euro 4 compliant and not over 3,500kg revenue weight.

    ", + "Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit", + "\u00a3140 | \u00a3140 | \u00a3147 | \u00a377 | \u00a373.50", + "

    Euro 5 light goods vehicles (TC36)

    ", + "

    Registered between 1 January 2009 and 31 December 2010, Euro 5 compliant and not over 3,500kg revenue weight.

    ", + "Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit", + "\u00a3140 | \u00a3140 | \u00a3147 | \u00a377 | \u00a373.50", + "

    Motorcycle (with or without sidecar) (TC17)

    ", + "Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit", + "Not over 150 | \u00a321 | \u00a321 | \u00a322.05 | N/A | N/A", + "151-400 | \u00a345 | \u00a345 | \u00a347.25 | N/A | N/A", + "401-600 | \u00a369 | \u00a369 | \u00a372.45 | \u00a337.95 | \u00a336.23", + "Over 600 | \u00a396 | \u00a396 | \u00a3100.80 | \u00a352.80 | \u00a350.40", + "

    Tricycles (not over 450kg unladen) (TC50)

    ", + "Engine size (cc) | Single 12 month payment | Single 12 month payment by Direct Debit | Total of 12 monthly instalments by Direct Debit | Single 6 month payment | 6 months by Direct Debit", + "Tricycle not over 150 | \u00a321 | \u00a321 | \u00a322.05 | N/A | N/A", + "All other tricycles | \u00a396 | \u00a396 | \u00a3100.80 | \u00a352.80 | \u00a350.40", + "

    Trade licences

    ", + "

    You can get trade licences for between 6 and 12 months, depending on the month you apply.

    ", + "Month you apply | When the licence expires | How long it\u2019s valid for | Rate of duty for all vehicles | Rate of duty for bicycles and tricycles", + "January (6 month licence) | June | 6 months | \u00a393.50 | \u00a352.80", + "January (12 month licence) | December | 12 months | \u00a3170 | \u00a396", + "February | December | 11 months | \u00a3170 | \u00a396", + "March | December | 10 months | \u00a3155.85 | \u00a388", + "April | December | 9 months | \u00a3140.25 | \u00a379.20", + "May | December | 8 months | \u00a3124.65 | \u00a370.40", + "June | December | 7 months | \u00a3109.10 | \u00a361.60", + "July | December | 6 months | \u00a393.50 | \u00a352.80", + "August | June | 11 months | \u00a3170 | \u00a396", + "September | June | 10 months | \u00a3155.85 | \u00a388", + "October | June | 9 months | \u00a3140.25 | \u00a379.20", + "November | June | 8 months | \u00a3124.65 | \u00a370.40", + "December | June | 7 months | \u00a3109.10 | \u00a361.60" + ] + }, + "https://www.gov.uk/historic-vehicles": { + "url": "https://www.gov.uk/historic-vehicles", + "title": "Historic (classic) vehicles: MOT and vehicle tax", + "content": "## Eligibility\n\nThe date your vehicle was built or first registered affects whether you need to:\n\n- get an MOT\n\n- pay vehicle tax\n\n## Vehicles that do not need an MOT\n\nYou do not need to get an MOT if:\n\n- the vehicle was built or first registered more than 40 years ago\n\n- no \u2018substantial changes\u2019 have been made to the vehicle in the last 30 years, for example replacing the chassis, body, axles or engine to change the way the vehicle works\n\nIf you\u2019re not sure if there have been any substantial changes you can:\n\n- read the full guidance on MOT exemptions for historic vehicles\n\n- speak to a historic vehicle expert\n\n## Vehicles exempt from vehicle tax\n\nIf your vehicle was built before 1 January 1981, you can stop paying vehicle tax from 1 April 2021.\n\nIf you do not know when your vehicle was built, but it was registered before 8 January 1981, you do not need to pay vehicle tax from 1 April 2021.\n\n## What you have to do\n\nYou must apply for a vehicle tax exemption to stop paying vehicle tax. This is sometimes called putting a vehicle into the \u2018historic tax class\u2019.\n\nYou do not have to apply to stop getting an MOT for your vehicle each year. However, you must still keep it in a roadworthy condition.\n\nYou can be fined up to \u00a32,500 and get 3 penalty points for using a vehicle in a dangerous condition.\n\n## Historic vehicle tax exemption\n\nYou can apply to stop paying for vehicle tax from 1 April 2021 if your vehicle was built before 1 January 1981. You must tax your vehicle even if you do not have to pay.\n\nIf you do not know when your vehicle was built, but it was first registered before 8 January 1981, you can still apply to stop paying vehicle tax.\n\nYour vehicle will not be exempt from vehicle tax if:\n\n- it\u2019s used for hire or reward (for example, it\u2019s used as a taxi for paying customers)\n\n- it\u2019s used commercially for a trade or business\n\nContact DVLA if you\u2019re not sure if your vehicle is exempt.\n\n## Eligible vehicles\n\nYou can apply for these vehicles to be made exempt:\n\n- cars\n\n- vans\n\n- motorcycles\n\n- tricycles\n\n## Large vehicles and buses\n\nYou can apply for these vehicles to be made exempt:\n\n- private heavy goods vehicles (HGVs) - they cannot be designed or adapted for transporting goods, or be used for driver training\n\n- buses used for voluntary or community purposes\n\n## Specialist vehicles\n\nYou can also apply for these vehicles to be made exempt:\n\n- mobile cranes and pumps\n\n- road rollers, works trucks and digging machines\n\n- agricultural machines and mowing machines\n\n- snowploughs and gritting vehicles\n\n- electric vehicles\n\n- steam vehicles\n\n## Apply for a vehicle tax exemption\n\nApply at a Post Office that deals with vehicle tax.\n\nYou need to take:\n\n- the log book (V5C) in your name\n\n- your vehicle tax reminder letter (V11), if you have one\n\n- an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you do not have the log book, download and fill in an application for a log book (V62). Take it to the Post Office with the \u00a325 fee.\n\n## What happens next\n\n- The Post Office sends your log book to DVLA.\n\n- DVLA will send you an updated log book.\n\n- You\u2019ll get a refund (if you\u2019re due one). It will take longer than usual to get your refund because of coronavirus (COVID-19). Contact DVLA if you have not got your refund within 6 weeks of getting your updated log book.\n\nYou can still use your vehicle while your application is being processed.\n\n## Renewing your historic vehicle's vehicle tax\n\nDVLA will send you a vehicle tax reminder letter before your tax is due to expire. You\u2019ll need to tax your vehicle, but will not need to pay.\n\nIt\u2019s illegal to drive your vehicle if you have not taxed it. You can be fined \u00a380 if you do not tax your vehicle on time.", + "original_contents": [ + "

    Eligibility

    ", + "

    The date your vehicle was built or first registered affects whether you need to:

    ", + "
  • get an MOT
  • ", + "
  • pay vehicle tax
  • ", + "

    Vehicles that do not need an MOT

    ", + "

    You do not need to get an MOT if:

    ", + "
  • the vehicle was built or first registered more than 40 years ago
  • ", + "
  • no \u2018substantial changes\u2019 have been made to the vehicle in the last 30 years, for example replacing the chassis, body, axles or engine to change the way the vehicle works
  • ", + "

    If you\u2019re not sure if there have been any substantial changes you can:

    ", + "
  • read the full guidance on MOT exemptions for historic vehicles
  • ", + "
  • speak to a historic vehicle expert
  • ", + "

    Vehicles exempt from vehicle tax

    ", + "

    If your vehicle was built before 1 January 1981, you can stop paying vehicle tax from 1 April 2021.

    ", + "

    If you do not know when your vehicle was built, but it was registered before 8 January 1981, you do not need to pay vehicle tax from 1 April 2021.

    ", + "

    What you have to do

    ", + "

    You must apply for a vehicle tax exemption to stop paying vehicle tax. This is sometimes called putting a vehicle into the \u2018historic tax class\u2019.

    ", + "

    You do not have to apply to stop getting an MOT for your vehicle each year. However, you must still keep it in a roadworthy condition.

    ", + "

    You can be fined up to \u00a32,500 and get 3 penalty points for using a vehicle in a dangerous condition.

    ", + "

    Historic vehicle tax exemption

    ", + "

    You can apply to stop paying for vehicle tax from 1 April 2021 if your vehicle was built before 1 January 1981. You must tax your vehicle even if you do not have to pay.

    ", + "

    If you do not know when your vehicle was built, but it was first registered before 8 January 1981, you can still apply to stop paying vehicle tax.

    ", + "

    Your vehicle will not be exempt from vehicle tax if:

    ", + "
  • it\u2019s used for hire or reward (for example, it\u2019s used as a taxi for paying customers)
  • ", + "
  • it\u2019s used commercially for a trade or business
  • ", + "

    Contact DVLA if you\u2019re not sure if your vehicle is exempt.

    ", + "

    Eligible vehicles

    ", + "

    You can apply for these vehicles to be made exempt:

    ", + "
  • cars
  • ", + "
  • vans
  • ", + "
  • motorcycles
  • ", + "
  • tricycles
  • ", + "

    Large vehicles and buses

    ", + "

    You can apply for these vehicles to be made exempt:

    ", + "
  • private heavy goods vehicles (HGVs) - they cannot be designed or adapted for transporting goods, or be used for driver training
  • ", + "
  • buses used for voluntary or community purposes
  • ", + "

    Specialist vehicles

    ", + "

    You can also apply for these vehicles to be made exempt:

    ", + "
  • mobile cranes and pumps
  • ", + "
  • road rollers, works trucks and digging machines
  • ", + "
  • agricultural machines and mowing machines
  • ", + "
  • snowploughs and gritting vehicles
  • ", + "
  • electric vehicles
  • ", + "
  • steam vehicles
  • ", + "

    Apply for a vehicle tax exemption

    ", + "

    Apply at a Post Office that deals with vehicle tax.

    ", + "

    You need to take:

    ", + "
  • the log book (V5C) in your name
  • ", + "
  • your vehicle tax reminder letter (V11), if you have one
  • ", + "
  • an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)
  • ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • ", + "

    If you do not have the log book, download and fill in an application for a log book (V62). Take it to the Post Office with the \u00a325 fee.

    ", + "

    What happens next

    ", + "
  • The Post Office sends your log book to DVLA.
  • ", + "
  • DVLA will send you an updated log book.
  • ", + "
  • You\u2019ll get a refund (if you\u2019re due one). It will take longer than usual to get your refund because of coronavirus (COVID-19). Contact DVLA if you have not got your refund within 6 weeks of getting your updated log book.
  • ", + "

    You can still use your vehicle while your application is being processed.

    ", + "

    Renewing your historic vehicle's vehicle tax

    ", + "

    DVLA will send you a vehicle tax reminder letter before your tax is due to expire. You\u2019ll need to tax your vehicle, but will not need to pay.

    ", + "

    It\u2019s illegal to drive your vehicle if you have not taxed it. You can be fined \u00a380 if you do not tax your vehicle on time.

    " + ] + }, + "https://www.gov.uk/change-vehicle-tax-class": { + "url": "https://www.gov.uk/change-vehicle-tax-class", + "title": "Change your vehicle's tax class", + "content": "## Vehicle changes that affect tax\n\nIf you make changes to your vehicle it could affect:\n\n- how much vehicle tax you pay\n\n- your vehicle\u2019s tax class\n\nChanges that affect your vehicle include:\n\n- the engine size (cc)\n\n- the fuel type\n\n- the weight (goods vehicles only)\n\n- the number of seats (buses only)\n\n- what you use the vehicle for, for example using a minibus for profit\n\nYou will not have to pay vehicle tax or will pay a lower rate if it\u2019s being used by:\n\n- a disabled person\n\n- an organisation providing transport for disabled people\n\n## How to change your vehicle\u2019s tax class\n\nHow you change your vehicle\u2019s tax class depends on if:\n\n- the tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)\n\n- the tax is not due to run out\n\n- you\u2019re changing whether or not the vehicle is exempt from vehicle tax, for example changing a car into or out of the disabled tax class\n\n## Work out the new tax rate\n\nYou need to work out if you\u2019ll need to pay more tax because of the change.\n\n- Find out the new rate of vehicle tax.\n\n- Work out the difference between the old and new rates of your vehicle tax. For example, if the old rate is \u00a3100 and the new rate is \u00a3130, the difference is \u00a330.\n\n- Divide the difference by the number of months you pay your tax over. For example, \u00a330 divided by 12 months is \u00a32.50.\n\n- Multiply this by the number of months remaining on the tax. For example, \u00a32.50 multiplied by 4 months is \u00a310.\n\n- Pay the extra vehicle tax. In this example you would need to pay \u00a310 extra tax.\n\n## If the tax rate increases\n\nYou have to pay the increased rate from the first day of the month you change the tax rate in.\n\n## If the tax rate decreases\n\nYou pay the decreased rate from the first day of the next month.\n\n## Tax is not due to run out\n\nUse form V70 to change your vehicle\u2019s tax class if the tax is not due to run out.\n\nYou apply a different way if you\u2019ve had a reminder letter or \u2018last chance\u2019 warning letter.\n\n## What to send\n\nSend the form to DVLA with:\n\n- the V5C vehicle registration certificate (log book) with any changes marked on it\n\n- a cheque or postal order made payable to \u2018DVLA, Swansea\u2019 for any extra vehicle tax you have to pay - damaged or altered cheques will not be accepted\n\n- a current MOT certificate (if your vehicle needs one)\n\n- written proof if you\u2019ve decreased engine size or changed fuel type, for example a new engine receipt or letter from the garage that made the change\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you do not have the V5C, download and fill in a V62 form. Send it to DVLA with the \u00a325 fee.\n\n## Lorries and buses\n\nYou also need to send the following if they\u2019re required for your vehicle:\n\n- a plating or weight certificate\n\n- for buses only - a certificate of initial fitness, certificate of conformity or equivalent PSV401, PSV408, PDV500 or PSV506\n\n## What happens next\n\n- You\u2019ll get a confirmation from DVLA that the change has been made.\n\n- DVLA will send you an updated V5C.\n\n- You\u2019ll get a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).\n\nYou can still use your vehicle while your application is being processed.\n\n## Tax is due to run out or changing if the vehicle is exempt\n\nChange your vehicle\u2019s tax class at a Post Office that deals with vehicle tax if either:\n\n- the vehicle tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)\n\n- you\u2019re changing whether a vehicle is exempt from vehicle tax or not, for example, it\u2019s being used by a disabled person\n\nIf you\u2019re eligible for a vehicle tax reduction because you\u2019re disabled, you need to apply by post to DVLA.\n\n## What to take to the Post Office\n\n## Vehicle registration documents\n\nTake the V5C registration certificate (log book) in your name.\n\nIf you do not have one, you\u2019ll need:\n\n- a completed application for a new registration certificate - either download form V62 or get it from the Post Office\n\n- your \u2018new keeper\u2019 slip, if you\u2019ve just bought the vehicle\n\nA new registration certificate is free if you have a \u2018new keeper\u2019 slip. Otherwise the cost is \u00a325.\n\n## Other documents\n\nYou must also take:\n\n- your vehicle tax reminder letter (V11) if you have one\n\n- an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)\n\n- evidence of any eligibility for a disability exemption\n\n- payment for vehicle tax (if you have to pay for your new tax class)\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you drive a lorry or bus, you also need to take the vehicle\u2019s latest annual test certificate or exemption (V112G).\n\n## What happens next\n\n- The Post Office sends your V5C, new keeper slip or V62 to DVLA.\n\n- You\u2019ll get a confirmation from DVLA that the change has been made.\n\n- DVLA will send you an updated V5C.\n\n- DVLA will send you a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).\n\nYou can still use your vehicle while your application is being processed.", + "original_contents": [ + "

    Vehicle changes that affect tax

    ", + "

    If you make changes to your vehicle it could affect:

    ", + "
  • how much vehicle tax you pay
  • ", + "
  • your vehicle\u2019s tax class
  • ", + "

    Changes that affect your vehicle include:

    ", + "
  • the engine size (cc)
  • ", + "
  • the fuel type
  • ", + "
  • the weight (goods vehicles only)
  • ", + "
  • the number of seats (buses only)
  • ", + "
  • what you use the vehicle for, for example using a minibus for profit
  • ", + "

    You will not have to pay vehicle tax or will pay a lower rate if it\u2019s being used by:

    ", + "
  • a disabled person
  • ", + "
  • an organisation providing transport for disabled people
  • ", + "

    How to change your vehicle\u2019s tax class

    ", + "

    How you change your vehicle\u2019s tax class depends on if:

    ", + "
  • the tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)
  • ", + "
  • the tax is not due to run out
  • ", + "
  • you\u2019re changing whether or not the vehicle is exempt from vehicle tax, for example changing a car into or out of the disabled tax class
  • ", + "

    Work out the new tax rate

    ", + "

    You need to work out if you\u2019ll need to pay more tax because of the change.

    ", + "
  • Find out the new rate of vehicle tax.
  • ", + "
  • Work out the difference between the old and new rates of your vehicle tax. For example, if the old rate is \u00a3100 and the new rate is \u00a3130, the difference is \u00a330.
  • ", + "
  • Divide the difference by the number of months you pay your tax over. For example, \u00a330 divided by 12 months is \u00a32.50.
  • ", + "
  • Multiply this by the number of months remaining on the tax. For example, \u00a32.50 multiplied by 4 months is \u00a310.
  • ", + "
  • Pay the extra vehicle tax. In this example you would need to pay \u00a310 extra tax.
  • ", + "

    If the tax rate increases

    ", + "

    You have to pay the increased rate from the first day of the month you change the tax rate in.

    ", + "

    If the tax rate decreases

    ", + "

    You pay the decreased rate from the first day of the next month.

    ", + "

    Tax is not due to run out

    ", + "

    Use form V70 to change your vehicle\u2019s tax class if the tax is not due to run out.

    ", + "

    You apply a different way if you\u2019ve had a reminder letter or \u2018last chance\u2019 warning letter.

    ", + "

    What to send

    ", + "

    Send the form to DVLA with:

    ", + "
  • the V5C vehicle registration certificate (log book) with any changes marked on it
  • ", + "
  • a cheque or postal order made payable to \u2018DVLA, Swansea\u2019 for any extra vehicle tax you have to pay - damaged or altered cheques will not be accepted
  • ", + "
  • a current MOT certificate (if your vehicle needs one)
  • ", + "
  • written proof if you\u2019ve decreased engine size or changed fuel type, for example a new engine receipt or letter from the garage that made the change
  • ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • ", + "

    If you do not have the V5C, download and fill in a V62 form. Send it to DVLA with the \u00a325 fee.

    ", + "

    Lorries and buses

    ", + "

    You also need to send the following if they\u2019re required for your vehicle:

    ", + "
  • a plating or weight certificate
  • ", + "
  • for buses only - a certificate of initial fitness, certificate of conformity or equivalent PSV401, PSV408, PDV500 or PSV506
  • ", + "

    What happens next

    ", + "
  • You\u2019ll get a confirmation from DVLA that the change has been made.
  • ", + "
  • DVLA will send you an updated V5C.
  • ", + "
  • You\u2019ll get a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).
  • ", + "

    You can still use your vehicle while your application is being processed.

    ", + "

    Tax is due to run out or changing if the vehicle is exempt

    ", + "

    Change your vehicle\u2019s tax class at a Post Office that deals with vehicle tax if either:

    ", + "
  • the vehicle tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)
  • ", + "
  • you\u2019re changing whether a vehicle is exempt from vehicle tax or not, for example, it\u2019s being used by a disabled person
  • ", + "

    If you\u2019re eligible for a vehicle tax reduction because you\u2019re disabled, you need to apply by post to DVLA.

    ", + "

    What to take to the Post Office

    ", + "

    Vehicle registration documents

    ", + "

    Take the V5C registration certificate (log book) in your name.

    ", + "

    If you do not have one, you\u2019ll need:

    ", + "
  • a completed application for a new registration certificate - either download form V62 or get it from the Post Office
  • ", + "
  • your \u2018new keeper\u2019 slip, if you\u2019ve just bought the vehicle
  • ", + "

    A new registration certificate is free if you have a \u2018new keeper\u2019 slip. Otherwise the cost is \u00a325.

    ", + "

    Other documents

    ", + "

    You must also take:

    ", + "
  • your vehicle tax reminder letter (V11) if you have one
  • ", + "
  • an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)
  • ", + "
  • evidence of any eligibility for a disability exemption
  • ", + "
  • payment for vehicle tax (if you have to pay for your new tax class)
  • ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • ", + "

    If you drive a lorry or bus, you also need to take the vehicle\u2019s latest annual test certificate or exemption (V112G).

    ", + "

    What happens next

    ", + "
  • The Post Office sends your V5C, new keeper slip or V62 to DVLA.
  • ", + "
  • You\u2019ll get a confirmation from DVLA that the change has been made.
  • ", + "
  • DVLA will send you an updated V5C.
  • ", + "
  • DVLA will send you a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).
  • ", + "

    You can still use your vehicle while your application is being processed.

    " + ] + }, + "https://www.gov.uk/getting-an-mot": { + "url": "https://www.gov.uk/getting-an-mot", + "title": "Getting an MOT", + "content": "## When to get an MOT\n\nThe MOT test checks that your vehicle meets road safety and environmental standards.\n\nYou must get an MOT for your vehicle by either:\n\n- the third anniversary of its registration\n\n- the anniversary of its last MOT, if it\u2019s over 3 years old\n\nSome vehicles need to be tested at one year old - check the MOT fees table to see which.\n\nFind out how to check your MOT expiry date.\n\nThere are different rules and processes in Northern Ireland for MOTs for vehicles registered in Northern Ireland.\n\n## Coronavirus (COVID-19): getting an MOT\n\nYou need to get an MOT for your vehicle as usual.\n\nDo not take your vehicle to an MOT centre in person if:\n\n- you or someone you live with has coronavirus symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has coronavirus\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## If you cannot take your vehicle in person\n\nSome MOT centres will collect your vehicle for the MOT and then return it. Contact an MOT centre to see if this service is available.\n\nYou can also get someone else to take your vehicle into a test centre if you insure them on your vehicle.\n\nIf you cannot get your vehicle collected or taken in for you, you must wait until you\u2019re no longer self-isolating to take it into a test centre.\n\n## If the MOT has run out\n\n- If your tax is due to run out, register your vehicle as \u2018off the road\u2019 - you cannot renew your vehicle tax if your MOT has expired.\n\n- Book an MOT test.\n\n- Tax your vehicle once it has passed its MOT.\n\nYou cannot drive or park your vehicle on the road if the MOT has run out. You can be prosecuted if caught.\n\nThe only exceptions are to drive it:\n\n- to or from somewhere to be repaired\n\n- to a pre-arranged MOT test\n\n## Earliest date you can get an MOT\n\nAn MOT lasts for a year. The date it runs out is printed on your current MOT pass certificate.\n\nYou can be fined up to \u00a31,000 for driving a vehicle without a valid MOT.\n\nYou can get an MOT up to a month (minus a day) before it runs out and keep the same renewal date.\n\nYou can get an MOT earlier, but the renewal date for the following year will change to one year (minus a day) from the date the vehicle last passed its MOT.\n\n## Booking an MOT\n\nYou must use an approved MOT test centre to get your MOT.\n\nOnly centres showing the blue sign with 3 white triangles can carry out your MOT.\n\n## How you can book\n\nContact an MOT centre to book an MOT.\n\nThere are maximum fees that the MOT centre can charge.\n\nThere\u2019s a different process to book an MOT in Northern Ireland.\n\n## MOT costs\n\nThere\u2019s a maximum amount MOT test stations can charge. This depends on the type of vehicle.\n\nThe maximum fee for a car is \u00a354.85 and \u00a329.65 for a standard motorcycle.\n\nYou do not pay VAT on the fee.\n\n| | Vehicle class | Age first MOT needed (years) | Maximum MOT fee |\n\n| Motorcycle (engine size up to 200cc) | 1 | 3 | \u00a329.65 |\n\n| Motorcycle with sidecar (engine size up to 200cc) | 1 | 3 | \u00a337.80 |\n\n| Motorcycle (engine size over 200cc) | 2 | 3 | \u00a329.65 |\n\n| Motorcycle with sidecar (engine size over 200cc) | 2 | 3 | \u00a337.80 |\n\n| 3-wheeled vehicles (up to 450kg unladen weight) | 3 | 3 | \u00a337.80 |\n\n| 3-wheeled vehicles (over 450kg unladen weight) | 4 | 3 | \u00a354.85 |\n\n| Cars (up to 8 passenger seats) | 4 | 3 | \u00a354.85 |\n\n| Motor caravans | 4 | 3 | \u00a354.85 |\n\n| Quads (max unladen weight 400kg - for goods vehicles 550kg and max net power of 15kw) | 4 | 3 | \u00a354.85 |\n\n| Dual purpose vehicles | 4 | 3 | \u00a354.85 |\n\n| Private hire and public service vehicles (up to 8 seats) | 4 | 3 | \u00a354.85 |\n\n| Ambulances and taxis | 4 | 1 | \u00a354.85 |\n\n| Private passenger vehicles and ambulances (9 to 12 passenger seats) | 4 | 1 | \u00a357.30 |\n\n| Goods vehicles (up to 3,000kg design gross weight) | 4 | 3 | \u00a354.85 |\n\n| Class 4 vehicles (9 to 12 passenger seats) with a seat belt installation check | 4a | n/a | \u00a364 |\n\n| Private passenger vehicles and ambulances (13 to 16 passenger seats) | 5 | 1 | \u00a359.55 |\n\n| Private passenger vehicles and ambulances (more than 16 passenger seats) | 5 | 1 | \u00a380.65 |\n\n| Playbuses | 5 | 1 | \u00a380.65 |\n\n| Class 5 vehicles (13 to 16 passenger seats) with a seatbelt installation check | 5a | n/a | \u00a380.50 |\n\n| Class 5 vehicles (more than 16 passenger seats) with a seatbelt installation check | 5a | n/a | \u00a3124.50 |\n\n| Goods vehicles (over 3,000kg up to 3,500kg design gross weight) | 7 | 3 | \u00a358.60 |\n\n## How the MOT test works\n\nDuring the MOT, important parts on your vehicle will be checked to make sure they meet the legal standards.\n\nYou can watch the test from a viewing area but you\u2019re not allowed to interrupt the tester.\n\n## Parts that are tested\n\nYou can read more about what\u2019s tested for cars and motorcycles.\n\nThe test does not cover the condition of the engine, clutch or gearbox.\n\nThe MOT guide and inspection manuals tell you everything that\u2019s tested.\n\n## MOT test result\n\nYour vehicle can either pass or fail the MOT.\n\n## Passing the MOT\n\nIf your vehicle passes the MOT:\n\n- you\u2019ll get an MOT certificate from the test centre\n\n- it will be recorded in the MOT database\n\nYou might also get a list of \u2018minor\u2019 or \u2018advisory\u2019 problems to monitor or fix in the future.\n\n## Failing the MOT\n\nYour vehicle will fail if the test result lists \u2018dangerous\u2019 or \u2018major\u2019 problems with your vehicle. You might not be allowed to drive until you fix the problems.\n\nYou might also get a list of \u2018minor\u2019 or \u2018advisory\u2019 problems to monitor or fix in the future.\n\nIf your vehicle fails the MOT:\n\n- you\u2019ll get a \u2018refusal of an MOT test certificate\u2019 from the test centre\n\n- it will be recorded in the MOT database\n\nYou can appeal the result if you think it\u2019s wrong.\n\n## Driving a vehicle that\u2019s failed\n\nYou can take your vehicle away if:\n\n- your current MOT certificate is still valid\n\n- no \u2018dangerous\u2019 problems were listed in the MOT\n\nOtherwise, you\u2019ll need to get it repaired before you can drive.\n\nIf you can take your vehicle away, it must still meet the minimum standards of roadworthiness at all times.\n\nYou can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle that has failed its MOT because of a \u2018dangerous\u2019 problem.\n\n## Retest after a repair\n\nIn some cases your vehicle can have a partial retest for free or a reduced MOT fee.\n\n## Leaving your vehicle for repair\n\nYou only need a partial retest if you leave the vehicle at the test centre for repair and it\u2019s retested within 10 working days. There\u2019s no fee for this.\n\n## Taking your vehicle away for repairs\n\nYou can take your vehicle away if your MOT certificate is still valid.\n\nIf your MOT has run out you can take your vehicle to:\n\n- have the failed defects fixed\n\n- a pre-arranged MOT test appointment\n\nIn both cases, your vehicle still needs to meet the minimum standards of roadworthiness at all times or you can be fined.\n\n## Taking it back for a retest the next working day\n\nYou will not have to pay again if you take it back to the same test centre before the end of the next working day for a partial retest on one or more of these items:\n\n- access panels\n\n- battery\n\n- bonnet\n\n- bootlid\n\n- brake pedal antislip\n\n- break glass hammer (class 5 vehicles only)\n\n- doors (including hinges, catches and pillars)\n\n- door open warning device (class 5 vehicles only)\n\n- dropsides\n\n- electrical wiring\n\n- emergency exits and signs (class 5 vehicles only)\n\n- entrance door remote control (class 5 vehicles only)\n\n- entrance/exit steps (class 5 vehicles only)\n\n- fuel filler cap\n\n- headlamp cleaning or levelling devices (that does not need a headlamp aim check)\n\n- horn\n\n- lamps (excluding headlamp aim)\n\n- loading door\n\n- main beam \u2018tell-tale\u2019\n\n- mirrors\n\n- rear reflectors\n\n- registration plates\n\n- seatbelts (but not anchorages), seatbelt load limiter and seatbelt pre-tensioner\n\n- seats\n\n- sharp edges or projections\n\n- stairs (class 5 vehicles only)\n\n- steering wheel\n\n- tailboard\n\n- tailgate\n\n- trailer electrical sockets\n\n- towbars (excluding body around anchorage points)\n\n- tyre pressure monitoring system\n\n- vehicle identification number (VIN)\n\n- windscreen glass, wipers and washers\n\n- wheels and tyres (excluding motorcycles and motorcycles with sidecar)\n\n## Taking it back for a retest within 10 working days\n\nYou\u2019ll only need a partial retest if you take the vehicle from the test centre for repairs and take it back within 10 working days. You can be charged a partial retest fee for this.\n\nIn all other cases, you\u2019ll need to get a full retest and pay the full MOT test fee again.\n\n## Test result appeals and problems\n\nYou can appeal an MOT test failure or complain to the Driver and Vehicle Standards Agency (DVSA) if you think your vehicle should not have passed.\n\nYou can take your own action against an MOT test centre through Trading Standards, personal legal proceedings or reporting the centre to the police. DVSA cannot help you take action against a centre.\n\n## Appeal if your vehicle failed an MOT\n\nYou need to discuss your test results with the test centre before anyone starts repairs.\n\nYou can appeal against the failure if you think it\u2019s wrong. Fill in the complaint form and send it to DVSA within 14 working days of the test.\n\nDVSA will contact you within 5 days to discuss your appeal.\n\nIf DVSA decides to recheck your vehicle, you\u2019ll need to arrange a date and pay the full test fee again. They\u2019ll send you an inspection report listing any vehicle defects.\n\nYou should not have any repairs made until the appeal process has finished.\n\n## If you think your car has passed when it should not have\n\nYou\u2019ll need to complain to DVSA if you do not think your car should have passed its MOT. Fill in the complaint form and send it to DVSA within the time limits below.\n\nDVSA will contact you within 5 days to discuss your complaint.\n\nIf DVSA decides to recheck your vehicle, you\u2019ll need to arrange a date. You will not need to pay the test fee again. They\u2019ll send you an inspection report listing any vehicle defects.\n\n## Time limits\n\nIf your vehicle passed, you need to complain within:\n\n- within 3 months of the MOT if it\u2019s a corrosion-related problem\n\n- within 28 days has passed for other defects\n\n## If you think your MOT certificate is not genuine\n\nYou can check that your MOT certificate is genuine by checking its MOT status.\n\n## If you\u2019re unhappy with your MOT service\n\nContact DVSA if you\u2019re not happy with your MOT service.\n\n## Vehicles that do not need an MOT\n\nYou do not need to get an MOT for a vehicle until it reaches the age shown in the MOT fees table.\n\n## Exempt vehicles\n\nOther vehicles that do not need an MOT include:\n\n- goods vehicles powered by electricity and registered before 1 March 2015\n\n- tractors\n\n- some historic (\u2018classic\u2019) vehicles\n\nA list of exempt types of vehicles is on the MOT exemption form (V112). You need to fill in the form if your vehicle is listed so that you can either tax it or apply for tax exemption.\n\n## Lorries, buses and trailers\n\nYou must get an annual test for lorries, buses and trailers instead of an MOT. It\u2019s sometimes called the \u2018annual vehicle test\u2019.\n\n## Fix mistakes on your MOT certificate\n\nYou can get information corrected on your MOT certificate (such as the mileage or vehicle details) if it\u2019s wrong.\n\n## Get the wrong mileage corrected\n\nThe way you get the mileage corrected depends on when your MOT was.\n\n## Your MOT was less than 28 days ago\n\nAsk the MOT centre to check the mileage. They\u2019ll give you a replacement certificate if the mileage is wrong.\n\n## Your MOT was more than 28 days ago\n\nReport the mistake to the Driver and Vehicle Standards Agency (DVSA) to get it corrected.\n\nYou also need to email proof of the mileage, such as a scan or photo of:\n\n- an invoice for the MOT\n\n- an emissions printout\n\n- a service receipt\n\n- a vehicle job card from the MOT centre\n\nThey need to show what the mileage should be, and show the same date as the MOT test.\n\nIf your scan or photo includes personal information, for example your payment details, you should blank it out or remove it.\n\nIf you do not send the right evidence, DVSA will not fix the mistakes.\n\nOnce DVSA has updated the mileage, you can check your vehicle\u2019s MOT history and download or print a corrected MOT certificate.\n\n## Get vehicle details or the MOT centre corrected\n\nContact DVSA if your MOT certificate has the wrong:\n\n- vehicle make or model\n\n- vehicle colour\n\n- country where the vehicle was registered\n\n- MOT test centre\n\n## Add or remove test records\n\nIf there\u2019s an MOT test missing from your vehicle\u2019s MOT history, or a test that does not belong there, email or call DVSA to have it corrected.\n\nYou\u2019ll need to give your:\n\n- name\n\n- telephone number\n\n- vehicle number plate\n\n- vehicle make and model\n\n- date of the MOT\n\n- MOT test number (if you know it)\n\n- MOT test centre name and address", + "original_contents": [ + "

    When to get an MOT

    ", + "

    The MOT test checks that your vehicle meets road safety and environmental standards.

    ", + "

    You must get an MOT for your vehicle by either:

    ", + "
  • the third anniversary of its registration
  • ", + "
  • the anniversary of its last MOT, if it\u2019s over 3 years old
  • ", + "

    Some vehicles need to be tested at one year old - check the MOT fees table to see which.

    ", + "

    Find out how to check your MOT expiry date.

    ", + "

    There are different rules and processes in Northern Ireland for MOTs for vehicles registered in Northern Ireland.

    ", + "

    Coronavirus (COVID-19): getting an MOT

    ", + "

    You need to get an MOT for your vehicle as usual.

    ", + "

    Do not take your vehicle to an MOT centre in person if:

    ", + "
  • you or someone you live with has coronavirus symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has coronavirus
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    If you cannot take your vehicle in person

    ", + "

    Some MOT centres will collect your vehicle for the MOT and then return it. Contact an MOT centre to see if this service is available.

    ", + "

    You can also get someone else to take your vehicle into a test centre if you insure them on your vehicle.

    ", + "

    If you cannot get your vehicle collected or taken in for you, you must wait until you\u2019re no longer self-isolating to take it into a test centre.

    ", + "

    If the MOT has run out

    ", + "
  • If your tax is due to run out, register your vehicle as \u2018off the road\u2019 - you cannot renew your vehicle tax if your MOT has expired.
  • ", + "
  • Book an MOT test.
  • ", + "
  • Tax your vehicle once it has passed its MOT.
  • ", + "

    You cannot drive or park your vehicle on the road if the MOT has run out. You can be prosecuted if caught.

    ", + "

    The only exceptions are to drive it:

    ", + "
  • to or from somewhere to be repaired
  • ", + "
  • to a pre-arranged MOT test
  • ", + "

    Earliest date you can get an MOT

    ", + "

    An MOT lasts for a year. The date it runs out is printed on your current MOT pass certificate.

    ", + "

    You can be fined up to \u00a31,000 for driving a vehicle without a valid MOT.

    ", + "

    You can get an MOT up to a month (minus a day) before it runs out and keep the same renewal date.

    ", + "

    You can get an MOT earlier, but the renewal date for the following year will change to one year (minus a day) from the date the vehicle last passed its MOT.

    ", + "

    Booking an MOT

    ", + "

    You must use an approved MOT test centre to get your MOT.

    ", + "

    Only centres showing the blue sign with 3 white triangles can carry out your MOT.

    ", + "

    How you can book

    ", + "

    Contact an MOT centre to book an MOT.

    ", + "

    There are maximum fees that the MOT centre can charge.

    ", + "

    There\u2019s a different process to book an MOT in Northern Ireland.

    ", + "

    MOT costs

    ", + "

    There\u2019s a maximum amount MOT test stations can charge. This depends on the type of vehicle.

    ", + "

    The maximum fee for a car is \u00a354.85 and \u00a329.65 for a standard motorcycle.

    ", + "

    You do not pay VAT on the fee.

    ", + " | Vehicle class | Age first MOT needed (years) | Maximum MOT fee", + "Motorcycle (engine size up to 200cc) | 1 | 3 | \u00a329.65", + "Motorcycle with sidecar (engine size up to 200cc) | 1 | 3 | \u00a337.80", + "Motorcycle (engine size over 200cc) | 2 | 3 | \u00a329.65", + "Motorcycle with sidecar (engine size over 200cc) | 2 | 3 | \u00a337.80", + "3-wheeled vehicles (up to 450kg unladen weight) | 3 | 3 | \u00a337.80", + "3-wheeled vehicles (over 450kg unladen weight) | 4 | 3 | \u00a354.85", + "Cars (up to 8 passenger seats) | 4 | 3 | \u00a354.85", + "Motor caravans | 4 | 3 | \u00a354.85", + "Quads (max unladen weight 400kg - for goods vehicles 550kg and max net power of 15kw) | 4 | 3 | \u00a354.85", + "Dual purpose vehicles | 4 | 3 | \u00a354.85", + "Private hire and public service vehicles (up to 8 seats) | 4 | 3 | \u00a354.85", + "Ambulances and taxis | 4 | 1 | \u00a354.85", + "Private passenger vehicles and ambulances (9 to 12 passenger seats) | 4 | 1 | \u00a357.30", + "Goods vehicles (up to 3,000kg design gross weight) | 4 | 3 | \u00a354.85", + "Class 4 vehicles (9 to 12 passenger seats) with a seat belt installation check | 4a | n/a | \u00a364", + "Private passenger vehicles and ambulances (13 to 16 passenger seats) | 5 | 1 | \u00a359.55", + "Private passenger vehicles and ambulances (more than 16 passenger seats) | 5 | 1 | \u00a380.65", + "Playbuses | 5 | 1 | \u00a380.65", + "Class 5 vehicles (13 to 16 passenger seats) with a seatbelt installation check | 5a | n/a | \u00a380.50", + "Class 5 vehicles (more than 16 passenger seats) with a seatbelt installation check | 5a | n/a | \u00a3124.50", + "Goods vehicles (over 3,000kg up to 3,500kg design gross weight) | 7 | 3 | \u00a358.60", + "

    How the MOT test works

    ", + "

    During the MOT, important parts on your vehicle will be checked to make sure they meet the legal standards.

    ", + "

    You can watch the test from a viewing area but you\u2019re not allowed to interrupt the tester.

    ", + "

    Parts that are tested

    ", + "

    You can read more about what\u2019s tested for cars and motorcycles.

    ", + "

    The test does not cover the condition of the engine, clutch or gearbox.

    ", + "

    The MOT guide and inspection manuals tell you everything that\u2019s tested.

    ", + "

    MOT test result

    ", + "

    Your vehicle can either pass or fail the MOT.

    ", + "

    Passing the MOT

    ", + "

    If your vehicle passes the MOT:

    ", + "
  • you\u2019ll get an MOT certificate from the test centre
  • ", + "
  • it will be recorded in the MOT database
  • ", + "

    You might also get a list of \u2018minor\u2019 or \u2018advisory\u2019 problems to monitor or fix in the future.

    ", + "

    Failing the MOT

    ", + "

    Your vehicle will fail if the test result lists \u2018dangerous\u2019 or \u2018major\u2019 problems with your vehicle. You might not be allowed to drive until you fix the problems.

    ", + "

    You might also get a list of \u2018minor\u2019 or \u2018advisory\u2019 problems to monitor or fix in the future.

    ", + "

    If your vehicle fails the MOT:

    ", + "
  • you\u2019ll get a \u2018refusal of an MOT test certificate\u2019 from the test centre
  • ", + "
  • it will be recorded in the MOT database
  • ", + "

    You can appeal the result if you think it\u2019s wrong.

    ", + "

    Driving a vehicle that\u2019s failed

    ", + "

    You can take your vehicle away if:

    ", + "
  • your current MOT certificate is still valid
  • ", + "
  • no \u2018dangerous\u2019 problems were listed in the MOT
  • ", + "

    Otherwise, you\u2019ll need to get it repaired before you can drive.

    ", + "

    If you can take your vehicle away, it must still meet the minimum standards of roadworthiness at all times.

    ", + "

    You can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle that has failed its MOT because of a \u2018dangerous\u2019 problem.

    ", + "

    Retest after a repair

    ", + "

    In some cases your vehicle can have a partial retest for free or a reduced MOT fee.

    ", + "

    Leaving your vehicle for repair

    ", + "

    You only need a partial retest if you leave the vehicle at the test centre for repair and it\u2019s retested within 10 working days. There\u2019s no fee for this.

    ", + "

    Taking your vehicle away for repairs

    ", + "

    You can take your vehicle away if your MOT certificate is still valid.

    ", + "

    If your MOT has run out you can take your vehicle to:

    ", + "
  • have the failed defects fixed
  • ", + "
  • a pre-arranged MOT test appointment
  • ", + "

    In both cases, your vehicle still needs to meet the minimum standards of roadworthiness at all times or you can be fined.

    ", + "

    Taking it back for a retest the next working day

    ", + "

    You will not have to pay again if you take it back to the same test centre before the end of the next working day for a partial retest on one or more of these items:

    ", + "
  • access panels
  • ", + "
  • battery
  • ", + "
  • bonnet
  • ", + "
  • bootlid
  • ", + "
  • brake pedal antislip
  • ", + "
  • break glass hammer (class 5 vehicles only)
  • ", + "
  • doors (including hinges, catches and pillars)
  • ", + "
  • door open warning device (class 5 vehicles only)
  • ", + "
  • dropsides
  • ", + "
  • electrical wiring
  • ", + "
  • emergency exits and signs (class 5 vehicles only)
  • ", + "
  • entrance door remote control (class 5 vehicles only)
  • ", + "
  • entrance/exit steps (class 5 vehicles only)
  • ", + "
  • fuel filler cap
  • ", + "
  • headlamp cleaning or levelling devices (that does not need a headlamp aim check)
  • ", + "
  • horn
  • ", + "
  • lamps (excluding headlamp aim)
  • ", + "
  • loading door
  • ", + "
  • main beam \u2018tell-tale\u2019
  • ", + "
  • mirrors
  • ", + "
  • rear reflectors
  • ", + "
  • registration plates
  • ", + "
  • seatbelts (but not anchorages), seatbelt load limiter and seatbelt pre-tensioner
  • ", + "
  • seats
  • ", + "
  • sharp edges or projections
  • ", + "
  • stairs (class 5 vehicles only)
  • ", + "
  • steering wheel
  • ", + "
  • tailboard
  • ", + "
  • tailgate
  • ", + "
  • trailer electrical sockets
  • ", + "
  • towbars (excluding body around anchorage points)
  • ", + "
  • tyre pressure monitoring system
  • ", + "
  • vehicle identification number (VIN)
  • ", + "
  • windscreen glass, wipers and washers
  • ", + "
  • wheels and tyres (excluding motorcycles and motorcycles with sidecar)
  • ", + "

    Taking it back for a retest within 10 working days

    ", + "

    You\u2019ll only need a partial retest if you take the vehicle from the test centre for repairs and take it back within 10 working days. You can be charged a partial retest fee for this.

    ", + "

    In all other cases, you\u2019ll need to get a full retest and pay the full MOT test fee again.

    ", + "

    Test result appeals and problems

    ", + "

    You can appeal an MOT test failure or complain to the Driver and Vehicle Standards Agency (DVSA) if you think your vehicle should not have passed.

    ", + "

    You can take your own action against an MOT test centre through Trading Standards, personal legal proceedings or reporting the centre to the police. DVSA cannot help you take action against a centre.

    ", + "

    Appeal if your vehicle failed an MOT

    ", + "

    You need to discuss your test results with the test centre before anyone starts repairs.

    ", + "

    You can appeal against the failure if you think it\u2019s wrong. Fill in the complaint form and send it to DVSA within 14 working days of the test.

    ", + "

    DVSA will contact you within 5 days to discuss your appeal.

    ", + "

    If DVSA decides to recheck your vehicle, you\u2019ll need to arrange a date and pay the full test fee again. They\u2019ll send you an inspection report listing any vehicle defects.

    ", + "

    You should not have any repairs made until the appeal process has finished.

    ", + "

    If you think your car has passed when it should not have

    ", + "

    You\u2019ll need to complain to DVSA if you do not think your car should have passed its MOT. Fill in the complaint form and send it to DVSA within the time limits below.

    ", + "

    DVSA will contact you within 5 days to discuss your complaint.

    ", + "

    If DVSA decides to recheck your vehicle, you\u2019ll need to arrange a date. You will not need to pay the test fee again. They\u2019ll send you an inspection report listing any vehicle defects.

    ", + "

    Time limits

    ", + "

    If your vehicle passed, you need to complain within:

    ", + "
  • within 3 months of the MOT if it\u2019s a corrosion-related problem
  • ", + "
  • within 28 days has passed for other defects
  • ", + "

    If you think your MOT certificate is not genuine

    ", + "

    You can check that your MOT certificate is genuine by checking its MOT status.

    ", + "

    If you\u2019re unhappy with your MOT service

    ", + "

    Contact DVSA if you\u2019re not happy with your MOT service.

    ", + "

    Vehicles that do not need an MOT

    ", + "

    You do not need to get an MOT for a vehicle until it reaches the age shown in the MOT fees table.

    ", + "

    Exempt vehicles

    ", + "

    Other vehicles that do not need an MOT include:

    ", + "
  • goods vehicles powered by electricity and registered before 1 March 2015
  • ", + "
  • tractors
  • ", + "
  • some historic (\u2018classic\u2019) vehicles
  • ", + "

    A list of exempt types of vehicles is on the MOT exemption form (V112). You need to fill in the form if your vehicle is listed so that you can either tax it or apply for tax exemption.

    ", + "

    Lorries, buses and trailers

    ", + "

    You must get an annual test for lorries, buses and trailers instead of an MOT. It\u2019s sometimes called the \u2018annual vehicle test\u2019.

    ", + "

    Fix mistakes on your MOT certificate

    ", + "

    You can get information corrected on your MOT certificate (such as the mileage or vehicle details) if it\u2019s wrong.

    ", + "

    Get the wrong mileage corrected

    ", + "

    The way you get the mileage corrected depends on when your MOT was.

    ", + "

    Your MOT was less than 28 days ago

    ", + "

    Ask the MOT centre to check the mileage. They\u2019ll give you a replacement certificate if the mileage is wrong.

    ", + "

    Your MOT was more than 28 days ago

    ", + "

    Report the mistake to the Driver and Vehicle Standards Agency (DVSA) to get it corrected.

    ", + "

    You also need to email proof of the mileage, such as a scan or photo of:

    ", + "
  • an invoice for the MOT
  • ", + "
  • an emissions printout
  • ", + "
  • a service receipt
  • ", + "
  • a vehicle job card from the MOT centre
  • ", + "

    They need to show what the mileage should be, and show the same date as the MOT test.

    ", + "

    If your scan or photo includes personal information, for example your payment details, you should blank it out or remove it.

    ", + "

    If you do not send the right evidence, DVSA will not fix the mistakes.

    ", + "

    Once DVSA has updated the mileage, you can check your vehicle\u2019s MOT history and download or print a corrected MOT certificate.

    ", + "

    Get vehicle details or the MOT centre corrected

    ", + "

    Contact DVSA if your MOT certificate has the wrong:

    ", + "
  • vehicle make or model
  • ", + "
  • vehicle colour
  • ", + "
  • country where the vehicle was registered
  • ", + "
  • MOT test centre
  • ", + "

    Add or remove test records

    ", + "

    If there\u2019s an MOT test missing from your vehicle\u2019s MOT history, or a test that does not belong there, email or call DVSA to have it corrected.

    ", + "

    You\u2019ll need to give your:

    ", + "
  • name
  • ", + "
  • telephone number
  • ", + "
  • vehicle number plate
  • ", + "
  • vehicle make and model
  • ", + "
  • date of the MOT
  • ", + "
  • MOT test number (if you know it)
  • ", + "
  • MOT test centre name and address
  • " + ] + }, + "https://www.gov.uk/vehicle-insurance": { + "url": "https://www.gov.uk/vehicle-insurance", + "title": "Vehicle insurance", + "content": "## Overview\n\nYou must have motor insurance to drive your vehicle on UK roads.\n\nThird party insurance is the legal minimum. This means you\u2019re covered if you have an accident causing damage or injury to any other person, vehicle, animal or property. It does not cover any other costs like repair to your own vehicle.\n\nYou may want to use an insurance broker.\n\n## If you\u2019re in an accident\n\nIf you have an accident causing damage or injury you must give the following to anyone with \u2018reasonable grounds for requiring them\u2019, for example an insurance company:\n\n- your name and address\n\n- the vehicle registration number\n\nYou also need to give the owner\u2019s name and address if the vehicle is not yours.\n\nYou must report the accident to the police within 24 hours if you do not give your details at the time of the accident.\n\nYou must also report the accident to your insurance company, even if you\u2019re not planning to make a claim.\n\n## Accidents with uninsured motorists\n\nYou should tell the police if you have an accident with someone who\u2019s not insured.\n\nYour insurance company will also be able to give you more advice.\n\nYou might also be able to get compensation if you\u2019re the victim of an uninsured or hit and run driver.\n\n## Driving abroad\n\n## If you\u2019re driving in most European countries\n\nAll UK vehicle insurance provides the minimum third party cover to drive in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nCheck with your insurer if your policy has extra cover for things like theft or damage to your car abroad.\n\nYou also need to carry a physical copy of a \u2018green card\u2019 to drive your vehicle in these countries.\n\n## If you\u2019re driving in the rest of the world\n\nYou may need to carry a green card to prove you have the minimum insurance cover required by the country you\u2019re driving in.\n\nYou may also need additional insurance for your vehicle, trailer or caravan. Check the travel advice for the country you\u2019re going to.\n\n## Getting a green card from your insurer\n\nA green card is proof that you have vehicle insurance when driving abroad.\n\nContact your insurer to get one for your vehicle. They\u2019ll either:\n\n- post you a green card - allow up to 6 weeks\n\n- tell you how to download a green card to print yourself\n\nYou will need to carry extra green cards if:\n\n- you\u2019re towing a trailer or caravan (one for the towing vehicle and one for the trailer or caravan)\n\n- you have 2 insurance policies covering your trip (one card for each policy)\n\n- you have multi-car or fleet insurance (one for each vehicle on the policy)\n\n## Showing your green card when driving abroad\n\nYou must show your green card if you\u2019re involved in an accident.\n\nYou may have to show your green card:\n\n- at the border when moving between countries\n\n- if you\u2019re stopped by the police\n\n## Uninsured vehicles\n\n## Rules in England, Wales and Scotland\n\nYou must have motor insurance for your vehicle if you use it on roads and in public places.\n\nYou do not need to insure your vehicle if it is kept off the road and declared as off the road (SORN). This rule is called \u2018continuous insurance enforcement\u2019.\n\nIf not, you could:\n\n- get a fixed penalty of \u00a3100\n\n- have your vehicle wheel-clamped, impounded or destroyed\n\n- face a court prosecution, with a possible maximum fine of \u00a31,000\n\nIt does not matter who is driving the car - if you\u2019re the registered keeper, you could get penalised.\n\nYou will also still have to pay for your insurance on top of any fines received.\n\nYou can check if your vehicle is insured on askMID.\n\n## Motor traders - exceptions\n\nIf a vehicle is between registered keepers or registered as \u2018in trade\u2019 with the Driver and Vehicle Licensing Agency (DVLA), it is excluded from continuous insurance enforcement.\n\nVehicles you keep for your own use are not excluded.\n\n## Rules in Northern Ireland\n\nThere are different rules for vehicle insurance in Northern Ireland.\n\n## Driving without insurance\n\nIt\u2019s illegal to drive a vehicle on a road or in a public place without at least 3rd party insurance.\n\nEven if the vehicle itself is insured, if you\u2019re not correctly insured to drive it you could get penalised.\n\n## Penalties for uninsured drivers:\n\nThe police could give you a fixed penalty of \u00a3300 and 6 penalty points if you\u2019re caught driving a vehicle you\u2019re not insured to drive.\n\nIf the case goes to court you could get:\n\n- an unlimited fine\n\n- disqualified from driving\n\nThe police also have the power to seize, and in some cases, destroy the vehicle that\u2019s being driven uninsured.", + "original_contents": [ + "

    Overview

    ", + "

    You must have motor insurance to drive your vehicle on UK roads.

    ", + "

    Third party insurance is the legal minimum. This means you\u2019re covered if you have an accident causing damage or injury to any other person, vehicle, animal or property. It does not cover any other costs like repair to your own vehicle.

    ", + "

    You may want to use an insurance broker.

    ", + "

    If you\u2019re in an accident

    ", + "

    If you have an accident causing damage or injury you must give the following to anyone with \u2018reasonable grounds for requiring them\u2019, for example an insurance company:

    ", + "
  • your name and address
  • ", + "
  • the vehicle registration number
  • ", + "

    You also need to give the owner\u2019s name and address if the vehicle is not yours.

    ", + "

    You must report the accident to the police within 24 hours if you do not give your details at the time of the accident.

    ", + "

    You must also report the accident to your insurance company, even if you\u2019re not planning to make a claim.

    ", + "

    Accidents with uninsured motorists

    ", + "

    You should tell the police if you have an accident with someone who\u2019s not insured.

    ", + "

    Your insurance company will also be able to give you more advice.

    ", + "

    You might also be able to get compensation if you\u2019re the victim of an uninsured or hit and run driver.

    ", + "

    Driving abroad

    ", + "

    If you\u2019re driving in most European countries

    ", + "

    All UK vehicle insurance provides the minimum third party cover to drive in:

    ", + "
  • the EU (including Ireland)
  • ", + "
  • Andorra
  • ", + "
  • Iceland
  • ", + "
  • Liechtenstein
  • ", + "
  • Norway
  • ", + "
  • Serbia
  • ", + "
  • Switzerland
  • ", + "

    Check with your insurer if your policy has extra cover for things like theft or damage to your car abroad.

    ", + "

    You also need to carry a physical copy of a \u2018green card\u2019 to drive your vehicle in these countries.

    ", + "

    If you\u2019re driving in the rest of the world

    ", + "

    You may need to carry a green card to prove you have the minimum insurance cover required by the country you\u2019re driving in.

    ", + "

    You may also need additional insurance for your vehicle, trailer or caravan. Check the travel advice for the country you\u2019re going to.

    ", + "

    Getting a green card from your insurer

    ", + "

    A green card is proof that you have vehicle insurance when driving abroad.

    ", + "

    Contact your insurer to get one for your vehicle. They\u2019ll either:

    ", + "
  • post you a green card - allow up to 6 weeks
  • ", + "
  • tell you how to download a green card to print yourself
  • ", + "

    You will need to carry extra green cards if:

    ", + "
  • you\u2019re towing a trailer or caravan (one for the towing vehicle and one for the trailer or caravan)
  • ", + "
  • you have 2 insurance policies covering your trip (one card for each policy)
  • ", + "
  • you have multi-car or fleet insurance (one for each vehicle on the policy)
  • ", + "

    Showing your green card when driving abroad

    ", + "

    You must show your green card if you\u2019re involved in an accident.

    ", + "

    You may have to show your green card:

    ", + "
  • at the border when moving between countries
  • ", + "
  • if you\u2019re stopped by the police
  • ", + "

    Uninsured vehicles

    ", + "

    Rules in England, Wales and Scotland

    ", + "

    You must have motor insurance for your vehicle if you use it on roads and in public places.

    ", + "

    You do not need to insure your vehicle if it is kept off the road and declared as off the road (SORN). This rule is called \u2018continuous insurance enforcement\u2019.

    ", + "

    If not, you could:

    ", + "
  • get a fixed penalty of \u00a3100
  • ", + "
  • have your vehicle wheel-clamped, impounded or destroyed
  • ", + "
  • face a court prosecution, with a possible maximum fine of \u00a31,000
  • ", + "

    It does not matter who is driving the car - if you\u2019re the registered keeper, you could get penalised.

    ", + "

    You will also still have to pay for your insurance on top of any fines received.

    ", + "

    You can check if your vehicle is insured on askMID.

    ", + "

    Motor traders - exceptions

    ", + "

    If a vehicle is between registered keepers or registered as \u2018in trade\u2019 with the Driver and Vehicle Licensing Agency (DVLA), it is excluded from continuous insurance enforcement.

    ", + "

    Vehicles you keep for your own use are not excluded.

    ", + "

    Rules in Northern Ireland

    ", + "

    There are different rules for vehicle insurance in Northern Ireland.

    ", + "

    Driving without insurance

    ", + "

    It\u2019s illegal to drive a vehicle on a road or in a public place without at least 3rd party insurance.

    ", + "

    Even if the vehicle itself is insured, if you\u2019re not correctly insured to drive it you could get penalised.

    ", + "

    Penalties for uninsured drivers:

    ", + "

    The police could give you a fixed penalty of \u00a3300 and 6 penalty points if you\u2019re caught driving a vehicle you\u2019re not insured to drive.

    ", + "

    If the case goes to court you could get:

    ", + "
  • an unlimited fine
  • ", + "
  • disqualified from driving
  • ", + "

    The police also have the power to seize, and in some cases, destroy the vehicle that\u2019s being driven uninsured.

    " + ] + }, + "https://www.gov.uk/scrapped-and-written-off-vehicles": { + "url": "https://www.gov.uk/scrapped-and-written-off-vehicles", + "title": "Scrapping your vehicle and insurance write-offs", + "content": "## How to scrap your vehicle\n\nWhen your vehicle has reached the end of its usefulness, you must get it scrapped at an authorised treatment facility (ATF). These are sometimes known as a scrapyard or breaker\u2019s yard.\n\nThere\u2019s a different process if your vehicle is an insurance write-off.\n\n## Scrap your vehicle without keeping any parts\n\n- Apply to take the registration number off the vehicle if you want to keep it.\n\n- Scrap your vehicle at an ATF. This is usually free.\n\n- Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.\n\n- Tell DVLA you\u2019ve taken your vehicle to an ATF.\n\nYou can be fined \u00a31,000 if you do not tell DVLA.\n\n## Scrap your vehicle and keep parts from it\n\nYou can take parts from your vehicle before you scrap it so you can use them to repair another vehicle.\n\n- Tell DVLA the vehicle is off the road while you\u2019re taking parts from it. It must be kept off the road, for example in a garage, on a drive or on private land.\n\n- Apply to take the registration number off the vehicle if you want to keep it.\n\n- Scrap your vehicle at an ATF when you\u2019ve finished taking parts from it. The ATF can charge a fee if you\u2019ve removed essential parts, such as the engine, gearbox, bodywork or wheels.\n\n- Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange\u2019 section from it.\n\n- Tell DVLA you\u2019ve taken your vehicle to an ATF.\n\n## Scrap a vehicle that\u2019s registered abroad\n\nIf you want to scrap a vehicle from another country in the UK, you must use an ATF.\n\nYou\u2019ll get a \u2018Certificate of Destruction\u2019 to prove that the vehicle has been destroyed.\n\nIt\u2019s your responsibility to tell the driving authority in the country where the vehicle is registered that it has been scrapped.\n\n## Where you can scrap your vehicle\n\nFind an authorised treatment facility (ATF) where your vehicle can be scrapped.\n\nWhen the ATF has your vehicle, they can decide to:\n\n- completely scrap it\n\n- repair and sell it themselves\n\nIt\u2019s illegal to scrap your vehicle anywhere else.\n\n## If your vehicle is completely scrapped\n\nThe ATF will give you a \u2018certificate of destruction\u2019 within 7 days if you\u2019ve scrapped a:\n\n- car\n\n- light van\n\n- 3-wheeled motor vehicle (but not a motor tricycle)\n\nYou will not get a certificate for other types of vehicle.\n\nThe certificate is proof that you\u2019ve handed over the vehicle for scrap. If you do not have it, you could still be liable for:\n\n- traffic offence penalties\n\n- vehicle tax\n\n## Being paid for your scrapped vehicle\n\nThe ATF will pay you the scrap value of your vehicle.\n\nIt\u2019s illegal to be paid in cash if your vehicle is scrapped in England or Wales. You have to be paid by bank transfer or cheque.\n\n## If the ATF repairs and sells your vehicle\n\nYou will not get a certificate of destruction if the ATF decides to repair and sell your vehicle.\n\nYou can be paid for your vehicle by any method, including cash.\n\n## Insurance write-offs\n\nWhen you make an insurance claim because your vehicle is damaged, your insurance company will tell you:\n\n- if your vehicle is being \u2018written off\u2019\n\n- how much they\u2019ll pay you\n\nWhen your vehicle is written off, your insurance company pays you the current value of the vehicle, instead of the cost of repairing it.\n\nYour insurance company will decide if the vehicle should be written off or not.\n\n## Write-off categories\n\nWhat you do next depends on which category your vehicle is in.\n\n| Category | Repairing the vehicle | Using the vehicle |\n\n| A | Cannot be repaired | Entire vehicle has to be crushed |\n\n| B | Cannot be repaired | Body shell has to be crushed, but you can salvage other parts from it |\n\n| C | Can be repaired, but it would cost more than the vehicle\u2019s worth | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n| D | Can be repaired and would cost less than the vehicle\u2019s worth, but other costs (such as transporting your vehicle) take it over the vehicle\u2019s value | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n| N | Can be repaired following non-structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n| S | Can be repaired following structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n## What you need to do\n\nYour insurance company will usually deal with getting the vehicle scrapped for you. You need to follow these steps.\n\n- Apply to take the registration number off the vehicle if you want to keep it.\n\n- Send the vehicle log book (V5C) to your insurance company, but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.\n\n- Tell DVLA your vehicle has been written off.\n\nYou can be fined \u00a31,000 if you do not tell DVLA.\n\n## Keeping the vehicle\n\nIf you want to keep a vehicle in category C, D, N or S, the insurance company will give you an insurance payout and sell the vehicle back to you.\n\nTo keep a category C or S vehicle, you also need to:\n\n- send the complete log book to your insurance company\n\n- apply for a free duplicate log book using form V62\n\nDVLA will record the vehicle\u2019s category in the log book.\n\nYou can keep the log book if you want to keep a category D or N vehicle.", + "original_contents": [ + "

    How to scrap your vehicle

    ", + "

    When your vehicle has reached the end of its usefulness, you must get it scrapped at an authorised treatment facility (ATF). These are sometimes known as a scrapyard or breaker\u2019s yard.

    ", + "

    There\u2019s a different process if your vehicle is an insurance write-off.

    ", + "

    Scrap your vehicle without keeping any parts

    ", + "
  • Apply to take the registration number off the vehicle if you want to keep it.
  • ", + "
  • Scrap your vehicle at an ATF. This is usually free.
  • ", + "
  • Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.
  • ", + "
  • Tell DVLA you\u2019ve taken your vehicle to an ATF.
  • ", + "

    You can be fined \u00a31,000 if you do not tell DVLA.

    ", + "

    Scrap your vehicle and keep parts from it

    ", + "

    You can take parts from your vehicle before you scrap it so you can use them to repair another vehicle.

    ", + "
  • Tell DVLA the vehicle is off the road while you\u2019re taking parts from it. It must be kept off the road, for example in a garage, on a drive or on private land.
  • ", + "
  • Apply to take the registration number off the vehicle if you want to keep it.
  • ", + "
  • Scrap your vehicle at an ATF when you\u2019ve finished taking parts from it. The ATF can charge a fee if you\u2019ve removed essential parts, such as the engine, gearbox, bodywork or wheels.
  • ", + "
  • Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange\u2019 section from it.
  • ", + "
  • Tell DVLA you\u2019ve taken your vehicle to an ATF.
  • ", + "

    Scrap a vehicle that\u2019s registered abroad

    ", + "

    If you want to scrap a vehicle from another country in the UK, you must use an ATF.

    ", + "

    You\u2019ll get a \u2018Certificate of Destruction\u2019 to prove that the vehicle has been destroyed.

    ", + "

    It\u2019s your responsibility to tell the driving authority in the country where the vehicle is registered that it has been scrapped.

    ", + "

    Where you can scrap your vehicle

    ", + "

    Find an authorised treatment facility (ATF) where your vehicle can be scrapped.

    ", + "

    When the ATF has your vehicle, they can decide to:

    ", + "
  • completely scrap it
  • ", + "
  • repair and sell it themselves
  • ", + "

    It\u2019s illegal to scrap your vehicle anywhere else.

    ", + "

    If your vehicle is completely scrapped

    ", + "

    The ATF will give you a \u2018certificate of destruction\u2019 within 7 days if you\u2019ve scrapped a:

    ", + "
  • car
  • ", + "
  • light van
  • ", + "
  • 3-wheeled motor vehicle (but not a motor tricycle)
  • ", + "

    You will not get a certificate for other types of vehicle.

    ", + "

    The certificate is proof that you\u2019ve handed over the vehicle for scrap. If you do not have it, you could still be liable for:

    ", + "
  • traffic offence penalties
  • ", + "
  • vehicle tax
  • ", + "

    Being paid for your scrapped vehicle

    ", + "

    The ATF will pay you the scrap value of your vehicle.

    ", + "

    It\u2019s illegal to be paid in cash if your vehicle is scrapped in England or Wales. You have to be paid by bank transfer or cheque.

    ", + "

    If the ATF repairs and sells your vehicle

    ", + "

    You will not get a certificate of destruction if the ATF decides to repair and sell your vehicle.

    ", + "

    You can be paid for your vehicle by any method, including cash.

    ", + "

    Insurance write-offs

    ", + "

    When you make an insurance claim because your vehicle is damaged, your insurance company will tell you:

    ", + "
  • if your vehicle is being \u2018written off\u2019
  • ", + "
  • how much they\u2019ll pay you
  • ", + "

    When your vehicle is written off, your insurance company pays you the current value of the vehicle, instead of the cost of repairing it.

    ", + "

    Your insurance company will decide if the vehicle should be written off or not.

    ", + "

    Write-off categories

    ", + "

    What you do next depends on which category your vehicle is in.

    ", + "Category | Repairing the vehicle | Using the vehicle", + "A | Cannot be repaired | Entire vehicle has to be crushed", + "B | Cannot be repaired | Body shell has to be crushed, but you can salvage other parts from it", + "C | Can be repaired, but it would cost more than the vehicle\u2019s worth | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "D | Can be repaired and would cost less than the vehicle\u2019s worth, but other costs (such as transporting your vehicle) take it over the vehicle\u2019s value | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "N | Can be repaired following non-structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "S | Can be repaired following structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "

    What you need to do

    ", + "

    Your insurance company will usually deal with getting the vehicle scrapped for you. You need to follow these steps.

    ", + "
  • Apply to take the registration number off the vehicle if you want to keep it.
  • ", + "
  • Send the vehicle log book (V5C) to your insurance company, but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.
  • ", + "
  • Tell DVLA your vehicle has been written off.
  • ", + "

    You can be fined \u00a31,000 if you do not tell DVLA.

    ", + "

    Keeping the vehicle

    ", + "

    If you want to keep a vehicle in category C, D, N or S, the insurance company will give you an insurance payout and sell the vehicle back to you.

    ", + "

    To keep a category C or S vehicle, you also need to:

    ", + "
  • send the complete log book to your insurance company
  • ", + "
  • apply for a free duplicate log book using form V62
  • ", + "

    DVLA will record the vehicle\u2019s category in the log book.

    ", + "

    You can keep the log book if you want to keep a category D or N vehicle.

    " + ] + }, + "https://www.gov.uk/pass-plus": { + "url": "https://www.gov.uk/pass-plus", + "title": "Pass Plus", + "content": "## Overview\n\nPass Plus is a practical training course that takes at least 6 hours and is for drivers to improve their skills and drive more safely.\n\nIt can be taken at any time although it should be most useful to new drivers in the year after passing their test.\n\nYou\u2019ll need a Pass Plus registered approved driving instructor (ADI) to teach you.\n\nIt may help you get a car insurance discount if you successfully complete the course.\n\n## Booking Pass Plus\n\nYou need to book Pass Plus with an approved driving instructor (ADI) who is registered with Pass Plus.\n\nYou can contact the Driver and Vehicle Standards Agency (DVSA) to check if an instructor is registered with Pass Plus. You\u2019ll need their name and ADI number.\n\n## Fees\n\nPass Plus fees depend on where you live, the instructor or driving school and how long your training takes.\n\nSome local councils can offer discounts off the full Pass Plus training costs.\n\n## Local councils offering discounts\n\nSome local councils can offer discounts off the full Pass Plus training costs\n\nContact your borough, town, city or county council if they are listed to see if they can help you with the cost of your training.\n\nYou must live in the council\u2019s area to be eligible for the discount.\n\n## East Midlands\n\n## North-west\n\n## South-east\n\n## South-west\n\n## Scotland\n\n## Wales\n\nAll local councils in Wales offer discounted Pass Plus courses. Go to Pass Plus Cymru for more information.\n\n## How Pass Plus training works\n\nPass Plus training takes at least 6 hours. It has 6 modules, covering driving:\n\n- in town\n\n- in all weathers\n\n- on rural roads\n\n- at night\n\n- on dual carriageways\n\n- on motorways\n\nAll modules should be practical sessions, although local conditions may mean some are theory based. You\u2019ll normally spend at least 5.5 hours driving.\n\nYou will not take a test but you\u2019ll be assessed throughout the course. To pass you\u2019ll have to reach the required standard in all modules.\n\nContact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team for more information.\n\n## Apply for a Pass Plus certificate\n\nYou must apply for your own Pass Plus certificate if you want one.\n\nYou need a certificate if you want a discount on your car insurance.\n\nYou\u2019ll get a training report form from your instructor when you\u2019ve reached the required standard in all modules. You and your instructor must sign the form.\n\nContact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team to apply for your certificate.\n\n## Car insurance discounts\n\nOnce you\u2019ve completed Pass Plus you may be able to get a car insurance discount. You\u2019ll need your Pass Plus certificate.\n\nCheck with insurers that you can still get a discount if you passed your practical driving test more than a year ago.\n\nThe amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.\n\nYou might be able to put the discount on hold for up to 2 years if you do not have a car at the moment - check with the insurance company first.", + "original_contents": [ + "

    Overview

    ", + "

    Pass Plus is a practical training course that takes at least 6 hours and is for drivers to improve their skills and drive more safely.

    ", + "

    It can be taken at any time although it should be most useful to new drivers in the year after passing their test.

    ", + "

    You\u2019ll need a Pass Plus registered approved driving instructor (ADI) to teach you.

    ", + "

    It may help you get a car insurance discount if you successfully complete the course.

    ", + "

    Booking Pass Plus

    ", + "

    You need to book Pass Plus with an approved driving instructor (ADI) who is registered with Pass Plus.

    ", + "

    You can contact the Driver and Vehicle Standards Agency (DVSA) to check if an instructor is registered with Pass Plus. You\u2019ll need their name and ADI number.

    ", + "

    Fees

    ", + "

    Pass Plus fees depend on where you live, the instructor or driving school and how long your training takes.

    ", + "

    Some local councils can offer discounts off the full Pass Plus training costs.

    ", + "

    Local councils offering discounts

    ", + "

    Some local councils can offer discounts off the full Pass Plus training costs

    ", + "

    Contact your borough, town, city or county council if they are listed to see if they can help you with the cost of your training.

    ", + "

    You must live in the council\u2019s area to be eligible for the discount.

    ", + "

    East Midlands

    ", + "

    North-west

    ", + "

    South-east

    ", + "

    South-west

    ", + "

    Scotland

    ", + "

    Wales

    ", + "

    All local councils in Wales offer discounted Pass Plus courses. Go to Pass Plus Cymru for more information.

    ", + "

    How Pass Plus training works

    ", + "

    Pass Plus training takes at least 6 hours. It has 6 modules, covering driving:

    ", + "
  • in town
  • ", + "
  • in all weathers
  • ", + "
  • on rural roads
  • ", + "
  • at night
  • ", + "
  • on dual carriageways
  • ", + "
  • on motorways
  • ", + "

    All modules should be practical sessions, although local conditions may mean some are theory based. You\u2019ll normally spend at least 5.5 hours driving.

    ", + "

    You will not take a test but you\u2019ll be assessed throughout the course. To pass you\u2019ll have to reach the required standard in all modules.

    ", + "

    Contact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team for more information.

    ", + "

    Apply for a Pass Plus certificate

    ", + "

    You must apply for your own Pass Plus certificate if you want one.

    ", + "

    You need a certificate if you want a discount on your car insurance.

    ", + "

    You\u2019ll get a training report form from your instructor when you\u2019ve reached the required standard in all modules. You and your instructor must sign the form.

    ", + "

    Contact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team to apply for your certificate.

    ", + "

    Car insurance discounts

    ", + "

    Once you\u2019ve completed Pass Plus you may be able to get a car insurance discount. You\u2019ll need your Pass Plus certificate.

    ", + "

    Check with insurers that you can still get a discount if you passed your practical driving test more than a year ago.

    ", + "

    The amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.

    ", + "

    You might be able to put the discount on hold for up to 2 years if you do not have a car at the moment - check with the insurance company first.

    " + ] + }, + "https://www.gov.uk/driving-lessons-learning-to-drive": { + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "title": "Driving lessons and learning to drive", + "content": "## Overview\n\nYou can apply for a provisional driving licence when you\u2019re 15 years and 9 months old.\n\nYou can start driving a car when you\u2019re 17.\n\nYou can drive a car when you are 16 if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).\n\nCheck which vehicles you can learn to drive.\n\n## Learning to drive during coronavirus (COVID-19)\n\nYou can take driving lessons anywhere in the UK.\n\nYou and any passengers should wear a face covering, unless you\u2019re exempt.\n\nIn Scotland, you can be fined if you do not wear a face covering during a driving lesson.\n\nCheck the rules for practising with friends and family.\n\n## If you\u2019re learning to drive in Scotland\n\nYou and the person teaching you to drive must wear face coverings during driving lessons and practice sessions in Scotland.\n\nIf you do not wear a face covering, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\n- you and the person teaching you live in the same household\n\nWearing glasses does not count as a good reason.\n\nYou can be fined \u00a360 if you do not wear a face covering during a driving lesson in Scotland. This will be reduced to \u00a330 if you pay within 28 days.\n\n## Rules for learning to drive\n\nYou must have a provisional driving licence for Great Britain or Northern Ireland when you\u2019re learning to drive or ride.\n\nYou must be supervised when you\u2019re learning to drive a car. This can be by a driving instructor or someone else who meets the rules, for example family or friends.\n\nThe car you learn in must display \u2018L\u2019 plates.\n\nYou can drive at any time, day and night.\n\nYou can only drive on motorways if all of the following apply:\n\n- you\u2019re driving in England, Scotland or Wales\n\n- you\u2019re with an approved driving instructor\n\n- the car is fitted with dual controls\n\n## Speed limits\n\nIn England, Scotland and Wales the speed limits when driving with \u2018L\u2019 plates are the same as when you\u2019ve passed your test.\n\nIn Northern Ireland the speed limit is 45 miles per hour when you\u2019re learning to drive a car.\n\n## Taking driving lessons\n\nAnyone you pay to teach you to drive must be either:\n\n- a qualified and approved driving instructor (ADI)\n\n- a trainee driving instructor\n\nYou can find your nearest driving instructors.\n\nThere are different rules in Northern Ireland for choosing an instructor.\n\nInstructors set their own prices for driving lessons - there\u2019s no minimum or maximum cost.\n\n## Check your instructor\u2019s badge\n\nInstructors have to display a badge in their windscreen to prove they\u2019re registered with the Driver and Vehicle Standards Agency (DVSA). They display:\n\n- a green badge if they\u2019re a qualified driving instructor\n\n- a pink badge if they\u2019re a trainee\n\nYou can report someone to DVSA if they charge for driving lessons and are not a qualified driving instructor or trainee.\n\n## Driving lessons\n\nThere\u2019s no minimum number of lessons you must have or hours you must practise driving.\n\nHow many lessons you need will depend on how quickly you learn. You can download a form to record your progress with your instructor.\n\nYou can complain about a driving instructor if you\u2019re not happy with their service or behaviour.\n\n## Practising with family or friends\n\nIn England, you can practice driving with family or friends, but this is restricted to groups of no more than 6 people, or 2 households. Follow the rules for car sharing in the coronavirus (COVID-19) travel guidance.\n\nIn Scotland, there are different rules depending on which area level you are in, but you are legally required to wear a face covering unless you are exempt. Read the guidance on driving lessons in Scotland.\n\nIn Wales, you can practice driving with people you live with or those within your support bubble. You do not need to stay in your local council area.\n\nAnyone you practise your driving with (without paying them) must:\n\n- be over 21\n\n- be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car\n\n- have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)\n\nYou can be fined up to \u00a31,000 and get up to 6 penalty points on your provisional licence if you drive without the right supervision.\n\nIt\u2019s illegal for your friend or family member to use a mobile phone while supervising you.\n\n## Insurance\n\nYou need your own insurance as a learner driver if you\u2019re practising in a car you own. Your family member or friend will usually be covered on this.\n\nIf you\u2019re practising in someone else\u2019s car, you need to make sure their insurance policy covers you as a learner driver.\n\nSome insurance companies require the person supervising you to be over 25 years old.\n\nYou can get an unlimited fine, be banned from driving and get up to 8 penalty points for driving without insurance.\n\n## Recording your practice\n\nYou can download a form to record any practice you do without your driving instructor.\n\n## Using 'L' and 'P' plates\n\nYou must put an L plate on the front and back of your vehicle so they can be seen easily.\n\nIn Wales, you can use a D plate instead.\n\nAn L plate or D plate must:\n\n- have a red L or D on a white background\n\n- be the right size\n\nYou can get up to 6 penalty points if you do not display an L plate or if it\u2019s not the right size.\n\nYou should take L plates off your vehicle when it\u2019s not being used by a learner.\n\n## P plates\n\nYou can display green \u2018probationary\u2019 P plates to show that you\u2019ve just passed your driving test. You do not have to display them. You can leave them on your vehicle for as long as you like.\n\nIn Northern Ireland you must use \u2018R\u2019 plates (restricted driver plates) for one year after you pass your test.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a provisional driving licence when you\u2019re 15 years and 9 months old.

    ", + "

    You can start driving a car when you\u2019re 17.

    ", + "

    You can drive a car when you are 16 if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).

    ", + "

    Check which vehicles you can learn to drive.

    ", + "

    Learning to drive during coronavirus (COVID-19)

    ", + "

    You can take driving lessons anywhere in the UK.

    ", + "

    You and any passengers should wear a face covering, unless you\u2019re exempt.

    ", + "

    In Scotland, you can be fined if you do not wear a face covering during a driving lesson.

    ", + "

    Check the rules for practising with friends and family.

    ", + "

    If you\u2019re learning to drive in Scotland

    ", + "

    You and the person teaching you to drive must wear face coverings during driving lessons and practice sessions in Scotland.

    ", + "

    If you do not wear a face covering, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "
  • you and the person teaching you live in the same household
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You can be fined \u00a360 if you do not wear a face covering during a driving lesson in Scotland. This will be reduced to \u00a330 if you pay within 28 days.

    ", + "

    Rules for learning to drive

    ", + "

    You must have a provisional driving licence for Great Britain or Northern Ireland when you\u2019re learning to drive or ride.

    ", + "

    You must be supervised when you\u2019re learning to drive a car. This can be by a driving instructor or someone else who meets the rules, for example family or friends.

    ", + "

    The car you learn in must display \u2018L\u2019 plates.

    ", + "

    You can drive at any time, day and night.

    ", + "

    You can only drive on motorways if all of the following apply:

    ", + "
  • you\u2019re driving in England, Scotland or Wales
  • ", + "
  • you\u2019re with an approved driving instructor
  • ", + "
  • the car is fitted with dual controls
  • ", + "

    Speed limits

    ", + "

    In England, Scotland and Wales the speed limits when driving with \u2018L\u2019 plates are the same as when you\u2019ve passed your test.

    ", + "

    In Northern Ireland the speed limit is 45 miles per hour when you\u2019re learning to drive a car.

    ", + "

    Taking driving lessons

    ", + "

    Anyone you pay to teach you to drive must be either:

    ", + "
  • a qualified and approved driving instructor (ADI)
  • ", + "
  • a trainee driving instructor
  • ", + "

    You can find your nearest driving instructors.

    ", + "

    There are different rules in Northern Ireland for choosing an instructor.

    ", + "

    Instructors set their own prices for driving lessons - there\u2019s no minimum or maximum cost.

    ", + "

    Check your instructor\u2019s badge

    ", + "

    Instructors have to display a badge in their windscreen to prove they\u2019re registered with the Driver and Vehicle Standards Agency (DVSA). They display:

    ", + "
  • a green badge if they\u2019re a qualified driving instructor
  • ", + "
  • a pink badge if they\u2019re a trainee
  • ", + "

    You can report someone to DVSA if they charge for driving lessons and are not a qualified driving instructor or trainee.

    ", + "

    Driving lessons

    ", + "

    There\u2019s no minimum number of lessons you must have or hours you must practise driving.

    ", + "

    How many lessons you need will depend on how quickly you learn. You can download a form to record your progress with your instructor.

    ", + "

    You can complain about a driving instructor if you\u2019re not happy with their service or behaviour.

    ", + "

    Practising with family or friends

    ", + "

    In England, you can practice driving with family or friends, but this is restricted to groups of no more than 6 people, or 2 households. Follow the rules for car sharing in the coronavirus (COVID-19) travel guidance.

    ", + "

    In Scotland, there are different rules depending on which area level you are in, but you are legally required to wear a face covering unless you are exempt. Read the guidance on driving lessons in Scotland.

    ", + "

    In Wales, you can practice driving with people you live with or those within your support bubble. You do not need to stay in your local council area.

    ", + "

    Anyone you practise your driving with (without paying them) must:

    ", + "
  • be over 21
  • ", + "
  • be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car
  • ", + "
  • have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)
  • ", + "

    You can be fined up to \u00a31,000 and get up to 6 penalty points on your provisional licence if you drive without the right supervision.

    ", + "

    It\u2019s illegal for your friend or family member to use a mobile phone while supervising you.

    ", + "

    Insurance

    ", + "

    You need your own insurance as a learner driver if you\u2019re practising in a car you own. Your family member or friend will usually be covered on this.

    ", + "

    If you\u2019re practising in someone else\u2019s car, you need to make sure their insurance policy covers you as a learner driver.

    ", + "

    Some insurance companies require the person supervising you to be over 25 years old.

    ", + "

    You can get an unlimited fine, be banned from driving and get up to 8 penalty points for driving without insurance.

    ", + "

    Recording your practice

    ", + "

    You can download a form to record any practice you do without your driving instructor.

    ", + "

    Using 'L' and 'P' plates

    ", + "

    You must put an L plate on the front and back of your vehicle so they can be seen easily.

    ", + "

    In Wales, you can use a D plate instead.

    ", + "

    An L plate or D plate must:

    ", + "
  • have a red L or D on a white background
  • ", + "
  • be the right size
  • ", + "

    You can get up to 6 penalty points if you do not display an L plate or if it\u2019s not the right size.

    ", + "

    You should take L plates off your vehicle when it\u2019s not being used by a learner.

    ", + "

    P plates

    ", + "

    You can display green \u2018probationary\u2019 P plates to show that you\u2019ve just passed your driving test. You do not have to display them. You can leave them on your vehicle for as long as you like.

    ", + "

    In Northern Ireland you must use \u2018R\u2019 plates (restricted driver plates) for one year after you pass your test.

    " + ] + }, + "https://www.gov.uk/theory-test": { + "url": "https://www.gov.uk/theory-test", + "title": "Theory test: cars", + "content": "## Booking your test\n\nYou must have a provisional driving licence to book your theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You must pass both parts to pass the test.\n\n## When you can take the theory test\n\nYou can take the theory test from your 17th birthday onwards.\n\nYou can take it from your 16th birthday if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).\n\n## Who needs to take the theory test\n\nYou usually need to take the theory test before you can get your full car driving licence.\n\nYou do not need to take the car theory test if you:\n\n- want to upgrade an automatic car licence to a manual one\n\n- have a category B1 driving licence (3 or 4-wheeled light vehicles) from before 1 February 2001\n\n## If you have a moped or motorcycle licence\n\nYou must pass a car theory test before taking the car driving test.\n\n## If your licence is not from Great Britain\n\nFind out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.\n\n## Change or check your test details\n\nYou can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.\n\n## Theory test revision and practice\n\nYou can use books and software to revise for the theory test and take practice tests.\n\n## Multiple-choice questions\n\nThe multiple-choice questions in the theory test are based on 3 books:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Driving - the essential skills\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them from most high street and online book shops.\n\n## Take a practice test\n\nTake a practice theory test to check how much you\u2019ve learnt.\n\nThe questions are not used in the real test, but they are based on the same topics as the test.\n\n## Hazard perception test\n\nTo prepare for this test you can use the official guide to hazard perception.\n\nYou can buy the guide in these formats:\n\n- online for your PC or Mac\n\n- app for Apple phones and tablets\n\n- app for Android phones and tablets\n\nYou can also buy it as an interactive DVD from most high street and online book shops.\n\n## Translations into foreign languages\n\nSome official books and software are translated into other languages by approved organisations.\n\nHowever, you can only take the test in English, Welsh or British Sign Language.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## Lost your licence\n\nYou need to apply for a replacement driving licence if you lose yours. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get the new licence in enough time.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 57 minutes to answer 50 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\nThree of the questions are about a short video. It will show a normal driving situation, such as:\n\n- driving through a town centre\n\n- driving on a country road\n\nThe video is silent. You can watch it as many times as you like during the test.\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou\u2019ll get the result at the test centre after taking the theory test. You must pass both parts to pass the test.\n\n| | Pass mark | Points available |\n\n| Multiple-choice questions | 43 | 50 |\n\n| Hazard perception | 44 | 75 |\n\n## If you pass\n\nYou\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your driving test.\n\nYour pass certificate number lasts for 2 years. You must pass your driving test in that time, otherwise you\u2019ll have to pass the theory test again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou must book and take the full test again, even if you passed one part this time.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have a reading difficulty, disability or health condition\n\nWhen you book your theory test you should say if you have a:\n\n- reading difficulty\n\n- disability\n\n- health condition\n\n## You have reading difficulties\n\nYou can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.\n\nYou can listen to the questions and possible answers as many times as you need to.\n\n## Other types of support\n\nYou can get other support during your theory test if you send proof that you have reading difficulties.\n\nThis can be an email, letter or report from:\n\n- a teacher or other educational professional\n\n- a doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association\n\nYou can get:\n\n- extra time to take the test\n\n- someone to read what\u2019s on the screen and record your answers\n\n- someone to reword the questions for you\n\nThe Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.\n\nIf DVSA agrees that you need extra support, they will send you an email with:\n\n- a reference number (you will need this when you book your test)\n\n- instructions on how to book your test\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple choice questions part of the theory test.\n\n## Reading what\u2019s on the screen and recording your answers\n\nA member of staff at the test centre can read out the instructions and questions on the screen.\n\nThey can also record your answers to the multiple-choice questions.\n\nThis can be done by either:\n\n- listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen\n\n- the member of staff sitting near you in the test room\n\n## Rewording the questions for you\n\nYou can ask for a member of staff to reword the theory test questions to make them easier for you to understand.\n\nThe person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.\n\nYou still need to answer each question yourself.\n\n## You\u2019re deaf or have a hearing impairment\n\nYou can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.\n\nA BSL video appears on the screen next to the questions and answers.\n\n## Take a BSL interpreter\n\nYou can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.\n\n## Hearing loop and lip speakers\n\nYou can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).\n\nTo use either service you\u2019ll need to contact DVSA before your test.\n\n## Other disabilities or health conditions\n\nContact DVSA to discuss any other disability or health condition before you book your test.", + "original_contents": [ + "

    Booking your test

    ", + "

    You must have a provisional driving licence to book your theory test.

    ", + "

    There are 2 parts to the test:

    ", + "
  • multiple-choice questions
  • ", + "
  • hazard perception - a video test about spotting hazards on the road
  • ", + "

    You book and take them as a single test. You must pass both parts to pass the test.

    ", + "

    When you can take the theory test

    ", + "

    You can take the theory test from your 17th birthday onwards.

    ", + "

    You can take it from your 16th birthday if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).

    ", + "

    Who needs to take the theory test

    ", + "

    You usually need to take the theory test before you can get your full car driving licence.

    ", + "

    You do not need to take the car theory test if you:

    ", + "
  • want to upgrade an automatic car licence to a manual one
  • ", + "
  • have a category B1 driving licence (3 or 4-wheeled light vehicles) from before 1 February 2001
  • ", + "

    If you have a moped or motorcycle licence

    ", + "

    You must pass a car theory test before taking the car driving test.

    ", + "

    If your licence is not from Great Britain

    ", + "

    Find out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.

    ", + "

    Change or check your test details

    ", + "

    You can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).

    ", + "

    You can check your appointment details if you\u2019ve lost your booking confirmation.

    ", + "

    Rebook your test

    ", + "

    Rebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.

    ", + "

    Theory test revision and practice

    ", + "

    You can use books and software to revise for the theory test and take practice tests.

    ", + "

    Multiple-choice questions

    ", + "

    The multiple-choice questions in the theory test are based on 3 books:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Driving - the essential skills
  • ", + "

    Study these to learn the rules and skills you\u2019ll be tested on.

    ", + "

    You can buy them from most high street and online book shops.

    ", + "

    Take a practice test

    ", + "

    Take a practice theory test to check how much you\u2019ve learnt.

    ", + "

    The questions are not used in the real test, but they are based on the same topics as the test.

    ", + "

    Hazard perception test

    ", + "

    To prepare for this test you can use the official guide to hazard perception.

    ", + "

    You can buy the guide in these formats:

    ", + "
  • online for your PC or Mac
  • ", + "
  • app for Apple phones and tablets
  • ", + "
  • app for Android phones and tablets
  • ", + "

    You can also buy it as an interactive DVD from most high street and online book shops.

    ", + "

    Translations into foreign languages

    ", + "

    Some official books and software are translated into other languages by approved organisations.

    ", + "

    However, you can only take the test in English, Welsh or British Sign Language.

    ", + "

    What to take to your test

    ", + "

    You must take your UK photocard driving licence to your test.

    ", + "

    If you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.

    ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your theory test appointment for free if you need to self-isolate on the day of your test.

    ", + "

    Lost your licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours. This could take up to 15 days to arrive.

    ", + "

    Rearrange your test if you do not get the new licence in enough time.

    ", + "

    If you have a paper licence

    ", + "

    Bring a valid passport as well as your paper licence.

    ", + "

    If you do not have a passport, you need to get a photocard licence.

    ", + "

    Personal belongings

    ", + "

    You will not have access to your personal items in the test room. This includes things like:

    ", + "
  • bags
  • ", + "
  • earphones
  • ", + "
  • mobile phones
  • ", + "
  • watches
  • ", + "

    You\u2019ll usually have to store any personal items in a locker.

    ", + "

    If your test centre does not have lockers, you must:

    ", + "
  • turn off your phone before you enter the test centre
  • ", + "
  • put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test
  • ", + "

    The test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.

    ", + "

    It\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.

    ", + "

    Multiple-choice questions

    ", + "

    You have 57 minutes to answer 50 multiple-choice questions.

    ", + "

    Before the test starts you\u2019ll get:

    ", + "
  • instructions on how the test works
  • ", + "
  • the chance to do some practice questions to get used to the screens
  • ", + "

    How the test works

    ", + "

    A question and several possible answers appear on a screen. You have to select the right answer.

    ", + "

    Three of the questions are about a short video. It will show a normal driving situation, such as:

    ", + "
  • driving through a town centre
  • ", + "
  • driving on a country road
  • ", + "

    The video is silent. You can watch it as many times as you like during the test.

    ", + "

    Leaving a question

    ", + "

    You can \u2018flag\u2019 questions that you want to come back to later.

    ", + "

    Changing your answers

    ", + "

    You can go back to any question to review and change your answer at any point.

    ", + "

    When you\u2019ve finished

    ", + "

    You can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.

    ", + "

    You can have a break of up to 3 minutes before the hazard perception test starts.

    ", + "

    Hazard perception test

    ", + "

    Before you start the hazard perception test, you\u2019ll be shown a video about how it works.

    ", + "

    You\u2019ll then watch 14 video clips. The clips:

    ", + "
  • feature everyday road scenes
  • ", + "
  • contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards
  • ", + "

    You get points for spotting the developing hazards as soon as they start to happen.

    ", + "

    What a \u2018developing hazard\u2019 is

    ", + "

    A developing hazard is something that would cause you to take action, like changing speed or direction.

    ", + "

    How the scoring works

    ", + "

    You can score up to 5 points for each developing hazard.

    ", + "

    To get a high score, click the mouse as soon as you see the hazard starting to develop.

    ", + "

    You do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.

    ", + "

    You only get one attempt at each clip. You cannot review or change your responses.

    ", + "

    Pass mark and test result

    ", + "

    You\u2019ll get the result at the test centre after taking the theory test. You must pass both parts to pass the test.

    ", + " | Pass mark | Points available", + "Multiple-choice questions | 43 | 50", + "Hazard perception | 44 | 75", + "

    If you pass

    ", + "

    You\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your driving test.

    ", + "

    Your pass certificate number lasts for 2 years. You must pass your driving test in that time, otherwise you\u2019ll have to pass the theory test again.

    ", + "

    If you fail

    ", + "

    You\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.

    ", + "

    You must book and take the full test again, even if you passed one part this time.

    ", + "

    You have to wait at least 3 working days before taking your test again.

    ", + "

    If you have a reading difficulty, disability or health condition

    ", + "

    When you book your theory test you should say if you have a:

    ", + "
  • reading difficulty
  • ", + "
  • disability
  • ", + "
  • health condition
  • ", + "

    You have reading difficulties

    ", + "

    You can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.

    ", + "

    You can listen to the questions and possible answers as many times as you need to.

    ", + "

    Other types of support

    ", + "

    You can get other support during your theory test if you send proof that you have reading difficulties.

    ", + "

    This can be an email, letter or report from:

    ", + "
  • a teacher or other educational professional
  • ", + "
  • a doctor or medical professional
  • ", + "
  • an occupational therapist
  • ", + "
  • an online dyslexia screening product assured by the British Dyslexia Association
  • ", + "

    You can get:

    ", + "
  • extra time to take the test
  • ", + "
  • someone to read what\u2019s on the screen and record your answers
  • ", + "
  • someone to reword the questions for you
  • ", + "

    The Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.

    ", + "

    If DVSA agrees that you need extra support, they will send you an email with:

    ", + "
  • a reference number (you will need this when you book your test)
  • ", + "
  • instructions on how to book your test
  • ", + "

    Extra time to take the test

    ", + "

    You can ask for more time to do the multiple choice questions part of the theory test.

    ", + "

    Reading what\u2019s on the screen and recording your answers

    ", + "

    A member of staff at the test centre can read out the instructions and questions on the screen.

    ", + "

    They can also record your answers to the multiple-choice questions.

    ", + "

    This can be done by either:

    ", + "
  • listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen
  • ", + "
  • the member of staff sitting near you in the test room
  • ", + "

    Rewording the questions for you

    ", + "

    You can ask for a member of staff to reword the theory test questions to make them easier for you to understand.

    ", + "

    The person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.

    ", + "

    You still need to answer each question yourself.

    ", + "

    You\u2019re deaf or have a hearing impairment

    ", + "

    You can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.

    ", + "

    A BSL video appears on the screen next to the questions and answers.

    ", + "

    Take a BSL interpreter

    ", + "

    You can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.

    ", + "

    Hearing loop and lip speakers

    ", + "

    You can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).

    ", + "

    To use either service you\u2019ll need to contact DVSA before your test.

    ", + "

    Other disabilities or health conditions

    ", + "

    Contact DVSA to discuss any other disability or health condition before you book your test.

    " + ] + }, + "https://www.gov.uk/driving-test": { + "url": "https://www.gov.uk/driving-test", + "title": "Driving test: cars", + "content": "## Booking your test\n\nYou can book your driving test when you\u2019ve passed your theory test.\n\nYou do not need to pass another theory test if you\u2019re upgrading an automatic car licence to a manual licence.\n\nTo pass the driving test you must be able to:\n\n- drive safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you drive\n\nThe national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your test.\n\n## Change or check your test details\n\nYou can change the date of your test after you\u2019ve booked.\n\nYou can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.\n\n## Rebook your test\n\nRebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.\n\n## What to take to your test\n\nYou must take:\n\n- your UK driving licence\n\n- your theory test pass certificate, if you have it\n\n- a face covering, unless you have a good reason not to wear one\n\n- a car - most people use their driving instructor\u2019s, but you can use your own car if it meets the rules\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Wearing a face covering\n\nYou must bring and wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYour test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nBecause of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get the new licence in enough time.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence.\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## If you\u2019ve lost your theory test certificate\n\nYou do not need to get a replacement theory test certificate. Your driving examiner will check that you\u2019ve passed your theory test before your driving test starts.\n\n## What happens during the test\n\nThere are 5 parts to the driving test:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- general driving ability\n\n- reversing your vehicle\n\n- independent driving\n\nThe test is the same for both manual and automatic cars.\n\n## How long the test lasts\n\nYou\u2019ll drive for around 40 minutes.\n\nYou\u2019ll drive for around 70 minutes if you\u2019re taking an extended driving test because you\u2019ve been banned from driving.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.\n\nYou\u2019ll fail your driving test if you fail the eyesight check. The test will end.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions.\n\nYou\u2019ll be asked the:\n\n- \u2018tell me\u2019 question at the start of your test, before you start driving\n\n- \u2018show me\u2019 question while you\u2019re driving\n\n## Your general driving ability\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways.\n\nThe examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.\n\n## Pulling over at the side of the road\n\nYou\u2019ll be asked to pull over and pull away during your test, including:\n\n- normal stops at the side of the road\n\n- pulling out from behind a parked vehicle\n\n- a hill start\n\nYou might also be asked to carry out an emergency stop.\n\n## Reversing your vehicle\n\nThe examiner will ask you to do one of the following exercises:\n\n- parallel park at the side of the road\n\n- park in a parking bay - either by driving in and reversing out, or reversing in and driving out (the examiner will tell you which you have to do)\n\n- pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic\n\n## Independent driving\n\nYou\u2019ll have to drive for about 20 minutes by following either:\n\n- directions from a sat nav\n\n- traffic signs\n\nThe examiner will tell you which you have to follow.\n\nThey\u2019ll set the sat nav up for you. You cannot use your own sat nav.\n\n## If you cannot see traffic signs\n\nIf you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.\n\n## Going off the route\n\nThe examiner will not give you a fault for taking a wrong turning.\n\nThey\u2019ll help you get back on the route if you do.\n\n## If you make mistakes during your test\n\nYou can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.\n\nYour driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.\n\n## Other people at your test\n\nYour driving examiner\u2019s supervisor might sit in on your test to watch your examiner\u2019s performance. If you refuse, your test can be cancelled and you\u2019ll have to book another test and pay again.\n\n## Driving test faults and your result\n\nThere are 3 types of faults you can make:\n\n- a dangerous fault - this involves actual danger to you, the examiner, the public or property\n\n- a serious fault - something potentially dangerous\n\n- a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault\n\n## Pass mark\n\nYou\u2019ll pass your driving test if you make:\n\n- no more than 15 driving faults (sometimes called \u2018minors\u2019)\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nApply for your full driving licence within 2 years of passing your test if you do not want to get your licence automatically.\n\n## When you can start driving\n\nYou can start driving straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nThe examiner will tell you what faults you made.\n\nYou have to book another test and pay again. You have to choose a date at least 10 working days away.\n\n## Appeal your driving test\n\nYou can appeal your driving test if you can prove that your driving examiner did not follow the law.\n\nRead the guidance on appealing your driving test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint you may be able to appeal to a court instead.\n\n## Appeal your driving test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your driving test in England and Wales\n\n- 21 days of your driving test in Scotland\n\nCheck if you can appeal.\n\n## If your test is cancelled or there's bad weather\n\nYour driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is suspended due to coronavirus (COVID-19)\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou need to have passed a theory test in the last 2 years to take your driving test. Your theory test certificate will not be extended.\n\n## Bad weather\n\nDriving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your car\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your car, for example, if it breaks down during the test or does not meet the rules to be used\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your driving test you should say if you have a:\n\n- disability\n\n- health condition\n\n- learning difficulty\n\n- reason not to wear a face covering\n\nYou\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.\n\n## You have a disability\n\nYou\u2019ll have time with the examiner once you start the test to talk about:\n\n- your disability\n\n- any adaptations fitted to your car\n\nThey might also agree for you to have more time for instructions and directions during your test.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour driving instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.\n\n## You\u2019re pregnant\n\nYou can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.\n\n## You have reading difficulties\n\nWhen you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent driving part of the test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of directions from a sat nav.\n\n## Using your own car for your test\n\nYou can take your driving test in your own car rather than your driving instructor\u2019s if it meets certain rules.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Rules about the car\n\nYour car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19, you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Things that must be fitted\n\nThe car must have:\n\n- an extra interior rear-view mirror for the examiner\n\n- L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)\n\n## Dashcams and other cameras\n\nYou can use a camera fitted for insurance purposes, as long as it:\n\n- faces outside of the car and does not film the inside\n\n- does not record audio from inside the car\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Manual and automatic cars\n\nYou can take the test in a:\n\n- manual car - these have 3 pedals\n\n- automatic or semi-automatic car - these have 2 pedals\n\nIf you take your test in a semi-automatic car you\u2019ll only be able to drive automatic and semi-automatic cars once you\u2019ve passed your test.\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Cars you cannot use\n\nSome cars cannot be used in the test because they do not give the examiner all-round vision.\n\nYou cannot use any of the following:\n\n- BMW Mini convertible\n\n- Ford KA convertible\n\n- Toyota iQ\n\n- VW Beetle convertible\n\nCheck with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:\n\n- convertible car\n\n- panel van\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\nYou must bring the proof that it\u2019s safe with you when you take your test.\n\n| | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.", + "original_contents": [ + "

    Booking your test

    ", + "

    You can book your driving test when you\u2019ve passed your theory test.

    ", + "

    You do not need to pass another theory test if you\u2019re upgrading an automatic car licence to a manual licence.

    ", + "

    To pass the driving test you must be able to:

    ", + "
  • drive safely in different road and traffic conditions
  • ", + "
  • show that you know The Highway Code by the way you drive
  • ", + "

    The national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.

    ", + "

    There\u2019s no minimum number of lessons you must have done before you book and take your test.

    ", + "

    Change or check your test details

    ", + "

    You can change the date of your test after you\u2019ve booked.

    ", + "

    You can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.

    ", + "

    Rebook your test

    ", + "

    Rebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.

    ", + "

    What to take to your test

    ", + "

    You must take:

    ", + "
  • your UK driving licence
  • ", + "
  • your theory test pass certificate, if you have it
  • ", + "
  • a face covering, unless you have a good reason not to wear one
  • ", + "
  • a car - most people use their driving instructor\u2019s, but you can use your own car if it meets the rules
  • ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Wearing a face covering

    ", + "

    You must bring and wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:

    ", + "
  • having a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you have a good reason not to wear a face covering when you book your test.

    ", + "

    Your test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Because of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.

    ", + "

    Your driving licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    ", + "

    Rearrange your test if you do not get the new licence in enough time.

    ", + "

    If you do not have a photocard licence

    ", + "

    Bring a valid passport and your paper licence.

    ", + "

    If you have a licence from Northern Ireland

    ", + "

    Bring the Northern Ireland photocard and paper counterpart.

    ", + "

    If you\u2019ve lost your theory test certificate

    ", + "

    You do not need to get a replacement theory test certificate. Your driving examiner will check that you\u2019ve passed your theory test before your driving test starts.

    ", + "

    What happens during the test

    ", + "

    There are 5 parts to the driving test:

    ", + "
  • an eyesight check
  • ", + "
  • \u2018show me, tell me\u2019 vehicle safety questions
  • ", + "
  • general driving ability
  • ", + "
  • reversing your vehicle
  • ", + "
  • independent driving
  • ", + "

    The test is the same for both manual and automatic cars.

    ", + "

    How long the test lasts

    ", + "

    You\u2019ll drive for around 40 minutes.

    ", + "

    You\u2019ll drive for around 70 minutes if you\u2019re taking an extended driving test because you\u2019ve been banned from driving.

    ", + "

    Eyesight check

    ", + "

    You\u2019ll have to read a number plate from a distance of:

    ", + "
  • 20 metres for vehicles with a new-style number plate
  • ", + "
  • 20.5 metres for vehicles with an old-style number plate
  • ", + "

    New-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.

    ", + "

    You\u2019ll fail your driving test if you fail the eyesight check. The test will end.

    ", + "

    \u2018Show me, tell me\u2019 questions

    ", + "

    You\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions.

    ", + "

    You\u2019ll be asked the:

    ", + "
  • \u2018tell me\u2019 question at the start of your test, before you start driving
  • ", + "
  • \u2018show me\u2019 question while you\u2019re driving
  • ", + "

    Your general driving ability

    ", + "

    You\u2019ll drive in various road and traffic conditions, but not on motorways.

    ", + "

    The examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.

    ", + "

    Pulling over at the side of the road

    ", + "

    You\u2019ll be asked to pull over and pull away during your test, including:

    ", + "
  • normal stops at the side of the road
  • ", + "
  • pulling out from behind a parked vehicle
  • ", + "
  • a hill start
  • ", + "

    You might also be asked to carry out an emergency stop.

    ", + "

    Reversing your vehicle

    ", + "

    The examiner will ask you to do one of the following exercises:

    ", + "
  • parallel park at the side of the road
  • ", + "
  • park in a parking bay - either by driving in and reversing out, or reversing in and driving out (the examiner will tell you which you have to do)
  • ", + "
  • pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic
  • ", + "

    Independent driving

    ", + "

    You\u2019ll have to drive for about 20 minutes by following either:

    ", + "
  • directions from a sat nav
  • ", + "
  • traffic signs
  • ", + "

    The examiner will tell you which you have to follow.

    ", + "

    They\u2019ll set the sat nav up for you. You cannot use your own sat nav.

    ", + "

    If you cannot see traffic signs

    ", + "

    If you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.

    ", + "

    Going off the route

    ", + "

    The examiner will not give you a fault for taking a wrong turning.

    ", + "

    They\u2019ll help you get back on the route if you do.

    ", + "

    If you make mistakes during your test

    ", + "

    You can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.

    ", + "

    Your driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.

    ", + "

    Other people at your test

    ", + "

    Your driving examiner\u2019s supervisor might sit in on your test to watch your examiner\u2019s performance. If you refuse, your test can be cancelled and you\u2019ll have to book another test and pay again.

    ", + "

    Driving test faults and your result

    ", + "

    There are 3 types of faults you can make:

    ", + "
  • a dangerous fault - this involves actual danger to you, the examiner, the public or property
  • ", + "
  • a serious fault - something potentially dangerous
  • ", + "
  • a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault
  • ", + "

    Pass mark

    ", + "

    You\u2019ll pass your driving test if you make:

    ", + "
  • no more than 15 driving faults (sometimes called \u2018minors\u2019)
  • ", + "
  • no serious or dangerous faults (sometimes called \u2018majors\u2019)
  • ", + "

    If you pass your test

    ", + "

    The examiner will:

    ", + "
  • tell you what faults you made, if any
  • ", + "
  • give you a pass certificate
  • ", + "
  • ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this
  • ", + "

    Apply for your full driving licence within 2 years of passing your test if you do not want to get your licence automatically.

    ", + "

    When you can start driving

    ", + "

    You can start driving straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.

    ", + "

    Contact DVLA if your full licence has not arrived 3 weeks after you applied for it.

    ", + "

    If you do not pass

    ", + "

    The examiner will tell you what faults you made.

    ", + "

    You have to book another test and pay again. You have to choose a date at least 10 working days away.

    ", + "

    Appeal your driving test

    ", + "

    You can appeal your driving test if you can prove that your driving examiner did not follow the law.

    ", + "

    Read the guidance on appealing your driving test to check if your examiner followed the law.

    ", + "

    If you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)

    ", + "

    If DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.

    ", + "

    If DVSA does not agree with your complaint you may be able to appeal to a court instead.

    ", + "

    Appeal your driving test to a court

    ", + "

    You can appeal if you can prove that your examiner did not follow the law when they carried out your test.

    ", + "

    Your test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.

    ", + "

    You might have to pay significant legal costs if your appeal is unsuccessful.

    ", + "

    You\u2019ll need to appeal within:

    ", + "
  • 6 months of your driving test in England and Wales
  • ", + "
  • 21 days of your driving test in Scotland
  • ", + "

    Check if you can appeal.

    ", + "

    If your test is cancelled or there's bad weather

    ", + "

    Your driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.

    ", + "

    If your test is suspended due to coronavirus (COVID-19)

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You need to have passed a theory test in the last 2 years to take your driving test. Your theory test certificate will not be extended.

    ", + "

    Bad weather

    ", + "

    Driving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.

    ", + "

    Call your test centre if there are any of these conditions on the day of your test.

    ", + "

    The phone number for the test centre is on your booking confirmation email.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it\u2019s not suitable.

    ", + "

    You cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.

    ", + "

    Problems with you or your car

    ", + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example, if you feel unwell while taking your test
  • ", + "
  • your car, for example, if it breaks down during the test or does not meet the rules to be used
  • ", + "

    If your test is cancelled for another reason

    ", + "

    Sometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    ", + "

    If you have a disability, health condition or learning difficulty

    ", + "

    When you book your driving test you should say if you have a:

    ", + "
  • disability
  • ", + "
  • health condition
  • ", + "
  • learning difficulty
  • ", + "
  • reason not to wear a face covering
  • ", + "

    You\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.

    ", + "

    You have a disability

    ", + "

    You\u2019ll have time with the examiner once you start the test to talk about:

    ", + "
  • your disability
  • ", + "
  • any adaptations fitted to your car
  • ", + "

    They might also agree for you to have more time for instructions and directions during your test.

    ", + "

    You\u2019re deaf or have a hearing impairment

    ", + "

    The examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.

    ", + "

    The examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.

    ", + "

    Using a sign language interpreter

    ", + "

    You can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.

    ", + "

    Your driving instructor can be your interpreter.

    ", + "

    You need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.

    ", + "

    You\u2019re pregnant

    ", + "

    You can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.

    ", + "

    You have reading difficulties

    ", + "

    When you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.

    ", + "

    You have learning difficulties

    ", + "

    The examiner will make adjustments for the independent driving part of the test if you have learning difficulties.

    ", + "

    They might ask if you\u2019d prefer to follow traffic signs instead of directions from a sat nav.

    ", + "

    Using your own car for your test

    ", + "

    You can take your driving test in your own car rather than your driving instructor\u2019s if it meets certain rules.

    ", + "

    Your test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.

    ", + "

    Rules about the car

    ", + "

    Your car must:

    ", + "
  • be taxed
  • ", + "
  • be insured for a driving test (check with your insurance company)
  • ", + "
  • be roadworthy and have a current MOT (if it\u2019s over 3 years old)
  • ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "
  • be able to reach at least 62mph and have an mph speedometer
  • ", + "
  • have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg
  • ", + "

    The MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.

    ", + "

    Coronavirus (COVID-19) safety

    ", + "

    Because of COVID-19, you must clean the inside of your car before your test.

    ", + "

    This means:

    ", + "
  • tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    ", + "

    Things that must be fitted

    ", + "

    The car must have:

    ", + "
  • an extra interior rear-view mirror for the examiner
  • ", + "
  • L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear
  • ", + "
  • a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)
  • ", + "

    Dashcams and other cameras

    ", + "

    You can use a camera fitted for insurance purposes, as long as it:

    ", + "
  • faces outside of the car and does not film the inside
  • ", + "
  • does not record audio from inside the car
  • ", + "

    Vehicle features

    ", + "

    You can use a car with:

    ", + "
  • an electronic parking brake
  • ", + "
  • hill-start assist
  • ", + "

    Manual and automatic cars

    ", + "

    You can take the test in a:

    ", + "
  • manual car - these have 3 pedals
  • ", + "
  • automatic or semi-automatic car - these have 2 pedals
  • ", + "

    If you take your test in a semi-automatic car you\u2019ll only be able to drive automatic and semi-automatic cars once you\u2019ve passed your test.

    ", + "

    Hire cars

    ", + "

    You can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.

    ", + "

    Cars you cannot use

    ", + "

    Some cars cannot be used in the test because they do not give the examiner all-round vision.

    ", + "

    You cannot use any of the following:

    ", + "
  • BMW Mini convertible
  • ", + "
  • Ford KA convertible
  • ", + "
  • Toyota iQ
  • ", + "
  • VW Beetle convertible
  • ", + "

    Check with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:

    ", + "
  • convertible car
  • ", + "
  • panel van
  • ", + "

    Cars with known safety faults

    ", + "

    You cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.

    ", + "

    You must bring the proof that it\u2019s safe with you when you take your test.

    ", + " | Reason for recall | Vehicles affected | Recall issue date", + "Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016", + "Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016", + "Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016", + "Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014", + "Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014", + "Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014", + "

    Proof you need to bring to your test

    ", + "

    You must bring proof that says one of the following:

    ", + "
  • the car was recalled and the recall work has been done
  • ", + "
  • the car was recalled but did not need any work to be done
  • ", + "
  • the car was not part of the recall
  • ", + "

    The proof must be either:

    ", + "
  • the recall letter or safety notice, stamped by the manufacturer or dealer
  • ", + "
  • on official or headed notepaper from the manufacturer or a dealer
  • ", + "

    Your test will be cancelled and you could lose your fee if you do not bring the right proof.

    " + ] + }, + "https://www.gov.uk/ride-motorcycle-moped": { + "url": "https://www.gov.uk/ride-motorcycle-moped", + "title": "Riding a motorcycle, moped or motor tricycle", + "content": "## Overview\n\nThere are different rules if you held a motorcycle or moped licence before 19 January 2013.\n\nTo ride on public roads you first need to get a provisional licence and then complete compulsory basic training (CBT) to get a certificate.\n\nYou must pass both parts of your practical test within 2 years of taking the theory test. If you do not, you\u2019ll have to start the process again.\n\n## Motorcycles\n\nThere are different categories of motorbike - you\u2019ll need to get the right entitlement on your licence and be old enough to do so.\n\n## Mopeds\n\nThe way moped entitlements are shown on your licence have changed, but you still need to be 16 to ride one.\n\nThe rules are different if you already have a car driving licence.\n\n## Motor tricycles\n\nProvisional category B car licences and provisional category A licences now only cover you to ride motor tricycles if you have a physical disability. Driving tests for 3-wheeled vehicles are only available for physically disabled drivers.\n\nIf you\u2019re not physically disabled and want to ride a motor tricycle you\u2019ll now need to get the right provisional entitlement and pass CBT.\n\nYou can drive a motor tricycle of any power rating if both of the following are true:\n\n- you\u2019re over 21\n\n- you have a full car driving licence\n\nYou\u2019ll need a full category A1 motorbike licence to ride motor tricycles up to power output 15 Kilowatts (kW), and a full category A motorbike licence to ride trikes with a power output more than 15 kW.\n\nOnce you\u2019ve done your CBT you have 2 years to pass your theory and motorcycle tests or you\u2019ll have to do CBT again.\n\n## If you have a full EU driving licence\n\nBefore you can take a CBT course you must either:\n\n- exchange your licence for a Great Britain (GB) licence\n\n- register your licence with DVLA\n\nIf you register your EU driving licence, you\u2019ll have to exchange it for a GB licence after you\u2019ve passed your theory and practical test.\n\n## Learning to ride\n\nYou need to have the right provisional driving licence when you\u2019re learning to ride.\n\nIf you\u2019re using your own vehicle you\u2019ll need to make sure it:\n\n- has a valid V5C registration certificate (log book)\n\n- is taxed\n\n- has an MOT (if needed)\n\nYou\u2019ll also need adequate motor insurance.\n\n## Official Driver and Vehicle Standards Agency (DVSA) guides\n\nYou can buy the official DVSA guide to learning to ride and the DVSA guide to riding - the essential skills.\n\n## Taking the full motorcycle tests\n\nAll riders have to pass the theory test before taking the motorcycle practical test.\n\n## Enhanced rider scheme\n\nOnce you\u2019ve passed your motorcycle test you can take the enhanced rider scheme. It checks your riding skills and provides training to help you improve. You can get discounts on motorbike insurance if you successfully complete the scheme.\n\n## More information\n\nRead DVLA\u2019s routes to your motorcycle licence flowchart for step-by-step instructions on how to get a moped or motorbike licence.\n\n## Licences issued before 19 January 2013\n\nIf you held a motorcycle or moped licence before 19 January 2013 then you\u2019ll keep your existing entitlements and can still ride the same kind of bikes as you did before.\n\nHowever, if you get a new licence your entitlements may be shown differently.\n\nYou\u2019ll have to follow the new rules if you want to get higher entitlements - eg ride a larger motorbike.\n\n## Mopeds\n\n## Changes to moped categories\n\nIf you\u2019re already licensed to ride a moped your driving licence will show as category P.\n\nThe new rules will not affect you, but any new licences issued to you will show categories AM and Q, as well as category P. This means you will also be allowed to ride 2 or 3-wheeled mopeds with a top speed of 50 km/h.\n\n## Car driving test passed before 1 February 2001\n\nYou do not need to take compulsory basic training (CBT) to ride a moped if you passed your car driving test before 1 February 2001. You\u2019ll still need to complete CBT to ride a motorbike, however.\n\n## Car driving test passed on or after 1 February 2001\n\nYou need to take CBT to ride a moped if you passed your car driving test on or after 1 February 2001.\n\nHowever, you will not need to take further theory and practical tests or take CBT again.\n\n## Motorcycles\n\nIf you\u2019re already licensed to ride a motorcycle, your licence should show category A. This will be the same if you renew or replace your licence after 19 January 2013.\n\n## Motor tricycles\n\nIf you hold category B1 entitlement (trikes and quads), when you renew or replace your licence after 19 January 2013 it will show categories B1 and A. The A entitlement will be limited to tricycles and you will not be able to ride motorbikes you were not previously allowed to.\n\nProvisional licences now only cover you to ride motor tricycles if you have a physical disability. Driving tests for 3-wheeled vehicles are only available for physically disabled drivers.\n\nNon-disabled drivers who want to ride motor tricycles need to pass CBT and the theory and practical tests on a 2-wheeled motorbike.\n\n## Bike categories, ages and licence requirements\n\n| | Licence category | Requirements for licence | Minimum age |\n\n| Mopeds with speed range of 25 km/h to 45 km/h | AM | Compulsory basic training (CBT), theory test, practical test on all powered 2-wheeled moped | 16 |\n\n| Small 3-wheelers (up to 50 cc and below 4 kW) | AM | CBT, theory test, practical test | 16 |\n\n| Light quadricycles (weighing under 350 kg, top speed 45 km/h) | AM | CBT, theory test, practical test | 16 |\n\n| Same as AM plus 2 or 3-wheeled mopeds with top speed of 25 km/h | Q | Granted with AM | 16 |\n\n| Light motorcycle up to 11 kW (and a power-to-weight ratio not more than 0.1 kW per kg) and 125 cc | A1 | CBT, theory test, practical test | 17 |\n\n| Motor tricycles with a power output not more than 15 kW | A1 | CBT, theory test, practical test | 17 |\n\n| Standard motorcycle up to 35 kW (and a power-to-weight ratio not more than 0.2 kW per kg), bike must not be derived from vehicle more than twice its power | A2 | Direct access route - theory and practicalProgressive access route - 2 years experience on A1 motorbike and a further practical test | 19 |\n\n| Unrestricted motorcycles in size/power, with or without a sidecar, and motor tricycles with power output over 15 kW | A | Direct access route - CBT theory and practical (you must be at least 24)Progressive access route - held an A2 licence for a minimum of 2 years - practical test (21 or over) | 24 (direct) or 21 (progressive access) |\n\nYou do not need to take the theory or motorcycle tests to apply for a provisional licence.\n\nRead about the rules for the motorcycle theory test and practical riding test.\n\n## Safety equipment\n\n## Helmet\n\nYou must wear a safety helmet when riding a motorcycle on the road. All helmets sold in the UK must comply with at least 1 of these:\n\n- British Standard BS 6658:1985 and carry the BSI (British Standards Institution) Kitemark\n\n- UNECE Regulation 22.05\n\n- any standard accepted by a member of the European Economic Area which offers a level of safety and protection equivalent to BS 6658:1985 and carry a mark equivalent to the BSI Kitemark\n\nYou must wear glasses or contact lenses when you ride if you need them to read a number plate at the prescribed distance.\n\n## Visors and goggles\n\nYour visors or goggles must comply with either:\n\n- a British Standard and displays a BSI Kitemark\n\n- a European standard which offers a level of safety and protection at least equivalent to the British Standard and carries a mark equivalent to the BSI Kitemark (ECE 22-05)", + "original_contents": [ + "

    Overview

    ", + "

    There are different rules if you held a motorcycle or moped licence before 19 January 2013.

    ", + "

    To ride on public roads you first need to get a provisional licence and then complete compulsory basic training (CBT) to get a certificate.

    ", + "

    You must pass both parts of your practical test within 2 years of taking the theory test. If you do not, you\u2019ll have to start the process again.

    ", + "

    Motorcycles

    ", + "

    There are different categories of motorbike - you\u2019ll need to get the right entitlement on your licence and be old enough to do so.

    ", + "

    Mopeds

    ", + "

    The way moped entitlements are shown on your licence have changed, but you still need to be 16 to ride one.

    ", + "

    The rules are different if you already have a car driving licence.

    ", + "

    Motor tricycles

    ", + "

    Provisional category B car licences and provisional category A licences now only cover you to ride motor tricycles if you have a physical disability. Driving tests for 3-wheeled vehicles are only available for physically disabled drivers.

    ", + "

    If you\u2019re not physically disabled and want to ride a motor tricycle you\u2019ll now need to get the right provisional entitlement and pass CBT.

    ", + "

    You can drive a motor tricycle of any power rating if both of the following are true:

    ", + "
  • you\u2019re over 21
  • ", + "
  • you have a full car driving licence
  • ", + "

    You\u2019ll need a full category A1 motorbike licence to ride motor tricycles up to power output 15 Kilowatts (kW), and a full category A motorbike licence to ride trikes with a power output more than 15 kW.

    ", + "

    Once you\u2019ve done your CBT you have 2 years to pass your theory and motorcycle tests or you\u2019ll have to do CBT again.

    ", + "

    If you have a full EU driving licence

    ", + "

    Before you can take a CBT course you must either:

    ", + "
  • exchange your licence for a Great Britain (GB) licence
  • ", + "
  • register your licence with DVLA
  • ", + "

    If you register your EU driving licence, you\u2019ll have to exchange it for a GB licence after you\u2019ve passed your theory and practical test.

    ", + "

    Learning to ride

    ", + "

    You need to have the right provisional driving licence when you\u2019re learning to ride.

    ", + "

    If you\u2019re using your own vehicle you\u2019ll need to make sure it:

    ", + "
  • has a valid V5C registration certificate (log book)
  • ", + "
  • is taxed
  • ", + "
  • has an MOT (if needed)
  • ", + "

    You\u2019ll also need adequate motor insurance.

    ", + "

    Official Driver and Vehicle Standards Agency (DVSA) guides

    ", + "

    You can buy the official DVSA guide to learning to ride and the DVSA guide to riding - the essential skills.

    ", + "

    Taking the full motorcycle tests

    ", + "

    All riders have to pass the theory test before taking the motorcycle practical test.

    ", + "

    Enhanced rider scheme

    ", + "

    Once you\u2019ve passed your motorcycle test you can take the enhanced rider scheme. It checks your riding skills and provides training to help you improve. You can get discounts on motorbike insurance if you successfully complete the scheme.

    ", + "

    More information

    ", + "

    Read DVLA\u2019s routes to your motorcycle licence flowchart for step-by-step instructions on how to get a moped or motorbike licence.

    ", + "

    Licences issued before 19 January 2013

    ", + "

    If you held a motorcycle or moped licence before 19 January 2013 then you\u2019ll keep your existing entitlements and can still ride the same kind of bikes as you did before.

    ", + "

    However, if you get a new licence your entitlements may be shown differently.

    ", + "

    You\u2019ll have to follow the new rules if you want to get higher entitlements - eg ride a larger motorbike.

    ", + "

    Mopeds

    ", + "

    Changes to moped categories

    ", + "

    If you\u2019re already licensed to ride a moped your driving licence will show as category P.

    ", + "

    The new rules will not affect you, but any new licences issued to you will show categories AM and Q, as well as category P. This means you will also be allowed to ride 2 or 3-wheeled mopeds with a top speed of 50 km/h.

    ", + "

    Car driving test passed before 1 February 2001

    ", + "

    You do not need to take compulsory basic training (CBT) to ride a moped if you passed your car driving test before 1 February 2001. You\u2019ll still need to complete CBT to ride a motorbike, however.

    ", + "

    Car driving test passed on or after 1 February 2001

    ", + "

    You need to take CBT to ride a moped if you passed your car driving test on or after 1 February 2001.

    ", + "

    However, you will not need to take further theory and practical tests or take CBT again.

    ", + "

    Motorcycles

    ", + "

    If you\u2019re already licensed to ride a motorcycle, your licence should show category A. This will be the same if you renew or replace your licence after 19 January 2013.

    ", + "

    Motor tricycles

    ", + "

    If you hold category B1 entitlement (trikes and quads), when you renew or replace your licence after 19 January 2013 it will show categories B1 and A. The A entitlement will be limited to tricycles and you will not be able to ride motorbikes you were not previously allowed to.

    ", + "

    Provisional licences now only cover you to ride motor tricycles if you have a physical disability. Driving tests for 3-wheeled vehicles are only available for physically disabled drivers.

    ", + "

    Non-disabled drivers who want to ride motor tricycles need to pass CBT and the theory and practical tests on a 2-wheeled motorbike.

    ", + "

    Bike categories, ages and licence requirements

    ", + " | Licence category | Requirements for licence | Minimum age", + "Mopeds with speed range of 25 km/h to 45 km/h | AM | Compulsory basic training (CBT), theory test, practical test on all powered 2-wheeled moped | 16", + "Small 3-wheelers (up to 50 cc and below 4 kW) | AM | CBT, theory test, practical test | 16", + "Light quadricycles (weighing under 350 kg, top speed 45 km/h) | AM | CBT, theory test, practical test | 16", + "Same as AM plus 2 or 3-wheeled mopeds with top speed of 25 km/h | Q | Granted with AM | 16", + "Light motorcycle up to 11 kW (and a power-to-weight ratio not more than 0.1 kW per kg) and 125 cc | A1 | CBT, theory test, practical test | 17", + "Motor tricycles with a power output not more than 15 kW | A1 | CBT, theory test, practical test | 17", + "Standard motorcycle up to 35 kW (and a power-to-weight ratio not more than 0.2 kW per kg), bike must not be derived from vehicle more than twice its power | A2 | Direct access route - theory and practicalProgressive access route - 2 years experience on A1 motorbike and a further practical test | 19", + "Unrestricted motorcycles in size/power, with or without a sidecar, and motor tricycles with power output over 15 kW | A | Direct access route - CBT theory and practical (you must be at least 24)Progressive access route - held an A2 licence for a minimum of 2 years - practical test (21 or over) | 24 (direct) or 21 (progressive access)", + "

    You do not need to take the theory or motorcycle tests to apply for a provisional licence.

    ", + "

    Read about the rules for the motorcycle theory test and practical riding test.

    ", + "

    Safety equipment

    ", + "

    Helmet

    ", + "

    You must wear a safety helmet when riding a motorcycle on the road. All helmets sold in the UK must comply with at least 1 of these:

    ", + "
  • British Standard BS 6658:1985 and carry the BSI (British Standards Institution) Kitemark
  • ", + "
  • UNECE Regulation 22.05
  • ", + "
  • any standard accepted by a member of the European Economic Area which offers a level of safety and protection equivalent to BS 6658:1985 and carry a mark equivalent to the BSI Kitemark
  • ", + "

    You must wear glasses or contact lenses when you ride if you need them to read a number plate at the prescribed distance.

    ", + "

    Visors and goggles

    ", + "

    Your visors or goggles must comply with either:

    ", + "
  • a British Standard and displays a BSI Kitemark
  • ", + "
  • a European standard which offers a level of safety and protection at least equivalent to the British Standard and carries a mark equivalent to the BSI Kitemark (ECE 22-05)
  • " + ] + }, + "https://www.gov.uk/motorcycle-cbt": { + "url": "https://www.gov.uk/motorcycle-cbt", + "title": "CBT motorcycle and moped training", + "content": "## Who needs to take training\n\nCompulsory basic training (CBT) is a course you usually have to take before you ride a moped or motorcycle on the road.\n\nThe training makes sure you can ride safely on your own while you practise for your full moped or motorcycle test.\n\nCBT is not a test that you pass or fail.\n\nAfter you\u2019ve completed CBT, you can ride a:\n\n- moped if you\u2019re 16 or over\n\n- motorcycle up to 125cc and with a power output of up to 11kW if you\u2019re 17 or over\n\nYou must use L plates (L or D plates in Wales).\n\nYou must pass your full moped or motorcycle test within 2 years, or you have to either take CBT again or stop riding.\n\nYou can be fined up to \u00a31,000 and get up to 6 penalty points for riding if you do not have a valid CBT certificate.\n\n## When you do not need to take CBT\n\nYou do not have to take CBT if you:\n\n- want to ride a moped (up to 50cc) and you passed your car driving test before 1 February 2001\n\n- want to ride a motorcycle and have a full moped licence from passing a moped test since 1 December 1990\n\n- have a full motorcycle licence for one category and want to upgrade to another\n\n- live and ride on some offshore islands\n\n- want to ride a trial e-scooter\n\n## Booking your CBT course\n\nBook your CBT course directly with a motorcycle training school.\n\nThe training school sets the course price. The price depends on where you do the training and if you bring your own moped or motorcycle.\n\nThe training school can ask you to share your driving licence information with them before the course.\n\n## Preparing for your CBT course\n\nYour trainer can stop your compulsory basic training (CBT) course if your basic knowledge of The Highway Code and traffic signs is not good enough for you to ride safely.\n\nYou need to know:\n\n- the main rules that apply to moped and motorcycle riders\n\n- what other road users are likely to do\n\nYou can be charged again to retake the course if your trainer stops your training because you are not prepared.\n\nYou can buy the guide to learning to ride to help you prepare. You can also buy it from high street and online book shops.\n\n## What to take to your course\n\nTake your UK driving licence to your training course.\n\n## What you need to wear\n\nYou must wear:\n\n- a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban) - check if the training school will provide one\n\n- motorcycle boots or other sturdy footwear that supports and protects your ankles\n\n- textile or leather motorcycle trousers or heavy denim trousers\n\n- a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath\n\n- motorcycle gloves\n\nYour course can be stopped and you can be charged to take it again if you do not wear suitable clothing.\n\n## Using your own moped or motorcycle\n\nYou cannot ride your own moped or motorcycle to the course unless you already have a CBT certificate - for example, if you\u2019re taking CBT again before your current certificate expires.\n\nYou can be fined up to \u00a31,000 and get up to 6 penalty points for riding if you do not have a valid CBT certificate.\n\n## How the training works\n\nThe CBT course usually lasts a full day. It can take longer depending on how quickly you learn.\n\nThere are 5 parts to the course:\n\n- introduction and eyesight check\n\n- on-site training\n\n- on-site riding\n\n- on-road training\n\n- on-road riding\n\nThe CBT course syllabus tells you more about what\u2019s involved in each part.\n\nYou move from one part to the next when your trainer is happy you\u2019ve:\n\n- learnt the theory\n\n- shown the practical skills to a safe basic level\n\n## On-road riding\n\nThe on-road riding part must last at least 2 hours. Complain to the Driver and Vehicle Standards Agency (DVSA) if the trainer cuts this short.\n\n## How many people you\u2019ll train with\n\nYou might train with other learners. There\u2019s a maximum number of:\n\n- 4 learners per trainer for on-site parts\n\n- 2 learners per trainer for on-road parts\n\nComplain to DVSA if there are more learners than this.\n\n## When you complete the course\n\nYou\u2019ll get a \u2018certificate of completion\u2019 (sometimes called a \u2018DL196\u2019) when you successfully complete the course.\n\nYou can then ride a moped or motorcycle up to 125cc and with a power output of up to 11kW on the road with L plates (L or D plates in Wales).\n\nYou must pass your theory test and full moped or motorcycle test within 2 years otherwise you\u2019ll need to complete CBT again or stop riding.\n\n## If you have a car driving licence\n\nYou can ride a moped (up to 50cc) without L plates and without taking the moped test in some situations.\n\n## You passed your driving test on or after 1 February 2001\n\nYou\u2019ll get a full moped licence if you either:\n\n- pass your car driving test and then complete a compulsory basic training (CBT) course\n\n- complete a CBT course and then pass your car driving test within two years\n\nYou can then ride a moped (up to 50cc) without L plates. You do not need to take the full moped test.\n\nYou can ride mopeds for as long as your car driving licence lasts.\n\n## You passed your driving test before 1 February 2001\n\nYou can ride a moped (up to 50cc) without L plates. You do not need to take a CBT course or take the full moped test.\n\nYou must take CBT if you want to ride anything larger than a 50cc moped.\n\n## If you ride on offshore islands\n\nYou must take compulsory basic training (CBT) to ride in these places:\n\n- the Isle of Wight\n\n- South Uist\n\n- North Uist\n\n- Benbecula\n\n- Harris\n\n- Lewis\n\n- mainland Orkney\n\n- mainland Shetland\n\n- any other island connected to mainland Great Britain by road\n\nYou do not need to take CBT to ride on other offshore islands.\n\n## Complain about a CBT course\n\nGet help from Citizens Advice if you want to complain about your motorcycle training school\u2019s service, or get a refund from them.\n\n## Standard of training\n\nContact the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with the standard of training you received, including if:\n\n- the on-road riding part did not last at least 2 hours\n\n- there were too many learners per trainer\n\nYou need to give:\n\n- your trainer\u2019s name and the training school name\n\n- the address where you took the training\n\n- the date and time you took the training\n\n- details of why you\u2019re not happy with the training", + "original_contents": [ + "

    Who needs to take training

    ", + "

    Compulsory basic training (CBT) is a course you usually have to take before you ride a moped or motorcycle on the road.

    ", + "

    The training makes sure you can ride safely on your own while you practise for your full moped or motorcycle test.

    ", + "

    CBT is not a test that you pass or fail.

    ", + "

    After you\u2019ve completed CBT, you can ride a:

    ", + "
  • moped if you\u2019re 16 or over
  • ", + "
  • motorcycle up to 125cc and with a power output of up to 11kW if you\u2019re 17 or over
  • ", + "

    You must use L plates (L or D plates in Wales).

    ", + "

    You must pass your full moped or motorcycle test within 2 years, or you have to either take CBT again or stop riding.

    ", + "

    You can be fined up to \u00a31,000 and get up to 6 penalty points for riding if you do not have a valid CBT certificate.

    ", + "

    When you do not need to take CBT

    ", + "

    You do not have to take CBT if you:

    ", + "
  • want to ride a moped (up to 50cc) and you passed your car driving test before 1 February 2001
  • ", + "
  • want to ride a motorcycle and have a full moped licence from passing a moped test since 1 December 1990
  • ", + "
  • have a full motorcycle licence for one category and want to upgrade to another
  • ", + "
  • live and ride on some offshore islands
  • ", + "
  • want to ride a trial e-scooter
  • ", + "

    Booking your CBT course

    ", + "

    Book your CBT course directly with a motorcycle training school.

    ", + "

    The training school sets the course price. The price depends on where you do the training and if you bring your own moped or motorcycle.

    ", + "

    The training school can ask you to share your driving licence information with them before the course.

    ", + "

    Preparing for your CBT course

    ", + "

    Your trainer can stop your compulsory basic training (CBT) course if your basic knowledge of The Highway Code and traffic signs is not good enough for you to ride safely.

    ", + "

    You need to know:

    ", + "
  • the main rules that apply to moped and motorcycle riders
  • ", + "
  • what other road users are likely to do
  • ", + "

    You can be charged again to retake the course if your trainer stops your training because you are not prepared.

    ", + "

    You can buy the guide to learning to ride to help you prepare. You can also buy it from high street and online book shops.

    ", + "

    What to take to your course

    ", + "

    Take your UK driving licence to your training course.

    ", + "

    What you need to wear

    ", + "

    You must wear:

    ", + "
  • a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban) - check if the training school will provide one
  • ", + "
  • motorcycle boots or other sturdy footwear that supports and protects your ankles
  • ", + "
  • textile or leather motorcycle trousers or heavy denim trousers
  • ", + "
  • a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath
  • ", + "
  • motorcycle gloves
  • ", + "

    Your course can be stopped and you can be charged to take it again if you do not wear suitable clothing.

    ", + "

    Using your own moped or motorcycle

    ", + "

    You cannot ride your own moped or motorcycle to the course unless you already have a CBT certificate - for example, if you\u2019re taking CBT again before your current certificate expires.

    ", + "

    You can be fined up to \u00a31,000 and get up to 6 penalty points for riding if you do not have a valid CBT certificate.

    ", + "

    How the training works

    ", + "

    The CBT course usually lasts a full day. It can take longer depending on how quickly you learn.

    ", + "

    There are 5 parts to the course:

    ", + "
  • introduction and eyesight check
  • ", + "
  • on-site training
  • ", + "
  • on-site riding
  • ", + "
  • on-road training
  • ", + "
  • on-road riding
  • ", + "

    The CBT course syllabus tells you more about what\u2019s involved in each part.

    ", + "

    You move from one part to the next when your trainer is happy you\u2019ve:

    ", + "
  • learnt the theory
  • ", + "
  • shown the practical skills to a safe basic level
  • ", + "

    On-road riding

    ", + "

    The on-road riding part must last at least 2 hours. Complain to the Driver and Vehicle Standards Agency (DVSA) if the trainer cuts this short.

    ", + "

    How many people you\u2019ll train with

    ", + "

    You might train with other learners. There\u2019s a maximum number of:

    ", + "
  • 4 learners per trainer for on-site parts
  • ", + "
  • 2 learners per trainer for on-road parts
  • ", + "

    Complain to DVSA if there are more learners than this.

    ", + "

    When you complete the course

    ", + "

    You\u2019ll get a \u2018certificate of completion\u2019 (sometimes called a \u2018DL196\u2019) when you successfully complete the course.

    ", + "

    You can then ride a moped or motorcycle up to 125cc and with a power output of up to 11kW on the road with L plates (L or D plates in Wales).

    ", + "

    You must pass your theory test and full moped or motorcycle test within 2 years otherwise you\u2019ll need to complete CBT again or stop riding.

    ", + "

    If you have a car driving licence

    ", + "

    You can ride a moped (up to 50cc) without L plates and without taking the moped test in some situations.

    ", + "

    You passed your driving test on or after 1 February 2001

    ", + "

    You\u2019ll get a full moped licence if you either:

    ", + "
  • pass your car driving test and then complete a compulsory basic training (CBT) course
  • ", + "
  • complete a CBT course and then pass your car driving test within two years
  • ", + "

    You can then ride a moped (up to 50cc) without L plates. You do not need to take the full moped test.

    ", + "

    You can ride mopeds for as long as your car driving licence lasts.

    ", + "

    You passed your driving test before 1 February 2001

    ", + "

    You can ride a moped (up to 50cc) without L plates. You do not need to take a CBT course or take the full moped test.

    ", + "

    You must take CBT if you want to ride anything larger than a 50cc moped.

    ", + "

    If you ride on offshore islands

    ", + "

    You must take compulsory basic training (CBT) to ride in these places:

    ", + "
  • the Isle of Wight
  • ", + "
  • South Uist
  • ", + "
  • North Uist
  • ", + "
  • Benbecula
  • ", + "
  • Harris
  • ", + "
  • Lewis
  • ", + "
  • mainland Orkney
  • ", + "
  • mainland Shetland
  • ", + "
  • any other island connected to mainland Great Britain by road
  • ", + "

    You do not need to take CBT to ride on other offshore islands.

    ", + "

    Complain about a CBT course

    ", + "

    Get help from Citizens Advice if you want to complain about your motorcycle training school\u2019s service, or get a refund from them.

    ", + "

    Standard of training

    ", + "

    Contact the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with the standard of training you received, including if:

    ", + "
  • the on-road riding part did not last at least 2 hours
  • ", + "
  • there were too many learners per trainer
  • ", + "

    You need to give:

    ", + "
  • your trainer\u2019s name and the training school name
  • ", + "
  • the address where you took the training
  • ", + "
  • the date and time you took the training
  • ", + "
  • details of why you\u2019re not happy with the training
  • " + ] + }, + "https://www.gov.uk/motorcycle-theory-test": { + "url": "https://www.gov.uk/motorcycle-theory-test", + "title": "Theory test: motorcycles and mopeds", + "content": "## Booking your test\n\nYou need to have a provisional motorcycle licence to book your theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You have to pass both parts to pass the test.\n\n## When you can take the theory test\n\nYou can take the theory test from your:\n\n- 16th birthday onwards if you\u2019re learning to ride a moped (no more than 50cc)\n\n- 17th birthday onwards if you\u2019re learning to ride a motorcycle\n\nYou can take the theory test before or after you\u2019ve taken compulsory basic training (CBT).\n\n## Who needs to take the theory test\n\nYou usually need to have passed a motorcycle theory test before you take the motorcycle test.\n\nFind out which motorcycles you can ride and which tests you need to take.\n\nYou do not need to take the theory test if you passed a moped test after 1 July 1996 and want to either:\n\n- take the motorcycle test on a category A1 small motorcycle\n\n- upgrade your motorcycle licence under the \u2018progressive access\u2019 (also known as \u2018staged access\u2019) rules\n\n## If you have a car licence\n\nYou have to pass a motorcycle theory test before taking the motorcycle test.\n\n## If your licence is not from Great Britain\n\nFind out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.\n\n## Change or check your test details\n\nYou can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.\n\n## Theory test revision and practice\n\nYou can use books and software to revise for the theory test and take practice tests.\n\n## Multiple-choice questions\n\nThe questions in the theory test are based on 3 books:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Riding - the essential skills\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them from most high street and online book shops.\n\n## Take a practice test\n\nTake a practice theory test to check how much you\u2019ve learnt.\n\nThe practice questions are not used in the real test, but they\u2019re based on the same topics as the test.\n\n## Hazard perception part\n\nBuy the official guide to hazard perception for your PC or Mac to learn hazard perception skills and then test them.\n\nYou can buy it from most high street and online book shops.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 57 minutes to answer 50 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\nSome questions are given as a case study. The case study will:\n\n- show a short story that 5 questions will be based on\n\n- be about a real life situation you could come across when driving\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou get the result at the test centre after taking the theory test. You need to pass both parts to pass the test.\n\n| Test part | Pass mark | Points available |\n\n| Multiple-choice questions | 43 | 50 |\n\n| Hazard perception | 44 | 75 |\n\n## If you pass\n\nYou\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your motorcycle test.\n\nYour pass certificate number lasts for 2 years. You need to pass both modules of the motorcycle test in that time, otherwise you\u2019ll have to pass the theory test again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou have to book and take the full test again, even if you passed one part this time.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have a reading difficulty, disability or health condition\n\nWhen you book your theory test you should say if you have a:\n\n- reading difficulty\n\n- disability\n\n- health condition\n\n## You have reading difficulties\n\nYou can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.\n\nYou can listen to the questions and possible answers as many times as you need to.\n\n## Other types of support\n\nYou can get other support during your theory test if you send proof that you have reading difficulties.\n\nThis can be an email, letter or report from:\n\n- a teacher or other educational professional\n\n- a doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association\n\nYou can get:\n\n- extra time to take the test\n\n- someone to read what\u2019s on the screen and record your answers\n\n- someone to reword the questions for you\n\nThe Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.\n\nIf DVSA agrees that you need extra support, they will send you an email with:\n\n- a reference number (you will need this when you book your test)\n\n- instructions on how to book your test\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple choice questions part of the theory test.\n\n## Reading what\u2019s on the screen and recording your answers\n\nA member of staff at the test centre can read out the instructions and questions on the screen.\n\nThey can also record your answers to the multiple-choice questions.\n\nThis can be done by either:\n\n- listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen\n\n- the member of staff sitting near you in the test room\n\n## Rewording the questions for you\n\nYou can ask for a member of staff to reword the theory test questions to make them easier for you to understand.\n\nThe person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.\n\nYou still need to answer each question yourself.\n\n## You\u2019re deaf or have a hearing impairment\n\nYou can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.\n\nA BSL video appears on the screen next to the questions and answers.\n\n## Take a BSL interpreter\n\nYou can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.\n\n## Hearing loop and lip speakers\n\nYou can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).\n\nTo use either service you\u2019ll need to contact DVSA before your test.\n\n## Other disabilities or health conditions\n\nContact DVSA to discuss any other disability or health condition before you book your test.", + "original_contents": [ + "

    Booking your test

    ", + "

    You need to have a provisional motorcycle licence to book your theory test.

    ", + "

    There are 2 parts to the test:

    ", + "
  • multiple-choice questions
  • ", + "
  • hazard perception - a video test about spotting hazards on the road
  • ", + "

    You book and take them as a single test. You have to pass both parts to pass the test.

    ", + "

    When you can take the theory test

    ", + "

    You can take the theory test from your:

    ", + "
  • 16th birthday onwards if you\u2019re learning to ride a moped (no more than 50cc)
  • ", + "
  • 17th birthday onwards if you\u2019re learning to ride a motorcycle
  • ", + "

    You can take the theory test before or after you\u2019ve taken compulsory basic training (CBT).

    ", + "

    Who needs to take the theory test

    ", + "

    You usually need to have passed a motorcycle theory test before you take the motorcycle test.

    ", + "

    Find out which motorcycles you can ride and which tests you need to take.

    ", + "

    You do not need to take the theory test if you passed a moped test after 1 July 1996 and want to either:

    ", + "
  • take the motorcycle test on a category A1 small motorcycle
  • ", + "
  • upgrade your motorcycle licence under the \u2018progressive access\u2019 (also known as \u2018staged access\u2019) rules
  • ", + "

    If you have a car licence

    ", + "

    You have to pass a motorcycle theory test before taking the motorcycle test.

    ", + "

    If your licence is not from Great Britain

    ", + "

    Find out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.

    ", + "

    Change or check your test details

    ", + "

    You can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).

    ", + "

    You can check your appointment details if you\u2019ve lost your booking confirmation.

    ", + "

    Rebook your test

    ", + "

    Rebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.

    ", + "

    Theory test revision and practice

    ", + "

    You can use books and software to revise for the theory test and take practice tests.

    ", + "

    Multiple-choice questions

    ", + "

    The questions in the theory test are based on 3 books:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Riding - the essential skills
  • ", + "

    Study these to learn the rules and skills you\u2019ll be tested on.

    ", + "

    You can buy them from most high street and online book shops.

    ", + "

    Take a practice test

    ", + "

    Take a practice theory test to check how much you\u2019ve learnt.

    ", + "

    The practice questions are not used in the real test, but they\u2019re based on the same topics as the test.

    ", + "

    Hazard perception part

    ", + "

    Buy the official guide to hazard perception for your PC or Mac to learn hazard perception skills and then test them.

    ", + "

    You can buy it from most high street and online book shops.

    ", + "

    What to take to your test

    ", + "

    You must take your UK photocard driving licence to your test.

    ", + "

    If you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.

    ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your theory test appointment for free if you need to self-isolate on the day of your test.

    ", + "

    If you have a paper licence

    ", + "

    Bring a valid passport as well as your paper licence.

    ", + "

    If you do not have a passport, you need to get a photocard licence.

    ", + "

    Personal belongings

    ", + "

    You will not have access to your personal items in the test room. This includes things like:

    ", + "
  • bags
  • ", + "
  • earphones
  • ", + "
  • mobile phones
  • ", + "
  • watches
  • ", + "

    You\u2019ll usually have to store any personal items in a locker.

    ", + "

    If your test centre does not have lockers, you must:

    ", + "
  • turn off your phone before you enter the test centre
  • ", + "
  • put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test
  • ", + "

    The test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.

    ", + "

    It\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.

    ", + "

    Multiple-choice questions

    ", + "

    You have 57 minutes to answer 50 multiple-choice questions.

    ", + "

    Before the test starts you\u2019ll get:

    ", + "
  • instructions on how the test works
  • ", + "
  • the chance to do some practice questions to get used to the screens
  • ", + "

    How the test works

    ", + "

    A question and several possible answers appear on a screen. You have to select the right answer.

    ", + "

    Some questions are given as a case study. The case study will:

    ", + "
  • show a short story that 5 questions will be based on
  • ", + "
  • be about a real life situation you could come across when driving
  • ", + "

    Leaving a question

    ", + "

    You can \u2018flag\u2019 questions that you want to come back to later.

    ", + "

    Changing your answers

    ", + "

    You can go back to any question to review and change your answer at any point.

    ", + "

    When you\u2019ve finished

    ", + "

    You can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.

    ", + "

    You can have a break of up to 3 minutes before the hazard perception test starts.

    ", + "

    Hazard perception test

    ", + "

    Before you start the hazard perception test, you\u2019ll be shown a video about how it works.

    ", + "

    You\u2019ll then watch 14 video clips. The clips:

    ", + "
  • feature everyday road scenes
  • ", + "
  • contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards
  • ", + "

    You get points for spotting the developing hazards as soon as they start to happen.

    ", + "

    What a \u2018developing hazard\u2019 is

    ", + "

    A developing hazard is something that would cause you to take action, like changing speed or direction.

    ", + "

    How the scoring works

    ", + "

    You can score up to 5 points for each developing hazard.

    ", + "

    To get a high score, click the mouse as soon as you see the hazard starting to develop.

    ", + "

    You do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.

    ", + "

    You only get one attempt at each clip. You cannot review or change your responses.

    ", + "

    Pass mark and test result

    ", + "

    You get the result at the test centre after taking the theory test. You need to pass both parts to pass the test.

    ", + "Test part | Pass mark | Points available", + "Multiple-choice questions | 43 | 50", + "Hazard perception | 44 | 75", + "

    If you pass

    ", + "

    You\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your motorcycle test.

    ", + "

    Your pass certificate number lasts for 2 years. You need to pass both modules of the motorcycle test in that time, otherwise you\u2019ll have to pass the theory test again.

    ", + "

    If you fail

    ", + "

    You\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.

    ", + "

    You have to book and take the full test again, even if you passed one part this time.

    ", + "

    You have to wait at least 3 working days before taking your test again.

    ", + "

    If you have a reading difficulty, disability or health condition

    ", + "

    When you book your theory test you should say if you have a:

    ", + "
  • reading difficulty
  • ", + "
  • disability
  • ", + "
  • health condition
  • ", + "

    You have reading difficulties

    ", + "

    You can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.

    ", + "

    You can listen to the questions and possible answers as many times as you need to.

    ", + "

    Other types of support

    ", + "

    You can get other support during your theory test if you send proof that you have reading difficulties.

    ", + "

    This can be an email, letter or report from:

    ", + "
  • a teacher or other educational professional
  • ", + "
  • a doctor or medical professional
  • ", + "
  • an occupational therapist
  • ", + "
  • an online dyslexia screening product assured by the British Dyslexia Association
  • ", + "

    You can get:

    ", + "
  • extra time to take the test
  • ", + "
  • someone to read what\u2019s on the screen and record your answers
  • ", + "
  • someone to reword the questions for you
  • ", + "

    The Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.

    ", + "

    If DVSA agrees that you need extra support, they will send you an email with:

    ", + "
  • a reference number (you will need this when you book your test)
  • ", + "
  • instructions on how to book your test
  • ", + "

    Extra time to take the test

    ", + "

    You can ask for more time to do the multiple choice questions part of the theory test.

    ", + "

    Reading what\u2019s on the screen and recording your answers

    ", + "

    A member of staff at the test centre can read out the instructions and questions on the screen.

    ", + "

    They can also record your answers to the multiple-choice questions.

    ", + "

    This can be done by either:

    ", + "
  • listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen
  • ", + "
  • the member of staff sitting near you in the test room
  • ", + "

    Rewording the questions for you

    ", + "

    You can ask for a member of staff to reword the theory test questions to make them easier for you to understand.

    ", + "

    The person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.

    ", + "

    You still need to answer each question yourself.

    ", + "

    You\u2019re deaf or have a hearing impairment

    ", + "

    You can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.

    ", + "

    A BSL video appears on the screen next to the questions and answers.

    ", + "

    Take a BSL interpreter

    ", + "

    You can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.

    ", + "

    Hearing loop and lip speakers

    ", + "

    You can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).

    ", + "

    To use either service you\u2019ll need to contact DVSA before your test.

    ", + "

    Other disabilities or health conditions

    ", + "

    Contact DVSA to discuss any other disability or health condition before you book your test.

    " + ] + }, + "https://www.gov.uk/motorcycle-test": { + "url": "https://www.gov.uk/motorcycle-test", + "title": "Motorcycle and moped tests", + "content": "## Booking your tests\n\nAfter you\u2019ve passed your theory test you\u2019ll also need to pass:\n\n- an off-road riding test (known as the \u2018module 1 test\u2019)\n\n- an on-road riding test (known as the \u2018module 2 test\u2019)\n\nNormally, you can book the riding tests separately or at the same time, but you must pass the module 1 test before you take the module 2 test. There\u2019s a different fee for each module.\n\n## Motorcycle and moped tests and coronavirus (COVID-19)\n\nWear a face covering at the start and end of the test (when you\u2019ll be talking to the examiner). If you cannot wear a face covering, you must tell DVSA when booking your appointment.\n\nYou can cancel your test appointment and get a refund if you cannot or do not want to attend because of COVID-19. Your instructor will need to cancel your test for you if they booked it.\n\n## What you need to do to pass the tests\n\nTo pass the riding tests you must be able to:\n\n- ride safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you ride\n\nThe national standard for riding mopeds and motorcycles tells you everything that you must be able to do to pass the tests.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your tests.\n\n## What to take to your tests\n\nYou must take:\n\n- your UK photocard driving licence\n\n- your theory test pass certificate\n\n- a moped or motorbike\n\n- your compulsory basic training (CBT) certificate - unless you\u2019re taking the test to upgrade your full motorcycle licence\n\n- your module 1 test pass certificate - if you\u2019re taking your module 2 test\n\n- a face covering, unless you have a good reason not to wear one\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Clothing\n\nYou must wear:\n\n- a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban)\n\n- motorcycle boots or other sturdy footwear that supports and protects your ankles\n\n- textile or leather motorcycle trousers or heavy denim trousers\n\n- a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath\n\n- motorcycle gloves\n\n## Wearing a face covering\n\nYou must bring and wear a face covering at the start and end of the test when you\u2019ll be talking to the examiner, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nIf you cannot wear a face covering at the start and end of the test, you or your instructor must tell DVSA when booking.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nYou should rearrange your test if you do not get the new licence in enough time. You must do this at least 3 working days before your test date or you\u2019ll have to pay again.\n\n## If you have a paper licence\n\nYou must bring a valid passport and your paper licence if you do not have a photocard driving licence.\n\n## If you have a licence from Northern Ireland\n\nYou must bring the photocard and paper counterpart if you have a licence from Northern Ireland.\n\n## If you\u2019ve lost your theory test certificate\n\nContact DVSA with your:\n\n- name\n\n- address\n\n- date of birth\n\n- driving licence number\n\nYou\u2019ll be sent a letter that you can take to your test instead of your pass certificate.\n\n## Motorcycles and mopeds you can use for the tests\n\nThe motorcycle or moped you use for your tests must:\n\n- be a solo machine - you can only use a sidecar if you have certain disabilities\n\n- have a speedometer measuring speed in miles per hour (mph)\n\n- display L plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- be insured, taxed and roadworthy and have no engine warning lights showing\n\nRead the list of A2 and A motorcycles that can be used for riding tests.\n\n## Subcategories of motorcycles and mopeds\n\nThere are 4 subcategories of mopeds and motorcycles.\n\nIn both modules of the test, you must use:\n\n- the same subcategory as the licence you\u2019re applying for\n\n- a vehicle with the same type of transmission (manual, automatic or semi-automatic)\n\n| | Moped, tricycle or quad bike | Light motorcycle | Standard motorcycle | Unrestricted motorcycle |\n\n| Licence category | AM | A1 | A2 | A |\n\n| Minimum age of rider | 16 | 17 | 19 | 24 (direct access) or 21 (progressive access) |\n\n| Engine capacity | Up to 50cc | 120 to 125cc | At least 395cc | At least 595cc |\n\n| Maximum speed | Up to 28mph | 55mph or above | - | - |\n\n| Engine power | Up to 4kW | Up to 11kW | 20 to 35kW | At least 50kW |\n\n| Motorcycle weight (without rider) | - | - | - | At least 175kg |\n\n| Power to weight ratio | - | Up to 0.1kW/kg | Up to 0.2 kW/kg | - |\n\n## Automatic and semi-automatic motorcycles\n\nIf you pass your tests on a motorcycle with automatic or semi-automatic transmission, you\u2019ll only get a licence for those types of motorcycle.\n\n## Engines with restricted power\n\nYou can restrict the engine power of a motorcycle so that it fits within subcategory A2 (20 to 35kW). You cannot restrict it below half its original power.\n\nThis means that if the unrestricted power of the motorcycle is 60kW, you cannot restrict it any lower than 30kW. A motorcycle\u2019s unrestricted power must not be more than 70kW.\n\nYou must bring proof if you\u2019ve restricted a motorcycle to subcategory A2 - if you do not your test will be cancelled.\n\nThe proof must:\n\n- be on headed paper\n\n- be from a main dealer, official importer or recognised specialist\n\n- show the motorcycle\u2019s number plate (registration number)\n\nYou cannot use a dyno test certificate as proof of the restriction.\n\n## Motorcycles with variable power modes\n\nIf you use a switchable engine control unit (ECU) or variable power device, your motorcycle cannot have:\n\n- interchangeable carburettor heads\n\n- an exhaust manifold restrictor\n\n- a hidden ECU - it must be clear what power mode the motorcycle is in\n\n## Electric motorcycles\n\nYou can use an electric motorcycle or moped if it both:\n\n- has the same engine power as the petrol version\n\n- can keep that power for at least 30 minutes\n\nThis is known as the \u2018continuous power rating\u2019 - you can check this with the manufacturer.\n\n## If you have a disability\n\nYou can use a motorcycle with a sidecar for your tests if you have certain disabilities. You cannot have a passenger in the sidecar during the tests.\n\nYour licence will only let you ride motorcycles with sidecars.\n\nYou might be able to use a different vehicle if you\u2019re disabled - contact the Driver and Vehicle Standards Agency (DVSA) before you book your test.\n\n## Module 1 off-road test: what happens\n\nYou\u2019ll take the module 1 test in an off-road motorcycle manoeuvring area.\n\nThe test normally takes about 20 minutes and includes:\n\n- wheeling the moped or motorcycle and using the stand\n\n- riding a slalom and figure of 8\n\n- a slow ride\n\n- a U-turn\n\n- cornering and a controlled stop\n\n- cornering and an emergency stop\n\n- cornering and hazard avoidance\n\nFor the hazard avoidance and emergency stop exercises you must ride at a minimum speed of:\n\n- 19 mph on a moped\n\n- 31 mph on a motorcycle\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 1 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 1 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 5 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate - you need to take this to the module 2 test\n\nIf you\u2019re upgrading your licence through \u2018progressive access\u2019, you must pass module 2 within 6 months. You have to pass module 1 again if you do not.\n\n## If you do not pass\n\nYou\u2019ll have to book another module 1 test and pay again. You have to choose a date at least 3 working days away.\n\nIf you\u2019ve already booked the module 2 test you might need to change the date, since you must pass module 1 before you can take module 2.\n\nYou\u2019ll lose your fee if you do not give 3 full days\u2019 notice to cancel your module 2 test. Sundays and public holidays do not count as working days.\n\n## Module 2 on-road test: what happens\n\nYou must pass module 1 before you can take the module 2 test.\n\nYou can book both modules at the same time, but if you do not pass module 1 you must wait 3 working days before you can retake it.\n\nThe module 2 test normally takes about 40 minutes and includes:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- road riding\n\n- independent riding\n\nYou must bring your module 1 pass certificate to the module 2 test, plus all the documents you had to bring to the module 1 test.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nYou\u2019ll fail your riding test if you fail the eyesight check.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.\n\n## Road riding\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways. You\u2019ll be asked to carry out:\n\n- normal stops\n\n- an angle start (pulling out from behind a parked vehicle)\n\n- a hill start (where possible)\n\nThe examiner will give you directions using a radio. They\u2019ll normally follow you on a motorcycle.\n\nDriving test routes are not published, so you can not check them before your test.\n\n## Independent riding\n\nYou\u2019ll have about 10 minutes of independent riding. This is designed to assess your ability to ride safely while making your own decisions.\n\nYou can ask the examiner to repeat the directions if you forget them - you will not fail the test if you go off the route. You can not use sat nav.\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 2 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 2 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 10 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nYou can start riding without L plates straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nYou have to book another module 2 test and pay again. You have to choose a date at least 10 working days away.\n\n## If your test is cancelled or there\u2019s bad weather\n\nYour riding test can be cancelled or stopped because of bad weather, problems with your vehicle, or for other reasons.\n\n## Bad weather\n\nRiding tests are not carried out in dangerous weather conditions, for example when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is in your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your vehicle\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example if you feel unwell while taking your test\n\n- your vehicle, for example if it breaks down during the test or does not meet the rules\n\n## Your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your tests you should say if you have a:\n\n- disability\n\n- learning difficulty\n\n- health condition\n\nYou\u2019ll still have to ride to the same standard to pass, but the examiner can make adjustments for your situation.\n\nIf your health condition or disability means you cannot wear a face covering to your test, you or your instructor must tell DVSA when booking.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour motorcycle instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge.\n\n## You have reading difficulties\n\nYou\u2019ll do an eyesight check at the start of the module 2 test. The examiner will ask you to read the number plate on a parked vehicle.\n\nYou can write down what you see if you have reading difficulties.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent riding part of the module 2 test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.\n\nYou might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.\n\n## You\u2019re pregnant\n\nYou can take the tests at any stage of your pregnancy. However, you must be able and willing to:\n\n- do an emergency stop\n\n- manually handle and wheel the motorcycle\n\n- do the cornering and hazard avoidance exercise", + "original_contents": [ + "

    Booking your tests

    ", + "

    After you\u2019ve passed your theory test you\u2019ll also need to pass:

    ", + "
  • an off-road riding test (known as the \u2018module 1 test\u2019)
  • ", + "
  • an on-road riding test (known as the \u2018module 2 test\u2019)
  • ", + "

    Normally, you can book the riding tests separately or at the same time, but you must pass the module 1 test before you take the module 2 test. There\u2019s a different fee for each module.

    ", + "

    Motorcycle and moped tests and coronavirus (COVID-19)

    ", + "

    Wear a face covering at the start and end of the test (when you\u2019ll be talking to the examiner). If you cannot wear a face covering, you must tell DVSA when booking your appointment.

    ", + "

    You can cancel your test appointment and get a refund if you cannot or do not want to attend because of COVID-19. Your instructor will need to cancel your test for you if they booked it.

    ", + "

    What you need to do to pass the tests

    ", + "

    To pass the riding tests you must be able to:

    ", + "
  • ride safely in different road and traffic conditions
  • ", + "
  • show that you know The Highway Code by the way you ride
  • ", + "

    The national standard for riding mopeds and motorcycles tells you everything that you must be able to do to pass the tests.

    ", + "

    There\u2019s no minimum number of lessons you must have done before you book and take your tests.

    ", + "

    What to take to your tests

    ", + "

    You must take:

    ", + "
  • your UK photocard driving licence
  • ", + "
  • your theory test pass certificate
  • ", + "
  • a moped or motorbike
  • ", + "
  • your compulsory basic training (CBT) certificate - unless you\u2019re taking the test to upgrade your full motorcycle licence
  • ", + "
  • your module 1 test pass certificate - if you\u2019re taking your module 2 test
  • ", + "
  • a face covering, unless you have a good reason not to wear one
  • ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Clothing

    ", + "

    You must wear:

    ", + "
  • a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban)
  • ", + "
  • motorcycle boots or other sturdy footwear that supports and protects your ankles
  • ", + "
  • textile or leather motorcycle trousers or heavy denim trousers
  • ", + "
  • a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath
  • ", + "
  • motorcycle gloves
  • ", + "

    Wearing a face covering

    ", + "

    You must bring and wear a face covering at the start and end of the test when you\u2019ll be talking to the examiner, unless you have a good reason not to. Good reasons are things like:

    ", + "
  • having a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    If you cannot wear a face covering at the start and end of the test, you or your instructor must tell DVSA when booking.

    ", + "

    Your driving licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    ", + "

    You should rearrange your test if you do not get the new licence in enough time. You must do this at least 3 working days before your test date or you\u2019ll have to pay again.

    ", + "

    If you have a paper licence

    ", + "

    You must bring a valid passport and your paper licence if you do not have a photocard driving licence.

    ", + "

    If you have a licence from Northern Ireland

    ", + "

    You must bring the photocard and paper counterpart if you have a licence from Northern Ireland.

    ", + "

    If you\u2019ve lost your theory test certificate

    ", + "

    Contact DVSA with your:

    ", + "
  • name
  • ", + "
  • address
  • ", + "
  • date of birth
  • ", + "
  • driving licence number
  • ", + "

    You\u2019ll be sent a letter that you can take to your test instead of your pass certificate.

    ", + "

    Motorcycles and mopeds you can use for the tests

    ", + "

    The motorcycle or moped you use for your tests must:

    ", + "
  • be a solo machine - you can only use a sidecar if you have certain disabilities
  • ", + "
  • have a speedometer measuring speed in miles per hour (mph)
  • ", + "
  • display L plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear
  • ", + "
  • be insured, taxed and roadworthy and have no engine warning lights showing
  • ", + "

    Read the list of A2 and A motorcycles that can be used for riding tests.

    ", + "

    Subcategories of motorcycles and mopeds

    ", + "

    There are 4 subcategories of mopeds and motorcycles.

    ", + "

    In both modules of the test, you must use:

    ", + "
  • the same subcategory as the licence you\u2019re applying for
  • ", + "
  • a vehicle with the same type of transmission (manual, automatic or semi-automatic)
  • ", + " | Moped, tricycle or quad bike | Light motorcycle | Standard motorcycle | Unrestricted motorcycle", + "Licence category | AM | A1 | A2 | A", + "Minimum age of rider | 16 | 17 | 19 | 24 (direct access) or 21 (progressive access)", + "Engine capacity | Up to 50cc | 120 to 125cc | At least 395cc | At least 595cc", + "Maximum speed | Up to 28mph | 55mph or above | - | -", + "Engine power | Up to 4kW | Up to 11kW | 20 to 35kW | At least 50kW", + "Motorcycle weight (without rider) | - | - | - | At least 175kg", + "Power to weight ratio | - | Up to 0.1kW/kg | Up to 0.2 kW/kg | -", + "

    Automatic and semi-automatic motorcycles

    ", + "

    If you pass your tests on a motorcycle with automatic or semi-automatic transmission, you\u2019ll only get a licence for those types of motorcycle.

    ", + "

    Engines with restricted power

    ", + "

    You can restrict the engine power of a motorcycle so that it fits within subcategory A2 (20 to 35kW). You cannot restrict it below half its original power.

    ", + "

    This means that if the unrestricted power of the motorcycle is 60kW, you cannot restrict it any lower than 30kW. A motorcycle\u2019s unrestricted power must not be more than 70kW.

    ", + "

    You must bring proof if you\u2019ve restricted a motorcycle to subcategory A2 - if you do not your test will be cancelled.

    ", + "

    The proof must:

    ", + "
  • be on headed paper
  • ", + "
  • be from a main dealer, official importer or recognised specialist
  • ", + "
  • show the motorcycle\u2019s number plate (registration number)
  • ", + "

    You cannot use a dyno test certificate as proof of the restriction.

    ", + "

    Motorcycles with variable power modes

    ", + "

    If you use a switchable engine control unit (ECU) or variable power device, your motorcycle cannot have:

    ", + "
  • interchangeable carburettor heads
  • ", + "
  • an exhaust manifold restrictor
  • ", + "
  • a hidden ECU - it must be clear what power mode the motorcycle is in
  • ", + "

    Electric motorcycles

    ", + "

    You can use an electric motorcycle or moped if it both:

    ", + "
  • has the same engine power as the petrol version
  • ", + "
  • can keep that power for at least 30 minutes
  • ", + "

    This is known as the \u2018continuous power rating\u2019 - you can check this with the manufacturer.

    ", + "

    If you have a disability

    ", + "

    You can use a motorcycle with a sidecar for your tests if you have certain disabilities. You cannot have a passenger in the sidecar during the tests.

    ", + "

    Your licence will only let you ride motorcycles with sidecars.

    ", + "

    You might be able to use a different vehicle if you\u2019re disabled - contact the Driver and Vehicle Standards Agency (DVSA) before you book your test.

    ", + "

    Module 1 off-road test: what happens

    ", + "

    You\u2019ll take the module 1 test in an off-road motorcycle manoeuvring area.

    ", + "

    The test normally takes about 20 minutes and includes:

    ", + "
  • wheeling the moped or motorcycle and using the stand
  • ", + "
  • riding a slalom and figure of 8
  • ", + "
  • a slow ride
  • ", + "
  • a U-turn
  • ", + "
  • cornering and a controlled stop
  • ", + "
  • cornering and an emergency stop
  • ", + "
  • cornering and hazard avoidance
  • ", + "

    For the hazard avoidance and emergency stop exercises you must ride at a minimum speed of:

    ", + "
  • 19 mph on a moped
  • ", + "
  • 31 mph on a motorcycle
  • ", + "

    Your test result

    ", + "

    You\u2019ll be told if you\u2019ve passed module 1 at the end of the test.

    ", + "

    The examiner will make a note of:

    ", + "
  • dangerous faults - these involve actual danger to you, the examiner, the public or property
  • ", + "
  • serious faults - these are potentially dangerous
  • ", + "
  • riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake
  • ", + "

    You\u2019ll pass module 1 if you make:

    ", + "
  • no serious or dangerous faults (sometimes called \u2018majors\u2019)
  • ", + "
  • no more than 5 riding faults (sometimes called \u2018minors\u2019)
  • ", + "

    If you pass

    ", + "

    The examiner will:

    ", + "
  • tell you what faults you made, if any
  • ", + "
  • give you a pass certificate - you need to take this to the module 2 test
  • ", + "

    If you\u2019re upgrading your licence through \u2018progressive access\u2019, you must pass module 2 within 6 months. You have to pass module 1 again if you do not.

    ", + "

    If you do not pass

    ", + "

    You\u2019ll have to book another module 1 test and pay again. You have to choose a date at least 3 working days away.

    ", + "

    If you\u2019ve already booked the module 2 test you might need to change the date, since you must pass module 1 before you can take module 2.

    ", + "

    You\u2019ll lose your fee if you do not give 3 full days\u2019 notice to cancel your module 2 test. Sundays and public holidays do not count as working days.

    ", + "

    Module 2 on-road test: what happens

    ", + "

    You must pass module 1 before you can take the module 2 test.

    ", + "

    You can book both modules at the same time, but if you do not pass module 1 you must wait 3 working days before you can retake it.

    ", + "

    The module 2 test normally takes about 40 minutes and includes:

    ", + "
  • an eyesight check
  • ", + "
  • \u2018show me, tell me\u2019 vehicle safety questions
  • ", + "
  • road riding
  • ", + "
  • independent riding
  • ", + "

    You must bring your module 1 pass certificate to the module 2 test, plus all the documents you had to bring to the module 1 test.

    ", + "

    Eyesight check

    ", + "

    You\u2019ll have to read a number plate from a distance of:

    ", + "
  • 20 metres for vehicles with a new-style number plate
  • ", + "
  • 20.5 metres for vehicles with an old-style number plate
  • ", + "

    New-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.

    ", + "

    You\u2019ll fail your riding test if you fail the eyesight check.

    ", + "

    \u2018Show me, tell me\u2019 questions

    ", + "

    You\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.

    ", + "

    Road riding

    ", + "

    You\u2019ll drive in various road and traffic conditions, but not on motorways. You\u2019ll be asked to carry out:

    ", + "
  • normal stops
  • ", + "
  • an angle start (pulling out from behind a parked vehicle)
  • ", + "
  • a hill start (where possible)
  • ", + "

    The examiner will give you directions using a radio. They\u2019ll normally follow you on a motorcycle.

    ", + "

    Driving test routes are not published, so you can not check them before your test.

    ", + "

    Independent riding

    ", + "

    You\u2019ll have about 10 minutes of independent riding. This is designed to assess your ability to ride safely while making your own decisions.

    ", + "

    You can ask the examiner to repeat the directions if you forget them - you will not fail the test if you go off the route. You can not use sat nav.

    ", + "

    Your test result

    ", + "

    You\u2019ll be told if you\u2019ve passed module 2 at the end of the test.

    ", + "

    The examiner will make a note of:

    ", + "
  • dangerous faults - these involve actual danger to you, the examiner, the public or property
  • ", + "
  • serious faults - these are potentially dangerous
  • ", + "
  • riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake
  • ", + "

    You\u2019ll pass module 2 if you make:

    ", + "
  • no serious or dangerous faults (sometimes called \u2018majors\u2019)
  • ", + "
  • no more than 10 riding faults (sometimes called \u2018minors\u2019)
  • ", + "

    If you pass your test

    ", + "

    The examiner will:

    ", + "
  • tell you what faults you made, if any
  • ", + "
  • give you a pass certificate
  • ", + "
  • ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this
  • ", + "

    You can start riding without L plates straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.

    ", + "

    Contact DVLA if your full licence has not arrived 3 weeks after you applied for it.

    ", + "

    If you do not pass

    ", + "

    You have to book another module 2 test and pay again. You have to choose a date at least 10 working days away.

    ", + "

    If your test is cancelled or there\u2019s bad weather

    ", + "

    Your riding test can be cancelled or stopped because of bad weather, problems with your vehicle, or for other reasons.

    ", + "

    Bad weather

    ", + "

    Riding tests are not carried out in dangerous weather conditions, for example when the roads are icy or if there\u2019s flooding, thick fog or high winds.

    ", + "

    Call your test centre if there are any of these conditions on the day of your test.

    ", + "

    The phone number for the test centre is in your booking confirmation email.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it\u2019s not suitable.

    ", + "

    You cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.

    ", + "

    Problems with you or your vehicle

    ", + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example if you feel unwell while taking your test
  • ", + "
  • your vehicle, for example if it breaks down during the test or does not meet the rules
  • ", + "

    Your test is cancelled for another reason

    ", + "

    Sometimes DVSA has to cancel tests for other reasons, for example if the examiner is unwell.

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    ", + "

    If you have a disability, health condition or learning difficulty

    ", + "

    When you book your tests you should say if you have a:

    ", + "
  • disability
  • ", + "
  • learning difficulty
  • ", + "
  • health condition
  • ", + "

    You\u2019ll still have to ride to the same standard to pass, but the examiner can make adjustments for your situation.

    ", + "

    If your health condition or disability means you cannot wear a face covering to your test, you or your instructor must tell DVSA when booking.

    ", + "

    You\u2019re deaf or have a hearing impairment

    ", + "

    The examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.

    ", + "

    The examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.

    ", + "

    Using a sign language interpreter

    ", + "

    You can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.

    ", + "

    Your motorcycle instructor can be your interpreter.

    ", + "

    You need to arrange your own interpreter and pay any fees that they charge.

    ", + "

    You have reading difficulties

    ", + "

    You\u2019ll do an eyesight check at the start of the module 2 test. The examiner will ask you to read the number plate on a parked vehicle.

    ", + "

    You can write down what you see if you have reading difficulties.

    ", + "

    You have learning difficulties

    ", + "

    The examiner will make adjustments for the independent riding part of the module 2 test if you have learning difficulties.

    ", + "

    They might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.

    ", + "

    You might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.

    ", + "

    You\u2019re pregnant

    ", + "

    You can take the tests at any stage of your pregnancy. However, you must be able and willing to:

    ", + "
  • do an emergency stop
  • ", + "
  • manually handle and wheel the motorcycle
  • ", + "
  • do the cornering and hazard avoidance exercise
  • " + ] + }, + "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle": { + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "title": "Learning to drive a tractor or specialist vehicle", + "content": "## Driving licence requirements\n\nIf you pass a regular car driving test (category B) you\u2019ll get entitlement to drive:\n\n- agricultural tractors (category F)\n\n- mowing machines or pedestrian-controlled vehicles (category K)\n\nFor all other categories you need the correct full licence to drive the tractor or special vehicle on the road.\n\nTo get this you first need to get the right provisional driving licence entitlement and then pass a tractor or specialist vehicle driving test.\n\n## Exemptions\n\nYou do not need a licence to drive or operate:\n\n- a tractor or specialist vehicle off the public road (there are age limits)\n\n- pedestrian-controlled mowing machines (you must be at least 16)\n\n- electric bikes\n\n- mobility scooters or powered wheelchairs\n\nYou do need a driving licence to drive quad bikes on the road.\n\n## Road rollers and tracked vehicles\n\nYou need a full category B car licence with provisional entitlement for categories G and H to drive:\n\n- road rollers (category G)\n\n- tracked vehicles (category H)\n\nFind out how to add higher categories to your driving licence.\n\n## Age limits\n\n| | Category | Minimum age |\n\n| Agricultural tractors | F | 16/17* |\n\n| Road rollers | G | 21** |\n\n| Tracked vehicles | H | 17/21*** |\n\n| Mowing machine or pedestrian-controlled vehicle | K | 16 |\n\n*If you\u2019re 16 you can only drive tractors less than 2.45 metres wide and tow trailers less than 2.45 metres wide with 2 wheels, or 4 wheels close-coupled (close together).\n\n**If you\u2019re between 17 and 20 these must be small road road-rollers with metal or hard rollers. They cannot be steam powered, weigh more than 11,960kg or be made for carrying loads.\n\n***If you\u2019re between 17 and 20 the Maximum Authorised Mass (MAM) of the vehicle cannot be more than 3,500kg. (Maximum Authorised Mass is the maximum weight of a vehicle including the maximum load that can be carried safely while used on the road.)\n\n## Practising driving a tractor or specialist vehicle\n\nYou can get a provisional licence for a tractor or specialist vehicle at 16, but you cannot practise driving them on the road until you\u2019re 17.\n\nThe only exception is when you\u2019re driving to or from your practical driving test.\n\nYou must be accompanied by a qualified driver if the vehicle was made with a passenger seat. Removing a seat is not allowed.\n\n## Other rules for practising\n\nYou need to display L plates (L or D plates in Wales) when you\u2019re practising driving a tractor or specialist vehicle on public roads.\n\nYour vehicle must also be properly insured and roadworthy.\n\n## Finding an instructor\n\nYou might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.\n\nYour instructor may have to walk alongside you calling out advice if your vehicle does not have space for 2 people on board.\n\n## Driving tests for tractors and specialist vehicles\n\nThe type of driving test you have to do depends on the type of vehicle.\n\n## Category F, G, H or K vehicles\n\nThe examiner will give you instructions at the side of the road and watch how you:\n\n- drive as you go around left and right circuits\n\n- turn round using forward and reverse gears\n\nFor very slow vehicles, like pedestrian-controlled vehicles, your examiner may walk near you where they can watch your driving.\n\nYou\u2019ll also have an eyesight test and at the end of the category F, G, H or K test, you\u2019ll be asked 5 questions on the Highway Code and other motoring matters. You\u2019ll then be asked to identify 6 different traffic signs.\n\n## Category H tests\n\nIn category H driving tests you need to drive the vehicle backwards and turn it around, using its tracks, so it\u2019s facing the opposite direction.\n\nYour examiner will tell you how you should make this manoeuvre.\n\n## Documents you need to bring to your test\n\nYou must bring either:\n\n- a valid, signed photocard driving licence from the UK or an EU country\n\n- an old-style valid, signed UK paper driving licence along with a valid passport\n\n## Cancelled tests\n\nYou might be able to apply for a refund of out-of-pocket expenses if the Driver and Vehicle Standards Agency (DVSA) cancels your test at short notice.\n\n## Rules for test vehicles\n\nAll test vehicles have to meet certain rules, depending on their category.\n\n## Category B1 - quadricycles and light 4-wheeled vehicles\n\nYou can only take a test on a category B1 vehicle if you\u2019re registered as disabled.\n\nThe vehicle must:\n\n- weigh no more than 550kg unladen\n\n- be able to drive at 37mph\n\n## Category F - tractors\n\nCategory F includes tractors with 2 or more axles, built for off-road agriculture or forestry work.\n\n## Category G - road rollers\n\nIf you\u2019re between 17 and 20, these must be small road rollers with metal or hard rollers. They cannot:\n\n- be steam powered\n\n- weigh more than 11,690kg\n\n- be made for carrying loads\n\n## Category H - tracked vehicles\n\nCategory H vehicles must have adequate all-round visibility to let the driver carry out manoeuvres and deal with junctions safely.\n\nAny vehicle needing a second person to help with observation, such as a military vehicle, cannot be used for a category H test.\n\n## Category K - mowing machines or pedestrian-controlled vehicles\n\nA mowing machine is a specialist ride-on grass-cutting vehicle with permanent cutting equipment. You must be 16 to use this type of vehicle.\n\nA pedestrian-controlled vehicle is where the operator walks with but doesn\u2019t ride on the vehicle. You do not need a licence to operate one.", + "original_contents": [ + "

    Driving licence requirements

    ", + "

    If you pass a regular car driving test (category B) you\u2019ll get entitlement to drive:

    ", + "
  • agricultural tractors (category F)
  • ", + "
  • mowing machines or pedestrian-controlled vehicles (category K)
  • ", + "

    For all other categories you need the correct full licence to drive the tractor or special vehicle on the road.

    ", + "

    To get this you first need to get the right provisional driving licence entitlement and then pass a tractor or specialist vehicle driving test.

    ", + "

    Exemptions

    ", + "

    You do not need a licence to drive or operate:

    ", + "
  • a tractor or specialist vehicle off the public road (there are age limits)
  • ", + "
  • pedestrian-controlled mowing machines (you must be at least 16)
  • ", + "
  • electric bikes
  • ", + "
  • mobility scooters or powered wheelchairs
  • ", + "

    You do need a driving licence to drive quad bikes on the road.

    ", + "

    Road rollers and tracked vehicles

    ", + "

    You need a full category B car licence with provisional entitlement for categories G and H to drive:

    ", + "
  • road rollers (category G)
  • ", + "
  • tracked vehicles (category H)
  • ", + "

    Find out how to add higher categories to your driving licence.

    ", + "

    Age limits

    ", + " | Category | Minimum age", + "Agricultural tractors | F | 16/17*", + "Road rollers | G | 21**", + "Tracked vehicles | H | 17/21***", + "Mowing machine or pedestrian-controlled vehicle | K | 16", + "

    *If you\u2019re 16 you can only drive tractors less than 2.45 metres wide and tow trailers less than 2.45 metres wide with 2 wheels, or 4 wheels close-coupled (close together).

    ", + "

    **If you\u2019re between 17 and 20 these must be small road road-rollers with metal or hard rollers. They cannot be steam powered, weigh more than 11,960kg or be made for carrying loads.

    ", + "

    ***If you\u2019re between 17 and 20 the Maximum Authorised Mass (MAM) of the vehicle cannot be more than 3,500kg. (Maximum Authorised Mass is the maximum weight of a vehicle including the maximum load that can be carried safely while used on the road.)

    ", + "

    Practising driving a tractor or specialist vehicle

    ", + "

    You can get a provisional licence for a tractor or specialist vehicle at 16, but you cannot practise driving them on the road until you\u2019re 17.

    ", + "

    The only exception is when you\u2019re driving to or from your practical driving test.

    ", + "

    You must be accompanied by a qualified driver if the vehicle was made with a passenger seat. Removing a seat is not allowed.

    ", + "

    Other rules for practising

    ", + "

    You need to display L plates (L or D plates in Wales) when you\u2019re practising driving a tractor or specialist vehicle on public roads.

    ", + "

    Your vehicle must also be properly insured and roadworthy.

    ", + "

    Finding an instructor

    ", + "

    You might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.

    ", + "

    Your instructor may have to walk alongside you calling out advice if your vehicle does not have space for 2 people on board.

    ", + "

    Driving tests for tractors and specialist vehicles

    ", + "

    The type of driving test you have to do depends on the type of vehicle.

    ", + "

    Category F, G, H or K vehicles

    ", + "

    The examiner will give you instructions at the side of the road and watch how you:

    ", + "
  • drive as you go around left and right circuits
  • ", + "
  • turn round using forward and reverse gears
  • ", + "

    For very slow vehicles, like pedestrian-controlled vehicles, your examiner may walk near you where they can watch your driving.

    ", + "

    You\u2019ll also have an eyesight test and at the end of the category F, G, H or K test, you\u2019ll be asked 5 questions on the Highway Code and other motoring matters. You\u2019ll then be asked to identify 6 different traffic signs.

    ", + "

    Category H tests

    ", + "

    In category H driving tests you need to drive the vehicle backwards and turn it around, using its tracks, so it\u2019s facing the opposite direction.

    ", + "

    Your examiner will tell you how you should make this manoeuvre.

    ", + "

    Documents you need to bring to your test

    ", + "

    You must bring either:

    ", + "
  • a valid, signed photocard driving licence from the UK or an EU country
  • ", + "
  • an old-style valid, signed UK paper driving licence along with a valid passport
  • ", + "

    Cancelled tests

    ", + "

    You might be able to apply for a refund of out-of-pocket expenses if the Driver and Vehicle Standards Agency (DVSA) cancels your test at short notice.

    ", + "

    Rules for test vehicles

    ", + "

    All test vehicles have to meet certain rules, depending on their category.

    ", + "

    Category B1 - quadricycles and light 4-wheeled vehicles

    ", + "

    You can only take a test on a category B1 vehicle if you\u2019re registered as disabled.

    ", + "

    The vehicle must:

    ", + "
  • weigh no more than 550kg unladen
  • ", + "
  • be able to drive at 37mph
  • ", + "

    Category F - tractors

    ", + "

    Category F includes tractors with 2 or more axles, built for off-road agriculture or forestry work.

    ", + "

    Category G - road rollers

    ", + "

    If you\u2019re between 17 and 20, these must be small road rollers with metal or hard rollers. They cannot:

    ", + "
  • be steam powered
  • ", + "
  • weigh more than 11,690kg
  • ", + "
  • be made for carrying loads
  • ", + "

    Category H - tracked vehicles

    ", + "

    Category H vehicles must have adequate all-round visibility to let the driver carry out manoeuvres and deal with junctions safely.

    ", + "

    Any vehicle needing a second person to help with observation, such as a military vehicle, cannot be used for a category H test.

    ", + "

    Category K - mowing machines or pedestrian-controlled vehicles

    ", + "

    A mowing machine is a specialist ride-on grass-cutting vehicle with permanent cutting equipment. You must be 16 to use this type of vehicle.

    ", + "

    A pedestrian-controlled vehicle is where the operator walks with but doesn\u2019t ride on the vehicle. You do not need a licence to operate one.

    " + ] + }, + "https://www.gov.uk/change-vehicle-details-registration-certificate": { + "url": "https://www.gov.uk/change-vehicle-details-registration-certificate", + "title": "Change vehicle details on a V5C registration certificate (log book)", + "content": "## When you need to update your V5C\n\nYou must update the details on your registration certificate (V5C) to tell DVLA about:\n\n- mistakes on your V5C\n\n- most changes you make to your vehicle\n\nYou cannot change tax class by updating your V5C. You do this by changing your vehicle tax - even if you\u2019re changing to a tax class that\u2019s exempt from vehicle tax, for example \u2018disabled\u2019.\n\n## Changes you need to update\n\nYou must update your V5C if you change any of the following:\n\n- colour\n\n- engine\n\n- cylinder capacity (cc)\n\n- fuel type\n\n- chassis or bodyshell (replaced or modified)\n\n- seating capacity\n\n- weight of a large vehicle, for example goods vehicle or campervan\n\n## Changes that may need inspection\n\nYou must also update your V5C if you change any of the following:\n\n- wheel plan\n\n- body type, for example you convert a van to a campervan or \u2019motor caravan\u2019 (DVLA gives a body type description based on the vehicle\u2019s external appearance)\n\n- vehicle identification number (VIN)\n\n- chassis number\n\n- frame number for motorbikes\n\nDVLA will tell you if they need to inspect the change.\n\n## What evidence to give\n\nYou must give DVLA evidence or written confirmation if you make any of the following changes to your vehicle. Your V5C update will be rejected if you do not.\n\n## Change of engine number or cylinder capacity (cc)\n\nYou need to provide either:\n\n- a receipt for the replacement engine\n\n- written evidence from the manufacturer\n\n- an inspection report provided for insurance purposes\n\n- written confirmation on headed paper from a garage (if the change took place before you bought the vehicle)\n\n## Change of fuel type\n\nYou need to provide evidence if:\n\n- your existing engine is converted \u2013 the confirmation must be on headed paper from the garage that did the work\n\n- a new engine is fitted \u2013 provide the receipt as confirmation\n\n## Change of weight of a larger vehicle\n\nIf you change the weight of a large vehicle (for example, a campervan or goods vehicle), you\u2019ll need to provide either:\n\n- a plating certificate\n\n- a design weight certificate\n\n## Change of body type to motor caravan\n\nCheck what evidence you need when you convert a van to a campervan or motor caravan.\n\n## How to update your V5C\n\nFill in section 1 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 7 if you have the older style log book.\n\nSend it to DVLA with any necessary evidence.\n\nIf the change is not listed in section 1 or 7, add notes to the \u2018vehicle details\u2019 section instead. Send it to DVLA with evidence and a letter explaining the change.\n\n## Where to send your V5C\n\nSend your V5C to DVLA, Swansea, SA99 1DZ if you changed any of the following:\n\n- engine size (cc)\n\n- fuel type\n\n- weight of a goods vehicle\n\n- number of seats on a bus\n\nFor all other changes, send your V5C to DVLA, Swansea, SA99 1BA.\n\n## What happens next\n\nDVLA will contact you to:\n\n- confirm the change or tell you if it needs an inspection\n\n- tell you if the change means you have to pay more vehicle tax\n\nIt may take longer than usual to get your replacement V5C because of coronavirus (COVID-19).", + "original_contents": [ + "

    When you need to update your V5C

    ", + "

    You must update the details on your registration certificate (V5C) to tell DVLA about:

    ", + "
  • mistakes on your V5C
  • ", + "
  • most changes you make to your vehicle
  • ", + "

    You cannot change tax class by updating your V5C. You do this by changing your vehicle tax - even if you\u2019re changing to a tax class that\u2019s exempt from vehicle tax, for example \u2018disabled\u2019.

    ", + "

    Changes you need to update

    ", + "

    You must update your V5C if you change any of the following:

    ", + "
  • colour
  • ", + "
  • engine
  • ", + "
  • cylinder capacity (cc)
  • ", + "
  • fuel type
  • ", + "
  • chassis or bodyshell (replaced or modified)
  • ", + "
  • seating capacity
  • ", + "
  • weight of a large vehicle, for example goods vehicle or campervan
  • ", + "

    Changes that may need inspection

    ", + "

    You must also update your V5C if you change any of the following:

    ", + "
  • wheel plan
  • ", + "
  • body type, for example you convert a van to a campervan or \u2019motor caravan\u2019 (DVLA gives a body type description based on the vehicle\u2019s external appearance)
  • ", + "
  • vehicle identification number (VIN)
  • ", + "
  • chassis number
  • ", + "
  • frame number for motorbikes
  • ", + "

    DVLA will tell you if they need to inspect the change.

    ", + "

    What evidence to give

    ", + "

    You must give DVLA evidence or written confirmation if you make any of the following changes to your vehicle. Your V5C update will be rejected if you do not.

    ", + "

    Change of engine number or cylinder capacity (cc)

    ", + "

    You need to provide either:

    ", + "
  • a receipt for the replacement engine
  • ", + "
  • written evidence from the manufacturer
  • ", + "
  • an inspection report provided for insurance purposes
  • ", + "
  • written confirmation on headed paper from a garage (if the change took place before you bought the vehicle)
  • ", + "

    Change of fuel type

    ", + "

    You need to provide evidence if:

    ", + "
  • your existing engine is converted \u2013 the confirmation must be on headed paper from the garage that did the work
  • ", + "
  • a new engine is fitted \u2013 provide the receipt as confirmation
  • ", + "

    Change of weight of a larger vehicle

    ", + "

    If you change the weight of a large vehicle (for example, a campervan or goods vehicle), you\u2019ll need to provide either:

    ", + "
  • a plating certificate
  • ", + "
  • a design weight certificate
  • ", + "

    Change of body type to motor caravan

    ", + "

    Check what evidence you need when you convert a van to a campervan or motor caravan.

    ", + "

    How to update your V5C

    ", + "

    Fill in section 1 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 7 if you have the older style log book.

    ", + "

    Send it to DVLA with any necessary evidence.

    ", + "

    If the change is not listed in section 1 or 7, add notes to the \u2018vehicle details\u2019 section instead. Send it to DVLA with evidence and a letter explaining the change.

    ", + "

    Where to send your V5C

    ", + "

    Send your V5C to DVLA, Swansea, SA99 1DZ if you changed any of the following:

    ", + "
  • engine size (cc)
  • ", + "
  • fuel type
  • ", + "
  • weight of a goods vehicle
  • ", + "
  • number of seats on a bus
  • ", + "

    For all other changes, send your V5C to DVLA, Swansea, SA99 1BA.

    ", + "

    What happens next

    ", + "

    DVLA will contact you to:

    ", + "
  • confirm the change or tell you if it needs an inspection
  • ", + "
  • tell you if the change means you have to pay more vehicle tax
  • ", + "

    It may take longer than usual to get your replacement V5C because of coronavirus (COVID-19).

    " + ] + }, + "https://www.gov.uk/displaying-number-plates": { + "url": "https://www.gov.uk/displaying-number-plates", + "title": "Displaying number plates", + "content": "## Overview\n\nNumber plates (also known as licence plates) must show your registration number correctly. You cannot rearrange letters or numbers, or alter them so that they\u2019re hard to read.\n\nYou could be fined up to \u00a31,000 and your vehicle will fail its MOT test if you drive with incorrectly displayed number plates.\n\nThe current vehicle registration number format was introduced in 2001. It consists of:\n\n- 2 letters (these refer to the region in the country where your vehicle was first registered)\n\n- 2 numbers (these tell you when it was issued)\n\n- 3 letters chosen at random\n\nYou can get theft-resistant number plates - these make it harder for someone to remove them from your vehicle quickly and reuse them. Ask your local car dealer or registered number plate supplier for more information.\n\nYou can also get personalised number plates.\n\n## Rules for number plates\n\nThe number plates on your vehicle must:\n\n- be made from a reflective material\n\n- display black characters on a white background (front plate)\n\n- display black characters on a yellow background (rear plate)\n\n- not have a background pattern\n\nCharacters on a number plate can be 3D.\n\n## If you ride a motorbike or motor tricycle\n\nMotorcycles and motor tricycles registered on or after 1 September 2001 must only display a number plate at the rear of the vehicle.\n\nIf you ride a motorbike or motor tricycle registered before 1 September 2001 you can also display a number plate at the front, but you do not have to.\n\nMotorcycle and motor tricycle number plate numbers should be on 2 lines.\n\n## Towing a trailer\n\nYour trailer must display the same number plate as the vehicle you\u2019re towing it with. If you\u2019re towing more than one trailer, the number plate must be fixed to the trailer at the back.\n\n## Taking commercial or heavy trailers abroad\n\nIf your trailer needs to be registered to go abroad, you need to fix the trailer registration plate to the back, as well as the towing vehicle\u2019s number plate.\n\nFix the trailer registration plate as far away as possible from the towing vehicle\u2019s number plate.\n\nIf you cannot fix the trailer registration plate on the back of your trailer, fix it to both sides instead. Make sure they\u2019re clearly visible.\n\n## Letter spacing, size and style\n\nThe characters on a number plate need to be a certain height and size.\n\nRead leaflet INF104: vehicle registration numbers and number plates - height and size measurement, for more information.\n\nIf you have a trailer, read leaflet INF291: trailer registration numbers and number plates.\n\n## Getting number plates made up\n\nYou can only get a number plate made up from a registered number plate supplier.\n\nThe supplier will need to see original documents that:\n\n- prove your name and address\n\n- show you\u2019re allowed to use the registration number\n\n## Identity documents\n\nYou can use the following to confirm your name and address:\n\n- driving licence\n\n- utility, Council Tax or rates bill from the last 6 months\n\n- bank or building society statement from the last 6 months\n\n- national identity card\n\nThe following will confirm your name only:\n\n- passport - does not have to be issued in the UK\n\n- bank or building society debit or credit card\n\n- police warrant card\n\n- armed forces identity card\n\n## Proving you can use the registration number\n\nYou must bring one of the following to show you\u2019re allowed to display the registration number:\n\n- vehicle registration certificate (V5C or V5CNI)\n\n- green \u2018new keeper\u2019 slip from the V5C or V5CNI\n\n- certificate of entitlement (V750 or V750NI) to the number\n\n- retention document (V778)\n\n- a renewal reminder for vehicle tax or SORN (V11 or V11NI)\n\n- temporary registration certificate (V379 or V379NI)\n\n- a number plate authorisation certificate (V948) with an official stamp from the Driver and Vehicle Licensing Agency (DVLA)\n\n- an electronic number plate authorisation certificate (eV948 or eV948/2)\n\n- a letter of authorisation from a fleet operator (including lease or hire company) quoting the document reference number from the registration certificate\n\n- if your fleet is in the new V5C on demand scheme (also called \u2018V5C suppression\u2019), a PDF of the vehicle\u2019s details from the view vehicle record service\n\n- UK trailer registration certificate (VTRC)\n\n## Flags, symbols and identifiers\n\nYou can display one of the following flags with identifying letters on the left-hand side of the number plate:\n\n- Union flag (also known as the Union Jack)\n\n- Cross of St George\n\n- Cross of St Andrew - also known as the Saltire\n\n- Red Dragon of Wales\n\nThe letters, or national identifiers, you can have are:\n\n- GREAT BRITAIN, Great Britain or GB\n\n- UNITED KINGDOM, United Kingdom or UK\n\n- CYMRU, Cymru, CYM or Cym\n\n- ENGLAND, England, ENG, Eng\n\n- SCOTLAND, Scotland, SCO or Sco\n\n- WALES or Wales\n\nThe flag must be above the identifier. You cannot have the flag or letters on the number plate margin, and neither can be more than 50 millimetres wide.\n\n## Travelling in Europe\n\nIf your number plate includes the GB identifier with the Union flag (also known as the Union Jack), you do not need a GB sticker. But you will need to display a GB sticker clearly on the rear of your vehicle if your number plate has any of the following:\n\n- a Euro symbol\n\n- a national flag of England, Scotland or Wales\n\n- numbers and letters only - no flag or identifier\n\nIf you\u2019re in Spain, Cyprus or Malta, you must display a GB sticker no matter what is on your number plate.", + "original_contents": [ + "

    Overview

    ", + "

    Number plates (also known as licence plates) must show your registration number correctly. You cannot rearrange letters or numbers, or alter them so that they\u2019re hard to read.

    ", + "

    You could be fined up to \u00a31,000 and your vehicle will fail its MOT test if you drive with incorrectly displayed number plates.

    ", + "

    The current vehicle registration number format was introduced in 2001. It consists of:

    ", + "
  • 2 letters (these refer to the region in the country where your vehicle was first registered)
  • ", + "
  • 2 numbers (these tell you when it was issued)
  • ", + "
  • 3 letters chosen at random
  • ", + "

    You can get theft-resistant number plates - these make it harder for someone to remove them from your vehicle quickly and reuse them. Ask your local car dealer or registered number plate supplier for more information.

    ", + "

    You can also get personalised number plates.

    ", + "

    Rules for number plates

    ", + "

    The number plates on your vehicle must:

    ", + "
  • be made from a reflective material
  • ", + "
  • display black characters on a white background (front plate)
  • ", + "
  • display black characters on a yellow background (rear plate)
  • ", + "
  • not have a background pattern
  • ", + "

    Characters on a number plate can be 3D.

    ", + "

    If you ride a motorbike or motor tricycle

    ", + "

    Motorcycles and motor tricycles registered on or after 1 September 2001 must only display a number plate at the rear of the vehicle.

    ", + "

    If you ride a motorbike or motor tricycle registered before 1 September 2001 you can also display a number plate at the front, but you do not have to.

    ", + "

    Motorcycle and motor tricycle number plate numbers should be on 2 lines.

    ", + "

    Towing a trailer

    ", + "

    Your trailer must display the same number plate as the vehicle you\u2019re towing it with. If you\u2019re towing more than one trailer, the number plate must be fixed to the trailer at the back.

    ", + "

    Taking commercial or heavy trailers abroad

    ", + "

    If your trailer needs to be registered to go abroad, you need to fix the trailer registration plate to the back, as well as the towing vehicle\u2019s number plate.

    ", + "

    Fix the trailer registration plate as far away as possible from the towing vehicle\u2019s number plate.

    ", + "

    If you cannot fix the trailer registration plate on the back of your trailer, fix it to both sides instead. Make sure they\u2019re clearly visible.

    ", + "

    Letter spacing, size and style

    ", + "

    The characters on a number plate need to be a certain height and size.

    ", + "

    Read leaflet INF104: vehicle registration numbers and number plates - height and size measurement, for more information.

    ", + "

    If you have a trailer, read leaflet INF291: trailer registration numbers and number plates.

    ", + "

    Getting number plates made up

    ", + "

    You can only get a number plate made up from a registered number plate supplier.

    ", + "

    The supplier will need to see original documents that:

    ", + "
  • prove your name and address
  • ", + "
  • show you\u2019re allowed to use the registration number
  • ", + "

    Identity documents

    ", + "

    You can use the following to confirm your name and address:

    ", + "
  • driving licence
  • ", + "
  • utility, Council Tax or rates bill from the last 6 months
  • ", + "
  • bank or building society statement from the last 6 months
  • ", + "
  • national identity card
  • ", + "

    The following will confirm your name only:

    ", + "
  • passport - does not have to be issued in the UK
  • ", + "
  • bank or building society debit or credit card
  • ", + "
  • police warrant card
  • ", + "
  • armed forces identity card
  • ", + "

    Proving you can use the registration number

    ", + "

    You must bring one of the following to show you\u2019re allowed to display the registration number:

    ", + "
  • vehicle registration certificate (V5C or V5CNI)
  • ", + "
  • green \u2018new keeper\u2019 slip from the V5C or V5CNI
  • ", + "
  • certificate of entitlement (V750 or V750NI) to the number
  • ", + "
  • retention document (V778)
  • ", + "
  • a renewal reminder for vehicle tax or SORN (V11 or V11NI)
  • ", + "
  • temporary registration certificate (V379 or V379NI)
  • ", + "
  • a number plate authorisation certificate (V948) with an official stamp from the Driver and Vehicle Licensing Agency (DVLA)
  • ", + "
  • an electronic number plate authorisation certificate (eV948 or eV948/2)
  • ", + "
  • a letter of authorisation from a fleet operator (including lease or hire company) quoting the document reference number from the registration certificate
  • ", + "
  • if your fleet is in the new V5C on demand scheme (also called \u2018V5C suppression\u2019), a PDF of the vehicle\u2019s details from the view vehicle record service
  • ", + "
  • UK trailer registration certificate (VTRC)
  • ", + "

    Flags, symbols and identifiers

    ", + "

    You can display one of the following flags with identifying letters on the left-hand side of the number plate:

    ", + "
  • Union flag (also known as the Union Jack)
  • ", + "
  • Cross of St George
  • ", + "
  • Cross of St Andrew - also known as the Saltire
  • ", + "
  • Red Dragon of Wales
  • ", + "

    The letters, or national identifiers, you can have are:

    ", + "
  • GREAT BRITAIN, Great Britain or GB
  • ", + "
  • UNITED KINGDOM, United Kingdom or UK
  • ", + "
  • CYMRU, Cymru, CYM or Cym
  • ", + "
  • ENGLAND, England, ENG, Eng
  • ", + "
  • SCOTLAND, Scotland, SCO or Sco
  • ", + "
  • WALES or Wales
  • ", + "

    The flag must be above the identifier. You cannot have the flag or letters on the number plate margin, and neither can be more than 50 millimetres wide.

    ", + "

    Travelling in Europe

    ", + "

    If your number plate includes the GB identifier with the Union flag (also known as the Union Jack), you do not need a GB sticker. But you will need to display a GB sticker clearly on the rear of your vehicle if your number plate has any of the following:

    ", + "
  • a Euro symbol
  • ", + "
  • a national flag of England, Scotland or Wales
  • ", + "
  • numbers and letters only - no flag or identifier
  • ", + "

    If you\u2019re in Spain, Cyprus or Malta, you must display a GB sticker no matter what is on your number plate.

    " + ] + }, + "https://www.gov.uk/personalised-vehicle-registration-numbers": { + "url": "https://www.gov.uk/personalised-vehicle-registration-numbers", + "title": "Private (personalised) number plates", + "content": "## Overview\n\nYou can buy a private (personalised) registration for your vehicle\u2019s number plates from DVLA or from a private dealer.\n\nIf you have the right to a private number that is not currently being used, you can apply to assign it (put it on) to a vehicle.\n\n## Take a private number off (\u2018retention\u2019)\n\nIf you do not want to use your private number anymore you can apply to take it off your vehicle. You can keep the number (put it \u2018on retention\u2019) to use later.\n\nYou\u2019ll get a V778 retention document proving you still have the right to use the number.\n\n## Selling a private number\n\nYou can also sell your private number if you do not want to use it anymore.\n\nIf you\u2019re selling your private number online, do not share a scan or photograph of the V750 or V778 document. Someone other than the buyer might use it to put the private number on another vehicle.\n\n## Transfer a private number\n\nTo transfer a private number from one vehicle to another, you need to:\n\n- Take it off the vehicle you\u2019re transferring it from.\n\n- Assign it to the vehicle you\u2019re transferring it to.\n\nYou can also do this by post using form V317.\n\n## Buy a private number\n\n## Buy from DVLA\n\nYou can buy new numbers from DVLA Personalised Registrations.\n\n## Buying at DVLA auctions\n\nThere are auctions across the country about 5 times a year. You can see a list of the numbers coming up for auction.\n\nYou can bid in person, by phone, in writing or online.\n\nYou\u2019ll get a V750 certificate of entitlement once you\u2019ve paid for the private (personalised) number. This is to prove that you have the right to put the number on a vehicle (\u2018assign\u2019 it).\n\n## Buying from a private dealer or person\n\nYou can buy a private number from a dealer or from another person.\n\nMost dealers will transfer the number to your vehicle for you. If you want to keep or assign the number yourself, ask the dealer if you can have the V750 or V778.\n\n## Assign a private number to a vehicle\n\nTo assign a private (personalised) number to a vehicle, you need one of the following:\n\n- a V778 retention document\n\n- a V750 certificate of entitlement\n\n- an online reference number\n\nYou get one of these when you either buy a number or take a number from another vehicle you own.\n\n## Eligibility\n\nYou cannot:\n\n- assign a number starting with \u2018Q\u2019 or \u2018NIQ\u2019\n\n- put a private number on a \u2018Q\u2019 registered vehicle\n\n- use a private number that makes a vehicle look newer than it is - for example, an \u201807\u2019 registration number on a 2003 registered vehicle\n\nThe vehicle must:\n\n- be registered with DVLA in the UK\n\n- be able to move under its own power\n\n- be of a type that needs an MOT or heavy goods vehicle (HGV) test certificate\n\n- have been taxed or had a SORN in place continuously for the past 5 years\n\n- be taxed currently (or have a SORN in place - if it\u2019s had a SORN for more than 5 years, it must be taxed)\n\n- be available for inspection\n\nDVLA will check your application and contact you if your vehicle needs an inspection.\n\n## Apply to assign a number\n\nIf the vehicle is:\n\n- registered to you - apply online or by post\n\n- a used vehicle you just bought - wait for DVLA to send you a new V5C in your name before you apply online or by post\n\n- brand new - give the dealer your V750 or V778 document and ask them to apply\n\n- registered to someone else and you want the private number to be transferred to them - apply online or by post\n\nIt\u2019s free to apply online or by post. You need the vehicle\u2019s log book (V5C).\n\nIf you already have a private number on your vehicle, apply to take it off first. You could lose the right to use the number if you do not.\n\n## Apply online\n\nThe number will be assigned immediately if your vehicle does not need an inspection. Be ready to put new number plates on the vehicle as soon as you\u2019ve applied.\n\nAssign a number online\n\nThis service is open from 7am to 7pm. It\u2019s also available in Welsh (Cymraeg).\n\n## Apply by post\n\nIt is taking longer than usual to process paper applications because of coronavirus (COVID-19).\n\nSend all of the following documents to DVLA:\n\n- the completed V750 or V778 - the address is on the form\n\n- the vehicle\u2019s log book (V5C) or green \u2018new keeper\u2019 slip with a completed V62 \u2018application for a vehicle registration certificate V5C\u2019\n\nIf you\u2019re assigning the number to someone else\u2019s vehicle, add them as a \u2018nominee\u2019 - complete section 2 of the V750 or V778.\n\nTo tax your vehicle at the same time, include all of the following:\n\n- a V10 \u2018application for vehicle tax\u2019 form\n\n- the right amount of vehicle tax\n\n- an MOT certificate\n\n## After you assign a private number\n\nYou\u2019ll be sent:\n\n- a new log book (V5C) - it can take 4 to 6 weeks to arrive\n\n- your original MOT back (if you sent it to tax the vehicle)\n\nYou must put new number plates on the vehicle before you drive it.\n\nYou can keep the original registration number and plates - they\u2019ll be reassigned to the vehicle when you take off the private number.\n\nYou must not sell or get rid of a vehicle until you get the new log book (V5C).\n\n## Who to tell about your new registration number\n\nYou must tell your insurance company.\n\nUpdate your registration number for any automatic payment accounts you have, for example to pay:\n\n- the Congestion Charge\n\n- the Low Emission Zone Charge\n\n- the Ultra Low Emission Zone Charge\n\n- the Dart Charge\n\n- charges for driving in Clean Air Zones\n\nYou may get a penalty charge if you do not update your registration details and enter one of these zones.\n\nIf your vehicle has Clean Vehicle Retrofit Accreditation scheme certification, you also need to tell them your new registration number.\n\n## Take a private number off a vehicle\n\nYou can apply to take a private (personalised) number off a vehicle if you want to either:\n\n- keep the number to use later\n\n- assign it to another vehicle\n\nYou cannot keep a number starting with \u2018Q\u2019 or \u2018NIQ\u2019.\n\nThe vehicle\u2019s original registration number is usually reassigned to it automatically when you take off a private number.\n\nIf your application is successful you\u2019ll be sent a V778 retention document and a new log book (V5C).\n\nYou must have your V778 and new log book before you scrap or sell your vehicle - otherwise you\u2019ll lose the right to use the private number.\n\n## Eligibility\n\nThe vehicle must:\n\n- be registered with DVLA in the UK\n\n- be able to move under its own power\n\n- be of a type that needs an MOT or heavy goods vehicle (HGV) test certificate\n\n- have been taxed or had a SORN in place continuously for the past 5 years\n\n- be taxed currently (or have a SORN in place - if it\u2019s had a SORN for more than 5 years, it must be taxed)\n\n- be available for inspection\n\nDVLA will check your application and contact you if your vehicle needs an inspection.\n\n## Apply to take off a number\n\nYou can apply online or by post. It costs \u00a380. You must have the vehicle\u2019s log book (V5C).\n\nIf the vehicle\u2019s not in your name, you have to apply by post.\n\n## Apply online\n\nThe number will be removed immediately if your vehicle does not need an inspection.\n\nYou can assign the number to another vehicle as soon as you\u2019ve applied to take it off - use the reference number you get after you apply.\n\nTake off a number online\n\nThis service is open from 7am to 7pm. It\u2019s also available in Welsh (Cymraeg).\n\n## Apply by post\n\nIt is taking longer than usual to process paper applications because of coronavirus (COVID-19).\n\nSend all of the following to DVLA:\n\n- a V317 \u2018transfer or retain a vehicle registration number\u2019 form - the address is on the form\n\n- the vehicle\u2019s log book (V5C) or green \u2018new keeper\u2019 slip with a completed V62 \u2018application for a vehicle registration certificate V5C\u2019\n\n- the \u00a380 transfer fee\n\nTo tax your vehicle at the same time, send all of the following:\n\n- a V10 \u2018application for vehicle tax\u2019 form\n\n- the right amount of vehicle tax\n\n- an MOT certificate\n\n## After you apply\n\nYour original number plate will usually be reassigned to your vehicle automatically, if your application is successful. This will happen straight away.\n\nYou\u2019ll be sent:\n\n- a new log book (V5C) showing the vehicle\u2019s replacement registration number - it can take 4 to 6 weeks to arrive\n\n- your original MOT back (if you sent it to tax the vehicle)\n\n- a V778 retention document if the private number is in your name\n\nIf the private number is in someone else\u2019s name, the V778 document will be sent to them.\n\nBefore you can drive your vehicle, you must:\n\n- put the original or new number plates on the vehicle before you drive it\n\n- tell your insurance company your new registration number\n\n## Who to tell about your new registration number\n\nYou must tell your insurance company.\n\nUpdate your registration number for any automatic payment accounts you have, for example to pay:\n\n- the Congestion Charge\n\n- the Low Emission Zone Charge\n\n- the Ultra Low Emission Zone Charge\n\n- the Dart Charge\n\n- charges for driving in Clean Air Zones\n\nYou may get a penalty charge if you do not update your registration details and enter one of these zones.\n\nIf your vehicle has Clean Vehicle Retrofit Accreditation scheme certification, you also need to tell them your new registration number.\n\n## What happens to the private number\n\nYour V778 retention document proves that you still have the right to assign the private number for the next 10 years.\n\nYou must renew your right to use a private number before the V778 expires.\n\nYou can give up your right to use the private number if you decide not to assign it.\n\n## Renew or replace your private number\n\nYou must renew your right to use your private (personalised) number every 10 years if it\u2019s not being used on a vehicle. If you got your private number before 2015, you must renew it more often - check your V750 or V778 document.\n\nYou\u2019ll permanently lose the right to use the number if you do not renew it before the expiry date. DVLA will not accept applications made after that date.\n\n## Renew your V750 certificate of entitlement or V778 retention document\n\nYou can apply to renew your V750 or V778 up to 28 days before it expires. Do not apply earlier than this or your application may be refused.\n\nYou\u2019ll get a reminder letter or email if you\u2019re not using a private number and your right to use it is about to run out.\n\nYou can renew it for up to 10 years, and it does not cost anything to do.\n\n## Renew your V750 online\n\nYou can renew your V750 by creating a DVLA personalised registration account or by using your existing account.\n\n## Renew by post\n\nFill in the form on the V750 or V778.\n\nSend the V750 or V778 to the address on the form.\n\n## Replace a lost or stolen V750 or V778\n\nYou can send a letter to DVLA Personalised Registrations to ask for a replacement V750 or V778 if:\n\n- it has not expired\n\n- you\u2019re the person with the right to use the number (your name will have been on the V778 or V750 as the \u2018grantee\u2019)\n\nIt\u2019ll take around 3 to 4 weeks for the new V750 or V778 to arrive.\n\n## If your address or name has changed\n\nYou\u2019ll need to include an extra document with your letter.\n\nIf your address has changed, include proof of your identity. This can be a copy of:\n\n- a household bill sent to you in the last 3 months\n\n- your Council Tax bill for this year\n\n- a bank or building society statement sent to you in the last 3 months\n\n- a medical card\n\n- your current British driving licence\n\n- your passport\n\n- your birth certificate\n\nIf your name has changed, include proof of your name change. This can be a copy of:\n\n- your marriage certificate\n\n- the decree nisi or decree absolute from your divorce\n\n- a deed poll to show you\u2019ve changed your name legally\n\n## Sell or give a private number to someone else\n\nYou can sell or give a private (personalised) number to someone. The number must be assigned to their vehicle before they can use it.\n\nIf you\u2019re giving a number to someone, follow the steps for assigning your private number to someone else.\n\n## Selling your private number\n\nYou can use a private number dealer or sell your number yourself.\n\nDo not share a photograph or scan of the V750 or V778 document. Someone other than the buyer might use it to put the private number on another vehicle.\n\n## Use a private number dealer\n\nMost dealers will find a buyer, arrange the payment and transfer the number to the buyer\u2019s vehicle for you.\n\n## Sell your private number yourself\n\nAfter you find a buyer, you\u2019ll need to assign your number to their vehicle. Follow the steps for assigning your private number to someone else.\n\n## Assign your private number to someone else\n\nYou can put your private number on someone else\u2019s vehicle online or by post.\n\nAfter that, DVLA will send a replacement log book for the vehicle but with the new private number assigned to it.\n\n## Online\n\nYou\u2019ll need details from:\n\n- the log book (V5C) of the vehicle you\u2019re assigning the number to\n\n- your V778 or V750\n\nThe number will usually be assigned immediately.\n\nAssign a number online\n\nThis service is open from 7am to 7pm. It\u2019s also available in Welsh (Cymraeg).\n\n## By post\n\nSend DVLA:\n\n- your V778 or V750 form - fill in sections 1 and 2 and sign it first\n\n- the log book (V5C) for the vehicle you want to put the private number on\n\nThe address is on the form.\n\n## If the nominee dies\n\nThe person who has the right to use the private number can change the \u2018nominee\u2019 (the person you\u2019re giving the number to). Fill in section 2 of the V750 or V778 with the new nominee\u2019s details, sign the form and send it to:\n\n## Change your name or address\n\nYou can change your address or name on your V750 or V778 certificate.\n\n## Change your address online - V750 only\n\nUse your DVLA personalised registration account.\n\n## Change your address by post - V750 or V778\n\nFill in the \u2018change of address\u2019 section on your V750 or V778. Sign it and send it to DVLA Personalised Registrations.\n\n## If you do not have your V750 or V778\n\nWrite a letter saying what your new address is. Sign it and send it to DVLA Personalised Registrations with proof of your identity. This can be a copy of:\n\n- a household bill sent to you in the last 3 months\n\n- your Council Tax bill for this year\n\n- a bank or building society statement sent to you in the last 3 months\n\n- a medical card\n\n- your current British driving licence\n\n- your passport\n\n- your birth certificate\n\n## Change your name - V750 or V778\n\nYou can only change your name by post. You\u2019ll need proof of your name change - this can be a copy of:\n\n- your marriage certificate\n\n- the decree nisi or decree absolute from your divorce\n\n- a deed poll to show you\u2019ve changed your name legally\n\nFill in the \u2018nominee details\u2019 section on your V750 or V778. Sign it and send it to DVLA Personalised Registrations with proof of your name change.\n\n## If you do not have your V750 or V778\n\nWrite a letter saying what your new name is. Sign it and send it to DVLA Personalised Registrations with proof of your name change.\n\n## Fix mistakes\n\nWrite a letter saying what the mistakes are. Send it with the V750 or V778 to DVLA Personalised Registrations.\n\n## Give up your right to use a private number\n\nYou might get a refund of \u00a380 if you have the right to use a private number but you decide not to assign it to a vehicle.\n\nThis refunds the \u00a380 fee you paid when you either:\n\n- bought the number (the fee was included in the cost)\n\n- took the number off a vehicle\n\nYou can apply for a refund if:\n\n- the number was not assigned to any vehicle after you paid the fee\n\n- you have the latest V778 or V750 document - if you\u2019ve lost it and it\u2019s still valid you can get a replacement from DVLA\n\nIf the document was issued before 9 March 2015, you can only get a refund once it expires. You cannot get a replacement document if it\u2019s expired.\n\nTick the \u2018Give up the right to this registered number (surrender)\u2019 section of the V778 or V750 document, sign it and send it to:\n\nYou cannot use the private number after you give up your right to it.\n\nThere\u2019s a different process if the person with the right to use the private number has died.\n\n## If the person with the right to use the private number dies\n\nIf someone has died and left you a personalised number in their will, or you\u2019re in charge of the will (an \u2018executor\u2019), you can:\n\n- keep the private number\n\n- transfer it to another vehicle\n\n- put it in someone else\u2019s name\n\n- give up the right to use the number (you can apply for a refund)\n\nTo do this, you\u2019ll need to send a form to DVLA, along with documents that prove you have the right to use the number.\n\n## Prove you\u2019ve got the right to use the number\n\nYou must send DVLA the death certificate when you send in your form. The death certificate can be an original or a certified copy.\n\nYou must also send at least one of the following:\n\n- a certified copy of probate\n\n- a copy of the will\n\n- a letter from the solicitor confirming who the executors are or next of kin is\n\n## Keep or transfer the number, or give it to someone else\n\nWhich form you send depends on whether the number is already on (\u2018assigned to\u2019) a vehicle.\n\n## If the number is already assigned to a vehicle\n\nFill in:\n\n- the V317 form (if you have an old blue form, fill in section 2)\n\n- section 2 if you have a new style log book (with multi-coloured numbered blocks on the front cover) or section 6 if you have the older style log book\n\nMake sure you include the details of the person you want to transfer the number to, for example an executor or next of kin.\n\nIt costs \u00a380.\n\n## If the number has not been assigned to a vehicle\n\nSend the documents that prove you\u2019ve got the right to use the number and either the:\n\n- V778 retention document\n\n- V750 certificate of entitlement form\n\nThe executors must sign the V778 or V750 before you send it.\n\nYou must also send a covering letter from the executors saying if you want to:\n\n- keep the number\n\n- give the number to someone else\n\n## If you do not have the V778 or V750\n\nSend DVLA:\n\n- the documents that prove you have the right to use the number\n\n- a covering letter signed by all the executors confirming that you do not have the forms, and explaining what you want to do with the number\n\n## Give up your right to use the private number\n\nYou might be able to get a refund of the \u00a380 assignment fee if:\n\n- a private number was not assigned to a vehicle after the fee was paid\n\n- you have the latest V778 or V750 document - if you\u2019ve lost it and it\u2019s still valid you can get a replacement from DVLA\n\nCheck the V778 or V750 document to find out if a fee was paid.\n\nIf the document was issued before 9 March 2015, you can only get a refund once it expires. You cannot get a replacement document if it\u2019s expired.\n\nSend DVLA:\n\n- the V778 or V750 document - tick the \u2018Refund of the assignment fee\u2019 section and get all the executors to sign it\n\n- the documents that prove you have the right to use the number\n\n## If you do not have the V778 or V750\n\nSend DVLA:\n\n- the documents that prove you have the right to use the number\n\n- a covering letter signed by the all the executors confirming that you do not have the forms, and explaining what you want to do with the number", + "original_contents": [ + "

    Overview

    ", + "

    You can buy a private (personalised) registration for your vehicle\u2019s number plates from DVLA or from a private dealer.

    ", + "

    If you have the right to a private number that is not currently being used, you can apply to assign it (put it on) to a vehicle.

    ", + "

    Take a private number off (\u2018retention\u2019)

    ", + "

    If you do not want to use your private number anymore you can apply to take it off your vehicle. You can keep the number (put it \u2018on retention\u2019) to use later.

    ", + "

    You\u2019ll get a V778 retention document proving you still have the right to use the number.

    ", + "

    Selling a private number

    ", + "

    You can also sell your private number if you do not want to use it anymore.

    ", + "

    If you\u2019re selling your private number online, do not share a scan or photograph of the V750 or V778 document. Someone other than the buyer might use it to put the private number on another vehicle.

    ", + "

    Transfer a private number

    ", + "

    To transfer a private number from one vehicle to another, you need to:

    ", + "
  • Take it off the vehicle you\u2019re transferring it from.
  • ", + "
  • Assign it to the vehicle you\u2019re transferring it to.
  • ", + "

    You can also do this by post using form V317.

    ", + "

    Buy a private number

    ", + "

    Buy from DVLA

    ", + "

    You can buy new numbers from DVLA Personalised Registrations.

    ", + "

    Buying at DVLA auctions

    ", + "

    There are auctions across the country about 5 times a year. You can see a list of the numbers coming up for auction.

    ", + "

    You can bid in person, by phone, in writing or online.

    ", + "

    You\u2019ll get a V750 certificate of entitlement once you\u2019ve paid for the private (personalised) number. This is to prove that you have the right to put the number on a vehicle (\u2018assign\u2019 it).

    ", + "

    Buying from a private dealer or person

    ", + "

    You can buy a private number from a dealer or from another person.

    ", + "

    Most dealers will transfer the number to your vehicle for you. If you want to keep or assign the number yourself, ask the dealer if you can have the V750 or V778.

    ", + "

    Assign a private number to a vehicle

    ", + "

    To assign a private (personalised) number to a vehicle, you need one of the following:

    ", + "
  • a V778 retention document
  • ", + "
  • a V750 certificate of entitlement
  • ", + "
  • an online reference number
  • ", + "

    You get one of these when you either buy a number or take a number from another vehicle you own.

    ", + "

    Eligibility

    ", + "

    You cannot:

    ", + "
  • assign a number starting with \u2018Q\u2019 or \u2018NIQ\u2019
  • ", + "
  • put a private number on a \u2018Q\u2019 registered vehicle
  • ", + "
  • use a private number that makes a vehicle look newer than it is - for example, an \u201807\u2019 registration number on a 2003 registered vehicle
  • ", + "

    The vehicle must:

    ", + "
  • be registered with DVLA in the UK
  • ", + "
  • be able to move under its own power
  • ", + "
  • be of a type that needs an MOT or heavy goods vehicle (HGV) test certificate
  • ", + "
  • have been taxed or had a SORN in place continuously for the past 5 years
  • ", + "
  • be taxed currently (or have a SORN in place - if it\u2019s had a SORN for more than 5 years, it must be taxed)
  • ", + "
  • be available for inspection
  • ", + "

    DVLA will check your application and contact you if your vehicle needs an inspection.

    ", + "

    Apply to assign a number

    ", + "

    If the vehicle is:

    ", + "
  • registered to you - apply online or by post
  • ", + "
  • a used vehicle you just bought - wait for DVLA to send you a new V5C in your name before you apply online or by post
  • ", + "
  • brand new - give the dealer your V750 or V778 document and ask them to apply
  • ", + "
  • registered to someone else and you want the private number to be transferred to them - apply online or by post
  • ", + "

    It\u2019s free to apply online or by post. You need the vehicle\u2019s log book (V5C).

    ", + "

    If you already have a private number on your vehicle, apply to take it off first. You could lose the right to use the number if you do not.

    ", + "

    Apply online

    ", + "

    The number will be assigned immediately if your vehicle does not need an inspection. Be ready to put new number plates on the vehicle as soon as you\u2019ve applied.

    ", + "

    Assign a number online

    ", + "

    This service is open from 7am to 7pm. It\u2019s also available in Welsh (Cymraeg).

    ", + "

    Apply by post

    ", + "

    It is taking longer than usual to process paper applications because of coronavirus (COVID-19).

    ", + "

    Send all of the following documents to DVLA:

    ", + "
  • the completed V750 or V778 - the address is on the form
  • ", + "
  • the vehicle\u2019s log book (V5C) or green \u2018new keeper\u2019 slip with a completed V62 \u2018application for a vehicle registration certificate V5C\u2019
  • ", + "

    If you\u2019re assigning the number to someone else\u2019s vehicle, add them as a \u2018nominee\u2019 - complete section 2 of the V750 or V778.

    ", + "

    To tax your vehicle at the same time, include all of the following:

    ", + "
  • a V10 \u2018application for vehicle tax\u2019 form
  • ", + "
  • the right amount of vehicle tax
  • ", + "
  • an MOT certificate
  • ", + "

    After you assign a private number

    ", + "

    You\u2019ll be sent:

    ", + "
  • a new log book (V5C) - it can take 4 to 6 weeks to arrive
  • ", + "
  • your original MOT back (if you sent it to tax the vehicle)
  • ", + "

    You must put new number plates on the vehicle before you drive it.

    ", + "

    You can keep the original registration number and plates - they\u2019ll be reassigned to the vehicle when you take off the private number.

    ", + "

    You must not sell or get rid of a vehicle until you get the new log book (V5C).

    ", + "

    Who to tell about your new registration number

    ", + "

    You must tell your insurance company.

    ", + "

    Update your registration number for any automatic payment accounts you have, for example to pay:

    ", + "
  • the Congestion Charge
  • ", + "
  • the Low Emission Zone Charge
  • ", + "
  • the Ultra Low Emission Zone Charge
  • ", + "
  • the Dart Charge
  • ", + "
  • charges for driving in Clean Air Zones
  • ", + "

    You may get a penalty charge if you do not update your registration details and enter one of these zones.

    ", + "

    If your vehicle has Clean Vehicle Retrofit Accreditation scheme certification, you also need to tell them your new registration number.

    ", + "

    Take a private number off a vehicle

    ", + "

    You can apply to take a private (personalised) number off a vehicle if you want to either:

    ", + "
  • keep the number to use later
  • ", + "
  • assign it to another vehicle
  • ", + "

    You cannot keep a number starting with \u2018Q\u2019 or \u2018NIQ\u2019.

    ", + "

    The vehicle\u2019s original registration number is usually reassigned to it automatically when you take off a private number.

    ", + "

    If your application is successful you\u2019ll be sent a V778 retention document and a new log book (V5C).

    ", + "

    You must have your V778 and new log book before you scrap or sell your vehicle - otherwise you\u2019ll lose the right to use the private number.

    ", + "

    Eligibility

    ", + "

    The vehicle must:

    ", + "
  • be registered with DVLA in the UK
  • ", + "
  • be able to move under its own power
  • ", + "
  • be of a type that needs an MOT or heavy goods vehicle (HGV) test certificate
  • ", + "
  • have been taxed or had a SORN in place continuously for the past 5 years
  • ", + "
  • be taxed currently (or have a SORN in place - if it\u2019s had a SORN for more than 5 years, it must be taxed)
  • ", + "
  • be available for inspection
  • ", + "

    DVLA will check your application and contact you if your vehicle needs an inspection.

    ", + "

    Apply to take off a number

    ", + "

    You can apply online or by post. It costs \u00a380. You must have the vehicle\u2019s log book (V5C).

    ", + "

    If the vehicle\u2019s not in your name, you have to apply by post.

    ", + "

    Apply online

    ", + "

    The number will be removed immediately if your vehicle does not need an inspection.

    ", + "

    You can assign the number to another vehicle as soon as you\u2019ve applied to take it off - use the reference number you get after you apply.

    ", + "

    Take off a number online

    ", + "

    This service is open from 7am to 7pm. It\u2019s also available in Welsh (Cymraeg).

    ", + "

    Apply by post

    ", + "

    It is taking longer than usual to process paper applications because of coronavirus (COVID-19).

    ", + "

    Send all of the following to DVLA:

    ", + "
  • a V317 \u2018transfer or retain a vehicle registration number\u2019 form - the address is on the form
  • ", + "
  • the vehicle\u2019s log book (V5C) or green \u2018new keeper\u2019 slip with a completed V62 \u2018application for a vehicle registration certificate V5C\u2019
  • ", + "
  • the \u00a380 transfer fee
  • ", + "

    To tax your vehicle at the same time, send all of the following:

    ", + "
  • a V10 \u2018application for vehicle tax\u2019 form
  • ", + "
  • the right amount of vehicle tax
  • ", + "
  • an MOT certificate
  • ", + "

    After you apply

    ", + "

    Your original number plate will usually be reassigned to your vehicle automatically, if your application is successful. This will happen straight away.

    ", + "

    You\u2019ll be sent:

    ", + "
  • a new log book (V5C) showing the vehicle\u2019s replacement registration number - it can take 4 to 6 weeks to arrive
  • ", + "
  • your original MOT back (if you sent it to tax the vehicle)
  • ", + "
  • a V778 retention document if the private number is in your name
  • ", + "

    If the private number is in someone else\u2019s name, the V778 document will be sent to them.

    ", + "

    Before you can drive your vehicle, you must:

    ", + "
  • put the original or new number plates on the vehicle before you drive it
  • ", + "
  • tell your insurance company your new registration number
  • ", + "

    Who to tell about your new registration number

    ", + "

    You must tell your insurance company.

    ", + "

    Update your registration number for any automatic payment accounts you have, for example to pay:

    ", + "
  • the Congestion Charge
  • ", + "
  • the Low Emission Zone Charge
  • ", + "
  • the Ultra Low Emission Zone Charge
  • ", + "
  • the Dart Charge
  • ", + "
  • charges for driving in Clean Air Zones
  • ", + "

    You may get a penalty charge if you do not update your registration details and enter one of these zones.

    ", + "

    If your vehicle has Clean Vehicle Retrofit Accreditation scheme certification, you also need to tell them your new registration number.

    ", + "

    What happens to the private number

    ", + "

    Your V778 retention document proves that you still have the right to assign the private number for the next 10 years.

    ", + "

    You must renew your right to use a private number before the V778 expires.

    ", + "

    You can give up your right to use the private number if you decide not to assign it.

    ", + "

    Renew or replace your private number

    ", + "

    You must renew your right to use your private (personalised) number every 10 years if it\u2019s not being used on a vehicle. If you got your private number before 2015, you must renew it more often - check your V750 or V778 document.

    ", + "

    You\u2019ll permanently lose the right to use the number if you do not renew it before the expiry date. DVLA will not accept applications made after that date.

    ", + "

    Renew your V750 certificate of entitlement or V778 retention document

    ", + "

    You can apply to renew your V750 or V778 up to 28 days before it expires. Do not apply earlier than this or your application may be refused.

    ", + "

    You\u2019ll get a reminder letter or email if you\u2019re not using a private number and your right to use it is about to run out.

    ", + "

    You can renew it for up to 10 years, and it does not cost anything to do.

    ", + "

    Renew your V750 online

    ", + "

    You can renew your V750 by creating a DVLA personalised registration account or by using your existing account.

    ", + "

    Renew by post

    ", + "

    Fill in the form on the V750 or V778.

    ", + "

    Send the V750 or V778 to the address on the form.

    ", + "

    Replace a lost or stolen V750 or V778

    ", + "

    You can send a letter to DVLA Personalised Registrations to ask for a replacement V750 or V778 if:

    ", + "
  • it has not expired
  • ", + "
  • you\u2019re the person with the right to use the number (your name will have been on the V778 or V750 as the \u2018grantee\u2019)
  • ", + "

    It\u2019ll take around 3 to 4 weeks for the new V750 or V778 to arrive.

    ", + "

    If your address or name has changed

    ", + "

    You\u2019ll need to include an extra document with your letter.

    ", + "

    If your address has changed, include proof of your identity. This can be a copy of:

    ", + "
  • a household bill sent to you in the last 3 months
  • ", + "
  • your Council Tax bill for this year
  • ", + "
  • a bank or building society statement sent to you in the last 3 months
  • ", + "
  • a medical card
  • ", + "
  • your current British driving licence
  • ", + "
  • your passport
  • ", + "
  • your birth certificate
  • ", + "

    If your name has changed, include proof of your name change. This can be a copy of:

    ", + "
  • your marriage certificate
  • ", + "
  • the decree nisi or decree absolute from your divorce
  • ", + "
  • a deed poll to show you\u2019ve changed your name legally
  • ", + "

    Sell or give a private number to someone else

    ", + "

    You can sell or give a private (personalised) number to someone. The number must be assigned to their vehicle before they can use it.

    ", + "

    If you\u2019re giving a number to someone, follow the steps for assigning your private number to someone else.

    ", + "

    Selling your private number

    ", + "

    You can use a private number dealer or sell your number yourself.

    ", + "

    Do not share a photograph or scan of the V750 or V778 document. Someone other than the buyer might use it to put the private number on another vehicle.

    ", + "

    Use a private number dealer

    ", + "

    Most dealers will find a buyer, arrange the payment and transfer the number to the buyer\u2019s vehicle for you.

    ", + "

    Sell your private number yourself

    ", + "

    After you find a buyer, you\u2019ll need to assign your number to their vehicle. Follow the steps for assigning your private number to someone else.

    ", + "

    Assign your private number to someone else

    ", + "

    You can put your private number on someone else\u2019s vehicle online or by post.

    ", + "

    After that, DVLA will send a replacement log book for the vehicle but with the new private number assigned to it.

    ", + "

    Online

    ", + "

    You\u2019ll need details from:

    ", + "
  • the log book (V5C) of the vehicle you\u2019re assigning the number to
  • ", + "
  • your V778 or V750
  • ", + "

    The number will usually be assigned immediately.

    ", + "

    Assign a number online

    ", + "

    This service is open from 7am to 7pm. It\u2019s also available in Welsh (Cymraeg).

    ", + "

    By post

    ", + "

    Send DVLA:

    ", + "
  • your V778 or V750 form - fill in sections 1 and 2 and sign it first
  • ", + "
  • the log book (V5C) for the vehicle you want to put the private number on
  • ", + "

    The address is on the form.

    ", + "

    If the nominee dies

    ", + "

    The person who has the right to use the private number can change the \u2018nominee\u2019 (the person you\u2019re giving the number to). Fill in section 2 of the V750 or V778 with the new nominee\u2019s details, sign the form and send it to:

    ", + "

    Change your name or address

    ", + "

    You can change your address or name on your V750 or V778 certificate.

    ", + "

    Change your address online - V750 only

    ", + "

    Use your DVLA personalised registration account.

    ", + "

    Change your address by post - V750 or V778

    ", + "

    Fill in the \u2018change of address\u2019 section on your V750 or V778. Sign it and send it to DVLA Personalised Registrations.

    ", + "

    If you do not have your V750 or V778

    ", + "

    Write a letter saying what your new address is. Sign it and send it to DVLA Personalised Registrations with proof of your identity. This can be a copy of:

    ", + "
  • a household bill sent to you in the last 3 months
  • ", + "
  • your Council Tax bill for this year
  • ", + "
  • a bank or building society statement sent to you in the last 3 months
  • ", + "
  • a medical card
  • ", + "
  • your current British driving licence
  • ", + "
  • your passport
  • ", + "
  • your birth certificate
  • ", + "

    Change your name - V750 or V778

    ", + "

    You can only change your name by post. You\u2019ll need proof of your name change - this can be a copy of:

    ", + "
  • your marriage certificate
  • ", + "
  • the decree nisi or decree absolute from your divorce
  • ", + "
  • a deed poll to show you\u2019ve changed your name legally
  • ", + "

    Fill in the \u2018nominee details\u2019 section on your V750 or V778. Sign it and send it to DVLA Personalised Registrations with proof of your name change.

    ", + "

    If you do not have your V750 or V778

    ", + "

    Write a letter saying what your new name is. Sign it and send it to DVLA Personalised Registrations with proof of your name change.

    ", + "

    Fix mistakes

    ", + "

    Write a letter saying what the mistakes are. Send it with the V750 or V778 to DVLA Personalised Registrations.

    ", + "

    Give up your right to use a private number

    ", + "

    You might get a refund of \u00a380 if you have the right to use a private number but you decide not to assign it to a vehicle.

    ", + "

    This refunds the \u00a380 fee you paid when you either:

    ", + "
  • bought the number (the fee was included in the cost)
  • ", + "
  • took the number off a vehicle
  • ", + "

    You can apply for a refund if:

    ", + "
  • the number was not assigned to any vehicle after you paid the fee
  • ", + "
  • you have the latest V778 or V750 document - if you\u2019ve lost it and it\u2019s still valid you can get a replacement from DVLA
  • ", + "

    If the document was issued before 9 March 2015, you can only get a refund once it expires. You cannot get a replacement document if it\u2019s expired.

    ", + "

    Tick the \u2018Give up the right to this registered number (surrender)\u2019 section of the V778 or V750 document, sign it and send it to:

    ", + "

    You cannot use the private number after you give up your right to it.

    ", + "

    There\u2019s a different process if the person with the right to use the private number has died.

    ", + "

    If the person with the right to use the private number dies

    ", + "

    If someone has died and left you a personalised number in their will, or you\u2019re in charge of the will (an \u2018executor\u2019), you can:

    ", + "
  • keep the private number
  • ", + "
  • transfer it to another vehicle
  • ", + "
  • put it in someone else\u2019s name
  • ", + "
  • give up the right to use the number (you can apply for a refund)
  • ", + "

    To do this, you\u2019ll need to send a form to DVLA, along with documents that prove you have the right to use the number.

    ", + "

    Prove you\u2019ve got the right to use the number

    ", + "

    You must send DVLA the death certificate when you send in your form. The death certificate can be an original or a certified copy.

    ", + "

    You must also send at least one of the following:

    ", + "
  • a certified copy of probate
  • ", + "
  • a copy of the will
  • ", + "
  • a letter from the solicitor confirming who the executors are or next of kin is
  • ", + "

    Keep or transfer the number, or give it to someone else

    ", + "

    Which form you send depends on whether the number is already on (\u2018assigned to\u2019) a vehicle.

    ", + "

    If the number is already assigned to a vehicle

    ", + "

    Fill in:

    ", + "
  • the V317 form (if you have an old blue form, fill in section 2)
  • ", + "
  • section 2 if you have a new style log book (with multi-coloured numbered blocks on the front cover) or section 6 if you have the older style log book
  • ", + "

    Make sure you include the details of the person you want to transfer the number to, for example an executor or next of kin.

    ", + "

    It costs \u00a380.

    ", + "

    If the number has not been assigned to a vehicle

    ", + "

    Send the documents that prove you\u2019ve got the right to use the number and either the:

    ", + "
  • V778 retention document
  • ", + "
  • V750 certificate of entitlement form
  • ", + "

    The executors must sign the V778 or V750 before you send it.

    ", + "

    You must also send a covering letter from the executors saying if you want to:

    ", + "
  • keep the number
  • ", + "
  • give the number to someone else
  • ", + "

    If you do not have the V778 or V750

    ", + "

    Send DVLA:

    ", + "
  • the documents that prove you have the right to use the number
  • ", + "
  • a covering letter signed by all the executors confirming that you do not have the forms, and explaining what you want to do with the number
  • ", + "

    Give up your right to use the private number

    ", + "

    You might be able to get a refund of the \u00a380 assignment fee if:

    ", + "
  • a private number was not assigned to a vehicle after the fee was paid
  • ", + "
  • you have the latest V778 or V750 document - if you\u2019ve lost it and it\u2019s still valid you can get a replacement from DVLA
  • ", + "

    Check the V778 or V750 document to find out if a fee was paid.

    ", + "

    If the document was issued before 9 March 2015, you can only get a refund once it expires. You cannot get a replacement document if it\u2019s expired.

    ", + "

    Send DVLA:

    ", + "
  • the V778 or V750 document - tick the \u2018Refund of the assignment fee\u2019 section and get all the executors to sign it
  • ", + "
  • the documents that prove you have the right to use the number
  • ", + "

    If you do not have the V778 or V750

    ", + "

    Send DVLA:

    ", + "
  • the documents that prove you have the right to use the number
  • ", + "
  • a covering letter signed by the all the executors confirming that you do not have the forms, and explaining what you want to do with the number
  • " + ] + }, + "https://www.gov.uk/vehicle-registration-schemes-for-the-motor-trade": { + "url": "https://www.gov.uk/vehicle-registration-schemes-for-the-motor-trade", + "title": "Vehicle registration schemes for the motor trade", + "content": "## Overview\n\nThere are 3 vehicle registration schemes for the motor trade. They are:\n\n- the non-secure registration scheme\n\n- the secure registration scheme\n\n- the Register a Vehicle (RaV) service\n\nYou can use these schemes if you\u2019re a:\n\n- vehicle manufacturer\n\n- sole or multiple import concessionaire\n\n- VAT-registered motor vehicle trader\n\n## Using the schemes\n\nWhen you first start registering vehicles, you have to use the non-secure scheme. The other 2 schemes are designed to speed up the vehicle registration process.\n\nYou can apply to the secure scheme when you\u2019ve been using the non-secure scheme without irregularities or issues for 6 months.\n\nYou need to have used the secure scheme for 3 months if you want to use the RaV service.\n\n## The Vehicle Register\n\nThis is maintained by DVLA. It\u2019s based on the information provided on the V55 registration form or by the RaV service.\n\n## Non-secure registration scheme\n\nYou need to complete form V55/4 and send it to DVLA Swansea, SA99 1BE with one of the following documents:\n\n- a valid \u2018CoC\u2019 (certificate of conformity)\n\n- the correct vehicle type approval certificate\n\n- a Vehicle Certification Agency certificate of British National Type Approval (goods vehicles and mutual recognition)\n\nSend the documents along with:\n\n- the registration fee\n\n- the licence fee\n\n- the appropriate customs form for an imported vehicle\n\n- a certificate of newness (if applicable)\n\n- approved identity documents confirming your name and address\n\n- a foreign registration document (for used, imported vehicles)\n\nYou can only apply to use the secure registration scheme after you\u2019ve been using the non-secure scheme without irregularities or issues for 6 months.\n\n## Secure registration scheme\n\nWhen your company has been approved to use this scheme, some of the documentation needed for the non-secure scheme is no longer required.\n\nInstead, you complete the registration process by transferring the data from one of the following onto the V55/1 or V55/2 form:\n\n- European Community Whole Vehicle Type Approval Certificate\n\n- National Small Series Type Approval Certificate\n\n- Goods Vehicle National Type Approval Certificate\n\nYou register vehicles by sending the following to DVLA Swansea, SA99 1BE:\n\n- a completed V55/1 or V55/2 form\n\n- the registration fee and the fee to tax a vehicle\n\nThere\u2019s no need to provide evidence of newness with your V55/1 or V55/2 form.\n\nContact one of the following trade associations to get a V55/1 or V55/2 form:\n\n- Society of Motor Manufacturers and Traders\n\n- Motor Cycle Industry Association\n\n- Agricultural Engineers Association\n\nOr write to:\n\nYou can also order the forms by faxing 01792 783525 or emailing stores.order.forms@dvla.gov.uk.\n\n## Modified vehicles\n\nVehicles modified before registration - for example with different wheels, tyres or a silencer - may need a:\n\n- Single Vehicle Approval inspection\n\n- Individual Vehicle Approval inspection\n\n- Motorcycle Vehicle Approval inspection\n\n- further type approval work\n\nThese vehicles then need to be registered using the non-secure system with one of the above certificates.\n\nVehicles modified through the multi-stage build process and then type approved, or those using the enhancement scheme, can be registered using the secure registration scheme.\n\n## How to apply\n\nEmail secureformsscheme@dvla.gov.uk to apply.\n\nThey will send you an application pack and guidance notes.\n\nWhen you\u2019ve used the secure registration scheme for 3 months, you can apply to use the Register a Vehicle (RaV) service.\n\n## Register a Vehicle service\n\nThe Register a Vehicle (RaV) service is a web-based version of the secure registration scheme and it can save you time if you decide to join it.\n\nBefore applying for the RaV service you must:\n\n- be approved to register vehicles using the secure registration scheme\n\n- have used the secure scheme for at least 3 months\n\nDVLA staff will provide initial training in the system and there\u2019s also a helpdesk that operates from Monday to Friday, 8am to 5pm.\n\n## Vehicle Certification Agency (VCA) control check arrangements\n\nYou still need to maintain the same paper records for the RaV service, as you did for the secure registration scheme.\n\nThese could include:\n\n- V55 document security (when used as back up for printer or computer failure or other registration purposes)\n\n- derogation forms from potential new vehicle suppliers\n\n- spot check records\n\nThe DVLA or VCA may visit you to make sure control checks and security systems are being maintained.\n\n## How to apply\n\nEmail rav@dvla.gov.uk if you register your vehicles on forms V55/1 or V55/2.\n\nEmail secureformsscheme@dvla.gov.uk if:\n\n- you register your vehicles on form V55/4\n\n- you want to register for the secure registration scheme before joining the RaV service\n\nIf your application is successful, you\u2019ll be told how to sign in to the\u00a0RaV\u00a0service.", + "original_contents": [ + "

    Overview

    ", + "

    There are 3 vehicle registration schemes for the motor trade. They are:

    ", + "
  • the non-secure registration scheme
  • ", + "
  • the secure registration scheme
  • ", + "
  • the Register a Vehicle (RaV) service
  • ", + "

    You can use these schemes if you\u2019re a:

    ", + "
  • vehicle manufacturer
  • ", + "
  • sole or multiple import concessionaire
  • ", + "
  • VAT-registered motor vehicle trader
  • ", + "

    Using the schemes

    ", + "

    When you first start registering vehicles, you have to use the non-secure scheme. The other 2 schemes are designed to speed up the vehicle registration process.

    ", + "

    You can apply to the secure scheme when you\u2019ve been using the non-secure scheme without irregularities or issues for 6 months.

    ", + "

    You need to have used the secure scheme for 3 months if you want to use the RaV service.

    ", + "

    The Vehicle Register

    ", + "

    This is maintained by DVLA. It\u2019s based on the information provided on the V55 registration form or by the RaV service.

    ", + "

    Non-secure registration scheme

    ", + "

    You need to complete form V55/4 and send it to DVLA Swansea, SA99 1BE with one of the following documents:

    ", + "
  • a valid \u2018CoC\u2019 (certificate of conformity)
  • ", + "
  • the correct vehicle type approval certificate
  • ", + "
  • a Vehicle Certification Agency certificate of British National Type Approval (goods vehicles and mutual recognition)
  • ", + "

    Send the documents along with:

    ", + "
  • the registration fee
  • ", + "
  • the licence fee
  • ", + "
  • the appropriate customs form for an imported vehicle
  • ", + "
  • a certificate of newness (if applicable)
  • ", + "
  • approved identity documents confirming your name and address
  • ", + "
  • a foreign registration document (for used, imported vehicles)
  • ", + "

    You can only apply to use the secure registration scheme after you\u2019ve been using the non-secure scheme without irregularities or issues for 6 months.

    ", + "

    Secure registration scheme

    ", + "

    When your company has been approved to use this scheme, some of the documentation needed for the non-secure scheme is no longer required.

    ", + "

    Instead, you complete the registration process by transferring the data from one of the following onto the V55/1 or V55/2 form:

    ", + "
  • European Community Whole Vehicle Type Approval Certificate
  • ", + "
  • National Small Series Type Approval Certificate
  • ", + "
  • Goods Vehicle National Type Approval Certificate
  • ", + "

    You register vehicles by sending the following to DVLA Swansea, SA99 1BE:

    ", + "
  • a completed V55/1 or V55/2 form
  • ", + "
  • the registration fee and the fee to tax a vehicle
  • ", + "

    There\u2019s no need to provide evidence of newness with your V55/1 or V55/2 form.

    ", + "

    Contact one of the following trade associations to get a V55/1 or V55/2 form:

    ", + "
  • Society of Motor Manufacturers and Traders
  • ", + "
  • Motor Cycle Industry Association
  • ", + "
  • Agricultural Engineers Association
  • ", + "

    Or write to:

    ", + "

    You can also order the forms by faxing 01792 783525 or emailing stores.order.forms@dvla.gov.uk.

    ", + "

    Modified vehicles

    ", + "

    Vehicles modified before registration - for example with different wheels, tyres or a silencer - may need a:

    ", + "
  • Single Vehicle Approval inspection
  • ", + "
  • Individual Vehicle Approval inspection
  • ", + "
  • Motorcycle Vehicle Approval inspection
  • ", + "
  • further type approval work
  • ", + "

    These vehicles then need to be registered using the non-secure system with one of the above certificates.

    ", + "

    Vehicles modified through the multi-stage build process and then type approved, or those using the enhancement scheme, can be registered using the secure registration scheme.

    ", + "

    How to apply

    ", + "

    Email secureformsscheme@dvla.gov.uk to apply.

    ", + "

    They will send you an application pack and guidance notes.

    ", + "

    When you\u2019ve used the secure registration scheme for 3 months, you can apply to use the Register a Vehicle (RaV) service.

    ", + "

    Register a Vehicle service

    ", + "

    The Register a Vehicle (RaV) service is a web-based version of the secure registration scheme and it can save you time if you decide to join it.

    ", + "

    Before applying for the RaV service you must:

    ", + "
  • be approved to register vehicles using the secure registration scheme
  • ", + "
  • have used the secure scheme for at least 3 months
  • ", + "

    DVLA staff will provide initial training in the system and there\u2019s also a helpdesk that operates from Monday to Friday, 8am to 5pm.

    ", + "

    Vehicle Certification Agency (VCA) control check arrangements

    ", + "

    You still need to maintain the same paper records for the RaV service, as you did for the secure registration scheme.

    ", + "

    These could include:

    ", + "
  • V55 document security (when used as back up for printer or computer failure or other registration purposes)
  • ", + "
  • derogation forms from potential new vehicle suppliers
  • ", + "
  • spot check records
  • ", + "

    The DVLA or VCA may visit you to make sure control checks and security systems are being maintained.

    ", + "

    How to apply

    ", + "

    Email rav@dvla.gov.uk if you register your vehicles on forms V55/1 or V55/2.

    ", + "

    Email secureformsscheme@dvla.gov.uk if:

    ", + "
  • you register your vehicles on form V55/4
  • ", + "
  • you want to register for the secure registration scheme before joining the RaV service
  • ", + "

    If your application is successful, you\u2019ll be told how to sign in to the\u00a0RaV\u00a0service.

    " + ] + }, + "https://www.gov.uk/seat-belts-law": { + "url": "https://www.gov.uk/seat-belts-law", + "title": "Seat belts: the law", + "content": "## Overview\n\nYou must wear a seat belt if one is fitted in the seat you\u2019re using - there are only a few exceptions.\n\nYou\u2019re also only allowed 1 person in each seat fitted with a seat belt.\n\nYou can be fined up to \u00a3500 if you don\u2019t wear a seat belt when you\u2019re supposed to.\n\n## Children\n\nYou must make sure that any children in the vehicle you\u2019re driving are:\n\n- in the correct car seat for their height or weight until they reach 135 centimetres tall or their 12th birthday, whichever is first\n\n- wearing a seat belt if they\u2019re 12 or 13 years old, or younger and over 135cm tall\n\nYou can be fined up to \u00a3500 if a child under 14 isn\u2019t in the correct car seat or wearing a seat belt while you\u2019re driving.\n\n## When you don't need to wear a seat belt\n\nYou don\u2019t need to wear a seat belt if you\u2019re:\n\n- a driver who is reversing, or supervising a learner driver who is reversing\n\n- in a vehicle being used for police, fire and rescue services\n\n- a passenger in a trade vehicle and you\u2019re investigating a fault\n\n- driving a goods vehicle on deliveries that is travelling no more than 50 metres between stops\n\n- a licensed taxi driver who is \u2018plying for hire\u2019 or carrying passengers\n\n## Medical exemptions\n\nYour doctor may say you don\u2019t have to wear a seat belt for a medical reason. They\u2019ll give you a \u2018Certificate of Exemption from Compulsory Seat Belt Wearing\u2019. You must:\n\n- keep this in your vehicle\n\n- show it to the police if you\u2019re stopped\n\nYou\u2019ll also need to tell your car insurer.\n\nTalk to your doctor for more information and read \u2018medical exemptions from compulsory seat belt wearing\u2019.\n\n## Wearing a seat belt while pregnant\n\nYou must wear a seat belt if you\u2019re pregnant, unless your doctor says you don\u2019t have to for medical reasons.\n\n## Wearing a seat belt if you\u2019re disabled\n\nYou must wear a seat belt if you\u2019re a disabled driver or passenger, unless you don\u2019t have to for medical reasons. You may need to adapt your vehicle.\n\n## If your vehicle doesn\u2019t have seat belts\n\nIf your vehicle doesn\u2019t have seat belts, for example it\u2019s a classic car, you aren\u2019t allowed to carry any children under 3 years old in it.\n\nChildren over 3 are only allowed to sit in the back seats.\n\nThese rules only apply if your vehicle was originally made without seat belts.", + "original_contents": [ + "

    Overview

    ", + "

    You must wear a seat belt if one is fitted in the seat you\u2019re using - there are only a few exceptions.

    ", + "

    You\u2019re also only allowed 1 person in each seat fitted with a seat belt.

    ", + "

    You can be fined up to \u00a3500 if you don\u2019t wear a seat belt when you\u2019re supposed to.

    ", + "

    Children

    ", + "

    You must make sure that any children in the vehicle you\u2019re driving are:

    ", + "
  • in the correct car seat for their height or weight until they reach 135 centimetres tall or their 12th birthday, whichever is first
  • ", + "
  • wearing a seat belt if they\u2019re 12 or 13 years old, or younger and over 135cm tall
  • ", + "

    You can be fined up to \u00a3500 if a child under 14 isn\u2019t in the correct car seat or wearing a seat belt while you\u2019re driving.

    ", + "

    When you don't need to wear a seat belt

    ", + "

    You don\u2019t need to wear a seat belt if you\u2019re:

    ", + "
  • a driver who is reversing, or supervising a learner driver who is reversing
  • ", + "
  • in a vehicle being used for police, fire and rescue services
  • ", + "
  • a passenger in a trade vehicle and you\u2019re investigating a fault
  • ", + "
  • driving a goods vehicle on deliveries that is travelling no more than 50 metres between stops
  • ", + "
  • a licensed taxi driver who is \u2018plying for hire\u2019 or carrying passengers
  • ", + "

    Medical exemptions

    ", + "

    Your doctor may say you don\u2019t have to wear a seat belt for a medical reason. They\u2019ll give you a \u2018Certificate of Exemption from Compulsory Seat Belt Wearing\u2019. You must:

    ", + "
  • keep this in your vehicle
  • ", + "
  • show it to the police if you\u2019re stopped
  • ", + "

    You\u2019ll also need to tell your car insurer.

    ", + "

    Talk to your doctor for more information and read \u2018medical exemptions from compulsory seat belt wearing\u2019.

    ", + "

    Wearing a seat belt while pregnant

    ", + "

    You must wear a seat belt if you\u2019re pregnant, unless your doctor says you don\u2019t have to for medical reasons.

    ", + "

    Wearing a seat belt if you\u2019re disabled

    ", + "

    You must wear a seat belt if you\u2019re a disabled driver or passenger, unless you don\u2019t have to for medical reasons. You may need to adapt your vehicle.

    ", + "

    If your vehicle doesn\u2019t have seat belts

    ", + "

    If your vehicle doesn\u2019t have seat belts, for example it\u2019s a classic car, you aren\u2019t allowed to carry any children under 3 years old in it.

    ", + "

    Children over 3 are only allowed to sit in the back seats.

    ", + "

    These rules only apply if your vehicle was originally made without seat belts.

    " + ] + }, + "https://www.gov.uk/vehicle-recalls-and-faults": { + "url": "https://www.gov.uk/vehicle-recalls-and-faults", + "title": "Vehicle recalls and faults", + "content": "## Overview\n\nYou need to get your vehicle, vehicle parts and accessories fixed or replaced by the manufacturer if they find a serious problem with them.\n\nThis includes:\n\n- cars\n\n- motorcycles, quadricycles and tricycles\n\n- caravans and horse boxes\n\n- child car seats\n\n- seat belts and harnesses\n\n- tyres\n\n- components and parts\n\n- agricultural equipment\n\n- lorries, buses, coaches and minibuses\n\nYou can report a serious safety defects with your vehicle or accessory if it could cause injury.\n\n## Recalled vehicles, parts and accessories\n\nIf your vehicle is recalled for a safety reason, you\u2019ll usually be sent a letter by the manufacturer telling you:\n\n- why it\u2019s being recalled\n\n- what you need to do next\n\n- who you should contact\n\nYou will not usually have to pay for any repairs or parts under a safety recall.\n\n## Other ways of finding out about recalls\n\nYou will not get a letter if the manufacturer does not have your contact details, for example for car child seats.\n\nYou can check if a vehicle model, part or accessory has been recalled for a safety reason.\n\n## What you need to do\n\nYou\u2019re legally responsible for making sure that your vehicle is:\n\n- kept in a safe condition\n\n- safe to drive whenever you drive it\n\nIf you do not get your vehicle inspected and fixed, you could:\n\n- affect any insurance claim you make\n\n- put yourself and others at serious risk\n\nYou can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle in a dangerous condition.\n\n## Report a serious safety defect\n\nIf you find a serious defect that affects the safety of your vehicle, one of its parts, or an accessory, report it to the manufacturer immediately.\n\nTell the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with how the manufacturer is dealing with your report.\n\nDVSA will:\n\n- investigate the issue with the manufacturer\n\n- tell you what action is being taken\n\nThe vehicle, part or accessory can be recalled if it\u2019s found to be a serious safety issue.\n\n## How to report a serious safety defect\n\nTo report the defect you\u2019ll need to give details of what happened and:\n\n- the vehicle registration (number plate)\n\n- the make and model of the vehicle\n\n- the year the vehicle was made\n\n- the current mileage\n\n- the engine type (for example, petrol)\n\n- the gearbox type (manual or automatic)\n\n- any photos showing the defect (if you have them)\n\nIf you do not have all of the vehicle details, you can get some vehicle information from DVLA.\n\nReport a defect\n\n## What counts as a serious safety defect\n\nA serious safety defect is something:\n\n- about the way the vehicle is designed or made that\u2019s likely to cause injury or death\n\n- that happens suddenly and without warning\n\n## What does not count as a serious safety defect\n\nThings are not classed as a serious safety defect if:\n\n- they can be found during routine maintenance and servicing\n\n- you\u2019re warned about them by warning lights, noticeable changes in handling and unusual noises\n\n- they\u2019re caused by you misusing the vehicle, for example overloading your vehicle causing a tyre failure\n\n## Faults with vehicles, parts and accessories\n\nFaults in the way vehicles, vehicle parts and accessories are designed or made have to be registered with the Driver and Vehicle Standards Agency (DVSA) if they:\n\n- mean it could become unsafe in the future if it\u2019s not fixed\n\n- could mean that the vehicle, part or accessory no longer meets the legal standard\n\nOther types of general faults are not registered with DVSA.\n\n## How you\u2019ll be told about faults\n\nIf you own something affected, you might be sent a letter by the manufacturer telling you:\n\n- what the fault is\n\n- what you need to do next\n\n- who you should contact\n\nYou usually do not have to pay to get the fault fixed.\n\n## Other ways of finding out about faults\n\nYou can contact the manufacturer or dealer of your vehicle, part or accessory to check for any registered faults.\n\n## What you need to do\n\nYou do not have to do anything about the fault if you do not want to. However, not getting it fixed could mean that:\n\n- it becomes unsafe in the future\n\n- your vehicle fails its next MOT", + "original_contents": [ + "

    Overview

    ", + "

    You need to get your vehicle, vehicle parts and accessories fixed or replaced by the manufacturer if they find a serious problem with them.

    ", + "

    This includes:

    ", + "
  • cars
  • ", + "
  • motorcycles, quadricycles and tricycles
  • ", + "
  • caravans and horse boxes
  • ", + "
  • child car seats
  • ", + "
  • seat belts and harnesses
  • ", + "
  • tyres
  • ", + "
  • components and parts
  • ", + "
  • agricultural equipment
  • ", + "
  • lorries, buses, coaches and minibuses
  • ", + "

    You can report a serious safety defects with your vehicle or accessory if it could cause injury.

    ", + "

    Recalled vehicles, parts and accessories

    ", + "

    If your vehicle is recalled for a safety reason, you\u2019ll usually be sent a letter by the manufacturer telling you:

    ", + "
  • why it\u2019s being recalled
  • ", + "
  • what you need to do next
  • ", + "
  • who you should contact
  • ", + "

    You will not usually have to pay for any repairs or parts under a safety recall.

    ", + "

    Other ways of finding out about recalls

    ", + "

    You will not get a letter if the manufacturer does not have your contact details, for example for car child seats.

    ", + "

    You can check if a vehicle model, part or accessory has been recalled for a safety reason.

    ", + "

    What you need to do

    ", + "

    You\u2019re legally responsible for making sure that your vehicle is:

    ", + "
  • kept in a safe condition
  • ", + "
  • safe to drive whenever you drive it
  • ", + "

    If you do not get your vehicle inspected and fixed, you could:

    ", + "
  • affect any insurance claim you make
  • ", + "
  • put yourself and others at serious risk
  • ", + "

    You can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle in a dangerous condition.

    ", + "

    Report a serious safety defect

    ", + "

    If you find a serious defect that affects the safety of your vehicle, one of its parts, or an accessory, report it to the manufacturer immediately.

    ", + "

    Tell the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with how the manufacturer is dealing with your report.

    ", + "

    DVSA will:

    ", + "
  • investigate the issue with the manufacturer
  • ", + "
  • tell you what action is being taken
  • ", + "

    The vehicle, part or accessory can be recalled if it\u2019s found to be a serious safety issue.

    ", + "

    How to report a serious safety defect

    ", + "

    To report the defect you\u2019ll need to give details of what happened and:

    ", + "
  • the vehicle registration (number plate)
  • ", + "
  • the make and model of the vehicle
  • ", + "
  • the year the vehicle was made
  • ", + "
  • the current mileage
  • ", + "
  • the engine type (for example, petrol)
  • ", + "
  • the gearbox type (manual or automatic)
  • ", + "
  • any photos showing the defect (if you have them)
  • ", + "

    If you do not have all of the vehicle details, you can get some vehicle information from DVLA.

    ", + "

    Report a defect

    ", + "

    What counts as a serious safety defect

    ", + "

    A serious safety defect is something:

    ", + "
  • about the way the vehicle is designed or made that\u2019s likely to cause injury or death
  • ", + "
  • that happens suddenly and without warning
  • ", + "

    What does not count as a serious safety defect

    ", + "

    Things are not classed as a serious safety defect if:

    ", + "
  • they can be found during routine maintenance and servicing
  • ", + "
  • you\u2019re warned about them by warning lights, noticeable changes in handling and unusual noises
  • ", + "
  • they\u2019re caused by you misusing the vehicle, for example overloading your vehicle causing a tyre failure
  • ", + "

    Faults with vehicles, parts and accessories

    ", + "

    Faults in the way vehicles, vehicle parts and accessories are designed or made have to be registered with the Driver and Vehicle Standards Agency (DVSA) if they:

    ", + "
  • mean it could become unsafe in the future if it\u2019s not fixed
  • ", + "
  • could mean that the vehicle, part or accessory no longer meets the legal standard
  • ", + "

    Other types of general faults are not registered with DVSA.

    ", + "

    How you\u2019ll be told about faults

    ", + "

    If you own something affected, you might be sent a letter by the manufacturer telling you:

    ", + "
  • what the fault is
  • ", + "
  • what you need to do next
  • ", + "
  • who you should contact
  • ", + "

    You usually do not have to pay to get the fault fixed.

    ", + "

    Other ways of finding out about faults

    ", + "

    You can contact the manufacturer or dealer of your vehicle, part or accessory to check for any registered faults.

    ", + "

    What you need to do

    ", + "

    You do not have to do anything about the fault if you do not want to. However, not getting it fixed could mean that:

    ", + "
  • it becomes unsafe in the future
  • ", + "
  • your vehicle fails its next MOT
  • " + ] + }, + "https://www.gov.uk/boatmasters-licence": { + "url": "https://www.gov.uk/boatmasters-licence", + "title": "Boatmasters' licence", + "content": "## Check if you need a licence\n\nYou must have a boatmasters\u2019 licence if you\u2019re the master of certain vessels on:\n\n- inland waters in categories A to D, such as canals, rivers, lakes and some estuaries\n\n- \u2018limited\u2019 coastal area operations - no more than 5 miles from the land and 15 miles from where your vessel sets off or arrives\n\nYou may be prosecuted and fined for not having the right boatmasters\u2019 licence.\n\nFind out what types and class of vessels can operate on UK inland waters.\n\n## When you do not need a licence\n\nYou do not need a boatmasters\u2019 licence if you\u2019re in charge of:\n\n- a pleasure vessel, including hire boats used as pleasure vessels\n\n- fishing vessels\n\n## Using alternative certificates\n\nSome certificates can be used instead of a boatmasters\u2019 licence, including STCW certificates of competency and certificates awarded by the Royal Yachting Association.\n\nIf you have an alternative certificate, you must:\n\n- check if you need a paper endorsement or a boat handling test - read sections 3 and 4 of the boatmasters\u2019 qualifications and hours of work notice\n\n- download and fill in the application form and send it to your nearest marine office\n\n- pay the right fees\n\n## Before you apply\n\nRead the boatmasters\u2019 qualifications and hours of work notice to find out:\n\n- which vessels you need a boatmasters\u2019 licence for\n\n- what kinds of boatmasters\u2019 licence you can apply for\n\n- what you need to apply for a boatmasters\u2019 licence\n\n- what you need to revalidate a boatmasters\u2019 licence\n\n- alternative qualifications you can have instead of a boatmasters\u2019 licence\n\n- information on local knowledge requirements\n\nYou should also:\n\n- keep records of relevant work and training for your licence application\n\n- check for local regulations, such as byelaws that you may need to know\n\n- check that you have safety training from an approved training provider\n\n## How to apply\n\nYou\u2019ll need to:\n\n- read the boatmasters\u2019 qualifications and hours of work notice\n\n- download the application form for a boatmasters\u2019 licence\n\n- pay the right fees\n\n## Replacing your licence\n\nDownload the application form for a replacement boatmasters\u2019 licence.\n\nReplacing your licence costs \u00a323.\n\n## Renewing your licence\n\nYour boatmasters\u2019 licence usually lasts 5 years.\n\nRenewing your licence costs \u00a331.\n\nDownload the boatmasters\u2019 licence renewal application form. Send it to the address on the form.\n\n## Upgrading your licence\n\nDownload the form to upgrade your licence, or add another area to your licence.\n\nThe fee for upgrading your licence can vary.\n\n## Exemptions under the 2006 Boatmasters' Regulations\n\nYou need to apply for a \u2018Tier 2 Level 2\u2019 licence before your exemption expires if you want to keep working. This will cover all the areas described on your exemption certificate.\n\nYou may be prosecuted and fined for not having the right boatmasters\u2019 licence when your exemption expires.\n\n## How to apply\n\nIf you have an exemption certificate and want to continue working, you must:\n\n- check if you can apply for a Tier 2 boatmasters\u2019 licence by reading section 22 of the boatmasters\u2019 qualifications and hours of work notice\n\n- download and fill in the application form and send it to your nearest marine office\n\n- pay the right fees", + "original_contents": [ + "

    Check if you need a licence

    ", + "

    You must have a boatmasters\u2019 licence if you\u2019re the master of certain vessels on:

    ", + "
  • inland waters in categories A to D, such as canals, rivers, lakes and some estuaries
  • ", + "
  • \u2018limited\u2019 coastal area operations - no more than 5 miles from the land and 15 miles from where your vessel sets off or arrives
  • ", + "

    You may be prosecuted and fined for not having the right boatmasters\u2019 licence.

    ", + "

    Find out what types and class of vessels can operate on UK inland waters.

    ", + "

    When you do not need a licence

    ", + "

    You do not need a boatmasters\u2019 licence if you\u2019re in charge of:

    ", + "
  • a pleasure vessel, including hire boats used as pleasure vessels
  • ", + "
  • fishing vessels
  • ", + "

    Using alternative certificates

    ", + "

    Some certificates can be used instead of a boatmasters\u2019 licence, including STCW certificates of competency and certificates awarded by the Royal Yachting Association.

    ", + "

    If you have an alternative certificate, you must:

    ", + "
  • check if you need a paper endorsement or a boat handling test - read sections 3 and 4 of the boatmasters\u2019 qualifications and hours of work notice
  • ", + "
  • download and fill in the application form and send it to your nearest marine office
  • ", + "
  • pay the right fees
  • ", + "

    Before you apply

    ", + "

    Read the boatmasters\u2019 qualifications and hours of work notice to find out:

    ", + "
  • which vessels you need a boatmasters\u2019 licence for
  • ", + "
  • what kinds of boatmasters\u2019 licence you can apply for
  • ", + "
  • what you need to apply for a boatmasters\u2019 licence
  • ", + "
  • what you need to revalidate a boatmasters\u2019 licence
  • ", + "
  • alternative qualifications you can have instead of a boatmasters\u2019 licence
  • ", + "
  • information on local knowledge requirements
  • ", + "

    You should also:

    ", + "
  • keep records of relevant work and training for your licence application
  • ", + "
  • check for local regulations, such as byelaws that you may need to know
  • ", + "
  • check that you have safety training from an approved training provider
  • ", + "

    How to apply

    ", + "

    You\u2019ll need to:

    ", + "
  • read the boatmasters\u2019 qualifications and hours of work notice
  • ", + "
  • download the application form for a boatmasters\u2019 licence
  • ", + "
  • pay the right fees
  • ", + "

    Replacing your licence

    ", + "

    Download the application form for a replacement boatmasters\u2019 licence.

    ", + "

    Replacing your licence costs \u00a323.

    ", + "

    Renewing your licence

    ", + "

    Your boatmasters\u2019 licence usually lasts 5 years.

    ", + "

    Renewing your licence costs \u00a331.

    ", + "

    Download the boatmasters\u2019 licence renewal application form. Send it to the address on the form.

    ", + "

    Upgrading your licence

    ", + "

    Download the form to upgrade your licence, or add another area to your licence.

    ", + "

    The fee for upgrading your licence can vary.

    ", + "

    Exemptions under the 2006 Boatmasters' Regulations

    ", + "

    You need to apply for a \u2018Tier 2 Level 2\u2019 licence before your exemption expires if you want to keep working. This will cover all the areas described on your exemption certificate.

    ", + "

    You may be prosecuted and fined for not having the right boatmasters\u2019 licence when your exemption expires.

    ", + "

    How to apply

    ", + "

    If you have an exemption certificate and want to continue working, you must:

    ", + "
  • check if you can apply for a Tier 2 boatmasters\u2019 licence by reading section 22 of the boatmasters\u2019 qualifications and hours of work notice
  • ", + "
  • download and fill in the application form and send it to your nearest marine office
  • ", + "
  • pay the right fees
  • " + ] + }, + "https://www.gov.uk/appeal-against-a-penalty-charge-notice": { + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "title": "Appeal against a penalty charge notice", + "content": "## Appealing to an independent tribunal\n\nYou may be able to appeal to an independent tribunal against a penalty charge notice (PCN) if you think it\u2019s wrong.\n\nYou can only do this if you\u2019ve already tried making making a formal challenge (\u2018representation\u2019).\n\nThis includes any PCN issued in England or Wales for:\n\n- parking\n\n- breaking traffic rules, for example going against a \u2018no right turn\u2019 sign or driving in a bus lane when you shouldn\u2019t\n\n- not paying the Dartford Crossing, London congestion or low emissions zone charge on time\n\nThere are different ways to appeal in Scotland and Northern Ireland.\n\n## When to appeal\n\nYou then have 28 days to appeal after you get a \u2018notice of rejection\u2019 to say your formal challenge has failed.\n\n## How to appeal\n\nFind out how to appeal to:\n\n- London Tribunals if your PCN was issued in London\n\n- the Traffic Penalty Tribunal if your PCN was issued outside London, in England or Wales - this includes PCNs from Dart Charge\n\nIf your appeal is successful the PCN will be cancelled and you won\u2019t have to pay anything.\n\n## If your appeal fails\n\nYou\u2019ll have 28 days to pay the penalty charge notice (PCN) if your appeal is refused.\n\n## If you don\u2019t pay within 28 days\n\nYou\u2019ll get a \u2018charge certificate\u2019 and you\u2019ll have to pay 50% more within 14 days.\n\nYou\u2019ll get a court order demanding payment if you don\u2019t pay a charge certificate within 14 days.\n\n## If you get a court order\n\nYou\u2019ll have 21 days to pay the penalty charge notice (PCN) or challenge a court order demanding payment (known as an \u2018order of recovery\u2019).\n\nBailiffs (\u2018enforcement agents\u2019) will be told to visit your home to collect what you owe if you don\u2019t pay or challenge within 21 days.\n\n## When you can challenge\n\nYou can challenge an order of recovery if you:\n\n- didn\u2019t get a \u2018notice to owner\u2019 telling you how to make a formal challenge\n\n- made a formal challenge on time but didn\u2019t get a \u2018notice of rejection\u2019\n\n- appealed to an independent tribunal on time but didn\u2019t get a response\n\n- have proof you\u2019ve paid the penalty charge, such as a credit card statement\n\n## How to challenge\n\nThe form you use to challenge an order of recovery depends on whether it relates to:\n\n- a parking PCN - use form TE9\n\n- a Dart Charge PCN - use form TE9 Dart Charge\n\n- a low emission zone PCN - use form PE3 vehicle emissions\n\n- any other PCN, for example for driving in a bus lane - use form PE3\n\nSend it to the Traffic Enforcement Centre (TEC) within 21 days.\n\nYou may be able to get more time to challenge an order of recovery.\n\n## If your challenge is successful\n\nThe order of recovery will be withdrawn and bailiffs won\u2019t be able to seize your property.\n\nThe council or authority that issued the PCN will then do one of the following:\n\n- cancel the PCN, for example because you paid it in full\n\n- issue a new notice to owner - you\u2019ll have 28 days to pay or challenge\n\n- refer your case to an independent tribunal\n\n## Getting more time to challenge a court order\n\nYou can ask for more time to challenge a court order (\u2018order of recovery\u2019) if you:\n\n- were contacted about a penalty charge notice (PCN) you didn\u2019t know about\n\n- were contacted about a paid or cancelled PCN\n\n- didn\u2019t get a response to your formal challenge (\u2018representation\u2019) or appeal\n\nDo this by making an \u2018out of time\u2019 challenge to the order of recovery.\n\n## Making an \u2018out of time\u2019 challenge\n\nUse an \u2018out of time\u2019 form to explain why you\u2019re making a late challenge. Send it with the form you need to challenge the order of recovery.\n\nThe \u2018out of time\u2019 form you use depends on whether it relates to:\n\n- a parking PCN\n\n- a Dart Charge PCN\n\n- any other PCN - for example for driving in a bus lane\n\n## What happens next\n\nBailiffs will be told to stop any action while your \u2018out of time\u2019 challenge is considered by the council or authority that issued the PCN.\n\n## If your \u2018out of time\u2019 challenge is accepted\n\nBailiffs will have to return any property they seized and the council or authority will decide what happens next if your challenge is successful.\n\n## If your \u2018out of time\u2019 challenge is refused\n\nThe Traffic Enforcement Centre (TEC) will review your \u2018out of time\u2019 challenge if it\u2019s refused by the council or authority. You\u2019ll get a letter to tell you if your challenge is successful or not.\n\nIf it\u2019s not, you can ask a judge to review the TEC\u2019s decision.\n\nThe council or authority that issued the PCN can also ask a judge to review the TEC\u2019s decision.\n\n## Getting a judge to review the TEC\u2019s decision\n\nSend application notice N244 to the TEC with your fee within 14 days of the date the decision was made.\n\nRead the N244 guidelines for help filling in the application.\n\n## Fee\n\nHow much you pay depends on whether you want to attend a hearing to present your case.\n\n| How you want your case to be decided | Fee |\n\n| With hearing at your local county court | \u00a3255 |\n\n| Without hearing by a district judge | \u00a3100 |\n\nIf you\u2019re on a low income, or you\u2019re on certain benefits and don\u2019t have much in savings, you might be able to get money off the fee.", + "original_contents": [ + "

    Appealing to an independent tribunal

    ", + "

    You may be able to appeal to an independent tribunal against a penalty charge notice (PCN) if you think it\u2019s wrong.

    ", + "

    You can only do this if you\u2019ve already tried making making a formal challenge (\u2018representation\u2019).

    ", + "

    This includes any PCN issued in England or Wales for:

    ", + "
  • parking
  • ", + "
  • breaking traffic rules, for example going against a \u2018no right turn\u2019 sign or driving in a bus lane when you shouldn\u2019t
  • ", + "
  • not paying the Dartford Crossing, London congestion or low emissions zone charge on time
  • ", + "

    There are different ways to appeal in Scotland and Northern Ireland.

    ", + "

    When to appeal

    ", + "

    You then have 28 days to appeal after you get a \u2018notice of rejection\u2019 to say your formal challenge has failed.

    ", + "

    How to appeal

    ", + "

    Find out how to appeal to:

    ", + "
  • London Tribunals if your PCN was issued in London
  • ", + "
  • the Traffic Penalty Tribunal if your PCN was issued outside London, in England or Wales - this includes PCNs from Dart Charge
  • ", + "

    If your appeal is successful the PCN will be cancelled and you won\u2019t have to pay anything.

    ", + "

    If your appeal fails

    ", + "

    You\u2019ll have 28 days to pay the penalty charge notice (PCN) if your appeal is refused.

    ", + "

    If you don\u2019t pay within 28 days

    ", + "

    You\u2019ll get a \u2018charge certificate\u2019 and you\u2019ll have to pay 50% more within 14 days.

    ", + "

    You\u2019ll get a court order demanding payment if you don\u2019t pay a charge certificate within 14 days.

    ", + "

    If you get a court order

    ", + "

    You\u2019ll have 21 days to pay the penalty charge notice (PCN) or challenge a court order demanding payment (known as an \u2018order of recovery\u2019).

    ", + "

    Bailiffs (\u2018enforcement agents\u2019) will be told to visit your home to collect what you owe if you don\u2019t pay or challenge within 21 days.

    ", + "

    When you can challenge

    ", + "

    You can challenge an order of recovery if you:

    ", + "
  • didn\u2019t get a \u2018notice to owner\u2019 telling you how to make a formal challenge
  • ", + "
  • made a formal challenge on time but didn\u2019t get a \u2018notice of rejection\u2019
  • ", + "
  • appealed to an independent tribunal on time but didn\u2019t get a response
  • ", + "
  • have proof you\u2019ve paid the penalty charge, such as a credit card statement
  • ", + "

    How to challenge

    ", + "

    The form you use to challenge an order of recovery depends on whether it relates to:

    ", + "
  • a parking PCN - use form TE9
  • ", + "
  • a Dart Charge PCN - use form TE9 Dart Charge
  • ", + "
  • a low emission zone PCN - use form PE3 vehicle emissions
  • ", + "
  • any other PCN, for example for driving in a bus lane - use form PE3
  • ", + "

    Send it to the Traffic Enforcement Centre (TEC) within 21 days.

    ", + "

    You may be able to get more time to challenge an order of recovery.

    ", + "

    If your challenge is successful

    ", + "

    The order of recovery will be withdrawn and bailiffs won\u2019t be able to seize your property.

    ", + "

    The council or authority that issued the PCN will then do one of the following:

    ", + "
  • cancel the PCN, for example because you paid it in full
  • ", + "
  • issue a new notice to owner - you\u2019ll have 28 days to pay or challenge
  • ", + "
  • refer your case to an independent tribunal
  • ", + "

    Getting more time to challenge a court order

    ", + "

    You can ask for more time to challenge a court order (\u2018order of recovery\u2019) if you:

    ", + "
  • were contacted about a penalty charge notice (PCN) you didn\u2019t know about
  • ", + "
  • were contacted about a paid or cancelled PCN
  • ", + "
  • didn\u2019t get a response to your formal challenge (\u2018representation\u2019) or appeal
  • ", + "

    Do this by making an \u2018out of time\u2019 challenge to the order of recovery.

    ", + "

    Making an \u2018out of time\u2019 challenge

    ", + "

    Use an \u2018out of time\u2019 form to explain why you\u2019re making a late challenge. Send it with the form you need to challenge the order of recovery.

    ", + "

    The \u2018out of time\u2019 form you use depends on whether it relates to:

    ", + "
  • a parking PCN
  • ", + "
  • a Dart Charge PCN
  • ", + "
  • any other PCN - for example for driving in a bus lane
  • ", + "

    What happens next

    ", + "

    Bailiffs will be told to stop any action while your \u2018out of time\u2019 challenge is considered by the council or authority that issued the PCN.

    ", + "

    If your \u2018out of time\u2019 challenge is accepted

    ", + "

    Bailiffs will have to return any property they seized and the council or authority will decide what happens next if your challenge is successful.

    ", + "

    If your \u2018out of time\u2019 challenge is refused

    ", + "

    The Traffic Enforcement Centre (TEC) will review your \u2018out of time\u2019 challenge if it\u2019s refused by the council or authority. You\u2019ll get a letter to tell you if your challenge is successful or not.

    ", + "

    If it\u2019s not, you can ask a judge to review the TEC\u2019s decision.

    ", + "

    The council or authority that issued the PCN can also ask a judge to review the TEC\u2019s decision.

    ", + "

    Getting a judge to review the TEC\u2019s decision

    ", + "

    Send application notice N244 to the TEC with your fee within 14 days of the date the decision was made.

    ", + "

    Read the N244 guidelines for help filling in the application.

    ", + "

    Fee

    ", + "

    How much you pay depends on whether you want to attend a hearing to present your case.

    ", + "How you want your case to be decided | Fee", + "With hearing at your local county court | \u00a3255", + "Without hearing by a district judge | \u00a3100", + "

    If you\u2019re on a low income, or you\u2019re on certain benefits and don\u2019t have much in savings, you might be able to get money off the fee.

    " + ] + }, + "https://www.gov.uk/driving-disqualifications": { + "url": "https://www.gov.uk/driving-disqualifications", + "title": "Driving disqualifications", + "content": "## Overview\n\nYou can be banned (disqualified) from driving if you are either:\n\n- convicted of a driving offence\n\n- get 12 or more penalty points (endorsements) within 3 years\n\nYou\u2019ll get a summons in the post that tells you when you must go to court.\n\nSome disqualification rules are different in Northern Ireland.\n\n## How long a driving ban will last\n\nThe court will decide how long the disqualification will last, based on how serious they think the offence is.\n\nYou can be banned from driving if you already have 12 or more penalty points on your licence. Your ban can last:\n\n- 6 months, if you get 12 or more penalty points within 3 years\n\n- 12 months, if you get a second disqualification within 3 years\n\n- 2 years, if you get a third disqualification within 3 years\n\n## Disqualified for 56 days or more\n\nIf you\u2019re disqualified for 56 days or more you must apply for a new licence before driving again.\n\nYou might also have to retake your driving test or take an extended driving test before getting your full licence. The court will tell you if you have to do this.\n\n## Disqualified for less than 56 days\n\nView your driving licence record online to check the disqualification. You cannot drive until it has ended.\n\nYou do not need to apply for a new licence before you can drive again.\n\n## Disqualification outside Great Britain\n\nYou cannot drive in Northern Ireland and the Isle of Man if you\u2019ve been banned from driving on your Great Britain driving licence.\n\nThis is called \u2018mutual recognition of disqualification\u2019. Disqualified drivers from Northern Ireland and the Isle of Man are also banned from driving in Great Britain.\n\n## Check when your disqualification ends\n\nYou can find the date your driving ban ends:\n\n- online\n\n- on the reminder form D27 that DVLA sends you 56 days before your disqualification ends\n\n- on the D27PH letter issued 90 days before certain drink-related disqualifications end\n\n- by contacting DVLA (if you\u2019re in Northern Ireland, contact DVA)\n\n## Apply to reduce your disqualification period\n\nYou can ask the court to reduce your disqualification period after you\u2019ve been banned from driving for:\n\n- 2 years - if the disqualification was for fewer than 4 years\n\n- half the disqualification period - if it was for at least 4 but under 10 years\n\n- 5 years - if the disqualification was for 10 years or more\n\nYou must have a good reason for asking for the disqualification to be reduced. For example, if you think the court made a legal mistake or there were reasons you committed the driving offence that the court did not take into account.\n\nWrite to the court that disqualified you with the date of offence, date of conviction and any other supporting information.\n\nThe court will tell DVLA if it decides to reduce your disqualification period. If it does, you\u2019ll need to apply for a new licence.\n\nIf the court refuses your request you have to wait 3 months before you can ask again.\n\n## If your disqualification is reduced\n\n## Car or motorbike licences\n\nApply for a new licence by sending DVLA a completed form D1 \u2018Application for a driving licence\u2019, available from the DVLA form ordering service or most Post Offices. You must pay a fee.\n\n## Lorry or bus licences\n\nApply for a new licence by sending DVLA a completed form D2 \u2018Application for a lorry/bus licence\u2019, available from the DVLA form ordering service. You must pay a fee.\n\n## Northern Ireland\n\nApply to the DVA to renew your licence.\n\n## If you need to retake your test\n\nIf the court told you that you must take another driving test before driving again, you\u2019ll have to apply for a new provisional licence.\n\nYou can drive as soon as your ban is over and you\u2019ve passed the tests you need to take.\n\n## How to get a new licence\n\n- DVLA will send you a reminder 56 days before your disqualification ends - use this to apply for a new provisional driving licence. If you did not get a reminder, order an application form instead. Order form D1 for a car and motorbike licence or form D2 for a lorry and bus licence.\n\n- Book and take a theory and practical test (or compulsory basic training and motorcycle practical test if you ride a motorcycle). Book and take an extended practical test if the court told you to take one. The extended practical test lasts at least 60 minutes and has higher fees.\n\n- When you\u2019ve passed the practical test, ask the examiner to arrange for your new licence to be sent to you - you can legally drive as soon as you\u2019ve passed the practical test.\n\nIf you want to drive a large vehicle (category C) or a bus (category D) the local traffic commissioner must agree - DVLA will ask them when you apply for your new full licence.\n\nThere\u2019s a different process in Northern Ireland.\n\n## If you\u2019ve got a licence from an EU country\n\nDo not apply for a provisional licence - you can use your EU driving licence to take the test instead.\n\nFollow the usual rules for learning to drive until you retake your test and pass.\n\n## Changes to your name and address while disqualified\n\nTell DVLA if you change your name or address while disqualified.\n\nWrite with details of your old and new address, name if changed, your driving licence number (if known) and date of birth.\n\nThere\u2019s a different process in Northern Ireland.\n\n## Disqualification for drink-driving\n\nYou can be disqualified if you\u2019re found guilty of drink-driving. Depending on your offence, you can also be fined or sent to prison.\n\nYou\u2019ll need to apply for a new licence after your disqualification ends.\n\nIf you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.\n\n## High risk offenders\n\nIf you\u2019re a \u2018high risk offender\u2019, you will not get your new licence until you can prove you\u2019re fit to drive again. You\u2019ll need to pass a medical examination with one of DVLA\u2019s appointed doctors.\n\nYou\u2019re a high risk offender if you:\n\n- were convicted of 2 drink driving offences within 10 years\n\n- were driving with an alcohol reading of at least 87.5 microgrammes of alcohol per 100 millilitres (ml) of breath, 200 milligrammes (mg) of alcohol per 100 ml of blood, or 267.5 mg of alcohol per 100 ml of urine\n\n- refused to give the police a sample of breath, blood or urine to test for alcohol\n\n- refused to allow a sample of your blood to be tested for alcohol (for example if it was taken when you were unconscious)\n\nYou\u2019ll get a D27PH renewal form 90 days before your disqualification ends. You must fill in the form and send it to DVLA to reapply for your licence.\n\n## Medical examination with a DVLA doctor\n\nOnce DVLA receive your application for a new licence, they\u2019ll send you the doctors details so you can make an appointment.\n\nYou have to pay for your examination.\n\nDuring the examination, you\u2019ll:\n\n- complete a questionnaire about your medical history and use of alcohol\n\n- take part in a physical examination\n\n- have your blood tested\n\nThe process is different in Northern Ireland.\n\n## Disqualification for drug driving\n\nYou can be disqualified from driving for at least 1 year if you\u2019re found guilty of drug driving. Depending on your offence, you can also be fined or sent to prison.\n\nYou must apply for a new licence before you can drive again.", + "original_contents": [ + "

    Overview

    ", + "

    You can be banned (disqualified) from driving if you are either:

    ", + "
  • convicted of a driving offence
  • ", + "
  • get 12 or more penalty points (endorsements) within 3 years
  • ", + "

    You\u2019ll get a summons in the post that tells you when you must go to court.

    ", + "

    Some disqualification rules are different in Northern Ireland.

    ", + "

    How long a driving ban will last

    ", + "

    The court will decide how long the disqualification will last, based on how serious they think the offence is.

    ", + "

    You can be banned from driving if you already have 12 or more penalty points on your licence. Your ban can last:

    ", + "
  • 6 months, if you get 12 or more penalty points within 3 years
  • ", + "
  • 12 months, if you get a second disqualification within 3 years
  • ", + "
  • 2 years, if you get a third disqualification within 3 years
  • ", + "

    Disqualified for 56 days or more

    ", + "

    If you\u2019re disqualified for 56 days or more you must apply for a new licence before driving again.

    ", + "

    You might also have to retake your driving test or take an extended driving test before getting your full licence. The court will tell you if you have to do this.

    ", + "

    Disqualified for less than 56 days

    ", + "

    View your driving licence record online to check the disqualification. You cannot drive until it has ended.

    ", + "

    You do not need to apply for a new licence before you can drive again.

    ", + "

    Disqualification outside Great Britain

    ", + "

    You cannot drive in Northern Ireland and the Isle of Man if you\u2019ve been banned from driving on your Great Britain driving licence.

    ", + "

    This is called \u2018mutual recognition of disqualification\u2019. Disqualified drivers from Northern Ireland and the Isle of Man are also banned from driving in Great Britain.

    ", + "

    Check when your disqualification ends

    ", + "

    You can find the date your driving ban ends:

    ", + "
  • online
  • ", + "
  • on the reminder form D27 that DVLA sends you 56 days before your disqualification ends
  • ", + "
  • on the D27PH letter issued 90 days before certain drink-related disqualifications end
  • ", + "
  • by contacting DVLA (if you\u2019re in Northern Ireland, contact DVA)
  • ", + "

    Apply to reduce your disqualification period

    ", + "

    You can ask the court to reduce your disqualification period after you\u2019ve been banned from driving for:

    ", + "
  • 2 years - if the disqualification was for fewer than 4 years
  • ", + "
  • half the disqualification period - if it was for at least 4 but under 10 years
  • ", + "
  • 5 years - if the disqualification was for 10 years or more
  • ", + "

    You must have a good reason for asking for the disqualification to be reduced. For example, if you think the court made a legal mistake or there were reasons you committed the driving offence that the court did not take into account.

    ", + "

    Write to the court that disqualified you with the date of offence, date of conviction and any other supporting information.

    ", + "

    The court will tell DVLA if it decides to reduce your disqualification period. If it does, you\u2019ll need to apply for a new licence.

    ", + "

    If the court refuses your request you have to wait 3 months before you can ask again.

    ", + "

    If your disqualification is reduced

    ", + "

    Car or motorbike licences

    ", + "

    Apply for a new licence by sending DVLA a completed form D1 \u2018Application for a driving licence\u2019, available from the DVLA form ordering service or most Post Offices. You must pay a fee.

    ", + "

    Lorry or bus licences

    ", + "

    Apply for a new licence by sending DVLA a completed form D2 \u2018Application for a lorry/bus licence\u2019, available from the DVLA form ordering service. You must pay a fee.

    ", + "

    Northern Ireland

    ", + "

    Apply to the DVA to renew your licence.

    ", + "

    If you need to retake your test

    ", + "

    If the court told you that you must take another driving test before driving again, you\u2019ll have to apply for a new provisional licence.

    ", + "

    You can drive as soon as your ban is over and you\u2019ve passed the tests you need to take.

    ", + "

    How to get a new licence

    ", + "
  • DVLA will send you a reminder 56 days before your disqualification ends - use this to apply for a new provisional driving licence. If you did not get a reminder, order an application form instead. Order form D1 for a car and motorbike licence or form D2 for a lorry and bus licence.
  • ", + "
  • Book and take a theory and practical test (or compulsory basic training and motorcycle practical test if you ride a motorcycle). Book and take an extended practical test if the court told you to take one. The extended practical test lasts at least 60 minutes and has higher fees.
  • ", + "
  • When you\u2019ve passed the practical test, ask the examiner to arrange for your new licence to be sent to you - you can legally drive as soon as you\u2019ve passed the practical test.
  • ", + "

    If you want to drive a large vehicle (category C) or a bus (category D) the local traffic commissioner must agree - DVLA will ask them when you apply for your new full licence.

    ", + "

    There\u2019s a different process in Northern Ireland.

    ", + "

    If you\u2019ve got a licence from an EU country

    ", + "

    Do not apply for a provisional licence - you can use your EU driving licence to take the test instead.

    ", + "

    Follow the usual rules for learning to drive until you retake your test and pass.

    ", + "

    Changes to your name and address while disqualified

    ", + "

    Tell DVLA if you change your name or address while disqualified.

    ", + "

    Write with details of your old and new address, name if changed, your driving licence number (if known) and date of birth.

    ", + "

    There\u2019s a different process in Northern Ireland.

    ", + "

    Disqualification for drink-driving

    ", + "

    You can be disqualified if you\u2019re found guilty of drink-driving. Depending on your offence, you can also be fined or sent to prison.

    ", + "

    You\u2019ll need to apply for a new licence after your disqualification ends.

    ", + "

    If you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.

    ", + "

    High risk offenders

    ", + "

    If you\u2019re a \u2018high risk offender\u2019, you will not get your new licence until you can prove you\u2019re fit to drive again. You\u2019ll need to pass a medical examination with one of DVLA\u2019s appointed doctors.

    ", + "

    You\u2019re a high risk offender if you:

    ", + "
  • were convicted of 2 drink driving offences within 10 years
  • ", + "
  • were driving with an alcohol reading of at least 87.5 microgrammes of alcohol per 100 millilitres (ml) of breath, 200 milligrammes (mg) of alcohol per 100 ml of blood, or 267.5 mg of alcohol per 100 ml of urine
  • ", + "
  • refused to give the police a sample of breath, blood or urine to test for alcohol
  • ", + "
  • refused to allow a sample of your blood to be tested for alcohol (for example if it was taken when you were unconscious)
  • ", + "

    You\u2019ll get a D27PH renewal form 90 days before your disqualification ends. You must fill in the form and send it to DVLA to reapply for your licence.

    ", + "

    Medical examination with a DVLA doctor

    ", + "

    Once DVLA receive your application for a new licence, they\u2019ll send you the doctors details so you can make an appointment.

    ", + "

    You have to pay for your examination.

    ", + "

    During the examination, you\u2019ll:

    ", + "
  • complete a questionnaire about your medical history and use of alcohol
  • ", + "
  • take part in a physical examination
  • ", + "
  • have your blood tested
  • ", + "

    The process is different in Northern Ireland.

    ", + "

    Disqualification for drug driving

    ", + "

    You can be disqualified from driving for at least 1 year if you\u2019re found guilty of drug driving. Depending on your offence, you can also be fined or sent to prison.

    ", + "

    You must apply for a new licence before you can drive again.

    " + ] + }, + "https://www.gov.uk/driving-abroad": { + "url": "https://www.gov.uk/driving-abroad", + "title": "Driving abroad", + "content": "## Driving abroad on holiday\n\nYou need to take your Great Britain or Northern Ireland driving licence with you to drive abroad. Check yours is still valid and renew your driving licence online if it\u2019s expired or about to expire. You\u2019ll need to apply to renew your licence at least a week before you travel.\n\nIf you\u2019re taking your own vehicle, you also need to take your log book (V5C) and your insurance certificate.\n\nIf you\u2019re taking a vehicle abroad that you\u2019ve hired or leased in the UK, you\u2019ll need a VE103 certificate.\n\n## Check if you need an international driving permit (IDP)\n\nYou might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.\n\nYou can get IDPs over the counter at the Post Office. You might need one for each country you\u2019re visiting.\n\nDo not apply for an IDP if you\u2019re moving abroad. You\u2019ll need to either exchange your UK licence or apply for a new one in the country you\u2019re moving to.\n\n## Check the overseas driving rules\n\nMake sure you follow overseas driving rules, including local speed limits and drink driving laws. You may be breaking the law and get a fine if you do not.\n\nDepending on the country you\u2019re visiting you may need:\n\n- extra equipment - for example, you need a reflective jacket and a warning triangle in many countries\n\n- emission stickers (permits) in some European cities - you may need to buy these weeks before you go abroad\n\n- headlight converter stickers\n\n- a GB sticker\n\nIf you\u2019re hiring a car, it\u2019s your responsibility to check you have the equipment you need.\n\nCheck what you need to do if you\u2019re driving in the EU.\n\nCheck the travel advice for all countries.\n\n## Check your insurance if you\u2019re taking your own vehicle\n\nYour UK vehicle insurance gives you a minimum of third party cover to drive your vehicle in EU countries. Check with your insurer if your policy covers extra things like theft or damage.\n\nYou need to carry a physical copy of a \u2018green card\u2019 for your vehicle if you\u2019re driving in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nIn other countries, you may need additional insurance and a green card to show you\u2019re covered. Check the travel advice for the country you\u2019re driving in.\n\n## Towing your trailer or caravan abroad\n\nCheck if you need to register your trailer before you can take it abroad.\n\nWhen driving in the EU (including Ireland), Andorra, Iceland, Liechtenstein, Norway, Serbia and Switzerland, you need to carry a separate green card for both:\n\n- the vehicle you\u2019re driving\n\n- the trailer or caravan you\u2019re towing\n\nIn other countries, you may need additional insurance and a green card for each trailer or caravan you tow. Check what you need to bring with your insurer before you travel.\n\n## Hiring a car abroad\n\nYour hire company may ask to see your driving licence information when you pick up the car. You can share this by getting a licence \u2018check code\u2019. You can do this up to 21 days before your trip.\n\nIf you\u2019re hiring a car, insurance is included. Check what you\u2019re covered for with the hire company.\n\n## Check if you need an international driving permit (IDP)\n\nYou may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:\n\n- which country you\u2019re visiting\n\n- how long you\u2019re staying\n\nYou need to have a valid Great Britain (GB) or Northern Ireland driving licence to get an IDP.\n\n## Driving in Europe\n\nYou do not need an IDP to drive in the EU, Switzerland, Norway, Iceland or Liechtenstein if you have a photocard driving licence issued in the UK.\n\nYou might need an IDP to drive in some EU countries and Norway if you have either:\n\n- a paper driving licence\n\n- a licence issued in Gibraltar, Guernsey, Jersey or the Isle of Man\n\nCheck with the embassy of the country you will be driving in.\n\n## Check which IDP you need\n\nCheck the table to find out if you need an IDP. There are 3 types of IDP:\n\n- 1926\n\n- 1949\n\n- 1968\n\nThe IDP you need depends on what country you\u2019re visiting.\n\nIf you\u2019re travelling through more than one country, you might need more than one type of IDP.\n\nIf the country you\u2019re visiting is not included in the table, check with the embassy of the country you\u2019re travelling to.\n\nIf you\u2019re hiring a car, check with your car hire company.\n\nIf you already have an IDP, make sure it\u2019s still valid in the country you\u2019re visiting.\n\n| Country or territory | Type of IDP | More information |\n\n| Albania | 1968 | |\n\n| Algeria | 1949 | |\n\n| Andorra | 1949 | |\n\n| Argentina | 1949 | |\n\n| Armenia | 1968 | |\n\n| Australia | 1949 | |\n\n| Austria | None | You do not need an IDP to drive here. |\n\n| Azerbaijan | 1968 | |\n\n| Bahamas | 1968 | IDP needed for stays longer than 90 days. |\n\n| Bahrain | 1968 | IDP needed for car hire, and for stays longer than 90 days. You must get your permit certified by local authorities when you arrive. |\n\n| Bangladesh | 1949 | |\n\n| Barbados | 1949 | |\n\n| Belarus | 1968 | |\n\n| Belgium | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Belgian Embassy. |\n\n| Benin | 1949 | |\n\n| Bosnia and Herzegovina | 1968 | |\n\n| Botswana | 1949 | IDP needed for car hire. |\n\n| Brazil | 1968 | You need to get a certified translation of your IDP from the British consulate. |\n\n| Bulgaria | None | You do not need an IDP to drive here. |\n\n| Burkina Faso | 1949 | |\n\n| Cambodia | 1949 | |\n\n| Canada | 1949 | |\n\n| Cape Verde | 1968 | |\n\n| Central African Republic | 1968 | |\n\n| Chile | 1949 | |\n\n| Congo | 1949 | |\n\n| Cote d\u2019Ivoire (Ivory Coast) | 1968 | |\n\n| Croatia | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Croatian Embassy. |\n\n| Cuba | 1968 | |\n\n| Cyprus | None | You do not need an IDP to drive here for visits up to 30 days. For visits longer than 30 days you will need a 1949 IDP. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1949 IDP for any length of visit. Check with the High Commission of Cyprus. |\n\n| Czech Republic | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Czech Republic Embassy. |\n\n| Democratic Republic of Congo | 1968 | |\n\n| Denmark | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Dominican Republic | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ecuador | 1949 | |\n\n| Egypt | 1949 | |\n\n| Estonia | None | You do not need an IDP to drive here for up to 90 days in any 180-day period. If you hold a paper driving licence you may need a 1968 IDP. Check with the Estonian Embassy. |\n\n| Eswatini (previously Swaziland) | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Fiji | 1949 | |\n\n| Finland | None | You do not need an IDP to drive here. |\n\n| France | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the French Embassy. |\n\n| French Polynesia | 1968 | |\n\n| Georgia | 1968 | IDP needed for stays longer than 90 days. |\n\n| Germany | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the German Embassy. |\n\n| Ghana | 1949 | |\n\n| Greece | None | You do not need an IDP to drive here. |\n\n| Guam | 1949 | IDP needed for stays longer than 30 days. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Guatemala | 1949 | |\n\n| Guyana | 1968 | |\n\n| Haiti | 1949 | IDP needed for stays longer than 90 days. |\n\n| Hungary | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Hungarian Embassy. |\n\n| Iceland | None | You do not need an IDP to drive here for periods up to 30 days. |\n\n| India | 1949 | |\n\n| Iran | 1968 | |\n\n| Iraq | 1968 | |\n\n| Ireland | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Israel | 1968 | |\n\n| Italy | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Italian Embassy. |\n\n| Jamaica | 1949 | |\n\n| Japan | 1949 | |\n\n| Jordan | 1949 | |\n\n| Kazakhstan | 1968 | |\n\n| Kenya | 1968 | IDP needed for stays longer than 90 days. |\n\n| Kuwait | 1968 | |\n\n| Kyrgyzstan | 1968 | |\n\n| Laos | 1949 | |\n\n| Latvia | None | You do not need an IDP to drive here. |\n\n| Lebanon | 1949 | |\n\n| Lesotho | 1949 | |\n\n| Liberia | 1968 | |\n\n| Libya | 1949 | |\n\n| Liechtenstein | None | You do not need an IDP to drive here. |\n\n| Lithuania | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Luxembourg | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Macao (Macau) | 1949 | |\n\n| Madagascar | 1949 | |\n\n| Malawi | 1949 | IDP needed for stays longer than 90 days. |\n\n| Malaysia (Sabah) | 1949 | |\n\n| Mali | 1949 | |\n\n| Malta | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from Guernsey or the Isle of Man, you may need a 1949 IDP. Check with the Malta High Commission. |\n\n| Mexico | 1926 | |\n\n| Moldova | 1968 | |\n\n| Monaco | 1968 | |\n\n| Mongolia | 1968 | |\n\n| Montenegro | 1968 | |\n\n| Morocco | 1968 | |\n\n| Myanmar (previously Burma) | 1968 | |\n\n| Namibia | 1949 | IDP needed for car hire. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Netherlands | None | You do not need an IDP to drive here. |\n\n| New Zealand | 1949 | |\n\n| Niger | 1968 | |\n\n| Nigeria | 1968 | |\n\n| North Macedonia | 1968 | |\n\n| Norway | None | You do not need an IDP to drive here for periods up to 90 days. If you hold a paper driving licence you may need a 1968 IDP. Check with the Norwegian Embassy. |\n\n| Pakistan | 1968 | |\n\n| Papua New Guinea | 1949 | IDP needed for stays longer than 30 days. |\n\n| Paraguay | 1949 | |\n\n| Peru | 1968 | |\n\n| Philippines | 1968 | IDP needed for car hire, and for stays longer than 90 days. |\n\n| Poland | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Portugal | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Qatar | 1968 | |\n\n| Romania | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Romanian Embassy. |\n\n| Russian Federation | 1968 | |\n\n| Rwanda | 1949 | |\n\n| San Marino | 1968 | |\n\n| Saudi Arabia | 1968 | IDP needed for car hire. |\n\n| Senegal | 1968 | |\n\n| Serbia | 1968 | |\n\n| Seychelles | 1968 | |\n\n| Sierra Leone | 1949 | |\n\n| Singapore | 1949 | IDP needed for car hire, and for stays longer than 30 days. |\n\n| Slovakia | None | You do not need an IDP to drive here for periods up to 6 months. For visits longer than 6 months you\u2019ll need a 1968 IDP. |\n\n| Slovenia | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Somalia | 1926 | |\n\n| South Africa | 1968 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| South Korea | 1949 | |\n\n| Spain (including Balearic and Canary Isles) | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Sri Lanka | 1949 | As well as the IDP, you must get a Sri Lankan recognition permit from the Automobile Association of Ceylon (AAC) in Colombo. |\n\n| St. Lucia | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| St. Vincent | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| Sweden | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Switzerland | None | You do not need an IDP to drive here. |\n\n| Syria | 1949 | |\n\n| Tajikistan | 1968 | |\n\n| Taiwan | 1949 | IDP needed for stays longer than 30 days. |\n\n| Thailand | 1949 | |\n\n| Togo | 1949 | |\n\n| Trinidad & Tobago | 1949 | IDP needed for stays longer than 90 days. |\n\n| Tunisia | 1968 | |\n\n| Turkey | 1968 | |\n\n| Turkmenistan | 1968 | |\n\n| Uganda | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ukraine | 1968 | |\n\n| United Arab Emirates | 1968 | |\n\n| United States | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Uruguay | 1968 | |\n\n| Uzbekistan | 1968 | |\n\n| Vatican City | 1949 | |\n\n| Venezuela | 1949 | |\n\n| Vietnam | 1968 | |\n\n| Zimbabwe | 1968 | |\n\n## Get an international driving permit (IDP)\n\nYou can get an IDP over the counter at the Post Office.\n\nThey cost \u00a35.50 and you must:\n\n- live in Great Britain or Northern Ireland\n\n- have a full UK driving licence\n\n- be 18 or over\n\nCheck if you need an IDP first.\n\nA 1926 or 1949 permit lasts for 12 months. A 1968 permit lasts for 3 years or until your UK driving licence expires, whichever comes first.\n\n## Driving if you move abroad\n\nYou need to get a local driving licence if you move abroad. Check with the driving licence authorities there to find out how to apply.\n\nIn some countries you can exchange your UK licence without taking another driving test.\n\nIf you move to an EU country, check the rules for exchanging your licence in the EU.", + "original_contents": [ + "

    Driving abroad on holiday

    ", + "

    You need to take your Great Britain or Northern Ireland driving licence with you to drive abroad. Check yours is still valid and renew your driving licence online if it\u2019s expired or about to expire. You\u2019ll need to apply to renew your licence at least a week before you travel.

    ", + "

    If you\u2019re taking your own vehicle, you also need to take your log book (V5C) and your insurance certificate.

    ", + "

    If you\u2019re taking a vehicle abroad that you\u2019ve hired or leased in the UK, you\u2019ll need a VE103 certificate.

    ", + "

    Check if you need an international driving permit (IDP)

    ", + "

    You might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.

    ", + "

    You can get IDPs over the counter at the Post Office. You might need one for each country you\u2019re visiting.

    ", + "

    Do not apply for an IDP if you\u2019re moving abroad. You\u2019ll need to either exchange your UK licence or apply for a new one in the country you\u2019re moving to.

    ", + "

    Check the overseas driving rules

    ", + "

    Make sure you follow overseas driving rules, including local speed limits and drink driving laws. You may be breaking the law and get a fine if you do not.

    ", + "

    Depending on the country you\u2019re visiting you may need:

    ", + "
  • extra equipment - for example, you need a reflective jacket and a warning triangle in many countries
  • ", + "
  • emission stickers (permits) in some European cities - you may need to buy these weeks before you go abroad
  • ", + "
  • headlight converter stickers
  • ", + "
  • a GB sticker
  • ", + "

    If you\u2019re hiring a car, it\u2019s your responsibility to check you have the equipment you need.

    ", + "

    Check what you need to do if you\u2019re driving in the EU.

    ", + "

    Check the travel advice for all countries.

    ", + "

    Check your insurance if you\u2019re taking your own vehicle

    ", + "

    Your UK vehicle insurance gives you a minimum of third party cover to drive your vehicle in EU countries. Check with your insurer if your policy covers extra things like theft or damage.

    ", + "

    You need to carry a physical copy of a \u2018green card\u2019 for your vehicle if you\u2019re driving in:

    ", + "
  • the EU (including Ireland)
  • ", + "
  • Andorra
  • ", + "
  • Iceland
  • ", + "
  • Liechtenstein
  • ", + "
  • Norway
  • ", + "
  • Serbia
  • ", + "
  • Switzerland
  • ", + "

    In other countries, you may need additional insurance and a green card to show you\u2019re covered. Check the travel advice for the country you\u2019re driving in.

    ", + "

    Towing your trailer or caravan abroad

    ", + "

    Check if you need to register your trailer before you can take it abroad.

    ", + "

    When driving in the EU (including Ireland), Andorra, Iceland, Liechtenstein, Norway, Serbia and Switzerland, you need to carry a separate green card for both:

    ", + "
  • the vehicle you\u2019re driving
  • ", + "
  • the trailer or caravan you\u2019re towing
  • ", + "

    In other countries, you may need additional insurance and a green card for each trailer or caravan you tow. Check what you need to bring with your insurer before you travel.

    ", + "

    Hiring a car abroad

    ", + "

    Your hire company may ask to see your driving licence information when you pick up the car. You can share this by getting a licence \u2018check code\u2019. You can do this up to 21 days before your trip.

    ", + "

    If you\u2019re hiring a car, insurance is included. Check what you\u2019re covered for with the hire company.

    ", + "

    Check if you need an international driving permit (IDP)

    ", + "

    You may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:

    ", + "
  • which country you\u2019re visiting
  • ", + "
  • how long you\u2019re staying
  • ", + "

    You need to have a valid Great Britain (GB) or Northern Ireland driving licence to get an IDP.

    ", + "

    Driving in Europe

    ", + "

    You do not need an IDP to drive in the EU, Switzerland, Norway, Iceland or Liechtenstein if you have a photocard driving licence issued in the UK.

    ", + "

    You might need an IDP to drive in some EU countries and Norway if you have either:

    ", + "
  • a paper driving licence
  • ", + "
  • a licence issued in Gibraltar, Guernsey, Jersey or the Isle of Man
  • ", + "

    Check with the embassy of the country you will be driving in.

    ", + "

    Check which IDP you need

    ", + "

    Check the table to find out if you need an IDP. There are 3 types of IDP:

    ", + "
  • 1926
  • ", + "
  • 1949
  • ", + "
  • 1968
  • ", + "

    The IDP you need depends on what country you\u2019re visiting.

    ", + "

    If you\u2019re travelling through more than one country, you might need more than one type of IDP.

    ", + "

    If the country you\u2019re visiting is not included in the table, check with the embassy of the country you\u2019re travelling to.

    ", + "

    If you\u2019re hiring a car, check with your car hire company.

    ", + "

    If you already have an IDP, make sure it\u2019s still valid in the country you\u2019re visiting.

    ", + "Country or territory | Type of IDP | More information", + "Albania | 1968 | ", + "Algeria | 1949 | ", + "Andorra | 1949 | ", + "Argentina | 1949 | ", + "Armenia | 1968 | ", + "Australia | 1949 | ", + "Austria | None | You do not need an IDP to drive here.", + "Azerbaijan | 1968 | ", + "Bahamas | 1968 | IDP needed for stays longer than 90 days.", + "Bahrain | 1968 | IDP needed for car hire, and for stays longer than 90 days. You must get your permit certified by local authorities when you arrive.", + "Bangladesh | 1949 | ", + "Barbados | 1949 | ", + "Belarus | 1968 | ", + "Belgium | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Belgian Embassy.", + "Benin | 1949 | ", + "Bosnia and Herzegovina | 1968 | ", + "Botswana | 1949 | IDP needed for car hire.", + "Brazil | 1968 | You need to get a certified translation of your IDP from the British consulate.", + "Bulgaria | None | You do not need an IDP to drive here.", + "Burkina Faso | 1949 | ", + "Cambodia | 1949 | ", + "Canada | 1949 | ", + "Cape Verde | 1968 | ", + "Central African Republic | 1968 | ", + "Chile | 1949 | ", + "Congo | 1949 | ", + "Cote d\u2019Ivoire (Ivory Coast) | 1968 | ", + "Croatia | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Croatian Embassy.", + "Cuba | 1968 | ", + "Cyprus | None | You do not need an IDP to drive here for visits up to 30 days. For visits longer than 30 days you will need a 1949 IDP. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1949 IDP for any length of visit. Check with the High Commission of Cyprus.", + "Czech Republic | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Czech Republic Embassy.", + "Democratic Republic of Congo | 1968 | ", + "Denmark | None | You do not need an IDP to drive here for periods up to 90 days.", + "Dominican Republic | 1949 | IDP needed for stays longer than 90 days.", + "Ecuador | 1949 | ", + "Egypt | 1949 | ", + "Estonia | None | You do not need an IDP to drive here for up to 90 days in any 180-day period. If you hold a paper driving licence you may need a 1968 IDP. Check with the Estonian Embassy.", + "Eswatini (previously Swaziland) | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident.", + "Fiji | 1949 | ", + "Finland | None | You do not need an IDP to drive here.", + "France | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the French Embassy.", + "French Polynesia | 1968 | ", + "Georgia | 1968 | IDP needed for stays longer than 90 days.", + "Germany | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the German Embassy.", + "Ghana | 1949 | ", + "Greece | None | You do not need an IDP to drive here.", + "Guam | 1949 | IDP needed for stays longer than 30 days. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident.", + "Guatemala | 1949 | ", + "Guyana | 1968 | ", + "Haiti | 1949 | IDP needed for stays longer than 90 days.", + "Hungary | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Hungarian Embassy.", + "Iceland | None | You do not need an IDP to drive here for periods up to 30 days.", + "India | 1949 | ", + "Iran | 1968 | ", + "Iraq | 1968 | ", + "Ireland | None | You do not need an IDP to drive here for periods up to 12 months.", + "Israel | 1968 | ", + "Italy | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Italian Embassy.", + "Jamaica | 1949 | ", + "Japan | 1949 | ", + "Jordan | 1949 | ", + "Kazakhstan | 1968 | ", + "Kenya | 1968 | IDP needed for stays longer than 90 days.", + "Kuwait | 1968 | ", + "Kyrgyzstan | 1968 | ", + "Laos | 1949 | ", + "Latvia | None | You do not need an IDP to drive here.", + "Lebanon | 1949 | ", + "Lesotho | 1949 | ", + "Liberia | 1968 | ", + "Libya | 1949 | ", + "Liechtenstein | None | You do not need an IDP to drive here.", + "Lithuania | None | You do not need an IDP to drive here for periods up to 6 months.", + "Luxembourg | None | You do not need an IDP to drive here for periods up to 6 months.", + "Macao (Macau) | 1949 | ", + "Madagascar | 1949 | ", + "Malawi | 1949 | IDP needed for stays longer than 90 days.", + "Malaysia (Sabah) | 1949 | ", + "Mali | 1949 | ", + "Malta | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from Guernsey or the Isle of Man, you may need a 1949 IDP. Check with the Malta High Commission.", + "Mexico | 1926 | ", + "Moldova | 1968 | ", + "Monaco | 1968 | ", + "Mongolia | 1968 | ", + "Montenegro | 1968 | ", + "Morocco | 1968 | ", + "Myanmar (previously Burma) | 1968 | ", + "Namibia | 1949 | IDP needed for car hire. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident.", + "Netherlands | None | You do not need an IDP to drive here.", + "New Zealand | 1949 | ", + "Niger | 1968 | ", + "Nigeria | 1968 | ", + "North Macedonia | 1968 | ", + "Norway | None | You do not need an IDP to drive here for periods up to 90 days. If you hold a paper driving licence you may need a 1968 IDP. Check with the Norwegian Embassy.", + "Pakistan | 1968 | ", + "Papua New Guinea | 1949 | IDP needed for stays longer than 30 days.", + "Paraguay | 1949 | ", + "Peru | 1968 | ", + "Philippines | 1968 | IDP needed for car hire, and for stays longer than 90 days.", + "Poland | None | You do not need an IDP to drive here for periods up to 6 months.", + "Portugal | None | You do not need an IDP to drive here for periods up to 6 months.", + "Qatar | 1968 | ", + "Romania | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Romanian Embassy.", + "Russian Federation | 1968 | ", + "Rwanda | 1949 | ", + "San Marino | 1968 | ", + "Saudi Arabia | 1968 | IDP needed for car hire.", + "Senegal | 1968 | ", + "Serbia | 1968 | ", + "Seychelles | 1968 | ", + "Sierra Leone | 1949 | ", + "Singapore | 1949 | IDP needed for car hire, and for stays longer than 30 days.", + "Slovakia | None | You do not need an IDP to drive here for periods up to 6 months. For visits longer than 6 months you\u2019ll need a 1968 IDP.", + "Slovenia | None | You do not need an IDP to drive here for periods up to 90 days.", + "Somalia | 1926 | ", + "South Africa | 1968 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident.", + "South Korea | 1949 | ", + "Spain (including Balearic and Canary Isles) | None | You do not need an IDP to drive here for periods up to 6 months.", + "Sri Lanka | 1949 | As well as the IDP, you must get a Sri Lankan recognition permit from the Automobile Association of Ceylon (AAC) in Colombo.", + "St. Lucia | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence.", + "St. Vincent | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence.", + "Sweden | None | You do not need an IDP to drive here for periods up to 12 months.", + "Switzerland | None | You do not need an IDP to drive here.", + "Syria | 1949 | ", + "Tajikistan | 1968 | ", + "Taiwan | 1949 | IDP needed for stays longer than 30 days.", + "Thailand | 1949 | ", + "Togo | 1949 | ", + "Trinidad & Tobago | 1949 | IDP needed for stays longer than 90 days.", + "Tunisia | 1968 | ", + "Turkey | 1968 | ", + "Turkmenistan | 1968 | ", + "Uganda | 1949 | IDP needed for stays longer than 90 days.", + "Ukraine | 1968 | ", + "United Arab Emirates | 1968 | ", + "United States | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident.", + "Uruguay | 1968 | ", + "Uzbekistan | 1968 | ", + "Vatican City | 1949 | ", + "Venezuela | 1949 | ", + "Vietnam | 1968 | ", + "Zimbabwe | 1968 | ", + "

    Get an international driving permit (IDP)

    ", + "

    You can get an IDP over the counter at the Post Office.

    ", + "

    They cost \u00a35.50 and you must:

    ", + "
  • live in Great Britain or Northern Ireland
  • ", + "
  • have a full UK driving licence
  • ", + "
  • be 18 or over
  • ", + "

    Check if you need an IDP first.

    ", + "

    A 1926 or 1949 permit lasts for 12 months. A 1968 permit lasts for 3 years or until your UK driving licence expires, whichever comes first.

    ", + "

    Driving if you move abroad

    ", + "

    You need to get a local driving licence if you move abroad. Check with the driving licence authorities there to find out how to apply.

    ", + "

    In some countries you can exchange your UK licence without taking another driving test.

    ", + "

    If you move to an EU country, check the rules for exchanging your licence in the EU.

    " + ] + }, + "https://www.gov.uk/taking-vehicles-out-of-uk": { + "url": "https://www.gov.uk/taking-vehicles-out-of-uk", + "title": "Taking a vehicle out of the UK", + "content": "## For 12 months or more\n\nYou must tell DVLA if you\u2019re taking your vehicle out of the UK, including to the Channel Islands (Jersey and Guernsey), Isle of Man or Ireland, for 12 months or more.\n\nThis is known as permanent export. You\u2019ll need to:\n\n- Fill in the \u2018permanent export\u2019 section of your vehicle log book (V5C) and detach it from the log book.\n\n- Send the completed \u2018permanent export\u2019 section to DVLA, Swansea, SA99 1BD. Include a letter if you\u2019ve moved abroad and want your vehicle tax refund (if you\u2019re entitled to one) sent to your new address.\n\n- Keep the rest of your log book (V5C) - you need it to register your vehicle in the country you\u2019re taking it to.\n\n- Update the address on your driving licence if you\u2019re moving home.\n\nIf you\u2019re due a refund, it will take longer than usual because of coronavirus (COVID-19). The refund is worked out from the date DVLA gets your \u2018permanent export\u2019 section.\n\nIf you\u2019re buying a vehicle to take abroad make sure the seller follows the correct process for vehicles that will be registered in another country. They must give you the full log book (V5C) - not just the new keeper slip.\n\n## If you do not have a vehicle log book (V5C)\n\n## Before you leave the UK\n\nYou need to get a vehicle log book (V5C) before you leave the UK. DVLA cannot send a vehicle log book to an address outside the UK.\n\nWhen you get your log book, fill in and send the \u2018permanent export\u2019 section to DVLA.\n\nIt will take longer than usual to get your V5C log book because of coronavirus. If you do not receive it before you leave the UK, contact the driving authority of the country you\u2019re travelling to to find out what documents you need.\n\n## If you\u2019ve already left the UK\n\nContact the driving authority of the country you\u2019re taking the vehicle to. They\u2019ll tell you what documents you\u2019ll need to provide to register the vehicle there.\n\nYou also need to send a letter to DVLA to tell them you\u2019ve taken the vehicle out of the country. Include:\n\n- your name and address\n\n- the date you took the vehicle out of the country\n\n- where DVLA can send the vehicle tax refund (if you\u2019re entitled to one)\n\n## If you cannot get a vehicle log book (V5C)\n\nContact the driving authority of the country you\u2019re taking the vehicle to - they\u2019ll tell you how to register your vehicle.\n\nSend a letter to DVLA to tell them you\u2019ve taken the vehicle out of the country. Include:\n\n- your name and address\n\n- the date you took the vehicle out of the country\n\n- where DVLA can send the vehicle tax refund\n\n## If the \u2018permanent export\u2019 section is missing\n\nIf the \u2018permanent export\u2019 section is not in the log book, send a letter to DVLA to tell them you\u2019ve taken the vehicle out of the country. Include:\n\n- your name and address\n\n- the date you took the vehicle out of the country\n\n## Moving your vehicle between Great Britain and Northern Ireland\n\nFill in the change of address section in your log book and send it to DVLA.\n\n## Personalised registrations\n\nYou\u2019ll need to transfer or retain your personalised registration before exporting your vehicle. Otherwise you\u2019ll lose your right to the registration number.\n\n## For less than 12 months\n\nYou must take your vehicle log book (V5C) with you if you\u2019re taking your vehicle abroad for less than 12 months. You may have to show it if you\u2019re stopped at a port or while driving abroad.\n\nYour V5C must show your most recent address in the UK.\n\nApply in advance if you need to get a V5C or update your V5C before you travel. It will take longer than usual to get your new V5C because of coronavirus (COVID-19).\n\nUK law still applies to a UK-registered vehicle if you take it abroad for less than 12 months. That means you need to make sure:\n\n- your vehicle is taxed in the UK while it\u2019s abroad\n\n- you have a current MOT\n\n- you have insurance\n\nYou\u2019ll also need to make sure you meet any international or national conditions for licensing and taxation.\n\n## Check if you need to pay import duty\n\nYou may need to pay import duty on your vehicle if you take it outside the UK. Check with the authorities in the country you\u2019re taking your vehicle to.\n\nYou do not need to pay import duty to take your vehicle from Northern Ireland to Great Britain or the EU.\n\nIf you\u2019re going to a non-EU country that charges duty, you can buy a CPD Carnet. This lets you take your vehicle into the country temporarily without paying duty. It can also make crossing the border simpler.\n\nYou\u2019ll have to pay a fee and a deposit. You usually get the carnet within 4 weeks of applying.\n\n## Taking a vehicle to Liechtenstein, Mexico or Somalia\n\nYou must take an International Certificate for Motor Vehicles (ICMV) with you as well as your V5C.\n\nApply for an ICMV.\n\n## Bringing your vehicle back untaxed\n\nIf you bring your vehicle back to the UK untaxed you cannot drive it back into the UK - it\u2019ll have to be transported and a SORN (Statutory Off Road Notification) must be made straight away.\n\n## Taking hired or leased vehicles abroad temporarily\n\nYou\u2019ll need a VE103 vehicle on hire certificate to show you\u2019re allowed to use a hired or leased vehicle if you\u2019re driving it abroad.\n\nYou can get a VE103 for a fee from the:\n\n- British Vehicle Rental and Leasing Association (BVRLA)\n\n- Logistics UK\n\n- RAC Motoring Services\n\n- Road Haulage Association (RHA)\n\n## Taxes if you buy a new vehicle to take abroad\n\nIf you buy a new or used vehicle to take out of the UK, you might not have to pay UK VAT or vehicle taxes such as the registration fee.\n\nWhat you pay and how you pay it depends on where you\u2019re exporting to and from.\n\n## Export your vehicle with the Personal Export Scheme\n\nYou may be able to use the Personal Export Scheme to take a new or used vehicle:\n\n- from Great Britain to anywhere outside the UK\n\n- from Northern Ireland to a non-EU country\n\nWhen you buy a new vehicle and export under the scheme, you do not pay UK VAT. But you still have to pay vehicle taxes and the registration fee.\n\nYou must be planning to leave the UK for at least 6 months with the vehicle. You usually have to be personally driving your vehicle.\n\n## What you need to do\n\nFill in form VAT 410 (your supplier will give you a copy) and give it to your supplier.\n\nYou can drive the vehicle in the UK for up to 6 months after the delivery date (or 12 months for non-UK and non-EU residents) - it must then be exported.\n\nThe date for export of the vehicle is shown on the VX302 (for new cars) or the VAT 410 (for used cars).\n\nAfter export send the DVLA the:\n\n- VX302 - new vehicles\n\n- V5C - second-hand vehicles\n\nIf you do not export the vehicle on time you\u2019ll have to pay the UK VAT.\n\n## Export your vehicle from Northern Ireland to the EU\n\nIf you buy a new vehicle in Northern Ireland to take to an EU country, you do not have to pay UK VAT if you:\n\n- take the vehicle out of the UK within 2 months\n\n- do not drive the vehicle in the UK unless you register and tax it\n\nYour supplier will get you to fill in form VAT 411.\n\nYou\u2019ll have to declare your vehicle and pay VAT in the other country when you get there.", + "original_contents": [ + "

    For 12 months or more

    ", + "

    You must tell DVLA if you\u2019re taking your vehicle out of the UK, including to the Channel Islands (Jersey and Guernsey), Isle of Man or Ireland, for 12 months or more.

    ", + "

    This is known as permanent export. You\u2019ll need to:

    ", + "
  • Fill in the \u2018permanent export\u2019 section of your vehicle log book (V5C) and detach it from the log book.
  • ", + "
  • Send the completed \u2018permanent export\u2019 section to DVLA, Swansea, SA99 1BD. Include a letter if you\u2019ve moved abroad and want your vehicle tax refund (if you\u2019re entitled to one) sent to your new address.
  • ", + "
  • Keep the rest of your log book (V5C) - you need it to register your vehicle in the country you\u2019re taking it to.
  • ", + "
  • Update the address on your driving licence if you\u2019re moving home.
  • ", + "

    If you\u2019re due a refund, it will take longer than usual because of coronavirus (COVID-19). The refund is worked out from the date DVLA gets your \u2018permanent export\u2019 section.

    ", + "

    If you\u2019re buying a vehicle to take abroad make sure the seller follows the correct process for vehicles that will be registered in another country. They must give you the full log book (V5C) - not just the new keeper slip.

    ", + "

    If you do not have a vehicle log book (V5C)

    ", + "

    Before you leave the UK

    ", + "

    You need to get a vehicle log book (V5C) before you leave the UK. DVLA cannot send a vehicle log book to an address outside the UK.

    ", + "

    When you get your log book, fill in and send the \u2018permanent export\u2019 section to DVLA.

    ", + "

    It will take longer than usual to get your V5C log book because of coronavirus. If you do not receive it before you leave the UK, contact the driving authority of the country you\u2019re travelling to to find out what documents you need.

    ", + "

    If you\u2019ve already left the UK

    ", + "

    Contact the driving authority of the country you\u2019re taking the vehicle to. They\u2019ll tell you what documents you\u2019ll need to provide to register the vehicle there.

    ", + "

    You also need to send a letter to DVLA to tell them you\u2019ve taken the vehicle out of the country. Include:

    ", + "
  • your name and address
  • ", + "
  • the date you took the vehicle out of the country
  • ", + "
  • where DVLA can send the vehicle tax refund (if you\u2019re entitled to one)
  • ", + "

    If you cannot get a vehicle log book (V5C)

    ", + "

    Contact the driving authority of the country you\u2019re taking the vehicle to - they\u2019ll tell you how to register your vehicle.

    ", + "

    Send a letter to DVLA to tell them you\u2019ve taken the vehicle out of the country. Include:

    ", + "
  • your name and address
  • ", + "
  • the date you took the vehicle out of the country
  • ", + "
  • where DVLA can send the vehicle tax refund
  • ", + "

    If the \u2018permanent export\u2019 section is missing

    ", + "

    If the \u2018permanent export\u2019 section is not in the log book, send a letter to DVLA to tell them you\u2019ve taken the vehicle out of the country. Include:

    ", + "
  • your name and address
  • ", + "
  • the date you took the vehicle out of the country
  • ", + "

    Moving your vehicle between Great Britain and Northern Ireland

    ", + "

    Fill in the change of address section in your log book and send it to DVLA.

    ", + "

    Personalised registrations

    ", + "

    You\u2019ll need to transfer or retain your personalised registration before exporting your vehicle. Otherwise you\u2019ll lose your right to the registration number.

    ", + "

    For less than 12 months

    ", + "

    You must take your vehicle log book (V5C) with you if you\u2019re taking your vehicle abroad for less than 12 months. You may have to show it if you\u2019re stopped at a port or while driving abroad.

    ", + "

    Your V5C must show your most recent address in the UK.

    ", + "

    Apply in advance if you need to get a V5C or update your V5C before you travel. It will take longer than usual to get your new V5C because of coronavirus (COVID-19).

    ", + "

    UK law still applies to a UK-registered vehicle if you take it abroad for less than 12 months. That means you need to make sure:

    ", + "
  • your vehicle is taxed in the UK while it\u2019s abroad
  • ", + "
  • you have a current MOT
  • ", + "
  • you have insurance
  • ", + "

    You\u2019ll also need to make sure you meet any international or national conditions for licensing and taxation.

    ", + "

    Check if you need to pay import duty

    ", + "

    You may need to pay import duty on your vehicle if you take it outside the UK. Check with the authorities in the country you\u2019re taking your vehicle to.

    ", + "

    You do not need to pay import duty to take your vehicle from Northern Ireland to Great Britain or the EU.

    ", + "

    If you\u2019re going to a non-EU country that charges duty, you can buy a CPD Carnet. This lets you take your vehicle into the country temporarily without paying duty. It can also make crossing the border simpler.

    ", + "

    You\u2019ll have to pay a fee and a deposit. You usually get the carnet within 4 weeks of applying.

    ", + "

    Taking a vehicle to Liechtenstein, Mexico or Somalia

    ", + "

    You must take an International Certificate for Motor Vehicles (ICMV) with you as well as your V5C.

    ", + "

    Apply for an ICMV.

    ", + "

    Bringing your vehicle back untaxed

    ", + "

    If you bring your vehicle back to the UK untaxed you cannot drive it back into the UK - it\u2019ll have to be transported and a SORN (Statutory Off Road Notification) must be made straight away.

    ", + "

    Taking hired or leased vehicles abroad temporarily

    ", + "

    You\u2019ll need a VE103 vehicle on hire certificate to show you\u2019re allowed to use a hired or leased vehicle if you\u2019re driving it abroad.

    ", + "

    You can get a VE103 for a fee from the:

    ", + "
  • British Vehicle Rental and Leasing Association (BVRLA)
  • ", + "
  • Logistics UK
  • ", + "
  • RAC Motoring Services
  • ", + "
  • Road Haulage Association (RHA)
  • ", + "

    Taxes if you buy a new vehicle to take abroad

    ", + "

    If you buy a new or used vehicle to take out of the UK, you might not have to pay UK VAT or vehicle taxes such as the registration fee.

    ", + "

    What you pay and how you pay it depends on where you\u2019re exporting to and from.

    ", + "

    Export your vehicle with the Personal Export Scheme

    ", + "

    You may be able to use the Personal Export Scheme to take a new or used vehicle:

    ", + "
  • from Great Britain to anywhere outside the UK
  • ", + "
  • from Northern Ireland to a non-EU country
  • ", + "

    When you buy a new vehicle and export under the scheme, you do not pay UK VAT. But you still have to pay vehicle taxes and the registration fee.

    ", + "

    You must be planning to leave the UK for at least 6 months with the vehicle. You usually have to be personally driving your vehicle.

    ", + "

    What you need to do

    ", + "

    Fill in form VAT 410 (your supplier will give you a copy) and give it to your supplier.

    ", + "

    You can drive the vehicle in the UK for up to 6 months after the delivery date (or 12 months for non-UK and non-EU residents) - it must then be exported.

    ", + "

    The date for export of the vehicle is shown on the VX302 (for new cars) or the VAT 410 (for used cars).

    ", + "

    After export send the DVLA the:

    ", + "
  • VX302 - new vehicles
  • ", + "
  • V5C - second-hand vehicles
  • ", + "

    If you do not export the vehicle on time you\u2019ll have to pay the UK VAT.

    ", + "

    Export your vehicle from Northern Ireland to the EU

    ", + "

    If you buy a new vehicle in Northern Ireland to take to an EU country, you do not have to pay UK VAT if you:

    ", + "
  • take the vehicle out of the UK within 2 months
  • ", + "
  • do not drive the vehicle in the UK unless you register and tax it
  • ", + "

    Your supplier will get you to fill in form VAT 411.

    ", + "

    You\u2019ll have to declare your vehicle and pay VAT in the other country when you get there.

    " + ] + }, + "https://www.gov.uk/importing-vehicles-into-the-uk": { + "url": "https://www.gov.uk/importing-vehicles-into-the-uk", + "title": "Importing vehicles into the UK", + "content": "## How to import a vehicle\n\nYou must complete certain steps as soon as you bring a vehicle into the UK permanently.\n\nYou can pay an importer or shipping company to do them for you.\n\n- Tell HM Revenue and Customs (HMRC) within 14 days that the vehicle has arrived in the UK.\n\n- Pay VAT and duty if HMRC tells you to.\n\n- Get vehicle approval to show your vehicle meets safety and environmental standards.\n\n- Register and tax the vehicle with DVLA - they\u2019ll give you a registration number so you can get number plates made up.\n\nYou must also insure your vehicle before you drive it on UK roads.\n\nYou can be prosecuted if you use your vehicle on a public road before you complete these steps, unless you\u2019re driving it to a pre-booked MOT or vehicle approval test.\n\nCommercial importers of new vehicles that use a secure registration scheme do not have to follow these steps.\n\n## Importing a damaged or modified vehicle\n\nIf your vehicle has been damaged or modified in another country, DVLA may:\n\n- give your vehicle a Q registration number\n\n- put a marker on your vehicle log book (V5C) - to show that your vehicle has been altered or assembled using different parts\n\n## Bringing your vehicle in or out of Northern Ireland\n\nIf you are a UK resident you can move your vehicle freely between Great Britain and Northern Ireland if all of the following apply:\n\n- it\u2019s registered in either country\n\n- you\u2019re not moving it to sell it, or for any other commercial purpose (for example, using the car as a taxi or hiring it to someone)\n\n- the car is for your own or your household\u2019s personal use\n\nFind out what to do if someone else is bringing your vehicle to Northern Ireland.\n\nTell DVLA about the change of address.\n\n## Visiting the UK with a vehicle\n\nFollow the rules for temporary imports instead if both of the following apply:\n\n- you do not usually live in the UK\n\n- you\u2019re bringing a vehicle to the UK for less than 6 months\n\n## Telling HMRC\n\nYou have 14 days to tell HM Revenue and Customs (HMRC) after you bring a vehicle into the UK permanently. You cannot register the vehicle until you\u2019ve done this.\n\nHow you tell HMRC will depend on:\n\n- if you\u2019re importing it to Great Britain (England, Scotland and Wales) or to Northern Ireland\n\n- where you\u2019re importing it from\n\nYou may be fined if you\u2019re late telling HMRC.\n\nIf your vehicle has an engine of 48cc or less (7.2kw or less if it\u2019s electric), you can register it without telling HMRC first.\n\n## If you import a vehicle to England, Scotland or Wales\n\nHow you tell HMRC depends on whether you\u2019re VAT-registered.\n\n## If you\u2019re a VAT-registered company\n\nYou need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.\n\nYou may be able to delay making an import declaration for 6 months if you import a vehicle from the EU. This is called a delayed declaration.\n\nYou must tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you\u2019re a non-VAT registered company or private individual\n\nYou need to make an import declaration using form C384. Send the completed form to HMRC by email.\n\nCurrently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).\n\nYou can also get an agent such as a freight forwarder to make the declaration for you.\n\nYou might qualify for relief from VAT and duty if you\u2019re:\n\n- moving to Great Britain (England, Scotland or Wales) (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief\n\n- returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief\n\nContact the VAT helpline for a form if you\u2019re unable to use online services.\n\n## If you import a vehicle to Northern Ireland from the EU\n\nTell HMRC by using the Notification of Vehicle Arrivals (NOVA) service.\n\nYou can use a spreadsheet if you\u2019re a VAT-registered business and you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you import a vehicle to Northern Ireland from outside the EU\n\nHow you tell HMRC depends on whether you\u2019re VAT-registered.\n\n## If you\u2019re a VAT-registered company\n\nYou need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.\n\nYou must then tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you\u2019re a non-VAT registered company or private individual\n\nYou need to make an import declaration using form C384. Send the completed form to HMRC by email.\n\nCurrently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).\n\nYou can also get an agent such as a freight forwarder to make the declaration for you.\n\nYou might qualify for relief from VAT and duty if you\u2019re:\n\n- moving to Northern Ireland (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief\n\n- returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief\n\nContact the VAT helpline for a form if you\u2019re unable to use online services.\n\n## After you tell HMRC\n\nHMRC will tell you:\n\n- if you have to pay VAT and duty\n\n- when your NOVA application has been processed - you cannot register your vehicle with DVLA until it is\n\nIf you\u2019re a non-VAT registered company or private individual, HMRC will make a NOVA application for you.\n\n## Paying VAT and duty\n\nHM Revenue and Customs (HMRC) will tell you if you have to pay VAT or duty after you tell them you imported a vehicle.\n\nVAT is charged on the total cost of the vehicle, plus any:\n\n- accessories you bought with it\n\n- delivery and extra charges\n\n- duty\n\nDuty is charged on vehicles imported to:\n\n- England, Wales and Scotland from outside the UK\n\n- Northern Ireland from outside the UK or EU\n\nHMRC will tell you how much you have to pay.\n\nThe rates you\u2019re charged depend on the type of vehicle and where you imported it from. You can call the helpline to check rates.\n\nHow you pay depends on where you\u2019re importing the vehicle from.\n\n## If you imported the vehicle to England, Scotland or Wales from outside the UK\n\n| Why you imported it | What and how you pay |\n\n| You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief |\n\n| You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief |\n\n| You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import |\n\n| Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) |\n\n| Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return |\n\nYou must pay any VAT and duty before you can release the vehicle from customs or register it.\n\n## If you imported the vehicle to Northern Ireland from the EU\n\nVAT is usually only charged on vehicles that are new. A vehicle is new if either:\n\n- it\u2019s been driven less than 6,000km (about 3,728 miles)\n\n- it\u2019s been in use for no more than 6 months\n\nIf you\u2019re VAT registered, you need to account for any VAT you\u2019ve paid on your next VAT return.\n\nIf you\u2019re not registered for VAT or you\u2019re a private individual, you need to pay HMRC directly before you can register your vehicle.\n\n## Paying HMRC directly\n\nUse online or telephone banking to pay HMRC by Faster Payments, CHAPS or Bacs.\n\n| Sort code | Account number | Account name |\n\n| 08 32 00 | 12000903 | HMRC Indirect Miscellaneous |\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB20 BARC 2005 1730 3364 91 | BARCGB22 | HMRC Indirect Miscellaneous |\n\nUse your 13-character NOVA notification reference number when you pay. You can find it on the:\n\n- email HMRC sent you if you used the NOVA service\n\n- payment notice HMRC sent you\n\nDo not put any spaces between the characters in your reference number.\n\nRead more about paying VAT on a car you\u2019ve imported.\n\n## Reclaiming VAT\n\nIf you have to declare VAT to HMRC, you can reclaim any VAT you paid in the EU. Send the Certificate of VAT you get from HMRC to the person who sold you the vehicle.\n\n## If you imported the vehicle to Northern Ireland from outside the UK and EU\n\n| Why you imported it | What and how you pay |\n\n| You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief |\n\n| You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief |\n\n| You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import |\n\n| Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) |\n\n| Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return |\n\n## Getting vehicle approval\n\nGet vehicle approval to show that your imported vehicle meets environmental and safety regulations. You\u2019ll need proof of approval to register the vehicle.\n\nYou might not need approval for a vehicle that was first registered or manufactured more than 10 years ago - check the exemptions.\n\n## If the vehicle\u2019s not registered in the EU\n\nTo get approval for a vehicle that\u2019s not registered in the EU, apply for either:\n\n- Individual Vehicle Approval (IVA)\n\n- Motorcycle Single Vehicle Approval (MSVA) if it\u2019s a 2, 3 or smaller 4-wheeled vehicle\n\n## If the vehicle\u2019s registered in the EU\n\nGet a European Certificate of Conformity from the manufacturer to show you have approval for an EU-registered vehicle.\n\nYou also have to get a certificate of Mutual Recognition if it\u2019s a left hand drive vehicle.\n\n## Getting a certificate of Mutual Recognition\n\nUse the application form for your:\n\n- motorcycle\n\n- car\n\n- van or light goods vehicle\n\n- motorhome\n\nApply for IVA instead for a lorry or goods vehicle over 3,500kg.\n\nThere\u2019s a \u00a3100 fee. Send your application to the address on the form. Attach receipts to prove you\u2019ve made any required alterations, for example fitting a speedometer to display miles per hour.\n\n## Get help with Mutual Recognition\n\nContact the Vehicle Certification Agency (VCA) if you\u2019re unsure whether your vehicle qualifies for Mutual Recognition.\n\n## Registering an imported vehicle\n\nYou must register any vehicle you bring into the UK permanently. You cannot register before you do all of the following:\n\n- tell HM Revenue and Customs (HMRC) you imported the vehicle and get confirmation that your NOVA application is processed\n\n- pay VAT and duty if HMRC tells you to\n\n- get proof of vehicle approval\n\nYou also tax the vehicle when you register it with DVLA - there\u2019s a \u00a355 fee.\n\n## How to register\n\nFollow the instructions for registering a vehicle to fill in your forms and send supporting documents.\n\nYou must also send extra supporting documents for an imported vehicle.\n\nDVLA might ask to inspect the vehicle.\n\n## Extra supporting documents for imported vehicles\n\nYou must send the following original documents:\n\n- proof of vehicle approval\n\n- form V267 (sometimes called the \u2018declaration of newness\u2019) if you\u2019re registering a new vehicle\n\n- evidence showing the date the vehicle was collected, for example the invoice from the supplier\n\n- the original foreign registration certificate to show when the vehicle was manufactured (you will not get this back)\n\nIf you do not have the original foreign registration certificate, DVLA might accept other proof of the manufacture date, for example a letter from the manufacturer or a vehicle enthusiast club.\n\nDo not send photocopies or faxed copies.\n\n## How long it takes\n\nBecause of coronavirus (COVID-19) it will take longer than usual for your registration certificate (V5C) to arrive.\n\nYou need the V5C to get number plates made up.\n\n## Temporary imports\n\nYou can usually use a vehicle with foreign number plates without registering or taxing it in the UK if all of the following apply:\n\n- you\u2019re visiting and do not plan to live here\n\n- the vehicle is registered and taxed in its home country\n\n- you only use the vehicle for up to 6 months in total - this can be a single visit, or several shorter visits over 12 months\n\nYou will need to register your vehicle if you want to move it between Great Britain (England, Scotland and Wales) and Northern Ireland.\n\nIf you become a resident or stay for longer than 6 months you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you bring a vehicle to England, Scotland or Wales\n\nYou do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:\n\n- it\u2019s for your own private use\n\n- you\u2019re not a UK resident\n\n- you do not sell, lend or hire it within the UK\n\n- you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer\n\nClaim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.\n\n## Using foreign number plates for longer than 6 months\n\nYou might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:\n\n- you normally live outside the UK\n\n- you\u2019re in the UK for a set period as a student or worker\n\n- you claim relief from VAT and duty\n\nHM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.\n\nIf you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you do not qualify for relief\n\nIf HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.\n\n## If you bring a vehicle to Northern Ireland from the EU\n\nYou will not have to pay VAT or duty if you bring your own vehicle from the EU.\n\nCall the imports and exports helpline if you have questions about bringing a vehicle from the EU for less than 6 months.\n\n## If you bring a vehicle to Northern Ireland from outside the EU\n\nYou do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:\n\n- it\u2019s for your own private use\n\n- you\u2019re not a UK resident\n\n- you do not sell, lend or hire it within the UK\n\n- you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer\n\nClaim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.\n\n## Using foreign number plates for longer than 6 months\n\nYou might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:\n\n- you normally live outside the UK\n\n- you\u2019re in the UK for a set period as a student or worker\n\n- you claim relief from VAT and duty\n\nHM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.\n\nIf you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you do not qualify for relief\n\nIf HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.\n\n## If you\u2019re stopped by the police\n\nYou must show police that you can use the vehicle in the UK without taxing and registering it here, for example proof:\n\n- of the time you\u2019ve been in the UK (such as a ferry ticket)\n\n- that your vehicle\u2019s eligible for relief from VAT and duty (such as a customs relief form)\n\n## When you need Q number plates\n\nYou must get temporary Q number plates from DVLA if you visit the UK for up to 6 months and either:\n\n- your number plates display numbers or letters that are not identifiable in the UK, for example Arabic script\n\n- your vehicle is not registered in its home country\n\nContact DVLA if you have to get temporary Q number plates.\n\n## Before you get Q number plates\n\nYou must claim relief from VAT and duty before you can get temporary Q number plates.\n\nTo claim relief, fill in form C110 after the car arrives in the UK and send it to the NTAS team to have it stamped.", + "original_contents": [ + "

    How to import a vehicle

    ", + "

    You must complete certain steps as soon as you bring a vehicle into the UK permanently.

    ", + "

    You can pay an importer or shipping company to do them for you.

    ", + "
  • Tell HM Revenue and Customs (HMRC) within 14 days that the vehicle has arrived in the UK.
  • ", + "
  • Pay VAT and duty if HMRC tells you to.
  • ", + "
  • Get vehicle approval to show your vehicle meets safety and environmental standards.
  • ", + "
  • Register and tax the vehicle with DVLA - they\u2019ll give you a registration number so you can get number plates made up.
  • ", + "

    You must also insure your vehicle before you drive it on UK roads.

    ", + "

    You can be prosecuted if you use your vehicle on a public road before you complete these steps, unless you\u2019re driving it to a pre-booked MOT or vehicle approval test.

    ", + "

    Commercial importers of new vehicles that use a secure registration scheme do not have to follow these steps.

    ", + "

    Importing a damaged or modified vehicle

    ", + "

    If your vehicle has been damaged or modified in another country, DVLA may:

    ", + "
  • give your vehicle a Q registration number
  • ", + "
  • put a marker on your vehicle log book (V5C) - to show that your vehicle has been altered or assembled using different parts
  • ", + "

    Bringing your vehicle in or out of Northern Ireland

    ", + "

    If you are a UK resident you can move your vehicle freely between Great Britain and Northern Ireland if all of the following apply:

    ", + "
  • it\u2019s registered in either country
  • ", + "
  • you\u2019re not moving it to sell it, or for any other commercial purpose (for example, using the car as a taxi or hiring it to someone)
  • ", + "
  • the car is for your own or your household\u2019s personal use
  • ", + "

    Find out what to do if someone else is bringing your vehicle to Northern Ireland.

    ", + "

    Tell DVLA about the change of address.

    ", + "

    Visiting the UK with a vehicle

    ", + "

    Follow the rules for temporary imports instead if both of the following apply:

    ", + "
  • you do not usually live in the UK
  • ", + "
  • you\u2019re bringing a vehicle to the UK for less than 6 months
  • ", + "

    Telling HMRC

    ", + "

    You have 14 days to tell HM Revenue and Customs (HMRC) after you bring a vehicle into the UK permanently. You cannot register the vehicle until you\u2019ve done this.

    ", + "

    How you tell HMRC will depend on:

    ", + "
  • if you\u2019re importing it to Great Britain (England, Scotland and Wales) or to Northern Ireland
  • ", + "
  • where you\u2019re importing it from
  • ", + "

    You may be fined if you\u2019re late telling HMRC.

    ", + "

    If your vehicle has an engine of 48cc or less (7.2kw or less if it\u2019s electric), you can register it without telling HMRC first.

    ", + "

    If you import a vehicle to England, Scotland or Wales

    ", + "

    How you tell HMRC depends on whether you\u2019re VAT-registered.

    ", + "

    If you\u2019re a VAT-registered company

    ", + "

    You need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.

    ", + "

    You may be able to delay making an import declaration for 6 months if you import a vehicle from the EU. This is called a delayed declaration.

    ", + "

    You must tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.

    ", + "

    If you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.

    ", + "

    If you\u2019re a non-VAT registered company or private individual

    ", + "

    You need to make an import declaration using form C384. Send the completed form to HMRC by email.

    ", + "

    Currently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).

    ", + "

    You can also get an agent such as a freight forwarder to make the declaration for you.

    ", + "

    You might qualify for relief from VAT and duty if you\u2019re:

    ", + "
  • moving to Great Britain (England, Scotland or Wales) (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief
  • ", + "
  • returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief
  • ", + "

    Contact the VAT helpline for a form if you\u2019re unable to use online services.

    ", + "

    If you import a vehicle to Northern Ireland from the EU

    ", + "

    Tell HMRC by using the Notification of Vehicle Arrivals (NOVA) service.

    ", + "

    You can use a spreadsheet if you\u2019re a VAT-registered business and you need to use NOVA for lots of vehicles.

    ", + "

    If you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.

    ", + "

    If you import a vehicle to Northern Ireland from outside the EU

    ", + "

    How you tell HMRC depends on whether you\u2019re VAT-registered.

    ", + "

    If you\u2019re a VAT-registered company

    ", + "

    You need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.

    ", + "

    You must then tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.

    ", + "

    If you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.

    ", + "

    If you\u2019re a non-VAT registered company or private individual

    ", + "

    You need to make an import declaration using form C384. Send the completed form to HMRC by email.

    ", + "

    Currently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).

    ", + "

    You can also get an agent such as a freight forwarder to make the declaration for you.

    ", + "

    You might qualify for relief from VAT and duty if you\u2019re:

    ", + "
  • moving to Northern Ireland (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief
  • ", + "
  • returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief
  • ", + "

    Contact the VAT helpline for a form if you\u2019re unable to use online services.

    ", + "

    After you tell HMRC

    ", + "

    HMRC will tell you:

    ", + "
  • if you have to pay VAT and duty
  • ", + "
  • when your NOVA application has been processed - you cannot register your vehicle with DVLA until it is
  • ", + "

    If you\u2019re a non-VAT registered company or private individual, HMRC will make a NOVA application for you.

    ", + "

    Paying VAT and duty

    ", + "

    HM Revenue and Customs (HMRC) will tell you if you have to pay VAT or duty after you tell them you imported a vehicle.

    ", + "

    VAT is charged on the total cost of the vehicle, plus any:

    ", + "
  • accessories you bought with it
  • ", + "
  • delivery and extra charges
  • ", + "
  • duty
  • ", + "

    Duty is charged on vehicles imported to:

    ", + "
  • England, Wales and Scotland from outside the UK
  • ", + "
  • Northern Ireland from outside the UK or EU
  • ", + "

    HMRC will tell you how much you have to pay.

    ", + "

    The rates you\u2019re charged depend on the type of vehicle and where you imported it from. You can call the helpline to check rates.

    ", + "

    How you pay depends on where you\u2019re importing the vehicle from.

    ", + "

    If you imported the vehicle to England, Scotland or Wales from outside the UK

    ", + "Why you imported it | What and how you pay", + "You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief", + "You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief", + "You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import", + "Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you)", + "Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return", + "

    You must pay any VAT and duty before you can release the vehicle from customs or register it.

    ", + "

    If you imported the vehicle to Northern Ireland from the EU

    ", + "

    VAT is usually only charged on vehicles that are new. A vehicle is new if either:

    ", + "
  • it\u2019s been driven less than 6,000km (about 3,728 miles)
  • ", + "
  • it\u2019s been in use for no more than 6 months
  • ", + "

    If you\u2019re VAT registered, you need to account for any VAT you\u2019ve paid on your next VAT return.

    ", + "

    If you\u2019re not registered for VAT or you\u2019re a private individual, you need to pay HMRC directly before you can register your vehicle.

    ", + "

    Paying HMRC directly

    ", + "

    Use online or telephone banking to pay HMRC by Faster Payments, CHAPS or Bacs.

    ", + "Sort code | Account number | Account name", + "08 32 00 | 12000903 | HMRC Indirect Miscellaneous", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB20 BARC 2005 1730 3364 91 | BARCGB22 | HMRC Indirect Miscellaneous", + "

    Use your 13-character NOVA notification reference number when you pay. You can find it on the:

    ", + "
  • email HMRC sent you if you used the NOVA service
  • ", + "
  • payment notice HMRC sent you
  • ", + "

    Do not put any spaces between the characters in your reference number.

    ", + "

    Read more about paying VAT on a car you\u2019ve imported.

    ", + "

    Reclaiming VAT

    ", + "

    If you have to declare VAT to HMRC, you can reclaim any VAT you paid in the EU. Send the Certificate of VAT you get from HMRC to the person who sold you the vehicle.

    ", + "

    If you imported the vehicle to Northern Ireland from outside the UK and EU

    ", + "Why you imported it | What and how you pay", + "You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief", + "You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief", + "You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import", + "Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you)", + "Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return", + "

    Getting vehicle approval

    ", + "

    Get vehicle approval to show that your imported vehicle meets environmental and safety regulations. You\u2019ll need proof of approval to register the vehicle.

    ", + "

    You might not need approval for a vehicle that was first registered or manufactured more than 10 years ago - check the exemptions.

    ", + "

    If the vehicle\u2019s not registered in the EU

    ", + "

    To get approval for a vehicle that\u2019s not registered in the EU, apply for either:

    ", + "
  • Individual Vehicle Approval (IVA)
  • ", + "
  • Motorcycle Single Vehicle Approval (MSVA) if it\u2019s a 2, 3 or smaller 4-wheeled vehicle
  • ", + "

    If the vehicle\u2019s registered in the EU

    ", + "

    Get a European Certificate of Conformity from the manufacturer to show you have approval for an EU-registered vehicle.

    ", + "

    You also have to get a certificate of Mutual Recognition if it\u2019s a left hand drive vehicle.

    ", + "

    Getting a certificate of Mutual Recognition

    ", + "

    Use the application form for your:

    ", + "
  • motorcycle
  • ", + "
  • car
  • ", + "
  • van or light goods vehicle
  • ", + "
  • motorhome
  • ", + "

    Apply for IVA instead for a lorry or goods vehicle over 3,500kg.

    ", + "

    There\u2019s a \u00a3100 fee. Send your application to the address on the form. Attach receipts to prove you\u2019ve made any required alterations, for example fitting a speedometer to display miles per hour.

    ", + "

    Get help with Mutual Recognition

    ", + "

    Contact the Vehicle Certification Agency (VCA) if you\u2019re unsure whether your vehicle qualifies for Mutual Recognition.

    ", + "

    Registering an imported vehicle

    ", + "

    You must register any vehicle you bring into the UK permanently. You cannot register before you do all of the following:

    ", + "
  • tell HM Revenue and Customs (HMRC) you imported the vehicle and get confirmation that your NOVA application is processed
  • ", + "
  • pay VAT and duty if HMRC tells you to
  • ", + "
  • get proof of vehicle approval
  • ", + "

    You also tax the vehicle when you register it with DVLA - there\u2019s a \u00a355 fee.

    ", + "

    How to register

    ", + "

    Follow the instructions for registering a vehicle to fill in your forms and send supporting documents.

    ", + "

    You must also send extra supporting documents for an imported vehicle.

    ", + "

    DVLA might ask to inspect the vehicle.

    ", + "

    Extra supporting documents for imported vehicles

    ", + "

    You must send the following original documents:

    ", + "
  • proof of vehicle approval
  • ", + "
  • form V267 (sometimes called the \u2018declaration of newness\u2019) if you\u2019re registering a new vehicle
  • ", + "
  • evidence showing the date the vehicle was collected, for example the invoice from the supplier
  • ", + "
  • the original foreign registration certificate to show when the vehicle was manufactured (you will not get this back)
  • ", + "

    If you do not have the original foreign registration certificate, DVLA might accept other proof of the manufacture date, for example a letter from the manufacturer or a vehicle enthusiast club.

    ", + "

    Do not send photocopies or faxed copies.

    ", + "

    How long it takes

    ", + "

    Because of coronavirus (COVID-19) it will take longer than usual for your registration certificate (V5C) to arrive.

    ", + "

    You need the V5C to get number plates made up.

    ", + "

    Temporary imports

    ", + "

    You can usually use a vehicle with foreign number plates without registering or taxing it in the UK if all of the following apply:

    ", + "
  • you\u2019re visiting and do not plan to live here
  • ", + "
  • the vehicle is registered and taxed in its home country
  • ", + "
  • you only use the vehicle for up to 6 months in total - this can be a single visit, or several shorter visits over 12 months
  • ", + "

    You will need to register your vehicle if you want to move it between Great Britain (England, Scotland and Wales) and Northern Ireland.

    ", + "

    If you become a resident or stay for longer than 6 months you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.

    ", + "

    If you bring a vehicle to England, Scotland or Wales

    ", + "

    You do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:

    ", + "
  • it\u2019s for your own private use
  • ", + "
  • you\u2019re not a UK resident
  • ", + "
  • you do not sell, lend or hire it within the UK
  • ", + "
  • you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer
  • ", + "

    Claim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.

    ", + "

    Using foreign number plates for longer than 6 months

    ", + "

    You might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:

    ", + "
  • you normally live outside the UK
  • ", + "
  • you\u2019re in the UK for a set period as a student or worker
  • ", + "
  • you claim relief from VAT and duty
  • ", + "

    HM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.

    ", + "

    If you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.

    ", + "

    If you do not qualify for relief

    ", + "

    If HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.

    ", + "

    If you bring a vehicle to Northern Ireland from the EU

    ", + "

    You will not have to pay VAT or duty if you bring your own vehicle from the EU.

    ", + "

    Call the imports and exports helpline if you have questions about bringing a vehicle from the EU for less than 6 months.

    ", + "

    If you bring a vehicle to Northern Ireland from outside the EU

    ", + "

    You do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:

    ", + "
  • it\u2019s for your own private use
  • ", + "
  • you\u2019re not a UK resident
  • ", + "
  • you do not sell, lend or hire it within the UK
  • ", + "
  • you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer
  • ", + "

    Claim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.

    ", + "

    Using foreign number plates for longer than 6 months

    ", + "

    You might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:

    ", + "
  • you normally live outside the UK
  • ", + "
  • you\u2019re in the UK for a set period as a student or worker
  • ", + "
  • you claim relief from VAT and duty
  • ", + "

    HM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.

    ", + "

    If you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.

    ", + "

    If you do not qualify for relief

    ", + "

    If HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.

    ", + "

    If you\u2019re stopped by the police

    ", + "

    You must show police that you can use the vehicle in the UK without taxing and registering it here, for example proof:

    ", + "
  • of the time you\u2019ve been in the UK (such as a ferry ticket)
  • ", + "
  • that your vehicle\u2019s eligible for relief from VAT and duty (such as a customs relief form)
  • ", + "

    When you need Q number plates

    ", + "

    You must get temporary Q number plates from DVLA if you visit the UK for up to 6 months and either:

    ", + "
  • your number plates display numbers or letters that are not identifiable in the UK, for example Arabic script
  • ", + "
  • your vehicle is not registered in its home country
  • ", + "

    Contact DVLA if you have to get temporary Q number plates.

    ", + "

    Before you get Q number plates

    ", + "

    You must claim relief from VAT and duty before you can get temporary Q number plates.

    ", + "

    To claim relief, fill in form C110 after the car arrives in the UK and send it to the NTAS team to have it stamped.

    " + ] + }, + "https://www.gov.uk/vehicle-approval": { + "url": "https://www.gov.uk/vehicle-approval", + "title": "Vehicle approval", + "content": "## Overview\n\nYou must apply for vehicle approval if you\u2019ve:\n\n- built a vehicle\n\n- rebuilt a vehicle\n\n- radically altered a vehicle\n\n- reconstructed a classic vehicle\n\n- imported a vehicle\n\n## Get a vehicle approved\n\nYou can get a single vehicle or small number of vehicles approved through:\n\n- Individual Vehicle Approval (IVA)\n\n- Motorcycle Single Vehicle Approval (MSVA) if you\u2019re making or importing a single 2, 3 or smaller 4-wheeled vehicle\n\n- Mutual Recognition scheme if you\u2019re importing a vehicle that\u2019s been approved and registered in the EU\n\nYou can no longer apply for a Pre-Registration Inspection (PRI). You must get your vehicle approved instead.\n\n## Vehicle type approval\n\nIt\u2019s also possible to get approval for a type of vehicle, rather than each individual vehicle.\n\nOnly the vehicle manufacturer or their authorised representative can apply for this.\n\nFrom 1 January 2021, manufacturers or their representatives will need to apply for provisional GB type approval to sell or register vehicles in England, Scotland and Wales.\n\n## Get help\n\nContact the Driving and Vehicle Standards Agency (DVSA) if you need help with IVA or MSVA.\n\nContact the VCA if you need help or information about:\n\n- provisional approval\n\n- European Community Whole Vehicle Type Approval (ECWVTA)\n\n- European Community Small Series Type Approval (ECSSTA)\n\n- Mutual Recognition scheme\n\n## Exemptions from vehicle approval\n\nYou do not need vehicle approval for:\n\n- heavy goods vehicles (more than 3,500kg maximum weight) over 25 years old\n\n- light goods vehicles (3,500kg maximum weight or less) over 10 years old\n\n- cars and minibuses with 8 passenger seats or less (not including the driver) over 10 years old\n\n- buses, coaches and minibuses with more than 8 passenger seats (not including the driver) built by a single manufacturer before 29 July 2010\n\n- buses, coaches and minibuses with more than 8 passenger seats (not including the driver) with different body and chassis manufacturers, made before 29 July 2011\n\n- tracked vehicles, for example a vehicle that runs on tracks rather than wheels\n\n- vehicles designed and constructed for use on construction sites, quarries, ports and airports\n\n- vehicles designed and constructed for and used by the armed services, fire and rescue forces, or used in maintaining public order\n\nIf your vehicle needs approval, you must send proof of this in when you apply to register it. The Driver and Vehicle Licensing Agency (DVLA) will not register your vehicle if you do not.\n\n## Individual Vehicle Approval\n\nYou can use the Individual Vehicle Approval (IVA) scheme if you\u2019re making or importing a single vehicle or a very small number of vehicles in the following categories:\n\n- passenger cars\n\n- goods vehicles\n\n- buses and coaches\n\n- trailers\n\n- special purpose vehicles, such as vehicles specially designed to hold a wheelchair\n\nYou cannot use the Statutory IVA scheme if your vehicle has been registered before in the UK - you\u2019ll need to use Voluntary IVA instead.\n\n## Vehicle identification number\n\nYour vehicle needs a vehicle identification number (VIN) before having an IVA inspection. Apply to DVLA if it does not have one.\n\n## Basic and normal IVA\n\nThere are 2 levels of IVA inspection: basic and normal.\n\n## Basic IVA\n\nBasic IVA involves a visual inspection and other tests to make sure the vehicle meets the necessary standards. You will not normally need to provide any documentary evidence.\n\nYou can apply if you have a passenger car or light goods vehicle in one of these categories:\n\n- left-hand drive vehicles\n\n- personal imports\n\n- amateur built vehicles (kit cars)\n\n- rebuilt vehicles\n\n- very low volume production vehicles\n\n- ambulances\n\n- motor caravans\n\n- hearses\n\n- armoured passenger vehicles\n\n- a vehicle manufactured using parts of a registered vehicle\n\nRead the Driver and Vehicle Standards Agency (DVSA ) guide on the IVA scheme for more on these categories.\n\n## Normal IVA\n\nYou\u2019ll have to apply for normal IVA if you do not meet the criteria for basic IVA.\n\nThis involves a more detailed inspection. Vehicles have to meet extra standards and you\u2019ll have to provide documentary evidence.\n\n## Modified goods vehicles\n\nYou can use the IVA scheme to get approval for goods vehicles that have been modified.\n\nRead the DVSA guide on IVA for modified goods vehicles to find out how changes are approved.\n\n## How to show your vehicle meets IVA standards\n\nThere are several ways to prove your vehicle meets IVA standards. Read part 5 of the DVSA guide on the IVA scheme for more details.\n\n## Model reports\n\nOne way of proving your vehicle is compliant is by showing it\u2019s the same specification as another vehicle (a \u2018master vehicle\u2019) that\u2019s been proved compliant. You do this using a model report.\n\nIf a model report has already been produced for your exact model of vehicle, you may be able to use it for a fee. Look for it on the DVSA list of model reports and their owners.\n\nOtherwise, you\u2019ll need to pay for your own tests to be carried out. These must be done by an authorised provider of \u2018designated technical services\u2019.\n\nFor more information on model reports, see part 11 of the DVSA guide on the IVA scheme.\n\n## How to apply\n\nDownload and fill in the IVA application form for your type of vehicle.\n\nFollow the instructions on the form to submit it to DVSA.\n\nDVSA should offer you an inspection within 20 working days of receiving your completed application.\n\n## Choosing a test station\n\nYour vehicle will be inspected at either one of DVSA\u2019s approved test stations or a privately owned test facility. You should say which one you want to use on your application form.\n\n## Cost of the scheme\n\nYou have to pay a fee for DVSA to inspect your vehicle.\n\n## What happens next\n\nWherever possible, DVSA will inspect your vehicle at the test location you\u2019ve chosen and issue an Individual Approval Certificate (IAC) if it passes. You\u2019ll need this certificate when you register your vehicle.\n\n## Appeal against a refusal\n\nYou can appeal and have a re-examination carried out by an independent inspector if your vehicle does not pass its inspection and you\u2019re not satisfied with the decision.\n\nYou must make your appeal within 14 days of the decision and you\u2019ll have to pay a fee. This will be refunded, either partially or fully, if your appeal is successful.\n\nYou must not modify the vehicle before the appeal inspection.\n\nYou can appeal by downloading and filling in the IVA notice of appeal.\n\nRead part 8 of the DVSA guide on the IVA scheme for more information about appeals.\n\n## Individual Vehicle Approval manuals\n\nThe Driver and Vehicle Standards Agency (DVSA) published a series of manuals listing all the technical requirements for Individual Vehicle Approval (IVA).\n\nThere are different manuals for different types of vehicle:\n\n- M1 vehicles - passenger cars\n\n- M2 and M3 vehicles - buses and coaches\n\n- N1 vehicles - light goods vehicles (up to 3,500kgs)\n\n- N2 and N3 vehicles - heavy goods vehicles (over 3,500kgs)\n\n- O1, O2, O3 and O4 vehicles - light and heavy trailers\n\n## Individual Vehicle Approval application forms\n\nYou need an Individual Vehicle Approval (IVA) application form to apply for an inspection.\n\nFind out how to:\n\n- apply for IVA: cars\n\n- apply for IVA: vans and light goods vehicles\n\n- apply for IVA: buses or coaches\n\n- apply for IVA: lorries and goods vehicles\n\n- apply for IVA: trailers\n\n- prove that a bus or coach does not need a new tilt test\n\n- apply for a vehicle approval test at a non-DVSA site\n\n## All passenger vehicles\n\nDownload the form for seat belt anchorage compliance.\n\n## Amateur built vehicles\n\nIf your vehicle is amateur built (for example a kit car), you must send an amateur built declaration along with your IVA application.\n\n## Voluntary approval\n\nVoluntary Individual Vehicle Approval (IVA) is similar to Statutory IVA but:\n\n- you can use it if your vehicle has already been registered in the UK\n\n- you will not have the same rights as with Statutory IVA\n\nYou\u2019ll need to choose whether to use the basic or normal level of Voluntary IVA.\n\nIf you drive a taxi, your licensing authority will tell you what level you need to apply for.\n\nUse Statutory IVA instead if your vehicle:\n\n- has not been registered in the UK before\n\n- has been registered in the UK, but has been modified significantly since then\n\n## Cost of the schemes\n\nYou have to pay a fee for Driver and Vehicle Standards Agency (DVSA) to inspect your vehicle.\n\n## How to apply\n\nDownload and fill in the IVA application form for your type of vehicle.\n\nFollow the instructions on the form to submit it to DVSA.\n\n## What happens next\n\nDVSA will carry out an inspection of the vehicle. If it passes, you\u2019ll get a \u2018Confirmation of Compliance\u2019 notification (not an approval certificate).\n\n## Find out more\n\nRead the DVSA guide on the IVA scheme.\n\n## Motorcycle Single Vehicle Approval\n\nYour motorcycle, 3-wheeled or light 4-wheeled vehicle must have a provisional GB type approval in England, Scotland and Wales.\n\nIf your vehicle does not have a provisional GB type approval you must use the Motorcycle Single Vehicle Approval (MSVA) scheme to approve your vehicle.\n\nYou must also use the MSVA scheme if your vehicle has been radically altered or built using a mixture of parts from previously registered vehicles. For example:\n\n- amateur built vehicles\n\n- rebuilt vehicles\n\n- vehicles converted to a different wheelplan\n\n## Eligibility for MSVA\n\nYou can use the MSVA scheme for vehicles that:\n\n- are under 10 years old\n\n- have not been registered before in the UK\n\n- do not have ECWVTA or provisional UK vehicle type approval\n\nThe following types of vehicle are eligible:\n\n- 2-wheeled mopeds\n\n- 3-wheeled mopeds\n\n- light quadricycles\n\n- solo motorcycles\n\n- motorcycle combinations\n\n- motor tricycles\n\n- heavy quadricycles\n\nThese vehicle types are defined in the foreword of the MSVA inspection manual.\n\n## Partial MSVA\n\nIf you have a Certificate of Conformity (CoC), it will say which side of the road and which speedometer units your vehicle is equipped for.\n\nYou must modify your vehicle if it is not equipped for use in Great Britain. It will then need a Partial MSVA to check the following items:\n\n- headlamp dipped beam pattern - this checks the headlamp is suitable for driving on the left\n\n- speedometer - the speed must be shown in miles per hour (mph) or dual mph and kilometres per hour\n\n- mirror location - on mopeds fitted with a single mirror, the mirror must be fitted to offside (right) of the vehicle\n\nRead more in Partial MSVA frequently asked questions.\n\n## Vehicle identification number\n\nYour vehicle needs a vehicle identification number before having an MSVA inspection. Write to the following address if it does not have one.\n\n## Cost of the scheme\n\nYou have to pay a fee for DVSA to inspect your vehicle.\n\n## Choose a test station\n\nYour vehicle will be inspected by DVSA at one of its approved test stations. You can choose which one as long as it inspects the category of vehicle you want to be tested.\n\n| Category | Description |\n\n| B | 2-wheeled vehicles |\n\n| T | 3-wheeled vehicles |\n\n| Q | 4-wheeled vehicles |\n\n| Station | Address | Categories |\n\n| Aberdeen | Cloverhill Road, Bridge of Don Industrial Estate, Aberdeen, AB23 8FE | B, T, Q |\n\n| Beverley | Oldbeck Road, Off Grovehill Road, Beverley, East Yorkshire, HU17 0JW | B, T, Q |\n\n| Bristol | Merebank Road, Avonmouth, Bristol, BS11 8AQ | B, T, Q |\n\n| Cardiff (Llantrisant) | School Road, Miskin, Pontyclun, Mid Glamorgan, CF72 8YR | B, T, Q |\n\n| Chelmsford | Widford Industrial Estate, Chelmsford, CM1 3DR | B, Q |\n\n| Derby | Belmore Way, Alvaston, Derby, DE21 7AY | B, T, Q |\n\n| Edinburgh (Livingston) | Grange Road, Houston Industrial Estate, Livingston, Edinburgh, West Lothian, EH54 5DE | B, T, Q |\n\n| Exeter | Grace Road West, Marsh Barton Trading Estate, Exeter, Devon, EX2 8PU | B, T, Q |\n\n| Gillingham | Ambley Road, Gillingham, ME8 0SJ | B, T, Q |\n\n| Kidderminster | Worcester Road, Kidderminster, DY11 7RD | B, T, Q |\n\n| Leighton Buzzard | Stanbridge Road, Leighton Buzzard, Bedfordshire, LU7 4QG | B, T, Q |\n\n| London West (Yeading) | Cygnet Way, Willow Tree Lane, Yeading, Hayes, Middlesex, UB4 9BS | T, Q |\n\n| Manchester (Chadderton) | Broadway Business Park, Broadgate, Manchester (Chadderton), Oldham, OL9 9XA | B, T, Q |\n\n| Newcastle-upon-Tyne | Sandy Lane, Gosforth, Newcastle-upon-Tyne, NE3 5HB | B, T, Q |\n\n| Norwich | Jupiter Road, Hellesden, Norwich, NR6 6SS | B, T, Q |\n\n| Southampton (Northam) | Unit R Centurion Industrial Estate, Bitterne Road West, Southampton, SO18 1UB | B, T, Q |\n\n## How to apply\n\nDownload and fill in the:\n\n- MSVA application form\n\n- Partial MSVA application form\n\nFollow the instructions on the form to submit it to DVSA.\n\n## What happens next\n\nDVSA will inspect your vehicle at the test station you\u2019ve chosen and issue a Minister\u2019s Approval Certificate (MAC) if it passes. You\u2019ll need this certificate when you register your vehicle.\n\n## Appeals\n\nYou can appeal for a re-test if your vehicle fails MSVA. You must appeal within 14 days of the original decision by completing form MSVA17 and returning it to the station used for the original test.\n\nYou\u2019ll have to pay the test fee again, which will be refunded if the appeal is successful. Contact DVSA to find out how to do this.\n\n## More information\n\nRead the MSVA inspection manual.\n\n## Certificate of Initial Fitness\n\n## Who can use the scheme\n\nIf you use a vehicle with more than 8 passenger seats to transport people for profit, also known as a Public Service Vehicle (PSV), it must have been approved or have a Certificate of Initial Fitness (COIF) to register it.\n\n## What vehicles need a COIF\n\nYou\u2019ll need a COIF for your vehicle if it has more than 8 passenger seats, will be used for profit and either:\n\n- is not registered in the UK and was built before the type approval scheme was introduced\n\n- is registered in the UK but does not have a type approval as a passenger vehicle with more than 8 passenger seats\n\nThe start dates for this scheme vary depending on the type of vehicle. See page 10 of the Individual Vehicle Approval scheme guide for details.\n\n## How to apply for a COIF\n\nDownload and fill in the COIF application form.\n\nFollow the instructions on the form to submit it to DVSA.\n\n## Cost of the scheme\n\nYou have to pay a fee for the Driver and Vehicle Standards Agency (DVSA) to inspect your vehicle.\n\n## What happens next\n\nOnce you\u2019ve submitted your application, DVSA will contact you to arrange for your PSV\u2019s COIF examination to be carried out at a DVSA-approved test station.\n\n## Notifiable Alterations\n\nYou must send details to DVSA of any alterations or modifications you make to your PSV.\n\nSend your completed application to the address on the form along with any relevant documents.\n\nYou do not need to notify DVSA of like-for-like replacement parts.\n\n## Accessibility Certificate Test\n\nSome buses and coaches must have accessibility features for wheelchair users, like boarding lifts and ramps, wheelchair spaces and wheelchair restraints.\n\nThis affects buses and coaches, which:\n\n- are authorised to carry more than 22 passengers\n\n- carry passengers at separate fares on local or scheduled services\n\n- were first used on or after 31 December 2000\n\nManufacturers of buses and coaches usually apply for these Accessibility Certificates at the same time as the Certificate of Initial Fitness (COIF) when the vehicles are first built.\n\n## How to apply for an Accessibility Certificate\n\nIf you already have a COIF you can apply for an Accessibility Certificate separately.\n\nYou can also apply for an Accessibility Certificate yourself if you convert a vehicle to be used as a bus or coach.\n\nAccessibility Certificates last the lifetime of the vehicle as long as you do not make any further alterations to it. Once you have an Accessibility Certificate, accessibility is then checked as part of the vehicle\u2019s annual test.\n\nFill in the PSV accessibility certificate application form.\n\nFollow the instructions on the form to submit it to DVSA.\n\n## Fees for the Accessibility Certificate test\n\nYou\u2019ll need to check both wheelchair accessibility and general accessibility. Each of these sets of regulations is called a schedule.\n\n| Test type | Fee |\n\n| 1 schedule | \u00a351 |\n\n| Retest for 1 schedule | \u00a317 |\n\n| 2 schedules | \u00a3104 |\n\n| Retest for 2 schedules | \u00a336 |\n\n| Duplicate certificate | \u00a313 |\n\n## Type approval\n\nAlternatively, vehicle manufacturers can apply for type approval, which means an Accessibility Certificate is not needed.\n\nPrint off and fill in form PSVA6 to apply for type approval.\n\nWhen an operator gets a vehicle that\u2019s been type approved they\u2019ll get a Declaration of Conformity from the manufacturer.\n\nOperators then need to send this to the Driver and Vehicle Standards Agency (DVSA) to get a Certification of Conformity.\n\nFees for type approval are included on the IVA inspection fees document.\n\n## Inspection fees\n\nYou have to pay a fee for the Driver and Vehicle Standards Agency (DVSA) to inspect your vehicle.\n\nThe cost depends on:\n\n- whether you\u2019re using the standard or voluntary version of the scheme\n\n- the type of inspection (basic or normal)\n\n- the category of vehicle\n\n- the class of vehicle\n\nTo find out which category and class your vehicle is in, see annexes 1 and 2 of the DVSA guide to the IVA scheme.\n\n## Where to find inspection fees\n\nThe DVSA list of inspection fees includes the fees for:\n\n- Individual Vehicle Approval (IVA)\n\n- Motorcycle Single Vehicle Approval (MSVA)\n\n- Certificate of Initial Fitness (COIF)\n\n## Replacement approval certificate\n\nYou can apply for a replacement approval certificate. Submit your application using the apply for an Individual Vehicle Approval (IVA) service.", + "original_contents": [ + "

    Overview

    ", + "

    You must apply for vehicle approval if you\u2019ve:

    ", + "
  • built a vehicle
  • ", + "
  • rebuilt a vehicle
  • ", + "
  • radically altered a vehicle
  • ", + "
  • reconstructed a classic vehicle
  • ", + "
  • imported a vehicle
  • ", + "

    Get a vehicle approved

    ", + "

    You can get a single vehicle or small number of vehicles approved through:

    ", + "
  • Individual Vehicle Approval (IVA)
  • ", + "
  • Motorcycle Single Vehicle Approval (MSVA) if you\u2019re making or importing a single 2, 3 or smaller 4-wheeled vehicle
  • ", + "
  • Mutual Recognition scheme if you\u2019re importing a vehicle that\u2019s been approved and registered in the EU
  • ", + "

    You can no longer apply for a Pre-Registration Inspection (PRI). You must get your vehicle approved instead.

    ", + "

    Vehicle type approval

    ", + "

    It\u2019s also possible to get approval for a type of vehicle, rather than each individual vehicle.

    ", + "

    Only the vehicle manufacturer or their authorised representative can apply for this.

    ", + "

    From 1 January 2021, manufacturers or their representatives will need to apply for provisional GB type approval to sell or register vehicles in England, Scotland and Wales.

    ", + "

    Get help

    ", + "

    Contact the Driving and Vehicle Standards Agency (DVSA) if you need help with IVA or MSVA.

    ", + "

    Contact the VCA if you need help or information about:

    ", + "
  • provisional approval
  • ", + "
  • European Community Whole Vehicle Type Approval (ECWVTA)
  • ", + "
  • European Community Small Series Type Approval (ECSSTA)
  • ", + "
  • Mutual Recognition scheme
  • ", + "

    Exemptions from vehicle approval

    ", + "

    You do not need vehicle approval for:

    ", + "
  • heavy goods vehicles (more than 3,500kg maximum weight) over 25 years old
  • ", + "
  • light goods vehicles (3,500kg maximum weight or less) over 10 years old
  • ", + "
  • cars and minibuses with 8 passenger seats or less (not including the driver) over 10 years old
  • ", + "
  • buses, coaches and minibuses with more than 8 passenger seats (not including the driver) built by a single manufacturer before 29 July 2010
  • ", + "
  • buses, coaches and minibuses with more than 8 passenger seats (not including the driver) with different body and chassis manufacturers, made before 29 July 2011
  • ", + "
  • tracked vehicles, for example a vehicle that runs on tracks rather than wheels
  • ", + "
  • vehicles designed and constructed for use on construction sites, quarries, ports and airports
  • ", + "
  • vehicles designed and constructed for and used by the armed services, fire and rescue forces, or used in maintaining public order
  • ", + "

    If your vehicle needs approval, you must send proof of this in when you apply to register it. The Driver and Vehicle Licensing Agency (DVLA) will not register your vehicle if you do not.

    ", + "

    Individual Vehicle Approval

    ", + "

    You can use the Individual Vehicle Approval (IVA) scheme if you\u2019re making or importing a single vehicle or a very small number of vehicles in the following categories:

    ", + "
  • passenger cars
  • ", + "
  • goods vehicles
  • ", + "
  • buses and coaches
  • ", + "
  • trailers
  • ", + "
  • special purpose vehicles, such as vehicles specially designed to hold a wheelchair
  • ", + "

    You cannot use the Statutory IVA scheme if your vehicle has been registered before in the UK - you\u2019ll need to use Voluntary IVA instead.

    ", + "

    Vehicle identification number

    ", + "

    Your vehicle needs a vehicle identification number (VIN) before having an IVA inspection. Apply to DVLA if it does not have one.

    ", + "

    Basic and normal IVA

    ", + "

    There are 2 levels of IVA inspection: basic and normal.

    ", + "

    Basic IVA

    ", + "

    Basic IVA involves a visual inspection and other tests to make sure the vehicle meets the necessary standards. You will not normally need to provide any documentary evidence.

    ", + "

    You can apply if you have a passenger car or light goods vehicle in one of these categories:

    ", + "
  • left-hand drive vehicles
  • ", + "
  • personal imports
  • ", + "
  • amateur built vehicles (kit cars)
  • ", + "
  • rebuilt vehicles
  • ", + "
  • very low volume production vehicles
  • ", + "
  • ambulances
  • ", + "
  • motor caravans
  • ", + "
  • hearses
  • ", + "
  • armoured passenger vehicles
  • ", + "
  • a vehicle manufactured using parts of a registered vehicle
  • ", + "

    Read the Driver and Vehicle Standards Agency (DVSA ) guide on the IVA scheme for more on these categories.

    ", + "

    Normal IVA

    ", + "

    You\u2019ll have to apply for normal IVA if you do not meet the criteria for basic IVA.

    ", + "

    This involves a more detailed inspection. Vehicles have to meet extra standards and you\u2019ll have to provide documentary evidence.

    ", + "

    Modified goods vehicles

    ", + "

    You can use the IVA scheme to get approval for goods vehicles that have been modified.

    ", + "

    Read the DVSA guide on IVA for modified goods vehicles to find out how changes are approved.

    ", + "

    How to show your vehicle meets IVA standards

    ", + "

    There are several ways to prove your vehicle meets IVA standards. Read part 5 of the DVSA guide on the IVA scheme for more details.

    ", + "

    Model reports

    ", + "

    One way of proving your vehicle is compliant is by showing it\u2019s the same specification as another vehicle (a \u2018master vehicle\u2019) that\u2019s been proved compliant. You do this using a model report.

    ", + "

    If a model report has already been produced for your exact model of vehicle, you may be able to use it for a fee. Look for it on the DVSA list of model reports and their owners.

    ", + "

    Otherwise, you\u2019ll need to pay for your own tests to be carried out. These must be done by an authorised provider of \u2018designated technical services\u2019.

    ", + "

    For more information on model reports, see part 11 of the DVSA guide on the IVA scheme.

    ", + "

    How to apply

    ", + "

    Download and fill in the IVA application form for your type of vehicle.

    ", + "

    Follow the instructions on the form to submit it to DVSA.

    ", + "

    DVSA should offer you an inspection within 20 working days of receiving your completed application.

    ", + "

    Choosing a test station

    ", + "

    Your vehicle will be inspected at either one of DVSA\u2019s approved test stations or a privately owned test facility. You should say which one you want to use on your application form.

    ", + "

    Cost of the scheme

    ", + "

    You have to pay a fee for DVSA to inspect your vehicle.

    ", + "

    What happens next

    ", + "

    Wherever possible, DVSA will inspect your vehicle at the test location you\u2019ve chosen and issue an Individual Approval Certificate (IAC) if it passes. You\u2019ll need this certificate when you register your vehicle.

    ", + "

    Appeal against a refusal

    ", + "

    You can appeal and have a re-examination carried out by an independent inspector if your vehicle does not pass its inspection and you\u2019re not satisfied with the decision.

    ", + "

    You must make your appeal within 14 days of the decision and you\u2019ll have to pay a fee. This will be refunded, either partially or fully, if your appeal is successful.

    ", + "

    You must not modify the vehicle before the appeal inspection.

    ", + "

    You can appeal by downloading and filling in the IVA notice of appeal.

    ", + "

    Read part 8 of the DVSA guide on the IVA scheme for more information about appeals.

    ", + "

    Individual Vehicle Approval manuals

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) published a series of manuals listing all the technical requirements for Individual Vehicle Approval (IVA).

    ", + "

    There are different manuals for different types of vehicle:

    ", + "
  • M1 vehicles - passenger cars
  • ", + "
  • M2 and M3 vehicles - buses and coaches
  • ", + "
  • N1 vehicles - light goods vehicles (up to 3,500kgs)
  • ", + "
  • N2 and N3 vehicles - heavy goods vehicles (over 3,500kgs)
  • ", + "
  • O1, O2, O3 and O4 vehicles - light and heavy trailers
  • ", + "

    Individual Vehicle Approval application forms

    ", + "

    You need an Individual Vehicle Approval (IVA) application form to apply for an inspection.

    ", + "

    Find out how to:

    ", + "
  • apply for IVA: cars
  • ", + "
  • apply for IVA: vans and light goods vehicles
  • ", + "
  • apply for IVA: buses or coaches
  • ", + "
  • apply for IVA: lorries and goods vehicles
  • ", + "
  • apply for IVA: trailers
  • ", + "
  • prove that a bus or coach does not need a new tilt test
  • ", + "
  • apply for a vehicle approval test at a non-DVSA site
  • ", + "

    All passenger vehicles

    ", + "

    Download the form for seat belt anchorage compliance.

    ", + "

    Amateur built vehicles

    ", + "

    If your vehicle is amateur built (for example a kit car), you must send an amateur built declaration along with your IVA application.

    ", + "

    Voluntary approval

    ", + "

    Voluntary Individual Vehicle Approval (IVA) is similar to Statutory IVA but:

    ", + "
  • you can use it if your vehicle has already been registered in the UK
  • ", + "
  • you will not have the same rights as with Statutory IVA
  • ", + "

    You\u2019ll need to choose whether to use the basic or normal level of Voluntary IVA.

    ", + "

    If you drive a taxi, your licensing authority will tell you what level you need to apply for.

    ", + "

    Use Statutory IVA instead if your vehicle:

    ", + "
  • has not been registered in the UK before
  • ", + "
  • has been registered in the UK, but has been modified significantly since then
  • ", + "

    Cost of the schemes

    ", + "

    You have to pay a fee for Driver and Vehicle Standards Agency (DVSA) to inspect your vehicle.

    ", + "

    How to apply

    ", + "

    Download and fill in the IVA application form for your type of vehicle.

    ", + "

    Follow the instructions on the form to submit it to DVSA.

    ", + "

    What happens next

    ", + "

    DVSA will carry out an inspection of the vehicle. If it passes, you\u2019ll get a \u2018Confirmation of Compliance\u2019 notification (not an approval certificate).

    ", + "

    Find out more

    ", + "

    Read the DVSA guide on the IVA scheme.

    ", + "

    Motorcycle Single Vehicle Approval

    ", + "

    Your motorcycle, 3-wheeled or light 4-wheeled vehicle must have a provisional GB type approval in England, Scotland and Wales.

    ", + "

    If your vehicle does not have a provisional GB type approval you must use the Motorcycle Single Vehicle Approval (MSVA) scheme to approve your vehicle.

    ", + "

    You must also use the MSVA scheme if your vehicle has been radically altered or built using a mixture of parts from previously registered vehicles. For example:

    ", + "
  • amateur built vehicles
  • ", + "
  • rebuilt vehicles
  • ", + "
  • vehicles converted to a different wheelplan
  • ", + "

    Eligibility for MSVA

    ", + "

    You can use the MSVA scheme for vehicles that:

    ", + "
  • are under 10 years old
  • ", + "
  • have not been registered before in the UK
  • ", + "
  • do not have ECWVTA or provisional UK vehicle type approval
  • ", + "

    The following types of vehicle are eligible:

    ", + "
  • 2-wheeled mopeds
  • ", + "
  • 3-wheeled mopeds
  • ", + "
  • light quadricycles
  • ", + "
  • solo motorcycles
  • ", + "
  • motorcycle combinations
  • ", + "
  • motor tricycles
  • ", + "
  • heavy quadricycles
  • ", + "

    These vehicle types are defined in the foreword of the MSVA inspection manual.

    ", + "

    Partial MSVA

    ", + "

    If you have a Certificate of Conformity (CoC), it will say which side of the road and which speedometer units your vehicle is equipped for.

    ", + "

    You must modify your vehicle if it is not equipped for use in Great Britain. It will then need a Partial MSVA to check the following items:

    ", + "
  • headlamp dipped beam pattern - this checks the headlamp is suitable for driving on the left
  • ", + "
  • speedometer - the speed must be shown in miles per hour (mph) or dual mph and kilometres per hour
  • ", + "
  • mirror location - on mopeds fitted with a single mirror, the mirror must be fitted to offside (right) of the vehicle
  • ", + "

    Read more in Partial MSVA frequently asked questions.

    ", + "

    Vehicle identification number

    ", + "

    Your vehicle needs a vehicle identification number before having an MSVA inspection. Write to the following address if it does not have one.

    ", + "

    Cost of the scheme

    ", + "

    You have to pay a fee for DVSA to inspect your vehicle.

    ", + "

    Choose a test station

    ", + "

    Your vehicle will be inspected by DVSA at one of its approved test stations. You can choose which one as long as it inspects the category of vehicle you want to be tested.

    ", + "Category | Description", + "B | 2-wheeled vehicles", + "T | 3-wheeled vehicles", + "Q | 4-wheeled vehicles", + "Station | Address | Categories", + "Aberdeen | Cloverhill Road, Bridge of Don Industrial Estate, Aberdeen, AB23 8FE | B, T, Q", + "Beverley | Oldbeck Road, Off Grovehill Road, Beverley, East Yorkshire, HU17 0JW | B, T, Q", + "Bristol | Merebank Road, Avonmouth, Bristol, BS11 8AQ | B, T, Q", + "Cardiff (Llantrisant) | School Road, Miskin, Pontyclun, Mid Glamorgan, CF72 8YR | B, T, Q", + "Chelmsford | Widford Industrial Estate, Chelmsford, CM1 3DR | B, Q", + "Derby | Belmore Way, Alvaston, Derby, DE21 7AY | B, T, Q", + "Edinburgh (Livingston) | Grange Road, Houston Industrial Estate, Livingston, Edinburgh, West Lothian, EH54 5DE | B, T, Q", + "Exeter | Grace Road West, Marsh Barton Trading Estate, Exeter, Devon, EX2 8PU | B, T, Q", + "Gillingham | Ambley Road, Gillingham, ME8 0SJ | B, T, Q", + "Kidderminster | Worcester Road, Kidderminster, DY11 7RD | B, T, Q", + "Leighton Buzzard | Stanbridge Road, Leighton Buzzard, Bedfordshire, LU7 4QG | B, T, Q", + "London West (Yeading) | Cygnet Way, Willow Tree Lane, Yeading, Hayes, Middlesex, UB4 9BS | T, Q", + "Manchester (Chadderton) | Broadway Business Park, Broadgate, Manchester (Chadderton), Oldham, OL9 9XA | B, T, Q", + "Newcastle-upon-Tyne | Sandy Lane, Gosforth, Newcastle-upon-Tyne, NE3 5HB | B, T, Q", + "Norwich | Jupiter Road, Hellesden, Norwich, NR6 6SS | B, T, Q", + "Southampton (Northam) | Unit R Centurion Industrial Estate, Bitterne Road West, Southampton, SO18 1UB | B, T, Q", + "

    How to apply

    ", + "

    Download and fill in the:

    ", + "
  • MSVA application form
  • ", + "
  • Partial MSVA application form
  • ", + "

    Follow the instructions on the form to submit it to DVSA.

    ", + "

    What happens next

    ", + "

    DVSA will inspect your vehicle at the test station you\u2019ve chosen and issue a Minister\u2019s Approval Certificate (MAC) if it passes. You\u2019ll need this certificate when you register your vehicle.

    ", + "

    Appeals

    ", + "

    You can appeal for a re-test if your vehicle fails MSVA. You must appeal within 14 days of the original decision by completing form MSVA17 and returning it to the station used for the original test.

    ", + "

    You\u2019ll have to pay the test fee again, which will be refunded if the appeal is successful. Contact DVSA to find out how to do this.

    ", + "

    More information

    ", + "

    Read the MSVA inspection manual.

    ", + "

    Certificate of Initial Fitness

    ", + "

    Who can use the scheme

    ", + "

    If you use a vehicle with more than 8 passenger seats to transport people for profit, also known as a Public Service Vehicle (PSV), it must have been approved or have a Certificate of Initial Fitness (COIF) to register it.

    ", + "

    What vehicles need a COIF

    ", + "

    You\u2019ll need a COIF for your vehicle if it has more than 8 passenger seats, will be used for profit and either:

    ", + "
  • is not registered in the UK and was built before the type approval scheme was introduced
  • ", + "
  • is registered in the UK but does not have a type approval as a passenger vehicle with more than 8 passenger seats
  • ", + "

    The start dates for this scheme vary depending on the type of vehicle. See page 10 of the Individual Vehicle Approval scheme guide for details.

    ", + "

    How to apply for a COIF

    ", + "

    Download and fill in the COIF application form.

    ", + "

    Follow the instructions on the form to submit it to DVSA.

    ", + "

    Cost of the scheme

    ", + "

    You have to pay a fee for the Driver and Vehicle Standards Agency (DVSA) to inspect your vehicle.

    ", + "

    What happens next

    ", + "

    Once you\u2019ve submitted your application, DVSA will contact you to arrange for your PSV\u2019s COIF examination to be carried out at a DVSA-approved test station.

    ", + "

    Notifiable Alterations

    ", + "

    You must send details to DVSA of any alterations or modifications you make to your PSV.

    ", + "

    Send your completed application to the address on the form along with any relevant documents.

    ", + "

    You do not need to notify DVSA of like-for-like replacement parts.

    ", + "

    Accessibility Certificate Test

    ", + "

    Some buses and coaches must have accessibility features for wheelchair users, like boarding lifts and ramps, wheelchair spaces and wheelchair restraints.

    ", + "

    This affects buses and coaches, which:

    ", + "
  • are authorised to carry more than 22 passengers
  • ", + "
  • carry passengers at separate fares on local or scheduled services
  • ", + "
  • were first used on or after 31 December 2000
  • ", + "

    Manufacturers of buses and coaches usually apply for these Accessibility Certificates at the same time as the Certificate of Initial Fitness (COIF) when the vehicles are first built.

    ", + "

    How to apply for an Accessibility Certificate

    ", + "

    If you already have a COIF you can apply for an Accessibility Certificate separately.

    ", + "

    You can also apply for an Accessibility Certificate yourself if you convert a vehicle to be used as a bus or coach.

    ", + "

    Accessibility Certificates last the lifetime of the vehicle as long as you do not make any further alterations to it. Once you have an Accessibility Certificate, accessibility is then checked as part of the vehicle\u2019s annual test.

    ", + "

    Fill in the PSV accessibility certificate application form.

    ", + "

    Follow the instructions on the form to submit it to DVSA.

    ", + "

    Fees for the Accessibility Certificate test

    ", + "

    You\u2019ll need to check both wheelchair accessibility and general accessibility. Each of these sets of regulations is called a schedule.

    ", + "Test type | Fee", + "1 schedule | \u00a351", + "Retest for 1 schedule | \u00a317", + "2 schedules | \u00a3104", + "Retest for 2 schedules | \u00a336", + "Duplicate certificate | \u00a313", + "

    Type approval

    ", + "

    Alternatively, vehicle manufacturers can apply for type approval, which means an Accessibility Certificate is not needed.

    ", + "

    Print off and fill in form PSVA6 to apply for type approval.

    ", + "

    When an operator gets a vehicle that\u2019s been type approved they\u2019ll get a Declaration of Conformity from the manufacturer.

    ", + "

    Operators then need to send this to the Driver and Vehicle Standards Agency (DVSA) to get a Certification of Conformity.

    ", + "

    Fees for type approval are included on the IVA inspection fees document.

    ", + "

    Inspection fees

    ", + "

    You have to pay a fee for the Driver and Vehicle Standards Agency (DVSA) to inspect your vehicle.

    ", + "

    The cost depends on:

    ", + "
  • whether you\u2019re using the standard or voluntary version of the scheme
  • ", + "
  • the type of inspection (basic or normal)
  • ", + "
  • the category of vehicle
  • ", + "
  • the class of vehicle
  • ", + "

    To find out which category and class your vehicle is in, see annexes 1 and 2 of the DVSA guide to the IVA scheme.

    ", + "

    Where to find inspection fees

    ", + "

    The DVSA list of inspection fees includes the fees for:

    ", + "
  • Individual Vehicle Approval (IVA)
  • ", + "
  • Motorcycle Single Vehicle Approval (MSVA)
  • ", + "
  • Certificate of Initial Fitness (COIF)
  • ", + "

    Replacement approval certificate

    ", + "

    You can apply for a replacement approval certificate. Submit your application using the apply for an Individual Vehicle Approval (IVA) service.

    " + ] + }, + "https://www.gov.uk/vehicle-registration": { + "url": "https://www.gov.uk/vehicle-registration", + "title": "Vehicle registration", + "content": "## Overview\n\nYou have to register a car or any other vehicle as soon as you\u2019ve:\n\n- bought it\n\n- built it\n\n- rebuilt or altered it\n\n- imported it\n\nYou do this by filling in forms and sending them to DVLA. The forms you have to send depend on your circumstances.\n\nDVLA may need to inspect your vehicle to:\n\n- make sure the vehicle exists, has been assembled into a complete vehicle and the log book (V5C) is in your name\n\n- update their records because of changes you\u2019ve made to the vehicle\n\nThey will send you a letter if they need to do this. You will not have to pay a fee.\n\nUse the different registration schemes for the motor trade if you\u2019re a vehicle manufacturer, importer or VAT-registered trader.\n\n## New and used vehicles\n\n## New vehicles\n\nThe dealer will usually register a brand new vehicle for you. If they do, you\u2019ll get a V5C registration certificate (log book). It will take longer than usual to get this because of coronavirus (COVID-19).\n\nIf the dealer will not do it, you can register the vehicle yourself.\n\nIf your vehicle is a new heavy goods vehicle (HGV), you also need to record the details of your HGV with the Driver and Vehicle Standards Agency (DVSA).\n\n## Used vehicles\n\nYou need to tax a used vehicle before you can use it on the road.\n\nThe way a used vehicle is registered to you depends on whether it has a V5C registration certificate (log book).\n\n## Vehicle has a registration certificate (V5C)\n\nThe seller can register the vehicle to you online or by post.\n\nThe seller must follow a different process if you\u2019re buying a vehicle to take abroad including the Channel Islands (Jersey and Guernsey), Isle of Man or Ireland. They must give you the full log book (V5C) and not send it to DVLA.\n\n## Register online\n\nThe seller will need to:\n\n- register the vehicle to you online\n\n- fill in the green \u2018new keeper\u2019 slip and give it to you\n\n- destroy the V5C\n\nDVLA will update the vehicle record immediately and they will aim to send out a new V5C to you within 3 to 5 days.\n\n## Register by post\n\nIf you cannot register the vehicle online, you can register it by post. The seller will need to:\n\n- complete section 2 if they have a new style log book (with multi-coloured numbered blocks on the front cover) or section 6 if they have the older style log book\n\n- sign the declaration in section 8 if they have the older style log book (you must sign the declaration too)\n\n- fill in the new keeper slip and give it to you\n\n- send the V5C to DVLA\n\nDVLA aims to send out a new V5C to you as soon as possible, usually 4 weeks after getting the old V5C from the seller. This may take longer because of coronavirus.\n\nIf you do not get it within 4 weeks:\n\n- complete form V62 - \u2018Application for a vehicle registration certificate\u2019\n\n- send it to DVLA with the new keeper slip given to you by the seller - if you do not send in the new keeper slip, you\u2019ll have to pay a fee\n\nDownload form V62 or get it from any Post Office branch.\n\nContact DVLA if you do not receive anything 6 weeks after sending in form V62.\n\n## Vehicle does not have a registration certificate\n\nDVLA advises that you should not buy a vehicle that does not have a registration certificate (V5C).\n\nRegister the vehicle in your name by using form V62 \u2018Application for a vehicle registration certificate\u2019. You\u2019ll have to pay a fee. See the section above for how to get form V62.\n\nContact DVLA if you do not receive anything 6 weeks after sending in form V62.\n\n## Checking your new registration certificate\n\nWhen you receive your registration certificate, it\u2019s your responsibility to check all the details are correct. If anything is incorrect, make the changes on the certificate and send it back to DVLA.\n\nYou\u2019ll get the replacement certificate within 4 weeks.\n\n## New registrations\n\nYour vehicle may not have been registered before with DVLA if it\u2019s:\n\n- brand new\n\n- a kit car\n\n- imported\n\n- been rebuilt or radically altered\n\n- an old or classic vehicle\n\nIf you buy a brand new vehicle, the dealer will usually arrange for it to be registered. Otherwise, you need to follow the process below.\n\n## Making an application\n\n## Fill in form V55/4 or V55/5\n\nFor any type of newly registered vehicle, you must fill in either a:\n\n- V55/4 form to register a new vehicle, including new imported vehicles and newly-built (kit) cars\n\n- V55/5 form to register a used vehicle, including rebuilt vehicles, used imported vehicles and older vehicles that have never been registered\n\n## Provide copies of identity documents\n\nSend in a photocopy of your photocard driving licence with your application form to prove your identity.\n\nIf you cannot do this, you must send in photocopies of one document that proves your name and another document that proves your address.\n\nDocuments you can use to confirm your name include:\n\n- passport\n\n- marriage certificate\n\n- decree nisi or absolute\n\n- birth certificate\n\n- current UK paper driving licence (not a paper counterpart)\n\nDocuments you can use to confirm your address include:\n\n- recent utility bill (within the last 3 months) - for example gas, electricity, water, landline\n\n- recent bank or building society statement (within the last 3 months)\n\n- medical card\n\n- council tax bill for current year\n\nYou can fill in form V959 - \u2018Notification of name and address check\u2019 instead of these documents to prove your identity if you\u2019re a current DVLA trade plate holder.\n\n## Supporting documents needed for all vehicles\n\nAs well as documents to prove your identity, you must also send:\n\n- payment for the vehicle tax\n\n- the new registration fee of \u00a355, if you have to pay it\n\n- a current MOT certificate, if the vehicle is over 3 years old (over 4 years old in Northern Ireland)\n\n- a certificate of newness (or declaration of newness for imported vehicles), if the vehicle is new\n\n- proof of vehicle approval if the vehicle is under 10 years old (unless it\u2019s exempt from vehicle approval)\n\n- any documents you have relating to the vehicle, for example build plans if it\u2019s a kit car\n\n- an insurance certificate or cover note (if you\u2019re registering the vehicle to an address in Northern Ireland)\n\n## Supporting documents needed for some vehicles\n\nYou may have to send extra forms and documents if your vehicle is:\n\n- imported\n\n- kit-built, rebuilt, kit-converted or radically altered\n\n- an old vehicle\n\n- a reconstructed classic vehicle\n\n## After you\u2019ve applied\n\nDVLA might need to inspect your vehicle. If your application is approved, DVLA will send you a V5C registration certificate (sometimes called a log book).\n\nBecause of coronavirus (COVID-19) it\u2019s taking longer than usual to get a new registration certificate.\n\nYour V5C shows:\n\n- the vehicle\u2019s registration number\n\n- the vehicle keeper\u2019s name and address\n\n- other information about the vehicle (the make, vehicle identification number (VIN) and number of previous keepers)\n\nDVLA will also return your identity documents.\n\nYou\u2019ll need to provide a prepaid self-addressed, special delivery envelope if you want the documents returned by special delivery.\n\nDVLA cannot guarantee the return of the documents by a specific date.\n\n## New registrations fee\n\nYou\u2019ll have to pay a fee of \u00a355 if you\u2019re registering and taxing a vehicle for the first time with DVLA.\n\nYou can pay by cheque or postal order. You cannot send cash. Damaged or altered cheques will not be accepted.\n\nYou do not have to pay for some vehicles, including:\n\n- those first registered and licensed in the disabled exempt taxation class\n\n- historic vehicles previously registered with the old local authorities (late conversions)\n\n- vehicles previously registered in the United Kingdom\n\n- imported vehicles previously registered under the personal export scheme and new means of transport scheme\n\n- visiting forces vehicles\n\n- vehicles registered under the direct export scheme\n\n- vehicles registered for off-road use only\n\n- crown exempt vehicles\n\n## Rebuilt vehicles\n\nYour vehicle must meet the road vehicles regulations if you use it on the road.\n\n## How to register\n\nYou must follow all the instructions for registering a new vehicle.\n\nYou must include the following with your application:\n\n- form V627/1 - \u2018Built up vehicle inspection report\u2019\n\n- evidence of type approval, if necessary\n\n- the vehicle registration certificate for the original vehicle\n\n- official receipts for any parts used\n\n- photographs of the vehicle\n\nContact DVLA if you\u2019re not sure about what you need to provide.\n\nSend your application to:\n\n## Vehicle type approval\n\nYou\u2019ll have to get type approval if your vehicle does not qualify to keep its original registration number.\n\n## Keep a vehicle\u2019s original registration number\n\nA rebuilt vehicle can keep its original registration number if you can prove you\u2019ve used:\n\n- the original unmodified chassis or bodyshell (car or light van)\n\n- a new chassis or monocoque bodyshell of the same specification as the original (car or light van)\n\n- the original unmodified frame (motorbike)\n\n- a new frame of the same specification as the original (motorbike)\n\nYou must also have 2 other major components from the original vehicle from the following lists.\n\nFor cars or light vans:\n\n- suspension (front and back)\n\n- steering assembly\n\n- axles (both)\n\n- transmission\n\n- engine\n\nFor motorbikes:\n\n- forks\n\n- wheels\n\n- engine\n\n- gear box\n\n## Get a Q registration number\n\nDVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for keeping the original registration number.\n\nYour vehicle must pass the relevant type approval test to get a Q registration number.\n\nVehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.\n\n## Kit-built vehicles\n\nYour vehicle must meet the road vehicles regulations if you use it on the road.\n\nA kit-built vehicle is one where all the parts are supplied new by the manufacturer.\n\n## How to register\n\nYou must follow all the instructions for registering a new vehicle.\n\nYou must include the following with your application:\n\n- form V627/1 - \u2018Built up vehicle inspection report\u2019\n\n- evidence of type approval \u2013 see \u2018Vehicle type approval\u2019 below\n\n- official receipts for the vehicle and any parts used\n\n- build plans\n\n- evidence that any \u2018reconditioned\u2019 part is to an \u2018as new\u2019 standard\n\nContact DVLA if you\u2019re not sure about what you need to provide.\n\nSend your application to:\n\n## Vehicle type approval\n\nAll kit-built vehicles have to get type approval.\n\n## Get a current registration number\n\nYou can register a kit-built car, motorcycle or tricycle with a current registration number if you can prove it\u2019s all made from new parts supplied by the manufacturer.\n\nYou can also get a current registration number for a kit-built car, motorbike or tricycle built with one reconditioned part if:\n\n- you can show that the part has been reconditioned to an \u2018as new\u2019 standard, in line with the manufacturer\u2019s guidelines\n\n- the part is not the chassis, monocoque bodyshell or frame\n\n## Get a Q registration number\n\nDVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for getting a current registration number.\n\nYour vehicle must pass the relevant type approval test to get a Q registration number.\n\n## Kit-converted vehicles\n\nYour vehicle must meet the road vehicles regulations if you use it on the road.\n\nA kit-converted vehicle has had:\n\n- a kit of new parts added to an existing vehicle, or\n\n- old parts added to a new kit\n\nThe general appearance of the vehicle will change because of the kit.\n\n## How to register\n\nYou must follow all the instructions for registering a new vehicle.\n\nYou\u2019ll need to include the following with your application:\n\n- form V627/1 - \u2018Built up vehicle inspection report\u2019\n\n- the vehicle registration certificate for the original vehicle\n\n- evidence of type approval, if necessary \u2013 see \u2018Vehicle type approval\u2019 below\n\n- official receipts for any parts used\n\n- build plans\n\n- photographs of the vehicle\n\nContact DVLA if you\u2019re not sure about what you need to provide.\n\nSend your application to:\n\n## Keep a vehicle\u2019s original registration number\n\nYou can apply to keep a kit converted vehicle\u2019s original registration number if you can prove you\u2019ve used 2 original major parts along with the original unmodified:\n\n- chassis (car or light van)\n\n- monocoque bodyshell (car or light van)\n\n- frame (motorbike)\n\n## Get an age-related registration number\n\nYou can apply for an age-related number if you can prove you\u2019ve used 2 original major parts along with:\n\n- a new monocoque bodyshell, chassis or frame from a specialist kit manufacturer\n\n- an altered chassis, monocoque bodyshell or frame from the original vehicle\n\nThe registration number will be based on the age of the original vehicle.\n\nYour vehicle must pass the relevant type approval test to get an age-related registration number.\n\n## Get a Q registration number\n\nDVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for getting an original or age-related registration number.\n\nYour vehicle must pass the relevant type approval test to get a Q registration number.\n\nVehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.\n\n## Radically altered vehicles\n\nYour vehicle must comply with the road vehicles regulations if you use it on the road.\n\nRadically altered vehicles are vehicles that have been altered from their original specification, but are not kit conversions.\n\n## How to register\n\nYou must follow all the instructions for registering a new vehicle.\n\nYou\u2019ll need to include the following with your application:\n\n- form V627/1 - \u2018Built up vehicle inspection report\u2019\n\n- evidence of type approval, if necessary\n\n- the vehicle registration certificate\n\n- official receipts for any parts used\n\n- photographs of the vehicle\n\nContact DVLA if you\u2019re not sure about what you need to provide.\n\nSend your application to:\n\n## Get a vehicle registration number\n\nDVLA uses a points system to decide what registration number to give a radically altered vehicle.\n\n## Keep the original registration number\n\nYour vehicle must have 8 or more points from the table below if you want to keep the original registration number. 5 of these points must come from having the original or new and unmodified chassis, monocoque bodyshell or frame.\n\n| Part | Points |\n\n| Chassis, monocoque bodyshell (body and chassis as one unit) or frame - original or new and unmodified (direct from manufacturer) | 5 |\n\n| Suspension (front and back) - original | 2 |\n\n| Axles (both) - original | 2 |\n\n| Transmission - original | 2 |\n\n| Steering assembly - original | 2 |\n\n| Engine - original | 1 |\n\n## Get a \u2018Q\u2019 registration number\n\nYou will not be able to keep your vehicle\u2019s original registration number if one of the following applies:\n\n- it has fewer than 8 points\n\n- it has a second-hand or altered chassis, monocoque bodyshell or frame\n\n- there\u2019s evidence that 2 vehicles have been welded together to form one (ie \u2018cut and shut\u2019)\n\nYour vehicle must pass the relevant type approval test to get a \u2018Q\u2019 prefix registration number.\n\nVehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.\n\n## Old vehicles\n\nYour vehicle must meet the road vehicles regulations if you use it on the road.\n\nIf you have a classic vehicle that has not been taxed since 1983, it might not be registered with DVLA.\n\nIf this is the case and you want to register it, follow all the instructions for registering a vehicle for the first time.\n\n## Get your vehicle\u2019s original registration number\n\nYou may be able to register an old vehicle under its original registration number if either:\n\n- it\u2019s never been registered at DVLA\n\n- it has an age-related registration number\n\nTo do this, you\u2019ll have to:\n\n- follow the instructions for new registrations\n\n- fill in form V765 - \u2018Application to register a vehicle under its original registration number\u2019\n\n- get form V765 endorsed by a vehicle owners\u2019 club\n\n- provide a recent photo of the vehicle and documentary evidence that links it to the original number, for example the original log book\n\nSend the forms to \u2018K and R\u2019 at DVLA.\n\nK and R\nDVLA\nSA99 1ZZ\n\n## After you\u2019ve applied\n\nDVLA will issue a V5C registration certificate and give you either:\n\n- the original registration number - if this happens, you will not be allowed to transfer it or put it onto retention at a later date\n\n- another number appropriate to the age of the vehicle - if this is a non-suffix or prefix number, it will also be non-transferable\n\n## Northern Ireland\n\nSend a completed V62 form and the RF60 form if you want to register a historic vehicle in Northern Ireland.\n\nDVLA will register the vehicle and issue a new V5C to the registered keeper. You should receive this within 4 weeks.\n\n## Reconstructed classic vehicles\n\nYour vehicle must comply with the road vehicles regulations if you use it on the road.\n\n## How to register\n\nYou must follow all the instructions for registering a new vehicle.\n\nYou must include the following with your application:\n\n- written report from the appropriate vehicle owners\u2019 club\n\n- form V627/1 - \u2018Built up vehicle inspection report\u2019\n\n- evidence of type approval, if necessary\n\n- official receipts for any parts used\n\n## Get an age-related registration number\n\nDVLA can only recognise your vehicle as a reconstructed classic vehicle if it meets certain criteria. It must be:\n\n- built from genuine period components from more than one vehicle, all over 25 years old and of the same specification as the original vehicle\n\n- a true reflection of the marque\n\nThe appropriate vehicle owners\u2019 club for the vehicle type (\u2018marque\u2019) must inspect the vehicle and confirm in writing that it:\n\n- has been inspected\n\n- is a true reflection of the marque\n\n- is comprised of genuine period components all over 25 years old\n\nThey must also give manufacture dates for the major components.\n\nDVLA will assign an age-related registration number to the vehicle based on the youngest component used.\n\n## New or replica parts\n\nYour vehicle will not get an age-related registration number if it includes new or replica parts. DVLA will give your vehicle a \u2018Q\u2019 prefix registration number. Your vehicle must pass the relevant type approval test to get a \u2018Q\u2019 prefix registration number.\n\nVehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.\n\n## Vehicle identification number\n\nAll vehicles registered in the UK must have a unique, stamped-in vehicle identification number (VIN) and registration number.\n\n## Find your VIN\n\nThe VIN is usually stamped into the chassis of the vehicle. It may be lost if you rebuild or modify your vehicle.\n\n## When you may need a new VIN or registration\n\nIf you have a kit car, rebuild, or radically altered vehicle, DVLA will usually have to assess it.\n\nYou may be able to keep its original registration number if you can prove the vehicle\u2019s original VIN. If you cannot, you\u2019ll have to apply for a replacement identity number.\n\nDVLA will give you an authorisation letter to get the vehicle stamped with the new VIN if your vehicle passes its assessment.\n\nYou then need to register the vehicle - you can only do this when DVLA receives confirmation it\u2019s been stamped with the correct VIN.\n\n## 'Q' registration numbers\n\nDVLA issues \u2018Q\u2019 registration numbers to vehicles whose age or identity is in doubt.\n\nIf this happens, any original vehicle registration number will become invalid and you must not display it again.\n\nTo get a \u2018Q\u2019 registration number, your vehicle has to pass a type approval process.", + "original_contents": [ + "

    Overview

    ", + "

    You have to register a car or any other vehicle as soon as you\u2019ve:

    ", + "
  • bought it
  • ", + "
  • built it
  • ", + "
  • rebuilt or altered it
  • ", + "
  • imported it
  • ", + "

    You do this by filling in forms and sending them to DVLA. The forms you have to send depend on your circumstances.

    ", + "

    DVLA may need to inspect your vehicle to:

    ", + "
  • make sure the vehicle exists, has been assembled into a complete vehicle and the log book (V5C) is in your name
  • ", + "
  • update their records because of changes you\u2019ve made to the vehicle
  • ", + "

    They will send you a letter if they need to do this. You will not have to pay a fee.

    ", + "

    Use the different registration schemes for the motor trade if you\u2019re a vehicle manufacturer, importer or VAT-registered trader.

    ", + "

    New and used vehicles

    ", + "

    New vehicles

    ", + "

    The dealer will usually register a brand new vehicle for you. If they do, you\u2019ll get a V5C registration certificate (log book). It will take longer than usual to get this because of coronavirus (COVID-19).

    ", + "

    If the dealer will not do it, you can register the vehicle yourself.

    ", + "

    If your vehicle is a new heavy goods vehicle (HGV), you also need to record the details of your HGV with the Driver and Vehicle Standards Agency (DVSA).

    ", + "

    Used vehicles

    ", + "

    You need to tax a used vehicle before you can use it on the road.

    ", + "

    The way a used vehicle is registered to you depends on whether it has a V5C registration certificate (log book).

    ", + "

    Vehicle has a registration certificate (V5C)

    ", + "

    The seller can register the vehicle to you online or by post.

    ", + "

    The seller must follow a different process if you\u2019re buying a vehicle to take abroad including the Channel Islands (Jersey and Guernsey), Isle of Man or Ireland. They must give you the full log book (V5C) and not send it to DVLA.

    ", + "

    Register online

    ", + "

    The seller will need to:

    ", + "
  • register the vehicle to you online
  • ", + "
  • fill in the green \u2018new keeper\u2019 slip and give it to you
  • ", + "
  • destroy the V5C
  • ", + "

    DVLA will update the vehicle record immediately and they will aim to send out a new V5C to you within 3 to 5 days.

    ", + "

    Register by post

    ", + "

    If you cannot register the vehicle online, you can register it by post. The seller will need to:

    ", + "
  • complete section 2 if they have a new style log book (with multi-coloured numbered blocks on the front cover) or section 6 if they have the older style log book
  • ", + "
  • sign the declaration in section 8 if they have the older style log book (you must sign the declaration too)
  • ", + "
  • fill in the new keeper slip and give it to you
  • ", + "
  • send the V5C to DVLA
  • ", + "

    DVLA aims to send out a new V5C to you as soon as possible, usually 4 weeks after getting the old V5C from the seller. This may take longer because of coronavirus.

    ", + "

    If you do not get it within 4 weeks:

    ", + "
  • complete form V62 - \u2018Application for a vehicle registration certificate\u2019
  • ", + "
  • send it to DVLA with the new keeper slip given to you by the seller - if you do not send in the new keeper slip, you\u2019ll have to pay a fee
  • ", + "

    Download form V62 or get it from any Post Office branch.

    ", + "

    Contact DVLA if you do not receive anything 6 weeks after sending in form V62.

    ", + "

    Vehicle does not have a registration certificate

    ", + "

    DVLA advises that you should not buy a vehicle that does not have a registration certificate (V5C).

    ", + "

    Register the vehicle in your name by using form V62 \u2018Application for a vehicle registration certificate\u2019. You\u2019ll have to pay a fee. See the section above for how to get form V62.

    ", + "

    Contact DVLA if you do not receive anything 6 weeks after sending in form V62.

    ", + "

    Checking your new registration certificate

    ", + "

    When you receive your registration certificate, it\u2019s your responsibility to check all the details are correct. If anything is incorrect, make the changes on the certificate and send it back to DVLA.

    ", + "

    You\u2019ll get the replacement certificate within 4 weeks.

    ", + "

    New registrations

    ", + "

    Your vehicle may not have been registered before with DVLA if it\u2019s:

    ", + "
  • brand new
  • ", + "
  • a kit car
  • ", + "
  • imported
  • ", + "
  • been rebuilt or radically altered
  • ", + "
  • an old or classic vehicle
  • ", + "

    If you buy a brand new vehicle, the dealer will usually arrange for it to be registered. Otherwise, you need to follow the process below.

    ", + "

    Making an application

    ", + "

    Fill in form V55/4 or V55/5

    ", + "

    For any type of newly registered vehicle, you must fill in either a:

    ", + "
  • V55/4 form to register a new vehicle, including new imported vehicles and newly-built (kit) cars
  • ", + "
  • V55/5 form to register a used vehicle, including rebuilt vehicles, used imported vehicles and older vehicles that have never been registered
  • ", + "

    Provide copies of identity documents

    ", + "

    Send in a photocopy of your photocard driving licence with your application form to prove your identity.

    ", + "

    If you cannot do this, you must send in photocopies of one document that proves your name and another document that proves your address.

    ", + "

    Documents you can use to confirm your name include:

    ", + "
  • passport
  • ", + "
  • marriage certificate
  • ", + "
  • decree nisi or absolute
  • ", + "
  • birth certificate
  • ", + "
  • current UK paper driving licence (not a paper counterpart)
  • ", + "

    Documents you can use to confirm your address include:

    ", + "
  • recent utility bill (within the last 3 months) - for example gas, electricity, water, landline
  • ", + "
  • recent bank or building society statement (within the last 3 months)
  • ", + "
  • medical card
  • ", + "
  • council tax bill for current year
  • ", + "

    You can fill in form V959 - \u2018Notification of name and address check\u2019 instead of these documents to prove your identity if you\u2019re a current DVLA trade plate holder.

    ", + "

    Supporting documents needed for all vehicles

    ", + "

    As well as documents to prove your identity, you must also send:

    ", + "
  • payment for the vehicle tax
  • ", + "
  • the new registration fee of \u00a355, if you have to pay it
  • ", + "
  • a current MOT certificate, if the vehicle is over 3 years old (over 4 years old in Northern Ireland)
  • ", + "
  • a certificate of newness (or declaration of newness for imported vehicles), if the vehicle is new
  • ", + "
  • proof of vehicle approval if the vehicle is under 10 years old (unless it\u2019s exempt from vehicle approval)
  • ", + "
  • any documents you have relating to the vehicle, for example build plans if it\u2019s a kit car
  • ", + "
  • an insurance certificate or cover note (if you\u2019re registering the vehicle to an address in Northern Ireland)
  • ", + "

    Supporting documents needed for some vehicles

    ", + "

    You may have to send extra forms and documents if your vehicle is:

    ", + "
  • imported
  • ", + "
  • kit-built, rebuilt, kit-converted or radically altered
  • ", + "
  • an old vehicle
  • ", + "
  • a reconstructed classic vehicle
  • ", + "

    After you\u2019ve applied

    ", + "

    DVLA might need to inspect your vehicle. If your application is approved, DVLA will send you a V5C registration certificate (sometimes called a log book).

    ", + "

    Because of coronavirus (COVID-19) it\u2019s taking longer than usual to get a new registration certificate.

    ", + "

    Your V5C shows:

    ", + "
  • the vehicle\u2019s registration number
  • ", + "
  • the vehicle keeper\u2019s name and address
  • ", + "
  • other information about the vehicle (the make, vehicle identification number (VIN) and number of previous keepers)
  • ", + "

    DVLA will also return your identity documents.

    ", + "

    You\u2019ll need to provide a prepaid self-addressed, special delivery envelope if you want the documents returned by special delivery.

    ", + "

    DVLA cannot guarantee the return of the documents by a specific date.

    ", + "

    New registrations fee

    ", + "

    You\u2019ll have to pay a fee of \u00a355 if you\u2019re registering and taxing a vehicle for the first time with DVLA.

    ", + "

    You can pay by cheque or postal order. You cannot send cash. Damaged or altered cheques will not be accepted.

    ", + "

    You do not have to pay for some vehicles, including:

    ", + "
  • those first registered and licensed in the disabled exempt taxation class
  • ", + "
  • historic vehicles previously registered with the old local authorities (late conversions)
  • ", + "
  • vehicles previously registered in the United Kingdom
  • ", + "
  • imported vehicles previously registered under the personal export scheme and new means of transport scheme
  • ", + "
  • visiting forces vehicles
  • ", + "
  • vehicles registered under the direct export scheme
  • ", + "
  • vehicles registered for off-road use only
  • ", + "
  • crown exempt vehicles
  • ", + "

    Rebuilt vehicles

    ", + "

    Your vehicle must meet the road vehicles regulations if you use it on the road.

    ", + "

    How to register

    ", + "

    You must follow all the instructions for registering a new vehicle.

    ", + "

    You must include the following with your application:

    ", + "
  • form V627/1 - \u2018Built up vehicle inspection report\u2019
  • ", + "
  • evidence of type approval, if necessary
  • ", + "
  • the vehicle registration certificate for the original vehicle
  • ", + "
  • official receipts for any parts used
  • ", + "
  • photographs of the vehicle
  • ", + "

    Contact DVLA if you\u2019re not sure about what you need to provide.

    ", + "

    Send your application to:

    ", + "

    Vehicle type approval

    ", + "

    You\u2019ll have to get type approval if your vehicle does not qualify to keep its original registration number.

    ", + "

    Keep a vehicle\u2019s original registration number

    ", + "

    A rebuilt vehicle can keep its original registration number if you can prove you\u2019ve used:

    ", + "
  • the original unmodified chassis or bodyshell (car or light van)
  • ", + "
  • a new chassis or monocoque bodyshell of the same specification as the original (car or light van)
  • ", + "
  • the original unmodified frame (motorbike)
  • ", + "
  • a new frame of the same specification as the original (motorbike)
  • ", + "

    You must also have 2 other major components from the original vehicle from the following lists.

    ", + "

    For cars or light vans:

    ", + "
  • suspension (front and back)
  • ", + "
  • steering assembly
  • ", + "
  • axles (both)
  • ", + "
  • transmission
  • ", + "
  • engine
  • ", + "

    For motorbikes:

    ", + "
  • forks
  • ", + "
  • wheels
  • ", + "
  • engine
  • ", + "
  • gear box
  • ", + "

    Get a Q registration number

    ", + "

    DVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for keeping the original registration number.

    ", + "

    Your vehicle must pass the relevant type approval test to get a Q registration number.

    ", + "

    Vehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.

    ", + "

    Kit-built vehicles

    ", + "

    Your vehicle must meet the road vehicles regulations if you use it on the road.

    ", + "

    A kit-built vehicle is one where all the parts are supplied new by the manufacturer.

    ", + "

    How to register

    ", + "

    You must follow all the instructions for registering a new vehicle.

    ", + "

    You must include the following with your application:

    ", + "
  • form V627/1 - \u2018Built up vehicle inspection report\u2019
  • ", + "
  • evidence of type approval \u2013 see \u2018Vehicle type approval\u2019 below
  • ", + "
  • official receipts for the vehicle and any parts used
  • ", + "
  • build plans
  • ", + "
  • evidence that any \u2018reconditioned\u2019 part is to an \u2018as new\u2019 standard
  • ", + "

    Contact DVLA if you\u2019re not sure about what you need to provide.

    ", + "

    Send your application to:

    ", + "

    Vehicle type approval

    ", + "

    All kit-built vehicles have to get type approval.

    ", + "

    Get a current registration number

    ", + "

    You can register a kit-built car, motorcycle or tricycle with a current registration number if you can prove it\u2019s all made from new parts supplied by the manufacturer.

    ", + "

    You can also get a current registration number for a kit-built car, motorbike or tricycle built with one reconditioned part if:

    ", + "
  • you can show that the part has been reconditioned to an \u2018as new\u2019 standard, in line with the manufacturer\u2019s guidelines
  • ", + "
  • the part is not the chassis, monocoque bodyshell or frame
  • ", + "

    Get a Q registration number

    ", + "

    DVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for getting a current registration number.

    ", + "

    Your vehicle must pass the relevant type approval test to get a Q registration number.

    ", + "

    Kit-converted vehicles

    ", + "

    Your vehicle must meet the road vehicles regulations if you use it on the road.

    ", + "

    A kit-converted vehicle has had:

    ", + "
  • a kit of new parts added to an existing vehicle, or
  • ", + "
  • old parts added to a new kit
  • ", + "

    The general appearance of the vehicle will change because of the kit.

    ", + "

    How to register

    ", + "

    You must follow all the instructions for registering a new vehicle.

    ", + "

    You\u2019ll need to include the following with your application:

    ", + "
  • form V627/1 - \u2018Built up vehicle inspection report\u2019
  • ", + "
  • the vehicle registration certificate for the original vehicle
  • ", + "
  • evidence of type approval, if necessary \u2013 see \u2018Vehicle type approval\u2019 below
  • ", + "
  • official receipts for any parts used
  • ", + "
  • build plans
  • ", + "
  • photographs of the vehicle
  • ", + "

    Contact DVLA if you\u2019re not sure about what you need to provide.

    ", + "

    Send your application to:

    ", + "

    Keep a vehicle\u2019s original registration number

    ", + "

    You can apply to keep a kit converted vehicle\u2019s original registration number if you can prove you\u2019ve used 2 original major parts along with the original unmodified:

    ", + "
  • chassis (car or light van)
  • ", + "
  • monocoque bodyshell (car or light van)
  • ", + "
  • frame (motorbike)
  • ", + "

    Get an age-related registration number

    ", + "

    You can apply for an age-related number if you can prove you\u2019ve used 2 original major parts along with:

    ", + "
  • a new monocoque bodyshell, chassis or frame from a specialist kit manufacturer
  • ", + "
  • an altered chassis, monocoque bodyshell or frame from the original vehicle
  • ", + "

    The registration number will be based on the age of the original vehicle.

    ", + "

    Your vehicle must pass the relevant type approval test to get an age-related registration number.

    ", + "

    Get a Q registration number

    ", + "

    DVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for getting an original or age-related registration number.

    ", + "

    Your vehicle must pass the relevant type approval test to get a Q registration number.

    ", + "

    Vehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.

    ", + "

    Radically altered vehicles

    ", + "

    Your vehicle must comply with the road vehicles regulations if you use it on the road.

    ", + "

    Radically altered vehicles are vehicles that have been altered from their original specification, but are not kit conversions.

    ", + "

    How to register

    ", + "

    You must follow all the instructions for registering a new vehicle.

    ", + "

    You\u2019ll need to include the following with your application:

    ", + "
  • form V627/1 - \u2018Built up vehicle inspection report\u2019
  • ", + "
  • evidence of type approval, if necessary
  • ", + "
  • the vehicle registration certificate
  • ", + "
  • official receipts for any parts used
  • ", + "
  • photographs of the vehicle
  • ", + "

    Contact DVLA if you\u2019re not sure about what you need to provide.

    ", + "

    Send your application to:

    ", + "

    Get a vehicle registration number

    ", + "

    DVLA uses a points system to decide what registration number to give a radically altered vehicle.

    ", + "

    Keep the original registration number

    ", + "

    Your vehicle must have 8 or more points from the table below if you want to keep the original registration number. 5 of these points must come from having the original or new and unmodified chassis, monocoque bodyshell or frame.

    ", + "Part | Points", + "Chassis, monocoque bodyshell (body and chassis as one unit) or frame - original or new and unmodified (direct from manufacturer) | 5", + "Suspension (front and back) - original | 2", + "Axles (both) - original | 2", + "Transmission - original | 2", + "Steering assembly - original | 2", + "Engine - original | 1", + "

    Get a \u2018Q\u2019 registration number

    ", + "

    You will not be able to keep your vehicle\u2019s original registration number if one of the following applies:

    ", + "
  • it has fewer than 8 points
  • ", + "
  • it has a second-hand or altered chassis, monocoque bodyshell or frame
  • ", + "
  • there\u2019s evidence that 2 vehicles have been welded together to form one (ie \u2018cut and shut\u2019)
  • ", + "

    Your vehicle must pass the relevant type approval test to get a \u2018Q\u2019 prefix registration number.

    ", + "

    Vehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.

    ", + "

    Old vehicles

    ", + "

    Your vehicle must meet the road vehicles regulations if you use it on the road.

    ", + "

    If you have a classic vehicle that has not been taxed since 1983, it might not be registered with DVLA.

    ", + "

    If this is the case and you want to register it, follow all the instructions for registering a vehicle for the first time.

    ", + "

    Get your vehicle\u2019s original registration number

    ", + "

    You may be able to register an old vehicle under its original registration number if either:

    ", + "
  • it\u2019s never been registered at DVLA
  • ", + "
  • it has an age-related registration number
  • ", + "

    To do this, you\u2019ll have to:

    ", + "
  • follow the instructions for new registrations
  • ", + "
  • fill in form V765 - \u2018Application to register a vehicle under its original registration number\u2019
  • ", + "
  • get form V765 endorsed by a vehicle owners\u2019 club
  • ", + "
  • provide a recent photo of the vehicle and documentary evidence that links it to the original number, for example the original log book
  • ", + "

    Send the forms to \u2018K and R\u2019 at DVLA.

    ", + "

    K and R\nDVLA\nSA99 1ZZ

    ", + "

    After you\u2019ve applied

    ", + "

    DVLA will issue a V5C registration certificate and give you either:

    ", + "
  • the original registration number - if this happens, you will not be allowed to transfer it or put it onto retention at a later date
  • ", + "
  • another number appropriate to the age of the vehicle - if this is a non-suffix or prefix number, it will also be non-transferable
  • ", + "

    Northern Ireland

    ", + "

    Send a completed V62 form and the RF60 form if you want to register a historic vehicle in Northern Ireland.

    ", + "

    DVLA will register the vehicle and issue a new V5C to the registered keeper. You should receive this within 4 weeks.

    ", + "

    Reconstructed classic vehicles

    ", + "

    Your vehicle must comply with the road vehicles regulations if you use it on the road.

    ", + "

    How to register

    ", + "

    You must follow all the instructions for registering a new vehicle.

    ", + "

    You must include the following with your application:

    ", + "
  • written report from the appropriate vehicle owners\u2019 club
  • ", + "
  • form V627/1 - \u2018Built up vehicle inspection report\u2019
  • ", + "
  • evidence of type approval, if necessary
  • ", + "
  • official receipts for any parts used
  • ", + "

    Get an age-related registration number

    ", + "

    DVLA can only recognise your vehicle as a reconstructed classic vehicle if it meets certain criteria. It must be:

    ", + "
  • built from genuine period components from more than one vehicle, all over 25 years old and of the same specification as the original vehicle
  • ", + "
  • a true reflection of the marque
  • ", + "

    The appropriate vehicle owners\u2019 club for the vehicle type (\u2018marque\u2019) must inspect the vehicle and confirm in writing that it:

    ", + "
  • has been inspected
  • ", + "
  • is a true reflection of the marque
  • ", + "
  • is comprised of genuine period components all over 25 years old
  • ", + "

    They must also give manufacture dates for the major components.

    ", + "

    DVLA will assign an age-related registration number to the vehicle based on the youngest component used.

    ", + "

    New or replica parts

    ", + "

    Your vehicle will not get an age-related registration number if it includes new or replica parts. DVLA will give your vehicle a \u2018Q\u2019 prefix registration number. Your vehicle must pass the relevant type approval test to get a \u2018Q\u2019 prefix registration number.

    ", + "

    Vehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.

    ", + "

    Vehicle identification number

    ", + "

    All vehicles registered in the UK must have a unique, stamped-in vehicle identification number (VIN) and registration number.

    ", + "

    Find your VIN

    ", + "

    The VIN is usually stamped into the chassis of the vehicle. It may be lost if you rebuild or modify your vehicle.

    ", + "

    When you may need a new VIN or registration

    ", + "

    If you have a kit car, rebuild, or radically altered vehicle, DVLA will usually have to assess it.

    ", + "

    You may be able to keep its original registration number if you can prove the vehicle\u2019s original VIN. If you cannot, you\u2019ll have to apply for a replacement identity number.

    ", + "

    DVLA will give you an authorisation letter to get the vehicle stamped with the new VIN if your vehicle passes its assessment.

    ", + "

    You then need to register the vehicle - you can only do this when DVLA receives confirmation it\u2019s been stamped with the correct VIN.

    ", + "

    'Q' registration numbers

    ", + "

    DVLA issues \u2018Q\u2019 registration numbers to vehicles whose age or identity is in doubt.

    ", + "

    If this happens, any original vehicle registration number will become invalid and you must not display it again.

    ", + "

    To get a \u2018Q\u2019 registration number, your vehicle has to pass a type approval process.

    " + ] + }, + "https://www.gov.uk/drivers-hours": { + "url": "https://www.gov.uk/drivers-hours", + "title": "Drivers' hours", + "content": "## Overview\n\nIf you drive a goods vehicle or a passenger-carrying vehicle you must follow the rules on how many hours you can drive and the breaks that you need to take.\n\nThere are 3 sets of rules that could apply to your journey:\n\n- EU rules\n\n- AETR rules\n\n- GB domestic rules\n\nThe rules that apply depend on:\n\n- the type of vehicle you\u2019re driving\n\n- which country you\u2019re driving in\n\nIf you drive under the EU or GB domestic drivers\u2019 hours rules, you also need to follow the working time rules.\n\nIf you\u2019re an employer of drivers or mobile workers there are more rules you must follow.\n\nThere are different drivers\u2019 hours rules in Northern Ireland.\n\n## If you do not follow the rules\n\nIf you break the drivers\u2019 hours rules, the Driver and Vehicle Standards Agency (DVSA) can give you:\n\n- a verbal warning, for minor offences made by accident or because of inexperience\n\n- an offence rectification notice, for offences which are not a risk to road safety - you\u2019ll have 21 days to fix the issue\n\n- a prohibition notice, for serious or dangerous offences - you must stop a dangerous activity or start following the regulations\n\n- a fine or points on your licence (a \u2018fixed penalty\u2019) \u2013 the amount depends on how serious the offence is\n\nYou can be prosecuted for very serious or multiple offences.\n\nDVSA can give you further penalties (such as an improvement or prohibition notice) if you also break the working time rules.\n\nYou can ask for an emergency exemption from the rules. Read the guidance on emergency exemption and temporary relaxation of drivers\u2019 hours and working time rules.\n\n## Drivers\u2019 hours checklists\n\nYou can also print out the \u2018Staying legal\u2019 checklists, which cover the basic rules:\n\n- Staying legal - the basics (HGV drivers)\n\n- Staying legal - the basics (PSV drivers)\n\n## Rules for employers\n\nIf you employ drivers or other mobile workers, you must:\n\n- keep drivers\u2019 hours records for at least one year\n\n- make sure they are properly trained and understand the rules\n\n- organise their time so that they can follow the rules\n\n- check your drivers\u2019 hours records and data\n\n- monitor your workers\u2019 working time\n\nMobile workers are:\n\n- drivers - including employed drivers, own-account drivers and agency drivers\n\n- members of the vehicle crew, for example a second driver on a coach\n\n- anyone else who is part of the travelling staff, for example a bus conductor, a drayman or a security guard aboard a vehicle carrying high-value goods\n\n## Goods vehicles\n\nThe rules that apply to goods vehicles depend on the weight of your vehicle, the country you\u2019re driving in and what you\u2019re using the vehicle for.\n\n## EU rules\n\nEU rules apply if the maximum permissible weight of your vehicle or vehicle combination is more than 3.5 tonnes and you\u2019re driving in any of the following:\n\n- the EU (including the UK)\n\n- an European Economic Area (EEA) country\n\n- Switzerland\n\nSome vehicles are exempt from EU rules when driven in the UK.\n\n## AETR rules\n\nAETR (European Agreement Concerning the Work of Crews Engaged in International Road Transport) rules apply if your vehicle will pass through an AETR country.\n\n## GB domestic rules\n\nGB domestic rules apply if both the following are true:\n\n- the maximum permissible weight of your vehicle or vehicle combination is under 3.5 tonnes\n\n- your vehicle is exempt from EU rules when driven in the UK\n\nIf you\u2019ll be driving through a country outside of the UK, EU, EEA or Switzerland, you should contact the UK embassy of the country to check on local rules.\n\n## More information\n\nRead Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nRead the rules for drivers\u2019 hours in the recovery vehicle industry.\n\nYou can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.\n\nThere are specific rules for tachographs and horse boxes or trailers.\n\n## Passenger-carrying vehicles\n\nIf you\u2019re driving a vehicle that carries passengers the rules that apply to you depend on:\n\n- the number of passenger seats\n\n- how far you\u2019re driving (the distance of your route)\n\n- if you\u2019re driving to or from another country\n\n- if you\u2019re driving on a regular or a non-regular service\n\nA regular service follows a specified route, with stopping points for passengers to get on or off.\n\n## Public service vehicles (PSV)\n\nA public service vehicle is a vehicle that\u2019s used to carry passengers for hire or payment.\n\n| Type of operation | 8 or fewer passenger seats | 9 to 12 passenger seats | 13 to 16 passenger seats | 17 or more passenger seats |\n\n| Regular service on route not exceeding 50km | GB domestic rules | GB domestic rules | GB Domestic rules | GB Domestic rules |\n\n| National or international regular service on route exceeding 50km | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules |\n\n| National or international non-regular service for example commercial excursions, tours or private hire | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules |\n\n## Other passenger-carrying vehicles\n\nYou do not need to follow any drivers\u2019 hours rules if you drive a police, fire service or armed forces vehicle.\n\nIf you drive for a different public authority or for a business, and your vehicle is a non-PSV with:\n\n- up to 8 passenger seats - you do not need to follow any drivers\u2019 hours rules\n\n- 9 or more passenger seats - you must follow the EU rules (unless your vehicle is exempt from EU law)\n\n## If you drive a \u2018non-commercial\u2019 vehicle\n\nYou drive a non-commercial vehicle if:\n\n- passengers are not charged to use the vehicle\n\n- you and any other workers are not paid to operate or work in the vehicle\n\n- the vehicle is not used professionally or commercially\n\nIf your vehicle has up to 8 passenger seats, you do not need to follow any drivers\u2019 hours rules.\n\nIf your vehicle has 9 or more passenger seats, you usually need to follow the EU rules. You need to follow GB rules instead if your vehicle has between 10 and 17 passenger seats and is only used for non-commercial journeys.\n\n## If you use your vehicle outside the UK\n\nIf you drive between the UK and another country and your vehicle has:\n\n- up to 8 passenger seats - you must follow the local rules for the country you\u2019re driving in\n\n- 9 or more passenger seats - you must follow the EU or the European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules\n\n## More information\n\nRead Passenger vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nYou can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.\n\n## Exemptions from EU law\n\nSome types of vehicle are exempt from EU rules. This means they come under GB domestic rules in the UK.\n\nThe main types of exempt vehicle are:\n\n- vehicles that cannot go faster than 40 kilometres per hour, including vehicles that are restricted by a set speed limiter\n\n- emergency aid vehicles - vehicles used in the non-commercial transport of humanitarian aid for use in emergencies or rescue operations\n\n- breakdown vehicles - specialised breakdown vehicles working within a 100km of their base\n\n- vehicles undergoing road tests for technical development, repair or maintenance purposes, and new or rebuilt vehicles which have not yet been put into service\n\n- vehicles manufactured more than 25 years ago\n\n- vehicles used by agricultural, horticultural, forestry, farming or fishery businesses for carrying goods within 100km of where the business is based\n\n- vehicles that are used to carry live animals between a farm and a market, or from a market to a slaughterhouse where the distance is less than 100km\n\n- vehicles that are used to carry animal waste or carcasses that are not intended for human consumption\n\n- educational vehicles, for example play buses and mobile libraries\n\n- vehicles or combinations of vehicles with a maximum permissible weight of 7.5 tonnes or less that are used for carrying work equipment for the driver where the distance is less than 100km\n\n- vehicles driven only on islands whose area does not exceed 2,300 square kilometres\n\n- vehicles with a maximum weight of 7.5 tonnes which use natural or liquefied gas or electricity as fuel and carry goods within 50km from their base\n\n- driving instruction or exams - vehicles used for driving instruction and examination. Includes instruction for renewal of Driver Certificate of Professional Competence (CPC)\n\n- circus vehicles - specialised vehicles transporting circus and funfair equipment\n\n- milk collection - vehicles used for collecting milk from farms or returning milk containers or milk products for animal feed to farms\n\n- any vehicle that is propelled by steam\n\nRead the full list of exempt vehicles.\n\n## EU rules\n\n## Driving hours\n\nThe main EU rules on driving hours are that you must not drive more than:\n\n- 9 hours in a day - this can be extended to 10 hours twice a week\n\n- 56 hours in a week\n\n- 90 hours in any 2 consecutive weeks\n\nAll driving you do under EU rules must be recorded on a tachograph.\n\n## Breaks and rest\n\nThe main points of EU rules on breaks and rest are that you must take:\n\n- at least 11 hours rest every day - you can reduce this to 9 hours rest 3 times between any 2 weekly rest periods\n\n- an unbroken rest period of 45 hours every week - you can reduce this to 24 hours every other week\n\n- a break or breaks totalling at least 45 minutes after no more than 4 hours 30 minutes driving\n\n- your weekly rest after 6 consecutive 24-hour periods of working, starting from the end of the last weekly rest period taken\n\nCoach drivers on an international trip can take their weekly rest after 12 consecutive 24-hour periods, starting from the end of the last weekly rest period taken.\n\nFor more details on rests and breaks read:\n\n- Goods vehicles: rules on drivers\u2019 hours and tachographs\n\n- Passenger vehicles: rules on drivers\u2019 hours and tachographs\n\n## AETR rules\n\nThe European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules are now the same as the EU rules on drivers\u2019 hours.\n\nThe AETR rules cover all EU countries and:\n\n- Albania\n\n- Andorra\n\n- Armenia\n\n- Azerbaijan\n\n- Belarus\n\n- Bosnia and Herzegovina\n\n- Georgia\n\n- Kazakhstan\n\n- Liechtenstein\n\n- Monaco\n\n- Montenegro\n\n- Moldova\n\n- North Macedonia\n\n- Norway\n\n- Russia\n\n- San Marino\n\n- Serbia\n\n- Turkey\n\n- Turkmenistan\n\n- Ukraine\n\n- United Kingdom\n\n- Uzbekistan\n\n## GB domestic rules\n\nThe GB domestic drivers\u2019 hours rules apply to most passenger-carrying vehicles and goods vehicles that do not have to follow the EU rules.\n\nGB domestic rules apply in Great Britain - there are separate rules in Northern Ireland.\n\n## Goods vehicles\n\n## Duty time\n\nIf you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.\n\n## Daily driving limit\n\nYou must not drive for more than 10 hours in a day:\n\n- on a public road\n\n- off-road if not during duty time\n\nOff-road driving counts as duty time if it\u2019s for:\n\n- agriculture\n\n- quarrying\n\n- forestry\n\n- building work\n\n- civil engineering\n\n## Daily duty limit\n\nYou must not be on duty for more than 11 hours in any working day. This limit does not apply on any working day when you do not drive.\n\nYou must record your hours on a weekly record sheet or on a tachograph.\n\n## Exemptions\n\nYou do not need to follow the GB domestic rules if you:\n\n- are dealing with an emergency - for example, a major disruption to public services or danger to life\n\n- are using the vehicle for private driving and not for work\n\n- drive off-road or on private roads during duty time\n\n- drive a vehicle used by the armed forces, police or fire brigade\n\n## Passenger-carrying vehicles\n\n## Duty time\n\nIf you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.\n\n## Daily driving limit\n\nYou must not drive for more than 10 hours in any working day.\n\n## Breaks and continuous driving\n\nAfter 5 hours 30 minutes of driving you must take a break of at least 30 minutes for rest and refreshment.\n\nOr, within any period of 8 hours 30 minutes, you must take at least 45 minutes in breaks. You must also have a break of at least 30 minutes at the end of this period, unless it\u2019s the end of the working day.\n\n## Length of working day (\u2018spreadover\u2019)\n\nYou must not work more than 16 hours between the times of starting and finishing work - including non-driving work and any times when you\u2019re off.\n\n## Daily rest periods\n\nYou must take a rest of 10 hours before the first duty and immediately after the last duty in a working week.\n\nYou must take a rest of at least 10 hours between 2 working days (or spreadovers) - this can be reduced to 8.5 hours up to 3 times a week.\n\n## Fortnightly rest periods\n\nEvery 2 weeks you must take at least one period of 24 hours off duty.\n\nA fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.\n\n## Exemptions\n\nYou do not need to follow the GB domestic rules if you:\n\n- are dealing with an emergency - for example, a major disruption to public services or danger to life\n\n- drive for less than 4 hours a day in a week\n\nIf you drive for more than 4 hours for up to 2 days a week, you do not need to follow all of the rules. You need to:\n\n- follow the rules for daily driving limits and length of working day\n\n- start and finish all of your duties within a 24-hour period\n\n- take a rest of 10 hours before the first duty and immediately after the last duty\n\nIf you work overnight and the rules applied on the day your shift began, you must follow the rules for your entire shift - even if your shift finishes during a week in which you\u2019re exempt from the rules.\n\n## Driving under both EU and GB domestic rules\n\nIf you work partly under EU/AETR rules and partly under GB domestic rules during a day or a week you need to know the following:\n\n- driving under EU rules counts towards the driving and duty limits under GB domestic rules\n\n- on any days you drive under EU rules you must take EU daily rest periods, as well as a weekly rest period\n\n- you cannot count the time you spend driving under EU rules as an off-duty period under GB domestic rules\n\n- driving and other duty under GB domestic rules count as \u2018attendance at work\u2019, not as a break or rest period under EU rules\n\n## Driving limits\n\nYou must follow the GB domestic limit of a maximum of 10 hours driving a day. But at any time when you\u2019re actually driving under the EU rules you must follow all the rules on EU driving limits.\n\n## Other duty limits\n\nYou must follow the GB domestic limit of a maximum of:\n\n- 11 hours on duty if you drive a goods vehicle\n\n- 16 hours on duty if you drive a passenger-carrying vehicle\n\n## Rest periods and breaks\n\nYou must follow the EU rules on rest periods and breaks on days and weeks when you drive under EU rules.\n\nA fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.\n\nRead Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nRead the rules for drivers\u2019 hours in the recovery vehicle industry.", + "original_contents": [ + "

    Overview

    ", + "

    If you drive a goods vehicle or a passenger-carrying vehicle you must follow the rules on how many hours you can drive and the breaks that you need to take.

    ", + "

    There are 3 sets of rules that could apply to your journey:

    ", + "
  • EU rules
  • ", + "
  • AETR rules
  • ", + "
  • GB domestic rules
  • ", + "

    The rules that apply depend on:

    ", + "
  • the type of vehicle you\u2019re driving
  • ", + "
  • which country you\u2019re driving in
  • ", + "

    If you drive under the EU or GB domestic drivers\u2019 hours rules, you also need to follow the working time rules.

    ", + "

    If you\u2019re an employer of drivers or mobile workers there are more rules you must follow.

    ", + "

    There are different drivers\u2019 hours rules in Northern Ireland.

    ", + "

    If you do not follow the rules

    ", + "

    If you break the drivers\u2019 hours rules, the Driver and Vehicle Standards Agency (DVSA) can give you:

    ", + "
  • a verbal warning, for minor offences made by accident or because of inexperience
  • ", + "
  • an offence rectification notice, for offences which are not a risk to road safety - you\u2019ll have 21 days to fix the issue
  • ", + "
  • a prohibition notice, for serious or dangerous offences - you must stop a dangerous activity or start following the regulations
  • ", + "
  • a fine or points on your licence (a \u2018fixed penalty\u2019) \u2013 the amount depends on how serious the offence is
  • ", + "

    You can be prosecuted for very serious or multiple offences.

    ", + "

    DVSA can give you further penalties (such as an improvement or prohibition notice) if you also break the working time rules.

    ", + "

    You can ask for an emergency exemption from the rules. Read the guidance on emergency exemption and temporary relaxation of drivers\u2019 hours and working time rules.

    ", + "

    Drivers\u2019 hours checklists

    ", + "

    You can also print out the \u2018Staying legal\u2019 checklists, which cover the basic rules:

    ", + "
  • Staying legal - the basics (HGV drivers)
  • ", + "
  • Staying legal - the basics (PSV drivers)
  • ", + "

    Rules for employers

    ", + "

    If you employ drivers or other mobile workers, you must:

    ", + "
  • keep drivers\u2019 hours records for at least one year
  • ", + "
  • make sure they are properly trained and understand the rules
  • ", + "
  • organise their time so that they can follow the rules
  • ", + "
  • check your drivers\u2019 hours records and data
  • ", + "
  • monitor your workers\u2019 working time
  • ", + "

    Mobile workers are:

    ", + "
  • drivers - including employed drivers, own-account drivers and agency drivers
  • ", + "
  • members of the vehicle crew, for example a second driver on a coach
  • ", + "
  • anyone else who is part of the travelling staff, for example a bus conductor, a drayman or a security guard aboard a vehicle carrying high-value goods
  • ", + "

    Goods vehicles

    ", + "

    The rules that apply to goods vehicles depend on the weight of your vehicle, the country you\u2019re driving in and what you\u2019re using the vehicle for.

    ", + "

    EU rules

    ", + "

    EU rules apply if the maximum permissible weight of your vehicle or vehicle combination is more than 3.5 tonnes and you\u2019re driving in any of the following:

    ", + "
  • the EU (including the UK)
  • ", + "
  • an European Economic Area (EEA) country
  • ", + "
  • Switzerland
  • ", + "

    Some vehicles are exempt from EU rules when driven in the UK.

    ", + "

    AETR rules

    ", + "

    AETR (European Agreement Concerning the Work of Crews Engaged in International Road Transport) rules apply if your vehicle will pass through an AETR country.

    ", + "

    GB domestic rules

    ", + "

    GB domestic rules apply if both the following are true:

    ", + "
  • the maximum permissible weight of your vehicle or vehicle combination is under 3.5 tonnes
  • ", + "
  • your vehicle is exempt from EU rules when driven in the UK
  • ", + "

    If you\u2019ll be driving through a country outside of the UK, EU, EEA or Switzerland, you should contact the UK embassy of the country to check on local rules.

    ", + "

    More information

    ", + "

    Read Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.

    ", + "

    Read the rules for drivers\u2019 hours in the recovery vehicle industry.

    ", + "

    You can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.

    ", + "

    There are specific rules for tachographs and horse boxes or trailers.

    ", + "

    Passenger-carrying vehicles

    ", + "

    If you\u2019re driving a vehicle that carries passengers the rules that apply to you depend on:

    ", + "
  • the number of passenger seats
  • ", + "
  • how far you\u2019re driving (the distance of your route)
  • ", + "
  • if you\u2019re driving to or from another country
  • ", + "
  • if you\u2019re driving on a regular or a non-regular service
  • ", + "

    A regular service follows a specified route, with stopping points for passengers to get on or off.

    ", + "

    Public service vehicles (PSV)

    ", + "

    A public service vehicle is a vehicle that\u2019s used to carry passengers for hire or payment.

    ", + "Type of operation | 8 or fewer passenger seats | 9 to 12 passenger seats | 13 to 16 passenger seats | 17 or more passenger seats", + "Regular service on route not exceeding 50km | GB domestic rules | GB domestic rules | GB Domestic rules | GB Domestic rules", + "National or international regular service on route exceeding 50km | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules", + "National or international non-regular service for example commercial excursions, tours or private hire | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules", + "

    Other passenger-carrying vehicles

    ", + "

    You do not need to follow any drivers\u2019 hours rules if you drive a police, fire service or armed forces vehicle.

    ", + "

    If you drive for a different public authority or for a business, and your vehicle is a non-PSV with:

    ", + "
  • up to 8 passenger seats - you do not need to follow any drivers\u2019 hours rules
  • ", + "
  • 9 or more passenger seats - you must follow the EU rules (unless your vehicle is exempt from EU law)
  • ", + "

    If you drive a \u2018non-commercial\u2019 vehicle

    ", + "

    You drive a non-commercial vehicle if:

    ", + "
  • passengers are not charged to use the vehicle
  • ", + "
  • you and any other workers are not paid to operate or work in the vehicle
  • ", + "
  • the vehicle is not used professionally or commercially
  • ", + "

    If your vehicle has up to 8 passenger seats, you do not need to follow any drivers\u2019 hours rules.

    ", + "

    If your vehicle has 9 or more passenger seats, you usually need to follow the EU rules. You need to follow GB rules instead if your vehicle has between 10 and 17 passenger seats and is only used for non-commercial journeys.

    ", + "

    If you use your vehicle outside the UK

    ", + "

    If you drive between the UK and another country and your vehicle has:

    ", + "
  • up to 8 passenger seats - you must follow the local rules for the country you\u2019re driving in
  • ", + "
  • 9 or more passenger seats - you must follow the EU or the European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules
  • ", + "

    More information

    ", + "

    Read Passenger vehicles: rules on drivers\u2019 hours and tachographs for the main rules.

    ", + "

    You can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.

    ", + "

    Exemptions from EU law

    ", + "

    Some types of vehicle are exempt from EU rules. This means they come under GB domestic rules in the UK.

    ", + "

    The main types of exempt vehicle are:

    ", + "
  • vehicles that cannot go faster than 40 kilometres per hour, including vehicles that are restricted by a set speed limiter
  • ", + "
  • emergency aid vehicles - vehicles used in the non-commercial transport of humanitarian aid for use in emergencies or rescue operations
  • ", + "
  • breakdown vehicles - specialised breakdown vehicles working within a 100km of their base
  • ", + "
  • vehicles undergoing road tests for technical development, repair or maintenance purposes, and new or rebuilt vehicles which have not yet been put into service
  • ", + "
  • vehicles manufactured more than 25 years ago
  • ", + "
  • vehicles used by agricultural, horticultural, forestry, farming or fishery businesses for carrying goods within 100km of where the business is based
  • ", + "
  • vehicles that are used to carry live animals between a farm and a market, or from a market to a slaughterhouse where the distance is less than 100km
  • ", + "
  • vehicles that are used to carry animal waste or carcasses that are not intended for human consumption
  • ", + "
  • educational vehicles, for example play buses and mobile libraries
  • ", + "
  • vehicles or combinations of vehicles with a maximum permissible weight of 7.5 tonnes or less that are used for carrying work equipment for the driver where the distance is less than 100km
  • ", + "
  • vehicles driven only on islands whose area does not exceed 2,300 square kilometres
  • ", + "
  • vehicles with a maximum weight of 7.5 tonnes which use natural or liquefied gas or electricity as fuel and carry goods within 50km from their base
  • ", + "
  • driving instruction or exams - vehicles used for driving instruction and examination. Includes instruction for renewal of Driver Certificate of Professional Competence (CPC)
  • ", + "
  • circus vehicles - specialised vehicles transporting circus and funfair equipment
  • ", + "
  • milk collection - vehicles used for collecting milk from farms or returning milk containers or milk products for animal feed to farms
  • ", + "
  • any vehicle that is propelled by steam
  • ", + "

    Read the full list of exempt vehicles.

    ", + "

    EU rules

    ", + "

    Driving hours

    ", + "

    The main EU rules on driving hours are that you must not drive more than:

    ", + "
  • 9 hours in a day - this can be extended to 10 hours twice a week
  • ", + "
  • 56 hours in a week
  • ", + "
  • 90 hours in any 2 consecutive weeks
  • ", + "

    All driving you do under EU rules must be recorded on a tachograph.

    ", + "

    Breaks and rest

    ", + "

    The main points of EU rules on breaks and rest are that you must take:

    ", + "
  • at least 11 hours rest every day - you can reduce this to 9 hours rest 3 times between any 2 weekly rest periods
  • ", + "
  • an unbroken rest period of 45 hours every week - you can reduce this to 24 hours every other week
  • ", + "
  • a break or breaks totalling at least 45 minutes after no more than 4 hours 30 minutes driving
  • ", + "
  • your weekly rest after 6 consecutive 24-hour periods of working, starting from the end of the last weekly rest period taken
  • ", + "

    Coach drivers on an international trip can take their weekly rest after 12 consecutive 24-hour periods, starting from the end of the last weekly rest period taken.

    ", + "

    For more details on rests and breaks read:

    ", + "
  • Goods vehicles: rules on drivers\u2019 hours and tachographs
  • ", + "
  • Passenger vehicles: rules on drivers\u2019 hours and tachographs
  • ", + "

    AETR rules

    ", + "

    The European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules are now the same as the EU rules on drivers\u2019 hours.

    ", + "

    The AETR rules cover all EU countries and:

    ", + "
  • Albania
  • ", + "
  • Andorra
  • ", + "
  • Armenia
  • ", + "
  • Azerbaijan
  • ", + "
  • Belarus
  • ", + "
  • Bosnia and Herzegovina
  • ", + "
  • Georgia
  • ", + "
  • Kazakhstan
  • ", + "
  • Liechtenstein
  • ", + "
  • Monaco
  • ", + "
  • Montenegro
  • ", + "
  • Moldova
  • ", + "
  • North Macedonia
  • ", + "
  • Norway
  • ", + "
  • Russia
  • ", + "
  • San Marino
  • ", + "
  • Serbia
  • ", + "
  • Turkey
  • ", + "
  • Turkmenistan
  • ", + "
  • Ukraine
  • ", + "
  • United Kingdom
  • ", + "
  • Uzbekistan
  • ", + "

    GB domestic rules

    ", + "

    The GB domestic drivers\u2019 hours rules apply to most passenger-carrying vehicles and goods vehicles that do not have to follow the EU rules.

    ", + "

    GB domestic rules apply in Great Britain - there are separate rules in Northern Ireland.

    ", + "

    Goods vehicles

    ", + "

    Duty time

    ", + "

    If you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.

    ", + "

    Daily driving limit

    ", + "

    You must not drive for more than 10 hours in a day:

    ", + "
  • on a public road
  • ", + "
  • off-road if not during duty time
  • ", + "

    Off-road driving counts as duty time if it\u2019s for:

    ", + "
  • agriculture
  • ", + "
  • quarrying
  • ", + "
  • forestry
  • ", + "
  • building work
  • ", + "
  • civil engineering
  • ", + "

    Daily duty limit

    ", + "

    You must not be on duty for more than 11 hours in any working day. This limit does not apply on any working day when you do not drive.

    ", + "

    You must record your hours on a weekly record sheet or on a tachograph.

    ", + "

    Exemptions

    ", + "

    You do not need to follow the GB domestic rules if you:

    ", + "
  • are dealing with an emergency - for example, a major disruption to public services or danger to life
  • ", + "
  • are using the vehicle for private driving and not for work
  • ", + "
  • drive off-road or on private roads during duty time
  • ", + "
  • drive a vehicle used by the armed forces, police or fire brigade
  • ", + "

    Passenger-carrying vehicles

    ", + "

    Duty time

    ", + "

    If you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.

    ", + "

    Daily driving limit

    ", + "

    You must not drive for more than 10 hours in any working day.

    ", + "

    Breaks and continuous driving

    ", + "

    After 5 hours 30 minutes of driving you must take a break of at least 30 minutes for rest and refreshment.

    ", + "

    Or, within any period of 8 hours 30 minutes, you must take at least 45 minutes in breaks. You must also have a break of at least 30 minutes at the end of this period, unless it\u2019s the end of the working day.

    ", + "

    Length of working day (\u2018spreadover\u2019)

    ", + "

    You must not work more than 16 hours between the times of starting and finishing work - including non-driving work and any times when you\u2019re off.

    ", + "

    Daily rest periods

    ", + "

    You must take a rest of 10 hours before the first duty and immediately after the last duty in a working week.

    ", + "

    You must take a rest of at least 10 hours between 2 working days (or spreadovers) - this can be reduced to 8.5 hours up to 3 times a week.

    ", + "

    Fortnightly rest periods

    ", + "

    Every 2 weeks you must take at least one period of 24 hours off duty.

    ", + "

    A fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.

    ", + "

    Exemptions

    ", + "

    You do not need to follow the GB domestic rules if you:

    ", + "
  • are dealing with an emergency - for example, a major disruption to public services or danger to life
  • ", + "
  • drive for less than 4 hours a day in a week
  • ", + "

    If you drive for more than 4 hours for up to 2 days a week, you do not need to follow all of the rules. You need to:

    ", + "
  • follow the rules for daily driving limits and length of working day
  • ", + "
  • start and finish all of your duties within a 24-hour period
  • ", + "
  • take a rest of 10 hours before the first duty and immediately after the last duty
  • ", + "

    If you work overnight and the rules applied on the day your shift began, you must follow the rules for your entire shift - even if your shift finishes during a week in which you\u2019re exempt from the rules.

    ", + "

    Driving under both EU and GB domestic rules

    ", + "

    If you work partly under EU/AETR rules and partly under GB domestic rules during a day or a week you need to know the following:

    ", + "
  • driving under EU rules counts towards the driving and duty limits under GB domestic rules
  • ", + "
  • on any days you drive under EU rules you must take EU daily rest periods, as well as a weekly rest period
  • ", + "
  • you cannot count the time you spend driving under EU rules as an off-duty period under GB domestic rules
  • ", + "
  • driving and other duty under GB domestic rules count as \u2018attendance at work\u2019, not as a break or rest period under EU rules
  • ", + "

    Driving limits

    ", + "

    You must follow the GB domestic limit of a maximum of 10 hours driving a day. But at any time when you\u2019re actually driving under the EU rules you must follow all the rules on EU driving limits.

    ", + "

    Other duty limits

    ", + "

    You must follow the GB domestic limit of a maximum of:

    ", + "
  • 11 hours on duty if you drive a goods vehicle
  • ", + "
  • 16 hours on duty if you drive a passenger-carrying vehicle
  • ", + "

    Rest periods and breaks

    ", + "

    You must follow the EU rules on rest periods and breaks on days and weeks when you drive under EU rules.

    ", + "

    A fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.

    ", + "

    Read Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.

    ", + "

    Read the rules for drivers\u2019 hours in the recovery vehicle industry.

    " + ] + }, + "https://www.gov.uk/become-lorry-bus-driver": { + "url": "https://www.gov.uk/become-lorry-bus-driver", + "title": "Become a qualified lorry or bus driver", + "content": "## Getting qualified\n\nTo become a lorry, bus or coach driver you need to:\n\n- have a full car licence\n\n- be over 18 - but there are some exceptions\n\n- get a professional driving qualification called the Driver Certificate of Professional Competence (CPC)\n\n## Who needs the full Driver CPC\n\nYou must have the full Driver CPC if you drive a lorry, bus or coach as the main part of your job.\n\nYou usually need to pass 4 tests to get it, unless you have \u2018acquired rights\u2019 because of your existing driving experience.\n\n## Who does not need the full Driver CPC\n\nYou do not need the full Driver CPC if you:\n\n- do not want to drive for a living, for example you want to drive for a hobby or carry passengers or goods non-commercially for personal use\n\n- drive in certain other situations, such as taking your vehicle for a pre-booked annual test (MOT)\n\nYou still need to pass the part 1 (theory) and part 3 (driving ability) tests of the qualification.\n\n## How to get and keep the full Driver CPC\n\n- Apply for a provisional lorry or bus licence.\n\n- Pass the 4 tests that make up Driver CPC to qualify.\n\n- Take 35 hours of periodic training every 5 years to stay qualified.\n\nYou need to renew your bus or lorry licence every 5 years, and every year when you reach 65.\n\n## If you\u2019re taking an NVT course\n\nIf you\u2019re taking an approved National Vocational Training (NVT) course you can drive professionally for up to 12 months without taking the Driver CPC part 2 and part 4 tests.\n\n## Applying for a provisional lorry or bus licence\n\nThe category of provisional licence you need depends on the type of vehicle you want to drive.\n\n## How to apply\n\nTo apply, order forms D2 and D4 from DVLA.\n\nThe D4 form has to be filled in by a doctor. This could be either:\n\n- your GP - but an optician might need to fill in the section about your eyesight\n\n- a private firm specialising in drivers\u2019 medical exams\n\nYour doctor, optician or a private firm can charge you.\n\nYou can only apply for a provisional trailer (+E) licence when you\u2019ve got the full licence for the vehicle you\u2019ll be driving.\n\n## Order the forms online\n\nOrder now\n\n## Send the forms\n\nSend both forms and your photocard driving licence to DVLA. There\u2019s no application fee.\n\nYou only need to include a passport-style colour photo and original identity documents if you have a paper driving licence.\n\n## How long it takes\n\nYou should get your driving licence within 3 weeks of DVLA getting your application. It can take longer if your health or personal details need to be checked.\n\nYou automatically lose your lorry or bus licence if you lose your car licence.\n\n## When you do not need the full Driver CPC\n\nYou do not need the full Driver Certificate of Professional Competence (CPC) qualification if you\u2019re using the vehicle for:\n\n- non-commercial carriage of passengers or goods\n\n- carrying material or equipment you use for your job, as long as driving is less than 30% of your rolling monthly working time\n\n- driving lessons for anyone who wants to get a driving licence or a Driver CPC\n\n- driving to or from pre-booked appointments at official vehicle testing centres\n\n- driving within 62 miles (100 kilometres) of your base - but the vehicle cannot be carrying passengers or goods, and driving a lorry, bus or coach cannot be your main job\n\n- maintaining public order - and the vehicle is being used or controlled by a local authority\n\n- rescue missions or in states of emergency\n\n- driving for an agriculture, horticulture, forestry, farming or fisheries business, as long as driving is less than 30% of your rolling monthly working time\n\nYou also do not need the full Driver CPC if the vehicle is:\n\n- limited to a top speed of 28mph\n\n- being used or controlled by the armed forces, police, fire and rescue service, emergency ambulance service, prison service or people running a prison or young offender institution\n\nYou can read detailed examples of Driver CPC exemptions.\n\nIf you are not sure if you need the Driver CPC, you should seek legal advice.\n\n## What you need to do\n\nIf you want to become a lorry, bus or coach driver in these situations you need to:\n\n- Apply for a provisional lorry or bus licence.\n\n- Pass the part 1 (theory) and part 3 (driving ability) tests.\n\nYou need to renew your bus or lorry licence every 5 years when you reach 45 and every year when you reach 65.\n\n## Driver CPC part 1 test: theory\n\nYou can book the part 1 theory test of the Driver Certificate of Professional Competence (CPC) as soon as you\u2019ve got your provisional licence.\n\nThe test is made up of 2 parts - multiple choice and hazard perception. You have to book both parts separately, but you can take them on the same day.\n\nIt does not matter which one you take first but you need to pass both within 2 years of each other to get your theory test certificate.\n\n## What to take to your test\n\nYou must bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring the right documents.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must stay at home (self-isolate) if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## How the test works\n\n## Multiple-choice questions part\n\nYou can take a practice test to find out how the test works.\n\nThe multiple-choice questions part lasts for 1 hour and 55 minutes, and the pass mark is 85 out of 100 questions.\n\n## Hazard perception part\n\nWatch a video about how the hazard perception part works.\n\nYou\u2019ll watch 19 videos, and there are 20 developing hazards to spot.\n\nThe pass mark is 67 out of 100. You cannot review your answers.\n\n## Your test result\n\nYou\u2019ll be given a letter at the test centre with the results for the part of the theory test you\u2019ve just taken.\n\nWhen you\u2019ve passed both parts, your theory test certificate will be posted to you. You need this when you book your Driver CPC part 3 driving test.\n\nYour theory test certificate is valid for 2 years from when you passed the first part of the test.\n\nYou need to pass the Driver CPC part 3 driving test within 2 years, otherwise you\u2019ll have to pass the part 1 theory test again.\n\n## If you fail the theory tests\n\nYou\u2019ll get a results letter with feedback telling you why you\u2019ve failed.\n\nYou can book another theory test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if the DVSA cancels your test at short notice.\n\n## Driver CPC part 2 test: case studies\n\nYou can book the part 2 case studies test of the Driver Certificate of Professional Competence (CPC) as soon as you\u2019ve got your provisional licence. You do not need to have passed the Driver CPC part 1 theory test.\n\n## What to take to your test\n\nYou must bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring the right documents.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must stay at home (self-isolate) if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## How the test works\n\nThe test is made up of 7 case studies you work through on a computer. The case studies are short stories based on situations that you\u2019re likely to come across in your working life.\n\nYou\u2019ll be asked between 6 and 8 multiple-choice questions on each case study.\n\nThe test lasts for 1 hour and 15 minutes, and the pass mark is 40 out of 50.\n\n## Your test result\n\nYou\u2019ll get a letter with the results at the test centre.\n\nYou need the test pass reference number when you book your Driver CPC part 4 practical demonstration test.\n\nThe pass letter is valid for 2 years.\n\nYou need to pass the Driver CPC part 4 practical demonstration test within 2 years, otherwise you\u2019ll have to pass the part 2 case studies test again.\n\n## If you fail the test\n\nYou\u2019ll get a result letter with feedback telling you why you\u2019ve failed.\n\nYou can book another case studies test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## Driver CPC part 3 test: driving ability\n\nYou must have passed the Driver Certificate of Professional Competence (CPC) part 1 theory test before you can book the Driver CPC part 3 test.\n\n## What to take to your test\n\nYou must bring a lorry or a bus or coach that meets the rules.\n\nYou must bring a face covering, unless you have a good reason not to wear one.\n\nYou must also bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring these.\n\n## Wearing a face covering\n\nYou must wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nYour test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.\n\n## When you must not go to your test\n\nYou must not come for your driving test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## How the test works\n\nYour practical test will last about 1 hour and 30 minutes and includes:\n\n- vehicle safety questions\n\n- practical road driving\n\n- off-road exercises\n\n## Vehicle safety questions\n\nDuring your test you\u2019ll be asked vehicle safety questions on either:\n\n- lorries, buses and coaches\n\n- lorries, buses and coaches towing trailers\n\n## Practical road driving\n\nDuring your practical road driving, the examiner will see how you:\n\n- use the vehicle controls\n\n- move away at an angle, uphill and downhill\n\n- do a controlled stop\n\n- use the mirrors\n\n- give appropriate signals\n\n- show awareness and anticipation of other road users\u2019 intentions\n\n- manage your progress and control your vehicle speed\n\n- deal with hazards\n\n- select a safe place to stop\n\nThere will also be 10 minutes of independent driving, designed to test your ability to drive safely while making independent decisions.\n\n## Off-road exercises\n\nThe off-road exercises will include:\n\n- an \u2018S\u2019 shaped reverse into a bay\n\n- showing the uncoupling and recoupling procedure if you\u2019re taking a test with a trailer\n\n## During the test\n\nYou can carry on if you make a mistake during your driving test.\n\nIf you make a mistake which means you\u2019ve failed, your driving examiner will direct you back to the driving test centre. The test will end early.\n\n## Test result\n\nAfter you\u2019ve taken the practical test your examiner will tell you if you\u2019ve passed and explain how you did.\n\nYou\u2019ll pass your test if you make:\n\n- 15 or fewer driving faults\n\n- no serious or dangerous faults\n\nIf you fail, you can book another driving test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## Driver CPC part 4 test: practical demonstration\n\nYou must have passed the Driver Certificate of Professional Competence (CPC) part 2 test before you can book the Driver CPC part 4 test.\n\n## Book your test\n\nYou can either:\n\n- arrange a test with your trainer\n\n- book a test yourself\n\n## What to take to your test\n\nYou must bring a lorry or a bus or coach that meets the rules.\n\nYou must bring a face covering, unless you have a good reason not to wear one.\n\nYou must also bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring these.\n\n## When you must not go to your test\n\nYou must not go to your driving test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Wearing a face covering\n\nYou must wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nYour test will be cancelled if you go to your test without a face covering and you did not say that you could not wear one when you booked it.\n\n## How the test works\n\nYou\u2019re tested on being able to:\n\n- load the vehicle following safety rules and to keep it secure\n\n- stop trafficking in illegal immigrants\n\n- assess emergency situations\n\n- reduce physical risks to yourself or others\n\n- do a walkaround vehicle safety check\n\nThe test is made up of 5 topics from the Driver CPC syllabus. You can score up to 20 points for each topic.\n\nTo pass you have to score at least 15 out of 20 in each topic area and have an overall score of at least 80 out of 100.\n\n## Test result\n\nAt the end of your test the examiner will tell you if you\u2019ve passed.\n\nIf you fail, you can book another driving test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## After you\u2019ve qualified\n\nAfter you\u2019ve passed all 4 of the Driver Certificate of Professional Competence (CPC) tests, you\u2019ll be sent a Driver CPC card. This is sometimes called a \u2018driver qualification card\u2019 or \u2018DQC\u2019.\n\nYou must carry your Driver CPC card while driving a lorry, bus or coach professionally. If you drive a heavy goods vehicle (HGV) outside the UK, check what documents you need to carry.\n\nYou can get a \u00a350 fixed penalty for driving professionally without your Driver CPC card.\n\n## Getting your Driver CPC card\n\nThe card will be sent to the address on your driving licence. You need to change this address first if it\u2019s wrong.\n\nThe photograph and signature on your photocard licence will be used on your Driver CPC card.\n\n## Waiting for your card\n\nYou can drive professionally if you\u2019ve passed all the tests and you\u2019re waiting for your Driver CPC card to arrive.\n\n## If your card does not arrive\n\nYou should get your Driver CPC card within 20 days of passing the final test. Contact the Driver and Vehicle Standards Agency (DVSA) if you do not receive it.\n\nYou have to pay \u00a325 if:\n\n- you take longer than 3 months to tell DVSA it has not arrived\n\n- it\u2019s sent to an old address because you have not updated your licence\n\n## Replace your card\n\nYou must replace your Driver CPC card if it\u2019s lost or stolen.\n\nThe Driver CPC card does not have your address on it, so you do not have to get a new one if your address changes.\n\n## Staying qualified\n\nEvery 5 years you must:\n\n- take 35 hours of Driver CPC training to keep driving professionally\n\n- renew your lorry or bus driving licence\n\nIf you\u2019re 65 or over you must renew your lorry or bus driving licence every year.\n\n## Fees\n\n## Provisional licence\n\n| | Cost |\n\n| Application for a provisional lorry or bus licence | No charge |\n\n## Test costs\n\n| | Weekday | Evening, weekend and bank holiday |\n\n| Driver CPC part 1 - theory - (multiple-choice) | \u00a326 | \u00a326 |\n\n| Driver CPC part 1 - theory - (hazard perception) | \u00a311 | \u00a311 |\n\n| Driver CPC part 2 - case studies | \u00a323 | \u00a323 |\n\n| Driver CPC part 3 - driving ability | \u00a3115 | \u00a3141 |\n\n| Driver CPC part 4 - practical demonstration | \u00a355 | \u00a363 |\n\nThese are the prices to book your tests using the official service. Unofficial websites may charge more.\n\n## Driver CPC card costs\n\n| | Cost |\n\n| Driver CPC card (non-UK driving licences only) | \u00a325 |\n\n| Replacement for lost, stolen or damaged card | \u00a325 |\n\n## NVT concession fees\n\n| | Cost |\n\n| National Vocational Training (NVT) concession card | \u00a325 |", + "original_contents": [ + "

    Getting qualified

    ", + "

    To become a lorry, bus or coach driver you need to:

    ", + "
  • have a full car licence
  • ", + "
  • be over 18 - but there are some exceptions
  • ", + "
  • get a professional driving qualification called the Driver Certificate of Professional Competence (CPC)
  • ", + "

    Who needs the full Driver CPC

    ", + "

    You must have the full Driver CPC if you drive a lorry, bus or coach as the main part of your job.

    ", + "

    You usually need to pass 4 tests to get it, unless you have \u2018acquired rights\u2019 because of your existing driving experience.

    ", + "

    Who does not need the full Driver CPC

    ", + "

    You do not need the full Driver CPC if you:

    ", + "
  • do not want to drive for a living, for example you want to drive for a hobby or carry passengers or goods non-commercially for personal use
  • ", + "
  • drive in certain other situations, such as taking your vehicle for a pre-booked annual test (MOT)
  • ", + "

    You still need to pass the part 1 (theory) and part 3 (driving ability) tests of the qualification.

    ", + "

    How to get and keep the full Driver CPC

    ", + "
  • Apply for a provisional lorry or bus licence.
  • ", + "
  • Pass the 4 tests that make up Driver CPC to qualify.
  • ", + "
  • Take 35 hours of periodic training every 5 years to stay qualified.
  • ", + "

    You need to renew your bus or lorry licence every 5 years, and every year when you reach 65.

    ", + "

    If you\u2019re taking an NVT course

    ", + "

    If you\u2019re taking an approved National Vocational Training (NVT) course you can drive professionally for up to 12 months without taking the Driver CPC part 2 and part 4 tests.

    ", + "

    Applying for a provisional lorry or bus licence

    ", + "

    The category of provisional licence you need depends on the type of vehicle you want to drive.

    ", + "

    How to apply

    ", + "

    To apply, order forms D2 and D4 from DVLA.

    ", + "

    The D4 form has to be filled in by a doctor. This could be either:

    ", + "
  • your GP - but an optician might need to fill in the section about your eyesight
  • ", + "
  • a private firm specialising in drivers\u2019 medical exams
  • ", + "

    Your doctor, optician or a private firm can charge you.

    ", + "

    You can only apply for a provisional trailer (+E) licence when you\u2019ve got the full licence for the vehicle you\u2019ll be driving.

    ", + "

    Order the forms online

    ", + "

    Order now

    ", + "

    Send the forms

    ", + "

    Send both forms and your photocard driving licence to DVLA. There\u2019s no application fee.

    ", + "

    You only need to include a passport-style colour photo and original identity documents if you have a paper driving licence.

    ", + "

    How long it takes

    ", + "

    You should get your driving licence within 3 weeks of DVLA getting your application. It can take longer if your health or personal details need to be checked.

    ", + "

    You automatically lose your lorry or bus licence if you lose your car licence.

    ", + "

    When you do not need the full Driver CPC

    ", + "

    You do not need the full Driver Certificate of Professional Competence (CPC) qualification if you\u2019re using the vehicle for:

    ", + "
  • non-commercial carriage of passengers or goods
  • ", + "
  • carrying material or equipment you use for your job, as long as driving is less than 30% of your rolling monthly working time
  • ", + "
  • driving lessons for anyone who wants to get a driving licence or a Driver CPC
  • ", + "
  • driving to or from pre-booked appointments at official vehicle testing centres
  • ", + "
  • driving within 62 miles (100 kilometres) of your base - but the vehicle cannot be carrying passengers or goods, and driving a lorry, bus or coach cannot be your main job
  • ", + "
  • maintaining public order - and the vehicle is being used or controlled by a local authority
  • ", + "
  • rescue missions or in states of emergency
  • ", + "
  • driving for an agriculture, horticulture, forestry, farming or fisheries business, as long as driving is less than 30% of your rolling monthly working time
  • ", + "

    You also do not need the full Driver CPC if the vehicle is:

    ", + "
  • limited to a top speed of 28mph
  • ", + "
  • being used or controlled by the armed forces, police, fire and rescue service, emergency ambulance service, prison service or people running a prison or young offender institution
  • ", + "

    You can read detailed examples of Driver CPC exemptions.

    ", + "

    If you are not sure if you need the Driver CPC, you should seek legal advice.

    ", + "

    What you need to do

    ", + "

    If you want to become a lorry, bus or coach driver in these situations you need to:

    ", + "
  • Apply for a provisional lorry or bus licence.
  • ", + "
  • Pass the part 1 (theory) and part 3 (driving ability) tests.
  • ", + "

    You need to renew your bus or lorry licence every 5 years when you reach 45 and every year when you reach 65.

    ", + "

    Driver CPC part 1 test: theory

    ", + "

    You can book the part 1 theory test of the Driver Certificate of Professional Competence (CPC) as soon as you\u2019ve got your provisional licence.

    ", + "

    The test is made up of 2 parts - multiple choice and hazard perception. You have to book both parts separately, but you can take them on the same day.

    ", + "

    It does not matter which one you take first but you need to pass both within 2 years of each other to get your theory test certificate.

    ", + "

    What to take to your test

    ", + "

    You must bring one of the following:

    ", + "
  • a Great Britain photocard driving licence
  • ", + "
  • a Northern Ireland photocard driving licence and paper counterpart
  • ", + "
  • an EU photocard driving licence (and paper counterpart, if you have one)
  • ", + "

    If you do not have a photocard driving licence, bring your paper licence and a valid passport.

    ", + "

    Your test will be cancelled and you\u2019ll lose your fee if you do not bring the right documents.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    When you must not go to your test

    ", + "

    You must stay at home (self-isolate) if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your theory test appointment for free if you need to self-isolate on the day of your test.

    ", + "

    How the test works

    ", + "

    Multiple-choice questions part

    ", + "

    You can take a practice test to find out how the test works.

    ", + "

    The multiple-choice questions part lasts for 1 hour and 55 minutes, and the pass mark is 85 out of 100 questions.

    ", + "

    Hazard perception part

    ", + "

    Watch a video about how the hazard perception part works.

    ", + "

    You\u2019ll watch 19 videos, and there are 20 developing hazards to spot.

    ", + "

    The pass mark is 67 out of 100. You cannot review your answers.

    ", + "

    Your test result

    ", + "

    You\u2019ll be given a letter at the test centre with the results for the part of the theory test you\u2019ve just taken.

    ", + "

    When you\u2019ve passed both parts, your theory test certificate will be posted to you. You need this when you book your Driver CPC part 3 driving test.

    ", + "

    Your theory test certificate is valid for 2 years from when you passed the first part of the test.

    ", + "

    You need to pass the Driver CPC part 3 driving test within 2 years, otherwise you\u2019ll have to pass the part 1 theory test again.

    ", + "

    If you fail the theory tests

    ", + "

    You\u2019ll get a results letter with feedback telling you why you\u2019ve failed.

    ", + "

    You can book another theory test straight away, but you cannot take it for another 3 clear working days.

    ", + "

    Cancelled tests

    ", + "

    You can apply for a refund of out-of-pocket expenses if the DVSA cancels your test at short notice.

    ", + "

    Driver CPC part 2 test: case studies

    ", + "

    You can book the part 2 case studies test of the Driver Certificate of Professional Competence (CPC) as soon as you\u2019ve got your provisional licence. You do not need to have passed the Driver CPC part 1 theory test.

    ", + "

    What to take to your test

    ", + "

    You must bring one of the following:

    ", + "
  • a Great Britain photocard driving licence
  • ", + "
  • a Northern Ireland photocard driving licence and paper counterpart
  • ", + "
  • an EU photocard driving licence (and paper counterpart, if you have one)
  • ", + "

    If you do not have a photocard driving licence, bring your paper licence and a valid passport.

    ", + "

    Your test will be cancelled and you\u2019ll lose your fee if you do not bring the right documents.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    When you must not go to your test

    ", + "

    You must stay at home (self-isolate) if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your theory test appointment for free if you need to self-isolate on the day of your test.

    ", + "

    How the test works

    ", + "

    The test is made up of 7 case studies you work through on a computer. The case studies are short stories based on situations that you\u2019re likely to come across in your working life.

    ", + "

    You\u2019ll be asked between 6 and 8 multiple-choice questions on each case study.

    ", + "

    The test lasts for 1 hour and 15 minutes, and the pass mark is 40 out of 50.

    ", + "

    Your test result

    ", + "

    You\u2019ll get a letter with the results at the test centre.

    ", + "

    You need the test pass reference number when you book your Driver CPC part 4 practical demonstration test.

    ", + "

    The pass letter is valid for 2 years.

    ", + "

    You need to pass the Driver CPC part 4 practical demonstration test within 2 years, otherwise you\u2019ll have to pass the part 2 case studies test again.

    ", + "

    If you fail the test

    ", + "

    You\u2019ll get a result letter with feedback telling you why you\u2019ve failed.

    ", + "

    You can book another case studies test straight away, but you cannot take it for another 3 clear working days.

    ", + "

    Cancelled tests

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    ", + "

    Driver CPC part 3 test: driving ability

    ", + "

    You must have passed the Driver Certificate of Professional Competence (CPC) part 1 theory test before you can book the Driver CPC part 3 test.

    ", + "

    What to take to your test

    ", + "

    You must bring a lorry or a bus or coach that meets the rules.

    ", + "

    You must bring a face covering, unless you have a good reason not to wear one.

    ", + "

    You must also bring one of the following:

    ", + "
  • a Great Britain photocard driving licence
  • ", + "
  • a Northern Ireland photocard driving licence and paper counterpart
  • ", + "
  • an EU photocard driving licence (and paper counterpart, if you have one)
  • ", + "

    If you do not have a photocard driving licence, bring your paper licence and a valid passport.

    ", + "

    Your test will be cancelled and you\u2019ll lose your fee if you do not bring these.

    ", + "

    Wearing a face covering

    ", + "

    You must wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:

    ", + "
  • having a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you have a good reason not to wear a face covering when you book your test.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Your test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.

    ", + "

    When you must not go to your test

    ", + "

    You must not come for your driving test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    How the test works

    ", + "

    Your practical test will last about 1 hour and 30 minutes and includes:

    ", + "
  • vehicle safety questions
  • ", + "
  • practical road driving
  • ", + "
  • off-road exercises
  • ", + "

    Vehicle safety questions

    ", + "

    During your test you\u2019ll be asked vehicle safety questions on either:

    ", + "
  • lorries, buses and coaches
  • ", + "
  • lorries, buses and coaches towing trailers
  • ", + "

    Practical road driving

    ", + "

    During your practical road driving, the examiner will see how you:

    ", + "
  • use the vehicle controls
  • ", + "
  • move away at an angle, uphill and downhill
  • ", + "
  • do a controlled stop
  • ", + "
  • use the mirrors
  • ", + "
  • give appropriate signals
  • ", + "
  • show awareness and anticipation of other road users\u2019 intentions
  • ", + "
  • manage your progress and control your vehicle speed
  • ", + "
  • deal with hazards
  • ", + "
  • select a safe place to stop
  • ", + "

    There will also be 10 minutes of independent driving, designed to test your ability to drive safely while making independent decisions.

    ", + "

    Off-road exercises

    ", + "

    The off-road exercises will include:

    ", + "
  • an \u2018S\u2019 shaped reverse into a bay
  • ", + "
  • showing the uncoupling and recoupling procedure if you\u2019re taking a test with a trailer
  • ", + "

    During the test

    ", + "

    You can carry on if you make a mistake during your driving test.

    ", + "

    If you make a mistake which means you\u2019ve failed, your driving examiner will direct you back to the driving test centre. The test will end early.

    ", + "

    Test result

    ", + "

    After you\u2019ve taken the practical test your examiner will tell you if you\u2019ve passed and explain how you did.

    ", + "

    You\u2019ll pass your test if you make:

    ", + "
  • 15 or fewer driving faults
  • ", + "
  • no serious or dangerous faults
  • ", + "

    If you fail, you can book another driving test straight away, but you cannot take it for another 3 clear working days.

    ", + "

    Cancelled tests

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    ", + "

    Driver CPC part 4 test: practical demonstration

    ", + "

    You must have passed the Driver Certificate of Professional Competence (CPC) part 2 test before you can book the Driver CPC part 4 test.

    ", + "

    Book your test

    ", + "

    You can either:

    ", + "
  • arrange a test with your trainer
  • ", + "
  • book a test yourself
  • ", + "

    What to take to your test

    ", + "

    You must bring a lorry or a bus or coach that meets the rules.

    ", + "

    You must bring a face covering, unless you have a good reason not to wear one.

    ", + "

    You must also bring one of the following:

    ", + "
  • a Great Britain photocard driving licence
  • ", + "
  • a Northern Ireland photocard driving licence and paper counterpart
  • ", + "
  • an EU photocard driving licence (and paper counterpart, if you have one)
  • ", + "

    If you do not have a photocard driving licence, bring your paper licence and a valid passport.

    ", + "

    Your test will be cancelled and you\u2019ll lose your fee if you do not bring these.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your driving test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Wearing a face covering

    ", + "

    You must wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:

    ", + "
  • having a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you have a good reason not to wear a face covering when you book your test.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Your test will be cancelled if you go to your test without a face covering and you did not say that you could not wear one when you booked it.

    ", + "

    How the test works

    ", + "

    You\u2019re tested on being able to:

    ", + "
  • load the vehicle following safety rules and to keep it secure
  • ", + "
  • stop trafficking in illegal immigrants
  • ", + "
  • assess emergency situations
  • ", + "
  • reduce physical risks to yourself or others
  • ", + "
  • do a walkaround vehicle safety check
  • ", + "

    The test is made up of 5 topics from the Driver CPC syllabus. You can score up to 20 points for each topic.

    ", + "

    To pass you have to score at least 15 out of 20 in each topic area and have an overall score of at least 80 out of 100.

    ", + "

    Test result

    ", + "

    At the end of your test the examiner will tell you if you\u2019ve passed.

    ", + "

    If you fail, you can book another driving test straight away, but you cannot take it for another 3 clear working days.

    ", + "

    Cancelled tests

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    ", + "

    After you\u2019ve qualified

    ", + "

    After you\u2019ve passed all 4 of the Driver Certificate of Professional Competence (CPC) tests, you\u2019ll be sent a Driver CPC card. This is sometimes called a \u2018driver qualification card\u2019 or \u2018DQC\u2019.

    ", + "

    You must carry your Driver CPC card while driving a lorry, bus or coach professionally. If you drive a heavy goods vehicle (HGV) outside the UK, check what documents you need to carry.

    ", + "

    You can get a \u00a350 fixed penalty for driving professionally without your Driver CPC card.

    ", + "

    Getting your Driver CPC card

    ", + "

    The card will be sent to the address on your driving licence. You need to change this address first if it\u2019s wrong.

    ", + "

    The photograph and signature on your photocard licence will be used on your Driver CPC card.

    ", + "

    Waiting for your card

    ", + "

    You can drive professionally if you\u2019ve passed all the tests and you\u2019re waiting for your Driver CPC card to arrive.

    ", + "

    If your card does not arrive

    ", + "

    You should get your Driver CPC card within 20 days of passing the final test. Contact the Driver and Vehicle Standards Agency (DVSA) if you do not receive it.

    ", + "

    You have to pay \u00a325 if:

    ", + "
  • you take longer than 3 months to tell DVSA it has not arrived
  • ", + "
  • it\u2019s sent to an old address because you have not updated your licence
  • ", + "

    Replace your card

    ", + "

    You must replace your Driver CPC card if it\u2019s lost or stolen.

    ", + "

    The Driver CPC card does not have your address on it, so you do not have to get a new one if your address changes.

    ", + "

    Staying qualified

    ", + "

    Every 5 years you must:

    ", + "
  • take 35 hours of Driver CPC training to keep driving professionally
  • ", + "
  • renew your lorry or bus driving licence
  • ", + "

    If you\u2019re 65 or over you must renew your lorry or bus driving licence every year.

    ", + "

    Fees

    ", + "

    Provisional licence

    ", + " | Cost", + "Application for a provisional lorry or bus licence | No charge", + "

    Test costs

    ", + " | Weekday | Evening, weekend and bank holiday", + "Driver CPC part 1 - theory - (multiple-choice) | \u00a326 | \u00a326", + "Driver CPC part 1 - theory - (hazard perception) | \u00a311 | \u00a311", + "Driver CPC part 2 - case studies | \u00a323 | \u00a323", + "Driver CPC part 3 - driving ability | \u00a3115 | \u00a3141", + "Driver CPC part 4 - practical demonstration | \u00a355 | \u00a363", + "

    These are the prices to book your tests using the official service. Unofficial websites may charge more.

    ", + "

    Driver CPC card costs

    ", + " | Cost", + "Driver CPC card (non-UK driving licences only) | \u00a325", + "Replacement for lost, stolen or damaged card | \u00a325", + "

    NVT concession fees

    ", + " | Cost", + "National Vocational Training (NVT) concession card | \u00a325" + ] + }, + "https://www.gov.uk/driver-cpc-training": { + "url": "https://www.gov.uk/driver-cpc-training", + "title": "Driver CPC training for qualified drivers", + "content": "## How much training you need to do\n\nYou must do 35 hours of periodic training every 5 years to keep your Driver Certificate of Professional Competence (CPC) to drive a lorry, bus or coach.\n\nYou can be fined up to \u00a31,000 for driving professionally without Driver CPC.\n\nYou can check how many hours of training you\u2019ve done in the current 5-year period.\n\nYou only need to complete one set of training every 5 years if you drive both lorries and buses professionally.\n\nThere\u2019s a different process if you live in Northern Ireland.\n\nYou have to do the training in the country where you work or normally live.\n\n## When to take training\n\nYour Driver Certificate of Professional Competence (CPC) qualification lasts for 5 years. To keep your Driver CPC you need to do 35 hours of training before your 5-year deadline.\n\nThe deadline to do your training is shown on your card.\n\nIt\u2019s up to you when you take the training courses, as long as you do them within the 5-year period.\n\n## If you miss your training deadline\n\nIt\u2019s illegal to drive professionally if you have not done your training by your deadline.\n\nYou can be fined up to \u00a31,000 for driving professionally without Driver CPC.\n\n## Drivers with \u2018acquired rights\u2019\n\nHaving \u2018acquired rights\u2019 means that you did not have to take the Driver CPC initial qualification because of your existing driving experience.\n\nYou have acquired rights if you got your vocational licence before the dates shown in the table.\n\n| | Vehicle categories included | When you got your vocational licence |\n\n| Lorry | C, C1, C+E and C1+E | Before 10 September 2009 |\n\n| Bus or coach | D, D1, D+E, D1+E | Before 10 September 2008 |\n\n| Bus or coach (not for hire or reward) | D(101) | After 1991 |\n\n| Minibus (not for hire or reward) | D1(101) | Before 1997 |\n\n## Training deadlines for drivers with acquired rights\n\nYou still need to take periodic training, but there are set deadlines.\n\n| | Lorry driver | Bus or coach driver | Dual-category driver (lorry, bus and coach) |\n\n| First block of training | 9 September 2014 | 9 September 2013 | 9 September 2013 |\n\n| Second block of training | 9 September 2019 | 9 September 2018 | 9 September 2019 |\n\n| Third block of training | 9 September 2024 | 9 September 2023 | 9 September 2024 |\n\n## If you did not do your first block of training\n\nYou can finish your training or take extra tests if you have acquired rights and did not finish your first block of training by the deadline.\n\n## Finding training courses\n\nAll approved Driver Certificate of Professional Competence (CPC) courses count towards periodic training. Different courses cover different parts of the Driver CPC syllabus.\n\nFind CPC courses to attend.\n\nThe minimum length of a training course is 7 hours. It can be taken over 2 consecutive days and can include up to 2 hours of online training before you start.\n\n## Taking a non-Driver CPC course\n\nSome non-Driver CPC courses count towards your 35 hours. For example, you can take up to 14 hours of training for transport-related EU Directives, such as ADR (transporting dangerous goods).\n\nContact DVSA if you want to check whether a course counts towards your training.\n\n## Taking the same course more than once\n\nYou can only take the same course more than once in each 5-year period if you have a good reason to repeat it - for example, maintaining a dangerous goods qualification.\n\nIf you do not have a good reason, DVSA can cancel the hours you got from the course. You might lose your Driver CPC card if cancelling the hours takes your total back under 35 hours.\n\n## Repeating a non-Driver CPC course\n\nYou cannot repeat non-Driver CPC courses during your training period.\n\nThe only exception is training in ADR. You can take 2 7-hour ADR courses during the 5-year training period. If you do this, you cannot count any other non-Driver CPC courses towards your training.\n\n## Driver CPC course costs\n\nTraining providers set their own prices for courses - there\u2019s no maximum price.\n\n## Taking a training course\n\nYou must take one of these to your Driver Certificate of Professional Competence (CPC) training course:\n\n- a photocard driving licence\n\n- a valid passport\n\n- a digital tachograph card\n\n- a Driver CPC card\n\nYou\u2019re required to attend courses, but there are no tests or exams to pass at the end of them. Instead, you\u2019ll get a certificate of attendance. It belongs to you - your employer is not allowed to keep it.\n\n## Your Driver CPC training record\n\nThe training centre will put your training on your Driver CPC training record.\n\nContact the centre where you did your training if it is not showing on your record 5 days after the course.\n\n## If you took a non-Driver CPC course\n\nIf you took a non-Driver CPC course, the provider will not upload your records. Email DVSA with the details. Include:\n\n- your name\n\n- your driving licence number\n\n- your date of birth\n\n- your address\n\n- the date you completed the training\n\n- proof you completed the training - for example, a copy of a training certificate\n\n## Problems with a training course\n\nYou can email the Driver and Vehicle Standards Agency (DVSA) if you think the training provided was not to the right standard, for example the course did not last as long as it should have.\n\n## Getting your Driver CPC card\n\nYou\u2019ll get your Driver Certificate of Professional Competence (CPC) card when you\u2019ve done 35 hours of periodic training. The card is sometimes called a \u2018driver qualification card\u2019 or \u2018DQC\u2019.\n\nYou must carry this card while driving a lorry, bus or coach professionally.\n\nYou can get a \u00a350 fixed penalty for driving professionally without your card.\n\nYou must replace your card if it\u2019s lost or stolen.\n\n## When you\u2019ll be sent your card\n\nYou\u2019ll get your new Driver CPC card straight away if you complete your training in the 12 months before your deadline.\n\n## If you complete your training more than a year early\n\nYou will not get your new Driver CPC card until nearer the time your current card expires.\n\nYou can check when you\u2019ll get your new card.\n\n## How the card is sent to you\n\nYour Driver CPC card will be sent automatically to the address on your driving licence. You need to change this address first if it\u2019s wrong.\n\nYou only need to apply for your card if you did some of your periodic training in an EU country.\n\nThe Driver CPC card does not have your address on it, so you do not have to get a new one if your address changes.\n\nThe photo and signature on your photocard driving licence will be used on your Driver CPC card.\n\n## Waiting for your card\n\nYou can still drive professionally while waiting for your card if both of the following apply:\n\n- you\u2019ve done your periodic training\n\n- your training provider has recorded the training (they must do this within 5 working days of the training ending)\n\n## If your card does not arrive\n\nContact the Driver and Vehicle Standards Agency (DVSA) if you do not receive your new card within 20 days of the date you\u2019re due to get it.\n\nYou\u2019ll have to pay \u00a325 if:\n\n- you take longer than 3 months to tell DVSA it has not arrived\n\n- it\u2019s sent to an old address because you have not updated your licence\n\n## If you miss your training deadline\n\nIf you miss your deadline, you cannot drive professionally until you\u2019ve finished your training.\n\nYou can be fined up to \u00a31,000 for driving professionally without Driver CPC.\n\nYour next deadline will be set for 5 years after the date you finish your training.\n\n## How long training counts for\n\nAny training you\u2019ve already done counts for 5 years from the date you took the course. You do not lose it because you\u2019ve passed your deadline.\n\nThe training will not count towards the 35 hours total if you took it more than 5 years ago.\n\n## If you have acquired rights\n\nIf you have acquired rights you can either:\n\n- complete 35 hours of Driver CPC periodic training by finding and taking training courses\n\n- take and pass the Driver CPC part 2 (case studies) and part 4 (practical demonstration) tests\n\nYou can only choose the test option once. After that, you must take periodic training to keep your qualification in the future.\n\n## Booking the tests\n\nYou have to book the tests by phone - you cannot book online.\n\n## Training in EU countries and Switzerland\n\nYou need to apply for your Driver Certificate of Professional Competence (CPC) card in writing if you:\n\n- have a UK or Great Britain (GB) driving licence\n\n- took some of your periodic training in an EU country or Switzerland\n\n- did the final 7 hours of your periodic training in England, Scotland or Wales\n\n## What you need to send\n\nYou need to include:\n\n- your driving licence number\n\n- your name and address\n\n- your phone number\n\n- your training certificates from an EU country or Switzerland\n\n- a \u00a325 fee to add training taken abroad to your Driver CPC card\n\nYou must include the original documents - photocopies are not accepted.\n\n## Where to send the documents\n\nSend all the documents to the Driver and Vehicle Standards Agency (DVSA) if you live in England, Scotland or Wales.\n\nThere\u2019s a different process if you live in Northern Ireland.\n\n## Documents that are not in English\n\nYou need to send documents with an English translation on headed paper from an educational organisation or embassy.\n\n## How to pay your fee\n\nYou can either:\n\n- pay over the phone using a credit or debit card - DVSA will phone you to take the payment\n\n- pay by cheque or postal order - send your payment to DVSA with your documents\n\n## If you have a licence from another country\n\nIf you have a licence from another country, there are 2 ways to get a Great Britain (GB) Driver Certificate of Professional Competence (CPC) card. You should either:\n\n- complete your periodic training in England, Scotland or Wales\n\n- exchange your driver\u2019s licence for a GB licence - you must have a code 95 entitlement on your non-GB licence to do this\n\n## Complete your training in England, Scotland or Wales\n\nYou can get a GB Driver CPC card if you\u2019ve done the final 7 hours of your periodic training in England, Scotland or Wales.\n\nYou must also live or work in England, Scotland or Wales and have a driving licence from any of these countries:\n\n- an EU country\n\n- Gibraltar\n\n- Guernsey\n\n- Iceland\n\n- Isle of Man\n\n- Jersey\n\n- Liechtenstein\n\n- Norway\n\n- Switzerland\n\nTo apply for a GB Driver CPC card, send an email to the Driving and Vehicle Standards Agency (DVSA) asking for form DQC1.\n\nIf you live in Northern Ireland, contact the Driver and Vehicle Agency (DVA).\n\n## Exchange your driving licence for a GB licence\n\nIf you have a code 95 entitlement on your licence, you can get a GB Driver CPC card by exchanging your licence for a GB licence.\n\nYour Driver CPC qualification will still last until the date it was due to run out when you first got it.\n\nWhen you exchange your licence, the Driver and Vehicle Licensing Agency (DVLA) will tell DVSA for you.\n\n## If you already have an EU Driver CPC card\n\nYou\u2019ll need to send your EU Driver CPC card to DVSA if you want to exchange it for a GB Driver CPC card. Send it with a short letter which includes your:\n\n- driving licence number\n\n- name and address\n\n- phone number\n\nDVSA will send you a new Driver CPC card with the same number as your driving licence.\n\nFrom then on, after doing 35 hours of periodic training in England, Scotland or Wales, you\u2019ll get your Driver CPC qualification for 5 years.\n\nIf you live in Northern Ireland, contact DVA.", + "original_contents": [ + "

    How much training you need to do

    ", + "

    You must do 35 hours of periodic training every 5 years to keep your Driver Certificate of Professional Competence (CPC) to drive a lorry, bus or coach.

    ", + "

    You can be fined up to \u00a31,000 for driving professionally without Driver CPC.

    ", + "

    You can check how many hours of training you\u2019ve done in the current 5-year period.

    ", + "

    You only need to complete one set of training every 5 years if you drive both lorries and buses professionally.

    ", + "

    There\u2019s a different process if you live in Northern Ireland.

    ", + "

    You have to do the training in the country where you work or normally live.

    ", + "

    When to take training

    ", + "

    Your Driver Certificate of Professional Competence (CPC) qualification lasts for 5 years. To keep your Driver CPC you need to do 35 hours of training before your 5-year deadline.

    ", + "

    The deadline to do your training is shown on your card.

    ", + "

    It\u2019s up to you when you take the training courses, as long as you do them within the 5-year period.

    ", + "

    If you miss your training deadline

    ", + "

    It\u2019s illegal to drive professionally if you have not done your training by your deadline.

    ", + "

    You can be fined up to \u00a31,000 for driving professionally without Driver CPC.

    ", + "

    Drivers with \u2018acquired rights\u2019

    ", + "

    Having \u2018acquired rights\u2019 means that you did not have to take the Driver CPC initial qualification because of your existing driving experience.

    ", + "

    You have acquired rights if you got your vocational licence before the dates shown in the table.

    ", + " | Vehicle categories included | When you got your vocational licence", + "Lorry | C, C1, C+E and C1+E | Before 10 September 2009", + "Bus or coach | D, D1, D+E, D1+E | Before 10 September 2008", + "Bus or coach (not for hire or reward) | D(101) | After 1991", + "Minibus (not for hire or reward) | D1(101) | Before 1997", + "

    Training deadlines for drivers with acquired rights

    ", + "

    You still need to take periodic training, but there are set deadlines.

    ", + " | Lorry driver | Bus or coach driver | Dual-category driver (lorry, bus and coach)", + "First block of training | 9 September 2014 | 9 September 2013 | 9 September 2013", + "Second block of training | 9 September 2019 | 9 September 2018 | 9 September 2019", + "Third block of training | 9 September 2024 | 9 September 2023 | 9 September 2024", + "

    If you did not do your first block of training

    ", + "

    You can finish your training or take extra tests if you have acquired rights and did not finish your first block of training by the deadline.

    ", + "

    Finding training courses

    ", + "

    All approved Driver Certificate of Professional Competence (CPC) courses count towards periodic training. Different courses cover different parts of the Driver CPC syllabus.

    ", + "

    Find CPC courses to attend.

    ", + "

    The minimum length of a training course is 7 hours. It can be taken over 2 consecutive days and can include up to 2 hours of online training before you start.

    ", + "

    Taking a non-Driver CPC course

    ", + "

    Some non-Driver CPC courses count towards your 35 hours. For example, you can take up to 14 hours of training for transport-related EU Directives, such as ADR (transporting dangerous goods).

    ", + "

    Contact DVSA if you want to check whether a course counts towards your training.

    ", + "

    Taking the same course more than once

    ", + "

    You can only take the same course more than once in each 5-year period if you have a good reason to repeat it - for example, maintaining a dangerous goods qualification.

    ", + "

    If you do not have a good reason, DVSA can cancel the hours you got from the course. You might lose your Driver CPC card if cancelling the hours takes your total back under 35 hours.

    ", + "

    Repeating a non-Driver CPC course

    ", + "

    You cannot repeat non-Driver CPC courses during your training period.

    ", + "

    The only exception is training in ADR. You can take 2 7-hour ADR courses during the 5-year training period. If you do this, you cannot count any other non-Driver CPC courses towards your training.

    ", + "

    Driver CPC course costs

    ", + "

    Training providers set their own prices for courses - there\u2019s no maximum price.

    ", + "

    Taking a training course

    ", + "

    You must take one of these to your Driver Certificate of Professional Competence (CPC) training course:

    ", + "
  • a photocard driving licence
  • ", + "
  • a valid passport
  • ", + "
  • a digital tachograph card
  • ", + "
  • a Driver CPC card
  • ", + "

    You\u2019re required to attend courses, but there are no tests or exams to pass at the end of them. Instead, you\u2019ll get a certificate of attendance. It belongs to you - your employer is not allowed to keep it.

    ", + "

    Your Driver CPC training record

    ", + "

    The training centre will put your training on your Driver CPC training record.

    ", + "

    Contact the centre where you did your training if it is not showing on your record 5 days after the course.

    ", + "

    If you took a non-Driver CPC course

    ", + "

    If you took a non-Driver CPC course, the provider will not upload your records. Email DVSA with the details. Include:

    ", + "
  • your name
  • ", + "
  • your driving licence number
  • ", + "
  • your date of birth
  • ", + "
  • your address
  • ", + "
  • the date you completed the training
  • ", + "
  • proof you completed the training - for example, a copy of a training certificate
  • ", + "

    Problems with a training course

    ", + "

    You can email the Driver and Vehicle Standards Agency (DVSA) if you think the training provided was not to the right standard, for example the course did not last as long as it should have.

    ", + "

    Getting your Driver CPC card

    ", + "

    You\u2019ll get your Driver Certificate of Professional Competence (CPC) card when you\u2019ve done 35 hours of periodic training. The card is sometimes called a \u2018driver qualification card\u2019 or \u2018DQC\u2019.

    ", + "

    You must carry this card while driving a lorry, bus or coach professionally.

    ", + "

    You can get a \u00a350 fixed penalty for driving professionally without your card.

    ", + "

    You must replace your card if it\u2019s lost or stolen.

    ", + "

    When you\u2019ll be sent your card

    ", + "

    You\u2019ll get your new Driver CPC card straight away if you complete your training in the 12 months before your deadline.

    ", + "

    If you complete your training more than a year early

    ", + "

    You will not get your new Driver CPC card until nearer the time your current card expires.

    ", + "

    You can check when you\u2019ll get your new card.

    ", + "

    How the card is sent to you

    ", + "

    Your Driver CPC card will be sent automatically to the address on your driving licence. You need to change this address first if it\u2019s wrong.

    ", + "

    You only need to apply for your card if you did some of your periodic training in an EU country.

    ", + "

    The Driver CPC card does not have your address on it, so you do not have to get a new one if your address changes.

    ", + "

    The photo and signature on your photocard driving licence will be used on your Driver CPC card.

    ", + "

    Waiting for your card

    ", + "

    You can still drive professionally while waiting for your card if both of the following apply:

    ", + "
  • you\u2019ve done your periodic training
  • ", + "
  • your training provider has recorded the training (they must do this within 5 working days of the training ending)
  • ", + "

    If your card does not arrive

    ", + "

    Contact the Driver and Vehicle Standards Agency (DVSA) if you do not receive your new card within 20 days of the date you\u2019re due to get it.

    ", + "

    You\u2019ll have to pay \u00a325 if:

    ", + "
  • you take longer than 3 months to tell DVSA it has not arrived
  • ", + "
  • it\u2019s sent to an old address because you have not updated your licence
  • ", + "

    If you miss your training deadline

    ", + "

    If you miss your deadline, you cannot drive professionally until you\u2019ve finished your training.

    ", + "

    You can be fined up to \u00a31,000 for driving professionally without Driver CPC.

    ", + "

    Your next deadline will be set for 5 years after the date you finish your training.

    ", + "

    How long training counts for

    ", + "

    Any training you\u2019ve already done counts for 5 years from the date you took the course. You do not lose it because you\u2019ve passed your deadline.

    ", + "

    The training will not count towards the 35 hours total if you took it more than 5 years ago.

    ", + "

    If you have acquired rights

    ", + "

    If you have acquired rights you can either:

    ", + "
  • complete 35 hours of Driver CPC periodic training by finding and taking training courses
  • ", + "
  • take and pass the Driver CPC part 2 (case studies) and part 4 (practical demonstration) tests
  • ", + "

    You can only choose the test option once. After that, you must take periodic training to keep your qualification in the future.

    ", + "

    Booking the tests

    ", + "

    You have to book the tests by phone - you cannot book online.

    ", + "

    Training in EU countries and Switzerland

    ", + "

    You need to apply for your Driver Certificate of Professional Competence (CPC) card in writing if you:

    ", + "
  • have a UK or Great Britain (GB) driving licence
  • ", + "
  • took some of your periodic training in an EU country or Switzerland
  • ", + "
  • did the final 7 hours of your periodic training in England, Scotland or Wales
  • ", + "

    What you need to send

    ", + "

    You need to include:

    ", + "
  • your driving licence number
  • ", + "
  • your name and address
  • ", + "
  • your phone number
  • ", + "
  • your training certificates from an EU country or Switzerland
  • ", + "
  • a \u00a325 fee to add training taken abroad to your Driver CPC card
  • ", + "

    You must include the original documents - photocopies are not accepted.

    ", + "

    Where to send the documents

    ", + "

    Send all the documents to the Driver and Vehicle Standards Agency (DVSA) if you live in England, Scotland or Wales.

    ", + "

    There\u2019s a different process if you live in Northern Ireland.

    ", + "

    Documents that are not in English

    ", + "

    You need to send documents with an English translation on headed paper from an educational organisation or embassy.

    ", + "

    How to pay your fee

    ", + "

    You can either:

    ", + "
  • pay over the phone using a credit or debit card - DVSA will phone you to take the payment
  • ", + "
  • pay by cheque or postal order - send your payment to DVSA with your documents
  • ", + "

    If you have a licence from another country

    ", + "

    If you have a licence from another country, there are 2 ways to get a Great Britain (GB) Driver Certificate of Professional Competence (CPC) card. You should either:

    ", + "
  • complete your periodic training in England, Scotland or Wales
  • ", + "
  • exchange your driver\u2019s licence for a GB licence - you must have a code 95 entitlement on your non-GB licence to do this
  • ", + "

    Complete your training in England, Scotland or Wales

    ", + "

    You can get a GB Driver CPC card if you\u2019ve done the final 7 hours of your periodic training in England, Scotland or Wales.

    ", + "

    You must also live or work in England, Scotland or Wales and have a driving licence from any of these countries:

    ", + "
  • an EU country
  • ", + "
  • Gibraltar
  • ", + "
  • Guernsey
  • ", + "
  • Iceland
  • ", + "
  • Isle of Man
  • ", + "
  • Jersey
  • ", + "
  • Liechtenstein
  • ", + "
  • Norway
  • ", + "
  • Switzerland
  • ", + "

    To apply for a GB Driver CPC card, send an email to the Driving and Vehicle Standards Agency (DVSA) asking for form DQC1.

    ", + "

    If you live in Northern Ireland, contact the Driver and Vehicle Agency (DVA).

    ", + "

    Exchange your driving licence for a GB licence

    ", + "

    If you have a code 95 entitlement on your licence, you can get a GB Driver CPC card by exchanging your licence for a GB licence.

    ", + "

    Your Driver CPC qualification will still last until the date it was due to run out when you first got it.

    ", + "

    When you exchange your licence, the Driver and Vehicle Licensing Agency (DVLA) will tell DVSA for you.

    ", + "

    If you already have an EU Driver CPC card

    ", + "

    You\u2019ll need to send your EU Driver CPC card to DVSA if you want to exchange it for a GB Driver CPC card. Send it with a short letter which includes your:

    ", + "
  • driving licence number
  • ", + "
  • name and address
  • ", + "
  • phone number
  • ", + "

    DVSA will send you a new Driver CPC card with the same number as your driving licence.

    ", + "

    From then on, after doing 35 hours of periodic training in England, Scotland or Wales, you\u2019ll get your Driver CPC qualification for 5 years.

    ", + "

    If you live in Northern Ireland, contact DVA.

    " + ] + }, + "https://www.gov.uk/roadside-vehicle-checks-for-commercial-drivers": { + "url": "https://www.gov.uk/roadside-vehicle-checks-for-commercial-drivers", + "title": "Roadside vehicle checks for commercial drivers", + "content": "## Checks on your vehicle\n\nAs a commercial driver, you might be asked to stop by the police or a Driver and Vehicle Standards Agency (DVSA) officer. They can stop vans, lorries, buses and coaches.\n\nThe police and DVSA have the power to carry out spot checks on your vehicle and issue prohibitions if necessary. A prohibition prevents you from driving until you get a problem with your vehicle fixed.\n\nPolice and DVSA officers can also issue fixed penalties if you commit an offence. Some of these are graduated depending on the circumstances and seriousness of the offence.\n\nIt\u2019s your responsibility to make sure your vehicle is roadworthy.\n\n## How to recognise a DVSA officer\n\nDVSA officers wear yellow visibility jackets with either the VOSA or DVSA logo, and they\u2019ll always carry a DVSA warrant card.\n\nTheir vehicles are marked with a black and yellow print on the side and either a VOSA or DVSA logo on the bonnet.\n\n## What happens when you\u2019re stopped\n\nThe checks are carried out either at the roadside or at dedicated testing sites. The checks are used to keep unsafe vehicles off the road.\n\nThe officer checks that the vehicle is not breaking any rules and regulations. This includes:\n\n- checking authorised load weights and type of load permitted\n\n- checking vehicles for roadworthiness and mechanical faults\n\n- looking at your tachograph records\n\n- making sure you have a valid occupational driving licence\n\nYour vehicle could be impounded if you commit a series of serious offences.\n\nForeign-registered vehicles are subject to the same rules as vehicles registered in the UK.\n\nIf you\u2019re carrying a high-value load you can keep your engine running, doors locked and windows closed until you\u2019re sure you\u2019ve been stopped by a genuine police or DVSA officer.\n\n## If you do not stop\n\nNot stopping when asked to by a uniformed officer is an offence. The incident will be officially recorded and you\u2019ll be interviewed later on.\n\nYou may then face court action or be reported to the Traffic Commissioner, who may remove or suspend your operator\u2019s licence.\n\n## Making sure your vehicle is roadworthy\n\nYou\u2019re responsible for maintaining the roadworthiness of your vehicle. This will help avoid problems with vehicle checks.\n\n## Driver responsibilities\n\nYou must ensure your vehicle is safe to drive before setting off on a journey. You should carry out a walkaround check of the vehicle before your journey and check the:\n\n- lights\n\n- tyres\n\n- wheel fixings\n\n- bodywork\n\n- trailer coupling\n\n- load and other equipment\n\nDownload guidance for walkaround checks for public service vehicle (PSV) and heavy goods vehicle (HGV) drivers.\n\nYou\u2019re also responsible for reporting any defects in writing to whoever\u2019s in charge of sorting out vehicle defects in your organisation. Reports should include the:\n\n- vehicle registration or identification mark\n\n- date of inspection\n\n- details of the defects\n\n- name of the person reporting the defects\n\n## Operator responsibilities\n\nYou must carry out safety inspections before you use a vehicle for the first time - even if you\u2019re just leasing, hiring or borrowing the vehicle.\n\nYou must also:\n\n- make sure there are regular safety inspections\n\n- give drivers clear written instructions of their responsibilities so they understand what they should do\n\n- have a system to ensure that non-roadworthy vehicles are taken out of service\n\nSafety inspections must be carried out by trained inspectors with a good knowledge of the appropriate Driver and Vehicle Standards Agency (DVSA) inspection manuals.\n\n## Roadside prohibitions\n\nYou could be given a prohibition by a police officer or an officer from the Driver and Vehicle Standards Agency (DVSA). You could either get an immediate or delayed prohibition, depending on how dangerous your vehicle is before the faults are fixed.\n\n## Immediate prohibition\n\nIt\u2019s likely your vehicle will be immobilised and you will not be able to drive it if you get a prohibition that comes into effect immediately. You could also be prosecuted.\n\n## Delayed prohibition\n\nIf you get a prohibition with a delayed effect, you\u2019ll be able to drive your vehicle away and the operator will have up to 10 days to get it fixed. It will then need to be reinspected and the prohibition removed before it can be used on the road again.\n\n## Types of prohibition\n\nMake sure you give the prohibition notice to the vehicle operator and owner. They\u2019ll find details of how to clear it on the back.\n\n## Overload prohibition notice\n\nIf your vehicle is overloaded then you will be issued with an immediate prohibition notice and your vehicle may be immobilised. Examiners can also direct the vehicle to somewhere nearby, where the load can be redistributed or removed.\n\nA copy of the notice is sent to the owner or operator of the vehicle.\n\n## Roadworthiness prohibition (PG9)\n\nThis is given for mechanical problems or for the condition of a vehicle\u2019s bodywork and equipment. It could have an immediate or delayed effect depending on how severe the defect is.\n\nDVSA has published a list of defects explaining whether immediate or delayed prohibitions are issued.\n\n## \u2018S\u2019 marked roadworthiness prohibition\n\nThis is given when the examiner believes a severe defect is due to significant breakdown in the vehicle\u2019s maintenance procedures.\n\nYou would not get this type of prohibition for defects you cannot have known about before your journey, eg:\n\n- a problem that could have occurred during the journey\n\n- a problem you could not reasonably have been expected to have noticed (for example an underside defect)\n\nYou could get an \u2018S\u2019 marked prohibition if the examiner believes there\u2019s been a significant breakdown in the maintenance procedures agreed as part of the operator\u2019s licence.\n\nThe prohibition can start immediately and you or the operator could be prosecuted. DVSA will follow up with an assessment of the operator\u2019s maintenance procedures.\n\n## Variation of roadworthiness prohibition\n\nYou could get this if an immediate problem with your vehicle has been temporarily or permanently fixed at the roadside but others remain.\n\nIt means you can return to your operating centre or garage to permanently repair the initial problem and other faults.\n\nYou might get a different type of prohibition notice.\n\n## Drivers\u2019 hours prohibition\n\nYou get this if you have not followed the rules for drivers\u2019 hours and tachographs.\n\nYou\u2019ll usually get a fine - but you could also be prosecuted or have your vehicle immobilised.\n\n## Hazchem prohibition\n\nThis is given when a problem with carrying dangerous goods is found. Fixing the problem is usually enough to get the prohibition lifted.\n\n## If you disagree with the prohibition\n\nYou can complain to the local police force or DVSA office that gave you the prohibition. Call DVSA if you need their contact details.\n\nDo not get your vehicle repaired or adjusted while you\u2019re making your complaint.\n\nIf you\u2019re unhappy with the outcome, complain to DVSA within 14 days of getting the prohibition.\n\n## Driving without a valid operator's licence\n\nYou need a valid operator\u2019s licence if you drive the following for any type of business:\n\n- a public service vehicle (PSV)\n\n- a heavy goods vehicle (HGV)\n\nIf you or your employer do not have a valid operator\u2019s licence, your vehicle could be impounded and scrapped after 21 days unless you or your employer appeal to the local Traffic Commissioner.\n\nAppeals can only be made when:\n\n- you can prove that the vehicle was seized wrongly (because you or your employer had an operator\u2019s licence when it was seized)\n\n- the vehicle was exempt from operator licensing when it was impounded\n\n- the vehicle was being used illegally without the owner\u2019s knowledge\n\nYour vehicle may still be scrapped if you appeal and the Traffic Commissioner rules that the impounding was correct.\n\n## Fixed penalties\n\nIf you get a fixed penalty from a Driver and Vehicle Standards Agency (DVSA) officer or the police, the amount you have to pay could depend on the circumstances and seriousness of the offence.\n\nOffences you can be fined for include:\n\n- your vehicle weighing more than its maximum permitted weight\n\n- driving for too long without taking a break\n\n- your vehicle not being roadworthy (for example, if it has a bald tyre)\n\nYou can be fined between \u00a350 and \u00a3300. You can be taken to court for more serious offences, and a magistrate will decide how much your fine is.\n\nYou can check you\u2019ve been fined the correct amount by reading DVSA\u2019s guide to offences and fines.\n\n## Endorsements to your driving licence\n\nFor some offences, you\u2019ll get points added to your licence (endorsements) as well as a fine. For example, if your vehicle has defective brakes, you\u2019ll be given a \u00a3100 fine and 3 points on your licence.\n\nYou must present your driving licence within 14 days if the offence is endorsable.\n\n## Fixed penalty notices\n\nYou must have a UK address you can be easily contacted through. Bed and breakfast, hotel, agency or solicitor addresses are not normally accepted.\n\nIf you have a satisfactory UK address, you\u2019ll have 28 days from when you\u2019re given a fixed penalty notice to either:\n\n- pay the fine\n\n- ask for a court hearing if you want to appeal\n\nIn Scotland, you\u2019ll get a \u2018conditional offer\u2019 instead of a fixed penalty notice. You get 28 days from the date of issue to pay the fine. After this, you could be prosecuted if you do not pay.\n\n## If you do not have a satisfactory UK address\n\nYou\u2019ll have to pay a \u2018financial penalty deposit\u2019. This will be either:\n\n- the total of all fixed penalty notices issued (if you want to appeal, you must do so within 28 days)\n\n- \u00a3500 per offence if you go to court - you\u2019ll have to pay on the spot and go to court later\n\nIn both cases the maximum amount you\u2019ll have to pay as a deposit is \u00a31,500. You have to pay this straight away - if you do not, you might not be allowed to drive your vehicle.\n\nThe money from deposits is used to pay any fixed penalties or court fines.\n\nYou\u2019ll be refunded any money left over from your deposit after fines have been paid.\n\nYour vehicle will be immobilised if you do not pay the deposit.\n\n## What happens if your vehicle is immobilised\n\nDriver and Vehicle Standards Agency (DVSA) officers and police officers have the power to immobilise your vehicle when they stop you.\n\nThis might happen if you\u2019ve committed a serious enough offence to get an \u2018immediate prohibition\u2019.\n\nAn immediate prohibition is used to prevent risks to road safety (for example an unroadworthy vehicle or a tired driver). It means you will not be able to drive your vehicle until the problem is sorted out.\n\n## When your vehicle could be immobilised\n\nDVSA or the police can also immobilise your vehicle at the roadside if an immediate prohibition is issued for any of the following reasons:\n\n- you\u2019ve broken the rules on drivers\u2019 hours and tachographs\n\n- your vehicle is not roadworthy\n\n- your vehicle is overloaded\n\n- you\u2019ve been given a fixed penalty notice but cannot or will not pay a financial penalty deposit\n\nNot all vehicles given an immediate prohibition will be immobilised. Special circumstances will be considered, eg:\n\n- the type of load you\u2019re carrying\n\n- if you\u2019re carrying passengers on a public service vehicle who\u2019d be inconvenienced if it was immobilised\n\n## How your vehicle is immobilised\n\nDVSA and the police use a steel cable secured by a padlock to immobilise vehicles. It\u2019s fitted around the wheels of the vehicle and a warning notice is attached to the vehicle.\n\nThe notice tells you how to get the vehicle released. You have to:\n\n- satisfy DVSA that the causes of the immediate prohibitions have been dealt with\n\n- pay an \u00a380 release charge\n\nIt\u2019s an offence to remove the warning notice or interfere with the immobilising device.\n\nDVSA has produced a guide to vehicle immobilisation with more information, including advice on how to avoid it.", + "original_contents": [ + "

    Checks on your vehicle

    ", + "

    As a commercial driver, you might be asked to stop by the police or a Driver and Vehicle Standards Agency (DVSA) officer. They can stop vans, lorries, buses and coaches.

    ", + "

    The police and DVSA have the power to carry out spot checks on your vehicle and issue prohibitions if necessary. A prohibition prevents you from driving until you get a problem with your vehicle fixed.

    ", + "

    Police and DVSA officers can also issue fixed penalties if you commit an offence. Some of these are graduated depending on the circumstances and seriousness of the offence.

    ", + "

    It\u2019s your responsibility to make sure your vehicle is roadworthy.

    ", + "

    How to recognise a DVSA officer

    ", + "

    DVSA officers wear yellow visibility jackets with either the VOSA or DVSA logo, and they\u2019ll always carry a DVSA warrant card.

    ", + "

    Their vehicles are marked with a black and yellow print on the side and either a VOSA or DVSA logo on the bonnet.

    ", + "

    What happens when you\u2019re stopped

    ", + "

    The checks are carried out either at the roadside or at dedicated testing sites. The checks are used to keep unsafe vehicles off the road.

    ", + "

    The officer checks that the vehicle is not breaking any rules and regulations. This includes:

    ", + "
  • checking authorised load weights and type of load permitted
  • ", + "
  • checking vehicles for roadworthiness and mechanical faults
  • ", + "
  • looking at your tachograph records
  • ", + "
  • making sure you have a valid occupational driving licence
  • ", + "

    Your vehicle could be impounded if you commit a series of serious offences.

    ", + "

    Foreign-registered vehicles are subject to the same rules as vehicles registered in the UK.

    ", + "

    If you\u2019re carrying a high-value load you can keep your engine running, doors locked and windows closed until you\u2019re sure you\u2019ve been stopped by a genuine police or DVSA officer.

    ", + "

    If you do not stop

    ", + "

    Not stopping when asked to by a uniformed officer is an offence. The incident will be officially recorded and you\u2019ll be interviewed later on.

    ", + "

    You may then face court action or be reported to the Traffic Commissioner, who may remove or suspend your operator\u2019s licence.

    ", + "

    Making sure your vehicle is roadworthy

    ", + "

    You\u2019re responsible for maintaining the roadworthiness of your vehicle. This will help avoid problems with vehicle checks.

    ", + "

    Driver responsibilities

    ", + "

    You must ensure your vehicle is safe to drive before setting off on a journey. You should carry out a walkaround check of the vehicle before your journey and check the:

    ", + "
  • lights
  • ", + "
  • tyres
  • ", + "
  • wheel fixings
  • ", + "
  • bodywork
  • ", + "
  • trailer coupling
  • ", + "
  • load and other equipment
  • ", + "

    Download guidance for walkaround checks for public service vehicle (PSV) and heavy goods vehicle (HGV) drivers.

    ", + "

    You\u2019re also responsible for reporting any defects in writing to whoever\u2019s in charge of sorting out vehicle defects in your organisation. Reports should include the:

    ", + "
  • vehicle registration or identification mark
  • ", + "
  • date of inspection
  • ", + "
  • details of the defects
  • ", + "
  • name of the person reporting the defects
  • ", + "

    Operator responsibilities

    ", + "

    You must carry out safety inspections before you use a vehicle for the first time - even if you\u2019re just leasing, hiring or borrowing the vehicle.

    ", + "

    You must also:

    ", + "
  • make sure there are regular safety inspections
  • ", + "
  • give drivers clear written instructions of their responsibilities so they understand what they should do
  • ", + "
  • have a system to ensure that non-roadworthy vehicles are taken out of service
  • ", + "

    Safety inspections must be carried out by trained inspectors with a good knowledge of the appropriate Driver and Vehicle Standards Agency (DVSA) inspection manuals.

    ", + "

    Roadside prohibitions

    ", + "

    You could be given a prohibition by a police officer or an officer from the Driver and Vehicle Standards Agency (DVSA). You could either get an immediate or delayed prohibition, depending on how dangerous your vehicle is before the faults are fixed.

    ", + "

    Immediate prohibition

    ", + "

    It\u2019s likely your vehicle will be immobilised and you will not be able to drive it if you get a prohibition that comes into effect immediately. You could also be prosecuted.

    ", + "

    Delayed prohibition

    ", + "

    If you get a prohibition with a delayed effect, you\u2019ll be able to drive your vehicle away and the operator will have up to 10 days to get it fixed. It will then need to be reinspected and the prohibition removed before it can be used on the road again.

    ", + "

    Types of prohibition

    ", + "

    Make sure you give the prohibition notice to the vehicle operator and owner. They\u2019ll find details of how to clear it on the back.

    ", + "

    Overload prohibition notice

    ", + "

    If your vehicle is overloaded then you will be issued with an immediate prohibition notice and your vehicle may be immobilised. Examiners can also direct the vehicle to somewhere nearby, where the load can be redistributed or removed.

    ", + "

    A copy of the notice is sent to the owner or operator of the vehicle.

    ", + "

    Roadworthiness prohibition (PG9)

    ", + "

    This is given for mechanical problems or for the condition of a vehicle\u2019s bodywork and equipment. It could have an immediate or delayed effect depending on how severe the defect is.

    ", + "

    DVSA has published a list of defects explaining whether immediate or delayed prohibitions are issued.

    ", + "

    \u2018S\u2019 marked roadworthiness prohibition

    ", + "

    This is given when the examiner believes a severe defect is due to significant breakdown in the vehicle\u2019s maintenance procedures.

    ", + "

    You would not get this type of prohibition for defects you cannot have known about before your journey, eg:

    ", + "
  • a problem that could have occurred during the journey
  • ", + "
  • a problem you could not reasonably have been expected to have noticed (for example an underside defect)
  • ", + "

    You could get an \u2018S\u2019 marked prohibition if the examiner believes there\u2019s been a significant breakdown in the maintenance procedures agreed as part of the operator\u2019s licence.

    ", + "

    The prohibition can start immediately and you or the operator could be prosecuted. DVSA will follow up with an assessment of the operator\u2019s maintenance procedures.

    ", + "

    Variation of roadworthiness prohibition

    ", + "

    You could get this if an immediate problem with your vehicle has been temporarily or permanently fixed at the roadside but others remain.

    ", + "

    It means you can return to your operating centre or garage to permanently repair the initial problem and other faults.

    ", + "

    You might get a different type of prohibition notice.

    ", + "

    Drivers\u2019 hours prohibition

    ", + "

    You get this if you have not followed the rules for drivers\u2019 hours and tachographs.

    ", + "

    You\u2019ll usually get a fine - but you could also be prosecuted or have your vehicle immobilised.

    ", + "

    Hazchem prohibition

    ", + "

    This is given when a problem with carrying dangerous goods is found. Fixing the problem is usually enough to get the prohibition lifted.

    ", + "

    If you disagree with the prohibition

    ", + "

    You can complain to the local police force or DVSA office that gave you the prohibition. Call DVSA if you need their contact details.

    ", + "

    Do not get your vehicle repaired or adjusted while you\u2019re making your complaint.

    ", + "

    If you\u2019re unhappy with the outcome, complain to DVSA within 14 days of getting the prohibition.

    ", + "

    Driving without a valid operator's licence

    ", + "

    You need a valid operator\u2019s licence if you drive the following for any type of business:

    ", + "
  • a public service vehicle (PSV)
  • ", + "
  • a heavy goods vehicle (HGV)
  • ", + "

    If you or your employer do not have a valid operator\u2019s licence, your vehicle could be impounded and scrapped after 21 days unless you or your employer appeal to the local Traffic Commissioner.

    ", + "

    Appeals can only be made when:

    ", + "
  • you can prove that the vehicle was seized wrongly (because you or your employer had an operator\u2019s licence when it was seized)
  • ", + "
  • the vehicle was exempt from operator licensing when it was impounded
  • ", + "
  • the vehicle was being used illegally without the owner\u2019s knowledge
  • ", + "

    Your vehicle may still be scrapped if you appeal and the Traffic Commissioner rules that the impounding was correct.

    ", + "

    Fixed penalties

    ", + "

    If you get a fixed penalty from a Driver and Vehicle Standards Agency (DVSA) officer or the police, the amount you have to pay could depend on the circumstances and seriousness of the offence.

    ", + "

    Offences you can be fined for include:

    ", + "
  • your vehicle weighing more than its maximum permitted weight
  • ", + "
  • driving for too long without taking a break
  • ", + "
  • your vehicle not being roadworthy (for example, if it has a bald tyre)
  • ", + "

    You can be fined between \u00a350 and \u00a3300. You can be taken to court for more serious offences, and a magistrate will decide how much your fine is.

    ", + "

    You can check you\u2019ve been fined the correct amount by reading DVSA\u2019s guide to offences and fines.

    ", + "

    Endorsements to your driving licence

    ", + "

    For some offences, you\u2019ll get points added to your licence (endorsements) as well as a fine. For example, if your vehicle has defective brakes, you\u2019ll be given a \u00a3100 fine and 3 points on your licence.

    ", + "

    You must present your driving licence within 14 days if the offence is endorsable.

    ", + "

    Fixed penalty notices

    ", + "

    You must have a UK address you can be easily contacted through. Bed and breakfast, hotel, agency or solicitor addresses are not normally accepted.

    ", + "

    If you have a satisfactory UK address, you\u2019ll have 28 days from when you\u2019re given a fixed penalty notice to either:

    ", + "
  • pay the fine
  • ", + "
  • ask for a court hearing if you want to appeal
  • ", + "

    In Scotland, you\u2019ll get a \u2018conditional offer\u2019 instead of a fixed penalty notice. You get 28 days from the date of issue to pay the fine. After this, you could be prosecuted if you do not pay.

    ", + "

    If you do not have a satisfactory UK address

    ", + "

    You\u2019ll have to pay a \u2018financial penalty deposit\u2019. This will be either:

    ", + "
  • the total of all fixed penalty notices issued (if you want to appeal, you must do so within 28 days)
  • ", + "
  • \u00a3500 per offence if you go to court - you\u2019ll have to pay on the spot and go to court later
  • ", + "

    In both cases the maximum amount you\u2019ll have to pay as a deposit is \u00a31,500. You have to pay this straight away - if you do not, you might not be allowed to drive your vehicle.

    ", + "

    The money from deposits is used to pay any fixed penalties or court fines.

    ", + "

    You\u2019ll be refunded any money left over from your deposit after fines have been paid.

    ", + "

    Your vehicle will be immobilised if you do not pay the deposit.

    ", + "

    What happens if your vehicle is immobilised

    ", + "

    Driver and Vehicle Standards Agency (DVSA) officers and police officers have the power to immobilise your vehicle when they stop you.

    ", + "

    This might happen if you\u2019ve committed a serious enough offence to get an \u2018immediate prohibition\u2019.

    ", + "

    An immediate prohibition is used to prevent risks to road safety (for example an unroadworthy vehicle or a tired driver). It means you will not be able to drive your vehicle until the problem is sorted out.

    ", + "

    When your vehicle could be immobilised

    ", + "

    DVSA or the police can also immobilise your vehicle at the roadside if an immediate prohibition is issued for any of the following reasons:

    ", + "
  • you\u2019ve broken the rules on drivers\u2019 hours and tachographs
  • ", + "
  • your vehicle is not roadworthy
  • ", + "
  • your vehicle is overloaded
  • ", + "
  • you\u2019ve been given a fixed penalty notice but cannot or will not pay a financial penalty deposit
  • ", + "

    Not all vehicles given an immediate prohibition will be immobilised. Special circumstances will be considered, eg:

    ", + "
  • the type of load you\u2019re carrying
  • ", + "
  • if you\u2019re carrying passengers on a public service vehicle who\u2019d be inconvenienced if it was immobilised
  • ", + "

    How your vehicle is immobilised

    ", + "

    DVSA and the police use a steel cable secured by a padlock to immobilise vehicles. It\u2019s fitted around the wheels of the vehicle and a warning notice is attached to the vehicle.

    ", + "

    The notice tells you how to get the vehicle released. You have to:

    ", + "
  • satisfy DVSA that the causes of the immediate prohibitions have been dealt with
  • ", + "
  • pay an \u00a380 release charge
  • ", + "

    It\u2019s an offence to remove the warning notice or interfere with the immobilising device.

    ", + "

    DVSA has produced a guide to vehicle immobilisation with more information, including advice on how to avoid it.

    " + ] + }, + "https://www.gov.uk/traffic-commissioner": { + "url": "https://www.gov.uk/traffic-commissioner", + "title": "Traffic commissioner public inquiries", + "content": "## Overview\n\nTraffic commissioners are responsible for licensing and regulating operators of heavy goods vehicles (HGVs), public service vehicles (PSVs) and local bus services. They can also take action against their drivers.\n\nThey can call a formal public inquiry in a court to get more evidence to help them decide if they should:\n\n- grant or refuse licences for HGV or PSV operators\n\n- take action against a vehicle operator, bus service operator or driver of a bus, minibus or lorry\n\nThis might be if someone has objected to a licence being granted or the traffic commissioner thinks an operator may have broken the terms of their licence.\n\nA vehicle or bus service operator can also request a public inquiry but the traffic commissioner doesn\u2019t have to hold one.\n\n## Objecting to a licence\n\nLicence applications are made public. Objections can be made by certain public bodies and in some cases individuals.\n\n## Objections by public bodies\n\nBodies that can object to a licence application include:\n\n- local and planning authorities\n\n- the police\n\n- some trade associations and trade unions\n\n## When a public body can object\n\nA public body can object to a licence about the:\n\n- professional competence of the operator or its transport manager\n\n- operator\u2019s finances\n\n- operator\u2019s reputation or fitness to hold a licence\n\n- operator\u2019s arrangements for vehicle maintenance and drivers\u2019 hours\n\n- operating centre\u2019s environmental standards and general conditions\n\nObjections must be put in writing to the traffic commissioner within 21 days of a licence application being made public.\n\nYou can see the latest applications and traffic commissioner decisions in the regularly updated \u2018Applications and Decisions\u2019 guides for goods vehicles and the \u2018Notices and Proceedings\u2019 guides for public service vehicles (PSVs).\n\nRead the guide on goods vehicle operator licensing for further information.\n\n## Objections by individuals (representations)\n\nIf a vehicle operator wants to add an operating centre to a licence or make changes to an existing centre, owners and residents of land nearby can object. This is called a \u2018representation\u2019.\n\nHowever, representations must be about environmental issues, such as concern over noise, and only if they\u2019re going to affect the owner or resident\u2019s \u2018use or enjoyment\u2019 of the land.\n\nRead the guide on making a representation or complaint for further information.\n\n## Being called to a public inquiry\n\nYou may have to attend a public inquiry if:\n\n- someone has objected to your application for a licence or change to a licence\n\n- you have not kept to the conditions of your licence, for example you\u2019ve used more vehicles than permitted\n\n- there are environmental concerns about a goods vehicle operating centre on your licence\n\n- your conduct has come into question, for example you\u2019ve been caught using a mobile phone while driving\n\nYou\u2019ll get a letter with all the details.\n\n## Notice to attend\n\nYou\u2019ll get a minimum of:\n\n- 28 days\u2019 notice if the inquiry is about a transport manager\n\n- 21 days\u2019 notice if the inquiry is about a new or existing goods operator licence\n\n- 14 days\u2019 notice if the inquiry is about a new or existing passenger operator\u2019s licence\n\nYou cannot ask for the hearing to be changed to another date, unless you have a good reason that can be backed up. For example, if you\u2019re going on holiday, you may need to send evidence to show it was pre-booked.\n\n## At the public inquiry\n\nYou can decide to represent yourself or ask someone to represent you, such as a lawyer. This could be someone else like a transport consultant if the traffic commissioner agrees.\n\nEvidence is not given under oath but witnesses have to tell the truth.\n\nIf you do not tell the truth you could lose your licence or criminal charges may follow.\n\n## What happens at the hearing\n\nReport to the inquiry clerk as soon as you arrive. The traffic commissioner will then:\n\n- decide whether oppositions should be heard\n\n- listen to the application outline and ask questions about it\n\n- listen to objectors or a Driver and Vehicle Standards Agency (DVSA) traffic examiner outline their cases and ask questions\n\n- ask applicants and objectors to present their cases in detail - they or any of the parties may ask questions\n\n- question applicants on how conditions added to the licence may affect their business\n\n- ask applicants and objectors to sum up their cases\n\nThe traffic commissioner will announce their decision at the time, or give it in writing later, usually within 28 days.\n\n## Decision and penalties\n\nThe traffic commissioner can decide to:\n\n- refuse to grant a licence\n\n- refuse to vary an existing licence\n\n- attach conditions to a licence\n\n- grant a licence allowing fewer vehicles than the number applied for\n\n- impose financial penalties on registered bus service operators\n\n- end or suspend an existing licence\n\n- disqualify an individual or a company from having a licence\n\n- disqualify transport managers\n\nYou can appeal against the decision.\n\n## Appeals\n\nYou can appeal to the Upper Tribunal against a traffic commissioner decision (form UT12).\n\nYou must send the form to the tribunal within 1 month of the traffic commissioner\u2019s written decision. The address is on the form.\n\nFind out more about making an appeal to the Upper Tribunal.\n\n## Further information\n\nThe Office of the Traffic Commissioner has produced a detailed guide to traffic commissioner public inquiries. It includes further information on:\n\n- how you might be called to an inquiry\n\n- how you might find out if an inquiry is to be held\n\n- how they work on the day", + "original_contents": [ + "

    Overview

    ", + "

    Traffic commissioners are responsible for licensing and regulating operators of heavy goods vehicles (HGVs), public service vehicles (PSVs) and local bus services. They can also take action against their drivers.

    ", + "

    They can call a formal public inquiry in a court to get more evidence to help them decide if they should:

    ", + "
  • grant or refuse licences for HGV or PSV operators
  • ", + "
  • take action against a vehicle operator, bus service operator or driver of a bus, minibus or lorry
  • ", + "

    This might be if someone has objected to a licence being granted or the traffic commissioner thinks an operator may have broken the terms of their licence.

    ", + "

    A vehicle or bus service operator can also request a public inquiry but the traffic commissioner doesn\u2019t have to hold one.

    ", + "

    Objecting to a licence

    ", + "

    Licence applications are made public. Objections can be made by certain public bodies and in some cases individuals.

    ", + "

    Objections by public bodies

    ", + "

    Bodies that can object to a licence application include:

    ", + "
  • local and planning authorities
  • ", + "
  • the police
  • ", + "
  • some trade associations and trade unions
  • ", + "

    When a public body can object

    ", + "

    A public body can object to a licence about the:

    ", + "
  • professional competence of the operator or its transport manager
  • ", + "
  • operator\u2019s finances
  • ", + "
  • operator\u2019s reputation or fitness to hold a licence
  • ", + "
  • operator\u2019s arrangements for vehicle maintenance and drivers\u2019 hours
  • ", + "
  • operating centre\u2019s environmental standards and general conditions
  • ", + "

    Objections must be put in writing to the traffic commissioner within 21 days of a licence application being made public.

    ", + "

    You can see the latest applications and traffic commissioner decisions in the regularly updated \u2018Applications and Decisions\u2019 guides for goods vehicles and the \u2018Notices and Proceedings\u2019 guides for public service vehicles (PSVs).

    ", + "

    Read the guide on goods vehicle operator licensing for further information.

    ", + "

    Objections by individuals (representations)

    ", + "

    If a vehicle operator wants to add an operating centre to a licence or make changes to an existing centre, owners and residents of land nearby can object. This is called a \u2018representation\u2019.

    ", + "

    However, representations must be about environmental issues, such as concern over noise, and only if they\u2019re going to affect the owner or resident\u2019s \u2018use or enjoyment\u2019 of the land.

    ", + "

    Read the guide on making a representation or complaint for further information.

    ", + "

    Being called to a public inquiry

    ", + "

    You may have to attend a public inquiry if:

    ", + "
  • someone has objected to your application for a licence or change to a licence
  • ", + "
  • you have not kept to the conditions of your licence, for example you\u2019ve used more vehicles than permitted
  • ", + "
  • there are environmental concerns about a goods vehicle operating centre on your licence
  • ", + "
  • your conduct has come into question, for example you\u2019ve been caught using a mobile phone while driving
  • ", + "

    You\u2019ll get a letter with all the details.

    ", + "

    Notice to attend

    ", + "

    You\u2019ll get a minimum of:

    ", + "
  • 28 days\u2019 notice if the inquiry is about a transport manager
  • ", + "
  • 21 days\u2019 notice if the inquiry is about a new or existing goods operator licence
  • ", + "
  • 14 days\u2019 notice if the inquiry is about a new or existing passenger operator\u2019s licence
  • ", + "

    You cannot ask for the hearing to be changed to another date, unless you have a good reason that can be backed up. For example, if you\u2019re going on holiday, you may need to send evidence to show it was pre-booked.

    ", + "

    At the public inquiry

    ", + "

    You can decide to represent yourself or ask someone to represent you, such as a lawyer. This could be someone else like a transport consultant if the traffic commissioner agrees.

    ", + "

    Evidence is not given under oath but witnesses have to tell the truth.

    ", + "

    If you do not tell the truth you could lose your licence or criminal charges may follow.

    ", + "

    What happens at the hearing

    ", + "

    Report to the inquiry clerk as soon as you arrive. The traffic commissioner will then:

    ", + "
  • decide whether oppositions should be heard
  • ", + "
  • listen to the application outline and ask questions about it
  • ", + "
  • listen to objectors or a Driver and Vehicle Standards Agency (DVSA) traffic examiner outline their cases and ask questions
  • ", + "
  • ask applicants and objectors to present their cases in detail - they or any of the parties may ask questions
  • ", + "
  • question applicants on how conditions added to the licence may affect their business
  • ", + "
  • ask applicants and objectors to sum up their cases
  • ", + "

    The traffic commissioner will announce their decision at the time, or give it in writing later, usually within 28 days.

    ", + "

    Decision and penalties

    ", + "

    The traffic commissioner can decide to:

    ", + "
  • refuse to grant a licence
  • ", + "
  • refuse to vary an existing licence
  • ", + "
  • attach conditions to a licence
  • ", + "
  • grant a licence allowing fewer vehicles than the number applied for
  • ", + "
  • impose financial penalties on registered bus service operators
  • ", + "
  • end or suspend an existing licence
  • ", + "
  • disqualify an individual or a company from having a licence
  • ", + "
  • disqualify transport managers
  • ", + "

    You can appeal against the decision.

    ", + "

    Appeals

    ", + "

    You can appeal to the Upper Tribunal against a traffic commissioner decision (form UT12).

    ", + "

    You must send the form to the tribunal within 1 month of the traffic commissioner\u2019s written decision. The address is on the form.

    ", + "

    Find out more about making an appeal to the Upper Tribunal.

    ", + "

    Further information

    ", + "

    The Office of the Traffic Commissioner has produced a detailed guide to traffic commissioner public inquiries. It includes further information on:

    ", + "
  • how you might be called to an inquiry
  • ", + "
  • how you might find out if an inquiry is to be held
  • ", + "
  • how they work on the day
  • " + ] + }, + "https://www.gov.uk/specialist-tests-for-lorries": { + "url": "https://www.gov.uk/specialist-tests-for-lorries", + "title": "Specialist tests for lorries", + "content": "## Overview\n\nMost commercial vehicles must be tested every year to make sure they\u2019re roadworthy and follow regulations. This is known as the annual test.\n\nAs well as the annual test, your HGV must be tested if you want to be able to:\n\n- carry explosives or dangerous goods in bulk - this is known as the ADR test\n\n- take goods vehicles outside the EU - this is known as the TIR test\n\n- \u2018uprate\u2019 or \u2018downrate\u2019 your vehicle to change the weight it\u2019s allowed to carry\n\n- qualify for a Low Emissions Certificate (LEC)\n\n## ADR test for carrying dangerous goods\n\nThe ADR is a specialist test for vehicles carrying dangerous or hazardous goods in bulk by road.\n\nYour vehicle must pass an ADR test if it\u2019s a commercial vehicle or a trailer used to carry explosives, or if it\u2019s used in the UK or abroad:\n\n- to carry dangerous goods in a fixed tank, demountable tank or fixed battery of pressure vessels of over 1,000 litres capacity\n\n- for carrying dangerous goods in a container or portable tank or battery of pressure vessels of over 3,000 litres capacity\n\nThe test varies depending on the type of goods you want to carry.\n\n## How to book a test and what it costs\n\n- Complete the application for an ADR test.\n\n- Say on the form if the vehicle is to be tested while still carrying dangerous goods (or their residue) - DVSA will make arrangements for this.\n\n- Include copies of insurance certificates (originals will need to be seen at the test) for fixed tanks, batteries and pressure vessels.\n\nSend your application at least 10 days before you want to take the test. You can post it to the address on the form or use the contact details below.\n\nVehicles and trailers need individual certification, so an articulated or drawbar combination will need 2 ADR applications - one for the vehicle and one for the trailer. You have to pay a fee for each part.\n\n## Fees for ADR testing and certification\n\nThe fees listed are in addition to the standard annual test fee.\n\n| DVSA service | Fee |\n\n| Initial inspection | \u00a3116 |\n\n| Re-inspection within 14 days | \u00a363 |\n\n| Duplicate certificate | \u00a314 |\n\n| New type approved artic tractor certificate | \u00a328 |\n\nFees may be different in Northern Ireland.\n\n## Taking your vehicle to the test\n\nVehicles should not normally be loaded or uncleaned when they\u2019re taken for the ADR test, unless special arrangements have been made with the testing station.\n\nThe exception is for vehicles loaded with UN1202 diesel, gas or heating oil where there\u2019s also no residue of other flammable materials in tank vapour spaces.\n\nIf a dangerous goods vehicle is taken to the test uncleaned or not purged, or is laden with dangerous goods, DVSA will need to see evidence that the vehicle is accompanied by a person with an appropriate ADR driver\u2019s licence.\n\nYou\u2019ll need to submit form VTG15 to the testing station to show if your vehicle is carrying or has been carrying dangerous goods.\n\n## Getting a re-inspection after a failed test\n\nIf you fail the test, phone the testing station you used to arrange another inspection.\n\n## New goods vehicle tractor units that have \u2018ADR-type approval\u2019\n\nIf you buy a new tractor unit, ask your vehicle supplier if it has been built to an \u2018ADR-type approval\u2019. This means you can get ADR-type certification for it. The manufacturer should supply a combined Declaration of Conformity and application form ADR IIIA, which you can then send to DVSA.\n\n## Duplicate ADR certificates\n\nYou can get a duplicate certificate as long as the ADR certificate is still current. You cannot get a duplicate of an expired certificate.\n\nWrite to DVSA\u2019s ADR Section with the following details:\n\n- vehicle/trailer ID\n\n- operator name and address\n\n- reason for request (for example, you\u2019ve lost the certificate or there\u2019s been a change of owner/operator)\n\n- payment details\n\n## Change of ADR category\n\nIf you want a new certificate because there\u2019s been a change of ADR category call the ADR Section for advice.\n\n## TIR test for quicker border crossings\n\nThe TIR system allows UK customs officials to pack and seal goods before they\u2019re transported outside the EU. This means that the load will not need to be opened and inspected by customs officials at border crossings.\n\nTo meet the TIR requirements your vehicle must pass a test to make sure that:\n\n- nothing can be put into or taken from the vehicle without it being obvious\n\n- the goods compartment is built so that it has to be accessed from both inside and outside to be removed and replaced\n\nVehicles have to be made to the TIR convention standards. Most lorries made in the UK are not built to the TIR standard and cannot easily be changed to meet the standard.\n\n## Book a TIR test\n\nThere are 2 ways to get vehicles approved. You can either:\n\n- get individual vehicles approved by having each one inspected\n\n- get a design approved for a series of vehicles\n\n## Get individual vehicles approved\n\nFill in an application to book an individual vehicle inspection and pay the fee. You need to fill in a form and pay a fee for each vehicle you want to be approved.\n\nThe TIR test certificate lasts for 2 years from the date it\u2019s issued. You then need to book another inspection every 2 years to keep the vehicle approved. You have to fill in the inspection form and pay the fee each time.\n\n| Fee type | Cost |\n\n| Initial inspection for an individual vehicle | \u00a3106 |\n\n| Two-yearly inspection for an individual vehicle | \u00a3106 |\n\n| Re-inspection for an individual vehicle after a failed test | \u00a370 |\n\nFees may be different in Northern Ireland.\n\n## Get a design approved for a series of vehicles\n\nFill in an application to get a vehicle load compartment design approved and pay the fee.\n\nAfter the design is approved, you have to apply for a \u2018certificate of conformity\u2019 for each vehicle made to that design. You have to pay a fee for each vehicle. DVSA will inspect a sample of the vehicles.\n\nThe certificate lasts for 2 years from the date it\u2019s issued. You then need to book an inspection for each vehicle made to the design every 2 years to keep them approved. You have to pay the inspection fee each time.\n\n| Fee type | Cost |\n\n| Approval of a design for a series of vehicles | \u00a3644 |\n\n| Certificate of conformity for each vehicle made to the design | \u00a314 |\n\n| Two-yearly inspection for each vehicle made to the design | \u00a3106 |\n\n| Re-inspection for a vehicle after a failed test | \u00a370 |\n\n| Make a change to an approved design | \u00a3106 |\n\n| Replacement certificate of conformity | \u00a314 |\n\nFees may be different in Northern Ireland.\n\n## Where you can get the vehicle tested\n\nCall DVSA to find out where you can have it done.\n\n## Cancelling a test\n\nYou\u2019ll need to give at least 3 days notice to cancel an inspection. Otherwise the fee won\u2019t be refunded.\n\n## Change the weight you can carry\n\nYou can apply to increase the maximum permitted weight your lorry can carry.\n\nThis is known as:\n\n- \u2018up-plating\u2019 if no physical changes have been made to the design\n\n- \u2018uprating\u2019 if the design has been modified\n\nYou\u2019ll get a new plate to show the change in permitted weight.\n\nYou\u2019ll have to pay a higher rate of vehicle tax if up-plating or uprating puts you in a higher vehicle tax band.\n\n## Downplating and downrating\n\nYou can also \u2018downplate\u2019 or \u2018downrate\u2019 your lorry. This reduces the maximum weight it can work at and will lower its rate of vehicle tax.\n\nYour vehicle will be inspected by DVSA if it has been uprated or downrated before it\u2019s issued with new plates at the new weights.\n\nUp-plated and downplated lorries are not usually inspected, but downplated vehicles might have to pass an official weight test before DVSA issues a new plate.\n\n## Apply to replate your lorry\n\nYou can apply online or by post. You\u2019ll need to pay \u00a327.\n\nYou must apply to DVLA using form V70 to re-licence the lorry once it\u2019s replated. Send your new plating certificate VTG7 with your application.\n\n## Reduced emissions test\n\nYou can get your vehicle tested for a Low Emissions Certificate (LEC). This lets you drive in the Low Emission Zone (LEZ) without paying.\n\nThe Reduced Pollution Certificate (RPC) scheme to reduce your vehicle tax ended on 31 December 2016.\n\n## Eligibility\n\nYour vehicle can be tested for a Low Emissions Certificate if it:\n\n- was registered in the UK before 1 October 2006\n\n- is fitted with a full filter to Low Emission Zone emissions standards\n\nYou do not need a Low Emission Certificate for a vehicle with a Euro 4, 5 or 6 engine.\n\n## Converted and re-engined vehicles\n\nContact DVLA if the vehicle has either:\n\n- been fitted or converted to run solely on petrol\n\n- had an approved gas conversion\n\nContact Transport for London (TfL) if your vehicle has been \u2018re-engined\u2019 to meet Low Emission Zone standards.\n\n## Book a Low Emissions Certificate test\n\nContact an authorised testing facility or Driver and Vehicle Standards Agency (DVSA) test station to book the test.\n\nYou need:\n\n- your vehicle registration number\n\n- your vehicle identification or chassis number\n\n- the make, model and date of manufacture\n\n- details of any modifications made to meet the emissions standard\n\n- to pay the fee\n\nIt\u2019s cheaper to have the test done at the same time as the vehicle\u2019s annual test.\n\n## What to take to the test\n\nIf it\u2019s been tested before you must take the vehicle\u2019s previous Low Emissions Certificate or Reduced Pollution Certificate.\n\nThe test can be cancelled and you\u2019ll have to pay again if you do not take the certificate.\n\n## What happens at the test\n\nThe test is in 2 parts:\n\n- physical inspection to check any modifications, such as a filter fitted to the exhaust\n\n- smoke opacity test to check emissions\n\n## Test result\n\nYou\u2019ll get a Low Emissions Certificate if your vehicle passes the test.\n\nDVSA will pass your details to TfL automatically. You cannot drive in the Low Emission Zone until your details have been updated - it takes around 3 days.\n\nIf your vehicle is registered outside Great Britain, you need to register with TfL yourself. You can be fined up to \u00a31,000 if you do not register it.\n\n## If your vehicle fails\n\nYou can appeal the result. Fill in form LEC3 and send it to DVSA. The address is on the form.\n\n## Renewing a Low Emissions Certificate\n\nThe Low Emissions Certificate has an expiry date on it. You need to get your vehicle tested again by this date if you want to continue driving in the Low Emission Zone without paying.\n\nYou can be fined up to \u00a31,000 for driving in the Low Emission Zone without a valid Low Emissions Certificate.", + "original_contents": [ + "

    Overview

    ", + "

    Most commercial vehicles must be tested every year to make sure they\u2019re roadworthy and follow regulations. This is known as the annual test.

    ", + "

    As well as the annual test, your HGV must be tested if you want to be able to:

    ", + "
  • carry explosives or dangerous goods in bulk - this is known as the ADR test
  • ", + "
  • take goods vehicles outside the EU - this is known as the TIR test
  • ", + "
  • \u2018uprate\u2019 or \u2018downrate\u2019 your vehicle to change the weight it\u2019s allowed to carry
  • ", + "
  • qualify for a Low Emissions Certificate (LEC)
  • ", + "

    ADR test for carrying dangerous goods

    ", + "

    The ADR is a specialist test for vehicles carrying dangerous or hazardous goods in bulk by road.

    ", + "

    Your vehicle must pass an ADR test if it\u2019s a commercial vehicle or a trailer used to carry explosives, or if it\u2019s used in the UK or abroad:

    ", + "
  • to carry dangerous goods in a fixed tank, demountable tank or fixed battery of pressure vessels of over 1,000 litres capacity
  • ", + "
  • for carrying dangerous goods in a container or portable tank or battery of pressure vessels of over 3,000 litres capacity
  • ", + "

    The test varies depending on the type of goods you want to carry.

    ", + "

    How to book a test and what it costs

    ", + "
  • Complete the application for an ADR test.
  • ", + "
  • Say on the form if the vehicle is to be tested while still carrying dangerous goods (or their residue) - DVSA will make arrangements for this.
  • ", + "
  • Include copies of insurance certificates (originals will need to be seen at the test) for fixed tanks, batteries and pressure vessels.
  • ", + "

    Send your application at least 10 days before you want to take the test. You can post it to the address on the form or use the contact details below.

    ", + "

    Vehicles and trailers need individual certification, so an articulated or drawbar combination will need 2 ADR applications - one for the vehicle and one for the trailer. You have to pay a fee for each part.

    ", + "

    Fees for ADR testing and certification

    ", + "

    The fees listed are in addition to the standard annual test fee.

    ", + "DVSA service | Fee", + "Initial inspection | \u00a3116", + "Re-inspection within 14 days | \u00a363", + "Duplicate certificate | \u00a314", + "New type approved artic tractor certificate | \u00a328", + "

    Fees may be different in Northern Ireland.

    ", + "

    Taking your vehicle to the test

    ", + "

    Vehicles should not normally be loaded or uncleaned when they\u2019re taken for the ADR test, unless special arrangements have been made with the testing station.

    ", + "

    The exception is for vehicles loaded with UN1202 diesel, gas or heating oil where there\u2019s also no residue of other flammable materials in tank vapour spaces.

    ", + "

    If a dangerous goods vehicle is taken to the test uncleaned or not purged, or is laden with dangerous goods, DVSA will need to see evidence that the vehicle is accompanied by a person with an appropriate ADR driver\u2019s licence.

    ", + "

    You\u2019ll need to submit form VTG15 to the testing station to show if your vehicle is carrying or has been carrying dangerous goods.

    ", + "

    Getting a re-inspection after a failed test

    ", + "

    If you fail the test, phone the testing station you used to arrange another inspection.

    ", + "

    New goods vehicle tractor units that have \u2018ADR-type approval\u2019

    ", + "

    If you buy a new tractor unit, ask your vehicle supplier if it has been built to an \u2018ADR-type approval\u2019. This means you can get ADR-type certification for it. The manufacturer should supply a combined Declaration of Conformity and application form ADR IIIA, which you can then send to DVSA.

    ", + "

    Duplicate ADR certificates

    ", + "

    You can get a duplicate certificate as long as the ADR certificate is still current. You cannot get a duplicate of an expired certificate.

    ", + "

    Write to DVSA\u2019s ADR Section with the following details:

    ", + "
  • vehicle/trailer ID
  • ", + "
  • operator name and address
  • ", + "
  • reason for request (for example, you\u2019ve lost the certificate or there\u2019s been a change of owner/operator)
  • ", + "
  • payment details
  • ", + "

    Change of ADR category

    ", + "

    If you want a new certificate because there\u2019s been a change of ADR category call the ADR Section for advice.

    ", + "

    TIR test for quicker border crossings

    ", + "

    The TIR system allows UK customs officials to pack and seal goods before they\u2019re transported outside the EU. This means that the load will not need to be opened and inspected by customs officials at border crossings.

    ", + "

    To meet the TIR requirements your vehicle must pass a test to make sure that:

    ", + "
  • nothing can be put into or taken from the vehicle without it being obvious
  • ", + "
  • the goods compartment is built so that it has to be accessed from both inside and outside to be removed and replaced
  • ", + "

    Vehicles have to be made to the TIR convention standards. Most lorries made in the UK are not built to the TIR standard and cannot easily be changed to meet the standard.

    ", + "

    Book a TIR test

    ", + "

    There are 2 ways to get vehicles approved. You can either:

    ", + "
  • get individual vehicles approved by having each one inspected
  • ", + "
  • get a design approved for a series of vehicles
  • ", + "

    Get individual vehicles approved

    ", + "

    Fill in an application to book an individual vehicle inspection and pay the fee. You need to fill in a form and pay a fee for each vehicle you want to be approved.

    ", + "

    The TIR test certificate lasts for 2 years from the date it\u2019s issued. You then need to book another inspection every 2 years to keep the vehicle approved. You have to fill in the inspection form and pay the fee each time.

    ", + "Fee type | Cost", + "Initial inspection for an individual vehicle | \u00a3106", + "Two-yearly inspection for an individual vehicle | \u00a3106", + "Re-inspection for an individual vehicle after a failed test | \u00a370", + "

    Fees may be different in Northern Ireland.

    ", + "

    Get a design approved for a series of vehicles

    ", + "

    Fill in an application to get a vehicle load compartment design approved and pay the fee.

    ", + "

    After the design is approved, you have to apply for a \u2018certificate of conformity\u2019 for each vehicle made to that design. You have to pay a fee for each vehicle. DVSA will inspect a sample of the vehicles.

    ", + "

    The certificate lasts for 2 years from the date it\u2019s issued. You then need to book an inspection for each vehicle made to the design every 2 years to keep them approved. You have to pay the inspection fee each time.

    ", + "Fee type | Cost", + "Approval of a design for a series of vehicles | \u00a3644", + "Certificate of conformity for each vehicle made to the design | \u00a314", + "Two-yearly inspection for each vehicle made to the design | \u00a3106", + "Re-inspection for a vehicle after a failed test | \u00a370", + "Make a change to an approved design | \u00a3106", + "Replacement certificate of conformity | \u00a314", + "

    Fees may be different in Northern Ireland.

    ", + "

    Where you can get the vehicle tested

    ", + "

    Call DVSA to find out where you can have it done.

    ", + "

    Cancelling a test

    ", + "

    You\u2019ll need to give at least 3 days notice to cancel an inspection. Otherwise the fee won\u2019t be refunded.

    ", + "

    Change the weight you can carry

    ", + "

    You can apply to increase the maximum permitted weight your lorry can carry.

    ", + "

    This is known as:

    ", + "
  • \u2018up-plating\u2019 if no physical changes have been made to the design
  • ", + "
  • \u2018uprating\u2019 if the design has been modified
  • ", + "

    You\u2019ll get a new plate to show the change in permitted weight.

    ", + "

    You\u2019ll have to pay a higher rate of vehicle tax if up-plating or uprating puts you in a higher vehicle tax band.

    ", + "

    Downplating and downrating

    ", + "

    You can also \u2018downplate\u2019 or \u2018downrate\u2019 your lorry. This reduces the maximum weight it can work at and will lower its rate of vehicle tax.

    ", + "

    Your vehicle will be inspected by DVSA if it has been uprated or downrated before it\u2019s issued with new plates at the new weights.

    ", + "

    Up-plated and downplated lorries are not usually inspected, but downplated vehicles might have to pass an official weight test before DVSA issues a new plate.

    ", + "

    Apply to replate your lorry

    ", + "

    You can apply online or by post. You\u2019ll need to pay \u00a327.

    ", + "

    You must apply to DVLA using form V70 to re-licence the lorry once it\u2019s replated. Send your new plating certificate VTG7 with your application.

    ", + "

    Reduced emissions test

    ", + "

    You can get your vehicle tested for a Low Emissions Certificate (LEC). This lets you drive in the Low Emission Zone (LEZ) without paying.

    ", + "

    The Reduced Pollution Certificate (RPC) scheme to reduce your vehicle tax ended on 31 December 2016.

    ", + "

    Eligibility

    ", + "

    Your vehicle can be tested for a Low Emissions Certificate if it:

    ", + "
  • was registered in the UK before 1 October 2006
  • ", + "
  • is fitted with a full filter to Low Emission Zone emissions standards
  • ", + "

    You do not need a Low Emission Certificate for a vehicle with a Euro 4, 5 or 6 engine.

    ", + "

    Converted and re-engined vehicles

    ", + "

    Contact DVLA if the vehicle has either:

    ", + "
  • been fitted or converted to run solely on petrol
  • ", + "
  • had an approved gas conversion
  • ", + "

    Contact Transport for London (TfL) if your vehicle has been \u2018re-engined\u2019 to meet Low Emission Zone standards.

    ", + "

    Book a Low Emissions Certificate test

    ", + "

    Contact an authorised testing facility or Driver and Vehicle Standards Agency (DVSA) test station to book the test.

    ", + "

    You need:

    ", + "
  • your vehicle registration number
  • ", + "
  • your vehicle identification or chassis number
  • ", + "
  • the make, model and date of manufacture
  • ", + "
  • details of any modifications made to meet the emissions standard
  • ", + "
  • to pay the fee
  • ", + "

    It\u2019s cheaper to have the test done at the same time as the vehicle\u2019s annual test.

    ", + "

    What to take to the test

    ", + "

    If it\u2019s been tested before you must take the vehicle\u2019s previous Low Emissions Certificate or Reduced Pollution Certificate.

    ", + "

    The test can be cancelled and you\u2019ll have to pay again if you do not take the certificate.

    ", + "

    What happens at the test

    ", + "

    The test is in 2 parts:

    ", + "
  • physical inspection to check any modifications, such as a filter fitted to the exhaust
  • ", + "
  • smoke opacity test to check emissions
  • ", + "

    Test result

    ", + "

    You\u2019ll get a Low Emissions Certificate if your vehicle passes the test.

    ", + "

    DVSA will pass your details to TfL automatically. You cannot drive in the Low Emission Zone until your details have been updated - it takes around 3 days.

    ", + "

    If your vehicle is registered outside Great Britain, you need to register with TfL yourself. You can be fined up to \u00a31,000 if you do not register it.

    ", + "

    If your vehicle fails

    ", + "

    You can appeal the result. Fill in form LEC3 and send it to DVSA. The address is on the form.

    ", + "

    Renewing a Low Emissions Certificate

    ", + "

    The Low Emissions Certificate has an expiry date on it. You need to get your vehicle tested again by this date if you want to continue driving in the Low Emission Zone without paying.

    ", + "

    You can be fined up to \u00a31,000 for driving in the Low Emission Zone without a valid Low Emissions Certificate.

    " + ] + }, + "https://www.gov.uk/specialist-tests-for-coaches-and-buses": { + "url": "https://www.gov.uk/specialist-tests-for-coaches-and-buses", + "title": "Specialist tests for coaches and buses", + "content": "## Overview\n\nYou must get your commercial vehicle tested every year to make sure it\u2019s roadworthy. This is known as the annual test.\n\nThere are extra tests coaches and buses may need to take to:\n\n- qualify for free entrance to the London Low Emission Zone (LEZ) by getting a Low Emissions Certificate (LEC)\n\n- meet seat belt safety rules\n\n## Reduced emissions test\n\nYou can get your vehicle tested for a Low Emissions Certificate (LEC). This lets you drive in the Low Emission Zone (LEZ) without paying.\n\nThe Reduced Pollution Certificate (RPC) scheme to reduce your vehicle tax ended on 31 December 2016.\n\n## Eligibility\n\nYour vehicle can be tested for a Low Emissions Certificate if it:\n\n- was registered in the UK before 1 October 2006\n\n- is fitted with a full filter to Low Emission Zone emissions standards\n\nYou don\u2019t need a Low Emission Certificate for a vehicle with a Euro 4, 5 or 6 engine.\n\n## Converted and re-engined vehicles\n\nContact DVLA if the vehicle has either:\n\n- been fitted or converted to run solely on petrol\n\n- had an approved gas conversion\n\nContact Transport for London (TfL) if your vehicle has been \u2018re-engined\u2019 to meet Low Emission Zone standards.\n\n## Book a Low Emissions Certificate test\n\nContact an authorised testing facility or Driver and Vehicle Standards Agency (DVSA) test station to book the test.\n\nYou need:\n\n- your vehicle registration number\n\n- your vehicle identification or chassis number\n\n- the make, model and date of manufacture\n\n- details of any modifications made to meet the emissions standard\n\n- to pay the fee\n\nIt\u2019s cheaper to have the test done at the same time as the vehicle\u2019s annual test.\n\n## What to take to the test\n\nIf it\u2019s been tested before you must take the vehicle\u2019s previous Low Emissions Certificate or Reduced Pollution Certificate.\n\nThe test can be cancelled and you\u2019ll have to pay again if you don\u2019t take the certificate.\n\n## What happens at the test\n\nThe test is in 2 parts:\n\n- physical inspection to check any modifications, such as a filter fitted to the exhaust\n\n- smoke opacity test to check emissions\n\n## Test result\n\nYou\u2019ll get a Low Emissions Certificate if your vehicle passes the test.\n\nDVSA will pass your details to TfL automatically. It takes around 3 days for your details to be updated so you can drive in the Low Emission Zone.\n\nIf your vehicle is registered outside Great Britain, you need to register with TfL yourself. You can be fined up to \u00a31,000 if you don\u2019t register it.\n\n## If your vehicle fails\n\nYou can appeal the result. Fill in form LEC3 and send it to DVSA. The address is on the form.\n\n## Renewing a Low Emissions Certificate\n\nThe Low Emissions Certificate has an expiry date on it. You need to get your vehicle tested again by this date if you want to continue driving in the Low Emission Zone without paying.\n\nYou can be fined up to \u00a31,000 for driving in the Low Emission Zone without a valid Low Emissions Certificate.\n\n## Seat belt installation tests\n\nManufacturers of some buses, coaches and minibuses must make sure their seat belts meet certain safety rules.\n\n## Vehicles that need to be tested\n\nIf your vehicle has additional seat belts fitted beyond those required by law, it must be tested if:\n\n- it\u2019s a private passenger vehicle with more than 8 passenger seats and was first used on or after 1 October 2001\n\n- it\u2019s a public service vehicle\n\n## Exemptions\n\nPrivate passenger vehicles registered before 1 October 2001 are exempt.\n\nBuses made to carry standing passengers are also exempt, but if they have seat belts these must be tested.\n\nPublic service vehicles that need a Certificate of Initial Fitness (COIF) have their seat belts checked as part of this process.\n\n## Arrange a test\n\nYou can get your passenger vehicle\u2019s seat belt installation tested at one of the following centres:\n\n- Status\n\n- Millbrook proving ground\n\n- Transport research laboratory\n\nManufacturers can test their own seat belts as long as they have the right equipment and staff.\n\nTesting seat belts is usually part of obtaining a COIF on new vehicles.\n\nYou can get more advice about testing your passenger vehicle\u2019s seat belts from DVSA.", + "original_contents": [ + "

    Overview

    ", + "

    You must get your commercial vehicle tested every year to make sure it\u2019s roadworthy. This is known as the annual test.

    ", + "

    There are extra tests coaches and buses may need to take to:

    ", + "
  • qualify for free entrance to the London Low Emission Zone (LEZ) by getting a Low Emissions Certificate (LEC)
  • ", + "
  • meet seat belt safety rules
  • ", + "

    Reduced emissions test

    ", + "

    You can get your vehicle tested for a Low Emissions Certificate (LEC). This lets you drive in the Low Emission Zone (LEZ) without paying.

    ", + "

    The Reduced Pollution Certificate (RPC) scheme to reduce your vehicle tax ended on 31 December 2016.

    ", + "

    Eligibility

    ", + "

    Your vehicle can be tested for a Low Emissions Certificate if it:

    ", + "
  • was registered in the UK before 1 October 2006
  • ", + "
  • is fitted with a full filter to Low Emission Zone emissions standards
  • ", + "

    You don\u2019t need a Low Emission Certificate for a vehicle with a Euro 4, 5 or 6 engine.

    ", + "

    Converted and re-engined vehicles

    ", + "

    Contact DVLA if the vehicle has either:

    ", + "
  • been fitted or converted to run solely on petrol
  • ", + "
  • had an approved gas conversion
  • ", + "

    Contact Transport for London (TfL) if your vehicle has been \u2018re-engined\u2019 to meet Low Emission Zone standards.

    ", + "

    Book a Low Emissions Certificate test

    ", + "

    Contact an authorised testing facility or Driver and Vehicle Standards Agency (DVSA) test station to book the test.

    ", + "

    You need:

    ", + "
  • your vehicle registration number
  • ", + "
  • your vehicle identification or chassis number
  • ", + "
  • the make, model and date of manufacture
  • ", + "
  • details of any modifications made to meet the emissions standard
  • ", + "
  • to pay the fee
  • ", + "

    It\u2019s cheaper to have the test done at the same time as the vehicle\u2019s annual test.

    ", + "

    What to take to the test

    ", + "

    If it\u2019s been tested before you must take the vehicle\u2019s previous Low Emissions Certificate or Reduced Pollution Certificate.

    ", + "

    The test can be cancelled and you\u2019ll have to pay again if you don\u2019t take the certificate.

    ", + "

    What happens at the test

    ", + "

    The test is in 2 parts:

    ", + "
  • physical inspection to check any modifications, such as a filter fitted to the exhaust
  • ", + "
  • smoke opacity test to check emissions
  • ", + "

    Test result

    ", + "

    You\u2019ll get a Low Emissions Certificate if your vehicle passes the test.

    ", + "

    DVSA will pass your details to TfL automatically. It takes around 3 days for your details to be updated so you can drive in the Low Emission Zone.

    ", + "

    If your vehicle is registered outside Great Britain, you need to register with TfL yourself. You can be fined up to \u00a31,000 if you don\u2019t register it.

    ", + "

    If your vehicle fails

    ", + "

    You can appeal the result. Fill in form LEC3 and send it to DVSA. The address is on the form.

    ", + "

    Renewing a Low Emissions Certificate

    ", + "

    The Low Emissions Certificate has an expiry date on it. You need to get your vehicle tested again by this date if you want to continue driving in the Low Emission Zone without paying.

    ", + "

    You can be fined up to \u00a31,000 for driving in the Low Emission Zone without a valid Low Emissions Certificate.

    ", + "

    Seat belt installation tests

    ", + "

    Manufacturers of some buses, coaches and minibuses must make sure their seat belts meet certain safety rules.

    ", + "

    Vehicles that need to be tested

    ", + "

    If your vehicle has additional seat belts fitted beyond those required by law, it must be tested if:

    ", + "
  • it\u2019s a private passenger vehicle with more than 8 passenger seats and was first used on or after 1 October 2001
  • ", + "
  • it\u2019s a public service vehicle
  • ", + "

    Exemptions

    ", + "

    Private passenger vehicles registered before 1 October 2001 are exempt.

    ", + "

    Buses made to carry standing passengers are also exempt, but if they have seat belts these must be tested.

    ", + "

    Public service vehicles that need a Certificate of Initial Fitness (COIF) have their seat belts checked as part of this process.

    ", + "

    Arrange a test

    ", + "

    You can get your passenger vehicle\u2019s seat belt installation tested at one of the following centres:

    ", + "
  • Status
  • ", + "
  • Millbrook proving ground
  • ", + "
  • Transport research laboratory
  • ", + "

    Manufacturers can test their own seat belts as long as they have the right equipment and staff.

    ", + "

    Testing seat belts is usually part of obtaining a COIF on new vehicles.

    ", + "

    You can get more advice about testing your passenger vehicle\u2019s seat belts from DVSA.

    " + ] + }, + "https://www.gov.uk/taxi-driver-licence": { + "url": "https://www.gov.uk/taxi-driver-licence", + "title": "Driving licences for taxis and private hire vehicles", + "content": "## Type of driving licence\n\nYou need a licence to drive a taxi or private hire vehicle.\n\nThere are different ways for you apply depending on whether you\u2019ll operate:\n\n- outside London\n\n- inside London\n\nThere is a different process for Northern Ireland.\n\n## Outside London\n\nYou must apply to your local council for a licence to drive a taxi or private hire vehicle (PHV).\n\n## Eligibility\n\nTo apply you must:\n\n- be able to work legally in the UK\n\n- have held a full GB or Northern Ireland driving licence - or a full EU driving licence - for at least 12 months\n\nYou must also be a \u2018fit and proper person\u2019 - which means your background and character will be checked. Your council may carry out an enhanced criminal records check from the Disclosure and Barring Service (DBS).\n\nYou may also need:\n\n- a medical examination\n\n- a \u2018knowledge\u2019 test\n\n- to take a driving test\n\n## Apply\n\nAsk your council what the requirements are in your area, including the fees they charge and how to apply.\n\n## Renew\n\nAsk your council how to renew your licence.\n\n## Inside London\n\nYou need to apply to Transport for London (TfL) to drive a taxi or private hire vehicle (PHV).\n\nCheck with TfL to see if you\u2019re eligible to become a taxi or PHV driver.\n\n## Apply\n\nContact TfL to apply for a taxi driver licence.\n\nContact TfL to apply for a PHV driver licence.\n\n## Renew\n\nTfL will send you a renewal form before your current taxi or PHV driver\u2019s licence expires.\n\nYou need to renew your licence before it expires or you will not be able to work as a taxi or PHV driver.", + "original_contents": [ + "

    Type of driving licence

    ", + "

    You need a licence to drive a taxi or private hire vehicle.

    ", + "

    There are different ways for you apply depending on whether you\u2019ll operate:

    ", + "
  • outside London
  • ", + "
  • inside London
  • ", + "

    There is a different process for Northern Ireland.

    ", + "

    Outside London

    ", + "

    You must apply to your local council for a licence to drive a taxi or private hire vehicle (PHV).

    ", + "

    Eligibility

    ", + "

    To apply you must:

    ", + "
  • be able to work legally in the UK
  • ", + "
  • have held a full GB or Northern Ireland driving licence - or a full EU driving licence - for at least 12 months
  • ", + "

    You must also be a \u2018fit and proper person\u2019 - which means your background and character will be checked. Your council may carry out an enhanced criminal records check from the Disclosure and Barring Service (DBS).

    ", + "

    You may also need:

    ", + "
  • a medical examination
  • ", + "
  • a \u2018knowledge\u2019 test
  • ", + "
  • to take a driving test
  • ", + "

    Apply

    ", + "

    Ask your council what the requirements are in your area, including the fees they charge and how to apply.

    ", + "

    Renew

    ", + "

    Ask your council how to renew your licence.

    ", + "

    Inside London

    ", + "

    You need to apply to Transport for London (TfL) to drive a taxi or private hire vehicle (PHV).

    ", + "

    Check with TfL to see if you\u2019re eligible to become a taxi or PHV driver.

    ", + "

    Apply

    ", + "

    Contact TfL to apply for a taxi driver licence.

    ", + "

    Contact TfL to apply for a PHV driver licence.

    ", + "

    Renew

    ", + "

    TfL will send you a renewal form before your current taxi or PHV driver\u2019s licence expires.

    ", + "

    You need to renew your licence before it expires or you will not be able to work as a taxi or PHV driver.

    " + ] + }, + "https://www.gov.uk/being-a-goods-vehicle-operator": { + "url": "https://www.gov.uk/being-a-goods-vehicle-operator", + "title": "Being a goods vehicle operator", + "content": "## Overview\n\nYou need a goods vehicle operator\u2019s licence if your business uses goods vehicles above a certain weight.\n\nThe rules are different if you\u2019re in Northern Ireland.\n\nYou need a licence to carry goods in a lorry, van or other vehicle with either:\n\n- a gross plated weight (the maximum weight that the vehicle can have at any one time) of over 3,500 kilograms (kg)\n\n- an unladen weight of more than 1,525 kg (where there is no plated weight)\n\nThere are 3 different types of licence - what you need depends on the work you do.\n\nYou must also make sure that any drivers you use or employ have the correct licence and training. All vehicles that you use should be correctly taxed and kept safe and in good condition at all times.\n\nSome goods vehicles do not need an operator\u2019s licence - read more about the exemptions.\n\n## Motor vehicles and trailers\n\nYou\u2019ll need a goods vehicle operator\u2019s licence for a motor vehicle and trailer combination if:\n\n- the motor vehicle and the trailer(s) are plated and the total of their gross plated weights is more than 3,500 kg\n\n- the total unladen weight of the vehicle and trailer combination is more than 1,525 kg\n\nYou do not need an operator\u2019s licence if your trailer\u2019s unladen weight is less than 1,020 kg and you only carry your own goods.\n\n## Carrying goods for hire or reward\n\nYou\u2019ll need a standard licence if you\u2019re carrying other people\u2019s goods for hire or reward (such as working as a courier or freight transport business) and the vehicle and trailer combination exceeds the weight limits above for a single vehicle.\n\n## Types of licence\n\nThere are 3 different types of operator\u2019s licence for goods vehicles. The licence you need depends on where you transport goods to and from, and who you do it for.\n\n## Standard national licence\n\nThis licence means you can carry:\n\n- your own goods in the UK and internationally\n\n- other people\u2019s goods in the UK\n\nYou can also take loaded trailers to or from ports within the UK as part of an international journey, as long as your vehicles do not leave the country.\n\n## Standard international licence\n\nThis licence means you can carry your own goods, and other people\u2019s goods, both in the UK and on international journeys.\n\nAfter you get a standard international licence, you can also request the issue of a UK Licence for the Community. A UK Licence for the Community allows:\n\n- trips between all EU member countries\n\n- transit traffic through EU member countries\n\n- cabotage (a journey entirely within one EU country)\n\n## Restricted licence\n\nThis licence allows you to carry your own goods, but not other people\u2019s goods.\n\nYour licence will continue to be valid as long as you pay your continuation fee every 5 years and operate within the terms of your licence. You\u2019ll be contacted every 5 years to make sure that your licence shows the correct information.\n\nContact the Driver and Vehicle Standards Agency (DVSA) if you have any questions about vehicle licences.\n\n## Transport outside the EU\n\nContact the DVSA International Road Haulage Permits Office for help with applications for transport outside certain EU countries.\n\n## Apply for a licence\n\nThe goods vehicle operator licensing scheme is administered by the Driver and Vehicle Standards Agency (DVSA) on behalf of the traffic commissioners.\n\nThe rules and fees are different if you\u2019re in Northern Ireland.\n\n## How to apply for a licence\n\nYou can apply for a goods vehicle operator\u2019s licence online.\n\nYou\u2019ll also need to:\n\n- advertise your application for a licence\n\n- advertise your proposed operating centre(s)\n\n- designate a transport manager if you\u2019re applying for a standard licence\n\n- provide information about your financial situation\n\n- draw up a maintenance contract with a garage or agent to do safety inspections and repair vehicles if you do not do this yourself\n\nYou\u2019ll have to pay a fee to apply for a licence.\n\nYou\u2019ll usually get a decision on your application within:\n\n- 7 weeks if you apply online\n\n- 9 weeks if you apply by post\n\n## Apply for an interim licence\n\nIf you need a licence urgently, you can apply for an interim licence until you get your full licence.\n\nThe traffic commissioner will only consider issuing an interim licence on receipt of a complete application for an operator\u2019s licence.\n\n## What the traffic commissioners do\n\nThere are 8 traffic areas in Great Britain with a traffic commissioner responsible for each area. You\u2019ll need to hold a goods vehicle operator\u2019s licence for each traffic area where you have an operating centre.\n\nTraffic commissioners are responsible in their area for:\n\n- licensing operators of Heavy Goods Vehicles (HGVs)\n\n- granting vocational licences\n\n- taking action against drivers of HGVs\n\nWhen necessary, they also hold public inquiries to consider:\n\n- the environmental suitability of HGV operating centres\n\n- applications for new licences\n\n- disciplinary action against operators who have broken the conditions of their licences\n\n## Fees for goods vehicle licences\n\nWhen applying for a goods vehicle operator\u2019s licence, you\u2019ll have to pay:\n\n- a one-off fee payable on application\n\n- a fee for the issue of a licence\n\n- a fee for the issue of an interim licence (if applicable)\n\nYou\u2019ll then have to pay a continuation fee every 5 years to keep your licence active.\n\n| Action | Fee |\n\n| Application for a licence | \u00a3257 |\n\n| Issue of a licence | \u00a3401 |\n\n| Continuation of a licence after 5 years | \u00a3401 |\n\n| Issue of an interim licence | \u00a368 |\n\n| Major change to a licence | \u00a3257 |\n\n## How to pay\n\nYou can pay your fees:\n\n- online when you apply for a vehicle operator licence\n\n- by phone - call the DVSA Helpline on 0300 123 9000 to pay for the interim, issuing and continuation fees (find out about call charges)\n\n- by post - cheques should be made payable to \u2018DVSA\u2019 and sent to the following address\n\n## Operating centres\n\nYour operating centre is where your vehicles are normally kept when not in use. When you apply for an operator\u2019s licence, you\u2019ll be asked to give the address of your proposed centre(s) and information about the numbers of trailers and vehicles you will keep there.\n\nYou\u2019ll need to show that your operating centre:\n\n- is large enough\n\n- has safe access\n\n- is in an environmentally acceptable location\n\nIf you do not own the operating centre, you must show that you\u2019re allowed to use it.\n\n## Advertising your application for a goods vehicle operator\u2019s licence\n\nYou must advertise your application for a licence in a local newspaper and supply details of your proposed operating centre. This advertisement must appear at least once in the period from 21 days before to 21 days after you make your application, to give people the chance to object.\n\nYour application may be refused if you do not advertise the centre properly.\n\n## Objecting to an application for a goods vehicle operator licence\n\nLocal councils, planning authorities, police, trade associations, trade unions and other bodies may object to your application for a licence.\n\nObjections may be made on the grounds of:\n\n- your fitness to operate\n\n- your financial arrangements\n\n- your professional competence\n\n- the environmental impact of the operating centre\n\n- the general suitability of the centre\n\nYour operating centre will need to meet certain conditions and not interfere with any local amenities. Certain things will be taken into account, like:\n\n- its effect on the surrounding environment\n\n- planning permissions or applications relating to the centre or the land near it\n\n- the number, type and size of vehicles using the centre\n\n- where and how vehicles will park\n\n- how often and for what purpose the centre will be used\n\n## Maintaining your vehicles\n\nYou must keep your vehicles safe and in good condition at all times. You\u2019ll have to keep records of all safety inspections and maintenance that you or your maintenance contractor do for a minimum of 15 months.\n\n## Carrying out your own inspections and maintenance\n\nIf you carry out your own safety inspections and maintenance, you must keep records that include:\n\n- vehicle details\n\n- a list of all items to be inspected\n\n- when and by whom the inspection is carried out\n\n- the result of the inspection\n\n- details of any work carried out\n\n- a declaration that any defects have been properly fixed\n\n## Walkaround checks\n\nYou must make sure your drivers carry out a \u2018walkaround check\u2019 before driving a vehicle for the first time each day.\n\n## Using a maintenance provider\n\nIf you do not do this work yourself, you must provide the traffic commissioner with a copy of a contract with a maintenance provider. You\u2019re still responsible for the condition of your vehicles and trailers, even if they are maintained for you by someone else.\n\nRead the guidance to find out how to keep your vehicle in a roadworthy condition.\n\nThere are also specific roadworthiness checks for recovery vehicles and for horse boxes and trailers.\n\n## Employing or using drivers\n\nIf you employ or give work to drivers, you must check that they have the correct licence and training to drive goods vehicles.\n\nProfessional lorry drivers need to hold a Driver Certificate of Professional Competence (Driver CPC).\n\nIf you employ or give work to foreign drivers, you should make sure they understand the rules for driving in the UK. The Highways Agency has produced guides for foreign HGV drivers in 6 languages.\n\n## Make changes to your licence\n\nYou can make changes to your goods vehicle operator\u2019s licence once you have it, for example add more vehicles to it.\n\nYou can update your licence online.\n\nYou must apply by post if you want to transfer your operating centre to another operator. Download and fill in form GV72 - the address is on the form.\n\n## Order a replacement licence\n\nWrite to the Office of the Traffic Commissioner if you need to replace your licence.\n\n## What happens if you break the terms of your licence\n\nThe Driver and Vehicle Standards Agency carries out regular roadside vehicle checks and checks on operating centres. They then submit information to the independent traffic commissioners.\n\nYour vehicle may be prohibited or immobilised if a DVSA roadside check finds that:\n\n- it\u2019s been overloaded\n\n- it\u2019s unroadworthy\n\n- it breaks the rules on the transport of dangerous goods\n\n- a driver has broken drivers\u2019 hours regulations\n\nYour licence could be taken away, suspended or restricted by the traffic commissioner if you:\n\n- break any of the terms or conditions of your licence\n\n- do not meet health and safety conditions\n\n- are convicted of certain offences\n\n- are made bankrupt or (if the licence holder is a company) that company goes into liquidation, administration or receivership\n\n- use a place not listed on the licence as an operating centre\n\n- are given a prohibition notice by DVSA following an inspection\n\nThe traffic commissioner may decide to call you to a public inquiry to consider if any action against your licence is necessary.\n\n## Exemptions\n\nYou do not need a goods vehicle operator\u2019s licence if your vehicle:\n\n- was first used before 1977, has an unladen weight of 1,525 kilograms or less and a maximum gross plated weight over 3,500 kilograms\n\n- is using public roads for less than 6 miles a week whilst moving between private premises belonging to the same person as the vehicle (if the vehicle\u2019s used for excavation or demolition it does not matter who it belongs to)\n\n- is being used on trade plates\n\n- is a passenger carrying vehicle\n\n## Categories of vehicles that are exempt\n\nSeveral types of vehicle do not need an operator\u2019s licence, including:\n\n- military vehicles\n\n- snow ploughs and gritters\n\n- emergency service vehicles (including those used by gas, electricity, water and telephone companies)\n\n- hearses\n\n- recovery vehicles (only if they\u2019re used exclusively for that purpose)\n\n- tractors and agricultural vehicles used in certain circumstances\n\nRead the guidance to find out more about the vehicle operator licensing system.\n\n## Categories of vehicles that are not exempt\n\nThese types of vehicles are never exempt:\n\n- mobile exhibition vehicles\n\n- catering vehicles\n\n- mobile shops\n\n- mobile medical screening vehicles\n\n- vehicles with fixed equipment carrying goods not strictly for use in connection with that equipment, or towing a trailer that\u2019s carrying goods", + "original_contents": [ + "

    Overview

    ", + "

    You need a goods vehicle operator\u2019s licence if your business uses goods vehicles above a certain weight.

    ", + "

    The rules are different if you\u2019re in Northern Ireland.

    ", + "

    You need a licence to carry goods in a lorry, van or other vehicle with either:

    ", + "
  • a gross plated weight (the maximum weight that the vehicle can have at any one time) of over 3,500 kilograms (kg)
  • ", + "
  • an unladen weight of more than 1,525 kg (where there is no plated weight)
  • ", + "

    There are 3 different types of licence - what you need depends on the work you do.

    ", + "

    You must also make sure that any drivers you use or employ have the correct licence and training. All vehicles that you use should be correctly taxed and kept safe and in good condition at all times.

    ", + "

    Some goods vehicles do not need an operator\u2019s licence - read more about the exemptions.

    ", + "

    Motor vehicles and trailers

    ", + "

    You\u2019ll need a goods vehicle operator\u2019s licence for a motor vehicle and trailer combination if:

    ", + "
  • the motor vehicle and the trailer(s) are plated and the total of their gross plated weights is more than 3,500 kg
  • ", + "
  • the total unladen weight of the vehicle and trailer combination is more than 1,525 kg
  • ", + "

    You do not need an operator\u2019s licence if your trailer\u2019s unladen weight is less than 1,020 kg and you only carry your own goods.

    ", + "

    Carrying goods for hire or reward

    ", + "

    You\u2019ll need a standard licence if you\u2019re carrying other people\u2019s goods for hire or reward (such as working as a courier or freight transport business) and the vehicle and trailer combination exceeds the weight limits above for a single vehicle.

    ", + "

    Types of licence

    ", + "

    There are 3 different types of operator\u2019s licence for goods vehicles. The licence you need depends on where you transport goods to and from, and who you do it for.

    ", + "

    Standard national licence

    ", + "

    This licence means you can carry:

    ", + "
  • your own goods in the UK and internationally
  • ", + "
  • other people\u2019s goods in the UK
  • ", + "

    You can also take loaded trailers to or from ports within the UK as part of an international journey, as long as your vehicles do not leave the country.

    ", + "

    Standard international licence

    ", + "

    This licence means you can carry your own goods, and other people\u2019s goods, both in the UK and on international journeys.

    ", + "

    After you get a standard international licence, you can also request the issue of a UK Licence for the Community. A UK Licence for the Community allows:

    ", + "
  • trips between all EU member countries
  • ", + "
  • transit traffic through EU member countries
  • ", + "
  • cabotage (a journey entirely within one EU country)
  • ", + "

    Restricted licence

    ", + "

    This licence allows you to carry your own goods, but not other people\u2019s goods.

    ", + "

    Your licence will continue to be valid as long as you pay your continuation fee every 5 years and operate within the terms of your licence. You\u2019ll be contacted every 5 years to make sure that your licence shows the correct information.

    ", + "

    Contact the Driver and Vehicle Standards Agency (DVSA) if you have any questions about vehicle licences.

    ", + "

    Transport outside the EU

    ", + "

    Contact the DVSA International Road Haulage Permits Office for help with applications for transport outside certain EU countries.

    ", + "

    Apply for a licence

    ", + "

    The goods vehicle operator licensing scheme is administered by the Driver and Vehicle Standards Agency (DVSA) on behalf of the traffic commissioners.

    ", + "

    The rules and fees are different if you\u2019re in Northern Ireland.

    ", + "

    How to apply for a licence

    ", + "

    You can apply for a goods vehicle operator\u2019s licence online.

    ", + "

    You\u2019ll also need to:

    ", + "
  • advertise your application for a licence
  • ", + "
  • advertise your proposed operating centre(s)
  • ", + "
  • designate a transport manager if you\u2019re applying for a standard licence
  • ", + "
  • provide information about your financial situation
  • ", + "
  • draw up a maintenance contract with a garage or agent to do safety inspections and repair vehicles if you do not do this yourself
  • ", + "

    You\u2019ll have to pay a fee to apply for a licence.

    ", + "

    You\u2019ll usually get a decision on your application within:

    ", + "
  • 7 weeks if you apply online
  • ", + "
  • 9 weeks if you apply by post
  • ", + "

    Apply for an interim licence

    ", + "

    If you need a licence urgently, you can apply for an interim licence until you get your full licence.

    ", + "

    The traffic commissioner will only consider issuing an interim licence on receipt of a complete application for an operator\u2019s licence.

    ", + "

    What the traffic commissioners do

    ", + "

    There are 8 traffic areas in Great Britain with a traffic commissioner responsible for each area. You\u2019ll need to hold a goods vehicle operator\u2019s licence for each traffic area where you have an operating centre.

    ", + "

    Traffic commissioners are responsible in their area for:

    ", + "
  • licensing operators of Heavy Goods Vehicles (HGVs)
  • ", + "
  • granting vocational licences
  • ", + "
  • taking action against drivers of HGVs
  • ", + "

    When necessary, they also hold public inquiries to consider:

    ", + "
  • the environmental suitability of HGV operating centres
  • ", + "
  • applications for new licences
  • ", + "
  • disciplinary action against operators who have broken the conditions of their licences
  • ", + "

    Fees for goods vehicle licences

    ", + "

    When applying for a goods vehicle operator\u2019s licence, you\u2019ll have to pay:

    ", + "
  • a one-off fee payable on application
  • ", + "
  • a fee for the issue of a licence
  • ", + "
  • a fee for the issue of an interim licence (if applicable)
  • ", + "

    You\u2019ll then have to pay a continuation fee every 5 years to keep your licence active.

    ", + "Action | Fee", + "Application for a licence | \u00a3257", + "Issue of a licence | \u00a3401", + "Continuation of a licence after 5 years | \u00a3401", + "Issue of an interim licence | \u00a368", + "Major change to a licence | \u00a3257", + "

    How to pay

    ", + "

    You can pay your fees:

    ", + "
  • online when you apply for a vehicle operator licence
  • ", + "
  • by phone - call the DVSA Helpline on 0300 123 9000 to pay for the interim, issuing and continuation fees (find out about call charges)
  • ", + "
  • by post - cheques should be made payable to \u2018DVSA\u2019 and sent to the following address
  • ", + "

    Operating centres

    ", + "

    Your operating centre is where your vehicles are normally kept when not in use. When you apply for an operator\u2019s licence, you\u2019ll be asked to give the address of your proposed centre(s) and information about the numbers of trailers and vehicles you will keep there.

    ", + "

    You\u2019ll need to show that your operating centre:

    ", + "
  • is large enough
  • ", + "
  • has safe access
  • ", + "
  • is in an environmentally acceptable location
  • ", + "

    If you do not own the operating centre, you must show that you\u2019re allowed to use it.

    ", + "

    Advertising your application for a goods vehicle operator\u2019s licence

    ", + "

    You must advertise your application for a licence in a local newspaper and supply details of your proposed operating centre. This advertisement must appear at least once in the period from 21 days before to 21 days after you make your application, to give people the chance to object.

    ", + "

    Your application may be refused if you do not advertise the centre properly.

    ", + "

    Objecting to an application for a goods vehicle operator licence

    ", + "

    Local councils, planning authorities, police, trade associations, trade unions and other bodies may object to your application for a licence.

    ", + "

    Objections may be made on the grounds of:

    ", + "
  • your fitness to operate
  • ", + "
  • your financial arrangements
  • ", + "
  • your professional competence
  • ", + "
  • the environmental impact of the operating centre
  • ", + "
  • the general suitability of the centre
  • ", + "

    Your operating centre will need to meet certain conditions and not interfere with any local amenities. Certain things will be taken into account, like:

    ", + "
  • its effect on the surrounding environment
  • ", + "
  • planning permissions or applications relating to the centre or the land near it
  • ", + "
  • the number, type and size of vehicles using the centre
  • ", + "
  • where and how vehicles will park
  • ", + "
  • how often and for what purpose the centre will be used
  • ", + "

    Maintaining your vehicles

    ", + "

    You must keep your vehicles safe and in good condition at all times. You\u2019ll have to keep records of all safety inspections and maintenance that you or your maintenance contractor do for a minimum of 15 months.

    ", + "

    Carrying out your own inspections and maintenance

    ", + "

    If you carry out your own safety inspections and maintenance, you must keep records that include:

    ", + "
  • vehicle details
  • ", + "
  • a list of all items to be inspected
  • ", + "
  • when and by whom the inspection is carried out
  • ", + "
  • the result of the inspection
  • ", + "
  • details of any work carried out
  • ", + "
  • a declaration that any defects have been properly fixed
  • ", + "

    Walkaround checks

    ", + "

    You must make sure your drivers carry out a \u2018walkaround check\u2019 before driving a vehicle for the first time each day.

    ", + "

    Using a maintenance provider

    ", + "

    If you do not do this work yourself, you must provide the traffic commissioner with a copy of a contract with a maintenance provider. You\u2019re still responsible for the condition of your vehicles and trailers, even if they are maintained for you by someone else.

    ", + "

    Read the guidance to find out how to keep your vehicle in a roadworthy condition.

    ", + "

    There are also specific roadworthiness checks for recovery vehicles and for horse boxes and trailers.

    ", + "

    Employing or using drivers

    ", + "

    If you employ or give work to drivers, you must check that they have the correct licence and training to drive goods vehicles.

    ", + "

    Professional lorry drivers need to hold a Driver Certificate of Professional Competence (Driver CPC).

    ", + "

    If you employ or give work to foreign drivers, you should make sure they understand the rules for driving in the UK. The Highways Agency has produced guides for foreign HGV drivers in 6 languages.

    ", + "

    Make changes to your licence

    ", + "

    You can make changes to your goods vehicle operator\u2019s licence once you have it, for example add more vehicles to it.

    ", + "

    You can update your licence online.

    ", + "

    You must apply by post if you want to transfer your operating centre to another operator. Download and fill in form GV72 - the address is on the form.

    ", + "

    Order a replacement licence

    ", + "

    Write to the Office of the Traffic Commissioner if you need to replace your licence.

    ", + "

    What happens if you break the terms of your licence

    ", + "

    The Driver and Vehicle Standards Agency carries out regular roadside vehicle checks and checks on operating centres. They then submit information to the independent traffic commissioners.

    ", + "

    Your vehicle may be prohibited or immobilised if a DVSA roadside check finds that:

    ", + "
  • it\u2019s been overloaded
  • ", + "
  • it\u2019s unroadworthy
  • ", + "
  • it breaks the rules on the transport of dangerous goods
  • ", + "
  • a driver has broken drivers\u2019 hours regulations
  • ", + "

    Your licence could be taken away, suspended or restricted by the traffic commissioner if you:

    ", + "
  • break any of the terms or conditions of your licence
  • ", + "
  • do not meet health and safety conditions
  • ", + "
  • are convicted of certain offences
  • ", + "
  • are made bankrupt or (if the licence holder is a company) that company goes into liquidation, administration or receivership
  • ", + "
  • use a place not listed on the licence as an operating centre
  • ", + "
  • are given a prohibition notice by DVSA following an inspection
  • ", + "

    The traffic commissioner may decide to call you to a public inquiry to consider if any action against your licence is necessary.

    ", + "

    Exemptions

    ", + "

    You do not need a goods vehicle operator\u2019s licence if your vehicle:

    ", + "
  • was first used before 1977, has an unladen weight of 1,525 kilograms or less and a maximum gross plated weight over 3,500 kilograms
  • ", + "
  • is using public roads for less than 6 miles a week whilst moving between private premises belonging to the same person as the vehicle (if the vehicle\u2019s used for excavation or demolition it does not matter who it belongs to)
  • ", + "
  • is being used on trade plates
  • ", + "
  • is a passenger carrying vehicle
  • ", + "

    Categories of vehicles that are exempt

    ", + "

    Several types of vehicle do not need an operator\u2019s licence, including:

    ", + "
  • military vehicles
  • ", + "
  • snow ploughs and gritters
  • ", + "
  • emergency service vehicles (including those used by gas, electricity, water and telephone companies)
  • ", + "
  • hearses
  • ", + "
  • recovery vehicles (only if they\u2019re used exclusively for that purpose)
  • ", + "
  • tractors and agricultural vehicles used in certain circumstances
  • ", + "

    Read the guidance to find out more about the vehicle operator licensing system.

    ", + "

    Categories of vehicles that are not exempt

    ", + "

    These types of vehicles are never exempt:

    ", + "
  • mobile exhibition vehicles
  • ", + "
  • catering vehicles
  • ", + "
  • mobile shops
  • ", + "
  • mobile medical screening vehicles
  • ", + "
  • vehicles with fixed equipment carrying goods not strictly for use in connection with that equipment, or towing a trailer that\u2019s carrying goods
  • " + ] + }, + "https://www.gov.uk/permission-to-supply-a-large-goods-trailer-for-use-on-the-road": { + "url": "https://www.gov.uk/permission-to-supply-a-large-goods-trailer-for-use-on-the-road", + "title": "Supply a large goods trailer for use on the road", + "content": "## Overview\n\nYou must apply to the Driver and Vehicle Standards Agency (DVSA) for permission if you supply large goods trailers for use on the road.\n\nThis is called a \u2018letter of consent\u2019 and applies to \u2018final suppliers\u2019.\n\nYou need a letter of consent if your trailer:\n\n- is for carrying goods and weighs more than 1020kg when it\u2019s not carrying any goods or other items (known as \u2018unladen weight\u2019)\n\n- is a semi-trailer\n\nYou do not need a letter of consent if your trailer is listed in Schedule 2 of the Goods Vehicle (Plating and Testing) Regulations.\n\n## Who needs permission\n\nYou need to get permission if you\u2019re a \u2018final supplier\u2019 of trailers. Final suppliers are:\n\n- trailer manufacturers\n\n- trailer dealers\n\n- importers of new trailers\n\nIf you\u2019re a dealer or importer, you only have to get permission if it has not already been obtained, for example if the trailer was built abroad and the manufacturer did not apply.\n\nWhen you need to get permission depends on when the trailer was put into service in the UK.\n\n| Type of trailer | When you need permission |\n\n| Trailers manufactured in a single stage | From 29 October 2012 |\n\n| Trailers manufactured in multiple stages | From 29 October 2013 |\n\n| Special purpose trailers | From 29 October 2014 |\n\nSpecial purpose trailers include some trailer caravans, boat launching trailers, gritters and towed machinery. Check if your trailer is \u2018special purpose\u2019 by calling the Driver and Vehicle Standards Agency (DVSA) helpline.\n\nIt\u2019s an offence to supply or use these trailers without getting permission first and you could be fined.\n\nIf you\u2019re an operator using large goods trailers on the road supplied after the dates above, you do not need to get permission - it should already have been given.\n\nYou can check this by calling the DVSA helpline.\n\n## How to apply\n\nApply using form TES1.\n\nYou might also need to send evidence of vehicle approval depending on when the trailer was manufactured.\n\n| | Manufacture date | Evidence of approval needed |\n\n| Trailers (not including special purpose) manufactured in single and multiple stages | Up to and including 29 July 2012 | No |\n\n| Trailers (not including special purpose) manufactured in a single stage | After 29 July 2012 | Yes |\n\n| Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2012 up to and including 29 July 2013 | Partial (at least one element of approval) |\n\n| Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2013 | Yes |\n\n| Special Purpose trailers manufactured in a single stage | After 29 July 2012 | Yes |\n\n| Special Purpose trailers manufactured in multiple stages | After 29 July 2013 | Yes |\n\nThe Driver and Vehicle Standards Agency (DVSA) accepts the following evidence of vehicle approval:\n\n- a European Community Whole Vehicle Type Approval (ECWVTA) Certificate of Conformity (CoC)\n\n- a UK National Small Series Type Approval (NSSTA) CoC\n\n- a UK Individual Vehicle Approval (IVA) certificate\n\nMore details are in the guidance notes. There is an additional form if you want to apply for consent of multiple trailers.\n\nYou can also get the form and notes from the DVSA helpline:\n\nSend the form and your supporting documents to:\n\n## Apply for a trailer identification number\n\nYou can apply for a trailer identification number (also known as a ministry number) to add to your trailer while it\u2019s still being built.\n\nDo this by submitting the vehicle identification number (VIN) using form TES 2.\n\n## After you apply\n\nOnce DVSA has received your application and confirmed that you meet the requirements you\u2019ll get a \u2018letter of consent to supply\u2019.\n\nIf applicable, you\u2019ll also get ministry plates, provided your approval documents and application give enough technical information.\n\nIf your application is rejected, DVSA will send you a letter explaining the reasons why.", + "original_contents": [ + "

    Overview

    ", + "

    You must apply to the Driver and Vehicle Standards Agency (DVSA) for permission if you supply large goods trailers for use on the road.

    ", + "

    This is called a \u2018letter of consent\u2019 and applies to \u2018final suppliers\u2019.

    ", + "

    You need a letter of consent if your trailer:

    ", + "
  • is for carrying goods and weighs more than 1020kg when it\u2019s not carrying any goods or other items (known as \u2018unladen weight\u2019)
  • ", + "
  • is a semi-trailer
  • ", + "

    You do not need a letter of consent if your trailer is listed in Schedule 2 of the Goods Vehicle (Plating and Testing) Regulations.

    ", + "

    Who needs permission

    ", + "

    You need to get permission if you\u2019re a \u2018final supplier\u2019 of trailers. Final suppliers are:

    ", + "
  • trailer manufacturers
  • ", + "
  • trailer dealers
  • ", + "
  • importers of new trailers
  • ", + "

    If you\u2019re a dealer or importer, you only have to get permission if it has not already been obtained, for example if the trailer was built abroad and the manufacturer did not apply.

    ", + "

    When you need to get permission depends on when the trailer was put into service in the UK.

    ", + "Type of trailer | When you need permission", + "Trailers manufactured in a single stage | From 29 October 2012", + "Trailers manufactured in multiple stages | From 29 October 2013", + "Special purpose trailers | From 29 October 2014", + "

    Special purpose trailers include some trailer caravans, boat launching trailers, gritters and towed machinery. Check if your trailer is \u2018special purpose\u2019 by calling the Driver and Vehicle Standards Agency (DVSA) helpline.

    ", + "

    It\u2019s an offence to supply or use these trailers without getting permission first and you could be fined.

    ", + "

    If you\u2019re an operator using large goods trailers on the road supplied after the dates above, you do not need to get permission - it should already have been given.

    ", + "

    You can check this by calling the DVSA helpline.

    ", + "

    How to apply

    ", + "

    Apply using form TES1.

    ", + "

    You might also need to send evidence of vehicle approval depending on when the trailer was manufactured.

    ", + " | Manufacture date | Evidence of approval needed", + "Trailers (not including special purpose) manufactured in single and multiple stages | Up to and including 29 July 2012 | No", + "Trailers (not including special purpose) manufactured in a single stage | After 29 July 2012 | Yes", + "Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2012 up to and including 29 July 2013 | Partial (at least one element of approval)", + "Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2013 | Yes", + "Special Purpose trailers manufactured in a single stage | After 29 July 2012 | Yes", + "Special Purpose trailers manufactured in multiple stages | After 29 July 2013 | Yes", + "

    The Driver and Vehicle Standards Agency (DVSA) accepts the following evidence of vehicle approval:

    ", + "
  • a European Community Whole Vehicle Type Approval (ECWVTA) Certificate of Conformity (CoC)
  • ", + "
  • a UK National Small Series Type Approval (NSSTA) CoC
  • ", + "
  • a UK Individual Vehicle Approval (IVA) certificate
  • ", + "

    More details are in the guidance notes. There is an additional form if you want to apply for consent of multiple trailers.

    ", + "

    You can also get the form and notes from the DVSA helpline:

    ", + "

    Send the form and your supporting documents to:

    ", + "

    Apply for a trailer identification number

    ", + "

    You can apply for a trailer identification number (also known as a ministry number) to add to your trailer while it\u2019s still being built.

    ", + "

    Do this by submitting the vehicle identification number (VIN) using form TES 2.

    ", + "

    After you apply

    ", + "

    Once DVSA has received your application and confirmed that you meet the requirements you\u2019ll get a \u2018letter of consent to supply\u2019.

    ", + "

    If applicable, you\u2019ll also get ministry plates, provided your approval documents and application give enough technical information.

    ", + "

    If your application is rejected, DVSA will send you a letter explaining the reasons why.

    " + ] + }, + "https://www.gov.uk/esdal-and-abnormal-loads": { + "url": "https://www.gov.uk/esdal-and-abnormal-loads", + "title": "Transporting abnormal loads", + "content": "## Abnormal loads\n\nAn \u2018abnormal load\u2019 is a vehicle that has any of the following:\n\n- a weight of more than 44,000kg\n\n- an axle load of more than 10,000kg for a single non-driving axle and 11,500kg for a single driving axle\n\n- a width of more than 2.9 metres\n\n- a rigid length of more than 18.65 metres\n\nOther measurements may apply if you\u2019re transporting a load abroad.\n\nIf you\u2019re responsible for transporting an abnormal load, you need to follow regulations for notifying the authorities.\n\n## Notifying the authorities\n\nDepending on the load you\u2019re moving and your route, you may need to give advance warning to:\n\n- the police\n\n- highway authorities\n\n- bridge and structure owners like Network Rail\n\nYou can use Highways England\u2019s electronic service delivery for abnormal loads (ESDAL) to:\n\n- plot your route\n\n- notify the police, highways and bridge authorities of your abnormal load movements around the road network\n\n- get advance notice of any possible route problems\n\n- save vehicle details and routes for future use\n\nIf you do not use ESDAL you must fill in an abnormal loads movement application form.\n\n## Give advance notice\n\nYou must allow time to get the necessary clearances from the police, highway and bridge authorities. For example, a Special Order application must be completed 10 weeks before the scheduled date of the move.\n\nRead the factsheet for notice requirements.\n\n## Taking an abnormal load abroad\n\nIf you\u2019re taking an abnormal load outside the UK, you\u2019ll need to:\n\n- register your trailer\n\n- get an abnormal load trailer keeper\u2019s certificate\n\n## Check if a load is abnormal in another country\n\nSome countries measure abnormal loads differently from the UK.\n\nCheck with each country you\u2019re travelling through to find out if the load you\u2019re transporting counts as abnormal - if it does, you\u2019ll need to:\n\n- get an abnormal load trailer keeper\u2019s certificate\n\n- keep the certificate in your vehicle - you\u2019ll need to show it at the border", + "original_contents": [ + "

    Abnormal loads

    ", + "

    An \u2018abnormal load\u2019 is a vehicle that has any of the following:

    ", + "
  • a weight of more than 44,000kg
  • ", + "
  • an axle load of more than 10,000kg for a single non-driving axle and 11,500kg for a single driving axle
  • ", + "
  • a width of more than 2.9 metres
  • ", + "
  • a rigid length of more than 18.65 metres
  • ", + "

    Other measurements may apply if you\u2019re transporting a load abroad.

    ", + "

    If you\u2019re responsible for transporting an abnormal load, you need to follow regulations for notifying the authorities.

    ", + "

    Notifying the authorities

    ", + "

    Depending on the load you\u2019re moving and your route, you may need to give advance warning to:

    ", + "
  • the police
  • ", + "
  • highway authorities
  • ", + "
  • bridge and structure owners like Network Rail
  • ", + "

    You can use Highways England\u2019s electronic service delivery for abnormal loads (ESDAL) to:

    ", + "
  • plot your route
  • ", + "
  • notify the police, highways and bridge authorities of your abnormal load movements around the road network
  • ", + "
  • get advance notice of any possible route problems
  • ", + "
  • save vehicle details and routes for future use
  • ", + "

    If you do not use ESDAL you must fill in an abnormal loads movement application form.

    ", + "

    Give advance notice

    ", + "

    You must allow time to get the necessary clearances from the police, highway and bridge authorities. For example, a Special Order application must be completed 10 weeks before the scheduled date of the move.

    ", + "

    Read the factsheet for notice requirements.

    ", + "

    Taking an abnormal load abroad

    ", + "

    If you\u2019re taking an abnormal load outside the UK, you\u2019ll need to:

    ", + "
  • register your trailer
  • ", + "
  • get an abnormal load trailer keeper\u2019s certificate
  • ", + "

    Check if a load is abnormal in another country

    ", + "

    Some countries measure abnormal loads differently from the UK.

    ", + "

    Check with each country you\u2019re travelling through to find out if the load you\u2019re transporting counts as abnormal - if it does, you\u2019ll need to:

    ", + "
  • get an abnormal load trailer keeper\u2019s certificate
  • ", + "
  • keep the certificate in your vehicle - you\u2019ll need to show it at the border
  • " + ] + }, + "https://www.gov.uk/psv-operator-licences": { + "url": "https://www.gov.uk/psv-operator-licences", + "title": "PSV (Public Service Vehicle) operator licences", + "content": "## Overview\n\nYou need a public service vehicle (PSV) operator\u2019s licence to:\n\n- operate a vehicle for hire or reward (payment or payment in kind) that can carry 9 or more passengers\n\n- operate a smaller vehicle carrying passengers and charging separate fares for the journey\n\nRead PSV437, PSV operator licensing: a guide for operators.\n\n## Types of PSV licence\n\nThere are 4 types of PSV operator licences, plus special licensing rules in London.\n\n## Standard licence - national operations only\n\nYou can only operate in Great Britain if you apply for a standard licence. Most full-time commercial operators use standard licences.\n\n## Standard licence - national and international operations\n\nThis kind of licence lets you take passengers abroad as well as within Great Britain.\n\n## Restricted licence\n\nYou can only apply for a restricted licence for small-scale operations. They allow you to use 1 or 2 vehicles, and neither can carry more than 8 passengers.\n\nYou can carry up to 16 passengers in either vehicle if you do not use it as part of a passenger transport business, or you\u2019re operating your vehicles as a sideline and not as your main job.\n\n## Special restricted licence\n\nSpecial restricted licences are used to operate a licensed taxi on a local service. You can only apply for this licence if you\u2019re a licensed taxi operator. A local service is one where:\n\n- stops are no more than 24.15 kilometres (15 miles) apart\n\n- at least one stop is within the area of the district council that issued your taxi or private hire vehicle (PHV) licence\n\nThe service must be registered with the local Traffic Commissioner.\n\n## Licensing in London\n\nYou\u2019ll need a London Service Permit to run a private bus or coach service in London.\n\nTaxis and private hire services in London are licensed by Transport for London (TfL).\n\n## How to apply for a PSV licence\n\nYou can apply for a PSV operator\u2019s licence online. You\u2019ll usually get a decision within 7 weeks.\n\nIt\u2019s illegal to operate a vehicle before your licence has been issued.\n\nOnce you\u2019ve got your licence it will not have an expiry date, but you\u2019ll be asked to confirm your details every 5 years. The Traffic Commissioner\u2019s Office will get in touch with you to check them. You\u2019ll need to pay a continuation fee if you\u2019ve got a special restricted (taxi) licence.\n\nThe Traffic Commissioner can suspend or revoke your licence if they suspect you\u2019ve been breaking its terms.\n\nYou must also tell the Traffic Commissioner if your circumstances change.\n\n## Fees\n\n| Type of licence | Fees |\n\n| Application for a standard licence | \u00a3209 |\n\n| Application for a restricted licence | \u00a3209 |\n\n| Application for a special restricted (taxi) licence | \u00a361 |\n\n| Continuation fee for a special restricted (taxi) licence (payable every 5 years) | \u00a361 |\n\n| Make changes to a licence | \u00a3122 |\n\n## Ways you can pay\n\nPay for your licence online, by phone or by post.\n\n## Paying online\n\nYou can pay any application or licence fees when you apply for a vehicle operator licence online.\n\n## Paying by phone\n\nYou can pay by phone by calling the DVSA helpline.\n\n## Paying by post\n\nSend a cheque or postal order made payable to \u2018DVSA\u2019 to the Central Licensing Office.\n\n## Making changes to your PSV licence\n\nYou can make changes to your PSV operator\u2019s licence once you have it, for example add more vehicles to it.\n\nYou can update your licence online.\n\nYou can make most changes to your licence for free. You must pay \u00a3122 if you want to:\n\n- increase the vehicle limit on your licence\n\n- upgrade your licence from standard national to standard international and increase the vehicle limit at the same time\n\n## Changes of circumstance\n\nYou must tell the Traffic Commissioner within 28 days if:\n\n- there\u2019s any change to the correspondence address of the business\n\n- there\u2019s any change to the establishment address (standard licences only)\n\n- there\u2019s any change in the address of your operating centres\n\n- there\u2019s any change in the trading name of the business\n\n- any of the persons named on the licence have died - you may need a new licence\n\n- there\u2019s been a change of partners if it\u2019s a partnership firm - you may need a new licence\n\n- there\u2019s been a change of transport managers\n\n- you, your transport manager, officers employees or agents have any relevant convictions\n\n- there\u2019s been any other change that the Traffic Commissioner asked you to report as a condition of getting your licence\n\nYou\u2019ll also have to tell the Traffic Commissioner if there\u2019s been a change in the \u2018legal entity\u2019 of your business, for example if:\n\n- your company changes from being a sole trader or partnership to a limited company\n\n- there\u2019s been a change in your registered company number\n\n- there\u2019s been a change of directors or change in share holding\n\nSend details of any changes to the Office of the Traffic Commissioner\u2019s Central Licensing Office at the DVSA.\n\n## Appealing a decision\n\nYou can appeal if your application for a PSV operator licence is refused.\n\nYou\u2019ll need to send a written notice of appeal to the Upper Tribunal, Administrative Appeals Chamber. There is no fee.\n\nYour notice of appeal needs to be received within one month of the Traffic Commissioner\u2019s decision.\n\n## Guidance on making an appeal\n\nDownload detailed Tribunals Service guidance on making an appeal.\n\n## Appealing an Upper Tribunal decision\n\nIf your appeal is unsuccessful and you think that the decision is wrong, you can appeal to the Court of Appeal (England and Wales) or the Court of Session (Scotland).\n\nYou must have permission from the Upper Tribunal, or if the Upper Tribunal refuses, from the Court.\n\nYour application for permission to appeal must be received within 1 month of the original appeal decision.\n\nDownload detailed guidance about appealing an Upper Tribunal decision.", + "original_contents": [ + "

    Overview

    ", + "

    You need a public service vehicle (PSV) operator\u2019s licence to:

    ", + "
  • operate a vehicle for hire or reward (payment or payment in kind) that can carry 9 or more passengers
  • ", + "
  • operate a smaller vehicle carrying passengers and charging separate fares for the journey
  • ", + "

    Read PSV437, PSV operator licensing: a guide for operators.

    ", + "

    Types of PSV licence

    ", + "

    There are 4 types of PSV operator licences, plus special licensing rules in London.

    ", + "

    Standard licence - national operations only

    ", + "

    You can only operate in Great Britain if you apply for a standard licence. Most full-time commercial operators use standard licences.

    ", + "

    Standard licence - national and international operations

    ", + "

    This kind of licence lets you take passengers abroad as well as within Great Britain.

    ", + "

    Restricted licence

    ", + "

    You can only apply for a restricted licence for small-scale operations. They allow you to use 1 or 2 vehicles, and neither can carry more than 8 passengers.

    ", + "

    You can carry up to 16 passengers in either vehicle if you do not use it as part of a passenger transport business, or you\u2019re operating your vehicles as a sideline and not as your main job.

    ", + "

    Special restricted licence

    ", + "

    Special restricted licences are used to operate a licensed taxi on a local service. You can only apply for this licence if you\u2019re a licensed taxi operator. A local service is one where:

    ", + "
  • stops are no more than 24.15 kilometres (15 miles) apart
  • ", + "
  • at least one stop is within the area of the district council that issued your taxi or private hire vehicle (PHV) licence
  • ", + "

    The service must be registered with the local Traffic Commissioner.

    ", + "

    Licensing in London

    ", + "

    You\u2019ll need a London Service Permit to run a private bus or coach service in London.

    ", + "

    Taxis and private hire services in London are licensed by Transport for London (TfL).

    ", + "

    How to apply for a PSV licence

    ", + "

    You can apply for a PSV operator\u2019s licence online. You\u2019ll usually get a decision within 7 weeks.

    ", + "

    It\u2019s illegal to operate a vehicle before your licence has been issued.

    ", + "

    Once you\u2019ve got your licence it will not have an expiry date, but you\u2019ll be asked to confirm your details every 5 years. The Traffic Commissioner\u2019s Office will get in touch with you to check them. You\u2019ll need to pay a continuation fee if you\u2019ve got a special restricted (taxi) licence.

    ", + "

    The Traffic Commissioner can suspend or revoke your licence if they suspect you\u2019ve been breaking its terms.

    ", + "

    You must also tell the Traffic Commissioner if your circumstances change.

    ", + "

    Fees

    ", + "Type of licence | Fees", + "Application for a standard licence | \u00a3209", + "Application for a restricted licence | \u00a3209", + "Application for a special restricted (taxi) licence | \u00a361", + "Continuation fee for a special restricted (taxi) licence (payable every 5 years) | \u00a361", + "Make changes to a licence | \u00a3122", + "

    Ways you can pay

    ", + "

    Pay for your licence online, by phone or by post.

    ", + "

    Paying online

    ", + "

    You can pay any application or licence fees when you apply for a vehicle operator licence online.

    ", + "

    Paying by phone

    ", + "

    You can pay by phone by calling the DVSA helpline.

    ", + "

    Paying by post

    ", + "

    Send a cheque or postal order made payable to \u2018DVSA\u2019 to the Central Licensing Office.

    ", + "

    Making changes to your PSV licence

    ", + "

    You can make changes to your PSV operator\u2019s licence once you have it, for example add more vehicles to it.

    ", + "

    You can update your licence online.

    ", + "

    You can make most changes to your licence for free. You must pay \u00a3122 if you want to:

    ", + "
  • increase the vehicle limit on your licence
  • ", + "
  • upgrade your licence from standard national to standard international and increase the vehicle limit at the same time
  • ", + "

    Changes of circumstance

    ", + "

    You must tell the Traffic Commissioner within 28 days if:

    ", + "
  • there\u2019s any change to the correspondence address of the business
  • ", + "
  • there\u2019s any change to the establishment address (standard licences only)
  • ", + "
  • there\u2019s any change in the address of your operating centres
  • ", + "
  • there\u2019s any change in the trading name of the business
  • ", + "
  • any of the persons named on the licence have died - you may need a new licence
  • ", + "
  • there\u2019s been a change of partners if it\u2019s a partnership firm - you may need a new licence
  • ", + "
  • there\u2019s been a change of transport managers
  • ", + "
  • you, your transport manager, officers employees or agents have any relevant convictions
  • ", + "
  • there\u2019s been any other change that the Traffic Commissioner asked you to report as a condition of getting your licence
  • ", + "

    You\u2019ll also have to tell the Traffic Commissioner if there\u2019s been a change in the \u2018legal entity\u2019 of your business, for example if:

    ", + "
  • your company changes from being a sole trader or partnership to a limited company
  • ", + "
  • there\u2019s been a change in your registered company number
  • ", + "
  • there\u2019s been a change of directors or change in share holding
  • ", + "

    Send details of any changes to the Office of the Traffic Commissioner\u2019s Central Licensing Office at the DVSA.

    ", + "

    Appealing a decision

    ", + "

    You can appeal if your application for a PSV operator licence is refused.

    ", + "

    You\u2019ll need to send a written notice of appeal to the Upper Tribunal, Administrative Appeals Chamber. There is no fee.

    ", + "

    Your notice of appeal needs to be received within one month of the Traffic Commissioner\u2019s decision.

    ", + "

    Guidance on making an appeal

    ", + "

    Download detailed Tribunals Service guidance on making an appeal.

    ", + "

    Appealing an Upper Tribunal decision

    ", + "

    If your appeal is unsuccessful and you think that the decision is wrong, you can appeal to the Court of Appeal (England and Wales) or the Court of Session (Scotland).

    ", + "

    You must have permission from the Upper Tribunal, or if the Upper Tribunal refuses, from the Court.

    ", + "

    Your application for permission to appeal must be received within 1 month of the original appeal decision.

    ", + "

    Download detailed guidance about appealing an Upper Tribunal decision.

    " + ] + }, + "https://www.gov.uk/run-local-bus-service": { + "url": "https://www.gov.uk/run-local-bus-service", + "title": "Run a local bus service", + "content": "## Overview\n\nA local bus service uses public service vehicles (PSVs) to carry passengers who pay separate fares over short distances.\n\nThe route can be any length, as long as passengers can get off within 15 miles (measured in a straight line) of where they got on.\n\nYou must usually register with the local authority and the local traffic commissioner if you\u2019re operating a local service outside London - there are some exceptions.\n\nYou need a London Service Permit to run a service in London.\n\n## Who can register\n\nYou can register a local bus service if you:\n\n- hold a valid PSV operator\u2019s licence\n\n- hold a community bus permit\n\n- are a local education authority and want to provide a local service using a school bus belonging to you\n\nTaxi or private hire vehicle owners can also register by getting a special PSV operator\u2019s licence.\n\n## Before you register\n\nBefore registering a local bus service you should consider if:\n\n- your route is suitable\n\n- you have the right sort of vehicles\n\n- you can keep to the timetable given the traffic conditions on route\n\n- you have enough drivers to cover absences though sicknesses, holidays, etc\n\n- you have replacement vehicles if other vehicles are off-road\n\n- there are any traffic regulation conditions \u2013 contact your local traffic area office\n\n- a Quality Partnership or Quality Contract Scheme exists - contact your local transport authority\n\nYou must run the service just as you have registered it, even if staff members are ill or a vehicle is off the road. There are penalties if you do not.\n\n## How to register\n\nYou must tell the local authority in England or the local council in Scotland that you\u2019re starting a bus service. You must do this 28 days before you apply to the traffic commissioner.\n\nApply to the traffic commissioner at least 42 days before your service starts - or 56 days before if your service is in Wales.\n\nThis notice period begins on the day when the traffic commissioner accepts your application.\n\nHolders of a \u2018Section 22\u2019 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.\n\nIf you want to start the service sooner you must complete a supplementary form. The traffic commissioner decides whether or not to agree to this.\n\nIf you\u2019re planning a service in Strathclyde, you must also give notice to the Strathclyde Partnership for Transport 28 days before you apply to the traffic commissioner.\n\n## Fees\n\nIt costs:\n\n- \u00a360 to register a local bus service\n\n- \u00a313 to register a community bus service\n\n## Apply online\n\nYou can register through the electronic bus service registration (EBSR) system. Telephone the Driver and Vehicle Standards Agency (DVSA) helpline for information on how to do this.\n\n## Apply by post\n\nPrint off and fill in the application form for the type of service you want to run:\n\n- PSV350 - application to register a bus service (England, Wales and Scotland)\n\n- Application to register a local bus service with a flexible route\n\n- PSV350A - supplementary form: application to start, change or cancel a registered bus service with less than 56 days\u2019 notice (England, Wales and Scotland)\n\n## Where to send the form\n\nSend the form and fees to:\n\n- Central Licensing Office - for England and Wales (except London)\n\n- Office of the Traffic Commissioner \u2013 for Scotland\n\n## Other people you must tell\n\nYou must also send copies to:\n\n- all councils your route passes through - for example the county council, shire council, unitary authority\n\n- the relevant Passenger Transport Executive if there is one\n\n## Getting help\n\nRead the following guides for more information on:\n\n- local bus service registration: guide for operators (England, Scotland and Wales)\n\n- the registration of flexibly routed local bus services: guide for operators\n\n## Change or cancel a bus service\n\nApply to the local authority and the traffic commissioner if you want to:\n\n- change a timetable, route or other detail of your service\n\n- cancel the service\n\nYou must tell the local authority in England or the local council in Scotland that you\u2019re changing or cancelling a bus service. You must do this 28 days before you apply to the traffic commissioner.\n\nApply to the traffic commissioner at least 42 days before your service changes or stops - or 56 days before if your service is in Wales.\n\nHolders of a section 22 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.\n\nIf you want to make the changes or cancel the service sooner, you must fill in a supplementary form (England, Scotland or Wales). The traffic commissioner decides whether or not to agree to this.\n\n## Fees\n\nIt costs:\n\n- \u00a360 to change a local bus service\n\n- \u00a313 to change a community bus service\n\nThere\u2019s no fee for a cancellation.\n\n## Application and supplementary forms\n\nPrint off and fill in the application and supplementary forms to:\n\n- change or cancel a registered bus service (England, Scotland or Wales)\n\n- change or cancel a registered bus service with less than 56 days notice (England, Scotland or Wales)\n\n## Exemptions\n\nYou do not have to register a bus service if all of the following apply:\n\n- someone other than you or your agent is responsible for arranging the journey and bringing the passengers together\n\n- the journey is not advertised in advance to the general public\n\n- all passengers travel together to or from the same place - for example a school or factory\n\n- passengers pay the same fare no matter how far they travel\n\n## School or college bus services\n\nIf you operate a bus service provided by a local education authority in England or Wales, you may not have to register it.\n\nYou do not need to register a service if the only passengers who pay fares are either:\n\n- studying at a school or college\n\n- supervising pupils or students\n\n- teachers or assistants working at the school or college\n\nIf other people can also use the service, it must be registered.\n\n## Other exemptions\n\nYou do not need to register:\n\n- a replacement bus service (for example when a train service is temporarily cancelled and a bus is used instead) provided under an agreement with the Secretary of State, the Scottish Ministers or the National Assembly for Wales\n\n- excursions or tours - unless they operate once a week or more for at least 6 weeks in a row\n\nAn excursion or tour is where passengers travel together on a journey, with or without breaks, from one or more places to one or more places and back.\n\n## Traffic regulation conditions\n\nThe local council can ask the traffic commissioner to impose conditions on your licence. The traffic commissioner will decide if conditions are needed to:\n\n- prevent dangers to other road users\n\n- reduce traffic congestion\n\n- limit environmental pollution\n\nThe conditions could affect:\n\n- your bus routes\n\n- where you can stop\n\n- when you can stop and for how long\n\n- where you can turn or reverse\n\n- the number of vehicles, their type or their frequency\n\nIn some cases the conditions will start straight away.\n\nYou\u2019ll be told if conditions have been imposed and they\u2019ll be added to your licence.\n\n## You cannot meet the conditions\n\nYou must change the registration within 28 days if you cannot run your service under the conditions. You will not have to pay a fee if you change the registration because of these conditions. You must meet the conditions until the change of registration takes effect.\n\n## You disagree with the conditions\n\nYou can ask for a public inquiry within 28 days if you disagree with the traffic commissioner\u2019s decision.\n\nIt\u2019s against the law to disobey traffic regulation conditions.\n\n## Penalties for poor service\n\nOnce you have registered your service you must run it:\n\n- at the times you\u2019ve said it would run\n\n- along the route you\u2019ve registered\n\n## Penalties\n\nIf you do not run a reliable or punctual service the traffic commissioner can stop you from running the service - or even running any services at all.\n\nThe traffic commissioner can also fine you. The size of the fine is based on the number of vehicles you\u2019re licensed to use.\n\nIf you provide the local bus service in England and Wales, you may also have to:\n\n- spend money on providing or improving local services or facilities\n\n- compensate passengers\n\nYou can appeal to the Upper Tribunal if you disagree with the traffic commissioner\u2019s decision.\n\nRead more about the standards for local bus services and how traffic commissioners expect you to operate.\n\n## Register a bus service in London\n\nTo run a bus service in London you must have a London Service Permit. Permits last for 5 years and you must normally apply at least 3 months before starting the service.\n\nYou can apply for a shorter period of notice if Transport for London (TfL) agrees.\n\n## Concessionary fares\n\nYou may be eligible to take part in a concessionary fare scheme. This reimburses you for carrying passengers who get discounted travel, such as:\n\n- older people\n\n- disabled people\n\n- children\n\nContact your local council for more information on taking part.\n\nSome councils offer a voluntary membership scheme for operators. Others have a compulsory scheme.\n\n## Find out more\n\nFind out more about concessionary fare schemes for:\n\n- England\n\n- Scotland\n\n- Wales\n\n## Grants for local bus services\n\nYou might qualify for the Bus Service Operator\u2019s Grant (in England or Scotland) or the Regional Transport Services Grant (in Wales) if you provide a service where:\n\n- at least half the seats are available to and regularly used by the general public\n\n- stops on the route are in places that people are likely to use reasonably often - fixed bus stops or otherwise\n\n- single journey fares are reasonably priced\n\n- fares can be paid conveniently\n\n- the bus does not have signs or any other indication that it\u2019s not available to the general public\n\n- information about the service, its route and timetable is accessible to the general public\n\n- advance bookings of flexible services do not deter people who want to make a single journey\n\nThere are slightly different conditions if your bus service is intended for transporting pupils, people with disabilities or elderly people.\n\nRead more about the Bus Service Operator\u2019s Grant (England and Scotland).\n\n## How to apply\n\nContact the helpline for your area.\n\n## England\n\n## Scotland\n\n## Wales\n\nThe grant is administered through the Regional Transport Consortia:", + "original_contents": [ + "

    Overview

    ", + "

    A local bus service uses public service vehicles (PSVs) to carry passengers who pay separate fares over short distances.

    ", + "

    The route can be any length, as long as passengers can get off within 15 miles (measured in a straight line) of where they got on.

    ", + "

    You must usually register with the local authority and the local traffic commissioner if you\u2019re operating a local service outside London - there are some exceptions.

    ", + "

    You need a London Service Permit to run a service in London.

    ", + "

    Who can register

    ", + "

    You can register a local bus service if you:

    ", + "
  • hold a valid PSV operator\u2019s licence
  • ", + "
  • hold a community bus permit
  • ", + "
  • are a local education authority and want to provide a local service using a school bus belonging to you
  • ", + "

    Taxi or private hire vehicle owners can also register by getting a special PSV operator\u2019s licence.

    ", + "

    Before you register

    ", + "

    Before registering a local bus service you should consider if:

    ", + "
  • your route is suitable
  • ", + "
  • you have the right sort of vehicles
  • ", + "
  • you can keep to the timetable given the traffic conditions on route
  • ", + "
  • you have enough drivers to cover absences though sicknesses, holidays, etc
  • ", + "
  • you have replacement vehicles if other vehicles are off-road
  • ", + "
  • there are any traffic regulation conditions \u2013 contact your local traffic area office
  • ", + "
  • a Quality Partnership or Quality Contract Scheme exists - contact your local transport authority
  • ", + "

    You must run the service just as you have registered it, even if staff members are ill or a vehicle is off the road. There are penalties if you do not.

    ", + "

    How to register

    ", + "

    You must tell the local authority in England or the local council in Scotland that you\u2019re starting a bus service. You must do this 28 days before you apply to the traffic commissioner.

    ", + "

    Apply to the traffic commissioner at least 42 days before your service starts - or 56 days before if your service is in Wales.

    ", + "

    This notice period begins on the day when the traffic commissioner accepts your application.

    ", + "

    Holders of a \u2018Section 22\u2019 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.

    ", + "

    If you want to start the service sooner you must complete a supplementary form. The traffic commissioner decides whether or not to agree to this.

    ", + "

    If you\u2019re planning a service in Strathclyde, you must also give notice to the Strathclyde Partnership for Transport 28 days before you apply to the traffic commissioner.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a360 to register a local bus service
  • ", + "
  • \u00a313 to register a community bus service
  • ", + "

    Apply online

    ", + "

    You can register through the electronic bus service registration (EBSR) system. Telephone the Driver and Vehicle Standards Agency (DVSA) helpline for information on how to do this.

    ", + "

    Apply by post

    ", + "

    Print off and fill in the application form for the type of service you want to run:

    ", + "
  • PSV350 - application to register a bus service (England, Wales and Scotland)
  • ", + "
  • Application to register a local bus service with a flexible route
  • ", + "
  • PSV350A - supplementary form: application to start, change or cancel a registered bus service with less than 56 days\u2019 notice (England, Wales and Scotland)
  • ", + "

    Where to send the form

    ", + "

    Send the form and fees to:

    ", + "
  • Central Licensing Office - for England and Wales (except London)
  • ", + "
  • Office of the Traffic Commissioner \u2013 for Scotland
  • ", + "

    Other people you must tell

    ", + "

    You must also send copies to:

    ", + "
  • all councils your route passes through - for example the county council, shire council, unitary authority
  • ", + "
  • the relevant Passenger Transport Executive if there is one
  • ", + "

    Getting help

    ", + "

    Read the following guides for more information on:

    ", + "
  • local bus service registration: guide for operators (England, Scotland and Wales)
  • ", + "
  • the registration of flexibly routed local bus services: guide for operators
  • ", + "

    Change or cancel a bus service

    ", + "

    Apply to the local authority and the traffic commissioner if you want to:

    ", + "
  • change a timetable, route or other detail of your service
  • ", + "
  • cancel the service
  • ", + "

    You must tell the local authority in England or the local council in Scotland that you\u2019re changing or cancelling a bus service. You must do this 28 days before you apply to the traffic commissioner.

    ", + "

    Apply to the traffic commissioner at least 42 days before your service changes or stops - or 56 days before if your service is in Wales.

    ", + "

    Holders of a section 22 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.

    ", + "

    If you want to make the changes or cancel the service sooner, you must fill in a supplementary form (England, Scotland or Wales). The traffic commissioner decides whether or not to agree to this.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a360 to change a local bus service
  • ", + "
  • \u00a313 to change a community bus service
  • ", + "

    There\u2019s no fee for a cancellation.

    ", + "

    Application and supplementary forms

    ", + "

    Print off and fill in the application and supplementary forms to:

    ", + "
  • change or cancel a registered bus service (England, Scotland or Wales)
  • ", + "
  • change or cancel a registered bus service with less than 56 days notice (England, Scotland or Wales)
  • ", + "

    Exemptions

    ", + "

    You do not have to register a bus service if all of the following apply:

    ", + "
  • someone other than you or your agent is responsible for arranging the journey and bringing the passengers together
  • ", + "
  • the journey is not advertised in advance to the general public
  • ", + "
  • all passengers travel together to or from the same place - for example a school or factory
  • ", + "
  • passengers pay the same fare no matter how far they travel
  • ", + "

    School or college bus services

    ", + "

    If you operate a bus service provided by a local education authority in England or Wales, you may not have to register it.

    ", + "

    You do not need to register a service if the only passengers who pay fares are either:

    ", + "
  • studying at a school or college
  • ", + "
  • supervising pupils or students
  • ", + "
  • teachers or assistants working at the school or college
  • ", + "

    If other people can also use the service, it must be registered.

    ", + "

    Other exemptions

    ", + "

    You do not need to register:

    ", + "
  • a replacement bus service (for example when a train service is temporarily cancelled and a bus is used instead) provided under an agreement with the Secretary of State, the Scottish Ministers or the National Assembly for Wales
  • ", + "
  • excursions or tours - unless they operate once a week or more for at least 6 weeks in a row
  • ", + "

    An excursion or tour is where passengers travel together on a journey, with or without breaks, from one or more places to one or more places and back.

    ", + "

    Traffic regulation conditions

    ", + "

    The local council can ask the traffic commissioner to impose conditions on your licence. The traffic commissioner will decide if conditions are needed to:

    ", + "
  • prevent dangers to other road users
  • ", + "
  • reduce traffic congestion
  • ", + "
  • limit environmental pollution
  • ", + "

    The conditions could affect:

    ", + "
  • your bus routes
  • ", + "
  • where you can stop
  • ", + "
  • when you can stop and for how long
  • ", + "
  • where you can turn or reverse
  • ", + "
  • the number of vehicles, their type or their frequency
  • ", + "

    In some cases the conditions will start straight away.

    ", + "

    You\u2019ll be told if conditions have been imposed and they\u2019ll be added to your licence.

    ", + "

    You cannot meet the conditions

    ", + "

    You must change the registration within 28 days if you cannot run your service under the conditions. You will not have to pay a fee if you change the registration because of these conditions. You must meet the conditions until the change of registration takes effect.

    ", + "

    You disagree with the conditions

    ", + "

    You can ask for a public inquiry within 28 days if you disagree with the traffic commissioner\u2019s decision.

    ", + "

    It\u2019s against the law to disobey traffic regulation conditions.

    ", + "

    Penalties for poor service

    ", + "

    Once you have registered your service you must run it:

    ", + "
  • at the times you\u2019ve said it would run
  • ", + "
  • along the route you\u2019ve registered
  • ", + "

    Penalties

    ", + "

    If you do not run a reliable or punctual service the traffic commissioner can stop you from running the service - or even running any services at all.

    ", + "

    The traffic commissioner can also fine you. The size of the fine is based on the number of vehicles you\u2019re licensed to use.

    ", + "

    If you provide the local bus service in England and Wales, you may also have to:

    ", + "
  • spend money on providing or improving local services or facilities
  • ", + "
  • compensate passengers
  • ", + "

    You can appeal to the Upper Tribunal if you disagree with the traffic commissioner\u2019s decision.

    ", + "

    Read more about the standards for local bus services and how traffic commissioners expect you to operate.

    ", + "

    Register a bus service in London

    ", + "

    To run a bus service in London you must have a London Service Permit. Permits last for 5 years and you must normally apply at least 3 months before starting the service.

    ", + "

    You can apply for a shorter period of notice if Transport for London (TfL) agrees.

    ", + "

    Concessionary fares

    ", + "

    You may be eligible to take part in a concessionary fare scheme. This reimburses you for carrying passengers who get discounted travel, such as:

    ", + "
  • older people
  • ", + "
  • disabled people
  • ", + "
  • children
  • ", + "

    Contact your local council for more information on taking part.

    ", + "

    Some councils offer a voluntary membership scheme for operators. Others have a compulsory scheme.

    ", + "

    Find out more

    ", + "

    Find out more about concessionary fare schemes for:

    ", + "
  • England
  • ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "

    Grants for local bus services

    ", + "

    You might qualify for the Bus Service Operator\u2019s Grant (in England or Scotland) or the Regional Transport Services Grant (in Wales) if you provide a service where:

    ", + "
  • at least half the seats are available to and regularly used by the general public
  • ", + "
  • stops on the route are in places that people are likely to use reasonably often - fixed bus stops or otherwise
  • ", + "
  • single journey fares are reasonably priced
  • ", + "
  • fares can be paid conveniently
  • ", + "
  • the bus does not have signs or any other indication that it\u2019s not available to the general public
  • ", + "
  • information about the service, its route and timetable is accessible to the general public
  • ", + "
  • advance bookings of flexible services do not deter people who want to make a single journey
  • ", + "

    There are slightly different conditions if your bus service is intended for transporting pupils, people with disabilities or elderly people.

    ", + "

    Read more about the Bus Service Operator\u2019s Grant (England and Scotland).

    ", + "

    How to apply

    ", + "

    Contact the helpline for your area.

    ", + "

    England

    ", + "

    Scotland

    ", + "

    Wales

    ", + "

    The grant is administered through the Regional Transport Consortia:

    " + ] + }, + "https://www.gov.uk/operator-compliance-risk-score": { + "url": "https://www.gov.uk/operator-compliance-risk-score", + "title": "Operator Compliance Risk Score (OCRS)", + "content": "## Overview\n\nIf you\u2019re a vehicle operator, your drivers might be stopped at the roadside by the police or the Driver and Vehicle Standards Agency (DVSA) for vehicle inspections.\n\nDVSA use the Operator Compliance Risk Score (OCRS) system to decide which vehicles should be inspected.\n\nOCRS is used to calculate the risk of an operator not following the rules on roadworthiness (the condition of its vehicles) and traffic, eg drivers\u2019 hours, weighing checks.\n\nIt\u2019s more likely that your vehicles will be inspected if your OCRS is high.\n\n## How the system works\n\nThe Operator Compliance Risk Score (OCRS) system is based on data collected by DVSA over a 3-year rolling period.\n\nData is taken from annual tests, roadside inspections and inspections at operators\u2019 premises.\n\nYou get scores split into 2 categories, and a combined score.\n\n| Category | Where the data comes from |\n\n| Roadworthiness | Vehicle tests (first tests, subsequent annual tests); \u2018vehicle encounters\u2019 (fleet check inspections at operator premises, roadside inspections) |\n\n| Traffic | Roadside inspections and prosecutions (for example, for drivers\u2019 hours and tachograph offences, weighing checks) |\n\nAs an operator you get points when a test or inspection finds a defect or infringement of the rules. The more serious the defect or infringement, the more points.\n\nYou\u2019ll be given a score, which will be shown as R (red - highest risk), A (amber - medium risk) or G (green - lowest risk).\n\nThe guidance on the OCRS system explains how the scores are worked out.\n\nYou might have no score if DVSA doesn\u2019t have any data for you from the past 3 years.\n\nYou can check your OCRS score, view test histories and roadside check reports online.\n\n## Operators outside Great Britain\n\nDVSA has a non-GB OCRS system for operators based outside Great Britain. It\u2019s based on data captured at the roadside - this is because there is no annual test or prosecution data available.\n\n## How your score can change\n\nBecause your Operator Compliance Risk Score (OCRS) is calculated over a 3-year rolling period, it can change after inspections, tests or prosecutions against you.\n\nDVSA calls these \u2018encounters\u2019. Your score could change if you:\n\n- commit a new offence or have a defect recorded against you at inspection (this has a negative effect on your score)\n\n- have a \u2018clear encounter\u2019 - eg you pass an inspection without any problems (this has a positive effect on your score)\n\nIf you\u2019re prosecuted by DVSA you\u2019ll get points from the date of prosecution, not the date of the offence.\n\nThe lower your OCRS is, the better.\n\n## Old encounters\n\nYour score also changes as old encounters that previously counted towards your score no longer count once they\u2019re not in the OCRS calculation period.\n\nIf you had clear encounters included in your score and these are now outside the calculation period, this might mean your score goes up. But if you had negative encounters included and these no longer count, your score might go down.\n\n## Year weightings\n\nThe impact of an offence or defect decreases over the 3-year time period.\n\nFor the first 12 months after the offence or defect, its score stays the same. After 12 months it falls by a quarter and then it\u2019s halved in the final 12 months.\n\n## Other changes\n\nThere are a number of \u2018parameters\u2019 that feed into your OCRS. DVSA sets these and can change them at any time - this has an impact on your score.\n\nThe parameters are:\n\n- points for offences and defects\n\n- points for prosecutions\n\n- time weightings\n\n- band thresholds (these determine whether you\u2019re in the red, amber or green band)\n\n- trigger events and time periods\n\nThe values for all parameters are available in the guidance on the OCRS system.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re a vehicle operator, your drivers might be stopped at the roadside by the police or the Driver and Vehicle Standards Agency (DVSA) for vehicle inspections.

    ", + "

    DVSA use the Operator Compliance Risk Score (OCRS) system to decide which vehicles should be inspected.

    ", + "

    OCRS is used to calculate the risk of an operator not following the rules on roadworthiness (the condition of its vehicles) and traffic, eg drivers\u2019 hours, weighing checks.

    ", + "

    It\u2019s more likely that your vehicles will be inspected if your OCRS is high.

    ", + "

    How the system works

    ", + "

    The Operator Compliance Risk Score (OCRS) system is based on data collected by DVSA over a 3-year rolling period.

    ", + "

    Data is taken from annual tests, roadside inspections and inspections at operators\u2019 premises.

    ", + "

    You get scores split into 2 categories, and a combined score.

    ", + "Category | Where the data comes from", + "Roadworthiness | Vehicle tests (first tests, subsequent annual tests); \u2018vehicle encounters\u2019 (fleet check inspections at operator premises, roadside inspections)", + "Traffic | Roadside inspections and prosecutions (for example, for drivers\u2019 hours and tachograph offences, weighing checks)", + "

    As an operator you get points when a test or inspection finds a defect or infringement of the rules. The more serious the defect or infringement, the more points.

    ", + "

    You\u2019ll be given a score, which will be shown as R (red - highest risk), A (amber - medium risk) or G (green - lowest risk).

    ", + "

    The guidance on the OCRS system explains how the scores are worked out.

    ", + "

    You might have no score if DVSA doesn\u2019t have any data for you from the past 3 years.

    ", + "

    You can check your OCRS score, view test histories and roadside check reports online.

    ", + "

    Operators outside Great Britain

    ", + "

    DVSA has a non-GB OCRS system for operators based outside Great Britain. It\u2019s based on data captured at the roadside - this is because there is no annual test or prosecution data available.

    ", + "

    How your score can change

    ", + "

    Because your Operator Compliance Risk Score (OCRS) is calculated over a 3-year rolling period, it can change after inspections, tests or prosecutions against you.

    ", + "

    DVSA calls these \u2018encounters\u2019. Your score could change if you:

    ", + "
  • commit a new offence or have a defect recorded against you at inspection (this has a negative effect on your score)
  • ", + "
  • have a \u2018clear encounter\u2019 - eg you pass an inspection without any problems (this has a positive effect on your score)
  • ", + "

    If you\u2019re prosecuted by DVSA you\u2019ll get points from the date of prosecution, not the date of the offence.

    ", + "

    The lower your OCRS is, the better.

    ", + "

    Old encounters

    ", + "

    Your score also changes as old encounters that previously counted towards your score no longer count once they\u2019re not in the OCRS calculation period.

    ", + "

    If you had clear encounters included in your score and these are now outside the calculation period, this might mean your score goes up. But if you had negative encounters included and these no longer count, your score might go down.

    ", + "

    Year weightings

    ", + "

    The impact of an offence or defect decreases over the 3-year time period.

    ", + "

    For the first 12 months after the offence or defect, its score stays the same. After 12 months it falls by a quarter and then it\u2019s halved in the final 12 months.

    ", + "

    Other changes

    ", + "

    There are a number of \u2018parameters\u2019 that feed into your OCRS. DVSA sets these and can change them at any time - this has an impact on your score.

    ", + "

    The parameters are:

    ", + "
  • points for offences and defects
  • ", + "
  • points for prosecutions
  • ", + "
  • time weightings
  • ", + "
  • band thresholds (these determine whether you\u2019re in the red, amber or green band)
  • ", + "
  • trigger events and time periods
  • ", + "

    The values for all parameters are available in the guidance on the OCRS system.

    " + ] + }, + "https://www.gov.uk/setting-up-an-approved-tachograph-centre": { + "url": "https://www.gov.uk/setting-up-an-approved-tachograph-centre", + "title": "Setting up an Approved Tachograph Centre (ATC)", + "content": "## How to apply\n\nIf you want to set up an Approved Tachograph Centre (ATC), you will need to read the ATC manual and fill in form GV207.\n\nSend your application to the address on the form.\n\nYou can also contact the Driver and Vehicle Standards Agency (DVSA) for the form and manual.\n\n## Costs and equipment\n\nIt costs:\n\n- \u00a3361 to register as an Approved Tachograph Centre (ATC)\n\n- \u00a3148 to renew your registration each year\n\nYou can register to work on analogue tachographs, digital tachographs, or both.\n\n## Equipment\n\nThe ATC manual tells you what equipment you\u2019ll need to buy.\n\n## Who can work for you\n\nYou can only employ \u2018nominated technicians\u2019 to carry out work at an Approved Tachograph Centre (ATC). They must be skilled technicians with experience working on tachographs.\n\nIf they need to road test vehicles, they must also have a driving licence for the relevant categories of vehicles they\u2019re testing.\n\nThey\u2019ll also need to hold a \u2018certificate of competence\u2019 for each class of tachograph (digital, analogue or both) that they want to work on.\n\nThey\u2019ll get this only after they\u2019ve successfully completed a DVSA-approved training course. You\u2019ll find details in the ATC manual.\n\n## Tachograph workshop smart cards\n\nA tachograph workshop card is used to calibrate digital tachographs. To be eligible for a workshop card, you must:\n\n- be a nominated technician working at an Approved Tachograph Centre (ATC) with digital status\n\n- hold a digital training certificate\n\nTachograph workshop cards are issued free of charge. They are automatically renewed every year on 31 March.\n\nThe cards are issued to a nominated technician, not to a centre - this means that only the individual who has the card can use it.\n\nIf you\u2019re the nominated technician and you work at 2 workshops, you\u2019ll need a card for each workshop.\n\n## How to apply\n\nPrint off and fill in form D778B and send it to DVSA, with a copy of an up-to-date analogue and digital training certificate.\n\nOnce DVSA has checked and approved your application it will be forwarded to the Driver and Vehicle Licensing Agency (DVLA), who will issue your card to the ATC where you work.\n\nYou\u2019ll need a PIN code to use a workshop card. This will be sent to your home address, and must only be used by you.\n\nIf you enter the wrong PIN code 5 times in a row it will lock the card and you\u2019ll need to apply for a new card using form D778B. You\u2019ll also be issued with a new PIN code\n\nRead \u2018How to fill in your application for a digital tachograph workshop card (D778B)\u2019 before you fill in the form.\n\nFor more help, contact the DVSA helpline.\n\n## Working with tachograph workshop cards\n\nWorkshop cards can hold:\n\n- details of 88 calibrations\n\n- a small amount of events and faults data\n\nA workshop card must not be used instead of a company card. If you have a card used by your calibration centre, this must only be used in accordance with the tachograph centre\u2019s duties and not as a substitute company card.\n\nAll insertions of a card are recorded on the vehicle unit and the card.\n\n## Renewal of workshop cards\n\nDVLA sends a renewal list to DVSA 2 months before a card\u2019s expiry. This is then checked and returned to DVLA with details of technicians whose cards can be renewed.\n\nYou must report any lost or stolen cards to DVSA and the police immediately.\n\nIf your card is lost or stolen, you can apply for a replacement by printing off and filling in form D778B to DVSA. You\u2019ll need to provide a police incident reference number for stolen cards.\n\n## If your card stops working\n\nTry using the card in a different vehicle unit. If it still does not work, print off and fill in form D778B and sent it with the faulty card to DVSA to get a new card.\n\nAny misuse of workshop cards may lead to the withdrawal of your nominated technician and tachograph centre\u2019s approval.", + "original_contents": [ + "

    How to apply

    ", + "

    If you want to set up an Approved Tachograph Centre (ATC), you will need to read the ATC manual and fill in form GV207.

    ", + "

    Send your application to the address on the form.

    ", + "

    You can also contact the Driver and Vehicle Standards Agency (DVSA) for the form and manual.

    ", + "

    Costs and equipment

    ", + "

    It costs:

    ", + "
  • \u00a3361 to register as an Approved Tachograph Centre (ATC)
  • ", + "
  • \u00a3148 to renew your registration each year
  • ", + "

    You can register to work on analogue tachographs, digital tachographs, or both.

    ", + "

    Equipment

    ", + "

    The ATC manual tells you what equipment you\u2019ll need to buy.

    ", + "

    Who can work for you

    ", + "

    You can only employ \u2018nominated technicians\u2019 to carry out work at an Approved Tachograph Centre (ATC). They must be skilled technicians with experience working on tachographs.

    ", + "

    If they need to road test vehicles, they must also have a driving licence for the relevant categories of vehicles they\u2019re testing.

    ", + "

    They\u2019ll also need to hold a \u2018certificate of competence\u2019 for each class of tachograph (digital, analogue or both) that they want to work on.

    ", + "

    They\u2019ll get this only after they\u2019ve successfully completed a DVSA-approved training course. You\u2019ll find details in the ATC manual.

    ", + "

    Tachograph workshop smart cards

    ", + "

    A tachograph workshop card is used to calibrate digital tachographs. To be eligible for a workshop card, you must:

    ", + "
  • be a nominated technician working at an Approved Tachograph Centre (ATC) with digital status
  • ", + "
  • hold a digital training certificate
  • ", + "

    Tachograph workshop cards are issued free of charge. They are automatically renewed every year on 31 March.

    ", + "

    The cards are issued to a nominated technician, not to a centre - this means that only the individual who has the card can use it.

    ", + "

    If you\u2019re the nominated technician and you work at 2 workshops, you\u2019ll need a card for each workshop.

    ", + "

    How to apply

    ", + "

    Print off and fill in form D778B and send it to DVSA, with a copy of an up-to-date analogue and digital training certificate.

    ", + "

    Once DVSA has checked and approved your application it will be forwarded to the Driver and Vehicle Licensing Agency (DVLA), who will issue your card to the ATC where you work.

    ", + "

    You\u2019ll need a PIN code to use a workshop card. This will be sent to your home address, and must only be used by you.

    ", + "

    If you enter the wrong PIN code 5 times in a row it will lock the card and you\u2019ll need to apply for a new card using form D778B. You\u2019ll also be issued with a new PIN code

    ", + "

    Read \u2018How to fill in your application for a digital tachograph workshop card (D778B)\u2019 before you fill in the form.

    ", + "

    For more help, contact the DVSA helpline.

    ", + "

    Working with tachograph workshop cards

    ", + "

    Workshop cards can hold:

    ", + "
  • details of 88 calibrations
  • ", + "
  • a small amount of events and faults data
  • ", + "

    A workshop card must not be used instead of a company card. If you have a card used by your calibration centre, this must only be used in accordance with the tachograph centre\u2019s duties and not as a substitute company card.

    ", + "

    All insertions of a card are recorded on the vehicle unit and the card.

    ", + "

    Renewal of workshop cards

    ", + "

    DVLA sends a renewal list to DVSA 2 months before a card\u2019s expiry. This is then checked and returned to DVLA with details of technicians whose cards can be renewed.

    ", + "

    You must report any lost or stolen cards to DVSA and the police immediately.

    ", + "

    If your card is lost or stolen, you can apply for a replacement by printing off and filling in form D778B to DVSA. You\u2019ll need to provide a police incident reference number for stolen cards.

    ", + "

    If your card stops working

    ", + "

    Try using the card in a different vehicle unit. If it still does not work, print off and fill in form D778B and sent it with the faulty card to DVSA to get a new card.

    ", + "

    Any misuse of workshop cards may lead to the withdrawal of your nominated technician and tachograph centre\u2019s approval.

    " + ] + }, + "https://www.gov.uk/taxi-vehicle-licence": { + "url": "https://www.gov.uk/taxi-vehicle-licence", + "title": "Vehicle licences for taxis or private hire vehicles", + "content": "## Where to apply\n\nTo operate your vehicle as a taxi or private hire vehicle (PHV) you need to get it licensed.\n\nThere are different ways for you apply depending on whether you\u2019ll operate:\n\n- outside London\n\n- inside London\n\nThere is a different process for Northern Ireland.\n\n## Outside London\n\nYou must get your taxi or private hire vehicle inspected and licensed by your local council.\n\n## Apply\n\nContact your local council to apply for a vehicle licence.\n\n## Eligibility\n\nYou must get a licence for each vehicle. The vehicle must have no more than 8 passenger seats.\n\n## Inspections and insurance\n\nThe council may check your vehicle to make sure:\n\n- it\u2019s roadworthy\n\n- it\u2019s comfortable and clean\n\n- the taximeter works properly\n\n- the doors are safe and secure\n\nYou\u2019ll also need insurance that:\n\n- covers you for hire and reward\n\n- includes you as the named driver\n\nThe council decides how often it tests vehicles but can\u2019t test more than 3 times in a year.\n\nYou must fix any problems within 2 months of failing a test. You can lose your vehicle licence if you don\u2019t.\n\n## Conditions\n\nThe council can attach conditions to vehicle licences. These might include:\n\n- the colour scheme of your vehicle\n\n- the use of roof signs\n\n- use of a taximeter\n\n## Refusals and appeals\n\nThe council can refuse your application if:\n\n- your vehicle doesn\u2019t meet certain criteria\n\n- you don\u2019t accept conditions it gives you\n\n- it wants to control the number of taxis in the area\n\nWhen the council makes its decision it will explain your right to appeal if:\n\n- your application for a vehicle licence has been refused\n\n- the licensing authority has suspended, revoked or refused to renew a vehicle licence\n\nYou appeal to a crown court about a taxi licence decision or to a magistrates court about a private hire vehicle decision.\n\n## Inside London\n\nTaxis and private hire vehicles (PHV) in London must be inspected and licensed by Transport for London (TfL).\n\n## Vehicle licences for London taxis\n\n## Apply\n\nYour taxi must be inspected by TfL to get your vehicle licence.\n\n## Eligibility\n\nYou must meet the eligibility criteria set by TfL for your vehicle.\n\n## Vehicle licences for private hire vehicles\n\n## Apply\n\nIf you want to use a vehicle for private hire work, you\u2019ll need to have it licensed by TfL.\n\n## Eligibility\n\nYour PHV must:\n\n- have no more than 8 passenger seats\n\n- not look like a licensed taxi, eg London-style \u2018black cab\u2019\n\n- only display advertising that complies with TfL guidelines\n\n- display licence discs - although exemptions are sometimes granted\n\n## Get your vehicle inspected\n\nYour vehicle will need to be inspected by TfL.", + "original_contents": [ + "

    Where to apply

    ", + "

    To operate your vehicle as a taxi or private hire vehicle (PHV) you need to get it licensed.

    ", + "

    There are different ways for you apply depending on whether you\u2019ll operate:

    ", + "
  • outside London
  • ", + "
  • inside London
  • ", + "

    There is a different process for Northern Ireland.

    ", + "

    Outside London

    ", + "

    You must get your taxi or private hire vehicle inspected and licensed by your local council.

    ", + "

    Apply

    ", + "

    Contact your local council to apply for a vehicle licence.

    ", + "

    Eligibility

    ", + "

    You must get a licence for each vehicle. The vehicle must have no more than 8 passenger seats.

    ", + "

    Inspections and insurance

    ", + "

    The council may check your vehicle to make sure:

    ", + "
  • it\u2019s roadworthy
  • ", + "
  • it\u2019s comfortable and clean
  • ", + "
  • the taximeter works properly
  • ", + "
  • the doors are safe and secure
  • ", + "

    You\u2019ll also need insurance that:

    ", + "
  • covers you for hire and reward
  • ", + "
  • includes you as the named driver
  • ", + "

    The council decides how often it tests vehicles but can\u2019t test more than 3 times in a year.

    ", + "

    You must fix any problems within 2 months of failing a test. You can lose your vehicle licence if you don\u2019t.

    ", + "

    Conditions

    ", + "

    The council can attach conditions to vehicle licences. These might include:

    ", + "
  • the colour scheme of your vehicle
  • ", + "
  • the use of roof signs
  • ", + "
  • use of a taximeter
  • ", + "

    Refusals and appeals

    ", + "

    The council can refuse your application if:

    ", + "
  • your vehicle doesn\u2019t meet certain criteria
  • ", + "
  • you don\u2019t accept conditions it gives you
  • ", + "
  • it wants to control the number of taxis in the area
  • ", + "

    When the council makes its decision it will explain your right to appeal if:

    ", + "
  • your application for a vehicle licence has been refused
  • ", + "
  • the licensing authority has suspended, revoked or refused to renew a vehicle licence
  • ", + "

    You appeal to a crown court about a taxi licence decision or to a magistrates court about a private hire vehicle decision.

    ", + "

    Inside London

    ", + "

    Taxis and private hire vehicles (PHV) in London must be inspected and licensed by Transport for London (TfL).

    ", + "

    Vehicle licences for London taxis

    ", + "

    Apply

    ", + "

    Your taxi must be inspected by TfL to get your vehicle licence.

    ", + "

    Eligibility

    ", + "

    You must meet the eligibility criteria set by TfL for your vehicle.

    ", + "

    Vehicle licences for private hire vehicles

    ", + "

    Apply

    ", + "

    If you want to use a vehicle for private hire work, you\u2019ll need to have it licensed by TfL.

    ", + "

    Eligibility

    ", + "

    Your PHV must:

    ", + "
  • have no more than 8 passenger seats
  • ", + "
  • not look like a licensed taxi, eg London-style \u2018black cab\u2019
  • ", + "
  • only display advertising that complies with TfL guidelines
  • ", + "
  • display licence discs - although exemptions are sometimes granted
  • ", + "

    Get your vehicle inspected

    ", + "

    Your vehicle will need to be inspected by TfL.

    " + ] + }, + "https://www.gov.uk/provide-driving-tests-for-your-employees": { + "url": "https://www.gov.uk/provide-driving-tests-for-your-employees", + "title": "Provide driving tests for your employees", + "content": "## Who can provide driving tests\n\nDriving tests are usually provided by the Driver and Vehicle Standards Agency (DVSA).\n\nYou can apply to DVSA for permission for your own staff to provide driving tests for your employees if you\u2019re a:\n\n- bus or haulage operating licence holder\n\n- police service\n\n- fire and rescue service\n\nYour staff providing driving tests will be known as \u2018delegated driving examiners\u2019.\n\n## Tests that can be provided\n\nDelegated driving examiners are allowed to provide theory and practical driving tests for drivers of:\n\n- lorries\n\n- buses and coaches\n\n- cars and trailers\n\n- emergency service vehicles\n\n## Lorry, bus and coach companies\n\nDelegated driving examiners working for lorry, bus and coach companies can test:\n\n- an employee\n\n- an employee of a sister company\n\nAs a delegated driving examiner, you cannot test someone you\u2019ve trained.\n\n## Emergency services\n\nDelegated driving examiners working for police services and fire and rescue services can test:\n\n- an employee\n\n- an employee from the same type of service in a different area\n\nThe same delegated driving examiner can provide tests for both a police service and a fire and rescue service, but both must appoint them with DVSA.\n\n## Rules for your driving examiners\n\nWhen deciding whether to give permission for someone to provide driving tests, the Driver and Vehicle Standards Agency (DVSA) looks at if they:\n\n- have a full driving licence for the type of vehicle they\u2019re testing in\n\n- have had any convictions in the last 3 years\n\n- have been disqualified from driving\n\n- have any court proceedings pending against them\n\n- have any penalty points on their licence\n\n## Qualifying as a delegated driving examiner\n\nYour employees must then:\n\n- complete an initial training course\n\n- reach an appropriate standard in the delegated driving examiner theory and practical tests\n\nDVSA will send you more information about the qualifying process when you apply to provide driving tests.\n\n## Apply to provide driving tests\n\nYou must email the Driver and Vehicle Standards Agency (DVSA) to get permission to provide driving tests.\n\nYou cannot currently contact DVSA by telephone or post because of coronavirus (COVID-19).\n\nYou must include information about your organisation, the tests you want to provide, and the people you want to appoint as delegated driving examiners.\n\n## Your organisation\n\nYou\u2019ll need to include:\n\n- the full name of the organisation\n\n- the registered address or headquarters address (if you\u2019re not a registered company)\n\n- a copy of your certificate of incorporation if you\u2019re a registered company\n\n- a copy of your operator licence (if you have one)\n\n- the name, position and contact details of the main contact in your organisation for driving tests\n\n- confirmation that you, as the person submitting the application, is an approved signatory for the purposes of the application\n\n## The tests you want to provide\n\nYou\u2019ll need to include:\n\n- details of the locations at which testing would take place\n\n- the categories of tests you want to provide, for example, \u2018category D - bus\u2019\n\n- the type of tests you want to provide, for example, licence acquisition theory test, licence acquisition practical test and so on\n\n- details of where the records about the tests would be stored\n\n- an estimate of the minimum number of tests you\u2019ll provide in the 12 months following your approval\n\n## The people you want to appoint as examiners\n\nYou\u2019ll need to include the full names and driving licence numbers of the people you want to appoint as delegated driving examiners.\n\n## When DVSA gets your application\n\nDVSA will tell you its decision about your application within 10 working days.\n\nYou\u2019ll also get information about:\n\n- the qualifying process\n\n- the detailed rules about providing theory and practical driving tests\n\n- the detailed rules about recording tests that you provide\n\nYou can email DVSA if you need more information.", + "original_contents": [ + "

    Who can provide driving tests

    ", + "

    Driving tests are usually provided by the Driver and Vehicle Standards Agency (DVSA).

    ", + "

    You can apply to DVSA for permission for your own staff to provide driving tests for your employees if you\u2019re a:

    ", + "
  • bus or haulage operating licence holder
  • ", + "
  • police service
  • ", + "
  • fire and rescue service
  • ", + "

    Your staff providing driving tests will be known as \u2018delegated driving examiners\u2019.

    ", + "

    Tests that can be provided

    ", + "

    Delegated driving examiners are allowed to provide theory and practical driving tests for drivers of:

    ", + "
  • lorries
  • ", + "
  • buses and coaches
  • ", + "
  • cars and trailers
  • ", + "
  • emergency service vehicles
  • ", + "

    Lorry, bus and coach companies

    ", + "

    Delegated driving examiners working for lorry, bus and coach companies can test:

    ", + "
  • an employee
  • ", + "
  • an employee of a sister company
  • ", + "

    As a delegated driving examiner, you cannot test someone you\u2019ve trained.

    ", + "

    Emergency services

    ", + "

    Delegated driving examiners working for police services and fire and rescue services can test:

    ", + "
  • an employee
  • ", + "
  • an employee from the same type of service in a different area
  • ", + "

    The same delegated driving examiner can provide tests for both a police service and a fire and rescue service, but both must appoint them with DVSA.

    ", + "

    Rules for your driving examiners

    ", + "

    When deciding whether to give permission for someone to provide driving tests, the Driver and Vehicle Standards Agency (DVSA) looks at if they:

    ", + "
  • have a full driving licence for the type of vehicle they\u2019re testing in
  • ", + "
  • have had any convictions in the last 3 years
  • ", + "
  • have been disqualified from driving
  • ", + "
  • have any court proceedings pending against them
  • ", + "
  • have any penalty points on their licence
  • ", + "

    Qualifying as a delegated driving examiner

    ", + "

    Your employees must then:

    ", + "
  • complete an initial training course
  • ", + "
  • reach an appropriate standard in the delegated driving examiner theory and practical tests
  • ", + "

    DVSA will send you more information about the qualifying process when you apply to provide driving tests.

    ", + "

    Apply to provide driving tests

    ", + "

    You must email the Driver and Vehicle Standards Agency (DVSA) to get permission to provide driving tests.

    ", + "

    You cannot currently contact DVSA by telephone or post because of coronavirus (COVID-19).

    ", + "

    You must include information about your organisation, the tests you want to provide, and the people you want to appoint as delegated driving examiners.

    ", + "

    Your organisation

    ", + "

    You\u2019ll need to include:

    ", + "
  • the full name of the organisation
  • ", + "
  • the registered address or headquarters address (if you\u2019re not a registered company)
  • ", + "
  • a copy of your certificate of incorporation if you\u2019re a registered company
  • ", + "
  • a copy of your operator licence (if you have one)
  • ", + "
  • the name, position and contact details of the main contact in your organisation for driving tests
  • ", + "
  • confirmation that you, as the person submitting the application, is an approved signatory for the purposes of the application
  • ", + "

    The tests you want to provide

    ", + "

    You\u2019ll need to include:

    ", + "
  • details of the locations at which testing would take place
  • ", + "
  • the categories of tests you want to provide, for example, \u2018category D - bus\u2019
  • ", + "
  • the type of tests you want to provide, for example, licence acquisition theory test, licence acquisition practical test and so on
  • ", + "
  • details of where the records about the tests would be stored
  • ", + "
  • an estimate of the minimum number of tests you\u2019ll provide in the 12 months following your approval
  • ", + "

    The people you want to appoint as examiners

    ", + "

    You\u2019ll need to include the full names and driving licence numbers of the people you want to appoint as delegated driving examiners.

    ", + "

    When DVSA gets your application

    ", + "

    DVSA will tell you its decision about your application within 10 working days.

    ", + "

    You\u2019ll also get information about:

    ", + "
  • the qualifying process
  • ", + "
  • the detailed rules about providing theory and practical driving tests
  • ", + "
  • the detailed rules about recording tests that you provide
  • ", + "

    You can email DVSA if you need more information.

    " + ] + }, + "https://www.gov.uk/become-an-mot-tester": { + "url": "https://www.gov.uk/become-an-mot-tester", + "title": "Become an MOT tester", + "content": "## Overview\n\n- Check that you meet the eligibility rules to become an MOT tester.\n\n- Take an MOT tester qualification course.\n\n- Pass a Driver and Vehicle Standards Agency MOT demonstration test.\n\nYou can then start carrying out MOT tests at an authorised testing station.\n\nYou\u2019ll have to take training and an assessment each year when you\u2019re qualified.\n\n## Eligibility\n\nTo take an MOT testing course you must:\n\n- have a current and full UK driving licence for the vehicle classes you want to test\n\n- be a skilled mechanic with at least 4 years\u2019 full-time employment servicing and repairing the types of vehicles you\u2019re going to test\n\n- have no unspent convictions for criminal offences\n\n- be \u2018of good repute\u2019 - the Driver and Vehicle Standards Agency will decide this to make sure you\u2019re suitable to be an MOT tester\n\nTo become a class 3 or 5 MOT tester you must also have already:\n\n- got a level 2 testing certificate in class 4 and 7 vehicles (group B)\n\n- passed an MOT demonstration test after getting your level 2 certificate\n\nYou must have an accepted qualification or accreditation if you want to test class 3, 4, 5 or 7 vehicles (cars, private buses and light commercial vehicles).\n\n## Common qualifications or accreditations\n\nCheck the full list of accepted qualifications and accreditations.\n\n## National Vocational Qualifications (NVQs), Scottish Vocational Qualifications (SVQs) and Vocationally Related Qualifications (VRQs)\n\nYou can take the MOT testing course if you have a VRQ, NVQ or SVQ in:\n\n- Vehicle Mechanical and Electronic Systems, Maintenance and Repair (light vehicle or heavy vehicle), level 3\n\n- Vehicle Technician, Vehicle Maintenance and Repair (light vehicle or heavy vehicle), level 3\n\n## City and Guilds\n\nYou can take the MOT testing course if you have a City and Guilds qualification in:\n\n- Automotive Qualification, NVQ level 3\n\n- Repair and Servicing of Road Vehicles, 383 (full level 2 or 3)\n\n- Motor Vehicle Craft Studies, modular - part 3 (requires 3 modules)\n\n- Motor Vehicle Craft Studies, 381 (full part 2 or 3)\n\n- Motor Vehicle Craft Studies, pre 381 syllabus (full part 2)\n\n- Light or Heavy Vehicle Mechanics Craft Studies (full part 2 or 3)\n\n- Motor Vehicle Technician\u2019s Certificate (full part 1)\n\n## Other qualifications\n\nYou can also take the MOT testing course if you have one of these qualifications:\n\n- IMI level 3 National Diploma in Vehicle Maintenance and Repair (light vehicle or heavy vehicle)\n\n- National Craft Certification with a specialism of Vehicle Maintenance and Electronic Systems\n\n- Business and Technology Education Council (BTEC), National Certificate or Ordinary National Certificate (ONC) in Motor Vehicle Engineering studies\n\n- Scottish Vocational Educational Council National Certificate in Vehicle Mechanics and Systems (part 3)\n\n## Accreditations\n\nYou can take the MOT testing course if you have an Automotive Technician Accreditation (ATA) in:\n\n- Light Vehicle Diagnostic Technician\n\n- Light Vehicle Inspection Technician\n\nYou must have a valid ATA accreditation ID card. You\u2019ll have received this when you got your qualification.\n\nYou can also take the course if you have an ABC Awards Accreditation in Vehicle Technician Accredited Assessment.\n\n## MOT tester course (class 1, 2, 4 and 7)\n\nYou must successfully complete an MOT tester qualification course to become an MOT tester.\n\n## Before the course\n\nYou need to show that you\u2019re eligible to become an MOT tester.\n\n## How to apply\n\nFind an MOT tester qualification course and book it with the course provider.\n\nYou have to pay to take the course. The prices vary and are set by each course provider.\n\n## What the course involves\n\nThe course will cover theory and practical training on being an MOT tester.\n\nThe course lasts at least 29 hours. You\u2019ll spend at least 8 hours doing practical training.\n\nThere are 5 parts to the course:\n\n- safe working practices in the vehicle test centre\n\n- working relationships within the vehicle test centre\n\n- managing your own professional development as an MOT tester\n\n- carrying out pre-test checks for an MOT test\n\n- carrying out an MOT test\n\n## Assessments in the course\n\nThe course also includes:\n\n- a multiple-choice question test\n\n- a practical assessment\n\nYou have to pass both to successfully complete the course.\n\nYour course provider will give you more information on how their course works.\n\n## After you\u2019ve done the course\n\nWhen you complete the course you get a Level 2 MOT Testing Award in either:\n\n- class 1 and 2 vehicles (group A)\n\n- class 4 and 7 vehicles (group B)\n\nYou\u2019ll get a certificate which you need to book and take a Driver and Vehicle Standards Agency MOT demonstration test.\n\n## MOT demonstration test (class 1, 2, 4 and 7)\n\nYou must pass an MOT demonstration test when you\u2019ve got your level 2 MOT testing certificate.\n\nYou can do the demonstration test at either:\n\n- the training centre where you took the qualification course\n\n- an MOT testing station you work at (that\u2019s open and trading)\n\nYou do not have to pay to do the demonstration test.\n\n## Before you book the test\n\nBefore you book the test, you need to:\n\n- read the MOT testing manuals and special notices\n\n- practise your inspection routine\n\n- practise using the test equipment with different vehicles\n\n- watch an experienced tester test different vehicles\n\n## How to book the test\n\nYou can book your demonstration test once you can carry out an MOT test without any help.\n\n- Sign in to the MOT testing service - your account should have been created when you did your qualification course.\n\n- Go to the your profile section and select qualifications.\n\n- Add your level 2 MOT testing certificate number, and choose where you want to do the demonstration test - you\u2019ll need the ID number of the training centre or testing station.\n\n- Request a test by calling the Driver and Vehicle Standards Agency (DVSA). You\u2019ll need your user ID from the MOT testing service and the name and ID number of the test location you chose in step 3.\n\n- DVSA will call you to set a test date - this can take several weeks. If DVSA has not called you within 4 weeks, you can call them to get an update.\n\n## What to bring to the test\n\nWhen you take your test, make sure you bring:\n\n- a vehicle that\u2019s at least 3 years old, in the vehicle class you\u2019re being tested on\n\n- your UK driving licence (if you do not have a photocard licence you also need to take photo ID, such as your passport)\n\n- your level 2 MOT testing award certificate\n\nYour test will be cancelled if you do not bring these things with you.\n\n## What happens at the test\n\nThe DVSA examiner will explain what you\u2019ll have to do. They\u2019ll ask you to:\n\n- carry out a demonstration test\n\n- record the result in a practice version of the MOT testing service\n\n- answer some questions about the MOT\n\n## Test result\n\nIf you pass the demonstration test you can start doing MOT tests at the testing stations where you\u2019re a registered tester. These are listed in the MOT testing service.\n\nIf you fail the demonstration test, the examiner will give you feedback and tell you what to do next.\n\n## Class 3 or 5 MOT tester training\n\nYou need to do another training course and MOT demonstration test to become a class 3 or 5 MOT tester.\n\n## Before the training course\n\nYou\u2019ll need to show that you\u2019ve already:\n\n- got a level 2 testing certificate in class 4 and 7 vehicles (group B)\n\n- passed an MOT demonstration test after getting your level 2 certificate\n\n## How to apply\n\nYou can book a class 3 or 5 training course by contacting these approved course providers. The prices vary and are set by each course provider.\n\n## After you\u2019ve done the course\n\nYou\u2019ll get a certificate. You need this to book and take a DVSA MOT demonstration test before you can work as a class 3 or 5 MOT tester.\n\nDo not enter the certificate details on the MOT testing service.\n\nThe demonstration test involves being tested by a DVSA examiner at either:\n\n- the training centre where you took the qualification course\n\n- a testing centre that tests class 3 and 5 vehicles\n\n## Preparing for the test\n\nPrepare for the demonstration test by:\n\n- reading the MOT testing manuals and special notices\n\n- practicing your inspection routine\n\n- making sure you have all the necessary documents, for example your driving licence\n\n## How to book the test\n\nYou\u2019ll need:\n\n- your MOT testing service user ID\n\n- to know the vehicle test station (VTS) number where you want to have your test\n\nCall DVSA to book your test.\n\n## How the test works\n\nA DVSA examiner will check your:\n\n- UK driving licence (if you do not have a photocard licence you also need to take photo ID, such as your passport)\n\n- class 3 or 5 MOT training certificate\n\nThe examiner will explain what you\u2019ll have to do. They\u2019ll ask you to:\n\n- carry out a demonstration test\n\n- record the result in the training version of the MOT testing service\n\n- answer some questions about the MOT\n\n## Test result\n\nIf you pass the demonstration test you\u2019ll be able to do either class 3 or 5 MOT tests at testing stations authorised to test these classes.\n\nIf you fail the demonstration test, the examiner will give you feedback and tell you what to do next.\n\n## Annual training and assessment\n\nYou must complete your training and pass an assessment between April and March every year, for example between April 2016 and March 2017.\n\nYou choose when you do the training and assessment.\n\nYou\u2019ll be responsible for:\n\n- planning and doing your training\n\n- recording your training and keeping evidence of it\n\n- booking and taking the annual assessment\n\n## Returning to MOT testing\n\nYou need to do more training and take a test if you\u2019re returning to MOT testing.\n\nWhat you have to do depends on:\n\n- why you stopped testing\n\n- how long you stopped testing for\n\n## After a formal warning or disciplinary period\n\nYou must complete all the steps before you can test again.\n\n## Formal warning or disciplinary period of 28 days\n\n- Take the current year\u2019s annual training and assessment.\n\n- Take extra training about the subjects you were disqualified for. For example, read the inspection manuals or take a training course. The Driver and Vehicle Standards Agency (DVSA) can ask you for evidence you\u2019ve done it.\n\n- Take a DVSA MOT demonstration test.\n\n## Disciplinary period of 2 or 5 years\n\n- Take an MOT tester qualification course.\n\n- Take a DVSA MOT demonstration test.\n\n## If you stopped testing voluntarily\n\nYou must complete all the steps before you can test again.\n\n## Stopped for between 6 months and 5 years\n\n- Take the current year\u2019s annual training and assessment.\n\n- Take extra training. For example, read the inspection manuals or take a training course. DVSA can ask you for evidence you\u2019ve done it.\n\n- Take a \u2018returning to MOT testing\u2019 demonstration test. Call DVSA to book your test.\n\nYou\u2019ll need to give:\n\n- your MOT testing service user ID\n\n- the number of the vehicle test station where you want to do the test\n\n- the class of vehicle you want to test\n\n## Stopped for more than 5 years\n\n- Take an MOT tester qualification course.\n\n- Take a DVSA MOT demonstration test.", + "original_contents": [ + "

    Overview

    ", + "
  • Check that you meet the eligibility rules to become an MOT tester.
  • ", + "
  • Take an MOT tester qualification course.
  • ", + "
  • Pass a Driver and Vehicle Standards Agency MOT demonstration test.
  • ", + "

    You can then start carrying out MOT tests at an authorised testing station.

    ", + "

    You\u2019ll have to take training and an assessment each year when you\u2019re qualified.

    ", + "

    Eligibility

    ", + "

    To take an MOT testing course you must:

    ", + "
  • have a current and full UK driving licence for the vehicle classes you want to test
  • ", + "
  • be a skilled mechanic with at least 4 years\u2019 full-time employment servicing and repairing the types of vehicles you\u2019re going to test
  • ", + "
  • have no unspent convictions for criminal offences
  • ", + "
  • be \u2018of good repute\u2019 - the Driver and Vehicle Standards Agency will decide this to make sure you\u2019re suitable to be an MOT tester
  • ", + "

    To become a class 3 or 5 MOT tester you must also have already:

    ", + "
  • got a level 2 testing certificate in class 4 and 7 vehicles (group B)
  • ", + "
  • passed an MOT demonstration test after getting your level 2 certificate
  • ", + "

    You must have an accepted qualification or accreditation if you want to test class 3, 4, 5 or 7 vehicles (cars, private buses and light commercial vehicles).

    ", + "

    Common qualifications or accreditations

    ", + "

    Check the full list of accepted qualifications and accreditations.

    ", + "

    National Vocational Qualifications (NVQs), Scottish Vocational Qualifications (SVQs) and Vocationally Related Qualifications (VRQs)

    ", + "

    You can take the MOT testing course if you have a VRQ, NVQ or SVQ in:

    ", + "
  • Vehicle Mechanical and Electronic Systems, Maintenance and Repair (light vehicle or heavy vehicle), level 3
  • ", + "
  • Vehicle Technician, Vehicle Maintenance and Repair (light vehicle or heavy vehicle), level 3
  • ", + "

    City and Guilds

    ", + "

    You can take the MOT testing course if you have a City and Guilds qualification in:

    ", + "
  • Automotive Qualification, NVQ level 3
  • ", + "
  • Repair and Servicing of Road Vehicles, 383 (full level 2 or 3)
  • ", + "
  • Motor Vehicle Craft Studies, modular - part 3 (requires 3 modules)
  • ", + "
  • Motor Vehicle Craft Studies, 381 (full part 2 or 3)
  • ", + "
  • Motor Vehicle Craft Studies, pre 381 syllabus (full part 2)
  • ", + "
  • Light or Heavy Vehicle Mechanics Craft Studies (full part 2 or 3)
  • ", + "
  • Motor Vehicle Technician\u2019s Certificate (full part 1)
  • ", + "

    Other qualifications

    ", + "

    You can also take the MOT testing course if you have one of these qualifications:

    ", + "
  • IMI level 3 National Diploma in Vehicle Maintenance and Repair (light vehicle or heavy vehicle)
  • ", + "
  • National Craft Certification with a specialism of Vehicle Maintenance and Electronic Systems
  • ", + "
  • Business and Technology Education Council (BTEC), National Certificate or Ordinary National Certificate (ONC) in Motor Vehicle Engineering studies
  • ", + "
  • Scottish Vocational Educational Council National Certificate in Vehicle Mechanics and Systems (part 3)
  • ", + "

    Accreditations

    ", + "

    You can take the MOT testing course if you have an Automotive Technician Accreditation (ATA) in:

    ", + "
  • Light Vehicle Diagnostic Technician
  • ", + "
  • Light Vehicle Inspection Technician
  • ", + "

    You must have a valid ATA accreditation ID card. You\u2019ll have received this when you got your qualification.

    ", + "

    You can also take the course if you have an ABC Awards Accreditation in Vehicle Technician Accredited Assessment.

    ", + "

    MOT tester course (class 1, 2, 4 and 7)

    ", + "

    You must successfully complete an MOT tester qualification course to become an MOT tester.

    ", + "

    Before the course

    ", + "

    You need to show that you\u2019re eligible to become an MOT tester.

    ", + "

    How to apply

    ", + "

    Find an MOT tester qualification course and book it with the course provider.

    ", + "

    You have to pay to take the course. The prices vary and are set by each course provider.

    ", + "

    What the course involves

    ", + "

    The course will cover theory and practical training on being an MOT tester.

    ", + "

    The course lasts at least 29 hours. You\u2019ll spend at least 8 hours doing practical training.

    ", + "

    There are 5 parts to the course:

    ", + "
  • safe working practices in the vehicle test centre
  • ", + "
  • working relationships within the vehicle test centre
  • ", + "
  • managing your own professional development as an MOT tester
  • ", + "
  • carrying out pre-test checks for an MOT test
  • ", + "
  • carrying out an MOT test
  • ", + "

    Assessments in the course

    ", + "

    The course also includes:

    ", + "
  • a multiple-choice question test
  • ", + "
  • a practical assessment
  • ", + "

    You have to pass both to successfully complete the course.

    ", + "

    Your course provider will give you more information on how their course works.

    ", + "

    After you\u2019ve done the course

    ", + "

    When you complete the course you get a Level 2 MOT Testing Award in either:

    ", + "
  • class 1 and 2 vehicles (group A)
  • ", + "
  • class 4 and 7 vehicles (group B)
  • ", + "

    You\u2019ll get a certificate which you need to book and take a Driver and Vehicle Standards Agency MOT demonstration test.

    ", + "

    MOT demonstration test (class 1, 2, 4 and 7)

    ", + "

    You must pass an MOT demonstration test when you\u2019ve got your level 2 MOT testing certificate.

    ", + "

    You can do the demonstration test at either:

    ", + "
  • the training centre where you took the qualification course
  • ", + "
  • an MOT testing station you work at (that\u2019s open and trading)
  • ", + "

    You do not have to pay to do the demonstration test.

    ", + "

    Before you book the test

    ", + "

    Before you book the test, you need to:

    ", + "
  • read the MOT testing manuals and special notices
  • ", + "
  • practise your inspection routine
  • ", + "
  • practise using the test equipment with different vehicles
  • ", + "
  • watch an experienced tester test different vehicles
  • ", + "

    How to book the test

    ", + "

    You can book your demonstration test once you can carry out an MOT test without any help.

    ", + "
  • Sign in to the MOT testing service - your account should have been created when you did your qualification course.
  • ", + "
  • Go to the your profile section and select qualifications.
  • ", + "
  • Add your level 2 MOT testing certificate number, and choose where you want to do the demonstration test - you\u2019ll need the ID number of the training centre or testing station.
  • ", + "
  • Request a test by calling the Driver and Vehicle Standards Agency (DVSA). You\u2019ll need your user ID from the MOT testing service and the name and ID number of the test location you chose in step 3.
  • ", + "
  • DVSA will call you to set a test date - this can take several weeks. If DVSA has not called you within 4 weeks, you can call them to get an update.
  • ", + "

    What to bring to the test

    ", + "

    When you take your test, make sure you bring:

    ", + "
  • a vehicle that\u2019s at least 3 years old, in the vehicle class you\u2019re being tested on
  • ", + "
  • your UK driving licence (if you do not have a photocard licence you also need to take photo ID, such as your passport)
  • ", + "
  • your level 2 MOT testing award certificate
  • ", + "

    Your test will be cancelled if you do not bring these things with you.

    ", + "

    What happens at the test

    ", + "

    The DVSA examiner will explain what you\u2019ll have to do. They\u2019ll ask you to:

    ", + "
  • carry out a demonstration test
  • ", + "
  • record the result in a practice version of the MOT testing service
  • ", + "
  • answer some questions about the MOT
  • ", + "

    Test result

    ", + "

    If you pass the demonstration test you can start doing MOT tests at the testing stations where you\u2019re a registered tester. These are listed in the MOT testing service.

    ", + "

    If you fail the demonstration test, the examiner will give you feedback and tell you what to do next.

    ", + "

    Class 3 or 5 MOT tester training

    ", + "

    You need to do another training course and MOT demonstration test to become a class 3 or 5 MOT tester.

    ", + "

    Before the training course

    ", + "

    You\u2019ll need to show that you\u2019ve already:

    ", + "
  • got a level 2 testing certificate in class 4 and 7 vehicles (group B)
  • ", + "
  • passed an MOT demonstration test after getting your level 2 certificate
  • ", + "

    How to apply

    ", + "

    You can book a class 3 or 5 training course by contacting these approved course providers. The prices vary and are set by each course provider.

    ", + "

    After you\u2019ve done the course

    ", + "

    You\u2019ll get a certificate. You need this to book and take a DVSA MOT demonstration test before you can work as a class 3 or 5 MOT tester.

    ", + "

    Do not enter the certificate details on the MOT testing service.

    ", + "

    The demonstration test involves being tested by a DVSA examiner at either:

    ", + "
  • the training centre where you took the qualification course
  • ", + "
  • a testing centre that tests class 3 and 5 vehicles
  • ", + "

    Preparing for the test

    ", + "

    Prepare for the demonstration test by:

    ", + "
  • reading the MOT testing manuals and special notices
  • ", + "
  • practicing your inspection routine
  • ", + "
  • making sure you have all the necessary documents, for example your driving licence
  • ", + "

    How to book the test

    ", + "

    You\u2019ll need:

    ", + "
  • your MOT testing service user ID
  • ", + "
  • to know the vehicle test station (VTS) number where you want to have your test
  • ", + "

    Call DVSA to book your test.

    ", + "

    How the test works

    ", + "

    A DVSA examiner will check your:

    ", + "
  • UK driving licence (if you do not have a photocard licence you also need to take photo ID, such as your passport)
  • ", + "
  • class 3 or 5 MOT training certificate
  • ", + "

    The examiner will explain what you\u2019ll have to do. They\u2019ll ask you to:

    ", + "
  • carry out a demonstration test
  • ", + "
  • record the result in the training version of the MOT testing service
  • ", + "
  • answer some questions about the MOT
  • ", + "

    Test result

    ", + "

    If you pass the demonstration test you\u2019ll be able to do either class 3 or 5 MOT tests at testing stations authorised to test these classes.

    ", + "

    If you fail the demonstration test, the examiner will give you feedback and tell you what to do next.

    ", + "

    Annual training and assessment

    ", + "

    You must complete your training and pass an assessment between April and March every year, for example between April 2016 and March 2017.

    ", + "

    You choose when you do the training and assessment.

    ", + "

    You\u2019ll be responsible for:

    ", + "
  • planning and doing your training
  • ", + "
  • recording your training and keeping evidence of it
  • ", + "
  • booking and taking the annual assessment
  • ", + "

    Returning to MOT testing

    ", + "

    You need to do more training and take a test if you\u2019re returning to MOT testing.

    ", + "

    What you have to do depends on:

    ", + "
  • why you stopped testing
  • ", + "
  • how long you stopped testing for
  • ", + "

    After a formal warning or disciplinary period

    ", + "

    You must complete all the steps before you can test again.

    ", + "

    Formal warning or disciplinary period of 28 days

    ", + "
  • Take the current year\u2019s annual training and assessment.
  • ", + "
  • Take extra training about the subjects you were disqualified for. For example, read the inspection manuals or take a training course. The Driver and Vehicle Standards Agency (DVSA) can ask you for evidence you\u2019ve done it.
  • ", + "
  • Take a DVSA MOT demonstration test.
  • ", + "

    Disciplinary period of 2 or 5 years

    ", + "
  • Take an MOT tester qualification course.
  • ", + "
  • Take a DVSA MOT demonstration test.
  • ", + "

    If you stopped testing voluntarily

    ", + "

    You must complete all the steps before you can test again.

    ", + "

    Stopped for between 6 months and 5 years

    ", + "
  • Take the current year\u2019s annual training and assessment.
  • ", + "
  • Take extra training. For example, read the inspection manuals or take a training course. DVSA can ask you for evidence you\u2019ve done it.
  • ", + "
  • Take a \u2018returning to MOT testing\u2019 demonstration test. Call DVSA to book your test.
  • ", + "

    You\u2019ll need to give:

    ", + "
  • your MOT testing service user ID
  • ", + "
  • the number of the vehicle test station where you want to do the test
  • ", + "
  • the class of vehicle you want to test
  • ", + "

    Stopped for more than 5 years

    ", + "
  • Take an MOT tester qualification course.
  • ", + "
  • Take a DVSA MOT demonstration test.
  • " + ] + }, + "https://www.gov.uk/mot-tester-training-assessments": { + "url": "https://www.gov.uk/mot-tester-training-assessments", + "title": "MOT tester training and annual assessments", + "content": "## Staying qualified as an MOT tester\n\nYou must complete training and pass an assessment between April and March every year.\n\nYour MOT tester status will be suspended if you do not pass the annual assessment.\n\n## What you need to do\n\n- Do at least 3 hours of training each year and 16 hours in 5 years.\n\n- Keep a record of your training.\n\n- Book and take your assessment.\n\nIf you pass the assessment, you\u2019ll get a certificate. You can check if your certificate has been uploaded in the \u2018Annual assessment certificates\u2019 section of your MOT testing service profile. Contact your training provider if it\u2019s not been recorded correctly.\n\n## Training\n\nYou\u2019re responsible for planning and doing your training. You must keep a record of your training.\n\nYou can train on your own or in a group by:\n\n- studying MOT inspection manuals, special notices and the testing guide\n\n- discussing what you\u2019re learning with another tester (or group of testers)\n\n- demonstrating what you\u2019re learning to another tester\n\n- learning from a more experienced tester\n\nYou can also book a training course through one of these providers:\n\n- ABC Awards\n\n- City & Guilds\n\n- Institute of the Motor Industry\n\nCheck with the provider for the cost.\n\n## What you need to study\n\nThe topics you need to study depend on whether you test class 1 and 2 vehicles (\u2018group A\u2019) or class 3, 4, 5 and 7 vehicles (\u2018group B\u2019).\n\nSome topics are studied by both groups.\n\n## Group A (class 1 and 2 vehicles)\n\nIf you test vehicles in group A, you need to know about:\n\n- new vehicle technology\n\n- MOT test procedures\n\n- MOT testing requirements\n\n- corrosion and standards of repair\n\n- the MOT inspection manual for motorcycles and sidecars\n\n## Group B (class 3, 4, 5 and 7 vehicles)\n\nIf you test vehicles in group B, you need to know about:\n\n- new vehicle technology\n\n- MOT testing requirements\n\n- corrosion and standards of repair\n\n- the MOT inspection manual for cars and passenger vehicles\n\n## Groups A and B\n\nIf you test vehicles in both group A and group B, you need to study all the topics. You also need to train for at least 6 hours a year (instead of 3) and take 2 annual assessments.\n\n## Keeping a record of your training\n\nYou have to keep records for 5 years.\n\nYou\u2019ll need to record:\n\n- the MOT annual training year (for example May 2021 to March 2022)\n\n- the date of the training\n\n- how long the training session lasted\n\n- what topics you covered during the session\n\n- notes on what you did, how you did it and what you learned\n\n- what vehicle groups your training covered\n\n- your name and MOT testing service user ID\n\nYou can use a template to record your training.\n\n## Taking your assessment\n\nYou can have your assessment at any point in the year, if you\u2019ve done your training.\n\nBook your assessment through one of these providers:\n\n- ABC awards\n\n- Institute of the Motor Industry\n\nYou have to pay for the assessment - check the cost with the provider.\n\n## What happens at the assessment\n\nYou take the assessment online, for example at home or at the provider.\n\nThe test is 30 multiple-choice questions. It usually takes around 1 hour.\n\nRead examples of the types of questions you\u2019ll be asked.\n\nYou can use your notes and the MOT inspection manual during the assessment.\n\n## After your assessment\n\nThe pass mark for 1 May 2021 to 31 March 2022 is 80%.\n\nYou get a certificate if you pass your assessment. Keep it with your training record.\n\nIf you do not pass, there\u2019s no limit on how many times you can take the assessment during the same year.\n\nYou must stop carrying out MOT tests if you have not passed by the end of the training year. Your MOT testing account will be suspended.\n\n## If you do not pass your assessment in the training year\n\nYou\u2019ll need to do the training and pass the annual assessment on the next year\u2019s topics. For example, if you did not pass the 2020 to 2021 assessment you will need to pass the 2021 to 2022 assessment.\n\nOnce you\u2019ve passed, you need to request and pass an MOT demonstration test. Your account will then be unsuspended.\n\nMOT demonstration tests are not taking place because of coronavirus (COVID-19). You can still email DVSA to request an MOT demonstration test. DVSA will contact you when testing restarts.\n\nYou\u2019ll need to include:\n\n- your MOT testing service user ID\n\n- the MOT centre number of where you want to take the test\n\nIf you\u2019ve carried out an MOT test in the last 12 months, DVSA will unsuspend your account and you\u2019ll be able to do MOT tests again if you do the training and pass the 2021 to 2022 assessment. You will not need to do a demonstration test.\n\nEmail DVSA if you\u2019ve carried out an MOT test in the last 12 months and have passed the 2021 to 2022 assessment, including:\n\n- your MOT testing service user ID\n\n- a copy of your certificate and training record\n\n- your MOT centre number", + "original_contents": [ + "

    Staying qualified as an MOT tester

    ", + "

    You must complete training and pass an assessment between April and March every year.

    ", + "

    Your MOT tester status will be suspended if you do not pass the annual assessment.

    ", + "

    What you need to do

    ", + "
  • Do at least 3 hours of training each year and 16 hours in 5 years.
  • ", + "
  • Keep a record of your training.
  • ", + "
  • Book and take your assessment.
  • ", + "

    If you pass the assessment, you\u2019ll get a certificate. You can check if your certificate has been uploaded in the \u2018Annual assessment certificates\u2019 section of your MOT testing service profile. Contact your training provider if it\u2019s not been recorded correctly.

    ", + "

    Training

    ", + "

    You\u2019re responsible for planning and doing your training. You must keep a record of your training.

    ", + "

    You can train on your own or in a group by:

    ", + "
  • studying MOT inspection manuals, special notices and the testing guide
  • ", + "
  • discussing what you\u2019re learning with another tester (or group of testers)
  • ", + "
  • demonstrating what you\u2019re learning to another tester
  • ", + "
  • learning from a more experienced tester
  • ", + "

    You can also book a training course through one of these providers:

    ", + "
  • ABC Awards
  • ", + "
  • City & Guilds
  • ", + "
  • Institute of the Motor Industry
  • ", + "

    Check with the provider for the cost.

    ", + "

    What you need to study

    ", + "

    The topics you need to study depend on whether you test class 1 and 2 vehicles (\u2018group A\u2019) or class 3, 4, 5 and 7 vehicles (\u2018group B\u2019).

    ", + "

    Some topics are studied by both groups.

    ", + "

    Group A (class 1 and 2 vehicles)

    ", + "

    If you test vehicles in group A, you need to know about:

    ", + "
  • new vehicle technology
  • ", + "
  • MOT test procedures
  • ", + "
  • MOT testing requirements
  • ", + "
  • corrosion and standards of repair
  • ", + "
  • the MOT inspection manual for motorcycles and sidecars
  • ", + "

    Group B (class 3, 4, 5 and 7 vehicles)

    ", + "

    If you test vehicles in group B, you need to know about:

    ", + "
  • new vehicle technology
  • ", + "
  • MOT testing requirements
  • ", + "
  • corrosion and standards of repair
  • ", + "
  • the MOT inspection manual for cars and passenger vehicles
  • ", + "

    Groups A and B

    ", + "

    If you test vehicles in both group A and group B, you need to study all the topics. You also need to train for at least 6 hours a year (instead of 3) and take 2 annual assessments.

    ", + "

    Keeping a record of your training

    ", + "

    You have to keep records for 5 years.

    ", + "

    You\u2019ll need to record:

    ", + "
  • the MOT annual training year (for example May 2021 to March 2022)
  • ", + "
  • the date of the training
  • ", + "
  • how long the training session lasted
  • ", + "
  • what topics you covered during the session
  • ", + "
  • notes on what you did, how you did it and what you learned
  • ", + "
  • what vehicle groups your training covered
  • ", + "
  • your name and MOT testing service user ID
  • ", + "

    You can use a template to record your training.

    ", + "

    Taking your assessment

    ", + "

    You can have your assessment at any point in the year, if you\u2019ve done your training.

    ", + "

    Book your assessment through one of these providers:

    ", + "
  • ABC awards
  • ", + "
  • Institute of the Motor Industry
  • ", + "

    You have to pay for the assessment - check the cost with the provider.

    ", + "

    What happens at the assessment

    ", + "

    You take the assessment online, for example at home or at the provider.

    ", + "

    The test is 30 multiple-choice questions. It usually takes around 1 hour.

    ", + "

    Read examples of the types of questions you\u2019ll be asked.

    ", + "

    You can use your notes and the MOT inspection manual during the assessment.

    ", + "

    After your assessment

    ", + "

    The pass mark for 1 May 2021 to 31 March 2022 is 80%.

    ", + "

    You get a certificate if you pass your assessment. Keep it with your training record.

    ", + "

    If you do not pass, there\u2019s no limit on how many times you can take the assessment during the same year.

    ", + "

    You must stop carrying out MOT tests if you have not passed by the end of the training year. Your MOT testing account will be suspended.

    ", + "

    If you do not pass your assessment in the training year

    ", + "

    You\u2019ll need to do the training and pass the annual assessment on the next year\u2019s topics. For example, if you did not pass the 2020 to 2021 assessment you will need to pass the 2021 to 2022 assessment.

    ", + "

    Once you\u2019ve passed, you need to request and pass an MOT demonstration test. Your account will then be unsuspended.

    ", + "

    MOT demonstration tests are not taking place because of coronavirus (COVID-19). You can still email DVSA to request an MOT demonstration test. DVSA will contact you when testing restarts.

    ", + "

    You\u2019ll need to include:

    ", + "
  • your MOT testing service user ID
  • ", + "
  • the MOT centre number of where you want to take the test
  • ", + "

    If you\u2019ve carried out an MOT test in the last 12 months, DVSA will unsuspend your account and you\u2019ll be able to do MOT tests again if you do the training and pass the 2021 to 2022 assessment. You will not need to do a demonstration test.

    ", + "

    Email DVSA if you\u2019ve carried out an MOT test in the last 12 months and have passed the 2021 to 2022 assessment, including:

    ", + "
  • your MOT testing service user ID
  • ", + "
  • a copy of your certificate and training record
  • ", + "
  • your MOT centre number
  • " + ] + }, + "https://www.gov.uk/become-an-mot-station": { + "url": "https://www.gov.uk/become-an-mot-station", + "title": "Set up an MOT test station", + "content": "## What you need to set up and start testing\n\nYou must meet a number of legal requirements if you want to set up an MOT test station.\n\n## Set up the test station\n\nYou need:\n\n- suitable premises and approved equipment for the vehicle classes you want to test\n\n- an authorised examiner (AE)\n\nThe AE is an individual, partnership or company authorised by the Driver and Vehicle Standards Agency (DVSA). The AE is responsible for making sure that:\n\n- MOT tests are properly conducted\n\n- the test facilities and equipment are checked and well-maintained\n\n- MOT documents are correctly stored and access to electronic MOT test systems is only given to eligible users\n\n- the MOT testers are assessed correctly and complete training and assessments\n\n- DVSA staff have access to the premises for checks on staff and equipment\n\n- DVSA is informed about significant changes to the business within 7 working days\n\n## Start MOT testing\n\nBefore you can carry out MOT testing you also need:\n\n- an MOT business manager (sometimes called an \u2018AE designated manager\u2019) who is in charge of all MOT testing by your business\n\n- an MOT tester approved for the vehicle classes you want to test\n\nThe MOT business manager must have taken an approved course, for example the former 2-day DVSA course or a level 3 award in MOT Test Centre Management.\n\nFind an MOT manager qualification course and book it with the course provider.\n\nYou have to pay to take the course. The price is set by the course provider.\n\n## Apply for authorised examiner status\n\nYou need an authorised examiner (AE) to set up an MOT test station. The AE can be an individual, partnership or company.\n\nAE status does not transfer with a business. If you\u2019re buying an existing MOT station, you need to apply for AE status in your own right.\n\n## How to apply\n\nSend form VT01 to the Driver and Vehicle Standards Agency (DVSA). The address is on the form.\n\nUse the same form if you already have AE status and want to open a test station.\n\nThe application form has guidance notes explaining the information you need to include. There is no fee.\n\nIf your application is refused, DVSA will write to you - you can appeal the decision and ask for a hearing by writing to DVSA within 14 days.\n\n## When you must reapply\n\nYou must reapply for AE status if your company is reconstructed in a way that means it\u2019s given a new company registration number.\n\n## Equipment and premises\n\nYou need to make sure that your equipment and premises are suitable for the vehicle classes you plan to test.\n\n## Equipment\n\nYou need to have a:\n\n- computer, laptop or tablet with internet connection\n\n- printer\n\nThese need to met the minimum IT specification.\n\n## Approved testing equipment\n\nDifferent classes of vehicle need different specialist test equipment.\n\nYou must make sure you have at least the minimum level for each vehicle class you\u2019re approved to test.\n\nAll equipment must be kept in good working order and calibrated properly.\n\nYou\u2019ll need to use approved equipment for:\n\n- brake pedal application devices\n\n- decelerometers\n\n- diesel smoke meters\n\n- exhaust gas analysers (catalyst vehicles)\n\n- exhaust gas analysers (non-catalyst vehicles)\n\n- headlamp aim testers\n\n- plate brake testers\n\n- roller brake testers\n\n- tow bar socket testers\n\n- tyre tread depth gauges\n\n- wheel play detectors\n\nThere are 3 categories of decelerometers:\n\n- category A are approved for all classes of vehicle\n\n- category B are approved for class 3, 4, 5 and 7 vehicles\n\n- category C are approved for class 1 and 2 vehicles\n\nYou can download the lists of approved equipment.\n\n## Premises\n\nYou need to make sure your premises are suitable and testing bay sizes are correct for the vehicle classes you\u2019ll be testing. You can find the minimum standards in the MOT testing guide.\n\n## Approval in principle\n\nYour premises will be given an approval in principle when you apply for authorised examiner (AE) status. This will help you avoid committing to expensive work or alterations before your premises are approved.\n\nIf you\u2019ve already got AE status and want to make changes to the test facilities, write to the Driver and Vehicle Standards Agency (DVSA) before you make any changes. Include supporting drawings, to show that the changes will not affect the testing station\u2019s approval.\n\n## Meeting ongoing standards\n\nYou must clearly and publicly display the MOT test fees and appeals poster (VT9A) in your station.\n\nYou should conduct regular checks to make sure your MOT testing station meets the best practice standards at all times.\n\n## Prepare for site reviews\n\nThe Driver and Vehicle Standards Agency (DVSA) will carry out regular risk-based site reviews of your station to make sure you continue to meet the standards.\n\nThis will involve checking your station is well maintained and that it offers clean and comfortable facilities, for example suitable customer waiting areas.\n\n## Learn about changes to MOT rules\n\nDVSA uses \u2018special notices\u2019 to tell you about changes to the MOT scheme. Authorised examiners (AEs) receive these automatically within the online MOT testing service.\n\n## If your service is not good enough\n\nDVSA can take disciplinary action or stop you operating as a testing station if your service is not good enough.\n\nIf you lose AE status for disciplinary reasons, anyone else applying for AE status at the same test station must prove they\u2019re sufficiently independent from you.", + "original_contents": [ + "

    What you need to set up and start testing

    ", + "

    You must meet a number of legal requirements if you want to set up an MOT test station.

    ", + "

    Set up the test station

    ", + "

    You need:

    ", + "
  • suitable premises and approved equipment for the vehicle classes you want to test
  • ", + "
  • an authorised examiner (AE)
  • ", + "

    The AE is an individual, partnership or company authorised by the Driver and Vehicle Standards Agency (DVSA). The AE is responsible for making sure that:

    ", + "
  • MOT tests are properly conducted
  • ", + "
  • the test facilities and equipment are checked and well-maintained
  • ", + "
  • MOT documents are correctly stored and access to electronic MOT test systems is only given to eligible users
  • ", + "
  • the MOT testers are assessed correctly and complete training and assessments
  • ", + "
  • DVSA staff have access to the premises for checks on staff and equipment
  • ", + "
  • DVSA is informed about significant changes to the business within 7 working days
  • ", + "

    Start MOT testing

    ", + "

    Before you can carry out MOT testing you also need:

    ", + "
  • an MOT business manager (sometimes called an \u2018AE designated manager\u2019) who is in charge of all MOT testing by your business
  • ", + "
  • an MOT tester approved for the vehicle classes you want to test
  • ", + "

    The MOT business manager must have taken an approved course, for example the former 2-day DVSA course or a level 3 award in MOT Test Centre Management.

    ", + "

    Find an MOT manager qualification course and book it with the course provider.

    ", + "

    You have to pay to take the course. The price is set by the course provider.

    ", + "

    Apply for authorised examiner status

    ", + "

    You need an authorised examiner (AE) to set up an MOT test station. The AE can be an individual, partnership or company.

    ", + "

    AE status does not transfer with a business. If you\u2019re buying an existing MOT station, you need to apply for AE status in your own right.

    ", + "

    How to apply

    ", + "

    Send form VT01 to the Driver and Vehicle Standards Agency (DVSA). The address is on the form.

    ", + "

    Use the same form if you already have AE status and want to open a test station.

    ", + "

    The application form has guidance notes explaining the information you need to include. There is no fee.

    ", + "

    If your application is refused, DVSA will write to you - you can appeal the decision and ask for a hearing by writing to DVSA within 14 days.

    ", + "

    When you must reapply

    ", + "

    You must reapply for AE status if your company is reconstructed in a way that means it\u2019s given a new company registration number.

    ", + "

    Equipment and premises

    ", + "

    You need to make sure that your equipment and premises are suitable for the vehicle classes you plan to test.

    ", + "

    Equipment

    ", + "

    You need to have a:

    ", + "
  • computer, laptop or tablet with internet connection
  • ", + "
  • printer
  • ", + "

    These need to met the minimum IT specification.

    ", + "

    Approved testing equipment

    ", + "

    Different classes of vehicle need different specialist test equipment.

    ", + "

    You must make sure you have at least the minimum level for each vehicle class you\u2019re approved to test.

    ", + "

    All equipment must be kept in good working order and calibrated properly.

    ", + "

    You\u2019ll need to use approved equipment for:

    ", + "
  • brake pedal application devices
  • ", + "
  • decelerometers
  • ", + "
  • diesel smoke meters
  • ", + "
  • exhaust gas analysers (catalyst vehicles)
  • ", + "
  • exhaust gas analysers (non-catalyst vehicles)
  • ", + "
  • headlamp aim testers
  • ", + "
  • plate brake testers
  • ", + "
  • roller brake testers
  • ", + "
  • tow bar socket testers
  • ", + "
  • tyre tread depth gauges
  • ", + "
  • wheel play detectors
  • ", + "

    There are 3 categories of decelerometers:

    ", + "
  • category A are approved for all classes of vehicle
  • ", + "
  • category B are approved for class 3, 4, 5 and 7 vehicles
  • ", + "
  • category C are approved for class 1 and 2 vehicles
  • ", + "

    You can download the lists of approved equipment.

    ", + "

    Premises

    ", + "

    You need to make sure your premises are suitable and testing bay sizes are correct for the vehicle classes you\u2019ll be testing. You can find the minimum standards in the MOT testing guide.

    ", + "

    Approval in principle

    ", + "

    Your premises will be given an approval in principle when you apply for authorised examiner (AE) status. This will help you avoid committing to expensive work or alterations before your premises are approved.

    ", + "

    If you\u2019ve already got AE status and want to make changes to the test facilities, write to the Driver and Vehicle Standards Agency (DVSA) before you make any changes. Include supporting drawings, to show that the changes will not affect the testing station\u2019s approval.

    ", + "

    Meeting ongoing standards

    ", + "

    You must clearly and publicly display the MOT test fees and appeals poster (VT9A) in your station.

    ", + "

    You should conduct regular checks to make sure your MOT testing station meets the best practice standards at all times.

    ", + "

    Prepare for site reviews

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will carry out regular risk-based site reviews of your station to make sure you continue to meet the standards.

    ", + "

    This will involve checking your station is well maintained and that it offers clean and comfortable facilities, for example suitable customer waiting areas.

    ", + "

    Learn about changes to MOT rules

    ", + "

    DVSA uses \u2018special notices\u2019 to tell you about changes to the MOT scheme. Authorised examiners (AEs) receive these automatically within the online MOT testing service.

    ", + "

    If your service is not good enough

    ", + "

    DVSA can take disciplinary action or stop you operating as a testing station if your service is not good enough.

    ", + "

    If you lose AE status for disciplinary reasons, anyone else applying for AE status at the same test station must prove they\u2019re sufficiently independent from you.

    " + ] + }, + "https://www.gov.uk/becoming-a-speed-limiter-centre": { + "url": "https://www.gov.uk/becoming-a-speed-limiter-centre", + "title": "Becoming a speed limiter centre", + "content": "## Overview\n\nA speed limiter centre installs or adjusts devices that limit how fast a vehicle can go.\n\nUsually, only existing vehicle dealerships will become a speed limiter centre.\n\nIf you want to become a speed limiter centre, you\u2019ll need to get either:\n\n- approval from the Driver and Vehicle Standards Agency (DVSA) to become an independent centre\n\n- sponsored by a DVSA approved vehicle or speed limiter maker\n\n## Independent centres\n\nFill in the application form and send it to DVSA.\n\n## Inspections\n\nDVSA will inspect your premises, facilities and staff before approving your speed limiter centre.\n\n## Approval\n\nYou\u2019ll receive an authorisation letter from DVSA if your independent speed limiter centre is approved.\n\n## Sponsored centres\n\nYou\u2019ll need to be a sponsored vehicle dealership to become a sponsored speed limiter centre.\n\n## Sponsors\n\nSponsors are DVSA-approved makers or suppliers of either:\n\n- vehicles\n\n- speed limiters\n\nOnce approved, sponsors are able to approve vehicle dealerships they already work with that want to become speed limiter centres.\n\n## Get sponsored\n\nContact the sponsors of your vehicle dealership to ask them if you can become a sponsored speed limiter centre.\n\nYou can have more than 1 sponsor.\n\n## Inspections\n\nSponsors carry out regular checks on their approved agents equipment and also provide them with:\n\n- training\n\n- technical support\n\n- new equipment and software\n\n## Approval\n\nYou\u2019ll receive an authorisation letter from your sponsor if they approve you as a sponsored speed limiter centre.", + "original_contents": [ + "

    Overview

    ", + "

    A speed limiter centre installs or adjusts devices that limit how fast a vehicle can go.

    ", + "

    Usually, only existing vehicle dealerships will become a speed limiter centre.

    ", + "

    If you want to become a speed limiter centre, you\u2019ll need to get either:

    ", + "
  • approval from the Driver and Vehicle Standards Agency (DVSA) to become an independent centre
  • ", + "
  • sponsored by a DVSA approved vehicle or speed limiter maker
  • ", + "

    Independent centres

    ", + "

    Fill in the application form and send it to DVSA.

    ", + "

    Inspections

    ", + "

    DVSA will inspect your premises, facilities and staff before approving your speed limiter centre.

    ", + "

    Approval

    ", + "

    You\u2019ll receive an authorisation letter from DVSA if your independent speed limiter centre is approved.

    ", + "

    Sponsored centres

    ", + "

    You\u2019ll need to be a sponsored vehicle dealership to become a sponsored speed limiter centre.

    ", + "

    Sponsors

    ", + "

    Sponsors are DVSA-approved makers or suppliers of either:

    ", + "
  • vehicles
  • ", + "
  • speed limiters
  • ", + "

    Once approved, sponsors are able to approve vehicle dealerships they already work with that want to become speed limiter centres.

    ", + "

    Get sponsored

    ", + "

    Contact the sponsors of your vehicle dealership to ask them if you can become a sponsored speed limiter centre.

    ", + "

    You can have more than 1 sponsor.

    ", + "

    Inspections

    ", + "

    Sponsors carry out regular checks on their approved agents equipment and also provide them with:

    ", + "
  • training
  • ", + "
  • technical support
  • ", + "
  • new equipment and software
  • ", + "

    Approval

    ", + "

    You\u2019ll receive an authorisation letter from your sponsor if they approve you as a sponsored speed limiter centre.

    " + ] + }, + "https://www.gov.uk/adi-part-1-test": { + "url": "https://www.gov.uk/adi-part-1-test", + "title": "Approved driving instructor (ADI) part 1 test", + "content": "## Booking your test\n\nYou can book your approved driving instructor (ADI) part 1 test when your application to start the ADI qualifying process has been accepted.\n\nIt\u2019s the first of 3 tests you have to pass to qualify as an ADI. It\u2019s a theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You must pass both parts to pass the test.\n\nThe ADI part 1 test works differently in Northern Ireland.\n\n## Change or check your test details\n\nYou can change the date of your test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your ADI part 1 test if you failed your test and want to resit it. You have to choose a date at least 3 working days after your last test.\n\n## Revision and practice\n\nYou can use books and software to revise for the theory test.\n\n## Multiple-choice questions\n\nThe questions in the theory test are based on:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Driving - the essential skills\n\n- the official Driver and Vehicle Standards Agency (DVSA) theory test kit for approved driving instructors e-Learning\n\n- the Driving Instructor\u2019s Handbook\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them online or from most high street bookshops.\n\n## Hazard perception test\n\nBuy the official DVSA theory test kit for approved driving instructors e-Learning to learn hazard perception skills and then test them.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## Lost your licence\n\nYou need to apply for a replacement driving licence if you lose yours. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get it in time.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 1 hour and 30 minutes to answer 100 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nThere are 25 questions in each of these 4 categories:\n\n- road procedure\n\n- traffic signs and signals, car control, pedestrians and mechanical knowledge\n\n- driving test, disabilities, and the law\n\n- publications and instructional techniques\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 1 hour and 30 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou\u2019ll get the result at the test centre after taking the test. You must pass both parts to pass the test.\n\nTo pass the multiple-choice part, you must get both:\n\n- an overall score of at least 85 out of 100\n\n- at least 20 out of 25 in each of the 4 categories of questions\n\nYou\u2019ll fail if you get an overall score of 85 or higher, but do not score high enough in each of the 4 categories.\n\nTo pass the hazard perception part, you need to score at least 57 points out of 75.\n\n## If you pass\n\nYou\u2019ll get a pass certificate letter if you pass the test. You\u2019ll need this when you book and take your approved driving instructor (ADI) part 2 test.\n\nYour pass certificate number lasts for 2 years. You must qualify as an ADI in that time, otherwise you\u2019ll have to start the application process again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou must book and take the full test again.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have reading difficulties\n\nWhen you book your test you should say if you have a reading difficulty.\n\nYou can then ask for an English voiceover. This lets you hear the test instructions and questions through headphones.\n\nYou can hear the questions and possible answers as many times as you like.\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple-choice questions part of the test.\n\nTo do this, you must send proof to the Driver and Vehicle Standards Agency (DVSA) that you have a reading difficulty. The proof could be an email or letter from a:\n\n- teacher or other educational professional\n\n- doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association", + "original_contents": [ + "

    Booking your test

    ", + "

    You can book your approved driving instructor (ADI) part 1 test when your application to start the ADI qualifying process has been accepted.

    ", + "

    It\u2019s the first of 3 tests you have to pass to qualify as an ADI. It\u2019s a theory test.

    ", + "

    There are 2 parts to the test:

    ", + "
  • multiple-choice questions
  • ", + "
  • hazard perception - a video test about spotting hazards on the road
  • ", + "

    You book and take them as a single test. You must pass both parts to pass the test.

    ", + "

    The ADI part 1 test works differently in Northern Ireland.

    ", + "

    Change or check your test details

    ", + "

    You can change the date of your test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).

    ", + "

    You can check your appointment details if you\u2019ve lost your booking confirmation.

    ", + "

    Rebook your test

    ", + "

    Rebook your ADI part 1 test if you failed your test and want to resit it. You have to choose a date at least 3 working days after your last test.

    ", + "

    Revision and practice

    ", + "

    You can use books and software to revise for the theory test.

    ", + "

    Multiple-choice questions

    ", + "

    The questions in the theory test are based on:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Driving - the essential skills
  • ", + "
  • the official Driver and Vehicle Standards Agency (DVSA) theory test kit for approved driving instructors e-Learning
  • ", + "
  • the Driving Instructor\u2019s Handbook
  • ", + "

    Study these to learn the rules and skills you\u2019ll be tested on.

    ", + "

    You can buy them online or from most high street bookshops.

    ", + "

    Hazard perception test

    ", + "

    Buy the official DVSA theory test kit for approved driving instructors e-Learning to learn hazard perception skills and then test them.

    ", + "

    What to take to your test

    ", + "

    You must take your UK photocard driving licence to your test.

    ", + "

    If you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.

    ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    When you must not go to your test

    ", + "

    You must not go to your test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your theory test appointment for free if you need to self-isolate on the day of your test.

    ", + "

    Lost your licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours. This could take up to 15 days to arrive.

    ", + "

    Rearrange your test if you do not get it in time.

    ", + "

    If you have a paper licence

    ", + "

    Bring a valid passport as well as your paper licence.

    ", + "

    If you do not have a passport, you need to get a photocard licence.

    ", + "

    Personal belongings

    ", + "

    You will not have access to your personal items in the test room. This includes things like:

    ", + "
  • bags
  • ", + "
  • earphones
  • ", + "
  • mobile phones
  • ", + "
  • watches
  • ", + "

    You\u2019ll usually have to store any personal items in a locker.

    ", + "

    If your test centre does not have lockers, you must:

    ", + "
  • turn off your phone before you enter the test centre
  • ", + "
  • put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test
  • ", + "

    The test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.

    ", + "

    It\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.

    ", + "

    Multiple-choice questions

    ", + "

    You have 1 hour and 30 minutes to answer 100 multiple-choice questions.

    ", + "

    Before the test starts you\u2019ll get:

    ", + "
  • instructions on how the test works
  • ", + "
  • the chance to do some practice questions to get used to the screens
  • ", + "

    How the test works

    ", + "

    There are 25 questions in each of these 4 categories:

    ", + "
  • road procedure
  • ", + "
  • traffic signs and signals, car control, pedestrians and mechanical knowledge
  • ", + "
  • driving test, disabilities, and the law
  • ", + "
  • publications and instructional techniques
  • ", + "

    A question and several possible answers appear on a screen. You have to select the right answer.

    ", + "

    Leaving a question

    ", + "

    You can \u2018flag\u2019 questions that you want to come back to later.

    ", + "

    Changing your answers

    ", + "

    You can go back to any question to review and change your answer at any point.

    ", + "

    When you\u2019ve finished

    ", + "

    You can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 1 hour and 30 minutes.

    ", + "

    You can have a break of up to 3 minutes before the hazard perception test starts.

    ", + "

    Hazard perception test

    ", + "

    Before you start the hazard perception test, you\u2019ll be shown a video about how it works.

    ", + "

    You\u2019ll then watch 14 video clips. The clips:

    ", + "
  • feature everyday road scenes
  • ", + "
  • contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards
  • ", + "

    You get points for spotting the developing hazards as soon as they start to happen.

    ", + "

    What a \u2018developing hazard\u2019 is

    ", + "

    A developing hazard is something that would cause you to take action, like changing speed or direction.

    ", + "

    How the scoring works

    ", + "

    You can score up to 5 points for each developing hazard.

    ", + "

    To get a high score, click the mouse as soon as you see the hazard starting to develop.

    ", + "

    You do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.

    ", + "

    You only get one attempt at each clip. You cannot review or change your responses.

    ", + "

    Pass mark and test result

    ", + "

    You\u2019ll get the result at the test centre after taking the test. You must pass both parts to pass the test.

    ", + "

    To pass the multiple-choice part, you must get both:

    ", + "
  • an overall score of at least 85 out of 100
  • ", + "
  • at least 20 out of 25 in each of the 4 categories of questions
  • ", + "

    You\u2019ll fail if you get an overall score of 85 or higher, but do not score high enough in each of the 4 categories.

    ", + "

    To pass the hazard perception part, you need to score at least 57 points out of 75.

    ", + "

    If you pass

    ", + "

    You\u2019ll get a pass certificate letter if you pass the test. You\u2019ll need this when you book and take your approved driving instructor (ADI) part 2 test.

    ", + "

    Your pass certificate number lasts for 2 years. You must qualify as an ADI in that time, otherwise you\u2019ll have to start the application process again.

    ", + "

    If you fail

    ", + "

    You\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.

    ", + "

    You must book and take the full test again.

    ", + "

    You have to wait at least 3 working days before taking your test again.

    ", + "

    If you have reading difficulties

    ", + "

    When you book your test you should say if you have a reading difficulty.

    ", + "

    You can then ask for an English voiceover. This lets you hear the test instructions and questions through headphones.

    ", + "

    You can hear the questions and possible answers as many times as you like.

    ", + "

    Extra time to take the test

    ", + "

    You can ask for more time to do the multiple-choice questions part of the test.

    ", + "

    To do this, you must send proof to the Driver and Vehicle Standards Agency (DVSA) that you have a reading difficulty. The proof could be an email or letter from a:

    ", + "
  • teacher or other educational professional
  • ", + "
  • doctor or medical professional
  • ", + "
  • an occupational therapist
  • ", + "
  • an online dyslexia screening product assured by the British Dyslexia Association
  • " + ] + }, + "https://www.gov.uk/adi-part-2-test": { + "url": "https://www.gov.uk/adi-part-2-test", + "title": "Approved driving instructor (ADI) part 2 test", + "content": "## Booking your test\n\nYou can book your approved driving instructor (ADI) part 2 test when you\u2019ve passed your ADI part 1 test.\n\nIt\u2019s the second of 3 tests you have to pass to qualify as an ADI. It\u2019s a test of your driving ability.\n\nThe ADI part 2 test works differently in Northern Ireland.\n\nTo pass the test you must be able to:\n\n- drive safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you drive\n\nThe national standard for driving cars tells you everything you must be able to do to pass the test.\n\nYou can find driving instructor training if you need help to prepare for the test.\n\nOnly take your test when you can do everything without instruction.\n\n## Driving tests and coronavirus (COVID-19)\n\nYou must bring and wear a face covering for your test, unless it\u2019s not safe for you to do so.\n\nYou must also clean the inside of your car before your test. This means wiping down surfaces and tidying. The examiner will do an additional clean of some surfaces.\n\n## What to take to your test\n\nYou must bring:\n\n- your UK driving licence\n\n- your approved driving instructor (ADI) part 1 pass certificate\n\n- a face covering, unless it\u2019s not safe for you to wear one\n\n- a suitable car\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Reasons why you must not go to your test\n\nDo not go to your driving test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your test appointment or cancel your test for free if you\u2019re not able to go.\n\n## Wearing a face covering\n\nYou must bring and wear a face covering for your test, unless it\u2019s not safe for you to do so. For example, because:\n\n- you have a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you cannot wear a face covering when you book your test. Otherwise, your test will be cancelled if you arrive without one.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence.\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## Rules for the car you use\n\nWhen you take a test, your car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- be a saloon, hatchback or estate car in good working condition - you cannot use a convertible\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19, you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Vehicle fittings and features\n\nThe car must have:\n\n- an extra interior rear-view mirror for the examiner\n\n- a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)\n\n## Dashcams and other cameras\n\nYou can use a camera fitted for insurance purposes, as long as it:\n\n- faces outside of the car and does not film the inside\n\n- does not record audio from inside the car\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Manual and automatic cars\n\nIf you have a manual licence, you can take the test in either a manual or automatic car. You\u2019ll be able to train people in both types of car when you\u2019ve qualified.\n\nIf you have an automatic licence, you must take the test in an automatic car. You\u2019ll only be able to train people in an automatic car when you\u2019ve qualified.\n\n## Cars you cannot use\n\nSome cars cannot be used in the test because they do not give the examiner all-round vision.\n\nYou cannot use any of the following:\n\n- BMW Mini convertible\n\n- Ford KA convertible\n\n- Toyota iQ\n\n- VW Beetle convertible\n\nCheck with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:\n\n- convertible car\n\n- panel van\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\nYou must bring the proof that it\u2019s safe with you when you take your test.\n\n| | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and 0N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.\n\n## What happens during the test\n\nThere are 5 parts to the approved driving instructor (ADI) part 2 test:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- general driving ability\n\n- manoeuvres\n\n- independent driving\n\n## How long the test lasts\n\nThe test takes around one hour.\n\n## The eyesight test\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 26.5 metres for vehicles with a new-style number plate\n\n- 27.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.\n\nYou\u2019ll fail the test if you do not pass the eyesight test. It will count as one of the 3 attempts you\u2019re allowed at the ADI part 2 test.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 5 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety tasks.\n\nYou\u2019ll be asked:\n\n- 3 \u2018tell me\u2019 questions at the start of your test, before you start driving\n\n- 2 \u2018show me\u2019 questions while you\u2019re driving - for example, showing how to wash the windscreen using the car controls and wipers\n\nYou\u2019ll get a driving fault for each incorrect answer you give.\n\nYou\u2019ll get a serious fault and fail the test if you answer all 5 questions incorrectly, or if you lose control of the car while answering any of the \u2018show me\u2019 questions.\n\n## Your general driving ability\n\nYou\u2019ll have to show the examiner all of the following:\n\n- expert handling of the controls\n\n- use of correct road procedure\n\n- anticipation of the actions of other road users and then taking appropriate action\n\n- sound judgement of distance, speed and timing\n\n- consideration for the convenience and safety of other road users\n\n- driving in an environmentally-friendly manner\n\nYou\u2019ll drive in varying road and traffic conditions, including motorways or dual carriageways where possible.\n\nYou might also be asked to carry out an emergency stop.\n\n## Reversing your vehicle\n\nThe examiner will ask you to do 2 of the following exercises:\n\n- parallel park at the side of the road\n\n- reverse into a parking bay and drive out\n\n- drive into a parking bay and reverse out\n\n- pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic\n\n## Independent driving\n\nYou\u2019ll have to drive for about 20 minutes by following either:\n\n- directions from a sat nav\n\n- traffic signs\n\nThe examiner will tell you which you have to do.\n\n## Following directions from a sat nav\n\nThe examiner will provide the sat nav and set it up for you.\n\nYou cannot follow directions from your own sat nav during the test.\n\n## Going off the route\n\nYour test result will not be affected if you take a wrong turning, unless you make a fault while doing it.\n\nThe examiner will help you get back on the route if you do.\n\n## If you cannot see traffic signs\n\nIf you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.\n\n## If you make mistakes during your test\n\nYou can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.\n\nYour driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.\n\n## Faults and test result\n\nThere are 3 types of faults you can make:\n\n- a dangerous fault - this involves actual danger to you, the examiner, the public or property\n\n- a serious fault - something potentially dangerous\n\n- a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault\n\n## Pass mark\n\nYou\u2019ll pass your approved driving instructor (ADI) part 2 test if you make:\n\n- no more than 6 driving faults\n\n- no serious or dangerous faults\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a copy of the driving test report\n\nYou can then either:\n\n- book your ADI part 3 test\n\n- apply for a trainee driving instructor licence\n\nA trainee driving instructor licence can help you prepare for the ADI part 3 test.\n\n## If you do not pass\n\nThe examiner will tell you what faults you made.\n\nYou can take the test again if you fail at either your first or second attempt.\n\nYou have to pay again to book another test.\n\n## Failing the third attempt\n\nYou have to retake and pass the ADI part 1 test again if you fail the ADI part 2 test 3 times.\n\nYou have to wait 2 years from when you first passed the ADI part 1 test before you can take it again.\n\n## Appeal your ADI part 2 test\n\nYou can appeal your test if you can prove that your examiner did not follow the law.\n\nRead the guidance on appealing your test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint you may be able to appeal to a court instead.\n\n## Appeal your test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your test in England and Wales\n\n- 21 days of your test in Scotland\n\nCheck if you can appeal.\n\n## If your test is cancelled or there's bad weather\n\nYour driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is suspended due to coronavirus (COVID-19)\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou need to have passed a theory test in the last 2 years to take this test. Your theory test certificate will not be extended.\n\n## Bad weather\n\nDriving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your car\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your car, for example, if it breaks down during the test or does not meet the rules to be used\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.", + "original_contents": [ + "

    Booking your test

    ", + "

    You can book your approved driving instructor (ADI) part 2 test when you\u2019ve passed your ADI part 1 test.

    ", + "

    It\u2019s the second of 3 tests you have to pass to qualify as an ADI. It\u2019s a test of your driving ability.

    ", + "

    The ADI part 2 test works differently in Northern Ireland.

    ", + "

    To pass the test you must be able to:

    ", + "
  • drive safely in different road and traffic conditions
  • ", + "
  • show that you know The Highway Code by the way you drive
  • ", + "

    The national standard for driving cars tells you everything you must be able to do to pass the test.

    ", + "

    You can find driving instructor training if you need help to prepare for the test.

    ", + "

    Only take your test when you can do everything without instruction.

    ", + "

    Driving tests and coronavirus (COVID-19)

    ", + "

    You must bring and wear a face covering for your test, unless it\u2019s not safe for you to do so.

    ", + "

    You must also clean the inside of your car before your test. This means wiping down surfaces and tidying. The examiner will do an additional clean of some surfaces.

    ", + "

    What to take to your test

    ", + "

    You must bring:

    ", + "
  • your UK driving licence
  • ", + "
  • your approved driving instructor (ADI) part 1 pass certificate
  • ", + "
  • a face covering, unless it\u2019s not safe for you to wear one
  • ", + "
  • a suitable car
  • ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    Reasons why you must not go to your test

    ", + "

    Do not go to your driving test if:

    ", + "
  • you or someone you live with has coronavirus (COVID-19) symptoms
  • ", + "
  • you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • you\u2019re self-isolating because you recently entered the UK
  • ", + "

    Change your test appointment or cancel your test for free if you\u2019re not able to go.

    ", + "

    Wearing a face covering

    ", + "

    You must bring and wear a face covering for your test, unless it\u2019s not safe for you to do so. For example, because:

    ", + "
  • you have a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you cannot wear a face covering when you book your test. Otherwise, your test will be cancelled if you arrive without one.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Your driving licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    ", + "

    If you do not have a photocard licence

    ", + "

    Bring a valid passport and your paper licence.

    ", + "

    If you have a licence from Northern Ireland

    ", + "

    Bring the Northern Ireland photocard and paper counterpart.

    ", + "

    Rules for the car you use

    ", + "

    When you take a test, your car must:

    ", + "
  • be taxed
  • ", + "
  • be insured for a driving test (check with your insurance company)
  • ", + "
  • be roadworthy and have a current MOT (if it\u2019s over 3 years old)
  • ", + "
  • be a saloon, hatchback or estate car in good working condition - you cannot use a convertible
  • ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "
  • be able to reach at least 62mph and have an mph speedometer
  • ", + "
  • have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg
  • ", + "

    The MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.

    ", + "

    Your test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.

    ", + "

    Coronavirus (COVID-19) safety

    ", + "

    Because of COVID-19, you must clean the inside of your car before your test.

    ", + "

    This means:

    ", + "
  • tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    ", + "

    Vehicle fittings and features

    ", + "

    The car must have:

    ", + "
  • an extra interior rear-view mirror for the examiner
  • ", + "
  • a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)
  • ", + "

    Dashcams and other cameras

    ", + "

    You can use a camera fitted for insurance purposes, as long as it:

    ", + "
  • faces outside of the car and does not film the inside
  • ", + "
  • does not record audio from inside the car
  • ", + "

    Vehicle features

    ", + "

    You can use a car with:

    ", + "
  • an electronic parking brake
  • ", + "
  • hill-start assist
  • ", + "

    Hire cars

    ", + "

    You can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.

    ", + "

    Manual and automatic cars

    ", + "

    If you have a manual licence, you can take the test in either a manual or automatic car. You\u2019ll be able to train people in both types of car when you\u2019ve qualified.

    ", + "

    If you have an automatic licence, you must take the test in an automatic car. You\u2019ll only be able to train people in an automatic car when you\u2019ve qualified.

    ", + "

    Cars you cannot use

    ", + "

    Some cars cannot be used in the test because they do not give the examiner all-round vision.

    ", + "

    You cannot use any of the following:

    ", + "
  • BMW Mini convertible
  • ", + "
  • Ford KA convertible
  • ", + "
  • Toyota iQ
  • ", + "
  • VW Beetle convertible
  • ", + "

    Check with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:

    ", + "
  • convertible car
  • ", + "
  • panel van
  • ", + "

    Cars with known safety faults

    ", + "

    You cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.

    ", + "

    You must bring the proof that it\u2019s safe with you when you take your test.

    ", + " | Reason for recall | Vehicles affected | Recall issue date", + "Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016", + "Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016", + "Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and 0N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016", + "Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014", + "Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014", + "Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014", + "

    Proof you need to bring to your test

    ", + "

    You must bring proof that says one of the following:

    ", + "
  • the car was recalled and the recall work has been done
  • ", + "
  • the car was recalled but did not need any work to be done
  • ", + "
  • the car was not part of the recall
  • ", + "

    The proof must be either:

    ", + "
  • the recall letter or safety notice, stamped by the manufacturer or dealer
  • ", + "
  • on official or headed notepaper from the manufacturer or a dealer
  • ", + "

    Your test will be cancelled and you could lose your fee if you do not bring the right proof.

    ", + "

    What happens during the test

    ", + "

    There are 5 parts to the approved driving instructor (ADI) part 2 test:

    ", + "
  • an eyesight check
  • ", + "
  • \u2018show me, tell me\u2019 vehicle safety questions
  • ", + "
  • general driving ability
  • ", + "
  • manoeuvres
  • ", + "
  • independent driving
  • ", + "

    How long the test lasts

    ", + "

    The test takes around one hour.

    ", + "

    The eyesight test

    ", + "

    You\u2019ll have to read a number plate from a distance of:

    ", + "
  • 26.5 metres for vehicles with a new-style number plate
  • ", + "
  • 27.5 metres for vehicles with an old-style number plate
  • ", + "

    New-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.

    ", + "

    You\u2019ll fail the test if you do not pass the eyesight test. It will count as one of the 3 attempts you\u2019re allowed at the ADI part 2 test.

    ", + "

    \u2018Show me, tell me\u2019 questions

    ", + "

    You\u2019ll be asked 5 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety tasks.

    ", + "

    You\u2019ll be asked:

    ", + "
  • 3 \u2018tell me\u2019 questions at the start of your test, before you start driving
  • ", + "
  • 2 \u2018show me\u2019 questions while you\u2019re driving - for example, showing how to wash the windscreen using the car controls and wipers
  • ", + "

    You\u2019ll get a driving fault for each incorrect answer you give.

    ", + "

    You\u2019ll get a serious fault and fail the test if you answer all 5 questions incorrectly, or if you lose control of the car while answering any of the \u2018show me\u2019 questions.

    ", + "

    Your general driving ability

    ", + "

    You\u2019ll have to show the examiner all of the following:

    ", + "
  • expert handling of the controls
  • ", + "
  • use of correct road procedure
  • ", + "
  • anticipation of the actions of other road users and then taking appropriate action
  • ", + "
  • sound judgement of distance, speed and timing
  • ", + "
  • consideration for the convenience and safety of other road users
  • ", + "
  • driving in an environmentally-friendly manner
  • ", + "

    You\u2019ll drive in varying road and traffic conditions, including motorways or dual carriageways where possible.

    ", + "

    You might also be asked to carry out an emergency stop.

    ", + "

    Reversing your vehicle

    ", + "

    The examiner will ask you to do 2 of the following exercises:

    ", + "
  • parallel park at the side of the road
  • ", + "
  • reverse into a parking bay and drive out
  • ", + "
  • drive into a parking bay and reverse out
  • ", + "
  • pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic
  • ", + "

    Independent driving

    ", + "

    You\u2019ll have to drive for about 20 minutes by following either:

    ", + "
  • directions from a sat nav
  • ", + "
  • traffic signs
  • ", + "

    The examiner will tell you which you have to do.

    ", + "

    Following directions from a sat nav

    ", + "

    The examiner will provide the sat nav and set it up for you.

    ", + "

    You cannot follow directions from your own sat nav during the test.

    ", + "

    Going off the route

    ", + "

    Your test result will not be affected if you take a wrong turning, unless you make a fault while doing it.

    ", + "

    The examiner will help you get back on the route if you do.

    ", + "

    If you cannot see traffic signs

    ", + "

    If you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.

    ", + "

    If you make mistakes during your test

    ", + "

    You can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.

    ", + "

    Your driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.

    ", + "

    Faults and test result

    ", + "

    There are 3 types of faults you can make:

    ", + "
  • a dangerous fault - this involves actual danger to you, the examiner, the public or property
  • ", + "
  • a serious fault - something potentially dangerous
  • ", + "
  • a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault
  • ", + "

    Pass mark

    ", + "

    You\u2019ll pass your approved driving instructor (ADI) part 2 test if you make:

    ", + "
  • no more than 6 driving faults
  • ", + "
  • no serious or dangerous faults
  • ", + "

    If you pass your test

    ", + "

    The examiner will:

    ", + "
  • tell you what faults you made, if any
  • ", + "
  • give you a copy of the driving test report
  • ", + "

    You can then either:

    ", + "
  • book your ADI part 3 test
  • ", + "
  • apply for a trainee driving instructor licence
  • ", + "

    A trainee driving instructor licence can help you prepare for the ADI part 3 test.

    ", + "

    If you do not pass

    ", + "

    The examiner will tell you what faults you made.

    ", + "

    You can take the test again if you fail at either your first or second attempt.

    ", + "

    You have to pay again to book another test.

    ", + "

    Failing the third attempt

    ", + "

    You have to retake and pass the ADI part 1 test again if you fail the ADI part 2 test 3 times.

    ", + "

    You have to wait 2 years from when you first passed the ADI part 1 test before you can take it again.

    ", + "

    Appeal your ADI part 2 test

    ", + "

    You can appeal your test if you can prove that your examiner did not follow the law.

    ", + "

    Read the guidance on appealing your test to check if your examiner followed the law.

    ", + "

    If you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)

    ", + "

    If DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.

    ", + "

    If DVSA does not agree with your complaint you may be able to appeal to a court instead.

    ", + "

    Appeal your test to a court

    ", + "

    You can appeal if you can prove that your examiner did not follow the law when they carried out your test.

    ", + "

    Your test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.

    ", + "

    You might have to pay significant legal costs if your appeal is unsuccessful.

    ", + "

    You\u2019ll need to appeal within:

    ", + "
  • 6 months of your test in England and Wales
  • ", + "
  • 21 days of your test in Scotland
  • ", + "

    Check if you can appeal.

    ", + "

    If your test is cancelled or there's bad weather

    ", + "

    Your driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.

    ", + "

    If your test is suspended due to coronavirus (COVID-19)

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You need to have passed a theory test in the last 2 years to take this test. Your theory test certificate will not be extended.

    ", + "

    Bad weather

    ", + "

    Driving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.

    ", + "

    Call your test centre if there are any of these conditions on the day of your test.\nThe phone number for the test centre is on your booking confirmation email.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it\u2019s not suitable.

    ", + "

    You cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.

    ", + "

    Problems with you or your car

    ", + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example, if you feel unwell while taking your test
  • ", + "
  • your car, for example, if it breaks down during the test or does not meet the rules to be used
  • ", + "

    If your test is cancelled for another reason

    ", + "

    Sometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    " + ] + }, + "https://www.gov.uk/trainee-driving-instructor-licence-the-rules": { + "url": "https://www.gov.uk/trainee-driving-instructor-licence-the-rules", + "title": "Get a trainee driving instructor licence", + "content": "## Overview\n\nYou can apply for a trainee driving instructor licence after you pass the approved driving instructor (ADI) part 2 test.\n\nA trainee licence:\n\n- helps you get experience instructing pupils to drive so you can prepare for the ADI part 3 test\n\n- lasts for 6 months\n\nYou can charge for lessons to cover the cost of things like your insurance and vehicle costs.\n\n## Who can apply\n\nYou can apply for a trainee licence if you:\n\n- have passed your ADI part 1 test in the last 2 years\n\n- have passed the ADI part 2 test\n\n- have had at least 40 hours of training from a qualified ADI in providing \ndriving instruction (at least 10 of which were done in a car), recorded on the ADI 21T declaration form\n\n- are eligible to take the ADI part 3 test\n\n## Being refused a trainee licence\n\nYou can appeal to the General Regulatory Chamber if you\u2019re refused a trainee licence.\n\nThe rules and process for getting a trainee licence are different in Northern Ireland.\n\n## Options when you apply for a trainee licence\n\nYou have 2 options to choose from when you apply for a trainee licence. You must either:\n\n- be supervised for 20% of all lessons you give while you have your trainee licence\n\n- do at least 20 hours of extra training while you have your trainee licence\n\nYou can only choose one option and you cannot change to the other after you\u2019ve made your decision.\n\nTalk to your sponsoring approved driving instructor (ADI) or training organisation about which option is best for you.\n\n## Option 1 - supervision of lessons\n\nIn this option you have to be supervised by your sponsoring ADI for 20% of all the lessons you give.\n\nYou must keep a record of the number of hours:\n\n- you give lessons\n\n- you are supervised\n\nThe ADI 21S supervision record form must be signed by both you and your ADI. You must send it to the Driver and Vehicle Standards Agency (DVSA) when your trainee licence runs out.\n\nYou cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.\n\n## Option 2 - extra training\n\nIn this option, you have to do at least 20 hours of extra training in the topics in the training programme.\n\nAfter you get your training licence, you must complete the training within the next 3 months and before you book the ADI part 3 test.\n\nAt least 25% of the training must be practical in-car training.\n\nThe training must be recorded on the\ninstructor training declaration form.\u200b\n\nYou must send the form to DVSA as soon as you\u2019ve completed your training. If you do not send the form, DVSA can take your trainee licence away.\n\nYou cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.\n\n## If you fail the ADI part 3 test or you do not book it in time\n\nIf you fail the test, you must do 5 hours of extra training before your next attempt. You have 3 attempts to pass the test.\n\nIf you do not book the test within 3 months of getting your licence, you must take 5 hours of extra training before you book the test.\n\nEach time you do 5 hours of extra training, record it on a new instructor training declaration form.\n\nIf you do not send the form, DVSA can take your trainee licence away.\n\n## Rules for using your trainee licence\n\nYou must:\n\n- be a \u2018fit and proper\u2019 person\n\n- get the required amount of supervision or extra training while your licence is still valid\n\n## Displaying your licence\n\nYou must display your trainee licence on the nearside edge of the front windscreen of your car while you give driving lessons.\n\n## Where you train\n\nYour trainee licence shows the name and address of your training establishment. You can only give instruction from there, so you cannot work independently, such as by setting up your own school.\n\nYou must not advertise yourself as an instructor. Any advertising your training establishment does must not make it seem like you\u2019re a fully qualified instructor.\n\n## Changing your driving school\n\nYou must apply for a new trainee licence if you leave a driving school and join a new one. There\u2019s no fee for doing this.\n\nDVSA will send you a new licence showing the details of your new school. You should send your old licence to DVSA as soon as you get the new one.\n\nYou can still give driving lessons while you wait for your new licence.\n\n## When trainee licences can be taken away\n\nThe ADI registrar can take your trainee licence away before it runs out if:\n\n- you break any of the rules for having a trainee licence\n\n- the licence was issued by mistake or gained by fraud\n\n- you fail 3 attempts at the ADI part 3 test\n\n## Not using your trainee licence\n\nYou should return your trainee licence to DVSA if you are not using it, for example because of a long period of illness.\n\nYou will not get a refund, but DVSA will know that you have not had full use of the licence. This will be a factor in deciding whether to give you another licence in future.\n\n## Lost or stolen licence\n\nYou should tell the police straight away if your licence is lost or stolen. They will give you a crime reference number.\n\nYou\u2019ll have to pay \u00a33 if you lose your licence or cannot give DVSA a crime reference number.\n\nYou cannot currently contact DVSA by post because of coronavirus (COVID-19).\n\nTo get a replacement, email DVSA with the following:\n\n- the crime reference number\n\n- your permission that DVSA can use your photocard driving licence photo or a previous photo they have on record\n\nDVSA will contact you to tell you how to pay.\n\n## When your trainee licence runs out\n\nYour trainee licence lasts for 6 months. When it runs out you must stop being paid for giving driving lessons.\n\n## Getting another licence\n\nYou can apply for another trainee licence, but you\u2019ll need to pay the fee again.\n\nYou cannot be paid for giving driving lessons when you do not have a valid trainee licence.\n\nYou\u2019re more likely to get another licence if you told DVSA you had stopped using the first, for example because of a period of illness.\n\nIt\u2019s unlikely that you\u2019ll get another licence if you:\n\n- just want more time to pass the approved driving instructor (ADI) part 3 test\n\n- did not follow the rules for using your previous trainee licence\n\nYou can appeal to the General Regulatory Chamber if you\u2019re not given another licence.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a trainee driving instructor licence after you pass the approved driving instructor (ADI) part 2 test.

    ", + "

    A trainee licence:

    ", + "
  • helps you get experience instructing pupils to drive so you can prepare for the ADI part 3 test
  • ", + "
  • lasts for 6 months
  • ", + "

    You can charge for lessons to cover the cost of things like your insurance and vehicle costs.

    ", + "

    Who can apply

    ", + "

    You can apply for a trainee licence if you:

    ", + "
  • have passed your ADI part 1 test in the last 2 years
  • ", + "
  • have passed the ADI part 2 test
  • ", + "
  • have had at least 40 hours of training from a qualified ADI in providing \ndriving instruction (at least 10 of which were done in a car), recorded on the ADI 21T declaration form
  • ", + "
  • are eligible to take the ADI part 3 test
  • ", + "

    Being refused a trainee licence

    ", + "

    You can appeal to the General Regulatory Chamber if you\u2019re refused a trainee licence.

    ", + "

    The rules and process for getting a trainee licence are different in Northern Ireland.

    ", + "

    Options when you apply for a trainee licence

    ", + "

    You have 2 options to choose from when you apply for a trainee licence. You must either:

    ", + "
  • be supervised for 20% of all lessons you give while you have your trainee licence
  • ", + "
  • do at least 20 hours of extra training while you have your trainee licence
  • ", + "

    You can only choose one option and you cannot change to the other after you\u2019ve made your decision.

    ", + "

    Talk to your sponsoring approved driving instructor (ADI) or training organisation about which option is best for you.

    ", + "

    Option 1 - supervision of lessons

    ", + "

    In this option you have to be supervised by your sponsoring ADI for 20% of all the lessons you give.

    ", + "

    You must keep a record of the number of hours:

    ", + "
  • you give lessons
  • ", + "
  • you are supervised
  • ", + "

    The ADI 21S supervision record form must be signed by both you and your ADI. You must send it to the Driver and Vehicle Standards Agency (DVSA) when your trainee licence runs out.

    ", + "

    You cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.

    ", + "

    Option 2 - extra training

    ", + "

    In this option, you have to do at least 20 hours of extra training in the topics in the training programme.

    ", + "

    After you get your training licence, you must complete the training within the next 3 months and before you book the ADI part 3 test.

    ", + "

    At least 25% of the training must be practical in-car training.

    ", + "

    The training must be recorded on the\ninstructor training declaration form.\u200b

    ", + "

    You must send the form to DVSA as soon as you\u2019ve completed your training. If you do not send the form, DVSA can take your trainee licence away.

    ", + "

    You cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.

    ", + "

    If you fail the ADI part 3 test or you do not book it in time

    ", + "

    If you fail the test, you must do 5 hours of extra training before your next attempt. You have 3 attempts to pass the test.

    ", + "

    If you do not book the test within 3 months of getting your licence, you must take 5 hours of extra training before you book the test.

    ", + "

    Each time you do 5 hours of extra training, record it on a new instructor training declaration form.

    ", + "

    If you do not send the form, DVSA can take your trainee licence away.

    ", + "

    Rules for using your trainee licence

    ", + "

    You must:

    ", + "
  • be a \u2018fit and proper\u2019 person
  • ", + "
  • get the required amount of supervision or extra training while your licence is still valid
  • ", + "

    Displaying your licence

    ", + "

    You must display your trainee licence on the nearside edge of the front windscreen of your car while you give driving lessons.

    ", + "

    Where you train

    ", + "

    Your trainee licence shows the name and address of your training establishment. You can only give instruction from there, so you cannot work independently, such as by setting up your own school.

    ", + "

    You must not advertise yourself as an instructor. Any advertising your training establishment does must not make it seem like you\u2019re a fully qualified instructor.

    ", + "

    Changing your driving school

    ", + "

    You must apply for a new trainee licence if you leave a driving school and join a new one. There\u2019s no fee for doing this.

    ", + "

    DVSA will send you a new licence showing the details of your new school. You should send your old licence to DVSA as soon as you get the new one.

    ", + "

    You can still give driving lessons while you wait for your new licence.

    ", + "

    When trainee licences can be taken away

    ", + "

    The ADI registrar can take your trainee licence away before it runs out if:

    ", + "
  • you break any of the rules for having a trainee licence
  • ", + "
  • the licence was issued by mistake or gained by fraud
  • ", + "
  • you fail 3 attempts at the ADI part 3 test
  • ", + "

    Not using your trainee licence

    ", + "

    You should return your trainee licence to DVSA if you are not using it, for example because of a long period of illness.

    ", + "

    You will not get a refund, but DVSA will know that you have not had full use of the licence. This will be a factor in deciding whether to give you another licence in future.

    ", + "

    Lost or stolen licence

    ", + "

    You should tell the police straight away if your licence is lost or stolen. They will give you a crime reference number.

    ", + "

    You\u2019ll have to pay \u00a33 if you lose your licence or cannot give DVSA a crime reference number.

    ", + "

    You cannot currently contact DVSA by post because of coronavirus (COVID-19).

    ", + "

    To get a replacement, email DVSA with the following:

    ", + "
  • the crime reference number
  • ", + "
  • your permission that DVSA can use your photocard driving licence photo or a previous photo they have on record
  • ", + "

    DVSA will contact you to tell you how to pay.

    ", + "

    When your trainee licence runs out

    ", + "

    Your trainee licence lasts for 6 months. When it runs out you must stop being paid for giving driving lessons.

    ", + "

    Getting another licence

    ", + "

    You can apply for another trainee licence, but you\u2019ll need to pay the fee again.

    ", + "

    You cannot be paid for giving driving lessons when you do not have a valid trainee licence.

    ", + "

    You\u2019re more likely to get another licence if you told DVSA you had stopped using the first, for example because of a period of illness.

    ", + "

    It\u2019s unlikely that you\u2019ll get another licence if you:

    ", + "
  • just want more time to pass the approved driving instructor (ADI) part 3 test
  • ", + "
  • did not follow the rules for using your previous trainee licence
  • ", + "

    You can appeal to the General Regulatory Chamber if you\u2019re not given another licence.

    " + ] + }, + "https://www.gov.uk/adi-part-3-test": { + "url": "https://www.gov.uk/adi-part-3-test", + "title": "Approved driving instructor (ADI) part 3 test", + "content": "## Booking your test\n\nYou can book your approved driving instructor (ADI) part 3 test when you\u2019ve passed your ADI part 2 test.\n\nIt\u2019s the last of 3 tests you have to pass to qualify as an ADI. It\u2019s a test of your ability to teach pupils.\n\nYour driving examiner will call you a few days before your test to agree:\n\n- the start time with you\n\n- where you want the test to start from (either the driving test centre or somewhere within 5 minutes of the driving test centre)\n\nThe ADI part 3 test works differently in Northern Ireland.\n\nThe national standard for driver and rider training tells you everything you must be able to do to pass the test.\n\nYou can find driving instructor training if you need help to prepare for the test.\n\n## What to take to your test\n\nYou must bring:\n\n- your UK driving licence\n\n- a face covering, unless it\u2019s not safe for you to wear one\n\n- a suitable car\n\n- a pupil\n\nYou should also bring a log of the training you\u2019ve been doing to qualify as an approved driving instructor (ADI).\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Reasons why you must not go to your test\n\nDo not go to your driving test if you or your pupil:\n\n- have coronavirus (COVID-19) symptoms, or someone you live with has symptoms\n\n- have been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- are self-isolating because you recently entered the UK\n\nChange your test appointment or cancel your test for free if you\u2019re not able to go.\n\n## Wearing a face covering\n\nYou and your pupil must each bring and wear a face covering for your test, unless it\u2019s not safe for you to do so. For example, because:\n\n- you have a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you cannot wear a face covering when you book your test. Otherwise, your test will be cancelled if you arrive without one.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence, or your trainee driving instructor licence (if you have one).\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## Rules for the car you use\n\nWhen you take your test, your car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- be a saloon, hatchback or estate car in good working condition - you cannot use a convertible\n\n- have full-size rear seats\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19 you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying any unnecessary items away from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Vehicle fittings and features\n\nThe car must have:\n\n- L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear if your pupil is a learner\n\n- working rear seat belts\n\n## Dashcams and other cameras\n\nYou can use a camera fitted for insurance purposes, as long as it:\n\n- faces outside of the car and does not film the inside\n\n- does not record audio from inside the car\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Manual and automatic cars\n\nIf you have a manual licence, you can take the test in either a manual or automatic car. You\u2019ll be able to train people in both types of car when you\u2019ve qualified.\n\nIf you have an automatic licence, you must take the test in an automatic car. You\u2019ll only be able to train people in an automatic car when you\u2019ve qualified.\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\nYou must bring the proof that it\u2019s safe with you when you take your test.\n\n| Model | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and 0N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.\n\n## What happens during the test\n\nA Driver and Vehicle Standards Agency (DVSA) examiner will watch you give a client-centred driving lesson lasting about 45 minutes to one of your pupils.\n\nYour pupil must drive for at least 40 minutes of the lesson.\n\nAt the start of the lesson, discuss the goals for the lesson and risk management with your pupil. Because of coronavirus (COVID-19), this should take no more than 3 minutes.\n\nAt the end of the lesson, give your pupil no more than 3 minutes to reflect on their performance.\n\nThe examiner will look for evidence that you meet the national standard for driver and rider training.\n\n## Your pupil\n\nYour pupil can be a:\n\n- partly trained learner\n\n- fully trained learner\n\n- full licence holder\n\nYour pupil cannot be:\n\n- a learner who has just started learning to drive\n\n- an approved driving instructor (ADI) or someone else who is preparing to take the ADI part 3 test\n\n## What you\u2019ll be marked on\n\nYou\u2019ll be marked on 17 areas of competence that are grouped into 3 categories:\n\n- lesson planning\n\n- risk management\n\n- teaching and learning strategies\n\nThe 17 areas of competence are listed in the ADI part 3 test report form, which the examiner will fill in at the end of your test.\n\nYou\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to work out if you\u2019ve passed the test, and what your grade will be.\n\n## Your test result\n\nAfter you give the lesson, the examiner will discuss your performance and give you your result.\n\nYou\u2019ll get your grade, along with your completed approved driving instructor (ADI) part 3 test report form.\n\n| Total score | Grade | Description |\n\n| 0-30 | Fail | Your performance is unsatisfactory, and you will not join the ADI register |\n\n| 31-42 | Grade B | You\u2019ll be allowed to join the ADI register |\n\n| 43-51 | Grade A | You have shown a high standard of instruction and you\u2019ll be allowed to join the ADI register |\n\nYou\u2019ll automatically fail if:\n\n- you get a score of 7 or less in the \u2018risk management\u2019 category\n\n- the examiner stops the lesson because you\u2019ve put yourself or someone else in danger\n\n## If you pass\n\nYou can apply for your first ADI badge if you pass the ADI part 3 test.\n\nYou must apply within 12 months of passing the test, or you\u2019ll have to pass all 3 qualifying tests again.\n\n## If you do not pass\n\nYou can take the test again if you fail the first or second attempt. You must book the next attempt within 2 years of passing your ADI part 1 test.\n\nIf you chose the extra training option (option 2) when you applied for your trainee licence, you must do 5 hours of extra training before you retake the test.\n\n## Failing the third attempt\n\nYou have to retake and pass the ADI part 1 test and ADI part 2 test again if you fail the ADI part 3 test at your third attempt.\n\nYou must wait 2 years from when you originally passed the ADI part 1 test before you can take it again.\n\n## Appeal your ADI part 3 test\n\nYou can appeal your test if you can prove that your examiner did not follow the law.\n\nRead the guidance on appealing your test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint you may be able to appeal to a court instead.\n\n## Appeal your test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your test in England and Wales\n\n- 21 days of your test in Scotland\n\nCheck if you can appeal.\n\n## If your test is cancelled or there's bad weather\n\nYour approved driving instructor (ADI) part 3 test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is suspended due to coronavirus (COVID-19)\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou need to have passed a theory test in the last 2 years to take this test. Your theory test certificate will not be extended.\n\n## Bad weather\n\nTests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your car\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your car, for example, if it breaks down during the test or does not meet the rules to be used\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.", + "original_contents": [ + "

    Booking your test

    ", + "

    You can book your approved driving instructor (ADI) part 3 test when you\u2019ve passed your ADI part 2 test.

    ", + "

    It\u2019s the last of 3 tests you have to pass to qualify as an ADI. It\u2019s a test of your ability to teach pupils.

    ", + "

    Your driving examiner will call you a few days before your test to agree:

    ", + "
  • the start time with you
  • ", + "
  • where you want the test to start from (either the driving test centre or somewhere within 5 minutes of the driving test centre)
  • ", + "

    The ADI part 3 test works differently in Northern Ireland.

    ", + "

    The national standard for driver and rider training tells you everything you must be able to do to pass the test.

    ", + "

    You can find driving instructor training if you need help to prepare for the test.

    ", + "

    What to take to your test

    ", + "

    You must bring:

    ", + "
  • your UK driving licence
  • ", + "
  • a face covering, unless it\u2019s not safe for you to wear one
  • ", + "
  • a suitable car
  • ", + "
  • a pupil
  • ", + "

    You should also bring a log of the training you\u2019ve been doing to qualify as an approved driving instructor (ADI).

    ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    Reasons why you must not go to your test

    ", + "

    Do not go to your driving test if you or your pupil:

    ", + "
  • have coronavirus (COVID-19) symptoms, or someone you live with has symptoms
  • ", + "
  • have been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • are self-isolating because you recently entered the UK
  • ", + "

    Change your test appointment or cancel your test for free if you\u2019re not able to go.

    ", + "

    Wearing a face covering

    ", + "

    You and your pupil must each bring and wear a face covering for your test, unless it\u2019s not safe for you to do so. For example, because:

    ", + "
  • you have a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you cannot wear a face covering when you book your test. Otherwise, your test will be cancelled if you arrive without one.

    ", + "

    You can take it off during your test if you need to avoid harm or injury.

    ", + "

    Your driving licence

    ", + "

    You need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    ", + "

    If you do not have a photocard licence

    ", + "

    Bring a valid passport and your paper licence, or your trainee driving instructor licence (if you have one).

    ", + "

    If you have a licence from Northern Ireland

    ", + "

    Bring the Northern Ireland photocard and paper counterpart.

    ", + "

    Rules for the car you use

    ", + "

    When you take your test, your car must:

    ", + "
  • be taxed
  • ", + "
  • be insured for a driving test (check with your insurance company)
  • ", + "
  • be roadworthy and have a current MOT (if it\u2019s over 3 years old)
  • ", + "
  • be a saloon, hatchback or estate car in good working condition - you cannot use a convertible
  • ", + "
  • have full-size rear seats
  • ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "
  • be able to reach at least 62mph and have an mph speedometer
  • ", + "
  • have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg
  • ", + "

    The MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.

    ", + "

    Your test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.

    ", + "

    Coronavirus (COVID-19) safety

    ", + "

    Because of COVID-19 you must clean the inside of your car before your test.

    ", + "

    This means:

    ", + "
  • tidying any unnecessary items away from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    ", + "

    Vehicle fittings and features

    ", + "

    The car must have:

    ", + "
  • L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear if your pupil is a learner
  • ", + "
  • working rear seat belts
  • ", + "

    Dashcams and other cameras

    ", + "

    You can use a camera fitted for insurance purposes, as long as it:

    ", + "
  • faces outside of the car and does not film the inside
  • ", + "
  • does not record audio from inside the car
  • ", + "

    Vehicle features

    ", + "

    You can use a car with:

    ", + "
  • an electronic parking brake
  • ", + "
  • hill-start assist
  • ", + "

    Hire cars

    ", + "

    You can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.

    ", + "

    Manual and automatic cars

    ", + "

    If you have a manual licence, you can take the test in either a manual or automatic car. You\u2019ll be able to train people in both types of car when you\u2019ve qualified.

    ", + "

    If you have an automatic licence, you must take the test in an automatic car. You\u2019ll only be able to train people in an automatic car when you\u2019ve qualified.

    ", + "

    Cars with known safety faults

    ", + "

    You cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.

    ", + "

    You must bring the proof that it\u2019s safe with you when you take your test.

    ", + "Model | Reason for recall | Vehicles affected | Recall issue date", + "Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016", + "Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016", + "Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and 0N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016", + "Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014", + "Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014", + "Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014", + "

    Proof you need to bring to your test

    ", + "

    You must bring proof that says one of the following:

    ", + "
  • the car was recalled and the recall work has been done
  • ", + "
  • the car was recalled but did not need any work to be done
  • ", + "
  • the car was not part of the recall
  • ", + "

    The proof must be either:

    ", + "
  • the recall letter or safety notice, stamped by the manufacturer or dealer
  • ", + "
  • on official or headed notepaper from the manufacturer or a dealer
  • ", + "

    Your test will be cancelled and you could lose your fee if you do not bring the right proof.

    ", + "

    What happens during the test

    ", + "

    A Driver and Vehicle Standards Agency (DVSA) examiner will watch you give a client-centred driving lesson lasting about 45 minutes to one of your pupils.

    ", + "

    Your pupil must drive for at least 40 minutes of the lesson.

    ", + "

    At the start of the lesson, discuss the goals for the lesson and risk management with your pupil. Because of coronavirus (COVID-19), this should take no more than 3 minutes.

    ", + "

    At the end of the lesson, give your pupil no more than 3 minutes to reflect on their performance.

    ", + "

    The examiner will look for evidence that you meet the national standard for driver and rider training.

    ", + "

    Your pupil

    ", + "

    Your pupil can be a:

    ", + "
  • partly trained learner
  • ", + "
  • fully trained learner
  • ", + "
  • full licence holder
  • ", + "

    Your pupil cannot be:

    ", + "
  • a learner who has just started learning to drive
  • ", + "
  • an approved driving instructor (ADI) or someone else who is preparing to take the ADI part 3 test
  • ", + "

    What you\u2019ll be marked on

    ", + "

    You\u2019ll be marked on 17 areas of competence that are grouped into 3 categories:

    ", + "
  • lesson planning
  • ", + "
  • risk management
  • ", + "
  • teaching and learning strategies
  • ", + "

    The 17 areas of competence are listed in the ADI part 3 test report form, which the examiner will fill in at the end of your test.

    ", + "

    You\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to work out if you\u2019ve passed the test, and what your grade will be.

    ", + "

    Your test result

    ", + "

    After you give the lesson, the examiner will discuss your performance and give you your result.

    ", + "

    You\u2019ll get your grade, along with your completed approved driving instructor (ADI) part 3 test report form.

    ", + "Total score | Grade | Description", + "0-30 | Fail | Your performance is unsatisfactory, and you will not join the ADI register", + "31-42 | Grade B | You\u2019ll be allowed to join the ADI register", + "43-51 | Grade A | You have shown a high standard of instruction and you\u2019ll be allowed to join the ADI register", + "

    You\u2019ll automatically fail if:

    ", + "
  • you get a score of 7 or less in the \u2018risk management\u2019 category
  • ", + "
  • the examiner stops the lesson because you\u2019ve put yourself or someone else in danger
  • ", + "

    If you pass

    ", + "

    You can apply for your first ADI badge if you pass the ADI part 3 test.

    ", + "

    You must apply within 12 months of passing the test, or you\u2019ll have to pass all 3 qualifying tests again.

    ", + "

    If you do not pass

    ", + "

    You can take the test again if you fail the first or second attempt. You must book the next attempt within 2 years of passing your ADI part 1 test.

    ", + "

    If you chose the extra training option (option 2) when you applied for your trainee licence, you must do 5 hours of extra training before you retake the test.

    ", + "

    Failing the third attempt

    ", + "

    You have to retake and pass the ADI part 1 test and ADI part 2 test again if you fail the ADI part 3 test at your third attempt.

    ", + "

    You must wait 2 years from when you originally passed the ADI part 1 test before you can take it again.

    ", + "

    Appeal your ADI part 3 test

    ", + "

    You can appeal your test if you can prove that your examiner did not follow the law.

    ", + "

    Read the guidance on appealing your test to check if your examiner followed the law.

    ", + "

    If you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)

    ", + "

    If DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.

    ", + "

    If DVSA does not agree with your complaint you may be able to appeal to a court instead.

    ", + "

    Appeal your test to a court

    ", + "

    You can appeal if you can prove that your examiner did not follow the law when they carried out your test.

    ", + "

    Your test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.

    ", + "

    You might have to pay significant legal costs if your appeal is unsuccessful.

    ", + "

    You\u2019ll need to appeal within:

    ", + "
  • 6 months of your test in England and Wales
  • ", + "
  • 21 days of your test in Scotland
  • ", + "

    Check if you can appeal.

    ", + "

    If your test is cancelled or there's bad weather

    ", + "

    Your approved driving instructor (ADI) part 3 test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.

    ", + "

    If your test is suspended due to coronavirus (COVID-19)

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You need to have passed a theory test in the last 2 years to take this test. Your theory test certificate will not be extended.

    ", + "

    Bad weather

    ", + "

    Tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.

    ", + "

    Call your test centre if there are any of these conditions on the day of your test.

    ", + "

    The phone number for the test centre is on your booking confirmation email.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it\u2019s not suitable.

    ", + "

    You cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.

    ", + "

    Problems with you or your car

    ", + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example, if you feel unwell while taking your test
  • ", + "
  • your car, for example, if it breaks down during the test or does not meet the rules to be used
  • ", + "

    If your test is cancelled for another reason

    ", + "

    Sometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.

    ", + "

    You\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.

    ", + "

    You can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.

    " + ] + }, + "https://www.gov.uk/manage-approved-driving-instructor-registration": { + "url": "https://www.gov.uk/manage-approved-driving-instructor-registration", + "title": "Manage your approved driving instructor (ADI) registration", + "content": "## Renew or update your registration\n\nYou\u2019re responsible for keeping your approved driving instructor (ADI) registration up to date.\n\nYou must renew your registration every 4 years.\n\nYou can renew your registration in the month it expires. If your registration has already run out, you can re-register within 12 months of the expiry date.\n\nIf your ADI registration ran out more than 12 months ago, you need to reapply to become a driving instructor.\n\nYou must display your registration in the passenger-side edge of the front windscreen of your car when you give driving lessons.\n\nYou can be prosecuted for using an invalid ADI badge or one that\u2019s not yours.\n\n## Renew your registration\n\n- Get a criminal records check. You must do this before you renew your registration - it normally takes around 3 months but can sometimes take longer.\n\n- Renew your ADI registration.\n\n## Change of name or contact details\n\nYou must update your ADI registration within 7 days if you change your name or address.\n\n## Lost or stolen ADI badge\n\nYou must contact the Driver and Vehicle Standards Agency (DVSA) straight away to:\n\n- tell them that your approved driving instructor (ADI) badge has been lost or stolen\n\n- request a replacement badge\n\nYou cannot give driving lessons until you have a replacement.\n\nWhen you contact DVSA, you\u2019ll need to give them:\n\n- your crime reference number if your badge was stolen - you can get this by contacting the police\n\n- permission to use the photo from your photocard driving licence (otherwise you\u2019ll need to post them a passport-style photograph)\n\nIt costs \u00a33 to replace a lost or stolen badge.\n\nYou must send your old badge to DVSA if you find it later.\n\n## Change when you're available for driving tests\n\nYou can manage when you\u2019re available for driving tests online.\n\nYou can tell the Driver and Vehicle Standards Agency (DVSA):\n\n- when you\u2019re never available, for example, between 9am and 11am on Mondays\n\n- when you\u2019re temporarily away, for example, you\u2019re on holiday\n\nYou must be registered as a business to use the service.\n\n## If you stop giving driving lessons\n\nYou must tell the Driver and Vehicle Standards Agency (DVSA) if you stop giving driving lessons because you want to leave the ADI register.\n\nYou cannot currently contact DVSA by post because of coronavirus (COVID-19). Contact DVSA by email instead.\n\nDVSA will contact you to tell you what to do with your ADI badge.\n\nYou will not get a refund if you have any time left on your registration, unless you\u2019re leaving the register for health reasons. You\u2019ll need to give medical proof to be considered for a refund.\n\nThere\u2019s a different process to manage your ADI registration in Northern Ireland.\n\n## Report cautions or convictions\n\nYou must tell the Driver and Vehicle Standards Agency (DVSA) in writing within 7 days if you get any caution or conviction. This includes:\n\n- being \u2018bound over\u2019\n\n- having your name entered in the sex offenders\u2019 register\n\n- being banned from working with children\n\nYou cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.", + "original_contents": [ + "

    Renew or update your registration

    ", + "

    You\u2019re responsible for keeping your approved driving instructor (ADI) registration up to date.

    ", + "

    You must renew your registration every 4 years.

    ", + "

    You can renew your registration in the month it expires. If your registration has already run out, you can re-register within 12 months of the expiry date.

    ", + "

    If your ADI registration ran out more than 12 months ago, you need to reapply to become a driving instructor.

    ", + "

    You must display your registration in the passenger-side edge of the front windscreen of your car when you give driving lessons.

    ", + "

    You can be prosecuted for using an invalid ADI badge or one that\u2019s not yours.

    ", + "

    Renew your registration

    ", + "
  • Get a criminal records check. You must do this before you renew your registration - it normally takes around 3 months but can sometimes take longer.
  • ", + "
  • Renew your ADI registration.
  • ", + "

    Change of name or contact details

    ", + "

    You must update your ADI registration within 7 days if you change your name or address.

    ", + "

    Lost or stolen ADI badge

    ", + "

    You must contact the Driver and Vehicle Standards Agency (DVSA) straight away to:

    ", + "
  • tell them that your approved driving instructor (ADI) badge has been lost or stolen
  • ", + "
  • request a replacement badge
  • ", + "

    You cannot give driving lessons until you have a replacement.

    ", + "

    When you contact DVSA, you\u2019ll need to give them:

    ", + "
  • your crime reference number if your badge was stolen - you can get this by contacting the police
  • ", + "
  • permission to use the photo from your photocard driving licence (otherwise you\u2019ll need to post them a passport-style photograph)
  • ", + "

    It costs \u00a33 to replace a lost or stolen badge.

    ", + "

    You must send your old badge to DVSA if you find it later.

    ", + "

    Change when you're available for driving tests

    ", + "

    You can manage when you\u2019re available for driving tests online.

    ", + "

    You can tell the Driver and Vehicle Standards Agency (DVSA):

    ", + "
  • when you\u2019re never available, for example, between 9am and 11am on Mondays
  • ", + "
  • when you\u2019re temporarily away, for example, you\u2019re on holiday
  • ", + "

    You must be registered as a business to use the service.

    ", + "

    If you stop giving driving lessons

    ", + "

    You must tell the Driver and Vehicle Standards Agency (DVSA) if you stop giving driving lessons because you want to leave the ADI register.

    ", + "

    You cannot currently contact DVSA by post because of coronavirus (COVID-19). Contact DVSA by email instead.

    ", + "

    DVSA will contact you to tell you what to do with your ADI badge.

    ", + "

    You will not get a refund if you have any time left on your registration, unless you\u2019re leaving the register for health reasons. You\u2019ll need to give medical proof to be considered for a refund.

    ", + "

    There\u2019s a different process to manage your ADI registration in Northern Ireland.

    ", + "

    Report cautions or convictions

    ", + "

    You must tell the Driver and Vehicle Standards Agency (DVSA) in writing within 7 days if you get any caution or conviction. This includes:

    ", + "
  • being \u2018bound over\u2019
  • ", + "
  • having your name entered in the sex offenders\u2019 register
  • ", + "
  • being banned from working with children
  • ", + "

    You cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.

    " + ] + }, + "https://www.gov.uk/adi-standards-check": { + "url": "https://www.gov.uk/adi-standards-check", + "title": "Approved driving instructor (ADI) standards check", + "content": "## Overview\n\nThe approved driving instructor (ADI) standards check assesses your ability to teach pupils.\n\nThe ADI standards check has replaced the ADI check test.\n\nYou have to take at least one ADI standards check during each 4-year period that you\u2019re registered as an ADI.\n\nYou have to take a standards check even if you do not have a car or are not working as an ADI.\n\nYou can be removed from the ADI register if you do not book or go to your standards check.\n\nYou can only take standards checks in English or Welsh.\n\nThere are different rules for taking a standards check in Northern Ireland.\n\n## Book your ADI standards check\n\nYou\u2019ll get a letter from DVSA when you need to book your approved driving instructor (ADI) standards check.\n\nYou can book a standards check online. It doesn\u2019t cost anything.\n\nYou\u2019ll need your:\n\n- driving licence number\n\n- ADI personal reference number\n\nStart now\n\n## Get help to book\n\nContact DVSA if you need help booking your standards check.\n\n## What happens next\n\nYour examiner will call you a few days before your standards check to agree:\n\n- the exact start time\n\n- where you want the check to start from - this will be either the driving test centre or somewhere within 5 minutes of the test centre\n\n## What to take to your standards check\n\nYou must take:\n\n- your approved driving instructor (ADI) registration certificate\n\n- a face covering, unless it\u2019s not safe for you to wear one\n\n- a car that meets the requirements\n\n- a pupil\n\nYour pupil can be a:\n\n- partly trained learner\n\n- fully trained learner\n\n- full licence holder\n\nIf you bring a partly trained learner, they should be able to drive for 40 minutes without frequently stopping.\n\nYour pupil cannot be an ADI or someone who is preparing to take the ADI part 3 test.\n\n## Reasons why you must not go to your standards check\n\nDo not go to your ADI standards check if you or your pupil:\n\n- have coronavirus (COVID-19) symptoms, or someone you live with has symptoms\n\n- have been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- are self-isolating because you recently entered the UK\n\nContact DVSA if you\u2019re not able to go to your standards check.\n\n## Wearing a face covering\n\nYou and your pupil must each bring and wear a face covering for your standards check, unless it\u2019s not safe for you to do so. For example, because:\n\n- you have a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you cannot wear a face covering when you book your standards check. Otherwise, your standards check will be cancelled if you arrive without one.\n\nYou can take it off during your standards check if you need to avoid harm or injury.\n\n## Car requirements\n\nThe car you use for your standards check must:\n\n- be roadworthy, safe and reliable - this means it\u2019s less than 3 years old or has a valid MOT certificate\n\n- have working rear seat belts\n\n- be fitted with L plates (or D plates in Wales) if your pupil is a learner\n\nYou cannot use:\n\n- a soft-top convertible\n\n- a car with a 2+2 seating arrangement rather than full-size rear seats\n\nYour standards check will be cancelled if your car does not meet the requirements. Another appointment will be booked for you.\n\nYou can be removed from the ADI register if you keep bringing a car that does not meet the requirements.\n\n## COVID-19 safety\n\nBecause of COVID-19, you must clean the inside of your car before your standards check. This means:\n\n- tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Bad weather\n\nYou should call the standards check bookings team as soon as you can on the day of your standards check if there\u2019s bad weather. Ask to speak to the ADI examiner.\n\nIf nobody answers the phone, and the conditions in your area are not looking too bad, it\u2019s likely that the examiners are:\n\n- checking the local roads to see if driving tests can go ahead\n\n- taking driving tests because the conditions are suitable\n\nHowever, this is not a guarantee that your standards check will go ahead.\n\nYou should tell the standards check bookings team if your check is cancelled - they\u2019ll make a new appointment.\n\n## What happens at the standards check\n\nA Driver and Vehicle Standards Agency examiner will watch you give a driving lesson to your pupil.\n\nThe lesson will last about 45 minutes. They must be driving for at least 40 minutes.\n\nAt the start of the lesson, you should recap the goals for the lesson and discuss risk management with your pupil. This should take no more than 3 minutes.\n\nAt the end of the lesson, you should give your pupil about 3 minutes to reflect on their performance.\n\nThe examiner will look for evidence that you meet the national standards for driver and rider training.\n\n## What you\u2019ll be marked on\n\nYou\u2019ll be marked on 17 areas of competence that are grouped into 3 categories:\n\n- lesson planning\n\n- risk management\n\n- teaching and learning skills\n\nThe 17 areas of competence are listed in the ADI standards check report form, which the examiner will fill in during your check.\n\nYou\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to work out your grade.\n\nAfter you give the lesson, the examiner will discuss your performance and give you your grade. This will take about 15 minutes.\n\nYou can take your trainer or mentor with you, but they cannot take part in the lesson.\n\n## Your standards check result\n\nYou\u2019ll get your grade, along with your completed standards check form at the end of your standards check.\n\n| Total score | Grade | Description |\n\n| 0-30 | Fail | Your performance is unsatisfactory |\n\n| 31-42 | Grade B | You\u2019ll stay on the approved driving instructors (ADI) register |\n\n| 43-51 | Grade A | You have shown a high standard of instruction and you\u2019ll stay on the ADI register |\n\nYou\u2019ll automatically fail if:\n\n- you get a score of 7 or less in the \u2018risk management\u2019 category\n\n- the examiner stops the lesson because you\u2019ve put yourself or someone else in danger\n\n## If you fail the standards check\n\nYou\u2019ll have up to 2 more attempts to pass the standards check.\n\nIf you fail 3 times:\n\n- you\u2019ll be removed from the approved driving instructors (ADI) register\n\n- you\u2019ll have to retake the ADI tests to join the ADI register again\n\n## Complain about your standards check\n\nComplain to the Driver and Vehicle Standards Agency if you\u2019re not happy about the way your standards check was carried out.\n\n## Appeal your standards check\n\nYou can appeal if you think your examiner didn\u2019t follow the regulations when they carried out your standards check.\n\nYour result cannot be changed, but you might be able to take another standards check if your appeal is successful.\n\nContact your local magistrate\u2019s court within 6 months to appeal in England and Wales.\n\nIf you live in Scotland, contact your local sheriff\u2019s court within 21 days.\n\n## Old 'ADI check test' grades\n\nThe approved driving instructor (ADI) standards check replaced the ADI check test on 7 April 2014.\n\nOld ADI check test grades will apply until you take your first standards check.\n\nIf you got a grade 2 or 3 in your last ADI check test, you\u2019ll have 2 attempts to pass the new ADI standards check.\n\n## Old \u2018ADI check test\u2019 grades\n\n| Grade | Overall performance |\n\n| 6 | Very high |\n\n| 5 | Good |\n\n| 4 | Satisfactory |\n\n| 3 | Inadequate |\n\n| 2 | Poor |\n\n| 1 | Extremely poor |\n\n| E | Educational check test |\n\n## Educational check test grade\n\nEducational (E) grades will not be given to newly qualified instructors in the new standard checks.", + "original_contents": [ + "

    Overview

    ", + "

    The approved driving instructor (ADI) standards check assesses your ability to teach pupils.

    ", + "

    The ADI standards check has replaced the ADI check test.

    ", + "

    You have to take at least one ADI standards check during each 4-year period that you\u2019re registered as an ADI.

    ", + "

    You have to take a standards check even if you do not have a car or are not working as an ADI.

    ", + "

    You can be removed from the ADI register if you do not book or go to your standards check.

    ", + "

    You can only take standards checks in English or Welsh.

    ", + "

    There are different rules for taking a standards check in Northern Ireland.

    ", + "

    Book your ADI standards check

    ", + "

    You\u2019ll get a letter from DVSA when you need to book your approved driving instructor (ADI) standards check.

    ", + "

    You can book a standards check online. It doesn\u2019t cost anything.

    ", + "

    You\u2019ll need your:

    ", + "
  • driving licence number
  • ", + "
  • ADI personal reference number
  • ", + "

    Start now

    ", + "

    Get help to book

    ", + "

    Contact DVSA if you need help booking your standards check.

    ", + "

    What happens next

    ", + "

    Your examiner will call you a few days before your standards check to agree:

    ", + "
  • the exact start time
  • ", + "
  • where you want the check to start from - this will be either the driving test centre or somewhere within 5 minutes of the test centre
  • ", + "

    What to take to your standards check

    ", + "

    You must take:

    ", + "
  • your approved driving instructor (ADI) registration certificate
  • ", + "
  • a face covering, unless it\u2019s not safe for you to wear one
  • ", + "
  • a car that meets the requirements
  • ", + "
  • a pupil
  • ", + "

    Your pupil can be a:

    ", + "
  • partly trained learner
  • ", + "
  • fully trained learner
  • ", + "
  • full licence holder
  • ", + "

    If you bring a partly trained learner, they should be able to drive for 40 minutes without frequently stopping.

    ", + "

    Your pupil cannot be an ADI or someone who is preparing to take the ADI part 3 test.

    ", + "

    Reasons why you must not go to your standards check

    ", + "

    Do not go to your ADI standards check if you or your pupil:

    ", + "
  • have coronavirus (COVID-19) symptoms, or someone you live with has symptoms
  • ", + "
  • have been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • are self-isolating because you recently entered the UK
  • ", + "

    Contact DVSA if you\u2019re not able to go to your standards check.

    ", + "

    Wearing a face covering

    ", + "

    You and your pupil must each bring and wear a face covering for your standards check, unless it\u2019s not safe for you to do so. For example, because:

    ", + "
  • you have a physical or mental illness or impairment, or a disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    You need to say if you cannot wear a face covering when you book your standards check. Otherwise, your standards check will be cancelled if you arrive without one.

    ", + "

    You can take it off during your standards check if you need to avoid harm or injury.

    ", + "

    Car requirements

    ", + "

    The car you use for your standards check must:

    ", + "
  • be roadworthy, safe and reliable - this means it\u2019s less than 3 years old or has a valid MOT certificate
  • ", + "
  • have working rear seat belts
  • ", + "
  • be fitted with L plates (or D plates in Wales) if your pupil is a learner
  • ", + "

    You cannot use:

    ", + "
  • a soft-top convertible
  • ", + "
  • a car with a 2+2 seating arrangement rather than full-size rear seats
  • ", + "

    Your standards check will be cancelled if your car does not meet the requirements. Another appointment will be booked for you.

    ", + "

    You can be removed from the ADI register if you keep bringing a car that does not meet the requirements.

    ", + "

    COVID-19 safety

    ", + "

    Because of COVID-19, you must clean the inside of your car before your standards check. This means:

    ", + "
  • tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    ", + "

    Bad weather

    ", + "

    You should call the standards check bookings team as soon as you can on the day of your standards check if there\u2019s bad weather. Ask to speak to the ADI examiner.

    ", + "

    If nobody answers the phone, and the conditions in your area are not looking too bad, it\u2019s likely that the examiners are:

    ", + "
  • checking the local roads to see if driving tests can go ahead
  • ", + "
  • taking driving tests because the conditions are suitable
  • ", + "

    However, this is not a guarantee that your standards check will go ahead.

    ", + "

    You should tell the standards check bookings team if your check is cancelled - they\u2019ll make a new appointment.

    ", + "

    What happens at the standards check

    ", + "

    A Driver and Vehicle Standards Agency examiner will watch you give a driving lesson to your pupil.

    ", + "

    The lesson will last about 45 minutes. They must be driving for at least 40 minutes.

    ", + "

    At the start of the lesson, you should recap the goals for the lesson and discuss risk management with your pupil. This should take no more than 3 minutes.

    ", + "

    At the end of the lesson, you should give your pupil about 3 minutes to reflect on their performance.

    ", + "

    The examiner will look for evidence that you meet the national standards for driver and rider training.

    ", + "

    What you\u2019ll be marked on

    ", + "

    You\u2019ll be marked on 17 areas of competence that are grouped into 3 categories:

    ", + "
  • lesson planning
  • ", + "
  • risk management
  • ", + "
  • teaching and learning skills
  • ", + "

    The 17 areas of competence are listed in the ADI standards check report form, which the examiner will fill in during your check.

    ", + "

    You\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to work out your grade.

    ", + "

    After you give the lesson, the examiner will discuss your performance and give you your grade. This will take about 15 minutes.

    ", + "

    You can take your trainer or mentor with you, but they cannot take part in the lesson.

    ", + "

    Your standards check result

    ", + "

    You\u2019ll get your grade, along with your completed standards check form at the end of your standards check.

    ", + "Total score | Grade | Description", + "0-30 | Fail | Your performance is unsatisfactory", + "31-42 | Grade B | You\u2019ll stay on the approved driving instructors (ADI) register", + "43-51 | Grade A | You have shown a high standard of instruction and you\u2019ll stay on the ADI register", + "

    You\u2019ll automatically fail if:

    ", + "
  • you get a score of 7 or less in the \u2018risk management\u2019 category
  • ", + "
  • the examiner stops the lesson because you\u2019ve put yourself or someone else in danger
  • ", + "

    If you fail the standards check

    ", + "

    You\u2019ll have up to 2 more attempts to pass the standards check.

    ", + "

    If you fail 3 times:

    ", + "
  • you\u2019ll be removed from the approved driving instructors (ADI) register
  • ", + "
  • you\u2019ll have to retake the ADI tests to join the ADI register again
  • ", + "

    Complain about your standards check

    ", + "

    Complain to the Driver and Vehicle Standards Agency if you\u2019re not happy about the way your standards check was carried out.

    ", + "

    Appeal your standards check

    ", + "

    You can appeal if you think your examiner didn\u2019t follow the regulations when they carried out your standards check.

    ", + "

    Your result cannot be changed, but you might be able to take another standards check if your appeal is successful.

    ", + "

    Contact your local magistrate\u2019s court within 6 months to appeal in England and Wales.

    ", + "

    If you live in Scotland, contact your local sheriff\u2019s court within 21 days.

    ", + "

    Old 'ADI check test' grades

    ", + "

    The approved driving instructor (ADI) standards check replaced the ADI check test on 7 April 2014.

    ", + "

    Old ADI check test grades will apply until you take your first standards check.

    ", + "

    If you got a grade 2 or 3 in your last ADI check test, you\u2019ll have 2 attempts to pass the new ADI standards check.

    ", + "

    Old \u2018ADI check test\u2019 grades

    ", + "Grade | Overall performance", + "6 | Very high", + "5 | Good", + "4 | Satisfactory", + "3 | Inadequate", + "2 | Poor", + "1 | Extremely poor", + "E | Educational check test", + "

    Educational check test grade

    ", + "

    Educational (E) grades will not be given to newly qualified instructors in the new standard checks.

    " + ] + }, + "https://www.gov.uk/driving-instructor-suspension-your-rights": { + "url": "https://www.gov.uk/driving-instructor-suspension-your-rights", + "title": "Driving instructor suspension: your rights", + "content": "## Overview\n\nYour approved driving instructor (ADI) registration can be suspended if the ADI registrar thinks you pose a significant threat to public safety.\n\nThe ADI registrar can suspend you if they\u2019re considering:\n\n- taking you off the ADI register\n\n- removing your trainee driving instructor licence\n\n- refusing to extend your registration or trainee licence\n\nYou cannot get paid for giving driving lessons if you\u2019re suspended.\n\n## Claiming compensation\n\nYou can claim compensation if you\u2019ve been suspended but are not then taken off the register.\n\nThere are different rules for your ADI registration in Northern Ireland.\n\n## When you can be suspended\n\nYour approved driving instructor (ADI) registration can be suspended if the ADI registrar thinks you pose a significant threat to public safety.\n\nFor example, if you:\n\n- have been convicted of a sexual or violent offence\n\n- are giving dangerous instruction that\u2019s a major risk to the safety of your pupils and other road users\n\n## Telling you if you\u2019re suspended\n\nYou\u2019ll get a letter from the ADI registrar to tell you that your registration is suspended.\n\nThis will usually be at that same time that the registrar writes to tell you that they\u2019re considering taking you off the register.\n\n## Challenging your suspension\n\nYou can use a judicial review to challenge the way in which the ADI registrar made the decision to suspend you.\n\nThe review only looks at whether the right procedures have been followed, rather than the decision itself. You can download the judicial review claim form and guidance notes.\n\nYou still have the right to appeal against the ADI registrar\u2019s decision to remove you if you end up being taken off the register.\n\n## Compensation if you stay on the register\n\nYou can get compensation if your approved driving instructor (ADI) registration was suspended, but you were not taken off the ADI register.\n\nThis includes cases where:\n\n- you win an appeal against the decision to take you off the register\n\n- the registrar considers taking you off the register, but then ends the suspension and lets you stay on the register\n\n- the registrar has not made a decision about taking you off the register within 75 days\n\n## What you can claim\n\nYou can claim compensation for income and non-income losses as a result of being suspended.\n\nYou can also claim for the cost of preparing your compensation application.\n\n## Income losses\n\n\u2018Income losses\u2019 are what you\u2019d have got from giving driving lessons during the time you were suspended.\n\n## Non-income losses\n\n\u2018Non-income losses\u2019 are other losses you:\n\n- can give a monetary value to\n\n- incurred (within reason) while you were suspended\n\nExamples of non-income losses include:\n\n- any reasonable costs you needed to pay to prepare your compensation application\n\n- the interest on a loan you had to take out as a result of the suspension\n\n- the value of any damage that the suspension caused to your driving school business if you run one\n\n## How to claim compensation\n\nDownload the application form and send it, with evidence to support your claim, to the Driver and Vehicle Standards Agency (DVSA).\n\n## When to claim\n\nYou must send your claim within 2 years of whichever of these dates is later:\n\n- the date your suspension ended\n\n- the date you were told you\u2019d won your appeal against the approved driving instructor (ADI) registrar\n\nYou can claim outside of the 2 years in special situations.\n\n## Who can make the claim\n\nYou, as the ADI who was suspended, must sign the declaration with the application form.\n\nYou\u2019re only allowed to sign the declaration on behalf of someone in limited situations, for example where the ADI has died and you\u2019re allowed to represent them.\n\n## Evidence to support your claim\n\nYou should send documents that prove the basis of your claim, for example showing why you\u2019ve based your claim for income losses on a certain hourly rate.\n\nYou\u2019ll need to consider which documents will help DVSA decide that you\u2019ve sent a valid claim, for example bank statements, payslips or a loan agreement.\n\n## Working out your losses\n\nYou\u2019ll need to work out your income and non-income losses to send your claim.\n\n## Work out your income losses\n\nYou\u2019ll need to work how much you\u2019d have reasonably expected to earn during the time you were suspended.\n\nThis should be based on your income for a period that you can directly compare with, for example the same period the previous year.\n\nYou should base your claim on the period that best compares to the time you were suspended if you cannot directly compare with a previous year.\n\nIf your claim is for a different amount to what\u2019s shown in the previous period, you should explain why, for example a major change in how many pupils you taught in the weeks just before you were suspended.\n\n## Work out your non-income losses\n\nYour claim will need to make clear:\n\n- how the non-income losses were incurred\n\n- why they are reasonable costs\n\n- how you have worked them out\n\nYou\u2019ll need to send documents that clearly support your claim.\n\nYou can claim for the value of any damage that the suspension caused to your driving school business if you run one.\n\nYou can claim for the interest paid on a loan that you took out because your income stopped from being suspended.\n\n## Help working out your non-income losses\n\nYou can claim for the cost of preparing your compensation application. This can include the cost of getting expert help to work out how much your non-income losses are.\n\nYou\u2019ll need to prove that the cost was reasonable, for example by showing that you did not pay a higher fee than usually applies.\n\n## The decision on your compensation claim\n\nYou\u2019ll get a letter from the Driver and Vehicle Standards Agency (DVSA) within 28 days to either:\n\n- tell you you\u2019re being paid the amount you claimed for or a different amount\n\n- ask for more information to prove your claim\n\n- ask permission to go to a third party to prove your claim\n\n- tell you the claim has not been allowed\n\n## When you\u2019ll get your payment\n\nYou\u2019ll get the payment within 45 days of DVSA telling you that you\u2019re going to be paid.\n\nYou must give any new information you find that\u2019s relevant to your claim within 6 years of getting your compensation. You must do this within 1 month of finding it.\n\n## Interim payments\n\nYou can get an interim payment:\n\n- if you\u2019re in special situations, for example significant financial hardship\n\n- for part of the claim if it can be easily and quickly checked\n\n## If more information is needed\n\nYou must send any extra information DVSA needs within 28 days. This can be extended in special situations.\n\nYou must sign a statement to say the information is true to the best of your knowledge when you send it.\n\n## Not giving more information\n\nYou should tell DVSA in writing if you cannot give the extra information, and the reason why. DVSA will do whatever it can to process the claim if this happens.\n\nYour claim can be delayed if the extra information is not available, or you do not give it.\n\nThe part of the claim that needs the extra information can be rejected.\n\n## After you\u2019re asked for more information\n\nDVSA will write to you within 28 days of either:\n\n- getting the extra information\n\n- the deadline for giving the extra information running out\n\nThe letter from DVSA will either:\n\n- tell you you\u2019re being paid the amount you claimed for or a different amount\n\n- ask for more information to prove your claim\n\n- tell you the claim has not been allowed\n\n## Appeal against the decision\n\nYou can appeal to the transport tribunal if you disagree with:\n\n- the decision that you cannot get compensation\n\n- the amount of compensation you\u2019re going to get\n\nYou must appeal within 28 days of DVSA telling you its decision.\n\n## Decisions the tribunal can make\n\nThe tribunal can:\n\n- refuse your appeal\n\n- allow your appeal\n\n- give its own decision on how much you get\n\n- refer your case back to DVSA to reconsider\n\n## When the amount of compensation can change\n\nThe Driver and Vehicle Standards Agency (DVSA) can tell you that that it\u2019s considering changing how much compensation you got. It can do this for up to 6 years after your original application.\n\nDVSA can do this when:\n\n- it finds new information\n\n- it believes that the information you gave was wrong\n\n- it looks like the original amount you got was given by mistake\n\n## If you think the amount was correct\n\nYou have 28 days to tell DVSA if you think that the compensation that you were given was correct. This time limit may be extended in special situations.\n\n## If the amount changes\n\nYou\u2019ll need to repay the difference if the new amount is less than you originally got. DVSA will tell you how to do this.\n\nDVSA will pay you the difference if the new amount is more than you originally got. You\u2019ll get it within 45 days.\n\n## If you disagree with the new amount\n\nYou can appeal to the transport tribunal if you disagree with DVSA\u2019s decision on the new amount.\n\nYou should make your appeal within 28 days of being told the new amount.\n\n## Decisions the tribunal can make\n\nThe tribunal can:\n\n- refuse your appeal\n\n- allow your appeal\n\n- give its own decision on how much you get\n\n- refer your case back to DVSA to reconsider", + "original_contents": [ + "

    Overview

    ", + "

    Your approved driving instructor (ADI) registration can be suspended if the ADI registrar thinks you pose a significant threat to public safety.

    ", + "

    The ADI registrar can suspend you if they\u2019re considering:

    ", + "
  • taking you off the ADI register
  • ", + "
  • removing your trainee driving instructor licence
  • ", + "
  • refusing to extend your registration or trainee licence
  • ", + "

    You cannot get paid for giving driving lessons if you\u2019re suspended.

    ", + "

    Claiming compensation

    ", + "

    You can claim compensation if you\u2019ve been suspended but are not then taken off the register.

    ", + "

    There are different rules for your ADI registration in Northern Ireland.

    ", + "

    When you can be suspended

    ", + "

    Your approved driving instructor (ADI) registration can be suspended if the ADI registrar thinks you pose a significant threat to public safety.

    ", + "

    For example, if you:

    ", + "
  • have been convicted of a sexual or violent offence
  • ", + "
  • are giving dangerous instruction that\u2019s a major risk to the safety of your pupils and other road users
  • ", + "

    Telling you if you\u2019re suspended

    ", + "

    You\u2019ll get a letter from the ADI registrar to tell you that your registration is suspended.

    ", + "

    This will usually be at that same time that the registrar writes to tell you that they\u2019re considering taking you off the register.

    ", + "

    Challenging your suspension

    ", + "

    You can use a judicial review to challenge the way in which the ADI registrar made the decision to suspend you.

    ", + "

    The review only looks at whether the right procedures have been followed, rather than the decision itself. You can download the judicial review claim form and guidance notes.

    ", + "

    You still have the right to appeal against the ADI registrar\u2019s decision to remove you if you end up being taken off the register.

    ", + "

    Compensation if you stay on the register

    ", + "

    You can get compensation if your approved driving instructor (ADI) registration was suspended, but you were not taken off the ADI register.

    ", + "

    This includes cases where:

    ", + "
  • you win an appeal against the decision to take you off the register
  • ", + "
  • the registrar considers taking you off the register, but then ends the suspension and lets you stay on the register
  • ", + "
  • the registrar has not made a decision about taking you off the register within 75 days
  • ", + "

    What you can claim

    ", + "

    You can claim compensation for income and non-income losses as a result of being suspended.

    ", + "

    You can also claim for the cost of preparing your compensation application.

    ", + "

    Income losses

    ", + "

    \u2018Income losses\u2019 are what you\u2019d have got from giving driving lessons during the time you were suspended.

    ", + "

    Non-income losses

    ", + "

    \u2018Non-income losses\u2019 are other losses you:

    ", + "
  • can give a monetary value to
  • ", + "
  • incurred (within reason) while you were suspended
  • ", + "

    Examples of non-income losses include:

    ", + "
  • any reasonable costs you needed to pay to prepare your compensation application
  • ", + "
  • the interest on a loan you had to take out as a result of the suspension
  • ", + "
  • the value of any damage that the suspension caused to your driving school business if you run one
  • ", + "

    How to claim compensation

    ", + "

    Download the application form and send it, with evidence to support your claim, to the Driver and Vehicle Standards Agency (DVSA).

    ", + "

    When to claim

    ", + "

    You must send your claim within 2 years of whichever of these dates is later:

    ", + "
  • the date your suspension ended
  • ", + "
  • the date you were told you\u2019d won your appeal against the approved driving instructor (ADI) registrar
  • ", + "

    You can claim outside of the 2 years in special situations.

    ", + "

    Who can make the claim

    ", + "

    You, as the ADI who was suspended, must sign the declaration with the application form.

    ", + "

    You\u2019re only allowed to sign the declaration on behalf of someone in limited situations, for example where the ADI has died and you\u2019re allowed to represent them.

    ", + "

    Evidence to support your claim

    ", + "

    You should send documents that prove the basis of your claim, for example showing why you\u2019ve based your claim for income losses on a certain hourly rate.

    ", + "

    You\u2019ll need to consider which documents will help DVSA decide that you\u2019ve sent a valid claim, for example bank statements, payslips or a loan agreement.

    ", + "

    Working out your losses

    ", + "

    You\u2019ll need to work out your income and non-income losses to send your claim.

    ", + "

    Work out your income losses

    ", + "

    You\u2019ll need to work how much you\u2019d have reasonably expected to earn during the time you were suspended.

    ", + "

    This should be based on your income for a period that you can directly compare with, for example the same period the previous year.

    ", + "

    You should base your claim on the period that best compares to the time you were suspended if you cannot directly compare with a previous year.

    ", + "

    If your claim is for a different amount to what\u2019s shown in the previous period, you should explain why, for example a major change in how many pupils you taught in the weeks just before you were suspended.

    ", + "

    Work out your non-income losses

    ", + "

    Your claim will need to make clear:

    ", + "
  • how the non-income losses were incurred
  • ", + "
  • why they are reasonable costs
  • ", + "
  • how you have worked them out
  • ", + "

    You\u2019ll need to send documents that clearly support your claim.

    ", + "

    You can claim for the value of any damage that the suspension caused to your driving school business if you run one.

    ", + "

    You can claim for the interest paid on a loan that you took out because your income stopped from being suspended.

    ", + "

    Help working out your non-income losses

    ", + "

    You can claim for the cost of preparing your compensation application. This can include the cost of getting expert help to work out how much your non-income losses are.

    ", + "

    You\u2019ll need to prove that the cost was reasonable, for example by showing that you did not pay a higher fee than usually applies.

    ", + "

    The decision on your compensation claim

    ", + "

    You\u2019ll get a letter from the Driver and Vehicle Standards Agency (DVSA) within 28 days to either:

    ", + "
  • tell you you\u2019re being paid the amount you claimed for or a different amount
  • ", + "
  • ask for more information to prove your claim
  • ", + "
  • ask permission to go to a third party to prove your claim
  • ", + "
  • tell you the claim has not been allowed
  • ", + "

    When you\u2019ll get your payment

    ", + "

    You\u2019ll get the payment within 45 days of DVSA telling you that you\u2019re going to be paid.

    ", + "

    You must give any new information you find that\u2019s relevant to your claim within 6 years of getting your compensation. You must do this within 1 month of finding it.

    ", + "

    Interim payments

    ", + "

    You can get an interim payment:

    ", + "
  • if you\u2019re in special situations, for example significant financial hardship
  • ", + "
  • for part of the claim if it can be easily and quickly checked
  • ", + "

    If more information is needed

    ", + "

    You must send any extra information DVSA needs within 28 days. This can be extended in special situations.

    ", + "

    You must sign a statement to say the information is true to the best of your knowledge when you send it.

    ", + "

    Not giving more information

    ", + "

    You should tell DVSA in writing if you cannot give the extra information, and the reason why. DVSA will do whatever it can to process the claim if this happens.

    ", + "

    Your claim can be delayed if the extra information is not available, or you do not give it.

    ", + "

    The part of the claim that needs the extra information can be rejected.

    ", + "

    After you\u2019re asked for more information

    ", + "

    DVSA will write to you within 28 days of either:

    ", + "
  • getting the extra information
  • ", + "
  • the deadline for giving the extra information running out
  • ", + "

    The letter from DVSA will either:

    ", + "
  • tell you you\u2019re being paid the amount you claimed for or a different amount
  • ", + "
  • ask for more information to prove your claim
  • ", + "
  • tell you the claim has not been allowed
  • ", + "

    Appeal against the decision

    ", + "

    You can appeal to the transport tribunal if you disagree with:

    ", + "
  • the decision that you cannot get compensation
  • ", + "
  • the amount of compensation you\u2019re going to get
  • ", + "

    You must appeal within 28 days of DVSA telling you its decision.

    ", + "

    Decisions the tribunal can make

    ", + "

    The tribunal can:

    ", + "
  • refuse your appeal
  • ", + "
  • allow your appeal
  • ", + "
  • give its own decision on how much you get
  • ", + "
  • refer your case back to DVSA to reconsider
  • ", + "

    When the amount of compensation can change

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) can tell you that that it\u2019s considering changing how much compensation you got. It can do this for up to 6 years after your original application.

    ", + "

    DVSA can do this when:

    ", + "
  • it finds new information
  • ", + "
  • it believes that the information you gave was wrong
  • ", + "
  • it looks like the original amount you got was given by mistake
  • ", + "

    If you think the amount was correct

    ", + "

    You have 28 days to tell DVSA if you think that the compensation that you were given was correct. This time limit may be extended in special situations.

    ", + "

    If the amount changes

    ", + "

    You\u2019ll need to repay the difference if the new amount is less than you originally got. DVSA will tell you how to do this.

    ", + "

    DVSA will pay you the difference if the new amount is more than you originally got. You\u2019ll get it within 45 days.

    ", + "

    If you disagree with the new amount

    ", + "

    You can appeal to the transport tribunal if you disagree with DVSA\u2019s decision on the new amount.

    ", + "

    You should make your appeal within 28 days of being told the new amount.

    ", + "

    Decisions the tribunal can make

    ", + "

    The tribunal can:

    ", + "
  • refuse your appeal
  • ", + "
  • allow your appeal
  • ", + "
  • give its own decision on how much you get
  • ", + "
  • refer your case back to DVSA to reconsider
  • " + ] + }, + "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor": { + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "title": "Become a DVSA assessed CBT motorcycle instructor", + "content": "## Overview\n\nYou can apply to the Driver and Vehicle Standards Agency (DVSA) to become a DVSA assessed compulsory basic training (CBT) motorcycle instructor.\n\nCBT is a training course that most learner motorcycle and moped riders must take before riding on the road.\n\n## Rules for becoming a CBT instructor\n\nTo become a DVSA assessed CBT motorcycle instructor you must have a driving licence from either:\n\n- Great Britain or Northern Ireland\n\n- the EU or EEA - but you must register it\n first\n\nYou must also:\n\n- be 21 or older\n\n- have had a full category A2 or A motorcycle licence for at least 3 years\n\nYou\u2019ll have to take a 2-day assessment at a DVSA training and development centre.\n\n## When you qualify\n\nWhen you pass you must work for a motorcycle approved training body (ATB) to be able to:\n\n- provide the CBT course to learner riders\n\n- train up to 10 instructors at the ATB to also deliver CBT courses (this is known as \u2018down-training\u2019)\n\n- apply to become a direct access scheme instructor\n\n## How to book your assessment\n\nFill in the application form to book an assessment and send it to the address on the form. There\u2019s no charge for the assessment.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.\n\n## If you cannot go to your assessment\n\nTell DVSA by email if you cannot attend your assessment.\n\nYou must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.\n\nYour approved training body cannot tell DVSA without giving your signature.\n\nYour application will become invalid and will count as an unsuccessful attempt if you do not tell DVSA in enough time.\n\nYou\u2019re only allowed 2 unsuccessful attempts before you have to wait a year before applying to take another assessment.\n\n## Preparing for the assessment\n\nStudy the compulsory basic training (CBT) syllabus before you take the assessment.\n\n## Other preparation\n\nYou should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Learning to Ride\n\n- Riding - the Essential Skills\n\n- Theory Test for Motorcyclists\n\nYou can buy them from most high street and online book shops.\n\n## What to bring to your assessment\n\nYou need to bring:\n\n- your valid driving licence\n\n- your CBT1 card if you have one\n\n- a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kW\n\nIf you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.\n\nYour assessment will be cancelled if you do not bring these.\n\nYou\u2019re allowed to bring a pen and any notes or training aids to help you.\n\n## What the assessment involves\n\nThe compulsory basic training (CBT) instructor assessment assesses your ability to:\n\n- train learner motorcyclists in the requirements of CBT\n\n- train and guide other instructors within an approved training body\n\nThere will usually be 2 other instructors taking the assessment at the same time as you.\n\nThe DVSA assessor will play the role of a novice rider throughout the assessment.\n\nYou\u2019ll be asked to deliver lessons based on the topics being assessed. One or both of the other instructors will act as your supervisor. You\u2019ll then swap the roles of the instructor and supervisor.\n\n## Eyesight test\n\nYou\u2019ll have to pass an eyesight test before the assessment starts. You\u2019ll have to read a number plate from a distance of:\n\n- 26.5 metres for vehicles with a new-style number plate\n\n- 27.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nThe rest of the assessment will not go ahead if you fail the eyesight test.\n\n## Session 1\n\nThis session focuses on element A of the CBT syllabus - introduction to CBT.\n\nThe DVSA assessor will give you an overview of the assessment.\n\nYou\u2019ll then deliver a lesson on the modules within element A of the CBT syllabus. You\u2019re allowed to use notes and training aids. The other candidates will watch your instruction and decide whether it\u2019s valid and achieves the objective.\n\n## Session 2\n\nThis session focuses on element B of the CBT syllabus - practical on-site training.\n\nYou\u2019ll be introduced to the motorcycle that will be used on-site. You should familiarise yourself with it so you can give a controls lesson or basic machine check lesson.\n\nThe \u2018novice rider\u2019 will act on the instruction you give. The other candidates will watch the instruction you give and decide whether it\u2019s a valid lesson and achieves the objective.\n\n## Sessions 3 and 4\n\nThese sessions focus on element C of the CBT syllabus - practical on-site riding.\n\nYou\u2019ll instruct the \u2018novice rider\u2019. The other candidates give a debrief at the end of each lesson.\n\nThe roles will be changed several times so you can prove your ability as an instructor and supervisor.\n\n## Session 5\n\nThis session focuses on element D of the CBT syllabus - practical on-road training.\n\nYou\u2019ll give a lesson made up of 3 modules from element D. The other candidates will supervise you, and then the roles will be swapped.\n\n## Sessions 6 and 7\n\nThese sessions focus on element E of the CBT syllabus - practical on-road riding.\n\nYou\u2019ll ride a motorcycle and follow the \u2018novice rider\u2019 on the road. You\u2019ll have to:\n\n- give instructions\n\n- correct any faults that they make\n\n- direct them over a route on public roads using radio equipment\n\nYou\u2019ll need to use your own motorcycle for sessions 6 and 7.\n\n## Your assessment result\n\nYou\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.\n\n## Passing the assessment\n\nYou\u2019ll be sent more information about how to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a DVSA assessed instructor.\n\nUntil you\u2019ve got your registration certificate you are not allowed to:\n\n- conduct compulsory basic training (CBT) courses\n\n- train any instructors on behalf of your approved training body (ATB)\n\n## Failing the assessment\n\nYou cannot apply to retake the assessment if you fail it twice within a 12-month period. You\u2019ll have to wait until 1 year after the date of the second assessment before applying again.\n\n## Failing if you\u2019re a down-trained instructor\n\nYou can continue to give CBT training if you\u2019re a down-trained instructor, but you\u2019ll have to have a standards check at your ATB in the near future.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to the Driver and Vehicle Standards Agency (DVSA) to become a DVSA assessed compulsory basic training (CBT) motorcycle instructor.

    ", + "

    CBT is a training course that most learner motorcycle and moped riders must take before riding on the road.

    ", + "

    Rules for becoming a CBT instructor

    ", + "

    To become a DVSA assessed CBT motorcycle instructor you must have a driving licence from either:

    ", + "
  • Great Britain or Northern Ireland
  • ", + "
  • the EU or EEA - but you must register it\n first
  • ", + "

    You must also:

    ", + "
  • be 21 or older
  • ", + "
  • have had a full category A2 or A motorcycle licence for at least 3 years
  • ", + "

    You\u2019ll have to take a 2-day assessment at a DVSA training and development centre.

    ", + "

    When you qualify

    ", + "

    When you pass you must work for a motorcycle approved training body (ATB) to be able to:

    ", + "
  • provide the CBT course to learner riders
  • ", + "
  • train up to 10 instructors at the ATB to also deliver CBT courses (this is known as \u2018down-training\u2019)
  • ", + "
  • apply to become a direct access scheme instructor
  • ", + "

    How to book your assessment

    ", + "

    Fill in the application form to book an assessment and send it to the address on the form. There\u2019s no charge for the assessment.

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.

    ", + "

    If you cannot go to your assessment

    ", + "

    Tell DVSA by email if you cannot attend your assessment.

    ", + "

    You must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.

    ", + "

    Your approved training body cannot tell DVSA without giving your signature.

    ", + "

    Your application will become invalid and will count as an unsuccessful attempt if you do not tell DVSA in enough time.

    ", + "

    You\u2019re only allowed 2 unsuccessful attempts before you have to wait a year before applying to take another assessment.

    ", + "

    Preparing for the assessment

    ", + "

    Study the compulsory basic training (CBT) syllabus before you take the assessment.

    ", + "

    Other preparation

    ", + "

    You should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Learning to Ride
  • ", + "
  • Riding - the Essential Skills
  • ", + "
  • Theory Test for Motorcyclists
  • ", + "

    You can buy them from most high street and online book shops.

    ", + "

    What to bring to your assessment

    ", + "

    You need to bring:

    ", + "
  • your valid driving licence
  • ", + "
  • your CBT1 card if you have one
  • ", + "
  • a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kW
  • ", + "

    If you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.

    ", + "

    Your assessment will be cancelled if you do not bring these.

    ", + "

    You\u2019re allowed to bring a pen and any notes or training aids to help you.

    ", + "

    What the assessment involves

    ", + "

    The compulsory basic training (CBT) instructor assessment assesses your ability to:

    ", + "
  • train learner motorcyclists in the requirements of CBT
  • ", + "
  • train and guide other instructors within an approved training body
  • ", + "

    There will usually be 2 other instructors taking the assessment at the same time as you.

    ", + "

    The DVSA assessor will play the role of a novice rider throughout the assessment.

    ", + "

    You\u2019ll be asked to deliver lessons based on the topics being assessed. One or both of the other instructors will act as your supervisor. You\u2019ll then swap the roles of the instructor and supervisor.

    ", + "

    Eyesight test

    ", + "

    You\u2019ll have to pass an eyesight test before the assessment starts. You\u2019ll have to read a number plate from a distance of:

    ", + "
  • 26.5 metres for vehicles with a new-style number plate
  • ", + "
  • 27.5 metres for vehicles with an old-style number plate
  • ", + "

    New-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.

    ", + "

    The rest of the assessment will not go ahead if you fail the eyesight test.

    ", + "

    Session 1

    ", + "

    This session focuses on element A of the CBT syllabus - introduction to CBT.

    ", + "

    The DVSA assessor will give you an overview of the assessment.

    ", + "

    You\u2019ll then deliver a lesson on the modules within element A of the CBT syllabus. You\u2019re allowed to use notes and training aids. The other candidates will watch your instruction and decide whether it\u2019s valid and achieves the objective.

    ", + "

    Session 2

    ", + "

    This session focuses on element B of the CBT syllabus - practical on-site training.

    ", + "

    You\u2019ll be introduced to the motorcycle that will be used on-site. You should familiarise yourself with it so you can give a controls lesson or basic machine check lesson.

    ", + "

    The \u2018novice rider\u2019 will act on the instruction you give. The other candidates will watch the instruction you give and decide whether it\u2019s a valid lesson and achieves the objective.

    ", + "

    Sessions 3 and 4

    ", + "

    These sessions focus on element C of the CBT syllabus - practical on-site riding.

    ", + "

    You\u2019ll instruct the \u2018novice rider\u2019. The other candidates give a debrief at the end of each lesson.

    ", + "

    The roles will be changed several times so you can prove your ability as an instructor and supervisor.

    ", + "

    Session 5

    ", + "

    This session focuses on element D of the CBT syllabus - practical on-road training.

    ", + "

    You\u2019ll give a lesson made up of 3 modules from element D. The other candidates will supervise you, and then the roles will be swapped.

    ", + "

    Sessions 6 and 7

    ", + "

    These sessions focus on element E of the CBT syllabus - practical on-road riding.

    ", + "

    You\u2019ll ride a motorcycle and follow the \u2018novice rider\u2019 on the road. You\u2019ll have to:

    ", + "
  • give instructions
  • ", + "
  • correct any faults that they make
  • ", + "
  • direct them over a route on public roads using radio equipment
  • ", + "

    You\u2019ll need to use your own motorcycle for sessions 6 and 7.

    ", + "

    Your assessment result

    ", + "

    You\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.

    ", + "

    Passing the assessment

    ", + "

    You\u2019ll be sent more information about how to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a DVSA assessed instructor.

    ", + "

    Until you\u2019ve got your registration certificate you are not allowed to:

    ", + "
  • conduct compulsory basic training (CBT) courses
  • ", + "
  • train any instructors on behalf of your approved training body (ATB)
  • ", + "

    Failing the assessment

    ", + "

    You cannot apply to retake the assessment if you fail it twice within a 12-month period. You\u2019ll have to wait until 1 year after the date of the second assessment before applying again.

    ", + "

    Failing if you\u2019re a down-trained instructor

    ", + "

    You can continue to give CBT training if you\u2019re a down-trained instructor, but you\u2019ll have to have a standards check at your ATB in the near future.

    " + ] + }, + "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor": { + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "title": "Become a direct access scheme (DAS) motorcycle instructor", + "content": "## Overview\n\nYou can apply to the Driver and Vehicle Standards Agency (DVSA) to become a direct access scheme (DAS) certified instructor.\n\nAll provisional licence holders training on a motorbike over 125cc and 11kW power output must be trained by a qualified DAS instructor.\n\n## Rules for becoming a DAS instructor\n\nTo become a DAS certified instructor you must have a driving licence from either:\n\n- Great Britain or Northern Ireland\n\n- the EU or EEA - but you must register it\n first\n\nYou must also:\n\n- be 21 or over\n\n- have had a full category A2 or A motorcycle licence for at least 3 years\n\n- have passed the 2-day assessment to become a DVSA assessed compulsory basic training (CBT) instructor\n\nYou\u2019ll have to take a 2-day assessment at a DVSA training and development centre.\n\n## When you qualify\n\nWhen you pass you\u2019ll be able to give DAS training.\n\n## How to book your assessment\n\nThe direct access scheme (DAS) instructor assessment lasts for half a day. You can book a:\n\n- morning assessment, which starts at 8:30am\n\n- afternoon assessment, which starts at 1pm\n\nFill in the application form to book your assessment and send it to the address on the form. There\u2019s no charge for the assessment.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.\n\nYour application will be valid for 6 months.\n\n## If you cannot go to your assessment\n\nTell DVSA by email if you cannot attend your assessment.\n\nYou must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.\n\n## Preparing for the assessment\n\nStudy the training guidance before you take the assessment.\n\nSign up for email alerts to be told when the guidance is updated.\n\n## Other preparation\n\nYou should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Learning to Ride\n\n- Riding - the Essential Skills\n\n- Theory Test for Motorcyclists\n\nYou can buy them from most high street and online book shops.\n\n## What to bring to your assessment\n\nYou need to bring:\n\n- your valid driving licence\n\n- your CBT1 card\n\n- your joining instructions\n\n- a fully taxed and roadworthy motorcycle with a power output of at least 20kW\n\n- a full-face safety helmet\n\nIf you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.\n\nYour assessment will be cancelled if you do not bring these.\n\nYou\u2019re allowed to bring relevant training aids and preparation material with you.\n\n## What the assessment involves\n\nThere are 3 main sessions in the direct access scheme (DAS) instructor assessment. You\u2019ll get a full explanation before the assessment starts.\n\n## Session 1 - theory\n\nThis session lasts around 15 minutes. The Driver and Vehicle Standards Agency (DVSA) assessor will play the role of a rider who:\n\n- has done their compulsory basic training (CBT) on a 125cc motorcycle\n\n- is new to riding larger and more powerful motorcycles\n\nYou have to show and tell them the main differences between large motorcycles and the smaller motorcycles used for CBT. You\u2019ll do this alongside the motorcycle.\n\n## Session 2 - on-site handling assessment\n\nIn this session of the assessment you\u2019ll be given the scenario of a rider who has:\n\n- already taken CBT\n\n- difficulties in the basic control of a large motorcycle when riding it on private land\n\nYou have to:\n\n- decide how to overcome the difficulties\n\n- give instruction to develop the rider\u2019s basic skills off-road\n\nThe scenario will include 2 of the following riding skills requiring attention:\n\n- moving off and stopping the bike\n\n- controlled braking\n\n- gear-changing\n\n- slow riding skills\n\n- slow controlled turning (similar to the \u2018figure of 8\u2019 exercise on CBT)\n\n## Session 3 - on-road assessments\n\nThis session of the assessment will last for around 1 hour 30 minutes. The assessor will play the part of a trainee.\n\nYou\u2019ll have to give 3 on-road lessons during this session.\n\nThe assessor will select the lessons from:\n\n- positioning in normal riding and dealing with bends\n\n- negotiating left and right turns at junctions\n\n- dealing with different types of crossroads\n\n- dealing with town centre riding\n\n- negotiating roundabouts\n\n- dealing with dual carriageways\n\n- dealing with other traffic safely when following behind and overtaking other vehicles\n\n- moving off from all positions\n\n- riding in areas with a national speed limit\n\n- joining and leaving dual carriageways and following behind other traffic\n\n- dealing with overtaking, meeting, filtering and leaving enough clearance to stationary vehicles\n\n- moving off, the emergency stop exercise, u-turn exercises (pushing and riding) and taking the motorcycle on and off the stand\n\n## During the on-road assessments\n\nDuring the ride you\u2019ll be expected to:\n\n- give any instruction you feel necessary\n\n- correct any riding faults that may occur\n\nYou can ask the trainee to pull up so that you can give face-to-face instruction or guidance.\n\n## Your assessment result\n\nYou\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.\n\nIt\u2019s your responsibility to tell your approved training body your result.\n\n## Passing the assessment\n\nIf you pass, fill in Form 4 to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a direct access scheme (DAS) certified instructor.\n\nYou\u2019ll have to give details of any motoring or non-motoring offences you\u2019ve got within the last 4 years on your application form. These will be taken into account when DVSA assesses your suitability to be authorised.\n\nYou are not allowed to conduct DAS courses until you\u2019ve got your registration certificate.\n\n## Failing the assessment\n\nYou\u2019ll be sent another DAS assessment application form if you do not pass so you can book again if you want to.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to the Driver and Vehicle Standards Agency (DVSA) to become a direct access scheme (DAS) certified instructor.

    ", + "

    All provisional licence holders training on a motorbike over 125cc and 11kW power output must be trained by a qualified DAS instructor.

    ", + "

    Rules for becoming a DAS instructor

    ", + "

    To become a DAS certified instructor you must have a driving licence from either:

    ", + "
  • Great Britain or Northern Ireland
  • ", + "
  • the EU or EEA - but you must register it\n first
  • ", + "

    You must also:

    ", + "
  • be 21 or over
  • ", + "
  • have had a full category A2 or A motorcycle licence for at least 3 years
  • ", + "
  • have passed the 2-day assessment to become a DVSA assessed compulsory basic training (CBT) instructor
  • ", + "

    You\u2019ll have to take a 2-day assessment at a DVSA training and development centre.

    ", + "

    When you qualify

    ", + "

    When you pass you\u2019ll be able to give DAS training.

    ", + "

    How to book your assessment

    ", + "

    The direct access scheme (DAS) instructor assessment lasts for half a day. You can book a:

    ", + "
  • morning assessment, which starts at 8:30am
  • ", + "
  • afternoon assessment, which starts at 1pm
  • ", + "

    Fill in the application form to book your assessment and send it to the address on the form. There\u2019s no charge for the assessment.

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.

    ", + "

    Your application will be valid for 6 months.

    ", + "

    If you cannot go to your assessment

    ", + "

    Tell DVSA by email if you cannot attend your assessment.

    ", + "

    You must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.

    ", + "

    Preparing for the assessment

    ", + "

    Study the training guidance before you take the assessment.

    ", + "

    Sign up for email alerts to be told when the guidance is updated.

    ", + "

    Other preparation

    ", + "

    You should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Learning to Ride
  • ", + "
  • Riding - the Essential Skills
  • ", + "
  • Theory Test for Motorcyclists
  • ", + "

    You can buy them from most high street and online book shops.

    ", + "

    What to bring to your assessment

    ", + "

    You need to bring:

    ", + "
  • your valid driving licence
  • ", + "
  • your CBT1 card
  • ", + "
  • your joining instructions
  • ", + "
  • a fully taxed and roadworthy motorcycle with a power output of at least 20kW
  • ", + "
  • a full-face safety helmet
  • ", + "

    If you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.

    ", + "

    Your assessment will be cancelled if you do not bring these.

    ", + "

    You\u2019re allowed to bring relevant training aids and preparation material with you.

    ", + "

    What the assessment involves

    ", + "

    There are 3 main sessions in the direct access scheme (DAS) instructor assessment. You\u2019ll get a full explanation before the assessment starts.

    ", + "

    Session 1 - theory

    ", + "

    This session lasts around 15 minutes. The Driver and Vehicle Standards Agency (DVSA) assessor will play the role of a rider who:

    ", + "
  • has done their compulsory basic training (CBT) on a 125cc motorcycle
  • ", + "
  • is new to riding larger and more powerful motorcycles
  • ", + "

    You have to show and tell them the main differences between large motorcycles and the smaller motorcycles used for CBT. You\u2019ll do this alongside the motorcycle.

    ", + "

    Session 2 - on-site handling assessment

    ", + "

    In this session of the assessment you\u2019ll be given the scenario of a rider who has:

    ", + "
  • already taken CBT
  • ", + "
  • difficulties in the basic control of a large motorcycle when riding it on private land
  • ", + "

    You have to:

    ", + "
  • decide how to overcome the difficulties
  • ", + "
  • give instruction to develop the rider\u2019s basic skills off-road
  • ", + "

    The scenario will include 2 of the following riding skills requiring attention:

    ", + "
  • moving off and stopping the bike
  • ", + "
  • controlled braking
  • ", + "
  • gear-changing
  • ", + "
  • slow riding skills
  • ", + "
  • slow controlled turning (similar to the \u2018figure of 8\u2019 exercise on CBT)
  • ", + "

    Session 3 - on-road assessments

    ", + "

    This session of the assessment will last for around 1 hour 30 minutes. The assessor will play the part of a trainee.

    ", + "

    You\u2019ll have to give 3 on-road lessons during this session.

    ", + "

    The assessor will select the lessons from:

    ", + "
  • positioning in normal riding and dealing with bends
  • ", + "
  • negotiating left and right turns at junctions
  • ", + "
  • dealing with different types of crossroads
  • ", + "
  • dealing with town centre riding
  • ", + "
  • negotiating roundabouts
  • ", + "
  • dealing with dual carriageways
  • ", + "
  • dealing with other traffic safely when following behind and overtaking other vehicles
  • ", + "
  • moving off from all positions
  • ", + "
  • riding in areas with a national speed limit
  • ", + "
  • joining and leaving dual carriageways and following behind other traffic
  • ", + "
  • dealing with overtaking, meeting, filtering and leaving enough clearance to stationary vehicles
  • ", + "
  • moving off, the emergency stop exercise, u-turn exercises (pushing and riding) and taking the motorcycle on and off the stand
  • ", + "

    During the on-road assessments

    ", + "

    During the ride you\u2019ll be expected to:

    ", + "
  • give any instruction you feel necessary
  • ", + "
  • correct any riding faults that may occur
  • ", + "

    You can ask the trainee to pull up so that you can give face-to-face instruction or guidance.

    ", + "

    Your assessment result

    ", + "

    You\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.

    ", + "

    It\u2019s your responsibility to tell your approved training body your result.

    ", + "

    Passing the assessment

    ", + "

    If you pass, fill in Form 4 to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a direct access scheme (DAS) certified instructor.

    ", + "

    You\u2019ll have to give details of any motoring or non-motoring offences you\u2019ve got within the last 4 years on your application form. These will be taken into account when DVSA assesses your suitability to be authorised.

    ", + "

    You are not allowed to conduct DAS courses until you\u2019ve got your registration certificate.

    ", + "

    Failing the assessment

    ", + "

    You\u2019ll be sent another DAS assessment application form if you do not pass so you can book again if you want to.

    " + ] + }, + "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer": { + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "title": "DVSA enhanced rider scheme trainer", + "content": "## Overview\n\nYou can become a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer if you want to train fully qualified motorcyclists in the DVSA enhanced rider scheme.\n\nThis is the new name for the register of post-test motorcycle trainers (RPMT).\n\nThe scheme provides training for people who:\n\n- have recently passed their motorcycle test\n\n- are upgrading to a bigger bike\n\n- are returning to riding after a break\n\n- want to improve their skills to be a better, safer rider\n\nWhen you qualify, your details will be given to motorcyclists looking for training.\n\n## Who can become a trainer\n\nTo become a DVSA enhanced rider scheme trainer you must:\n\n- be 21 or older\n\n- have had a full category A or A2 motorcycle licence for at least 3 years\n\n## Trainer test and registration fees\n\n| Fee type | Price |\n\n| Theory test | \u00a366 |\n\n| Registration and renewal fee (1 year) | \u00a390 |\n\n| Registration and renewal fee (4 years) | \u00a3240 |\n\n## Ways to become a trainer\n\n- Apply to become a DVSA enhanced rider scheme trainer.\n\n- Get an advanced riding qualification if you do not already have one.\n\n- Pass a theory test.\n\n- If you\u2019re not a direct access scheme (DAS) certified instructor, you also need to take a training course accredited by DVSA.\n\nYou must complete the training course within 2 years of passing the theory test, or you\u2019ll have to start the process again.\n\n## Advanced riding qualifications\n\nThe advanced riding qualifications that are accepted are:\n\n- BMF Blue Riband rider award (gold or silver grade)\n\n- DVSA special test (gold or silver grade)\n\n- IAM Advanced Rider Course\n\n- RoSPA advanced riding test (gold or silver grade)\n\n- Diamond advanced motorcycle test or Diamond elite motorcycle test (if taken after 1 January 2017)\n\n## Taking the theory test\n\nYou can book your instructor theory test when the Driver and Vehicle Standards Agency (DVSA) has accepted your application to join the register.\n\nThere are 2 parts to the test - multiple-choice questions and hazard perception. You have to pass both parts.\n\nYou have 3 attempts to pass the test. If you fail the third attempt, you have to wait 12 months before you can take it again.\n\n## Documents to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right documents with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## Multiple-choice questions\n\nYou have 1 hour and 30 minutes to answer 100 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions\n\n## How the questions work\n\nThere are 25 questions in each of these 4 categories:\n\n- rider practices and procedures, road and traffic signs, and motorway riding\n\n- rider responsibilities, rider attitude, riders and the law, and environmental issues\n\n- motorcycle and rider safety, motorcycle dynamics and handling, and dealing with incidents\n\n- development and training, instructional and coaching techniques, and hazard perception\n\nTo pass the multiple-choice part, you must get both:\n\n- an overall score of at least 85 out of 100\n\n- at least 20 out of 25 in each of the 4 categories of questions\n\n## Hazard perception\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips featuring everyday road scenes. These will contain at least one \u2018developing hazard\u2019.\n\nYou can score up to 5 points for each developing hazard. You need to score at least 57 points out of 75 to pass this part.\n\n## Managing your registration\n\nYou must carry your Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer certificate with you whenever you are giving training.\n\n## Renewing your registration\n\nYour registration lasts for either 1 year or 4 years. The registration and renewal fee is:\n\n- \u00a390 for 1 year\n\n- \u00a3240 for 4 years\n\nYou should apply to renew your registration at least 2 weeks before your current registration runs out.\n\nYou\u2019re responsible for remembering when to renew your registration.\n\nTo renew, download the application form and send it to DVSA.\n\n## If your registration expired in the last 12 months\n\nYou can re-register using the same form. You will not have to go through the qualifying process again.\n\n## Standards checks and monitoring\n\nYou must take a standards check to make sure you can continue to be a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer. DVSA will contact you to arrange this.\n\nA DVSA examiner will watch you train a pupil to assess your training skills.\n\nHow you\u2019re checked depends on whether you\u2019re a direct access scheme (DAS) certified instructor.\n\n## If you\u2019re a DAS instructor\n\nYour standards check will be based on a DVSA enhanced rider scheme lesson.\n\nYou must score 43 or more out of 51 to continue being an enhanced rider scheme trainer.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer.\n\n## If you cannot carry out a lesson because there\u2019s no pupil available\n\nThe DVSA examiner will carry out a motorcycle trainer standards check while you provide compulsory basic training (CBT). You need to score 43 or above to pass.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer, and will need to restart the qualification process. You can also be removed from the CBT instructor register.\n\n## If you\u2019re not a DAS instructor\n\nYou must take a standards check within the first year of qualifying as a DVSA enhanced rider scheme trainer. DVSA will contact you to arrange this.\n\nYour standards check will be based on a DVSA enhanced rider scheme lesson.\n\nYou must score 43 or more out of 51 to pass.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as a trainer.\n\nIf this happens and you want to continue as a trainer, you\u2019ll need to:\n\n- have an up to date recognised advanced rider qualification\n\n- pass another theory test\n\n- take additional training at an approved enhanced rider scheme trainer centre and provide proof of the development you\u2019ve taken\n\n## Documents to record training\n\nThe Driver and Vehicle Standards Agency (DVSA) will email you the following documents when you first qualify:\n\n- DVSA enhanced rider scheme syllabus and list of modules\n\n- rider\u2019s log book\n\n- details of how to issue the DVSA certificate of competence\n\nUse these to provide and record training, and to issue certificates to riders who complete the DVSA enhanced rider scheme.\n\nYou\u2019ll also be sent leaflets and posters you can use to advertise the DVSA enhanced rider scheme.\n\n## If you lose your documents\n\nContact DVSA to get the documents sent again.", + "original_contents": [ + "

    Overview

    ", + "

    You can become a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer if you want to train fully qualified motorcyclists in the DVSA enhanced rider scheme.

    ", + "

    This is the new name for the register of post-test motorcycle trainers (RPMT).

    ", + "

    The scheme provides training for people who:

    ", + "
  • have recently passed their motorcycle test
  • ", + "
  • are upgrading to a bigger bike
  • ", + "
  • are returning to riding after a break
  • ", + "
  • want to improve their skills to be a better, safer rider
  • ", + "

    When you qualify, your details will be given to motorcyclists looking for training.

    ", + "

    Who can become a trainer

    ", + "

    To become a DVSA enhanced rider scheme trainer you must:

    ", + "
  • be 21 or older
  • ", + "
  • have had a full category A or A2 motorcycle licence for at least 3 years
  • ", + "

    Trainer test and registration fees

    ", + "Fee type | Price", + "Theory test | \u00a366", + "Registration and renewal fee (1 year) | \u00a390", + "Registration and renewal fee (4 years) | \u00a3240", + "

    Ways to become a trainer

    ", + "
  • Apply to become a DVSA enhanced rider scheme trainer.
  • ", + "
  • Get an advanced riding qualification if you do not already have one.
  • ", + "
  • Pass a theory test.
  • ", + "
  • If you\u2019re not a direct access scheme (DAS) certified instructor, you also need to take a training course accredited by DVSA.
  • ", + "

    You must complete the training course within 2 years of passing the theory test, or you\u2019ll have to start the process again.

    ", + "

    Advanced riding qualifications

    ", + "

    The advanced riding qualifications that are accepted are:

    ", + "
  • BMF Blue Riband rider award (gold or silver grade)
  • ", + "
  • DVSA special test (gold or silver grade)
  • ", + "
  • IAM Advanced Rider Course
  • ", + "
  • RoSPA advanced riding test (gold or silver grade)
  • ", + "
  • Diamond advanced motorcycle test or Diamond elite motorcycle test (if taken after 1 January 2017)
  • ", + "

    Taking the theory test

    ", + "

    You can book your instructor theory test when the Driver and Vehicle Standards Agency (DVSA) has accepted your application to join the register.

    ", + "

    There are 2 parts to the test - multiple-choice questions and hazard perception. You have to pass both parts.

    ", + "

    You have 3 attempts to pass the test. If you fail the third attempt, you have to wait 12 months before you can take it again.

    ", + "

    Documents to take to your test

    ", + "

    You must take your UK photocard driving licence to your test.

    ", + "

    If you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.

    ", + "

    If you have a paper licence

    ", + "

    Bring a valid passport as well as your paper licence.

    ", + "

    If you do not have a passport, you need to get a photocard licence.

    ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right documents with you.

    ", + "

    Wearing a face covering at your test

    ", + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • ", + "

    Wearing glasses does not count as a good reason.

    ", + "

    You need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.

    ", + "

    If you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.

    ", + "

    Multiple-choice questions

    ", + "

    You have 1 hour and 30 minutes to answer 100 multiple-choice questions.

    ", + "

    Before the test starts you\u2019ll get:

    ", + "
  • instructions on how the test works
  • ", + "
  • the chance to do some practice questions
  • ", + "

    How the questions work

    ", + "

    There are 25 questions in each of these 4 categories:

    ", + "
  • rider practices and procedures, road and traffic signs, and motorway riding
  • ", + "
  • rider responsibilities, rider attitude, riders and the law, and environmental issues
  • ", + "
  • motorcycle and rider safety, motorcycle dynamics and handling, and dealing with incidents
  • ", + "
  • development and training, instructional and coaching techniques, and hazard perception
  • ", + "

    To pass the multiple-choice part, you must get both:

    ", + "
  • an overall score of at least 85 out of 100
  • ", + "
  • at least 20 out of 25 in each of the 4 categories of questions
  • ", + "

    Hazard perception

    ", + "

    Before you start the hazard perception test, you\u2019ll be shown a video about how it works.

    ", + "

    You\u2019ll then watch 14 video clips featuring everyday road scenes. These will contain at least one \u2018developing hazard\u2019.

    ", + "

    You can score up to 5 points for each developing hazard. You need to score at least 57 points out of 75 to pass this part.

    ", + "

    Managing your registration

    ", + "

    You must carry your Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer certificate with you whenever you are giving training.

    ", + "

    Renewing your registration

    ", + "

    Your registration lasts for either 1 year or 4 years. The registration and renewal fee is:

    ", + "
  • \u00a390 for 1 year
  • ", + "
  • \u00a3240 for 4 years
  • ", + "

    You should apply to renew your registration at least 2 weeks before your current registration runs out.

    ", + "

    You\u2019re responsible for remembering when to renew your registration.

    ", + "

    To renew, download the application form and send it to DVSA.

    ", + "

    If your registration expired in the last 12 months

    ", + "

    You can re-register using the same form. You will not have to go through the qualifying process again.

    ", + "

    Standards checks and monitoring

    ", + "

    You must take a standards check to make sure you can continue to be a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer. DVSA will contact you to arrange this.

    ", + "

    A DVSA examiner will watch you train a pupil to assess your training skills.

    ", + "

    How you\u2019re checked depends on whether you\u2019re a direct access scheme (DAS) certified instructor.

    ", + "

    If you\u2019re a DAS instructor

    ", + "

    Your standards check will be based on a DVSA enhanced rider scheme lesson.

    ", + "

    You must score 43 or more out of 51 to continue being an enhanced rider scheme trainer.

    ", + "

    If you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer.

    ", + "

    If you cannot carry out a lesson because there\u2019s no pupil available

    ", + "

    The DVSA examiner will carry out a motorcycle trainer standards check while you provide compulsory basic training (CBT). You need to score 43 or above to pass.

    ", + "

    If you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer, and will need to restart the qualification process. You can also be removed from the CBT instructor register.

    ", + "

    If you\u2019re not a DAS instructor

    ", + "

    You must take a standards check within the first year of qualifying as a DVSA enhanced rider scheme trainer. DVSA will contact you to arrange this.

    ", + "

    Your standards check will be based on a DVSA enhanced rider scheme lesson.

    ", + "

    You must score 43 or more out of 51 to pass.

    ", + "

    If you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as a trainer.

    ", + "

    If this happens and you want to continue as a trainer, you\u2019ll need to:

    ", + "
  • have an up to date recognised advanced rider qualification
  • ", + "
  • pass another theory test
  • ", + "
  • take additional training at an approved enhanced rider scheme trainer centre and provide proof of the development you\u2019ve taken
  • ", + "

    Documents to record training

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will email you the following documents when you first qualify:

    ", + "
  • DVSA enhanced rider scheme syllabus and list of modules
  • ", + "
  • rider\u2019s log book
  • ", + "
  • details of how to issue the DVSA certificate of competence
  • ", + "

    Use these to provide and record training, and to issue certificates to riders who complete the DVSA enhanced rider scheme.

    ", + "

    You\u2019ll also be sent leaflets and posters you can use to advertise the DVSA enhanced rider scheme.

    ", + "

    If you lose your documents

    ", + "

    Contact DVSA to get the documents sent again.

    " + ] + }, + "https://www.gov.uk/motorcycle-trainer-standards-check": { + "url": "https://www.gov.uk/motorcycle-trainer-standards-check", + "title": "Motorcycle trainer standards check", + "content": "## When you have to take the standards check\n\nThe motorcycle trainer standards check assesses your ability to teach pupils on a compulsory basic training (CBT) course.\n\nYou should take at least one standards check during each 4-year period that you\u2019re registered as a motorcycle trainer. You do not have to pay for the check.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact the training body where you work to arrange a date and time for your standards check.\n\nYou can be removed from the motorcycle trainer register if you keep missing your standards check.\n\nThere are different rules for taking a standards check in Northern Ireland.\n\n## What happens at the standards check\n\nThe check will take place at your motorcycle training body.\n\nA Driver and Vehicle Standards Agency (DVSA) examiner will watch you train a pupil (or a group of pupils) in a normal compulsory basic training (CBT) lesson.\n\nThe lesson must include practical riding (elements C or E of the CBT syllabus). It can also include theoretical training and a pre-ride briefing (elements A, B or D).\n\n## What you need to bring to the check\n\nFor the check you need:\n\n- your motorcycle registration certificate\n\n- a motorcycle that you can ride on roads, for example it must have up to date vehicle tax and an MOT certificate\n\n- at least one pupil\n\nYour mentor and training body authority holder cannot take part in the lesson.\n\n## What you\u2019ll be marked on\n\nThe examiner will look for evidence that you meet the national standard for driver and rider training.\n\nThey\u2019ll follow guidance for carrying out the check and mark you on 17 areas of competence that are grouped into 3 categories:\n\n- lesson planning\n\n- risk management\n\n- teaching and learning skills\n\nThe 17 areas of competence are listed in the motorcycle trainer standards check form, which the examiner will fill in during your check.\n\nYou\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to give a total score.\n\n## Your standards check result\n\nAfter you give the lesson, the examiner will discuss your performance and give you the result. This will take about 15 minutes.\n\nYou can invite your mentor or the training body authority holder to join you during this discussion.\n\nYou\u2019ll be sent your completed standards check form by email.\n\n| Total score | Result | Description |\n\n| 0 to 30 | Fail | Your performance is unsatisfactory |\n\n| 31 to 42 | Pass | Your performance is satisfactory |\n\n| 43 to 51 | Pass | You\u2019ve shown a high standard of instruction |\n\n## Faults which mean you automatically fail\n\nYou\u2019ll automatically fail if:\n\n- you get a score of 7 or less in the \u2018risk management\u2019 category\n\n- the examiner stops the lesson because you\u2019ve put yourself or someone else in danger\n\n- you did not follow the compulsory basic training (CBT) syllabus\n\n- you incorrectly assessed a pupil\u2019s road riding, for example you gave them a CBT completion certificate but they should not have passed\n\n## If you fail the standards check\n\nYou have up to 2 more attempts to pass the standards check.\n\nIf you fail 3 times:\n\n- you\u2019ll be removed from the motorcycle trainer register\n\n- you\u2019ll have to retake the motorcycle trainer qualifying tests to join the register again", + "original_contents": [ + "

    When you have to take the standards check

    ", + "

    The motorcycle trainer standards check assesses your ability to teach pupils on a compulsory basic training (CBT) course.

    ", + "

    You should take at least one standards check during each 4-year period that you\u2019re registered as a motorcycle trainer. You do not have to pay for the check.

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will contact the training body where you work to arrange a date and time for your standards check.

    ", + "

    You can be removed from the motorcycle trainer register if you keep missing your standards check.

    ", + "

    There are different rules for taking a standards check in Northern Ireland.

    ", + "

    What happens at the standards check

    ", + "

    The check will take place at your motorcycle training body.

    ", + "

    A Driver and Vehicle Standards Agency (DVSA) examiner will watch you train a pupil (or a group of pupils) in a normal compulsory basic training (CBT) lesson.

    ", + "

    The lesson must include practical riding (elements C or E of the CBT syllabus). It can also include theoretical training and a pre-ride briefing (elements A, B or D).

    ", + "

    What you need to bring to the check

    ", + "

    For the check you need:

    ", + "
  • your motorcycle registration certificate
  • ", + "
  • a motorcycle that you can ride on roads, for example it must have up to date vehicle tax and an MOT certificate
  • ", + "
  • at least one pupil
  • ", + "

    Your mentor and training body authority holder cannot take part in the lesson.

    ", + "

    What you\u2019ll be marked on

    ", + "

    The examiner will look for evidence that you meet the national standard for driver and rider training.

    ", + "

    They\u2019ll follow guidance for carrying out the check and mark you on 17 areas of competence that are grouped into 3 categories:

    ", + "
  • lesson planning
  • ", + "
  • risk management
  • ", + "
  • teaching and learning skills
  • ", + "

    The 17 areas of competence are listed in the motorcycle trainer standards check form, which the examiner will fill in during your check.

    ", + "

    You\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to give a total score.

    ", + "

    Your standards check result

    ", + "

    After you give the lesson, the examiner will discuss your performance and give you the result. This will take about 15 minutes.

    ", + "

    You can invite your mentor or the training body authority holder to join you during this discussion.

    ", + "

    You\u2019ll be sent your completed standards check form by email.

    ", + "Total score | Result | Description", + "0 to 30 | Fail | Your performance is unsatisfactory", + "31 to 42 | Pass | Your performance is satisfactory", + "43 to 51 | Pass | You\u2019ve shown a high standard of instruction", + "

    Faults which mean you automatically fail

    ", + "

    You\u2019ll automatically fail if:

    ", + "
  • you get a score of 7 or less in the \u2018risk management\u2019 category
  • ", + "
  • the examiner stops the lesson because you\u2019ve put yourself or someone else in danger
  • ", + "
  • you did not follow the compulsory basic training (CBT) syllabus
  • ", + "
  • you incorrectly assessed a pupil\u2019s road riding, for example you gave them a CBT completion certificate but they should not have passed
  • ", + "

    If you fail the standards check

    ", + "

    You have up to 2 more attempts to pass the standards check.

    ", + "

    If you fail 3 times:

    ", + "
  • you\u2019ll be removed from the motorcycle trainer register
  • ", + "
  • you\u2019ll have to retake the motorcycle trainer qualifying tests to join the register again
  • " + ] + }, + "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb": { + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "title": "Set up and run a motorcycle approved training body (ATB)", + "content": "## Overview\n\nYou must be an approved training body (ATB) with the Driver and Vehicle Standards Agency (DVSA) to provide:\n\n- compulsory basic training (CBT) for learner motorcyclists\n\n- direct access scheme (DAS) training to riders learning to ride a large motorcycle\n\nCBT and DAS training must be given by instructors certified by DVSA working for your approved training body.\n\nThe sites you use to provide training from must also be approved by DVSA.\n\nThe process is different Northern Ireland.\n\n## Rules for being an ATB\n\nYou must meet certain rules to be an approved training body (ATB).\n\n## \u2018Fit and proper\u2019\n\nYou must be a \u2018fit and proper\u2019 person to run the ATB.\n\nWhen deciding if you\u2019re a \u2018fit and proper\u2019 person, DVSA will look at if you have:\n\n- had any convictions in the last 4 years\n\n- any motoring convictions\n\n- been disqualified from driving\n\n- any penalty points on your licence\n\n- any court proceedings pending against you\n\n## Training\n\nYou must provide compulsory basic training (CBT) as an ATB. Any CBT and direct access scheme (DAS) courses you provide must meet the legal requirements.\n\nThe CBT syllabus and guidance notes gives full details on what must be provided.\n\nAn instructor is only allowed to supervise up to 2 trainees during on-road tuition.\n\nYour instructors must be in radio contact with all trainees at all times during on-road tuition.\n\n## Training sites\n\nYou must have the use of a suitable site or sites for training in the off-road parts of the CBT course.\n\nThese sites must be authorised by DVSA before they\u2019re used.\n\n## Instructors\n\nYou must make sure that all your instructors have a valid instructor certificate for the type of training they give. This must show the name of your ATB.\n\nAt least 1 of your instructors must have successfully completed DVSA\u2019s assessment course for motorcycle training.\n\nDVSA-assessed instructors are allowed to train other people that you want to appoint as instructors - this is known as \u2018down-training\u2019.\n\nYou should have at least 1 DVSA-assessed instructor for every 10 instructors that have been down-trained.\n\n## Monitoring\n\nYou should send all required information about the courses you provide to DVSA including:\n\n- reporting any incidents\n\n- dates when you\u2019re providing CBT courses\n\n- the CBT certificates of completion you issue\n\nThe ATB manual gives more details about what you have to send.\n\n## Apply to become an ATB\n\nTo apply to register an approved training body (ATB), download these 3 application forms, and send them to DVSA:\n\n- \u2018Application to provide compulsory basic training (CBT) courses\u2019\n\n- \u2018Compulsory basic training (CBT) site application form\u2019\n\n- \u2018Application to be authorised as a certified motorcycle instructor\u2019\n\nIt takes up to 8 weeks to process an application. This includes the time to inspect the site to be used for the off-road elements of compulsory basic training.\n\n## Apply for CBT site authorisation\n\nAll the sites you intend to use for the practical training and riding elements of the compulsory basic training (CBT) course must be authorised by DVSA.\n\nYou can\u2019t use a site until you\u2019ve got authorisation from DVSA.\n\nDownload the compulsory basic training site application form to apply for authorisation.\n\nSend the completed form to DVSA. You\u2019ll also need to include a draft plan of the intended site, eg an annotated satellite image.\n\n## Site inspection\n\nDVSA will:\n\n- inspect the site\n\n- send a site report to you\n\n- send a unique site code to you if the site is suitable\n\nThe site report will explain any rules set by DVSA. This will include how many trainees are allowed on the site.\n\nYou should make sure all your instructors are aware of these details.\n\n## Changes to authorised sites\n\nYou must tell DVSA straight away if a site is altered or added to.\n\nDownload the compulsory basic training site application form and send it to DVSA.\n\nYou\u2019ll also need to include:\n\n- a draft plan showing any changes to the original authorised site\n\n- a permission letter signed by the site owner\n\nThe site\u2019s authorisation can be removed if it has become unsuitable.\n\n## Stopping using a site\n\nYou must tell DVSA straight away if you stop using a site for CBT.\n\nYou can email DVSA - you\u2019ll need to include your approved training body number and the site\u2019s unique code.\n\n## Providing the CBT course\n\nThe compulsory basic training (CBT) course is made up of 5 parts.\n\nThe course syllabus and the order in which the parts must be delivered is set out in law.\n\n## CBT certificate of completion\n\nYou must give trainees a CBT certificate of completion (DL196) when they reach the required standard.\n\nThe certificate must be completed and signed by the instructor, usually the one who conducted part E of the CBT course.\n\nThe name and address of your approved training body (ATB) should be included on the certificate.\n\n## Ordering DL196 certificates\n\nYou can buy books of DL196 certificates online from DVSA.\n\nEach book contains 25 certificates and costs \u00a3200.\n\n## How your ATB is monitored\n\nDVSA monitors the standard of instruction given by:\n\n- approved training bodies (ATBs)\n\n- instructors delivering compulsory basic training (CBT) courses\n\nYou must make your instructors available for regular standards checks.\n\nYou should tell your local DVSA CBT manager the dates and times when your ATB will be running CBT courses.\n\n## After an assessment\n\nYou\u2019ll get a letter of confirmation and report from DVSA after an assessment visit if the training delivered meets the required standard.\n\nDVSA can conduct more assessments if:\n\n- the training falls short of the required standard\n\n- there are breaches of regulations\n\n- there are reports of failure to follow the conditions of appointment\n\nDVSA will consider withdrawing an instructor\u2019s authority to deliver courses if they fail to achieve the required standard during the subsequent assessments.\n\nDVSA can withdraw your ATB\u2019s authorisation to deliver training courses if assessments show that it doesn\u2019t consistently provide full and proper CBT courses.\n\n## Disagreeing with DVSA\u2019s decision\n\nYou can appeal to DVSA if you or an instructor disagrees with DVSA\u2019s decision to withdraw their authority.\n\n## Documents for ATBs\n\nDVSA produces the following documents for approved training bodies (ATBs).\n\n## ATB manual\n\nThe ATB manual gives more details about the rules and processes you should follow when you\u2019re running an ATB.\n\n## Safe and Responsible Riding\n\nThe \u2018National standard for riding mopeds and motorcycles\u2019 sets out the skills, knowledge and understanding that learners need to prove they\u2019re safe and responsible riders.\n\n## Compulsory basic training (CBT) syllabus and guidance notes\n\nThe CBT syllabus and guidance notes sets out what trainers need to do and what learners need to understand when taking the course.\n\n## Direct access scheme (DAS) motorcycle training guidance\n\nThe DAS motorcycle training guidance sets out what trainers need to do and what learners need to understand when taking the course.\n\nChanges to the CBT syllabus and guidance notes\n\nYou can keep up to date with new versions if you sign up for DVSA email alerts.", + "original_contents": [ + "

    Overview

    ", + "

    You must be an approved training body (ATB) with the Driver and Vehicle Standards Agency (DVSA) to provide:

    ", + "
  • compulsory basic training (CBT) for learner motorcyclists
  • ", + "
  • direct access scheme (DAS) training to riders learning to ride a large motorcycle
  • ", + "

    CBT and DAS training must be given by instructors certified by DVSA working for your approved training body.

    ", + "

    The sites you use to provide training from must also be approved by DVSA.

    ", + "

    The process is different Northern Ireland.

    ", + "

    Rules for being an ATB

    ", + "

    You must meet certain rules to be an approved training body (ATB).

    ", + "

    \u2018Fit and proper\u2019

    ", + "

    You must be a \u2018fit and proper\u2019 person to run the ATB.

    ", + "

    When deciding if you\u2019re a \u2018fit and proper\u2019 person, DVSA will look at if you have:

    ", + "
  • had any convictions in the last 4 years
  • ", + "
  • any motoring convictions
  • ", + "
  • been disqualified from driving
  • ", + "
  • any penalty points on your licence
  • ", + "
  • any court proceedings pending against you
  • ", + "

    Training

    ", + "

    You must provide compulsory basic training (CBT) as an ATB. Any CBT and direct access scheme (DAS) courses you provide must meet the legal requirements.

    ", + "

    The CBT syllabus and guidance notes gives full details on what must be provided.

    ", + "

    An instructor is only allowed to supervise up to 2 trainees during on-road tuition.

    ", + "

    Your instructors must be in radio contact with all trainees at all times during on-road tuition.

    ", + "

    Training sites

    ", + "

    You must have the use of a suitable site or sites for training in the off-road parts of the CBT course.

    ", + "

    These sites must be authorised by DVSA before they\u2019re used.

    ", + "

    Instructors

    ", + "

    You must make sure that all your instructors have a valid instructor certificate for the type of training they give. This must show the name of your ATB.

    ", + "

    At least 1 of your instructors must have successfully completed DVSA\u2019s assessment course for motorcycle training.

    ", + "

    DVSA-assessed instructors are allowed to train other people that you want to appoint as instructors - this is known as \u2018down-training\u2019.

    ", + "

    You should have at least 1 DVSA-assessed instructor for every 10 instructors that have been down-trained.

    ", + "

    Monitoring

    ", + "

    You should send all required information about the courses you provide to DVSA including:

    ", + "
  • reporting any incidents
  • ", + "
  • dates when you\u2019re providing CBT courses
  • ", + "
  • the CBT certificates of completion you issue
  • ", + "

    The ATB manual gives more details about what you have to send.

    ", + "

    Apply to become an ATB

    ", + "

    To apply to register an approved training body (ATB), download these 3 application forms, and send them to DVSA:

    ", + "
  • \u2018Application to provide compulsory basic training (CBT) courses\u2019
  • ", + "
  • \u2018Compulsory basic training (CBT) site application form\u2019
  • ", + "
  • \u2018Application to be authorised as a certified motorcycle instructor\u2019
  • ", + "

    It takes up to 8 weeks to process an application. This includes the time to inspect the site to be used for the off-road elements of compulsory basic training.

    ", + "

    Apply for CBT site authorisation

    ", + "

    All the sites you intend to use for the practical training and riding elements of the compulsory basic training (CBT) course must be authorised by DVSA.

    ", + "

    You can\u2019t use a site until you\u2019ve got authorisation from DVSA.

    ", + "

    Download the compulsory basic training site application form to apply for authorisation.

    ", + "

    Send the completed form to DVSA. You\u2019ll also need to include a draft plan of the intended site, eg an annotated satellite image.

    ", + "

    Site inspection

    ", + "

    DVSA will:

    ", + "
  • inspect the site
  • ", + "
  • send a site report to you
  • ", + "
  • send a unique site code to you if the site is suitable
  • ", + "

    The site report will explain any rules set by DVSA. This will include how many trainees are allowed on the site.

    ", + "

    You should make sure all your instructors are aware of these details.

    ", + "

    Changes to authorised sites

    ", + "

    You must tell DVSA straight away if a site is altered or added to.

    ", + "

    Download the compulsory basic training site application form and send it to DVSA.

    ", + "

    You\u2019ll also need to include:

    ", + "
  • a draft plan showing any changes to the original authorised site
  • ", + "
  • a permission letter signed by the site owner
  • ", + "

    The site\u2019s authorisation can be removed if it has become unsuitable.

    ", + "

    Stopping using a site

    ", + "

    You must tell DVSA straight away if you stop using a site for CBT.

    ", + "

    You can email DVSA - you\u2019ll need to include your approved training body number and the site\u2019s unique code.

    ", + "

    Providing the CBT course

    ", + "

    The compulsory basic training (CBT) course is made up of 5 parts.

    ", + "

    The course syllabus and the order in which the parts must be delivered is set out in law.

    ", + "

    CBT certificate of completion

    ", + "

    You must give trainees a CBT certificate of completion (DL196) when they reach the required standard.

    ", + "

    The certificate must be completed and signed by the instructor, usually the one who conducted part E of the CBT course.

    ", + "

    The name and address of your approved training body (ATB) should be included on the certificate.

    ", + "

    Ordering DL196 certificates

    ", + "

    You can buy books of DL196 certificates online from DVSA.

    ", + "

    Each book contains 25 certificates and costs \u00a3200.

    ", + "

    How your ATB is monitored

    ", + "

    DVSA monitors the standard of instruction given by:

    ", + "
  • approved training bodies (ATBs)
  • ", + "
  • instructors delivering compulsory basic training (CBT) courses
  • ", + "

    You must make your instructors available for regular standards checks.

    ", + "

    You should tell your local DVSA CBT manager the dates and times when your ATB will be running CBT courses.

    ", + "

    After an assessment

    ", + "

    You\u2019ll get a letter of confirmation and report from DVSA after an assessment visit if the training delivered meets the required standard.

    ", + "

    DVSA can conduct more assessments if:

    ", + "
  • the training falls short of the required standard
  • ", + "
  • there are breaches of regulations
  • ", + "
  • there are reports of failure to follow the conditions of appointment
  • ", + "

    DVSA will consider withdrawing an instructor\u2019s authority to deliver courses if they fail to achieve the required standard during the subsequent assessments.

    ", + "

    DVSA can withdraw your ATB\u2019s authorisation to deliver training courses if assessments show that it doesn\u2019t consistently provide full and proper CBT courses.

    ", + "

    Disagreeing with DVSA\u2019s decision

    ", + "

    You can appeal to DVSA if you or an instructor disagrees with DVSA\u2019s decision to withdraw their authority.

    ", + "

    Documents for ATBs

    ", + "

    DVSA produces the following documents for approved training bodies (ATBs).

    ", + "

    ATB manual

    ", + "

    The ATB manual gives more details about the rules and processes you should follow when you\u2019re running an ATB.

    ", + "

    Safe and Responsible Riding

    ", + "

    The \u2018National standard for riding mopeds and motorcycles\u2019 sets out the skills, knowledge and understanding that learners need to prove they\u2019re safe and responsible riders.

    ", + "

    Compulsory basic training (CBT) syllabus and guidance notes

    ", + "

    The CBT syllabus and guidance notes sets out what trainers need to do and what learners need to understand when taking the course.

    ", + "

    Direct access scheme (DAS) motorcycle training guidance

    ", + "

    The DAS motorcycle training guidance sets out what trainers need to do and what learners need to understand when taking the course.

    ", + "

    Changes to the CBT syllabus and guidance notes

    ", + "

    You can keep up to date with new versions if you sign up for DVSA email alerts.

    " + ] + }, + "https://www.gov.uk/become-a-fleet-driver-trainer": { + "url": "https://www.gov.uk/become-a-fleet-driver-trainer", + "title": "Become a fleet driver trainer", + "content": "## How to qualify as a fleet driver trainer\n\nYou can apply to join the voluntary register of fleet driver trainers if you specialise in training fully qualified drivers of fleets of cars and vans.\n\nYou must be an approved driving instructor to join the register.\n\nYou\u2019ll have to take a training course accredited by DVSA to qualify as a fleet driver trainer.\n\nYou must join the register within 1 year of completing the course.\n\n## When you\u2019ve qualified\n\nWhen you\u2019ve qualified and joined the register:\n\n- your details will be given to people looking for fleet driver training\n\n- you can advertise yourself as a \u2018Driver and Vehicle Standards Agency registered fleet driver trainer\u2019\n\nYour registration as a fleet driver trainer will last for 4 years.\n\n## Apply to become a fleet driver trainer\n\nTo apply, download and fill in the application form and send it to the Driver and Vehicle Standards Agency (DVSA).\n\n## Training course already done\n\nYou can send the form to DVSA if you\u2019ve already done an accredited training course. You\u2019ll need to include:\n\n- the registration fee of \u00a3120\n\n- your driving licence number if you have a photocard driving licence, or a passport-style photo if you have an old-style paper licence\n\n- a copy of your course certificate\n\nYou must have done the course within the last year.\n\n## Managing your registration\n\nYour registration will last for 4 years from when you join the register.\n\nYou\u2019re responsible for remembering when your registration runs out and renewing it.\n\nTo renew your registration, download and fill in the application form and send it to the Driver and Vehicle Standards Agency (DVSA) with the fee of \u00a3120 and a passport-style photo.\n\nYou can re-join the register without having to qualify again within 12 months of your registration running out.\n\n## Replace a certificate\n\nYou should write to DVSA if your registration certificate is lost, stolen or destroyed.\n\nYou can get a new certificate by sending a passport-style photo to DVSA and paying \u00a33.60.\n\n## Advertising your services\n\nYou\u2019ll be able to advertise yourself as a \u2018DVSA registered fleet driver trainer\u2019. You can also apply to use the official DVSA logo.\n\n## Taking standards checks\n\nYou have to take regular standards checks as an approved driving instructor (ADI). This assesses your continuing ability to instruct someone with a provisional or full driving licence.\n\nYou don\u2019t have to take a separate check to stay on the fleet driver trainer register.\n\n## How the test works\n\nStandards checks are based on the examiner observing a normal lesson which should last for around an hour. After the lesson you should allow at least 15 minutes for the debrief.\n\nYou can bring a learner driver or a full licence holder who can be:\n\n- a driver you haven\u2019t assessed\n\n- a driver you have assessed\n\n## A driver you haven\u2019t assessed\n\nYou can bring a driver you haven\u2019t assessed and:\n\n- give a presentation on occupational risk\n\n- introduce them to the training vehicle, covering safety checks\n\n- do a driver assessment and profile to establish their main risk areas and provide the necessary coaching\n\n## A driver you have assessed\n\nYou can bring a driver you\u2019ve already assessed. You\u2019ll need to tell the examiner what main risk areas you intend to provide coaching for during the standards check.\n\n## Your standards check result\n\nYou\u2019ll get a grade at the end of your standards check. This works the same as a normal ADI standards check.\n\n## Being removed from the register\n\nYou\u2019ll be removed from both the ADI register and the register of fleet drivers if you:\n\n- fail the standards check\n\n- don\u2019t attend your standards check appointment", + "original_contents": [ + "

    How to qualify as a fleet driver trainer

    ", + "

    You can apply to join the voluntary register of fleet driver trainers if you specialise in training fully qualified drivers of fleets of cars and vans.

    ", + "

    You must be an approved driving instructor to join the register.

    ", + "

    You\u2019ll have to take a training course accredited by DVSA to qualify as a fleet driver trainer.

    ", + "

    You must join the register within 1 year of completing the course.

    ", + "

    When you\u2019ve qualified

    ", + "

    When you\u2019ve qualified and joined the register:

    ", + "
  • your details will be given to people looking for fleet driver training
  • ", + "
  • you can advertise yourself as a \u2018Driver and Vehicle Standards Agency registered fleet driver trainer\u2019
  • ", + "

    Your registration as a fleet driver trainer will last for 4 years.

    ", + "

    Apply to become a fleet driver trainer

    ", + "

    To apply, download and fill in the application form and send it to the Driver and Vehicle Standards Agency (DVSA).

    ", + "

    Training course already done

    ", + "

    You can send the form to DVSA if you\u2019ve already done an accredited training course. You\u2019ll need to include:

    ", + "
  • the registration fee of \u00a3120
  • ", + "
  • your driving licence number if you have a photocard driving licence, or a passport-style photo if you have an old-style paper licence
  • ", + "
  • a copy of your course certificate
  • ", + "

    You must have done the course within the last year.

    ", + "

    Managing your registration

    ", + "

    Your registration will last for 4 years from when you join the register.

    ", + "

    You\u2019re responsible for remembering when your registration runs out and renewing it.

    ", + "

    To renew your registration, download and fill in the application form and send it to the Driver and Vehicle Standards Agency (DVSA) with the fee of \u00a3120 and a passport-style photo.

    ", + "

    You can re-join the register without having to qualify again within 12 months of your registration running out.

    ", + "

    Replace a certificate

    ", + "

    You should write to DVSA if your registration certificate is lost, stolen or destroyed.

    ", + "

    You can get a new certificate by sending a passport-style photo to DVSA and paying \u00a33.60.

    ", + "

    Advertising your services

    ", + "

    You\u2019ll be able to advertise yourself as a \u2018DVSA registered fleet driver trainer\u2019. You can also apply to use the official DVSA logo.

    ", + "

    Taking standards checks

    ", + "

    You have to take regular standards checks as an approved driving instructor (ADI). This assesses your continuing ability to instruct someone with a provisional or full driving licence.

    ", + "

    You don\u2019t have to take a separate check to stay on the fleet driver trainer register.

    ", + "

    How the test works

    ", + "

    Standards checks are based on the examiner observing a normal lesson which should last for around an hour. After the lesson you should allow at least 15 minutes for the debrief.

    ", + "

    You can bring a learner driver or a full licence holder who can be:

    ", + "
  • a driver you haven\u2019t assessed
  • ", + "
  • a driver you have assessed
  • ", + "

    A driver you haven\u2019t assessed

    ", + "

    You can bring a driver you haven\u2019t assessed and:

    ", + "
  • give a presentation on occupational risk
  • ", + "
  • introduce them to the training vehicle, covering safety checks
  • ", + "
  • do a driver assessment and profile to establish their main risk areas and provide the necessary coaching
  • ", + "

    A driver you have assessed

    ", + "

    You can bring a driver you\u2019ve already assessed. You\u2019ll need to tell the examiner what main risk areas you intend to provide coaching for during the standards check.

    ", + "

    Your standards check result

    ", + "

    You\u2019ll get a grade at the end of your standards check. This works the same as a normal ADI standards check.

    ", + "

    Being removed from the register

    ", + "

    You\u2019ll be removed from both the ADI register and the register of fleet drivers if you:

    ", + "
  • fail the standards check
  • ", + "
  • don\u2019t attend your standards check appointment
  • " + ] + }, + "https://www.gov.uk/1619-bursary-fund": { + "url": "https://www.gov.uk/1619-bursary-fund", + "title": "16 to 19 Bursary Fund", + "content": "## Overview\n\nYou could get a bursary to help with education-related costs if you\u2019re aged 16 to 19 and:\n\n- studying at a publicly funded school or college in England - not a university\n\n- on a training course, including unpaid work experience\n\nA publicly funded school is one that does not charge you for attending it.\n\nThere\u2019s a different scheme in Wales, Scotland and Northern Ireland.\n\n## If you\u2019re 19 and over\n\nYou could also get a bursary if you either:\n\n- are continuing on a course you started aged 16 to 18 (known as being a \u201919+ continuer\u2019)\n\n- have an Education, Health and Care Plan (EHCP)\n\n## What a bursary is for\n\nA bursary is money that you, or your education or training provider, can use to pay for things like:\n\n- clothing, books and other equipment for your course\n\n- transport and lunch on days you study or train\n\n## What you'll get\n\nThere are 2 types of 16 to 19 bursary:\n\n- a bursary for students in vulnerable groups\n\n- a discretionary bursary\n\n## Bursary for students in vulnerable groups\n\nYou could get a bursary worth up to \u00a31,200, depending on your circumstances and benefits.\n\n## Discretionary bursary\n\nYou could get a discretionary bursary if you need financial help but do not qualify for a bursary for students in vulnerable groups. Your education or training provider decides how much you get and what it\u2019s used for.\n\nIf you\u2019re over 19, you\u2019ll only be eligible for a discretionary bursary.\n\nYour provider will decide how you get your bursary. You might get:\n\n- an instalment paid by cash, cheque or bank transfer\n\n- things like a travel pass, free meals or books\n\nSome providers also offer one-off payments to cover study trips or travel for university interviews.\n\nYour provider could stop payments if you break their rules, for example about attendance or how your bursary is used.\n\n## Eligibility\n\nYou must:\n\n- be at least 16 and under 19 on 31 August 2021\n\n- study at a publicly funded school or college, or be on an unpaid training course\n\n- meet the residency requirements - your school or college can check this\n\n## Bursary for students in vulnerable groups\n\nYou may be able to get a bursary if at least one of the following applies:\n\n- you\u2019re in or you recently left local authority care\n\n- you get Income Support or Universal Credit because you\u2019re financially supporting yourself\n\n- you get Disability Living Allowance (DLA) in your name and either Employment and Support Allowance (ESA) or Universal Credit\n\n- you get Personal Independence Payment (PIP) in your name and either ESA or Universal Credit\n\nThe amount you may get depends on the costs you have and what you need for your course. This might include money for books, equipment or travel costs to school or college.\n\n## Discretionary bursary\n\nYour school or college will have their own criteria for discretionary bursaries. They\u2019ll look at your individual circumstances - this usually includes your family income.\n\nAsk student services about their criteria and any evidence you\u2019ll need.\n\nYou can apply to a discretionary bursary if you\u2019re over 19 and either:\n\n- continuing on a course you started aged 16 to 18 (known as being a \u201819+ continuer\u2019)\n\n- have an Education, Health and Care Plan (EHCP)\n\n## How to claim\n\nApply to your school, college or training provider. Ask student services or your tutor to explain what you need to do.\n\n## When to apply\n\nApply once you know where you\u2019ll study or train, so you\u2019ll get your bursary as soon as possible.\n\nYou might need to reapply for a bursary for each year of your course. Check with your provider.\n\n## Help\n\nYour tutor or student services can help you decide if you\u2019re eligible for a bursary and explain how to apply.\n\nContact the Education and Skills Funding Agency (ESFA) if your tutor or student services cannot answer your question.\n\n## You think a decision is unfair\n\nSpeak to student services if you\u2019re unhappy with a decision. Follow their complaints process if you cannot resolve the problem.\n\n## Emergencies and hardship\n\nYou might be able to get more support if your circumstances change or you have an emergency. Your provider might also have a separate hardship fund. Speak to student services if you need extra help.", + "original_contents": [ + "

    Overview

    ", + "

    You could get a bursary to help with education-related costs if you\u2019re aged 16 to 19 and:

    ", + "
  • studying at a publicly funded school or college in England - not a university
  • ", + "
  • on a training course, including unpaid work experience
  • ", + "

    A publicly funded school is one that does not charge you for attending it.

    ", + "

    There\u2019s a different scheme in Wales, Scotland and Northern Ireland.

    ", + "

    If you\u2019re 19 and over

    ", + "

    You could also get a bursary if you either:

    ", + "
  • are continuing on a course you started aged 16 to 18 (known as being a \u201919+ continuer\u2019)
  • ", + "
  • have an Education, Health and Care Plan (EHCP)
  • ", + "

    What a bursary is for

    ", + "

    A bursary is money that you, or your education or training provider, can use to pay for things like:

    ", + "
  • clothing, books and other equipment for your course
  • ", + "
  • transport and lunch on days you study or train
  • ", + "

    What you'll get

    ", + "

    There are 2 types of 16 to 19 bursary:

    ", + "
  • a bursary for students in vulnerable groups
  • ", + "
  • a discretionary bursary
  • ", + "

    Bursary for students in vulnerable groups

    ", + "

    You could get a bursary worth up to \u00a31,200, depending on your circumstances and benefits.

    ", + "

    Discretionary bursary

    ", + "

    You could get a discretionary bursary if you need financial help but do not qualify for a bursary for students in vulnerable groups. Your education or training provider decides how much you get and what it\u2019s used for.

    ", + "

    If you\u2019re over 19, you\u2019ll only be eligible for a discretionary bursary.

    ", + "

    Your provider will decide how you get your bursary. You might get:

    ", + "
  • an instalment paid by cash, cheque or bank transfer
  • ", + "
  • things like a travel pass, free meals or books
  • ", + "

    Some providers also offer one-off payments to cover study trips or travel for university interviews.

    ", + "

    Your provider could stop payments if you break their rules, for example about attendance or how your bursary is used.

    ", + "

    Eligibility

    ", + "

    You must:

    ", + "
  • be at least 16 and under 19 on 31 August 2021
  • ", + "
  • study at a publicly funded school or college, or be on an unpaid training course
  • ", + "
  • meet the residency requirements - your school or college can check this
  • ", + "

    Bursary for students in vulnerable groups

    ", + "

    You may be able to get a bursary if at least one of the following applies:

    ", + "
  • you\u2019re in or you recently left local authority care
  • ", + "
  • you get Income Support or Universal Credit because you\u2019re financially supporting yourself
  • ", + "
  • you get Disability Living Allowance (DLA) in your name and either Employment and Support Allowance (ESA) or Universal Credit
  • ", + "
  • you get Personal Independence Payment (PIP) in your name and either ESA or Universal Credit
  • ", + "

    The amount you may get depends on the costs you have and what you need for your course. This might include money for books, equipment or travel costs to school or college.

    ", + "

    Discretionary bursary

    ", + "

    Your school or college will have their own criteria for discretionary bursaries. They\u2019ll look at your individual circumstances - this usually includes your family income.

    ", + "

    Ask student services about their criteria and any evidence you\u2019ll need.

    ", + "

    You can apply to a discretionary bursary if you\u2019re over 19 and either:

    ", + "
  • continuing on a course you started aged 16 to 18 (known as being a \u201819+ continuer\u2019)
  • ", + "
  • have an Education, Health and Care Plan (EHCP)
  • ", + "

    How to claim

    ", + "

    Apply to your school, college or training provider. Ask student services or your tutor to explain what you need to do.

    ", + "

    When to apply

    ", + "

    Apply once you know where you\u2019ll study or train, so you\u2019ll get your bursary as soon as possible.

    ", + "

    You might need to reapply for a bursary for each year of your course. Check with your provider.

    ", + "

    Help

    ", + "

    Your tutor or student services can help you decide if you\u2019re eligible for a bursary and explain how to apply.

    ", + "

    Contact the Education and Skills Funding Agency (ESFA) if your tutor or student services cannot answer your question.

    ", + "

    You think a decision is unfair

    ", + "

    Speak to student services if you\u2019re unhappy with a decision. Follow their complaints process if you cannot resolve the problem.

    ", + "

    Emergencies and hardship

    ", + "

    You might be able to get more support if your circumstances change or you have an emergency. Your provider might also have a separate hardship fund. Speak to student services if you need extra help.

    " + ] + }, + "https://www.gov.uk/advanced-learner-loan": { + "url": "https://www.gov.uk/advanced-learner-loan", + "title": "Advanced Learner Loan", + "content": "## Overview\n\nYou can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.\n\nLoan eligibility does not depend on your income and there are no credit checks.\n\nCheck if you\u2019re eligible before you apply for an Advanced Learner Loan.\n\nDifferent funding is available if you want to study in Scotland, Northern Ireland or Wales.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## Access to Higher Education (HE) course\n\nStudent Finance England will \u2018write off\u2019 any outstanding Advanced Learner Loan balances you owe for an Access to HE course once you complete a higher education course. This means you do not have to repay it.\n\nThe higher education course must be eligible for student finance.\n\n## Loan Bursary Fund\n\nYou may also be eligible for money from the Advanced Learner Loan Bursary Fund if you need help with some costs while studying, for example childcare, travel or trips related to your course.\n\nUse the Money Advice Service to work out the cost of borrowing.\n\n## What you'll get\n\nHow much you get depends on:\n\n- the type of course\n\n- your course fees\n\n- the maximum loan available for your course\n\nThe minimum loan you can get is \u00a3300 and is paid directly to your college or training provider.\n\nYou do not have to borrow the full cost of your course - you can pay for some of it yourself.\n\n## Number of loans you can get\n\nYou can apply for up to 4 loans and you can get more than one at the same time.\n\nYou can apply for another loan to take the same level of a course, for example the same level qualification in History if you\u2019ve already had a loan for the same level in Maths.\n\nYou can only apply once for an Access to Higher Education course.\n\n## A Levels\n\nYou can apply for a loan to fund each course you take towards your A Levels - up to a maximum of 4 A Levels.\n\nThis means you can have up to 8 loans if you\u2019re taking each A Level as 2 separate courses.\n\nThe courses must be in the same subject to qualify for a full A Level.\n\nYou can get 3 more loans for non A Level courses either before or after your course of A Levels.\n\n## Eligibility\n\nWhether you qualify for an Advanced Learner Loan depends on your:\n\n- age\n\n- course\n\n- college or training provider\n\n- nationality or residency status\n\nYou must be 19 or older on the first day of your course.\n\nYour course must be:\n\n- a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate\n\n- at an approved college or training provider in England\n\nAsk your college or training provider if you do not know if your course is eligible.\n\n## Your nationality or residency status\n\nIn most cases, all of the following must apply. You must:\n\n- be living in the UK on the first day of your course\n\n- be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)\n\n- have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course\n\nIf you have settled status because you\u2019re a victim of domestic violence, you do not need to have lived in the UK, Channel Islands or Isle of Man for 3 years.\n\nYou may also qualify if you\u2019re:\n\n- a UK national, or someone with settled status, but you live in the European Economic Area (EEA)\n\n- an EU national or a family member of one\n\n- not a UK national but you\u2019ve lived in the UK for at least 20 years (or at least half of your life)\n\n- a refugee or a relative of one\n\n- a migrant worker\n\n- the child of a Swiss national\n\n- the child of a Turkish worker\n\n- under humanitarian protection or a relative of someone who has been granted it\n\n- staying in the UK as a stateless person (or their family member) and your course started on or after 1 August 2018\n\n- a serving member of the UK armed forces (or their spouse, civil partner or a dependent parent or child living with them) doing a distance learning course from outside the UK that started on or after 1 August 2017\n\n- someone granted \u2018Calais leave\u2019 to remain or a child of someone granted \u2018Calais leave\u2019 to remain - if your course starts on or after 1 August 2020 and you\u2019ve lived in the UK for at least 3 years before the first day of the first academic year of your course\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## How to apply\n\n- Check with your college or training provider that the course qualifies.\n\n- Ask them for a \u2018Learning and funding information\u2019 letter - you need this to complete the application. It contains the details about your course.\n\n- Apply online - you\u2019ll need to register first. You can apply by post if you cannot apply online.\n\n- You\u2019ll get a letter confirming your loan - usually within 2 weeks if you apply online (postal applications take longer).\n\n## What you need to know\n\nYou cannot apply until you get a \u2018learning and funding information letter\u2019 from your college or training provider.\n\nYou can apply for a loan without a National Insurance number but you must have one before the loan can be paid.\n\n## Apply by post\n\nIf you cannot apply online, apply by post - the address is on the form.\n\n## Proof of identity\n\nIf you\u2019re a UK national, include your UK passport details in your application as proof of identity. If you forget, use the \u2018UK passport details form\u2019.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re from an EU country, send your EU passport or identity card the first time you apply.\n\n## Supporting information\n\nUse the \u2018Evidence return form\u2019 if you need to send extra information to support your application, such as proof of residency status.\n\n## Change an application\n\nOnce your application has been approved you can log in to your account to make a change online.\n\nIf you just want to change your loan amount you can use the loan request form instead.\n\n## Bursary fund\n\nYou may apply to get money from the Loan Bursary Fund after you\u2019ve received a letter approving your Advanced Learner Loan.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare\n\n- classroom assistance for a disability or learning difficulty - once you\u2019re assessed by your college or training provider\n\n## How to apply\n\nApply to your college or training provider - each one has its own application process. How much you get depends on the provider\u2019s scheme and your circumstances.\n\nSpeak to student services if you need support with your application.\n\n## How the money is paid\n\nYour college or training provider decides how the money is paid. You\u2019ll normally be paid direct. You might be able to arrange for the money to be paid to someone else instead, for example your landlord or childcare provider.\n\nIn some situations fund money must be paid back. This is generally if you\u2019re a student experiencing a temporary financial difficulty and need a loan, for example for help with your mortgage or rent.\n\n## Eligibility\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Disability Living Allowance\n\nYou cannot apply if you\u2019re:\n\n- getting student finance for higher education\n\n- on an apprenticeship training scheme\n\n- on a Community Learning course\n\n## Appeal a decision\n\nContact your college or training provider to appeal a decision from the Loan Bursary Fund.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.

    ", + "

    Loan eligibility does not depend on your income and there are no credit checks.

    ", + "

    Check if you\u2019re eligible before you apply for an Advanced Learner Loan.

    ", + "

    Different funding is available if you want to study in Scotland, Northern Ireland or Wales.

    ", + "

    When you repay your loan

    ", + "

    You\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).

    ", + "

    You\u2019ll be charged interest from the day you get the first payment.

    ", + "

    Access to Higher Education (HE) course

    ", + "

    Student Finance England will \u2018write off\u2019 any outstanding Advanced Learner Loan balances you owe for an Access to HE course once you complete a higher education course. This means you do not have to repay it.

    ", + "

    The higher education course must be eligible for student finance.

    ", + "

    Loan Bursary Fund

    ", + "

    You may also be eligible for money from the Advanced Learner Loan Bursary Fund if you need help with some costs while studying, for example childcare, travel or trips related to your course.

    ", + "

    Use the Money Advice Service to work out the cost of borrowing.

    ", + "

    What you'll get

    ", + "

    How much you get depends on:

    ", + "
  • the type of course
  • ", + "
  • your course fees
  • ", + "
  • the maximum loan available for your course
  • ", + "

    The minimum loan you can get is \u00a3300 and is paid directly to your college or training provider.

    ", + "

    You do not have to borrow the full cost of your course - you can pay for some of it yourself.

    ", + "

    Number of loans you can get

    ", + "

    You can apply for up to 4 loans and you can get more than one at the same time.

    ", + "

    You can apply for another loan to take the same level of a course, for example the same level qualification in History if you\u2019ve already had a loan for the same level in Maths.

    ", + "

    You can only apply once for an Access to Higher Education course.

    ", + "

    A Levels

    ", + "

    You can apply for a loan to fund each course you take towards your A Levels - up to a maximum of 4 A Levels.

    ", + "

    This means you can have up to 8 loans if you\u2019re taking each A Level as 2 separate courses.

    ", + "

    The courses must be in the same subject to qualify for a full A Level.

    ", + "

    You can get 3 more loans for non A Level courses either before or after your course of A Levels.

    ", + "

    Eligibility

    ", + "

    Whether you qualify for an Advanced Learner Loan depends on your:

    ", + "
  • age
  • ", + "
  • course
  • ", + "
  • college or training provider
  • ", + "
  • nationality or residency status
  • ", + "

    You must be 19 or older on the first day of your course.

    ", + "

    Your course must be:

    ", + "
  • a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate
  • ", + "
  • at an approved college or training provider in England
  • ", + "

    Ask your college or training provider if you do not know if your course is eligible.

    ", + "

    Your nationality or residency status

    ", + "

    In most cases, all of the following must apply. You must:

    ", + "
  • be living in the UK on the first day of your course
  • ", + "
  • be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)
  • ", + "
  • have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course
  • ", + "

    If you have settled status because you\u2019re a victim of domestic violence, you do not need to have lived in the UK, Channel Islands or Isle of Man for 3 years.

    ", + "

    You may also qualify if you\u2019re:

    ", + "
  • a UK national, or someone with settled status, but you live in the European Economic Area (EEA)
  • ", + "
  • an EU national or a family member of one
  • ", + "
  • not a UK national but you\u2019ve lived in the UK for at least 20 years (or at least half of your life)
  • ", + "
  • a refugee or a relative of one
  • ", + "
  • a migrant worker
  • ", + "
  • the child of a Swiss national
  • ", + "
  • the child of a Turkish worker
  • ", + "
  • under humanitarian protection or a relative of someone who has been granted it
  • ", + "
  • staying in the UK as a stateless person (or their family member) and your course started on or after 1 August 2018
  • ", + "
  • a serving member of the UK armed forces (or their spouse, civil partner or a dependent parent or child living with them) doing a distance learning course from outside the UK that started on or after 1 August 2017
  • ", + "
  • someone granted \u2018Calais leave\u2019 to remain or a child of someone granted \u2018Calais leave\u2019 to remain - if your course starts on or after 1 August 2020 and you\u2019ve lived in the UK for at least 3 years before the first day of the first academic year of your course
  • ", + "

    Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021

    ", + "

    If you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.

    ", + "

    You need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.

    ", + "

    How to apply

    ", + "
  • Check with your college or training provider that the course qualifies.
  • ", + "
  • Ask them for a \u2018Learning and funding information\u2019 letter - you need this to complete the application. It contains the details about your course.
  • ", + "
  • Apply online - you\u2019ll need to register first. You can apply by post if you cannot apply online.
  • ", + "
  • You\u2019ll get a letter confirming your loan - usually within 2 weeks if you apply online (postal applications take longer).
  • ", + "

    What you need to know

    ", + "

    You cannot apply until you get a \u2018learning and funding information letter\u2019 from your college or training provider.

    ", + "

    You can apply for a loan without a National Insurance number but you must have one before the loan can be paid.

    ", + "

    Apply by post

    ", + "

    If you cannot apply online, apply by post - the address is on the form.

    ", + "

    Proof of identity

    ", + "

    If you\u2019re a UK national, include your UK passport details in your application as proof of identity. If you forget, use the \u2018UK passport details form\u2019.

    ", + "

    If you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.

    ", + "

    Include your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.

    ", + "

    If you\u2019re from an EU country, send your EU passport or identity card the first time you apply.

    ", + "

    Supporting information

    ", + "

    Use the \u2018Evidence return form\u2019 if you need to send extra information to support your application, such as proof of residency status.

    ", + "

    Change an application

    ", + "

    Once your application has been approved you can log in to your account to make a change online.

    ", + "

    If you just want to change your loan amount you can use the loan request form instead.

    ", + "

    Bursary fund

    ", + "

    You may apply to get money from the Loan Bursary Fund after you\u2019ve received a letter approving your Advanced Learner Loan.

    ", + "

    The money can help pay for things like:

    ", + "
  • accommodation and travel
  • ", + "
  • course materials and equipment
  • ", + "
  • childcare
  • ", + "
  • classroom assistance for a disability or learning difficulty - once you\u2019re assessed by your college or training provider
  • ", + "

    How to apply

    ", + "

    Apply to your college or training provider - each one has its own application process. How much you get depends on the provider\u2019s scheme and your circumstances.

    ", + "

    Speak to student services if you need support with your application.

    ", + "

    How the money is paid

    ", + "

    Your college or training provider decides how the money is paid. You\u2019ll normally be paid direct. You might be able to arrange for the money to be paid to someone else instead, for example your landlord or childcare provider.

    ", + "

    In some situations fund money must be paid back. This is generally if you\u2019re a student experiencing a temporary financial difficulty and need a loan, for example for help with your mortgage or rent.

    ", + "

    Eligibility

    ", + "

    You can apply even if you get other types of funding, for example:

    ", + "
  • Professional and Career Development Loans
  • ", + "
  • Disability Living Allowance
  • ", + "

    You cannot apply if you\u2019re:

    ", + "
  • getting student finance for higher education
  • ", + "
  • on an apprenticeship training scheme
  • ", + "
  • on a Community Learning course
  • ", + "

    Appeal a decision

    ", + "

    Contact your college or training provider to appeal a decision from the Loan Bursary Fund.

    " + ] + }, + "https://www.gov.uk/become-apprentice": { + "url": "https://www.gov.uk/become-apprentice", + "title": "Become an apprentice", + "content": "## How apprenticeships work\n\nApprenticeships combine practical training in a job with study.\n\nAs an apprentice you\u2019ll:\n\n- be an employee earning a wage and getting holiday pay\n\n- work alongside experienced staff\n\n- gain job-specific skills\n\n- get time for training and study related to your role (at least 20% of your normal working hours)\n\nApprenticeships take 1 to 5 years to complete depending on their level.\n\n## Levels of apprenticeship\n\nApprenticeships have equivalent educational levels.\n\n| | Level | Equivalent educational level |\n\n| Intermediate | 2 | GCSE |\n\n| Advanced | 3 | A level |\n\n| Higher | 4,5,6 and 7 | Foundation degree and above |\n\n| Degree | 6 and 7 | Bachelor\u2019s or master\u2019s degree |\n\nSome apprenticeships may also give you an additional qualification, such as a diploma.\n\n## Who can start an apprenticeship\n\nTo start an apprenticeship, you\u2019ll need to be:\n\n- 16 or over\n\n- living in England\n\n- not in full-time education\n\nYou can apply for an apprenticeship while you\u2019re still at school but you\u2019ll need to be 16 or over by the end of the summer holidays to start the apprenticeship.\n\n## If you need more experience\n\nIf you feel you\u2019re not ready for an apprenticeship, a traineeship is a course designed to prepare you for one.\n\n## Apprenticeships in Scotland, Wales and Northern Ireland\n\nDifferent organisations deal with apprenticeships in:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\n## What you'll get\n\nAs an apprentice, you\u2019ll get:\n\n- paid and be entitled to the National Minimum Wage\n\n- time for training or study as part of your apprenticeship\n\n- holiday pay and other employee rights\n\n## Apprentice pay and the National Minimum Wage\n\nThere are different rates of pay for apprentices depending on your age and what year of your apprenticeship you\u2019re in.\n\nYour employment contract should confirm your rate of pay.\n\n## Aged 16 to 18\n\nThe current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.\n\n## Aged 19 or over and in your first year\n\nThe current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.\n\n## Aged 19 or over and have completed your first year\n\nYou\u2019re entitled to the National Minimum Wage or National Living Wage rate for your age.\n\nCheck you\u2019re being paid the minimum wage with the National Minimum Wage and Living Wage calculator.\n\n## Time apprentices are paid for\n\nYou must be paid for:\n\n- your normal working hours\n\n- training that\u2019s part of your apprenticeship (at least 20% of your normal working hours)\n\n- study towards English and maths qualifications, if they\u2019re part of your apprenticeship\n\nYour normal working hours should be in your employment contract (this might be your apprenticeship agreement).\n\nThere are rules about how many hours you can work in a week and being paid overtime.\n\nIf you\u2019re studying for English and maths qualifications which are part of your apprenticeship, your employer should allow you time to study during your normal working hours.\n\n## Training\n\nAs an apprentice, at least 20% of your normal working hours must be spent on training.\n\nYour training might happen every week, every month or in a separate block of time.\n\nThe training might take place:\n\n- at your place of work\n\n- somewhere else like at a college or training provider\n\n- online\n\nYour training provider will be able to tell you when and where your training will be.\n\n## Holidays\n\nYou\u2019ll get at least 20 days paid holiday per year, plus bank holidays.\n\nUse the holiday calculator to check holiday entitlement for apprentices.\n\n## If you\u2019ve been in local authority care\n\nIf you\u2019re under 25 when you start your apprenticeship and have previously been in local authority care, you may be eligible for a bursary payment.\n\nAsk your training provider for more information about what you\u2019ll get, if you\u2019re eligible and how to apply.\n\n## Help and advice\n\nYour school, college or training provider may be able to give you advice about apprenticeships.\n\nContact Acas for free and confidential advice on your rights at work.\n\nContact the Support Service for Apprentices for mental health support and advice.\n\n## Apply for an apprenticeship\n\nThere are 3 steps to applying for an apprenticeship.\n\n- Search for an apprenticeship.\n\n- Sign in or create an account.\n\n- Complete and submit your application.\n\nThe National Careers Service has advice on writing applications and what to do at interviews.\n\nIf you\u2019re applying again because you were made redundant from your last apprenticeship, call the Apprenticeship helpline. You can also talk to your training provider.\n\n## If you\u2019re unsuccessful\n\nYou can ask for feedback if you do not get selected for an interview or for the apprenticeship.\n\nYou can complain if you think you were not successful because you were discriminated against, or your treatment in the interview or application process was unfair.", + "original_contents": [ + "

    How apprenticeships work

    ", + "

    Apprenticeships combine practical training in a job with study.

    ", + "

    As an apprentice you\u2019ll:

    ", + "
  • be an employee earning a wage and getting holiday pay
  • ", + "
  • work alongside experienced staff
  • ", + "
  • gain job-specific skills
  • ", + "
  • get time for training and study related to your role (at least 20% of your normal working hours)
  • ", + "

    Apprenticeships take 1 to 5 years to complete depending on their level.

    ", + "

    Levels of apprenticeship

    ", + "

    Apprenticeships have equivalent educational levels.

    ", + " | Level | Equivalent educational level", + "Intermediate | 2 | GCSE", + "Advanced | 3 | A level", + "Higher | 4,5,6 and 7 | Foundation degree and above", + "Degree | 6 and 7 | Bachelor\u2019s or master\u2019s degree", + "

    Some apprenticeships may also give you an additional qualification, such as a diploma.

    ", + "

    Who can start an apprenticeship

    ", + "

    To start an apprenticeship, you\u2019ll need to be:

    ", + "
  • 16 or over
  • ", + "
  • living in England
  • ", + "
  • not in full-time education
  • ", + "

    You can apply for an apprenticeship while you\u2019re still at school but you\u2019ll need to be 16 or over by the end of the summer holidays to start the apprenticeship.

    ", + "

    If you need more experience

    ", + "

    If you feel you\u2019re not ready for an apprenticeship, a traineeship is a course designed to prepare you for one.

    ", + "

    Apprenticeships in Scotland, Wales and Northern Ireland

    ", + "

    Different organisations deal with apprenticeships in:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    What you'll get

    ", + "

    As an apprentice, you\u2019ll get:

    ", + "
  • paid and be entitled to the National Minimum Wage
  • ", + "
  • time for training or study as part of your apprenticeship
  • ", + "
  • holiday pay and other employee rights
  • ", + "

    Apprentice pay and the National Minimum Wage

    ", + "

    There are different rates of pay for apprentices depending on your age and what year of your apprenticeship you\u2019re in.

    ", + "

    Your employment contract should confirm your rate of pay.

    ", + "

    Aged 16 to 18

    ", + "

    The current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.

    ", + "

    Aged 19 or over and in your first year

    ", + "

    The current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.

    ", + "

    Aged 19 or over and have completed your first year

    ", + "

    You\u2019re entitled to the National Minimum Wage or National Living Wage rate for your age.

    ", + "

    Check you\u2019re being paid the minimum wage with the National Minimum Wage and Living Wage calculator.

    ", + "

    Time apprentices are paid for

    ", + "

    You must be paid for:

    ", + "
  • your normal working hours
  • ", + "
  • training that\u2019s part of your apprenticeship (at least 20% of your normal working hours)
  • ", + "
  • study towards English and maths qualifications, if they\u2019re part of your apprenticeship
  • ", + "

    Your normal working hours should be in your employment contract (this might be your apprenticeship agreement).

    ", + "

    There are rules about how many hours you can work in a week and being paid overtime.

    ", + "

    If you\u2019re studying for English and maths qualifications which are part of your apprenticeship, your employer should allow you time to study during your normal working hours.

    ", + "

    Training

    ", + "

    As an apprentice, at least 20% of your normal working hours must be spent on training.

    ", + "

    Your training might happen every week, every month or in a separate block of time.

    ", + "

    The training might take place:

    ", + "
  • at your place of work
  • ", + "
  • somewhere else like at a college or training provider
  • ", + "
  • online
  • ", + "

    Your training provider will be able to tell you when and where your training will be.

    ", + "

    Holidays

    ", + "

    You\u2019ll get at least 20 days paid holiday per year, plus bank holidays.

    ", + "

    Use the holiday calculator to check holiday entitlement for apprentices.

    ", + "

    If you\u2019ve been in local authority care

    ", + "

    If you\u2019re under 25 when you start your apprenticeship and have previously been in local authority care, you may be eligible for a bursary payment.

    ", + "

    Ask your training provider for more information about what you\u2019ll get, if you\u2019re eligible and how to apply.

    ", + "

    Help and advice

    ", + "

    Your school, college or training provider may be able to give you advice about apprenticeships.

    ", + "

    Contact Acas for free and confidential advice on your rights at work.

    ", + "

    Contact the Support Service for Apprentices for mental health support and advice.

    ", + "

    Apply for an apprenticeship

    ", + "

    There are 3 steps to applying for an apprenticeship.

    ", + "
  • Search for an apprenticeship.
  • ", + "
  • Sign in or create an account.
  • ", + "
  • Complete and submit your application.
  • ", + "

    The National Careers Service has advice on writing applications and what to do at interviews.

    ", + "

    If you\u2019re applying again because you were made redundant from your last apprenticeship, call the Apprenticeship helpline. You can also talk to your training provider.

    ", + "

    If you\u2019re unsuccessful

    ", + "

    You can ask for feedback if you do not get selected for an interview or for the apprenticeship.

    ", + "

    You can complain if you think you were not successful because you were discriminated against, or your treatment in the interview or application process was unfair.

    " + ] + }, + "https://www.gov.uk/employing-an-apprentice": { + "url": "https://www.gov.uk/employing-an-apprentice", + "title": "Employing an apprentice", + "content": "## Overview\n\nApprentices are aged 16 or over and combine working with studying to gain skills and knowledge in a specific job.\n\nApprentices can be new or current employees.\n\nYou must pay the apprentice at least the minimum wage.\n\nYour apprentice must:\n\n- work with experienced staff\n\n- learn job-specific skills\n\n- get time for training or study during their working week (at least 20% of their normal working hours)\n\n## Hiring your apprentice\n\nThere are several steps to taking on an apprentice.\n\n- Choose an apprenticeship for your business or organisation.\n\n- Find an organisation that offers training for the apprenticeship you\u2019ve chosen.\n\n- Check what funding is available for training and other costs to your organisation.\n\n- Advertise your apprenticeship - you or your training provider can do this through the recruit an apprentice service.\n\n- Select your apprentice and make an apprenticeship agreement and commitment statement with them.\n\nIf you do not want to hire and train the apprentice yourself, you can use an apprenticeship training agency. The apprentice will be employed by the agency but will work in your organisation.\n\n## How long it lasts\n\nApprenticeships must last for at least a year. They can last up to 5 years depending on the level the apprentice is studying.\n\n## Get help\n\nFill in the enquiry form or contact the National Apprenticeship Service for more information.\n\nYou can get more information or use the webchat service on the apprenticeship service employer support site.\n\n## Scotland, Wales and Northern Ireland\n\nContact your apprenticeship authority if you\u2019re an employer in:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\n## Get funding\n\nYou can get help from the government:\n\n- to pay for apprenticeship training and assessment\n\n- as an incentive payment for other costs\n\n## Help to pay for apprenticeship training and assessment\n\nThe amount you get depends on whether you pay the apprenticeship levy or not. You pay the levy if you\u2019re an employer with a pay bill over \u00a33 million each year.\n\n## If you do not need to pay the levy\n\nYou pay 5% towards the cost of training and assessing your apprentice. You need to:\n\n- agree a payment schedule with the training provider\n\n- pay them directly for the training\n\nThe government will pay the rest (95%) up to the funding band maximum. They\u2019ll pay it directly to the training provider.\n\nYou could be eligible for extra funding depending on both your and your apprentice\u2019s circumstances.\n\nYou contribute 10% towards the cost of training and assessing your apprentice and the government pays the rest (90%) if your apprentice started before 1 April 2019. This rate continues until your apprentice completes their training.\n\n## If you pay the levy\n\nYou\u2019ll receive funds to spend on training and assessing your apprentices. The government will add 10%.\n\nHow you get your funds and pay for training depends on whether you\u2019re in:\n\n- England\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\n## Help to pay for other costs\n\nYou can claim for an incentive payment for new apprentices who join your organisation.\n\nYou can claim \u00a33,000 for apprentices who start between 1 April 2021 and 30 September 2021.\n\nThe closing date for applications is 30 November 2021.\n\nFind out if you are eligible, what you can use the payment for and how to apply.\n\n## Register for a digital service account\n\nRegister for an apprenticeship service account to access funds or pay for training. You\u2019ll be able to apply for the incentive payment after you add new apprentices to your account.\n\nIf you pay the apprenticeship levy and use an apprenticeship training agency, you cannot use funds from your digital account to pay for the training agency\u2019s services.\n\n## Get help\n\nFill in the enquiry form or contact the National Apprenticeship Service for more information.\n\nYou can get more information or use the webchat service on the apprenticeship service employer support site.\n\n## Pay and conditions for apprentices\n\nYou are responsible for:\n\n- giving your apprentice their contract of employment\n\n- paying your apprentice\u2019s wage\n\n- signing an apprenticeship agreement\n\n## Pay for apprentices\n\nYou must pay apprentices at least the National Minimum Wage.\n\nThere\u2019s different rates of pay for apprentices depending on their age and what year of their apprenticeship they\u2019ve completed.\n\nThe contract of employment should make it clear what wage you\u2019ll pay your apprentice and for what hours.\n\n## Aged 16 to 18\n\nThe current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.\n\n## Aged 19 or over and in their first year\n\nThe current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.\n\n## Aged 19 or over and have completed their first year\n\nApprentices will be entitled to the National Minimum Wage or National Living Wage rate for their age.\n\nUse the National Minimum Wage and Living Wage calculator to check if you\u2019re paying your apprentices correctly.\n\n## Conditions\n\nApprentices must work towards an approved apprenticeship. Their training must last at least 12 months.\n\nThey must be employed in a real job that gives them the opportunity to gain the knowledge and skills they need to pass their assessment.\n\n## Training and study\n\nYou must pay your apprentice for time spent training or studying for their apprenticeship.\n\nApprentices must spend at least 20% of their normal working hours training.\n\nThe training might take place:\n\n- at their place of work\n\n- somewhere else (for example, a college or training provider)\n\n- online\n\nIf your apprentice is also studying for English or maths qualifications required by their apprenticeship, they are entitled to paid study time during their normal working hours.\n\n## Employee rights\n\nYou must offer apprentices the same conditions as other employees working at similar grades or in similar roles. This includes:\n\n- paid holidays\n\n- sick pay\n\n- any benefits you offer such as childcare voucher schemes\n\n- any support you offer such as coaching or mentoring\n\n## Apprentices and redundancy\n\nApprentices have the same employment rights as your other employees. Follow the process for making staff redundant if you have to make an apprentice redundant.\n\nGet legal advice if you want to end the apprenticeship early for another reason.\n\n## Support for apprentices\n\nYour apprentice can get support if they\u2019re being made redundant or are at risk of redundancy.\n\nThey can get:\n\n- financial and legal advice\n\n- support for their health and wellbeing\n\n- help finding another apprenticeship\n\n## Make an apprenticeship agreement\n\nYou must sign an apprenticeship agreement with your apprentice.\n\nThis gives details of:\n\n- the skill, trade or occupation the apprentice is being trained for\n\n- the name of the apprenticeship they\u2019re working towards\n\n- the start and end dates for the apprenticeship\n\n- the amount of training you\u2019ll give them\n\nYou can write your own apprentice agreement or download an apprenticeship agreement template.\n\n## Commitment statement\n\nYou must sign a commitment statement with your apprentice and the training provider.\n\nYou can write your own commitment statement or use the ESFA apprenticeship commitment statement template.\n\nIt must include:\n\n- the planned content and schedule for training\n\n- what is expected and offered by the employer, the training provider and the apprentice\n\n- how to resolve queries or complaints", + "original_contents": [ + "

    Overview

    ", + "

    Apprentices are aged 16 or over and combine working with studying to gain skills and knowledge in a specific job.

    ", + "

    Apprentices can be new or current employees.

    ", + "

    You must pay the apprentice at least the minimum wage.

    ", + "

    Your apprentice must:

    ", + "
  • work with experienced staff
  • ", + "
  • learn job-specific skills
  • ", + "
  • get time for training or study during their working week (at least 20% of their normal working hours)
  • ", + "

    Hiring your apprentice

    ", + "

    There are several steps to taking on an apprentice.

    ", + "
  • Choose an apprenticeship for your business or organisation.
  • ", + "
  • Find an organisation that offers training for the apprenticeship you\u2019ve chosen.
  • ", + "
  • Check what funding is available for training and other costs to your organisation.
  • ", + "
  • Advertise your apprenticeship - you or your training provider can do this through the recruit an apprentice service.
  • ", + "
  • Select your apprentice and make an apprenticeship agreement and commitment statement with them.
  • ", + "

    If you do not want to hire and train the apprentice yourself, you can use an apprenticeship training agency. The apprentice will be employed by the agency but will work in your organisation.

    ", + "

    How long it lasts

    ", + "

    Apprenticeships must last for at least a year. They can last up to 5 years depending on the level the apprentice is studying.

    ", + "

    Get help

    ", + "

    Fill in the enquiry form or contact the National Apprenticeship Service for more information.

    ", + "

    You can get more information or use the webchat service on the apprenticeship service employer support site.

    ", + "

    Scotland, Wales and Northern Ireland

    ", + "

    Contact your apprenticeship authority if you\u2019re an employer in:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    Get funding

    ", + "

    You can get help from the government:

    ", + "
  • to pay for apprenticeship training and assessment
  • ", + "
  • as an incentive payment for other costs
  • ", + "

    Help to pay for apprenticeship training and assessment

    ", + "

    The amount you get depends on whether you pay the apprenticeship levy or not. You pay the levy if you\u2019re an employer with a pay bill over \u00a33 million each year.

    ", + "

    If you do not need to pay the levy

    ", + "

    You pay 5% towards the cost of training and assessing your apprentice. You need to:

    ", + "
  • agree a payment schedule with the training provider
  • ", + "
  • pay them directly for the training
  • ", + "

    The government will pay the rest (95%) up to the funding band maximum. They\u2019ll pay it directly to the training provider.

    ", + "

    You could be eligible for extra funding depending on both your and your apprentice\u2019s circumstances.

    ", + "

    You contribute 10% towards the cost of training and assessing your apprentice and the government pays the rest (90%) if your apprentice started before 1 April 2019. This rate continues until your apprentice completes their training.

    ", + "

    If you pay the levy

    ", + "

    You\u2019ll receive funds to spend on training and assessing your apprentices. The government will add 10%.

    ", + "

    How you get your funds and pay for training depends on whether you\u2019re in:

    ", + "
  • England
  • ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    Help to pay for other costs

    ", + "

    You can claim for an incentive payment for new apprentices who join your organisation.

    ", + "

    You can claim \u00a33,000 for apprentices who start between 1 April 2021 and 30 September 2021.

    ", + "

    The closing date for applications is 30 November 2021.

    ", + "

    Find out if you are eligible, what you can use the payment for and how to apply.

    ", + "

    Register for a digital service account

    ", + "

    Register for an apprenticeship service account to access funds or pay for training. You\u2019ll be able to apply for the incentive payment after you add new apprentices to your account.

    ", + "

    If you pay the apprenticeship levy and use an apprenticeship training agency, you cannot use funds from your digital account to pay for the training agency\u2019s services.

    ", + "

    Get help

    ", + "

    Fill in the enquiry form or contact the National Apprenticeship Service for more information.

    ", + "

    You can get more information or use the webchat service on the apprenticeship service employer support site.

    ", + "

    Pay and conditions for apprentices

    ", + "

    You are responsible for:

    ", + "
  • giving your apprentice their contract of employment
  • ", + "
  • paying your apprentice\u2019s wage
  • ", + "
  • signing an apprenticeship agreement
  • ", + "

    Pay for apprentices

    ", + "

    You must pay apprentices at least the National Minimum Wage.

    ", + "

    There\u2019s different rates of pay for apprentices depending on their age and what year of their apprenticeship they\u2019ve completed.

    ", + "

    The contract of employment should make it clear what wage you\u2019ll pay your apprentice and for what hours.

    ", + "

    Aged 16 to 18

    ", + "

    The current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.

    ", + "

    Aged 19 or over and in their first year

    ", + "

    The current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.

    ", + "

    Aged 19 or over and have completed their first year

    ", + "

    Apprentices will be entitled to the National Minimum Wage or National Living Wage rate for their age.

    ", + "

    Use the National Minimum Wage and Living Wage calculator to check if you\u2019re paying your apprentices correctly.

    ", + "

    Conditions

    ", + "

    Apprentices must work towards an approved apprenticeship. Their training must last at least 12 months.

    ", + "

    They must be employed in a real job that gives them the opportunity to gain the knowledge and skills they need to pass their assessment.

    ", + "

    Training and study

    ", + "

    You must pay your apprentice for time spent training or studying for their apprenticeship.

    ", + "

    Apprentices must spend at least 20% of their normal working hours training.

    ", + "

    The training might take place:

    ", + "
  • at their place of work
  • ", + "
  • somewhere else (for example, a college or training provider)
  • ", + "
  • online
  • ", + "

    If your apprentice is also studying for English or maths qualifications required by their apprenticeship, they are entitled to paid study time during their normal working hours.

    ", + "

    Employee rights

    ", + "

    You must offer apprentices the same conditions as other employees working at similar grades or in similar roles. This includes:

    ", + "
  • paid holidays
  • ", + "
  • sick pay
  • ", + "
  • any benefits you offer such as childcare voucher schemes
  • ", + "
  • any support you offer such as coaching or mentoring
  • ", + "

    Apprentices and redundancy

    ", + "

    Apprentices have the same employment rights as your other employees. Follow the process for making staff redundant if you have to make an apprentice redundant.

    ", + "

    Get legal advice if you want to end the apprenticeship early for another reason.

    ", + "

    Support for apprentices

    ", + "

    Your apprentice can get support if they\u2019re being made redundant or are at risk of redundancy.

    ", + "

    They can get:

    ", + "
  • financial and legal advice
  • ", + "
  • support for their health and wellbeing
  • ", + "
  • help finding another apprenticeship
  • ", + "

    Make an apprenticeship agreement

    ", + "

    You must sign an apprenticeship agreement with your apprentice.

    ", + "

    This gives details of:

    ", + "
  • the skill, trade or occupation the apprentice is being trained for
  • ", + "
  • the name of the apprenticeship they\u2019re working towards
  • ", + "
  • the start and end dates for the apprenticeship
  • ", + "
  • the amount of training you\u2019ll give them
  • ", + "

    You can write your own apprentice agreement or download an apprenticeship agreement template.

    ", + "

    Commitment statement

    ", + "

    You must sign a commitment statement with your apprentice and the training provider.

    ", + "

    You can write your own commitment statement or use the ESFA apprenticeship commitment statement template.

    ", + "

    It must include:

    ", + "
  • the planned content and schedule for training
  • ", + "
  • what is expected and offered by the employer, the training provider and the apprentice
  • ", + "
  • how to resolve queries or complaints
  • " + ] + }, + "https://www.gov.uk/further-education-courses": { + "url": "https://www.gov.uk/further-education-courses", + "title": "Further education courses and funding", + "content": "## Overview\n\nFurther education (FE) includes any study after secondary education that\u2019s not part of higher education (that is, not taken as part of an undergraduate or graduate degree).\n\nCourses range from basic English and maths to Higher National Diplomas (HNDs).\n\nFE also includes 3 types of technical and applied qualifications for 16 to 19-year-olds:\n\n- level 3 tech levels to specialise in a specific technical job\n\n- level 2 technical certificates help get employment or progress to another tech level\n\n- applied general qualifications to continue general education at advanced level through applied learning\n\n## Funding\n\nMany courses in reading, writing and basic maths are free, and you may not have to pay for tuition if you\u2019re under 24 and studying for your first qualification equivalent to GCSE or A level.\n\nFind out about financial support, for example for your course or day-to-day living costs.\n\n## Find a course\n\nUse the National Careers Service course search to find further education (FE) courses by course name, provider or subject.\n\nYou can also take courses through the internet or email (known as \u2018distance learning\u2019).\n\n## Comparing FE colleges\n\nYou can compare survey data from employers and learners about FE colleges.\n\n## Advice\n\nYou can get free advice from the National Careers Service if you need help choosing a course.\n\n## If you're 16 or 17\n\nIf you\u2019re aged 16 or 17 you can study a further education (FE) course:\n\n- full-time at school or college\n\n- while at work\n\nIf you\u2019re coming towards the end of a school or college course, you\u2019re guaranteed a place on an FE course the following autumn if you\u2019re under 18 years old.\n\nContact your school or local council to find out what\u2019s on offer.\n\n## Advice\n\nGet advice to help you decide on the right course from a National Careers Service adviser.\n\n## Financial help\n\nYou may be able to get help with the costs of:\n\n- your course\n\n- day-to-day living costs\n\n- childcare\n\nDepending on your circumstances and the subject you\u2019re studying, you may qualify for:\n\n- Learner Support\n\n- Residential Support Scheme\n\n- Care to Learn\n\n- Dance and Drama Awards\n\n- 16 to 19 Bursary Fund\n\n- a loan to help with the costs of a college or training course if you\u2019re 19 or older - called an Advanced Learning Loan\n\n## Funding for essential skills\n\nIn most cases you will not have to pay for level 1 and 2 English and maths courses. You might be able to take other courses for free.\n\n## Funding if you\u2019re on benefits\n\nYou can get free training if you\u2019re unemployed and:\n\n- claiming Jobseeker\u2019s Allowance\n\n- in an Employment and Support Allowance work-related activity group\n\n- required to do training as part of your Universal Credit claim\n\nYour Jobcentre work coach will tell you what training you can do.\n\nIf you\u2019re claiming other benefits or cannot get free training through your job centre, you may be able to get funding from colleges and training providers.\n\n## Funding from a charitable trust\n\nUse the Family Action grant search to check if you can get help from a charitable trust.\n\n## Advice\n\nFind out more about courses and what financial help you can get through the National Careers Service.", + "original_contents": [ + "

    Overview

    ", + "

    Further education (FE) includes any study after secondary education that\u2019s not part of higher education (that is, not taken as part of an undergraduate or graduate degree).

    ", + "

    Courses range from basic English and maths to Higher National Diplomas (HNDs).

    ", + "

    FE also includes 3 types of technical and applied qualifications for 16 to 19-year-olds:

    ", + "
  • level 3 tech levels to specialise in a specific technical job
  • ", + "
  • level 2 technical certificates help get employment or progress to another tech level
  • ", + "
  • applied general qualifications to continue general education at advanced level through applied learning
  • ", + "

    Funding

    ", + "

    Many courses in reading, writing and basic maths are free, and you may not have to pay for tuition if you\u2019re under 24 and studying for your first qualification equivalent to GCSE or A level.

    ", + "

    Find out about financial support, for example for your course or day-to-day living costs.

    ", + "

    Find a course

    ", + "

    Use the National Careers Service course search to find further education (FE) courses by course name, provider or subject.

    ", + "

    You can also take courses through the internet or email (known as \u2018distance learning\u2019).

    ", + "

    Comparing FE colleges

    ", + "

    You can compare survey data from employers and learners about FE colleges.

    ", + "

    Advice

    ", + "

    You can get free advice from the National Careers Service if you need help choosing a course.

    ", + "

    If you're 16 or 17

    ", + "

    If you\u2019re aged 16 or 17 you can study a further education (FE) course:

    ", + "
  • full-time at school or college
  • ", + "
  • while at work
  • ", + "

    If you\u2019re coming towards the end of a school or college course, you\u2019re guaranteed a place on an FE course the following autumn if you\u2019re under 18 years old.

    ", + "

    Contact your school or local council to find out what\u2019s on offer.

    ", + "

    Advice

    ", + "

    Get advice to help you decide on the right course from a National Careers Service adviser.

    ", + "

    Financial help

    ", + "

    You may be able to get help with the costs of:

    ", + "
  • your course
  • ", + "
  • day-to-day living costs
  • ", + "
  • childcare
  • ", + "

    Depending on your circumstances and the subject you\u2019re studying, you may qualify for:

    ", + "
  • Learner Support
  • ", + "
  • Residential Support Scheme
  • ", + "
  • Care to Learn
  • ", + "
  • Dance and Drama Awards
  • ", + "
  • 16 to 19 Bursary Fund
  • ", + "
  • a loan to help with the costs of a college or training course if you\u2019re 19 or older - called an Advanced Learning Loan
  • ", + "

    Funding for essential skills

    ", + "

    In most cases you will not have to pay for level 1 and 2 English and maths courses. You might be able to take other courses for free.

    ", + "

    Funding if you\u2019re on benefits

    ", + "

    You can get free training if you\u2019re unemployed and:

    ", + "
  • claiming Jobseeker\u2019s Allowance
  • ", + "
  • in an Employment and Support Allowance work-related activity group
  • ", + "
  • required to do training as part of your Universal Credit claim
  • ", + "

    Your Jobcentre work coach will tell you what training you can do.

    ", + "

    If you\u2019re claiming other benefits or cannot get free training through your job centre, you may be able to get funding from colleges and training providers.

    ", + "

    Funding from a charitable trust

    ", + "

    Use the Family Action grant search to check if you can get help from a charitable trust.

    ", + "

    Advice

    ", + "

    Find out more about courses and what financial help you can get through the National Careers Service.

    " + ] + }, + "https://www.gov.uk/residential-support-scheme": { + "url": "https://www.gov.uk/residential-support-scheme", + "title": "Get funding for college accommodation", + "content": "## Overview\n\nYou may be able to get help with the cost of term-time accommodation if you\u2019re studying a further education course that\u2019s far from your home.\n\nHow much you get depends on your household income.\n\nYou will not be able to get help with boarding school fees.\n\n## What you can apply for\n\nYou may be able to apply to get money from the following:\n\n- Residential Bursary Fund (RBF), if you study at a specialist residential centre\n\n- Residential Support Scheme (RSS), if you do not study at a specialist residential centre\n\n## Residential Bursary Fund\n\nYou may be able to get help with the cost of accommodation from the Residential Bursary Fund (RBF).\n\n## Eligibility\n\nYou must:\n\n- meet the residency requirements (your college will check this)\n\n- be at least 16 and under 19 on 31 August 2021\n\nYou may be eligible if you\u2019re 19 and either:\n\n- continuing on a course you started aged 16 to 18\n\n- have an education, health and care plan (EHCP)\n\nYour course must:\n\n- be at a specialist residential centre (your college can confirm this)\n\n- be too far to travel to each day (your college must agree with this)\n\n- be full-time\n\n- be \u201816 to 19 funded\u2019 (your college can confirm this)\n\n## What you\u2019ll get\n\nYour college will decide how much you get. It depends on your household income.\n\nYou can get payments for a maximum of 3 years.\n\n## How to claim\n\nContact the student support officer at your college for an application form and help with applying.\n\n## Residential Support Scheme\n\nYou may be able to get help with the cost of accommodation from the Residential Support Scheme (RSS).\n\n## Eligibility\n\nYou must:\n\n- be at least 16 and under 19 on 31 August 2021\n\n- meet the residency requirements (your college will check this)\n\n- not be on housing benefit\n\n- have a household income of less than \u00a330,993\n\n- be studying your first level 2 or level 3 qualification (for example 2 or more A levels, a diploma or a national vocational qualification)\n\nYou may be eligible if you\u2019re 19 and either:\n\n- continuing on a course you started aged 16 to 18\n\n- have an education, health and care plan (EHCP)\n\nYour course must:\n\n- not be at a specialist residential centre (your college can confirm this)\n\n- be full-time at a college in England\n\n- be \u201816 to 19 funded\u2019 (your college can confirm this)\n\nYour course must also be more than either 15 miles or a 2 hour round trip from your home, and not available any closer than that.\n\n## What you\u2019ll get\n\nThe table shows the maximum you can get each year. The actual amount you can get depends on your accommodation costs.\n\n| Gross household income | Studying outside London | Studying in London |\n\n| Up to \u00a321,000 | Up to \u00a33,458 | Up to \u00a34,079 |\n\n| \u00a321,001 to \u00a325,704 | Up to \u00a32,305 | Up to \u00a32,685 |\n\n| \u00a325,705 to \u00a330,993 | Up to \u00a31,152 | Up to \u00a31,355 |\n\n| \u00a330,994 or more | No award | No award |\n\nYou can get payments for a maximum of 3 years.\n\n## How to claim\n\nContact the student support officer at your college for an application form and help with applying.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to get help with the cost of term-time accommodation if you\u2019re studying a further education course that\u2019s far from your home.

    ", + "

    How much you get depends on your household income.

    ", + "

    You will not be able to get help with boarding school fees.

    ", + "

    What you can apply for

    ", + "

    You may be able to apply to get money from the following:

    ", + "
  • Residential Bursary Fund (RBF), if you study at a specialist residential centre
  • ", + "
  • Residential Support Scheme (RSS), if you do not study at a specialist residential centre
  • ", + "

    Residential Bursary Fund

    ", + "

    You may be able to get help with the cost of accommodation from the Residential Bursary Fund (RBF).

    ", + "

    Eligibility

    ", + "

    You must:

    ", + "
  • meet the residency requirements (your college will check this)
  • ", + "
  • be at least 16 and under 19 on 31 August 2021
  • ", + "

    You may be eligible if you\u2019re 19 and either:

    ", + "
  • continuing on a course you started aged 16 to 18
  • ", + "
  • have an education, health and care plan (EHCP)
  • ", + "

    Your course must:

    ", + "
  • be at a specialist residential centre (your college can confirm this)
  • ", + "
  • be too far to travel to each day (your college must agree with this)
  • ", + "
  • be full-time
  • ", + "
  • be \u201816 to 19 funded\u2019 (your college can confirm this)
  • ", + "

    What you\u2019ll get

    ", + "

    Your college will decide how much you get. It depends on your household income.

    ", + "

    You can get payments for a maximum of 3 years.

    ", + "

    How to claim

    ", + "

    Contact the student support officer at your college for an application form and help with applying.

    ", + "

    Residential Support Scheme

    ", + "

    You may be able to get help with the cost of accommodation from the Residential Support Scheme (RSS).

    ", + "

    Eligibility

    ", + "

    You must:

    ", + "
  • be at least 16 and under 19 on 31 August 2021
  • ", + "
  • meet the residency requirements (your college will check this)
  • ", + "
  • not be on housing benefit
  • ", + "
  • have a household income of less than \u00a330,993
  • ", + "
  • be studying your first level 2 or level 3 qualification (for example 2 or more A levels, a diploma or a national vocational qualification)
  • ", + "

    You may be eligible if you\u2019re 19 and either:

    ", + "
  • continuing on a course you started aged 16 to 18
  • ", + "
  • have an education, health and care plan (EHCP)
  • ", + "

    Your course must:

    ", + "
  • not be at a specialist residential centre (your college can confirm this)
  • ", + "
  • be full-time at a college in England
  • ", + "
  • be \u201816 to 19 funded\u2019 (your college can confirm this)
  • ", + "

    Your course must also be more than either 15 miles or a 2 hour round trip from your home, and not available any closer than that.

    ", + "

    What you\u2019ll get

    ", + "

    The table shows the maximum you can get each year. The actual amount you can get depends on your accommodation costs.

    ", + "Gross household income | Studying outside London | Studying in London", + "Up to \u00a321,000 | Up to \u00a33,458 | Up to \u00a34,079", + "\u00a321,001 to \u00a325,704 | Up to \u00a32,305 | Up to \u00a32,685", + "\u00a325,705 to \u00a330,993 | Up to \u00a31,152 | Up to \u00a31,355", + "\u00a330,994 or more | No award | No award", + "

    You can get payments for a maximum of 3 years.

    ", + "

    How to claim

    ", + "

    Contact the student support officer at your college for an application form and help with applying.

    " + ] + }, + "https://www.gov.uk/learner-support": { + "url": "https://www.gov.uk/learner-support", + "title": "Learner Support", + "content": "## Overview\n\nIf you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.\n\nYou apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare - if you qualify\n\n## What you'll get\n\nYour learning provider (for example, a college) decides how much you get. It depends on their scheme and your circumstances.\n\n## How the money is paid\n\nThe money could be:\n\n- a direct payment to you - which you don\u2019t have to pay back\n\n- a loan - which you have to pay back\n\n- paid to someone else, for example a landlord\n\nYour learning provider decides how the money is paid to you. It depends on their scheme and what the money is for.\n\nCheck with the student support staff at your college or the National Careers Service about other funding you could get.\n\n## Eligibility\n\nTo get Learner Support you must be:\n\n- 19 or over\n\n- studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)\n\nYou must be 20 or over to get help with childcare costs. If you\u2019re 19, apply for Care to Learn instead.\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Care to Learn\n\n- Disability Living Allowance\n\n## Who can\u2019t apply\n\nYou can\u2019t claim if you\u2019re:\n\n- getting student finance for higher education\n\n- on a Community Learning course\n\n## How to claim\n\nApply directly to your learning provider (for example, a college) - they each have their own application process.\n\nSpeak to your student support services to:\n\n- get help applying\n\n- find out what\u2019s available\n\n## Appeal a decision\n\nIf you\u2019re not happy with the decision about your Learner Support, contact your learning provider to appeal it.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.

    ", + "

    You apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.

    ", + "

    The money can help pay for things like:

    ", + "
  • accommodation and travel
  • ", + "
  • course materials and equipment
  • ", + "
  • childcare - if you qualify
  • ", + "

    What you'll get

    ", + "

    Your learning provider (for example, a college) decides how much you get. It depends on their scheme and your circumstances.

    ", + "

    How the money is paid

    ", + "

    The money could be:

    ", + "
  • a direct payment to you - which you don\u2019t have to pay back
  • ", + "
  • a loan - which you have to pay back
  • ", + "
  • paid to someone else, for example a landlord
  • ", + "

    Your learning provider decides how the money is paid to you. It depends on their scheme and what the money is for.

    ", + "

    Check with the student support staff at your college or the National Careers Service about other funding you could get.

    ", + "

    Eligibility

    ", + "

    To get Learner Support you must be:

    ", + "
  • 19 or over
  • ", + "
  • studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)
  • ", + "

    You must be 20 or over to get help with childcare costs. If you\u2019re 19, apply for Care to Learn instead.

    ", + "

    You can apply even if you get other types of funding, for example:

    ", + "
  • Professional and Career Development Loans
  • ", + "
  • Care to Learn
  • ", + "
  • Disability Living Allowance
  • ", + "

    Who can\u2019t apply

    ", + "

    You can\u2019t claim if you\u2019re:

    ", + "
  • getting student finance for higher education
  • ", + "
  • on a Community Learning course
  • ", + "

    How to claim

    ", + "

    Apply directly to your learning provider (for example, a college) - they each have their own application process.

    ", + "

    Speak to your student support services to:

    ", + "
  • get help applying
  • ", + "
  • find out what\u2019s available
  • ", + "

    Appeal a decision

    ", + "

    If you\u2019re not happy with the decision about your Learner Support, contact your learning provider to appeal it.

    " + ] + }, + "https://www.gov.uk/what-different-qualification-levels-mean": { + "url": "https://www.gov.uk/what-different-qualification-levels-mean", + "title": "What qualification levels mean", + "content": "## Overview\n\nMost qualifications have a difficulty level. The higher the level, the more difficult the qualification is.\n\nIf you need to know the level of a qualification, you can:\n\n- see a list of qualification levels in England, Wales and Northern Ireland\n\n- use the Register of Regulated Qualifications - if you know the name of the qualification and the exam board that runs it\n\n- compare qualification levels from other countries\n\nQualifications at the same level sometimes cover different amounts of the same subject.\n\n## Help\n\nContact the National Careers Service for advice about qualification levels if you\u2019re in England.\n\nFor the rest of the UK, contact:\n\n- Skills Development Scotland\n\n- Careers Wales\n\n- Northern Ireland Direct\n\n## England, Wales and Northern Ireland\n\nThere are 9 qualification levels.\n\n## Entry level\n\nEach entry level qualification is available at three sub-levels - 1, 2 and 3. Entry level 3 is the most difficult.\n\nEntry level qualifications are:\n\n- entry level award\n\n- entry level certificate (ELC)\n\n- entry level diploma\n\n- entry level English for speakers of other languages (ESOL)\n\n- entry level essential skills\n\n- entry level functional skills\n\n- Skills for Life\n\n## Level 1\n\nLevel 1 qualifications are:\n\n- first certificate\n\n- GCSE - grades 3, 2, 1 or grades D, E, F, G\n\n- level 1 award\n\n- level 1 certificate\n\n- level 1 diploma\n\n- level 1 ESOL\n\n- level 1 essential skills\n\n- level 1 functional skills\n\n- level 1 national vocational qualification (NVQ)\n\n- music grades 1, 2 and 3\n\n## Level 2\n\nLevel 2 qualifications are:\n\n- CSE - grade 1\n\n- GCSE - grades 9, 8, 7, 6, 5, 4 or grades A*, A, B, C\n\n- intermediate apprenticeship\n\n- level 2 award\n\n- level 2 certificate\n\n- level 2 diploma\n\n- level 2 ESOL\n\n- level 2 essential skills\n\n- level 2 functional skills\n\n- level 2 national certificate\n\n- level 2 national diploma\n\n- level 2 NVQ\n\n- music grades 4 and 5\n\n- O level - grade A, B or C\n\n## Level 3\n\nLevel 3 qualifications are:\n\n- A level\n\n- access to higher education diploma\n\n- advanced apprenticeship\n\n- applied general\n\n- AS level\n\n- international Baccalaureate diploma\n\n- level 3 award\n\n- level 3 certificate\n\n- level 3 diploma\n\n- level 3 ESOL\n\n- level 3 national certificate\n\n- level 3 national diploma\n\n- level 3 NVQ\n\n- music grades 6, 7 and 8\n\n- tech level\n\n## Level 4\n\nLevel 4 qualifications are:\n\n- certificate of higher education (CertHE)\n\n- higher apprenticeship\n\n- higher national certificate (HNC)\n\n- level 4 award\n\n- level 4 certificate\n\n- level 4 diploma\n\n- level 4 NVQ\n\n## Level 5\n\nLevel 5 qualifications are:\n\n- diploma of higher education (DipHE)\n\n- foundation degree\n\n- higher national diploma (HND)\n\n- level 5 award\n\n- level 5 certificate\n\n- level 5 diploma\n\n- level 5 NVQ\n\n## Level 6\n\nLevel 6 qualifications are:\n\n- degree apprenticeship\n\n- degree with honours - for example bachelor of the arts (BA) hons, bachelor of science (BSc) hons\n\n- graduate certificate\n\n- graduate diploma\n\n- level 6 award\n\n- level 6 certificate\n\n- level 6 diploma\n\n- level 6 NVQ\n\n- ordinary degree without honours\n\n## Level 7\n\nLevel 7 qualifications are:\n\n- integrated master\u2019s degree, for example master of engineering (MEng)\n\n- level 7 award\n\n- level 7 certificate\n\n- level 7 diploma\n\n- level 7 NVQ\n\n- master\u2019s degree, for example master of arts (MA), master of science (MSc)\n\n- postgraduate certificate\n\n- postgraduate certificate in education (PGCE)\n\n- postgraduate diploma\n\n## Level 8\n\nLevel 8 qualifications are:\n\n- doctorate, for example doctor of philosophy (PhD or DPhil)\n\n- level 8 award\n\n- level 8 certificate\n\n- level 8 diploma\n\n## Other countries\n\nQualifications outside England, Wales and Northern Ireland use different level systems.\n\n## Scotland\n\nYou can compare qualifications in Scotland with those in England, Wales and Northern Ireland.\n\n## Outside the UK\n\nYou can:\n\n- compare European qualifications\n\n- contact the UK National Academic Recognition Information Centre (UK NARIC) to compare a UK qualification with any non-UK qualification - there\u2019s a fee for this", + "original_contents": [ + "

    Overview

    ", + "

    Most qualifications have a difficulty level. The higher the level, the more difficult the qualification is.

    ", + "

    If you need to know the level of a qualification, you can:

    ", + "
  • see a list of qualification levels in England, Wales and Northern Ireland
  • ", + "
  • use the Register of Regulated Qualifications - if you know the name of the qualification and the exam board that runs it
  • ", + "
  • compare qualification levels from other countries
  • ", + "

    Qualifications at the same level sometimes cover different amounts of the same subject.

    ", + "

    Help

    ", + "

    Contact the National Careers Service for advice about qualification levels if you\u2019re in England.

    ", + "

    For the rest of the UK, contact:

    ", + "
  • Skills Development Scotland
  • ", + "
  • Careers Wales
  • ", + "
  • Northern Ireland Direct
  • ", + "

    England, Wales and Northern Ireland

    ", + "

    There are 9 qualification levels.

    ", + "

    Entry level

    ", + "

    Each entry level qualification is available at three sub-levels - 1, 2 and 3. Entry level 3 is the most difficult.

    ", + "

    Entry level qualifications are:

    ", + "
  • entry level award
  • ", + "
  • entry level certificate (ELC)
  • ", + "
  • entry level diploma
  • ", + "
  • entry level English for speakers of other languages (ESOL)
  • ", + "
  • entry level essential skills
  • ", + "
  • entry level functional skills
  • ", + "
  • Skills for Life
  • ", + "

    Level 1

    ", + "

    Level 1 qualifications are:

    ", + "
  • first certificate
  • ", + "
  • GCSE - grades 3, 2, 1 or grades D, E, F, G
  • ", + "
  • level 1 award
  • ", + "
  • level 1 certificate
  • ", + "
  • level 1 diploma
  • ", + "
  • level 1 ESOL
  • ", + "
  • level 1 essential skills
  • ", + "
  • level 1 functional skills
  • ", + "
  • level 1 national vocational qualification (NVQ)
  • ", + "
  • music grades 1, 2 and 3
  • ", + "

    Level 2

    ", + "

    Level 2 qualifications are:

    ", + "
  • CSE - grade 1
  • ", + "
  • GCSE - grades 9, 8, 7, 6, 5, 4 or grades A*, A, B, C
  • ", + "
  • intermediate apprenticeship
  • ", + "
  • level 2 award
  • ", + "
  • level 2 certificate
  • ", + "
  • level 2 diploma
  • ", + "
  • level 2 ESOL
  • ", + "
  • level 2 essential skills
  • ", + "
  • level 2 functional skills
  • ", + "
  • level 2 national certificate
  • ", + "
  • level 2 national diploma
  • ", + "
  • level 2 NVQ
  • ", + "
  • music grades 4 and 5
  • ", + "
  • O level - grade A, B or C
  • ", + "

    Level 3

    ", + "

    Level 3 qualifications are:

    ", + "
  • A level
  • ", + "
  • access to higher education diploma
  • ", + "
  • advanced apprenticeship
  • ", + "
  • applied general
  • ", + "
  • AS level
  • ", + "
  • international Baccalaureate diploma
  • ", + "
  • level 3 award
  • ", + "
  • level 3 certificate
  • ", + "
  • level 3 diploma
  • ", + "
  • level 3 ESOL
  • ", + "
  • level 3 national certificate
  • ", + "
  • level 3 national diploma
  • ", + "
  • level 3 NVQ
  • ", + "
  • music grades 6, 7 and 8
  • ", + "
  • tech level
  • ", + "

    Level 4

    ", + "

    Level 4 qualifications are:

    ", + "
  • certificate of higher education (CertHE)
  • ", + "
  • higher apprenticeship
  • ", + "
  • higher national certificate (HNC)
  • ", + "
  • level 4 award
  • ", + "
  • level 4 certificate
  • ", + "
  • level 4 diploma
  • ", + "
  • level 4 NVQ
  • ", + "

    Level 5

    ", + "

    Level 5 qualifications are:

    ", + "
  • diploma of higher education (DipHE)
  • ", + "
  • foundation degree
  • ", + "
  • higher national diploma (HND)
  • ", + "
  • level 5 award
  • ", + "
  • level 5 certificate
  • ", + "
  • level 5 diploma
  • ", + "
  • level 5 NVQ
  • ", + "

    Level 6

    ", + "

    Level 6 qualifications are:

    ", + "
  • degree apprenticeship
  • ", + "
  • degree with honours - for example bachelor of the arts (BA) hons, bachelor of science (BSc) hons
  • ", + "
  • graduate certificate
  • ", + "
  • graduate diploma
  • ", + "
  • level 6 award
  • ", + "
  • level 6 certificate
  • ", + "
  • level 6 diploma
  • ", + "
  • level 6 NVQ
  • ", + "
  • ordinary degree without honours
  • ", + "

    Level 7

    ", + "

    Level 7 qualifications are:

    ", + "
  • integrated master\u2019s degree, for example master of engineering (MEng)
  • ", + "
  • level 7 award
  • ", + "
  • level 7 certificate
  • ", + "
  • level 7 diploma
  • ", + "
  • level 7 NVQ
  • ", + "
  • master\u2019s degree, for example master of arts (MA), master of science (MSc)
  • ", + "
  • postgraduate certificate
  • ", + "
  • postgraduate certificate in education (PGCE)
  • ", + "
  • postgraduate diploma
  • ", + "

    Level 8

    ", + "

    Level 8 qualifications are:

    ", + "
  • doctorate, for example doctor of philosophy (PhD or DPhil)
  • ", + "
  • level 8 award
  • ", + "
  • level 8 certificate
  • ", + "
  • level 8 diploma
  • ", + "

    Other countries

    ", + "

    Qualifications outside England, Wales and Northern Ireland use different level systems.

    ", + "

    Scotland

    ", + "

    You can compare qualifications in Scotland with those in England, Wales and Northern Ireland.

    ", + "

    Outside the UK

    ", + "

    You can:

    ", + "
  • compare European qualifications
  • ", + "
  • contact the UK National Academic Recognition Information Centre (UK NARIC) to compare a UK qualification with any non-UK qualification - there\u2019s a fee for this
  • " + ] + }, + "https://www.gov.uk/appeal-qualification-result": { + "url": "https://www.gov.uk/appeal-qualification-result", + "title": "Appeal against an exam result", + "content": "## Overview\n\nYou can challenge the results of an exam or qualification if you think it\u2019s wrong.\n\n## GCSEs, AS levels or A levels\n\nYou can ask your school or college to get an exam result looked at again - this is called requesting a review.\n\nIf you\u2019re not satisfied with the outcome, your school or college can make an appeal to Ofqual.\n\n## Other qualifications\n\nAsk your school or college to appeal to the awarding organisation about the results for any other qualification, for example a BTEC or an NVQ.\n\nYou can appeal directly to the awarding organisation if you\u2019re a private student, for example, if you are home schooled or are a mature student.\n\nThe awarding organisation will send you a final report after they\u2019ve reviewed the result.\n\nIf you\u2019re not happy with the outcome of the appeal, you can contact Ofqual to make a complaint.\n\n## Wales, Scotland and Northern Ireland\n\nFind out more about the appeals process in:\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\n## Request a review\n\nYou can challenge the result of a GCSE, AS level or A level exam.\n\nYou can also challenge the result of another qualification.\n\n## Who can request a GCSE, AS level or A level review\n\nYou can ask your school or college to get an exam result looked at again (known as \u2018requesting a review\u2019). You cannot request a review yourself unless you\u2019re a private candidate, for example you were home schooled.\n\n## What happens next\n\nThe mark will be changed if the reviewer thinks it\u2019s wrong. The new mark may be higher or lower than the original.\n\nYou can ask your school or college\u2019s exams officer for more information about their internal appeals procedure and their policy on reviews of marking and moderation.\n\nYou can appeal against a review if you\u2019re unhappy with the decision.\n\nYou or your school may have to pay if the mark is not changed.\n\n## Deadlines\n\nThe deadlines for requesting a review are:\n\n- A levels - 4 February 2021\n\n- GCSE English language and maths - 18 February 2021\n\n- all other GCSEs - 18 March 2021\n\nCheck with your exam board to find out the deadline for other qualifications.\n\n## Appeal against a review\n\nIf you asked for an exam result to be reviewed and you\u2019re not happy with the decision, you can appeal to Ofqual.\n\nAsk the exams officer, headteacher or principal at your school or college to make an appeal. You cannot make an appeal yourself unless you\u2019re a private candidate, for example you were home schooled.\n\nYou need to appeal within 21 days of getting the result of a review.\n\nRead more about making appeals to Ofqual.\n\n## What happens next\n\nOfqual will tell you if your review is going ahead and will keep you updated.\n\nIf your review is rejected, Ofqual will tell you why.\n\n## If you cannot apply online\n\nContact Ofqual if you cannot apply online or have any questions about the appeal process.", + "original_contents": [ + "

    Overview

    ", + "

    You can challenge the results of an exam or qualification if you think it\u2019s wrong.

    ", + "

    GCSEs, AS levels or A levels

    ", + "

    You can ask your school or college to get an exam result looked at again - this is called requesting a review.

    ", + "

    If you\u2019re not satisfied with the outcome, your school or college can make an appeal to Ofqual.

    ", + "

    Other qualifications

    ", + "

    Ask your school or college to appeal to the awarding organisation about the results for any other qualification, for example a BTEC or an NVQ.

    ", + "

    You can appeal directly to the awarding organisation if you\u2019re a private student, for example, if you are home schooled or are a mature student.

    ", + "

    The awarding organisation will send you a final report after they\u2019ve reviewed the result.

    ", + "

    If you\u2019re not happy with the outcome of the appeal, you can contact Ofqual to make a complaint.

    ", + "

    Wales, Scotland and Northern Ireland

    ", + "

    Find out more about the appeals process in:

    ", + "
  • Wales
  • ", + "
  • Scotland
  • ", + "
  • Northern Ireland
  • ", + "

    Request a review

    ", + "

    You can challenge the result of a GCSE, AS level or A level exam.

    ", + "

    You can also challenge the result of another qualification.

    ", + "

    Who can request a GCSE, AS level or A level review

    ", + "

    You can ask your school or college to get an exam result looked at again (known as \u2018requesting a review\u2019). You cannot request a review yourself unless you\u2019re a private candidate, for example you were home schooled.

    ", + "

    What happens next

    ", + "

    The mark will be changed if the reviewer thinks it\u2019s wrong. The new mark may be higher or lower than the original.

    ", + "

    You can ask your school or college\u2019s exams officer for more information about their internal appeals procedure and their policy on reviews of marking and moderation.

    ", + "

    You can appeal against a review if you\u2019re unhappy with the decision.

    ", + "

    You or your school may have to pay if the mark is not changed.

    ", + "

    Deadlines

    ", + "

    The deadlines for requesting a review are:

    ", + "
  • A levels - 4 February 2021
  • ", + "
  • GCSE English language and maths - 18 February 2021
  • ", + "
  • all other GCSEs - 18 March 2021
  • ", + "

    Check with your exam board to find out the deadline for other qualifications.

    ", + "

    Appeal against a review

    ", + "

    If you asked for an exam result to be reviewed and you\u2019re not happy with the decision, you can appeal to Ofqual.

    ", + "

    Ask the exams officer, headteacher or principal at your school or college to make an appeal. You cannot make an appeal yourself unless you\u2019re a private candidate, for example you were home schooled.

    ", + "

    You need to appeal within 21 days of getting the result of a review.

    ", + "

    Read more about making appeals to Ofqual.

    ", + "

    What happens next

    ", + "

    Ofqual will tell you if your review is going ahead and will keep you updated.

    ", + "

    If your review is rejected, Ofqual will tell you why.

    ", + "

    If you cannot apply online

    ", + "

    Contact Ofqual if you cannot apply online or have any questions about the appeal process.

    " + ] + }, + "https://www.gov.uk/support-military-bereaved-children": { + "url": "https://www.gov.uk/support-military-bereaved-children", + "title": "Scholarships for children whose parent died in service", + "content": "## Overview\n\nYou can apply for help with the costs of further and higher education if all of the following are true:\n\n- one of your parents died as a result of their service in the armed forces\n\n- your parent died on or after 1 January 1990\n\n- you\u2019re 16 or over and in full-time education\n\n- you or a surviving parent receive bereavement benefits from the Armed Forces Compensation scheme, War Pension scheme or Armed Forces Attributable Benefits scheme\n\nYou cannot apply if you were the foster child of the person who died.\n\n## What you can use the scholarship for\n\nYou can use the money to pay tuition fees and your maintenance for:\n\n- a further education course of up to 3 years\n\n- your first undergraduate course at a UK university or other higher education institution (such as a college or art school) - this can include study abroad if it\u2019s part of the course\n\n- a higher level technical education course at qualification levels 4, 5 or 6\n\nIf you\u2019re unsure about the type of course ask the college or university you want to apply to.\n\n## What you'll get\n\nIn the 2018 to 2019 academic year you can apply for up to:\n\n- \u00a31,500 for a further education course\n\n- \u00a39,250 for tuition fees and \u00a34,950 for a Maintenance Grant for a higher education or higher level technical education course\n\nIf you\u2019re studying in Scotland, Northern Ireland or Wales, you can apply for up to \u00a39,000 for tuition fees and \u00a34,950 for a Maintenance Grant.\n\n## How the payments are made\n\nPayments are made 3 times a year no later than:\n\n- 31 October\n\n- 31 January\n\n- 30 April\n\nYour college or university must have confirmed that you\u2019re registered for a course and attending before any payment is sent.\n\nPayments can be backdated in some circumstances, for example you become eligible for a scholarship and apply while studying.\n\nFurther education scholarships are paid to either you or your parent or guardian.\n\nUniversity and other higher education scholarships are paid directly to you.\n\nAll scholarships are tax free.\n\n## How to apply\n\nDownload and fill in the bereavement scholarship scheme application.\n\nPost your application to the address on the form.\n\nIf you\u2019re applying for a higher education scholarship (for example, an undergraduate degree from a UK university), also include:\n\n- a letter from the college or university confirming that you\u2019ve accepted their offer of a place\n\n- proof of the fees, for example a photocopy of your tuition fees invoice\n\n## Deadlines\n\nVeterans UK must receive your application by 31 January in the academic year of your further education or university course.\n\nYou can apply from 1 April in the academic year you\u2019ll begin studying.\n\n## What happens next\n\nThe Veterans UK Scheme Administrator will get in touch to confirm whether you\u2019re eligible for the scholarship you\u2019ve applied for.\n\nHow long it takes to find out if you\u2019re eligible depends on the evidence you provide with your application.\n\n## If you\u2019re applying for a university or higher education scholarship\n\nRegister with the Student Loans Company to ensure you\u2019re charged UK student fees for your course.\n\n## Appeals\n\nIf you disagree with the decision you must appeal to Veterans UK in writing.\n\n## Help with your application\n\nContact the Veterans UK helpline if you have any questions about the scholarships, for example what you need to do to apply or how to fill out the application form.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for help with the costs of further and higher education if all of the following are true:

    ", + "
  • one of your parents died as a result of their service in the armed forces
  • ", + "
  • your parent died on or after 1 January 1990
  • ", + "
  • you\u2019re 16 or over and in full-time education
  • ", + "
  • you or a surviving parent receive bereavement benefits from the Armed Forces Compensation scheme, War Pension scheme or Armed Forces Attributable Benefits scheme
  • ", + "

    You cannot apply if you were the foster child of the person who died.

    ", + "

    What you can use the scholarship for

    ", + "

    You can use the money to pay tuition fees and your maintenance for:

    ", + "
  • a further education course of up to 3 years
  • ", + "
  • your first undergraduate course at a UK university or other higher education institution (such as a college or art school) - this can include study abroad if it\u2019s part of the course
  • ", + "
  • a higher level technical education course at qualification levels 4, 5 or 6
  • ", + "

    If you\u2019re unsure about the type of course ask the college or university you want to apply to.

    ", + "

    What you'll get

    ", + "

    In the 2018 to 2019 academic year you can apply for up to:

    ", + "
  • \u00a31,500 for a further education course
  • ", + "
  • \u00a39,250 for tuition fees and \u00a34,950 for a Maintenance Grant for a higher education or higher level technical education course
  • ", + "

    If you\u2019re studying in Scotland, Northern Ireland or Wales, you can apply for up to \u00a39,000 for tuition fees and \u00a34,950 for a Maintenance Grant.

    ", + "

    How the payments are made

    ", + "

    Payments are made 3 times a year no later than:

    ", + "
  • 31 October
  • ", + "
  • 31 January
  • ", + "
  • 30 April
  • ", + "

    Your college or university must have confirmed that you\u2019re registered for a course and attending before any payment is sent.

    ", + "

    Payments can be backdated in some circumstances, for example you become eligible for a scholarship and apply while studying.

    ", + "

    Further education scholarships are paid to either you or your parent or guardian.

    ", + "

    University and other higher education scholarships are paid directly to you.

    ", + "

    All scholarships are tax free.

    ", + "

    How to apply

    ", + "

    Download and fill in the bereavement scholarship scheme application.

    ", + "

    Post your application to the address on the form.

    ", + "

    If you\u2019re applying for a higher education scholarship (for example, an undergraduate degree from a UK university), also include:

    ", + "
  • a letter from the college or university confirming that you\u2019ve accepted their offer of a place
  • ", + "
  • proof of the fees, for example a photocopy of your tuition fees invoice
  • ", + "

    Deadlines

    ", + "

    Veterans UK must receive your application by 31 January in the academic year of your further education or university course.

    ", + "

    You can apply from 1 April in the academic year you\u2019ll begin studying.

    ", + "

    What happens next

    ", + "

    The Veterans UK Scheme Administrator will get in touch to confirm whether you\u2019re eligible for the scholarship you\u2019ve applied for.

    ", + "

    How long it takes to find out if you\u2019re eligible depends on the evidence you provide with your application.

    ", + "

    If you\u2019re applying for a university or higher education scholarship

    ", + "

    Register with the Student Loans Company to ensure you\u2019re charged UK student fees for your course.

    ", + "

    Appeals

    ", + "

    If you disagree with the decision you must appeal to Veterans UK in writing.

    ", + "

    Help with your application

    ", + "

    Contact the Veterans UK helpline if you have any questions about the scholarships, for example what you need to do to apply or how to fill out the application form.

    " + ] + }, + "https://www.gov.uk/adult-dependants-grant": { + "url": "https://www.gov.uk/adult-dependants-grant", + "title": "Adult Dependants' Grant", + "content": "## Overview\n\nIf you\u2019re a full-time student in higher education and an adult depends on you financially, you can apply for an Adult Dependants\u2019 Grant of up to:\n\n- \u00a33,190 for the 2021 to 2022 academic year\n\n- \u00a33,094 for the 2020 to 2021 academic year\n\nThe grant:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\nYou cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.\n\n## What you'll get\n\nThe maximum Adult Dependants\u2019 Grant is:\n\n- \u00a33,190 for the 2021 to 2022 academic year\n\n- \u00a33,094 for the 2020 to 2021 academic year\n\nYou do not have to pay this money back.\n\nAdult Dependants\u2019 Grant will affect any income-related benefits and tax credits you might get.\n\n## What it\u2019s based on\n\nThe amount you get depends on:\n\n- your income\n\n- the adult dependant\u2019s income\n\n- your personal circumstances, for example if you\u2019re married or have children\n\n- what other grants you\u2019re receiving, for example Childcare Grant\n\n## How you\u2019re paid\n\nThe money is paid in 3 instalments (one at the start of each term) directly into your bank account.\n\n## Eligibility\n\nUsually the adult dependant will be:\n\n- your husband, wife, partner or civil partner\n\n- a relative, such as a parent or grandparent\n\nIf you\u2019re under 25, the adult dependant cannot be your partner unless you\u2019re married or in a civil partnership.\n\nYou\u2019re not eligible if the adult dependant is:\n\n- your child\n\n- a relative who earns more than \u00a33,796 a year\n\n- getting student finance\n\nYou cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.\n\n## How to apply\n\n- Fill in the Adult Dependants\u2019 Grant section on your main student finance application - you\u2019ll need to give estimates of your household income.\n\n- Student Finance England will assess your application and contact you if they need more information.\n\n- Student Finance England will send you a letter telling you if you qualify and how much money you\u2019ll get.\n\n## Supporting information\n\nStudent Finance England may contact you and ask for further information on your financial circumstances. This can include a copy of:\n\n- your P60\n\n- Child Benefit details\n\n- family tax credits details\n\n- financial information from your partner, for example bank statements", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re a full-time student in higher education and an adult depends on you financially, you can apply for an Adult Dependants\u2019 Grant of up to:

    ", + "
  • \u00a33,190 for the 2021 to 2022 academic year
  • ", + "
  • \u00a33,094 for the 2020 to 2021 academic year
  • ", + "

    The grant:

    ", + "
  • does not have to be paid back
  • ", + "
  • is paid on top of your other student finance
  • ", + "

    You cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.

    ", + "

    What you'll get

    ", + "

    The maximum Adult Dependants\u2019 Grant is:

    ", + "
  • \u00a33,190 for the 2021 to 2022 academic year
  • ", + "
  • \u00a33,094 for the 2020 to 2021 academic year
  • ", + "

    You do not have to pay this money back.

    ", + "

    Adult Dependants\u2019 Grant will affect any income-related benefits and tax credits you might get.

    ", + "

    What it\u2019s based on

    ", + "

    The amount you get depends on:

    ", + "
  • your income
  • ", + "
  • the adult dependant\u2019s income
  • ", + "
  • your personal circumstances, for example if you\u2019re married or have children
  • ", + "
  • what other grants you\u2019re receiving, for example Childcare Grant
  • ", + "

    How you\u2019re paid

    ", + "

    The money is paid in 3 instalments (one at the start of each term) directly into your bank account.

    ", + "

    Eligibility

    ", + "

    Usually the adult dependant will be:

    ", + "
  • your husband, wife, partner or civil partner
  • ", + "
  • a relative, such as a parent or grandparent
  • ", + "

    If you\u2019re under 25, the adult dependant cannot be your partner unless you\u2019re married or in a civil partnership.

    ", + "

    You\u2019re not eligible if the adult dependant is:

    ", + "
  • your child
  • ", + "
  • a relative who earns more than \u00a33,796 a year
  • ", + "
  • getting student finance
  • ", + "

    You cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.

    ", + "

    How to apply

    ", + "
  • Fill in the Adult Dependants\u2019 Grant section on your main student finance application - you\u2019ll need to give estimates of your household income.
  • ", + "
  • Student Finance England will assess your application and contact you if they need more information.
  • ", + "
  • Student Finance England will send you a letter telling you if you qualify and how much money you\u2019ll get.
  • ", + "

    Supporting information

    ", + "

    Student Finance England may contact you and ask for further information on your financial circumstances. This can include a copy of:

    ", + "
  • your P60
  • ", + "
  • Child Benefit details
  • ", + "
  • family tax credits details
  • ", + "
  • financial information from your partner, for example bank statements
  • " + ] + }, + "https://www.gov.uk/doctoral-loan": { + "url": "https://www.gov.uk/doctoral-loan", + "title": "Doctoral Loan", + "content": "## Overview\n\nA Postgraduate Doctoral Loan can help with course fees and living costs while you study a postgraduate doctoral course, such as a PhD.\n\nThere\u2019s different funding if you normally live in Wales. Moving somewhere to study does not count as normally living there.\n\nYou can also get extra support if you have a disability.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## When you can apply\n\nYou\u2019ll be able to apply for funding for the 2021 to 2022 academic year from summer 2021. Applications are not yet open - this guide will be updated as soon as they are.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a327,265 if your course starts on or after 1 August 2021\n\n- \u00a326,445 if your course starts between 1 August 2020 and 31 July 2021\n\n- \u00a325,700 if your course started between 1 August 2019 and 31 July 2020\n\nThe amount you\u2019ll get is not based on you or your family\u2019s income.\n\nThe Department for Work and Pensions (DWP) may take account of the loan when working out any benefits you receive.\n\nThe loan is paid directly to you. You can use it for your course fees and living costs.\n\nThe loan will be divided equally across each year of your course.\n\n## If you apply after your first year\n\nYou can apply for a Postgraduate Doctoral Loan in any year of your course. But if you apply after your first year, you might not get the maximum amount.\n\nYou can get up to:\n\n- \u00a311,570 each year if your course starts on or after 1 August 2021\n\n- \u00a311,222 each year if your course started between 1 August 2020 and 31 July 2021\n\n- \u00a310,906 each year if your course started between 1 August 2019 and 31 July 2020\n\n## When you\u2019re paid\n\nYou get the first payment after your course start date, once your university or college confirms that you\u2019ve registered.\n\nThe loan will be paid in 3 instalments of 33%, 33% and 34% each year. After your application has been approved you\u2019ll be sent a letter with your payment dates or you can check them in your online account.\n\n## Eligibility\n\nWhether you qualify depends on:\n\n- your course\n\n- your age\n\n- your nationality or residency status\n\nYou will not be able to get a Postgraduate Doctoral Loan if:\n\n- you\u2019ve received or will receive Research Council funding (for example, studentships, stipends, scholarships and tuition fee support)\n\n- you\u2019re already getting a social work bursary\n\n- you\u2019re already getting an Educational Psychology bursary and your course starts on or after 1 August 2020\n\n- you\u2019re eligible to apply for an NHS bursary (even if you\u2019re not receiving it)\n\n- you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying\n\n- you\u2019ve received a Postgraduate Doctoral Loan before - unless you left your course due to illness, bereavement or another serious personal reason\n\n- you already have a doctoral degree, or a qualification that\u2019s equivalent or higher\n\n- you\u2019re receiving a doctorate by publication\n\n- you\u2019re behind in repayments for any previous loans from the Student Loans Company\n\n## Your course\n\nIt must:\n\n- be a full, standalone doctoral course (not a top-up course)\n\n- have started on or after 1 August 2018\n\n- last between 3 to 8 academic years\n\n- be provided by a university in the UK with research degree awarding powers\n\nIf more than one university delivers your course and one is overseas, you\u2019ll still be eligible for the Postgraduate Doctoral Loan so long as:\n\n- the UK university is the lead institution\n\n- you spend at least 50% of your study time over the whole course in the UK\n\nIt can be:\n\n- full-time or part-time\n\n- taught or research-based, or a combination of both\n\nExamples of postgraduate doctoral qualifications include:\n\n- PhD / DPhil (Doctor of Philosophy)\n\n- EdD (Doctor of Education)\n\n- EngD (Doctor of Engineering)\n\n## Integrated doctorals\n\nYou can apply for a loan if your doctoral programme includes an integrated master\u2019s degree (even if you already have a master\u2019s degree).\n\nYou must register for a full doctoral degree.\n\nYou will not be able to apply for a separate Postgraduate Master\u2019s Loan.\n\n## Distance learning\n\nTo qualify for a Postgraduate Doctoral Loan for distance learning, you\u2019ll need to be living in England on the first day of the first academic year of your course.\n\nYou\u2019ll also need to live in:\n\n- England for the whole of your course, if you\u2019re an EU national\n\n- the UK for the whole of your course, if you\u2019re not an EU national\n\nThis usually does not apply if you\u2019re:\n\n- serving in the armed forces\n\n- a spouse or civil partner of a serving member of the armed forces\n\n- a dependent parent living with a serving member of the armed forces\n\n## Your age\n\nYou must be under 60 on the first day of the first academic year of your course.\n\nThe academic year is a period of 12 months starting on:\n\n- 1 September, if your course starts between 1 August and 31 December\n\n- 1 January, if your course starts between 1 January and 31 March\n\n- 1 April, if your course starts between 1 April and 30 June\n\n- 1 July, if your course starts between 1 July and 31 July\n\n## Your nationality or residency status\n\nYou can apply for the Postgraduate Doctoral Loan if all of the following are true:\n\n- you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay\n\n- you normally live in England\n\n- you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday\n\nYou may also be eligible if you\u2019re a UK national (or family member of a UK national) who either:\n\n- returned to the UK on or after 1 January 2018 and by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- was living in the EU, Switzerland, Norway, Iceland or Liechtenstein on 31 December 2020 and has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years\n\n## If you\u2019re an EU national or a family member of an EU national\n\nYou may be eligible if you\u2019re an EU national, or a family member of an EU national, and all the following apply:\n\n- you have settled or pre-settled status under the EU Settlement Scheme (no restrictions on how long you can stay)\n\n- you\u2019ve normally lived in the UK, Gibraltar, EU, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years (this is also known as being \u2018ordinarily resident\u2019)\n\n- you\u2019ll be studying at a university in England\n\nYou could also be eligible if you\u2019re:\n\n- the child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme\n\n- a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein, or a family member of one with settled or pre-settled status\n\n- a resident of Gibraltar who is a UK or EU national, or their family member\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## If you have a different residency status\n\nYou may also be eligible if your residency status is one of the following:\n\n- refugee (including family members)\n\n- humanitarian protection (including family members)\n\n- child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020\n\n- a stateless person (including family members)\n\n- an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment\n\n- a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)\n\n- granted \u2018Calais leave\u2019 to remain\n\n- a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)\n\n- you\u2019ve been given settled status but not under the EU Settlement Scheme\n\n- you\u2019ve been given indefinite leave to remain because you\u2019ve been the victim of domestic violence\n\n- you\u2019ve been granted indefinite leave to remain as a bereaved partner\n\n- you\u2019re the family member of a person of Northern Ireland and you have pre-settled status under the EU Settlement Scheme\n\n## If you\u2019re a non-UK national and have lived in the UK for a certain number of years\n\nYou could also be eligible if you\u2019re not a UK national and are either:\n\n- under 18 and have lived in the UK for at least 7 years\n\n- 18 or over and have lived in the UK for at least 20 years (or at least half of your life)\n\nYou must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.\n\n## How to apply\n\nYou can apply now for courses that start or started in the following academic years:\n\n- 2020 to 2021\n\n- 2019 to 2020\n\n- 2018 to 2019\n\nYou can apply in summer 2021 for courses that start in the academic year 2021 to 2022. Applications are not yet open - this guide will be updated as soon as they are.\n\nCheck whether you\u2019re eligible before you apply.\n\nYou only need to apply once for the Postgraduate Doctoral Loan. Student Finance England will write to you in the summer to tell you how much you\u2019ll get in the next academic year.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## Apply online\n\nIf you\u2019ve taken out a loan with Student Finance England before, use your account to apply.\n\nIf you do not already have one, set up an account.\n\n## Apply by post\n\nIf you cannot apply online, apply by post \u2013 the address is on the form.\n\n## If your course starts in the 2020 to 2021 academic year\n\n## If your course starts in the 2019 to 2020 academic year\n\n## If your course started in the 2018\u00a0to 2019\u00a0academic year\n\nRead the student finance privacy notice to find out how the information you provide will be used.\n\n## When to apply by\n\nThe deadline for applying depends on when you start your course.\n\nYou need to apply within 9 months of the first day of the last academic year of the course.\n\n## The academic year\n\nThe academic year is a period of 12 months.\n\n| Course start date between | First day of academic year |\n\n| 1 August and 31 December | 1 September |\n\n| 1 January and 31 March | 1 January |\n\n| 1 April and 30 June | 1 April |\n\n| 1 July and 31 July | 1 July |\n\n## Proof of identity\n\nInclude valid UK passport details in your application.\n\nUse the \u2018UK passport details\u2019 form if you need to send the details after your application. Do not send the passport itself.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re an EU national, send your passport or national identity card.\n\n## Supporting information\n\nYou should use the evidence return form for extra information to support your application, for example evidence of your residency status.\n\nYou may also be asked to complete the UK employment status form.\n\n## Change an application\n\nUse your online account to change your personal details, for example bank or contact details. Contact Student Finance England directly if you do not have an account.\n\n## Change the amount you\u2019ve asked for\n\nUse the loan request form to change the amount you\u2019ve applied for - you cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course starts in the 2019 to 2020 academic year:\n\n## Other changes\n\nUse the change of circumstances form if you need to change any other details, for example your university or course. You cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course starts in the 2019 to 2020 academic year:\n\n## Taking a break or withdrawing from your course\n\nTell Student Finance England and your institution straight away if you need to withdraw from your course. It may affect your future payments and eligibility for funding.\n\n## Extra help\n\nYou may qualify for other funding, for example grants from charities or trusts.\n\nStudent Finance England also has more information about other kinds of student finance.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## Disabled students\n\nIf you have a disability, long-term health condition, mental health condition or specific learning difficulty (for example dyslexia) you can apply for:\n\n- Disabled Students\u2019 Allowance\n\n- extra help if you\u2019re experiencing financial hardship\n\nYou may also qualify for disability related benefits.\n\n## Further information\n\nYou can learn more about the Postgraduate Doctoral Loan at the Student \nRoom website.\n\nContact Student Finance England if you have further questions.", + "original_contents": [ + "

    Overview

    ", + "

    A Postgraduate Doctoral Loan can help with course fees and living costs while you study a postgraduate doctoral course, such as a PhD.

    ", + "

    There\u2019s different funding if you normally live in Wales. Moving somewhere to study does not count as normally living there.

    ", + "

    You can also get extra support if you have a disability.

    ", + "

    You will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.

    ", + "

    When you can apply

    ", + "

    You\u2019ll be able to apply for funding for the 2021 to 2022 academic year from summer 2021. Applications are not yet open - this guide will be updated as soon as they are.

    ", + "

    When you repay your loan

    ", + "

    You\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).

    ", + "

    You\u2019ll be charged interest from the day you get the first payment.

    ", + "

    What you'll get

    ", + "

    You can get up to:

    ", + "
  • \u00a327,265 if your course starts on or after 1 August 2021
  • ", + "
  • \u00a326,445 if your course starts between 1 August 2020 and 31 July 2021
  • ", + "
  • \u00a325,700 if your course started between 1 August 2019 and 31 July 2020
  • ", + "

    The amount you\u2019ll get is not based on you or your family\u2019s income.

    ", + "

    The Department for Work and Pensions (DWP) may take account of the loan when working out any benefits you receive.

    ", + "

    The loan is paid directly to you. You can use it for your course fees and living costs.

    ", + "

    The loan will be divided equally across each year of your course.

    ", + "

    If you apply after your first year

    ", + "

    You can apply for a Postgraduate Doctoral Loan in any year of your course. But if you apply after your first year, you might not get the maximum amount.

    ", + "

    You can get up to:

    ", + "
  • \u00a311,570 each year if your course starts on or after 1 August 2021
  • ", + "
  • \u00a311,222 each year if your course started between 1 August 2020 and 31 July 2021
  • ", + "
  • \u00a310,906 each year if your course started between 1 August 2019 and 31 July 2020
  • ", + "

    When you\u2019re paid

    ", + "

    You get the first payment after your course start date, once your university or college confirms that you\u2019ve registered.

    ", + "

    The loan will be paid in 3 instalments of 33%, 33% and 34% each year. After your application has been approved you\u2019ll be sent a letter with your payment dates or you can check them in your online account.

    ", + "

    Eligibility

    ", + "

    Whether you qualify depends on:

    ", + "
  • your course
  • ", + "
  • your age
  • ", + "
  • your nationality or residency status
  • ", + "

    You will not be able to get a Postgraduate Doctoral Loan if:

    ", + "
  • you\u2019ve received or will receive Research Council funding (for example, studentships, stipends, scholarships and tuition fee support)
  • ", + "
  • you\u2019re already getting a social work bursary
  • ", + "
  • you\u2019re already getting an Educational Psychology bursary and your course starts on or after 1 August 2020
  • ", + "
  • you\u2019re eligible to apply for an NHS bursary (even if you\u2019re not receiving it)
  • ", + "
  • you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying
  • ", + "
  • you\u2019ve received a Postgraduate Doctoral Loan before - unless you left your course due to illness, bereavement or another serious personal reason
  • ", + "
  • you already have a doctoral degree, or a qualification that\u2019s equivalent or higher
  • ", + "
  • you\u2019re receiving a doctorate by publication
  • ", + "
  • you\u2019re behind in repayments for any previous loans from the Student Loans Company
  • ", + "

    Your course

    ", + "

    It must:

    ", + "
  • be a full, standalone doctoral course (not a top-up course)
  • ", + "
  • have started on or after 1 August 2018
  • ", + "
  • last between 3 to 8 academic years
  • ", + "
  • be provided by a university in the UK with research degree awarding powers
  • ", + "

    If more than one university delivers your course and one is overseas, you\u2019ll still be eligible for the Postgraduate Doctoral Loan so long as:

    ", + "
  • the UK university is the lead institution
  • ", + "
  • you spend at least 50% of your study time over the whole course in the UK
  • ", + "

    It can be:

    ", + "
  • full-time or part-time
  • ", + "
  • taught or research-based, or a combination of both
  • ", + "

    Examples of postgraduate doctoral qualifications include:

    ", + "
  • PhD / DPhil (Doctor of Philosophy)
  • ", + "
  • EdD (Doctor of Education)
  • ", + "
  • EngD (Doctor of Engineering)
  • ", + "

    Integrated doctorals

    ", + "

    You can apply for a loan if your doctoral programme includes an integrated master\u2019s degree (even if you already have a master\u2019s degree).

    ", + "

    You must register for a full doctoral degree.

    ", + "

    You will not be able to apply for a separate Postgraduate Master\u2019s Loan.

    ", + "

    Distance learning

    ", + "

    To qualify for a Postgraduate Doctoral Loan for distance learning, you\u2019ll need to be living in England on the first day of the first academic year of your course.

    ", + "

    You\u2019ll also need to live in:

    ", + "
  • England for the whole of your course, if you\u2019re an EU national
  • ", + "
  • the UK for the whole of your course, if you\u2019re not an EU national
  • ", + "

    This usually does not apply if you\u2019re:

    ", + "
  • serving in the armed forces
  • ", + "
  • a spouse or civil partner of a serving member of the armed forces
  • ", + "
  • a dependent parent living with a serving member of the armed forces
  • ", + "

    Your age

    ", + "

    You must be under 60 on the first day of the first academic year of your course.

    ", + "

    The academic year is a period of 12 months starting on:

    ", + "
  • 1 September, if your course starts between 1 August and 31 December
  • ", + "
  • 1 January, if your course starts between 1 January and 31 March
  • ", + "
  • 1 April, if your course starts between 1 April and 30 June
  • ", + "
  • 1 July, if your course starts between 1 July and 31 July
  • ", + "

    Your nationality or residency status

    ", + "

    You can apply for the Postgraduate Doctoral Loan if all of the following are true:

    ", + "
  • you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay
  • ", + "
  • you normally live in England
  • ", + "
  • you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday
  • ", + "

    You may also be eligible if you\u2019re a UK national (or family member of a UK national) who either:

    ", + "
  • returned to the UK on or after 1 January 2018 and by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • was living in the EU, Switzerland, Norway, Iceland or Liechtenstein on 31 December 2020 and has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years
  • ", + "

    If you\u2019re an EU national or a family member of an EU national

    ", + "

    You may be eligible if you\u2019re an EU national, or a family member of an EU national, and all the following apply:

    ", + "
  • you have settled or pre-settled status under the EU Settlement Scheme (no restrictions on how long you can stay)
  • ", + "
  • you\u2019ve normally lived in the UK, Gibraltar, EU, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years (this is also known as being \u2018ordinarily resident\u2019)
  • ", + "
  • you\u2019ll be studying at a university in England
  • ", + "

    You could also be eligible if you\u2019re:

    ", + "
  • the child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein, or a family member of one with settled or pre-settled status
  • ", + "
  • a resident of Gibraltar who is a UK or EU national, or their family member
  • ", + "

    Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021

    ", + "

    If you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.

    ", + "

    You need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.

    ", + "

    If you have a different residency status

    ", + "

    You may also be eligible if your residency status is one of the following:

    ", + "
  • refugee (including family members)
  • ", + "
  • humanitarian protection (including family members)
  • ", + "
  • child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020
  • ", + "
  • a stateless person (including family members)
  • ", + "
  • an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment
  • ", + "
  • a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)
  • ", + "
  • granted \u2018Calais leave\u2019 to remain
  • ", + "
  • a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)
  • ", + "
  • you\u2019ve been given settled status but not under the EU Settlement Scheme
  • ", + "
  • you\u2019ve been given indefinite leave to remain because you\u2019ve been the victim of domestic violence
  • ", + "
  • you\u2019ve been granted indefinite leave to remain as a bereaved partner
  • ", + "
  • you\u2019re the family member of a person of Northern Ireland and you have pre-settled status under the EU Settlement Scheme
  • ", + "

    If you\u2019re a non-UK national and have lived in the UK for a certain number of years

    ", + "

    You could also be eligible if you\u2019re not a UK national and are either:

    ", + "
  • under 18 and have lived in the UK for at least 7 years
  • ", + "
  • 18 or over and have lived in the UK for at least 20 years (or at least half of your life)
  • ", + "

    You must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.

    ", + "

    How to apply

    ", + "

    You can apply now for courses that start or started in the following academic years:

    ", + "
  • 2020 to 2021
  • ", + "
  • 2019 to 2020
  • ", + "
  • 2018 to 2019
  • ", + "

    You can apply in summer 2021 for courses that start in the academic year 2021 to 2022. Applications are not yet open - this guide will be updated as soon as they are.

    ", + "

    Check whether you\u2019re eligible before you apply.

    ", + "

    You only need to apply once for the Postgraduate Doctoral Loan. Student Finance England will write to you in the summer to tell you how much you\u2019ll get in the next academic year.

    ", + "

    You will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.

    ", + "

    Apply online

    ", + "

    If you\u2019ve taken out a loan with Student Finance England before, use your account to apply.

    ", + "

    If you do not already have one, set up an account.

    ", + "

    Apply by post

    ", + "

    If you cannot apply online, apply by post \u2013 the address is on the form.

    ", + "

    If your course starts in the 2020 to 2021 academic year

    ", + "

    If your course starts in the 2019 to 2020 academic year

    ", + "

    If your course started in the 2018\u00a0to 2019\u00a0academic year

    ", + "

    Read the student finance privacy notice to find out how the information you provide will be used.

    ", + "

    When to apply by

    ", + "

    The deadline for applying depends on when you start your course.

    ", + "

    You need to apply within 9 months of the first day of the last academic year of the course.

    ", + "

    The academic year

    ", + "

    The academic year is a period of 12 months.

    ", + "Course start date between | First day of academic year", + "1 August and 31 December | 1 September", + "1 January and 31 March | 1 January", + "1 April and 30 June | 1 April", + "1 July and 31 July | 1 July", + "

    Proof of identity

    ", + "

    Include valid UK passport details in your application.

    ", + "

    Use the \u2018UK passport details\u2019 form if you need to send the details after your application. Do not send the passport itself.

    ", + "

    If you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.

    ", + "

    Include your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.

    ", + "

    If you\u2019re an EU national, send your passport or national identity card.

    ", + "

    Supporting information

    ", + "

    You should use the evidence return form for extra information to support your application, for example evidence of your residency status.

    ", + "

    You may also be asked to complete the UK employment status form.

    ", + "

    Change an application

    ", + "

    Use your online account to change your personal details, for example bank or contact details. Contact Student Finance England directly if you do not have an account.

    ", + "

    Change the amount you\u2019ve asked for

    ", + "

    Use the loan request form to change the amount you\u2019ve applied for - you cannot do this online.

    ", + "

    If your course starts in the 2020 to 2021 academic year:

    ", + "

    If your course starts in the 2019 to 2020 academic year:

    ", + "

    Other changes

    ", + "

    Use the change of circumstances form if you need to change any other details, for example your university or course. You cannot do this online.

    ", + "

    If your course starts in the 2020 to 2021 academic year:

    ", + "

    If your course starts in the 2019 to 2020 academic year:

    ", + "

    Taking a break or withdrawing from your course

    ", + "

    Tell Student Finance England and your institution straight away if you need to withdraw from your course. It may affect your future payments and eligibility for funding.

    ", + "

    Extra help

    ", + "

    You may qualify for other funding, for example grants from charities or trusts.

    ", + "

    Student Finance England also has more information about other kinds of student finance.

    ", + "

    You will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.

    ", + "

    Disabled students

    ", + "

    If you have a disability, long-term health condition, mental health condition or specific learning difficulty (for example dyslexia) you can apply for:

    ", + "
  • Disabled Students\u2019 Allowance
  • ", + "
  • extra help if you\u2019re experiencing financial hardship
  • ", + "

    You may also qualify for disability related benefits.

    ", + "

    Further information

    ", + "

    You can learn more about the Postgraduate Doctoral Loan at the Student \nRoom website.

    ", + "

    Contact Student Finance England if you have further questions.

    " + ] + }, + "https://www.gov.uk/masters-loan": { + "url": "https://www.gov.uk/masters-loan", + "title": "Master's Loan", + "content": "## Overview\n\nA Postgraduate Master\u2019s Loan can help with course fees and living costs while you study a postgraduate master\u2019s course.\n\nFunding for postgraduate loans is different if:\n\n- you normally live in Scotland\n\n- you normally live in Wales\n\n- you normally live in Northern Ireland.\n\nMoving somewhere to study does not count as normally living there.\n\nYou can also get extra support if you have a disability.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance England if you\u2019re studying a master\u2019s course.\n\n## When you can apply\n\nYou\u2019ll be able to apply for funding for the 2021 to 2022 academic year from summer 2021. Applications are not yet open - this guide will be updated as soon as they are.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a311,570 if your course starts on or after 1 August 2021\n\n- \u00a311,222 if your course started between 1 August 2020 and 31 July 2021\n\n- \u00a310,906 if your course started between 1 August 2019 and 31 July 2020\n\nThe amount you\u2019ll get is not based on your income or your family\u2019s.\n\nThe Department for Work and Pensions (DWP) may take account of the loan when working out any benefits you receive.\n\nThe loan is paid directly to you. You can use it for your course fees and living costs.\n\nIf your course lasts for more than a year, the loan will be divided equally across each year of your course.\n\n## When you\u2019re paid\n\nYou get the first payment after your course start date, once your university or college confirms that you\u2019ve registered.\n\nThe loan will be paid in 3 instalments of 33%, 33% and 34% each year. After your application has been approved, you\u2019ll be sent a letter with your payment dates. You can also check them in your online account.\n\n## If you change university or college\n\nYour new university or college has to confirm the change with Student Finance England before you receive any more payments.\n\n## Eligibility\n\nWhether you qualify depends on:\n\n- your course\n\n- your age\n\n- your nationality or residency status\n\nYou will not be able to get a Postgraduate Master\u2019s Loan if:\n\n- you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying\n\n- you\u2019ve received a loan or grant for a master\u2019s course before - unless you got a Disabled Students\u2019 Allowance or you left your course for a serious personal reason like illness or bereavement\n\n- you already have a master\u2019s degree, or a qualification that\u2019s equivalent or higher\n\n- you\u2019re behind in repayments for any previous loans from the Student Loans Company\n\nYou\u2019ll still be eligible if you have a PGCE or a postgraduate diploma or certificate.\n\nYou will not get extra money if you repeat a year of your course.\n\n## Your course\n\nIt must:\n\n- be a full, standalone master\u2019s course (not a top-up course)\n\n- be worth at least 180 credits - check the course provider\u2019s website if you\u2019re not sure\n\n- have started on or after 1 August 2016\n\nYour course must be provided by an eligible university or college in the UK (including the Open University). Check with the university or college that your course is registered.\n\nYour course can be taught or research-based.\n\nIt can be:\n\n- full-time, lasting 1 or 2 academic years\n\n- part-time, lasting 2 to 4 academic years - no more than twice the length of the equivalent full-time course\n\n- part-time for up to 3 years, where no equivalent full-time course exists\n\nExamples of postgraduate master\u2019s qualifications include:\n\n- MSc (master of science)\n\n- MA (master of arts)\n\n- MPhil (master of philosophy)\n\n- MRes (master of research)\n\n- LLM (master of law)\n\n- MLitt (master of letters)\n\n- MFA (master of fine art)\n\n- MEd (master of education)\n\n- MBA (master of business administration)\n\nYou cannot get a Postgraduate Master\u2019s Loan for a postgraduate certificate or diploma.\n\n## Distance learning\n\nTo qualify for a Postgraduate Master\u2019s Loan for distance learning, you\u2019ll need to be living in England on the first day of the first academic year of your course. You\u2019ll also need to live in:\n\n- England for the whole of your course, if you\u2019re an EU national\n\n- the UK for the whole of your course, if you\u2019re not an EU national\n\nThis usually does not apply if you\u2019re:\n\n- serving in the armed forces\n\n- a spouse or civil partner of a serving member of the armed forces\n\n- a dependent parent living with a serving member of the armed forces\n\n## Integrated courses\n\nYou will not be eligible for a Postgraduate Master\u2019s Loan if your course is:\n\n- integrated with an undergraduate degree - apply for undergraduate funding instead\n\n- integrated with a doctoral degree - apply for a Postgraduate Doctoral Loan instead\n\n## Intercalated year\n\nYou might be eligible for a Postgraduate Master\u2019s Loan if you\u2019re taking a year out of an undergraduate course to study for a master\u2019s.\n\nThis will generally mean you\u2019re not entitled to undergraduate funding anymore because you\u2019ll hold a higher level qualification.\n\nYou are still eligible for undergraduate funding if your course leads to a qualification in:\n\n- architecture\n\n- dentistry\n\n- medicine\n\n- social work\n\n- undergraduate Initial Teacher Training\n\n- veterinary science\n\n## Master of architecture\n\nIf you plan to study for a master of architecture (MArch Part 2) qualification full-time, apply for undergraduate funding support. Your course must be accredited by the Architects Registration Board (ARB) to be eligible.\n\nYou can only apply for the Postgraduate Master\u2019s Loan to support your MArch course if one of the following applies:\n\n- you\u2019re taking a part-time course\n\n- you\u2019re not eligible for undergraduate funding support\n\n- the course does not lead to an accredited qualification as an architect\n\n## Healthcare and social work\n\nYou cannot get a Postgraduate Master\u2019s Loan if you:\n\n- are eligible for an NHS bursary\n\n- get a Social Work Bursary - unless you only get a Placement Travel Allowance\n\nThis also applies for health and social work bursaries in Scotland, Wales and Northern Ireland.\n\nYou also cannot get a Postgraduate Master\u2019s Loan if you\u2019re starting a postgraduate pre-registration healthcare course on or after 1 August 2018. You may be eligible for a Tuition Fee Loan and Maintenance Loan instead.\n\n## Your age\n\nYou must be under 60 on the first day of the first academic year of your course.\n\nThe academic year is a period of 12 months starting on:\n\n- 1 September, if your course starts between 1 August and 31 December\n\n- 1 January, if your course starts between 1 January and 31 March\n\n- 1 April, if your course starts between 1 April and 30 June\n\n- 1 July, if your course starts between 1 July and 31 July\n\n## Your nationality or residency status\n\nYou can apply for the Postgraduate Master\u2019s Loan if all of the following are true:\n\n- you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay\n\n- you normally live in England\n\n- you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday\n\nYou may also be eligible if you\u2019re a UK national (or family member of a UK national) who either:\n\n- returned to the UK on or after 1 January 2018 and by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- was living in the EU, Switzerland, Norway, Iceland or Liechtenstein on 31 December 2020 and has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years\n\n## If you\u2019re an EU national or a family member of an EU national\n\nYou may be eligible if you\u2019re an EU national, or a family member of an EU national, and all the following apply:\n\n- you have settled status under the EU Settlement Scheme\n\n- you\u2019ve normally lived in the UK, Gibraltar, EU, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years (this is also known as being \u2018ordinarily resident\u2019)\n\n- you\u2019ll be studying at a university or college in England\n\nYou could also be eligible if you\u2019re:\n\n- the child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme\n\n- a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein with pre-settled status, or a family member of a migrant worker where both have pre-settled status\n\n- a resident of Gibraltar who is a UK or EU national, or their family member\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to, for example, to apply on behalf of a child.\n\n## If you have a different residency status\n\nYou may also be eligible if your residency status is one of the following:\n\n- refugee (including family members)\n\n- humanitarian protection (including family members)\n\n- child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020\n\n- a stateless person (including family members)\n\n- an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment\n\n- a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)\n\n- granted \u2018Calais leave\u2019 to remain\n\n- a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)\n\n- you\u2019ve been given settled status but not under the EU Settlement Scheme\n\n- you\u2019ve been given indefinite leave to remain because you\u2019ve been the victim of domestic violence\n\n- you\u2019ve been granted indefinite leave to remain as a bereaved partner\n\n- you\u2019re the family member of a person of Northern Ireland and you have pre-settled status under the EU Settlement Scheme\n\n## If you\u2019re a non-UK national and have lived in the UK for a certain number of years\n\nYou could also be eligible if you\u2019re not a UK national and are either:\n\n- under 18 and have lived in the UK for at least 7 years\n\n- 18 or over and have lived in the UK for at least 20 years (or at least half of your life)\n\nYou must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.\n\n## How to apply\n\nYou can apply now for courses that start or started in the following academic years:\n\n- 2020 to 2021\n\n- 2019 to 2020\n\n- 2018 to 2019\n\nYou can apply in summer 2021 for courses that start in the academic year 2021 to 2022. Applications are not yet open - this guide will be updated as soon as they are.\n\nCheck whether you\u2019re eligible before you apply.\n\nYou only need to apply once for the Postgraduate Master\u2019s Loan, even if your course is longer than one year. Student Finance England will write to you in the summer to tell you how much you\u2019ll get in the next academic year.\n\nYou\u2019ll not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance England if you\u2019re studying a master\u2019s course.\n\n## Apply online\n\nIf you\u2019ve taken out a loan with Student Finance England before, use your account to apply.\n\nIf you do not already have one, set up an account.\n\n## Apply by post\n\nIf you cannot apply online, apply by post - the address is on the form.\n\nRead the student finance privacy notice to find out how the information you provide will be used.\n\n## Courses that start in the 2020 to 2021 academic year\n\n## Courses that started in the 2019 to 2020 academic year\n\n## Courses that started before 1 August 2019\n\nContact Student Finance England Postgraduate Loan Team if you cannot apply online.\n\n## When to apply by\n\nThe deadline for applying depends on when you start your course.\n\n## If you started on or after 1 August 2017\n\nYou need to apply within 9 months of the first day of the last academic year of the course.\n\n## The academic year\n\nThe academic year is a period of 12 months.\n\nThe first day of your academic year depends when your course starts.\n\n| Course start date between | First day of academic year |\n\n| 1 August and 31 December | 1 September |\n\n| 1 January and 31 March | 1 January |\n\n| 1 April and 30 June | 1 April |\n\n| 1 July and 31 July | 1 July |\n\n## Proof of identity\n\nInclude valid UK passport details in your application. Use the \u2018UK passport details\u2019 form if you need to send the details after your application. Do not send the passport itself.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re an EU national, send your passport or national identity card.\n\n## Supporting information\n\nYou should use the evidence return form for extra information to support your application, for example evidence of your residency status.\n\nYou may also be asked to complete the UK employment status form.\n\n## Change an application\n\nUse your online account to change your personal details, for example bank or contact details. Contact Student Finance England directly if you do not have an account.\n\n## Change the amount you\u2019ve asked for\n\nUse the loan request form to change the amount you\u2019ve applied for - you cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course started in the 2019 to 2020 academic year:\n\nIf your course started before the 2018 to 2019 academic year, contact Student Finance England Postgraduate Loan Team.\n\n## Other changes\n\nUse the change of circumstances form if you need to change any other details, for example your university or course. You cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course started in the 2019 to 2020 academic year:\n\nIf your course started before the 2018 to 2019 academic year, contact Student Finance England Postgraduate Loan Team.\n\n## Taking a break or withdrawing from your course\n\nTell Student Finance England Postgraduate Loan Team and your institution straight away if you need to withdraw from your course. It may affect your future payments and eligibility for funding.\n\n## Extra help\n\nYou may qualify for other funding, for example grants from charities or trusts.\n\nStudent Finance England also has more information about other kinds of student finance.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance England if you\u2019re studying a master\u2019s course.\n\n## Disabled students\n\nIf you have a disability, long-term health condition, mental health condition or specific learning difficulty (for example dyslexia) you can apply for:\n\n- Disabled Students\u2019 Allowance\n\n- extra help if you\u2019re experiencing financial hardship\n\nYou may also qualify for disability related benefits.\n\n## Further information\n\nYou can learn more about the Postgraduate Master\u2019s Loan on the Student Room website.\n\nContact Student Finance England if you have further questions.\n\n## Student Finance England Postgraduate Loan team", + "original_contents": [ + "

    Overview

    ", + "

    A Postgraduate Master\u2019s Loan can help with course fees and living costs while you study a postgraduate master\u2019s course.

    ", + "

    Funding for postgraduate loans is different if:

    ", + "
  • you normally live in Scotland
  • ", + "
  • you normally live in Wales
  • ", + "
  • you normally live in Northern Ireland.
  • ", + "

    Moving somewhere to study does not count as normally living there.

    ", + "

    You can also get extra support if you have a disability.

    ", + "

    You will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance England if you\u2019re studying a master\u2019s course.

    ", + "

    When you can apply

    ", + "

    You\u2019ll be able to apply for funding for the 2021 to 2022 academic year from summer 2021. Applications are not yet open - this guide will be updated as soon as they are.

    ", + "

    When you repay your loan

    ", + "

    You\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).

    ", + "

    You\u2019ll be charged interest from the day you get the first payment.

    ", + "

    What you'll get

    ", + "

    You can get up to:

    ", + "
  • \u00a311,570 if your course starts on or after 1 August 2021
  • ", + "
  • \u00a311,222 if your course started between 1 August 2020 and 31 July 2021
  • ", + "
  • \u00a310,906 if your course started between 1 August 2019 and 31 July 2020
  • ", + "

    The amount you\u2019ll get is not based on your income or your family\u2019s.

    ", + "

    The Department for Work and Pensions (DWP) may take account of the loan when working out any benefits you receive.

    ", + "

    The loan is paid directly to you. You can use it for your course fees and living costs.

    ", + "

    If your course lasts for more than a year, the loan will be divided equally across each year of your course.

    ", + "

    When you\u2019re paid

    ", + "

    You get the first payment after your course start date, once your university or college confirms that you\u2019ve registered.

    ", + "

    The loan will be paid in 3 instalments of 33%, 33% and 34% each year. After your application has been approved, you\u2019ll be sent a letter with your payment dates. You can also check them in your online account.

    ", + "

    If you change university or college

    ", + "

    Your new university or college has to confirm the change with Student Finance England before you receive any more payments.

    ", + "

    Eligibility

    ", + "

    Whether you qualify depends on:

    ", + "
  • your course
  • ", + "
  • your age
  • ", + "
  • your nationality or residency status
  • ", + "

    You will not be able to get a Postgraduate Master\u2019s Loan if:

    ", + "
  • you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying
  • ", + "
  • you\u2019ve received a loan or grant for a master\u2019s course before - unless you got a Disabled Students\u2019 Allowance or you left your course for a serious personal reason like illness or bereavement
  • ", + "
  • you already have a master\u2019s degree, or a qualification that\u2019s equivalent or higher
  • ", + "
  • you\u2019re behind in repayments for any previous loans from the Student Loans Company
  • ", + "

    You\u2019ll still be eligible if you have a PGCE or a postgraduate diploma or certificate.

    ", + "

    You will not get extra money if you repeat a year of your course.

    ", + "

    Your course

    ", + "

    It must:

    ", + "
  • be a full, standalone master\u2019s course (not a top-up course)
  • ", + "
  • be worth at least 180 credits - check the course provider\u2019s website if you\u2019re not sure
  • ", + "
  • have started on or after 1 August 2016
  • ", + "

    Your course must be provided by an eligible university or college in the UK (including the Open University). Check with the university or college that your course is registered.

    ", + "

    Your course can be taught or research-based.

    ", + "

    It can be:

    ", + "
  • full-time, lasting 1 or 2 academic years
  • ", + "
  • part-time, lasting 2 to 4 academic years - no more than twice the length of the equivalent full-time course
  • ", + "
  • part-time for up to 3 years, where no equivalent full-time course exists
  • ", + "

    Examples of postgraduate master\u2019s qualifications include:

    ", + "
  • MSc (master of science)
  • ", + "
  • MA (master of arts)
  • ", + "
  • MPhil (master of philosophy)
  • ", + "
  • MRes (master of research)
  • ", + "
  • LLM (master of law)
  • ", + "
  • MLitt (master of letters)
  • ", + "
  • MFA (master of fine art)
  • ", + "
  • MEd (master of education)
  • ", + "
  • MBA (master of business administration)
  • ", + "

    You cannot get a Postgraduate Master\u2019s Loan for a postgraduate certificate or diploma.

    ", + "

    Distance learning

    ", + "

    To qualify for a Postgraduate Master\u2019s Loan for distance learning, you\u2019ll need to be living in England on the first day of the first academic year of your course. You\u2019ll also need to live in:

    ", + "
  • England for the whole of your course, if you\u2019re an EU national
  • ", + "
  • the UK for the whole of your course, if you\u2019re not an EU national
  • ", + "

    This usually does not apply if you\u2019re:

    ", + "
  • serving in the armed forces
  • ", + "
  • a spouse or civil partner of a serving member of the armed forces
  • ", + "
  • a dependent parent living with a serving member of the armed forces
  • ", + "

    Integrated courses

    ", + "

    You will not be eligible for a Postgraduate Master\u2019s Loan if your course is:

    ", + "
  • integrated with an undergraduate degree - apply for undergraduate funding instead
  • ", + "
  • integrated with a doctoral degree - apply for a Postgraduate Doctoral Loan instead
  • ", + "

    Intercalated year

    ", + "

    You might be eligible for a Postgraduate Master\u2019s Loan if you\u2019re taking a year out of an undergraduate course to study for a master\u2019s.

    ", + "

    This will generally mean you\u2019re not entitled to undergraduate funding anymore because you\u2019ll hold a higher level qualification.

    ", + "

    You are still eligible for undergraduate funding if your course leads to a qualification in:

    ", + "
  • architecture
  • ", + "
  • dentistry
  • ", + "
  • medicine
  • ", + "
  • social work
  • ", + "
  • undergraduate Initial Teacher Training
  • ", + "
  • veterinary science
  • ", + "

    Master of architecture

    ", + "

    If you plan to study for a master of architecture (MArch Part 2) qualification full-time, apply for undergraduate funding support. Your course must be accredited by the Architects Registration Board (ARB) to be eligible.

    ", + "

    You can only apply for the Postgraduate Master\u2019s Loan to support your MArch course if one of the following applies:

    ", + "
  • you\u2019re taking a part-time course
  • ", + "
  • you\u2019re not eligible for undergraduate funding support
  • ", + "
  • the course does not lead to an accredited qualification as an architect
  • ", + "

    Healthcare and social work

    ", + "

    You cannot get a Postgraduate Master\u2019s Loan if you:

    ", + "
  • are eligible for an NHS bursary
  • ", + "
  • get a Social Work Bursary - unless you only get a Placement Travel Allowance
  • ", + "

    This also applies for health and social work bursaries in Scotland, Wales and Northern Ireland.

    ", + "

    You also cannot get a Postgraduate Master\u2019s Loan if you\u2019re starting a postgraduate pre-registration healthcare course on or after 1 August 2018. You may be eligible for a Tuition Fee Loan and Maintenance Loan instead.

    ", + "

    Your age

    ", + "

    You must be under 60 on the first day of the first academic year of your course.

    ", + "

    The academic year is a period of 12 months starting on:

    ", + "
  • 1 September, if your course starts between 1 August and 31 December
  • ", + "
  • 1 January, if your course starts between 1 January and 31 March
  • ", + "
  • 1 April, if your course starts between 1 April and 30 June
  • ", + "
  • 1 July, if your course starts between 1 July and 31 July
  • ", + "

    Your nationality or residency status

    ", + "

    You can apply for the Postgraduate Master\u2019s Loan if all of the following are true:

    ", + "
  • you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay
  • ", + "
  • you normally live in England
  • ", + "
  • you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday
  • ", + "

    You may also be eligible if you\u2019re a UK national (or family member of a UK national) who either:

    ", + "
  • returned to the UK on or after 1 January 2018 and by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • was living in the EU, Switzerland, Norway, Iceland or Liechtenstein on 31 December 2020 and has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years
  • ", + "

    If you\u2019re an EU national or a family member of an EU national

    ", + "

    You may be eligible if you\u2019re an EU national, or a family member of an EU national, and all the following apply:

    ", + "
  • you have settled status under the EU Settlement Scheme
  • ", + "
  • you\u2019ve normally lived in the UK, Gibraltar, EU, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years (this is also known as being \u2018ordinarily resident\u2019)
  • ", + "
  • you\u2019ll be studying at a university or college in England
  • ", + "

    You could also be eligible if you\u2019re:

    ", + "
  • the child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein with pre-settled status, or a family member of a migrant worker where both have pre-settled status
  • ", + "
  • a resident of Gibraltar who is a UK or EU national, or their family member
  • ", + "

    Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021

    ", + "

    If you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.

    ", + "

    You need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to, for example, to apply on behalf of a child.

    ", + "

    If you have a different residency status

    ", + "

    You may also be eligible if your residency status is one of the following:

    ", + "
  • refugee (including family members)
  • ", + "
  • humanitarian protection (including family members)
  • ", + "
  • child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020
  • ", + "
  • a stateless person (including family members)
  • ", + "
  • an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment
  • ", + "
  • a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)
  • ", + "
  • granted \u2018Calais leave\u2019 to remain
  • ", + "
  • a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)
  • ", + "
  • you\u2019ve been given settled status but not under the EU Settlement Scheme
  • ", + "
  • you\u2019ve been given indefinite leave to remain because you\u2019ve been the victim of domestic violence
  • ", + "
  • you\u2019ve been granted indefinite leave to remain as a bereaved partner
  • ", + "
  • you\u2019re the family member of a person of Northern Ireland and you have pre-settled status under the EU Settlement Scheme
  • ", + "

    If you\u2019re a non-UK national and have lived in the UK for a certain number of years

    ", + "

    You could also be eligible if you\u2019re not a UK national and are either:

    ", + "
  • under 18 and have lived in the UK for at least 7 years
  • ", + "
  • 18 or over and have lived in the UK for at least 20 years (or at least half of your life)
  • ", + "

    You must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.

    ", + "

    How to apply

    ", + "

    You can apply now for courses that start or started in the following academic years:

    ", + "
  • 2020 to 2021
  • ", + "
  • 2019 to 2020
  • ", + "
  • 2018 to 2019
  • ", + "

    You can apply in summer 2021 for courses that start in the academic year 2021 to 2022. Applications are not yet open - this guide will be updated as soon as they are.

    ", + "

    Check whether you\u2019re eligible before you apply.

    ", + "

    You only need to apply once for the Postgraduate Master\u2019s Loan, even if your course is longer than one year. Student Finance England will write to you in the summer to tell you how much you\u2019ll get in the next academic year.

    ", + "

    You\u2019ll not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance England if you\u2019re studying a master\u2019s course.

    ", + "

    Apply online

    ", + "

    If you\u2019ve taken out a loan with Student Finance England before, use your account to apply.

    ", + "

    If you do not already have one, set up an account.

    ", + "

    Apply by post

    ", + "

    If you cannot apply online, apply by post - the address is on the form.

    ", + "

    Read the student finance privacy notice to find out how the information you provide will be used.

    ", + "

    Courses that start in the 2020 to 2021 academic year

    ", + "

    Courses that started in the 2019 to 2020 academic year

    ", + "

    Courses that started before 1 August 2019

    ", + "

    Contact Student Finance England Postgraduate Loan Team if you cannot apply online.

    ", + "

    When to apply by

    ", + "

    The deadline for applying depends on when you start your course.

    ", + "

    If you started on or after 1 August 2017

    ", + "

    You need to apply within 9 months of the first day of the last academic year of the course.

    ", + "

    The academic year

    ", + "

    The academic year is a period of 12 months.

    ", + "

    The first day of your academic year depends when your course starts.

    ", + "Course start date between | First day of academic year", + "1 August and 31 December | 1 September", + "1 January and 31 March | 1 January", + "1 April and 30 June | 1 April", + "1 July and 31 July | 1 July", + "

    Proof of identity

    ", + "

    Include valid UK passport details in your application. Use the \u2018UK passport details\u2019 form if you need to send the details after your application. Do not send the passport itself.

    ", + "

    If you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.

    ", + "

    Include your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.

    ", + "

    If you\u2019re an EU national, send your passport or national identity card.

    ", + "

    Supporting information

    ", + "

    You should use the evidence return form for extra information to support your application, for example evidence of your residency status.

    ", + "

    You may also be asked to complete the UK employment status form.

    ", + "

    Change an application

    ", + "

    Use your online account to change your personal details, for example bank or contact details. Contact Student Finance England directly if you do not have an account.

    ", + "

    Change the amount you\u2019ve asked for

    ", + "

    Use the loan request form to change the amount you\u2019ve applied for - you cannot do this online.

    ", + "

    If your course starts in the 2020 to 2021 academic year:

    ", + "

    If your course started in the 2019 to 2020 academic year:

    ", + "

    If your course started before the 2018 to 2019 academic year, contact Student Finance England Postgraduate Loan Team.

    ", + "

    Other changes

    ", + "

    Use the change of circumstances form if you need to change any other details, for example your university or course. You cannot do this online.

    ", + "

    If your course starts in the 2020 to 2021 academic year:

    ", + "

    If your course started in the 2019 to 2020 academic year:

    ", + "

    If your course started before the 2018 to 2019 academic year, contact Student Finance England Postgraduate Loan Team.

    ", + "

    Taking a break or withdrawing from your course

    ", + "

    Tell Student Finance England Postgraduate Loan Team and your institution straight away if you need to withdraw from your course. It may affect your future payments and eligibility for funding.

    ", + "

    Extra help

    ", + "

    You may qualify for other funding, for example grants from charities or trusts.

    ", + "

    Student Finance England also has more information about other kinds of student finance.

    ", + "

    You will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance England if you\u2019re studying a master\u2019s course.

    ", + "

    Disabled students

    ", + "

    If you have a disability, long-term health condition, mental health condition or specific learning difficulty (for example dyslexia) you can apply for:

    ", + "
  • Disabled Students\u2019 Allowance
  • ", + "
  • extra help if you\u2019re experiencing financial hardship
  • ", + "

    You may also qualify for disability related benefits.

    ", + "

    Further information

    ", + "

    You can learn more about the Postgraduate Master\u2019s Loan on the Student Room website.

    ", + "

    Contact Student Finance England if you have further questions.

    ", + "

    Student Finance England Postgraduate Loan team

    " + ] + }, + "https://www.gov.uk/nhs-bursaries": { + "url": "https://www.gov.uk/nhs-bursaries", + "title": "NHS bursaries", + "content": "## Overview\n\nWhat you can apply for depends on when your course starts and what you\u2019re studying. You do not have to pay your NHS bursary back.\n\nIf you\u2019re not eligible for a bursary you may still be eligible for student finance.\n\n## If your course starts on or after 1 August 2018\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor or dentist.\n\nIf you\u2019re studying a pre-registration postgraduate healthcare course, you may still be eligible for student finance.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor, dentist, dental hygienist or dental therapist.\n\n## If your course started before 1 August 2017\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying a dental, medical or healthcare course in England.\n\n## What you'll get\n\nIf you\u2019re an eligible full-time NHS student starting a course on or after 1 September 2012, you can apply for:\n\n- a bursary from the NHS\n\n- a \u00a31,000 grant from the NHS\n\n- a reduced Maintenance Loan from Student Finance England\n\nIf you\u2019re an eligible part-time student starting a course on or after 1 September 2012, you can apply for:\n\n- a reduced bursary from the NHS\n\n- a reduced grant from the NHS\n\nThe amount you get depends on the length of your course.\n\n## Tuition fees\n\nIf you\u2019re eligible for an NHS bursary, the NHS pays your standard tuition fees. Your course tuition fees are paid directly to your university.\n\nIf you\u2019re studying a graduate-entry accelerated medical or dental programme, you can get some of your tuition costs paid with an NHS bursary in years 2 to 4 of your programme.\n\n- \u00a33,715 if you\u2019re starting in the 2019 to 2020 academic year\n\n- \u00a33,715 if you\u2019re starting in the 2018 to 2019 academic year\n\n## Bursary\n\nYour bursary amount depends on your household income. This can be your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\nIf you started a Diploma of Higher Education (DipHE) Nursing or Operating Department Practitioner course before 1 September 2012, you\u2019ll receive a basic bursary which does not depend on your household income.\n\nIf you\u2019re studying to become a doctor or dentist, you can apply for an NHS bursary from your second year for graduate entry programmes or from your fifth year for undergraduate programmes.\n\n## Grant\n\nYou\u2019ll get a fixed amount of \u00a31,000 if you\u2019re an eligible full-time NHS student starting your course on or after 1 September 2012. You\u2019ll get a reduced amount if you\u2019re a part-time student.\n\nYou must apply for an NHS bursary to get the grant.\n\n## Maintenance Loan\n\nYou\u2019ll get a reduced Maintenance Loan. The amount you get depends on:\n\n- where you live and study\n\n- whether you\u2019re in the final year of your course (when you get less)\n\nCurrent rates for the 2018 to 2019 academic year are:\n\n- \u00a33,263 for students studying in London and living away from home\n\n- \u00a32,324 for students studying outside London and away from home\n\n- \u00a31,744 for students living at home\n\nCurrent rates for the 2019 to 2020 academic year are:\n\n- \u00a33,354 for students studying in London and living away from home\n\n- \u00a32,389 for students studying outside London and away from home\n\n- \u00a31,793 for students living at home\n\n## How it\u2019s paid\n\nThe NHS bursary is paid into your bank account in 12 equal monthly instalments.\n\nThe Maintenance Loan is usually paid into your bank account at the beginning of each term.\n\n## If you\u2019re disabled or have children\n\nYou may get extra help if you:\n\n- have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- have dependants\n\nFind out what extra help you could get.\n\n## Eligibility\n\nWhether you can get an NHS bursary depends on:\n\n- where you live\n\n- your course\n\n- your household income\n\n- whether you\u2019ve already had funding\n\n## Where you live\n\nTo be eligible to apply for an NHS bursary you must have been living in the UK, the Channel Islands or the Isle of Man for 3 years up to the start of the academic year.\n\nYou may still be eligible if you do not meet the residency requirements - find out more from the NHS Business Services Authority.\n\n## Your course\n\nWhether you\u2019re eligible depends on when your course starts.\n\nYou will not get an NHS bursary if you\u2019re a first level nurse or midwife and you\u2019re registering for a second field in nursing or midwifery.\n\n## If your course starts on or after 1 August 2018\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.\n\nYou can apply for an NHS bursary from your 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- dental hygienist or dental therapist\n\n## If your course started before 1 August 2017\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- chiropodist (including podiatrist), dietician, occupational therapist, orthoptist, physiotherapist, prosthetist, orthotist, radiographer, radiotherapist, audiologist or a speech and language therapist\n\n- dental hygienist or dental therapist\n\n- nurse, midwife or operating department practitioner (degree or diploma course)\n\n## Household income\n\nYour total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\n## If you\u2019ve already had funding\n\nYou may be eligible for an NHS bursary even if you\u2019ve already had public funding for higher education.\n\nIf you\u2019ve had an NHS bursary and want to change professions, you may also be eligible.\n\nFind out more from the NHS Business Services Authority.\n\n## How to apply\n\nYou need to create a Bursary Online Support System (BOSS) account on the NHS Student Bursaries website to apply for an NHS bursary.\n\nYou must reapply for your bursary every academic year.\n\nThere are different ways to apply if you\u2019re from Scotland, Wales or Northern Ireland.\n\n## New students\n\nIf you\u2019re entering the first year of your NHS-funded course or, for medical and dental students, your first year of NHS bursary funding, read the guidance for new students.\n\n## When to apply\n\nYou should wait until you have an offer of a course place from your university or college before you apply for an NHS bursary.\n\nThe date you can apply from usually depends on when your course starts. Check the NHS Student Bursaries website for the latest application dates.\n\n## Documents\n\nIf you\u2019re applying for an NHS bursary for the first time you must provide 2 documents to confirm your identity, one of which must include a photograph of yourself, for example a birth certificate and a valid passport.\n\nYou must send original documents (not photocopies), which NHS Student Bursaries will return to you.\n\n## Continuing students\n\nIf you\u2019ve already had an NHS student bursary for your current course and you\u2019re reapplying for another year, read the guidance for continuing students.\n\n## When to apply\n\nNHS Student Bursaries will send you an email invitation when you can reapply for your bursary. The date your invitation is sent depends on when your next academic year begins. Check the NHS Student Busaries website for the latest invitation dates.\n\nYou must send your application within 6 months of the first day of your academic year.\n\n## What happens next\n\nIf your application is approved, NHS Student Bursaries will send you an email when your bursary is available for you to view in your BOSS account.\n\nIf you get an NHS bursary you can apply separately for a reduced rate loan from Student Finance England.\n\n## Contact NHS Student Bursaries\n\nContact NHS Student Bursaries if you need help with your application.\n\n## Extra financial help\n\nIn addition to the NHS bursary you may also be able to apply for extra help if:\n\n- you have children\n\n- you have adult dependants\n\n- you have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- you do a practice placement\n\n- your course runs for more than 30 weeks and 3 days in the academic year\n\nFind out more about extra help on the NHS Student Bursaries website.\n\n## Dependants\u2019 Allowance\n\nYou may get this if you have adults or children who are financially dependent on you when you\u2019re training.\n\nHow much you get depends on your household income.\n\nApply for Dependants\u2019 Allowance through your BOSS account.\n\n## Childcare Allowance\n\nYou must apply for Dependants\u2019 Allowance before you can apply for Childcare Allowance.\n\nYou may be able to get the NHS Bursary Childcare Allowance if you have dependent children.\n\nHow much you get depends on your circumstances and your household income.\n\nYou cannot get this if you\u2019re not entitled to the NHS bursary (known as a \u2018Fees Only award\u2019).\n\nTo qualify:\n\n- you must use a registered childcare provider\n\n- your children must be under 15 on the first day of the academic year (or under 17 if they have special educational needs)\n\nThe allowance pays 85% of the gross actual cost up to:\n\n- \u00a3128.78 a week for 1 child\n\n- \u00a3191.45 a week for 2 or more children\n\nApply for Childcare Allowance via the form on the NHS Student Bursaries website.\n\n## Parent Learning Allowance\n\nYou must apply for Dependants\u2019 Allowance first. If this includes a dependent child, you\u2019re automatically assessed for Parent Learning Allowance.\n\nYou can claim up to \u00a31,204 per academic year.\n\nHow much you get depends on your household income.\n\n## Disabled Students\u2019 Allowances\n\nYou can get this if you have to pay extra costs because of a:\n\n- physical disability\n\n- long-term health condition\n\n- mental-health difficulty\n\n- specific learning difficulty like dyslexia\n\nYou need to give up-to-date medical evidence of the nature and severity of your disability from a qualified professional.\n\nYou can get up to:\n\n- \u00a320,725 for a helper\n\n- \u00a35,214 for specialist equipment for the whole course\n\n- \u00a31,741 for other costs\n\nApply for Disabled Students Allowance through your BOSS account.\n\n## Practice placement expenses\n\nIf you do a practice placement you may be able to claim travel costs if:\n\n- your practice placement is in a hospital or community health centre and not at your university\n\n- it costs you more to travel to your placement than it costs to travel to university\n\nClaim practice placement expenses via the form on the NHS Student Bursaries website.\n\n## Extra Weeks Allowance\n\nIf your course runs for more than 30 weeks and 3 days in the 2016 to 2017 academic year you may be entitled to Extra Weeks Allowance:\n\n| Where you study and live | Allowance |\n\n| In London | \u00a3108 per week |\n\n| Outside London | \u00a384 per additional week |\n\n| With your parents | \u00a356 per additional week |\n\nYour Extra Weeks Allowance is calculated automatically during the application process.", + "original_contents": [ + "

    Overview

    ", + "

    What you can apply for depends on when your course starts and what you\u2019re studying. You do not have to pay your NHS bursary back.

    ", + "

    If you\u2019re not eligible for a bursary you may still be eligible for student finance.

    ", + "

    If your course starts on or after 1 August 2018

    ", + "

    You can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor or dentist.

    ", + "

    If you\u2019re studying a pre-registration postgraduate healthcare course, you may still be eligible for student finance.

    ", + "

    If your course started in the 2017 to 2018 academic year

    ", + "

    You can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor, dentist, dental hygienist or dental therapist.

    ", + "

    If your course started before 1 August 2017

    ", + "

    You can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying a dental, medical or healthcare course in England.

    ", + "

    What you'll get

    ", + "

    If you\u2019re an eligible full-time NHS student starting a course on or after 1 September 2012, you can apply for:

    ", + "
  • a bursary from the NHS
  • ", + "
  • a \u00a31,000 grant from the NHS
  • ", + "
  • a reduced Maintenance Loan from Student Finance England
  • ", + "

    If you\u2019re an eligible part-time student starting a course on or after 1 September 2012, you can apply for:

    ", + "
  • a reduced bursary from the NHS
  • ", + "
  • a reduced grant from the NHS
  • ", + "

    The amount you get depends on the length of your course.

    ", + "

    Tuition fees

    ", + "

    If you\u2019re eligible for an NHS bursary, the NHS pays your standard tuition fees. Your course tuition fees are paid directly to your university.

    ", + "

    If you\u2019re studying a graduate-entry accelerated medical or dental programme, you can get some of your tuition costs paid with an NHS bursary in years 2 to 4 of your programme.

    ", + "
  • \u00a33,715 if you\u2019re starting in the 2019 to 2020 academic year
  • ", + "
  • \u00a33,715 if you\u2019re starting in the 2018 to 2019 academic year
  • ", + "

    Bursary

    ", + "

    Your bursary amount depends on your household income. This can be your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.

    ", + "

    If you started a Diploma of Higher Education (DipHE) Nursing or Operating Department Practitioner course before 1 September 2012, you\u2019ll receive a basic bursary which does not depend on your household income.

    ", + "

    If you\u2019re studying to become a doctor or dentist, you can apply for an NHS bursary from your second year for graduate entry programmes or from your fifth year for undergraduate programmes.

    ", + "

    Grant

    ", + "

    You\u2019ll get a fixed amount of \u00a31,000 if you\u2019re an eligible full-time NHS student starting your course on or after 1 September 2012. You\u2019ll get a reduced amount if you\u2019re a part-time student.

    ", + "

    You must apply for an NHS bursary to get the grant.

    ", + "

    Maintenance Loan

    ", + "

    You\u2019ll get a reduced Maintenance Loan. The amount you get depends on:

    ", + "
  • where you live and study
  • ", + "
  • whether you\u2019re in the final year of your course (when you get less)
  • ", + "

    Current rates for the 2018 to 2019 academic year are:

    ", + "
  • \u00a33,263 for students studying in London and living away from home
  • ", + "
  • \u00a32,324 for students studying outside London and away from home
  • ", + "
  • \u00a31,744 for students living at home
  • ", + "

    Current rates for the 2019 to 2020 academic year are:

    ", + "
  • \u00a33,354 for students studying in London and living away from home
  • ", + "
  • \u00a32,389 for students studying outside London and away from home
  • ", + "
  • \u00a31,793 for students living at home
  • ", + "

    How it\u2019s paid

    ", + "

    The NHS bursary is paid into your bank account in 12 equal monthly instalments.

    ", + "

    The Maintenance Loan is usually paid into your bank account at the beginning of each term.

    ", + "

    If you\u2019re disabled or have children

    ", + "

    You may get extra help if you:

    ", + "
  • have a disability, long-term health condition, mental health condition or specific learning difficulty
  • ", + "
  • have dependants
  • ", + "

    Find out what extra help you could get.

    ", + "

    Eligibility

    ", + "

    Whether you can get an NHS bursary depends on:

    ", + "
  • where you live
  • ", + "
  • your course
  • ", + "
  • your household income
  • ", + "
  • whether you\u2019ve already had funding
  • ", + "

    Where you live

    ", + "

    To be eligible to apply for an NHS bursary you must have been living in the UK, the Channel Islands or the Isle of Man for 3 years up to the start of the academic year.

    ", + "

    You may still be eligible if you do not meet the residency requirements - find out more from the NHS Business Services Authority.

    ", + "

    Your course

    ", + "

    Whether you\u2019re eligible depends on when your course starts.

    ", + "

    You will not get an NHS bursary if you\u2019re a first level nurse or midwife and you\u2019re registering for a second field in nursing or midwifery.

    ", + "

    If your course starts on or after 1 August 2018

    ", + "

    You must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.

    ", + "

    You can apply for an NHS bursary from your 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course.

    ", + "

    If your course started in the 2017 to 2018 academic year

    ", + "

    You must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:

    ", + "
  • doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)
  • ", + "
  • dental hygienist or dental therapist
  • ", + "

    If your course started before 1 August 2017

    ", + "

    You must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:

    ", + "
  • doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)
  • ", + "
  • chiropodist (including podiatrist), dietician, occupational therapist, orthoptist, physiotherapist, prosthetist, orthotist, radiographer, radiotherapist, audiologist or a speech and language therapist
  • ", + "
  • dental hygienist or dental therapist
  • ", + "
  • nurse, midwife or operating department practitioner (degree or diploma course)
  • ", + "

    Household income

    ", + "

    Your total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.

    ", + "

    If you\u2019ve already had funding

    ", + "

    You may be eligible for an NHS bursary even if you\u2019ve already had public funding for higher education.

    ", + "

    If you\u2019ve had an NHS bursary and want to change professions, you may also be eligible.

    ", + "

    Find out more from the NHS Business Services Authority.

    ", + "

    How to apply

    ", + "

    You need to create a Bursary Online Support System (BOSS) account on the NHS Student Bursaries website to apply for an NHS bursary.

    ", + "

    You must reapply for your bursary every academic year.

    ", + "

    There are different ways to apply if you\u2019re from Scotland, Wales or Northern Ireland.

    ", + "

    New students

    ", + "

    If you\u2019re entering the first year of your NHS-funded course or, for medical and dental students, your first year of NHS bursary funding, read the guidance for new students.

    ", + "

    When to apply

    ", + "

    You should wait until you have an offer of a course place from your university or college before you apply for an NHS bursary.

    ", + "

    The date you can apply from usually depends on when your course starts. Check the NHS Student Bursaries website for the latest application dates.

    ", + "

    Documents

    ", + "

    If you\u2019re applying for an NHS bursary for the first time you must provide 2 documents to confirm your identity, one of which must include a photograph of yourself, for example a birth certificate and a valid passport.

    ", + "

    You must send original documents (not photocopies), which NHS Student Bursaries will return to you.

    ", + "

    Continuing students

    ", + "

    If you\u2019ve already had an NHS student bursary for your current course and you\u2019re reapplying for another year, read the guidance for continuing students.

    ", + "

    When to apply

    ", + "

    NHS Student Bursaries will send you an email invitation when you can reapply for your bursary. The date your invitation is sent depends on when your next academic year begins. Check the NHS Student Busaries website for the latest invitation dates.

    ", + "

    You must send your application within 6 months of the first day of your academic year.

    ", + "

    What happens next

    ", + "

    If your application is approved, NHS Student Bursaries will send you an email when your bursary is available for you to view in your BOSS account.

    ", + "

    If you get an NHS bursary you can apply separately for a reduced rate loan from Student Finance England.

    ", + "

    Contact NHS Student Bursaries

    ", + "

    Contact NHS Student Bursaries if you need help with your application.

    ", + "

    Extra financial help

    ", + "

    In addition to the NHS bursary you may also be able to apply for extra help if:

    ", + "
  • you have children
  • ", + "
  • you have adult dependants
  • ", + "
  • you have a disability, long-term health condition, mental health condition or specific learning difficulty
  • ", + "
  • you do a practice placement
  • ", + "
  • your course runs for more than 30 weeks and 3 days in the academic year
  • ", + "

    Find out more about extra help on the NHS Student Bursaries website.

    ", + "

    Dependants\u2019 Allowance

    ", + "

    You may get this if you have adults or children who are financially dependent on you when you\u2019re training.

    ", + "

    How much you get depends on your household income.

    ", + "

    Apply for Dependants\u2019 Allowance through your BOSS account.

    ", + "

    Childcare Allowance

    ", + "

    You must apply for Dependants\u2019 Allowance before you can apply for Childcare Allowance.

    ", + "

    You may be able to get the NHS Bursary Childcare Allowance if you have dependent children.

    ", + "

    How much you get depends on your circumstances and your household income.

    ", + "

    You cannot get this if you\u2019re not entitled to the NHS bursary (known as a \u2018Fees Only award\u2019).

    ", + "

    To qualify:

    ", + "
  • you must use a registered childcare provider
  • ", + "
  • your children must be under 15 on the first day of the academic year (or under 17 if they have special educational needs)
  • ", + "

    The allowance pays 85% of the gross actual cost up to:

    ", + "
  • \u00a3128.78 a week for 1 child
  • ", + "
  • \u00a3191.45 a week for 2 or more children
  • ", + "

    Apply for Childcare Allowance via the form on the NHS Student Bursaries website.

    ", + "

    Parent Learning Allowance

    ", + "

    You must apply for Dependants\u2019 Allowance first. If this includes a dependent child, you\u2019re automatically assessed for Parent Learning Allowance.

    ", + "

    You can claim up to \u00a31,204 per academic year.

    ", + "

    How much you get depends on your household income.

    ", + "

    Disabled Students\u2019 Allowances

    ", + "

    You can get this if you have to pay extra costs because of a:

    ", + "
  • physical disability
  • ", + "
  • long-term health condition
  • ", + "
  • mental-health difficulty
  • ", + "
  • specific learning difficulty like dyslexia
  • ", + "

    You need to give up-to-date medical evidence of the nature and severity of your disability from a qualified professional.

    ", + "

    You can get up to:

    ", + "
  • \u00a320,725 for a helper
  • ", + "
  • \u00a35,214 for specialist equipment for the whole course
  • ", + "
  • \u00a31,741 for other costs
  • ", + "

    Apply for Disabled Students Allowance through your BOSS account.

    ", + "

    Practice placement expenses

    ", + "

    If you do a practice placement you may be able to claim travel costs if:

    ", + "
  • your practice placement is in a hospital or community health centre and not at your university
  • ", + "
  • it costs you more to travel to your placement than it costs to travel to university
  • ", + "

    Claim practice placement expenses via the form on the NHS Student Bursaries website.

    ", + "

    Extra Weeks Allowance

    ", + "

    If your course runs for more than 30 weeks and 3 days in the 2016 to 2017 academic year you may be entitled to Extra Weeks Allowance:

    ", + "Where you study and live | Allowance", + "In London | \u00a3108 per week", + "Outside London | \u00a384 per additional week", + "With your parents | \u00a356 per additional week", + "

    Your Extra Weeks Allowance is calculated automatically during the application process.

    " + ] + }, + "https://www.gov.uk/repaying-your-student-loan": { + "url": "https://www.gov.uk/repaying-your-student-loan", + "title": "Repaying your student loan", + "content": "## Overview\n\nYou need to pay back:\n\n- Tuition Fee Loans\n\n- Maintenance Loans\n\n- Postgraduate Loans\n\nYou do not need to pay back other student finance, for example grants and bursaries, unless you\u2019ve been paid too much.\n\nYou still have to repay your student loan if you leave your course early.\n\nWhen you start repaying your loan and how much you pay depends on which repayment plan you\u2019re on.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## How to repay\n\nHow you repay your loan depends on whether you\u2019re employed or self-employed.\n\nYou can make extra repayments in your online repayment account and by card, bank transfer or cheque.\n\nKeep your payslips and P60 for your records - you\u2019ll need them if you want to get a refund.\n\n## Sign in\n\nSign in to your student loan repayment account if you already have one.\n\n## Repaying during the coronavirus (COVID-19) outbreak\n\nRead the guidance about repaying your student loan for more information on:\n\n- changes in your income\n\n- refunds\n\n- interest on your loan balance\n\n## Which repayment plan you're on\n\nWhen you start repaying your loan and how much you repay depends on your repayment plan.\n\nThere are 4 plans:\n\n- Plan 1\n\n- Plan 2\n\n- Plan 4\n\n- Postgraduate Loan\n\nYou cannot choose the repayment plan you\u2019re on. If you have more than one loan, they could be on different plans.\n\n## Plan 1\n\nYou\u2019re on Plan 1 if you\u2019re:\n\n- an English or Welsh student who started an undergraduate course anywhere in the UK before 1 September 2012\n\n- a Northern Irish student who started an undergraduate or postgraduate course anywhere in the UK on or after 1 September 1998\n\n- an EU student who started an undergraduate course in England or Wales on or after 1 September 1998, but before 1 September 2012\n\n- an EU student who started an undergraduate or postgraduate course in Northern Ireland on or after 1 September 1998\n\n## Plan 2\n\nYou\u2019re on Plan 2 if you\u2019re:\n\n- an English or Welsh student who started an undergraduate course anywhere in the UK on or after 1 September 2012\n\n- an EU student who started an undergraduate course in England or Wales on or after 1 September 2012\n\n- someone who took out an Advanced Learner Loan on or after 1 August 2013\n\n## Plan 4\n\nYou\u2019re on Plan 4 if you\u2019re:\n\n- a Scottish student who started an undergraduate or postgraduate course anywhere in the UK on or after 1 September 1998\n\n- an EU student who started an undergraduate or postgraduate course in Scotland on or after 1 September 1998\n\n## Postgraduate Loan\n\nYou\u2019re on a Postgraduate Loan repayment plan if you\u2019re:\n\n- an English or Welsh student who took out a Postgraduate Master\u2019s Loan on or after 1 August 2016\n\n- an English or Welsh student who took out a Postgraduate Doctoral Loan on or after 1 August 2018\n\n- an EU student who started a postgraduate course on or after 1 August 2016\n\n## When you start repaying\n\nYou\u2019ll only repay your student loan when your income is over the threshold amount for your repayment plan. The threshold amounts change on 6 April every year.\n\nThe earliest you\u2019ll start repaying is either:\n\n- the April after you leave your course\n\n- the April 4 years after the course started, if you\u2019re studying part-time\n\nYour repayments automatically stop if either:\n\n- you stop working\n\n- your income goes below the threshold\n\n## If you have a Plan 1 student loan\n\nYou\u2019ll only repay when your income is over \u00a3382 a week, \u00a31,657 a month or \u00a319,895 a year (before tax and other deductions).\n\n## If you have a Plan 2 student loan\n\nYou\u2019ll only repay when your income is over \u00a3524 a week, \u00a32,274 a month or \u00a327,295 a year (before tax and other deductions).\n\n## If you have a Plan 4 student loan\n\nYou\u2019ll only repay when your income is over \u00a3480 a week, \u00a32,083 a month or \u00a325,000 a year (before tax and other deductions).\n\n## If you\u2019re on a Postgraduate Loan repayment plan\n\nIf you took out a Master\u2019s Loan or a Doctoral Loan, you\u2019ll only repay when your income is over \u00a3403 a week, \u00a31,750 a month or \u00a321,000 a year (before tax and other deductions).\n\n## Early repayments\n\nThere\u2019s no penalty for paying some or all of your loan off early.\n\n## How much you repay\n\nHow much you repay depends on which plan you\u2019re on.\n\nEach plan has a threshold for your weekly or monthly income. You repay:\n\n- 9% of the amount you earn over the threshold for plans 1, 2 and 4\n\n- 6% of the amount you earn over the threshold for the Postgraduate Loan\n\nYou do not pay anything back if your income is under the threshold.\n\nInterest starts being added to your loan from when you get your first payment.\n\n## Plan 1\n\nThe thresholds are \u00a3382 a week or \u00a31,657 a month (before tax and other deductions).\n\n## Interest on Plan 1\n\nYou currently pay interest of 1.1% on Plan 1. You can find out how the interest is calculated and interest rates for previous years.\n\n## Plan 2\n\nThe thresholds are \u00a3524 a week or \u00a32,274 a month (before tax and other deductions). They change on 6 April every year.\n\n## Interest on Plan 2\n\nWhile you\u2019re studying, interest is 5.6%.\n\nThis is made up of the Retail Price Index (RPI) plus 3%. RPI is currently set at 2.6%.\n\nThis rate applies until the 5 April after you finish or leave your course, or for the first 4 years of your course if you\u2019re studying part-time, unless the RPI changes.\n\nAfter that, your interest rate depends on your income in the current tax year.\n\nIf you\u2019re self-employed, your income is the total income amount on your Self-Assessment form.\n\nIf you\u2019re an employee, your income is your taxable pay:\n\n- plus any pension contributions\n\n- minus any benefits you get from your employer that are taxed through payroll (ask your employer if you\u2019re not sure)\n\nIf you have more than one job in a year, your interest rate will be based on your combined income from all your jobs.\n\n| Your annual income | Interest rate |\n\n| \u00a327,295 or less | RPI (currently 2.6%) |\n\n| \u00a327,296 to \u00a349,130 | RPI (currently 2.6%), plus up to 3% |\n\n| Over \u00a349,130 | RPI (currently 2.6%), plus 3% |\n\nYou must keep your contact details up to date in your online account and give the Student Loans Company (SLC) evidence if they ask for it. If you do not, you may be charged the higher interest rate even if your income is lower.\n\nYou can find out how the interest is calculated and interest rates for previous years.\n\n## If you have Plan 1 and Plan 2 loans\n\nYou pay back 9% of your income over the Plan 1 threshold (\u00a3382 a week or \u00a31,657 a month).\n\nIf your income is under the Plan 2 threshold (\u00a3524 a week or \u00a32,274 a month), your repayments only go towards your Plan 1 loan.\n\nIf your income is over the Plan 2 threshold, your repayments go towards both your loans.\n\n## Plan 4\n\nThe thresholds are \u00a3480 a week or \u00a32,083 a month (before tax and other deductions).\n\n## Interest on Plan 4\n\nYou currently pay interest of 1.1% on Plan 4. You can find out how the interest is calculated and interest rates for previous years.\n\n## If you have a Plan 4 loan and a Plan 1 loan\n\nYou pay back 9% of your income over the Plan 1 threshold (\u00a3382 a week or \u00a31,657 a month).\n\nIf your income is under the Plan 4 threshold (\u00a3480 a week or \u00a32,083 a month), your repayments only go towards your Plan 1 loan.\n\nIf your income is over the Plan 4 threshold, your repayments go towards both your loans.\n\n## If you have a Plan 4 loan and a Plan 2 loan\n\nYou pay back 9% of your income over the Plan 4 threshold (\u00a3480 a week or \u00a32,083 a month).\n\nIf your income is under the Plan 2 threshold (\u00a3524 a week or \u00a32,274 a month), your repayments only go towards your Plan 4 loan.\n\nIf your income is over the Plan 2 threshold, your repayments go towards both your loans.\n\n## Postgraduate Loan\n\nThe thresholds are \u00a3403 a week or \u00a31,750 a month (before tax and other deductions).\n\n## Interest on Postgraduate Loan\n\nYou currently pay interest of 5.6% on Postgraduate Loans.\n\nThe interest is made up of the Retail Price Index (RPI), plus 3%. RPI is currently set at 2.6%.\n\nYou can find out how the interest is calculated and interest rates for previous years.\n\n## If you have a Postgraduate Loan and a Plan 1, Plan 2 or Plan 4 loan\n\nYou pay back 6% of your income over the Postgraduate Loan threshold (\u00a3403 a week or \u00a31,750 a month). In addition, you\u2019ll pay back 9% of your income over the Plan 1, Plan 2 or Plan 4 threshold.\n\n## If your income changes during the year\n\nYou can ask for a refund if you make repayments but your total annual income (from 6 April to 5 April the following year) is less than:\n\n- \u00a319,895 a year for Plan 1\n\n- \u00a327,295 a year for Plan 2\n\n- \u00a325,000 a year for Plan 4\n\n- \u00a321,000 for Postgraduate Loans\n\n## If you have 2 or more jobs\n\nIf you\u2019re employed, your repayments will be taken out of your salary. The repayments will be from the jobs where you earn over the minimum amount, not your combined income.\n\n## If you need to send a Self Assessment tax return\n\nHM Revenue and Customs (HMRC) will work out how much you repay from your tax return. Your repayments are based on your income for the whole year. If you\u2019ve already made repayments from a salary, HMRC will deduct them from the amount you have to repay.\n\n## How to repay\n\nYour repayments will be taken out of your salary at the same time as tax and National Insurance if you\u2019re an employee. Your payslips will show how much has been deducted. You may need to tell your employer which repayment plan you\u2019re on.\n\nYou start repaying when your income is more than the minimum amount.\n\nThere\u2019s no penalty if you make extra repayments to pay some or all of your loan off early.\n\n## If you\u2019re self-employed\n\nHM Revenue and Customs (HMRC) will work out how much you pay from your tax return. You pay at the same time as you pay your tax.\n\n## If you\u2019re an employee and you do a tax return\n\nIf you earn over the minimum amount, your employer will deduct loan repayments from your salary.\n\nCheck your payslips or P60 to see how much of your loan you\u2019ve paid off during the tax year. You\u2019ll need to include this information when you fill in your tax return.\n\nThe tax year runs from 6 April to 5 April the following year.\n\n## If you leave the UK for more than 3 months\n\nYou will need to tell the Student Loans Company (SLC). They will work out if you have to repay while you\u2019re not in the UK and if so, how much you need to pay.\n\nThe rules for repayment are the same as in the UK, apart from different repayment thresholds for each country.\n\nIf you\u2019re abroad, your repayment amounts are based on:\n\n- the minimum amount under Plan 1 for that country\n\n- the minimum amount under Plan 2 for that country\n\n- the minimum amount under Plan 4 for that country\n\n- the minimum amount under the Postgraduate Loan plan for that country\n\nOnce SLC have told you how much you need to repay, you can make repayments:\n\n- through your online account\n\n- by International Bank Transfer (IBAN)\n\n## Online account\n\nSign in to your online account to:\n\n- make a repayment using an international debit card\n\n- set up a direct debit\n\nYou can also use your online account to update your contact details and make extra repayments.\n\n## International Bank Transfer\n\nTo transfer money from a non-UK bank account, use the following details:\n\nIBAN: GB37NWBK60708010027254\nSWIFT: NWBKGB2L\nNatWest Government Banking Team\nNatWest Customer Service Centre\nBrampton Road\nNewcastle-under-Lyme\nStaffordshire\nST5 0QX\n\nUse one of these as your reference:\n\n- customer reference number\n\n- grant reference number (if it\u2019s for a grant repayment)\n\n## Checking your repayments\n\nYou can check your repayments and balance in your:\n\n- annual statements from SLC\n\n- online account\n\nIf your contact details change, you must update them in your online account.\n\n## Avoid paying more than you owe\n\nIf you have nearly repaid your loan, you may be able to make your final repayments by direct debit instead of from your salary.\n\nThis makes sure your employer will not accidentally take more than you owe.\n\nSLC will contact you in the final year of your loan repayments to let you know how to set up a direct debit.\n\nKeep your contact details up to date.\n\n## Make extra repayments\n\nYou can choose to make extra repayments towards your student loan. These are in addition to the repayments you must make when your income is over the threshold amount for your repayment plan.\n\nYou should only make extra repayments if you think you can pay off the full balance before the loan term ends. This is because your loan will be written off at the end of the term.\n\nThere\u2019s no penalty if you make extra repayments but they are not refundable.\n\nSpeak to a financial adviser if you\u2019re unsure whether you should make extra repayments or not.\n\nIf you decide to make an extra repayment, you can choose how it is applied to your loan. For example, you can use it to reduce the total balance of your loan or to reduce the balance of a specific plan (if you have more than one plan).\n\nIf you do not choose how the repayment is applied, the Student Loans Company (SLC) will decide how it\u2019s applied for you.\n\nIf you\u2019re a full time student from Wales, you may be able to get \u00a31,500 of your Maintenance Loan written off.\n\n## Make a repayment without signing into an account\n\nYou can make a card repayment towards your loan or someone else\u2019s without signing into an online account.\n\nYou need the person\u2019s surname and customer reference number.\n\n## Make extra repayments from the UK\n\nYou can make extra repayments:\n\n- through your online account\n\n- by bank transfer\n\n- by cheque\n\n## Online account\n\nSign in to your online account to:\n\n- make a repayment using a debit card\n\n- set up a direct debit\n\n## Bank transfer\n\nTo make a bank transfer or set-up a standing order from a UK bank account you must use the following bank details:\n\nAccount name: Student Loans Company\nSort code: 60 70 80\nAccount number: 10027254\n\nUse one of these as your reference:\n\n- customer reference number\n\n- grant reference number (if it\u2019s for a grant repayment)\n\n## Cheque\n\nTo pay by cheque make your cheque payable to Student Loans Company Ltd and write the customer reference number on the back.\n\nIt is taking longer than usual to process cheques because of coronavirus (COVID-19). Your cheque will be backdated and you will not build up additional interest because of the delay.\n\n## Make extra repayments from overseas\n\nYou can make extra repayments:\n\n- through your online account\n\n- by International Bank Transfer (IBAN)\n\n## Online account\n\nSign in to your online account to:\n\n- make a repayment using an international debit card\n\n- set up a direct debit\n\n## International Bank Transfer\n\nTo transfer money from a non-UK bank account, use the following details:\n\nIBAN: GB37NWBK60708010027254\nSWIFT: NWBKGB2L\nNatWest Government Banking Team\nNatWest Customer Service Centre\nBrampton Road\nNewcastle-under-Lyme\nStaffordshire\nST5 0QX\n\nUse one of these as your reference:\n\n- customer reference number\n\n- grant reference number (if it\u2019s for a grant repayment)\n\n## Pay your loan off in full\n\nCall or contact SLC on social media to find out:\n\n- the total amount you owe (this is called the \u2018settlement amount\u2019)\n\n- the date you need to pay by (this is called the \u2018settlement date\u2019)\n\nYou\u2019ll need your latest payslip if you\u2019re employed.\n\nOnce you know the total you owe, you can pay by debit card over the phone, bank transfer or cheque.\n\nIf you do not pay the settlement amount by the settlement date, you\u2019ll need to contact SLC again. This is because the amount you owe might have changed. You\u2019ll only need to provide any recent payslips or calculations since you last called.\n\n## Getting a refund\n\nYou can ask for a refund if:\n\n- you\u2019ve paid more than the total amount you owe\n\n- your annual income was below the threshold\n\n- you started making repayments before you needed to\n\nYou cannot get a refund for extra repayments.\n\n## If you pay back more than you owe\n\nHM Revenue and Customs (HMRC) will tell your employer to stop taking repayments from your salary when you have repaid your loan in full. It can take around 4 weeks for salary deductions to stop.\n\nThis means you may pay back more than you owe.\n\nYou can avoid paying more than you owe by changing your payments to direct debit in the final year of your repayments. Keep your contact details up to date so SLC can let you know how to set this up.\n\nIf you have paid too much the Student Loans Company (SLC) will try to:\n\n- contact you to tell you how to get a refund\n\n- refund you automatically (this will appear in your bank account as \u2018SLC Receipts\u2019)\n\nYou can check your loan balance in your online account.\n\nIf you\u2019ve overpaid and have not heard from SLC you can ask them for a refund.\n\n## If your annual income was below the threshold\n\nYou can ask for a refund if you made repayments but your income over the whole tax year (6 April to 5 April the following year) was less than:\n\n- \u00a319,895 a year for Plan 1\n\n- \u00a327,295 a year for Plan 2\n\n- \u00a325,000 a year for Plan 4\n\n- \u00a321,000 a year for Postgraduate Loan\n\nIf your annual salary is less than this, your employer may still deduct repayments - for example if you get paid a bonus or overtime.\n\nIf you\u2019re repaying a Plan 1, Plan 2 and Plan 4 loan, you can only get a refund if your income was less than \u00a319,895.\n\nYou can check previous thresholds if you ask about a refund on repayments made before this tax year.\n\n## If you started repaying before you needed to\n\nIf a deduction is taken from your salary before you\u2019re due to start repaying, you can ask for a refund.\n\n## How to ask for a refund\n\nCall or contact SLC on social media with your customer reference number.\n\nYou can contact SLC by post.\n\n## When your student loan gets written off or cancelled\n\nWhen your student loan gets written off depends on which repayment plan you\u2019re on.\n\nIf you\u2019re a full time student from Wales, you may be able to get \u00a31,500 of your Maintenance Loan written off.\n\n## When Plan 1 loans get written off\n\nWhen your Plan 1 loan gets written off depends on when you took out the loan.\n\n| Academic year you took out the loan | When the loan\u2019s written off |\n\n| 2005 to 2006, or earlier | When you\u2019re 65 |\n\n| 2006 to 2007, or later | 25 years after the April you were first due to repay |\n\n## When Plan 2 loans get written off\n\nPlan 2 loans are written off 30 years after the April you were first due to repay.\n\n## When Plan 4 loans get written off\n\n| Academic year you took out the loan | When the loan\u2019s written off |\n\n| 2006 to 2007, or earlier | When you\u2019re 65, or 30 years after the April you were first due to repay - whichever comes first |\n\n| 2007 to 2008, or later | 30 years after the April you were first due to repay |\n\n## When Postgraduate Loans get written off\n\nIf you\u2019re a student from England or Wales, your Postgraduate Loan will be written off 30 years after the April you were first due to repay.\n\nIf you\u2019re a postgraduate student from Northern Ireland, you\u2019re on Plan 1.\n\nIf you\u2019re a postgraduate student from Scotland, you\u2019re on Plan 4.\n\n## If someone with a student loan dies\n\nThe Student Loans Company (SLC) will cancel the person\u2019s student loan.\n\nYou need to let SLC know that the person has died and provide evidence (for example an original death certificate), as well as the person\u2019s Customer Reference Number.\n\n## If you can no longer work because of illness or disability\n\nSLC may be able to cancel your loan if you claim certain disability benefits. You\u2019ll need to provide evidence (for example a letter from the benefits agency) and your Customer Reference Number.\n\n## Update your employment details\n\nYou need to update your details if you:\n\n- leave the UK for more than 3 months\n\n- start a new job or become self-employed\n\n- stop working\n\n- get a letter or email from the Student Loans Company (SLC) asking you to update your employment details\n\nSLC use these details to work out if you should be repaying your loan.\n\nYou might get a higher interest rate if you do not update your details.\n\nStart now", + "original_contents": [ + "

    Overview

    ", + "

    You need to pay back:

    ", + "
  • Tuition Fee Loans
  • ", + "
  • Maintenance Loans
  • ", + "
  • Postgraduate Loans
  • ", + "

    You do not need to pay back other student finance, for example grants and bursaries, unless you\u2019ve been paid too much.

    ", + "

    You still have to repay your student loan if you leave your course early.

    ", + "

    When you start repaying your loan and how much you pay depends on which repayment plan you\u2019re on.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    How to repay

    ", + "

    How you repay your loan depends on whether you\u2019re employed or self-employed.

    ", + "

    You can make extra repayments in your online repayment account and by card, bank transfer or cheque.

    ", + "

    Keep your payslips and P60 for your records - you\u2019ll need them if you want to get a refund.

    ", + "

    Sign in

    ", + "

    Sign in to your student loan repayment account if you already have one.

    ", + "

    Repaying during the coronavirus (COVID-19) outbreak

    ", + "

    Read the guidance about repaying your student loan for more information on:

    ", + "
  • changes in your income
  • ", + "
  • refunds
  • ", + "
  • interest on your loan balance
  • ", + "

    Which repayment plan you're on

    ", + "

    When you start repaying your loan and how much you repay depends on your repayment plan.

    ", + "

    There are 4 plans:

    ", + "
  • Plan 1
  • ", + "
  • Plan 2
  • ", + "
  • Plan 4
  • ", + "
  • Postgraduate Loan
  • ", + "

    You cannot choose the repayment plan you\u2019re on. If you have more than one loan, they could be on different plans.

    ", + "

    Plan 1

    ", + "

    You\u2019re on Plan 1 if you\u2019re:

    ", + "
  • an English or Welsh student who started an undergraduate course anywhere in the UK before 1 September 2012
  • ", + "
  • a Northern Irish student who started an undergraduate or postgraduate course anywhere in the UK on or after 1 September 1998
  • ", + "
  • an EU student who started an undergraduate course in England or Wales on or after 1 September 1998, but before 1 September 2012
  • ", + "
  • an EU student who started an undergraduate or postgraduate course in Northern Ireland on or after 1 September 1998
  • ", + "

    Plan 2

    ", + "

    You\u2019re on Plan 2 if you\u2019re:

    ", + "
  • an English or Welsh student who started an undergraduate course anywhere in the UK on or after 1 September 2012
  • ", + "
  • an EU student who started an undergraduate course in England or Wales on or after 1 September 2012
  • ", + "
  • someone who took out an Advanced Learner Loan on or after 1 August 2013
  • ", + "

    Plan 4

    ", + "

    You\u2019re on Plan 4 if you\u2019re:

    ", + "
  • a Scottish student who started an undergraduate or postgraduate course anywhere in the UK on or after 1 September 1998
  • ", + "
  • an EU student who started an undergraduate or postgraduate course in Scotland on or after 1 September 1998
  • ", + "

    Postgraduate Loan

    ", + "

    You\u2019re on a Postgraduate Loan repayment plan if you\u2019re:

    ", + "
  • an English or Welsh student who took out a Postgraduate Master\u2019s Loan on or after 1 August 2016
  • ", + "
  • an English or Welsh student who took out a Postgraduate Doctoral Loan on or after 1 August 2018
  • ", + "
  • an EU student who started a postgraduate course on or after 1 August 2016
  • ", + "

    When you start repaying

    ", + "

    You\u2019ll only repay your student loan when your income is over the threshold amount for your repayment plan. The threshold amounts change on 6 April every year.

    ", + "

    The earliest you\u2019ll start repaying is either:

    ", + "
  • the April after you leave your course
  • ", + "
  • the April 4 years after the course started, if you\u2019re studying part-time
  • ", + "

    Your repayments automatically stop if either:

    ", + "
  • you stop working
  • ", + "
  • your income goes below the threshold
  • ", + "

    If you have a Plan 1 student loan

    ", + "

    You\u2019ll only repay when your income is over \u00a3382 a week, \u00a31,657 a month or \u00a319,895 a year (before tax and other deductions).

    ", + "

    If you have a Plan 2 student loan

    ", + "

    You\u2019ll only repay when your income is over \u00a3524 a week, \u00a32,274 a month or \u00a327,295 a year (before tax and other deductions).

    ", + "

    If you have a Plan 4 student loan

    ", + "

    You\u2019ll only repay when your income is over \u00a3480 a week, \u00a32,083 a month or \u00a325,000 a year (before tax and other deductions).

    ", + "

    If you\u2019re on a Postgraduate Loan repayment plan

    ", + "

    If you took out a Master\u2019s Loan or a Doctoral Loan, you\u2019ll only repay when your income is over \u00a3403 a week, \u00a31,750 a month or \u00a321,000 a year (before tax and other deductions).

    ", + "

    Early repayments

    ", + "

    There\u2019s no penalty for paying some or all of your loan off early.

    ", + "

    How much you repay

    ", + "

    How much you repay depends on which plan you\u2019re on.

    ", + "

    Each plan has a threshold for your weekly or monthly income. You repay:

    ", + "
  • 9% of the amount you earn over the threshold for plans 1, 2 and 4
  • ", + "
  • 6% of the amount you earn over the threshold for the Postgraduate Loan
  • ", + "

    You do not pay anything back if your income is under the threshold.

    ", + "

    Interest starts being added to your loan from when you get your first payment.

    ", + "

    Plan 1

    ", + "

    The thresholds are \u00a3382 a week or \u00a31,657 a month (before tax and other deductions).

    ", + "

    Interest on Plan 1

    ", + "

    You currently pay interest of 1.1% on Plan 1. You can find out how the interest is calculated and interest rates for previous years.

    ", + "

    Plan 2

    ", + "

    The thresholds are \u00a3524 a week or \u00a32,274 a month (before tax and other deductions). They change on 6 April every year.

    ", + "

    Interest on Plan 2

    ", + "

    While you\u2019re studying, interest is 5.6%.

    ", + "

    This is made up of the Retail Price Index (RPI) plus 3%. RPI is currently set at 2.6%.

    ", + "

    This rate applies until the 5 April after you finish or leave your course, or for the first 4 years of your course if you\u2019re studying part-time, unless the RPI changes.

    ", + "

    After that, your interest rate depends on your income in the current tax year.

    ", + "

    If you\u2019re self-employed, your income is the total income amount on your Self-Assessment form.

    ", + "

    If you\u2019re an employee, your income is your taxable pay:

    ", + "
  • plus any pension contributions
  • ", + "
  • minus any benefits you get from your employer that are taxed through payroll (ask your employer if you\u2019re not sure)
  • ", + "

    If you have more than one job in a year, your interest rate will be based on your combined income from all your jobs.

    ", + "Your annual income | Interest rate", + "\u00a327,295 or less | RPI (currently 2.6%)", + "\u00a327,296 to \u00a349,130 | RPI (currently 2.6%), plus up to 3%", + "Over \u00a349,130 | RPI (currently 2.6%), plus 3%", + "

    You must keep your contact details up to date in your online account and give the Student Loans Company (SLC) evidence if they ask for it. If you do not, you may be charged the higher interest rate even if your income is lower.

    ", + "

    You can find out how the interest is calculated and interest rates for previous years.

    ", + "

    If you have Plan 1 and Plan 2 loans

    ", + "

    You pay back 9% of your income over the Plan 1 threshold (\u00a3382 a week or \u00a31,657 a month).

    ", + "

    If your income is under the Plan 2 threshold (\u00a3524 a week or \u00a32,274 a month), your repayments only go towards your Plan 1 loan.

    ", + "

    If your income is over the Plan 2 threshold, your repayments go towards both your loans.

    ", + "

    Plan 4

    ", + "

    The thresholds are \u00a3480 a week or \u00a32,083 a month (before tax and other deductions).

    ", + "

    Interest on Plan 4

    ", + "

    You currently pay interest of 1.1% on Plan 4. You can find out how the interest is calculated and interest rates for previous years.

    ", + "

    If you have a Plan 4 loan and a Plan 1 loan

    ", + "

    You pay back 9% of your income over the Plan 1 threshold (\u00a3382 a week or \u00a31,657 a month).

    ", + "

    If your income is under the Plan 4 threshold (\u00a3480 a week or \u00a32,083 a month), your repayments only go towards your Plan 1 loan.

    ", + "

    If your income is over the Plan 4 threshold, your repayments go towards both your loans.

    ", + "

    If you have a Plan 4 loan and a Plan 2 loan

    ", + "

    You pay back 9% of your income over the Plan 4 threshold (\u00a3480 a week or \u00a32,083 a month).

    ", + "

    If your income is under the Plan 2 threshold (\u00a3524 a week or \u00a32,274 a month), your repayments only go towards your Plan 4 loan.

    ", + "

    If your income is over the Plan 2 threshold, your repayments go towards both your loans.

    ", + "

    Postgraduate Loan

    ", + "

    The thresholds are \u00a3403 a week or \u00a31,750 a month (before tax and other deductions).

    ", + "

    Interest on Postgraduate Loan

    ", + "

    You currently pay interest of 5.6% on Postgraduate Loans.

    ", + "

    The interest is made up of the Retail Price Index (RPI), plus 3%. RPI is currently set at 2.6%.

    ", + "

    You can find out how the interest is calculated and interest rates for previous years.

    ", + "

    If you have a Postgraduate Loan and a Plan 1, Plan 2 or Plan 4 loan

    ", + "

    You pay back 6% of your income over the Postgraduate Loan threshold (\u00a3403 a week or \u00a31,750 a month). In addition, you\u2019ll pay back 9% of your income over the Plan 1, Plan 2 or Plan 4 threshold.

    ", + "

    If your income changes during the year

    ", + "

    You can ask for a refund if you make repayments but your total annual income (from 6 April to 5 April the following year) is less than:

    ", + "
  • \u00a319,895 a year for Plan 1
  • ", + "
  • \u00a327,295 a year for Plan 2
  • ", + "
  • \u00a325,000 a year for Plan 4
  • ", + "
  • \u00a321,000 for Postgraduate Loans
  • ", + "

    If you have 2 or more jobs

    ", + "

    If you\u2019re employed, your repayments will be taken out of your salary. The repayments will be from the jobs where you earn over the minimum amount, not your combined income.

    ", + "

    If you need to send a Self Assessment tax return

    ", + "

    HM Revenue and Customs (HMRC) will work out how much you repay from your tax return. Your repayments are based on your income for the whole year. If you\u2019ve already made repayments from a salary, HMRC will deduct them from the amount you have to repay.

    ", + "

    How to repay

    ", + "

    Your repayments will be taken out of your salary at the same time as tax and National Insurance if you\u2019re an employee. Your payslips will show how much has been deducted. You may need to tell your employer which repayment plan you\u2019re on.

    ", + "

    You start repaying when your income is more than the minimum amount.

    ", + "

    There\u2019s no penalty if you make extra repayments to pay some or all of your loan off early.

    ", + "

    If you\u2019re self-employed

    ", + "

    HM Revenue and Customs (HMRC) will work out how much you pay from your tax return. You pay at the same time as you pay your tax.

    ", + "

    If you\u2019re an employee and you do a tax return

    ", + "

    If you earn over the minimum amount, your employer will deduct loan repayments from your salary.

    ", + "

    Check your payslips or P60 to see how much of your loan you\u2019ve paid off during the tax year. You\u2019ll need to include this information when you fill in your tax return.

    ", + "

    The tax year runs from 6 April to 5 April the following year.

    ", + "

    If you leave the UK for more than 3 months

    ", + "

    You will need to tell the Student Loans Company (SLC). They will work out if you have to repay while you\u2019re not in the UK and if so, how much you need to pay.

    ", + "

    The rules for repayment are the same as in the UK, apart from different repayment thresholds for each country.

    ", + "

    If you\u2019re abroad, your repayment amounts are based on:

    ", + "
  • the minimum amount under Plan 1 for that country
  • ", + "
  • the minimum amount under Plan 2 for that country
  • ", + "
  • the minimum amount under Plan 4 for that country
  • ", + "
  • the minimum amount under the Postgraduate Loan plan for that country
  • ", + "

    Once SLC have told you how much you need to repay, you can make repayments:

    ", + "
  • through your online account
  • ", + "
  • by International Bank Transfer (IBAN)
  • ", + "

    Online account

    ", + "

    Sign in to your online account to:

    ", + "
  • make a repayment using an international debit card
  • ", + "
  • set up a direct debit
  • ", + "

    You can also use your online account to update your contact details and make extra repayments.

    ", + "

    International Bank Transfer

    ", + "

    To transfer money from a non-UK bank account, use the following details:

    ", + "

    IBAN: GB37NWBK60708010027254\nSWIFT: NWBKGB2L\nNatWest Government Banking Team\nNatWest Customer Service Centre\nBrampton Road\nNewcastle-under-Lyme\nStaffordshire\nST5 0QX

    ", + "

    Use one of these as your reference:

    ", + "
  • customer reference number
  • ", + "
  • grant reference number (if it\u2019s for a grant repayment)
  • ", + "

    Checking your repayments

    ", + "

    You can check your repayments and balance in your:

    ", + "
  • annual statements from SLC
  • ", + "
  • online account
  • ", + "

    If your contact details change, you must update them in your online account.

    ", + "

    Avoid paying more than you owe

    ", + "

    If you have nearly repaid your loan, you may be able to make your final repayments by direct debit instead of from your salary.

    ", + "

    This makes sure your employer will not accidentally take more than you owe.

    ", + "

    SLC will contact you in the final year of your loan repayments to let you know how to set up a direct debit.

    ", + "

    Keep your contact details up to date.

    ", + "

    Make extra repayments

    ", + "

    You can choose to make extra repayments towards your student loan. These are in addition to the repayments you must make when your income is over the threshold amount for your repayment plan.

    ", + "

    You should only make extra repayments if you think you can pay off the full balance before the loan term ends. This is because your loan will be written off at the end of the term.

    ", + "

    There\u2019s no penalty if you make extra repayments but they are not refundable.

    ", + "

    Speak to a financial adviser if you\u2019re unsure whether you should make extra repayments or not.

    ", + "

    If you decide to make an extra repayment, you can choose how it is applied to your loan. For example, you can use it to reduce the total balance of your loan or to reduce the balance of a specific plan (if you have more than one plan).

    ", + "

    If you do not choose how the repayment is applied, the Student Loans Company (SLC) will decide how it\u2019s applied for you.

    ", + "

    If you\u2019re a full time student from Wales, you may be able to get \u00a31,500 of your Maintenance Loan written off.

    ", + "

    Make a repayment without signing into an account

    ", + "

    You can make a card repayment towards your loan or someone else\u2019s without signing into an online account.

    ", + "

    You need the person\u2019s surname and customer reference number.

    ", + "

    Make extra repayments from the UK

    ", + "

    You can make extra repayments:

    ", + "
  • through your online account
  • ", + "
  • by bank transfer
  • ", + "
  • by cheque
  • ", + "

    Online account

    ", + "

    Sign in to your online account to:

    ", + "
  • make a repayment using a debit card
  • ", + "
  • set up a direct debit
  • ", + "

    Bank transfer

    ", + "

    To make a bank transfer or set-up a standing order from a UK bank account you must use the following bank details:

    ", + "

    Account name: Student Loans Company\nSort code: 60 70 80\nAccount number: 10027254

    ", + "

    Use one of these as your reference:

    ", + "
  • customer reference number
  • ", + "
  • grant reference number (if it\u2019s for a grant repayment)
  • ", + "

    Cheque

    ", + "

    To pay by cheque make your cheque payable to Student Loans Company Ltd and write the customer reference number on the back.

    ", + "

    It is taking longer than usual to process cheques because of coronavirus (COVID-19). Your cheque will be backdated and you will not build up additional interest because of the delay.

    ", + "

    Make extra repayments from overseas

    ", + "

    You can make extra repayments:

    ", + "
  • through your online account
  • ", + "
  • by International Bank Transfer (IBAN)
  • ", + "

    Online account

    ", + "

    Sign in to your online account to:

    ", + "
  • make a repayment using an international debit card
  • ", + "
  • set up a direct debit
  • ", + "

    International Bank Transfer

    ", + "

    To transfer money from a non-UK bank account, use the following details:

    ", + "

    IBAN: GB37NWBK60708010027254\nSWIFT: NWBKGB2L\nNatWest Government Banking Team\nNatWest Customer Service Centre\nBrampton Road\nNewcastle-under-Lyme\nStaffordshire\nST5 0QX

    ", + "

    Use one of these as your reference:

    ", + "
  • customer reference number
  • ", + "
  • grant reference number (if it\u2019s for a grant repayment)
  • ", + "

    Pay your loan off in full

    ", + "

    Call or contact SLC on social media to find out:

    ", + "
  • the total amount you owe (this is called the \u2018settlement amount\u2019)
  • ", + "
  • the date you need to pay by (this is called the \u2018settlement date\u2019)
  • ", + "

    You\u2019ll need your latest payslip if you\u2019re employed.

    ", + "

    Once you know the total you owe, you can pay by debit card over the phone, bank transfer or cheque.

    ", + "

    If you do not pay the settlement amount by the settlement date, you\u2019ll need to contact SLC again. This is because the amount you owe might have changed. You\u2019ll only need to provide any recent payslips or calculations since you last called.

    ", + "

    Getting a refund

    ", + "

    You can ask for a refund if:

    ", + "
  • you\u2019ve paid more than the total amount you owe
  • ", + "
  • your annual income was below the threshold
  • ", + "
  • you started making repayments before you needed to
  • ", + "

    You cannot get a refund for extra repayments.

    ", + "

    If you pay back more than you owe

    ", + "

    HM Revenue and Customs (HMRC) will tell your employer to stop taking repayments from your salary when you have repaid your loan in full. It can take around 4 weeks for salary deductions to stop.

    ", + "

    This means you may pay back more than you owe.

    ", + "

    You can avoid paying more than you owe by changing your payments to direct debit in the final year of your repayments. Keep your contact details up to date so SLC can let you know how to set this up.

    ", + "

    If you have paid too much the Student Loans Company (SLC) will try to:

    ", + "
  • contact you to tell you how to get a refund
  • ", + "
  • refund you automatically (this will appear in your bank account as \u2018SLC Receipts\u2019)
  • ", + "

    You can check your loan balance in your online account.

    ", + "

    If you\u2019ve overpaid and have not heard from SLC you can ask them for a refund.

    ", + "

    If your annual income was below the threshold

    ", + "

    You can ask for a refund if you made repayments but your income over the whole tax year (6 April to 5 April the following year) was less than:

    ", + "
  • \u00a319,895 a year for Plan 1
  • ", + "
  • \u00a327,295 a year for Plan 2
  • ", + "
  • \u00a325,000 a year for Plan 4
  • ", + "
  • \u00a321,000 a year for Postgraduate Loan
  • ", + "

    If your annual salary is less than this, your employer may still deduct repayments - for example if you get paid a bonus or overtime.

    ", + "

    If you\u2019re repaying a Plan 1, Plan 2 and Plan 4 loan, you can only get a refund if your income was less than \u00a319,895.

    ", + "

    You can check previous thresholds if you ask about a refund on repayments made before this tax year.

    ", + "

    If you started repaying before you needed to

    ", + "

    If a deduction is taken from your salary before you\u2019re due to start repaying, you can ask for a refund.

    ", + "

    How to ask for a refund

    ", + "

    Call or contact SLC on social media with your customer reference number.

    ", + "

    You can contact SLC by post.

    ", + "

    When your student loan gets written off or cancelled

    ", + "

    When your student loan gets written off depends on which repayment plan you\u2019re on.

    ", + "

    If you\u2019re a full time student from Wales, you may be able to get \u00a31,500 of your Maintenance Loan written off.

    ", + "

    When Plan 1 loans get written off

    ", + "

    When your Plan 1 loan gets written off depends on when you took out the loan.

    ", + "Academic year you took out the loan | When the loan\u2019s written off", + "2005 to 2006, or earlier | When you\u2019re 65", + "2006 to 2007, or later | 25 years after the April you were first due to repay", + "

    When Plan 2 loans get written off

    ", + "

    Plan 2 loans are written off 30 years after the April you were first due to repay.

    ", + "

    When Plan 4 loans get written off

    ", + "Academic year you took out the loan | When the loan\u2019s written off", + "2006 to 2007, or earlier | When you\u2019re 65, or 30 years after the April you were first due to repay - whichever comes first", + "2007 to 2008, or later | 30 years after the April you were first due to repay", + "

    When Postgraduate Loans get written off

    ", + "

    If you\u2019re a student from England or Wales, your Postgraduate Loan will be written off 30 years after the April you were first due to repay.

    ", + "

    If you\u2019re a postgraduate student from Northern Ireland, you\u2019re on Plan 1.

    ", + "

    If you\u2019re a postgraduate student from Scotland, you\u2019re on Plan 4.

    ", + "

    If someone with a student loan dies

    ", + "

    The Student Loans Company (SLC) will cancel the person\u2019s student loan.

    ", + "

    You need to let SLC know that the person has died and provide evidence (for example an original death certificate), as well as the person\u2019s Customer Reference Number.

    ", + "

    If you can no longer work because of illness or disability

    ", + "

    SLC may be able to cancel your loan if you claim certain disability benefits. You\u2019ll need to provide evidence (for example a letter from the benefits agency) and your Customer Reference Number.

    ", + "

    Update your employment details

    ", + "

    You need to update your details if you:

    ", + "
  • leave the UK for more than 3 months
  • ", + "
  • start a new job or become self-employed
  • ", + "
  • stop working
  • ", + "
  • get a letter or email from the Student Loans Company (SLC) asking you to update your employment details
  • ", + "

    SLC use these details to work out if you should be repaying your loan.

    ", + "

    You might get a higher interest rate if you do not update your details.

    ", + "

    Start now

    " + ] + }, + "https://www.gov.uk/social-work-bursaries": { + "url": "https://www.gov.uk/social-work-bursaries", + "title": "Social work bursaries", + "content": "## Overview\n\nIf you\u2019re training for social work you may get a bursary.\n\nSocial work bursaries:\n\n- help with living costs and tuition fees\n\n- don\u2019t depend on your household income\n\n- don\u2019t have to be paid back\n\n## What you'll get\n\nThe social work bursary is a grant that doesn\u2019t depend on your household income and doesn\u2019t have to be paid back.\n\nThe amount you get depends on:\n\n- where you study\n\n- whether you study full or part-time\n\n- the cost of your tuition\n\nGraduates doing an undergraduate social work course can apply for the Maintenance Loan part of the main student finance \npackage.\n\n## How it\u2019s paid\n\nSocial work bursaries are paid in 3 instalments, one each term.\n\n## If you\u2019re disabled\n\nYou may be able to get extra help if you\u2019re disabled and a postgraduate student.\n\n## Eligibility\n\nSocial work bursaries are available to eligible social work students who:\n\n- don\u2019t get funding from their employer\n\n- are studying an approved undergraduate or postgraduate course in social work\n\n- don\u2019t already have a higher education social work qualification\n\nYour university or college will tell you if your course qualifies.\n\nUndergraduate students may also be able to get help from the main student finance \npackage - apply to Student Finance England.\n\nYou\u2019re not eligible for a bursary if you\u2019re studying on an employment-based course including direct Open University courses.\n\n## How to apply\n\nYou need to download forms from NHS Business Services Authority. The address to send the form is in the guidance notes.\n\nThe deadline for 2017 to 2018 applications depends on when you start your course:\n\n| Course starts | Application deadline |\n\n| Autumn term | 1 November 2017 |\n\n| Winter term | 14 February 2018 |\n\n## Evidence needed\n\nYou may need to prove your identity by sending both:\n\n- your birth certificate\n\n- your passport (which must be valid)", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re training for social work you may get a bursary.

    ", + "

    Social work bursaries:

    ", + "
  • help with living costs and tuition fees
  • ", + "
  • don\u2019t depend on your household income
  • ", + "
  • don\u2019t have to be paid back
  • ", + "

    What you'll get

    ", + "

    The social work bursary is a grant that doesn\u2019t depend on your household income and doesn\u2019t have to be paid back.

    ", + "

    The amount you get depends on:

    ", + "
  • where you study
  • ", + "
  • whether you study full or part-time
  • ", + "
  • the cost of your tuition
  • ", + "

    Graduates doing an undergraduate social work course can apply for the Maintenance Loan part of the main student finance \npackage.

    ", + "

    How it\u2019s paid

    ", + "

    Social work bursaries are paid in 3 instalments, one each term.

    ", + "

    If you\u2019re disabled

    ", + "

    You may be able to get extra help if you\u2019re disabled and a postgraduate student.

    ", + "

    Eligibility

    ", + "

    Social work bursaries are available to eligible social work students who:

    ", + "
  • don\u2019t get funding from their employer
  • ", + "
  • are studying an approved undergraduate or postgraduate course in social work
  • ", + "
  • don\u2019t already have a higher education social work qualification
  • ", + "

    Your university or college will tell you if your course qualifies.

    ", + "

    Undergraduate students may also be able to get help from the main student finance \npackage - apply to Student Finance England.

    ", + "

    You\u2019re not eligible for a bursary if you\u2019re studying on an employment-based course including direct Open University courses.

    ", + "

    How to apply

    ", + "

    You need to download forms from NHS Business Services Authority. The address to send the form is in the guidance notes.

    ", + "

    The deadline for 2017 to 2018 applications depends on when you start your course:

    ", + "Course starts | Application deadline", + "Autumn term | 1 November 2017", + "Winter term | 14 February 2018", + "

    Evidence needed

    ", + "

    You may need to prove your identity by sending both:

    ", + "
  • your birth certificate
  • ", + "
  • your passport (which must be valid)
  • " + ] + }, + "https://www.gov.uk/student-finance": { + "url": "https://www.gov.uk/student-finance", + "title": "Student finance", + "content": "## Overview\n\nYou may be able to borrow money to help pay for university or college tuition fees and to help with living costs.\n\nYou might get extra money on top of this, for example if you\u2019re on a low income, are disabled or have children.\n\nIf you\u2019re a continuing student or you\u2019ve already created an account, log in to your account.\n\n## Before you apply\n\nYou start repaying once you earn over a certain amount. The size of your monthly repayments will depend on how much you earn, not what you owe.\n\nYou\u2019ll be charged interest on the loan from the day you take it out. The terms and conditions can change.\n\nThe rules are different if your course started before September 2012.\n\nRead the student finance privacy notice to find out how the information you provide will be used.\n\n## How to apply\n\nFind out how to apply for student finance.\n\nIf you\u2019re under 25 and have no contact with your parents, you might be able to apply as an \u2018estranged student\u2019.\n\nThere\u2019s a different process if you\u2019re a student from Scotland, Wales, or Northern Ireland. Contact the education authority if you live in the Channel Islands (Jersey and Guernsey) or Isle of Man.\n\nYou can give someone permission to act on your behalf (for example using Power of Attorney) if you want them to apply for you.\n\n## New full-time students\n\nYou can apply for a Tuition Fee Loan and Maintenance Loan if your course starts on or after 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\nIf you\u2019re studying an accelerated degree course, you could get up to \u00a311,100.\n\n## Maintenance Loan for living costs\n\nYou may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of each term. You have to pay the loan back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to 7,747 | Up to \u00a37,987 |\n\n| Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488 |\n\n| Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866 |\n\nYou must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.\n\nIf you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.\n\nUse the student finance calculator to estimate your Maintenance Loan.\n\n## Applying during coronavirus (COVID-19)\n\nRead the guidance for students during coronavirus for more information about:\n\n- changes in your household income\n\n- self-isolation stopping you from posting evidence\n\n- contacting the Student Loans Company\n\n## Coronavirus and maintenance loans\n\nYou do not need to tell SLC if your course has moved online, as long as your living arrangements stay the same. If they have changed, you must update your address in your online account.\n\n## Extra help with travel costs\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Continuing full-time students\n\nWhat you\u2019re eligible for depends on when your course starts.\n\nYou may also be able to get extra help.\n\n## If your course starts on or after 1 August 2016\n\nYou can apply for a Tuition Fee Loan and a Maintenance Loan if your course starts on or after 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n## Maintenance Loan for living costs\n\nYou may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of term. You have to pay the loan back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to 7,747 | Up to \u00a37,987 |\n\n| Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488 |\n\n| Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866 |\n\nYou must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.\n\nIf you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.\n\nIn your final year, you\u2019ll receive less money than you did in previous years.\n\n## If your course started before 1 August 2016\n\nYou can apply for grants and loans if your course started before 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n## Maintenance Loan for living costs\n\nStudents aged 60 and over cannot apply. You may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of each term. You have to pay the loan back.\n\nYou must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to \u00a35,247 | Up to \u00a35,410 |\n\n| Living away from home, outside London | Up to \u00a36,597 | Up to \u00a36,802 |\n\n| Living away from home, in London | Up to \u00a39,205 | Up to \u00a39,490 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a37,838 | Up to \u00a38,081 |\n\nIn your final year, you\u2019ll receive less money than you did in previous years.\n\n## Maintenance Grant for living costs\n\nYou have to give details of your household income and your course start date.\n\nThe grant is paid into your bank account at the start of each term. You do not have to pay it back, but any funds you get will reduce the Maintenance Loan you can get.\n\n## Special Support Grant\n\nYou may get a Special Support Grant instead of a Maintenance Grant if you get or qualify for:\n\n- Income Support\n\n- income-related Employment and Support Allowance\n\n- Housing Benefit\n\n- the housing element of Universal Credit\n\nThe amount you get is the same as the Maintenance Grant, but it will not reduce the Maintenance Loan you can get.\n\nYou may get the Special Support Grant if, for example, you\u2019re a lone parent or have certain disabilities.\n\nYou\u2019ll be told if you can get the grant when you apply for student finance.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Help with the costs of studying abroad\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.\n\n## Help during coronavirus (COVID-19)\n\nRead the guidance for students during coronavirus for more information, including if:\n\n- your university or college is shut\n\n- your household income changes\n\n- you\u2019ll need to repeat or extend your studies\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Part-time students\n\nYou may be able to get a loan if your part-time course has a \u2018course intensity\u2019 of 25% or more.\n\n\u2018Course intensity\u2019 measures how much of your course you complete each year compared to an equivalent full-time course.\n\nYou can work this out by comparing your module credits with the number of module credits a full-time student will study. You\u2019ll be asked how many credits you\u2019ll study when you apply for the loan.\n\nCheck with your university or college if you\u2019re not sure.\n\nWhat you can apply for depends on when your course starts.\n\nYou must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.\n\n## If your course starts on or after 1 August 2018\n\nYou can apply for a Tuition Fee Loan and a Maintenance Loan.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\nYou can get up to \u00a36,935 in an academic year.\n\n## Maintenance Loan for living costs\n\nHow much you can get depends on:\n\n- where you live while studying\n\n- your household income\n\n- your course intensity\n\nThe loan is paid directly into your bank account 2 weeks after the start of each term. You have to pay the loan back.\n\nYou can only apply for a Maintenance Loan as a Distance Learning student if you cannot attend your course in person because of a disability.\n\nUse the student finance calculator to estimate your Maintenance Loan.\n\nYou\u2019re not eligible for a Maintenance Loan if you\u2019re 60 or over on the first day of the first academic year of your course.\n\n## If your course started before 1 August 2018\n\nYou can apply for a Tuition Fee Loan.\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\nYou can get up to \u00a36,935 in an academic year.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## EU students\n\nYou may be able to get a Tuition Fee Loan and help with living costs if you\u2019re from an EU country, Iceland, Liechtenstein, Norway or Switzerland.\n\nUse the student finance calculator to see what finance you can get.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n| Full-time student at a private university or college | Up to \u00a36,165 | Up to \u00a36,165 |\n\n| Part-time student | Up to \u00a36,935 | Up to \u00a36,935 |\n\n| Part-time student at a private university or college | Up to \u00a34,625 | Up to \u00a34,625 |\n\nUse the student finance calculator to estimate your Tuition Fee Loan.\n\n## Help with living costs\n\nYou may be eligible for help with your living costs if both the following apply:\n\n- you\u2019ve lived in the UK for more than 3 years before the first day of the first academic year of your course\n\n- you have settled status\n\nAcademic years start on 1 September, 1 January, 1 April or 1 July. Ask someone who runs your course if you do not know which one applies.\n\n## Student Finance from August 2021\n\nIf you\u2019re\u00a0starting a course\u00a0on\u00a0or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nIf you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study here.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Extra help\n\nCheck on the student finance calculator to see what extra help you might be able to get.\n\n## Students on a low income\n\nYou can apply for:\n\n- Universal Credit\n\n- extra help if you\u2019re experiencing financial hardship\n\n## Students with children or dependent adults\n\nYou can apply for:\n\n- Childcare Grant - full-time students only\n\n- Parents\u2019 Learning Allowance - full-time students only\n\n- Adult Dependants\u2019 Grant - full-time students only\n\n- Universal Credit\n\n- extra help if you\u2019re experiencing financial hardship\n\n## Disabled students\n\nIf you have a disability, long-term health condition, mental health condition or specific learning difficulty (such as dyslexia) you can apply for:\n\n- Disabled Students\u2019 Allowance\n\n- extra help if you\u2019re experiencing financial hardship\n\nYou may also qualify for disability related benefits.\n\n## Medical, social work and teacher training students\n\nYou can apply for:\n\n- NHS bursaries if you\u2019re studying certain medical, dentistry or healthcare courses\n\n- help with costs of travel to UK clinical placements if you\u2019re studying a medical, dentistry or healthcare course\n\n- social work bursaries if you\u2019re a social work student\n\n- extra help if you\u2019re a teacher training student\n\n## Students studying abroad\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home.\n\n## Help from your university or college\n\nMany universities and colleges offer extra money directly to students.\n\n## Funding from charitable trusts\n\nUse the Turn2us grant search to check whether you qualify for funding from a charitable trust.\n\n## Eligibility\n\nWhether you qualify for student finance depends on:\n\n- your university or college\n\n- your course\n\n- if you\u2019ve studied a higher education course before\n\n- your age\n\n- your nationality or residency status\n\n## Your university or college\n\nThis should be a university, college or other institution that offers a qualifying course.\n\n## Your course\n\nCheck with the university or college that your course is recognised.\n\n## If you\u2019re studying full-time\n\nYou may be eligible for student finance if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- an Initial Teacher Training course\n\n- an integrated master\u2019s degree\n\n- a pre-registration postgraduate healthcare course\n\nCheck on the student finance calculator to find out which loans and grants you could be eligible for.\n\n## If you\u2019re studying part-time\n\nYour course needs a \u2018course intensity\u2019 of 25% or more for you to be eligible for student finance.\n\nYou\u2019ll be eligible for a Tuition Fee Loan if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- an Initial Teacher Training course\n\n- an integrated master\u2019s degree\n\nYou\u2019ll be eligible for a Maintenance Loan if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- an Initial Teacher Training course (if it\u2019s degree level or above)\n\n- an integrated master\u2019s degree\n\n- a Foundation Degree in dental hygiene and dental therapy\n\n- a DipHE in dental hygiene and dental therapy or operating department practice\n\n## If you\u2019ve studied before\n\nYou\u2019ll usually only get student finance if you\u2019re doing your first higher education qualification - even if your previous course was self-funded. You may still be eligible for limited funding in certain circumstances and for some courses.\n\n## If you changed course, stopped your studies or are repeating a year\n\nIf you stopped your course within the first year, you\u2019ll get funding for the same course or a new course when you go back.\n\nYou might also get funding if you:\n\n- suspended your course or withdrew before it finished - and you\u2019re going back to study any course\n\n- are repeating a year of your course at the same university, college, or institution.\n\nIf you stopped your studies for a personal reason (for example, you were ill or pregnant) you might get funding for all of your course - you should apply online with supporting evidence.\n\nYou can calculate the amount you will get by taking the total number of years of the course you are applying for and adding one year. Then take away the number of years you studied for. If you studied for part of a year you should count it as a whole year.\n\n## If you already have a degree\n\nYou may be eligible for limited funding in certain circumstances.\n\nYou may get limited funding if you\u2019re \u2018topping up\u2019 a higher education qualification, for example you\u2019ve finished an HNC, HND or Foundation Degree and now want to do an Honours degree.\n\nYou may also get limited funding if you hold an Honours degree or a higher level of qualification and start a new course. This could be a part-time Honours degree, a joint Honours degree or an Integrated Master\u2019s degree in one of the following (or 2 if it\u2019s a joint Honours degree):\n\n- agriculture and related subjects\n\n- architecture (if it\u2019s a MArch RIBA Part 2 course)\n\n- biological sciences\n\n- computer science\n\n- mathematical sciences\n\n- medicine and allied subjects\n\n- physical sciences\n\n- technologies\n\n- courses leading to qualification as a veterinary surgeon\n\nYou could also be eligible if you\u2019re starting a healthcare course on or after 1 August 2017.\n\n## Your age\n\nThere\u2019s no upper age limit for Tuition Fee Loans or grants.\n\n## If you\u2019re 60 or over\n\nYou may get limited funding for Maintenance Loans if all of the following apply:\n\n- you\u2019re 60 or over on the first day of the first academic year of your \ncourse\n\n- you\u2019re studying full-time\n\n- your course started on or after 1 August 2016\n\nThe amount you can apply for depends on your household income.\n\n## Your nationality or residency status\n\nYou may be able to get help with:\n\n- your tuition fees and living costs (full support)\n\n- your tuition fees\n\nThe type of help you can get depends on your nationality and residency status.\n\n## When you\u2019re eligible for full support\n\nYou can apply for full support if all the following apply:\n\n- you\u2019re a UK or Irish citizen or have \u2018settled status\u2019 (no restrictions on how long you can stay)\n\n- you normally live in England\n\n- you\u2019ve been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday\n\nYou may be eligible for full support if you\u2019re a UK national (or family member of a UK national) who:\n\n- returned to the UK by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years\n\nYou may also be eligible if your residency status is one of the following:\n\n- refugee (including family members)\n\n- humanitarian protection (including family members)\n\n- migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein (including family members) with settled or pre-settled status\n\n- child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme\n\n- child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020\n\n- a stateless person (including family members)\n\n- an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment\n\n- a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)\n\n- granted \u2018Calais leave\u2019 to remain\n\n- a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)\n\n- you\u2019ve been given settled status (\u2018indefinite leave to remain\u2019) because you\u2019ve been the victim of domestic violence\n\n- you\u2019ve been granted indefinite leave to remain as a bereaved partner\n\nYou could also be eligible if you\u2019re not a UK national and are either:\n\n- under 18 and have lived in the UK for at least 7 years\n\n- 18 or over and have lived in the UK for at least 20 years (or at least half of your life)\n\nYou must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.\n\n## When you can apply for help with your tuition fees\n\nYou can apply for tuition fee funding if you\u2019ve been living in the UK, the EU, Gibraltar, Iceland, Liechtenstein, Norway or Switzerland for the past 3 years and you have one of the following:\n\n- pre-settled status under the EU Settlement Scheme and you\u2019re an EU national or the family member of an EU national\n\n- pre-settled status under the EU Settlement Scheme and you\u2019re the family member of an Irish citizen or person of Northern Ireland\n\n- Irish citizenship\n\n- Gibraltarian status as an EU national\n\n- been living in Gibraltar as a UK national\n\nIf you\u2019re an Irish citizen, you\u2019re still eligible to apply if you\u2019ve lived in the UK and Ireland in the 3 years before your course.\n\nUse the student finance calculator to see what finance you can get.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Apply\n\nFind out how to apply for student finance.\n\n## Parents or partners of students\n\nConfirm your income if you\u2019re the student\u2019s parent or partner.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to borrow money to help pay for university or college tuition fees and to help with living costs.

    ", + "

    You might get extra money on top of this, for example if you\u2019re on a low income, are disabled or have children.

    ", + "

    If you\u2019re a continuing student or you\u2019ve already created an account, log in to your account.

    ", + "

    Before you apply

    ", + "

    You start repaying once you earn over a certain amount. The size of your monthly repayments will depend on how much you earn, not what you owe.

    ", + "

    You\u2019ll be charged interest on the loan from the day you take it out. The terms and conditions can change.

    ", + "

    The rules are different if your course started before September 2012.

    ", + "

    Read the student finance privacy notice to find out how the information you provide will be used.

    ", + "

    How to apply

    ", + "

    Find out how to apply for student finance.

    ", + "

    If you\u2019re under 25 and have no contact with your parents, you might be able to apply as an \u2018estranged student\u2019.

    ", + "

    There\u2019s a different process if you\u2019re a student from Scotland, Wales, or Northern Ireland. Contact the education authority if you live in the Channel Islands (Jersey and Guernsey) or Isle of Man.

    ", + "

    You can give someone permission to act on your behalf (for example using Power of Attorney) if you want them to apply for you.

    ", + "

    New full-time students

    ", + "

    You can apply for a Tuition Fee Loan and Maintenance Loan if your course starts on or after 1 August 2016.

    ", + "

    Tuition Fee Loan

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Full-time student | Up to \u00a39,250 | Up to \u00a39,250", + "

    If you\u2019re studying an accelerated degree course, you could get up to \u00a311,100.

    ", + "

    Maintenance Loan for living costs

    ", + "

    You may have to give details of your household income.

    ", + "

    The loan is paid directly into your bank account at the start of each term. You have to pay the loan back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Living at home | Up to 7,747 | Up to \u00a37,987", + "Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488", + "Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382", + "You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866", + "

    You must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.

    ", + "

    If you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.

    ", + "

    Use the student finance calculator to estimate your Maintenance Loan.

    ", + "

    Applying during coronavirus (COVID-19)

    ", + "

    Read the guidance for students during coronavirus for more information about:

    ", + "
  • changes in your household income
  • ", + "
  • self-isolation stopping you from posting evidence
  • ", + "
  • contacting the Student Loans Company
  • ", + "

    Coronavirus and maintenance loans

    ", + "

    You do not need to tell SLC if your course has moved online, as long as your living arrangements stay the same. If they have changed, you must update your address in your online account.

    ", + "

    Extra help with travel costs

    ", + "

    You might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.

    ", + "

    Further information

    ", + "

    2020 to 2021 academic year

    ", + "

    2021 to 2022 academic year

    ", + "

    Continuing full-time students

    ", + "

    What you\u2019re eligible for depends on when your course starts.

    ", + "

    You may also be able to get extra help.

    ", + "

    If your course starts on or after 1 August 2016

    ", + "

    You can apply for a Tuition Fee Loan and a Maintenance Loan if your course starts on or after 1 August 2016.

    ", + "

    Tuition Fee Loan

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Full-time student | Up to \u00a39,250 | Up to \u00a39,250", + "

    Maintenance Loan for living costs

    ", + "

    You may have to give details of your household income.

    ", + "

    The loan is paid directly into your bank account at the start of term. You have to pay the loan back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Living at home | Up to 7,747 | Up to \u00a37,987", + "Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488", + "Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382", + "You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866", + "

    You must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.

    ", + "

    If you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.

    ", + "

    In your final year, you\u2019ll receive less money than you did in previous years.

    ", + "

    If your course started before 1 August 2016

    ", + "

    You can apply for grants and loans if your course started before 1 August 2016.

    ", + "

    Tuition Fee Loan

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Full-time student | Up to \u00a39,250 | Up to \u00a39,250", + "

    Maintenance Loan for living costs

    ", + "

    Students aged 60 and over cannot apply. You may have to give details of your household income.

    ", + "

    The loan is paid directly into your bank account at the start of each term. You have to pay the loan back.

    ", + "

    You must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Living at home | Up to \u00a35,247 | Up to \u00a35,410", + "Living away from home, outside London | Up to \u00a36,597 | Up to \u00a36,802", + "Living away from home, in London | Up to \u00a39,205 | Up to \u00a39,490", + "You spend a year of a UK course studying abroad | Up to \u00a37,838 | Up to \u00a38,081", + "

    In your final year, you\u2019ll receive less money than you did in previous years.

    ", + "

    Maintenance Grant for living costs

    ", + "

    You have to give details of your household income and your course start date.

    ", + "

    The grant is paid into your bank account at the start of each term. You do not have to pay it back, but any funds you get will reduce the Maintenance Loan you can get.

    ", + "

    Special Support Grant

    ", + "

    You may get a Special Support Grant instead of a Maintenance Grant if you get or qualify for:

    ", + "
  • Income Support
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Housing Benefit
  • ", + "
  • the housing element of Universal Credit
  • ", + "

    The amount you get is the same as the Maintenance Grant, but it will not reduce the Maintenance Loan you can get.

    ", + "

    You may get the Special Support Grant if, for example, you\u2019re a lone parent or have certain disabilities.

    ", + "

    You\u2019ll be told if you can get the grant when you apply for student finance.

    ", + "

    Apply

    ", + "

    Apply for student finance or find out how to apply.

    ", + "

    Help with the costs of studying abroad

    ", + "

    You might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.

    ", + "

    Help during coronavirus (COVID-19)

    ", + "

    Read the guidance for students during coronavirus for more information, including if:

    ", + "
  • your university or college is shut
  • ", + "
  • your household income changes
  • ", + "
  • you\u2019ll need to repeat or extend your studies
  • ", + "

    Further information

    ", + "

    2020 to 2021 academic year

    ", + "

    2021 to 2022 academic year

    ", + "

    Part-time students

    ", + "

    You may be able to get a loan if your part-time course has a \u2018course intensity\u2019 of 25% or more.

    ", + "

    \u2018Course intensity\u2019 measures how much of your course you complete each year compared to an equivalent full-time course.

    ", + "

    You can work this out by comparing your module credits with the number of module credits a full-time student will study. You\u2019ll be asked how many credits you\u2019ll study when you apply for the loan.

    ", + "

    Check with your university or college if you\u2019re not sure.

    ", + "

    What you can apply for depends on when your course starts.

    ", + "

    You must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.

    ", + "

    If your course starts on or after 1 August 2018

    ", + "

    You can apply for a Tuition Fee Loan and a Maintenance Loan.

    ", + "

    Tuition Fee Loan

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + "

    You can get up to \u00a36,935 in an academic year.

    ", + "

    Maintenance Loan for living costs

    ", + "

    How much you can get depends on:

    ", + "
  • where you live while studying
  • ", + "
  • your household income
  • ", + "
  • your course intensity
  • ", + "

    The loan is paid directly into your bank account 2 weeks after the start of each term. You have to pay the loan back.

    ", + "

    You can only apply for a Maintenance Loan as a Distance Learning student if you cannot attend your course in person because of a disability.

    ", + "

    Use the student finance calculator to estimate your Maintenance Loan.

    ", + "

    You\u2019re not eligible for a Maintenance Loan if you\u2019re 60 or over on the first day of the first academic year of your course.

    ", + "

    If your course started before 1 August 2018

    ", + "

    You can apply for a Tuition Fee Loan.

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + "

    You can get up to \u00a36,935 in an academic year.

    ", + "

    Apply

    ", + "

    Apply for student finance or find out how to apply.

    ", + "

    Further information

    ", + "

    2020 to 2021 academic year

    ", + "

    EU students

    ", + "

    You may be able to get a Tuition Fee Loan and help with living costs if you\u2019re from an EU country, Iceland, Liechtenstein, Norway or Switzerland.

    ", + "

    Use the student finance calculator to see what finance you can get.

    ", + "

    Tuition Fee Loan

    ", + "

    Your university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.

    ", + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Full-time student | Up to \u00a39,250 | Up to \u00a39,250", + "Full-time student at a private university or college | Up to \u00a36,165 | Up to \u00a36,165", + "Part-time student | Up to \u00a36,935 | Up to \u00a36,935", + "Part-time student at a private university or college | Up to \u00a34,625 | Up to \u00a34,625", + "

    Use the student finance calculator to estimate your Tuition Fee Loan.

    ", + "

    Help with living costs

    ", + "

    You may be eligible for help with your living costs if both the following apply:

    ", + "
  • you\u2019ve lived in the UK for more than 3 years before the first day of the first academic year of your course
  • ", + "
  • you have settled status
  • ", + "

    Academic years start on 1 September, 1 January, 1 April or 1 July. Ask someone who runs your course if you do not know which one applies.

    ", + "

    Student Finance from August 2021

    ", + "

    If you\u2019re\u00a0starting a course\u00a0on\u00a0or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.

    ", + "

    If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study here.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Apply

    ", + "

    Apply for student finance or find out how to apply.

    ", + "

    Further information

    ", + "

    2020 to 2021 academic year

    ", + "

    2021 to 2022 academic year

    ", + "

    Extra help

    ", + "

    Check on the student finance calculator to see what extra help you might be able to get.

    ", + "

    Students on a low income

    ", + "

    You can apply for:

    ", + "
  • Universal Credit
  • ", + "
  • extra help if you\u2019re experiencing financial hardship
  • ", + "

    Students with children or dependent adults

    ", + "

    You can apply for:

    ", + "
  • Childcare Grant - full-time students only
  • ", + "
  • Parents\u2019 Learning Allowance - full-time students only
  • ", + "
  • Adult Dependants\u2019 Grant - full-time students only
  • ", + "
  • Universal Credit
  • ", + "
  • extra help if you\u2019re experiencing financial hardship
  • ", + "

    Disabled students

    ", + "

    If you have a disability, long-term health condition, mental health condition or specific learning difficulty (such as dyslexia) you can apply for:

    ", + "
  • Disabled Students\u2019 Allowance
  • ", + "
  • extra help if you\u2019re experiencing financial hardship
  • ", + "

    You may also qualify for disability related benefits.

    ", + "

    Medical, social work and teacher training students

    ", + "

    You can apply for:

    ", + "
  • NHS bursaries if you\u2019re studying certain medical, dentistry or healthcare courses
  • ", + "
  • help with costs of travel to UK clinical placements if you\u2019re studying a medical, dentistry or healthcare course
  • ", + "
  • social work bursaries if you\u2019re a social work student
  • ", + "
  • extra help if you\u2019re a teacher training student
  • ", + "

    Students studying abroad

    ", + "

    You might get a grant to cover some travel expenses if you normally live in England but study away from home.

    ", + "

    Help from your university or college

    ", + "

    Many universities and colleges offer extra money directly to students.

    ", + "

    Funding from charitable trusts

    ", + "

    Use the Turn2us grant search to check whether you qualify for funding from a charitable trust.

    ", + "

    Eligibility

    ", + "

    Whether you qualify for student finance depends on:

    ", + "
  • your university or college
  • ", + "
  • your course
  • ", + "
  • if you\u2019ve studied a higher education course before
  • ", + "
  • your age
  • ", + "
  • your nationality or residency status
  • ", + "

    Your university or college

    ", + "

    This should be a university, college or other institution that offers a qualifying course.

    ", + "

    Your course

    ", + "

    Check with the university or college that your course is recognised.

    ", + "

    If you\u2019re studying full-time

    ", + "

    You may be eligible for student finance if your course is in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "
  • a Foundation Degree
  • ", + "
  • a Certificate of Higher Education
  • ", + "
  • a Diploma of Higher Education (DipHE)
  • ", + "
  • a Higher National Certificate (HNC)
  • ", + "
  • a Higher National Diploma (HND)
  • ", + "
  • an Initial Teacher Training course
  • ", + "
  • an integrated master\u2019s degree
  • ", + "
  • a pre-registration postgraduate healthcare course
  • ", + "

    Check on the student finance calculator to find out which loans and grants you could be eligible for.

    ", + "

    If you\u2019re studying part-time

    ", + "

    Your course needs a \u2018course intensity\u2019 of 25% or more for you to be eligible for student finance.

    ", + "

    You\u2019ll be eligible for a Tuition Fee Loan if your course is in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "
  • a Foundation Degree
  • ", + "
  • a Certificate of Higher Education
  • ", + "
  • a Diploma of Higher Education (DipHE)
  • ", + "
  • a Higher National Certificate (HNC)
  • ", + "
  • a Higher National Diploma (HND)
  • ", + "
  • an Initial Teacher Training course
  • ", + "
  • an integrated master\u2019s degree
  • ", + "

    You\u2019ll be eligible for a Maintenance Loan if your course is in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "
  • an Initial Teacher Training course (if it\u2019s degree level or above)
  • ", + "
  • an integrated master\u2019s degree
  • ", + "
  • a Foundation Degree in dental hygiene and dental therapy
  • ", + "
  • a DipHE in dental hygiene and dental therapy or operating department practice
  • ", + "

    If you\u2019ve studied before

    ", + "

    You\u2019ll usually only get student finance if you\u2019re doing your first higher education qualification - even if your previous course was self-funded. You may still be eligible for limited funding in certain circumstances and for some courses.

    ", + "

    If you changed course, stopped your studies or are repeating a year

    ", + "

    If you stopped your course within the first year, you\u2019ll get funding for the same course or a new course when you go back.

    ", + "

    You might also get funding if you:

    ", + "
  • suspended your course or withdrew before it finished - and you\u2019re going back to study any course
  • ", + "
  • are repeating a year of your course at the same university, college, or institution.
  • ", + "

    If you stopped your studies for a personal reason (for example, you were ill or pregnant) you might get funding for all of your course - you should apply online with supporting evidence.

    ", + "

    You can calculate the amount you will get by taking the total number of years of the course you are applying for and adding one year. Then take away the number of years you studied for. If you studied for part of a year you should count it as a whole year.

    ", + "

    If you already have a degree

    ", + "

    You may be eligible for limited funding in certain circumstances.

    ", + "

    You may get limited funding if you\u2019re \u2018topping up\u2019 a higher education qualification, for example you\u2019ve finished an HNC, HND or Foundation Degree and now want to do an Honours degree.

    ", + "

    You may also get limited funding if you hold an Honours degree or a higher level of qualification and start a new course. This could be a part-time Honours degree, a joint Honours degree or an Integrated Master\u2019s degree in one of the following (or 2 if it\u2019s a joint Honours degree):

    ", + "
  • agriculture and related subjects
  • ", + "
  • architecture (if it\u2019s a MArch RIBA Part 2 course)
  • ", + "
  • biological sciences
  • ", + "
  • computer science
  • ", + "
  • mathematical sciences
  • ", + "
  • medicine and allied subjects
  • ", + "
  • physical sciences
  • ", + "
  • technologies
  • ", + "
  • courses leading to qualification as a veterinary surgeon
  • ", + "

    You could also be eligible if you\u2019re starting a healthcare course on or after 1 August 2017.

    ", + "

    Your age

    ", + "

    There\u2019s no upper age limit for Tuition Fee Loans or grants.

    ", + "

    If you\u2019re 60 or over

    ", + "

    You may get limited funding for Maintenance Loans if all of the following apply:

    ", + "
  • you\u2019re 60 or over on the first day of the first academic year of your \ncourse
  • ", + "
  • you\u2019re studying full-time
  • ", + "
  • your course started on or after 1 August 2016
  • ", + "

    The amount you can apply for depends on your household income.

    ", + "

    Your nationality or residency status

    ", + "

    You may be able to get help with:

    ", + "
  • your tuition fees and living costs (full support)
  • ", + "
  • your tuition fees
  • ", + "

    The type of help you can get depends on your nationality and residency status.

    ", + "

    When you\u2019re eligible for full support

    ", + "

    You can apply for full support if all the following apply:

    ", + "
  • you\u2019re a UK or Irish citizen or have \u2018settled status\u2019 (no restrictions on how long you can stay)
  • ", + "
  • you normally live in England
  • ", + "
  • you\u2019ve been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday
  • ", + "

    You may be eligible for full support if you\u2019re a UK national (or family member of a UK national) who:

    ", + "
  • returned to the UK by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years
  • ", + "

    You may also be eligible if your residency status is one of the following:

    ", + "
  • refugee (including family members)
  • ", + "
  • humanitarian protection (including family members)
  • ", + "
  • migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein (including family members) with settled or pre-settled status
  • ", + "
  • child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020
  • ", + "
  • a stateless person (including family members)
  • ", + "
  • an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment
  • ", + "
  • a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)
  • ", + "
  • granted \u2018Calais leave\u2019 to remain
  • ", + "
  • a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)
  • ", + "
  • you\u2019ve been given settled status (\u2018indefinite leave to remain\u2019) because you\u2019ve been the victim of domestic violence
  • ", + "
  • you\u2019ve been granted indefinite leave to remain as a bereaved partner
  • ", + "

    You could also be eligible if you\u2019re not a UK national and are either:

    ", + "
  • under 18 and have lived in the UK for at least 7 years
  • ", + "
  • 18 or over and have lived in the UK for at least 20 years (or at least half of your life)
  • ", + "

    You must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.

    ", + "

    When you can apply for help with your tuition fees

    ", + "

    You can apply for tuition fee funding if you\u2019ve been living in the UK, the EU, Gibraltar, Iceland, Liechtenstein, Norway or Switzerland for the past 3 years and you have one of the following:

    ", + "
  • pre-settled status under the EU Settlement Scheme and you\u2019re an EU national or the family member of an EU national
  • ", + "
  • pre-settled status under the EU Settlement Scheme and you\u2019re the family member of an Irish citizen or person of Northern Ireland
  • ", + "
  • Irish citizenship
  • ", + "
  • Gibraltarian status as an EU national
  • ", + "
  • been living in Gibraltar as a UK national
  • ", + "

    If you\u2019re an Irish citizen, you\u2019re still eligible to apply if you\u2019ve lived in the UK and Ireland in the 3 years before your course.

    ", + "

    Use the student finance calculator to see what finance you can get.

    ", + "

    Apply

    ", + "

    Apply for student finance or find out how to apply.

    ", + "

    Apply

    ", + "

    Find out how to apply for student finance.

    ", + "

    Parents or partners of students

    ", + "

    Confirm your income if you\u2019re the student\u2019s parent or partner.

    " + ] + }, + "https://www.gov.uk/student-finance-if-you-suspend-or-leave": { + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "title": "Student finance if you suspend or leave your course", + "content": "## Overview\n\nIf you leave or suspend your studies you must:\n\n- stop your student finance\n\n- repay any student finance you are not entitled to\n\nYour student finance includes:\n\n- Maintenance Loans\n\n- Tuition Fee Loans\n\n- grants and bursaries\n\nHow much you need to repay and when you need to repay it depends on:\n\n- what type of student finance you have\n\n- when in the academic year you leave your course\n\n- whether you\u2019re planning to return to your course or not\n\nIf you suspend because of illness or another serious personal reason, you might still be able to get student finance while you\u2019re away.\n\n## Stopping your student finance\n\nYou must stop your student finance payments as soon as you decide to suspend your studies or leave your course early.\n\nThis will reduce any repayments you may need to make.\n\nStudent finance covers:\n\n- Maintenance Loans\n\n- Tuition Fee Loans\n\n- grants and bursaries\n\n## How to stop your student finance payments\n\nYou must:\n\n- tell your university or college that you\u2019re leaving or suspending your course\n\n- contact Student Finance England if you\u2019re a student from England\n\nThe way to make contact is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nIf you suspend your studies you can usually postpone your student finance payments until you return.\n\n## Repaying your student finance\n\nHow much and when you have to repay depends on:\n\n- the type of student finance you have\n\n- when in the academic year you leave your course\n\n- whether you\u2019re planning to return to your course or not\n\nYour university or college will tell your student finance provider the date you finished your studies.\n\n## Maintenance Loans\n\nYour student finance provider will reassess your Maintenance Loan based on the number of days you attended your course.\n\nIf any of your loan covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.\n\nThe Student Loans Company will write and tell you how much you must repay. If you cannot repay the full amount, you can ask them to set up a repayment plan.\n\nThe rest of your Maintenance Loan is repaid in the usual way once you start earning over the threshold amount.\n\n## If you\u2019re planning to return to your studies\n\nThe amount you were overpaid will usually be taken off your student finance payments when you return, so you do not have to repay straight away.\n\n## Grants and bursaries\n\nIf any of your grant or bursary covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.\n\nThere are exceptions for:\n\n- childcare grants taken in or after the 2019 to 2020 academic year\n\n- grants taken in or before the 2016 to 2017 academic year\n\nYou do not have to pay back overpayments on these grants until you\u2019ve finished your course.\n\n## Tuition Fee Loans\n\nYou\u2019ll need to repay at least some of your Tuition Fee loan for the year that you suspend or leave your course.\n\nYou\u2019ll need to pay back:\n\n- 25% of the loan for the year if you suspend or leave in term 1\n\n- 50% of the loan for the year if you suspend or leave in term 2\n\n- all the loan for the year if you suspend or leave in term 3\n\nThis is repaid in the usual way once you start earning over the threshold amount.\n\n## Getting student finance while you suspend your studies\n\nYou might be able to get student finance while you\u2019re away from your course if you suspend due to illness, bereavement or another serious personal reason.\n\nYou might also be able to get Disabled Students\u2019 Allowances.\n\nYou can apply for funding if you return to your studies.\n\n## If you suspend because you\u2019re seriously ill\n\nYou might be able to get a Maintenance Loan for 60 days after you suspend your course.\n\nYour university or college must tell the Student Loans Company (SLC) about your situation.\n\n## Apply for extra money\n\nIf you\u2019re having financial difficulties after 60 days you might be able to get more Maintenance Loan.\n\nApply to Student Finance England with:\n\n- a covering letter explaining your situation, including your customer reference number\n\n- evidence to support your claim, such as a bank statement or copy of your tenancy agreement\n\nThe address you send your application to is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nYou might also be able to get extra money from your university or college hardship fund.\n\n## If you suspend for another serious personal reason\n\nYou might still be able to get a Maintenance Loan for some or all the time you\u2019re away from your studies.\n\nApply to Student Finance England with:\n\n- a letter explaining why you have to suspend your course, including your customer reference number and the academic year it relates to\n\n- evidence to support your claim\n\nSupporting evidence includes things like:\n\n- a letter from your doctor or social services\n\n- a letter from your university or college\n\n- a bank statement\n\nThe address you send your application to is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nYou might need to send more than one piece of evidence.\n\nSLC will send you a letter explaining how much loan money you can get. You\u2019ll usually get a decision within 6 weeks.", + "original_contents": [ + "

    Overview

    ", + "

    If you leave or suspend your studies you must:

    ", + "
  • stop your student finance
  • ", + "
  • repay any student finance you are not entitled to
  • ", + "

    Your student finance includes:

    ", + "
  • Maintenance Loans
  • ", + "
  • Tuition Fee Loans
  • ", + "
  • grants and bursaries
  • ", + "

    How much you need to repay and when you need to repay it depends on:

    ", + "
  • what type of student finance you have
  • ", + "
  • when in the academic year you leave your course
  • ", + "
  • whether you\u2019re planning to return to your course or not
  • ", + "

    If you suspend because of illness or another serious personal reason, you might still be able to get student finance while you\u2019re away.

    ", + "

    Stopping your student finance

    ", + "

    You must stop your student finance payments as soon as you decide to suspend your studies or leave your course early.

    ", + "

    This will reduce any repayments you may need to make.

    ", + "

    Student finance covers:

    ", + "
  • Maintenance Loans
  • ", + "
  • Tuition Fee Loans
  • ", + "
  • grants and bursaries
  • ", + "

    How to stop your student finance payments

    ", + "

    You must:

    ", + "
  • tell your university or college that you\u2019re leaving or suspending your course
  • ", + "
  • contact Student Finance England if you\u2019re a student from England
  • ", + "

    The way to make contact is different if you\u2019re a student from:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    If you suspend your studies you can usually postpone your student finance payments until you return.

    ", + "

    Repaying your student finance

    ", + "

    How much and when you have to repay depends on:

    ", + "
  • the type of student finance you have
  • ", + "
  • when in the academic year you leave your course
  • ", + "
  • whether you\u2019re planning to return to your course or not
  • ", + "

    Your university or college will tell your student finance provider the date you finished your studies.

    ", + "

    Maintenance Loans

    ", + "

    Your student finance provider will reassess your Maintenance Loan based on the number of days you attended your course.

    ", + "

    If any of your loan covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.

    ", + "

    The Student Loans Company will write and tell you how much you must repay. If you cannot repay the full amount, you can ask them to set up a repayment plan.

    ", + "

    The rest of your Maintenance Loan is repaid in the usual way once you start earning over the threshold amount.

    ", + "

    If you\u2019re planning to return to your studies

    ", + "

    The amount you were overpaid will usually be taken off your student finance payments when you return, so you do not have to repay straight away.

    ", + "

    Grants and bursaries

    ", + "

    If any of your grant or bursary covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.

    ", + "

    There are exceptions for:

    ", + "
  • childcare grants taken in or after the 2019 to 2020 academic year
  • ", + "
  • grants taken in or before the 2016 to 2017 academic year
  • ", + "

    You do not have to pay back overpayments on these grants until you\u2019ve finished your course.

    ", + "

    Tuition Fee Loans

    ", + "

    You\u2019ll need to repay at least some of your Tuition Fee loan for the year that you suspend or leave your course.

    ", + "

    You\u2019ll need to pay back:

    ", + "
  • 25% of the loan for the year if you suspend or leave in term 1
  • ", + "
  • 50% of the loan for the year if you suspend or leave in term 2
  • ", + "
  • all the loan for the year if you suspend or leave in term 3
  • ", + "

    This is repaid in the usual way once you start earning over the threshold amount.

    ", + "

    Getting student finance while you suspend your studies

    ", + "

    You might be able to get student finance while you\u2019re away from your course if you suspend due to illness, bereavement or another serious personal reason.

    ", + "

    You might also be able to get Disabled Students\u2019 Allowances.

    ", + "

    You can apply for funding if you return to your studies.

    ", + "

    If you suspend because you\u2019re seriously ill

    ", + "

    You might be able to get a Maintenance Loan for 60 days after you suspend your course.

    ", + "

    Your university or college must tell the Student Loans Company (SLC) about your situation.

    ", + "

    Apply for extra money

    ", + "

    If you\u2019re having financial difficulties after 60 days you might be able to get more Maintenance Loan.

    ", + "

    Apply to Student Finance England with:

    ", + "
  • a covering letter explaining your situation, including your customer reference number
  • ", + "
  • evidence to support your claim, such as a bank statement or copy of your tenancy agreement
  • ", + "

    The address you send your application to is different if you\u2019re a student from:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    You might also be able to get extra money from your university or college hardship fund.

    ", + "

    If you suspend for another serious personal reason

    ", + "

    You might still be able to get a Maintenance Loan for some or all the time you\u2019re away from your studies.

    ", + "

    Apply to Student Finance England with:

    ", + "
  • a letter explaining why you have to suspend your course, including your customer reference number and the academic year it relates to
  • ", + "
  • evidence to support your claim
  • ", + "

    Supporting evidence includes things like:

    ", + "
  • a letter from your doctor or social services
  • ", + "
  • a letter from your university or college
  • ", + "
  • a bank statement
  • ", + "

    The address you send your application to is different if you\u2019re a student from:

    ", + "
  • Scotland
  • ", + "
  • Wales
  • ", + "
  • Northern Ireland
  • ", + "

    You might need to send more than one piece of evidence.

    ", + "

    SLC will send you a letter explaining how much loan money you can get. You\u2019ll usually get a decision within 6 weeks.

    " + ] + }, + "https://www.gov.uk/apply-for-student-finance": { + "url": "https://www.gov.uk/apply-for-student-finance", + "title": "Student finance: how to apply", + "content": "## How to apply\n\nHow you apply depends on whether you have studied before and your nationality.\n\n## New students from England\n\nMost full-time and part-time students can apply online to Student Finance England.\n\n- Set up a student finance online account.\n\n- Log in and complete the online application.\n\n- Include your household income if needed. Your parent or partner will be asked to confirm these details.\n\n- Send in proof of identity, if needed.\n\nIf you cannot apply online, use the form finder to get the forms you need. You can call Student Finance England if you want to apply online but you cannot use a computer without help.\n\n## Continuing students from England\n\nYou\u2019re a continuing student if you are:\n\n- moving on to the next year of your course\n\n- repeating a year of the same course or returning to a course after taking time out\n\n- transferring onto a new course from your old course\n\nYou should log in to your student finance account and apply online.\n\n## If you\u2019re returning to study after taking time out for personal reasons\n\nThere\u2019s a different process if you have studied for more than one year before and you\u2019re going back to your studies after stopping your course because of personal reasons. This could be for things like if you were ill, pregnant, caring for someone or someone close to you died.\n\nYou should log in to your student finance account and apply online.\n\nYou must also send a letter explaining why you suspended your studies with supporting evidence.\n\nThe letter must include:\n\n- your customer reference number for student finance\n\n- an explanation of your situation and why you had to suspend your studies\n\nSupporting evidence can include:\n\n- a letter from your doctor or social services on headed paper\n\n- a letter from your university or college on headed paper\n\n- copies of birth or death certificates\n\nYou might need to send more than one piece of evidence if it helps you to show why you stopped your course.\n\nUse your online account to send the letter and evidence to Student Finance England, or send it by post.\n\nStudent Finance England will send you a letter confirming how much you\u2019ll get, usually within 8 weeks.\n\n## Scotland, Wales and Northern Ireland\n\nThere\u2019s a different process for students from Scotland, Wales and Northern Ireland.\n\n## New EU students\n\nIf you\u2019re applying for tuition fee support and help with living costs, apply online.\n\nIf you\u2019re applying for tuition fee support only, apply by post.\n\nYou\u2019ll get a letter confirming how much you\u2019ll get, usually within 6 weeks.\n\n## Continuing EU students\n\nIf you\u2019re applying for tuition fee support and help with living costs, apply online.\n\nIf you\u2019re applying for tuition fee support only, you\u2019ll be sent application forms to fill in and return by post. Check your address is up to date in your student finance account.\n\n## When to apply\n\nYou can apply for the following academic years:\n\n- 2021 to 2022 (part-time students can apply from summer 2021)\n\n- 2020 to 2021\n\nYou can still apply for funding up to 9 months after the first day of the academic year for your course.\n\n| Course start date | Apply by |\n\n| Between 1 August and 31 December | 31 May after your course started |\n\n| Between 1 January and 31 March | 30 September after your course started |\n\n| Between 1 April and 30 June | 31 December after your course started |\n\n| Between 1 July and 31 July | 31 March after your course started |\n\nYou do not need a confirmed place to apply.\n\n## EU students\n\nIf you\u2019re an EU student applying for 2021 to 2022, when and how you apply depends on the type of support you want.\n\n## Full-time students\n\nIf you\u2019re applying for tuition fee support and help with living costs, you can apply online now.\n\nIf you\u2019re applying for tuition fee support only, you can apply by post now.\n\n## Part-time students\n\nIf you\u2019re applying for tuition fee support and help with living costs, you can apply online from summer 2021.\n\nIf you\u2019re applying for tuition fee support only, you can apply by post from summer 2021.\n\n## Proof of identity\n\n## Students from England\n\nInclude your valid UK passport details in your application the first time you apply. Fill in the passport details form - do not send the passport itself.\n\n| Academic year | Form |\n\n| 2021 to 2022 | UK passport details form 2021 to 2022 (PDF, 49KB) |\n\n| 2020 to 2021 | UK passport details form 2020 to 2021 (PDF, 41KB) |\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\n## EU students\n\nSend your non-UK passport or identity card the first time you apply.\n\n## Where to send your documents\n\nAny original documents you send will be returned to you within 4 weeks.\n\n## Students from England\n\n## EU students\n\n## Household income\n\nYou must provide your household income if you apply for any of the following:\n\n- full Maintenance Loan\n\n- Maintenance Grant - not available if your course started on or after 1 August 2016\n\n- Special Support Grant - not available if your course started on or after 1 August 2016\n\n- Childcare Grant\n\n- Adult Dependants\u2019 Grant\n\n- Parents\u2019 Learning Allowance\n\nYou\u2019ll need to provide your household income for tax year:\n\n- 2019 to 2020 if you\u2019re applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if you\u2019re applying for the 2020 to 2021 academic year\n\nAfter you apply, Student Finance England will ask the people in your household to confirm their income. They might need to provide evidence.\n\n## What counts as household income\n\nYour household income includes any of the following that apply:\n\n- your parents\u2019 income, if you\u2019re under 25 and live with them or depend on them financially\n\n- the combined income of one of your parents and their partner, if you\u2019re under 25 and live with them or depend on them financially\n\n- your partner\u2019s income, if you\u2019re over 25 and live with them (even if they spend most of their time abroad)\n\n- income you get from your own savings, investments or property, for example dividends or rent\n\nIf you\u2019ve supported yourself financially for at least 3 years or had no contact with your parents for over a year, you might be able to apply as an \u2018independent student\u2019.\n\n## Change an application\n\nYou must say if any details in your application change. You\u2019ll need to report some changes yourself. Your parents, partner or sponsor will need to report others.\n\n## Changes you must report\n\n## Full time students\n\nUse your online account to tell Student Finance England if:\n\n- you\u2019ve changed your course, university or college\n\n- you\u2019re repeating a year\n\n- you\u2019ve changed your name or marital status\n\n- your Tuition Fee Loan amount has changed\n\n- you\u2019re living somewhere new\n\n## Part-time students and EU students\n\nIf you\u2019re a part-time or EU student, you\u2019ll need to fill in form CO2 or EUCO1 instead.\n\n| | Student type | Form |\n\n| 2020 to 2021 academic year | Part-time student | CO2 form for 2020 to 2021 (PDF, 94KB) |\n\n| 2019 to 2020 academic year | Part-time student | CO2 form for 2019 to 2020 (PDF, 85KB) |\n\n| 2021 to 2022 academic year | EU student | EUCO1 form for 2021 to 2022 (PDF, 136KB) |\n\n| 2020 to 2021 academic year | EU student | EUCO1 form for 2020 to 2021 (PDF, 146KB) |\n\nUse your online account to send the form to Student Finance England, or send it by post. The address is on the form.\n\nAfter your course starts you can contact your university or college to change or repeat your course or change your Tuition Fee Loan.\n\n## If you\u2019ve changed your name or marital status\n\nYou must write and tell Student Finance England if you\u2019ve changed your name or marital status. The letter must include:\n\n- your customer reference number\n\n- the date\n\n- your signature\n\n- evidence that you\u2019ve changed your name or marital status\n\nIf you\u2019ve changed your name you must include a copy of one of the following with your letter:\n\n- marriage certificate\n\n- decree absolute\n\n- change of name deed - it must be an enrolled deed poll\n\nIf you\u2019ve changed your marital status, you must include a copy of one of the following with your letter:\n\n- marriage certificate\n\n- decree absolute\n\n- civil partnership final order\n\nUse your online account to send the letter and evidence to Student Finance England, or send it by post.\n\nIf you cannot provide the right document, contact Student Finance England.\n\n## Changes your parents, partner or sponsor must report\n\n## If your household income changes\n\nYour parents or partner must:\n\n- correct any mistakes relating to their household income\n\n- tell Student Finance England if they think their household income will be at least 15% lower than the tax year they submitted details for\n\n## If your parents or sponsor have another child\n\nYour parents or sponsor must tell Student Finance England if they have any more children.", + "original_contents": [ + "

    How to apply

    ", + "

    How you apply depends on whether you have studied before and your nationality.

    ", + "

    New students from England

    ", + "

    Most full-time and part-time students can apply online to Student Finance England.

    ", + "
  • Set up a student finance online account.
  • ", + "
  • Log in and complete the online application.
  • ", + "
  • Include your household income if needed. Your parent or partner will be asked to confirm these details.
  • ", + "
  • Send in proof of identity, if needed.
  • ", + "

    If you cannot apply online, use the form finder to get the forms you need. You can call Student Finance England if you want to apply online but you cannot use a computer without help.

    ", + "

    Continuing students from England

    ", + "

    You\u2019re a continuing student if you are:

    ", + "
  • moving on to the next year of your course
  • ", + "
  • repeating a year of the same course or returning to a course after taking time out
  • ", + "
  • transferring onto a new course from your old course
  • ", + "

    You should log in to your student finance account and apply online.

    ", + "

    If you\u2019re returning to study after taking time out for personal reasons

    ", + "

    There\u2019s a different process if you have studied for more than one year before and you\u2019re going back to your studies after stopping your course because of personal reasons. This could be for things like if you were ill, pregnant, caring for someone or someone close to you died.

    ", + "

    You should log in to your student finance account and apply online.

    ", + "

    You must also send a letter explaining why you suspended your studies with supporting evidence.

    ", + "

    The letter must include:

    ", + "
  • your customer reference number for student finance
  • ", + "
  • an explanation of your situation and why you had to suspend your studies
  • ", + "

    Supporting evidence can include:

    ", + "
  • a letter from your doctor or social services on headed paper
  • ", + "
  • a letter from your university or college on headed paper
  • ", + "
  • copies of birth or death certificates
  • ", + "

    You might need to send more than one piece of evidence if it helps you to show why you stopped your course.

    ", + "

    Use your online account to send the letter and evidence to Student Finance England, or send it by post.

    ", + "

    Student Finance England will send you a letter confirming how much you\u2019ll get, usually within 8 weeks.

    ", + "

    Scotland, Wales and Northern Ireland

    ", + "

    There\u2019s a different process for students from Scotland, Wales and Northern Ireland.

    ", + "

    New EU students

    ", + "

    If you\u2019re applying for tuition fee support and help with living costs, apply online.

    ", + "

    If you\u2019re applying for tuition fee support only, apply by post.

    ", + "

    You\u2019ll get a letter confirming how much you\u2019ll get, usually within 6 weeks.

    ", + "

    Continuing EU students

    ", + "

    If you\u2019re applying for tuition fee support and help with living costs, apply online.

    ", + "

    If you\u2019re applying for tuition fee support only, you\u2019ll be sent application forms to fill in and return by post. Check your address is up to date in your student finance account.

    ", + "

    When to apply

    ", + "

    You can apply for the following academic years:

    ", + "
  • 2021 to 2022 (part-time students can apply from summer 2021)
  • ", + "
  • 2020 to 2021
  • ", + "

    You can still apply for funding up to 9 months after the first day of the academic year for your course.

    ", + "Course start date | Apply by", + "Between 1 August and 31 December | 31 May after your course started", + "Between 1 January and 31 March | 30 September after your course started", + "Between 1 April and 30 June | 31 December after your course started", + "Between 1 July and 31 July | 31 March after your course started", + "

    You do not need a confirmed place to apply.

    ", + "

    EU students

    ", + "

    If you\u2019re an EU student applying for 2021 to 2022, when and how you apply depends on the type of support you want.

    ", + "

    Full-time students

    ", + "

    If you\u2019re applying for tuition fee support and help with living costs, you can apply online now.

    ", + "

    If you\u2019re applying for tuition fee support only, you can apply by post now.

    ", + "

    Part-time students

    ", + "

    If you\u2019re applying for tuition fee support and help with living costs, you can apply online from summer 2021.

    ", + "

    If you\u2019re applying for tuition fee support only, you can apply by post from summer 2021.

    ", + "

    Proof of identity

    ", + "

    Students from England

    ", + "

    Include your valid UK passport details in your application the first time you apply. Fill in the passport details form - do not send the passport itself.

    ", + "Academic year | Form", + "2021 to 2022 | UK passport details form 2021 to 2022 (PDF, 49KB)", + "2020 to 2021 | UK passport details form 2020 to 2021 (PDF, 41KB)", + "

    If you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.

    ", + "

    Include your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.

    ", + "

    EU students

    ", + "

    Send your non-UK passport or identity card the first time you apply.

    ", + "

    Where to send your documents

    ", + "

    Any original documents you send will be returned to you within 4 weeks.

    ", + "

    Students from England

    ", + "

    EU students

    ", + "

    Household income

    ", + "

    You must provide your household income if you apply for any of the following:

    ", + "
  • full Maintenance Loan
  • ", + "
  • Maintenance Grant - not available if your course started on or after 1 August 2016
  • ", + "
  • Special Support Grant - not available if your course started on or after 1 August 2016
  • ", + "
  • Childcare Grant
  • ", + "
  • Adult Dependants\u2019 Grant
  • ", + "
  • Parents\u2019 Learning Allowance
  • ", + "

    You\u2019ll need to provide your household income for tax year:

    ", + "
  • 2019 to 2020 if you\u2019re applying for the 2021 to 2022 academic year
  • ", + "
  • 2018 to 2019 if you\u2019re applying for the 2020 to 2021 academic year
  • ", + "

    After you apply, Student Finance England will ask the people in your household to confirm their income. They might need to provide evidence.

    ", + "

    What counts as household income

    ", + "

    Your household income includes any of the following that apply:

    ", + "
  • your parents\u2019 income, if you\u2019re under 25 and live with them or depend on them financially
  • ", + "
  • the combined income of one of your parents and their partner, if you\u2019re under 25 and live with them or depend on them financially
  • ", + "
  • your partner\u2019s income, if you\u2019re over 25 and live with them (even if they spend most of their time abroad)
  • ", + "
  • income you get from your own savings, investments or property, for example dividends or rent
  • ", + "

    If you\u2019ve supported yourself financially for at least 3 years or had no contact with your parents for over a year, you might be able to apply as an \u2018independent student\u2019.

    ", + "

    Change an application

    ", + "

    You must say if any details in your application change. You\u2019ll need to report some changes yourself. Your parents, partner or sponsor will need to report others.

    ", + "

    Changes you must report

    ", + "

    Full time students

    ", + "

    Use your online account to tell Student Finance England if:

    ", + "
  • you\u2019ve changed your course, university or college
  • ", + "
  • you\u2019re repeating a year
  • ", + "
  • you\u2019ve changed your name or marital status
  • ", + "
  • your Tuition Fee Loan amount has changed
  • ", + "
  • you\u2019re living somewhere new
  • ", + "

    Part-time students and EU students

    ", + "

    If you\u2019re a part-time or EU student, you\u2019ll need to fill in form CO2 or EUCO1 instead.

    ", + " | Student type | Form", + "2020 to 2021 academic year | Part-time student | CO2 form for 2020 to 2021 (PDF, 94KB)", + "2019 to 2020 academic year | Part-time student | CO2 form for 2019 to 2020 (PDF, 85KB)", + "2021 to 2022 academic year | EU student | EUCO1 form for 2021 to 2022 (PDF, 136KB)", + "2020 to 2021 academic year | EU student | EUCO1 form for 2020 to 2021 (PDF, 146KB)", + "

    Use your online account to send the form to Student Finance England, or send it by post. The address is on the form.

    ", + "

    After your course starts you can contact your university or college to change or repeat your course or change your Tuition Fee Loan.

    ", + "

    If you\u2019ve changed your name or marital status

    ", + "

    You must write and tell Student Finance England if you\u2019ve changed your name or marital status. The letter must include:

    ", + "
  • your customer reference number
  • ", + "
  • the date
  • ", + "
  • your signature
  • ", + "
  • evidence that you\u2019ve changed your name or marital status
  • ", + "

    If you\u2019ve changed your name you must include a copy of one of the following with your letter:

    ", + "
  • marriage certificate
  • ", + "
  • decree absolute
  • ", + "
  • change of name deed - it must be an enrolled deed poll
  • ", + "

    If you\u2019ve changed your marital status, you must include a copy of one of the following with your letter:

    ", + "
  • marriage certificate
  • ", + "
  • decree absolute
  • ", + "
  • civil partnership final order
  • ", + "

    Use your online account to send the letter and evidence to Student Finance England, or send it by post.

    ", + "

    If you cannot provide the right document, contact Student Finance England.

    ", + "

    Changes your parents, partner or sponsor must report

    ", + "

    If your household income changes

    ", + "

    Your parents or partner must:

    ", + "
  • correct any mistakes relating to their household income
  • ", + "
  • tell Student Finance England if they think their household income will be at least 15% lower than the tax year they submitted details for
  • ", + "

    If your parents or sponsor have another child

    ", + "

    Your parents or sponsor must tell Student Finance England if they have any more children.

    " + ] + }, + "https://www.gov.uk/travel-grants-students-england": { + "url": "https://www.gov.uk/travel-grants-students-england", + "title": "Studying abroad: travel grants for students (England)", + "content": "## Overview\n\nYou may get a grant to cover some of your travel expenses if you normally live in England and:\n\n- you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement\n\n- you\u2019re a medical or dental student studying abroad or attending a clinical placement in the UK\n\nYou do not have to pay back a travel grant. There are rules on eligibility and how much you\u2019ll get.\n\nThere\u2019s a different process if you\u2019re a student from Scotland, Wales or Northern Ireland.\n\n## What you'll get\n\nThe amount you get depends on your total household income. This means your income, if you have one, combined with that of your parents or guardians, or spouse or partner if you live with them. Do not count income from other family members you live with.\n\nYou must pay the \ufb01rst \u00a3303 of your travel costs - and your travel grant will be reduced by \u00a31 for each \u00a38.73 of household income over \u00a339,796.\n\nKeep your travel costs as low as possible without being impractical.\n\n## If you\u2019re studying abroad\n\nYou can apply for:\n\n- up to 3 return journeys between your home and the overseas institution during a full academic year abroad\n\n- help with essential expenses, medical insurance and travel visas\n\nYou may be able to apply for your children\u2019s travel costs if you\u2019re a single parent.\n\n## Medical or dental students doing a clinical placement in the UK\n\nYou can apply for travel costs between your home and the hospital or facility where you\u2019re doing your placement.\n\n## Eligibility\n\nYour permanent home address must be in England.\n\n## If you\u2019re studying abroad\n\nYou must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.\n\nYou can also get a travel grant if you\u2019re on an Erasmus study or Erasmus work placement. Other work placements do not count.\n\n## If you\u2019re doing a clinical placement in the UK\n\nThe placement must be an essential part of your medical or dental course. You will not get a travel grant if you\u2019re eligible for means-tested bursaries or awards from the Department of Health.\n\nYou can apply if you get student \ufb01nance that depends on your household income, for example a Maintenance Loan or Maintenance Grant.\n\n## How to apply\n\n## If you\u2019re studying abroad\n\n- Apply for student finance for your study abroad using your student finance account. You can register and set up an account if you do not already have one.\n\n- You\u2019ll then receive a course abroad form.\n\n- Once you\u2019ve filled in and returned the form, you\u2019ll automatically receive a travel grant form if you\u2019re eligible.\n\nKeep all receipts for any expenses you want to apply for - you\u2019ll need to send copies when you apply.\n\nThe money will be paid direct into your bank account.\n\n## If you\u2019re doing a clinical placement in the UK\n\nAfter applying for student finance for clinical study you\u2019ll automatically receive a travel grant form if you\u2019re eligible.", + "original_contents": [ + "

    Overview

    ", + "

    You may get a grant to cover some of your travel expenses if you normally live in England and:

    ", + "
  • you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement
  • ", + "
  • you\u2019re a medical or dental student studying abroad or attending a clinical placement in the UK
  • ", + "

    You do not have to pay back a travel grant. There are rules on eligibility and how much you\u2019ll get.

    ", + "

    There\u2019s a different process if you\u2019re a student from Scotland, Wales or Northern Ireland.

    ", + "

    What you'll get

    ", + "

    The amount you get depends on your total household income. This means your income, if you have one, combined with that of your parents or guardians, or spouse or partner if you live with them. Do not count income from other family members you live with.

    ", + "

    You must pay the \ufb01rst \u00a3303 of your travel costs - and your travel grant will be reduced by \u00a31 for each \u00a38.73 of household income over \u00a339,796.

    ", + "

    Keep your travel costs as low as possible without being impractical.

    ", + "

    If you\u2019re studying abroad

    ", + "

    You can apply for:

    ", + "
  • up to 3 return journeys between your home and the overseas institution during a full academic year abroad
  • ", + "
  • help with essential expenses, medical insurance and travel visas
  • ", + "

    You may be able to apply for your children\u2019s travel costs if you\u2019re a single parent.

    ", + "

    Medical or dental students doing a clinical placement in the UK

    ", + "

    You can apply for travel costs between your home and the hospital or facility where you\u2019re doing your placement.

    ", + "

    Eligibility

    ", + "

    Your permanent home address must be in England.

    ", + "

    If you\u2019re studying abroad

    ", + "

    You must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.

    ", + "

    You can also get a travel grant if you\u2019re on an Erasmus study or Erasmus work placement. Other work placements do not count.

    ", + "

    If you\u2019re doing a clinical placement in the UK

    ", + "

    The placement must be an essential part of your medical or dental course. You will not get a travel grant if you\u2019re eligible for means-tested bursaries or awards from the Department of Health.

    ", + "

    You can apply if you get student \ufb01nance that depends on your household income, for example a Maintenance Loan or Maintenance Grant.

    ", + "

    How to apply

    ", + "

    If you\u2019re studying abroad

    ", + "
  • Apply for student finance for your study abroad using your student finance account. You can register and set up an account if you do not already have one.
  • ", + "
  • You\u2019ll then receive a course abroad form.
  • ", + "
  • Once you\u2019ve filled in and returned the form, you\u2019ll automatically receive a travel grant form if you\u2019re eligible.
  • ", + "

    Keep all receipts for any expenses you want to apply for - you\u2019ll need to send copies when you apply.

    ", + "

    The money will be paid direct into your bank account.

    ", + "

    If you\u2019re doing a clinical placement in the UK

    ", + "

    After applying for student finance for clinical study you\u2019ll automatically receive a travel grant form if you\u2019re eligible.

    " + ] + }, + "https://www.gov.uk/support-child-or-partners-student-finance-application": { + "url": "https://www.gov.uk/support-child-or-partners-student-finance-application", + "title": "Support your child or partner's student finance application", + "content": "## Give details of your household income\n\nYou might need to provide information about your income if your child or partner has applied for student finance in England.\n\nYour information will be used to work out if your child or partner can get extra money on top of the Tuition Fee Loan and the basic Maintenance Loan.\n\nThere\u2019s a different process if your child or partner is applying in Scotland, Wales or Northern Ireland.\n\n- You\u2019ll get an email with a link to create an online account or login. You must use your own account - you cannot use the same account as your child or partner.\n\n- Provide information about your income in the previous tax year.\n\n- If your income this tax year will be at least 15% less you can give your income details for the current tax year instead.\n\n- Send in evidence if you\u2019re asked for it.\n\n## What information you\u2019ll need\n\nYou\u2019ll need to know the following about a previous tax year:\n\n- your household\u2019s taxable income\n\n- details of your personal taxable income\n\nThe previous tax year will be:\n\n- 2019 to 2020 if your child or partner is applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if your child or partner is applying for the 2020 to 2021 academic year\n\n- 2017 to 2018 if your child or partner is applying for the 2019 to 2020 academic year\n\n## If you\u2019re supporting your child\u2019s application\n\nYour household income is the combined income of:\n\n- you\n\n- your partner, if you live with them (even if you were not living with them during the previous tax year)\n\n- income your child gets from their own savings, investments or property, for example dividends or rent\n\n## If you\u2019re supporting your partner\u2019s application\n\nYour household income is the combined income of you and your partner (even if you were not living with them during the previous tax year).\n\n## How to provide information about your income\n\nOnce your child or partner has applied, you\u2019ll get an email within 24 hours with a link so you can provide your information.\n\nYou might need to create an account. You must use your own account - you cannot use the same account as your child or partner.\n\n## Household income your current income is lower\n\nYou can give your details for the current tax year if you think your household income will be at least 15% lower than the tax year you\u2019ve been asked to provide details for.\n\n## What happens next\n\nHM Revenue and Customs (HMRC) will check that the information you\u2019ve provided matches their records. This will usually take up to 2 weeks.\n\nYou might be asked to send evidence of your:\n\n- income - if the details you\u2019ve given do not match HMRC\u2019s records\n\n- marital status - if you\u2019re separated or divorced\n\nIt can take up to 6 weeks to review your evidence.\n\nStudent Finance England will write to your child or partner when all your information has been confirmed.\n\nIf your information is still being processed when your child or partner starts their course, they\u2019ll still get the Tuition Fee Loan and the basic Maintenance Loan (if they\u2019re eligible).\n\n## Supporting a continuing student\n\nYour child or partner needs to apply for student finance each year.\n\nWhen they apply, you\u2019ll get an email within 24 hours. The email will have a link to sign in to your account, where you must provide:\n\n- your marital status\n\n- any changes to the information you provided the previous year\n\n- your financial information for the previous tax year\n\n## If you provided income details for the current tax year\n\nYou can use the same income details that you provided last year.\n\nIf your income has dropped by at least 15% again, you can send in a new current tax year income assessment form.\n\n## If your income has gone down\n\nYou can apply for a current year income assessment if you think your household income this tax year will be at least 15% lower than the year you\u2019ve been asked to give details about.\n\nThe current tax year is 6 April 2021 to 5 April 2022.\n\n## Check you\u2019re eligible for a current year income assessment\n\nTo apply, the student must be on a course where their student finance is based on your household income.\n\nYour total estimated household income for the full current tax year must be at least 15% lower than for a previous tax year.\n\nThe previous tax year will be:\n\n- 2019 to 2020 if your child or partner is applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if your child or partner is applying for the 2020 to 2021 academic year\n\n- 2017 to 2018 if your child or partner is applying for the 2019 to 2020 academic year\n\nYou\u2019ll qualify for an assessment if your expected household income after the 15% decrease is between \u00a325,000 and \u00a358,220 a year.\n\nIf your household income is more than \u00a358,220 a year but less than \u00a370,004 a year, you may still qualify depending on the student\u2019s circumstances. Check how you\u2019re assessed and paid.\n\nIf your total household income is likely to be less than \u00a325,000 a year, you will not be able to get an assessment unless the student needs it to get:\n\n- a bursary or scholarship from a university or college\n\n- extra student finance for children or dependent adults\n\n## How to apply\n\nTo apply, you must have already created an online account and given information about a previous tax year.\n\nYou then need to complete these 3 steps.\n\n- Fill in a current year income assessment form and send it to Student Finance England.\n\n- Keep your income details up to date during the year.\n\n- Confirm your actual income at the end of the tax year.\n\n## Fill in a current year income assessment form\n\nFill in the form and send it to Student Finance England. You can do this through your online account, or print out the form and send it by post.\n\nIf you\u2019re the parent of the student and your partner also lives in the household, you\u2019ll both need to complete the form, even if only one income has changed.\n\nThis is because you\u2019re assessed on household income from the same tax year.\n\nWhen you\u2019re estimating your income, include:\n\n- working overtime or extra hours\n\n- any maternity or paternity pay\n\n- any casual work, shift work or contract work\n\n- any pay rises, bonuses or redundancy pay\n\n- income changes from changing jobs or returning to work\n\n- income from self-employment\n\n| Academic year | Course type | Form |\n\n| 2021 to 2022 | Any | Current year income assessment form - 2021 to 2022 |\n\n| 2020 to 2021 | Any | Current year income assessment form - 2020 to 2021 |\n\n| 2019 to 2020 | Part-time | Current year income assessment form for part-time students - 2019 to 2020 |\n\n## Keep your income details up to date\n\nIf your income changes during the year, send a new current tax year income assessment form to Student Finance England as soon as possible.\n\nYou\u2019ll be reassessed and the amount of money your student is entitled to might go up or down. Student Finance England will contact the student directly to let them know.\n\nIf you do not keep your income details up to date your student may be overpaid. They\u2019ll have to pay back any overpayment straight away.\n\n## Confirm your income at the end of the tax year\n\nAfter the tax year finishes you must send evidence of what your actual income was for the year. You\u2019ll usually be sent a form to fill in at the start of May.\n\n## If you\u2019re self-employed\n\nIf you have not completed your tax return yet, fill in the form to ask to delay providing evidence until after the Self Assessment deadline (January the following year).\n\nYou still need to return evidence for any other employment, for example if you had a salaried job earlier in the year.\n\n## If your household income is different from what you estimated\n\nHow much your student is entitled to will change. If your actual income was:\n\n- lower - your student might be entitled to more money\n\n- higher - your student will have to repay any extra money they received\n\nIf you do not send in evidence your student will only be entitled to basic student finance. They\u2019ll have to repay any extra money they got based on your income straight away.\n\n## If you need to update your details\n\nFill in a PFF2 or PFF3 form if:\n\n- you made a mistake\n\n- your circumstances change, such as your marital status or you have another child\n\n| Academic year | Course type | Form |\n\n| 2021 to 2022 | Any | PFF2: income details form for full-time students - 2021 to 2022 |\n\n| 2020 to 2021 | Any | PFF2: income details form - 2020 to 2021 |\n\n| 2019 to 2020 | Part-time | PFF3: income details form for part-time students - 2019 to 2020 |\n\nUse your online account to send the form to Student Finance England, or send it by post.", + "original_contents": [ + "

    Give details of your household income

    ", + "

    You might need to provide information about your income if your child or partner has applied for student finance in England.

    ", + "

    Your information will be used to work out if your child or partner can get extra money on top of the Tuition Fee Loan and the basic Maintenance Loan.

    ", + "

    There\u2019s a different process if your child or partner is applying in Scotland, Wales or Northern Ireland.

    ", + "
  • You\u2019ll get an email with a link to create an online account or login. You must use your own account - you cannot use the same account as your child or partner.
  • ", + "
  • Provide information about your income in the previous tax year.
  • ", + "
  • If your income this tax year will be at least 15% less you can give your income details for the current tax year instead.
  • ", + "
  • Send in evidence if you\u2019re asked for it.
  • ", + "

    What information you\u2019ll need

    ", + "

    You\u2019ll need to know the following about a previous tax year:

    ", + "
  • your household\u2019s taxable income
  • ", + "
  • details of your personal taxable income
  • ", + "

    The previous tax year will be:

    ", + "
  • 2019 to 2020 if your child or partner is applying for the 2021 to 2022 academic year
  • ", + "
  • 2018 to 2019 if your child or partner is applying for the 2020 to 2021 academic year
  • ", + "
  • 2017 to 2018 if your child or partner is applying for the 2019 to 2020 academic year
  • ", + "

    If you\u2019re supporting your child\u2019s application

    ", + "

    Your household income is the combined income of:

    ", + "
  • you
  • ", + "
  • your partner, if you live with them (even if you were not living with them during the previous tax year)
  • ", + "
  • income your child gets from their own savings, investments or property, for example dividends or rent
  • ", + "

    If you\u2019re supporting your partner\u2019s application

    ", + "

    Your household income is the combined income of you and your partner (even if you were not living with them during the previous tax year).

    ", + "

    How to provide information about your income

    ", + "

    Once your child or partner has applied, you\u2019ll get an email within 24 hours with a link so you can provide your information.

    ", + "

    You might need to create an account. You must use your own account - you cannot use the same account as your child or partner.

    ", + "

    Household income your current income is lower

    ", + "

    You can give your details for the current tax year if you think your household income will be at least 15% lower than the tax year you\u2019ve been asked to provide details for.

    ", + "

    What happens next

    ", + "

    HM Revenue and Customs (HMRC) will check that the information you\u2019ve provided matches their records. This will usually take up to 2 weeks.

    ", + "

    You might be asked to send evidence of your:

    ", + "
  • income - if the details you\u2019ve given do not match HMRC\u2019s records
  • ", + "
  • marital status - if you\u2019re separated or divorced
  • ", + "

    It can take up to 6 weeks to review your evidence.

    ", + "

    Student Finance England will write to your child or partner when all your information has been confirmed.

    ", + "

    If your information is still being processed when your child or partner starts their course, they\u2019ll still get the Tuition Fee Loan and the basic Maintenance Loan (if they\u2019re eligible).

    ", + "

    Supporting a continuing student

    ", + "

    Your child or partner needs to apply for student finance each year.

    ", + "

    When they apply, you\u2019ll get an email within 24 hours. The email will have a link to sign in to your account, where you must provide:

    ", + "
  • your marital status
  • ", + "
  • any changes to the information you provided the previous year
  • ", + "
  • your financial information for the previous tax year
  • ", + "

    If you provided income details for the current tax year

    ", + "

    You can use the same income details that you provided last year.

    ", + "

    If your income has dropped by at least 15% again, you can send in a new current tax year income assessment form.

    ", + "

    If your income has gone down

    ", + "

    You can apply for a current year income assessment if you think your household income this tax year will be at least 15% lower than the year you\u2019ve been asked to give details about.

    ", + "

    The current tax year is 6 April 2021 to 5 April 2022.

    ", + "

    Check you\u2019re eligible for a current year income assessment

    ", + "

    To apply, the student must be on a course where their student finance is based on your household income.

    ", + "

    Your total estimated household income for the full current tax year must be at least 15% lower than for a previous tax year.

    ", + "

    The previous tax year will be:

    ", + "
  • 2019 to 2020 if your child or partner is applying for the 2021 to 2022 academic year
  • ", + "
  • 2018 to 2019 if your child or partner is applying for the 2020 to 2021 academic year
  • ", + "
  • 2017 to 2018 if your child or partner is applying for the 2019 to 2020 academic year
  • ", + "

    You\u2019ll qualify for an assessment if your expected household income after the 15% decrease is between \u00a325,000 and \u00a358,220 a year.

    ", + "

    If your household income is more than \u00a358,220 a year but less than \u00a370,004 a year, you may still qualify depending on the student\u2019s circumstances. Check how you\u2019re assessed and paid.

    ", + "

    If your total household income is likely to be less than \u00a325,000 a year, you will not be able to get an assessment unless the student needs it to get:

    ", + "
  • a bursary or scholarship from a university or college
  • ", + "
  • extra student finance for children or dependent adults
  • ", + "

    How to apply

    ", + "

    To apply, you must have already created an online account and given information about a previous tax year.

    ", + "

    You then need to complete these 3 steps.

    ", + "
  • Fill in a current year income assessment form and send it to Student Finance England.
  • ", + "
  • Keep your income details up to date during the year.
  • ", + "
  • Confirm your actual income at the end of the tax year.
  • ", + "

    Fill in a current year income assessment form

    ", + "

    Fill in the form and send it to Student Finance England. You can do this through your online account, or print out the form and send it by post.

    ", + "

    If you\u2019re the parent of the student and your partner also lives in the household, you\u2019ll both need to complete the form, even if only one income has changed.

    ", + "

    This is because you\u2019re assessed on household income from the same tax year.

    ", + "

    When you\u2019re estimating your income, include:

    ", + "
  • working overtime or extra hours
  • ", + "
  • any maternity or paternity pay
  • ", + "
  • any casual work, shift work or contract work
  • ", + "
  • any pay rises, bonuses or redundancy pay
  • ", + "
  • income changes from changing jobs or returning to work
  • ", + "
  • income from self-employment
  • ", + "Academic year | Course type | Form", + "2021 to 2022 | Any | Current year income assessment form - 2021 to 2022", + "2020 to 2021 | Any | Current year income assessment form - 2020 to 2021", + "2019 to 2020 | Part-time | Current year income assessment form for part-time students - 2019 to 2020", + "

    Keep your income details up to date

    ", + "

    If your income changes during the year, send a new current tax year income assessment form to Student Finance England as soon as possible.

    ", + "

    You\u2019ll be reassessed and the amount of money your student is entitled to might go up or down. Student Finance England will contact the student directly to let them know.

    ", + "

    If you do not keep your income details up to date your student may be overpaid. They\u2019ll have to pay back any overpayment straight away.

    ", + "

    Confirm your income at the end of the tax year

    ", + "

    After the tax year finishes you must send evidence of what your actual income was for the year. You\u2019ll usually be sent a form to fill in at the start of May.

    ", + "

    If you\u2019re self-employed

    ", + "

    If you have not completed your tax return yet, fill in the form to ask to delay providing evidence until after the Self Assessment deadline (January the following year).

    ", + "

    You still need to return evidence for any other employment, for example if you had a salaried job earlier in the year.

    ", + "

    If your household income is different from what you estimated

    ", + "

    How much your student is entitled to will change. If your actual income was:

    ", + "
  • lower - your student might be entitled to more money
  • ", + "
  • higher - your student will have to repay any extra money they received
  • ", + "

    If you do not send in evidence your student will only be entitled to basic student finance. They\u2019ll have to repay any extra money they got based on your income straight away.

    ", + "

    If you need to update your details

    ", + "

    Fill in a PFF2 or PFF3 form if:

    ", + "
  • you made a mistake
  • ", + "
  • your circumstances change, such as your marital status or you have another child
  • ", + "Academic year | Course type | Form", + "2021 to 2022 | Any | PFF2: income details form for full-time students - 2021 to 2022", + "2020 to 2021 | Any | PFF2: income details form - 2020 to 2021", + "2019 to 2020 | Part-time | PFF3: income details form for part-time students - 2019 to 2020", + "

    Use your online account to send the form to Student Finance England, or send it by post.

    " + ] + }, + "https://www.gov.uk/check-university-award-degree": { + "url": "https://www.gov.uk/check-university-award-degree", + "title": "Check if your university or college can award a degree", + "content": "## Overview\n\nIf your degree is not officially recognised, it might not be accepted by employers, or universities if you\u2019re planning further study.\n\nYour degree will be officially recognised if it\u2019s either:\n\n- awarded by an institution on the list of recognised bodies\n\n- on the list of recognised awards\n\n## If your institution or award is not listed\n\nYour degree can be awarded by a different institution from the place you\u2019re studying.\n\nYour degree will still be officially recognised if the institution that awards your degree is on the list of recognised bodies.\n\nIf you\u2019re not sure who awards your degree, ask your university or college, or check their website or prospectus. You can double check this with the institution you\u2019re told awards your degree.\n\n## If you have any questions\n\nIf you\u2019re not sure who awards your degree after speaking to your university or college, who you contact depends on where you study in the UK.\n\n## If you study in England\n\nEmail the Office for Students - providerverification@officeforstudents.org.uk.\n\n## If you study in Northern Ireland\n\nContact the Northern Ireland Executive higher education division.\n\n## If you study in Scotland\n\nContact the Scottish Government central enquiry unit.\n\n## If you study in Wales\n\nEmail the Welsh Government - customerhelp@gov.wales.\n\n## Recognised bodies\n\nRecognised bodies are higher learning institutions that can award degrees.\n\n## A\n\nUniversity of Aberdeen\n\nAbertay University (formerly University of Abertay Dundee)\n\nAberystwyth University (Prifysgol Aberystwyth)\n\nAnglia Ruskin University\n\nAnglo-European College of Chiropractic\n\nArchbishop of Canterbury, The\n\nArden University (formerly known as Resource Development International)\n\nAshridge Business School\n\nAston University\n\n## B\n\nBangor University (Prifysgol Bangor)\n\nUniversity of Bath\n\nBath Spa University\n\nUniversity of Bedfordshire\n\nBIMM Institute\n\nBirkbeck, University of London\n\nUniversity of Birmingham\n\nBirmingham City University\n\nUniversity College Birmingham\n\nBishop Grosseteste University\n\nUniversity of Bolton\n\nArts University Bournemouth\n\nBournemouth University\n\nBPP University\n\nUniversity of Bradford\n\nUniversity of Brighton\n\nUniversity of Bristol\n\nBrunel University London\n\nUniversity of Buckingham\n\nBuckinghamshire New University\n\n## C\n\nUniversity of Cambridge\n\nCanterbury Christ Church University\n\nCardiff Metropolitan University (Prifysgol Metropolitan Caerdydd)\n\nCardiff University (Prifysgol Caerdydd)\n\nUniversity of Chester\n\nUniversity of Chichester\n\nCity, University of London\n\nCourtauld Institute of Art, The (degrees awarded by University of London)\n\nCoventry University\n\nCranfield University\n\nUniversity for the Creative Arts\n\nUniversity of Cumbria\n\n## D\n\nDe Montfort University\n\nUniversity of Derby\n\nUniversity of Dundee\n\nDurham University\n\n## E\n\nUniversity of East Anglia\n\nUniversity of East London\n\nEdge Hill University\n\nUniversity of Edinburgh, The\n\nEdinburgh Napier University\n\nUniversity of Essex\n\nUniversity of Exeter\n\n## F\n\nFalmouth University\n\n## G\n\nUniversity of Glasgow\n\nGlasgow Caledonian University\n\nUniversity of Gloucestershire\n\nGlynd\u0175r University (Prifysgol Glynd\u0175r)\n\nGoldsmiths, University of London\n\nUniversity of Greenwich\n\nGuildhall School of Music and Drama\n\n## H\n\nHarper Adams University\n\nHartpury University\n\nHeriot-Watt University\n\nUniversity of Hertfordshire\n\nHeythrop College (degrees awarded by University of London)\n\nUniversity of the Highlands and Islands\n\nUniversity of Huddersfield\n\nUniversity of Hull\n\n## I\n\nImperial College of Science, Technology and Medicine (also known as Imperial College London)\n\nInstitute of Cancer Research, The (degrees awarded by University of London)\n\n## K\n\nKeele University\n\nUniversity of Kent\n\nKing\u2019s College London\n\nKingston University\n\n## L\n\nUniversity of Central Lancashire\n\nLancaster University\n\nUniversity of Leeds\n\nLeeds Beckett University (formerly Leeds Metropolitan University)\n\nLeeds Arts University\n\nLeeds Trinity University\n\nUniversity of Leicester\n\nUniversity of Lincoln\n\nUniversity of Liverpool\n\nLiverpool Hope University\n\nLiverpool John Moores University\n\nLiverpool School of Tropical Medicine\n\nUniversity of London\n\nLondon Business School\n\nLondon Institute of Banking and Finance, The\n\nLondon Metropolitan University\n\nLondon School of Hygiene and Tropical Medicine\n\nLondon School of Economics and Political Science, The (LSE)\n\nLondon South Bank University\n\nUniversity College London\n\nLoughborough University\n\n## M\n\nUniversity of Manchester\n\nManchester Metropolitan University\n\nMiddlesex University\n\n## N\n\nNCG\n\nNCH at Northeastern\n\nNewcastle University\n\nNewman University, Birmingham\n\nNorland College\n\nUniversity of Northampton, The\n\nNorthumbria University Newcastle\n\nNorwich University of the Arts\n\nUniversity of Nottingham\n\nNottingham Trent University\n\n## O\n\nOpen University, The\n\nUniversity of Oxford\n\nOxford Brookes University\n\n## P\n\nPlymouth College of Art\n\nPlymouth University\n\nUniversity of Portsmouth\n\nPresbyterian Theological Faculty, Ireland (PTFI)\n\n## Q\n\nQueen Margaret University, Edinburgh\n\nQueen Mary, University of London\n\nQueen\u2019s University Belfast\n\n## R\n\nRavensbourne\n\nUniversity of Reading\n\nRegent\u2019s University London\n\nRichmond, The American International University in London\n\nRobert Gordon University, Aberdeen\n\nUniversity of Roehampton\n\nRose Bruford College of Theatre and Performance\n\nRoyal Academy of Music\n\nRoyal Agricultural University\n\nRoyal Central School of Speech and Drama (University of London)\n\nRoyal College of Art\n\nRoyal College of Music\n\nRoyal College of Nursing\n\nRoyal Conservatoire of Scotland\n\nRoyal Holloway, University of London\n\nRoyal Northern College of Music\n\nRoyal Veterinary College, The\n\n## S\n\nUniversity of Salford\n\nSchool of Oriental and African Studies (SOAS), University of London\n\nUniversity of Sheffield\n\nSheffield Hallam University\n\nUniversity of South Wales (Prifysgol De Cymru)\n\nUniversity of Southampton\n\nSolent University\n\nUniversity of St Andrews\n\nSt George\u2019s, University of London\n\nUniversity of St Mark and St John, Plymouth\n\nSt Mary\u2019s University, Twickenham\n\nStaffordshire University\n\nUniversity of Stirling\n\nUniversity of Strathclyde\n\nUniversity of Suffolk\n\nUniversity of Sunderland\n\nUniversity of Surrey\n\nUniversity of Sussex\n\nSwansea University (Prifysgol Abertawe)\n\n## T\n\nTeesside University\n\nTrinity Laban Conservatoire of Music and Dance\n\n## U\n\nUniversity of the Arts, London\n\nUniversity College of Estate Management\n\nUniversity College of Osteopathy\n\nUniversity of Law, The\n\nUlster University\n\n## W\n\nUniversity of Wales (Prifysgol Cymru)\n\nUniversity of Wales Trinity Saint David (Prifysgol Cymru Y Drindod Dewi Sant\n\nUniversity of Warwick\n\nUniversity of the West of England, Bristol\n\nUniversity of West London\n\nUniversity of the West of Scotland\n\nUniversity of Westminster\n\nUniversity of Winchester, The\n\nUniversity of Wolverhampton\n\nUniversity of Worcester\n\nWrittle University College\n\n## Y\n\nUniversity of York\n\nYork St John University\n\n## Foundation degrees\n\nRecognised bodies that can only award foundation degrees:\n\nBlackpool and the Fylde College\n\nCornwall College Group\n\nGrimsby Institute of Higher Education\n\nHull College\n\nLeeds City College\n\nNew College Durham\n\nNewcastle College\n\nWarwickshire College\n\n## Recognised awards\n\nCertain bodies or institutions can award their own unique degrees. These are known as \u2018recognised awards\u2019.\n\n| Recognised award | Institution or body |\n\n| Mastership in Clinical Biochemistry | Awarded jointly by: Royal College of Physicians Royal Society of Chemistry Royal College of Pathologists Association for Clinical Biochemistry and Laboratory Medicine |\n\n| Degree of Barrister-at-Law | Benchers of the Honourable Society of the Inn of Court of Northern Ireland |\n\n| Degree of the Utter Bar | Inns of Court |\n\n| Master of Horticulture | Royal Horticultural Society |\n\n| Mastership in Chemical Analysis | Royal Society of Chemistry |\n\n| Mastership in Food Control | Awarded jointly by:Royal Society of Chemistry Society of Biology Institute of Food Science and Technology |", + "original_contents": [ + "

    Overview

    ", + "

    If your degree is not officially recognised, it might not be accepted by employers, or universities if you\u2019re planning further study.

    ", + "

    Your degree will be officially recognised if it\u2019s either:

    ", + "
  • awarded by an institution on the list of recognised bodies
  • ", + "
  • on the list of recognised awards
  • ", + "

    If your institution or award is not listed

    ", + "

    Your degree can be awarded by a different institution from the place you\u2019re studying.

    ", + "

    Your degree will still be officially recognised if the institution that awards your degree is on the list of recognised bodies.

    ", + "

    If you\u2019re not sure who awards your degree, ask your university or college, or check their website or prospectus. You can double check this with the institution you\u2019re told awards your degree.

    ", + "

    If you have any questions

    ", + "

    If you\u2019re not sure who awards your degree after speaking to your university or college, who you contact depends on where you study in the UK.

    ", + "

    If you study in England

    ", + "

    Email the Office for Students - providerverification@officeforstudents.org.uk.

    ", + "

    If you study in Northern Ireland

    ", + "

    Contact the Northern Ireland Executive higher education division.

    ", + "

    If you study in Scotland

    ", + "

    Contact the Scottish Government central enquiry unit.

    ", + "

    If you study in Wales

    ", + "

    Email the Welsh Government - customerhelp@gov.wales.

    ", + "

    Recognised bodies

    ", + "

    Recognised bodies are higher learning institutions that can award degrees.

    ", + "

    A

    ", + "

    University of Aberdeen

    ", + "

    Abertay University (formerly University of Abertay Dundee)

    ", + "

    Aberystwyth University (Prifysgol Aberystwyth)

    ", + "

    Anglia Ruskin University

    ", + "

    Anglo-European College of Chiropractic

    ", + "

    Archbishop of Canterbury, The

    ", + "

    Arden University (formerly known as Resource Development International)

    ", + "

    Ashridge Business School

    ", + "

    Aston University

    ", + "

    B

    ", + "

    Bangor University (Prifysgol Bangor)

    ", + "

    University of Bath

    ", + "

    Bath Spa University

    ", + "

    University of Bedfordshire

    ", + "

    BIMM Institute

    ", + "

    Birkbeck, University of London

    ", + "

    University of Birmingham

    ", + "

    Birmingham City University

    ", + "

    University College Birmingham

    ", + "

    Bishop Grosseteste University

    ", + "

    University of Bolton

    ", + "

    Arts University Bournemouth

    ", + "

    Bournemouth University

    ", + "

    BPP University

    ", + "

    University of Bradford

    ", + "

    University of Brighton

    ", + "

    University of Bristol

    ", + "

    Brunel University London

    ", + "

    University of Buckingham

    ", + "

    Buckinghamshire New University

    ", + "

    C

    ", + "

    University of Cambridge

    ", + "

    Canterbury Christ Church University

    ", + "

    Cardiff Metropolitan University (Prifysgol Metropolitan Caerdydd)

    ", + "

    Cardiff University (Prifysgol Caerdydd)

    ", + "

    University of Chester

    ", + "

    University of Chichester

    ", + "

    City, University of London

    ", + "

    Courtauld Institute of Art, The (degrees awarded by University of London)

    ", + "

    Coventry University

    ", + "

    Cranfield University

    ", + "

    University for the Creative Arts

    ", + "

    University of Cumbria

    ", + "

    D

    ", + "

    De Montfort University

    ", + "

    University of Derby

    ", + "

    University of Dundee

    ", + "

    Durham University

    ", + "

    E

    ", + "

    University of East Anglia

    ", + "

    University of East London

    ", + "

    Edge Hill University

    ", + "

    University of Edinburgh, The

    ", + "

    Edinburgh Napier University

    ", + "

    University of Essex

    ", + "

    University of Exeter

    ", + "

    F

    ", + "

    Falmouth University

    ", + "

    G

    ", + "

    University of Glasgow

    ", + "

    Glasgow Caledonian University

    ", + "

    University of Gloucestershire

    ", + "

    Glynd\u0175r University (Prifysgol Glynd\u0175r)

    ", + "

    Goldsmiths, University of London

    ", + "

    University of Greenwich

    ", + "

    Guildhall School of Music and Drama

    ", + "

    H

    ", + "

    Harper Adams University

    ", + "

    Hartpury University

    ", + "

    Heriot-Watt University

    ", + "

    University of Hertfordshire

    ", + "

    Heythrop College (degrees awarded by University of London)

    ", + "

    University of the Highlands and Islands

    ", + "

    University of Huddersfield

    ", + "

    University of Hull

    ", + "

    I

    ", + "

    Imperial College of Science, Technology and Medicine (also known as Imperial College London)

    ", + "

    Institute of Cancer Research, The (degrees awarded by University of London)

    ", + "

    K

    ", + "

    Keele University

    ", + "

    University of Kent

    ", + "

    King\u2019s College London

    ", + "

    Kingston University

    ", + "

    L

    ", + "

    University of Central Lancashire

    ", + "

    Lancaster University

    ", + "

    University of Leeds

    ", + "

    Leeds Beckett University (formerly Leeds Metropolitan University)

    ", + "

    Leeds Arts University

    ", + "

    Leeds Trinity University

    ", + "

    University of Leicester

    ", + "

    University of Lincoln

    ", + "

    University of Liverpool

    ", + "

    Liverpool Hope University

    ", + "

    Liverpool John Moores University

    ", + "

    Liverpool School of Tropical Medicine

    ", + "

    University of London

    ", + "

    London Business School

    ", + "

    London Institute of Banking and Finance, The

    ", + "

    London Metropolitan University

    ", + "

    London School of Hygiene and Tropical Medicine

    ", + "

    London School of Economics and Political Science, The (LSE)

    ", + "

    London South Bank University

    ", + "

    University College London

    ", + "

    Loughborough University

    ", + "

    M

    ", + "

    University of Manchester

    ", + "

    Manchester Metropolitan University

    ", + "

    Middlesex University

    ", + "

    N

    ", + "

    NCG

    ", + "

    NCH at Northeastern

    ", + "

    Newcastle University

    ", + "

    Newman University, Birmingham

    ", + "

    Norland College

    ", + "

    University of Northampton, The

    ", + "

    Northumbria University Newcastle

    ", + "

    Norwich University of the Arts

    ", + "

    University of Nottingham

    ", + "

    Nottingham Trent University

    ", + "

    O

    ", + "

    Open University, The

    ", + "

    University of Oxford

    ", + "

    Oxford Brookes University

    ", + "

    P

    ", + "

    Plymouth College of Art

    ", + "

    Plymouth University

    ", + "

    University of Portsmouth

    ", + "

    Presbyterian Theological Faculty, Ireland (PTFI)

    ", + "

    Q

    ", + "

    Queen Margaret University, Edinburgh

    ", + "

    Queen Mary, University of London

    ", + "

    Queen\u2019s University Belfast

    ", + "

    R

    ", + "

    Ravensbourne

    ", + "

    University of Reading

    ", + "

    Regent\u2019s University London

    ", + "

    Richmond, The American International University in London

    ", + "

    Robert Gordon University, Aberdeen

    ", + "

    University of Roehampton

    ", + "

    Rose Bruford College of Theatre and Performance

    ", + "

    Royal Academy of Music

    ", + "

    Royal Agricultural University

    ", + "

    Royal Central School of Speech and Drama (University of London)

    ", + "

    Royal College of Art

    ", + "

    Royal College of Music

    ", + "

    Royal College of Nursing

    ", + "

    Royal Conservatoire of Scotland

    ", + "

    Royal Holloway, University of London

    ", + "

    Royal Northern College of Music

    ", + "

    Royal Veterinary College, The

    ", + "

    S

    ", + "

    University of Salford

    ", + "

    School of Oriental and African Studies (SOAS), University of London

    ", + "

    University of Sheffield

    ", + "

    Sheffield Hallam University

    ", + "

    University of South Wales (Prifysgol De Cymru)

    ", + "

    University of Southampton

    ", + "

    Solent University

    ", + "

    University of St Andrews

    ", + "

    St George\u2019s, University of London

    ", + "

    University of St Mark and St John, Plymouth

    ", + "

    St Mary\u2019s University, Twickenham

    ", + "

    Staffordshire University

    ", + "

    University of Stirling

    ", + "

    University of Strathclyde

    ", + "

    University of Suffolk

    ", + "

    University of Sunderland

    ", + "

    University of Surrey

    ", + "

    University of Sussex

    ", + "

    Swansea University (Prifysgol Abertawe)

    ", + "

    T

    ", + "

    Teesside University

    ", + "

    Trinity Laban Conservatoire of Music and Dance

    ", + "

    U

    ", + "

    University of the Arts, London

    ", + "

    University College of Estate Management

    ", + "

    University College of Osteopathy

    ", + "

    University of Law, The

    ", + "

    Ulster University

    ", + "

    W

    ", + "

    University of Wales (Prifysgol Cymru)

    ", + "

    University of Wales Trinity Saint David (Prifysgol Cymru Y Drindod Dewi Sant

    ", + "

    University of Warwick

    ", + "

    University of the West of England, Bristol

    ", + "

    University of West London

    ", + "

    University of the West of Scotland

    ", + "

    University of Westminster

    ", + "

    University of Winchester, The

    ", + "

    University of Wolverhampton

    ", + "

    University of Worcester

    ", + "

    Writtle University College

    ", + "

    Y

    ", + "

    University of York

    ", + "

    York St John University

    ", + "

    Foundation degrees

    ", + "

    Recognised bodies that can only award foundation degrees:

    ", + "

    Blackpool and the Fylde College

    ", + "

    Cornwall College Group

    ", + "

    Grimsby Institute of Higher Education

    ", + "

    Hull College

    ", + "

    Leeds City College

    ", + "

    New College Durham

    ", + "

    Newcastle College

    ", + "

    Warwickshire College

    ", + "

    Recognised awards

    ", + "

    Certain bodies or institutions can award their own unique degrees. These are known as \u2018recognised awards\u2019.

    ", + "Recognised award | Institution or body", + "Mastership in Clinical Biochemistry | Awarded jointly by: Royal College of Physicians Royal Society of Chemistry Royal College of Pathologists Association for Clinical Biochemistry and Laboratory Medicine", + "Degree of Barrister-at-Law | Benchers of the Honourable Society of the Inn of Court of Northern Ireland", + "Degree of the Utter Bar | Inns of Court", + "Master of Horticulture | Royal Horticultural Society", + "Mastership in Chemical Analysis | Royal Society of Chemistry", + "Mastership in Food Control | Awarded jointly by:Royal Society of Chemistry Society of Biology Institute of Food Science and Technology" + ] + }, + "https://www.gov.uk/tell-employer-or-college-about-criminal-record": { + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "title": "Telling an employer, university or college about your criminal record", + "content": "## When you need to tell an employer, university or college\n\nWhen you apply for a role or placement, you might need to tell your potential employer, university or college about a:\n\n- conviction you got at court\n\n- caution you got from the police\n\nYou only need tell the employer, university or college about a conviction or caution:\n\n- if they ask you to, for example in an interview or on an application form\n\n- for a specific amount of time after you got it, or always for certain roles\n\nThere are different rules in Scotland and Northern Ireland.\n\n## What information you need to give\n\nThe information you need to give a potential employer, university or college about a conviction or caution depends on:\n\n- if the conviction or caution is on your basic criminal record\n\n- the role you\u2019re applying for\n\n## What\u2019s on your basic criminal record and what\u2019s not\n\nAfter you get a conviction or caution, it\u2019s usually \u2018unspent\u2019 for a specific amount of time. The amount of time depends on the type of punishment or sentence you got.\n\nAn unspent conviction or caution means:\n\n- it\u2019s on your basic criminal record\n\n- it will show up on any DBS check (criminal record check)\n\nMost convictions or cautions then become \u2018spent\u2019 after a specific amount of time. This might be after a few months or years, or straight away.\n\nA spent conviction or caution means:\n\n- it\u2019s not on your basic criminal record anymore\n\n- it will only show up on a more detailed DBS check known as \u2018standard\u2019 or \u2018enhanced\u2019, unless it\u2019s removed (\u2018filtered\u2019) from the DBS certificate\n\nYou can check when a conviction or caution you got will become spent.\n\nYou can also read about different convictions or cautions, for example a court fine or a prison sentence.\n\n## If you have an unspent conviction or caution\n\nYou only need to tell a potential employer, university or college about an unspent conviction or caution if they ask you to.\n\nIf they ask you and you do not tell them about it, they might find out by using a DBS check. They could then reject your application or withdraw a job offer, or you might be charged with a crime.\n\n## If you have a spent conviction or caution\n\nYou only need to tell a potential employer, university or college about a spent conviction or caution if all of the following apply:\n\n- they ask you to\n\n- they tell you that the role needs a standard or enhanced DBS check\n\n- it\u2019s not removed (\u2018filtered\u2019) from DBS certificates\n\nYou can check if the employer, university or college is allowed to request the standard or enhanced DBS check. They can only do this for certain roles, for example if you\u2019re working with children or in healthcare.\n\nIt\u2019s against the law for an employer, university or college to refuse you a role because you\u2019ve got a spent conviction or caution, unless it makes you unsuitable for the role. For example, a driving conviction might make you unsuitable for a job as a driving instructor.\n\n## Check if you need to tell someone about your conviction or caution\n\nUse this tool to check whether:\n\n- a conviction or caution you got in England or Wales is \u2018spent\u2019 (not on your basic criminal record)\n\n- you need to tell a potential employer, university or college about it\n\nYou can also read more about what a spent conviction or caution is.\n\n## Check your conviction or caution\n\nCheck now\n\n## Before you check\n\nFor each conviction or caution you\u2019ve had, you\u2019ll need:\n\n- the type of conviction or caution you got\n\n- the date you got it\n\n- the date any conditions ended, or how long your sentence was\n\nIf you give approximate dates, the result you get will be approximate.\n\nYou will not need to give personal details such as your name. The information you give will not be saved and cannot identify you.\n\n## Cautions\n\nA caution is an official warning from the police.\n\nIt could be a:\n\n- simple caution if you\u2019re 18 or over\n\n- youth caution if you\u2019re under 18\n\n- conditional caution\n\nWhether a caution is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When simple and youth cautions become spent\n\nThey become spent straight away.\n\n## When a conditional caution becomes spent\n\nIt becomes spent either:\n\n- on the date the conditions end\n\n- 3 months after you got it, if the conditions have no end date\n\n## Fines and compensation\n\nA court might order you to pay:\n\n- a fine\n\n- compensation to someone (\u2018compensation order\u2019)\n\nWhether a fine or compensation order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When a fine becomes spent\n\nA fine becomes spent:\n\n- one year after you got it, if you were 18 or over\n\n- 6 months after you got it, if you were under 18\n\nThere are different rules if a court gives you a fine for a driving offence.\n\n## When a compensation order becomes spent\n\nA compensation order becomes spent after you\u2019ve paid someone in full and sent proof of payment to DBS.\n\n## Driving convictions\n\nA court might give you a conviction for a driving offence, for example speeding or drink driving.\n\nThe conviction could be:\n\n- a fine\n\n- a driving ban (\u2018disqualification\u2019)\n\n- community service or a prison sentence\n\nFixed penalty notices (FPN) and penalty charge notices (PCN) are fines for minor driving offences. They will not appear on your criminal record unless a court gives you a conviction because of one.\n\nWhether a driving conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## \u2018Endorsements\u2019 (penalty points)\n\nA court will give a driving ban or fine with penalty points that appear on your driving record. This is known as an \u2018endorsement\u2019.\n\nAn endorsement can stay on your driving record for longer than your criminal record.\n\nThis means a potential employer, university or college might find out about a driving ban or fine after it\u2019s spent, if they request to check your driving record.\n\n## When a fine with an endorsement becomes spent\n\nThe fine becomes spent either:\n\n- 5 years after you got it, if you were 18 or over\n\n- 2 years and 6 months after you got it, if you were under 18\n\n## When a driving ban with an endorsement becomes spent\n\nWhen a driving ban becomes spent depends on how:\n\n- long the ban lasts\n\n- old you were when you got it\n\n## If you were 18 or over\n\nIf the ban lasts less than 5 years, it becomes spent 5 years after you got it.\n\nIf the ban lasts more than 5 years, it becomes spent on the date it ends.\n\n## If you were under 18\n\nIf the ban lasts less than 2 years and 6 months, it becomes spent 2 years and 6 months after you got it.\n\nIf the ban lasts more than 2 years and 6 months, it becomes spent on the date it ends.\n\n## Prison sentences\n\nA court might:\n\n- give you a prison sentence if you\u2019re 18 or over\n\n- give you a detention order (\u2018detention and training order\u2019) if you\u2019re under 18\n\n- order you to stay in hospital instead of prison (\u2018hospital order\u2019) if there are concerns about your mental health\n\nA court can decide to delay a prison sentence for up to 2 years as long as you meet certain conditions. This is known as \u2018suspended\u2019.\n\nWhether a sentence is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When a prison sentence becomes spent\n\nThe length of the prison sentence affects when it becomes spent.\n\n| Length of your sentence | When it becomes spent |\n\n| Less than 6 months | 2 years after the sentence ends |\n\n| 6 months to 2 years and 6 months | 4 years after the sentence ends |\n\n| 2 years and 6 months to 4 years | 7 years after the sentence ends |\n\n| Longer than 4 years | It never becomes spent |\n\n## If your prison sentence was \u2018suspended\u2019 or you were released early\n\nThe full length of the prison sentence affects when it becomes spent - not the amount of the time it was suspended for or how long you were in prison.\n\n## When a detention order becomes spent\n\nThe length of the sentence affects when it becomes spent.\n\n| Length of your sentence | When it becomes spent |\n\n| Less than 6 months | 1 year and 6 months after the sentence ends |\n\n| 6 months to 2 years and 6 months | 2 years after the sentence ends |\n\n| 2 years and 6 months to 4 years | 3 years and 6 months after the sentence ends |\n\n| Longer than 4 years | It never becomes spent |\n\n## When a hospital order becomes spent\n\nA hospital order becomes spent either:\n\n- on the date it ends\n\n- 2 years after you got it, if there\u2019s no end date.\n\n## Community service\n\nA court might give you:\n\n- community service (\u2018community order\u2019) if you\u2019re 18 or over\n\n- a youth order (\u2018youth rehabilitation order\u2019) or a referral order if you\u2019re under 18\n\nFor example unpaid work, a curfew or alcohol treatment.\n\nWhether a community, youth or referral order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When community service becomes spent\n\nCommunity service becomes spent either:\n\n- one year after its end date\n\n- 2 years after you got it, if there\u2019s no end date\n\n## When a youth order becomes spent\n\nA youth order becomes spent either:\n\n- 6 months after its end date\n\n- 2 years after you got it, if there\u2019s no end date\n\n## When a referral order becomes spent\n\nA referral order becomes spent on its end date.\n\n## Discharges\n\nA discharge is a type of conviction where a court finds you guilty but does not give you a sentence because the offence is very minor.\n\nThe conviction could be:\n\n- an absolute discharge\n\n- a conditional discharge, where you could still get a sentence if you break the conditions\n\n- a \u2018bind over\u2019, where you could get a fine if you break the conditions\n\nWhether a discharge or bind over is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When an absolute discharge becomes spent\n\nIt becomes spent straight away.\n\n## When conditional discharges and bind overs become spent\n\nThey become spent either:\n\n- on the date they end\n\n- 2 years after you got one, if there\u2019s no end date\n\n## Military convictions\n\nA court might give you a military conviction if they find you guilty of a crime while you served in the British armed forces.\n\nThe conviction might be:\n\n- a dismissal\n\n- a service detention\n\n- an overseas community order\n\n- a service community order\n\nWhether a military conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When military convictions become spent\n\nHow long it takes for a conviction to become spent depends on how old you were when you were convicted. If you were:\n\n- 18 or over it takes 12 months\n\n- under 18 it takes 6 months\n\nThe length of time is calculated from:\n\n- the date of your conviction for dismissals\n\n- the day on which the sentence is complete for service detentions\n\n- the end date for overseas and community service orders - if the order has no end date, it becomes spent after 2 years\n\nIf you were given both a dismissal and a service detention then the longer of the two spent dates applies.", + "original_contents": [ + "

    When you need to tell an employer, university or college

    ", + "

    When you apply for a role or placement, you might need to tell your potential employer, university or college about a:

    ", + "
  • conviction you got at court
  • ", + "
  • caution you got from the police
  • ", + "

    You only need tell the employer, university or college about a conviction or caution:

    ", + "
  • if they ask you to, for example in an interview or on an application form
  • ", + "
  • for a specific amount of time after you got it, or always for certain roles
  • ", + "

    There are different rules in Scotland and Northern Ireland.

    ", + "

    What information you need to give

    ", + "

    The information you need to give a potential employer, university or college about a conviction or caution depends on:

    ", + "
  • if the conviction or caution is on your basic criminal record
  • ", + "
  • the role you\u2019re applying for
  • ", + "

    What\u2019s on your basic criminal record and what\u2019s not

    ", + "

    After you get a conviction or caution, it\u2019s usually \u2018unspent\u2019 for a specific amount of time. The amount of time depends on the type of punishment or sentence you got.

    ", + "

    An unspent conviction or caution means:

    ", + "
  • it\u2019s on your basic criminal record
  • ", + "
  • it will show up on any DBS check (criminal record check)
  • ", + "

    Most convictions or cautions then become \u2018spent\u2019 after a specific amount of time. This might be after a few months or years, or straight away.

    ", + "

    A spent conviction or caution means:

    ", + "
  • it\u2019s not on your basic criminal record anymore
  • ", + "
  • it will only show up on a more detailed DBS check known as \u2018standard\u2019 or \u2018enhanced\u2019, unless it\u2019s removed (\u2018filtered\u2019) from the DBS certificate
  • ", + "

    You can check when a conviction or caution you got will become spent.

    ", + "

    You can also read about different convictions or cautions, for example a court fine or a prison sentence.

    ", + "

    If you have an unspent conviction or caution

    ", + "

    You only need to tell a potential employer, university or college about an unspent conviction or caution if they ask you to.

    ", + "

    If they ask you and you do not tell them about it, they might find out by using a DBS check. They could then reject your application or withdraw a job offer, or you might be charged with a crime.

    ", + "

    If you have a spent conviction or caution

    ", + "

    You only need to tell a potential employer, university or college about a spent conviction or caution if all of the following apply:

    ", + "
  • they ask you to
  • ", + "
  • they tell you that the role needs a standard or enhanced DBS check
  • ", + "
  • it\u2019s not removed (\u2018filtered\u2019) from DBS certificates
  • ", + "

    You can check if the employer, university or college is allowed to request the standard or enhanced DBS check. They can only do this for certain roles, for example if you\u2019re working with children or in healthcare.

    ", + "

    It\u2019s against the law for an employer, university or college to refuse you a role because you\u2019ve got a spent conviction or caution, unless it makes you unsuitable for the role. For example, a driving conviction might make you unsuitable for a job as a driving instructor.

    ", + "

    Check if you need to tell someone about your conviction or caution

    ", + "

    Use this tool to check whether:

    ", + "
  • a conviction or caution you got in England or Wales is \u2018spent\u2019 (not on your basic criminal record)
  • ", + "
  • you need to tell a potential employer, university or college about it
  • ", + "

    You can also read more about what a spent conviction or caution is.

    ", + "

    Check your conviction or caution

    ", + "

    Check now

    ", + "

    Before you check

    ", + "

    For each conviction or caution you\u2019ve had, you\u2019ll need:

    ", + "
  • the type of conviction or caution you got
  • ", + "
  • the date you got it
  • ", + "
  • the date any conditions ended, or how long your sentence was
  • ", + "

    If you give approximate dates, the result you get will be approximate.

    ", + "

    You will not need to give personal details such as your name. The information you give will not be saved and cannot identify you.

    ", + "

    Cautions

    ", + "

    A caution is an official warning from the police.

    ", + "

    It could be a:

    ", + "
  • simple caution if you\u2019re 18 or over
  • ", + "
  • youth caution if you\u2019re under 18
  • ", + "
  • conditional caution
  • ", + "

    Whether a caution is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When simple and youth cautions become spent

    ", + "

    They become spent straight away.

    ", + "

    When a conditional caution becomes spent

    ", + "

    It becomes spent either:

    ", + "
  • on the date the conditions end
  • ", + "
  • 3 months after you got it, if the conditions have no end date
  • ", + "

    Fines and compensation

    ", + "

    A court might order you to pay:

    ", + "
  • a fine
  • ", + "
  • compensation to someone (\u2018compensation order\u2019)
  • ", + "

    Whether a fine or compensation order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When a fine becomes spent

    ", + "

    A fine becomes spent:

    ", + "
  • one year after you got it, if you were 18 or over
  • ", + "
  • 6 months after you got it, if you were under 18
  • ", + "

    There are different rules if a court gives you a fine for a driving offence.

    ", + "

    When a compensation order becomes spent

    ", + "

    A compensation order becomes spent after you\u2019ve paid someone in full and sent proof of payment to DBS.

    ", + "

    Driving convictions

    ", + "

    A court might give you a conviction for a driving offence, for example speeding or drink driving.

    ", + "

    The conviction could be:

    ", + "
  • a fine
  • ", + "
  • a driving ban (\u2018disqualification\u2019)
  • ", + "
  • community service or a prison sentence
  • ", + "

    Fixed penalty notices (FPN) and penalty charge notices (PCN) are fines for minor driving offences. They will not appear on your criminal record unless a court gives you a conviction because of one.

    ", + "

    Whether a driving conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    \u2018Endorsements\u2019 (penalty points)

    ", + "

    A court will give a driving ban or fine with penalty points that appear on your driving record. This is known as an \u2018endorsement\u2019.

    ", + "

    An endorsement can stay on your driving record for longer than your criminal record.

    ", + "

    This means a potential employer, university or college might find out about a driving ban or fine after it\u2019s spent, if they request to check your driving record.

    ", + "

    When a fine with an endorsement becomes spent

    ", + "

    The fine becomes spent either:

    ", + "
  • 5 years after you got it, if you were 18 or over
  • ", + "
  • 2 years and 6 months after you got it, if you were under 18
  • ", + "

    When a driving ban with an endorsement becomes spent

    ", + "

    When a driving ban becomes spent depends on how:

    ", + "
  • long the ban lasts
  • ", + "
  • old you were when you got it
  • ", + "

    If you were 18 or over

    ", + "

    If the ban lasts less than 5 years, it becomes spent 5 years after you got it.

    ", + "

    If the ban lasts more than 5 years, it becomes spent on the date it ends.

    ", + "

    If you were under 18

    ", + "

    If the ban lasts less than 2 years and 6 months, it becomes spent 2 years and 6 months after you got it.

    ", + "

    If the ban lasts more than 2 years and 6 months, it becomes spent on the date it ends.

    ", + "

    Prison sentences

    ", + "

    A court might:

    ", + "
  • give you a prison sentence if you\u2019re 18 or over
  • ", + "
  • give you a detention order (\u2018detention and training order\u2019) if you\u2019re under 18
  • ", + "
  • order you to stay in hospital instead of prison (\u2018hospital order\u2019) if there are concerns about your mental health
  • ", + "

    A court can decide to delay a prison sentence for up to 2 years as long as you meet certain conditions. This is known as \u2018suspended\u2019.

    ", + "

    Whether a sentence is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When a prison sentence becomes spent

    ", + "

    The length of the prison sentence affects when it becomes spent.

    ", + "Length of your sentence | When it becomes spent", + "Less than 6 months | 2 years after the sentence ends", + "6 months to 2 years and 6 months | 4 years after the sentence ends", + "2 years and 6 months to 4 years | 7 years after the sentence ends", + "Longer than 4 years | It never becomes spent", + "

    If your prison sentence was \u2018suspended\u2019 or you were released early

    ", + "

    The full length of the prison sentence affects when it becomes spent - not the amount of the time it was suspended for or how long you were in prison.

    ", + "

    When a detention order becomes spent

    ", + "

    The length of the sentence affects when it becomes spent.

    ", + "Length of your sentence | When it becomes spent", + "Less than 6 months | 1 year and 6 months after the sentence ends", + "6 months to 2 years and 6 months | 2 years after the sentence ends", + "2 years and 6 months to 4 years | 3 years and 6 months after the sentence ends", + "Longer than 4 years | It never becomes spent", + "

    When a hospital order becomes spent

    ", + "

    A hospital order becomes spent either:

    ", + "
  • on the date it ends
  • ", + "
  • 2 years after you got it, if there\u2019s no end date.
  • ", + "

    Community service

    ", + "

    A court might give you:

    ", + "
  • community service (\u2018community order\u2019) if you\u2019re 18 or over
  • ", + "
  • a youth order (\u2018youth rehabilitation order\u2019) or a referral order if you\u2019re under 18
  • ", + "

    For example unpaid work, a curfew or alcohol treatment.

    ", + "

    Whether a community, youth or referral order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When community service becomes spent

    ", + "

    Community service becomes spent either:

    ", + "
  • one year after its end date
  • ", + "
  • 2 years after you got it, if there\u2019s no end date
  • ", + "

    When a youth order becomes spent

    ", + "

    A youth order becomes spent either:

    ", + "
  • 6 months after its end date
  • ", + "
  • 2 years after you got it, if there\u2019s no end date
  • ", + "

    When a referral order becomes spent

    ", + "

    A referral order becomes spent on its end date.

    ", + "

    Discharges

    ", + "

    A discharge is a type of conviction where a court finds you guilty but does not give you a sentence because the offence is very minor.

    ", + "

    The conviction could be:

    ", + "
  • an absolute discharge
  • ", + "
  • a conditional discharge, where you could still get a sentence if you break the conditions
  • ", + "
  • a \u2018bind over\u2019, where you could get a fine if you break the conditions
  • ", + "

    Whether a discharge or bind over is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When an absolute discharge becomes spent

    ", + "

    It becomes spent straight away.

    ", + "

    When conditional discharges and bind overs become spent

    ", + "

    They become spent either:

    ", + "
  • on the date they end
  • ", + "
  • 2 years after you got one, if there\u2019s no end date
  • ", + "

    Military convictions

    ", + "

    A court might give you a military conviction if they find you guilty of a crime while you served in the British armed forces.

    ", + "

    The conviction might be:

    ", + "
  • a dismissal
  • ", + "
  • a service detention
  • ", + "
  • an overseas community order
  • ", + "
  • a service community order
  • ", + "

    Whether a military conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.

    ", + "

    When military convictions become spent

    ", + "

    How long it takes for a conviction to become spent depends on how old you were when you were convicted. If you were:

    ", + "
  • 18 or over it takes 12 months
  • ", + "
  • under 18 it takes 6 months
  • ", + "

    The length of time is calculated from:

    ", + "
  • the date of your conviction for dismissals
  • ", + "
  • the day on which the sentence is complete for service detentions
  • ", + "
  • the end date for overseas and community service orders - if the order has no end date, it becomes spent after 2 years
  • ", + "

    If you were given both a dismissal and a service detention then the longer of the two spent dates applies.

    " + ] + }, + "https://www.gov.uk/contract-types-and-employer-responsibilities": { + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "title": "Contract types and employer responsibilities", + "content": "## Overview\n\nAs an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.\n\nContract types include:\n\n- full-time and part-time contracts\n\n- fixed-term contracts\n\n- agency staff\n\n- freelancers, consultants, contractors\n\n- zero-hours contracts\n\nThere are also special rules for employing family members, young people and volunteers.\n\n## Full-time and part-time contracts\n\nAs an employer you must give employees:\n\n- a written statement of employment or contract\n\n- the statutory minimum level of paid holiday\n\n- a payslip showing all deductions, such as National Insurance contributions (NICs)\n\n- the statutory minimum length of rest breaks\n\n- Statutory Sick Pay (SSP)\n\n- maternity, paternity and adoption pay and leave\n\nYou must also:\n\n- make sure employees do not work longer than the maximum allowed\n\n- pay employees at least the minimum wage\n\n- have employer\u2019s liability insurance\n\n- provide a safe and secure working environment\n\n- register with HM Revenue and Customs to deal with payroll, tax and NICs\n\n- consider flexible working requests\n\n- avoid discrimination in the workplace\n\n- make reasonable adjustments to your business premises if your employee is disabled\n\n## Fixed-term contracts\n\nFixed-term contracts:\n\n- last for a certain length of time\n\n- are set in advance\n\n- end when a specific task is completed\n\n- end when a specific event takes place\n\nFixed-term employees must receive the same treatment as full-time permanent staff.\n\nFind out more about fixed-term employees\u2019 rights, and what to do about renewing or ending a fixed-term contract.\n\n## Agency staff\n\nAs an employer, you can hire temporary staff through agencies. This means:\n\n- you pay the agency, including the employee\u2019s National Insurance contributions (NICs) and Statutory Sick Pay (SSP)\n\n- it\u2019s the agency\u2019s responsibility to make sure workers get their rights under working time regulations\n\n- after 12 weeks\u2019 continuous employment in the same role, agency workers get the same terms and conditions as permanent employees, including pay, working time, rest periods, night work, breaks and annual leave\n\n- you must provide the agency with information about the relevant terms and conditions in your business so that they can ensure the worker gets equal treatment after 12 weeks in the same job\n\n- you must allow agency workers to use any shared facilities (for example a staff canteen or childcare) and give them information about job vacancies from the first day they work there\n\n- you are still responsible for their health and safety\n\n## Freelancers, consultants and contractors\n\nIf you hire a freelancer, consultant or contractor it means that:\n\n- they are self-employed or are part of other companies\n\n- they often look after their own tax and National Insurance contributions (NICs)\n\n- they might not be entitled to the same rights as workers, such as minimum wage\n\n- you\u2019re still responsible for their health and safety\n\n## Zero-hours contracts\n\nZero-hours contracts are also known as casual contracts. Zero-hours contracts are usually for \u2018piece work\u2019 or \u2018on call\u2019 work, for example for interpreters.\n\nThis means:\n\n- they are on call to work when you need them\n\n- you do not have to give them work\n\n- they do not have to do work when asked\n\nZero-hours workers are entitled to statutory annual leave and the National Minimum Wage in the same way as regular workers.\n\nYou cannot do anything to stop a zero-hours worker from getting work elsewhere. The law says they can ignore a clause in their contract if it bans them from:\n\n- looking for work\n\n- accepting work from another employer\n\nYou are still responsible for health and safety of staff on zero-hours contracts.\n\n## Employing family, young people and volunteers\n\n## Family\n\nIf you hire family members you must:\n\n- avoid special treatment in terms of pay, promotion and working conditions\n\n- make sure tax and National Insurance contributions are still paid\n\n- follow working time regulations for younger family members\n\n- have employer\u2019s liability insurance that covers any young family members\n\n- check if you need to provide them with a workplace pension scheme\n\n## Volunteers and voluntary staff\n\nWhen taking on volunteers or voluntary staff you:\n\n- are responsible for their health and safety\n\n- must give inductions and training in the tasks they\u2019re going to do\n\n## Young people\n\nYou can employ young people if they are 13 or over but there are special rules about how long they can work and what jobs they can do. Once someone is 18 they\u2019re classed as an \u2018adult worker\u2019 and different rules apply.\n\nAs well as following these rules you must do a risk assessment before taking on young workers.\n\nYoung people may also have certain employment rights like:\n\n- statutory maternity pay and ordinary statutory paternity pay if they qualify as a result of their continuous employment\n\n- paid time off for study and training\n\n- redundancy pay\n\nYoung workers and apprentices have different rates from adult workers for the National Minimum Wage.", + "original_contents": [ + "

    Overview

    ", + "

    As an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.

    ", + "

    Contract types include:

    ", + "
  • full-time and part-time contracts
  • ", + "
  • fixed-term contracts
  • ", + "
  • agency staff
  • ", + "
  • freelancers, consultants, contractors
  • ", + "
  • zero-hours contracts
  • ", + "

    There are also special rules for employing family members, young people and volunteers.

    ", + "

    Full-time and part-time contracts

    ", + "

    As an employer you must give employees:

    ", + "
  • a written statement of employment or contract
  • ", + "
  • the statutory minimum level of paid holiday
  • ", + "
  • a payslip showing all deductions, such as National Insurance contributions (NICs)
  • ", + "
  • the statutory minimum length of rest breaks
  • ", + "
  • Statutory Sick Pay (SSP)
  • ", + "
  • maternity, paternity and adoption pay and leave
  • ", + "

    You must also:

    ", + "
  • make sure employees do not work longer than the maximum allowed
  • ", + "
  • pay employees at least the minimum wage
  • ", + "
  • have employer\u2019s liability insurance
  • ", + "
  • provide a safe and secure working environment
  • ", + "
  • register with HM Revenue and Customs to deal with payroll, tax and NICs
  • ", + "
  • consider flexible working requests
  • ", + "
  • avoid discrimination in the workplace
  • ", + "
  • make reasonable adjustments to your business premises if your employee is disabled
  • ", + "

    Fixed-term contracts

    ", + "

    Fixed-term contracts:

    ", + "
  • last for a certain length of time
  • ", + "
  • are set in advance
  • ", + "
  • end when a specific task is completed
  • ", + "
  • end when a specific event takes place
  • ", + "

    Fixed-term employees must receive the same treatment as full-time permanent staff.

    ", + "

    Find out more about fixed-term employees\u2019 rights, and what to do about renewing or ending a fixed-term contract.

    ", + "

    Agency staff

    ", + "

    As an employer, you can hire temporary staff through agencies. This means:

    ", + "
  • you pay the agency, including the employee\u2019s National Insurance contributions (NICs) and Statutory Sick Pay (SSP)
  • ", + "
  • it\u2019s the agency\u2019s responsibility to make sure workers get their rights under working time regulations
  • ", + "
  • after 12 weeks\u2019 continuous employment in the same role, agency workers get the same terms and conditions as permanent employees, including pay, working time, rest periods, night work, breaks and annual leave
  • ", + "
  • you must provide the agency with information about the relevant terms and conditions in your business so that they can ensure the worker gets equal treatment after 12 weeks in the same job
  • ", + "
  • you must allow agency workers to use any shared facilities (for example a staff canteen or childcare) and give them information about job vacancies from the first day they work there
  • ", + "
  • you are still responsible for their health and safety
  • ", + "

    Freelancers, consultants and contractors

    ", + "

    If you hire a freelancer, consultant or contractor it means that:

    ", + "
  • they are self-employed or are part of other companies
  • ", + "
  • they often look after their own tax and National Insurance contributions (NICs)
  • ", + "
  • they might not be entitled to the same rights as workers, such as minimum wage
  • ", + "
  • you\u2019re still responsible for their health and safety
  • ", + "

    Zero-hours contracts

    ", + "

    Zero-hours contracts are also known as casual contracts. Zero-hours contracts are usually for \u2018piece work\u2019 or \u2018on call\u2019 work, for example for interpreters.

    ", + "

    This means:

    ", + "
  • they are on call to work when you need them
  • ", + "
  • you do not have to give them work
  • ", + "
  • they do not have to do work when asked
  • ", + "

    Zero-hours workers are entitled to statutory annual leave and the National Minimum Wage in the same way as regular workers.

    ", + "

    You cannot do anything to stop a zero-hours worker from getting work elsewhere. The law says they can ignore a clause in their contract if it bans them from:

    ", + "
  • looking for work
  • ", + "
  • accepting work from another employer
  • ", + "

    You are still responsible for health and safety of staff on zero-hours contracts.

    ", + "

    Employing family, young people and volunteers

    ", + "

    Family

    ", + "

    If you hire family members you must:

    ", + "
  • avoid special treatment in terms of pay, promotion and working conditions
  • ", + "
  • make sure tax and National Insurance contributions are still paid
  • ", + "
  • follow working time regulations for younger family members
  • ", + "
  • have employer\u2019s liability insurance that covers any young family members
  • ", + "
  • check if you need to provide them with a workplace pension scheme
  • ", + "

    Volunteers and voluntary staff

    ", + "

    When taking on volunteers or voluntary staff you:

    ", + "
  • are responsible for their health and safety
  • ", + "
  • must give inductions and training in the tasks they\u2019re going to do
  • ", + "

    Young people

    ", + "

    You can employ young people if they are 13 or over but there are special rules about how long they can work and what jobs they can do. Once someone is 18 they\u2019re classed as an \u2018adult worker\u2019 and different rules apply.

    ", + "

    As well as following these rules you must do a risk assessment before taking on young workers.

    ", + "

    Young people may also have certain employment rights like:

    ", + "
  • statutory maternity pay and ordinary statutory paternity pay if they qualify as a result of their continuous employment
  • ", + "
  • paid time off for study and training
  • ", + "
  • redundancy pay
  • ", + "

    Young workers and apprentices have different rates from adult workers for the National Minimum Wage.

    " + ] + }, + "https://www.gov.uk/employer-preventing-discrimination": { + "url": "https://www.gov.uk/employer-preventing-discrimination", + "title": "Employers: preventing discrimination", + "content": "## Overview\n\nIt is against the law to treat someone less favourably than someone else because of a personal characteristic such as religion, sex, gender reassignment or age.\n\nDiscrimination can include:\n\n- not hiring someone\n\n- selecting a particular person for redundancy\n\n- paying someone less than another worker without good reason\n\nYou can discriminate against someone even if you do not intend to. For example, you can discriminate indirectly by offering working conditions or rules that disadvantage one group of people more than another.\n\n## Discrimination during recruitment\n\n## Discrimination in job adverts\n\nYou must not state or imply in a job advert that you\u2019ll discriminate against anyone. This includes saying that you are not able to cater for workers with a disability.\n\nOnly use phrases like \u2018recent graduate\u2019 or \u2018highly experienced\u2019 when these are actual requirements of the job. Otherwise you could discriminate against younger or older people who might not have had the opportunity to get qualifications.\n\nWhere you advertise might cause indirect discrimination - for example, advertising only in men\u2019s magazines.\n\n## Get help advertising a job without discriminating\n\n## Questions you cannot ask when recruiting\n\nYou must not ask candidates about \u2018protected characteristics\u2019 or whether they:\n\n- are married, single or in a civil partnership\n\n- have children or plan to have children\n\n## Asking about health or disability\n\nYou can only ask about health or disability if:\n\n- there are necessary requirements of the job that cannot be met with reasonable adjustments\n\n- you\u2019re finding out if someone needs help to take part in a selection test or interview\n\n- you\u2019re using \u2018positive action\u2019 to recruit a disabled person\n\nYou might be breaking the law if any discrimination happens during their recruitment process, even if you use a recruitment agency.\n\n## Asking for a date of birth\n\nYou can only ask for someone\u2019s date of birth on an application form if they must be a certain age to do the job, for example selling alcohol.\n\nYou can ask someone their date of birth on a separate equality monitoring form. You should not let the person selecting or interviewing candidates see this form.\n\n## Spent criminal convictions\n\nApplicants do not have to tell you about criminal convictions that are spent. You must treat the applicant as if the conviction has not happened, and cannot refuse to employ the person because of their conviction.\n\nThere are some areas of employment that are exempt from this rule, for example schools.\n\n## Trade union membership\n\nYou must not use membership of a trade union as a factor in deciding whether to employ someone. This includes:\n\n- not employing someone because they\u2019re a member of a trade union\n\n- insisting someone joins a trade union before you\u2019ll employ them\n\n## Employing people with protected characteristics\n\nYou can choose a candidate who has a protected characteristic over one who does not if they\u2019re both suitable for the job and you think that people with that characteristic:\n\n- are underrepresented in the workforce, profession or industry\n\n- suffer a disadvantage connected to that characteristic (for example people from a certain ethnic group are not often given jobs in your sector)\n\nYou can only do this if you\u2019re trying to address the under-representation or disadvantage for that particular characteristic. You must make decisions on a case by case basis and not because of a certain policy.\n\nYou cannot choose a candidate who is not as suitable for the job just because they have a protected characteristic.\n\n## Favouring disabled candidates\n\nWhen a disabled person and a non-disabled person both meet the job requirements, you can treat the disabled person more favourably.\n\n## Discrimination during employment\n\nYou must not discriminate against your employees. This could be done by, for example:\n\n- introducing measures that discriminate between workers, for example a benefit for married \nemployees that\u2019s not available for people in a civil partnership\n\n- paying men and women different amounts (this includes benefits, for example company cars) when they\u2019re doing work of equal value\n\n- selecting someone for redundancy because they have a protected characteristic\n\n- failing to make reasonable adjustments for a disabled worker\n\n- firing someone for making an allegation of discrimination\n\n- firing someone because they\u2019re a union member\n\n- unfairly rejecting a request for flexible working from a new parent\n\nThis includes self-employed people on a contract for you.\n\nTraining and promotion cannot just happen because of an employee\u2019s age or the time they\u2019ve worked for you.\n\nYou\u2019re allowed to ask employees about their future career plans, including retirement. But you cannot just choose older workers for discussions about retirement. Such talks should be part of general discussions about each worker\u2019s career development.\n\n## Employment tribunals\n\nAn employee who thinks they\u2019ve been discriminated against may raise a grievance or take their case to an employment tribunal.\n\nYou\u2019re responsible for discrimination carried out by your employees unless you can show you\u2019ve done everything you reasonably could to prevent or stop it.\n\n## Employing family members\n\nIf you hire members of your family you must:\n\n- avoid special treatment in terms of pay, promotion and working conditions\n\n- make sure tax and National Insurance contributions are done correctly\n\n## Gender reassignment\n\nThe moment a worker tells their employer that they\u2019re having gender reassignment, they\u2019re protected from discrimination. Discrimination includes:\n\n- disadvantaging the worker because of the time they have to take off because of medical treatment\n\n- not enabling the worker to use facilities appropriate to their gender\n\nTo avoid discrimination, you must:\n\n- change your records (for example human resources records) when the worker has a Gender Reassignment Certificate and a new birth certificate\n\n- ensure complete confidentiality of all information the worker gives you about their gender history", + "original_contents": [ + "

    Overview

    ", + "

    It is against the law to treat someone less favourably than someone else because of a personal characteristic such as religion, sex, gender reassignment or age.

    ", + "

    Discrimination can include:

    ", + "
  • not hiring someone
  • ", + "
  • selecting a particular person for redundancy
  • ", + "
  • paying someone less than another worker without good reason
  • ", + "

    You can discriminate against someone even if you do not intend to. For example, you can discriminate indirectly by offering working conditions or rules that disadvantage one group of people more than another.

    ", + "

    Discrimination during recruitment

    ", + "

    Discrimination in job adverts

    ", + "

    You must not state or imply in a job advert that you\u2019ll discriminate against anyone. This includes saying that you are not able to cater for workers with a disability.

    ", + "

    Only use phrases like \u2018recent graduate\u2019 or \u2018highly experienced\u2019 when these are actual requirements of the job. Otherwise you could discriminate against younger or older people who might not have had the opportunity to get qualifications.

    ", + "

    Where you advertise might cause indirect discrimination - for example, advertising only in men\u2019s magazines.

    ", + "

    Get help advertising a job without discriminating

    ", + "

    Questions you cannot ask when recruiting

    ", + "

    You must not ask candidates about \u2018protected characteristics\u2019 or whether they:

    ", + "
  • are married, single or in a civil partnership
  • ", + "
  • have children or plan to have children
  • ", + "

    Asking about health or disability

    ", + "

    You can only ask about health or disability if:

    ", + "
  • there are necessary requirements of the job that cannot be met with reasonable adjustments
  • ", + "
  • you\u2019re finding out if someone needs help to take part in a selection test or interview
  • ", + "
  • you\u2019re using \u2018positive action\u2019 to recruit a disabled person
  • ", + "

    You might be breaking the law if any discrimination happens during their recruitment process, even if you use a recruitment agency.

    ", + "

    Asking for a date of birth

    ", + "

    You can only ask for someone\u2019s date of birth on an application form if they must be a certain age to do the job, for example selling alcohol.

    ", + "

    You can ask someone their date of birth on a separate equality monitoring form. You should not let the person selecting or interviewing candidates see this form.

    ", + "

    Spent criminal convictions

    ", + "

    Applicants do not have to tell you about criminal convictions that are spent. You must treat the applicant as if the conviction has not happened, and cannot refuse to employ the person because of their conviction.

    ", + "

    There are some areas of employment that are exempt from this rule, for example schools.

    ", + "

    Trade union membership

    ", + "

    You must not use membership of a trade union as a factor in deciding whether to employ someone. This includes:

    ", + "
  • not employing someone because they\u2019re a member of a trade union
  • ", + "
  • insisting someone joins a trade union before you\u2019ll employ them
  • ", + "

    Employing people with protected characteristics

    ", + "

    You can choose a candidate who has a protected characteristic over one who does not if they\u2019re both suitable for the job and you think that people with that characteristic:

    ", + "
  • are underrepresented in the workforce, profession or industry
  • ", + "
  • suffer a disadvantage connected to that characteristic (for example people from a certain ethnic group are not often given jobs in your sector)
  • ", + "

    You can only do this if you\u2019re trying to address the under-representation or disadvantage for that particular characteristic. You must make decisions on a case by case basis and not because of a certain policy.

    ", + "

    You cannot choose a candidate who is not as suitable for the job just because they have a protected characteristic.

    ", + "

    Favouring disabled candidates

    ", + "

    When a disabled person and a non-disabled person both meet the job requirements, you can treat the disabled person more favourably.

    ", + "

    Discrimination during employment

    ", + "

    You must not discriminate against your employees. This could be done by, for example:

    ", + "
  • introducing measures that discriminate between workers, for example a benefit for married \nemployees that\u2019s not available for people in a civil partnership
  • ", + "
  • paying men and women different amounts (this includes benefits, for example company cars) when they\u2019re doing work of equal value
  • ", + "
  • selecting someone for redundancy because they have a protected characteristic
  • ", + "
  • failing to make reasonable adjustments for a disabled worker
  • ", + "
  • firing someone for making an allegation of discrimination
  • ", + "
  • firing someone because they\u2019re a union member
  • ", + "
  • unfairly rejecting a request for flexible working from a new parent
  • ", + "

    This includes self-employed people on a contract for you.

    ", + "

    Training and promotion cannot just happen because of an employee\u2019s age or the time they\u2019ve worked for you.

    ", + "

    You\u2019re allowed to ask employees about their future career plans, including retirement. But you cannot just choose older workers for discussions about retirement. Such talks should be part of general discussions about each worker\u2019s career development.

    ", + "

    Employment tribunals

    ", + "

    An employee who thinks they\u2019ve been discriminated against may raise a grievance or take their case to an employment tribunal.

    ", + "

    You\u2019re responsible for discrimination carried out by your employees unless you can show you\u2019ve done everything you reasonably could to prevent or stop it.

    ", + "

    Employing family members

    ", + "

    If you hire members of your family you must:

    ", + "
  • avoid special treatment in terms of pay, promotion and working conditions
  • ", + "
  • make sure tax and National Insurance contributions are done correctly
  • ", + "

    Gender reassignment

    ", + "

    The moment a worker tells their employer that they\u2019re having gender reassignment, they\u2019re protected from discrimination. Discrimination includes:

    ", + "
  • disadvantaging the worker because of the time they have to take off because of medical treatment
  • ", + "
  • not enabling the worker to use facilities appropriate to their gender
  • ", + "

    To avoid discrimination, you must:

    ", + "
  • change your records (for example human resources records) when the worker has a Gender Reassignment Certificate and a new birth certificate
  • ", + "
  • ensure complete confidentiality of all information the worker gives you about their gender history
  • " + ] + }, + "https://www.gov.uk/employment-contracts-and-conditions": { + "url": "https://www.gov.uk/employment-contracts-and-conditions", + "title": "Employment contracts", + "content": "## Overview\n\nAll employees have an employment contract with their employer. A contract is an agreement that sets out an employee\u2019s:\n\n- employment conditions\n\n- rights\n\n- responsibilities\n\n- duties\n\nThese are called the \u2018terms\u2019 of the contract.\n\nEmployees and employers must stick to a contract until it ends (for example, by an employer or employee giving notice or an employee being dismissed) or until the terms are changed (usually by agreement between the employee and employer).\n\nIf a person has an agreement to do some work for someone (like paint their house), this isn\u2019t an employment contract but a \u2018contract to provide services\u2019.\n\n## Accepting a contract\n\nAs soon as someone accepts a job offer they have a contract with their employer. An employment contract does not have to be written down.\n\n## Contract terms\n\nThe legal parts of a contract are known as \u2018terms\u2019. An employer should make clear which parts of a contract are legally binding.\n\nContract terms could be:\n\n- in a written contract, or similar document like a written statement of employment\n\n- verbally agreed\n\n- in an employee handbook or on a company notice board\n\n- in an offer letter from the employer\n\n- required by law (for example, an employer must pay employees at least the National Minimum Wage)\n\n- in collective agreements - negotiated agreements between employers and trade unions or staff associations\n\n- implied terms - automatically part of a contract even if they\u2019re not written down\n\n## Implied terms\n\nIf there\u2019s nothing clearly agreed between you and your employer about a particular issue, it may be covered by an implied term - for example:\n\n- employees not stealing from their employer\n\n- your employer providing a safe and secure working environment\n\n- a legal requirement like the right to a minimum of 5.6 weeks\u2019 paid holidays\n\n- something necessary to do the job like a driver having a valid licence\n\n- something that\u2019s been done regularly in a company over a long time like paying a Christmas bonus\n\n## Collective agreements\n\nAn employer may have an agreement with employees\u2019 representatives (from trade unions or staff associations) that allows negotiations of terms and conditions like pay or working hours. This is called a collective agreement.\n\nThe terms of the agreement could include:\n\n- how negotiations will be organised\n\n- who will represent employees\n\n- which employees are covered by the agreement\n\n- which terms and conditions the agreement will cover\n\n## Written statement of employment particulars\n\nAn employer must give employees and workers a document stating the main conditions of employment when they start work. This is known as a \u2018written statement of employment particulars\u2019. It is not an employment contract.\n\nThe written statement is made up of:\n\n- the main document (known as a \u2018principal statement\u2019)\n\n- a wider written statement\n\nThe employer must provide the principal statement on the first day of employment and the wider written statement within 2 months of the start of employment.\n\nEmployers must tell employees or workers about any changes to the written statement. They must do this within one month of making the change.\n\nThere are special rules for agencies on documents that they need to provide to agency workers.\n\n## The principal statement\n\nThe principal statement must include at least:\n\n- the employer\u2019s name\n\n- the employee\u2019s or worker\u2019s name, job title or a description of work and start date\n\n- how much and how often an employee or worker will get paid\n\n- hours and days of work and if and how they may vary (also if employees or workers will have to work Sundays, nights or overtime)\n\n- holiday entitlement (and if that includes public holidays)\n\n- where an employee or worker will be working and whether they might have to relocate\n\n- if an employee or worker works in different places, where these will be and what the employer\u2019s address is\n\n- how long a job is expected to last (and what the end date is if it\u2019s a fixed-term contract)\n\n- how long any probation period is and what its conditions are\n\n- any other benefits (for example, childcare vouchers and lunch)\n\n- obligatory training, whether or not this is paid for by the employer\n\nFor employees, it must also include the date that a previous job started if it counts towards a period of continuous employment.\n\n## Working abroad\n\nIf an employee or worker has to work outside the UK for more than a month, the principal statement must also include:\n\n- how long they\u2019ll be abroad\n\n- what currency they\u2019ll be paid in\n\n- what additional pay or benefits they\u2019ll get\n\n- terms relating to their return to the UK\n\n## Other information the employer must give on day one\n\nOn the first day of employment the employer must also provide the employee or worker with information about:\n\n- sick pay and procedures\n\n- other paid leave (for example, maternity leave and paternity leave)\n\n- notice periods\n\nThe employer can choose whether to include this information in the principal statement or provide it in a separate document. If they provide it in a separate document, this must be something that the employee or worker has reasonable access to, such as on the employer\u2019s intranet.\n\n## The wider written statement\n\nEmployers must give employees and workers a wider written statement within 2 months of the start of employment. This must include information about:\n\n- pensions and pension schemes\n\n- collective agreements\n\n- any other right to non-compulsory training provided by the employer\n\n- disciplinary and grievance procedures\n\n## Problems with a written statement\n\nIf an employee or worker has a problem receiving their written statement, they can:\n\n- Try to solve the problem with their employer informally.\n\n- If this does not work, take out a grievance against their employer (employers can also get advice about handling grievances).\n\n- Take a case to an employment tribunal as a last resort.\n\nThe tribunal will decide what the employment particulars in the statement should have been.\n\n## Compensation\n\nIf an employee or worker wins a case about another issue (for example, unauthorised deductions from their wage slip), the tribunal may award compensation if there\u2019s been a problem with their written statement as well.\n\nCompensation can be up to 4 weeks\u2019 pay although there\u2019s a limit on how much a tribunal will award for a week\u2019s pay.", + "original_contents": [ + "

    Overview

    ", + "

    All employees have an employment contract with their employer. A contract is an agreement that sets out an employee\u2019s:

    ", + "
  • employment conditions
  • ", + "
  • rights
  • ", + "
  • responsibilities
  • ", + "
  • duties
  • ", + "

    These are called the \u2018terms\u2019 of the contract.

    ", + "

    Employees and employers must stick to a contract until it ends (for example, by an employer or employee giving notice or an employee being dismissed) or until the terms are changed (usually by agreement between the employee and employer).

    ", + "

    If a person has an agreement to do some work for someone (like paint their house), this isn\u2019t an employment contract but a \u2018contract to provide services\u2019.

    ", + "

    Accepting a contract

    ", + "

    As soon as someone accepts a job offer they have a contract with their employer. An employment contract does not have to be written down.

    ", + "

    Contract terms

    ", + "

    The legal parts of a contract are known as \u2018terms\u2019. An employer should make clear which parts of a contract are legally binding.

    ", + "

    Contract terms could be:

    ", + "
  • in a written contract, or similar document like a written statement of employment
  • ", + "
  • verbally agreed
  • ", + "
  • in an employee handbook or on a company notice board
  • ", + "
  • in an offer letter from the employer
  • ", + "
  • required by law (for example, an employer must pay employees at least the National Minimum Wage)
  • ", + "
  • in collective agreements - negotiated agreements between employers and trade unions or staff associations
  • ", + "
  • implied terms - automatically part of a contract even if they\u2019re not written down
  • ", + "

    Implied terms

    ", + "

    If there\u2019s nothing clearly agreed between you and your employer about a particular issue, it may be covered by an implied term - for example:

    ", + "
  • employees not stealing from their employer
  • ", + "
  • your employer providing a safe and secure working environment
  • ", + "
  • a legal requirement like the right to a minimum of 5.6 weeks\u2019 paid holidays
  • ", + "
  • something necessary to do the job like a driver having a valid licence
  • ", + "
  • something that\u2019s been done regularly in a company over a long time like paying a Christmas bonus
  • ", + "

    Collective agreements

    ", + "

    An employer may have an agreement with employees\u2019 representatives (from trade unions or staff associations) that allows negotiations of terms and conditions like pay or working hours. This is called a collective agreement.

    ", + "

    The terms of the agreement could include:

    ", + "
  • how negotiations will be organised
  • ", + "
  • who will represent employees
  • ", + "
  • which employees are covered by the agreement
  • ", + "
  • which terms and conditions the agreement will cover
  • ", + "

    Written statement of employment particulars

    ", + "

    An employer must give employees and workers a document stating the main conditions of employment when they start work. This is known as a \u2018written statement of employment particulars\u2019. It is not an employment contract.

    ", + "

    The written statement is made up of:

    ", + "
  • the main document (known as a \u2018principal statement\u2019)
  • ", + "
  • a wider written statement
  • ", + "

    The employer must provide the principal statement on the first day of employment and the wider written statement within 2 months of the start of employment.

    ", + "

    Employers must tell employees or workers about any changes to the written statement. They must do this within one month of making the change.

    ", + "

    There are special rules for agencies on documents that they need to provide to agency workers.

    ", + "

    The principal statement

    ", + "

    The principal statement must include at least:

    ", + "
  • the employer\u2019s name
  • ", + "
  • the employee\u2019s or worker\u2019s name, job title or a description of work and start date
  • ", + "
  • how much and how often an employee or worker will get paid
  • ", + "
  • hours and days of work and if and how they may vary (also if employees or workers will have to work Sundays, nights or overtime)
  • ", + "
  • holiday entitlement (and if that includes public holidays)
  • ", + "
  • where an employee or worker will be working and whether they might have to relocate
  • ", + "
  • if an employee or worker works in different places, where these will be and what the employer\u2019s address is
  • ", + "
  • how long a job is expected to last (and what the end date is if it\u2019s a fixed-term contract)
  • ", + "
  • how long any probation period is and what its conditions are
  • ", + "
  • any other benefits (for example, childcare vouchers and lunch)
  • ", + "
  • obligatory training, whether or not this is paid for by the employer
  • ", + "

    For employees, it must also include the date that a previous job started if it counts towards a period of continuous employment.

    ", + "

    Working abroad

    ", + "

    If an employee or worker has to work outside the UK for more than a month, the principal statement must also include:

    ", + "
  • how long they\u2019ll be abroad
  • ", + "
  • what currency they\u2019ll be paid in
  • ", + "
  • what additional pay or benefits they\u2019ll get
  • ", + "
  • terms relating to their return to the UK
  • ", + "

    Other information the employer must give on day one

    ", + "

    On the first day of employment the employer must also provide the employee or worker with information about:

    ", + "
  • sick pay and procedures
  • ", + "
  • other paid leave (for example, maternity leave and paternity leave)
  • ", + "
  • notice periods
  • ", + "

    The employer can choose whether to include this information in the principal statement or provide it in a separate document. If they provide it in a separate document, this must be something that the employee or worker has reasonable access to, such as on the employer\u2019s intranet.

    ", + "

    The wider written statement

    ", + "

    Employers must give employees and workers a wider written statement within 2 months of the start of employment. This must include information about:

    ", + "
  • pensions and pension schemes
  • ", + "
  • collective agreements
  • ", + "
  • any other right to non-compulsory training provided by the employer
  • ", + "
  • disciplinary and grievance procedures
  • ", + "

    Problems with a written statement

    ", + "

    If an employee or worker has a problem receiving their written statement, they can:

    ", + "
  • Try to solve the problem with their employer informally.
  • ", + "
  • If this does not work, take out a grievance against their employer (employers can also get advice about handling grievances).
  • ", + "
  • Take a case to an employment tribunal as a last resort.
  • ", + "

    The tribunal will decide what the employment particulars in the statement should have been.

    ", + "

    Compensation

    ", + "

    If an employee or worker wins a case about another issue (for example, unauthorised deductions from their wage slip), the tribunal may award compensation if there\u2019s been a problem with their written statement as well.

    ", + "

    Compensation can be up to 4 weeks\u2019 pay although there\u2019s a limit on how much a tribunal will award for a week\u2019s pay.

    " + ] + }, + "https://www.gov.uk/employment-status": { + "url": "https://www.gov.uk/employment-status", + "title": "Employment status", + "content": "## Overview\n\nIn employment law a person\u2019s employment status helps determine:\n\n- their rights\n\n- their employer\u2019s responsibilities\n\nA person may have a different employment status in tax law.\n\nThe main types of employment status are:\n\n- worker\n\n- employee\n\n- self-employed and contractor\n\n- director\n\n- office holder\n\nContact Acas (or the Labour Relations Agency in Northern Ireland) for advice about employment status, employee rights or employer responsibilities.\n\nCourts and tribunals can make final decisions on employment status.\n\n## Worker\n\nA person is generally classed as a \u2018worker\u2019 if:\n\n- they have a contract or other arrangement to do work or services personally for a reward (your contract doesn\u2019t have to be written)\n\n- their reward is for money or a benefit in kind, for example the promise of a contract or future work\n\n- they only have a limited right to send someone else to do the work (subcontract)\n\n- they have to turn up for work even if they don\u2019t want to\n\n- their employer has to have work for them to do as long as the contract or arrangement lasts\n\n- they aren\u2019t doing the work as part of their own limited company in an arrangement where the \u2018employer\u2019 is actually a customer or client\n\n## Employment rights\n\nWorkers are entitled to certain employment rights, including:\n\n- getting the National Minimum Wage\n\n- protection against unlawful deductions from wages\n\n- the\u00a0statutory minimum level of paid holiday\n\n- the statutory minimum length of rest breaks\n\n- to not work more than 48 hours on average per week or to opt out of this right if they choose\n\n- protection against unlawful discrimination\n\n- protection for \u2018whistleblowing\u2019 - reporting wrongdoing in the workplace\n\n- to not be treated less favourably if they work part-time\n\nThey may also be entitled to:\n\n- Statutory Sick Pay\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Shared Parental Pay\n\nAgency workers have specific rights from the first day at work.\n\nWorkers usually aren\u2019t entitled to:\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\n## Casual or irregular work\n\nSomeone is likely to be a worker if most of these apply:\n\n- they occasionally do work for a specific business\n\n- the business doesn\u2019t have to offer them work and they don\u2019t have to accept it - they only work when they want to\n\n- their contract with the business uses terms like \u2018casual\u2019, \u2018freelance\u2019, \u2018zero hours\u2019, \u2018as required\u2019 or something similar\n\n- they had to agree with the business\u2019s terms and conditions to get work - either verbally or in writing\n\n- they are under the supervision or control of a manager or director\n\n- they can\u2019t send someone else to do their work\n\n- the business deducts tax and National Insurance contributions from their wages\n\n- the business provides materials, tools or equipment they need to do the work\n\n## Employee\n\nAn employee is someone who works under an employment contract.\n\nA person may be an employee in employment law but have a different status for tax purposes. Employers must work out each worker\u2019s status in both employment law and tax law.\n\n## Employment rights\n\nAll employees are workers, but an employee has extra employment rights and responsibilities that don\u2019t apply to workers who aren\u2019t employees.\n\nThese rights include all of the rights workers have and:\n\n- Statutory Sick Pay\n\n- statutory maternity, paternity, adoption and shared parental leave and pay (workers only get pay, not leave)\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\nSome of these rights require a minimum length of continuous employment before an employee qualifies for them. An employment contract may state how long this qualification period is.\n\n## Working out employment status for an employee\n\nSomeone who works for a business is probably an employee if most of the following are true:\n\n- they\u2019re required to work regularly unless they\u2019re on leave, for example holiday, sick leave or maternity leave\n\n- they\u2019re required to do a minimum number of hours and expect to be paid for time worked\n\n- a manager or supervisor is responsible for their workload, saying when a piece of work should be finished and how it should be done\n\n- they can\u2019t send someone else to do their work\n\n- they get paid holiday\n\n- they\u2019re entitled to contractual or Statutory Sick Pay, and maternity or paternity pay\n\n- they can join the business\u2019s pension scheme\n\n- the business\u2019s disciplinary and grievance procedures apply to them\n\n- they work at the business\u2019s premises or at an address specified by the business\n\n- their contract sets out redundancy procedures\n\n- the business provides the materials, tools and equipment for their work\n\n- they only work for the business or if they do have another job, it\u2019s completely different from their work for the business\n\n- their contract, statement of terms and conditions or offer letter (which can be described as an \u2018employment contract\u2019) uses terms like \u2018employer\u2019 and \u2018employee\u2019\n\nIf most of these don\u2019t apply, you should work out if the person is self-employed.\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Employee shareholders\n\nAn employee shareholder is someone who works under an employment contract and owns at least \u00a32,000 worth of shares in the employer\u2019s company or parent company.\n\n## Employment rights\n\nEmployee shareholders have most of the same employment rights as workers and employees.\n\nThey also have the right to collective redundancy consultation and transfer of undertakings (TUPE) - this protects the employee\u2019s terms and conditions when the business is transferred to a new owner.\n\nEmployee shareholders don\u2019t have these rights:\n\n- protection against unfair dismissal - apart from dismissal on grounds of discrimination and in relation to health and safety\n\n- statutory redundancy pay\n\n- the right to request flexible working - except in the 2 weeks after returning from parental leave\n\n- certain statutory rights to request time off for training\n\nEmployee shareholders must give 16 weeks notice if they want to come back early from maternity leave, additional paternity leave and adoption leave.\n\nEmployers can choose more generous employment rights than the statutory ones.\n\n## Tax relief and obligations\n\nEmployee shareholders can get tax relief on the first \u00a32,000 of shares they get before 1 December 2016.\n\nEmployee shareholders must pay tax on buying and selling shares.\n\nHM Revenue and Customs (HMRC) has further guidance on tax relief for employee shareholders.\n\n## Applying for employment shareholder jobs\n\nAnyone can apply for an employee shareholder job.\n\nPeople claiming Jobseeker\u2019s Allowance don\u2019t have to apply for an employee shareholder job that Jobcentre Plus have told them about.\n\nExisting employees don\u2019t have to accept a change to an employment contract to become an employee shareholder if they don\u2019t want to.\n\n## Offering employment shareholder status\n\nEmployers must following certain rules when offering employment shareholder status to their employees.\n\n## Self-employed and contractor\n\nA person is self-employed if they run their business for themselves and take responsibility for its success or failure.\n\nSelf-employed workers aren\u2019t paid through PAYE, and they don\u2019t have the employment rights and responsibilities of employees.\n\nSomeone can be both employed and self-employed at the same time, for example if they work for an employer during the day and run their own business in the evenings.\n\n## Employment rights\n\nEmployment law doesn\u2019t cover self-employed people in most cases because they are their own boss.\n\nHowever, if a person is self-employed:\n\n- they still have protection for their health and safety and, in some cases, protection against discrimination\n\n- their rights and responsibilities are set out by the terms of the contract they have with their client\n\n## Working out if someone is self-employed\n\nHM Revenue and Customs (HMRC) may regard someone as self-employed for tax purposes even if they have a different status in employment law.\n\nEmployers should check if a worker is self-employed in:\n\n- tax law - whether they\u2019re exempt from PAYE\n\n- employment law - whether they have an employee\u2019s rights\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Checking if they\u2019re exempt from PAYE\n\nSomeone is probably self-employed and shouldn\u2019t be paid through PAYE if most of the following are true:\n\n- they\u2019re in business for themselves, are responsible for the success or failure of their business and can make a loss or a profit\n\n- they can decide what work they do and when, where or how to do it\n\n- they can hire someone else to do the work\n\n- they\u2019re responsible for fixing any unsatisfactory work in their own time\n\n- their employer agrees a fixed price for their work - it doesn\u2019t depend on how long the job takes to finish\n\n- they use their own money to buy business assets, cover running costs, and provide tools and equipment for their work\n\n- they can work for more than one client\n\nYou can check someone\u2019s employment status:\n\n- online\n\n- by phone\n\nThere are special rules for businesses supplying workers, for example an employment agency.\n\n## Checking their employment rights\n\nSomeone is probably self-employed and doesn\u2019t have the rights of an employee if they\u2019re exempt from PAYE and most of the following are also true:\n\n- they put in bids or give quotes to get work\n\n- they\u2019re not under direct supervision when working\n\n- they submit invoices for the work they\u2019ve done\n\n- they\u2019re responsible for paying their own National Insurance and tax\n\n- they don\u2019t get holiday or sick pay when they\u2019re not working\n\n- they operate under a contract (sometimes known as a \u2018contract for services\u2019 or \u2018consultancy agreement\u2019) that uses terms like \u2018self-employed\u2019, \u2018consultant\u2019 or an \u2018independent contractor\u2019\n\n## Contractors\n\nA contractor can be:\n\n- self-employed\n\n- a worker or an employee if they work for a client and are employed by an agency\n\nThere\u2019s a special scheme for self-employed contractors and sub-contractors working in the construction industry called the Construction Industry Scheme (CIS).\n\n## If someone becomes self-employed\n\nA worker must tell HMRC if they become self-employed.\n\n## Director\n\nCompany directors run limited companies on behalf of shareholders.\n\nDirectors have different rights and responsibilities from employees, and are classed as office holders for tax and National Insurance contribution purposes.\n\nIf a person does other work that\u2019s not related to being a director, they may have an employment contract and get employment rights.\n\n## Office holder\n\nA person who\u2019s been appointed to a position by a company or organisation but doesn\u2019t have a contract or receive regular payment may be an office holder. This includes:\n\n- statutory appointments, such as registered company directors or secretaries, board members of statutory bodies, or crown appointments\n\n- appointments under the internal constitution of an organisation, such as club treasurers or trade union secretaries\n\n- appointments under a trust deed, such as trustees\n\n- ecclesiastical appointment, such as members of the clergy\n\nOffice holders are neither employees nor workers. However, it\u2019s possible for someone to be an office holder and an employee if they have an employment contract with the same company or organisation that meets the criteria for employees.\n\n## Working out employment status for an office holder\n\nSomeone is likely to be an office holder if most of these statements apply to them:\n\n- there is no contract or service agreement relating to their appointment\n\n- their duties are minimal, and are only those required under the relevant statute, constitution or trust deed\n\n- they don\u2019t get a salary or any other form of regular payment for their services\n\n- the only payment they get is a voluntary payment (honorarium), regardless of the work they do - tax and National Insurance are deducted by the appointing body\n\n- they\u2019re effectively working as an independent office, and are not under the close supervision or control of the appointing body\n\n## Legal decisions on employment status\n\nA court or employment tribunal (known as an industrial tribunal in Northern Ireland) can make a final decision on employment status for employment rights purposes. They\u2019ll look at how the employment relationship between the person and the business works in practice.\n\nHM Revenue and Customs (HMRC) may separately argue that someone is self-employed for tax purposes. This may be confirmed by the tax tribunal and the courts.\n\nAn employment tribunal or court may still make a decision that someone is a worker or employee for employment rights purposes.", + "original_contents": [ + "

    Overview

    ", + "

    In employment law a person\u2019s employment status helps determine:

    ", + "
  • their rights
  • ", + "
  • their employer\u2019s responsibilities
  • ", + "

    A person may have a different employment status in tax law.

    ", + "

    The main types of employment status are:

    ", + "
  • worker
  • ", + "
  • employee
  • ", + "
  • self-employed and contractor
  • ", + "
  • director
  • ", + "
  • office holder
  • ", + "

    Contact Acas (or the Labour Relations Agency in Northern Ireland) for advice about employment status, employee rights or employer responsibilities.

    ", + "

    Courts and tribunals can make final decisions on employment status.

    ", + "

    Worker

    ", + "

    A person is generally classed as a \u2018worker\u2019 if:

    ", + "
  • they have a contract or other arrangement to do work or services personally for a reward (your contract doesn\u2019t have to be written)
  • ", + "
  • their reward is for money or a benefit in kind, for example the promise of a contract or future work
  • ", + "
  • they only have a limited right to send someone else to do the work (subcontract)
  • ", + "
  • they have to turn up for work even if they don\u2019t want to
  • ", + "
  • their employer has to have work for them to do as long as the contract or arrangement lasts
  • ", + "
  • they aren\u2019t doing the work as part of their own limited company in an arrangement where the \u2018employer\u2019 is actually a customer or client
  • ", + "

    Employment rights

    ", + "

    Workers are entitled to certain employment rights, including:

    ", + "
  • getting the National Minimum Wage
  • ", + "
  • protection against unlawful deductions from wages
  • ", + "
  • the\u00a0statutory minimum level of paid holiday
  • ", + "
  • the statutory minimum length of rest breaks
  • ", + "
  • to not work more than 48 hours on average per week or to opt out of this right if they choose
  • ", + "
  • protection against unlawful discrimination
  • ", + "
  • protection for \u2018whistleblowing\u2019 - reporting wrongdoing in the workplace
  • ", + "
  • to not be treated less favourably if they work part-time
  • ", + "

    They may also be entitled to:

    ", + "
  • Statutory Sick Pay
  • ", + "
  • Statutory Maternity Pay
  • ", + "
  • Statutory Paternity Pay
  • ", + "
  • Statutory Adoption Pay
  • ", + "
  • Shared Parental Pay
  • ", + "

    Agency workers have specific rights from the first day at work.

    ", + "

    Workers usually aren\u2019t entitled to:

    ", + "
  • minimum notice periods if their employment will be ending, for example if an employer is dismissing them
  • ", + "
  • protection against unfair dismissal
  • ", + "
  • the right to request flexible working
  • ", + "
  • time off for emergencies
  • ", + "
  • Statutory Redundancy Pay
  • ", + "

    Casual or irregular work

    ", + "

    Someone is likely to be a worker if most of these apply:

    ", + "
  • they occasionally do work for a specific business
  • ", + "
  • the business doesn\u2019t have to offer them work and they don\u2019t have to accept it - they only work when they want to
  • ", + "
  • their contract with the business uses terms like \u2018casual\u2019, \u2018freelance\u2019, \u2018zero hours\u2019, \u2018as required\u2019 or something similar
  • ", + "
  • they had to agree with the business\u2019s terms and conditions to get work - either verbally or in writing
  • ", + "
  • they are under the supervision or control of a manager or director
  • ", + "
  • they can\u2019t send someone else to do their work
  • ", + "
  • the business deducts tax and National Insurance contributions from their wages
  • ", + "
  • the business provides materials, tools or equipment they need to do the work
  • ", + "

    Employee

    ", + "

    An employee is someone who works under an employment contract.

    ", + "

    A person may be an employee in employment law but have a different status for tax purposes. Employers must work out each worker\u2019s status in both employment law and tax law.

    ", + "

    Employment rights

    ", + "

    All employees are workers, but an employee has extra employment rights and responsibilities that don\u2019t apply to workers who aren\u2019t employees.

    ", + "

    These rights include all of the rights workers have and:

    ", + "
  • Statutory Sick Pay
  • ", + "
  • statutory maternity, paternity, adoption and shared parental leave and pay (workers only get pay, not leave)
  • ", + "
  • minimum notice periods if their employment will be ending, for example if an employer is dismissing them
  • ", + "
  • protection against unfair dismissal
  • ", + "
  • the right to request flexible working
  • ", + "
  • time off for emergencies
  • ", + "
  • Statutory Redundancy Pay
  • ", + "

    Some of these rights require a minimum length of continuous employment before an employee qualifies for them. An employment contract may state how long this qualification period is.

    ", + "

    Working out employment status for an employee

    ", + "

    Someone who works for a business is probably an employee if most of the following are true:

    ", + "
  • they\u2019re required to work regularly unless they\u2019re on leave, for example holiday, sick leave or maternity leave
  • ", + "
  • they\u2019re required to do a minimum number of hours and expect to be paid for time worked
  • ", + "
  • a manager or supervisor is responsible for their workload, saying when a piece of work should be finished and how it should be done
  • ", + "
  • they can\u2019t send someone else to do their work
  • ", + "
  • they get paid holiday
  • ", + "
  • they\u2019re entitled to contractual or Statutory Sick Pay, and maternity or paternity pay
  • ", + "
  • they can join the business\u2019s pension scheme
  • ", + "
  • the business\u2019s disciplinary and grievance procedures apply to them
  • ", + "
  • they work at the business\u2019s premises or at an address specified by the business
  • ", + "
  • their contract sets out redundancy procedures
  • ", + "
  • the business provides the materials, tools and equipment for their work
  • ", + "
  • they only work for the business or if they do have another job, it\u2019s completely different from their work for the business
  • ", + "
  • their contract, statement of terms and conditions or offer letter (which can be described as an \u2018employment contract\u2019) uses terms like \u2018employer\u2019 and \u2018employee\u2019
  • ", + "

    If most of these don\u2019t apply, you should work out if the person is self-employed.

    ", + "

    Individuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.

    ", + "

    Employee shareholders

    ", + "

    An employee shareholder is someone who works under an employment contract and owns at least \u00a32,000 worth of shares in the employer\u2019s company or parent company.

    ", + "

    Employment rights

    ", + "

    Employee shareholders have most of the same employment rights as workers and employees.

    ", + "

    They also have the right to collective redundancy consultation and transfer of undertakings (TUPE) - this protects the employee\u2019s terms and conditions when the business is transferred to a new owner.

    ", + "

    Employee shareholders don\u2019t have these rights:

    ", + "
  • protection against unfair dismissal - apart from dismissal on grounds of discrimination and in relation to health and safety
  • ", + "
  • statutory redundancy pay
  • ", + "
  • the right to request flexible working - except in the 2 weeks after returning from parental leave
  • ", + "
  • certain statutory rights to request time off for training
  • ", + "

    Employee shareholders must give 16 weeks notice if they want to come back early from maternity leave, additional paternity leave and adoption leave.

    ", + "

    Employers can choose more generous employment rights than the statutory ones.

    ", + "

    Tax relief and obligations

    ", + "

    Employee shareholders can get tax relief on the first \u00a32,000 of shares they get before 1 December 2016.

    ", + "

    Employee shareholders must pay tax on buying and selling shares.

    ", + "

    HM Revenue and Customs (HMRC) has further guidance on tax relief for employee shareholders.

    ", + "

    Applying for employment shareholder jobs

    ", + "

    Anyone can apply for an employee shareholder job.

    ", + "

    People claiming Jobseeker\u2019s Allowance don\u2019t have to apply for an employee shareholder job that Jobcentre Plus have told them about.

    ", + "

    Existing employees don\u2019t have to accept a change to an employment contract to become an employee shareholder if they don\u2019t want to.

    ", + "

    Offering employment shareholder status

    ", + "

    Employers must following certain rules when offering employment shareholder status to their employees.

    ", + "

    Self-employed and contractor

    ", + "

    A person is self-employed if they run their business for themselves and take responsibility for its success or failure.

    ", + "

    Self-employed workers aren\u2019t paid through PAYE, and they don\u2019t have the employment rights and responsibilities of employees.

    ", + "

    Someone can be both employed and self-employed at the same time, for example if they work for an employer during the day and run their own business in the evenings.

    ", + "

    Employment rights

    ", + "

    Employment law doesn\u2019t cover self-employed people in most cases because they are their own boss.

    ", + "

    However, if a person is self-employed:

    ", + "
  • they still have protection for their health and safety and, in some cases, protection against discrimination
  • ", + "
  • their rights and responsibilities are set out by the terms of the contract they have with their client
  • ", + "

    Working out if someone is self-employed

    ", + "

    HM Revenue and Customs (HMRC) may regard someone as self-employed for tax purposes even if they have a different status in employment law.

    ", + "

    Employers should check if a worker is self-employed in:

    ", + "
  • tax law - whether they\u2019re exempt from PAYE
  • ", + "
  • employment law - whether they have an employee\u2019s rights
  • ", + "

    Individuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.

    ", + "

    Checking if they\u2019re exempt from PAYE

    ", + "

    Someone is probably self-employed and shouldn\u2019t be paid through PAYE if most of the following are true:

    ", + "
  • they\u2019re in business for themselves, are responsible for the success or failure of their business and can make a loss or a profit
  • ", + "
  • they can decide what work they do and when, where or how to do it
  • ", + "
  • they can hire someone else to do the work
  • ", + "
  • they\u2019re responsible for fixing any unsatisfactory work in their own time
  • ", + "
  • their employer agrees a fixed price for their work - it doesn\u2019t depend on how long the job takes to finish
  • ", + "
  • they use their own money to buy business assets, cover running costs, and provide tools and equipment for their work
  • ", + "
  • they can work for more than one client
  • ", + "

    You can check someone\u2019s employment status:

    ", + "
  • online
  • ", + "
  • by phone
  • ", + "

    There are special rules for businesses supplying workers, for example an employment agency.

    ", + "

    Checking their employment rights

    ", + "

    Someone is probably self-employed and doesn\u2019t have the rights of an employee if they\u2019re exempt from PAYE and most of the following are also true:

    ", + "
  • they put in bids or give quotes to get work
  • ", + "
  • they\u2019re not under direct supervision when working
  • ", + "
  • they submit invoices for the work they\u2019ve done
  • ", + "
  • they\u2019re responsible for paying their own National Insurance and tax
  • ", + "
  • they don\u2019t get holiday or sick pay when they\u2019re not working
  • ", + "
  • they operate under a contract (sometimes known as a \u2018contract for services\u2019 or \u2018consultancy agreement\u2019) that uses terms like \u2018self-employed\u2019, \u2018consultant\u2019 or an \u2018independent contractor\u2019
  • ", + "

    Contractors

    ", + "

    A contractor can be:

    ", + "
  • self-employed
  • ", + "
  • a worker or an employee if they work for a client and are employed by an agency
  • ", + "

    There\u2019s a special scheme for self-employed contractors and sub-contractors working in the construction industry called the Construction Industry Scheme (CIS).

    ", + "

    If someone becomes self-employed

    ", + "

    A worker must tell HMRC if they become self-employed.

    ", + "

    Director

    ", + "

    Company directors run limited companies on behalf of shareholders.

    ", + "

    Directors have different rights and responsibilities from employees, and are classed as office holders for tax and National Insurance contribution purposes.

    ", + "

    If a person does other work that\u2019s not related to being a director, they may have an employment contract and get employment rights.

    ", + "

    Office holder

    ", + "

    A person who\u2019s been appointed to a position by a company or organisation but doesn\u2019t have a contract or receive regular payment may be an office holder. This includes:

    ", + "
  • statutory appointments, such as registered company directors or secretaries, board members of statutory bodies, or crown appointments
  • ", + "
  • appointments under the internal constitution of an organisation, such as club treasurers or trade union secretaries
  • ", + "
  • appointments under a trust deed, such as trustees
  • ", + "
  • ecclesiastical appointment, such as members of the clergy
  • ", + "

    Office holders are neither employees nor workers. However, it\u2019s possible for someone to be an office holder and an employee if they have an employment contract with the same company or organisation that meets the criteria for employees.

    ", + "

    Working out employment status for an office holder

    ", + "

    Someone is likely to be an office holder if most of these statements apply to them:

    ", + "
  • there is no contract or service agreement relating to their appointment
  • ", + "
  • their duties are minimal, and are only those required under the relevant statute, constitution or trust deed
  • ", + "
  • they don\u2019t get a salary or any other form of regular payment for their services
  • ", + "
  • the only payment they get is a voluntary payment (honorarium), regardless of the work they do - tax and National Insurance are deducted by the appointing body
  • ", + "
  • they\u2019re effectively working as an independent office, and are not under the close supervision or control of the appointing body
  • ", + "

    Legal decisions on employment status

    ", + "

    A court or employment tribunal (known as an industrial tribunal in Northern Ireland) can make a final decision on employment status for employment rights purposes. They\u2019ll look at how the employment relationship between the person and the business works in practice.

    ", + "

    HM Revenue and Customs (HMRC) may separately argue that someone is self-employed for tax purposes. This may be confirmed by the tax tribunal and the courts.

    ", + "

    An employment tribunal or court may still make a decision that someone is a worker or employee for employment rights purposes.

    " + ] + }, + "https://www.gov.uk/fixed-term-contracts": { + "url": "https://www.gov.uk/fixed-term-contracts", + "title": "Fixed-term employment contracts", + "content": "## What counts as a fixed-term contract\n\nEmployees are on a fixed-term contract if both of the following apply:\n\n- they have an employment contract with the organisation they work for\n\n- their contract ends on a particular date, or on completion of a specific task, eg a project\n\nWorkers don\u2019t count as fixed-term employees if they:\n\n- have a contract with an agency rather than the company they\u2019re working for\n\n- are a student or trainee on a work-experience placement\n\n- are working under a \u2018contract of apprenticeship\u2019\n\n- are a member of the armed forces\n\nThey may be a fixed-term employee if they\u2019re:\n\n- a seasonal or casual employee taken on for up to 6 months during a peak period\n\n- a specialist employee for a project\n\n- covering for maternity leave\n\n## Employees' rights\n\nEmployers must not treat workers on fixed-term contracts less favourably than permanent employees doing the same or largely the same job, unless the employer can show that there is a good business reason to do so.\n\nThis is known as \u2018objective justification\u2019.\n\nEmployers must also ensure that fixed-term employees get:\n\n- the same pay and conditions as permanent staff\n\n- the same or equivalent benefits package\n\n- information about permanent vacancies in the organisation\n\n- protection against redundancy or dismissal\n\nHowever, they\u2019re only entitled to the same rights as permanent staff working for the same employer, and not an associated employer\u2019s organisation.\n\nAnyone who\u2019s worked continually for the same employer for 2 years or more has the same redundancy rights as a permanent employee.\n\n## Workplace disputes\n\nWorkers on fixed-term contracts should try to sort out any concerns they have with their manager.\n\nIf they\u2019re still not satisfied, they can ask their employer for a written statement explaining their treatment, or complain using the employer\u2019s grievance procedure.\n\nTheir final option is to make a claim to an employment tribunal.\n\n## Renewing or ending a fixed-term contract\n\n## Ending a fixed-term contract\n\nFixed-term contracts will normally end automatically when they reach the agreed end date. The employer doesn\u2019t have to give any notice.\n\n## If a contract isn\u2019t renewed\n\nThis is considered to be a dismissal, and if the employee has 2 years\u2019 service the employer needs to show that there\u2019s a \u2018fair\u2019 reason for not renewing the contract (eg, if they were planning to stop doing the work the contract was for).\n\nWorkers have the right:\n\n- not to be unfairly dismissed after 2 years\u2019 service - for employees who were in employment before 6 April 2012, it\u2019s 1 year\u2019s service\n\n- to a written statement of reasons for not renewing the contract - after 1 year\u2019s service\n\nThey may be entitled to statutory redundancy payments after 2 years\u2019 service if the reason for non-renewal is redundancy.\n\n## If the employer wants to end the contract earlier\n\nWhat happens depends on the terms of the contract. If it says:\n\n- nothing about being ended early, the employer may be in breach of contract\n\n- it can be ended early, and the employer has given proper notice, the contract can be ended\n\n## Minimum notice period\n\nFixed-term employees have the right to a minimum notice period of:\n\n- 1 week if they\u2019ve worked continuously for at least 1 month\n\n- 1 week for each year they\u2019ve worked, if they\u2019ve worked continuously for 2 years or more\n\nThese are the minimum periods. The contract may specify a longer notice period.\n\nIf an employer ends a contract without giving the proper notice, the employee may be able to claim breach of contract.\n\n## Working longer than the contract\u2019s end date\n\nIf an employee continues working past the end of a contract without it being formally renewed, there\u2019s an \u2018implied agreement\u2019 by the employer that the end date has changed.\n\nThe employer still needs to give proper notice if they want to dismiss the worker.\n\n## The limit on renewing a fixed-term contract\n\nAny employee on fixed-term contracts for 4 or more years will automatically become a permanent employee, unless the employer can show there is a good business reason not to do so.\n\nHowever, an employer and unions (or a staff association) may make a collective agreement that removes the automatic right to become a permanent employee in these circumstances.\n\n## Renewing a fixed-term contract on less favourable terms\n\nIf an employer wants to do this, the employee can negotiate with them to reach an agreement.\n\nIf the contract ends and they have been unable to reach an agreement, the employee may be able to claim unfair dismissal.\n\n## Ending the contract early\n\nEmployees must hand in their notice 1 week in advance if they\u2019ve worked for an employer for a month or more. The contract may state that they need to give more notice.", + "original_contents": [ + "

    What counts as a fixed-term contract

    ", + "

    Employees are on a fixed-term contract if both of the following apply:

    ", + "
  • they have an employment contract with the organisation they work for
  • ", + "
  • their contract ends on a particular date, or on completion of a specific task, eg a project
  • ", + "

    Workers don\u2019t count as fixed-term employees if they:

    ", + "
  • have a contract with an agency rather than the company they\u2019re working for
  • ", + "
  • are a student or trainee on a work-experience placement
  • ", + "
  • are working under a \u2018contract of apprenticeship\u2019
  • ", + "
  • are a member of the armed forces
  • ", + "

    They may be a fixed-term employee if they\u2019re:

    ", + "
  • a seasonal or casual employee taken on for up to 6 months during a peak period
  • ", + "
  • a specialist employee for a project
  • ", + "
  • covering for maternity leave
  • ", + "

    Employees' rights

    ", + "

    Employers must not treat workers on fixed-term contracts less favourably than permanent employees doing the same or largely the same job, unless the employer can show that there is a good business reason to do so.

    ", + "

    This is known as \u2018objective justification\u2019.

    ", + "

    Employers must also ensure that fixed-term employees get:

    ", + "
  • the same pay and conditions as permanent staff
  • ", + "
  • the same or equivalent benefits package
  • ", + "
  • information about permanent vacancies in the organisation
  • ", + "
  • protection against redundancy or dismissal
  • ", + "

    However, they\u2019re only entitled to the same rights as permanent staff working for the same employer, and not an associated employer\u2019s organisation.

    ", + "

    Anyone who\u2019s worked continually for the same employer for 2 years or more has the same redundancy rights as a permanent employee.

    ", + "

    Workplace disputes

    ", + "

    Workers on fixed-term contracts should try to sort out any concerns they have with their manager.

    ", + "

    If they\u2019re still not satisfied, they can ask their employer for a written statement explaining their treatment, or complain using the employer\u2019s grievance procedure.

    ", + "

    Their final option is to make a claim to an employment tribunal.

    ", + "

    Renewing or ending a fixed-term contract

    ", + "

    Ending a fixed-term contract

    ", + "

    Fixed-term contracts will normally end automatically when they reach the agreed end date. The employer doesn\u2019t have to give any notice.

    ", + "

    If a contract isn\u2019t renewed

    ", + "

    This is considered to be a dismissal, and if the employee has 2 years\u2019 service the employer needs to show that there\u2019s a \u2018fair\u2019 reason for not renewing the contract (eg, if they were planning to stop doing the work the contract was for).

    ", + "

    Workers have the right:

    ", + "
  • not to be unfairly dismissed after 2 years\u2019 service - for employees who were in employment before 6 April 2012, it\u2019s 1 year\u2019s service
  • ", + "
  • to a written statement of reasons for not renewing the contract - after 1 year\u2019s service
  • ", + "

    They may be entitled to statutory redundancy payments after 2 years\u2019 service if the reason for non-renewal is redundancy.

    ", + "

    If the employer wants to end the contract earlier

    ", + "

    What happens depends on the terms of the contract. If it says:

    ", + "
  • nothing about being ended early, the employer may be in breach of contract
  • ", + "
  • it can be ended early, and the employer has given proper notice, the contract can be ended
  • ", + "

    Minimum notice period

    ", + "

    Fixed-term employees have the right to a minimum notice period of:

    ", + "
  • 1 week if they\u2019ve worked continuously for at least 1 month
  • ", + "
  • 1 week for each year they\u2019ve worked, if they\u2019ve worked continuously for 2 years or more
  • ", + "

    These are the minimum periods. The contract may specify a longer notice period.

    ", + "

    If an employer ends a contract without giving the proper notice, the employee may be able to claim breach of contract.

    ", + "

    Working longer than the contract\u2019s end date

    ", + "

    If an employee continues working past the end of a contract without it being formally renewed, there\u2019s an \u2018implied agreement\u2019 by the employer that the end date has changed.

    ", + "

    The employer still needs to give proper notice if they want to dismiss the worker.

    ", + "

    The limit on renewing a fixed-term contract

    ", + "

    Any employee on fixed-term contracts for 4 or more years will automatically become a permanent employee, unless the employer can show there is a good business reason not to do so.

    ", + "

    However, an employer and unions (or a staff association) may make a collective agreement that removes the automatic right to become a permanent employee in these circumstances.

    ", + "

    Renewing a fixed-term contract on less favourable terms

    ", + "

    If an employer wants to do this, the employee can negotiate with them to reach an agreement.

    ", + "

    If the contract ends and they have been unable to reach an agreement, the employee may be able to claim unfair dismissal.

    ", + "

    Ending the contract early

    ", + "

    Employees must hand in their notice 1 week in advance if they\u2019ve worked for an employer for a month or more. The contract may state that they need to give more notice.

    " + ] + }, + "https://www.gov.uk/flexible-working": { + "url": "https://www.gov.uk/flexible-working", + "title": "Flexible working", + "content": "## Overview\n\nFlexible working is a way of working that suits an employee\u2019s needs, for example having flexible start and finish times, or working from home.\n\nFlexible working rules are different in Northern Ireland.\n\nAll employees have the legal right to request flexible working - not just parents and carers.\n\nThis is known as \u2018making a statutory application\u2019.\n\nEmployees must have worked for the same employer for at least 26 weeks to be eligible.\n\n## What employers must do\n\nEmployers must deal with requests in a \u2018reasonable manner\u2019.\n\nExamples of handling requests in a reasonable manner include:\n\n- assessing the advantages and disadvantages of the application\n\n- holding a meeting to discuss the request with the employee\n\n- offering an appeal process\n\nIf an employer does not handle a request in a reasonable manner, the employee can take them to an employment tribunal.\n\nAn employer can refuse an application if they have a good business reason for doing so.\n\n## Types of flexible working\n\nThere are different ways of working flexibly.\n\n## Job sharing\n\nTwo people do one job and split the hours.\n\n## Working from home\n\nIt might be possible to do some or all of the work from home or anywhere else other than the normal place of work.\n\n## Part time\n\nWorking less than full-time hours (usually by working fewer days).\n\n## Compressed hours\n\nWorking full-time hours but over fewer days.\n\n## Flexitime\n\nThe employee chooses when to start and end work (within agreed limits) but works certain \u2018core hours\u2019, for example 10am to 4pm every day.\n\n## Annualised hours\n\nThe employee has to work a certain number of hours over the year but they have some flexibility about when they work. There are sometimes \u2018core hours\u2019 which the employee regularly works each week, and they work the rest of their hours flexibly or when there\u2019s extra demand at work.\n\n## Staggered hours\n\nThe employee has different start, finish and break times from other workers.\n\n## Phased retirement\n\nDefault retirement age has been phased out and older workers can choose when they want to retire. This means they can reduce their hours and work part time.\n\n## Applying for flexible working\n\nEmployees can apply for flexible working if they\u2019ve worked continuously for the same employer for the last 26 weeks. It\u2019s known as \u2018making a statutory application.\u2019\n\nThe basic steps are:\n\n- The employee writes to the employer.\n\n- The employer considers the request and makes a decision within 3 months - or longer if agreed with the employee.\n\n- If the employer agrees to the request, they must change the terms and conditions in the employee\u2019s contract.\n\n- If the employer disagrees, they must write to the employee giving the business reasons for the refusal. The employee may be able to complain to an employment tribunal.\n\nEmployees can only make one application for flexible working a year.\n\n## Writing to the employer\n\nAn employee should email or write a letter to their employer.\n\nEmployers may ask employees to use a standard form to make an application.\n\n## What the email or letter must include\n\nThe application must include:\n\n- the date\n\n- a statement that this is a statutory request\n\n- details of how the employee wants to work flexibly and when they want to start\n\n- an explanation of how they think flexible working might affect the business and how this could be dealt with, for example if they\u2019re not at work on certain days\n\n- a statement saying if and when they\u2019ve made a previous application\n\n## Withdrawing an application\n\nEmployees should tell their employer in writing if they want to withdraw their application.\n\nThe employer can treat an application as withdrawn if the employee misses 2 meetings to discuss an application or appeal without good reason, for example sickness.\n\nThe employer must tell the employee they are treating the request as withdrawn.\n\n## After the application\n\nEmployers must consider flexible working requests in a \u2018reasonable manner\u2019.\n\nThey should usually make a decision within 3 months of the request (or longer if agreed with the employee).\n\n## Agreeing the application\n\nThe employer should write to the employee with:\n\n- a statement of the agreed changes\n\n- a start date for flexible working\n\nThey should also change the employee\u2019s contract to include the new terms and conditions.\n\nThis should be done as soon as possible but no later than 28 days after the request was approved.\n\n## Rejecting an application\n\nThe employer must tell the employee that they\u2019ve rejected the application.\n\n## Reasons for rejecting\n\nEmployers can reject an application for any of the following reasons:\n\n- extra costs that will damage the business\n\n- the work cannot be reorganised among other staff\n\n- people cannot be recruited to do the work\n\n- flexible working will affect quality and performance\n\n- the business will not be able to meet customer demand\n\n- there\u2019s a lack of work to do during the proposed working times\n\n- the business is planning changes to the workforce\n\n## Appeals\n\nEmployees no longer have a statutory right to an appeal.\n\nBut offering an appeals process helps to demonstrate that the employer is handling requests in a \u2018reasonable manner\u2019.\n\n## How to appeal\n\nThe employee must follow the company\u2019s procedures for appealing.\n\nThe employee or employer should follow the company\u2019s procedures for solving a workplace dispute if a rejected application causes problems.\n\n## Going to an employment tribunal\n\nEmployees can complain to an employment tribunal if the employer:\n\n- did not handle the request in a \u2018reasonable manner\u2019\n\n- wrongly treated the employee\u2019s application as withdrawn\n\n- dismissed or treated an employee poorly because of their flexible working request, for example refused a promotion or pay rise\n\n- rejected an application based on incorrect facts\n\nEmployees cannot complain to a tribunal just because their flexible working request was rejected.\n\nAn employee should complain to the tribunal within 3 months of:\n\n- hearing their employer\u2019s decision\n\n- hearing their request was treated as withdrawn\n\n- the date the employer should have responded to their request (but failed to do so)\n\nIf an employer or employee is unsure of their rights, they should get legal advice.", + "original_contents": [ + "

    Overview

    ", + "

    Flexible working is a way of working that suits an employee\u2019s needs, for example having flexible start and finish times, or working from home.

    ", + "

    Flexible working rules are different in Northern Ireland.

    ", + "

    All employees have the legal right to request flexible working - not just parents and carers.

    ", + "

    This is known as \u2018making a statutory application\u2019.

    ", + "

    Employees must have worked for the same employer for at least 26 weeks to be eligible.

    ", + "

    What employers must do

    ", + "

    Employers must deal with requests in a \u2018reasonable manner\u2019.

    ", + "

    Examples of handling requests in a reasonable manner include:

    ", + "
  • assessing the advantages and disadvantages of the application
  • ", + "
  • holding a meeting to discuss the request with the employee
  • ", + "
  • offering an appeal process
  • ", + "

    If an employer does not handle a request in a reasonable manner, the employee can take them to an employment tribunal.

    ", + "

    An employer can refuse an application if they have a good business reason for doing so.

    ", + "

    Types of flexible working

    ", + "

    There are different ways of working flexibly.

    ", + "

    Job sharing

    ", + "

    Two people do one job and split the hours.

    ", + "

    Working from home

    ", + "

    It might be possible to do some or all of the work from home or anywhere else other than the normal place of work.

    ", + "

    Part time

    ", + "

    Working less than full-time hours (usually by working fewer days).

    ", + "

    Compressed hours

    ", + "

    Working full-time hours but over fewer days.

    ", + "

    Flexitime

    ", + "

    The employee chooses when to start and end work (within agreed limits) but works certain \u2018core hours\u2019, for example 10am to 4pm every day.

    ", + "

    Annualised hours

    ", + "

    The employee has to work a certain number of hours over the year but they have some flexibility about when they work. There are sometimes \u2018core hours\u2019 which the employee regularly works each week, and they work the rest of their hours flexibly or when there\u2019s extra demand at work.

    ", + "

    Staggered hours

    ", + "

    The employee has different start, finish and break times from other workers.

    ", + "

    Phased retirement

    ", + "

    Default retirement age has been phased out and older workers can choose when they want to retire. This means they can reduce their hours and work part time.

    ", + "

    Applying for flexible working

    ", + "

    Employees can apply for flexible working if they\u2019ve worked continuously for the same employer for the last 26 weeks. It\u2019s known as \u2018making a statutory application.\u2019

    ", + "

    The basic steps are:

    ", + "
  • The employee writes to the employer.
  • ", + "
  • The employer considers the request and makes a decision within 3 months - or longer if agreed with the employee.
  • ", + "
  • If the employer agrees to the request, they must change the terms and conditions in the employee\u2019s contract.
  • ", + "
  • If the employer disagrees, they must write to the employee giving the business reasons for the refusal. The employee may be able to complain to an employment tribunal.
  • ", + "

    Employees can only make one application for flexible working a year.

    ", + "

    Writing to the employer

    ", + "

    An employee should email or write a letter to their employer.

    ", + "

    Employers may ask employees to use a standard form to make an application.

    ", + "

    What the email or letter must include

    ", + "

    The application must include:

    ", + "
  • the date
  • ", + "
  • a statement that this is a statutory request
  • ", + "
  • details of how the employee wants to work flexibly and when they want to start
  • ", + "
  • an explanation of how they think flexible working might affect the business and how this could be dealt with, for example if they\u2019re not at work on certain days
  • ", + "
  • a statement saying if and when they\u2019ve made a previous application
  • ", + "

    Withdrawing an application

    ", + "

    Employees should tell their employer in writing if they want to withdraw their application.

    ", + "

    The employer can treat an application as withdrawn if the employee misses 2 meetings to discuss an application or appeal without good reason, for example sickness.

    ", + "

    The employer must tell the employee they are treating the request as withdrawn.

    ", + "

    After the application

    ", + "

    Employers must consider flexible working requests in a \u2018reasonable manner\u2019.

    ", + "

    They should usually make a decision within 3 months of the request (or longer if agreed with the employee).

    ", + "

    Agreeing the application

    ", + "

    The employer should write to the employee with:

    ", + "
  • a statement of the agreed changes
  • ", + "
  • a start date for flexible working
  • ", + "

    They should also change the employee\u2019s contract to include the new terms and conditions.

    ", + "

    This should be done as soon as possible but no later than 28 days after the request was approved.

    ", + "

    Rejecting an application

    ", + "

    The employer must tell the employee that they\u2019ve rejected the application.

    ", + "

    Reasons for rejecting

    ", + "

    Employers can reject an application for any of the following reasons:

    ", + "
  • extra costs that will damage the business
  • ", + "
  • the work cannot be reorganised among other staff
  • ", + "
  • people cannot be recruited to do the work
  • ", + "
  • flexible working will affect quality and performance
  • ", + "
  • the business will not be able to meet customer demand
  • ", + "
  • there\u2019s a lack of work to do during the proposed working times
  • ", + "
  • the business is planning changes to the workforce
  • ", + "

    Appeals

    ", + "

    Employees no longer have a statutory right to an appeal.

    ", + "

    But offering an appeals process helps to demonstrate that the employer is handling requests in a \u2018reasonable manner\u2019.

    ", + "

    How to appeal

    ", + "

    The employee must follow the company\u2019s procedures for appealing.

    ", + "

    The employee or employer should follow the company\u2019s procedures for solving a workplace dispute if a rejected application causes problems.

    ", + "

    Going to an employment tribunal

    ", + "

    Employees can complain to an employment tribunal if the employer:

    ", + "
  • did not handle the request in a \u2018reasonable manner\u2019
  • ", + "
  • wrongly treated the employee\u2019s application as withdrawn
  • ", + "
  • dismissed or treated an employee poorly because of their flexible working request, for example refused a promotion or pay rise
  • ", + "
  • rejected an application based on incorrect facts
  • ", + "

    Employees cannot complain to a tribunal just because their flexible working request was rejected.

    ", + "

    An employee should complain to the tribunal within 3 months of:

    ", + "
  • hearing their employer\u2019s decision
  • ", + "
  • hearing their request was treated as withdrawn
  • ", + "
  • the date the employer should have responded to their request (but failed to do so)
  • ", + "

    If an employer or employee is unsure of their rights, they should get legal advice.

    " + ] + }, + "https://www.gov.uk/holiday-entitlement-rights": { + "url": "https://www.gov.uk/holiday-entitlement-rights", + "title": "Holiday entitlement", + "content": "## Entitlement\n\nAlmost all workers are legally entitled to 5.6 weeks\u2019 paid holiday a year (known as statutory leave entitlement or annual leave).\n\nThis includes:\n\n- agency workers\n\n- workers with irregular hours\n\n- workers on zero-hours contracts\n\nAn employer can include bank holidays as part of statutory annual leave.\n\nCoronavirus (COVID-19) does not affect workers\u2019 entitlement to holiday pay and leave, except for carrying over leave.\n\n## Statutory annual leave entitlement\n\nMost workers who work a 5-day week must receive at least 28 days\u2019 paid annual leave a year. This is the equivalent of 5.6 weeks of holiday.\n\n## Working part-time\n\nPart-time workers are entitled to at least 5.6 weeks\u2019 paid holiday, but this will amount to fewer than 28 days.\n\nFor example, if they work 3 days a week, they must get at least 16.8 days\u2019 leave a year (3 \u00d7 5.6).\n\nUse the holiday entitlement calculator to work out a part-time worker\u2019s leave.\n\n## Irregular hours\n\nPeople working irregular hours (like shift workers or term-time workers) are entitled to paid time off for every hour they work.\n\nThey might find it helpful to get an estimate of holiday entitlement by calculating leave based on days or hours worked in an average week.\n\n## Limits on statutory leave\n\nStatutory paid holiday entitlement is limited to 28 days. For example, staff working 6 days a week are only entitled to 28 days\u2019 paid holiday.\n\n## Bank holidays\n\nBank or public holidays do not have to be given as paid leave.\n\nAn employer can choose to include bank holidays as part of a worker\u2019s statutory annual leave.\n\n## Extra leave\n\nAn employer can choose to offer more leave than the legal minimum. They do not have to apply all the rules that apply to statutory leave to the extra leave. For example, a worker might need to be employed for a certain amount of time before they become entitled to it.\n\n## Other aspects of holiday entitlement\n\nWorkers have the right to:\n\n- get paid for leave\n\n- build up (\u2018accrue\u2019) holiday entitlement during maternity, paternity and adoption leave\n\n- build up holiday entitlement while off work sick\n\n- request holiday at the same time as sick leave\n\n## Disputes\n\nPaid annual leave is a legal right that an employer must provide. If a worker thinks their right to leave and pay are not being met there are a number of ways to resolve the dispute.\n\n## Calculate leave entitlement\n\nAnnual leave begins to build up (\u2018accrue\u2019) as soon as a worker starts their job.\n\nAn employer can use a \u2018leave year\u2019 or an \u2018accrual\u2019 system to work out how much leave their staff should get.\n\nUse the holiday entitlement calculator to work out how much leave someone should get.\n\n## Leave year\n\nAn employer should tell their staff the dates of their statutory leave year as soon as they start working, for example, it might run from 1 January to 31 December.\n\nWorkers must take their statutory leave during this time. If a leave year is not set out in a contract then it will start:\n\n- on the first day of a new job (if started after 1 October 1998)\n\n- on 1 October (if started on or before 1 October 1998)\n\nThe leave year and holiday entitlement is not affected by maternity, paternity or adoption leave. The employee still builds up (\u2018accrues\u2019) holiday over these periods.\n\n## Leave entitlement when starting a new job\n\nIf a worker starts their job part-way through a leave year, they\u2019re only entitled to part of their total annual leave for the current leave year. What they get depends on how much of the year is left.\n\nUse the holiday entitlement calculator to work out how much leave someone has left.\n\n## Accrual system\n\nAn employer can use an accrual system to work out a worker\u2019s leave during the first year of the job. Under this system, a worker gets one-twelfth of their leave in each month.\n\n## Carrying over leave\n\nThe worker\u2019s contract says how many days\u2019 leave they can carry over into the next year.\n\nIf a worker gets 28 days\u2019 leave, they can carry over a maximum of 8 days.\n\nIf a worker gets more than 28 days\u2019 leave, their employer may allow them to carry over any additional untaken leave. Check the employment contract, company handbook or intranet to see what the rules say.\n\n## Leave affected by coronavirus (COVID-19)\n\nWorkers may be able to carry over untaken leave into the next 2 years if they cannot take it because their work is affected by coronavirus.\n\nThey could do this if, for example:\n\n- they need to provide cover for their co-workers and have no other opportunity to take holiday in their leave year\n\n- there will be staff shortages if too many workers take their leave before the end of the leave year\n\n- they\u2019re classed as critical workers, such as healthcare or supermarket workers\n\nIf a worker is able to take leave, the standard rules for carrying over leave still apply.\n\n## Workers on parental or sick leave\n\nIf a worker cannot take all of their leave entitlement because they\u2019re already on a different type of leave (for example sick, maternity or parental leave), they can carry over some or all of the untaken leave into the next leave year.\n\nAn employer must allow a worker to carry over a maximum of 20 of their 28 days\u2019 leave entitlement if the worker could not take annual leave because they were off sick.\n\n## Holiday pay\n\nWorkers are entitled to a week\u2019s pay for each week of statutory leave that they take.\n\nMost workers are entitled to 5.6 weeks\u2019 paid holiday a year. You can use the holiday calculator to work out how much leave someone should get.\n\nA week\u2019s pay is worked out according to the kind of hours someone works and how they\u2019re paid for the hours. This includes full-time, part-time, term-time and casual workers.\n\n| Working pattern | How a week\u2019s pay is calculated |\n\n| Fixed hours and fixed pay (full- or part-time) | A worker\u2019s pay for a week |\n\n| Shift work with fixed hours (full- or part-time) | The average number of weekly fixed hours a worker has worked in the previous 52 weeks, at their average hourly rate |\n\n| No fixed hours (casual work, including zero-hours contracts) | A worker\u2019s average pay from the previous 52 weeks (only counting weeks in which they were paid) |\n\n## Calculating average hourly or weekly rate\n\nTo calculate average hourly rate, only the hours worked and how much was paid for them should be counted. Take the average rate over the last 52 weeks.\n\nA \u2018week\u2019 usually runs from Sunday to Saturday. Only use another 7-day period (like Thursday to Wednesday) if that\u2019s how a worker\u2019s pay is calculated.\n\nIf no pay was paid in any week, count back another week so the rate is based on 52 weeks in which pay was paid. You can count back a maximum of 104 weeks to find these.\n\nIf a worker has less than 52 weeks of pay, use the average pay rate for the full weeks they have worked.\n\n## Workers who are paid monthly\n\nTo work out a week\u2019s pay for someone who\u2019s paid monthly:\n\n- Calculate the worker\u2019s average hourly pay for the last month. Do this by dividing the month\u2019s pay by the number of hours worked in the month.\n\n- Calculate the weekly pay. Do this by multiplying the average hourly pay by the number of hours worked in a week.\n\nUse the weekly pay calculation for each of the last 52 weeks to work out an average week\u2019s pay.\n\n## Rolled-up holiday pay\n\nHoliday pay should be paid for the time when annual leave is taken. An employer cannot include an amount for holiday pay in the hourly rate (known as \u2018rolled-up holiday pay\u2019).\n\nIf a current contract still includes rolled-up pay, it needs to be re-negotiated.\n\n## More information\n\nThere\u2019s guidance for calculating holiday pay for workers without fixed hours or pay, which includes several examples.\n\nYou can also contact the Advisory, Conciliation and Arbitration Service (Acas) with questions about general holiday pay issues.\n\n## Booking time off\n\nThe general notice period for taking leave is at least twice as long as the amount of leave a worker wants to take, plus 1 day. For example, a worker would give 3 days\u2019 notice for 1 day\u2019s leave.\n\nAn employer can refuse a leave request or cancel leave but they must give as much notice as the amount of leave requested, plus 1 day. For example, an employer would give 11 days\u2019 notice if the worker asked for 10 days\u2019 leave.\n\nIf the contract says something different about the notice a worker or employer should give, what\u2019s in the contract will apply.\n\nAlthough employers can refuse to give leave at a certain time, they cannot refuse to let workers take the leave at all.\n\n## Part leave days\n\nSome workers may be entitled to a part leave day - for example if they\u2019re part-time or have a half day\u2019s leave to take. How a part day should be taken is up to the employer.\n\n## When leave can and cannot be taken\n\nEmployers can:\n\n- tell their staff to take leave, for example bank holidays or Christmas\n\n- restrict when leave can be taken, for example at certain busy periods\n\nThere may be rules about this in the employment contract or it may be what normally happens in the workplace.\n\nThe notice period for this is at least twice as long as the leave they want their staff to take. The employer must tell the worker before the notice period begins.\n\nIf an employer wants a worker to take leave, they need to make sure that the worker can relax, rest and enjoy leisure during their holiday. For example, an employer cannot force a sick worker to take leave.\n\n## Taking holiday before leaving a job\n\nDuring their notice period the worker may be able to take whatever is left of their statutory annual leave.\n\nUse the holiday entitlement calculator to work this out. How much they get depends on how much of the holiday year has passed.\n\n## Taking more leave than the entitlement\n\nIf a worker has taken more leave than they\u2019re entitled to, their employer must not take money from their final pay unless it\u2019s been agreed beforehand in writing. The rules in this situation should be outlined in the employment contract, company handbook or intranet.\n\n## Getting paid instead of taking holidays\n\nThe only time someone can get paid in place of taking statutory leave (known as \u2018payment in lieu\u2019) is when they leave their job. Employers must pay for untaken statutory leave, even if the worker is dismissed for gross misconduct.\n\nIf an employer offers more than 5.6 weeks\u2019 annual leave, they can agree separate arrangements for the extra leave.\n\n## Zero-hours contracts\n\nWhen a worker on a zero-hours contract has not worked for 4 weeks, this may be treated as the end of the employment. The employer will usually pay the worker for untaken leave, even if they\u2019re going to offer them more work later.\n\n## Workers on furlough because of coronavirus (COVID-19)\n\nWorkers have the right to build up (\u2018accrue\u2019) holiday entitlement while they\u2019re on temporary leave (\u2018furloughed\u2019) because of coronavirus (COVID-19). They can also take leave while on furlough.\n\n## Bank holidays\n\nIf a furloughed worker is not working on a bank holiday they usually take as paid leave, they can agree with their employer to either:\n\n- take it as normal\n\n- take it at a later date\n\nAn employer must give a worker at least 2 days\u2019 notice if they want them to take a bank holiday as paid leave, unless the worker\u2019s employment contract says something different.\n\nThe employer must tell the worker at least one day in advance of giving 2 days\u2019 notice.\n\n## Holiday pay\n\nAn employer can continue to claim for a furloughed worker\u2019s wages when the worker takes annual leave.\n\nCalculate holiday pay as normal for any time the worker was furloughed. If the holiday pay turns out to be more than the worker was paid during this time, their employer must pay the difference.\n\n## Agency workers\n\nAgency workers with \u2018worker status\u2019, including those who use an umbrella company, have their usual holiday entitlement when on furlough.\n\nTheir employer can claim a grant to help cover the cost of their wages.\n\nHoliday entitlement for those without worker status remains the same and depends on their contract.\n\nAgency workers may also be able to carry holiday into future leave years.\n\n## More information\n\nThere\u2019s more guidance on holiday entitlement and pay during coronavirus.\nYou can also find out more about holiday entitlement during coronavirus on the Acas website.", + "original_contents": [ + "

    Entitlement

    ", + "

    Almost all workers are legally entitled to 5.6 weeks\u2019 paid holiday a year (known as statutory leave entitlement or annual leave).

    ", + "

    This includes:

    ", + "
  • agency workers
  • ", + "
  • workers with irregular hours
  • ", + "
  • workers on zero-hours contracts
  • ", + "

    An employer can include bank holidays as part of statutory annual leave.

    ", + "

    Coronavirus (COVID-19) does not affect workers\u2019 entitlement to holiday pay and leave, except for carrying over leave.

    ", + "

    Statutory annual leave entitlement

    ", + "

    Most workers who work a 5-day week must receive at least 28 days\u2019 paid annual leave a year. This is the equivalent of 5.6 weeks of holiday.

    ", + "

    Working part-time

    ", + "

    Part-time workers are entitled to at least 5.6 weeks\u2019 paid holiday, but this will amount to fewer than 28 days.

    ", + "

    For example, if they work 3 days a week, they must get at least 16.8 days\u2019 leave a year (3 \u00d7 5.6).

    ", + "

    Use the holiday entitlement calculator to work out a part-time worker\u2019s leave.

    ", + "

    Irregular hours

    ", + "

    People working irregular hours (like shift workers or term-time workers) are entitled to paid time off for every hour they work.

    ", + "

    They might find it helpful to get an estimate of holiday entitlement by calculating leave based on days or hours worked in an average week.

    ", + "

    Limits on statutory leave

    ", + "

    Statutory paid holiday entitlement is limited to 28 days. For example, staff working 6 days a week are only entitled to 28 days\u2019 paid holiday.

    ", + "

    Bank holidays

    ", + "

    Bank or public holidays do not have to be given as paid leave.

    ", + "

    An employer can choose to include bank holidays as part of a worker\u2019s statutory annual leave.

    ", + "

    Extra leave

    ", + "

    An employer can choose to offer more leave than the legal minimum. They do not have to apply all the rules that apply to statutory leave to the extra leave. For example, a worker might need to be employed for a certain amount of time before they become entitled to it.

    ", + "

    Other aspects of holiday entitlement

    ", + "

    Workers have the right to:

    ", + "
  • get paid for leave
  • ", + "
  • build up (\u2018accrue\u2019) holiday entitlement during maternity, paternity and adoption leave
  • ", + "
  • build up holiday entitlement while off work sick
  • ", + "
  • request holiday at the same time as sick leave
  • ", + "

    Disputes

    ", + "

    Paid annual leave is a legal right that an employer must provide. If a worker thinks their right to leave and pay are not being met there are a number of ways to resolve the dispute.

    ", + "

    Calculate leave entitlement

    ", + "

    Annual leave begins to build up (\u2018accrue\u2019) as soon as a worker starts their job.

    ", + "

    An employer can use a \u2018leave year\u2019 or an \u2018accrual\u2019 system to work out how much leave their staff should get.

    ", + "

    Use the holiday entitlement calculator to work out how much leave someone should get.

    ", + "

    Leave year

    ", + "

    An employer should tell their staff the dates of their statutory leave year as soon as they start working, for example, it might run from 1 January to 31 December.

    ", + "

    Workers must take their statutory leave during this time. If a leave year is not set out in a contract then it will start:

    ", + "
  • on the first day of a new job (if started after 1 October 1998)
  • ", + "
  • on 1 October (if started on or before 1 October 1998)
  • ", + "

    The leave year and holiday entitlement is not affected by maternity, paternity or adoption leave. The employee still builds up (\u2018accrues\u2019) holiday over these periods.

    ", + "

    Leave entitlement when starting a new job

    ", + "

    If a worker starts their job part-way through a leave year, they\u2019re only entitled to part of their total annual leave for the current leave year. What they get depends on how much of the year is left.

    ", + "

    Use the holiday entitlement calculator to work out how much leave someone has left.

    ", + "

    Accrual system

    ", + "

    An employer can use an accrual system to work out a worker\u2019s leave during the first year of the job. Under this system, a worker gets one-twelfth of their leave in each month.

    ", + "

    Carrying over leave

    ", + "

    The worker\u2019s contract says how many days\u2019 leave they can carry over into the next year.

    ", + "

    If a worker gets 28 days\u2019 leave, they can carry over a maximum of 8 days.

    ", + "

    If a worker gets more than 28 days\u2019 leave, their employer may allow them to carry over any additional untaken leave. Check the employment contract, company handbook or intranet to see what the rules say.

    ", + "

    Leave affected by coronavirus (COVID-19)

    ", + "

    Workers may be able to carry over untaken leave into the next 2 years if they cannot take it because their work is affected by coronavirus.

    ", + "

    They could do this if, for example:

    ", + "
  • they need to provide cover for their co-workers and have no other opportunity to take holiday in their leave year
  • ", + "
  • there will be staff shortages if too many workers take their leave before the end of the leave year
  • ", + "
  • they\u2019re classed as critical workers, such as healthcare or supermarket workers
  • ", + "

    If a worker is able to take leave, the standard rules for carrying over leave still apply.

    ", + "

    Workers on parental or sick leave

    ", + "

    If a worker cannot take all of their leave entitlement because they\u2019re already on a different type of leave (for example sick, maternity or parental leave), they can carry over some or all of the untaken leave into the next leave year.

    ", + "

    An employer must allow a worker to carry over a maximum of 20 of their 28 days\u2019 leave entitlement if the worker could not take annual leave because they were off sick.

    ", + "

    Holiday pay

    ", + "

    Workers are entitled to a week\u2019s pay for each week of statutory leave that they take.

    ", + "

    Most workers are entitled to 5.6 weeks\u2019 paid holiday a year. You can use the holiday calculator to work out how much leave someone should get.

    ", + "

    A week\u2019s pay is worked out according to the kind of hours someone works and how they\u2019re paid for the hours. This includes full-time, part-time, term-time and casual workers.

    ", + "Working pattern | How a week\u2019s pay is calculated", + "Fixed hours and fixed pay (full- or part-time) | A worker\u2019s pay for a week", + "Shift work with fixed hours (full- or part-time) | The average number of weekly fixed hours a worker has worked in the previous 52 weeks, at their average hourly rate", + "No fixed hours (casual work, including zero-hours contracts) | A worker\u2019s average pay from the previous 52 weeks (only counting weeks in which they were paid)", + "

    Calculating average hourly or weekly rate

    ", + "

    To calculate average hourly rate, only the hours worked and how much was paid for them should be counted. Take the average rate over the last 52 weeks.

    ", + "

    A \u2018week\u2019 usually runs from Sunday to Saturday. Only use another 7-day period (like Thursday to Wednesday) if that\u2019s how a worker\u2019s pay is calculated.

    ", + "

    If no pay was paid in any week, count back another week so the rate is based on 52 weeks in which pay was paid. You can count back a maximum of 104 weeks to find these.

    ", + "

    If a worker has less than 52 weeks of pay, use the average pay rate for the full weeks they have worked.

    ", + "

    Workers who are paid monthly

    ", + "

    To work out a week\u2019s pay for someone who\u2019s paid monthly:

    ", + "
  • Calculate the worker\u2019s average hourly pay for the last month. Do this by dividing the month\u2019s pay by the number of hours worked in the month.
  • ", + "
  • Calculate the weekly pay. Do this by multiplying the average hourly pay by the number of hours worked in a week.
  • ", + "

    Use the weekly pay calculation for each of the last 52 weeks to work out an average week\u2019s pay.

    ", + "

    Rolled-up holiday pay

    ", + "

    Holiday pay should be paid for the time when annual leave is taken. An employer cannot include an amount for holiday pay in the hourly rate (known as \u2018rolled-up holiday pay\u2019).

    ", + "

    If a current contract still includes rolled-up pay, it needs to be re-negotiated.

    ", + "

    More information

    ", + "

    There\u2019s guidance for calculating holiday pay for workers without fixed hours or pay, which includes several examples.

    ", + "

    You can also contact the Advisory, Conciliation and Arbitration Service (Acas) with questions about general holiday pay issues.

    ", + "

    Booking time off

    ", + "

    The general notice period for taking leave is at least twice as long as the amount of leave a worker wants to take, plus 1 day. For example, a worker would give 3 days\u2019 notice for 1 day\u2019s leave.

    ", + "

    An employer can refuse a leave request or cancel leave but they must give as much notice as the amount of leave requested, plus 1 day. For example, an employer would give 11 days\u2019 notice if the worker asked for 10 days\u2019 leave.

    ", + "

    If the contract says something different about the notice a worker or employer should give, what\u2019s in the contract will apply.

    ", + "

    Although employers can refuse to give leave at a certain time, they cannot refuse to let workers take the leave at all.

    ", + "

    Part leave days

    ", + "

    Some workers may be entitled to a part leave day - for example if they\u2019re part-time or have a half day\u2019s leave to take. How a part day should be taken is up to the employer.

    ", + "

    When leave can and cannot be taken

    ", + "

    Employers can:

    ", + "
  • tell their staff to take leave, for example bank holidays or Christmas
  • ", + "
  • restrict when leave can be taken, for example at certain busy periods
  • ", + "

    There may be rules about this in the employment contract or it may be what normally happens in the workplace.

    ", + "

    The notice period for this is at least twice as long as the leave they want their staff to take. The employer must tell the worker before the notice period begins.

    ", + "

    If an employer wants a worker to take leave, they need to make sure that the worker can relax, rest and enjoy leisure during their holiday. For example, an employer cannot force a sick worker to take leave.

    ", + "

    Taking holiday before leaving a job

    ", + "

    During their notice period the worker may be able to take whatever is left of their statutory annual leave.

    ", + "

    Use the holiday entitlement calculator to work this out. How much they get depends on how much of the holiday year has passed.

    ", + "

    Taking more leave than the entitlement

    ", + "

    If a worker has taken more leave than they\u2019re entitled to, their employer must not take money from their final pay unless it\u2019s been agreed beforehand in writing. The rules in this situation should be outlined in the employment contract, company handbook or intranet.

    ", + "

    Getting paid instead of taking holidays

    ", + "

    The only time someone can get paid in place of taking statutory leave (known as \u2018payment in lieu\u2019) is when they leave their job. Employers must pay for untaken statutory leave, even if the worker is dismissed for gross misconduct.

    ", + "

    If an employer offers more than 5.6 weeks\u2019 annual leave, they can agree separate arrangements for the extra leave.

    ", + "

    Zero-hours contracts

    ", + "

    When a worker on a zero-hours contract has not worked for 4 weeks, this may be treated as the end of the employment. The employer will usually pay the worker for untaken leave, even if they\u2019re going to offer them more work later.

    ", + "

    Workers on furlough because of coronavirus (COVID-19)

    ", + "

    Workers have the right to build up (\u2018accrue\u2019) holiday entitlement while they\u2019re on temporary leave (\u2018furloughed\u2019) because of coronavirus (COVID-19). They can also take leave while on furlough.

    ", + "

    Bank holidays

    ", + "

    If a furloughed worker is not working on a bank holiday they usually take as paid leave, they can agree with their employer to either:

    ", + "
  • take it as normal
  • ", + "
  • take it at a later date
  • ", + "

    An employer must give a worker at least 2 days\u2019 notice if they want them to take a bank holiday as paid leave, unless the worker\u2019s employment contract says something different.

    ", + "

    The employer must tell the worker at least one day in advance of giving 2 days\u2019 notice.

    ", + "

    Holiday pay

    ", + "

    An employer can continue to claim for a furloughed worker\u2019s wages when the worker takes annual leave.

    ", + "

    Calculate holiday pay as normal for any time the worker was furloughed. If the holiday pay turns out to be more than the worker was paid during this time, their employer must pay the difference.

    ", + "

    Agency workers

    ", + "

    Agency workers with \u2018worker status\u2019, including those who use an umbrella company, have their usual holiday entitlement when on furlough.

    ", + "

    Their employer can claim a grant to help cover the cost of their wages.

    ", + "

    Holiday entitlement for those without worker status remains the same and depends on their contract.

    ", + "

    Agency workers may also be able to carry holiday into future leave years.

    ", + "

    More information

    ", + "

    There\u2019s more guidance on holiday entitlement and pay during coronavirus.\nYou can also find out more about holiday entitlement during coronavirus on the Acas website.

    " + ] + }, + "https://www.gov.uk/maximum-weekly-working-hours": { + "url": "https://www.gov.uk/maximum-weekly-working-hours", + "title": "Maximum weekly working hours", + "content": "## Overview\n\nYou can\u2019t work more than 48 hours a week on average - normally averaged over 17 weeks. This law is sometimes called the \u2018working time directive\u2019 or \u2018working time regulations\u2019.\n\nYou can choose to work more by opting out of the 48-hour week.\n\nIf you\u2019re under 18, you can\u2019t work more than 8 hours a day or 40 hours a week.\n\n## Exceptions\n\nYou may have to work more than 48 hours a week on average if you work in a job:\n\n- where 24-hour staffing is required\n\n- in the armed forces, emergency services or police\n\n- in security and surveillance\n\n- as a domestic servant in a private household\n\n- as a seafarer, sea-fisherman or worker on vessels on inland waterways\n\n- where working time is not measured and you\u2019re in control, eg you\u2019re a managing executive with control over your decisions\n\nContact the Acas helpline or use the Acas Helpline Online to get further advice on working hours.\n\n## Calculating your working hours\n\nAverage working hours are calculated over a \u2018reference\u2019 period, normally 17 weeks.\n\nThis means you can work more than 48 hours one week, as long as the average over 17 weeks is less than 48 hours a week.\n\nYour working hours can\u2019t be averaged out if you\u2019re under 18. You can\u2019t work more than 40 hours in any one week.\n\n## Exceptions\n\nSome jobs have different reference periods, eg:\n\n- trainee doctors have a 26-week reference period\n\n- the offshore oil and gas sector has a 52-week reference period\n\n## What counts as work\n\nA working week includes:\n\n- job-related training\n\n- time spent travelling if you travel as part of your job, eg sales rep\n\n- working lunches, eg business lunches\n\n- time spent working abroad\n\n- paid overtime\n\n- unpaid overtime you\u2019re asked to do\n\n- time spent on call at the workplace\n\n- any time that is treated as \u2018working time\u2019 under a contract\n\n- travel between home and work at the start and end of the working day (if you don\u2019t have a fixed place of work)\n\n## What doesn\u2019t count as work\n\nA working week doesn\u2019t include:\n\n- time you spend on call away from the workplace\n\n- breaks when no work is done, eg lunch breaks\n\n- travelling outside of normal working hours\n\n- unpaid overtime you\u2019ve volunteered for, eg staying late to finish something off\n\n- paid or unpaid holiday\n\n- travel to and from work (if you have a fixed place of work)\n\n## You have more than one job\n\nYour combined working hours shouldn\u2019t be more than 48 hours a week on average.\n\nIf you work more than 48 hours on average, you can either:\n\n- sign an opt-out agreement\n\n- reduce your hours to meet the 48-hour limit\n\n## Opting out of the 48 hour week\n\nYou can choose to work more than 48 hours a week on average if you\u2019re over 18. This is called \u2018opting out\u2019.\n\nYour employer can ask you to opt out, but you can\u2019t be sacked or treated unfairly for refusing to do so.\n\nYou can opt out for a certain period or indefinitely. It must be voluntary and in writing.\n\n## Workers who can\u2019t opt out\n\nYou can\u2019t opt-out of the 48 hour week if you\u2019re:\n\n- airline staff\n\n- a worker on ships or boats\n\n- a worker in the road transport industry, eg delivery drivers (except for drivers of vehicles under 3.5 tonnes using GB Domestic drivers\u2019 hours rules)\n\n- other staff who travel in and operate vehicles covered by EU rules on drivers\u2019 hours, eg bus conductors\n\n- a security guard on a vehicle carrying high-value goods\n\n## Cancelling an opt-out agreement\n\nYou can cancel your opt-out agreement whenever you want - even if it\u2019s part of your employment contract.\n\nYou must give your employer at least 7 days\u2019 notice. You may have to give more notice (up to 3 months) if you have a written opt-out agreement.\n\nYour employer can\u2019t force you to cancel your opt-out agreement.", + "original_contents": [ + "

    Overview

    ", + "

    You can\u2019t work more than 48 hours a week on average - normally averaged over 17 weeks. This law is sometimes called the \u2018working time directive\u2019 or \u2018working time regulations\u2019.

    ", + "

    You can choose to work more by opting out of the 48-hour week.

    ", + "

    If you\u2019re under 18, you can\u2019t work more than 8 hours a day or 40 hours a week.

    ", + "

    Exceptions

    ", + "

    You may have to work more than 48 hours a week on average if you work in a job:

    ", + "
  • where 24-hour staffing is required
  • ", + "
  • in the armed forces, emergency services or police
  • ", + "
  • in security and surveillance
  • ", + "
  • as a domestic servant in a private household
  • ", + "
  • as a seafarer, sea-fisherman or worker on vessels on inland waterways
  • ", + "
  • where working time is not measured and you\u2019re in control, eg you\u2019re a managing executive with control over your decisions
  • ", + "

    Contact the Acas helpline or use the Acas Helpline Online to get further advice on working hours.

    ", + "

    Calculating your working hours

    ", + "

    Average working hours are calculated over a \u2018reference\u2019 period, normally 17 weeks.

    ", + "

    This means you can work more than 48 hours one week, as long as the average over 17 weeks is less than 48 hours a week.

    ", + "

    Your working hours can\u2019t be averaged out if you\u2019re under 18. You can\u2019t work more than 40 hours in any one week.

    ", + "

    Exceptions

    ", + "

    Some jobs have different reference periods, eg:

    ", + "
  • trainee doctors have a 26-week reference period
  • ", + "
  • the offshore oil and gas sector has a 52-week reference period
  • ", + "

    What counts as work

    ", + "

    A working week includes:

    ", + "
  • job-related training
  • ", + "
  • time spent travelling if you travel as part of your job, eg sales rep
  • ", + "
  • working lunches, eg business lunches
  • ", + "
  • time spent working abroad
  • ", + "
  • paid overtime
  • ", + "
  • unpaid overtime you\u2019re asked to do
  • ", + "
  • time spent on call at the workplace
  • ", + "
  • any time that is treated as \u2018working time\u2019 under a contract
  • ", + "
  • travel between home and work at the start and end of the working day (if you don\u2019t have a fixed place of work)
  • ", + "

    What doesn\u2019t count as work

    ", + "

    A working week doesn\u2019t include:

    ", + "
  • time you spend on call away from the workplace
  • ", + "
  • breaks when no work is done, eg lunch breaks
  • ", + "
  • travelling outside of normal working hours
  • ", + "
  • unpaid overtime you\u2019ve volunteered for, eg staying late to finish something off
  • ", + "
  • paid or unpaid holiday
  • ", + "
  • travel to and from work (if you have a fixed place of work)
  • ", + "

    You have more than one job

    ", + "

    Your combined working hours shouldn\u2019t be more than 48 hours a week on average.

    ", + "

    If you work more than 48 hours on average, you can either:

    ", + "
  • sign an opt-out agreement
  • ", + "
  • reduce your hours to meet the 48-hour limit
  • ", + "

    Opting out of the 48 hour week

    ", + "

    You can choose to work more than 48 hours a week on average if you\u2019re over 18. This is called \u2018opting out\u2019.

    ", + "

    Your employer can ask you to opt out, but you can\u2019t be sacked or treated unfairly for refusing to do so.

    ", + "

    You can opt out for a certain period or indefinitely. It must be voluntary and in writing.

    ", + "

    Workers who can\u2019t opt out

    ", + "

    You can\u2019t opt-out of the 48 hour week if you\u2019re:

    ", + "
  • airline staff
  • ", + "
  • a worker on ships or boats
  • ", + "
  • a worker in the road transport industry, eg delivery drivers (except for drivers of vehicles under 3.5 tonnes using GB Domestic drivers\u2019 hours rules)
  • ", + "
  • other staff who travel in and operate vehicles covered by EU rules on drivers\u2019 hours, eg bus conductors
  • ", + "
  • a security guard on a vehicle carrying high-value goods
  • ", + "

    Cancelling an opt-out agreement

    ", + "

    You can cancel your opt-out agreement whenever you want - even if it\u2019s part of your employment contract.

    ", + "

    You must give your employer at least 7 days\u2019 notice. You may have to give more notice (up to 3 months) if you have a written opt-out agreement.

    ", + "

    Your employer can\u2019t force you to cancel your opt-out agreement.

    " + ] + }, + "https://www.gov.uk/night-working-hours": { + "url": "https://www.gov.uk/night-working-hours", + "title": "Night working hours", + "content": "## Hours and limits\n\nStaff who regularly work at least 3 hours during the \u2018night period\u2019 are night workers.\n\nThe night period is 11pm to 6am, unless the worker and employer agree a different night period.\n\nIf they do, it must be 7 hours long and include midnight to 5am. It must be agreed in writing.\n\nStaff may also be night workers if there\u2019s a collective agreement (for example, trade union agreement) that states their work is night work.\n\n## National Minimum Wage\n\nThe National Minimum Wage applies to night workers but there is not a higher night working rate.\n\n## Sleep-in shifts\n\nThe number of hours that workers get paid the National Minimum Wage depends on whether they\u2019re expected to sleep or work for most of their shift.\n\nWorkers who are expected to sleep for most of a sleep-in shift (for example, a care worker), and are provided with suitable sleeping facilities, will only get the National Minimum Wage for the periods when they\u2019re awake to perform tasks.\n\nWorkers who are expected to work for most of a shift will get the National Minimum Wage for their whole shift, even if they\u2019re allowed to sleep between tasks.\n\n## Limits on working hours for night workers\n\nAdditional rules apply to night workers on top of the rules on maximum weekly working hours and rest breaks.\n\nNight workers must not work more than an average of 8 hours in a 24-hour period.\n\nThe average is usually calculated over 17 weeks, but it can be over a longer period of up to 52 weeks if the workers and the employer agree - for example, by collective agreement.\n\nRegular overtime is included in the average, but not occasional overtime.\n\nWorkers cannot opt out of the limit.\n\n## Workers aged 16 or 17\n\nStaff aged 16 or 17 cannot work between midnight and 4am.\n\nThey usually cannot work between 10pm and 6am (this can be changed to not working between 11pm and 7am, by contract) but there are exceptions if they work in:\n\n- agriculture\n\n- cultural, sporting, artistic or advertising activities\n\n- a hospital\n\n- a hotel or catering\n\n- retail\n\n- post or newspaper delivery\n\nIn exceptional circumstances they can work at night if there\u2019s no adult to do the work and they\u2019re needed to either:\n\n- handle a sudden increase in demand\n\n- maintain the continuity of a service or production - for example, filming\n\nThe employer must give the young person a rest period of the same length as the extended shift.\n\nThere are other restrictions on employing young people.\n\n## Special hazards and mental or physical strain\n\nNight workers who deal with special hazards or whose work involves mental or physical strain cannot work longer than 8 hours in any 24-hour period.\n\nA risk assessment must be carried out to identify special hazards and work involving mental or physical strain.\n\nThe hazards and strains may also be set out in collective or workforce agreements.\n\n## What employers must do\n\nEmployers must keep records of night workers\u2019 working hours to show they are not exceeding the limits.\n\nThe records must be kept for at least 2 years.\n\nContact Acas for more information.\n\nYou cannot discriminate against a worker if they do not want to work nights.\n\n## Exceptions to night work limits\n\nThe limits on night working hours do not usually apply:\n\n- in the armed forces and emergency services\n\n- to domestic staff employed in a private house\n\n- when people can choose how long they work - for example, company executives or freelancers\n\nThe limits on night working hours do not apply:\n\n- in jobs that need round-the-clock staffing, like hospital work\n\n- in an industry with busy peak periods, like agriculture, retail, tourism, security and surveillance\n\n- if there\u2019s an emergency or an accident\n\n- if a member of staff has to travel a long distance from home to work or constantly works in different places\n\n- if a collective or workforce agreement excludes or changes the restriction on night work\n\nDifferent rules apply to workers in road, sea and air transport.\n\n## Rest breaks if night work limits do not apply\n\nWorkers must get \u2018compensatory rest\u2019 instead of a normal working week with breaks during the day.\n\nCompensatory rest is a minimum of 90 hours rest per week on average.\n\nEmployers must also follow the general rules on working hours.\n\nIf you\u2019re not sure whether these exceptions apply in your situation, contact Acas.\n\n## Health assessments\n\nEmployers must offer workers a free health assessment before they become a night worker. Workers do not have to accept.\n\nThe assessment must be written by a qualified health professional. It can be a questionnaire.\n\nEmployers must take into account that night work might increase a worker\u2019s stress levels.\n\nThe worker must get a follow-up examination by a health professional when an employer is unsure if the worker is fit for night work.\n\nA repeat assessment must be offered regularly.\n\nThe employer must offer suitable other work where possible if a worker has health problems that a doctor says are related to night work.\n\n## Keep records\n\nEmployers must keep confidential records of:\n\n- the health assessments (keep for 2 years)\n\n- dates when assessments were offered (if a worker did not want one)", + "original_contents": [ + "

    Hours and limits

    ", + "

    Staff who regularly work at least 3 hours during the \u2018night period\u2019 are night workers.

    ", + "

    The night period is 11pm to 6am, unless the worker and employer agree a different night period.

    ", + "

    If they do, it must be 7 hours long and include midnight to 5am. It must be agreed in writing.

    ", + "

    Staff may also be night workers if there\u2019s a collective agreement (for example, trade union agreement) that states their work is night work.

    ", + "

    National Minimum Wage

    ", + "

    The National Minimum Wage applies to night workers but there is not a higher night working rate.

    ", + "

    Sleep-in shifts

    ", + "

    The number of hours that workers get paid the National Minimum Wage depends on whether they\u2019re expected to sleep or work for most of their shift.

    ", + "

    Workers who are expected to sleep for most of a sleep-in shift (for example, a care worker), and are provided with suitable sleeping facilities, will only get the National Minimum Wage for the periods when they\u2019re awake to perform tasks.

    ", + "

    Workers who are expected to work for most of a shift will get the National Minimum Wage for their whole shift, even if they\u2019re allowed to sleep between tasks.

    ", + "

    Limits on working hours for night workers

    ", + "

    Additional rules apply to night workers on top of the rules on maximum weekly working hours and rest breaks.

    ", + "

    Night workers must not work more than an average of 8 hours in a 24-hour period.

    ", + "

    The average is usually calculated over 17 weeks, but it can be over a longer period of up to 52 weeks if the workers and the employer agree - for example, by collective agreement.

    ", + "

    Regular overtime is included in the average, but not occasional overtime.

    ", + "

    Workers cannot opt out of the limit.

    ", + "

    Workers aged 16 or 17

    ", + "

    Staff aged 16 or 17 cannot work between midnight and 4am.

    ", + "

    They usually cannot work between 10pm and 6am (this can be changed to not working between 11pm and 7am, by contract) but there are exceptions if they work in:

    ", + "
  • agriculture
  • ", + "
  • cultural, sporting, artistic or advertising activities
  • ", + "
  • a hospital
  • ", + "
  • a hotel or catering
  • ", + "
  • retail
  • ", + "
  • post or newspaper delivery
  • ", + "

    In exceptional circumstances they can work at night if there\u2019s no adult to do the work and they\u2019re needed to either:

    ", + "
  • handle a sudden increase in demand
  • ", + "
  • maintain the continuity of a service or production - for example, filming
  • ", + "

    The employer must give the young person a rest period of the same length as the extended shift.

    ", + "

    There are other restrictions on employing young people.

    ", + "

    Special hazards and mental or physical strain

    ", + "

    Night workers who deal with special hazards or whose work involves mental or physical strain cannot work longer than 8 hours in any 24-hour period.

    ", + "

    A risk assessment must be carried out to identify special hazards and work involving mental or physical strain.

    ", + "

    The hazards and strains may also be set out in collective or workforce agreements.

    ", + "

    What employers must do

    ", + "

    Employers must keep records of night workers\u2019 working hours to show they are not exceeding the limits.

    ", + "

    The records must be kept for at least 2 years.

    ", + "

    Contact Acas for more information.

    ", + "

    You cannot discriminate against a worker if they do not want to work nights.

    ", + "

    Exceptions to night work limits

    ", + "

    The limits on night working hours do not usually apply:

    ", + "
  • in the armed forces and emergency services
  • ", + "
  • to domestic staff employed in a private house
  • ", + "
  • when people can choose how long they work - for example, company executives or freelancers
  • ", + "

    The limits on night working hours do not apply:

    ", + "
  • in jobs that need round-the-clock staffing, like hospital work
  • ", + "
  • in an industry with busy peak periods, like agriculture, retail, tourism, security and surveillance
  • ", + "
  • if there\u2019s an emergency or an accident
  • ", + "
  • if a member of staff has to travel a long distance from home to work or constantly works in different places
  • ", + "
  • if a collective or workforce agreement excludes or changes the restriction on night work
  • ", + "

    Different rules apply to workers in road, sea and air transport.

    ", + "

    Rest breaks if night work limits do not apply

    ", + "

    Workers must get \u2018compensatory rest\u2019 instead of a normal working week with breaks during the day.

    ", + "

    Compensatory rest is a minimum of 90 hours rest per week on average.

    ", + "

    Employers must also follow the general rules on working hours.

    ", + "

    If you\u2019re not sure whether these exceptions apply in your situation, contact Acas.

    ", + "

    Health assessments

    ", + "

    Employers must offer workers a free health assessment before they become a night worker. Workers do not have to accept.

    ", + "

    The assessment must be written by a qualified health professional. It can be a questionnaire.

    ", + "

    Employers must take into account that night work might increase a worker\u2019s stress levels.

    ", + "

    The worker must get a follow-up examination by a health professional when an employer is unsure if the worker is fit for night work.

    ", + "

    A repeat assessment must be offered regularly.

    ", + "

    The employer must offer suitable other work where possible if a worker has health problems that a doctor says are related to night work.

    ", + "

    Keep records

    ", + "

    Employers must keep confidential records of:

    ", + "
  • the health assessments (keep for 2 years)
  • ", + "
  • dates when assessments were offered (if a worker did not want one)
  • " + ] + }, + "https://www.gov.uk/overtime-your-rights": { + "url": "https://www.gov.uk/overtime-your-rights", + "title": "Overtime: your rights", + "content": "## Overview\n\nIf you have normal working hours, overtime usually means any time you work beyond these hours.\n\nNormal working hours are the hours fixed by your employment contract.\n\n## Overtime pay\n\nEmployers do not have to pay workers for overtime. However, your average pay for the total hours you work must not fall below the National Minimum Wage.\n\nYour employment contract will usually include details of any overtime pay rates and how they\u2019re worked out.\n\n## Help and advice\n\nContact Acas for free and confidential advice on working hours.\n\n## Compulsory overtime\n\nYou only have to work overtime if your contract says so.\n\nEven if it does, by law, you cannot usually be forced to work more than an average of 48 hours per week. You can agree to work longer - but this agreement must be in writing and signed by you.\n\nUnless your contract guarantees you overtime, your employer can stop you from working it.\n\nHowever, your employer cannot discriminate against anyone, for example by stopping some employees from working overtime while letting others do so.\n\n## Part-time workers\n\nUsually, part-time workers must not be treated less favourably than full-time staff.\n\nYou\u2019ll normally get paid at your hourly rate if you work longer hours than set out in your employment contract. Your employer will usually only pay overtime if at least one of the following applies:\n\n- you work more than the normal working hours of full-time staff and full-time staff would get extra pay for working these hours\n\n- you work at unsocial times (for example, late at night) and full-time staff would get more pay\n\nYour contract will say if your right to paid overtime is different.\n\n## Time off and paid leave\n\n## Time off in lieu (TOIL)\n\nSome employers give you time off instead of paying for overtime. This is known as \u2018time off in lieu\u2019.\n\nYou agree the terms (for example, when it can be taken) with your employer.", + "original_contents": [ + "

    Overview

    ", + "

    If you have normal working hours, overtime usually means any time you work beyond these hours.

    ", + "

    Normal working hours are the hours fixed by your employment contract.

    ", + "

    Overtime pay

    ", + "

    Employers do not have to pay workers for overtime. However, your average pay for the total hours you work must not fall below the National Minimum Wage.

    ", + "

    Your employment contract will usually include details of any overtime pay rates and how they\u2019re worked out.

    ", + "

    Help and advice

    ", + "

    Contact Acas for free and confidential advice on working hours.

    ", + "

    Compulsory overtime

    ", + "

    You only have to work overtime if your contract says so.

    ", + "

    Even if it does, by law, you cannot usually be forced to work more than an average of 48 hours per week. You can agree to work longer - but this agreement must be in writing and signed by you.

    ", + "

    Unless your contract guarantees you overtime, your employer can stop you from working it.

    ", + "

    However, your employer cannot discriminate against anyone, for example by stopping some employees from working overtime while letting others do so.

    ", + "

    Part-time workers

    ", + "

    Usually, part-time workers must not be treated less favourably than full-time staff.

    ", + "

    You\u2019ll normally get paid at your hourly rate if you work longer hours than set out in your employment contract. Your employer will usually only pay overtime if at least one of the following applies:

    ", + "
  • you work more than the normal working hours of full-time staff and full-time staff would get extra pay for working these hours
  • ", + "
  • you work at unsocial times (for example, late at night) and full-time staff would get more pay
  • ", + "

    Your contract will say if your right to paid overtime is different.

    ", + "

    Time off and paid leave

    ", + "

    Time off in lieu (TOIL)

    ", + "

    Some employers give you time off instead of paying for overtime. This is known as \u2018time off in lieu\u2019.

    ", + "

    You agree the terms (for example, when it can be taken) with your employer.

    " + ] + }, + "https://www.gov.uk/rest-breaks-work": { + "url": "https://www.gov.uk/rest-breaks-work", + "title": "Rest breaks at work", + "content": "## Overview\n\nWorkers over 18 are usually entitled to 3 types of break - rest breaks at work, daily rest and weekly rest.\n\n## Rest breaks at work\n\nWorkers have the right to one uninterrupted 20 minute rest break during their working day, if they work more than 6 hours a day. This could be a tea or lunch break.\n\nThe break doesn\u2019t have to be paid - it depends on their employment contract.\n\n## Daily rest\n\nWorkers have the right to 11 hours rest between working days, eg if they finish work at 8pm, they shouldn\u2019t start work again until 7am the next day.\n\n## Weekly rest\n\nWorkers have the right to either:\n\n- an uninterrupted 24 hours without any work each week\n\n- an uninterrupted 48 hours without any work each fortnight\n\nA worker\u2019s employment contract may say they\u2019re entitled to more or different rights to breaks from work.\n\n## Work that puts health and safety at risk\n\nAn employer should give an employee enough breaks to make sure their health and safety isn\u2019t at risk if that work is \u2018monotonous\u2019 (eg work on a production line).\n\nDomestic workers in a private house (eg a cleaner or au pair) aren\u2019t entitled to rest breaks for health and safety reasons.\n\n## Taking breaks\n\nEmployers can say when employees take rest breaks during work time as long as:\n\n- the break is taken in one go somewhere in the middle of the day (not at the beginning or end)\n\n- workers are allowed to spend it away from their desk or workstation (ie away from where they actually work)\n\nIt doesn\u2019t count as a rest break if an employer says an employee should go back to work before their break is finished.\n\nUnless a worker\u2019s employment contract says so, they don\u2019t have the right to:\n\n- take smoking breaks\n\n- get paid for rest breaks\n\n## Exceptions and special circumstances\n\nThere are exemptions to the rights to rest breaks.\n\nSome workers are entitled to compensatory rest breaks, eg shift workers.\n\nYoung people and lorry and coach drivers have different rights to rest breaks.\n\n## Compensatory rest\n\nWorkers may be entitled to \u2018compensatory rest\u2019 if they don\u2019t have the right to specific rest breaks. Compensatory rest breaks are the same length of time as the break (or part of it) that they\u2019ve missed.\n\nA worker may be entitled to compensatory rest if:\n\n- they\u2019re a shift worker and can\u2019t take daily or weekly rest breaks between ending one shift and starting another\n\n- their workplace is a long way from their home (eg an oil rig)\n\n- they work in different places which are a reasonable distance from each other\n\n- they\u2019re doing security and surveillance-based work\n\n- they\u2019re working in an industry which is very busy at certain times of the year \u2013 like agriculture, retail, postal services or tourism\n\n- they need to work because there\u2019s an exceptional event, an accident or a risk that an accident is about to happen\n\n- the job needs round-the-clock staffing so there aren\u2019t interruptions to any services or production (eg hospital work)\n\n- they work in the rail industry on board trains or their job is linked to making sure trains run on time\n\n- their working day is split up (eg they\u2019re a cleaner and work for part of the morning and the evening)\n\n- there is an agreement between management, trade unions or the workforce (a \u2018collective\u2019 or \u2018workforce\u2019 agreement) that has changed or removed rights to these rest breaks for a group of workers\n\nThe total rest entitlement for a week is 90 hours a week on average - this doesn\u2019t include breaks at work, which are additional.\n\n## Exceptions\n\nWorkers aren\u2019t entitled to the 3 general types of rest break if they work in:\n\n- the armed forces, emergency services or police and they\u2019re dealing with an exceptional catastrophe or disaster\n\n- a job where they freely choose what hours they work (like a managing director) or where the work is not measured (ie no set hours)\n\n- sea transport\n\n- air or road transport (known as \u2018mobile\u2019 workers)\n\nAir, sea or road transport workers may be covered by special rules that give them different rest rights.\n\nMobile workers not covered by any special rules usually have the right to regular rest so that their health and safety (or anyone else\u2019s) isn\u2019t put at risk.\n\nThere are also special rules for young workers and for lorry and coach drivers.\n\n## Young workers\n\nYoung workers (above school leaving age and under 18) are usually entitled to:\n\n- a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)\n\n- daily rest of 12 hours\n\n- weekly rest of 48 hours\n\n## Exceptions for young workers\n\nYoung workers sometimes aren\u2019t entitled to daily rest or rest breaks at work if their work has to be done because of an exceptional event (eg an accident). This is only where:\n\n- there isn\u2019t a worker over 18 who can do the work\n\n- the work is temporary and must be done immediately\n\n## Compensatory rest for young workers\n\nYoung workers have the right to compensatory rest if they\u2019re not entitled to daily rest or rest breaks at work. This is the same amount of rest that they should have had. It can be taken just after any rest they\u2019ve missed but it must be taken within the following 3 weeks.\n\n## Disputes\n\nWorkers who can\u2019t take or aren\u2019t allowed rest breaks should speak to their manager informally.\n\nGet more information for employees who want to raise a grievance or advice for employers on handling grievances if there is a disagreement about rest breaks.\n\nWorkers can also get advice on rest breaks from the Acas helpline.\n\nIf a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.", + "original_contents": [ + "

    Overview

    ", + "

    Workers over 18 are usually entitled to 3 types of break - rest breaks at work, daily rest and weekly rest.

    ", + "

    Rest breaks at work

    ", + "

    Workers have the right to one uninterrupted 20 minute rest break during their working day, if they work more than 6 hours a day. This could be a tea or lunch break.

    ", + "

    The break doesn\u2019t have to be paid - it depends on their employment contract.

    ", + "

    Daily rest

    ", + "

    Workers have the right to 11 hours rest between working days, eg if they finish work at 8pm, they shouldn\u2019t start work again until 7am the next day.

    ", + "

    Weekly rest

    ", + "

    Workers have the right to either:

    ", + "
  • an uninterrupted 24 hours without any work each week
  • ", + "
  • an uninterrupted 48 hours without any work each fortnight
  • ", + "

    A worker\u2019s employment contract may say they\u2019re entitled to more or different rights to breaks from work.

    ", + "

    Work that puts health and safety at risk

    ", + "

    An employer should give an employee enough breaks to make sure their health and safety isn\u2019t at risk if that work is \u2018monotonous\u2019 (eg work on a production line).

    ", + "

    Domestic workers in a private house (eg a cleaner or au pair) aren\u2019t entitled to rest breaks for health and safety reasons.

    ", + "

    Taking breaks

    ", + "

    Employers can say when employees take rest breaks during work time as long as:

    ", + "
  • the break is taken in one go somewhere in the middle of the day (not at the beginning or end)
  • ", + "
  • workers are allowed to spend it away from their desk or workstation (ie away from where they actually work)
  • ", + "

    It doesn\u2019t count as a rest break if an employer says an employee should go back to work before their break is finished.

    ", + "

    Unless a worker\u2019s employment contract says so, they don\u2019t have the right to:

    ", + "
  • take smoking breaks
  • ", + "
  • get paid for rest breaks
  • ", + "

    Exceptions and special circumstances

    ", + "

    There are exemptions to the rights to rest breaks.

    ", + "

    Some workers are entitled to compensatory rest breaks, eg shift workers.

    ", + "

    Young people and lorry and coach drivers have different rights to rest breaks.

    ", + "

    Compensatory rest

    ", + "

    Workers may be entitled to \u2018compensatory rest\u2019 if they don\u2019t have the right to specific rest breaks. Compensatory rest breaks are the same length of time as the break (or part of it) that they\u2019ve missed.

    ", + "

    A worker may be entitled to compensatory rest if:

    ", + "
  • they\u2019re a shift worker and can\u2019t take daily or weekly rest breaks between ending one shift and starting another
  • ", + "
  • their workplace is a long way from their home (eg an oil rig)
  • ", + "
  • they work in different places which are a reasonable distance from each other
  • ", + "
  • they\u2019re doing security and surveillance-based work
  • ", + "
  • they\u2019re working in an industry which is very busy at certain times of the year \u2013 like agriculture, retail, postal services or tourism
  • ", + "
  • they need to work because there\u2019s an exceptional event, an accident or a risk that an accident is about to happen
  • ", + "
  • the job needs round-the-clock staffing so there aren\u2019t interruptions to any services or production (eg hospital work)
  • ", + "
  • they work in the rail industry on board trains or their job is linked to making sure trains run on time
  • ", + "
  • their working day is split up (eg they\u2019re a cleaner and work for part of the morning and the evening)
  • ", + "
  • there is an agreement between management, trade unions or the workforce (a \u2018collective\u2019 or \u2018workforce\u2019 agreement) that has changed or removed rights to these rest breaks for a group of workers
  • ", + "

    The total rest entitlement for a week is 90 hours a week on average - this doesn\u2019t include breaks at work, which are additional.

    ", + "

    Exceptions

    ", + "

    Workers aren\u2019t entitled to the 3 general types of rest break if they work in:

    ", + "
  • the armed forces, emergency services or police and they\u2019re dealing with an exceptional catastrophe or disaster
  • ", + "
  • a job where they freely choose what hours they work (like a managing director) or where the work is not measured (ie no set hours)
  • ", + "
  • sea transport
  • ", + "
  • air or road transport (known as \u2018mobile\u2019 workers)
  • ", + "

    Air, sea or road transport workers may be covered by special rules that give them different rest rights.

    ", + "

    Mobile workers not covered by any special rules usually have the right to regular rest so that their health and safety (or anyone else\u2019s) isn\u2019t put at risk.

    ", + "

    There are also special rules for young workers and for lorry and coach drivers.

    ", + "

    Young workers

    ", + "

    Young workers (above school leaving age and under 18) are usually entitled to:

    ", + "
  • a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)
  • ", + "
  • daily rest of 12 hours
  • ", + "
  • weekly rest of 48 hours
  • ", + "

    Exceptions for young workers

    ", + "

    Young workers sometimes aren\u2019t entitled to daily rest or rest breaks at work if their work has to be done because of an exceptional event (eg an accident). This is only where:

    ", + "
  • there isn\u2019t a worker over 18 who can do the work
  • ", + "
  • the work is temporary and must be done immediately
  • ", + "

    Compensatory rest for young workers

    ", + "

    Young workers have the right to compensatory rest if they\u2019re not entitled to daily rest or rest breaks at work. This is the same amount of rest that they should have had. It can be taken just after any rest they\u2019ve missed but it must be taken within the following 3 weeks.

    ", + "

    Disputes

    ", + "

    Workers who can\u2019t take or aren\u2019t allowed rest breaks should speak to their manager informally.

    ", + "

    Get more information for employees who want to raise a grievance or advice for employers on handling grievances if there is a disagreement about rest breaks.

    ", + "

    Workers can also get advice on rest breaks from the Acas helpline.

    ", + "

    If a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.

    " + ] + }, + "https://www.gov.uk/dismiss-staff": { + "url": "https://www.gov.uk/dismiss-staff", + "title": "Dismissing staff", + "content": "## Overview\n\nDismissal is when you end an employee\u2019s contract. When dismissing staff, you must do it fairly.\n\nThere are different types of dismissal:\n\n- fair dismissal\n\n- unfair dismissal\n\n- constructive dismissal\n\n- wrongful dismissal\n\nIf you\u2019ve had to dismiss staff because of coronavirus (COVID-19), you might be able to re-employ them and pay their wages through the Coronavirus Job Retention Scheme.\n\n## Fair and unfair dismissal\n\nA dismissal is fair or unfair depending on:\n\n- your reason for it\n\n- how you act during the dismissal process\n\n## Constructive dismissal\n\nThis is when an employee resigns because you\u2019ve breached their employment contract. This could be a single serious event or a series of less serious events.\n\nAn employee could claim constructive dismissal if you:\n\n- cut their wages without agreement\n\n- unlawfully demote them\n\n- allow them to be harassed, bullied or discriminated against\n\n- unfairly increase their workload\n\n- change the location of their workplace at short notice\n\n- make them work in dangerous conditions\n\nA constructive dismissal is not necessarily unfair - but it would be difficult for you to show that a breach of contract was fair.\n\nA constructive dismissal might lead to a claim for wrongful dismissal.\n\n## Wrongful dismissal\n\nThis is where you break the terms of an employee\u2019s contract in the dismissal process, for example dismissing someone without giving them proper notice.\n\nWrongful dismissal is not the same as unfair dismissal.\n\nIf an employee thinks you\u2019ve dismissed them unfairly, constructively or wrongfully, they might take you to an employment tribunal.\n\n## Fair dismissals\n\nYou must have a valid reason for dismissing an employee. Valid reasons include:\n\n- their capability or conduct\n\n- redundancy\n\n- something that prevents them from legally being able to do their job, for example a driver losing their driving licence\n\nThere could be other fair reasons too - these are sometimes called \u2018other substantial reasons\u2019.\n\n## Acting reasonably\n\nEven if you have a fair reason, the dismissal is only fair if you also act reasonably during the dismissal and disciplinary process.\n\nThere\u2019s no legal definition of \u2018reasonableness\u2019, but if you\u2019re taken to an employment or industrial tribunal they would consider whether you:\n\n- genuinely believed that the reason was fair\n\n- carried out proper investigations where appropriate\n\n- followed the relevant procedures\n\n- told the employee why they were being considered for dismissal and listened to their views (in Northern Ireland, the employer must do this in writing)\n\n- allowed the employee to be accompanied at disciplinary/dismissal hearings\n\n- gave the employee the chance to appeal\n\nReasonableness might also depend on whether the employee could be expected to understand the consequences of their behaviour.\n\n## Dismissal and disciplinary procedures\n\nYou must set out your dismissal and disciplinary rules and procedures in writing - if you do not, a tribunal can order you to pay an employee compensation.\n\n## Summary dismissal\n\nThis is when you dismiss someone instantly without notice or pay in lieu of notice, usually because of gross misconduct (for example theft, fraud, violence).\n\nTribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.\n\nIf you feel summary dismissal\u2019s your only choice, you must still follow a fair procedure as you would do for any other disciplinary matter.\n\n## Unfair dismissals\n\nEven if you think you\u2019ve dismissed someone fairly, they could still claim unfair dismissal against you if they think that:\n\n- the reason you gave for the dismissal was not the real one\n\n- the reason was unfair\n\n- you acted unreasonably, for example by failing to give them plenty of warning about their dismissal\n\n## Automatically unfair reasons for dismissal\n\nEven if you\u2019ve acted reasonably, some reasons for dismissal are classed automatically unfair. These are to do with the following areas:\n\n- pregnancy, including all reasons relating to maternity\n\n- family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants\n\n- acting as an employee representative\n\n- acting as a trade union representative\n\n- acting as an occupational pension scheme trustee\n\n- joining or not joining a trade union\n\n- being a part-time or fixed-term employee\n\n- pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage\n\n- whistleblowing\n\nCompulsory retirement on the grounds of age is unlawful unfair dismissal unless you can objectively justify it - but you could be challenged at a tribunal.\n\n## Industrial action\n\nIt\u2019s automatically unfair to dismiss someone for taking part in official (\u2018lawful\u2019) industrial action:\n\n- in the 12-week period from the day the industrial action starts\n\n- if the action lasts longer than 12 weeks and you have not taken reasonable steps to resolve the dispute\n\nOnly an employment or industrial tribunal can decide whether or not you\u2019ve taken reasonable steps to resolve a dispute.\n\nIf you \u2018lock out\u2019 employees taking industrial action, the days of the lock-out are not included in the calculation of the 12-week protected period.\n\nA lock-out is where you prevent employees from getting to their workplace, for example by locking the doors.\n\n## Disability\n\nIf a disabled employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them.\n\n## Political beliefs and groups\n\nIt is not automatically unfair to dismiss someone because of their political beliefs or political groups they belong to, but a tribunal might find this unfair.\n\nThere\u2019s no longer a qualifying period for someone going to an employment tribunal if they\u2019ve been dismissed because of political opinions or affiliation. This applies to anyone dismissed from 25 June 2013.\n\n## Penalties for unfair dismissals\n\nIf a tribunal finds that an employee has been unfairly dismissed, you might be ordered to:\n\n- reinstate them (give them their job back)\n\n- re-engage them (re-employ them in a different job)\n\nYou might also have to pay compensation, which depends on the employee\u2019s:\n\n- age\n\n- gross weekly pay\n\n- length of service\n\nYou might have to pay extra compensation if you do not follow a tribunal\u2019s order to reinstate someone.\n\nThere\u2019s a limit on the amount a tribunal can award for unfair dismissal, apart from in cases relating to:\n\n- health and safety (for example where you unfairly dismiss someone for taking action on health and safety grounds)\n\n- whistleblowing\n\n## Eligibility to claim unfair dismissal\n\nEmployees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.\n\n| Date employment started | When the employee can claim |\n\n| Before 6 April 2012 | After first year of employment |\n\n| After 6 April 2012 | After 2 years of employment |\n\n## Who cannot claim unfair dismissal\n\nThe right to complain to a tribunal about unfair dismissal is not available to:\n\n- self-employed people\n\n- independent contractors\n\n- members of the armed forces\n\n- employees who have reached a settlement with their employer through Acas (Advisory, Conciliation and Arbitration Service) or the Labour Relations Agency (LRA) in Northern Ireland\n\n- employees who have reached a settlement with their employer through a \u2018settlement agreement\u2019 or \u2018compromise agreement\u2019 after taking legal advice\n\n- employees employed under an illegal contract, for example a barman under the age of 18\n\n- employees covered by a dismissal procedure agreement that\u2019s been legally exempted from the unfair dismissal rules\n\n- employees taking part in unofficial industrial action (unless the dismissal is for an automatically unfair reason)\n\n- police officers (unless the dismissal relates to health and safety or whistleblowing)\n\n- those working on a fishing vessel and paid by a share in the profits or gross earnings of the vessel\n\n## Dismissals for conduct or performance reasons\n\nYou can dismiss an employee if:\n\n- they\u2019re incapable of doing their job to the required standard\n\n- they\u2019re capable, but unwilling to do their job properly\n\n- they\u2019ve committed some form of misconduct\n\nIf you want to dismiss someone, there\u2019s no specific process you must go through by law - as long as you do it fairly.\n\nIf a capability issue is linked to someone\u2019s health, you should try as many ways as possible to help them do their job before dismissing them.\n\n## Disciplinary procedures\n\nYou should include examples of what you consider to be misconduct in your disciplinary rules.\n\nDifferent disciplinary procedures are appropriate for different circumstances.\n\nEmployees have the right to be accompanied to all disciplinary meetings and to appeal to a manager. Keep notes of all meetings and give copies to the employee.\n\n## Misconduct\n\nMisconduct can include things like persistent lateness or unauthorised absence from work.\n\nTo make sure the dismissal is fair when misconduct is not \u2018serious\u2019 or \u2018gross\u2019:\n\n- Arrange a meeting with the employee, telling them the reason for it. At the meeting, give them a chance to explain and issue a first written warning if you\u2019re not satisfied with their reasons. In the warning, tell them how you expect them to improve and over what period - warn them that if they do not improve enough, you\u2019ll give them a final written warning.\n\n- Hold a second meeting if their performance or behaviour has not improved enough by the deadline - give them a chance to explain and issue a final written warning if you\u2019re not satisfied with their reasons. Revise the action plan with timescales for improvement and warn them that you\u2019ll consider dismissal if there\u2019s no improvement.\n\n- Hold a third meeting if their performance or behaviour is still not up to standard by these new deadlines. Warn them that dismissal is now possible. After the meeting - or appeal if there is one - decide whether to give the employee a further chance to improve, or dismiss them. You must tell the employee of your final decision, whatever it is.\n\n## Serious misconduct\n\nYou can issue a single \u2018first and final\u2019 written warning if the misconduct or underperformance is serious enough. Explain that not improving could lead to dismissal. \u2018Serious enough\u2019 includes if it\u2019s likely to or has caused serious harm to the organisation itself.\n\n## Gross misconduct\n\nGross misconduct can include things like theft, physical violence, gross negligence or serious insubordination.\n\nWith gross misconduct, you can dismiss the employee immediately as long as you follow a fair procedure. You should investigate the incident and give the employee a chance to respond before deciding to dismiss them.\n\n## One-off incidents\n\nAn informal discussion may be enough to resolve the issue if the misconduct or underperformance was a one-off and the employee has a good disciplinary record.\n\n## Dismissals due to illness\n\nSometimes an employee may have to stop working because of long-term ill health. They may resign, or you may have to consider dismissing them.\n\n## Considering dismissing an employee\n\nDismissal is a last resort and you should consider as many ways as possible to help the employee back to work, including:\n\n- getting a medical report from their GP with the employee\u2019s permission - they have the right to see the report before you do\n\n- arranging an occupational health assessment\n\n- work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job\n\nIf the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.\n\n## How to dismiss someone\n\nDuring the dismissal procedure, make sure you act fairly and reasonably. You must treat the employee with sensitivity.\n\nYour procedure should follow the advice set out in the Acas (Advisory, Conciliation and Arbitration Service) code of practice, or the Labour Relations Agency (LRA) code of practice for Northern Ireland.\n\nIf you do not follow the code and are taken to an employment or industrial tribunal, you may have to pay compensation.", + "original_contents": [ + "

    Overview

    ", + "

    Dismissal is when you end an employee\u2019s contract. When dismissing staff, you must do it fairly.

    ", + "

    There are different types of dismissal:

    ", + "
  • fair dismissal
  • ", + "
  • unfair dismissal
  • ", + "
  • constructive dismissal
  • ", + "
  • wrongful dismissal
  • ", + "

    If you\u2019ve had to dismiss staff because of coronavirus (COVID-19), you might be able to re-employ them and pay their wages through the Coronavirus Job Retention Scheme.

    ", + "

    Fair and unfair dismissal

    ", + "

    A dismissal is fair or unfair depending on:

    ", + "
  • your reason for it
  • ", + "
  • how you act during the dismissal process
  • ", + "

    Constructive dismissal

    ", + "

    This is when an employee resigns because you\u2019ve breached their employment contract. This could be a single serious event or a series of less serious events.

    ", + "

    An employee could claim constructive dismissal if you:

    ", + "
  • cut their wages without agreement
  • ", + "
  • unlawfully demote them
  • ", + "
  • allow them to be harassed, bullied or discriminated against
  • ", + "
  • unfairly increase their workload
  • ", + "
  • change the location of their workplace at short notice
  • ", + "
  • make them work in dangerous conditions
  • ", + "

    A constructive dismissal is not necessarily unfair - but it would be difficult for you to show that a breach of contract was fair.

    ", + "

    A constructive dismissal might lead to a claim for wrongful dismissal.

    ", + "

    Wrongful dismissal

    ", + "

    This is where you break the terms of an employee\u2019s contract in the dismissal process, for example dismissing someone without giving them proper notice.

    ", + "

    Wrongful dismissal is not the same as unfair dismissal.

    ", + "

    If an employee thinks you\u2019ve dismissed them unfairly, constructively or wrongfully, they might take you to an employment tribunal.

    ", + "

    Fair dismissals

    ", + "

    You must have a valid reason for dismissing an employee. Valid reasons include:

    ", + "
  • their capability or conduct
  • ", + "
  • redundancy
  • ", + "
  • something that prevents them from legally being able to do their job, for example a driver losing their driving licence
  • ", + "

    There could be other fair reasons too - these are sometimes called \u2018other substantial reasons\u2019.

    ", + "

    Acting reasonably

    ", + "

    Even if you have a fair reason, the dismissal is only fair if you also act reasonably during the dismissal and disciplinary process.

    ", + "

    There\u2019s no legal definition of \u2018reasonableness\u2019, but if you\u2019re taken to an employment or industrial tribunal they would consider whether you:

    ", + "
  • genuinely believed that the reason was fair
  • ", + "
  • carried out proper investigations where appropriate
  • ", + "
  • followed the relevant procedures
  • ", + "
  • told the employee why they were being considered for dismissal and listened to their views (in Northern Ireland, the employer must do this in writing)
  • ", + "
  • allowed the employee to be accompanied at disciplinary/dismissal hearings
  • ", + "
  • gave the employee the chance to appeal
  • ", + "

    Reasonableness might also depend on whether the employee could be expected to understand the consequences of their behaviour.

    ", + "

    Dismissal and disciplinary procedures

    ", + "

    You must set out your dismissal and disciplinary rules and procedures in writing - if you do not, a tribunal can order you to pay an employee compensation.

    ", + "

    Summary dismissal

    ", + "

    This is when you dismiss someone instantly without notice or pay in lieu of notice, usually because of gross misconduct (for example theft, fraud, violence).

    ", + "

    Tribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.

    ", + "

    If you feel summary dismissal\u2019s your only choice, you must still follow a fair procedure as you would do for any other disciplinary matter.

    ", + "

    Unfair dismissals

    ", + "

    Even if you think you\u2019ve dismissed someone fairly, they could still claim unfair dismissal against you if they think that:

    ", + "
  • the reason you gave for the dismissal was not the real one
  • ", + "
  • the reason was unfair
  • ", + "
  • you acted unreasonably, for example by failing to give them plenty of warning about their dismissal
  • ", + "

    Automatically unfair reasons for dismissal

    ", + "

    Even if you\u2019ve acted reasonably, some reasons for dismissal are classed automatically unfair. These are to do with the following areas:

    ", + "
  • pregnancy, including all reasons relating to maternity
  • ", + "
  • family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants
  • ", + "
  • acting as an employee representative
  • ", + "
  • acting as a trade union representative
  • ", + "
  • acting as an occupational pension scheme trustee
  • ", + "
  • joining or not joining a trade union
  • ", + "
  • being a part-time or fixed-term employee
  • ", + "
  • pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage
  • ", + "
  • whistleblowing
  • ", + "

    Compulsory retirement on the grounds of age is unlawful unfair dismissal unless you can objectively justify it - but you could be challenged at a tribunal.

    ", + "

    Industrial action

    ", + "

    It\u2019s automatically unfair to dismiss someone for taking part in official (\u2018lawful\u2019) industrial action:

    ", + "
  • in the 12-week period from the day the industrial action starts
  • ", + "
  • if the action lasts longer than 12 weeks and you have not taken reasonable steps to resolve the dispute
  • ", + "

    Only an employment or industrial tribunal can decide whether or not you\u2019ve taken reasonable steps to resolve a dispute.

    ", + "

    If you \u2018lock out\u2019 employees taking industrial action, the days of the lock-out are not included in the calculation of the 12-week protected period.

    ", + "

    A lock-out is where you prevent employees from getting to their workplace, for example by locking the doors.

    ", + "

    Disability

    ", + "

    If a disabled employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them.

    ", + "

    Political beliefs and groups

    ", + "

    It is not automatically unfair to dismiss someone because of their political beliefs or political groups they belong to, but a tribunal might find this unfair.

    ", + "

    There\u2019s no longer a qualifying period for someone going to an employment tribunal if they\u2019ve been dismissed because of political opinions or affiliation. This applies to anyone dismissed from 25 June 2013.

    ", + "

    Penalties for unfair dismissals

    ", + "

    If a tribunal finds that an employee has been unfairly dismissed, you might be ordered to:

    ", + "
  • reinstate them (give them their job back)
  • ", + "
  • re-engage them (re-employ them in a different job)
  • ", + "

    You might also have to pay compensation, which depends on the employee\u2019s:

    ", + "
  • age
  • ", + "
  • gross weekly pay
  • ", + "
  • length of service
  • ", + "

    You might have to pay extra compensation if you do not follow a tribunal\u2019s order to reinstate someone.

    ", + "

    There\u2019s a limit on the amount a tribunal can award for unfair dismissal, apart from in cases relating to:

    ", + "
  • health and safety (for example where you unfairly dismiss someone for taking action on health and safety grounds)
  • ", + "
  • whistleblowing
  • ", + "

    Eligibility to claim unfair dismissal

    ", + "

    Employees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.

    ", + "Date employment started | When the employee can claim", + "Before 6 April 2012 | After first year of employment", + "After 6 April 2012 | After 2 years of employment", + "

    Who cannot claim unfair dismissal

    ", + "

    The right to complain to a tribunal about unfair dismissal is not available to:

    ", + "
  • self-employed people
  • ", + "
  • independent contractors
  • ", + "
  • members of the armed forces
  • ", + "
  • employees who have reached a settlement with their employer through Acas (Advisory, Conciliation and Arbitration Service) or the Labour Relations Agency (LRA) in Northern Ireland
  • ", + "
  • employees who have reached a settlement with their employer through a \u2018settlement agreement\u2019 or \u2018compromise agreement\u2019 after taking legal advice
  • ", + "
  • employees employed under an illegal contract, for example a barman under the age of 18
  • ", + "
  • employees covered by a dismissal procedure agreement that\u2019s been legally exempted from the unfair dismissal rules
  • ", + "
  • employees taking part in unofficial industrial action (unless the dismissal is for an automatically unfair reason)
  • ", + "
  • police officers (unless the dismissal relates to health and safety or whistleblowing)
  • ", + "
  • those working on a fishing vessel and paid by a share in the profits or gross earnings of the vessel
  • ", + "

    Dismissals for conduct or performance reasons

    ", + "

    You can dismiss an employee if:

    ", + "
  • they\u2019re incapable of doing their job to the required standard
  • ", + "
  • they\u2019re capable, but unwilling to do their job properly
  • ", + "
  • they\u2019ve committed some form of misconduct
  • ", + "

    If you want to dismiss someone, there\u2019s no specific process you must go through by law - as long as you do it fairly.

    ", + "

    If a capability issue is linked to someone\u2019s health, you should try as many ways as possible to help them do their job before dismissing them.

    ", + "

    Disciplinary procedures

    ", + "

    You should include examples of what you consider to be misconduct in your disciplinary rules.

    ", + "

    Different disciplinary procedures are appropriate for different circumstances.

    ", + "

    Employees have the right to be accompanied to all disciplinary meetings and to appeal to a manager. Keep notes of all meetings and give copies to the employee.

    ", + "

    Misconduct

    ", + "

    Misconduct can include things like persistent lateness or unauthorised absence from work.

    ", + "

    To make sure the dismissal is fair when misconduct is not \u2018serious\u2019 or \u2018gross\u2019:

    ", + "
  • Arrange a meeting with the employee, telling them the reason for it. At the meeting, give them a chance to explain and issue a first written warning if you\u2019re not satisfied with their reasons. In the warning, tell them how you expect them to improve and over what period - warn them that if they do not improve enough, you\u2019ll give them a final written warning.
  • ", + "
  • Hold a second meeting if their performance or behaviour has not improved enough by the deadline - give them a chance to explain and issue a final written warning if you\u2019re not satisfied with their reasons. Revise the action plan with timescales for improvement and warn them that you\u2019ll consider dismissal if there\u2019s no improvement.
  • ", + "
  • Hold a third meeting if their performance or behaviour is still not up to standard by these new deadlines. Warn them that dismissal is now possible. After the meeting - or appeal if there is one - decide whether to give the employee a further chance to improve, or dismiss them. You must tell the employee of your final decision, whatever it is.
  • ", + "

    Serious misconduct

    ", + "

    You can issue a single \u2018first and final\u2019 written warning if the misconduct or underperformance is serious enough. Explain that not improving could lead to dismissal. \u2018Serious enough\u2019 includes if it\u2019s likely to or has caused serious harm to the organisation itself.

    ", + "

    Gross misconduct

    ", + "

    Gross misconduct can include things like theft, physical violence, gross negligence or serious insubordination.

    ", + "

    With gross misconduct, you can dismiss the employee immediately as long as you follow a fair procedure. You should investigate the incident and give the employee a chance to respond before deciding to dismiss them.

    ", + "

    One-off incidents

    ", + "

    An informal discussion may be enough to resolve the issue if the misconduct or underperformance was a one-off and the employee has a good disciplinary record.

    ", + "

    Dismissals due to illness

    ", + "

    Sometimes an employee may have to stop working because of long-term ill health. They may resign, or you may have to consider dismissing them.

    ", + "

    Considering dismissing an employee

    ", + "

    Dismissal is a last resort and you should consider as many ways as possible to help the employee back to work, including:

    ", + "
  • getting a medical report from their GP with the employee\u2019s permission - they have the right to see the report before you do
  • ", + "
  • arranging an occupational health assessment
  • ", + "
  • work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job
  • ", + "

    If the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.

    ", + "

    How to dismiss someone

    ", + "

    During the dismissal procedure, make sure you act fairly and reasonably. You must treat the employee with sensitivity.

    ", + "

    Your procedure should follow the advice set out in the Acas (Advisory, Conciliation and Arbitration Service) code of practice, or the Labour Relations Agency (LRA) code of practice for Northern Ireland.

    ", + "

    If you do not follow the code and are taken to an employment or industrial tribunal, you may have to pay compensation.

    " + ] + }, + "https://www.gov.uk/handling-employee-grievance": { + "url": "https://www.gov.uk/handling-employee-grievance", + "title": "Handling an employee's grievance", + "content": "## Overview\n\nIf your employee has a concern or problem that they haven\u2019t been able to resolve informally, they may make a formal grievance complaint to you.\n\nBusinesses must have a written grievance procedure in place and share it with all employees. It must say how the process works and how long it takes.\n\nAfter a hearing of the evidence, you should let the employee know your decision in writing. If they aren\u2019t happy with the decision, they can appeal.\n\n## Grievance procedure\n\nBy law employers must set out a grievance procedure and share it in writing with all employees, eg in their statement of employment or staff handbook. It must include:\n\n- who the employee should contact about a grievance\n\n- how to contact this person\n\nIt should also:\n\n- say that if the problem can\u2019t be resolved informally, there will be a meeting with the employee, called a grievance hearing\n\n- set out time limits for each stage of the process\n\n- identify who to contact if the normal contact person is involved in the grievance\n\n- explain how to appeal a grievance decision\n\n- state that employees can be accompanied in any meetings by a colleague or union representative\n\n- outline what happens if a grievance is raised during disciplinary action\n\nYou don\u2019t have to include information about the grievance procedure in employment contracts. However, if you do, you must follow the procedure, or the employee could bring a breach of contract claim against you.\n\n## Acas Code of Practice\n\nThe Acas Code of Practice isn\u2019t legally binding. However, an employment tribunal can reduce or increase any money awarded in a case by up to 25% if the code hasn\u2019t been followed.\n\n## The grievance hearing\n\n## Preparing for the hearing\n\nBefore holding a hearing, employers should:\n\n- give the employee notice so that they can prepare their case\n\n- carry out a full investigation if necessary and take statements from any witnesses who cannot attend\n\n- make it clear that the employee can bring a colleague or union representative if they want to\n\n- arrange for another manager to attend to make sure that the hearing is conducted properly\n\n- arrange for someone to take notes\n\n## Delays\n\nIf the employee cannot attend the hearing (eg because they are ill), offer them a reasonable alternative date and time.\n\nThe employee can also suggest a different time for the hearing if the person accompanying them cannot attend. They must do this within 5 working days after you proposed the original meeting time.\n\nYou can make your decision without having a hearing if:\n\n- you have already rearranged the meeting, but the employee fails to attend\n\n- the employee is on long-term sick leave and unable to go to meetings in the near future (they can supply written information instead if they want to)\n\n## Employers' decisions and appeals\n\n## After the hearing\n\nYou should give the employee a copy of the meeting records. You may be able to leave out some information in certain circumstances (eg to protect a witness).\n\nAfter you have decided the action to take, write to the parties involved, setting out:\n\n- your decision and the reasons behind it\n\n- the appeals process and deadline\n\nIf there are any delays during the appeal process, it\u2019s important that you tell the employee as soon as possible.\n\n## Appeals\n\nIf the employee appeals, there should be another hearing to re-examine the decision. The process is the same as the original hearing but you should also look at:\n\n- the reasoning behind the appeal\n\n- any new evidence\n\nIf possible, the appeal should not be heard by the same person who held the original hearing.\n\nAfter the appeal hearing, you should set out your decision in writing and state that this is the final outcome.", + "original_contents": [ + "

    Overview

    ", + "

    If your employee has a concern or problem that they haven\u2019t been able to resolve informally, they may make a formal grievance complaint to you.

    ", + "

    Businesses must have a written grievance procedure in place and share it with all employees. It must say how the process works and how long it takes.

    ", + "

    After a hearing of the evidence, you should let the employee know your decision in writing. If they aren\u2019t happy with the decision, they can appeal.

    ", + "

    Grievance procedure

    ", + "

    By law employers must set out a grievance procedure and share it in writing with all employees, eg in their statement of employment or staff handbook. It must include:

    ", + "
  • who the employee should contact about a grievance
  • ", + "
  • how to contact this person
  • ", + "

    It should also:

    ", + "
  • say that if the problem can\u2019t be resolved informally, there will be a meeting with the employee, called a grievance hearing
  • ", + "
  • set out time limits for each stage of the process
  • ", + "
  • identify who to contact if the normal contact person is involved in the grievance
  • ", + "
  • explain how to appeal a grievance decision
  • ", + "
  • state that employees can be accompanied in any meetings by a colleague or union representative
  • ", + "
  • outline what happens if a grievance is raised during disciplinary action
  • ", + "

    You don\u2019t have to include information about the grievance procedure in employment contracts. However, if you do, you must follow the procedure, or the employee could bring a breach of contract claim against you.

    ", + "

    Acas Code of Practice

    ", + "

    The Acas Code of Practice isn\u2019t legally binding. However, an employment tribunal can reduce or increase any money awarded in a case by up to 25% if the code hasn\u2019t been followed.

    ", + "

    The grievance hearing

    ", + "

    Preparing for the hearing

    ", + "

    Before holding a hearing, employers should:

    ", + "
  • give the employee notice so that they can prepare their case
  • ", + "
  • carry out a full investigation if necessary and take statements from any witnesses who cannot attend
  • ", + "
  • make it clear that the employee can bring a colleague or union representative if they want to
  • ", + "
  • arrange for another manager to attend to make sure that the hearing is conducted properly
  • ", + "
  • arrange for someone to take notes
  • ", + "

    Delays

    ", + "

    If the employee cannot attend the hearing (eg because they are ill), offer them a reasonable alternative date and time.

    ", + "

    The employee can also suggest a different time for the hearing if the person accompanying them cannot attend. They must do this within 5 working days after you proposed the original meeting time.

    ", + "

    You can make your decision without having a hearing if:

    ", + "
  • you have already rearranged the meeting, but the employee fails to attend
  • ", + "
  • the employee is on long-term sick leave and unable to go to meetings in the near future (they can supply written information instead if they want to)
  • ", + "

    Employers' decisions and appeals

    ", + "

    After the hearing

    ", + "

    You should give the employee a copy of the meeting records. You may be able to leave out some information in certain circumstances (eg to protect a witness).

    ", + "

    After you have decided the action to take, write to the parties involved, setting out:

    ", + "
  • your decision and the reasons behind it
  • ", + "
  • the appeals process and deadline
  • ", + "

    If there are any delays during the appeal process, it\u2019s important that you tell the employee as soon as possible.

    ", + "

    Appeals

    ", + "

    If the employee appeals, there should be another hearing to re-examine the decision. The process is the same as the original hearing but you should also look at:

    ", + "
  • the reasoning behind the appeal
  • ", + "
  • any new evidence
  • ", + "

    If possible, the appeal should not be heard by the same person who held the original hearing.

    ", + "

    After the appeal hearing, you should set out your decision in writing and state that this is the final outcome.

    " + ] + }, + "https://www.gov.uk/staff-redundant": { + "url": "https://www.gov.uk/staff-redundant", + "title": "Making staff redundant", + "content": "## Overview\n\nRedundancy is when you dismiss an employee because you no longer need anyone to do their job. This might be because your business is:\n\n- changing what it does\n\n- doing things in a different way, for example using new machinery\n\n- changing location or closing down\n\nIf you\u2019ve been impacted by coronavirus (COVID-19), you can get funding to continue to pay your employees instead of making them redundant. This is known as furloughing.\n\nFor a redundancy to be genuine, you must demonstrate that the employee\u2019s job will no longer exist.\n\nRedundancies can be compulsory or non-compulsory. If you do have to make redundancies you can get help from Jobcentre Plus.\n\n## Employee rights\n\nEmployees have certain rights and may be entitled to redundancy pay if they\u2019re made redundant.\n\nAll employees under notice of redundancy have the right to:\n\n- reasonable time off to look for a new job or arrange training\n\n- not be unfairly selected for redundancy\n\nYou should always take steps to avoid redundancies before dismissing staff.\n\n## Alternative employment\n\nEmployers must try to find suitable alternative employment within the organisation for employees they\u2019ve made redundant.\n\nEmployees can try out an alternative role for 4 weeks (or more if agreed in writing) without giving up their right to redundancy pay.\n\n## Avoiding redundancies\n\nYou should take steps to avoid compulsory redundancies, for example by:\n\n- seeking applicants for voluntary redundancy or early retirement\n\n- seeking applications from existing staff to work flexibly\n\n- laying off self-employed contractors, freelancers etc\n\n- not using casual labour\n\n- restricting recruitment\n\n- reducing or banning overtime\n\n- filling vacancies elsewhere in the business with existing employees\n\n- short-time working or temporary lay-offs\n\n## Offers of alternative work\n\nEven if you\u2019ve selected someone for redundancy, you can still offer them alternative work.\n\nFor an offer to be valid:\n\n- it should be unconditional and in writing\n\n- it must be made before the employee\u2019s current contract ends\n\n- it should show how the new job differs from the old\n\n- the job must actually be offered to the employee - they should not have to apply\n\n- the new job must start within 4 weeks of the old job ending\n\nEmployees who accept an offer of alternative work are allowed a 4-week trial period to see if the work is suitable. If you both agree that it is not, they can still claim redundancy pay.\n\nThe trial period can be longer than 4 weeks if you agree this in writing.\n\nIf you think the job is suitable but the employee refuses to take it, they might lose any redundancy pay entitlement.\n\n## Lay-offs and short-time working\n\nYou can lay off an employee (ask them to stay at home or take unpaid leave) when you temporarily cannot give them paid work - as long as the employment contract allows this.\n\nShort-time working is when an employee works reduced hours or is paid less than half a week\u2019s pay.\n\nLaying off staff or short-time working can help avoid redundancies - but you have to agree this with staff first.\n\nThis could be in:\n\n- their employment contract\n\n- a national agreement for the industry\n\n- a collective agreement between you and a recognised trade union\n\nNational and collective agreements can only be enforced if they\u2019re in the employee\u2019s employment contract.\n\nYou may also be able to lay off an employee or put them on short-time working:\n\n- where you have clear evidence showing it\u2019s been widely accepted in your organisation over a long period of time\n\n- if you agree with the employee to change their employment contract to allow them to be laid off or put on short-time working (this will not automatically give you the power to do this without their consent in the future)\n\n## Statutory guarantee payments\n\nEmployees are entitled to these if you do not provide them with a full day\u2019s work during the time they\u2019d normally be required to work.\n\nThe maximum payment is \u00a330 a day for 5 days (\u00a3150) in any 3 months. If employees usually earn less than \u00a330 a day, they\u2019ll get their usual daily rate. For part-time workers, the rate is worked out proportionally.\n\nEmployees can claim a redundancy payment from you if the lay-off or short-time working runs for:\n\n- 4 or more weeks in a row\n\n- 6 or more weeks in a 13 week period, where no more than 3 are in a row\n\nThey must give you written notice in advance that they want to make a claim.\n\nYou do not have to pay if they\u2019ll return to normal working hours within 4 weeks.\n\nIf you do not give guarantee pay to someone who\u2019s entitled to it, they could take you to an employment tribunal.\n\nThere\u2019s more advice on lay-offs and short-time working on the Acas (Advisory, Conciliation and Arbitration Service) website.\n\n## Non-compulsory redundancy\n\n## Voluntary redundancy\n\nThis is where you ask employees if they\u2019d like to volunteer for redundancy.\n\nYou must have a fair and transparent selection process and tell employees they will not automatically be selected just because they applied.\n\n## Early retirement\n\nThis is where you offer employees incentives to retire early. It is used as an alternative to voluntary redundancy.\n\nThe offer must be made across the workforce - you cannot single out specific individuals.\n\nYou cannot force anyone into early retirement - it must be the employee\u2019s choice.\n\n## Compulsory redundancy\n\nIf you decide you need to make compulsory redundancies, you must:\n\n- identify which employees will be made redundant\n\n- make sure you select people fairly - do not discriminate\n\n## Fair selection criteria\n\nFair reasons for selecting employees for redundancy include:\n\n- skills, qualifications and aptitude\n\n- standard of work and/or performance\n\n- attendance\n\n- disciplinary record\n\nYou can select employees based on their length of service (\u2018last in, first out\u2019) but only if you can justify it. It could be indirect discrimination if it affects one group of people more than another.\n\nDo not rely on length of service as your only selection criteria - this is likely to be age discrimination.\n\n## Unfair selection criteria\n\nSome selection criteria are automatically unfair. You must not select an employee for redundancy based on any of the following reasons:\n\n- pregnancy, including all reasons relating to maternity\n\n- family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants\n\n- acting as an employee representative\n\n- acting as a trade union representative\n\n- joining or not joining a trade union\n\n- being a part-time or fixed-term employee\n\n- age, disability, gender reassignment, marriage and civil partnership, race, religion or belief, sex and sexual orientation\n\n- pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage\n\nYou should always consult employees in a redundancy situation.\n\n## Redundancy consultations\n\nIf you do not consult employees in a redundancy situation, any redundancies you make will almost certainly be unfair and you could be taken to an employment tribunal.\n\nYou must follow \u2018collective consultation\u2019 rules if you\u2019re making 20 or more employees redundant within any 90-day period at a single establishment.\n\nThere are no set rules to follow if there are fewer than 20 redundancies planned, but it\u2019s good practice to fully consult employees and their representatives. An employment tribunal could decide that you\u2019ve dismissed your staff unfairly if you do not.\n\nConsultation does not have to end in agreement, but it must be carried out with a view to reaching it, including ways of avoiding or reducing the redundancies.\n\n## Collective consultation\n\nFollow these steps.\n\n- You must notify the Redundancy Payments Service (RPS) before a consultation starts. The deadline depends on the number of proposed redundancies.\n\n- Consult with trade union representatives or elected employee representatives - or with staff directly if there are none.\n\n- Provide information to representatives or staff about the planned redundancies, giving representatives or staff enough time to consider them.\n\n- Respond to any requests for further information.\n\n- Give any affected staff termination notices showing the agreed leaving date.\n\n- Issue redundancy notices once the consultation is complete.\n\n## Notification\n\nNotify RPS by filling in form HR1. Instructions on where to send it are on the form.\n\nThe deadline for notifying RPS depends on the number of proposed redundancies.\n\n| Number of proposed redundancies | When notification to RPS must be given |\n\n| 20 to 99 | 30 days before the first redundancy |\n\n| 100 or more | 45 days before the first redundancy |\n\nYou can be fined an unlimited amount if you do not notify RPS.\n\n## Consultation\n\nThere\u2019s no time limit on how long consultations last, but there is a minimum period before you can dismiss any employees.\n\n| Number of proposed redundancies | Minimum consultation period before dismissal |\n\n| 20 to 99 | 30 days |\n\n| 100 or more | 45 days |\n\n## Information you must provide to representatives or staff\n\nYou must provide written details of:\n\n- the reasons for redundancies\n\n- the numbers and categories of employees involved\n\n- the numbers of employees in each category\n\n- how you plan to select employees for redundancy\n\n- how you\u2019ll carry out redundancies\n\n- how you\u2019ll work out redundancy payments\n\n## Further information\n\nDownload the guidance on how to manage collective redundancies from Advisory, Conciliation and Arbitration Service (Acas).\n\n## Giving staff notice\n\nYou must give staff notice and agree a leaving date once you\u2019ve finished the redundancy consultations.\n\nGive staff at least the statutory notice period, based on how long they have worked.\n\n| Length of service | Notice you must give |\n\n| 1 month to 2 years | At least a week |\n\n| 2 years to 12 years | A week\u2019s notice for every year employed |\n\n| 12 or more years | 12 weeks |\n\nYou can allow staff to leave earlier than the planned leaving date (for example without notice) by offering payment in lieu of notice.\n\n## Notice pay\n\nYou must give staff notice pay - based on their pay rate and notice period - or make a payment in lieu of notice.\n\nYour employee\u2019s notice pay is based on the average they earned per week over the 12 weeks before their notice period starts.\n\nIf your employee earned less than usual because you used the Coronavirus Job Retention Scheme to put them \u2018on furlough\u2019, you must work out their notice payments based on what they would have earned normally.\n\n## Pay in lieu of notice\n\nIf you have included a payment in lieu of notice clause in the employment contract, you can end your staff\u2019s employment with no notice. This lets you make a payment to cover the notice period they would have worked.\n\nThese payments must have tax and National Insurance deducted.\n\nWhen you make payments in lieu of notice, you still have to pay staff the basic pay they would have got during the notice period. You also have to pay pension, private health care insurance or other contributions if it\u2019s in the employee\u2019s contract.\n\n## Redundancy pay\n\nEmployees you make redundant might be entitled to redundancy pay - this is called a \u2018statutory redundancy payment\u2019.\n\nTo be eligible, an individual must:\n\n- be an employee working under a contract of employment\n\n- have at least 2 years\u2019 continuous service\n\n- have been dismissed, laid off or put on short-time working - those who opted for early retirement do not qualify\n\nYou must make the payment when you dismiss the employee, or soon after.\n\nA redundant employee also has the right to a written statement setting out the amount of redundancy payment and how you worked it out.\n\n## Statutory redundancy pay rates\n\nThese are based on an employee\u2019s age and length of employment and are counted back from the date of dismissal.\n\nEmployees get:\n\n- 1.5 weeks\u2019 pay for each full year of employment after their 41st birthday\n\n- a week\u2019s pay for each full year of employment after their 22nd birthday\n\n- half a week\u2019s pay for each full year of employment up to their 22nd birthday\n\nLength of service is capped at 20 years.\n\nYour employee\u2019s weekly pay is the average they earned per week over the 12 weeks before the day they got their redundancy notice.\n\nIf your employee earned less than usual because you used the Coronavirus Job Retention Scheme to put them \u2018on furlough\u2019, you must work out their redundancy payments based on what they would have earned normally.\n\nWeekly pay is capped at \u00a3544. The maximum amount of statutory redundancy pay is \u00a316,320.\n\nStatutory redundancy pay rates may be different in Northern Ireland.\n\nYou can give your staff extra redundancy pay if you want to, or have a qualifying period of less than 2 years.\n\nYou can use the redundancy pay calculator to work out payments.\n\n## If you do not pay\n\nIf you fail to pay redundancy pay or if an employee disagrees with the amount, they have 3 months from the date their employment ended to make a claim for payment to an employment tribunal.\n\nIf an employee does not claim in time, a tribunal still has 6 months to decide whether or not they should get a payment.\n\n## If you have financial difficulties\n\nIf your business would become insolvent as a result of making the statutory redundancy payments, the Insolvency Service\u2019s Redundancy Payments Service (RPS) may be able to help.\n\nYou\u2019d have to repay any debt as soon as possible. Email the Redundancy Payments Service for more information. Include all of the following in your email:\n\n- your name\n\n- whether you\u2019re the employer\n\n- whether you should be the main point of contact\n\n- the name of your business\n\n- your business address\n\n- number of redundancies\n\n## Tax\n\nEmployees who\u2019ve been made redundant only pay tax on payments over \u00a330,000. They do not pay any National Insurance.\n\nTax and National Insurance are deducted from other termination payments, for example payment in lieu of holiday or notice.\n\n## Getting help\n\nIf you have to make redundancies, Jobcentre Plus can give you and your employees support and advice through its Rapid Response Service.\n\nSupport could include:\n\n- helping people facing redundancy to write CVs and find jobs\n\n- providing general information about benefits\n\n- helping people to find the right training and learn new skills\n\n- helping with costs like travel to work expenses\n\nJobcentre Plus may also provide on-site support for large scale redundancies.\n\nIn Scotland, Rapid Response Service support is delivered through Partnership Action for Continuing Employment (PACE) - there\u2019s more information on the Skills Development Scotland website.\n\nIn Wales, the service is delivered by the ReAct scheme.\n\nAcas has an online redundancy helpline.\n\n## How to get help\n\nTo find out how your business can use the Rapid Response Service, email rrs.enquiries@dwp.gov.uk and include:\n\n- your contact details\n\n- the town(s) your business is based in (including postcodes)\n\n- the location(s) of the redundancies", + "original_contents": [ + "

    Overview

    ", + "

    Redundancy is when you dismiss an employee because you no longer need anyone to do their job. This might be because your business is:

    ", + "
  • changing what it does
  • ", + "
  • doing things in a different way, for example using new machinery
  • ", + "
  • changing location or closing down
  • ", + "

    If you\u2019ve been impacted by coronavirus (COVID-19), you can get funding to continue to pay your employees instead of making them redundant. This is known as furloughing.

    ", + "

    For a redundancy to be genuine, you must demonstrate that the employee\u2019s job will no longer exist.

    ", + "

    Redundancies can be compulsory or non-compulsory. If you do have to make redundancies you can get help from Jobcentre Plus.

    ", + "

    Employee rights

    ", + "

    Employees have certain rights and may be entitled to redundancy pay if they\u2019re made redundant.

    ", + "

    All employees under notice of redundancy have the right to:

    ", + "
  • reasonable time off to look for a new job or arrange training
  • ", + "
  • not be unfairly selected for redundancy
  • ", + "

    You should always take steps to avoid redundancies before dismissing staff.

    ", + "

    Alternative employment

    ", + "

    Employers must try to find suitable alternative employment within the organisation for employees they\u2019ve made redundant.

    ", + "

    Employees can try out an alternative role for 4 weeks (or more if agreed in writing) without giving up their right to redundancy pay.

    ", + "

    Avoiding redundancies

    ", + "

    You should take steps to avoid compulsory redundancies, for example by:

    ", + "
  • seeking applicants for voluntary redundancy or early retirement
  • ", + "
  • seeking applications from existing staff to work flexibly
  • ", + "
  • laying off self-employed contractors, freelancers etc
  • ", + "
  • not using casual labour
  • ", + "
  • restricting recruitment
  • ", + "
  • reducing or banning overtime
  • ", + "
  • filling vacancies elsewhere in the business with existing employees
  • ", + "
  • short-time working or temporary lay-offs
  • ", + "

    Offers of alternative work

    ", + "

    Even if you\u2019ve selected someone for redundancy, you can still offer them alternative work.

    ", + "

    For an offer to be valid:

    ", + "
  • it should be unconditional and in writing
  • ", + "
  • it must be made before the employee\u2019s current contract ends
  • ", + "
  • it should show how the new job differs from the old
  • ", + "
  • the job must actually be offered to the employee - they should not have to apply
  • ", + "
  • the new job must start within 4 weeks of the old job ending
  • ", + "

    Employees who accept an offer of alternative work are allowed a 4-week trial period to see if the work is suitable. If you both agree that it is not, they can still claim redundancy pay.

    ", + "

    The trial period can be longer than 4 weeks if you agree this in writing.

    ", + "

    If you think the job is suitable but the employee refuses to take it, they might lose any redundancy pay entitlement.

    ", + "

    Lay-offs and short-time working

    ", + "

    You can lay off an employee (ask them to stay at home or take unpaid leave) when you temporarily cannot give them paid work - as long as the employment contract allows this.

    ", + "

    Short-time working is when an employee works reduced hours or is paid less than half a week\u2019s pay.

    ", + "

    Laying off staff or short-time working can help avoid redundancies - but you have to agree this with staff first.

    ", + "

    This could be in:

    ", + "
  • their employment contract
  • ", + "
  • a national agreement for the industry
  • ", + "
  • a collective agreement between you and a recognised trade union
  • ", + "

    National and collective agreements can only be enforced if they\u2019re in the employee\u2019s employment contract.

    ", + "

    You may also be able to lay off an employee or put them on short-time working:

    ", + "
  • where you have clear evidence showing it\u2019s been widely accepted in your organisation over a long period of time
  • ", + "
  • if you agree with the employee to change their employment contract to allow them to be laid off or put on short-time working (this will not automatically give you the power to do this without their consent in the future)
  • ", + "

    Statutory guarantee payments

    ", + "

    Employees are entitled to these if you do not provide them with a full day\u2019s work during the time they\u2019d normally be required to work.

    ", + "

    The maximum payment is \u00a330 a day for 5 days (\u00a3150) in any 3 months. If employees usually earn less than \u00a330 a day, they\u2019ll get their usual daily rate. For part-time workers, the rate is worked out proportionally.

    ", + "

    Employees can claim a redundancy payment from you if the lay-off or short-time working runs for:

    ", + "
  • 4 or more weeks in a row
  • ", + "
  • 6 or more weeks in a 13 week period, where no more than 3 are in a row
  • ", + "

    They must give you written notice in advance that they want to make a claim.

    ", + "

    You do not have to pay if they\u2019ll return to normal working hours within 4 weeks.

    ", + "

    If you do not give guarantee pay to someone who\u2019s entitled to it, they could take you to an employment tribunal.

    ", + "

    There\u2019s more advice on lay-offs and short-time working on the Acas (Advisory, Conciliation and Arbitration Service) website.

    ", + "

    Non-compulsory redundancy

    ", + "

    Voluntary redundancy

    ", + "

    This is where you ask employees if they\u2019d like to volunteer for redundancy.

    ", + "

    You must have a fair and transparent selection process and tell employees they will not automatically be selected just because they applied.

    ", + "

    Early retirement

    ", + "

    This is where you offer employees incentives to retire early. It is used as an alternative to voluntary redundancy.

    ", + "

    The offer must be made across the workforce - you cannot single out specific individuals.

    ", + "

    You cannot force anyone into early retirement - it must be the employee\u2019s choice.

    ", + "

    Compulsory redundancy

    ", + "

    If you decide you need to make compulsory redundancies, you must:

    ", + "
  • identify which employees will be made redundant
  • ", + "
  • make sure you select people fairly - do not discriminate
  • ", + "

    Fair selection criteria

    ", + "

    Fair reasons for selecting employees for redundancy include:

    ", + "
  • skills, qualifications and aptitude
  • ", + "
  • standard of work and/or performance
  • ", + "
  • attendance
  • ", + "
  • disciplinary record
  • ", + "

    You can select employees based on their length of service (\u2018last in, first out\u2019) but only if you can justify it. It could be indirect discrimination if it affects one group of people more than another.

    ", + "

    Do not rely on length of service as your only selection criteria - this is likely to be age discrimination.

    ", + "

    Unfair selection criteria

    ", + "

    Some selection criteria are automatically unfair. You must not select an employee for redundancy based on any of the following reasons:

    ", + "
  • pregnancy, including all reasons relating to maternity
  • ", + "
  • family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants
  • ", + "
  • acting as an employee representative
  • ", + "
  • acting as a trade union representative
  • ", + "
  • joining or not joining a trade union
  • ", + "
  • being a part-time or fixed-term employee
  • ", + "
  • age, disability, gender reassignment, marriage and civil partnership, race, religion or belief, sex and sexual orientation
  • ", + "
  • pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage
  • ", + "

    You should always consult employees in a redundancy situation.

    ", + "

    Redundancy consultations

    ", + "

    If you do not consult employees in a redundancy situation, any redundancies you make will almost certainly be unfair and you could be taken to an employment tribunal.

    ", + "

    You must follow \u2018collective consultation\u2019 rules if you\u2019re making 20 or more employees redundant within any 90-day period at a single establishment.

    ", + "

    There are no set rules to follow if there are fewer than 20 redundancies planned, but it\u2019s good practice to fully consult employees and their representatives. An employment tribunal could decide that you\u2019ve dismissed your staff unfairly if you do not.

    ", + "

    Consultation does not have to end in agreement, but it must be carried out with a view to reaching it, including ways of avoiding or reducing the redundancies.

    ", + "

    Collective consultation

    ", + "

    Follow these steps.

    ", + "
  • You must notify the Redundancy Payments Service (RPS) before a consultation starts. The deadline depends on the number of proposed redundancies.
  • ", + "
  • Consult with trade union representatives or elected employee representatives - or with staff directly if there are none.
  • ", + "
  • Provide information to representatives or staff about the planned redundancies, giving representatives or staff enough time to consider them.
  • ", + "
  • Respond to any requests for further information.
  • ", + "
  • Give any affected staff termination notices showing the agreed leaving date.
  • ", + "
  • Issue redundancy notices once the consultation is complete.
  • ", + "

    Notification

    ", + "

    Notify RPS by filling in form HR1. Instructions on where to send it are on the form.

    ", + "

    The deadline for notifying RPS depends on the number of proposed redundancies.

    ", + "Number of proposed redundancies | When notification to RPS must be given", + "20 to 99 | 30 days before the first redundancy", + "100 or more | 45 days before the first redundancy", + "

    You can be fined an unlimited amount if you do not notify RPS.

    ", + "

    Consultation

    ", + "

    There\u2019s no time limit on how long consultations last, but there is a minimum period before you can dismiss any employees.

    ", + "Number of proposed redundancies | Minimum consultation period before dismissal", + "20 to 99 | 30 days", + "100 or more | 45 days", + "

    Information you must provide to representatives or staff

    ", + "

    You must provide written details of:

    ", + "
  • the reasons for redundancies
  • ", + "
  • the numbers and categories of employees involved
  • ", + "
  • the numbers of employees in each category
  • ", + "
  • how you plan to select employees for redundancy
  • ", + "
  • how you\u2019ll carry out redundancies
  • ", + "
  • how you\u2019ll work out redundancy payments
  • ", + "

    Further information

    ", + "

    Download the guidance on how to manage collective redundancies from Advisory, Conciliation and Arbitration Service (Acas).

    ", + "

    Giving staff notice

    ", + "

    You must give staff notice and agree a leaving date once you\u2019ve finished the redundancy consultations.

    ", + "

    Give staff at least the statutory notice period, based on how long they have worked.

    ", + "Length of service | Notice you must give", + "1 month to 2 years | At least a week", + "2 years to 12 years | A week\u2019s notice for every year employed", + "12 or more years | 12 weeks", + "

    You can allow staff to leave earlier than the planned leaving date (for example without notice) by offering payment in lieu of notice.

    ", + "

    Notice pay

    ", + "

    You must give staff notice pay - based on their pay rate and notice period - or make a payment in lieu of notice.

    ", + "

    Your employee\u2019s notice pay is based on the average they earned per week over the 12 weeks before their notice period starts.

    ", + "

    If your employee earned less than usual because you used the Coronavirus Job Retention Scheme to put them \u2018on furlough\u2019, you must work out their notice payments based on what they would have earned normally.

    ", + "

    Pay in lieu of notice

    ", + "

    If you have included a payment in lieu of notice clause in the employment contract, you can end your staff\u2019s employment with no notice. This lets you make a payment to cover the notice period they would have worked.

    ", + "

    These payments must have tax and National Insurance deducted.

    ", + "

    When you make payments in lieu of notice, you still have to pay staff the basic pay they would have got during the notice period. You also have to pay pension, private health care insurance or other contributions if it\u2019s in the employee\u2019s contract.

    ", + "

    Redundancy pay

    ", + "

    Employees you make redundant might be entitled to redundancy pay - this is called a \u2018statutory redundancy payment\u2019.

    ", + "

    To be eligible, an individual must:

    ", + "
  • be an employee working under a contract of employment
  • ", + "
  • have at least 2 years\u2019 continuous service
  • ", + "
  • have been dismissed, laid off or put on short-time working - those who opted for early retirement do not qualify
  • ", + "

    You must make the payment when you dismiss the employee, or soon after.

    ", + "

    A redundant employee also has the right to a written statement setting out the amount of redundancy payment and how you worked it out.

    ", + "

    Statutory redundancy pay rates

    ", + "

    These are based on an employee\u2019s age and length of employment and are counted back from the date of dismissal.

    ", + "

    Employees get:

    ", + "
  • 1.5 weeks\u2019 pay for each full year of employment after their 41st birthday
  • ", + "
  • a week\u2019s pay for each full year of employment after their 22nd birthday
  • ", + "
  • half a week\u2019s pay for each full year of employment up to their 22nd birthday
  • ", + "

    Length of service is capped at 20 years.

    ", + "

    Your employee\u2019s weekly pay is the average they earned per week over the 12 weeks before the day they got their redundancy notice.

    ", + "

    If your employee earned less than usual because you used the Coronavirus Job Retention Scheme to put them \u2018on furlough\u2019, you must work out their redundancy payments based on what they would have earned normally.

    ", + "

    Weekly pay is capped at \u00a3544. The maximum amount of statutory redundancy pay is \u00a316,320.

    ", + "

    Statutory redundancy pay rates may be different in Northern Ireland.

    ", + "

    You can give your staff extra redundancy pay if you want to, or have a qualifying period of less than 2 years.

    ", + "

    You can use the redundancy pay calculator to work out payments.

    ", + "

    If you do not pay

    ", + "

    If you fail to pay redundancy pay or if an employee disagrees with the amount, they have 3 months from the date their employment ended to make a claim for payment to an employment tribunal.

    ", + "

    If an employee does not claim in time, a tribunal still has 6 months to decide whether or not they should get a payment.

    ", + "

    If you have financial difficulties

    ", + "

    If your business would become insolvent as a result of making the statutory redundancy payments, the Insolvency Service\u2019s Redundancy Payments Service (RPS) may be able to help.

    ", + "

    You\u2019d have to repay any debt as soon as possible. Email the Redundancy Payments Service for more information. Include all of the following in your email:

    ", + "
  • your name
  • ", + "
  • whether you\u2019re the employer
  • ", + "
  • whether you should be the main point of contact
  • ", + "
  • the name of your business
  • ", + "
  • your business address
  • ", + "
  • number of redundancies
  • ", + "

    Tax

    ", + "

    Employees who\u2019ve been made redundant only pay tax on payments over \u00a330,000. They do not pay any National Insurance.

    ", + "

    Tax and National Insurance are deducted from other termination payments, for example payment in lieu of holiday or notice.

    ", + "

    Getting help

    ", + "

    If you have to make redundancies, Jobcentre Plus can give you and your employees support and advice through its Rapid Response Service.

    ", + "

    Support could include:

    ", + "
  • helping people facing redundancy to write CVs and find jobs
  • ", + "
  • providing general information about benefits
  • ", + "
  • helping people to find the right training and learn new skills
  • ", + "
  • helping with costs like travel to work expenses
  • ", + "

    Jobcentre Plus may also provide on-site support for large scale redundancies.

    ", + "

    In Scotland, Rapid Response Service support is delivered through Partnership Action for Continuing Employment (PACE) - there\u2019s more information on the Skills Development Scotland website.

    ", + "

    In Wales, the service is delivered by the ReAct scheme.

    ", + "

    Acas has an online redundancy helpline.

    ", + "

    How to get help

    ", + "

    To find out how your business can use the Rapid Response Service, email rrs.enquiries@dwp.gov.uk and include:

    ", + "
  • your contact details
  • ", + "
  • the town(s) your business is based in (including postcodes)
  • ", + "
  • the location(s) of the redundancies
  • " + ] + }, + "https://www.gov.uk/solve-workplace-dispute": { + "url": "https://www.gov.uk/solve-workplace-dispute", + "title": "Solve a workplace dispute", + "content": "## Overview\n\nProblems with your employer usually fall into one of two categories:\n\n- grievances - when you raise your concerns, problems or complaints with your employer\n\n- disciplinaries - when your employer has concerns about your work, conduct or absence\n\nExplain your concern to your manager to see if you can sort out any problems informally. You may find it helpful to suggest what you would like them to do to solve your problem.\n\nYour employer should discuss any disciplinary issues with you informally first. These issues could lead to formal disciplinary action, including dismissal in more serious or repetitive cases.\n\n## Right to be accompanied\n\nYou have the right to be accompanied to grievance or disciplinary meetings (and any appeals) by either a:\n\n- colleague or trade union representative\n\n- family member or Citizens Advice Bureau worker if this allowed - check your employment contract, company handbook or human resources intranet site\n\n## Formal procedures\n\nYou can make a formal grievance complaint or face formal disciplinary action if you were not able to resolve your problem informally.\n\n## Grievances\n\nYou can make a formal grievance complaint if you\u2019ve tried solving a problem by talking to your manager but you\u2019re not satisfied.\n\nYour employer should put their grievance procedure in writing. You should be able to find this in your:\n\n- company handbook\n\n- human resources (HR) or personnel manual\n\n- HR intranet site\n\n- employment contract\n\nYour employer\u2019s grievance procedure should include these steps:\n\n- writing a letter to your employer setting out the details of your grievance\n\n- a meeting with your employer to discuss the issue\n\n- the ability to appeal your employer\u2019s decision\n\nRead the Acas guide on discipline and grievances at work for more information.\n\n## Disciplinary action\n\nYou might face disciplinary action if your employer has decided they have a serious issue with you or your work.\n\nYour employer should put their disciplinary procedure in writing and it should contain:\n\n- your employer\u2019s disciplinary procedure rules\n\n- what performance and behaviour might lead to disciplinary action\n\n- what action your employer might take and your right to appeal\n\nRead the Acas guide on discipline and grievances at work for more information.\n\n## Suspension from work\n\nIf you are facing discipline over a serious issue, your employer may be able to suspend you during the time leading up to a disciplinary meeting.\n\nCheck your employment contract, company handbook or HR intranet site to see if you\u2019re entitled to be paid when suspended.\n\n## Using the Acas Code of Practice\n\nThe result of your claim could be affected if either you or your employer do not follow the Acas Code of Practice on disciplinary and grievance procedures and you go to an employment tribunal.\n\nIn this situation a tribunal can adjust the amount of compensation awarded by up to 25%.\n\n## Appeals\n\nYou can appeal the result of a grievance or disciplinary procedure. Your appeal must be in writing.\n\n## Appeals procedure\n\nYour employer\u2019s grievance and disciplinary procedures will set out:\n\n- who you should submit your appeal to\n\n- the time limit within which an appeal must be made\n\n- any meetings that will be held\n\n- how the appeal meeting will be run\n\nYou have the right to be accompanied during any appeal meetings.\n\n## Mediation, conciliation and arbitration\n\nYou can get help from a third-party to solve disputes between you and your employer. The main ways you can do this are through:\n\n- mediation\n\n- conciliation\n\n- arbitration\n\n## Mediation\n\nMediation is when an independent and impartial third party discusses a problem with you and your employer (or between you and another employee) to try and find a solution. It\u2019s often used after informal discussions have not come up with a solution.\n\nMediation is voluntary and the mediator cannot force you or your employer to accept a solution. Both you and your employer must agree on the way to solve the dispute.\n\nMediation should not be used to solve problems that have to be formally investigated (for example, harassment or discrimination).\n\nYou can also find a mediation service.\n\nRead the Acas guide on mediation for more information.\n\n## Conciliation\n\nConciliation is similar to mediation but is normally used when:\n\n- you believe you may be entitled to make a claim to an employment tribunal\n\n- you have already made a claim to an employment tribunal\n\nConciliation is voluntary - both you and your employer must agree to it before it happens.\n\nAcas can offer a free service to help to settle a claim or potential claim.\n\nRead the Acas guide on conciliation for more information.\n\n## Arbitration\n\nArbitration is when a third-party makes a firm decision on a case after considering all the issues.\n\nYou and your employer must agree to an arbitrator\u2019s decision being legally binding. If you do not agree, you can still take a case to an employment tribunal.\n\nRead the Acas guide on arbitration for more information.\n\n## Tribunals\n\nIf you have been unable to solve a problem between you and your employer, you may have to go to an employment tribunal.\n\nAt the tribunal, you and your employer will present your cases, answer questions and the tribunal will make a decision.\n\n## Help and advice\n\nCall Acas, contact Citizen\u2019s Advice or speak to your trade union or staff representative for help and advice.", + "original_contents": [ + "

    Overview

    ", + "

    Problems with your employer usually fall into one of two categories:

    ", + "
  • grievances - when you raise your concerns, problems or complaints with your employer
  • ", + "
  • disciplinaries - when your employer has concerns about your work, conduct or absence
  • ", + "

    Explain your concern to your manager to see if you can sort out any problems informally. You may find it helpful to suggest what you would like them to do to solve your problem.

    ", + "

    Your employer should discuss any disciplinary issues with you informally first. These issues could lead to formal disciplinary action, including dismissal in more serious or repetitive cases.

    ", + "

    Right to be accompanied

    ", + "

    You have the right to be accompanied to grievance or disciplinary meetings (and any appeals) by either a:

    ", + "
  • colleague or trade union representative
  • ", + "
  • family member or Citizens Advice Bureau worker if this allowed - check your employment contract, company handbook or human resources intranet site
  • ", + "

    Formal procedures

    ", + "

    You can make a formal grievance complaint or face formal disciplinary action if you were not able to resolve your problem informally.

    ", + "

    Grievances

    ", + "

    You can make a formal grievance complaint if you\u2019ve tried solving a problem by talking to your manager but you\u2019re not satisfied.

    ", + "

    Your employer should put their grievance procedure in writing. You should be able to find this in your:

    ", + "
  • company handbook
  • ", + "
  • human resources (HR) or personnel manual
  • ", + "
  • HR intranet site
  • ", + "
  • employment contract
  • ", + "

    Your employer\u2019s grievance procedure should include these steps:

    ", + "
  • writing a letter to your employer setting out the details of your grievance
  • ", + "
  • a meeting with your employer to discuss the issue
  • ", + "
  • the ability to appeal your employer\u2019s decision
  • ", + "

    Read the Acas guide on discipline and grievances at work for more information.

    ", + "

    Disciplinary action

    ", + "

    You might face disciplinary action if your employer has decided they have a serious issue with you or your work.

    ", + "

    Your employer should put their disciplinary procedure in writing and it should contain:

    ", + "
  • your employer\u2019s disciplinary procedure rules
  • ", + "
  • what performance and behaviour might lead to disciplinary action
  • ", + "
  • what action your employer might take and your right to appeal
  • ", + "

    Read the Acas guide on discipline and grievances at work for more information.

    ", + "

    Suspension from work

    ", + "

    If you are facing discipline over a serious issue, your employer may be able to suspend you during the time leading up to a disciplinary meeting.

    ", + "

    Check your employment contract, company handbook or HR intranet site to see if you\u2019re entitled to be paid when suspended.

    ", + "

    Using the Acas Code of Practice

    ", + "

    The result of your claim could be affected if either you or your employer do not follow the Acas Code of Practice on disciplinary and grievance procedures and you go to an employment tribunal.

    ", + "

    In this situation a tribunal can adjust the amount of compensation awarded by up to 25%.

    ", + "

    Appeals

    ", + "

    You can appeal the result of a grievance or disciplinary procedure. Your appeal must be in writing.

    ", + "

    Appeals procedure

    ", + "

    Your employer\u2019s grievance and disciplinary procedures will set out:

    ", + "
  • who you should submit your appeal to
  • ", + "
  • the time limit within which an appeal must be made
  • ", + "
  • any meetings that will be held
  • ", + "
  • how the appeal meeting will be run
  • ", + "

    You have the right to be accompanied during any appeal meetings.

    ", + "

    Mediation, conciliation and arbitration

    ", + "

    You can get help from a third-party to solve disputes between you and your employer. The main ways you can do this are through:

    ", + "
  • mediation
  • ", + "
  • conciliation
  • ", + "
  • arbitration
  • ", + "

    Mediation

    ", + "

    Mediation is when an independent and impartial third party discusses a problem with you and your employer (or between you and another employee) to try and find a solution. It\u2019s often used after informal discussions have not come up with a solution.

    ", + "

    Mediation is voluntary and the mediator cannot force you or your employer to accept a solution. Both you and your employer must agree on the way to solve the dispute.

    ", + "

    Mediation should not be used to solve problems that have to be formally investigated (for example, harassment or discrimination).

    ", + "

    You can also find a mediation service.

    ", + "

    Read the Acas guide on mediation for more information.

    ", + "

    Conciliation

    ", + "

    Conciliation is similar to mediation but is normally used when:

    ", + "
  • you believe you may be entitled to make a claim to an employment tribunal
  • ", + "
  • you have already made a claim to an employment tribunal
  • ", + "

    Conciliation is voluntary - both you and your employer must agree to it before it happens.

    ", + "

    Acas can offer a free service to help to settle a claim or potential claim.

    ", + "

    Read the Acas guide on conciliation for more information.

    ", + "

    Arbitration

    ", + "

    Arbitration is when a third-party makes a firm decision on a case after considering all the issues.

    ", + "

    You and your employer must agree to an arbitrator\u2019s decision being legally binding. If you do not agree, you can still take a case to an employment tribunal.

    ", + "

    Read the Acas guide on arbitration for more information.

    ", + "

    Tribunals

    ", + "

    If you have been unable to solve a problem between you and your employer, you may have to go to an employment tribunal.

    ", + "

    At the tribunal, you and your employer will present your cases, answer questions and the tribunal will make a decision.

    ", + "

    Help and advice

    ", + "

    Call Acas, contact Citizen\u2019s Advice or speak to your trade union or staff representative for help and advice.

    " + ] + }, + "https://www.gov.uk/taking-disciplinary-action": { + "url": "https://www.gov.uk/taking-disciplinary-action", + "title": "Taking disciplinary action against an employee", + "content": "## Overview\n\nYou should have written disciplinary rules and procedures to deal with employee performance and conduct and you must tell your staff about them.\n\nYour rules must say what is acceptable and unacceptable behaviour in the workplace and what action you will take if the rules are broken.\n\nThe rules should follow the Acas code of practice on disciplinary and grievance procedures.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\n## Acas guide to discipline and grievances\n\nThe Acas guide to discipline and grievances at work gives more information for employers about taking disciplinary action.\n\n## Acas Helpline\n\nThe Acas Helpline has further advice on disciplinary issues.\n\n## Practical training courses\n\nAcas also runs practical training courses on workplace discipline.\n\n## Writing disciplinary proceedings\n\nYour disciplinary procedures should follow the Acas code of practice.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\nThe exact rules will depend on your organisation, but could cover things like:\n\n- acceptable and unacceptable behaviour\n\n- absence and timekeeping\n\n- health and safety\n\n- use of phones and the internet\n\nYou cannot normally discipline or dismiss an employee for whistleblowing.\n\n## Gross misconduct\n\nYour disciplinary rules should give examples of what will be treated as gross misconduct. This is misconduct judged so serious that it\u2019s likely to lead to dismissal without notice, for example fraud, theft and physical violence.\n\n## Telling employees about disciplinary rules\n\nYour disciplinary rules must be in your statement of employment or clearly written elsewhere, such as in a staff handbook.\n\nThe rules should clearly say when someone might face disciplinary action and what that action could be.\n\nYou must also give the name of someone they should appeal to if they\u2019re unhappy about a disciplinary decision.\n\nIf you do not provide this information and an employee then wins an employment tribunal claim against you, they could be awarded 2 to 4 weeks\u2019 pay.\n\n## Disciplinary procedures and contracts\n\nIf you make your disciplinary procedures part of an employment contract then the employee could make a breach of contract claim against you if you do not follow your procedures.\n\n## Example letters and forms\n\nAcas has a number of sample letters and forms for disciplinary proceedings on its website.\n\n## Disciplinary investigations and hearings\n\nThe law does not say exactly how you should investigate disciplinary issues or hold disciplinary meetings.\n\nHowever, the Acas guide to discipline and grievances at work has lots of practical advice about running disciplinary proceedings professionally and fairly.\n\n## The suggested disciplinary process\n\nThe Acas guidance suggests that your disciplinary process should follow the following format:\n\n- A letter telling your employee the issue and inviting them to a disciplinary hearing.\n\n- A meeting with your employee to discuss the issue - they should have the right to be accompanied.\n\n- A letter to your employee saying what action you are going to take. This should be sent as soon as practically possible.\n\n- Your employee should than have a chance to appeal your decision.\n\n## Disciplinary decisions\n\nDisciplinary decisions could be anything that could resolve the problem.\n\nThis could include:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\n- mediation with a co-worker\n\n## Appeals\n\nAn employee has the right to appeal against a decision made after a disciplinary hearing.\n\nYou should tell them about this when you give them written notice of your decision, and should give them a deadline to tell you they want to appeal.\n\nYour employee\u2019s statement of terms and conditions of employment must legally include the person they can apply to if they want to appeal a disciplinary decision. It must also explain how to do this.\n\nIf the employee does decide to appeal, you should try to hold the appeal hearing as soon as possible.\n\nYou should follow the Acas code of practice on disciplinary and grievance procedures when dealing with appeals. Otherwise, if someone wins an employment tribunal against you their award could be higher.", + "original_contents": [ + "

    Overview

    ", + "

    You should have written disciplinary rules and procedures to deal with employee performance and conduct and you must tell your staff about them.

    ", + "

    Your rules must say what is acceptable and unacceptable behaviour in the workplace and what action you will take if the rules are broken.

    ", + "

    The rules should follow the Acas code of practice on disciplinary and grievance procedures.

    ", + "

    Not following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.

    ", + "

    Acas guide to discipline and grievances

    ", + "

    The Acas guide to discipline and grievances at work gives more information for employers about taking disciplinary action.

    ", + "

    Acas Helpline

    ", + "

    The Acas Helpline has further advice on disciplinary issues.

    ", + "

    Practical training courses

    ", + "

    Acas also runs practical training courses on workplace discipline.

    ", + "

    Writing disciplinary proceedings

    ", + "

    Your disciplinary procedures should follow the Acas code of practice.

    ", + "

    Not following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.

    ", + "

    The exact rules will depend on your organisation, but could cover things like:

    ", + "
  • acceptable and unacceptable behaviour
  • ", + "
  • absence and timekeeping
  • ", + "
  • health and safety
  • ", + "
  • use of phones and the internet
  • ", + "

    You cannot normally discipline or dismiss an employee for whistleblowing.

    ", + "

    Gross misconduct

    ", + "

    Your disciplinary rules should give examples of what will be treated as gross misconduct. This is misconduct judged so serious that it\u2019s likely to lead to dismissal without notice, for example fraud, theft and physical violence.

    ", + "

    Telling employees about disciplinary rules

    ", + "

    Your disciplinary rules must be in your statement of employment or clearly written elsewhere, such as in a staff handbook.

    ", + "

    The rules should clearly say when someone might face disciplinary action and what that action could be.

    ", + "

    You must also give the name of someone they should appeal to if they\u2019re unhappy about a disciplinary decision.

    ", + "

    If you do not provide this information and an employee then wins an employment tribunal claim against you, they could be awarded 2 to 4 weeks\u2019 pay.

    ", + "

    Disciplinary procedures and contracts

    ", + "

    If you make your disciplinary procedures part of an employment contract then the employee could make a breach of contract claim against you if you do not follow your procedures.

    ", + "

    Example letters and forms

    ", + "

    Acas has a number of sample letters and forms for disciplinary proceedings on its website.

    ", + "

    Disciplinary investigations and hearings

    ", + "

    The law does not say exactly how you should investigate disciplinary issues or hold disciplinary meetings.

    ", + "

    However, the Acas guide to discipline and grievances at work has lots of practical advice about running disciplinary proceedings professionally and fairly.

    ", + "

    The suggested disciplinary process

    ", + "

    The Acas guidance suggests that your disciplinary process should follow the following format:

    ", + "
  • A letter telling your employee the issue and inviting them to a disciplinary hearing.
  • ", + "
  • A meeting with your employee to discuss the issue - they should have the right to be accompanied.
  • ", + "
  • A letter to your employee saying what action you are going to take. This should be sent as soon as practically possible.
  • ", + "
  • Your employee should than have a chance to appeal your decision.
  • ", + "

    Disciplinary decisions

    ", + "

    Disciplinary decisions could be anything that could resolve the problem.

    ", + "

    This could include:

    ", + "
  • no action
  • ", + "
  • written warning
  • ", + "
  • final warning
  • ", + "
  • demotion
  • ", + "
  • dismissal
  • ", + "
  • mediation with a co-worker
  • ", + "

    Appeals

    ", + "

    An employee has the right to appeal against a decision made after a disciplinary hearing.

    ", + "

    You should tell them about this when you give them written notice of your decision, and should give them a deadline to tell you they want to appeal.

    ", + "

    Your employee\u2019s statement of terms and conditions of employment must legally include the person they can apply to if they want to appeal a disciplinary decision. It must also explain how to do this.

    ", + "

    If the employee does decide to appeal, you should try to hold the appeal hearing as soon as possible.

    ", + "

    You should follow the Acas code of practice on disciplinary and grievance procedures when dealing with appeals. Otherwise, if someone wins an employment tribunal against you their award could be higher.

    " + ] + }, + "https://www.gov.uk/whistleblowing": { + "url": "https://www.gov.uk/whistleblowing", + "title": "Whistleblowing for employees", + "content": "## What is a whistleblower\n\nYou\u2019re a whistleblower if you\u2019re a worker and you report certain types of wrongdoing. This will usually be something you\u2019ve seen at work - though not always.\n\nThe wrongdoing you disclose must be in the public interest. This means it must affect others, for example the general public.\n\nAs a whistleblower you\u2019re protected by law - you should not be treated unfairly or lose your job because you \u2018blow the whistle\u2019.\n\nYou can raise your concern at any time about an incident that happened in the past, is happening now, or you believe will happen in the near future.\n\n## Who is protected by law\n\nYou\u2019re protected if you\u2019re a worker, for example you\u2019re:\n\n- an employee, such as a police officer, NHS employee, office worker, factory worker\n\n- a trainee, such as a student nurse\n\n- an agency worker\n\n- a member of a Limited Liability Partnership (LLP)\n\nGet independent advice if you\u2019re not sure you\u2019re protected, for example from Citizens\u2019 Advice.\n\nA confidentiality clause or \u2018gagging clause\u2019 in a settlement agreement is not valid if you\u2019re a whistleblower.\n\n## Complaints that count as whistleblowing\n\nYou\u2019re protected by law if you report any of the following:\n\n- a criminal offence, for example fraud\n\n- someone\u2019s health and safety is in danger\n\n- risk or actual damage to the environment\n\n- a miscarriage of justice\n\n- the company is breaking the law, for example does not have the right insurance\n\n- you believe someone is covering up wrongdoing\n\n## Complaints that do not count as whistleblowing\n\nPersonal grievances (for example bullying, harassment, discrimination) are not covered by whistleblowing law, unless your particular case is in the public interest.\n\nReport these under your employer\u2019s grievance policy.\n\nContact the Advisory, Conciliation and Arbitration Service (Acas) for help and advice on resolving a workplace dispute.\n\n## Who to tell and what to expect\n\nYou can tell your employer - they may have a whistleblowing policy that tells you what to expect if you report your concern to them. You can still report your concern to them if they do not have a policy.\n\nThere are other options if you do not want to report your concern to your employer, for example you can get legal advice from a lawyer, or tell a prescribed person or body.\n\nIf you tell a prescribed person or body, it must be one that deals with the issue you\u2019re raising, for example a disclosure about wrongdoing in a care home can be made to the Care Quality Commission.\n\nThere\u2019s a different whistleblowing process in Northern Ireland.\n\n## Making your claim anonymously or confidentially\n\nYou can tell your employer or a prescribed person anonymously but they may not be able to take the claim further if you have not provided all the information they need.\n\nYou can give your name but request confidentiality - the person or body you tell should make every effort to protect your identity.\n\nIf you report your concern to the media, in most cases you\u2019ll lose your whistleblowing law rights.\n\n## What your employer or a prescribed person will do\n\nYour employer or the prescribed person will listen to your concern and decide if any action is needed. You may be asked for further information.\n\nYou must say straight away if you do not want anyone else to know it was you who raised the concern.\n\nYou will not have a say in how your concern is dealt with.\n\nYour employer or the prescribed person can keep you informed about the action they\u2019ve taken, but they cannot give you much detail if they have to keep the confidence of other people.\n\nA prescribed person cannot help you with your relationship with your employer.\n\n## If you\u2019re not satisfied with how your employer dealt with your concern\n\nTell someone else (for example a more senior member of staff) or a prescribed person or body if you believe your concern was not taken seriously or the wrongdoing is still going on.\n\nContact the Advisory, Conciliation and Arbitration Service (Acas), the whistleblowing charity Protect or your trade union for more guidance.\n\n## If you\u2019re treated unfairly after whistleblowing\n\nYou can take a case to an employment tribunal if you\u2019ve been treated unfairly because you\u2019ve blown the whistle.\n\nYou can get further information from the Advisory, Conciliation and Arbitration Service (Acas), Citizens\u2019 Advice, the whistleblowing charity Protect or your trade union.\n\nIf you reported your concern anonymously, you may find it harder to argue that your unfair treatment was as a result of your whistleblowing.\n\nYou must raise any claim of unfair dismissal within 3 months of your employment ending.\n\nYou must notify Acas if you want to take your case to an employment tribunal.", + "original_contents": [ + "

    What is a whistleblower

    ", + "

    You\u2019re a whistleblower if you\u2019re a worker and you report certain types of wrongdoing. This will usually be something you\u2019ve seen at work - though not always.

    ", + "

    The wrongdoing you disclose must be in the public interest. This means it must affect others, for example the general public.

    ", + "

    As a whistleblower you\u2019re protected by law - you should not be treated unfairly or lose your job because you \u2018blow the whistle\u2019.

    ", + "

    You can raise your concern at any time about an incident that happened in the past, is happening now, or you believe will happen in the near future.

    ", + "

    Who is protected by law

    ", + "

    You\u2019re protected if you\u2019re a worker, for example you\u2019re:

    ", + "
  • an employee, such as a police officer, NHS employee, office worker, factory worker
  • ", + "
  • a trainee, such as a student nurse
  • ", + "
  • an agency worker
  • ", + "
  • a member of a Limited Liability Partnership (LLP)
  • ", + "

    Get independent advice if you\u2019re not sure you\u2019re protected, for example from Citizens\u2019 Advice.

    ", + "

    A confidentiality clause or \u2018gagging clause\u2019 in a settlement agreement is not valid if you\u2019re a whistleblower.

    ", + "

    Complaints that count as whistleblowing

    ", + "

    You\u2019re protected by law if you report any of the following:

    ", + "
  • a criminal offence, for example fraud
  • ", + "
  • someone\u2019s health and safety is in danger
  • ", + "
  • risk or actual damage to the environment
  • ", + "
  • a miscarriage of justice
  • ", + "
  • the company is breaking the law, for example does not have the right insurance
  • ", + "
  • you believe someone is covering up wrongdoing
  • ", + "

    Complaints that do not count as whistleblowing

    ", + "

    Personal grievances (for example bullying, harassment, discrimination) are not covered by whistleblowing law, unless your particular case is in the public interest.

    ", + "

    Report these under your employer\u2019s grievance policy.

    ", + "

    Contact the Advisory, Conciliation and Arbitration Service (Acas) for help and advice on resolving a workplace dispute.

    ", + "

    Who to tell and what to expect

    ", + "

    You can tell your employer - they may have a whistleblowing policy that tells you what to expect if you report your concern to them. You can still report your concern to them if they do not have a policy.

    ", + "

    There are other options if you do not want to report your concern to your employer, for example you can get legal advice from a lawyer, or tell a prescribed person or body.

    ", + "

    If you tell a prescribed person or body, it must be one that deals with the issue you\u2019re raising, for example a disclosure about wrongdoing in a care home can be made to the Care Quality Commission.

    ", + "

    There\u2019s a different whistleblowing process in Northern Ireland.

    ", + "

    Making your claim anonymously or confidentially

    ", + "

    You can tell your employer or a prescribed person anonymously but they may not be able to take the claim further if you have not provided all the information they need.

    ", + "

    You can give your name but request confidentiality - the person or body you tell should make every effort to protect your identity.

    ", + "

    If you report your concern to the media, in most cases you\u2019ll lose your whistleblowing law rights.

    ", + "

    What your employer or a prescribed person will do

    ", + "

    Your employer or the prescribed person will listen to your concern and decide if any action is needed. You may be asked for further information.

    ", + "

    You must say straight away if you do not want anyone else to know it was you who raised the concern.

    ", + "

    You will not have a say in how your concern is dealt with.

    ", + "

    Your employer or the prescribed person can keep you informed about the action they\u2019ve taken, but they cannot give you much detail if they have to keep the confidence of other people.

    ", + "

    A prescribed person cannot help you with your relationship with your employer.

    ", + "

    If you\u2019re not satisfied with how your employer dealt with your concern

    ", + "

    Tell someone else (for example a more senior member of staff) or a prescribed person or body if you believe your concern was not taken seriously or the wrongdoing is still going on.

    ", + "

    Contact the Advisory, Conciliation and Arbitration Service (Acas), the whistleblowing charity Protect or your trade union for more guidance.

    ", + "

    If you\u2019re treated unfairly after whistleblowing

    ", + "

    You can take a case to an employment tribunal if you\u2019ve been treated unfairly because you\u2019ve blown the whistle.

    ", + "

    You can get further information from the Advisory, Conciliation and Arbitration Service (Acas), Citizens\u2019 Advice, the whistleblowing charity Protect or your trade union.

    ", + "

    If you reported your concern anonymously, you may find it harder to argue that your unfair treatment was as a result of your whistleblowing.

    ", + "

    You must raise any claim of unfair dismissal within 3 months of your employment ending.

    ", + "

    You must notify Acas if you want to take your case to an employment tribunal.

    " + ] + }, + "https://www.gov.uk/health-and-safety-on-ships": { + "url": "https://www.gov.uk/health-and-safety-on-ships", + "title": "Health and safety on ships", + "content": "## Overview\n\nOperators of seagoing ships or small commercial vessels must protect the health and safety of workers by:\n\n- following safety standards and codes of practice\n\n- ensuring the safety of machinery and equipment\n\n- making sure the vessel is safely manned and all workers have the necessary qualifications\n\n- having the right emergency procedures and equipment\n\n- providing health protection and medical care\n\n- doing regular risk assessments\n\n- supplying necessary protective clothing and equipment\n\n- monitoring maritime safety information broadcasts\n\n- consulting with workers or their representatives on health and safety matters\n\n## Providing health and safety training\n\nWorkers must get basic health and safety training. There\u2019s more information on what this covers on the Health and Safety Executive (HSE) website.\n\n## Written health and safety policy\n\nThe ship must must have a policy that sets out how health and safety will be managed. Read guidance on writing a health and safety policy.\n\n## Risk assessments\n\nRegular risk assessments must be carried out to see how accidents, injuries or illnesses could be caused on the ship and what can be done to reduce the chances of them happening.\n\nRisk assessments must be reviewed every year and whenever there are significant changes to either the ship or working activities.\n\nRead chapter 1 of the \u2018Code of safe working practices for merchant seafarers 2018\u2019 for the basic requirements for risk assessments on board ships.\n\nRead the \u2018Merchant Shipping and Fishing Vessels (Health and Safety at Work) Regulations 1997\u2019 for the requirements for risk assessments on merchant ships.\n\n## Safe working practices\n\n## Code of safe working practices\n\nBy law, up-to-date copies of the \u2018Code of safe working practices for merchant seamen\u2019 must be carried on a UK ship that\u2019s not a fishing boat or pleasure craft.\n\nA copy of the code must be available to any seaman who requests it.\n\nThe \u2018Code of safe working practices for merchant seamen (Consolidated edition 2011)\u2019 is available to buy from The Stationery Office.\n\nRead the \u2018Merchant Shipping and Fishing Vessels (Health and Safety at Work) Regulations 1997\u2019 for safety standards and requirements for merchant ships.\n\n## Safety signs\n\nCertain health and safety signs must be displayed on ships, such as emergency escape signs or danger warning signs. Signs must meet legal requirements if they\u2019re permanently displayed.\n\nRead the \u2018Merchant Shipping and Fishing Vessels (Safety Signs and Signals) Regulations 2001\u2019 to find out how and where safety signs and signals must be displayed.\n\n## \u2018Permit to work\u2019\n\nThe \u2018permit to work\u2019 system reduces the risk of accidents on board ship. Under this system, seafarers must get written permission from a senior officer before they can perform hazardous tasks, like:\n\n- working aloft and outboard\n\n- working with boilers\n\n- \u2018hot work\u2019 (work which could result in the ignition of flammable material, for example welding)\n\n- working in unmanned machinery spaces\n\n- entry into enclosed spaces\n\n- electrical testing\n\nRead about using \u2018permit to work\u2019 schemes to test electrical systems.\n\nRead \u2018Safety Preparations Prior to Machinery Maintenance\u2019 to find out how to prepare for doing maintenance on machinery on ships.\n\n## \u2018Permit to work\u2019 templates\n\n## Protective equipment\n\nWorkers must be given suitable protective equipment if performing dangerous tasks.\n\nYou should only use protective equipment when risks cannot be avoided or reduced to an acceptable level by safe working practices. This equipment should:\n\n- meet the required standards\n\n- be a correct fit for the worker or adjustable\n\n- be compatible with any other equipment the worker has to use\n\n- be easily accessible, properly stored and maintained\n\n- be provided free of charge (unless it\u2019s also used outside the workplace)\n\nRead the \u2018Merchant Shipping and Fishing Vessels Personal Protective Equipment Regulations\u2019 to find out about personal protective equipment.\n\n## Noise and vibration\n\nRisk assessments must be carried out to identify who is at risk from noise or vibration on a ship and what can be done to reduce or remove these risks.\n\nWorkers must be told about:\n\n- the nature of noise or vibration risks\n\n- how to eliminate or reduce the risks from noise or vibration\n\n- the correct use of any protective equipment\n\n- how to detect and report signs of injury\n\nThe Maritime and Coastguard Agency (MCA) provides information on controlling the risks of noise and vibration at sea.\n\nRead the:\n\n- code of practice for controlling risks due to noise and vibration on ships\n\n- guidance on mitigating against the effects of shocks and impacts on small vessels\n\nYou may be able to get an exemption from the noise and vibration requirements.\n\nFind out how to apply for an exemption from the:\n\n- control of vibration at work regulations\n\n- control of noise at work regulations\n\n## Small commercial vessels\n\nSmall commercial vessels must have safety measures in place for workers, such as:\n\n- bulwarks, guardrails or wire around the working deck to stop people falling overboard\n\n- safety harnesses for anyone working on deck\n\n- a means of securing the lifelines of safety harnesses\n\n- non-slip deck surfaces\n\nSmaller commercial vessels (under 24 metres) must comply with the \u2018Small commercial vessels codes\u2019 to ensure the health and safety of workers on board.\n\n## Seagoing passenger vessels\n\n## Domestic passenger ships\n\nSeagoing domestic passenger ships, for example ferries, must meet minimum safety requirements regarding:\n\n- general safety management policies\n\n- manning levels\n\n- proper and stable construction\n\n- carriage of safety equipment\n\n- pollution prevention\n\nA passenger ship is a ship of any description that carries more than 12 passengers. There are various safety standards for seagoing passenger ships. Local Maritime and Coastguard Agency (MCA) Marine Offices have more information on these standards.\n\n## International passenger ships\n\nPassenger ships which operate internationally must follow international conventions, such as the:\n\n- International Convention for the Safety of Life at Sea\n\n- International Convention on Load Lines\n\n- International Convention for the Prevention of Pollution from Ships\n\nLocal MCA Marine Offices have information on which safety standards apply.\n\n## Safety on vessels on inland waters\n\nPassenger vessels operating on inland waters - like estuaries, lakes and rivers and canals - must follow safety standards and requirements.\n\nInland waters or inland waterways are known legally as \u2018categorised waters\u2019. These waters are defined and listed in Merchant Shipping Notice (MSN) 1827 (as amended) Categorisation of Waters.\n\nA passenger ship is a vessel that carries more than 12 passengers.\n\nThe rules for passenger ships built since April 2010, and operating in UK categorised waters are in \u2018Merchant Shipping Notice 1823 (M) - Safety Code for Passenger Ships Operating Solely in UK Categorised Waters\u2019.\n\nThe rules for older passenger ships are covered by several different sets of regulations. Contact the local Maritime and Coastguard Agency (MCA) Marine Office for details.\n\n## Vessels that carry no more than 12 passengers\n\nSafety standards and best practice guidance for these vessels are set out in the Inland Waters Small Passenger Boat Code.\n\n## Marine engineering\n\nMarine engineering involves the design, construction, installation, and operation of systems and equipment that help to move and control ships. Safety measures must be in place for any crew members using or maintaining marine engineering equipment, such as:\n\n- switchboards and computerised equipment\n\n- machinery installations\n\n- boilers and emergency equipment\n\nThe Maritime and Coastguard Agency (MCA) provides information on the safe installation and use of marine engineering.\n\n## Fire prevention\n\nThe Maritime and Coastguard Agency (MCA) provides information on requirements for fire protection, fire detection and fire extinction on board ships.\n\nThe rules depend on the size of the ship.\n\nRequirements for large ships are in the Merchant Shipping (Fire Protection: Large Ships) Regulations 1998.\n\nRequirements for small ships are in the Merchant Shipping (Fire Protection: Small Ships) Regulations 1998.\n\nYou should also read the Merchant Shipping (Fire Protection) Regulations 2003 \u2013 it includes amendments to the regulations for large and small ships.\n\nContact the MCA to find out more about fire prevention and detection at sea.\n\n## Safety in ports\n\nHealth and safety measures must be in place to ensure the safety of workers while in a port.\n\nThere is a range of publications and guidance on health and safety in ports on the Health and Safety Executive website.", + "original_contents": [ + "

    Overview

    ", + "

    Operators of seagoing ships or small commercial vessels must protect the health and safety of workers by:

    ", + "
  • following safety standards and codes of practice
  • ", + "
  • ensuring the safety of machinery and equipment
  • ", + "
  • making sure the vessel is safely manned and all workers have the necessary qualifications
  • ", + "
  • having the right emergency procedures and equipment
  • ", + "
  • providing health protection and medical care
  • ", + "
  • doing regular risk assessments
  • ", + "
  • supplying necessary protective clothing and equipment
  • ", + "
  • monitoring maritime safety information broadcasts
  • ", + "
  • consulting with workers or their representatives on health and safety matters
  • ", + "

    Providing health and safety training

    ", + "

    Workers must get basic health and safety training. There\u2019s more information on what this covers on the Health and Safety Executive (HSE) website.

    ", + "

    Written health and safety policy

    ", + "

    The ship must must have a policy that sets out how health and safety will be managed. Read guidance on writing a health and safety policy.

    ", + "

    Risk assessments

    ", + "

    Regular risk assessments must be carried out to see how accidents, injuries or illnesses could be caused on the ship and what can be done to reduce the chances of them happening.

    ", + "

    Risk assessments must be reviewed every year and whenever there are significant changes to either the ship or working activities.

    ", + "

    Read chapter 1 of the \u2018Code of safe working practices for merchant seafarers 2018\u2019 for the basic requirements for risk assessments on board ships.

    ", + "

    Read the \u2018Merchant Shipping and Fishing Vessels (Health and Safety at Work) Regulations 1997\u2019 for the requirements for risk assessments on merchant ships.

    ", + "

    Safe working practices

    ", + "

    Code of safe working practices

    ", + "

    By law, up-to-date copies of the \u2018Code of safe working practices for merchant seamen\u2019 must be carried on a UK ship that\u2019s not a fishing boat or pleasure craft.

    ", + "

    A copy of the code must be available to any seaman who requests it.

    ", + "

    The \u2018Code of safe working practices for merchant seamen (Consolidated edition 2011)\u2019 is available to buy from The Stationery Office.

    ", + "

    Read the \u2018Merchant Shipping and Fishing Vessels (Health and Safety at Work) Regulations 1997\u2019 for safety standards and requirements for merchant ships.

    ", + "

    Safety signs

    ", + "

    Certain health and safety signs must be displayed on ships, such as emergency escape signs or danger warning signs. Signs must meet legal requirements if they\u2019re permanently displayed.

    ", + "

    Read the \u2018Merchant Shipping and Fishing Vessels (Safety Signs and Signals) Regulations 2001\u2019 to find out how and where safety signs and signals must be displayed.

    ", + "

    \u2018Permit to work\u2019

    ", + "

    The \u2018permit to work\u2019 system reduces the risk of accidents on board ship. Under this system, seafarers must get written permission from a senior officer before they can perform hazardous tasks, like:

    ", + "
  • working aloft and outboard
  • ", + "
  • working with boilers
  • ", + "
  • \u2018hot work\u2019 (work which could result in the ignition of flammable material, for example welding)
  • ", + "
  • working in unmanned machinery spaces
  • ", + "
  • entry into enclosed spaces
  • ", + "
  • electrical testing
  • ", + "

    Read about using \u2018permit to work\u2019 schemes to test electrical systems.

    ", + "

    Read \u2018Safety Preparations Prior to Machinery Maintenance\u2019 to find out how to prepare for doing maintenance on machinery on ships.

    ", + "

    \u2018Permit to work\u2019 templates

    ", + "

    Protective equipment

    ", + "

    Workers must be given suitable protective equipment if performing dangerous tasks.

    ", + "

    You should only use protective equipment when risks cannot be avoided or reduced to an acceptable level by safe working practices. This equipment should:

    ", + "
  • meet the required standards
  • ", + "
  • be a correct fit for the worker or adjustable
  • ", + "
  • be compatible with any other equipment the worker has to use
  • ", + "
  • be easily accessible, properly stored and maintained
  • ", + "
  • be provided free of charge (unless it\u2019s also used outside the workplace)
  • ", + "

    Read the \u2018Merchant Shipping and Fishing Vessels Personal Protective Equipment Regulations\u2019 to find out about personal protective equipment.

    ", + "

    Noise and vibration

    ", + "

    Risk assessments must be carried out to identify who is at risk from noise or vibration on a ship and what can be done to reduce or remove these risks.

    ", + "

    Workers must be told about:

    ", + "
  • the nature of noise or vibration risks
  • ", + "
  • how to eliminate or reduce the risks from noise or vibration
  • ", + "
  • the correct use of any protective equipment
  • ", + "
  • how to detect and report signs of injury
  • ", + "

    The Maritime and Coastguard Agency (MCA) provides information on controlling the risks of noise and vibration at sea.

    ", + "

    Read the:

    ", + "
  • code of practice for controlling risks due to noise and vibration on ships
  • ", + "
  • guidance on mitigating against the effects of shocks and impacts on small vessels
  • ", + "

    You may be able to get an exemption from the noise and vibration requirements.

    ", + "

    Find out how to apply for an exemption from the:

    ", + "
  • control of vibration at work regulations
  • ", + "
  • control of noise at work regulations
  • ", + "

    Small commercial vessels

    ", + "

    Small commercial vessels must have safety measures in place for workers, such as:

    ", + "
  • bulwarks, guardrails or wire around the working deck to stop people falling overboard
  • ", + "
  • safety harnesses for anyone working on deck
  • ", + "
  • a means of securing the lifelines of safety harnesses
  • ", + "
  • non-slip deck surfaces
  • ", + "

    Smaller commercial vessels (under 24 metres) must comply with the \u2018Small commercial vessels codes\u2019 to ensure the health and safety of workers on board.

    ", + "

    Seagoing passenger vessels

    ", + "

    Domestic passenger ships

    ", + "

    Seagoing domestic passenger ships, for example ferries, must meet minimum safety requirements regarding:

    ", + "
  • general safety management policies
  • ", + "
  • manning levels
  • ", + "
  • proper and stable construction
  • ", + "
  • carriage of safety equipment
  • ", + "
  • pollution prevention
  • ", + "

    A passenger ship is a ship of any description that carries more than 12 passengers. There are various safety standards for seagoing passenger ships. Local Maritime and Coastguard Agency (MCA) Marine Offices have more information on these standards.

    ", + "

    International passenger ships

    ", + "

    Passenger ships which operate internationally must follow international conventions, such as the:

    ", + "
  • International Convention for the Safety of Life at Sea
  • ", + "
  • International Convention on Load Lines
  • ", + "
  • International Convention for the Prevention of Pollution from Ships
  • ", + "

    Local MCA Marine Offices have information on which safety standards apply.

    ", + "

    Safety on vessels on inland waters

    ", + "

    Passenger vessels operating on inland waters - like estuaries, lakes and rivers and canals - must follow safety standards and requirements.

    ", + "

    Inland waters or inland waterways are known legally as \u2018categorised waters\u2019. These waters are defined and listed in Merchant Shipping Notice (MSN) 1827 (as amended) Categorisation of Waters.

    ", + "

    A passenger ship is a vessel that carries more than 12 passengers.

    ", + "

    The rules for passenger ships built since April 2010, and operating in UK categorised waters are in \u2018Merchant Shipping Notice 1823 (M) - Safety Code for Passenger Ships Operating Solely in UK Categorised Waters\u2019.

    ", + "

    The rules for older passenger ships are covered by several different sets of regulations. Contact the local Maritime and Coastguard Agency (MCA) Marine Office for details.

    ", + "

    Vessels that carry no more than 12 passengers

    ", + "

    Safety standards and best practice guidance for these vessels are set out in the Inland Waters Small Passenger Boat Code.

    ", + "

    Marine engineering

    ", + "

    Marine engineering involves the design, construction, installation, and operation of systems and equipment that help to move and control ships. Safety measures must be in place for any crew members using or maintaining marine engineering equipment, such as:

    ", + "
  • switchboards and computerised equipment
  • ", + "
  • machinery installations
  • ", + "
  • boilers and emergency equipment
  • ", + "

    The Maritime and Coastguard Agency (MCA) provides information on the safe installation and use of marine engineering.

    ", + "

    Fire prevention

    ", + "

    The Maritime and Coastguard Agency (MCA) provides information on requirements for fire protection, fire detection and fire extinction on board ships.

    ", + "

    The rules depend on the size of the ship.

    ", + "

    Requirements for large ships are in the Merchant Shipping (Fire Protection: Large Ships) Regulations 1998.

    ", + "

    Requirements for small ships are in the Merchant Shipping (Fire Protection: Small Ships) Regulations 1998.

    ", + "

    You should also read the Merchant Shipping (Fire Protection) Regulations 2003 \u2013 it includes amendments to the regulations for large and small ships.

    ", + "

    Contact the MCA to find out more about fire prevention and detection at sea.

    ", + "

    Safety in ports

    ", + "

    Health and safety measures must be in place to ensure the safety of workers while in a port.

    ", + "

    There is a range of publications and guidance on health and safety in ports on the Health and Safety Executive website.

    " + ] + }, + "https://www.gov.uk/claim-employment-allowance": { + "url": "https://www.gov.uk/claim-employment-allowance", + "title": "Employment Allowance", + "content": "## What you'll get\n\nEmployment Allowance allows eligible employers to reduce their annual National Insurance liability by up to \u00a34,000.\n\nYou\u2019ll pay less employers\u2019 Class 1 National Insurance each time you run your payroll until the \u00a34,000 has gone or the tax year ends (whichever is sooner).\n\nYou can only claim against your employers\u2019 Class 1 National Insurance liability up to a maximum of \u00a34,000 each tax year. You can still claim the allowance if your liability was less than \u00a34,000 a year.\n\n## Check if you're eligible\n\nYou can claim Employment Allowance if you\u2019re a business or charity (including community amateur sports clubs) and your employers\u2019 Class 1 National Insurance liabilities were less than \u00a3100,000 in the previous tax year.\n\nYou can also claim if you employ a care or support worker.\n\nYou can claim Employment Allowance for the previous 4 tax years dating back to the 2017 to 2018 tax year. Some of the rules for claiming are different.\n\n## If you\u2019re part of a group\n\nIf you\u2019re part of a group of charities or companies (also known as connected companies), the total employers\u2019 Class 1 National Insurance liabilities for the group must be less than \u00a3100,000.\n\nOnly one company in the group can claim the allowance.\n\n## If you have more than one payroll\n\nIf you have or had more than one employer PAYE reference, the total employers\u2019 Class 1 National Insurance liabilities for your combined payrolls must be less than \u00a3100,000 in the previous tax year\n\nYou can only claim Employment Allowance against one of the payrolls.\n\n## Off-payroll salary payments\n\nDo not include employers\u2019 Class 1 National Insurance liabilities on payments you make to off-payroll workers in your calculations. These are known as deemed payments. They do not count towards the \u00a3100,000 threshold.\n\n## Check if de minimis state aid rules apply to you\n\nIf you make or sell goods or services, Employment Allowance counts as \u2018de minimis state aid\u2019. There\u2019s a limit to how much de minimis state aid you can get.\n\nYou must:\n\n- check that you\u2019re within the de minimis state aid threshold\n\n- work out how much de minimis state aid you\u2019ve received\n\nYou must do this even if you do not make a profit.\n\nYou do not have to do this if you do not make or sell goods or services, for example you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## Check you\u2019re within the de minimis state aid threshold\n\nEmployment Allowance counts towards the total de minimis state aid you\u2019re allowed to get over a 3 year period.\n\nYou must make sure you will not exceed the de minimis state aid threshold for your sector.\n\nDe minimis state aid and the relevant thresholds are worked out in euros.\n\n| Sector | De minimis state aid threshold over 3 years |\n\n| Agriculture products sector | \u20ac20,000 |\n\n| Fisheries and aquaculture sector | \u20ac30,000 |\n\n| Road freight transport sector | \u20ac100,000 |\n\n| Industrial sector\u202f\u202f/ other | \u20ac200,000 |\n\n## Work out how much de minimis state aid you\u2019ve received\n\n- Check if you\u2019ve received any de minimis state aid - if so, you should have been told in writing.\n\n- Add the total amount of de minimis state aid that you\u2019ve received or been allocated for the current and past 2 tax years.\n\n- Add this to the full amount of Employment Allowance for the year you\u2019re claiming for. You\u2019ll need to convert this into euros using the exchange rate for the end of the previous tax year. If you\u2019re claiming for 2020 to 2021, you\u2019ll need to use the exchange rate on 30 March 2020: \u00a31 to \u20ac1.1249.\n\n- If the total is below the threshold for your sector, you\u2019re eligible to make a claim.\n\nIf you\u2019re a connected company, the total de minimis state aid for all of the companies in the group must be below the de minimis state aid threshold for your sector.\n\nThe rules are different if your business covers more than one sector.\n\n## Who cannot claim Employment Allowance\n\nYou cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.\n\nYou also cannot claim if both of the following apply:\n\n- you\u2019re a company with only one employee paid above the Class 1 National Insurance secondary threshold\n\n- the employee is also a director of the company\n\nCertain employees cannot be included in your claim, such as:\n\n- someone whose earnings are within IR35 \u2018off-payroll working rules\u2019\n\n- someone you employ for personal, household or domestic work (like a nanny or gardener) - unless they\u2019re a care or support worker\n\n## How to claim\n\nHow you claim depends on whether you use your own payroll software or HMRC\u2019s Basic PAYE tools.\n\n## If you use your own software\n\nTo claim through your payroll software, put \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field next time you send an Employment Payment Summary (EPS) to HM Revenue and Customs (HMRC).\n\nIf your payroll software does not have an Employment Payment Summary field, you can use Basic PAYE Tools.\n\n## Select your business sector under \u2018de minimis state aid rules\u2019\n\nYou must select the business sectors that apply to you, even if you do not make a profit.\n\nMost businesses will need to select the \u2018Industrial/other\u2019 category, for example a hair salon or restaurant.\n\nIf you do not make or sell goods or services, choose \u2018State aid rules do not apply\u2019. For example if you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## If you use HMRC\u2019s Basic PAYE Tools\n\n- Select the correct name in the \u2018Employer\u2019 menu on the home page.\n\n- Select \u2018Change employer details\u2019.\n\n- Select \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field.\n\n- Answer \u2018Yes\u2019 to the \u2018Do state aid rules apply?\u2019 question if you sell goods or services. Select the business sectors that apply to you. Otherwise, answer \u2018No\u2019 and select \u2018State aid rules do not apply\u2019.\n\n- Send your EPS as normal.\n\n## Stopping your claim\n\nIf you stop being eligible, select \u2018No\u2019 in the \u2018Employment Allowance indicator\u2019 field in your next EPS.\n\nDo not select \u2018No\u2019 just because:\n\n- you\u2019ve reached the \u00a34,000 limit before the end of the tax year - this does not make you ineligible\n\n- you\u2019re no longer employing anyone - this allowance will stop at the end of the tax year\n\nIf you stop your claim before the end of the tax year (5 April), any allowance you\u2019ve been given that year will be removed. You\u2019ll have to pay any employers\u2019 (secondary) Class 1 National Insurance due as a result.\n\n## When to claim\n\nYou need to claim Employment Allowance every tax year.\n\nYou can claim at any time in the tax year, but the earlier you claim the sooner you will get the allowance.\n\nIf you claim late and do not use your Employment Allowance against your employers\u2019 Class 1 National Insurance liabilities, you\u2019ll have to ask HMRC to do one of the following:\n\n- use any unclaimed allowance at the end of the year to pay any tax or National Insurance you owe (including VAT and Corporation Tax if you do not owe anything on your PAYE bill)\n\n- give you a refund after the end of the tax year if you do not owe anything\n\nYou can see how much Employment Allowance you\u2019ve used in your HMRC online account.\n\n## Claiming for past years\n\nYou can claim Employment Allowance for the previous 4 tax years, dating back to the 2017 to 2018 tax year.\n\nTo claim for past years, it does not matter how much your employers\u2019 Class 1 National Insurance liability was or how much de minimis state aid you received.\n\nThe thresholds for employers\u2019 Class 1 National Insurance and de minimis state aid do not apply.\n\nEmployment allowance was \u00a33,000 each year between April 2016 and April 2020.\n\n## Further information\n\nRead \u2018Claiming Employment Allowance: further employer guidance\u2019 for more information.\n\n## After you've made a claim\n\nYou can begin using your Employment Allowance as soon you submit your claim.\n\nHMRC will not send you a confirmation letter for your Employment Allowance.\n\nIf your claim is rejected, you will receive an automated message from HMRC within 5 working days.\n\nYou may need to tell HMRC if last year\u2019s employers\u2019 Class 1 National Insurance liabilities included deemed payments, taking you over the \u00a3100,000 threshold.\n\n## When your Employment Allowance counts as de minimis state aid\n\nIf you have selected a business sector in your claim, HMRC will send a letter stating that your Employment Allowance counts as de minimis state aid.\n\nYou must keep this letter as you may need it if you apply for other de minimis state aid.", + "original_contents": [ + "

    What you'll get

    ", + "

    Employment Allowance allows eligible employers to reduce their annual National Insurance liability by up to \u00a34,000.

    ", + "

    You\u2019ll pay less employers\u2019 Class 1 National Insurance each time you run your payroll until the \u00a34,000 has gone or the tax year ends (whichever is sooner).

    ", + "

    You can only claim against your employers\u2019 Class 1 National Insurance liability up to a maximum of \u00a34,000 each tax year. You can still claim the allowance if your liability was less than \u00a34,000 a year.

    ", + "

    Check if you're eligible

    ", + "

    You can claim Employment Allowance if you\u2019re a business or charity (including community amateur sports clubs) and your employers\u2019 Class 1 National Insurance liabilities were less than \u00a3100,000 in the previous tax year.

    ", + "

    You can also claim if you employ a care or support worker.

    ", + "

    You can claim Employment Allowance for the previous 4 tax years dating back to the 2017 to 2018 tax year. Some of the rules for claiming are different.

    ", + "

    If you\u2019re part of a group

    ", + "

    If you\u2019re part of a group of charities or companies (also known as connected companies), the total employers\u2019 Class 1 National Insurance liabilities for the group must be less than \u00a3100,000.

    ", + "

    Only one company in the group can claim the allowance.

    ", + "

    If you have more than one payroll

    ", + "

    If you have or had more than one employer PAYE reference, the total employers\u2019 Class 1 National Insurance liabilities for your combined payrolls must be less than \u00a3100,000 in the previous tax year

    ", + "

    You can only claim Employment Allowance against one of the payrolls.

    ", + "

    Off-payroll salary payments

    ", + "

    Do not include employers\u2019 Class 1 National Insurance liabilities on payments you make to off-payroll workers in your calculations. These are known as deemed payments. They do not count towards the \u00a3100,000 threshold.

    ", + "

    Check if de minimis state aid rules apply to you

    ", + "

    If you make or sell goods or services, Employment Allowance counts as \u2018de minimis state aid\u2019. There\u2019s a limit to how much de minimis state aid you can get.

    ", + "

    You must:

    ", + "
  • check that you\u2019re within the de minimis state aid threshold
  • ", + "
  • work out how much de minimis state aid you\u2019ve received
  • ", + "

    You must do this even if you do not make a profit.

    ", + "

    You do not have to do this if you do not make or sell goods or services, for example you\u2019re a charity, an amateur sports club or if you employ a care worker.

    ", + "

    Check you\u2019re within the de minimis state aid threshold

    ", + "

    Employment Allowance counts towards the total de minimis state aid you\u2019re allowed to get over a 3 year period.

    ", + "

    You must make sure you will not exceed the de minimis state aid threshold for your sector.

    ", + "

    De minimis state aid and the relevant thresholds are worked out in euros.

    ", + "Sector | De minimis state aid threshold over 3 years", + "Agriculture products sector | \u20ac20,000", + "Fisheries and aquaculture sector | \u20ac30,000", + "Road freight transport sector | \u20ac100,000", + "Industrial sector\u202f\u202f/ other | \u20ac200,000", + "

    Work out how much de minimis state aid you\u2019ve received

    ", + "
  • Check if you\u2019ve received any de minimis state aid - if so, you should have been told in writing.
  • ", + "
  • Add the total amount of de minimis state aid that you\u2019ve received or been allocated for the current and past 2 tax years.
  • ", + "
  • Add this to the full amount of Employment Allowance for the year you\u2019re claiming for. You\u2019ll need to convert this into euros using the exchange rate for the end of the previous tax year. If you\u2019re claiming for 2020 to 2021, you\u2019ll need to use the exchange rate on 30 March 2020: \u00a31 to \u20ac1.1249.
  • ", + "
  • If the total is below the threshold for your sector, you\u2019re eligible to make a claim.
  • ", + "

    If you\u2019re a connected company, the total de minimis state aid for all of the companies in the group must be below the de minimis state aid threshold for your sector.

    ", + "

    The rules are different if your business covers more than one sector.

    ", + "

    Who cannot claim Employment Allowance

    ", + "

    You cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.

    ", + "

    You also cannot claim if both of the following apply:

    ", + "
  • you\u2019re a company with only one employee paid above the Class 1 National Insurance secondary threshold
  • ", + "
  • the employee is also a director of the company
  • ", + "

    Certain employees cannot be included in your claim, such as:

    ", + "
  • someone whose earnings are within IR35 \u2018off-payroll working rules\u2019
  • ", + "
  • someone you employ for personal, household or domestic work (like a nanny or gardener) - unless they\u2019re a care or support worker
  • ", + "

    How to claim

    ", + "

    How you claim depends on whether you use your own payroll software or HMRC\u2019s Basic PAYE tools.

    ", + "

    If you use your own software

    ", + "

    To claim through your payroll software, put \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field next time you send an Employment Payment Summary (EPS) to HM Revenue and Customs (HMRC).

    ", + "

    If your payroll software does not have an Employment Payment Summary field, you can use Basic PAYE Tools.

    ", + "

    Select your business sector under \u2018de minimis state aid rules\u2019

    ", + "

    You must select the business sectors that apply to you, even if you do not make a profit.

    ", + "

    Most businesses will need to select the \u2018Industrial/other\u2019 category, for example a hair salon or restaurant.

    ", + "

    If you do not make or sell goods or services, choose \u2018State aid rules do not apply\u2019. For example if you\u2019re a charity, an amateur sports club or if you employ a care worker.

    ", + "

    If you use HMRC\u2019s Basic PAYE Tools

    ", + "
  • Select the correct name in the \u2018Employer\u2019 menu on the home page.
  • ", + "
  • Select \u2018Change employer details\u2019.
  • ", + "
  • Select \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field.
  • ", + "
  • Answer \u2018Yes\u2019 to the \u2018Do state aid rules apply?\u2019 question if you sell goods or services. Select the business sectors that apply to you. Otherwise, answer \u2018No\u2019 and select \u2018State aid rules do not apply\u2019.
  • ", + "
  • Send your EPS as normal.
  • ", + "

    Stopping your claim

    ", + "

    If you stop being eligible, select \u2018No\u2019 in the \u2018Employment Allowance indicator\u2019 field in your next EPS.

    ", + "

    Do not select \u2018No\u2019 just because:

    ", + "
  • you\u2019ve reached the \u00a34,000 limit before the end of the tax year - this does not make you ineligible
  • ", + "
  • you\u2019re no longer employing anyone - this allowance will stop at the end of the tax year
  • ", + "

    If you stop your claim before the end of the tax year (5 April), any allowance you\u2019ve been given that year will be removed. You\u2019ll have to pay any employers\u2019 (secondary) Class 1 National Insurance due as a result.

    ", + "

    When to claim

    ", + "

    You need to claim Employment Allowance every tax year.

    ", + "

    You can claim at any time in the tax year, but the earlier you claim the sooner you will get the allowance.

    ", + "

    If you claim late and do not use your Employment Allowance against your employers\u2019 Class 1 National Insurance liabilities, you\u2019ll have to ask HMRC to do one of the following:

    ", + "
  • use any unclaimed allowance at the end of the year to pay any tax or National Insurance you owe (including VAT and Corporation Tax if you do not owe anything on your PAYE bill)
  • ", + "
  • give you a refund after the end of the tax year if you do not owe anything
  • ", + "

    You can see how much Employment Allowance you\u2019ve used in your HMRC online account.

    ", + "

    Claiming for past years

    ", + "

    You can claim Employment Allowance for the previous 4 tax years, dating back to the 2017 to 2018 tax year.

    ", + "

    To claim for past years, it does not matter how much your employers\u2019 Class 1 National Insurance liability was or how much de minimis state aid you received.

    ", + "

    The thresholds for employers\u2019 Class 1 National Insurance and de minimis state aid do not apply.

    ", + "

    Employment allowance was \u00a33,000 each year between April 2016 and April 2020.

    ", + "

    Further information

    ", + "

    Read \u2018Claiming Employment Allowance: further employer guidance\u2019 for more information.

    ", + "

    After you've made a claim

    ", + "

    You can begin using your Employment Allowance as soon you submit your claim.

    ", + "

    HMRC will not send you a confirmation letter for your Employment Allowance.

    ", + "

    If your claim is rejected, you will receive an automated message from HMRC within 5 working days.

    ", + "

    You may need to tell HMRC if last year\u2019s employers\u2019 Class 1 National Insurance liabilities included deemed payments, taking you over the \u00a3100,000 threshold.

    ", + "

    When your Employment Allowance counts as de minimis state aid

    ", + "

    If you have selected a business sector in your claim, HMRC will send a letter stating that your Employment Allowance counts as de minimis state aid.

    ", + "

    You must keep this letter as you may need it if you apply for other de minimis state aid.

    " + ] + }, + "https://www.gov.uk/payroll-software": { + "url": "https://www.gov.uk/payroll-software", + "title": "Find payroll software", + "content": "## Overview\n\nIf you decide to run payroll yourself, you need payroll software to report to HM Revenue and Customs (HMRC). The software will help you with tasks like:\n\n- recording your employees\u2019 details\n\n- working out your employees\u2019 pay and deductions\n\n- reporting payroll information to HMRC\n\n- working out how much you need to pay HMRC\n\n- calculating statutory pay, for example maternity or sick pay\n\n## HMRC-recognised software\n\nHMRC tests payroll software to check it can report PAYE information online and in real time (RTI).\n\nYou can choose from free payroll software (if you have fewer than 10 employees) and paid-for software that has been tested and recognised by HMRC.\n\nYou should consider which features you need. For example, some software will not let you:\n\n- produce payslips\n\n- record pension deductions\n\n- make pension payments\n\n- pay different people over different periods (for example both weekly and monthly)\n\n- send an Employer Payment Summary (EPS) report or Earlier Year Update (EYU) to HMRC\n\nHMRC cannot recommend one software product or service over another and is not responsible for any problems you have with software that you\u2019ve bought.\n\n## Free software\n\nHM Revenue and Customs (HMRC) has tested and recognised this free payroll software for businesses with fewer than 10 employees.\n\nYou should consider which features you need and make sure the software you choose has those features.\n\n| Supplier | Product(s) |\n\n| 1 2 Cloud Payroll | Free Cloud Payroll, Free Cloud Bureau Payroll |\n\n| 12Pay | Express |\n\n| Accentra Technologies | Primo Payroll with Auto Enrolment (up to 10 employees) |\n\n| Capium | Capium Payroll (up to 3 employees) |\n\n| EnrolPay | Small Payroll |\n\n| Hartigan Software Design | RTI Lite |\n\n| HMRC | Basic PAYE Tools |\n\n| IRIS Software | IRIS Payroll Basics |\n\n| Kashflow | Kashflow Payroll |\n\n| Shape Payroll | Shape Payroll (up to 3 employees) |\n\n| Stansoft | Stansoft Linux |\n\n## Paid-for software\n\nThe following suppliers produce payroll software that has been tested and recognised by HM Revenue and Customs (HMRC).\n\nYou should consider which features you need and make sure the software you choose has those features.\n\n| Supplier | Product(s) | |\n\n| 1 2 Cloud Payroll | Cloud Payroll with Mobile App | |\n\n| 12efile | RTI E-FILING Specialist, Professional P11D | |\n\n| 12Pay | 12Pay Payroll - Premium, Bureau, Enterprise | |\n\n| Able Internet Payroll Ltd | Payroll Bureau, Payroll CIS Professional, Payroll Elite, Payroll Employees, Payroll IBM DB, Payroll Multi-Site, Payroll star DB, Payroll CIS Professional | |\n\n| Accentra Technologies | Accentra Payroll (Desktop), Primo Payroll (Cloud), Solus Online Payroll | |\n\n| Access Group | Access Payroll | |\n\n| Accu-Man | Accu-Man Payroll, Accu-Man Daily Harvest Casuals | |\n\n| Advanced | OpenPeople | |\n\n| Advo Group | Advo Payroll | |\n\n| Ajaccts Software | Ajaccts | |\n\n| Algorithms Software | Xpedeon | |\n\n| Allocate Software | 247 Time | |\n\n| Altus Ltd | Altus Pension Reporting Gateway (APG) | |\n\n| Andica | Andica Payroll, Andica P11D | |\n\n| Automatic Data Processing | ADP freedom, ADP iHCM, ADP iHCM2 | |\n\n| AW-Apps Ltd | AW-Apps Payroll | |\n\n| Beauchamp Computer Services | Tripay | |\n\n| BDO | P11D Enterprise | |\n\n| Brain Payroll Ltd | Brain Payroll | |\n\n| BrightPay | BrightPay | |\n\n| Capita Employee Benefits | HartLink, PensionsOfficeII | |\n\n| Capium | Capium P11D, Capium Payroll | |\n\n| Cascade Human Resources | Iris Cascade Payroll, Iris Cascade Payroll web | |\n\n| Catalyst Computer Systems Ltd | Platinum Software | |\n\n| Ceridian Europe | Dayforce | |\n\n| CGI HR Solutions | ePayfact | |\n\n| Cintra HR and Payroll Services | Cintra IQ | |\n\n| CIPHR | CIPHR Payroll | |\n\n| Civica | Civica HR & Payroll | |\n\n| Clear Books | Clear Books Payroll | |\n\n| Commander Software Limited | Apollo Payroll | |\n\n| Commercial Software Limited | CS P11D | |\n\n| Compact Software Ltd | WinPay | |\n\n| CoreHR | CoreHR XD | |\n\n| Corporate Payroll Solutions Ltd | Legislator PayManager | |\n\n| CPS HR & Payroll Solutions | Legislator HR | |\n\n| Criterion | Criterion HCM \u2013 Payroll | |\n\n| Crop-Ware | CropPayer | |\n\n| Cyberaid | Cyberaid Internet Filing, TeamTrak Adaptiv | |\n\n| DC Software | P11D Submission Pro | |\n\n| eFile Ready Ltd | eFileReady | |\n\n| EnrolPay | EnrolPay Payroll, EnrolPay AutoEnrolment | |\n\n| Eque2 Ltd | MiraclePay for Dynamics NAV | |\n\n| Equiniti | Perito | |\n\n| Equiniti Paymaster | Compendia | |\n\n| FastTrack Recruitment Software | FastTrack360 | |\n\n| Fourth | Payroll | |\n\n| FreeAgent | FreeAgent | |\n\n| Frontier Software | Chris21 | |\n\n| Gel Solutions Ltd | Gel All-in-One | |\n\n| Greentree Software Ltd | Greentree ERP | |\n\n| Hardhatadmin | Hardhatadmin | |\n\n| Hartigan Software Design | RTI Lite, RTI Payroll for Pensions, RTI Payroll Standard, RTI Pro | |\n\n| Hyko | Hyko Payroll | |\n\n| IAW Resources | Ingenuity | |\n\n| Infinet Cloud | UK Payroll For NetSuite | |\n\n| Infor | Infinium | |\n\n| Intelligo Software Ltd | Megapay | |\n\n| Integrity Software Systems Ltd | Evolution M RTI | |\n\n| IRIS | Payrite | |\n\n| IRIS FMP | Amity, Teamspirit | |\n\n| IRIS Payroll Professional | IRIS Payroll Professional | |\n\n| IRIS Software | EARNIE, Farmplan EARNIE, Payroll Business, Bureau Payroll, GP Payroll, Exchequer Payroll, Earnie IQ, Earnie 32, PAYE-Master, PTP Tax Expense, IRIS P11D, IRIS Payroll Basics | |\n\n| Jaama | Key2 Vehicle Management | |\n\n| Jane Systems | Jane | |\n\n| KashFlow | KashFlow Payroll | |\n\n| KeyPay Ltd | KeyPay | |\n\n| Keytime | Keytime Payroll, Keytime P11D | |\n\n| KPMG | P11D Solutions 2020 | |\n\n| K3 SYSPRO | Equator | |\n\n| Liberty Accounts | Liberty Accounts Payroll with P11D | |\n\n| LOKI Systems | Advanced Payroll | |\n\n| Mamut | Mamut Payroll Start, Payroll Standard, Payroll Professional | |\n\n| Merit Software | Merit Payroll | |\n\n| m-hance | Infrastructure 365 | |\n\n| MHR | iTrent | |\n\n| Mintra Trainingportal AS | OCS Human Resource | |\n\n| Mitrefinch Ltd | Mitrefinch Flexipay | |\n\n| MoorepayHR | Moorepay Payroll | |\n\n| Moneysoft | Payroll Manager | |\n\n| My Digital Accounts | My Digital Accounts | |\n\n| My PAYE Ltd | MyPAYE Online Payroll | |\n\n| Nivid Biometrics Ltd | Taras Payroll | |\n\n| Octopaye | Octopaye | |\n\n| Omniphi Systems Limited | Omni PAYE Online | |\n\n| Oracle Corporation UK Ltd | Oracle Cloud Fusion HCM | |\n\n| Orovia Group Limited | EduPay | |\n\n| Oxford Software | Tempaid 5 | |\n\n| PAIYROLL | paiyroll | |\n\n| Pay-Pro Ltd | Paystar | |\n\n| Payback Payroll Software | Payback Payroll, Payback GP Payroll | |\n\n| Paycircle Ltd | Paycircle | |\n\n| PayFit | PayFit | |\n\n| Payroll Business Solutions | Accord Payroll | |\n\n| The Payroll Site | The Payroll Site | |\n\n| Payroo | Payroo Star P11D, Payroo Bureau P11D, Payroo Payroll with CIS, P11D Professional | |\n\n| Payescape Limited | PayRun.IO | |\n\n| Pegasus Software | Pegasus Opera 3, Pegasus Opera 3 SQL, Pegasus Opera 3 SQL SE | |\n\n| Personal Audit Systems Ltd | P11D Organiser | |\n\n| PrimePRO | PrimePAY | |\n\n| Promenics Ltd | Promenics HR & Payroll System | |\n\n| Qtac | Payroll Assistant, Payroll Manager, Payroll Bureau, Payroll Specialist | |\n\n| QuickBooks (Intuit) | QuickBooks Standard Payroll and QuickBooks Advanced Payroll | |\n\n| RedSky IT | Summit | |\n\n| RSM | InPay | |\n\n| SAA Consultants | REIMS ARTIS, REIMS BARTIC, REIMS RTI Service | |\n\n| Sage (UK) | Instant Payroll | |\n\n| Sage (UK) | Sage 50cloud Payroll | |\n\n| Sage (UK) | Sage 50 P11D, Sage 50 P11D Professional | |\n\n| Sage (UK) | Sage Business Cloud Payroll | |\n\n| Sage (UK) | SnowdropKCS | |\n\n| SAP | SAP Payroll | |\n\n| Sargent-Disc Ltd | Sargent-Disc Payroll | |\n\n| SD Worx | SD Worx EIEx | |\n\n| SDA Logic Limited | Pythagoras Payroll | |\n\n| Shape Payroll | Shape Payroll, Shape Payroll API | |\n\n| Sirius APP | SiriusPayroll365 | |\n\n| Skynet Applied Systems | SkyPay | |\n\n| Software for People | SfP World Service | |\n\n| Sopra HR Software | HR Access version 9 | |\n\n| Specialist Computer Services Ltd | Pyramid | |\n\n| Staffology Payroll | Staffology Payroll | |\n\n| Stansoft | Stansoft Linux | |\n\n| Stirling Solutions | Stirling Payroll | |\n\n| Sum-It Computer Systems | Total | |\n\n| TalentPay | TalentPay | |\n\n| Taxshield | P11D Manager | |\n\n| Technology One | Technology One Human Resource & Payroll | |\n\n| Teqhou | MiraclePay for AX2009, Mi-Pay for D365 | |\n\n| TRG Advantage | Payroll, AutoEnrolment | |\n\n| Unit4 | ERP | |\n\n| WCBS | passFinance Payroll | |\n\n| Workday UK Ltd | Workday Payroll for UK | |\n\n| XCD | XCD HR & Payroll | |\n\n| Xero | Xero Payroll, Xero Me mobile app | |\n\n| Zeel Solutions | Zpayplus | |\n\n| Zellis | ResourceLink | |\n\n## If you change software\n\nSome payroll software will not let you continue with the same employee Payroll IDs if you\u2019ve already used them in other software.\n\nIf your payroll software does not let you do this, put \u2018Yes\u2019 in the \u2018Payroll ID changed indicator\u2019 for each employee in your Full Payment Submission (FPS).\n\nYour PAYE bill may be calculated incorrectly, and payroll records duplicated, if you do not.", + "original_contents": [ + "

    Overview

    ", + "

    If you decide to run payroll yourself, you need payroll software to report to HM Revenue and Customs (HMRC). The software will help you with tasks like:

    ", + "
  • recording your employees\u2019 details
  • ", + "
  • working out your employees\u2019 pay and deductions
  • ", + "
  • reporting payroll information to HMRC
  • ", + "
  • working out how much you need to pay HMRC
  • ", + "
  • calculating statutory pay, for example maternity or sick pay
  • ", + "

    HMRC-recognised software

    ", + "

    HMRC tests payroll software to check it can report PAYE information online and in real time (RTI).

    ", + "

    You can choose from free payroll software (if you have fewer than 10 employees) and paid-for software that has been tested and recognised by HMRC.

    ", + "

    You should consider which features you need. For example, some software will not let you:

    ", + "
  • produce payslips
  • ", + "
  • record pension deductions
  • ", + "
  • make pension payments
  • ", + "
  • pay different people over different periods (for example both weekly and monthly)
  • ", + "
  • send an Employer Payment Summary (EPS) report or Earlier Year Update (EYU) to HMRC
  • ", + "

    HMRC cannot recommend one software product or service over another and is not responsible for any problems you have with software that you\u2019ve bought.

    ", + "

    Free software

    ", + "

    HM Revenue and Customs (HMRC) has tested and recognised this free payroll software for businesses with fewer than 10 employees.

    ", + "

    You should consider which features you need and make sure the software you choose has those features.

    ", + "Supplier | Product(s)", + "1 2 Cloud Payroll | Free Cloud Payroll, Free Cloud Bureau Payroll", + "12Pay | Express", + "Accentra Technologies | Primo Payroll with Auto Enrolment (up to 10 employees)", + "Capium | Capium Payroll (up to 3 employees)", + "EnrolPay | Small Payroll", + "Hartigan Software Design | RTI Lite", + "HMRC | Basic PAYE Tools", + "IRIS Software | IRIS Payroll Basics", + "Kashflow | Kashflow Payroll", + "Shape Payroll | Shape Payroll (up to 3 employees)", + "Stansoft | Stansoft Linux", + "

    Paid-for software

    ", + "

    The following suppliers produce payroll software that has been tested and recognised by HM Revenue and Customs (HMRC).

    ", + "

    You should consider which features you need and make sure the software you choose has those features.

    ", + "Supplier | Product(s) | ", + "1 2 Cloud Payroll | Cloud Payroll with Mobile App | ", + "12efile | RTI E-FILING Specialist, Professional P11D | ", + "12Pay | 12Pay Payroll - Premium, Bureau, Enterprise | ", + "Able Internet Payroll Ltd | Payroll Bureau, Payroll CIS Professional, Payroll Elite, Payroll Employees, Payroll IBM DB, Payroll Multi-Site, Payroll star DB, Payroll CIS Professional | ", + "Accentra Technologies | Accentra Payroll (Desktop), Primo Payroll (Cloud), Solus Online Payroll | ", + "Access Group | Access Payroll | ", + "Accu-Man | Accu-Man Payroll, Accu-Man Daily Harvest Casuals | ", + "Advanced | OpenPeople | ", + "Advo Group | Advo Payroll | ", + "Ajaccts Software | Ajaccts | ", + "Algorithms Software | Xpedeon | ", + "Allocate Software | 247 Time | ", + "Altus Ltd | Altus Pension Reporting Gateway (APG) | ", + "Andica | Andica Payroll, Andica P11D | ", + "Automatic Data Processing | ADP freedom, ADP iHCM, ADP iHCM2 | ", + "AW-Apps Ltd | AW-Apps Payroll | ", + "Beauchamp Computer Services | Tripay | ", + "BDO | P11D Enterprise | ", + "Brain Payroll Ltd | Brain Payroll | ", + "BrightPay | BrightPay | ", + "Capita Employee Benefits | HartLink, PensionsOfficeII | ", + "Capium | Capium P11D, Capium Payroll | ", + "Cascade Human Resources | Iris Cascade Payroll, Iris Cascade Payroll web | ", + "Catalyst Computer Systems Ltd | Platinum Software | ", + "Ceridian Europe | Dayforce | ", + "CGI HR Solutions | ePayfact | ", + "Cintra HR and Payroll Services | Cintra IQ | ", + "CIPHR | CIPHR Payroll | ", + "Civica | Civica HR & Payroll | ", + "Clear Books | Clear Books Payroll | ", + "Commander Software Limited | Apollo Payroll | ", + "Commercial Software Limited | CS P11D | ", + "Compact Software Ltd | WinPay | ", + "CoreHR | CoreHR XD | ", + "Corporate Payroll Solutions Ltd | Legislator PayManager | ", + "CPS HR & Payroll Solutions | Legislator HR | ", + "Criterion | Criterion HCM \u2013 Payroll | ", + "Crop-Ware | CropPayer | ", + "Cyberaid | Cyberaid Internet Filing, TeamTrak Adaptiv | ", + "DC Software | P11D Submission Pro | ", + "eFile Ready Ltd | eFileReady | ", + "EnrolPay | EnrolPay Payroll, EnrolPay AutoEnrolment | ", + "Eque2 Ltd | MiraclePay for Dynamics NAV | ", + "Equiniti | Perito | ", + "Equiniti Paymaster | Compendia | ", + "FastTrack Recruitment Software | FastTrack360 | ", + "Fourth | Payroll | ", + "FreeAgent | FreeAgent | ", + "Frontier Software | Chris21 | ", + "Gel Solutions Ltd | Gel All-in-One | ", + "Greentree Software Ltd | Greentree ERP | ", + "Hardhatadmin | Hardhatadmin | ", + "Hartigan Software Design | RTI Lite, RTI Payroll for Pensions, RTI Payroll Standard, RTI Pro | ", + "Hyko | Hyko Payroll | ", + "IAW Resources | Ingenuity | ", + "Infinet Cloud | UK Payroll For NetSuite | ", + "Infor | Infinium | ", + "Intelligo Software Ltd | Megapay | ", + "Integrity Software Systems Ltd | Evolution M RTI | ", + "IRIS | Payrite | ", + "IRIS FMP | Amity, Teamspirit | ", + "IRIS Payroll Professional | IRIS Payroll Professional | ", + "IRIS Software | EARNIE, Farmplan EARNIE, Payroll Business, Bureau Payroll, GP Payroll, Exchequer Payroll, Earnie IQ, Earnie 32, PAYE-Master, PTP Tax Expense, IRIS P11D, IRIS Payroll Basics | ", + "Jaama | Key2 Vehicle Management | ", + "Jane Systems | Jane | ", + "KashFlow | KashFlow Payroll | ", + "KeyPay Ltd | KeyPay | ", + "Keytime | Keytime Payroll, Keytime P11D | ", + "KPMG | P11D Solutions 2020 | ", + "K3 SYSPRO | Equator | ", + "Liberty Accounts | Liberty Accounts Payroll with P11D | ", + "LOKI Systems | Advanced Payroll | ", + "Mamut | Mamut Payroll Start, Payroll Standard, Payroll Professional | ", + "Merit Software | Merit Payroll | ", + "m-hance | Infrastructure 365 | ", + "MHR | iTrent | ", + "Mintra Trainingportal AS | OCS Human Resource | ", + "Mitrefinch Ltd | Mitrefinch Flexipay | ", + "MoorepayHR | Moorepay Payroll | ", + "Moneysoft | Payroll Manager | ", + "My Digital Accounts | My Digital Accounts | ", + "My PAYE Ltd | MyPAYE Online Payroll | ", + "Nivid Biometrics Ltd | Taras Payroll | ", + "Octopaye | Octopaye | ", + "Omniphi Systems Limited | Omni PAYE Online | ", + "Oracle Corporation UK Ltd | Oracle Cloud Fusion HCM | ", + "Orovia Group Limited | EduPay | ", + "Oxford Software | Tempaid 5 | ", + "PAIYROLL | paiyroll | ", + "Pay-Pro Ltd | Paystar | ", + "Payback Payroll Software | Payback Payroll, Payback GP Payroll | ", + "Paycircle Ltd | Paycircle | ", + "PayFit | PayFit | ", + "Payroll Business Solutions | Accord Payroll | ", + "The Payroll Site | The Payroll Site | ", + "Payroo | Payroo Star P11D, Payroo Bureau P11D, Payroo Payroll with CIS, P11D Professional | ", + "Payescape Limited | PayRun.IO | ", + "Pegasus Software | Pegasus Opera 3, Pegasus Opera 3 SQL, Pegasus Opera 3 SQL SE | ", + "Personal Audit Systems Ltd | P11D Organiser | ", + "PrimePRO | PrimePAY | ", + "Promenics Ltd | Promenics HR & Payroll System | ", + "Qtac | Payroll Assistant, Payroll Manager, Payroll Bureau, Payroll Specialist | ", + "QuickBooks (Intuit) | QuickBooks Standard Payroll and QuickBooks Advanced Payroll | ", + "RedSky IT | Summit | ", + "RSM | InPay | ", + "SAA Consultants | REIMS ARTIS, REIMS BARTIC, REIMS RTI Service | ", + "Sage (UK) | Instant Payroll | ", + "Sage (UK) | Sage 50cloud Payroll | ", + "Sage (UK) | Sage 50 P11D, Sage 50 P11D Professional | ", + "Sage (UK) | Sage Business Cloud Payroll | ", + "Sage (UK) | SnowdropKCS | ", + "SAP | SAP Payroll | ", + "Sargent-Disc Ltd | Sargent-Disc Payroll | ", + "SD Worx | SD Worx EIEx | ", + "SDA Logic Limited | Pythagoras Payroll | ", + "Shape Payroll | Shape Payroll, Shape Payroll API | ", + "Sirius APP | SiriusPayroll365 | ", + "Skynet Applied Systems | SkyPay | ", + "Software for People | SfP World Service | ", + "Sopra HR Software | HR Access version 9 | ", + "Specialist Computer Services Ltd | Pyramid | ", + "Staffology Payroll | Staffology Payroll | ", + "Stansoft | Stansoft Linux | ", + "Stirling Solutions | Stirling Payroll | ", + "Sum-It Computer Systems | Total | ", + "TalentPay | TalentPay | ", + "Taxshield | P11D Manager | ", + "Technology One | Technology One Human Resource & Payroll | ", + "Teqhou | MiraclePay for AX2009, Mi-Pay for D365 | ", + "TRG Advantage | Payroll, AutoEnrolment | ", + "Unit4 | ERP | ", + "WCBS | passFinance Payroll | ", + "Workday UK Ltd | Workday Payroll for UK | ", + "XCD | XCD HR & Payroll | ", + "Xero | Xero Payroll, Xero Me mobile app | ", + "Zeel Solutions | Zpayplus | ", + "Zellis | ResourceLink | ", + "

    If you change software

    ", + "

    Some payroll software will not let you continue with the same employee Payroll IDs if you\u2019ve already used them in other software.

    ", + "

    If your payroll software does not let you do this, put \u2018Yes\u2019 in the \u2018Payroll ID changed indicator\u2019 for each employee in your Full Payment Submission (FPS).

    ", + "

    Your PAYE bill may be calculated incorrectly, and payroll records duplicated, if you do not.

    " + ] + }, + "https://www.gov.uk/payroll-errors": { + "url": "https://www.gov.uk/payroll-errors", + "title": "Fix problems with running payroll", + "content": "## Your PAYE bill is not what you expected\n\nEvery month you have to pay HM Revenue and Customs (HMRC) what you owe as part of running payroll for your employees.\n\nThere are things you should check if your PAYE bill is not what you expected when you view your online account.\n\n## What to check\n\nMake sure you sent your Full Payment Submission (FPS) or Employer Payment Summary (EPS) in time for the account to update.\n\nYou should also check that you:\n\n- used the date you paid your employees on your FPS report, not the date you sent it\n\n- reported other details in your FPS correctly, for example pay and deductions\n\n- reported your EPS correctly, for example to reclaim any statutory pay\n\n- previously paid HMRC the right amount - you may have paid too much or too little if your reports were incorrect\n\n## Employees starting and leaving\n\nCheck that you correctly reported any employees starting or leaving.\n\nYou may get an incorrect bill and duplicate payroll records if you made a mistake. Both are usually corrected automatically - contact HMRC if your PAYE bill is still wrong by the 12th of the next tax month.\n\n## Correcting errors\n\nIf you find a mistake, follow the guidance to:\n\n- correct an error in your FPS or EPS\n\n- correct a payment to HMRC\n\nYou can also correct mistakes if you paid your employee the wrong amount or made incorrect deductions.\n\n## Get help to correct your PAYE bill\n\nContact HMRC\u2019s employer helpline if you need help.\n\n## You made a mistake in your FPS or EPS\n\nYour PAYE bill might be wrong if you made a mistake in your FPS or EPS. You might have to correct:\n\n- pay or deductions\n\n- payment dates\n\n- start or leaving dates for your employee\n\n- employee information\n\n- reports sent in advance\n\n- National Insurance category letters\n\n- amounts in your Employer Payment Summary (EPS)\n\n- the Apprenticeship Levy you owe (starting from April 2017) if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million\n\nYou\u2019ll only be charged a penalty for a mistake if you did not take reasonable care or did it deliberately.\n\n## If you\u2019ve reported the wrong pay or deductions\n\nTo correct a mistake made in the current tax year, update the year-to-date figures in your next regular Full Payment Submission (FPS).\n\nIf you reported the wrong pay or deductions in the 2020 to 2021 tax year you can correct this by submitting another FPS with the correct year to date figures.\n\nIf you reported the wrong pay or deductions in the 2018 to 2019 or 2019 to 2020 tax years, you can correct this by submitting an Earlier Year Update (EYU) or a further FPS with the correct year to date figures.\n\nFor earlier tax years, send an EYU showing the difference between what you originally reported and the correct figure. You can only use an EYU for tax years when you were reporting online in real time.\n\nIf your payroll software cannot send an EYU, you can use HMRC\u2019s Basic PAYE Tools.\n\nThe rules are different if you find a mistake in your final FPS of the year.\n\n## Correct a pension death benefit or flexibility payment\n\nIf you\u2019re a pension administrator who needs to correct a flexibility payment or death benefit payment, you must:\n\n- select the \u2018pension flexibility payment\u2019 or \u2018pension death benefit payment\u2019 indicator\n\n- update the \u2018pensions drawdown taxable payment\u2019 or \u2019pensions drawdown non-taxable payment\u2019 fields (or both) with the difference between what you originally reported and the correct figures\n\n## If your employee has stopped working for you\n\nInclude them in your next FPS and correct their year-to-date figures. Include their original \u2018Date of leaving\u2019 and put the same or a later \u2018Payment date\u2019 than the one shown on their final FPS.\n\n## Correct the payment date in your FPS\n\nYou should use the date you paid your employees in your FPS.\n\nSend an additional FPS with the correct payment date if you\u2019ve sent one with the wrong payment date. Write \u2018H - correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field.\n\nSend your corrected FPS by the 19th of the tax month after you sent your original FPS. HMRC will apply the correction to the right month.\n\nIf the wrong date was in different tax month, you must realign your payroll to the correct tax period.\n\n## Correct an employee\u2019s start or leaving date\n\nUpdate your payroll records with the correct date if you put the wrong start or leaving date for an employee in your FPS.\n\nDo not report the amendment in your next FPS as this may create a duplicate record for the employee.\n\n## Correct your employee\u2019s personal information\n\nCorrect your next FPS if you\u2019ve made a mistake with your employee\u2019s personal details.\n\nDo not report updates to more than one of your employee\u2019s personal details (for example their name, date of birth or gender) in the same FPS. Your payroll records may be duplicated if you do, and your PAYE bill might be wrong.\n\nIf your employee\u2019s details (for example their address or surname) change:\n\n- they must tell HMRC straight away\n\n- you need to update your payroll records\n\n## Correct FPS reports sent in advance\n\nIf you\u2019ve sent FPS reports in advance that need to be corrected (for example because an employee leaves), you should:\n\n- send another FPS for the tax month the correction relates to, making sure you fill in all relevant fields and revising the year-to-date figures if needed\n\n- correct any other FPS reports you sent in advance that are affected by the change\n\n## Correct an employee\u2019s National Insurance category letter\n\nHow you do this depends on why the category letter changed, and in which tax year.\n\n## You\u2019ve used the wrong category letter in the current tax year or the 2020 to 2021 tax year\n\nReport the mistake in your next FPS.\n\n- Add the category letter you\u2019ve used incorrectly.\n\n- Put \u20180\u2019 in all National Insurance fields for this category letter except \u2018Employee\u2019s NICs this payment\u2019, and enter the amount you have repaid or recovered here, for example put -\u00a3300 if you\u2019re repaying an employee\u2019s overpayment of \u00a3300.\n\n- Add the correct category letter, and enter the correct year-to-date National Insurance for this category letter.\n\n- Put \u20180\u2019 in all National Insurance fields for the incorrect category letter for the rest of the tax year - you do not need to do this if the category should never have been used.\n\nSome software allows you to correct this by adjusting net pay. You\u2019ll still need to keep a record of the change.\n\n## Your employee\u2019s category letter changed during the tax year\n\nIn your next FPS:\n\n- Continue to report year-to-date information for the old category.\n\n- Put \u20180\u2019 in all \u2018In this pay period\u2019 fields for this category, and use the \u2018Employee\u2019s NICs this payment\u2019 field to adjust any underpayment or overpayment of National Insurance.\n\n- Add the correct category letter, and enter the correct year-to-date National Insurance for this category letter.\n\n## If the mistake was in the 2019 to 2020 tax year or earlier\n\nSend an EYU with:\n\n- negative amounts in all the National Insurance year-to-date fields in the incorrect category letter, to reduce the employee\u2019s National Insurance to zero\n\n- the correct category letter and correct year-to-date National Insurance\n\nIf you\u2019re correcting a mistake in the 2018 to 2019 or 2019 to 2020 tax years, you may be able to send an FPS instead - use your payroll software to check. Send it with the correct category letter and correct year-to-date National Insurance.\n\n## If the mistake caused an overpayment or underpayment\n\nYou must correct your employee\u2019s National Insurance deductions if they paid too little or too much because they were on the wrong category letter.\n\n## Correct an EPS\n\nTo correct a mistake in the current tax year, send an EPS with the correct year-to-date figures.\n\nFor previous tax years, send an EPS with the correct year-to-date figures for the tax year where you made the mistake.\n\n## You paid HMRC the wrong amount\n\nWhat you need to do to correct a payment depends on whether you paid too much or too little, and how the error occurred.\n\n## If you\u2019ve paid HMRC too little\n\nIf you underpaid because of a mistake in your Full Payment Submission (FPS) or Employer Payment Summary (EPS), correct it in your next regular report. HM Revenue and Customs (HMRC) will add the underpayment to your next PAYE bill.\n\nIf you underpaid because you entered the wrong amount when paying HMRC, pay the balance as soon as possible or you may have to pay interest or a penalty. Use your Accounts Office reference when paying.\n\n## If you\u2019ve paid HMRC too much\n\nIf you overpaid because of a mistake in your FPS or EPS, make the correction in your next regular report. HMRC will take the overpayment off your next PAYE bill.\n\nIf you overpaid because you entered the wrong amount when paying HMRC, or you made a duplicate payment, you can balance your account by paying less in your next PAYE bill.\n\nYou can also claim a refund if you\u2019ve overpaid by contacting HMRC\u2019s employer helpline.\n\nHMRC will repay directly into your account if you\u2019ve sent an EPS with your bank details.\n\nWrite to HMRC with your bank details if you cannot include them with your EPS.\n\n## Reclaim an overpayment for a previous tax year\n\nYou must work out why you overpaid before you can reclaim an overpayment for a previous tax year.\n\n## Work out why you overpaid\n\nCompare what you\u2019ve paid HMRC with what you\u2019ve owed in your tax account. You may have overpaid if your payments did not take into account:\n\n- an overpayment carried over from a previous tax year\n\n- statutory pay for parents that you were entitled to reclaim\n\n- any repayments made to employees, for example because you used the wrong tax code\n\n- any corrections to your reports\n\n- student loan deductions\n\n- employees who left, for example because you did not report them correctly to HMRC\n\n- any incentive payments from HMRC to send reports online\n\n- any Construction Industry Scheme (CIS) deductions, or if you made deductions incorrectly\n\nYou also may have overpaid if you paid HMRC:\n\n- for the wrong tax year\n\n- more than once for the same bill\n\n- an estimated amount in advance\n\nFor duplicated or estimated payments, tell HMRC what you paid, what you should have paid and why you paid the additional amount.\n\n## Making your claim\n\nOnce you know why you\u2019ve overpaid, you can claim your repayment from HMRC. You\u2019ll need to tell them:\n\n- your business\u2019s name and address\n\n- your PAYE reference - this is in your employer registration letter from HMRC\n\n- your contact telephone number\n\n- how much you\u2019ve overpaid - for each tax year you\u2019re claiming\n\n- the tax month you overpaid in (if possible)\n\n- why you overpaid - for each tax year you\u2019re claiming\n\n- whether you\u2019ve claimed this overpayment before\n\nHMRC will offset the amount against your PAYE bill in the current tax year. If you do not owe anything, they will offset the amount:\n\n- against a PAYE bill from a previous tax year\n\n- against other taxes you owe, for example Corporation Tax\n\nYou\u2019ll only get a refund if you do not owe HMRC any tax.\n\nYou must apply by letter if your company has been dissolved or struck off.\n\n## You paid your employee the wrong amount or made incorrect deductions\n\nYou can correct a mistake with an employee\u2019s pay or deductions by updating the year-to-date figures in your next regular Full Payment Submission (FPS).\n\nYou can also correct it by sending an additional FPS before your next regular FPS is due. You need to:\n\n- update the \u2018this pay period\u2019 figures with the difference between what you originally reported and the correct figures\n\n- correct the year-to-date figures\n\n- put the same payment date as the original FPS\n\n- put the same pay frequency as the original FPS\n\n- put \u2018H - Correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field\n\n## Correct a pension death benefit or flexibility payment\n\nIf you\u2019re a pension administrator who needs to correct a flexibility payment or death benefit payment, you must:\n\n- select the \u2018pension flexibility payment\u2019 or \u2018pension death benefit payment\u2019 indicator\n\n- update the \u2018pensions drawdown taxable payment\u2019 or \u2019pensions drawdown non-taxable payment\u2019 fields (or both) with the difference between what you originally reported and the correct figures\n\n## If you underpaid your employee\n\nPay your employee the amount you underpaid them. On or before the day of this payment, send an additional FPS with:\n\n- the difference between what you originally reported and the correct amount in the \u2018In this pay period\u2019 field\n\n- updated year-to-date figures\n\n- \u2018H - Correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field\n\n## Correct an employee\u2019s National Insurance deductions\n\nWhat you need to do depends on when you made the mistake.\n\n## If the mistake was in this tax year\n\nRepay or deduct the balance from your employee. Update the year-to-date figures to the corrected amount in your next regular FPS or send an additional FPS.\n\nIf you deducted too little, you cannot recover more than the employee\u2019s National Insurance contribution due that month.\n\n## If the mistake was in the 2020 to 2021 tax year\n\nSend an FPS with the amount you should have deducted.\n\nYou\u2019ll need to write to HMRC if both the following apply:\n\n- the difference is negative because you deducted or reported too much National Insurance\n\n- you still owe your employee a refund, for example because they\u2019ve left your employment\n\nIn the letter you\u2019ll need to include:\n\n- the reference \u2018Overpaid NI contributions\u2019\n\n- your employee\u2019s name, date of birth and National Insurance number\n\n- why you overpaid National Insurance contributions\n\n- which tax years you overpaid in\n\n- how much National Insurance you overpaid\n\n- why you are unable to make the payment to the employee\n\nFor a claim for one employee, send the letter to:\n\nFor a claim for more than one employee, send the letter to:\n\n## If the mistake was in the 2018 to 2019 or 2019 to 2020 tax years\n\nSend an FPS with the correct year-to-date National Insurance if:\n\n- your payroll software will let you submit an FPS\n\n- you can pay any National Insurance refunds you owe\n\nIf you cannot use an FPS, send an Earlier Year Update (EYU) with the difference between:\n\n- the amount of National Insurance you originally deducted\n\n- the correct amount you should have deducted\n\nIf the difference is negative (because you deducted or reported too much National Insurance), you also need to set the \u2018NIC refund indicator\u2019 to:\n\n- \u2018Yes\u2019 if you\u2019ve refunded your employee or no refund was due\n\n- \u2018No\u2019 if you still owe your employee a refund (for example because they\u2019ve left your employment)\n\n## If the mistake was in the 2017 to 2018 tax year or earlier\n\nSend an Earlier Year Update (EYU) with the difference between:\n\n- the amount of National Insurance you originally deducted\n\n- the correct amount you should have deducted\n\nIf the difference is negative (because you deducted or reported too much National Insurance), you also need to set the \u2018NIC refund indicator\u2019 to:\n\n- Yes\u2019 if you\u2019ve refunded your employee or no refund was due\n\n- \u2018No\u2019 if you still owe your employee a refund (for example because they\u2019ve left your employment)\n\n## If there\u2019s an underpayment\n\nIf you deducted too little National Insurance, pay HMRC the underpayment straight away. You can then recover the amount from your employee by making deductions from their pay.\n\nYou cannot recover more than the amount of National Insurance the employee owes in a month (so the employee pays no more than double their normal contribution). Carry over the difference to later months - you can only make deductions in the tax year when you made the mistake and the year after.\n\n## Correct an employee\u2019s student loan repayments\n\nWhat you need to do depends on when you made the mistake.\n\n## If the mistake was in this tax year\n\nRepay or deduct the balance from your employee. Update the year-to-date figures to the corrected amount in your next regular FPS or send an additional FPS.\n\nIf you deducted too little, you cannot recover more than the student loan repayment due that month.\n\n## If the mistake was in the 2020 to 2021 tax year\n\nIf you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.\n\nIf you deducted too much, you need to repay your employee. Send an FPS with the correct \u2018student loan repayment year to date\u2019 figure as of 5 April for the previous tax year.\n\n## If the mistake was in the 2018 to 2019 or 2019 to 2020 tax year\n\nIf you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.\n\nIf you deducted too much, you need to repay your employee.\n\nCheck your payroll software to see if you can submit an FPS. If you can, send it with the correct \u2018student loan repayment year to date\u2019 figure as of 5 April for the previous tax year.\n\nOtherwise send an Earlier Year Update (EYU) with the difference between what you originally deducted and the correct amount.\n\n## If the mistake was in the 2017 to 2018 tax year or earlier\n\nIf you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.\n\nIf you deducted too much, you need to repay your employee. Send an Earlier Year Update (EYU) with the difference between what you originally deducted and the correct amount.", + "original_contents": [ + "

    Your PAYE bill is not what you expected

    ", + "

    Every month you have to pay HM Revenue and Customs (HMRC) what you owe as part of running payroll for your employees.

    ", + "

    There are things you should check if your PAYE bill is not what you expected when you view your online account.

    ", + "

    What to check

    ", + "

    Make sure you sent your Full Payment Submission (FPS) or Employer Payment Summary (EPS) in time for the account to update.

    ", + "

    You should also check that you:

    ", + "
  • used the date you paid your employees on your FPS report, not the date you sent it
  • ", + "
  • reported other details in your FPS correctly, for example pay and deductions
  • ", + "
  • reported your EPS correctly, for example to reclaim any statutory pay
  • ", + "
  • previously paid HMRC the right amount - you may have paid too much or too little if your reports were incorrect
  • ", + "

    Employees starting and leaving

    ", + "

    Check that you correctly reported any employees starting or leaving.

    ", + "

    You may get an incorrect bill and duplicate payroll records if you made a mistake. Both are usually corrected automatically - contact HMRC if your PAYE bill is still wrong by the 12th of the next tax month.

    ", + "

    Correcting errors

    ", + "

    If you find a mistake, follow the guidance to:

    ", + "
  • correct an error in your FPS or EPS
  • ", + "
  • correct a payment to HMRC
  • ", + "

    You can also correct mistakes if you paid your employee the wrong amount or made incorrect deductions.

    ", + "

    Get help to correct your PAYE bill

    ", + "

    Contact HMRC\u2019s employer helpline if you need help.

    ", + "

    You made a mistake in your FPS or EPS

    ", + "

    Your PAYE bill might be wrong if you made a mistake in your FPS or EPS. You might have to correct:

    ", + "
  • pay or deductions
  • ", + "
  • payment dates
  • ", + "
  • start or leaving dates for your employee
  • ", + "
  • employee information
  • ", + "
  • reports sent in advance
  • ", + "
  • National Insurance category letters
  • ", + "
  • amounts in your Employer Payment Summary (EPS)
  • ", + "
  • the Apprenticeship Levy you owe (starting from April 2017) if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million
  • ", + "

    You\u2019ll only be charged a penalty for a mistake if you did not take reasonable care or did it deliberately.

    ", + "

    If you\u2019ve reported the wrong pay or deductions

    ", + "

    To correct a mistake made in the current tax year, update the year-to-date figures in your next regular Full Payment Submission (FPS).

    ", + "

    If you reported the wrong pay or deductions in the 2020 to 2021 tax year you can correct this by submitting another FPS with the correct year to date figures.

    ", + "

    If you reported the wrong pay or deductions in the 2018 to 2019 or 2019 to 2020 tax years, you can correct this by submitting an Earlier Year Update (EYU) or a further FPS with the correct year to date figures.

    ", + "

    For earlier tax years, send an EYU showing the difference between what you originally reported and the correct figure. You can only use an EYU for tax years when you were reporting online in real time.

    ", + "

    If your payroll software cannot send an EYU, you can use HMRC\u2019s Basic PAYE Tools.

    ", + "

    The rules are different if you find a mistake in your final FPS of the year.

    ", + "

    Correct a pension death benefit or flexibility payment

    ", + "

    If you\u2019re a pension administrator who needs to correct a flexibility payment or death benefit payment, you must:

    ", + "
  • select the \u2018pension flexibility payment\u2019 or \u2018pension death benefit payment\u2019 indicator
  • ", + "
  • update the \u2018pensions drawdown taxable payment\u2019 or \u2019pensions drawdown non-taxable payment\u2019 fields (or both) with the difference between what you originally reported and the correct figures
  • ", + "

    If your employee has stopped working for you

    ", + "

    Include them in your next FPS and correct their year-to-date figures. Include their original \u2018Date of leaving\u2019 and put the same or a later \u2018Payment date\u2019 than the one shown on their final FPS.

    ", + "

    Correct the payment date in your FPS

    ", + "

    You should use the date you paid your employees in your FPS.

    ", + "

    Send an additional FPS with the correct payment date if you\u2019ve sent one with the wrong payment date. Write \u2018H - correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field.

    ", + "

    Send your corrected FPS by the 19th of the tax month after you sent your original FPS. HMRC will apply the correction to the right month.

    ", + "

    If the wrong date was in different tax month, you must realign your payroll to the correct tax period.

    ", + "

    Correct an employee\u2019s start or leaving date

    ", + "

    Update your payroll records with the correct date if you put the wrong start or leaving date for an employee in your FPS.

    ", + "

    Do not report the amendment in your next FPS as this may create a duplicate record for the employee.

    ", + "

    Correct your employee\u2019s personal information

    ", + "

    Correct your next FPS if you\u2019ve made a mistake with your employee\u2019s personal details.

    ", + "

    Do not report updates to more than one of your employee\u2019s personal details (for example their name, date of birth or gender) in the same FPS. Your payroll records may be duplicated if you do, and your PAYE bill might be wrong.

    ", + "

    If your employee\u2019s details (for example their address or surname) change:

    ", + "
  • they must tell HMRC straight away
  • ", + "
  • you need to update your payroll records
  • ", + "

    Correct FPS reports sent in advance

    ", + "

    If you\u2019ve sent FPS reports in advance that need to be corrected (for example because an employee leaves), you should:

    ", + "
  • send another FPS for the tax month the correction relates to, making sure you fill in all relevant fields and revising the year-to-date figures if needed
  • ", + "
  • correct any other FPS reports you sent in advance that are affected by the change
  • ", + "

    Correct an employee\u2019s National Insurance category letter

    ", + "

    How you do this depends on why the category letter changed, and in which tax year.

    ", + "

    You\u2019ve used the wrong category letter in the current tax year or the 2020 to 2021 tax year

    ", + "

    Report the mistake in your next FPS.

    ", + "
  • Add the category letter you\u2019ve used incorrectly.
  • ", + "
  • Put \u20180\u2019 in all National Insurance fields for this category letter except \u2018Employee\u2019s NICs this payment\u2019, and enter the amount you have repaid or recovered here, for example put -\u00a3300 if you\u2019re repaying an employee\u2019s overpayment of \u00a3300.
  • ", + "
  • Add the correct category letter, and enter the correct year-to-date National Insurance for this category letter.
  • ", + "
  • Put \u20180\u2019 in all National Insurance fields for the incorrect category letter for the rest of the tax year - you do not need to do this if the category should never have been used.
  • ", + "

    Some software allows you to correct this by adjusting net pay. You\u2019ll still need to keep a record of the change.

    ", + "

    Your employee\u2019s category letter changed during the tax year

    ", + "

    In your next FPS:

    ", + "
  • Continue to report year-to-date information for the old category.
  • ", + "
  • Put \u20180\u2019 in all \u2018In this pay period\u2019 fields for this category, and use the \u2018Employee\u2019s NICs this payment\u2019 field to adjust any underpayment or overpayment of National Insurance.
  • ", + "
  • Add the correct category letter, and enter the correct year-to-date National Insurance for this category letter.
  • ", + "

    If the mistake was in the 2019 to 2020 tax year or earlier

    ", + "

    Send an EYU with:

    ", + "
  • negative amounts in all the National Insurance year-to-date fields in the incorrect category letter, to reduce the employee\u2019s National Insurance to zero
  • ", + "
  • the correct category letter and correct year-to-date National Insurance
  • ", + "

    If you\u2019re correcting a mistake in the 2018 to 2019 or 2019 to 2020 tax years, you may be able to send an FPS instead - use your payroll software to check. Send it with the correct category letter and correct year-to-date National Insurance.

    ", + "

    If the mistake caused an overpayment or underpayment

    ", + "

    You must correct your employee\u2019s National Insurance deductions if they paid too little or too much because they were on the wrong category letter.

    ", + "

    Correct an EPS

    ", + "

    To correct a mistake in the current tax year, send an EPS with the correct year-to-date figures.

    ", + "

    For previous tax years, send an EPS with the correct year-to-date figures for the tax year where you made the mistake.

    ", + "

    You paid HMRC the wrong amount

    ", + "

    What you need to do to correct a payment depends on whether you paid too much or too little, and how the error occurred.

    ", + "

    If you\u2019ve paid HMRC too little

    ", + "

    If you underpaid because of a mistake in your Full Payment Submission (FPS) or Employer Payment Summary (EPS), correct it in your next regular report. HM Revenue and Customs (HMRC) will add the underpayment to your next PAYE bill.

    ", + "

    If you underpaid because you entered the wrong amount when paying HMRC, pay the balance as soon as possible or you may have to pay interest or a penalty. Use your Accounts Office reference when paying.

    ", + "

    If you\u2019ve paid HMRC too much

    ", + "

    If you overpaid because of a mistake in your FPS or EPS, make the correction in your next regular report. HMRC will take the overpayment off your next PAYE bill.

    ", + "

    If you overpaid because you entered the wrong amount when paying HMRC, or you made a duplicate payment, you can balance your account by paying less in your next PAYE bill.

    ", + "

    You can also claim a refund if you\u2019ve overpaid by contacting HMRC\u2019s employer helpline.

    ", + "

    HMRC will repay directly into your account if you\u2019ve sent an EPS with your bank details.

    ", + "

    Write to HMRC with your bank details if you cannot include them with your EPS.

    ", + "

    Reclaim an overpayment for a previous tax year

    ", + "

    You must work out why you overpaid before you can reclaim an overpayment for a previous tax year.

    ", + "

    Work out why you overpaid

    ", + "

    Compare what you\u2019ve paid HMRC with what you\u2019ve owed in your tax account. You may have overpaid if your payments did not take into account:

    ", + "
  • an overpayment carried over from a previous tax year
  • ", + "
  • statutory pay for parents that you were entitled to reclaim
  • ", + "
  • any repayments made to employees, for example because you used the wrong tax code
  • ", + "
  • any corrections to your reports
  • ", + "
  • student loan deductions
  • ", + "
  • employees who left, for example because you did not report them correctly to HMRC
  • ", + "
  • any incentive payments from HMRC to send reports online
  • ", + "
  • any Construction Industry Scheme (CIS) deductions, or if you made deductions incorrectly
  • ", + "

    You also may have overpaid if you paid HMRC:

    ", + "
  • for the wrong tax year
  • ", + "
  • more than once for the same bill
  • ", + "
  • an estimated amount in advance
  • ", + "

    For duplicated or estimated payments, tell HMRC what you paid, what you should have paid and why you paid the additional amount.

    ", + "

    Making your claim

    ", + "

    Once you know why you\u2019ve overpaid, you can claim your repayment from HMRC. You\u2019ll need to tell them:

    ", + "
  • your business\u2019s name and address
  • ", + "
  • your PAYE reference - this is in your employer registration letter from HMRC
  • ", + "
  • your contact telephone number
  • ", + "
  • how much you\u2019ve overpaid - for each tax year you\u2019re claiming
  • ", + "
  • the tax month you overpaid in (if possible)
  • ", + "
  • why you overpaid - for each tax year you\u2019re claiming
  • ", + "
  • whether you\u2019ve claimed this overpayment before
  • ", + "

    HMRC will offset the amount against your PAYE bill in the current tax year. If you do not owe anything, they will offset the amount:

    ", + "
  • against a PAYE bill from a previous tax year
  • ", + "
  • against other taxes you owe, for example Corporation Tax
  • ", + "

    You\u2019ll only get a refund if you do not owe HMRC any tax.

    ", + "

    You must apply by letter if your company has been dissolved or struck off.

    ", + "

    You paid your employee the wrong amount or made incorrect deductions

    ", + "

    You can correct a mistake with an employee\u2019s pay or deductions by updating the year-to-date figures in your next regular Full Payment Submission (FPS).

    ", + "

    You can also correct it by sending an additional FPS before your next regular FPS is due. You need to:

    ", + "
  • update the \u2018this pay period\u2019 figures with the difference between what you originally reported and the correct figures
  • ", + "
  • correct the year-to-date figures
  • ", + "
  • put the same payment date as the original FPS
  • ", + "
  • put the same pay frequency as the original FPS
  • ", + "
  • put \u2018H - Correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field
  • ", + "

    Correct a pension death benefit or flexibility payment

    ", + "

    If you\u2019re a pension administrator who needs to correct a flexibility payment or death benefit payment, you must:

    ", + "
  • select the \u2018pension flexibility payment\u2019 or \u2018pension death benefit payment\u2019 indicator
  • ", + "
  • update the \u2018pensions drawdown taxable payment\u2019 or \u2019pensions drawdown non-taxable payment\u2019 fields (or both) with the difference between what you originally reported and the correct figures
  • ", + "

    If you underpaid your employee

    ", + "

    Pay your employee the amount you underpaid them. On or before the day of this payment, send an additional FPS with:

    ", + "
  • the difference between what you originally reported and the correct amount in the \u2018In this pay period\u2019 field
  • ", + "
  • updated year-to-date figures
  • ", + "
  • \u2018H - Correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field
  • ", + "

    Correct an employee\u2019s National Insurance deductions

    ", + "

    What you need to do depends on when you made the mistake.

    ", + "

    If the mistake was in this tax year

    ", + "

    Repay or deduct the balance from your employee. Update the year-to-date figures to the corrected amount in your next regular FPS or send an additional FPS.

    ", + "

    If you deducted too little, you cannot recover more than the employee\u2019s National Insurance contribution due that month.

    ", + "

    If the mistake was in the 2020 to 2021 tax year

    ", + "

    Send an FPS with the amount you should have deducted.

    ", + "

    You\u2019ll need to write to HMRC if both the following apply:

    ", + "
  • the difference is negative because you deducted or reported too much National Insurance
  • ", + "
  • you still owe your employee a refund, for example because they\u2019ve left your employment
  • ", + "

    In the letter you\u2019ll need to include:

    ", + "
  • the reference \u2018Overpaid NI contributions\u2019
  • ", + "
  • your employee\u2019s name, date of birth and National Insurance number
  • ", + "
  • why you overpaid National Insurance contributions
  • ", + "
  • which tax years you overpaid in
  • ", + "
  • how much National Insurance you overpaid
  • ", + "
  • why you are unable to make the payment to the employee
  • ", + "

    For a claim for one employee, send the letter to:

    ", + "

    For a claim for more than one employee, send the letter to:

    ", + "

    If the mistake was in the 2018 to 2019 or 2019 to 2020 tax years

    ", + "

    Send an FPS with the correct year-to-date National Insurance if:

    ", + "
  • your payroll software will let you submit an FPS
  • ", + "
  • you can pay any National Insurance refunds you owe
  • ", + "

    If you cannot use an FPS, send an Earlier Year Update (EYU) with the difference between:

    ", + "
  • the amount of National Insurance you originally deducted
  • ", + "
  • the correct amount you should have deducted
  • ", + "

    If the difference is negative (because you deducted or reported too much National Insurance), you also need to set the \u2018NIC refund indicator\u2019 to:

    ", + "
  • \u2018Yes\u2019 if you\u2019ve refunded your employee or no refund was due
  • ", + "
  • \u2018No\u2019 if you still owe your employee a refund (for example because they\u2019ve left your employment)
  • ", + "

    If the mistake was in the 2017 to 2018 tax year or earlier

    ", + "

    Send an Earlier Year Update (EYU) with the difference between:

    ", + "
  • the amount of National Insurance you originally deducted
  • ", + "
  • the correct amount you should have deducted
  • ", + "

    If the difference is negative (because you deducted or reported too much National Insurance), you also need to set the \u2018NIC refund indicator\u2019 to:

    ", + "
  • Yes\u2019 if you\u2019ve refunded your employee or no refund was due
  • ", + "
  • \u2018No\u2019 if you still owe your employee a refund (for example because they\u2019ve left your employment)
  • ", + "

    If there\u2019s an underpayment

    ", + "

    If you deducted too little National Insurance, pay HMRC the underpayment straight away. You can then recover the amount from your employee by making deductions from their pay.

    ", + "

    You cannot recover more than the amount of National Insurance the employee owes in a month (so the employee pays no more than double their normal contribution). Carry over the difference to later months - you can only make deductions in the tax year when you made the mistake and the year after.

    ", + "

    Correct an employee\u2019s student loan repayments

    ", + "

    What you need to do depends on when you made the mistake.

    ", + "

    If the mistake was in this tax year

    ", + "

    Repay or deduct the balance from your employee. Update the year-to-date figures to the corrected amount in your next regular FPS or send an additional FPS.

    ", + "

    If you deducted too little, you cannot recover more than the student loan repayment due that month.

    ", + "

    If the mistake was in the 2020 to 2021 tax year

    ", + "

    If you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.

    ", + "

    If you deducted too much, you need to repay your employee. Send an FPS with the correct \u2018student loan repayment year to date\u2019 figure as of 5 April for the previous tax year.

    ", + "

    If the mistake was in the 2018 to 2019 or 2019 to 2020 tax year

    ", + "

    If you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.

    ", + "

    If you deducted too much, you need to repay your employee.

    ", + "

    Check your payroll software to see if you can submit an FPS. If you can, send it with the correct \u2018student loan repayment year to date\u2019 figure as of 5 April for the previous tax year.

    ", + "

    Otherwise send an Earlier Year Update (EYU) with the difference between what you originally deducted and the correct amount.

    ", + "

    If the mistake was in the 2017 to 2018 tax year or earlier

    ", + "

    If you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.

    ", + "

    If you deducted too much, you need to repay your employee. Send an Earlier Year Update (EYU) with the difference between what you originally deducted and the correct amount.

    " + ] + }, + "https://www.gov.uk/make-benefit-debt-deductions": { + "url": "https://www.gov.uk/make-benefit-debt-deductions", + "title": "Make benefit debt deductions from an employee's pay", + "content": "## Overview\n\nAs an employer you may be asked to deduct benefit overpayments an employee owes the Department for Work and Pensions (DWP) from their pay. This is called a Direct Earnings Attachment (DEA).\n\nDWP will write to you and ask you to operate the DEA scheme if any of your employees are affected. DEA only applies to a small proportion of people owing money to DWP.\n\nYou may also be asked to make deductions for Housing Benefit overpayments an employee owes their local authority. Contact local authorities, not DWP, about these deductions.\n\n## How it works\n\nThe Department for Work and Pensions (DWP) will write to you if you need to make Direct Earnings Attachment (DEA) deductions for an employee.\n\n## How deductions work\n\nYou\u2019ll need to follow these steps if you get a letter from DWP saying you need to make Direct Earnings Attachment (DEA) deductions for an employee:\n\n- Tell your employee that money will be deducted from their pay.\n\n- Work out how much to deduct from your employee\u2019s pay.\n\n- Check if your employee has other debt orders to pay and if they take priority over DEA.\n\n- Take the money from your employee\u2019s pay.\n\n- Pay the money to DWP no later than the 19th day of the month following deduction in your payroll.\n\n- Continue to make employee deductions and payments to DWP until the debt has been repaid or DWP tells you to stop.\n\nRead the employer\u2019s guide for more information on DEA deductions and payments.\n\n## Record keeping\n\nYou must keep a record of deductions and tell DWP when an employee leaves your company.\n\nYou could be fined up to \u00a31,000 if you do not make DEA deductions.\n\n## Help with DWP payments\n\nCall the employer helpline if you have questions about how to run DEA or pay DWP.\n\nThis helpline is for DWP deductions only. Contact your employee\u2019s local authority for Housing Benefit deductions.\n\n## Calculating DEA\n\nTo calculate the deductions from your employee\u2019s pay you\u2019ll have to:\n\n- work out the employee\u2019s earnings after tax, class 1 National Insurance and workplace pension contributions\n\n- deduct the percentage shown in the table from the employee\u2019s earnings\n\n- check if the employee has other debt orders and if they take priority over Direct Earnings Attachment (DEA) - see the employer\u2019s guide\n\nIf the total of all deductions is more than 40% of the employee\u2019s net earnings, DEA must be adjusted - see the employer\u2019s guide.\n\nIf payments are made every 2 or 4 weeks, calculate weekly pay and deduct the percentage in the table.\n\n## Standard DEA rates\n\n| Deductions from earnings | Employee\u2019s weekly pay | Employee\u2019s monthly pay |\n\n| Nothing to deduct | \u00a3100 or less | \u00a3430 or less |\n\n| 3% | \u00a3100.01 to \u00a3160 | \u00a3430.01 to \u00a3690 |\n\n| 5% | \u00a3160.01 to \u00a3220 | \u00a3690.01 to \u00a3950 |\n\n| 7% | \u00a3220.01 to \u00a3270 | \u00a3950.01 to \u00a31,160 |\n\n| 11% | \u00a3270.01 to \u00a3375 | \u00a31,160.01 to \u00a31,615 |\n\n| 15% | \u00a3375.01 to \u00a3520 | \u00a31,615.01 to \u00a32,240 |\n\n| 20% | More than \u00a3520 | More than \u00a32,240 |\n\n## Higher DEA rates\n\nIn some circumstances you may be asked to deduct DEA at a higher rate. The Department for Work and Pensions (DWP) will tell you which rate to use when it contacts you to set up DEA deductions.\n\n| Deductions from earnings | Employee\u2019s weekly pay | Employee\u2019s monthly pay |\n\n| 5% | \u00a3100 or less | \u00a3430 or less |\n\n| 6% | \u00a3100.01 to \u00a3160 | \u00a3430.01 to \u00a3690 |\n\n| 10% | \u00a3160.01 to \u00a3220 | \u00a3690.01 to \u00a3950 |\n\n| 14% | \u00a3220.01 to \u00a3270 | \u00a3950.01 to \u00a31,160 |\n\n| 22% | \u00a3270.01 to \u00a3375 | \u00a31,160.01 to \u00a31,615 |\n\n| 30% | \u00a3375.01 to \u00a3520 | \u00a31,615.01 to \u00a32,240 |\n\n| 40% | More than \u00a3520 | More than \u00a32,240 |\n\nCall the employer helpline if you\u2019re unsure which rate to pay.\n\nThere is more detail about calculating DEA in the employer\u2019s guide.\n\n## What counts as earnings\n\nWhen calculating Direct Earnings Attachment (DEA) payments, you should include as earnings:\n\n- wages and salary\n\n- fees\n\n- bonuses\n\n- commission\n\n- overtime pay\n\n- occupational pensions if paid with wages or salary\n\n- compensation payments\n\n- Statutory Sick Pay\n\n- most other payments on top of wages\n\n- pay in lieu of notice\n\nDo not count:\n\n- Statutory Maternity Pay\n\n- Statutory Adoption Pay\n\n- Ordinary or Additional Paternity Pay\n\n- guaranteed minimum pension\n\n- any money the employee gets from the government, such as benefits, pensions or credits (includes Northern Ireland or anywhere outside the UK)\n\n- statutory redundancy pay\n\n- expenses\n\n- pay or allowances as a member of HM Forces (does not include allowances for special members of the reserve force)", + "original_contents": [ + "

    Overview

    ", + "

    As an employer you may be asked to deduct benefit overpayments an employee owes the Department for Work and Pensions (DWP) from their pay. This is called a Direct Earnings Attachment (DEA).

    ", + "

    DWP will write to you and ask you to operate the DEA scheme if any of your employees are affected. DEA only applies to a small proportion of people owing money to DWP.

    ", + "

    You may also be asked to make deductions for Housing Benefit overpayments an employee owes their local authority. Contact local authorities, not DWP, about these deductions.

    ", + "

    How it works

    ", + "

    The Department for Work and Pensions (DWP) will write to you if you need to make Direct Earnings Attachment (DEA) deductions for an employee.

    ", + "

    How deductions work

    ", + "

    You\u2019ll need to follow these steps if you get a letter from DWP saying you need to make Direct Earnings Attachment (DEA) deductions for an employee:

    ", + "
  • Tell your employee that money will be deducted from their pay.
  • ", + "
  • Work out how much to deduct from your employee\u2019s pay.
  • ", + "
  • Check if your employee has other debt orders to pay and if they take priority over DEA.
  • ", + "
  • Take the money from your employee\u2019s pay.
  • ", + "
  • Pay the money to DWP no later than the 19th day of the month following deduction in your payroll.
  • ", + "
  • Continue to make employee deductions and payments to DWP until the debt has been repaid or DWP tells you to stop.
  • ", + "

    Read the employer\u2019s guide for more information on DEA deductions and payments.

    ", + "

    Record keeping

    ", + "

    You must keep a record of deductions and tell DWP when an employee leaves your company.

    ", + "

    You could be fined up to \u00a31,000 if you do not make DEA deductions.

    ", + "

    Help with DWP payments

    ", + "

    Call the employer helpline if you have questions about how to run DEA or pay DWP.

    ", + "

    This helpline is for DWP deductions only. Contact your employee\u2019s local authority for Housing Benefit deductions.

    ", + "

    Calculating DEA

    ", + "

    To calculate the deductions from your employee\u2019s pay you\u2019ll have to:

    ", + "
  • work out the employee\u2019s earnings after tax, class 1 National Insurance and workplace pension contributions
  • ", + "
  • deduct the percentage shown in the table from the employee\u2019s earnings
  • ", + "
  • check if the employee has other debt orders and if they take priority over Direct Earnings Attachment (DEA) - see the employer\u2019s guide
  • ", + "

    If the total of all deductions is more than 40% of the employee\u2019s net earnings, DEA must be adjusted - see the employer\u2019s guide.

    ", + "

    If payments are made every 2 or 4 weeks, calculate weekly pay and deduct the percentage in the table.

    ", + "

    Standard DEA rates

    ", + "Deductions from earnings | Employee\u2019s weekly pay | Employee\u2019s monthly pay", + "Nothing to deduct | \u00a3100 or less | \u00a3430 or less", + "3% | \u00a3100.01 to \u00a3160 | \u00a3430.01 to \u00a3690", + "5% | \u00a3160.01 to \u00a3220 | \u00a3690.01 to \u00a3950", + "7% | \u00a3220.01 to \u00a3270 | \u00a3950.01 to \u00a31,160", + "11% | \u00a3270.01 to \u00a3375 | \u00a31,160.01 to \u00a31,615", + "15% | \u00a3375.01 to \u00a3520 | \u00a31,615.01 to \u00a32,240", + "20% | More than \u00a3520 | More than \u00a32,240", + "

    Higher DEA rates

    ", + "

    In some circumstances you may be asked to deduct DEA at a higher rate. The Department for Work and Pensions (DWP) will tell you which rate to use when it contacts you to set up DEA deductions.

    ", + "Deductions from earnings | Employee\u2019s weekly pay | Employee\u2019s monthly pay", + "5% | \u00a3100 or less | \u00a3430 or less", + "6% | \u00a3100.01 to \u00a3160 | \u00a3430.01 to \u00a3690", + "10% | \u00a3160.01 to \u00a3220 | \u00a3690.01 to \u00a3950", + "14% | \u00a3220.01 to \u00a3270 | \u00a3950.01 to \u00a31,160", + "22% | \u00a3270.01 to \u00a3375 | \u00a31,160.01 to \u00a31,615", + "30% | \u00a3375.01 to \u00a3520 | \u00a31,615.01 to \u00a32,240", + "40% | More than \u00a3520 | More than \u00a32,240", + "

    Call the employer helpline if you\u2019re unsure which rate to pay.

    ", + "

    There is more detail about calculating DEA in the employer\u2019s guide.

    ", + "

    What counts as earnings

    ", + "

    When calculating Direct Earnings Attachment (DEA) payments, you should include as earnings:

    ", + "
  • wages and salary
  • ", + "
  • fees
  • ", + "
  • bonuses
  • ", + "
  • commission
  • ", + "
  • overtime pay
  • ", + "
  • occupational pensions if paid with wages or salary
  • ", + "
  • compensation payments
  • ", + "
  • Statutory Sick Pay
  • ", + "
  • most other payments on top of wages
  • ", + "
  • pay in lieu of notice
  • ", + "

    Do not count:

    ", + "
  • Statutory Maternity Pay
  • ", + "
  • Statutory Adoption Pay
  • ", + "
  • Ordinary or Additional Paternity Pay
  • ", + "
  • guaranteed minimum pension
  • ", + "
  • any money the employee gets from the government, such as benefits, pensions or credits (includes Northern Ireland or anywhere outside the UK)
  • ", + "
  • statutory redundancy pay
  • ", + "
  • expenses
  • ", + "
  • pay or allowances as a member of HM Forces (does not include allowances for special members of the reserve force)
  • " + ] + }, + "https://www.gov.uk/child-maintenance-for-employers": { + "url": "https://www.gov.uk/child-maintenance-for-employers", + "title": "Make child maintenance deductions from an employee's pay", + "content": "## Overview\n\nThe Child Maintenance Service can ask you to:\n\n- give information about your employee so they can work out the right amount of child maintenance\n\n- set up a deduction from earnings order (DEO)\n\n- answer enquiries from other organisations who collect payments of child maintenance on their behalf\n\nYou may also be given an attachment of earnings order (AEO) by a court.\n\n## Your legal obligations when deducting child maintenance\n\nBy law, you must:\n\n- give information to the Child Maintenance Service if you\u2019re asked to\n\n- send payments as soon as possible, to arrive no later than the 19th day of the month following the month you made the deduction\n\n- tell the Child Maintenance Service immediately if there are any problems with taking payments from a paying parent\u2019s earnings\n\n- make regular payments - if you do not send payments and do not explain why, you could be taken to court\n\nThe paying parent is the parent who does not have main day-to-day care of the child.\n\nYou must report a change of circumstances to the Child Maintenance Service within 10 days. For example, if:\n\n- an employee leaves your business\n\n- you\u2019re asked to set up a deduction from earnings order (DEO) for someone who does not work for you\n\nYou can report changes online or by phone.\n\n## Use the Child Maintenance Service online\n\nIf you\u2019ve ever managed a case through the Child Maintenance Service, you can register for the online service. The service lets you:\n\n- see all deductions\n\n- report and make changes\n\n- send messages\n\n- see important information you\u2019ve been sent\n\n## Call the Child Maintenance Service\n\nYou can call the Child Maintenance Service if you have questions or need to report a change.\n\n## Deduction from earnings orders (DEOs)\n\nDeduction from earnings orders (DEOs) are a way of collecting child maintenance directly from a paying parent\u2019s earnings or pension.\n\nThe paying parent is the parent who does not have main day-to-day care of the child.\n\n## When you\u2019ll get a DEO\n\nYou\u2019ll be sent a deduction from earnings order (DEO) if one of your employees is a paying parent who:\n\n- chooses to pay child maintenance direct from their earnings\n\n- does not pay child maintenance owed\n\n- does not pay the correct amount\n\n- does not pay on time\n\n## What you need to do\n\nYou must deduct the amount of child maintenance stated on the DEO from your employee\u2019s net earnings or their pension and pay it to the Child Maintenance Service. This will include any arrears that are due.\n\n## Other court orders against your employee\n\nYou could get a DEO from the Child Maintenance Service and an attachment of earnings order (AEO) from a court.\n\n## How to calculate deductions\n\nThe deduction from earnings order (DEO) will show 2 rates.\n\n| Rate | What it means |\n\n| Normal deduction rate (NDR) | The amount your employee owes in child maintenance. You\u2019ll deduct this from their pay. |\n\n| Protected earnings rate (PER) or protected earnings proportion (PEP) | The minimum pay you must make sure your employee takes home after all deductions have been made. |\n\nThe PER applies to cases opened before 3 March 2003. The PEP applies to cases opened from 3 March 2003.\n\nYou must make sure that your deduction leaves your employee with the amount of their protected earnings, unless the deduction is for administrative costs.\n\n## How much to deduct\n\nYou may not always be able to deduct the full NDR from your employee\u2019s pay.\n\nThis depends on how much they have left in net earnings once you\u2019ve taken in account their PER or PEP.\n\nYou can deduct up to \u00a31 for administration costs.\n\n## If you cannot deduct the full NDR\n\nYou must:\n\n- keep a record of the shortfall\n\n- carry forward the shortfall to the next period\n\n- send any deduction you\u2019ve been able to make to the court or Child Maintenance Service\n\nYou then deduct the full amount of the shortfall plus the NDR owed for the next pay period. You must still leave your employee with the PER or PEP.\n\nIf the shortfall is carried forward for several weeks before being repaid, keep a record of the ongoing shortfall.\n\nThe Child Maintenance Service or court may need to review an NDR if an employee consistently cannot pay it.\n\n## If you pay your employee holiday pay in advance\n\nYou\u2019ll have to:\n\n- calculate your employee\u2019s total net earnings for the pay period\n\n- multiply the PER or PEP and the NDR by the number of weeks in the pay period\n\n- set aside the combined PER or PEP and take off the combined NDR in the usual way\n\n## If you get more than one DEO or AEO for an employee\n\nSometimes a paying parent has more than one case and is paying child maintenance for children by different receiving parents.\n\nThe receiving parent has main day-to-day care of the child. The paying parent does not have main day-to-day care.\n\nYou\u2019ll have to pay AEOs in the order of the date of issue, so you might have to finish deducting payments for one before another.\n\nAEOs for maintenance have to be paid before AEOs for civil debts.\n\n## What counts as earnings\n\nA deduction from earnings order (DEO) or an attachment of earnings order (AEO) can only be made from the following earnings:\n\n- wages, fees, bonus, commission, overtime pay or any payments on top of wages\n\n- private or occupational pensions and compensation payments\n\n- Statutory Sick Pay\n\n- contractual sick pay\n\n- contractual maternity pay\n\n- contractual paternity pay\n\n- contractual adoption pay\n\n- contractual redundancy pay\n\nStatutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees over and above statutory pay.\n\n## What does not count as earnings\n\nYour employee cannot pay child maintenance by DEO or AEO if their only earnings are in the following categories:\n\n- amounts paid by a public department of the government of Northern Ireland or any country outside the UK\n\n- any social security pension, allowance or benefit\n\n- tax credits\n\n- any pension or allowance paid for disability\n\n- guaranteed minimum pension within the Social Security Pensions Act 1975\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Redundancy Pay\n\n## Make DEO payments\n\nYou can be prosecuted if you do not pay the amount on a deduction from earnings order (DEO).\n\nYou can make\u00a0DEO\u00a0payments by using the Banks Automated Clearing System (BACS). The Child Maintenance Service can help you set it up.\n\n## Pay online\n\nYou can manage your Child Maintenance Service payments online.\n\nYou should send a single bulk BACS payment for all the employees you make a deduction from. You\u2019ll get a monthly schedule.\n\n## Pay by other methods\n\nYou can also pay by:\n\n- internet banking\n\n- telephone banking\n\n- cheque (made payable to \u2018The Child Maintenance Service\u2019)\n\n## Account details to use\n\n| Sort code | Account number | Account name | Account code | Transaction code |\n\n| 60 70 80 | 10026584 | DWP CMG Employers | 0 | 99 |\n\nYou\u2019ll need to give the employer reference number. It will be a 12 digit number starting with 5.\n\n## When to pay\n\nYou should send a payment to the Child Maintenance Service so it gets there no later than the 19th day of the month following the month that you took it.\n\nYou and your employee will be sent a letter every year to remind you how much must be paid and when.\n\n## Deductions for administrative costs\n\nYou can take up to \u00a31 towards administrative costs for each deduction, on top of the amount asked for on the DEO. You can take it even if it reduces your employee\u2019s income below the protected earnings proportion or protected earnings rate.\n\n## Inform your employee\n\nYou must inform your employee in writing about each deduction when they are given their pay statement. Include the amount (if any) you deduct towards your expenses.\n\nIf pay statements are not usually given, you should inform your employee in writing. You should do this no later than the employee\u2019s pay day after the deduction was made.\n\n## If you pay the wrong amount\n\nTell the Child Maintenance Service if you find a mistake in the amount you\u2019ve paid. You can either:\n\n- use the Child Maintenance Service online\n\n- call the employer payment team\n\n## Change of circumstances for DEOs\n\nTell the Child Maintenance Service if your employee\u2019s circumstances change.\n\nYou can either:\n\n- use the Child Maintenance Service online\n\n- call the employer helpline\n\nIf your business stops trading, or if your employee leaves your employment, you must tell the Child Maintenance Service within 10 days.\n\nYou should also tell them if your employee changes their hours.\n\nYou and your employee will be sent a revised deduction from earnings order (DEO).\n\n## If the Child Maintenance Service cancels a DEO\n\nThey will write to you and your employee to tell you the DEO has been cancelled. They will ask you to stop taking deductions from the date of the letter.\n\nYou must only stop taking deductions if you\u2019re told in writing.\n\n## If you do not help with DEOs or AEOs\n\nYou can be fined up to \u00a3250 or sent to prison for up to 14 days if you do not do what an attachment of earnings order (AEO) says you should do.\n\nIf you\u2019ve got a deduction from earnings order (DEO) it\u2019s an offence to:\n\n- not provide information when it\u2019s required\n\n- make a false statement or representation\n\n- knowingly provide false information\n\n- delay or obstruct an inspector on purpose\n\n- refuse or fail to answer any questions or supply any information or to produce any document when it\u2019s asked for\n\nThe Child Maintenance Service sometimes sends inspectors to interview \u2018paying parents\u2019 at work. You must let them interview your employee.\n\nThe \u2018paying parent\u2019 is the parent who does not have main day-to-day care of the child.\n\nYou can be fined up to \u00a31,000 if you\u2019re found guilty of any of these offences.", + "original_contents": [ + "

    Overview

    ", + "

    The Child Maintenance Service can ask you to:

    ", + "
  • give information about your employee so they can work out the right amount of child maintenance
  • ", + "
  • set up a deduction from earnings order (DEO)
  • ", + "
  • answer enquiries from other organisations who collect payments of child maintenance on their behalf
  • ", + "

    You may also be given an attachment of earnings order (AEO) by a court.

    ", + "

    Your legal obligations when deducting child maintenance

    ", + "

    By law, you must:

    ", + "
  • give information to the Child Maintenance Service if you\u2019re asked to
  • ", + "
  • send payments as soon as possible, to arrive no later than the 19th day of the month following the month you made the deduction
  • ", + "
  • tell the Child Maintenance Service immediately if there are any problems with taking payments from a paying parent\u2019s earnings
  • ", + "
  • make regular payments - if you do not send payments and do not explain why, you could be taken to court
  • ", + "

    The paying parent is the parent who does not have main day-to-day care of the child.

    ", + "

    You must report a change of circumstances to the Child Maintenance Service within 10 days. For example, if:

    ", + "
  • an employee leaves your business
  • ", + "
  • you\u2019re asked to set up a deduction from earnings order (DEO) for someone who does not work for you
  • ", + "

    You can report changes online or by phone.

    ", + "

    Use the Child Maintenance Service online

    ", + "

    If you\u2019ve ever managed a case through the Child Maintenance Service, you can register for the online service. The service lets you:

    ", + "
  • see all deductions
  • ", + "
  • report and make changes
  • ", + "
  • send messages
  • ", + "
  • see important information you\u2019ve been sent
  • ", + "

    Call the Child Maintenance Service

    ", + "

    You can call the Child Maintenance Service if you have questions or need to report a change.

    ", + "

    Deduction from earnings orders (DEOs)

    ", + "

    Deduction from earnings orders (DEOs) are a way of collecting child maintenance directly from a paying parent\u2019s earnings or pension.

    ", + "

    The paying parent is the parent who does not have main day-to-day care of the child.

    ", + "

    When you\u2019ll get a DEO

    ", + "

    You\u2019ll be sent a deduction from earnings order (DEO) if one of your employees is a paying parent who:

    ", + "
  • chooses to pay child maintenance direct from their earnings
  • ", + "
  • does not pay child maintenance owed
  • ", + "
  • does not pay the correct amount
  • ", + "
  • does not pay on time
  • ", + "

    What you need to do

    ", + "

    You must deduct the amount of child maintenance stated on the DEO from your employee\u2019s net earnings or their pension and pay it to the Child Maintenance Service. This will include any arrears that are due.

    ", + "

    Other court orders against your employee

    ", + "

    You could get a DEO from the Child Maintenance Service and an attachment of earnings order (AEO) from a court.

    ", + "

    How to calculate deductions

    ", + "

    The deduction from earnings order (DEO) will show 2 rates.

    ", + "Rate | What it means", + "Normal deduction rate (NDR) | The amount your employee owes in child maintenance. You\u2019ll deduct this from their pay.", + "Protected earnings rate (PER) or protected earnings proportion (PEP) | The minimum pay you must make sure your employee takes home after all deductions have been made.", + "

    The PER applies to cases opened before 3 March 2003. The PEP applies to cases opened from 3 March 2003.

    ", + "

    You must make sure that your deduction leaves your employee with the amount of their protected earnings, unless the deduction is for administrative costs.

    ", + "

    How much to deduct

    ", + "

    You may not always be able to deduct the full NDR from your employee\u2019s pay.

    ", + "

    This depends on how much they have left in net earnings once you\u2019ve taken in account their PER or PEP.

    ", + "

    You can deduct up to \u00a31 for administration costs.

    ", + "

    If you cannot deduct the full NDR

    ", + "

    You must:

    ", + "
  • keep a record of the shortfall
  • ", + "
  • carry forward the shortfall to the next period
  • ", + "
  • send any deduction you\u2019ve been able to make to the court or Child Maintenance Service
  • ", + "

    You then deduct the full amount of the shortfall plus the NDR owed for the next pay period. You must still leave your employee with the PER or PEP.

    ", + "

    If the shortfall is carried forward for several weeks before being repaid, keep a record of the ongoing shortfall.

    ", + "

    The Child Maintenance Service or court may need to review an NDR if an employee consistently cannot pay it.

    ", + "

    If you pay your employee holiday pay in advance

    ", + "

    You\u2019ll have to:

    ", + "
  • calculate your employee\u2019s total net earnings for the pay period
  • ", + "
  • multiply the PER or PEP and the NDR by the number of weeks in the pay period
  • ", + "
  • set aside the combined PER or PEP and take off the combined NDR in the usual way
  • ", + "

    If you get more than one DEO or AEO for an employee

    ", + "

    Sometimes a paying parent has more than one case and is paying child maintenance for children by different receiving parents.

    ", + "

    The receiving parent has main day-to-day care of the child. The paying parent does not have main day-to-day care.

    ", + "

    You\u2019ll have to pay AEOs in the order of the date of issue, so you might have to finish deducting payments for one before another.

    ", + "

    AEOs for maintenance have to be paid before AEOs for civil debts.

    ", + "

    What counts as earnings

    ", + "

    A deduction from earnings order (DEO) or an attachment of earnings order (AEO) can only be made from the following earnings:

    ", + "
  • wages, fees, bonus, commission, overtime pay or any payments on top of wages
  • ", + "
  • private or occupational pensions and compensation payments
  • ", + "
  • Statutory Sick Pay
  • ", + "
  • contractual sick pay
  • ", + "
  • contractual maternity pay
  • ", + "
  • contractual paternity pay
  • ", + "
  • contractual adoption pay
  • ", + "
  • contractual redundancy pay
  • ", + "

    Statutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees over and above statutory pay.

    ", + "

    What does not count as earnings

    ", + "

    Your employee cannot pay child maintenance by DEO or AEO if their only earnings are in the following categories:

    ", + "
  • amounts paid by a public department of the government of Northern Ireland or any country outside the UK
  • ", + "
  • any social security pension, allowance or benefit
  • ", + "
  • tax credits
  • ", + "
  • any pension or allowance paid for disability
  • ", + "
  • guaranteed minimum pension within the Social Security Pensions Act 1975
  • ", + "
  • Statutory Maternity Pay
  • ", + "
  • Statutory Paternity Pay
  • ", + "
  • Statutory Adoption Pay
  • ", + "
  • Statutory Redundancy Pay
  • ", + "

    Make DEO payments

    ", + "

    You can be prosecuted if you do not pay the amount on a deduction from earnings order (DEO).

    ", + "

    You can make\u00a0DEO\u00a0payments by using the Banks Automated Clearing System (BACS). The Child Maintenance Service can help you set it up.

    ", + "

    Pay online

    ", + "

    You can manage your Child Maintenance Service payments online.

    ", + "

    You should send a single bulk BACS payment for all the employees you make a deduction from. You\u2019ll get a monthly schedule.

    ", + "

    Pay by other methods

    ", + "

    You can also pay by:

    ", + "
  • internet banking
  • ", + "
  • telephone banking
  • ", + "
  • cheque (made payable to \u2018The Child Maintenance Service\u2019)
  • ", + "

    Account details to use

    ", + "Sort code | Account number | Account name | Account code | Transaction code", + "60 70 80 | 10026584 | DWP CMG Employers | 0 | 99", + "

    You\u2019ll need to give the employer reference number. It will be a 12 digit number starting with 5.

    ", + "

    When to pay

    ", + "

    You should send a payment to the Child Maintenance Service so it gets there no later than the 19th day of the month following the month that you took it.

    ", + "

    You and your employee will be sent a letter every year to remind you how much must be paid and when.

    ", + "

    Deductions for administrative costs

    ", + "

    You can take up to \u00a31 towards administrative costs for each deduction, on top of the amount asked for on the DEO. You can take it even if it reduces your employee\u2019s income below the protected earnings proportion or protected earnings rate.

    ", + "

    Inform your employee

    ", + "

    You must inform your employee in writing about each deduction when they are given their pay statement. Include the amount (if any) you deduct towards your expenses.

    ", + "

    If pay statements are not usually given, you should inform your employee in writing. You should do this no later than the employee\u2019s pay day after the deduction was made.

    ", + "

    If you pay the wrong amount

    ", + "

    Tell the Child Maintenance Service if you find a mistake in the amount you\u2019ve paid. You can either:

    ", + "
  • use the Child Maintenance Service online
  • ", + "
  • call the employer payment team
  • ", + "

    Change of circumstances for DEOs

    ", + "

    Tell the Child Maintenance Service if your employee\u2019s circumstances change.

    ", + "

    You can either:

    ", + "
  • use the Child Maintenance Service online
  • ", + "
  • call the employer helpline
  • ", + "

    If your business stops trading, or if your employee leaves your employment, you must tell the Child Maintenance Service within 10 days.

    ", + "

    You should also tell them if your employee changes their hours.

    ", + "

    You and your employee will be sent a revised deduction from earnings order (DEO).

    ", + "

    If the Child Maintenance Service cancels a DEO

    ", + "

    They will write to you and your employee to tell you the DEO has been cancelled. They will ask you to stop taking deductions from the date of the letter.

    ", + "

    You must only stop taking deductions if you\u2019re told in writing.

    ", + "

    If you do not help with DEOs or AEOs

    ", + "

    You can be fined up to \u00a3250 or sent to prison for up to 14 days if you do not do what an attachment of earnings order (AEO) says you should do.

    ", + "

    If you\u2019ve got a deduction from earnings order (DEO) it\u2019s an offence to:

    ", + "
  • not provide information when it\u2019s required
  • ", + "
  • make a false statement or representation
  • ", + "
  • knowingly provide false information
  • ", + "
  • delay or obstruct an inspector on purpose
  • ", + "
  • refuse or fail to answer any questions or supply any information or to produce any document when it\u2019s asked for
  • ", + "

    The Child Maintenance Service sometimes sends inspectors to interview \u2018paying parents\u2019 at work. You must let them interview your employee.

    ", + "

    The \u2018paying parent\u2019 is the parent who does not have main day-to-day care of the child.

    ", + "

    You can be fined up to \u00a31,000 if you\u2019re found guilty of any of these offences.

    " + ] + }, + "https://www.gov.uk/debt-deductions-from-employee-pay": { + "url": "https://www.gov.uk/debt-deductions-from-employee-pay", + "title": "Make debt deductions from an employee's pay", + "content": "## When you have to deduct from pay\n\nYou have to make deductions from your employee\u2019s wages if a court orders you to. This could be to pay off:\n\n- unpaid maintenance payments\n\n- a county court judgment\n\nThere\u2019s a different process if you have to make deductions to pay off a benefit debt or child maintenance.\n\n## How it works\n\n- You\u2019ll get a document from the court telling you to make deductions from your employee\u2019s pay.\n\n- Work out how much you have to deduct each time your employee is paid.\n\n- Start making deductions the next time you pay your employee. Pay them their reduced wages on their normal payday.\n\n- Make the payment to the court.\n\n- Stop making deductions when the debt has been paid off.\n\nYou and your employee can be fined if you do not deduct their wages, or if you deliberately give false information about their earnings.\n\n## Getting an order\n\nYou and your employee will each get an \u2018attachment of earnings order\u2019 (AEO) from the court.\n\nYou must start making deductions from your employee\u2019s pay from the next time you pay them, unless it\u2019s within the next 7 days.\n\nWrite to the court within 10 days if you get an order for someone you do not employ.\n\n## What the order tells you\n\nThe court order will tell you:\n\n- how much your employee owes\n\n- if it\u2019s a \u2018priority order\u2019 - if it does not say what it is, it\u2019s a \u2018non-priority order\u2019\n\n- how much you have to take from their wages - called the \u2018normal deduction rate\u2019 (NDR)\n\n- the minimum amount they still have to take home - called the \u2018protected earnings rate\u2019 (PER)\n\n- how often the payments have to be made (weekly or monthly)\n\nYou can be fined if you do not start making the deductions.\n\n## Change how often the deductions are made\n\nIf a county court made the order, you can ask them to change it, for example from weekly to monthly if that\u2019s how you pay your employee.\n\nIf a magistrate\u2019s court made the order, your employee has to ask the court to change it.\n\n## Deductions and minimum take-home pay\n\nYou cannot make the normal deduction if it would take the employee below the protected earnings rate.\n\n## Protected earnings rate is too high\n\nIf the protected earnings rate is so high that you\u2019ll never be able to make deductions, write to both:\n\n- the Centralised Attachment of Earning Payments (CAPS) office\n\n- the court who issued the order\n\nInclude the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n## Priority and non-priority orders\n\nThere are 2 types of orders - priority orders and non-priority orders. The way you calculate deductions for them is different.\n\n| Type of order | What it\u2019s used for | If you cannot make the full deduction |\n\n| Priority | Maintenance or fines | Carry the unpaid difference over to the next payday |\n\n| Non-priority | Civil debts | Do not carry the unpaid difference over to the next payday |\n\n## If your employee has more than one order\n\nDeduct any priority orders first, in the order the employee got them. Then deduct the non-priority orders in the order the employee got them.\n\nYou can apply to the court to combine 2 or more non-priority orders into a single order. This is called a \u2018consolidated attachment of earnings order\u2019.\n\n## Deductions for a priority order\n\nPriority orders are used for unpaid maintenance or fines.\n\n- Calculate your employee\u2019s earnings.\n\n- Take off the normal deduction rate from their earnings.\n\n- Take off an extra \u00a31 towards your administrative costs (if you want to).\n\n- Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate (this is given in the order). If you cannot deduct the full amount, carry the difference over and deduct it on the next payday.\n\n- Send the deduction to the court.\n\nYou can still deduct the \u00a31 if it takes your employee\u2019s income below their protected earnings rate - but not if it takes their income below the National Minimum Wage.\n\n## Making a full deduction\n\nDeduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.\n\n## When you cannot make a full deduction\n\nIf the full deduction would take the employee below their protected earnings rate, carry the difference over to their next payday.\n\n## When you cannot make any deduction\n\nThere\u2019s a different process if you cannot make any deduction because the employee\u2019s earnings are below their protected earnings rate.\n\nYou have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n- reason you could not make any deduction\n\n## Paying your employee for a different pay period\n\nRecalculate the protected earnings rate and normal deduction rate if you pay your employee for a different period than usual.\n\n## Holiday pay in advance\n\nUse the same process if you\u2019re paying your employee holiday pay in advance.\n\nYou\u2019ll need to work out the different rates for:\n\n- the month when you give pay in advance\n\n- the following month when you pay them less than normal\n\n## Deductions for a non-priority order\n\nNon-priority orders are used for debts from a county court judgment (CCJ).\n\n- Calculate your employee\u2019s earnings.\n\n- Take off the normal deduction rate from their earnings.\n\n- Take off an extra \u00a31 towards your administrative costs (if you want to).\n\n- Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate.\n\n- Send the deduction to the court.\n\nYou can still deduct the \u00a31 if it takes your employee\u2019s income below their protected earnings rate - but not if it takes their income below the National Minimum Wage.\n\n## Making a full deduction\n\nDeduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.\n\n## When you cannot make a full deduction\n\nDo not carry any unpaid difference over to the next payday if the full deduction would take the employee below their protected earnings rate.\n\n## When you cannot make any deduction\n\nDo not carry the deduction over to the next payday if the employee\u2019s earnings are below their protected earnings rate.\n\nYou have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n- reason you could not make any deduction\n\n## Paying your employee for a different pay period\n\nRecalculate the protected earnings rate and normal deduction rate if you pay your employee for a different period than usual.\n\n## Holiday pay in advance\n\nUse the same process if you\u2019re paying your employee holiday pay in advance.\n\nYou\u2019ll need to work out the different rates for:\n\n- the month when you give pay in advance\n\n- the following month when you\u2019d pay them less than normal\n\n## What counts as earnings\n\nYou can only make a deduction from the following earnings:\n\n- wages, fees, bonuses, commissions, overtime pay or any payments on top of wages\n\n- private or occupational pensions and compensation payments\n\n- Statutory Sick Pay\n\n- contractual sick pay\n\n- contractual maternity pay\n\n- contractual paternity pay\n\n- contractual adoption pay\n\n- contractual redundancy pay\n\nStatutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees in addition to statutory pay.\n\n## What does not count as earnings\n\nYou cannot make a deduction from any of the following:\n\n- amounts paid by a department of the government of Northern Ireland or any country outside the UK\n\n- any social security pension, allowance or benefit\n\n- tax credits\n\n- any pension or allowance paid for disability\n\n- guaranteed minimum pension within the Social Security Pensions Act 1975\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Redundancy Pay\n\n## Making payments\n\nThe order that you get for the employee will tell you whether you have to pay:\n\n- the magistrates\u2019 court\n\n- the Centralised Attachment of Earnings Payments (CAPS) office\n\n## Tell your employee each time\n\nYou must tell your employee in writing about each deduction. Do this when you give them their payslip.\n\n## Paying the magistrates\u2019 court\n\nSend a cheque made payable to \u2018HM Courts & Tribunals Service\u2019.\n\nYou can pay with a single cheque if you\u2019re paying 2 or more orders issued by the same court.\n\nSome courts let you pay by Bacs transfer. Contact the court for their account details if you want to pay this way.\n\nWhen you send the payment, you must include a note of:\n\n- the employer name\n\n- the employee\u2019s name\n\n- the case number from the order\n\n- how much money you\u2019re sending\n\n## Paying the CAPS office\n\nYou can only pay by:\n\n- cheque\n\n- Bacs transfer\n\nYou cannot pay by standing order or Direct Debit.\n\n## Pay CAPS by cheque\n\nSend a cheque made payable to \u2018HM Courts & Tribunals Service\u2019 to CAPS.\n\n## Pay CAPS by Bacs\n\nYou must register before you can pay by Bacs. Download and fill in the registration form and email it to ntonbacs@justice.gov.uk.\n\nTo make a Bacs payment, send:\n\n- a bank payment request form to your bank\n\n- the Bacs payment schedule form to ntonbacs@justice.gov.uk\n\nThe payment will be sent back if you do not fill in the schedule correctly. You can be fined if you do not send the schedule.\n\n## Contact CAPS about a payment\n\nYou need to give these details when you contact CAPS about a payment:\n\n- case number\n\n- your name (as stated on your bank statement)\n\n- your bank account number\n\n- your sort code\n\n- amount of payment\n\n## Change of circumstances\n\nWrite to the Centralised Attachment of Earning Payments (CAPS) office within 10 days if the employee stops working for you.\n\nInclude the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n- date they stopped working for you\n\n- name of their new employer (if you know it)\n\n## The court changes the order\n\nThe County Court Money Claims Centre will tell you in writing if the normal deduction rate or protected earnings rate changes. They can change it for 4 weeks.\n\nWhen the 4 weeks is over, you have to go back to the original rates in the order.\n\n## The court cancels the order\n\nThe County Court Money Claims Centre will tell you in writing if the order has been \u2018discharged\u2019 (cancelled).\n\nYou can still make the deduction if you\u2019re due to pay your employee within the next 7 days. Your employee will get a refund from CAPS.\n\nYou must stop making deductions if you\u2019re due to pay your employee 7 days after you got the cancellation notice.", + "original_contents": [ + "

    When you have to deduct from pay

    ", + "

    You have to make deductions from your employee\u2019s wages if a court orders you to. This could be to pay off:

    ", + "
  • unpaid maintenance payments
  • ", + "
  • a county court judgment
  • ", + "

    There\u2019s a different process if you have to make deductions to pay off a benefit debt or child maintenance.

    ", + "

    How it works

    ", + "
  • You\u2019ll get a document from the court telling you to make deductions from your employee\u2019s pay.
  • ", + "
  • Work out how much you have to deduct each time your employee is paid.
  • ", + "
  • Start making deductions the next time you pay your employee. Pay them their reduced wages on their normal payday.
  • ", + "
  • Make the payment to the court.
  • ", + "
  • Stop making deductions when the debt has been paid off.
  • ", + "

    You and your employee can be fined if you do not deduct their wages, or if you deliberately give false information about their earnings.

    ", + "

    Getting an order

    ", + "

    You and your employee will each get an \u2018attachment of earnings order\u2019 (AEO) from the court.

    ", + "

    You must start making deductions from your employee\u2019s pay from the next time you pay them, unless it\u2019s within the next 7 days.

    ", + "

    Write to the court within 10 days if you get an order for someone you do not employ.

    ", + "

    What the order tells you

    ", + "

    The court order will tell you:

    ", + "
  • how much your employee owes
  • ", + "
  • if it\u2019s a \u2018priority order\u2019 - if it does not say what it is, it\u2019s a \u2018non-priority order\u2019
  • ", + "
  • how much you have to take from their wages - called the \u2018normal deduction rate\u2019 (NDR)
  • ", + "
  • the minimum amount they still have to take home - called the \u2018protected earnings rate\u2019 (PER)
  • ", + "
  • how often the payments have to be made (weekly or monthly)
  • ", + "

    You can be fined if you do not start making the deductions.

    ", + "

    Change how often the deductions are made

    ", + "

    If a county court made the order, you can ask them to change it, for example from weekly to monthly if that\u2019s how you pay your employee.

    ", + "

    If a magistrate\u2019s court made the order, your employee has to ask the court to change it.

    ", + "

    Deductions and minimum take-home pay

    ", + "

    You cannot make the normal deduction if it would take the employee below the protected earnings rate.

    ", + "

    Protected earnings rate is too high

    ", + "

    If the protected earnings rate is so high that you\u2019ll never be able to make deductions, write to both:

    ", + "
  • the Centralised Attachment of Earning Payments (CAPS) office
  • ", + "
  • the court who issued the order
  • ", + "

    Include the:

    ", + "
  • court case number
  • ", + "
  • attachment of earnings order number
  • ", + "
  • name of the employee
  • ", + "

    Priority and non-priority orders

    ", + "

    There are 2 types of orders - priority orders and non-priority orders. The way you calculate deductions for them is different.

    ", + "Type of order | What it\u2019s used for | If you cannot make the full deduction", + "Priority | Maintenance or fines | Carry the unpaid difference over to the next payday", + "Non-priority | Civil debts | Do not carry the unpaid difference over to the next payday", + "

    If your employee has more than one order

    ", + "

    Deduct any priority orders first, in the order the employee got them. Then deduct the non-priority orders in the order the employee got them.

    ", + "

    You can apply to the court to combine 2 or more non-priority orders into a single order. This is called a \u2018consolidated attachment of earnings order\u2019.

    ", + "

    Deductions for a priority order

    ", + "

    Priority orders are used for unpaid maintenance or fines.

    ", + "
  • Calculate your employee\u2019s earnings.
  • ", + "
  • Take off the normal deduction rate from their earnings.
  • ", + "
  • Take off an extra \u00a31 towards your administrative costs (if you want to).
  • ", + "
  • Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate (this is given in the order). If you cannot deduct the full amount, carry the difference over and deduct it on the next payday.
  • ", + "
  • Send the deduction to the court.
  • ", + "

    You can still deduct the \u00a31 if it takes your employee\u2019s income below their protected earnings rate - but not if it takes their income below the National Minimum Wage.

    ", + "

    Making a full deduction

    ", + "

    Deduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.

    ", + "

    When you cannot make a full deduction

    ", + "

    If the full deduction would take the employee below their protected earnings rate, carry the difference over to their next payday.

    ", + "

    When you cannot make any deduction

    ", + "

    There\u2019s a different process if you cannot make any deduction because the employee\u2019s earnings are below their protected earnings rate.

    ", + "

    You have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:

    ", + "
  • court case number
  • ", + "
  • attachment of earnings order number
  • ", + "
  • name of the employee
  • ", + "
  • reason you could not make any deduction
  • ", + "

    Paying your employee for a different pay period

    ", + "

    Recalculate the protected earnings rate and normal deduction rate if you pay your employee for a different period than usual.

    ", + "

    Holiday pay in advance

    ", + "

    Use the same process if you\u2019re paying your employee holiday pay in advance.

    ", + "

    You\u2019ll need to work out the different rates for:

    ", + "
  • the month when you give pay in advance
  • ", + "
  • the following month when you pay them less than normal
  • ", + "

    Deductions for a non-priority order

    ", + "

    Non-priority orders are used for debts from a county court judgment (CCJ).

    ", + "
  • Calculate your employee\u2019s earnings.
  • ", + "
  • Take off the normal deduction rate from their earnings.
  • ", + "
  • Take off an extra \u00a31 towards your administrative costs (if you want to).
  • ", + "
  • Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate.
  • ", + "
  • Send the deduction to the court.
  • ", + "

    You can still deduct the \u00a31 if it takes your employee\u2019s income below their protected earnings rate - but not if it takes their income below the National Minimum Wage.

    ", + "

    Making a full deduction

    ", + "

    Deduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.

    ", + "

    When you cannot make a full deduction

    ", + "

    Do not carry any unpaid difference over to the next payday if the full deduction would take the employee below their protected earnings rate.

    ", + "

    When you cannot make any deduction

    ", + "

    Do not carry the deduction over to the next payday if the employee\u2019s earnings are below their protected earnings rate.

    ", + "

    You have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:

    ", + "
  • court case number
  • ", + "
  • attachment of earnings order number
  • ", + "
  • name of the employee
  • ", + "
  • reason you could not make any deduction
  • ", + "

    Paying your employee for a different pay period

    ", + "

    Recalculate the protected earnings rate and normal deduction rate if you pay your employee for a different period than usual.

    ", + "

    Holiday pay in advance

    ", + "

    Use the same process if you\u2019re paying your employee holiday pay in advance.

    ", + "

    You\u2019ll need to work out the different rates for:

    ", + "
  • the month when you give pay in advance
  • ", + "
  • the following month when you\u2019d pay them less than normal
  • ", + "

    What counts as earnings

    ", + "

    You can only make a deduction from the following earnings:

    ", + "
  • wages, fees, bonuses, commissions, overtime pay or any payments on top of wages
  • ", + "
  • private or occupational pensions and compensation payments
  • ", + "
  • Statutory Sick Pay
  • ", + "
  • contractual sick pay
  • ", + "
  • contractual maternity pay
  • ", + "
  • contractual paternity pay
  • ", + "
  • contractual adoption pay
  • ", + "
  • contractual redundancy pay
  • ", + "

    Statutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees in addition to statutory pay.

    ", + "

    What does not count as earnings

    ", + "

    You cannot make a deduction from any of the following:

    ", + "
  • amounts paid by a department of the government of Northern Ireland or any country outside the UK
  • ", + "
  • any social security pension, allowance or benefit
  • ", + "
  • tax credits
  • ", + "
  • any pension or allowance paid for disability
  • ", + "
  • guaranteed minimum pension within the Social Security Pensions Act 1975
  • ", + "
  • Statutory Maternity Pay
  • ", + "
  • Statutory Paternity Pay
  • ", + "
  • Statutory Adoption Pay
  • ", + "
  • Statutory Redundancy Pay
  • ", + "

    Making payments

    ", + "

    The order that you get for the employee will tell you whether you have to pay:

    ", + "
  • the magistrates\u2019 court
  • ", + "
  • the Centralised Attachment of Earnings Payments (CAPS) office
  • ", + "

    Tell your employee each time

    ", + "

    You must tell your employee in writing about each deduction. Do this when you give them their payslip.

    ", + "

    Paying the magistrates\u2019 court

    ", + "

    Send a cheque made payable to \u2018HM Courts & Tribunals Service\u2019.

    ", + "

    You can pay with a single cheque if you\u2019re paying 2 or more orders issued by the same court.

    ", + "

    Some courts let you pay by Bacs transfer. Contact the court for their account details if you want to pay this way.

    ", + "

    When you send the payment, you must include a note of:

    ", + "
  • the employer name
  • ", + "
  • the employee\u2019s name
  • ", + "
  • the case number from the order
  • ", + "
  • how much money you\u2019re sending
  • ", + "

    Paying the CAPS office

    ", + "

    You can only pay by:

    ", + "
  • cheque
  • ", + "
  • Bacs transfer
  • ", + "

    You cannot pay by standing order or Direct Debit.

    ", + "

    Pay CAPS by cheque

    ", + "

    Send a cheque made payable to \u2018HM Courts & Tribunals Service\u2019 to CAPS.

    ", + "

    Pay CAPS by Bacs

    ", + "

    You must register before you can pay by Bacs. Download and fill in the registration form and email it to ntonbacs@justice.gov.uk.

    ", + "

    To make a Bacs payment, send:

    ", + "
  • a bank payment request form to your bank
  • ", + "
  • the Bacs payment schedule form to ntonbacs@justice.gov.uk
  • ", + "

    The payment will be sent back if you do not fill in the schedule correctly. You can be fined if you do not send the schedule.

    ", + "

    Contact CAPS about a payment

    ", + "

    You need to give these details when you contact CAPS about a payment:

    ", + "
  • case number
  • ", + "
  • your name (as stated on your bank statement)
  • ", + "
  • your bank account number
  • ", + "
  • your sort code
  • ", + "
  • amount of payment
  • ", + "

    Change of circumstances

    ", + "

    Write to the Centralised Attachment of Earning Payments (CAPS) office within 10 days if the employee stops working for you.

    ", + "

    Include the:

    ", + "
  • court case number
  • ", + "
  • attachment of earnings order number
  • ", + "
  • name of the employee
  • ", + "
  • date they stopped working for you
  • ", + "
  • name of their new employer (if you know it)
  • ", + "

    The court changes the order

    ", + "

    The County Court Money Claims Centre will tell you in writing if the normal deduction rate or protected earnings rate changes. They can change it for 4 weeks.

    ", + "

    When the 4 weeks is over, you have to go back to the original rates in the order.

    ", + "

    The court cancels the order

    ", + "

    The County Court Money Claims Centre will tell you in writing if the order has been \u2018discharged\u2019 (cancelled).

    ", + "

    You can still make the deduction if you\u2019re due to pay your employee within the next 7 days. Your employee will get a refund from CAPS.

    ", + "

    You must stop making deductions if you\u2019re due to pay your employee 7 days after you got the cancellation notice.

    " + ] + }, + "https://www.gov.uk/minimum-wage-different-types-work": { + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "title": "Minimum wage for different types of work", + "content": "## Overview\n\nThe National Minimum Wage is worked out at an hourly rate, but it applies to all eligible workers even if they\u2019re not paid by the hour.\n\nThis means that, however someone gets paid, they still need to work out their equivalent hourly rate to see if they\u2019re getting the minimum wage.\n\nThere are different ways of checking that workers get the minimum wage depending on whether they are:\n\n- paid by the hour (known as \u2018time work\u2019)\n\n- paid an annual salary, under a contract for a basic number of hours each year (known as \u2018salaried hours\u2019)\n\n- paid by the piece - the number of things they make, or tasks they complete (known as \u2018output work\u2019)\n\n- paid in other ways (known as \u2018unmeasured work\u2019)\n\nUse the National Minimum Wage calculator to check if payments are over the minimum wage.\n\n## What counts as working time\n\nFor all types of work, include time spent:\n\n- at work and required to be working, or on standby near the workplace (but do not include rest breaks that are taken)\n\n- not working because of machine breakdown, but kept at the workplace\n\n- waiting to collect goods, meet someone for work or start a job\n\n- travelling in connection with work, including travelling from one work assignment to another\n\n- training or travelling to training\n\n- at work and under certain work-related responsibilities even when workers are allowed to sleep (whether or not a place to sleep is provided)\n\nDo not include time spent:\n\n- travelling between home and work\n\n- away from work on rest breaks, holidays, sick leave or maternity leave\n\n- on industrial action\n\n- not working but at the workplace or available for work at or near the workplace during a time when workers are allowed to sleep (and you provide a place to sleep)\n\nCall the Acas helpline for advice about the National Minimum Wage.\n\n## Paid by the hour\n\nWorkers paid according to the number of hours they are at work are classed as doing \u2018time work\u2019.\n\nFor these workers, the average hourly pay has to be at least the National Minimum Wage, worked out over the period each pay packet covers - so for a worker who gets paid once a month, this period will be 1 month.\n\nUse the National Minimum Wage calculator to check if payments are at least at the minimum wage.\n\n## Paid an annual salary\n\nMost people paid an annual salary are classed as doing \u2018salaried hours work\u2019.\n\nTo find out if they are getting the minimum wage you must work out how many basic hours they work in return for their salary.\n\nSomeone is usually doing salaried hours work if all of the following apply:\n\n- their contract states how many hours they must work in return for their salary (their basic hours)\n\n- they\u2019re paid in equal, regular instalments through the year, for example monthly or every 4 weeks\n\n- there is no more than a month between each payment\n\n- they do not get paid more than once a week\n\nIf someone is paid monthly they do not need to be paid exactly the same amount each month, but they must get the same total amount every 3 months (each quarter of the year).\n\nSalaried hours workers\u2019 contracts might not state the total number of basic hours the worker must work over the entire year, but you must be able to work this out from the contract.\n\nFor example, if a contract states the days of the week someone is expected to work and the basic hours for each day, you can use this to work out the total basic hours someone is expected to work over the year.\n\nYou can then use this figure to make sure the rate of pay is at least the minimum wage.\n\n## Work out the hourly rate\n\n- Find the basic annual hours in the worker\u2019s contract.\n\n- Divide this by the number of times they get paid each year (for example 12 if they get paid monthly) - this gives you the average number of hours covered by each pay packet.\n\n- Divide the amount they get in each pay packet by this number (average hours). This gives you the worker\u2019s hourly rate.\n\nIf you know how many basic hours someone works for each payment they get, you can use the National Minimum Wage calculator to check if they\u2019re paid the minimum wage.\n\n## Extra hours\n\nEmployers must pay at least the minimum wage for any hours worked in addition to what\u2019s agreed in the worker\u2019s contract.\n\n## Other salaried workers\n\nSome people paid a salary may not be salaried hours workers, for example if there is more than a month between each payment.\n\nThese people are usually classed as doing \u2018time work\u2019 when working out if they are paid minimum wage or not.\n\n## Paid per task or piece of work done\n\nWorkers paid per task they perform or piece of work they do (known as piece work) are classed as doing \u2018output work\u2019.\n\nThey must be paid either:\n\n- at least the minimum wage for every hour worked\n\n- a \u2018fair rate\u2019 for each task or piece of work they do\n\nOutput work can usually only be used in limited situations when the employer does not know which hours the worker does (such as with some home workers).\n\nThe work is not classed as output work if the employer sets either:\n\n- a minimum or maximum time the worker must work\n\n- the start and finish times for a period of work\n\nIf the employer sets the times of work this counts as \u2018time work\u2019.\n\n## Fair rate\n\nThe fair rate is the amount that must be paid for each piece of work, to make sure someone working at an average speed is paid at least the minimum wage per hour.\n\nThere is a way to work out the fair rate per piece of work done which employers must follow.\n\n## Work out the average rate of work per hour\n\nEmployers must carry out a fair test to find out how many tasks or pieces an average worker completes in an hour (the average rate of work).\n\n- Test some or all of the workers. The group you test must be typical of the whole workforce - not just the most efficient or fastest ones.\n\n- Work out how many pieces of work have been completed in a normal working hour.\n\n- Divide this by the number of workers to work out the average rate.\n\n- If the work changes significantly, do another test to work out the new average rate. It\u2019s not necessary to do another test if the same work is being done in a different environment, for example work previously done in a factory being done at home.\n\n## Work out the fair rate\n\n- Divide the average rate of work by 1.2 (this means new workers will not be disadvantaged if they\u2019re not as fast as the others yet).\n\n- Divide the hourly minimum wage rate by that number to work out the fair rate for each piece of work completed.\n\nIf an agricultural worker was employed before 2013 or is in Wales, they may be entitled to the Agricultural Minimum Wage. There are also different rules and rates for agricultural workers in Scotland and Northern Ireland.\n\n## Give notice of fair rate\n\nTo use a fair rate an employer must give each worker a written notice before they start work for the first time.\n\nThe notice must:\n\n- say that the worker will be paid for producing a piece of work or completing a task, for example picking a certain amount of fruit\n\n- say that to calculate whether minimum wage is being paid it\u2019s assumed the task will take an average time to complete\n\n- confirm if the average time to complete the task has been tested or is an estimate\n\n- say how many tasks or pieces of work it\u2019s assumed someone can complete in an hour\n\n- give the amount to be paid for each piece that the worker completes\n\n- include the ACAS helpline number, which is 0300 123 1100\n\nIf employers do not give a worker a complete notice then the worker is entitled to be paid by the hour instead.\n\n## Paid in other ways (unmeasured work)\n\nIf the work is not covered by any of the other types of work, it\u2019s \u2018unmeasured work\u2019.\n\nUnmeasured work includes being paid a set amount to do a particular task, for instance being paid \u00a3500 to lay a patio, regardless of how long it takes.\n\nTo work out the minimum wage for unmeasured work, either:\n\n- record every hour worked and use the National Minimum Wage calculator to make sure the worker gets the minimum wage\n\n- make a \u2018daily average agreement of hours\u2019\n\n## Daily average agreement of hours\n\nThis is when the employer and worker agree a typical number of hours per day they expect to work on average. One agreement can cover several pay reference periods (for example, weeks if the worker\u2019s paid weekly) if there\u2019s no change in the average number of hours.\n\nDaily average agreements of hours must:\n\n- be agreed in writing\n\n- be made before the start of the pay reference period they cover\n\n- say how many hours the work should take each day (on average)\n\nThe employer must be able to prove that the number of hours worked on average is realistic.", + "original_contents": [ + "

    Overview

    ", + "

    The National Minimum Wage is worked out at an hourly rate, but it applies to all eligible workers even if they\u2019re not paid by the hour.

    ", + "

    This means that, however someone gets paid, they still need to work out their equivalent hourly rate to see if they\u2019re getting the minimum wage.

    ", + "

    There are different ways of checking that workers get the minimum wage depending on whether they are:

    ", + "
  • paid by the hour (known as \u2018time work\u2019)
  • ", + "
  • paid an annual salary, under a contract for a basic number of hours each year (known as \u2018salaried hours\u2019)
  • ", + "
  • paid by the piece - the number of things they make, or tasks they complete (known as \u2018output work\u2019)
  • ", + "
  • paid in other ways (known as \u2018unmeasured work\u2019)
  • ", + "

    Use the National Minimum Wage calculator to check if payments are over the minimum wage.

    ", + "

    What counts as working time

    ", + "

    For all types of work, include time spent:

    ", + "
  • at work and required to be working, or on standby near the workplace (but do not include rest breaks that are taken)
  • ", + "
  • not working because of machine breakdown, but kept at the workplace
  • ", + "
  • waiting to collect goods, meet someone for work or start a job
  • ", + "
  • travelling in connection with work, including travelling from one work assignment to another
  • ", + "
  • training or travelling to training
  • ", + "
  • at work and under certain work-related responsibilities even when workers are allowed to sleep (whether or not a place to sleep is provided)
  • ", + "

    Do not include time spent:

    ", + "
  • travelling between home and work
  • ", + "
  • away from work on rest breaks, holidays, sick leave or maternity leave
  • ", + "
  • on industrial action
  • ", + "
  • not working but at the workplace or available for work at or near the workplace during a time when workers are allowed to sleep (and you provide a place to sleep)
  • ", + "

    Call the Acas helpline for advice about the National Minimum Wage.

    ", + "

    Paid by the hour

    ", + "

    Workers paid according to the number of hours they are at work are classed as doing \u2018time work\u2019.

    ", + "

    For these workers, the average hourly pay has to be at least the National Minimum Wage, worked out over the period each pay packet covers - so for a worker who gets paid once a month, this period will be 1 month.

    ", + "

    Use the National Minimum Wage calculator to check if payments are at least at the minimum wage.

    ", + "

    Paid an annual salary

    ", + "

    Most people paid an annual salary are classed as doing \u2018salaried hours work\u2019.

    ", + "

    To find out if they are getting the minimum wage you must work out how many basic hours they work in return for their salary.

    ", + "

    Someone is usually doing salaried hours work if all of the following apply:

    ", + "
  • their contract states how many hours they must work in return for their salary (their basic hours)
  • ", + "
  • they\u2019re paid in equal, regular instalments through the year, for example monthly or every 4 weeks
  • ", + "
  • there is no more than a month between each payment
  • ", + "
  • they do not get paid more than once a week
  • ", + "

    If someone is paid monthly they do not need to be paid exactly the same amount each month, but they must get the same total amount every 3 months (each quarter of the year).

    ", + "

    Salaried hours workers\u2019 contracts might not state the total number of basic hours the worker must work over the entire year, but you must be able to work this out from the contract.

    ", + "

    For example, if a contract states the days of the week someone is expected to work and the basic hours for each day, you can use this to work out the total basic hours someone is expected to work over the year.

    ", + "

    You can then use this figure to make sure the rate of pay is at least the minimum wage.

    ", + "

    Work out the hourly rate

    ", + "
  • Find the basic annual hours in the worker\u2019s contract.
  • ", + "
  • Divide this by the number of times they get paid each year (for example 12 if they get paid monthly) - this gives you the average number of hours covered by each pay packet.
  • ", + "
  • Divide the amount they get in each pay packet by this number (average hours). This gives you the worker\u2019s hourly rate.
  • ", + "

    If you know how many basic hours someone works for each payment they get, you can use the National Minimum Wage calculator to check if they\u2019re paid the minimum wage.

    ", + "

    Extra hours

    ", + "

    Employers must pay at least the minimum wage for any hours worked in addition to what\u2019s agreed in the worker\u2019s contract.

    ", + "

    Other salaried workers

    ", + "

    Some people paid a salary may not be salaried hours workers, for example if there is more than a month between each payment.

    ", + "

    These people are usually classed as doing \u2018time work\u2019 when working out if they are paid minimum wage or not.

    ", + "

    Paid per task or piece of work done

    ", + "

    Workers paid per task they perform or piece of work they do (known as piece work) are classed as doing \u2018output work\u2019.

    ", + "

    They must be paid either:

    ", + "
  • at least the minimum wage for every hour worked
  • ", + "
  • a \u2018fair rate\u2019 for each task or piece of work they do
  • ", + "

    Output work can usually only be used in limited situations when the employer does not know which hours the worker does (such as with some home workers).

    ", + "

    The work is not classed as output work if the employer sets either:

    ", + "
  • a minimum or maximum time the worker must work
  • ", + "
  • the start and finish times for a period of work
  • ", + "

    If the employer sets the times of work this counts as \u2018time work\u2019.

    ", + "

    Fair rate

    ", + "

    The fair rate is the amount that must be paid for each piece of work, to make sure someone working at an average speed is paid at least the minimum wage per hour.

    ", + "

    There is a way to work out the fair rate per piece of work done which employers must follow.

    ", + "

    Work out the average rate of work per hour

    ", + "

    Employers must carry out a fair test to find out how many tasks or pieces an average worker completes in an hour (the average rate of work).

    ", + "
  • Test some or all of the workers. The group you test must be typical of the whole workforce - not just the most efficient or fastest ones.
  • ", + "
  • Work out how many pieces of work have been completed in a normal working hour.
  • ", + "
  • Divide this by the number of workers to work out the average rate.
  • ", + "
  • If the work changes significantly, do another test to work out the new average rate. It\u2019s not necessary to do another test if the same work is being done in a different environment, for example work previously done in a factory being done at home.
  • ", + "

    Work out the fair rate

    ", + "
  • Divide the average rate of work by 1.2 (this means new workers will not be disadvantaged if they\u2019re not as fast as the others yet).
  • ", + "
  • Divide the hourly minimum wage rate by that number to work out the fair rate for each piece of work completed.
  • ", + "

    If an agricultural worker was employed before 2013 or is in Wales, they may be entitled to the Agricultural Minimum Wage. There are also different rules and rates for agricultural workers in Scotland and Northern Ireland.

    ", + "

    Give notice of fair rate

    ", + "

    To use a fair rate an employer must give each worker a written notice before they start work for the first time.

    ", + "

    The notice must:

    ", + "
  • say that the worker will be paid for producing a piece of work or completing a task, for example picking a certain amount of fruit
  • ", + "
  • say that to calculate whether minimum wage is being paid it\u2019s assumed the task will take an average time to complete
  • ", + "
  • confirm if the average time to complete the task has been tested or is an estimate
  • ", + "
  • say how many tasks or pieces of work it\u2019s assumed someone can complete in an hour
  • ", + "
  • give the amount to be paid for each piece that the worker completes
  • ", + "
  • include the ACAS helpline number, which is 0300 123 1100
  • ", + "

    If employers do not give a worker a complete notice then the worker is entitled to be paid by the hour instead.

    ", + "

    Paid in other ways (unmeasured work)

    ", + "

    If the work is not covered by any of the other types of work, it\u2019s \u2018unmeasured work\u2019.

    ", + "

    Unmeasured work includes being paid a set amount to do a particular task, for instance being paid \u00a3500 to lay a patio, regardless of how long it takes.

    ", + "

    To work out the minimum wage for unmeasured work, either:

    ", + "
  • record every hour worked and use the National Minimum Wage calculator to make sure the worker gets the minimum wage
  • ", + "
  • make a \u2018daily average agreement of hours\u2019
  • ", + "

    Daily average agreement of hours

    ", + "

    This is when the employer and worker agree a typical number of hours per day they expect to work on average. One agreement can cover several pay reference periods (for example, weeks if the worker\u2019s paid weekly) if there\u2019s no change in the average number of hours.

    ", + "

    Daily average agreements of hours must:

    ", + "
  • be agreed in writing
  • ", + "
  • be made before the start of the pay reference period they cover
  • ", + "
  • say how many hours the work should take each day (on average)
  • ", + "

    The employer must be able to prove that the number of hours worked on average is realistic.

    " + ] + }, + "https://www.gov.uk/national-minimum-wage-accommodation": { + "url": "https://www.gov.uk/national-minimum-wage-accommodation", + "title": "National Minimum Wage and Living Wage: accommodation", + "content": "## Accommodation rates\n\nAccommodation provided by an employer can be taken into account when calculating the National Minimum Wage or National Living Wage.\n\nNo other kind of company benefit (such as food, a car, childcare vouchers) counts towards the minimum wage.\n\n## Accommodation offset rates\n\nThe accommodation rates are set in April each year.\n\n| Year | Daily accommodation offset rate | Weekly accommodation offset rate |\n\n| April 2021 (current rate) | \u00a38.36 | \u00a358.52 |\n\n## Previous rates\n\n| Year | Daily accommodation offset rate | Weekly accommodation offset rate |\n\n| 2020 | \u00a38.20 | \u00a357.40 |\n\n| 2019 | \u00a37.55 | \u00a352.85 |\n\n| 2018 | \u00a37 | \u00a349 |\n\n| 2017 | \u00a36.40 | \u00a344.80 |\n\n| 2016 (October) | \u00a36 | \u00a342 |\n\n| 2015 | \u00a35.35 | \u00a337.45 |\n\n| 2014 | \u00a35.08 | \u00a335.56 |\n\nUse the minimum wage calculator to check if it\u2019s been paid.\n\n## Using the offset rate to work out the minimum wage\n\nIf an employer charges more than the offset rate, the difference is taken off the worker\u2019s pay which counts for the National Minimum Wage or National Living Wage.\n\nThis means the higher the accommodation charge, the lower a worker\u2019s pay when calculating the minimum wage.\n\nIf the accommodation charge is at or below the offset rate, it does not have an effect on the worker\u2019s pay.\n\nIf the accommodation is free, the offset rate is added to the worker\u2019s pay.\n\nSee examples of accommodation rates for minimum wage calculations.\n\n## What counts as accommodation charges\n\nInclude these costs as part of your overall accommodation charges:\n\n- rent\n\n- charges for things like gas, electricity, furniture\n\n- laundry\n\n## Working out if the employer provides the accommodation\n\nThe employer is providing accommodation if any of these apply:\n\n- the accommodation comes with the job\n\n- the employer (or a connected person or company) owns or rents the property the worker lives in, even if there\u2019s no direct link between the job and the accommodation\n\n- the employer (or an owner, business partner, shareholder or director) gets a payment or benefit from the worker\u2019s landlord or a member of the landlord\u2019s family\n\nAccommodation costs count towards the National Minimum Wage or National Living Wage, even if the worker does not have to use the accommodation to do the job. If the accommodation is optional, it only counts as a cost if the worker uses it.\n\n## Local housing authority and social housing providers\n\nIf someone working for a local housing authority or social housing provider gets accommodation from their work, this does not automatically count towards the National Minimum Wage or National Living Wage.\n\nIt only counts if the accommodation is linked to the employment. For example, a care warden who has to live on site has their accommodation linked to their job.\n\n## Higher or further education institutions\n\nAccommodation is not counted when working out the National Minimum Wage or National Living Wage if it\u2019s provided by a higher or further education institution to a worker who\u2019s enrolled on a full-time course with the institution.\n\n## Help and advice\n\nCall the Acas helpline if you have any questions about workers\u2019 rights and the minimum wage.\n\n## Effect on the minimum wage\n\nThis effect of accommodation rates on the National Minimum Wage or National Living Wage depends on how much an employer charges for accommodation.\n\nIt\u2019s calculated by \u2018pay period\u2019, the intervals at which someone is being paid. This can be weekly, monthly or in irregular intervals like every 10 days.\n\nIf the accommodation is free, it still affects the minimum wage. There is an offset rate of \u00a38.36 per day for this.\n\nIt does not matter if the cost of the accommodation is taken from the worker\u2019s wages beforehand or if the worker pays the cost after they get their wages.\n\n## Examples", + "original_contents": [ + "

    Accommodation rates

    ", + "

    Accommodation provided by an employer can be taken into account when calculating the National Minimum Wage or National Living Wage.

    ", + "

    No other kind of company benefit (such as food, a car, childcare vouchers) counts towards the minimum wage.

    ", + "

    Accommodation offset rates

    ", + "

    The accommodation rates are set in April each year.

    ", + "Year | Daily accommodation offset rate | Weekly accommodation offset rate", + "April 2021 (current rate) | \u00a38.36 | \u00a358.52", + "

    Previous rates

    ", + "Year | Daily accommodation offset rate | Weekly accommodation offset rate", + "2020 | \u00a38.20 | \u00a357.40", + "2019 | \u00a37.55 | \u00a352.85", + "2018 | \u00a37 | \u00a349", + "2017 | \u00a36.40 | \u00a344.80", + "2016 (October) | \u00a36 | \u00a342", + "2015 | \u00a35.35 | \u00a337.45", + "2014 | \u00a35.08 | \u00a335.56", + "

    Use the minimum wage calculator to check if it\u2019s been paid.

    ", + "

    Using the offset rate to work out the minimum wage

    ", + "

    If an employer charges more than the offset rate, the difference is taken off the worker\u2019s pay which counts for the National Minimum Wage or National Living Wage.

    ", + "

    This means the higher the accommodation charge, the lower a worker\u2019s pay when calculating the minimum wage.

    ", + "

    If the accommodation charge is at or below the offset rate, it does not have an effect on the worker\u2019s pay.

    ", + "

    If the accommodation is free, the offset rate is added to the worker\u2019s pay.

    ", + "

    See examples of accommodation rates for minimum wage calculations.

    ", + "

    What counts as accommodation charges

    ", + "

    Include these costs as part of your overall accommodation charges:

    ", + "
  • rent
  • ", + "
  • charges for things like gas, electricity, furniture
  • ", + "
  • laundry
  • ", + "

    Working out if the employer provides the accommodation

    ", + "

    The employer is providing accommodation if any of these apply:

    ", + "
  • the accommodation comes with the job
  • ", + "
  • the employer (or a connected person or company) owns or rents the property the worker lives in, even if there\u2019s no direct link between the job and the accommodation
  • ", + "
  • the employer (or an owner, business partner, shareholder or director) gets a payment or benefit from the worker\u2019s landlord or a member of the landlord\u2019s family
  • ", + "

    Accommodation costs count towards the National Minimum Wage or National Living Wage, even if the worker does not have to use the accommodation to do the job. If the accommodation is optional, it only counts as a cost if the worker uses it.

    ", + "

    Local housing authority and social housing providers

    ", + "

    If someone working for a local housing authority or social housing provider gets accommodation from their work, this does not automatically count towards the National Minimum Wage or National Living Wage.

    ", + "

    It only counts if the accommodation is linked to the employment. For example, a care warden who has to live on site has their accommodation linked to their job.

    ", + "

    Higher or further education institutions

    ", + "

    Accommodation is not counted when working out the National Minimum Wage or National Living Wage if it\u2019s provided by a higher or further education institution to a worker who\u2019s enrolled on a full-time course with the institution.

    ", + "

    Help and advice

    ", + "

    Call the Acas helpline if you have any questions about workers\u2019 rights and the minimum wage.

    ", + "

    Effect on the minimum wage

    ", + "

    This effect of accommodation rates on the National Minimum Wage or National Living Wage depends on how much an employer charges for accommodation.

    ", + "

    It\u2019s calculated by \u2018pay period\u2019, the intervals at which someone is being paid. This can be weekly, monthly or in irregular intervals like every 10 days.

    ", + "

    If the accommodation is free, it still affects the minimum wage. There is an offset rate of \u00a38.36 per day for this.

    ", + "

    It does not matter if the cost of the accommodation is taken from the worker\u2019s wages beforehand or if the worker pays the cost after they get their wages.

    ", + "

    Examples

    " + ] + }, + "https://www.gov.uk/paye-online": { + "url": "https://www.gov.uk/paye-online", + "title": "PAYE Online for employers", + "content": "## Using PAYE Online\n\nAs an employer, you need to use HM Revenue and Customs\u2019 (HMRC) PAYE Online service to:\n\n- check what you owe HMRC\n\n- pay your bill\n\n- see your payment history\n\n- access tax codes and notices about your employees\n\n- appeal a penalty\n\n- get alerts from HMRC when you report or pay late, or do not send the expected number of reports in a month\n\n- send expenses and benefits returns such as P46 (car), P11D and P11D(b)\n\nOnline services may be slow during busy times. Check if there are any problems with this service.\n\nSign in\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Before you start\n\nMost new employers get a login when they register as an employer online. If you do not have a login because you registered in a different way you\u2019ll need to enrol for PAYE Online separately.\n\n## Tax codes and notices\n\nHMRC sends you information about your employees through PAYE Online. You can log in to view:\n\n- tax code notices (P6 and P9)\n\n- student loan notices (SL1 and SL2)\n\n- National Insurance verification notices (NVR and NOT)\n\n- late reporting and late payment alerts (HMRC call these \u2018generic notifications\u2019)\n\nYou can also access these through some payroll software, or by using the PAYE Desktop Viewer.\n\n## Enrol if you did not register online\n\nYou only need to enrol separately for HM Revenue and Customs\u2019 (HMRC) PAYE Online service if you did not get a login when you registered as an employer - this is usually because you did not register online.\n\nYou\u2019ll need your PAYE reference and Accounts Office reference - these are included in the letter from HMRC confirming your registration.\n\n## Enrol for PAYE Online\n\nHow you enrol depends on whether you already have an online account for other taxes, for example Corporation Tax or Self Assessment.\n\n## You already have an account\n\nSign in to your account and select \u2018PAYE for employers\u2019 from the list.\n\n## You do not have an account\n\nEnrol as a new business account holder and select \u2018Add a tax to your account\u2019 on the \u2018Business tax summary\u2019 page. You will then be able to add PAYE for employers.\n\n## PAYE Desktop Viewer\n\nPAYE Desktop Viewer is an application from HM Revenue and Customs (HMRC) that allows you to view, search and sort large numbers of employee tax codes and notices.\n\nYou can also use it to download notices and view them offline instead of accessing them through HMRC\u2019s PAYE Online service, or your payroll software if it includes this feature.\n\n## Download PAYE Desktop Viewer", + "original_contents": [ + "

    Using PAYE Online

    ", + "

    As an employer, you need to use HM Revenue and Customs\u2019 (HMRC) PAYE Online service to:

    ", + "
  • check what you owe HMRC
  • ", + "
  • pay your bill
  • ", + "
  • see your payment history
  • ", + "
  • access tax codes and notices about your employees
  • ", + "
  • appeal a penalty
  • ", + "
  • get alerts from HMRC when you report or pay late, or do not send the expected number of reports in a month
  • ", + "
  • send expenses and benefits returns such as P46 (car), P11D and P11D(b)
  • ", + "

    Online services may be slow during busy times. Check if there are any problems with this service.

    ", + "

    Sign in

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Before you start

    ", + "

    Most new employers get a login when they register as an employer online. If you do not have a login because you registered in a different way you\u2019ll need to enrol for PAYE Online separately.

    ", + "

    Tax codes and notices

    ", + "

    HMRC sends you information about your employees through PAYE Online. You can log in to view:

    ", + "
  • tax code notices (P6 and P9)
  • ", + "
  • student loan notices (SL1 and SL2)
  • ", + "
  • National Insurance verification notices (NVR and NOT)
  • ", + "
  • late reporting and late payment alerts (HMRC call these \u2018generic notifications\u2019)
  • ", + "

    You can also access these through some payroll software, or by using the PAYE Desktop Viewer.

    ", + "

    Enrol if you did not register online

    ", + "

    You only need to enrol separately for HM Revenue and Customs\u2019 (HMRC) PAYE Online service if you did not get a login when you registered as an employer - this is usually because you did not register online.

    ", + "

    You\u2019ll need your PAYE reference and Accounts Office reference - these are included in the letter from HMRC confirming your registration.

    ", + "

    Enrol for PAYE Online

    ", + "

    How you enrol depends on whether you already have an online account for other taxes, for example Corporation Tax or Self Assessment.

    ", + "

    You already have an account

    ", + "

    Sign in to your account and select \u2018PAYE for employers\u2019 from the list.

    ", + "

    You do not have an account

    ", + "

    Enrol as a new business account holder and select \u2018Add a tax to your account\u2019 on the \u2018Business tax summary\u2019 page. You will then be able to add PAYE for employers.

    ", + "

    PAYE Desktop Viewer

    ", + "

    PAYE Desktop Viewer is an application from HM Revenue and Customs (HMRC) that allows you to view, search and sort large numbers of employee tax codes and notices.

    ", + "

    You can also use it to download notices and view them offline instead of accessing them through HMRC\u2019s PAYE Online service, or your payroll software if it includes this feature.

    ", + "

    Download PAYE Desktop Viewer

    " + ] + }, + "https://www.gov.uk/paye-for-employers": { + "url": "https://www.gov.uk/paye-for-employers", + "title": "PAYE and payroll for employers", + "content": "## Introduction to PAYE\n\nAs an employer, you normally have to operate PAYE as part of your payroll. PAYE is HM Revenue and Customs\u2019 (HMRC) system to collect Income Tax and National Insurance from employment.\n\nYou do not need to register for PAYE if none of your employees are paid \u00a3120 or more a week, get expenses and benefits, have another job or get a pension. However, you must keep payroll records.\n\n## Payments and deductions\n\nWhen paying your employees through payroll you also need to make deductions for PAYE.\n\n## Payments to your employees\n\nPayments to your employees include their salary or wages, as well as things like any tips or bonuses, or statutory sick or maternity pay.\n\n## Deductions from their pay\n\nFrom these payments, you\u2019ll need to deduct tax and National Insurance for most employees. Other deductions you may need to make include student loan repayments or pension contributions.\n\n## Reporting to and paying HMRC\n\n## Reporting pay and deductions\n\nIf you run payroll yourself, you\u2019ll need to report your employees\u2019 payments and deductions to HMRC on or before each payday.\n\nYour payroll software will work out how much tax and National Insurance you owe, including an employer\u2019s National Insurance contribution on each employee\u2019s earnings above \u00a3170 a week.\n\nYou\u2019ll need to send another report to claim any reduction on what you owe HMRC, for example for statutory pay.\n\n## Paying HMRC\n\nYou\u2019ll be able to view what you owe HMRC, based on your reports. You then have to pay HMRC, usually every month.\n\nIf you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.\n\n## Other things to report\n\nAs part of your regular reports, you should tell HMRC when a new employee joins and if an employee\u2019s circumstances change, for example they reach State Pension age or become a director.\n\nYou have to run annual reports at the end of the tax year - including telling HMRC about any expenses or benefits.\n\n## Choose how to run payroll\n\nIf you have to operate PAYE, you can choose how to run your payroll.\n\n## Choose how to run payroll\n\nYou can operate PAYE by either:\n\n- paying a payroll provider to do it for you\n\n- doing it yourself using payroll software\n\n## Paying a payroll provider\n\nIf you decide to pay a payroll provider (for example, a bureau or accountant) to run your payroll, you\u2019ll need to consider how much support you\u2019ll need.\n\nYou\u2019re responsible for collecting and keeping records of your employee\u2019s details. Your payroll provider will need these to run payroll for you.\n\nSome payroll providers can offer you more support if you need it, for example keeping employee records, providing payslips and making payments to HM Revenue and Customs (HMRC).\n\nAs an employer, you\u2019re legally responsible for completing all PAYE tasks - even if you pay someone else to do them.\n\n## Running payroll yourself\n\nYou need to complete certain tasks to set up payroll and pay your employees for the first time. This includes registering as an employer with HMRC and telling them about your employees.\n\n## Exemptions to online reporting\n\nYou may be exempt from reporting payroll online if:\n\n- you\u2019re prevented from using a computer on religious grounds\n\n- you\u2019re getting care or support services for yourself or a member of your family\n\n- you\u2019re unable to send reports electronically because you\u2019re disabled, elderly or cannot access the internet\n\nHMRC has guidance if you believe you\u2019re exempt and would prefer to report on paper.\n\n## Setting up payroll\n\nIf you decide to run payroll yourself, you need to complete certain tasks to pay your employees for the first time. You can choose when and how often to pay your employees.\n\n- Register as an employer with HM Revenue and Customs (HMRC) and get a login for PAYE Online.\n\n- Choose payroll software to record employee\u2019s details, calculate pay and deductions, and report to HMRC.\n\n- Collect and keep records.\n\n- Tell HMRC about your employees.\n\n- Record pay, make deductions and report to HMRC on or before the first payday.\n\n- Pay HMRC the tax and National Insurance you owe.\n\nYou\u2019ll also need to complete certain annual reports and tasks to prepare for the next tax year, which starts on 6 April.\n\n## Keeping records\n\nYou must collect and keep records of:\n\n- what you pay your employees and the deductions you make\n\n- reports you make to HM Revenue and Customs (HMRC)\n\n- payments you make to HMRC\n\n- employee leave and sickness absences\n\n- tax code notices\n\n- taxable expenses or benefits\n\n- Payroll Giving Scheme documents, including the agency contract and employee authorisation forms\n\nYour records must show you\u2019ve reported accurately, and you need to keep them for 3 years from the end of the tax year they relate to. HMRC may check your records to make sure you\u2019re paying the right amount of tax.\n\nThere are different rules for keeping records to prove you have paid the correct minimum wage.\n\nIf you do not keep full records, HMRC may estimate what you have to pay and charge you a penalty of up to \u00a33,000.\n\n## If your records are lost, stolen or destroyed\n\nTell HMRC as soon as possible if you do not have records and cannot replace them. You must also do your best to recreate them - HMRC may be able to help if you\u2019re not sure how much you paid your employees.\n\nYou must tell HMRC if your final payroll report of the tax year includes figures that are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with actual figures\n\n## Data protection\n\nYou must follow rules on data protection if your business stores or uses personal information.", + "original_contents": [ + "

    Introduction to PAYE

    ", + "

    As an employer, you normally have to operate PAYE as part of your payroll. PAYE is HM Revenue and Customs\u2019 (HMRC) system to collect Income Tax and National Insurance from employment.

    ", + "

    You do not need to register for PAYE if none of your employees are paid \u00a3120 or more a week, get expenses and benefits, have another job or get a pension. However, you must keep payroll records.

    ", + "

    Payments and deductions

    ", + "

    When paying your employees through payroll you also need to make deductions for PAYE.

    ", + "

    Payments to your employees

    ", + "

    Payments to your employees include their salary or wages, as well as things like any tips or bonuses, or statutory sick or maternity pay.

    ", + "

    Deductions from their pay

    ", + "

    From these payments, you\u2019ll need to deduct tax and National Insurance for most employees. Other deductions you may need to make include student loan repayments or pension contributions.

    ", + "

    Reporting to and paying HMRC

    ", + "

    Reporting pay and deductions

    ", + "

    If you run payroll yourself, you\u2019ll need to report your employees\u2019 payments and deductions to HMRC on or before each payday.

    ", + "

    Your payroll software will work out how much tax and National Insurance you owe, including an employer\u2019s National Insurance contribution on each employee\u2019s earnings above \u00a3170 a week.

    ", + "

    You\u2019ll need to send another report to claim any reduction on what you owe HMRC, for example for statutory pay.

    ", + "

    Paying HMRC

    ", + "

    You\u2019ll be able to view what you owe HMRC, based on your reports. You then have to pay HMRC, usually every month.

    ", + "

    If you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.

    ", + "

    Other things to report

    ", + "

    As part of your regular reports, you should tell HMRC when a new employee joins and if an employee\u2019s circumstances change, for example they reach State Pension age or become a director.

    ", + "

    You have to run annual reports at the end of the tax year - including telling HMRC about any expenses or benefits.

    ", + "

    Choose how to run payroll

    ", + "

    If you have to operate PAYE, you can choose how to run your payroll.

    ", + "

    Choose how to run payroll

    ", + "

    You can operate PAYE by either:

    ", + "
  • paying a payroll provider to do it for you
  • ", + "
  • doing it yourself using payroll software
  • ", + "

    Paying a payroll provider

    ", + "

    If you decide to pay a payroll provider (for example, a bureau or accountant) to run your payroll, you\u2019ll need to consider how much support you\u2019ll need.

    ", + "

    You\u2019re responsible for collecting and keeping records of your employee\u2019s details. Your payroll provider will need these to run payroll for you.

    ", + "

    Some payroll providers can offer you more support if you need it, for example keeping employee records, providing payslips and making payments to HM Revenue and Customs (HMRC).

    ", + "

    As an employer, you\u2019re legally responsible for completing all PAYE tasks - even if you pay someone else to do them.

    ", + "

    Running payroll yourself

    ", + "

    You need to complete certain tasks to set up payroll and pay your employees for the first time. This includes registering as an employer with HMRC and telling them about your employees.

    ", + "

    Exemptions to online reporting

    ", + "

    You may be exempt from reporting payroll online if:

    ", + "
  • you\u2019re prevented from using a computer on religious grounds
  • ", + "
  • you\u2019re getting care or support services for yourself or a member of your family
  • ", + "
  • you\u2019re unable to send reports electronically because you\u2019re disabled, elderly or cannot access the internet
  • ", + "

    HMRC has guidance if you believe you\u2019re exempt and would prefer to report on paper.

    ", + "

    Setting up payroll

    ", + "

    If you decide to run payroll yourself, you need to complete certain tasks to pay your employees for the first time. You can choose when and how often to pay your employees.

    ", + "
  • Register as an employer with HM Revenue and Customs (HMRC) and get a login for PAYE Online.
  • ", + "
  • Choose payroll software to record employee\u2019s details, calculate pay and deductions, and report to HMRC.
  • ", + "
  • Collect and keep records.
  • ", + "
  • Tell HMRC about your employees.
  • ", + "
  • Record pay, make deductions and report to HMRC on or before the first payday.
  • ", + "
  • Pay HMRC the tax and National Insurance you owe.
  • ", + "

    You\u2019ll also need to complete certain annual reports and tasks to prepare for the next tax year, which starts on 6 April.

    ", + "

    Keeping records

    ", + "

    You must collect and keep records of:

    ", + "
  • what you pay your employees and the deductions you make
  • ", + "
  • reports you make to HM Revenue and Customs (HMRC)
  • ", + "
  • payments you make to HMRC
  • ", + "
  • employee leave and sickness absences
  • ", + "
  • tax code notices
  • ", + "
  • taxable expenses or benefits
  • ", + "
  • Payroll Giving Scheme documents, including the agency contract and employee authorisation forms
  • ", + "

    Your records must show you\u2019ve reported accurately, and you need to keep them for 3 years from the end of the tax year they relate to. HMRC may check your records to make sure you\u2019re paying the right amount of tax.

    ", + "

    There are different rules for keeping records to prove you have paid the correct minimum wage.

    ", + "

    If you do not keep full records, HMRC may estimate what you have to pay and charge you a penalty of up to \u00a33,000.

    ", + "

    If your records are lost, stolen or destroyed

    ", + "

    Tell HMRC as soon as possible if you do not have records and cannot replace them. You must also do your best to recreate them - HMRC may be able to help if you\u2019re not sure how much you paid your employees.

    ", + "

    You must tell HMRC if your final payroll report of the tax year includes figures that are:

    ", + "
  • estimated - that you want HMRC to accept as final
  • ", + "
  • provisional - that you\u2019ll update later with actual figures
  • ", + "

    Data protection

    ", + "

    You must follow rules on data protection if your business stores or uses personal information.

    " + ] + }, + "https://www.gov.uk/pay-psa": { + "url": "https://www.gov.uk/pay-psa", + "title": "Pay a PAYE Settlement Agreement", + "content": "## Overview\n\nYou must pay the tax and Class 1B National Insurance due from your PAYE Settlement Agreement (PSA) by 22 October following the tax year it applies to.\n\nThis guide is also available in Welsh (Cymraeg)\n\n## Pay online\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline. You may have to pay penalties and interest if your payment is late.\n\nPay now\n\n## Other ways to pay\n\nYou can choose to pay in other ways. The time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Up to 2 days\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\n## 3 working days or more\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set up one for HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit - if you have not set up one for HMRC before\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## Reference number\n\nYou\u2019ll need to use your PAYE Settlement Agreement (PSA) reference number as the payment reference.\n\nIt starts with an X and is on the payslip HMRC sent you. If you do not have your PSA number, contact the office that\u2019s dealing with your application.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB03BARC20114783977692 | BARCGB22 | HMRC Shipley |\n\nHMRC\u2019s banking address is:\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nYou\u2019ll need your PAYE Settlement Agreement (PSA) reference number. It starts with an X and is on the payslip HM Revenue and Customs (HMRC) sent you.\n\nIf you do not have your PSA number, contact the HMRC office that\u2019s dealing with your application.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.\n\nIf you\u2019re unable to pay your PSA in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can pay at your branch by cash or cheque. You\u2019ll need to use the PAYE Settlement Agreement (PSA) payslip sent to you by HM Revenue and Customs (HMRC).\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your PSA reference number on the back of your cheque. The number starts with an X. You will find it on the payslip.\n\nHMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.\n\n## Direct Debit\n\nSet up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment. This means you\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.\n\n## Use your reference number\n\nYou\u2019ll need your PAYE Settlement Agreement (PSA) reference number. It starts with an X and is on the payslip HMRC sent you.\n\nIf you do not have your PSA number, contact the HMRC office that\u2019s dealing with your application.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\n## How long it takes\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.\n\nIf you pay PAYE or Class 1 National Insurance contributions by Direct Debit, make a separate Direct Debit payment for your PSA.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your PAYE Settlement Agreement (PSA) reference number on the back of the cheque. It starts with an \u2018X\u2019 and you\u2019ll find it on your payslip.\n\nInclude the payslip HMRC sent you. Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nIf you want a receipt, include a note asking for one.\n\n## If you do not have a payslip\n\nYou can print a payslip to use to pay by post. You cannot use this at a bank.\n\n## Check your payment has been received\n\nYou can check your bank or building society statement to confirm the payment has left your account.\n\nIf you\u2019re paying by post, you can include a letter with your payment to request a receipt from HM Revenue and Customs (HMRC).", + "original_contents": [ + "

    Overview

    ", + "

    You must pay the tax and Class 1B National Insurance due from your PAYE Settlement Agreement (PSA) by 22 October following the tax year it applies to.

    ", + "

    This guide is also available in Welsh (Cymraeg)

    ", + "

    Pay online

    ", + "

    Make sure you pay HM Revenue and Customs (HMRC) by the deadline. You may have to pay penalties and interest if your payment is late.

    ", + "

    Pay now

    ", + "

    Other ways to pay

    ", + "

    You can choose to pay in other ways. The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Up to 2 days

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • by debit or corporate credit card online
  • ", + "
  • at your bank or building society
  • ", + "

    3 working days or more

    ", + "
  • Bacs
  • ", + "
  • Direct Debit (if you\u2019ve set up one for HMRC before)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit - if you have not set up one for HMRC before
  • ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    You can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001020 | HMRC Shipley", + "

    Reference number

    ", + "

    You\u2019ll need to use your PAYE Settlement Agreement (PSA) reference number as the payment reference.

    ", + "

    It starts with an X and is on the payslip HMRC sent you. If you do not have your PSA number, contact the office that\u2019s dealing with your application.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB03BARC20114783977692 | BARCGB22 | HMRC Shipley", + "

    HMRC\u2019s banking address is:

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    You\u2019ll need your PAYE Settlement Agreement (PSA) reference number. It starts with an X and is on the payslip HM Revenue and Customs (HMRC) sent you.

    ", + "

    If you do not have your PSA number, contact the HMRC office that\u2019s dealing with your application.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    HMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.

    ", + "

    If you\u2019re unable to pay your PSA in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    You can pay at your branch by cash or cheque. You\u2019ll need to use the PAYE Settlement Agreement (PSA) payslip sent to you by HM Revenue and Customs (HMRC).

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your PSA reference number on the back of your cheque. The number starts with an X. You will find it on the payslip.

    ", + "

    HMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.

    ", + "

    Direct Debit

    ", + "

    Set up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment. This means you\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.

    ", + "

    Use your reference number

    ", + "

    You\u2019ll need your PAYE Settlement Agreement (PSA) reference number. It starts with an X and is on the payslip HMRC sent you.

    ", + "

    If you do not have your PSA number, contact the HMRC office that\u2019s dealing with your application.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    How long it takes

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.

    ", + "

    If you pay PAYE or Class 1 National Insurance contributions by Direct Debit, make a separate Direct Debit payment for your PSA.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your PAYE Settlement Agreement (PSA) reference number on the back of the cheque. It starts with an \u2018X\u2019 and you\u2019ll find it on your payslip.

    ", + "

    Include the payslip HMRC sent you. Do not fold the payslip or cheque or fasten them together.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    If you want a receipt, include a note asking for one.

    ", + "

    If you do not have a payslip

    ", + "

    You can print a payslip to use to pay by post. You cannot use this at a bank.

    ", + "

    Check your payment has been received

    ", + "

    You can check your bank or building society statement to confirm the payment has left your account.

    ", + "

    If you\u2019re paying by post, you can include a letter with your payment to request a receipt from HM Revenue and Customs (HMRC).

    " + ] + }, + "https://www.gov.uk/pay-paye-penalty": { + "url": "https://www.gov.uk/pay-paye-penalty", + "title": "Pay a PAYE late payment or filing penalty", + "content": "## Overview\n\nYou have 30 days from the date on the PAYE late penalty notice to pay or appeal it.\n\nPay now\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set up one for HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set up one for HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## Reference number\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB03BARC20114783977692 | BARCGB22 | HMRC Shipley |\n\nHMRC\u2019s banking address is:\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HM Revenue and Customs (HMRC) sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.\n\nIf you\u2019re unable to pay your penalty in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can pay at a branch by cash or cheque. You\u2019ll need to use the HM Revenue and Customs (HMRC) payslip included with the late penalty or filing notice.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your penalty reference number on the back of your cheque. The reference number starts with an X. You will find it on the penalty notice sent to you by HMRC.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.\n\n## Direct Debit\n\nSet up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment.\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your penalty reference number on the back of the cheque. It starts with an \u2018X\u2019 and you\u2019ll find it on the penalty notice HMRC sent you.\n\nInclude the payslip from the penalty notice. Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nIf you want a receipt, include a note asking for one.\n\n## If you do not have a payslip\n\nYou can print a payslip to use to pay by post. You cannot use this at a bank.\n\n## Check your payment has been received\n\nView your HMRC online account to see if your payment has been received - it should update within 6 working days.\n\nYou can also check your bank or building society statement to confirm the payment has left your account.\n\nIf you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.", + "original_contents": [ + "

    Overview

    ", + "

    You have 30 days from the date on the PAYE late penalty notice to pay or appeal it.

    ", + "

    Pay now

    ", + "

    Ways to pay

    ", + "

    Make sure you pay HM Revenue and Customs (HMRC) by the deadline.

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • by debit or corporate credit card online
  • ", + "
  • at your bank or building society
  • ", + "

    3 working days

    ", + "
  • Bacs
  • ", + "
  • Direct Debit (if you\u2019ve set up one for HMRC before)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set up one for HMRC before)
  • ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    You can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001020 | HMRC Shipley", + "

    Reference number

    ", + "

    You\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account.

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB03BARC20114783977692 | BARCGB22 | HMRC Shipley", + "

    HMRC\u2019s banking address is:

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    You\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HM Revenue and Customs (HMRC) sent you.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    HMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.

    ", + "

    If you\u2019re unable to pay your penalty in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    You can pay at a branch by cash or cheque. You\u2019ll need to use the HM Revenue and Customs (HMRC) payslip included with the late penalty or filing notice.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your penalty reference number on the back of your cheque. The reference number starts with an X. You will find it on the penalty notice sent to you by HMRC.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    HMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.

    ", + "

    Direct Debit

    ", + "

    Set up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment.

    ", + "

    You\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.

    ", + "

    Do not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your penalty reference number on the back of the cheque. It starts with an \u2018X\u2019 and you\u2019ll find it on the penalty notice HMRC sent you.

    ", + "

    Include the payslip from the penalty notice. Do not fold the payslip or cheque or fasten them together.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    If you want a receipt, include a note asking for one.

    ", + "

    If you do not have a payslip

    ", + "

    You can print a payslip to use to pay by post. You cannot use this at a bank.

    ", + "

    Check your payment has been received

    ", + "

    View your HMRC online account to see if your payment has been received - it should update within 6 working days.

    ", + "

    You can also check your bank or building society statement to confirm the payment has left your account.

    ", + "

    If you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.

    " + ] + }, + "https://www.gov.uk/pay-class-1a-national-insurance": { + "url": "https://www.gov.uk/pay-class-1a-national-insurance", + "title": "Pay employers' Class 1A National Insurance", + "content": "## Overview\n\nYou must pay Class 1A National Insurance contributions on work benefits you give to your employees, such as a company mobile phone.\n\nYou must also pay them on payments of more than \u00a330,000 that you make to employees when their employment ends, such as a redundancy payment (\u2018termination awards\u2019).\n\nYou only have to pay Class 1A National Insurance contributions on termination awards if you have not already paid Class 1 National Insurance contributions on them.\n\nThere\u2019s different guidance on payment of Class 1A National Insurance on sporting testimonials.\n\n## When to pay\n\nWhen you pay Class 1A National Insurance contributions depends on whether they are work benefits or termination awards.\n\n## Work benefits\n\nYou need to pay contributions on work benefits by 22 July each year for the previous tax year. You\u2019ll need to pay by 19 July if paying by post.\n\n## Termination awards\n\nYou pay contributions on termination awards through PAYE.\n\n## Pay contributions on work benefits online\n\nYou can pay online using direct debit (one-off payment), bank transfer, credit card or corporate debit card.\n\nPay now\n\n## Other ways to pay contributions on work benefits\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline. You may have to pay interest and penalties if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\n## Up to 2 days\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n## 3 working days\n\n- online by debit or corporate credit card\n\n- Bacs\n\n- at your bank or building society\n\n- Direct Debit (if you\u2019ve set one up with HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set one up with HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, your payment must arrive in HMRC\u2019s bank account on the last working day of the week (unless you\u2019re using Faster Payments).\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n## Reference number\n\nYou\u2019ll need to give a 17-character number as the payment reference. This starts with your 13-character Accounts Office reference number. Then add the tax year you want to pay for and the digits \u201813\u2019 to make sure your payment is assigned correctly.\n\n| Tax year | Add these digits to your reference number |\n\n| 2013 to 2014 | 1413 |\n\n| 2014 to 2015 | 1513 |\n\n| 2015 to 2016 | 1613 |\n\nYou can find your Accounts Office reference number on:\n\n- the letter HMRC sent you when you first registered as an employer\n\n- the front of your payment booklet or the letter from HMRC that replaced it\n\nYou must make a separate payment for Class 1A payments. You cannot add them to a standard PAYE payment.\n\n## How long it takes\n\nPayments by Faster Payments (online or telephone banking) usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account:\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld |\n\nHMRC\u2019s banking address is:\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nMake your payment to \u2018HMRC Cumbernauld\u2019 office. You\u2019ll need to give a 17-character payment reference. This starts with your 13-character Accounts Office reference number. You can find this on:\n\n- the letter HM Revenue and Customs (HMRC) sent you when you first registered as an employer\n\n- the front of your payment booklet or the letter from HMRC that replaced it\n\nAdd the tax year you want to pay for and the digits \u201813\u2019. If you do not do this, your payment will be allocated to the current tax year instead.\n\nIf you\u2019re unable to pay your Class 1A National Insurance bill in full by card, you should use another payment method like a bank transfer.\n\n## How long it takes\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## At your bank or building society\n\nYou can pay at a branch by cash or cheque.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 1A payslip reference number on the back of your cheque. You\u2019ll find the reference number on the payslip provided by HMRC.\n\nYou must use your Class 1A payslip when paying in. Do not use a standard PAYE payslip from your booklet or your payment will be delayed.\n\n## How long it takes\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## Direct Debit\n\nSet up a new Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment for Class 1A contributions.\n\nYou cannot use an existing Direct Debit for standard PAYE payments.\n\nYou\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.\n\n## Making the payment\n\nYou\u2019ll need to give a 17-character payment reference. This starts with your 13-character Accounts Office reference number. You can find this on:\n\n- the letter HMRC sent you when you first registered as an employer\n\n- the front of your payment booklet or the letter from HMRC that replaced it\n\nAdd the tax year you want to pay for and the digits \u201813\u2019. If you do not do this, your payment will be allocated to the current tax year instead.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 1A reference number on the back of the cheque. You\u2019ll find this on your payslip.\n\nInclude the payslip HMRC sent you. You cannot use a standard PAYE payslip from your booklet. Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nIf you want a receipt, include a note asking for one.\n\n## If you do not have a payslip\n\nYou can print a payslip to use to pay by post. You cannot use this at a bank.\n\n## Check your payment has been received\n\nCheck your HM Revenue and Customs (HMRC) online account - it should update within 6 working days.\n\nIf you\u2019re paying by cheque through the post, you can include a letter with your payment to request a receipt from HMRC.\n\n## Class 1A contributions on sporting testimonials\n\nA sporting testimonial is an event or series of events to honour a player for their service, such as when the player retires.\n\nThe testimonial committee must pay Class 1A National Insurance if the payment to a player is:\n\n- more than \u00a3100,000\n\n- not in the player\u2019s contract\n\nThe payment is usually the profit from the event.\n\nThe committee must pay the contributions on the payment through PAYE.", + "original_contents": [ + "

    Overview

    ", + "

    You must pay Class 1A National Insurance contributions on work benefits you give to your employees, such as a company mobile phone.

    ", + "

    You must also pay them on payments of more than \u00a330,000 that you make to employees when their employment ends, such as a redundancy payment (\u2018termination awards\u2019).

    ", + "

    You only have to pay Class 1A National Insurance contributions on termination awards if you have not already paid Class 1 National Insurance contributions on them.

    ", + "

    There\u2019s different guidance on payment of Class 1A National Insurance on sporting testimonials.

    ", + "

    When to pay

    ", + "

    When you pay Class 1A National Insurance contributions depends on whether they are work benefits or termination awards.

    ", + "

    Work benefits

    ", + "

    You need to pay contributions on work benefits by 22 July each year for the previous tax year. You\u2019ll need to pay by 19 July if paying by post.

    ", + "

    Termination awards

    ", + "

    You pay contributions on termination awards through PAYE.

    ", + "

    Pay contributions on work benefits online

    ", + "

    You can pay online using direct debit (one-off payment), bank transfer, credit card or corporate debit card.

    ", + "

    Pay now

    ", + "

    Other ways to pay contributions on work benefits

    ", + "

    Make sure you pay HM Revenue and Customs (HMRC) by the deadline. You may have to pay interest and penalties if your payment is late.

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    Up to 2 days

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "

    3 working days

    ", + "
  • online by debit or corporate credit card
  • ", + "
  • Bacs
  • ", + "
  • at your bank or building society
  • ", + "
  • Direct Debit (if you\u2019ve set one up with HMRC before)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set one up with HMRC before)
  • ", + "

    If the deadline falls on a weekend or bank holiday, your payment must arrive in HMRC\u2019s bank account on the last working day of the week (unless you\u2019re using Faster Payments).

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    You can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001039 | HMRC Cumbernauld", + "

    Reference number

    ", + "

    You\u2019ll need to give a 17-character number as the payment reference. This starts with your 13-character Accounts Office reference number. Then add the tax year you want to pay for and the digits \u201813\u2019 to make sure your payment is assigned correctly.

    ", + "Tax year | Add these digits to your reference number", + "2013 to 2014 | 1413", + "2014 to 2015 | 1513", + "2015 to 2016 | 1613", + "

    You can find your Accounts Office reference number on:

    ", + "
  • the letter HMRC sent you when you first registered as an employer
  • ", + "
  • the front of your payment booklet or the letter from HMRC that replaced it
  • ", + "

    You must make a separate payment for Class 1A payments. You cannot add them to a standard PAYE payment.

    ", + "

    How long it takes

    ", + "

    Payments by Faster Payments (online or telephone banking) usually reach HMRC on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    Use these details to pay from an overseas account:

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld", + "

    HMRC\u2019s banking address is:

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    Make your payment to \u2018HMRC Cumbernauld\u2019 office. You\u2019ll need to give a 17-character payment reference. This starts with your 13-character Accounts Office reference number. You can find this on:

    ", + "
  • the letter HM Revenue and Customs (HMRC) sent you when you first registered as an employer
  • ", + "
  • the front of your payment booklet or the letter from HMRC that replaced it
  • ", + "

    Add the tax year you want to pay for and the digits \u201813\u2019. If you do not do this, your payment will be allocated to the current tax year instead.

    ", + "

    If you\u2019re unable to pay your Class 1A National Insurance bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    How long it takes

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    At your bank or building society

    ", + "

    You can pay at a branch by cash or cheque.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your Class 1A payslip reference number on the back of your cheque. You\u2019ll find the reference number on the payslip provided by HMRC.

    ", + "

    You must use your Class 1A payslip when paying in. Do not use a standard PAYE payslip from your booklet or your payment will be delayed.

    ", + "

    How long it takes

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    Direct Debit

    ", + "

    Set up a new Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment for Class 1A contributions.

    ", + "

    You cannot use an existing Direct Debit for standard PAYE payments.

    ", + "

    You\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.

    ", + "

    Making the payment

    ", + "

    You\u2019ll need to give a 17-character payment reference. This starts with your 13-character Accounts Office reference number. You can find this on:

    ", + "
  • the letter HMRC sent you when you first registered as an employer
  • ", + "
  • the front of your payment booklet or the letter from HMRC that replaced it
  • ", + "

    Add the tax year you want to pay for and the digits \u201813\u2019. If you do not do this, your payment will be allocated to the current tax year instead.

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your Class 1A reference number on the back of the cheque. You\u2019ll find this on your payslip.

    ", + "

    Include the payslip HMRC sent you. You cannot use a standard PAYE payslip from your booklet. Do not fold the payslip or cheque or fasten them together.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    If you want a receipt, include a note asking for one.

    ", + "

    If you do not have a payslip

    ", + "

    You can print a payslip to use to pay by post. You cannot use this at a bank.

    ", + "

    Check your payment has been received

    ", + "

    Check your HM Revenue and Customs (HMRC) online account - it should update within 6 working days.

    ", + "

    If you\u2019re paying by cheque through the post, you can include a letter with your payment to request a receipt from HMRC.

    ", + "

    Class 1A contributions on sporting testimonials

    ", + "

    A sporting testimonial is an event or series of events to honour a player for their service, such as when the player retires.

    ", + "

    The testimonial committee must pay Class 1A National Insurance if the payment to a player is:

    ", + "
  • more than \u00a3100,000
  • ", + "
  • not in the player\u2019s contract
  • ", + "

    The payment is usually the profit from the event.

    ", + "

    The committee must pay the contributions on the payment through PAYE.

    " + ] + }, + "https://www.gov.uk/pay-paye-tax": { + "url": "https://www.gov.uk/pay-paye-tax", + "title": "Pay employers' PAYE", + "content": "## Overview\n\nYou must pay your PAYE bill to HM Revenue and Customs (HMRC) by:\n\n- the 22nd of the next tax month if you pay monthly\n\n- the 22nd after the end of the quarter if you pay quarterly - for example, 22 July for the 6 April to 5 July quarter\n\nPay now\n\nIf you pay by cheque through the post the deadline is the 19th of the month.\n\n## What you\u2019re paying\n\nYour PAYE bill may include:\n\n- employee Income Tax deductions\n\n- Class 1 and 1B National Insurance\n\n- Class 1A National Insurance on termination awards and sporting testimonials\n\n- Student Loan repayments\n\n- Construction Industry Scheme (CIS) deductions\n\n- your Apprenticeship Levy payments (starting from April 2017) if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million\n\nYou pay your Class 1A National Insurance on work benefits that you give to your employees separately.\n\nPAYE Settlement Agreements are also paid separately.\n\n## Ways to pay\n\nMake sure you pay HMRC by the deadline. You may have to pay interest and penalties if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- through your online bank account\n\n## 3 working days\n\n- by debit or corporate credit card online\n\n- Bacs\n\n- at your bank or building society (cash or cheque)\n\n- Direct Debit (if you\u2019ve already set one up)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set up one before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Payment booklets\n\nYou\u2019ll need a payment booklet from HMRC to pay at your bank or building society, or by post. If you do not have one, ask HMRC to send it to you.\n\nIf you\u2019re no longer using your payment booklet, you can ask HMRC to stop sending it.\n\nHMRC will automatically stop sending your payment booklet if you make 2 or more electronic payments in a year.\n\n## Direct Debit\n\nSet up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment. This means you\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.\n\n## Reference number\n\nYou\u2019ll need your 13-character accounts office reference number to make a payment. You can find this on the letter HMRC sent you when you first registered as an employer.\n\n## How long it takes\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\nThe payments will show on your bank statement as \u2018HMRC NDDS\u2019.\n\n## Early or late payments\n\nMake sure you also enter the correct year and month the payment is for in the separate boxes provided.\n\n## Make an online or telephone bank transfer\n\nYou can make a transfer from your bank account by Faster Payments, CHAPS or Bacs.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n## If your account is overseas\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld |\n\n## Reference number\n\nYou\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on either:\n\n- the letter HMRC sent you when you first registered as an employer.\n\n- the front of your payment booklet or the letter from HMRC that replaced it\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Early payments\n\n## If you pay monthly\n\nYou need to add extra numbers to your reference number if you pay before the 6th of the tax month that payment is due.\n\nWork out the number you need to use.\n\n## If you pay quarterly\n\nYou need to add extra numbers to your reference number if you pay before the 6th of the second month in the quarter.\n\nWork out the number you need to use.\n\n## Late payments\n\nYou need to add extra numbers to your reference number if you pay on or after the 5th of the tax month after payment was due. Do this whether you pay monthly or quarterly.\n\nWork out the number you need to use. You use a different tool if the payment was for a previous tax year.\n\n## Multiple PAYE schemes\n\nSend an online CHAPS enquiry form if you want to make a single payment via CHAPS for multiple PAYE schemes.\n\nHMRC\u2019s banking address is:\n\n## Approve a payment through your online bank account\n\nYou can pay your PAYE bill directly using your online or mobile bank account.\n\nOnce you\u2019ve signed into your HMRC account, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your PAYE payment.\n\nThe payment is usually instant but sometimes it takes up to 2 hours to show in your account.\n\nYou\u2019ll need to have your online banking details ready to pay this way.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nIf you\u2019re unable to pay your employers\u2019 PAYE bill in full by card, you should use another payment method like a bank transfer.\n\n## Reference number\n\nYou\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on the letter HM Revenue and Customs (HMRC) sent you when you first registered as an employer.\n\n## How long it takes\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## Early or late payments\n\nMake sure you enter the correct year and month the payment is for in the separate boxes provided.\n\n## Pay for the previous tax year\n\nSelect the previous tax year and \u2018month 12\u2019 for the last tax year. If you do not do this, your payment will go to the current tax year instead.\n\n## At your bank or building society\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 13-character accounts office reference number on the back of the cheque. You will find the reference number on the letter HM Revenue and Customs (HMRC) sent to you when you first registered as an employer.\n\nYou\u2019ll need to pay in using the payslip for the correct period. If you do not have one of these, ask HMRC to send you a payment booklet.\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC) if you have fewer than 250 employees.\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 13-character Accounts Office reference number on the back of the cheque. You can find this number on the letter HMRC sent you when you first registered as an employer.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nInclude the payslip for the correct period. If you do not have this, you can either:\n\n- ask HMRC to send you a payment booklet\n\n- print off a replacement payment slip\n\nYou can only use a replacement payslip to pay by post. You cannot use this at a bank.\n\nDo not fold the payslip or cheque or fasten them together.\n\nYou can include a letter with your payment to ask HMRC for a receipt.\n\n## Check your payment has been received\n\nCheck your HM Revenue and Customs (HMRC) online account - it should update within 6 working days of making payment.\n\nIf you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.\n\n## Tell HMRC no payment is due\n\nYou must tell HM Revenue and Customs (HMRC) if you have not paid any employees for at least one tax month.\n\nYou can tell HMRC by filling in an Employer Payment Summary (EPS).\n\nYou must send it by the 19th of the month following the tax month when no employees were paid.\n\nIf you do not send an EPS, HMRC will send you a notice estimating how much you owe. You may have to pay a penalty.\n\n## Telling HMRC in advance\n\nYou can tell HMRC that you will not pay any employees up to 12 months in advance.\n\nContractors in the Construction Industry Scheme (CIS) who have no payments to make need to tell HMRC through a CIS return and a EPS. CIS contractors with payments to make only need to file a CIS return.", + "original_contents": [ + "

    Overview

    ", + "

    You must pay your PAYE bill to HM Revenue and Customs (HMRC) by:

    ", + "
  • the 22nd of the next tax month if you pay monthly
  • ", + "
  • the 22nd after the end of the quarter if you pay quarterly - for example, 22 July for the 6 April to 5 July quarter
  • ", + "

    Pay now

    ", + "

    If you pay by cheque through the post the deadline is the 19th of the month.

    ", + "

    What you\u2019re paying

    ", + "

    Your PAYE bill may include:

    ", + "
  • employee Income Tax deductions
  • ", + "
  • Class 1 and 1B National Insurance
  • ", + "
  • Class 1A National Insurance on termination awards and sporting testimonials
  • ", + "
  • Student Loan repayments
  • ", + "
  • Construction Industry Scheme (CIS) deductions
  • ", + "
  • your Apprenticeship Levy payments (starting from April 2017) if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million
  • ", + "

    You pay your Class 1A National Insurance on work benefits that you give to your employees separately.

    ", + "

    PAYE Settlement Agreements are also paid separately.

    ", + "

    Ways to pay

    ", + "

    Make sure you pay HMRC by the deadline. You may have to pay interest and penalties if your payment is late.

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same or next day

    ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • through your online bank account
  • ", + "

    3 working days

    ", + "
  • by debit or corporate credit card online
  • ", + "
  • Bacs
  • ", + "
  • at your bank or building society (cash or cheque)
  • ", + "
  • Direct Debit (if you\u2019ve already set one up)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set up one before)
  • ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    Payment booklets

    ", + "

    You\u2019ll need a payment booklet from HMRC to pay at your bank or building society, or by post. If you do not have one, ask HMRC to send it to you.

    ", + "

    If you\u2019re no longer using your payment booklet, you can ask HMRC to stop sending it.

    ", + "

    HMRC will automatically stop sending your payment booklet if you make 2 or more electronic payments in a year.

    ", + "

    Direct Debit

    ", + "

    Set up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment. This means you\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.

    ", + "

    Reference number

    ", + "

    You\u2019ll need your 13-character accounts office reference number to make a payment. You can find this on the letter HMRC sent you when you first registered as an employer.

    ", + "

    How long it takes

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.

    ", + "

    The payments will show on your bank statement as \u2018HMRC NDDS\u2019.

    ", + "

    Early or late payments

    ", + "

    Make sure you also enter the correct year and month the payment is for in the separate boxes provided.

    ", + "

    Make an online or telephone bank transfer

    ", + "

    You can make a transfer from your bank account by Faster Payments, CHAPS or Bacs.

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001039 | HMRC Cumbernauld", + "

    If your account is overseas

    ", + "Account number (IBAN) | Bank identifier code (BIC) | Account name", + "GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld", + "

    Reference number

    ", + "

    You\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on either:

    ", + "
  • the letter HMRC sent you when you first registered as an employer.
  • ", + "
  • the front of your payment booklet or the letter from HMRC that replaced it
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Early payments

    ", + "

    If you pay monthly

    ", + "

    You need to add extra numbers to your reference number if you pay before the 6th of the tax month that payment is due.

    ", + "

    Work out the number you need to use.

    ", + "

    If you pay quarterly

    ", + "

    You need to add extra numbers to your reference number if you pay before the 6th of the second month in the quarter.

    ", + "

    Work out the number you need to use.

    ", + "

    Late payments

    ", + "

    You need to add extra numbers to your reference number if you pay on or after the 5th of the tax month after payment was due. Do this whether you pay monthly or quarterly.

    ", + "

    Work out the number you need to use. You use a different tool if the payment was for a previous tax year.

    ", + "

    Multiple PAYE schemes

    ", + "

    Send an online CHAPS enquiry form if you want to make a single payment via CHAPS for multiple PAYE schemes.

    ", + "

    HMRC\u2019s banking address is:

    ", + "

    Approve a payment through your online bank account

    ", + "

    You can pay your PAYE bill directly using your online or mobile bank account.

    ", + "

    Once you\u2019ve signed into your HMRC account, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your PAYE payment.

    ", + "

    The payment is usually instant but sometimes it takes up to 2 hours to show in your account.

    ", + "

    You\u2019ll need to have your online banking details ready to pay this way.

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    If you\u2019re unable to pay your employers\u2019 PAYE bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    Reference number

    ", + "

    You\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on the letter HM Revenue and Customs (HMRC) sent you when you first registered as an employer.

    ", + "

    How long it takes

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    Early or late payments

    ", + "

    Make sure you enter the correct year and month the payment is for in the separate boxes provided.

    ", + "

    Pay for the previous tax year

    ", + "

    Select the previous tax year and \u2018month 12\u2019 for the last tax year. If you do not do this, your payment will go to the current tax year instead.

    ", + "

    At your bank or building society

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 13-character accounts office reference number on the back of the cheque. You will find the reference number on the letter HM Revenue and Customs (HMRC) sent to you when you first registered as an employer.

    ", + "

    You\u2019ll need to pay in using the payslip for the correct period. If you do not have one of these, ask HMRC to send you a payment booklet.

    ", + "

    Allow 3 working days for your payment to reach HMRC\u2019s bank account.

    ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC) if you have fewer than 250 employees.

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 13-character Accounts Office reference number on the back of the cheque. You can find this number on the letter HMRC sent you when you first registered as an employer.

    ", + "

    Your payment may be delayed if you do not fill in your cheque properly.

    ", + "

    Include the payslip for the correct period. If you do not have this, you can either:

    ", + "
  • ask HMRC to send you a payment booklet
  • ", + "
  • print off a replacement payment slip
  • ", + "

    You can only use a replacement payslip to pay by post. You cannot use this at a bank.

    ", + "

    Do not fold the payslip or cheque or fasten them together.

    ", + "

    You can include a letter with your payment to ask HMRC for a receipt.

    ", + "

    Check your payment has been received

    ", + "

    Check your HM Revenue and Customs (HMRC) online account - it should update within 6 working days of making payment.

    ", + "

    If you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.

    ", + "

    Tell HMRC no payment is due

    ", + "

    You must tell HM Revenue and Customs (HMRC) if you have not paid any employees for at least one tax month.

    ", + "

    You can tell HMRC by filling in an Employer Payment Summary (EPS).

    ", + "

    You must send it by the 19th of the month following the tax month when no employees were paid.

    ", + "

    If you do not send an EPS, HMRC will send you a notice estimating how much you owe. You may have to pay a penalty.

    ", + "

    Telling HMRC in advance

    ", + "

    You can tell HMRC that you will not pay any employees up to 12 months in advance.

    ", + "

    Contractors in the Construction Industry Scheme (CIS) who have no payments to make need to tell HMRC through a CIS return and a EPS. CIS contractors with payments to make only need to file a CIS return.

    " + ] + }, + "https://www.gov.uk/payroll-annual-reporting": { + "url": "https://www.gov.uk/payroll-annual-reporting", + "title": "Payroll: annual reporting and tasks", + "content": "## Overview\n\nAs an employer running payroll, you need to:\n\n- report to HM Revenue and Customs (HMRC) on the previous tax year (which ends on 5 April) and give your employees a P60\n\n- prepare for the new tax year, which starts on 6 April\n\n| What you need to do | When |\n\n| Send your final payroll report of the year | On or before your employees\u2019 payday |\n\n| Update employee payroll records | From 6 April |\n\n| Update payroll software | From 6 April, or earlier if the software provider asks you to |\n\n| Give your employees a P60 | By 31 May |\n\n| Report employee expenses and benefits | By 6 July |\n\n## Send your final payroll report\n\nSend your final Full Payment Submission (FPS) on or before your employees\u2019 last payday of the tax year (which ends on 5 April).\n\nPut \u2018Yes\u2019 in the \u2018Final submission for year\u2019 field (if available) in your payroll software.\n\nIf you run more than one payroll under the same PAYE scheme reference (for example for employees you pay weekly and monthly), include the end-of-year information in your last report.\n\nYou need to send extra forms if you claimed a National Insurance holiday for new employers.\n\n## When to send an Employer Payment Summary (EPS)\n\nYou should send your final report in an EPS instead of an FPS if any of the following apply:\n\n- you forgot to put \u2018Yes\u2019 in the \u2018Final submission for year\u2019 field in your last FPS\n\n- your software does not have a \u2018Final Submission for year\u2019 field on the FPS\n\n- you did not pay anyone in the final pay period of the tax year\n\n- you sent your final FPS early and you did not pay anyone for one or more full tax months in the last tax year\n\n## If you\u2019re late sending your final report\n\nFrom 20 April you can send an FPS to correct your 2020 to 2021 tax year payroll data by giving the year-to-date figures.\n\n## \u2018Week 53\u2019 payments\n\nIf you pay your employees weekly, fortnightly or every 4 weeks, you might need to make a \u2018week 53\u2019 payment in your final FPS of the year.\n\nYour payroll software will work out \u2018week 53\u2019 payments for you.\n\nIn the \u2018Tax week number\u2019 field of your FPS, put:\n\n- \u201853\u2019 if you pay your employees weekly\n\n- \u201854\u2019 if you pay them fortnightly\n\n- \u201856\u2019 if you pay them every 4 weeks\n\nHMRC will send a P800 form to any employees who owe tax following a \u2018week 53\u2019 payment.\n\n## If you make a mistake\n\nIf you find a mistake in your final FPS of the year, what you need to do depends on the type of mistake and when you find it.\n\n| | When | What to do |\n\n| Wrong payments or deductions | By 19 April | Send an additional FPS with corrected year-to-date figures, and enter \u20180\u2019 in \u2018Pay in this period\u2019 |\n\n| Wrong payments or deductions | After 19 April | Send an FPS showing the correct year-to-date amounts. |\n\n| Wrong payment date | By 5 April | Send an additional FPS with the correct payment date - put \u20180\u2019 in \u2018Pay in this period\u2019 and give the year-to-date figures |\n\n## Update employee payroll records\n\nFor each employee working for you on 6 April, you\u2019ll need to:\n\n- prepare a payroll record\n\n- identify the correct tax code to use in the new tax year\n\n- enter their tax code in your payroll software\n\nYou should include in your payroll:\n\n- all employees you pay in the tax year, no matter how much you pay them\n\n- any employee who has worked for you in the current tax year (since 6 April) even if they\u2019ve already left\n\n## Using the right tax code\n\nHM Revenue and Customs (HMRC) will send you a:\n\n- P9T form for any employees who need a new tax code\n\n- P9X form with general changes for employees whose tax code ends with an \u2018L\u2019\n\nFor April 2021, if your employee\u2019s tax code ends in \u2018L\u2019, add 7, for example 1250L becomes 1257L.\n\nIf you get a lot of tax code notices, it may be faster to use HMRC\u2019s PAYE Desktop Viewer.\n\n## New employees\n\nUse the information new employees give you (usually their P45) to work out their tax code.\n\n## Update payroll software\n\nFollow your provider\u2019s instructions to update your payroll software so it uses the latest rates and thresholds for Income Tax, National Insurance and student loan repayments.\n\n## Basic PAYE Tools\n\nYou must download and install Basic PAYE Tools again if you\u2019re using a version before 14.2.14330.88. The version number displays in the bottom-left corner of the tool.\n\nVersions 14.2.14330.88 and later of Basic PAYE Tools check for updates automatically, for example when the tax year changes or new rules come in.\n\n## Give employees a P60\n\nGive a P60 to all employees on your payroll who are working for you on the last day of the tax year (5 April). The P60 summarises their total pay and deductions for the year.\n\nYou must give your employees a P60 by 31 May.\n\nIf you\u2019re exempt from filing your payroll online, you can order copies of P60s from HMRC.\n\n## If you need to change a P60\n\nGive your employee either a:\n\n- new P60 marked \u2018replacement\u2019 - this can be paper or electronic\n\n- letter confirming the change\n\n## Report expenses and benefits\n\nYou can report expenses and benefits using your payroll software, if it has this feature.\n\nYou must report expenses and benefits to HMRC by 6 July.\n\n## Paying HMRC\n\nPay any Class 1A National Insurance due on the taxable expenses and benefits you\u2019ve provided. Your payment must be received by 22 July (or 19 July if you\u2019re paying by post).", + "original_contents": [ + "

    Overview

    ", + "

    As an employer running payroll, you need to:

    ", + "
  • report to HM Revenue and Customs (HMRC) on the previous tax year (which ends on 5 April) and give your employees a P60
  • ", + "
  • prepare for the new tax year, which starts on 6 April
  • ", + "What you need to do | When", + "Send your final payroll report of the year | On or before your employees\u2019 payday", + "Update employee payroll records | From 6 April", + "Update payroll software | From 6 April, or earlier if the software provider asks you to", + "Give your employees a P60 | By 31 May", + "Report employee expenses and benefits | By 6 July", + "

    Send your final payroll report

    ", + "

    Send your final Full Payment Submission (FPS) on or before your employees\u2019 last payday of the tax year (which ends on 5 April).

    ", + "

    Put \u2018Yes\u2019 in the \u2018Final submission for year\u2019 field (if available) in your payroll software.

    ", + "

    If you run more than one payroll under the same PAYE scheme reference (for example for employees you pay weekly and monthly), include the end-of-year information in your last report.

    ", + "

    You need to send extra forms if you claimed a National Insurance holiday for new employers.

    ", + "

    When to send an Employer Payment Summary (EPS)

    ", + "

    You should send your final report in an EPS instead of an FPS if any of the following apply:

    ", + "
  • you forgot to put \u2018Yes\u2019 in the \u2018Final submission for year\u2019 field in your last FPS
  • ", + "
  • your software does not have a \u2018Final Submission for year\u2019 field on the FPS
  • ", + "
  • you did not pay anyone in the final pay period of the tax year
  • ", + "
  • you sent your final FPS early and you did not pay anyone for one or more full tax months in the last tax year
  • ", + "

    If you\u2019re late sending your final report

    ", + "

    From 20 April you can send an FPS to correct your 2020 to 2021 tax year payroll data by giving the year-to-date figures.

    ", + "

    \u2018Week 53\u2019 payments

    ", + "

    If you pay your employees weekly, fortnightly or every 4 weeks, you might need to make a \u2018week 53\u2019 payment in your final FPS of the year.

    ", + "

    Your payroll software will work out \u2018week 53\u2019 payments for you.

    ", + "

    In the \u2018Tax week number\u2019 field of your FPS, put:

    ", + "
  • \u201853\u2019 if you pay your employees weekly
  • ", + "
  • \u201854\u2019 if you pay them fortnightly
  • ", + "
  • \u201856\u2019 if you pay them every 4 weeks
  • ", + "

    HMRC will send a P800 form to any employees who owe tax following a \u2018week 53\u2019 payment.

    ", + "

    If you make a mistake

    ", + "

    If you find a mistake in your final FPS of the year, what you need to do depends on the type of mistake and when you find it.

    ", + " | When | What to do", + "Wrong payments or deductions | By 19 April | Send an additional FPS with corrected year-to-date figures, and enter \u20180\u2019 in \u2018Pay in this period\u2019", + "Wrong payments or deductions | After 19 April | Send an FPS showing the correct year-to-date amounts.", + "Wrong payment date | By 5 April | Send an additional FPS with the correct payment date - put \u20180\u2019 in \u2018Pay in this period\u2019 and give the year-to-date figures", + "

    Update employee payroll records

    ", + "

    For each employee working for you on 6 April, you\u2019ll need to:

    ", + "
  • prepare a payroll record
  • ", + "
  • identify the correct tax code to use in the new tax year
  • ", + "
  • enter their tax code in your payroll software
  • ", + "

    You should include in your payroll:

    ", + "
  • all employees you pay in the tax year, no matter how much you pay them
  • ", + "
  • any employee who has worked for you in the current tax year (since 6 April) even if they\u2019ve already left
  • ", + "

    Using the right tax code

    ", + "

    HM Revenue and Customs (HMRC) will send you a:

    ", + "
  • P9T form for any employees who need a new tax code
  • ", + "
  • P9X form with general changes for employees whose tax code ends with an \u2018L\u2019
  • ", + "

    For April 2021, if your employee\u2019s tax code ends in \u2018L\u2019, add 7, for example 1250L becomes 1257L.

    ", + "

    If you get a lot of tax code notices, it may be faster to use HMRC\u2019s PAYE Desktop Viewer.

    ", + "

    New employees

    ", + "

    Use the information new employees give you (usually their P45) to work out their tax code.

    ", + "

    Update payroll software

    ", + "

    Follow your provider\u2019s instructions to update your payroll software so it uses the latest rates and thresholds for Income Tax, National Insurance and student loan repayments.

    ", + "

    Basic PAYE Tools

    ", + "

    You must download and install Basic PAYE Tools again if you\u2019re using a version before 14.2.14330.88. The version number displays in the bottom-left corner of the tool.

    ", + "

    Versions 14.2.14330.88 and later of Basic PAYE Tools check for updates automatically, for example when the tax year changes or new rules come in.

    ", + "

    Give employees a P60

    ", + "

    Give a P60 to all employees on your payroll who are working for you on the last day of the tax year (5 April). The P60 summarises their total pay and deductions for the year.

    ", + "

    You must give your employees a P60 by 31 May.

    ", + "

    If you\u2019re exempt from filing your payroll online, you can order copies of P60s from HMRC.

    ", + "

    If you need to change a P60

    ", + "

    Give your employee either a:

    ", + "
  • new P60 marked \u2018replacement\u2019 - this can be paper or electronic
  • ", + "
  • letter confirming the change
  • ", + "

    Report expenses and benefits

    ", + "

    You can report expenses and benefits using your payroll software, if it has this feature.

    ", + "

    You must report expenses and benefits to HMRC by 6 July.

    ", + "

    Paying HMRC

    ", + "

    Pay any Class 1A National Insurance due on the taxable expenses and benefits you\u2019ve provided. Your payment must be received by 22 July (or 19 July if you\u2019re paying by post).

    " + ] + }, + "https://www.gov.uk/running-payroll": { + "url": "https://www.gov.uk/running-payroll", + "title": "Running payroll", + "content": "## Overview\n\nAs an employer operating PAYE as part of your payroll, you need to complete certain tasks during each tax month. Tax months run from the 6th of one month to the 5th of the next.\n\nYou must tell HM Revenue and Customs (HMRC) if you\u2019ve not paid any employees in a tax month.\n\n## On or before your employees\u2019 payday\n\nEvery time you pay your employees, use your payroll software to:\n\n- Record their pay - include their salary or wages and any other pay.\n\n- Calculate deductions from their pay, like tax and National Insurance.\n\n- Calculate the employer\u2019s National Insurance contribution that you\u2019ll need to pay on their earnings above \u00a3184 a week.\n\n- Produce payslips for each employee (you can use different software if yours does not have this feature).\n\n- Report their pay and deductions to HMRC in a Full Payment Submission (FPS).\n\nIf you pay an employee less than \u00a3120 a week, you usually only need to record and report their pay (unless they have another job or receive a pension).\n\n## In the next tax month (starting on the 6th)\n\nYou can view what you owe from your FPS online from the 12th.\n\n- Claim any reduction on what you\u2019ll owe HMRC (for example statutory pay) by sending an Employer Payment Summary (EPS) by the 19th.\n\n- View the balance of what you owe in your HMRC online account, within 2 days (or by the 14th if you sent the EPS before the 11th).\n\n- Pay HMRC by the 22nd (or the 19th if paying by post) - you may have to pay a penalty if you do not.\n\nIf you usually pay less than \u00a31,500 per month, you may be able to pay quarterly instead of monthly. Contact the payment helpline to find out.\n\n## Late reporting\n\nHMRC will send you a late filing notice if you\u2019ve paid any employees and do not send an FPS or send one late. They can also charge you a penalty, unless you have a valid reason for reporting late.\n\nLate, missing or incorrect payroll reports can also affect your employees\u2019 income-related benefits, such as Universal Credit.\n\nHMRC will close your PAYE scheme if you\u2019re a new employer and you do not send a report to or pay HMRC in 120 days.\n\n## Employees' pay\n\nRecord your employees\u2019 salary or wages in your payroll software. Include everyone you pay, even if they get less than \u00a3120 a week.\n\n## Recording other types of pay\n\n## Statutory pay\n\nYou may have to pay your employee:\n\n- Statutory Sick Pay (SSP)\n\n- statutory pay for parents (maternity, paternity, adoption, bereavement or shared parental pay)\n\nYou must record these in your software - they\u2019re taxed like normal pay.\n\nYou can reclaim statutory pay for parents.\n\n## Expenses and benefits\n\nExpenses or benefits like uniforms or company cars are reported separately at the end of the tax year. Check the rules to find out what counts as expenses and benefits, and what you should record in your software as normal pay.\n\n## Tips and other pay\n\nTreat tips to your staff as normal pay if they\u2019re paid into your till - this includes tips added to your customers\u2019 card or cheque payments. The rules are different if tips are given straight to your employees by customers or paid into a tronc.\n\nOther payments you may give your employee that you should record as normal pay include:\n\n- bonuses\n\n- commission\n\n- holiday pay (unless you pay it in advance or use a holiday pay scheme)\n\n- payments for time your employee has spent travelling\n\n- passenger payments, except the first 5 pence per mile\n\n- medical suspension payments, given to an employee you\u2019ve suspended for health reasons\n\n- maternity suspension payments, given to an employee you\u2019ve suspended for her, or her baby\u2019s, health\n\n- guarantee payments, paid to an employee for a day they do not work (and not paid holiday)\n\n- office holders\u2019 payments (honoraria), given to employees for providing a service, for example being your company\u2019s sports-club secretary\n\n- payments that can be converted into cash, for example cheques, Savings Certificates or Premium Bonds\n\n- inducement payments (\u2018golden hello\u2019 payments)\n\n- cash prizes for competitions you run\n\nThe rules are different for non-cash payments like shares or commodities, cash-in-hand or guarantee payments and employee incentive awards.\n\n## Deductions\n\nYour payroll software will calculate how much tax and National Insurance to deduct from your employees\u2019 pay. These deductions are worked out using each employee\u2019s tax code and National Insurance category letter.\n\nYou may also need to deduct student loan repayments, pension contributions, Payroll Giving donations and child maintenance payments.\n\n## Student and Postgraduate loan repayments\n\nUse your payroll software to record if your employee needs to make student loan repayments - both in your software and on payslips.\n\nYou\u2019ll need to calculate and deduct how much they need to repay based on which plan they\u2019re on. They repay:\n\n- 9% of their income above \u00a319,895 a year for Plan 1\n\n- 9% of their income above \u00a327,295 a year for Plan 2\n\n- 9% of their income above \u00a325,000 a year for Plan 4\n\n- 6% of their income above \u00a321,000 a year for Postgraduate loans\n\n## Pensions\n\nMake pension deductions after you take off National Insurance. You normally make pension deductions before you take off tax - check with your workplace pension provider.\n\nYou\u2019ll also need to pay any employer contributions into your employee\u2019s pension.\n\nA new law means all employers will have to provide and pay into a workplace pension scheme for their employees - this is called \u2018automatic enrolment\u2019.\n\n## Payroll Giving\n\nYour employees can donate to charity directly from their pay before tax is deducted using Payroll Giving.\n\nRegister with a Payroll Giving agency to set up a scheme. They\u2019ll let you know how to make deductions.\n\nAs well as the usual payroll records, you must also keep the agency contract, employee authorisation forms and details of payments to the agency.\n\n## Child maintenance\n\nYou may need to deduct child maintenance directly from a paying parent\u2019s earnings or pension.\n\n## Payslips\n\nYou must give your employees and \u2018workers\u2019 a payslip on or before their payday.\n\n## What to include\n\nPayslips must show:\n\n- pay before any deductions (\u2018gross\u2019 wages)\n\n- deductions like tax and National Insurance\n\n- pay after deductions (\u2018net\u2019 wages)\n\n- the number of hours worked, if the pay varies depending on time worked\n\nPayslips can also include information like your employee\u2019s National Insurance number and tax code, their rate of pay, and the total amount of pay and deductions so far in the tax year.\n\n## Producing payslips\n\nYou may be able to produce payslips using your payroll software, if it has this feature. You can use different software if it does not.\n\nYou can either print payslips to give to your employees, or you can send them electronically.\n\nEmployees have certain rights relating to payslips and what they must include.\n\n## Reporting to HMRC: FPS\n\nUse your payroll software to send a Full Payment Submission (FPS) to tell HM Revenue and Customs (HMRC) about payments to your employees and what deductions you\u2019ve made.\n\nInclude everyone you pay, even if they get less than \u00a3120 a week.\n\n## When to send your FPS\n\nSend the FPS on or before your employees\u2019 payday, even if you pay HMRC quarterly instead of monthly.\n\nYou must enter the usual date that you pay your employees, even if you pay them earlier or later. For example, if you pay your employees early because your usual payday falls on a Bank Holiday, you should still enter your regular payday.\n\n## Early reporting\n\nYou can send an FPS before your regular payday, for example if your payroll staff are going on holiday.\n\nDo not report too early - you\u2019ll need to send a corrected FPS to update HMRC if information changes, for example an employee leaves or changes tax code.\n\nYou cannot send reports for the new tax year before March.\n\n## Late reporting\n\nThere are some exceptions when you can send a late FPS.\n\n## Completing and sending an FPS\n\nYou\u2019ll need to enter your PAYE reference and Accounts Office reference in your software. HMRC will have sent this to you after you registered as an employer.\n\nTo complete and send the FPS, follow your payroll software\u2019s instructions.\n\nHMRC has guidance on what to put in each field on an FPS, including:\n\n- employer information\n\n- employee information - only include employees you\u2019ve paid\n\n- pay and deductions\n\n- National Insurance information\n\nYou can split your FPS into batches if it\u2019s easier for you, for example one for employees and one for directors.\n\nThere are special rules for calculating deductions if your employee has more than one job with you.\n\n## After you\u2019ve sent your FPS\n\nIn the next tax month (which starts on the 6th), you can:\n\n- view your FPS and how much tax and National Insurance you owe in your HMRC online account from the 12th\n\n- claim any reduction on what you\u2019ll owe HMRC (for example statutory pay) by sending an Employer Payment Summary (EPS) by the 19th\n\n- pay HMRC the balance by the 22nd (or the 19th if paying by post)\n\nIf you need to make an extra payment to your employee, send an extra FPS before your next regular report (if your software has this feature).\n\n## If you made a mistake in your FPS\n\nYou should correct any errors in your FPS as soon as you find them.\n\n## Reporting extra information\n\nYou need to report more information on an FPS if:\n\n- it includes a new employee\n\n- an employee leaves\n\n- you start paying someone a workplace pension\n\n- it\u2019s the last report of tax year\n\nYou may also need to report extra information about certain employee changes, for example they take a leave of absence or become a director.\n\nThere are special rules if you\u2019re only reporting National Insurance, for example you\u2019re an overseas employer that does not need to pay UK tax.\n\n## Reporting to HMRC: EPS\n\nUse your payroll software to send an Employer Payment Summary (EPS) as well as a Full Payment Submission (FPS) if you:\n\n- reclaim statutory maternity, paternity, adoption, parental bereavement or shared parental payments - even if you got an advance payment from HM Revenue and Customs (HMRC) to cover them\n\n- claim the Employment Allowance - do this once each tax year\n\n- can reclaim Construction Industry Scheme (CIS) deductions as a limited company\n\n- claim National Insurance contributions holiday for previous tax years\n\n- pay the Apprenticeship Levy if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million\n\nSend an EPS instead of an FPS if you\u2019ve not paid any employees in a tax month.\n\n## EPS deadlines\n\nSend an EPS by the 19th of the following tax month for HMRC to apply any reduction (for example statutory pay) on what you\u2019ll owe from your FPS.\n\nThe tax month starts on the 6th.\n\n## Sending an EPS\n\nTo complete and send the EPS, follow your payroll software\u2019s instructions. HMRC has guidance on what to put in each field on an an EPS.\n\nUse HMRC\u2019s Basic PAYE Tools if your software cannot send EPS reports.\n\n## After you\u2019ve sent your EPS\n\nOnce you\u2019ve sent your EPS, you can:\n\n- view what you\u2019ve claimed and the balance of what you owe on your HMRC online account within 2 days (or by the 14th if you sent the EPS before the 11th)\n\n- pay HMRC by the 22nd (or the 19th if paying by post).\n\n## If you made a mistake in your EPS\n\nYou should correct any errors in your EPS as soon as you find them.\n\n## If you do not pay any employees in a tax month\n\nDo not send an FPS. Send an EPS by the 19th after the tax month you did not pay any employees. The tax month starts on the 6th.\n\nHMRC has guidance on what to put in your EPS if you\u2019ve not paid anyone.\n\nIf you do not send an EPS, HMRC may:\n\n- send you a notice through PAYE Online\n\n- estimate how much you should pay\n\n- give you a penalty\n\n## If you do not pay anyone for a longer period\n\nYou can tell HMRC up to a year in advance that you\u2019ll not pay any employees. To do this, enter dates in the \u2018Period of inactivity\u2019 fields in your EPS.\n\n## Paying HMRC\n\nEvery month you have to pay HM Revenue and Customs (HMRC):\n\n- the tax and National Insurance (and any other deductions) you owe as reported on your Full Payment Submission (FPS) in the previous tax month\n\n- minus the reductions on any Employer Payment Summary (EPS) you sent before the 19th in the current tax month\n\nPay what you owe by the 22nd of the month (or the 19th if paying by post) - you may have to pay a penalty if you do not.\n\nIf you usually pay less than \u00a31,500 per month, you may be able to pay quarterly instead of monthly. Contact the payment helpline to find out.\n\n## Viewing what you owe\n\nView your HMRC online account to see the reports you\u2019ve sent and to find out what you owe.\n\nThere are things you can check if your PAYE bill is not what you expected.\n\n## How to pay\n\nYou can pay your PAYE bill in a number of different ways.\n\n## Interest and penalties\n\nHMRC will usually tell you if they think you\u2019ve paid late - either in a letter or a notice through PAYE Online. You\u2019ll be charged interest daily at the standard rate.\n\nYou may be charged a penalty if you do not pay on time or in full.\n\n## Sending an FPS after payday\n\nIf you send a late Full Payment Submission (FPS) without a valid reason, you may get:\n\n- an online penalty warning message for the first late FPS you send each month\n\n- a penalty for reporting late\n\n## When you can send a late FPS report\n\nIn certain situations you can send a Full Payment Submission (FPS) after you pay your employee.\n\n| Situation | When to report |\n\n| Your employee does not give you a P45 and is either paid less than \u00a3120 a week or has worked with you for less than a week | Within 7 days of paying your employee |\n\n| Your employees\u2019 payday is on a non-banking day, for example weekend or bank holiday | On the next banking day - but enter the regular payment date in the \u2018payment date\u2019 field and select \u2018Late reporting reason\u2019 code G |\n\n| You make an ad hoc payment outside of your regular payroll, for example you\u2019re told after you\u2019ve sent your FPS about a new starter or a missed overtime payment. (Payments made regularly outside your normal payroll run are not ad hoc) | In your next regular FPS or an additional FPS |\n\n| You pay your employee an expense or benefit where you must pay National Insurance, but not Income Tax, through payroll. This depends on the benefit. | Within 14 days of the end of the tax month |\n\n| You cannot calculate or report your employee\u2019s pay in advance because it\u2019s based on their work on the day, for example harvest workers paid based on how much they pick | Within 7 days of paying your employee |\n\n| You make certain non-cash payments to your employee | As soon as possible within 14 days of the end of the tax month, or when you deduct tax and National Insurance (if earlier). For complex situations (for example when exercising share options) contact HMRC |\n\n| You\u2019ve not received your employer PAYE reference yet | As soon as possible after you receive your employer PAYE reference - select \u2018Late reporting reason\u2019 code G |\n\nPut the reason for reporting after payday on your FPS for each late submission. If you do not, or if HMRC disagrees with the reason or you do not send an FPS, they may send you an online penalty warning message and a penalty.\n\n## Viewing late FPS reports in your HMRC online account\n\nIf you send an FPS in the same tax month as you paid your employees, you can view the report in your HMRC online account from the 12th of the next tax month.\n\nThis is different if you send an FPS in the tax month after payday.\n\n| Late FPS sent (in tax month after payday) | HMRC online account updated |\n\n| Between 6th and 11th | By the 14th |\n\n| Between 12th and 19th | Within 2 days |\n\n| On or after the 20th - and you did not send a FPS the previous tax month | Within 2 days |\n\n| On or after the 20th - and you sent a FPS the previous tax month | By the 12th of the next tax month |\n\n## Reporting employee changes\n\nYou need to report more information on a Full Payment Submission (FPS) if:\n\n- it includes a new employee\n\n- an employee leaves\n\n- you start paying someone a workplace pension\n\n- it\u2019s the last report of the tax year\n\n- an employee changes their address\n\nYou may also need to tell HM Revenue and Customs (HMRC) if an employee:\n\n- becomes a director\n\n- reaches State Pension age\n\n- goes to work abroad\n\n- goes on jury service\n\n- dies\n\n- joins or leaves a contracted-out company pension\n\n- turns 16\n\n- is called up as a reservist\n\n- changes gender\n\n## Employee takes a leave of absence\n\nOnce your employee has started their leave of absence, put \u2018Yes\u2019 in the \u2018Irregular payment pattern indicator\u2019 in all FPS reports you send to HMRC until the employee returns.\n\n## Changing paydays\n\nYou can move your payday to a different day or change how often you pay your employees.\n\n## Moving your payday\n\nIf the new payday is in the same tax month or week, treat the first new payment as an extra payment for that period.\n\nYou do not need to do anything special when recording pay if the new payday is in a different tax month or week.\n\nHM Revenue and Customs (HMRC) has guidance on how to calculate National Insurance for your employees after changing paydays.\n\n## Changing how often you pay your employees\n\nYou must contact the employer helpline if you pay employees less often so HMRC do not send you a non-filing notice through PAYE Online.\n\nMost payroll software can automatically manage any changes to how often you pay your employees (for example from monthly to weekly) and work out deductions correctly.\n\n## Using Basic PAYE Tools\n\nThere are some limitations on when you can make these changes if you use HM Revenue and Customs\u2019 (HMRC) Basic PAYE Tools.\n\n## Paying your employees more often\n\nIf you\u2019ve not already paid your employees, use the new earnings period (in the \u2018Pay frequency\u2019 field) in your Full Payment Submission (FPS) when you next pay them.\n\nIf you\u2019ve paid your employees, you can use the new earnings period from the next tax month.\n\n## Paying your employees less often\n\nIf a payment from your old pay period also takes place in your new pay period, calculate and deduct National Insurance on both. Do not deduct more National Insurance than would\u2019ve been due on the combined total of both payments.\n\nIf an employee also joins your contracted-out pension scheme during this period, deduct National Insurance at the contracted-out rate on the total of both payments.\n\nDeduct tax based on the new earnings period the next time you pay your employees.\n\n## Annual payroll scheme for PAYE\n\nIf you pay your employees only once a year, and all in the same tax month, you can register with HMRC as an \u2018annual scheme\u2019.\n\nThis means you send reports and make payments to HMRC annually. If you pay your employees on different days in the same tax month, you need to send an FPS on or before each payday. You do not need to send an Employer Payment Summary (EPS) for the months when you do not pay your employees.\n\nTo register, contact the employer helpline and tell them which month you pay your employees. You\u2019ll need your 13-character Accounts Office reference number - this is on the letter HMRC sent you when you registered as an employer.\n\n## Changing when you pay your employees\n\nIf you change the month you pay your employees, send an FPS in the month that you want the new annual payment month to move to. If it\u2019s later than the month you usually pay your employees, you\u2019ll need to send an EPS for that month to tell HMRC you\u2019re not paying anyone.\n\nIf you send more than one FPS in a year, HMRC will assume you no longer wish to operate as an annual scheme and send you a letter to confirm.", + "original_contents": [ + "

    Overview

    ", + "

    As an employer operating PAYE as part of your payroll, you need to complete certain tasks during each tax month. Tax months run from the 6th of one month to the 5th of the next.

    ", + "

    You must tell HM Revenue and Customs (HMRC) if you\u2019ve not paid any employees in a tax month.

    ", + "

    On or before your employees\u2019 payday

    ", + "

    Every time you pay your employees, use your payroll software to:

    ", + "
  • Record their pay - include their salary or wages and any other pay.
  • ", + "
  • Calculate deductions from their pay, like tax and National Insurance.
  • ", + "
  • Calculate the employer\u2019s National Insurance contribution that you\u2019ll need to pay on their earnings above \u00a3184 a week.
  • ", + "
  • Produce payslips for each employee (you can use different software if yours does not have this feature).
  • ", + "
  • Report their pay and deductions to HMRC in a Full Payment Submission (FPS).
  • ", + "

    If you pay an employee less than \u00a3120 a week, you usually only need to record and report their pay (unless they have another job or receive a pension).

    ", + "

    In the next tax month (starting on the 6th)

    ", + "

    You can view what you owe from your FPS online from the 12th.

    ", + "
  • Claim any reduction on what you\u2019ll owe HMRC (for example statutory pay) by sending an Employer Payment Summary (EPS) by the 19th.
  • ", + "
  • View the balance of what you owe in your HMRC online account, within 2 days (or by the 14th if you sent the EPS before the 11th).
  • ", + "
  • Pay HMRC by the 22nd (or the 19th if paying by post) - you may have to pay a penalty if you do not.
  • ", + "

    If you usually pay less than \u00a31,500 per month, you may be able to pay quarterly instead of monthly. Contact the payment helpline to find out.

    ", + "

    Late reporting

    ", + "

    HMRC will send you a late filing notice if you\u2019ve paid any employees and do not send an FPS or send one late. They can also charge you a penalty, unless you have a valid reason for reporting late.

    ", + "

    Late, missing or incorrect payroll reports can also affect your employees\u2019 income-related benefits, such as Universal Credit.

    ", + "

    HMRC will close your PAYE scheme if you\u2019re a new employer and you do not send a report to or pay HMRC in 120 days.

    ", + "

    Employees' pay

    ", + "

    Record your employees\u2019 salary or wages in your payroll software. Include everyone you pay, even if they get less than \u00a3120 a week.

    ", + "

    Recording other types of pay

    ", + "

    Statutory pay

    ", + "

    You may have to pay your employee:

    ", + "
  • Statutory Sick Pay (SSP)
  • ", + "
  • statutory pay for parents (maternity, paternity, adoption, bereavement or shared parental pay)
  • ", + "

    You must record these in your software - they\u2019re taxed like normal pay.

    ", + "

    You can reclaim statutory pay for parents.

    ", + "

    Expenses and benefits

    ", + "

    Expenses or benefits like uniforms or company cars are reported separately at the end of the tax year. Check the rules to find out what counts as expenses and benefits, and what you should record in your software as normal pay.

    ", + "

    Tips and other pay

    ", + "

    Treat tips to your staff as normal pay if they\u2019re paid into your till - this includes tips added to your customers\u2019 card or cheque payments. The rules are different if tips are given straight to your employees by customers or paid into a tronc.

    ", + "

    Other payments you may give your employee that you should record as normal pay include:

    ", + "
  • bonuses
  • ", + "
  • commission
  • ", + "
  • holiday pay (unless you pay it in advance or use a holiday pay scheme)
  • ", + "
  • payments for time your employee has spent travelling
  • ", + "
  • passenger payments, except the first 5 pence per mile
  • ", + "
  • medical suspension payments, given to an employee you\u2019ve suspended for health reasons
  • ", + "
  • maternity suspension payments, given to an employee you\u2019ve suspended for her, or her baby\u2019s, health
  • ", + "
  • guarantee payments, paid to an employee for a day they do not work (and not paid holiday)
  • ", + "
  • office holders\u2019 payments (honoraria), given to employees for providing a service, for example being your company\u2019s sports-club secretary
  • ", + "
  • payments that can be converted into cash, for example cheques, Savings Certificates or Premium Bonds
  • ", + "
  • inducement payments (\u2018golden hello\u2019 payments)
  • ", + "
  • cash prizes for competitions you run
  • ", + "

    The rules are different for non-cash payments like shares or commodities, cash-in-hand or guarantee payments and employee incentive awards.

    ", + "

    Deductions

    ", + "

    Your payroll software will calculate how much tax and National Insurance to deduct from your employees\u2019 pay. These deductions are worked out using each employee\u2019s tax code and National Insurance category letter.

    ", + "

    You may also need to deduct student loan repayments, pension contributions, Payroll Giving donations and child maintenance payments.

    ", + "

    Student and Postgraduate loan repayments

    ", + "

    Use your payroll software to record if your employee needs to make student loan repayments - both in your software and on payslips.

    ", + "

    You\u2019ll need to calculate and deduct how much they need to repay based on which plan they\u2019re on. They repay:

    ", + "
  • 9% of their income above \u00a319,895 a year for Plan 1
  • ", + "
  • 9% of their income above \u00a327,295 a year for Plan 2
  • ", + "
  • 9% of their income above \u00a325,000 a year for Plan 4
  • ", + "
  • 6% of their income above \u00a321,000 a year for Postgraduate loans
  • ", + "

    Pensions

    ", + "

    Make pension deductions after you take off National Insurance. You normally make pension deductions before you take off tax - check with your workplace pension provider.

    ", + "

    You\u2019ll also need to pay any employer contributions into your employee\u2019s pension.

    ", + "

    A new law means all employers will have to provide and pay into a workplace pension scheme for their employees - this is called \u2018automatic enrolment\u2019.

    ", + "

    Payroll Giving

    ", + "

    Your employees can donate to charity directly from their pay before tax is deducted using Payroll Giving.

    ", + "

    Register with a Payroll Giving agency to set up a scheme. They\u2019ll let you know how to make deductions.

    ", + "

    As well as the usual payroll records, you must also keep the agency contract, employee authorisation forms and details of payments to the agency.

    ", + "

    Child maintenance

    ", + "

    You may need to deduct child maintenance directly from a paying parent\u2019s earnings or pension.

    ", + "

    Payslips

    ", + "

    You must give your employees and \u2018workers\u2019 a payslip on or before their payday.

    ", + "

    What to include

    ", + "

    Payslips must show:

    ", + "
  • pay before any deductions (\u2018gross\u2019 wages)
  • ", + "
  • deductions like tax and National Insurance
  • ", + "
  • pay after deductions (\u2018net\u2019 wages)
  • ", + "
  • the number of hours worked, if the pay varies depending on time worked
  • ", + "

    Payslips can also include information like your employee\u2019s National Insurance number and tax code, their rate of pay, and the total amount of pay and deductions so far in the tax year.

    ", + "

    Producing payslips

    ", + "

    You may be able to produce payslips using your payroll software, if it has this feature. You can use different software if it does not.

    ", + "

    You can either print payslips to give to your employees, or you can send them electronically.

    ", + "

    Employees have certain rights relating to payslips and what they must include.

    ", + "

    Reporting to HMRC: FPS

    ", + "

    Use your payroll software to send a Full Payment Submission (FPS) to tell HM Revenue and Customs (HMRC) about payments to your employees and what deductions you\u2019ve made.

    ", + "

    Include everyone you pay, even if they get less than \u00a3120 a week.

    ", + "

    When to send your FPS

    ", + "

    Send the FPS on or before your employees\u2019 payday, even if you pay HMRC quarterly instead of monthly.

    ", + "

    You must enter the usual date that you pay your employees, even if you pay them earlier or later. For example, if you pay your employees early because your usual payday falls on a Bank Holiday, you should still enter your regular payday.

    ", + "

    Early reporting

    ", + "

    You can send an FPS before your regular payday, for example if your payroll staff are going on holiday.

    ", + "

    Do not report too early - you\u2019ll need to send a corrected FPS to update HMRC if information changes, for example an employee leaves or changes tax code.

    ", + "

    You cannot send reports for the new tax year before March.

    ", + "

    Late reporting

    ", + "

    There are some exceptions when you can send a late FPS.

    ", + "

    Completing and sending an FPS

    ", + "

    You\u2019ll need to enter your PAYE reference and Accounts Office reference in your software. HMRC will have sent this to you after you registered as an employer.

    ", + "

    To complete and send the FPS, follow your payroll software\u2019s instructions.

    ", + "

    HMRC has guidance on what to put in each field on an FPS, including:

    ", + "
  • employer information
  • ", + "
  • employee information - only include employees you\u2019ve paid
  • ", + "
  • pay and deductions
  • ", + "
  • National Insurance information
  • ", + "

    You can split your FPS into batches if it\u2019s easier for you, for example one for employees and one for directors.

    ", + "

    There are special rules for calculating deductions if your employee has more than one job with you.

    ", + "

    After you\u2019ve sent your FPS

    ", + "

    In the next tax month (which starts on the 6th), you can:

    ", + "
  • view your FPS and how much tax and National Insurance you owe in your HMRC online account from the 12th
  • ", + "
  • claim any reduction on what you\u2019ll owe HMRC (for example statutory pay) by sending an Employer Payment Summary (EPS) by the 19th
  • ", + "
  • pay HMRC the balance by the 22nd (or the 19th if paying by post)
  • ", + "

    If you need to make an extra payment to your employee, send an extra FPS before your next regular report (if your software has this feature).

    ", + "

    If you made a mistake in your FPS

    ", + "

    You should correct any errors in your FPS as soon as you find them.

    ", + "

    Reporting extra information

    ", + "

    You need to report more information on an FPS if:

    ", + "
  • it includes a new employee
  • ", + "
  • an employee leaves
  • ", + "
  • you start paying someone a workplace pension
  • ", + "
  • it\u2019s the last report of tax year
  • ", + "

    You may also need to report extra information about certain employee changes, for example they take a leave of absence or become a director.

    ", + "

    There are special rules if you\u2019re only reporting National Insurance, for example you\u2019re an overseas employer that does not need to pay UK tax.

    ", + "

    Reporting to HMRC: EPS

    ", + "

    Use your payroll software to send an Employer Payment Summary (EPS) as well as a Full Payment Submission (FPS) if you:

    ", + "
  • reclaim statutory maternity, paternity, adoption, parental bereavement or shared parental payments - even if you got an advance payment from HM Revenue and Customs (HMRC) to cover them
  • ", + "
  • claim the Employment Allowance - do this once each tax year
  • ", + "
  • can reclaim Construction Industry Scheme (CIS) deductions as a limited company
  • ", + "
  • claim National Insurance contributions holiday for previous tax years
  • ", + "
  • pay the Apprenticeship Levy if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million
  • ", + "

    Send an EPS instead of an FPS if you\u2019ve not paid any employees in a tax month.

    ", + "

    EPS deadlines

    ", + "

    Send an EPS by the 19th of the following tax month for HMRC to apply any reduction (for example statutory pay) on what you\u2019ll owe from your FPS.

    ", + "

    The tax month starts on the 6th.

    ", + "

    Sending an EPS

    ", + "

    To complete and send the EPS, follow your payroll software\u2019s instructions. HMRC has guidance on what to put in each field on an an EPS.

    ", + "

    Use HMRC\u2019s Basic PAYE Tools if your software cannot send EPS reports.

    ", + "

    After you\u2019ve sent your EPS

    ", + "

    Once you\u2019ve sent your EPS, you can:

    ", + "
  • view what you\u2019ve claimed and the balance of what you owe on your HMRC online account within 2 days (or by the 14th if you sent the EPS before the 11th)
  • ", + "
  • pay HMRC by the 22nd (or the 19th if paying by post).
  • ", + "

    If you made a mistake in your EPS

    ", + "

    You should correct any errors in your EPS as soon as you find them.

    ", + "

    If you do not pay any employees in a tax month

    ", + "

    Do not send an FPS. Send an EPS by the 19th after the tax month you did not pay any employees. The tax month starts on the 6th.

    ", + "

    HMRC has guidance on what to put in your EPS if you\u2019ve not paid anyone.

    ", + "

    If you do not send an EPS, HMRC may:

    ", + "
  • send you a notice through PAYE Online
  • ", + "
  • estimate how much you should pay
  • ", + "
  • give you a penalty
  • ", + "

    If you do not pay anyone for a longer period

    ", + "

    You can tell HMRC up to a year in advance that you\u2019ll not pay any employees. To do this, enter dates in the \u2018Period of inactivity\u2019 fields in your EPS.

    ", + "

    Paying HMRC

    ", + "

    Every month you have to pay HM Revenue and Customs (HMRC):

    ", + "
  • the tax and National Insurance (and any other deductions) you owe as reported on your Full Payment Submission (FPS) in the previous tax month
  • ", + "
  • minus the reductions on any Employer Payment Summary (EPS) you sent before the 19th in the current tax month
  • ", + "

    Pay what you owe by the 22nd of the month (or the 19th if paying by post) - you may have to pay a penalty if you do not.

    ", + "

    If you usually pay less than \u00a31,500 per month, you may be able to pay quarterly instead of monthly. Contact the payment helpline to find out.

    ", + "

    Viewing what you owe

    ", + "

    View your HMRC online account to see the reports you\u2019ve sent and to find out what you owe.

    ", + "

    There are things you can check if your PAYE bill is not what you expected.

    ", + "

    How to pay

    ", + "

    You can pay your PAYE bill in a number of different ways.

    ", + "

    Interest and penalties

    ", + "

    HMRC will usually tell you if they think you\u2019ve paid late - either in a letter or a notice through PAYE Online. You\u2019ll be charged interest daily at the standard rate.

    ", + "

    You may be charged a penalty if you do not pay on time or in full.

    ", + "

    Sending an FPS after payday

    ", + "

    If you send a late Full Payment Submission (FPS) without a valid reason, you may get:

    ", + "
  • an online penalty warning message for the first late FPS you send each month
  • ", + "
  • a penalty for reporting late
  • ", + "

    When you can send a late FPS report

    ", + "

    In certain situations you can send a Full Payment Submission (FPS) after you pay your employee.

    ", + "Situation | When to report", + "Your employee does not give you a P45 and is either paid less than \u00a3120 a week or has worked with you for less than a week | Within 7 days of paying your employee", + "Your employees\u2019 payday is on a non-banking day, for example weekend or bank holiday | On the next banking day - but enter the regular payment date in the \u2018payment date\u2019 field and select \u2018Late reporting reason\u2019 code G", + "You make an ad hoc payment outside of your regular payroll, for example you\u2019re told after you\u2019ve sent your FPS about a new starter or a missed overtime payment. (Payments made regularly outside your normal payroll run are not ad hoc) | In your next regular FPS or an additional FPS", + "You pay your employee an expense or benefit where you must pay National Insurance, but not Income Tax, through payroll. This depends on the benefit. | Within 14 days of the end of the tax month", + "You cannot calculate or report your employee\u2019s pay in advance because it\u2019s based on their work on the day, for example harvest workers paid based on how much they pick | Within 7 days of paying your employee", + "You make certain non-cash payments to your employee | As soon as possible within 14 days of the end of the tax month, or when you deduct tax and National Insurance (if earlier). For complex situations (for example when exercising share options) contact HMRC", + "You\u2019ve not received your employer PAYE reference yet | As soon as possible after you receive your employer PAYE reference - select \u2018Late reporting reason\u2019 code G", + "

    Put the reason for reporting after payday on your FPS for each late submission. If you do not, or if HMRC disagrees with the reason or you do not send an FPS, they may send you an online penalty warning message and a penalty.

    ", + "

    Viewing late FPS reports in your HMRC online account

    ", + "

    If you send an FPS in the same tax month as you paid your employees, you can view the report in your HMRC online account from the 12th of the next tax month.

    ", + "

    This is different if you send an FPS in the tax month after payday.

    ", + "Late FPS sent (in tax month after payday) | HMRC online account updated", + "Between 6th and 11th | By the 14th", + "Between 12th and 19th | Within 2 days", + "On or after the 20th - and you did not send a FPS the previous tax month | Within 2 days", + "On or after the 20th - and you sent a FPS the previous tax month | By the 12th of the next tax month", + "

    Reporting employee changes

    ", + "

    You need to report more information on a Full Payment Submission (FPS) if:

    ", + "
  • it includes a new employee
  • ", + "
  • an employee leaves
  • ", + "
  • you start paying someone a workplace pension
  • ", + "
  • it\u2019s the last report of the tax year
  • ", + "
  • an employee changes their address
  • ", + "

    You may also need to tell HM Revenue and Customs (HMRC) if an employee:

    ", + "
  • becomes a director
  • ", + "
  • reaches State Pension age
  • ", + "
  • goes to work abroad
  • ", + "
  • goes on jury service
  • ", + "
  • dies
  • ", + "
  • joins or leaves a contracted-out company pension
  • ", + "
  • turns 16
  • ", + "
  • is called up as a reservist
  • ", + "
  • changes gender
  • ", + "

    Employee takes a leave of absence

    ", + "

    Once your employee has started their leave of absence, put \u2018Yes\u2019 in the \u2018Irregular payment pattern indicator\u2019 in all FPS reports you send to HMRC until the employee returns.

    ", + "

    Changing paydays

    ", + "

    You can move your payday to a different day or change how often you pay your employees.

    ", + "

    Moving your payday

    ", + "

    If the new payday is in the same tax month or week, treat the first new payment as an extra payment for that period.

    ", + "

    You do not need to do anything special when recording pay if the new payday is in a different tax month or week.

    ", + "

    HM Revenue and Customs (HMRC) has guidance on how to calculate National Insurance for your employees after changing paydays.

    ", + "

    Changing how often you pay your employees

    ", + "

    You must contact the employer helpline if you pay employees less often so HMRC do not send you a non-filing notice through PAYE Online.

    ", + "

    Most payroll software can automatically manage any changes to how often you pay your employees (for example from monthly to weekly) and work out deductions correctly.

    ", + "

    Using Basic PAYE Tools

    ", + "

    There are some limitations on when you can make these changes if you use HM Revenue and Customs\u2019 (HMRC) Basic PAYE Tools.

    ", + "

    Paying your employees more often

    ", + "

    If you\u2019ve not already paid your employees, use the new earnings period (in the \u2018Pay frequency\u2019 field) in your Full Payment Submission (FPS) when you next pay them.

    ", + "

    If you\u2019ve paid your employees, you can use the new earnings period from the next tax month.

    ", + "

    Paying your employees less often

    ", + "

    If a payment from your old pay period also takes place in your new pay period, calculate and deduct National Insurance on both. Do not deduct more National Insurance than would\u2019ve been due on the combined total of both payments.

    ", + "

    If an employee also joins your contracted-out pension scheme during this period, deduct National Insurance at the contracted-out rate on the total of both payments.

    ", + "

    Deduct tax based on the new earnings period the next time you pay your employees.

    ", + "

    Annual payroll scheme for PAYE

    ", + "

    If you pay your employees only once a year, and all in the same tax month, you can register with HMRC as an \u2018annual scheme\u2019.

    ", + "

    This means you send reports and make payments to HMRC annually. If you pay your employees on different days in the same tax month, you need to send an FPS on or before each payday. You do not need to send an Employer Payment Summary (EPS) for the months when you do not pay your employees.

    ", + "

    To register, contact the employer helpline and tell them which month you pay your employees. You\u2019ll need your 13-character Accounts Office reference number - this is on the letter HMRC sent you when you registered as an employer.

    ", + "

    Changing when you pay your employees

    ", + "

    If you change the month you pay your employees, send an FPS in the month that you want the new annual payment month to move to. If it\u2019s later than the month you usually pay your employees, you\u2019ll need to send an EPS for that month to tell HMRC you\u2019re not paying anyone.

    ", + "

    If you send more than one FPS in a year, HMRC will assume you no longer wish to operate as an annual scheme and send you a letter to confirm.

    " + ] + }, + "https://www.gov.uk/new-employee": { + "url": "https://www.gov.uk/new-employee", + "title": "Tell HMRC about a new employee", + "content": "## Overview\n\nYou must tell HM Revenue and Customs (HMRC) when you take on a new employee and be registered as an employer.\n\nBefore you pay your new starter follow these steps.\n\n- Check you need to pay them through PAYE.\n\n- Get employee information to work out their tax code - if you do not have their P45, use HMRC\u2019s \u2018starter checklist\u2019 (which replaced the P46).\n\n- Find out if they need to repay a student loan.\n\n- Use these details to set up your new employee in your payroll software.\n\n- Register your employee with HMRC using a Full Payment Submission (FPS).\n\nYou must also follow the same steps as when you start employing staff for the first time, for example checking they can work in the UK.\n\n## Check you need to pay someone through PAYE\n\nYou usually have to pay your employees through PAYE if they earn \u00a3120 or more a week (\u00a3520 a month or \u00a36,240 a year).\n\nYou do not need to pay self-employed workers through PAYE.\n\n## Working out if someone is an employee or self-employed\n\nAs a general rule, someone is:\n\n- employed if they work for you and do not have any of the risks associated with running a business\n\n- self-employed if they run their own business and are responsible for its success or failure\n\nYou must check each worker\u2019s employment status to make sure they\u2019re not self-employed. If you get it wrong you may have to pay extra tax, National Insurance, interest and a penalty.\n\n## Temporary or agency workers\n\nYou need to operate PAYE on temporary workers that you pay directly, as long as they\u2019re classed as an employee.\n\nYou do not need to operate PAYE if a worker is paid by an agency, unless the agency\u2019s based abroad and does not have a trading address or representative in the UK.\n\nThere are special rules for harvest workers or shoot beaters employed for less than 2 weeks.\n\n## Employees you only pay once\n\nYou operate PAYE differently for employees you only pay once.\n\nSet up a payroll record with their full name and address. If you give them a payroll ID, make sure it\u2019s unique.\n\nWhen you send your Full Payment Submission (FPS):\n\n- use tax code \u20180T\u2019 on a \u2018Week 1\u2019 or \u2018Month 1\u2019 basis\n\n- put \u2018IO\u2019 in the \u2018Pay frequency\u2019 field\n\n- do not put a start or leaving date\n\nGive your employee a statement showing their pay before and after deductions, and the payment date, for example a payslip or a letter. Do not give them a P45.\n\n## Volunteers\n\nYou do not need to operate PAYE on volunteers if they only get expenses that are not subject to tax or National Insurance - check if their expenses are affected.\n\n## Students\n\nOperate PAYE on students in the same way as you do for other employees.\n\n## Get employee information\n\nYou need to get certain information from your employee so you can set them up with the correct tax code and starter declaration on your payroll software.\n\nYou\u2019ll usually get most of this information from the employee\u2019s P45, but they\u2019ll have to fill in a \u2018starter checklist\u2019 (which replaced the P46 form) if they do not have a recent P45.\n\nYou\u2019ll need your employee\u2019s:\n\n- date of birth\n\n- gender\n\n- full address\n\n- start date\n\nFrom your employee\u2019s P45, you\u2019ll need their:\n\n- full name\n\n- leaving date from their last job\n\n- total pay and tax paid to date for the current tax year\n\n- student loan deduction status\n\n- National Insurance number\n\n- existing tax code\n\nYou must keep this information in your payroll records for the current year and the 3 following tax years.\n\n## If your employee does not have a P45\n\nAsk your employee for this information if you do not have their P45, or if they left their last job before 6 April 2020.\n\nThe P46 form is no longer used.\n\nGet the information by asking your new employee to complete HMRC\u2019s new starter checklist.\n\n## If your employee has more than one P45\n\nYou should use the P45 with the latest date and give the other one back to the employee.\n\nIf they have the same leaving date use the P45 with the highest tax free allowance (or least additional pay for a K code) and give the other one back to the employee.\n\n## Work out your employee\u2019s tax code\n\nWhen you\u2019ve got your employee\u2019s information you can use a tool to:\n\n- work out their tax code and starter declaration\n\n- find out what else to do before you pay your employee for the first time\n\nWork out your employee\u2019s tax code\n\n## Employees you only pay once and secondments from abroad\n\nThere\u2019s a different way to work out tax codes for employees who you only pay once or who are seconded from abroad.\n\n## Student loan repayments\n\nYou should make student loan deductions if any of the following apply:\n\n- your new employee\u2019s P45 shows that deductions should continue\n\n- your new employee tells you they\u2019re repaying a student loan or a postgraduate loan, for example on a starter checklist\n\n- HM Revenue and Customs (HMRC) sends you form SL1 or form PGL1 and your employee earns over the income threshold for their loan\n\n## What you need to do\n\nYou should follow these steps even if your employee has a P45 from their last job.\n\nAsk your new employee if they have a student loan or a postgraduate loan - they may have both. If they finished their studies after 6 April in the current tax year, they will not start to repay their loan until the next tax year.\n\nRecord their answer in your payroll software. You do not need to calculate their loan recovery repayments - your payroll software will do this for you.\n\nIf your employee has a student loan, ask them to sign in to their repayment account and check which plan to use for deductions. They can contact the Student Loans Company if they\u2019re still not sure.\n\nIf they cannot tell you, use Plan 1 in your payroll software until you get a student loan start notice (SL1).\n\nWhere the employee is on more than one plan, start deductions for the plan with the lowest recovery threshold until you get an SL1. Check the student loan recovery thresholds.\n\nReport these deductions to HMRC when you pay your employee.\n\n## Special rules\n\nIn some cases there are special rules for making student loan deductions. Examples include:\n\n- you\u2019re sent a court order to collect a debt directly from your employee\u2019s earnings\n\n- you change how often you pay your employee, such as from weekly to monthly\n\n- the employee has more than one job with you and you need to aggregate earnings\n\n## Stopping deductions\n\nHMRC will tell you if you need to stop making loan deductions from your employees\u2019 pay. They\u2019ll send you:\n\n- form SL2 for student loans\n\n- form PGL2 for postgraduate loans\n\nDo not stop making deductions if an employee asks you to.\n\n## Registering your new employee\n\nRegister your new employee with HM Revenue and Customs (HMRC) by including their details on a Full Payment Submission (FPS) the first time you pay them.\n\nOn this FPS, include:\n\n- information you\u2019ve collected from them\n\n- the tax code and starter declaration that you\u2019ve worked out\n\n- pay and deductions (for example tax, National Insurance and student loan deductions) since they started working for you - do not include figures from their previous job\n\n## Giving your employee a payroll ID\n\nYou can assign payroll IDs to your employees. The ID must be unique - so use a different one if:\n\n- you re-employ someone - if you do this within the same tax year restart their year-to-date information from \u2018\u00a30.00\u2019\n\n- an employee has more than one job in the same PAYE scheme\n\nIf you re-use a previous payroll ID, you\u2019ll create a duplicate record and report payroll incorrectly.\n\n## Special rules\n\nThere are special rules for making deductions for:\n\n- female employees entitled to reduced National Insurance\n\n- employees you only pay once\n\n- harvest workers and casual beaters\n\n- certain employees with more than one job\n\n## Late P45 or starter checklist\n\nYou may need to update your payroll records if your employee gives you a P45 or starter checklist after you\u2019ve registered them with HM Revenue and Customs (HMRC).\n\nYou only need a starter checklist from your employee to work out their tax code if they do not have a P45, or if they left their last job before 6 April 2020.\n\n## If HMRC has sent you a tax code\n\nUse the tax code that HMRC has sent you if your employee gives you a P45 or starter checklist after you\u2019ve first paid them. Deduct any student loan repayments from the date your employee started with you.\n\n## If HMRC has not sent you a code\n\n## Late P45\n\nUse your employee\u2019s P45 to work out their tax code and update their details in your payroll software.\n\nIf your employee left their last job after 5 April 2021, you should also update both the \u2018Total pay to date\u2019 and \u2018Total tax to date\u2019 fields in your payroll software for the first week you included this information. If your software finds errors, update the fields with the correct figures.\n\n## Late starter checklist\n\nUse your employee\u2019s starter checklist to update the starter declaration in your payroll records.\n\nKeep using the tax code you used in your first Full Payment Submission (FPS) until HMRC sends you a new one.\n\n## When you next pay your employee\n\nDo not enter another start date on the FPS, even if you have not reported a start date before.", + "original_contents": [ + "

    Overview

    ", + "

    You must tell HM Revenue and Customs (HMRC) when you take on a new employee and be registered as an employer.

    ", + "

    Before you pay your new starter follow these steps.

    ", + "
  • Check you need to pay them through PAYE.
  • ", + "
  • Get employee information to work out their tax code - if you do not have their P45, use HMRC\u2019s \u2018starter checklist\u2019 (which replaced the P46).
  • ", + "
  • Find out if they need to repay a student loan.
  • ", + "
  • Use these details to set up your new employee in your payroll software.
  • ", + "
  • Register your employee with HMRC using a Full Payment Submission (FPS).
  • ", + "

    You must also follow the same steps as when you start employing staff for the first time, for example checking they can work in the UK.

    ", + "

    Check you need to pay someone through PAYE

    ", + "

    You usually have to pay your employees through PAYE if they earn \u00a3120 or more a week (\u00a3520 a month or \u00a36,240 a year).

    ", + "

    You do not need to pay self-employed workers through PAYE.

    ", + "

    Working out if someone is an employee or self-employed

    ", + "

    As a general rule, someone is:

    ", + "
  • employed if they work for you and do not have any of the risks associated with running a business
  • ", + "
  • self-employed if they run their own business and are responsible for its success or failure
  • ", + "

    You must check each worker\u2019s employment status to make sure they\u2019re not self-employed. If you get it wrong you may have to pay extra tax, National Insurance, interest and a penalty.

    ", + "

    Temporary or agency workers

    ", + "

    You need to operate PAYE on temporary workers that you pay directly, as long as they\u2019re classed as an employee.

    ", + "

    You do not need to operate PAYE if a worker is paid by an agency, unless the agency\u2019s based abroad and does not have a trading address or representative in the UK.

    ", + "

    There are special rules for harvest workers or shoot beaters employed for less than 2 weeks.

    ", + "

    Employees you only pay once

    ", + "

    You operate PAYE differently for employees you only pay once.

    ", + "

    Set up a payroll record with their full name and address. If you give them a payroll ID, make sure it\u2019s unique.

    ", + "

    When you send your Full Payment Submission (FPS):

    ", + "
  • use tax code \u20180T\u2019 on a \u2018Week 1\u2019 or \u2018Month 1\u2019 basis
  • ", + "
  • put \u2018IO\u2019 in the \u2018Pay frequency\u2019 field
  • ", + "
  • do not put a start or leaving date
  • ", + "

    Give your employee a statement showing their pay before and after deductions, and the payment date, for example a payslip or a letter. Do not give them a P45.

    ", + "

    Volunteers

    ", + "

    You do not need to operate PAYE on volunteers if they only get expenses that are not subject to tax or National Insurance - check if their expenses are affected.

    ", + "

    Students

    ", + "

    Operate PAYE on students in the same way as you do for other employees.

    ", + "

    Get employee information

    ", + "

    You need to get certain information from your employee so you can set them up with the correct tax code and starter declaration on your payroll software.

    ", + "

    You\u2019ll usually get most of this information from the employee\u2019s P45, but they\u2019ll have to fill in a \u2018starter checklist\u2019 (which replaced the P46 form) if they do not have a recent P45.

    ", + "

    You\u2019ll need your employee\u2019s:

    ", + "
  • date of birth
  • ", + "
  • gender
  • ", + "
  • full address
  • ", + "
  • start date
  • ", + "

    From your employee\u2019s P45, you\u2019ll need their:

    ", + "
  • full name
  • ", + "
  • leaving date from their last job
  • ", + "
  • total pay and tax paid to date for the current tax year
  • ", + "
  • student loan deduction status
  • ", + "
  • National Insurance number
  • ", + "
  • existing tax code
  • ", + "

    You must keep this information in your payroll records for the current year and the 3 following tax years.

    ", + "

    If your employee does not have a P45

    ", + "

    Ask your employee for this information if you do not have their P45, or if they left their last job before 6 April 2020.

    ", + "

    The P46 form is no longer used.

    ", + "

    Get the information by asking your new employee to complete HMRC\u2019s new starter checklist.

    ", + "

    If your employee has more than one P45

    ", + "

    You should use the P45 with the latest date and give the other one back to the employee.

    ", + "

    If they have the same leaving date use the P45 with the highest tax free allowance (or least additional pay for a K code) and give the other one back to the employee.

    ", + "

    Work out your employee\u2019s tax code

    ", + "

    When you\u2019ve got your employee\u2019s information you can use a tool to:

    ", + "
  • work out their tax code and starter declaration
  • ", + "
  • find out what else to do before you pay your employee for the first time
  • ", + "

    Work out your employee\u2019s tax code

    ", + "

    Employees you only pay once and secondments from abroad

    ", + "

    There\u2019s a different way to work out tax codes for employees who you only pay once or who are seconded from abroad.

    ", + "

    Student loan repayments

    ", + "

    You should make student loan deductions if any of the following apply:

    ", + "
  • your new employee\u2019s P45 shows that deductions should continue
  • ", + "
  • your new employee tells you they\u2019re repaying a student loan or a postgraduate loan, for example on a starter checklist
  • ", + "
  • HM Revenue and Customs (HMRC) sends you form SL1 or form PGL1 and your employee earns over the income threshold for their loan
  • ", + "

    What you need to do

    ", + "

    You should follow these steps even if your employee has a P45 from their last job.

    ", + "

    Ask your new employee if they have a student loan or a postgraduate loan - they may have both. If they finished their studies after 6 April in the current tax year, they will not start to repay their loan until the next tax year.

    ", + "

    Record their answer in your payroll software. You do not need to calculate their loan recovery repayments - your payroll software will do this for you.

    ", + "

    If your employee has a student loan, ask them to sign in to their repayment account and check which plan to use for deductions. They can contact the Student Loans Company if they\u2019re still not sure.

    ", + "

    If they cannot tell you, use Plan 1 in your payroll software until you get a student loan start notice (SL1).

    ", + "

    Where the employee is on more than one plan, start deductions for the plan with the lowest recovery threshold until you get an SL1. Check the student loan recovery thresholds.

    ", + "

    Report these deductions to HMRC when you pay your employee.

    ", + "

    Special rules

    ", + "

    In some cases there are special rules for making student loan deductions. Examples include:

    ", + "
  • you\u2019re sent a court order to collect a debt directly from your employee\u2019s earnings
  • ", + "
  • you change how often you pay your employee, such as from weekly to monthly
  • ", + "
  • the employee has more than one job with you and you need to aggregate earnings
  • ", + "

    Stopping deductions

    ", + "

    HMRC will tell you if you need to stop making loan deductions from your employees\u2019 pay. They\u2019ll send you:

    ", + "
  • form SL2 for student loans
  • ", + "
  • form PGL2 for postgraduate loans
  • ", + "

    Do not stop making deductions if an employee asks you to.

    ", + "

    Registering your new employee

    ", + "

    Register your new employee with HM Revenue and Customs (HMRC) by including their details on a Full Payment Submission (FPS) the first time you pay them.

    ", + "

    On this FPS, include:

    ", + "
  • information you\u2019ve collected from them
  • ", + "
  • the tax code and starter declaration that you\u2019ve worked out
  • ", + "
  • pay and deductions (for example tax, National Insurance and student loan deductions) since they started working for you - do not include figures from their previous job
  • ", + "

    Giving your employee a payroll ID

    ", + "

    You can assign payroll IDs to your employees. The ID must be unique - so use a different one if:

    ", + "
  • you re-employ someone - if you do this within the same tax year restart their year-to-date information from \u2018\u00a30.00\u2019
  • ", + "
  • an employee has more than one job in the same PAYE scheme
  • ", + "

    If you re-use a previous payroll ID, you\u2019ll create a duplicate record and report payroll incorrectly.

    ", + "

    Special rules

    ", + "

    There are special rules for making deductions for:

    ", + "
  • female employees entitled to reduced National Insurance
  • ", + "
  • employees you only pay once
  • ", + "
  • harvest workers and casual beaters
  • ", + "
  • certain employees with more than one job
  • ", + "

    Late P45 or starter checklist

    ", + "

    You may need to update your payroll records if your employee gives you a P45 or starter checklist after you\u2019ve registered them with HM Revenue and Customs (HMRC).

    ", + "

    You only need a starter checklist from your employee to work out their tax code if they do not have a P45, or if they left their last job before 6 April 2020.

    ", + "

    If HMRC has sent you a tax code

    ", + "

    Use the tax code that HMRC has sent you if your employee gives you a P45 or starter checklist after you\u2019ve first paid them. Deduct any student loan repayments from the date your employee started with you.

    ", + "

    If HMRC has not sent you a code

    ", + "

    Late P45

    ", + "

    Use your employee\u2019s P45 to work out their tax code and update their details in your payroll software.

    ", + "

    If your employee left their last job after 5 April 2021, you should also update both the \u2018Total pay to date\u2019 and \u2018Total tax to date\u2019 fields in your payroll software for the first week you included this information. If your software finds errors, update the fields with the correct figures.

    ", + "

    Late starter checklist

    ", + "

    Use your employee\u2019s starter checklist to update the starter declaration in your payroll records.

    ", + "

    Keep using the tax code you used in your first Full Payment Submission (FPS) until HMRC sends you a new one.

    ", + "

    When you next pay your employee

    ", + "

    Do not enter another start date on the FPS, even if you have not reported a start date before.

    " + ] + }, + "https://www.gov.uk/employee-tax-codes": { + "url": "https://www.gov.uk/employee-tax-codes", + "title": "Understanding your employees' tax codes", + "content": "## Overview\n\nYou put an employee\u2019s tax code into your payroll software to work out how much tax to deduct from their pay throughout the year.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere\u2019s a separate guide on tax codes if you\u2019re an employee.\n\n## What you need to do\n\nWhen you take on a new employee, you normally work out their tax code by using their P45. The code will usually be made up of several numbers and a letter, such as 1257L.\n\nYou usually need to update your employee\u2019s tax code at the start of a new tax year. If the tax code changes during the year, HM Revenue and Customs (HMRC) will email you - you should update your payroll records as soon as possible.\n\n## Tax code 1257L\n\nThe most common tax code for tax year 2021 to 2022 is 1257L. It\u2019s used for most people with one job and no untaxed income, unpaid tax or taxable benefits (for example a company car).\n\n1257L is an emergency tax code only if followed by \u2018W1\u2019, \u2018M1\u2019 or \u2018X\u2019. Emergency codes can be used if a new employee doesn\u2019t have a P45.\n\n## What the numbers mean\n\nThe numbers in an employee\u2019s tax code show how much tax-free income they get in that tax year.\n\nYou usually multiply the number in the tax code by 10 to get the total amount of income they can earn before being taxed.\n\nFor example, an employee with the tax code 1257L can earn \u00a312,570 before being taxed. If they earn \u00a327,000 per year, their taxable income is \u00a314,430.\n\nThe process is different if the employee has the letter \u2018K\u2019 in their tax code.\n\n## What the letters mean\n\nLetters in an employee\u2019s tax code refer to their situation and how it affects their Personal Allowance.\n\n| Code | How tax is deducted | When this code is usually used |\n\n| 0T | From all income - there is no Personal Allowance | When an employee hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| BR | From all income at the basic rate | For a second job or pension |\n\n| C | From income in the Welsh tax bands | For an employee whose main home is in Wales |\n\n| C0T | From all income - there is no Personal Allowance | When an employee whose main home is in Wales hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| CBR | From all income at the basic rate in Wales | For a second job or pension |\n\n| CD0 | From all income at the higher rate in Wales | For a second job or pension |\n\n| CD1 | From all income at the additional rate in Wales | For a second job or pension |\n\n| D0 | From all income at the higher rate | For a second job or pension |\n\n| D1 | From all income at the additional rate | For a second job or pension |\n\n| L | At basic, higher and additional rates depending on the amount of taxable income | For an employee entitled to the standard tax-free Personal Allowance |\n\n| M | At basic, higher and additional rates depending on the amount of taxable income | For an employee whose spouse or civil partner has transferred some of their Personal Allowance |\n\n| N | At basic, higher and additional rates depending on the amount of taxable income | For an employee who has transferred some of their Personal Allowance to their spouse or civil partner |\n\n| NT | No tax is deducted | Very specific cases, for example musicians who are regarded as self-employed and not subject to PAYE |\n\n| S | From income in the Scottish tax bands | For an employee whose main home is in Scotland |\n\n| S0T | From all income - there is no Personal Allowance | When an employee whose main home is in Scotland hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| SBR | From all income at the basic rate in Scotland | For a second job or pension |\n\n| SD0 | From all income at the intermediate rate in Scotland | For a second job or pension |\n\n| SD1 | From all income at the higher rate in Scotland | For a second job or pension |\n\n| SD2 | From all income at the top rate in Scotland | For a second job or pension |\n\n| T | At basic, higher and additional rates depending on the amount of taxable income | When HMRC needs to review some items with the employee |\n\n## If your employee\u2019s tax code has \u2018W1\u2019 or \u2018M1\u2019 at the end\n\nW1 (week 1) and M1 (month 1) are emergency tax codes and appear at the end of an employee\u2019s tax code, for example \u2018577L W1\u2019 or \u2018577L M1\u2019. Calculate your employee\u2019s tax only on what they are paid in the current pay period, not the whole year.\n\n## Tax codes with the letter \u2018K\u2019\n\nThe letter K is used in an employee\u2019s tax code when deductions due for company benefits, state pension or tax owed from previous years are greater than their Personal Allowance.\n\nMultiply the number in their tax code by 10 to show how much should be added to their taxable income before deductions are calculated.\n\nThe tax deduction for each pay period can\u2019t be more than half an employee\u2019s pre-tax pay or pension.\n\n## Changes during the tax year\n\nUsually someone\u2019s tax code changes if their tax-free income (Personal Allowance) goes up or down, for example they start or stop receiving a taxable benefit like a company car.\n\n- HM Revenue and Customs (HMRC) will send you an email alert if one of your employees\u2019 tax codes changes.\n\n- Access the new tax code in PAYE Online (in \u2018tax code notices\u2019), the PAYE Desktop Viewer application, or in your payroll software (if it has this feature). Check if your employee\u2019s previous pay and tax are included with the new tax code. If they are, note these figures.\n\n- As soon as possible, and before you next pay your employee, update their payroll record with their new tax code. Add their previous pay and tax, if you received these figures with the new tax code.\n\nA tax code notice is sometimes called a P6 form.\n\nIf you receive an employee\u2019s new tax code too late to use in the tax year, you should use it in the new tax year.\n\n## Updating for the new tax year\n\nHM Revenue and Customs (HMRC) will tell you between January and March about any new tax codes to use for employees in the new tax year. This starts on 6 April.\n\nIf an employee\u2019s tax code isn\u2019t changing, HMRC won\u2019t contact you and you should carry forward the employee\u2019s tax code to the new tax year.\n\nIf your employee\u2019s tax code ends with \u2018M1\u2019 or \u2018W1\u2019 (\u2018month 1\u2019 or \u2018week 1\u2019), don\u2019t carry this part of the code into the new tax year.", + "original_contents": [ + "

    Overview

    ", + "

    You put an employee\u2019s tax code into your payroll software to work out how much tax to deduct from their pay throughout the year.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    There\u2019s a separate guide on tax codes if you\u2019re an employee.

    ", + "

    What you need to do

    ", + "

    When you take on a new employee, you normally work out their tax code by using their P45. The code will usually be made up of several numbers and a letter, such as 1257L.

    ", + "

    You usually need to update your employee\u2019s tax code at the start of a new tax year. If the tax code changes during the year, HM Revenue and Customs (HMRC) will email you - you should update your payroll records as soon as possible.

    ", + "

    Tax code 1257L

    ", + "

    The most common tax code for tax year 2021 to 2022 is 1257L. It\u2019s used for most people with one job and no untaxed income, unpaid tax or taxable benefits (for example a company car).

    ", + "

    1257L is an emergency tax code only if followed by \u2018W1\u2019, \u2018M1\u2019 or \u2018X\u2019. Emergency codes can be used if a new employee doesn\u2019t have a P45.

    ", + "

    What the numbers mean

    ", + "

    The numbers in an employee\u2019s tax code show how much tax-free income they get in that tax year.

    ", + "

    You usually multiply the number in the tax code by 10 to get the total amount of income they can earn before being taxed.

    ", + "

    For example, an employee with the tax code 1257L can earn \u00a312,570 before being taxed. If they earn \u00a327,000 per year, their taxable income is \u00a314,430.

    ", + "

    The process is different if the employee has the letter \u2018K\u2019 in their tax code.

    ", + "

    What the letters mean

    ", + "

    Letters in an employee\u2019s tax code refer to their situation and how it affects their Personal Allowance.

    ", + "Code | How tax is deducted | When this code is usually used", + "0T | From all income - there is no Personal Allowance | When an employee hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up", + "BR | From all income at the basic rate | For a second job or pension", + "C | From income in the Welsh tax bands | For an employee whose main home is in Wales", + "C0T | From all income - there is no Personal Allowance | When an employee whose main home is in Wales hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up", + "CBR | From all income at the basic rate in Wales | For a second job or pension", + "CD0 | From all income at the higher rate in Wales | For a second job or pension", + "CD1 | From all income at the additional rate in Wales | For a second job or pension", + "D0 | From all income at the higher rate | For a second job or pension", + "D1 | From all income at the additional rate | For a second job or pension", + "L | At basic, higher and additional rates depending on the amount of taxable income | For an employee entitled to the standard tax-free Personal Allowance", + "M | At basic, higher and additional rates depending on the amount of taxable income | For an employee whose spouse or civil partner has transferred some of their Personal Allowance", + "N | At basic, higher and additional rates depending on the amount of taxable income | For an employee who has transferred some of their Personal Allowance to their spouse or civil partner", + "NT | No tax is deducted | Very specific cases, for example musicians who are regarded as self-employed and not subject to PAYE", + "S | From income in the Scottish tax bands | For an employee whose main home is in Scotland", + "S0T | From all income - there is no Personal Allowance | When an employee whose main home is in Scotland hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up", + "SBR | From all income at the basic rate in Scotland | For a second job or pension", + "SD0 | From all income at the intermediate rate in Scotland | For a second job or pension", + "SD1 | From all income at the higher rate in Scotland | For a second job or pension", + "SD2 | From all income at the top rate in Scotland | For a second job or pension", + "T | At basic, higher and additional rates depending on the amount of taxable income | When HMRC needs to review some items with the employee", + "

    If your employee\u2019s tax code has \u2018W1\u2019 or \u2018M1\u2019 at the end

    ", + "

    W1 (week 1) and M1 (month 1) are emergency tax codes and appear at the end of an employee\u2019s tax code, for example \u2018577L W1\u2019 or \u2018577L M1\u2019. Calculate your employee\u2019s tax only on what they are paid in the current pay period, not the whole year.

    ", + "

    Tax codes with the letter \u2018K\u2019

    ", + "

    The letter K is used in an employee\u2019s tax code when deductions due for company benefits, state pension or tax owed from previous years are greater than their Personal Allowance.

    ", + "

    Multiply the number in their tax code by 10 to show how much should be added to their taxable income before deductions are calculated.

    ", + "

    The tax deduction for each pay period can\u2019t be more than half an employee\u2019s pre-tax pay or pension.

    ", + "

    Changes during the tax year

    ", + "

    Usually someone\u2019s tax code changes if their tax-free income (Personal Allowance) goes up or down, for example they start or stop receiving a taxable benefit like a company car.

    ", + "
  • HM Revenue and Customs (HMRC) will send you an email alert if one of your employees\u2019 tax codes changes.
  • ", + "
  • Access the new tax code in PAYE Online (in \u2018tax code notices\u2019), the PAYE Desktop Viewer application, or in your payroll software (if it has this feature). Check if your employee\u2019s previous pay and tax are included with the new tax code. If they are, note these figures.
  • ", + "
  • As soon as possible, and before you next pay your employee, update their payroll record with their new tax code. Add their previous pay and tax, if you received these figures with the new tax code.
  • ", + "

    A tax code notice is sometimes called a P6 form.

    ", + "

    If you receive an employee\u2019s new tax code too late to use in the tax year, you should use it in the new tax year.

    ", + "

    Updating for the new tax year

    ", + "

    HM Revenue and Customs (HMRC) will tell you between January and March about any new tax codes to use for employees in the new tax year. This starts on 6 April.

    ", + "

    If an employee\u2019s tax code isn\u2019t changing, HMRC won\u2019t contact you and you should carry forward the employee\u2019s tax code to the new tax year.

    ", + "

    If your employee\u2019s tax code ends with \u2018M1\u2019 or \u2018W1\u2019 (\u2018month 1\u2019 or \u2018week 1\u2019), don\u2019t carry this part of the code into the new tax year.

    " + ] + }, + "https://www.gov.uk/what-to-do-when-an-employee-dies": { + "url": "https://www.gov.uk/what-to-do-when-an-employee-dies", + "title": "What to do when an employee dies", + "content": "## Reporting a workplace death\n\nYou must report a death in the workplace (except in Northern Ireland) to the:\n\n- police\n\n- Health and Safety Executive (HSE)\n\nReport a workplace death in Northern Ireland to the Health and Safety Executive for Northern Ireland (HSENI).\n\nYou must report any deaths or serious injuries, even if the employee is working off-site at the time.\n\n## Paying an employee who has died\n\nYou must make all outstanding payments when an employee dies.\n\nPut the date they died into the \u2018Date of leaving\u2019 field in your next Full Payment Submission (FPS), and deduct tax using their existing tax code. Use category letter X so that you do not deduct National Insurance. Do not produce a P45.\n\nPayments to a person who has died are usually made to the personal representative or executor of that person\u2019s estate.\n\n## If you make a mistake\n\nIf an employee dies and you did not report it in the right FPS, follow the guidance for when an employee leaves.\n\n## Making a late payment\n\nIf you need to pay someone after you\u2019ve sent an FPS with their \u2018Date of leaving\u2019 (the date they died):\n\n- use tax code 0T on a \u2018week 1\u2019 or \u2018month 1\u2019 basis\n\n- include their \u2018Date of leaving\u2019 and put \u2018Yes\u2019 in the \u2018Payment after leaving indicator\u2019 field in your FPS\n\n- choose \u2018H - Correction to an earlier submission\u2019 in the \u2018Late payment reason\u2019 field\n\n- update the year-to-date figures - or if it\u2019s a new tax year, make sure the year-to-date figures only include the additional payment\n\n## Paying a pensioner who has died\n\nYou must make all outstanding payments when someone receiving your company pension dies.\n\nPut the date they died in the \u2018Date of leaving\u2019 field in your next Full Payment Submission (FPS), and work out their final pension payment.\n\n## Working out tax\n\nUse their existing tax code unless it\u2019s a new tax year by the time you pay them.\n\nIf it\u2019s a new tax year and you have not reported their \u2018Date of leaving\u2019 (the date they died) on an FPS yet, use their new tax code. Otherwise, use tax code 0T on a \u2018week 1\u2019 or \u2018month 1\u2019 basis and put \u2018Yes\u2019 in the \u2018Payment after leaving indicator\u2019 field in your FPS.\n\nPayments to a person who has died are usually made to the personal representative or executor of that person\u2019s estate.\n\n## If you pay someone after their death\n\nIf you\u2019ve made a pension payment to someone after they died (for example because you were told about their death late), you should get the overpayment back from their executor.\n\nPut the pensioner\u2019s \u2018Date of leaving\u2019 (the date they died) on your next FPS, and choose \u2018H - Correction to an earlier submission\u2019 in the \u2018Late reporting reason\u2019 field.\n\nIf you do not know the date they died, put the date of their final pension payment as their \u2018Date of leaving\u2019.\n\nAmend the year-to-date figures if you get the overpayment back.\n\nIf it\u2019s a new tax year by the time you find out a pensioner has died:\n\n- put \u20180.00\u2019 in the year-to-date figures for pay and tax in your FPS\n\n- send either an Earlier Year Update (EYU) or an FPS with the correct year to date figures for the previous year", + "original_contents": [ + "

    Reporting a workplace death

    ", + "

    You must report a death in the workplace (except in Northern Ireland) to the:

    ", + "
  • police
  • ", + "
  • Health and Safety Executive (HSE)
  • ", + "

    Report a workplace death in Northern Ireland to the Health and Safety Executive for Northern Ireland (HSENI).

    ", + "

    You must report any deaths or serious injuries, even if the employee is working off-site at the time.

    ", + "

    Paying an employee who has died

    ", + "

    You must make all outstanding payments when an employee dies.

    ", + "

    Put the date they died into the \u2018Date of leaving\u2019 field in your next Full Payment Submission (FPS), and deduct tax using their existing tax code. Use category letter X so that you do not deduct National Insurance. Do not produce a P45.

    ", + "

    Payments to a person who has died are usually made to the personal representative or executor of that person\u2019s estate.

    ", + "

    If you make a mistake

    ", + "

    If an employee dies and you did not report it in the right FPS, follow the guidance for when an employee leaves.

    ", + "

    Making a late payment

    ", + "

    If you need to pay someone after you\u2019ve sent an FPS with their \u2018Date of leaving\u2019 (the date they died):

    ", + "
  • use tax code 0T on a \u2018week 1\u2019 or \u2018month 1\u2019 basis
  • ", + "
  • include their \u2018Date of leaving\u2019 and put \u2018Yes\u2019 in the \u2018Payment after leaving indicator\u2019 field in your FPS
  • ", + "
  • choose \u2018H - Correction to an earlier submission\u2019 in the \u2018Late payment reason\u2019 field
  • ", + "
  • update the year-to-date figures - or if it\u2019s a new tax year, make sure the year-to-date figures only include the additional payment
  • ", + "

    Paying a pensioner who has died

    ", + "

    You must make all outstanding payments when someone receiving your company pension dies.

    ", + "

    Put the date they died in the \u2018Date of leaving\u2019 field in your next Full Payment Submission (FPS), and work out their final pension payment.

    ", + "

    Working out tax

    ", + "

    Use their existing tax code unless it\u2019s a new tax year by the time you pay them.

    ", + "

    If it\u2019s a new tax year and you have not reported their \u2018Date of leaving\u2019 (the date they died) on an FPS yet, use their new tax code. Otherwise, use tax code 0T on a \u2018week 1\u2019 or \u2018month 1\u2019 basis and put \u2018Yes\u2019 in the \u2018Payment after leaving indicator\u2019 field in your FPS.

    ", + "

    Payments to a person who has died are usually made to the personal representative or executor of that person\u2019s estate.

    ", + "

    If you pay someone after their death

    ", + "

    If you\u2019ve made a pension payment to someone after they died (for example because you were told about their death late), you should get the overpayment back from their executor.

    ", + "

    Put the pensioner\u2019s \u2018Date of leaving\u2019 (the date they died) on your next FPS, and choose \u2018H - Correction to an earlier submission\u2019 in the \u2018Late reporting reason\u2019 field.

    ", + "

    If you do not know the date they died, put the date of their final pension payment as their \u2018Date of leaving\u2019.

    ", + "

    Amend the year-to-date figures if you get the overpayment back.

    ", + "

    If it\u2019s a new tax year by the time you find out a pensioner has died:

    ", + "
  • put \u20180.00\u2019 in the year-to-date figures for pay and tax in your FPS
  • ", + "
  • send either an Earlier Year Update (EYU) or an FPS with the correct year to date figures for the previous year
  • " + ] + }, + "https://www.gov.uk/workplace-pensions-employers": { + "url": "https://www.gov.uk/workplace-pensions-employers", + "title": "Set up and manage a workplace pension scheme", + "content": "## Employers and eligible staff\n\nEmployers have to provide a workplace pension scheme for eligible staff as soon as your first member of staff starts working for you (known as your \u2018duties start date\u2019).\n\n## Check you\u2019re an employer\n\nYou\u2019re usually an employer if you deduct tax and National Insurance contributions from an employee\u2019s wages.\n\nCheck you\u2019re an employer if you\u2019re not sure what your pension responsibilities are, for example you employ a carer or someone to work in your home.\n\n## Who you must enrol\n\nYou must enrol and make an employer\u2019s contribution for all staff who:\n\n- are aged between 22 and the State Pension age\n\n- earn at least \u00a310,000 a year\n\n- normally work in the UK (this includes people who are based in the UK but travel abroad for work)\n\nIf staff become eligible because of a change in their age or earnings, you must put them into your pension scheme and write to them within 6 weeks of the day they meet the criteria.\n\nIf you\u2019re not sure what the state pension age is you can use the State Pension age calculator to find out.\n\nYou do not have to enrol an employee if they give you proof of their lifetime allowance protection.\n\n## How to set up a workplace pension scheme\n\nYou must set up a workplace pension scheme for eligible staff if you do not already offer one.\n\nUse The Pensions Regulator\u2019s tool for employers to find out what you need to do and when you need to do it.\n\nIf you already have a workplace pension scheme that you\u2019d like to use for automatic enrolment, you must ask the provider if it meets the rules.\n\n## How much you must pay\n\nYou must pay at least 3% of your employee\u2019s \u2018qualifying earnings\u2019 into your staff\u2019s pension scheme.\n\nCheck the pension scheme you\u2019re using to find out what counts as \u2018qualifying earnings\u2019.\n\nUnder most schemes, it\u2019s the employee\u2019s total earnings between \u00a36,240 and \u00a350,270 a year before tax. Total earnings include:\n\n- salary or wages\n\n- bonuses and commission\n\n- overtime\n\n- statutory sick pay\n\n- statutory maternity, paternity or adoption pay\n\n## Paying contributions\n\nYou must deduct contributions from your staff\u2019s pay each month. You\u2019ll need to pay these into your staff\u2019s pension scheme by the 22nd day (19th if you pay by cheque) of the next month.\n\nYou must pay your contributions for each employee by the date you\u2019ve agreed with your provider every time you run payroll. You must backdate any missed payments.\n\nYou may be fined if you pay late or do not pay the minimum contribution for each member of staff.\n\n## Manage your workplace pension scheme\n\nWhen you\u2019ve set up a workplace pension scheme, you must:\n\n- check if and when staff should be re-enrolled\n\n- manage requests to join and leave your pension scheme\n\n- keep records about how you\u2019ve met your legal duties\n\n- check if existing staff should be added to your pension scheme, for example when they earn a certain amount\n\n## Re-enrolment and re-declaration\n\nEvery 3 years after your first member of staff starts working for you, you must re-enrol staff into your pension scheme if they:\n\n- left your pension scheme more than 12 months before your re-enrolment date\n\n- are still in your pension scheme but pay below the minimum contributions level\n\nIf staff left your pension scheme 12 months or less before your next re-enrolment date, you can choose to re-enrol them on that date or wait until the next re-enrolment date in three years, if they\u2019re still eligible.\n\nYou must write to eligible staff within 6 weeks after your re-enrolment date to tell them you have put them back into your pension scheme.\n\nUse The Pensions Regulator\u2019s tool to find out your dates for re-enrolment.\n\nYou must complete a re-declaration of compliance every time you carry out your re-enrolment duties, even if staff were not re-enrolled.\n\nIf you do not complete the re-declaration on time you could be fined.\n\n## Requests to join or leave your pension scheme\n\nAll staff can request to join your pension scheme if they want to. You must check they are eligible and put them into the scheme within 1 month of getting their request.\n\nStaff can leave your pension scheme whenever they want. You must take them out of the scheme within one month of getting their request.\n\nIf staff ask to leave your pension scheme within 1 month of joining (known as the \u2018opt-out window\u2019), you will have to refund their contributions within 1 month. If they ask to leave after the opt-out window, their contributions will be kept in their pension until they retire.\n\n## Keep records\n\nYou must keep records of how you\u2019ve met your legal duties for maintaining your pension scheme, including:\n\n- the names and addresses of staff enrolled\n\n- when contributions are paid in\n\n- all requests to join or leave your pension scheme\n\n- your pension scheme reference or registry number (PSR)\n\nYou must keep these records for 6 years except for requests to leave your pension scheme which must be kept for 4 years. You must also keep track of the ages and earnings of staff so you can enrol them when they become eligible.", + "original_contents": [ + "

    Employers and eligible staff

    ", + "

    Employers have to provide a workplace pension scheme for eligible staff as soon as your first member of staff starts working for you (known as your \u2018duties start date\u2019).

    ", + "

    Check you\u2019re an employer

    ", + "

    You\u2019re usually an employer if you deduct tax and National Insurance contributions from an employee\u2019s wages.

    ", + "

    Check you\u2019re an employer if you\u2019re not sure what your pension responsibilities are, for example you employ a carer or someone to work in your home.

    ", + "

    Who you must enrol

    ", + "

    You must enrol and make an employer\u2019s contribution for all staff who:

    ", + "
  • are aged between 22 and the State Pension age
  • ", + "
  • earn at least \u00a310,000 a year
  • ", + "
  • normally work in the UK (this includes people who are based in the UK but travel abroad for work)
  • ", + "

    If staff become eligible because of a change in their age or earnings, you must put them into your pension scheme and write to them within 6 weeks of the day they meet the criteria.

    ", + "

    If you\u2019re not sure what the state pension age is you can use the State Pension age calculator to find out.

    ", + "

    You do not have to enrol an employee if they give you proof of their lifetime allowance protection.

    ", + "

    How to set up a workplace pension scheme

    ", + "

    You must set up a workplace pension scheme for eligible staff if you do not already offer one.

    ", + "

    Use The Pensions Regulator\u2019s tool for employers to find out what you need to do and when you need to do it.

    ", + "

    If you already have a workplace pension scheme that you\u2019d like to use for automatic enrolment, you must ask the provider if it meets the rules.

    ", + "

    How much you must pay

    ", + "

    You must pay at least 3% of your employee\u2019s \u2018qualifying earnings\u2019 into your staff\u2019s pension scheme.

    ", + "

    Check the pension scheme you\u2019re using to find out what counts as \u2018qualifying earnings\u2019.

    ", + "

    Under most schemes, it\u2019s the employee\u2019s total earnings between \u00a36,240 and \u00a350,270 a year before tax. Total earnings include:

    ", + "
  • salary or wages
  • ", + "
  • bonuses and commission
  • ", + "
  • overtime
  • ", + "
  • statutory sick pay
  • ", + "
  • statutory maternity, paternity or adoption pay
  • ", + "

    Paying contributions

    ", + "

    You must deduct contributions from your staff\u2019s pay each month. You\u2019ll need to pay these into your staff\u2019s pension scheme by the 22nd day (19th if you pay by cheque) of the next month.

    ", + "

    You must pay your contributions for each employee by the date you\u2019ve agreed with your provider every time you run payroll. You must backdate any missed payments.

    ", + "

    You may be fined if you pay late or do not pay the minimum contribution for each member of staff.

    ", + "

    Manage your workplace pension scheme

    ", + "

    When you\u2019ve set up a workplace pension scheme, you must:

    ", + "
  • check if and when staff should be re-enrolled
  • ", + "
  • manage requests to join and leave your pension scheme
  • ", + "
  • keep records about how you\u2019ve met your legal duties
  • ", + "
  • check if existing staff should be added to your pension scheme, for example when they earn a certain amount
  • ", + "

    Re-enrolment and re-declaration

    ", + "

    Every 3 years after your first member of staff starts working for you, you must re-enrol staff into your pension scheme if they:

    ", + "
  • left your pension scheme more than 12 months before your re-enrolment date
  • ", + "
  • are still in your pension scheme but pay below the minimum contributions level
  • ", + "

    If staff left your pension scheme 12 months or less before your next re-enrolment date, you can choose to re-enrol them on that date or wait until the next re-enrolment date in three years, if they\u2019re still eligible.

    ", + "

    You must write to eligible staff within 6 weeks after your re-enrolment date to tell them you have put them back into your pension scheme.

    ", + "

    Use The Pensions Regulator\u2019s tool to find out your dates for re-enrolment.

    ", + "

    You must complete a re-declaration of compliance every time you carry out your re-enrolment duties, even if staff were not re-enrolled.

    ", + "

    If you do not complete the re-declaration on time you could be fined.

    ", + "

    Requests to join or leave your pension scheme

    ", + "

    All staff can request to join your pension scheme if they want to. You must check they are eligible and put them into the scheme within 1 month of getting their request.

    ", + "

    Staff can leave your pension scheme whenever they want. You must take them out of the scheme within one month of getting their request.

    ", + "

    If staff ask to leave your pension scheme within 1 month of joining (known as the \u2018opt-out window\u2019), you will have to refund their contributions within 1 month. If they ask to leave after the opt-out window, their contributions will be kept in their pension until they retire.

    ", + "

    Keep records

    ", + "

    You must keep records of how you\u2019ve met your legal duties for maintaining your pension scheme, including:

    ", + "
  • the names and addresses of staff enrolled
  • ", + "
  • when contributions are paid in
  • ", + "
  • all requests to join or leave your pension scheme
  • ", + "
  • your pension scheme reference or registry number (PSR)
  • ", + "

    You must keep these records for 6 years except for requests to leave your pension scheme which must be kept for 4 years. You must also keep track of the ages and earnings of staff so you can enrol them when they become eligible.

    " + ] + }, + "https://www.gov.uk/dbs-check-applicant-criminal-record": { + "url": "https://www.gov.uk/dbs-check-applicant-criminal-record", + "title": "Check someone's criminal record as an employer", + "content": "## Checks you can make on someone's record\n\nEmployers can check the criminal record of someone applying for a role. This is known as getting a Disclosure and Barring Service (DBS) check.\n\nYou can request a more detailed check for certain roles, for example in healthcare or childcare.\n\nThere are different rules for getting a criminal record check in Scotland and Northern Ireland.\n\n## Types of check\n\nYou can request:\n\n- a basic check, which shows unspent convictions and conditional cautions\n\n- a standard check, which shows spent and unspent convictions, cautions, reprimands and final warnings\n\n- an enhanced check, which shows the same as a standard check plus any information held by local police that\u2019s considered relevant to the role\n\n- an enhanced check with barred lists, which shows the same as an enhanced check plus whether the applicant is on the list of people barred from doing the role\n\nIf you carry out criminal records checks, you must have a policy on employing ex-offenders and show it to any applicant who asks for it.\n\n## Checking your own criminal record\n\nYou can only request a basic check for yourself.\n\nIf you\u2019re self-employed, an organisation you\u2019re working with can get a standard, enhanced or enhanced with barred lists check for you, where the role is eligible.\n\nChildminders can get a check through Ofsted.\n\n## When to repeat a check\n\nA DBS check has no official expiry date. Any information included will be accurate at the time the check was carried out. It\u2019s up to you to decide when a new check is needed.\n\nIf the applicant has signed up for the DBS update service you can check whether their certificate is up to date online.\n\n## Certificates for previous roles\n\nYou can accept a certificate that was requested for a previous role but you must:\n\n- check the applicant\u2019s identity matches the details on the certificate\n\n- check the certificate is the right level and type for the role applied for\n\n- check to see if anything has changed if the applicant is signed up for the update service\n\n## Checks on someone who lived abroad\n\nDBS checks will not cover the time someone lived outside the UK.\n\nCheck the rules in the country they lived in.\n\n## Contact DBS\n\nContact DBS if you\u2019re not sure whether you can request a check.\n\n## Get a basic DBS check for an employee\n\nYou can request a Disclosure and Barring Service (DBS) check on behalf of an employee.\n\nThere\u2019s a different process to request your own basic DBS check.\n\n## How to do a check\n\nYou\u2019ll need to choose a company from the list of \u2018responsible organisations\u2019 registered with DBS to process checks. They will carry out the check and tell you the outcome once it\u2019s complete.\n\nThe applicant will receive their certificate by post. They can also set up a DBS online account to view the certificate online.\n\n## How much it costs\n\nA basic check costs \u00a323. The responsible organisation may also charge an administration fee.\n\nIf you do more than 1,000 basic checks each year, you can become a responsible organisation. Contact DBS to find out what\u2019s involved.\n\n## How long it takes\n\nA basic check takes up to 14 days.\n\nIf you\u2019re registered with DBS you can use the tracking service to track multiple applications.\n\n## Get a standard or enhanced DBS check for an employee\n\nHow you request a standard or enhanced check depends on how many checks you do a year.\n\nIf you do:\n\n- fewer than 100 checks a year you must use a company known as an \u2018umbrella body\u2019\n\n- 100 or more checks a year you can choose to register with DBS or use an umbrella body\n\n## How to do a check\n\n- Ask DBS or your umbrella body for an application form.\n\n- Give the form to the applicant to fill in.\n\n- The applicant will return the completed form to you along with documents proving their identity.\n\n- Send the completed application form to DBS or your umbrella body.\n\n- DBS will send a certificate to the applicant. You must ask the applicant to show you the certificate so you can check it\u2019s genuine.\n\n## How much it costs\n\nHow much it costs depends on the type of check.\n\n| Type of check | Cost |\n\n| Standard | \u00a323 |\n\n| Enhanced | \u00a340 |\n\n| Enhanced with barred lists | \u00a340 |\n\nChecks are free for volunteers.\n\n## How long it takes\n\nIt usually takes around 8 weeks but it can take longer if:\n\n- the details given for the check are incorrect\n\n- several police forces need to be involved in the check\n\nYou cannot pay more to get a faster check.\n\nIf you\u2019re registered with DBS you can use the tracking service to track multiple applications.\n\n## Checks on carers\n\nIf you provide care services for adults (for example in a care home), you can use a service called DBS Adult First.\n\nThis will confirm, usually within 2 days, if the applicant:\n\n- can start work, as long as they\u2019re supervised\n\n- should wait for the results of an enhanced check\n\nThe service costs an extra \u00a36.", + "original_contents": [ + "

    Checks you can make on someone's record

    ", + "

    Employers can check the criminal record of someone applying for a role. This is known as getting a Disclosure and Barring Service (DBS) check.

    ", + "

    You can request a more detailed check for certain roles, for example in healthcare or childcare.

    ", + "

    There are different rules for getting a criminal record check in Scotland and Northern Ireland.

    ", + "

    Types of check

    ", + "

    You can request:

    ", + "
  • a basic check, which shows unspent convictions and conditional cautions
  • ", + "
  • a standard check, which shows spent and unspent convictions, cautions, reprimands and final warnings
  • ", + "
  • an enhanced check, which shows the same as a standard check plus any information held by local police that\u2019s considered relevant to the role
  • ", + "
  • an enhanced check with barred lists, which shows the same as an enhanced check plus whether the applicant is on the list of people barred from doing the role
  • ", + "

    If you carry out criminal records checks, you must have a policy on employing ex-offenders and show it to any applicant who asks for it.

    ", + "

    Checking your own criminal record

    ", + "

    You can only request a basic check for yourself.

    ", + "

    If you\u2019re self-employed, an organisation you\u2019re working with can get a standard, enhanced or enhanced with barred lists check for you, where the role is eligible.

    ", + "

    Childminders can get a check through Ofsted.

    ", + "

    When to repeat a check

    ", + "

    A DBS check has no official expiry date. Any information included will be accurate at the time the check was carried out. It\u2019s up to you to decide when a new check is needed.

    ", + "

    If the applicant has signed up for the DBS update service you can check whether their certificate is up to date online.

    ", + "

    Certificates for previous roles

    ", + "

    You can accept a certificate that was requested for a previous role but you must:

    ", + "
  • check the applicant\u2019s identity matches the details on the certificate
  • ", + "
  • check the certificate is the right level and type for the role applied for
  • ", + "
  • check to see if anything has changed if the applicant is signed up for the update service
  • ", + "

    Checks on someone who lived abroad

    ", + "

    DBS checks will not cover the time someone lived outside the UK.

    ", + "

    Check the rules in the country they lived in.

    ", + "

    Contact DBS

    ", + "

    Contact DBS if you\u2019re not sure whether you can request a check.

    ", + "

    Get a basic DBS check for an employee

    ", + "

    You can request a Disclosure and Barring Service (DBS) check on behalf of an employee.

    ", + "

    There\u2019s a different process to request your own basic DBS check.

    ", + "

    How to do a check

    ", + "

    You\u2019ll need to choose a company from the list of \u2018responsible organisations\u2019 registered with DBS to process checks. They will carry out the check and tell you the outcome once it\u2019s complete.

    ", + "

    The applicant will receive their certificate by post. They can also set up a DBS online account to view the certificate online.

    ", + "

    How much it costs

    ", + "

    A basic check costs \u00a323. The responsible organisation may also charge an administration fee.

    ", + "

    If you do more than 1,000 basic checks each year, you can become a responsible organisation. Contact DBS to find out what\u2019s involved.

    ", + "

    How long it takes

    ", + "

    A basic check takes up to 14 days.

    ", + "

    If you\u2019re registered with DBS you can use the tracking service to track multiple applications.

    ", + "

    Get a standard or enhanced DBS check for an employee

    ", + "

    How you request a standard or enhanced check depends on how many checks you do a year.

    ", + "

    If you do:

    ", + "
  • fewer than 100 checks a year you must use a company known as an \u2018umbrella body\u2019
  • ", + "
  • 100 or more checks a year you can choose to register with DBS or use an umbrella body
  • ", + "

    How to do a check

    ", + "
  • Ask DBS or your umbrella body for an application form.
  • ", + "
  • Give the form to the applicant to fill in.
  • ", + "
  • The applicant will return the completed form to you along with documents proving their identity.
  • ", + "
  • Send the completed application form to DBS or your umbrella body.
  • ", + "
  • DBS will send a certificate to the applicant. You must ask the applicant to show you the certificate so you can check it\u2019s genuine.
  • ", + "

    How much it costs

    ", + "

    How much it costs depends on the type of check.

    ", + "Type of check | Cost", + "Standard | \u00a323", + "Enhanced | \u00a340", + "Enhanced with barred lists | \u00a340", + "

    Checks are free for volunteers.

    ", + "

    How long it takes

    ", + "

    It usually takes around 8 weeks but it can take longer if:

    ", + "
  • the details given for the check are incorrect
  • ", + "
  • several police forces need to be involved in the check
  • ", + "

    You cannot pay more to get a faster check.

    ", + "

    If you\u2019re registered with DBS you can use the tracking service to track multiple applications.

    ", + "

    Checks on carers

    ", + "

    If you provide care services for adults (for example in a care home), you can use a service called DBS Adult First.

    ", + "

    This will confirm, usually within 2 days, if the applicant:

    ", + "
  • can start work, as long as they\u2019re supervised
  • ", + "
  • should wait for the results of an enhanced check
  • ", + "

    The service costs an extra \u00a36.

    " + ] + }, + "https://www.gov.uk/jobcentre-plus-help-for-recruiters": { + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "title": "Jobcentre Plus help for recruiters", + "content": "## Overview\n\nJobcentre Plus has a range of recruitment services that can help you as an employer. You could get:\n\n- recruitment advice, including specialist support for businesses\n\n- help setting up work trials to give you the opportunity to try out potential recruits\n\n- advice about offering work experience and apprenticeships\n\n- support from other employment schemes including sector-based training and recruitment, and business mentoring\n\n- support if you employ someone with a disability\u00a0(Access to Work)\n\n- advice and guidance on employing someone with a disability or health condition\n\nYou can also advertise a job with the \u2018Find a job\u2019 service (previously Universal Jobmatch).\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Recruitment advice and support\n\nContact the Employer Services Line for advice about recruiting for your business.\n\nIt can put you in touch with local \u2018employer advisors\u2019 if you need specific and practical advice. Employer advisors understand the local labour market and can help you:\n\n- design and word job vacancies\n\n- develop pre-employment training (specific to a job)\n\n- recruit in new and fair ways (such as offering flexible working patterns)\n\n- access Jobcentre Plus office facilities for recruitment (where available)\n\n- give your existing employees the chance to mentor people who want to work\n\n- get advice and support if you need to make redundancies\n\nThe Employer Services Line can also give general advice about recruitment.\n\n## Work trials\n\nA work trial is a short period in work you can offer to a jobseeker on benefits. It\u2019s a way for you both to see if the job is a good fit.\n\nIt happens after you\u2019ve interviewed them for a specific role. If they\u2019re not suitable for it, you do not need to offer it to them.\n\nJobseekers volunteer for a work trial. They keep getting their benefits whilst they\u2019re on it and are not paid a wage.\n\n## Eligibility\n\nThe work trial must:\n\n- only be used as a way for you and the potential employee to decide if they\u2019re right for the role\n\n- be for a job where the jobseeker is the only person you\u2019re considering hiring\n\n- be for a job which is at least 16 hours a week for at least 13 weeks\n\nYou need to agree the length of the work trial with the jobseeker before it starts. It must:\n\n- end when you\u2019re sure about whether the jobseeker is suitable for the role\n\n- last no more than 5 days if the job is for less than 6 months\n\n- last no more than 30 days (and usually around 5 days) for jobs lasting 6 months or more\n\nThe work trial can be longer than 30 days if the jobseeker needs more time to adjust to being back at work. This needs to be agreed before the work trial starts.\n\nJobcentre Plus will check that the employee has volunteered for the trial and that it meets the eligibility criteria.\n\n## How to carry out a work trial\n\nYou need to agree a work trial with Jobcentre Plus before you offer it to a jobseeker.\n\nCall the Employer Services Line to find out more.\n\n## Work experience and apprenticeships\n\n## Work experience\n\nWork experience is available to:\n\n- all 18 to 24 year olds\n\n- people aged 25 and over who do not have any recent work history\n\nIf you offer a young person work experience you\u2019ll be helping to give them a better chance of finding work.\n\nRead the work experience guidance for employers to find out what\u2019s expected of you.\n\nCall the Employer Services Line if you want help to become a work experience host.\n\n## Apprenticeships\n\nThese are organised through the National Apprenticeship Service and often follow a period of work experience. They combine practical training with study.\n\nIf you take on an apprentice, you can get funding to train them. You might also be able to get an apprenticeship grant if you run a small or medium-sized business.\n\nApprenticeships are different in Scotland, Wales and Northern Ireland.\n\n## Other employment schemes\n\nJobcentre Plus employment schemes can help you to recruit people as well as creating opportunities for people looking for work.\n\n## New Enterprise Allowance\n\nThis provides Jobcentre Plus claimants with mentoring and financial support to help start their own business. You can contact the provider in your area if you want to become a mentor.\n\n## Sector-based work academy programme\n\nThe sector-based work academy programme provides training, work experience and a guaranteed job interview. It can help you fill your vacancies more effectively.\n\nThe sector-based work academy programme is only available in England and Scotland.", + "original_contents": [ + "

    Overview

    ", + "

    Jobcentre Plus has a range of recruitment services that can help you as an employer. You could get:

    ", + "
  • recruitment advice, including specialist support for businesses
  • ", + "
  • help setting up work trials to give you the opportunity to try out potential recruits
  • ", + "
  • advice about offering work experience and apprenticeships
  • ", + "
  • support from other employment schemes including sector-based training and recruitment, and business mentoring
  • ", + "
  • support if you employ someone with a disability\u00a0(Access to Work)
  • ", + "
  • advice and guidance on employing someone with a disability or health condition
  • ", + "

    You can also advertise a job with the \u2018Find a job\u2019 service (previously Universal Jobmatch).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Recruitment advice and support

    ", + "

    Contact the Employer Services Line for advice about recruiting for your business.

    ", + "

    It can put you in touch with local \u2018employer advisors\u2019 if you need specific and practical advice. Employer advisors understand the local labour market and can help you:

    ", + "
  • design and word job vacancies
  • ", + "
  • develop pre-employment training (specific to a job)
  • ", + "
  • recruit in new and fair ways (such as offering flexible working patterns)
  • ", + "
  • access Jobcentre Plus office facilities for recruitment (where available)
  • ", + "
  • give your existing employees the chance to mentor people who want to work
  • ", + "
  • get advice and support if you need to make redundancies
  • ", + "

    The Employer Services Line can also give general advice about recruitment.

    ", + "

    Work trials

    ", + "

    A work trial is a short period in work you can offer to a jobseeker on benefits. It\u2019s a way for you both to see if the job is a good fit.

    ", + "

    It happens after you\u2019ve interviewed them for a specific role. If they\u2019re not suitable for it, you do not need to offer it to them.

    ", + "

    Jobseekers volunteer for a work trial. They keep getting their benefits whilst they\u2019re on it and are not paid a wage.

    ", + "

    Eligibility

    ", + "

    The work trial must:

    ", + "
  • only be used as a way for you and the potential employee to decide if they\u2019re right for the role
  • ", + "
  • be for a job where the jobseeker is the only person you\u2019re considering hiring
  • ", + "
  • be for a job which is at least 16 hours a week for at least 13 weeks
  • ", + "

    You need to agree the length of the work trial with the jobseeker before it starts. It must:

    ", + "
  • end when you\u2019re sure about whether the jobseeker is suitable for the role
  • ", + "
  • last no more than 5 days if the job is for less than 6 months
  • ", + "
  • last no more than 30 days (and usually around 5 days) for jobs lasting 6 months or more
  • ", + "

    The work trial can be longer than 30 days if the jobseeker needs more time to adjust to being back at work. This needs to be agreed before the work trial starts.

    ", + "

    Jobcentre Plus will check that the employee has volunteered for the trial and that it meets the eligibility criteria.

    ", + "

    How to carry out a work trial

    ", + "

    You need to agree a work trial with Jobcentre Plus before you offer it to a jobseeker.

    ", + "

    Call the Employer Services Line to find out more.

    ", + "

    Work experience and apprenticeships

    ", + "

    Work experience

    ", + "

    Work experience is available to:

    ", + "
  • all 18 to 24 year olds
  • ", + "
  • people aged 25 and over who do not have any recent work history
  • ", + "

    If you offer a young person work experience you\u2019ll be helping to give them a better chance of finding work.

    ", + "

    Read the work experience guidance for employers to find out what\u2019s expected of you.

    ", + "

    Call the Employer Services Line if you want help to become a work experience host.

    ", + "

    Apprenticeships

    ", + "

    These are organised through the National Apprenticeship Service and often follow a period of work experience. They combine practical training with study.

    ", + "

    If you take on an apprentice, you can get funding to train them. You might also be able to get an apprenticeship grant if you run a small or medium-sized business.

    ", + "

    Apprenticeships are different in Scotland, Wales and Northern Ireland.

    ", + "

    Other employment schemes

    ", + "

    Jobcentre Plus employment schemes can help you to recruit people as well as creating opportunities for people looking for work.

    ", + "

    New Enterprise Allowance

    ", + "

    This provides Jobcentre Plus claimants with mentoring and financial support to help start their own business. You can contact the provider in your area if you want to become a mentor.

    ", + "

    Sector-based work academy programme

    ", + "

    The sector-based work academy programme provides training, work experience and a guaranteed job interview. It can help you fill your vacancies more effectively.

    ", + "

    The sector-based work academy programme is only available in England and Scotland.

    " + ] + }, + "https://www.gov.uk/national-minimum-wage": { + "url": "https://www.gov.uk/national-minimum-wage", + "title": "The National Minimum Wage and Living Wage", + "content": "## Overview\n\nThe minimum wage a worker should get depends on their age and if they\u2019re an apprentice.\n\nThe National Minimum Wage is the minimum pay per hour almost all workers are entitled to. The National Living Wage is higher than the National Minimum Wage - workers get it if they\u2019re over 23.\n\nIt does not matter how small an employer is, they still have to pay the correct minimum wage.\n\n## Calculate the minimum wage\n\nUse the minimum wage calculators to check if the correct minimum wage has been paid.\n\nThere are separate calculators for workers and employers.\n\nUse the calculator for workers to check if you\u2019re getting the correct minimum wage or if an employer owes you payment from the previous year.\n\nUse the calculator for employers to check if you\u2019re paying the correct minimum wage or if you owe a payment from the previous year.\n\nThere is also guidance on working out the minimum wage for different types of work.\n\nCall the Acas helpline or visit the Acas Helpline Online for advice about the National Minimum Wage or National Living Wage.\n\n## Who gets the minimum wage\n\nPeople classed as \u2018workers\u2019 must be at least school leaving age to get the National Minimum Wage. They must be 23 or over to get the National Living Wage.\n\nContracts for payments below the minimum wage are not legally binding. The worker is still entitled to the National Minimum Wage or National Living Wage.\n\nWorkers are also entitled to the correct minimum wage if they\u2019re:\n\n- part-time\n\n- casual labourers, for example someone hired for one day\n\n- agency workers\n\n- workers and homeworkers paid by the number of items they make\n\n- apprentices\n\n- trainees, workers on probation\n\n- disabled workers\n\n- agricultural workers\n\n- foreign workers\n\n- seafarers\n\n- offshore workers\n\n## Apprentices\n\nApprentices are entitled to the apprentice rate if they\u2019re either:\n\n- under 19\n\n- 19 or over and in the first year of their apprenticeship\n\nApprentices over 19 who have completed the first year of their apprenticeship are entitled to the correct minimum wage for their age.\n\n## Not entitled to the minimum wage\n\nThe following types of workers are not entitled to the National Minimum Wage or National Living Wage:\n\n- self-employed people running their own business\n\n- company directors\n\n- people who are volunteers or voluntary workers\n\n- workers on a government employment programme, such as the Work Programme\n\n- members of the armed forces\n\n- family members of the employer living in the employer\u2019s home\n\n- non-family members living in the employer\u2019s home who share in the work and leisure activities, are treated as one of the family and are not charged for meals or accommodation, for example au pairs\n\n- workers younger than school leaving age (usually 16)\n\n- higher and further education students on work experience or a work placement up to one year\n\n- people shadowing others at work\n\n- workers on government pre-apprenticeships schemes\n\n- people on the following European Union (EU) programmes: Leonardo da Vinci, Erasmus+, Comenius\n\n- people working on a Jobcentre Plus Work trial for up to 6 weeks\n\n- share fishermen\n\n- prisoners\n\n- people living and working in a religious community\n\nEmployers who offer internships (sometimes called \u2018work placements\u2019 or \u2018work experience\u2019) should check if the person is entitled to the minimum wage.\n\n## Voluntary work\n\nYou\u2019re classed as doing voluntary work if you can only get certain limited benefits (for example reasonable travel or lunch expenses) and you\u2019re working for a:\n\n- charity\n\n- voluntary organisation or associated fundraising body\n\n- statutory body\n\nContact the Acas helpline to find out if you should be getting the minimum wage.\n\n## Employers and the minimum wage\n\nEmployers must pay workers the correct minimum wage.\n\nYou can read guidance on the minimum wage rates and who they apply to.\n\n## What\u2019s not included in minimum wage calculations\n\nSome payments must not be included when the minimum wage is calculated.\n\nThese are:\n\n- payments that should not be included for the employer\u2019s own use or benefit, for example if the employer has paid for travel to work\n\n- things the worker bought for the job and is not refunded for, such as tools, uniform, safety equipment\n\n- tips, service charges and cover charges\n\n- extra pay for working unsocial hours on a shift\n\nFind out what counts as working time.\n\n## What\u2019s included in minimum wage calculations\n\nSome payments must be included when the minimum wage is calculated.\n\nThese are:\n\n- Income Tax and National Insurance contributions\n\n- wage advances or loans\n\n- repayment of wage advances or loans\n\n- repayment of overpaid wages\n\n- things the worker paid for that are not needed for the job or paid for voluntarily, such as meals\n\n- accommodation provided by an employer above the offset rate (\u00a38.36 a day or \u00a358.52 a week)\n\n- penalty charges for a worker\u2019s misconduct\n\nRead the detailed guidance on calculating the minimum wage for more on what counts and does not count towards the minimum wage, eligibility, how to calculate the minimum wage and how it is enforced.\n\n## Employer checks\n\nIt\u2019s a criminal offence for employers to not pay someone the National Minimum Wage or National Living Wage, or to fake payment records.\n\nEmployers who discover they\u2019ve paid a worker below the correct minimum wage must pay any arrears immediately. Use the National Minimum Wage and National Living Wage calculator to check a worker has been paid correctly.\n\nHM Revenue and Customs (HMRC) officers have the right to carry out checks at any time and ask to see payment records. They can also investigate employers if a worker complains to them.\n\nIf HMRC finds that an employer has not been paying the correct rates, any arrears have to be paid back immediately. There will also be a fine and offenders might be named by the government.\n\n## Keeping records\n\nIt\u2019s the employer\u2019s responsibility to keep records proving that they are paying the minimum wage. These records must be kept for at least 6 years if they:\n\n- were created on or after 1 April 2021\n\n- still had to be kept on 31 March 2021 under the previous rule that records must be kept for 3 years\n\nThe period records must be kept for starts from the last day of the pay reference period after the one they cover.\n\nThey do not have to be kept in any particular form, for example they can be paper or computer records. But employers must be able to produce records for an individual pay reference period in a single document.\n\nMost employers use their payroll records as proof of:\n\n- total pay - including pay deductions, allowances and tips\n\n- total hours worked - including absences and overtime\n\nEmployers may also need to keep records such as:\n\n- agreements about working hours, pay and conditions, such as contracts\n\n- documents that show why a worker is not entitled to the minimum wage\n\n## Pay reference periods\n\nPay reference periods are usually set by how often someone is paid, for example one week, one month or 10 days. A pay reference period cannot be longer than 31 days.\n\nA worker must be paid the minimum wage, on average, for the time worked in the pay reference period.\n\n## Worker disputes over minimum wage\n\nWorkers who think their pay is below the correct minimum wage rate should talk to their employer first.\n\nIf this does not solve the problem, they can ask the employer in writing to see their payment records. The worker can take someone with them and make copies of the records.\n\nIf an employer owes the worker any arrears they have to pay these back.\n\nWorkers can call the confidential Acas helpline or look at the Acas Helpline Online to help them solve a payment dispute.\n\nWorkers can also make a complaint to HM Revenue and Customs (HMRC) about their employer or employment agency or complain on behalf of someone else.\n\n## If the employer refuses payment\n\nIf HMRC find that the employer has not paid they will send them a notice for the arrears plus a fine for not paying the minimum wage.\n\nHMRC can take them to court on behalf of the worker if the employer still refuses to pay.\n\n## Employment tribunal\n\nWorkers can also go directly to the employment tribunal themselves.\n\nWorkers who have been dismissed because of a minimum wage dispute can also complain to the employment tribunal for unfair dismissal.", + "original_contents": [ + "

    Overview

    ", + "

    The minimum wage a worker should get depends on their age and if they\u2019re an apprentice.

    ", + "

    The National Minimum Wage is the minimum pay per hour almost all workers are entitled to. The National Living Wage is higher than the National Minimum Wage - workers get it if they\u2019re over 23.

    ", + "

    It does not matter how small an employer is, they still have to pay the correct minimum wage.

    ", + "

    Calculate the minimum wage

    ", + "

    Use the minimum wage calculators to check if the correct minimum wage has been paid.

    ", + "

    There are separate calculators for workers and employers.

    ", + "

    Use the calculator for workers to check if you\u2019re getting the correct minimum wage or if an employer owes you payment from the previous year.

    ", + "

    Use the calculator for employers to check if you\u2019re paying the correct minimum wage or if you owe a payment from the previous year.

    ", + "

    There is also guidance on working out the minimum wage for different types of work.

    ", + "

    Call the Acas helpline or visit the Acas Helpline Online for advice about the National Minimum Wage or National Living Wage.

    ", + "

    Who gets the minimum wage

    ", + "

    People classed as \u2018workers\u2019 must be at least school leaving age to get the National Minimum Wage. They must be 23 or over to get the National Living Wage.

    ", + "

    Contracts for payments below the minimum wage are not legally binding. The worker is still entitled to the National Minimum Wage or National Living Wage.

    ", + "

    Workers are also entitled to the correct minimum wage if they\u2019re:

    ", + "
  • part-time
  • ", + "
  • casual labourers, for example someone hired for one day
  • ", + "
  • agency workers
  • ", + "
  • workers and homeworkers paid by the number of items they make
  • ", + "
  • apprentices
  • ", + "
  • trainees, workers on probation
  • ", + "
  • disabled workers
  • ", + "
  • agricultural workers
  • ", + "
  • foreign workers
  • ", + "
  • seafarers
  • ", + "
  • offshore workers
  • ", + "

    Apprentices

    ", + "

    Apprentices are entitled to the apprentice rate if they\u2019re either:

    ", + "
  • under 19
  • ", + "
  • 19 or over and in the first year of their apprenticeship
  • ", + "

    Apprentices over 19 who have completed the first year of their apprenticeship are entitled to the correct minimum wage for their age.

    ", + "

    Not entitled to the minimum wage

    ", + "

    The following types of workers are not entitled to the National Minimum Wage or National Living Wage:

    ", + "
  • self-employed people running their own business
  • ", + "
  • company directors
  • ", + "
  • people who are volunteers or voluntary workers
  • ", + "
  • workers on a government employment programme, such as the Work Programme
  • ", + "
  • members of the armed forces
  • ", + "
  • family members of the employer living in the employer\u2019s home
  • ", + "
  • non-family members living in the employer\u2019s home who share in the work and leisure activities, are treated as one of the family and are not charged for meals or accommodation, for example au pairs
  • ", + "
  • workers younger than school leaving age (usually 16)
  • ", + "
  • higher and further education students on work experience or a work placement up to one year
  • ", + "
  • people shadowing others at work
  • ", + "
  • workers on government pre-apprenticeships schemes
  • ", + "
  • people on the following European Union (EU) programmes: Leonardo da Vinci, Erasmus+, Comenius
  • ", + "
  • people working on a Jobcentre Plus Work trial for up to 6 weeks
  • ", + "
  • share fishermen
  • ", + "
  • prisoners
  • ", + "
  • people living and working in a religious community
  • ", + "

    Employers who offer internships (sometimes called \u2018work placements\u2019 or \u2018work experience\u2019) should check if the person is entitled to the minimum wage.

    ", + "

    Voluntary work

    ", + "

    You\u2019re classed as doing voluntary work if you can only get certain limited benefits (for example reasonable travel or lunch expenses) and you\u2019re working for a:

    ", + "
  • charity
  • ", + "
  • voluntary organisation or associated fundraising body
  • ", + "
  • statutory body
  • ", + "

    Contact the Acas helpline to find out if you should be getting the minimum wage.

    ", + "

    Employers and the minimum wage

    ", + "

    Employers must pay workers the correct minimum wage.

    ", + "

    You can read guidance on the minimum wage rates and who they apply to.

    ", + "

    What\u2019s not included in minimum wage calculations

    ", + "

    Some payments must not be included when the minimum wage is calculated.

    ", + "

    These are:

    ", + "
  • payments that should not be included for the employer\u2019s own use or benefit, for example if the employer has paid for travel to work
  • ", + "
  • things the worker bought for the job and is not refunded for, such as tools, uniform, safety equipment
  • ", + "
  • tips, service charges and cover charges
  • ", + "
  • extra pay for working unsocial hours on a shift
  • ", + "

    Find out what counts as working time.

    ", + "

    What\u2019s included in minimum wage calculations

    ", + "

    Some payments must be included when the minimum wage is calculated.

    ", + "

    These are:

    ", + "
  • Income Tax and National Insurance contributions
  • ", + "
  • wage advances or loans
  • ", + "
  • repayment of wage advances or loans
  • ", + "
  • repayment of overpaid wages
  • ", + "
  • things the worker paid for that are not needed for the job or paid for voluntarily, such as meals
  • ", + "
  • accommodation provided by an employer above the offset rate (\u00a38.36 a day or \u00a358.52 a week)
  • ", + "
  • penalty charges for a worker\u2019s misconduct
  • ", + "

    Read the detailed guidance on calculating the minimum wage for more on what counts and does not count towards the minimum wage, eligibility, how to calculate the minimum wage and how it is enforced.

    ", + "

    Employer checks

    ", + "

    It\u2019s a criminal offence for employers to not pay someone the National Minimum Wage or National Living Wage, or to fake payment records.

    ", + "

    Employers who discover they\u2019ve paid a worker below the correct minimum wage must pay any arrears immediately. Use the National Minimum Wage and National Living Wage calculator to check a worker has been paid correctly.

    ", + "

    HM Revenue and Customs (HMRC) officers have the right to carry out checks at any time and ask to see payment records. They can also investigate employers if a worker complains to them.

    ", + "

    If HMRC finds that an employer has not been paying the correct rates, any arrears have to be paid back immediately. There will also be a fine and offenders might be named by the government.

    ", + "

    Keeping records

    ", + "

    It\u2019s the employer\u2019s responsibility to keep records proving that they are paying the minimum wage. These records must be kept for at least 6 years if they:

    ", + "
  • were created on or after 1 April 2021
  • ", + "
  • still had to be kept on 31 March 2021 under the previous rule that records must be kept for 3 years
  • ", + "

    The period records must be kept for starts from the last day of the pay reference period after the one they cover.

    ", + "

    They do not have to be kept in any particular form, for example they can be paper or computer records. But employers must be able to produce records for an individual pay reference period in a single document.

    ", + "

    Most employers use their payroll records as proof of:

    ", + "
  • total pay - including pay deductions, allowances and tips
  • ", + "
  • total hours worked - including absences and overtime
  • ", + "

    Employers may also need to keep records such as:

    ", + "
  • agreements about working hours, pay and conditions, such as contracts
  • ", + "
  • documents that show why a worker is not entitled to the minimum wage
  • ", + "

    Pay reference periods

    ", + "

    Pay reference periods are usually set by how often someone is paid, for example one week, one month or 10 days. A pay reference period cannot be longer than 31 days.

    ", + "

    A worker must be paid the minimum wage, on average, for the time worked in the pay reference period.

    ", + "

    Worker disputes over minimum wage

    ", + "

    Workers who think their pay is below the correct minimum wage rate should talk to their employer first.

    ", + "

    If this does not solve the problem, they can ask the employer in writing to see their payment records. The worker can take someone with them and make copies of the records.

    ", + "

    If an employer owes the worker any arrears they have to pay these back.

    ", + "

    Workers can call the confidential Acas helpline or look at the Acas Helpline Online to help them solve a payment dispute.

    ", + "

    Workers can also make a complaint to HM Revenue and Customs (HMRC) about their employer or employment agency or complain on behalf of someone else.

    ", + "

    If the employer refuses payment

    ", + "

    If HMRC find that the employer has not paid they will send them a notice for the arrears plus a fine for not paying the minimum wage.

    ", + "

    HMRC can take them to court on behalf of the worker if the employer still refuses to pay.

    ", + "

    Employment tribunal

    ", + "

    Workers can also go directly to the employment tribunal themselves.

    ", + "

    Workers who have been dismissed because of a minimum wage dispute can also complain to the employment tribunal for unfair dismissal.

    " + ] + }, + "https://www.gov.uk/shared-parental-leave-and-pay-employer-guide": { + "url": "https://www.gov.uk/shared-parental-leave-and-pay-employer-guide", + "title": "Shared Parental Leave and Pay: employer guide", + "content": "## Overview\n\nEmployees may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if they\u2019ve had a baby or adopted a child.\n\nEmployees can start SPL if they\u2019re eligible and they or their partner end their maternity or adoption leave or pay early. The remaining leave will be available as SPL. The remaining pay may be available as ShPP.\n\nEmployees can take SPL in up to 3 separate blocks. They can also share the leave with their partner if they\u2019re also eligible. Parents can choose how much of the SPL each of them will take.\n\nSPL and ShPP must be taken between the baby\u2019s birth and first birthday (or within 1 year of adoption).\n\nSPL and ShPP are only available in England, Scotland and Wales.\n\n## Eligibility\n\nSometimes only one parent in a couple will be eligible to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP). This means that they cannot share the leave.\n\nIf your employee is eligible then they can use SPL to book their leave in separate blocks.\n\n## Shared Parental Leave\n\nTo qualify for SPL, your employee must share responsibility for the child with one of the following:\n\n- their husband, wife, civil partner or joint adopter\n\n- the child\u2019s other parent\n\n- their partner (if they live with them)\n\nYour employee or their partner must be eligible for maternity pay or leave, adoption pay or leave or Maternity Allowance.\n\nThey must also:\n\n- still be employed by you while they take SPL\n\n- give you the correct notice including a declaration that their partner meets the employment and income requirements which allow your employee to get SPL\n\n- have been continuously employed by you for at least 26 weeks up to any day of the \u2018qualifying week\u2019, or the week they are matched with a child for adoption in the UK\n\nThe \u2018qualifying week\u2019 is the 15th week before the baby is due.\n\n## Statutory Shared Parental Pay\n\nThey can get ShPP if they\u2019re an employee and one of the following applies:\n\n- they\u2019re eligible for Statutory Maternity Pay (SMP) or Statutory Adoption Pay (SAP)\n\n- they\u2019re eligible for Statutory Paternity Pay (SPP) and their partner is eligible for SMP, Maternity Allowance (MA) or SAP\n\nThey can also get ShPP if they\u2019re a worker and they\u2019re eligible for SMP or SPP.\n\n## Refusing SPL or ShPP\n\nYou can refuse SPL or ShPP if the employee does not qualify.\n\nYou must tell the employee the reason if you refuse ShPP. You do not have to give a reason for refusing SPL.\n\n## Entitlement\n\nIf an employee is eligible and they or their partner end maternity or adoption leave and pay (or Maternity Allowance) early, then they can:\n\n- take the rest of the 52 weeks of leave (up to a maximum of 50 weeks) as Shared Parental Leave (SPL)\n\n- take the rest of the 39 weeks of pay (up to a maximum of 37 weeks) as Statutory Shared Parental Pay (ShPP)\n\nA mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).\n\nShPP is paid at the rate of \u00a3151.97 a week or 90% of an employee\u2019s average weekly earnings, whichever is lower.\n\n## Starting Shared Parental Leave\n\nFor Shared Parental Leave (SPL) to start, the mother or adopter must do one of the following:\n\n- end their maternity or adoption leave by returning to work\n\n- give you \u2018binding notice\u2019 (a decision that cannot normally be changed) of the date when they\u2019ll end their maternity or adoption leave\n\n- end maternity pay or Maternity Allowance (if they\u2019re not entitled to maternity leave, for example they\u2019re an agency worker or self-employed)\n\nA mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).\n\nThe adoptive parent getting Statutory Adoption Pay must take at least 2 weeks\u2019 adoption leave. They can take it from the day of the placement, or up to 14 days before the placement starts.\n\nThe mother must give you notice (at least 8 weeks) to end her maternity pay, or tell Jobcentre Plus to end her Maternity Allowance. Adopters must give you notice to end adoption pay.\n\nSPL can start for the partner while the mother or adopter is still on maternity or adoption leave if she\u2019s given binding notice to end her leave (or pay if she\u2019s not entitled to leave).\n\n## What the employee must do\n\nThe employee must give you written notice if they want to start SPL or Statutory Shared Parental Pay (ShPP). They can do this using forms created by the Advisory, Conciliation and Arbitration Service (Acas).\n\nAfter receiving this notice, you can ask for:\n\n- a copy of the child\u2019s birth certificate\n\n- the name and address of their partner\u2019s employer\n\nYou have 14 days to ask for this information. Your employee then has a further 14 days to provide it.\n\n## Notice period\n\nAn employee must give at least 8 weeks\u2019 notice of any leave they wish to take. If the child is born more than 8 weeks early, this notice period can be shorter.\n\nYour employee has a statutory right to a maximum of 3 separate blocks of leave, although you can allow more if you wish.\n\n## Cancelling the decision to end maternity or adoption leave\n\nThe mother or adopter may be able to change their decision to end maternity or adoption leave early if both:\n\n- the planned end date has not passed\n\n- they have not already returned to work\n\nOne of the following must also apply:\n\n- it\u2019s discovered during the 8-week notice period that neither partner is eligible for either SPL or ShPP\n\n- the employee\u2019s partner has died\n\n- it\u2019s less than 6 weeks after the birth (and the mother gave notice before the birth)\n\n## Shared parental leave in touch (SPLIT) days\n\nYour employee can work up to 20 days during SPL without bringing it to an end. These are called \u2018shared parental leave in touch\u2019 (or SPLIT) days.\n\nThese days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days already available to those on maternity or adoption leave.\n\nKeeping in touch days are optional - both you and your employee must agree to them.\n\n## Blocks of leave\n\nAn employee taking Shared Parental Leave (SPL) can split their leave into up to 3 separate blocks instead of taking it all in one go, even if they are not sharing the leave with their partner.\n\nIf both parents are taking SPL then they can take their leave at the same time as each other or at different times.\n\nThe employee must give you at least 8 weeks\u2019 notice before a block of leave begins.\n\n## Splitting blocks\n\nIf you agree, the employee can split a block of leave into shorter periods of at least a week. For example they could work every other week during a 12-week block, using a total of 6 weeks of their SPL.\n\nYou cannot turn down a request for a block of leave if the employee is eligible and gives you the right notice. You do not have to agree to the employee breaking the block of leave into shorter periods.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the evidence provided by the employee to show that they\u2019re eligible for ShPP\n\n- the date ShPP began\n\n- your ShPP payments (including dates)\n\n- the ShPP you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for at least 3 years from the end of the tax year they relate to.\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "original_contents": [ + "

    Overview

    ", + "

    Employees may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if they\u2019ve had a baby or adopted a child.

    ", + "

    Employees can start SPL if they\u2019re eligible and they or their partner end their maternity or adoption leave or pay early. The remaining leave will be available as SPL. The remaining pay may be available as ShPP.

    ", + "

    Employees can take SPL in up to 3 separate blocks. They can also share the leave with their partner if they\u2019re also eligible. Parents can choose how much of the SPL each of them will take.

    ", + "

    SPL and ShPP must be taken between the baby\u2019s birth and first birthday (or within 1 year of adoption).

    ", + "

    SPL and ShPP are only available in England, Scotland and Wales.

    ", + "

    Eligibility

    ", + "

    Sometimes only one parent in a couple will be eligible to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP). This means that they cannot share the leave.

    ", + "

    If your employee is eligible then they can use SPL to book their leave in separate blocks.

    ", + "

    Shared Parental Leave

    ", + "

    To qualify for SPL, your employee must share responsibility for the child with one of the following:

    ", + "
  • their husband, wife, civil partner or joint adopter
  • ", + "
  • the child\u2019s other parent
  • ", + "
  • their partner (if they live with them)
  • ", + "

    Your employee or their partner must be eligible for maternity pay or leave, adoption pay or leave or Maternity Allowance.

    ", + "

    They must also:

    ", + "
  • still be employed by you while they take SPL
  • ", + "
  • give you the correct notice including a declaration that their partner meets the employment and income requirements which allow your employee to get SPL
  • ", + "
  • have been continuously employed by you for at least 26 weeks up to any day of the \u2018qualifying week\u2019, or the week they are matched with a child for adoption in the UK
  • ", + "

    The \u2018qualifying week\u2019 is the 15th week before the baby is due.

    ", + "

    Statutory Shared Parental Pay

    ", + "

    They can get ShPP if they\u2019re an employee and one of the following applies:

    ", + "
  • they\u2019re eligible for Statutory Maternity Pay (SMP) or Statutory Adoption Pay (SAP)
  • ", + "
  • they\u2019re eligible for Statutory Paternity Pay (SPP) and their partner is eligible for SMP, Maternity Allowance (MA) or SAP
  • ", + "

    They can also get ShPP if they\u2019re a worker and they\u2019re eligible for SMP or SPP.

    ", + "

    Refusing SPL or ShPP

    ", + "

    You can refuse SPL or ShPP if the employee does not qualify.

    ", + "

    You must tell the employee the reason if you refuse ShPP. You do not have to give a reason for refusing SPL.

    ", + "

    Entitlement

    ", + "

    If an employee is eligible and they or their partner end maternity or adoption leave and pay (or Maternity Allowance) early, then they can:

    ", + "
  • take the rest of the 52 weeks of leave (up to a maximum of 50 weeks) as Shared Parental Leave (SPL)
  • ", + "
  • take the rest of the 39 weeks of pay (up to a maximum of 37 weeks) as Statutory Shared Parental Pay (ShPP)
  • ", + "

    A mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).

    ", + "

    ShPP is paid at the rate of \u00a3151.97 a week or 90% of an employee\u2019s average weekly earnings, whichever is lower.

    ", + "

    Starting Shared Parental Leave

    ", + "

    For Shared Parental Leave (SPL) to start, the mother or adopter must do one of the following:

    ", + "
  • end their maternity or adoption leave by returning to work
  • ", + "
  • give you \u2018binding notice\u2019 (a decision that cannot normally be changed) of the date when they\u2019ll end their maternity or adoption leave
  • ", + "
  • end maternity pay or Maternity Allowance (if they\u2019re not entitled to maternity leave, for example they\u2019re an agency worker or self-employed)
  • ", + "

    A mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).

    ", + "

    The adoptive parent getting Statutory Adoption Pay must take at least 2 weeks\u2019 adoption leave. They can take it from the day of the placement, or up to 14 days before the placement starts.

    ", + "

    The mother must give you notice (at least 8 weeks) to end her maternity pay, or tell Jobcentre Plus to end her Maternity Allowance. Adopters must give you notice to end adoption pay.

    ", + "

    SPL can start for the partner while the mother or adopter is still on maternity or adoption leave if she\u2019s given binding notice to end her leave (or pay if she\u2019s not entitled to leave).

    ", + "

    What the employee must do

    ", + "

    The employee must give you written notice if they want to start SPL or Statutory Shared Parental Pay (ShPP). They can do this using forms created by the Advisory, Conciliation and Arbitration Service (Acas).

    ", + "

    After receiving this notice, you can ask for:

    ", + "
  • a copy of the child\u2019s birth certificate
  • ", + "
  • the name and address of their partner\u2019s employer
  • ", + "

    You have 14 days to ask for this information. Your employee then has a further 14 days to provide it.

    ", + "

    Notice period

    ", + "

    An employee must give at least 8 weeks\u2019 notice of any leave they wish to take. If the child is born more than 8 weeks early, this notice period can be shorter.

    ", + "

    Your employee has a statutory right to a maximum of 3 separate blocks of leave, although you can allow more if you wish.

    ", + "

    Cancelling the decision to end maternity or adoption leave

    ", + "

    The mother or adopter may be able to change their decision to end maternity or adoption leave early if both:

    ", + "
  • the planned end date has not passed
  • ", + "
  • they have not already returned to work
  • ", + "

    One of the following must also apply:

    ", + "
  • it\u2019s discovered during the 8-week notice period that neither partner is eligible for either SPL or ShPP
  • ", + "
  • the employee\u2019s partner has died
  • ", + "
  • it\u2019s less than 6 weeks after the birth (and the mother gave notice before the birth)
  • ", + "

    Shared parental leave in touch (SPLIT) days

    ", + "

    Your employee can work up to 20 days during SPL without bringing it to an end. These are called \u2018shared parental leave in touch\u2019 (or SPLIT) days.

    ", + "

    These days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days already available to those on maternity or adoption leave.

    ", + "

    Keeping in touch days are optional - both you and your employee must agree to them.

    ", + "

    Blocks of leave

    ", + "

    An employee taking Shared Parental Leave (SPL) can split their leave into up to 3 separate blocks instead of taking it all in one go, even if they are not sharing the leave with their partner.

    ", + "

    If both parents are taking SPL then they can take their leave at the same time as each other or at different times.

    ", + "

    The employee must give you at least 8 weeks\u2019 notice before a block of leave begins.

    ", + "

    Splitting blocks

    ", + "

    If you agree, the employee can split a block of leave into shorter periods of at least a week. For example they could work every other week during a 12-week block, using a total of 6 weeks of their SPL.

    ", + "

    You cannot turn down a request for a block of leave if the employee is eligible and gives you the right notice. You do not have to agree to the employee breaking the block of leave into shorter periods.

    ", + "

    Record keeping

    ", + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • the evidence provided by the employee to show that they\u2019re eligible for ShPP
  • ", + "
  • the date ShPP began
  • ", + "
  • your ShPP payments (including dates)
  • ", + "
  • the ShPP you\u2019ve reclaimed
  • ", + "
  • any weeks you did not pay and why
  • ", + "

    You must keep records for at least 3 years from the end of the tax year they relate to.

    ", + "

    Help with statutory pay

    ", + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments (usually 92%)
  • ", + "
  • apply for an advance if you cannot afford payments
  • " + ] + }, + "https://www.gov.uk/employers-adoption-pay-leave": { + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "title": "Statutory Adoption Pay and Leave: employer guide", + "content": "## Entitlement\n\nWhen an employee takes time off to adopt a child or have a child through a surrogacy arrangement they might be eligible for Statutory Adoption Pay and Leave.\n\n## Statutory Adoption Leave\n\nEmployees can take up to 52 weeks\u2019 Statutory Adoption Leave. The first 26 weeks is known as \u2018Ordinary Adoption Leave\u2019, the last 26 weeks as \u2018Additional Adoption Leave\u2019.\n\nLeave can start:\n\n- on the date the child starts living with the employee or up to 14 days before the expected placement date (UK adoptions)\n\n- when an employee has been matched with a child to be placed with them by a UK adoption agency\n\n- when the child arrives in the UK or within 28 days of this date (overseas adoptions)\n\n- the day the child\u2019s born or the day after (parents in surrogacy arrangements)\n\n## Statutory Adoption Pay\n\nStatutory Adoption Pay (SAP) for employees is:\n\n- 90% of their gross average weekly earnings for the first 6 weeks\n\n- \u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower) for the next 33 weeks\n\nTax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s adoption leave and pay using the maternity and paternity calculator.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement.\n\n## Extra leave or pay\n\nYou can offer more than the statutory amounts if you have a company scheme for adoption leave and pay. You must make sure your scheme\u2019s policies are clear and available to staff.\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during adoption leave. You still have to pay Statutory Adoption Pay even if you stop trading.\n\n## Eligibility\n\nSome employees will not qualify for both leave and pay.\n\n## Statutory Adoption Leave\n\nEmployees must:\n\n- give you the correct notice\n\n- be classed as an employee\n\nThey do not have to give you proof of the adoption or surrogacy unless you ask for it.\n\n## Leave for employees adopting a child from overseas\n\nEmployee must also sign form SC6 if they\u2019re adopting from overseas with a partner. This confirms they\u2019re not taking paternity leave or pay.\n\n## Statutory Adoption Pay\n\nEmployees must:\n\n- have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child\n\n- be on your payroll and earn at least \u00a3120 a week in an 8-week period - the \u2018relevant period\u2019\n\n- give you the correct notice\n\n- give you proof of the adoption\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the adoption pay calculator to check an employee\u2019s eligibility and work out their matching week, relevant period, notice period and adoption pay.\n\nThere are special rules for some employee situations, for example if they leave, become sick or if they or their child dies.\n\n## Pay for employees adopting a child from overseas\n\nThe requirements are the same for employees adopting from overseas, except they must have been continuously employed by you for at least 26 weeks at the start of the week when the pay will begin.\n\nThey must also sign form SC6 if they\u2019re adopting with a partner. This confirms they\u2019re not taking paternity leave or pay.\n\n## Pay for employees in surrogacy arrangements\n\nThe requirements are the same for employees in surrogacy arrangements, except they must have been continuously employed by you for at least 26 weeks up to any day in the 15th week before the baby is due.\n\nIf you ask for it, they must also give you proof that they intend to become the baby\u2019s legal parent.\n\n## Who cannot qualify\n\nEmployees will not qualify for either adoption leave or pay if they:\n\n- become a special guardian or kinship carer\n\n- adopt a stepchild or family member\n\n- adopt privately, for example without permission from a UK authority or adoption agency\n\n## Notice period\n\nNotice does not have to be in writing unless you request it.\n\n## Statutory Adoption Pay\n\nEmployees must give you 28 days\u2019 notice before they want to be paid Statutory Adoption Pay, unless the time between the child being matched and placed is less than that.\n\n## Statutory Adoption Leave\n\nWithin 7 days of being matched with a child, employees must tell you:\n\n- how much leave they want\n\n- their leave start date\n\n- the \u2018date of placement\u2019 - the expected or actual date the child is placed with them\n\nYou have 28 days to write to them confirming their leave start and end date.\n\nThere are different rules for overseas adoptions and surrogacy arrangements.\n\n## Leave for employees adopting a child from overseas\n\nWithin 28 days of getting their \u2018official notification\u2019, employees adopting from overseas must tell you the date of the notification and when they expect the child to arrive in the UK.\n\nIf they\u2019ve worked for you for less than 26 weeks, they can tell you within 28 days of the Sunday in their 26th week instead.\n\nThey must also tell you:\n\n- the actual date the child arrives in the UK - within 28 days of this date\n\n- how much leave they want and when they want it to start - giving you 28 days\u2019 notice\n\nYou have 28 days to write to them confirming their leave start and end date.\n\n## Leave for employees in surrogacy arrangements\n\nAt least 15 weeks before the due date, employees in surrogacy arrangements must tell you when the baby is due and when they want to start their leave. You can ask for this in writing.\n\nYou have 28 days to write to them confirming their leave start and end date.\n\n## Changes to leave dates\n\nEmployees must tell you about changes to leave dates at least 28 days before their original start date or the new start date - whichever is earlier.\n\nYou must write to them if you have to amend their leave start and end dates.\n\nEmployees must give 8 weeks\u2019 notice if they want to change the date they return to work.\n\n## Proof of adoption\n\nEmployees must give you proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless you ask for it.\n\nFor adoption, the proof must show the:\n\n- name and address of the agency and employee\n\n- date the child was matched, for example the matching certificate\n\n- expected or actual date of placement, for example a letter from the agency\n\n- relevant UK authority\u2019s \u2018official notification\u2019 confirming the parent is allowed to adopt (overseas adoptions only)\n\n- date the child arrived in the UK, for example a plane ticket (overseas adoptions only)\n\nYou must keep records of the proof.\n\n## Surrogacy arrangements\n\nProof is not needed for leave or pay unless you ask for it.\n\nIf you ask, employees must give you a written statement (\u2018statutory declaration\u2019) to confirm that they:\n\n- intend to apply for a parental order in the 6 months after the baby\u2019s birth\n\n- expect the order to be granted (for example because they do not have any convictions involving children, and the birth mother or father agree to the arrangement)\n\n## Refusing pay or leave\n\n## Statutory Adoption Leave\n\nYou cannot refuse adoption leave or change the amount of leave employees want to take off.\n\nFor adoption, you can delay the start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.\n\n## Statutory Adoption Pay\n\nYou can refuse Statutory Adoption Pay if the employee does not qualify.\n\nTo refuse it, give the employee form SAP1 within 7 days of your decision. They must get this form within 28 days of their request for Statutory Adoption Pay or the date they were matched with the child (whichever is earlier).\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- proof of adoption\n\n- the date Statutory Adoption Pay started\n\n- the payments of Statutory Adoption Pay you\u2019ve made - including dates\n\n- the payments you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for 3 years from the end of the tax year they relate to (for example by using form SAP2 or keeping your own records).\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "original_contents": [ + "

    Entitlement

    ", + "

    When an employee takes time off to adopt a child or have a child through a surrogacy arrangement they might be eligible for Statutory Adoption Pay and Leave.

    ", + "

    Statutory Adoption Leave

    ", + "

    Employees can take up to 52 weeks\u2019 Statutory Adoption Leave. The first 26 weeks is known as \u2018Ordinary Adoption Leave\u2019, the last 26 weeks as \u2018Additional Adoption Leave\u2019.

    ", + "

    Leave can start:

    ", + "
  • on the date the child starts living with the employee or up to 14 days before the expected placement date (UK adoptions)
  • ", + "
  • when an employee has been matched with a child to be placed with them by a UK adoption agency
  • ", + "
  • when the child arrives in the UK or within 28 days of this date (overseas adoptions)
  • ", + "
  • the day the child\u2019s born or the day after (parents in surrogacy arrangements)
  • ", + "

    Statutory Adoption Pay

    ", + "

    Statutory Adoption Pay (SAP) for employees is:

    ", + "
  • 90% of their gross average weekly earnings for the first 6 weeks
  • ", + "
  • \u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower) for the next 33 weeks
  • ", + "

    Tax and National Insurance need to be deducted.

    ", + "

    Calculate an employee\u2019s adoption leave and pay using the maternity and paternity calculator.

    ", + "

    Some employment types like agency workers, directors and educational workers have different rules for entitlement.

    ", + "

    Extra leave or pay

    ", + "

    You can offer more than the statutory amounts if you have a company scheme for adoption leave and pay. You must make sure your scheme\u2019s policies are clear and available to staff.

    ", + "

    Employment rights

    ", + "

    An employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during adoption leave. You still have to pay Statutory Adoption Pay even if you stop trading.

    ", + "

    Eligibility

    ", + "

    Some employees will not qualify for both leave and pay.

    ", + "

    Statutory Adoption Leave

    ", + "

    Employees must:

    ", + "
  • give you the correct notice
  • ", + "
  • be classed as an employee
  • ", + "

    They do not have to give you proof of the adoption or surrogacy unless you ask for it.

    ", + "

    Leave for employees adopting a child from overseas

    ", + "

    Employee must also sign form SC6 if they\u2019re adopting from overseas with a partner. This confirms they\u2019re not taking paternity leave or pay.

    ", + "

    Statutory Adoption Pay

    ", + "

    Employees must:

    ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child
  • ", + "
  • be on your payroll and earn at least \u00a3120 a week in an 8-week period - the \u2018relevant period\u2019
  • ", + "
  • give you the correct notice
  • ", + "
  • give you proof of the adoption
  • ", + "

    If your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    Use the adoption pay calculator to check an employee\u2019s eligibility and work out their matching week, relevant period, notice period and adoption pay.

    ", + "

    There are special rules for some employee situations, for example if they leave, become sick or if they or their child dies.

    ", + "

    Pay for employees adopting a child from overseas

    ", + "

    The requirements are the same for employees adopting from overseas, except they must have been continuously employed by you for at least 26 weeks at the start of the week when the pay will begin.

    ", + "

    They must also sign form SC6 if they\u2019re adopting with a partner. This confirms they\u2019re not taking paternity leave or pay.

    ", + "

    Pay for employees in surrogacy arrangements

    ", + "

    The requirements are the same for employees in surrogacy arrangements, except they must have been continuously employed by you for at least 26 weeks up to any day in the 15th week before the baby is due.

    ", + "

    If you ask for it, they must also give you proof that they intend to become the baby\u2019s legal parent.

    ", + "

    Who cannot qualify

    ", + "

    Employees will not qualify for either adoption leave or pay if they:

    ", + "
  • become a special guardian or kinship carer
  • ", + "
  • adopt a stepchild or family member
  • ", + "
  • adopt privately, for example without permission from a UK authority or adoption agency
  • ", + "

    Notice period

    ", + "

    Notice does not have to be in writing unless you request it.

    ", + "

    Statutory Adoption Pay

    ", + "

    Employees must give you 28 days\u2019 notice before they want to be paid Statutory Adoption Pay, unless the time between the child being matched and placed is less than that.

    ", + "

    Statutory Adoption Leave

    ", + "

    Within 7 days of being matched with a child, employees must tell you:

    ", + "
  • how much leave they want
  • ", + "
  • their leave start date
  • ", + "
  • the \u2018date of placement\u2019 - the expected or actual date the child is placed with them
  • ", + "

    You have 28 days to write to them confirming their leave start and end date.

    ", + "

    There are different rules for overseas adoptions and surrogacy arrangements.

    ", + "

    Leave for employees adopting a child from overseas

    ", + "

    Within 28 days of getting their \u2018official notification\u2019, employees adopting from overseas must tell you the date of the notification and when they expect the child to arrive in the UK.

    ", + "

    If they\u2019ve worked for you for less than 26 weeks, they can tell you within 28 days of the Sunday in their 26th week instead.

    ", + "

    They must also tell you:

    ", + "
  • the actual date the child arrives in the UK - within 28 days of this date
  • ", + "
  • how much leave they want and when they want it to start - giving you 28 days\u2019 notice
  • ", + "

    You have 28 days to write to them confirming their leave start and end date.

    ", + "

    Leave for employees in surrogacy arrangements

    ", + "

    At least 15 weeks before the due date, employees in surrogacy arrangements must tell you when the baby is due and when they want to start their leave. You can ask for this in writing.

    ", + "

    You have 28 days to write to them confirming their leave start and end date.

    ", + "

    Changes to leave dates

    ", + "

    Employees must tell you about changes to leave dates at least 28 days before their original start date or the new start date - whichever is earlier.

    ", + "

    You must write to them if you have to amend their leave start and end dates.

    ", + "

    Employees must give 8 weeks\u2019 notice if they want to change the date they return to work.

    ", + "

    Proof of adoption

    ", + "

    Employees must give you proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless you ask for it.

    ", + "

    For adoption, the proof must show the:

    ", + "
  • name and address of the agency and employee
  • ", + "
  • date the child was matched, for example the matching certificate
  • ", + "
  • expected or actual date of placement, for example a letter from the agency
  • ", + "
  • relevant UK authority\u2019s \u2018official notification\u2019 confirming the parent is allowed to adopt (overseas adoptions only)
  • ", + "
  • date the child arrived in the UK, for example a plane ticket (overseas adoptions only)
  • ", + "

    You must keep records of the proof.

    ", + "

    Surrogacy arrangements

    ", + "

    Proof is not needed for leave or pay unless you ask for it.

    ", + "

    If you ask, employees must give you a written statement (\u2018statutory declaration\u2019) to confirm that they:

    ", + "
  • intend to apply for a parental order in the 6 months after the baby\u2019s birth
  • ", + "
  • expect the order to be granted (for example because they do not have any convictions involving children, and the birth mother or father agree to the arrangement)
  • ", + "

    Refusing pay or leave

    ", + "

    Statutory Adoption Leave

    ", + "

    You cannot refuse adoption leave or change the amount of leave employees want to take off.

    ", + "

    For adoption, you can delay the start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.

    ", + "

    Statutory Adoption Pay

    ", + "

    You can refuse Statutory Adoption Pay if the employee does not qualify.

    ", + "

    To refuse it, give the employee form SAP1 within 7 days of your decision. They must get this form within 28 days of their request for Statutory Adoption Pay or the date they were matched with the child (whichever is earlier).

    ", + "

    Record keeping

    ", + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • proof of adoption
  • ", + "
  • the date Statutory Adoption Pay started
  • ", + "
  • the payments of Statutory Adoption Pay you\u2019ve made - including dates
  • ", + "
  • the payments you\u2019ve reclaimed
  • ", + "
  • any weeks you did not pay and why
  • ", + "

    You must keep records for 3 years from the end of the tax year they relate to (for example by using form SAP2 or keeping your own records).

    ", + "

    Help with statutory pay

    ", + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments (usually 92%)
  • ", + "
  • apply for an advance if you cannot afford payments
  • " + ] + }, + "https://www.gov.uk/employers-maternity-pay-leave": { + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "title": "Statutory Maternity Pay and Leave: employer guide", + "content": "## Entitlement\n\n## Statutory Maternity Leave\n\nEligible employees can take up to 52 weeks\u2019 maternity leave. The first 26 weeks is known as \u2018Ordinary Maternity Leave\u2019, the last 26 weeks as \u2018Additional Maternity Leave\u2019.\n\nThe earliest that leave can be taken is 11 weeks before the expected week of childbirth, unless the baby is born early.\n\nEmployees must take at least 2 weeks after the birth (or 4 weeks if they\u2019re a factory worker).\n\n## Statutory Maternity Pay (SMP)\n\nSMP for eligible employees can be paid for up to 39 weeks, usually as follows:\n\n- the first 6 weeks: 90% of their average weekly earnings (AWE) before tax\n\n- the remaining 33 weeks: \u00a3151.97 or 90% of their AWE (whichever is lower)\n\nTax and National Insurance need to be deducted.\n\nUse the SMP calculator to work out an employee\u2019s maternity leave and pay.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement.\n\n## Extra leave or pay\n\nYou can offer more than the statutory amounts if you have a company maternity scheme. You must make sure your maternity leave and pay policies are clear and available to staff.\n\n## If the baby is born early\n\nLeave starts the day after the birth if the baby is born early.\n\nThe employee must give you the child\u2019s birth certificate or a document signed by a doctor or midwife that confirms the actual date of birth.\n\nYou must write to them confirming the new end date for their leave.\n\nFor very premature births where the child is born 15 weeks or more before the due date, you\u2019ll need to calculate SMP using your payroll software (if it has this feature) or work it out manually.\n\n## If the baby dies\n\nEmployees still qualify for leave or pay if the baby:\n\n- is stillborn after the start of the 24th week of pregnancy\n\n- dies after being born\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during maternity leave.\n\nYou still have to pay SMP even if you stop trading.\n\n## Eligibility and proof of pregnancy\n\nSome employees will not qualify for both leave and pay.\n\n## Statutory Maternity Leave\n\nEmployees must:\n\n- have an employment contract - it does not matter how long they\u2019ve worked for you\n\n- give you the correct notice\n\n## Statutory Maternity Pay (SMP)\n\nEmployees must:\n\n- be on your payroll in the \u2018qualifying week\u2019 - the 15th week before the expected week of childbirth\n\n- give you the correct notice\n\n- give you proof they\u2019re pregnant\n\n- have been continuously employed by you for at least 26 weeks up to any day in the qualifying week\n\n- earn at least \u00a3120 a week (gross) in an 8-week \u2018relevant period\u2019\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the maternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and statutory maternity pay.\n\nThere are special rules for some employee situations (for example if they leave, become sick or their baby is born before the qualifying week).\n\n## Proof of pregnancy\n\nYou must get proof of the pregnancy before you pay SMP. This is usually a doctor\u2019s letter or a maternity certificate (known as an MATB1 certificate). Midwives and doctors usually issue these 20 weeks before the due date.\n\nThe employee should give you proof within 21 days of the SMP start date. You can agree to accept it later if you want. You do not have to pay SMP if you have not received proof of the due date 13 weeks after the SMP start date.\n\nYou must keep records of the proof of pregnancy.\n\nEmployees not entitled to SMP may be able to get Maternity Allowance instead.\n\n## Notice period\n\nNotice does not have to be in writing unless you request it.\n\n## Statutory Maternity Leave\n\nAt least 15 weeks before the baby is expected, your employees must tell you the date that:\n\n- the baby is due\n\n- they want to start their maternity leave - they can change this with 28 days\u2019 notice\n\nYou must then confirm their leave start and end dates in writing within 28 days.\n\nEmployees can change their return to work date if they give 8 weeks\u2019 notice.\n\nYou cannot refuse maternity leave or change the amount of leave your employees want to take.\n\n## Statutory Maternity Pay (SMP)\n\nYour employees must give you 28 days\u2019 notice of the date they want to start their SMP. This is usually the same date they want to start their leave.\n\nYou can refuse to pay SMP if your employee does not give you this notice and they do not give you a reasonable excuse.\n\n## Refuse pay form SMP1\n\nYou can refuse Statutory Maternity Pay (SMP) if the employee does not qualify. They may be able to get Maternity Allowance instead.\n\nTo refuse it, give the employee the SMP1 form within 7 days of your decision. They must get this form within 28 days of their request for Statutory Maternity Pay or the birth (whichever is earlier).\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- proof of pregnancy - usually a doctor\u2019s note or a MATB1 certificate (a photocopy is fine)\n\n- the date SMP began\n\n- your SMP payments (including dates)\n\n- the SMP you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for 3 years from the end of the tax year they relate to, for example by using form SMP2 or keeping your own records.\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "original_contents": [ + "

    Entitlement

    ", + "

    Statutory Maternity Leave

    ", + "

    Eligible employees can take up to 52 weeks\u2019 maternity leave. The first 26 weeks is known as \u2018Ordinary Maternity Leave\u2019, the last 26 weeks as \u2018Additional Maternity Leave\u2019.

    ", + "

    The earliest that leave can be taken is 11 weeks before the expected week of childbirth, unless the baby is born early.

    ", + "

    Employees must take at least 2 weeks after the birth (or 4 weeks if they\u2019re a factory worker).

    ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    SMP for eligible employees can be paid for up to 39 weeks, usually as follows:

    ", + "
  • the first 6 weeks: 90% of their average weekly earnings (AWE) before tax
  • ", + "
  • the remaining 33 weeks: \u00a3151.97 or 90% of their AWE (whichever is lower)
  • ", + "

    Tax and National Insurance need to be deducted.

    ", + "

    Use the SMP calculator to work out an employee\u2019s maternity leave and pay.

    ", + "

    Some employment types like agency workers, directors and educational workers have different rules for entitlement.

    ", + "

    Extra leave or pay

    ", + "

    You can offer more than the statutory amounts if you have a company maternity scheme. You must make sure your maternity leave and pay policies are clear and available to staff.

    ", + "

    If the baby is born early

    ", + "

    Leave starts the day after the birth if the baby is born early.

    ", + "

    The employee must give you the child\u2019s birth certificate or a document signed by a doctor or midwife that confirms the actual date of birth.

    ", + "

    You must write to them confirming the new end date for their leave.

    ", + "

    For very premature births where the child is born 15 weeks or more before the due date, you\u2019ll need to calculate SMP using your payroll software (if it has this feature) or work it out manually.

    ", + "

    If the baby dies

    ", + "

    Employees still qualify for leave or pay if the baby:

    ", + "
  • is stillborn after the start of the 24th week of pregnancy
  • ", + "
  • dies after being born
  • ", + "

    Employment rights

    ", + "

    An employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during maternity leave.

    ", + "

    You still have to pay SMP even if you stop trading.

    ", + "

    Eligibility and proof of pregnancy

    ", + "

    Some employees will not qualify for both leave and pay.

    ", + "

    Statutory Maternity Leave

    ", + "

    Employees must:

    ", + "
  • have an employment contract - it does not matter how long they\u2019ve worked for you
  • ", + "
  • give you the correct notice
  • ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    Employees must:

    ", + "
  • be on your payroll in the \u2018qualifying week\u2019 - the 15th week before the expected week of childbirth
  • ", + "
  • give you the correct notice
  • ", + "
  • give you proof they\u2019re pregnant
  • ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the qualifying week
  • ", + "
  • earn at least \u00a3120 a week (gross) in an 8-week \u2018relevant period\u2019
  • ", + "

    If your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    Use the maternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and statutory maternity pay.

    ", + "

    There are special rules for some employee situations (for example if they leave, become sick or their baby is born before the qualifying week).

    ", + "

    Proof of pregnancy

    ", + "

    You must get proof of the pregnancy before you pay SMP. This is usually a doctor\u2019s letter or a maternity certificate (known as an MATB1 certificate). Midwives and doctors usually issue these 20 weeks before the due date.

    ", + "

    The employee should give you proof within 21 days of the SMP start date. You can agree to accept it later if you want. You do not have to pay SMP if you have not received proof of the due date 13 weeks after the SMP start date.

    ", + "

    You must keep records of the proof of pregnancy.

    ", + "

    Employees not entitled to SMP may be able to get Maternity Allowance instead.

    ", + "

    Notice period

    ", + "

    Notice does not have to be in writing unless you request it.

    ", + "

    Statutory Maternity Leave

    ", + "

    At least 15 weeks before the baby is expected, your employees must tell you the date that:

    ", + "
  • the baby is due
  • ", + "
  • they want to start their maternity leave - they can change this with 28 days\u2019 notice
  • ", + "

    You must then confirm their leave start and end dates in writing within 28 days.

    ", + "

    Employees can change their return to work date if they give 8 weeks\u2019 notice.

    ", + "

    You cannot refuse maternity leave or change the amount of leave your employees want to take.

    ", + "

    Statutory Maternity Pay (SMP)

    ", + "

    Your employees must give you 28 days\u2019 notice of the date they want to start their SMP. This is usually the same date they want to start their leave.

    ", + "

    You can refuse to pay SMP if your employee does not give you this notice and they do not give you a reasonable excuse.

    ", + "

    Refuse pay form SMP1

    ", + "

    You can refuse Statutory Maternity Pay (SMP) if the employee does not qualify. They may be able to get Maternity Allowance instead.

    ", + "

    To refuse it, give the employee the SMP1 form within 7 days of your decision. They must get this form within 28 days of their request for Statutory Maternity Pay or the birth (whichever is earlier).

    ", + "

    Record keeping

    ", + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • proof of pregnancy - usually a doctor\u2019s note or a MATB1 certificate (a photocopy is fine)
  • ", + "
  • the date SMP began
  • ", + "
  • your SMP payments (including dates)
  • ", + "
  • the SMP you\u2019ve reclaimed
  • ", + "
  • any weeks you did not pay and why
  • ", + "

    You must keep records for 3 years from the end of the tax year they relate to, for example by using form SMP2 or keeping your own records.

    ", + "

    Help with statutory pay

    ", + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments (usually 92%)
  • ", + "
  • apply for an advance if you cannot afford payments
  • " + ] + }, + "https://www.gov.uk/employers-parental-bereavement-pay-leave": { + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "title": "Statutory Parental Bereavement Pay and Leave: employer guide", + "content": "## Overview\n\nAn employee may be eligible for Parental Bereavement Leave and Statutory Parental Bereavement Pay if they or their partner either:\n\n- has a child who has died under 18 years old\n\n- had a stillbirth after 24 weeks of pregnancy\n\nThe death or stillbirth must have happened on or after 6 April 2020.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Statutory Parental Bereavement Leave\n\nAn employee can take 2 weeks\u2019 leave from the first day of their employment for each child who has died or was stillborn.\n\nThey can choose to take:\n\n- 2 weeks together\n\n- 2 separate weeks of leave\n\n- only one week of leave\n\nThe leave:\n\n- can start on or after the date of the death or stillbirth\n\n- must finish within 56 weeks of the date of the death or stillbirth\n\n## Taking leave with other types of statutory leave\n\nIf the employee was on another type of statutory leave when the death or stillbirth happened, Parental Bereavement Leave must start after that other leave has ended. This includes if the statutory leave is for another child.\n\nIf an employee\u2019s Parental Bereavement Leave is interrupted by the start of another type of statutory leave, they can take their remaining entitlement to Parental Bereavement Leave after that other leave has ended.\n\nThe remaining Parental Bereavement Leave must still be taken within 56 weeks of the date of death or stillbirth.\n\nParental Bereavement Leave can be taken between blocks of shared parental leave which had already been booked when the child died, even if the shared parental leave is for another child.\n\n## Statutory Parental Bereavement Pay\n\nStatutory Parental Bereavement Pay for an eligible employee is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s Statutory Parental Bereavement Pay using Basic PAYE tools or guidance on manual calculation.\n\nSome employment types, like agency workers, directors and educational workers, have different rules for entitlement.\n\n## Extra leave or pay\n\nYour company can offer more leave and pay but you can only recover 2 weeks\u2019 payment for each employee and for each death.\n\nYou should make sure your Parental Bereavement Leave and Statutory Parental Bereavement Pay policies are clear and easily accessible to staff.\n\n## Employment rights\n\nAn employee\u2019s rights (like the right to pay rises, holidays and returning to a job) are protected during Parental Bereavement Leave.\n\nYou still have to pay Statutory Parental Bereavement Pay even if you stop trading.\n\n## Eligibility\n\nTo qualify for Parental Bereavement Leave and Statutory Parental Bereavement Pay, an employee must meet the criteria both as a parent (including if they had day to day responsibility) and an employee. They might not be eligible for both.\n\n## If the employee was the child\u2019s parent or the parent\u2019s partner\n\nAn employee will be eligible if, at the time of the child\u2019s death or stillbirth, they were:\n\n- the child\u2019s or baby\u2019s parent - either biological, adoptive or parent of a child born to a surrogate\n\n- the partner of the child\u2019s or baby\u2019s parent\n\nBiological parents are not eligible once an adoption or parental order has been made unless there was a contact order in place after the adoption.\n\n## If the employee was not the child\u2019s parent but had day to day responsibility for the child\n\nAn employee may be eligible if they or their partner had:\n\n- the child or baby living with them at their home for 4 continuous weeks, ending with the date of the death\n\n- day to day responsibility for the child or baby\u2019s care during that time\n\nIf the employee or their partner was paid to look after the child, they\u2019re not entitled to leave or pay unless they were:\n\n- a foster parent paid a fee or allowance by a local authority\n\n- reimbursed for expenses to do with the care of the child or baby\n\n- getting payments under the terms of a will or trust for the child or baby\u2019s care\n\nAn employee is not eligible if one of the child or baby\u2019s parents or someone who had parental responsibility (parental responsibilities in Scotland) for the child was also living in the household.\n\n## If the employee was an adoptive parent\n\nIf they or their partner was an adoptive parent, an employee is eligible:\n\n- after the adoption order was granted\n\n- before the adoption order was granted, if the child was placed with them for adoption and the placement was not disrupted (for example, being temporarily placed elsewhere) or stopped\n\n## If the employee was an adoptive parent of a child from outside the United Kingdom\n\nIf the employee or their partner was adopting a child from outside the United Kingdom and the court order had not yet been made, they may still be eligible. Both of the following must apply:\n\n- the child was living with them after entering Great Britain\n\n- they have the \u2018official notification\u2019 confirming they were allowed to adopt\n\n## If the employee had a baby with the help of a surrogate parent\n\nIf they or their partner were a parent of a child born to a surrogate, an employee is eligible:\n\n- after a parental order was made\n\n- before a parental order was made if they had applied or intended to apply for a parental order within 6 months of the child\u2019s birth and expected it to be granted\n\n## Parental Bereavement Leave\n\nTo get Parental Bereavement Leave, the employee must also:\n\n- be classed as an employee - it does not matter how long they\u2019ve worked for you\n\n- give you the correct notice for Parental Bereavement Leave\n\n## Statutory Parental Bereavement Pay\n\nTo get Statutory Parental Bereavement Pay, the employee must have been continuously employed by you for at least 26 weeks up to the end of the \u2018relevant week\u2019. The \u2018relevant week\u2019 is the week (ending with a Saturday) immediately before the week of the death or stillbirth.\n\nThey must also:\n\n- remain employed by you up to the day the child dies or is stillborn\n\n- earn on average \u00a3120 a week (gross)\n\n- give you the correct notice for Statutory Parental Bereavement Pay\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the guidance on manual calculation to check entitlement and to work out the relevant week.\n\nThere are special rules for some employee situations, for example if they leave or become sick.\n\n## Notice period\n\nAn employee must give notice for Parental Bereavement Leave as well as evidence for Statutory Parental Bereavement Pay.\n\n## Parental Bereavement Leave\n\nAn employee has 56 weeks to take Parental Bereavement Leave. This starts from the date of the child\u2019s death.\n\nThe 56 weeks is split into 2 periods:\n\n- from the date of the death or stillbirth to 8 weeks after\n\n- 9 to 56 weeks after the date of the death or stillbirth\n\nThey can take 2 weeks\u2019 leave in one block or as 2 separate blocks of one week.\n\nYou must get notice from the employee before they take Parental Bereavement Leave. How much notice depends on when they\u2019re taking leave.\n\n## 0 to 8 weeks after the child\u2019s death or stillbirth\n\nAn employee must give you notice before the time they would normally start work on the first day of the period they want to take off work.\n\n## 9 to 56 weeks after the child\u2019s death or stillbirth\n\nAn employee must give you at least one week\u2019s notice before the start of the week or weeks they want to take off work.\n\n## How employees should give you notice\n\nThey should tell you:\n\n- the date of the child\u2019s death or stillbirth\n\n- when they want their Parental Bereavement Leave to begin\n\n- how much leave they are taking - either 1 or 2 weeks\n\nAn employee can give you notice informally, for example by phone, text message or email.\n\nYou cannot ask for:\n\n- notice for leave in writing (such as following up with an email, letter or form)\n\n- notice to cancel leave in writing\n\n- evidence of entitlement for leave\n\n- details about the employee\u2019s relationship to the child or baby\n\n## Cancelling Parental Bereavement Leave\n\nAn employee can cancel their Parental Bereavement Leave if they\u2019ve given you more than the required notice for taking leave.\n\nIf they were starting the leave within 8 weeks of the death or stillbirth, they must let you know about the cancellation no later than the time they would normally start work on the first day of planned leave.\n\nIf they were starting the leave 9 weeks or later after the death or stillbirth, they must let you know no later than one week before the start of the planned leave.\n\nThey can rebook another week\u2019s leave if they cancel before the leave was due to start and they give you the correct notice.\n\n## Statutory Parental Bereavement Pay\n\nAn employee must ask for Statutory Parental Bereavement Pay within 28 days, starting with the first day of the week they want to claim pay for.\n\nThey must give you in writing (for example, a letter or email) each time:\n\n- the dates of the period the want to claim Statutory Parental Bereavement Pay\n\n- their name\n\n- the date of the child\u2019s death or stillbirth\n\nThe employee will also need to give you a self declaration to confirm they are eligible because of their relationship to the child or baby - they only need to provide this once when they first ask for pay.\n\n## Cancelling Statutory Parental Bereavement Pay\n\nAn employee can cancel their Statutory Parental Bereavement Pay if they\u2019ve given you more than the required notice for claiming pay.\n\nIf their pay was due to start within 8 weeks of the child\u2019s death or stillbirth, they must give you notice on the first day of the week of pay they want to cancel.\n\nIf their pay was due to start 9 weeks or later after the child\u2019s death or stillbirth, they must tell you they want to cancel one week before their pay was due to start.\n\n## Non-payment form\n\nYou can refuse Statutory Parental Bereavement Pay if the employee does not qualify.\n\nTo do this, send them a completed non-payment form (SPBP1) or your own equivalent form within 28 days of their pay request with evidence. You should keep a record of the week which was refused and the reason why.\n\nIf an employee is unhappy with your decision, they can contact the HMRC Statutory Payments Disputes Team. They must do this within 6 months of the start date of the Statutory Parental Bereavement Pay period they claimed.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the start date for any period Statutory Parental Bereavement Pay was paid\n\n- the payments you\u2019ve made (including dates)\n\n- a copy of the evidence of entitlement from the employee for Statutory Parental Bereavement Pay including their written declaration, name and date of the child\u2019s death or stillbirth\n\n- details of any weeks the employee claimed Statutory Parental Bereavement Pay but you did not pay and the reason why\n\nYou must keep records for 3 years from the end of the tax year they relate to.\n\nYou can use HMRC\u2019s record keeping form (SPBP2) or your own.\n\n## Get help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments\n\n- apply for an advance if you cannot afford payments\n\n## Apply for an advance if you cannot afford payments\n\nYou can apply online for an advance to pay for an employee\u2019s Statutory Parental Bereavement Pay.\n\nBefore you start, you\u2019ll need:\n\n- your employer PAYE reference\n\n- your payment or account office reference numbers - this is on the letter when you first registered as an employer\n\n- the amount of tax or National Insurance owed to HM Revenue and Customs (HMRC)\n\n- bank or building society details for you or the third party it\u2019s being paid to\n\n- a completed R38 form if the advance is being paid to a third party\n\nYou\u2019ll also need information about the employee including their:\n\n- National Insurance number\n\n- average weekly earnings\n\n- parental bereavement leave and pay arrangements - you can get this information from their self declaration\n\nYour advance can be paid either by BACS or payable order.\n\nContact HMRC if you\u2019ve got questions about advance payments.\n\n## Apply online\n\nApply online for an advance if you have a Government Gateway user ID and password.\n\nIf you do not have a Government Gateway user ID and password, you can apply online for an advance using a valid email address.\n\n## After you\u2019ve applied\n\nIf the advance is being paid to a third party and you\u2019re sending a completed R38 form by post, send it to HMRC within 4 weeks of applying for an advance.\n\nOnce your application has been approved, the money will be paid to the bank or building society account you provided or you\u2019ll be sent a cheque (payable order), depending on which payment option you chose.\n\nIf there are any issues with your application, HMRC will contact you directly.\n\n## Paying back your advance payment\n\nYou\u2019ll need to pay back your advance payment through Employer Payment Summary (EPS).", + "original_contents": [ + "

    Overview

    ", + "

    An employee may be eligible for Parental Bereavement Leave and Statutory Parental Bereavement Pay if they or their partner either:

    ", + "
  • has a child who has died under 18 years old
  • ", + "
  • had a stillbirth after 24 weeks of pregnancy
  • ", + "

    The death or stillbirth must have happened on or after 6 April 2020.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Statutory Parental Bereavement Leave

    ", + "

    An employee can take 2 weeks\u2019 leave from the first day of their employment for each child who has died or was stillborn.

    ", + "

    They can choose to take:

    ", + "
  • 2 weeks together
  • ", + "
  • 2 separate weeks of leave
  • ", + "
  • only one week of leave
  • ", + "

    The leave:

    ", + "
  • can start on or after the date of the death or stillbirth
  • ", + "
  • must finish within 56 weeks of the date of the death or stillbirth
  • ", + "

    Taking leave with other types of statutory leave

    ", + "

    If the employee was on another type of statutory leave when the death or stillbirth happened, Parental Bereavement Leave must start after that other leave has ended. This includes if the statutory leave is for another child.

    ", + "

    If an employee\u2019s Parental Bereavement Leave is interrupted by the start of another type of statutory leave, they can take their remaining entitlement to Parental Bereavement Leave after that other leave has ended.

    ", + "

    The remaining Parental Bereavement Leave must still be taken within 56 weeks of the date of death or stillbirth.

    ", + "

    Parental Bereavement Leave can be taken between blocks of shared parental leave which had already been booked when the child died, even if the shared parental leave is for another child.

    ", + "

    Statutory Parental Bereavement Pay

    ", + "

    Statutory Parental Bereavement Pay for an eligible employee is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.

    ", + "

    Calculate an employee\u2019s Statutory Parental Bereavement Pay using Basic PAYE tools or guidance on manual calculation.

    ", + "

    Some employment types, like agency workers, directors and educational workers, have different rules for entitlement.

    ", + "

    Extra leave or pay

    ", + "

    Your company can offer more leave and pay but you can only recover 2 weeks\u2019 payment for each employee and for each death.

    ", + "

    You should make sure your Parental Bereavement Leave and Statutory Parental Bereavement Pay policies are clear and easily accessible to staff.

    ", + "

    Employment rights

    ", + "

    An employee\u2019s rights (like the right to pay rises, holidays and returning to a job) are protected during Parental Bereavement Leave.

    ", + "

    You still have to pay Statutory Parental Bereavement Pay even if you stop trading.

    ", + "

    Eligibility

    ", + "

    To qualify for Parental Bereavement Leave and Statutory Parental Bereavement Pay, an employee must meet the criteria both as a parent (including if they had day to day responsibility) and an employee. They might not be eligible for both.

    ", + "

    If the employee was the child\u2019s parent or the parent\u2019s partner

    ", + "

    An employee will be eligible if, at the time of the child\u2019s death or stillbirth, they were:

    ", + "
  • the child\u2019s or baby\u2019s parent - either biological, adoptive or parent of a child born to a surrogate
  • ", + "
  • the partner of the child\u2019s or baby\u2019s parent
  • ", + "

    Biological parents are not eligible once an adoption or parental order has been made unless there was a contact order in place after the adoption.

    ", + "

    If the employee was not the child\u2019s parent but had day to day responsibility for the child

    ", + "

    An employee may be eligible if they or their partner had:

    ", + "
  • the child or baby living with them at their home for 4 continuous weeks, ending with the date of the death
  • ", + "
  • day to day responsibility for the child or baby\u2019s care during that time
  • ", + "

    If the employee or their partner was paid to look after the child, they\u2019re not entitled to leave or pay unless they were:

    ", + "
  • a foster parent paid a fee or allowance by a local authority
  • ", + "
  • reimbursed for expenses to do with the care of the child or baby
  • ", + "
  • getting payments under the terms of a will or trust for the child or baby\u2019s care
  • ", + "

    An employee is not eligible if one of the child or baby\u2019s parents or someone who had parental responsibility (parental responsibilities in Scotland) for the child was also living in the household.

    ", + "

    If the employee was an adoptive parent

    ", + "

    If they or their partner was an adoptive parent, an employee is eligible:

    ", + "
  • after the adoption order was granted
  • ", + "
  • before the adoption order was granted, if the child was placed with them for adoption and the placement was not disrupted (for example, being temporarily placed elsewhere) or stopped
  • ", + "

    If the employee was an adoptive parent of a child from outside the United Kingdom

    ", + "

    If the employee or their partner was adopting a child from outside the United Kingdom and the court order had not yet been made, they may still be eligible. Both of the following must apply:

    ", + "
  • the child was living with them after entering Great Britain
  • ", + "
  • they have the \u2018official notification\u2019 confirming they were allowed to adopt
  • ", + "

    If the employee had a baby with the help of a surrogate parent

    ", + "

    If they or their partner were a parent of a child born to a surrogate, an employee is eligible:

    ", + "
  • after a parental order was made
  • ", + "
  • before a parental order was made if they had applied or intended to apply for a parental order within 6 months of the child\u2019s birth and expected it to be granted
  • ", + "

    Parental Bereavement Leave

    ", + "

    To get Parental Bereavement Leave, the employee must also:

    ", + "
  • be classed as an employee - it does not matter how long they\u2019ve worked for you
  • ", + "
  • give you the correct notice for Parental Bereavement Leave
  • ", + "

    Statutory Parental Bereavement Pay

    ", + "

    To get Statutory Parental Bereavement Pay, the employee must have been continuously employed by you for at least 26 weeks up to the end of the \u2018relevant week\u2019. The \u2018relevant week\u2019 is the week (ending with a Saturday) immediately before the week of the death or stillbirth.

    ", + "

    They must also:

    ", + "
  • remain employed by you up to the day the child dies or is stillborn
  • ", + "
  • earn on average \u00a3120 a week (gross)
  • ", + "
  • give you the correct notice for Statutory Parental Bereavement Pay
  • ", + "

    If your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    Use the guidance on manual calculation to check entitlement and to work out the relevant week.

    ", + "

    There are special rules for some employee situations, for example if they leave or become sick.

    ", + "

    Notice period

    ", + "

    An employee must give notice for Parental Bereavement Leave as well as evidence for Statutory Parental Bereavement Pay.

    ", + "

    Parental Bereavement Leave

    ", + "

    An employee has 56 weeks to take Parental Bereavement Leave. This starts from the date of the child\u2019s death.

    ", + "

    The 56 weeks is split into 2 periods:

    ", + "
  • from the date of the death or stillbirth to 8 weeks after
  • ", + "
  • 9 to 56 weeks after the date of the death or stillbirth
  • ", + "

    They can take 2 weeks\u2019 leave in one block or as 2 separate blocks of one week.

    ", + "

    You must get notice from the employee before they take Parental Bereavement Leave. How much notice depends on when they\u2019re taking leave.

    ", + "

    0 to 8 weeks after the child\u2019s death or stillbirth

    ", + "

    An employee must give you notice before the time they would normally start work on the first day of the period they want to take off work.

    ", + "

    9 to 56 weeks after the child\u2019s death or stillbirth

    ", + "

    An employee must give you at least one week\u2019s notice before the start of the week or weeks they want to take off work.

    ", + "

    How employees should give you notice

    ", + "

    They should tell you:

    ", + "
  • the date of the child\u2019s death or stillbirth
  • ", + "
  • when they want their Parental Bereavement Leave to begin
  • ", + "
  • how much leave they are taking - either 1 or 2 weeks
  • ", + "

    An employee can give you notice informally, for example by phone, text message or email.

    ", + "

    You cannot ask for:

    ", + "
  • notice for leave in writing (such as following up with an email, letter or form)
  • ", + "
  • notice to cancel leave in writing
  • ", + "
  • evidence of entitlement for leave
  • ", + "
  • details about the employee\u2019s relationship to the child or baby
  • ", + "

    Cancelling Parental Bereavement Leave

    ", + "

    An employee can cancel their Parental Bereavement Leave if they\u2019ve given you more than the required notice for taking leave.

    ", + "

    If they were starting the leave within 8 weeks of the death or stillbirth, they must let you know about the cancellation no later than the time they would normally start work on the first day of planned leave.

    ", + "

    If they were starting the leave 9 weeks or later after the death or stillbirth, they must let you know no later than one week before the start of the planned leave.

    ", + "

    They can rebook another week\u2019s leave if they cancel before the leave was due to start and they give you the correct notice.

    ", + "

    Statutory Parental Bereavement Pay

    ", + "

    An employee must ask for Statutory Parental Bereavement Pay within 28 days, starting with the first day of the week they want to claim pay for.

    ", + "

    They must give you in writing (for example, a letter or email) each time:

    ", + "
  • the dates of the period the want to claim Statutory Parental Bereavement Pay
  • ", + "
  • their name
  • ", + "
  • the date of the child\u2019s death or stillbirth
  • ", + "

    The employee will also need to give you a self declaration to confirm they are eligible because of their relationship to the child or baby - they only need to provide this once when they first ask for pay.

    ", + "

    Cancelling Statutory Parental Bereavement Pay

    ", + "

    An employee can cancel their Statutory Parental Bereavement Pay if they\u2019ve given you more than the required notice for claiming pay.

    ", + "

    If their pay was due to start within 8 weeks of the child\u2019s death or stillbirth, they must give you notice on the first day of the week of pay they want to cancel.

    ", + "

    If their pay was due to start 9 weeks or later after the child\u2019s death or stillbirth, they must tell you they want to cancel one week before their pay was due to start.

    ", + "

    Non-payment form

    ", + "

    You can refuse Statutory Parental Bereavement Pay if the employee does not qualify.

    ", + "

    To do this, send them a completed non-payment form (SPBP1) or your own equivalent form within 28 days of their pay request with evidence. You should keep a record of the week which was refused and the reason why.

    ", + "

    If an employee is unhappy with your decision, they can contact the HMRC Statutory Payments Disputes Team. They must do this within 6 months of the start date of the Statutory Parental Bereavement Pay period they claimed.

    ", + "

    Record keeping

    ", + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • the start date for any period Statutory Parental Bereavement Pay was paid
  • ", + "
  • the payments you\u2019ve made (including dates)
  • ", + "
  • a copy of the evidence of entitlement from the employee for Statutory Parental Bereavement Pay including their written declaration, name and date of the child\u2019s death or stillbirth
  • ", + "
  • details of any weeks the employee claimed Statutory Parental Bereavement Pay but you did not pay and the reason why
  • ", + "

    You must keep records for 3 years from the end of the tax year they relate to.

    ", + "

    You can use HMRC\u2019s record keeping form (SPBP2) or your own.

    ", + "

    Get help with statutory pay

    ", + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments
  • ", + "
  • apply for an advance if you cannot afford payments
  • ", + "

    Apply for an advance if you cannot afford payments

    ", + "

    You can apply online for an advance to pay for an employee\u2019s Statutory Parental Bereavement Pay.

    ", + "

    Before you start, you\u2019ll need:

    ", + "
  • your employer PAYE reference
  • ", + "
  • your payment or account office reference numbers - this is on the letter when you first registered as an employer
  • ", + "
  • the amount of tax or National Insurance owed to HM Revenue and Customs (HMRC)
  • ", + "
  • bank or building society details for you or the third party it\u2019s being paid to
  • ", + "
  • a completed R38 form if the advance is being paid to a third party
  • ", + "

    You\u2019ll also need information about the employee including their:

    ", + "
  • National Insurance number
  • ", + "
  • average weekly earnings
  • ", + "
  • parental bereavement leave and pay arrangements - you can get this information from their self declaration
  • ", + "

    Your advance can be paid either by BACS or payable order.

    ", + "

    Contact HMRC if you\u2019ve got questions about advance payments.

    ", + "

    Apply online

    ", + "

    Apply online for an advance if you have a Government Gateway user ID and password.

    ", + "

    If you do not have a Government Gateway user ID and password, you can apply online for an advance using a valid email address.

    ", + "

    After you\u2019ve applied

    ", + "

    If the advance is being paid to a third party and you\u2019re sending a completed R38 form by post, send it to HMRC within 4 weeks of applying for an advance.

    ", + "

    Once your application has been approved, the money will be paid to the bank or building society account you provided or you\u2019ll be sent a cheque (payable order), depending on which payment option you chose.

    ", + "

    If there are any issues with your application, HMRC will contact you directly.

    ", + "

    Paying back your advance payment

    ", + "

    You\u2019ll need to pay back your advance payment through Employer Payment Summary (EPS).

    " + ] + }, + "https://www.gov.uk/employers-paternity-pay-leave": { + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "title": "Statutory Paternity Pay and Leave: employer guide", + "content": "## Entitlement\n\nEmployees may be eligible for Statutory Paternity Leave and Pay if they and their partner are:\n\n- having a baby\n\n- adopting a child\n\n- having a baby through a surrogacy arrangement\n\n## Statutory Paternity Leave\n\nEmployees can choose to take either 1 week or 2 consecutive weeks\u2019 leave. The amount of time is the same even if they have more than one child (for example twins).\n\nLeave cannot start before the birth. The start date must be one of the following:\n\n- the actual date of birth\n\n- an agreed number of days after the birth\n\n- an agreed number of days after the expected week of childbirth\n\nLeave must finish within 56 days of the birth (or due date if the baby is early). The start and end dates are different if the employee is adopting.\n\n## Statutory Paternity Pay\n\nStatutory Paternity Pay for eligible employees is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator.\n\nSome employment types, like agency workers, directors and educational workers, have different rules for entitlement.\n\n## Extra leave or pay\n\nEmployees can get more leave or pay if:\n\n- their partner returns to work and they qualify for Shared Parental Leave and Pay\n\n- your company scheme offers more\n\nYou must make sure your paternity leave and pay policies are clear and easily accessible to staff.\n\n## Leave for antenatal appointments\n\nEmployees can take unpaid leave to accompany a pregnant woman to antenatal appointments if they are:\n\n- the baby\u2019s father\n\n- the expectant mother\u2019s spouse or civil partner\n\n- in a long term relationship with the expectant mother\n\n- the intended parent (if they\u2019re having a baby through a surrogacy arrangement)\n\nThey can accompany the woman to 2 appointments of up to 6 and a half hours each.\n\n## If the baby dies\n\nEmployees still qualify for paternity leave and pay if the baby is either:\n\n- stillborn from 24 weeks of pregnancy\n\n- born alive at any point in the pregnancy but later dies\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during paternity leave. You still have to pay Statutory Paternity Pay even if you stop trading.\n\n## Eligibility\n\nEmployees must be one of the following, the:\n\n- father\n\n- husband or partner of the mother (or adopter)\n\n- child\u2019s adopter\n\n- intended parent (if they\u2019re having a baby through a surrogacy arrangement)\n\nEmployees must also:\n\n- be classed as an employee (paternity leave only)\n\n- be employed by you up to the date the child is born (or placed with the adopter) (paternity pay only)\n\n- be on your payroll and earn at least \u00a3120 a week (gross) in an 8 week \u2018relevant period\u2019 (paternity pay only)\n\n- give you the correct notice\n\n- be taking time off to look after the child or their partner\n\n- be responsible for the child\u2019s upbringing\n\n- have been continuously employed by you for at least 26 weeks up to any day in the \u2018qualifying week\u2019\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nThe qualifying week is the 15th week before the baby is due. This is different if the employee is adopting.\n\nUse the paternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and paternity pay.\n\nThere are special rules for some employee situations, for example if they leave or become sick.\n\n## If the child is born early\n\nIf the child is born early, the employee is still eligible if they would have worked for you continuously for at least 26 weeks by the qualifying week.\n\nFor very premature births where the child is born 15 weeks before the due date, you\u2019ll need to calculate paternity pay using your payroll software (if it has this feature) or work it out manually.\n\n## Employees in surrogacy arrangements\n\nParents intending to have a child through a surrogacy arrangement may be eligible for Statutory Paternity Pay and Leave.\n\nIf you ask, they must give you a written statement to confirm that they\u2019ve applied or intend to apply for a parental order in the 6 months after the baby\u2019s birth.\n\nEmployees cannot get Statutory Paternity Pay and Leave if they\u2019ve taken Shared Parental Leave.\n\n## Notice period\n\nThe notice periods and forms are different if the employee is adopting.\n\n## Statutory Paternity Leave\n\nEmployees must tell you at least 15 weeks before the week the baby is expected:\n\n- the baby\u2019s due date\n\n- when they want their leave to start - they can change this with 28 days\u2019 notice\n\n- how much leave they want\n\nNotice does not have to be in writing unless you request it. Employees can use form SC3 to ask for leave and pay.\n\n## Statutory Paternity Pay\n\nEmployees must request paternity pay at least 15 weeks before the week the baby is expected using form SC3 (or your own version). Take a copy and give the original back to the employee.\n\nEmployees having a baby through a surrogacy arrangement must use form SC4 to request leave and pay.\n\n## Late notice\n\nYou can delay the leave or pay start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.\n\n## Adoption\n\nEligible employees are entitled to paternity leave and pay if they\u2019re adopting a child.\n\nCalculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator. For overseas adoptions you\u2019ll need to use your payroll software (if it has this feature) or work it out manually.\n\n## Eligibility\n\nAn employee adopting a child must:\n\n- have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child (UK adoptions)\n\n- have been continuously employed by you for at least 26 weeks by either the date the child arrives in the UK or when they want their pay to start (overseas adoptions)\n\n- confirm that their partner is getting Statutory Adoption Pay in writing or by giving you a copy of their partner\u2019s form SC6\n\n- meet the other eligibility conditions for paternity leave or pay\n\n## Notice period\n\nAn employee adopting a child must send you form SC4 for:\n\n- leave - no later than 7 days of their co-adopter or partner being matched with a child\n\n- pay - 28 days before they want their pay to start\n\nFor overseas adoptions the form and notice period is different. The process is explained on form SC5.\n\n## Leave start date\n\nAn employee taking paternity leave because they\u2019re adopting can start their leave:\n\n- on the date of placement\n\n- an agreed number of days after the date of placement\n\n- on the date the child arrives in the UK or an agreed number of days after this (overseas adoptions)\n\nFor overseas adoptions leave must be taken within 56 days of the date of placement or the child\u2019s arrival in the UK.\n\n## Proof of adoption\n\nEmployees must give you proof of adoption to qualify for paternity pay. Proof is not needed for paternity leave unless you request it. Proof can be a letter from their adoption agency or their matching certificate.\n\nYou must keep records of the proof.\n\n## Refuse pay form SPP1\n\nYou can refuse Statutory Paternity Pay if the employee does not qualify. To do this send them form SPP1 within 28 days of their pay request. You must keep a copy.\n\nThe employee can ask you for a written statement explaining your decision. You have to give this to them within a reasonable time, for example 7 working days.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the date Statutory Paternity Pay started\n\n- the paternity payments you\u2019ve made (including dates)\n\n- the payments you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\n- if adopting, a letter from the adoption agency or a matching certificate\n\nYou must keep records for 3 years from the end of the tax year they relate to (for example by using form SPP2 or keeping your own records).\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "original_contents": [ + "

    Entitlement

    ", + "

    Employees may be eligible for Statutory Paternity Leave and Pay if they and their partner are:

    ", + "
  • having a baby
  • ", + "
  • adopting a child
  • ", + "
  • having a baby through a surrogacy arrangement
  • ", + "

    Statutory Paternity Leave

    ", + "

    Employees can choose to take either 1 week or 2 consecutive weeks\u2019 leave. The amount of time is the same even if they have more than one child (for example twins).

    ", + "

    Leave cannot start before the birth. The start date must be one of the following:

    ", + "
  • the actual date of birth
  • ", + "
  • an agreed number of days after the birth
  • ", + "
  • an agreed number of days after the expected week of childbirth
  • ", + "

    Leave must finish within 56 days of the birth (or due date if the baby is early). The start and end dates are different if the employee is adopting.

    ", + "

    Statutory Paternity Pay

    ", + "

    Statutory Paternity Pay for eligible employees is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.

    ", + "

    Calculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator.

    ", + "

    Some employment types, like agency workers, directors and educational workers, have different rules for entitlement.

    ", + "

    Extra leave or pay

    ", + "

    Employees can get more leave or pay if:

    ", + "
  • their partner returns to work and they qualify for Shared Parental Leave and Pay
  • ", + "
  • your company scheme offers more
  • ", + "

    You must make sure your paternity leave and pay policies are clear and easily accessible to staff.

    ", + "

    Leave for antenatal appointments

    ", + "

    Employees can take unpaid leave to accompany a pregnant woman to antenatal appointments if they are:

    ", + "
  • the baby\u2019s father
  • ", + "
  • the expectant mother\u2019s spouse or civil partner
  • ", + "
  • in a long term relationship with the expectant mother
  • ", + "
  • the intended parent (if they\u2019re having a baby through a surrogacy arrangement)
  • ", + "

    They can accompany the woman to 2 appointments of up to 6 and a half hours each.

    ", + "

    If the baby dies

    ", + "

    Employees still qualify for paternity leave and pay if the baby is either:

    ", + "
  • stillborn from 24 weeks of pregnancy
  • ", + "
  • born alive at any point in the pregnancy but later dies
  • ", + "

    Employment rights

    ", + "

    An employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during paternity leave. You still have to pay Statutory Paternity Pay even if you stop trading.

    ", + "

    Eligibility

    ", + "

    Employees must be one of the following, the:

    ", + "
  • father
  • ", + "
  • husband or partner of the mother (or adopter)
  • ", + "
  • child\u2019s adopter
  • ", + "
  • intended parent (if they\u2019re having a baby through a surrogacy arrangement)
  • ", + "

    Employees must also:

    ", + "
  • be classed as an employee (paternity leave only)
  • ", + "
  • be employed by you up to the date the child is born (or placed with the adopter) (paternity pay only)
  • ", + "
  • be on your payroll and earn at least \u00a3120 a week (gross) in an 8 week \u2018relevant period\u2019 (paternity pay only)
  • ", + "
  • give you the correct notice
  • ", + "
  • be taking time off to look after the child or their partner
  • ", + "
  • be responsible for the child\u2019s upbringing
  • ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • ", + "

    If your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.

    ", + "

    The qualifying week is the 15th week before the baby is due. This is different if the employee is adopting.

    ", + "

    Use the paternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and paternity pay.

    ", + "

    There are special rules for some employee situations, for example if they leave or become sick.

    ", + "

    If the child is born early

    ", + "

    If the child is born early, the employee is still eligible if they would have worked for you continuously for at least 26 weeks by the qualifying week.

    ", + "

    For very premature births where the child is born 15 weeks before the due date, you\u2019ll need to calculate paternity pay using your payroll software (if it has this feature) or work it out manually.

    ", + "

    Employees in surrogacy arrangements

    ", + "

    Parents intending to have a child through a surrogacy arrangement may be eligible for Statutory Paternity Pay and Leave.

    ", + "

    If you ask, they must give you a written statement to confirm that they\u2019ve applied or intend to apply for a parental order in the 6 months after the baby\u2019s birth.

    ", + "

    Employees cannot get Statutory Paternity Pay and Leave if they\u2019ve taken Shared Parental Leave.

    ", + "

    Notice period

    ", + "

    The notice periods and forms are different if the employee is adopting.

    ", + "

    Statutory Paternity Leave

    ", + "

    Employees must tell you at least 15 weeks before the week the baby is expected:

    ", + "
  • the baby\u2019s due date
  • ", + "
  • when they want their leave to start - they can change this with 28 days\u2019 notice
  • ", + "
  • how much leave they want
  • ", + "

    Notice does not have to be in writing unless you request it. Employees can use form SC3 to ask for leave and pay.

    ", + "

    Statutory Paternity Pay

    ", + "

    Employees must request paternity pay at least 15 weeks before the week the baby is expected using form SC3 (or your own version). Take a copy and give the original back to the employee.

    ", + "

    Employees having a baby through a surrogacy arrangement must use form SC4 to request leave and pay.

    ", + "

    Late notice

    ", + "

    You can delay the leave or pay start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.

    ", + "

    Adoption

    ", + "

    Eligible employees are entitled to paternity leave and pay if they\u2019re adopting a child.

    ", + "

    Calculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator. For overseas adoptions you\u2019ll need to use your payroll software (if it has this feature) or work it out manually.

    ", + "

    Eligibility

    ", + "

    An employee adopting a child must:

    ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child (UK adoptions)
  • ", + "
  • have been continuously employed by you for at least 26 weeks by either the date the child arrives in the UK or when they want their pay to start (overseas adoptions)
  • ", + "
  • confirm that their partner is getting Statutory Adoption Pay in writing or by giving you a copy of their partner\u2019s form SC6
  • ", + "
  • meet the other eligibility conditions for paternity leave or pay
  • ", + "

    Notice period

    ", + "

    An employee adopting a child must send you form SC4 for:

    ", + "
  • leave - no later than 7 days of their co-adopter or partner being matched with a child
  • ", + "
  • pay - 28 days before they want their pay to start
  • ", + "

    For overseas adoptions the form and notice period is different. The process is explained on form SC5.

    ", + "

    Leave start date

    ", + "

    An employee taking paternity leave because they\u2019re adopting can start their leave:

    ", + "
  • on the date of placement
  • ", + "
  • an agreed number of days after the date of placement
  • ", + "
  • on the date the child arrives in the UK or an agreed number of days after this (overseas adoptions)
  • ", + "

    For overseas adoptions leave must be taken within 56 days of the date of placement or the child\u2019s arrival in the UK.

    ", + "

    Proof of adoption

    ", + "

    Employees must give you proof of adoption to qualify for paternity pay. Proof is not needed for paternity leave unless you request it. Proof can be a letter from their adoption agency or their matching certificate.

    ", + "

    You must keep records of the proof.

    ", + "

    Refuse pay form SPP1

    ", + "

    You can refuse Statutory Paternity Pay if the employee does not qualify. To do this send them form SPP1 within 28 days of their pay request. You must keep a copy.

    ", + "

    The employee can ask you for a written statement explaining your decision. You have to give this to them within a reasonable time, for example 7 working days.

    ", + "

    Record keeping

    ", + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • the date Statutory Paternity Pay started
  • ", + "
  • the paternity payments you\u2019ve made (including dates)
  • ", + "
  • the payments you\u2019ve reclaimed
  • ", + "
  • any weeks you did not pay and why
  • ", + "
  • if adopting, a letter from the adoption agency or a matching certificate
  • ", + "

    You must keep records for 3 years from the end of the tax year they relate to (for example by using form SPP2 or keeping your own records).

    ", + "

    Help with statutory pay

    ", + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments (usually 92%)
  • ", + "
  • apply for an advance if you cannot afford payments
  • " + ] + }, + "https://www.gov.uk/employers-sick-pay": { + "url": "https://www.gov.uk/employers-sick-pay", + "title": "Statutory Sick Pay (SSP): employer guide", + "content": "## Overview\n\nYour employees may be eligible for Statutory Sick Pay (SSP), which is \u00a396.35 a week for up to 28 weeks.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can offer more if you have a company sick pay scheme (you cannot offer less). Company schemes are also called \u2018contractual\u2019 or \u2018occupational\u2019 sick pay and must be included in an employment contract.\n\nThere\u2019s a separate guide to Statutory Sick Pay if you\u2019re an employee.\n\n## If your employee is off work because of coronavirus (COVID-19)\n\nYou must pay an employee SSP if they\u2019re self-isolating and off work for at least 4 days and any of the following apply:\n\n- they or someone they live with has COVID-19 symptoms or has tested positive for COVID-19\n\n- they\u2019ve been notified by the NHS or public health authorities that they\u2019ve been in contact with someone with COVID-19\n\n- someone in their support bubble (or your \u2018extended household\u2019 if you live in Scotland or Wales) has COVID-19 symptoms or has tested positive for COVID-19\n\n- they\u2019ve been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nYou must pay your employee from the first \u2018qualifying day\u2019 they\u2019re off work. The date will depend on why they\u2019re off work.\n\nYou must pay them on or after one of the following dates:\n\n- 13 March 2020 - if they or someone they live with has symptoms or has tested positive for COVID-19\n\n- 28 May 2020 - if your employee has been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19\n\n- 6 July 2020 - if someone in their support bubble (or extended household in Scotland or Wales) has symptoms or has tested positive for COVID-19\n\n- 26 August 2020 - if your employee has been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nA \u2018qualifying day\u2019 is a day an employee usually works on.\n\n## Reclaiming SSP\n\nYou can reclaim up to 2 weeks\u2019 SSP if all of the following apply:\n\n- your employee was off work because they had COVID-19 or were self-isolating\n\n- your employee was off work because they were shielding - before 26 April 2021 in Scotland, before 12 April 2021 in Northern Ireland and before 1 April 2021 in England and Wales\n\n- your PAYE payroll scheme started on or before 28 February 2020\n\n- you had fewer than 250 employees on 28 February 2020\n\nYou can reclaim up to \u00a396.35 a week for each employee.\n\nYou cannot reclaim SSP if your employee is off sick for any other reason.\n\nFind out what other support you can get if your business is affected by COVID-19.\n\n## Holiday (or \u2018annual leave\u2019)\n\nStatutory annual leave is accrued while the employee is off work sick (no matter how long they\u2019re off) and can be taken during sick leave.\n\n## Entitlement\n\nThe weekly rate for Statutory Sick Pay (SSP) is \u00a396.35 for up to 28 weeks. It is paid:\n\n- for the days an employee normally works - called \u2018qualifying days\u2019\n\n- in the same way as wages, for example on the normal payday, deducting tax and National insurance\n\nUse the SSP calculator to work out the actual amount, for example for a daily rate.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement. You may still have to pay SSP even if you stop trading.\n\nYou cannot force your employees to take annual leave when they\u2019re eligible for sick leave.\n\n## When to start paying SSP\n\nSSP is paid when the employee is sick for at least 4 days in a row (including non-working days).\n\nYou cannot count a day as a sick day if an employee has worked for a minute or more before they go home sick.\n\nIf an employee works a shift that ends the day after it started and becomes sick during the shift or after it has finished, the second day will count as a sick day.\n\n## If your employee is off sick or self-isolating because of coronavirus (COVID-19) or has tested positive for COVID-19\n\nFrom 13 March 2020 you start paying SSP from the first \u2018qualifying day\u2019 an employee is off work, as long as they are off for at least 4 days in a row. This includes non-working days.\n\nIf an employee was off sick with COVID-19 symptoms before 13 March, you start paying SSP from the fourth qualifying day.\n\nIf an employee was self-isolating before 13 March because someone they live with had symptoms, you start paying SSP from 13 March.\n\nIf an employee is self-isolating because they\u2019ve been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19, you start paying SSP from 28 May.\n\nIf an employee was self-isolating before 6 July because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19, you start paying SSP from 6 July.\n\nIf an employee is self-isolating because they\u2019ve been advised to do so by a doctor or healthcare professional before going into hospital for surgery, you start paying SSP from 26 August.\n\n## When to stop paying SSP\n\nSSP stops when the employee comes back to work or no longer qualifies.\n\n## Record keeping\n\nYou\u2019ll need to keep records of SSP you\u2019ve paid to an employee who was off work because of COVID-19 if you want to reclaim it.\n\nYou\u2019ll need to keep the following records for 3 years after the end of the tax year you paid SSP:\n\n- the dates the employee was off sick\n\n- which of those dates were qualifying days\n\n- the reason they said they were off work\n\n- the employee\u2019s National Insurance number\n\nYou do not need to keep records of SSP paid to employees who are off sick for another reason.\n\nYou can choose how you keep records of your employees\u2019 sickness absence. HMRC may need to see these records if there\u2019s a dispute over payment of SSP.\n\n## Eligibility and form SSP1\n\nTo qualify for Statutory Sick Pay (SSP) employees must:\n\n- have an employment contract\n\n- have done some work under their contract\n\n- have been sick for 4 or more days in a row (including non-working days) - known as a \u2018period of incapacity for work\u2019\n\n- earn an average of at least \u00a3120 per week\n\n- give you the correct notice\n\n- give you proof of their illness, only after 7 days off\n\nEmployees who have been paid less than 8 weeks of earnings still qualify for SSP. Use the sick pay calculator to work out how much to pay them.\n\nAn employee\u2019s period of incapacity for work is not interrupted if they take annual leave during that time.\n\nEmployees can qualify for sick pay from more than one job.\n\nThey could also qualify in one job but be fit for work in another, for example if one job is physical work that they cannot do while ill but the other is office-based.\n\n## Coronavirus (COVID-19) eligibility\n\nYour employees qualify for SSP if they meet the criteria and cannot work if any of the following apply:\n\n- were self-isolating on or after 13 March 2020 because they or someone they live with had COVID-19 or symptoms of COVID-19\n\n- started self-isolating on or after 28 May 2020 because they were notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19\n\n- were self-isolating on or after 6 July 2020 because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19\n\n- have tested positive for COVID-19 since 5 August 2020\n\n- were self-isolating on or after 26 August because they had been advised to do so by a doctor or healthcare professional before going into hospital for surgery\n\nEmployees will not qualify for SSP if they are self-isolating after entering or returning to the UK, and do not need to self-isolate for any other reason.\n\n## Exceptions\n\nEmployees do not qualify for SSP if they:\n\n- have received the maximum amount of SSP (28 weeks)\n\n- are getting Statutory Maternity Pay or Maternity Allowance - there are special rules for pregnant women and new mothers who do not get these payments\n\n- are off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that their baby is due\n\n- were in custody or on strike on the first day of sickness (including any linked periods)\n\n- are working outside the EU and you\u2019re not liable for their National Insurance contributions\n\n- received Employment and Support Allowance within 12 weeks of starting or returning to work for you\n\nUse the SSP calculator to check eligibility.\n\n## Linked periods of sickness\n\nIf your employee has regular periods of sickness, they may count as \u2018linked\u2019. To be linked, the periods must:\n\n- last 4 or more days each\n\n- be 8 weeks or less apart\n\nYour employee is no longer eligible for SSP if they have a continuous series of linked periods that lasts more than 3 years.\n\n## If an employee is not eligible or their SSP ends\n\nEmployees may be able to apply for Universal Credit or Employment and Support Allowance (ESA). They use form SSP1 to support their application.\n\nIf your employee\u2019s SSP is ending you must send them form SSP1 either:\n\n- within 7 days of their SSP ending, if it ends unexpectedly while they\u2019re still sick\n\n- on or before the beginning of the 23rd week, if their SSP is expected to end before their sickness does\n\nIf your employee does not qualify for SSP you must send them form SSP1 within 7 days of them going off sick.\n\nIf your employee thinks this is unfair, they can appeal to HMRC - the form tells them how to do this.\n\n## Long-term illness\n\nYou can complete form SSP1 before the end of SSP if you know an employee will be off sick for more than 28 weeks. This means they can apply for ESA before their SSP comes to an end.\n\n## Notice and fit notes\n\n## Notice\n\nThe employee should tell you they\u2019re sick within the time limit set by you, or 7 days if you do not have one. You cannot:\n\n- insist they tell you in person or on a special form\n\n- ask them for proof of their sickness until they have been off for 7 days (including non-working days)\n\nYou do not have to pay Statutory Sick Pay (SSP) for any days the employee was late in telling you (unless there\u2019s a good reason for the delay).\n\n## If an employee was shielding because of coronavirus (COVID-19)\n\nShielding has stopped in the UK.\n\nAn employee can no longer apply for a new shielding note or a replacement shielding note.\n\n## Fit notes and asking for proof\n\nAfter 7 days off sick (including non-working days) you can ask the employee for proof of their sickness. This could be:\n\n- an isolation note from NHS 111 - if they are self-isolating and cannot work because of COVID-19\n\n- the notification from the NHS or public health authorities if they are self-isolating because they\u2019ve come into contact with someone with COVID-19\n\n- a letter or shielding note that they got from their doctor or health authority, or the government, advising them to shield\n\n- a letter from their doctor or healthcare professional confirming the date of their procedure if they\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a fit note from their doctor or a hospital (sometimes called a sick note) - if they have any other illness\n\nIf you agree, they can give you a report from a physiotherapist, podiatrist or occupational therapist, (called an Allied Health Professional (AHP) Health and Work report).\n\nYou cannot withhold SSP if the employee is late sending you a fit note or isolation note.\n\nIf your employee is off sick frequently or for a long time, HMRC has information about getting medical advice.\n\n## Help with sick pay\n\n## Reclaiming Statutory Sick Pay\n\nYou may be able to reclaim Statutory Sick Pay (SSP) if your employee is off work because of coronavirus (COVID-19).\n\n## If you\u2019re insolvent\n\nHMRC will pay SSP for any employee who continues to work for you if they were sick when you became insolvent. Tell your employee to contact the Statutory Payment Disputes Team.\n\nIf their sickness continues and you terminate their contract, give them a completed SSP1 form so they can claim Employment and Support Allowance instead.", + "original_contents": [ + "

    Overview

    ", + "

    Your employees may be eligible for Statutory Sick Pay (SSP), which is \u00a396.35 a week for up to 28 weeks.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You can offer more if you have a company sick pay scheme (you cannot offer less). Company schemes are also called \u2018contractual\u2019 or \u2018occupational\u2019 sick pay and must be included in an employment contract.

    ", + "

    There\u2019s a separate guide to Statutory Sick Pay if you\u2019re an employee.

    ", + "

    If your employee is off work because of coronavirus (COVID-19)

    ", + "

    You must pay an employee SSP if they\u2019re self-isolating and off work for at least 4 days and any of the following apply:

    ", + "
  • they or someone they live with has COVID-19 symptoms or has tested positive for COVID-19
  • ", + "
  • they\u2019ve been notified by the NHS or public health authorities that they\u2019ve been in contact with someone with COVID-19
  • ", + "
  • someone in their support bubble (or your \u2018extended household\u2019 if you live in Scotland or Wales) has COVID-19 symptoms or has tested positive for COVID-19
  • ", + "
  • they\u2019ve been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery
  • ", + "

    You must pay your employee from the first \u2018qualifying day\u2019 they\u2019re off work. The date will depend on why they\u2019re off work.

    ", + "

    You must pay them on or after one of the following dates:

    ", + "
  • 13 March 2020 - if they or someone they live with has symptoms or has tested positive for COVID-19
  • ", + "
  • 28 May 2020 - if your employee has been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19
  • ", + "
  • 6 July 2020 - if someone in their support bubble (or extended household in Scotland or Wales) has symptoms or has tested positive for COVID-19
  • ", + "
  • 26 August 2020 - if your employee has been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery
  • ", + "

    A \u2018qualifying day\u2019 is a day an employee usually works on.

    ", + "

    Reclaiming SSP

    ", + "

    You can reclaim up to 2 weeks\u2019 SSP if all of the following apply:

    ", + "
  • your employee was off work because they had COVID-19 or were self-isolating
  • ", + "
  • your employee was off work because they were shielding - before 26 April 2021 in Scotland, before 12 April 2021 in Northern Ireland and before 1 April 2021 in England and Wales
  • ", + "
  • your PAYE payroll scheme started on or before 28 February 2020
  • ", + "
  • you had fewer than 250 employees on 28 February 2020
  • ", + "

    You can reclaim up to \u00a396.35 a week for each employee.

    ", + "

    You cannot reclaim SSP if your employee is off sick for any other reason.

    ", + "

    Find out what other support you can get if your business is affected by COVID-19.

    ", + "

    Holiday (or \u2018annual leave\u2019)

    ", + "

    Statutory annual leave is accrued while the employee is off work sick (no matter how long they\u2019re off) and can be taken during sick leave.

    ", + "

    Entitlement

    ", + "

    The weekly rate for Statutory Sick Pay (SSP) is \u00a396.35 for up to 28 weeks. It is paid:

    ", + "
  • for the days an employee normally works - called \u2018qualifying days\u2019
  • ", + "
  • in the same way as wages, for example on the normal payday, deducting tax and National insurance
  • ", + "

    Use the SSP calculator to work out the actual amount, for example for a daily rate.

    ", + "

    Some employment types like agency workers, directors and educational workers have different rules for entitlement. You may still have to pay SSP even if you stop trading.

    ", + "

    You cannot force your employees to take annual leave when they\u2019re eligible for sick leave.

    ", + "

    When to start paying SSP

    ", + "

    SSP is paid when the employee is sick for at least 4 days in a row (including non-working days).

    ", + "

    You cannot count a day as a sick day if an employee has worked for a minute or more before they go home sick.

    ", + "

    If an employee works a shift that ends the day after it started and becomes sick during the shift or after it has finished, the second day will count as a sick day.

    ", + "

    If your employee is off sick or self-isolating because of coronavirus (COVID-19) or has tested positive for COVID-19

    ", + "

    From 13 March 2020 you start paying SSP from the first \u2018qualifying day\u2019 an employee is off work, as long as they are off for at least 4 days in a row. This includes non-working days.

    ", + "

    If an employee was off sick with COVID-19 symptoms before 13 March, you start paying SSP from the fourth qualifying day.

    ", + "

    If an employee was self-isolating before 13 March because someone they live with had symptoms, you start paying SSP from 13 March.

    ", + "

    If an employee is self-isolating because they\u2019ve been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19, you start paying SSP from 28 May.

    ", + "

    If an employee was self-isolating before 6 July because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19, you start paying SSP from 6 July.

    ", + "

    If an employee is self-isolating because they\u2019ve been advised to do so by a doctor or healthcare professional before going into hospital for surgery, you start paying SSP from 26 August.

    ", + "

    When to stop paying SSP

    ", + "

    SSP stops when the employee comes back to work or no longer qualifies.

    ", + "

    Record keeping

    ", + "

    You\u2019ll need to keep records of SSP you\u2019ve paid to an employee who was off work because of COVID-19 if you want to reclaim it.

    ", + "

    You\u2019ll need to keep the following records for 3 years after the end of the tax year you paid SSP:

    ", + "
  • the dates the employee was off sick
  • ", + "
  • which of those dates were qualifying days
  • ", + "
  • the reason they said they were off work
  • ", + "
  • the employee\u2019s National Insurance number
  • ", + "

    You do not need to keep records of SSP paid to employees who are off sick for another reason.

    ", + "

    You can choose how you keep records of your employees\u2019 sickness absence. HMRC may need to see these records if there\u2019s a dispute over payment of SSP.

    ", + "

    Eligibility and form SSP1

    ", + "

    To qualify for Statutory Sick Pay (SSP) employees must:

    ", + "
  • have an employment contract
  • ", + "
  • have done some work under their contract
  • ", + "
  • have been sick for 4 or more days in a row (including non-working days) - known as a \u2018period of incapacity for work\u2019
  • ", + "
  • earn an average of at least \u00a3120 per week
  • ", + "
  • give you the correct notice
  • ", + "
  • give you proof of their illness, only after 7 days off
  • ", + "

    Employees who have been paid less than 8 weeks of earnings still qualify for SSP. Use the sick pay calculator to work out how much to pay them.

    ", + "

    An employee\u2019s period of incapacity for work is not interrupted if they take annual leave during that time.

    ", + "

    Employees can qualify for sick pay from more than one job.

    ", + "

    They could also qualify in one job but be fit for work in another, for example if one job is physical work that they cannot do while ill but the other is office-based.

    ", + "

    Coronavirus (COVID-19) eligibility

    ", + "

    Your employees qualify for SSP if they meet the criteria and cannot work if any of the following apply:

    ", + "
  • were self-isolating on or after 13 March 2020 because they or someone they live with had COVID-19 or symptoms of COVID-19
  • ", + "
  • started self-isolating on or after 28 May 2020 because they were notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19
  • ", + "
  • were self-isolating on or after 6 July 2020 because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19
  • ", + "
  • have tested positive for COVID-19 since 5 August 2020
  • ", + "
  • were self-isolating on or after 26 August because they had been advised to do so by a doctor or healthcare professional before going into hospital for surgery
  • ", + "

    Employees will not qualify for SSP if they are self-isolating after entering or returning to the UK, and do not need to self-isolate for any other reason.

    ", + "

    Exceptions

    ", + "

    Employees do not qualify for SSP if they:

    ", + "
  • have received the maximum amount of SSP (28 weeks)
  • ", + "
  • are getting Statutory Maternity Pay or Maternity Allowance - there are special rules for pregnant women and new mothers who do not get these payments
  • ", + "
  • are off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that their baby is due
  • ", + "
  • were in custody or on strike on the first day of sickness (including any linked periods)
  • ", + "
  • are working outside the EU and you\u2019re not liable for their National Insurance contributions
  • ", + "
  • received Employment and Support Allowance within 12 weeks of starting or returning to work for you
  • ", + "

    Use the SSP calculator to check eligibility.

    ", + "

    Linked periods of sickness

    ", + "

    If your employee has regular periods of sickness, they may count as \u2018linked\u2019. To be linked, the periods must:

    ", + "
  • last 4 or more days each
  • ", + "
  • be 8 weeks or less apart
  • ", + "

    Your employee is no longer eligible for SSP if they have a continuous series of linked periods that lasts more than 3 years.

    ", + "

    If an employee is not eligible or their SSP ends

    ", + "

    Employees may be able to apply for Universal Credit or Employment and Support Allowance (ESA). They use form SSP1 to support their application.

    ", + "

    If your employee\u2019s SSP is ending you must send them form SSP1 either:

    ", + "
  • within 7 days of their SSP ending, if it ends unexpectedly while they\u2019re still sick
  • ", + "
  • on or before the beginning of the 23rd week, if their SSP is expected to end before their sickness does
  • ", + "

    If your employee does not qualify for SSP you must send them form SSP1 within 7 days of them going off sick.

    ", + "

    If your employee thinks this is unfair, they can appeal to HMRC - the form tells them how to do this.

    ", + "

    Long-term illness

    ", + "

    You can complete form SSP1 before the end of SSP if you know an employee will be off sick for more than 28 weeks. This means they can apply for ESA before their SSP comes to an end.

    ", + "

    Notice and fit notes

    ", + "

    Notice

    ", + "

    The employee should tell you they\u2019re sick within the time limit set by you, or 7 days if you do not have one. You cannot:

    ", + "
  • insist they tell you in person or on a special form
  • ", + "
  • ask them for proof of their sickness until they have been off for 7 days (including non-working days)
  • ", + "

    You do not have to pay Statutory Sick Pay (SSP) for any days the employee was late in telling you (unless there\u2019s a good reason for the delay).

    ", + "

    If an employee was shielding because of coronavirus (COVID-19)

    ", + "

    Shielding has stopped in the UK.

    ", + "

    An employee can no longer apply for a new shielding note or a replacement shielding note.

    ", + "

    Fit notes and asking for proof

    ", + "

    After 7 days off sick (including non-working days) you can ask the employee for proof of their sickness. This could be:

    ", + "
  • an isolation note from NHS 111 - if they are self-isolating and cannot work because of COVID-19
  • ", + "
  • the notification from the NHS or public health authorities if they are self-isolating because they\u2019ve come into contact with someone with COVID-19
  • ", + "
  • a letter or shielding note that they got from their doctor or health authority, or the government, advising them to shield
  • ", + "
  • a letter from their doctor or healthcare professional confirming the date of their procedure if they\u2019ve been advised to self-isolate before going into hospital for surgery
  • ", + "
  • a fit note from their doctor or a hospital (sometimes called a sick note) - if they have any other illness
  • ", + "

    If you agree, they can give you a report from a physiotherapist, podiatrist or occupational therapist, (called an Allied Health Professional (AHP) Health and Work report).

    ", + "

    You cannot withhold SSP if the employee is late sending you a fit note or isolation note.

    ", + "

    If your employee is off sick frequently or for a long time, HMRC has information about getting medical advice.

    ", + "

    Help with sick pay

    ", + "

    Reclaiming Statutory Sick Pay

    ", + "

    You may be able to reclaim Statutory Sick Pay (SSP) if your employee is off work because of coronavirus (COVID-19).

    ", + "

    If you\u2019re insolvent

    ", + "

    HMRC will pay SSP for any employee who continues to work for you if they were sick when you became insolvent. Tell your employee to contact the Statutory Payment Disputes Team.

    ", + "

    If their sickness continues and you terminate their contract, give them a completed SSP1 form so they can claim Employment and Support Allowance instead.

    " + ] + }, + "https://www.gov.uk/time-off-for-dependants": { + "url": "https://www.gov.uk/time-off-for-dependants", + "title": "Time off for family and dependants", + "content": "## Your rights\n\nAs an employee you\u2019re allowed time off to deal with an emergency involving a dependant.\n\nA dependant could be a spouse, partner, child, grandchild, parent, or someone who depends on you for care.\n\n## How much you get\n\nYou\u2019re allowed a reasonable amount of time off to deal with the emergency, but there\u2019s no set amount of time as it depends on the situation.\n\nTell your employer as soon as possible how much time you\u2019ll need so it can be agreed.\n\n## Limits on time off\n\nThere are no limits on how many times you can take time off for dependants. Your employer may want to talk to you if they think time off is affecting your work.\n\n## Pay\n\nYour employer may pay you for time off to look after dependants but they don\u2019t have to. Check your contract, company handbook or intranet site to see if there are rules about this.\n\n## Exceptions\n\nYou can\u2019t have time off if you knew about a situation beforehand. For example you wouldn\u2019t be covered if you wanted to take your child to hospital for an appointment. You might get parental leave instead.\n\nCheck your employment status to see if you\u2019re classed as an \u2018employee\u2019.\n\n## Compassionate leave\n\nIf you aren\u2019t given time off for dependants, your employer may allow you \u2018compassionate leave\u2019 - this can be paid or unpaid leave for emergency situations. Check your employment contract, company handbook or intranet for details about compassionate leave.\n\n## What's an emergency?\n\nYou could get time off when a dependant is involved in the following emergencies.\n\n## Illness, injury or assault\n\nThis includes mental or physical illnesses that don\u2019t have to be life-threatening or need full-time care - it could be an existing condition that has worsened.\n\nFor example, if a dependant is mugged without being physically hurt, you could take time off to comfort or help them.\n\nYou can also take time off to arrange longer term care for a dependant.\n\n## Having a baby\n\nYou could take time off if a dependant goes into labour unexpectedly and they rely on you to take them to the hospital. You can\u2019t take time off for dependants after the birth to care for the child, unless it\u2019s an emergency. However, if you\u2019re the child\u2019s parent you could be entitled to paternity or parental leave.\n\n## Disruption of care arrangements\n\nYou could get time off if:\n\n- a child minder or carer doesn\u2019t turn up to look after a dependant\n\n- a nursing home or nursery closes unexpectedly\n\n## If your child is involved in an incident during school time\n\nYou could get time off if your child has been:\n\n- involved in a fight\n\n- injured on a school trip\n\n- suspended from school\n\n## Taking time off\n\nTell your employer as soon as possible if you need time off. If it\u2019s an emergency, you may not be able to do this before you leave work but you should let your employer know as soon as possible.\n\nYou don\u2019t have to do this in writing or give written proof.\n\n## Problems when you take time off\n\nYour employer musn\u2019t:\n\n- treat you unfairly for taking time off, for example refusing you training or promotion\n\n- dismiss you or choose you for redundancy because you asked for time off for a dependant\n\n- refuse you reasonable time off\n\nIf you think you\u2019ve been unfairly treated for taking time off for dependants, get advice from your staff or trade union representative or Acas.\n\nYou may be able to take a case to an Employment Tribunal.", + "original_contents": [ + "

    Your rights

    ", + "

    As an employee you\u2019re allowed time off to deal with an emergency involving a dependant.

    ", + "

    A dependant could be a spouse, partner, child, grandchild, parent, or someone who depends on you for care.

    ", + "

    How much you get

    ", + "

    You\u2019re allowed a reasonable amount of time off to deal with the emergency, but there\u2019s no set amount of time as it depends on the situation.

    ", + "

    Tell your employer as soon as possible how much time you\u2019ll need so it can be agreed.

    ", + "

    Limits on time off

    ", + "

    There are no limits on how many times you can take time off for dependants. Your employer may want to talk to you if they think time off is affecting your work.

    ", + "

    Pay

    ", + "

    Your employer may pay you for time off to look after dependants but they don\u2019t have to. Check your contract, company handbook or intranet site to see if there are rules about this.

    ", + "

    Exceptions

    ", + "

    You can\u2019t have time off if you knew about a situation beforehand. For example you wouldn\u2019t be covered if you wanted to take your child to hospital for an appointment. You might get parental leave instead.

    ", + "

    Check your employment status to see if you\u2019re classed as an \u2018employee\u2019.

    ", + "

    Compassionate leave

    ", + "

    If you aren\u2019t given time off for dependants, your employer may allow you \u2018compassionate leave\u2019 - this can be paid or unpaid leave for emergency situations. Check your employment contract, company handbook or intranet for details about compassionate leave.

    ", + "

    What's an emergency?

    ", + "

    You could get time off when a dependant is involved in the following emergencies.

    ", + "

    Illness, injury or assault

    ", + "

    This includes mental or physical illnesses that don\u2019t have to be life-threatening or need full-time care - it could be an existing condition that has worsened.

    ", + "

    For example, if a dependant is mugged without being physically hurt, you could take time off to comfort or help them.

    ", + "

    You can also take time off to arrange longer term care for a dependant.

    ", + "

    Having a baby

    ", + "

    You could take time off if a dependant goes into labour unexpectedly and they rely on you to take them to the hospital. You can\u2019t take time off for dependants after the birth to care for the child, unless it\u2019s an emergency. However, if you\u2019re the child\u2019s parent you could be entitled to paternity or parental leave.

    ", + "

    Disruption of care arrangements

    ", + "

    You could get time off if:

    ", + "
  • a child minder or carer doesn\u2019t turn up to look after a dependant
  • ", + "
  • a nursing home or nursery closes unexpectedly
  • ", + "

    If your child is involved in an incident during school time

    ", + "

    You could get time off if your child has been:

    ", + "
  • involved in a fight
  • ", + "
  • injured on a school trip
  • ", + "
  • suspended from school
  • ", + "

    Taking time off

    ", + "

    Tell your employer as soon as possible if you need time off. If it\u2019s an emergency, you may not be able to do this before you leave work but you should let your employer know as soon as possible.

    ", + "

    You don\u2019t have to do this in writing or give written proof.

    ", + "

    Problems when you take time off

    ", + "

    Your employer musn\u2019t:

    ", + "
  • treat you unfairly for taking time off, for example refusing you training or promotion
  • ", + "
  • dismiss you or choose you for redundancy because you asked for time off for a dependant
  • ", + "
  • refuse you reasonable time off
  • ", + "

    If you think you\u2019ve been unfairly treated for taking time off for dependants, get advice from your staff or trade union representative or Acas.

    ", + "

    You may be able to take a case to an Employment Tribunal.

    " + ] + }, + "https://www.gov.uk/training-study-work-your-rights": { + "url": "https://www.gov.uk/training-study-work-your-rights", + "title": "Training and study at work: your rights", + "content": "## Who can and can't ask for time off to train\n\nStaff may have the right to ask for time off work for training or study.\n\nTo ask for training or study:\n\n- staff must be classed as an employee\n\n- they must have worked for their employer for at least 26 weeks\n\n- training must help staff do their job better\n\n- at least 250 people must work in the organisation\n\nTime off is usually unpaid unless the employer agrees to pay it.\n\nCheck someone\u2019s employment status.\n\n## Who can\u2019t ask for time off to train\n\nStaff can\u2019t ask for time off for training or study if they\u2019re:\n\n- an agency worker\n\n- in the armed forces\n\n- of compulsory school age (\u2018school age\u2019 in Scotland)\n\n- a young person who\u2019s already got the right to take paid time off for study or training\n\n- aged 16 to 18 and already expected to take part in education or training\n\n## Asking for time off\n\nEmployees should follow their organisation\u2019s rules to ask for time off. If there aren\u2019t any they can write to their employer saying it\u2019s a request \u2018under Section 63D of the Employment Rights Act 1996\u2019 with the following details:\n\n- the date\n\n- the subject matter of the study or training\n\n- where and when it would take place\n\n- who\u2019ll be providing the training\n\n- the name of the qualification they could get - if any\n\n- why they think this study or training will help them do their job better and help their employer\u2019s business\n\n- if they\u2019ve made a request before and when\n\nAn employer doesn\u2019t have to consider the request if all this information isn\u2019t included.\n\nEmployees can only make 1 request a year.\n\n## If the employee changes their mind\n\nThe employee must tell their employer if they:\n\n- don\u2019t start the agreed training or study\n\n- don\u2019t finish the training or study\n\n- do a different course or plan to do a different course from the one agreed\n\n## Employer's decision and responsibilities\n\nThe employer has 28 days to:\n\n- accept the request\n\n- hold a meeting with the employee to discuss it\n\nThis might be longer if the person who deals with these requests is off when the request is sent in.\n\nThe employee can take a trade union representative or colleague to the meeting. They can ask for the meeting to be postponed if this person can\u2019t make it.\n\nIf the employer decides to hold a meeting about it they must make a decision within 14 days of it, unless the employee agrees in writing to extend this time.\n\n## Turning down the request\n\nThe employer can only turn down a request if:\n\n- the training wouldn\u2019t benefit their business\n\n- they would run up extra costs for the business\n\n- they wouldn\u2019t be able to meet customer demands\n\n- they can\u2019t re-organise the work among other members of staff\n\n- they can\u2019t recruit extra staff\n\n- it would damage quality and business performance\n\n- there wouldn\u2019t be enough work for the employee to do at the times they intend to work\n\n- it conflicts with planned structural changes\n\n## Paying for the training\n\nThe employer doesn\u2019t have to pay for the training or study. They can choose to pay all or part of the fees if they think it will benefit the business.\n\n## Appealing the decision\n\nEmployees have the right to appeal if their employer refuses a request to take time off for training or study.\n\nThis must be made within 14 days of their employer\u2019s decision.\n\nThe appeal must:\n\n- be in writing\n\n- be dated\n\n- set out why they\u2019re appealing - the grounds for the appeal\n\n## The appeal meeting\n\nThe employer has to arrange a meeting with the employee to discuss the appeal within 14 days of getting the appeal.\n\nThe employer must give their decision in writing within 14 days of the meeting.\n\n## If the problem isn\u2019t resolved\n\nIf an employee isn\u2019t satisfied with the result of an appeal they can phone Acas (Advisory, Conciliation and Arbitration Service) for help and advice or raise a grievance.\n\nIf this doesn\u2019t work the employee could go to an employment tribunal if the employer:\n\n- didn\u2019t follow the procedure properly\n\n- refused the request based on the wrong facts\n\nEmployment tribunal claims must be made within 3 months of an appeal decision.", + "original_contents": [ + "

    Who can and can't ask for time off to train

    ", + "

    Staff may have the right to ask for time off work for training or study.

    ", + "

    To ask for training or study:

    ", + "
  • staff must be classed as an employee
  • ", + "
  • they must have worked for their employer for at least 26 weeks
  • ", + "
  • training must help staff do their job better
  • ", + "
  • at least 250 people must work in the organisation
  • ", + "

    Time off is usually unpaid unless the employer agrees to pay it.

    ", + "

    Check someone\u2019s employment status.

    ", + "

    Who can\u2019t ask for time off to train

    ", + "

    Staff can\u2019t ask for time off for training or study if they\u2019re:

    ", + "
  • an agency worker
  • ", + "
  • in the armed forces
  • ", + "
  • of compulsory school age (\u2018school age\u2019 in Scotland)
  • ", + "
  • a young person who\u2019s already got the right to take paid time off for study or training
  • ", + "
  • aged 16 to 18 and already expected to take part in education or training
  • ", + "

    Asking for time off

    ", + "

    Employees should follow their organisation\u2019s rules to ask for time off. If there aren\u2019t any they can write to their employer saying it\u2019s a request \u2018under Section 63D of the Employment Rights Act 1996\u2019 with the following details:

    ", + "
  • the date
  • ", + "
  • the subject matter of the study or training
  • ", + "
  • where and when it would take place
  • ", + "
  • who\u2019ll be providing the training
  • ", + "
  • the name of the qualification they could get - if any
  • ", + "
  • why they think this study or training will help them do their job better and help their employer\u2019s business
  • ", + "
  • if they\u2019ve made a request before and when
  • ", + "

    An employer doesn\u2019t have to consider the request if all this information isn\u2019t included.

    ", + "

    Employees can only make 1 request a year.

    ", + "

    If the employee changes their mind

    ", + "

    The employee must tell their employer if they:

    ", + "
  • don\u2019t start the agreed training or study
  • ", + "
  • don\u2019t finish the training or study
  • ", + "
  • do a different course or plan to do a different course from the one agreed
  • ", + "

    Employer's decision and responsibilities

    ", + "

    The employer has 28 days to:

    ", + "
  • accept the request
  • ", + "
  • hold a meeting with the employee to discuss it
  • ", + "

    This might be longer if the person who deals with these requests is off when the request is sent in.

    ", + "

    The employee can take a trade union representative or colleague to the meeting. They can ask for the meeting to be postponed if this person can\u2019t make it.

    ", + "

    If the employer decides to hold a meeting about it they must make a decision within 14 days of it, unless the employee agrees in writing to extend this time.

    ", + "

    Turning down the request

    ", + "

    The employer can only turn down a request if:

    ", + "
  • the training wouldn\u2019t benefit their business
  • ", + "
  • they would run up extra costs for the business
  • ", + "
  • they wouldn\u2019t be able to meet customer demands
  • ", + "
  • they can\u2019t re-organise the work among other members of staff
  • ", + "
  • they can\u2019t recruit extra staff
  • ", + "
  • it would damage quality and business performance
  • ", + "
  • there wouldn\u2019t be enough work for the employee to do at the times they intend to work
  • ", + "
  • it conflicts with planned structural changes
  • ", + "

    Paying for the training

    ", + "

    The employer doesn\u2019t have to pay for the training or study. They can choose to pay all or part of the fees if they think it will benefit the business.

    ", + "

    Appealing the decision

    ", + "

    Employees have the right to appeal if their employer refuses a request to take time off for training or study.

    ", + "

    This must be made within 14 days of their employer\u2019s decision.

    ", + "

    The appeal must:

    ", + "
  • be in writing
  • ", + "
  • be dated
  • ", + "
  • set out why they\u2019re appealing - the grounds for the appeal
  • ", + "

    The appeal meeting

    ", + "

    The employer has to arrange a meeting with the employee to discuss the appeal within 14 days of getting the appeal.

    ", + "

    The employer must give their decision in writing within 14 days of the meeting.

    ", + "

    If the problem isn\u2019t resolved

    ", + "

    If an employee isn\u2019t satisfied with the result of an appeal they can phone Acas (Advisory, Conciliation and Arbitration Service) for help and advice or raise a grievance.

    ", + "

    If this doesn\u2019t work the employee could go to an employment tribunal if the employer:

    ", + "
  • didn\u2019t follow the procedure properly
  • ", + "
  • refused the request based on the wrong facts
  • ", + "

    Employment tribunal claims must be made within 3 months of an appeal decision.

    " + ] + }, + "https://www.gov.uk/apply-european-works-council": { + "url": "https://www.gov.uk/apply-european-works-council", + "title": "Ask your employer to set up a European Works Council", + "content": "## Overview\n\nYou can ask your employer to set up a European Works Council (EWC) if you work for a company with offices across the European Economic Area (EEA).\n\nAn EWC is a forum where your company can:\n\n- tell you about plans and decisions at the same time as employees in other countries - this is known as being informed\n\n- exchange views with you in the same way as employees in other countries - this is known as being consulted\n\nAn EWC only informs and consults on issues that affect more than one country where the business operates.\n\n## Who can ask for a European Works Council\n\nYou can ask your employer to set up an EWC if they have:\n\n- at least 1,000 employees in the EEA\n\n- 150 employees in each of at least 2 countries in the EEA\n\nYou can write to your employer to find out information, for example how many employees it has or where it operates, to help you make your request.\n\nYour employer can also set up an EWC without waiting for a request.\n\n## After you\u2019ve made your request\n\nYour employer will set up a special negotiating body (SNB) to negotiate an EWC agreement with central management of the business.\n\nYou can complain about the way an EWC has been set up or run.\n\n## Make a request\n\nWrite to your employer to ask them to set up a European Works Council (EWC).\n\nIt must be backed by at least 100 employees from at least 2 European Economic Area (EEA) sites.\n\nSend it to the central or local management of the business.\n\nYour employer can challenge your request for an EWC if:\n\n- they think the request is not valid, for example because the business does not employ enough people\n\n- there\u2019s an existing information and consultation agreement\n\n## After you've made your request\n\nAfter your request for a European Works Council (EWC) is accepted, your employer must set up a special negotiating body (SNB). The SNB will discuss how the EWC will be set up and run with the central management. The time limit for negotiations is 3 years.\n\nThe SNB must:\n\n- have at least one member from each of the countries where the business has a site\n\n- be set up within 6 months from when the request for an EWC was accepted\n\n## If there\u2019s an agreement\n\nYou\u2019ll get a written agreement for either:\n\n- an EWC\n\n- one or more alternative information and consultation arrangements\n\n## If an agreement is not made\n\nThe SNB can only end negotiations or decide not to open negotiations after a ballot has been held and a two-thirds majority reached. You\u2019ll have to wait 2 years to make a new application.\n\n## Make a complaint\n\nComplain in writing to the Central Arbitration Committee (CAC) about the way a European Works Council (EWC) has been set up or run.\n\n## Complaints about requests for information\n\nYou can complain if your employer:\n\n- does not provide information about the size or structure of the company\n\n- provides inaccurate information about the size or structure of the company\n\nYou must wait a month after making a formal request for an EWC before you can complain.\n\n## Complaints about creating the Special Negotiating Body\n\nYou can complain about incorrect ballot arrangements to create a special negotiating body (SNB).\n\n## Complaints about creating the European Works Council\n\nYou can complain that:\n\n- an EWC has not been set up even though there have been negotiations\n\n- your employer has not followed the right procedure for running an EWC\n\n## How to complain\n\nWrite to CAC and include the following information:\n\n- the name, job and full contact details of the person making a complaint and the person or business you\u2019re complaining about\n\n- the right regulation number for the complaint you\u2019re making\n\n- the reasons for your complaint\n\nSend your complaint by email or by post to CAC.\n\nCAC will get in touch for more information as they need it.", + "original_contents": [ + "

    Overview

    ", + "

    You can ask your employer to set up a European Works Council (EWC) if you work for a company with offices across the European Economic Area (EEA).

    ", + "

    An EWC is a forum where your company can:

    ", + "
  • tell you about plans and decisions at the same time as employees in other countries - this is known as being informed
  • ", + "
  • exchange views with you in the same way as employees in other countries - this is known as being consulted
  • ", + "

    An EWC only informs and consults on issues that affect more than one country where the business operates.

    ", + "

    Who can ask for a European Works Council

    ", + "

    You can ask your employer to set up an EWC if they have:

    ", + "
  • at least 1,000 employees in the EEA
  • ", + "
  • 150 employees in each of at least 2 countries in the EEA
  • ", + "

    You can write to your employer to find out information, for example how many employees it has or where it operates, to help you make your request.

    ", + "

    Your employer can also set up an EWC without waiting for a request.

    ", + "

    After you\u2019ve made your request

    ", + "

    Your employer will set up a special negotiating body (SNB) to negotiate an EWC agreement with central management of the business.

    ", + "

    You can complain about the way an EWC has been set up or run.

    ", + "

    Make a request

    ", + "

    Write to your employer to ask them to set up a European Works Council (EWC).

    ", + "

    It must be backed by at least 100 employees from at least 2 European Economic Area (EEA) sites.

    ", + "

    Send it to the central or local management of the business.

    ", + "

    Your employer can challenge your request for an EWC if:

    ", + "
  • they think the request is not valid, for example because the business does not employ enough people
  • ", + "
  • there\u2019s an existing information and consultation agreement
  • ", + "

    After you've made your request

    ", + "

    After your request for a European Works Council (EWC) is accepted, your employer must set up a special negotiating body (SNB). The SNB will discuss how the EWC will be set up and run with the central management. The time limit for negotiations is 3 years.

    ", + "

    The SNB must:

    ", + "
  • have at least one member from each of the countries where the business has a site
  • ", + "
  • be set up within 6 months from when the request for an EWC was accepted
  • ", + "

    If there\u2019s an agreement

    ", + "

    You\u2019ll get a written agreement for either:

    ", + "
  • an EWC
  • ", + "
  • one or more alternative information and consultation arrangements
  • ", + "

    If an agreement is not made

    ", + "

    The SNB can only end negotiations or decide not to open negotiations after a ballot has been held and a two-thirds majority reached. You\u2019ll have to wait 2 years to make a new application.

    ", + "

    Make a complaint

    ", + "

    Complain in writing to the Central Arbitration Committee (CAC) about the way a European Works Council (EWC) has been set up or run.

    ", + "

    Complaints about requests for information

    ", + "

    You can complain if your employer:

    ", + "
  • does not provide information about the size or structure of the company
  • ", + "
  • provides inaccurate information about the size or structure of the company
  • ", + "

    You must wait a month after making a formal request for an EWC before you can complain.

    ", + "

    Complaints about creating the Special Negotiating Body

    ", + "

    You can complain about incorrect ballot arrangements to create a special negotiating body (SNB).

    ", + "

    Complaints about creating the European Works Council

    ", + "

    You can complain that:

    ", + "
  • an EWC has not been set up even though there have been negotiations
  • ", + "
  • your employer has not followed the right procedure for running an EWC
  • ", + "

    How to complain

    ", + "

    Write to CAC and include the following information:

    ", + "
  • the name, job and full contact details of the person making a complaint and the person or business you\u2019re complaining about
  • ", + "
  • the right regulation number for the complaint you\u2019re making
  • ", + "
  • the reasons for your complaint
  • ", + "

    Send your complaint by email or by post to CAC.

    ", + "

    CAC will get in touch for more information as they need it.

    " + ] + }, + "https://www.gov.uk/monitoring-work-workers-rights": { + "url": "https://www.gov.uk/monitoring-work-workers-rights", + "title": "Being monitored at work: workers' rights", + "content": "## Overview\n\nEmployers might monitor workers. This could be done in various ways, like:\n\n- CCTV\n\n- drug testing\n\n- bag searches\n\n- checking a worker\u2019s emails or the websites they look at\n\nData protection law covers any monitoring that involves taking data, images or drug testing.\n\nIf workers are unhappy about being monitored, they can check their staff handbook or contract to see if the employer is allowed to do this.\n\nIf they\u2019re not, the worker might be able to resign and claim unfair (\u2018constructive\u2019) dismissal. But this is a last resort - they should try to sort the problem out first - read the advice to help solve a workplace dispute.\n\n## Searches\n\nEmployers should have a written policy on searching. Searches should:\n\n- respect privacy\n\n- be done by a member of the same sex\n\n- be done with a witness present\n\nIf a search or drug test is badly handled, workers might have a claim for discrimination, assault or false imprisonment.\n\nFor advice about work issues, talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.\n\n## Drug testing\n\nEmployers have to have consent if they want to test for drugs. Usually this is when they have a full contractual health and safety policy, which should be in the contract or staff handbook.\n\nEmployers should:\n\n- limit testing to employees that need to be tested\n\n- ensure the tests are random\n\n- not single out particular employees for testing unless this is justified by the nature of their jobs\n\nWorkers can\u2019t be made to take a drugs test but if they refuse when the employer has good grounds for testing, they may face disciplinary action.\n\n## Email, CCTV and other monitoring\n\nEmployers must explain the amount of monitoring clearly in the staff handbook or contract. They should tell workers:\n\n- if they\u2019re being monitored\n\n- what counts as a reasonable number of personal emails and phone calls\n\n- if personal emails and calls are not allowed\n\nExamples of monitoring could include:\n\n- looking at which websites workers have visited\n\n- CCTV in the building\n\n- checking workers\u2019 bags as they leave\n\nEmployers are not allowed to monitor workers everywhere (not in the toilet, for example). If they don\u2019t respect this they could be in breach of the Data Protection Act.\n\nRead the advice on workplace disputes or talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice for more advice. Workers can also contact their trade union representative.", + "original_contents": [ + "

    Overview

    ", + "

    Employers might monitor workers. This could be done in various ways, like:

    ", + "
  • CCTV
  • ", + "
  • drug testing
  • ", + "
  • bag searches
  • ", + "
  • checking a worker\u2019s emails or the websites they look at
  • ", + "

    Data protection law covers any monitoring that involves taking data, images or drug testing.

    ", + "

    If workers are unhappy about being monitored, they can check their staff handbook or contract to see if the employer is allowed to do this.

    ", + "

    If they\u2019re not, the worker might be able to resign and claim unfair (\u2018constructive\u2019) dismissal. But this is a last resort - they should try to sort the problem out first - read the advice to help solve a workplace dispute.

    ", + "

    Searches

    ", + "

    Employers should have a written policy on searching. Searches should:

    ", + "
  • respect privacy
  • ", + "
  • be done by a member of the same sex
  • ", + "
  • be done with a witness present
  • ", + "

    If a search or drug test is badly handled, workers might have a claim for discrimination, assault or false imprisonment.

    ", + "

    For advice about work issues, talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.

    ", + "

    Drug testing

    ", + "

    Employers have to have consent if they want to test for drugs. Usually this is when they have a full contractual health and safety policy, which should be in the contract or staff handbook.

    ", + "

    Employers should:

    ", + "
  • limit testing to employees that need to be tested
  • ", + "
  • ensure the tests are random
  • ", + "
  • not single out particular employees for testing unless this is justified by the nature of their jobs
  • ", + "

    Workers can\u2019t be made to take a drugs test but if they refuse when the employer has good grounds for testing, they may face disciplinary action.

    ", + "

    Email, CCTV and other monitoring

    ", + "

    Employers must explain the amount of monitoring clearly in the staff handbook or contract. They should tell workers:

    ", + "
  • if they\u2019re being monitored
  • ", + "
  • what counts as a reasonable number of personal emails and phone calls
  • ", + "
  • if personal emails and calls are not allowed
  • ", + "

    Examples of monitoring could include:

    ", + "
  • looking at which websites workers have visited
  • ", + "
  • CCTV in the building
  • ", + "
  • checking workers\u2019 bags as they leave
  • ", + "

    Employers are not allowed to monitor workers everywhere (not in the toilet, for example). If they don\u2019t respect this they could be in breach of the Data Protection Act.

    ", + "

    Read the advice on workplace disputes or talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice for more advice. Workers can also contact their trade union representative.

    " + ] + }, + "https://www.gov.uk/derecognise-a-union": { + "url": "https://www.gov.uk/derecognise-a-union", + "title": "Derecognise a union", + "content": "## Overview\n\nTrade unions can be recognised to represent groups of employees in a company in negotiations over pay, holidays and working conditions through either:\n\n- a voluntary agreement with the employer\n\n- a declaration by the Central Arbitration Committee (CAC).\n\nThree years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.\n\nIf the application is successful, the union will cease to represent the workforce in negotiations with the employer.\n\n## When employers can apply\n\nWhere recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:\n\n- the number of people employed by the company has fallen to less than 21\n\n- workers in the bargaining unit no longer support the union\n\n- the number of union members in the bargaining unit has fallen to below 50%\n\n## When workers can apply\n\nYou can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.\n\nYou can apply to have a non-independent union derecognised if the majority of workers do not support it.\n\n## Employers: reduced workforce\n\nAs an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:\n\n- you\u2019ve employed less than 21 people for a continuous 13-week period\n\n- it is more than 3 years since recognition was declared by the CAC\n\nYou must give written notice to the union asking for the union to be derecognised. Notice must be given within 5 days of the end of the relevant 13-week period.\n\nYour letter must include the following details:\n\n- the specific 13-week period during which you had less than 21 workers\n\n- the number of workers you employed in that time\n\n- the current bargaining arrangements\n\n- the date you want the arrangements to end - this must be at least 35 working days after the request was made\n\nYou must give a copy of the letter to the CAC. The CAC will tell you within 10 days if the notice you gave the union was valid.\n\n## Your notice is valid\n\nThe union will be derecognised and you won\u2019t have to negotiate with them anymore, unless they make an application to the CAC because they believe that:\n\n- the 13-week period was within 3 years of them gaining recognition\n\n- your company employed 21 or more workers during that time\n\n## Your notice isn\u2019t valid\n\nYou must continue with the current collective bargaining arrangements.\n\n## Employers: union loses support\n\nYou can try to get a union derecognised if the workers in the bargaining unit no longer support it and don\u2019t want it to negotiate on their behalf.\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the union, stating:\n\n- that you wish to end the bargaining arrangements because you believe that the union no longer has the support of the workers\n\n- what the current arrangements are\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union agrees to negotiate\n\nIf they reject your request but agree to negotiate, you\u2019ll have another 20 working days to come to an agreement about derecognition.\n\nWithin this period, either side can ask the Advisory, Conciliation and Arbitration Service (Acas) to help with negotiations. You may extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nYou can apply to the Central Arbitration Committee (CAC) to hold a secret ballot of workers to see if they support derecognition.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your supporting documents to CAC. Send a copy to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange a secret ballot of workers if your application is successful.\n\nYou\u2019ll have to continue negotiating with the union if your application fails.\n\n## Employers: union membership is less than 50%\n\nIf the Central Arbitration Committee (CAC) declared recognition without a ballot more than 3 years ago, a union can be derecognised if the level of union membership in the bargaining unit falls below 50%.\n\nApply to the CAC to hold a secret ballot of employees on whether collective bargaining should be ended.\n\nYou can only apply if:\n\n- the CAC declared recognition without a ballot more than 3 years ago\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the unions, stating:\n\n- that fewer than 50% of the workers in the bargaining unit are union members\n\n- what the current bargaining arrangements are, eg how many workers are in the bargaining unit, where they work\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union rejects your request but is willing to negotiate\n\nYou have 10 days to negotiate an agreement about derecognition. You can extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nApply to CAC to hold a secret ballot of workers to see if they support derecognition.\n\nYou can\u2019t apply if there have been any applications to CAC for an end to bargaining arrangements in the previous 3 years.\n\nProvide evidence (eg letters supporting your application, workplace surveys) that less than 50% of the bargaining unit are union members.\n\nSend the completed form and your supporting documents to CAC. You must send copies of the form and evidence to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange for a secret ballot of the workers to be held if your application is successful.\n\nYou will have to continue negotiating with the union if your application fails.\n\n## Workers: union loses support\n\nYou can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your evidence to both the union and the CAC.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs information to support your application, eg evidence of levels of union support.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Workers: derecognise a non-independent union\n\nAn employee or group of workers can apply to the Central Arbitration Committee (CAC) to derecognise a non-independent union that the employer recognised voluntarily.\n\nA non-independent union represents employees but has not been given a certificate of independence by the Certification Officer. You can check this on the Certification Officer\u2019s website.\n\nYou can apply any time after the union has been recognised by the employer.\n\n## Apply for a secret ballot\n\nApply to CAC to hold a secret ballot of workers to find out if they want the union derecognsied.\n\nThe form must be completed and signed by an employee in the bargaining unit.\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of employees in the bargaining are likely to favour an end to the bargaining arrangements\n\nSend the completed form plus your documents to CAC. Send a signed copy of the form and evidence to the union and your employer.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Holding a derecognition ballot\n\nWhen employers, workers and the union have tried to reach agreement about derecognition but failed, the Central Arbitration Committee (CAC) will hold a secret ballot.\n\nCAC will write to everyone involved, saying that they intend to hold a ballot to allow workers in the bargaining unit to vote on derecognition.\n\n## How the ballot works\n\nCAC will appoint a qualified independent person (QIP) who will aim to conduct the ballot within 20 working days of their appointment. The CAC may extend this period if necessary.\n\nThe QIP will provide an estimate for the cost of running the ballot. The arrangements for the ballot will be decided by the CAC after consulting the employer and the union.\n\nThe final cost of the ballot will be split equally between the employer and the union.\n\nThe employer and the union must follow the Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition.\n\n## Complain when someone doesn\u2019t co-operate\n\nComplain to CAC any time before the ballot is held if you feel someone isn\u2019t co-operating.\n\nThe union can complain to the CAC if the employer is not fulfilling their duties during the ballot.\n\nCAC will investigate and can issue a \u2018remedial order\u2019 demanding that all duties are carried out properly.\n\nIf that order is ignored CAC can cancel the ballot or declare that the union be derecognised.\n\n## Complain about unfair practices\n\nComplain to the Central Arbitration Committee (CAC) if you feel that another party is using unfair practices to influence the ballot, eg bribery or threats.\n\nTo make a complaint fill in the unfair practices application form and send it to CAC. The address is on the form.\n\nComplaints can be made at any time up to the end of day after the ballot closes.\n\nWhere CAC finds that unfair practices were used they may:\n\n- reschedule the ballot\n\n- cancel the ballot and declare that the union is derecognised\n\n- cancel the ballot and refuse the application for derecognition\n\nThe Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.\n\n## After the ballot\n\nYou\u2019ll usually find out the result of the vote 48 hours after the ballot closes.\n\nFor a union to be derecognised the majority of those voting, and at least 40% of the workers in the bargaining unit, must vote in favour of ending the bargaining arrangements.\n\nThe Central Arbitration Committee (CAC) will declare the union as derecognised or will refuse the application for derecognition.\n\n## Paying for the ballot\n\nThe employer and the union will each receive a demand from the qualified independent person (QIP) for their share of the cost of running the ballot.\n\nThis must be paid in 15 days. If either party wishes to dispute the amount they can appeal to an employment tribunal.\n\n## What you must do\n\nAs an employer, you no longer have to work with a union that\u2019s been derecognised.\n\nYou must continue to work with a union if the CAC have refused the application for derecognition. You cannot reapply for the union to be derecognised for 3 years.", + "original_contents": [ + "

    Overview

    ", + "

    Trade unions can be recognised to represent groups of employees in a company in negotiations over pay, holidays and working conditions through either:

    ", + "
  • a voluntary agreement with the employer
  • ", + "
  • a declaration by the Central Arbitration Committee (CAC).
  • ", + "

    Three years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.

    ", + "

    If the application is successful, the union will cease to represent the workforce in negotiations with the employer.

    ", + "

    When employers can apply

    ", + "

    Where recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:

    ", + "
  • the number of people employed by the company has fallen to less than 21
  • ", + "
  • workers in the bargaining unit no longer support the union
  • ", + "
  • the number of union members in the bargaining unit has fallen to below 50%
  • ", + "

    When workers can apply

    ", + "

    You can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.

    ", + "

    You can apply to have a non-independent union derecognised if the majority of workers do not support it.

    ", + "

    Employers: reduced workforce

    ", + "

    As an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:

    ", + "
  • you\u2019ve employed less than 21 people for a continuous 13-week period
  • ", + "
  • it is more than 3 years since recognition was declared by the CAC
  • ", + "

    You must give written notice to the union asking for the union to be derecognised. Notice must be given within 5 days of the end of the relevant 13-week period.

    ", + "

    Your letter must include the following details:

    ", + "
  • the specific 13-week period during which you had less than 21 workers
  • ", + "
  • the number of workers you employed in that time
  • ", + "
  • the current bargaining arrangements
  • ", + "
  • the date you want the arrangements to end - this must be at least 35 working days after the request was made
  • ", + "

    You must give a copy of the letter to the CAC. The CAC will tell you within 10 days if the notice you gave the union was valid.

    ", + "

    Your notice is valid

    ", + "

    The union will be derecognised and you won\u2019t have to negotiate with them anymore, unless they make an application to the CAC because they believe that:

    ", + "
  • the 13-week period was within 3 years of them gaining recognition
  • ", + "
  • your company employed 21 or more workers during that time
  • ", + "

    Your notice isn\u2019t valid

    ", + "

    You must continue with the current collective bargaining arrangements.

    ", + "

    Employers: union loses support

    ", + "

    You can try to get a union derecognised if the workers in the bargaining unit no longer support it and don\u2019t want it to negotiate on their behalf.

    ", + "

    Ask the union to voluntarily derecognise

    ", + "

    You must send a written request to the union, stating:

    ", + "
  • that you wish to end the bargaining arrangements because you believe that the union no longer has the support of the workers
  • ", + "
  • what the current arrangements are
  • ", + "
  • that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992
  • ", + "

    The union has 10 working days to respond to your request.

    ", + "

    You can end the bargaining arrangements and derecognise the union if they accept your request.

    ", + "

    The union agrees to negotiate

    ", + "

    If they reject your request but agree to negotiate, you\u2019ll have another 20 working days to come to an agreement about derecognition.

    ", + "

    Within this period, either side can ask the Advisory, Conciliation and Arbitration Service (Acas) to help with negotiations. You may extend this period if the union agrees.

    ", + "

    The union doesn\u2019t respond or rejects your request

    ", + "

    You can apply to the Central Arbitration Committee (CAC) to hold a secret ballot of workers to see if they support derecognition.

    ", + "

    You can only apply if both of these are true:

    ", + "
  • the union has been recognised for longer than 3 years
  • ", + "
  • there haven\u2019t been any applications to CAC for derecognition in the previous 3 years
  • ", + "

    Provide evidence (eg letters supporting your application, workplace surveys) for both of the following:

    ", + "
  • at least 10% of the workers in the bargaining unit want the union to be derecognised
  • ", + "
  • a majority of workers in the bargaining unit are likely vote for derecognition
  • ", + "

    Send the completed form and your supporting documents to CAC. Send a copy to the union.

    ", + "

    What happens next

    ", + "

    CAC has 10 working days to consider your application.

    ", + "

    You may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.

    ", + "

    The CAC will arrange a secret ballot of workers if your application is successful.

    ", + "

    You\u2019ll have to continue negotiating with the union if your application fails.

    ", + "

    Employers: union membership is less than 50%

    ", + "

    If the Central Arbitration Committee (CAC) declared recognition without a ballot more than 3 years ago, a union can be derecognised if the level of union membership in the bargaining unit falls below 50%.

    ", + "

    Apply to the CAC to hold a secret ballot of employees on whether collective bargaining should be ended.

    ", + "

    You can only apply if:

    ", + "
  • the CAC declared recognition without a ballot more than 3 years ago
  • ", + "
  • there haven\u2019t been any applications to CAC for derecognition in the previous 3 years
  • ", + "

    Ask the union to voluntarily derecognise

    ", + "

    You must send a written request to the unions, stating:

    ", + "
  • that fewer than 50% of the workers in the bargaining unit are union members
  • ", + "
  • what the current bargaining arrangements are, eg how many workers are in the bargaining unit, where they work
  • ", + "
  • that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992
  • ", + "

    The union has 10 working days to respond to your request.

    ", + "

    You can end the bargaining arrangements and derecognise the union if they accept your request.

    ", + "

    The union rejects your request but is willing to negotiate

    ", + "

    You have 10 days to negotiate an agreement about derecognition. You can extend this period if the union agrees.

    ", + "

    The union doesn\u2019t respond or rejects your request

    ", + "

    Apply to CAC to hold a secret ballot of workers to see if they support derecognition.

    ", + "

    You can\u2019t apply if there have been any applications to CAC for an end to bargaining arrangements in the previous 3 years.

    ", + "

    Provide evidence (eg letters supporting your application, workplace surveys) that less than 50% of the bargaining unit are union members.

    ", + "

    Send the completed form and your supporting documents to CAC. You must send copies of the form and evidence to the union.

    ", + "

    What happens next

    ", + "

    CAC has 10 working days to consider your application.

    ", + "

    You may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.

    ", + "

    The CAC will arrange for a secret ballot of the workers to be held if your application is successful.

    ", + "

    You will have to continue negotiating with the union if your application fails.

    ", + "

    Workers: union loses support

    ", + "

    You can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.

    ", + "

    You can only apply if both of these are true:

    ", + "
  • the union has been recognised for longer than 3 years
  • ", + "
  • there haven\u2019t been any applications to CAC for derecognition in the previous 3 years
  • ", + "

    Provide evidence (eg letters supporting your application, workplace surveys) for both of the following:

    ", + "
  • at least 10% of the workers in the bargaining unit want the union to be derecognised
  • ", + "
  • a majority of workers in the bargaining unit are likely vote for derecognition
  • ", + "

    Send the completed form and your evidence to both the union and the CAC.

    ", + "

    What happens next

    ", + "

    CAC has 10 working days to consider your application.

    ", + "

    You may be asked to attend a hearing if CAC needs information to support your application, eg evidence of levels of union support.

    ", + "

    Your application will either be:

    ", + "
  • rejected and the union will continue to represent the bargaining unit
  • ", + "
  • accepted and you\u2019ll enter a negotiation period of 20 working days
  • ", + "

    Taking part in negotiations

    ", + "

    CAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.

    ", + "

    The outcome of the negotiations will be one of the following:

    ", + "
  • you withdraw your application and the union continues to represent the bargaining unit
  • ", + "
  • the union agrees to end the arrangements and is derecognised
  • ", + "
  • no agreement is reached and CAC arranges a secret ballot
  • ", + "

    Workers: derecognise a non-independent union

    ", + "

    An employee or group of workers can apply to the Central Arbitration Committee (CAC) to derecognise a non-independent union that the employer recognised voluntarily.

    ", + "

    A non-independent union represents employees but has not been given a certificate of independence by the Certification Officer. You can check this on the Certification Officer\u2019s website.

    ", + "

    You can apply any time after the union has been recognised by the employer.

    ", + "

    Apply for a secret ballot

    ", + "

    Apply to CAC to hold a secret ballot of workers to find out if they want the union derecognsied.

    ", + "

    The form must be completed and signed by an employee in the bargaining unit.

    ", + "

    Provide evidence (eg letters supporting your application, workplace surveys) for both of the following:

    ", + "
  • at least 10% of the workers in the bargaining unit want the union to be derecognised
  • ", + "
  • a majority of employees in the bargaining are likely to favour an end to the bargaining arrangements
  • ", + "

    Send the completed form plus your documents to CAC. Send a signed copy of the form and evidence to the union and your employer.

    ", + "

    What happens next

    ", + "

    CAC has 10 working days to consider your application.

    ", + "

    You may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.

    ", + "

    Your application will either be:

    ", + "
  • rejected and the union will continue to represent the bargaining unit
  • ", + "
  • accepted and you\u2019ll enter a negotiation period of 20 working days
  • ", + "

    Taking part in negotiations

    ", + "

    CAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.

    ", + "

    The outcome of the negotiations will be one of the following:

    ", + "
  • you withdraw your application and the union continues to represent the bargaining unit
  • ", + "
  • the union agrees to end the arrangements and is derecognised
  • ", + "
  • no agreement is reached and CAC arranges a secret ballot
  • ", + "

    Holding a derecognition ballot

    ", + "

    When employers, workers and the union have tried to reach agreement about derecognition but failed, the Central Arbitration Committee (CAC) will hold a secret ballot.

    ", + "

    CAC will write to everyone involved, saying that they intend to hold a ballot to allow workers in the bargaining unit to vote on derecognition.

    ", + "

    How the ballot works

    ", + "

    CAC will appoint a qualified independent person (QIP) who will aim to conduct the ballot within 20 working days of their appointment. The CAC may extend this period if necessary.

    ", + "

    The QIP will provide an estimate for the cost of running the ballot. The arrangements for the ballot will be decided by the CAC after consulting the employer and the union.

    ", + "

    The final cost of the ballot will be split equally between the employer and the union.

    ", + "

    The employer and the union must follow the Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition.

    ", + "

    Complain when someone doesn\u2019t co-operate

    ", + "

    Complain to CAC any time before the ballot is held if you feel someone isn\u2019t co-operating.

    ", + "

    The union can complain to the CAC if the employer is not fulfilling their duties during the ballot.

    ", + "

    CAC will investigate and can issue a \u2018remedial order\u2019 demanding that all duties are carried out properly.

    ", + "

    If that order is ignored CAC can cancel the ballot or declare that the union be derecognised.

    ", + "

    Complain about unfair practices

    ", + "

    Complain to the Central Arbitration Committee (CAC) if you feel that another party is using unfair practices to influence the ballot, eg bribery or threats.

    ", + "

    To make a complaint fill in the unfair practices application form and send it to CAC. The address is on the form.

    ", + "

    Complaints can be made at any time up to the end of day after the ballot closes.

    ", + "

    Where CAC finds that unfair practices were used they may:

    ", + "
  • reschedule the ballot
  • ", + "
  • cancel the ballot and declare that the union is derecognised
  • ", + "
  • cancel the ballot and refuse the application for derecognition
  • ", + "

    The Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.

    ", + "

    After the ballot

    ", + "

    You\u2019ll usually find out the result of the vote 48 hours after the ballot closes.

    ", + "

    For a union to be derecognised the majority of those voting, and at least 40% of the workers in the bargaining unit, must vote in favour of ending the bargaining arrangements.

    ", + "

    The Central Arbitration Committee (CAC) will declare the union as derecognised or will refuse the application for derecognition.

    ", + "

    Paying for the ballot

    ", + "

    The employer and the union will each receive a demand from the qualified independent person (QIP) for their share of the cost of running the ballot.

    ", + "

    This must be paid in 15 days. If either party wishes to dispute the amount they can appeal to an employment tribunal.

    ", + "

    What you must do

    ", + "

    As an employer, you no longer have to work with a union that\u2019s been derecognised.

    ", + "

    You must continue to work with a union if the CAC have refused the application for derecognition. You cannot reapply for the union to be derecognised for 3 years.

    " + ] + }, + "https://www.gov.uk/trade-union-recognition-employers": { + "url": "https://www.gov.uk/trade-union-recognition-employers", + "title": "Employers: recognise a trade union", + "content": "## Overview\n\nAs an employer you may need to work with trade unions that represent groups of your employees, sometimes known as bargaining units.\n\nTrade unions will negotiate with you on working conditions, for example pay and holiday. You need to recognise the trade union before they can negotiate with you.\n\n## How a trade union gets recognition\n\n- The union must ask you to recognise them voluntarily - if you agree to the request then the union is recognised.\n\n- If you do not want to recognise the union and have more than 21 employees, they can apply for statutory recognition from the Central Arbitration Committee (CAC).\n\n## When the union requests recognition\n\nThe union must ask you - the employer - in writing if you\u2019ll agree to recognise them voluntarily.\n\nThe written request must:\n\n- give the name of the union\n\n- identify which employees will be represented by the union when it\u2019s recognised, sometimes known as the bargaining unit\n\n- state that the union is making the request under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\n## Respond to the request\n\nYou have 10 working days to respond to the request.\n\nYou can:\n\n- agree to recognise the union voluntarily - and begin collective bargaining\n\n- reject the request - the union may then apply for statutory recognition\n\n- refuse the initial request but agree to negotiate\n\n## Negotiate with the union\n\nYou have 20 working days, or longer if you agree this with the union, to come to an agreement about:\n\n- which employees are in the bargaining unit\n\n- whether the union should be recognised for collective bargaining\n\nYou have 10 days to suggest that the Advisory, Conciliation and Arbitration Service (Acas) are brought in to assist with the negotiations.\n\n## What happens next\n\nIf you cannot agree, or you\u2019ve agreed the bargaining unit but not recognised the union, the union can apply to the Central Arbitration Committee (CAC) for statutory recognition.\n\n## When the union applies for statutory recognition\n\nThe union can apply to the Central Arbitration Committee (CAC) for \u2018statutory recognition\u2019 if you do not agree to recognise them voluntarily.\n\nCAC will accept the trade union\u2019s application for recognition if it meets the requirements, unless you challenge the application.\n\n## Providing information to the CAC\n\nYou may be asked for information by the CAC case manager who is handling the union\u2019s application, for example, how many employees are in the bargaining unit. CAC will still consider the application if you do not provide the information.\n\n## Challenge an application\n\nYou can challenge the application if you think it does not meet the requirements.\n\n## Application requirements\n\nThe union can apply if:\n\n- they\u2019ve sent you a copy of their application and any supporting documents\n\n- they have at least 10% union membership within the proposed bargaining unit\n\n- they have evidence that a majority of employees are in favour of recognition - for example, a petition\n\nThey cannot apply if:\n\n- they\u2019ve applied for recognition in the last 3 years\n\n- they are not a certified independent union\n\n- there\u2019s already a recognition agreement that allows another union to represent employees in the bargaining unit\n\n- another union - representing 10% of the employees in the proposed bargaining unit - has already applied to CAC\n\n## How to complain\n\nCAC will send you a form so you can challenge the application if you think that the union has not met one or more of the requirements.\n\nYou have 5 working days to send it to CAC - the address is on the form.\n\nYou\u2019ll hear from CAC within 10 working days. They may:\n\n- ask for more information so they can make a decision\n\n- reject the application if the union has not met the requirements\n\n- accept the union\u2019s application\n\n## When the CAC accepts a union\u2019s application\n\nYou\u2019ll need to start discussions about which employees the union will represent, sometimes known as the bargaining unit.\n\n## Establishing the bargaining unit\n\nThe \u2018bargaining unit\u2019 is the group of employees that will be represented by the union.\n\nYou can agree who is in this unit with the union as part of your negotiations. If you do not, the Central Arbitration Committee (CAC) will decide.\n\n## Providing information to the union and the CAC\n\nIf CAC accepts the union\u2019s application for statutory recognition and you have not agreed on the bargaining unit with them, you must send CAC and the union:\n\n- a list of the categories of employees who will be in the proposed bargaining unit, for example, technical and skilled but not managers\n\n- a list of the places where they work\n\n- the number of employees in each category at each workplace\n\nYou have 5 working days to send this from the date the application is accepted.\n\n## How the CAC decides on the bargaining unit\n\nCAC will hold a hearing and decide the bargaining unit based on:\n\n- your views and those of the union\n\n- compatibility with effective management of your company\n\n- existing national and bargaining arrangements\n\n## Work with a \u2018suitable independent person\u2019 (SIP)\n\nWhen the bargaining unit has been agreed the union may ask CAC to appoint a SIP to communicate with employees in the bargaining unit. If this happens, you must give the SIP the names and addresses of:\n\n- employees in the proposed bargaining unit\n\n- any employees who join or leave the bargaining unit\n\nIf you do not provide this information, you\u2019ll get a \u2018remedial order\u2019 from CAC. You must do what the order says or CAC could declare that you must recognise the union.\n\n## When the bargaining unit has been agreed or decided\n\nCAC will decide if there needs to be a ballot of employees.\n\n## Ballot on union recognition\n\nYour employees will be balloted about whether they want the union to be recognised if the majority of employees in the bargaining unit are not members of the union.\n\nThe Central Arbitration Committee (CAC) may hold a ballot even if the majority of your employees are union members but they believe any of the following:\n\n- it\u2019ll help maintain good relations between you and your employees\n\n- there\u2019s evidence that a significant number of union members in the bargaining unit do not want the union to represent them\n\n- there are concerns about why some members joined the union, for example, they were pressured\n\nCAC will ask for your views and the union\u2019s on these issues.\n\n## Before the ballot\n\nYou\u2019ll get a letter telling you whether there\u2019ll be a ballot. A ballot can be held at the workplace, by post or both. CAC will ask for your views and the union\u2019s before they decide what kind of ballot to hold.\n\nThe union has 10 days to withdraw its application. If it does not, CAC will appoint a qualified independent person (QIP) to run the ballot.\n\nThe ballot will usually be held within 20 working days of the QIP being appointed.\n\n## Your responsibilities\n\nThe cost of the ballot is split equally between you and the union.\n\nYou must:\n\n- make sure the union can talk to employees in the bargaining unit - for example, allow them to hold meetings without you\n\n- give CAC a list of names and addresses of employees in the bargaining unit - and update it when people join or leave\n\n- not ask employees to miss meetings, unless it\u2019s absolutely necessary\n\n- not threaten or take any action against a worker because they attended a meeting\n\nThe union can complain to CAC if they think you have not co-operated.\n\n## After the ballot\n\nYou\u2019ll usually find out the result of the vote 48 hours after the ballot closes.\n\nCAC will declare the union is recognised if both:\n\n- the majority of employees in the ballot vote to recognise the union\n\n- at least 40% of the employees in the bargaining unit vote to recognise the union\n\n## If CAC declares the union is recognised\n\nYou must work with the union and work out how to collectively bargain on:\n\n- pay\n\n- hours\n\n- holiday entitlement\n\n## If CAC does not declare the union is recognised\n\nThe union will not be able to apply for statutory recognition for 3 years, but you can still recognise them voluntarily.\n\n## Complaints about and from the union\n\nYou can complain to the Central Arbitration Committee (CAC) if the union tries to influence the outcome of a ballot using \u2018unfair practices\u2019, for example, by trying to pressurise employees.\n\nThe Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.\n\nMake your complaint in writing to CAC. You can complain at any time until the day after the ballot closes.\n\n## What happens next\n\nCAC may:\n\n- restart the ballot process\n\n- give the union a final warning, sometimes called a \u2018remedial order\u2019\n\nIf the union does not do what the order tells it to do, CAC can cancel the ballot and declare the union is not recognised\n\n## If the union complains\n\nThe union can complain if you:\n\n- do not co-operate with preparations for the ballot\n\n- use unfair practices to change the outcome of the ballot\n\nCAC may give you a final warning if the union\u2019s complaint is successful, sometimes called a \u2018remedial order\u2019.\n\nCAC can also:\n\n- restart the ballot process\n\n- cancel the ballot and declare the union is recognised\n\n## Ending negotiations\n\nYou and the union will not need to continue negotiations if the union withdraws its application. They must do this before the Central Arbitration Committee (CAC) either :\n\n- declares them recognised or not recognised\n\n- tells you that they\u2019re holding a ballot of your employees\n\n## You\u2019re recognising the union voluntarily\n\nIf the union is withdrawing its application because you\u2019ve agreed to recognise them, you and the union can tell CAC by sending a \u2018joint notice to cease consideration\u2019. This means CAC will no longer be involved.\n\nSend CAC a letter signed by both you and the representative of the union.\n\nYou must do this before CAC declares the union is recognised or up to the last day of the ballot notification period (10 working days from when CAC told you about the ballot).", + "original_contents": [ + "

    Overview

    ", + "

    As an employer you may need to work with trade unions that represent groups of your employees, sometimes known as bargaining units.

    ", + "

    Trade unions will negotiate with you on working conditions, for example pay and holiday. You need to recognise the trade union before they can negotiate with you.

    ", + "

    How a trade union gets recognition

    ", + "
  • The union must ask you to recognise them voluntarily - if you agree to the request then the union is recognised.
  • ", + "
  • If you do not want to recognise the union and have more than 21 employees, they can apply for statutory recognition from the Central Arbitration Committee (CAC).
  • ", + "

    When the union requests recognition

    ", + "

    The union must ask you - the employer - in writing if you\u2019ll agree to recognise them voluntarily.

    ", + "

    The written request must:

    ", + "
  • give the name of the union
  • ", + "
  • identify which employees will be represented by the union when it\u2019s recognised, sometimes known as the bargaining unit
  • ", + "
  • state that the union is making the request under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992
  • ", + "

    Respond to the request

    ", + "

    You have 10 working days to respond to the request.

    ", + "

    You can:

    ", + "
  • agree to recognise the union voluntarily - and begin collective bargaining
  • ", + "
  • reject the request - the union may then apply for statutory recognition
  • ", + "
  • refuse the initial request but agree to negotiate
  • ", + "

    Negotiate with the union

    ", + "

    You have 20 working days, or longer if you agree this with the union, to come to an agreement about:

    ", + "
  • which employees are in the bargaining unit
  • ", + "
  • whether the union should be recognised for collective bargaining
  • ", + "

    You have 10 days to suggest that the Advisory, Conciliation and Arbitration Service (Acas) are brought in to assist with the negotiations.

    ", + "

    What happens next

    ", + "

    If you cannot agree, or you\u2019ve agreed the bargaining unit but not recognised the union, the union can apply to the Central Arbitration Committee (CAC) for statutory recognition.

    ", + "

    When the union applies for statutory recognition

    ", + "

    The union can apply to the Central Arbitration Committee (CAC) for \u2018statutory recognition\u2019 if you do not agree to recognise them voluntarily.

    ", + "

    CAC will accept the trade union\u2019s application for recognition if it meets the requirements, unless you challenge the application.

    ", + "

    Providing information to the CAC

    ", + "

    You may be asked for information by the CAC case manager who is handling the union\u2019s application, for example, how many employees are in the bargaining unit. CAC will still consider the application if you do not provide the information.

    ", + "

    Challenge an application

    ", + "

    You can challenge the application if you think it does not meet the requirements.

    ", + "

    Application requirements

    ", + "

    The union can apply if:

    ", + "
  • they\u2019ve sent you a copy of their application and any supporting documents
  • ", + "
  • they have at least 10% union membership within the proposed bargaining unit
  • ", + "
  • they have evidence that a majority of employees are in favour of recognition - for example, a petition
  • ", + "

    They cannot apply if:

    ", + "
  • they\u2019ve applied for recognition in the last 3 years
  • ", + "
  • they are not a certified independent union
  • ", + "
  • there\u2019s already a recognition agreement that allows another union to represent employees in the bargaining unit
  • ", + "
  • another union - representing 10% of the employees in the proposed bargaining unit - has already applied to CAC
  • ", + "

    How to complain

    ", + "

    CAC will send you a form so you can challenge the application if you think that the union has not met one or more of the requirements.

    ", + "

    You have 5 working days to send it to CAC - the address is on the form.

    ", + "

    You\u2019ll hear from CAC within 10 working days. They may:

    ", + "
  • ask for more information so they can make a decision
  • ", + "
  • reject the application if the union has not met the requirements
  • ", + "
  • accept the union\u2019s application
  • ", + "

    When the CAC accepts a union\u2019s application

    ", + "

    You\u2019ll need to start discussions about which employees the union will represent, sometimes known as the bargaining unit.

    ", + "

    Establishing the bargaining unit

    ", + "

    The \u2018bargaining unit\u2019 is the group of employees that will be represented by the union.

    ", + "

    You can agree who is in this unit with the union as part of your negotiations. If you do not, the Central Arbitration Committee (CAC) will decide.

    ", + "

    Providing information to the union and the CAC

    ", + "

    If CAC accepts the union\u2019s application for statutory recognition and you have not agreed on the bargaining unit with them, you must send CAC and the union:

    ", + "
  • a list of the categories of employees who will be in the proposed bargaining unit, for example, technical and skilled but not managers
  • ", + "
  • a list of the places where they work
  • ", + "
  • the number of employees in each category at each workplace
  • ", + "

    You have 5 working days to send this from the date the application is accepted.

    ", + "

    How the CAC decides on the bargaining unit

    ", + "

    CAC will hold a hearing and decide the bargaining unit based on:

    ", + "
  • your views and those of the union
  • ", + "
  • compatibility with effective management of your company
  • ", + "
  • existing national and bargaining arrangements
  • ", + "

    Work with a \u2018suitable independent person\u2019 (SIP)

    ", + "

    When the bargaining unit has been agreed the union may ask CAC to appoint a SIP to communicate with employees in the bargaining unit. If this happens, you must give the SIP the names and addresses of:

    ", + "
  • employees in the proposed bargaining unit
  • ", + "
  • any employees who join or leave the bargaining unit
  • ", + "

    If you do not provide this information, you\u2019ll get a \u2018remedial order\u2019 from CAC. You must do what the order says or CAC could declare that you must recognise the union.

    ", + "

    When the bargaining unit has been agreed or decided

    ", + "

    CAC will decide if there needs to be a ballot of employees.

    ", + "

    Ballot on union recognition

    ", + "

    Your employees will be balloted about whether they want the union to be recognised if the majority of employees in the bargaining unit are not members of the union.

    ", + "

    The Central Arbitration Committee (CAC) may hold a ballot even if the majority of your employees are union members but they believe any of the following:

    ", + "
  • it\u2019ll help maintain good relations between you and your employees
  • ", + "
  • there\u2019s evidence that a significant number of union members in the bargaining unit do not want the union to represent them
  • ", + "
  • there are concerns about why some members joined the union, for example, they were pressured
  • ", + "

    CAC will ask for your views and the union\u2019s on these issues.

    ", + "

    Before the ballot

    ", + "

    You\u2019ll get a letter telling you whether there\u2019ll be a ballot. A ballot can be held at the workplace, by post or both. CAC will ask for your views and the union\u2019s before they decide what kind of ballot to hold.

    ", + "

    The union has 10 days to withdraw its application. If it does not, CAC will appoint a qualified independent person (QIP) to run the ballot.

    ", + "

    The ballot will usually be held within 20 working days of the QIP being appointed.

    ", + "

    Your responsibilities

    ", + "

    The cost of the ballot is split equally between you and the union.

    ", + "

    You must:

    ", + "
  • make sure the union can talk to employees in the bargaining unit - for example, allow them to hold meetings without you
  • ", + "
  • give CAC a list of names and addresses of employees in the bargaining unit - and update it when people join or leave
  • ", + "
  • not ask employees to miss meetings, unless it\u2019s absolutely necessary
  • ", + "
  • not threaten or take any action against a worker because they attended a meeting
  • ", + "

    The union can complain to CAC if they think you have not co-operated.

    ", + "

    After the ballot

    ", + "

    You\u2019ll usually find out the result of the vote 48 hours after the ballot closes.

    ", + "

    CAC will declare the union is recognised if both:

    ", + "
  • the majority of employees in the ballot vote to recognise the union
  • ", + "
  • at least 40% of the employees in the bargaining unit vote to recognise the union
  • ", + "

    If CAC declares the union is recognised

    ", + "

    You must work with the union and work out how to collectively bargain on:

    ", + "
  • pay
  • ", + "
  • hours
  • ", + "
  • holiday entitlement
  • ", + "

    If CAC does not declare the union is recognised

    ", + "

    The union will not be able to apply for statutory recognition for 3 years, but you can still recognise them voluntarily.

    ", + "

    Complaints about and from the union

    ", + "

    You can complain to the Central Arbitration Committee (CAC) if the union tries to influence the outcome of a ballot using \u2018unfair practices\u2019, for example, by trying to pressurise employees.

    ", + "

    The Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.

    ", + "

    Make your complaint in writing to CAC. You can complain at any time until the day after the ballot closes.

    ", + "

    What happens next

    ", + "

    CAC may:

    ", + "
  • restart the ballot process
  • ", + "
  • give the union a final warning, sometimes called a \u2018remedial order\u2019
  • ", + "

    If the union does not do what the order tells it to do, CAC can cancel the ballot and declare the union is not recognised

    ", + "

    If the union complains

    ", + "

    The union can complain if you:

    ", + "
  • do not co-operate with preparations for the ballot
  • ", + "
  • use unfair practices to change the outcome of the ballot
  • ", + "

    CAC may give you a final warning if the union\u2019s complaint is successful, sometimes called a \u2018remedial order\u2019.

    ", + "

    CAC can also:

    ", + "
  • restart the ballot process
  • ", + "
  • cancel the ballot and declare the union is recognised
  • ", + "

    Ending negotiations

    ", + "

    You and the union will not need to continue negotiations if the union withdraws its application. They must do this before the Central Arbitration Committee (CAC) either :

    ", + "
  • declares them recognised or not recognised
  • ", + "
  • tells you that they\u2019re holding a ballot of your employees
  • ", + "

    You\u2019re recognising the union voluntarily

    ", + "

    If the union is withdrawing its application because you\u2019ve agreed to recognise them, you and the union can tell CAC by sending a \u2018joint notice to cease consideration\u2019. This means CAC will no longer be involved.

    ", + "

    Send CAC a letter signed by both you and the representative of the union.

    ", + "

    You must do this before CAC declares the union is recognised or up to the last day of the ballot notification period (10 working days from when CAC told you about the ballot).

    " + ] + }, + "https://www.gov.uk/if-your-business-faces-industrial-action": { + "url": "https://www.gov.uk/if-your-business-faces-industrial-action", + "title": "If your business faces industrial action", + "content": "## Overview\n\nIf there\u2019s a workplace dispute at your business, you should try to resolve it informally or through an impartial third party (arbitration).\n\nGet advice on handling disputes and conflict in the workplace on the Acas (Advisory, Conciliation and Arbitration Service) website.\n\nYou could work with a trade union to solve a dispute as well as with non-union employee representatives.\n\nIf you cannot resolve a dispute, workers in a recognised trade union may consider taking industrial action.\n\nA trade union can only call for industrial action if:\n\n- the dispute cannot be solved by informal negotiations or arbitration\n\n- a majority of the members involved support it through a postal ballot (before organising one, the union has to decide which members it wants to ask to take industrial action)\n\nTypes of industrial action might include a strike or action short of a strike, for example not working overtime.\n\nIf workers go on strike, you do not have to pay them for the hours lost.\n\n## Using agency workers to cover during a strike\n\nAgencies are not allowed to supply workers specifically to cover work that is not being done during lawful industrial action.\n\nAgency workers already in place as part of your normal business can carry on as usual.\n\n## Dismissing workers who take industrial action\n\nAs an employer, you may face unfair dismissal claims if you dismiss:\n\n- employees within the first 12 weeks of lawful industrial action for taking part\n\n- some workers for taking part in the action, but not others\n\n- all employees but re-hire only some of them\n\nSome employees might have protection from unfair dismissal for more than 12 weeks.\n\n## Lawful industrial action\n\nTrade unions only have statutory immunity if the industrial action is lawful. Statutory immunity means that trade unions and their members are protected from legal action in civil law.\n\nThere\u2019s no legal immunity in criminal law for strikers or organisers who break the law - for example, by intentionally damaging property or trespassing.\n\n## When industrial action is lawful\n\nThere must be:\n\n- a trade dispute (a dispute between you and your workers about employment-related issues)\n\n- a properly-conducted industrial action ballot\n\n- a written notice of industrial action sent to you\n\nThe industrial action must not:\n\n- be secondary action - for example, action taken by workers whose employer is not involved in the trade dispute\n\n- be in support of an employee dismissed for taking unofficial industrial action\n\n- promote closed-shop practices (such as when employers agree to employ only union members) or enforce trade union membership against non-union firms\n\n- involve unlawful picketing\n\n## When civil proceedings can take place\n\nIf the union or individuals do not follow these conditions, they do not have statutory immunity. This means that you and anyone else affected by the industrial action can take civil proceedings in the courts as long as all the following apply:\n\n- an unlawful, unprotected act has happened or been threatened\n\n- the action breaks a contract that you\u2019re a party to\n\n- you\u2019ve suffered, or are likely to suffer, loss as a result\n\n## Strike pay and working records\n\nYou can ask your employees if they\u2019re planning to strike, so that you can tell what effect the strike will have - but they do not have to tell you their plans.\n\n## Deducting pay\n\nYou do not have to pay employees who are on strike.\n\nIf workers take action short of a strike, and refuse to carry out part of their contractual work, this is called \u2018partial performance\u2019. If you refuse to accept partial performance, you must tell employees that:\n\n- they should only attend work if they fulfil their contractual duties\n\n- if they do not fulfil the terms of their employment contract, you do not have to pay them\n\nIf you do accept partial performance, you must still pay employees for any work that they have done.\n\n## How much pay to deduct during a strike\n\nYou should only deduct the amount that the employee would have earned during the strike. How you work this out may depend on how they are paid (for example, hourly, weekly or monthly) and on the terms of their employment contract.\n\nYou cannot deduct an employee\u2019s pay if they were not supposed to be working on the day of the strike.\n\n## Effect on continuous employment and length of service\n\nIf employees return to work after the strike, their continuous employment is not affected - they continue to be employed by you. This means that the terms and conditions of their employment contracts still apply during and after the strike.\n\nHowever, days when they were on strike do not count towards their total length of service - this may be important for working out things like statutory redundancy pay or pensions.\n\n## Picketing during strikes\n\nDuring the strike, workers and union reps may stand outside the place of work to explain why they\u2019re striking and try to persuade others to join the strike. This is called picketing. It\u2019s only lawful if it\u2019s:\n\n- carried out near or at the strikers\u2019 usual place of work (unless they are mobile workers)\n\n- done peacefully, without abusive or threatening behaviour\n\n- not breaking any criminal laws - for example, damaging property or obstructing roads\n\nYou may be able to take legal action if picketing is unlawful.\n\n## Non-union employees and strikes\n\nYou can ask non-union employees to cover work during a strike, as long as:\n\n- this is allowed by their employment contracts\n\n- you do not discriminate against any employee directly or indirectly\n\n## Non-union staff and striking\n\nIf non-union members go on strike, they are protected from dismissal and have the same rights as union members, as long as the industrial action is lawful.\n\n## Agency staff\n\nYou cannot hire agency staff to provide temporary work cover during a strike.\n\nAgency staff who are already in place as part of normal business can carry on as usual.", + "original_contents": [ + "

    Overview

    ", + "

    If there\u2019s a workplace dispute at your business, you should try to resolve it informally or through an impartial third party (arbitration).

    ", + "

    Get advice on handling disputes and conflict in the workplace on the Acas (Advisory, Conciliation and Arbitration Service) website.

    ", + "

    You could work with a trade union to solve a dispute as well as with non-union employee representatives.

    ", + "

    If you cannot resolve a dispute, workers in a recognised trade union may consider taking industrial action.

    ", + "

    A trade union can only call for industrial action if:

    ", + "
  • the dispute cannot be solved by informal negotiations or arbitration
  • ", + "
  • a majority of the members involved support it through a postal ballot (before organising one, the union has to decide which members it wants to ask to take industrial action)
  • ", + "

    Types of industrial action might include a strike or action short of a strike, for example not working overtime.

    ", + "

    If workers go on strike, you do not have to pay them for the hours lost.

    ", + "

    Using agency workers to cover during a strike

    ", + "

    Agencies are not allowed to supply workers specifically to cover work that is not being done during lawful industrial action.

    ", + "

    Agency workers already in place as part of your normal business can carry on as usual.

    ", + "

    Dismissing workers who take industrial action

    ", + "

    As an employer, you may face unfair dismissal claims if you dismiss:

    ", + "
  • employees within the first 12 weeks of lawful industrial action for taking part
  • ", + "
  • some workers for taking part in the action, but not others
  • ", + "
  • all employees but re-hire only some of them
  • ", + "

    Some employees might have protection from unfair dismissal for more than 12 weeks.

    ", + "

    Lawful industrial action

    ", + "

    Trade unions only have statutory immunity if the industrial action is lawful. Statutory immunity means that trade unions and their members are protected from legal action in civil law.

    ", + "

    There\u2019s no legal immunity in criminal law for strikers or organisers who break the law - for example, by intentionally damaging property or trespassing.

    ", + "

    When industrial action is lawful

    ", + "

    There must be:

    ", + "
  • a trade dispute (a dispute between you and your workers about employment-related issues)
  • ", + "
  • a properly-conducted industrial action ballot
  • ", + "
  • a written notice of industrial action sent to you
  • ", + "

    The industrial action must not:

    ", + "
  • be secondary action - for example, action taken by workers whose employer is not involved in the trade dispute
  • ", + "
  • be in support of an employee dismissed for taking unofficial industrial action
  • ", + "
  • promote closed-shop practices (such as when employers agree to employ only union members) or enforce trade union membership against non-union firms
  • ", + "
  • involve unlawful picketing
  • ", + "

    When civil proceedings can take place

    ", + "

    If the union or individuals do not follow these conditions, they do not have statutory immunity. This means that you and anyone else affected by the industrial action can take civil proceedings in the courts as long as all the following apply:

    ", + "
  • an unlawful, unprotected act has happened or been threatened
  • ", + "
  • the action breaks a contract that you\u2019re a party to
  • ", + "
  • you\u2019ve suffered, or are likely to suffer, loss as a result
  • ", + "

    Strike pay and working records

    ", + "

    You can ask your employees if they\u2019re planning to strike, so that you can tell what effect the strike will have - but they do not have to tell you their plans.

    ", + "

    Deducting pay

    ", + "

    You do not have to pay employees who are on strike.

    ", + "

    If workers take action short of a strike, and refuse to carry out part of their contractual work, this is called \u2018partial performance\u2019. If you refuse to accept partial performance, you must tell employees that:

    ", + "
  • they should only attend work if they fulfil their contractual duties
  • ", + "
  • if they do not fulfil the terms of their employment contract, you do not have to pay them
  • ", + "

    If you do accept partial performance, you must still pay employees for any work that they have done.

    ", + "

    How much pay to deduct during a strike

    ", + "

    You should only deduct the amount that the employee would have earned during the strike. How you work this out may depend on how they are paid (for example, hourly, weekly or monthly) and on the terms of their employment contract.

    ", + "

    You cannot deduct an employee\u2019s pay if they were not supposed to be working on the day of the strike.

    ", + "

    Effect on continuous employment and length of service

    ", + "

    If employees return to work after the strike, their continuous employment is not affected - they continue to be employed by you. This means that the terms and conditions of their employment contracts still apply during and after the strike.

    ", + "

    However, days when they were on strike do not count towards their total length of service - this may be important for working out things like statutory redundancy pay or pensions.

    ", + "

    Picketing during strikes

    ", + "

    During the strike, workers and union reps may stand outside the place of work to explain why they\u2019re striking and try to persuade others to join the strike. This is called picketing. It\u2019s only lawful if it\u2019s:

    ", + "
  • carried out near or at the strikers\u2019 usual place of work (unless they are mobile workers)
  • ", + "
  • done peacefully, without abusive or threatening behaviour
  • ", + "
  • not breaking any criminal laws - for example, damaging property or obstructing roads
  • ", + "

    You may be able to take legal action if picketing is unlawful.

    ", + "

    Non-union employees and strikes

    ", + "

    You can ask non-union employees to cover work during a strike, as long as:

    ", + "
  • this is allowed by their employment contracts
  • ", + "
  • you do not discriminate against any employee directly or indirectly
  • ", + "

    Non-union staff and striking

    ", + "

    If non-union members go on strike, they are protected from dismissal and have the same rights as union members, as long as the industrial action is lawful.

    ", + "

    Agency staff

    ", + "

    You cannot hire agency staff to provide temporary work cover during a strike.

    ", + "

    Agency staff who are already in place as part of normal business can carry on as usual.

    " + ] + }, + "https://www.gov.uk/working-with-trade-unions": { + "url": "https://www.gov.uk/working-with-trade-unions", + "title": "Working with trade unions: employers", + "content": "## Overview\n\nIf you recognise a union in your workplace there are certain rules you need to follow.\n\nYou must:\n\n- give the union information in advance to help with collective bargaining\n\n- inform and consult the union about major changes in the workplace\n\n- follow proper procedures if you\u2019re taking union subscriptions straight from your employees\u2019 pay (the \u2018check off\u2019)\n\n- let union reps and members have time off for union activities\n\n- not discriminate against a worker because they\u2019re in the union\n\n## Collective bargaining\n\nYou\u2019ll need to work with unions to discuss changes to your employees\u2019 terms and conditions. This is called \u2018collective bargaining\u2019.\n\nCollective bargaining covers the terms and conditions of workers in a defined \u2018bargaining unit\u2019. This can include all employees in a workplace or just certain groups of workers, eg technicians.\n\nIt\u2019s up to you and the union to agree which terms and conditions are covered but it\u2019s usually things like pay, holiday, working hours etc.\n\n## Running collective bargaining\n\nEmployers and unions need to work out how to run collective bargaining, eg:\n\n- who\u2019ll represent the workers\n\n- who\u2019s included in a bargaining unit\n\n- when and how often meetings will happen\n\n- what to do if more than one union is recognised\n\n- what will be discussed\n\n- what to do if the union and employer cannot come to an agreement\n\n## Information to help with collective bargaining\n\nEmployers must give certain information to the union to help it with the bargaining process, eg the company\u2019s pay and benefits structure or information about its profits, assets and liabilities.\n\n## Collective agreements\n\nIf collective bargaining leads to an agreement, for example about a pay increase or change in working conditions, it\u2019s called a \u2018collective agreement\u2019.\n\n## Informing and consulting with unions\n\nEmployers must inform and consult with a recognised trade union about:\n\n- collective redundancies\n\n- transfers of business ownership\n\n- certain changes to pension schemes\n\n- health and safety\n\nIf you fail to consult the union about any of these, you\u2019ll be breaking the law and could be fined - the amount depends on the situation.\n\nThere\u2019s more information on the pension scheme changes you have to consult about in the guidance below.\n\nYou can also make voluntary agreements with unions to regularly inform and consult them about other business and workplace issues.\n\nAcas has detailed guidance about informing and consulting employees.\n\n## Union subscriptions\n\nSome trade union members pay their union subscriptions directly out of their wages.\n\nThe employer then gives these payments to the union.\n\nThis is often called the \u2018check-off\u2019.\n\nIt\u2019s up to you if you want to run the check-off. A union cannot force you to run the check-off unless you\u2019ve agreed to it in your workers\u2019 employment contracts.\n\n## Authorising the check-off\n\nA worker must give you written permission to take their union subscriptions from their wages.\n\nThis must be signed and dated. Their permission starts from this date and continues until they say otherwise.\n\nIf you take the check-off without proper permission you could be taken to an employment tribunal.\n\nYou can pre-print consent forms as long as the worker signs and dates the form themselves. Unions are also allowed to get the written consent from the worker then forward it to you.\n\n## Stopping the check-off\n\nYou must stop taking check-off payments if your employee asks you to.\n\nThey must give you written notice to stop the check-off and you must be given reasonable time to stop it.\n\nYou can stop running the check-off at any time. If it\u2019s in your workers\u2019 employment contracts, you may have to give them notice.\n\n## The role of the union in the check-off\n\nThe union does not have to help run the check-off. However, you can involve it if you want to. You could, for example, ask the union to help you get initial consent from its members.\n\nYou could also charge the union for the work involved in administering the check off.\n\nEven if you involve the union in the check-off, it\u2019s still your responsibility to make sure you make check-off deductions properly.\n\n## Rights of employees in trade unions\n\nIf you recognise a union, it will normally name one or more of your workers as its local workplace representatives (\u2018reps\u2019).\n\nUnion reps have certain rights. They\u2019re allowed reasonable time off work:\n\n- with pay for union duties and training at appropriate times\n\n- without pay to take part in union activities, eg the union\u2019s annual conference (trade union members are entitled to this as well)\n\nReasonable time off does not have to be taken as annual leave.\n\n## Block lists\n\nYou cannot discriminate against anyone because they\u2019re in the union or because of their union activity.\n\nWith rare exceptions, it\u2019s also illegal to compile, use, sell or supply a \u2018block list\u2019 of union members that will be used to discriminate against them.", + "original_contents": [ + "

    Overview

    ", + "

    If you recognise a union in your workplace there are certain rules you need to follow.

    ", + "

    You must:

    ", + "
  • give the union information in advance to help with collective bargaining
  • ", + "
  • inform and consult the union about major changes in the workplace
  • ", + "
  • follow proper procedures if you\u2019re taking union subscriptions straight from your employees\u2019 pay (the \u2018check off\u2019)
  • ", + "
  • let union reps and members have time off for union activities
  • ", + "
  • not discriminate against a worker because they\u2019re in the union
  • ", + "

    Collective bargaining

    ", + "

    You\u2019ll need to work with unions to discuss changes to your employees\u2019 terms and conditions. This is called \u2018collective bargaining\u2019.

    ", + "

    Collective bargaining covers the terms and conditions of workers in a defined \u2018bargaining unit\u2019. This can include all employees in a workplace or just certain groups of workers, eg technicians.

    ", + "

    It\u2019s up to you and the union to agree which terms and conditions are covered but it\u2019s usually things like pay, holiday, working hours etc.

    ", + "

    Running collective bargaining

    ", + "

    Employers and unions need to work out how to run collective bargaining, eg:

    ", + "
  • who\u2019ll represent the workers
  • ", + "
  • who\u2019s included in a bargaining unit
  • ", + "
  • when and how often meetings will happen
  • ", + "
  • what to do if more than one union is recognised
  • ", + "
  • what will be discussed
  • ", + "
  • what to do if the union and employer cannot come to an agreement
  • ", + "

    Information to help with collective bargaining

    ", + "

    Employers must give certain information to the union to help it with the bargaining process, eg the company\u2019s pay and benefits structure or information about its profits, assets and liabilities.

    ", + "

    Collective agreements

    ", + "

    If collective bargaining leads to an agreement, for example about a pay increase or change in working conditions, it\u2019s called a \u2018collective agreement\u2019.

    ", + "

    Informing and consulting with unions

    ", + "

    Employers must inform and consult with a recognised trade union about:

    ", + "
  • collective redundancies
  • ", + "
  • transfers of business ownership
  • ", + "
  • certain changes to pension schemes
  • ", + "
  • health and safety
  • ", + "

    If you fail to consult the union about any of these, you\u2019ll be breaking the law and could be fined - the amount depends on the situation.

    ", + "

    There\u2019s more information on the pension scheme changes you have to consult about in the guidance below.

    ", + "

    You can also make voluntary agreements with unions to regularly inform and consult them about other business and workplace issues.

    ", + "

    Acas has detailed guidance about informing and consulting employees.

    ", + "

    Union subscriptions

    ", + "

    Some trade union members pay their union subscriptions directly out of their wages.

    ", + "

    The employer then gives these payments to the union.

    ", + "

    This is often called the \u2018check-off\u2019.

    ", + "

    It\u2019s up to you if you want to run the check-off. A union cannot force you to run the check-off unless you\u2019ve agreed to it in your workers\u2019 employment contracts.

    ", + "

    Authorising the check-off

    ", + "

    A worker must give you written permission to take their union subscriptions from their wages.

    ", + "

    This must be signed and dated. Their permission starts from this date and continues until they say otherwise.

    ", + "

    If you take the check-off without proper permission you could be taken to an employment tribunal.

    ", + "

    You can pre-print consent forms as long as the worker signs and dates the form themselves. Unions are also allowed to get the written consent from the worker then forward it to you.

    ", + "

    Stopping the check-off

    ", + "

    You must stop taking check-off payments if your employee asks you to.

    ", + "

    They must give you written notice to stop the check-off and you must be given reasonable time to stop it.

    ", + "

    You can stop running the check-off at any time. If it\u2019s in your workers\u2019 employment contracts, you may have to give them notice.

    ", + "

    The role of the union in the check-off

    ", + "

    The union does not have to help run the check-off. However, you can involve it if you want to. You could, for example, ask the union to help you get initial consent from its members.

    ", + "

    You could also charge the union for the work involved in administering the check off.

    ", + "

    Even if you involve the union in the check-off, it\u2019s still your responsibility to make sure you make check-off deductions properly.

    ", + "

    Rights of employees in trade unions

    ", + "

    If you recognise a union, it will normally name one or more of your workers as its local workplace representatives (\u2018reps\u2019).

    ", + "

    Union reps have certain rights. They\u2019re allowed reasonable time off work:

    ", + "
  • with pay for union duties and training at appropriate times
  • ", + "
  • without pay to take part in union activities, eg the union\u2019s annual conference (trade union members are entitled to this as well)
  • ", + "

    Reasonable time off does not have to be taken as annual leave.

    ", + "

    Block lists

    ", + "

    You cannot discriminate against anyone because they\u2019re in the union or because of their union activity.

    ", + "

    With rare exceptions, it\u2019s also illegal to compile, use, sell or supply a \u2018block list\u2019 of union members that will be used to discriminate against them.

    " + ] + }, + "https://www.gov.uk/your-rights-if-your-employer-is-insolvent": { + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "title": "Your rights if your employer is insolvent", + "content": "## Overview\n\nYour employer is insolvent if it cannot pay its debts.\n\nThey might:\n\n- make you redundant\n\n- ask you to keep working\n\n- transfer you to a new employer (if the business has been sold)\n\nThere are different types of insolvency:\n\n- administration\n\n- liquidation\n\n- bankruptcy\n\n- receivership\n\n- company voluntary arrangement\n\n- individual voluntary arrangement\n\n- debt relief order\n\nCheck if your employer is insolvent.\n\nDepending on your situation, you can apply to the government for:\n\n- a redundancy payment\n\n- holiday pay\n\n- outstanding payments like unpaid wages, overtime and commission\n\n- money you would have earned working your notice period (\u2018statutory notice pay\u2019)\n\nYou may be eligible for unemployment benefits if you lose your job. If you do not apply for benefits after you lose your job, you might get less money in your statutory notice pay payment.\n\n## Your rights\n\nYou have different rights depending on whether your employer:\n\n- makes you redundant (dismisses you)\n\n- asks you to keep working\n\n- transfers you to a new employer (if the business has been sold)\n\nYour employer must have a consultation about why redundancies are happening and if there are any alternatives - they do not have to consult you directly.\n\n## If you\u2019re made redundant\n\nYou\u2019re made redundant if you\u2019re dismissed from your job.\n\nThe person who is dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) must tell you how your job is affected and what to do next.\n\nThey\u2019ll also give you a:\n\n- RP1 fact sheet\n\n- \u2018CN\u2019 (case reference) number to use when you apply for money you\u2019re owed\n\nYou can apply to the government for:\n\n- a redundancy payment\n\n- holiday pay\n\n- outstanding payments like unpaid wages, overtime and commission\n\n- money you would have earned working your notice period (\u2018statutory notice pay\u2019)\n\nBusinesses can go through more than one insolvency. You cannot claim outstanding payments between the day of the first insolvency and the day you were dismissed, even if you did not know about the previous insolvency.\n\nYou can also apply to the court for compensation if you think you were dismissed unfairly or not consulted properly.\n\n## Compensation because you were dismissed unfairly\n\nYou can make a claim to the employment tribunal if:\n\n- you were dismissed unfairly (\u2018basic award\u2019)\n\n- there was not a consultation about your redundancy (\u2018protective award\u2019)\n\nYou\u2019ll be claiming against the Secretary of State for Business, Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).\n\n## If you continue working after the insolvency\n\nYou might be asked to continue working for your employer after they become insolvent.\n\nYou\u2019ll still be eligible to claim for redundancy pay and other money you\u2019re owed if you\u2019re made redundant at a later date.\n\nYou cannot claim holiday pay, wages, bonuses or commission that you\u2019re owed between the day of the insolvency and the day you were dismissed.\n\n## If you\u2019re transferred to a new employer\n\nYou cannot claim any money from the government if you were transferred before your former employer became insolvent.\n\nIf you were transferred afterwards, you can apply for redundancy pay, statutory notice pay and outstanding payments such holiday pay, wages, commission and bonuses.\n\n## What you can get\n\nWhat money you\u2019re entitled to depends on:\n\n- how long you were employed\n\n- what was in your employment contract\n\n- your age\n\nPayments are capped.\n\n## Redundancy pay\n\nYou\u2019re normally entitled to redundancy pay if you:\n\n- have been made redundant\n\n- were an employee\n\n- were continuously employed by the insolvent business for 2 years or more\n\nYou\u2019ll get:\n\n- half a week\u2019s pay for each full year you were employed and under 22 years old\n\n- one week\u2019s pay for each full year you were employed and between 22 and 40 years old\n\n- one and half week\u2019s pay for each full year you were employed and 41 or older\n\nRedundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).\n\nYou can get a payment for a maximum of 20 years that you were employed at the business.\n\nCalculate your redundancy pay.\n\n## Wages and other money you\u2019re owed\n\nYou can apply for unpaid wages and other money you\u2019re owed by your employer, for example bonuses, overtime and commission.\n\nYou\u2019re only entitled to money that\u2019s in your employment contract.\n\nYou\u2019ll get up to 8 weeks of money you\u2019re owed. It counts as a week even if you\u2019re only owed money for a few days.\n\nPayments for wages and other money you\u2019re owed are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).\n\nYou pay income tax and National Insurance when you get unpaid wages and other money you\u2019re owed. You might be able to claim a tax refund if you\u2019ve paid too much.\n\n## Holiday pay\n\nYou can get paid for:\n\n- holiday days owed that you did not take (\u2018holiday pay accrued\u2019)\n\n- holiday days you took but were not paid for (\u2018holiday pay taken\u2019)\n\nYou\u2019re only paid for holidays you took or accrued in the 12 months before your employer became insolvent.\n\nYou\u2019ll only get payments for up to 6 weeks of holiday days. Holiday pay is capped at \u00a3544 per week (\u00a3538 per week if your employer went insolvent before 6 April 2021).\n\nYou pay income tax and National Insurance on your holiday payment. You might be able to claim a tax refund if you\u2019ve paid too much.\n\n## Statutory notice pay\n\nYou\u2019re entitled to a paid notice period when you\u2019re made redundant, even if it is not in your contract.\n\nYou can claim for statutory notice pay if you:\n\n- did not work a notice period\n\n- worked some of your notice period\n\n- worked an unpaid notice period\n\nYour statutory notice pay is worked out as one week\u2019s notice for every year you were employed, up to a maximum of twelve weeks.\n\nPayments are capped at \u00a3544 per week (\u00a3538 if you were made redundant before 6 April 2021).\n\n## Pension contributions\n\nContact the insolvency practitioner or official receiver if you\u2019re missing contributions to your pension.\n\n## Apply for money you're owed\n\nYou\u2019re eligible to apply if:\n\n- you were an employee\n\n- you\u2019re a UK or EEA national (or a foreign national with permission to work in the UK)\n\nIf you\u2019re not eligible (for example you\u2019re a contractor) register as a creditor instead.\n\n- Apply for redundancy, unpaid wages and holiday within 6 months of being dismissed. You request to claim for loss of notice pay (\u2018statutory notice pay\u2019) in your application.\n\n- If you requested to claim statutory notice pay, you\u2019ll get sent a letter telling you when you can apply.\n\n## Claiming for redundancy, unpaid wages and holiday pay\n\nYou can apply as soon as you\u2019ve been made redundant. The person dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) will give you a \u2018CN\u2019 (case reference) number. You cannot claim without the CN number.\n\nYou must apply for redundancy pay within 6 months of being dismissed.\n\nThe application will ask if you want to apply for statutory notice pay. Choosing \u2018Yes\u2019 does not mean you\u2019ve applied. You\u2019ll be told when to apply.\n\nApply for redundancy, unpaid wages and holiday online.\n\n## Claiming for loss of notice pay (\u2018statutory notice pay\u2019)\n\nYou need an \u2018LN\u2019 reference number to make a claim. It\u2019ll be sent after your notice period would have ended. This is usually no more than 12 weeks after you\u2019re dismissed.\n\nYou must apply for redundancy first - even if you\u2019re not owed any money.\n\nEmployees at the same business can have different notice periods.\n\nOnce you have the LN reference number, claim online for loss of notice.\n\nMoney you get (or could have got) by claiming benefits will be deducted from your payment.\n\n## Help completing the online forms\n\nContact the Redundancy Payments Service if you have queries about completing the online forms. You\u2019ll need your case reference number or National Insurance number.\n\nYou cannot currently call the Redundancy Payments Service.\n\n## After you apply\n\nIt usually takes up to 6 weeks to get your payment but can take longer.\n\nYour information will be checked against the employer\u2019s records, for example how much holiday you had accrued. You\u2019ll only get a payment if the records show you\u2019re owed money.\n\nAny benefits you\u2019re eligible to claim will be deducted from your statutory notice payment (even if you did not claim them).\n\n## If your application is rejected\n\nContact the Redundancy Payments Service - they\u2019ll explain why your claim was rejected.\n\nYou can make a claim to the employment tribunal if you disagree with the decision. You\u2019ll be claiming against the Secretary of State for Business Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).\n\n## Help and advice\n\nContact the Redundancy Payments Service if you need help. You\u2019ll need your case reference number or National Insurance number.\n\nYou cannot currently call the Redundancy Payments Service.\n\n## Help finding a new job\n\nContact your local Jobcentre Plus and ask for their Rapid Response Service for help finding a new job.\n\nYou\u2019ll be able to use the service for up to 13 weeks after you\u2019re made redundant. You must have started your notice period to be eligible.\n\nGet help to find a new job, improve your skills and claim benefits.", + "original_contents": [ + "

    Overview

    ", + "

    Your employer is insolvent if it cannot pay its debts.

    ", + "

    They might:

    ", + "
  • make you redundant
  • ", + "
  • ask you to keep working
  • ", + "
  • transfer you to a new employer (if the business has been sold)
  • ", + "

    There are different types of insolvency:

    ", + "
  • administration
  • ", + "
  • liquidation
  • ", + "
  • bankruptcy
  • ", + "
  • receivership
  • ", + "
  • company voluntary arrangement
  • ", + "
  • individual voluntary arrangement
  • ", + "
  • debt relief order
  • ", + "

    Check if your employer is insolvent.

    ", + "

    Depending on your situation, you can apply to the government for:

    ", + "
  • a redundancy payment
  • ", + "
  • holiday pay
  • ", + "
  • outstanding payments like unpaid wages, overtime and commission
  • ", + "
  • money you would have earned working your notice period (\u2018statutory notice pay\u2019)
  • ", + "

    You may be eligible for unemployment benefits if you lose your job. If you do not apply for benefits after you lose your job, you might get less money in your statutory notice pay payment.

    ", + "

    Your rights

    ", + "

    You have different rights depending on whether your employer:

    ", + "
  • makes you redundant (dismisses you)
  • ", + "
  • asks you to keep working
  • ", + "
  • transfers you to a new employer (if the business has been sold)
  • ", + "

    Your employer must have a consultation about why redundancies are happening and if there are any alternatives - they do not have to consult you directly.

    ", + "

    If you\u2019re made redundant

    ", + "

    You\u2019re made redundant if you\u2019re dismissed from your job.

    ", + "

    The person who is dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) must tell you how your job is affected and what to do next.

    ", + "

    They\u2019ll also give you a:

    ", + "
  • RP1 fact sheet
  • ", + "
  • \u2018CN\u2019 (case reference) number to use when you apply for money you\u2019re owed
  • ", + "

    You can apply to the government for:

    ", + "
  • a redundancy payment
  • ", + "
  • holiday pay
  • ", + "
  • outstanding payments like unpaid wages, overtime and commission
  • ", + "
  • money you would have earned working your notice period (\u2018statutory notice pay\u2019)
  • ", + "

    Businesses can go through more than one insolvency. You cannot claim outstanding payments between the day of the first insolvency and the day you were dismissed, even if you did not know about the previous insolvency.

    ", + "

    You can also apply to the court for compensation if you think you were dismissed unfairly or not consulted properly.

    ", + "

    Compensation because you were dismissed unfairly

    ", + "

    You can make a claim to the employment tribunal if:

    ", + "
  • you were dismissed unfairly (\u2018basic award\u2019)
  • ", + "
  • there was not a consultation about your redundancy (\u2018protective award\u2019)
  • ", + "

    You\u2019ll be claiming against the Secretary of State for Business, Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).

    ", + "

    If you continue working after the insolvency

    ", + "

    You might be asked to continue working for your employer after they become insolvent.

    ", + "

    You\u2019ll still be eligible to claim for redundancy pay and other money you\u2019re owed if you\u2019re made redundant at a later date.

    ", + "

    You cannot claim holiday pay, wages, bonuses or commission that you\u2019re owed between the day of the insolvency and the day you were dismissed.

    ", + "

    If you\u2019re transferred to a new employer

    ", + "

    You cannot claim any money from the government if you were transferred before your former employer became insolvent.

    ", + "

    If you were transferred afterwards, you can apply for redundancy pay, statutory notice pay and outstanding payments such holiday pay, wages, commission and bonuses.

    ", + "

    What you can get

    ", + "

    What money you\u2019re entitled to depends on:

    ", + "
  • how long you were employed
  • ", + "
  • what was in your employment contract
  • ", + "
  • your age
  • ", + "

    Payments are capped.

    ", + "

    Redundancy pay

    ", + "

    You\u2019re normally entitled to redundancy pay if you:

    ", + "
  • have been made redundant
  • ", + "
  • were an employee
  • ", + "
  • were continuously employed by the insolvent business for 2 years or more
  • ", + "

    You\u2019ll get:

    ", + "
  • half a week\u2019s pay for each full year you were employed and under 22 years old
  • ", + "
  • one week\u2019s pay for each full year you were employed and between 22 and 40 years old
  • ", + "
  • one and half week\u2019s pay for each full year you were employed and 41 or older
  • ", + "

    Redundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    ", + "

    You can get a payment for a maximum of 20 years that you were employed at the business.

    ", + "

    Calculate your redundancy pay.

    ", + "

    Wages and other money you\u2019re owed

    ", + "

    You can apply for unpaid wages and other money you\u2019re owed by your employer, for example bonuses, overtime and commission.

    ", + "

    You\u2019re only entitled to money that\u2019s in your employment contract.

    ", + "

    You\u2019ll get up to 8 weeks of money you\u2019re owed. It counts as a week even if you\u2019re only owed money for a few days.

    ", + "

    Payments for wages and other money you\u2019re owed are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    ", + "

    You pay income tax and National Insurance when you get unpaid wages and other money you\u2019re owed. You might be able to claim a tax refund if you\u2019ve paid too much.

    ", + "

    Holiday pay

    ", + "

    You can get paid for:

    ", + "
  • holiday days owed that you did not take (\u2018holiday pay accrued\u2019)
  • ", + "
  • holiday days you took but were not paid for (\u2018holiday pay taken\u2019)
  • ", + "

    You\u2019re only paid for holidays you took or accrued in the 12 months before your employer became insolvent.

    ", + "

    You\u2019ll only get payments for up to 6 weeks of holiday days. Holiday pay is capped at \u00a3544 per week (\u00a3538 per week if your employer went insolvent before 6 April 2021).

    ", + "

    You pay income tax and National Insurance on your holiday payment. You might be able to claim a tax refund if you\u2019ve paid too much.

    ", + "

    Statutory notice pay

    ", + "

    You\u2019re entitled to a paid notice period when you\u2019re made redundant, even if it is not in your contract.

    ", + "

    You can claim for statutory notice pay if you:

    ", + "
  • did not work a notice period
  • ", + "
  • worked some of your notice period
  • ", + "
  • worked an unpaid notice period
  • ", + "

    Your statutory notice pay is worked out as one week\u2019s notice for every year you were employed, up to a maximum of twelve weeks.

    ", + "

    Payments are capped at \u00a3544 per week (\u00a3538 if you were made redundant before 6 April 2021).

    ", + "

    Pension contributions

    ", + "

    Contact the insolvency practitioner or official receiver if you\u2019re missing contributions to your pension.

    ", + "

    Apply for money you're owed

    ", + "

    You\u2019re eligible to apply if:

    ", + "
  • you were an employee
  • ", + "
  • you\u2019re a UK or EEA national (or a foreign national with permission to work in the UK)
  • ", + "

    If you\u2019re not eligible (for example you\u2019re a contractor) register as a creditor instead.

    ", + "
  • Apply for redundancy, unpaid wages and holiday within 6 months of being dismissed. You request to claim for loss of notice pay (\u2018statutory notice pay\u2019) in your application.
  • ", + "
  • If you requested to claim statutory notice pay, you\u2019ll get sent a letter telling you when you can apply.
  • ", + "

    Claiming for redundancy, unpaid wages and holiday pay

    ", + "

    You can apply as soon as you\u2019ve been made redundant. The person dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) will give you a \u2018CN\u2019 (case reference) number. You cannot claim without the CN number.

    ", + "

    You must apply for redundancy pay within 6 months of being dismissed.

    ", + "

    The application will ask if you want to apply for statutory notice pay. Choosing \u2018Yes\u2019 does not mean you\u2019ve applied. You\u2019ll be told when to apply.

    ", + "

    Apply for redundancy, unpaid wages and holiday online.

    ", + "

    Claiming for loss of notice pay (\u2018statutory notice pay\u2019)

    ", + "

    You need an \u2018LN\u2019 reference number to make a claim. It\u2019ll be sent after your notice period would have ended. This is usually no more than 12 weeks after you\u2019re dismissed.

    ", + "

    You must apply for redundancy first - even if you\u2019re not owed any money.

    ", + "

    Employees at the same business can have different notice periods.

    ", + "

    Once you have the LN reference number, claim online for loss of notice.

    ", + "

    Money you get (or could have got) by claiming benefits will be deducted from your payment.

    ", + "

    Help completing the online forms

    ", + "

    Contact the Redundancy Payments Service if you have queries about completing the online forms. You\u2019ll need your case reference number or National Insurance number.

    ", + "

    You cannot currently call the Redundancy Payments Service.

    ", + "

    After you apply

    ", + "

    It usually takes up to 6 weeks to get your payment but can take longer.

    ", + "

    Your information will be checked against the employer\u2019s records, for example how much holiday you had accrued. You\u2019ll only get a payment if the records show you\u2019re owed money.

    ", + "

    Any benefits you\u2019re eligible to claim will be deducted from your statutory notice payment (even if you did not claim them).

    ", + "

    If your application is rejected

    ", + "

    Contact the Redundancy Payments Service - they\u2019ll explain why your claim was rejected.

    ", + "

    You can make a claim to the employment tribunal if you disagree with the decision. You\u2019ll be claiming against the Secretary of State for Business Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).

    ", + "

    Help and advice

    ", + "

    Contact the Redundancy Payments Service if you need help. You\u2019ll need your case reference number or National Insurance number.

    ", + "

    You cannot currently call the Redundancy Payments Service.

    ", + "

    Help finding a new job

    ", + "

    Contact your local Jobcentre Plus and ask for their Rapid Response Service for help finding a new job.

    ", + "

    You\u2019ll be able to use the service for up to 13 weeks after you\u2019re made redundant. You must have started your notice period to be eligible.

    ", + "

    Get help to find a new job, improve your skills and claim benefits.

    " + ] + }, + "https://www.gov.uk/check-river-conditions-and-closures": { + "url": "https://www.gov.uk/check-river-conditions-and-closures", + "title": "Check river conditions and closures", + "content": "## River levels and warnings\n\n## Check river levels\n\nCheck current river levels in England and Wales.\n\n## Strong stream warnings\n\nThe Environment Agency gives out stream warnings to tell you about conditions that may mean you should not go out in your boat. You may also see red flags at boat clubs.\n\nYou can check the latest strong stream warnings for the River Thames.\n\nChoose option 1 when your call is answered and enter the quick dial code for the area of the River Thames you want to hear about. For other rivers, use one of the following:\n\n- River Nene - 032112\n\n- Great Ouse (Bedford to St Ives) \u2013 033211\n\n- Great Ouse (St Ives to Earith) \u2013 033212\n\n- Ancholme - 031212\n\nYou can also sign up to the strong stream advice messaging system for the Rivers Nene, Great Ouse and Ancholme (it\u2019s free).\n\n## Check tide predictions\n\nYou can read tide predictions for the next 7 days for rivers in England and Wales.\n\nYou can also check:\n\n- live and predicted tides on the tidal Thames\n\n- tide predictions at Rye Harbour\n\n- tide predictions for Allington Lock on the River Medway\n\n## River Thames\n\nYou can check the following for the non-tidal River Thames, which is managed by the Environment Agency:\n\n- current conditions on the River Thames\n\n- river closures and restrictions\n\n- lock closures\n\n- emergency rendezvous points between Teddington and Lechlade\n\nYou can also check current works and closures on the tidal Thames, which is managed by the Port of London Authority.\n\nYou should read the navigation bylaws and registration bylaws before you set out.\n\nYou can also check:\n\n- information about bridges, locks and facilities for boaters\n\n- the River Thames and connecting waterways: cruising guide\n\n- Port of London Authority information about boating on the Thames\n\n## River Medway\n\nYou can check conditions, closures and restrictions on the River Medway (updated during business hours - Monday to Friday, 9am to 5pm).\n\nYou can telephone Allington Lock for the latest information outside of business hours.\n\nYou should read the navigation bylaws for the Upper Medway and Southern Region.\n\nYou can also read the user\u2019s guide to River Medway.\n\n## Anglian Waterways\n\nYou can check conditions, closures and restrictions on Anglian Waterways.\n\nYou should read the recreational bylaws before you set out.\n\nYou can also download information about facilities and safety for the following rivers:\n\n- Black Sluice\n\n- River Ancholme\n\n- River Welland and Glen\n\n- River Great Ouse\n\n- River Nene\n\n- River Stour\n\n## Rye Harbour\n\nYou can check conditions, closures and restrictions at Rye Harbour.\n\nYou should also check the Rye Harbour:\n\n- passage, pilot and mooring information for boaters\n\n- map guide\n\n- bylaws\n\n## Scotland, Northern Ireland and other parts of England\n\nYou can check:\n\n- river and canal closure information on Canal & River Trust waterways in England\n\n- canal works and closures on Scottish Canals\n\n- river and canal restrictions and closures on Waterways Ireland", + "original_contents": [ + "

    River levels and warnings

    ", + "

    Check river levels

    ", + "

    Check current river levels in England and Wales.

    ", + "

    Strong stream warnings

    ", + "

    The Environment Agency gives out stream warnings to tell you about conditions that may mean you should not go out in your boat. You may also see red flags at boat clubs.

    ", + "

    You can check the latest strong stream warnings for the River Thames.

    ", + "

    Choose option 1 when your call is answered and enter the quick dial code for the area of the River Thames you want to hear about. For other rivers, use one of the following:

    ", + "
  • River Nene - 032112
  • ", + "
  • Great Ouse (Bedford to St Ives) \u2013 033211
  • ", + "
  • Great Ouse (St Ives to Earith) \u2013 033212
  • ", + "
  • Ancholme - 031212
  • ", + "

    You can also sign up to the strong stream advice messaging system for the Rivers Nene, Great Ouse and Ancholme (it\u2019s free).

    ", + "

    Check tide predictions

    ", + "

    You can read tide predictions for the next 7 days for rivers in England and Wales.

    ", + "

    You can also check:

    ", + "
  • live and predicted tides on the tidal Thames
  • ", + "
  • tide predictions at Rye Harbour
  • ", + "
  • tide predictions for Allington Lock on the River Medway
  • ", + "

    River Thames

    ", + "

    You can check the following for the non-tidal River Thames, which is managed by the Environment Agency:

    ", + "
  • current conditions on the River Thames
  • ", + "
  • river closures and restrictions
  • ", + "
  • lock closures
  • ", + "
  • emergency rendezvous points between Teddington and Lechlade
  • ", + "

    You can also check current works and closures on the tidal Thames, which is managed by the Port of London Authority.

    ", + "

    You should read the navigation bylaws and registration bylaws before you set out.

    ", + "

    You can also check:

    ", + "
  • information about bridges, locks and facilities for boaters
  • ", + "
  • the River Thames and connecting waterways: cruising guide
  • ", + "
  • Port of London Authority information about boating on the Thames
  • ", + "

    River Medway

    ", + "

    You can check conditions, closures and restrictions on the River Medway (updated during business hours - Monday to Friday, 9am to 5pm).

    ", + "

    You can telephone Allington Lock for the latest information outside of business hours.

    ", + "

    You should read the navigation bylaws for the Upper Medway and Southern Region.

    ", + "

    You can also read the user\u2019s guide to River Medway.

    ", + "

    Anglian Waterways

    ", + "

    You can check conditions, closures and restrictions on Anglian Waterways.

    ", + "

    You should read the recreational bylaws before you set out.

    ", + "

    You can also download information about facilities and safety for the following rivers:

    ", + "
  • Black Sluice
  • ", + "
  • River Ancholme
  • ", + "
  • River Welland and Glen
  • ", + "
  • River Great Ouse
  • ", + "
  • River Nene
  • ", + "
  • River Stour
  • ", + "

    Rye Harbour

    ", + "

    You can check conditions, closures and restrictions at Rye Harbour.

    ", + "

    You should also check the Rye Harbour:

    ", + "
  • passage, pilot and mooring information for boaters
  • ", + "
  • map guide
  • ", + "
  • bylaws
  • ", + "

    Scotland, Northern Ireland and other parts of England

    ", + "

    You can check:

    ", + "
  • river and canal closure information on Canal & River Trust waterways in England
  • ", + "
  • canal works and closures on Scottish Canals
  • ", + "
  • river and canal restrictions and closures on Waterways Ireland
  • " + ] + }, + "https://www.gov.uk/owning-a-boat": { + "url": "https://www.gov.uk/owning-a-boat", + "title": "Owning a boat", + "content": "## Overview\n\nYou must follow safety regulations and check whether you need insurance if you own a boat.\n\nYou usually need to register your boat to use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use.\n\n## Boat safety requirements\n\nThere are different safety requirements depending on whether you use your boat:\n\n- on inland waterways\n\n- at sea\n\n- for private or commercial purposes\n\n## Insurance\n\nYou may need to get insurance before you can register and use your boat.\n\n## Register your boat\n\nYou can apply for a boat licence or registration once you\u2019ve met the relevant safety and insurance requirements.\n\n## Safety on inland waterways\n\nYou may need to get a Boat Safety Scheme (BSS) certificate before you can register or buy a licence to use inland waterways, eg rivers and canals.\n\nYou don\u2019t need a certificate if you have a privately owned \u2018open boat\u2019 with no motor, eg a canoe, paddleboard or rowboat.\n\nSome other types of boat (eg privately owned \u2018open boats\u2019 with outboard motors and no electrical systems) may also be exempt - check with the navigation authority that manages your chosen waterway.\n\nAll boats requiring a BSS certificate have to be tested every 4 years.\n\nYou\u2019re responsible for maintaining your boat to BSS certificate standards between tests.\n\nFind the latest boat safety notices.\n\n## Rules of the waterways\n\nYou must drive on the right and pass other boats port to port on all waterways.\n\nOn rivers, the boat coming downstream has right of way.\n\nUnder bridges, the boat closest to the bridge has right of way. Keep right until the boat has passed.\n\nThe maximum speed on narrow canals is 4 miles per hour (mph).\n\nThe Boater\u2019s Handbook gives more information on waterway rules.\n\n## New boats\n\nNew boats should already meet the standards, so you won\u2019t need to have it checked.\n\nYou may be asked for the certificate proving that your new boat meets the required standards when you register it.\n\nYou\u2019ll need to get a BSS certificate after 4 years and renew it every 4 years after that, unless you\u2019re exempt.\n\n## Penalty for not having a certificate\n\nYou\u2019ll be penalised if you don\u2019t have a certificate for your boat and aren\u2019t exempt.\n\nThe penalty depends on which navigation authority manages the waterway you\u2019re using.\n\n## If you own a commercial boat\n\nYou may need a BSS certificate if your boat carries less than 12 passengers - check the BSS guidance.\n\nYou\u2019ll need a Passenger Certificate issued by the Maritime and Coastguard Agency (MCA) if you\u2019re carrying more than 12 passengers.\n\nYou should also check whether you need:\n\n- any statutory certificates\n\n- to meet any other requirements\n\n## Safety at sea\n\nYou must follow international safety regulations if you\u2019re using a boat at sea.\n\nThis means you must:\n\n- plan your voyage\n\n- carry a radar reflector\n\n- carry an illustrated table of the recognised life-saving signals\n\n- help other craft, if needed\n\n- use distress signals properly\n\nYou could be prosecuted if you\u2019re involved in a boating accident and you haven\u2019t followed the regulations.\n\nRead the Maritime and Coastguard Agency\u2019s \u2018Life saving signals\u2019 leaflet for more information.\n\n## Preventing collisions\n\nThe regulations on preventing collisions say that you must:\n\n- fit navigation lights, shapes and sound-signalling devices on your boat\n\n- stay a safe distance away from other boats, and diving boats flying the blue-and-white \u2018Alpha\u2019 flag\n\n- be alert to other boats around you at all times\n\nRead \u2018The Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations 1996\u2019 for more information.\n\n## Safety equipment\n\nIf your boat is more than 13.7 metres long, you must carry:\n\n- lifejackets\n\n- liferafts\n\n- flares\n\n- fire extinguishers\n\nThe specific details of what you need to carry depends on the size of your boat and how far you\u2019re travelling away from the coast.\n\nSee the regulations applicable to \u2018pleasure vessels\u2019.\n\n## Preventing pollution\n\nYou mustn\u2019t drop oil or rubbish into the sea. If your boat is more than 12 metres long you must also display a notice on board explaining how to get rid of rubbish properly.\n\nFor more information, read the regulations for preventing pollution from ships.\n\n## Getting rid of old or damaged flares\n\nYou must follow the rules for getting rid of out-of-date or damaged flares.\n\nIt\u2019s an offence to:\n\n- put them in household rubbish, garden waste or public litter bins\n\n- dump them at sea\n\n- leave them anywhere a member of the public could find them\n\n- set them off\n\nYou should contact any of the following:\n\n- the place you bought them, if they offer a \u2018take back\u2019 scheme\n\n- some marinas - a small charge may apply\n\n- some liferaft service stations\n\n- some council recycling centres\n\nYou may also be able to dispose of them at a Coastguard Operations Centre. You must book an appointment in advance.\n\n## If you own a commercial boat\n\nIf you own a small commercial boat you may also have to:\n\n- meet certain operational standards\n\n- have the boat surveyed\n\n## Insurance\n\nYou should check what kind of insurance you need - it depends on how and where you use your boat.\n\n## If you\u2019re using inland waterways\n\nYou\u2019ll usually need to have \u2018third party\u2019 insurance for at least \u00a31 million if you have a powered boat or a houseboat.\n\nYou may also need insurance for some types of unpowered boat, eg a houseboat - check with the navigation authority that manages the waterway you want to use.\n\nYou could be prosecuted or fined if you don\u2019t have the right insurance - the kind of penalty depends on your navigation authority.\n\nThe Canal and River Trust website has a list of insurance companies that provide boat insurance.\n\n## If you\u2019re using a boat at sea\n\nCheck the MCA guidance if you own a small commercial boat - you may need statutory certificates.", + "original_contents": [ + "

    Overview

    ", + "

    You must follow safety regulations and check whether you need insurance if you own a boat.

    ", + "

    You usually need to register your boat to use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use.

    ", + "

    Boat safety requirements

    ", + "

    There are different safety requirements depending on whether you use your boat:

    ", + "
  • on inland waterways
  • ", + "
  • at sea
  • ", + "
  • for private or commercial purposes
  • ", + "

    Insurance

    ", + "

    You may need to get insurance before you can register and use your boat.

    ", + "

    Register your boat

    ", + "

    You can apply for a boat licence or registration once you\u2019ve met the relevant safety and insurance requirements.

    ", + "

    Safety on inland waterways

    ", + "

    You may need to get a Boat Safety Scheme (BSS) certificate before you can register or buy a licence to use inland waterways, eg rivers and canals.

    ", + "

    You don\u2019t need a certificate if you have a privately owned \u2018open boat\u2019 with no motor, eg a canoe, paddleboard or rowboat.

    ", + "

    Some other types of boat (eg privately owned \u2018open boats\u2019 with outboard motors and no electrical systems) may also be exempt - check with the navigation authority that manages your chosen waterway.

    ", + "

    All boats requiring a BSS certificate have to be tested every 4 years.

    ", + "

    You\u2019re responsible for maintaining your boat to BSS certificate standards between tests.

    ", + "

    Find the latest boat safety notices.

    ", + "

    Rules of the waterways

    ", + "

    You must drive on the right and pass other boats port to port on all waterways.

    ", + "

    On rivers, the boat coming downstream has right of way.

    ", + "

    Under bridges, the boat closest to the bridge has right of way. Keep right until the boat has passed.

    ", + "

    The maximum speed on narrow canals is 4 miles per hour (mph).

    ", + "

    The Boater\u2019s Handbook gives more information on waterway rules.

    ", + "

    New boats

    ", + "

    New boats should already meet the standards, so you won\u2019t need to have it checked.

    ", + "

    You may be asked for the certificate proving that your new boat meets the required standards when you register it.

    ", + "

    You\u2019ll need to get a BSS certificate after 4 years and renew it every 4 years after that, unless you\u2019re exempt.

    ", + "

    Penalty for not having a certificate

    ", + "

    You\u2019ll be penalised if you don\u2019t have a certificate for your boat and aren\u2019t exempt.

    ", + "

    The penalty depends on which navigation authority manages the waterway you\u2019re using.

    ", + "

    If you own a commercial boat

    ", + "

    You may need a BSS certificate if your boat carries less than 12 passengers - check the BSS guidance.

    ", + "

    You\u2019ll need a Passenger Certificate issued by the Maritime and Coastguard Agency (MCA) if you\u2019re carrying more than 12 passengers.

    ", + "

    You should also check whether you need:

    ", + "
  • any statutory certificates
  • ", + "
  • to meet any other requirements
  • ", + "

    Safety at sea

    ", + "

    You must follow international safety regulations if you\u2019re using a boat at sea.

    ", + "

    This means you must:

    ", + "
  • plan your voyage
  • ", + "
  • carry a radar reflector
  • ", + "
  • carry an illustrated table of the recognised life-saving signals
  • ", + "
  • help other craft, if needed
  • ", + "
  • use distress signals properly
  • ", + "

    You could be prosecuted if you\u2019re involved in a boating accident and you haven\u2019t followed the regulations.

    ", + "

    Read the Maritime and Coastguard Agency\u2019s \u2018Life saving signals\u2019 leaflet for more information.

    ", + "

    Preventing collisions

    ", + "

    The regulations on preventing collisions say that you must:

    ", + "
  • fit navigation lights, shapes and sound-signalling devices on your boat
  • ", + "
  • stay a safe distance away from other boats, and diving boats flying the blue-and-white \u2018Alpha\u2019 flag
  • ", + "
  • be alert to other boats around you at all times
  • ", + "

    Read \u2018The Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations 1996\u2019 for more information.

    ", + "

    Safety equipment

    ", + "

    If your boat is more than 13.7 metres long, you must carry:

    ", + "
  • lifejackets
  • ", + "
  • liferafts
  • ", + "
  • flares
  • ", + "
  • fire extinguishers
  • ", + "

    The specific details of what you need to carry depends on the size of your boat and how far you\u2019re travelling away from the coast.

    ", + "

    See the regulations applicable to \u2018pleasure vessels\u2019.

    ", + "

    Preventing pollution

    ", + "

    You mustn\u2019t drop oil or rubbish into the sea. If your boat is more than 12 metres long you must also display a notice on board explaining how to get rid of rubbish properly.

    ", + "

    For more information, read the regulations for preventing pollution from ships.

    ", + "

    Getting rid of old or damaged flares

    ", + "

    You must follow the rules for getting rid of out-of-date or damaged flares.

    ", + "

    It\u2019s an offence to:

    ", + "
  • put them in household rubbish, garden waste or public litter bins
  • ", + "
  • dump them at sea
  • ", + "
  • leave them anywhere a member of the public could find them
  • ", + "
  • set them off
  • ", + "

    You should contact any of the following:

    ", + "
  • the place you bought them, if they offer a \u2018take back\u2019 scheme
  • ", + "
  • some marinas - a small charge may apply
  • ", + "
  • some liferaft service stations
  • ", + "
  • some council recycling centres
  • ", + "

    You may also be able to dispose of them at a Coastguard Operations Centre. You must book an appointment in advance.

    ", + "

    If you own a commercial boat

    ", + "

    If you own a small commercial boat you may also have to:

    ", + "
  • meet certain operational standards
  • ", + "
  • have the boat surveyed
  • ", + "

    Insurance

    ", + "

    You should check what kind of insurance you need - it depends on how and where you use your boat.

    ", + "

    If you\u2019re using inland waterways

    ", + "

    You\u2019ll usually need to have \u2018third party\u2019 insurance for at least \u00a31 million if you have a powered boat or a houseboat.

    ", + "

    You may also need insurance for some types of unpowered boat, eg a houseboat - check with the navigation authority that manages the waterway you want to use.

    ", + "

    You could be prosecuted or fined if you don\u2019t have the right insurance - the kind of penalty depends on your navigation authority.

    ", + "

    The Canal and River Trust website has a list of insurance companies that provide boat insurance.

    ", + "

    If you\u2019re using a boat at sea

    ", + "

    Check the MCA guidance if you own a small commercial boat - you may need statutory certificates.

    " + ] + }, + "https://www.gov.uk/register-a-boat": { + "url": "https://www.gov.uk/register-a-boat", + "title": "Register a boat", + "content": "## Overview\n\nYou usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.\n\nA boat is:\n\n- any vessel with or without a motor, for example a sailing boat, river boat, canal boat or houseboat\n\n- any \u2018open boat\u2019 such as canoe, paddle board, rowing boat or dinghy\n\nTo get a boat registration you may need:\n\n- insurance\n\n- a Boat Safety Scheme (BSS) certificate\n\nYou must renew each year for the waterway you want to keep or use your boat on. You can buy a visitor registration or licence for shorter periods.\n\n## Carry more than 12 passengers\n\nYou must have a passenger-carrying certificate issued by the Maritime and Coastguard Agency if you want to carry more than 12 passengers.\n\n## Commercial use\n\nYou must apply for a boatmaster\u2019s licence if you want to use your boat commercially.\n\n## Use at sea\n\nYou can register your boat with the UK Ship Register for use at sea.\n\n## Who to contact\n\nRegister or license your boat with the navigation authority responsible for the waterway you want to use.\n\n## Most canals and some rivers, like the Severn, Trent and Ouse\n\nRegister with the Canal & River Trust.\n\n## Norfolk and Suffolk Broads, and adjacent waters\n\nRegister with the Broads Authority.\n\n## River Thames, River Medway, and the rivers of East Anglia\n\nDownload the application form for the waterway you want to use and register with the Environment Agency:\n\n- River Thames\n\n- River Medway\n\n- Anglian waterways (Great Ouse System, River Nene, River Stour, River Ancholme, Black Sluice, River Welland and River Glen)\n\n- Rye Harbour\n\nRiver Thames annual registrations run from 1 January to 31 December. Other registrations run from 1 April to 31 March.\n\n## The Royal Military Canal\n\nYou do not need to register a boat for use between West Hythe Dam in Shorncliffe, Kent and Iden Lock in Cliffe End, East Sussex.\n\nContact Shepway District Council to register a boat for use between West Hythe Dam and Seabrook.\n\n## Scotland and Northern Ireland\n\nCheck if you need to register your boat with Scottish Canals or NI Direct.\n\n## Other areas\n\nCheck with the Inland Waterways Association to find the navigation authority for other areas.\n\n## Using more than one waterway\n\nYou can buy a \u2018gold licence\u2019 which lets you use all Environment Agency and Canal & River Trust waterways.\n\n## Canoe or rowing boat exemptions\n\nYou may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.\n\nRowing clubs or associations can register a rowing boat for use on some waterways through British Rowing.\n\n## Penalties\n\nAn enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:\n\n- it\u2019s not licensed or registered\n\n- it\u2019s not licensed or registered for the waterway you\u2019re using\n\n- your licence or registration is not displayed\n\n- it breaches the terms and conditions of the licence or registration\n\nCheck your licence or registration for additional rules that apply to your waterway.\n\nYou may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.\n\n## Questions about a penalty notice\n\nContact your navigation authority if you have questions about a penalty notice.\n\n## The UK Ship Register\n\nYou need to register your boat with the UK Ship Register to use it at sea.\n\nWhether you can use the register depends on your citizenship status. Check the eligibility requirements for each part of the UK Ship Register.\n\nThere are 4 different parts of the register. Which part you use depends on what you\u2019re using your boat for:\n\n- Part 1 - commercial or pleasure boats\n\n- Part 2 - fishing boats\n\n- Part 3 - small boats\n\n- Part 4 - charter boats\n\n## Part 1 registration - commercial or pleasure boats\n\nYou can use Part 1 of the register if you have either:\n\n- a commercial boat, unless you plan to use it for fishing\n\n- a \u2018pleasure vessel\u2019 - this means you do not make any money from it\n\nRegistering your boat on Part 1 of the register means you\u2019ll be able to:\n\n- get a marine mortgage against your boat\n\n- spend more than 6 months outside the UK\n\nIt costs \u00a3153 to register for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew. It costs \u00a372 to renew your registration for another 5 years.\n\n## Part 2 registration - fishing boats\n\nUse Part 2 of the register if you\u2019re using your boat to catch and sell fish.\n\nYou can choose from \u2018simple\u2019 or \u2018full\u2019 registration. If you choose full registration you can get a marine mortgage against your boat.\n\nTo register for 5 years it costs:\n\n- \u00a3159 for simple registration\n\n- \u00a3196 for full registration\n\n## Part 3 registration - small boats\n\nUse Part 3 of the register (small ships register) if:\n\n- your boat is less than 24 metres long\n\n- your boat is a pleasure vessel\n\n- you live in the UK for at least 185 days of the year\n\nYou cannot use Part 3 of the register if you\u2019re a business.\n\nRegistering on Part 3 of the register means you\u2019ll be able to prove your boat\u2019s nationality when sailing outside UK waters.\n\nIt costs \u00a335 for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew.\n\n## Part 4 registration - charter boats\n\nUse Part 4 of the register if you plan to hire out (charter) your boat.\n\nIt costs between \u00a335 and \u00a3196 for 5 years. The amount you\u2019ll pay depends on the type of boat you\u2019re registering.\n\n## How to register\n\nYou can register your boat online. You\u2019ll need to create an account if you do not already have one.\n\nIf you own the boat with other people, all owners must have an account before you can register your boat online.\n\nStart now\n\nYou can pay by debit or credit card.\n\nYou can also use the online service to renew, cancel or change the details of your registration.\n\n## Before you start\n\nYou\u2019ll need:\n\n- the dimensions of your boat\n\n- the previous registration details of the boat (if it\u2019s been registered before)\n\n- the bill of sale\n\n- the radio signal detail - including your UK radio call sign, Maritime Mobile Service Identity (MMSI) number and International Maritime Organization (IMO) number\n\n- the builders certificate\n\n- a certificate of survey for tonnage and measurement\n\n- an international tonnage certificate (ITC69)\n\n- safety certificates\n\n## Other ways to register\n\nYou can also register by post. Download and fill in the form for the type of boat you want to register.\n\n## Contact\n\nYou can contact the UK Ship Register by email, phone or post.", + "original_contents": [ + "

    Overview

    ", + "

    You usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.

    ", + "

    A boat is:

    ", + "
  • any vessel with or without a motor, for example a sailing boat, river boat, canal boat or houseboat
  • ", + "
  • any \u2018open boat\u2019 such as canoe, paddle board, rowing boat or dinghy
  • ", + "

    To get a boat registration you may need:

    ", + "
  • insurance
  • ", + "
  • a Boat Safety Scheme (BSS) certificate
  • ", + "

    You must renew each year for the waterway you want to keep or use your boat on. You can buy a visitor registration or licence for shorter periods.

    ", + "

    Carry more than 12 passengers

    ", + "

    You must have a passenger-carrying certificate issued by the Maritime and Coastguard Agency if you want to carry more than 12 passengers.

    ", + "

    Commercial use

    ", + "

    You must apply for a boatmaster\u2019s licence if you want to use your boat commercially.

    ", + "

    Use at sea

    ", + "

    You can register your boat with the UK Ship Register for use at sea.

    ", + "

    Who to contact

    ", + "

    Register or license your boat with the navigation authority responsible for the waterway you want to use.

    ", + "

    Most canals and some rivers, like the Severn, Trent and Ouse

    ", + "

    Register with the Canal & River Trust.

    ", + "

    Norfolk and Suffolk Broads, and adjacent waters

    ", + "

    Register with the Broads Authority.

    ", + "

    River Thames, River Medway, and the rivers of East Anglia

    ", + "

    Download the application form for the waterway you want to use and register with the Environment Agency:

    ", + "
  • River Thames
  • ", + "
  • River Medway
  • ", + "
  • Anglian waterways (Great Ouse System, River Nene, River Stour, River Ancholme, Black Sluice, River Welland and River Glen)
  • ", + "
  • Rye Harbour
  • ", + "

    River Thames annual registrations run from 1 January to 31 December. Other registrations run from 1 April to 31 March.

    ", + "

    The Royal Military Canal

    ", + "

    You do not need to register a boat for use between West Hythe Dam in Shorncliffe, Kent and Iden Lock in Cliffe End, East Sussex.

    ", + "

    Contact Shepway District Council to register a boat for use between West Hythe Dam and Seabrook.

    ", + "

    Scotland and Northern Ireland

    ", + "

    Check if you need to register your boat with Scottish Canals or NI Direct.

    ", + "

    Other areas

    ", + "

    Check with the Inland Waterways Association to find the navigation authority for other areas.

    ", + "

    Using more than one waterway

    ", + "

    You can buy a \u2018gold licence\u2019 which lets you use all Environment Agency and Canal & River Trust waterways.

    ", + "

    Canoe or rowing boat exemptions

    ", + "

    You may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.

    ", + "

    Rowing clubs or associations can register a rowing boat for use on some waterways through British Rowing.

    ", + "

    Penalties

    ", + "

    An enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:

    ", + "
  • it\u2019s not licensed or registered
  • ", + "
  • it\u2019s not licensed or registered for the waterway you\u2019re using
  • ", + "
  • your licence or registration is not displayed
  • ", + "
  • it breaches the terms and conditions of the licence or registration
  • ", + "

    Check your licence or registration for additional rules that apply to your waterway.

    ", + "

    You may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.

    ", + "

    Questions about a penalty notice

    ", + "

    Contact your navigation authority if you have questions about a penalty notice.

    ", + "

    The UK Ship Register

    ", + "

    You need to register your boat with the UK Ship Register to use it at sea.

    ", + "

    Whether you can use the register depends on your citizenship status. Check the eligibility requirements for each part of the UK Ship Register.

    ", + "

    There are 4 different parts of the register. Which part you use depends on what you\u2019re using your boat for:

    ", + "
  • Part 1 - commercial or pleasure boats
  • ", + "
  • Part 2 - fishing boats
  • ", + "
  • Part 3 - small boats
  • ", + "
  • Part 4 - charter boats
  • ", + "

    Part 1 registration - commercial or pleasure boats

    ", + "

    You can use Part 1 of the register if you have either:

    ", + "
  • a commercial boat, unless you plan to use it for fishing
  • ", + "
  • a \u2018pleasure vessel\u2019 - this means you do not make any money from it
  • ", + "

    Registering your boat on Part 1 of the register means you\u2019ll be able to:

    ", + "
  • get a marine mortgage against your boat
  • ", + "
  • spend more than 6 months outside the UK
  • ", + "

    It costs \u00a3153 to register for 5 years.

    ", + "

    You\u2019ll be sent a renewal notice when it\u2019s time to renew. It costs \u00a372 to renew your registration for another 5 years.

    ", + "

    Part 2 registration - fishing boats

    ", + "

    Use Part 2 of the register if you\u2019re using your boat to catch and sell fish.

    ", + "

    You can choose from \u2018simple\u2019 or \u2018full\u2019 registration. If you choose full registration you can get a marine mortgage against your boat.

    ", + "

    To register for 5 years it costs:

    ", + "
  • \u00a3159 for simple registration
  • ", + "
  • \u00a3196 for full registration
  • ", + "

    Part 3 registration - small boats

    ", + "

    Use Part 3 of the register (small ships register) if:

    ", + "
  • your boat is less than 24 metres long
  • ", + "
  • your boat is a pleasure vessel
  • ", + "
  • you live in the UK for at least 185 days of the year
  • ", + "

    You cannot use Part 3 of the register if you\u2019re a business.

    ", + "

    Registering on Part 3 of the register means you\u2019ll be able to prove your boat\u2019s nationality when sailing outside UK waters.

    ", + "

    It costs \u00a335 for 5 years.

    ", + "

    You\u2019ll be sent a renewal notice when it\u2019s time to renew.

    ", + "

    Part 4 registration - charter boats

    ", + "

    Use Part 4 of the register if you plan to hire out (charter) your boat.

    ", + "

    It costs between \u00a335 and \u00a3196 for 5 years. The amount you\u2019ll pay depends on the type of boat you\u2019re registering.

    ", + "

    How to register

    ", + "

    You can register your boat online. You\u2019ll need to create an account if you do not already have one.

    ", + "

    If you own the boat with other people, all owners must have an account before you can register your boat online.

    ", + "

    Start now

    ", + "

    You can pay by debit or credit card.

    ", + "

    You can also use the online service to renew, cancel or change the details of your registration.

    ", + "

    Before you start

    ", + "

    You\u2019ll need:

    ", + "
  • the dimensions of your boat
  • ", + "
  • the previous registration details of the boat (if it\u2019s been registered before)
  • ", + "
  • the bill of sale
  • ", + "
  • the radio signal detail - including your UK radio call sign, Maritime Mobile Service Identity (MMSI) number and International Maritime Organization (IMO) number
  • ", + "
  • the builders certificate
  • ", + "
  • a certificate of survey for tonnage and measurement
  • ", + "
  • an international tonnage certificate (ITC69)
  • ", + "
  • safety certificates
  • ", + "

    Other ways to register

    ", + "

    You can also register by post. Download and fill in the form for the type of boat you want to register.

    ", + "

    Contact

    ", + "

    You can contact the UK Ship Register by email, phone or post.

    " + ] + }, + "https://www.gov.uk/appeal-hedgerow-notice": { + "url": "https://www.gov.uk/appeal-hedgerow-notice", + "title": "Appeal a hedgerow notice", + "content": "## When you can appeal\n\nYour council makes decisions about hedgerow notices.\n\nYou can appeal a decision if they\u2019ve sent you either:\n\n- a retention notice, saying you cannot remove a hedgerow\n\n- a replacement notice, telling you to replace a hedgerow you\u2019ve already removed\n\nOnly the person who made the application can appeal.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nYou must appeal within 28 days of the date on the council\u2019s notice.\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 31 weeks.\n\n## How to appeal\n\nFill in a hedgerow appeal form.\n\nYou also need:\n\n- a copy of your original application\n\n- the reason for your appeal\n\n- a copy of the local planning authority\u2019s decision notice\n\n- any other documents that directly support your appeal\n\nEmail these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post.\n\n## Comment on an appeal\n\nAnyone can comment on a hedgerow appeal.\n\nBecause of coronavirus (COVID-19), you cannot currently comment by post. You can still comment by email.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. You\u2019ll normally get a decision within 31 weeks.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your council makes decisions about hedgerow notices.

    ", + "

    You can appeal a decision if they\u2019ve sent you either:

    ", + "
  • a retention notice, saying you cannot remove a hedgerow
  • ", + "
  • a replacement notice, telling you to replace a hedgerow you\u2019ve already removed
  • ", + "

    Only the person who made the application can appeal.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 28 days of the date on the council\u2019s notice.

    ", + "

    When you can expect a decision

    ", + "

    Once your appeal is validated, you\u2019ll normally get a decision within 31 weeks.

    ", + "

    How to appeal

    ", + "

    Fill in a hedgerow appeal form.

    ", + "

    You also need:

    ", + "
  • a copy of your original application
  • ", + "
  • the reason for your appeal
  • ", + "
  • a copy of the local planning authority\u2019s decision notice
  • ", + "
  • any other documents that directly support your appeal
  • ", + "

    Email these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on a hedgerow appeal.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently comment by post. You can still comment by email.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. You\u2019ll normally get a decision within 31 weeks.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/appeal-right-of-way-decision": { + "url": "https://www.gov.uk/appeal-right-of-way-decision", + "title": "Appeal a right of way decision", + "content": "## When you can appeal\n\nYour local council makes decisions about right of way applications.\n\nYou can appeal their decision if you applied to change the area\u2019s \u2018definitive map and statement\u2019 and either:\n\n- you disagree with the decision - this is known as a \u2018schedule 14 appeal\u2019\n\n- your local council did not make a decision within 12 months - this is known as a \u2018direction request\u2019\n\nYou cannot appeal if:\n\n- the council approves a different use for the land, for example they make an order for a footpath when you applied for a bridleway\n\n- you did not submit your original application correctly, for example you did not notify landowners who might be affected by the change\n\nThere\u2019s no fee for appealing.\n\nOnly the person who made the application can appeal. If you did not apply, you can comment on an appeal instead.\n\n## Deadline for appealing\n\nYou must appeal within 28 days of the date on the decision letter, or 12 months after you submitted the application if your local council has not made a decision.\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 26 weeks.\n\n## How to appeal\n\nMake your appeal to the Planning Inspectorate by filling in the appeal form. Write to the Secretary of State if you\u2019re making a direction request.\n\nBecause of coronavirus (COVID-19), you cannot currently send your appeal form in the post. Email it to rightsofway2@planninginspectorate.gov.uk instead.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\n## Documents you must provide\n\n## If you\u2019re appealing a decision\n\nYou must submit 2 copies of:\n\n- your original application\n\n- the reason for your appeal\n\n- the council\u2019s decision notice\n\n- any notices you issued while applying, for example to let other landowners know you were applying for a change\n\n- a map showing the proposed right of way\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\n- confirmation that you\u2019ve notified the local council about your appeal\n\n## If the local council has not made a decision\n\nYou must submit 2 copies of:\n\n- your original application\n\n- confirmation that you notified the landowners of your original application\n\nEmail your form and these documents to rightsofway2@planninginspectorate.gov.uk.\n\n## Comment on an appeal\n\nAnyone can comment on a right of way appeal.\n\nYour local council must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal. The council has to do this within 14 days of the appeal being validated by the Planning Inspectorate.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nYou\u2019ll normally get a decision within 30 weeks (or 21 weeks for a direction request).\n\n## If you\u2019re successful\n\nFor appeals, the Planning Inspectorate will tell the council to make the order. There\u2019s no time limit for your local council to do this.\n\nFor direction requests, the Planning Inspectorate will give the local council a time limit to make a decision on your original application.\n\n## If you disagree with the decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your local council makes decisions about right of way applications.

    ", + "

    You can appeal their decision if you applied to change the area\u2019s \u2018definitive map and statement\u2019 and either:

    ", + "
  • you disagree with the decision - this is known as a \u2018schedule 14 appeal\u2019
  • ", + "
  • your local council did not make a decision within 12 months - this is known as a \u2018direction request\u2019
  • ", + "

    You cannot appeal if:

    ", + "
  • the council approves a different use for the land, for example they make an order for a footpath when you applied for a bridleway
  • ", + "
  • you did not submit your original application correctly, for example you did not notify landowners who might be affected by the change
  • ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal. If you did not apply, you can comment on an appeal instead.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 28 days of the date on the decision letter, or 12 months after you submitted the application if your local council has not made a decision.

    ", + "

    When you can expect a decision

    ", + "

    Once your appeal is validated, you\u2019ll normally get a decision within 26 weeks.

    ", + "

    How to appeal

    ", + "

    Make your appeal to the Planning Inspectorate by filling in the appeal form. Write to the Secretary of State if you\u2019re making a direction request.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently send your appeal form in the post. Email it to rightsofway2@planninginspectorate.gov.uk instead.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    Documents you must provide

    ", + "

    If you\u2019re appealing a decision

    ", + "

    You must submit 2 copies of:

    ", + "
  • your original application
  • ", + "
  • the reason for your appeal
  • ", + "
  • the council\u2019s decision notice
  • ", + "
  • any notices you issued while applying, for example to let other landowners know you were applying for a change
  • ", + "
  • a map showing the proposed right of way
  • ", + "
  • any other documents that directly support your appeal, for example your grounds for appeal
  • ", + "
  • confirmation that you\u2019ve notified the local council about your appeal
  • ", + "

    If the local council has not made a decision

    ", + "

    You must submit 2 copies of:

    ", + "
  • your original application
  • ", + "
  • confirmation that you notified the landowners of your original application
  • ", + "

    Email your form and these documents to rightsofway2@planninginspectorate.gov.uk.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on a right of way appeal.

    ", + "

    Your local council must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal. The council has to do this within 14 days of the appeal being validated by the Planning Inspectorate.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    You\u2019ll normally get a decision within 30 weeks (or 21 weeks for a direction request).

    ", + "

    If you\u2019re successful

    ", + "

    For appeals, the Planning Inspectorate will tell the council to make the order. There\u2019s no time limit for your local council to do this.

    ", + "

    For direction requests, the Planning Inspectorate will give the local council a time limit to make a decision on your original application.

    ", + "

    If you disagree with the decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/protecting-rural-landscapes-and-features": { + "url": "https://www.gov.uk/protecting-rural-landscapes-and-features", + "title": "Protecting rural landscapes and features", + "content": "## Overview\n\nAs a landowner you must manage and maintain land with:\n\n- hedgerows and watercourses\n\n- trees and woodland\n\n- dry stone walls\n\nYou also have obligations if you own or occupy a scheduled monument.\n\nRural landscapes and features are protected:\n\n- by planning policies and laws\n\n- through the Rural Development Programme for England\n\n- through \u2018cross compliance\u2019 - set rules for farming and land management\n\nYou can apply for funding schemes to help you protect your land.\n\n## Funding and cross compliance\n\nYou can apply for funding to protect rural landscapes and features through:\n\n- the Basic Payment Scheme - main EU\nagricultural subsidy scheme supporting environmentally-friendly farming practices\n\n- Countryside Stewardship - offers financial rewards for good land management which improves the quality of the environment\n\n## Cross compliance\n\nTo get funding from EU and UK rural development schemes you need to meet a set of rules known as cross compliance.\n\n## Hedgerows and watercourses\n\nIf you own land with hedgerows or watercourses, you must do everything you reasonably can to keep green cover (natural vegetation) on land:\n\n- within 2 metres of the centre of a hedgerow, watercourse or field ditch\n\n- within 1 metre of the top of the bank of a watercourse or field ditch\n\nIt\u2019s against the law to remove or destroy certain hedgerows without permission from your local planning authority.\n\nYou must also make sure you do not:\n\n- cultivate or apply fertilisers or pesticides on these strips of green cover\n\n- cut or trim hedgerows between 1 March and 31 August\n\nFind more information on hedgerow protection and management.\n\n## Trees and woodland\n\nThe Forestry Commission has guidance on managing woodlands and minimising damage to them.\n\n## Tree felling and Tree Preservation Orders (TPOs)\n\nYou must get written consent from your local planning authority before you damage or destroy, uproot, top or lop any trees that are protected by TPOs.\n\nYou must also give 42 days\u2019 written notice to your local planning authority if you wish to cut down any tree in a conservation area.\n\nYou may need a felling licence from the Forestry Commission to fell trees.\n\n## Environmental Impact Assessment (EIA) of forestry projects\n\nYou need an EIA if you\u2019re:\n\n- creating new woodland\n\n- permanently removing woodland\n\n- doing forest road works\n\n- doing forest-related quarrying\n\nYou may also need permission from the Forestry Commission before you begin the work.\n\n## Funding for woodlands\n\nGrants for woodland are available under the Countryside Stewardship and the Woodland Carbon Fund.\n\n## Dry stone walls\n\nStone walls of all types are important as landscape features and for stock management. Dry stone walls are walls made without the use of mortar or cement.\n\nIf you have dry stone walls on your land, you should:\n\n- check their condition at least once a year\n\n- remove any vegetation to help to \u2018air\u2019 the wall and prevent frost damage\n\n- use local stone to make any repairs\n\n- prevent trees from growing alongside, as their roots can weaken wall foundations\n\nYou must not remove a dry stone wall, or remove stone from it, except in special cases.\n\nContact the Dry Stone Walling Association for more information.\n\n## Funding for dry stone walls\n\nCountryside Stewardship funding is available to farmers and land managers for dry stone wall restoration.\n\n## Scheduled monuments\n\nA scheduled monument is a site that\u2019s legally protected because of its historical importance.\n\nScheduled monuments might be:\n\n- archaeological sites, such as ancient burial mounds\n\n- more recent remains, such as from the coal industry or World War 2\n\nYou need written permission from your regional Historic England office to carry out work on a scheduled monument. You may also need planning permission from your council.\n\nYou can download \u2018A Guide for Owners and Occupiers of Scheduled Monuments\u2019.\n\n## Grants for scheduled monuments\n\nYou may be able to get a Historic England grant to help maintain or repair a scheduled monument.", + "original_contents": [ + "

    Overview

    ", + "

    As a landowner you must manage and maintain land with:

    ", + "
  • hedgerows and watercourses
  • ", + "
  • trees and woodland
  • ", + "
  • dry stone walls
  • ", + "

    You also have obligations if you own or occupy a scheduled monument.

    ", + "

    Rural landscapes and features are protected:

    ", + "
  • by planning policies and laws
  • ", + "
  • through the Rural Development Programme for England
  • ", + "
  • through \u2018cross compliance\u2019 - set rules for farming and land management
  • ", + "

    You can apply for funding schemes to help you protect your land.

    ", + "

    Funding and cross compliance

    ", + "

    You can apply for funding to protect rural landscapes and features through:

    ", + "
  • the Basic Payment Scheme - main EU\nagricultural subsidy scheme supporting environmentally-friendly farming practices
  • ", + "
  • Countryside Stewardship - offers financial rewards for good land management which improves the quality of the environment
  • ", + "

    Cross compliance

    ", + "

    To get funding from EU and UK rural development schemes you need to meet a set of rules known as cross compliance.

    ", + "

    Hedgerows and watercourses

    ", + "

    If you own land with hedgerows or watercourses, you must do everything you reasonably can to keep green cover (natural vegetation) on land:

    ", + "
  • within 2 metres of the centre of a hedgerow, watercourse or field ditch
  • ", + "
  • within 1 metre of the top of the bank of a watercourse or field ditch
  • ", + "

    It\u2019s against the law to remove or destroy certain hedgerows without permission from your local planning authority.

    ", + "

    You must also make sure you do not:

    ", + "
  • cultivate or apply fertilisers or pesticides on these strips of green cover
  • ", + "
  • cut or trim hedgerows between 1 March and 31 August
  • ", + "

    Find more information on hedgerow protection and management.

    ", + "

    Trees and woodland

    ", + "

    The Forestry Commission has guidance on managing woodlands and minimising damage to them.

    ", + "

    Tree felling and Tree Preservation Orders (TPOs)

    ", + "

    You must get written consent from your local planning authority before you damage or destroy, uproot, top or lop any trees that are protected by TPOs.

    ", + "

    You must also give 42 days\u2019 written notice to your local planning authority if you wish to cut down any tree in a conservation area.

    ", + "

    You may need a felling licence from the Forestry Commission to fell trees.

    ", + "

    Environmental Impact Assessment (EIA) of forestry projects

    ", + "

    You need an EIA if you\u2019re:

    ", + "
  • creating new woodland
  • ", + "
  • permanently removing woodland
  • ", + "
  • doing forest road works
  • ", + "
  • doing forest-related quarrying
  • ", + "

    You may also need permission from the Forestry Commission before you begin the work.

    ", + "

    Funding for woodlands

    ", + "

    Grants for woodland are available under the Countryside Stewardship and the Woodland Carbon Fund.

    ", + "

    Dry stone walls

    ", + "

    Stone walls of all types are important as landscape features and for stock management. Dry stone walls are walls made without the use of mortar or cement.

    ", + "

    If you have dry stone walls on your land, you should:

    ", + "
  • check their condition at least once a year
  • ", + "
  • remove any vegetation to help to \u2018air\u2019 the wall and prevent frost damage
  • ", + "
  • use local stone to make any repairs
  • ", + "
  • prevent trees from growing alongside, as their roots can weaken wall foundations
  • ", + "

    You must not remove a dry stone wall, or remove stone from it, except in special cases.

    ", + "

    Contact the Dry Stone Walling Association for more information.

    ", + "

    Funding for dry stone walls

    ", + "

    Countryside Stewardship funding is available to farmers and land managers for dry stone wall restoration.

    ", + "

    Scheduled monuments

    ", + "

    A scheduled monument is a site that\u2019s legally protected because of its historical importance.

    ", + "

    Scheduled monuments might be:

    ", + "
  • archaeological sites, such as ancient burial mounds
  • ", + "
  • more recent remains, such as from the coal industry or World War 2
  • ", + "

    You need written permission from your regional Historic England office to carry out work on a scheduled monument. You may also need planning permission from your council.

    ", + "

    You can download \u2018A Guide for Owners and Occupiers of Scheduled Monuments\u2019.

    ", + "

    Grants for scheduled monuments

    ", + "

    You may be able to get a Historic England grant to help maintain or repair a scheduled monument.

    " + ] + }, + "https://www.gov.uk/right-of-way-open-access-land": { + "url": "https://www.gov.uk/right-of-way-open-access-land", + "title": "Rights of way and accessing land", + "content": "## Overview\n\nYou have the right to access some land for walking or certain other leisure activities.\n\nYou can:\n\n- use public roads and pavements or public rights of way, for example footpaths or bridleways\n\n- use your right to roam on open access land including mountains, moors, heaths, downs, common land and some land around the England Coast Path\n\nIf neither of these apply, you may still be able to access private land if:\n\n- the land was used as a public right of way in the past - check old maps and documents\n\n- the land was accessed by the public for at least 20 years and nobody has asked them to stop\n\n- the landowner has given permission (\u2018permissive access\u2019)\n\nHelp protect the natural environment by following the Countryside Code.\n\n## Use public rights of way\n\nYou can walk on all public rights of way.\n\nSome public rights of way are also open to horse riders, cyclists or motorists.\n\nYou can use:\n\n- footpaths - for walking, running, mobility scooters or powered wheelchairs\n\n- bridleways - for walking, horse riding, bicycles, mobility scooters or powered wheelchairs\n\n- restricted byways - for any transport without a motor and mobility scooters or powered wheelchairs\n\n- byways open to all traffic - for any kind of transport, including cars (but they\u2019re mainly used by walkers, cyclists and horse riders)\n\n## Rights of way in England, Wales and Northern Ireland\n\nPublic rights of way are marked with signs or coloured arrows, for example yellow for footpaths, blue for bridleways.\n\nYou can find the route of public rights of way:\n\n- on Ordnance Survey and other maps\n\n- on some council websites\n\n## Rights of way in Scotland\n\nYou can find rights of way through the charity Scotways.\n\n## Report problems with a right of way\n\nContact the local council to report a problem, for example obstructions, poor maintenance or a misleading sign.\n\n## Change a public right of way\n\nContact the local council about adding, changing or removing a public right of way temporarily or permanently.\n\nYou can contact the Local Government Ombudsman if you think your council has not dealt with your enquiry properly.\n\n## Use your right to roam\n\nYou can access some land across England without having to use paths - this land is known as \u2018open access land\u2019 or \u2018access land\u2019.\n\nAccess land includes mountains, moors, heaths and downs that are privately owned. It also includes common land registered with the local council and some land around the England Coast Path.\n\nYour right to access this land is called the \u2018right to roam\u2019, or \u2018freedom to roam\u2019.\n\n## What you can and cannot do\n\nYou can use access land for walking, running, watching wildlife and climbing.\n\nThere are certain activities you cannot usually do on open access land, including:\n\n- horse-riding\n\n- cycling\n\n- camping\n\n- taking animals other than dogs on to the land\n\n- driving a vehicle (except mobility scooters and powered wheelchairs)\n\n- water sports\n\nBut you can use access land for horse-riding and cycling if:\n\n- the landowner allows it\n\n- public bridleways or byways cross the land \u2013 horse riders and cyclists can ride along these\n\n- there are local traditions, or rights, of access\n\n## Dogs on open access land\n\nYou must keep your dog on a lead no more than 2 metres long on open access land:\n\n- between 1 March and 31 July - to protect ground-nesting birds\n\n- at all times around livestock\n\nOn land next to the England Coast Path you must keep your dog under close control.\n\nThere may be other local or seasonal restrictions. These do not apply to public rights of way or assistance dogs.\n\n## Excepted land\n\nOn access land some areas remain private (\u2018excepted land\u2019). You do not have the right to access these areas, even if they appear on a map of open access land.\n\nExcepted land includes:\n\n- houses, buildings and the land they\u2019re on (such as courtyards)\n\n- land used to grow crops\n\n- building sites and land that\u2019s being developed\n\n- parks and gardens\n\n- golf courses and racecourses\n\n- railways and tramways\n\n- working quarries\n\nUse public rights of way to cross excepted land.\n\n## Find open access land\n\nSearch for open access land in England and find out about land that\u2019s currently closed to walkers.\n\nFind open access land in Wales.\n\nContact the local council to find common land near you.\n\n## Report problems with open access land\n\nYou can report problems to the local access authority - contact them through the local council.\n\nIf the problem is in a national park, you can contact them directly.\n\nYou can also contact the Open Access Contact Centre for information about open access land in England.\n\n## Access private land\n\nYou may be able to access private land if the landowner has agreed to let people use it, for example for walking, cycling or horse riding (sometimes known as giving \u2018permissive access\u2019). Look for signs.\n\nSearch for farms and other land with access for schools, families and other groups.\n\nSearch for land of outstanding scenic or scientific interest, including land with permissive access, in the HM Revenue and Customs (HMRC) directory.", + "original_contents": [ + "

    Overview

    ", + "

    You have the right to access some land for walking or certain other leisure activities.

    ", + "

    You can:

    ", + "
  • use public roads and pavements or public rights of way, for example footpaths or bridleways
  • ", + "
  • use your right to roam on open access land including mountains, moors, heaths, downs, common land and some land around the England Coast Path
  • ", + "

    If neither of these apply, you may still be able to access private land if:

    ", + "
  • the land was used as a public right of way in the past - check old maps and documents
  • ", + "
  • the land was accessed by the public for at least 20 years and nobody has asked them to stop
  • ", + "
  • the landowner has given permission (\u2018permissive access\u2019)
  • ", + "

    Help protect the natural environment by following the Countryside Code.

    ", + "

    Use public rights of way

    ", + "

    You can walk on all public rights of way.

    ", + "

    Some public rights of way are also open to horse riders, cyclists or motorists.

    ", + "

    You can use:

    ", + "
  • footpaths - for walking, running, mobility scooters or powered wheelchairs
  • ", + "
  • bridleways - for walking, horse riding, bicycles, mobility scooters or powered wheelchairs
  • ", + "
  • restricted byways - for any transport without a motor and mobility scooters or powered wheelchairs
  • ", + "
  • byways open to all traffic - for any kind of transport, including cars (but they\u2019re mainly used by walkers, cyclists and horse riders)
  • ", + "

    Rights of way in England, Wales and Northern Ireland

    ", + "

    Public rights of way are marked with signs or coloured arrows, for example yellow for footpaths, blue for bridleways.

    ", + "

    You can find the route of public rights of way:

    ", + "
  • on Ordnance Survey and other maps
  • ", + "
  • on some council websites
  • ", + "

    Rights of way in Scotland

    ", + "

    You can find rights of way through the charity Scotways.

    ", + "

    Report problems with a right of way

    ", + "

    Contact the local council to report a problem, for example obstructions, poor maintenance or a misleading sign.

    ", + "

    Change a public right of way

    ", + "

    Contact the local council about adding, changing or removing a public right of way temporarily or permanently.

    ", + "

    You can contact the Local Government Ombudsman if you think your council has not dealt with your enquiry properly.

    ", + "

    Use your right to roam

    ", + "

    You can access some land across England without having to use paths - this land is known as \u2018open access land\u2019 or \u2018access land\u2019.

    ", + "

    Access land includes mountains, moors, heaths and downs that are privately owned. It also includes common land registered with the local council and some land around the England Coast Path.

    ", + "

    Your right to access this land is called the \u2018right to roam\u2019, or \u2018freedom to roam\u2019.

    ", + "

    What you can and cannot do

    ", + "

    You can use access land for walking, running, watching wildlife and climbing.

    ", + "

    There are certain activities you cannot usually do on open access land, including:

    ", + "
  • horse-riding
  • ", + "
  • cycling
  • ", + "
  • camping
  • ", + "
  • taking animals other than dogs on to the land
  • ", + "
  • driving a vehicle (except mobility scooters and powered wheelchairs)
  • ", + "
  • water sports
  • ", + "

    But you can use access land for horse-riding and cycling if:

    ", + "
  • the landowner allows it
  • ", + "
  • public bridleways or byways cross the land \u2013 horse riders and cyclists can ride along these
  • ", + "
  • there are local traditions, or rights, of access
  • ", + "

    Dogs on open access land

    ", + "

    You must keep your dog on a lead no more than 2 metres long on open access land:

    ", + "
  • between 1 March and 31 July - to protect ground-nesting birds
  • ", + "
  • at all times around livestock
  • ", + "

    On land next to the England Coast Path you must keep your dog under close control.

    ", + "

    There may be other local or seasonal restrictions. These do not apply to public rights of way or assistance dogs.

    ", + "

    Excepted land

    ", + "

    On access land some areas remain private (\u2018excepted land\u2019). You do not have the right to access these areas, even if they appear on a map of open access land.

    ", + "

    Excepted land includes:

    ", + "
  • houses, buildings and the land they\u2019re on (such as courtyards)
  • ", + "
  • land used to grow crops
  • ", + "
  • building sites and land that\u2019s being developed
  • ", + "
  • parks and gardens
  • ", + "
  • golf courses and racecourses
  • ", + "
  • railways and tramways
  • ", + "
  • working quarries
  • ", + "

    Use public rights of way to cross excepted land.

    ", + "

    Find open access land

    ", + "

    Search for open access land in England and find out about land that\u2019s currently closed to walkers.

    ", + "

    Find open access land in Wales.

    ", + "

    Contact the local council to find common land near you.

    ", + "

    Report problems with open access land

    ", + "

    You can report problems to the local access authority - contact them through the local council.

    ", + "

    If the problem is in a national park, you can contact them directly.

    ", + "

    You can also contact the Open Access Contact Centre for information about open access land in England.

    ", + "

    Access private land

    ", + "

    You may be able to access private land if the landowner has agreed to let people use it, for example for walking, cycling or horse riding (sometimes known as giving \u2018permissive access\u2019). Look for signs.

    ", + "

    Search for farms and other land with access for schools, families and other groups.

    ", + "

    Search for land of outstanding scenic or scientific interest, including land with permissive access, in the HM Revenue and Customs (HMRC) directory.

    " + ] + }, + "https://www.gov.uk/fishing-licences": { + "url": "https://www.gov.uk/fishing-licences", + "title": "Buy a rod fishing licence", + "content": "## When you need a licence\n\nYou must have a rod fishing licence for England and Wales if you\u2019re fishing for salmon, trout, freshwater fish, smelt or eel with a rod and line in:\n\n- England (except the River Tweed)\n\n- Wales\n\n- the Border Esk region, including the parts of the river that are in Scotland\n\nYou can get a fine of up to \u00a32,500 if you\u2019re fishing in these areas and cannot show a valid rod fishing licence when asked.\n\nThere are different rules for fishing in the rest of Scotland and Northern Ireland.\n\nChildren under 13 do not need a licence.\n\nLicences for children aged between 13 and 16 are free. You\u2019ll still need to get a junior licence.\n\n## Other permissions and licences you may need\n\nYou also need:\n\n- permission from the landowner to fish on private land\n\n- an additional licence to fish in locks or weirs on the River Thames\n\nYou must follow national and local rules (byelaws) when freshwater fishing with a rod and line in England and Wales. There may be more rules on private land.\n\n## Types of licences and rod limits\n\n## Trout, coarse fish and eel licence\n\nThis lets you fish non-migratory trout and all freshwater fish.\n\nYou must use your licence in one of the following ways. You can choose to fish with:\n\n- 1 rod for non-migratory trout in rivers, streams, drains and canals\n\n- up to 2 rods for non-migratory trout in reservoirs, lakes and ponds\n\n- up to 2 rods for freshwater fish\n\nYou can also buy a 12-month licence that lets you use 3 rods for freshwater fish.\n\nThe place where you fish may have additional rules about how many rods you can use there.\n\n## Salmon and sea trout licence\n\nThis lets you fish salmon, sea trout, non-migratory trout and all freshwater fish.\n\nYou must use your licence in one of 3 ways. You can choose to fish with:\n\n- 1 rod for salmon, sea trout and non-migratory trout in rivers, streams and canals\n\n- up to 2 rods for salmon, sea trout and non-migratory trout in reservoirs, lakes and ponds\n\n- up to 3 rods for freshwater fish\n\nYou must report a catch return every year even if you did not fish.\n\nThe place where you fish may have additional rules about how many rods you can use there.\n\n## Rods that are not affected by licence limits\n\nThe following rods are not affected by licence limits unless they have hooks attached:\n\n- spod rods (used to propel bait into water)\n\n- marker rods (used to mark out lines)\n\n## Buy a rod fishing licence for England and Wales\n\nYou can buy a 1-day, 8-day or 12-month licence online.\n\nYou\u2019ll need:\n\n- a debit or credit card\n\n- your Blue Badge or National Insurance number, if you have a disability and you\u2019re applying for a 12-month licence\n\n- the other person\u2019s details (such as date of birth), if you\u2019re buying for someone else\n\nYour licence can start on any date within 30 days of the day you buy it.\n\nLicence prices depend on the type of fish you are fishing for and the number of rods you use.\n\n| Licence type | Trout and coarse up to 2-rod | Trout and coarse 3-rod | Salmon and sea trout |\n\n| 1-day | \u00a36 | Not available | \u00a312 |\n\n| 8-day | \u00a312 | Not available | \u00a327 |\n\n| 12-month | \u00a330 | \u00a345 | \u00a382 |\n\n| 12-month - over 65 or disabled | \u00a320 | \u00a330 | \u00a354 |\n\n| 12-month - junior (13 to 16) | Free | Free | Free |\n\nThere are no discounted prices for a 1-day or an 8-day licence.\n\nYou need different permissions or licences to fish in most of Scotland and Northern Ireland.\n\nBuy now\n\n## Eligibility for disabled licences\n\nYou can get a discounted 12-month disabled licence if you have a Blue Badge or get Disability Living Allowance or Personal Independence Payment (any rate).\n\nIf you\u2019re under 16 and have a disability you can choose to have the fact you are disabled noted on your junior rod licence. This may help you prove your eligibility for discounts or assisted access at fisheries.\n\nGive your Blue Badge or National Insurance number (or child reference number if you\u2019re under 16) when you apply.\n\n## Other ways to buy a licence\n\nYou can also buy adult licences:\n\n- at a Post Office\n\n- by calling the Environment Agency\n\nYou cannot get a junior licence at the Post Office or over the phone. You must apply online.\n\n## If you have not received your 12-month licence\n\nContact the Environment Agency if you do not get your licence within 15 working days.\n\n## Extend a licence\n\nTo change a 1-day or 8-day licence to a 12-month licence, call the Environment Agency within 14 days of buying it. You\u2019ll need to buy a new licence but you\u2019ll get a refund for the first one you bought.\n\n## Replace a licence or update your details\n\nContact the Environment Agency:\n\n- if you have questions about your licence\n\n- to replace a licence\n\n- to update your details if you\u2019ve changed your name or address\n\n## Fishing in Scotland and Northern Ireland\n\n## Fishing in Scotland\n\nYou do not need a licence to fish with rod and line anywhere in Scotland apart from in the Border Esk region.\n\nYou only need permission from the landowner or an angling club.\n\nAs the Border Esk flows into England you need to buy a rod fishing licence for England and Wales to fish any part of it, including the parts of the river and its tributaries that are in Scotland.\n\n## Fishing in Northern Ireland\n\nYou must have a rod licence and angling permit from a Northern Irish agency to fish in Northern Ireland.", + "original_contents": [ + "

    When you need a licence

    ", + "

    You must have a rod fishing licence for England and Wales if you\u2019re fishing for salmon, trout, freshwater fish, smelt or eel with a rod and line in:

    ", + "
  • England (except the River Tweed)
  • ", + "
  • Wales
  • ", + "
  • the Border Esk region, including the parts of the river that are in Scotland
  • ", + "

    You can get a fine of up to \u00a32,500 if you\u2019re fishing in these areas and cannot show a valid rod fishing licence when asked.

    ", + "

    There are different rules for fishing in the rest of Scotland and Northern Ireland.

    ", + "

    Children under 13 do not need a licence.

    ", + "

    Licences for children aged between 13 and 16 are free. You\u2019ll still need to get a junior licence.

    ", + "

    Other permissions and licences you may need

    ", + "

    You also need:

    ", + "
  • permission from the landowner to fish on private land
  • ", + "
  • an additional licence to fish in locks or weirs on the River Thames
  • ", + "

    You must follow national and local rules (byelaws) when freshwater fishing with a rod and line in England and Wales. There may be more rules on private land.

    ", + "

    Types of licences and rod limits

    ", + "

    Trout, coarse fish and eel licence

    ", + "

    This lets you fish non-migratory trout and all freshwater fish.

    ", + "

    You must use your licence in one of the following ways. You can choose to fish with:

    ", + "
  • 1 rod for non-migratory trout in rivers, streams, drains and canals
  • ", + "
  • up to 2 rods for non-migratory trout in reservoirs, lakes and ponds
  • ", + "
  • up to 2 rods for freshwater fish
  • ", + "

    You can also buy a 12-month licence that lets you use 3 rods for freshwater fish.

    ", + "

    The place where you fish may have additional rules about how many rods you can use there.

    ", + "

    Salmon and sea trout licence

    ", + "

    This lets you fish salmon, sea trout, non-migratory trout and all freshwater fish.

    ", + "

    You must use your licence in one of 3 ways. You can choose to fish with:

    ", + "
  • 1 rod for salmon, sea trout and non-migratory trout in rivers, streams and canals
  • ", + "
  • up to 2 rods for salmon, sea trout and non-migratory trout in reservoirs, lakes and ponds
  • ", + "
  • up to 3 rods for freshwater fish
  • ", + "

    You must report a catch return every year even if you did not fish.

    ", + "

    The place where you fish may have additional rules about how many rods you can use there.

    ", + "

    Rods that are not affected by licence limits

    ", + "

    The following rods are not affected by licence limits unless they have hooks attached:

    ", + "
  • spod rods (used to propel bait into water)
  • ", + "
  • marker rods (used to mark out lines)
  • ", + "

    Buy a rod fishing licence for England and Wales

    ", + "

    You can buy a 1-day, 8-day or 12-month licence online.

    ", + "

    You\u2019ll need:

    ", + "
  • a debit or credit card
  • ", + "
  • your Blue Badge or National Insurance number, if you have a disability and you\u2019re applying for a 12-month licence
  • ", + "
  • the other person\u2019s details (such as date of birth), if you\u2019re buying for someone else
  • ", + "

    Your licence can start on any date within 30 days of the day you buy it.

    ", + "

    Licence prices depend on the type of fish you are fishing for and the number of rods you use.

    ", + "Licence type | Trout and coarse up to 2-rod | Trout and coarse 3-rod | Salmon and sea trout", + "1-day | \u00a36 | Not available | \u00a312", + "8-day | \u00a312 | Not available | \u00a327", + "12-month | \u00a330 | \u00a345 | \u00a382", + "12-month - over 65 or disabled | \u00a320 | \u00a330 | \u00a354", + "12-month - junior (13 to 16) | Free | Free | Free", + "

    There are no discounted prices for a 1-day or an 8-day licence.

    ", + "

    You need different permissions or licences to fish in most of Scotland and Northern Ireland.

    ", + "

    Buy now

    ", + "

    Eligibility for disabled licences

    ", + "

    You can get a discounted 12-month disabled licence if you have a Blue Badge or get Disability Living Allowance or Personal Independence Payment (any rate).

    ", + "

    If you\u2019re under 16 and have a disability you can choose to have the fact you are disabled noted on your junior rod licence. This may help you prove your eligibility for discounts or assisted access at fisheries.

    ", + "

    Give your Blue Badge or National Insurance number (or child reference number if you\u2019re under 16) when you apply.

    ", + "

    Other ways to buy a licence

    ", + "

    You can also buy adult licences:

    ", + "
  • at a Post Office
  • ", + "
  • by calling the Environment Agency
  • ", + "

    You cannot get a junior licence at the Post Office or over the phone. You must apply online.

    ", + "

    If you have not received your 12-month licence

    ", + "

    Contact the Environment Agency if you do not get your licence within 15 working days.

    ", + "

    Extend a licence

    ", + "

    To change a 1-day or 8-day licence to a 12-month licence, call the Environment Agency within 14 days of buying it. You\u2019ll need to buy a new licence but you\u2019ll get a refund for the first one you bought.

    ", + "

    Replace a licence or update your details

    ", + "

    Contact the Environment Agency:

    ", + "
  • if you have questions about your licence
  • ", + "
  • to replace a licence
  • ", + "
  • to update your details if you\u2019ve changed your name or address
  • ", + "

    Fishing in Scotland and Northern Ireland

    ", + "

    Fishing in Scotland

    ", + "

    You do not need a licence to fish with rod and line anywhere in Scotland apart from in the Border Esk region.

    ", + "

    You only need permission from the landowner or an angling club.

    ", + "

    As the Border Esk flows into England you need to buy a rod fishing licence for England and Wales to fish any part of it, including the parts of the river and its tributaries that are in Scotland.

    ", + "

    Fishing in Northern Ireland

    ", + "

    You must have a rod licence and angling permit from a Northern Irish agency to fish in Northern Ireland.

    " + ] + }, + "https://www.gov.uk/freshwater-rod-fishing-rules": { + "url": "https://www.gov.uk/freshwater-rod-fishing-rules", + "title": "Freshwater rod fishing rules", + "content": "## Overview\n\nYou must follow national and local rules (byelaws) when freshwater fishing with a rod and line in England and Wales.\n\nThese rules are aimed at protecting fish stocks and making fisheries sustainable.\n\nFreshwater fish include salmon, trout, coarse fish and eels.\n\nYou must have a rod licence to fish in England and Wales if you\u2019re aged 13 or older.\n\n## Find out which rules apply to your area\n\nEngland and Wales are broken down into regions that each have their own rules. National rules are included in each set of local rules.\n\nThere may also be rules for privately owned bodies of water, such as private fishing lakes.\n\n## Read the rules for your area\n\nRead the local byelaws for your area to find out the:\n\n- areas in your region where you\u2019re not allowed to fish\n\n- closed seasons (when you can\u2019t fish) which apply to particular types of water and fish within your region\n\n- sort of tackle you can use for certain fish in your region\n\n- size of fish you can keep\n\nRead the local byelaws for your region - there are different regulations for Wales.\n\n## When and where you can fish\n\n\u2018Close seasons\u2019 are seasons when you can\u2019t fish for some types of fish on certain types of water.\n\nFor example, you can\u2019t fish for coarse fish on any river in England and Wales from 15 March to 15 June.\n\n## Reservoirs, lakes and ponds (\u2018enclosed stillwaters\u2019) and canals\n\nYou can fish for coarse fish, eels, rainbow trout and brown trout on most enclosed stillwaters and canals all year.\n\nRead the local byelaws to check your area.\n\n## Rivers, streams, drains or waterways (other than canals)\n\nYou can\u2019t fish for coarse fish and eels on rivers from the 15 March to 15 June (you can fish for eel in some areas - read the local byelaws).\n\nYou need to read the local byelaws for close seasons for salmon, brown trout and rainbow trout on rivers.\n\nPrivately owned bodies of water can also have their own close seasons.\n\n## Lock and weir fishing on the Thames\n\nYou must have an additional permit to fish locks and weirs on the Thames.\n\n## Game fishing during the coarse fish close season\n\nYou can fish for salmon, trout and other game fish during the coarse fish close season. You have to use certain types of lures and baits in some areas however.\n\n## Midlands, Yorkshire, and the north-east and north-west of England\n\nYou can only use natural or artificial fly, minnow, worm, shrimp, prawn, sand eel or artificial lures during close season.\n\n## South-east of England\n\nYou can only use artificial fly. In the Thames area, you can apply for permission from the Environment Agency to also use minnow caught in a minnow trap if used on the same waters.\n\n## Wales or the south-west of England\n\nRead the local byelaws for Wales or the south-west of England.\n\n## Fish size and catch limits\n\nYou\u2019re only allowed to keep a certain amount of the fish you catch.\n\nThese fish must also be of a certain size.\n\nYou must return fish you can\u2019t keep to the water unharmed.\n\nYou\u2019re committing an offence and can be fined if you take too many fish or fish that aren\u2019t the right size.\n\n## Size limits\n\nWhether you can keep a fish depends on:\n\n- the type of fish\n\n- where you\u2019re fishing\n\nRead the local byelaws for your region.\n\nYou must measure fish from the tip of the snout to the fork of the tail.\n\n## Catch limits\n\nThere\u2019s a daily limit on the number of fish you can take.\n\n## Coarse (freshwater) fish\n\nEach day you can only take from rivers:\n\n- 1 pike (up to 65cm)\n\n- 2 grayling (30cm to 38cm)\n\n- 15 small fish (up to 20cm) including barbel, chub, common bream, common carp, crucian carp, dace, perch, rudd, silver bream, roach, smelt and tench\n\nAny eels you catch (except conger eels) must be released alive.\n\nYou can also take:\n\n- minor or \u2018tiddler\u2019 species, such as gudgeon\n\n- non-native species\n\n- ornamental varieties of native species like ghost or koi carp\n\nYou can be fined if you remove fish from privately-owned waters without written permission from the owner.\n\n## Salmon and trout\n\nRead your local byelaws for the local daily limit of salmon and trout you can take.\n\nYou can be fined for selling rod-caught salmon or sea trout in England and Wales.\n\n## Tackle you can use\n\nThere are rules on how many rods you can use at a time, and the types of lures, bait, nets and weights.\n\nRead the local byelaws for your region.\n\n## Fishing rods\n\nThe number of rods you can use at the same time depends on the water you\u2019re fishing in and the fish you\u2019re trying to catch.\n\nYou must make sure that the distance between the butts of the outermost rods isn\u2019t more than 3 metres when fishing with multiple rods and lines.\n\nIt\u2019s illegal to leave a rod and line in the water unattended or over which you don\u2019t have sufficient control.\n\n## Lures, bait and tackle\n\nIn England and Wales you must not:\n\n- use crayfish as bait\n\n- use another fish you\u2019ve taken as bait unless you\u2019re doing so on the same waters where you caught it\n\n- keep fish you\u2019ve foul hooked (caught with a hook puncturing anywhere but the fish\u2019s mouth or throat) - these must be returned alive\n\n- use a gaff (a pole with a large hook at the end) or a tailer (a loop of cable or wire at the end of a pole)\n\nBefore 16 June you can only use artificial lure and artificial fly to fish for salmon, which must be returned unharmed to the water.\n\nDispose of your tackle safely to avoid harm to wildlife.\n\n## Lead weights\n\nYou can only use lead weights if they\u2019re .06 grams or less or more than 28.35 grams. This means lead shot weights from size 14 to size 8 and lead weights over 1 ounce.\n\nLead is toxic to birds, so if you\u2019re using lead dust shot make sure the containers are spill proof.\n\n## Keepnets, keepsacks and landing nets\n\nKeepnets must:\n\n- have no knotted meshes or meshes of metallic material\n\n- have holes smaller than 25mm\n\n- be more than 2 metres long\n\n- have supporting rings or frames less than 40cm apart and more than 120cm in circumference\n\nA keepsack must be:\n\n- made from a soft, dark coloured, non-abrasive and water permeable fabric\n\n- at least 120cm by 90cm if rectangular\n\n- at least 150cm by 30cm by 40cm if used with a frame\n\n- used to hold no more than one fish at a time\n\n## Landing nets\n\nYou can\u2019t use a landing net with any meshes that are knotted or made of metallic material.", + "original_contents": [ + "

    Overview

    ", + "

    You must follow national and local rules (byelaws) when freshwater fishing with a rod and line in England and Wales.

    ", + "

    These rules are aimed at protecting fish stocks and making fisheries sustainable.

    ", + "

    Freshwater fish include salmon, trout, coarse fish and eels.

    ", + "

    You must have a rod licence to fish in England and Wales if you\u2019re aged 13 or older.

    ", + "

    Find out which rules apply to your area

    ", + "

    England and Wales are broken down into regions that each have their own rules. National rules are included in each set of local rules.

    ", + "

    There may also be rules for privately owned bodies of water, such as private fishing lakes.

    ", + "

    Read the rules for your area

    ", + "

    Read the local byelaws for your area to find out the:

    ", + "
  • areas in your region where you\u2019re not allowed to fish
  • ", + "
  • closed seasons (when you can\u2019t fish) which apply to particular types of water and fish within your region
  • ", + "
  • sort of tackle you can use for certain fish in your region
  • ", + "
  • size of fish you can keep
  • ", + "

    Read the local byelaws for your region - there are different regulations for Wales.

    ", + "

    When and where you can fish

    ", + "

    \u2018Close seasons\u2019 are seasons when you can\u2019t fish for some types of fish on certain types of water.

    ", + "

    For example, you can\u2019t fish for coarse fish on any river in England and Wales from 15 March to 15 June.

    ", + "

    Reservoirs, lakes and ponds (\u2018enclosed stillwaters\u2019) and canals

    ", + "

    You can fish for coarse fish, eels, rainbow trout and brown trout on most enclosed stillwaters and canals all year.

    ", + "

    Read the local byelaws to check your area.

    ", + "

    Rivers, streams, drains or waterways (other than canals)

    ", + "

    You can\u2019t fish for coarse fish and eels on rivers from the 15 March to 15 June (you can fish for eel in some areas - read the local byelaws).

    ", + "

    You need to read the local byelaws for close seasons for salmon, brown trout and rainbow trout on rivers.

    ", + "

    Privately owned bodies of water can also have their own close seasons.

    ", + "

    Lock and weir fishing on the Thames

    ", + "

    You must have an additional permit to fish locks and weirs on the Thames.

    ", + "

    Game fishing during the coarse fish close season

    ", + "

    You can fish for salmon, trout and other game fish during the coarse fish close season. You have to use certain types of lures and baits in some areas however.

    ", + "

    Midlands, Yorkshire, and the north-east and north-west of England

    ", + "

    You can only use natural or artificial fly, minnow, worm, shrimp, prawn, sand eel or artificial lures during close season.

    ", + "

    South-east of England

    ", + "

    You can only use artificial fly. In the Thames area, you can apply for permission from the Environment Agency to also use minnow caught in a minnow trap if used on the same waters.

    ", + "

    Wales or the south-west of England

    ", + "

    Read the local byelaws for Wales or the south-west of England.

    ", + "

    Fish size and catch limits

    ", + "

    You\u2019re only allowed to keep a certain amount of the fish you catch.

    ", + "

    These fish must also be of a certain size.

    ", + "

    You must return fish you can\u2019t keep to the water unharmed.

    ", + "

    You\u2019re committing an offence and can be fined if you take too many fish or fish that aren\u2019t the right size.

    ", + "

    Size limits

    ", + "

    Whether you can keep a fish depends on:

    ", + "
  • the type of fish
  • ", + "
  • where you\u2019re fishing
  • ", + "

    Read the local byelaws for your region.

    ", + "

    You must measure fish from the tip of the snout to the fork of the tail.

    ", + "

    Catch limits

    ", + "

    There\u2019s a daily limit on the number of fish you can take.

    ", + "

    Coarse (freshwater) fish

    ", + "

    Each day you can only take from rivers:

    ", + "
  • 1 pike (up to 65cm)
  • ", + "
  • 2 grayling (30cm to 38cm)
  • ", + "
  • 15 small fish (up to 20cm) including barbel, chub, common bream, common carp, crucian carp, dace, perch, rudd, silver bream, roach, smelt and tench
  • ", + "

    Any eels you catch (except conger eels) must be released alive.

    ", + "

    You can also take:

    ", + "
  • minor or \u2018tiddler\u2019 species, such as gudgeon
  • ", + "
  • non-native species
  • ", + "
  • ornamental varieties of native species like ghost or koi carp
  • ", + "

    You can be fined if you remove fish from privately-owned waters without written permission from the owner.

    ", + "

    Salmon and trout

    ", + "

    Read your local byelaws for the local daily limit of salmon and trout you can take.

    ", + "

    You can be fined for selling rod-caught salmon or sea trout in England and Wales.

    ", + "

    Tackle you can use

    ", + "

    There are rules on how many rods you can use at a time, and the types of lures, bait, nets and weights.

    ", + "

    Read the local byelaws for your region.

    ", + "

    Fishing rods

    ", + "

    The number of rods you can use at the same time depends on the water you\u2019re fishing in and the fish you\u2019re trying to catch.

    ", + "

    You must make sure that the distance between the butts of the outermost rods isn\u2019t more than 3 metres when fishing with multiple rods and lines.

    ", + "

    It\u2019s illegal to leave a rod and line in the water unattended or over which you don\u2019t have sufficient control.

    ", + "

    Lures, bait and tackle

    ", + "

    In England and Wales you must not:

    ", + "
  • use crayfish as bait
  • ", + "
  • use another fish you\u2019ve taken as bait unless you\u2019re doing so on the same waters where you caught it
  • ", + "
  • keep fish you\u2019ve foul hooked (caught with a hook puncturing anywhere but the fish\u2019s mouth or throat) - these must be returned alive
  • ", + "
  • use a gaff (a pole with a large hook at the end) or a tailer (a loop of cable or wire at the end of a pole)
  • ", + "

    Before 16 June you can only use artificial lure and artificial fly to fish for salmon, which must be returned unharmed to the water.

    ", + "

    Dispose of your tackle safely to avoid harm to wildlife.

    ", + "

    Lead weights

    ", + "

    You can only use lead weights if they\u2019re .06 grams or less or more than 28.35 grams. This means lead shot weights from size 14 to size 8 and lead weights over 1 ounce.

    ", + "

    Lead is toxic to birds, so if you\u2019re using lead dust shot make sure the containers are spill proof.

    ", + "

    Keepnets, keepsacks and landing nets

    ", + "

    Keepnets must:

    ", + "
  • have no knotted meshes or meshes of metallic material
  • ", + "
  • have holes smaller than 25mm
  • ", + "
  • be more than 2 metres long
  • ", + "
  • have supporting rings or frames less than 40cm apart and more than 120cm in circumference
  • ", + "

    A keepsack must be:

    ", + "
  • made from a soft, dark coloured, non-abrasive and water permeable fabric
  • ", + "
  • at least 120cm by 90cm if rectangular
  • ", + "
  • at least 150cm by 30cm by 40cm if used with a frame
  • ", + "
  • used to hold no more than one fish at a time
  • ", + "

    Landing nets

    ", + "

    You can\u2019t use a landing net with any meshes that are knotted or made of metallic material.

    " + ] + }, + "https://www.gov.uk/hunting": { + "url": "https://www.gov.uk/hunting", + "title": "Hunting and shooting wildlife", + "content": "## Overview\n\nYou must follow the rules for hunting and shooting wildlife including:\n\n- what you can hunt or shoot\n\n- when you can do it\n\n- what equipment you can use\n\nYou can be fined or jailed for hunting illegally or causing unnecessary suffering to an animal.\n\nYou must have permission from the land owner.\n\n## Firearms and shotgun certificates\n\nYou must get a certificate to use a shotgun, rifle or other firearm.\n\nYou don\u2019t need a certificate for:\n\n- air rifles up to 12ft lb in power\n\n- air pistols up to 6ft lb in power\n\nYou can\u2019t use:\n\n- bows or crossbows\n\n- explosives (other than the legal ammunition for a firearm)\n\n## Managing wildlife and controlling pests\n\nThere are different rules about what you can do to manage wildlife on your land or control pests on your property.\n\n## Birds\n\nYou can shoot certain species of game birds, quarry birds and waterfowl but only during the shooting season.\n\nSometimes you can only shoot in certain locations, for example you can\u2019t shoot some waterfowl above the high water line.\n\nYou can\u2019t shoot birds in the closed season.\n\nYou must get a falconry licence to hunt birds with a falcon.\n\n## Equipment\n\nIf you\u2019re using a shotgun to shoot birds, the internal diameter of the shotgun can\u2019t be more than 1.75 inches.\n\nYou can\u2019t use:\n\n- a firearm that can hold more than 2 rounds of ammunition in the magazine (such as an automatic or semi-automatic weapon)\n\n- artificial lighting\n\n- a sighting device for night shooting, or a device for lighting up targets\n\n## Mammals\n\nThere are different rules for foxes, deer and other mammals.\n\n## Foxes\n\nIt\u2019s illegal to hunt foxes with a pack of dogs. You can use dogs to simulate hunting, for example \u2018drag\u2019 or \u2018trail\u2019 hunting.\n\nYou can use up to 2 dogs to chase (\u2018flush\u2019 or \u2018stalk\u2019) foxes out of hiding if the fox is causing damage to your property or the environment.\n\nYour dogs can\u2019t go underground to find the foxes unless they\u2019re threatening wild or game birds kept for shooting - only one dog can go underground at any time.\n\nYou must:\n\n- shoot the fox quickly after it\u2019s been found\n\n- carry proof you own the land you\u2019re shooting on or written permission from the landowner\n\nYou can be fined, and your dogs or hunting equipment taken away, if you break the law.\n\nThere are other ways you can control foxes if they\u2019re causing damage to your property or the environment.\n\n## Deer\n\nYou must follow the restrictions on when you can shoot deer and what type of firearms and ammunition you can use.\n\nYou need a licence to shoot deer:\n\n- in the closed season\n\n- at night (at any time of the year)\n\nYou can\u2019t use a vehicle to chase deer.\n\n## Other mammals\n\nYou can hunt or shoot some other mammals.\n\nThere are rules on when you can hunt or shoot and what equipment you can use.", + "original_contents": [ + "

    Overview

    ", + "

    You must follow the rules for hunting and shooting wildlife including:

    ", + "
  • what you can hunt or shoot
  • ", + "
  • when you can do it
  • ", + "
  • what equipment you can use
  • ", + "

    You can be fined or jailed for hunting illegally or causing unnecessary suffering to an animal.

    ", + "

    You must have permission from the land owner.

    ", + "

    Firearms and shotgun certificates

    ", + "

    You must get a certificate to use a shotgun, rifle or other firearm.

    ", + "

    You don\u2019t need a certificate for:

    ", + "
  • air rifles up to 12ft lb in power
  • ", + "
  • air pistols up to 6ft lb in power
  • ", + "

    You can\u2019t use:

    ", + "
  • bows or crossbows
  • ", + "
  • explosives (other than the legal ammunition for a firearm)
  • ", + "

    Managing wildlife and controlling pests

    ", + "

    There are different rules about what you can do to manage wildlife on your land or control pests on your property.

    ", + "

    Birds

    ", + "

    You can shoot certain species of game birds, quarry birds and waterfowl but only during the shooting season.

    ", + "

    Sometimes you can only shoot in certain locations, for example you can\u2019t shoot some waterfowl above the high water line.

    ", + "

    You can\u2019t shoot birds in the closed season.

    ", + "

    You must get a falconry licence to hunt birds with a falcon.

    ", + "

    Equipment

    ", + "

    If you\u2019re using a shotgun to shoot birds, the internal diameter of the shotgun can\u2019t be more than 1.75 inches.

    ", + "

    You can\u2019t use:

    ", + "
  • a firearm that can hold more than 2 rounds of ammunition in the magazine (such as an automatic or semi-automatic weapon)
  • ", + "
  • artificial lighting
  • ", + "
  • a sighting device for night shooting, or a device for lighting up targets
  • ", + "

    Mammals

    ", + "

    There are different rules for foxes, deer and other mammals.

    ", + "

    Foxes

    ", + "

    It\u2019s illegal to hunt foxes with a pack of dogs. You can use dogs to simulate hunting, for example \u2018drag\u2019 or \u2018trail\u2019 hunting.

    ", + "

    You can use up to 2 dogs to chase (\u2018flush\u2019 or \u2018stalk\u2019) foxes out of hiding if the fox is causing damage to your property or the environment.

    ", + "

    Your dogs can\u2019t go underground to find the foxes unless they\u2019re threatening wild or game birds kept for shooting - only one dog can go underground at any time.

    ", + "

    You must:

    ", + "
  • shoot the fox quickly after it\u2019s been found
  • ", + "
  • carry proof you own the land you\u2019re shooting on or written permission from the landowner
  • ", + "

    You can be fined, and your dogs or hunting equipment taken away, if you break the law.

    ", + "

    There are other ways you can control foxes if they\u2019re causing damage to your property or the environment.

    ", + "

    Deer

    ", + "

    You must follow the restrictions on when you can shoot deer and what type of firearms and ammunition you can use.

    ", + "

    You need a licence to shoot deer:

    ", + "
  • in the closed season
  • ", + "
  • at night (at any time of the year)
  • ", + "

    You can\u2019t use a vehicle to chase deer.

    ", + "

    Other mammals

    ", + "

    You can hunt or shoot some other mammals.

    ", + "

    There are rules on when you can hunt or shoot and what equipment you can use.

    " + ] + }, + "https://www.gov.uk/prepare-for-flooding": { + "url": "https://www.gov.uk/prepare-for-flooding", + "title": "Prepare for flooding", + "content": "## If you\u2019re about to be flooded\n\nCheck the National Flood Forum or speak to a Floodline adviser to find out how to stay safe during a flood.\n\nYou can check if there\u2019s currently a flood warning in your area.\n\n## Sandbags\n\nContact your local council to find out where to get sandbags. You can also get them from some DIY or building supplies shops.\n\n## If you need to travel\n\nCheck flood warnings and road travel information.\n\n## Protect yourself from future flooding\n\nPlan how you\u2019ll respond to a flood. Use a template to make a:\n\n- personal flood plan\n\n- community or group flood plan - if you\u2019re responsible for an organisation such as a school, hospital, care home or community group\n\n- business flood plan\n\n## Protect your property\n\nYou can:\n\n- get advice from the National Flood Forum about how to protect your property and how much this will cost\n\n- find flood protection products and services at Blue Pages\n\nYou may need permission to do work that will affect the flow of a river or divert flood water.\n\n## If you own a riverside property\n\nIf you own property next to a watercourse, for example a river, culvert, brook or mill stream, you must:\n\n- maintain river beds and banks\n\n- not obstruct the water flow\n\nRead guidance on the rights and responsibilities of owning a riverside property.\n\nContact the Environment Agency if you have questions about your responsibilities.\n\n## If your property\u2019s next to a canal\n\nContact the Canal and River Trust to check who\u2019s responsible for maintaining the canal.\n\n## If you have a disability or need extra help\n\nAsk your council if you can be put on a list to get extra help during a flood.\n\nCitizens Advice can help make sure you\u2019ll get support if your energy supply is affected.\n\nAsk Floodline to send flood warnings to a friend or relative on your behalf.\n\n## Get insurance\n\nYou can:\n\n- find lower-cost home insurance through Flood Re if you\u2019re in a flood-risk area\n\n- get insurance advice from the National Flood Forum\n\n- find a broker that specialises in properties that are difficult to insure\n\n## Get evidence of flood risk\n\nContact the Environment Agency if your insurer asks for evidence of your flood risk.\n\nYou\u2019ll get a letter within 20 days. It\u2019s free for individuals and businesses.\n\n## If you\u2019ve done work on your property\n\nYou or a surveyor can complete a Flood Risk Report. This will tell insurers or buyers how the work has reduced the flood risk.", + "original_contents": [ + "

    If you\u2019re about to be flooded

    ", + "

    Check the National Flood Forum or speak to a Floodline adviser to find out how to stay safe during a flood.

    ", + "

    You can check if there\u2019s currently a flood warning in your area.

    ", + "

    Sandbags

    ", + "

    Contact your local council to find out where to get sandbags. You can also get them from some DIY or building supplies shops.

    ", + "

    If you need to travel

    ", + "

    Check flood warnings and road travel information.

    ", + "

    Protect yourself from future flooding

    ", + "

    Plan how you\u2019ll respond to a flood. Use a template to make a:

    ", + "
  • personal flood plan
  • ", + "
  • community or group flood plan - if you\u2019re responsible for an organisation such as a school, hospital, care home or community group
  • ", + "
  • business flood plan
  • ", + "

    Protect your property

    ", + "

    You can:

    ", + "
  • get advice from the National Flood Forum about how to protect your property and how much this will cost
  • ", + "
  • find flood protection products and services at Blue Pages
  • ", + "

    You may need permission to do work that will affect the flow of a river or divert flood water.

    ", + "

    If you own a riverside property

    ", + "

    If you own property next to a watercourse, for example a river, culvert, brook or mill stream, you must:

    ", + "
  • maintain river beds and banks
  • ", + "
  • not obstruct the water flow
  • ", + "

    Read guidance on the rights and responsibilities of owning a riverside property.

    ", + "

    Contact the Environment Agency if you have questions about your responsibilities.

    ", + "

    If your property\u2019s next to a canal

    ", + "

    Contact the Canal and River Trust to check who\u2019s responsible for maintaining the canal.

    ", + "

    If you have a disability or need extra help

    ", + "

    Ask your council if you can be put on a list to get extra help during a flood.

    ", + "

    Citizens Advice can help make sure you\u2019ll get support if your energy supply is affected.

    ", + "

    Ask Floodline to send flood warnings to a friend or relative on your behalf.

    ", + "

    Get insurance

    ", + "

    You can:

    ", + "
  • find lower-cost home insurance through Flood Re if you\u2019re in a flood-risk area
  • ", + "
  • get insurance advice from the National Flood Forum
  • ", + "
  • find a broker that specialises in properties that are difficult to insure
  • ", + "

    Get evidence of flood risk

    ", + "

    Contact the Environment Agency if your insurer asks for evidence of your flood risk.

    ", + "

    You\u2019ll get a letter within 20 days. It\u2019s free for individuals and businesses.

    ", + "

    If you\u2019ve done work on your property

    ", + "

    You or a surveyor can complete a Flood Risk Report. This will tell insurers or buyers how the work has reduced the flood risk.

    " + ] + }, + "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities": { + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "title": "Electrical waste: retailer and distributor responsibilities", + "content": "## Your responsibilities\n\nYou have certain responsibilities if you sell electrical and electronic equipment (EEE).\n\nYou must provide a way for your customers to dispose of their old household electrical and electronic equipment when you sell them a new version of the same item.\n\nThe waste electrical and electronic equipment (WEEE) regulations apply regardless of how you sell the products, whether direct or by internet, mail order or telephone.\n\nYou must either:\n\n- provide a free, in store, take back service to your customers\n\n- set up an alternative, free take back service\n\nIf you do not have your own take back service, you must join the Distributor Takeback Scheme (DTS).\n\nYou can be prosecuted if you do not comply with the regulations.\n\n## Tell your customers which service you provide\n\nYou must provide free written information to your customers on:\n\n- which take back service you provide, including collect on delivery\n\n- how they can reuse and recycle electrical and electronic equipment\n\n- why this waste needs to be separated from other waste\n\n- the damaging effects of not recycling electrical and electronic equipment\n\n- the meaning of the crossed-out wheelie bin symbol\n\n## Shops\n\nYou can provide this information by, for example:\n\n- displaying posters in your store about which service you provide\n\n- including information leaflets with the electrical and electronic equipment you sell\n\n## Online retailers\n\nYou must publish this information on your website. You can download free customer information if you offer a take back service. DTS members can get these from the scheme.\n\nYou have other responsibilities if you\u2019re a \u2018producer\u2019 - for example you make and sell EEE under your own brand, or sell it in UK from abroad.\n\n## Take back waste in store\n\nYou must offer to take back waste of the same type as the item your customers buy from you, regardless of:\n\n- whether they buy in-store, online or by mail order\n\n- the brand of the item\n\nYou must also take back items that have the same function. For example, you would:\n\n- take back a customer\u2019s old kettle when they buy a new one\n\n- take back a video player if the customer buys a DVD player\n\nYou must:\n\n- offer the in-store service for free - but you can charge to cover transport costs if you\u2019re collecting items from customers\u2019 homes\n\n- give customers at least 28 days to bring back their waste item\n\n- take back all types of electrical and electronic equipment that you sell - you can choose to extend your service to cover all kinds of electrical and electronic waste\n\n## Small electronic equipment\n\n\u2018Very small WEEE\u2019 are items of waste electrical and electronic equipment that are less than 25cm on their longest side.\n\nYou must take back all items of \u2018very small WEEE\u2019 in store if your electrical and electronic equipment sales area is greater than 400 square metres including aisle, display and shelf space.\n\nYou must provide this service to everyone for free, regardless of whether they\u2019ve bought anything from your store.\n\nYou\u2019re exempt if you\u2019ve joined the Distributor Takeback Scheme (DTS) or an assessment shows you already have an effective system.\n\n## Store waste\n\nCheck the conditions to see if you can store the waste temporarily before you dispose of it.\n\n## Dispose of waste\n\nTo dispose of the waste you\u2019ve collected you can do one of the following.\n\n## Producer compliance schemes\n\nContact a producer compliance scheme (PCS).\n\nThe PCS will arrange for the waste to be recycled or prepared for re-use at an Approved Authorised Treatment Facility (AATF).\n\nYou may be charged for the collection and transportation of the waste to the AATF or the PCS collection point.\n\n## Transport the waste yourself\n\nYou can transport the waste to an AATF or PCS collection point yourself.\n\nYou need to register as a waste carrier in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nYou may also need to follow the rules on transporting hazardous waste in:\n\n- England and Wales\n\n- Scotland\n\n- Northern Ireland\n\n## Keep records\n\nYou must keep records of all electrical and electronic waste that you collect and dispose of - you can use a template.\n\nInclude the number of units you\u2019ve received through take back and say how many of these were returned to a PCS.\n\nYou need to keep all documentation you make, or are given by the PCS or the AATF, when you dispose of electrical and electronic waste.\n\nYou also need to keep records of how you tell customers about your take back scheme.\n\nKeep all your records for 4 years.\n\n## Set up an alternative take back service\n\nYou can set up a \u2018designated collection facility\u2019 (DCF) where your customers can take all types of electrical and electronic waste.\n\nYou can do this on your own or with other distributors.\n\nYou must follow the waste electrical and electronic equipment (WEEE) regulations, other waste management legislation and local planning requirements when managing a DCF.\n\nYou must agree with a producer compliance scheme (PCS) to return the electrical and electronic equipment (EEE) direct to an Approved Authorised Treatment Facility (AATF).\n\n## Use the Distributor Takeback Scheme\n\nYou can use the Distributor Takeback Scheme (DTS) instead of providing a takeback service, if either of the following apply:\n\n- your business sells less than \u00a3100,000 of electrical and electronic equipment (EEE) per year\n\n- you only sell online\n\nIf your business sells \u00a3100,000 or more of EEE per year and has physical stores, you cannot use the DTS after 31 December 2020. You\u2019ll need to take back waste in store or set up an alternative collection point instead.\n\n## How the scheme works\n\nYou pay a fee that covers your waste electrical and electronic equipment (WEEE) obligations until 31 December 2021. The amount you pay depends on:\n\n- the size of your business\n\n- whether you only sell online\n\n- how much EEE you sell\n\nThis money goes towards supporting the recycling centres run by local authorities.\n\nYou\u2019ll need to keep a record of what information you give to your customers about where they should take their WEEE.\n\n## If you do not comply\n\nIf you fail to comply with the waste electrical and electronic equipment (WEEE) regulations, you can be prosecuted and fined up to \u00a35,000 at a magistrates\u2019 court, or get an unlimited fine from a Crown Court.\n\nYou may sometimes get warning letters and formal cautions before a prosecution.\n\nThe Office for Product Safety and Standards enforces these regulations. You can contact them online, call or write to them.", + "original_contents": [ + "

    Your responsibilities

    ", + "

    You have certain responsibilities if you sell electrical and electronic equipment (EEE).

    ", + "

    You must provide a way for your customers to dispose of their old household electrical and electronic equipment when you sell them a new version of the same item.

    ", + "

    The waste electrical and electronic equipment (WEEE) regulations apply regardless of how you sell the products, whether direct or by internet, mail order or telephone.

    ", + "

    You must either:

    ", + "
  • provide a free, in store, take back service to your customers
  • ", + "
  • set up an alternative, free take back service
  • ", + "

    If you do not have your own take back service, you must join the Distributor Takeback Scheme (DTS).

    ", + "

    You can be prosecuted if you do not comply with the regulations.

    ", + "

    Tell your customers which service you provide

    ", + "

    You must provide free written information to your customers on:

    ", + "
  • which take back service you provide, including collect on delivery
  • ", + "
  • how they can reuse and recycle electrical and electronic equipment
  • ", + "
  • why this waste needs to be separated from other waste
  • ", + "
  • the damaging effects of not recycling electrical and electronic equipment
  • ", + "
  • the meaning of the crossed-out wheelie bin symbol
  • ", + "

    Shops

    ", + "

    You can provide this information by, for example:

    ", + "
  • displaying posters in your store about which service you provide
  • ", + "
  • including information leaflets with the electrical and electronic equipment you sell
  • ", + "

    Online retailers

    ", + "

    You must publish this information on your website. You can download free customer information if you offer a take back service. DTS members can get these from the scheme.

    ", + "

    You have other responsibilities if you\u2019re a \u2018producer\u2019 - for example you make and sell EEE under your own brand, or sell it in UK from abroad.

    ", + "

    Take back waste in store

    ", + "

    You must offer to take back waste of the same type as the item your customers buy from you, regardless of:

    ", + "
  • whether they buy in-store, online or by mail order
  • ", + "
  • the brand of the item
  • ", + "

    You must also take back items that have the same function. For example, you would:

    ", + "
  • take back a customer\u2019s old kettle when they buy a new one
  • ", + "
  • take back a video player if the customer buys a DVD player
  • ", + "

    You must:

    ", + "
  • offer the in-store service for free - but you can charge to cover transport costs if you\u2019re collecting items from customers\u2019 homes
  • ", + "
  • give customers at least 28 days to bring back their waste item
  • ", + "
  • take back all types of electrical and electronic equipment that you sell - you can choose to extend your service to cover all kinds of electrical and electronic waste
  • ", + "

    Small electronic equipment

    ", + "

    \u2018Very small WEEE\u2019 are items of waste electrical and electronic equipment that are less than 25cm on their longest side.

    ", + "

    You must take back all items of \u2018very small WEEE\u2019 in store if your electrical and electronic equipment sales area is greater than 400 square metres including aisle, display and shelf space.

    ", + "

    You must provide this service to everyone for free, regardless of whether they\u2019ve bought anything from your store.

    ", + "

    You\u2019re exempt if you\u2019ve joined the Distributor Takeback Scheme (DTS) or an assessment shows you already have an effective system.

    ", + "

    Store waste

    ", + "

    Check the conditions to see if you can store the waste temporarily before you dispose of it.

    ", + "

    Dispose of waste

    ", + "

    To dispose of the waste you\u2019ve collected you can do one of the following.

    ", + "

    Producer compliance schemes

    ", + "

    Contact a producer compliance scheme (PCS).

    ", + "

    The PCS will arrange for the waste to be recycled or prepared for re-use at an Approved Authorised Treatment Facility (AATF).

    ", + "

    You may be charged for the collection and transportation of the waste to the AATF or the PCS collection point.

    ", + "

    Transport the waste yourself

    ", + "

    You can transport the waste to an AATF or PCS collection point yourself.

    ", + "

    You need to register as a waste carrier in:

    ", + "
  • England
  • ", + "
  • Wales
  • ", + "
  • Scotland
  • ", + "
  • Northern Ireland
  • ", + "

    You may also need to follow the rules on transporting hazardous waste in:

    ", + "
  • England and Wales
  • ", + "
  • Scotland
  • ", + "
  • Northern Ireland
  • ", + "

    Keep records

    ", + "

    You must keep records of all electrical and electronic waste that you collect and dispose of - you can use a template.

    ", + "

    Include the number of units you\u2019ve received through take back and say how many of these were returned to a PCS.

    ", + "

    You need to keep all documentation you make, or are given by the PCS or the AATF, when you dispose of electrical and electronic waste.

    ", + "

    You also need to keep records of how you tell customers about your take back scheme.

    ", + "

    Keep all your records for 4 years.

    ", + "

    Set up an alternative take back service

    ", + "

    You can set up a \u2018designated collection facility\u2019 (DCF) where your customers can take all types of electrical and electronic waste.

    ", + "

    You can do this on your own or with other distributors.

    ", + "

    You must follow the waste electrical and electronic equipment (WEEE) regulations, other waste management legislation and local planning requirements when managing a DCF.

    ", + "

    You must agree with a producer compliance scheme (PCS) to return the electrical and electronic equipment (EEE) direct to an Approved Authorised Treatment Facility (AATF).

    ", + "

    Use the Distributor Takeback Scheme

    ", + "

    You can use the Distributor Takeback Scheme (DTS) instead of providing a takeback service, if either of the following apply:

    ", + "
  • your business sells less than \u00a3100,000 of electrical and electronic equipment (EEE) per year
  • ", + "
  • you only sell online
  • ", + "

    If your business sells \u00a3100,000 or more of EEE per year and has physical stores, you cannot use the DTS after 31 December 2020. You\u2019ll need to take back waste in store or set up an alternative collection point instead.

    ", + "

    How the scheme works

    ", + "

    You pay a fee that covers your waste electrical and electronic equipment (WEEE) obligations until 31 December 2021. The amount you pay depends on:

    ", + "
  • the size of your business
  • ", + "
  • whether you only sell online
  • ", + "
  • how much EEE you sell
  • ", + "

    This money goes towards supporting the recycling centres run by local authorities.

    ", + "

    You\u2019ll need to keep a record of what information you give to your customers about where they should take their WEEE.

    ", + "

    If you do not comply

    ", + "

    If you fail to comply with the waste electrical and electronic equipment (WEEE) regulations, you can be prosecuted and fined up to \u00a35,000 at a magistrates\u2019 court, or get an unlimited fine from a Crown Court.

    ", + "

    You may sometimes get warning letters and formal cautions before a prosecution.

    ", + "

    The Office for Product Safety and Standards enforces these regulations. You can contact them online, call or write to them.

    " + ] + }, + "https://www.gov.uk/permits-you-need-for-septic-tanks": { + "url": "https://www.gov.uk/permits-you-need-for-septic-tanks", + "title": "Septic tanks and treatment plants: permits and general binding rules", + "content": "## Overview\n\nIf your house or business is not connected to the mains sewer, your sewage will go to one of the following:\n\n- a septic tank - an underground tank where the solids sink to the bottom and the liquid flows out and soaks through the ground\n\n- a small sewage treatment plant (also known as a package treatment plant) - a part-mechanical system that treats the liquid so it\u2019s clean enough to go into a river or stream\n\n- a cesspool (also called a cesspit) - a sealed tank that collects the sewage\n\n- a non-standard system, such as a reed bed or trench arch system\n\nThere are different rules for septic tanks and treatment plants in Northern Ireland, Scotland and Wales.\n\n## You have a non-standard system\n\nYou must contact the Environment Agency to find out if you need a permit.\n\n## You have a septic tank or small sewage treatment plant\n\nAs the \u2018operator\u2019 of a septic tank or small sewage treatment plant you must check you meet the general binding rules. You must apply for a permit if you do not.\n\nYou\u2019re an operator if any of the following is true:\n\n- you own the property that uses the system\n\n- you own a property that shares the system with other properties - each property owner is an operator, and you\u2019re jointly responsible for complying with the general binding rules\n\n- you have a written agreement with the property owner that says you\u2019re responsible for the system\u2019s maintenance, for example you\u2019re renting and it\u2019s in your tenancy agreement\n\nContact the Environment Agency if you\u2019re not sure whether you\u2019re an operator.\n\n## The general binding rules\n\nYou must follow the general binding rules if you\u2019re the operator of a septic tank or small sewage treatment plant.\n\nThe sewage must:\n\n- be domestic in nature, for example from a toilet, bathroom, shower or kitchen of a house, flat or business (such as a pub, hotel or office) - contact the Environment Agency if you\u2019re not sure if the sewage is domestic in nature\n\n- not cause pollution - find out how to check for pollution\n\nThere are other rules depending on whether you\u2019re releasing this sewage:\n\n- to the ground, for example in your back garden\n\n- to a surface water, for example a river or stream\n\nAsk your local installation or maintenance company if you\u2019re not sure what sort of system you have.\n\n## Releasing to the ground\n\nYou must use a septic tank or a small sewage treatment plant and a drainage field (infiltration system).\n\nYou must apply for a permit if you release (\u2018discharge\u2019):\n\n- to a well, borehole or other deep structure\n\n- more than 2 cubic metres (2,000 litres) per day\n\n- in a groundwater source protection zone (SPZ1)\n\nYou must also read the additional rules for discharging sewage to the ground.\n\n## Calculate how much sewage you discharge\n\nFor sewage from a residential property, use the calculator to work out how much you discharge per day.\n\nFor commercial properties (such as a hotel, restaurant or office) or holiday accommodation (such as a cottage or chalet), use British Water\u2019s flows and loads guidance or contact the Environment Agency for advice.\n\n## Work out if you\u2019re in a groundwater source protection zone 1 (SPZ1)\n\nAn SPZ1 can be either:\n\n- the area around a commercial water supply shown on the map of protected zones - check whether your discharge is in the inner zone (Zone 1) or ask the Environment Agency\n\n- any area within 50 metres of a private water supply for human consumption - ask your neighbours if they have a spring, well or borehole, and how far it is from your drainage field\n\n## Releasing to a surface water\n\nYou must use a small sewage treatment plant. You must apply for a permit if you\u2019re discharging more than 5 cubic metres (5,000 litres) per day. Use the calculator to work out how much you discharge per day.\n\nYou must also read the additional rules for discharging sewage to a surface water.\n\nFor commercial properties (such as a hotel, restaurant or office) or holiday accommodation (such as a cottage or chalet), use British Water\u2019s flows and loads guidance or contact the Environment Agency for advice.\n\n## Installing a new system\n\nYou must have building regulations approval. You may also need planning permission.\n\nCheck with your local council.\n\n## If you did not get permission and approval\n\nYou must apply retrospectively for building regulations approval. You may also need planning permission.\n\nIf your system was installed before 1 January 2015, you should contact your local council for advice.\n\n## Apply for a permit\n\nYou\u2019ll need a permit if you do not meet the general binding rules.\n\nThe form you need to fill in depends on:\n\n- where you discharge the sewage\n\n- how much you discharge\n\n## If you discharge sewage to ground\n\nThere are different forms depending on whether you\u2019re in a groundwater protection zone (SPZ1).\n\n## Outside an SPZ1\n\nThere are different forms if you discharge:\n\n- between 2 and 15 cubic metres per day\n\n- over 15 cubic metres per day\n\n## Inside an SPZ1\n\nIf you discharge less than 2 cubic metres per day there are different forms:\n\n- for systems in use before 1 January 2015\n\n- for those installed on or after 1 January 2015\n\nThere are different forms if you discharge:\n\n- between 2 and 15 cubic metres per day\n\n- over 15 cubic metres per day\n\n## If you discharge sewage to a surface water\n\nIf you discharge between 5 and 20 cubic metres per day, check if you can apply for a standard rules permit.\n\nIf you cannot get a standard rules permit, you\u2019ll need a permit to discharge:\n\n- up to 20 cubic metres\n\n- over 20 cubic metres\n\n## Before you start\n\nYou need:\n\n- the 8-figure grid reference for your septic tank or treatment plant and the point where it discharges\n\n- to calculate the largest amount you\u2019re likely to discharge - use one of the calculators in the chapter on the general binding rules\n\n- to provide a suitable site plan \u2013 see an example site plan\n\n## Application fees\n\nYour application fee depends on whether your site is a domestic household, charity or another type of organisation.\n\n## You\u2019re discharging to ground\n\nThe application fee for domestic households and charities to discharge up to 5,000 litres (5 cubic metres) per day is \u00a3125.\n\nThe fees are different for other organisations.\n\n| Size of discharge per day | Fee |\n\n| Up to 15,000 litres (15 cubic metres) | \u00a32,708 |\n\n| Over 15,000 litres (15 cubic metres) | \u00a35,699 |\n\n| Any volume that contains specific substances | \u00a36,052 |\n\n## You\u2019re discharging to a surface water\n\nThe application fee for domestic households and charities to discharge up to 5,000 litres (5 cubic metres) per day is \u00a3125.\n\nThe fees are different for other organisations.\n\n| Size of discharge per day | Fee |\n\n| Up to 5,000 litres (5 cubic metres) | \u00a32,534 |\n\n| Between 5,000 litres (5 cubic metres) and 50,000 litres (50 cubic metres) | \u00a34,170 |\n\n| Any volume that contains specific substances | \u00a37,649 |\n\n## Annual fees\n\nThere\u2019s an annual subsistence fee for sites that are not domestic households or charities.\n\n| Size of discharge per day | Fee |\n\n| Up to 5,000 litres | \u00a3251 |\n\n| Between 5,000 litres and 20,000 litres with operator self monitoring | \u00a3823 |\n\n| Between 5,000 litres and 20,000 litres | \u00a3890 |\n\n| Between 20,000 litres and 50,000 litres with operator self monitoring | \u00a31,310 |\n\n## How long it takes\n\nYou should get a decision on your application within 13 weeks.\n\nYou\u2019ll be told if your application may take longer, for example because of planning issues.\n\n## Your application is refused\n\nIf your application is refused, you\u2019ll be told:\n\n- the reasons for refusal\n\n- how you can appeal\n\n## Complying with your permit\n\nSee the guidance on how to comply with your permit, including maintenance, record keeping and pollution reporting requirements.\n\n## Get help\n\nYou can ask the Environment Agency for help with your application.\n\n## You have a cesspool\n\nYou do not have to comply with the general binding rules or apply for a permit.\n\nYou must maintain your cesspool and make sure it:\n\n- is emptied regularly (for example once a month) by a registered waste carrier\n\n- does not leak or overflow\n\nThe Environment Agency or your local council can make you repair or replace your cesspool if it\u2019s in poor condition.\n\n## If you install a new cesspool\n\nYou must:\n\n- get planning permission and building regulations approval\n\n- make sure it has a minimum capacity of 18,000 litres per 2 users (plus another 6,800 litres per each extra user)\n\n## Contact", + "original_contents": [ + "

    Overview

    ", + "

    If your house or business is not connected to the mains sewer, your sewage will go to one of the following:

    ", + "
  • a septic tank - an underground tank where the solids sink to the bottom and the liquid flows out and soaks through the ground
  • ", + "
  • a small sewage treatment plant (also known as a package treatment plant) - a part-mechanical system that treats the liquid so it\u2019s clean enough to go into a river or stream
  • ", + "
  • a cesspool (also called a cesspit) - a sealed tank that collects the sewage
  • ", + "
  • a non-standard system, such as a reed bed or trench arch system
  • ", + "

    There are different rules for septic tanks and treatment plants in Northern Ireland, Scotland and Wales.

    ", + "

    You have a non-standard system

    ", + "

    You must contact the Environment Agency to find out if you need a permit.

    ", + "

    You have a septic tank or small sewage treatment plant

    ", + "

    As the \u2018operator\u2019 of a septic tank or small sewage treatment plant you must check you meet the general binding rules. You must apply for a permit if you do not.

    ", + "

    You\u2019re an operator if any of the following is true:

    ", + "
  • you own the property that uses the system
  • ", + "
  • you own a property that shares the system with other properties - each property owner is an operator, and you\u2019re jointly responsible for complying with the general binding rules
  • ", + "
  • you have a written agreement with the property owner that says you\u2019re responsible for the system\u2019s maintenance, for example you\u2019re renting and it\u2019s in your tenancy agreement
  • ", + "

    Contact the Environment Agency if you\u2019re not sure whether you\u2019re an operator.

    ", + "

    The general binding rules

    ", + "

    You must follow the general binding rules if you\u2019re the operator of a septic tank or small sewage treatment plant.

    ", + "

    The sewage must:

    ", + "
  • be domestic in nature, for example from a toilet, bathroom, shower or kitchen of a house, flat or business (such as a pub, hotel or office) - contact the Environment Agency if you\u2019re not sure if the sewage is domestic in nature
  • ", + "
  • not cause pollution - find out how to check for pollution
  • ", + "

    There are other rules depending on whether you\u2019re releasing this sewage:

    ", + "
  • to the ground, for example in your back garden
  • ", + "
  • to a surface water, for example a river or stream
  • ", + "

    Ask your local installation or maintenance company if you\u2019re not sure what sort of system you have.

    ", + "

    Releasing to the ground

    ", + "

    You must use a septic tank or a small sewage treatment plant and a drainage field (infiltration system).

    ", + "

    You must apply for a permit if you release (\u2018discharge\u2019):

    ", + "
  • to a well, borehole or other deep structure
  • ", + "
  • more than 2 cubic metres (2,000 litres) per day
  • ", + "
  • in a groundwater source protection zone (SPZ1)
  • ", + "

    You must also read the additional rules for discharging sewage to the ground.

    ", + "

    Calculate how much sewage you discharge

    ", + "

    For sewage from a residential property, use the calculator to work out how much you discharge per day.

    ", + "

    For commercial properties (such as a hotel, restaurant or office) or holiday accommodation (such as a cottage or chalet), use British Water\u2019s flows and loads guidance or contact the Environment Agency for advice.

    ", + "

    Work out if you\u2019re in a groundwater source protection zone 1 (SPZ1)

    ", + "

    An SPZ1 can be either:

    ", + "
  • the area around a commercial water supply shown on the map of protected zones - check whether your discharge is in the inner zone (Zone 1) or ask the Environment Agency
  • ", + "
  • any area within 50 metres of a private water supply for human consumption - ask your neighbours if they have a spring, well or borehole, and how far it is from your drainage field
  • ", + "

    Releasing to a surface water

    ", + "

    You must use a small sewage treatment plant. You must apply for a permit if you\u2019re discharging more than 5 cubic metres (5,000 litres) per day. Use the calculator to work out how much you discharge per day.

    ", + "

    You must also read the additional rules for discharging sewage to a surface water.

    ", + "

    For commercial properties (such as a hotel, restaurant or office) or holiday accommodation (such as a cottage or chalet), use British Water\u2019s flows and loads guidance or contact the Environment Agency for advice.

    ", + "

    Installing a new system

    ", + "

    You must have building regulations approval. You may also need planning permission.

    ", + "

    Check with your local council.

    ", + "

    If you did not get permission and approval

    ", + "

    You must apply retrospectively for building regulations approval. You may also need planning permission.

    ", + "

    If your system was installed before 1 January 2015, you should contact your local council for advice.

    ", + "

    Apply for a permit

    ", + "

    You\u2019ll need a permit if you do not meet the general binding rules.

    ", + "

    The form you need to fill in depends on:

    ", + "
  • where you discharge the sewage
  • ", + "
  • how much you discharge
  • ", + "

    If you discharge sewage to ground

    ", + "

    There are different forms depending on whether you\u2019re in a groundwater protection zone (SPZ1).

    ", + "

    Outside an SPZ1

    ", + "

    There are different forms if you discharge:

    ", + "
  • between 2 and 15 cubic metres per day
  • ", + "
  • over 15 cubic metres per day
  • ", + "

    Inside an SPZ1

    ", + "

    If you discharge less than 2 cubic metres per day there are different forms:

    ", + "
  • for systems in use before 1 January 2015
  • ", + "
  • for those installed on or after 1 January 2015
  • ", + "

    There are different forms if you discharge:

    ", + "
  • between 2 and 15 cubic metres per day
  • ", + "
  • over 15 cubic metres per day
  • ", + "

    If you discharge sewage to a surface water

    ", + "

    If you discharge between 5 and 20 cubic metres per day, check if you can apply for a standard rules permit.

    ", + "

    If you cannot get a standard rules permit, you\u2019ll need a permit to discharge:

    ", + "
  • up to 20 cubic metres
  • ", + "
  • over 20 cubic metres
  • ", + "

    Before you start

    ", + "

    You need:

    ", + "
  • the 8-figure grid reference for your septic tank or treatment plant and the point where it discharges
  • ", + "
  • to calculate the largest amount you\u2019re likely to discharge - use one of the calculators in the chapter on the general binding rules
  • ", + "
  • to provide a suitable site plan \u2013 see an example site plan
  • ", + "

    Application fees

    ", + "

    Your application fee depends on whether your site is a domestic household, charity or another type of organisation.

    ", + "

    You\u2019re discharging to ground

    ", + "

    The application fee for domestic households and charities to discharge up to 5,000 litres (5 cubic metres) per day is \u00a3125.

    ", + "

    The fees are different for other organisations.

    ", + "Size of discharge per day | Fee", + "Up to 15,000 litres (15 cubic metres) | \u00a32,708", + "Over 15,000 litres (15 cubic metres) | \u00a35,699", + "Any volume that contains specific substances | \u00a36,052", + "

    You\u2019re discharging to a surface water

    ", + "

    The application fee for domestic households and charities to discharge up to 5,000 litres (5 cubic metres) per day is \u00a3125.

    ", + "

    The fees are different for other organisations.

    ", + "Size of discharge per day | Fee", + "Up to 5,000 litres (5 cubic metres) | \u00a32,534", + "Between 5,000 litres (5 cubic metres) and 50,000 litres (50 cubic metres) | \u00a34,170", + "Any volume that contains specific substances | \u00a37,649", + "

    Annual fees

    ", + "

    There\u2019s an annual subsistence fee for sites that are not domestic households or charities.

    ", + "Size of discharge per day | Fee", + "Up to 5,000 litres | \u00a3251", + "Between 5,000 litres and 20,000 litres with operator self monitoring | \u00a3823", + "Between 5,000 litres and 20,000 litres | \u00a3890", + "Between 20,000 litres and 50,000 litres with operator self monitoring | \u00a31,310", + "

    How long it takes

    ", + "

    You should get a decision on your application within 13 weeks.

    ", + "

    You\u2019ll be told if your application may take longer, for example because of planning issues.

    ", + "

    Your application is refused

    ", + "

    If your application is refused, you\u2019ll be told:

    ", + "
  • the reasons for refusal
  • ", + "
  • how you can appeal
  • ", + "

    Complying with your permit

    ", + "

    See the guidance on how to comply with your permit, including maintenance, record keeping and pollution reporting requirements.

    ", + "

    Get help

    ", + "

    You can ask the Environment Agency for help with your application.

    ", + "

    You have a cesspool

    ", + "

    You do not have to comply with the general binding rules or apply for a permit.

    ", + "

    You must maintain your cesspool and make sure it:

    ", + "
  • is emptied regularly (for example once a month) by a registered waste carrier
  • ", + "
  • does not leak or overflow
  • ", + "

    The Environment Agency or your local council can make you repair or replace your cesspool if it\u2019s in poor condition.

    ", + "

    If you install a new cesspool

    ", + "

    You must:

    ", + "
  • get planning permission and building regulations approval
  • ", + "
  • make sure it has a minimum capacity of 18,000 litres per 2 users (plus another 6,800 litres per each extra user)
  • ", + "

    Contact

    " + ] + }, + "https://www.gov.uk/oil-storage-regulations-and-safety": { + "url": "https://www.gov.uk/oil-storage-regulations-and-safety", + "title": "Storing oil at your home or business", + "content": "## Overview\n\nYou have to follow certain regulations if you have an oil storage container at your home, business or farm.\n\nOil storage containers include tanks, drums, intermediate bulk containers (IBCs) and mobile containers called \u2018bowsers\u2019.\n\nThe person responsible for the property or premises is usually legally responsible for the oil storage container, for example the homeowner, business owner or site manager.\n\n## Which regulations to follow\n\nThe regulations are different depending on where you store your oil.\n\n## At your home\n\nYou normally have to follow building regulations if you have an oil storage container installed at your home.\n\nIf your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.\n\n## At your business\n\nYou have to follow oil storage regulations if the container at your business can hold 201 litres or more of certain types of oil.\n\nThe regulations for businesses also apply to public sector buildings like schools, hospitals, churches and residential care homes.\n\n## At your farm\n\nYou have to follow different regulations depending on whether you\u2019re storing oil:\n\n- for heat and power for agriculture, for example to fuel your tractor or run a grain dryer\n\n- to heat your farmhouse\n\n- for a separate part of your business, for example to fuel vehicles you hire out\n\n## Checking and labelling your tank\n\nYou should get your oil storage container inspected every year by a professional.\n\nThe person inspecting your tank will let you know when you should replace it.\n\nOil Care suggest that you look at your oil tank at least once a month, and learn what to do if you have an oil leak or spill.\n\n## Storing oil at your home\n\nYou must meet building regulations if you have a new or replacement oil storage container installed at your home in England, for example to fuel your cooker or central heating.\n\nBuilding regulations are different if your home is in Wales, Scotland or Northern Ireland.\n\nIf your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.\n\n## Choosing someone to install your tank\n\nYou should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme. They can self-certify that their work complies with building regulations and can deal with building control issues, like objections.\n\nIf you do not use someone registered with a \u2018Competent Person\u2019 scheme, you\u2019ll have to get a Building Control Notice from your local council and arrange and pay for an inspection yourself.\n\nWithout approval you will not have the certificates of compliance you may need when you want to sell your home.\n\n## Penalties\n\nThe person installing your tank could be prosecuted and fined if they do not comply with building regulations.\n\nYou\u2019re also responsible for making sure their work meets the regulations. Your local authority could make you pay for faulty work to be fixed.\n\n## Catching oil leaks and spills\n\nThe person installing your tank will do a risk assessment, and they\u2019ll let you know if your tank has to have secondary containment (a \u2018bund\u2019). The bund must:\n\n- hold 110% of the tank\u2019s capacity\n\n- be impermeable to oil and water\n\nYou\u2019ll need a bund if your tank\u2019s in any of the following places:\n\n- where oil spills could run into an open drain or a loose manhole cover\n\n- where the tank vent pipes cannot be seen when the tank\u2019s being filled, for example because the delivery tanker is parked too far away\n\n- within 10 metres of coastal waters or inland fresh waters like lakes or streams\n\n- within 50 metres of a drinking water source, for example wells, boreholes or springs\n\n- where oil spills could run over hard ground and reach coastal waters, inland fresh waters or a drinking water source\n\n- in the inner zone of groundwater source protection zone 1\n\nYou\u2019ll also need a bund if your tank can hold more than 2,500 litres of oil.\n\nYour oil storage container must have a sticker in a prominent position that tells you how to look after your oil and what to do if you have a spill. The person installing your new tank will put this on - but you can find out how to order a new sticker.\n\n## Storing oil at your business\n\nYou must follow the regulations for businesses if your oil container can hold 201 litres or more of:\n\n- petrol\n\n- diesel\n\n- biofuels\n\n- kerosene\n\n- vegetable oil and plant-based oils, for example sunflower oil or aromatherapy oil - including waste cooking oil\n\n- synthetic oils, for example motor oil - including waste oil\n\n- oils used as solvents\n\n- biodegradable oils, for example lubricating or hydraulic oils\n\n- liquid bitumen-based products, for example waterproofing or damp proofing products, or coatings for a road surface\n\nThe regulations do not apply to:\n\n- liquid petroleum gas (LPG)\n\n- hydrocarbon products that are solid when unheated, like bitumen\n\n- solvents that are not oil based, for example trichloroethylene\n\n- aromatic hydrocarbons like benzene and toluene\n\n- waste mineral oils drained from vehicles, and mixtures of diesel and petrol that cannot be used as vehicle fuel\n\nYou must follow different regulations in Scotland, Northern Ireland and Wales.\n\n## Other exceptions\n\nYou do not have to follow oil storage regulations if your oil is:\n\n- on a farm and you use it for heat and power for agriculture or for your farmhouse\n\n- stored for distribution to other places\n\n- in use, for example lubrication in a hydraulic system\n\nThe regulations do not apply if your storage containers are:\n\n- underground\n\n- in a building that would capture leaking oil - contact your local council to find out if you have to meet any extra fire safety regulations\n\n- at a refinery\n\n- at a premises for onward distribution of oil - but not a premises which sells oil directly to end users or a premises that uses oil\n\nCheck if you need an environmental permit if you\u2019re storing certain waste oils.\n\n## Choosing someone to install your oil storage tank\n\nYou should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme.\n\nYou\u2019re responsible for any pollution caused by problems with your oil storage container. You need to know the regulations about oil storage containers, including where it\u2019s located and how it\u2019s protected.\n\n## Penalties\n\nYou can be fined if you do not follow the oil storage regulations.\n\nThe Environment Agency can also serve an anti-pollution works notice to make you bring your tank up to legal requirements.\n\n## Get advice\n\nContact the Environment Agency if you have a question about following oil storage regulations in England.\n\nIf your business is outside England, contact one of the following:\n\n- Natural Resources Wales\n\n- Scottish Environment Protection Agency\n\n- Department of the Environment (Northern Ireland)", + "original_contents": [ + "

    Overview

    ", + "

    You have to follow certain regulations if you have an oil storage container at your home, business or farm.

    ", + "

    Oil storage containers include tanks, drums, intermediate bulk containers (IBCs) and mobile containers called \u2018bowsers\u2019.

    ", + "

    The person responsible for the property or premises is usually legally responsible for the oil storage container, for example the homeowner, business owner or site manager.

    ", + "

    Which regulations to follow

    ", + "

    The regulations are different depending on where you store your oil.

    ", + "

    At your home

    ", + "

    You normally have to follow building regulations if you have an oil storage container installed at your home.

    ", + "

    If your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.

    ", + "

    At your business

    ", + "

    You have to follow oil storage regulations if the container at your business can hold 201 litres or more of certain types of oil.

    ", + "

    The regulations for businesses also apply to public sector buildings like schools, hospitals, churches and residential care homes.

    ", + "

    At your farm

    ", + "

    You have to follow different regulations depending on whether you\u2019re storing oil:

    ", + "
  • for heat and power for agriculture, for example to fuel your tractor or run a grain dryer
  • ", + "
  • to heat your farmhouse
  • ", + "
  • for a separate part of your business, for example to fuel vehicles you hire out
  • ", + "

    Checking and labelling your tank

    ", + "

    You should get your oil storage container inspected every year by a professional.

    ", + "

    The person inspecting your tank will let you know when you should replace it.

    ", + "

    Oil Care suggest that you look at your oil tank at least once a month, and learn what to do if you have an oil leak or spill.

    ", + "

    Storing oil at your home

    ", + "

    You must meet building regulations if you have a new or replacement oil storage container installed at your home in England, for example to fuel your cooker or central heating.

    ", + "

    Building regulations are different if your home is in Wales, Scotland or Northern Ireland.

    ", + "

    If your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.

    ", + "

    Choosing someone to install your tank

    ", + "

    You should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme. They can self-certify that their work complies with building regulations and can deal with building control issues, like objections.

    ", + "

    If you do not use someone registered with a \u2018Competent Person\u2019 scheme, you\u2019ll have to get a Building Control Notice from your local council and arrange and pay for an inspection yourself.

    ", + "

    Without approval you will not have the certificates of compliance you may need when you want to sell your home.

    ", + "

    Penalties

    ", + "

    The person installing your tank could be prosecuted and fined if they do not comply with building regulations.

    ", + "

    You\u2019re also responsible for making sure their work meets the regulations. Your local authority could make you pay for faulty work to be fixed.

    ", + "

    Catching oil leaks and spills

    ", + "

    The person installing your tank will do a risk assessment, and they\u2019ll let you know if your tank has to have secondary containment (a \u2018bund\u2019). The bund must:

    ", + "
  • hold 110% of the tank\u2019s capacity
  • ", + "
  • be impermeable to oil and water
  • ", + "

    You\u2019ll need a bund if your tank\u2019s in any of the following places:

    ", + "
  • where oil spills could run into an open drain or a loose manhole cover
  • ", + "
  • where the tank vent pipes cannot be seen when the tank\u2019s being filled, for example because the delivery tanker is parked too far away
  • ", + "
  • within 10 metres of coastal waters or inland fresh waters like lakes or streams
  • ", + "
  • within 50 metres of a drinking water source, for example wells, boreholes or springs
  • ", + "
  • where oil spills could run over hard ground and reach coastal waters, inland fresh waters or a drinking water source
  • ", + "
  • in the inner zone of groundwater source protection zone 1
  • ", + "

    You\u2019ll also need a bund if your tank can hold more than 2,500 litres of oil.

    ", + "

    Your oil storage container must have a sticker in a prominent position that tells you how to look after your oil and what to do if you have a spill. The person installing your new tank will put this on - but you can find out how to order a new sticker.

    ", + "

    Storing oil at your business

    ", + "

    You must follow the regulations for businesses if your oil container can hold 201 litres or more of:

    ", + "
  • petrol
  • ", + "
  • diesel
  • ", + "
  • biofuels
  • ", + "
  • kerosene
  • ", + "
  • vegetable oil and plant-based oils, for example sunflower oil or aromatherapy oil - including waste cooking oil
  • ", + "
  • synthetic oils, for example motor oil - including waste oil
  • ", + "
  • oils used as solvents
  • ", + "
  • biodegradable oils, for example lubricating or hydraulic oils
  • ", + "
  • liquid bitumen-based products, for example waterproofing or damp proofing products, or coatings for a road surface
  • ", + "

    The regulations do not apply to:

    ", + "
  • liquid petroleum gas (LPG)
  • ", + "
  • hydrocarbon products that are solid when unheated, like bitumen
  • ", + "
  • solvents that are not oil based, for example trichloroethylene
  • ", + "
  • aromatic hydrocarbons like benzene and toluene
  • ", + "
  • waste mineral oils drained from vehicles, and mixtures of diesel and petrol that cannot be used as vehicle fuel
  • ", + "

    You must follow different regulations in Scotland, Northern Ireland and Wales.

    ", + "

    Other exceptions

    ", + "

    You do not have to follow oil storage regulations if your oil is:

    ", + "
  • on a farm and you use it for heat and power for agriculture or for your farmhouse
  • ", + "
  • stored for distribution to other places
  • ", + "
  • in use, for example lubrication in a hydraulic system
  • ", + "

    The regulations do not apply if your storage containers are:

    ", + "
  • underground
  • ", + "
  • in a building that would capture leaking oil - contact your local council to find out if you have to meet any extra fire safety regulations
  • ", + "
  • at a refinery
  • ", + "
  • at a premises for onward distribution of oil - but not a premises which sells oil directly to end users or a premises that uses oil
  • ", + "

    Check if you need an environmental permit if you\u2019re storing certain waste oils.

    ", + "

    Choosing someone to install your oil storage tank

    ", + "

    You should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme.

    ", + "

    You\u2019re responsible for any pollution caused by problems with your oil storage container. You need to know the regulations about oil storage containers, including where it\u2019s located and how it\u2019s protected.

    ", + "

    Penalties

    ", + "

    You can be fined if you do not follow the oil storage regulations.

    ", + "

    The Environment Agency can also serve an anti-pollution works notice to make you bring your tank up to legal requirements.

    ", + "

    Get advice

    ", + "

    Contact the Environment Agency if you have a question about following oil storage regulations in England.

    ", + "

    If your business is outside England, contact one of the following:

    ", + "
  • Natural Resources Wales
  • ", + "
  • Scottish Environment Protection Agency
  • ", + "
  • Department of the Environment (Northern Ireland)
  • " + ] + }, + "https://www.gov.uk/check-tenant-right-to-rent-documents": { + "url": "https://www.gov.uk/check-tenant-right-to-rent-documents", + "title": "Check your tenant's right to rent", + "content": "## Who you have to check\n\nYou must check that a tenant or lodger can legally rent your residential property in England.\n\nCheck with the Home Office if the tenant is a Commonwealth citizen but does not have the right documents - they might still have the right to rent in the UK.\n\nBefore the start of a new tenancy, you must check all tenants aged 18 and over, even if:\n\n- they\u2019re not named on the tenancy agreement\n\n- there\u2019s no tenancy agreement\n\n- the tenancy agreement is not in writing\n\nCheck all new tenants. It\u2019s against the law to only check people you think are not British citizens. You must not discriminate against anyone because of where they\u2019re from.\n\nSign up for email updates about the right to rent policy.\n\nIf the tenant is only allowed to stay in the UK for a limited time, you need to do the check in the 28 days before the start of the tenancy.\n\nYou do not need to check tenants in these types of accommodation:\n\n- social housing\n\n- a care home, hospice or hospital\n\n- a hostel or refuge\n\n- a mobile home\n\n- student accommodation\n\nYou also do not need to check tenants if they live in accommodation that:\n\n- is provided by a local authority\n\n- is provided as part of their job (known as \u2018tied accommodation\u2019)\n\n- has a lease that\u2019s 7 years or longer\n\nRead the code of practice to find out if you need to do any other checks instead.\n\n## How to do a check\n\nBecause of coronavirus (COVID-19) there are temporary changes to the way you can check documents. Read guidance about the adjusted process, including asking for documents digitally, making checks on a video call, and what to do if someone cannot provide any accepted documents.\n\n- Check which adults will use your property as their main home (your \u2018tenants\u2019).\n\n- Ask them for original documents that prove they can live in the UK.\n\n- Check their documents to see if they have the right to rent your property.\n\n- Check that each tenant\u2019s documents are genuine and belong to them, with the tenant present.\n\n- Make and keep copies of the documents and record the date you made the check.\n\nYou can get an unlimited fine or be sent to prison for renting your property to someone who is not allowed to stay in England.\n\n## Checking EU, EEA and Swiss citizens\n\nRight to rent checks continue in the same way as now until 30 June 2021 for citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein.\n\nContinue checking their passport or national identity card as before. For family members of citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein, follow the usual guidance for documents you can accept for right to rent checks.\n\nYou cannot insist that citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein show that they have settled status or pre-settled status when starting a new tenancy before 1 July. You can however ask if they have settled or pre-settled status, and whether they want to use this instead of a passport or identity card.\n\nIf the tenancy starts on or after 1 July 2021 but you check their right to rent before this, you can still use their passport or national identity card.\n\n## Check if the property is used as the tenant\u2019s main home\n\nA property would usually be a tenant\u2019s only or main home if:\n\n- they live there most of the time\n\n- they keep most of their belongings there\n\n- their partner or children live with them\n\n- they\u2019re registered to vote at the property\n\n- they\u2019re registered with the doctor using that address\n\n## Check their original documents\n\nYou need to check that:\n\n- the documents are originals and belong to the tenant\n\n- their permission to stay in the UK has not ended\n\n- the photos on the documents are of the tenant\n\n- the dates of birth are the same in all documents (and are believable)\n\n- the documents are not too damaged or do not look like they\u2019ve been changed\n\n- if any names are different on documents, there are supporting documents to show why, such as a marriage certificate or divorce decree\n\n## If the tenant does not have the right documents\n\nYou must use the landlord\u2019s checking service to check whether the tenant\u2019s allowed to rent without the right documents if:\n\n- the Home Office has their documents\n\n- they have an outstanding case or appeal with the Home Office\n\n- the Home Office told them they have \u2018permission to rent\u2019\n\nYou\u2019ll get an answer within 2 working days.\n\nYou\u2019ll need the tenant\u2019s Home Office reference number to use the service.\n\nDo not rent a property to someone in England if they do not have the right documents and the landlord\u2019s checking service tells you they are not allowed to rent.\n\n## Get help with a check\n\nCall the landlord\u2019s helpline to get help with a check.\n\nYou must follow the landlord\u2019s code of practice on illegal immigrants and private rented accommodation.\n\n## Making copies of the documents\n\nWhen you copy the documents:\n\n- make a copy that cannot be changed, such as a photocopy or a good quality photograph\n\n- for passports, copy every page with the expiry date or applicant\u2019s details (such as nationality, date of birth and photograph), including endorsements, for example a work visa or Certificate of Entitlement to the right of abode in the UK\n\n- copy both sides of biometric residence permits\n\n- make a complete copy of all other documents\n\n- record the date you made the copy\n\nKeep copies of the tenant\u2019s documents for the time they\u2019re your tenants and for one year after.\n\nMake sure you follow data protection law.\n\nIf your tenant does not have any documents, you must check if they\u2019re allowed to rent your property.\n\n## Follow-up checks\n\nYou must do a follow-up check to make sure your tenant can still rent property in the UK if there\u2019s a time limit on their permission to stay.\n\nYou can get a fine if you do not do a follow-up check and your tenant\u2019s permission to stay ends.\n\nDo the follow-up check just before the date that\u2019s the later of:\n\n- the end of your tenant\u2019s permission to stay in the UK\n\n- 12 months after your previous check\n\nBecause of coronavirus (COVID-19) there are temporary changes to the way you can check documents. Read guidance about the adjusted process, including asking for documents digitally, making checks on a video call, and what to do if someone cannot provide any accepted documents.\n\nYou do not have to do a follow-up check if there\u2019s no time limit on your tenant\u2019s permission to stay in the UK.\n\n## If your tenant fails a follow-up check\n\nYou must tell the Home Office if you find out that your tenant can no longer legally rent property in England after doing a follow-up check.\n\nYou could be fined or sent to prison for up to 5 years if your tenant fails a follow-up check and you do not report it to the Home Office.\n\n## Agents and subletting\n\nYou can ask any agents that manage or let your property to carry out the check for you. You should have this agreement in writing.\n\nIf a tenant sub-lets the property without you knowing, they\u2019re responsible for carrying out checks on any sub-tenants. They will be liable for any civil penalties if they do not do the check correctly.", + "original_contents": [ + "

    Who you have to check

    ", + "

    You must check that a tenant or lodger can legally rent your residential property in England.

    ", + "

    Check with the Home Office if the tenant is a Commonwealth citizen but does not have the right documents - they might still have the right to rent in the UK.

    ", + "

    Before the start of a new tenancy, you must check all tenants aged 18 and over, even if:

    ", + "
  • they\u2019re not named on the tenancy agreement
  • ", + "
  • there\u2019s no tenancy agreement
  • ", + "
  • the tenancy agreement is not in writing
  • ", + "

    Check all new tenants. It\u2019s against the law to only check people you think are not British citizens. You must not discriminate against anyone because of where they\u2019re from.

    ", + "

    Sign up for email updates about the right to rent policy.

    ", + "

    If the tenant is only allowed to stay in the UK for a limited time, you need to do the check in the 28 days before the start of the tenancy.

    ", + "

    You do not need to check tenants in these types of accommodation:

    ", + "
  • social housing
  • ", + "
  • a care home, hospice or hospital
  • ", + "
  • a hostel or refuge
  • ", + "
  • a mobile home
  • ", + "
  • student accommodation
  • ", + "

    You also do not need to check tenants if they live in accommodation that:

    ", + "
  • is provided by a local authority
  • ", + "
  • is provided as part of their job (known as \u2018tied accommodation\u2019)
  • ", + "
  • has a lease that\u2019s 7 years or longer
  • ", + "

    Read the code of practice to find out if you need to do any other checks instead.

    ", + "

    How to do a check

    ", + "

    Because of coronavirus (COVID-19) there are temporary changes to the way you can check documents. Read guidance about the adjusted process, including asking for documents digitally, making checks on a video call, and what to do if someone cannot provide any accepted documents.

    ", + "
  • Check which adults will use your property as their main home (your \u2018tenants\u2019).
  • ", + "
  • Ask them for original documents that prove they can live in the UK.
  • ", + "
  • Check their documents to see if they have the right to rent your property.
  • ", + "
  • Check that each tenant\u2019s documents are genuine and belong to them, with the tenant present.
  • ", + "
  • Make and keep copies of the documents and record the date you made the check.
  • ", + "

    You can get an unlimited fine or be sent to prison for renting your property to someone who is not allowed to stay in England.

    ", + "

    Checking EU, EEA and Swiss citizens

    ", + "

    Right to rent checks continue in the same way as now until 30 June 2021 for citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein.

    ", + "

    Continue checking their passport or national identity card as before. For family members of citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein, follow the usual guidance for documents you can accept for right to rent checks.

    ", + "

    You cannot insist that citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein show that they have settled status or pre-settled status when starting a new tenancy before 1 July. You can however ask if they have settled or pre-settled status, and whether they want to use this instead of a passport or identity card.

    ", + "

    If the tenancy starts on or after 1 July 2021 but you check their right to rent before this, you can still use their passport or national identity card.

    ", + "

    Check if the property is used as the tenant\u2019s main home

    ", + "

    A property would usually be a tenant\u2019s only or main home if:

    ", + "
  • they live there most of the time
  • ", + "
  • they keep most of their belongings there
  • ", + "
  • their partner or children live with them
  • ", + "
  • they\u2019re registered to vote at the property
  • ", + "
  • they\u2019re registered with the doctor using that address
  • ", + "

    Check their original documents

    ", + "

    You need to check that:

    ", + "
  • the documents are originals and belong to the tenant
  • ", + "
  • their permission to stay in the UK has not ended
  • ", + "
  • the photos on the documents are of the tenant
  • ", + "
  • the dates of birth are the same in all documents (and are believable)
  • ", + "
  • the documents are not too damaged or do not look like they\u2019ve been changed
  • ", + "
  • if any names are different on documents, there are supporting documents to show why, such as a marriage certificate or divorce decree
  • ", + "

    If the tenant does not have the right documents

    ", + "

    You must use the landlord\u2019s checking service to check whether the tenant\u2019s allowed to rent without the right documents if:

    ", + "
  • the Home Office has their documents
  • ", + "
  • they have an outstanding case or appeal with the Home Office
  • ", + "
  • the Home Office told them they have \u2018permission to rent\u2019
  • ", + "

    You\u2019ll get an answer within 2 working days.

    ", + "

    You\u2019ll need the tenant\u2019s Home Office reference number to use the service.

    ", + "

    Do not rent a property to someone in England if they do not have the right documents and the landlord\u2019s checking service tells you they are not allowed to rent.

    ", + "

    Get help with a check

    ", + "

    Call the landlord\u2019s helpline to get help with a check.

    ", + "

    You must follow the landlord\u2019s code of practice on illegal immigrants and private rented accommodation.

    ", + "

    Making copies of the documents

    ", + "

    When you copy the documents:

    ", + "
  • make a copy that cannot be changed, such as a photocopy or a good quality photograph
  • ", + "
  • for passports, copy every page with the expiry date or applicant\u2019s details (such as nationality, date of birth and photograph), including endorsements, for example a work visa or Certificate of Entitlement to the right of abode in the UK
  • ", + "
  • copy both sides of biometric residence permits
  • ", + "
  • make a complete copy of all other documents
  • ", + "
  • record the date you made the copy
  • ", + "

    Keep copies of the tenant\u2019s documents for the time they\u2019re your tenants and for one year after.

    ", + "

    Make sure you follow data protection law.

    ", + "

    If your tenant does not have any documents, you must check if they\u2019re allowed to rent your property.

    ", + "

    Follow-up checks

    ", + "

    You must do a follow-up check to make sure your tenant can still rent property in the UK if there\u2019s a time limit on their permission to stay.

    ", + "

    You can get a fine if you do not do a follow-up check and your tenant\u2019s permission to stay ends.

    ", + "

    Do the follow-up check just before the date that\u2019s the later of:

    ", + "
  • the end of your tenant\u2019s permission to stay in the UK
  • ", + "
  • 12 months after your previous check
  • ", + "

    Because of coronavirus (COVID-19) there are temporary changes to the way you can check documents. Read guidance about the adjusted process, including asking for documents digitally, making checks on a video call, and what to do if someone cannot provide any accepted documents.

    ", + "

    You do not have to do a follow-up check if there\u2019s no time limit on your tenant\u2019s permission to stay in the UK.

    ", + "

    If your tenant fails a follow-up check

    ", + "

    You must tell the Home Office if you find out that your tenant can no longer legally rent property in England after doing a follow-up check.

    ", + "

    You could be fined or sent to prison for up to 5 years if your tenant fails a follow-up check and you do not report it to the Home Office.

    ", + "

    Agents and subletting

    ", + "

    You can ask any agents that manage or let your property to carry out the check for you. You should have this agreement in writing.

    ", + "

    If a tenant sub-lets the property without you knowing, they\u2019re responsible for carrying out checks on any sub-tenants. They will be liable for any civil penalties if they do not do the check correctly.

    " + ] + }, + "https://www.gov.uk/deposit-protection-schemes-and-landlords": { + "url": "https://www.gov.uk/deposit-protection-schemes-and-landlords", + "title": "Deposit protection schemes and landlords", + "content": "## Overview\n\nYou must place your tenants\u2019 deposit in a tenancy deposit protection (TDP) scheme if you rent out your home on an assured shorthold tenancy that started after 6 April 2007.\n\nIf you receive a valuable item as a deposit instead of money (for example a car or watch), you do not have to put it in a TDP.\n\nThese government-backed schemes ensure your tenants will get their deposit back if they:\n\n- meet the terms of your tenancy agreement\n\n- do not damage the property\n\n- pay the rent and bills\n\nYou (or your letting agent) must put your tenants\u2019 deposit in the scheme within 30 days of getting it.\n\n## Available schemes\n\nYou can use any of the following schemes if your property is in England or Wales:\n\n- Deposit Protection Service\n\n- MyDeposits\n\n- Tenancy Deposit Scheme\n\nThere are separate TDP schemes in Scotland and Northern Ireland.\n\nAll TDP schemes offer you 2 options:\n\n- the scheme hold the deposit for free - known as a \u2018custodial\u2019 scheme\n\n- you or the agent holds the deposit and you pay the scheme to insure it - known as an \u2018insured\u2019 scheme\n\n## At the end of the tenancy\n\nThe deposit must be returned to your tenants within 10 days of you both agreeing how much they\u2019ll get back.\n\n## If you\u2019re in a dispute with your tenants\n\nThe deposit is protected in the scheme until the issue is settled.\n\nIf you\u2019re in an \u2018insured\u2019 scheme, you or the agent must give the deposit to the TDP scheme. They will hold it until the issue is settled.\n\n## Holding deposits\n\nIf you\u2019ve received a holding deposit from your future tenants (money to \u2018hold\u2019 a property before an agreement is signed), you do not have to protect it. Once they become tenants the holding deposit becomes a deposit, and you must protect it.\n\n## Deposits made by a third party\n\nYou must use a TDP scheme even if the deposit is paid by someone else, like a rent deposit scheme or a tenant\u2019s parents.\n\n## Information you must give to your tenants\n\nWithin 30 days of getting their deposit, you must tell your tenants:\n\n- the address of the rented property\n\n- how much deposit they\u2019ve paid\n\n- how the deposit is protected\n\n- the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service\n\n- your (or your letting agency\u2019s) name and contact details\n\n- the name and contact details of any third party who paid the deposit\n\n- why you would keep some or all of the deposit - for example, because your tenants damaged the property and you need to fix it\n\n- how to apply to get the deposit back at the end of the tenancy\n\n- what to do if they cannot get hold of you at the end of the tenancy\n\n- what to do if there\u2019s a dispute over the amount of deposit to be returned at the end of the tenancy\n\n## If you do not protect your tenants' deposit\n\nYour tenants can apply to a county court if you do not use a tenancy deposit protection (TDP) scheme when you have to. They can do this at any time during the tenancy.\n\nIf the court finds you have not protected the deposit, it can order you to either:\n\n- repay it to your tenants\n\n- pay it into a custodial TDP scheme\u2019s bank account within 14 days\n\nThe court may also order you to repay your tenants up to 3 times their original deposit within 14 days of making the order.\n\n## At the end of the tenancy\n\nThe court may also decide that your tenants do not have to leave the property when the tenancy ends if you did not use a TDP scheme when you should have.\n\n## Disputes\n\nUse your tenancy deposit protection (TDP) scheme\u2019s free dispute resolution service if you disagree with your tenants about how much deposit should be returned.\n\nContact your TDP scheme for more information on the dispute resolution service. The schemes are:\n\n- Deposit Protection Service\n\n- MyDeposits\n\n- Tenancy Deposit Scheme\n\n## Help and advice\n\nYou can get more help and advice from:\n\n- your local Citizens Advice Bureau\n\n- a solicitor", + "original_contents": [ + "

    Overview

    ", + "

    You must place your tenants\u2019 deposit in a tenancy deposit protection (TDP) scheme if you rent out your home on an assured shorthold tenancy that started after 6 April 2007.

    ", + "

    If you receive a valuable item as a deposit instead of money (for example a car or watch), you do not have to put it in a TDP.

    ", + "

    These government-backed schemes ensure your tenants will get their deposit back if they:

    ", + "
  • meet the terms of your tenancy agreement
  • ", + "
  • do not damage the property
  • ", + "
  • pay the rent and bills
  • ", + "

    You (or your letting agent) must put your tenants\u2019 deposit in the scheme within 30 days of getting it.

    ", + "

    Available schemes

    ", + "

    You can use any of the following schemes if your property is in England or Wales:

    ", + "
  • Deposit Protection Service
  • ", + "
  • MyDeposits
  • ", + "
  • Tenancy Deposit Scheme
  • ", + "

    There are separate TDP schemes in Scotland and Northern Ireland.

    ", + "

    All TDP schemes offer you 2 options:

    ", + "
  • the scheme hold the deposit for free - known as a \u2018custodial\u2019 scheme
  • ", + "
  • you or the agent holds the deposit and you pay the scheme to insure it - known as an \u2018insured\u2019 scheme
  • ", + "

    At the end of the tenancy

    ", + "

    The deposit must be returned to your tenants within 10 days of you both agreeing how much they\u2019ll get back.

    ", + "

    If you\u2019re in a dispute with your tenants

    ", + "

    The deposit is protected in the scheme until the issue is settled.

    ", + "

    If you\u2019re in an \u2018insured\u2019 scheme, you or the agent must give the deposit to the TDP scheme. They will hold it until the issue is settled.

    ", + "

    Holding deposits

    ", + "

    If you\u2019ve received a holding deposit from your future tenants (money to \u2018hold\u2019 a property before an agreement is signed), you do not have to protect it. Once they become tenants the holding deposit becomes a deposit, and you must protect it.

    ", + "

    Deposits made by a third party

    ", + "

    You must use a TDP scheme even if the deposit is paid by someone else, like a rent deposit scheme or a tenant\u2019s parents.

    ", + "

    Information you must give to your tenants

    ", + "

    Within 30 days of getting their deposit, you must tell your tenants:

    ", + "
  • the address of the rented property
  • ", + "
  • how much deposit they\u2019ve paid
  • ", + "
  • how the deposit is protected
  • ", + "
  • the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service
  • ", + "
  • your (or your letting agency\u2019s) name and contact details
  • ", + "
  • the name and contact details of any third party who paid the deposit
  • ", + "
  • why you would keep some or all of the deposit - for example, because your tenants damaged the property and you need to fix it
  • ", + "
  • how to apply to get the deposit back at the end of the tenancy
  • ", + "
  • what to do if they cannot get hold of you at the end of the tenancy
  • ", + "
  • what to do if there\u2019s a dispute over the amount of deposit to be returned at the end of the tenancy
  • ", + "

    If you do not protect your tenants' deposit

    ", + "

    Your tenants can apply to a county court if you do not use a tenancy deposit protection (TDP) scheme when you have to. They can do this at any time during the tenancy.

    ", + "

    If the court finds you have not protected the deposit, it can order you to either:

    ", + "
  • repay it to your tenants
  • ", + "
  • pay it into a custodial TDP scheme\u2019s bank account within 14 days
  • ", + "

    The court may also order you to repay your tenants up to 3 times their original deposit within 14 days of making the order.

    ", + "

    At the end of the tenancy

    ", + "

    The court may also decide that your tenants do not have to leave the property when the tenancy ends if you did not use a TDP scheme when you should have.

    ", + "

    Disputes

    ", + "

    Use your tenancy deposit protection (TDP) scheme\u2019s free dispute resolution service if you disagree with your tenants about how much deposit should be returned.

    ", + "

    Contact your TDP scheme for more information on the dispute resolution service. The schemes are:

    ", + "
  • Deposit Protection Service
  • ", + "
  • MyDeposits
  • ", + "
  • Tenancy Deposit Scheme
  • ", + "

    Help and advice

    ", + "

    You can get more help and advice from:

    ", + "
  • your local Citizens Advice Bureau
  • ", + "
  • a solicitor
  • " + ] + }, + "https://www.gov.uk/evicting-tenants": { + "url": "https://www.gov.uk/evicting-tenants", + "title": "Evicting tenants (England and Wales)", + "content": "## Overview\n\nYou must follow strict procedures if you want your tenants to leave your property.\n\nYou may be guilty of harassing or illegally evicting your tenants if you do not follow the correct procedures.\n\nThere\u2019s different guidance on:\n\n- evicting tenants in Northern Ireland\n\n- evicting tenants in Scotland\n\n## Procedures for different types of tenancy\n\nThe exact procedure will depend on the tenancy agreement and its terms.\n\n## Assured shorthold tenancies\n\nThe 2 types of assured shorthold tenancies are:\n\n- \u2018periodic\u2019 tenancies - these run week by week or month by month with no fixed end date\n\n- fixed-term tenancies - these run for a set amount of time\n\nYou must follow a set process if your tenants have an assured shorthold tenancy.\n\n- Give your tenants a Section 21 notice if you want the property back after a fixed term ends. Give them a Section 8 notice if they\u2019ve broken the terms of the tenancy. Find out how to give Section 21 and Section 8 notices.\n\n- Apply to the court for a standard possession order if your tenants do not leave by the date specified on the notice and they owe you rent. You can apply for an accelerated possession order if you\u2019re not claiming any unpaid rent.\n\n- Apply for a warrant for possession if your tenants still will not leave - this means bailiffs can remove the tenants from your property.\n\nBecause of coronavirus (COVID-19), bailiffs will not currently evict your tenants if your property is in Wales, unless there\u2019s a serious reason.\n\n## Excluded tenancies or licences\n\nYou do not have to go to court to evict your tenants if they have an excluded tenancy or licence, for example if they live with you.\n\nYou only need to give them \u2018reasonable notice\u2019 to quit. Reasonable notice usually means the length of the rental payment period, so if your tenants pay rent weekly you can give them one week\u2019s notice. The notice does not have to be in writing.\n\nYou can then change the locks on their rooms, even if they still have belongings in there.\n\n## Assured and regulated tenancies\n\nIf your tenants started their tenancy before 27 February 1997, they might have an assured or regulated tenancy. You\u2019ll then have to follow different rules to evict them and they\u2019ll have increased protection from eviction.\n\nYou can get information from Shelter about:\n\n- assured tenancies in England\n\n- regulated tenancies in England\n\nYou can get information from Shelter Cymru about:\n\n- assured tenancies in Wales\n\n- regulated tenancies in Wales\n\n## Your tenant owes rent and gets housing benefits\n\nIf your tenant owes you rent and claims Universal Credit or Housing Benefit you may be able get the rent paid straight to you instead of evicting them. This is known as \u2018managed payments\u2019.\n\nRequest managed payments if your tenant is claiming:\n\n- Universal Credit - apply to the Department for Work and Pensions\n\n- Housing Benefit - contact the local council that pays your tenants\u2019 benefits\n\n## Section 21 and Section 8 notices\n\nYou can evict tenants who have an assured shorthold tenancy using a Section 21 or Section 8 notice, or both.\n\nUse a Section 8 notice if your tenants have broken the terms of the tenancy.\n\n## Section 21 notice of seeking possession\n\nYou can use a Section 21 notice to evict your tenants either:\n\n- after a fixed term tenancy ends - if there\u2019s a written contract\n\n- during a tenancy with no fixed end date - known as a \u2018periodic\u2019 tenancy\n\nYou can get legal advice if you do not know which notice to give.\n\n## When you cannot use a Section 21 notice in England\n\nYou cannot use a Section 21 notice if any of the following apply:\n\n- it\u2019s less than 4 months since the tenancy started, or the fixed term has not ended, unless there\u2019s a clause in the contract which allows you to do this\n\n- the property is categorised as a house in multiple occupation (HMO) and does not have a HMO licence from the council\n\n- the tenancy started after April 2007 and you have not put the tenants\u2019 deposit in a deposit protection scheme\n\n- the tenancy started after October 2015 and you have not used form 6a or a letter with all the same information on it\n\n- the council has served an improvement notice on the property in the last 6 months\n\n- the council has served a notice in the last 6 months that says it will do emergency works on the property\n\n- you have not repaid any unlawful fees or deposits that you charged the tenant - read the guidance for landlords on the Tenant Fees Act 2019\n\nYou also cannot use a Section 21 notice if you have not given the tenants copies of:\n\n- the property\u2019s Energy Performance Certificate\n\n- the government\u2019s \u2018How to rent\u2019 guide\n\n- a current gas safety certificate for the property, if gas is installed\n\nYou must have given your tenants the gas safety certificate and the \u2018How to rent\u2019 guide before they moved in.\n\nYou must have given your tenants a copy of the property\u2019s Energy Performance Certificate before they rented the property.\n\n## When you cannot use a Section 21 notice in Wales\n\nYou cannot use a Section 21 notice if any of the following apply:\n\n- it\u2019s less than 4 months since the tenancy started, or the fixed term has not ended, unless there\u2019s a clause in the contract which allows you to do this\n\n- the property is categorised as a house in multiple occupation (HMO) and does not have a HMO licence from the council\n\n- the tenancy started after April 2007 and you have not put the tenants\u2019 deposit in a deposit protection scheme\n\n- the tenancy started after November 2016 and you do not have a landlord licence\n\n## Giving tenants a Section 21 notice\n\nIn England, use form 6a if the tenancy was started or renewed after 30 September 2015. You can also write your own Section 21 notice.\n\nIn Wales, you must explain in writing that you are serving an eviction notice under Section 21 of the Housing Act 1998.\n\n## How much notice you need to give\n\nUsually, a Section 21 notice must give your tenants at least 2 months\u2019 notice to leave your property. Because of coronavirus (COVID-19) you must now give them a longer notice period.\n\nIf you gave your tenant notice between 26 March 2020 and 28 August 2020, the notice period must have been at least 3 months.\n\nIf you gave your tenant notice between 29 August 2020 and 31 May 2021, the notice period must have been at least 6 months.\n\nIf you gave your tenant notice on or after 1 June 2021, the notice period must be at least 4 months.\n\nIn Wales, the notice period must be at least 6 months if you gave your tenant notice on or after 24 July 2020.\n\nIn England, you may need to give a longer notice period if you have a \u2018contractual\u2019 periodic tenancy. This is a fixed term tenancy that has ended, but included a clause to continue as a periodic tenancy. The amount of notice must be the same as the rental period, if this is more than 2 months. For example, if your tenant pays rent every 3 months, you must give 3 months\u2019 notice.\n\nIn Wales, if it\u2019s a periodic tenancy, you must let your tenants stay for the notice period and any additional time covered by their final rent payment.\n\n## After you give notice\n\nKeep proof that you gave notice to your tenants - either:\n\n- fill in the certification of service form (N215)\n\n- write \u201cserved by [your name] on [the date]\u201d on the notice\n\nIf your tenants do not leave by the specified date, you can use your completed N215 or notice to apply for an accelerated possession order.\n\n## Section 8 notice of seeking possession\n\nTo give your tenants notice using a Section 8, you must fill in a \u2018Notice seeking possession of a property let on an assured tenancy or an assured agricultural occupancy\u2019. Specify on the notice which terms of the tenancy they\u2019ve broken.\n\nYou can apply to the court for a possession order if your tenants do not leave by the specified date.\n\nYou can get legal advice on how to fill in a Section 8 with the correct notice periods and how to give it to your tenants.\n\n## How much notice you need to give\n\nIf you gave your tenant notice before 26 March 2020, you would have needed to give them up to 2 months to leave, depending on the reason for eviction.\n\nBecause of COVID-19, in most cases you must now give them a longer notice period.\n\nIf you gave your tenant notice between 26 March 2020 and 28 August 2020, the notice period must have been at least 3 months.\n\nIf you gave your tenant notice between 29 August 2020 and 31 May 2021, the notice period must have been at least 6 months.\n\nIf you gave your tenant notice on or after 1 June 2021, the notice period must be at least 4 months.\n\nThe notice period can be shorter in some cases, for example if you are evicting tenants for antisocial behaviour. Find more information in the \u2018Technical guidance on eviction notices\u2019.\n\nIn Wales, if you gave notice on or after 24 July 2020, the notice period must be at least 6 months. If you want to evict your tenants because of antisocial behaviour, the notice period is still 3 months or more.\n\n## Standard possession orders\n\nYou can use the possession claim online service if you want to get your property back because your tenants owe you rent.\n\nThis is usually the next step if you cannot agree a rent repayment plan with your tenant.\n\nThe service lets you fill in court forms online and see how the claim is progressing. It costs \u00a3355.\n\n## If you made a possession claim before 3 August 2020\n\nYou\u2019ll usually need to complete an N244 form to tell the court you want to continue with your claim.\n\nYou do not need to submit an N244 form if:\n\n- you submitted a reactivation notice to the court before 4pm on 30 April 2021\n\n- a judge has issued a possession order that says your tenants must leave the property\n\n## How to submit an N244 form\n\nYou\u2019ll need to either:\n\n- post 3 copies of the form with your payment to the court\n\n- email the form to the court and give your phone number - the court will call you so that you can pay over the phone\n\nIt will cost \u00a3255 if you want the court to give your tenants notice of your application or \u00a3100 if not - for example, if the case is urgent.\n\nIf the judge for your case decides that you need to give notice and you have not, you\u2019ll need to pay the extra \u00a3155.\n\nYou may be eligible for help with court fees.\n\n## When you cannot use the online service\n\nYou will not be able to use the online service for some kinds of standard possession claim, for example where there\u2019s been trespass on your property, or your tenants have broken the terms of the lease.\n\nFill in the paper standard possession claim form and post it to your local court that deals with housing possession.\n\nIt costs \u00a3355 to apply. Send a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 to the court with your completed form.\n\n## Accelerated possession orders\n\nYou can apply for an accelerated possession order if your tenants have not left by the date specified in your Section 21 notice and you\u2019re not claiming rent arrears.\n\nThis is sometimes quicker than applying for a standard possession order and there\u2019s usually no court hearing. It costs \u00a3355.\n\nFixed-term tenants cannot be evicted until their tenancy ends.\n\nIf you want to claim rent arrears you can use either the:\n\n- standard possession procedure\n\n- accelerated procedure to get your property back, then make a separate court claim for the rent arrears\n\n## If you made a possession claim before 3 August 2020\n\nYou\u2019ll usually need to complete an N244 form to tell the court you want to continue with your claim.\n\nYou do not need to submit an N244 form if:\n\n- you submitted a reactivation notice to the court before 4pm on 30 April 2021\n\n- a judge has issued a possession order that says your tenants must leave the property\n\n## How to submit an N244 form\n\nYou\u2019ll need to either:\n\n- post 3 copies of the form with your payment to the court\n\n- email the form to the court and give your phone number - the court will call you so that you can pay over the phone\n\nIt will cost \u00a3255 if you want the court to give your tenants notice of your application or \u00a3100 if not - for example, if the case is urgent.\n\nIf the judge for your case decides that you need to give notice and you have not, you\u2019ll need to pay the extra \u00a3155.\n\nYou may be eligible for help with court fees.\n\n## How to apply\n\nDownload and fill in:\n\n- the form for properties in England (available in English and Welsh)\n\n- the form for properties in Wales (available in English and Welsh)\n\nSend the completed form to the nearest court that deals with housing possession.\n\n## What happens next\n\nOnce your application is approved, the court will send your tenants a copy of the application.\n\nYour tenants have 14 days to challenge the application, from the date they receive it.\n\nA judge will decide either to:\n\n- issue a possession order that states your tenants must leave the property (this is normally the case)\n\n- have a court hearing (this usually only happens if the paperwork is not in order or your tenants raise an important issue)\n\nEven if there\u2019s a hearing, the court can still decide to issue a possession order.\n\nIf your tenants are in an exceptionally difficult situation the judge may give them up to 6 weeks.\n\n## Possession hearings and orders\n\nThe judge could decide to make an order, or that a hearing is needed.\n\n## Hearings\n\nAt the hearing they might:\n\n- dismiss the court case - no order will be made and the hearing will end\n\n- adjourn the hearing - it will be moved to a later date (this happens if a judge believes a decision cannot be made on the day)\n\n- make an \u2018order\u2019 - a judge\u2019s legal decision on what should happen\n\nThe judge will dismiss the case if there\u2019s no reason your tenants should be evicted. This might also happen if:\n\n- you have not followed the correct procedure\n\n- you or your representative do not attend the hearing\n\n- your tenants have paid any rent that was owed\n\nYour tenants can stay in your property if the judge dismisses the case. You must restart the court process from the beginning if you still want to evict them.\n\n## Coronavirus (COVID-19) and possession hearings\n\nTell the court as soon as possible if you cannot attend a hearing because you have COVID-19 symptoms or you have been told to self-isolate.\n\nThe judge will decide whether to delay your case or arrange for the hearing to take place remotely.\n\n## Orders\n\nThe judge can make different kinds of orders.\n\n## Order for possession (or \u2018outright possession order\u2019)\n\nThis means your tenants must leave your property before the date given in the order.\n\nThe date will be either 14 or 28 days after the court hearing.\n\nYou can ask the court to evict them with a \u2018warrant for possession\u2019 if your tenants do not leave your property by the date given. If the court gives a warrant, your tenants will be sent an eviction notice with a date by when they must leave your property.\n\n## Suspended order for possession\n\nThis means your tenants can stay in your property as long as they make the payments, or obey the conditions, set out in the order. You can ask the court to evict them if they do not make the payments.\n\nBecause of COVID-19, bailiffs will not currently evict your tenants if your property is in Wales, unless there\u2019s a serious reason(/evicting-tenants/eviction-notices-and-bailiffs).\n\n## Money order\n\nThis means your tenants must pay you a specified amount. The courts could take action if they do not make the payments, including:\n\n- deducting money from the tenants\u2019 wages or bank accounts\n\n- sending bailiffs to take away things they own\n\nYou can go to court again and ask for a possession order if your tenants get into rent arrears after a money order is made.\n\n## Possession orders with a money judgment\n\nA judge can add a money judgment to any of the possession orders. This means your tenants owe a specific amount of money, usually made up of:\n\n- their rent arrears\n\n- court fees\n\n- your legal costs\n\nThe money judgment will apply if they do not pay the amount set out in the suspended possession order that\u2019s linked to the judgment. If they do not pay, you can ask the court to carry out the instructions in the order and the judgment.\n\nThe money judgment will not apply if your tenants pay their arrears and the amount set out in a suspended possession order.\n\n## Appealing against the decision\n\nYou can only appeal if you can show the judge made mistakes in the original possession hearing. You\u2019ll need to ask the judge for permission to appeal at the end of that hearing.\n\nIf you get permission to appeal, you\u2019ll have to apply for an appeal hearing as soon as possible afterwards. You\u2019ll have to pay a court fee, unless you qualify for financial help.\n\nYou\u2019ll need to get legal advice.\n\n## Eviction notices and bailiffs\n\nYou can ask the court for a \u2018warrant for possession\u2019 if your tenants:\n\n- do not leave the property by the date given in an order for possession\n\n- break the terms of a suspended order for possession\n\nWhen the court issues a warrant, it will send your tenants an eviction notice with the date they must leave your property by. A bailiff can evict your tenants if they do not leave by this date.\n\nYou can apply for a warrant of possession up to 6 years after a possession order is made.\n\n## Changes to evictions in Wales because of coronavirus (COVID-19)\n\nCurrently, bailiffs will not evict your tenants if your property is in Wales, unless there\u2019s a serious reason.\nThey will only enter the property if:\n\n- someone is living there illegally\n\n- your tenant has been involved in antisocial behaviour\n\nIf you have a serious reason to evict your tenants, read the guidance about what you need to do.\n\n## How to apply for a warrant\n\nYou can apply for a warrant for possession using either:\n\n- form N325\n\n- the Possession Claim Online service - as long as you used it to issue the original order for possession\n\nIt costs \u00a3121.\n\n## When a warrant is issued\n\nYou\u2019ll be sent a warrant number by the court.\n\nYou\u2019ll also be sent an EX96 \u2018notice of appointment\u2019 form to tell you the date of the eviction.\n\nYou must fill in the form and return it to the court to confirm the eviction. Otherwise, the eviction will be cancelled.\n\n## If you transfer the warrant to the High Court\n\nYou can get a \u2018writ of possession\u2019 if you transfer the warrant from the county court to the High Court. This means a High Court enforcement officer can evict your tenants. You might get a faster eviction this way.\n\nBefore you transfer, you\u2019ll need to apply for permission from the county court if you do not already have it. It costs \u00a366.\n\n## Delaying eviction\n\nYour tenants can ask a judge to \u2018suspend\u2019 the warrant for possession at a new hearing. The judge could delay the eviction or let your tenants stay in your property if they can make payments again.\n\n## Changing payments\n\nIf your tenants\u2019 circumstances change, they can ask a judge at a new hearing to change what they pay.\n\nYou\u2019ll need to get legal advice.\n\n## Harassment and illegal evictions\n\nIt\u2019s a crime to harass or try to force your tenants out of a property without following correct procedures. Your tenants might have the right to claim damages through the court if you do not follow the rules.\n\n## What is harassment?\n\nHarassment can be anything you do or do not do that makes your tenants feel unsafe in your property or forces them to leave.\n\nHarassment can include:\n\n- stopping services, like electricity\n\n- withholding keys, for example if there are 2 tenants in a property but you\u2019ll only give one key\n\n- refusing to carry out repairs\n\n- antisocial behaviour by someone on your behalf, for example your friend moves in next door to your tenants and causes problems\n\n- threats and physical violence\n\n## Illegal eviction\n\nYou may be guilty of illegal eviction if you:\n\n- do not give your tenants the right amount of notice to leave your property\n\n- change the locks\n\n- evict your tenants without a court order", + "original_contents": [ + "

    Overview

    ", + "

    You must follow strict procedures if you want your tenants to leave your property.

    ", + "

    You may be guilty of harassing or illegally evicting your tenants if you do not follow the correct procedures.

    ", + "

    There\u2019s different guidance on:

    ", + "
  • evicting tenants in Northern Ireland
  • ", + "
  • evicting tenants in Scotland
  • ", + "

    Procedures for different types of tenancy

    ", + "

    The exact procedure will depend on the tenancy agreement and its terms.

    ", + "

    Assured shorthold tenancies

    ", + "

    The 2 types of assured shorthold tenancies are:

    ", + "
  • \u2018periodic\u2019 tenancies - these run week by week or month by month with no fixed end date
  • ", + "
  • fixed-term tenancies - these run for a set amount of time
  • ", + "

    You must follow a set process if your tenants have an assured shorthold tenancy.

    ", + "
  • Give your tenants a Section 21 notice if you want the property back after a fixed term ends. Give them a Section 8 notice if they\u2019ve broken the terms of the tenancy. Find out how to give Section 21 and Section 8 notices.
  • ", + "
  • Apply to the court for a standard possession order if your tenants do not leave by the date specified on the notice and they owe you rent. You can apply for an accelerated possession order if you\u2019re not claiming any unpaid rent.
  • ", + "
  • Apply for a warrant for possession if your tenants still will not leave - this means bailiffs can remove the tenants from your property.
  • ", + "

    Because of coronavirus (COVID-19), bailiffs will not currently evict your tenants if your property is in Wales, unless there\u2019s a serious reason.

    ", + "

    Excluded tenancies or licences

    ", + "

    You do not have to go to court to evict your tenants if they have an excluded tenancy or licence, for example if they live with you.

    ", + "

    You only need to give them \u2018reasonable notice\u2019 to quit. Reasonable notice usually means the length of the rental payment period, so if your tenants pay rent weekly you can give them one week\u2019s notice. The notice does not have to be in writing.

    ", + "

    You can then change the locks on their rooms, even if they still have belongings in there.

    ", + "

    Assured and regulated tenancies

    ", + "

    If your tenants started their tenancy before 27 February 1997, they might have an assured or regulated tenancy. You\u2019ll then have to follow different rules to evict them and they\u2019ll have increased protection from eviction.

    ", + "

    You can get information from Shelter about:

    ", + "
  • assured tenancies in England
  • ", + "
  • regulated tenancies in England
  • ", + "

    You can get information from Shelter Cymru about:

    ", + "
  • assured tenancies in Wales
  • ", + "
  • regulated tenancies in Wales
  • ", + "

    Your tenant owes rent and gets housing benefits

    ", + "

    If your tenant owes you rent and claims Universal Credit or Housing Benefit you may be able get the rent paid straight to you instead of evicting them. This is known as \u2018managed payments\u2019.

    ", + "

    Request managed payments if your tenant is claiming:

    ", + "
  • Universal Credit - apply to the Department for Work and Pensions
  • ", + "
  • Housing Benefit - contact the local council that pays your tenants\u2019 benefits
  • ", + "

    Section 21 and Section 8 notices

    ", + "

    You can evict tenants who have an assured shorthold tenancy using a Section 21 or Section 8 notice, or both.

    ", + "

    Use a Section 8 notice if your tenants have broken the terms of the tenancy.

    ", + "

    Section 21 notice of seeking possession

    ", + "

    You can use a Section 21 notice to evict your tenants either:

    ", + "
  • after a fixed term tenancy ends - if there\u2019s a written contract
  • ", + "
  • during a tenancy with no fixed end date - known as a \u2018periodic\u2019 tenancy
  • ", + "

    You can get legal advice if you do not know which notice to give.

    ", + "

    When you cannot use a Section 21 notice in England

    ", + "

    You cannot use a Section 21 notice if any of the following apply:

    ", + "
  • it\u2019s less than 4 months since the tenancy started, or the fixed term has not ended, unless there\u2019s a clause in the contract which allows you to do this
  • ", + "
  • the property is categorised as a house in multiple occupation (HMO) and does not have a HMO licence from the council
  • ", + "
  • the tenancy started after April 2007 and you have not put the tenants\u2019 deposit in a deposit protection scheme
  • ", + "
  • the tenancy started after October 2015 and you have not used form 6a or a letter with all the same information on it
  • ", + "
  • the council has served an improvement notice on the property in the last 6 months
  • ", + "
  • the council has served a notice in the last 6 months that says it will do emergency works on the property
  • ", + "
  • you have not repaid any unlawful fees or deposits that you charged the tenant - read the guidance for landlords on the Tenant Fees Act 2019
  • ", + "

    You also cannot use a Section 21 notice if you have not given the tenants copies of:

    ", + "
  • the property\u2019s Energy Performance Certificate
  • ", + "
  • the government\u2019s \u2018How to rent\u2019 guide
  • ", + "
  • a current gas safety certificate for the property, if gas is installed
  • ", + "

    You must have given your tenants the gas safety certificate and the \u2018How to rent\u2019 guide before they moved in.

    ", + "

    You must have given your tenants a copy of the property\u2019s Energy Performance Certificate before they rented the property.

    ", + "

    When you cannot use a Section 21 notice in Wales

    ", + "

    You cannot use a Section 21 notice if any of the following apply:

    ", + "
  • it\u2019s less than 4 months since the tenancy started, or the fixed term has not ended, unless there\u2019s a clause in the contract which allows you to do this
  • ", + "
  • the property is categorised as a house in multiple occupation (HMO) and does not have a HMO licence from the council
  • ", + "
  • the tenancy started after April 2007 and you have not put the tenants\u2019 deposit in a deposit protection scheme
  • ", + "
  • the tenancy started after November 2016 and you do not have a landlord licence
  • ", + "

    Giving tenants a Section 21 notice

    ", + "

    In England, use form 6a if the tenancy was started or renewed after 30 September 2015. You can also write your own Section 21 notice.

    ", + "

    In Wales, you must explain in writing that you are serving an eviction notice under Section 21 of the Housing Act 1998.

    ", + "

    How much notice you need to give

    ", + "

    Usually, a Section 21 notice must give your tenants at least 2 months\u2019 notice to leave your property. Because of coronavirus (COVID-19) you must now give them a longer notice period.

    ", + "

    If you gave your tenant notice between 26 March 2020 and 28 August 2020, the notice period must have been at least 3 months.

    ", + "

    If you gave your tenant notice between 29 August 2020 and 31 May 2021, the notice period must have been at least 6 months.

    ", + "

    If you gave your tenant notice on or after 1 June 2021, the notice period must be at least 4 months.

    ", + "

    In Wales, the notice period must be at least 6 months if you gave your tenant notice on or after 24 July 2020.

    ", + "

    In England, you may need to give a longer notice period if you have a \u2018contractual\u2019 periodic tenancy. This is a fixed term tenancy that has ended, but included a clause to continue as a periodic tenancy. The amount of notice must be the same as the rental period, if this is more than 2 months. For example, if your tenant pays rent every 3 months, you must give 3 months\u2019 notice.

    ", + "

    In Wales, if it\u2019s a periodic tenancy, you must let your tenants stay for the notice period and any additional time covered by their final rent payment.

    ", + "

    After you give notice

    ", + "

    Keep proof that you gave notice to your tenants - either:

    ", + "
  • fill in the certification of service form (N215)
  • ", + "
  • write \u201cserved by [your name] on [the date]\u201d on the notice
  • ", + "

    If your tenants do not leave by the specified date, you can use your completed N215 or notice to apply for an accelerated possession order.

    ", + "

    Section 8 notice of seeking possession

    ", + "

    To give your tenants notice using a Section 8, you must fill in a \u2018Notice seeking possession of a property let on an assured tenancy or an assured agricultural occupancy\u2019. Specify on the notice which terms of the tenancy they\u2019ve broken.

    ", + "

    You can apply to the court for a possession order if your tenants do not leave by the specified date.

    ", + "

    You can get legal advice on how to fill in a Section 8 with the correct notice periods and how to give it to your tenants.

    ", + "

    How much notice you need to give

    ", + "

    If you gave your tenant notice before 26 March 2020, you would have needed to give them up to 2 months to leave, depending on the reason for eviction.

    ", + "

    Because of COVID-19, in most cases you must now give them a longer notice period.

    ", + "

    If you gave your tenant notice between 26 March 2020 and 28 August 2020, the notice period must have been at least 3 months.

    ", + "

    If you gave your tenant notice between 29 August 2020 and 31 May 2021, the notice period must have been at least 6 months.

    ", + "

    If you gave your tenant notice on or after 1 June 2021, the notice period must be at least 4 months.

    ", + "

    The notice period can be shorter in some cases, for example if you are evicting tenants for antisocial behaviour. Find more information in the \u2018Technical guidance on eviction notices\u2019.

    ", + "

    In Wales, if you gave notice on or after 24 July 2020, the notice period must be at least 6 months. If you want to evict your tenants because of antisocial behaviour, the notice period is still 3 months or more.

    ", + "

    Standard possession orders

    ", + "

    You can use the possession claim online service if you want to get your property back because your tenants owe you rent.

    ", + "

    This is usually the next step if you cannot agree a rent repayment plan with your tenant.

    ", + "

    The service lets you fill in court forms online and see how the claim is progressing. It costs \u00a3355.

    ", + "

    If you made a possession claim before 3 August 2020

    ", + "

    You\u2019ll usually need to complete an N244 form to tell the court you want to continue with your claim.

    ", + "

    You do not need to submit an N244 form if:

    ", + "
  • you submitted a reactivation notice to the court before 4pm on 30 April 2021
  • ", + "
  • a judge has issued a possession order that says your tenants must leave the property
  • ", + "

    How to submit an N244 form

    ", + "

    You\u2019ll need to either:

    ", + "
  • post 3 copies of the form with your payment to the court
  • ", + "
  • email the form to the court and give your phone number - the court will call you so that you can pay over the phone
  • ", + "

    It will cost \u00a3255 if you want the court to give your tenants notice of your application or \u00a3100 if not - for example, if the case is urgent.

    ", + "

    If the judge for your case decides that you need to give notice and you have not, you\u2019ll need to pay the extra \u00a3155.

    ", + "

    You may be eligible for help with court fees.

    ", + "

    When you cannot use the online service

    ", + "

    You will not be able to use the online service for some kinds of standard possession claim, for example where there\u2019s been trespass on your property, or your tenants have broken the terms of the lease.

    ", + "

    Fill in the paper standard possession claim form and post it to your local court that deals with housing possession.

    ", + "

    It costs \u00a3355 to apply. Send a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 to the court with your completed form.

    ", + "

    Accelerated possession orders

    ", + "

    You can apply for an accelerated possession order if your tenants have not left by the date specified in your Section 21 notice and you\u2019re not claiming rent arrears.

    ", + "

    This is sometimes quicker than applying for a standard possession order and there\u2019s usually no court hearing. It costs \u00a3355.

    ", + "

    Fixed-term tenants cannot be evicted until their tenancy ends.

    ", + "

    If you want to claim rent arrears you can use either the:

    ", + "
  • standard possession procedure
  • ", + "
  • accelerated procedure to get your property back, then make a separate court claim for the rent arrears
  • ", + "

    If you made a possession claim before 3 August 2020

    ", + "

    You\u2019ll usually need to complete an N244 form to tell the court you want to continue with your claim.

    ", + "

    You do not need to submit an N244 form if:

    ", + "
  • you submitted a reactivation notice to the court before 4pm on 30 April 2021
  • ", + "
  • a judge has issued a possession order that says your tenants must leave the property
  • ", + "

    How to submit an N244 form

    ", + "

    You\u2019ll need to either:

    ", + "
  • post 3 copies of the form with your payment to the court
  • ", + "
  • email the form to the court and give your phone number - the court will call you so that you can pay over the phone
  • ", + "

    It will cost \u00a3255 if you want the court to give your tenants notice of your application or \u00a3100 if not - for example, if the case is urgent.

    ", + "

    If the judge for your case decides that you need to give notice and you have not, you\u2019ll need to pay the extra \u00a3155.

    ", + "

    You may be eligible for help with court fees.

    ", + "

    How to apply

    ", + "

    Download and fill in:

    ", + "
  • the form for properties in England (available in English and Welsh)
  • ", + "
  • the form for properties in Wales (available in English and Welsh)
  • ", + "

    Send the completed form to the nearest court that deals with housing possession.

    ", + "

    What happens next

    ", + "

    Once your application is approved, the court will send your tenants a copy of the application.

    ", + "

    Your tenants have 14 days to challenge the application, from the date they receive it.

    ", + "

    A judge will decide either to:

    ", + "
  • issue a possession order that states your tenants must leave the property (this is normally the case)
  • ", + "
  • have a court hearing (this usually only happens if the paperwork is not in order or your tenants raise an important issue)
  • ", + "

    Even if there\u2019s a hearing, the court can still decide to issue a possession order.

    ", + "

    If your tenants are in an exceptionally difficult situation the judge may give them up to 6 weeks.

    ", + "

    Possession hearings and orders

    ", + "

    The judge could decide to make an order, or that a hearing is needed.

    ", + "

    Hearings

    ", + "

    At the hearing they might:

    ", + "
  • dismiss the court case - no order will be made and the hearing will end
  • ", + "
  • adjourn the hearing - it will be moved to a later date (this happens if a judge believes a decision cannot be made on the day)
  • ", + "
  • make an \u2018order\u2019 - a judge\u2019s legal decision on what should happen
  • ", + "

    The judge will dismiss the case if there\u2019s no reason your tenants should be evicted. This might also happen if:

    ", + "
  • you have not followed the correct procedure
  • ", + "
  • you or your representative do not attend the hearing
  • ", + "
  • your tenants have paid any rent that was owed
  • ", + "

    Your tenants can stay in your property if the judge dismisses the case. You must restart the court process from the beginning if you still want to evict them.

    ", + "

    Coronavirus (COVID-19) and possession hearings

    ", + "

    Tell the court as soon as possible if you cannot attend a hearing because you have COVID-19 symptoms or you have been told to self-isolate.

    ", + "

    The judge will decide whether to delay your case or arrange for the hearing to take place remotely.

    ", + "

    Orders

    ", + "

    The judge can make different kinds of orders.

    ", + "

    Order for possession (or \u2018outright possession order\u2019)

    ", + "

    This means your tenants must leave your property before the date given in the order.

    ", + "

    The date will be either 14 or 28 days after the court hearing.

    ", + "

    You can ask the court to evict them with a \u2018warrant for possession\u2019 if your tenants do not leave your property by the date given. If the court gives a warrant, your tenants will be sent an eviction notice with a date by when they must leave your property.

    ", + "

    Suspended order for possession

    ", + "

    This means your tenants can stay in your property as long as they make the payments, or obey the conditions, set out in the order. You can ask the court to evict them if they do not make the payments.

    ", + "

    Because of COVID-19, bailiffs will not currently evict your tenants if your property is in Wales, unless there\u2019s a serious reason(/evicting-tenants/eviction-notices-and-bailiffs).

    ", + "

    Money order

    ", + "

    This means your tenants must pay you a specified amount. The courts could take action if they do not make the payments, including:

    ", + "
  • deducting money from the tenants\u2019 wages or bank accounts
  • ", + "
  • sending bailiffs to take away things they own
  • ", + "

    You can go to court again and ask for a possession order if your tenants get into rent arrears after a money order is made.

    ", + "

    Possession orders with a money judgment

    ", + "

    A judge can add a money judgment to any of the possession orders. This means your tenants owe a specific amount of money, usually made up of:

    ", + "
  • their rent arrears
  • ", + "
  • court fees
  • ", + "
  • your legal costs
  • ", + "

    The money judgment will apply if they do not pay the amount set out in the suspended possession order that\u2019s linked to the judgment. If they do not pay, you can ask the court to carry out the instructions in the order and the judgment.

    ", + "

    The money judgment will not apply if your tenants pay their arrears and the amount set out in a suspended possession order.

    ", + "

    Appealing against the decision

    ", + "

    You can only appeal if you can show the judge made mistakes in the original possession hearing. You\u2019ll need to ask the judge for permission to appeal at the end of that hearing.

    ", + "

    If you get permission to appeal, you\u2019ll have to apply for an appeal hearing as soon as possible afterwards. You\u2019ll have to pay a court fee, unless you qualify for financial help.

    ", + "

    You\u2019ll need to get legal advice.

    ", + "

    Eviction notices and bailiffs

    ", + "

    You can ask the court for a \u2018warrant for possession\u2019 if your tenants:

    ", + "
  • do not leave the property by the date given in an order for possession
  • ", + "
  • break the terms of a suspended order for possession
  • ", + "

    When the court issues a warrant, it will send your tenants an eviction notice with the date they must leave your property by. A bailiff can evict your tenants if they do not leave by this date.

    ", + "

    You can apply for a warrant of possession up to 6 years after a possession order is made.

    ", + "

    Changes to evictions in Wales because of coronavirus (COVID-19)

    ", + "

    Currently, bailiffs will not evict your tenants if your property is in Wales, unless there\u2019s a serious reason.\nThey will only enter the property if:

    ", + "
  • someone is living there illegally
  • ", + "
  • your tenant has been involved in antisocial behaviour
  • ", + "

    If you have a serious reason to evict your tenants, read the guidance about what you need to do.

    ", + "

    How to apply for a warrant

    ", + "

    You can apply for a warrant for possession using either:

    ", + "
  • form N325
  • ", + "
  • the Possession Claim Online service - as long as you used it to issue the original order for possession
  • ", + "

    It costs \u00a3121.

    ", + "

    When a warrant is issued

    ", + "

    You\u2019ll be sent a warrant number by the court.

    ", + "

    You\u2019ll also be sent an EX96 \u2018notice of appointment\u2019 form to tell you the date of the eviction.

    ", + "

    You must fill in the form and return it to the court to confirm the eviction. Otherwise, the eviction will be cancelled.

    ", + "

    If you transfer the warrant to the High Court

    ", + "

    You can get a \u2018writ of possession\u2019 if you transfer the warrant from the county court to the High Court. This means a High Court enforcement officer can evict your tenants. You might get a faster eviction this way.

    ", + "

    Before you transfer, you\u2019ll need to apply for permission from the county court if you do not already have it. It costs \u00a366.

    ", + "

    Delaying eviction

    ", + "

    Your tenants can ask a judge to \u2018suspend\u2019 the warrant for possession at a new hearing. The judge could delay the eviction or let your tenants stay in your property if they can make payments again.

    ", + "

    Changing payments

    ", + "

    If your tenants\u2019 circumstances change, they can ask a judge at a new hearing to change what they pay.

    ", + "

    You\u2019ll need to get legal advice.

    ", + "

    Harassment and illegal evictions

    ", + "

    It\u2019s a crime to harass or try to force your tenants out of a property without following correct procedures. Your tenants might have the right to claim damages through the court if you do not follow the rules.

    ", + "

    What is harassment?

    ", + "

    Harassment can be anything you do or do not do that makes your tenants feel unsafe in your property or forces them to leave.

    ", + "

    Harassment can include:

    ", + "
  • stopping services, like electricity
  • ", + "
  • withholding keys, for example if there are 2 tenants in a property but you\u2019ll only give one key
  • ", + "
  • refusing to carry out repairs
  • ", + "
  • antisocial behaviour by someone on your behalf, for example your friend moves in next door to your tenants and causes problems
  • ", + "
  • threats and physical violence
  • ", + "

    Illegal eviction

    ", + "

    You may be guilty of illegal eviction if you:

    ", + "
  • do not give your tenants the right amount of notice to leave your property
  • ", + "
  • change the locks
  • ", + "
  • evict your tenants without a court order
  • " + ] + }, + "https://www.gov.uk/park-mobile-homes": { + "url": "https://www.gov.uk/park-mobile-homes", + "title": "Park (mobile) homes", + "content": "## Your rights and obligations\n\nYour rights and obligations are listed in a written agreement with the park (or site) owner. This sets out:\n\n- your minimum legal rights and obligations, like your right to keep your park home on its pitch\n\n- the rules, charges and services\n\nYou have 28 days to review it before signing.\n\nYou still have rights and obligations as a park home resident even if you do not have a written agreement.\n\nPark home owners have different rights and responsibilities in Scotland, Wales and Northern Ireland.\n\n## Keeping your home in good condition\n\nYou must:\n\n- repair your home when necessary\n\n- keep the outside of your home and pitch clean and tidy, including any fences or outbuildings that you own or use on your pitch\n\n## Site licence\n\nPrivately owned sites must have a licence from the local council. The park owner must clearly display the licence. It will usually have conditions for:\n\n- how many homes can be in the park\n\n- services and amenities\n\n- health and safety\n\nComplain to the park owner about conditions in your park. Contact your local council if you cannot sort out the issue with the park owner.\n\nYou could be forced to leave if you live on a site without planning permission for residential use.\n\n## Renting a park home\n\nYou have a rent contract if you pay rent to a landlord. It does not have to be in writing.\n\n## If you do not have a written contract\n\nYou should be able to stay for a year from the date you moved in even if you do not have anything in writing.\n\n## If you have a written contract\n\nA written contract should say how long you can live in your home.\n\nDuring this time your landlord can still ask you to leave if:\n\n- your contract says they can ask you to leave with 4 weeks\u2019 notice\n\n- you break the rules (\u2018terms\u2019) of your contract and it says the owner can ask you to leave as a result\n\n## When your contract ends\n\nYour landlord can ask you to leave as long as they give you 4 weeks\u2019 notice. If you do not leave the owner can ask the court for an \u2018eviction order\u2019 which forces you to leave.\n\n## If your landlord tries to evict you\n\nIf your landlord tries to evict you (force you to leave), you\u2019ll have more rights to stay if you live on a \u2018protected site\u2019.\n\nA protected site is a mobile home park which has planning permission to have residents living there throughout the year. A holiday park is not a protected site.\n\nYour right to stay also depends on:\n\n- what your rental contract says\n\n- whether your home is counted as a \u2018dwelling house\u2019, which means you have rights from tenancy laws\n\nTo be a dwelling house your park home must be:\n\n- your permanent residence \u2013 where you live most or all of the time\n\n- connected to mains electricity or water\n\n- unmovable or so large that it cannot be moved in one piece, for example you cannot drive it or tow it away yourself\n\n## Types of tenancy\n\nThe type of tenancy you have depends on the date you moved in and started paying rent. You will have:\n\n- a regulated tenancy if you moved in and started paying rent before 15 January 1989\n\n- an assured or assured shorthold tenancy if you moved in and started paying rent on or after 15 January 1989\n\n## Getting advice\n\nTenancy rights can be complicated and depend on your situation. You should get legal advice if you think your landlord is treating you unfairly.\n\nYou can also contact Citizens Advice, the Leasehold Advisory Service or charities such as Shelter or Age UK if you have questions.\n\nFind out about call charges\n\n## Charges\n\n## Pitch fee\n\nYou have to pay a \u2018pitch fee\u2019 to the park owner to rent the land your park home sits on.\n\nThe park owner can propose to change it once a year. They must give you 28 days\u2019 notice in writing.\n\nYou or the park owner can apply to a tribunal to decide the pitch fee if you cannot agree on it.\n\n## Gas, water, electricity and liquefied petroleum gas (LPG)\n\nThe Office of the Gas and Electricity Markets (Ofgem) sets the amount the park owner can charge you for gas and electricity.\n\nThe park owner cannot charge you more for gas and electricity than they paid for it, including any connection charges.\n\nFor water, the park owner can only charge what the water company charges and a reasonable administration fee.\n\nCharges for LPG are not regulated.\n\n## Selling or giving away a park home\n\n## Selling\n\nThe park owner gets up to 10% of the selling price (known as a \u2018commission\u2019) when you sell your home.\n\nYou\u2019ll need to:\n\n- give the buyer certain information - for example about the commission and pitch fees\n\n- tell the park owner about the sale\n\n- assign (transfer) the pitch agreement to the new owner\n\n- tell the buyer to fill in a \u2018Notice of Assignment form\u2019 so they can pay the commission to the park owner\n\nYou must fill in the correct form for park home buyers and sellers to sell your home.\n\nPark homes do not need an Energy Performance Certificate (EPC).\n\nThe park owner may be able to object to you selling your home. They must apply to a tribunal.\n\n## Giving away\n\nYou have the right to \u2018gift\u2019 (give away) your park home and pass on your agreement to a family member. Use the \u2018Notice of proposed gift form\u2019 to send the park owner proof of how you\u2019re related to the family member.\n\n## Inheritance rules\n\nAnyone will be able to carry on the agreement when you die if they\u2019re:\n\n- a family member living with you at the time you die\n\n- your husband, wife or civil partner\n\nSomeone who is not living with you or is not your husband, wife or civil partner will have to get approval from the park owner to live there.\n\nRead detailed information on buying, selling or gifting your park (mobile) home.\n\n## Park repairs and improvements\n\nPark owners are responsible for:\n\n- keeping common areas (like shared paths) in good condition\n\n- repairing the area where your home sits (the \u2018base\u2019)\n\n- maintaining any services they supply to your home or pitch (like sewerage)\n\n## Park improvements\n\nIf the park owner plans to make improvements, they must:\n\n- give you at least 28 days\u2019 notice in writing and let you know how you can comment on the plans\n\n- tell you if it will affect your pitch fee\n\nThey can go ahead with improvements even if most residents disagree.\nThe park owner can sometimes recover improvement costs through a pitch fee increase. If you disagree, you can apply to a tribunal. Contact the Leasehold Advisory Service for advice.\n\n## Residents\u2019 associations\n\nYou can set up a \u2018qualifying\u2019 residents\u2019 association to represent home owners in the mobile home park where you live.\n\nQualifying residents\u2019 associations have certain rights and park owners should consult the residents\u2019 association when they want to spend money on improvements or change how they run the park.\n\nPark owners must give at least 28 days\u2019 notice of any changes and take the association\u2019s concerns into account before they make changes.\n\n## Setting up a qualifying residents\u2019 association\n\nYour association must include at least half of the home owners in your park. Residents who rent their homes cannot join.\n\nYou\u2019ll have to keep certain records and documents, like:\n\n- an up-to-date list of members\n\n- a constitution\n\n- any other rules of the association\n\nYou\u2019ll have to elect a:\n\n- chairman\n\n- secretary\n\n- treasurer\n\nThe chairman, secretary and treasurer can make administrative decisions. Members should vote on all other decisions.\n\nYou need to ask the park owner to \u2018acknowledge\u2019 your association. You can apply to a tribunal if they refuse. They can order the park owner to acknowledge your association.\n\nYour association can continue to meet if it does not meet the qualifying conditions but the park owner will not have to talk to the association about park operations and management.\n\n## Settling disputes\n\nIf you have a dispute with the park owner that you cannot work out, you can apply to a tribunal. Decisions made by the tribunal are legally binding.\n\nIf your agreement says you must use an arbitrator, ignore it. You must use a tribunal instead.\n\nThe tribunal can settle certain disputes, for example:\n\n- changing a residence agreement\n\n- changing the pitch fee\n\n- moving a park home\n\n- damage and repairs to the site\n\n- transferring ownership of a park home to someone else\n\nFind out more about the types of disputes the tribunal can solve.\n\n## Get help\n\nContact the Leasehold Advisory Service for advice if you\u2019re not sure whether you have a case.\n\nCall the tribunal if you have any questions about completing the form. The tribunal cannot give you legal advice.", + "original_contents": [ + "

    Your rights and obligations

    ", + "

    Your rights and obligations are listed in a written agreement with the park (or site) owner. This sets out:

    ", + "
  • your minimum legal rights and obligations, like your right to keep your park home on its pitch
  • ", + "
  • the rules, charges and services
  • ", + "

    You have 28 days to review it before signing.

    ", + "

    You still have rights and obligations as a park home resident even if you do not have a written agreement.

    ", + "

    Park home owners have different rights and responsibilities in Scotland, Wales and Northern Ireland.

    ", + "

    Keeping your home in good condition

    ", + "

    You must:

    ", + "
  • repair your home when necessary
  • ", + "
  • keep the outside of your home and pitch clean and tidy, including any fences or outbuildings that you own or use on your pitch
  • ", + "

    Site licence

    ", + "

    Privately owned sites must have a licence from the local council. The park owner must clearly display the licence. It will usually have conditions for:

    ", + "
  • how many homes can be in the park
  • ", + "
  • services and amenities
  • ", + "
  • health and safety
  • ", + "

    Complain to the park owner about conditions in your park. Contact your local council if you cannot sort out the issue with the park owner.

    ", + "

    You could be forced to leave if you live on a site without planning permission for residential use.

    ", + "

    Renting a park home

    ", + "

    You have a rent contract if you pay rent to a landlord. It does not have to be in writing.

    ", + "

    If you do not have a written contract

    ", + "

    You should be able to stay for a year from the date you moved in even if you do not have anything in writing.

    ", + "

    If you have a written contract

    ", + "

    A written contract should say how long you can live in your home.

    ", + "

    During this time your landlord can still ask you to leave if:

    ", + "
  • your contract says they can ask you to leave with 4 weeks\u2019 notice
  • ", + "
  • you break the rules (\u2018terms\u2019) of your contract and it says the owner can ask you to leave as a result
  • ", + "

    When your contract ends

    ", + "

    Your landlord can ask you to leave as long as they give you 4 weeks\u2019 notice. If you do not leave the owner can ask the court for an \u2018eviction order\u2019 which forces you to leave.

    ", + "

    If your landlord tries to evict you

    ", + "

    If your landlord tries to evict you (force you to leave), you\u2019ll have more rights to stay if you live on a \u2018protected site\u2019.

    ", + "

    A protected site is a mobile home park which has planning permission to have residents living there throughout the year. A holiday park is not a protected site.

    ", + "

    Your right to stay also depends on:

    ", + "
  • what your rental contract says
  • ", + "
  • whether your home is counted as a \u2018dwelling house\u2019, which means you have rights from tenancy laws
  • ", + "

    To be a dwelling house your park home must be:

    ", + "
  • your permanent residence \u2013 where you live most or all of the time
  • ", + "
  • connected to mains electricity or water
  • ", + "
  • unmovable or so large that it cannot be moved in one piece, for example you cannot drive it or tow it away yourself
  • ", + "

    Types of tenancy

    ", + "

    The type of tenancy you have depends on the date you moved in and started paying rent. You will have:

    ", + "
  • a regulated tenancy if you moved in and started paying rent before 15 January 1989
  • ", + "
  • an assured or assured shorthold tenancy if you moved in and started paying rent on or after 15 January 1989
  • ", + "

    Getting advice

    ", + "

    Tenancy rights can be complicated and depend on your situation. You should get legal advice if you think your landlord is treating you unfairly.

    ", + "

    You can also contact Citizens Advice, the Leasehold Advisory Service or charities such as Shelter or Age UK if you have questions.

    ", + "

    Find out about call charges

    ", + "

    Charges

    ", + "

    Pitch fee

    ", + "

    You have to pay a \u2018pitch fee\u2019 to the park owner to rent the land your park home sits on.

    ", + "

    The park owner can propose to change it once a year. They must give you 28 days\u2019 notice in writing.

    ", + "

    You or the park owner can apply to a tribunal to decide the pitch fee if you cannot agree on it.

    ", + "

    Gas, water, electricity and liquefied petroleum gas (LPG)

    ", + "

    The Office of the Gas and Electricity Markets (Ofgem) sets the amount the park owner can charge you for gas and electricity.

    ", + "

    The park owner cannot charge you more for gas and electricity than they paid for it, including any connection charges.

    ", + "

    For water, the park owner can only charge what the water company charges and a reasonable administration fee.

    ", + "

    Charges for LPG are not regulated.

    ", + "

    Selling or giving away a park home

    ", + "

    Selling

    ", + "

    The park owner gets up to 10% of the selling price (known as a \u2018commission\u2019) when you sell your home.

    ", + "

    You\u2019ll need to:

    ", + "
  • give the buyer certain information - for example about the commission and pitch fees
  • ", + "
  • tell the park owner about the sale
  • ", + "
  • assign (transfer) the pitch agreement to the new owner
  • ", + "
  • tell the buyer to fill in a \u2018Notice of Assignment form\u2019 so they can pay the commission to the park owner
  • ", + "

    You must fill in the correct form for park home buyers and sellers to sell your home.

    ", + "

    Park homes do not need an Energy Performance Certificate (EPC).

    ", + "

    The park owner may be able to object to you selling your home. They must apply to a tribunal.

    ", + "

    Giving away

    ", + "

    You have the right to \u2018gift\u2019 (give away) your park home and pass on your agreement to a family member. Use the \u2018Notice of proposed gift form\u2019 to send the park owner proof of how you\u2019re related to the family member.

    ", + "

    Inheritance rules

    ", + "

    Anyone will be able to carry on the agreement when you die if they\u2019re:

    ", + "
  • a family member living with you at the time you die
  • ", + "
  • your husband, wife or civil partner
  • ", + "

    Someone who is not living with you or is not your husband, wife or civil partner will have to get approval from the park owner to live there.

    ", + "

    Read detailed information on buying, selling or gifting your park (mobile) home.

    ", + "

    Park repairs and improvements

    ", + "

    Park owners are responsible for:

    ", + "
  • keeping common areas (like shared paths) in good condition
  • ", + "
  • repairing the area where your home sits (the \u2018base\u2019)
  • ", + "
  • maintaining any services they supply to your home or pitch (like sewerage)
  • ", + "

    Park improvements

    ", + "

    If the park owner plans to make improvements, they must:

    ", + "
  • give you at least 28 days\u2019 notice in writing and let you know how you can comment on the plans
  • ", + "
  • tell you if it will affect your pitch fee
  • ", + "

    They can go ahead with improvements even if most residents disagree.\nThe park owner can sometimes recover improvement costs through a pitch fee increase. If you disagree, you can apply to a tribunal. Contact the Leasehold Advisory Service for advice.

    ", + "

    Residents\u2019 associations

    ", + "

    You can set up a \u2018qualifying\u2019 residents\u2019 association to represent home owners in the mobile home park where you live.

    ", + "

    Qualifying residents\u2019 associations have certain rights and park owners should consult the residents\u2019 association when they want to spend money on improvements or change how they run the park.

    ", + "

    Park owners must give at least 28 days\u2019 notice of any changes and take the association\u2019s concerns into account before they make changes.

    ", + "

    Setting up a qualifying residents\u2019 association

    ", + "

    Your association must include at least half of the home owners in your park. Residents who rent their homes cannot join.

    ", + "

    You\u2019ll have to keep certain records and documents, like:

    ", + "
  • an up-to-date list of members
  • ", + "
  • a constitution
  • ", + "
  • any other rules of the association
  • ", + "

    You\u2019ll have to elect a:

    ", + "
  • chairman
  • ", + "
  • secretary
  • ", + "
  • treasurer
  • ", + "

    The chairman, secretary and treasurer can make administrative decisions. Members should vote on all other decisions.

    ", + "

    You need to ask the park owner to \u2018acknowledge\u2019 your association. You can apply to a tribunal if they refuse. They can order the park owner to acknowledge your association.

    ", + "

    Your association can continue to meet if it does not meet the qualifying conditions but the park owner will not have to talk to the association about park operations and management.

    ", + "

    Settling disputes

    ", + "

    If you have a dispute with the park owner that you cannot work out, you can apply to a tribunal. Decisions made by the tribunal are legally binding.

    ", + "

    If your agreement says you must use an arbitrator, ignore it. You must use a tribunal instead.

    ", + "

    The tribunal can settle certain disputes, for example:

    ", + "
  • changing a residence agreement
  • ", + "
  • changing the pitch fee
  • ", + "
  • moving a park home
  • ", + "
  • damage and repairs to the site
  • ", + "
  • transferring ownership of a park home to someone else
  • ", + "

    Find out more about the types of disputes the tribunal can solve.

    ", + "

    Get help

    ", + "

    Contact the Leasehold Advisory Service for advice if you\u2019re not sure whether you have a case.

    ", + "

    Call the tribunal if you have any questions about completing the form. The tribunal cannot give you legal advice.

    " + ] + }, + "https://www.gov.uk/rent-room-in-your-home": { + "url": "https://www.gov.uk/rent-room-in-your-home", + "title": "Rent a room in your home", + "content": "## Becoming a resident landlord\n\nYou\u2019re a resident landlord if you let out part of a property which is your only or main home.\n\nIf you only occasionally rent out part of your home (for example through short-term rental apps), check if you need to tell HMRC about this income.\n\nIf so, you\u2019ll have certain rights and responsibilities:\n\n- you\u2019re responsible for keeping the property safe and in good repair\n\n- a tenant or lodger doesn\u2019t have the right to challenge the agreed rent\n\n- you may be able to earn \u00a37,500 per year tax-free under the Rent a Room Scheme\n\n- you can give less notice to end a letting than if you rented out the property as a whole\n\nAsk potential tenants or lodgers for references and follow them up before signing any agreement. Read the guide about letting rooms in your home for more information.\n\n## Coronavirus (COVID-19) and your responsibilities\n\nYour responsibilities as a resident landlord have not changed because of coronavirus. You can read more coronavirus and renting guidance for tenants and landlords.\n\n## The Rent a Room Scheme\n\nThe Rent a Room Scheme lets you earn up to a threshold of \u00a37,500 per year tax-free from letting out furnished accommodation in your home. This is halved if you share the income with your partner or someone else.\n\nYou can let out as much of your home as you want.\n\n## How it works\n\nThe tax exemption is automatic if you earn less than \u00a37,500. This means you do not need to do anything.\n\nIf you earn more than this you must complete a tax return.\n\nYou can then opt into the scheme and claim your tax-free allowance. You do this on your tax return.\n\nYou can choose not to opt into the scheme and instead record your income and expenses on the property pages of your tax return.\n\n## More information\n\nRead the Rent a Room helpsheet for more detailed information on how to complete the form, and when it makes sense to opt out of the scheme.\n\n## Eligibility\n\nYou can opt in to the scheme at any time if:\n\n- you\u2019re a resident landlord, whether or not you own your home\n\n- you run a bed and breakfast or a guest house\n\nYou cannot use the scheme for homes converted into separate flats.\n\n## Your lodger's tenancy type\n\nThe way you share your home with a lodger affects what kind of tenancy they have. This in turn affects their rights and how you can end the tenancy.\n\n## Your lodger is an excluded occupier\n\nYour lodger is likely to be an excluded occupier if:\n\n- they live in your home\n\n- you or a member of your family share a kitchen, bathroom or living room with them\n\nIn this case, you only have to give them \u2018reasonable notice\u2019 to end the letting - and you will not have to go to court to evict them.\n\nReasonable notice usually means the length of the rental payment period. For example, if rent is paid monthly, you should give one month\u2019s notice.\n\n## Your lodger has basic protection\n\nYour lodger is likely to be an occupier with basic protection if:\n\n- they live in your home\n\n- they do not share any living space with you or your family\n\nIf your lodger will not leave when you ask them, you\u2019ll need to get a court order to evict them.\n\nThe charity Shelter has advice on excluded occupiers and occupiers with basic protection.\n\n## The length of the let\n\nA tenancy or a licence can be either:\n\n- periodic - run indefinitely from 1 rent period to the next\n\n- fixed term - last a set number of weeks, months or years\n\nIf you do not agree the length of a let, it will automatically become a periodic let.\n\nLicences can be open-ended for informal arrangements, like allowing a friend to stay on an as-and-when basis.\n\n## Rent, bills and tax\n\n## Rent\n\nYou can charge what you want for rent but should agree the amount with your tenant beforehand. You can also ask for a deposit and you can accept Housing Benefit for rent.\n\nYou must provide a rent book for tenants who pay weekly.\n\n## Coronavirus (COVID-19) and rent\n\nTenant responsibilities to pay rent have not changed because of coronavirus (COVID-19). Your tenant should continue to pay rent if they can. You can read coronavirus and renting guidance for tenants and landlords.\n\nYou and your tenant can get advice from Shelter, Citizens Advice and The Money Advice Service.\n\n## Council Tax\n\nYou will be responsible for Council Tax and can include part of the cost in the rent you charge. You must tell your council if having a tenant means you\u2019re no longer entitled to a single person discount.\n\nIf you\u2019re unsure who should pay Council Tax, check with your local council.\n\n## Utility bills\n\nIf you pay the utility bills for the entire house, you can include a charge in the rent or install pre-paid meters.\n\nYou can only charge the amount you\u2019ve paid for gas and electricity plus VAT or you could face civil proceedings. Read Ofgem\u2019s rules on the resale of gas and electricity for more information.\n\n## Income Tax\n\nIncome Tax is payable on rental income you receive.\n\nIf you\u2019re not in the Rent a Room scheme, you\u2019ll be charged Income Tax on any rental income you get after business letting expenses. Examples of business expenses include:\n\n- insurance\n\n- maintenance\n\n- repairs (but not improvements)\n\n- utility bills\n\nIf you\u2019re in the Rent a Room Scheme, you\u2019ll pay Income Tax differently.\n\n## Capital Gains Tax\n\nYou may have to pay Capital Gains Tax when you sell your home if:\n\n- you let out all or part of it\n\n- you\u2019ve taken in more than 1 tenant or lodger at a time\n\nHowever, you may be entitled to Private Residence Relief and Letting Relief.\n\n## Deposits\n\nResident landlords are not legally required to protect tenants\u2019 deposit with one of the government-approved schemes.\n\nYour local council may guarantee rent for a potential tenant who can\u2019t afford a deposit.\n\nYou may have to pay other taxes if you run a bed and breakfast, or provide meals or cleaning services for guests. Contact HM Revenue and Customs for more information.\n\n## Ending a letting\n\n## How to end an excluded tenancy or licence\n\nIf your lodger is an excluded occupier, you only need to give them \u2018reasonable notice\u2019 to quit.\n\nUsually this means the length of the rental payment period \u2013 so if your lodger pays rent weekly, you need to give 1 week\u2019s notice. The notice does not have to be in writing.\n\nYou can then change the locks on your lodger\u2019s rooms, even if they\u2019ve left their belongings there. You must give their belongings back to them.\n\n## How to end a non-excluded tenancy or licence\n\nIf your lodger is an occupier with basic protection, you must serve them a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but is often at least 4 weeks.\n\nIf your lodger does not leave, you\u2019ll need to get a court order to evict them.\n\n## Your lodger ends the tenancy\n\nYour lodger can end the tenancy by giving you notice. They cannot do this during the fixed term of the tenancy, unless there\u2019s a break clause.\n\nThe amount of notice they need to give depends on the tenancy agreement, if there is one. Otherwise, it\u2019s usually at least 4 weeks (if they pay weekly) or 1 month (if they pay monthly).\n\nYou and your tenant can end a tenancy at any time if you both agree.\n\n## Change of ownership\n\nIf you stop living in your home, the tenants can still stay there, but their tenancy type may change to reflect that you no longer live there.\n\nIf you sell your home and the new owner plans to live in the property as a resident landlord, they must:\n\n- give notice to a tenant within 28 days that they intend to live there\n\n- move in within 6 months of the sale\n\nUntil the new owner moves in, tenants will have more protection through tenancy laws, because during this time there\u2019s no resident landlord. Their rights will depend on when they moved in. Find out about tenants\u2019 rights in \u2018Private renting: tenancy agreements\u2019.\n\nIf you die, a tenancy will usually continue as though you were still resident, until someone else takes ownership.\n\n## Houses in Multiple Occupation\n\nYour property may be classed as an House in Multiple Occupation (HMO) if you let rooms to more than 2 people.\n\nThere are extra safety requirements and standards for HMOs and you\u2019ll often need a licence.\n\nIf someone in an HMO becomes ill with coronavirus (COVID-19), you do not have to find alternative accommodation for the other tenants. You also cannot make someone leave their home because they have coronavirus. Read the coronavirus and renting guidance for tenants and landlords.", + "original_contents": [ + "

    Becoming a resident landlord

    ", + "

    You\u2019re a resident landlord if you let out part of a property which is your only or main home.

    ", + "

    If you only occasionally rent out part of your home (for example through short-term rental apps), check if you need to tell HMRC about this income.

    ", + "

    If so, you\u2019ll have certain rights and responsibilities:

    ", + "
  • you\u2019re responsible for keeping the property safe and in good repair
  • ", + "
  • a tenant or lodger doesn\u2019t have the right to challenge the agreed rent
  • ", + "
  • you may be able to earn \u00a37,500 per year tax-free under the Rent a Room Scheme
  • ", + "
  • you can give less notice to end a letting than if you rented out the property as a whole
  • ", + "

    Ask potential tenants or lodgers for references and follow them up before signing any agreement. Read the guide about letting rooms in your home for more information.

    ", + "

    Coronavirus (COVID-19) and your responsibilities

    ", + "

    Your responsibilities as a resident landlord have not changed because of coronavirus. You can read more coronavirus and renting guidance for tenants and landlords.

    ", + "

    The Rent a Room Scheme

    ", + "

    The Rent a Room Scheme lets you earn up to a threshold of \u00a37,500 per year tax-free from letting out furnished accommodation in your home. This is halved if you share the income with your partner or someone else.

    ", + "

    You can let out as much of your home as you want.

    ", + "

    How it works

    ", + "

    The tax exemption is automatic if you earn less than \u00a37,500. This means you do not need to do anything.

    ", + "

    If you earn more than this you must complete a tax return.

    ", + "

    You can then opt into the scheme and claim your tax-free allowance. You do this on your tax return.

    ", + "

    You can choose not to opt into the scheme and instead record your income and expenses on the property pages of your tax return.

    ", + "

    More information

    ", + "

    Read the Rent a Room helpsheet for more detailed information on how to complete the form, and when it makes sense to opt out of the scheme.

    ", + "

    Eligibility

    ", + "

    You can opt in to the scheme at any time if:

    ", + "
  • you\u2019re a resident landlord, whether or not you own your home
  • ", + "
  • you run a bed and breakfast or a guest house
  • ", + "

    You cannot use the scheme for homes converted into separate flats.

    ", + "

    Your lodger's tenancy type

    ", + "

    The way you share your home with a lodger affects what kind of tenancy they have. This in turn affects their rights and how you can end the tenancy.

    ", + "

    Your lodger is an excluded occupier

    ", + "

    Your lodger is likely to be an excluded occupier if:

    ", + "
  • they live in your home
  • ", + "
  • you or a member of your family share a kitchen, bathroom or living room with them
  • ", + "

    In this case, you only have to give them \u2018reasonable notice\u2019 to end the letting - and you will not have to go to court to evict them.

    ", + "

    Reasonable notice usually means the length of the rental payment period. For example, if rent is paid monthly, you should give one month\u2019s notice.

    ", + "

    Your lodger has basic protection

    ", + "

    Your lodger is likely to be an occupier with basic protection if:

    ", + "
  • they live in your home
  • ", + "
  • they do not share any living space with you or your family
  • ", + "

    If your lodger will not leave when you ask them, you\u2019ll need to get a court order to evict them.

    ", + "

    The charity Shelter has advice on excluded occupiers and occupiers with basic protection.

    ", + "

    The length of the let

    ", + "

    A tenancy or a licence can be either:

    ", + "
  • periodic - run indefinitely from 1 rent period to the next
  • ", + "
  • fixed term - last a set number of weeks, months or years
  • ", + "

    If you do not agree the length of a let, it will automatically become a periodic let.

    ", + "

    Licences can be open-ended for informal arrangements, like allowing a friend to stay on an as-and-when basis.

    ", + "

    Rent, bills and tax

    ", + "

    Rent

    ", + "

    You can charge what you want for rent but should agree the amount with your tenant beforehand. You can also ask for a deposit and you can accept Housing Benefit for rent.

    ", + "

    You must provide a rent book for tenants who pay weekly.

    ", + "

    Coronavirus (COVID-19) and rent

    ", + "

    Tenant responsibilities to pay rent have not changed because of coronavirus (COVID-19). Your tenant should continue to pay rent if they can. You can read coronavirus and renting guidance for tenants and landlords.

    ", + "

    You and your tenant can get advice from Shelter, Citizens Advice and The Money Advice Service.

    ", + "

    Council Tax

    ", + "

    You will be responsible for Council Tax and can include part of the cost in the rent you charge. You must tell your council if having a tenant means you\u2019re no longer entitled to a single person discount.

    ", + "

    If you\u2019re unsure who should pay Council Tax, check with your local council.

    ", + "

    Utility bills

    ", + "

    If you pay the utility bills for the entire house, you can include a charge in the rent or install pre-paid meters.

    ", + "

    You can only charge the amount you\u2019ve paid for gas and electricity plus VAT or you could face civil proceedings. Read Ofgem\u2019s rules on the resale of gas and electricity for more information.

    ", + "

    Income Tax

    ", + "

    Income Tax is payable on rental income you receive.

    ", + "

    If you\u2019re not in the Rent a Room scheme, you\u2019ll be charged Income Tax on any rental income you get after business letting expenses. Examples of business expenses include:

    ", + "
  • insurance
  • ", + "
  • maintenance
  • ", + "
  • repairs (but not improvements)
  • ", + "
  • utility bills
  • ", + "

    If you\u2019re in the Rent a Room Scheme, you\u2019ll pay Income Tax differently.

    ", + "

    Capital Gains Tax

    ", + "

    You may have to pay Capital Gains Tax when you sell your home if:

    ", + "
  • you let out all or part of it
  • ", + "
  • you\u2019ve taken in more than 1 tenant or lodger at a time
  • ", + "

    However, you may be entitled to Private Residence Relief and Letting Relief.

    ", + "

    Deposits

    ", + "

    Resident landlords are not legally required to protect tenants\u2019 deposit with one of the government-approved schemes.

    ", + "

    Your local council may guarantee rent for a potential tenant who can\u2019t afford a deposit.

    ", + "

    You may have to pay other taxes if you run a bed and breakfast, or provide meals or cleaning services for guests. Contact HM Revenue and Customs for more information.

    ", + "

    Ending a letting

    ", + "

    How to end an excluded tenancy or licence

    ", + "

    If your lodger is an excluded occupier, you only need to give them \u2018reasonable notice\u2019 to quit.

    ", + "

    Usually this means the length of the rental payment period \u2013 so if your lodger pays rent weekly, you need to give 1 week\u2019s notice. The notice does not have to be in writing.

    ", + "

    You can then change the locks on your lodger\u2019s rooms, even if they\u2019ve left their belongings there. You must give their belongings back to them.

    ", + "

    How to end a non-excluded tenancy or licence

    ", + "

    If your lodger is an occupier with basic protection, you must serve them a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but is often at least 4 weeks.

    ", + "

    If your lodger does not leave, you\u2019ll need to get a court order to evict them.

    ", + "

    Your lodger ends the tenancy

    ", + "

    Your lodger can end the tenancy by giving you notice. They cannot do this during the fixed term of the tenancy, unless there\u2019s a break clause.

    ", + "

    The amount of notice they need to give depends on the tenancy agreement, if there is one. Otherwise, it\u2019s usually at least 4 weeks (if they pay weekly) or 1 month (if they pay monthly).

    ", + "

    You and your tenant can end a tenancy at any time if you both agree.

    ", + "

    Change of ownership

    ", + "

    If you stop living in your home, the tenants can still stay there, but their tenancy type may change to reflect that you no longer live there.

    ", + "

    If you sell your home and the new owner plans to live in the property as a resident landlord, they must:

    ", + "
  • give notice to a tenant within 28 days that they intend to live there
  • ", + "
  • move in within 6 months of the sale
  • ", + "

    Until the new owner moves in, tenants will have more protection through tenancy laws, because during this time there\u2019s no resident landlord. Their rights will depend on when they moved in. Find out about tenants\u2019 rights in \u2018Private renting: tenancy agreements\u2019.

    ", + "

    If you die, a tenancy will usually continue as though you were still resident, until someone else takes ownership.

    ", + "

    Houses in Multiple Occupation

    ", + "

    Your property may be classed as an House in Multiple Occupation (HMO) if you let rooms to more than 2 people.

    ", + "

    There are extra safety requirements and standards for HMOs and you\u2019ll often need a licence.

    ", + "

    If someone in an HMO becomes ill with coronavirus (COVID-19), you do not have to find alternative accommodation for the other tenants. You also cannot make someone leave their home because they have coronavirus. Read the coronavirus and renting guidance for tenants and landlords.

    " + ] + }, + "https://www.gov.uk/renting-out-a-property": { + "url": "https://www.gov.uk/renting-out-a-property", + "title": "Renting out your property", + "content": "## Landlord responsibilities\n\nYou\u2019re a landlord if you rent out your property. As a landlord you must:\n\n- keep your rented properties safe and free from health hazards\n\n- make sure all gas and electrical equipment is safely installed and maintained\n\n- provide an Energy Performance Certificate for the property\n\n- protect your tenant\u2019s deposit in a government-approved scheme\n\n- check your tenant has the right to rent your property if it\u2019s in England\n\n- give your tenant a copy of the How to rent checklist when they start renting from you (you can email it to them)\n\nThere are different rules if you rent out property in Scotland or Northern Ireland.\n\n## Coronavirus (COVID-19) and your responsibilities\n\nYour responsibilities as a landlord have not changed because of coronavirus. However, you should follow the government\u2019s coronavirus advice.\n\nRead the coronavirus and renting guidance for tenants and landlords.\n\n## Fire safety\n\nIt\u2019s your responsibility to:\n\n- fit and test smoke alarms and carbon monoxide alarms\n\n- follow fire safety regulations for property in a purpose-built block of flats or for houses and property adapted into flats\n\n## Health and safety inspections\n\nThe Housing Health and Safety Rating System (HHSRS) is used by your council to make sure that properties in its area are safe for the people who live there.\nThis involves inspecting your property for possible hazards, such as uneven stairs.\n\nIf you own a property and rent it out, the council may decide to do an HHSRS inspection because:\n\n- your tenants have asked for an inspection\n\n- the council has done a survey of local properties and thinks your property might be hazardous\n\n## HHSRS hazard ratings\n\nInspectors look at 29 health and safety areas and score each hazard they find as category 1 or 2, according to its seriousness.\n\nYou must take action on enforcement notices from your council. You also have the right to appeal enforcement notices.\n\nThe council can do any of the following if they find a serious hazard:\n\n- issue an improvement notice\n\n- fix the hazard themselves and bill you for the cost\n\n- stop you or anyone else from using part or all of the property\n\n## Financial responsibilities\n\nYou have to pay:\n\n- Income Tax on your rental income, minus your day-to-day running expenses\n\n- Class 2 National Insurance if the work you do renting out property counts as running a business\n\nIf you only occasionally rent out your property or part of your home (for example through short-term rental apps), check if you need to tell HMRC about this income.\n\nIf you have a mortgage on the property you want to rent out, you must get permission from your mortgage lender.\n\n## Regulated tenancies\n\nThere are special rules for changing rents and terms for regulated tenancies (usually private tenancies starting before 15 January 1989).\n\n## Making repairs\n\nYou must keep your property in good condition, and any gas or electrical systems must meet specified safety standards.\n\nWhen doing repairs in your property, make sure you keep you and your tenants safe from coronavirus (COVID-19).\n\nThere is more information about doing repairs and maintenance in section 3 of the coronavirus and renting guidance for tenants and landlords.\n\nThere are different rules around making repairs if you rent out property in Scotland or Northern Ireland.\n\n## When you can enter the property\n\nYou have a legal right to enter your property to inspect it or carry out repairs. You must give your tenants at least 24 hours\u2019 notice, although immediate access may be possible in emergencies. Your tenants have the right to stay in the property during the repairs.\n\nYou\u2019re normally responsible for repairs to:\n\n- the structure of your property\n\n- basins, sinks, baths and other sanitary fittings\n\n- heating and hot water systems\n\n- anything you damage through attempting repairs\n\nIf your property is seriously damaged by a fire, flood or other similar incident, you do not have to rebuild or renovate it. However, if you do, you cannot charge your tenants for any repairs made.\n\n## Common areas\n\nIf you own a block of flats, you\u2019re usually responsible for repairing common areas, like staircases. Councils can ask landlords to fix problems in common areas, or to repair a tenant\u2019s flat that\u2019s been damaged by another tenant.\n\n## What happens if repairs are not done properly\n\nIf you refuse to carry out repairs, tenants can:\n\n- start a claim in the small claims court for repairs under \u00a35,000\n\n- in some circumstances, carry out the repairs themselves and deduct the cost from their rent\n\nIf you do not make repairs to remove hazards, your tenants can ask the council to inspect the property under the Housing Health and Safety Rating System (HHSRS) and to take any action that is necessary.\n\nIf the council finds serious hazards, it must take enforcement action to make sure the hazard is removed.\n\n## If the property is temporarily unfit to live in\n\nYou can ask tenants to move out during major repairs. Before this happens, you should agree in writing:\n\n- how long the works will last\n\n- the tenants\u2019 right to return\n\n- details of any alternative accommodation\n\nYou cannot repossess a property to do repairs. However, if you\u2019re planning substantial works, or want to redevelop the property, you can apply to the courts for an order for your tenants to leave. The courts are more likely to grant this if you provide alternative accommodation.\n\n## Repairs and charging rent\n\nIf the repairs are very disruptive, your tenants may be able to claim a reduction on their rent known as a \u2018rent abatement\u2019. This will depend on how much of the property is unusable.\n\nYou may have the right to increase the rent after carrying out repairs and improvements, depending on the tenancy agreement.\n\n## Rent increases\n\nThe tenancy agreement should include how and when you\u2019ll review the rent.\n\nThere are special rules for increasing regulated tenancy rents.\n\n## When you can increase rent\n\nFor a periodic tenancy (rolling on a week-by-week or month-by-month basis) you can usually only increase the rent once a year.\n\nFor a fixed-term tenancy (running for a set period) you can only increase the rent if your tenancy agreement permits this. Otherwise, you can only raise the rent when the fixed term ends.\n\n## How you can increase the rent\n\nIf a fixed-term tenancy agreement says how the rent can be increased, you must stick to this.\n\nFor a periodic tenancy, you can:\n\n- agree a rent increase with your tenants and produce a written record of the agreement that you both sign\n\n- use a \u2018Landlord\u2019s notice proposing a new rent\u2019 form, giving your tenant at least a month\u2019s notice\n\nThere are different rules around increasing rent if you rent out property in Scotland or Northern Ireland.\n\nThe rent increase must be fair and realistic - that is, in line with reasonable rents on the open market.\n\n## If your tenants do not agree\n\nIf your tenants think the rent increase is unfair, they can ask the First Tier Property Tribunal to decide the right amount.\n\n## Coronavirus (COVID-19) and rent\n\nTenant responsibilities have not changed because of coronavirus. Your tenant should continue to pay rent if they can.\n\nIf your tenant is unable to pay their rent, you can agree a different way to pay. For example, you can agree to accept a lower rent payment for a set amount of time and they pay off the rent arrears later.\n\nRead the coronavirus and renting guidance for tenants and landlords.\n\nYou and your tenant can get advice from Shelter, Citizens Advice and the Money Advice Service.\n\n## Settling disputes\n\nYou can often sort out disputes with your tenants without going to court:\n\n- Speak to your tenants about your concerns.\n\n- If this does not work, write a formal letter setting out the problem.\n\n- Use a mediation service, which is usually cheaper and quicker than going to court.\n\n- As a last resort, you can take your tenants to court.\n\nThere are different rules for settling disputes if you rent out property in Scotland or Northern Ireland.\n\n## Going to court\n\nIf you take legal action, the case may go to a small claims court. Small claims cases are those worth less than \u00a310,000 (or \u00a31,000 if the case is about repairs to a property).\n\nThe courts provide a free mediation service for small claims cases, which can take place over the phone.\n\nIf you want to get your property back because your tenants owe you rent money, you can make a possession claim online.\n\nYou must follow specific rules if you want to evict tenants.\n\n## Coronavirus (COVID-19) and possession claims\n\nThe court process for possession claims is different because of coronavirus.\n\nYou must tell the court if your tenant and their dependants have been affected by coronavirus. For example, if they lost income because of coronavirus, which meant they were not able to pay your rent.\n\n## Free advice for disputes\n\nYou can get free advice about disputes or housing problems from Citizens Advice or Shelter.\n\nIn Wales, you can contact Shelter Cymru.\n\nYou might be able to get free and confidential legal advice from Civil Legal Advice (CLA) as part of legal aid, if you\u2019re in England and Wales.\n\nA solicitor can also help you, but they might charge a fee.\n\n## Houses in Multiple Occupation (HMO)\n\nIf you let your property to several tenants who are not members of the same family, it may be a \u2018House in Multiple Occupation\u2019 (HMO).\n\nThe rules about HMOs are different in Scotland and Northern Ireland.\n\nYour property is an HMO if both of the following apply:\n\n- at least 3 tenants live there, forming more than one household\n\n- toilet, bathroom or kitchen facilities are shared\n\nA household consists of either a single person or members of the same family who live together. It includes people who are married or living together and people in same-sex relationships.\n\nIf someone in an HMO becomes ill with coronavirus (COVID-19), you do not have to find alternative accommodation for the other tenants. You also cannot make someone leave their home because they have coronavirus. Read the coronavirus and renting guidance for tenants and landlords.\n\n## Licences\n\nAn HMO must have a licence if it is occupied by 5 or more people. A council can also include other types of HMOs for licensing.\n\nFind out if you need an HMO licence from your council.\n\n## Risk assessment\n\nThe council has to carry out a Housing Health and Safety Rating System (HHSRS) risk assessment on your HMO within 5 years of receiving a licence application. If the inspector finds any unacceptable risks during the assessment, you must carry out work to eliminate them.\n\n## Reporting changes\n\nYou must tell the council if:\n\n- you plan to make changes to an HMO\n\n- your tenants make changes\n\n- your tenants\u2019 circumstances change (for example they have a child)\n\n## Paying tax and National Insurance\n\nWhen you rent out property you may have to pay tax.\n\n## Running a property business\n\nYou have to pay Class 2 National Insurance if your profits are \u00a36,515 a year or more and what you do counts as running a business, for example if all the following apply:\n\n- being a landlord is your main job\n\n- you rent out more than one property\n\n- you\u2019re buying new properties to rent out\n\nIf your profits are under \u00a36,515, you can make voluntary Class 2 National Insurance payments, for example to make sure you get the full State Pension.\n\nYou do not pay National Insurance if you\u2019re not running a business - even if you do work like arranging repairs, advertising for tenants and arranging tenancy agreements.\n\n## Property you personally own\n\nThe first \u00a31,000 of your income from property rental is tax-free. This is your \u2018property allowance\u2019.\n\nContact HMRC if your income from property rental is between \u00a31,000 and \u00a32,500 a year.\n\nYou must report it on a Self Assessment tax return if it\u2019s:\n\n- \u00a32,500 to \u00a39,999 after allowable expenses\n\n- \u00a310,000 or more before allowable expenses\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had rental income.\n\nRegister now\n\n## Declaring unpaid tax\n\nYou can declare unpaid tax by telling HMRC about rental income from previous years. If you have to pay a penalty it\u2019ll be lower than if HMRC find out about the income themselves.\n\nYou\u2019ll be given a disclosure reference number. You then have 3 months to work out what you owe and pay it.\n\nDo not include the \u00a31,000 tax-free property allowance for any tax years before 2017 to 2018.\n\n## Property owned by a company\n\nCount the rental income the same way as any other business income.\n\n## Costs you can claim to reduce tax\n\nThere are different tax rules for:\n\n- residential properties\n\n- furnished holiday lettings\n\n- commercial properties\n\n## Residential properties\n\nYou or your company must pay tax on the profit you make from renting out the property, after deductions for \u2018allowable expenses\u2019.\n\nAllowable expenses are things you need to spend money on in the day-to-day running of the property, like:\n\n- letting agents\u2019 fees\n\n- legal fees for lets of a year or less, or for renewing a lease for less than 50 years\n\n- accountants\u2019 fees\n\n- buildings and contents insurance\n\n- interest on property loans\n\n- maintenance and repairs to the property (but not improvements)\n\n- utility bills, like gas, water and electricity\n\n- rent, ground rent, service charges\n\n- Council Tax\n\n- services you pay for, like cleaning or gardening\n\n- other direct costs of letting the property, like phone calls, stationery and advertising\n\nAllowable expenses do not include \u2018capital expenditure\u2019 - like buying a property or renovating it beyond repairs for wear and tear.\n\nYou may be able to claim tax relief on money spent on replacing a \u2018domestic item\u2019. This is called \u2018replacement of domestic items relief\u2019.\n\nDomestic items include:\n\n- beds\n\n- sofas\n\n- curtains\n\n- carpets\n\n- fridges\n\n- crockery and cutlery\n\nYou must have only bought the domestic item for use by tenants in a residential property and the item you replaced must no longer be used in that property.\n\nThe replacement of domestic items relief is available from:\n\n- the 2016 to 2017 tax year for individuals and partnerships\n\n- 1 April 2016 for companies\n\n## Furnished residential lettings\n\nYou may be able to claim \u2018wear and tear allowance\u2019:\n\n- for the 2015 to 2016 tax year for individuals and partnerships\n\n- on or before 31 March 2016 for companies\n\n## Furnished holiday lettings\n\nFor furnished holiday homes, you may be able to claim:\n\n- plant and machinery capital allowances on furniture, furnishings and so on in the let property, as well as on equipment used outside the property (like vans and tools)\n\n- Capital Gains Tax reliefs - Business Asset Rollover Relief, Entrepreneurs\u2019 Relief, relief for gifts of business assets and relief for loans to traders\n\nYou can only claim these if all the following apply:\n\n- the property is offered to let for at least 210 days a year\n\n- it\u2019s let for more than 105 days a year\n\n- no single let is more than 31 days\n\n- you charge the going rate for similar properties in the area (\u2018market value\u2019)\n\nIf you own the property personally, your profits count as earnings for pension purposes.\n\nYou can download helpsheets to help you with your tax return:\n\n- capital allowances\n\n- furnished holiday lettings\n\n## Commercial properties\n\nYou can claim plant and machinery capital allowances on some items if you rent out a commercial property - like a shop, garage or lock-up.\n\n## Working out your profit\n\nYou work out the net profit or loss for all your property lettings (except furnished holiday lettings) as if it\u2019s a single business. To do this, you:\n\n- add together all your rental income\n\n- add together all your allowable expenses\n\n- take the expenses away from the income\n\nWork out the profit or loss from furnished holiday lettings separately from any other rental business to make sure you only claim these tax advantages for eligible properties.\n\n## Making a loss\n\nDeduct any losses from your profit and enter the figure on your Self Assessment form.\n\nYou can offset your loss against:\n\n- future profits by carrying it forward to a later year\n\n- profits from other properties (if you have them)\n\nYou can only offset losses against future profits in the same business.\n\n## Changing a regulated tenancy (fair rent)\n\nThere are special rules for changing rents and terms for regulated tenancies (sometimes called \u2018fair rents\u2019) which usually started before 15 January 1989.\n\nThere are different rules for increasing rents in regulated tenancies in Scotland and rent-controlled tenancies in Northern Ireland.\n\n## When you can increase rent\n\nYou can only increase the rent up to the maximum set by the Valuation Office Agency (VOA) - check the register of rents to find out what it is.\n\nYou can ask VOA to review the rent every 2 years, or earlier if something has affected the value, so that it remains fair. Your rent might increase or decrease.\n\nDownload and fill in a fair rent form to get your rent reviewed. Send the completed form to the VOA Network Support Office by post.\n\nEmail the VOA Network Support Office if you have any questions about increasing your rent.\n\n## If the fair rent increases\n\nYou must serve a notice of increase of rent on your tenant. You can charge the new rent from the date it\u2019s registered.\n\nFill in a \u2018notice of increase\u2019 form (available from legal stationers) and send it to your tenant.\n\nYou can backdate your notice of rent increase for up to 4 weeks.\n\n## Cancel a registered rent\n\nDownload and fill in an application form to cancel a registered rent and send it to the address on the form, for example if the tenancy stops being regulated, or you and the tenant agree to cancel it.\n\nIt may take up to 6 weeks to cancel a registered rent.", + "original_contents": [ + "

    Landlord responsibilities

    ", + "

    You\u2019re a landlord if you rent out your property. As a landlord you must:

    ", + "
  • keep your rented properties safe and free from health hazards
  • ", + "
  • make sure all gas and electrical equipment is safely installed and maintained
  • ", + "
  • provide an Energy Performance Certificate for the property
  • ", + "
  • protect your tenant\u2019s deposit in a government-approved scheme
  • ", + "
  • check your tenant has the right to rent your property if it\u2019s in England
  • ", + "
  • give your tenant a copy of the How to rent checklist when they start renting from you (you can email it to them)
  • ", + "

    There are different rules if you rent out property in Scotland or Northern Ireland.

    ", + "

    Coronavirus (COVID-19) and your responsibilities

    ", + "

    Your responsibilities as a landlord have not changed because of coronavirus. However, you should follow the government\u2019s coronavirus advice.

    ", + "

    Read the coronavirus and renting guidance for tenants and landlords.

    ", + "

    Fire safety

    ", + "

    It\u2019s your responsibility to:

    ", + "
  • fit and test smoke alarms and carbon monoxide alarms
  • ", + "
  • follow fire safety regulations for property in a purpose-built block of flats or for houses and property adapted into flats
  • ", + "

    Health and safety inspections

    ", + "

    The Housing Health and Safety Rating System (HHSRS) is used by your council to make sure that properties in its area are safe for the people who live there.\nThis involves inspecting your property for possible hazards, such as uneven stairs.

    ", + "

    If you own a property and rent it out, the council may decide to do an HHSRS inspection because:

    ", + "
  • your tenants have asked for an inspection
  • ", + "
  • the council has done a survey of local properties and thinks your property might be hazardous
  • ", + "

    HHSRS hazard ratings

    ", + "

    Inspectors look at 29 health and safety areas and score each hazard they find as category 1 or 2, according to its seriousness.

    ", + "

    You must take action on enforcement notices from your council. You also have the right to appeal enforcement notices.

    ", + "

    The council can do any of the following if they find a serious hazard:

    ", + "
  • issue an improvement notice
  • ", + "
  • fix the hazard themselves and bill you for the cost
  • ", + "
  • stop you or anyone else from using part or all of the property
  • ", + "

    Financial responsibilities

    ", + "

    You have to pay:

    ", + "
  • Income Tax on your rental income, minus your day-to-day running expenses
  • ", + "
  • Class 2 National Insurance if the work you do renting out property counts as running a business
  • ", + "

    If you only occasionally rent out your property or part of your home (for example through short-term rental apps), check if you need to tell HMRC about this income.

    ", + "

    If you have a mortgage on the property you want to rent out, you must get permission from your mortgage lender.

    ", + "

    Regulated tenancies

    ", + "

    There are special rules for changing rents and terms for regulated tenancies (usually private tenancies starting before 15 January 1989).

    ", + "

    Making repairs

    ", + "

    You must keep your property in good condition, and any gas or electrical systems must meet specified safety standards.

    ", + "

    When doing repairs in your property, make sure you keep you and your tenants safe from coronavirus (COVID-19).

    ", + "

    There is more information about doing repairs and maintenance in section 3 of the coronavirus and renting guidance for tenants and landlords.

    ", + "

    There are different rules around making repairs if you rent out property in Scotland or Northern Ireland.

    ", + "

    When you can enter the property

    ", + "

    You have a legal right to enter your property to inspect it or carry out repairs. You must give your tenants at least 24 hours\u2019 notice, although immediate access may be possible in emergencies. Your tenants have the right to stay in the property during the repairs.

    ", + "

    You\u2019re normally responsible for repairs to:

    ", + "
  • the structure of your property
  • ", + "
  • basins, sinks, baths and other sanitary fittings
  • ", + "
  • heating and hot water systems
  • ", + "
  • anything you damage through attempting repairs
  • ", + "

    If your property is seriously damaged by a fire, flood or other similar incident, you do not have to rebuild or renovate it. However, if you do, you cannot charge your tenants for any repairs made.

    ", + "

    Common areas

    ", + "

    If you own a block of flats, you\u2019re usually responsible for repairing common areas, like staircases. Councils can ask landlords to fix problems in common areas, or to repair a tenant\u2019s flat that\u2019s been damaged by another tenant.

    ", + "

    What happens if repairs are not done properly

    ", + "

    If you refuse to carry out repairs, tenants can:

    ", + "
  • start a claim in the small claims court for repairs under \u00a35,000
  • ", + "
  • in some circumstances, carry out the repairs themselves and deduct the cost from their rent
  • ", + "

    If you do not make repairs to remove hazards, your tenants can ask the council to inspect the property under the Housing Health and Safety Rating System (HHSRS) and to take any action that is necessary.

    ", + "

    If the council finds serious hazards, it must take enforcement action to make sure the hazard is removed.

    ", + "

    If the property is temporarily unfit to live in

    ", + "

    You can ask tenants to move out during major repairs. Before this happens, you should agree in writing:

    ", + "
  • how long the works will last
  • ", + "
  • the tenants\u2019 right to return
  • ", + "
  • details of any alternative accommodation
  • ", + "

    You cannot repossess a property to do repairs. However, if you\u2019re planning substantial works, or want to redevelop the property, you can apply to the courts for an order for your tenants to leave. The courts are more likely to grant this if you provide alternative accommodation.

    ", + "

    Repairs and charging rent

    ", + "

    If the repairs are very disruptive, your tenants may be able to claim a reduction on their rent known as a \u2018rent abatement\u2019. This will depend on how much of the property is unusable.

    ", + "

    You may have the right to increase the rent after carrying out repairs and improvements, depending on the tenancy agreement.

    ", + "

    Rent increases

    ", + "

    The tenancy agreement should include how and when you\u2019ll review the rent.

    ", + "

    There are special rules for increasing regulated tenancy rents.

    ", + "

    When you can increase rent

    ", + "

    For a periodic tenancy (rolling on a week-by-week or month-by-month basis) you can usually only increase the rent once a year.

    ", + "

    For a fixed-term tenancy (running for a set period) you can only increase the rent if your tenancy agreement permits this. Otherwise, you can only raise the rent when the fixed term ends.

    ", + "

    How you can increase the rent

    ", + "

    If a fixed-term tenancy agreement says how the rent can be increased, you must stick to this.

    ", + "

    For a periodic tenancy, you can:

    ", + "
  • agree a rent increase with your tenants and produce a written record of the agreement that you both sign
  • ", + "
  • use a \u2018Landlord\u2019s notice proposing a new rent\u2019 form, giving your tenant at least a month\u2019s notice
  • ", + "

    There are different rules around increasing rent if you rent out property in Scotland or Northern Ireland.

    ", + "

    The rent increase must be fair and realistic - that is, in line with reasonable rents on the open market.

    ", + "

    If your tenants do not agree

    ", + "

    If your tenants think the rent increase is unfair, they can ask the First Tier Property Tribunal to decide the right amount.

    ", + "

    Coronavirus (COVID-19) and rent

    ", + "

    Tenant responsibilities have not changed because of coronavirus. Your tenant should continue to pay rent if they can.

    ", + "

    If your tenant is unable to pay their rent, you can agree a different way to pay. For example, you can agree to accept a lower rent payment for a set amount of time and they pay off the rent arrears later.

    ", + "

    Read the coronavirus and renting guidance for tenants and landlords.

    ", + "

    You and your tenant can get advice from Shelter, Citizens Advice and the Money Advice Service.

    ", + "

    Settling disputes

    ", + "

    You can often sort out disputes with your tenants without going to court:

    ", + "
  • Speak to your tenants about your concerns.
  • ", + "
  • If this does not work, write a formal letter setting out the problem.
  • ", + "
  • Use a mediation service, which is usually cheaper and quicker than going to court.
  • ", + "
  • As a last resort, you can take your tenants to court.
  • ", + "

    There are different rules for settling disputes if you rent out property in Scotland or Northern Ireland.

    ", + "

    Going to court

    ", + "

    If you take legal action, the case may go to a small claims court. Small claims cases are those worth less than \u00a310,000 (or \u00a31,000 if the case is about repairs to a property).

    ", + "

    The courts provide a free mediation service for small claims cases, which can take place over the phone.

    ", + "

    If you want to get your property back because your tenants owe you rent money, you can make a possession claim online.

    ", + "

    You must follow specific rules if you want to evict tenants.

    ", + "

    Coronavirus (COVID-19) and possession claims

    ", + "

    The court process for possession claims is different because of coronavirus.

    ", + "

    You must tell the court if your tenant and their dependants have been affected by coronavirus. For example, if they lost income because of coronavirus, which meant they were not able to pay your rent.

    ", + "

    Free advice for disputes

    ", + "

    You can get free advice about disputes or housing problems from Citizens Advice or Shelter.

    ", + "

    In Wales, you can contact Shelter Cymru.

    ", + "

    You might be able to get free and confidential legal advice from Civil Legal Advice (CLA) as part of legal aid, if you\u2019re in England and Wales.

    ", + "

    A solicitor can also help you, but they might charge a fee.

    ", + "

    Houses in Multiple Occupation (HMO)

    ", + "

    If you let your property to several tenants who are not members of the same family, it may be a \u2018House in Multiple Occupation\u2019 (HMO).

    ", + "

    The rules about HMOs are different in Scotland and Northern Ireland.

    ", + "

    Your property is an HMO if both of the following apply:

    ", + "
  • at least 3 tenants live there, forming more than one household
  • ", + "
  • toilet, bathroom or kitchen facilities are shared
  • ", + "

    A household consists of either a single person or members of the same family who live together. It includes people who are married or living together and people in same-sex relationships.

    ", + "

    If someone in an HMO becomes ill with coronavirus (COVID-19), you do not have to find alternative accommodation for the other tenants. You also cannot make someone leave their home because they have coronavirus. Read the coronavirus and renting guidance for tenants and landlords.

    ", + "

    Licences

    ", + "

    An HMO must have a licence if it is occupied by 5 or more people. A council can also include other types of HMOs for licensing.

    ", + "

    Find out if you need an HMO licence from your council.

    ", + "

    Risk assessment

    ", + "

    The council has to carry out a Housing Health and Safety Rating System (HHSRS) risk assessment on your HMO within 5 years of receiving a licence application. If the inspector finds any unacceptable risks during the assessment, you must carry out work to eliminate them.

    ", + "

    Reporting changes

    ", + "

    You must tell the council if:

    ", + "
  • you plan to make changes to an HMO
  • ", + "
  • your tenants make changes
  • ", + "
  • your tenants\u2019 circumstances change (for example they have a child)
  • ", + "

    Paying tax and National Insurance

    ", + "

    When you rent out property you may have to pay tax.

    ", + "

    Running a property business

    ", + "

    You have to pay Class 2 National Insurance if your profits are \u00a36,515 a year or more and what you do counts as running a business, for example if all the following apply:

    ", + "
  • being a landlord is your main job
  • ", + "
  • you rent out more than one property
  • ", + "
  • you\u2019re buying new properties to rent out
  • ", + "

    If your profits are under \u00a36,515, you can make voluntary Class 2 National Insurance payments, for example to make sure you get the full State Pension.

    ", + "

    You do not pay National Insurance if you\u2019re not running a business - even if you do work like arranging repairs, advertising for tenants and arranging tenancy agreements.

    ", + "

    Property you personally own

    ", + "

    The first \u00a31,000 of your income from property rental is tax-free. This is your \u2018property allowance\u2019.

    ", + "

    Contact HMRC if your income from property rental is between \u00a31,000 and \u00a32,500 a year.

    ", + "

    You must report it on a Self Assessment tax return if it\u2019s:

    ", + "
  • \u00a32,500 to \u00a39,999 after allowable expenses
  • ", + "
  • \u00a310,000 or more before allowable expenses
  • ", + "

    Register for Self Assessment

    ", + "

    If you do not usually send a tax return, you need to register by 5 October following the tax year you had rental income.

    ", + "

    Register now

    ", + "

    Declaring unpaid tax

    ", + "

    You can declare unpaid tax by telling HMRC about rental income from previous years. If you have to pay a penalty it\u2019ll be lower than if HMRC find out about the income themselves.

    ", + "

    You\u2019ll be given a disclosure reference number. You then have 3 months to work out what you owe and pay it.

    ", + "

    Do not include the \u00a31,000 tax-free property allowance for any tax years before 2017 to 2018.

    ", + "

    Property owned by a company

    ", + "

    Count the rental income the same way as any other business income.

    ", + "

    Costs you can claim to reduce tax

    ", + "

    There are different tax rules for:

    ", + "
  • residential properties
  • ", + "
  • furnished holiday lettings
  • ", + "
  • commercial properties
  • ", + "

    Residential properties

    ", + "

    You or your company must pay tax on the profit you make from renting out the property, after deductions for \u2018allowable expenses\u2019.

    ", + "

    Allowable expenses are things you need to spend money on in the day-to-day running of the property, like:

    ", + "
  • letting agents\u2019 fees
  • ", + "
  • legal fees for lets of a year or less, or for renewing a lease for less than 50 years
  • ", + "
  • accountants\u2019 fees
  • ", + "
  • buildings and contents insurance
  • ", + "
  • interest on property loans
  • ", + "
  • maintenance and repairs to the property (but not improvements)
  • ", + "
  • utility bills, like gas, water and electricity
  • ", + "
  • rent, ground rent, service charges
  • ", + "
  • Council Tax
  • ", + "
  • services you pay for, like cleaning or gardening
  • ", + "
  • other direct costs of letting the property, like phone calls, stationery and advertising
  • ", + "

    Allowable expenses do not include \u2018capital expenditure\u2019 - like buying a property or renovating it beyond repairs for wear and tear.

    ", + "

    You may be able to claim tax relief on money spent on replacing a \u2018domestic item\u2019. This is called \u2018replacement of domestic items relief\u2019.

    ", + "

    Domestic items include:

    ", + "
  • beds
  • ", + "
  • sofas
  • ", + "
  • curtains
  • ", + "
  • carpets
  • ", + "
  • fridges
  • ", + "
  • crockery and cutlery
  • ", + "

    You must have only bought the domestic item for use by tenants in a residential property and the item you replaced must no longer be used in that property.

    ", + "

    The replacement of domestic items relief is available from:

    ", + "
  • the 2016 to 2017 tax year for individuals and partnerships
  • ", + "
  • 1 April 2016 for companies
  • ", + "

    Furnished residential lettings

    ", + "

    You may be able to claim \u2018wear and tear allowance\u2019:

    ", + "
  • for the 2015 to 2016 tax year for individuals and partnerships
  • ", + "
  • on or before 31 March 2016 for companies
  • ", + "

    Furnished holiday lettings

    ", + "

    For furnished holiday homes, you may be able to claim:

    ", + "
  • plant and machinery capital allowances on furniture, furnishings and so on in the let property, as well as on equipment used outside the property (like vans and tools)
  • ", + "
  • Capital Gains Tax reliefs - Business Asset Rollover Relief, Entrepreneurs\u2019 Relief, relief for gifts of business assets and relief for loans to traders
  • ", + "

    You can only claim these if all the following apply:

    ", + "
  • the property is offered to let for at least 210 days a year
  • ", + "
  • it\u2019s let for more than 105 days a year
  • ", + "
  • no single let is more than 31 days
  • ", + "
  • you charge the going rate for similar properties in the area (\u2018market value\u2019)
  • ", + "

    If you own the property personally, your profits count as earnings for pension purposes.

    ", + "

    You can download helpsheets to help you with your tax return:

    ", + "
  • capital allowances
  • ", + "
  • furnished holiday lettings
  • ", + "

    Commercial properties

    ", + "

    You can claim plant and machinery capital allowances on some items if you rent out a commercial property - like a shop, garage or lock-up.

    ", + "

    Working out your profit

    ", + "

    You work out the net profit or loss for all your property lettings (except furnished holiday lettings) as if it\u2019s a single business. To do this, you:

    ", + "
  • add together all your rental income
  • ", + "
  • add together all your allowable expenses
  • ", + "
  • take the expenses away from the income
  • ", + "

    Work out the profit or loss from furnished holiday lettings separately from any other rental business to make sure you only claim these tax advantages for eligible properties.

    ", + "

    Making a loss

    ", + "

    Deduct any losses from your profit and enter the figure on your Self Assessment form.

    ", + "

    You can offset your loss against:

    ", + "
  • future profits by carrying it forward to a later year
  • ", + "
  • profits from other properties (if you have them)
  • ", + "

    You can only offset losses against future profits in the same business.

    ", + "

    Changing a regulated tenancy (fair rent)

    ", + "

    There are special rules for changing rents and terms for regulated tenancies (sometimes called \u2018fair rents\u2019) which usually started before 15 January 1989.

    ", + "

    There are different rules for increasing rents in regulated tenancies in Scotland and rent-controlled tenancies in Northern Ireland.

    ", + "

    When you can increase rent

    ", + "

    You can only increase the rent up to the maximum set by the Valuation Office Agency (VOA) - check the register of rents to find out what it is.

    ", + "

    You can ask VOA to review the rent every 2 years, or earlier if something has affected the value, so that it remains fair. Your rent might increase or decrease.

    ", + "

    Download and fill in a fair rent form to get your rent reviewed. Send the completed form to the VOA Network Support Office by post.

    ", + "

    Email the VOA Network Support Office if you have any questions about increasing your rent.

    ", + "

    If the fair rent increases

    ", + "

    You must serve a notice of increase of rent on your tenant. You can charge the new rent from the date it\u2019s registered.

    ", + "

    Fill in a \u2018notice of increase\u2019 form (available from legal stationers) and send it to your tenant.

    ", + "

    You can backdate your notice of rent increase for up to 4 weeks.

    ", + "

    Cancel a registered rent

    ", + "

    Download and fill in an application form to cancel a registered rent and send it to the address on the form, for example if the tenancy stops being regulated, or you and the tenant agree to cancel it.

    ", + "

    It may take up to 6 weeks to cancel a registered rent.

    " + ] + }, + "https://www.gov.uk/right-to-manage-a-guide-for-landlords": { + "url": "https://www.gov.uk/right-to-manage-a-guide-for-landlords", + "title": "Right to Manage: a guide for landlords", + "content": "## The Right to Manage\n\nThe Right to Manage (RTM) lets some leasehold property owners take over management of the building - even without the agreement of the landlord.\n\nAs a landlord, the leaseholders in your building will send you notice if they plan to do this. If they\u2019re successful, you\u2019ll still own the building but they\u2019ll manage it.\n\nThis means they\u2019ll be responsible for things like:\n\n- collecting and managing the service charge\n\n- upkeep of communal areas (such as communal hallways and stairs)\n\n- upkeep of the structure of the building (such as the roof)\n\n- dealing with complaints about the building from other leaseholders\n\nQualifying leaseholders can use the Right to Manage for any reason - they don\u2019t have to prove the building has been badly managed.\n\n## Right to Manage companies\n\nTo use the right, leaseholders must set up an RTM company and follow certain procedures. The RTM company can manage the building directly, or pay a managing agent to do it.\n\nAs landlord, you have the right to be a member of the RTM company and to vote on decisions. You get at least 1 vote. How many votes you\u2019ll get depends on how many flats you own in the building.\n\nThe RTM company must pay for any costs you incur during the management transfer process - even if it doesn\u2019t end up managing the building.\n\n## Qualifying\n\nTo qualify for Right to Manage:\n\n- the building must be made up of flats (houses don\u2019t qualify)\n\n- at least two-thirds of the flats in the building must be leasehold - with leases that were for more than 21 years when they were granted\n\n- at least 75% of the building must be residential - for example, if there\u2019s a shop in the building, it can\u2019t take up more than 25% of the total floor area\n\n- you must live somewhere else if there are less than 4 flats in the block - unless the block was purpose-built as flats, rather than converted from another type of building\n\n- any number of owners can set up an RTM company - but at least half of the flats in the building must be members of the company before it can actually take over management\n\n## Notices\n\nNormally, the leaseholders will contact you once they\u2019ve set up an RTM company. You may get a \u2018right to information\u2019 notice from the company - asking for the information they need in order to claim their Right to Manage.\n\n## You receive a \u2018notice of claim\u2019\n\nIf you receive a \u2018notice of claim\u2019 it means that the RTM company intends to take over management of the building. It will tell you:\n\n- the date you must respond by\n\n- the date the RTM company intends to take over management of the building\n\nYou can:\n\n- accept the claim\n\n- dispute the claim - the notice of claim will tell you when you need to do this by, but the deadline can\u2019t be less than 1 month from the date of the notice\n\n## Disputing the claim\n\nYou can dispute the claim by serving a counter-notice to the Right to Manage (RTM) company. In it, you must give reasons why you think the company isn\u2019t entitled to manage the building.\n\nYou can dispute the claim if you think:\n\n- the building doesn\u2019t qualify\n\n- the RTM company doesn\u2019t comply with the legal requirements\n\n- the RTM company members don\u2019t represent half the flats in the building\n\nYou can\u2019t dispute the claim for any other reason.\n\n## Leasehold Valuation Tribunal\n\nIf the members of the RTM company think you\u2019re wrong, the company must apply to the Leasehold Valuation Tribunal (LVT) within 2 months of the date of the counter-notice. The LVT will then decide if the RTM company can manage the building.\n\n## Transferring management of the building\n\nIf you accept the Right to Manage (RTM) company\u2019s notice, or if you dispute the claim and the Leasehold Valuation Tribunal (LVT) decides against you, the management of the building will transfer to the RTM company.\n\nThe date the RTM company takes over management responsibilities is called the \u2018date of acquisition\u2019. This will be:\n\n- on the date given on the notice of claim - if you accept the claim\n\n- 3 months after the LVT decision becomes final - if you disputed the claim and lost\n\n- 3 months after agreement - if you originally disputed the claim but later came to an agreement with the RTM company\n\nYou must transfer any money you have from service charges on the acquisition date - or as soon after as is reasonably possible.\n\n## Ongoing management\n\nThe RTM company must tell you at least 30 days before approving:\n\n- assignment (selling or transferring the flat into someone else\u2019s name)\n\n- a sublet\n\n- a charge to leaseholders\n\nIf the lease says your consent is needed, the RTM company must give you 30 days\u2019 notice before approving:\n\n- any changes to the structure of the building\n\n- any changes to the use of the building\n\nFor other approvals they must tell you at least 14 days in advance.\n\nRead the Leasehold Advisory Service\u2019s guide on The Right to Manage for a detailed explanation of how Right to Manage works.", + "original_contents": [ + "

    The Right to Manage

    ", + "

    The Right to Manage (RTM) lets some leasehold property owners take over management of the building - even without the agreement of the landlord.

    ", + "

    As a landlord, the leaseholders in your building will send you notice if they plan to do this. If they\u2019re successful, you\u2019ll still own the building but they\u2019ll manage it.

    ", + "

    This means they\u2019ll be responsible for things like:

    ", + "
  • collecting and managing the service charge
  • ", + "
  • upkeep of communal areas (such as communal hallways and stairs)
  • ", + "
  • upkeep of the structure of the building (such as the roof)
  • ", + "
  • dealing with complaints about the building from other leaseholders
  • ", + "

    Qualifying leaseholders can use the Right to Manage for any reason - they don\u2019t have to prove the building has been badly managed.

    ", + "

    Right to Manage companies

    ", + "

    To use the right, leaseholders must set up an RTM company and follow certain procedures. The RTM company can manage the building directly, or pay a managing agent to do it.

    ", + "

    As landlord, you have the right to be a member of the RTM company and to vote on decisions. You get at least 1 vote. How many votes you\u2019ll get depends on how many flats you own in the building.

    ", + "

    The RTM company must pay for any costs you incur during the management transfer process - even if it doesn\u2019t end up managing the building.

    ", + "

    Qualifying

    ", + "

    To qualify for Right to Manage:

    ", + "
  • the building must be made up of flats (houses don\u2019t qualify)
  • ", + "
  • at least two-thirds of the flats in the building must be leasehold - with leases that were for more than 21 years when they were granted
  • ", + "
  • at least 75% of the building must be residential - for example, if there\u2019s a shop in the building, it can\u2019t take up more than 25% of the total floor area
  • ", + "
  • you must live somewhere else if there are less than 4 flats in the block - unless the block was purpose-built as flats, rather than converted from another type of building
  • ", + "
  • any number of owners can set up an RTM company - but at least half of the flats in the building must be members of the company before it can actually take over management
  • ", + "

    Notices

    ", + "

    Normally, the leaseholders will contact you once they\u2019ve set up an RTM company. You may get a \u2018right to information\u2019 notice from the company - asking for the information they need in order to claim their Right to Manage.

    ", + "

    You receive a \u2018notice of claim\u2019

    ", + "

    If you receive a \u2018notice of claim\u2019 it means that the RTM company intends to take over management of the building. It will tell you:

    ", + "
  • the date you must respond by
  • ", + "
  • the date the RTM company intends to take over management of the building
  • ", + "

    You can:

    ", + "
  • accept the claim
  • ", + "
  • dispute the claim - the notice of claim will tell you when you need to do this by, but the deadline can\u2019t be less than 1 month from the date of the notice
  • ", + "

    Disputing the claim

    ", + "

    You can dispute the claim by serving a counter-notice to the Right to Manage (RTM) company. In it, you must give reasons why you think the company isn\u2019t entitled to manage the building.

    ", + "

    You can dispute the claim if you think:

    ", + "
  • the building doesn\u2019t qualify
  • ", + "
  • the RTM company doesn\u2019t comply with the legal requirements
  • ", + "
  • the RTM company members don\u2019t represent half the flats in the building
  • ", + "

    You can\u2019t dispute the claim for any other reason.

    ", + "

    Leasehold Valuation Tribunal

    ", + "

    If the members of the RTM company think you\u2019re wrong, the company must apply to the Leasehold Valuation Tribunal (LVT) within 2 months of the date of the counter-notice. The LVT will then decide if the RTM company can manage the building.

    ", + "

    Transferring management of the building

    ", + "

    If you accept the Right to Manage (RTM) company\u2019s notice, or if you dispute the claim and the Leasehold Valuation Tribunal (LVT) decides against you, the management of the building will transfer to the RTM company.

    ", + "

    The date the RTM company takes over management responsibilities is called the \u2018date of acquisition\u2019. This will be:

    ", + "
  • on the date given on the notice of claim - if you accept the claim
  • ", + "
  • 3 months after the LVT decision becomes final - if you disputed the claim and lost
  • ", + "
  • 3 months after agreement - if you originally disputed the claim but later came to an agreement with the RTM company
  • ", + "

    You must transfer any money you have from service charges on the acquisition date - or as soon after as is reasonably possible.

    ", + "

    Ongoing management

    ", + "

    The RTM company must tell you at least 30 days before approving:

    ", + "
  • assignment (selling or transferring the flat into someone else\u2019s name)
  • ", + "
  • a sublet
  • ", + "
  • a charge to leaseholders
  • ", + "

    If the lease says your consent is needed, the RTM company must give you 30 days\u2019 notice before approving:

    ", + "
  • any changes to the structure of the building
  • ", + "
  • any changes to the use of the building
  • ", + "

    For other approvals they must tell you at least 14 days in advance.

    ", + "

    Read the Leasehold Advisory Service\u2019s guide on The Right to Manage for a detailed explanation of how Right to Manage works.

    " + ] + }, + "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords": { + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "title": "Tenancy agreements: a guide for landlords (England and Wales)", + "content": "## Overview\n\nA tenancy agreement is a contract between you and your tenants. It sets out the legal terms and conditions of the tenancy. It can be written down or oral.\n\nA tenancy can either be:\n\n- fixed-term (running for a set period of time)\n\n- periodic (running on a week-by-week or month-by-month basis)\n\n## Rights and responsibilities\n\nBoth you and your tenants have certain rights and responsibilities, whether or not there is a tenancy agreement.\n\n## Tenancy types\n\n## Assured shorthold tenancies (ASTs)\n\nThe most common form of tenancy is an AST. Most new tenancies are automatically this type.\n\nA tenancy can be an AST if all of the following apply:\n\n- you\u2019re a private landlord or housing association\n\n- the tenancy started on or after 15 January 1989\n\n- the property is your tenants\u2019 main accommodation\n\n- you do not live in the property\n\nA tenancy cannot be an AST if:\n\n- it began or was agreed before 15 January 1989\n\n- the rent is more than \u00a3100,000 a year\n\n- the rent is less than \u00a3250 a year (less than \u00a31,000 in London)\n\n- it\u2019s a business tenancy or tenancy of licensed premises\n\n- it\u2019s a holiday let\n\n- the landlord is a local council\n\n## Other tenancies\n\nThere are other tenancies that are not as common as ASTs, including:\n\n- excluded tenancies or licences\n\n- assured tenancies\n\n- regulated tenancies\n\n## Excluded tenancies or licences\n\nIf you have a lodger living in your home and share rooms with them, like a kitchen or bathroom, you may have one of these. This usually gives your lodger less protection from eviction than other types of agreement.\n\n## Assured tenancies\n\nTenancies starting between 15 January 1989 and 27 February 1997 may be assured. Your tenants have increased protection from eviction with this type of agreement.\n\n## Regulated tenancies\n\nTenancies starting before 15 January 1989 may be regulated. Your tenants have increased protection from eviction and can apply for a \u2018fair rent\u2019.\n\n## What you should include in a tenancy agreement\n\nThe tenancy agreement should include:\n\n- the names of all people involved\n\n- the rental price and how it\u2019s paid\n\n- information on how and when the rent will be reviewed\n\n- the deposit amount and how it will be protected\n\n- when the deposit can be fully or partly withheld, for example to repair damage caused by tenants\n\n- the property address\n\n- the start and end date of the tenancy\n\n- any tenant or landlord obligations\n\n- which bills your tenants are responsible for\n\nIt can also include information on:\n\n- whether the tenancy can be ended early and how this can be done\n\n- who\u2019s responsible for minor repairs (other than those that the landlord is legally responsible for)\n\n- whether the property can be let to someone else (sublet) or have lodgers\n\nThe terms of the tenancy must be fair and comply with the law. You can use a model agreement as a template.\n\nYou cannot have anything in your tenancy agreement that may indirectly discriminate against your tenants.\n\n## Changes to tenancy agreements\n\nYou must get the agreement of your tenants if you want to make changes to the terms of their tenancy agreement.\n\n## Preventing discrimination\n\nYou cannot discriminate against or harass your tenants on the grounds of:\n\n- age\n\n- being or becoming a transsexual person\n\n- being married or in a civil partnership\n\n- being pregnant or on maternity leave\n\n- disability\n\n- race including colour, nationality, ethnic or national origin\n\n- religion, belief or lack of religion or belief\n\n- sex\n\n- sexual orientation\n\n## If you get managed payments from your local council\n\nWhen your tenants move to Universal Credit, you can help them set up their new rent payments.\n\nYou can read more about Universal Credit and how it affects landlords.\n\n## Ending a tenancy\n\nIf you want your tenants to leave, you must give them notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.\n\n## Assured shorthold tenancies (ASTs)\n\nIn some circumstances, you can take back your property without giving any reason. To do this, and all of the following must apply:\n\n- you\u2019ve protected your tenants\u2019 deposit in a deposit protection scheme\n\n- the date they must leave is at least 6 months after the original tenancy began (the one they signed on first moving in)\n\n- they have a periodic tenancy - or they have a fixed-term tenancy and you are not asking them to leave before the end of the fixed term\n\n## How much notice you need to give\n\nYou must give your tenants written notice that you want the property back (\u2018notice to quit\u2019) and the date they must leave. The notice period you give them must be at least:\n\n- 2 months if you gave notice before 26 March 2020\n\n- 3 months if you gave notice between 26 March 2020 and 28 August 2020\n\n- 6 months if you gave notice on or after 29 August 2020\n\nIf you gave a section 8 notice, the notice period is sometimes shorter, depending on the reason for eviction.\n\nThis change is because of coronavirus (COVID-19).\n\n## During the fixed term\n\nIf you\u2019re still in the fixed term, you can only ask your tenants to leave if you have a reason for wanting possession that\u2019s in the Housing Act 1988.\n\nExamples of reasons include:\n\n- your tenants are behind with rent payments (\u2018in arrears\u2019)\n\n- your tenants have used the property for illegal purposes, for example selling drugs\n\nIf you gave your tenant notice before 26 March 2020, you would have needed to give them up to 2 months to leave, depending on the reason.\n\nBecause of coronavirus, in most cases you must now give them a longer notice period.\n\nIf you gave your tenant notice between 26 March 2020 and 28 August 2020, period must have been at least 3 months.\n\nIf you gave your tenant notice on or after 29 August 2020, the notice period must be at least 6 months. It can be shorter in some cases, for example if you evict them for antisocial behaviour.\n\nThe Ministry of Housing, Communities and Local Government has information on reasons for possession for a property let on an AST.\n\n## Assured tenancies\n\nYou will need to use one of the reasons for possession in the Housing Act 1988.\n\n## Excluded tenancies or licences\n\nIf you live with a lodger and share rooms with them, you\u2019ll often have an excluded tenancy or licence.\n\nIn this case, you only need to give \u2018reasonable notice\u2019 to quit. Usually this means the length of the rental payment period \u2013 so if you collect rent monthly, you\u2019ll need to give 1 month\u2019s notice.\n\nThe notice does not have to be in writing.\n\n## Non-excluded tenancy or licence\n\nYou can end the agreement at any time by serving a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but it\u2019s usually at least 4 weeks.\n\n## Break clauses\n\nIf there\u2019s a break clause in the tenancy agreement, you can give your tenants notice after this. However, you do not have a guaranteed right to possession during the first 6 months of the tenancy.\n\n## If your tenant does not leave the property\n\nYou cannot remove your tenants by force. If the notice period expires and your tenants do not leave the property, you can start the process of eviction through the courts.\n\n## If your tenants want to leave\n\n## Tenancies\n\nThe tenancy agreement should say how much notice your tenants need to give before they can leave the property.\n\nTenants are responsible for paying rent for their entire fixed-term tenancy. They can move out early without paying rent for the full tenancy if:\n\n- there is a break clause in their tenancy agreement\n\n- you agree to ending the tenancy early\n\nThey can also leave if their tenancy is up after giving their notice (whether it is fixed-term or not).\n\n## Licence agreements\n\nIf the licence automatically runs out after a specific date and your lodger wants to end the agreement, they should let you know this before the licence runs out.\n\n## If your tenant dies without an executor or a will\n\nThe tenancy is transferred temporarily to the Public Trustee if a tenant dies:\n\n- without a will\n\n- with a will but without an executor\n\nYou cannot take back a property automatically even if the tenancy was due to end.\n\nYou may be fined if you try to repossess a property without following the rules.\n\n## Reclaim your property\n\nYou must:\n\n- post or deliver a letter to the tenant\u2019s last known address saying you\u2019re giving written notice\n\n- email a copy of your notice and a completed NL1 form to the Public Trustee\n\n- pay an application fee to the Public Trustee to register the notice\n\n## Give notice\n\nAddress the written notice to: \u201cThe Personal Representative of [full name of the tenant who died] of [last known address for the tenant who died]\u201d.\n\n## Email the notice and NL1 form to the Public Trustee\n\nOrder a NL1 application form to register a notice from OyezStore or from Shaws. The form costs no more than \u00a38.26.\n\nYou\u2019ll get it by post. Email a copy of the notice and a scan of your completed NL1 form to osptcontrolunit@ospt.gov.uk.\n\nYou must buy a new form for each application - you cannot use a photocopy. You can make your own version of the form, as long as it\u2019s laid out in the same way and includes all the relevant information.\n\n## Pay the application fee\n\nIt costs \u00a340 to register the notice. You can only pay by Bacs. Transfer the fee to the following account:\n\n| Sort code | Account number | Account name |\n\n| 80 26 50 | 10014069 | The Public Trustee |\n\nInclude the name of the deceased in the payment reference.\n\n## Get a decision about your application\n\nThe Public Trustee will register or reject your application. You should get an email within 15 working days of the Public Trustee getting your application and payment.\n\nIf your application is registered, you\u2019ll be told the date it was put in the register.\n\nIf your application is rejected, for example because it\u2019s incomplete, you\u2019ll be told why the Public Trustee cannot register it.\n\nYou can search the Public Trustee\u2019s register if your notice is registered, for example to check that you can legally rent the property again or sell it.", + "original_contents": [ + "

    Overview

    ", + "

    A tenancy agreement is a contract between you and your tenants. It sets out the legal terms and conditions of the tenancy. It can be written down or oral.

    ", + "

    A tenancy can either be:

    ", + "
  • fixed-term (running for a set period of time)
  • ", + "
  • periodic (running on a week-by-week or month-by-month basis)
  • ", + "

    Rights and responsibilities

    ", + "

    Both you and your tenants have certain rights and responsibilities, whether or not there is a tenancy agreement.

    ", + "

    Tenancy types

    ", + "

    Assured shorthold tenancies (ASTs)

    ", + "

    The most common form of tenancy is an AST. Most new tenancies are automatically this type.

    ", + "

    A tenancy can be an AST if all of the following apply:

    ", + "
  • you\u2019re a private landlord or housing association
  • ", + "
  • the tenancy started on or after 15 January 1989
  • ", + "
  • the property is your tenants\u2019 main accommodation
  • ", + "
  • you do not live in the property
  • ", + "

    A tenancy cannot be an AST if:

    ", + "
  • it began or was agreed before 15 January 1989
  • ", + "
  • the rent is more than \u00a3100,000 a year
  • ", + "
  • the rent is less than \u00a3250 a year (less than \u00a31,000 in London)
  • ", + "
  • it\u2019s a business tenancy or tenancy of licensed premises
  • ", + "
  • it\u2019s a holiday let
  • ", + "
  • the landlord is a local council
  • ", + "

    Other tenancies

    ", + "

    There are other tenancies that are not as common as ASTs, including:

    ", + "
  • excluded tenancies or licences
  • ", + "
  • assured tenancies
  • ", + "
  • regulated tenancies
  • ", + "

    Excluded tenancies or licences

    ", + "

    If you have a lodger living in your home and share rooms with them, like a kitchen or bathroom, you may have one of these. This usually gives your lodger less protection from eviction than other types of agreement.

    ", + "

    Assured tenancies

    ", + "

    Tenancies starting between 15 January 1989 and 27 February 1997 may be assured. Your tenants have increased protection from eviction with this type of agreement.

    ", + "

    Regulated tenancies

    ", + "

    Tenancies starting before 15 January 1989 may be regulated. Your tenants have increased protection from eviction and can apply for a \u2018fair rent\u2019.

    ", + "

    What you should include in a tenancy agreement

    ", + "

    The tenancy agreement should include:

    ", + "
  • the names of all people involved
  • ", + "
  • the rental price and how it\u2019s paid
  • ", + "
  • information on how and when the rent will be reviewed
  • ", + "
  • the deposit amount and how it will be protected
  • ", + "
  • when the deposit can be fully or partly withheld, for example to repair damage caused by tenants
  • ", + "
  • the property address
  • ", + "
  • the start and end date of the tenancy
  • ", + "
  • any tenant or landlord obligations
  • ", + "
  • which bills your tenants are responsible for
  • ", + "

    It can also include information on:

    ", + "
  • whether the tenancy can be ended early and how this can be done
  • ", + "
  • who\u2019s responsible for minor repairs (other than those that the landlord is legally responsible for)
  • ", + "
  • whether the property can be let to someone else (sublet) or have lodgers
  • ", + "

    The terms of the tenancy must be fair and comply with the law. You can use a model agreement as a template.

    ", + "

    You cannot have anything in your tenancy agreement that may indirectly discriminate against your tenants.

    ", + "

    Changes to tenancy agreements

    ", + "

    You must get the agreement of your tenants if you want to make changes to the terms of their tenancy agreement.

    ", + "

    Preventing discrimination

    ", + "

    You cannot discriminate against or harass your tenants on the grounds of:

    ", + "
  • age
  • ", + "
  • being or becoming a transsexual person
  • ", + "
  • being married or in a civil partnership
  • ", + "
  • being pregnant or on maternity leave
  • ", + "
  • disability
  • ", + "
  • race including colour, nationality, ethnic or national origin
  • ", + "
  • religion, belief or lack of religion or belief
  • ", + "
  • sex
  • ", + "
  • sexual orientation
  • ", + "

    If you get managed payments from your local council

    ", + "

    When your tenants move to Universal Credit, you can help them set up their new rent payments.

    ", + "

    You can read more about Universal Credit and how it affects landlords.

    ", + "

    Ending a tenancy

    ", + "

    If you want your tenants to leave, you must give them notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.

    ", + "

    Assured shorthold tenancies (ASTs)

    ", + "

    In some circumstances, you can take back your property without giving any reason. To do this, and all of the following must apply:

    ", + "
  • you\u2019ve protected your tenants\u2019 deposit in a deposit protection scheme
  • ", + "
  • the date they must leave is at least 6 months after the original tenancy began (the one they signed on first moving in)
  • ", + "
  • they have a periodic tenancy - or they have a fixed-term tenancy and you are not asking them to leave before the end of the fixed term
  • ", + "

    How much notice you need to give

    ", + "

    You must give your tenants written notice that you want the property back (\u2018notice to quit\u2019) and the date they must leave. The notice period you give them must be at least:

    ", + "
  • 2 months if you gave notice before 26 March 2020
  • ", + "
  • 3 months if you gave notice between 26 March 2020 and 28 August 2020
  • ", + "
  • 6 months if you gave notice on or after 29 August 2020
  • ", + "

    If you gave a section 8 notice, the notice period is sometimes shorter, depending on the reason for eviction.

    ", + "

    This change is because of coronavirus (COVID-19).

    ", + "

    During the fixed term

    ", + "

    If you\u2019re still in the fixed term, you can only ask your tenants to leave if you have a reason for wanting possession that\u2019s in the Housing Act 1988.

    ", + "

    Examples of reasons include:

    ", + "
  • your tenants are behind with rent payments (\u2018in arrears\u2019)
  • ", + "
  • your tenants have used the property for illegal purposes, for example selling drugs
  • ", + "

    If you gave your tenant notice before 26 March 2020, you would have needed to give them up to 2 months to leave, depending on the reason.

    ", + "

    Because of coronavirus, in most cases you must now give them a longer notice period.

    ", + "

    If you gave your tenant notice between 26 March 2020 and 28 August 2020, period must have been at least 3 months.

    ", + "

    If you gave your tenant notice on or after 29 August 2020, the notice period must be at least 6 months. It can be shorter in some cases, for example if you evict them for antisocial behaviour.

    ", + "

    The Ministry of Housing, Communities and Local Government has information on reasons for possession for a property let on an AST.

    ", + "

    Assured tenancies

    ", + "

    You will need to use one of the reasons for possession in the Housing Act 1988.

    ", + "

    Excluded tenancies or licences

    ", + "

    If you live with a lodger and share rooms with them, you\u2019ll often have an excluded tenancy or licence.

    ", + "

    In this case, you only need to give \u2018reasonable notice\u2019 to quit. Usually this means the length of the rental payment period \u2013 so if you collect rent monthly, you\u2019ll need to give 1 month\u2019s notice.

    ", + "

    The notice does not have to be in writing.

    ", + "

    Non-excluded tenancy or licence

    ", + "

    You can end the agreement at any time by serving a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but it\u2019s usually at least 4 weeks.

    ", + "

    Break clauses

    ", + "

    If there\u2019s a break clause in the tenancy agreement, you can give your tenants notice after this. However, you do not have a guaranteed right to possession during the first 6 months of the tenancy.

    ", + "

    If your tenant does not leave the property

    ", + "

    You cannot remove your tenants by force. If the notice period expires and your tenants do not leave the property, you can start the process of eviction through the courts.

    ", + "

    If your tenants want to leave

    ", + "

    Tenancies

    ", + "

    The tenancy agreement should say how much notice your tenants need to give before they can leave the property.

    ", + "

    Tenants are responsible for paying rent for their entire fixed-term tenancy. They can move out early without paying rent for the full tenancy if:

    ", + "
  • there is a break clause in their tenancy agreement
  • ", + "
  • you agree to ending the tenancy early
  • ", + "

    They can also leave if their tenancy is up after giving their notice (whether it is fixed-term or not).

    ", + "

    Licence agreements

    ", + "

    If the licence automatically runs out after a specific date and your lodger wants to end the agreement, they should let you know this before the licence runs out.

    ", + "

    If your tenant dies without an executor or a will

    ", + "

    The tenancy is transferred temporarily to the Public Trustee if a tenant dies:

    ", + "
  • without a will
  • ", + "
  • with a will but without an executor
  • ", + "

    You cannot take back a property automatically even if the tenancy was due to end.

    ", + "

    You may be fined if you try to repossess a property without following the rules.

    ", + "

    Reclaim your property

    ", + "

    You must:

    ", + "
  • post or deliver a letter to the tenant\u2019s last known address saying you\u2019re giving written notice
  • ", + "
  • email a copy of your notice and a completed NL1 form to the Public Trustee
  • ", + "
  • pay an application fee to the Public Trustee to register the notice
  • ", + "

    Give notice

    ", + "

    Address the written notice to: \u201cThe Personal Representative of [full name of the tenant who died] of [last known address for the tenant who died]\u201d.

    ", + "

    Email the notice and NL1 form to the Public Trustee

    ", + "

    Order a NL1 application form to register a notice from OyezStore or from Shaws. The form costs no more than \u00a38.26.

    ", + "

    You\u2019ll get it by post. Email a copy of the notice and a scan of your completed NL1 form to osptcontrolunit@ospt.gov.uk.

    ", + "

    You must buy a new form for each application - you cannot use a photocopy. You can make your own version of the form, as long as it\u2019s laid out in the same way and includes all the relevant information.

    ", + "

    Pay the application fee

    ", + "

    It costs \u00a340 to register the notice. You can only pay by Bacs. Transfer the fee to the following account:

    ", + "Sort code | Account number | Account name", + "80 26 50 | 10014069 | The Public Trustee", + "

    Include the name of the deceased in the payment reference.

    ", + "

    Get a decision about your application

    ", + "

    The Public Trustee will register or reject your application. You should get an email within 15 working days of the Public Trustee getting your application and payment.

    ", + "

    If your application is registered, you\u2019ll be told the date it was put in the register.

    ", + "

    If your application is rejected, for example because it\u2019s incomplete, you\u2019ll be told why the Public Trustee cannot register it.

    ", + "

    You can search the Public Trustee\u2019s register if your notice is registered, for example to check that you can legally rent the property again or sell it.

    " + ] + }, + "https://www.gov.uk/challenge-council-tax-band": { + "url": "https://www.gov.uk/challenge-council-tax-band", + "title": "Challenge your Council Tax band", + "content": "## Challenging your band\n\nCouncil Tax bands are based on how much a property was worth on:\n\n- 1 April 1991, for England and Scotland\n\n- 1 April 2003, for Wales\n\nYou might be able to challenge your Council Tax band if you have evidence that suggests the band is wrong.\n\n## When you can challenge your band\n\nYou can challenge your band if you have been paying Council Tax on your property for less than 6 months.\n\nIf you\u2019ve been paying Council Tax on your property for more than 6 months you can only challenge your band in specific circumstances. These include if:\n\n- your property has changed - for example, it\u2019s been demolished, split into multiple properties or merged into one\n\n- your property\u2019s use has changed - for example, part of your property is now used for business\n\n- your local area has changed - for example, a new supermarket has been built\n\n## Before you challenge your band\n\nContact the Valuation Office Agency (VOA) to explain why you think your band is wrong. You must be able to provide evidence that supports your opinion. The VOA may be able to review and change your band without you needing to challenge it.\n\nThere\u2019s currently a reduced telephone service because of coronavirus (COVID-19). Only contact the VOA by telephone if you cannot email them.\n\n## How to challenge your band\n\nIf the VOA has reviewed your band and you do not agree with their decision, you can then formally challenge your band.\n\n- Find your property\u2019s Council Tax band on the valuation list.\n\n- Select your property. From \u2018Council Tax band details\u2019 choose \u2018Do you think this Council Tax band is wrong?\u2019\n\n- From \u2018If you think your Council Tax band is wrong\u2019 choose \u2018Check if you can formally challenge your Council Tax band\u2019.\n\n- Answer the questions on the checklist to find out if you can make a challenge.\n\n- Select \u2018Make a formal challenge against your Council Tax band online\u2019 to fill in the challenge form.\n\n- Provide evidence that supports your challenge in the \u2018Formal challenge details\u2019 section.\n\nYou must continue paying your Council Tax while the challenge is happening.\n\nYou can also appoint someone else to challenge on your behalf.\n\nIf you\u2019re in Scotland use the Scottish Assessors website to check your Council Tax band, then follow the link \u2018Make a proposal\u2019.\n\n## Evidence that supports your challenge\n\nYou must send evidence that your council tax band is wrong to the Valuation Office Agency (VOA) if you\u2019re in England or Wales.\n\nIf you\u2019re in Scotland, use the Scottish Assessors website to check what evidence you need.\n\n## Evidence you can send\n\nSend the addresses of up to 5 similar properties in a lower Council Tax band than yours.\n\nThey must be the same as your property in:\n\n- age\n\n- style and design\n\n- size (the VOA will also consider properties that are larger than yours)\n\n- type (for example, they must be semi-detached houses if you live in a semi-detached house)\n\nThey must also be either:\n\n- in the same street or estate - if you live in a town or city\n\n- in the same village - if you live in the countryside\n\n## Evidence from house prices\n\nYou can also use the price that your property or similar properties sold for as evidence, if the sales were between:\n\n- 1 April 1989 and 31 March 1993 - if your property is in England\n\n- 1 April 2001 and 31 March 2005 - if your property is in Wales\n\nYou can look up property sale prices online from 1995 onwards.\n\nCompare the sale prices to what the properties were valued at:\n\n| Council Tax band | Properties is in England - value in April 1991 | Properties in Wales - value in April 2003 |\n\n| A | Up to \u00a340,000 | Up to \u00a344,000 |\n\n| B | More than \u00a340,000 and up to \u00a352,000 | More than \u00a344,000 and up to \u00a365,000 |\n\n| C | More than \u00a352,000 and up to \u00a368,000 | More than \u00a365,000 and up to \u00a391,000 |\n\n| D | More than \u00a368,000 and up to \u00a388,000 | More than \u00a391,000 and up to \u00a3123,000 |\n\n| E | More than \u00a388,000 and up to \u00a3120,000 | More than \u00a3123,000 and up to \u00a3162,000 |\n\n| F | More than \u00a3120,000 and up to \u00a3160,000 | More than \u00a3162,000 and up to \u00a3223,000 |\n\n| G | More than \u00a3160,000 and up to \u00a3320,000 | More than \u00a3223,000 and up to \u00a3324,000 |\n\n| H | More than \u00a3320,000 | More than \u00a3324,000 and up to \u00a3424,000 |\n\n| I | - | More than \u00a3424,000 |\n\nIf the sale prices are different from the Council Tax bands the properties are in, send:\n\n- the addresses of the properties\n\n- the sale prices\n\n- the dates the properties were sold\n\nIf your property is in England, you\u2019ll also need to send proof of the sale prices, such as:\n\n- a letter from a solicitor\n\n- the contract for the sale\n\nDo not send data about average house prices in your area from websites such as Nationwide House Price Index, Nethouseprices, Rightmove or Zoopla.\n\n## After you make a challenge\n\nYou\u2019ll get a decision from the Valuation Office Agency (VOA) within 4 months. They\u2019ll either:\n\n- change your Council Tax band - your local council will revise your bill and adjust your payments\n\n- tell you why your band cannot be changed\n\n## If you disagree with the VOA\u2019s decision\n\nIn England, if you make a formal challenge and disagree with the VOA\u2019s decision, you can appeal to the Valuation Tribunal.\n\nIf you\u2019re in Wales, send it to the Welsh Tribunal.\n\nThe Valuation Tribunal is independent of the VOA. It\u2019s free, but you have to pay your own costs.\n\nYou must appeal within 3 months of getting the VOA\u2019s decision. You may be able to get the time limit extended if you cannot apply in time.\n\nIf the tribunal agrees with you, the VOA will change your band and the council will update your bill.\n\n## Get help\n\nThe Valuation Tribunal has guidance on:\n\n- what you need to do for the hearing\n\n- preparing for the hearing\n\nYou can also contact the tribunal for help.", + "original_contents": [ + "

    Challenging your band

    ", + "

    Council Tax bands are based on how much a property was worth on:

    ", + "
  • 1 April 1991, for England and Scotland
  • ", + "
  • 1 April 2003, for Wales
  • ", + "

    You might be able to challenge your Council Tax band if you have evidence that suggests the band is wrong.

    ", + "

    When you can challenge your band

    ", + "

    You can challenge your band if you have been paying Council Tax on your property for less than 6 months.

    ", + "

    If you\u2019ve been paying Council Tax on your property for more than 6 months you can only challenge your band in specific circumstances. These include if:

    ", + "
  • your property has changed - for example, it\u2019s been demolished, split into multiple properties or merged into one
  • ", + "
  • your property\u2019s use has changed - for example, part of your property is now used for business
  • ", + "
  • your local area has changed - for example, a new supermarket has been built
  • ", + "

    Before you challenge your band

    ", + "

    Contact the Valuation Office Agency (VOA) to explain why you think your band is wrong. You must be able to provide evidence that supports your opinion. The VOA may be able to review and change your band without you needing to challenge it.

    ", + "

    There\u2019s currently a reduced telephone service because of coronavirus (COVID-19). Only contact the VOA by telephone if you cannot email them.

    ", + "

    How to challenge your band

    ", + "

    If the VOA has reviewed your band and you do not agree with their decision, you can then formally challenge your band.

    ", + "
  • Find your property\u2019s Council Tax band on the valuation list.
  • ", + "
  • Select your property. From \u2018Council Tax band details\u2019 choose \u2018Do you think this Council Tax band is wrong?\u2019
  • ", + "
  • From \u2018If you think your Council Tax band is wrong\u2019 choose \u2018Check if you can formally challenge your Council Tax band\u2019.
  • ", + "
  • Answer the questions on the checklist to find out if you can make a challenge.
  • ", + "
  • Select \u2018Make a formal challenge against your Council Tax band online\u2019 to fill in the challenge form.
  • ", + "
  • Provide evidence that supports your challenge in the \u2018Formal challenge details\u2019 section.
  • ", + "

    You must continue paying your Council Tax while the challenge is happening.

    ", + "

    You can also appoint someone else to challenge on your behalf.

    ", + "

    If you\u2019re in Scotland use the Scottish Assessors website to check your Council Tax band, then follow the link \u2018Make a proposal\u2019.

    ", + "

    Evidence that supports your challenge

    ", + "

    You must send evidence that your council tax band is wrong to the Valuation Office Agency (VOA) if you\u2019re in England or Wales.

    ", + "

    If you\u2019re in Scotland, use the Scottish Assessors website to check what evidence you need.

    ", + "

    Evidence you can send

    ", + "

    Send the addresses of up to 5 similar properties in a lower Council Tax band than yours.

    ", + "

    They must be the same as your property in:

    ", + "
  • age
  • ", + "
  • style and design
  • ", + "
  • size (the VOA will also consider properties that are larger than yours)
  • ", + "
  • type (for example, they must be semi-detached houses if you live in a semi-detached house)
  • ", + "

    They must also be either:

    ", + "
  • in the same street or estate - if you live in a town or city
  • ", + "
  • in the same village - if you live in the countryside
  • ", + "

    Evidence from house prices

    ", + "

    You can also use the price that your property or similar properties sold for as evidence, if the sales were between:

    ", + "
  • 1 April 1989 and 31 March 1993 - if your property is in England
  • ", + "
  • 1 April 2001 and 31 March 2005 - if your property is in Wales
  • ", + "

    You can look up property sale prices online from 1995 onwards.

    ", + "

    Compare the sale prices to what the properties were valued at:

    ", + "Council Tax band | Properties is in England - value in April 1991 | Properties in Wales - value in April 2003", + "A | Up to \u00a340,000 | Up to \u00a344,000", + "B | More than \u00a340,000 and up to \u00a352,000 | More than \u00a344,000 and up to \u00a365,000", + "C | More than \u00a352,000 and up to \u00a368,000 | More than \u00a365,000 and up to \u00a391,000", + "D | More than \u00a368,000 and up to \u00a388,000 | More than \u00a391,000 and up to \u00a3123,000", + "E | More than \u00a388,000 and up to \u00a3120,000 | More than \u00a3123,000 and up to \u00a3162,000", + "F | More than \u00a3120,000 and up to \u00a3160,000 | More than \u00a3162,000 and up to \u00a3223,000", + "G | More than \u00a3160,000 and up to \u00a3320,000 | More than \u00a3223,000 and up to \u00a3324,000", + "H | More than \u00a3320,000 | More than \u00a3324,000 and up to \u00a3424,000", + "I | - | More than \u00a3424,000", + "

    If the sale prices are different from the Council Tax bands the properties are in, send:

    ", + "
  • the addresses of the properties
  • ", + "
  • the sale prices
  • ", + "
  • the dates the properties were sold
  • ", + "

    If your property is in England, you\u2019ll also need to send proof of the sale prices, such as:

    ", + "
  • a letter from a solicitor
  • ", + "
  • the contract for the sale
  • ", + "

    Do not send data about average house prices in your area from websites such as Nationwide House Price Index, Nethouseprices, Rightmove or Zoopla.

    ", + "

    After you make a challenge

    ", + "

    You\u2019ll get a decision from the Valuation Office Agency (VOA) within 4 months. They\u2019ll either:

    ", + "
  • change your Council Tax band - your local council will revise your bill and adjust your payments
  • ", + "
  • tell you why your band cannot be changed
  • ", + "

    If you disagree with the VOA\u2019s decision

    ", + "

    In England, if you make a formal challenge and disagree with the VOA\u2019s decision, you can appeal to the Valuation Tribunal.

    ", + "

    If you\u2019re in Wales, send it to the Welsh Tribunal.

    ", + "

    The Valuation Tribunal is independent of the VOA. It\u2019s free, but you have to pay your own costs.

    ", + "

    You must appeal within 3 months of getting the VOA\u2019s decision. You may be able to get the time limit extended if you cannot apply in time.

    ", + "

    If the tribunal agrees with you, the VOA will change your band and the council will update your bill.

    ", + "

    Get help

    ", + "

    The Valuation Tribunal has guidance on:

    ", + "
  • what you need to do for the hearing
  • ", + "
  • preparing for the hearing
  • ", + "

    You can also contact the tribunal for help.

    " + ] + }, + "https://www.gov.uk/council-tax": { + "url": "https://www.gov.uk/council-tax", + "title": "Council Tax", + "content": "## Working out your Council Tax\n\nYou\u2019ll need to know 3 things:\n\n- the valuation band for your home in England and Wales or in Scotland\n\n- how much your local council charges for that band\n\n- whether you can get a discount or exemption from the full bill\n\nYou may be able to get Council Tax Reduction (this used to be called Council Tax Benefit) if you\u2019re on a low income or get benefits.\n\nYou can challenge your Council Tax band if you think your home is in the wrong valuation band.\n\n## Changes that may affect your Council Tax band\n\nYour property may be revalued and put in a different band in some circumstances, for example if:\n\n- you demolish part of your property and do not rebuild it\n\n- you alter your property to create 2 or more self-contained units, for example an annexe - each unit will have its own band\n\n- you split a single property into self-contained flats\n\n- you convert flats into a single property\n\n- you start or stop working from home\n\n- the previous owner made changes to your property\n\n- there are significant changes to your local area, like a new road being built\n\n- a similar property in your area has its Council Tax band changed\n\nAsk the Valuation Office Agency (VOA) if you want to know if changes to your property will affect your Council Tax band.\n\n## Who has to pay\n\nYou\u2019ll usually have to pay Council Tax if you\u2019re 18 or over and own or rent a home.\n\nA full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.\n\nYou\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:\n\n- you live on your own\n\n- no-one else in your home counts as an adult\n\nYou\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.\n\nYou will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.\n\nApply for a Council Tax discount.\n\n## Who does not count as an adult?\n\nThese people are not counted as adults for Council Tax:\n\n- children under 18\n\n- people on some apprentice schemes\n\n- 18 and 19-year-olds in full-time education\n\n- full-time college and university students\n\n- young people under 25 who get funding from the Skills Funding Agency or Young People\u2019s Learning Agency\n\n- student nurses\n\n- foreign language assistants registered with the British Council\n\n- people with a severe mental impairment\n\n- live-in carers who look after someone who is not their partner, spouse, or child under 18\n\n- diplomats\n\nContact your local council if you\u2019re unsure about whether you can get a discount or who\u2019s responsible for paying.\n\n## People on apprentice schemes\n\nTo show that you do not qualify as an adult for Council Tax, you\u2019ll need a declaration from your employer stating that:\n\n- you will not be paid more than \u00a3195 a week\n\n- the training leads to a qualification accredited by a body recognised by the Office of Qualifications and Examinations Regulation (Ofqual) or the Scottish Vocational Education Council (SVEC)\n\n## If you get a Council Tax discount by mistake\n\nYou must tell your council. If you do not, you could get a fine.\n\nThe council may ask you to pay back the discount.\n\n## Discounts for full-time students\n\nHouseholds where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.\n\nTo count as a full-time student, your course must:\n\n- last at least 1 year\n\n- involve at least 21 hours study per week\n\nIf you study for a qualification up to A level and you\u2019re under 20, your course must:\n\n- last at least 3 months\n\n- involve at least 12 hours study per week\n\nYou\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.\n\n## Discounts for disabled people\n\nPeople who are severely mentally impaired are not included when working out Council Tax.\n\nYou also are not included if you\u2019re a live-in carer looking after someone who is not your partner, spouse, or child under 18.\n\nApply for a Council Tax discount.\n\n## Disabled Band Reduction Scheme\n\nYou may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.\n\nYou\u2019ll have to show that you\u2019ve either:\n\n- an extra bathroom, kitchen or other room that you need for the disabled person\n\n- extra space inside the property for using a wheelchair\n\nThe property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.\n\nCheck if you qualify for the scheme.\n\n## Second homes and empty properties\n\nYou may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.\n\nCouncils can charge extra Council Tax for empty properties.\n\n## Second homes\n\nYou may pay less Council Tax for a property you own or rent that\u2019s not your main home.\n\nCouncils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.\n\n## Empty properties\n\nYou\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.\n\nYou can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).\n\nThe rules are different in Scotland.\n\n## When you do not pay Council Tax\n\nIf you\u2019re selling a property on behalf of an owner who\u2019s died, you won\u2019t need to pay Council Tax until after you get probate as long as the property remains empty. After probate is granted, you may be able to get a Council Tax exemption for another 6 months if the property is both:\n\n- unoccupied\n\n- still owned and in the name of the person who died\n\nSome homes do not get a Council Tax bill for as long as they stay empty. They include homes:\n\n- of someone in prison (except for not paying a fine or Council Tax)\n\n- of someone who\u2019s moved into a care home or hospital\n\n- that have been repossessed\n\n- that cannot be lived in by law, for example if they\u2019re derelict\n\n- that are empty because they\u2019ve been compulsory purchased and will be demolished\n\nYou may get a discount if your home is undergoing major repair work or structural changes, for example your walls are being rebuilt.\n\n## If your property\u2019s been refurbished\n\nYour council will tell you when you have to start paying Council Tax if you\u2019ve been carrying out major home improvements on an empty property or building a new property.\n\nYou\u2019ll get a \u2018completion notice\u2019 that tells you the date you must start paying Council Tax.\n\n## If your property\u2019s derelict\n\nYour property\u2019s only considered derelict if it:\n\n- is not possible to live in it, for example because it\u2019s been damaged by weather, rot or vandalism\n\n- would need major structural works to make it \u2018wind and watertight\u2019 again\n\nYou can challenge your Council Tax band if you think a derelict property should be removed from the Council Tax valuation list.\n\n## Paying your bill\n\nYour Council Tax bill tells you:\n\n- how much you have to pay for the year\n\n- how that amount has been worked out\n\n- the dates you have to pay\n\nThe cost is usually split into 10 monthly payments. Contact your council immediately if you\u2019re having trouble paying - they can help you, for example by spreading your payments over 12 months instead of 10.\n\nThe council can take action to reclaim any debts you owe if you get behind with your payments.\n\n## Ways to pay\n\nYou can usually pay your Council Tax online.\n\nYou can also use \u2018Paypoint\u2019, \u2018Payzone\u2019 or \u2018Quickcards\u2019 for cash payments at post offices, banks, newsagents and convenience stores.\n\nCheck your bill to find out which other payment methods you can use.\n\n## If you\u2019ve overpaid\n\nContact your local council if you\u2019ve paid too much Council Tax and have not received an automatic refund.", + "original_contents": [ + "

    Working out your Council Tax

    ", + "

    You\u2019ll need to know 3 things:

    ", + "
  • the valuation band for your home in England and Wales or in Scotland
  • ", + "
  • how much your local council charges for that band
  • ", + "
  • whether you can get a discount or exemption from the full bill
  • ", + "

    You may be able to get Council Tax Reduction (this used to be called Council Tax Benefit) if you\u2019re on a low income or get benefits.

    ", + "

    You can challenge your Council Tax band if you think your home is in the wrong valuation band.

    ", + "

    Changes that may affect your Council Tax band

    ", + "

    Your property may be revalued and put in a different band in some circumstances, for example if:

    ", + "
  • you demolish part of your property and do not rebuild it
  • ", + "
  • you alter your property to create 2 or more self-contained units, for example an annexe - each unit will have its own band
  • ", + "
  • you split a single property into self-contained flats
  • ", + "
  • you convert flats into a single property
  • ", + "
  • you start or stop working from home
  • ", + "
  • the previous owner made changes to your property
  • ", + "
  • there are significant changes to your local area, like a new road being built
  • ", + "
  • a similar property in your area has its Council Tax band changed
  • ", + "

    Ask the Valuation Office Agency (VOA) if you want to know if changes to your property will affect your Council Tax band.

    ", + "

    Who has to pay

    ", + "

    You\u2019ll usually have to pay Council Tax if you\u2019re 18 or over and own or rent a home.

    ", + "

    A full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.

    ", + "

    You\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:

    ", + "
  • you live on your own
  • ", + "
  • no-one else in your home counts as an adult
  • ", + "

    You\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.

    ", + "

    You will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.

    ", + "

    Apply for a Council Tax discount.

    ", + "

    Who does not count as an adult?

    ", + "

    These people are not counted as adults for Council Tax:

    ", + "
  • children under 18
  • ", + "
  • people on some apprentice schemes
  • ", + "
  • 18 and 19-year-olds in full-time education
  • ", + "
  • full-time college and university students
  • ", + "
  • young people under 25 who get funding from the Skills Funding Agency or Young People\u2019s Learning Agency
  • ", + "
  • student nurses
  • ", + "
  • foreign language assistants registered with the British Council
  • ", + "
  • people with a severe mental impairment
  • ", + "
  • live-in carers who look after someone who is not their partner, spouse, or child under 18
  • ", + "
  • diplomats
  • ", + "

    Contact your local council if you\u2019re unsure about whether you can get a discount or who\u2019s responsible for paying.

    ", + "

    People on apprentice schemes

    ", + "

    To show that you do not qualify as an adult for Council Tax, you\u2019ll need a declaration from your employer stating that:

    ", + "
  • you will not be paid more than \u00a3195 a week
  • ", + "
  • the training leads to a qualification accredited by a body recognised by the Office of Qualifications and Examinations Regulation (Ofqual) or the Scottish Vocational Education Council (SVEC)
  • ", + "

    If you get a Council Tax discount by mistake

    ", + "

    You must tell your council. If you do not, you could get a fine.

    ", + "

    The council may ask you to pay back the discount.

    ", + "

    Discounts for full-time students

    ", + "

    Households where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.

    ", + "

    To count as a full-time student, your course must:

    ", + "
  • last at least 1 year
  • ", + "
  • involve at least 21 hours study per week
  • ", + "

    If you study for a qualification up to A level and you\u2019re under 20, your course must:

    ", + "
  • last at least 3 months
  • ", + "
  • involve at least 12 hours study per week
  • ", + "

    You\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.

    ", + "

    Discounts for disabled people

    ", + "

    People who are severely mentally impaired are not included when working out Council Tax.

    ", + "

    You also are not included if you\u2019re a live-in carer looking after someone who is not your partner, spouse, or child under 18.

    ", + "

    Apply for a Council Tax discount.

    ", + "

    Disabled Band Reduction Scheme

    ", + "

    You may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.

    ", + "

    You\u2019ll have to show that you\u2019ve either:

    ", + "
  • an extra bathroom, kitchen or other room that you need for the disabled person
  • ", + "
  • extra space inside the property for using a wheelchair
  • ", + "

    The property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.

    ", + "

    Check if you qualify for the scheme.

    ", + "

    Second homes and empty properties

    ", + "

    You may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.

    ", + "

    Councils can charge extra Council Tax for empty properties.

    ", + "

    Second homes

    ", + "

    You may pay less Council Tax for a property you own or rent that\u2019s not your main home.

    ", + "

    Councils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.

    ", + "

    Empty properties

    ", + "

    You\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.

    ", + "

    You can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).

    ", + "

    The rules are different in Scotland.

    ", + "

    When you do not pay Council Tax

    ", + "

    If you\u2019re selling a property on behalf of an owner who\u2019s died, you won\u2019t need to pay Council Tax until after you get probate as long as the property remains empty. After probate is granted, you may be able to get a Council Tax exemption for another 6 months if the property is both:

    ", + "
  • unoccupied
  • ", + "
  • still owned and in the name of the person who died
  • ", + "

    Some homes do not get a Council Tax bill for as long as they stay empty. They include homes:

    ", + "
  • of someone in prison (except for not paying a fine or Council Tax)
  • ", + "
  • of someone who\u2019s moved into a care home or hospital
  • ", + "
  • that have been repossessed
  • ", + "
  • that cannot be lived in by law, for example if they\u2019re derelict
  • ", + "
  • that are empty because they\u2019ve been compulsory purchased and will be demolished
  • ", + "

    You may get a discount if your home is undergoing major repair work or structural changes, for example your walls are being rebuilt.

    ", + "

    If your property\u2019s been refurbished

    ", + "

    Your council will tell you when you have to start paying Council Tax if you\u2019ve been carrying out major home improvements on an empty property or building a new property.

    ", + "

    You\u2019ll get a \u2018completion notice\u2019 that tells you the date you must start paying Council Tax.

    ", + "

    If your property\u2019s derelict

    ", + "

    Your property\u2019s only considered derelict if it:

    ", + "
  • is not possible to live in it, for example because it\u2019s been damaged by weather, rot or vandalism
  • ", + "
  • would need major structural works to make it \u2018wind and watertight\u2019 again
  • ", + "

    You can challenge your Council Tax band if you think a derelict property should be removed from the Council Tax valuation list.

    ", + "

    Paying your bill

    ", + "

    Your Council Tax bill tells you:

    ", + "
  • how much you have to pay for the year
  • ", + "
  • how that amount has been worked out
  • ", + "
  • the dates you have to pay
  • ", + "

    The cost is usually split into 10 monthly payments. Contact your council immediately if you\u2019re having trouble paying - they can help you, for example by spreading your payments over 12 months instead of 10.

    ", + "

    The council can take action to reclaim any debts you owe if you get behind with your payments.

    ", + "

    Ways to pay

    ", + "

    You can usually pay your Council Tax online.

    ", + "

    You can also use \u2018Paypoint\u2019, \u2018Payzone\u2019 or \u2018Quickcards\u2019 for cash payments at post offices, banks, newsagents and convenience stores.

    ", + "

    Check your bill to find out which other payment methods you can use.

    ", + "

    If you\u2019ve overpaid

    ", + "

    Contact your local council if you\u2019ve paid too much Council Tax and have not received an automatic refund.

    " + ] + }, + "https://www.gov.uk/council-housing": { + "url": "https://www.gov.uk/council-housing", + "title": "Council housing", + "content": "## Apply for a council home\n\nYou apply for council housing through your local council.\n\nEach council has its own rules.\n\nYou\u2019ll usually have to join a waiting list and you\u2019re not guaranteed to get a property. Ask your council how long you\u2019re likely to have to wait.\n\nYou can apply if you\u2019re 18 or over (some councils let you apply if you\u2019re 16 or over).\n\nYou may be able to apply even if you do not live in the area.\n\n## Waiting lists\n\nCouncils decide who gets offered housing based on a \u2018points\u2019 or \u2018banding\u2019 system.\n\nPoints and bands are based on housing need. For example, you\u2019re likely to be offered housing first if you:\n\n- are homeless\n\n- live in cramped conditions\n\n- have a medical condition made worse by your current home\n\nOnce you\u2019re high enough on the list, your council will contact you about an available property.\n\n## Choice-based lettings\n\nSome councils have a choice-based letting scheme. This lets you tell your council which properties you\u2019re interested in. It depends on the council, but once you\u2019ve been accepted onto the waiting list, the basic steps are:\n\n- Find a property: check in local papers, on council websites, in council offices or in local libraries.\n\n- Check you can apply for it: some properties are only suitable for single people, families or disabled people.\n\n- Apply: this is known as \u2018bidding\u2019, but it does not involve money. You can bid online, by phone or by text.\n\n- Get the council\u2019s decision.\n\n## Getting an offer\n\nNormally you only have a short time to accept a housing offer. If you do not accept it, you can usually stay on the waiting list (or bid for other properties), but you may be put lower down the list.\n\nYou may be taken off the list temporarily if you keep rejecting offers.\n\nYou can appeal if you\u2019re not happy with your council\u2019s decision.\n\n## Types of tenancy\n\nYour tenancy agreement is a legal document and tells you all the rules about living in your property.\n\nDifferent council tenants have different tenancies. These give you different rights and responsibilities.\n\n## Introductory tenancy\n\nNew council tenants may be offered an introductory tenancy. These usually last 12 months and are like a \u2018trial\u2019 period.\n\nYou automatically become a secure or flexible tenant after 12 months, unless your council has either:\n\n- started action to evict you\n\n- extended your introductory tenancy for a further 6 months\n\nThere are limits to what you can do with an introductory tenancy, for example you cannot:\n\n- make major improvements to the property\n\n- swap your property with another council tenant\n\n- apply to buy your property through the Right to Buy scheme\n\n## Secure tenancy\n\nAs a secure tenant, you can normally live in the property for the rest of your life, as long as you do not break the conditions of the tenancy.\n\nYou can:\n\n- rent out rooms - but you cannot sub-let the whole property\n\n- buy your property through the Right to Buy scheme\n\n- swap your home with another council or housing association tenant - with your council\u2019s permission\n\n- transfer your tenancy to someone else in some circumstances\n\n- make improvements to your home - you\u2019ll need permission from your council for some types of work\n\n## Scottish secure tenancy\n\nYou\u2019ll usually have a Scottish secure tenancy if you rent your home from the council, a housing association or housing co-operative in Scotland.\n\n## Flexible tenancy\n\nAs a flexible tenant, you have tenancy for a fixed period. This is usually for at least 5 years, though in some cases it may be between 2 and 5 years.\n\nAt the end of the fixed period the council may decide to:\n\n- offer you another fixed-term tenancy\n\n- offer you a secure tenancy\n\n- not renew your tenancy\n\nThey must explain their reasons if they decide not to renew your tenancy and give you a chance to challenge the decision.\n\nAs a flexible tenant you can:\n\n- rent out rooms - but you cannot sub-let the whole property\n\n- buy your property through the Right to Buy scheme\n\n- swap your home with another council or housing association tenant - with your council\u2019s permission\n\n- transfer your tenancy to someone else in some circumstances\n\n## Joint tenancy\n\nUnder a joint tenancy, all the tenants share equal responsibility.\n\nYou can apply for a joint tenancy at any time if you\u2019re married or in a registered civil partnership. You must usually have lived together at the property for at least 12 months if you\u2019re a cohabiting couple or related (like brother and sister).\n\n## Transferring your tenancy\n\nSecure and flexible tenants may be able to transfer a tenancy to someone else, or, in some circumstances, pass on a tenancy to someone when they die.\n\nSecure tenancies granted before 1 April 2012 can be transferred or passed on only once. For example, if you take over a tenancy when someone dies, you cannot pass on the tenancy to someone else when you die.\n\nSome secure and flexible tenancies granted from 1 April 2012 may mean you can transfer or pass on your tenancy more than once - check your tenancy agreement.\n\nTo transfer a tenancy, complete a \u2018request to assign tenancy\u2019 form, available from your local council\u2019s housing department.\n\n## Ending your tenancy\n\nYour tenancy can only be ended if:\n\n- you give the council 4 weeks\u2019 notice in writing\n\n- the council evicts you\n\n- the council needs to move you, for example to redevelop the property - it should offer you a new property and a new tenancy with no less security\n\nSecure tenancies can also end if:\n\n- the council needs to move you, for example to redevelop your property \u2013 it should offer you a new property and a new secure tenancy\n\n- you transfer your tenancy to someone else or swap homes\n\n## Ending joint tenancies\n\nIf only one of you wants to end the tenancy and the other joint tenant(s) wants to stay in the property, your council may:\n\n- give the remaining tenant(s) a new tenancy at the same property\n\n- not give them a new tenancy, for example because the property could be offered to another couple or family\n\nIf one joint tenant dies, the tenancy continues for the surviving tenant(s).\n\nIf you and your partner divorce or your relationship breaks down and you cannot agree on who gets the tenancy, a court can decide this.\n\n## Repairs and maintenance\n\nYou\u2019re likely to be responsible for things like:\n\n- fixing a curtain or shower rail\n\n- getting keys cut if you lose them\n\n- arranging and paying for any damage you or your visitors have caused in your home to be put right\n\nYour council is responsible for making sure:\n\n- the structure of your property is kept in good condition \u2013 this includes the walls, ceiling, roof and windows\n\n- gas and electricity appliances work safely\n\n- shared parts of a building or housing estate are kept in good condition\n\nYour council will have a published policy setting out the timescales in which it will carry out different types of repairs.\n\nYou should get several weeks\u2019 warning of any work needed.\n\nYou can request a repair to your council property to fix an urgent problem.\n\n## Leaving your home\n\nYou may have to leave your home if major works are needed on the building. Your council must find you somewhere to live while work is carried out and pay for the cost of this.\n\nYou may also get money from your council to pay for the cost of moving and the inconvenience it causes.\n\n## If council works damage your property\n\nThe council should repair any damage caused by maintenance or building work. You may be able to get a reduction in your rent if the repairs cause a lot of disruption.\n\n## Your own home improvements\n\nThe kind of improvements you can make to your council property depends on the type of tenancy you have.\n\nIntroductory tenants are usually limited to minor improvements like redecorating inside.\n\nIf you\u2019re a secure tenant, you have the right to carry out improvements to your property. These include:\n\n- installing a new bathroom or kitchen\n\n- building an extension\n\n- putting up a garden shed or greenhouse\n\n- installing a new gas fire or fireplace\n\n- cavity wall insulation\n\n- redecorating the outside of a house\n\n- fitting an aerial or satellite dish\n\nYou might need your council\u2019s written permission for work you do. Contact your council if you\u2019re not sure.\n\n## Complaints\n\nFollow these steps if you have a problem with your council housing:\n\n- Complain to your council - they should have a complaints policy that you can follow.\n\n- Make a complaint to a \u2018designated person\u2019 (your MP, a local councillor or a tenant panel) if you cannot resolve the problem with your council.\n\n- Contact the Housing Ombudsman if you and your council still cannot resolve the problem.\n\n## Council housing fraud\n\nYou\u2019re likely to lose your tenancy and you could lose your right to council housing in the future if you\u2019re caught committing housing fraud.\n\nYou may be fined or sent to prison if the fraud is serious.\n\nHousing fraud includes:\n\n- not telling the truth when applying for a property - for example claiming to have children when you do not\n\n- sub-letting a property without permission\n\n- living in a property after someone has died without the right to do so\n\n## How councils check for housing fraud\n\nCouncils will check:\n\n- a tenant\u2019s housing record against other records - for example Housing Benefit or the Electoral Roll\n\n- that the genuine tenant lives at the property - for example asking to see the tenant\u2019s passport and tenancy agreement\n\nChecks can happen at any time during a tenancy, without any warning.\n\n## Report suspected housing fraud\n\nMost councils have a telephone number for people to report suspicious behaviour. You do not have to give your name or address when reporting suspected fraud.\n\n## Buy your council home\n\nUnder the Right to Buy scheme, you can apply to buy your council home if:\n\n- it\u2019s your only or main home\n\n- it\u2019s self-contained\n\n- you\u2019re a secure tenant\n\n- you\u2019ve had a public sector landlord for 5 years - for example a council, housing association or NHS trust", + "original_contents": [ + "

    Apply for a council home

    ", + "

    You apply for council housing through your local council.

    ", + "

    Each council has its own rules.

    ", + "

    You\u2019ll usually have to join a waiting list and you\u2019re not guaranteed to get a property. Ask your council how long you\u2019re likely to have to wait.

    ", + "

    You can apply if you\u2019re 18 or over (some councils let you apply if you\u2019re 16 or over).

    ", + "

    You may be able to apply even if you do not live in the area.

    ", + "

    Waiting lists

    ", + "

    Councils decide who gets offered housing based on a \u2018points\u2019 or \u2018banding\u2019 system.

    ", + "

    Points and bands are based on housing need. For example, you\u2019re likely to be offered housing first if you:

    ", + "
  • are homeless
  • ", + "
  • live in cramped conditions
  • ", + "
  • have a medical condition made worse by your current home
  • ", + "

    Once you\u2019re high enough on the list, your council will contact you about an available property.

    ", + "

    Choice-based lettings

    ", + "

    Some councils have a choice-based letting scheme. This lets you tell your council which properties you\u2019re interested in. It depends on the council, but once you\u2019ve been accepted onto the waiting list, the basic steps are:

    ", + "
  • Find a property: check in local papers, on council websites, in council offices or in local libraries.
  • ", + "
  • Check you can apply for it: some properties are only suitable for single people, families or disabled people.
  • ", + "
  • Apply: this is known as \u2018bidding\u2019, but it does not involve money. You can bid online, by phone or by text.
  • ", + "
  • Get the council\u2019s decision.
  • ", + "

    Getting an offer

    ", + "

    Normally you only have a short time to accept a housing offer. If you do not accept it, you can usually stay on the waiting list (or bid for other properties), but you may be put lower down the list.

    ", + "

    You may be taken off the list temporarily if you keep rejecting offers.

    ", + "

    You can appeal if you\u2019re not happy with your council\u2019s decision.

    ", + "

    Types of tenancy

    ", + "

    Your tenancy agreement is a legal document and tells you all the rules about living in your property.

    ", + "

    Different council tenants have different tenancies. These give you different rights and responsibilities.

    ", + "

    Introductory tenancy

    ", + "

    New council tenants may be offered an introductory tenancy. These usually last 12 months and are like a \u2018trial\u2019 period.

    ", + "

    You automatically become a secure or flexible tenant after 12 months, unless your council has either:

    ", + "
  • started action to evict you
  • ", + "
  • extended your introductory tenancy for a further 6 months
  • ", + "

    There are limits to what you can do with an introductory tenancy, for example you cannot:

    ", + "
  • make major improvements to the property
  • ", + "
  • swap your property with another council tenant
  • ", + "
  • apply to buy your property through the Right to Buy scheme
  • ", + "

    Secure tenancy

    ", + "

    As a secure tenant, you can normally live in the property for the rest of your life, as long as you do not break the conditions of the tenancy.

    ", + "

    You can:

    ", + "
  • rent out rooms - but you cannot sub-let the whole property
  • ", + "
  • buy your property through the Right to Buy scheme
  • ", + "
  • swap your home with another council or housing association tenant - with your council\u2019s permission
  • ", + "
  • transfer your tenancy to someone else in some circumstances
  • ", + "
  • make improvements to your home - you\u2019ll need permission from your council for some types of work
  • ", + "

    Scottish secure tenancy

    ", + "

    You\u2019ll usually have a Scottish secure tenancy if you rent your home from the council, a housing association or housing co-operative in Scotland.

    ", + "

    Flexible tenancy

    ", + "

    As a flexible tenant, you have tenancy for a fixed period. This is usually for at least 5 years, though in some cases it may be between 2 and 5 years.

    ", + "

    At the end of the fixed period the council may decide to:

    ", + "
  • offer you another fixed-term tenancy
  • ", + "
  • offer you a secure tenancy
  • ", + "
  • not renew your tenancy
  • ", + "

    They must explain their reasons if they decide not to renew your tenancy and give you a chance to challenge the decision.

    ", + "

    As a flexible tenant you can:

    ", + "
  • rent out rooms - but you cannot sub-let the whole property
  • ", + "
  • buy your property through the Right to Buy scheme
  • ", + "
  • swap your home with another council or housing association tenant - with your council\u2019s permission
  • ", + "
  • transfer your tenancy to someone else in some circumstances
  • ", + "

    Joint tenancy

    ", + "

    Under a joint tenancy, all the tenants share equal responsibility.

    ", + "

    You can apply for a joint tenancy at any time if you\u2019re married or in a registered civil partnership. You must usually have lived together at the property for at least 12 months if you\u2019re a cohabiting couple or related (like brother and sister).

    ", + "

    Transferring your tenancy

    ", + "

    Secure and flexible tenants may be able to transfer a tenancy to someone else, or, in some circumstances, pass on a tenancy to someone when they die.

    ", + "

    Secure tenancies granted before 1 April 2012 can be transferred or passed on only once. For example, if you take over a tenancy when someone dies, you cannot pass on the tenancy to someone else when you die.

    ", + "

    Some secure and flexible tenancies granted from 1 April 2012 may mean you can transfer or pass on your tenancy more than once - check your tenancy agreement.

    ", + "

    To transfer a tenancy, complete a \u2018request to assign tenancy\u2019 form, available from your local council\u2019s housing department.

    ", + "

    Ending your tenancy

    ", + "

    Your tenancy can only be ended if:

    ", + "
  • you give the council 4 weeks\u2019 notice in writing
  • ", + "
  • the council evicts you
  • ", + "
  • the council needs to move you, for example to redevelop the property - it should offer you a new property and a new tenancy with no less security
  • ", + "

    Secure tenancies can also end if:

    ", + "
  • the council needs to move you, for example to redevelop your property \u2013 it should offer you a new property and a new secure tenancy
  • ", + "
  • you transfer your tenancy to someone else or swap homes
  • ", + "

    Ending joint tenancies

    ", + "

    If only one of you wants to end the tenancy and the other joint tenant(s) wants to stay in the property, your council may:

    ", + "
  • give the remaining tenant(s) a new tenancy at the same property
  • ", + "
  • not give them a new tenancy, for example because the property could be offered to another couple or family
  • ", + "

    If one joint tenant dies, the tenancy continues for the surviving tenant(s).

    ", + "

    If you and your partner divorce or your relationship breaks down and you cannot agree on who gets the tenancy, a court can decide this.

    ", + "

    Repairs and maintenance

    ", + "

    You\u2019re likely to be responsible for things like:

    ", + "
  • fixing a curtain or shower rail
  • ", + "
  • getting keys cut if you lose them
  • ", + "
  • arranging and paying for any damage you or your visitors have caused in your home to be put right
  • ", + "

    Your council is responsible for making sure:

    ", + "
  • the structure of your property is kept in good condition \u2013 this includes the walls, ceiling, roof and windows
  • ", + "
  • gas and electricity appliances work safely
  • ", + "
  • shared parts of a building or housing estate are kept in good condition
  • ", + "

    Your council will have a published policy setting out the timescales in which it will carry out different types of repairs.

    ", + "

    You should get several weeks\u2019 warning of any work needed.

    ", + "

    You can request a repair to your council property to fix an urgent problem.

    ", + "

    Leaving your home

    ", + "

    You may have to leave your home if major works are needed on the building. Your council must find you somewhere to live while work is carried out and pay for the cost of this.

    ", + "

    You may also get money from your council to pay for the cost of moving and the inconvenience it causes.

    ", + "

    If council works damage your property

    ", + "

    The council should repair any damage caused by maintenance or building work. You may be able to get a reduction in your rent if the repairs cause a lot of disruption.

    ", + "

    Your own home improvements

    ", + "

    The kind of improvements you can make to your council property depends on the type of tenancy you have.

    ", + "

    Introductory tenants are usually limited to minor improvements like redecorating inside.

    ", + "

    If you\u2019re a secure tenant, you have the right to carry out improvements to your property. These include:

    ", + "
  • installing a new bathroom or kitchen
  • ", + "
  • building an extension
  • ", + "
  • putting up a garden shed or greenhouse
  • ", + "
  • installing a new gas fire or fireplace
  • ", + "
  • cavity wall insulation
  • ", + "
  • redecorating the outside of a house
  • ", + "
  • fitting an aerial or satellite dish
  • ", + "

    You might need your council\u2019s written permission for work you do. Contact your council if you\u2019re not sure.

    ", + "

    Complaints

    ", + "

    Follow these steps if you have a problem with your council housing:

    ", + "
  • Complain to your council - they should have a complaints policy that you can follow.
  • ", + "
  • Make a complaint to a \u2018designated person\u2019 (your MP, a local councillor or a tenant panel) if you cannot resolve the problem with your council.
  • ", + "
  • Contact the Housing Ombudsman if you and your council still cannot resolve the problem.
  • ", + "

    Council housing fraud

    ", + "

    You\u2019re likely to lose your tenancy and you could lose your right to council housing in the future if you\u2019re caught committing housing fraud.

    ", + "

    You may be fined or sent to prison if the fraud is serious.

    ", + "

    Housing fraud includes:

    ", + "
  • not telling the truth when applying for a property - for example claiming to have children when you do not
  • ", + "
  • sub-letting a property without permission
  • ", + "
  • living in a property after someone has died without the right to do so
  • ", + "

    How councils check for housing fraud

    ", + "

    Councils will check:

    ", + "
  • a tenant\u2019s housing record against other records - for example Housing Benefit or the Electoral Roll
  • ", + "
  • that the genuine tenant lives at the property - for example asking to see the tenant\u2019s passport and tenancy agreement
  • ", + "

    Checks can happen at any time during a tenancy, without any warning.

    ", + "

    Report suspected housing fraud

    ", + "

    Most councils have a telephone number for people to report suspicious behaviour. You do not have to give your name or address when reporting suspected fraud.

    ", + "

    Buy your council home

    ", + "

    Under the Right to Buy scheme, you can apply to buy your council home if:

    ", + "
  • it\u2019s your only or main home
  • ", + "
  • it\u2019s self-contained
  • ", + "
  • you\u2019re a secure tenant
  • ", + "
  • you\u2019ve had a public sector landlord for 5 years - for example a council, housing association or NHS trust
  • " + ] + }, + "https://www.gov.uk/housing-association-homes": { + "url": "https://www.gov.uk/housing-association-homes", + "title": "Housing association homes", + "content": "## Apply for a home\n\nHousing associations offer similar types of housing as local councils \u2013 often to people on a low income or who need extra support.\n\nYou can apply:\n\n- directly to a housing association\n\n- often through your local council\n\nYou can apply to more than one housing association at a time.\n\n## Waiting list\n\nOnce you apply, you\u2019ll be put on a waiting list.\n\nHousing associations normally offer housing to people most suited to that particular property. You may have to wait a long time for a suitable property to become available.\n\nHousing associations are also known as Registered Social Landlords or Private Registered Providers of Social Housing.\n\n## Types of tenancy\n\nYour rights and responsibilities depend on the type of tenancy you have.\n\nYour tenancy agreement is a legal document that tells you all the rules about living in your property.\n\n## Starter tenancy\n\nNew housing association tenants may be offered a starter tenancy. These usually last 12 months and are like a \u2018trial\u2019 period.\n\nYou become an assured or fixed term tenant after 12 months, unless your housing association has either:\n\n- started action to evict you\n\n- extended your starter tenancy\n\n## Assured and fixed-term tenancies\n\nAt the end of your starter tenancy you\u2019ll be offered either:\n\n- an assured tenancy - meaning you can normally live in your property for the rest of your life\n\n- a fixed-term tenancy - usually lasting for at least 5 years (your landlord will decide whether it\u2019s renewed)\n\nYou rights may include:\n\n- buying your home\n\n- having your home repaired\n\n- swapping your home with another council or housing association tenant\n\n## Ending your tenancy\n\nYour tenancy can be ended if:\n\n- you give the housing association 4 weeks\u2019 notice in writing\n\n- the housing association evicts you\n\n- you transfer your tenancy to someone else or swap homes\n\n- the housing association needs to move you (eg to redevelop your property) - it should offer you a new property\n\n## Standard of your home\n\nYour landlord has to make sure that your home meets certain standards. It must be:\n\n- safe and free from \u2018category 1 hazards\u2019 - these are things that can cause death or pose a serious danger to your health (eg by causing lung cancer, 80% burn injuries, loss of limbs, poisoning)\n\n- in a reasonable state of repair\n\n- equipped with reasonably modern facilities\n\n- warm enough\n\nIf you have concerns about the standard of your home you can make a complaint.\n\nAs a social housing tenant you can help run a maintenance service.\n\n## Complaints\n\nFollow these steps if you have a problem with your housing association home:\n\n- Complain to your landlord - they should have a complaints policy that you can follow.\n\n- Make a complaint to a \u2018designated person\u2019 (your MP, a local councillor or a tenant panel) if you can\u2019t resolve the problem with your landlord.\n\n- Contact the Housing Ombudsman if you and your landlord still can\u2019t resolve the problem.\n\n## Buying your home\n\nAs a housing association tenant, you might be able to buy your housing association home at a discount.", + "original_contents": [ + "

    Apply for a home

    ", + "

    Housing associations offer similar types of housing as local councils \u2013 often to people on a low income or who need extra support.

    ", + "

    You can apply:

    ", + "
  • directly to a housing association
  • ", + "
  • often through your local council
  • ", + "

    You can apply to more than one housing association at a time.

    ", + "

    Waiting list

    ", + "

    Once you apply, you\u2019ll be put on a waiting list.

    ", + "

    Housing associations normally offer housing to people most suited to that particular property. You may have to wait a long time for a suitable property to become available.

    ", + "

    Housing associations are also known as Registered Social Landlords or Private Registered Providers of Social Housing.

    ", + "

    Types of tenancy

    ", + "

    Your rights and responsibilities depend on the type of tenancy you have.

    ", + "

    Your tenancy agreement is a legal document that tells you all the rules about living in your property.

    ", + "

    Starter tenancy

    ", + "

    New housing association tenants may be offered a starter tenancy. These usually last 12 months and are like a \u2018trial\u2019 period.

    ", + "

    You become an assured or fixed term tenant after 12 months, unless your housing association has either:

    ", + "
  • started action to evict you
  • ", + "
  • extended your starter tenancy
  • ", + "

    Assured and fixed-term tenancies

    ", + "

    At the end of your starter tenancy you\u2019ll be offered either:

    ", + "
  • an assured tenancy - meaning you can normally live in your property for the rest of your life
  • ", + "
  • a fixed-term tenancy - usually lasting for at least 5 years (your landlord will decide whether it\u2019s renewed)
  • ", + "

    You rights may include:

    ", + "
  • buying your home
  • ", + "
  • having your home repaired
  • ", + "
  • swapping your home with another council or housing association tenant
  • ", + "

    Ending your tenancy

    ", + "

    Your tenancy can be ended if:

    ", + "
  • you give the housing association 4 weeks\u2019 notice in writing
  • ", + "
  • the housing association evicts you
  • ", + "
  • you transfer your tenancy to someone else or swap homes
  • ", + "
  • the housing association needs to move you (eg to redevelop your property) - it should offer you a new property
  • ", + "

    Standard of your home

    ", + "

    Your landlord has to make sure that your home meets certain standards. It must be:

    ", + "
  • safe and free from \u2018category 1 hazards\u2019 - these are things that can cause death or pose a serious danger to your health (eg by causing lung cancer, 80% burn injuries, loss of limbs, poisoning)
  • ", + "
  • in a reasonable state of repair
  • ", + "
  • equipped with reasonably modern facilities
  • ", + "
  • warm enough
  • ", + "

    If you have concerns about the standard of your home you can make a complaint.

    ", + "

    As a social housing tenant you can help run a maintenance service.

    ", + "

    Complaints

    ", + "

    Follow these steps if you have a problem with your housing association home:

    ", + "
  • Complain to your landlord - they should have a complaints policy that you can follow.
  • ", + "
  • Make a complaint to a \u2018designated person\u2019 (your MP, a local councillor or a tenant panel) if you can\u2019t resolve the problem with your landlord.
  • ", + "
  • Contact the Housing Ombudsman if you and your landlord still can\u2019t resolve the problem.
  • ", + "

    Buying your home

    ", + "

    As a housing association tenant, you might be able to buy your housing association home at a discount.

    " + ] + }, + "https://www.gov.uk/right-to-acquire-buying-housing-association-home": { + "url": "https://www.gov.uk/right-to-acquire-buying-housing-association-home", + "title": "Right to Acquire: buying your housing association home", + "content": "## Overview\n\nRight to Acquire allows most housing association tenants to buy their home at a discount. You apply using the Right to Acquire application form.\n\nYou can apply to buy your housing association home if you\u2019ve had a public sector landlord for 3 years. These landlords include:\n\n- housing associations\n\n- councils\n\n- the armed services\n\n- NHS trusts and foundation trusts\n\n## Eligible properties\n\nYour property must either have been:\n\n- built or bought by a housing association after 31 March 1997 (and funded through a social housing grant provided by the Housing Corporation or local council)\n\n- transferred from a local council to a housing association after 31 March 1997\n\nYour landlord must be registered with the Regulator of Social Housing.\n\nThe home you want to buy must also be:\n\n- a self-contained property\n\n- your only or main home\n\n## Joint applications\n\nYou can make a joint application with:\n\n- someone who shares your tenancy\n\n- up to 3 family members who\u2019ve lived with you for the past 12 months (even if they don\u2019t share your tenancy)\n\n## Who doesn\u2019t qualify\n\nYou can\u2019t use Right to Acquire if:\n\n- you\u2019re being made bankrupt\n\n- a court has ordered you to leave your home\n\n- you\u2019re a council tenant \u2013 you may be able to use Right to Buy instead\n\n- you have \u2018Preserved Right to Buy\u2019\n\n## Discounts\n\nYou can get a discount of between \u00a39,000 and \u00a316,000 on the price of your property.\n\nThe amount of discount you\u2019ll get depends on where you live in the UK.\n\nYour landlord will tell you what discount you\u2019ll get when you apply to buy your home. You can also download a table of discounts, broken down by location.\n\nYour discount might be reduced if you\u2019ve used Right to Acquire or Right to Buy in the past.\n\n## Applying\n\n- Fill in the Right to Acquire application form\n\n- Send it to your landlord.\n\n- Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why. You can\u2019t appeal against the landlord\u2019s decision.\n\n- If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.\n\nYour landlord might offer you the choice of buying your home, or another empty one that they own. You don\u2019t have to accept the other property and your landlord doesn\u2019t have to offer you one.\n\n## Your landlord\u2019s offer\n\nIf your landlord agrees to sell, their offer will tell you:\n\n- the price they think you should pay for the property and how it was worked out\n\n- your discount and how it was worked out\n\n- a description of the property and any land included in the price\n\n- estimates of any service charge (for a flat or maisonette) for the first 5 years\n\n- any known problems with the property\u2019s structure, eg subsidence\n\n## Deciding to buy\n\nOnce you get your landlord\u2019s offer, you have 12 weeks to tell them that you still want to buy.\n\nIf you don\u2019t reply, the landlord will send you a reminder (called an \u2018RTA4\u2019). You\u2019ll have a reasonable time (at least 28 days) to reply. If you don\u2019t, your landlord will send a final reminder (called an \u2018RTA5\u2019). If you don\u2019t reply to that, your landlord can drop your application.\n\nYou can pull out of the sale and continue to rent at any time.\n\n## If you disagree with the landlord\u2019s offer\n\nContact your landlord and tell them why.\n\nIf you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask for an independent valuation.\n\nA district valuer from HM Revenue & Customs will visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.\n\n## Selling your home\n\nIf you sell your home within 10 years of buying it through Right to Acquire, you must first offer it to your old landlord.\n\nThe property should be sold at the full market price agreed between you and the landlord.\n\nIf you can\u2019t agree, a district valuer will say how much your home is worth and set the price. You won\u2019t have to pay for their valuation.\n\nIf the landlord doesn\u2019t agree to buy your home within 8 weeks, you can sell it to anyone.\n\n## Paying back your discount\n\nIf you sell your home within 5 years of buying it, you\u2019ll have to pay back some or all of the discount you got.\n\nIf you sell within the first year, you\u2019ll have to pay back all of the discount. On top of this, the amount you pay back depends on the value of your home when you sell it. So, if you got a 10% discount, you\u2019ll have to pay back 10% of the selling price.\n\nIf you sell after the first year, the total amount you pay back reduces. You pay back:\n\n- 80% of the discount in the second year\n\n- 60% of the discount in the third year\n\n- 40% of the discount in the fourth year\n\n- 20% of the discount in the fifth year\n\n## Help and advice\n\nThe Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.\n\nYou can also get advice on Right to Acquire from:\n\n- Citizens Advice\n\n- Shelter\n\n- your local Law Centre", + "original_contents": [ + "

    Overview

    ", + "

    Right to Acquire allows most housing association tenants to buy their home at a discount. You apply using the Right to Acquire application form.

    ", + "

    You can apply to buy your housing association home if you\u2019ve had a public sector landlord for 3 years. These landlords include:

    ", + "
  • housing associations
  • ", + "
  • councils
  • ", + "
  • the armed services
  • ", + "
  • NHS trusts and foundation trusts
  • ", + "

    Eligible properties

    ", + "

    Your property must either have been:

    ", + "
  • built or bought by a housing association after 31 March 1997 (and funded through a social housing grant provided by the Housing Corporation or local council)
  • ", + "
  • transferred from a local council to a housing association after 31 March 1997
  • ", + "

    Your landlord must be registered with the Regulator of Social Housing.

    ", + "

    The home you want to buy must also be:

    ", + "
  • a self-contained property
  • ", + "
  • your only or main home
  • ", + "

    Joint applications

    ", + "

    You can make a joint application with:

    ", + "
  • someone who shares your tenancy
  • ", + "
  • up to 3 family members who\u2019ve lived with you for the past 12 months (even if they don\u2019t share your tenancy)
  • ", + "

    Who doesn\u2019t qualify

    ", + "

    You can\u2019t use Right to Acquire if:

    ", + "
  • you\u2019re being made bankrupt
  • ", + "
  • a court has ordered you to leave your home
  • ", + "
  • you\u2019re a council tenant \u2013 you may be able to use Right to Buy instead
  • ", + "
  • you have \u2018Preserved Right to Buy\u2019
  • ", + "

    Discounts

    ", + "

    You can get a discount of between \u00a39,000 and \u00a316,000 on the price of your property.

    ", + "

    The amount of discount you\u2019ll get depends on where you live in the UK.

    ", + "

    Your landlord will tell you what discount you\u2019ll get when you apply to buy your home. You can also download a table of discounts, broken down by location.

    ", + "

    Your discount might be reduced if you\u2019ve used Right to Acquire or Right to Buy in the past.

    ", + "

    Applying

    ", + "
  • Fill in the Right to Acquire application form
  • ", + "
  • Send it to your landlord.
  • ", + "
  • Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why. You can\u2019t appeal against the landlord\u2019s decision.
  • ", + "
  • If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.
  • ", + "

    Your landlord might offer you the choice of buying your home, or another empty one that they own. You don\u2019t have to accept the other property and your landlord doesn\u2019t have to offer you one.

    ", + "

    Your landlord\u2019s offer

    ", + "

    If your landlord agrees to sell, their offer will tell you:

    ", + "
  • the price they think you should pay for the property and how it was worked out
  • ", + "
  • your discount and how it was worked out
  • ", + "
  • a description of the property and any land included in the price
  • ", + "
  • estimates of any service charge (for a flat or maisonette) for the first 5 years
  • ", + "
  • any known problems with the property\u2019s structure, eg subsidence
  • ", + "

    Deciding to buy

    ", + "

    Once you get your landlord\u2019s offer, you have 12 weeks to tell them that you still want to buy.

    ", + "

    If you don\u2019t reply, the landlord will send you a reminder (called an \u2018RTA4\u2019). You\u2019ll have a reasonable time (at least 28 days) to reply. If you don\u2019t, your landlord will send a final reminder (called an \u2018RTA5\u2019). If you don\u2019t reply to that, your landlord can drop your application.

    ", + "

    You can pull out of the sale and continue to rent at any time.

    ", + "

    If you disagree with the landlord\u2019s offer

    ", + "

    Contact your landlord and tell them why.

    ", + "

    If you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask for an independent valuation.

    ", + "

    A district valuer from HM Revenue & Customs will visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.

    ", + "

    Selling your home

    ", + "

    If you sell your home within 10 years of buying it through Right to Acquire, you must first offer it to your old landlord.

    ", + "

    The property should be sold at the full market price agreed between you and the landlord.

    ", + "

    If you can\u2019t agree, a district valuer will say how much your home is worth and set the price. You won\u2019t have to pay for their valuation.

    ", + "

    If the landlord doesn\u2019t agree to buy your home within 8 weeks, you can sell it to anyone.

    ", + "

    Paying back your discount

    ", + "

    If you sell your home within 5 years of buying it, you\u2019ll have to pay back some or all of the discount you got.

    ", + "

    If you sell within the first year, you\u2019ll have to pay back all of the discount. On top of this, the amount you pay back depends on the value of your home when you sell it. So, if you got a 10% discount, you\u2019ll have to pay back 10% of the selling price.

    ", + "

    If you sell after the first year, the total amount you pay back reduces. You pay back:

    ", + "
  • 80% of the discount in the second year
  • ", + "
  • 60% of the discount in the third year
  • ", + "
  • 40% of the discount in the fourth year
  • ", + "
  • 20% of the discount in the fifth year
  • ", + "

    Help and advice

    ", + "

    The Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.

    ", + "

    You can also get advice on Right to Acquire from:

    ", + "
  • Citizens Advice
  • ", + "
  • Shelter
  • ", + "
  • your local Law Centre
  • " + ] + }, + "https://www.gov.uk/right-to-buy-buying-your-council-home": { + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "title": "Right to Buy: buying your council home", + "content": "## Overview\n\nRight to Buy allows most council tenants to buy their council home at a discount. Use the eligibility checker on the Own Your Home website to find out if you can apply.\n\nThere are different rules for Wales, Scotland and Northern Ireland.\n\nYou can apply to buy your council home if:\n\n- it\u2019s your only or main home\n\n- it\u2019s self-contained\n\n- you\u2019re a secure tenant\n\n- you\u2019ve had a public sector landlord (for example, a council, housing association or NHS trust) for 3 years - it does not have to be 3 years in a row\n\n## Joint applications\n\nYou can make a joint application with:\n\n- someone who shares your tenancy\n\n- up to 3 family members who\u2019ve lived with you for the past 12 months (even if they do not share your tenancy)\n\n## Ex-council homes\n\nIf your home used to be owned by the council, but they sold it to another landlord (like a housing association) while you were living in it, you may have the Right to Buy. This is called \u2018Preserved Right to Buy\u2019.\n\nAsk your landlord if this applies to you.\n\n## Other ways to buy your home\n\nIf you were not living in your home when it was sold by the council you may still be able to buy it through the Voluntary Right to Buy pilot.\n\n## Discounts\n\nYou can get a discount on the market value of your home when you buy it if you qualify for Right to Buy.\n\nThe maximum discount is \u00a384,600 across England, except in London boroughs where it is \u00a3112,800. It will increase each year in April in line with the consumer price index (CPI).\n\nThe discount is based on:\n\n- how long you\u2019ve been a tenant with a public sector landlord\n\n- the type of property you\u2019re buying - a flat or house\n\n- the value of your home\n\nIf you\u2019re buying with someone else, you count the years of whoever\u2019s been a public sector tenant the longest.\n\nYou\u2019ll usually have to repay some or all your discount if you sell your home within 5 years.\n\nYou might get a smaller discount if you\u2019ve used Right to Buy in the past.\n\n## Working out the discount\n\nUse the Right to Buy calculator to find out how much discount you could get.\n\nThere are different discount levels for houses and flats.\n\n## Houses\n\nYou get a 35% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.\n\nAfter 5 years, the discount goes up 1% for every extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).\n\n## Flats\n\nYou get a 50% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.\n\nAfter 5 years, the discount goes up by 2% for each extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).\n\n## If your landlord has spent money on your home\n\nYour discount will be less if your landlord has spent money building or maintaining your home:\n\n- in the last 10 years - if your landlord built or acquired your home before 2 April 2012\n\n- in the last 15 years - if you\u2019re buying your home through Preserved Right to Buy, or if your landlord acquired your home after 2 April 2012\n\nYou will not get any discount if your landlord has spent more money than your home is now worth.\n\n## Applying\n\n- Fill in the Right to Buy application form (RTB1 notice).\n\n- Send it to your landlord.\n\n- Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why.\n\n- If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.\n\n## Your landlord's offer\n\nIf your landlord agrees to sell, their offer will tell you:\n\n- the price they think you should pay for the property and how it was worked out\n\n- your discount and how it was worked out\n\n- a description of the property and any land included in the price\n\n- estimates of any service charges (for a flat or maisonette) for the first 5 years\n\n- any known problems with the property\u2019s structure, for example, subsidence\n\n## Deciding to buy\n\nYou have 12 weeks after you get your landlord\u2019s offer to tell them you still want to buy.\n\nThe landlord will send you a reminder if you do not reply to the offer. You have 28 days to reply to the reminder, or the landlord could drop your application.\n\nYou can pull out of the sale and continue to rent at any time.\n\n## If you disagree with the landlord\u2019s offer\n\nContact your landlord and tell them why.\n\nIf you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask them for an independent valuation.\n\nA district valuer from HM Revenue and Customs (HMRC) will then visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.\n\n## Appeals\n\nYou can appeal to a tribunal if you\u2019re stopped from buying your home because it\u2019s suitable for housing elderly people.\n\nYou must appeal within 56 days of the council turning down your application.\n\n## Delays\n\nYour landlord must complete parts of your Right to Buy application within set time limits.\n\nYou could get a reduction in the sale price if they do not.\n\n## Applying for a reduction because of a delay\n\nFill in the \u2018Initial notice of delay\u2019 form (RTB6) and send it to your landlord.\n\nYour landlord must then either move the sale along within 1 month or send you a \u2018counter notice\u2019. The counter notice will say that they\u2019ve already replied or explain why they cannot speed things up.\n\nIf your landlord does not reply within a month of getting the RTB6, fill in the \u2018Operative notice of delay\u2019 form (RTB8). This means that any rent you pay while you\u2019re waiting to hear from your landlord could be taken off the sale price.\n\nYou can do this each time your landlord is late getting back to you.\n\n## Selling your home\n\nIf you sell your home within 10 years of buying it through Right to Buy, you must first offer it to either:\n\n- your old landlord\n\n- another social landlord in the area\n\nThe property should be sold at the full market price agreed between you and the landlord.\n\nIf you cannot agree, a district valuer will say how much your home is worth and set the price. You will not have to pay for their valuation.\n\nYou can sell your home to anyone if the landlord does not agree to buy it within 8 weeks.\n\n## Paying back your discount\n\nYou\u2019ll have to pay back some or all of the discount you got if you sell your Right to Buy home within 5 years of buying it.\n\nYou\u2019ll have to pay back all of the discount if you sell within the first year. After that, the total amount you pay back reduces to:\n\n- 80% of the discount in the second year\n\n- 60% of the discount in the third year\n\n- 40% of the discount in the fourth year\n\n- 20% of the discount in the fifth year\n\nThe amount you pay back depends on the value of your home when you sell it.\n\nYou may not have to pay back the discount if you transfer ownership of your home to a member of your family. You\u2019ll need to agree this first with your landlord and then get a solicitor to do this for you.\n\n## Rural homes\n\nYour former landlord may limit who you can sell your home to if your home is in:\n\n- a national park\n\n- an area of outstanding natural beauty\n\n- an area the government says is rural for Right to Buy\n\nFor example, you may have to sell your home to someone who\u2019s lived or worked in the area for more than 3 years. This may mean you have difficulty getting a mortgage to buy your home.\n\nYour landlord will tell you if this could apply to your home when you apply for Right to Buy.\n\n## Help and advice\n\nYou can get free advice about:\n\n- how to complete your Right to Buy application\n\n- whether the scheme is right for you\n\n- how much it will cost you\n\n- your eligibility\n\nAsk your landlord about Right to Buy. They may also be able to help you complete the application form.\n\n## Right to Buy Agent service\n\nThe Right to Buy Agent service offers free advice on things like:\n\n- the Right to Buy process\n\n- eligibility\n\n- filling out your application form\n\n- where you can get financial and legal advice\n\n- what to do if your application is delayed\n\n## Money Advice Service\n\nThe Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.\n\n## Other help\n\nRead the Right to Buy summary booklet and the Right to Buy guidance.\n\nYou can also get advice on Right to Buy from:\n\n- the Own Your Home website\n\n- Citizens Advice\n\n- Shelter\n\n- your local Law Centre", + "original_contents": [ + "

    Overview

    ", + "

    Right to Buy allows most council tenants to buy their council home at a discount. Use the eligibility checker on the Own Your Home website to find out if you can apply.

    ", + "

    There are different rules for Wales, Scotland and Northern Ireland.

    ", + "

    You can apply to buy your council home if:

    ", + "
  • it\u2019s your only or main home
  • ", + "
  • it\u2019s self-contained
  • ", + "
  • you\u2019re a secure tenant
  • ", + "
  • you\u2019ve had a public sector landlord (for example, a council, housing association or NHS trust) for 3 years - it does not have to be 3 years in a row
  • ", + "

    Joint applications

    ", + "

    You can make a joint application with:

    ", + "
  • someone who shares your tenancy
  • ", + "
  • up to 3 family members who\u2019ve lived with you for the past 12 months (even if they do not share your tenancy)
  • ", + "

    Ex-council homes

    ", + "

    If your home used to be owned by the council, but they sold it to another landlord (like a housing association) while you were living in it, you may have the Right to Buy. This is called \u2018Preserved Right to Buy\u2019.

    ", + "

    Ask your landlord if this applies to you.

    ", + "

    Other ways to buy your home

    ", + "

    If you were not living in your home when it was sold by the council you may still be able to buy it through the Voluntary Right to Buy pilot.

    ", + "

    Discounts

    ", + "

    You can get a discount on the market value of your home when you buy it if you qualify for Right to Buy.

    ", + "

    The maximum discount is \u00a384,600 across England, except in London boroughs where it is \u00a3112,800. It will increase each year in April in line with the consumer price index (CPI).

    ", + "

    The discount is based on:

    ", + "
  • how long you\u2019ve been a tenant with a public sector landlord
  • ", + "
  • the type of property you\u2019re buying - a flat or house
  • ", + "
  • the value of your home
  • ", + "

    If you\u2019re buying with someone else, you count the years of whoever\u2019s been a public sector tenant the longest.

    ", + "

    You\u2019ll usually have to repay some or all your discount if you sell your home within 5 years.

    ", + "

    You might get a smaller discount if you\u2019ve used Right to Buy in the past.

    ", + "

    Working out the discount

    ", + "

    Use the Right to Buy calculator to find out how much discount you could get.

    ", + "

    There are different discount levels for houses and flats.

    ", + "

    Houses

    ", + "

    You get a 35% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.

    ", + "

    After 5 years, the discount goes up 1% for every extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).

    ", + "

    Flats

    ", + "

    You get a 50% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.

    ", + "

    After 5 years, the discount goes up by 2% for each extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).

    ", + "

    If your landlord has spent money on your home

    ", + "

    Your discount will be less if your landlord has spent money building or maintaining your home:

    ", + "
  • in the last 10 years - if your landlord built or acquired your home before 2 April 2012
  • ", + "
  • in the last 15 years - if you\u2019re buying your home through Preserved Right to Buy, or if your landlord acquired your home after 2 April 2012
  • ", + "

    You will not get any discount if your landlord has spent more money than your home is now worth.

    ", + "

    Applying

    ", + "
  • Fill in the Right to Buy application form (RTB1 notice).
  • ", + "
  • Send it to your landlord.
  • ", + "
  • Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why.
  • ", + "
  • If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.
  • ", + "

    Your landlord's offer

    ", + "

    If your landlord agrees to sell, their offer will tell you:

    ", + "
  • the price they think you should pay for the property and how it was worked out
  • ", + "
  • your discount and how it was worked out
  • ", + "
  • a description of the property and any land included in the price
  • ", + "
  • estimates of any service charges (for a flat or maisonette) for the first 5 years
  • ", + "
  • any known problems with the property\u2019s structure, for example, subsidence
  • ", + "

    Deciding to buy

    ", + "

    You have 12 weeks after you get your landlord\u2019s offer to tell them you still want to buy.

    ", + "

    The landlord will send you a reminder if you do not reply to the offer. You have 28 days to reply to the reminder, or the landlord could drop your application.

    ", + "

    You can pull out of the sale and continue to rent at any time.

    ", + "

    If you disagree with the landlord\u2019s offer

    ", + "

    Contact your landlord and tell them why.

    ", + "

    If you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask them for an independent valuation.

    ", + "

    A district valuer from HM Revenue and Customs (HMRC) will then visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.

    ", + "

    Appeals

    ", + "

    You can appeal to a tribunal if you\u2019re stopped from buying your home because it\u2019s suitable for housing elderly people.

    ", + "

    You must appeal within 56 days of the council turning down your application.

    ", + "

    Delays

    ", + "

    Your landlord must complete parts of your Right to Buy application within set time limits.

    ", + "

    You could get a reduction in the sale price if they do not.

    ", + "

    Applying for a reduction because of a delay

    ", + "

    Fill in the \u2018Initial notice of delay\u2019 form (RTB6) and send it to your landlord.

    ", + "

    Your landlord must then either move the sale along within 1 month or send you a \u2018counter notice\u2019. The counter notice will say that they\u2019ve already replied or explain why they cannot speed things up.

    ", + "

    If your landlord does not reply within a month of getting the RTB6, fill in the \u2018Operative notice of delay\u2019 form (RTB8). This means that any rent you pay while you\u2019re waiting to hear from your landlord could be taken off the sale price.

    ", + "

    You can do this each time your landlord is late getting back to you.

    ", + "

    Selling your home

    ", + "

    If you sell your home within 10 years of buying it through Right to Buy, you must first offer it to either:

    ", + "
  • your old landlord
  • ", + "
  • another social landlord in the area
  • ", + "

    The property should be sold at the full market price agreed between you and the landlord.

    ", + "

    If you cannot agree, a district valuer will say how much your home is worth and set the price. You will not have to pay for their valuation.

    ", + "

    You can sell your home to anyone if the landlord does not agree to buy it within 8 weeks.

    ", + "

    Paying back your discount

    ", + "

    You\u2019ll have to pay back some or all of the discount you got if you sell your Right to Buy home within 5 years of buying it.

    ", + "

    You\u2019ll have to pay back all of the discount if you sell within the first year. After that, the total amount you pay back reduces to:

    ", + "
  • 80% of the discount in the second year
  • ", + "
  • 60% of the discount in the third year
  • ", + "
  • 40% of the discount in the fourth year
  • ", + "
  • 20% of the discount in the fifth year
  • ", + "

    The amount you pay back depends on the value of your home when you sell it.

    ", + "

    You may not have to pay back the discount if you transfer ownership of your home to a member of your family. You\u2019ll need to agree this first with your landlord and then get a solicitor to do this for you.

    ", + "

    Rural homes

    ", + "

    Your former landlord may limit who you can sell your home to if your home is in:

    ", + "
  • a national park
  • ", + "
  • an area of outstanding natural beauty
  • ", + "
  • an area the government says is rural for Right to Buy
  • ", + "

    For example, you may have to sell your home to someone who\u2019s lived or worked in the area for more than 3 years. This may mean you have difficulty getting a mortgage to buy your home.

    ", + "

    Your landlord will tell you if this could apply to your home when you apply for Right to Buy.

    ", + "

    Help and advice

    ", + "

    You can get free advice about:

    ", + "
  • how to complete your Right to Buy application
  • ", + "
  • whether the scheme is right for you
  • ", + "
  • how much it will cost you
  • ", + "
  • your eligibility
  • ", + "

    Ask your landlord about Right to Buy. They may also be able to help you complete the application form.

    ", + "

    Right to Buy Agent service

    ", + "

    The Right to Buy Agent service offers free advice on things like:

    ", + "
  • the Right to Buy process
  • ", + "
  • eligibility
  • ", + "
  • filling out your application form
  • ", + "
  • where you can get financial and legal advice
  • ", + "
  • what to do if your application is delayed
  • ", + "

    Money Advice Service

    ", + "

    The Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.

    ", + "

    Other help

    ", + "

    Read the Right to Buy summary booklet and the Right to Buy guidance.

    ", + "

    You can also get advice on Right to Buy from:

    ", + "
  • the Own Your Home website
  • ", + "
  • Citizens Advice
  • ", + "
  • Shelter
  • ", + "
  • your local Law Centre
  • " + ] + }, + "https://www.gov.uk/appeal-decision-about-tree-order": { + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "title": "Appeal a decision about a tree preservation order", + "content": "## When you can appeal\n\nYour council makes decisions about work on trees protected by preservation orders.\n\nYou can appeal if you applied to cut down or carry out work on a protected tree and:\n\n- you disagree with the decision\n\n- a decision was not made within 8 weeks\n\nYou can also appeal if you disagree with a tree replacement notice you\u2019ve been given.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nYou must appeal:\n\n- within 28 days of the date on the council\u2019s decision notice\n\n- before the date the tree replacement notice comes into effect\n\nThere\u2019s no deadline if you\u2019re appealing because your application was not decided within 8 weeks.\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 27 weeks.\n\n## How to appeal\n\nFill in a tree preservation order appeal form or a tree replacement notice appeal form.\n\nYou also need:\n\n- a copy of the council\u2019s decision or notice\n\n- any other documents that directly support your appeal\n\nEmail these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nTheir decision about your appeal will be based on:\n\n- the information you send\n\n- a site visit\n\n- your council\u2019s documents, for example the tree preservation order\n\nYour case officer will write to you if they need more information.\n\nYou\u2019ll normally get a decision within 27 weeks.\n\n## Interested parties\n\nThe council may decide to contact anyone who commented on your original application (\u2018interested parties\u2019). Your case officer will consider the statements any interested parties made.\n\nInterested parties cannot make any further comments during the appeal but can withdraw their original statement.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your council makes decisions about work on trees protected by preservation orders.

    ", + "

    You can appeal if you applied to cut down or carry out work on a protected tree and:

    ", + "
  • you disagree with the decision
  • ", + "
  • a decision was not made within 8 weeks
  • ", + "

    You can also appeal if you disagree with a tree replacement notice you\u2019ve been given.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal:

    ", + "
  • within 28 days of the date on the council\u2019s decision notice
  • ", + "
  • before the date the tree replacement notice comes into effect
  • ", + "

    There\u2019s no deadline if you\u2019re appealing because your application was not decided within 8 weeks.

    ", + "

    When you can expect a decision

    ", + "

    Once your appeal is validated, you\u2019ll normally get a decision within 27 weeks.

    ", + "

    How to appeal

    ", + "

    Fill in a tree preservation order appeal form or a tree replacement notice appeal form.

    ", + "

    You also need:

    ", + "
  • a copy of the council\u2019s decision or notice
  • ", + "
  • any other documents that directly support your appeal
  • ", + "

    Email these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    Their decision about your appeal will be based on:

    ", + "
  • the information you send
  • ", + "
  • a site visit
  • ", + "
  • your council\u2019s documents, for example the tree preservation order
  • ", + "

    Your case officer will write to you if they need more information.

    ", + "

    You\u2019ll normally get a decision within 27 weeks.

    ", + "

    Interested parties

    ", + "

    The council may decide to contact anyone who commented on your original application (\u2018interested parties\u2019). Your case officer will consider the statements any interested parties made.

    ", + "

    Interested parties cannot make any further comments during the appeal but can withdraw their original statement.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/appeal-decision-consent-display-advertisement": { + "url": "https://www.gov.uk/appeal-decision-consent-display-advertisement", + "title": "Appeal a decision about consent to display an advertisement", + "content": "## When you can appeal\n\nYour local planning authority makes decisions about displaying an advertisement or sign on your house or building.\n\nYou can appeal against a decision about consent to display an advertisement if you disagree with it.\n\nThere\u2019s no fee for appealing.\n\nOnly the person who made the application can appeal.\n\n## Deadline for appealing\n\nIf you disagree with a decision, you must appeal within 8 weeks of the date on the decision notice from your local planning authority.\n\nIf you\u2019ve been sent a discontinuation notice, you\u2019ll need to appeal before the date given on the notice.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the local planning authority\u2019s decision notice\n\n- all plans, drawings and documents you sent to the local planning authority\n\n- any letters or emails between you and the local planning authority\n\nYou\u2019ll also need to submit any other documents that directly support your appeal, for example your grounds of appeal.\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nNo-one can comment on a planning appeal about displaying an advertisement or sign.\n\nYour local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal. They have to do this within 2 weeks of the appeal being started by the Planning Inspectorate.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions about displaying an advertisement or sign on your house or building.

    ", + "

    You can appeal against a decision about consent to display an advertisement if you disagree with it.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal.

    ", + "

    Deadline for appealing

    ", + "

    If you disagree with a decision, you must appeal within 8 weeks of the date on the decision notice from your local planning authority.

    ", + "

    If you\u2019ve been sent a discontinuation notice, you\u2019ll need to appeal before the date given on the notice.

    ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the local planning authority\u2019s decision notice
  • ", + "
  • all plans, drawings and documents you sent to the local planning authority
  • ", + "
  • any letters or emails between you and the local planning authority
  • ", + "

    You\u2019ll also need to submit any other documents that directly support your appeal, for example your grounds of appeal.

    ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    No-one can comment on a planning appeal about displaying an advertisement or sign.

    ", + "

    Your local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal. They have to do this within 2 weeks of the appeal being started by the Planning Inspectorate.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/appeal-high-hedges-decision": { + "url": "https://www.gov.uk/appeal-high-hedges-decision", + "title": "Appeal a high hedges decision", + "content": "## When you can appeal\n\nYour council makes decisions about high hedges.\n\nYou can appeal against a high hedge remedial notice or the council\u2019s decision not to issue one if you either:\n\n- complained to the council about the hedge\n\n- own, rent or occupy the land that the hedge is on\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nYou must appeal within 28 days of:\n\n- the remedial notice\n\n- your council\u2019s decision either to take no action, or to change an existing remedial notice (withdraw, waive or relax)\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 34 weeks.\n\n## How to appeal\n\nFill in a high hedges appeal form.\n\nYou also need:\n\n- a copy of the council\u2019s decision\n\n- the remedial notice (if the council have issued one)\n\n- any other documents that directly support your appeal\n\nEmail these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nYour appeal will be decided based on the information you send and a site visit. Your case officer will write to you if they require additional information.\n\nYou\u2019ll normally get a decision within 34 weeks.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your council makes decisions about high hedges.

    ", + "

    You can appeal against a high hedge remedial notice or the council\u2019s decision not to issue one if you either:

    ", + "
  • complained to the council about the hedge
  • ", + "
  • own, rent or occupy the land that the hedge is on
  • ", + "

    There\u2019s no fee for appealing.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 28 days of:

    ", + "
  • the remedial notice
  • ", + "
  • your council\u2019s decision either to take no action, or to change an existing remedial notice (withdraw, waive or relax)
  • ", + "

    When you can expect a decision

    ", + "

    Once your appeal is validated, you\u2019ll normally get a decision within 34 weeks.

    ", + "

    How to appeal

    ", + "

    Fill in a high hedges appeal form.

    ", + "

    You also need:

    ", + "
  • a copy of the council\u2019s decision
  • ", + "
  • the remedial notice (if the council have issued one)
  • ", + "
  • any other documents that directly support your appeal
  • ", + "

    Email these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    Your appeal will be decided based on the information you send and a site visit. Your case officer will write to you if they require additional information.

    ", + "

    You\u2019ll normally get a decision within 34 weeks.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/appeal-householder-planning-decision": { + "url": "https://www.gov.uk/appeal-householder-planning-decision", + "title": "Appeal a householder planning decision", + "content": "## When you can appeal\n\nYour local planning authority makes decisions about householder planning applications.\n\nYou can appeal a householder planning decision if you disagree with it.\n\nHouseholder planning applications cover small projects like extensions and loft conversions. There\u2019s a different process to appeal a full planning decision.\n\nThere\u2019s no fee for appealing.\n\nOnly the person who made the application can appeal.\n\n## Deadline for appealing\n\nIf you disagree with a decision, you must appeal within 12 weeks of the date on the decision notice from your local planning authority.\n\nThe deadline\u2019s earlier if you\u2019ve received an enforcement notice. You must appeal within 28 days of the notice.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long planning appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the site ownership certificate\n\n- the local planning authority\u2019s decision notice\n\nYou\u2019ll also need to submit any other documents that directly support your appeal, for example your grounds for appeal.\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nNo-one can comment on a householder planning appeal.\n\nYour local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.\n\nThey have to do this within 5 working days of the appeal being started by the Planning Inspectorate.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions about householder planning applications.

    ", + "

    You can appeal a householder planning decision if you disagree with it.

    ", + "

    Householder planning applications cover small projects like extensions and loft conversions. There\u2019s a different process to appeal a full planning decision.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal.

    ", + "

    Deadline for appealing

    ", + "

    If you disagree with a decision, you must appeal within 12 weeks of the date on the decision notice from your local planning authority.

    ", + "

    The deadline\u2019s earlier if you\u2019ve received an enforcement notice. You must appeal within 28 days of the notice.

    ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long planning appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the site ownership certificate
  • ", + "
  • the local planning authority\u2019s decision notice
  • ", + "

    You\u2019ll also need to submit any other documents that directly support your appeal, for example your grounds for appeal.

    ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    No-one can comment on a householder planning appeal.

    ", + "

    Your local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.

    ", + "

    They have to do this within 5 working days of the appeal being started by the Planning Inspectorate.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/appeal-listed-building-consent-decision": { + "url": "https://www.gov.uk/appeal-listed-building-consent-decision", + "title": "Appeal a listed building consent decision", + "content": "## When you can appeal\n\nYour local planning authority makes decisions about listed building consent applications. You can appeal a decision if either:\n\n- you disagree with it\n\n- the decision was not made within 8 weeks (13 weeks for a major development, for example 10 or more dwellings or a building of more than 1,000 square metres)\n\nThere\u2019s no fee for appealing.\n\nOnly the person who made the application can appeal. If you did not apply, you can comment on an appeal instead.\n\n## Deadline for appealing\n\nYou must appeal within 6 months of either:\n\n- the date of the decision\n\n- when the decision was due, if you did not get one within 8 weeks (13 weeks for a major development)\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long planning appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal and your supporting documents to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou must submit:\n\n- a copy of your listed building consent application form and all documents you sent with your application\n\n- a copy of the site ownership certificate\n\n- site plans\n\n- any correspondence with your local planning authority\n\n- any other documents that directly support your appeal, for example boundary maps\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on a listed building consent appeal. Find the case on the appeals casework portal. The deadline for comments is 5 weeks after the start date of the appeal.\n\nYour local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. They have to do this within 5 working days of the appeal being started by the Planning Inspectorate.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions about listed building consent applications. You can appeal a decision if either:

    ", + "
  • you disagree with it
  • ", + "
  • the decision was not made within 8 weeks (13 weeks for a major development, for example 10 or more dwellings or a building of more than 1,000 square metres)
  • ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal. If you did not apply, you can comment on an appeal instead.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 6 months of either:

    ", + "
  • the date of the decision
  • ", + "
  • when the decision was due, if you did not get one within 8 weeks (13 weeks for a major development)
  • ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long planning appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You also need to send a copy of your appeal and your supporting documents to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You must submit:

    ", + "
  • a copy of your listed building consent application form and all documents you sent with your application
  • ", + "
  • a copy of the site ownership certificate
  • ", + "
  • site plans
  • ", + "
  • any correspondence with your local planning authority
  • ", + "
  • any other documents that directly support your appeal, for example boundary maps
  • ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on a listed building consent appeal. Find the case on the appeals casework portal. The deadline for comments is 5 weeks after the start date of the appeal.

    ", + "

    Your local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. They have to do this within 5 working days of the appeal being started by the Planning Inspectorate.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/appeal-minor-commercial-development-decision": { + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "title": "Appeal a minor commercial development decision", + "content": "## When you can appeal\n\nYour local planning authority makes decisions on applications about minor commercial developments, for example ground floor alterations like shop fronts and security shutters.\n\nYou can appeal a minor commercial development decision if you disagree with it.\n\nThere\u2019s no fee for appealing.\n\nOnly the person who made the application can appeal.\n\n## Deadline for appealing\n\nYou must appeal within 12 weeks of the date on the decision notice from your local planning authority.\n\nThe deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the site ownership certificate\n\n- the local planning authority\u2019s decision notice\n\nYou\u2019ll also need to submit:\n\n- a map of the surrounding area\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nNo-one can comment on a minor commercial development decision appeal.\n\nYour local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.\n\nThey have to do this within 5 working days of the appeal being started by the Planning Inspectorate.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions on applications about minor commercial developments, for example ground floor alterations like shop fronts and security shutters.

    ", + "

    You can appeal a minor commercial development decision if you disagree with it.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal.

    ", + "

    Deadline for appealing

    ", + "

    You must appeal within 12 weeks of the date on the decision notice from your local planning authority.

    ", + "

    The deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the site ownership certificate
  • ", + "
  • the local planning authority\u2019s decision notice
  • ", + "

    You\u2019ll also need to submit:

    ", + "
  • a map of the surrounding area
  • ", + "
  • any other documents that directly support your appeal, for example your grounds for appeal
  • ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    No-one can comment on a minor commercial development decision appeal.

    ", + "

    Your local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.

    ", + "

    They have to do this within 5 working days of the appeal being started by the Planning Inspectorate.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/appeal-planning-decision": { + "url": "https://www.gov.uk/appeal-planning-decision", + "title": "Appeal a planning decision", + "content": "## When you can appeal\n\nYour local planning authority makes decisions on planning applications.\n\nYou can appeal a planning decision if either:\n\n- you disagree with it\n\n- the decision was not made within 8 weeks (13 weeks for a major development, such as 10 or more dwellings or a building of more than 1,000 square metres)\n\nThere\u2019s a different process to appeal a householder planning decision for a smaller project like an extension, conservatory or loft conversion.\n\nThere\u2019s no fee for appealing.\n\nOnly the person who made the application can appeal. If you did not apply, you can comment on an appeal instead.\n\n## Deadline for appealing\n\nIf you disagree with a decision, you must appeal within 6 months of the date on the decision notice from your local planning authority.\n\nIf they did not make a decision within 8 weeks, you can appeal up to 6 months after the decision was due.\n\nThe deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long planning appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the site ownership certificate\n\n- the local planning authority\u2019s decision notice - if they did not make a decision, submit a copy of the letter acknowledging your application\n\n- all plans, drawings and documents you sent to the local planning authority\n\nYou\u2019ll also need to submit:\n\n- a map of the surrounding area\n\n- any other documents that directly support your appeal, for example your full statement of case\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on a planning appeal. Find the case on the appeals casework portal.\n\nThe deadline for comments is 5 weeks after the start date of the appeal, or 6 weeks after the date on the local planning authority\u2019s enforcement notice.\n\nYour local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.\n\nThey have to do this within 5 working days of the appeal being started by the Planning Inspectorate.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority makes decisions on planning applications.

    ", + "

    You can appeal a planning decision if either:

    ", + "
  • you disagree with it
  • ", + "
  • the decision was not made within 8 weeks (13 weeks for a major development, such as 10 or more dwellings or a building of more than 1,000 square metres)
  • ", + "

    There\u2019s a different process to appeal a householder planning decision for a smaller project like an extension, conservatory or loft conversion.

    ", + "

    There\u2019s no fee for appealing.

    ", + "

    Only the person who made the application can appeal. If you did not apply, you can comment on an appeal instead.

    ", + "

    Deadline for appealing

    ", + "

    If you disagree with a decision, you must appeal within 6 months of the date on the decision notice from your local planning authority.

    ", + "

    If they did not make a decision within 8 weeks, you can appeal up to 6 months after the decision was due.

    ", + "

    The deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.

    ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long planning appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one decision you must make a separate appeal for each.

    ", + "

    You need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the site ownership certificate
  • ", + "
  • the local planning authority\u2019s decision notice - if they did not make a decision, submit a copy of the letter acknowledging your application
  • ", + "
  • all plans, drawings and documents you sent to the local planning authority
  • ", + "

    You\u2019ll also need to submit:

    ", + "
  • a map of the surrounding area
  • ", + "
  • any other documents that directly support your appeal, for example your full statement of case
  • ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on a planning appeal. Find the case on the appeals casework portal.

    ", + "

    The deadline for comments is 5 weeks after the start date of the appeal, or 6 weeks after the date on the local planning authority\u2019s enforcement notice.

    ", + "

    Your local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.

    ", + "

    They have to do this within 5 working days of the appeal being started by the Planning Inspectorate.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/appeal-enforcement-notice": { + "url": "https://www.gov.uk/appeal-enforcement-notice", + "title": "Appeal an enforcement notice", + "content": "## When you can appeal\n\nYour local planning authority may send you an enforcement notice if you\u2019ve built or changed something without planning permission.\n\nYou can appeal against an enforcement notice if you own, rent or lawfully occupy the property or land it applies to.\n\nAnyone can comment on an appeal.\n\nThere\u2019s no fee for appealing, unless you also apply for planning permission.\n\n## Deadline for appealing\n\nYour appeal must be received before the date the enforcement notice takes effect.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long planning appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one enforcement notice you must make a separate appeal for each. Each person should appeal separately.\n\nYou also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit:\n\n- a copy of your enforcement notice\n\n- a plan (if there is one)\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on an enforcement notice appeal. Find the case on the appeals casework portal.\n\nThe deadline for comments is 6 weeks after the start date of the appeal.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you the start date, what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "original_contents": [ + "

    When you can appeal

    ", + "

    Your local planning authority may send you an enforcement notice if you\u2019ve built or changed something without planning permission.

    ", + "

    You can appeal against an enforcement notice if you own, rent or lawfully occupy the property or land it applies to.

    ", + "

    Anyone can comment on an appeal.

    ", + "

    There\u2019s no fee for appealing, unless you also apply for planning permission.

    ", + "

    Deadline for appealing

    ", + "

    Your appeal must be received before the date the enforcement notice takes effect.

    ", + "

    When you can expect a decision

    ", + "

    You\u2019ll get a decision once your appeal is validated.

    ", + "

    Check how long planning appeal decisions normally take.

    ", + "

    How to appeal

    ", + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    ", + "

    If you want to appeal more than one enforcement notice you must make a separate appeal for each. Each person should appeal separately.

    ", + "

    You also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to submit:

    ", + "
  • a copy of your enforcement notice
  • ", + "
  • a plan (if there is one)
  • ", + "
  • any other documents that directly support your appeal, for example your grounds for appeal
  • ", + "

    You can upload these documents when you appeal.

    ", + "

    Comment on an appeal

    ", + "

    Anyone can comment on an enforcement notice appeal. Find the case on the appeals casework portal.

    ", + "

    The deadline for comments is 6 weeks after the start date of the appeal.

    ", + "

    Read the detailed guidance about taking part in an appeal.

    ", + "

    After you appeal

    ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you the start date, what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    If anyone behaves unreasonably

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    ", + "

    You can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.

    ", + "

    If you disagree with the appeal decision

    ", + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    ", + "

    Get advice from a lawyer if you\u2019re unsure about this.

    " + ] + }, + "https://www.gov.uk/organise-street-party": { + "url": "https://www.gov.uk/organise-street-party", + "title": "Organising a street party", + "content": "## Telling your local council\n\nStreet parties on quiet streets that don\u2019t affect the wider road network count as small events. If you\u2019re planning a small event for neighbours, apply to hold a street party through your local council.\n\nTell your council about your event 4 to 12 weeks before it happens.\n\nTell your council:\n\n- the date and time of the party or event\n\n- whether or not you want to close a road or section of road, and its name\n\n- if the road is part of a bus route or used by through traffic\n\n- a list of any properties or businesses affected\n\n- if you\u2019ve consulted neighbours\n\n## Smaller events\n\nYou don\u2019t have to tell the council if you hold a smaller event.\n\n## Closing a road\n\nYou\u2019ll need to get permission from your local council to close a road. Some local councils will lend you signs and cones, or you can hire or buy signs. The Street Party site gives advice on road closures.\n\nMake sure that the emergency services can still get down the street if they need to.\n\nIf your party is on a bus route, the bus company will want to know about it in advance.\n\nSome councils will contact emergency services and transport providers for you, but others expect you to do it.\n\n## Licences\n\n## Alcohol and food\n\nA licence isn\u2019t needed if you\u2019re going to provide alcohol for free at your event.\n\nTo sell alcohol you\u2019ll need a \u2018temporary events notice\u2019 which costs \u00a321. You can get one from your local council.\n\nFood can be served and sold up to 11pm without a licence. If you want to serve or sell it after 11pm, contact your council.\n\nYou don\u2019t need a licence to give alcoholic beverages away as prizes, like a bottle of champagne for a winning raffle ticket, but there are rules about what can be given away. Contact your council for more information.\n\n## Music\n\nYou don\u2019t need a music licence, whether the music is live or prerecorded, as long as your street party is a private party for residents and you haven\u2019t advertised the music to make money or attract people.\n\n## Raffles and tombolas\n\nGambling regulations don\u2019t apply if tombola or raffle tickets are sold on the day and the prizes aren\u2019t worth more than \u00a3500 in total.\n\nIf tickets are sold in advance or your prizes are worth more than \u00a3500 contact your local council as you might have to register your raffle as a lottery.", + "original_contents": [ + "

    Telling your local council

    ", + "

    Street parties on quiet streets that don\u2019t affect the wider road network count as small events. If you\u2019re planning a small event for neighbours, apply to hold a street party through your local council.

    ", + "

    Tell your council about your event 4 to 12 weeks before it happens.

    ", + "

    Tell your council:

    ", + "
  • the date and time of the party or event
  • ", + "
  • whether or not you want to close a road or section of road, and its name
  • ", + "
  • if the road is part of a bus route or used by through traffic
  • ", + "
  • a list of any properties or businesses affected
  • ", + "
  • if you\u2019ve consulted neighbours
  • ", + "

    Smaller events

    ", + "

    You don\u2019t have to tell the council if you hold a smaller event.

    ", + "

    Closing a road

    ", + "

    You\u2019ll need to get permission from your local council to close a road. Some local councils will lend you signs and cones, or you can hire or buy signs. The Street Party site gives advice on road closures.

    ", + "

    Make sure that the emergency services can still get down the street if they need to.

    ", + "

    If your party is on a bus route, the bus company will want to know about it in advance.

    ", + "

    Some councils will contact emergency services and transport providers for you, but others expect you to do it.

    ", + "

    Licences

    ", + "

    Alcohol and food

    ", + "

    A licence isn\u2019t needed if you\u2019re going to provide alcohol for free at your event.

    ", + "

    To sell alcohol you\u2019ll need a \u2018temporary events notice\u2019 which costs \u00a321. You can get one from your local council.

    ", + "

    Food can be served and sold up to 11pm without a licence. If you want to serve or sell it after 11pm, contact your council.

    ", + "

    You don\u2019t need a licence to give alcoholic beverages away as prizes, like a bottle of champagne for a winning raffle ticket, but there are rules about what can be given away. Contact your council for more information.

    ", + "

    Music

    ", + "

    You don\u2019t need a music licence, whether the music is live or prerecorded, as long as your street party is a private party for residents and you haven\u2019t advertised the music to make money or attract people.

    ", + "

    Raffles and tombolas

    ", + "

    Gambling regulations don\u2019t apply if tombola or raffle tickets are sold on the day and the prizes aren\u2019t worth more than \u00a3500 in total.

    ", + "

    If tickets are sold in advance or your prizes are worth more than \u00a3500 contact your local council as you might have to register your raffle as a lottery.

    " + ] + }, + "https://www.gov.uk/understand-how-your-council-works": { + "url": "https://www.gov.uk/understand-how-your-council-works", + "title": "Understand how your council works", + "content": "## Types of council\n\nThis guide relates to councils in England. Find information about councils in Scotland, Wales and Northern Ireland.\n\nMany parts of England have 2 tiers of local government:\n\n- county councils\n\n- district, borough or city councils\n\nIn some parts of the country, there\u2019s just 1 (unitary) tier of local government providing all the local services. The 3 main types are:\n\n- unitary authorities in shire areas\n\n- London boroughs\n\n- metropolitan boroughs\n\n## County councils\n\nThese are responsible for services across the whole of a county, like:\n\n- education\n\n- transport\n\n- planning\n\n- fire and public safety\n\n- social care\n\n- libraries\n\n- waste management\n\n- trading standards\n\n## District, borough and city councils\n\nThese cover a smaller area than county councils. They\u2019re usually responsible for services like:\n\n- rubbish collection\n\n- recycling\n\n- Council Tax collections\n\n- housing\n\n- planning applications\n\n## Unitary authorities and London and metropolitan boroughs\n\nIn some parts of the country, 1 tier of local government provides all the local services listed above.\n\nIn London and metropolitan areas some services, like fire, police and public transport, are provided through \u2018joint authorities\u2019 (in London by the Greater London Authority).\n\n## Parish, community and town councils\n\nThese operate at a level below district and borough councils and in some cases, unitary authorities.\n\nThey\u2019re elected and can help on a number of local issues, like providing:\n\n- allotments\n\n- public clocks\n\n- bus shelters\n\n- community centres\n\n- play areas and play equipment\n\n- grants to help local organisations\n\n- consultation on neighbourhood planning\n\nThey also have the power to issue fixed penalty fines for things like:\n\n- litter\n\n- graffiti\n\n- fly posting\n\n- dog offences\n\n## Decision making\n\nThe full council (a meeting of all council members) is responsible for all decisions. But in practice, most of the work is given to smaller groups of councillors or council officers (paid staff).\n\nEvery council must publish:\n\n- details of when key decisions will be taken\n\n- papers of meetings \u2013 at least 5 working days beforehand\n\n- minutes of meetings \u2013 showing the decisions that were made\n\nYou can view council meeting agendas, minutes and reports on your council\u2019s website.\n\nYou can also attend most council meetings, although usually you won\u2019t be able to speak at them.\n\n## Mayors\n\nMany councils have a civic mayor or chairman of the council. They carry out ceremonial duties and chair meetings, but can\u2019t make decisions about council business.\n\nSome councils have an elected mayor. They\u2019re responsible for the day-to-day running of local services.\n\nCouncils can have both elected and civic mayors.\n\n## Spending and accounts\n\nMany local councils provide information on their websites to show how they spend their budget.\n\nYou can view details of:\n\n- payments for goods and services over \u00a3500\n\n- contracts and tenders over \u00a3500\n\n## Looking at annual accounts\n\nEvery year councils must open their detailed financial accounts to the public for 30 working days.\n\nThis allows you to check any spending under \u00a3500 without having to make a freedom of information request.\n\nYour council must publish on its website and in the local press details of when you can check its accounts.\n\n## Local councillors and elections\n\nLocal councillors are elected for 4-year terms by the local community to represent its views.\n\nYou can contact your local councillor online or by going to an advice surgery.\n\n## When local elections are held\n\nElections to councils are normally held on the first Thursday in May.\n\nSome councils elect all of their councillors at the same time. Other councils elect half or a third of their councillors at each election. Read about the election timetable in England.\n\nYou can find out more about local council elections from the Local Government Boundary Commission for England.\n\n## Declaring interests\n\nAll local councillors have to declare any interests, gifts or hospitality they get that could influence decisions they make.\n\nYour local council must publish details of these. You can usually access them on your council\u2019s website or at the town hall.\n\n## Make a complaint\n\nIf you feel that a council service hasn\u2019t been properly delivered, you can make an official complaint.\n\n- Complain to the council service provider.\n\n- If you\u2019re still not happy, complain to your council\u2019s complaints officer.\n\n- If this doesn\u2019t resolve the issue, you may be able to get the Local Government Ombudsman to look into it.\n\nThe Ombudsman considers complaints if you\u2019ve suffered because of:\n\n- the way a council service has been given\n\n- how a decision has been made\n\nThe Ombudsman usually only considers your complaint once it\u2019s been through your local council\u2019s complaints procedure.", + "original_contents": [ + "

    Types of council

    ", + "

    This guide relates to councils in England. Find information about councils in Scotland, Wales and Northern Ireland.

    ", + "

    Many parts of England have 2 tiers of local government:

    ", + "
  • county councils
  • ", + "
  • district, borough or city councils
  • ", + "

    In some parts of the country, there\u2019s just 1 (unitary) tier of local government providing all the local services. The 3 main types are:

    ", + "
  • unitary authorities in shire areas
  • ", + "
  • London boroughs
  • ", + "
  • metropolitan boroughs
  • ", + "

    County councils

    ", + "

    These are responsible for services across the whole of a county, like:

    ", + "
  • education
  • ", + "
  • transport
  • ", + "
  • planning
  • ", + "
  • fire and public safety
  • ", + "
  • social care
  • ", + "
  • libraries
  • ", + "
  • waste management
  • ", + "
  • trading standards
  • ", + "

    District, borough and city councils

    ", + "

    These cover a smaller area than county councils. They\u2019re usually responsible for services like:

    ", + "
  • rubbish collection
  • ", + "
  • recycling
  • ", + "
  • Council Tax collections
  • ", + "
  • housing
  • ", + "
  • planning applications
  • ", + "

    Unitary authorities and London and metropolitan boroughs

    ", + "

    In some parts of the country, 1 tier of local government provides all the local services listed above.

    ", + "

    In London and metropolitan areas some services, like fire, police and public transport, are provided through \u2018joint authorities\u2019 (in London by the Greater London Authority).

    ", + "

    Parish, community and town councils

    ", + "

    These operate at a level below district and borough councils and in some cases, unitary authorities.

    ", + "

    They\u2019re elected and can help on a number of local issues, like providing:

    ", + "
  • allotments
  • ", + "
  • public clocks
  • ", + "
  • bus shelters
  • ", + "
  • community centres
  • ", + "
  • play areas and play equipment
  • ", + "
  • grants to help local organisations
  • ", + "
  • consultation on neighbourhood planning
  • ", + "

    They also have the power to issue fixed penalty fines for things like:

    ", + "
  • litter
  • ", + "
  • graffiti
  • ", + "
  • fly posting
  • ", + "
  • dog offences
  • ", + "

    Decision making

    ", + "

    The full council (a meeting of all council members) is responsible for all decisions. But in practice, most of the work is given to smaller groups of councillors or council officers (paid staff).

    ", + "

    Every council must publish:

    ", + "
  • details of when key decisions will be taken
  • ", + "
  • papers of meetings \u2013 at least 5 working days beforehand
  • ", + "
  • minutes of meetings \u2013 showing the decisions that were made
  • ", + "

    You can view council meeting agendas, minutes and reports on your council\u2019s website.

    ", + "

    You can also attend most council meetings, although usually you won\u2019t be able to speak at them.

    ", + "

    Mayors

    ", + "

    Many councils have a civic mayor or chairman of the council. They carry out ceremonial duties and chair meetings, but can\u2019t make decisions about council business.

    ", + "

    Some councils have an elected mayor. They\u2019re responsible for the day-to-day running of local services.

    ", + "

    Councils can have both elected and civic mayors.

    ", + "

    Spending and accounts

    ", + "

    Many local councils provide information on their websites to show how they spend their budget.

    ", + "

    You can view details of:

    ", + "
  • payments for goods and services over \u00a3500
  • ", + "
  • contracts and tenders over \u00a3500
  • ", + "

    Looking at annual accounts

    ", + "

    Every year councils must open their detailed financial accounts to the public for 30 working days.

    ", + "

    This allows you to check any spending under \u00a3500 without having to make a freedom of information request.

    ", + "

    Your council must publish on its website and in the local press details of when you can check its accounts.

    ", + "

    Local councillors and elections

    ", + "

    Local councillors are elected for 4-year terms by the local community to represent its views.

    ", + "

    You can contact your local councillor online or by going to an advice surgery.

    ", + "

    When local elections are held

    ", + "

    Elections to councils are normally held on the first Thursday in May.

    ", + "

    Some councils elect all of their councillors at the same time. Other councils elect half or a third of their councillors at each election. Read about the election timetable in England.

    ", + "

    You can find out more about local council elections from the Local Government Boundary Commission for England.

    ", + "

    Declaring interests

    ", + "

    All local councillors have to declare any interests, gifts or hospitality they get that could influence decisions they make.

    ", + "

    Your local council must publish details of these. You can usually access them on your council\u2019s website or at the town hall.

    ", + "

    Make a complaint

    ", + "

    If you feel that a council service hasn\u2019t been properly delivered, you can make an official complaint.

    ", + "
  • Complain to the council service provider.
  • ", + "
  • If you\u2019re still not happy, complain to your council\u2019s complaints officer.
  • ", + "
  • If this doesn\u2019t resolve the issue, you may be able to get the Local Government Ombudsman to look into it.
  • ", + "

    The Ombudsman considers complaints if you\u2019ve suffered because of:

    ", + "
  • the way a council service has been given
  • ", + "
  • how a decision has been made
  • ", + "

    The Ombudsman usually only considers your complaint once it\u2019s been through your local council\u2019s complaints procedure.

    " + ] + }, + "https://www.gov.uk/control-dog-public": { + "url": "https://www.gov.uk/control-dog-public", + "title": "Controlling your dog in public", + "content": "## Overview\n\nIt\u2019s against the law to let a dog be dangerously out of control anywhere, such as:\n\n- in a public place\n\n- in a private place, for example a neighbour\u2019s house or garden\n\n- in the owner\u2019s home\n\nThe law applies to all dogs.\n\nSome types of dogs are banned.\n\n## Out of control\n\nYour dog is considered dangerously out of control if it:\n\n- injures someone\n\n- makes someone worried that it might injure them\n\nA court could also decide that your dog is dangerously out of control if either of the following apply:\n\n- it attacks someone\u2019s animal\n\n- the owner of an animal thinks they could be injured if they tried to stop your dog attacking their animal\n\nA farmer is allowed to kill your dog if it\u2019s worrying their livestock.\n\n## Penalties\n\nYou can get an unlimited fine or be sent to prison for up to 6 months (or both) if your dog is dangerously out of control. You may not be allowed to own a dog in the future and your dog may be destroyed.\n\nIf you let your dog injure someone you can be sent to prison for up to 5 years or fined (or both). If you deliberately use your dog to injure someone you could be charged with \u2018malicious wounding\u2019.\n\nIf you allow your dog to kill someone you can be sent to prison for up to 14 years or get an unlimited fine (or both).\n\nIf you allow your dog to injure an assistance dog (for example a guide dog) you can be sent to prison for up to 3 years or fined (or both).\n\n## Banned dogs\n\nIn the UK, it\u2019s against the law to own certain types of dog. These are the:\n\n- Pit Bull Terrier\n\n- Japanese Tosa\n\n- Dogo Argentino\n\n- Fila Brasileiro\n\nIt\u2019s also against the law to:\n\n- sell a banned dog\n\n- abandon a banned dog\n\n- give away a banned dog\n\n- breed from a banned dog\n\nWhether your dog is a banned type depends on what it looks like, rather than its breed or name.\n\n## If you have a banned dog\n\nIf you have a banned dog, the police or local council dog warden can take it away and keep it, even if:\n\n- it is not acting dangerously\n\n- there has not been a complaint\n\nThe police may need permission from a court to do this.\n\nIf your dog is in:\n\n- a public place, the police do not need a warrant\n\n- a private place, the police must get a warrant\n\n- a private place and the police have a warrant for something else (like a drugs search), they can seize your dog\n\nA police or council dog expert will judge what type of dog you have and whether it is (or could be) a danger to the public. Your dog will then either be:\n\n- released\n\n- kept in kennels while the police (or council) apply to a court\n\nYou\u2019re not allowed to visit your dog while you wait for the court decision.\n\nYou can give up ownership of your dog but you cannot be forced to. If you do, your dog could be destroyed without you even going to court.\n\n## Going to court\n\nIt\u2019s your responsibility to prove your dog is not a banned type.\n\nIf you prove this, the court will order the dog to be returned to you. If you cannot prove it (or you plead guilty), you\u2019ll be convicted of a crime.\n\nYou can get an unlimited fine or be sent to prison for up to 6 months (or both) for having a banned dog against the law. Your dog will also be destroyed.\n\n## Index of Exempted Dogs (IED)\n\nIf your dog is banned but the court thinks it\u2019s not a danger to the public, it may put it on the IED and let you keep it.\n\nYou\u2019ll be given a Certificate of Exemption. This is valid for the life of the dog.\n\nYour dog must be:\n\n- neutered\n\n- microchipped\n\n- kept on a lead and muzzled at all times when in public\n\n- kept in a secure place so it cannot escape\n\nAs the owner, you must:\n\n- take out insurance against your dog injuring other people\n\n- be aged over 16\n\n- show the Certificate of Exemption when asked by a police officer or council dog warden, either at the time or within 5 days\n\n- let the IED know if you change address, or your dog dies\n\n## Public Spaces Protection Orders\n\nSome public areas in England and Wales are covered by Public Spaces Protection Orders (PSPOs) - previously called Dog Control Orders (DCOs).\n\nIn public areas with PSPOs, you may have to:\n\n- keep your dog on a lead\n\n- put your dog on a lead if told to by a police officer, police community support officer or someone from the council\n\n- stop your dog going to certain places - like farmland or parts of a park\n\n- limit the number of dogs you have with you (this applies to professional dog walkers too)\n\n- clear up after your dog\n\n- carry a poop scoop and disposable bags\n\nYou can report dog fouling to your local council.\n\n## Penalties\n\nIf you ignore a PSPO, you can be fined:\n\n- \u00a3100 on the spot (a \u2018Fixed Penalty Notice\u2019)\n\n- up to \u00a31,000 if it goes to court\n\n## PSPOs in your area\n\nLocal councils must let the public know where PSPOs are in place.\n\nIf the council plans to put a new PSPO in place, it must put up a notice and publish it on its website.\n\nThe notice must tell you:\n\n- where the new PSPO will apply\n\n- if there\u2019s a map and where you can see it\n\n## Report a dog\n\nAnyone can report a dog and their owner to the police.\n\nYou can report a dangerous dog to your council\u2019s dog warden service.\n\nYou can also report dog fouling to your local council.", + "original_contents": [ + "

    Overview

    ", + "

    It\u2019s against the law to let a dog be dangerously out of control anywhere, such as:

    ", + "
  • in a public place
  • ", + "
  • in a private place, for example a neighbour\u2019s house or garden
  • ", + "
  • in the owner\u2019s home
  • ", + "

    The law applies to all dogs.

    ", + "

    Some types of dogs are banned.

    ", + "

    Out of control

    ", + "

    Your dog is considered dangerously out of control if it:

    ", + "
  • injures someone
  • ", + "
  • makes someone worried that it might injure them
  • ", + "

    A court could also decide that your dog is dangerously out of control if either of the following apply:

    ", + "
  • it attacks someone\u2019s animal
  • ", + "
  • the owner of an animal thinks they could be injured if they tried to stop your dog attacking their animal
  • ", + "

    A farmer is allowed to kill your dog if it\u2019s worrying their livestock.

    ", + "

    Penalties

    ", + "

    You can get an unlimited fine or be sent to prison for up to 6 months (or both) if your dog is dangerously out of control. You may not be allowed to own a dog in the future and your dog may be destroyed.

    ", + "

    If you let your dog injure someone you can be sent to prison for up to 5 years or fined (or both). If you deliberately use your dog to injure someone you could be charged with \u2018malicious wounding\u2019.

    ", + "

    If you allow your dog to kill someone you can be sent to prison for up to 14 years or get an unlimited fine (or both).

    ", + "

    If you allow your dog to injure an assistance dog (for example a guide dog) you can be sent to prison for up to 3 years or fined (or both).

    ", + "

    Banned dogs

    ", + "

    In the UK, it\u2019s against the law to own certain types of dog. These are the:

    ", + "
  • Pit Bull Terrier
  • ", + "
  • Japanese Tosa
  • ", + "
  • Dogo Argentino
  • ", + "
  • Fila Brasileiro
  • ", + "

    It\u2019s also against the law to:

    ", + "
  • sell a banned dog
  • ", + "
  • abandon a banned dog
  • ", + "
  • give away a banned dog
  • ", + "
  • breed from a banned dog
  • ", + "

    Whether your dog is a banned type depends on what it looks like, rather than its breed or name.

    ", + "

    If you have a banned dog

    ", + "

    If you have a banned dog, the police or local council dog warden can take it away and keep it, even if:

    ", + "
  • it is not acting dangerously
  • ", + "
  • there has not been a complaint
  • ", + "

    The police may need permission from a court to do this.

    ", + "

    If your dog is in:

    ", + "
  • a public place, the police do not need a warrant
  • ", + "
  • a private place, the police must get a warrant
  • ", + "
  • a private place and the police have a warrant for something else (like a drugs search), they can seize your dog
  • ", + "

    A police or council dog expert will judge what type of dog you have and whether it is (or could be) a danger to the public. Your dog will then either be:

    ", + "
  • released
  • ", + "
  • kept in kennels while the police (or council) apply to a court
  • ", + "

    You\u2019re not allowed to visit your dog while you wait for the court decision.

    ", + "

    You can give up ownership of your dog but you cannot be forced to. If you do, your dog could be destroyed without you even going to court.

    ", + "

    Going to court

    ", + "

    It\u2019s your responsibility to prove your dog is not a banned type.

    ", + "

    If you prove this, the court will order the dog to be returned to you. If you cannot prove it (or you plead guilty), you\u2019ll be convicted of a crime.

    ", + "

    You can get an unlimited fine or be sent to prison for up to 6 months (or both) for having a banned dog against the law. Your dog will also be destroyed.

    ", + "

    Index of Exempted Dogs (IED)

    ", + "

    If your dog is banned but the court thinks it\u2019s not a danger to the public, it may put it on the IED and let you keep it.

    ", + "

    You\u2019ll be given a Certificate of Exemption. This is valid for the life of the dog.

    ", + "

    Your dog must be:

    ", + "
  • neutered
  • ", + "
  • microchipped
  • ", + "
  • kept on a lead and muzzled at all times when in public
  • ", + "
  • kept in a secure place so it cannot escape
  • ", + "

    As the owner, you must:

    ", + "
  • take out insurance against your dog injuring other people
  • ", + "
  • be aged over 16
  • ", + "
  • show the Certificate of Exemption when asked by a police officer or council dog warden, either at the time or within 5 days
  • ", + "
  • let the IED know if you change address, or your dog dies
  • ", + "

    Public Spaces Protection Orders

    ", + "

    Some public areas in England and Wales are covered by Public Spaces Protection Orders (PSPOs) - previously called Dog Control Orders (DCOs).

    ", + "

    In public areas with PSPOs, you may have to:

    ", + "
  • keep your dog on a lead
  • ", + "
  • put your dog on a lead if told to by a police officer, police community support officer or someone from the council
  • ", + "
  • stop your dog going to certain places - like farmland or parts of a park
  • ", + "
  • limit the number of dogs you have with you (this applies to professional dog walkers too)
  • ", + "
  • clear up after your dog
  • ", + "
  • carry a poop scoop and disposable bags
  • ", + "

    You can report dog fouling to your local council.

    ", + "

    Penalties

    ", + "

    If you ignore a PSPO, you can be fined:

    ", + "
  • \u00a3100 on the spot (a \u2018Fixed Penalty Notice\u2019)
  • ", + "
  • up to \u00a31,000 if it goes to court
  • ", + "

    PSPOs in your area

    ", + "

    Local councils must let the public know where PSPOs are in place.

    ", + "

    If the council plans to put a new PSPO in place, it must put up a notice and publish it on its website.

    ", + "

    The notice must tell you:

    ", + "
  • where the new PSPO will apply
  • ", + "
  • if there\u2019s a map and where you can see it
  • ", + "

    Report a dog

    ", + "

    Anyone can report a dog and their owner to the police.

    ", + "

    You can report a dangerous dog to your council\u2019s dog warden service.

    ", + "

    You can also report dog fouling to your local council.

    " + ] + }, + "https://www.gov.uk/horse-passport": { + "url": "https://www.gov.uk/horse-passport", + "title": "Getting and using a horse passport", + "content": "## When you need a horse passport\n\nYou must have a horse passport (sometimes called an \u2018equine passport\u2019) for each animal if you keep any of the following:\n\n- horses\n\n- ponies\n\n- donkeys and asses\n\n- zebras\n\n- mules, hinnies or other hybrids\n\nThe passport is a document that:\n\n- describes the animal, for example by breed, colour, species\n\n- lists all vaccinations\n\n- names the registered owner\n\nYou only need a passport for semi-wild ponies on Dartmoor, Exmoor, Wicken Fen or in the New Forest if they\u2019re not free to roam in these areas (for example, if you sometimes keep them enclosed on your land) or you have them treated by a vet.\n\n## Use your horse passport\n\nYou must keep a valid horse passport with your animal at all times. This includes at its stable or when you move it.\n\nYou need to provide your horse\u2019s passport:\n\n- when a vet examines or treats your animal - the medication your animal can get depends on how it\u2019s categorised on its passport\n\n- if an animal health inspector, trading standards inspector or other enforcement officer asks to see it\n\n- when you sell or give the animal to someone else\n\nYou could get a fine if you cannot show a valid horse passport for an animal in your care.\n\n## If you buy a horse\n\nContact the Passport Issuing Organisation (PIO) within 30 days to update the passport ownership details.\n\nIf the seller does not give you the horse\u2019s passport, contact your local trading standards office for advice.\n\nYou might need to take additional steps if you import a horse from outside the UK.\n\n## When your horse dies\n\nWithin 30 days of the horse\u2019s death, return its passport to the PIO that issued it. They will update their records and invalidate or destroy the passport.\n\nIf the passport has been invalidated you may be able to get it sent back to you. Ask the PIO if this is possible.\n\n## If your horse was born before July 2009\n\nCheck if your horse is microchipped by:\n\n- looking at its passport\n\n- looking at the Digital Stable or the National Chipchecker\n\n- asking a vet to scan your horse for a microchip\n\nIf your horse does not have a microchip, you must:\n\n- get a vet to microchip it\n\n- update the passport\n\nIn England, you can be fined if your horse is not microchipped.\n\nThere are different rules in Scotland, Wales and Northern Ireland.\n\n## Apply for a horse passport\n\nIf you own the horse or related animal, you must get a passport for it before it reaches 12 months of age.\n\n## How to apply\n\nApply through a Passport Issuing Organisation (PIO). If you have a pedigree animal, you need to register through a PIO that manages studbooks.\n\nYou need a vet to implant a microchip in your horse before you can apply.\n\nSend your application by whichever date is later:\n\n- 30 November of the animal\u2019s year of birth\n\n- within 6 months of the animal\u2019s birth\n\nApplications can take up to 6 weeks. How much you pay depends on the PIO and type of animal.\n\nA passport issued more than 12 months after birth will be treated as late. It will be issued as a duplicate or replacement passport and the animal cannot be used as food for humans.\n\nThere\u2019s no expiry on horse passports - they last an animal\u2019s lifetime.\n\n## Update or replace a passport\n\nYou need to:\n\n- update the passport\u2019s details if they change, for example if you have a new microchip put in your horse\n\n- replace a passport if it gets lost\n\n## Update passport details\n\nContact the Passport Issuing Organisation (PIO) to get your horse\u2019s passport updated.\n\nYou can make updates through the Digital Stable in some instances.\n\n## Replace a lost passport\n\nContact the PIO that issued the original passport to request a duplicate or replacement.\n\nIf you do not know which PIO this is, you can apply for a duplicate or replacement from another PIO. Apply to a PIO that manages studbooks if you have a pedigree.\n\nYour horse will not be used as food when it dies if it\u2019s given a duplicate or replacement passport.\n\nYou\u2019re breaking the law if you apply for a replacement or duplicate passport when the original is not lost.\n\n## If you find your original passport\n\nSend the passport back to the PIO that issued it. If the PIO no longer exists or is not in the UK, then send it to any appropriate UK PIO.\n\n## Import or export a horse or related animal\n\nWhat you need to do depends on whether you\u2019re importing or exporting the horse or related animal.\n\n## Importing\n\nAny horse coming into the UK must have an up-to-date horse passport. This can come from:\n\n- a UK Passport Issuing Organisation (PIO)\n\n- an approved body from another country\n\nIf the horse will be in the UK for more than 90 days and does not have a UK horse passport, you must register the foreign passport with a UK PIO. You must apply within 30 days of the horse\u2019s arrival.\n\nUse a PIO that manages studbooks if you have a pedigree.\n\nThere are limited circumstances where you do not need to register the foreign passport with a UK PIO. A PIO will tell you if one of those circumstances apply if you contact them.\n\nIf you\u2019re in England, Scotland or Wales, read more about the rules for:\n\n- importing horses from Northern Ireland, EU countries and Norway\n\n- importing horses from any other country\n\nIf you\u2019re in Northern Ireland, read more about importing animals.\n\n## Exporting\n\nYou must keep the passport with the horse and follow the rules for:\n\n- exporting horses from England, Scotland or Wales\n\n- exporting animals from Northern Ireland\n\n## Get help\n\nContact the Passport Issuing Organisation (PIO) that issued the horse passport if you have any questions.\n\n## If you have concerns about the conduct of PIOs\n\nContact the Department for Environment Food and Rural Affairs (Defra).\n\nYou can also write to them.", + "original_contents": [ + "

    When you need a horse passport

    ", + "

    You must have a horse passport (sometimes called an \u2018equine passport\u2019) for each animal if you keep any of the following:

    ", + "
  • horses
  • ", + "
  • ponies
  • ", + "
  • donkeys and asses
  • ", + "
  • zebras
  • ", + "
  • mules, hinnies or other hybrids
  • ", + "

    The passport is a document that:

    ", + "
  • describes the animal, for example by breed, colour, species
  • ", + "
  • lists all vaccinations
  • ", + "
  • names the registered owner
  • ", + "

    You only need a passport for semi-wild ponies on Dartmoor, Exmoor, Wicken Fen or in the New Forest if they\u2019re not free to roam in these areas (for example, if you sometimes keep them enclosed on your land) or you have them treated by a vet.

    ", + "

    Use your horse passport

    ", + "

    You must keep a valid horse passport with your animal at all times. This includes at its stable or when you move it.

    ", + "

    You need to provide your horse\u2019s passport:

    ", + "
  • when a vet examines or treats your animal - the medication your animal can get depends on how it\u2019s categorised on its passport
  • ", + "
  • if an animal health inspector, trading standards inspector or other enforcement officer asks to see it
  • ", + "
  • when you sell or give the animal to someone else
  • ", + "

    You could get a fine if you cannot show a valid horse passport for an animal in your care.

    ", + "

    If you buy a horse

    ", + "

    Contact the Passport Issuing Organisation (PIO) within 30 days to update the passport ownership details.

    ", + "

    If the seller does not give you the horse\u2019s passport, contact your local trading standards office for advice.

    ", + "

    You might need to take additional steps if you import a horse from outside the UK.

    ", + "

    When your horse dies

    ", + "

    Within 30 days of the horse\u2019s death, return its passport to the PIO that issued it. They will update their records and invalidate or destroy the passport.

    ", + "

    If the passport has been invalidated you may be able to get it sent back to you. Ask the PIO if this is possible.

    ", + "

    If your horse was born before July 2009

    ", + "

    Check if your horse is microchipped by:

    ", + "
  • looking at its passport
  • ", + "
  • looking at the Digital Stable or the National Chipchecker
  • ", + "
  • asking a vet to scan your horse for a microchip
  • ", + "

    If your horse does not have a microchip, you must:

    ", + "
  • get a vet to microchip it
  • ", + "
  • update the passport
  • ", + "

    In England, you can be fined if your horse is not microchipped.

    ", + "

    There are different rules in Scotland, Wales and Northern Ireland.

    ", + "

    Apply for a horse passport

    ", + "

    If you own the horse or related animal, you must get a passport for it before it reaches 12 months of age.

    ", + "

    How to apply

    ", + "

    Apply through a Passport Issuing Organisation (PIO). If you have a pedigree animal, you need to register through a PIO that manages studbooks.

    ", + "

    You need a vet to implant a microchip in your horse before you can apply.

    ", + "

    Send your application by whichever date is later:

    ", + "
  • 30 November of the animal\u2019s year of birth
  • ", + "
  • within 6 months of the animal\u2019s birth
  • ", + "

    Applications can take up to 6 weeks. How much you pay depends on the PIO and type of animal.

    ", + "

    A passport issued more than 12 months after birth will be treated as late. It will be issued as a duplicate or replacement passport and the animal cannot be used as food for humans.

    ", + "

    There\u2019s no expiry on horse passports - they last an animal\u2019s lifetime.

    ", + "

    Update or replace a passport

    ", + "

    You need to:

    ", + "
  • update the passport\u2019s details if they change, for example if you have a new microchip put in your horse
  • ", + "
  • replace a passport if it gets lost
  • ", + "

    Update passport details

    ", + "

    Contact the Passport Issuing Organisation (PIO) to get your horse\u2019s passport updated.

    ", + "

    You can make updates through the Digital Stable in some instances.

    ", + "

    Replace a lost passport

    ", + "

    Contact the PIO that issued the original passport to request a duplicate or replacement.

    ", + "

    If you do not know which PIO this is, you can apply for a duplicate or replacement from another PIO. Apply to a PIO that manages studbooks if you have a pedigree.

    ", + "

    Your horse will not be used as food when it dies if it\u2019s given a duplicate or replacement passport.

    ", + "

    You\u2019re breaking the law if you apply for a replacement or duplicate passport when the original is not lost.

    ", + "

    If you find your original passport

    ", + "

    Send the passport back to the PIO that issued it. If the PIO no longer exists or is not in the UK, then send it to any appropriate UK PIO.

    ", + "

    Import or export a horse or related animal

    ", + "

    What you need to do depends on whether you\u2019re importing or exporting the horse or related animal.

    ", + "

    Importing

    ", + "

    Any horse coming into the UK must have an up-to-date horse passport. This can come from:

    ", + "
  • a UK Passport Issuing Organisation (PIO)
  • ", + "
  • an approved body from another country
  • ", + "

    If the horse will be in the UK for more than 90 days and does not have a UK horse passport, you must register the foreign passport with a UK PIO. You must apply within 30 days of the horse\u2019s arrival.

    ", + "

    Use a PIO that manages studbooks if you have a pedigree.

    ", + "

    There are limited circumstances where you do not need to register the foreign passport with a UK PIO. A PIO will tell you if one of those circumstances apply if you contact them.

    ", + "

    If you\u2019re in England, Scotland or Wales, read more about the rules for:

    ", + "
  • importing horses from Northern Ireland, EU countries and Norway
  • ", + "
  • importing horses from any other country
  • ", + "

    If you\u2019re in Northern Ireland, read more about importing animals.

    ", + "

    Exporting

    ", + "

    You must keep the passport with the horse and follow the rules for:

    ", + "
  • exporting horses from England, Scotland or Wales
  • ", + "
  • exporting animals from Northern Ireland
  • ", + "

    Get help

    ", + "

    Contact the Passport Issuing Organisation (PIO) that issued the horse passport if you have any questions.

    ", + "

    If you have concerns about the conduct of PIOs

    ", + "

    Contact the Department for Environment Food and Rural Affairs (Defra).

    ", + "

    You can also write to them.

    " + ] + }, + "https://www.gov.uk/low-flying-in-your-area": { + "url": "https://www.gov.uk/low-flying-in-your-area", + "title": "Low flying military aircraft", + "content": "## Overview\n\nMilitary low flying is used to train military aircrew. Low flying by military aircraft is carried out across all of the UK.\n\nLow flying means:\n\n- fixed-wing aircraft flying down to 250 feet from the ground\n\n- rotary-wing aircraft (for example helicopters) flying down to 100 feet from the ground\n\nRotary-wing aircraft can also be authorised to go lower than 100 feet from the ground.\n\nLow flying isn\u2019t usually allowed in areas around airports, or towns and cities with populations of more than 10,000.\n\nFind out more about:\n\n- safety concerns and low flying\n\n- noise from commercial airports\n\n## Where and when low flying happens\n\nThe UK is divided into 20 separate low flying areas.\n\nThree of these areas are also known as \u2018tactical training areas\u2019. These are in:\n\n- central Wales\n\n- northern Scotland\n\n- the borders area of southern Scotland and northern England\n\nMinistry of Defence (MOD) publishes a monthly timetable for the low flying tactical training areas and MOD sponsored air exercises.\n\n## Air weapons ranges\n\nThe Royal Air Force (RAF) currently uses 5 air weapons ranges. These are:\n\n- Donna Nook and Holbeach in Lincolnshire\n\n- Pembrey Sands in Carmarthenshire\n\n- Tain in Ross-shire\n\n- Cape Wrath in Sutherland\n\nAir weapons ranges are used for:\n\n- low flying military aircraft\n\n- air to ground bombing\n\nMOD publishes a monthly timetable for air weapons ranges activity. Red flags or lights, signs and sentries show when you can\u2019t go onto an air weapons range.\n\nYou can also contact MOD about low flying in your area.\n\n## Find out about low flying in your area\n\nContact the Ministry of Defence (MOD) for information about low flying military aircraft in your area.\n\n## Low flying in England, Wales and Scotland\n\nContact the Low Flying Complaints and Enquiries Unit to complain or enquire about low flying in your area.\n\nTo make a complaint, send the following information:\n\n- your name\n\n- full address and postcode\n\n- telephone number\n\n- date and time of the problem\n\n- location of the problem\n\n- type of aircraft, if known\n\n- a brief description of your complaint\n\nYou should get a response within 20 days.\n\nYour complaint can be investigated by the Defence Flying Complaints Investigation Team if it\u2019s about serious injuries or damage.\n\n## Enquiries about horse riding\n\nCall the low level advisory service if you want to ride a horse and are worried about low flying aircraft.\n\n## Low flying in Northern Ireland\n\n## Request low flying to be temporarily stopped\n\nYou can apply to have low flying stopped temporarily in your area, for example if you\u2019re holding an agricultural or horse show.\n\nContact the Ministry of Defence (MOD) to apply. They will grant your request if it doesn\u2019t significantly disturb the low flying training.\n\nWhen applying, make sure you include the:\n\n- name and nature of the event\n\n- location and ordnance survey grid reference\n\n- contact details for the people holding the event\n\n- date and time when you would like low flying to be stopped", + "original_contents": [ + "

    Overview

    ", + "

    Military low flying is used to train military aircrew. Low flying by military aircraft is carried out across all of the UK.

    ", + "

    Low flying means:

    ", + "
  • fixed-wing aircraft flying down to 250 feet from the ground
  • ", + "
  • rotary-wing aircraft (for example helicopters) flying down to 100 feet from the ground
  • ", + "

    Rotary-wing aircraft can also be authorised to go lower than 100 feet from the ground.

    ", + "

    Low flying isn\u2019t usually allowed in areas around airports, or towns and cities with populations of more than 10,000.

    ", + "

    Find out more about:

    ", + "
  • safety concerns and low flying
  • ", + "
  • noise from commercial airports
  • ", + "

    Where and when low flying happens

    ", + "

    The UK is divided into 20 separate low flying areas.

    ", + "

    Three of these areas are also known as \u2018tactical training areas\u2019. These are in:

    ", + "
  • central Wales
  • ", + "
  • northern Scotland
  • ", + "
  • the borders area of southern Scotland and northern England
  • ", + "

    Ministry of Defence (MOD) publishes a monthly timetable for the low flying tactical training areas and MOD sponsored air exercises.

    ", + "

    Air weapons ranges

    ", + "

    The Royal Air Force (RAF) currently uses 5 air weapons ranges. These are:

    ", + "
  • Donna Nook and Holbeach in Lincolnshire
  • ", + "
  • Pembrey Sands in Carmarthenshire
  • ", + "
  • Tain in Ross-shire
  • ", + "
  • Cape Wrath in Sutherland
  • ", + "

    Air weapons ranges are used for:

    ", + "
  • low flying military aircraft
  • ", + "
  • air to ground bombing
  • ", + "

    MOD publishes a monthly timetable for air weapons ranges activity. Red flags or lights, signs and sentries show when you can\u2019t go onto an air weapons range.

    ", + "

    You can also contact MOD about low flying in your area.

    ", + "

    Find out about low flying in your area

    ", + "

    Contact the Ministry of Defence (MOD) for information about low flying military aircraft in your area.

    ", + "

    Low flying in England, Wales and Scotland

    ", + "

    Contact the Low Flying Complaints and Enquiries Unit to complain or enquire about low flying in your area.

    ", + "

    To make a complaint, send the following information:

    ", + "
  • your name
  • ", + "
  • full address and postcode
  • ", + "
  • telephone number
  • ", + "
  • date and time of the problem
  • ", + "
  • location of the problem
  • ", + "
  • type of aircraft, if known
  • ", + "
  • a brief description of your complaint
  • ", + "

    You should get a response within 20 days.

    ", + "

    Your complaint can be investigated by the Defence Flying Complaints Investigation Team if it\u2019s about serious injuries or damage.

    ", + "

    Enquiries about horse riding

    ", + "

    Call the low level advisory service if you want to ride a horse and are worried about low flying aircraft.

    ", + "

    Low flying in Northern Ireland

    ", + "

    Request low flying to be temporarily stopped

    ", + "

    You can apply to have low flying stopped temporarily in your area, for example if you\u2019re holding an agricultural or horse show.

    ", + "

    Contact the Ministry of Defence (MOD) to apply. They will grant your request if it doesn\u2019t significantly disturb the low flying training.

    ", + "

    When applying, make sure you include the:

    ", + "
  • name and nature of the event
  • ", + "
  • location and ordnance survey grid reference
  • ", + "
  • contact details for the people holding the event
  • ", + "
  • date and time when you would like low flying to be stopped
  • " + ] + }, + "https://www.gov.uk/how-to-resolve-neighbour-disputes": { + "url": "https://www.gov.uk/how-to-resolve-neighbour-disputes", + "title": "Resolving neighbour disputes", + "content": "## Overview\n\nFollow these steps if you have a dispute with your neighbour.\n\nThis guide is also available in Welsh (Cymraeg).\n\n- Try to solve the problem informally by talking to them.\n\n- If your neighbour is a tenant, you could contact their landlord.\n\n- You could use a mediation service if raising the issue informally does not work.\n\n- If the dispute involves a statutory nuisance (something like loud music or barking dogs), you can make a complaint to your local council.\n\n- Contact the police if your neighbour is breaking the law by being violent or harassing you.\n\n- As a last resort you can take legal action through the courts.\n\n## Talk to your neighbour\n\nBefore making a formal complaint or getting others involved, try to discuss the problem with your neighbour.\n\nIf you\u2019re worried about approaching them, write a letter, explaining the problem clearly and sticking to the facts.\n\nIf the problem affects other neighbours, involve them as well. It can be easier to settle a dispute if the complaint comes from a number of people.\n\nA tenants\u2019 association might help if you\u2019re a member of one.\n\nGet practical advice from Citizens Advice to deal with common neighbour disputes, like noise and rubbish.\n\n## Contact your neighbour's landlord\n\nIf your neighbour is a tenant, you can complain to their landlord. This could be a housing association, the council or a private landlord.\n\n## Use a mediation service\n\nIf you cannot resolve the dispute by speaking to your neighbour, get help from a mediation service.\n\n## How mediation works\n\nMediation is when an impartial person - trained in dealing with difficult discussions between 2 opposing sides - acts like a referee in a dispute.\n\nThere can be a fee for mediation, but this will still be cheaper than hiring a solicitor and taking legal action.\n\n## Contact a mediation service\n\nMediation services differ depending on where you live:\n\n- if you live in England and Wales, find a mediation provider in your area\n\n- in Scotland, use the Scottish Mediation Network\n\n- your council or housing association may provide a mediation service\n\n## Complain about noise to the council\n\nYou can ask your local council for help if the neighbour dispute involves an activity that is damaging to health or a nuisance. This is known as a \u2018statutory nuisance\u2019.\n\nThis could include:\n\n- noise (including loud music and barking dogs)\n\n- artificial light (except street lamps)\n\n- dust, steam, smell or insects from business premises\n\n- smoke, fumes or gases\n\n- a build-up of rubbish that could harm health\n\nYour council has a duty to investigate any statutory nuisance.\n\nYou should always try and solve the problem by talking to your neighbour or through mediation before contacting the council.\n\n## Penalties\n\nIf the council decides someone is causing a statutory noise nuisance they must issue a \u2018noise abatement\u2019 order. This tells the person what they must do to stop making a noise nuisance or else face further legal action.\n\nIf someone breaks an abatement order about noise from their home, they can be fined up to \u00a35,000. If it\u2019s noise from a factory or business, the penalty can be up to \u00a320,000.\n\n## High hedges, trees and boundaries\n\nYou must try to settle a dispute about a high hedge informally before the council can intervene.\n\nAsk your council for a complaint form if the hedge is all of these:\n\n- 2 or more mostly evergreen or semi-evergreen trees or shrubs\n\n- over 2 metres tall\n\n- affecting your enjoyment of your home or garden because it\u2019s too tall\n\nYou might have to pay the council a fee to consider your complaint.\n\nRead more about complaining to your council about a high hedge.\n\n## When you can trim hedges or trees\n\nYou can trim branches or roots that cross into your property from a neighbour\u2019s property or a public road.\n\nYou can only trim up to the property boundary. If you do more than this, your neighbour could take you to court for damaging their property.\n\nIf you live in a conservation area, or the trees in the hedge are protected by a \u2018tree preservation order\u2019, you might need your council\u2019s permission to trim them.\n\n## If your property borders a road\n\nThe highways authority can ask you to cut back hedges or trees on your property if they\u2019re causing an obstruction in the road. If you refuse, they can go into your property without your permission to do the work themselves. They may charge you for this.\n\n## Property damage from hedges\n\nYour neighbour is responsible for maintaining their hedges so they do not, for example, damage your property or grow too high. If they do damage your property, your neighbour may be liable.\n\n## Boundaries and shared (\u2018party\u2019) walls\n\nDisputes about what is the exact boundary between 2 properties can be difficult to solve so get legal advice.\n\nYou must give notice to your neighbour if you are going to do work on a shared (\u2018party\u2019) wall.\n\nThe Royal Institution of Chartered Surveyors (RICS) has free advice on boundary disputes and party walls (the walls you share with your neighbours).\n\n## Call the police\n\nYou should call the police if your neighbour:\n\n- is violent, threatening or abusive\n\n- is harassing you sexually, or because of your sexuality, religion or ethnic background\n\n- is breaking the law in any other way - or if you suspect this\n\n## Take action through the courts\n\nIf all else fails, you can take legal action against a neighbour.\n\nTaking someone to court can be expensive so it should be your last resort if nothing else works. There may be court fees and you may have to pay a solicitor.\n\n## Legal advice\n\nYou can get free legal advice from a law centre, advice centre or Citizens Advice.\n\nYou can also find a lawyer who deals with a neighbour disputes.", + "original_contents": [ + "

    Overview

    ", + "

    Follow these steps if you have a dispute with your neighbour.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "
  • Try to solve the problem informally by talking to them.
  • ", + "
  • If your neighbour is a tenant, you could contact their landlord.
  • ", + "
  • You could use a mediation service if raising the issue informally does not work.
  • ", + "
  • If the dispute involves a statutory nuisance (something like loud music or barking dogs), you can make a complaint to your local council.
  • ", + "
  • Contact the police if your neighbour is breaking the law by being violent or harassing you.
  • ", + "
  • As a last resort you can take legal action through the courts.
  • ", + "

    Talk to your neighbour

    ", + "

    Before making a formal complaint or getting others involved, try to discuss the problem with your neighbour.

    ", + "

    If you\u2019re worried about approaching them, write a letter, explaining the problem clearly and sticking to the facts.

    ", + "

    If the problem affects other neighbours, involve them as well. It can be easier to settle a dispute if the complaint comes from a number of people.

    ", + "

    A tenants\u2019 association might help if you\u2019re a member of one.

    ", + "

    Get practical advice from Citizens Advice to deal with common neighbour disputes, like noise and rubbish.

    ", + "

    Contact your neighbour's landlord

    ", + "

    If your neighbour is a tenant, you can complain to their landlord. This could be a housing association, the council or a private landlord.

    ", + "

    Use a mediation service

    ", + "

    If you cannot resolve the dispute by speaking to your neighbour, get help from a mediation service.

    ", + "

    How mediation works

    ", + "

    Mediation is when an impartial person - trained in dealing with difficult discussions between 2 opposing sides - acts like a referee in a dispute.

    ", + "

    There can be a fee for mediation, but this will still be cheaper than hiring a solicitor and taking legal action.

    ", + "

    Contact a mediation service

    ", + "

    Mediation services differ depending on where you live:

    ", + "
  • if you live in England and Wales, find a mediation provider in your area
  • ", + "
  • in Scotland, use the Scottish Mediation Network
  • ", + "
  • your council or housing association may provide a mediation service
  • ", + "

    Complain about noise to the council

    ", + "

    You can ask your local council for help if the neighbour dispute involves an activity that is damaging to health or a nuisance. This is known as a \u2018statutory nuisance\u2019.

    ", + "

    This could include:

    ", + "
  • noise (including loud music and barking dogs)
  • ", + "
  • artificial light (except street lamps)
  • ", + "
  • dust, steam, smell or insects from business premises
  • ", + "
  • smoke, fumes or gases
  • ", + "
  • a build-up of rubbish that could harm health
  • ", + "

    Your council has a duty to investigate any statutory nuisance.

    ", + "

    You should always try and solve the problem by talking to your neighbour or through mediation before contacting the council.

    ", + "

    Penalties

    ", + "

    If the council decides someone is causing a statutory noise nuisance they must issue a \u2018noise abatement\u2019 order. This tells the person what they must do to stop making a noise nuisance or else face further legal action.

    ", + "

    If someone breaks an abatement order about noise from their home, they can be fined up to \u00a35,000. If it\u2019s noise from a factory or business, the penalty can be up to \u00a320,000.

    ", + "

    High hedges, trees and boundaries

    ", + "

    You must try to settle a dispute about a high hedge informally before the council can intervene.

    ", + "

    Ask your council for a complaint form if the hedge is all of these:

    ", + "
  • 2 or more mostly evergreen or semi-evergreen trees or shrubs
  • ", + "
  • over 2 metres tall
  • ", + "
  • affecting your enjoyment of your home or garden because it\u2019s too tall
  • ", + "

    You might have to pay the council a fee to consider your complaint.

    ", + "

    Read more about complaining to your council about a high hedge.

    ", + "

    When you can trim hedges or trees

    ", + "

    You can trim branches or roots that cross into your property from a neighbour\u2019s property or a public road.

    ", + "

    You can only trim up to the property boundary. If you do more than this, your neighbour could take you to court for damaging their property.

    ", + "

    If you live in a conservation area, or the trees in the hedge are protected by a \u2018tree preservation order\u2019, you might need your council\u2019s permission to trim them.

    ", + "

    If your property borders a road

    ", + "

    The highways authority can ask you to cut back hedges or trees on your property if they\u2019re causing an obstruction in the road. If you refuse, they can go into your property without your permission to do the work themselves. They may charge you for this.

    ", + "

    Property damage from hedges

    ", + "

    Your neighbour is responsible for maintaining their hedges so they do not, for example, damage your property or grow too high. If they do damage your property, your neighbour may be liable.

    ", + "

    Boundaries and shared (\u2018party\u2019) walls

    ", + "

    Disputes about what is the exact boundary between 2 properties can be difficult to solve so get legal advice.

    ", + "

    You must give notice to your neighbour if you are going to do work on a shared (\u2018party\u2019) wall.

    ", + "

    The Royal Institution of Chartered Surveyors (RICS) has free advice on boundary disputes and party walls (the walls you share with your neighbours).

    ", + "

    Call the police

    ", + "

    You should call the police if your neighbour:

    ", + "
  • is violent, threatening or abusive
  • ", + "
  • is harassing you sexually, or because of your sexuality, religion or ethnic background
  • ", + "
  • is breaking the law in any other way - or if you suspect this
  • ", + "

    Take action through the courts

    ", + "

    If all else fails, you can take legal action against a neighbour.

    ", + "

    Taking someone to court can be expensive so it should be your last resort if nothing else works. There may be court fees and you may have to pay a solicitor.

    ", + "

    Legal advice

    ", + "

    You can get free legal advice from a law centre, advice centre or Citizens Advice.

    ", + "

    You can also find a lawyer who deals with a neighbour disputes.

    " + ] + }, + "https://www.gov.uk/affordable-home-ownership-schemes": { + "url": "https://www.gov.uk/affordable-home-ownership-schemes", + "title": "Affordable home ownership schemes", + "content": "## Overview\n\nYou may be able to get financial help from the government to buy a home.\n\nYou could get:\n\n- a loan to help with the cost of a new-build home if you\u2019re a first-time buyer (in England and Wales)\n\n- a home through shared ownership (UK wide)\n\nThe Help to Buy ISA scheme closed to new accounts on 30 November 2019. You can still open a Lifetime ISA to save for a first home.\n\n## Buying your council or housing association property\n\nThere are also schemes for council tenants and\nhousing association tenants.\n\n## Help to Buy: Equity Loan\n\nYou can get an equity loan towards the cost of buying a new-build home as a first-time buyer.\n\nThis guidance applies to England. There\u2019s different guidance on how to apply for an equity loan in Scotland and how to apply for an equity loan in Wales.\n\n## Eligibility\n\nYou must be:\n\n- 18 or over\n\n- a first-time buyer\n\n- able to afford the fees and interest payments\n\nYou cannot get the equity loan if you have ever:\n\n- owned a home or residential land in the UK or abroad\n\n- had any form of sharia mortgage finance\n\nYou can apply on your own or with other people. All applicants must meet the eligibility criteria.\n\nIf you\u2019re married, in a civil partnership, or cohabiting with your partner (and you plan on continuing to live together), you must make a joint application.\n\n## The property you buy with your equity loan\n\nThe property must be:\n\n- a new-build\n\n- sold by a Help to Buy registered homebuilder\n\n- the only home you own and live in\n\nIt must not have been lived in by anyone before you buy it.\n\nThere\u2019s also a \u2018maximum property purchase price\u2019 limit for the home you buy depending on which region it\u2019s in. You can buy a home up to and including the maximum property purchase price limit.\n\n| Region | Maximum property purchase price |\n\n| North East | \u00a3186,100 |\n\n| North West | \u00a3224,400 |\n\n| Yorkshire and the Humber | \u00a3228,100 |\n\n| East Midlands | \u00a3261,900 |\n\n| West Midlands | \u00a3255,600 |\n\n| East of England | \u00a3407,400 |\n\n| London | \u00a3600,000 |\n\n| South East | \u00a3437,600 |\n\n| South West | \u00a3349,000 |\n\n## How it works\n\nYou\u2019ll need to:\n\n- pay a minimum deposit of 5% of the property purchase price\n\n- arrange a repayment mortgage of at least 25% of the property purchase price\n\nYou can then borrow an equity loan to cover from 5% and up to 20% of the property purchase price of your newly built home. If the property is in London, you can borrow up to 40%.\n\nThe equity loan percentage you borrow is used to calculate your interest and equity loan repayments.\n\n## Interest payments\n\nYou do not have to pay interest for the first 5 years. In the sixth year, you\u2019ll be charged interest at a rate of 1.75%. This will be applied to the equity loan amount you originally borrowed (the equity loan percentage of the property purchase price). This annual interest is spread over the year in monthly payments.\n\nThe interest rate increases every year in April, by adding the Consumer Price Index (CPI) plus 2%.\n\nYour interest payments will decrease if you make a part repayment of the equity loan. This is because the amount the interest rate is applied to will reduce.\n\n## Fees\n\nYou\u2019ll need to pay a monthly management fee of \u00a31 when you take out the equity loan until you pay it off.\n\nIf you change your equity loan, including if you remortgage or make an equity loan repayment, you\u2019ll need to pay administration fees.\n\nYou\u2019ll also have to pay other fees associated with buying and owning a home, for example, legal and mortgage arrangement fees and for market value reports.\n\nPaying interest and fees does not count towards paying back the equity loan. If you do not keep up with payments, you may need to pay recovery costs or interest on the amount you owe.\n\n## Paying back the equity loan\n\nYou can pay back part or all of your equity loan at any time.\n\nRepayments are based on your equity loan percentage and the market value of your home at the time you want to make a repayment.\n\nYou\u2019ll need to get a market valuation report from a chartered surveyor when you make a repayment.\n\nRead more detailed guidance on repaying your equity loan.\n\n## Paying back part of your equity loan\n\nThe smallest repayment you can make is 10% of the market value of your home.\n\nPaying back part of your equity loan will reduce the monthly interest payments you\u2019ll need to pay from the sixth year of taking out the equity loan.\n\n## Paying back all your equity loan\n\nYou must repay all your equity loan when you:\n\n- reach the end of the equity loan term (normally 25 years)\n\n- pay off your repayment mortgage\n\n- sell your home\n\nYou may also be asked to repay the equity loan in full if you do not keep to the terms and conditions.\n\nIf you sell your home, you\u2019ll pay the equity loan percentage of the market value or agreed sale price if it\u2019s higher.\n\nIf you want to pay off your equity loan and you\u2019ve previously made part repayments, you\u2019ll pay the equity loan percentage you still owe of the market value.\n\n## How to apply\n\nYou need to apply through the Help to Buy agent in the area where you want to buy your home.\n\n## North\n\nFind out how to apply for an equity loan in the north.\n\n## Midlands and London\n\nFind out how to apply for an equity loan in the Midlands and London.\n\n## South (excluding London)\n\nFind out how to apply for an equity loan in the south.\n\nRead the Homebuyers\u2019 guide to Help to Buy: Equity Loan (2021-2023).\n\n## Help to Buy: Equity Loan (2013-2021)\n\nApplications for the 2013 to 2021 scheme are now closed. Read the Homebuyers\u2019 guide to Help to Buy: Equity Loan (2013-2021) for more information.\n\n## Manage your Help to Buy loan\n\nRead guidance on how to:\n\n- remortgage your Help to Buy home\n\n- make structural alterations to your Help to Buy home\n\n- sublet your Help to Buy home\n\n- change ownership of your Help to Buy home\n\n## Buying through shared ownership\n\nWhen you buy a home through a shared ownership scheme you buy a share of the property and pay rent on the rest.\n\nThe share you can buy is usually between 25% and 75%. You can buy a 10% share on some homes.\n\nThere are different rules on:\n\n- shared ownership in Scotland\n\n- shared ownership in Wales\n\n- shared ownership in Northern Ireland\n\n## Eligibility\n\nYou can buy a home through shared ownership if both of the following apply:\n\n- your household earns \u00a380,000 a year or less (\u00a390,000 a year or less in London)\n\n- you cannot afford all of the deposit and mortgage payments for a home that meets your needs\n\nOne of the following must also be true:\n\n- you\u2019re a first-time buyer\n\n- you used to own a home, but cannot afford to buy one now\n\n- you own a home and want to move but cannot afford a new home suitable for your needs\n\n- you\u2019re forming a new household - for example, after a relationship breakdown\n\n- you\u2019re an existing shared owner and want to move\n\nSome shared ownership homes in a \u2018designated protected area\u2019 are only available to buy if you have a connection to the area. If you buy one of these homes, you:\n\n- may only be able to buy a share of up to 80%\n\n- must sell it back to the landlord or a buyer nominated by the landlord - you cannot sell your home on the open market\n\n## If you own a home\n\nWhen you apply for shared ownership you must have:\n\n- accepted an offer for the sale of your current home (called \u2018sold subject to contract\u2019 or \u2018STC\u2019)\n\n- written confirmation of the sale agreed (called a \u2018memorandum of sale\u2019) including the price and your intention to sell\n\nYou must have completed the sale of your home on or before the date you complete your shared ownership purchase.\n\n## How it works\n\nShared ownership properties are always leasehold properties.\n\n## Older people\n\nIf you\u2019re aged 55 or over you can buy up to 75% of your home through the Older People\u2019s Shared Ownership (OPSO) scheme. Once you own 75% you will not pay rent on the rest.\n\n## Disabled people\n\nYou can apply for a scheme called home ownership for people with a long-term disability (HOLD) if other Help to Buy scheme properties do not meet your needs, for example you need a ground-floor property.\n\n## Buying more shares\n\nYou can buy more of your home after you become the owner. This is known as \u2018staircasing\u2019.\n\nYou can buy shares of 5% or more at any time.\n\nIf you bought your house in 2021 you may also be able to buy shares of 1% each year for the first 15 years. Ask your landlord if this applies to you. You cannot buy shares of 2%, 3% or 4%.\n\nThe cost of your new share will depend on how much your home is worth when you want to buy the share.\n\nIt will cost:\n\n- more than your first share if property prices in your area have gone up\n\n- less than your first share if property prices in your area have gone down\n\nIf you want to buy a share of 5% or more, you\u2019ll need to pay for a valuation by a surveyor. Your landlord will let you know whether they\u2019ll arrange the valuation or you need to arrange it yourself. The surveyor must be registered with the\u202fRoyal Institution of Chartered Surveyors (RICS). Your landlord will tell you the price of the share after the valuation.\n\nIf you want to buy a 1% share, the price will be based on the original price of your house, increased or decreased in line with the House Price Index (HPI). Your landlord will give you a HPI valuation at least once a year and whenever you ask to buy a 1% share.\n\n## Selling your home\n\nIf you own a share of your home, the landlord has the right to find a buyer for your home. The landlord also has the right to buy it first (known as \u2018first option to buy\u2019 or \u2018pre-emption\u2019).\n\nYou can sell your share yourself if the landlord does not find a buyer and they do not want to buy it themselves.\n\nIf you own 100% of your home, you can sell it yourself.\n\n## How to apply\n\nTo buy a shared ownership home, you need to register with the Help to Buy agent in the area where you want to live.\n\n## North\n\nFind out how to register and apply for shared ownership in the north.\n\n## Midlands and London\n\nFind out how to register and apply for shared ownership in the Midlands and London.\n\n## South (excluding London)\n\nFind out how to register and apply for shared ownership in the south.\n\n## Help to Buy ISA\n\nYou can no longer open a Help to Buy ISA.\n\n## If you already have a Help to Buy ISA\n\nYou can pay in up to \u00a3200 each month.\n\nThe government will top up your savings by 25% (up to \u00a33,000) when you buy your first home.\n\nIf you are buying with someone who also has a Help to Buy ISA, both of you will get the 25% bonus.\n\nYou can pay into the ISA until November 2029. You can claim the 25% bonus until November 2030.\n\n## When you buy your property\n\nThe home you buy must:\n\n- have a purchase price of up to \u00a3250,000 (or up to \u00a3450,000 in London)\n\n- be the only home you own\n\n- be where you intend to live\n\nYour solicitor or conveyancer will apply for the extra 25%.\n\nYou do not have to pay it back.\n\nYou can use the scheme with an equity loan.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to get financial help from the government to buy a home.

    ", + "

    You could get:

    ", + "
  • a loan to help with the cost of a new-build home if you\u2019re a first-time buyer (in England and Wales)
  • ", + "
  • a home through shared ownership (UK wide)
  • ", + "

    The Help to Buy ISA scheme closed to new accounts on 30 November 2019. You can still open a Lifetime ISA to save for a first home.

    ", + "

    Buying your council or housing association property

    ", + "

    There are also schemes for council tenants and\nhousing association tenants.

    ", + "

    Help to Buy: Equity Loan

    ", + "

    You can get an equity loan towards the cost of buying a new-build home as a first-time buyer.

    ", + "

    This guidance applies to England. There\u2019s different guidance on how to apply for an equity loan in Scotland and how to apply for an equity loan in Wales.

    ", + "

    Eligibility

    ", + "

    You must be:

    ", + "
  • 18 or over
  • ", + "
  • a first-time buyer
  • ", + "
  • able to afford the fees and interest payments
  • ", + "

    You cannot get the equity loan if you have ever:

    ", + "
  • owned a home or residential land in the UK or abroad
  • ", + "
  • had any form of sharia mortgage finance
  • ", + "

    You can apply on your own or with other people. All applicants must meet the eligibility criteria.

    ", + "

    If you\u2019re married, in a civil partnership, or cohabiting with your partner (and you plan on continuing to live together), you must make a joint application.

    ", + "

    The property you buy with your equity loan

    ", + "

    The property must be:

    ", + "
  • a new-build
  • ", + "
  • sold by a Help to Buy registered homebuilder
  • ", + "
  • the only home you own and live in
  • ", + "

    It must not have been lived in by anyone before you buy it.

    ", + "

    There\u2019s also a \u2018maximum property purchase price\u2019 limit for the home you buy depending on which region it\u2019s in. You can buy a home up to and including the maximum property purchase price limit.

    ", + "Region | Maximum property purchase price", + "North East | \u00a3186,100", + "North West | \u00a3224,400", + "Yorkshire and the Humber | \u00a3228,100", + "East Midlands | \u00a3261,900", + "West Midlands | \u00a3255,600", + "East of England | \u00a3407,400", + "London | \u00a3600,000", + "South East | \u00a3437,600", + "South West | \u00a3349,000", + "

    How it works

    ", + "

    You\u2019ll need to:

    ", + "
  • pay a minimum deposit of 5% of the property purchase price
  • ", + "
  • arrange a repayment mortgage of at least 25% of the property purchase price
  • ", + "

    You can then borrow an equity loan to cover from 5% and up to 20% of the property purchase price of your newly built home. If the property is in London, you can borrow up to 40%.

    ", + "

    The equity loan percentage you borrow is used to calculate your interest and equity loan repayments.

    ", + "

    Interest payments

    ", + "

    You do not have to pay interest for the first 5 years. In the sixth year, you\u2019ll be charged interest at a rate of 1.75%. This will be applied to the equity loan amount you originally borrowed (the equity loan percentage of the property purchase price). This annual interest is spread over the year in monthly payments.

    ", + "

    The interest rate increases every year in April, by adding the Consumer Price Index (CPI) plus 2%.

    ", + "

    Your interest payments will decrease if you make a part repayment of the equity loan. This is because the amount the interest rate is applied to will reduce.

    ", + "

    Fees

    ", + "

    You\u2019ll need to pay a monthly management fee of \u00a31 when you take out the equity loan until you pay it off.

    ", + "

    If you change your equity loan, including if you remortgage or make an equity loan repayment, you\u2019ll need to pay administration fees.

    ", + "

    You\u2019ll also have to pay other fees associated with buying and owning a home, for example, legal and mortgage arrangement fees and for market value reports.

    ", + "

    Paying interest and fees does not count towards paying back the equity loan. If you do not keep up with payments, you may need to pay recovery costs or interest on the amount you owe.

    ", + "

    Paying back the equity loan

    ", + "

    You can pay back part or all of your equity loan at any time.

    ", + "

    Repayments are based on your equity loan percentage and the market value of your home at the time you want to make a repayment.

    ", + "

    You\u2019ll need to get a market valuation report from a chartered surveyor when you make a repayment.

    ", + "

    Read more detailed guidance on repaying your equity loan.

    ", + "

    Paying back part of your equity loan

    ", + "

    The smallest repayment you can make is 10% of the market value of your home.

    ", + "

    Paying back part of your equity loan will reduce the monthly interest payments you\u2019ll need to pay from the sixth year of taking out the equity loan.

    ", + "

    Paying back all your equity loan

    ", + "

    You must repay all your equity loan when you:

    ", + "
  • reach the end of the equity loan term (normally 25 years)
  • ", + "
  • pay off your repayment mortgage
  • ", + "
  • sell your home
  • ", + "

    You may also be asked to repay the equity loan in full if you do not keep to the terms and conditions.

    ", + "

    If you sell your home, you\u2019ll pay the equity loan percentage of the market value or agreed sale price if it\u2019s higher.

    ", + "

    If you want to pay off your equity loan and you\u2019ve previously made part repayments, you\u2019ll pay the equity loan percentage you still owe of the market value.

    ", + "

    How to apply

    ", + "

    You need to apply through the Help to Buy agent in the area where you want to buy your home.

    ", + "

    North

    ", + "

    Find out how to apply for an equity loan in the north.

    ", + "

    Midlands and London

    ", + "

    Find out how to apply for an equity loan in the Midlands and London.

    ", + "

    South (excluding London)

    ", + "

    Find out how to apply for an equity loan in the south.

    ", + "

    Read the Homebuyers\u2019 guide to Help to Buy: Equity Loan (2021-2023).

    ", + "

    Help to Buy: Equity Loan (2013-2021)

    ", + "

    Applications for the 2013 to 2021 scheme are now closed. Read the Homebuyers\u2019 guide to Help to Buy: Equity Loan (2013-2021) for more information.

    ", + "

    Manage your Help to Buy loan

    ", + "

    Read guidance on how to:

    ", + "
  • remortgage your Help to Buy home
  • ", + "
  • make structural alterations to your Help to Buy home
  • ", + "
  • sublet your Help to Buy home
  • ", + "
  • change ownership of your Help to Buy home
  • ", + "

    Buying through shared ownership

    ", + "

    When you buy a home through a shared ownership scheme you buy a share of the property and pay rent on the rest.

    ", + "

    The share you can buy is usually between 25% and 75%. You can buy a 10% share on some homes.

    ", + "

    There are different rules on:

    ", + "
  • shared ownership in Scotland
  • ", + "
  • shared ownership in Wales
  • ", + "
  • shared ownership in Northern Ireland
  • ", + "

    Eligibility

    ", + "

    You can buy a home through shared ownership if both of the following apply:

    ", + "
  • your household earns \u00a380,000 a year or less (\u00a390,000 a year or less in London)
  • ", + "
  • you cannot afford all of the deposit and mortgage payments for a home that meets your needs
  • ", + "

    One of the following must also be true:

    ", + "
  • you\u2019re a first-time buyer
  • ", + "
  • you used to own a home, but cannot afford to buy one now
  • ", + "
  • you own a home and want to move but cannot afford a new home suitable for your needs
  • ", + "
  • you\u2019re forming a new household - for example, after a relationship breakdown
  • ", + "
  • you\u2019re an existing shared owner and want to move
  • ", + "

    Some shared ownership homes in a \u2018designated protected area\u2019 are only available to buy if you have a connection to the area. If you buy one of these homes, you:

    ", + "
  • may only be able to buy a share of up to 80%
  • ", + "
  • must sell it back to the landlord or a buyer nominated by the landlord - you cannot sell your home on the open market
  • ", + "

    If you own a home

    ", + "

    When you apply for shared ownership you must have:

    ", + "
  • accepted an offer for the sale of your current home (called \u2018sold subject to contract\u2019 or \u2018STC\u2019)
  • ", + "
  • written confirmation of the sale agreed (called a \u2018memorandum of sale\u2019) including the price and your intention to sell
  • ", + "

    You must have completed the sale of your home on or before the date you complete your shared ownership purchase.

    ", + "

    How it works

    ", + "

    Shared ownership properties are always leasehold properties.

    ", + "

    Older people

    ", + "

    If you\u2019re aged 55 or over you can buy up to 75% of your home through the Older People\u2019s Shared Ownership (OPSO) scheme. Once you own 75% you will not pay rent on the rest.

    ", + "

    Disabled people

    ", + "

    You can apply for a scheme called home ownership for people with a long-term disability (HOLD) if other Help to Buy scheme properties do not meet your needs, for example you need a ground-floor property.

    ", + "

    Buying more shares

    ", + "

    You can buy more of your home after you become the owner. This is known as \u2018staircasing\u2019.

    ", + "

    You can buy shares of 5% or more at any time.

    ", + "

    If you bought your house in 2021 you may also be able to buy shares of 1% each year for the first 15 years. Ask your landlord if this applies to you. You cannot buy shares of 2%, 3% or 4%.

    ", + "

    The cost of your new share will depend on how much your home is worth when you want to buy the share.

    ", + "

    It will cost:

    ", + "
  • more than your first share if property prices in your area have gone up
  • ", + "
  • less than your first share if property prices in your area have gone down
  • ", + "

    If you want to buy a share of 5% or more, you\u2019ll need to pay for a valuation by a surveyor. Your landlord will let you know whether they\u2019ll arrange the valuation or you need to arrange it yourself. The surveyor must be registered with the\u202fRoyal Institution of Chartered Surveyors (RICS). Your landlord will tell you the price of the share after the valuation.

    ", + "

    If you want to buy a 1% share, the price will be based on the original price of your house, increased or decreased in line with the House Price Index (HPI). Your landlord will give you a HPI valuation at least once a year and whenever you ask to buy a 1% share.

    ", + "

    Selling your home

    ", + "

    If you own a share of your home, the landlord has the right to find a buyer for your home. The landlord also has the right to buy it first (known as \u2018first option to buy\u2019 or \u2018pre-emption\u2019).

    ", + "

    You can sell your share yourself if the landlord does not find a buyer and they do not want to buy it themselves.

    ", + "

    If you own 100% of your home, you can sell it yourself.

    ", + "

    How to apply

    ", + "

    To buy a shared ownership home, you need to register with the Help to Buy agent in the area where you want to live.

    ", + "

    North

    ", + "

    Find out how to register and apply for shared ownership in the north.

    ", + "

    Midlands and London

    ", + "

    Find out how to register and apply for shared ownership in the Midlands and London.

    ", + "

    South (excluding London)

    ", + "

    Find out how to register and apply for shared ownership in the south.

    ", + "

    Help to Buy ISA

    ", + "

    You can no longer open a Help to Buy ISA.

    ", + "

    If you already have a Help to Buy ISA

    ", + "

    You can pay in up to \u00a3200 each month.

    ", + "

    The government will top up your savings by 25% (up to \u00a33,000) when you buy your first home.

    ", + "

    If you are buying with someone who also has a Help to Buy ISA, both of you will get the 25% bonus.

    ", + "

    You can pay into the ISA until November 2029. You can claim the 25% bonus until November 2030.

    ", + "

    When you buy your property

    ", + "

    The home you buy must:

    ", + "
  • have a purchase price of up to \u00a3250,000 (or up to \u00a3450,000 in London)
  • ", + "
  • be the only home you own
  • ", + "
  • be where you intend to live
  • ", + "

    Your solicitor or conveyancer will apply for the extra 25%.

    ", + "

    You do not have to pay it back.

    ", + "

    You can use the scheme with an equity loan.

    " + ] + }, + "https://www.gov.uk/buy-sell-your-home": { + "url": "https://www.gov.uk/buy-sell-your-home", + "title": "Buying or selling your home", + "content": "## Overview\n\nBuying or selling a home normally takes 2 to 3 months. The process can take longer if you\u2019re part of a chain of buyers and sellers.\n\nThere are several steps you\u2019ll need to follow:\n\n- sellers must provide an Energy Performance Certificate for the property\n\n- if a seller is using an estate agent, potential buyers must make any offers through the agent\n\n- once a buyer\u2019s offer has been accepted, the seller\u2019s responsible for drawing up a legal contract to transfer ownership\n\n- an offer is not legally binding until contracts are exchanged\n\n- depending on the amount given for property, the buyer may have to pay tax\n\nThis guide relates to England and Wales. Shelter has advice about buying and selling a home in Scotland.\n\n## If you\u2019re buying property with someone else\n\nYou can own a home with up to 3 other people. Find out more about the different types of joint property ownership.\n\n## Energy Performance Certificates\n\nEnergy Performance Certificates (EPCs) are needed whenever a property is:\n\n- built\n\n- sold\n\n- rented\n\nYou must order an EPC for potential buyers and tenants before you market your property to sell or rent.\n\nIn Scotland, you must display the EPC somewhere in the property, for example in the meter cupboard or next to the boiler.\n\nAn EPC contains:\n\n- information about a property\u2019s energy use and typical energy costs\n\n- recommendations about how to reduce energy use and save money\n\nAn EPC gives a property an energy efficiency rating from A (most efficient) to G (least efficient) and is valid for 10 years.\n\nCheck how you could make your home more energy efficient using the Energy Savings Trust\u2019s home energy check.\n\n## How to get an EPC\n\nYou\u2019ll need to find an accredited assessor if you\u2019re selling or renting out your home in:\n\n- England, Wales and Northern Ireland\n\n- Scotland\n\nThey\u2019ll assess your property and produce the certificate.\n\nYou can be fined if you do not get an EPC when you need one.\n\nThe person selling the house, the landlord or the letting agent must show you the EPC if you\u2019re buying or renting.\n\n## Buildings that do not need an EPC\n\nThese include:\n\n- places of worship\n\n- temporary buildings that will be used for less than 2 years\n\n- stand-alone buildings with total useful floor space of less than 50 square metres\n\n- industrial sites, workshops and non-residential agricultural buildings that do not use a lot of energy\n\n- some buildings that are due to be demolished\n\n- holiday accommodation that\u2019s rented out for less than 4 months a year or is let under a licence to occupy\n\n- listed buildings - you should get advice from your local authority conservation officer if the work would alter the building\u2019s character\n\n- residential buildings intended to be used less than 4 months a year\n\n## See other properties\u2019 EPCs\n\nYou can look at the EPCs of other properties free of charge. This lets you compare your home\u2019s energy performance with that of similar homes. You can search by the property\u2019s address or by the EPC\u2019s report reference number..\n\nYou can opt out of the EPC register if you do not want other people to be able to see your EPC.\n\n## Estate agents\n\nYou must sign a legally binding contract with an estate agent if you use one to sell your home.\n\nYou must stick to the terms of the contract or you could be taken to court.\n\nEstate agents must also treat buyers fairly. They must show any offers promptly and in writing to the person selling the house.\n\nEstate agents are also legally obliged to pass on any other offers for the property right up to when contracts are exchanged.\n\n## Complain about an estate agent\n\nYou must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:\n\n- The Property Ombudsman\n\n- Property Redress Scheme\n\nAsk the estate agent which scheme they belong to.\n\n## Offers\n\nA buyer must make an offer through the estate agent if a home is sold through one.\n\nA buyer can make their offer directly to the seller for a private sale.\n\nBuyers can make offers verbally (over the phone or in person) or in writing.\n\nAn offer is not legally binding in England and Wales until contracts are exchanged.\n\nIf a buyer makes an offer \u2018subject to contract\u2019, this means the price can still be negotiated (for example if a survey finds a problem with the property).\n\nThe law is different if you\u2019re making an offer for property in Scotland.\n\n## Transferring ownership (conveyancing)\n\n## Once the offer is accepted\n\nThe seller is responsible for drawing up a legal contract to transfer ownership.\n\nThe contract contains details about:\n\n- the sale price\n\n- the property boundaries\n\n- which fixtures and fittings (like carpets and kitchen units) are included\n\n- any legal restrictions or rights, like public footpaths or rules about using the property\n\n- any planning restrictions\n\n- services to the property, like drainage and gas\n\n- when the sale will complete\n\nIf the seller has hired a solicitor or conveyancer, they will:\n\n- draft the initial contract\n\n- answer questions from the buyer\u2019s solicitor or conveyancer (with the seller\u2019s help)\n\n- negotiate the details of the contract if necessary\n\n## Exchanging contracts\n\nWhen the buyer and seller are happy with the contract, both sides sign final copies and send them to each other.\n\nThe agreement to sell and buy is legally binding once this happens. Usually neither party can pull out without paying compensation.\n\n## Completion\n\nOnce you exchange contracts and deal with any remaining checks the buyer has asked for:\n\n- The money is transferred from the buyer to the seller.\n\n- The legal documents needed to transfer ownership are handed over to the buyer.\n\n- The seller moves out and leaves the property in the state agreed in the contract.\n\n- The seller hands over the keys to the buyer.\n\n- The property now belongs to the buyer.\n\nCitizens Advice has more advice about buying or selling your home.\n\n## Tax\n\nYou may need to pay:\n\n- Stamp Duty Land Tax when you buy a home in England\n\n- Land Transaction Tax when you buy a home in Wales\n\n- Capital Gains Tax when you sell a home\n\n## Stamp Duty Land Tax\n\n## If you buy between 8 July 2020 and 30 June 2021\n\nYou pay SDLT if you paid more than \u00a3500,000 for the property.\n\n## If you buy between 1 July 2021 and 30 September 2021\n\nYou pay SDLT if you paid more than \u00a3250,000 for the property.\n\n## If you buy from 1 October 2021\n\nYou pay SDLT if you paid more than \u00a3125,000 for the property. This threshold also applies to any property bought before 8 July 2020.\n\nYou still have to pay if you swap something of economic value for a property, for example shares or another property.\n\n## If you\u2019re buying your first home\n\nFrom 1 July 2021 you do not have to pay SDLT if the property is \u00a3300,000 or less.\n\n## Capital Gains Tax\n\nYou do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:\n\n- you\u2019ve lived in it as your main home for all the time you\u2019ve owned it\n\n- you have not let part of it out or used part of it for business only\n\n- the grounds, including the buildings, are smaller than 5,000 square metres (just over an acre)\n\nThis is because you automatically get a tax relief called Private Residence Relief. You do not need to do anything.\n\nIf you do not meet all these criteria you may have to pay some Capital Gains Tax.", + "original_contents": [ + "

    Overview

    ", + "

    Buying or selling a home normally takes 2 to 3 months. The process can take longer if you\u2019re part of a chain of buyers and sellers.

    ", + "

    There are several steps you\u2019ll need to follow:

    ", + "
  • sellers must provide an Energy Performance Certificate for the property
  • ", + "
  • if a seller is using an estate agent, potential buyers must make any offers through the agent
  • ", + "
  • once a buyer\u2019s offer has been accepted, the seller\u2019s responsible for drawing up a legal contract to transfer ownership
  • ", + "
  • an offer is not legally binding until contracts are exchanged
  • ", + "
  • depending on the amount given for property, the buyer may have to pay tax
  • ", + "

    This guide relates to England and Wales. Shelter has advice about buying and selling a home in Scotland.

    ", + "

    If you\u2019re buying property with someone else

    ", + "

    You can own a home with up to 3 other people. Find out more about the different types of joint property ownership.

    ", + "

    Energy Performance Certificates

    ", + "

    Energy Performance Certificates (EPCs) are needed whenever a property is:

    ", + "
  • built
  • ", + "
  • sold
  • ", + "
  • rented
  • ", + "

    You must order an EPC for potential buyers and tenants before you market your property to sell or rent.

    ", + "

    In Scotland, you must display the EPC somewhere in the property, for example in the meter cupboard or next to the boiler.

    ", + "

    An EPC contains:

    ", + "
  • information about a property\u2019s energy use and typical energy costs
  • ", + "
  • recommendations about how to reduce energy use and save money
  • ", + "

    An EPC gives a property an energy efficiency rating from A (most efficient) to G (least efficient) and is valid for 10 years.

    ", + "

    Check how you could make your home more energy efficient using the Energy Savings Trust\u2019s home energy check.

    ", + "

    How to get an EPC

    ", + "

    You\u2019ll need to find an accredited assessor if you\u2019re selling or renting out your home in:

    ", + "
  • England, Wales and Northern Ireland
  • ", + "
  • Scotland
  • ", + "

    They\u2019ll assess your property and produce the certificate.

    ", + "

    You can be fined if you do not get an EPC when you need one.

    ", + "

    The person selling the house, the landlord or the letting agent must show you the EPC if you\u2019re buying or renting.

    ", + "

    Buildings that do not need an EPC

    ", + "

    These include:

    ", + "
  • places of worship
  • ", + "
  • temporary buildings that will be used for less than 2 years
  • ", + "
  • stand-alone buildings with total useful floor space of less than 50 square metres
  • ", + "
  • industrial sites, workshops and non-residential agricultural buildings that do not use a lot of energy
  • ", + "
  • some buildings that are due to be demolished
  • ", + "
  • holiday accommodation that\u2019s rented out for less than 4 months a year or is let under a licence to occupy
  • ", + "
  • listed buildings - you should get advice from your local authority conservation officer if the work would alter the building\u2019s character
  • ", + "
  • residential buildings intended to be used less than 4 months a year
  • ", + "

    See other properties\u2019 EPCs

    ", + "

    You can look at the EPCs of other properties free of charge. This lets you compare your home\u2019s energy performance with that of similar homes. You can search by the property\u2019s address or by the EPC\u2019s report reference number..

    ", + "

    You can opt out of the EPC register if you do not want other people to be able to see your EPC.

    ", + "

    Estate agents

    ", + "

    You must sign a legally binding contract with an estate agent if you use one to sell your home.

    ", + "

    You must stick to the terms of the contract or you could be taken to court.

    ", + "

    Estate agents must also treat buyers fairly. They must show any offers promptly and in writing to the person selling the house.

    ", + "

    Estate agents are also legally obliged to pass on any other offers for the property right up to when contracts are exchanged.

    ", + "

    Complain about an estate agent

    ", + "

    You must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:

    ", + "
  • The Property Ombudsman
  • ", + "
  • Property Redress Scheme
  • ", + "

    Ask the estate agent which scheme they belong to.

    ", + "

    Offers

    ", + "

    A buyer must make an offer through the estate agent if a home is sold through one.

    ", + "

    A buyer can make their offer directly to the seller for a private sale.

    ", + "

    Buyers can make offers verbally (over the phone or in person) or in writing.

    ", + "

    An offer is not legally binding in England and Wales until contracts are exchanged.

    ", + "

    If a buyer makes an offer \u2018subject to contract\u2019, this means the price can still be negotiated (for example if a survey finds a problem with the property).

    ", + "

    The law is different if you\u2019re making an offer for property in Scotland.

    ", + "

    Transferring ownership (conveyancing)

    ", + "

    Once the offer is accepted

    ", + "

    The seller is responsible for drawing up a legal contract to transfer ownership.

    ", + "

    The contract contains details about:

    ", + "
  • the sale price
  • ", + "
  • the property boundaries
  • ", + "
  • which fixtures and fittings (like carpets and kitchen units) are included
  • ", + "
  • any legal restrictions or rights, like public footpaths or rules about using the property
  • ", + "
  • any planning restrictions
  • ", + "
  • services to the property, like drainage and gas
  • ", + "
  • when the sale will complete
  • ", + "

    If the seller has hired a solicitor or conveyancer, they will:

    ", + "
  • draft the initial contract
  • ", + "
  • answer questions from the buyer\u2019s solicitor or conveyancer (with the seller\u2019s help)
  • ", + "
  • negotiate the details of the contract if necessary
  • ", + "

    Exchanging contracts

    ", + "

    When the buyer and seller are happy with the contract, both sides sign final copies and send them to each other.

    ", + "

    The agreement to sell and buy is legally binding once this happens. Usually neither party can pull out without paying compensation.

    ", + "

    Completion

    ", + "

    Once you exchange contracts and deal with any remaining checks the buyer has asked for:

    ", + "
  • The money is transferred from the buyer to the seller.
  • ", + "
  • The legal documents needed to transfer ownership are handed over to the buyer.
  • ", + "
  • The seller moves out and leaves the property in the state agreed in the contract.
  • ", + "
  • The seller hands over the keys to the buyer.
  • ", + "
  • The property now belongs to the buyer.
  • ", + "

    Citizens Advice has more advice about buying or selling your home.

    ", + "

    Tax

    ", + "

    You may need to pay:

    ", + "
  • Stamp Duty Land Tax when you buy a home in England
  • ", + "
  • Land Transaction Tax when you buy a home in Wales
  • ", + "
  • Capital Gains Tax when you sell a home
  • ", + "

    Stamp Duty Land Tax

    ", + "

    If you buy between 8 July 2020 and 30 June 2021

    ", + "

    You pay SDLT if you paid more than \u00a3500,000 for the property.

    ", + "

    If you buy between 1 July 2021 and 30 September 2021

    ", + "

    You pay SDLT if you paid more than \u00a3250,000 for the property.

    ", + "

    If you buy from 1 October 2021

    ", + "

    You pay SDLT if you paid more than \u00a3125,000 for the property. This threshold also applies to any property bought before 8 July 2020.

    ", + "

    You still have to pay if you swap something of economic value for a property, for example shares or another property.

    ", + "

    If you\u2019re buying your first home

    ", + "

    From 1 July 2021 you do not have to pay SDLT if the property is \u00a3300,000 or less.

    ", + "

    Capital Gains Tax

    ", + "

    You do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:

    ", + "
  • you\u2019ve lived in it as your main home for all the time you\u2019ve owned it
  • ", + "
  • you have not let part of it out or used part of it for business only
  • ", + "
  • the grounds, including the buildings, are smaller than 5,000 square metres (just over an acre)
  • ", + "

    This is because you automatically get a tax relief called Private Residence Relief. You do not need to do anything.

    ", + "

    If you do not meet all these criteria you may have to pay some Capital Gains Tax.

    " + ] + }, + "https://www.gov.uk/claim-compensation-if-affected-by-hs2": { + "url": "https://www.gov.uk/claim-compensation-if-affected-by-hs2", + "title": "Claim compensation if your property is affected by HS2", + "content": "## Overview\n\nYou may be able to sell your property to the government at its market (\u2018unblighted\u2019) value or receive a lump-sum payment if it\u2019s near the proposed High Speed Two (HS2) route.\n\nThe property scheme you\u2019re eligible for depends on the location of your property and which phase of HS2 affects you.\n\n## Check your location\n\nYou\u2019ll need to find out if your property is:\n\n- in the safeguarded area\n\n- in the rural support zone\n\n- in the homeowner payment zone\n\n- outside the zones\n\nCheck the route for HS2 Phase 1, HS2 Phase 2a or HS2 Phase 2b to see if your property is in one of these zones.\n\n## If you\u2019re in a safeguarded area\n\nYou can apply through one of the following:\n\n- Express Purchase Scheme\n\n- Need to Sell Scheme\n\n## If you\u2019re in a rural support zone\n\nYou can apply through one of the following:\n\n- Cash Offer or Voluntary Purchase Scheme\n\n- Need to Sell Scheme\n\n## If you\u2019re in a homeowner payment zone (Phase 1)\n\nYou can apply for the Homeowner Payment Scheme.\n\nYou cannot apply yet if you\u2019re affected by phases 2a or 2b.\n\n## If you cannot sell your property because of HS2\n\nYou can apply for the Need to Sell Scheme if your property is affected but:\n\n- it\u2019s outside the zones and safeguarded area\n\n- it is not covered by a scheme\n\n## Rent Back\n\nYou can apply to rent and continue living in the property if you sell it to the government under one of these schemes.\n\n## Contact HS2\n\nContact HS2 if you have any questions, for example about what scheme you should apply to or the application process.\n\nYou can complain to HS2 about your application, for example if you think the decision is taking too long.\n\n## Express Purchase Scheme\n\nYou can sell your property to the government through the Express Purchase Scheme if either:\n\n- your house or 25% of the total area of your property is inside the area marked \u2018surface safeguarding\u2019 on the \u2018safeguarding maps\u2019\n\n- your property was in the safeguarding area (called the \u2018Extended Homeowner Protection Zone\u2019) but has since been removed - check with HS2 whether you qualify\n\nYou can still apply to sell your property with a \u2018blight notice\u2019 if you do not qualify for Express Purchase - but the government will only buy your property if it\u2019s needed for the construction of HS2.\n\n## Who can apply\n\nYou must be the owner occupier of a residential, agricultural or commercial property, or their \u2018personal representative\u2019 if they\u2019ve died, for example the executor of their will.\n\nMortgage lenders (for example banks and building societies) in vacant possession of a qualifying property can apply.\n\nYour commercial property will not qualify for Express Purchase or under a blight notice if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).\n\nAn owner occupier must:\n\n- be the freeholder or a leaseholder with at least 3 years left on the lease\n\n- be living in or running a business from the property or have done so for at least 6 months in the last 18 months if the property\u2019s currently empty\n\nYou can get advice from a chartered surveyor about your eligibility.\n\nRead full guidance on eligibility.\n\n## What you\u2019ll get\n\nIf you qualify the government will:\n\n- buy your property at its open market value as if HS2 was not going to be being built (known as \u2018unblighted\u2019 value)\n\n- give you a \u2018home loss\u2019 payment equal to 10% of the property\u2019s open market value (up to \u00a364,000)\n\n- pay reasonable expenses, for example stamp duty, surveyors\u2019 and legal fees, and removal costs\n\n## Apply\n\nYou must complete the correct blight notice to apply for Express Purchase.\n\nYou must include original or certified copies of:\n\n- proof of ownership, for example Land Registry title\n\n- proof the property was occupied for 6 months of the last 18 months, for example utility bills covering at least 6 months\n\n- business rates bills, if you\u2019re applying for a commercial property\n\n- plans of the property, for example Land Registry plans showing the property boundaries\n\n- proof of representation, if applicable, for example power of attorney\n\nIf you\u2019re sending a blight notice but do not qualify for Express Purchase, include a description of what you\u2019ve done to sell the property, for example copies of correspondence with estate agents.\n\nEmail your completed application to HS2 with your supporting documents.\n\nYou can also send your notice and supporting evidence by registered post.\n\n## What happens next\n\nYou\u2019ll get a decision on your application within 2 months.\n\nYou have up to 3 years to accept the offer if your application\u2019s accepted.\n\n## Track your application online\n\nHS2 will send you a username and password to track your application after you apply.\n\nYou can then track your application online. You\u2019ll choose a new password after you sign in for the first time.\n\nIf you have not been sent a username and password, contact your HS2 case officer for help tracking your application.\n\n## Complaints\n\nFollow HS2\u2019s complaints procedure if you want to complain about the service you received, for example about how long it took to reach a decision on your application or the result.\n\n## Exceptional Hardship Scheme (Phase 2b)\n\nThe Exceptional Hardship Scheme has now closed.\n\n## If you\u2019ve already applied\n\nIf you have not received a decision, your application will automatically be transferred to the Need to Sell Scheme.\n\nIf you\u2019ve received a decision and were successful, the purchase of your property will not be affected by the closure of the scheme.\n\nIf you were unsuccessful, you may now be eligible for one of the other compensation schemes.\n\n## Complaints\n\nFollow HS2\u2019s complaints procedure if you want to complain about the service you received, for example how long it took to reach a decision on your application.\n\n## Need to Sell Scheme\n\nYou may be able to sell your property to the government through the Need to Sell Scheme if you have a \u2018compelling reason\u2019 to sell but cannot as a direct result of the announcement of the HS2 route.\n\nCompelling reasons include unemployment, relocation for a new job or ill health - but each application is judged on its merits.\n\n## Before you apply\n\nCheck if you\u2019re eligible to ask the government to buy your property through:\n\n- statutory blight\n\n- the Express Purchase Scheme\n\n- the Cash Offer or Voluntary Purchase Scheme\n\n## Who can apply\n\nYou must be one of the following:\n\n- the owner occupier of a residential, agricultural or commercial property\n\n- the \u2018personal representative\u2019 of the owner occupier if they\u2019ve died, for example the executor of their will\n\n- a \u2018reluctant landlord\u2019 (renting out your property because you cannot sell it)\n\nMortgage lenders (such as banks and building societies) in vacant possession of a qualifying property can apply.\n\nYour commercial property will not qualify for the Need to Sell Scheme if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).\n\nAn owner occupier must:\n\n- be the freeholder or a leaseholder with at least 3 years left on the lease\n\n- be living in or running a business from the property or have done so for at least 6 months in the last 18 months if the property\u2019s currently empty\n\nRead full guidance on eligibility.\n\nYou\u2019ll need to submit evidence that you meet all 5 criteria:\n\n- property type\n\n- location\n\n- effort to sell\n\n- no prior knowledge\n\n- compelling reason to sell\n\n## Property type\n\nYou\u2019ll need to show that the property is owner occupied, you\u2019re the personal representative, or you\u2019re acting as a \u2018reluctant landlord\u2019 who has had to rent out the property as a result of HS2.\n\n## Location\n\nYou\u2019ll need to show that your property is close enough to the route that it\u2019s likely to be substantially affected by HS2\u2019s construction or operation. There is no fixed distance.\n\n## Effort to sell\n\nYou\u2019ve tried to sell the property without success for at least 3 months.\n\n## No prior knowledge\n\nYou must either:\n\n- have bought or signed a lease before the publication of the HS2 route section closest to your property\n\n- show why you could not have known about the initial proposed route, for example if the searches relating to the purchase were done before the route was announced, but the purchase was completed after\n\n## Compelling reason to sell\n\nYou must give evidence of a compelling reason to sell your property now, or that you would be placed under an unreasonable burden if you were unable to sell your property in the next 3 years.\n\n## What you\u2019ll get\n\nThe government will agree to buy your property for 100% of the unblighted open market value if your application is successful.\n\nThe government will not cover additional costs, such as legal fees or removal costs.\n\n## Apply\n\nDownload the guidance and fill in the application form.\n\nSend it to the address on the form, along with your supporting evidence.\n\n## Track your application online\n\nHS2 will send you a username and password to track your application after you apply.\n\nYou can then track your application online. You\u2019ll choose a new password after you sign in for the first time.\n\nIf you have not been sent a username and password, contact your HS2 case officer for help tracking your application.\n\n## If you\u2019re not happy with the result\n\nYou can reapply if your application is rejected, giving extra information to explain why you think the decision was wrong.\n\n## Complaints\n\nFollow HS2\u2019s complaints procedure if you want to complain about the service you received, for example how long it took to reach a decision on your application.\n\n## Cash Offer or Voluntary Purchase Scheme\n\nYou may be able to apply for a Cash Offer if you do not want to sell your home and it\u2019s in a rural support zone.\n\nAlternatively, you can ask the government to purchase your property for its full open market value (known as \u2018unblighted\u2019 value) under the Voluntary Purchase Scheme.\n\nCash Offer and the Voluntary Purchase Scheme only apply to properties in rural support zones. Check the Phase 1 or Phase 2 maps to see if your property is in a rural support zone.\n\n## Who can apply\n\nYour house or 25% of the total area of your property must be in the rural support zone (generally 60 to 120 metres from the route).\n\nYou must be the owner occupier of a residential, agricultural or commercial property.\n\nMortgage lenders (for example banks and building societies) can also apply for the Voluntary Purchase Scheme.\n\nYour commercial property will not qualify for Cash Offer or the Voluntary Purchase Scheme if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).\n\nAn owner occupier must:\n\n- be the freeholder or a leaseholder with at least 3 years left on the lease\n\n- be living in or running a business from the property, or have done so for at least 6 months in the last 18 months if the property is currently empty\n\n- have bought or entered into a lease of the property before the initial preferred routes of Phases 1, 2a or 2b were announced - or show why they could not have known about it, for example if the searches relating to the purchase were undertaken before this date, but the purchase itself was completed afterwards\n\nRead the full guidance on eligibility.\n\n## What you\u2019ll get\n\n## Cash offer\n\nThe cash offer is a lump-sum payment of 10% of the unblighted open market value of your property (from a minimum of \u00a330,000 to a maximum of \u00a3100,000).\n\nThe government will cover your legal fees up to \u00a3500 (plus VAT) if your application is successful.\n\n## Voluntary purchase\n\nIf you qualify, the government will pay 100% of the unblighted open market value, as assessed by 2 independent valuers.\n\nThe government will not cover additional costs, for example legal fees or removal costs.\n\n## Apply\n\nDownload the guidance and fill in the application form.\n\nSend it to the address on the form, along with your supporting evidence.\n\n## Track your application online\n\nHS2 will send you a username and password to track your application after you apply.\n\nYou can then track your application online. You\u2019ll choose a new password after you sign in for the first time.\n\nIf you have not been sent a username and password, contact your HS2 case officer for help tracking your application.\n\n## Complaints\n\nFollow HS2\u2019s complaints procedure if you want to complain about the service you received, for example about how long it took to reach a decision on your application or the result.\n\n## Homeowner Payment Scheme (Phase 1 and Phase 2a)\n\nYou may be eligible for a payment if you live in the homeowner payment zone.\n\nCheck the Phase 1 maps or Phase 2a maps to find out.\n\nPhase 2a homes will become eligible once this phase is authorised by Parliament.\n\n## Who can apply\n\nYour house or 25% of the total area of your property must be in the homeowner payment zone.\n\nYou must be the owner occupier of a residential, agricultural or commercial property.\n\nAn owner occupier must:\n\n- be the freeholder or a leaseholder with at least 3 years left on the lease\n\n- be living in or running a business from the property or have done so for at least 6 months in the last 18 months if the property\u2019s currently empty\n\n- have bought the property before 9 April 2014 for Phase 1 and before 30 November 2015 for Phase 2a when the proposals for the homeowner payment were announced\n\nYour commercial property will not qualify for homeowner payments if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).\n\n## What you\u2019ll get\n\nYou can claim \u00a38,000 to \u00a324,000 depending on which homeowner payment band you\u2019re in.\n\n| Distance from line of the route | Amount |\n\n| Between 120m and 180m | \u00a324,000 |\n\n| Between 180m and 240m | \u00a316,000 |\n\n| Between 240m and 300m | \u00a38,000 |\n\nYou\u2019ll be eligible for the band in which your residential dwelling sits if your land is covered by more than one homeowner payment band.\n\nYou may be eligible for the \u00a38,000 band if your dwelling is outside the bands but your land is within them.\n\nYou\u2019ll be eligible for the higher payment if the dwelling itself is in more than one band.\n\nMost people who receive money under the homeowner payment scheme would not have to pay tax on it.\n\nYou can accept payment and still be eligible for the Need to Sell Scheme - the value of the payment (plus statutory interest) will be deducted from the purchase price.\n\n## Apply\n\nFill in the form and follow the instructions to apply.\n\n## Track your application online\n\nHS2 will send you a username and password to track your application after you apply.\n\nYou can then track your application online. You\u2019ll choose a new password after you sign in for the first time.\n\nIf you have not been sent a username and password, contact your HS2 case officer for help tracking your application.\n\n## Rent Back\n\nIf you\u2019re selling your property to the government under one of the schemes\u00a0you can apply to rent it back and continue living in it.\n\n## Apply\n\nAsk your HS2 case officer to explain the options for renting the property back from the government after it\u2019s sold.\n\n## What happens next\n\nThe government will assess your property to decide whether to rent it out, based on both:\n\n- the cost of any repairs needed to make it suitable for renting\n\n- whether the work is a good use of taxpayers\u2019 money\n\nThey will contact you to let you know if you\u2019ll be able to rent it.\n\nIf you decide to rent the property, you\u2019ll pay an open market rent and get a tenancy agreement for an initial term of 6 months.\n\nThe guidance has more information about Rent Back.\n\n## Track your application online\n\nHS2 will send you a username and password to track your application after you apply.\n\nYou can then track your application online. You\u2019ll choose a new password after you sign in for the first time.\n\nIf you have not been sent a username and password, contact your HS2 case officer for help tracking your application.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to sell your property to the government at its market (\u2018unblighted\u2019) value or receive a lump-sum payment if it\u2019s near the proposed High Speed Two (HS2) route.

    ", + "

    The property scheme you\u2019re eligible for depends on the location of your property and which phase of HS2 affects you.

    ", + "

    Check your location

    ", + "

    You\u2019ll need to find out if your property is:

    ", + "
  • in the safeguarded area
  • ", + "
  • in the rural support zone
  • ", + "
  • in the homeowner payment zone
  • ", + "
  • outside the zones
  • ", + "

    Check the route for HS2 Phase 1, HS2 Phase 2a or HS2 Phase 2b to see if your property is in one of these zones.

    ", + "

    If you\u2019re in a safeguarded area

    ", + "

    You can apply through one of the following:

    ", + "
  • Express Purchase Scheme
  • ", + "
  • Need to Sell Scheme
  • ", + "

    If you\u2019re in a rural support zone

    ", + "

    You can apply through one of the following:

    ", + "
  • Cash Offer or Voluntary Purchase Scheme
  • ", + "
  • Need to Sell Scheme
  • ", + "

    If you\u2019re in a homeowner payment zone (Phase 1)

    ", + "

    You can apply for the Homeowner Payment Scheme.

    ", + "

    You cannot apply yet if you\u2019re affected by phases 2a or 2b.

    ", + "

    If you cannot sell your property because of HS2

    ", + "

    You can apply for the Need to Sell Scheme if your property is affected but:

    ", + "
  • it\u2019s outside the zones and safeguarded area
  • ", + "
  • it is not covered by a scheme
  • ", + "

    Rent Back

    ", + "

    You can apply to rent and continue living in the property if you sell it to the government under one of these schemes.

    ", + "

    Contact HS2

    ", + "

    Contact HS2 if you have any questions, for example about what scheme you should apply to or the application process.

    ", + "

    You can complain to HS2 about your application, for example if you think the decision is taking too long.

    ", + "

    Express Purchase Scheme

    ", + "

    You can sell your property to the government through the Express Purchase Scheme if either:

    ", + "
  • your house or 25% of the total area of your property is inside the area marked \u2018surface safeguarding\u2019 on the \u2018safeguarding maps\u2019
  • ", + "
  • your property was in the safeguarding area (called the \u2018Extended Homeowner Protection Zone\u2019) but has since been removed - check with HS2 whether you qualify
  • ", + "

    You can still apply to sell your property with a \u2018blight notice\u2019 if you do not qualify for Express Purchase - but the government will only buy your property if it\u2019s needed for the construction of HS2.

    ", + "

    Who can apply

    ", + "

    You must be the owner occupier of a residential, agricultural or commercial property, or their \u2018personal representative\u2019 if they\u2019ve died, for example the executor of their will.

    ", + "

    Mortgage lenders (for example banks and building societies) in vacant possession of a qualifying property can apply.

    ", + "

    Your commercial property will not qualify for Express Purchase or under a blight notice if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).

    ", + "

    An owner occupier must:

    ", + "
  • be the freeholder or a leaseholder with at least 3 years left on the lease
  • ", + "
  • be living in or running a business from the property or have done so for at least 6 months in the last 18 months if the property\u2019s currently empty
  • ", + "

    You can get advice from a chartered surveyor about your eligibility.

    ", + "

    Read full guidance on eligibility.

    ", + "

    What you\u2019ll get

    ", + "

    If you qualify the government will:

    ", + "
  • buy your property at its open market value as if HS2 was not going to be being built (known as \u2018unblighted\u2019 value)
  • ", + "
  • give you a \u2018home loss\u2019 payment equal to 10% of the property\u2019s open market value (up to \u00a364,000)
  • ", + "
  • pay reasonable expenses, for example stamp duty, surveyors\u2019 and legal fees, and removal costs
  • ", + "

    Apply

    ", + "

    You must complete the correct blight notice to apply for Express Purchase.

    ", + "

    You must include original or certified copies of:

    ", + "
  • proof of ownership, for example Land Registry title
  • ", + "
  • proof the property was occupied for 6 months of the last 18 months, for example utility bills covering at least 6 months
  • ", + "
  • business rates bills, if you\u2019re applying for a commercial property
  • ", + "
  • plans of the property, for example Land Registry plans showing the property boundaries
  • ", + "
  • proof of representation, if applicable, for example power of attorney
  • ", + "

    If you\u2019re sending a blight notice but do not qualify for Express Purchase, include a description of what you\u2019ve done to sell the property, for example copies of correspondence with estate agents.

    ", + "

    Email your completed application to HS2 with your supporting documents.

    ", + "

    You can also send your notice and supporting evidence by registered post.

    ", + "

    What happens next

    ", + "

    You\u2019ll get a decision on your application within 2 months.

    ", + "

    You have up to 3 years to accept the offer if your application\u2019s accepted.

    ", + "

    Track your application online

    ", + "

    HS2 will send you a username and password to track your application after you apply.

    ", + "

    You can then track your application online. You\u2019ll choose a new password after you sign in for the first time.

    ", + "

    If you have not been sent a username and password, contact your HS2 case officer for help tracking your application.

    ", + "

    Complaints

    ", + "

    Follow HS2\u2019s complaints procedure if you want to complain about the service you received, for example about how long it took to reach a decision on your application or the result.

    ", + "

    Exceptional Hardship Scheme (Phase 2b)

    ", + "

    The Exceptional Hardship Scheme has now closed.

    ", + "

    If you\u2019ve already applied

    ", + "

    If you have not received a decision, your application will automatically be transferred to the Need to Sell Scheme.

    ", + "

    If you\u2019ve received a decision and were successful, the purchase of your property will not be affected by the closure of the scheme.

    ", + "

    If you were unsuccessful, you may now be eligible for one of the other compensation schemes.

    ", + "

    Complaints

    ", + "

    Follow HS2\u2019s complaints procedure if you want to complain about the service you received, for example how long it took to reach a decision on your application.

    ", + "

    Need to Sell Scheme

    ", + "

    You may be able to sell your property to the government through the Need to Sell Scheme if you have a \u2018compelling reason\u2019 to sell but cannot as a direct result of the announcement of the HS2 route.

    ", + "

    Compelling reasons include unemployment, relocation for a new job or ill health - but each application is judged on its merits.

    ", + "

    Before you apply

    ", + "

    Check if you\u2019re eligible to ask the government to buy your property through:

    ", + "
  • statutory blight
  • ", + "
  • the Express Purchase Scheme
  • ", + "
  • the Cash Offer or Voluntary Purchase Scheme
  • ", + "

    Who can apply

    ", + "

    You must be one of the following:

    ", + "
  • the owner occupier of a residential, agricultural or commercial property
  • ", + "
  • the \u2018personal representative\u2019 of the owner occupier if they\u2019ve died, for example the executor of their will
  • ", + "
  • a \u2018reluctant landlord\u2019 (renting out your property because you cannot sell it)
  • ", + "

    Mortgage lenders (such as banks and building societies) in vacant possession of a qualifying property can apply.

    ", + "

    Your commercial property will not qualify for the Need to Sell Scheme if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).

    ", + "

    An owner occupier must:

    ", + "
  • be the freeholder or a leaseholder with at least 3 years left on the lease
  • ", + "
  • be living in or running a business from the property or have done so for at least 6 months in the last 18 months if the property\u2019s currently empty
  • ", + "

    Read full guidance on eligibility.

    ", + "

    You\u2019ll need to submit evidence that you meet all 5 criteria:

    ", + "
  • property type
  • ", + "
  • location
  • ", + "
  • effort to sell
  • ", + "
  • no prior knowledge
  • ", + "
  • compelling reason to sell
  • ", + "

    Property type

    ", + "

    You\u2019ll need to show that the property is owner occupied, you\u2019re the personal representative, or you\u2019re acting as a \u2018reluctant landlord\u2019 who has had to rent out the property as a result of HS2.

    ", + "

    Location

    ", + "

    You\u2019ll need to show that your property is close enough to the route that it\u2019s likely to be substantially affected by HS2\u2019s construction or operation. There is no fixed distance.

    ", + "

    Effort to sell

    ", + "

    You\u2019ve tried to sell the property without success for at least 3 months.

    ", + "

    No prior knowledge

    ", + "

    You must either:

    ", + "
  • have bought or signed a lease before the publication of the HS2 route section closest to your property
  • ", + "
  • show why you could not have known about the initial proposed route, for example if the searches relating to the purchase were done before the route was announced, but the purchase was completed after
  • ", + "

    Compelling reason to sell

    ", + "

    You must give evidence of a compelling reason to sell your property now, or that you would be placed under an unreasonable burden if you were unable to sell your property in the next 3 years.

    ", + "

    What you\u2019ll get

    ", + "

    The government will agree to buy your property for 100% of the unblighted open market value if your application is successful.

    ", + "

    The government will not cover additional costs, such as legal fees or removal costs.

    ", + "

    Apply

    ", + "

    Download the guidance and fill in the application form.

    ", + "

    Send it to the address on the form, along with your supporting evidence.

    ", + "

    Track your application online

    ", + "

    HS2 will send you a username and password to track your application after you apply.

    ", + "

    You can then track your application online. You\u2019ll choose a new password after you sign in for the first time.

    ", + "

    If you have not been sent a username and password, contact your HS2 case officer for help tracking your application.

    ", + "

    If you\u2019re not happy with the result

    ", + "

    You can reapply if your application is rejected, giving extra information to explain why you think the decision was wrong.

    ", + "

    Complaints

    ", + "

    Follow HS2\u2019s complaints procedure if you want to complain about the service you received, for example how long it took to reach a decision on your application.

    ", + "

    Cash Offer or Voluntary Purchase Scheme

    ", + "

    You may be able to apply for a Cash Offer if you do not want to sell your home and it\u2019s in a rural support zone.

    ", + "

    Alternatively, you can ask the government to purchase your property for its full open market value (known as \u2018unblighted\u2019 value) under the Voluntary Purchase Scheme.

    ", + "

    Cash Offer and the Voluntary Purchase Scheme only apply to properties in rural support zones. Check the Phase 1 or Phase 2 maps to see if your property is in a rural support zone.

    ", + "

    Who can apply

    ", + "

    Your house or 25% of the total area of your property must be in the rural support zone (generally 60 to 120 metres from the route).

    ", + "

    You must be the owner occupier of a residential, agricultural or commercial property.

    ", + "

    Mortgage lenders (for example banks and building societies) can also apply for the Voluntary Purchase Scheme.

    ", + "

    Your commercial property will not qualify for Cash Offer or the Voluntary Purchase Scheme if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).

    ", + "

    An owner occupier must:

    ", + "
  • be the freeholder or a leaseholder with at least 3 years left on the lease
  • ", + "
  • be living in or running a business from the property, or have done so for at least 6 months in the last 18 months if the property is currently empty
  • ", + "
  • have bought or entered into a lease of the property before the initial preferred routes of Phases 1, 2a or 2b were announced - or show why they could not have known about it, for example if the searches relating to the purchase were undertaken before this date, but the purchase itself was completed afterwards
  • ", + "

    Read the full guidance on eligibility.

    ", + "

    What you\u2019ll get

    ", + "

    Cash offer

    ", + "

    The cash offer is a lump-sum payment of 10% of the unblighted open market value of your property (from a minimum of \u00a330,000 to a maximum of \u00a3100,000).

    ", + "

    The government will cover your legal fees up to \u00a3500 (plus VAT) if your application is successful.

    ", + "

    Voluntary purchase

    ", + "

    If you qualify, the government will pay 100% of the unblighted open market value, as assessed by 2 independent valuers.

    ", + "

    The government will not cover additional costs, for example legal fees or removal costs.

    ", + "

    Apply

    ", + "

    Download the guidance and fill in the application form.

    ", + "

    Send it to the address on the form, along with your supporting evidence.

    ", + "

    Track your application online

    ", + "

    HS2 will send you a username and password to track your application after you apply.

    ", + "

    You can then track your application online. You\u2019ll choose a new password after you sign in for the first time.

    ", + "

    If you have not been sent a username and password, contact your HS2 case officer for help tracking your application.

    ", + "

    Complaints

    ", + "

    Follow HS2\u2019s complaints procedure if you want to complain about the service you received, for example about how long it took to reach a decision on your application or the result.

    ", + "

    Homeowner Payment Scheme (Phase 1 and Phase 2a)

    ", + "

    You may be eligible for a payment if you live in the homeowner payment zone.

    ", + "

    Check the Phase 1 maps or Phase 2a maps to find out.

    ", + "

    Phase 2a homes will become eligible once this phase is authorised by Parliament.

    ", + "

    Who can apply

    ", + "

    Your house or 25% of the total area of your property must be in the homeowner payment zone.

    ", + "

    You must be the owner occupier of a residential, agricultural or commercial property.

    ", + "

    An owner occupier must:

    ", + "
  • be the freeholder or a leaseholder with at least 3 years left on the lease
  • ", + "
  • be living in or running a business from the property or have done so for at least 6 months in the last 18 months if the property\u2019s currently empty
  • ", + "
  • have bought the property before 9 April 2014 for Phase 1 and before 30 November 2015 for Phase 2a when the proposals for the homeowner payment were announced
  • ", + "

    Your commercial property will not qualify for homeowner payments if it has a rateable value of \u00a336,000 or more (\u00a344,200 inside Greater London).

    ", + "

    What you\u2019ll get

    ", + "

    You can claim \u00a38,000 to \u00a324,000 depending on which homeowner payment band you\u2019re in.

    ", + "Distance from line of the route | Amount", + "Between 120m and 180m | \u00a324,000", + "Between 180m and 240m | \u00a316,000", + "Between 240m and 300m | \u00a38,000", + "

    You\u2019ll be eligible for the band in which your residential dwelling sits if your land is covered by more than one homeowner payment band.

    ", + "

    You may be eligible for the \u00a38,000 band if your dwelling is outside the bands but your land is within them.

    ", + "

    You\u2019ll be eligible for the higher payment if the dwelling itself is in more than one band.

    ", + "

    Most people who receive money under the homeowner payment scheme would not have to pay tax on it.

    ", + "

    You can accept payment and still be eligible for the Need to Sell Scheme - the value of the payment (plus statutory interest) will be deducted from the purchase price.

    ", + "

    Apply

    ", + "

    Fill in the form and follow the instructions to apply.

    ", + "

    Track your application online

    ", + "

    HS2 will send you a username and password to track your application after you apply.

    ", + "

    You can then track your application online. You\u2019ll choose a new password after you sign in for the first time.

    ", + "

    If you have not been sent a username and password, contact your HS2 case officer for help tracking your application.

    ", + "

    Rent Back

    ", + "

    If you\u2019re selling your property to the government under one of the schemes\u00a0you can apply to rent it back and continue living in it.

    ", + "

    Apply

    ", + "

    Ask your HS2 case officer to explain the options for renting the property back from the government after it\u2019s sold.

    ", + "

    What happens next

    ", + "

    The government will assess your property to decide whether to rent it out, based on both:

    ", + "
  • the cost of any repairs needed to make it suitable for renting
  • ", + "
  • whether the work is a good use of taxpayers\u2019 money
  • ", + "

    They will contact you to let you know if you\u2019ll be able to rent it.

    ", + "

    If you decide to rent the property, you\u2019ll pay an open market rent and get a tenancy agreement for an initial term of 6 months.

    ", + "

    The guidance has more information about Rent Back.

    ", + "

    Track your application online

    ", + "

    HS2 will send you a username and password to track your application after you apply.

    ", + "

    You can then track your application online. You\u2019ll choose a new password after you sign in for the first time.

    ", + "

    If you have not been sent a username and password, contact your HS2 case officer for help tracking your application.

    " + ] + }, + "https://www.gov.uk/compensation-road-property-value": { + "url": "https://www.gov.uk/compensation-road-property-value", + "title": "Compensation when a road affects your property's value", + "content": "## Overview\n\nYou can apply for compensation if the value of your property goes down because of pollution or disturbance from the use of a new or altered road.\n\nThis is known as a \u2018Part I claim\u2019.\n\n## When you can claim\n\nYou can claim after a road\u2019s been open to traffic for 1 year.\n\n## How to claim\n\n- Check you have a valid claim.\n\n- Check where to send your claim.\n\nYou can make a claim yourself or use an agent (eg a professional property valuer or claims company) to claim for you.\n\n## Who can claim\n\nThe value of your property must have gone down by more than \u00a350 as the result of specific types of pollution or disturbance from the use of a new or altered road.\n\n## What you can claim for\n\nYou can only make a Part I claim because of:\n\n- noise\n\n- vibration\n\n- smell\n\n- fumes\n\n- smoke\n\n- artificial lighting\n\n- solid or liquid discharge on to your property\n\n## What you can\u2019t claim for\n\nYou can\u2019t make a Part I claim for:\n\n- other problems caused by a road, eg losing your view, natural light or privacy (sometimes called \u2018blight\u2019)\n\n- problems coming from another part of the road - your claim must be for the part of the road that\u2019s new or altered\n\n- a road that\u2019s only been resurfaced\n\n## Types of property you can claim for\n\nYou can usually only claim for property you own and occupy.\n\nYou must own the property both:\n\n- before the road opened to traffic\n\n- when you make your claim\n\nYou must also be able to prove you own 1 of the following:\n\n- the property\u2019s freehold\n\n- the property\u2019s leasehold, with at least 3 years left to run on your lease on the date you make your claim\n\nYou can\u2019t claim for property that was part of a \u2018compulsory purchase\u2019 for the construction of the road.\n\n## Homes\n\nYou must be living in the property when you make your claim, unless you can\u2019t because:\n\n- you let it to tenants\n\n- there\u2019s another legal reason preventing you, eg a court order\n\n## Agricultural land\n\nYou must occupy the property both:\n\n- before the road opened to traffic\n\n- when you make your claim\n\n## Business premises\n\nYou must occupy the whole property, or a substantial part of it, both:\n\n- before the road opened to traffic\n\n- when you make your claim\n\nYour property\u2019s rateable value must be below \u00a334,800.\n\nSearch by postcode to find the rateable value of your business in England or Wales.\n\n## Other requirements\n\nRead Highways England\u2019s guide to Part I claims to check if you need to meet other requirements.\n\n## Make a claim\n\nYou usually need to make your claim to the authority responsible for the road - this is:\n\n- your local council for local roads\n\n- Highways England for major roads, including motorways and some A roads\n\nYou need to make your claim to Connect Plus if it\u2019s for M25 widening at:\n\n- junctions 16 to 23\n\n- junctions 27 to 30\n\n## Make a claim to Highways England\n\n- Check Part I claims notices for roads that are open for claims.\n\n- Read the guide to Part I claims.\n\n- Download and fill in the claim for compensation form.\n\n- Send your claim to the Highways England.\n\n## Track your claim\n\nYou can track the progress of a Part I claim you\u2019ve made to Highways England.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for compensation if the value of your property goes down because of pollution or disturbance from the use of a new or altered road.

    ", + "

    This is known as a \u2018Part I claim\u2019.

    ", + "

    When you can claim

    ", + "

    You can claim after a road\u2019s been open to traffic for 1 year.

    ", + "

    How to claim

    ", + "
  • Check you have a valid claim.
  • ", + "
  • Check where to send your claim.
  • ", + "

    You can make a claim yourself or use an agent (eg a professional property valuer or claims company) to claim for you.

    ", + "

    Who can claim

    ", + "

    The value of your property must have gone down by more than \u00a350 as the result of specific types of pollution or disturbance from the use of a new or altered road.

    ", + "

    What you can claim for

    ", + "

    You can only make a Part I claim because of:

    ", + "
  • noise
  • ", + "
  • vibration
  • ", + "
  • smell
  • ", + "
  • fumes
  • ", + "
  • smoke
  • ", + "
  • artificial lighting
  • ", + "
  • solid or liquid discharge on to your property
  • ", + "

    What you can\u2019t claim for

    ", + "

    You can\u2019t make a Part I claim for:

    ", + "
  • other problems caused by a road, eg losing your view, natural light or privacy (sometimes called \u2018blight\u2019)
  • ", + "
  • problems coming from another part of the road - your claim must be for the part of the road that\u2019s new or altered
  • ", + "
  • a road that\u2019s only been resurfaced
  • ", + "

    Types of property you can claim for

    ", + "

    You can usually only claim for property you own and occupy.

    ", + "

    You must own the property both:

    ", + "
  • before the road opened to traffic
  • ", + "
  • when you make your claim
  • ", + "

    You must also be able to prove you own 1 of the following:

    ", + "
  • the property\u2019s freehold
  • ", + "
  • the property\u2019s leasehold, with at least 3 years left to run on your lease on the date you make your claim
  • ", + "

    You can\u2019t claim for property that was part of a \u2018compulsory purchase\u2019 for the construction of the road.

    ", + "

    Homes

    ", + "

    You must be living in the property when you make your claim, unless you can\u2019t because:

    ", + "
  • you let it to tenants
  • ", + "
  • there\u2019s another legal reason preventing you, eg a court order
  • ", + "

    Agricultural land

    ", + "

    You must occupy the property both:

    ", + "
  • before the road opened to traffic
  • ", + "
  • when you make your claim
  • ", + "

    Business premises

    ", + "

    You must occupy the whole property, or a substantial part of it, both:

    ", + "
  • before the road opened to traffic
  • ", + "
  • when you make your claim
  • ", + "

    Your property\u2019s rateable value must be below \u00a334,800.

    ", + "

    Search by postcode to find the rateable value of your business in England or Wales.

    ", + "

    Other requirements

    ", + "

    Read Highways England\u2019s guide to Part I claims to check if you need to meet other requirements.

    ", + "

    Make a claim

    ", + "

    You usually need to make your claim to the authority responsible for the road - this is:

    ", + "
  • your local council for local roads
  • ", + "
  • Highways England for major roads, including motorways and some A roads
  • ", + "

    You need to make your claim to Connect Plus if it\u2019s for M25 widening at:

    ", + "
  • junctions 16 to 23
  • ", + "
  • junctions 27 to 30
  • ", + "

    Make a claim to Highways England

    ", + "
  • Check Part I claims notices for roads that are open for claims.
  • ", + "
  • Read the guide to Part I claims.
  • ", + "
  • Download and fill in the claim for compensation form.
  • ", + "
  • Send your claim to the Highways England.
  • ", + "

    Track your claim

    ", + "

    You can track the progress of a Part I claim you\u2019ve made to Highways England.

    " + ] + }, + "https://www.gov.uk/get-information-about-property-and-land": { + "url": "https://www.gov.uk/get-information-about-property-and-land", + "title": "Get information about property and land", + "content": "## Overview\n\nYou can get information about registered property or land in England and Wales, even if you do not own it.\n\nThe type of information you can get includes the:\n\n- title register - who owns the property or land, and any rights of way\n\n- title number - the unique number given to a property or piece of land\n\n- title plan - the property or land\u2019s location and boundaries\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Search the land and property register\n\nGet copies of title register and title plan by searching the register.\n\n## Search the land and property index map\n\nAsk for a search of the index map if a property doesn\u2019t come up on a search of the register.\n\n## Get a copy of the deeds\n\nYou may be able to find out current and past information about a registered property, such as its previous owners by requesting a copy of the deeds.\n\n## Search property prices\n\nGet information about property prices by searching the house price index and the price paid data service.\n\n## Search the register\n\nHM Land Registry holds records about most property or land sold in England or Wales since 1993, including the title register, title plan and title summary.\n\n## Search the online register\n\nSearch the register by address or location.\n\nIf a property does not appear in a search, it may be filed under the wrong address. Ask for a search of the index map instead.\n\n## Title register\n\nThe title register has details about the property or land (in a PDF). It includes:\n\n- the title number\n\n- who owns it\n\n- what they paid for it (properties only, if available)\n\n- any rights of way\n\n- whether a mortgage on it has been \u2018discharged\u2019, for example paid off\n\n## Title summary\n\nThe title summary (viewable online) includes:\n\n- the title number\n\n- who owns it\n\n- what they paid for it\n\n- whether the property is freehold or leasehold (known as \u2018tenure\u2019)\n\n- the lender\u2019s name and address (if there is a mortgage on the property)\n\nThe lease will have more information if the property is a leasehold.\n\n## Title plan\n\nThe title plan is a map showing:\n\n- the property\u2019s location\n\n- the general boundaries - there\u2019s usually no record of exact boundaries\n\n## Buy copies of the information\n\nYou can download online copies of the information for a fee but you cannot use them as proof of ownership.\n\nTo get copies to use as proof of ownership (for example, in a court case) order official copies.\n\n## Ordering official copies\n\nDownload and fill in an application for official copies of documents and send it to HM Land Registry with your fee.\n\nYour copies will arrive in less than a week.\n\n## Fees\n\n| Document | Fee |\n\n| Title register (online copy) | \u00a33 |\n\n| Title plan (online copy) | \u00a32.50 (\u00a33 with VAT) |\n\n| Title register (official copy) | \u00a37 |\n\n| Title plan (official copy) | \u00a37 |\n\n## Rights over adjoining land and property boundaries\n\nThe title register may give you details about rights over adjoining land. Apply for a copy of the deeds if you need more information.\n\nTitle plans only give general boundary information. There\u2019s usually no record of exact boundaries.\n\n## Get historical title registers\n\nYou may be able to find out who owned the property before the current owner from a historical title register. It can also be useful if you\u2019re trying to find out how old a property is.\n\nAsk HM Land Registry to search who owned the property for a specific date or multiple dates.\n\n## For properties registered before 1993\n\nContact HM Land Registry with the:\n\n- title number or address of the property\n\n- date or dates you\u2019re applying for\n\nThey\u2019ll search their records and tell you if they have a copy, and how to apply for it.\n\n## For properties registered after 1993\n\nDownload and fill in form HC1. Send the form to HM Land Registry along with \u00a37 for each date you\u2019re applying for.\n\nThe results of your search will arrive in less than a week.\n\nIf you do not know the date you\u2019re searching for, contact HM Land Registry.\n\n## Search the index map\n\nThe index map contains information on all land and property that\u2019s registered or being registered with HM Land Registry.\n\nUse it to find the title number of a property that does not appear in a search of the register.\n\nSome properties do not appear in a search of the register because the property boundaries have changed since it was registered, or the property address has been spelled incorrectly, for example.\n\n## How to search\n\nYou cannot search the map yourself.\n\nYou should provide the address of the land or property (if it has one). If the land or property cannot be identified by the address you can provide:\n\n- a plan which clearly identifies the land or property\n\n- an Ordnance Survey map reference for the land or property\n\nDownload and fill in the application form and send it to HM Land Registry.\n\nHM Land Registry will send you the search results, including the title number or numbers under which the land or property is registered. You can use them to search the register.\n\nThe search will also confirm if the property or land is unregistered.\n\n## How much it costs\n\nIt costs \u00a34 to search an area covering up to 5 registered titles.\n\nIf your search covers more than 5 titles, HM Land Registry will contact you with an updated fee. You\u2019ll be charged \u00a32 for groups of 10 additional titles.\n\n## How long it takes\n\nThe results of your search will arrive in less than a week.\n\n## If you\u2019re searching the index map to apply for home rights\n\nYou must write \u2018This search is being made solely for the purposes of the Family Law Act 1996\u2019 across the top of the application form.\n\n## Get a copy of the deeds\n\nYou may be able to find out current and past information about a registered property, such as its previous owners in the deeds.\n\nThe register may give more details about rights over adjoining land.\n\nHM Land Registry does not store original paper deeds.\n\n## How to request a copy of the deeds\n\n- Find out if the property or land is registered.\n\n- Pay \u00a33 to download a copy of the title register. If the deeds are marked as \u2018filed\u2019 in the register then HM Land Registry has a scanned copy.\n\n- Fill in the deeds request form using the property\u2019s title number from the title register.\n\nYour search may return no results if HM Land Registry does not hold a scanned copy of the deeds.\n\nThe deeds could be made up of several documents. Each official copy of a document costs \u00a37.\n\nSend your completed form and payment to HM Land Registry.\n\nCopies of deeds cannot be used to prove ownership, for example in a court case. Get official copies of the title register instead.\n\n## If you\u2019re a business\n\nRegister for business e-services if you\u2019re a business that needs to manage multiple searches and download multiple copies of documents.\n\n## Search for property prices\n\nYou can search for how much a property sold for in England or Wales.\n\nYou can correct information about the sale price if you find any incorrect records.\n\nYou can also search UK house price averages by region, county or local authority on the house price index.", + "original_contents": [ + "

    Overview

    ", + "

    You can get information about registered property or land in England and Wales, even if you do not own it.

    ", + "

    The type of information you can get includes the:

    ", + "
  • title register - who owns the property or land, and any rights of way
  • ", + "
  • title number - the unique number given to a property or piece of land
  • ", + "
  • title plan - the property or land\u2019s location and boundaries
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Search the land and property register

    ", + "

    Get copies of title register and title plan by searching the register.

    ", + "

    Search the land and property index map

    ", + "

    Ask for a search of the index map if a property doesn\u2019t come up on a search of the register.

    ", + "

    Get a copy of the deeds

    ", + "

    You may be able to find out current and past information about a registered property, such as its previous owners by requesting a copy of the deeds.

    ", + "

    Search property prices

    ", + "

    Get information about property prices by searching the house price index and the price paid data service.

    ", + "

    Search the register

    ", + "

    HM Land Registry holds records about most property or land sold in England or Wales since 1993, including the title register, title plan and title summary.

    ", + "

    Search the online register

    ", + "

    Search the register by address or location.

    ", + "

    If a property does not appear in a search, it may be filed under the wrong address. Ask for a search of the index map instead.

    ", + "

    Title register

    ", + "

    The title register has details about the property or land (in a PDF). It includes:

    ", + "
  • the title number
  • ", + "
  • who owns it
  • ", + "
  • what they paid for it (properties only, if available)
  • ", + "
  • any rights of way
  • ", + "
  • whether a mortgage on it has been \u2018discharged\u2019, for example paid off
  • ", + "

    Title summary

    ", + "

    The title summary (viewable online) includes:

    ", + "
  • the title number
  • ", + "
  • who owns it
  • ", + "
  • what they paid for it
  • ", + "
  • whether the property is freehold or leasehold (known as \u2018tenure\u2019)
  • ", + "
  • the lender\u2019s name and address (if there is a mortgage on the property)
  • ", + "

    The lease will have more information if the property is a leasehold.

    ", + "

    Title plan

    ", + "

    The title plan is a map showing:

    ", + "
  • the property\u2019s location
  • ", + "
  • the general boundaries - there\u2019s usually no record of exact boundaries
  • ", + "

    Buy copies of the information

    ", + "

    You can download online copies of the information for a fee but you cannot use them as proof of ownership.

    ", + "

    To get copies to use as proof of ownership (for example, in a court case) order official copies.

    ", + "

    Ordering official copies

    ", + "

    Download and fill in an application for official copies of documents and send it to HM Land Registry with your fee.

    ", + "

    Your copies will arrive in less than a week.

    ", + "

    Fees

    ", + "Document | Fee", + "Title register (online copy) | \u00a33", + "Title plan (online copy) | \u00a32.50 (\u00a33 with VAT)", + "Title register (official copy) | \u00a37", + "Title plan (official copy) | \u00a37", + "

    Rights over adjoining land and property boundaries

    ", + "

    The title register may give you details about rights over adjoining land. Apply for a copy of the deeds if you need more information.

    ", + "

    Title plans only give general boundary information. There\u2019s usually no record of exact boundaries.

    ", + "

    Get historical title registers

    ", + "

    You may be able to find out who owned the property before the current owner from a historical title register. It can also be useful if you\u2019re trying to find out how old a property is.

    ", + "

    Ask HM Land Registry to search who owned the property for a specific date or multiple dates.

    ", + "

    For properties registered before 1993

    ", + "

    Contact HM Land Registry with the:

    ", + "
  • title number or address of the property
  • ", + "
  • date or dates you\u2019re applying for
  • ", + "

    They\u2019ll search their records and tell you if they have a copy, and how to apply for it.

    ", + "

    For properties registered after 1993

    ", + "

    Download and fill in form HC1. Send the form to HM Land Registry along with \u00a37 for each date you\u2019re applying for.

    ", + "

    The results of your search will arrive in less than a week.

    ", + "

    If you do not know the date you\u2019re searching for, contact HM Land Registry.

    ", + "

    Search the index map

    ", + "

    The index map contains information on all land and property that\u2019s registered or being registered with HM Land Registry.

    ", + "

    Use it to find the title number of a property that does not appear in a search of the register.

    ", + "

    Some properties do not appear in a search of the register because the property boundaries have changed since it was registered, or the property address has been spelled incorrectly, for example.

    ", + "

    How to search

    ", + "

    You cannot search the map yourself.

    ", + "

    You should provide the address of the land or property (if it has one). If the land or property cannot be identified by the address you can provide:

    ", + "
  • a plan which clearly identifies the land or property
  • ", + "
  • an Ordnance Survey map reference for the land or property
  • ", + "

    Download and fill in the application form and send it to HM Land Registry.

    ", + "

    HM Land Registry will send you the search results, including the title number or numbers under which the land or property is registered. You can use them to search the register.

    ", + "

    The search will also confirm if the property or land is unregistered.

    ", + "

    How much it costs

    ", + "

    It costs \u00a34 to search an area covering up to 5 registered titles.

    ", + "

    If your search covers more than 5 titles, HM Land Registry will contact you with an updated fee. You\u2019ll be charged \u00a32 for groups of 10 additional titles.

    ", + "

    How long it takes

    ", + "

    The results of your search will arrive in less than a week.

    ", + "

    If you\u2019re searching the index map to apply for home rights

    ", + "

    You must write \u2018This search is being made solely for the purposes of the Family Law Act 1996\u2019 across the top of the application form.

    ", + "

    Get a copy of the deeds

    ", + "

    You may be able to find out current and past information about a registered property, such as its previous owners in the deeds.

    ", + "

    The register may give more details about rights over adjoining land.

    ", + "

    HM Land Registry does not store original paper deeds.

    ", + "

    How to request a copy of the deeds

    ", + "
  • Find out if the property or land is registered.
  • ", + "
  • Pay \u00a33 to download a copy of the title register. If the deeds are marked as \u2018filed\u2019 in the register then HM Land Registry has a scanned copy.
  • ", + "
  • Fill in the deeds request form using the property\u2019s title number from the title register.
  • ", + "

    Your search may return no results if HM Land Registry does not hold a scanned copy of the deeds.

    ", + "

    The deeds could be made up of several documents. Each official copy of a document costs \u00a37.

    ", + "

    Send your completed form and payment to HM Land Registry.

    ", + "

    Copies of deeds cannot be used to prove ownership, for example in a court case. Get official copies of the title register instead.

    ", + "

    If you\u2019re a business

    ", + "

    Register for business e-services if you\u2019re a business that needs to manage multiple searches and download multiple copies of documents.

    ", + "

    Search for property prices

    ", + "

    You can search for how much a property sold for in England or Wales.

    ", + "

    You can correct information about the sale price if you find any incorrect records.

    ", + "

    You can also search UK house price averages by region, county or local authority on the house price index.

    " + ] + }, + "https://www.gov.uk/joint-property-ownership": { + "url": "https://www.gov.uk/joint-property-ownership", + "title": "Joint property ownership", + "content": "## Overview\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must decide which type of joint ownership you want if you buy, inherit or become a trustee of a property with someone else. You tell HM Land Registry about this when you register the property.\n\nYou can own a property as either \u2018joint tenants\u2019 or \u2018tenants in common\u2019.\n\nThe type of ownership affects what you can do with the property if your relationship with a joint owner breaks down, or if one owner dies.\n\nYou can get legal advice from someone who specialises in property.\n\n## Joint tenants\n\nAs joint tenants (sometimes called \u2018beneficial joint tenants\u2019):\n\n- you have equal rights to the whole property\n\n- the property automatically goes to the other owners if you die\n\n- you cannot pass on your ownership of the property in your will\n\n## Tenants in common\n\nAs tenants in common:\n\n- you can own different shares of the property\n\n- the property does not automatically go to the other owners if you die\n\n- you can pass on your share of the property in your will\n\n## Change your type of ownership\n\nYou can change from being either:\n\n- joint tenants to tenants in common, for example if you divorce or separate and want to leave your share of the property to someone else\n\n- tenants in common to joint tenants, for example if you get married and want to have equal rights to the whole property\n\nThere\u2019s no fee to do this.\n\nYou can also change from sole ownership to tenants in common or joint tenants, for example, if you want to add your partner as joint owner. This is called transferring ownership.\n\n## Sell the property if the other owner has lost mental capacity\n\nYou\u2019ll have to apply to the Court of Protection if you want to sell the property but the other owner has lost \u2018mental capacity\u2019.\n\n## Check your ownership details\n\nYou can find out what type of joint ownership you have by checking documents such as a:\n\n- property transfer\n\n- property lease\n\n- trust deed, also known as a \u2018declaration of trust\u2019 (a document stating an owner\u2019s share in a jointly owned property)\n\nA solicitor, conveyancer or legal executive can help you check what type of joint ownership you have if you\u2019re unsure.\n\nYour type of ownership can sometimes change without your knowledge, for example if one of the other owners goes bankrupt.\n\n## Change from joint tenants to tenants in common\n\nThis is called \u2018severance of joint tenancy\u2019. You should apply for a \u2018Form A restriction\u2019.\n\nYou can make this change without the other owners\u2019 agreement.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply if the other owners do not agree to the change\n\n- Serve a written notice of the change (a \u2018notice of severance\u2019) on the other owners - a conveyancer can help you do this.\n\n- Download and fill in form SEV to register a restriction without the other owners\u2019 agreement. You can also fill in form RX1 to register a \u2018form A restriction\u2019 if you cannot provide any of the evidence of severance options listed in form SEV.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou should include an original or certified copy of the notice of severance signed by all the owners.\n\nIf you cannot get the other owners\u2019 signatures you can instead send a letter certifying that you\u2019ve done one of the following with the notice of severance:\n\n- given it to all the other owners\n\n- left it at the other owners\u2019 last known home or business address in the UK\n\n- sent it by registered post or recorded delivery to the other owners\u2019 last known home or business address and it has not been returned undelivered\n\n## How to apply if the other owners agree to the change\n\n- Download and fill in form SEV to register a \u2018form A restriction\u2019 if all owners agree.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Where to send your application\n\n## Change from tenants in common to joint tenants\n\nYou need the agreement of all the other joint owners to change from being tenants in common to joint tenants.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply\n\n- Fill in a new or updated trust deed - a conveyancer can help you do this.\n\n- Download and fill in the form to cancel a restriction, if one has been registered.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou must include one of the following:\n\n- an original or certified copy of the new or updated trust deed signed by all the owners\n\n- a certified copy of a transfer showing that all owners with individual shares of the property have transferred these to all the beneficial joint tenants\n\n- a certificate from your conveyancer confirming that all owners with shares of the property have signed a new trust deed\n\nYou must also include either:\n\n- a statutory declaration prepared by your conveyancer\n\n- a \u2018statement of truth\u2019 - either one you\u2019ve prepared yourself or using form ST5\n\nA statement of truth must be:\n\n- in writing and include the wording \u201cI believe that the facts and matters contained in this statement are true\u201d\n\n- signed by the person who makes it\n\nThe supporting documents must prove all the following:\n\n- nobody else except the named joint owners have shares of the property\n\n- none of the joint owners is being made bankrupt, has a charging order from creditors or is mortgaging their share of the property\n\n- all the joint owners now own the property together as beneficial joint tenants\n\n## Where to send your application\n\n## Selling when an owner has lost mental capacity\n\nYou must apply to the Court of Protection if all of the following apply:\n\n- you\u2019re one of 2 or more owners of property or land\n\n- one of the owners has lost \u2018mental capacity\u2019\n\n- you want to sell the property or land\n\nLosing mental capacity means someone cannot make a decision for themselves at the time it needs to be made.\n\nThis means that:\n\n- the owner who\u2019s lost mental capacity cannot sign legally binding documents and needs help to make decisions\n\n- you\u2019ll have to apply to appoint someone to take the place of the owner who\u2019s lost capacity so the sale can go ahead\n\n## Appoint someone to act on behalf of an owner\n\nYou\u2019ll have to appoint someone to act on behalf of the owner who\u2019s lost mental capacity even if:\n\n- you\u2019re already acting on behalf of an owner as a \u2018deputy\u2019\n\n- the Official Solicitor is a \u2018litigation friend\u2019 for an owner\n\nYou may not need to apply if you\u2019ve got a registered power of attorney.\n\nRead the guidance on the sale of jointly owned property (COP GN2) to find out if you need to apply.\n\n## Get the forms\n\nDownload and fill in:\n\n- the Court of Protection application form (COP1) so you can appoint someone who can deal with the sale of the property\n\n- the special undertaking by trustees (COP12)\n\n- an information form (COP1D)\n\n- the witness statement (COP24) - use the guidance on the sale of jointly owned property (COP GN2) to fill this in\n\n- another witness statement (COP24) as a certificate of fitness (for example, a character reference) if you\u2019re not appointing yourself or your solicitor to act for the owner\n\n## Fees\n\nIt costs \u00a3365 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Enquiries\n\nContact the Court of Protection for help and to find out if you need to fill in other forms.\n\nYou can also write to the Court of Protection or visit the public counter.\n\nYou cannot get legal advice from court staff.\n\n## Send your application\n\nSend the original and one copy of each of the following to the Court of Protection:\n\n- the application forms\n\n- witness statement\n\n- a copy of the entries at HM Land Registry if the sale includes any registered land\n\n- a copy of the conveyance if the property is unregistered\n\n- any other documents and information asked for\n\n## Tell people about your application\n\nThe Court of Protection will send you a copy of your application forms, stamped with an issue date, a week after you apply.\n\nYou must tell (\u2018serve\u2019) anyone named in your application (such as the person who\u2019s lost capacity) about applying within 14 days of the issue date.\n\nRead the guidance at the end of application form COP1 to find out who to tell.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told about this\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax\n\n- in person\n\n## Confirm you\u2019ve told people\n\nWithin 7 days of serving the documents, you must download and fill in the forms (\u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the owner who\u2019s lost mental capacity (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## After you apply\n\nRead the guidance to find out what happens if you have to attend a Court of Protection hearing.\n\nUpdate the property records after you\u2019ve appointed someone to act for the owner who\u2019s lost mental capacity.\n\n## If your application is rejected and you did not have a hearing\n\nYou can ask for a decision to be reconsidered if your application is rejected and you did not have a hearing.\n\nDownload and fill in application form COP9.\n\nSend the original, one copy of the form and any documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made.\n\nIt\u2019s free.\n\n## If your application is rejected and you had a hearing\n\nYou can appeal the decision if your application is rejected and you had an oral hearing.\n\nDownload and fill in the appellant\u2019s notice (COP35).\n\nSend it and any other documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made or within the time limit set by the judge who rejected your application.\n\n## Fees\n\nIt costs \u00a3320 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Emergency applications\n\nContact the Court of Protection to make an emergency application, for example to stop someone who lacks mental capacity being removed from where they live.", + "original_contents": [ + "

    Overview

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You must decide which type of joint ownership you want if you buy, inherit or become a trustee of a property with someone else. You tell HM Land Registry about this when you register the property.

    ", + "

    You can own a property as either \u2018joint tenants\u2019 or \u2018tenants in common\u2019.

    ", + "

    The type of ownership affects what you can do with the property if your relationship with a joint owner breaks down, or if one owner dies.

    ", + "

    You can get legal advice from someone who specialises in property.

    ", + "

    Joint tenants

    ", + "

    As joint tenants (sometimes called \u2018beneficial joint tenants\u2019):

    ", + "
  • you have equal rights to the whole property
  • ", + "
  • the property automatically goes to the other owners if you die
  • ", + "
  • you cannot pass on your ownership of the property in your will
  • ", + "

    Tenants in common

    ", + "

    As tenants in common:

    ", + "
  • you can own different shares of the property
  • ", + "
  • the property does not automatically go to the other owners if you die
  • ", + "
  • you can pass on your share of the property in your will
  • ", + "

    Change your type of ownership

    ", + "

    You can change from being either:

    ", + "
  • joint tenants to tenants in common, for example if you divorce or separate and want to leave your share of the property to someone else
  • ", + "
  • tenants in common to joint tenants, for example if you get married and want to have equal rights to the whole property
  • ", + "

    There\u2019s no fee to do this.

    ", + "

    You can also change from sole ownership to tenants in common or joint tenants, for example, if you want to add your partner as joint owner. This is called transferring ownership.

    ", + "

    Sell the property if the other owner has lost mental capacity

    ", + "

    You\u2019ll have to apply to the Court of Protection if you want to sell the property but the other owner has lost \u2018mental capacity\u2019.

    ", + "

    Check your ownership details

    ", + "

    You can find out what type of joint ownership you have by checking documents such as a:

    ", + "
  • property transfer
  • ", + "
  • property lease
  • ", + "
  • trust deed, also known as a \u2018declaration of trust\u2019 (a document stating an owner\u2019s share in a jointly owned property)
  • ", + "

    A solicitor, conveyancer or legal executive can help you check what type of joint ownership you have if you\u2019re unsure.

    ", + "

    Your type of ownership can sometimes change without your knowledge, for example if one of the other owners goes bankrupt.

    ", + "

    Change from joint tenants to tenants in common

    ", + "

    This is called \u2018severance of joint tenancy\u2019. You should apply for a \u2018Form A restriction\u2019.

    ", + "

    You can make this change without the other owners\u2019 agreement.

    ", + "

    A solicitor, conveyancer or legal executive can also make the application for you.

    ", + "

    How to apply if the other owners do not agree to the change

    ", + "
  • Serve a written notice of the change (a \u2018notice of severance\u2019) on the other owners - a conveyancer can help you do this.
  • ", + "
  • Download and fill in form SEV to register a restriction without the other owners\u2019 agreement. You can also fill in form RX1 to register a \u2018form A restriction\u2019 if you cannot provide any of the evidence of severance options listed in form SEV.
  • ", + "
  • Prepare any supporting documents you need to include.
  • ", + "
  • Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.
  • ", + "

    Supporting documents

    ", + "

    You should include an original or certified copy of the notice of severance signed by all the owners.

    ", + "

    If you cannot get the other owners\u2019 signatures you can instead send a letter certifying that you\u2019ve done one of the following with the notice of severance:

    ", + "
  • given it to all the other owners
  • ", + "
  • left it at the other owners\u2019 last known home or business address in the UK
  • ", + "
  • sent it by registered post or recorded delivery to the other owners\u2019 last known home or business address and it has not been returned undelivered
  • ", + "

    How to apply if the other owners agree to the change

    ", + "
  • Download and fill in form SEV to register a \u2018form A restriction\u2019 if all owners agree.
  • ", + "
  • Prepare any supporting documents you need to include.
  • ", + "
  • Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.
  • ", + "

    Where to send your application

    ", + "

    Change from tenants in common to joint tenants

    ", + "

    You need the agreement of all the other joint owners to change from being tenants in common to joint tenants.

    ", + "

    A solicitor, conveyancer or legal executive can also make the application for you.

    ", + "

    How to apply

    ", + "
  • Fill in a new or updated trust deed - a conveyancer can help you do this.
  • ", + "
  • Download and fill in the form to cancel a restriction, if one has been registered.
  • ", + "
  • Prepare any supporting documents you need to include.
  • ", + "
  • Send the form and documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.
  • ", + "

    Supporting documents

    ", + "

    You must include one of the following:

    ", + "
  • an original or certified copy of the new or updated trust deed signed by all the owners
  • ", + "
  • a certified copy of a transfer showing that all owners with individual shares of the property have transferred these to all the beneficial joint tenants
  • ", + "
  • a certificate from your conveyancer confirming that all owners with shares of the property have signed a new trust deed
  • ", + "

    You must also include either:

    ", + "
  • a statutory declaration prepared by your conveyancer
  • ", + "
  • a \u2018statement of truth\u2019 - either one you\u2019ve prepared yourself or using form ST5
  • ", + "

    A statement of truth must be:

    ", + "
  • in writing and include the wording \u201cI believe that the facts and matters contained in this statement are true\u201d
  • ", + "
  • signed by the person who makes it
  • ", + "

    The supporting documents must prove all the following:

    ", + "
  • nobody else except the named joint owners have shares of the property
  • ", + "
  • none of the joint owners is being made bankrupt, has a charging order from creditors or is mortgaging their share of the property
  • ", + "
  • all the joint owners now own the property together as beneficial joint tenants
  • ", + "

    Where to send your application

    ", + "

    Selling when an owner has lost mental capacity

    ", + "

    You must apply to the Court of Protection if all of the following apply:

    ", + "
  • you\u2019re one of 2 or more owners of property or land
  • ", + "
  • one of the owners has lost \u2018mental capacity\u2019
  • ", + "
  • you want to sell the property or land
  • ", + "

    Losing mental capacity means someone cannot make a decision for themselves at the time it needs to be made.

    ", + "

    This means that:

    ", + "
  • the owner who\u2019s lost mental capacity cannot sign legally binding documents and needs help to make decisions
  • ", + "
  • you\u2019ll have to apply to appoint someone to take the place of the owner who\u2019s lost capacity so the sale can go ahead
  • ", + "

    Appoint someone to act on behalf of an owner

    ", + "

    You\u2019ll have to appoint someone to act on behalf of the owner who\u2019s lost mental capacity even if:

    ", + "
  • you\u2019re already acting on behalf of an owner as a \u2018deputy\u2019
  • ", + "
  • the Official Solicitor is a \u2018litigation friend\u2019 for an owner
  • ", + "

    You may not need to apply if you\u2019ve got a registered power of attorney.

    ", + "

    Read the guidance on the sale of jointly owned property (COP GN2) to find out if you need to apply.

    ", + "

    Get the forms

    ", + "

    Download and fill in:

    ", + "
  • the Court of Protection application form (COP1) so you can appoint someone who can deal with the sale of the property
  • ", + "
  • the special undertaking by trustees (COP12)
  • ", + "
  • an information form (COP1D)
  • ", + "
  • the witness statement (COP24) - use the guidance on the sale of jointly owned property (COP GN2) to fill this in
  • ", + "
  • another witness statement (COP24) as a certificate of fitness (for example, a character reference) if you\u2019re not appointing yourself or your solicitor to act for the owner
  • ", + "

    Fees

    ", + "

    It costs \u00a3365 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.

    ", + "

    Read the fees guidance to find out when you might not have to pay.

    ", + "

    Enquiries

    ", + "

    Contact the Court of Protection for help and to find out if you need to fill in other forms.

    ", + "

    You can also write to the Court of Protection or visit the public counter.

    ", + "

    You cannot get legal advice from court staff.

    ", + "

    Send your application

    ", + "

    Send the original and one copy of each of the following to the Court of Protection:

    ", + "
  • the application forms
  • ", + "
  • witness statement
  • ", + "
  • a copy of the entries at HM Land Registry if the sale includes any registered land
  • ", + "
  • a copy of the conveyance if the property is unregistered
  • ", + "
  • any other documents and information asked for
  • ", + "

    Tell people about your application

    ", + "

    The Court of Protection will send you a copy of your application forms, stamped with an issue date, a week after you apply.

    ", + "

    You must tell (\u2018serve\u2019) anyone named in your application (such as the person who\u2019s lost capacity) about applying within 14 days of the issue date.

    ", + "

    Read the guidance at the end of application form COP1 to find out who to tell.

    ", + "

    Send them:

    ", + "
  • a notice that an application form has been issued (COP15)
  • ", + "
  • an acknowledgment form (COP5) so they can confirm they\u2019ve been told about this
  • ", + "

    You can tell them:

    ", + "
  • by post to their home address
  • ", + "
  • by fax
  • ", + "
  • in person
  • ", + "

    Confirm you\u2019ve told people

    ", + "

    Within 7 days of serving the documents, you must download and fill in the forms (\u2018certificates of service\u2019) confirming you\u2019ve told:

    ", + "
  • the owner who\u2019s lost mental capacity (COP20A)
  • ", + "
  • other people named in the application (COP20B)
  • ", + "

    Send them all together to the Court of Protection.

    ", + "

    After you apply

    ", + "

    Read the guidance to find out what happens if you have to attend a Court of Protection hearing.

    ", + "

    Update the property records after you\u2019ve appointed someone to act for the owner who\u2019s lost mental capacity.

    ", + "

    If your application is rejected and you did not have a hearing

    ", + "

    You can ask for a decision to be reconsidered if your application is rejected and you did not have a hearing.

    ", + "

    Download and fill in application form COP9.

    ", + "

    Send the original, one copy of the form and any documents asked for in the form to the Court of Protection.

    ", + "

    You must apply within 21 days of the decision being made.

    ", + "

    It\u2019s free.

    ", + "

    If your application is rejected and you had a hearing

    ", + "

    You can appeal the decision if your application is rejected and you had an oral hearing.

    ", + "

    Download and fill in the appellant\u2019s notice (COP35).

    ", + "

    Send it and any other documents asked for in the form to the Court of Protection.

    ", + "

    You must apply within 21 days of the decision being made or within the time limit set by the judge who rejected your application.

    ", + "

    Fees

    ", + "

    It costs \u00a3320 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.

    ", + "

    Read the fees guidance to find out when you might not have to pay.

    ", + "

    Emergency applications

    ", + "

    Contact the Court of Protection to make an emergency application, for example to stop someone who lacks mental capacity being removed from where they live.

    " + ] + }, + "https://www.gov.uk/leasehold-property": { + "url": "https://www.gov.uk/leasehold-property", + "title": "Leasehold property", + "content": "## Overview\n\nYou only own a leasehold property for a fixed period of time.\n\nYou\u2019ll have a legal agreement with the landlord (sometimes known as the \u2018freeholder\u2019) called a \u2018lease\u2019. This tells you how many years you\u2019ll own the property.\n\nOwnership of the property returns to the landlord when the lease comes to an end.\n\nMost flats are leasehold. Houses can be leasehold too and usually are if they\u2019re bought through a shared ownership scheme.\n\nThe rules about leasehold property are different in Northern Ireland.\n\n## Leaseholder rights and responsibilities\n\n## Your responsibilities\n\nYour lease will tell you what conditions you\u2019ve agreed to, for example:\n\n- if you need permission to make alterations\n\n- how much you\u2019ll have to pay to maintain the property\n\n- whether you or your landlord has responsibility for repairs and dealing with noisy neighbours\n\nYou might be taken to court and be ordered to pay for any damage If you do not follow the conditions of the lease. The court may also take away your lease.\n\n## Your rights\n\nYou have the right to:\n\n- get information about service charges or insurance\n\n- know the landlord\u2019s (freeholder\u2019s) name and address\n\n- be consulted about certain maintenance and running costs\n\n- challenge certain charges under some circumstances\n\n## Service charges and other expenses\n\n## Service charges\n\nYour lease sets out the way the service charge is organised and what can be charged. If you pay a service charge, you have the right to:\n\n- ask for a summary showing how the charge is worked out and what it\u2019s spent on\n\n- see any paperwork supporting the summary, such as receipts\n\nYour landlord must give you this information - it\u2019s a criminal offence if they do not.\n\n## Ground rent\n\nYou do not have to pay ground rent unless your landlord has sent you a formal, written demand for it. They can take legal action if you do not pay after you\u2019ve received the demand.\n\nYour landlord can recover unpaid ground rent going back 6 years - they can ask you for the full amount in one go.\n\nYour landlord can only increase the ground rent if you agree to the increase or the lease says this can happen.\n\n## Building insurance\n\nYour landlord will usually be responsible for insurance of the building (not the contents) - this will be part of your service charge.\n\nYou have a right to:\n\n- ask for a summary of the insurance policy\n\n- challenge the cost through a tribunal if you think it\u2019s unreasonable\n\n## Reserve or sinking funds\n\nYou might have to pay into a fund to help cover any unexpected maintenance or repairs, like replacing the roof. There are rules about how landlords must manage these funds.\n\nYou will not usually be able to get back any money you pay into them, for example if you move house.\n\n## Consulting over charges\n\nYou have the right to be consulted about charges for running or maintaining the building if you have to pay more than:\n\n- \u00a3250 for planned work\n\n- \u00a3100 per year for work and services lasting more than 12 months\n\nThere are steps your landlord must follow when they consult you, known as a \u2018Section 20\u2019 consultation. There\u2019s a limit on how much you have to pay if you have not been consulted properly - contact Leasehold Advisory Service for advice.\n\n## Disputing a charge\n\nYou may be able to apply to a tribunal if you pay a charge and you:\n\n- think it\u2019s unreasonable\n\n- think the standard of work it relates to is unsatisfactory\n\n- do not think you should be paying it at all\n\nContact Leasehold Advisory Service for advice.\n\nYou cannot apply to the tribunal if:\n\n- you\u2019ve agreed to pay the charge\n\n- the dispute is already being dealt with, for example by the court\n\n- you pay a fixed charge\n\nTry mediation - you may also be able to change the management of your building instead.\n\nYour landlord can take you to court if you stop paying a charge you\u2019re responsible for.\n\n## More information\n\nThe Leasehold Advisory Service has more information on service charges and other issues.\n\n## Extending, changing or ending a lease\n\n## Extending the lease\n\nYou can ask the landlord to extend your lease at any time.\n\nYou might be able to extend your lease by:\n\n- 90 years on a flat if you qualify\n\n- 50 years on a house if you qualify\n\nThe Leasehold Advisory Service\u2019s (LAS) lease extension calculator gives you a guide to the costs of extending the lease of a flat.\n\n## Changing the lease\n\nYou can negotiate certain changes to the lease, sometimes known as \u2018varying the lease\u2019. Speak to your landlord first.\n\nIf you cannot agree, you may be able to apply to a tribunal - contact Leasehold Advisory Service for advice.\n\n## Ending the lease\n\nIt\u2019s very rare that a landlord can end the lease and evict you. There are some circumstances and leases that let them do this, sometimes known as \u2018forfeiture proceedings\u2019. They need to send you a formal written notice and get the court\u2019s permission.\n\nYou can usually end a lease by giving at least 1 month\u2019s notice.\n\nThe LAS has information about ending a lease.\n\n## When the lease runs out\n\nYou do not have to leave the property when the lease expires. In law, a lease is a tenancy and the leaseholder is a tenant. The tenancy will continue on exactly the same terms unless you or the landlord decide to end it.\n\n## Buying the freehold\n\nYou can ask the landlord to sell you the freehold at any time.\n\nThere are different legal steps and rules depending on whether your home is a:\n\n- flat - you\u2019ll need to buy a share of the freehold\n\n- house - you may have the right to buy the freehold\n\n## Right of first refusal\n\nLandlords who want to sell the freehold of a building containing flats usually have to offer the leaseholders the first chance to buy it. This is known as your right of first refusal.\n\nThere are different rules and steps to buying the freehold of your home in Northern Ireland\n\n## Right to Manage and management disputes\n\nYou may be able to change the management of your building if you\u2019re unhappy with the way it\u2019s being run and you live in a leasehold flat. You can either:\n\n- ask a tribunal to appoint a new manager\n\n- take over the management responsibilities, known as your \u2018Right to Manage\u2019\n\n## Appoint a new manager\n\nYou must prove bad management if you want to appoint a new manager, for example:\n\n- you have to pay unreasonable service charges\n\n- the landlord has not complied with an approved code of management practice\n\nApply to a tribunal in England, or the Leasehold Valuation Tribunals in Wales.\n\nYou can only apply to the tribunal if you\u2019ve sent the landlord a \u2018Section 22 notice\u2019 - this gives them a chance to fix the problems. Contact Leasehold Advisory Service for advice.\n\n## Right to Manage\n\nThe Right to Manage lets you and the other leaseholders take over certain management responsibilities from the landlord without having to prove bad management.\n\nYou\u2019ll need to find out if you qualify - contact Leasehold Advisory Service for advice.\n\nYou and the other leaseholders can manage the building yourselves or pay a managing agent to do it.\n\n## Leasehold disputes\n\nThere is a different dispute process in Wales.\n\nYou can use a mediation service to help you and your landlord come to an agreement if you are in dispute about your lease. You might have to pay a fee.\n\nYou can also get free advice from the Leasehold Advisory Service (LAS) on issues like:\n\n- service charges\n\n- extending your lease\n\n- buying the freehold\n\n## Apply to a tribunal\n\nYou can apply to a tribunal if you\u2019re in a dispute with your landlord, for example:\n\n- service or administration charges\n\n- the cost of building insurance\n\n- appointment of a manager\n\n- Right to Manage\n\n- breach of a lease\n\n- varying a lease\n\n- recognising a tenants\u2019 association\n\n- buying the freehold\n\n- extending the lease\n\nApply to the Leasehold Valuation Tribunals if you\u2019re in Wales.", + "original_contents": [ + "

    Overview

    ", + "

    You only own a leasehold property for a fixed period of time.

    ", + "

    You\u2019ll have a legal agreement with the landlord (sometimes known as the \u2018freeholder\u2019) called a \u2018lease\u2019. This tells you how many years you\u2019ll own the property.

    ", + "

    Ownership of the property returns to the landlord when the lease comes to an end.

    ", + "

    Most flats are leasehold. Houses can be leasehold too and usually are if they\u2019re bought through a shared ownership scheme.

    ", + "

    The rules about leasehold property are different in Northern Ireland.

    ", + "

    Leaseholder rights and responsibilities

    ", + "

    Your responsibilities

    ", + "

    Your lease will tell you what conditions you\u2019ve agreed to, for example:

    ", + "
  • if you need permission to make alterations
  • ", + "
  • how much you\u2019ll have to pay to maintain the property
  • ", + "
  • whether you or your landlord has responsibility for repairs and dealing with noisy neighbours
  • ", + "

    You might be taken to court and be ordered to pay for any damage If you do not follow the conditions of the lease. The court may also take away your lease.

    ", + "

    Your rights

    ", + "

    You have the right to:

    ", + "
  • get information about service charges or insurance
  • ", + "
  • know the landlord\u2019s (freeholder\u2019s) name and address
  • ", + "
  • be consulted about certain maintenance and running costs
  • ", + "
  • challenge certain charges under some circumstances
  • ", + "

    Service charges and other expenses

    ", + "

    Service charges

    ", + "

    Your lease sets out the way the service charge is organised and what can be charged. If you pay a service charge, you have the right to:

    ", + "
  • ask for a summary showing how the charge is worked out and what it\u2019s spent on
  • ", + "
  • see any paperwork supporting the summary, such as receipts
  • ", + "

    Your landlord must give you this information - it\u2019s a criminal offence if they do not.

    ", + "

    Ground rent

    ", + "

    You do not have to pay ground rent unless your landlord has sent you a formal, written demand for it. They can take legal action if you do not pay after you\u2019ve received the demand.

    ", + "

    Your landlord can recover unpaid ground rent going back 6 years - they can ask you for the full amount in one go.

    ", + "

    Your landlord can only increase the ground rent if you agree to the increase or the lease says this can happen.

    ", + "

    Building insurance

    ", + "

    Your landlord will usually be responsible for insurance of the building (not the contents) - this will be part of your service charge.

    ", + "

    You have a right to:

    ", + "
  • ask for a summary of the insurance policy
  • ", + "
  • challenge the cost through a tribunal if you think it\u2019s unreasonable
  • ", + "

    Reserve or sinking funds

    ", + "

    You might have to pay into a fund to help cover any unexpected maintenance or repairs, like replacing the roof. There are rules about how landlords must manage these funds.

    ", + "

    You will not usually be able to get back any money you pay into them, for example if you move house.

    ", + "

    Consulting over charges

    ", + "

    You have the right to be consulted about charges for running or maintaining the building if you have to pay more than:

    ", + "
  • \u00a3250 for planned work
  • ", + "
  • \u00a3100 per year for work and services lasting more than 12 months
  • ", + "

    There are steps your landlord must follow when they consult you, known as a \u2018Section 20\u2019 consultation. There\u2019s a limit on how much you have to pay if you have not been consulted properly - contact Leasehold Advisory Service for advice.

    ", + "

    Disputing a charge

    ", + "

    You may be able to apply to a tribunal if you pay a charge and you:

    ", + "
  • think it\u2019s unreasonable
  • ", + "
  • think the standard of work it relates to is unsatisfactory
  • ", + "
  • do not think you should be paying it at all
  • ", + "

    Contact Leasehold Advisory Service for advice.

    ", + "

    You cannot apply to the tribunal if:

    ", + "
  • you\u2019ve agreed to pay the charge
  • ", + "
  • the dispute is already being dealt with, for example by the court
  • ", + "
  • you pay a fixed charge
  • ", + "

    Try mediation - you may also be able to change the management of your building instead.

    ", + "

    Your landlord can take you to court if you stop paying a charge you\u2019re responsible for.

    ", + "

    More information

    ", + "

    The Leasehold Advisory Service has more information on service charges and other issues.

    ", + "

    Extending, changing or ending a lease

    ", + "

    Extending the lease

    ", + "

    You can ask the landlord to extend your lease at any time.

    ", + "

    You might be able to extend your lease by:

    ", + "
  • 90 years on a flat if you qualify
  • ", + "
  • 50 years on a house if you qualify
  • ", + "

    The Leasehold Advisory Service\u2019s (LAS) lease extension calculator gives you a guide to the costs of extending the lease of a flat.

    ", + "

    Changing the lease

    ", + "

    You can negotiate certain changes to the lease, sometimes known as \u2018varying the lease\u2019. Speak to your landlord first.

    ", + "

    If you cannot agree, you may be able to apply to a tribunal - contact Leasehold Advisory Service for advice.

    ", + "

    Ending the lease

    ", + "

    It\u2019s very rare that a landlord can end the lease and evict you. There are some circumstances and leases that let them do this, sometimes known as \u2018forfeiture proceedings\u2019. They need to send you a formal written notice and get the court\u2019s permission.

    ", + "

    You can usually end a lease by giving at least 1 month\u2019s notice.

    ", + "

    The LAS has information about ending a lease.

    ", + "

    When the lease runs out

    ", + "

    You do not have to leave the property when the lease expires. In law, a lease is a tenancy and the leaseholder is a tenant. The tenancy will continue on exactly the same terms unless you or the landlord decide to end it.

    ", + "

    Buying the freehold

    ", + "

    You can ask the landlord to sell you the freehold at any time.

    ", + "

    There are different legal steps and rules depending on whether your home is a:

    ", + "
  • flat - you\u2019ll need to buy a share of the freehold
  • ", + "
  • house - you may have the right to buy the freehold
  • ", + "

    Right of first refusal

    ", + "

    Landlords who want to sell the freehold of a building containing flats usually have to offer the leaseholders the first chance to buy it. This is known as your right of first refusal.

    ", + "

    There are different rules and steps to buying the freehold of your home in Northern Ireland

    ", + "

    Right to Manage and management disputes

    ", + "

    You may be able to change the management of your building if you\u2019re unhappy with the way it\u2019s being run and you live in a leasehold flat. You can either:

    ", + "
  • ask a tribunal to appoint a new manager
  • ", + "
  • take over the management responsibilities, known as your \u2018Right to Manage\u2019
  • ", + "

    Appoint a new manager

    ", + "

    You must prove bad management if you want to appoint a new manager, for example:

    ", + "
  • you have to pay unreasonable service charges
  • ", + "
  • the landlord has not complied with an approved code of management practice
  • ", + "

    Apply to a tribunal in England, or the Leasehold Valuation Tribunals in Wales.

    ", + "

    You can only apply to the tribunal if you\u2019ve sent the landlord a \u2018Section 22 notice\u2019 - this gives them a chance to fix the problems. Contact Leasehold Advisory Service for advice.

    ", + "

    Right to Manage

    ", + "

    The Right to Manage lets you and the other leaseholders take over certain management responsibilities from the landlord without having to prove bad management.

    ", + "

    You\u2019ll need to find out if you qualify - contact Leasehold Advisory Service for advice.

    ", + "

    You and the other leaseholders can manage the building yourselves or pay a managing agent to do it.

    ", + "

    Leasehold disputes

    ", + "

    There is a different dispute process in Wales.

    ", + "

    You can use a mediation service to help you and your landlord come to an agreement if you are in dispute about your lease. You might have to pay a fee.

    ", + "

    You can also get free advice from the Leasehold Advisory Service (LAS) on issues like:

    ", + "
  • service charges
  • ", + "
  • extending your lease
  • ", + "
  • buying the freehold
  • ", + "

    Apply to a tribunal

    ", + "

    You can apply to a tribunal if you\u2019re in a dispute with your landlord, for example:

    ", + "
  • service or administration charges
  • ", + "
  • the cost of building insurance
  • ", + "
  • appointment of a manager
  • ", + "
  • Right to Manage
  • ", + "
  • breach of a lease
  • ", + "
  • varying a lease
  • ", + "
  • recognising a tenants\u2019 association
  • ", + "
  • buying the freehold
  • ", + "
  • extending the lease
  • ", + "

    Apply to the Leasehold Valuation Tribunals if you\u2019re in Wales.

    " + ] + }, + "https://www.gov.uk/private-renting": { + "url": "https://www.gov.uk/private-renting", + "title": "Private renting", + "content": "## Your rights and responsibilities\n\nYou have certain rights and responsibilities if you\u2019re a tenant in privately rented property.\n\n## Your rights\n\nAs a tenant, you have the right to:\n\n- live in a property that\u2019s safe and in a good state of repair\n\n- have your deposit returned when the tenancy ends - and in some circumstances have it protected\n\n- challenge excessively high charges\n\n- know who your landlord is\n\n- live in the property undisturbed\n\n- see an Energy Performance Certificate for the property\n\n- be protected from unfair eviction and unfair rent\n\n- have a written agreement if you have a fixed-term tenancy of more than 3 years\n\nIf you have a tenancy agreement, it should be fair and comply with the law.\n\nIf you do not know who your landlord is, write to the person or company you pay rent to. Your landlord can be fined If they do not give you this information within 21 days.\n\n## When you start a new tenancy\n\nWhen you start a new assured or short assured tenancy, your landlord must give you:\n\n- a copy of the How to rent guide if you live in England\n\n- a tenant information pack if you live in Scotland\n\n## Your responsibilities\n\nYou should give your landlord access to the property to inspect it or carry out repairs. Your landlord has to give you at least 24 hours\u2019 notice and visit at a reasonable time of day, unless it\u2019s an emergency and they need immediate access.\n\nCoronavirus has not changed these rules, so you should work with your landlord to make sure that any visits are for an urgent reason (for example, you do not have hot water, heating or toilet facilities). Follow NHS guidelines if the visit must happen.\n\nYou can read the coronavirus and renting guidance for tenants and landlords.\n\nYou must also:\n\n- take good care of the property, for example turn off the water at the mains if you\u2019re away in cold weather\n\n- pay the agreed rent, even if repairs are needed or you\u2019re in dispute with your landlord\n\n- pay other charges as agreed with the landlord, for example Council Tax or utility bills\n\n- repair or pay for any damage caused by you, your family or friends\n\n- only sublet a property if the tenancy agreement or your landlord allows it\n\nCoronavirus has not changed your responsibilities - continue to pay rent to the best of your ability and speak to your landlord if you cannot.\n\nYour landlord has the right to take legal action to evict you if you do not meet your responsibilities.\n\n## If your landlord lives outside the UK\n\nContact HM Revenue and Customs (HMRC) if your landlord lives outside the UK and you pay \u00a3100 or more a week in rent directly to them.\n\nYou may have to deduct tax from your rent under HMRC\u2019s \u2018non-resident landlord scheme\u2019.\n\n## Document checks\n\nYou must prove that you have a right to rent property in England if you\u2019re:\n\n- starting a tenancy on or after 1 February 2016.\n\n- renting it as your main home.\n\n## Exemptions\n\nYou will not have to prove your right to rent if you live in:\n\n- student accommodation, for example halls of residence\n\n- accommodation provided by your employer as part of your job or training\n\n- social housing\n\n- accommodation provided by the council\n\n- hostels and refuges\n\n- a care home, hospital or hospice\n\n- accommodation with a lease of 7 or more years\n\nCheck the full list of exemptions from the right to rent property checks.\n\n## What your landlord must do\n\nYour landlord (or letting agent) must:\n\n- check your documents to make sure you have the right to rent a property in England\n\n- check the documents of any other adults living in the property\n\n- make copies of your documents and keep them until you leave the property\n\n- return your original documents to you once they\u2019ve finished the check\n\nBecause of coronavirus (COVID-19) there are temporary changes to the way your landlord can check documents. They might ask you to share your documents digitally and do the checks on a video call.\n\nRead the list of acceptable documents.\n\nYour landlord must not discriminate against you, for example because of your nationality.\n\n## If you cannot prove your right to rent\n\nYou will not be able to rent property if you cannot provide the acceptable documents.\n\n## If the Home Office has your documents\n\nIf the Home Office has your documents because of an outstanding case or appeal, ask your landlord to check with the Home Office.\n\nGive your landlord your Home Office reference number to do the check.\n\n## If your circumstances mean you can still rent in the UK\n\nIn some circumstances, you can still rent even if you are not allowed to stay in the UK, for example if you\u2019re:\n\n- a victim of slavery\n\n- using the Home Office\u2019s voluntary departure scheme\n\nCheck with the Home Office team that\u2019s dealing with your case.\n\nYour landlord will have to check with the Home Office.\n\n## Repeat checks\n\nYou will not have a further check if you stay in the same property and one of the following applies:\n\n- you\u2019re British\n\n- you\u2019re an EU, EEA or Swiss citizen\n\n- you have no time limit on your right to stay in the UK\n\nYour landlord will have to make a repeat check if there\u2019s a time limit on your right to stay in the UK.\n\nYour landlord will ask to see your documents again just before your permission to stay runs out, or after 12 months, whichever is longer.\n\n## Your landlord's safety responsibilities\n\nYour landlord must keep the property you live in safe and free from health hazards.\n\nCoronavirus has not changed these rules, so you should work with your landlord to make sure that any necessary checks happen safely. Follow NHS guidelines if a visit must happen in person.\n\n## Gas safety\n\nYour landlord must:\n\n- make sure gas equipment they supply is safely installed and maintained by a Gas Safe registered engineer\n\n- have a registered engineer do an annual gas safety check on each appliance and flue\n\n- give you a copy of the gas safety check record before you move in, or within 28 days of the check\n\n## Electrical safety\n\nYour landlord must make sure:\n\n- the electrical system is safe, for example sockets and light fittings\n\n- all appliances they supply are safe, for example cookers and kettles\n\n## Fire safety\n\nYour landlord must:\n\n- follow safety regulations\n\n- provide a smoke alarm on each storey and a carbon monoxide alarm in any room with a solid fuel burning appliance (for example a coal fire or wood burning stove)\n\n- check you have access to escape routes at all times\n\n- make sure the furniture and furnishings they supply are fire safe\n\n- provide fire alarms and extinguishers if the property is a large house in multiple occupation (HMO)\n\n## Repairs\n\n## What your landlord must do\n\nYour landlord is always responsible for repairs to:\n\n- the property\u2019s structure and exterior\n\n- basins, sinks, baths and other sanitary fittings including pipes and drains\n\n- heating and hot water\n\n- gas appliances, pipes, flues and ventilation\n\n- electrical wiring\n\n- any damage they cause by attempting repairs\n\nYour landlord is usually responsible for repairing common areas, for example staircases in blocks of flats. Check your tenancy agreement if you\u2019re unsure.\n\n## Your responsibilities\n\nYou should only carry out repairs if the tenancy agreement says you can.\n\nYou cannot be forced to do repairs that are your landlord\u2019s responsibility.\n\nIf you damage another tenant\u2019s flat, for example if water leaks into another flat from an overflowing bath, you\u2019re responsible for paying for the repairs. You\u2019re also responsible for paying to put right any damage caused by your family and friends.\n\n## If your property needs repairs\n\nContact your landlord if you think repairs are needed. Do this straight away for faults that could damage health, for example faulty electrical wiring.\n\nYour landlord should tell you when you can expect the repairs to be done. You should carry on paying rent while you\u2019re waiting.\n\nCoronavirus has not changed these rules, so you should work with your landlord to make sure that any urgent repairs happen safely. Follow NHS guidelines if the repair must happen.\n\n## If repairs are not done\n\nContact the environmental health department at your local council for help. They must take action if they think the problems could harm you or cause a nuisance to others.\n\nContact the Private Rented Housing Panel (PRHP) if you\u2019re in Scotland.\n\n## If your house is not fit to live in\n\nIf you think your home\u2019s unsafe, contact housing department at your local council. They\u2019ll do a Housing Health and Safety Rating System (HHSRS) assessment and must take action if they think your home has serious health and safety hazards.\n\nThere are different:\n\n- housing standards and procedures in Scotland\n\n- housing standards and procedures in Northern Ireland\n\n## Rent increases\n\nYour tenancy agreement should include how and when the rent will be reviewed.\n\nThere are special rules for increasing protected (sometimes known as \u2018regulated\u2019) tenancy rents.\n\n## When your landlord can increase rent\n\nFor a periodic tenancy (rolling on a week-by-week or month-by-month basis) your landlord cannot normally increase the rent more than once a year without your agreement.\n\nFor a fixed-term tenancy (running for a set period) your landlord can only increase the rent if you agree. If you do not agree, the rent can only be increased when the fixed term ends.\n\n## General rules around rent increases\n\nFor any tenancy:\n\n- your landlord must get your permission if they want to increase the rent by more than previously agreed\n\n- the rent increase must be fair and realistic, which means in line with average local rents\n\n## How your landlord must propose a rent increase\n\nIf the tenancy agreement lays down a procedure for increasing rent, your landlord must stick to this. Otherwise, your landlord can:\n\n- renew your tenancy agreement at the end of the fixed term, but with an increased rent\n\n- agree a rent increase with you and produce a written record of the agreement that you both sign\n\n- use a \u2018Landlord\u2019s notice proposing a new rent\u2019 form, which increases the rent after the fixed term has ended\n\nYour landlord must give you a minimum of one month\u2019s notice (if you pay rent weekly or monthly). If you have a yearly tenancy, they must give you 6 months\u2019 notice.\n\n## Rent disputes\n\nYou can apply to a tribunal to decide on certain rent disputes in England.\n\nThere are different ways to:\n\n- solve rent disputes in Scotland\n\n- solve rent disputes in Wales\n\n- solve rent disputes in Northern Ireland\n\n## Rent increase\n\nYou can only apply to the tribunal if:\n\n- you have an assured or assured shorthold tenancy\n\n- your rent\u2019s been increased as part of a \u2018section 13 procedure\u2019 - the letter from your landlord will say if it has, and will tell you more about applying to the tribunal\n\nYou must apply before the new rent is due to start.\n\n## New rental terms\n\nYou can ask the tribunal to decide new rental terms when you renew your tenancy.\n\n## Rent set by rent officer\n\nContact the Valuation Office Agency if you have a regulated or protected tenancy.\n\nIf a rent officer has set your rent before, the only way to increase it is to have a rent officer set a new rent. If a rent officer has not set your rent before, they can set a rent limit. The landlord cannot charge more.\n\nYou can appeal against a rent officer\u2019s decision. They may pass your case to a tribunal, which can make a final decision on the rent.\n\n## If you think your rent is high when you start a tenancy\n\nYou may be able to apply to the tribunal. Contact Citizens Advice for advice.\n\nYou must apply within 6 weeks of moving in.\n\n## Rent arrears\n\nYour landlord can evict you if you fall behind with your rent - you could lose your home.\n\nCoronavirus (COVID-19) has not changed this, but there are new rules that mean your landlord must give you at least 6 months\u2019 notice if they plan to evict you, unless you owe at least 6 months\u2019 rent. Read the coronavirus and renting guidance for tenants and landlords.\n\nIf you are unable to pay your rent due to coronavirus, speak to your landlord as soon as possible.\n\nYou can get advice if you\u2019re in rent arrears or having difficulty paying your rent from:\n\n- Money Advice Service\n\n- Shelter\n\n- Citizens Advice\n\n## Deposits\n\nYou may have to pay a deposit before you move in. Contact your local council about possible rent or deposit guarantee schemes if you\u2019re having difficulty paying the deposit.\n\n## Deposit protection\n\nYour landlord must put your deposit in a government-approved tenancy deposit protection scheme if you have an assured shorthold tenancy (AST) that started after 6 April 2007 (in England and Wales).\n\n## Deposit disputes\n\nContact the tenancy deposit protection scheme your landlord used if you cannot get your deposit back.\n\n## Houses in multiple occupation\n\nYour home is a house in multiple occupation (HMO) if both of the following apply:\n\n- at least 3 tenants live there, forming more than 1 household\n\n- you share toilet, bathroom or kitchen facilities with other tenants\n\nYour home is a large HMO if both of the following apply:\n\n- at least 5 tenants live there, forming more than 1 household\n\n- you share toilet, bathroom or kitchen facilities with other tenants\n\nA household is either a single person or members of the same family who live together. A family includes people who are:\n\n- married or living together - including people in same-sex relationships\n\n- relatives or half-relatives, for example grandparents, aunts, uncles, siblings\n\n- step-parents and step-children\n\n## Standards, obligations and how to complain\n\nIf you live in a large HMO, your landlord must meet certain standards and obligations. Find out more about HMOs from Shelter.\n\nContact your local council to report hazards in your HMO. The council is responsible for enforcing HMO standards and can make a landlord take action to correct any problems.\n\n## Reclaim rent\n\nAll large HMOs need a licence from the local council.\n\nYou may be able to apply to a tribunal to reclaim some of your rent if your landlord has been prosecuted by the council for running an unlicensed HMO.\n\n## HMOs and coronavirus (COVID-19)\n\nIf you live in an HMO, you and all the other residents should:\n\n- follow the general guidance about staying at home and social distancing\n\n- behave in the same way as a single household if one of you has symptoms of coronavirus (COVID-19)\n\n- make sure all shared areas are cleaned regularly and kept well ventilated\n\n## Anti-social behaviour\n\nReport anti-social behaviour to your local council.\n\nYour council can take over the management of a property to stop anti-social behaviour.\n\nIt can also create a \u2018selective licensing scheme\u2019 if people in several houses in an area are behaving anti-socially. All landlords of properties in that area must then have a licence to show they\u2019re meeting minimum standards.\n\n## Changes to a regulated tenancy\n\nThere are special rules for changing rents and terms for regulated tenancies (usually starting before 15 January 1989).\n\n## When your landlord can increase rent\n\nYour landlord can only increase the rent up to the registered rent, which is the legal maximum set by a rent officer from the Valuation Office Agency (VOA). This is sometimes called \u2018fair rent\u2019.\n\nCheck the register of rents to find out if the rent is registered and how much it is.\n\nYou or your landlord can ask the VOA to review the rent so that it remains fair, usually every 2 years. You can request it sooner if there\u2019s a major change to the home (for example, repairs or improvements).\n\nFill in the fair rent review form and send it to the address on the form.\n\n## If your rent increases\n\nYour landlord must serve you a notice of increase of rent in writing. It must include details of the changes, for example how much the rent will increase by and when it will start.\n\nYour landlord can do this with an official notice of increase form, which they can get from legal stationers.\n\nAn increase in rent may be backdated to the date of the notice, but it cannot be backdated by more than 4 weeks or to earlier than the date it\u2019s registered.\n\n## If you think a registered rent increase is too high\n\nYou can appeal against the VOA\u2019s decision to increase a registered rent by writing to the rent officer within 28 days of receiving it. You can appeal later but only if you have a good reason for the delay, for example if you\u2019ve been in hospital.\n\nThe registered rent may be reconsidered by a tribunal - it will make a final decision on the rent limit for the property.\n\n## Cancel a registered rent\n\nDownload and fill in an application form to cancel a registered rent and send it to the address on the form (for example, if the tenancy stops being regulated, or you and your landlord agree to cancel it).\n\nIt may take up to 6 weeks to cancel a registered rent.\n\n## Complaints\n\nFollow these steps if you have a problem with your landlord:\n\n- Complain to your landlord - they should have a complaints policy that you can follow.\n\n- Make a complaint to a \u2018designated person\u2019 (your MP, a local councillor or a tenant panel) if you cannot resolve the problem with your landlord.\n\n- Contact your council or local authority if you and your landlord still cannot resolve the problem.", + "original_contents": [ + "

    Your rights and responsibilities

    ", + "

    You have certain rights and responsibilities if you\u2019re a tenant in privately rented property.

    ", + "

    Your rights

    ", + "

    As a tenant, you have the right to:

    ", + "
  • live in a property that\u2019s safe and in a good state of repair
  • ", + "
  • have your deposit returned when the tenancy ends - and in some circumstances have it protected
  • ", + "
  • challenge excessively high charges
  • ", + "
  • know who your landlord is
  • ", + "
  • live in the property undisturbed
  • ", + "
  • see an Energy Performance Certificate for the property
  • ", + "
  • be protected from unfair eviction and unfair rent
  • ", + "
  • have a written agreement if you have a fixed-term tenancy of more than 3 years
  • ", + "

    If you have a tenancy agreement, it should be fair and comply with the law.

    ", + "

    If you do not know who your landlord is, write to the person or company you pay rent to. Your landlord can be fined If they do not give you this information within 21 days.

    ", + "

    When you start a new tenancy

    ", + "

    When you start a new assured or short assured tenancy, your landlord must give you:

    ", + "
  • a copy of the How to rent guide if you live in England
  • ", + "
  • a tenant information pack if you live in Scotland
  • ", + "

    Your responsibilities

    ", + "

    You should give your landlord access to the property to inspect it or carry out repairs. Your landlord has to give you at least 24 hours\u2019 notice and visit at a reasonable time of day, unless it\u2019s an emergency and they need immediate access.

    ", + "

    Coronavirus has not changed these rules, so you should work with your landlord to make sure that any visits are for an urgent reason (for example, you do not have hot water, heating or toilet facilities). Follow NHS guidelines if the visit must happen.

    ", + "

    You can read the coronavirus and renting guidance for tenants and landlords.

    ", + "

    You must also:

    ", + "
  • take good care of the property, for example turn off the water at the mains if you\u2019re away in cold weather
  • ", + "
  • pay the agreed rent, even if repairs are needed or you\u2019re in dispute with your landlord
  • ", + "
  • pay other charges as agreed with the landlord, for example Council Tax or utility bills
  • ", + "
  • repair or pay for any damage caused by you, your family or friends
  • ", + "
  • only sublet a property if the tenancy agreement or your landlord allows it
  • ", + "

    Coronavirus has not changed your responsibilities - continue to pay rent to the best of your ability and speak to your landlord if you cannot.

    ", + "

    Your landlord has the right to take legal action to evict you if you do not meet your responsibilities.

    ", + "

    If your landlord lives outside the UK

    ", + "

    Contact HM Revenue and Customs (HMRC) if your landlord lives outside the UK and you pay \u00a3100 or more a week in rent directly to them.

    ", + "

    You may have to deduct tax from your rent under HMRC\u2019s \u2018non-resident landlord scheme\u2019.

    ", + "

    Document checks

    ", + "

    You must prove that you have a right to rent property in England if you\u2019re:

    ", + "
  • starting a tenancy on or after 1 February 2016.
  • ", + "
  • renting it as your main home.
  • ", + "

    Exemptions

    ", + "

    You will not have to prove your right to rent if you live in:

    ", + "
  • student accommodation, for example halls of residence
  • ", + "
  • accommodation provided by your employer as part of your job or training
  • ", + "
  • social housing
  • ", + "
  • accommodation provided by the council
  • ", + "
  • hostels and refuges
  • ", + "
  • a care home, hospital or hospice
  • ", + "
  • accommodation with a lease of 7 or more years
  • ", + "

    Check the full list of exemptions from the right to rent property checks.

    ", + "

    What your landlord must do

    ", + "

    Your landlord (or letting agent) must:

    ", + "
  • check your documents to make sure you have the right to rent a property in England
  • ", + "
  • check the documents of any other adults living in the property
  • ", + "
  • make copies of your documents and keep them until you leave the property
  • ", + "
  • return your original documents to you once they\u2019ve finished the check
  • ", + "

    Because of coronavirus (COVID-19) there are temporary changes to the way your landlord can check documents. They might ask you to share your documents digitally and do the checks on a video call.

    ", + "

    Read the list of acceptable documents.

    ", + "

    Your landlord must not discriminate against you, for example because of your nationality.

    ", + "

    If you cannot prove your right to rent

    ", + "

    You will not be able to rent property if you cannot provide the acceptable documents.

    ", + "

    If the Home Office has your documents

    ", + "

    If the Home Office has your documents because of an outstanding case or appeal, ask your landlord to check with the Home Office.

    ", + "

    Give your landlord your Home Office reference number to do the check.

    ", + "

    If your circumstances mean you can still rent in the UK

    ", + "

    In some circumstances, you can still rent even if you are not allowed to stay in the UK, for example if you\u2019re:

    ", + "
  • a victim of slavery
  • ", + "
  • using the Home Office\u2019s voluntary departure scheme
  • ", + "

    Check with the Home Office team that\u2019s dealing with your case.

    ", + "

    Your landlord will have to check with the Home Office.

    ", + "

    Repeat checks

    ", + "

    You will not have a further check if you stay in the same property and one of the following applies:

    ", + "
  • you\u2019re British
  • ", + "
  • you\u2019re an EU, EEA or Swiss citizen
  • ", + "
  • you have no time limit on your right to stay in the UK
  • ", + "

    Your landlord will have to make a repeat check if there\u2019s a time limit on your right to stay in the UK.

    ", + "

    Your landlord will ask to see your documents again just before your permission to stay runs out, or after 12 months, whichever is longer.

    ", + "

    Your landlord's safety responsibilities

    ", + "

    Your landlord must keep the property you live in safe and free from health hazards.

    ", + "

    Coronavirus has not changed these rules, so you should work with your landlord to make sure that any necessary checks happen safely. Follow NHS guidelines if a visit must happen in person.

    ", + "

    Gas safety

    ", + "

    Your landlord must:

    ", + "
  • make sure gas equipment they supply is safely installed and maintained by a Gas Safe registered engineer
  • ", + "
  • have a registered engineer do an annual gas safety check on each appliance and flue
  • ", + "
  • give you a copy of the gas safety check record before you move in, or within 28 days of the check
  • ", + "

    Electrical safety

    ", + "

    Your landlord must make sure:

    ", + "
  • the electrical system is safe, for example sockets and light fittings
  • ", + "
  • all appliances they supply are safe, for example cookers and kettles
  • ", + "

    Fire safety

    ", + "

    Your landlord must:

    ", + "
  • follow safety regulations
  • ", + "
  • provide a smoke alarm on each storey and a carbon monoxide alarm in any room with a solid fuel burning appliance (for example a coal fire or wood burning stove)
  • ", + "
  • check you have access to escape routes at all times
  • ", + "
  • make sure the furniture and furnishings they supply are fire safe
  • ", + "
  • provide fire alarms and extinguishers if the property is a large house in multiple occupation (HMO)
  • ", + "

    Repairs

    ", + "

    What your landlord must do

    ", + "

    Your landlord is always responsible for repairs to:

    ", + "
  • the property\u2019s structure and exterior
  • ", + "
  • basins, sinks, baths and other sanitary fittings including pipes and drains
  • ", + "
  • heating and hot water
  • ", + "
  • gas appliances, pipes, flues and ventilation
  • ", + "
  • electrical wiring
  • ", + "
  • any damage they cause by attempting repairs
  • ", + "

    Your landlord is usually responsible for repairing common areas, for example staircases in blocks of flats. Check your tenancy agreement if you\u2019re unsure.

    ", + "

    Your responsibilities

    ", + "

    You should only carry out repairs if the tenancy agreement says you can.

    ", + "

    You cannot be forced to do repairs that are your landlord\u2019s responsibility.

    ", + "

    If you damage another tenant\u2019s flat, for example if water leaks into another flat from an overflowing bath, you\u2019re responsible for paying for the repairs. You\u2019re also responsible for paying to put right any damage caused by your family and friends.

    ", + "

    If your property needs repairs

    ", + "

    Contact your landlord if you think repairs are needed. Do this straight away for faults that could damage health, for example faulty electrical wiring.

    ", + "

    Your landlord should tell you when you can expect the repairs to be done. You should carry on paying rent while you\u2019re waiting.

    ", + "

    Coronavirus has not changed these rules, so you should work with your landlord to make sure that any urgent repairs happen safely. Follow NHS guidelines if the repair must happen.

    ", + "

    If repairs are not done

    ", + "

    Contact the environmental health department at your local council for help. They must take action if they think the problems could harm you or cause a nuisance to others.

    ", + "

    Contact the Private Rented Housing Panel (PRHP) if you\u2019re in Scotland.

    ", + "

    If your house is not fit to live in

    ", + "

    If you think your home\u2019s unsafe, contact housing department at your local council. They\u2019ll do a Housing Health and Safety Rating System (HHSRS) assessment and must take action if they think your home has serious health and safety hazards.

    ", + "

    There are different:

    ", + "
  • housing standards and procedures in Scotland
  • ", + "
  • housing standards and procedures in Northern Ireland
  • ", + "

    Rent increases

    ", + "

    Your tenancy agreement should include how and when the rent will be reviewed.

    ", + "

    There are special rules for increasing protected (sometimes known as \u2018regulated\u2019) tenancy rents.

    ", + "

    When your landlord can increase rent

    ", + "

    For a periodic tenancy (rolling on a week-by-week or month-by-month basis) your landlord cannot normally increase the rent more than once a year without your agreement.

    ", + "

    For a fixed-term tenancy (running for a set period) your landlord can only increase the rent if you agree. If you do not agree, the rent can only be increased when the fixed term ends.

    ", + "

    General rules around rent increases

    ", + "

    For any tenancy:

    ", + "
  • your landlord must get your permission if they want to increase the rent by more than previously agreed
  • ", + "
  • the rent increase must be fair and realistic, which means in line with average local rents
  • ", + "

    How your landlord must propose a rent increase

    ", + "

    If the tenancy agreement lays down a procedure for increasing rent, your landlord must stick to this. Otherwise, your landlord can:

    ", + "
  • renew your tenancy agreement at the end of the fixed term, but with an increased rent
  • ", + "
  • agree a rent increase with you and produce a written record of the agreement that you both sign
  • ", + "
  • use a \u2018Landlord\u2019s notice proposing a new rent\u2019 form, which increases the rent after the fixed term has ended
  • ", + "

    Your landlord must give you a minimum of one month\u2019s notice (if you pay rent weekly or monthly). If you have a yearly tenancy, they must give you 6 months\u2019 notice.

    ", + "

    Rent disputes

    ", + "

    You can apply to a tribunal to decide on certain rent disputes in England.

    ", + "

    There are different ways to:

    ", + "
  • solve rent disputes in Scotland
  • ", + "
  • solve rent disputes in Wales
  • ", + "
  • solve rent disputes in Northern Ireland
  • ", + "

    Rent increase

    ", + "

    You can only apply to the tribunal if:

    ", + "
  • you have an assured or assured shorthold tenancy
  • ", + "
  • your rent\u2019s been increased as part of a \u2018section 13 procedure\u2019 - the letter from your landlord will say if it has, and will tell you more about applying to the tribunal
  • ", + "

    You must apply before the new rent is due to start.

    ", + "

    New rental terms

    ", + "

    You can ask the tribunal to decide new rental terms when you renew your tenancy.

    ", + "

    Rent set by rent officer

    ", + "

    Contact the Valuation Office Agency if you have a regulated or protected tenancy.

    ", + "

    If a rent officer has set your rent before, the only way to increase it is to have a rent officer set a new rent. If a rent officer has not set your rent before, they can set a rent limit. The landlord cannot charge more.

    ", + "

    You can appeal against a rent officer\u2019s decision. They may pass your case to a tribunal, which can make a final decision on the rent.

    ", + "

    If you think your rent is high when you start a tenancy

    ", + "

    You may be able to apply to the tribunal. Contact Citizens Advice for advice.

    ", + "

    You must apply within 6 weeks of moving in.

    ", + "

    Rent arrears

    ", + "

    Your landlord can evict you if you fall behind with your rent - you could lose your home.

    ", + "

    Coronavirus (COVID-19) has not changed this, but there are new rules that mean your landlord must give you at least 6 months\u2019 notice if they plan to evict you, unless you owe at least 6 months\u2019 rent. Read the coronavirus and renting guidance for tenants and landlords.

    ", + "

    If you are unable to pay your rent due to coronavirus, speak to your landlord as soon as possible.

    ", + "

    You can get advice if you\u2019re in rent arrears or having difficulty paying your rent from:

    ", + "
  • Money Advice Service
  • ", + "
  • Shelter
  • ", + "
  • Citizens Advice
  • ", + "

    Deposits

    ", + "

    You may have to pay a deposit before you move in. Contact your local council about possible rent or deposit guarantee schemes if you\u2019re having difficulty paying the deposit.

    ", + "

    Deposit protection

    ", + "

    Your landlord must put your deposit in a government-approved tenancy deposit protection scheme if you have an assured shorthold tenancy (AST) that started after 6 April 2007 (in England and Wales).

    ", + "

    Deposit disputes

    ", + "

    Contact the tenancy deposit protection scheme your landlord used if you cannot get your deposit back.

    ", + "

    Houses in multiple occupation

    ", + "

    Your home is a house in multiple occupation (HMO) if both of the following apply:

    ", + "
  • at least 3 tenants live there, forming more than 1 household
  • ", + "
  • you share toilet, bathroom or kitchen facilities with other tenants
  • ", + "

    Your home is a large HMO if both of the following apply:

    ", + "
  • at least 5 tenants live there, forming more than 1 household
  • ", + "
  • you share toilet, bathroom or kitchen facilities with other tenants
  • ", + "

    A household is either a single person or members of the same family who live together. A family includes people who are:

    ", + "
  • married or living together - including people in same-sex relationships
  • ", + "
  • relatives or half-relatives, for example grandparents, aunts, uncles, siblings
  • ", + "
  • step-parents and step-children
  • ", + "

    Standards, obligations and how to complain

    ", + "

    If you live in a large HMO, your landlord must meet certain standards and obligations. Find out more about HMOs from Shelter.

    ", + "

    Contact your local council to report hazards in your HMO. The council is responsible for enforcing HMO standards and can make a landlord take action to correct any problems.

    ", + "

    Reclaim rent

    ", + "

    All large HMOs need a licence from the local council.

    ", + "

    You may be able to apply to a tribunal to reclaim some of your rent if your landlord has been prosecuted by the council for running an unlicensed HMO.

    ", + "

    HMOs and coronavirus (COVID-19)

    ", + "

    If you live in an HMO, you and all the other residents should:

    ", + "
  • follow the general guidance about staying at home and social distancing
  • ", + "
  • behave in the same way as a single household if one of you has symptoms of coronavirus (COVID-19)
  • ", + "
  • make sure all shared areas are cleaned regularly and kept well ventilated
  • ", + "

    Anti-social behaviour

    ", + "

    Report anti-social behaviour to your local council.

    ", + "

    Your council can take over the management of a property to stop anti-social behaviour.

    ", + "

    It can also create a \u2018selective licensing scheme\u2019 if people in several houses in an area are behaving anti-socially. All landlords of properties in that area must then have a licence to show they\u2019re meeting minimum standards.

    ", + "

    Changes to a regulated tenancy

    ", + "

    There are special rules for changing rents and terms for regulated tenancies (usually starting before 15 January 1989).

    ", + "

    When your landlord can increase rent

    ", + "

    Your landlord can only increase the rent up to the registered rent, which is the legal maximum set by a rent officer from the Valuation Office Agency (VOA). This is sometimes called \u2018fair rent\u2019.

    ", + "

    Check the register of rents to find out if the rent is registered and how much it is.

    ", + "

    You or your landlord can ask the VOA to review the rent so that it remains fair, usually every 2 years. You can request it sooner if there\u2019s a major change to the home (for example, repairs or improvements).

    ", + "

    Fill in the fair rent review form and send it to the address on the form.

    ", + "

    If your rent increases

    ", + "

    Your landlord must serve you a notice of increase of rent in writing. It must include details of the changes, for example how much the rent will increase by and when it will start.

    ", + "

    Your landlord can do this with an official notice of increase form, which they can get from legal stationers.

    ", + "

    An increase in rent may be backdated to the date of the notice, but it cannot be backdated by more than 4 weeks or to earlier than the date it\u2019s registered.

    ", + "

    If you think a registered rent increase is too high

    ", + "

    You can appeal against the VOA\u2019s decision to increase a registered rent by writing to the rent officer within 28 days of receiving it. You can appeal later but only if you have a good reason for the delay, for example if you\u2019ve been in hospital.

    ", + "

    The registered rent may be reconsidered by a tribunal - it will make a final decision on the rent limit for the property.

    ", + "

    Cancel a registered rent

    ", + "

    Download and fill in an application form to cancel a registered rent and send it to the address on the form (for example, if the tenancy stops being regulated, or you and your landlord agree to cancel it).

    ", + "

    It may take up to 6 weeks to cancel a registered rent.

    ", + "

    Complaints

    ", + "

    Follow these steps if you have a problem with your landlord:

    ", + "
  • Complain to your landlord - they should have a complaints policy that you can follow.
  • ", + "
  • Make a complaint to a \u2018designated person\u2019 (your MP, a local councillor or a tenant panel) if you cannot resolve the problem with your landlord.
  • ", + "
  • Contact your council or local authority if you and your landlord still cannot resolve the problem.
  • " + ] + }, + "https://www.gov.uk/private-renting-tenancy-agreements": { + "url": "https://www.gov.uk/private-renting-tenancy-agreements", + "title": "Private renting for tenants: tenancy agreements", + "content": "## Overview\n\nA tenancy agreement is a contract between you and a landlord.\n\nIt lets you live in a property as long as you pay rent and follow the rules. It also sets out the legal terms and conditions of your tenancy. It can be written down or oral (a spoken agreement).\n\nA tenancy can either be:\n\n- fixed-term (running for a set period of time)\n\n- periodic (running on a week-by-week or month-by-month basis)\n\n## Rights and responsibilities\n\nBoth you and your landlord have certain rights and responsibilities, whether or not you have a tenancy agreement.\n\n## Tenancy types\n\n## Assured shorthold tenancies (ASTs)\n\nThe most common form of tenancy is an AST. Most new tenancies are automatically this type.\n\nA tenancy can be an AST if all of the following apply:\n\n- the property you rent is private\n\n- your tenancy started on or after 15 January 1989\n\n- the property is your main accommodation\n\n- your landlord does not live in the property\n\nA tenancy cannot be an AST if:\n\n- it began or was agreed before 15 January 1989\n\n- the rent is more than \u00a3100,000 a year\n\n- the rent is less than \u00a3250 a year (less than \u00a31,000 in London)\n\n- it\u2019s a business tenancy or tenancy of licensed premises\n\n- the property is a holiday let\n\n- your landlord is a local council\n\n## Other tenancies\n\nThere are other tenancies that are not as common as ASTs, including:\n\n## Excluded tenancies or licences\n\nYou may have an excluded tenancy or licence if you lodge with your landlord and share rooms with them, like a kitchen or bathroom. You\u2019ll usually have less protection from eviction with this type of agreement.\n\n## Assured tenancies\n\nTenancies starting between 15 January 1989 and 27 February 1997 may be assured. You\u2019ll have increased protection from eviction with this type of agreement.\n\n## Regulated tenancies\n\nTenancies starting before 15 January 1989 may be regulated. You\u2019ll have increased protection from eviction and can apply for a \u2018fair rent\u2019.\n\nShelter has information on the different types of private tenancies and a tenancy checker so you can check which tenancy you have.\n\n## What should be in a tenancy agreement\n\nA tenancy agreement should include:\n\n- the names of all people involved\n\n- the rental price and how it\u2019s paid\n\n- information on how and when the rent will be reviewed\n\n- the deposit amount and how it will be protected\n\n- details of when the deposit can be fully or partly withheld (for example to repair damage you\u2019ve caused)\n\n- the property address\n\n- the start and end date of the tenancy\n\n- any tenant or landlord obligations\n\n- an outline of bills you\u2019re responsible for\n\nIt can also include information on:\n\n- whether the tenancy can be ended early and how this can be done\n\n- who\u2019s responsible for minor repairs (other than those that the landlord is legally responsible for)\n\n- whether the property can be let to someone else (sublet) or have lodgers\n\nThe terms of the tenancy must be fair and comply with the law.\n\nYour tenancy agreement cannot have anything in it that may indirectly discriminate against you.\n\nGet legal advice before signing an agreement if you\u2019re unsure of any terms. Once you\u2019re happy with it, sign the agreement and get a copy of it.\n\nCitizens Advice has a guide on tenancy agreements.\n\n## Changes to tenancy agreements\n\nBoth you and your landlord must agree in order to change the terms of the tenancy agreement.\n\n## Preventing discrimination\n\nYou cannot be discriminated against or harassed by your landlord because of:\n\n- age\n\n- gender\n\n- sexual orientation\n\n- disability (or because of something connected with your disability)\n\n- religion or belief\n\n- race\n\n- being a transgender person\n\n- being pregnant or having a baby\n\n## How to end your tenancy\n\n## Tenancies\n\nYou can read the guidance on moving house during the coronavirus outbreak.\n\nYour tenancy agreement should say how much notice you need to give your landlord before you leave the property.\n\nYou\u2019re responsible for paying rent for your entire fixed-term tenancy. You can move out early without paying rent for the full tenancy if:\n\n- there is a break clause in your tenancy agreement\n\n- your landlord agrees to end the tenancy early\n\nShelter has information about ending a tenancy.\n\n## Licence agreements\n\nIf your licence automatically runs out after a specific date and you want to end the agreement, you should let your landlord know this before your licence runs out.\n\n## If your landlord wants to end your tenancy\n\nIf your landlord wants you to leave, they must give you notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.\n\nSome rules about length of notice have changed because of coronavirus (COVID-19).\n\n## Assured shorthold tenancies (ASTs)\n\nYour landlord can take back their property without giving any reason if you have either:\n\n- a periodic tenancy\n\n- a fixed-term tenancy that has ended\n\nTo do this, both of the following must apply:\n\n- they\u2019ve protected your deposit in a deposit protection scheme\n\n- the date you must leave is at least 6 months after your original tenancy began (the one you had on first moving in)\n\n## How much notice your landlord must give\n\nThey must give you written notice that they want the property back (\u2018notice to quit\u2019). They must give you:\n\n- 2 months if they gave you notice before 26 March 2020\n\n- 3 months if they gave you notice between 26 March 2020 and 28 August 2020\n\n- 6 months if they gave you notice on or after 29 August 2020\n\nThis change is because of coronavirus.\n\nThe notice must tell you the date you have to leave.\n\n## If your tenancy started or was renewed after 1 October 2015\n\nYour landlord cannot evict you if they\u2019ve been served notice by the council because of a complaint you made to the council about the living conditions in the property.\n\nYour landlord must also have given you:\n\n- a copy of the leaflet \u2018How to rent: the checklist for renting in England\u2019\n\n- an energy performance certificate\n\n- a gas safety certificate\n\nIn England, they must use \u2018form 6a\u2019 to give you notice. This is also known as \u2018Notice seeking possession of a property let on an Assured Shorthold Tenancy\u2019. In Wales, they do not need to use form 6a but must give you notice in writing.\n\n## If you\u2019re asked to leave during the fixed term\n\nYour landlord can only ask you to leave during the fixed term if they have certain reasons (\u2018grounds\u2019). For example, if:\n\n- you\u2019re behind with your rent payments (\u2018in arrears\u2019)\n\n- you\u2019ve used the property for illegal purposes, like selling drugs\n\n- you\u2019ve damaged the property\n\nUsually, the notice period they must give varies up to 2 months.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must give you 3 months to leave the property.\n\nIf you\u2019ve been given notice since 29 August 2020, your landlord must give you 6 months to leave. You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\nIn Wales, the notice period must be:\n\n- at least 6 months for any notice given on or after 24 July 2020\n\n- at least 3 months for notices relating to antisocial behaviour\n\nThis is because of coronavirus.\n\n## Assured tenancies\n\nYour landlord will need to use one of the reasons or \u2018grounds\u2019 for possession in the Housing Act 1988.\n\n## Excluded tenancies or licences\n\nYou\u2019ll often have an excluded tenancy or licence if you live with your landlord as a lodger and share rooms with them.\n\nYour landlord only needs to give \u2018reasonable notice\u2019 to quit. Usually this means the length of the rental payment period \u2013 so if you pay rent monthly, you\u2019ll get one month\u2019s notice.\n\nThe notice does not have to be in writing.\n\n## Non-excluded tenancy or licence\n\nYour landlord can end the let at any time by serving a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but is often at least 4 weeks.\n\n## Break clauses\n\nIf there\u2019s a break clause in the tenancy agreement, your landlord can give you notice after this. However, your landlord does not have a guaranteed right to possession during the first 6 months of the tenancy.\n\n## If you do not leave the property\n\nYour landlord cannot remove you by force. If the notice period expires and you do not leave the property, your landlord may start the process of eviction through the courts.", + "original_contents": [ + "

    Overview

    ", + "

    A tenancy agreement is a contract between you and a landlord.

    ", + "

    It lets you live in a property as long as you pay rent and follow the rules. It also sets out the legal terms and conditions of your tenancy. It can be written down or oral (a spoken agreement).

    ", + "

    A tenancy can either be:

    ", + "
  • fixed-term (running for a set period of time)
  • ", + "
  • periodic (running on a week-by-week or month-by-month basis)
  • ", + "

    Rights and responsibilities

    ", + "

    Both you and your landlord have certain rights and responsibilities, whether or not you have a tenancy agreement.

    ", + "

    Tenancy types

    ", + "

    Assured shorthold tenancies (ASTs)

    ", + "

    The most common form of tenancy is an AST. Most new tenancies are automatically this type.

    ", + "

    A tenancy can be an AST if all of the following apply:

    ", + "
  • the property you rent is private
  • ", + "
  • your tenancy started on or after 15 January 1989
  • ", + "
  • the property is your main accommodation
  • ", + "
  • your landlord does not live in the property
  • ", + "

    A tenancy cannot be an AST if:

    ", + "
  • it began or was agreed before 15 January 1989
  • ", + "
  • the rent is more than \u00a3100,000 a year
  • ", + "
  • the rent is less than \u00a3250 a year (less than \u00a31,000 in London)
  • ", + "
  • it\u2019s a business tenancy or tenancy of licensed premises
  • ", + "
  • the property is a holiday let
  • ", + "
  • your landlord is a local council
  • ", + "

    Other tenancies

    ", + "

    There are other tenancies that are not as common as ASTs, including:

    ", + "

    Excluded tenancies or licences

    ", + "

    You may have an excluded tenancy or licence if you lodge with your landlord and share rooms with them, like a kitchen or bathroom. You\u2019ll usually have less protection from eviction with this type of agreement.

    ", + "

    Assured tenancies

    ", + "

    Tenancies starting between 15 January 1989 and 27 February 1997 may be assured. You\u2019ll have increased protection from eviction with this type of agreement.

    ", + "

    Regulated tenancies

    ", + "

    Tenancies starting before 15 January 1989 may be regulated. You\u2019ll have increased protection from eviction and can apply for a \u2018fair rent\u2019.

    ", + "

    Shelter has information on the different types of private tenancies and a tenancy checker so you can check which tenancy you have.

    ", + "

    What should be in a tenancy agreement

    ", + "

    A tenancy agreement should include:

    ", + "
  • the names of all people involved
  • ", + "
  • the rental price and how it\u2019s paid
  • ", + "
  • information on how and when the rent will be reviewed
  • ", + "
  • the deposit amount and how it will be protected
  • ", + "
  • details of when the deposit can be fully or partly withheld (for example to repair damage you\u2019ve caused)
  • ", + "
  • the property address
  • ", + "
  • the start and end date of the tenancy
  • ", + "
  • any tenant or landlord obligations
  • ", + "
  • an outline of bills you\u2019re responsible for
  • ", + "

    It can also include information on:

    ", + "
  • whether the tenancy can be ended early and how this can be done
  • ", + "
  • who\u2019s responsible for minor repairs (other than those that the landlord is legally responsible for)
  • ", + "
  • whether the property can be let to someone else (sublet) or have lodgers
  • ", + "

    The terms of the tenancy must be fair and comply with the law.

    ", + "

    Your tenancy agreement cannot have anything in it that may indirectly discriminate against you.

    ", + "

    Get legal advice before signing an agreement if you\u2019re unsure of any terms. Once you\u2019re happy with it, sign the agreement and get a copy of it.

    ", + "

    Citizens Advice has a guide on tenancy agreements.

    ", + "

    Changes to tenancy agreements

    ", + "

    Both you and your landlord must agree in order to change the terms of the tenancy agreement.

    ", + "

    Preventing discrimination

    ", + "

    You cannot be discriminated against or harassed by your landlord because of:

    ", + "
  • age
  • ", + "
  • gender
  • ", + "
  • sexual orientation
  • ", + "
  • disability (or because of something connected with your disability)
  • ", + "
  • religion or belief
  • ", + "
  • race
  • ", + "
  • being a transgender person
  • ", + "
  • being pregnant or having a baby
  • ", + "

    How to end your tenancy

    ", + "

    Tenancies

    ", + "

    You can read the guidance on moving house during the coronavirus outbreak.

    ", + "

    Your tenancy agreement should say how much notice you need to give your landlord before you leave the property.

    ", + "

    You\u2019re responsible for paying rent for your entire fixed-term tenancy. You can move out early without paying rent for the full tenancy if:

    ", + "
  • there is a break clause in your tenancy agreement
  • ", + "
  • your landlord agrees to end the tenancy early
  • ", + "

    Shelter has information about ending a tenancy.

    ", + "

    Licence agreements

    ", + "

    If your licence automatically runs out after a specific date and you want to end the agreement, you should let your landlord know this before your licence runs out.

    ", + "

    If your landlord wants to end your tenancy

    ", + "

    If your landlord wants you to leave, they must give you notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.

    ", + "

    Some rules about length of notice have changed because of coronavirus (COVID-19).

    ", + "

    Assured shorthold tenancies (ASTs)

    ", + "

    Your landlord can take back their property without giving any reason if you have either:

    ", + "
  • a periodic tenancy
  • ", + "
  • a fixed-term tenancy that has ended
  • ", + "

    To do this, both of the following must apply:

    ", + "
  • they\u2019ve protected your deposit in a deposit protection scheme
  • ", + "
  • the date you must leave is at least 6 months after your original tenancy began (the one you had on first moving in)
  • ", + "

    How much notice your landlord must give

    ", + "

    They must give you written notice that they want the property back (\u2018notice to quit\u2019). They must give you:

    ", + "
  • 2 months if they gave you notice before 26 March 2020
  • ", + "
  • 3 months if they gave you notice between 26 March 2020 and 28 August 2020
  • ", + "
  • 6 months if they gave you notice on or after 29 August 2020
  • ", + "

    This change is because of coronavirus.

    ", + "

    The notice must tell you the date you have to leave.

    ", + "

    If your tenancy started or was renewed after 1 October 2015

    ", + "

    Your landlord cannot evict you if they\u2019ve been served notice by the council because of a complaint you made to the council about the living conditions in the property.

    ", + "

    Your landlord must also have given you:

    ", + "
  • a copy of the leaflet \u2018How to rent: the checklist for renting in England\u2019
  • ", + "
  • an energy performance certificate
  • ", + "
  • a gas safety certificate
  • ", + "

    In England, they must use \u2018form 6a\u2019 to give you notice. This is also known as \u2018Notice seeking possession of a property let on an Assured Shorthold Tenancy\u2019. In Wales, they do not need to use form 6a but must give you notice in writing.

    ", + "

    If you\u2019re asked to leave during the fixed term

    ", + "

    Your landlord can only ask you to leave during the fixed term if they have certain reasons (\u2018grounds\u2019). For example, if:

    ", + "
  • you\u2019re behind with your rent payments (\u2018in arrears\u2019)
  • ", + "
  • you\u2019ve used the property for illegal purposes, like selling drugs
  • ", + "
  • you\u2019ve damaged the property
  • ", + "

    Usually, the notice period they must give varies up to 2 months.

    ", + "

    If you were given notice between 26 March 2020 and 28 August 2020, your landlord must give you 3 months to leave the property.

    ", + "

    If you\u2019ve been given notice since 29 August 2020, your landlord must give you 6 months to leave. You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.

    ", + "

    In Wales, the notice period must be:

    ", + "
  • at least 6 months for any notice given on or after 24 July 2020
  • ", + "
  • at least 3 months for notices relating to antisocial behaviour
  • ", + "

    This is because of coronavirus.

    ", + "

    Assured tenancies

    ", + "

    Your landlord will need to use one of the reasons or \u2018grounds\u2019 for possession in the Housing Act 1988.

    ", + "

    Excluded tenancies or licences

    ", + "

    You\u2019ll often have an excluded tenancy or licence if you live with your landlord as a lodger and share rooms with them.

    ", + "

    Your landlord only needs to give \u2018reasonable notice\u2019 to quit. Usually this means the length of the rental payment period \u2013 so if you pay rent monthly, you\u2019ll get one month\u2019s notice.

    ", + "

    The notice does not have to be in writing.

    ", + "

    Non-excluded tenancy or licence

    ", + "

    Your landlord can end the let at any time by serving a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but is often at least 4 weeks.

    ", + "

    Break clauses

    ", + "

    If there\u2019s a break clause in the tenancy agreement, your landlord can give you notice after this. However, your landlord does not have a guaranteed right to possession during the first 6 months of the tenancy.

    ", + "

    If you do not leave the property

    ", + "

    Your landlord cannot remove you by force. If the notice period expires and you do not leave the property, your landlord may start the process of eviction through the courts.

    " + ] + }, + "https://www.gov.uk/registering-land-or-property-with-land-registry": { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "title": "Registering land or property with HM Land Registry", + "content": "## When you must register\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must register all land or property with HM Land Registry if you\u2019ve:\n\n- bought it\n\n- been given it\n\n- inherited it\n\n- received it in exchange for other property or land\n\n- mortgaged the property\n\nYou do not usually need to register leasehold land or property if there are 7 years or less on the lease when you take ownership.\n\nYou must register your land with the Rural Land Register as well as HM Land Registry if you own agricultural land.\n\nYour property might not be registered if you owned it before 1990 and have not mortgaged it since. Check if your property\u2019s registered.\n\nYou must tell HM Land Registry if you transfer ownership of your registered property to someone else.\n\n## Once you\u2019re registered\n\nHM Land Registry publishes information online about most registered property, including:\n\n- the names of owners\n\n- the price paid for the property\n\n- a plan of the property\u2019s boundaries\n\nYou cannot opt out of your property information being published.\n\n## If you live in Scotland or Northern Ireland\n\nHM Land Registry only deals with land and property in England and Wales.\n\n## Scotland\n\nRegister your land or property with Registers of Scotland.\n\n## Northern Ireland\n\nRegister your land or property with Land and Property Services.\n\n## Register for the first time\n\nLand or property must be registered for the first time if it\u2019s unregistered when you take ownership of it or mortgage it.\n\nEven if you do not have to register, registering voluntarily:\n\n- gives you proof of ownership\n\n- helps protect your land from fraud\n\n- makes it easier to change, sell or give your property away in the future\n\nYou can register property yourself or get a solicitor or conveyancer to do it for you.\n\n## Register land or property for the first time\n\n- Search the register to make sure your property is not already registered.\n\n- Apply for a search from the Land Charges Department to search against all previous owners since 1925. They will send you the results.\n\n- Fill in an application for first registration.\n\n- Prepare a scale plan showing where the land is outlined, if it\u2019s not shown in the deeds.\n\n- Find the forms you need depending on your circumstances and fill out 2 copies of the list of documents form.\n\n- Find out the correct registration fee - this depends on the value of your property.\n\n- Send your documents, forms and fee to HM Land Registry.\n\n## If you bought the property\n\nInclude the same forms as for registering for the first time and a \u2018transfer of whole of registered title\u2019 form.\n\n## If you inherited the property\n\nInclude the same forms as for registering for the first time and include either:\n\n- a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will\n\n- a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share\n\nContact HM Land Registry if you\u2019re unsure which form you need.\n\n## Other documents you may need\n\nYou may also need to send:\n\n- a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer\n\n- a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry\n\n- a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)\n\n- a certified copy of the lease, if you\u2019re applying to register leasehold land or property\n\n## Transfer ownership of your property\n\nYou must tell HM Land Registry when you change the registered owner of your property, for example if you\u2019re transferring it into another person\u2019s name, or if you want to add your partner as a joint owner.\n\n- Download and fill in an application to change the register.\n\n- Fill in either a \u2018transfer of whole of registered title\u2019 form, if you\u2019re transferring your whole property, or a \u2018transfer of part of registered title\u2019 form if you\u2019re only transferring part of your property.\n\n- Fill in a certificate of identity for a private individual.\n\n- Find out the correct fee. Use the \u2018Scale 2 fees\u2019 if you\u2019re transferring ownership of a property without selling it, for example as inheritance. Use the Land Registry fee calculator if you\u2019re transferring part or all of a property as a sale.\n\n- Send your documents, forms and fee to HM Land Registry.\n\n## Update or correct the register\n\nYou must tell HM Land Registry if anything in the register changes or it is incorrect.\n\n## Update or correct contact addresses\n\nYou can register up to 3 addresses (including email and non-UK addresses) with HM Land Registry for each property.\n\nTo change your contact details or those of other owners or agents send a request to update registered owners\u2019 contact address. You do not have to pay anything to do this.\n\n## Change your name\n\nYou must send HM Land Registry an application to change the register when you change your name. You do not have to pay anything to do this.\n\nHow to apply depends on which documents you can send that prove your name has changed. You\u2019ll get back any official certificates you send in after the register has been updated.\n\nUse application form AP1 if you have any of the following documents:\n\n- an official or certified copy of a certificate showing the name change, such as a marriage or civil partnership certificate\n\n- a copy of a deed poll\n\n- a statement of truth\n\n- a statutory declaration sworn before someone able to take oaths\n\nYou must also send additional proof if you\u2019re not sending a certificate or using a conveyancer (for example a solicitor). When you send from AP1, include both:\n\n- a filled-in confirmation of identity form in your new name\n\n- a copy of an official document in your former name, such as a passport, driving licence or utility bill\n\n## If you\u2019ve changed your gender\n\nUse application form CNG if you have any of the following documents:\n\n- a gender recognition certificate\n\n- a new birth certificate\n\n- a letter from a UK-based medical practitioner (such as a doctor) confirming you\u2019ve changed gender\n\nSend the completed form and one of the documents to the address on the form. You must send original documents, not copies.\n\nIf you\u2019re sending a gender recognition certificate, write \u2018Private and confidential\u2019 on the envelope.\n\n## Returning to your original surname\n\nTo return to your original surname after a divorce or dissolution of a civil partnership send HM Land Registry:\n\n- application form AP1\n\n- a copy of your marriage or civil partnership certificate\n\nHM Land Registry will let you know if they need more information.\n\n## Stop your previous name being seen on old documents\n\nYour previous name will still appear on any documents that were filed with HM Land Registry before you changed your name. Previous names cannot be changed but you might be able to stop them from being copied or inspected by making an exempt document application.\n\nIt costs:\n\n- \u00a312 per document for electronic applications - only businesses and organisations can apply electronically, for example conveyancers\n\n- \u00a325 per document for paper applications\n\nYou will need to fill in form EX1 and form EX1A.\n\n## Mortgage completion\n\nYou must tell HM Land Registry if a mortgage on a registered property is paid off (\u2018discharged\u2019).\n\nUsually your mortgage lender will do this for you automatically but they may send you a completed \u2018cancellation of charges\u2019 form.\n\nOnce you have this, fill in an application to \u2018cancel entries relating to a charge\u2019 and a confirmation of identity form.\n\nSend all forms to the Citizen Centre.\n\nHM Land Registry will update your details and tell you that the register has been updated.\n\n## Other changes\n\nTransfer ownership of your property if you\u2019ve:\n\n- sold it\n\n- divorced or separated and want to remove an owner\n\n- married and want to add an owner\n\n- given the property away\n\n## Send your requests\n\nSend completed forms to the HM Land Registry Citizen Centre.", + "original_contents": [ + "

    When you must register

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You must register all land or property with HM Land Registry if you\u2019ve:

    ", + "
  • bought it
  • ", + "
  • been given it
  • ", + "
  • inherited it
  • ", + "
  • received it in exchange for other property or land
  • ", + "
  • mortgaged the property
  • ", + "

    You do not usually need to register leasehold land or property if there are 7 years or less on the lease when you take ownership.

    ", + "

    You must register your land with the Rural Land Register as well as HM Land Registry if you own agricultural land.

    ", + "

    Your property might not be registered if you owned it before 1990 and have not mortgaged it since. Check if your property\u2019s registered.

    ", + "

    You must tell HM Land Registry if you transfer ownership of your registered property to someone else.

    ", + "

    Once you\u2019re registered

    ", + "

    HM Land Registry publishes information online about most registered property, including:

    ", + "
  • the names of owners
  • ", + "
  • the price paid for the property
  • ", + "
  • a plan of the property\u2019s boundaries
  • ", + "

    You cannot opt out of your property information being published.

    ", + "

    If you live in Scotland or Northern Ireland

    ", + "

    HM Land Registry only deals with land and property in England and Wales.

    ", + "

    Scotland

    ", + "

    Register your land or property with Registers of Scotland.

    ", + "

    Northern Ireland

    ", + "

    Register your land or property with Land and Property Services.

    ", + "

    Register for the first time

    ", + "

    Land or property must be registered for the first time if it\u2019s unregistered when you take ownership of it or mortgage it.

    ", + "

    Even if you do not have to register, registering voluntarily:

    ", + "
  • gives you proof of ownership
  • ", + "
  • helps protect your land from fraud
  • ", + "
  • makes it easier to change, sell or give your property away in the future
  • ", + "

    You can register property yourself or get a solicitor or conveyancer to do it for you.

    ", + "

    Register land or property for the first time

    ", + "
  • Search the register to make sure your property is not already registered.
  • ", + "
  • Apply for a search from the Land Charges Department to search against all previous owners since 1925. They will send you the results.
  • ", + "
  • Fill in an application for first registration.
  • ", + "
  • Prepare a scale plan showing where the land is outlined, if it\u2019s not shown in the deeds.
  • ", + "
  • Find the forms you need depending on your circumstances and fill out 2 copies of the list of documents form.
  • ", + "
  • Find out the correct registration fee - this depends on the value of your property.
  • ", + "
  • Send your documents, forms and fee to HM Land Registry.
  • ", + "

    If you bought the property

    ", + "

    Include the same forms as for registering for the first time and a \u2018transfer of whole of registered title\u2019 form.

    ", + "

    If you inherited the property

    ", + "

    Include the same forms as for registering for the first time and include either:

    ", + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • ", + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • ", + "

    Contact HM Land Registry if you\u2019re unsure which form you need.

    ", + "

    Other documents you may need

    ", + "

    You may also need to send:

    ", + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • ", + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • ", + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • ", + "
  • a certified copy of the lease, if you\u2019re applying to register leasehold land or property
  • ", + "

    Transfer ownership of your property

    ", + "

    You must tell HM Land Registry when you change the registered owner of your property, for example if you\u2019re transferring it into another person\u2019s name, or if you want to add your partner as a joint owner.

    ", + "
  • Download and fill in an application to change the register.
  • ", + "
  • Fill in either a \u2018transfer of whole of registered title\u2019 form, if you\u2019re transferring your whole property, or a \u2018transfer of part of registered title\u2019 form if you\u2019re only transferring part of your property.
  • ", + "
  • Fill in a certificate of identity for a private individual.
  • ", + "
  • Find out the correct fee. Use the \u2018Scale 2 fees\u2019 if you\u2019re transferring ownership of a property without selling it, for example as inheritance. Use the Land Registry fee calculator if you\u2019re transferring part or all of a property as a sale.
  • ", + "
  • Send your documents, forms and fee to HM Land Registry.
  • ", + "

    Update or correct the register

    ", + "

    You must tell HM Land Registry if anything in the register changes or it is incorrect.

    ", + "

    Update or correct contact addresses

    ", + "

    You can register up to 3 addresses (including email and non-UK addresses) with HM Land Registry for each property.

    ", + "

    To change your contact details or those of other owners or agents send a request to update registered owners\u2019 contact address. You do not have to pay anything to do this.

    ", + "

    Change your name

    ", + "

    You must send HM Land Registry an application to change the register when you change your name. You do not have to pay anything to do this.

    ", + "

    How to apply depends on which documents you can send that prove your name has changed. You\u2019ll get back any official certificates you send in after the register has been updated.

    ", + "

    Use application form AP1 if you have any of the following documents:

    ", + "
  • an official or certified copy of a certificate showing the name change, such as a marriage or civil partnership certificate
  • ", + "
  • a copy of a deed poll
  • ", + "
  • a statement of truth
  • ", + "
  • a statutory declaration sworn before someone able to take oaths
  • ", + "

    You must also send additional proof if you\u2019re not sending a certificate or using a conveyancer (for example a solicitor). When you send from AP1, include both:

    ", + "
  • a filled-in confirmation of identity form in your new name
  • ", + "
  • a copy of an official document in your former name, such as a passport, driving licence or utility bill
  • ", + "

    If you\u2019ve changed your gender

    ", + "

    Use application form CNG if you have any of the following documents:

    ", + "
  • a gender recognition certificate
  • ", + "
  • a new birth certificate
  • ", + "
  • a letter from a UK-based medical practitioner (such as a doctor) confirming you\u2019ve changed gender
  • ", + "

    Send the completed form and one of the documents to the address on the form. You must send original documents, not copies.

    ", + "

    If you\u2019re sending a gender recognition certificate, write \u2018Private and confidential\u2019 on the envelope.

    ", + "

    Returning to your original surname

    ", + "

    To return to your original surname after a divorce or dissolution of a civil partnership send HM Land Registry:

    ", + "
  • application form AP1
  • ", + "
  • a copy of your marriage or civil partnership certificate
  • ", + "

    HM Land Registry will let you know if they need more information.

    ", + "

    Stop your previous name being seen on old documents

    ", + "

    Your previous name will still appear on any documents that were filed with HM Land Registry before you changed your name. Previous names cannot be changed but you might be able to stop them from being copied or inspected by making an exempt document application.

    ", + "

    It costs:

    ", + "
  • \u00a312 per document for electronic applications - only businesses and organisations can apply electronically, for example conveyancers
  • ", + "
  • \u00a325 per document for paper applications
  • ", + "

    You will need to fill in form EX1 and form EX1A.

    ", + "

    Mortgage completion

    ", + "

    You must tell HM Land Registry if a mortgage on a registered property is paid off (\u2018discharged\u2019).

    ", + "

    Usually your mortgage lender will do this for you automatically but they may send you a completed \u2018cancellation of charges\u2019 form.

    ", + "

    Once you have this, fill in an application to \u2018cancel entries relating to a charge\u2019 and a confirmation of identity form.

    ", + "

    Send all forms to the Citizen Centre.

    ", + "

    HM Land Registry will update your details and tell you that the register has been updated.

    ", + "

    Other changes

    ", + "

    Transfer ownership of your property if you\u2019ve:

    ", + "
  • sold it
  • ", + "
  • divorced or separated and want to remove an owner
  • ", + "
  • married and want to add an owner
  • ", + "
  • given the property away
  • ", + "

    Send your requests

    ", + "

    Send completed forms to the HM Land Registry Citizen Centre.

    " + ] + }, + "https://www.gov.uk/stamp-duty-land-tax": { + "url": "https://www.gov.uk/stamp-duty-land-tax", + "title": "Stamp Duty Land Tax", + "content": "## Overview\n\nYou must pay Stamp Duty Land Tax (SDLT) if you buy a property or land over a certain price in England and Northern Ireland.\n\nThe tax is different if the property or land is in:\n\n- Scotland - pay Land and Buildings Transaction Tax\n\n- Wales - pay Land Transaction Tax if the sale was completed on or after 1 April 2018\n\nYou pay the tax when you:\n\n- buy a freehold property\n\n- buy a new or existing leasehold\n\n- buy a property through a shared ownership scheme\n\n- are transferred land or property in exchange for payment, for example you take on a mortgage or buy a share in a house\n\n## Thresholds\n\nThe threshold is where SDLT starts to apply. If you buy a property for less than the threshold, there\u2019s no SDLT to pay.\n\nThe current SDLT threshold for residential properties is \u00a3500,000. This changes on 1 July 2021.\n\nThe threshold for non-residential land and properties is \u00a3150,000.\n\n## Property purchases from 1 July 2021 to 30 September 2021\n\nThe SDLT thresholds will be:\n\n- \u00a3250,000 for residential properties\n\n- \u00a3150,000 for non-residential land and properties\n\nThe threshold for residential properties will change on 1 October 2021.\n\n## Property purchases from 1 October 2021\n\nThe SDLT thresholds will be:\n\n- \u00a3125,000 for residential properties\n\n- \u00a3150,000 for non-residential land and properties\n\nThese thresholds are the same as they were before 8 July 2020.\n\n## First-time buyers\n\nFrom 1 July 2021, you\u2019ll get a discount (relief) that means you\u2019ll pay less or no tax if both the following apply:\n\n- you, and anyone else you\u2019re buying with, are first-time buyers\n\n- the purchase price is \u00a3500,000 or less\n\nYou\u2019ll also be eligible for this discount if you bought your first home before 8 July 2020.\n\n## How much you pay\n\nHow much you pay depends on whether the land or property is residential or non-residential or mixed-use.\n\nIf you\u2019re buying a residential property there are different rates of SDLT if:\n\n- you\u2019re a first-time buyer\n\n- you already own a property and you\u2019re buying an additional property\n\n- you\u2019re not a UK resident\n\nYou can use HM Revenue and Customs\u2019 (HMRC) Stamp Duty Land Tax calculator to work out how much tax you\u2019ll pay.\n\nYou may be able to reduce the amount of tax you pay by claiming relief, such as if you\u2019re a first-time buyer or purchasing more than one property (\u2018multiple dwellings\u2019).\n\n## The value you pay SDLT on (the \u2018consideration\u2019)\n\nThe total value you pay SDLT on (sometimes called the \u2018consideration\u2019) is usually the price you pay for the property or land.\n\nSometimes it might include another type of payment like:\n\n- goods\n\n- works or services\n\n- release from a debt\n\n- transfer of a debt, including the value of any outstanding mortgage\n\nFind out how to work out the consideration if your situation is complicated.\n\n## How and when to pay\n\nYou must send an SDLT return to HMRC and pay the tax within 14 days of completion.\n\nIf you have a solicitor, agent or conveyancer, they\u2019ll usually file your return and pay the tax on your behalf on the day of completion and add the amount to their fees. They\u2019ll also claim any relief you\u2019re eligible for, such as if you\u2019re a first-time buyer.\n\nIf they do not do this for you, you can file a return and pay the tax yourself.\n\nThere are certain situations where you do not need to send a return.\n\nYou may be charged penalties and interest if you do not file your return and make your payment within 14 days of completion.\n\n## Residential property rates\n\nYou usually pay Stamp Duty Land Tax (SDLT) on increasing portions of the property price when you buy residential property, for example a house or flat. SDLT only applies to properties over a certain value.\n\nThe amount you pay depends on:\n\n- when you bought the property\n\n- how much you paid for it\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\nYou must send an SDLT return if you pay more than \u00a340,000 for a property - even if there\u2019s no SDLT due. There are some exemptions.\n\n## Rates from 8 July 2020 to 30 June 2021\n\nYou can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3500,000 | Zero |\n\n| The next \u00a3425,000 (the portion from \u00a3500,001 to \u00a3925,000) | 5% |\n\n| The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10% |\n\n| The remaining amount (the portion above \u00a31.5 million) | 12% |\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Rates from 1 July 2021 to 30 September 2021\n\nYou can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3250,000 | Zero |\n\n| The next \u00a3675,000 (the portion from \u00a3250,001 to \u00a3925,000) | 5% |\n\n| The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10% |\n\n| The remaining amount (the portion above \u00a31.5 million) | 12% |\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Rates from 1 October 2021\n\nThese rates also apply if you bought a property before 8 July 2020.\n\nYou can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3125,000 | Zero |\n\n| The next \u00a3125,000 (the portion from \u00a3125,001 to \u00a3250,000) | 2% |\n\n| The next \u00a3675,000 (the portion from \u00a3250,001 to \u00a3925,000) | 5% |\n\n| The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10% |\n\n| The remaining amount (the portion above \u00a31.5 million) | 12% |\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## If you\u2019re buying your first home\n\nYou can claim a discount (relief) if you buy your first home before 8 July 2020 or from 1 July 2021. This means you\u2019ll pay:\n\n- no SDLT up to \u00a3300,000\n\n- 5% SDLT on the portion from \u00a3300,001 to \u00a3500,000\n\nYou\u2019re eligible if you and anyone else you\u2019re buying with are first-time buyers.\n\nIf the price is over \u00a3500,000, you follow the rules for people who\u2019ve bought a home before.\n\n## New leasehold sales and transfers\n\nWhen you buy a new residential leasehold property you pay SDLT on the purchase price of the lease (the \u2018lease premium\u2019) using the rates above.\n\nIf the total rent over the life of the lease (known as the \u2018net present value\u2019) is more than the SDLT threshold), you\u2019ll pay SDLT at 1% on the portion of net present value over:\n\n- \u00a3500,000 for purchases from 8 July 2020 to 30 June 2021\n\n- \u00a3250,000 for purchases from 1 July 2021 to 30 September 2021\n\n- \u00a3125,000 for purchases from 1 October 2021\n\nThis does not apply to existing (\u2018assigned\u2019) leases.\n\nYou can work out how much SDLT you\u2019ll pay for your new residential lease using HMRC\u2019s:\n\n- SDLT calculator\n\n- guidance on leasehold purchases\n\n## Higher rates for additional properties\n\nYou\u2019ll usually have to pay 3% on top of SDLT rates if buying a new residential property means you\u2019ll own more than one.\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\nYou may not have to pay the higher rates if you exchanged contracts before 26 November 2015.\n\n## If you\u2019re replacing your main residence\n\nYou will not pay the extra 3% SDLT if the property you\u2019re buying is replacing your main residence and that has already been sold.\n\nIf you have not sold your main residence on the day you complete your new purchase you\u2019ll have to pay higher rates. This is because you own 2 properties.\n\nYou can apply for a refund if you sell your previous main home within 36 months.\n\nThere are special rules if you own property with someone else or already own a property outside England, Wales and Northern Ireland.\n\n## If it takes longer than 36 months to sell your previous main home\n\nYou may still be able to get a refund of the extra 3% SDLT if:\n\n- you purchased your new home on or after 1 January 2017\n\n- the delay was outside your control, for example because of coronavirus (COVID-19) or a public authority blocking the sale\n\n- you have now sold your old home\n\nTo claim a refund, write to HMRC and explain why the sale took longer than 36 months.\n\nInclude:\n\n- your details\n\n- details of the main buyer - if different to your own\n\n- details of the property where higher rate SDLT was paid - including the address, date of purchase and SDLT unique transaction reference number\n\n- details of the previous main residence - including the address, date of sale and SDLT unique transaction reference number\n\n- the amount of higher rate SDLT paid\n\n- the amount of tax you\u2019re asking for a repayment of\n\n- a bank account and sort code for the person receiving the payment\n\n## Rates if you\u2019re not a UK resident\n\nIf you\u2019re not present in the UK for at least 183 days (6 months) during the 12 months before your purchase you are \u2018not a UK resident\u2019 for the purposes of SDLT.\n\nYou\u2019ll usually pay a 2% surcharge if you\u2019re buying a residential property in England or Northern Ireland on or after 1 April 2021.\n\nYou may not have to pay a surcharge on certain properties, transactions or if you\u2019re a particular type of buyer. Check the rules on who has to pay the surcharge, when you do not have to pay, and if you can claim relief.\n\nIf you have to pay the surcharge, you\u2019ll also have to pay any other rates of SDLT that apply, for example:\n\n- if you already own a property and you\u2019re buying an additional property\n\n- if you\u2019re a first-time buyer\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Special rates\n\nThere are different SDLT rules and rate calculations for:\n\n- corporate bodies\n\n- people buying 6 or more residential properties in one transaction\n\n- shared ownership properties\n\n- multiple purchases or transfers between the same buyer and seller (\u2018linked purchases\u2019)\n\n- purchases that mean you own more than one property\n\n- companies and trusts buying residential property\n\n## Rates for non-residential and mixed land and property\n\nYou pay SDLT on increasing portions of the property price (or \u2018consideration\u2019) when you pay \u00a3150,000 or more for non-residential or mixed (also known as \u2018mixed use\u2019) land or property.\n\nYou must still send an SDLT return for most transactions under \u00a3150,000.\n\nNon-residential property includes:\n\n- commercial property, for example shops or offices\n\n- property that isn\u2019t suitable to be lived in\n\n- forests\n\n- agricultural land that\u2019s part of a working farm or used for agricultural reasons\n\n- any other land or property that is not part of a dwelling\u2019s garden or grounds\n\n- 6 or more residential properties bought in a single transaction\n\nYou pay residential SDLT rates on agricultural land if it\u2019s sold as part of the garden or grounds of a dwelling, for example a cottage with fields.\n\nA \u2018mixed\u2019 property is one that has both residential and non-residential elements, for example a flat connected to a shop, doctor\u2019s surgery or office.\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Freehold sales and transfers\n\nYou can also use this table to work out the SDLT rate for a lease premium.\n\n| |\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3150,000 | Zero |\n\n| The next \u00a3100,000 (the portion from \u00a3150,001 to \u00a3250,000) | 2% |\n\n| The remaining amount (the portion above \u00a3250,000) | 5% |\n\n## New leasehold sales and transfers\n\nWhen you buy a new non-residential or mixed leasehold you pay SDLT on both the:\n\n- purchase price of the lease (the \u2018lease premium\u2019) using the rates above\n\n- value of the annual rent you pay (the \u2018net present value\u2019)\n\nThese are calculated separately then added together.\n\nIf you buy an existing (\u2018assigned\u2019) lease, you only pay SDLT on the lease price (or \u2018consideration\u2019).\n\nThe net present value (NPV) is based on the total rent over the life of the lease. You do not pay SDLT on the rent if the NPV is less than \u00a3150,000.\n\n| Net present value of rent | SDLT rate |\n\n| \u00a30 to \u00a3150,000 | Zero |\n\n| The portion from \u00a3150,001 to \u00a35,000,000 | 1% |\n\n| The portion above \u00a35,000,000 | 2% |\n\n## How much you\u2019ll pay\n\nYou can work out how much SDLT you\u2019ll pay for your non-residential lease using HM Revenue and Customs\u2019 (HMRC):\n\n- SDLT calculator\n\n- guidance on buying leasehold properties\n\nYou may pay a higher rate of SDLT for multiple purchases or transfers from the same seller.\n\n## Using previous SDLT rates\n\nYou may qualify for previous SDLT rates if you exchanged contracts before 17 March 2016 but completed on or after that date.\n\nIf you qualify for the previous rates, you can choose to pay SDLT using the current or previous rates.\n\nUse HMRC\u2019s SDLT calculator to work out if you qualify and how much you\u2019ll pay using both rates.\n\nEnter the figure for the rate you choose in your SDLT return.\n\n## Land and property transfers\n\nYou may have to pay Stamp Duty Land Tax (SDLT) if the ownership of land or property is transferred to you in exchange for any payment or \u2018consideration\u2019.\n\nThe rules around SDLT depend on the specific circumstances surrounding the transfer.\n\nHM Revenue and Customs (HMRC) has guidance on transfers:\n\n- as a result of marriage, civil partnerships or moving in together\n\n- on divorce, separation or the end of a civil partnership\n\n- of jointly owned property or land\n\n- if the larger share is given as a gift\n\n- given as a gift or left in a will\n\n- to or from a company\n\n## Shared ownership property\n\nYou may have to pay Stamp Duty Land Tax (SDLT) when you buy a property through a shared ownership scheme run by an approved public body.\n\nThis includes:\n\n- local housing authorities\n\n- housing associations\n\n- housing action trusts\n\n- the Northern Ireland Housing Executive\n\n- the Commission for the New Towns\n\n- development corporations\n\nYou can choose to either:\n\n- make a one-off payment based on the market value of the property (\u2018market value election\u2019)\n\n- pay SDLT in stages\n\n## Market value election\n\nSubmit a return and pay SDLT at the residential rate. Use the total market value of the property to calculate how much to pay - even if you\u2019re only buying a share.\n\nYou do not pay any more SDLT after this, even if you buy a bigger share in the property later on.\n\nHM Revenue and Customs (HMRC) has guidance on SDLT if you do not have the right to the freehold.\n\n## Paying in stages\n\nYou make your first SDLT payment on the price you pay for the lease (the \u2018lease premium\u2019) if it\u2019s above the SDLT threshold. If the lease premium is below the threshold, you do not pay SDLT at this point - but you still have to submit a return.\n\nYou may have to pay extra SDLT if the total rent over the life of the lease (known as the \u2018net present value\u2019) is more than the SDLT threshold.\n\nWork this out on HMRC\u2019s SDLT calculator. You pay SDLT of 1% on the amount over the threshold - add this to any SDLT you\u2019re paying on the lease premium.\n\n## SDLT if you buy more shares\n\nIf you buy any more shares in the property, you do not have to pay any more SDLT or send a return to HMRC until you own more than an 80% share.\n\nOnce your share of the property goes over 80% you must send a return and pay SDLT on:\n\n- the transaction that took you over 80%\n\n- any transactions after that\n\n## Calculating your SDLT\n\nTo work out the SDLT if you buy more shares that take you over 80%:\n\n- Work out the SDLT due on the total you\u2019ve paid for the property to date - include any amounts you did not pay tax on. Use the SDLT rate that applies at the time you bought the new share. For example, if your total purchases before 8 July 2020 were \u00a3160,000, the SDLT due would be \u00a3700.\n\n- Divide the amount you\u2019re paying for this share by the total amount you\u2019ve paid for the property to date. For example, if you\u2019re paying \u00a340,000 for this share, divide \u00a340,000 by \u00a3160,000 = 0.25.\n\n- Multiply the two figures, for example SDLT of \u00a3700 multiplied by 0.25 = \u00a3175. This is the amount you would need to pay in SDLT for this share.\n\nIf you\u2019ve paid less than \u00a3500,000 for your property between 8 July 2020 and 30 June 2021, or less than \u00a3250,000 between 1 July 2021 and 30 September 2021, the amount of SDLT you\u2019d need to pay on any additional shares would be zero. This is because of the temporary SDLT rate.\n\n## Additional tax if payments are linked\n\nYou may have to pay extra SDLT on previous shares if they become \u2018linked\u2019 to later shares. Shares only become linked once you own over 80% of the property.\n\nYou can read more about paying SDLT when you buy more shares.\n\n## Reliefs and exemptions\n\nYou may be eligible for Stamp Duty Land Tax (SDLT) reliefs if you\u2019re buying your first home and in certain other situations. These reliefs can reduce the amount of tax you pay.\n\nYou must complete an SDLT return to claim relief, even if no tax is due.\n\nHM Revenue and Customs (HMRC) has guidance on SDLT reliefs for:\n\n- first-time buyers\n\n- multiple dwellings\n\n- building companies buying an individual\u2019s home\n\n- employers buying an employee\u2019s house\n\n- local authorities making compulsory purchases\n\n- property developers providing amenities to communities\n\n- companies transferring property to another company\n\n- charities\n\n- right to buy properties\n\n- registered social landlords\n\n- Crown employees\n\n## Exemptions\n\nYou do not have to pay SDLT or file a return if:\n\n- no money or other payment changes hands for a land or property transfer\n\n- property is left to you in a will\n\n- property is transferred because of divorce or dissolution of a civil partnership\n\n- you buy a freehold property for less than \u00a340,000\n\n- you buy a new or assigned lease of 7 years or more, as long as the premium is less than \u00a340,000 and the annual rent is less than \u00a31,000\n\n- you buy a new or assigned lease of less than 7 years, as long as the amount you pay is less than the residential or non-residential SDLT threshold\n\n- you use alternative property financial arrangements, for example to comply with Sharia law\n\nRead HMRC\u2019s guidance on transactions that do not need a return.", + "original_contents": [ + "

    Overview

    ", + "

    You must pay Stamp Duty Land Tax (SDLT) if you buy a property or land over a certain price in England and Northern Ireland.

    ", + "

    The tax is different if the property or land is in:

    ", + "
  • Scotland - pay Land and Buildings Transaction Tax
  • ", + "
  • Wales - pay Land Transaction Tax if the sale was completed on or after 1 April 2018
  • ", + "

    You pay the tax when you:

    ", + "
  • buy a freehold property
  • ", + "
  • buy a new or existing leasehold
  • ", + "
  • buy a property through a shared ownership scheme
  • ", + "
  • are transferred land or property in exchange for payment, for example you take on a mortgage or buy a share in a house
  • ", + "

    Thresholds

    ", + "

    The threshold is where SDLT starts to apply. If you buy a property for less than the threshold, there\u2019s no SDLT to pay.

    ", + "

    The current SDLT threshold for residential properties is \u00a3500,000. This changes on 1 July 2021.

    ", + "

    The threshold for non-residential land and properties is \u00a3150,000.

    ", + "

    Property purchases from 1 July 2021 to 30 September 2021

    ", + "

    The SDLT thresholds will be:

    ", + "
  • \u00a3250,000 for residential properties
  • ", + "
  • \u00a3150,000 for non-residential land and properties
  • ", + "

    The threshold for residential properties will change on 1 October 2021.

    ", + "

    Property purchases from 1 October 2021

    ", + "

    The SDLT thresholds will be:

    ", + "
  • \u00a3125,000 for residential properties
  • ", + "
  • \u00a3150,000 for non-residential land and properties
  • ", + "

    These thresholds are the same as they were before 8 July 2020.

    ", + "

    First-time buyers

    ", + "

    From 1 July 2021, you\u2019ll get a discount (relief) that means you\u2019ll pay less or no tax if both the following apply:

    ", + "
  • you, and anyone else you\u2019re buying with, are first-time buyers
  • ", + "
  • the purchase price is \u00a3500,000 or less
  • ", + "

    You\u2019ll also be eligible for this discount if you bought your first home before 8 July 2020.

    ", + "

    How much you pay

    ", + "

    How much you pay depends on whether the land or property is residential or non-residential or mixed-use.

    ", + "

    If you\u2019re buying a residential property there are different rates of SDLT if:

    ", + "
  • you\u2019re a first-time buyer
  • ", + "
  • you already own a property and you\u2019re buying an additional property
  • ", + "
  • you\u2019re not a UK resident
  • ", + "

    You can use HM Revenue and Customs\u2019 (HMRC) Stamp Duty Land Tax calculator to work out how much tax you\u2019ll pay.

    ", + "

    You may be able to reduce the amount of tax you pay by claiming relief, such as if you\u2019re a first-time buyer or purchasing more than one property (\u2018multiple dwellings\u2019).

    ", + "

    The value you pay SDLT on (the \u2018consideration\u2019)

    ", + "

    The total value you pay SDLT on (sometimes called the \u2018consideration\u2019) is usually the price you pay for the property or land.

    ", + "

    Sometimes it might include another type of payment like:

    ", + "
  • goods
  • ", + "
  • works or services
  • ", + "
  • release from a debt
  • ", + "
  • transfer of a debt, including the value of any outstanding mortgage
  • ", + "

    Find out how to work out the consideration if your situation is complicated.

    ", + "

    How and when to pay

    ", + "

    You must send an SDLT return to HMRC and pay the tax within 14 days of completion.

    ", + "

    If you have a solicitor, agent or conveyancer, they\u2019ll usually file your return and pay the tax on your behalf on the day of completion and add the amount to their fees. They\u2019ll also claim any relief you\u2019re eligible for, such as if you\u2019re a first-time buyer.

    ", + "

    If they do not do this for you, you can file a return and pay the tax yourself.

    ", + "

    There are certain situations where you do not need to send a return.

    ", + "

    You may be charged penalties and interest if you do not file your return and make your payment within 14 days of completion.

    ", + "

    Residential property rates

    ", + "

    You usually pay Stamp Duty Land Tax (SDLT) on increasing portions of the property price when you buy residential property, for example a house or flat. SDLT only applies to properties over a certain value.

    ", + "

    The amount you pay depends on:

    ", + "
  • when you bought the property
  • ", + "
  • how much you paid for it
  • ", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    You must send an SDLT return if you pay more than \u00a340,000 for a property - even if there\u2019s no SDLT due. There are some exemptions.

    ", + "

    Rates from 8 July 2020 to 30 June 2021

    ", + "

    You can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).

    ", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3500,000 | Zero", + "The next \u00a3425,000 (the portion from \u00a3500,001 to \u00a3925,000) | 5%", + "The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10%", + "The remaining amount (the portion above \u00a31.5 million) | 12%", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    Rates from 1 July 2021 to 30 September 2021

    ", + "

    You can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).

    ", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3250,000 | Zero", + "The next \u00a3675,000 (the portion from \u00a3250,001 to \u00a3925,000) | 5%", + "The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10%", + "The remaining amount (the portion above \u00a31.5 million) | 12%", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    Rates from 1 October 2021

    ", + "

    These rates also apply if you bought a property before 8 July 2020.

    ", + "

    You can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).

    ", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3125,000 | Zero", + "The next \u00a3125,000 (the portion from \u00a3125,001 to \u00a3250,000) | 2%", + "The next \u00a3675,000 (the portion from \u00a3250,001 to \u00a3925,000) | 5%", + "The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10%", + "The remaining amount (the portion above \u00a31.5 million) | 12%", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    If you\u2019re buying your first home

    ", + "

    You can claim a discount (relief) if you buy your first home before 8 July 2020 or from 1 July 2021. This means you\u2019ll pay:

    ", + "
  • no SDLT up to \u00a3300,000
  • ", + "
  • 5% SDLT on the portion from \u00a3300,001 to \u00a3500,000
  • ", + "

    You\u2019re eligible if you and anyone else you\u2019re buying with are first-time buyers.

    ", + "

    If the price is over \u00a3500,000, you follow the rules for people who\u2019ve bought a home before.

    ", + "

    New leasehold sales and transfers

    ", + "

    When you buy a new residential leasehold property you pay SDLT on the purchase price of the lease (the \u2018lease premium\u2019) using the rates above.

    ", + "

    If the total rent over the life of the lease (known as the \u2018net present value\u2019) is more than the SDLT threshold), you\u2019ll pay SDLT at 1% on the portion of net present value over:

    ", + "
  • \u00a3500,000 for purchases from 8 July 2020 to 30 June 2021
  • ", + "
  • \u00a3250,000 for purchases from 1 July 2021 to 30 September 2021
  • ", + "
  • \u00a3125,000 for purchases from 1 October 2021
  • ", + "

    This does not apply to existing (\u2018assigned\u2019) leases.

    ", + "

    You can work out how much SDLT you\u2019ll pay for your new residential lease using HMRC\u2019s:

    ", + "
  • SDLT calculator
  • ", + "
  • guidance on leasehold purchases
  • ", + "

    Higher rates for additional properties

    ", + "

    You\u2019ll usually have to pay 3% on top of SDLT rates if buying a new residential property means you\u2019ll own more than one.

    ", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    You may not have to pay the higher rates if you exchanged contracts before 26 November 2015.

    ", + "

    If you\u2019re replacing your main residence

    ", + "

    You will not pay the extra 3% SDLT if the property you\u2019re buying is replacing your main residence and that has already been sold.

    ", + "

    If you have not sold your main residence on the day you complete your new purchase you\u2019ll have to pay higher rates. This is because you own 2 properties.

    ", + "

    You can apply for a refund if you sell your previous main home within 36 months.

    ", + "

    There are special rules if you own property with someone else or already own a property outside England, Wales and Northern Ireland.

    ", + "

    If it takes longer than 36 months to sell your previous main home

    ", + "

    You may still be able to get a refund of the extra 3% SDLT if:

    ", + "
  • you purchased your new home on or after 1 January 2017
  • ", + "
  • the delay was outside your control, for example because of coronavirus (COVID-19) or a public authority blocking the sale
  • ", + "
  • you have now sold your old home
  • ", + "

    To claim a refund, write to HMRC and explain why the sale took longer than 36 months.

    ", + "

    Include:

    ", + "
  • your details
  • ", + "
  • details of the main buyer - if different to your own
  • ", + "
  • details of the property where higher rate SDLT was paid - including the address, date of purchase and SDLT unique transaction reference number
  • ", + "
  • details of the previous main residence - including the address, date of sale and SDLT unique transaction reference number
  • ", + "
  • the amount of higher rate SDLT paid
  • ", + "
  • the amount of tax you\u2019re asking for a repayment of
  • ", + "
  • a bank account and sort code for the person receiving the payment
  • ", + "

    Rates if you\u2019re not a UK resident

    ", + "

    If you\u2019re not present in the UK for at least 183 days (6 months) during the 12 months before your purchase you are \u2018not a UK resident\u2019 for the purposes of SDLT.

    ", + "

    You\u2019ll usually pay a 2% surcharge if you\u2019re buying a residential property in England or Northern Ireland on or after 1 April 2021.

    ", + "

    You may not have to pay a surcharge on certain properties, transactions or if you\u2019re a particular type of buyer. Check the rules on who has to pay the surcharge, when you do not have to pay, and if you can claim relief.

    ", + "

    If you have to pay the surcharge, you\u2019ll also have to pay any other rates of SDLT that apply, for example:

    ", + "
  • if you already own a property and you\u2019re buying an additional property
  • ", + "
  • if you\u2019re a first-time buyer
  • ", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    Special rates

    ", + "

    There are different SDLT rules and rate calculations for:

    ", + "
  • corporate bodies
  • ", + "
  • people buying 6 or more residential properties in one transaction
  • ", + "
  • shared ownership properties
  • ", + "
  • multiple purchases or transfers between the same buyer and seller (\u2018linked purchases\u2019)
  • ", + "
  • purchases that mean you own more than one property
  • ", + "
  • companies and trusts buying residential property
  • ", + "

    Rates for non-residential and mixed land and property

    ", + "

    You pay SDLT on increasing portions of the property price (or \u2018consideration\u2019) when you pay \u00a3150,000 or more for non-residential or mixed (also known as \u2018mixed use\u2019) land or property.

    ", + "

    You must still send an SDLT return for most transactions under \u00a3150,000.

    ", + "

    Non-residential property includes:

    ", + "
  • commercial property, for example shops or offices
  • ", + "
  • property that isn\u2019t suitable to be lived in
  • ", + "
  • forests
  • ", + "
  • agricultural land that\u2019s part of a working farm or used for agricultural reasons
  • ", + "
  • any other land or property that is not part of a dwelling\u2019s garden or grounds
  • ", + "
  • 6 or more residential properties bought in a single transaction
  • ", + "

    You pay residential SDLT rates on agricultural land if it\u2019s sold as part of the garden or grounds of a dwelling, for example a cottage with fields.

    ", + "

    A \u2018mixed\u2019 property is one that has both residential and non-residential elements, for example a flat connected to a shop, doctor\u2019s surgery or office.

    ", + "

    Use the SDLT calculator to work out how much tax you\u2019ll pay.

    ", + "

    Freehold sales and transfers

    ", + "

    You can also use this table to work out the SDLT rate for a lease premium.

    ", + "", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3150,000 | Zero", + "The next \u00a3100,000 (the portion from \u00a3150,001 to \u00a3250,000) | 2%", + "The remaining amount (the portion above \u00a3250,000) | 5%", + "

    New leasehold sales and transfers

    ", + "

    When you buy a new non-residential or mixed leasehold you pay SDLT on both the:

    ", + "
  • purchase price of the lease (the \u2018lease premium\u2019) using the rates above
  • ", + "
  • value of the annual rent you pay (the \u2018net present value\u2019)
  • ", + "

    These are calculated separately then added together.

    ", + "

    If you buy an existing (\u2018assigned\u2019) lease, you only pay SDLT on the lease price (or \u2018consideration\u2019).

    ", + "

    The net present value (NPV) is based on the total rent over the life of the lease. You do not pay SDLT on the rent if the NPV is less than \u00a3150,000.

    ", + "Net present value of rent | SDLT rate", + "\u00a30 to \u00a3150,000 | Zero", + "The portion from \u00a3150,001 to \u00a35,000,000 | 1%", + "The portion above \u00a35,000,000 | 2%", + "

    How much you\u2019ll pay

    ", + "

    You can work out how much SDLT you\u2019ll pay for your non-residential lease using HM Revenue and Customs\u2019 (HMRC):

    ", + "
  • SDLT calculator
  • ", + "
  • guidance on buying leasehold properties
  • ", + "

    You may pay a higher rate of SDLT for multiple purchases or transfers from the same seller.

    ", + "

    Using previous SDLT rates

    ", + "

    You may qualify for previous SDLT rates if you exchanged contracts before 17 March 2016 but completed on or after that date.

    ", + "

    If you qualify for the previous rates, you can choose to pay SDLT using the current or previous rates.

    ", + "

    Use HMRC\u2019s SDLT calculator to work out if you qualify and how much you\u2019ll pay using both rates.

    ", + "

    Enter the figure for the rate you choose in your SDLT return.

    ", + "

    Land and property transfers

    ", + "

    You may have to pay Stamp Duty Land Tax (SDLT) if the ownership of land or property is transferred to you in exchange for any payment or \u2018consideration\u2019.

    ", + "

    The rules around SDLT depend on the specific circumstances surrounding the transfer.

    ", + "

    HM Revenue and Customs (HMRC) has guidance on transfers:

    ", + "
  • as a result of marriage, civil partnerships or moving in together
  • ", + "
  • on divorce, separation or the end of a civil partnership
  • ", + "
  • of jointly owned property or land
  • ", + "
  • if the larger share is given as a gift
  • ", + "
  • given as a gift or left in a will
  • ", + "
  • to or from a company
  • ", + "

    Shared ownership property

    ", + "

    You may have to pay Stamp Duty Land Tax (SDLT) when you buy a property through a shared ownership scheme run by an approved public body.

    ", + "

    This includes:

    ", + "
  • local housing authorities
  • ", + "
  • housing associations
  • ", + "
  • housing action trusts
  • ", + "
  • the Northern Ireland Housing Executive
  • ", + "
  • the Commission for the New Towns
  • ", + "
  • development corporations
  • ", + "

    You can choose to either:

    ", + "
  • make a one-off payment based on the market value of the property (\u2018market value election\u2019)
  • ", + "
  • pay SDLT in stages
  • ", + "

    Market value election

    ", + "

    Submit a return and pay SDLT at the residential rate. Use the total market value of the property to calculate how much to pay - even if you\u2019re only buying a share.

    ", + "

    You do not pay any more SDLT after this, even if you buy a bigger share in the property later on.

    ", + "

    HM Revenue and Customs (HMRC) has guidance on SDLT if you do not have the right to the freehold.

    ", + "

    Paying in stages

    ", + "

    You make your first SDLT payment on the price you pay for the lease (the \u2018lease premium\u2019) if it\u2019s above the SDLT threshold. If the lease premium is below the threshold, you do not pay SDLT at this point - but you still have to submit a return.

    ", + "

    You may have to pay extra SDLT if the total rent over the life of the lease (known as the \u2018net present value\u2019) is more than the SDLT threshold.

    ", + "

    Work this out on HMRC\u2019s SDLT calculator. You pay SDLT of 1% on the amount over the threshold - add this to any SDLT you\u2019re paying on the lease premium.

    ", + "

    SDLT if you buy more shares

    ", + "

    If you buy any more shares in the property, you do not have to pay any more SDLT or send a return to HMRC until you own more than an 80% share.

    ", + "

    Once your share of the property goes over 80% you must send a return and pay SDLT on:

    ", + "
  • the transaction that took you over 80%
  • ", + "
  • any transactions after that
  • ", + "

    Calculating your SDLT

    ", + "

    To work out the SDLT if you buy more shares that take you over 80%:

    ", + "
  • Work out the SDLT due on the total you\u2019ve paid for the property to date - include any amounts you did not pay tax on. Use the SDLT rate that applies at the time you bought the new share. For example, if your total purchases before 8 July 2020 were \u00a3160,000, the SDLT due would be \u00a3700.
  • ", + "
  • Divide the amount you\u2019re paying for this share by the total amount you\u2019ve paid for the property to date. For example, if you\u2019re paying \u00a340,000 for this share, divide \u00a340,000 by \u00a3160,000 = 0.25.
  • ", + "
  • Multiply the two figures, for example SDLT of \u00a3700 multiplied by 0.25 = \u00a3175. This is the amount you would need to pay in SDLT for this share.
  • ", + "

    If you\u2019ve paid less than \u00a3500,000 for your property between 8 July 2020 and 30 June 2021, or less than \u00a3250,000 between 1 July 2021 and 30 September 2021, the amount of SDLT you\u2019d need to pay on any additional shares would be zero. This is because of the temporary SDLT rate.

    ", + "

    Additional tax if payments are linked

    ", + "

    You may have to pay extra SDLT on previous shares if they become \u2018linked\u2019 to later shares. Shares only become linked once you own over 80% of the property.

    ", + "

    You can read more about paying SDLT when you buy more shares.

    ", + "

    Reliefs and exemptions

    ", + "

    You may be eligible for Stamp Duty Land Tax (SDLT) reliefs if you\u2019re buying your first home and in certain other situations. These reliefs can reduce the amount of tax you pay.

    ", + "

    You must complete an SDLT return to claim relief, even if no tax is due.

    ", + "

    HM Revenue and Customs (HMRC) has guidance on SDLT reliefs for:

    ", + "
  • first-time buyers
  • ", + "
  • multiple dwellings
  • ", + "
  • building companies buying an individual\u2019s home
  • ", + "
  • employers buying an employee\u2019s house
  • ", + "
  • local authorities making compulsory purchases
  • ", + "
  • property developers providing amenities to communities
  • ", + "
  • companies transferring property to another company
  • ", + "
  • charities
  • ", + "
  • right to buy properties
  • ", + "
  • registered social landlords
  • ", + "
  • Crown employees
  • ", + "

    Exemptions

    ", + "

    You do not have to pay SDLT or file a return if:

    ", + "
  • no money or other payment changes hands for a land or property transfer
  • ", + "
  • property is left to you in a will
  • ", + "
  • property is transferred because of divorce or dissolution of a civil partnership
  • ", + "
  • you buy a freehold property for less than \u00a340,000
  • ", + "
  • you buy a new or assigned lease of 7 years or more, as long as the premium is less than \u00a340,000 and the annual rent is less than \u00a31,000
  • ", + "
  • you buy a new or assigned lease of less than 7 years, as long as the amount you pay is less than the residential or non-residential SDLT threshold
  • ", + "
  • you use alternative property financial arrangements, for example to comply with Sharia law
  • ", + "

    Read HMRC\u2019s guidance on transactions that do not need a return.

    " + ] + }, + "https://www.gov.uk/stay-in-home-during-separation-or-divorce": { + "url": "https://www.gov.uk/stay-in-home-during-separation-or-divorce", + "title": "Staying in your partner's property during a divorce or separation", + "content": "## Overview\n\nYou can register your \u2018home rights\u2019 with HM Land Registry - this can help stop your partner from selling your home.\n\nYour rights are different if you own the property jointly with your spouse or civil partner.\n\nYou cannot apply for home rights if your spouse or civil partner owns the property with someone else - unless your spouse or civil partner would get all the money if the property was sold (also known as being the \u2018sole beneficial owner\u2019).\n\nThis guide is also available in Welsh (Cymraeg).\n\nIf you\u2019re not married or in a civil partnership, Citizens Advice have guidance on what happens when you separate.\n\n## Before you apply for home rights\n\nYou\u2019ll need to know if the property is registered in your partner\u2019s name, and its title number if it is.\n\nYou can search the register to find this information.\n\n## How to apply\n\nYou must complete a different application process for home rights depending on whether:\n\n- the property is registered\n\n- the property is unregistered\n\n## How long you can stay in the property\n\nYou can usually only live in the property until the divorce, annulment or dissolution has been finalised and a court settlement agreed.\n\nYou may be able to continue living in the property for longer, for example during an ongoing dispute about who owns what, if a court has made a \u2018continuation order\u2019 allowing you to do this.\n\n## What else you can do\n\nYou may be able to take legal action against your partner if they try to:\n\n- make you move out\n\n- stop you moving back into a home you\u2019re not currently living in, for example if you moved out temporarily\n\nA solicitor can advise you about this.\n\n## Apply if the property is registered\n\nDownload and fill in the application for registration of a notice for home rights.\n\nSend it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\nYou\u2019ll get a letter from HM Land Registry telling you when they\u2019ve registered your rights. Your spouse or civil partner will also get a letter telling them you\u2019ve done this.\n\n## If you want to move to a different property\n\nYou can only protect your right to live in one property at a time.\n\nYou can ask HM Land Registry to transfer your home rights to another property owned by your spouse or civil partner if you\u2019ve already got home rights for one property.\n\nDownload and fill in the application for registration of a notice for home rights.\n\nSend it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\nFollow the application process for unregistered properties if the property you\u2019re moving into is not registered - you can search the register to find out if it\u2019s registered.\n\n## Staying in the property after divorce or separation\n\nYou may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.\n\nHow you apply depends on whether you\u2019ve already registered your home rights.\n\nDownload and fill in either an:\n\n- application for renewal of registration in respect of home rights - if you\u2019ve registered your home rights\n\n- application for registration of a notice for home rights - if you have not registered your home rights\n\nSend the form, along with an official copy of the court\u2019s continuation order, to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\nYou\u2019ll get a letter from HM Land Registry telling you when they\u2019ve registered your continued rights. Your ex-spouse or civil partner will also get a letter telling them you\u2019ve done this.\n\n## Apply if the property is unregistered\n\nDownload and fill in the application for registration of a \u2018Class F Land Charge\u2019.\n\nThere\u2019s a \u00a31 fee - payment instructions are on the form.\n\nSend the form and payment to the address on the form.\n\n## If you want to move to a different property\n\nYou can only protect your right to live in one property at a time.\n\nYou can ask HM Land Registry to transfer your home rights to another property owned by your spouse or civil partner if you\u2019ve already registered your right to live in one property.\n\nDownload and fill in the application for registration of a \u2018Class F Land Charge\u2019.\n\nThere\u2019s a \u00a31 fee - payment instructions are on the form.\n\nSend the form and payment to the address on the form.\n\nFollow the application process for registered properties if the property you\u2019re moving into is registered - you can search the register to find out if it\u2019s registered.\n\n## Staying in the property after divorce or separation\n\nYou may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.\n\nHow you apply depends on whether you\u2019ve already registered your home rights.\n\nDownload and fill in either an:\n\n- application for the renewal of a registration of a \u2018Class F Land Charge\u2019 - if you have home rights\n\n- application for registration of a \u2018Class F Land Charge\u2019 - if you do not have home rights\n\nThere\u2019s a \u00a31 fee - payment instructions are on the form.\n\nSend the form and payment to the address on the form.\n\nYou\u2019ll get a letter from HM Land Registry when they\u2019ve registered your continued rights.\n\nYour ex-spouse or civil partner will also get a letter telling them you\u2019ve made the application.", + "original_contents": [ + "

    Overview

    ", + "

    You can register your \u2018home rights\u2019 with HM Land Registry - this can help stop your partner from selling your home.

    ", + "

    Your rights are different if you own the property jointly with your spouse or civil partner.

    ", + "

    You cannot apply for home rights if your spouse or civil partner owns the property with someone else - unless your spouse or civil partner would get all the money if the property was sold (also known as being the \u2018sole beneficial owner\u2019).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you\u2019re not married or in a civil partnership, Citizens Advice have guidance on what happens when you separate.

    ", + "

    Before you apply for home rights

    ", + "

    You\u2019ll need to know if the property is registered in your partner\u2019s name, and its title number if it is.

    ", + "

    You can search the register to find this information.

    ", + "

    How to apply

    ", + "

    You must complete a different application process for home rights depending on whether:

    ", + "
  • the property is registered
  • ", + "
  • the property is unregistered
  • ", + "

    How long you can stay in the property

    ", + "

    You can usually only live in the property until the divorce, annulment or dissolution has been finalised and a court settlement agreed.

    ", + "

    You may be able to continue living in the property for longer, for example during an ongoing dispute about who owns what, if a court has made a \u2018continuation order\u2019 allowing you to do this.

    ", + "

    What else you can do

    ", + "

    You may be able to take legal action against your partner if they try to:

    ", + "
  • make you move out
  • ", + "
  • stop you moving back into a home you\u2019re not currently living in, for example if you moved out temporarily
  • ", + "

    A solicitor can advise you about this.

    ", + "

    Apply if the property is registered

    ", + "

    Download and fill in the application for registration of a notice for home rights.

    ", + "

    Send it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.

    ", + "

    You\u2019ll get a letter from HM Land Registry telling you when they\u2019ve registered your rights. Your spouse or civil partner will also get a letter telling them you\u2019ve done this.

    ", + "

    If you want to move to a different property

    ", + "

    You can only protect your right to live in one property at a time.

    ", + "

    You can ask HM Land Registry to transfer your home rights to another property owned by your spouse or civil partner if you\u2019ve already got home rights for one property.

    ", + "

    Download and fill in the application for registration of a notice for home rights.

    ", + "

    Send it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.

    ", + "

    Follow the application process for unregistered properties if the property you\u2019re moving into is not registered - you can search the register to find out if it\u2019s registered.

    ", + "

    Staying in the property after divorce or separation

    ", + "

    You may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.

    ", + "

    How you apply depends on whether you\u2019ve already registered your home rights.

    ", + "

    Download and fill in either an:

    ", + "
  • application for renewal of registration in respect of home rights - if you\u2019ve registered your home rights
  • ", + "
  • application for registration of a notice for home rights - if you have not registered your home rights
  • ", + "

    Send the form, along with an official copy of the court\u2019s continuation order, to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.

    ", + "

    You\u2019ll get a letter from HM Land Registry telling you when they\u2019ve registered your continued rights. Your ex-spouse or civil partner will also get a letter telling them you\u2019ve done this.

    ", + "

    Apply if the property is unregistered

    ", + "

    Download and fill in the application for registration of a \u2018Class F Land Charge\u2019.

    ", + "

    There\u2019s a \u00a31 fee - payment instructions are on the form.

    ", + "

    Send the form and payment to the address on the form.

    ", + "

    If you want to move to a different property

    ", + "

    You can only protect your right to live in one property at a time.

    ", + "

    You can ask HM Land Registry to transfer your home rights to another property owned by your spouse or civil partner if you\u2019ve already registered your right to live in one property.

    ", + "

    Download and fill in the application for registration of a \u2018Class F Land Charge\u2019.

    ", + "

    There\u2019s a \u00a31 fee - payment instructions are on the form.

    ", + "

    Send the form and payment to the address on the form.

    ", + "

    Follow the application process for registered properties if the property you\u2019re moving into is registered - you can search the register to find out if it\u2019s registered.

    ", + "

    Staying in the property after divorce or separation

    ", + "

    You may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.

    ", + "

    How you apply depends on whether you\u2019ve already registered your home rights.

    ", + "

    Download and fill in either an:

    ", + "
  • application for the renewal of a registration of a \u2018Class F Land Charge\u2019 - if you have home rights
  • ", + "
  • application for registration of a \u2018Class F Land Charge\u2019 - if you do not have home rights
  • ", + "

    There\u2019s a \u00a31 fee - payment instructions are on the form.

    ", + "

    Send the form and payment to the address on the form.

    ", + "

    You\u2019ll get a letter from HM Land Registry when they\u2019ve registered your continued rights.

    ", + "

    Your ex-spouse or civil partner will also get a letter telling them you\u2019ve made the application.

    " + ] + }, + "https://www.gov.uk/tax-sell-property": { + "url": "https://www.gov.uk/tax-sell-property", + "title": "Tax when you sell property", + "content": "## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:\n\n- buy-to-let properties\n\n- business premises\n\n- land\n\n- inherited property\n\nThere are different rules if you:\n\n- sell your home\n\n- live abroad\n\n- are a company registered abroad\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you do not pay\n\nYou do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou may get tax relief if the property is a business asset.\n\nIf the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.\n\n## If you need to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your property and the amount you got when you sold (or \u2018disposed of\u2019) it.\n\nIf your combined capital gains are over your allowance for the year you\u2019ll have to report and pay Capital Gains Tax.\n\n## Market value\n\nIn some situations you should use the market value of the property when working out your gain. Do this if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Selling in special circumstances\n\nThere are special rules for calculating your gain if:\n\n- you live abroad\n\n- you sell a lease or part of your land\n\n- your property is compulsorily purchased\n\n## Jointly owned property\n\nIf you own property jointly with other people, work out the gain for the share that you own.\n\n## Deduct costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension (normal maintenance costs, such as decorating, do not count)\n\n## Reliefs\n\nYou may get tax relief if the property was:\n\n- your home\n\n- a business asset\n\n- occupied by a dependent relative - find out more in the guidance on Private Residence Relief\n\n## Work out if you need to pay\n\nOnce you know what your gain on the property is, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold land\n\n- sold business premises\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax on property\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\n## Businesses\n\nYou may get tax relief if you sell property that you use for business. This may reduce or delay the amount of Capital Gains Tax you pay.\n\nIf the purpose of your business is to buy and sell property (you\u2019re a property developer, for example) you do not pay Capital Gains Tax when you sell a property. Instead, you pay:\n\n- Income Tax - if you\u2019re a sole trader or partner\n\n- Corporation Tax - if you\u2019re a limited company\n\nThere are special rules for limited companies that dispose of a single residential property worth more than \u00a32 million.\n\n## Selling overseas property\n\nYou pay Capital Gains Tax when you \u2018dispose of\u2019 overseas property if you\u2019re resident in the UK.\n\nThere are special rules if you\u2019re resident in the UK but your permanent home (\u2018domicile\u2019) is abroad.\n\nYou may also have to pay tax in the country you made the gain. If you\u2019re taxed twice, you may be able to claim relief.\n\n## If you\u2019re non-resident\n\nNon-residents may have to pay UK tax on overseas property if they return to the UK within 5 years of leaving.", + "original_contents": [ + "

    What you pay it on

    ", + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:

    ", + "
  • buy-to-let properties
  • ", + "
  • business premises
  • ", + "
  • land
  • ", + "
  • inherited property
  • ", + "

    There are different rules if you:

    ", + "
  • sell your home
  • ", + "
  • live abroad
  • ", + "
  • are a company registered abroad
  • ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    When you do not pay

    ", + "

    You do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.

    ", + "

    You may get tax relief if the property is a business asset.

    ", + "

    If the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.

    ", + "

    If you need to pay

    ", + "

    You must report and pay any Capital Gains Tax on most sales of UK property within 30 days.

    ", + "

    Work out your gain

    ", + "

    Your gain is usually the difference between what you paid for your property and the amount you got when you sold (or \u2018disposed of\u2019) it.

    ", + "

    If your combined capital gains are over your allowance for the year you\u2019ll have to report and pay Capital Gains Tax.

    ", + "

    Market value

    ", + "

    In some situations you should use the market value of the property when working out your gain. Do this if:

    ", + "
  • it was a gift (there are different rules if it was to your spouse, civil partner or a charity)
  • ", + "
  • you sold it for less than it was worth to help the buyer
  • ", + "
  • you inherited it (and do not know the Inheritance Tax value)
  • ", + "
  • you owned it before April 1982
  • ", + "

    Selling in special circumstances

    ", + "

    There are special rules for calculating your gain if:

    ", + "
  • you live abroad
  • ", + "
  • you sell a lease or part of your land
  • ", + "
  • your property is compulsorily purchased
  • ", + "

    Jointly owned property

    ", + "

    If you own property jointly with other people, work out the gain for the share that you own.

    ", + "

    Deduct costs

    ", + "

    You can deduct costs of buying, selling or improving your property from your gain. These include:

    ", + "
  • estate agents\u2019 and solicitors\u2019 fees
  • ", + "
  • costs of improvement works, for example for an extension (normal maintenance costs, such as decorating, do not count)
  • ", + "

    Reliefs

    ", + "

    You may get tax relief if the property was:

    ", + "
  • your home
  • ", + "
  • a business asset
  • ", + "
  • occupied by a dependent relative - find out more in the guidance on Private Residence Relief
  • ", + "

    Work out if you need to pay

    ", + "

    Once you know what your gain on the property is, you can calculate if you need to report and pay Capital Gains Tax.

    ", + "

    You cannot use the calculator if you:

    ", + "
  • sold land
  • ", + "
  • sold business premises
  • ", + "
  • sold other chargeable assets in the tax year, for example shares
  • ", + "
  • reduced your share of a property that you still jointly own
  • ", + "
  • claim any reliefs other than Private Residence Relief or Letting Relief
  • ", + "
  • are a company, agent, trustee or personal representative
  • ", + "

    Calculate Capital Gains Tax on property

    ", + "

    If you have Capital Gains Tax to pay

    ", + "

    You must report and pay any Capital Gains Tax on most sales of UK property within 30 days.

    ", + "

    Reporting a loss

    ", + "

    The rules are different if you need to report a loss.

    ", + "

    Businesses

    ", + "

    You may get tax relief if you sell property that you use for business. This may reduce or delay the amount of Capital Gains Tax you pay.

    ", + "

    If the purpose of your business is to buy and sell property (you\u2019re a property developer, for example) you do not pay Capital Gains Tax when you sell a property. Instead, you pay:

    ", + "
  • Income Tax - if you\u2019re a sole trader or partner
  • ", + "
  • Corporation Tax - if you\u2019re a limited company
  • ", + "

    There are special rules for limited companies that dispose of a single residential property worth more than \u00a32 million.

    ", + "

    Selling overseas property

    ", + "

    You pay Capital Gains Tax when you \u2018dispose of\u2019 overseas property if you\u2019re resident in the UK.

    ", + "

    There are special rules if you\u2019re resident in the UK but your permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    You may also have to pay tax in the country you made the gain. If you\u2019re taxed twice, you may be able to claim relief.

    ", + "

    If you\u2019re non-resident

    ", + "

    Non-residents may have to pay UK tax on overseas property if they return to the UK within 5 years of leaving.

    " + ] + }, + "https://www.gov.uk/tenancy-deposit-protection": { + "url": "https://www.gov.uk/tenancy-deposit-protection", + "title": "Tenancy deposit protection", + "content": "## Overview\n\nYour landlord must put your deposit in a government-approved tenancy deposit scheme (TDP) if you rent your home on an assured shorthold tenancy that started after 6 April 2007. In England and Wales your deposit can be registered with:\n\n- Deposit Protection Service\n\n- MyDeposits - including deposits that were held by Capita\n\n- Tenancy Deposit Scheme\n\nIf you don\u2019t rent your home on an assured shorthold tenancy, your landlord can accept valuable items (for example a car or watch) as a deposit instead of money. The items won\u2019t be protected by a scheme.\n\nThere are separate TDP schemes in Scotland and Northern Ireland.\n\nThey make sure you\u2019ll get your deposit back if you:\n\n- meet the terms of your tenancy agreement\n\n- don\u2019t damage the property\n\n- pay your rent and bills\n\nYour landlord or letting agent must put your deposit in the scheme within 30 days of getting it.\n\n## At the end of your tenancy\n\nYour landlord must return your deposit within 10 days of you both agreeing how much you\u2019ll get back.\n\nIf you\u2019re in a dispute with your landlord, then your deposit will be protected in the TDP scheme until the issue is sorted out.\n\n## Holding deposits\n\nYour landlord doesn\u2019t have to protect a holding deposit (money you pay to \u2018hold\u2019 a property before an agreement is signed). Once you become a tenant, the holding deposit becomes a deposit, which they must protect.\n\n## Deposits made by a third party\n\nYour landlord must use a TDP scheme even if your deposit is paid by someone else, such as a rent deposit scheme or your parents.\n\n## Information landlords must give tenants\n\nOnce your landlord has received your deposit, they have 30 days to tell you:\n\n- the address of the rented property\n\n- how much deposit you\u2019ve paid\n\n- how the deposit is protected\n\n- the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service\n\n- their (or the letting agency\u2019s) name and contact details\n\n- the name and contact details of any third party that\u2019s paid the deposit\n\n- why they would keep some or all of the deposit\n\n- how to apply to get the deposit back\n\n- what to do if you can\u2019t get hold of the landlord at the end of the tenancy\n\n- what to do if there\u2019s a dispute over the deposit\n\n## If your landlord doesn't protect your deposit\n\nContact a tenancy deposit scheme (TDP) if you\u2019re not sure whether your deposit has been protected.\n\nContact MyDeposits if your deposit was held by Capita.\n\n## Getting your deposit back\n\nYou can apply to your local county court if you think your landlord hasn\u2019t used a TDP scheme when they should have.\n\nGet legal advice before applying to court. You do not need a solicitor to do this.\n\n## Before going to court\n\nIt can be quicker and cheaper to write to your landlord, rather than going to court.\n\nIf you cannot come to an agreement, you can apply to the court for compensation.\n\n## Apply to a county court\n\nApply using Form N208: Claim form.\n\nThe court fee is \u00a3308. You can claim this back from your landlord if you win your case.\n\nYou can apply for money off your court fee if you claim certain benefits or have a low income.\n\n## What happens next\n\nIf the court finds your landlord has not protected your deposit, it can order them to either:\n\n- repay it to you\n\n- pay it into a TDP scheme\u2019s bank account within 14 days\n\nThe court may also order the landlord to pay you up to 3 times the deposit within 14 days of making the order.\n\n## At the end of the tenancy\n\nThe court may decide that you won\u2019t have to leave the property when the tenancy ends if your landlord hasn\u2019t used a TDP scheme when they should have.\n\n## Disputes and problems\n\n## If there\u2019s a dispute over a deposit\n\nYour tenancy deposit protection (TDP) scheme offers a free dispute resolution service if you disagree with your landlord about how much deposit should be returned.\n\nYou don\u2019t have to use the service but if you do, both you and the landlord have to agree to it. You\u2019ll both be asked to provide evidence, and the decision made about your deposit will be final.\n\n## If you can\u2019t contact the landlord\n\nYou can \u2018raise a dispute\u2019 to get your deposit back if you can\u2019t contact your landlord and your deposit is held by one of the approved TDP schemes:\n\n- MyDeposits\n\n- Tenancy Deposit Scheme\n\n- Deposit Protection Service\n\nContact MyDeposits if your deposit was held by Capita.\n\nThe TDP scheme will refund your deposit if the dispute resolution service agrees.\n\nThere may be a limit on the time you have to raise a dispute. Contact the TDP scheme as soon as possible.\n\n## If your deposit is not held by an approved TDP scheme\n\nYou may be able to apply to your local county court to get your deposit back if your deposit was not protected by an approved TDP scheme.\n\nYou should write to your landlord and your letting agent (if you have one) before you make a claim. Your landlord or agent may offer to pay your deposit back after they get a letter to avoid legal costs.\n\n## Get help and advice\n\nYou can get more help and advice from:\n\n- your local Citizens Advice office\n\n- a solicitor or advice agency\n\n- Shelter in England or Shelter in Wales", + "original_contents": [ + "

    Overview

    ", + "

    Your landlord must put your deposit in a government-approved tenancy deposit scheme (TDP) if you rent your home on an assured shorthold tenancy that started after 6 April 2007. In England and Wales your deposit can be registered with:

    ", + "
  • Deposit Protection Service
  • ", + "
  • MyDeposits - including deposits that were held by Capita
  • ", + "
  • Tenancy Deposit Scheme
  • ", + "

    If you don\u2019t rent your home on an assured shorthold tenancy, your landlord can accept valuable items (for example a car or watch) as a deposit instead of money. The items won\u2019t be protected by a scheme.

    ", + "

    There are separate TDP schemes in Scotland and Northern Ireland.

    ", + "

    They make sure you\u2019ll get your deposit back if you:

    ", + "
  • meet the terms of your tenancy agreement
  • ", + "
  • don\u2019t damage the property
  • ", + "
  • pay your rent and bills
  • ", + "

    Your landlord or letting agent must put your deposit in the scheme within 30 days of getting it.

    ", + "

    At the end of your tenancy

    ", + "

    Your landlord must return your deposit within 10 days of you both agreeing how much you\u2019ll get back.

    ", + "

    If you\u2019re in a dispute with your landlord, then your deposit will be protected in the TDP scheme until the issue is sorted out.

    ", + "

    Holding deposits

    ", + "

    Your landlord doesn\u2019t have to protect a holding deposit (money you pay to \u2018hold\u2019 a property before an agreement is signed). Once you become a tenant, the holding deposit becomes a deposit, which they must protect.

    ", + "

    Deposits made by a third party

    ", + "

    Your landlord must use a TDP scheme even if your deposit is paid by someone else, such as a rent deposit scheme or your parents.

    ", + "

    Information landlords must give tenants

    ", + "

    Once your landlord has received your deposit, they have 30 days to tell you:

    ", + "
  • the address of the rented property
  • ", + "
  • how much deposit you\u2019ve paid
  • ", + "
  • how the deposit is protected
  • ", + "
  • the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service
  • ", + "
  • their (or the letting agency\u2019s) name and contact details
  • ", + "
  • the name and contact details of any third party that\u2019s paid the deposit
  • ", + "
  • why they would keep some or all of the deposit
  • ", + "
  • how to apply to get the deposit back
  • ", + "
  • what to do if you can\u2019t get hold of the landlord at the end of the tenancy
  • ", + "
  • what to do if there\u2019s a dispute over the deposit
  • ", + "

    If your landlord doesn't protect your deposit

    ", + "

    Contact a tenancy deposit scheme (TDP) if you\u2019re not sure whether your deposit has been protected.

    ", + "

    Contact MyDeposits if your deposit was held by Capita.

    ", + "

    Getting your deposit back

    ", + "

    You can apply to your local county court if you think your landlord hasn\u2019t used a TDP scheme when they should have.

    ", + "

    Get legal advice before applying to court. You do not need a solicitor to do this.

    ", + "

    Before going to court

    ", + "

    It can be quicker and cheaper to write to your landlord, rather than going to court.

    ", + "

    If you cannot come to an agreement, you can apply to the court for compensation.

    ", + "

    Apply to a county court

    ", + "

    Apply using Form N208: Claim form.

    ", + "

    The court fee is \u00a3308. You can claim this back from your landlord if you win your case.

    ", + "

    You can apply for money off your court fee if you claim certain benefits or have a low income.

    ", + "

    What happens next

    ", + "

    If the court finds your landlord has not protected your deposit, it can order them to either:

    ", + "
  • repay it to you
  • ", + "
  • pay it into a TDP scheme\u2019s bank account within 14 days
  • ", + "

    The court may also order the landlord to pay you up to 3 times the deposit within 14 days of making the order.

    ", + "

    At the end of the tenancy

    ", + "

    The court may decide that you won\u2019t have to leave the property when the tenancy ends if your landlord hasn\u2019t used a TDP scheme when they should have.

    ", + "

    Disputes and problems

    ", + "

    If there\u2019s a dispute over a deposit

    ", + "

    Your tenancy deposit protection (TDP) scheme offers a free dispute resolution service if you disagree with your landlord about how much deposit should be returned.

    ", + "

    You don\u2019t have to use the service but if you do, both you and the landlord have to agree to it. You\u2019ll both be asked to provide evidence, and the decision made about your deposit will be final.

    ", + "

    If you can\u2019t contact the landlord

    ", + "

    You can \u2018raise a dispute\u2019 to get your deposit back if you can\u2019t contact your landlord and your deposit is held by one of the approved TDP schemes:

    ", + "
  • MyDeposits
  • ", + "
  • Tenancy Deposit Scheme
  • ", + "
  • Deposit Protection Service
  • ", + "

    Contact MyDeposits if your deposit was held by Capita.

    ", + "

    The TDP scheme will refund your deposit if the dispute resolution service agrees.

    ", + "

    There may be a limit on the time you have to raise a dispute. Contact the TDP scheme as soon as possible.

    ", + "

    If your deposit is not held by an approved TDP scheme

    ", + "

    You may be able to apply to your local county court to get your deposit back if your deposit was not protected by an approved TDP scheme.

    ", + "

    You should write to your landlord and your letting agent (if you have one) before you make a claim. Your landlord or agent may offer to pay your deposit back after they get a letter to avoid legal costs.

    ", + "

    Get help and advice

    ", + "

    You can get more help and advice from:

    ", + "
  • your local Citizens Advice office
  • ", + "
  • a solicitor or advice agency
  • ", + "
  • Shelter in England or Shelter in Wales
  • " + ] + }, + "https://www.gov.uk/your-property-boundaries": { + "url": "https://www.gov.uk/your-property-boundaries", + "title": "Your property boundaries", + "content": "## Overview\n\nIf you live in England or Wales, there\u2019s usually no record of:\n\n- the exact boundary between two properties\n\n- who owns the hedge, wall, tree or fence between 2 properties\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can get an idea of where the boundaries for your property are by looking at its title plan. Most title plans don\u2019t show exact boundaries - you usually don\u2019t need to have the exact boundaries recorded anywhere.\n\nThe rules are different in Scotland and Northern Ireland.\n\nYou can apply to get the title plan corrected if you think there\u2019s a mistake on it.\n\n## Record the boundary more precisely\n\nYou can do this by:\n\n- making a boundary agreement with your neighbour\n\n- applying for a determined boundary\n\n## Make a boundary agreement with your neighbour\n\nYou can usually avoid having to create a boundary agreement by having an informal discussion with your neighbour.\n\n## Get help in solving disagreements\n\nUse the Royal Institution of Chartered Surveyors Helpline Scheme to get advice on solving disagreements over boundaries.\n\n## What a boundary agreement can do\n\nYou and your neighbour can create a \u2018boundary agreement\u2019 to record:\n\n- the boundary between 2 properties\n\n- who\u2019s responsible for maintaining a hedge, wall, tree or fence between 2 properties\n\nGet legal advice if you\u2019re thinking about making a boundary agreement.\n\n## What a boundary agreement can\u2019t do\n\nYou can\u2019t use a boundary agreement to sell or give away part of your land to your neighbour.\n\nGet legal advice if you want to make sure the boundary agreement is still valid after you or your neighbour sell your property.\n\n## What to include in a boundary agreement\n\nYour boundary agreement must include:\n\n- your name and address\n\n- your neighbour\u2019s name and address\n\n- the date the agreement begins\n\n- the boundary you\u2019ve agreed\n\nYou can include the boundary using:\n\n- a written description\n\n- a copy of an Ordnance Survey map - you can draw or write on it to show the boundary\n\n- a map you\u2019ve drawn yourself\n\n## Example of a boundary agreement\n\n\u201cBoundary Agreement\n\nThis agreement is made on 15th July 2017 between John Smith of 10 Acacia Avenue, title to which is registered under title number XX12345, and Mary Brown of 12 Acacia Avenue, title to which is registered under title number XX67891.\n\nThe parties agree that the legal boundary between the land within their respective registered titles, and running from the point marked \u2018A\u2019 to the point marked \u2018B\u2019 on the plan attached, is as shown by the red line drawn between those points.\n\nSigned\n\n[Witness (Signature, name and address)]\n\nSigned\n\n[Witness (Signature, name and address)]\u201d\n\n## Record your boundary agreement\n\nFill in an application to change the register (AP1).\n\nIn section 4 under \u2018Applications in priority order\u2019, write: \u201cTo note a boundary agreement\u201d. Under \u2018Fees paid (\u00a3)\u2019 write \u201c\u00a340\u201d.\n\nYou don\u2019t need to fill in sections 9 to 14.\n\nYou\u2019ll need to send:\n\n- the completed AP1 form\n\n- a copy of the boundary agreement\n\n- a cheque or postal order for \u00a340, payable to \u2018HMLR\u2019 or \u2018HM Land Registry\u2019\n\nSend the documents and fee to:\n\nHM Land Registry will update the register for your property and send a copy of the updated register back to you. They\u2019ll do the same for your neighbour.\n\n## Apply to record the exact boundary\n\nYou can apply to have the exact boundary between your property and your neighbour\u2019s recorded. This is known as applying for a \u2018determined boundary\u2019.\n\nYou can only do this if your property is registered.\n\nA determined boundary will still be valid if you or your neighbour sell your property.\n\nYour application may be referred to a tribunal if your neighbour doesn\u2019t agree with it. Get legal advice before making an application.\n\nCheck your property\u2019s title plan and register to see if it already has a determined boundary.\n\n## Apply for a determined boundary\n\nYou\u2019ll need to send:\n\n- a plan showing the determined boundary - ask a chartered land surveyor to make this\n\n- evidence that supports your application\n\n- a completed exact line of boundary (DB) form\n\n## Evidence that supports your application\n\nSend any evidence you have that justifies the surveyor\u2019s boundary. This could include:\n\n- certified copies of the deeds to your property from before the property was registered\n\n- an expert\u2019s report\n\n- a written statement signed in front of a solicitor, a magistrate or a commissioner of oaths\n\n## Send your application\n\nThe application costs \u00a390. You\u2019ll also need to pay the surveyor and the solicitor a fee.\n\nIf your neighbour agrees with your application, they\u2019ll need to sign the form and the plan as well.\n\nSend everything to:\n\nIf your application is successful, HM Land Registry (HMLR) will send you a copy of your updated title plan and register. They\u2019ll also send your neighbour a copy of their updated title plan and register.\n\n## If your neighbour objects to your application\n\nHMLR will decide whether the objection is valid. If it is, they\u2019ll give you and your neighbour the chance to come to an agreement.\n\nIf you can\u2019t, they\u2019ll pass your application to a tribunal. You may need to pay for legal advice and advice from a surveyor if this happens.\n\n## If the tribunal approves your application\n\nHMLR will send you a copy of your updated title plan and register. They\u2019ll record the determined boundary in the register.\n\n## If the tribunal rejects your application\n\nThe tribunal will either decide where the exact boundary should be, or decide not to set the exact boundary.\n\nYou may need to pay your neighbour\u2019s costs.\n\n## Correct a boundary mistake on a title plan\n\nWrite to HM Land Registry (HMLR) if you think there\u2019s a boundary mistake on a property\u2019s title plan.\n\nYou\u2019ll need to:\n\n- explain why you think there\u2019s a mistake\n\n- include any evidence that supports your argument, such as certified copies of the deeds to the property\n\nSend everything to:\n\nIf HMLR finds that there\u2019s a mistake, they\u2019ll tell you how to correct it.", + "original_contents": [ + "

    Overview

    ", + "

    If you live in England or Wales, there\u2019s usually no record of:

    ", + "
  • the exact boundary between two properties
  • ", + "
  • who owns the hedge, wall, tree or fence between 2 properties
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You can get an idea of where the boundaries for your property are by looking at its title plan. Most title plans don\u2019t show exact boundaries - you usually don\u2019t need to have the exact boundaries recorded anywhere.

    ", + "

    The rules are different in Scotland and Northern Ireland.

    ", + "

    You can apply to get the title plan corrected if you think there\u2019s a mistake on it.

    ", + "

    Record the boundary more precisely

    ", + "

    You can do this by:

    ", + "
  • making a boundary agreement with your neighbour
  • ", + "
  • applying for a determined boundary
  • ", + "

    Make a boundary agreement with your neighbour

    ", + "

    You can usually avoid having to create a boundary agreement by having an informal discussion with your neighbour.

    ", + "

    Get help in solving disagreements

    ", + "

    Use the Royal Institution of Chartered Surveyors Helpline Scheme to get advice on solving disagreements over boundaries.

    ", + "

    What a boundary agreement can do

    ", + "

    You and your neighbour can create a \u2018boundary agreement\u2019 to record:

    ", + "
  • the boundary between 2 properties
  • ", + "
  • who\u2019s responsible for maintaining a hedge, wall, tree or fence between 2 properties
  • ", + "

    Get legal advice if you\u2019re thinking about making a boundary agreement.

    ", + "

    What a boundary agreement can\u2019t do

    ", + "

    You can\u2019t use a boundary agreement to sell or give away part of your land to your neighbour.

    ", + "

    Get legal advice if you want to make sure the boundary agreement is still valid after you or your neighbour sell your property.

    ", + "

    What to include in a boundary agreement

    ", + "

    Your boundary agreement must include:

    ", + "
  • your name and address
  • ", + "
  • your neighbour\u2019s name and address
  • ", + "
  • the date the agreement begins
  • ", + "
  • the boundary you\u2019ve agreed
  • ", + "

    You can include the boundary using:

    ", + "
  • a written description
  • ", + "
  • a copy of an Ordnance Survey map - you can draw or write on it to show the boundary
  • ", + "
  • a map you\u2019ve drawn yourself
  • ", + "

    Example of a boundary agreement

    ", + "

    \u201cBoundary Agreement

    ", + "

    This agreement is made on 15th July 2017 between John Smith of 10 Acacia Avenue, title to which is registered under title number XX12345, and Mary Brown of 12 Acacia Avenue, title to which is registered under title number XX67891.

    ", + "

    The parties agree that the legal boundary between the land within their respective registered titles, and running from the point marked \u2018A\u2019 to the point marked \u2018B\u2019 on the plan attached, is as shown by the red line drawn between those points.

    ", + "

    Signed

    ", + "

    [Witness (Signature, name and address)]

    ", + "

    Signed

    ", + "

    [Witness (Signature, name and address)]\u201d

    ", + "

    Record your boundary agreement

    ", + "

    Fill in an application to change the register (AP1).

    ", + "

    In section 4 under \u2018Applications in priority order\u2019, write: \u201cTo note a boundary agreement\u201d. Under \u2018Fees paid (\u00a3)\u2019 write \u201c\u00a340\u201d.

    ", + "

    You don\u2019t need to fill in sections 9 to 14.

    ", + "

    You\u2019ll need to send:

    ", + "
  • the completed AP1 form
  • ", + "
  • a copy of the boundary agreement
  • ", + "
  • a cheque or postal order for \u00a340, payable to \u2018HMLR\u2019 or \u2018HM Land Registry\u2019
  • ", + "

    Send the documents and fee to:

    ", + "

    HM Land Registry will update the register for your property and send a copy of the updated register back to you. They\u2019ll do the same for your neighbour.

    ", + "

    Apply to record the exact boundary

    ", + "

    You can apply to have the exact boundary between your property and your neighbour\u2019s recorded. This is known as applying for a \u2018determined boundary\u2019.

    ", + "

    You can only do this if your property is registered.

    ", + "

    A determined boundary will still be valid if you or your neighbour sell your property.

    ", + "

    Your application may be referred to a tribunal if your neighbour doesn\u2019t agree with it. Get legal advice before making an application.

    ", + "

    Check your property\u2019s title plan and register to see if it already has a determined boundary.

    ", + "

    Apply for a determined boundary

    ", + "

    You\u2019ll need to send:

    ", + "
  • a plan showing the determined boundary - ask a chartered land surveyor to make this
  • ", + "
  • evidence that supports your application
  • ", + "
  • a completed exact line of boundary (DB) form
  • ", + "

    Evidence that supports your application

    ", + "

    Send any evidence you have that justifies the surveyor\u2019s boundary. This could include:

    ", + "
  • certified copies of the deeds to your property from before the property was registered
  • ", + "
  • an expert\u2019s report
  • ", + "
  • a written statement signed in front of a solicitor, a magistrate or a commissioner of oaths
  • ", + "

    Send your application

    ", + "

    The application costs \u00a390. You\u2019ll also need to pay the surveyor and the solicitor a fee.

    ", + "

    If your neighbour agrees with your application, they\u2019ll need to sign the form and the plan as well.

    ", + "

    Send everything to:

    ", + "

    If your application is successful, HM Land Registry (HMLR) will send you a copy of your updated title plan and register. They\u2019ll also send your neighbour a copy of their updated title plan and register.

    ", + "

    If your neighbour objects to your application

    ", + "

    HMLR will decide whether the objection is valid. If it is, they\u2019ll give you and your neighbour the chance to come to an agreement.

    ", + "

    If you can\u2019t, they\u2019ll pass your application to a tribunal. You may need to pay for legal advice and advice from a surveyor if this happens.

    ", + "

    If the tribunal approves your application

    ", + "

    HMLR will send you a copy of your updated title plan and register. They\u2019ll record the determined boundary in the register.

    ", + "

    If the tribunal rejects your application

    ", + "

    The tribunal will either decide where the exact boundary should be, or decide not to set the exact boundary.

    ", + "

    You may need to pay your neighbour\u2019s costs.

    ", + "

    Correct a boundary mistake on a title plan

    ", + "

    Write to HM Land Registry (HMLR) if you think there\u2019s a boundary mistake on a property\u2019s title plan.

    ", + "

    You\u2019ll need to:

    ", + "
  • explain why you think there\u2019s a mistake
  • ", + "
  • include any evidence that supports your argument, such as certified copies of the deeds to the property
  • ", + "

    Send everything to:

    ", + "

    If HMLR finds that there\u2019s a mistake, they\u2019ll tell you how to correct it.

    " + ] + }, + "https://www.gov.uk/building-regulations-approval": { + "url": "https://www.gov.uk/building-regulations-approval", + "title": "Building regulations approval", + "content": "## When you need approval\n\nYou must check if you need approval before you construct or change buildings in certain ways.\n\nYou do not need to get approval yourself if you use someone registered with a competent person scheme.\n\nFind out about the rules in Scotland and Northern Ireland.\n\nBuilding regulations approval is different from planning permission. You might need both.\n\n## Work covered by building regulations\n\nThe Building Regulations 2010 cover the construction and extension of buildings.\n\nYou might also need building regulations approval for many alteration projects, including if you plan to:\n\n- replace fuse boxes and connected electrics\n\n- install a bathroom that will involve plumbing\n\n- change electrics near a bath or shower\n\n- put in a fixed air-conditioning system\n\n- replace windows and doors\n\n- replace roof coverings on pitched and flat roofs\n\n- install or replace a heating system\n\n- add extra radiators to a heating system\n\nYou could need approval, or to follow special rules, for works not listed here - so always research your particular project.\n\nCheck with a building control body if you cannot decide if you need approval.\n\nYou do not need advance approval for emergency repairs to your boiler or heating system, but there are rules you must follow.\n\n## Penalties and problems\n\nThe person doing the work could be prosecuted and fined if they do not comply with building regulations.\n\nYour local authority could make you pay for faulty work to be fixed.\n\nWithout approval you will not have the certificates of compliance you may need when you want to sell your home.\n\n## When you do not need approval\n\nYou do not need to apply for approval yourself if the work is not covered by building regulations, or if it\u2019s carried out by someone who\u2019s registered with a competent person scheme.\n\n## Work that does not need approval\n\nYou do not need building regulations approval for some exempt projects, including:\n\n- most repairs, replacements and maintenance work (except heating systems, oil tanks, fuse boxes and glazing units)\n\n- new power and lighting points, or changes to existing circuits (except around baths and showers)\n\n- like-for-like replacements of baths, toilets, basins and sinks\n\nFind out more about common projects and check when you do and do not need approval.\n\nCheck with a building control body if you\u2019re still not sure what to do.\n\n## Hire a \u2018competent person\u2019\n\nIf your project needs approval but you\u2019d rather not apply yourself, you can hire a tradesperson registered with a competent person scheme instead.\n\nYou must meet safety and energy efficiency standards even if you do not need formal approval.\n\n## Use a competent person scheme\n\nCompetent person schemes are a way for tradespeople to prove their ability to carry out certain work to required standards, instead of you applying for building regulations approval.\n\n## Benefits of a registered tradesperson\n\nAn installer (eg of windows or boilers) who\u2019s registered with a scheme can self-certify that their work complies with buildings standards and can deal with building control issues, like objections.\n\nIf needed, they\u2019ll tell your local authority about work on your behalf. They\u2019ll also give you a certificate within 8 weeks of completion which can be used as evidence of compliance - it will also show up in solicitors\u2019 searches if you come to sell your home.\n\nCompetent person schemes have insurance-backed warranties and complaints procedures if there\u2019s a problem with the work.\n\n## Find a \u2018competent person\u2019\n\nSearch the Competent Persons Register to find a tradesperson, or check that they belong to a scheme.\n\nSearch the Electrical Competent Person Register if you\u2019re looking for an electrician to work on your home.\n\nYou may have to correct the work or pay a fine if building regulations are not followed.\n\n## How to apply\n\nContact a \u2018building control body\u2019 (BCB) to check the building regulations or apply for approval.\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Where to apply\n\nThere are 2 types of BCB. It\u2019s up to you which you use.\n\n## Local authority BCBs\n\nYou can apply for approval from your council.\n\n## Private BCBs\n\nYou can apply through a private approved inspector.\n\nThey\u2019ll tell your local authority about the work. This is called giving an \u2018initial notice\u2019.\n\n## Choose a type of application\n\nYou must decide on the type of application for your planned build, extension or alteration work.\n\n## Full plans\n\nThis is the most thorough option. You can expect a decision within 5 weeks, or 2 months with your consent.\n\nYou\u2019ll get a completion certificate within 8 weeks of completion of the building work as long as it complies.\n\n## Building notice\n\nThis type of application is only for smaller projects. You can start work 2 days after your notice has been submitted to your BCB. You do not get formal approval like you do with full plans.\n\n## Regularisation\n\nYou can apply for \u2018regularisation\u2019 - retrospective approval for work already carried out without consent - from a local authority BCB only.\n\nOnly work carried out after 11 November 1985 can be approved in this way.\n\nYou might need to make alterations before your BCB can agree the work complies and give you a regularisation certificate.\n\nYou may have to correct the work or pay a fine if building regulations are not followed.\n\n## Fees and costs\n\nLocal authority BCBs base their fees on the costs of their work, like site inspections.\n\nWhat you\u2019ll pay depends on the:\n\n- type of work involved\n\n- number of dwellings in the building\n\n- total floor area, eg in the case of extensions\n\nPrivate BCBs negotiate their fees directly with you.\n\nYou might not have to pay a fee for works carried out solely for a person with a disability.\n\n## Appeals and determinations\n\nYou can appeal if you think your project should not have to comply with building regulations.\n\nAsk for a \u2018determination\u2019 if you\u2019re refused building regulations approval and you think the building control body (BCB) decision is unfair.\n\n## If you think you should not have to comply\n\nAsk your local authority to ignore or relax one or more of the building regulations if you think your project shouldn\u2019t have to comply with them.\n\nIf the local authority still says you have to comply, you can appeal to government. You have a month to make the appeal.\n\nFind out about making an appeal.\n\nYou cannot ask a private BCB to ignore or relax the building regulations. You\u2019ll have to ask your local authority BCB instead.\n\n## If the BCB refuses building regulations approval\n\nYou can ask for a \u2018determination\u2019 - a decision by government - if a BCB says your plans do not comply but you believe they do. Find out about asking for a determination.\n\n## How to appeal or get a determination\n\nYou\u2019ll need to read the guidance and fill in a form.\n\nYou\u2019ll have to pay a fee when you ask for a determination unless your building work is for disabled people. You don\u2019t have to pay a fee to appeal.", + "original_contents": [ + "

    When you need approval

    ", + "

    You must check if you need approval before you construct or change buildings in certain ways.

    ", + "

    You do not need to get approval yourself if you use someone registered with a competent person scheme.

    ", + "

    Find out about the rules in Scotland and Northern Ireland.

    ", + "

    Building regulations approval is different from planning permission. You might need both.

    ", + "

    Work covered by building regulations

    ", + "

    The Building Regulations 2010 cover the construction and extension of buildings.

    ", + "

    You might also need building regulations approval for many alteration projects, including if you plan to:

    ", + "
  • replace fuse boxes and connected electrics
  • ", + "
  • install a bathroom that will involve plumbing
  • ", + "
  • change electrics near a bath or shower
  • ", + "
  • put in a fixed air-conditioning system
  • ", + "
  • replace windows and doors
  • ", + "
  • replace roof coverings on pitched and flat roofs
  • ", + "
  • install or replace a heating system
  • ", + "
  • add extra radiators to a heating system
  • ", + "

    You could need approval, or to follow special rules, for works not listed here - so always research your particular project.

    ", + "

    Check with a building control body if you cannot decide if you need approval.

    ", + "

    You do not need advance approval for emergency repairs to your boiler or heating system, but there are rules you must follow.

    ", + "

    Penalties and problems

    ", + "

    The person doing the work could be prosecuted and fined if they do not comply with building regulations.

    ", + "

    Your local authority could make you pay for faulty work to be fixed.

    ", + "

    Without approval you will not have the certificates of compliance you may need when you want to sell your home.

    ", + "

    When you do not need approval

    ", + "

    You do not need to apply for approval yourself if the work is not covered by building regulations, or if it\u2019s carried out by someone who\u2019s registered with a competent person scheme.

    ", + "

    Work that does not need approval

    ", + "

    You do not need building regulations approval for some exempt projects, including:

    ", + "
  • most repairs, replacements and maintenance work (except heating systems, oil tanks, fuse boxes and glazing units)
  • ", + "
  • new power and lighting points, or changes to existing circuits (except around baths and showers)
  • ", + "
  • like-for-like replacements of baths, toilets, basins and sinks
  • ", + "

    Find out more about common projects and check when you do and do not need approval.

    ", + "

    Check with a building control body if you\u2019re still not sure what to do.

    ", + "

    Hire a \u2018competent person\u2019

    ", + "

    If your project needs approval but you\u2019d rather not apply yourself, you can hire a tradesperson registered with a competent person scheme instead.

    ", + "

    You must meet safety and energy efficiency standards even if you do not need formal approval.

    ", + "

    Use a competent person scheme

    ", + "

    Competent person schemes are a way for tradespeople to prove their ability to carry out certain work to required standards, instead of you applying for building regulations approval.

    ", + "

    Benefits of a registered tradesperson

    ", + "

    An installer (eg of windows or boilers) who\u2019s registered with a scheme can self-certify that their work complies with buildings standards and can deal with building control issues, like objections.

    ", + "

    If needed, they\u2019ll tell your local authority about work on your behalf. They\u2019ll also give you a certificate within 8 weeks of completion which can be used as evidence of compliance - it will also show up in solicitors\u2019 searches if you come to sell your home.

    ", + "

    Competent person schemes have insurance-backed warranties and complaints procedures if there\u2019s a problem with the work.

    ", + "

    Find a \u2018competent person\u2019

    ", + "

    Search the Competent Persons Register to find a tradesperson, or check that they belong to a scheme.

    ", + "

    Search the Electrical Competent Person Register if you\u2019re looking for an electrician to work on your home.

    ", + "

    You may have to correct the work or pay a fine if building regulations are not followed.

    ", + "

    How to apply

    ", + "

    Contact a \u2018building control body\u2019 (BCB) to check the building regulations or apply for approval.

    ", + "

    There are different rules in Scotland and Northern Ireland.

    ", + "

    Where to apply

    ", + "

    There are 2 types of BCB. It\u2019s up to you which you use.

    ", + "

    Local authority BCBs

    ", + "

    You can apply for approval from your council.

    ", + "

    Private BCBs

    ", + "

    You can apply through a private approved inspector.

    ", + "

    They\u2019ll tell your local authority about the work. This is called giving an \u2018initial notice\u2019.

    ", + "

    Choose a type of application

    ", + "

    You must decide on the type of application for your planned build, extension or alteration work.

    ", + "

    Full plans

    ", + "

    This is the most thorough option. You can expect a decision within 5 weeks, or 2 months with your consent.

    ", + "

    You\u2019ll get a completion certificate within 8 weeks of completion of the building work as long as it complies.

    ", + "

    Building notice

    ", + "

    This type of application is only for smaller projects. You can start work 2 days after your notice has been submitted to your BCB. You do not get formal approval like you do with full plans.

    ", + "

    Regularisation

    ", + "

    You can apply for \u2018regularisation\u2019 - retrospective approval for work already carried out without consent - from a local authority BCB only.

    ", + "

    Only work carried out after 11 November 1985 can be approved in this way.

    ", + "

    You might need to make alterations before your BCB can agree the work complies and give you a regularisation certificate.

    ", + "

    You may have to correct the work or pay a fine if building regulations are not followed.

    ", + "

    Fees and costs

    ", + "

    Local authority BCBs base their fees on the costs of their work, like site inspections.

    ", + "

    What you\u2019ll pay depends on the:

    ", + "
  • type of work involved
  • ", + "
  • number of dwellings in the building
  • ", + "
  • total floor area, eg in the case of extensions
  • ", + "

    Private BCBs negotiate their fees directly with you.

    ", + "

    You might not have to pay a fee for works carried out solely for a person with a disability.

    ", + "

    Appeals and determinations

    ", + "

    You can appeal if you think your project should not have to comply with building regulations.

    ", + "

    Ask for a \u2018determination\u2019 if you\u2019re refused building regulations approval and you think the building control body (BCB) decision is unfair.

    ", + "

    If you think you should not have to comply

    ", + "

    Ask your local authority to ignore or relax one or more of the building regulations if you think your project shouldn\u2019t have to comply with them.

    ", + "

    If the local authority still says you have to comply, you can appeal to government. You have a month to make the appeal.

    ", + "

    Find out about making an appeal.

    ", + "

    You cannot ask a private BCB to ignore or relax the building regulations. You\u2019ll have to ask your local authority BCB instead.

    ", + "

    If the BCB refuses building regulations approval

    ", + "

    You can ask for a \u2018determination\u2019 - a decision by government - if a BCB says your plans do not comply but you believe they do. Find out about asking for a determination.

    ", + "

    How to appeal or get a determination

    ", + "

    You\u2019ll need to read the guidance and fill in a form.

    ", + "

    You\u2019ll have to pay a fee when you ask for a determination unless your building work is for disabled people. You don\u2019t have to pay a fee to appeal.

    " + ] + }, + "https://www.gov.uk/claim-planning-appeal-costs": { + "url": "https://www.gov.uk/claim-planning-appeal-costs", + "title": "Claim planning appeal costs", + "content": "## Overview\n\nYou can claim costs if someone involved in your planning appeal behaves unreasonably and costs you money.\n\nYou make a claim for an \u2018award of costs\u2019 to the Planning Inspectorate. If you\u2019re successful, you\u2019ll have to reach an agreement with the other party about how much they pay.\n\nYou can be asked to pay costs if you behave unreasonably during your own appeal. The Planning Inspectorate can do this even if nobody\u2019s claiming costs against you.\n\n## Deadline to claim for costs\n\nThe deadline depends on whether your appeal will be decided:\n\n- at a hearing or inquiry - apply before it closes\n\n- in writing - apply when you appeal for householder, commercial and tree preservation orders, or before the final comments stage for anything else\n\nThe deadline is different for claims about:\n\n- a site visit (eg someone didn\u2019t attend) - apply within 7 days\n\n- a withdrawn appeal or enforcement notice - apply within 4 weeks\n\n## When to claim\n\nYou may be able to claim costs if someone involved in your appeal behaves unreasonably and costs you money. This includes if they:\n\n- fail to co-operate with you or others\n\n- miss deadlines\n\n- fail to turn up to a site visit, hearing or inquiry\n\n- gave information that was wrong or declared after the deadline\n\n## What costs you can claim\n\nYou can claim for costs directly related to your appeal, for example:\n\n- time preparing for an appeal\n\n- attending a hearing or inquiry\n\n- the use of consultants to provide detailed technical advice\n\n- witnesses if you need to pay them\n\nYou can\u2019t claim for costs relating to your original planning application.\n\n## How to claim\n\nClaim for costs by filling in the claim form. Return it to the address on the form.\n\nAlternatively, you can send a letter to the Planning Inspectorate. Include why you think someone has behaved unreasonably and how this has cost you money.\n\n## After you claim\n\nThe Planning Inspectorate will consider your claim. The party being asked to pay will have an opportunity to respond in writing.\n\nIf you\u2019re successful, you\u2019ll be given either:\n\n- a full award - you can recover all your costs including the cost of claiming\n\n- a partial award - you can only recover some costs\n\nThe award doesn\u2019t tell you how much you should get. It\u2019s your responsibility to prove to the other party how much you\u2019ve spent on the appeal.\n\n## If they won\u2019t pay\n\nYou can make a court claim for money if the other party won\u2019t pay.", + "original_contents": [ + "

    Overview

    ", + "

    You can claim costs if someone involved in your planning appeal behaves unreasonably and costs you money.

    ", + "

    You make a claim for an \u2018award of costs\u2019 to the Planning Inspectorate. If you\u2019re successful, you\u2019ll have to reach an agreement with the other party about how much they pay.

    ", + "

    You can be asked to pay costs if you behave unreasonably during your own appeal. The Planning Inspectorate can do this even if nobody\u2019s claiming costs against you.

    ", + "

    Deadline to claim for costs

    ", + "

    The deadline depends on whether your appeal will be decided:

    ", + "
  • at a hearing or inquiry - apply before it closes
  • ", + "
  • in writing - apply when you appeal for householder, commercial and tree preservation orders, or before the final comments stage for anything else
  • ", + "

    The deadline is different for claims about:

    ", + "
  • a site visit (eg someone didn\u2019t attend) - apply within 7 days
  • ", + "
  • a withdrawn appeal or enforcement notice - apply within 4 weeks
  • ", + "

    When to claim

    ", + "

    You may be able to claim costs if someone involved in your appeal behaves unreasonably and costs you money. This includes if they:

    ", + "
  • fail to co-operate with you or others
  • ", + "
  • miss deadlines
  • ", + "
  • fail to turn up to a site visit, hearing or inquiry
  • ", + "
  • gave information that was wrong or declared after the deadline
  • ", + "

    What costs you can claim

    ", + "

    You can claim for costs directly related to your appeal, for example:

    ", + "
  • time preparing for an appeal
  • ", + "
  • attending a hearing or inquiry
  • ", + "
  • the use of consultants to provide detailed technical advice
  • ", + "
  • witnesses if you need to pay them
  • ", + "

    You can\u2019t claim for costs relating to your original planning application.

    ", + "

    How to claim

    ", + "

    Claim for costs by filling in the claim form. Return it to the address on the form.

    ", + "

    Alternatively, you can send a letter to the Planning Inspectorate. Include why you think someone has behaved unreasonably and how this has cost you money.

    ", + "

    After you claim

    ", + "

    The Planning Inspectorate will consider your claim. The party being asked to pay will have an opportunity to respond in writing.

    ", + "

    If you\u2019re successful, you\u2019ll be given either:

    ", + "
  • a full award - you can recover all your costs including the cost of claiming
  • ", + "
  • a partial award - you can only recover some costs
  • ", + "

    The award doesn\u2019t tell you how much you should get. It\u2019s your responsibility to prove to the other party how much you\u2019ve spent on the appeal.

    ", + "

    If they won\u2019t pay

    ", + "

    You can make a court claim for money if the other party won\u2019t pay.

    " + ] + }, + "https://www.gov.uk/party-walls-building-works": { + "url": "https://www.gov.uk/party-walls-building-works", + "title": "Party walls and building work", + "content": "## Overview\n\nYou must tell your neighbours if you want to carry out any building work near or on your shared property boundary, or \u2018party wall\u2019, in England and Wales.\n\nParty walls stand on the land of 2 or more owners and either:\n\n- form part of a building\n\n- don\u2019t form part of a building, such as a garden wall (not wooden fences)\n\nWalls on one owner\u2019s land used by other owners (2 or more) to separate their buildings are also party walls.\n\n## Party structures\n\nYou can also have a \u2018party structure\u2019. This could be a floor or other structure that separates buildings or parts of buildings with different owners, eg flats.\n\nParty wall agreements are different from planning permission or building regulations approval.\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Work you must tell your neighbour about\n\nYou must tell your neighbour if you want to:\n\n- build on or at the boundary of your 2 properties\n\n- work on an existing party wall or party structure\n\n- dig below and near to the foundation level of their property\n\nExamples of this type of work include:\n\n- building a new wall\n\n- cutting into a party wall\n\n- making a party wall taller, shorter or deeper\n\n- removing chimneys from a party wall\n\n- knocking down and rebuilding a party wall\n\nFind more details of work you need to tell your neighbour about in the party wall explanatory booklet.\n\nYour neighbours can\u2019t stop you from making changes to your property that are within the law, but they can affect how and when your works are carried out.\n\n## What you don\u2019t need to tell them about\n\nYou don\u2019t need to tell your neighbour about minor changes, eg plastering, adding or replacing electrical wiring or sockets, or drilling to put up shelves or cabinets.\n\n## When and how to tell them\n\nYou must give notice to your neighbour between 2 months and a year before you plan to start building works. Include what you plan on doing.\n\nYou can speak to your neighbour to explain the work you want to carry out, before giving notice in writing.\n\nFind letter templates and more information on giving notice in the party wall explanatory booklet.\n\nAny agreement you reach should be in writing.\n\n## Reaching an agreement with your neighbours\n\nOnce you\u2019ve given notice your neighbour can:\n\n- give consent in writing\n\n- refuse consent, which will start the dispute resolution process\n\n- serve a counter notice requesting additional works be done at the same time (they\u2019ll have to pay for these if they benefit from the works)\n\nYour neighbour must let you know in writing within 14 days if they consent to your notice, and you must do the same with any counter notice. A counter notice must be served within a month of the first notice.\n\nFind examples of counter notice letters in the party wall booklet.\n\nYour neighbours need to respond to the notice. You can\u2019t assume that no response means they agree to the works.\n\nThe dispute resolution process will also start if they don\u2019t respond to your notice within the given time.\n\n## Who pays for the work\n\nYou need to pay for any building works that you start on a party wall.\n\nYour neighbour may have to meet a share of the cost if the work needs to be done because of defects or lack of repair. They will also need to pay if they ask for additional works to be done that will benefit them.\n\nAn appointed surveyor will set out who pays what if you can\u2019t agree.\n\n## If you can't agree\n\nYou must appoint a surveyor if you and your neighbour can\u2019t agree. You can appoint a surveyor together or each appoint your own. The surveyors will then agree on a \u2018party wall award\u2019.\n\nThis is a legal document which says:\n\n- what work should happen\n\n- how and when it will be carried out\n\n- who will pay for which part and how much will be paid (including surveyor\u2019s fees)\n\nYou can\u2019t act as your own surveyor.\n\n## If your neighbour doesn\u2019t appoint a surveyor\n\nYou can appoint a surveyor on behalf of your neighbour if they refuse or fail to do so themselves.\n\n## If you don\u2019t agree with the award\n\nYou can appeal against an award at a county court within 14 days of receiving it. You need to file an appellant\u2019s notice in a county court, explaining why you\u2019re appealing.\n\n## When works begin\n\nWhen carrying out building works you must:\n\n- avoid causing unnecessary inconvenience\n\n- protect your neighbour\u2019s property from damage caused by the works, and fix or pay for any damage that is caused\n\n## Access to your neighbour\u2019s property\n\nYour neighbour must allow surveyors and workmen access to their property during usual working hours to carry out the building works. They must be given 14 days\u2019 notice except in an emergency.", + "original_contents": [ + "

    Overview

    ", + "

    You must tell your neighbours if you want to carry out any building work near or on your shared property boundary, or \u2018party wall\u2019, in England and Wales.

    ", + "

    Party walls stand on the land of 2 or more owners and either:

    ", + "
  • form part of a building
  • ", + "
  • don\u2019t form part of a building, such as a garden wall (not wooden fences)
  • ", + "

    Walls on one owner\u2019s land used by other owners (2 or more) to separate their buildings are also party walls.

    ", + "

    Party structures

    ", + "

    You can also have a \u2018party structure\u2019. This could be a floor or other structure that separates buildings or parts of buildings with different owners, eg flats.

    ", + "

    Party wall agreements are different from planning permission or building regulations approval.

    ", + "

    There are different rules in Scotland and Northern Ireland.

    ", + "

    Work you must tell your neighbour about

    ", + "

    You must tell your neighbour if you want to:

    ", + "
  • build on or at the boundary of your 2 properties
  • ", + "
  • work on an existing party wall or party structure
  • ", + "
  • dig below and near to the foundation level of their property
  • ", + "

    Examples of this type of work include:

    ", + "
  • building a new wall
  • ", + "
  • cutting into a party wall
  • ", + "
  • making a party wall taller, shorter or deeper
  • ", + "
  • removing chimneys from a party wall
  • ", + "
  • knocking down and rebuilding a party wall
  • ", + "

    Find more details of work you need to tell your neighbour about in the party wall explanatory booklet.

    ", + "

    Your neighbours can\u2019t stop you from making changes to your property that are within the law, but they can affect how and when your works are carried out.

    ", + "

    What you don\u2019t need to tell them about

    ", + "

    You don\u2019t need to tell your neighbour about minor changes, eg plastering, adding or replacing electrical wiring or sockets, or drilling to put up shelves or cabinets.

    ", + "

    When and how to tell them

    ", + "

    You must give notice to your neighbour between 2 months and a year before you plan to start building works. Include what you plan on doing.

    ", + "

    You can speak to your neighbour to explain the work you want to carry out, before giving notice in writing.

    ", + "

    Find letter templates and more information on giving notice in the party wall explanatory booklet.

    ", + "

    Any agreement you reach should be in writing.

    ", + "

    Reaching an agreement with your neighbours

    ", + "

    Once you\u2019ve given notice your neighbour can:

    ", + "
  • give consent in writing
  • ", + "
  • refuse consent, which will start the dispute resolution process
  • ", + "
  • serve a counter notice requesting additional works be done at the same time (they\u2019ll have to pay for these if they benefit from the works)
  • ", + "

    Your neighbour must let you know in writing within 14 days if they consent to your notice, and you must do the same with any counter notice. A counter notice must be served within a month of the first notice.

    ", + "

    Find examples of counter notice letters in the party wall booklet.

    ", + "

    Your neighbours need to respond to the notice. You can\u2019t assume that no response means they agree to the works.

    ", + "

    The dispute resolution process will also start if they don\u2019t respond to your notice within the given time.

    ", + "

    Who pays for the work

    ", + "

    You need to pay for any building works that you start on a party wall.

    ", + "

    Your neighbour may have to meet a share of the cost if the work needs to be done because of defects or lack of repair. They will also need to pay if they ask for additional works to be done that will benefit them.

    ", + "

    An appointed surveyor will set out who pays what if you can\u2019t agree.

    ", + "

    If you can't agree

    ", + "

    You must appoint a surveyor if you and your neighbour can\u2019t agree. You can appoint a surveyor together or each appoint your own. The surveyors will then agree on a \u2018party wall award\u2019.

    ", + "

    This is a legal document which says:

    ", + "
  • what work should happen
  • ", + "
  • how and when it will be carried out
  • ", + "
  • who will pay for which part and how much will be paid (including surveyor\u2019s fees)
  • ", + "

    You can\u2019t act as your own surveyor.

    ", + "

    If your neighbour doesn\u2019t appoint a surveyor

    ", + "

    You can appoint a surveyor on behalf of your neighbour if they refuse or fail to do so themselves.

    ", + "

    If you don\u2019t agree with the award

    ", + "

    You can appeal against an award at a county court within 14 days of receiving it. You need to file an appellant\u2019s notice in a county court, explaining why you\u2019re appealing.

    ", + "

    When works begin

    ", + "

    When carrying out building works you must:

    ", + "
  • avoid causing unnecessary inconvenience
  • ", + "
  • protect your neighbour\u2019s property from damage caused by the works, and fix or pay for any damage that is caused
  • ", + "

    Access to your neighbour\u2019s property

    ", + "

    Your neighbour must allow surveyors and workmen access to their property during usual working hours to carry out the building works. They must be given 14 days\u2019 notice except in an emergency.

    " + ] + }, + "https://www.gov.uk/council-housing-association-evictions": { + "url": "https://www.gov.uk/council-housing-association-evictions", + "title": "Council and housing association evictions", + "content": "## Overview\n\nYou may be able to stop or delay the eviction. You can get advice from charities like Citizens Advice or Shelter.\n\nCheck if you can get legal aid. If you\u2019re eligible, you can get advice from Civil Legal Advice, or you can search for a legal aid adviser.\n\nIf your case goes to court, you might be able to get help on the day from an adviser in the court building.\n\nEviction means your landlord ends your tenancy and you have to leave your property.\n\nThe steps that your council or housing association must take to evict you depends on the type of tenancy you have. But the basic steps are:\n\n- You get written notice that the council or housing association plans to evict you.\n\n- If you do not leave or cannot come to an agreement, the council or housing association can apply to the court for a possession order.\n\n- The court decides whether you can be evicted.\n\n- If you still do not leave, bailiffs can remove you and your belongings.\n\n## Written notice\n\nYour council or housing association must give you a written warning notice that they plan to evict you. The notice is normally either at least 4 weeks or 4 months, depending on the type of tenancy you have.\n\nHowever, they can start eviction proceedings immediately if you\u2019re responsible for serious antisocial behaviour like drug-dealing.\n\nFor most types of tenancy, your council or housing association must also tell you why they\u2019re planning to evict you.\n\nThe quicker you reply to the written notice, the better chance you have of keeping your home. If you ignore it and stay in the property, or the council or housing association is not satisfied with your response, they may apply to the court for permission to evict you.\n\n## Rent arrears\n\nIf you\u2019re facing eviction over unpaid rent, before taking you to court the council or housing association must:\n\n- try to talk to you about the arrears as early as possible\n\n- give you detailed information about the arrears\n\n- offer help, if you need it, to make a housing benefit claim\n\n- agree to delay taking you to court if you make a reasonable offer to pay off your rent arrears\n\nThese steps are known as the \u2018pre-action protocol\u2019.\n\n## The court hearing\n\nYour council or housing association will need permission from a court to evict you.\n\nYou\u2019ll get papers confirming the date of the hearing. At the hearing you have the chance to tell your side of the story.\n\nThe court can:\n\n- issue a possession order giving the council or housing association permission to evict you\n\n- decide evicting you is not justified - eviction proceedings will then stop\n\n- issue a suspended or postponed possession order giving you a final chance to avoid eviction\n\n## After the hearing\n\nThe possession order will state the date you must leave the property by. If you do not leave, your council or housing association can ask the court to send a bailiff to remove you and your belongings. The court will tell you the date they\u2019ll arrive.\n\nIn certain situations, your local council may offer you temporary housing to give you a chance to find another property. While it\u2019s looking into your case, the council may offer you emergency accommodation (such as a hostel or B&B). Shelter has an emergency housing rights checker tool that shows whether you may be entitled to this.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to stop or delay the eviction. You can get advice from charities like Citizens Advice or Shelter.

    ", + "

    Check if you can get legal aid. If you\u2019re eligible, you can get advice from Civil Legal Advice, or you can search for a legal aid adviser.

    ", + "

    If your case goes to court, you might be able to get help on the day from an adviser in the court building.

    ", + "

    Eviction means your landlord ends your tenancy and you have to leave your property.

    ", + "

    The steps that your council or housing association must take to evict you depends on the type of tenancy you have. But the basic steps are:

    ", + "
  • You get written notice that the council or housing association plans to evict you.
  • ", + "
  • If you do not leave or cannot come to an agreement, the council or housing association can apply to the court for a possession order.
  • ", + "
  • The court decides whether you can be evicted.
  • ", + "
  • If you still do not leave, bailiffs can remove you and your belongings.
  • ", + "

    Written notice

    ", + "

    Your council or housing association must give you a written warning notice that they plan to evict you. The notice is normally either at least 4 weeks or 4 months, depending on the type of tenancy you have.

    ", + "

    However, they can start eviction proceedings immediately if you\u2019re responsible for serious antisocial behaviour like drug-dealing.

    ", + "

    For most types of tenancy, your council or housing association must also tell you why they\u2019re planning to evict you.

    ", + "

    The quicker you reply to the written notice, the better chance you have of keeping your home. If you ignore it and stay in the property, or the council or housing association is not satisfied with your response, they may apply to the court for permission to evict you.

    ", + "

    Rent arrears

    ", + "

    If you\u2019re facing eviction over unpaid rent, before taking you to court the council or housing association must:

    ", + "
  • try to talk to you about the arrears as early as possible
  • ", + "
  • give you detailed information about the arrears
  • ", + "
  • offer help, if you need it, to make a housing benefit claim
  • ", + "
  • agree to delay taking you to court if you make a reasonable offer to pay off your rent arrears
  • ", + "

    These steps are known as the \u2018pre-action protocol\u2019.

    ", + "

    The court hearing

    ", + "

    Your council or housing association will need permission from a court to evict you.

    ", + "

    You\u2019ll get papers confirming the date of the hearing. At the hearing you have the chance to tell your side of the story.

    ", + "

    The court can:

    ", + "
  • issue a possession order giving the council or housing association permission to evict you
  • ", + "
  • decide evicting you is not justified - eviction proceedings will then stop
  • ", + "
  • issue a suspended or postponed possession order giving you a final chance to avoid eviction
  • ", + "

    After the hearing

    ", + "

    The possession order will state the date you must leave the property by. If you do not leave, your council or housing association can ask the court to send a bailiff to remove you and your belongings. The court will tell you the date they\u2019ll arrive.

    ", + "

    In certain situations, your local council may offer you temporary housing to give you a chance to find another property. While it\u2019s looking into your case, the council may offer you emergency accommodation (such as a hostel or B&B). Shelter has an emergency housing rights checker tool that shows whether you may be entitled to this.

    " + ] + }, + "https://www.gov.uk/private-renting-evictions": { + "url": "https://www.gov.uk/private-renting-evictions", + "title": "Private renting for tenants: evictions", + "content": "## Rules your landlord must follow\n\nYour landlord must follow strict procedures if they want you to leave their property, depending on the type of tenancy agreement you have and the terms of it.\n\nIf they do not, they may be guilty of illegally evicting or harassing you.\n\nYour landlord must follow different procedures to evict you in Northern Ireland and Scotland.\n\n## Rules for periodic Assured Shorthold Tenancies (ASTs)\n\nPeriodic tenancies run on a week-by-week or month-by-month basis with no fixed end date.\n\nIf you have one of these, your landlord must usually give you \u2018notice to quit\u2019 - they must do this in a certain way depending on your type of tenancy agreement and its terms.\n\n## Notice periods\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of coronavirus (COVID-19), the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property\n\nIf you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.\n\nYou might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\n## If you do not leave at the end of the notice period\n\nIf you do not leave at the end of the notice period, your landlord must apply to the court for a possession order. If the court gives them a possession order and you still do not leave, they must apply for a warrant for possession - this means bailiffs can evict you from the property.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Rules for fixed-term ASTs\n\nFixed-term tenancies run for a set amount of time. Your landlord must give you notice in a certain way if you\u2019re in a fixed-term tenancy.\n\n## Notice periods\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property\n\nIf you\u2019ve been given notice since 1 June 2021, in most cases your landlord must give you 4 months to leave.\n\nYou might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\n## If you do not leave at the end of the notice period\n\nIf you refuse to leave at the end of the notice period, the rules depend on whether the fixed term has ended or not.\n\n## Eviction during the fixed term\n\nDuring the fixed term, your landlord can only evict you for certain reasons - for example:\n\n- you have not paid the rent\n\n- you\u2019re engaging in antisocial behaviour\n\n- there\u2019s a \u2018break clause\u2019 in your contract - this allows your landlord to take back the property before the end of the fixed term\n\nA possession order will not take effect until you\u2019ve been living in the property for at least 6 months.\n\n## Eviction at the end of the fixed term\n\nAt the end of the fixed term, the landlord does not need a reason to evict you. As long as they\u2019ve given you correct notice, they can apply to the court for a possession order.\n\nIf the court gives your landlord a possession order and you still do not leave, your landlord must apply for a warrant for possession - this means bailiffs can evict you from the property.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Rules for excluded tenancies or licences\n\nIf you have an excluded tenancy or licence (for example you live with your landlord), your landlord does not have to go to court to evict you.\n\nYour landlord only needs to give you \u2018reasonable notice\u2019 to quit. The notice does not have to be in writing.\n\nThere are no set rules about what\u2019s reasonable. It depends on:\n\n- how long you\u2019ve been living there\n\n- how often you pay the rent\n\n- whether you get on with your landlord\n\n- how quickly the landlord needs another person to move in\n\nThey can then change the locks on your rooms, even if you\u2019ve left your belongings there. However, they must give your belongings back to you.\n\nIf you do not think you\u2019ve been given enough warning to leave, contact your local council for advice. Your council can take action if your landlord has evicted you illegally.\n\nShelter has more information about eviction of excluded occupiers.\n\n## Rules for assured and regulated tenancies\n\nIf your tenancy started before 27 February 1997, you might have an assured or a regulated tenancy. Your landlord will have to follow different rules to evict you and you\u2019ll have increased protection from eviction.\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you\u2019ve been given notice on or after 29 August 2020, your landlord must give you 6 months to leave. You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\nShelter has more information about assured tenancies and regulated tenancies.\n\nShelter Cymru has more information about assured tenancies and regulated tenancies in Wales.\n\n## Accelerated possession\n\nLandlords can sometimes evict tenants using \u2018accelerated possession\u2019. This is quicker than a normal eviction and does not usually need a court hearing.\n\nYour landlord can only do this if:\n\n- you have an assured shorthold tenancy or a statutory periodic tenancy\n\n- you have a written tenancy agreement\n\n- they\u2019ve given you the required written notice in the right form\n\n- they have not asked you to leave before the end of a fixed-term tenancy\n\nYour landlord must also tell the court if you and your dependants have been affected by coronavirus (COVID-19) in a way that affects the case. For example, if you lost income because of COVID-19 which meant you were not able to pay rent.\n\nYou can only stop accelerated possession if you can prove your landlord has not followed the rules listed above.\n\n## How it works\n\nIf your landlord applies for accelerated possession, the court will send you:\n\n- a copy of your landlord\u2019s application\n\n- a \u2018defence form\u2019\n\nFill in the defence form to challenge the application or write a statement outlining your circumstances.\n\nIf your case is affected by COVID-19, include details. For example, why you lost income and were not able to pay rent.\n\nYou can get help filling in the defence form.\n\nYou must complete and return the defence form or statement to the court within 14 days of receiving it.\n\n## If your landlord applied for possession before 3 August 2020\n\nIf your landlord wants to continue with their claim for possession they must make another application to the court. You will get a copy of your landlord\u2019s application and instructions from the court on how to challenge the application.\n\n## The judge\u2019s decision\n\nA judge will decide whether to:\n\n- issue a possession order, giving your landlord the right to evict you and take possession of the property (this is normally the case)\n\n- have a court hearing (this usually only happens if the paperwork is not in order or you\u2019ve raised an important issue)\n\nEven if there\u2019s a hearing, the court can still decide to issue a possession order.\n\n## If the judge issues a possession order\n\nIf the judge makes a possession order, you\u2019ll normally have 14 or 28 days to leave the property. If this will cause you exceptional hardship, the judge may give you up to 42 days to leave.\n\nIf you do not leave at this point, your landlord can use bailiffs to evict you.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Eviction court hearings\n\nIf your landlord goes to court to evict you, there will be a \u2018possession hearing\u2019.\n\n## Before the hearing\n\nYou\u2019ll know your landlord is taking you to court to evict you because you\u2019ll be sent court papers, including:\n\n- copies of \u2018claim for possession\u2019 forms\n\n- a defence form\n\n- a date for your court hearing\n\nThe defence form is your chance to say why you have rent arrears and if you disagree with what your landlord put on the \u2018claim for possession\u2019 forms. You need to return it within 14 days.\n\nYou may have to pay extra court fees if you do not provide information in the defence form and this results in a delay to your court case.\n\nIf you do not attend your court hearing, it\u2019s very likely the judge will decide you\u2019ll lose your home.\n\n## Coronavirus (COVID-19) and court hearings\n\nThe court process is different because of COVID-19.\n\nYour landlord must tell the court if you and your dependants have been affected by COVID-19. For example, if you have lost income because of COVID-19, which meant you were not able to pay your rent.\n\n## During the hearing\n\nIf you have not received advice before, you can get free legal advice and representation in court on the day of the hearing. This is under the Housing Possession Court Duty scheme. Contact your local council or the court where your case is being heard.\n\nIf the scheme is not available in your area, check with the court whether there are other advice services. You can also check if you can get legal aid.\n\nThe charity Shelter has information on what happens at a possession hearing.\n\n## The judge\u2019s decision\n\nThe judge could:\n\n- dismiss the court case - no order will be made and the hearing is finished\n\n- adjourn the hearing - the hearing will be delayed until later, as the judge feels a decision cannot be made on the day\n\n- make an \u2018order\u2019 - the judge will make a legal decision on what will happen\n\nThe judge will dismiss the case if there\u2019s no reason you should be evicted. This might happen if:\n\n- your landlord has not followed the correct procedure\n\n- your landlord or their representative does not attend the hearing\n\n- you\u2019ve paid any rent arrears\n\nIf the judge dismisses the case, you can stay in your home. If the landlord wants to evict you, they\u2019ll have to restart the court process from the beginning.\n\n## Types of possession order\n\nThere are several different kinds of orders a judge can make.\n\n## Order for possession (or \u2018outright possession order\u2019)\n\nThis means you must leave the property before the date given in the order.\n\nThe date will be either 14 or 28 days after your court hearing. If you\u2019re in an exceptionally difficult situation, you may be able to convince the judge to delay this for up to 6 weeks.\n\nIf you do not leave your home by the date given, your landlord can ask the court to evict you by asking for a \u2018warrant for possession\u2019. If the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Suspended order for possession\n\nThis means if you make the payments, or obey the conditions, set out in the order, you can stay in your home. If you do not make the payments, your landlord can ask the court to evict you.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Money order\n\nThis means you have to pay the landlord the amount set out in the order. If you do not make the payments, action could be taken by the courts to recover the money, including:\n\n- deducting money from your wages or bank account\n\n- sending bailiffs to take away things you own\n\nIf you get into rent arrears after a money order has been made, your landlord can go to court again and ask for a possession order.\n\n## Possession orders with a money judgment\n\nA judge can add a money judgment to any of the possession orders. This means you owe a specific amount of money, usually made up of:\n\n- your rent arrears\n\n- court fees\n\n- your landlord\u2019s legal costs\n\nThe money judgment will not apply if you pay your arrears and the amount set out in a suspended possession order.\n\nHowever, the money judgment will apply if you do not pay the amount set out in the suspended possession order that\u2019s linked to the judgment. If you do not pay, the landlord may ask the court to carry out the instructions in the order and the judgment.\n\n## Eviction notices\n\nIf you do not leave your home by the date given in an outright possession order, your landlord can ask the court for a \u2018warrant of possession\u2019.\n\nIf the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home. Bailiffs can evict you after this date. The costs of evicting you will be added to the money you owe.\n\n## Changes to evictions in England and Wales because of coronavirus (COVID-19)\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England.\n\nIn Wales, currently you will not be evicted by bailiffs, unless there is a serious reason. Bailiffs will only enter the property if you:\n\n- are living there illegally\n\n- have been involved in antisocial behaviour\n\n## Delaying eviction\n\nYou can ask a judge to suspend the warrant at a new hearing. This means they\u2019ll delay the eviction or let you stay in your home if you can make payments again.\n\nThe judge will not automatically agree to suspend the warrant.\n\n## Applying to suspend a warrant\n\nTo apply for a suspension of a warrant, you must fill out an application notice and either send or deliver it to the county court dealing with your case.\n\nYou must tell the court you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee of \u00a314, unless you qualify for help.\n\nPay the county court:\n\n- by phone with a debit or credit card\n\n- by post with a cheque or postal order made out to \u2018HM Courts and Tribunals Service\u2019\n\n- in person with cash or a debit or credit card\n\nYou can find the address and phone number for the county court online.\n\n## Asking the court to change your payments\n\nIf your circumstances change, you can ask a judge at a new hearing to change what you pay. To do this, you must fill out an application notice and either send or deliver it to the county court dealing with your case.\n\nYou\u2019ll have to pay a court fee of \u00a3100, unless you qualify for help.\n\nPay the county court:\n\n- in person by cheque, cash, debit or credit card\n\n- by post with a cheque made out to \u2018HM Courts and Tribunals Service\u2019\n\n## Appealing against the decision\n\nYou can only appeal if you can show the judge made mistakes in the original possession hearing. You\u2019ll need to ask the judge for permission to appeal at the end of the original hearing.\n\nIf you get permission to appeal, you\u2019ll have to apply for an appeal hearing very soon afterwards. You\u2019ll have to pay a court fee of up to \u00a3140, unless you qualify for help.\n\nYou\u2019ll need to get legal advice.\n\n## Contact your local council\n\nIf you\u2019re worried about becoming homeless, contact your local council for homelessness help and advice.\n\n## Harassment and illegal evictions\n\nIt\u2019s a crime for your landlord to harass you or try to force you out of a property without using proper procedures. If this happens, you may have a right to claim damages through the court.\n\n## What is harassment?\n\nHarassment can be anything a landlord does, or fails to do, that makes you feel unsafe in the property or forces you to leave.\n\nHarassment can include:\n\n- stopping services, like electricity\n\n- withholding keys, for example there are 2 tenants in a property but the landlord will only give 1 key\n\n- refusing to carry out repairs\n\n- anti-social behaviour by a landlord\u2019s agent, for example a friend of the landlord moves in next door and causes problems\n\n- threats and physical violence\n\n## Illegal eviction and tenants\u2019 rights\n\nYour landlord may be guilty of illegal eviction if you:\n\n- are not given the notice to leave the property that your landlord must give you\n\n- find the locks have been changed\n\n- are evicted without a court order\n\nEven if your landlord\u2019s property is repossessed by their mortgage lender, the lender must give you notice so you can find other accommodation.\n\nIf you have an assured, assured shorthold or regulated tenancy, they must give you:\n\n- 3 months to leave the property if you were given notice between 26 March 2020 and 28 August 2020\n\n- 6 months to leave if you were given notice between 29 August 2020 and 31 May 2021\n\n- 4 months to leave if you\u2019ve been given notice since 1 June 2021\n\nIn Wales, the notice period must be:\n\n- at least 6 months if they gave you notice on or after 24 July 2020\n\n- at least 3 months if they issued a section 8 notice for antisocial behaviour\n\nCitizens Advice has information on repossession by your landlord\u2019s mortgage lender.\n\n## What you can do\n\nIf you think you\u2019re being harassed or threatened with illegal eviction, or the property you rent is being repossessed, talk to your local council.\n\nIt may have someone specialising in tenant harassment issues.\n\nLocal councils can also start legal proceedings if they think there\u2019s enough evidence of harassment or illegal eviction.\n\nYou could also contact a legal adviser, a Citizens Advice office or Shelter\u2019s housing advice helpline.\n\nYour local area may also have other housing or legal advice organisations - your local council, phonebook or library should have details.\n\nIf physical violence is involved, contact the police.\n\nFor further advice, the Ministry of Housing, Communities and Local Government has a detailed guide for tenants facing harassment and illegal eviction.", + "original_contents": [ + "

    Rules your landlord must follow

    ", + "

    Your landlord must follow strict procedures if they want you to leave their property, depending on the type of tenancy agreement you have and the terms of it.

    ", + "

    If they do not, they may be guilty of illegally evicting or harassing you.

    ", + "

    Your landlord must follow different procedures to evict you in Northern Ireland and Scotland.

    ", + "

    Rules for periodic Assured Shorthold Tenancies (ASTs)

    ", + "

    Periodic tenancies run on a week-by-week or month-by-month basis with no fixed end date.

    ", + "

    If you have one of these, your landlord must usually give you \u2018notice to quit\u2019 - they must do this in a certain way depending on your type of tenancy agreement and its terms.

    ", + "

    Notice periods

    ", + "

    There are different eviction notice periods in Wales.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of coronavirus (COVID-19), the notice periods are longer.

    ", + "

    If you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.

    ", + "

    If you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property

    ", + "

    If you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.

    ", + "

    You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.

    ", + "

    If you do not leave at the end of the notice period

    ", + "

    If you do not leave at the end of the notice period, your landlord must apply to the court for a possession order. If the court gives them a possession order and you still do not leave, they must apply for a warrant for possession - this means bailiffs can evict you from the property.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Rules for fixed-term ASTs

    ", + "

    Fixed-term tenancies run for a set amount of time. Your landlord must give you notice in a certain way if you\u2019re in a fixed-term tenancy.

    ", + "

    Notice periods

    ", + "

    There are different eviction notice periods in Wales.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.

    ", + "

    If you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.

    ", + "

    If you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property

    ", + "

    If you\u2019ve been given notice since 1 June 2021, in most cases your landlord must give you 4 months to leave.

    ", + "

    You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.

    ", + "

    If you do not leave at the end of the notice period

    ", + "

    If you refuse to leave at the end of the notice period, the rules depend on whether the fixed term has ended or not.

    ", + "

    Eviction during the fixed term

    ", + "

    During the fixed term, your landlord can only evict you for certain reasons - for example:

    ", + "
  • you have not paid the rent
  • ", + "
  • you\u2019re engaging in antisocial behaviour
  • ", + "
  • there\u2019s a \u2018break clause\u2019 in your contract - this allows your landlord to take back the property before the end of the fixed term
  • ", + "

    A possession order will not take effect until you\u2019ve been living in the property for at least 6 months.

    ", + "

    Eviction at the end of the fixed term

    ", + "

    At the end of the fixed term, the landlord does not need a reason to evict you. As long as they\u2019ve given you correct notice, they can apply to the court for a possession order.

    ", + "

    If the court gives your landlord a possession order and you still do not leave, your landlord must apply for a warrant for possession - this means bailiffs can evict you from the property.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Rules for excluded tenancies or licences

    ", + "

    If you have an excluded tenancy or licence (for example you live with your landlord), your landlord does not have to go to court to evict you.

    ", + "

    Your landlord only needs to give you \u2018reasonable notice\u2019 to quit. The notice does not have to be in writing.

    ", + "

    There are no set rules about what\u2019s reasonable. It depends on:

    ", + "
  • how long you\u2019ve been living there
  • ", + "
  • how often you pay the rent
  • ", + "
  • whether you get on with your landlord
  • ", + "
  • how quickly the landlord needs another person to move in
  • ", + "

    They can then change the locks on your rooms, even if you\u2019ve left your belongings there. However, they must give your belongings back to you.

    ", + "

    If you do not think you\u2019ve been given enough warning to leave, contact your local council for advice. Your council can take action if your landlord has evicted you illegally.

    ", + "

    Shelter has more information about eviction of excluded occupiers.

    ", + "

    Rules for assured and regulated tenancies

    ", + "

    If your tenancy started before 27 February 1997, you might have an assured or a regulated tenancy. Your landlord will have to follow different rules to evict you and you\u2019ll have increased protection from eviction.

    ", + "

    There are different eviction notice periods in Wales.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.

    ", + "

    If you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.

    ", + "

    If you\u2019ve been given notice on or after 29 August 2020, your landlord must give you 6 months to leave. You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.

    ", + "

    Shelter has more information about assured tenancies and regulated tenancies.

    ", + "

    Shelter Cymru has more information about assured tenancies and regulated tenancies in Wales.

    ", + "

    Accelerated possession

    ", + "

    Landlords can sometimes evict tenants using \u2018accelerated possession\u2019. This is quicker than a normal eviction and does not usually need a court hearing.

    ", + "

    Your landlord can only do this if:

    ", + "
  • you have an assured shorthold tenancy or a statutory periodic tenancy
  • ", + "
  • you have a written tenancy agreement
  • ", + "
  • they\u2019ve given you the required written notice in the right form
  • ", + "
  • they have not asked you to leave before the end of a fixed-term tenancy
  • ", + "

    Your landlord must also tell the court if you and your dependants have been affected by coronavirus (COVID-19) in a way that affects the case. For example, if you lost income because of COVID-19 which meant you were not able to pay rent.

    ", + "

    You can only stop accelerated possession if you can prove your landlord has not followed the rules listed above.

    ", + "

    How it works

    ", + "

    If your landlord applies for accelerated possession, the court will send you:

    ", + "
  • a copy of your landlord\u2019s application
  • ", + "
  • a \u2018defence form\u2019
  • ", + "

    Fill in the defence form to challenge the application or write a statement outlining your circumstances.

    ", + "

    If your case is affected by COVID-19, include details. For example, why you lost income and were not able to pay rent.

    ", + "

    You can get help filling in the defence form.

    ", + "

    You must complete and return the defence form or statement to the court within 14 days of receiving it.

    ", + "

    If your landlord applied for possession before 3 August 2020

    ", + "

    If your landlord wants to continue with their claim for possession they must make another application to the court. You will get a copy of your landlord\u2019s application and instructions from the court on how to challenge the application.

    ", + "

    The judge\u2019s decision

    ", + "

    A judge will decide whether to:

    ", + "
  • issue a possession order, giving your landlord the right to evict you and take possession of the property (this is normally the case)
  • ", + "
  • have a court hearing (this usually only happens if the paperwork is not in order or you\u2019ve raised an important issue)
  • ", + "

    Even if there\u2019s a hearing, the court can still decide to issue a possession order.

    ", + "

    If the judge issues a possession order

    ", + "

    If the judge makes a possession order, you\u2019ll normally have 14 or 28 days to leave the property. If this will cause you exceptional hardship, the judge may give you up to 42 days to leave.

    ", + "

    If you do not leave at this point, your landlord can use bailiffs to evict you.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Eviction court hearings

    ", + "

    If your landlord goes to court to evict you, there will be a \u2018possession hearing\u2019.

    ", + "

    Before the hearing

    ", + "

    You\u2019ll know your landlord is taking you to court to evict you because you\u2019ll be sent court papers, including:

    ", + "
  • copies of \u2018claim for possession\u2019 forms
  • ", + "
  • a defence form
  • ", + "
  • a date for your court hearing
  • ", + "

    The defence form is your chance to say why you have rent arrears and if you disagree with what your landlord put on the \u2018claim for possession\u2019 forms. You need to return it within 14 days.

    ", + "

    You may have to pay extra court fees if you do not provide information in the defence form and this results in a delay to your court case.

    ", + "

    If you do not attend your court hearing, it\u2019s very likely the judge will decide you\u2019ll lose your home.

    ", + "

    Coronavirus (COVID-19) and court hearings

    ", + "

    The court process is different because of COVID-19.

    ", + "

    Your landlord must tell the court if you and your dependants have been affected by COVID-19. For example, if you have lost income because of COVID-19, which meant you were not able to pay your rent.

    ", + "

    During the hearing

    ", + "

    If you have not received advice before, you can get free legal advice and representation in court on the day of the hearing. This is under the Housing Possession Court Duty scheme. Contact your local council or the court where your case is being heard.

    ", + "

    If the scheme is not available in your area, check with the court whether there are other advice services. You can also check if you can get legal aid.

    ", + "

    The charity Shelter has information on what happens at a possession hearing.

    ", + "

    The judge\u2019s decision

    ", + "

    The judge could:

    ", + "
  • dismiss the court case - no order will be made and the hearing is finished
  • ", + "
  • adjourn the hearing - the hearing will be delayed until later, as the judge feels a decision cannot be made on the day
  • ", + "
  • make an \u2018order\u2019 - the judge will make a legal decision on what will happen
  • ", + "

    The judge will dismiss the case if there\u2019s no reason you should be evicted. This might happen if:

    ", + "
  • your landlord has not followed the correct procedure
  • ", + "
  • your landlord or their representative does not attend the hearing
  • ", + "
  • you\u2019ve paid any rent arrears
  • ", + "

    If the judge dismisses the case, you can stay in your home. If the landlord wants to evict you, they\u2019ll have to restart the court process from the beginning.

    ", + "

    Types of possession order

    ", + "

    There are several different kinds of orders a judge can make.

    ", + "

    Order for possession (or \u2018outright possession order\u2019)

    ", + "

    This means you must leave the property before the date given in the order.

    ", + "

    The date will be either 14 or 28 days after your court hearing. If you\u2019re in an exceptionally difficult situation, you may be able to convince the judge to delay this for up to 6 weeks.

    ", + "

    If you do not leave your home by the date given, your landlord can ask the court to evict you by asking for a \u2018warrant for possession\u2019. If the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Suspended order for possession

    ", + "

    This means if you make the payments, or obey the conditions, set out in the order, you can stay in your home. If you do not make the payments, your landlord can ask the court to evict you.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Money order

    ", + "

    This means you have to pay the landlord the amount set out in the order. If you do not make the payments, action could be taken by the courts to recover the money, including:

    ", + "
  • deducting money from your wages or bank account
  • ", + "
  • sending bailiffs to take away things you own
  • ", + "

    If you get into rent arrears after a money order has been made, your landlord can go to court again and ask for a possession order.

    ", + "

    Possession orders with a money judgment

    ", + "

    A judge can add a money judgment to any of the possession orders. This means you owe a specific amount of money, usually made up of:

    ", + "
  • your rent arrears
  • ", + "
  • court fees
  • ", + "
  • your landlord\u2019s legal costs
  • ", + "

    The money judgment will not apply if you pay your arrears and the amount set out in a suspended possession order.

    ", + "

    However, the money judgment will apply if you do not pay the amount set out in the suspended possession order that\u2019s linked to the judgment. If you do not pay, the landlord may ask the court to carry out the instructions in the order and the judgment.

    ", + "

    Eviction notices

    ", + "

    If you do not leave your home by the date given in an outright possession order, your landlord can ask the court for a \u2018warrant of possession\u2019.

    ", + "

    If the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home. Bailiffs can evict you after this date. The costs of evicting you will be added to the money you owe.

    ", + "

    Changes to evictions in England and Wales because of coronavirus (COVID-19)

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England.

    ", + "

    In Wales, currently you will not be evicted by bailiffs, unless there is a serious reason. Bailiffs will only enter the property if you:

    ", + "
  • are living there illegally
  • ", + "
  • have been involved in antisocial behaviour
  • ", + "

    Delaying eviction

    ", + "

    You can ask a judge to suspend the warrant at a new hearing. This means they\u2019ll delay the eviction or let you stay in your home if you can make payments again.

    ", + "

    The judge will not automatically agree to suspend the warrant.

    ", + "

    Applying to suspend a warrant

    ", + "

    To apply for a suspension of a warrant, you must fill out an application notice and either send or deliver it to the county court dealing with your case.

    ", + "

    You must tell the court you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee of \u00a314, unless you qualify for help.

    ", + "

    Pay the county court:

    ", + "
  • by phone with a debit or credit card
  • ", + "
  • by post with a cheque or postal order made out to \u2018HM Courts and Tribunals Service\u2019
  • ", + "
  • in person with cash or a debit or credit card
  • ", + "

    You can find the address and phone number for the county court online.

    ", + "

    Asking the court to change your payments

    ", + "

    If your circumstances change, you can ask a judge at a new hearing to change what you pay. To do this, you must fill out an application notice and either send or deliver it to the county court dealing with your case.

    ", + "

    You\u2019ll have to pay a court fee of \u00a3100, unless you qualify for help.

    ", + "

    Pay the county court:

    ", + "
  • in person by cheque, cash, debit or credit card
  • ", + "
  • by post with a cheque made out to \u2018HM Courts and Tribunals Service\u2019
  • ", + "

    Appealing against the decision

    ", + "

    You can only appeal if you can show the judge made mistakes in the original possession hearing. You\u2019ll need to ask the judge for permission to appeal at the end of the original hearing.

    ", + "

    If you get permission to appeal, you\u2019ll have to apply for an appeal hearing very soon afterwards. You\u2019ll have to pay a court fee of up to \u00a3140, unless you qualify for help.

    ", + "

    You\u2019ll need to get legal advice.

    ", + "

    Contact your local council

    ", + "

    If you\u2019re worried about becoming homeless, contact your local council for homelessness help and advice.

    ", + "

    Harassment and illegal evictions

    ", + "

    It\u2019s a crime for your landlord to harass you or try to force you out of a property without using proper procedures. If this happens, you may have a right to claim damages through the court.

    ", + "

    What is harassment?

    ", + "

    Harassment can be anything a landlord does, or fails to do, that makes you feel unsafe in the property or forces you to leave.

    ", + "

    Harassment can include:

    ", + "
  • stopping services, like electricity
  • ", + "
  • withholding keys, for example there are 2 tenants in a property but the landlord will only give 1 key
  • ", + "
  • refusing to carry out repairs
  • ", + "
  • anti-social behaviour by a landlord\u2019s agent, for example a friend of the landlord moves in next door and causes problems
  • ", + "
  • threats and physical violence
  • ", + "

    Illegal eviction and tenants\u2019 rights

    ", + "

    Your landlord may be guilty of illegal eviction if you:

    ", + "
  • are not given the notice to leave the property that your landlord must give you
  • ", + "
  • find the locks have been changed
  • ", + "
  • are evicted without a court order
  • ", + "

    Even if your landlord\u2019s property is repossessed by their mortgage lender, the lender must give you notice so you can find other accommodation.

    ", + "

    If you have an assured, assured shorthold or regulated tenancy, they must give you:

    ", + "
  • 3 months to leave the property if you were given notice between 26 March 2020 and 28 August 2020
  • ", + "
  • 6 months to leave if you were given notice between 29 August 2020 and 31 May 2021
  • ", + "
  • 4 months to leave if you\u2019ve been given notice since 1 June 2021
  • ", + "

    In Wales, the notice period must be:

    ", + "
  • at least 6 months if they gave you notice on or after 24 July 2020
  • ", + "
  • at least 3 months if they issued a section 8 notice for antisocial behaviour
  • ", + "

    Citizens Advice has information on repossession by your landlord\u2019s mortgage lender.

    ", + "

    What you can do

    ", + "

    If you think you\u2019re being harassed or threatened with illegal eviction, or the property you rent is being repossessed, talk to your local council.

    ", + "

    It may have someone specialising in tenant harassment issues.

    ", + "

    Local councils can also start legal proceedings if they think there\u2019s enough evidence of harassment or illegal eviction.

    ", + "

    You could also contact a legal adviser, a Citizens Advice office or Shelter\u2019s housing advice helpline.

    ", + "

    Your local area may also have other housing or legal advice organisations - your local council, phonebook or library should have details.

    ", + "

    If physical violence is involved, contact the police.

    ", + "

    For further advice, the Ministry of Housing, Communities and Local Government has a detailed guide for tenants facing harassment and illegal eviction.

    " + ] + }, + "https://www.gov.uk/repossession": { + "url": "https://www.gov.uk/repossession", + "title": "Repossession", + "content": "## Get advice\n\nYou may be able to postpone or stop your home being repossessed.\n\nCheck if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\nFind a solicitor.\n\nYou can also get free advice from:\n\n- Citizens Advice\n\n- National Debtline\n\n- Shelter\n\n- your local council\n\nThe law for repossession in Scotland is different.\n\n## Before it goes to court\n\n## What your mortgage lender must do\n\nBefore a mortgage lender can repossess your home, they must:\n\n- tell you how much you owe\n\n- consider a request from you to change the way you pay your mortgage\n\n- respond to any offer of payment you make\n\n- give you reasons for turning down your offer of payment within 10 days\n\n- give you a reasonable amount of time to consider any proposal they make\n\n- give you 15 days\u2019 written warning if they plan to start court action\n\n- tell you the date and time of a repossession hearing\n\n- let your council know within 5 days of getting notification of the date of the court hearing, in case you need to apply to the council as homeless\n\n## Finding a solution\n\nEven if your mortgage lender starts a court action, you may still be able to reach an agreement with them.\n\nYou\u2019ll still need to attend court to tell the judge about the agreement, unless the court tells you the hearing\u2019s been cancelled or postponed.\n\n## Defence form\n\nIf your lender starts a repossession action against you, the court will send you a blank defence form and guidance on how to fill it in.\n\nYou can use the form to explain why you think the lender should not repossess your home. You need to return it within 14 days.\n\nThe court will also send you:\n\n- copies of the claim forms for possessing your home, filled in by your lender\n\n- a court hearing date\n\n- the court\u2019s contact details\n\n## Help with legal costs\n\n## Legal aid\n\nIf you\u2019re on a low income you may be able to get legal aid.\n\n## Free legal advice on the day\n\nIf you have not got help before, you can get last-minute legal help under the Housing Possession Court Duty scheme.\n\nThe scheme runs in county courts in England and Wales. It provides you with a specialist adviser on the day of your hearing who can:\n\n- represent you\n\n- help you come to an arrangement with your mortgage lender to pay off your debts\n\nTo find out about the scheme in your area, contact your local council or the court where your case is being heard.\n\n## The hearing\n\nRepossession hearings normally take place in a judge\u2019s chambers, not in a court room (although it\u2019s treated as a court).\n\nYou can bring an adviser or friend to the hearing, although they must be an adult.\n\nIf you do not attend the court hearing, it\u2019s likely the judge will give your mortgage lender the right to evict you.\n\nYou must keep to any agreement you make in court to pay off arrears. If you do not, you may still risk losing your home.\n\n## What to bring with you\n\nYou\u2019ll likely be asked for proof of your finances. This can include:\n\n- payslips\n\n- bank statements\n\n- job offers\n\n- letters about benefits\n\n- estate agent letter, for example if you\u2019re trying to sell your home to pay off the mortgage\n\n## Repossession orders\n\nThe lender can only repossess your home if the court grants permission.\n\nThe judge could decide to:\n\n- adjourn (delay) the hearing\n\n- set aside the case, which means no order will be made and the hearing is finished\n\n- make a repossession order\n\n## Outright possession order\n\nThis gives the lender a legal right to own your home on the date given in the order and is sometimes called an \u2018order for possession\u2019. This is usually 28 days after your court hearing.\n\nIf you do not leave your home by the date given in the order, your lender can ask the court to evict you.\n\n## Suspended possession order\n\nThis means that if you make regular payments as set out in the order, you can stay in your home.\n\nIf you do not make the payments, your lender can ask the court to evict you.\n\n## Money order\n\nThis means that you have to pay the lender the amount set out in the order.\n\nIf you do not make these payments:\n\n- money could be deducted from your wages or bank account\n\n- bailiffs may take away things you own\n\nYour lender cannot use a money order to evict you from your home. If you do not make payments set out in a money order on time, your lender could go to court again. As a result, the judge could decide to give them a possession order.\n\n## Possession order with money judgment\n\nA money judgment is usually added to a possession order. It means you owe a specific amount of money usually made up of:\n\n- your mortgage arrears\n\n- court fees\n\n- your lender\u2019s legal costs\n\nA money judgment will not apply if:\n\n- you pay your mortgage arrears and any amount set out in a suspended order\n\n- your lender sells your home and the sale price is more than the amount set out in the money judgment\n\nIf you do not pay the amount set out in the money judgment, the lender may ask the court to carry out the instructions in the possession order and the judgment.\n\n## Time order\n\nThis means that the judge changes the amount you pay on your mortgage for a set time by:\n\n- changing the regular amount you pay\n\n- changing the interest rate on your mortgage\n\n- delaying the next time you have to make a payment\n\nIf you do not make the payments, your lender can ask the court to evict you.\n\nA time order is usually only made on some types of loan like a second mortgage.\n\n## Delaying eviction\n\nYou can ask a judge to \u2018suspend the warrant for possession\u2019. This means delaying the eviction or allowing you to stay in your home if you are able to make payments again.\n\nA new hearing will be held but the judge will not automatically agree to suspend the possession warrant \u2013 it depends what happens in court.\n\nIf you want to get a warrant suspended, get advice immediately.\n\n## Applying for a suspension\n\nIf you want to apply for a suspension, you should fill out the application notice and either send it or deliver it to the court.\n\nYou must tell the court that you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee.\n\nYou may not have to pay the fee (otherwise known as \u2018fee remission\u2019) if you\u2019re on benefits or low pay.\n\n## Appealing a judge's decision\n\nIf you think the judge made mistakes about the law or the facts of your case in the original hearing, you may be able to appeal.\n\nGet legal advice if you want to appeal.\n\nNormally the appeal will be heard by a more senior judge.\n\n## Permission to appeal\n\nYou can ask the judge at the end of your original possession hearing if you can appeal.\n\nIf the judge refuses to give permission to appeal, you can ask a more senior judge.\n\nIf you get permission, make an application as soon as possible after your original possession hearing. You\u2019ll have to pay a court fee.\n\nYou may not have to pay the fee if you\u2019re on benefits or low pay.\n\n## What could happen\n\nAt the appeal, the judge can make a number of decisions including:\n\n- keeping the original decision\n\n- dismissing the previous decision or changing it\n\n- ordering a new hearing\n\nThe judge can also decide who pays the legal costs of the appeal.\n\n## If your home is repossessed\n\n## Help from your council\n\nYour local council must give you advice to help you find a new home.\n\nDepending on your circumstances, they may also be able to provide you with emergency accommodation or a more permanent home.\n\n## Buying another property\n\nYou must tell any new mortgage lender that your previous home was repossessed. This could make getting a new mortgage hard.\n\nYour previous lender may be able to claim some of the proceeds of your new home if you still owe them money when you sell it.", + "original_contents": [ + "

    Get advice

    ", + "

    You may be able to postpone or stop your home being repossessed.

    ", + "

    Check if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.

    ", + "

    Find a solicitor.

    ", + "

    You can also get free advice from:

    ", + "
  • Citizens Advice
  • ", + "
  • National Debtline
  • ", + "
  • Shelter
  • ", + "
  • your local council
  • ", + "

    The law for repossession in Scotland is different.

    ", + "

    Before it goes to court

    ", + "

    What your mortgage lender must do

    ", + "

    Before a mortgage lender can repossess your home, they must:

    ", + "
  • tell you how much you owe
  • ", + "
  • consider a request from you to change the way you pay your mortgage
  • ", + "
  • respond to any offer of payment you make
  • ", + "
  • give you reasons for turning down your offer of payment within 10 days
  • ", + "
  • give you a reasonable amount of time to consider any proposal they make
  • ", + "
  • give you 15 days\u2019 written warning if they plan to start court action
  • ", + "
  • tell you the date and time of a repossession hearing
  • ", + "
  • let your council know within 5 days of getting notification of the date of the court hearing, in case you need to apply to the council as homeless
  • ", + "

    Finding a solution

    ", + "

    Even if your mortgage lender starts a court action, you may still be able to reach an agreement with them.

    ", + "

    You\u2019ll still need to attend court to tell the judge about the agreement, unless the court tells you the hearing\u2019s been cancelled or postponed.

    ", + "

    Defence form

    ", + "

    If your lender starts a repossession action against you, the court will send you a blank defence form and guidance on how to fill it in.

    ", + "

    You can use the form to explain why you think the lender should not repossess your home. You need to return it within 14 days.

    ", + "

    The court will also send you:

    ", + "
  • copies of the claim forms for possessing your home, filled in by your lender
  • ", + "
  • a court hearing date
  • ", + "
  • the court\u2019s contact details
  • ", + "

    Help with legal costs

    ", + "

    Legal aid

    ", + "

    If you\u2019re on a low income you may be able to get legal aid.

    ", + "

    Free legal advice on the day

    ", + "

    If you have not got help before, you can get last-minute legal help under the Housing Possession Court Duty scheme.

    ", + "

    The scheme runs in county courts in England and Wales. It provides you with a specialist adviser on the day of your hearing who can:

    ", + "
  • represent you
  • ", + "
  • help you come to an arrangement with your mortgage lender to pay off your debts
  • ", + "

    To find out about the scheme in your area, contact your local council or the court where your case is being heard.

    ", + "

    The hearing

    ", + "

    Repossession hearings normally take place in a judge\u2019s chambers, not in a court room (although it\u2019s treated as a court).

    ", + "

    You can bring an adviser or friend to the hearing, although they must be an adult.

    ", + "

    If you do not attend the court hearing, it\u2019s likely the judge will give your mortgage lender the right to evict you.

    ", + "

    You must keep to any agreement you make in court to pay off arrears. If you do not, you may still risk losing your home.

    ", + "

    What to bring with you

    ", + "

    You\u2019ll likely be asked for proof of your finances. This can include:

    ", + "
  • payslips
  • ", + "
  • bank statements
  • ", + "
  • job offers
  • ", + "
  • letters about benefits
  • ", + "
  • estate agent letter, for example if you\u2019re trying to sell your home to pay off the mortgage
  • ", + "

    Repossession orders

    ", + "

    The lender can only repossess your home if the court grants permission.

    ", + "

    The judge could decide to:

    ", + "
  • adjourn (delay) the hearing
  • ", + "
  • set aside the case, which means no order will be made and the hearing is finished
  • ", + "
  • make a repossession order
  • ", + "

    Outright possession order

    ", + "

    This gives the lender a legal right to own your home on the date given in the order and is sometimes called an \u2018order for possession\u2019. This is usually 28 days after your court hearing.

    ", + "

    If you do not leave your home by the date given in the order, your lender can ask the court to evict you.

    ", + "

    Suspended possession order

    ", + "

    This means that if you make regular payments as set out in the order, you can stay in your home.

    ", + "

    If you do not make the payments, your lender can ask the court to evict you.

    ", + "

    Money order

    ", + "

    This means that you have to pay the lender the amount set out in the order.

    ", + "

    If you do not make these payments:

    ", + "
  • money could be deducted from your wages or bank account
  • ", + "
  • bailiffs may take away things you own
  • ", + "

    Your lender cannot use a money order to evict you from your home. If you do not make payments set out in a money order on time, your lender could go to court again. As a result, the judge could decide to give them a possession order.

    ", + "

    Possession order with money judgment

    ", + "

    A money judgment is usually added to a possession order. It means you owe a specific amount of money usually made up of:

    ", + "
  • your mortgage arrears
  • ", + "
  • court fees
  • ", + "
  • your lender\u2019s legal costs
  • ", + "

    A money judgment will not apply if:

    ", + "
  • you pay your mortgage arrears and any amount set out in a suspended order
  • ", + "
  • your lender sells your home and the sale price is more than the amount set out in the money judgment
  • ", + "

    If you do not pay the amount set out in the money judgment, the lender may ask the court to carry out the instructions in the possession order and the judgment.

    ", + "

    Time order

    ", + "

    This means that the judge changes the amount you pay on your mortgage for a set time by:

    ", + "
  • changing the regular amount you pay
  • ", + "
  • changing the interest rate on your mortgage
  • ", + "
  • delaying the next time you have to make a payment
  • ", + "

    If you do not make the payments, your lender can ask the court to evict you.

    ", + "

    A time order is usually only made on some types of loan like a second mortgage.

    ", + "

    Delaying eviction

    ", + "

    You can ask a judge to \u2018suspend the warrant for possession\u2019. This means delaying the eviction or allowing you to stay in your home if you are able to make payments again.

    ", + "

    A new hearing will be held but the judge will not automatically agree to suspend the possession warrant \u2013 it depends what happens in court.

    ", + "

    If you want to get a warrant suspended, get advice immediately.

    ", + "

    Applying for a suspension

    ", + "

    If you want to apply for a suspension, you should fill out the application notice and either send it or deliver it to the court.

    ", + "

    You must tell the court that you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee.

    ", + "

    You may not have to pay the fee (otherwise known as \u2018fee remission\u2019) if you\u2019re on benefits or low pay.

    ", + "

    Appealing a judge's decision

    ", + "

    If you think the judge made mistakes about the law or the facts of your case in the original hearing, you may be able to appeal.

    ", + "

    Get legal advice if you want to appeal.

    ", + "

    Normally the appeal will be heard by a more senior judge.

    ", + "

    Permission to appeal

    ", + "

    You can ask the judge at the end of your original possession hearing if you can appeal.

    ", + "

    If the judge refuses to give permission to appeal, you can ask a more senior judge.

    ", + "

    If you get permission, make an application as soon as possible after your original possession hearing. You\u2019ll have to pay a court fee.

    ", + "

    You may not have to pay the fee if you\u2019re on benefits or low pay.

    ", + "

    What could happen

    ", + "

    At the appeal, the judge can make a number of decisions including:

    ", + "
  • keeping the original decision
  • ", + "
  • dismissing the previous decision or changing it
  • ", + "
  • ordering a new hearing
  • ", + "

    The judge can also decide who pays the legal costs of the appeal.

    ", + "

    If your home is repossessed

    ", + "

    Help from your council

    ", + "

    Your local council must give you advice to help you find a new home.

    ", + "

    Depending on your circumstances, they may also be able to provide you with emergency accommodation or a more permanent home.

    ", + "

    Buying another property

    ", + "

    You must tell any new mortgage lender that your previous home was repossessed. This could make getting a new mortgage hard.

    ", + "

    Your previous lender may be able to claim some of the proceeds of your new home if you still owe them money when you sell it.

    " + ] + }, + "https://www.gov.uk/squatting-law": { + "url": "https://www.gov.uk/squatting-law", + "title": "Squatting and the law", + "content": "## Overview\n\nSquatting is when someone deliberately enters property without permission and lives there, or intends to live there. This is sometimes known as \u2018adverse possession\u2019.\n\nSquatting in residential buildings (like a house or flat) is illegal. It can lead to 6 months in prison, a \u00a35,000 fine or both.\n\nAnyone who originally enters a property with the permission of the landlord is not a squatter. For example, if you\u2019re renting a property and fall behind with rent payments you\u2019re not squatting if you continue to live there.\n\nAlthough squatting in non-residential building or land is not in itself a crime, it\u2019s a crime to damage the property.\n\nIt\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:\n\n- the owner\n\n- the police\n\n- the council\n\n- a repossession order\n\n## Squatting in non-residential properties\n\nA non-residential property is any building or land that is not designed to be lived in.\n\nSimply being on another person\u2019s non-residential property without their permission is not usually a crime. The police can take action if squatters commit other crimes when entering or staying in a property.\n\nCrimes include:\n\n- causing damage when entering the property\n\n- causing damage while in the property\n\n- not leaving when they\u2019re told to by a court\n\n- stealing from the property\n\n- using utilities like electricity or gas without permission\n\n- fly-tipping\n\n- not obeying a noise abatement notice\n\nContact the police if you see someone breaking into or damaging property.\n\n## Squatters' rights to property\n\nA long-term squatter can become the registered owner of property or land they\u2019ve occupied without the owner\u2019s permission.\n\nGet legal advice from a conveyancer or solicitor if you\u2019re a squatter in a property and want to claim ownership.\n\n## Who can apply\n\nYou can apply if you can prove:\n\n- you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)\n\n- you (or your predecessors) acted as owners of the property for the whole of that time\n\n- you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter\n\n## If the property\u2019s registered\n\nFill in a form for adverse possession.\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nSend your form and statement to the HM Land Registry Citizen Centre.\n\nHM Land Registry will decide if your application is valid and will let the property owner know. The owner has 65 days to object - your application will usually be automatically rejected if they do.\n\nYou\u2019ll be registered as the owner of the property if there\u2019s no objection.\n\nYou can apply again after 2 years if:\n\n- the owner has not tried to remove you\n\n- the property has not been reclaimed\n\n- you\u2019re still in possession of the property\n\nHM Land Registry will usually then register you as the owner.\n\n## If the property\u2019s unregistered\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nApply for first registration - include your statement with your application.\n\nHM Land Registry will:\n\n- inspect the property - you must pay a fee for this\n\n- decide if your application is valid\n\n- let the property owner know, if they have their details\n\nYou can try to come to an agreement with the owners if they object. HM Land Registry will arrange a tribunal to decide who owns the property if you cannot agree or do not want to.\n\nYou may have to pay the costs of the owner, such as their reasonable legal fees, no matter what the outcome.\n\n## Stop squatters legally possessing property\n\nHM Land Registry will tell you if squatters apply for legal ownership of your property if it\u2019s registered - you must take action if you want to keep it.\n\nGet legal advice from a conveyancer or solicitor if squatters try to claim your property.\n\nHow you block an application depends on whether your property is registered with HM Land Registry or not.\n\n## Registered properties\n\nYou\u2019ve 65 days to object to an application - HM Land Registry will tell you what you need to do.\n\nHM Land Registry will reject the squatters\u2019 application if you\u2019ve got a valid objection.\n\nYou must take action to remove the squatters and reclaim your property once the squatters\u2019 claim is rejected.\n\nYou will not be able to object again if you\u2019ve done nothing within 2 years of the original application and the same squatters reapply.\n\n## Unregistered properties\n\nYou can object to a squatter\u2019s application. HM Land Registry will tell you what you need to do.\n\nHM Land Registry may not be able to contact you if your property is not registered.\n\nHM Land Registry will decide if your objection is valid - if it is they\u2019ll ask if you want to negotiate with the squatters, for example offer to sell them the property. You\u2019ll be given time to do so.\n\nA tribunal will decide who owns the property if you cannot agree - HM Land Registry will arrange this.\n\n## Remove squatters\n\nYou can remove squatters using an interim possession order (IPO) or making a claim for possession.\n\nDo not try to remove the squatters yourself using force or the threat of force - you\u2019re committing a crime if you do.\n\nGet legal advice from a solicitor if you need help making a claim for possession.\n\n## Interim possession orders\n\nYou can only apply for an IPO if it\u2019s been 28 days or less since you found out your property\u2019s been squatted.\n\nFill in an application for an IPO and send it to your local county court.\n\nThe court will send you confirmation of your IPO within a few days. They will also send you documents that you must give to the squatters within 48 hours.\n\nAfter being served with an IPO squatters can be sent to prison if they do not:\n\n- leave your property within 24 hours\n\n- stay away from your property for 12 months\n\nTo get final possession of the property, you must make a claim for possession. You can do this on your IPO application form or separately online.\n\n## Exceptions\n\nYou cannot use an IPO if:\n\n- you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession\n\n- you\u2019re trying to evict former tenants, sub-tenants or licensees\n\n## Claim for possession\n\nMake a claim for possession if it\u2019s been more than 28 days since you found out about the squatters.\n\n## Where to get help\n\nYou may be classed as homeless if you\u2019re squatting. Get advice from Shelter or Shelter in Wales.\n\nYou can also contact your council for help.\n\n## Report squatters\n\nCall the police if you:\n\n- find people squatting in a residential property you own\n\n- see someone breaking into anywhere\n\n- think someone is squatting", + "original_contents": [ + "

    Overview

    ", + "

    Squatting is when someone deliberately enters property without permission and lives there, or intends to live there. This is sometimes known as \u2018adverse possession\u2019.

    ", + "

    Squatting in residential buildings (like a house or flat) is illegal. It can lead to 6 months in prison, a \u00a35,000 fine or both.

    ", + "

    Anyone who originally enters a property with the permission of the landlord is not a squatter. For example, if you\u2019re renting a property and fall behind with rent payments you\u2019re not squatting if you continue to live there.

    ", + "

    Although squatting in non-residential building or land is not in itself a crime, it\u2019s a crime to damage the property.

    ", + "

    It\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:

    ", + "
  • the owner
  • ", + "
  • the police
  • ", + "
  • the council
  • ", + "
  • a repossession order
  • ", + "

    Squatting in non-residential properties

    ", + "

    A non-residential property is any building or land that is not designed to be lived in.

    ", + "

    Simply being on another person\u2019s non-residential property without their permission is not usually a crime. The police can take action if squatters commit other crimes when entering or staying in a property.

    ", + "

    Crimes include:

    ", + "
  • causing damage when entering the property
  • ", + "
  • causing damage while in the property
  • ", + "
  • not leaving when they\u2019re told to by a court
  • ", + "
  • stealing from the property
  • ", + "
  • using utilities like electricity or gas without permission
  • ", + "
  • fly-tipping
  • ", + "
  • not obeying a noise abatement notice
  • ", + "

    Contact the police if you see someone breaking into or damaging property.

    ", + "

    Squatters' rights to property

    ", + "

    A long-term squatter can become the registered owner of property or land they\u2019ve occupied without the owner\u2019s permission.

    ", + "

    Get legal advice from a conveyancer or solicitor if you\u2019re a squatter in a property and want to claim ownership.

    ", + "

    Who can apply

    ", + "

    You can apply if you can prove:

    ", + "
  • you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)
  • ", + "
  • you (or your predecessors) acted as owners of the property for the whole of that time
  • ", + "
  • you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter
  • ", + "

    If the property\u2019s registered

    ", + "

    Fill in a form for adverse possession.

    ", + "

    Complete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.

    ", + "

    Send your form and statement to the HM Land Registry Citizen Centre.

    ", + "

    HM Land Registry will decide if your application is valid and will let the property owner know. The owner has 65 days to object - your application will usually be automatically rejected if they do.

    ", + "

    You\u2019ll be registered as the owner of the property if there\u2019s no objection.

    ", + "

    You can apply again after 2 years if:

    ", + "
  • the owner has not tried to remove you
  • ", + "
  • the property has not been reclaimed
  • ", + "
  • you\u2019re still in possession of the property
  • ", + "

    HM Land Registry will usually then register you as the owner.

    ", + "

    If the property\u2019s unregistered

    ", + "

    Complete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.

    ", + "

    Apply for first registration - include your statement with your application.

    ", + "

    HM Land Registry will:

    ", + "
  • inspect the property - you must pay a fee for this
  • ", + "
  • decide if your application is valid
  • ", + "
  • let the property owner know, if they have their details
  • ", + "

    You can try to come to an agreement with the owners if they object. HM Land Registry will arrange a tribunal to decide who owns the property if you cannot agree or do not want to.

    ", + "

    You may have to pay the costs of the owner, such as their reasonable legal fees, no matter what the outcome.

    ", + "

    Stop squatters legally possessing property

    ", + "

    HM Land Registry will tell you if squatters apply for legal ownership of your property if it\u2019s registered - you must take action if you want to keep it.

    ", + "

    Get legal advice from a conveyancer or solicitor if squatters try to claim your property.

    ", + "

    How you block an application depends on whether your property is registered with HM Land Registry or not.

    ", + "

    Registered properties

    ", + "

    You\u2019ve 65 days to object to an application - HM Land Registry will tell you what you need to do.

    ", + "

    HM Land Registry will reject the squatters\u2019 application if you\u2019ve got a valid objection.

    ", + "

    You must take action to remove the squatters and reclaim your property once the squatters\u2019 claim is rejected.

    ", + "

    You will not be able to object again if you\u2019ve done nothing within 2 years of the original application and the same squatters reapply.

    ", + "

    Unregistered properties

    ", + "

    You can object to a squatter\u2019s application. HM Land Registry will tell you what you need to do.

    ", + "

    HM Land Registry may not be able to contact you if your property is not registered.

    ", + "

    HM Land Registry will decide if your objection is valid - if it is they\u2019ll ask if you want to negotiate with the squatters, for example offer to sell them the property. You\u2019ll be given time to do so.

    ", + "

    A tribunal will decide who owns the property if you cannot agree - HM Land Registry will arrange this.

    ", + "

    Remove squatters

    ", + "

    You can remove squatters using an interim possession order (IPO) or making a claim for possession.

    ", + "

    Do not try to remove the squatters yourself using force or the threat of force - you\u2019re committing a crime if you do.

    ", + "

    Get legal advice from a solicitor if you need help making a claim for possession.

    ", + "

    Interim possession orders

    ", + "

    You can only apply for an IPO if it\u2019s been 28 days or less since you found out your property\u2019s been squatted.

    ", + "

    Fill in an application for an IPO and send it to your local county court.

    ", + "

    The court will send you confirmation of your IPO within a few days. They will also send you documents that you must give to the squatters within 48 hours.

    ", + "

    After being served with an IPO squatters can be sent to prison if they do not:

    ", + "
  • leave your property within 24 hours
  • ", + "
  • stay away from your property for 12 months
  • ", + "

    To get final possession of the property, you must make a claim for possession. You can do this on your IPO application form or separately online.

    ", + "

    Exceptions

    ", + "

    You cannot use an IPO if:

    ", + "
  • you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession
  • ", + "
  • you\u2019re trying to evict former tenants, sub-tenants or licensees
  • ", + "

    Claim for possession

    ", + "

    Make a claim for possession if it\u2019s been more than 28 days since you found out about the squatters.

    ", + "

    Where to get help

    ", + "

    You may be classed as homeless if you\u2019re squatting. Get advice from Shelter or Shelter in Wales.

    ", + "

    You can also contact your council for help.

    ", + "

    Report squatters

    ", + "

    Call the police if you:

    ", + "
  • find people squatting in a residential property you own
  • ", + "
  • see someone breaking into anywhere
  • ", + "
  • think someone is squatting
  • " + ] + }, + "https://www.gov.uk/noise-pollution-road-train-plane": { + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "title": "Noise from roads, trains or planes", + "content": "## Vehicle noise limits\n\nThere are limits to the amount of noise that vehicles can make on public roads. This applies to all types of vehicles.\n\nIn general, larger vehicles with bigger engines are able to make more noise.\n\n## Noise limits on tyres\n\nThere are noise limits on tyres and since November 2012 all new tyres are graded and labelled to show how noisy they are.\n\n## Modified exhaust systems\n\nIt\u2019s illegal to modify the exhaust system to make a vehicle noisier after it has been \u2018type approved\u2019 (checked it meets environmental and safety standards).\n\nThe police can also take action if your vehicle\u2019s silencer doesn\u2019t work in the way it was designed or if you\u2019re driving in a way that creates too much noise.\n\n## Noise from roads\n\nThere\u2019s no legal limit to road noise, although noise levels might be taken into account when new roads or houses and offices near roads are planned.\n\n## Planned new roads\n\nWhen planning a new road local highway authorities assess how the noise at your property will change when the road opens.\n\nIf noise from a new road exceeds certain levels at your home you might be able to get sound insulation.\n\nContact your highway authority to apply, or if you\u2019re worried about the noise from a planned road scheme - get their details from your local council.\n\n## Compulsory purchase and road noise\n\nWhen a new road is built, it often involves the \u2018compulsory purchase\u2019 of land to make way for the road.\n\nYou might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.\n\n## After roads open to traffic\n\nYou can apply for compensation if your property value goes down because of road noise from the use of a new or altered road.\n\n## Railway noise\n\nThere are no legal limits to noise from existing railways.\n\nIf you think that noise levels are affecting your health contact your local council who will investigate on your behalf.\n\nIf noise from a new railway affects your property you might be able to get sound insulation for your home. Contact the relevant rail authority - ask your local council for their details.\n\nIf particular trains are causing you a problem, speak to the company running those trains.\n\nFind information on train operators on the National Rail website or call Network Rail.\n\n## Aircraft noise\n\nNoise is regulated to some extent at all UK airports. This can include noise limits and restrictions on night flights.\n\nAircraft paths are generally designed to fly over the least populated areas.\n\nSome airports operate grant schemes to install sound insulation in affected homes. Contact the airport that affects you to find out if they run one.\n\nThe Civil Aviation Authority (CAA) has more information on aircraft noise and emissions.\n\n## Complaining about aircraft noise\n\nTo complain about noise or aircraft activities in general, get in touch with the relevant airport.\n\n## Military aircraft\n\nMilitary aircraft are covered by different rules. You can complain about military aircraft noise or low flying military aircraft.\n\n## Further information\n\nThere are strategic noise maps for England provided by the Department for Environment, Food and Rural Affairs (Defra).\n\nThese estimate noise from:\n\n- major roads - those with more than 6 million vehicle passages annually\n\n- major railways - those with more than 60,000 train passages annually\n\n- major airports - those with more than 50,000 aircraft movements annually (except for training on light aircraft)\n\nThey also estimate noise in urban areas (with populations greater than 250,000 and a certain population density).", + "original_contents": [ + "

    Vehicle noise limits

    ", + "

    There are limits to the amount of noise that vehicles can make on public roads. This applies to all types of vehicles.

    ", + "

    In general, larger vehicles with bigger engines are able to make more noise.

    ", + "

    Noise limits on tyres

    ", + "

    There are noise limits on tyres and since November 2012 all new tyres are graded and labelled to show how noisy they are.

    ", + "

    Modified exhaust systems

    ", + "

    It\u2019s illegal to modify the exhaust system to make a vehicle noisier after it has been \u2018type approved\u2019 (checked it meets environmental and safety standards).

    ", + "

    The police can also take action if your vehicle\u2019s silencer doesn\u2019t work in the way it was designed or if you\u2019re driving in a way that creates too much noise.

    ", + "

    Noise from roads

    ", + "

    There\u2019s no legal limit to road noise, although noise levels might be taken into account when new roads or houses and offices near roads are planned.

    ", + "

    Planned new roads

    ", + "

    When planning a new road local highway authorities assess how the noise at your property will change when the road opens.

    ", + "

    If noise from a new road exceeds certain levels at your home you might be able to get sound insulation.

    ", + "

    Contact your highway authority to apply, or if you\u2019re worried about the noise from a planned road scheme - get their details from your local council.

    ", + "

    Compulsory purchase and road noise

    ", + "

    When a new road is built, it often involves the \u2018compulsory purchase\u2019 of land to make way for the road.

    ", + "

    You might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.

    ", + "

    After roads open to traffic

    ", + "

    You can apply for compensation if your property value goes down because of road noise from the use of a new or altered road.

    ", + "

    Railway noise

    ", + "

    There are no legal limits to noise from existing railways.

    ", + "

    If you think that noise levels are affecting your health contact your local council who will investigate on your behalf.

    ", + "

    If noise from a new railway affects your property you might be able to get sound insulation for your home. Contact the relevant rail authority - ask your local council for their details.

    ", + "

    If particular trains are causing you a problem, speak to the company running those trains.

    ", + "

    Find information on train operators on the National Rail website or call Network Rail.

    ", + "

    Aircraft noise

    ", + "

    Noise is regulated to some extent at all UK airports. This can include noise limits and restrictions on night flights.

    ", + "

    Aircraft paths are generally designed to fly over the least populated areas.

    ", + "

    Some airports operate grant schemes to install sound insulation in affected homes. Contact the airport that affects you to find out if they run one.

    ", + "

    The Civil Aviation Authority (CAA) has more information on aircraft noise and emissions.

    ", + "

    Complaining about aircraft noise

    ", + "

    To complain about noise or aircraft activities in general, get in touch with the relevant airport.

    ", + "

    Military aircraft

    ", + "

    Military aircraft are covered by different rules. You can complain about military aircraft noise or low flying military aircraft.

    ", + "

    Further information

    ", + "

    There are strategic noise maps for England provided by the Department for Environment, Food and Rural Affairs (Defra).

    ", + "

    These estimate noise from:

    ", + "
  • major roads - those with more than 6 million vehicle passages annually
  • ", + "
  • major railways - those with more than 60,000 train passages annually
  • ", + "
  • major airports - those with more than 50,000 aircraft movements annually (except for training on light aircraft)
  • ", + "

    They also estimate noise in urban areas (with populations greater than 250,000 and a certain population density).

    " + ] + }, + "https://www.gov.uk/capital-gains-tax": { + "url": "https://www.gov.uk/capital-gains-tax", + "title": "Capital Gains Tax", + "content": "## Overview\n\nCapital Gains Tax is a tax on the profit when you sell (or \u2018dispose of\u2019) something (an \u2018asset\u2019) that\u2019s increased in value.\n\nIt\u2019s the gain you make that\u2019s taxed, not the amount of money you receive.\n\nSome assets are tax-free. You also do not have to pay Capital Gains Tax if all your gains in a year are under your tax-free allowance.\n\n## Disposing of an asset\n\nDisposing of an asset includes:\n\n- selling it\n\n- giving it away as a gift, or transferring it to someone else\n\n- swapping it for something else\n\n- getting compensation for it - like an insurance payout if it\u2019s been lost or destroyed\n\n## What you pay it on\n\nYou pay Capital Gains Tax on the gain when you sell (or \u2018dispose of\u2019):\n\n- most personal possessions worth \u00a36,000 or more, apart from your car\n\n- property that\u2019s not your main home\n\n- your main home if you\u2019ve let it out, used it for business or it\u2019s very large\n\n- shares that are not in an ISA or PEP\n\n- business assets\n\nThese are known as \u2018chargeable assets\u2019.\n\nIf you sell or give away cryptoassets (like cryptocurrency or bitcoin) you should check if you have to pay Capital Gains Tax.\n\nDepending on the asset, you may be able to reduce any tax you pay by claiming a relief.\n\nIf you dispose of an asset you jointly own with someone else, you have to pay Capital Gains Tax on your share of the gain.\n\n## When you do not pay it\n\nYou only have to pay Capital Gains Tax on your total gains above an annual tax-free allowance.\n\nYou do not usually pay tax on gifts to your husband, wife, civil partner or a charity.\n\n## What you do not pay it on\n\nYou do not pay Capital Gains Tax on certain assets, including any gains you make from:\n\n- ISAs or PEPs\n\n- UK government gilts and Premium Bonds\n\n- betting, lottery or pools winnings\n\n## When someone dies\n\nWhen you inherit an asset, Inheritance Tax is usually paid by the estate of the person who\u2019s died. You only have to work out if you need to pay Capital Gains Tax if you later dispose of the asset.\n\n## Overseas assets\n\nYou may have to pay Capital Gains Tax even if your asset is overseas.\n\nThere are special rules if you\u2019re a UK resident but not \u2018domiciled\u2019 and claim the \u2018remittance basis\u2019.\n\n## If you\u2019re abroad\n\nYou have to pay tax on gains you make on property and land in the UK even if you\u2019re non-resident for tax purposes. You do not pay Capital Gains Tax on other UK assets, for example shares in UK companies, unless you return to the UK within 5 years of leaving.\n\n## Capital Gains Tax allowances\n\nYou only have to pay Capital Gains Tax on your overall gains above your tax-free allowance (called the Annual Exempt Amount).\n\nThe Capital Gains tax-free allowance is:\n\n- \u00a312,300\n\n- \u00a36,150 for trusts\n\nYou can see tax-free allowances for previous years.\n\nYou may also be able to reduce your tax bill by deducting losses or claiming reliefs - this depends on the asset.\n\n## Gifts to your spouse or charity\n\nThere are special rules for Capital Gains Tax on gifts or assets you dispose of to:\n\n- your spouse or civil partner\n\n- charity\n\nThe normal rules apply for gifts to others.\n\n## Your spouse or civil partner\n\nYou do not pay Capital Gains Tax on assets you give or sell to your husband, wife or civil partner, unless:\n\n- you separated and did not live together at all in that tax year\n\n- you gave them goods for their business to sell on\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If they later sell the asset\n\nYour spouse or civil partner may have to pay tax on any gain if they later dispose of the asset.\n\nTheir gain will be calculated on the difference in value between when you first owned the asset and when they disposed of it.\n\nIf this was before April 1982, your spouse or civil partner should work out their gain using the market value on 31 March 1982 instead.\n\nThey should keep a record of what you paid for the asset.\n\n## Gifts to charity\n\nYou do not have to pay Capital Gains Tax on assets you give away to charity.\n\nYou may have to pay if you sell an asset to charity for both:\n\n- more than you paid for it\n\n- less than market value\n\nWork out your gain using the amount the charity actually pays you, rather than the value of the asset.\n\n## Work out if you need to pay\n\nYou need to pay Capital Gains Tax when you sell an asset if your total taxable gains are above your annual Capital Gains Tax allowance.\n\n## Work out your total taxable gains\n\n- Work out the gain for each asset (or your share of an asset if it\u2019s jointly owned). Do this for the personal possessions, shares, property or business assets you\u2019ve disposed of in the tax year.\n\n- Add together the gains from each asset.\n\n- Deduct any allowable losses.\n\nThe tax year runs from 6 April to 5 April the following year.\n\nYou\u2019ll need to report and pay Capital Gains Tax if your taxable gains are above your allowance.\n\n## If your total gains are less than the tax-free allowance\n\nYou do not have to pay tax if your total taxable gains are under your Capital Gains Tax allowance.\n\nYou still need to report your gains in your tax return if both of the following apply:\n\n- the total amount you sold the assets for was more than 4 times your allowance\n\n- you\u2019re registered for Self Assessment\n\nThere are different rules for reporting a loss.\n\n## If you\u2019re non-resident\n\nYou need to tell HMRC when you sell property or land even if your gain is below the tax-free allowance or you make a loss. Non-residents do not pay tax on other capital gains.\n\n## Report and pay Capital Gains Tax\n\nHow and when you report Capital Gains Tax over your annual allowance depends on what you made the gain on.\n\nThere are different ways to report and pay Capital Gains Tax due on:\n\n- UK residential property sold since 6 April 2020\n\n- any other gains\n\nTo report any capital gains you\u2019ll need:\n\n- calculations for each capital gain or loss you report\n\n- details of how much you bought and sold the asset for\n\n- the dates when you took ownership and disposed of the asset\n\n- any other relevant details, such as the costs of disposing of the asset and any tax reliefs you\u2019re entitled to\n\n## If you sold property in the UK on or after 6 April 2020\n\nYou must report and pay any tax due on UK residential property using a Capital Gains Tax on UK property account within 30 days of selling it.\n\nYou may have to pay interest and a penalty if you do not report gains on UK property within 30 days of selling it.\n\nSign in or create a Capital Gains Tax on UK property account.\n\nYou\u2019ll need a Government Gateway user ID and password to set your account up or sign in. If you do not have a user ID, you can create one the first time you sign in.\n\nOnce you have an account you can sign in at any time to report Capital Gains Tax on UK property or see any returns you\u2019ve already sent.\n\n## If you\u2019re not resident in the UK\n\nYou must report sales of UK property as a non-resident within 30 days, even if you have no tax to pay.\n\n## If you\u2019re reporting on behalf of someone else or a trust\n\nYou need to use your own Capital Gains Tax on UK property account to report on behalf of someone else.\n\nYou\u2019ll need proof you\u2019re allowed to report on their behalf, such as a lasting power of attorney. If the person has died, you\u2019ll need to give their date of death.\n\nIf you\u2019re reporting as a trustee of a registered trust, you\u2019ll need the trust\u2019s registration number or unique tax reference.\n\nThere\u2019s a different way to report your client\u2019s Capital Gains Tax on UK property as an agent.\n\n## If you have other capital gains to report\n\nIf your gain is not from residential property sold in the UK since 6 April 2020, you have a choice of how and when to report the tax.\n\n## Report and pay the tax straightaway\n\nYou can use the \u2018real time\u2019 Capital Gains Tax service immediately if you know what you owe.\n\nYou need to report your gain by 31 December in the tax year after you made the gain. For example, if you made a gain in the 2020 to 2021 tax year, you need to report it by 31 December 2021.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you report and pay.\n\nAfter you\u2019ve reported your gains, HMRC will send you a letter or email giving you a payment reference number and telling you how to pay.\n\nIf you need to change your report using the service, you\u2019ll need your report reference number starting with \u2018RTT\u2019. You\u2019ll get it by email within 10 days.\n\n## Report your gains in a Self Assessment tax return in the following tax year\n\nYou can report your gains in a Self Assessment tax return in the tax year after you disposed of assets.\n\nDo not wait until the next tax year to report gains on UK residential property sold since 6 April 2020. You may have to pay interest and a penalty if you do.\n\nIf you do not usually send a tax return, register for Self Assessment after the tax year you disposed of your chargeable assets.\n\nYou can get help with your tax return from an accountant or tax adviser.\n\nAfter you\u2019ve sent your return HMRC will tell you how much you owe in Capital Gains Tax, how to pay and when to pay by.\n\n## Capital Gains Tax rates\n\nYou pay a different rate of tax on gains from residential property than you do on other assets.\n\nYou do not usually pay tax when you sell your home.\n\n## If you pay higher rate Income Tax\n\nIf you\u2019re a higher or additional rate taxpayer you\u2019ll pay:\n\n- 28% on your gains from residential property\n\n- 20% on your gains from other chargeable assets\n\n## If you pay basic rate Income Tax\n\nIf you\u2019re a basic rate taxpayer, the rate you pay depends on the size of your gain, your taxable income and whether your gain is from residential property or other assets.\n\n- Work out how much taxable income you have - this is your income minus your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.\n\n- Work out your total taxable gains.\n\n- Deduct your tax-free allowance from your total taxable gains.\n\n- Add this amount to your taxable income.\n\n- If this amount is within the basic Income Tax band you\u2019ll pay 10% on your gains (or 18% on residential property). You\u2019ll pay 20% (or 28% on residential property) on any amount above the basic tax rate.\n\n## If you have gains from both residential property and other assets\n\nYou can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## If you\u2019re a trustee or business\n\nTrustees or personal representatives of someone who\u2019s died pay:\n\n- 28% on residential property\n\n- 20% on other chargeable assets\n\nYou\u2019ll pay 10% if you\u2019re a sole trader or partnership and your gains qualify for Business Asset Disposal Relief.\n\n## If you make a loss\n\nYou can report losses on a chargeable asset to HM Revenue and Customs (HMRC) to reduce your total taxable gains.\n\nLosses used in this way are called \u2018allowable losses\u2019.\n\n## Using losses to reduce your gain\n\nWhen you report a loss, the amount is deducted from the gains you made in the same tax year.\n\nIf your total taxable gain is still above the tax-free allowance, you can deduct unused losses from previous tax years. If they reduce your gain to the tax-free allowance, you can carry forward the remaining losses to a future tax year.\n\n## Reporting losses\n\nClaim for your loss by including it on your tax return. If you\u2019ve never made a gain and are not registered for Self Assessment, you can write to HMRC instead.\n\nYou do not have to report losses straight away - you can claim up to 4 years after the end of the tax year that you disposed of the asset.\n\nThere\u2019s an exception for losses made before 5 April 1996, which you can still claim for. You must deduct these after any more recent losses.\n\n## Losses when disposing of assets to family and others\n\n## Your husband, wife or civil partner\n\nYou usually do not pay Capital Gains Tax on assets you give or sell to your spouse or civil partner. You cannot claim losses against these assets.\n\n## Other family members and \u2018connected people\u2019\n\nYou cannot deduct a loss from giving, selling or disposing of an asset to a family member unless you\u2019re offsetting a gain from the same person.\n\nThis also applies to \u2018connected people\u2019 like business partners.\n\n## Connected people\n\nHMRC defines connected people as including:\n\n- your brothers, sisters, parents, grandparents, children and grandchildren, and their husbands, wives or civil partners\n\n- the brothers, sisters, parents, grandparents, children and grandchildren of your husband, wife or civil partner - and their husbands, wives or civil partners\n\n- business partners\n\n- a company you control\n\n- trustees where you\u2019re the \u2018settlor\u2019 (or someone connected to you is)\n\n## Claiming for an asset that\u2019s lost its value\n\nYou can claim losses on assets that you still own if they become worthless or of \u2018negligible value\u2019.\n\nHMRC has guidance on how to make a negligible value claim.\n\n## Special rules\n\nHMRC has guidance on the special rules for losses:\n\n- when someone dies\n\n- if you\u2019re non-resident and sell UK property or land\n\n- if you\u2019ve temporarily lived abroad as a \u2018non-resident\u2019\n\n- from your income on shares that are unquoted or in the Enterprise Investment Scheme\n\n- on overseas assets if you\u2019re \u2018non-domiciled\u2019 in the UK and have claimed the \u2018remittance basis\u2019\n\n## Record keeping\n\nYou need to collect records to work out your gains and fill in your tax return. You must keep them for at least a year after the Self Assessment deadline.\n\nYou\u2019ll need to keep records for longer if you sent your tax return late or HM Revenue and Customs (HMRC) have started a check into your return.\n\nBusinesses must keep records for 5 years after the deadline.\n\n## Records you\u2019ll need\n\nKeep receipts, bills and invoices that show the date and the amount:\n\n- you paid for an asset\n\n- of any additional costs like fees for professional advice, Stamp Duty, improvement costs, or to establish the market value\n\n- you received for the asset - including things like payments you get later in instalments, or compensation if the asset was damaged\n\nAlso keep any contracts for buying and selling the asset (for example from solicitors or stockbrokers) and copies of any valuations.\n\n## If you do not have records\n\nYou must try to recreate your records if you cannot replace them after they\u2019ve been lost, stolen or destroyed.\n\nIf you fill in your tax return using recreated records, you\u2019ll need to show where figures are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with the actual figures\n\n## Market value\n\nYour gain is usually the difference between what you paid for your asset and what you sold it for.\n\nThere are some situations where you use the market value instead.\n\n| Situation | Use market value at |\n\n| Gifts | Date of gift |\n\n| Assets sold for less than they were worth to help the buyer | Date of sale |\n\n| Inherited assets where you do not know the Inheritance Tax value | Date of death |\n\n| Assets owned before April 1982 | 31 March 1982 |\n\n## Checking the market value\n\nHM Revenue and Customs (HMRC) can check your valuation.\n\nAfter you\u2019ve disposed of the asset, complete a \u2018Post-transaction valuation check\u2019 form. Return it to the address on the form - allow at least 3 months for HMRC\u2019s response.", + "original_contents": [ + "

    Overview

    ", + "

    Capital Gains Tax is a tax on the profit when you sell (or \u2018dispose of\u2019) something (an \u2018asset\u2019) that\u2019s increased in value.

    ", + "

    It\u2019s the gain you make that\u2019s taxed, not the amount of money you receive.

    ", + "

    Some assets are tax-free. You also do not have to pay Capital Gains Tax if all your gains in a year are under your tax-free allowance.

    ", + "

    Disposing of an asset

    ", + "

    Disposing of an asset includes:

    ", + "
  • selling it
  • ", + "
  • giving it away as a gift, or transferring it to someone else
  • ", + "
  • swapping it for something else
  • ", + "
  • getting compensation for it - like an insurance payout if it\u2019s been lost or destroyed
  • ", + "

    What you pay it on

    ", + "

    You pay Capital Gains Tax on the gain when you sell (or \u2018dispose of\u2019):

    ", + "
  • most personal possessions worth \u00a36,000 or more, apart from your car
  • ", + "
  • property that\u2019s not your main home
  • ", + "
  • your main home if you\u2019ve let it out, used it for business or it\u2019s very large
  • ", + "
  • shares that are not in an ISA or PEP
  • ", + "
  • business assets
  • ", + "

    These are known as \u2018chargeable assets\u2019.

    ", + "

    If you sell or give away cryptoassets (like cryptocurrency or bitcoin) you should check if you have to pay Capital Gains Tax.

    ", + "

    Depending on the asset, you may be able to reduce any tax you pay by claiming a relief.

    ", + "

    If you dispose of an asset you jointly own with someone else, you have to pay Capital Gains Tax on your share of the gain.

    ", + "

    When you do not pay it

    ", + "

    You only have to pay Capital Gains Tax on your total gains above an annual tax-free allowance.

    ", + "

    You do not usually pay tax on gifts to your husband, wife, civil partner or a charity.

    ", + "

    What you do not pay it on

    ", + "

    You do not pay Capital Gains Tax on certain assets, including any gains you make from:

    ", + "
  • ISAs or PEPs
  • ", + "
  • UK government gilts and Premium Bonds
  • ", + "
  • betting, lottery or pools winnings
  • ", + "

    When someone dies

    ", + "

    When you inherit an asset, Inheritance Tax is usually paid by the estate of the person who\u2019s died. You only have to work out if you need to pay Capital Gains Tax if you later dispose of the asset.

    ", + "

    Overseas assets

    ", + "

    You may have to pay Capital Gains Tax even if your asset is overseas.

    ", + "

    There are special rules if you\u2019re a UK resident but not \u2018domiciled\u2019 and claim the \u2018remittance basis\u2019.

    ", + "

    If you\u2019re abroad

    ", + "

    You have to pay tax on gains you make on property and land in the UK even if you\u2019re non-resident for tax purposes. You do not pay Capital Gains Tax on other UK assets, for example shares in UK companies, unless you return to the UK within 5 years of leaving.

    ", + "

    Capital Gains Tax allowances

    ", + "

    You only have to pay Capital Gains Tax on your overall gains above your tax-free allowance (called the Annual Exempt Amount).

    ", + "

    The Capital Gains tax-free allowance is:

    ", + "
  • \u00a312,300
  • ", + "
  • \u00a36,150 for trusts
  • ", + "

    You can see tax-free allowances for previous years.

    ", + "

    You may also be able to reduce your tax bill by deducting losses or claiming reliefs - this depends on the asset.

    ", + "

    Gifts to your spouse or charity

    ", + "

    There are special rules for Capital Gains Tax on gifts or assets you dispose of to:

    ", + "
  • your spouse or civil partner
  • ", + "
  • charity
  • ", + "

    The normal rules apply for gifts to others.

    ", + "

    Your spouse or civil partner

    ", + "

    You do not pay Capital Gains Tax on assets you give or sell to your husband, wife or civil partner, unless:

    ", + "
  • you separated and did not live together at all in that tax year
  • ", + "
  • you gave them goods for their business to sell on
  • ", + "

    The tax year is from 6 April to 5 April the following year.

    ", + "

    If they later sell the asset

    ", + "

    Your spouse or civil partner may have to pay tax on any gain if they later dispose of the asset.

    ", + "

    Their gain will be calculated on the difference in value between when you first owned the asset and when they disposed of it.

    ", + "

    If this was before April 1982, your spouse or civil partner should work out their gain using the market value on 31 March 1982 instead.

    ", + "

    They should keep a record of what you paid for the asset.

    ", + "

    Gifts to charity

    ", + "

    You do not have to pay Capital Gains Tax on assets you give away to charity.

    ", + "

    You may have to pay if you sell an asset to charity for both:

    ", + "
  • more than you paid for it
  • ", + "
  • less than market value
  • ", + "

    Work out your gain using the amount the charity actually pays you, rather than the value of the asset.

    ", + "

    Work out if you need to pay

    ", + "

    You need to pay Capital Gains Tax when you sell an asset if your total taxable gains are above your annual Capital Gains Tax allowance.

    ", + "

    Work out your total taxable gains

    ", + "
  • Work out the gain for each asset (or your share of an asset if it\u2019s jointly owned). Do this for the personal possessions, shares, property or business assets you\u2019ve disposed of in the tax year.
  • ", + "
  • Add together the gains from each asset.
  • ", + "
  • Deduct any allowable losses.
  • ", + "

    The tax year runs from 6 April to 5 April the following year.

    ", + "

    You\u2019ll need to report and pay Capital Gains Tax if your taxable gains are above your allowance.

    ", + "

    If your total gains are less than the tax-free allowance

    ", + "

    You do not have to pay tax if your total taxable gains are under your Capital Gains Tax allowance.

    ", + "

    You still need to report your gains in your tax return if both of the following apply:

    ", + "
  • the total amount you sold the assets for was more than 4 times your allowance
  • ", + "
  • you\u2019re registered for Self Assessment
  • ", + "

    There are different rules for reporting a loss.

    ", + "

    If you\u2019re non-resident

    ", + "

    You need to tell HMRC when you sell property or land even if your gain is below the tax-free allowance or you make a loss. Non-residents do not pay tax on other capital gains.

    ", + "

    Report and pay Capital Gains Tax

    ", + "

    How and when you report Capital Gains Tax over your annual allowance depends on what you made the gain on.

    ", + "

    There are different ways to report and pay Capital Gains Tax due on:

    ", + "
  • UK residential property sold since 6 April 2020
  • ", + "
  • any other gains
  • ", + "

    To report any capital gains you\u2019ll need:

    ", + "
  • calculations for each capital gain or loss you report
  • ", + "
  • details of how much you bought and sold the asset for
  • ", + "
  • the dates when you took ownership and disposed of the asset
  • ", + "
  • any other relevant details, such as the costs of disposing of the asset and any tax reliefs you\u2019re entitled to
  • ", + "

    If you sold property in the UK on or after 6 April 2020

    ", + "

    You must report and pay any tax due on UK residential property using a Capital Gains Tax on UK property account within 30 days of selling it.

    ", + "

    You may have to pay interest and a penalty if you do not report gains on UK property within 30 days of selling it.

    ", + "

    Sign in or create a Capital Gains Tax on UK property account.

    ", + "

    You\u2019ll need a Government Gateway user ID and password to set your account up or sign in. If you do not have a user ID, you can create one the first time you sign in.

    ", + "

    Once you have an account you can sign in at any time to report Capital Gains Tax on UK property or see any returns you\u2019ve already sent.

    ", + "

    If you\u2019re not resident in the UK

    ", + "

    You must report sales of UK property as a non-resident within 30 days, even if you have no tax to pay.

    ", + "

    If you\u2019re reporting on behalf of someone else or a trust

    ", + "

    You need to use your own Capital Gains Tax on UK property account to report on behalf of someone else.

    ", + "

    You\u2019ll need proof you\u2019re allowed to report on their behalf, such as a lasting power of attorney. If the person has died, you\u2019ll need to give their date of death.

    ", + "

    If you\u2019re reporting as a trustee of a registered trust, you\u2019ll need the trust\u2019s registration number or unique tax reference.

    ", + "

    There\u2019s a different way to report your client\u2019s Capital Gains Tax on UK property as an agent.

    ", + "

    If you have other capital gains to report

    ", + "

    If your gain is not from residential property sold in the UK since 6 April 2020, you have a choice of how and when to report the tax.

    ", + "

    Report and pay the tax straightaway

    ", + "

    You can use the \u2018real time\u2019 Capital Gains Tax service immediately if you know what you owe.

    ", + "

    You need to report your gain by 31 December in the tax year after you made the gain. For example, if you made a gain in the 2020 to 2021 tax year, you need to report it by 31 December 2021.

    ", + "

    You\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you report and pay.

    ", + "

    After you\u2019ve reported your gains, HMRC will send you a letter or email giving you a payment reference number and telling you how to pay.

    ", + "

    If you need to change your report using the service, you\u2019ll need your report reference number starting with \u2018RTT\u2019. You\u2019ll get it by email within 10 days.

    ", + "

    Report your gains in a Self Assessment tax return in the following tax year

    ", + "

    You can report your gains in a Self Assessment tax return in the tax year after you disposed of assets.

    ", + "

    Do not wait until the next tax year to report gains on UK residential property sold since 6 April 2020. You may have to pay interest and a penalty if you do.

    ", + "

    If you do not usually send a tax return, register for Self Assessment after the tax year you disposed of your chargeable assets.

    ", + "

    You can get help with your tax return from an accountant or tax adviser.

    ", + "

    After you\u2019ve sent your return HMRC will tell you how much you owe in Capital Gains Tax, how to pay and when to pay by.

    ", + "

    Capital Gains Tax rates

    ", + "

    You pay a different rate of tax on gains from residential property than you do on other assets.

    ", + "

    You do not usually pay tax when you sell your home.

    ", + "

    If you pay higher rate Income Tax

    ", + "

    If you\u2019re a higher or additional rate taxpayer you\u2019ll pay:

    ", + "
  • 28% on your gains from residential property
  • ", + "
  • 20% on your gains from other chargeable assets
  • ", + "

    If you pay basic rate Income Tax

    ", + "

    If you\u2019re a basic rate taxpayer, the rate you pay depends on the size of your gain, your taxable income and whether your gain is from residential property or other assets.

    ", + "
  • Work out how much taxable income you have - this is your income minus your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.
  • ", + "
  • Work out your total taxable gains.
  • ", + "
  • Deduct your tax-free allowance from your total taxable gains.
  • ", + "
  • Add this amount to your taxable income.
  • ", + "
  • If this amount is within the basic Income Tax band you\u2019ll pay 10% on your gains (or 18% on residential property). You\u2019ll pay 20% (or 28% on residential property) on any amount above the basic tax rate.
  • ", + "

    If you have gains from both residential property and other assets

    ", + "

    You can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).

    ", + "

    If you\u2019re a trustee or business

    ", + "

    Trustees or personal representatives of someone who\u2019s died pay:

    ", + "
  • 28% on residential property
  • ", + "
  • 20% on other chargeable assets
  • ", + "

    You\u2019ll pay 10% if you\u2019re a sole trader or partnership and your gains qualify for Business Asset Disposal Relief.

    ", + "

    If you make a loss

    ", + "

    You can report losses on a chargeable asset to HM Revenue and Customs (HMRC) to reduce your total taxable gains.

    ", + "

    Losses used in this way are called \u2018allowable losses\u2019.

    ", + "

    Using losses to reduce your gain

    ", + "

    When you report a loss, the amount is deducted from the gains you made in the same tax year.

    ", + "

    If your total taxable gain is still above the tax-free allowance, you can deduct unused losses from previous tax years. If they reduce your gain to the tax-free allowance, you can carry forward the remaining losses to a future tax year.

    ", + "

    Reporting losses

    ", + "

    Claim for your loss by including it on your tax return. If you\u2019ve never made a gain and are not registered for Self Assessment, you can write to HMRC instead.

    ", + "

    You do not have to report losses straight away - you can claim up to 4 years after the end of the tax year that you disposed of the asset.

    ", + "

    There\u2019s an exception for losses made before 5 April 1996, which you can still claim for. You must deduct these after any more recent losses.

    ", + "

    Losses when disposing of assets to family and others

    ", + "

    Your husband, wife or civil partner

    ", + "

    You usually do not pay Capital Gains Tax on assets you give or sell to your spouse or civil partner. You cannot claim losses against these assets.

    ", + "

    Other family members and \u2018connected people\u2019

    ", + "

    You cannot deduct a loss from giving, selling or disposing of an asset to a family member unless you\u2019re offsetting a gain from the same person.

    ", + "

    This also applies to \u2018connected people\u2019 like business partners.

    ", + "

    Connected people

    ", + "

    HMRC defines connected people as including:

    ", + "
  • your brothers, sisters, parents, grandparents, children and grandchildren, and their husbands, wives or civil partners
  • ", + "
  • the brothers, sisters, parents, grandparents, children and grandchildren of your husband, wife or civil partner - and their husbands, wives or civil partners
  • ", + "
  • business partners
  • ", + "
  • a company you control
  • ", + "
  • trustees where you\u2019re the \u2018settlor\u2019 (or someone connected to you is)
  • ", + "

    Claiming for an asset that\u2019s lost its value

    ", + "

    You can claim losses on assets that you still own if they become worthless or of \u2018negligible value\u2019.

    ", + "

    HMRC has guidance on how to make a negligible value claim.

    ", + "

    Special rules

    ", + "

    HMRC has guidance on the special rules for losses:

    ", + "
  • when someone dies
  • ", + "
  • if you\u2019re non-resident and sell UK property or land
  • ", + "
  • if you\u2019ve temporarily lived abroad as a \u2018non-resident\u2019
  • ", + "
  • from your income on shares that are unquoted or in the Enterprise Investment Scheme
  • ", + "
  • on overseas assets if you\u2019re \u2018non-domiciled\u2019 in the UK and have claimed the \u2018remittance basis\u2019
  • ", + "

    Record keeping

    ", + "

    You need to collect records to work out your gains and fill in your tax return. You must keep them for at least a year after the Self Assessment deadline.

    ", + "

    You\u2019ll need to keep records for longer if you sent your tax return late or HM Revenue and Customs (HMRC) have started a check into your return.

    ", + "

    Businesses must keep records for 5 years after the deadline.

    ", + "

    Records you\u2019ll need

    ", + "

    Keep receipts, bills and invoices that show the date and the amount:

    ", + "
  • you paid for an asset
  • ", + "
  • of any additional costs like fees for professional advice, Stamp Duty, improvement costs, or to establish the market value
  • ", + "
  • you received for the asset - including things like payments you get later in instalments, or compensation if the asset was damaged
  • ", + "

    Also keep any contracts for buying and selling the asset (for example from solicitors or stockbrokers) and copies of any valuations.

    ", + "

    If you do not have records

    ", + "

    You must try to recreate your records if you cannot replace them after they\u2019ve been lost, stolen or destroyed.

    ", + "

    If you fill in your tax return using recreated records, you\u2019ll need to show where figures are:

    ", + "
  • estimated - that you want HMRC to accept as final
  • ", + "
  • provisional - that you\u2019ll update later with the actual figures
  • ", + "

    Market value

    ", + "

    Your gain is usually the difference between what you paid for your asset and what you sold it for.

    ", + "

    There are some situations where you use the market value instead.

    ", + "Situation | Use market value at", + "Gifts | Date of gift", + "Assets sold for less than they were worth to help the buyer | Date of sale", + "Inherited assets where you do not know the Inheritance Tax value | Date of death", + "Assets owned before April 1982 | 31 March 1982", + "

    Checking the market value

    ", + "

    HM Revenue and Customs (HMRC) can check your valuation.

    ", + "

    After you\u2019ve disposed of the asset, complete a \u2018Post-transaction valuation check\u2019 form. Return it to the address on the form - allow at least 3 months for HMRC\u2019s response.

    " + ] + }, + "https://www.gov.uk/capital-gains-tax-personal-possessions": { + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "title": "Capital Gains Tax on personal possessions", + "content": "## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.\n\nPossessions you may need to pay tax on include:\n\n- jewellery\n\n- paintings\n\n- antiques\n\n- coins and stamps\n\n- sets of things, eg matching vases or chessmen\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\n## When you don\u2019t pay it\n\nYou don\u2019t usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou don\u2019t pay Capital Gains Tax on:\n\n- your car - unless you\u2019ve used it for business\n\n- anything with a limited lifespan, eg clocks - unless used for business\n\n## Jointly owned possessions\n\nYou\u2019re exempt from paying tax on the first \u00a36,000 of your share if you own a possession with other people.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your personal possession and what you sold it for.\n\nUse the market value instead if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and don\u2019t know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Deduct costs\n\nYou can deduct certain costs of buying, selling or improving your personal possession from your gain.\n\nCosts you can deduct include:\n\n- fees, eg for valuing or advertising\n\n- costs to improve your possession (but not repairs)\n\n- VAT (unless you can reclaim it)\n\nYou can\u2019t deduct certain costs, including:\n\n- interest on a loan to buy your possession\n\n- costs you can claim as expenses, if you\u2019ve used your possession for business\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## If you sold it for between \u00a36,000 and \u00a315,000\n\nYou may be able to reduce your gain if you got between \u00a36,000 and \u00a315,000 for your possession when you sold or disposed of it.\n\n- Subtract \u00a36,000 from the amount you\u2019ve received.\n\n- Multiply this by 1.667.\n\n- Compare this with the actual gain - use the lower amount as your capital gain.\n\n## Work out if you need to pay\n\nWhen you know your gain, you can work out if you need to report and pay Capital Gains Tax.\n\nIf you\u2019ve used your possession for business, you can reduce or delay the tax you pay if you\u2019re eligible for tax relief.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\nYou can claim losses for possessions sold for less than \u00a36,000. Work out your loss by using \u00a36,000 as the amount you sold your possession for, and report it in your tax return.\n\n## Possessions with a limited lifespan\n\nYou don\u2019t have to pay Capital Gains Tax on personal possessions with a lifespan of less than 50 years. This covers all machinery, and includes things like antique clocks or watches.\n\nDifferent rules apply if you\u2019ve used the possession for business. You don\u2019t have to pay Capital Gains Tax if it doesn\u2019t qualify for capital allowances. If it qualifies, you may need to pay Capital Gains Tax, but you can\u2019t claim losses.\n\n## Possessions that are part of a set\n\nIf you sell all or part of a set to the same person for less than \u00a36,000, you won\u2019t pay tax.\n\nIf you sell parts of a set to different people, you won\u2019t pay tax on each part sold for less than \u00a36,000.\n\nSets include things like chessmen, books by the same author, matching vases and sets of china.", + "original_contents": [ + "

    What you pay it on

    ", + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.

    ", + "

    Possessions you may need to pay tax on include:

    ", + "
  • jewellery
  • ", + "
  • paintings
  • ", + "
  • antiques
  • ", + "
  • coins and stamps
  • ", + "
  • sets of things, eg matching vases or chessmen
  • ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax.

    ", + "

    When you don\u2019t pay it

    ", + "

    You don\u2019t usually need to pay tax on gifts to your husband, wife, civil partner or a charity.

    ", + "

    You don\u2019t pay Capital Gains Tax on:

    ", + "
  • your car - unless you\u2019ve used it for business
  • ", + "
  • anything with a limited lifespan, eg clocks - unless used for business
  • ", + "

    Jointly owned possessions

    ", + "

    You\u2019re exempt from paying tax on the first \u00a36,000 of your share if you own a possession with other people.

    ", + "

    Work out your gain

    ", + "

    Your gain is usually the difference between what you paid for your personal possession and what you sold it for.

    ", + "

    Use the market value instead if:

    ", + "
  • it was a gift (there are different rules if it was to your spouse, civil partner or a charity)
  • ", + "
  • you sold it for less than it was worth to help the buyer
  • ", + "
  • you inherited it (and don\u2019t know the Inheritance Tax value)
  • ", + "
  • you owned it before April 1982
  • ", + "

    Deduct costs

    ", + "

    You can deduct certain costs of buying, selling or improving your personal possession from your gain.

    ", + "

    Costs you can deduct include:

    ", + "
  • fees, eg for valuing or advertising
  • ", + "
  • costs to improve your possession (but not repairs)
  • ", + "
  • VAT (unless you can reclaim it)
  • ", + "

    You can\u2019t deduct certain costs, including:

    ", + "
  • interest on a loan to buy your possession
  • ", + "
  • costs you can claim as expenses, if you\u2019ve used your possession for business
  • ", + "

    Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.

    ", + "

    If you sold it for between \u00a36,000 and \u00a315,000

    ", + "

    You may be able to reduce your gain if you got between \u00a36,000 and \u00a315,000 for your possession when you sold or disposed of it.

    ", + "
  • Subtract \u00a36,000 from the amount you\u2019ve received.
  • ", + "
  • Multiply this by 1.667.
  • ", + "
  • Compare this with the actual gain - use the lower amount as your capital gain.
  • ", + "

    Work out if you need to pay

    ", + "

    When you know your gain, you can work out if you need to report and pay Capital Gains Tax.

    ", + "

    If you\u2019ve used your possession for business, you can reduce or delay the tax you pay if you\u2019re eligible for tax relief.

    ", + "

    Reporting a loss

    ", + "

    The rules are different if you need to report a loss.

    ", + "

    You can claim losses for possessions sold for less than \u00a36,000. Work out your loss by using \u00a36,000 as the amount you sold your possession for, and report it in your tax return.

    ", + "

    Possessions with a limited lifespan

    ", + "

    You don\u2019t have to pay Capital Gains Tax on personal possessions with a lifespan of less than 50 years. This covers all machinery, and includes things like antique clocks or watches.

    ", + "

    Different rules apply if you\u2019ve used the possession for business. You don\u2019t have to pay Capital Gains Tax if it doesn\u2019t qualify for capital allowances. If it qualifies, you may need to pay Capital Gains Tax, but you can\u2019t claim losses.

    ", + "

    Possessions that are part of a set

    ", + "

    If you sell all or part of a set to the same person for less than \u00a36,000, you won\u2019t pay tax.

    ", + "

    If you sell parts of a set to different people, you won\u2019t pay tax on each part sold for less than \u00a36,000.

    ", + "

    Sets include things like chessmen, books by the same author, matching vases and sets of china.

    " + ] + }, + "https://www.gov.uk/pay-self-assessment-tax-bill": { + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "title": "Pay your Self Assessment tax bill", + "content": "## Overview\n\nThe deadlines for paying your tax bill are usually:\n\n- 31 January - for any tax you owe for the previous tax year (known as a balancing payment) and your first payment on account\n\n- 31 July for your second payment on account\n\nIf you delayed making a payment on account in July 2020 because of coronavirus (COVID-19), this will be added to your tax bill due by 31 January 2021.\n\nPay Self Assessment now\n\nYou can pay in regular monthly instalments, if you prefer.\n\nYou can get help if you cannot pay your tax bill on time.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline. You\u2019ll be charged interest and may have to pay a penalty if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- through your online bank account\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\nYou need a paying-in slip from HMRC to pay at a bank or building society.\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set one up with HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set one up with HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before (unless you\u2019re paying by Faster Payments or by debit or credit card).\n\n## Problems with payment services\n\nOnline payment services may be slow during busy times. Check if there are any current problems or times they are not available.\n\n## Direct Debit\n\nSet up a Direct Debit through your HM Revenue and Customs (HMRC) online account to make single payments for 31 January.\n\nYou can also set up another Direct Debit if you need to make a payment on account.\n\nYou\u2019ll need to set up single payments each time you want to pay by Direct Debit.\n\n## Reference number\n\nYou\u2019ll need to use your 11-character payment reference. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.\n\nYou\u2019ll find it either on your:\n\n- HMRC online account\n\n- paying-in slip, if you get paper statements\n\nYour payment may be delayed if you use the wrong reference number.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\nIf you\u2019re unable to pay your Self-Assessment tax bill in full by card, you should use another payment method like a bank transfer.\n\n## Make an online or telephone bank transfer\n\nYou can pay your Self Assessment bill using Faster Payments, CHAPS or Bacs.\n\n## Pay by Faster Payments, CHAPS or Bacs\n\nYour bill will tell you which account to pay in to. If you do not have a bill, or you\u2019re not sure, use HMRC Cumbernauld.\n\n## Account details to use\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## If your account is overseas\n\n| Bank identifier code (BIC) | Account number (IBAN) | Account name |\n\n| BARCGB22 | GB62BARC20114770297690 | HMRC Cumbernauld |\n\n| BARCGB22 | GB03BARC20114783977692 | HMRC Shipley |\n\n## What you\u2019ll need\n\nYou\u2019ll need to use your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.\n\nYou can find it on your:\n\n- HMRC online account\n\n- paying-in slip, if you get paper statements\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nPayments from overseas may take longer - check with your bank.\n\n## Multiple payments by CHAPS\n\nSend an online CHAPS enquiry form if you want to make a single CHAPS payment for multiple Self Assessment bills, using more than one payment reference number.\n\nHMRC\u2019s banking address is:\n\n## Approve a payment through your online bank account\n\nYou can pay your Self Assessment bill directly using your online or mobile bank account.\n\nWhen you\u2019re ready to pay, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your Self Assessment payment.\n\nThe payment is usually instant but sometimes it takes up to 2 hours to show in your account.\n\nYou\u2019ll need to have your online banking details ready to pay this way.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nUse your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find it either:\n\n- in your HMRC online account\n\n- on your paying-in slip, if you get paper statements\n\nHMRC will accept your payment on the date you make it, not the date it reaches their account - including on bank holidays and weekends.\n\nIf you\u2019re unable to pay your Self Assessment tax bill in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can only pay at your branch by cash or cheque if you both:\n\n- still get paper statements from HM Revenue and Customs (HMRC)\n\n- have the paying-in slip HMRC sent you\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find the reference number on the paying-in slip.\n\nHMRC will accept your payment on the date you make it, and not the date it reaches their account (as long as you pay from Monday to Friday).\n\n## If you do not have a paying-in slip\n\nYou\u2019ll need to pay by another method instead, for example:\n\n- debit or corporate credit card online\n\n- online or telephone banking\n\n- Direct Debit\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find this on your payslip.\n\nInclude the payslip HMRC sent you (if you still get paper statements). Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque correctly.\n\n## If you do not have an HMRC payslip\n\nYou can print a slip to use to pay by post. You cannot use this at a bank.\n\n## Pay in instalments\n\nIf you\u2019ve already filed your Self Assessment tax return, you might be able to pay the bill in instalments.\n\nWhat you need to do depends on whether you want to:\n\n- make payments against your latest bill\n\n- make advance payments against your next bill\n\n## If you cannot afford to pay your latest bill\n\nYou can set up a payment plan to spread the cost of your latest Self Assessment bill if all the following apply:\n\n- you owe \u00a330,000 or less\n\n- you do not have any other payment plans or debts with HMRC\n\n- your tax returns are up to date\n\n- it\u2019s less than 60 days after the payment deadline\n\nYou can choose how much to pay straight away and how much you want to pay each month. You\u2019ll have to pay interest.\n\nIf you don\u2019t keep up with your repayments, HM Revenue and Customs (HMRC) can ask you to pay everything you owe.\n\nThere are 2 ways you can set up a payment plan:\n\n- set up a payment plan online\n\n- call the Payment Support Service\n\n## If you want to make regular payments in advance\n\nYou can set up a budget payment plan if you want to put aside money to cover your next Self Assessment tax bill.\n\nThis is different from payments on account, which you normally make once every 6 months towards your next tax bill.\n\nThe budget payment plan lets you:\n\n- decide how much to pay each week or month\n\n- stop paying for up to 6 months\n\nYou must be up to date with your previous Self Assessment payments.\n\nSet up your plan using your HM Revenue and Customs (HMRC) online account. Go to the Direct Debit section and choose the budget payment option when filling in the Direct Debit form.\n\nIf the amount in your budget payment plan does not cover your next bill in full, you\u2019ll need to pay the difference by the payment deadlines.\n\n## Through your tax code\n\nYou can pay your Self Assessment bill through your PAYE tax code as long as all these apply:\n\n- you owe less than \u00a33,000 on your tax bill\n\n- you already pay tax through PAYE, for example you\u2019re an employee or you get a company pension\n\n- you submitted your paper tax return by 31 October or your online tax return online by 30 December\n\n## How it\u2019s set up\n\nHM Revenue and Customs (HMRC) will automatically collect what you owe through your tax code if you meet all 3 conditions, unless you\u2019ve specifically asked them not to (on your tax return).\n\nIf you\u2019re not eligible, you will not be able to pay this way.\n\n## When you cannot pay through your tax code\n\nYou will not be able to pay your tax bill through your PAYE tax code if:\n\n- you do not have enough PAYE income for HMRC to collect it\n\n- you\u2019d pay more than 50% of your PAYE income in tax\n\n- you\u2019d end up paying more than twice as much tax as you normally do\n\nIf you\u2019re self-employed you cannot pay Class 2 National Insurance through your tax code, unless it\u2019s been due since before 6 April 2015. You must use one of the other ways to pay by the deadline instead.\n\n## How deductions are made\n\nThe tax you owe will be taken from your salary or pension in equal instalments over 12 months, along with your usual tax deductions.\n\n## Check your payment has been received\n\nView your HM Revenue and Customs online account to check if your payment\u2019s been received - it should show as paid between 3 to 6 working days later.\n\nIf paying by post, you can include a letter with your payment to ask for a receipt from HMRC.", + "original_contents": [ + "

    Overview

    ", + "

    The deadlines for paying your tax bill are usually:

    ", + "
  • 31 January - for any tax you owe for the previous tax year (known as a balancing payment) and your first payment on account
  • ", + "
  • 31 July for your second payment on account
  • ", + "

    If you delayed making a payment on account in July 2020 because of coronavirus (COVID-19), this will be added to your tax bill due by 31 January 2021.

    ", + "

    Pay Self Assessment now

    ", + "

    You can pay in regular monthly instalments, if you prefer.

    ", + "

    You can get help if you cannot pay your tax bill on time.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Ways to pay

    ", + "

    Make sure you pay HM Revenue and Customs (HMRC) by the deadline. You\u2019ll be charged interest and may have to pay a penalty if your payment is late.

    ", + "

    The time you need to allow depends on how you pay.

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Same or next day

    ", + "
  • through your online bank account
  • ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • by debit or corporate credit card online
  • ", + "
  • at your bank or building society
  • ", + "

    You need a paying-in slip from HMRC to pay at a bank or building society.

    ", + "

    3 working days

    ", + "
  • Bacs
  • ", + "
  • Direct Debit (if you\u2019ve set one up with HMRC before)
  • ", + "
  • by cheque through the post
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set one up with HMRC before)
  • ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before (unless you\u2019re paying by Faster Payments or by debit or credit card).

    ", + "

    Problems with payment services

    ", + "

    Online payment services may be slow during busy times. Check if there are any current problems or times they are not available.

    ", + "

    Direct Debit

    ", + "

    Set up a Direct Debit through your HM Revenue and Customs (HMRC) online account to make single payments for 31 January.

    ", + "

    You can also set up another Direct Debit if you need to make a payment on account.

    ", + "

    You\u2019ll need to set up single payments each time you want to pay by Direct Debit.

    ", + "

    Reference number

    ", + "

    You\u2019ll need to use your 11-character payment reference. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.

    ", + "

    You\u2019ll find it either on your:

    ", + "
  • HMRC online account
  • ", + "
  • paying-in slip, if you get paper statements
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.

    ", + "

    If you\u2019re unable to pay your Self-Assessment tax bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    Make an online or telephone bank transfer

    ", + "

    You can pay your Self Assessment bill using Faster Payments, CHAPS or Bacs.

    ", + "

    Pay by Faster Payments, CHAPS or Bacs

    ", + "

    Your bill will tell you which account to pay in to. If you do not have a bill, or you\u2019re not sure, use HMRC Cumbernauld.

    ", + "

    Account details to use

    ", + "Sort code | Account number | Account name", + "08 32 10 | 12001039 | HMRC Cumbernauld", + "08 32 10 | 12001020 | HMRC Shipley", + "

    If your account is overseas

    ", + "Bank identifier code (BIC) | Account number (IBAN) | Account name", + "BARCGB22 | GB62BARC20114770297690 | HMRC Cumbernauld", + "BARCGB22 | GB03BARC20114783977692 | HMRC Shipley", + "

    What you\u2019ll need

    ", + "

    You\u2019ll need to use your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.

    ", + "

    You can find it on your:

    ", + "
  • HMRC online account
  • ", + "
  • paying-in slip, if you get paper statements
  • ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Payments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Payments from overseas may take longer - check with your bank.

    ", + "

    Multiple payments by CHAPS

    ", + "

    Send an online CHAPS enquiry form if you want to make a single CHAPS payment for multiple Self Assessment bills, using more than one payment reference number.

    ", + "

    HMRC\u2019s banking address is:

    ", + "

    Approve a payment through your online bank account

    ", + "

    You can pay your Self Assessment bill directly using your online or mobile bank account.

    ", + "

    When you\u2019re ready to pay, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your Self Assessment payment.

    ", + "

    The payment is usually instant but sometimes it takes up to 2 hours to show in your account.

    ", + "

    You\u2019ll need to have your online banking details ready to pay this way.

    ", + "

    By debit or corporate credit card online

    ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    There\u2019s no fee if you pay by personal debit card.

    ", + "

    You cannot pay by personal credit card.

    ", + "

    Use your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find it either:

    ", + "
  • in your HMRC online account
  • ", + "
  • on your paying-in slip, if you get paper statements
  • ", + "

    HMRC will accept your payment on the date you make it, not the date it reaches their account - including on bank holidays and weekends.

    ", + "

    If you\u2019re unable to pay your Self Assessment tax bill in full by card, you should use another payment method like a bank transfer.

    ", + "

    At your bank or building society

    ", + "

    You can only pay at your branch by cash or cheque if you both:

    ", + "
  • still get paper statements from HM Revenue and Customs (HMRC)
  • ", + "
  • have the paying-in slip HMRC sent you
  • ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find the reference number on the paying-in slip.

    ", + "

    HMRC will accept your payment on the date you make it, and not the date it reaches their account (as long as you pay from Monday to Friday).

    ", + "

    If you do not have a paying-in slip

    ", + "

    You\u2019ll need to pay by another method instead, for example:

    ", + "
  • debit or corporate credit card online
  • ", + "
  • online or telephone banking
  • ", + "
  • Direct Debit
  • ", + "

    By cheque through the post

    ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    ", + "

    Allow 3 working days for your payment to reach HMRC.

    ", + "

    What to include

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find this on your payslip.

    ", + "

    Include the payslip HMRC sent you (if you still get paper statements). Do not fold the payslip or cheque or fasten them together.

    ", + "

    Your payment may be delayed if you do not fill in your cheque correctly.

    ", + "

    If you do not have an HMRC payslip

    ", + "

    You can print a slip to use to pay by post. You cannot use this at a bank.

    ", + "

    Pay in instalments

    ", + "

    If you\u2019ve already filed your Self Assessment tax return, you might be able to pay the bill in instalments.

    ", + "

    What you need to do depends on whether you want to:

    ", + "
  • make payments against your latest bill
  • ", + "
  • make advance payments against your next bill
  • ", + "

    If you cannot afford to pay your latest bill

    ", + "

    You can set up a payment plan to spread the cost of your latest Self Assessment bill if all the following apply:

    ", + "
  • you owe \u00a330,000 or less
  • ", + "
  • you do not have any other payment plans or debts with HMRC
  • ", + "
  • your tax returns are up to date
  • ", + "
  • it\u2019s less than 60 days after the payment deadline
  • ", + "

    You can choose how much to pay straight away and how much you want to pay each month. You\u2019ll have to pay interest.

    ", + "

    If you don\u2019t keep up with your repayments, HM Revenue and Customs (HMRC) can ask you to pay everything you owe.

    ", + "

    There are 2 ways you can set up a payment plan:

    ", + "
  • set up a payment plan online
  • ", + "
  • call the Payment Support Service
  • ", + "

    If you want to make regular payments in advance

    ", + "

    You can set up a budget payment plan if you want to put aside money to cover your next Self Assessment tax bill.

    ", + "

    This is different from payments on account, which you normally make once every 6 months towards your next tax bill.

    ", + "

    The budget payment plan lets you:

    ", + "
  • decide how much to pay each week or month
  • ", + "
  • stop paying for up to 6 months
  • ", + "

    You must be up to date with your previous Self Assessment payments.

    ", + "

    Set up your plan using your HM Revenue and Customs (HMRC) online account. Go to the Direct Debit section and choose the budget payment option when filling in the Direct Debit form.

    ", + "

    If the amount in your budget payment plan does not cover your next bill in full, you\u2019ll need to pay the difference by the payment deadlines.

    ", + "

    Through your tax code

    ", + "

    You can pay your Self Assessment bill through your PAYE tax code as long as all these apply:

    ", + "
  • you owe less than \u00a33,000 on your tax bill
  • ", + "
  • you already pay tax through PAYE, for example you\u2019re an employee or you get a company pension
  • ", + "
  • you submitted your paper tax return by 31 October or your online tax return online by 30 December
  • ", + "

    How it\u2019s set up

    ", + "

    HM Revenue and Customs (HMRC) will automatically collect what you owe through your tax code if you meet all 3 conditions, unless you\u2019ve specifically asked them not to (on your tax return).

    ", + "

    If you\u2019re not eligible, you will not be able to pay this way.

    ", + "

    When you cannot pay through your tax code

    ", + "

    You will not be able to pay your tax bill through your PAYE tax code if:

    ", + "
  • you do not have enough PAYE income for HMRC to collect it
  • ", + "
  • you\u2019d pay more than 50% of your PAYE income in tax
  • ", + "
  • you\u2019d end up paying more than twice as much tax as you normally do
  • ", + "

    If you\u2019re self-employed you cannot pay Class 2 National Insurance through your tax code, unless it\u2019s been due since before 6 April 2015. You must use one of the other ways to pay by the deadline instead.

    ", + "

    How deductions are made

    ", + "

    The tax you owe will be taken from your salary or pension in equal instalments over 12 months, along with your usual tax deductions.

    ", + "

    Check your payment has been received

    ", + "

    View your HM Revenue and Customs online account to check if your payment\u2019s been received - it should show as paid between 3 to 6 working days later.

    ", + "

    If paying by post, you can include a letter with your payment to ask for a receipt from HMRC.

    " + ] + }, + "https://www.gov.uk/tax-sell-shares": { + "url": "https://www.gov.uk/tax-sell-shares", + "title": "Tax when you sell shares", + "content": "## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) shares or other investments.\n\nShares and investments you may need to pay tax on include:\n\n- shares that are not in an ISA or PEP\n\n- units in a unit trust\n\n- certain bonds (not including Premium Bonds and Qualifying Corporate Bonds)\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax. This will depend on if your total gains are above your Capital Gains Tax allowance for the tax year.\n\n## When you do not pay it\n\nYou do not usually need to pay tax if you give shares as a gift to your husband, wife, civil partner or a charity.\n\nYou also do not pay Capital Gains Tax when you dispose of:\n\n- shares you\u2019ve put into an ISA or PEP\n\n- shares in employer Share Incentive Plans (SIPs)\n\n- UK government gilts (including Premium Bonds)\n\n- Qualifying Corporate Bonds\n\n- employee shareholder shares - depending on when you got them\n\n## Work out your gain\n\nYou\u2019ll need to work out your gain to find out whether you need to pay Capital Gains Tax.\n\nYour gain is usually the difference between what you paid for your shares and what you sold them for.\n\n## Market value\n\nIn some situations you should use the market value of the shares when working out your gain. Do this if:\n\n- you gave them away as a gift to someone other than your spouse, civil partner or a charity\n\n- you sold them for less than they were worth\n\n- you inherited them and do not know the Inheritance Tax value\n\n- you owned them before April 1982\n\n- you acquired them through certain Employee Share Schemes\n\nIf the shares were given or sold to you by someone who claimed Gift Hold-Over Relief, use the amount that person paid for them to work out your gain. If you paid less than they were worth, use the amount you paid for them.\n\n## Selling in special circumstances\n\nThere are special rules for working out the cost of your shares if you sell:\n\n- shares you bought at different times and prices in one company\n\n- shares through an investment club\n\n- shares after a company merger or takeover\n\n- employee share scheme shares\n\n## Jointly owned shares and investments\n\nIf you sell shares or investments that you own jointly with other people, work out the gain for the portion that you own, instead of the whole value. There are different rules for investment clubs.\n\n## What to do next\n\n## Deduct costs\n\nYou can deduct certain costs of buying or selling your shares from your gain. These include:\n\n- fees, for example stockbrokers\u2019 fees\n\n- Stamp Duty Reserve Tax (SDRT) when you bought the shares\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## Apply reliefs\n\nYou may be able to reduce or delay paying Capital Gains Tax if you\u2019re eligible for tax relief.\n\n## Work out if you need to pay\n\nWhen you know your gain you need to work out if you need to report and pay Capital Gains Tax.\n\nYou may be able to work out how much tax to pay on your shares.\n\nYou can use the calculator if you sold shares that were:\n\n- the same type, acquired in the same company on the same date\n\n- sold at the same time\n\nYou can not use the calculator if you:\n\n- sold other shares in the tax year\n\n- sold other chargeable assets in the tax year, such as a property you let out\n\n- claim any reliefs\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\nYou can claim losses on shares you own if they become worthless or of \u2018negligible value\u2019 (for example because the company goes into liquidation).\n\nHMRC has guidance on making a negligible value claim.\n\n## Selling shares in the same company\n\nThere\u2019s a different way of working out your cost if you\u2019ve sold the same type of shares in a company that you bought at different times.\n\nYou\u2019ll usually need to work out the average cost of your shares and deduct this from what you got for them to work out your gain.\n\nIf you bought new shares of the same type in the same company within 30 days of selling your old ones, there are special rules for working out the cost to use in your tax calculations.\n\nContact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.\n\n## Investment clubs\n\nYou work out your gain differently if you\u2019ve bought and sold shares through an investment club.\n\nAn investment club is a group of people that buys and sells shares together on the stock market.\n\n## Work out your gain\n\nYou\u2019ll get a written statement of your gains and losses (an \u2018investment club certificate (PDF, 212KB)\u2019) at the end of each tax year from the person who runs the club, for example its treasurer.\n\nWhen you know your gain, work out if you need to report and pay Capital Gains Tax. There are special rules if you make any losses.\n\n## Leaving an investment club\n\nThe club buys back your shares if you leave, and you need to include any gain or loss when you\u2019re working out if you need to pay tax.\n\n- Take your share of any gains during your membership of the club, and deduct your share of any losses.\n\n- Add any income from dividends you received (after tax).\n\n- Add any other money you received from the club, and deduct anything you paid into it (for example a monthly amount to invest).\n\n- Deduct the total from what you received from the club for your shares.\n\nContact HM Revenue and Customs (HMRC) or get professional help (for example from an accountant) if you need advice.\n\n## Transferring shares into the club\n\nIf you transfer shares you already own into the club, you\u2019re treated as selling them and you need to work out your gain.\n\n## If you run an investment club\n\nThe investment club treasurer or secretary should:\n\n- divide any income, gains and losses between its members according to the club\u2019s rules\n\n- give every member a written statement at the end of each tax year - you can use HMRC\u2019s investment club certificate (PDF, 212KB)\n\n- keep records including members\u2019 income and gains\n\n- arrange to buy shares from members who want to leave the club\n\nIf you\u2019re starting a new investment club, make sure it has a constitution and rules. Get legal advice from a professional if you need help.\n\n## Tax relief\n\nYou may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.\n\n| Relief | Description |\n\n| Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax instead of the normal rates if you sell shares in a trading company that you work for and have at least 5% of the shares and voting rights (known as a \u2018personal company\u2019). |\n\n| Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away shares in a personal company or unlisted company - the person you gave them to pays tax when they sell them. |\n\n| Enterprise Investment Scheme (EIS) | Delay or reduce your Capital Gains Tax if you use a gain to buy unlisted shares in companies approved for EIS. |\n\n| Seed Enterprise Investment Scheme (SEIS) | Pay no Capital Gains Tax on a gain of up to \u00a3100,000 if you use a gain to buy new shares in small early-stage companies approved for SEIS. |\n\n| Rollover relief | Delay paying Capital Gains Tax if you sell unlisted shares to the trustees of a Share Incentive Plan (SIP) and use the proceeds to buy new assets. |\n\nShares are \u2018unlisted\u2019 if they\u2019re in a company that is not listed on the London Stock Exchange or a recognised stock exchange abroad.", + "original_contents": [ + "

    What you pay it on

    ", + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) shares or other investments.

    ", + "

    Shares and investments you may need to pay tax on include:

    ", + "
  • shares that are not in an ISA or PEP
  • ", + "
  • units in a unit trust
  • ", + "
  • certain bonds (not including Premium Bonds and Qualifying Corporate Bonds)
  • ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax. This will depend on if your total gains are above your Capital Gains Tax allowance for the tax year.

    ", + "

    When you do not pay it

    ", + "

    You do not usually need to pay tax if you give shares as a gift to your husband, wife, civil partner or a charity.

    ", + "

    You also do not pay Capital Gains Tax when you dispose of:

    ", + "
  • shares you\u2019ve put into an ISA or PEP
  • ", + "
  • shares in employer Share Incentive Plans (SIPs)
  • ", + "
  • UK government gilts (including Premium Bonds)
  • ", + "
  • Qualifying Corporate Bonds
  • ", + "
  • employee shareholder shares - depending on when you got them
  • ", + "

    Work out your gain

    ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay Capital Gains Tax.

    ", + "

    Your gain is usually the difference between what you paid for your shares and what you sold them for.

    ", + "

    Market value

    ", + "

    In some situations you should use the market value of the shares when working out your gain. Do this if:

    ", + "
  • you gave them away as a gift to someone other than your spouse, civil partner or a charity
  • ", + "
  • you sold them for less than they were worth
  • ", + "
  • you inherited them and do not know the Inheritance Tax value
  • ", + "
  • you owned them before April 1982
  • ", + "
  • you acquired them through certain Employee Share Schemes
  • ", + "

    If the shares were given or sold to you by someone who claimed Gift Hold-Over Relief, use the amount that person paid for them to work out your gain. If you paid less than they were worth, use the amount you paid for them.

    ", + "

    Selling in special circumstances

    ", + "

    There are special rules for working out the cost of your shares if you sell:

    ", + "
  • shares you bought at different times and prices in one company
  • ", + "
  • shares through an investment club
  • ", + "
  • shares after a company merger or takeover
  • ", + "
  • employee share scheme shares
  • ", + "

    Jointly owned shares and investments

    ", + "

    If you sell shares or investments that you own jointly with other people, work out the gain for the portion that you own, instead of the whole value. There are different rules for investment clubs.

    ", + "

    What to do next

    ", + "

    Deduct costs

    ", + "

    You can deduct certain costs of buying or selling your shares from your gain. These include:

    ", + "
  • fees, for example stockbrokers\u2019 fees
  • ", + "
  • Stamp Duty Reserve Tax (SDRT) when you bought the shares
  • ", + "

    Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.

    ", + "

    Apply reliefs

    ", + "

    You may be able to reduce or delay paying Capital Gains Tax if you\u2019re eligible for tax relief.

    ", + "

    Work out if you need to pay

    ", + "

    When you know your gain you need to work out if you need to report and pay Capital Gains Tax.

    ", + "

    You may be able to work out how much tax to pay on your shares.

    ", + "

    You can use the calculator if you sold shares that were:

    ", + "
  • the same type, acquired in the same company on the same date
  • ", + "
  • sold at the same time
  • ", + "

    You can not use the calculator if you:

    ", + "
  • sold other shares in the tax year
  • ", + "
  • sold other chargeable assets in the tax year, such as a property you let out
  • ", + "
  • claim any reliefs
  • ", + "
  • are a company, agent, trustee or personal representative
  • ", + "

    Calculate Capital Gains Tax

    ", + "

    Reporting a loss

    ", + "

    The rules are different if you need to report a loss.

    ", + "

    You can claim losses on shares you own if they become worthless or of \u2018negligible value\u2019 (for example because the company goes into liquidation).

    ", + "

    HMRC has guidance on making a negligible value claim.

    ", + "

    Selling shares in the same company

    ", + "

    There\u2019s a different way of working out your cost if you\u2019ve sold the same type of shares in a company that you bought at different times.

    ", + "

    You\u2019ll usually need to work out the average cost of your shares and deduct this from what you got for them to work out your gain.

    ", + "

    If you bought new shares of the same type in the same company within 30 days of selling your old ones, there are special rules for working out the cost to use in your tax calculations.

    ", + "

    Contact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.

    ", + "

    Investment clubs

    ", + "

    You work out your gain differently if you\u2019ve bought and sold shares through an investment club.

    ", + "

    An investment club is a group of people that buys and sells shares together on the stock market.

    ", + "

    Work out your gain

    ", + "

    You\u2019ll get a written statement of your gains and losses (an \u2018investment club certificate (PDF, 212KB)\u2019) at the end of each tax year from the person who runs the club, for example its treasurer.

    ", + "

    When you know your gain, work out if you need to report and pay Capital Gains Tax. There are special rules if you make any losses.

    ", + "

    Leaving an investment club

    ", + "

    The club buys back your shares if you leave, and you need to include any gain or loss when you\u2019re working out if you need to pay tax.

    ", + "
  • Take your share of any gains during your membership of the club, and deduct your share of any losses.
  • ", + "
  • Add any income from dividends you received (after tax).
  • ", + "
  • Add any other money you received from the club, and deduct anything you paid into it (for example a monthly amount to invest).
  • ", + "
  • Deduct the total from what you received from the club for your shares.
  • ", + "

    Contact HM Revenue and Customs (HMRC) or get professional help (for example from an accountant) if you need advice.

    ", + "

    Transferring shares into the club

    ", + "

    If you transfer shares you already own into the club, you\u2019re treated as selling them and you need to work out your gain.

    ", + "

    If you run an investment club

    ", + "

    The investment club treasurer or secretary should:

    ", + "
  • divide any income, gains and losses between its members according to the club\u2019s rules
  • ", + "
  • give every member a written statement at the end of each tax year - you can use HMRC\u2019s investment club certificate (PDF, 212KB)
  • ", + "
  • keep records including members\u2019 income and gains
  • ", + "
  • arrange to buy shares from members who want to leave the club
  • ", + "

    If you\u2019re starting a new investment club, make sure it has a constitution and rules. Get legal advice from a professional if you need help.

    ", + "

    Tax relief

    ", + "

    You may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.

    ", + "Relief | Description", + "Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax instead of the normal rates if you sell shares in a trading company that you work for and have at least 5% of the shares and voting rights (known as a \u2018personal company\u2019).", + "Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away shares in a personal company or unlisted company - the person you gave them to pays tax when they sell them.", + "Enterprise Investment Scheme (EIS) | Delay or reduce your Capital Gains Tax if you use a gain to buy unlisted shares in companies approved for EIS.", + "Seed Enterprise Investment Scheme (SEIS) | Pay no Capital Gains Tax on a gain of up to \u00a3100,000 if you use a gain to buy new shares in small early-stage companies approved for SEIS.", + "Rollover relief | Delay paying Capital Gains Tax if you sell unlisted shares to the trustees of a Share Incentive Plan (SIP) and use the proceeds to buy new assets.", + "

    Shares are \u2018unlisted\u2019 if they\u2019re in a company that is not listed on the London Stock Exchange or a recognised stock exchange abroad.

    " + ] + }, + "https://www.gov.uk/tax-sell-home": { + "url": "https://www.gov.uk/tax-sell-home", + "title": "Tax when you sell your home", + "content": "## Private Residence Relief\n\nYou do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:\n\n- you have one home and you\u2019ve lived in it as your main home for all the time you\u2019ve owned it\n\n- you have not let part of it out - this does not include having a lodger\n\n- you have not used a part of your home exclusively for business purposes (using a room as a temporary or occasional office does not count as exclusive business use)\n\n- the grounds, including all buildings, are less than 5,000 square metres (just over an acre) in total\n\n- you did not buy it just to make a gain\n\nIf all these apply you will automatically get a tax relief called Private Residence Relief and will have no tax to pay. If any of them apply, you may have some tax to pay.\n\nFind out if you\u2019re eligible for Private Residence Relief.\n\nMarried couples and civil partners can only count one property as their main home at any one time.\n\nThe rules are different if you sell property that\u2019s not your home or if you live abroad.\n\n## Work out your gain\n\nYou may need to pay tax when you sell your home if you do not qualify for full Private Residence Relief.\n\nIf you have tax to pay you need to work out how much gain you made when you sold your home.\n\nYour gain is usually the difference between what you paid for your home and what you sold it for. Use the market value instead if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited the asset (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\nIf you\u2019re not resident in the UK for tax, you only pay tax on gains since 5 April 2015.\n\n## Deducting costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension - normal maintenance costs like decorating do not count\n\nYou cannot deduct certain costs, like interest on a loan to buy your property. Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\nThere are special rules for calculating your gain if you sell a lease or your home is compulsorily purchased.\n\n## Work out if you need to pay\n\nOnce you know your gain and have worked out how much tax relief you get, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Living away from your home\n\nYou may get less Private Residence Relief if you live away from your home. However, you always get relief for certain periods.\n\nThe rules are different if you\u2019re not UK resident for tax.\n\n## Periods that always qualify for relief\n\nNo matter how many homes you own or where you lived at the time, you always get relief for the last 9 months before you sold your home.\n\nIt must have been your only or main residence at some point while you owned it.\n\nYou\u2019ll also get relief for up to the first 2 years that you owned the home if both the following apply:\n\n- it was being built, renovated or you could not sell your old home\n\n- you lived in it as your only or main residence within 2 years of owning it\n\nYou get relief for these periods even if you nominated a different home as your main home.\n\n## If you have one home or you nominated your home\n\nYou get relief if you were away from it for:\n\n- any reason for periods adding up to 3 years\n\n- up to 4 years if you had to live away from home in the UK for work\n\n- any period if you were working outside the UK\n\nYou must have lived in the home before and afterwards, unless your work prevented you.\n\nIf you only own one home you get relief for the last 36 months before you sold your home if any of the following apply:\n\n- you\u2019re disabled\n\n- you\u2019re in long-term residential care\n\n- you sold the property before 6 April 2014\n\nYou get relief for the last 18 months if none of these apply, but you sold your home before 6 April 2020.\n\n## If you own more than one home\n\nIn most cases, you only get relief for one home for any period. You must work out when you lived in each property as your main home.\n\nIf you\u2019re married or in a civil partnership only one home per couple counts as your main home for any period.\n\nIf you\u2019ve nominated a home you cannot get relief for another property for the time your home is nominated, apart from for the periods that always qualify for relief.\n\nThere are other rules that affect tax relief when you sell your home.\n\nIf you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.\n\n## Nominating a home\n\nIf you nominate a property as your main home you qualify for relief for most of the time you live away. You must have lived in the home as your only or main residence at some point while you owned it.\n\nThe rules are different if you\u2019re not UK resident for tax.\n\nYou cannot get relief for another property for the time your home is nominated, apart from for certain periods that always qualify for relief.\n\nYou can nominate one property as your main home by writing to HM Revenue and Customs (HMRC). Include the address of the home you want to nominate. All the owners of the property must sign the letter.\n\nIf you want to nominate a home you must do this within 2 years every time your combination of homes changes.\n\nIf you do not nominate a home and you sell one of your properties you must work out how long you lived in it as your main home.\n\n## Overseas properties\n\nFrom 6 April 2015, you can only nominate an overseas property if you lived in it for at least 90 days in the tax year.\n\n## If you let out your home\n\nYou may have to pay Capital Gains Tax if you\u2019ve let out your home. How much you pay depends on how long you lived in it.\n\nHaving a lodger does not count as letting out your home.\n\n## Work out how much tax you have to pay\n\nYou\u2019ll pay tax on your \u2018chargeable gain\u2019. This is your gain minus any Private Residence Relief you\u2019re eligible for.\n\nYou get full relief for:\n\n- the years you lived in the home\n\n- the last 9 months you owned the home - even if you were not living there at the time\n\nIf you sold the property between 6 April 2014 and 6 April 2020, you get relief for the last 18 months you owned it.\n\nIf you only own one home and you\u2019re disabled, in long-term residential care or sold the property before 6 April 2014 you get full relief for the last 36 months you owned it.\n\n## If you only let out part of your home\n\nYou\u2019ll need to work out what proportion of your home you lived in. You only get Private Residence Relief on this proportion of your gain.\n\n## Claim Letting Relief\n\nIf you lived in your home at the same time as your tenants, you may qualify for Letting Relief on gains you make when you sell the property.\n\nYou can get the lowest of the following:\n\n- the same amount you got in Private Residence Relief\n\n- \u00a340,000\n\n- the same amount as the chargeable gain you made while letting out part of your home\n\nLetting Relief does not cover any proportion of the chargeable gain you make while your home is empty.\n\nThere are other rules that may affect the amount of Capital Gains Tax you need to pay.\n\nIf you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.", + "original_contents": [ + "

    Private Residence Relief

    ", + "

    You do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:

    ", + "
  • you have one home and you\u2019ve lived in it as your main home for all the time you\u2019ve owned it
  • ", + "
  • you have not let part of it out - this does not include having a lodger
  • ", + "
  • you have not used a part of your home exclusively for business purposes (using a room as a temporary or occasional office does not count as exclusive business use)
  • ", + "
  • the grounds, including all buildings, are less than 5,000 square metres (just over an acre) in total
  • ", + "
  • you did not buy it just to make a gain
  • ", + "

    If all these apply you will automatically get a tax relief called Private Residence Relief and will have no tax to pay. If any of them apply, you may have some tax to pay.

    ", + "

    Find out if you\u2019re eligible for Private Residence Relief.

    ", + "

    Married couples and civil partners can only count one property as their main home at any one time.

    ", + "

    The rules are different if you sell property that\u2019s not your home or if you live abroad.

    ", + "

    Work out your gain

    ", + "

    You may need to pay tax when you sell your home if you do not qualify for full Private Residence Relief.

    ", + "

    If you have tax to pay you need to work out how much gain you made when you sold your home.

    ", + "

    Your gain is usually the difference between what you paid for your home and what you sold it for. Use the market value instead if:

    ", + "
  • it was a gift (there are different rules if it was to your spouse, civil partner or a charity)
  • ", + "
  • you sold it for less than it was worth to help the buyer
  • ", + "
  • you inherited the asset (and do not know the Inheritance Tax value)
  • ", + "
  • you owned it before April 1982
  • ", + "

    If you\u2019re not resident in the UK for tax, you only pay tax on gains since 5 April 2015.

    ", + "

    Deducting costs

    ", + "

    You can deduct costs of buying, selling or improving your property from your gain. These include:

    ", + "
  • estate agents\u2019 and solicitors\u2019 fees
  • ", + "
  • costs of improvement works, for example for an extension - normal maintenance costs like decorating do not count
  • ", + "

    You cannot deduct certain costs, like interest on a loan to buy your property. Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.

    ", + "

    There are special rules for calculating your gain if you sell a lease or your home is compulsorily purchased.

    ", + "

    Work out if you need to pay

    ", + "

    Once you know your gain and have worked out how much tax relief you get, you can calculate if you need to report and pay Capital Gains Tax.

    ", + "

    You cannot use the calculator if you:

    ", + "
  • sold other chargeable assets in the tax year, for example shares
  • ", + "
  • reduced your share of a property that you still jointly own
  • ", + "
  • claim any reliefs other than Private Residence Relief or Letting Relief
  • ", + "
  • are a company, agent, trustee or personal representative
  • ", + "

    Calculate Capital Gains Tax

    ", + "

    If you have Capital Gains Tax to pay

    ", + "

    You must report and pay any Capital Gains Tax on most sales of UK property within 30 days.

    ", + "

    Living away from your home

    ", + "

    You may get less Private Residence Relief if you live away from your home. However, you always get relief for certain periods.

    ", + "

    The rules are different if you\u2019re not UK resident for tax.

    ", + "

    Periods that always qualify for relief

    ", + "

    No matter how many homes you own or where you lived at the time, you always get relief for the last 9 months before you sold your home.

    ", + "

    It must have been your only or main residence at some point while you owned it.

    ", + "

    You\u2019ll also get relief for up to the first 2 years that you owned the home if both the following apply:

    ", + "
  • it was being built, renovated or you could not sell your old home
  • ", + "
  • you lived in it as your only or main residence within 2 years of owning it
  • ", + "

    You get relief for these periods even if you nominated a different home as your main home.

    ", + "

    If you have one home or you nominated your home

    ", + "

    You get relief if you were away from it for:

    ", + "
  • any reason for periods adding up to 3 years
  • ", + "
  • up to 4 years if you had to live away from home in the UK for work
  • ", + "
  • any period if you were working outside the UK
  • ", + "

    You must have lived in the home before and afterwards, unless your work prevented you.

    ", + "

    If you only own one home you get relief for the last 36 months before you sold your home if any of the following apply:

    ", + "
  • you\u2019re disabled
  • ", + "
  • you\u2019re in long-term residential care
  • ", + "
  • you sold the property before 6 April 2014
  • ", + "

    You get relief for the last 18 months if none of these apply, but you sold your home before 6 April 2020.

    ", + "

    If you own more than one home

    ", + "

    In most cases, you only get relief for one home for any period. You must work out when you lived in each property as your main home.

    ", + "

    If you\u2019re married or in a civil partnership only one home per couple counts as your main home for any period.

    ", + "

    If you\u2019ve nominated a home you cannot get relief for another property for the time your home is nominated, apart from for the periods that always qualify for relief.

    ", + "

    There are other rules that affect tax relief when you sell your home.

    ", + "

    If you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.

    ", + "

    Nominating a home

    ", + "

    If you nominate a property as your main home you qualify for relief for most of the time you live away. You must have lived in the home as your only or main residence at some point while you owned it.

    ", + "

    The rules are different if you\u2019re not UK resident for tax.

    ", + "

    You cannot get relief for another property for the time your home is nominated, apart from for certain periods that always qualify for relief.

    ", + "

    You can nominate one property as your main home by writing to HM Revenue and Customs (HMRC). Include the address of the home you want to nominate. All the owners of the property must sign the letter.

    ", + "

    If you want to nominate a home you must do this within 2 years every time your combination of homes changes.

    ", + "

    If you do not nominate a home and you sell one of your properties you must work out how long you lived in it as your main home.

    ", + "

    Overseas properties

    ", + "

    From 6 April 2015, you can only nominate an overseas property if you lived in it for at least 90 days in the tax year.

    ", + "

    If you let out your home

    ", + "

    You may have to pay Capital Gains Tax if you\u2019ve let out your home. How much you pay depends on how long you lived in it.

    ", + "

    Having a lodger does not count as letting out your home.

    ", + "

    Work out how much tax you have to pay

    ", + "

    You\u2019ll pay tax on your \u2018chargeable gain\u2019. This is your gain minus any Private Residence Relief you\u2019re eligible for.

    ", + "

    You get full relief for:

    ", + "
  • the years you lived in the home
  • ", + "
  • the last 9 months you owned the home - even if you were not living there at the time
  • ", + "

    If you sold the property between 6 April 2014 and 6 April 2020, you get relief for the last 18 months you owned it.

    ", + "

    If you only own one home and you\u2019re disabled, in long-term residential care or sold the property before 6 April 2014 you get full relief for the last 36 months you owned it.

    ", + "

    If you only let out part of your home

    ", + "

    You\u2019ll need to work out what proportion of your home you lived in. You only get Private Residence Relief on this proportion of your gain.

    ", + "

    Claim Letting Relief

    ", + "

    If you lived in your home at the same time as your tenants, you may qualify for Letting Relief on gains you make when you sell the property.

    ", + "

    You can get the lowest of the following:

    ", + "
  • the same amount you got in Private Residence Relief
  • ", + "
  • \u00a340,000
  • ", + "
  • the same amount as the chargeable gain you made while letting out part of your home
  • ", + "

    Letting Relief does not cover any proportion of the chargeable gain you make while your home is empty.

    ", + "

    There are other rules that may affect the amount of Capital Gains Tax you need to pay.

    ", + "

    If you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.

    " + ] + }, + "https://www.gov.uk/trusts-taxes": { + "url": "https://www.gov.uk/trusts-taxes", + "title": "Trusts and taxes", + "content": "## Overview\n\nA trust is a way of managing assets (money, investments, land or buildings) for people. There are different types of trusts and they are taxed differently.\n\nTrusts involve:\n\n- the \u2018settlor\u2019 - the person who puts assets into a trust\n\n- the \u2018trustee\u2019 - the person who manages the trust\n\n- the \u2018beneficiary\u2019 - the person who benefits from the trust\n\nThis guide is also available in Welsh (Cymraeg).\n\n## What trusts are for\n\nTrusts are set up for a number of reasons, including:\n\n- to control and protect family assets\n\n- when someone\u2019s too young to handle their affairs\n\n- when someone cannot handle their affairs because they\u2019re incapacitated\n\n- to pass on assets while you\u2019re still alive\n\n- to pass on assets when you die (a \u2018will trust\u2019)\n\n- under the rules of inheritance if someone dies without a will (in England and Wales)\n\n## What the settlor does\n\nThe settlor decides how the assets in a trust should be used - this is usually set out in a document called the \u2018trust deed\u2019.\n\nSometimes the settlor can also benefit from the assets in a trust - this is called a \u2018settlor-interested\u2019 trust and has special tax rules. Find out more by reading the information on different types of trust.\n\n## What trustees do\n\nThe trustees are the legal owners of the assets held in a trust. Their role is to:\n\n- deal with the assets according to the settlor\u2019s wishes, as set out in the trust deed or their will\n\n- manage the trust on a day-to-day basis and pay any tax due\n\n- decide how to invest or use the trust\u2019s assets\n\nIf the trustees change, the trust can still continue, but there always has to be at least one trustee.\n\n## Beneficiaries\n\nThere might be more than one beneficiary, like a whole family or defined group of people. They may benefit from:\n\n- the income of a trust only, for example from renting out a house held in a trust\n\n- the capital only, for example getting shares held in a trust when they reach a certain age\n\n- both the income and capital of the trust\n\n## If you need help\n\nContact a solicitor or tax advisor. They can also talk to HM Revenue and Customs (HMRC) on your behalf if you give them permission.\n\nYou can also get help from the Society of Trust and Estate Practitioners.\n\n## Types of trust\n\nThe main types of trust are:\n\n- bare trusts\n\n- interest in possession trusts\n\n- discretionary trusts\n\n- accumulation trusts\n\n- mixed trusts\n\n- settlor-interested trusts\n\n- non-resident trusts\n\nEach type of trust is taxed differently. Trusts involve a \u2018trustee\u2019, \u2018settlor\u2019 and \u2018beneficiary\u2019.\n\n## Bare trusts\n\nAssets in a bare trust are held in the name of a trustee. However, the beneficiary has the right to all of the capital and income of the trust at any time if they\u2019re 18 or over (in England and Wales), or 16 or over (in Scotland). This means the assets set aside by the settlor will always go directly to the intended beneficiary.\n\nBare trusts are often used to pass assets to young people - the trustees look after them until the beneficiary is old enough.\n\n## Interest in possession trusts\n\nThese are trusts where the trustee must pass on all trust income to the beneficiary as it arises (less any expenses).\n\n## Discretionary trusts\n\nThese are where the trustees can make certain decisions about how to use the trust income, and sometimes the capital.\n\nDepending on the trust deed, trustees can decide:\n\n- what gets paid out (income or capital)\n\n- which beneficiary to make payments to\n\n- how often payments are made\n\n- any conditions to impose on the beneficiaries\n\nDiscretionary trusts are sometimes set up to put assets aside for:\n\n- a future need, like a grandchild who may need more financial help than other beneficiaries at some point in their life\n\n- beneficiaries who are not capable or responsible enough to deal with money themselves\n\n## Accumulation trusts\n\nThis is where the trustees can accumulate income within the trust and add it to the trust\u2019s capital. They may also be able to pay income out, as with discretionary trusts.\n\n## Mixed trusts\n\nThese are a combination of more than one type of trust. The different parts of the trust are treated according to the tax rules that apply to each part.\n\n## Settlor-interested trusts\n\nThese are where the settlor or their spouse or civil partner benefits from the trust. The trust could be:\n\n- an interest in possession trust\n\n- an accumulation trust\n\n- a discretionary trust\n\n## Non-resident trusts\n\nThis is a trust where the trustees are not resident in the UK for tax purposes. The tax rules for non-resident trusts are very complicated.\n\n## Parental trusts for children\n\nThese are trusts set up by parents for children under 18 who have never been married or in a civil partnership. They\u2019re not a type of trust in their own right but will be either:\n\n- a bare trust\n\n- an interest in possession trust\n\n- an accumulation trust\n\n- a discretionary trust\n\nRead the information on types of trust to find out more.\n\n## Income Tax\n\nIncome Tax on income from the trust is paid by the trustees, but the \u2018settlor\u2019 is responsible for it. This means:\n\n- The trustees pay Income Tax on the trust income by filling out a Trust and Estate Tax Return.\n\n- They give the settlor a statement of all the income and the rates of tax charged on it.\n\n- The settlor tells HM Revenue and Customs (HMRC) about the tax the trustees have paid on their behalf when filling out their Self Assessment tax return.\n\n## Trusts for vulnerable people\n\nSome trusts for disabled people or children get special tax treatment. These are called \u2018trusts for vulnerable beneficiaries\u2019.\n\n## Who qualifies as a vulnerable beneficiary\n\nA vulnerable beneficiary is either someone under 18 whose parent has died or a disabled person who is eligible for any of the following benefits (even if they do not receive them):\n\n- Attendance Allowance\n\n- Disability Living Allowance (either the care component at the highest or middle rate, or the mobility component at the higher rate)\n\n- Personal Independence Payment\n\n- an increased disablement pension\n\n- Constant Attendance Allowance\n\n- Armed Forces Independence Payment\n\nA vulnerable beneficiary can also be someone who is unable to manage their own affairs because of a mental health condition - check with a medical professional that it\u2019s covered by the Mental Health Act 1983.\n\n## Trusts that qualify for special tax treatment\n\nA trust does not qualify for special Income Tax treatment if the person setting it up can benefit from the trust income. However, from 2008 to 2009 it would qualify for special Capital Gains Tax treatment.\n\nTrusts for children who\u2019ve lost a parent are usually set up by the parent\u2019s will, or by special rules of inheritance if there\u2019s no will.\n\nIf someone dies without a will in Scotland, a trust set up there for their children is usually treated as a bare trust for tax purposes.\n\n## If there\u2019s more than one beneficiary\n\nIf there are beneficiaries who are not vulnerable, the assets and income for the vulnerable beneficiary must be:\n\n- identified and kept separate\n\n- used only for that person\n\nOnly that part of the trust gets special tax treatment.\n\n## Claiming special tax treatment\n\nTo claim special treatment for Income Tax and Capital Gains Tax, the trustees have to fill in the \u2018Vulnerable Person Election\u2019 form.\n\nIf there\u2019s more than one vulnerable beneficiary, each needs a separate form.\n\nThe trustees and beneficiary must both sign the form.\n\nIf the vulnerable person dies or is no longer vulnerable, the trustees must tell HMRC.\n\n## Income Tax\n\nIn a trust with a vulnerable beneficiary, the trustees are entitled to a deduction of Income Tax. It\u2019s calculated like this:\n\n- Trustees work out what their trust Income Tax would be if there was no claim for special treatment - this will vary according to which type of trust it is.\n\n- They then work out what Income Tax the vulnerable person would have paid if the trust income had been paid directly to them as an individual.\n\n- They can then claim the difference between these 2 figures as a deduction from their own Income Tax liability.\n\nThis is a complicated calculation but there\u2019s a detailed worked example on the HMRC website.\n\n## Capital Gains Tax\n\nCapital Gains Tax may be due if assets are sold, given away, exchanged or transferred in another way and they\u2019ve gone up in value since being put into trust.\n\nTax is only paid by trustees if the assets have increased in value above the \u2018annual exempt amount\u2019, which is an allowance of \u00a312,300 for people who have a mental or physical disability, or \u00a36,150 for other trustees.\n\nTrustees are responsible for paying any Capital Gains Tax due. If the trust is for vulnerable people, trustees can claim a reduction, which is calculated like this:\n\n- They work out what they would pay if there was no reduction.\n\n- They then work out what the beneficiary would have to pay if the gains had come directly to them.\n\n- They can claim the difference between these 2 amounts as a reduction on what they have to pay in Capital Gains Tax using form SA905.\n\nThis special Capital Gains Tax treatment does not apply in the tax year when the beneficiary dies.\n\n## Inheritance Tax\n\nThese are the situations when trusts for vulnerable people get special Inheritance Tax treatment:\n\n- for a disabled person whose trust was set up before 8 April 2013 - at least half of the payments from the trust must go to the disabled person during their lifetime\n\n- for a disabled person whose trust was set up on or after 8 April 2013 - all payments must go to the disabled person, except for up to \u00a33,000 per year (or 3% of the assets, if that\u2019s lower), which can be used for someone else\u2019s benefit\n\n- when someone who has a condition that\u2019s expected to make them disabled sets up a trust for themselves\n\n- for a bereaved minor - they must take all the assets and income at (or before becoming) 18\n\nThere\u2019s no Inheritance Tax charge:\n\n- if the person who set up the trust survives 7 years from the date they set it up\n\n- on transfers made out of a trust to a vulnerable beneficiary\n\nWhen the beneficiary dies, any assets held in the trust on their behalf are treated as part of their estate and Inheritance Tax may be charged.\n\nTrusts usually have 10-year Inheritance Tax charges, but trusts with vulnerable beneficiaries are exempt.\n\n## Trusts and Income Tax\n\nDifferent types of trust income have different rates of Income Tax.\n\nEach type of trust is taxed differently. Trusts involve a \u2018trustee\u2019, \u2018settlor\u2019 and \u2018beneficiary\u2019.\n\n## Accumulation or discretionary trusts\n\nTrustees are responsible for paying tax on income received by accumulation or discretionary trusts. The first \u00a31,000 is taxed at the standard rate.\n\nIf the settlor has more than one trust, this \u00a31,000 is divided by the number of trusts they have. However, if the settlor has set up 5 or more trusts, the standard rate band for each trust is \u00a3200.\n\nThe tax rates are below.\n\n## Trust income up to \u00a31,000\n\n| Type of income | Tax rate |\n\n| Dividend-type income | 7.5% |\n\n| All other income | 20% |\n\n## Trust income over \u00a31,000\n\n| Type of income | Tax rate |\n\n| Dividend-type income | 38.1% |\n\n| All other income | 45% |\n\n## Dividends\n\nTrustees do not qualify for the dividend allowance. This means trustees pay tax on all dividends depending on the tax band they fall within.\n\n## Interest in possession trusts\n\nThe trustees are responsible for paying Income Tax at the rates below.\n\n| Type of income | Income Tax rate |\n\n| Dividend-type income | 7.5% |\n\n| All other income | 20% |\n\nSometimes the trustees \u2018mandate\u2019 income to the beneficiary. This means it goes to them directly instead of being passed through the trustees.\n\nIf this happens, the beneficiary needs to include this on their Self Assessment tax return and pay tax on it.\n\n## Bare trusts\n\nIf you\u2019re the beneficiary of a bare trust you\u2019re responsible for paying tax on income from it.\n\nYou need to tell HMRC about the income on a Self Assessment tax return.\n\nIf you do not usually send a tax return, you need to register for self-assessment by 5 October following the tax year you had the income.\n\n## Settlor-interested trusts\n\nThe settlor is responsible for Income Tax on these trusts, even if some of the income is not paid out to them. However, the Income Tax is paid by the trustees as they receive the income.\n\n- The trustees pay Income Tax on the trust income by filling out a Trust and Estate Tax Return.\n\n- They give the settlor a statement of all the income and the rates of tax charged on it.\n\n- The settlor tells HMRC about the tax the trustees have paid on their behalf on a Self Assessment tax return.\n\nThe rate of Income Tax depends on what type of trust the settlor-interested trust is.\n\n## Other types of trust\n\nThere are special tax rules for parental trusts for children, trusts for vulnerable people and trusts where the trustees are not resident in the UK for tax purposes. These are called non-resident trusts.\n\n## If you\u2019re the beneficiary\n\nDepending on the type of trust and your income, you might be able to claim some of the Income Tax back.\n\n## If you\u2019re the trustee\n\nGet help completing the Trust and Estate Tax return.\n\n## If you need more help\n\nThere\u2019s more detailed guidance on trusts and Income Tax.\n\nContact HMRC or get professional tax advice if you need help.\n\n## Trusts and Capital Gains Tax\n\nCapital Gains Tax is a tax on the profit (\u2018gain\u2019) when something (an \u2018asset\u2019) that\u2019s increased in value is taken out of or put into a trust.\n\n## When Capital Gains Tax might be payable\n\n## If assets are put into a trust\n\nTax is paid by either the person:\n\n- selling the asset to the trust\n\n- transferring the asset (the \u2018settlor\u2019)\n\n## If assets are taken out of a trust\n\nThe trustees usually have to pay the tax if they sell or transfer assets on behalf of the beneficiary.\n\nThere\u2019s no tax to pay in bare trusts if the assets are transferred to the beneficiary.\n\nSometimes an asset might be transferred to someone else but Capital Gains Tax is not payable. This happens when someone dies and an \u2018interest in possession\u2019 ends.\n\n## A beneficiary gets some or all of the assets in a trust\n\nSometimes the beneficiary of a trust becomes \u2018absolutely entitled\u2019 and can tell the trustees what to do with the assets, for example when they reach a certain age.\n\nIn this case, the trustees pay Capital Gains Tax based on the assets\u2019 market value when the beneficiary became entitled to them.\n\n## Non-UK resident trusts\n\nThe rules for Capital Gains Tax on non-UK resident trusts are complicated. You can get help with your tax.\n\n## Working out total gains\n\nTrustees need to work out the total taxable gain to know if they have to pay Capital Gains Tax.\n\n## Allowable costs\n\nTrustees can deduct costs to reduce gains, including:\n\n- the cost of the property (including any administration fees)\n\n- professional fees, for example for a solicitor or stockbroker\n\n- the cost of improving property or land to increase its value, for example building a conservatory (but not repairs or regular maintenance)\n\n## Tax reliefs\n\nTrustees might be able to reduce or delay the amount of tax the trust pays if gains are eligible for tax relief.\n\n| Relief | Description |\n\n| Private Residence Relief | Trustees pay no Capital Gains Tax when they sell a property the trust owns. It must be the main residence for someone allowed to live there under the rules of the trust. |\n\n| Entrepreneurs\u2019 Relief | Trustees pay 10% Capital Gains Tax on qualifying gains if they sell assets used in a beneficiary\u2019s business, which has now ended. They may also get relief when they sell shares in a company where the beneficiary had at least 5% of shares and voting rights. |\n\n| Hold-Over Relief | Trustees pay no tax if they transfer assets to beneficiaries (or other trustees in some cases). The recipient pays tax when they sell or dispose of the assets, unless they also claim relief. |\n\n## Tax-free allowance\n\nTrustees only have to pay Capital Gains Tax if the total taxable gain is above the trust\u2019s tax-free allowance (called the Annual Exempt Amount).\n\nThe tax-free allowance for trusts is:\n\n- \u00a36,150\n\n- \u00a312,300 if the beneficiary is vulnerable - a disabled person or a child whose parent has died\n\nIf there\u2019s more than one beneficiary, the higher allowance may apply even if only one of them is vulnerable.\n\nSee tax-free allowances for previous years.\n\nThe tax-free allowance may be reduced if the trust\u2019s settlor has set up more than one trust (\u2018settlement\u2019) since 6 June 1978.\n\nThere\u2019s more detailed information about Capital Gains Tax and Self Assessment for trusts.\n\n## Report gains to HMRC\n\nIf you\u2019re the trustee, report any gains as part of your Trust and Estate Tax Return.\n\nYou\u2019ll need to download and fill in form SA905 if you\u2019re sending your tax return by post.\n\nIf you\u2019re the beneficiary, you need to report and pay through a Self Assessment tax return.\n\nThe rules are different for reporting a loss.\n\n## If you need more help\n\nThere\u2019s more detailed guidance on Capital Gains Tax.\n\nContact HMRC or get professional tax advice if you need help.\n\n## Trusts and Inheritance Tax\n\nInheritance Tax may have to be paid on a person\u2019s estate (their money and possessions) when they die.\n\nInheritance Tax is due at 40% on anything above the threshold - but there\u2019s a reduced rate of 36% if the person\u2019s will leaves more than 10% of their estate to charity.\n\nInheritance Tax can also apply when you\u2019re alive if you transfer some of your estate into a trust.\n\n## When Inheritance Tax is due\n\nThe main situations when Inheritance Tax is due are:\n\n- when assets are transferred into a trust\n\n- when a trust reaches a 10-year anniversary of when it was set up (there are 10-yearly Inheritance Tax charges)\n\n- when assets are transferred out of a trust (known as \u2018exit charges\u2019) or the trust ends\n\n- when someone dies and a trust is involved when sorting out their estate\n\n## What you pay Inheritance Tax on\n\nYou pay Inheritance Tax on \u2018relevant property\u2019 - assets like money, shares, houses or land. This includes the assets in most trusts.\n\nThere are some occasions where you may not have to pay Inheritance Tax - for example where the trust contains excluded property.\n\n## Special rules\n\nSome types of trust are treated differently for Inheritance Tax purposes.\n\n## Bare trusts\n\nThese are where the assets in a trust are held in the name of a trustee but go directly to the beneficiary, who has a right to both the assets and income of the trust.\n\nTransfers into a bare trust may also be exempt from Inheritance Tax, as long as the person making the transfer survives for 7 years after making the transfer.\n\n## Interest in possession trusts\n\nThese are trusts where the beneficiary is entitled to trust income as it\u2019s produced - this is called their \u2018interest in possession\u2019.\n\nOn assets transferred into this type of trust before 22 March 2006, there\u2019s no Inheritance Tax to pay.\n\nOn assets transferred on or after 22 March 2006, the 10-yearly Inheritance Tax charge may be due.\n\nDuring the life of the trust there\u2019s no Inheritance Tax to pay as long as the asset stays in the trust and remains the \u2018interest\u2019 of the beneficiary.\n\nBetween 22 March 2006 and 5 October 2008:\n\n- beneficiaries of an interest in possession trust could pass on their interest in possession to other beneficiaries, like their children\n\n- this was called making a \u2018transitional serial interest\u2019\n\n- there\u2019s no Inheritance Tax to pay in this situation\n\nFrom 5 October 2008:\n\n- beneficiaries of an interest in possession trust cannot pass their interest on as a transitional serial interest\n\n- if an interest is transferred after this date there may be a charge of 20% and a 10-yearly Inheritance Tax charge will be payable unless it\u2019s a disabled trust\n\nIf you inherit an interest in possession trust from someone who has died, there\u2019s no Inheritance Tax at the 10-year anniversary. Instead, 40% tax will be due when you die.\n\n## If the trust is set up by a will\n\nSomeone might ask that some or all of their assets are put into a trust. This is called a \u2018will trust\u2019.\n\nThe personal representative of the deceased person has to make sure that the trust is properly set up with all taxes paid, and the trustees make sure that Inheritance Tax is paid on any future charges.\n\n## If the deceased transferred assets into a trust before they died\n\nIf you\u2019re valuing the estate of someone who has died, you\u2019ll need to find out whether they made any transfers in the 7 years before they died. If they did, and they paid 20% Inheritance Tax, you\u2019ll need to pay an extra 20% from the estate.\n\nEven if no Inheritance Tax was due on the transfer, you still have to add its value to the person\u2019s estate when you\u2019re valuing it for Inheritance Tax purposes.\n\n## Trusts for bereaved minors\n\nA bereaved minor is a person under 18 who has lost at least one parent or step-parent. Where a trust is set up for a bereaved minor, there are no Inheritance Tax charges if:\n\n- the assets in the trust are set aside just for bereaved minor\n\n- they become fully entitled to the assets by the age of 18\n\nA trust for a bereaved young person can also be set up as an 18 to 25 trust - the 10-yearly charges do not apply. However, the main differences are:\n\n- the beneficiary must become fully entitled to the assets in the trust by the age of 25\n\n- when the beneficiary is aged between 18 and 25, Inheritance Tax exit charges may apply\n\n## Trusts for disabled beneficiaries\n\nThere\u2019s no 10-yearly charge or exit charge on this type of trust as long as the asset stays in the trust and remains the \u2018interest\u2019 of the beneficiary.\n\nYou also do not have to pay Inheritance Tax on the transfer of assets into a trust for a disabled person as long as the person making the transfer survives for 7 years after making the transfer.\n\n## Paying Inheritance Tax\n\nYou pay Inheritance Tax using form IHT100.\n\nIf you\u2019re valuing the estate of someone who\u2019s died, you may have to value other assets apart from trusts to see if Inheritance Tax is due.\n\n## More help and information\n\nThere\u2019s more detailed guidance on trusts and Inheritance Tax.\n\nContact HMRC or get professional tax advice if you need help.\n\n## Beneficiaries - paying and reclaiming tax on trusts\n\nIf you\u2019re a trust beneficiary there are different rules depending on the type of trust. You might have to pay tax through Self Assessment or you might be entitled to a tax refund.\n\nIf you do not usually send a tax return and need to, you must register for Self Assessment by 5 October following the tax year you had the income.\n\nRead the information on the different types of trust to understand the main differences between them. If you\u2019re not sure what type of trust you have, ask the trustees.\n\nIf you\u2019re the beneficiary of a bare trust you are responsible for declaring and paying tax on its income. Do this on a Self Assessment tax return.\n\nIf you do not usually send a tax return and need to, you must register for Self Assessment by 5 October following the tax year you had the income.\n\n## Interest in possession trusts\n\nIf you\u2019re the beneficiary of this type of trust, you\u2019re entitled to its income (after expenses) as it arises.\n\nIf you ask for a statement, the trustees must tell you:\n\n- the different sources of income\n\n- how much income you\u2019ve been given\n\n- how much tax has been paid on the income\n\nYou\u2019ll usually get income sent through the trustees, but they might pass it to you directly without paying tax first. If this happens you need to include it on your Self Assessment tax return.\n\nIf you do not usually send a tax return you must register for Self Assessment by 5 October the year after you were given the income.\n\n## If you\u2019re a basic rate taxpayer\n\nYou will not owe any extra tax. You\u2019ll still need to complete a Self Assessment tax return to show the income you receive from an interest in possession trust but you will get a credit for the tax paid by the trustees. This means the income is not taxed twice.\n\n## If you\u2019re a higher rate taxpayer\n\nYou\u2019ll have to pay extra tax on the difference between what tax the trustees have paid and what you, as a higher rate taxpayer, are liable for. This will be calculated when you do your Self Assessment.\n\n## How to reclaim tax\n\nYou can reclaim tax paid on:\n\n- dividends (if you\u2019re entitled to dividend allowance)\n\n- savings interest (if you\u2019re entitled to personal savings allowance)\n\n- trade and property income (if you\u2019re entitled to trading allowance or property allowance)\n\nThe allowance amount will be reduced if it\u2019s already been used against some income. The allowance you have left is called the \u2018available allowance\u2019.\n\nIf the amount of income you receive is less than or equal to the available allowance, you can reclaim all of the tax paid.\n\nIf the amount of income you receive is more than the available allowance, you can only claim the tax paid on the available allowance.\n\nIf you\u2019re a Self Assessment taxpayer the repayment will be calculated as part of your return.\n\nIf you\u2019re not a Self Assessment taxpayer you can reclaim the tax using form R40.\n\nYou need to make a separate claim for each tax year.\n\n## Accumulation or discretionary trusts\n\nWith these trusts all income received by beneficiaries is treated as though it has already been taxed at 45%. If you\u2019re an additional rate taxpayer there will be no more tax to pay.\n\nYou may be able to claim tax back on trust income you\u2019ve received if any of the following apply:\n\n- you\u2019re a non-taxpayer\n\n- you pay tax at the basic rate of 20%\n\n- you pay tax at the higher rate of 40%\n\nYou can reclaim the tax paid using form R40. If you complete a tax return, you can claim through Self Assessment.\n\n## Settlor-interested discretionary trusts\n\nIf a settlor-interested trust is a discretionary trust, payments made to the settlor\u2019s spouse or civil partner are treated as though they\u2019ve already been taxed at 45%. There\u2019s no more tax to pay. However, unlike payments made from other types of trusts, the tax credit cannot be claimed back.\n\n## Non-resident trusts\n\nThis is a trust where the trustees are not resident in the UK for tax purposes. The tax rules for this type of trust are very complicated - there\u2019s detailed guidance on non-resident trusts.\n\n## If a pension scheme pays into a trust\n\nWhen a pension scheme pays a taxable lump sum into a trust after the pension holder dies, the payment is taxed at 45%.\n\nIf you\u2019re a beneficiary and receive a payment funded by this lump sum, you\u2019ll also be taxed.\n\nYou can claim back tax paid on the original lump sum - do this on your Self Assessment tax return if you complete one, or using form R40.\n\nThe trust will tell you the amount you need to report - this will normally be more than the amount you actually receive.\n\n## Trustees - tax responsibilities\n\nAs the trustee, you\u2019re responsible for reporting and paying tax on behalf of the trust.\n\nIf there are 2 or more trustees, nominate one as the \u2018principal acting trustee\u2019 to manage its tax. The other trustees are still accountable, and can be charged tax and interest if the trust does not pay.\n\n## Registering a trust\n\nOnce a trust becomes liable for tax, you must register the trust with HM Revenue and Customs.\n\n## Sending tax returns\n\nYou must report the trust\u2019s income and gains in a trust and estate Self Assessment tax return after the end of each tax year. You can either:\n\n- buy software to send it electronically by 31 January\n\n- fill in paper form SA900 and post it to HMRC by 31 October (3 months earlier)\n\nYou can also get help, for example from HMRC or by getting an accountant to do your return for you.\n\nAfter you\u2019ve sent your return, HMRC will tell you how much you owe. You\u2019ll need to pay your Self Assessment bill by the deadline.\n\nYou\u2019ll need to collect and keep records (for example bank statements) to complete your tax return.\n\n## Telling beneficiaries about tax and income\n\nYou must give the beneficiary a statement with the amount of income and tax paid by the trust, if they ask. You can use form R185 (trust) to do this. There\u2019s a different form if you need to provide a statement to a settlor who retains an interest.\n\nIf there\u2019s more than one beneficiary, you must give each of them this information relative to the amount they receive.\n\n## Death benefit payments from a pension scheme\n\nYou must give the beneficiary extra information if both the following apply:\n\n- you make a payment funded by a taxable lump sum from a pension scheme\n\n- the pension holder has died\n\nUse form R185 (LSDB) if you\u2019re a trustee. There\u2019s a different form if you\u2019re a pension administrator.\n\nYou must tell the beneficiary within 30 days.\n\n## Other responsibilities\n\nYou may have to report other things to HMRC. You need to:\n\n- use the online service to tell HMRC if there are any changes to the trust\n\n- fill in form IHT100 when the trust needs to pay Inheritance Tax\n\nYour other responsibilities as a trustee depend on the type of trust and any instructions from the person who set up the trust in the trust deed.\n\n## When you must register a trust\n\nYou must register your trust with HM Revenue and Customs (HMRC) if it becomes liable for any of the following:\n\n- Capital Gains Tax\n\n- Income Tax\n\n- Inheritance Tax\n\n- Stamp Duty Land Tax or Land and Buildings Transaction Tax in Scotland\n\n- Stamp Duty Reserve Tax\n\nYou must also register a trust to claim tax relief.\n\n## Non-resident trusts\n\nYou must register a non-resident trust if it becomes liable for:\n\n- tax on UK income\n\n- tax on UK assets\n\nYou can get professional advice from a solicitor or tax advisor about registering a trust.\n\n## When you do not need to register your trust\n\nYou do not need to register your trust if:\n\n- it has to pay Income Tax of less than \u00a3100 on interest\n\n- only the settlor or beneficiary of the trust has to pay tax\n\n- it\u2019s a bare trust\n\n- it\u2019s a charitable trust\n\n- it\u2019s a resulting trust and the assets go back to the settlor because all the beneficiaries have died\n\n- it\u2019s a statutory trust created through legislation\n\n- it\u2019s a constructive trust imposed by a court\n\n- it holds a pension scheme already registered with HMRC\n\nYou also do not need to register your trust if you have to file information:\n\n- under the Foreign Account Tax Compliance Act (FATCA)\n\n- for Common Reporting Standard (CRS) purposes\n\n## Deadlines for registering\n\nThe deadline depends on the tax your trust is liable for.\n\n## Trusts liable for Income Tax or Capital Gains Tax\n\nIf it\u2019s the first time your trust is liable for either tax, the deadline is 5 October in the tax year after it first becomes liable for these taxes.\n\nFor example, if your trust first becomes liable for Income Tax during the 2020 to 2021 tax year, you must register by 5 October 2021.\n\nIf your trust has been liable for either tax before, the deadline is 31 January in the tax year after it\u2019s again liable for these taxes.\n\nFor example, if your trust is liable for Income Tax during the 2020 to 2021 tax year and it has been liable for Income Tax before, you must register by 31 January 2022.\n\n## Trusts liable for other taxes\n\nYou must register by 31 January in the tax year after the one in which the trust is liable for any of the following:\n\n- Inheritance Tax\n\n- Stamp Duty Land Tax or Land and Buildings Transaction Tax in Scotland\n\n- Stamp Duty Reserve Tax\n\nYou must register by the earlier deadline if your trust is liable for more than one tax and both deadlines apply.\n\n## How to register\n\nHow you register a trust depends on whether you\u2019re:\n\n- a trustee\n\n- an agent registering a trust for a client\n\nThere\u2019s a different process if you need to register an estate of someone who\u2019s died.", + "original_contents": [ + "

    Overview

    ", + "

    A trust is a way of managing assets (money, investments, land or buildings) for people. There are different types of trusts and they are taxed differently.

    ", + "

    Trusts involve:

    ", + "
  • the \u2018settlor\u2019 - the person who puts assets into a trust
  • ", + "
  • the \u2018trustee\u2019 - the person who manages the trust
  • ", + "
  • the \u2018beneficiary\u2019 - the person who benefits from the trust
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    What trusts are for

    ", + "

    Trusts are set up for a number of reasons, including:

    ", + "
  • to control and protect family assets
  • ", + "
  • when someone\u2019s too young to handle their affairs
  • ", + "
  • when someone cannot handle their affairs because they\u2019re incapacitated
  • ", + "
  • to pass on assets while you\u2019re still alive
  • ", + "
  • to pass on assets when you die (a \u2018will trust\u2019)
  • ", + "
  • under the rules of inheritance if someone dies without a will (in England and Wales)
  • ", + "

    What the settlor does

    ", + "

    The settlor decides how the assets in a trust should be used - this is usually set out in a document called the \u2018trust deed\u2019.

    ", + "

    Sometimes the settlor can also benefit from the assets in a trust - this is called a \u2018settlor-interested\u2019 trust and has special tax rules. Find out more by reading the information on different types of trust.

    ", + "

    What trustees do

    ", + "

    The trustees are the legal owners of the assets held in a trust. Their role is to:

    ", + "
  • deal with the assets according to the settlor\u2019s wishes, as set out in the trust deed or their will
  • ", + "
  • manage the trust on a day-to-day basis and pay any tax due
  • ", + "
  • decide how to invest or use the trust\u2019s assets
  • ", + "

    If the trustees change, the trust can still continue, but there always has to be at least one trustee.

    ", + "

    Beneficiaries

    ", + "

    There might be more than one beneficiary, like a whole family or defined group of people. They may benefit from:

    ", + "
  • the income of a trust only, for example from renting out a house held in a trust
  • ", + "
  • the capital only, for example getting shares held in a trust when they reach a certain age
  • ", + "
  • both the income and capital of the trust
  • ", + "

    If you need help

    ", + "

    Contact a solicitor or tax advisor. They can also talk to HM Revenue and Customs (HMRC) on your behalf if you give them permission.

    ", + "

    You can also get help from the Society of Trust and Estate Practitioners.

    ", + "

    Types of trust

    ", + "

    The main types of trust are:

    ", + "
  • bare trusts
  • ", + "
  • interest in possession trusts
  • ", + "
  • discretionary trusts
  • ", + "
  • accumulation trusts
  • ", + "
  • mixed trusts
  • ", + "
  • settlor-interested trusts
  • ", + "
  • non-resident trusts
  • ", + "

    Each type of trust is taxed differently. Trusts involve a \u2018trustee\u2019, \u2018settlor\u2019 and \u2018beneficiary\u2019.

    ", + "

    Bare trusts

    ", + "

    Assets in a bare trust are held in the name of a trustee. However, the beneficiary has the right to all of the capital and income of the trust at any time if they\u2019re 18 or over (in England and Wales), or 16 or over (in Scotland). This means the assets set aside by the settlor will always go directly to the intended beneficiary.

    ", + "

    Bare trusts are often used to pass assets to young people - the trustees look after them until the beneficiary is old enough.

    ", + "

    Interest in possession trusts

    ", + "

    These are trusts where the trustee must pass on all trust income to the beneficiary as it arises (less any expenses).

    ", + "

    Discretionary trusts

    ", + "

    These are where the trustees can make certain decisions about how to use the trust income, and sometimes the capital.

    ", + "

    Depending on the trust deed, trustees can decide:

    ", + "
  • what gets paid out (income or capital)
  • ", + "
  • which beneficiary to make payments to
  • ", + "
  • how often payments are made
  • ", + "
  • any conditions to impose on the beneficiaries
  • ", + "

    Discretionary trusts are sometimes set up to put assets aside for:

    ", + "
  • a future need, like a grandchild who may need more financial help than other beneficiaries at some point in their life
  • ", + "
  • beneficiaries who are not capable or responsible enough to deal with money themselves
  • ", + "

    Accumulation trusts

    ", + "

    This is where the trustees can accumulate income within the trust and add it to the trust\u2019s capital. They may also be able to pay income out, as with discretionary trusts.

    ", + "

    Mixed trusts

    ", + "

    These are a combination of more than one type of trust. The different parts of the trust are treated according to the tax rules that apply to each part.

    ", + "

    Settlor-interested trusts

    ", + "

    These are where the settlor or their spouse or civil partner benefits from the trust. The trust could be:

    ", + "
  • an interest in possession trust
  • ", + "
  • an accumulation trust
  • ", + "
  • a discretionary trust
  • ", + "

    Non-resident trusts

    ", + "

    This is a trust where the trustees are not resident in the UK for tax purposes. The tax rules for non-resident trusts are very complicated.

    ", + "

    Parental trusts for children

    ", + "

    These are trusts set up by parents for children under 18 who have never been married or in a civil partnership. They\u2019re not a type of trust in their own right but will be either:

    ", + "
  • a bare trust
  • ", + "
  • an interest in possession trust
  • ", + "
  • an accumulation trust
  • ", + "
  • a discretionary trust
  • ", + "

    Read the information on types of trust to find out more.

    ", + "

    Income Tax

    ", + "

    Income Tax on income from the trust is paid by the trustees, but the \u2018settlor\u2019 is responsible for it. This means:

    ", + "
  • The trustees pay Income Tax on the trust income by filling out a Trust and Estate Tax Return.
  • ", + "
  • They give the settlor a statement of all the income and the rates of tax charged on it.
  • ", + "
  • The settlor tells HM Revenue and Customs (HMRC) about the tax the trustees have paid on their behalf when filling out their Self Assessment tax return.
  • ", + "

    Trusts for vulnerable people

    ", + "

    Some trusts for disabled people or children get special tax treatment. These are called \u2018trusts for vulnerable beneficiaries\u2019.

    ", + "

    Who qualifies as a vulnerable beneficiary

    ", + "

    A vulnerable beneficiary is either someone under 18 whose parent has died or a disabled person who is eligible for any of the following benefits (even if they do not receive them):

    ", + "
  • Attendance Allowance
  • ", + "
  • Disability Living Allowance (either the care component at the highest or middle rate, or the mobility component at the higher rate)
  • ", + "
  • Personal Independence Payment
  • ", + "
  • an increased disablement pension
  • ", + "
  • Constant Attendance Allowance
  • ", + "
  • Armed Forces Independence Payment
  • ", + "

    A vulnerable beneficiary can also be someone who is unable to manage their own affairs because of a mental health condition - check with a medical professional that it\u2019s covered by the Mental Health Act 1983.

    ", + "

    Trusts that qualify for special tax treatment

    ", + "

    A trust does not qualify for special Income Tax treatment if the person setting it up can benefit from the trust income. However, from 2008 to 2009 it would qualify for special Capital Gains Tax treatment.

    ", + "

    Trusts for children who\u2019ve lost a parent are usually set up by the parent\u2019s will, or by special rules of inheritance if there\u2019s no will.

    ", + "

    If someone dies without a will in Scotland, a trust set up there for their children is usually treated as a bare trust for tax purposes.

    ", + "

    If there\u2019s more than one beneficiary

    ", + "

    If there are beneficiaries who are not vulnerable, the assets and income for the vulnerable beneficiary must be:

    ", + "
  • identified and kept separate
  • ", + "
  • used only for that person
  • ", + "

    Only that part of the trust gets special tax treatment.

    ", + "

    Claiming special tax treatment

    ", + "

    To claim special treatment for Income Tax and Capital Gains Tax, the trustees have to fill in the \u2018Vulnerable Person Election\u2019 form.

    ", + "

    If there\u2019s more than one vulnerable beneficiary, each needs a separate form.

    ", + "

    The trustees and beneficiary must both sign the form.

    ", + "

    If the vulnerable person dies or is no longer vulnerable, the trustees must tell HMRC.

    ", + "

    Income Tax

    ", + "

    In a trust with a vulnerable beneficiary, the trustees are entitled to a deduction of Income Tax. It\u2019s calculated like this:

    ", + "
  • Trustees work out what their trust Income Tax would be if there was no claim for special treatment - this will vary according to which type of trust it is.
  • ", + "
  • They then work out what Income Tax the vulnerable person would have paid if the trust income had been paid directly to them as an individual.
  • ", + "
  • They can then claim the difference between these 2 figures as a deduction from their own Income Tax liability.
  • ", + "

    This is a complicated calculation but there\u2019s a detailed worked example on the HMRC website.

    ", + "

    Capital Gains Tax

    ", + "

    Capital Gains Tax may be due if assets are sold, given away, exchanged or transferred in another way and they\u2019ve gone up in value since being put into trust.

    ", + "

    Tax is only paid by trustees if the assets have increased in value above the \u2018annual exempt amount\u2019, which is an allowance of \u00a312,300 for people who have a mental or physical disability, or \u00a36,150 for other trustees.

    ", + "

    Trustees are responsible for paying any Capital Gains Tax due. If the trust is for vulnerable people, trustees can claim a reduction, which is calculated like this:

    ", + "
  • They work out what they would pay if there was no reduction.
  • ", + "
  • They then work out what the beneficiary would have to pay if the gains had come directly to them.
  • ", + "
  • They can claim the difference between these 2 amounts as a reduction on what they have to pay in Capital Gains Tax using form SA905.
  • ", + "

    This special Capital Gains Tax treatment does not apply in the tax year when the beneficiary dies.

    ", + "

    Inheritance Tax

    ", + "

    These are the situations when trusts for vulnerable people get special Inheritance Tax treatment:

    ", + "
  • for a disabled person whose trust was set up before 8 April 2013 - at least half of the payments from the trust must go to the disabled person during their lifetime
  • ", + "
  • for a disabled person whose trust was set up on or after 8 April 2013 - all payments must go to the disabled person, except for up to \u00a33,000 per year (or 3% of the assets, if that\u2019s lower), which can be used for someone else\u2019s benefit
  • ", + "
  • when someone who has a condition that\u2019s expected to make them disabled sets up a trust for themselves
  • ", + "
  • for a bereaved minor - they must take all the assets and income at (or before becoming) 18
  • ", + "

    There\u2019s no Inheritance Tax charge:

    ", + "
  • if the person who set up the trust survives 7 years from the date they set it up
  • ", + "
  • on transfers made out of a trust to a vulnerable beneficiary
  • ", + "

    When the beneficiary dies, any assets held in the trust on their behalf are treated as part of their estate and Inheritance Tax may be charged.

    ", + "

    Trusts usually have 10-year Inheritance Tax charges, but trusts with vulnerable beneficiaries are exempt.

    ", + "

    Trusts and Income Tax

    ", + "

    Different types of trust income have different rates of Income Tax.

    ", + "

    Each type of trust is taxed differently. Trusts involve a \u2018trustee\u2019, \u2018settlor\u2019 and \u2018beneficiary\u2019.

    ", + "

    Accumulation or discretionary trusts

    ", + "

    Trustees are responsible for paying tax on income received by accumulation or discretionary trusts. The first \u00a31,000 is taxed at the standard rate.

    ", + "

    If the settlor has more than one trust, this \u00a31,000 is divided by the number of trusts they have. However, if the settlor has set up 5 or more trusts, the standard rate band for each trust is \u00a3200.

    ", + "

    The tax rates are below.

    ", + "

    Trust income up to \u00a31,000

    ", + "Type of income | Tax rate", + "Dividend-type income | 7.5%", + "All other income | 20%", + "

    Trust income over \u00a31,000

    ", + "Type of income | Tax rate", + "Dividend-type income | 38.1%", + "All other income | 45%", + "

    Dividends

    ", + "

    Trustees do not qualify for the dividend allowance. This means trustees pay tax on all dividends depending on the tax band they fall within.

    ", + "

    Interest in possession trusts

    ", + "

    The trustees are responsible for paying Income Tax at the rates below.

    ", + "Type of income | Income Tax rate", + "Dividend-type income | 7.5%", + "All other income | 20%", + "

    Sometimes the trustees \u2018mandate\u2019 income to the beneficiary. This means it goes to them directly instead of being passed through the trustees.

    ", + "

    If this happens, the beneficiary needs to include this on their Self Assessment tax return and pay tax on it.

    ", + "

    Bare trusts

    ", + "

    If you\u2019re the beneficiary of a bare trust you\u2019re responsible for paying tax on income from it.

    ", + "

    You need to tell HMRC about the income on a Self Assessment tax return.

    ", + "

    If you do not usually send a tax return, you need to register for self-assessment by 5 October following the tax year you had the income.

    ", + "

    Settlor-interested trusts

    ", + "

    The settlor is responsible for Income Tax on these trusts, even if some of the income is not paid out to them. However, the Income Tax is paid by the trustees as they receive the income.

    ", + "
  • The trustees pay Income Tax on the trust income by filling out a Trust and Estate Tax Return.
  • ", + "
  • They give the settlor a statement of all the income and the rates of tax charged on it.
  • ", + "
  • The settlor tells HMRC about the tax the trustees have paid on their behalf on a Self Assessment tax return.
  • ", + "

    The rate of Income Tax depends on what type of trust the settlor-interested trust is.

    ", + "

    Other types of trust

    ", + "

    There are special tax rules for parental trusts for children, trusts for vulnerable people and trusts where the trustees are not resident in the UK for tax purposes. These are called non-resident trusts.

    ", + "

    If you\u2019re the beneficiary

    ", + "

    Depending on the type of trust and your income, you might be able to claim some of the Income Tax back.

    ", + "

    If you\u2019re the trustee

    ", + "

    Get help completing the Trust and Estate Tax return.

    ", + "

    If you need more help

    ", + "

    There\u2019s more detailed guidance on trusts and Income Tax.

    ", + "

    Contact HMRC or get professional tax advice if you need help.

    ", + "

    Trusts and Capital Gains Tax

    ", + "

    Capital Gains Tax is a tax on the profit (\u2018gain\u2019) when something (an \u2018asset\u2019) that\u2019s increased in value is taken out of or put into a trust.

    ", + "

    When Capital Gains Tax might be payable

    ", + "

    If assets are put into a trust

    ", + "

    Tax is paid by either the person:

    ", + "
  • selling the asset to the trust
  • ", + "
  • transferring the asset (the \u2018settlor\u2019)
  • ", + "

    If assets are taken out of a trust

    ", + "

    The trustees usually have to pay the tax if they sell or transfer assets on behalf of the beneficiary.

    ", + "

    There\u2019s no tax to pay in bare trusts if the assets are transferred to the beneficiary.

    ", + "

    Sometimes an asset might be transferred to someone else but Capital Gains Tax is not payable. This happens when someone dies and an \u2018interest in possession\u2019 ends.

    ", + "

    A beneficiary gets some or all of the assets in a trust

    ", + "

    Sometimes the beneficiary of a trust becomes \u2018absolutely entitled\u2019 and can tell the trustees what to do with the assets, for example when they reach a certain age.

    ", + "

    In this case, the trustees pay Capital Gains Tax based on the assets\u2019 market value when the beneficiary became entitled to them.

    ", + "

    Non-UK resident trusts

    ", + "

    The rules for Capital Gains Tax on non-UK resident trusts are complicated. You can get help with your tax.

    ", + "

    Working out total gains

    ", + "

    Trustees need to work out the total taxable gain to know if they have to pay Capital Gains Tax.

    ", + "

    Allowable costs

    ", + "

    Trustees can deduct costs to reduce gains, including:

    ", + "
  • the cost of the property (including any administration fees)
  • ", + "
  • professional fees, for example for a solicitor or stockbroker
  • ", + "
  • the cost of improving property or land to increase its value, for example building a conservatory (but not repairs or regular maintenance)
  • ", + "

    Tax reliefs

    ", + "

    Trustees might be able to reduce or delay the amount of tax the trust pays if gains are eligible for tax relief.

    ", + "Relief | Description", + "Private Residence Relief | Trustees pay no Capital Gains Tax when they sell a property the trust owns. It must be the main residence for someone allowed to live there under the rules of the trust.", + "Entrepreneurs\u2019 Relief | Trustees pay 10% Capital Gains Tax on qualifying gains if they sell assets used in a beneficiary\u2019s business, which has now ended. They may also get relief when they sell shares in a company where the beneficiary had at least 5% of shares and voting rights.", + "Hold-Over Relief | Trustees pay no tax if they transfer assets to beneficiaries (or other trustees in some cases). The recipient pays tax when they sell or dispose of the assets, unless they also claim relief.", + "

    Tax-free allowance

    ", + "

    Trustees only have to pay Capital Gains Tax if the total taxable gain is above the trust\u2019s tax-free allowance (called the Annual Exempt Amount).

    ", + "

    The tax-free allowance for trusts is:

    ", + "
  • \u00a36,150
  • ", + "
  • \u00a312,300 if the beneficiary is vulnerable - a disabled person or a child whose parent has died
  • ", + "

    If there\u2019s more than one beneficiary, the higher allowance may apply even if only one of them is vulnerable.

    ", + "

    See tax-free allowances for previous years.

    ", + "

    The tax-free allowance may be reduced if the trust\u2019s settlor has set up more than one trust (\u2018settlement\u2019) since 6 June 1978.

    ", + "

    There\u2019s more detailed information about Capital Gains Tax and Self Assessment for trusts.

    ", + "

    Report gains to HMRC

    ", + "

    If you\u2019re the trustee, report any gains as part of your Trust and Estate Tax Return.

    ", + "

    You\u2019ll need to download and fill in form SA905 if you\u2019re sending your tax return by post.

    ", + "

    If you\u2019re the beneficiary, you need to report and pay through a Self Assessment tax return.

    ", + "

    The rules are different for reporting a loss.

    ", + "

    If you need more help

    ", + "

    There\u2019s more detailed guidance on Capital Gains Tax.

    ", + "

    Contact HMRC or get professional tax advice if you need help.

    ", + "

    Trusts and Inheritance Tax

    ", + "

    Inheritance Tax may have to be paid on a person\u2019s estate (their money and possessions) when they die.

    ", + "

    Inheritance Tax is due at 40% on anything above the threshold - but there\u2019s a reduced rate of 36% if the person\u2019s will leaves more than 10% of their estate to charity.

    ", + "

    Inheritance Tax can also apply when you\u2019re alive if you transfer some of your estate into a trust.

    ", + "

    When Inheritance Tax is due

    ", + "

    The main situations when Inheritance Tax is due are:

    ", + "
  • when assets are transferred into a trust
  • ", + "
  • when a trust reaches a 10-year anniversary of when it was set up (there are 10-yearly Inheritance Tax charges)
  • ", + "
  • when assets are transferred out of a trust (known as \u2018exit charges\u2019) or the trust ends
  • ", + "
  • when someone dies and a trust is involved when sorting out their estate
  • ", + "

    What you pay Inheritance Tax on

    ", + "

    You pay Inheritance Tax on \u2018relevant property\u2019 - assets like money, shares, houses or land. This includes the assets in most trusts.

    ", + "

    There are some occasions where you may not have to pay Inheritance Tax - for example where the trust contains excluded property.

    ", + "

    Special rules

    ", + "

    Some types of trust are treated differently for Inheritance Tax purposes.

    ", + "

    Bare trusts

    ", + "

    These are where the assets in a trust are held in the name of a trustee but go directly to the beneficiary, who has a right to both the assets and income of the trust.

    ", + "

    Transfers into a bare trust may also be exempt from Inheritance Tax, as long as the person making the transfer survives for 7 years after making the transfer.

    ", + "

    Interest in possession trusts

    ", + "

    These are trusts where the beneficiary is entitled to trust income as it\u2019s produced - this is called their \u2018interest in possession\u2019.

    ", + "

    On assets transferred into this type of trust before 22 March 2006, there\u2019s no Inheritance Tax to pay.

    ", + "

    On assets transferred on or after 22 March 2006, the 10-yearly Inheritance Tax charge may be due.

    ", + "

    During the life of the trust there\u2019s no Inheritance Tax to pay as long as the asset stays in the trust and remains the \u2018interest\u2019 of the beneficiary.

    ", + "

    Between 22 March 2006 and 5 October 2008:

    ", + "
  • beneficiaries of an interest in possession trust could pass on their interest in possession to other beneficiaries, like their children
  • ", + "
  • this was called making a \u2018transitional serial interest\u2019
  • ", + "
  • there\u2019s no Inheritance Tax to pay in this situation
  • ", + "

    From 5 October 2008:

    ", + "
  • beneficiaries of an interest in possession trust cannot pass their interest on as a transitional serial interest
  • ", + "
  • if an interest is transferred after this date there may be a charge of 20% and a 10-yearly Inheritance Tax charge will be payable unless it\u2019s a disabled trust
  • ", + "

    If you inherit an interest in possession trust from someone who has died, there\u2019s no Inheritance Tax at the 10-year anniversary. Instead, 40% tax will be due when you die.

    ", + "

    If the trust is set up by a will

    ", + "

    Someone might ask that some or all of their assets are put into a trust. This is called a \u2018will trust\u2019.

    ", + "

    The personal representative of the deceased person has to make sure that the trust is properly set up with all taxes paid, and the trustees make sure that Inheritance Tax is paid on any future charges.

    ", + "

    If the deceased transferred assets into a trust before they died

    ", + "

    If you\u2019re valuing the estate of someone who has died, you\u2019ll need to find out whether they made any transfers in the 7 years before they died. If they did, and they paid 20% Inheritance Tax, you\u2019ll need to pay an extra 20% from the estate.

    ", + "

    Even if no Inheritance Tax was due on the transfer, you still have to add its value to the person\u2019s estate when you\u2019re valuing it for Inheritance Tax purposes.

    ", + "

    Trusts for bereaved minors

    ", + "

    A bereaved minor is a person under 18 who has lost at least one parent or step-parent. Where a trust is set up for a bereaved minor, there are no Inheritance Tax charges if:

    ", + "
  • the assets in the trust are set aside just for bereaved minor
  • ", + "
  • they become fully entitled to the assets by the age of 18
  • ", + "

    A trust for a bereaved young person can also be set up as an 18 to 25 trust - the 10-yearly charges do not apply. However, the main differences are:

    ", + "
  • the beneficiary must become fully entitled to the assets in the trust by the age of 25
  • ", + "
  • when the beneficiary is aged between 18 and 25, Inheritance Tax exit charges may apply
  • ", + "

    Trusts for disabled beneficiaries

    ", + "

    There\u2019s no 10-yearly charge or exit charge on this type of trust as long as the asset stays in the trust and remains the \u2018interest\u2019 of the beneficiary.

    ", + "

    You also do not have to pay Inheritance Tax on the transfer of assets into a trust for a disabled person as long as the person making the transfer survives for 7 years after making the transfer.

    ", + "

    Paying Inheritance Tax

    ", + "

    You pay Inheritance Tax using form IHT100.

    ", + "

    If you\u2019re valuing the estate of someone who\u2019s died, you may have to value other assets apart from trusts to see if Inheritance Tax is due.

    ", + "

    More help and information

    ", + "

    There\u2019s more detailed guidance on trusts and Inheritance Tax.

    ", + "

    Contact HMRC or get professional tax advice if you need help.

    ", + "

    Beneficiaries - paying and reclaiming tax on trusts

    ", + "

    If you\u2019re a trust beneficiary there are different rules depending on the type of trust. You might have to pay tax through Self Assessment or you might be entitled to a tax refund.

    ", + "

    If you do not usually send a tax return and need to, you must register for Self Assessment by 5 October following the tax year you had the income.

    ", + "

    Read the information on the different types of trust to understand the main differences between them. If you\u2019re not sure what type of trust you have, ask the trustees.

    ", + "

    If you\u2019re the beneficiary of a bare trust you are responsible for declaring and paying tax on its income. Do this on a Self Assessment tax return.

    ", + "

    If you do not usually send a tax return and need to, you must register for Self Assessment by 5 October following the tax year you had the income.

    ", + "

    Interest in possession trusts

    ", + "

    If you\u2019re the beneficiary of this type of trust, you\u2019re entitled to its income (after expenses) as it arises.

    ", + "

    If you ask for a statement, the trustees must tell you:

    ", + "
  • the different sources of income
  • ", + "
  • how much income you\u2019ve been given
  • ", + "
  • how much tax has been paid on the income
  • ", + "

    You\u2019ll usually get income sent through the trustees, but they might pass it to you directly without paying tax first. If this happens you need to include it on your Self Assessment tax return.

    ", + "

    If you do not usually send a tax return you must register for Self Assessment by 5 October the year after you were given the income.

    ", + "

    If you\u2019re a basic rate taxpayer

    ", + "

    You will not owe any extra tax. You\u2019ll still need to complete a Self Assessment tax return to show the income you receive from an interest in possession trust but you will get a credit for the tax paid by the trustees. This means the income is not taxed twice.

    ", + "

    If you\u2019re a higher rate taxpayer

    ", + "

    You\u2019ll have to pay extra tax on the difference between what tax the trustees have paid and what you, as a higher rate taxpayer, are liable for. This will be calculated when you do your Self Assessment.

    ", + "

    How to reclaim tax

    ", + "

    You can reclaim tax paid on:

    ", + "
  • dividends (if you\u2019re entitled to dividend allowance)
  • ", + "
  • savings interest (if you\u2019re entitled to personal savings allowance)
  • ", + "
  • trade and property income (if you\u2019re entitled to trading allowance or property allowance)
  • ", + "

    The allowance amount will be reduced if it\u2019s already been used against some income. The allowance you have left is called the \u2018available allowance\u2019.

    ", + "

    If the amount of income you receive is less than or equal to the available allowance, you can reclaim all of the tax paid.

    ", + "

    If the amount of income you receive is more than the available allowance, you can only claim the tax paid on the available allowance.

    ", + "

    If you\u2019re a Self Assessment taxpayer the repayment will be calculated as part of your return.

    ", + "

    If you\u2019re not a Self Assessment taxpayer you can reclaim the tax using form R40.

    ", + "

    You need to make a separate claim for each tax year.

    ", + "

    Accumulation or discretionary trusts

    ", + "

    With these trusts all income received by beneficiaries is treated as though it has already been taxed at 45%. If you\u2019re an additional rate taxpayer there will be no more tax to pay.

    ", + "

    You may be able to claim tax back on trust income you\u2019ve received if any of the following apply:

    ", + "
  • you\u2019re a non-taxpayer
  • ", + "
  • you pay tax at the basic rate of 20%
  • ", + "
  • you pay tax at the higher rate of 40%
  • ", + "

    You can reclaim the tax paid using form R40. If you complete a tax return, you can claim through Self Assessment.

    ", + "

    Settlor-interested discretionary trusts

    ", + "

    If a settlor-interested trust is a discretionary trust, payments made to the settlor\u2019s spouse or civil partner are treated as though they\u2019ve already been taxed at 45%. There\u2019s no more tax to pay. However, unlike payments made from other types of trusts, the tax credit cannot be claimed back.

    ", + "

    Non-resident trusts

    ", + "

    This is a trust where the trustees are not resident in the UK for tax purposes. The tax rules for this type of trust are very complicated - there\u2019s detailed guidance on non-resident trusts.

    ", + "

    If a pension scheme pays into a trust

    ", + "

    When a pension scheme pays a taxable lump sum into a trust after the pension holder dies, the payment is taxed at 45%.

    ", + "

    If you\u2019re a beneficiary and receive a payment funded by this lump sum, you\u2019ll also be taxed.

    ", + "

    You can claim back tax paid on the original lump sum - do this on your Self Assessment tax return if you complete one, or using form R40.

    ", + "

    The trust will tell you the amount you need to report - this will normally be more than the amount you actually receive.

    ", + "

    Trustees - tax responsibilities

    ", + "

    As the trustee, you\u2019re responsible for reporting and paying tax on behalf of the trust.

    ", + "

    If there are 2 or more trustees, nominate one as the \u2018principal acting trustee\u2019 to manage its tax. The other trustees are still accountable, and can be charged tax and interest if the trust does not pay.

    ", + "

    Registering a trust

    ", + "

    Once a trust becomes liable for tax, you must register the trust with HM Revenue and Customs.

    ", + "

    Sending tax returns

    ", + "

    You must report the trust\u2019s income and gains in a trust and estate Self Assessment tax return after the end of each tax year. You can either:

    ", + "
  • buy software to send it electronically by 31 January
  • ", + "
  • fill in paper form SA900 and post it to HMRC by 31 October (3 months earlier)
  • ", + "

    You can also get help, for example from HMRC or by getting an accountant to do your return for you.

    ", + "

    After you\u2019ve sent your return, HMRC will tell you how much you owe. You\u2019ll need to pay your Self Assessment bill by the deadline.

    ", + "

    You\u2019ll need to collect and keep records (for example bank statements) to complete your tax return.

    ", + "

    Telling beneficiaries about tax and income

    ", + "

    You must give the beneficiary a statement with the amount of income and tax paid by the trust, if they ask. You can use form R185 (trust) to do this. There\u2019s a different form if you need to provide a statement to a settlor who retains an interest.

    ", + "

    If there\u2019s more than one beneficiary, you must give each of them this information relative to the amount they receive.

    ", + "

    Death benefit payments from a pension scheme

    ", + "

    You must give the beneficiary extra information if both the following apply:

    ", + "
  • you make a payment funded by a taxable lump sum from a pension scheme
  • ", + "
  • the pension holder has died
  • ", + "

    Use form R185 (LSDB) if you\u2019re a trustee. There\u2019s a different form if you\u2019re a pension administrator.

    ", + "

    You must tell the beneficiary within 30 days.

    ", + "

    Other responsibilities

    ", + "

    You may have to report other things to HMRC. You need to:

    ", + "
  • use the online service to tell HMRC if there are any changes to the trust
  • ", + "
  • fill in form IHT100 when the trust needs to pay Inheritance Tax
  • ", + "

    Your other responsibilities as a trustee depend on the type of trust and any instructions from the person who set up the trust in the trust deed.

    ", + "

    When you must register a trust

    ", + "

    You must register your trust with HM Revenue and Customs (HMRC) if it becomes liable for any of the following:

    ", + "
  • Capital Gains Tax
  • ", + "
  • Income Tax
  • ", + "
  • Inheritance Tax
  • ", + "
  • Stamp Duty Land Tax or Land and Buildings Transaction Tax in Scotland
  • ", + "
  • Stamp Duty Reserve Tax
  • ", + "

    You must also register a trust to claim tax relief.

    ", + "

    Non-resident trusts

    ", + "

    You must register a non-resident trust if it becomes liable for:

    ", + "
  • tax on UK income
  • ", + "
  • tax on UK assets
  • ", + "

    You can get professional advice from a solicitor or tax advisor about registering a trust.

    ", + "

    When you do not need to register your trust

    ", + "

    You do not need to register your trust if:

    ", + "
  • it has to pay Income Tax of less than \u00a3100 on interest
  • ", + "
  • only the settlor or beneficiary of the trust has to pay tax
  • ", + "
  • it\u2019s a bare trust
  • ", + "
  • it\u2019s a charitable trust
  • ", + "
  • it\u2019s a resulting trust and the assets go back to the settlor because all the beneficiaries have died
  • ", + "
  • it\u2019s a statutory trust created through legislation
  • ", + "
  • it\u2019s a constructive trust imposed by a court
  • ", + "
  • it holds a pension scheme already registered with HMRC
  • ", + "

    You also do not need to register your trust if you have to file information:

    ", + "
  • under the Foreign Account Tax Compliance Act (FATCA)
  • ", + "
  • for Common Reporting Standard (CRS) purposes
  • ", + "

    Deadlines for registering

    ", + "

    The deadline depends on the tax your trust is liable for.

    ", + "

    Trusts liable for Income Tax or Capital Gains Tax

    ", + "

    If it\u2019s the first time your trust is liable for either tax, the deadline is 5 October in the tax year after it first becomes liable for these taxes.

    ", + "

    For example, if your trust first becomes liable for Income Tax during the 2020 to 2021 tax year, you must register by 5 October 2021.

    ", + "

    If your trust has been liable for either tax before, the deadline is 31 January in the tax year after it\u2019s again liable for these taxes.

    ", + "

    For example, if your trust is liable for Income Tax during the 2020 to 2021 tax year and it has been liable for Income Tax before, you must register by 31 January 2022.

    ", + "

    Trusts liable for other taxes

    ", + "

    You must register by 31 January in the tax year after the one in which the trust is liable for any of the following:

    ", + "
  • Inheritance Tax
  • ", + "
  • Stamp Duty Land Tax or Land and Buildings Transaction Tax in Scotland
  • ", + "
  • Stamp Duty Reserve Tax
  • ", + "

    You must register by the earlier deadline if your trust is liable for more than one tax and both deadlines apply.

    ", + "

    How to register

    ", + "

    How you register a trust depends on whether you\u2019re:

    ", + "
  • a trustee
  • ", + "
  • an agent registering a trust for a client
  • ", + "

    There\u2019s a different process if you need to register an estate of someone who\u2019s died.

    " + ] + }, + "https://www.gov.uk/apply-to-bankrupt-someone": { + "url": "https://www.gov.uk/apply-to-bankrupt-someone", + "title": "Apply to bankrupt someone who owes you money", + "content": "## Overview\n\nYou have to present a bankruptcy petition to a court if you want to bankrupt someone because they owe you money.\n\nThere are also other ways to recover money you\u2019re owed.\n\nA bankruptcy petition is an application to the court for someone\u2019s assets to be taken and sold to pay their debts.\n\nPresenting a petition can be complicated. Most people use a solicitor or other professional to help them.\n\nUsing a mediation service could be quicker and cheaper. Mediation is when an impartial person helps 2 sides work out an agreement.\n\nYou can contact the Insolvency Service if you have questions about making someone bankrupt.\n\n## How to present a petition\n\n- Prove you\u2019re owed at least \u00a35,000 or a share of debts totalling at least \u00a35,000.\n\n- Check for other bankruptcy petitions against the person who owes you money (the \u2018debtor\u2019).\n\n- Fill in the forms and deliver them to the court.\n\n## Fees\n\nThe court fees to make someone bankrupt are:\n\n- \u00a3990 petition deposit (for managing the bankruptcy)\n\n- \u00a3280 for court costs\n\nPay the fees using cash, postal order or a cheque made payable to \u2018HM Courts and Tribunals Service\u2019. You can pay by credit or debit card if you apply online.\n\n## Prove you're owed \u00a35,000 or more\n\nTo make someone bankrupt you must be owed one of the following:\n\n- at least \u00a35,000\n\n- a share of debts that total at least \u00a35,000\n\nYou must provide evidence to the court that you\u2019re owed this money. There are 2 ways to do this.\n\nIf you\u2019ve issued a statutory demand (a request for payment) to the debtor, confirm that you did this by filling in a certificate of service (form N215).\n\nAlternatively, get a sheriff\u2019s or bailiff\u2019s statement showing:\n\n- you got a court judgment for the money\n\n- the sheriff or bailiff could not recover enough assets to pay the debt\n\n## Check for other bankruptcy petitions\n\nYou must check if the debtor has had any bankruptcy petitions against them in the past 18 months. These checks are called \u2018searches\u2019.\n\nMost petitions are presented in the area where the debtor lives. Government departments, including HM Revenue and Customs (HMRC), present all petitions in London.\n\n## Check for petitions presented in London\n\nCarry out checks using the public computers at either:\n\n- the Rolls Building of the Royal Courts of Justice\n\n- the Central London County Court\n\nIt costs \u00a311 to use the computers for 15 minutes. You can pay by debit or credit card or with cash.\n\n## Check for petitions presented in a county court outside London\n\nContact the county court for the area where the debtor lives.\n\nThey\u2019ll advise you how to check for petitions.\n\n## When you\u2019ve made your checks\n\nYou must confirm you\u2019ve carried out the searches by writing a declaration - use the wording below and fill in the petition number and the name of the court if applicable.\n\nSign and date the declaration and attach it to your petition form.\n\n## If there\u2019s already a petition or bankruptcy order\n\nIt\u2019s cheaper to support an existing petition than to present your own. Notify the petitioner using the contact details on the petition.\n\nIf there\u2019s already a bankruptcy order, you cannot continue with your petition. Register as a creditor instead.\n\n## Apply\n\nThe bankruptcy petition form you fill in depends on whether:\n\n- the debtor has not responded to a statutory demand\n\n- the sheriff or bailiff could not recover enough assets to pay the debt\n\nYou\u2019ll also need to provide the following as part of the petition:\n\n- a statement of truth confirming the details of your petition\n\n- a declaration that you\u2019ve carried out searches\n\n- evidence you\u2019re owed money\n\n## Presenting the petition\n\nHow you present the petition will depend on the debtor\u2019s circumstances.\n\nSubmit the petition online if the debtor either:\n\n- lives in London and owes you \u00a350,000 or more\n\n- has \u2018no fixed abode\u2019 (no fixed or regular address)\n\nIt\u2019ll go to the High Court.\n\nOtherwise, give the petition in person to the county court nearest to where the debtor lives or works.\n\n## If the debtor owns a business\n\nChoose the court nearest to the debtor\u2019s business address unless this changed in the last 6 months and they\u2019ve been at their home address longer.\n\n## After you apply\n\nYou\u2019ll need to give (\u2018serve\u2019) a copy of the petition to the debtor in person.\n\nIf the debtor has an individual voluntary arrangement (IVA) you\u2019ll also need to give a copy to the supervisor.\n\nSend the court a certificate of service (form N215) to confirm you\u2019ve done this.\n\nIf your case is with the High Court you can only submit the certificate of service online. If it\u2019s with another court you can send it there by post.\n\n## If you cannot serve the petition to the debtor in person\n\nYou can ask the court for permission to serve it in another way, for example by post.\n\nYou\u2019ll have to provide a certificate of service confirming you\u2019ve used a \u2018substituted service\u2019.\n\n## Court hearing\n\nThe court will tell you where and when the petition will be heard. This will be at least 14 days after you served the petition to the debtor.\n\nThe debtor can oppose the petition by giving the court a statement of truth at least 5 days before the hearing.\n\nYou must list the people that you want to appear and speak at the hearing.\n\nThe debtor and a supervisor of an IVA can also appear and speak at the hearing.\n\nAt the end of the hearing the court can:\n\n- stay (delay or stop) the petition\n\n- dismiss the petition\n\n- adjourn (postpone) the hearing\n\n- make a bankruptcy order\n\nIf the court dismisses your petition, you\u2019ll get your petition deposit back.\n\nRead more about what happens after a bankruptcy order is made.\n\n## After the hearing\n\nAn Official Receiver at the Insolvency Service will deal with the early stages of a bankruptcy. They will contact you within 12 weeks of the bankruptcy order being made.\n\n## Appeals\n\nYou can appeal to the court if your petition is rejected.\n\nCheck with the court where you made your petition for how to appeal.", + "original_contents": [ + "

    Overview

    ", + "

    You have to present a bankruptcy petition to a court if you want to bankrupt someone because they owe you money.

    ", + "

    There are also other ways to recover money you\u2019re owed.

    ", + "

    A bankruptcy petition is an application to the court for someone\u2019s assets to be taken and sold to pay their debts.

    ", + "

    Presenting a petition can be complicated. Most people use a solicitor or other professional to help them.

    ", + "

    Using a mediation service could be quicker and cheaper. Mediation is when an impartial person helps 2 sides work out an agreement.

    ", + "

    You can contact the Insolvency Service if you have questions about making someone bankrupt.

    ", + "

    How to present a petition

    ", + "
  • Prove you\u2019re owed at least \u00a35,000 or a share of debts totalling at least \u00a35,000.
  • ", + "
  • Check for other bankruptcy petitions against the person who owes you money (the \u2018debtor\u2019).
  • ", + "
  • Fill in the forms and deliver them to the court.
  • ", + "

    Fees

    ", + "

    The court fees to make someone bankrupt are:

    ", + "
  • \u00a3990 petition deposit (for managing the bankruptcy)
  • ", + "
  • \u00a3280 for court costs
  • ", + "

    Pay the fees using cash, postal order or a cheque made payable to \u2018HM Courts and Tribunals Service\u2019. You can pay by credit or debit card if you apply online.

    ", + "

    Prove you're owed \u00a35,000 or more

    ", + "

    To make someone bankrupt you must be owed one of the following:

    ", + "
  • at least \u00a35,000
  • ", + "
  • a share of debts that total at least \u00a35,000
  • ", + "

    You must provide evidence to the court that you\u2019re owed this money. There are 2 ways to do this.

    ", + "

    If you\u2019ve issued a statutory demand (a request for payment) to the debtor, confirm that you did this by filling in a certificate of service (form N215).

    ", + "

    Alternatively, get a sheriff\u2019s or bailiff\u2019s statement showing:

    ", + "
  • you got a court judgment for the money
  • ", + "
  • the sheriff or bailiff could not recover enough assets to pay the debt
  • ", + "

    Check for other bankruptcy petitions

    ", + "

    You must check if the debtor has had any bankruptcy petitions against them in the past 18 months. These checks are called \u2018searches\u2019.

    ", + "

    Most petitions are presented in the area where the debtor lives. Government departments, including HM Revenue and Customs (HMRC), present all petitions in London.

    ", + "

    Check for petitions presented in London

    ", + "

    Carry out checks using the public computers at either:

    ", + "
  • the Rolls Building of the Royal Courts of Justice
  • ", + "
  • the Central London County Court
  • ", + "

    It costs \u00a311 to use the computers for 15 minutes. You can pay by debit or credit card or with cash.

    ", + "

    Check for petitions presented in a county court outside London

    ", + "

    Contact the county court for the area where the debtor lives.

    ", + "

    They\u2019ll advise you how to check for petitions.

    ", + "

    When you\u2019ve made your checks

    ", + "

    You must confirm you\u2019ve carried out the searches by writing a declaration - use the wording below and fill in the petition number and the name of the court if applicable.

    ", + "

    Sign and date the declaration and attach it to your petition form.

    ", + "

    If there\u2019s already a petition or bankruptcy order

    ", + "

    It\u2019s cheaper to support an existing petition than to present your own. Notify the petitioner using the contact details on the petition.

    ", + "

    If there\u2019s already a bankruptcy order, you cannot continue with your petition. Register as a creditor instead.

    ", + "

    Apply

    ", + "

    The bankruptcy petition form you fill in depends on whether:

    ", + "
  • the debtor has not responded to a statutory demand
  • ", + "
  • the sheriff or bailiff could not recover enough assets to pay the debt
  • ", + "

    You\u2019ll also need to provide the following as part of the petition:

    ", + "
  • a statement of truth confirming the details of your petition
  • ", + "
  • a declaration that you\u2019ve carried out searches
  • ", + "
  • evidence you\u2019re owed money
  • ", + "

    Presenting the petition

    ", + "

    How you present the petition will depend on the debtor\u2019s circumstances.

    ", + "

    Submit the petition online if the debtor either:

    ", + "
  • lives in London and owes you \u00a350,000 or more
  • ", + "
  • has \u2018no fixed abode\u2019 (no fixed or regular address)
  • ", + "

    It\u2019ll go to the High Court.

    ", + "

    Otherwise, give the petition in person to the county court nearest to where the debtor lives or works.

    ", + "

    If the debtor owns a business

    ", + "

    Choose the court nearest to the debtor\u2019s business address unless this changed in the last 6 months and they\u2019ve been at their home address longer.

    ", + "

    After you apply

    ", + "

    You\u2019ll need to give (\u2018serve\u2019) a copy of the petition to the debtor in person.

    ", + "

    If the debtor has an individual voluntary arrangement (IVA) you\u2019ll also need to give a copy to the supervisor.

    ", + "

    Send the court a certificate of service (form N215) to confirm you\u2019ve done this.

    ", + "

    If your case is with the High Court you can only submit the certificate of service online. If it\u2019s with another court you can send it there by post.

    ", + "

    If you cannot serve the petition to the debtor in person

    ", + "

    You can ask the court for permission to serve it in another way, for example by post.

    ", + "

    You\u2019ll have to provide a certificate of service confirming you\u2019ve used a \u2018substituted service\u2019.

    ", + "

    Court hearing

    ", + "

    The court will tell you where and when the petition will be heard. This will be at least 14 days after you served the petition to the debtor.

    ", + "

    The debtor can oppose the petition by giving the court a statement of truth at least 5 days before the hearing.

    ", + "

    You must list the people that you want to appear and speak at the hearing.

    ", + "

    The debtor and a supervisor of an IVA can also appear and speak at the hearing.

    ", + "

    At the end of the hearing the court can:

    ", + "
  • stay (delay or stop) the petition
  • ", + "
  • dismiss the petition
  • ", + "
  • adjourn (postpone) the hearing
  • ", + "
  • make a bankruptcy order
  • ", + "

    If the court dismisses your petition, you\u2019ll get your petition deposit back.

    ", + "

    Read more about what happens after a bankruptcy order is made.

    ", + "

    After the hearing

    ", + "

    An Official Receiver at the Insolvency Service will deal with the early stages of a bankruptcy. They will contact you within 12 weeks of the bankruptcy order being made.

    ", + "

    Appeals

    ", + "

    You can appeal to the court if your petition is rejected.

    ", + "

    Check with the court where you made your petition for how to appeal.

    " + ] + }, + "https://www.gov.uk/bankruptcy": { + "url": "https://www.gov.uk/bankruptcy", + "title": "Applying to become bankrupt", + "content": "## Overview\n\nYou can apply to make yourself bankrupt if you cannot pay your debts.\n\nCheck if there are other ways you can deal with your debts before you apply for bankruptcy.\n\nYour application will be looked at by someone who works for the Insolvency Service called an \u2018adjudicator\u2019. They\u2019ll decide if you should be made bankrupt.\n\nThe process is different if someone else is applying to make you bankrupt.\n\n## How to apply\n\nYou can only apply for bankruptcy online. It costs \u00a3680.\n\n## What happens when you go bankrupt\n\nIf the adjudicator makes you bankrupt:\n\n- you\u2019ll receive a copy of the bankruptcy order and may be interviewed about your situation\n\n- your assets can be used to pay your debts\n\n- you\u2019ll have to follow the bankruptcy restrictions\n\n- your name and details will be published in the Individual Insolvency Register\n\nYou can apply to have your address removed from the Individual Insolvency Register if publishing it will put you at risk of violence. This will not affect your bankruptcy.\n\nAfter 12 months you\u2019re usually released (\u2018discharged\u2019) from your bankruptcy restrictions and debts. Assets that were part of your estate during the bankruptcy period can still be used to pay your debts.\n\nYou might be able to cancel (\u2018annul\u2019) your bankruptcy before you\u2019re discharged.\n\nBankruptcy only applies to individuals. Find out what your options are if your limited company cannot pay its creditors.\n\n## Get help and information\n\nRead the following:\n\n- the Citizens Advice bankruptcy advice guide\n\n- the Money Advice Service\u2019s guide on options for writing off your debt\n\nYou can also contact the National Debtline for bankruptcy advice.\n\nYou can get free advice from a debt adviser to help you decide how to deal with your debts.\n\n## If you do not live in England or Wales\n\nThe process to become bankrupt is different if you live in Scotland or Northern Ireland. You cannot apply to become bankrupt in England or Wales.\n\nYou might be able to apply if you live anywhere else - talk to a debt adviser.\n\nYou must not break the bankruptcy restrictions in England or Wales. These might also apply outside England and Wales - check the laws of the country you live in.\n\n## Get a person at risk of violence (PARV) order\n\nWhen you\u2019re made bankrupt, your name and address will be published in:\n\n- the Individual Insolvency Register\n\n- the London Gazette\n\nIf having your address published will put you at risk of violence, you can apply to the court for a person at risk of violence (PARV) order.\n\nYour name will still be published, but your address will not be.\n\nYou can only apply for a PARV if you\u2019ve already started a bankruptcy application.\n\n## How to apply\n\nDownload and fill in the application form.\n\nTake your completed form to your nearest court that deals with bankruptcy. They\u2019ll tell you if you need to pay a fee to apply.\n\nYou\u2019ll have to go to a hearing to present your application to a judge - the court will tell you when and where this will take place. You\u2019ll usually get a decision on the same day.\n\nSubmit your bankruptcy application once you have your PARV order.\n\n## After you apply\n\nYou\u2019ll usually get an email or letter from the adjudicator within 28 days of submitting your application to say if you\u2019ve been made bankrupt.\n\nThis can take longer if the adjudicator needs to ask more questions about your application.\n\nThey\u2019ll then issue a bankruptcy order.\n\n## After you get your bankruptcy order\n\nYou\u2019ll get a letter from the official receiver within 2 weeks of getting your bankruptcy order. The official receiver is an officer of the court who manages your bankruptcy.\n\nYou\u2019ll also get an information pack that explains what you need to know and what you must do.\n\nYou might be asked to:\n\n- fill in a questionnaire\n\n- attend an interview with the official receiver\n\n- give the official receiver more information about your debts, creditors, assets and income\n\n## If you\u2019re asked to attend an interview\n\nThe interview can be in person or over the phone. The official receiver will:\n\n- check the information they have about your debts and assets\n\n- ask for more details, for example about your pension or savings\n\n- ask how and why you became bankrupt\n\n- answer any questions you have about the bankruptcy process\n\nYour release (\u2018discharge\u2019) from bankruptcy may be delayed if you do not provide the information you\u2019re asked for.\n\n## Restrictions\n\nYou have to follow bankruptcy restrictions when you\u2019re bankrupt. This means you cannot:\n\n- borrow more than \u00a3500 without telling the lender you\u2019re bankrupt\n\n- act as a director of a company without the court\u2019s permission\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business with a different name without telling people you do business with that you\u2019re bankrupt\n\n- work as an insolvency practitioner (an authorised debt specialist)\n\nIt\u2019s a criminal offence to break the restrictions - you might be prosecuted if you do.\n\nYou must co-operate with the people managing your bankruptcy, for example by providing them with the information they ask for.\n\n## How long the restrictions last\n\nRestrictions last until your bankruptcy ends. This will happen sooner if you cancel your bankruptcy.\n\n## When the restrictions can be extended\n\nBankruptcy restrictions can be extended if you do not carry out your duties under the bankruptcy proceedings or if you\u2019re found to have acted carelessly or dishonestly.\n\nThe official receiver will tell you if the restrictions will be extended.\n\nYou\u2019ll be asked to agree to a Bankruptcy Restrictions Undertaking to extend the restrictions. If you do not agree, they\u2019ll ask the court to issue a Bankruptcy Restrictions Order.\n\n## Your assets\n\nYour assets might be sold to pay your bankruptcy debts. You have to hand over your assets to the person appointed to manage your bankruptcy (your \u2018trustee\u2019). They can be:\n\n- an official receiver - an officer of the court\n\n- an insolvency practitioner - an authorised debt specialist\n\nThe official receiver will usually act as your trustee to begin with.\n\n## Assets you can keep\n\nYou can usually keep:\n\n- items needed for your job, such as tools or a vehicle\n\n- household items, such as clothing, bedding or furniture\n\nYou might have to give these items up if they\u2019re worth more than a reasonable replacement.\n\n## Your bank accounts\n\nYou must give the official receiver your bank cards, cheque books and credit cards for any accounts you\u2019re no longer allowed to use. This includes any account that was overdrawn on the date you were made bankrupt.\n\nYour accounts will be frozen but your trustee may release:\n\n- any money you need urgently, for example to buy food\n\n- your partner\u2019s share of any money in a joint account\n\nYour bank will decide whether to allow you to continue using your accounts.\n\n## Your pension\n\nYou usually keep any money you\u2019ve put into a pension.\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nSpeak to your trustee or read the guidance to find out how bankruptcy will affect your pension.\n\nYou can get free advice on managing your money and how bankruptcy affects your credit rating from Citizens Advice or National Debtline.\n\n## Your home\n\nYour home might be sold depending on your equity - your share after any secured debts (like a mortgage) have been paid.\n\nYou might have to give up:\n\n- your equity\n\n- legal ownership of the property if your equity is \u00a31,000 or more\n\nIf your trustee has not put your home up for sale within 3 years it will be transferred back to you.\n\n## Sole owners\n\nThe equity and legal ownership are transferred to your trustee. This means you cannot sell the property or claim any money from a sale.\n\nA bankruptcy restriction or notice is added to your property\u2019s entry in the land register to say this.\n\nIt can only be removed if it\u2019s been added to your property by mistake. Send HM Land Registry a signed statement saying you are not bankrupt and an application to change the register for a property.\n\n## Joint owners\n\nThe equity is transferred to your trustee.\n\nA \u2018Form J restriction\u2019 is added to your property\u2019s entry in the land register. This means your trustee will be told of any dealings connected with your home, for example if you try to sell it.\n\nIt can be removed if you can prove you (as the bankrupt) do not have a share in the property, for example if your partner owns the property. The owner has to send HM Land Registry a signed statement saying they are not the bankrupt person and an application for the cancellation of a Form J restriction.\n\n## Stop the sale of your home\n\nYou might be able to stop or delay the sale of your home if, for example:\n\n- the value of your equity is less than \u00a31,000\n\n- the equity or legal title can be sold to someone else, such as a partner\n\n- you need to organise somewhere for children or a partner to live - the sale can be delayed for up to 1 year\n\nYou may want to get legal advice to find out if you can stop or delay the sale of your home.\n\nCheck if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\n## Rented property\n\nYour landlord may be told that you\u2019re bankrupt and your rental situation may be affected.\n\n## Your income\n\nYour trustee will tell you if you have to make monthly payments from your spare income - you\u2019ll only have to do this if you can afford it.\n\nThe arrangement can last for up to 3 years and is called an Income Payments Agreement (IPA).\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nIf you do not agree to the IPA your trustee can ask the court to order you to make monthly payments. This is called an Income Payments Order (IPO).\n\nYour official receiver will set up your IPA or IPO and charge a fee. The fee can be up to \u00a3150 and is taken out of your first payment.\n\n## How much you pay\n\nThe monthly amount you pay depends on how much you can afford after essential expenses like food and bills are paid.\n\n## Cancel a bankruptcy\n\nYou can apply to cancel (\u2018annul\u2019) your bankruptcy if:\n\n- the bankruptcy order should not have been made\n\n- all your debts and bankruptcy fees have been paid or secured (guaranteed) by a third party\n\n- you\u2018ve made an Individual Voluntary Arrangement with your creditors to pay all or part of your debts\n\nIf your circumstances change and you can pay off all your debts, then you must pay it through your official receiver or a solicitor.\n\nThis means you will not have to follow the bankruptcy restrictions.\n\n## How to apply\n\nDownload and fill in the application form.\n\nSend or take your completed form to your nearest court that deals with bankruptcy.\n\nYou must tell the court if you want details of your bankruptcy removed from the Land Charges register.\n\nYou\u2019ll be given a date for a court hearing of your application, which you must attend.\n\nYou\u2019ll still need to attend your interview with the official receiver if you\u2019ve been asked to.\n\nIf the court agrees with your application, they\u2019ll make an annulment order which cancels your bankruptcy.\n\n## Advertise your cancellation order\n\nYou can ask the official receiver to advertise your annulment order within 28 days of getting it. You cannot do this if your bankruptcy order has not been advertised yet.\n\nYour annulment order will be advertised wherever your bankruptcy order was.\n\n## When bankruptcy ends\n\nYour bankruptcy and the restrictions generally end when you\u2019re \u2018discharged\u2019, which is usually automatic.\n\nThis is usually 12 months after the adjudicator made you bankrupt. It can be longer in some circumstances, for example if you do not co-operate with your trustee.\n\nCheck your discharge date online using the Individual Insolvency Register.\n\nIf you cancel your bankruptcy, all restrictions will end immediately and your details will be removed from the Individual Insolvency Register.\n\n## Proof of discharge\n\nEmail the Insolvency Service and ask for a \u2018confirmation letter\u2019 to prove your bankruptcy has ended. There\u2019s no fee.\n\nIf you\u2019re applying for a mortgage, you\u2019ll need a Certificate of Discharge.\n\nHow you get it depends on how you applied for your bankruptcy.\n\nIf you applied:\n\n- at a court, contact the court and pay the \u00a370 fee (\u00a310 for each copy)\n\n- online, email the Insolvency Service - there\u2019s no fee\n\n## Bankruptcy registers\n\nThe Individual Insolvency Register is updated within 3 months of your discharge.\n\nYou must apply to both Land Charges and HM Land Registry to have your bankruptcy entry removed from any properties you still own after paying your debts.\n\nBankruptcy entries are automatically removed from the Land Charges register after 5 years if they\u2019re not renewed.\n\n## Apply to Land Charges\n\nSend an application to cancel an entry in the Land Register (K11) to the Land Charges Department.\n\nYou need to include:\n\n- a copy of your court order permitting the cancellation (or \u2018vacation\u2019) of the entry\n\n- \u00a31 for each entry you want to cancel\n\n## Apply to HM Land Registry\n\nYou need to send HM Land Registry either:\n\n- an application to change the register for a property, if you\u2019re the sole owner of your property\n\n- an application for the cancellation of a Form J restriction, if you own your property with someone else\n\nYou must include a copy of your court order.\n\nAll forms sent will be destroyed once the registers are updated. You can send copies if you write \u201cI certify that this is a true copy of the original\u201d together with your signature on the first page.\n\n## Your credit record\n\nCredit reference agencies will not be told directly when your bankruptcy ends - they\u2019ll get this information from public records.\n\nGet a copy of your credit reference report - contact a credit reference agency if it needs updating.\n\nYour bankruptcy can stay on your credit reference file for 6 years from the date of your bankruptcy.\n\n## Debts that will not be written off\n\nWhen you\u2019re discharged you\u2019ll be released from most, but not all, of the debts you owed at the date of the bankruptcy.\n\nDebts you will not be released from include:\n\n- debts arising from fraud\n\n- anything you owe under family proceedings - unless the court decides otherwise\n\n- damages for personal injuries to anyone - unless the court decides otherwise\n\n- debts which were not included in the bankruptcy itself, for example a debt to the Student Loans Company", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to make yourself bankrupt if you cannot pay your debts.

    ", + "

    Check if there are other ways you can deal with your debts before you apply for bankruptcy.

    ", + "

    Your application will be looked at by someone who works for the Insolvency Service called an \u2018adjudicator\u2019. They\u2019ll decide if you should be made bankrupt.

    ", + "

    The process is different if someone else is applying to make you bankrupt.

    ", + "

    How to apply

    ", + "

    You can only apply for bankruptcy online. It costs \u00a3680.

    ", + "

    What happens when you go bankrupt

    ", + "

    If the adjudicator makes you bankrupt:

    ", + "
  • you\u2019ll receive a copy of the bankruptcy order and may be interviewed about your situation
  • ", + "
  • your assets can be used to pay your debts
  • ", + "
  • you\u2019ll have to follow the bankruptcy restrictions
  • ", + "
  • your name and details will be published in the Individual Insolvency Register
  • ", + "

    You can apply to have your address removed from the Individual Insolvency Register if publishing it will put you at risk of violence. This will not affect your bankruptcy.

    ", + "

    After 12 months you\u2019re usually released (\u2018discharged\u2019) from your bankruptcy restrictions and debts. Assets that were part of your estate during the bankruptcy period can still be used to pay your debts.

    ", + "

    You might be able to cancel (\u2018annul\u2019) your bankruptcy before you\u2019re discharged.

    ", + "

    Bankruptcy only applies to individuals. Find out what your options are if your limited company cannot pay its creditors.

    ", + "

    Get help and information

    ", + "

    Read the following:

    ", + "
  • the Citizens Advice bankruptcy advice guide
  • ", + "
  • the Money Advice Service\u2019s guide on options for writing off your debt
  • ", + "

    You can also contact the National Debtline for bankruptcy advice.

    ", + "

    You can get free advice from a debt adviser to help you decide how to deal with your debts.

    ", + "

    If you do not live in England or Wales

    ", + "

    The process to become bankrupt is different if you live in Scotland or Northern Ireland. You cannot apply to become bankrupt in England or Wales.

    ", + "

    You might be able to apply if you live anywhere else - talk to a debt adviser.

    ", + "

    You must not break the bankruptcy restrictions in England or Wales. These might also apply outside England and Wales - check the laws of the country you live in.

    ", + "

    Get a person at risk of violence (PARV) order

    ", + "

    When you\u2019re made bankrupt, your name and address will be published in:

    ", + "
  • the Individual Insolvency Register
  • ", + "
  • the London Gazette
  • ", + "

    If having your address published will put you at risk of violence, you can apply to the court for a person at risk of violence (PARV) order.

    ", + "

    Your name will still be published, but your address will not be.

    ", + "

    You can only apply for a PARV if you\u2019ve already started a bankruptcy application.

    ", + "

    How to apply

    ", + "

    Download and fill in the application form.

    ", + "

    Take your completed form to your nearest court that deals with bankruptcy. They\u2019ll tell you if you need to pay a fee to apply.

    ", + "

    You\u2019ll have to go to a hearing to present your application to a judge - the court will tell you when and where this will take place. You\u2019ll usually get a decision on the same day.

    ", + "

    Submit your bankruptcy application once you have your PARV order.

    ", + "

    After you apply

    ", + "

    You\u2019ll usually get an email or letter from the adjudicator within 28 days of submitting your application to say if you\u2019ve been made bankrupt.

    ", + "

    This can take longer if the adjudicator needs to ask more questions about your application.

    ", + "

    They\u2019ll then issue a bankruptcy order.

    ", + "

    After you get your bankruptcy order

    ", + "

    You\u2019ll get a letter from the official receiver within 2 weeks of getting your bankruptcy order. The official receiver is an officer of the court who manages your bankruptcy.

    ", + "

    You\u2019ll also get an information pack that explains what you need to know and what you must do.

    ", + "

    You might be asked to:

    ", + "
  • fill in a questionnaire
  • ", + "
  • attend an interview with the official receiver
  • ", + "
  • give the official receiver more information about your debts, creditors, assets and income
  • ", + "

    If you\u2019re asked to attend an interview

    ", + "

    The interview can be in person or over the phone. The official receiver will:

    ", + "
  • check the information they have about your debts and assets
  • ", + "
  • ask for more details, for example about your pension or savings
  • ", + "
  • ask how and why you became bankrupt
  • ", + "
  • answer any questions you have about the bankruptcy process
  • ", + "

    Your release (\u2018discharge\u2019) from bankruptcy may be delayed if you do not provide the information you\u2019re asked for.

    ", + "

    Restrictions

    ", + "

    You have to follow bankruptcy restrictions when you\u2019re bankrupt. This means you cannot:

    ", + "
  • borrow more than \u00a3500 without telling the lender you\u2019re bankrupt
  • ", + "
  • act as a director of a company without the court\u2019s permission
  • ", + "
  • create, manage or promote a company without the court\u2019s permission
  • ", + "
  • manage a business with a different name without telling people you do business with that you\u2019re bankrupt
  • ", + "
  • work as an insolvency practitioner (an authorised debt specialist)
  • ", + "

    It\u2019s a criminal offence to break the restrictions - you might be prosecuted if you do.

    ", + "

    You must co-operate with the people managing your bankruptcy, for example by providing them with the information they ask for.

    ", + "

    How long the restrictions last

    ", + "

    Restrictions last until your bankruptcy ends. This will happen sooner if you cancel your bankruptcy.

    ", + "

    When the restrictions can be extended

    ", + "

    Bankruptcy restrictions can be extended if you do not carry out your duties under the bankruptcy proceedings or if you\u2019re found to have acted carelessly or dishonestly.

    ", + "

    The official receiver will tell you if the restrictions will be extended.

    ", + "

    You\u2019ll be asked to agree to a Bankruptcy Restrictions Undertaking to extend the restrictions. If you do not agree, they\u2019ll ask the court to issue a Bankruptcy Restrictions Order.

    ", + "

    Your assets

    ", + "

    Your assets might be sold to pay your bankruptcy debts. You have to hand over your assets to the person appointed to manage your bankruptcy (your \u2018trustee\u2019). They can be:

    ", + "
  • an official receiver - an officer of the court
  • ", + "
  • an insolvency practitioner - an authorised debt specialist
  • ", + "

    The official receiver will usually act as your trustee to begin with.

    ", + "

    Assets you can keep

    ", + "

    You can usually keep:

    ", + "
  • items needed for your job, such as tools or a vehicle
  • ", + "
  • household items, such as clothing, bedding or furniture
  • ", + "

    You might have to give these items up if they\u2019re worth more than a reasonable replacement.

    ", + "

    Your bank accounts

    ", + "

    You must give the official receiver your bank cards, cheque books and credit cards for any accounts you\u2019re no longer allowed to use. This includes any account that was overdrawn on the date you were made bankrupt.

    ", + "

    Your accounts will be frozen but your trustee may release:

    ", + "
  • any money you need urgently, for example to buy food
  • ", + "
  • your partner\u2019s share of any money in a joint account
  • ", + "

    Your bank will decide whether to allow you to continue using your accounts.

    ", + "

    Your pension

    ", + "

    You usually keep any money you\u2019ve put into a pension.

    ", + "

    If you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.

    ", + "

    Speak to your trustee or read the guidance to find out how bankruptcy will affect your pension.

    ", + "

    You can get free advice on managing your money and how bankruptcy affects your credit rating from Citizens Advice or National Debtline.

    ", + "

    Your home

    ", + "

    Your home might be sold depending on your equity - your share after any secured debts (like a mortgage) have been paid.

    ", + "

    You might have to give up:

    ", + "
  • your equity
  • ", + "
  • legal ownership of the property if your equity is \u00a31,000 or more
  • ", + "

    If your trustee has not put your home up for sale within 3 years it will be transferred back to you.

    ", + "

    Sole owners

    ", + "

    The equity and legal ownership are transferred to your trustee. This means you cannot sell the property or claim any money from a sale.

    ", + "

    A bankruptcy restriction or notice is added to your property\u2019s entry in the land register to say this.

    ", + "

    It can only be removed if it\u2019s been added to your property by mistake. Send HM Land Registry a signed statement saying you are not bankrupt and an application to change the register for a property.

    ", + "

    Joint owners

    ", + "

    The equity is transferred to your trustee.

    ", + "

    A \u2018Form J restriction\u2019 is added to your property\u2019s entry in the land register. This means your trustee will be told of any dealings connected with your home, for example if you try to sell it.

    ", + "

    It can be removed if you can prove you (as the bankrupt) do not have a share in the property, for example if your partner owns the property. The owner has to send HM Land Registry a signed statement saying they are not the bankrupt person and an application for the cancellation of a Form J restriction.

    ", + "

    Stop the sale of your home

    ", + "

    You might be able to stop or delay the sale of your home if, for example:

    ", + "
  • the value of your equity is less than \u00a31,000
  • ", + "
  • the equity or legal title can be sold to someone else, such as a partner
  • ", + "
  • you need to organise somewhere for children or a partner to live - the sale can be delayed for up to 1 year
  • ", + "

    You may want to get legal advice to find out if you can stop or delay the sale of your home.

    ", + "

    Check if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.

    ", + "

    Rented property

    ", + "

    Your landlord may be told that you\u2019re bankrupt and your rental situation may be affected.

    ", + "

    Your income

    ", + "

    Your trustee will tell you if you have to make monthly payments from your spare income - you\u2019ll only have to do this if you can afford it.

    ", + "

    The arrangement can last for up to 3 years and is called an Income Payments Agreement (IPA).

    ", + "

    If you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.

    ", + "

    If you do not agree to the IPA your trustee can ask the court to order you to make monthly payments. This is called an Income Payments Order (IPO).

    ", + "

    Your official receiver will set up your IPA or IPO and charge a fee. The fee can be up to \u00a3150 and is taken out of your first payment.

    ", + "

    How much you pay

    ", + "

    The monthly amount you pay depends on how much you can afford after essential expenses like food and bills are paid.

    ", + "

    Cancel a bankruptcy

    ", + "

    You can apply to cancel (\u2018annul\u2019) your bankruptcy if:

    ", + "
  • the bankruptcy order should not have been made
  • ", + "
  • all your debts and bankruptcy fees have been paid or secured (guaranteed) by a third party
  • ", + "
  • you\u2018ve made an Individual Voluntary Arrangement with your creditors to pay all or part of your debts
  • ", + "

    If your circumstances change and you can pay off all your debts, then you must pay it through your official receiver or a solicitor.

    ", + "

    This means you will not have to follow the bankruptcy restrictions.

    ", + "

    How to apply

    ", + "

    Download and fill in the application form.

    ", + "

    Send or take your completed form to your nearest court that deals with bankruptcy.

    ", + "

    You must tell the court if you want details of your bankruptcy removed from the Land Charges register.

    ", + "

    You\u2019ll be given a date for a court hearing of your application, which you must attend.

    ", + "

    You\u2019ll still need to attend your interview with the official receiver if you\u2019ve been asked to.

    ", + "

    If the court agrees with your application, they\u2019ll make an annulment order which cancels your bankruptcy.

    ", + "

    Advertise your cancellation order

    ", + "

    You can ask the official receiver to advertise your annulment order within 28 days of getting it. You cannot do this if your bankruptcy order has not been advertised yet.

    ", + "

    Your annulment order will be advertised wherever your bankruptcy order was.

    ", + "

    When bankruptcy ends

    ", + "

    Your bankruptcy and the restrictions generally end when you\u2019re \u2018discharged\u2019, which is usually automatic.

    ", + "

    This is usually 12 months after the adjudicator made you bankrupt. It can be longer in some circumstances, for example if you do not co-operate with your trustee.

    ", + "

    Check your discharge date online using the Individual Insolvency Register.

    ", + "

    If you cancel your bankruptcy, all restrictions will end immediately and your details will be removed from the Individual Insolvency Register.

    ", + "

    Proof of discharge

    ", + "

    Email the Insolvency Service and ask for a \u2018confirmation letter\u2019 to prove your bankruptcy has ended. There\u2019s no fee.

    ", + "

    If you\u2019re applying for a mortgage, you\u2019ll need a Certificate of Discharge.

    ", + "

    How you get it depends on how you applied for your bankruptcy.

    ", + "

    If you applied:

    ", + "
  • at a court, contact the court and pay the \u00a370 fee (\u00a310 for each copy)
  • ", + "
  • online, email the Insolvency Service - there\u2019s no fee
  • ", + "

    Bankruptcy registers

    ", + "

    The Individual Insolvency Register is updated within 3 months of your discharge.

    ", + "

    You must apply to both Land Charges and HM Land Registry to have your bankruptcy entry removed from any properties you still own after paying your debts.

    ", + "

    Bankruptcy entries are automatically removed from the Land Charges register after 5 years if they\u2019re not renewed.

    ", + "

    Apply to Land Charges

    ", + "

    Send an application to cancel an entry in the Land Register (K11) to the Land Charges Department.

    ", + "

    You need to include:

    ", + "
  • a copy of your court order permitting the cancellation (or \u2018vacation\u2019) of the entry
  • ", + "
  • \u00a31 for each entry you want to cancel
  • ", + "

    Apply to HM Land Registry

    ", + "

    You need to send HM Land Registry either:

    ", + "
  • an application to change the register for a property, if you\u2019re the sole owner of your property
  • ", + "
  • an application for the cancellation of a Form J restriction, if you own your property with someone else
  • ", + "

    You must include a copy of your court order.

    ", + "

    All forms sent will be destroyed once the registers are updated. You can send copies if you write \u201cI certify that this is a true copy of the original\u201d together with your signature on the first page.

    ", + "

    Your credit record

    ", + "

    Credit reference agencies will not be told directly when your bankruptcy ends - they\u2019ll get this information from public records.

    ", + "

    Get a copy of your credit reference report - contact a credit reference agency if it needs updating.

    ", + "

    Your bankruptcy can stay on your credit reference file for 6 years from the date of your bankruptcy.

    ", + "

    Debts that will not be written off

    ", + "

    When you\u2019re discharged you\u2019ll be released from most, but not all, of the debts you owed at the date of the bankruptcy.

    ", + "

    Debts you will not be released from include:

    ", + "
  • debts arising from fraud
  • ", + "
  • anything you owe under family proceedings - unless the court decides otherwise
  • ", + "
  • damages for personal injuries to anyone - unless the court decides otherwise
  • ", + "
  • debts which were not included in the bankruptcy itself, for example a debt to the Student Loans Company
  • " + ] + }, + "https://www.gov.uk/debt-payments-from-your-wages": { + "url": "https://www.gov.uk/debt-payments-from-your-wages", + "title": "Having debt repayments taken from your wages", + "content": "## When repayments can be taken\n\nYou can have debt repayments taken out of your wages if you owe someone money from either:\n\n- unpaid maintenance payments\n\n- county court judgment (CCJ)\n\nThe person you owe money is called a \u2018creditor\u2019.\n\nYou can also have benefit overpayments taken from your wages by the Department for Work and Pensions (DWP) or your local council.\n\n## How you\u2019re told\n\nYou and your employer will get a document (called an \u2018attachment of earnings order\u2019) from the court. This will tell you:\n\n- how much you owe\n\n- how much your employer takes from your wages - you can apply to get this changed if you cannot afford it\n\n- when and how the payments have to be made\n\nYou and your employer can be fined if they do not follow the order. You cannot ask them to ignore it.\n\n## Change how much you pay\n\nYou can apply to get the payments reduced if you cannot afford them. Download and fill in form N244 and send it to the court that issued the court order.\n\nYou have to do this within 14 days of getting the order.\n\nYou can also apply if the order has been in place for some time and your circumstances change.\n\n## Pay off the debt more quickly\n\nSpeak to the person or company you owe the money to if you want to pay more. They might either:\n\n- take extra payments directly\n\n- agree to put the order on hold so you can pay more directly to them\n\nThe court will tell you if your debt is put on hold.\n\n## Check how much you owe\n\nContact the Centralised Attachment of Earning Payments (CAPS) office to check how much you still owe. They can also send you a history of the payments you\u2019ve made.\n\nYou\u2019ll need to give your case number when you call.\n\n## Report a change in your circumstances\n\nYou must report any changes in your circumstances if you\u2019re paying off a debt through your wages.\n\n## Change your name or address\n\nIf you need to change your name or address, tell:\n\n- the Centralised Attachment of Earning Payments (CAPS) office\n\n- the court who issued the court order\n\n- your creditor\n\n## If you change or lose your job\n\n- Tell the CAPS office your new employer\u2019s details or that you\u2019ve lost your job.\n\n- Download and fill in form N56 in full, and send it to the court who issued the court order.\n\n## When you\u2019ve paid off the debt\n\nThe Centralised Attachment of Earning Payments (CAPS) office will send you a \u2018notice of discharge\u2019 when the debt has been paid off. Your employer and creditor will also get a copy.\n\nYour employer will then stop making deductions from your wages.\n\n## If you think you\u2019ve overpaid\n\nAsk the CAPS office to check if you\u2019ve overpaid.\n\nYou\u2019ll need to give your case number when you call.\n\nYou\u2019ll get a refund if you\u2019ve overpaid.", + "original_contents": [ + "

    When repayments can be taken

    ", + "

    You can have debt repayments taken out of your wages if you owe someone money from either:

    ", + "
  • unpaid maintenance payments
  • ", + "
  • county court judgment (CCJ)
  • ", + "

    The person you owe money is called a \u2018creditor\u2019.

    ", + "

    You can also have benefit overpayments taken from your wages by the Department for Work and Pensions (DWP) or your local council.

    ", + "

    How you\u2019re told

    ", + "

    You and your employer will get a document (called an \u2018attachment of earnings order\u2019) from the court. This will tell you:

    ", + "
  • how much you owe
  • ", + "
  • how much your employer takes from your wages - you can apply to get this changed if you cannot afford it
  • ", + "
  • when and how the payments have to be made
  • ", + "

    You and your employer can be fined if they do not follow the order. You cannot ask them to ignore it.

    ", + "

    Change how much you pay

    ", + "

    You can apply to get the payments reduced if you cannot afford them. Download and fill in form N244 and send it to the court that issued the court order.

    ", + "

    You have to do this within 14 days of getting the order.

    ", + "

    You can also apply if the order has been in place for some time and your circumstances change.

    ", + "

    Pay off the debt more quickly

    ", + "

    Speak to the person or company you owe the money to if you want to pay more. They might either:

    ", + "
  • take extra payments directly
  • ", + "
  • agree to put the order on hold so you can pay more directly to them
  • ", + "

    The court will tell you if your debt is put on hold.

    ", + "

    Check how much you owe

    ", + "

    Contact the Centralised Attachment of Earning Payments (CAPS) office to check how much you still owe. They can also send you a history of the payments you\u2019ve made.

    ", + "

    You\u2019ll need to give your case number when you call.

    ", + "

    Report a change in your circumstances

    ", + "

    You must report any changes in your circumstances if you\u2019re paying off a debt through your wages.

    ", + "

    Change your name or address

    ", + "

    If you need to change your name or address, tell:

    ", + "
  • the Centralised Attachment of Earning Payments (CAPS) office
  • ", + "
  • the court who issued the court order
  • ", + "
  • your creditor
  • ", + "

    If you change or lose your job

    ", + "
  • Tell the CAPS office your new employer\u2019s details or that you\u2019ve lost your job.
  • ", + "
  • Download and fill in form N56 in full, and send it to the court who issued the court order.
  • ", + "

    When you\u2019ve paid off the debt

    ", + "

    The Centralised Attachment of Earning Payments (CAPS) office will send you a \u2018notice of discharge\u2019 when the debt has been paid off. Your employer and creditor will also get a copy.

    ", + "

    Your employer will then stop making deductions from your wages.

    ", + "

    If you think you\u2019ve overpaid

    ", + "

    Ask the CAPS office to check if you\u2019ve overpaid.

    ", + "

    You\u2019ll need to give your case number when you call.

    ", + "

    You\u2019ll get a refund if you\u2019ve overpaid.

    " + ] + }, + "https://www.gov.uk/statutory-demands": { + "url": "https://www.gov.uk/statutory-demands", + "title": "Make and serve a statutory demand, or challenge one", + "content": "## When you can make a statutory demand\n\nYou can make a statutory demand to ask for payment of a debt from an individual or company.\n\nAnyone who\u2019s owed money (the \u2018creditor\u2019) can make a statutory demand. You do not need a lawyer.\n\nIf the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.\n\nThere may be faster ways of getting smaller debts paid than making a statutory demand.\n\nWhen the individual or company that owes you money (the \u2018debtor\u2019) receives a statutory demand, they have 21 days to either:\n\n- pay the debt\n\n- reach an agreement to pay\n\nYou can apply to bankrupt your debtor or close (\u2018wind up\u2019) their company if they do not respond to the statutory demand within 21 days.\n\n## Statutory demand forms\n\nChoose the form you need, fill it in and deliver (\u2018serve\u2019) it to the individual or company that owes you money.\n\nYou do not need to send a separate letter.\n\n## Serve a demand on an individual (including partners in a partnership)\n\nWhich form you need depends on whether you\u2019re collecting a debt that\u2019s:\n\n- payable now\n\n- payable now following a judgment or court order\n\n- payable in the future, if you think they will not be able to pay the debt when they need to\n\nIf you\u2019re serving a demand on a business partnership, you need to download and fill in a form for each partner.\n\n## Serve a demand on a limited company\n\nUse statutory demand form SD 1.\n\n## If you\u2019re in Scotland\n\nYou must use a different form to make a statutory demand in Scotland.\n\n## How to serve a statutory demand\n\nYou must deliver (\u2018serve\u2019) the statutory demand form by:\n\n- giving it to the individual who owes you money (you should try all their known addresses)\n\n- leaving it at the registered office of the company or partnership that owes money (or the main place of business if they do not have a registered office)\n\n- giving it to the company\u2019s director, company secretary, manager or principal officer\n\n- get a \u2018process server\u2019 to serve it for you (a solicitor can arrange this)\n\nYou can only send it by registered post or put it through a letterbox if it cannot be delivered in person.\n\n## Records you must keep\n\nYou must keep a copy of the statutory demand and anything that confirms:\n\n- the time and date you served the statutory demand, for example a postage receipt or confirmation from your process server\n\n- the debtor has received the statutory demand\n\nYou\u2019ll need this information if your demand is ignored.\n\n## If your demand is ignored\n\nIf your debtor does not pay the debt or agree to your statutory demand within 21 days, you can:\n\n- start bankruptcy proceedings against any individuals who owe you \u00a35,000 or more\n\n- wind up a company that owes you \u00a3750 or more\n\nYou have 4 months to apply to bankrupt or wind up your debtor. If you\u2019re late, explain why to the court named on the statutory demand.\n\n## Serve a statutory demand abroad\n\nGet legal help if you want to serve a statutory demand in another country.\n\nYou need to serve a statutory demand according to local laws but also according to the UK rules.\n\n## Challenge a statutory demand\n\nIf you do not agree with a statutory demand you\u2019ve been given, you can apply to challenge it and get it \u2018set aside\u2019.\n\nYou can be made bankrupt or your company wound up if you ignore a statutory demand.\n\nYou must apply to the court named on your statutory demand. Contact a solicitor or your nearest county court if you\u2019re not sure where to send your application.\n\nYou cannot challenge a statutory demand if it was served on a company. You can apply to stop your creditors from winding up your company instead.\n\nAny bankruptcy petitions the creditor has already filed against you will usually be suspended until the court reaches a decision.\n\nThe court will not usually set aside a statutory demand if it was served on you following the judgment of another court unless, for example:\n\n- you think the creditor owes you the same amount as your debt, or more\n\n- the amount on the statutory demand is secured\n\n## Deadlines\n\nYou must apply to challenge the statutory demand within either:\n\n- 18 days if you were in the UK when you got the statutory demand\n\n- 21 to 34 days if you were in another country when you got the statutory demand - check the table of countries for specific deadlines\n\nIf the deadline is during a weekend or on a bank holiday, you have until the next day the court is open to apply.\n\nYou might be able to get an extension in some circumstances - contact the court to find out what these are.\n\n## How to apply\n\nDownload and fill in form IAA.\n\nMake 3 copies of the completed form and either post them to the court named on your statutory demand or give them to the court in person.\n\n## What happens next\n\nYou\u2019ll usually hear back from the court within 10 working days of applying.\n\nIf the court does not agree with your application, it can give the creditor permission to issue a bankruptcy petition against you.\n\nIf the court agrees with your application, your case will be passed on to a bankruptcy registrar. They\u2019ll look at your case and arrange a hearing.\n\n## What happens at the hearing\n\nBoth sides will present their case to a registrar or judge. They\u2019ll either make a decision then, or ask you and the other party to give more evidence at another hearing.\n\nYou\u2019ll usually get a decision at the end of the final hearing.\n\nIf you win your case, you\u2019ll get an order from the court setting aside the statutory demand. The deadline for paying the debt will be suspended.\n\nIf you lose, you\u2019ll have to pay back your debt within the 21 day time limit. The creditor can apply to bankrupt you if you do not pay in time and your debt is \u00a35,000 or more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## Contact the Insolvency Service\n\nUse the contact form to contact the Insolvency Service about delivering and challenging a statutory demand.\n\nYou cannot currently contact the Insolvency Service by telephone because of coronavirus (COVID-19).", + "original_contents": [ + "

    When you can make a statutory demand

    ", + "

    You can make a statutory demand to ask for payment of a debt from an individual or company.

    ", + "

    Anyone who\u2019s owed money (the \u2018creditor\u2019) can make a statutory demand. You do not need a lawyer.

    ", + "

    If the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.

    ", + "

    There may be faster ways of getting smaller debts paid than making a statutory demand.

    ", + "

    When the individual or company that owes you money (the \u2018debtor\u2019) receives a statutory demand, they have 21 days to either:

    ", + "
  • pay the debt
  • ", + "
  • reach an agreement to pay
  • ", + "

    You can apply to bankrupt your debtor or close (\u2018wind up\u2019) their company if they do not respond to the statutory demand within 21 days.

    ", + "

    Statutory demand forms

    ", + "

    Choose the form you need, fill it in and deliver (\u2018serve\u2019) it to the individual or company that owes you money.

    ", + "

    You do not need to send a separate letter.

    ", + "

    Serve a demand on an individual (including partners in a partnership)

    ", + "

    Which form you need depends on whether you\u2019re collecting a debt that\u2019s:

    ", + "
  • payable now
  • ", + "
  • payable now following a judgment or court order
  • ", + "
  • payable in the future, if you think they will not be able to pay the debt when they need to
  • ", + "

    If you\u2019re serving a demand on a business partnership, you need to download and fill in a form for each partner.

    ", + "

    Serve a demand on a limited company

    ", + "

    Use statutory demand form SD 1.

    ", + "

    If you\u2019re in Scotland

    ", + "

    You must use a different form to make a statutory demand in Scotland.

    ", + "

    How to serve a statutory demand

    ", + "

    You must deliver (\u2018serve\u2019) the statutory demand form by:

    ", + "
  • giving it to the individual who owes you money (you should try all their known addresses)
  • ", + "
  • leaving it at the registered office of the company or partnership that owes money (or the main place of business if they do not have a registered office)
  • ", + "
  • giving it to the company\u2019s director, company secretary, manager or principal officer
  • ", + "
  • get a \u2018process server\u2019 to serve it for you (a solicitor can arrange this)
  • ", + "

    You can only send it by registered post or put it through a letterbox if it cannot be delivered in person.

    ", + "

    Records you must keep

    ", + "

    You must keep a copy of the statutory demand and anything that confirms:

    ", + "
  • the time and date you served the statutory demand, for example a postage receipt or confirmation from your process server
  • ", + "
  • the debtor has received the statutory demand
  • ", + "

    You\u2019ll need this information if your demand is ignored.

    ", + "

    If your demand is ignored

    ", + "

    If your debtor does not pay the debt or agree to your statutory demand within 21 days, you can:

    ", + "
  • start bankruptcy proceedings against any individuals who owe you \u00a35,000 or more
  • ", + "
  • wind up a company that owes you \u00a3750 or more
  • ", + "

    You have 4 months to apply to bankrupt or wind up your debtor. If you\u2019re late, explain why to the court named on the statutory demand.

    ", + "

    Serve a statutory demand abroad

    ", + "

    Get legal help if you want to serve a statutory demand in another country.

    ", + "

    You need to serve a statutory demand according to local laws but also according to the UK rules.

    ", + "

    Challenge a statutory demand

    ", + "

    If you do not agree with a statutory demand you\u2019ve been given, you can apply to challenge it and get it \u2018set aside\u2019.

    ", + "

    You can be made bankrupt or your company wound up if you ignore a statutory demand.

    ", + "

    You must apply to the court named on your statutory demand. Contact a solicitor or your nearest county court if you\u2019re not sure where to send your application.

    ", + "

    You cannot challenge a statutory demand if it was served on a company. You can apply to stop your creditors from winding up your company instead.

    ", + "

    Any bankruptcy petitions the creditor has already filed against you will usually be suspended until the court reaches a decision.

    ", + "

    The court will not usually set aside a statutory demand if it was served on you following the judgment of another court unless, for example:

    ", + "
  • you think the creditor owes you the same amount as your debt, or more
  • ", + "
  • the amount on the statutory demand is secured
  • ", + "

    Deadlines

    ", + "

    You must apply to challenge the statutory demand within either:

    ", + "
  • 18 days if you were in the UK when you got the statutory demand
  • ", + "
  • 21 to 34 days if you were in another country when you got the statutory demand - check the table of countries for specific deadlines
  • ", + "

    If the deadline is during a weekend or on a bank holiday, you have until the next day the court is open to apply.

    ", + "

    You might be able to get an extension in some circumstances - contact the court to find out what these are.

    ", + "

    How to apply

    ", + "

    Download and fill in form IAA.

    ", + "

    Make 3 copies of the completed form and either post them to the court named on your statutory demand or give them to the court in person.

    ", + "

    What happens next

    ", + "

    You\u2019ll usually hear back from the court within 10 working days of applying.

    ", + "

    If the court does not agree with your application, it can give the creditor permission to issue a bankruptcy petition against you.

    ", + "

    If the court agrees with your application, your case will be passed on to a bankruptcy registrar. They\u2019ll look at your case and arrange a hearing.

    ", + "

    What happens at the hearing

    ", + "

    Both sides will present their case to a registrar or judge. They\u2019ll either make a decision then, or ask you and the other party to give more evidence at another hearing.

    ", + "

    You\u2019ll usually get a decision at the end of the final hearing.

    ", + "

    If you win your case, you\u2019ll get an order from the court setting aside the statutory demand. The deadline for paying the debt will be suspended.

    ", + "

    If you lose, you\u2019ll have to pay back your debt within the 21 day time limit. The creditor can apply to bankrupt you if you do not pay in time and your debt is \u00a35,000 or more.

    ", + "

    Do not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.

    ", + "

    Contact the Insolvency Service

    ", + "

    Use the contact form to contact the Insolvency Service about delivering and challenging a statutory demand.

    ", + "

    You cannot currently contact the Insolvency Service by telephone because of coronavirus (COVID-19).

    " + ] + }, + "https://www.gov.uk/options-for-paying-off-your-debts": { + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "title": "Options for paying off your debts", + "content": "## Overview\n\nIf you owe people money (your \u2018creditors\u2019) you can make arrangements to pay your debts. Your options depend on the amount of money and assets you have.\n\n## Where you can get help\n\nSpeak to a debt adviser to get help choosing the best way to deal with your debt.\n\nThe Money Advice Service has information about debt management and free debt advisory services.\n\n## Paying off your debts\n\nYou can pay your debts in instalments by setting up:\n\n- a Debt Management Plan which is an agreement with your creditors managed by a financial company\n\n- an Administration Order when you\u2019ve had a county court judgment (CCJ) or a High Court judgment (HCJ) against you for debts under \u00a35,000\n\n- an Individual Voluntary Arrangement which is managed by an insolvency practitioner\n\nYou can also get temporary protection from your creditors through the \u2018Breathing Space\u2019 scheme, while still making repayments. You\u2019ll need to apply through a debt advisor.\n\nIn Scotland you can arrange a Debt Payment Programme from the Debt Arrangement Scheme.\n\nYou may also have the option of reaching an informal agreement with your creditors.\n\n## If you cannot pay off your debt\n\nYou can apply for a Debt Relief Order or Bankruptcy Order if you cannot pay your debts because you do not have enough money or assets you can sell.\n\nIf you cannot pay off your debts, you can be made bankrupt.\n\n## Breathing Space (Debt Respite Scheme)\n\nIf you live in England or Wales, you can get temporary protection from your creditors while you get debt advice and make a plan. This scheme is called \u2018Breathing Space\u2019.\n\nYou can get temporary protection for up to 60 days.\n\nYou\u2019ll still need to make your debt repayments.\n\nIf you get it:\n\n- enforcement action cannot be taken against you\n\n- your creditors cannot contact you about debts included in your Breathing Space\n\n- your creditors cannot add interest or charges to your debt\n\nIf you\u2019re getting mental health crisis treatment, your protection from creditors will be longer. It will last for the length of your treatment, plus another 30 days.\n\n## How to apply for the Breathing Space scheme\n\nTo apply for the \u2018Breathing Space\u2019 scheme, you need to talk to a debt adviser. They will submit an application on your behalf if it\u2019s the right thing to do.\n\nYou can find a free debt adviser on the Money Advice Service website. You can get confidential advice online, over the phone or in person.\n\nIf you\u2019re receiving mental health treatment and cannot speak to a debt adviser, someone else can do so on your behalf.\n\n## Costs\n\nIt\u2019s free to apply for \u2018Breathing Space\u2019, but some debt advisers may charge you a fee.\n\n## Eligibility\n\nYou must:\n\n- not have a debt relief order (DRO), an individual voluntary arrangement (IVA), an interim order, or be an undischarged bankrupt at the time you apply\n\n- not already be using the \u2018Breathing Space\u2019 scheme\n\n- not have used the \u2018Breathing Space\u2019 scheme in the last 12 months, unless it was for a mental health crisis\n\n## Debt Management Plans\n\nA Debt Management Plan is an agreement between you and your creditors to pay all of your debts.\n\nDebt management plans are usually used when either:\n\n- you can only afford to pay creditors a small amount each month\n\n- you have debt problems but will be able to make repayments in a few months\n\nYou can arrange a plan with your creditors yourself or through a licensed debt management company for a fee. If you arrange this with a company:\n\n- you make regular payments to the company\n\n- the company shares the money out between your creditors\n\nThe Money Advice Service has information on organisations that can give you free advice about whether a Debt Management Plan is right for you.\n\n## Get a Debt Management Plan\n\n- Set up a plan with a debt management company authorised by the Financial Conduct Authority (FCA). Search the Financial Services Register for an authorised company.\n\n- The company works out your monthly payments. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.\n\n- The company contacts your creditors and asks them to agree to the plan (they do not have to).\n\nUnless stated in the agreement, your creditors can still:\n\n- ask you to pay your full debt at a later date\n\n- take action to recover their money even if you keep up your payments\n\n## Costs\n\nSome companies will charge:\n\n- a set up fee\n\n- a handling fee each time you make a payment\n\nMake sure you understand the costs of your plan and how you pay for it.\n\n## Eligibility\n\nDebt Management Plans can only be used to pay \u2018unsecured\u2019 debts, for example debts that have not been guaranteed against your property.\n\n## Your responsibilities\n\nYour plan can be cancelled if you do not keep up your repayments.\n\n## Administration orders\n\nAn administration order is a way to deal with debt if you have a county court or High Court judgment against you and you cannot pay in full.\n\nThe debt must be less than \u00a35,000.\n\nYou make 1 payment a month to your local court. The court will divide this money between your creditors.\n\nCreditors listed on the administration order cannot take any further action against you without the court\u2019s permission.\n\nThe Money Advice Service has information on organisations that can give you free advice about whether an administration order is right for you.\n\n## Get an administration order\n\nFill in an application for an administration order (form N92) and return it to your local court.\n\nThe court decides:\n\n- how much of your debt you have to repay, for example all or just part of it\n\n- how much your monthly repayments will be\n\n- how long the arrangement lasts\n\nThe arrangement is known as a \u2018composition order\u2019 if you cannot pay all your debts.\n\n## Costs\n\nThere\u2019s a court fee each time you make a payment. This cannot be more than 10% of your debt.\n\n## Eligibility\n\nYou must:\n\n- owe less than \u00a35,000, including any interest and charges\n\n- owe money to at least 2 creditors\n\n- prove you can afford regular repayments, for example by giving details of your income\n\n- have a county court or High Court judgment against you, which you cannot pay in full\n\n## Your responsibilities\n\nYou must keep up your repayments or the court can:\n\n- ask your employer take money from your wages \u2013 known as an \u2018attachment of earnings order\u2019\n\n- cancel the arrangement\n\nYou may still be able to keep your business running, if you have one.\n\n## Public records\n\nYour administration order is added to the Register of Judgments, Orders and Fines.\n\nIt\u2019s usually removed 6 years after the date the order was made.\n\nYour entry is marked as \u2018satisfied\u2019 if you repay your debts in full.\n\nYou can also ask the court for a \u2018certificate of satisfaction\u2019. To do this, write to the court and send a cheque for \u00a315 (made payable to Her Majesty\u2019s Courts and Tribunal Service).\n\n## Individual Voluntary Arrangements\n\nAn Individual Voluntary Arrangement (IVA) is an agreement with your creditors to pay all or part of your debts. You agree to make regular payments to an insolvency practitioner, who will divide this money between your creditors.\n\nAn IVA can give you more control of your assets than bankruptcy.\n\nThe Money Advice Service has information on organisations that can give you free advice about whether an IVA is right for you.\n\n## Get an Individual Voluntary Arrangement (IVA)\n\nUse an insolvency practitioner to get an IVA.\n\nYour insolvency practitioner works out what you can afford to repay and how long the IVA lasts. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.\n\nYour insolvency practitioner will contact your creditors. The IVA will start if the creditors holding 75% of your debts agree to it. It will apply to all your creditors, including any who disagreed to it.\n\nAn IVA will stop your creditors taking action against you for your debts.\n\n## Costs\n\nThere are usually 2 fees:\n\n- a set up fee\n\n- a handling fee each time you make a payment\n\nMake sure you know how much it\u2019s going to cost before asking an insolvency practitioner to act for you.\n\n## Your responsibilities\n\nYour IVA can be cancelled by the insolvency practitioner if you do not keep up your repayments. The insolvency practitioner can make you bankrupt.\n\nYou may still be able to keep your business running, if you have one.\n\n## Public records\n\nYour IVA will be added to the Individual Insolvency Register. It\u2019s removed 3 months after the IVA ends.\n\n## Debt Relief Orders\n\nDebt Relief Orders (DROs) are one way to deal with your debts if you owe less than \u00a320,000, do not have much spare income and do not own your home.\n\nIf you get one:\n\n- your creditors cannot recover their money without the court\u2019s permission\n\n- you\u2019re usually freed (\u2018discharged\u2019) from your debts after 12 months\n\n## Get a Debt Relief Order\n\nYou get a DRO from the official receiver, an officer of the bankruptcy court, but you must apply through an authorised debt adviser. They\u2019ll help you fill in the paperwork.\n\nThere\u2019s a list of organisations that can help you find an authorised debt adviser in the guide to DROs.\n\nThe Money Advice Service has information about where to get free debt advice.\n\n## Costs\n\nThe official receiver\u2019s fee is \u00a390. Your debt adviser can tell you how and when to pay it. In some cases a charity may be able to help you with the cost - ask your debt adviser.\n\n## Eligibility\n\nYou\u2019re generally eligible if you meet all of these criteria:\n\n- you owe less than \u00a320,000\n\n- you\u2019ve less than \u00a350 a month spare income\n\n- you\u2019ve less than \u00a31,000 worth of assets\n\n- you\u2019ve lived or worked in England and Wales within the last 3 years\n\n- you have not applied for a DRO within the last 6 years\n\n## Restrictions\n\nYou must follow rules called \u2018restrictions\u2019 if you get a DRO.\n\nThis means you cannot:\n\n- borrow more than \u00a3500 without telling the lender about your DRO\n\n- act as the director of a company\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business without telling those you do business with about your DRO\n\nIf you want to open a bank account, you may also have to tell the bank or building society about your DRO.\n\nCheck the Individual Insolvency Register to see when the restrictions end.\n\nThe restrictions usually last 12 months. They can be extended if careless or dishonest behaviour caused your debt problem. For example, you lied to get credit.\n\nThe official receiver will tell you if they should be extended. To extend them, you\u2019ll be asked to agree to a \u2018Debt Relief Restrictions Undertaking\u2019. The court can issue a \u2018Debt Relief Restrictions Order\u2019 if you do not agree.\n\n## What you need to know\n\nWhile you have a DRO you still have to pay:\n\n- your rent and bills\n\n- certain debts, for example student loans, court fines\n\nDROs can be cancelled if:\n\n- your finances improve\n\n- you do not co-operate with the official receiver - for example you do not give them the information they ask for\n\nIf you get new debt after your DRO is approved you could:\n\n- get a bankruptcy order\n\n- be prosecuted if you do not tell new creditors about your DRO\n\nYour DRO is added to the Individual Insolvency Register - it\u2019s removed 3 months after the DRO ends.\n\nYour DRO will stay on your credit record for 6 years.", + "original_contents": [ + "

    Overview

    ", + "

    If you owe people money (your \u2018creditors\u2019) you can make arrangements to pay your debts. Your options depend on the amount of money and assets you have.

    ", + "

    Where you can get help

    ", + "

    Speak to a debt adviser to get help choosing the best way to deal with your debt.

    ", + "

    The Money Advice Service has information about debt management and free debt advisory services.

    ", + "

    Paying off your debts

    ", + "

    You can pay your debts in instalments by setting up:

    ", + "
  • a Debt Management Plan which is an agreement with your creditors managed by a financial company
  • ", + "
  • an Administration Order when you\u2019ve had a county court judgment (CCJ) or a High Court judgment (HCJ) against you for debts under \u00a35,000
  • ", + "
  • an Individual Voluntary Arrangement which is managed by an insolvency practitioner
  • ", + "

    You can also get temporary protection from your creditors through the \u2018Breathing Space\u2019 scheme, while still making repayments. You\u2019ll need to apply through a debt advisor.

    ", + "

    In Scotland you can arrange a Debt Payment Programme from the Debt Arrangement Scheme.

    ", + "

    You may also have the option of reaching an informal agreement with your creditors.

    ", + "

    If you cannot pay off your debt

    ", + "

    You can apply for a Debt Relief Order or Bankruptcy Order if you cannot pay your debts because you do not have enough money or assets you can sell.

    ", + "

    If you cannot pay off your debts, you can be made bankrupt.

    ", + "

    Breathing Space (Debt Respite Scheme)

    ", + "

    If you live in England or Wales, you can get temporary protection from your creditors while you get debt advice and make a plan. This scheme is called \u2018Breathing Space\u2019.

    ", + "

    You can get temporary protection for up to 60 days.

    ", + "

    You\u2019ll still need to make your debt repayments.

    ", + "

    If you get it:

    ", + "
  • enforcement action cannot be taken against you
  • ", + "
  • your creditors cannot contact you about debts included in your Breathing Space
  • ", + "
  • your creditors cannot add interest or charges to your debt
  • ", + "

    If you\u2019re getting mental health crisis treatment, your protection from creditors will be longer. It will last for the length of your treatment, plus another 30 days.

    ", + "

    How to apply for the Breathing Space scheme

    ", + "

    To apply for the \u2018Breathing Space\u2019 scheme, you need to talk to a debt adviser. They will submit an application on your behalf if it\u2019s the right thing to do.

    ", + "

    You can find a free debt adviser on the Money Advice Service website. You can get confidential advice online, over the phone or in person.

    ", + "

    If you\u2019re receiving mental health treatment and cannot speak to a debt adviser, someone else can do so on your behalf.

    ", + "

    Costs

    ", + "

    It\u2019s free to apply for \u2018Breathing Space\u2019, but some debt advisers may charge you a fee.

    ", + "

    Eligibility

    ", + "

    You must:

    ", + "
  • not have a debt relief order (DRO), an individual voluntary arrangement (IVA), an interim order, or be an undischarged bankrupt at the time you apply
  • ", + "
  • not already be using the \u2018Breathing Space\u2019 scheme
  • ", + "
  • not have used the \u2018Breathing Space\u2019 scheme in the last 12 months, unless it was for a mental health crisis
  • ", + "

    Debt Management Plans

    ", + "

    A Debt Management Plan is an agreement between you and your creditors to pay all of your debts.

    ", + "

    Debt management plans are usually used when either:

    ", + "
  • you can only afford to pay creditors a small amount each month
  • ", + "
  • you have debt problems but will be able to make repayments in a few months
  • ", + "

    You can arrange a plan with your creditors yourself or through a licensed debt management company for a fee. If you arrange this with a company:

    ", + "
  • you make regular payments to the company
  • ", + "
  • the company shares the money out between your creditors
  • ", + "

    The Money Advice Service has information on organisations that can give you free advice about whether a Debt Management Plan is right for you.

    ", + "

    Get a Debt Management Plan

    ", + "
  • Set up a plan with a debt management company authorised by the Financial Conduct Authority (FCA). Search the Financial Services Register for an authorised company.
  • ", + "
  • The company works out your monthly payments. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.
  • ", + "
  • The company contacts your creditors and asks them to agree to the plan (they do not have to).
  • ", + "

    Unless stated in the agreement, your creditors can still:

    ", + "
  • ask you to pay your full debt at a later date
  • ", + "
  • take action to recover their money even if you keep up your payments
  • ", + "

    Costs

    ", + "

    Some companies will charge:

    ", + "
  • a set up fee
  • ", + "
  • a handling fee each time you make a payment
  • ", + "

    Make sure you understand the costs of your plan and how you pay for it.

    ", + "

    Eligibility

    ", + "

    Debt Management Plans can only be used to pay \u2018unsecured\u2019 debts, for example debts that have not been guaranteed against your property.

    ", + "

    Your responsibilities

    ", + "

    Your plan can be cancelled if you do not keep up your repayments.

    ", + "

    Administration orders

    ", + "

    An administration order is a way to deal with debt if you have a county court or High Court judgment against you and you cannot pay in full.

    ", + "

    The debt must be less than \u00a35,000.

    ", + "

    You make 1 payment a month to your local court. The court will divide this money between your creditors.

    ", + "

    Creditors listed on the administration order cannot take any further action against you without the court\u2019s permission.

    ", + "

    The Money Advice Service has information on organisations that can give you free advice about whether an administration order is right for you.

    ", + "

    Get an administration order

    ", + "

    Fill in an application for an administration order (form N92) and return it to your local court.

    ", + "

    The court decides:

    ", + "
  • how much of your debt you have to repay, for example all or just part of it
  • ", + "
  • how much your monthly repayments will be
  • ", + "
  • how long the arrangement lasts
  • ", + "

    The arrangement is known as a \u2018composition order\u2019 if you cannot pay all your debts.

    ", + "

    Costs

    ", + "

    There\u2019s a court fee each time you make a payment. This cannot be more than 10% of your debt.

    ", + "

    Eligibility

    ", + "

    You must:

    ", + "
  • owe less than \u00a35,000, including any interest and charges
  • ", + "
  • owe money to at least 2 creditors
  • ", + "
  • prove you can afford regular repayments, for example by giving details of your income
  • ", + "
  • have a county court or High Court judgment against you, which you cannot pay in full
  • ", + "

    Your responsibilities

    ", + "

    You must keep up your repayments or the court can:

    ", + "
  • ask your employer take money from your wages \u2013 known as an \u2018attachment of earnings order\u2019
  • ", + "
  • cancel the arrangement
  • ", + "

    You may still be able to keep your business running, if you have one.

    ", + "

    Public records

    ", + "

    Your administration order is added to the Register of Judgments, Orders and Fines.

    ", + "

    It\u2019s usually removed 6 years after the date the order was made.

    ", + "

    Your entry is marked as \u2018satisfied\u2019 if you repay your debts in full.

    ", + "

    You can also ask the court for a \u2018certificate of satisfaction\u2019. To do this, write to the court and send a cheque for \u00a315 (made payable to Her Majesty\u2019s Courts and Tribunal Service).

    ", + "

    Individual Voluntary Arrangements

    ", + "

    An Individual Voluntary Arrangement (IVA) is an agreement with your creditors to pay all or part of your debts. You agree to make regular payments to an insolvency practitioner, who will divide this money between your creditors.

    ", + "

    An IVA can give you more control of your assets than bankruptcy.

    ", + "

    The Money Advice Service has information on organisations that can give you free advice about whether an IVA is right for you.

    ", + "

    Get an Individual Voluntary Arrangement (IVA)

    ", + "

    Use an insolvency practitioner to get an IVA.

    ", + "

    Your insolvency practitioner works out what you can afford to repay and how long the IVA lasts. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.

    ", + "

    Your insolvency practitioner will contact your creditors. The IVA will start if the creditors holding 75% of your debts agree to it. It will apply to all your creditors, including any who disagreed to it.

    ", + "

    An IVA will stop your creditors taking action against you for your debts.

    ", + "

    Costs

    ", + "

    There are usually 2 fees:

    ", + "
  • a set up fee
  • ", + "
  • a handling fee each time you make a payment
  • ", + "

    Make sure you know how much it\u2019s going to cost before asking an insolvency practitioner to act for you.

    ", + "

    Your responsibilities

    ", + "

    Your IVA can be cancelled by the insolvency practitioner if you do not keep up your repayments. The insolvency practitioner can make you bankrupt.

    ", + "

    You may still be able to keep your business running, if you have one.

    ", + "

    Public records

    ", + "

    Your IVA will be added to the Individual Insolvency Register. It\u2019s removed 3 months after the IVA ends.

    ", + "

    Debt Relief Orders

    ", + "

    Debt Relief Orders (DROs) are one way to deal with your debts if you owe less than \u00a320,000, do not have much spare income and do not own your home.

    ", + "

    If you get one:

    ", + "
  • your creditors cannot recover their money without the court\u2019s permission
  • ", + "
  • you\u2019re usually freed (\u2018discharged\u2019) from your debts after 12 months
  • ", + "

    Get a Debt Relief Order

    ", + "

    You get a DRO from the official receiver, an officer of the bankruptcy court, but you must apply through an authorised debt adviser. They\u2019ll help you fill in the paperwork.

    ", + "

    There\u2019s a list of organisations that can help you find an authorised debt adviser in the guide to DROs.

    ", + "

    The Money Advice Service has information about where to get free debt advice.

    ", + "

    Costs

    ", + "

    The official receiver\u2019s fee is \u00a390. Your debt adviser can tell you how and when to pay it. In some cases a charity may be able to help you with the cost - ask your debt adviser.

    ", + "

    Eligibility

    ", + "

    You\u2019re generally eligible if you meet all of these criteria:

    ", + "
  • you owe less than \u00a320,000
  • ", + "
  • you\u2019ve less than \u00a350 a month spare income
  • ", + "
  • you\u2019ve less than \u00a31,000 worth of assets
  • ", + "
  • you\u2019ve lived or worked in England and Wales within the last 3 years
  • ", + "
  • you have not applied for a DRO within the last 6 years
  • ", + "

    Restrictions

    ", + "

    You must follow rules called \u2018restrictions\u2019 if you get a DRO.

    ", + "

    This means you cannot:

    ", + "
  • borrow more than \u00a3500 without telling the lender about your DRO
  • ", + "
  • act as the director of a company
  • ", + "
  • create, manage or promote a company without the court\u2019s permission
  • ", + "
  • manage a business without telling those you do business with about your DRO
  • ", + "

    If you want to open a bank account, you may also have to tell the bank or building society about your DRO.

    ", + "

    Check the Individual Insolvency Register to see when the restrictions end.

    ", + "

    The restrictions usually last 12 months. They can be extended if careless or dishonest behaviour caused your debt problem. For example, you lied to get credit.

    ", + "

    The official receiver will tell you if they should be extended. To extend them, you\u2019ll be asked to agree to a \u2018Debt Relief Restrictions Undertaking\u2019. The court can issue a \u2018Debt Relief Restrictions Order\u2019 if you do not agree.

    ", + "

    What you need to know

    ", + "

    While you have a DRO you still have to pay:

    ", + "
  • your rent and bills
  • ", + "
  • certain debts, for example student loans, court fines
  • ", + "

    DROs can be cancelled if:

    ", + "
  • your finances improve
  • ", + "
  • you do not co-operate with the official receiver - for example you do not give them the information they ask for
  • ", + "

    If you get new debt after your DRO is approved you could:

    ", + "
  • get a bankruptcy order
  • ", + "
  • be prosecuted if you do not tell new creditors about your DRO
  • ", + "

    Your DRO is added to the Individual Insolvency Register - it\u2019s removed 3 months after the DRO ends.

    ", + "

    Your DRO will stay on your credit record for 6 years.

    " + ] + }, + "https://www.gov.uk/tax-appeals": { + "url": "https://www.gov.uk/tax-appeals", + "title": "Disagree with a tax decision", + "content": "## Overview\n\nYou can contact HM Revenue and Customs (HMRC) if you have a query about a tax decision. If you do not understand the decision you can also get advice from HMRC or professional help.\n\nThis guide is also available in Welsh (Cymraeg).\n\nHMRC will send you a decision letter that will tell you if you can appeal against a tax decision.\n\nYou can appeal against some decisions about:\n\n- your tax bill (for example Self Assessment, Corporation Tax, VAT)\n\n- a claim for tax relief\n\n- a request for information or to check your business records\n\n- a penalty (for example if you paid your tax late or filed your tax return late)\n\nYour appeal can be made by someone who deals with your taxes, for example an accountant.\n\nYou\u2019ll usually have to pay your own costs if you appeal a tax decision. You may be able to delay the payment of a penalty or any tax you owe until your appeal\u2019s been resolved.\n\n## If HMRC did not act on information\n\nYou may be able to ask HMRC to cancel tax you owe if they did not act on information that you, your employer or the Department for Work and Pensions (DWP) gave them.\n\nYou can do this if you owe:\n\n- Income Tax, for example because you were on the wrong tax code\n\n- Capital Gains Tax\n\n- Class 4 National Insurance contributions\n\n## Appeal against a tax decision\n\nHM Revenue and Customs (HMRC) will write to tell you if you can appeal. You can use the appeal form you got with your decision letter, or write to HMRC at the address on the letter. You usually have 30 days to appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any decision dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\nYou must include:\n\n- your name or business name\n\n- your tax reference number (this will be on the decision letter)\n\n- what you disagree with and why\n\n- what you think the correct figures are and how you\u2019ve calculated them\n\n- your signature\n\nYou should also tell HMRC if you have any extra information or if you think they\u2019ve missed something.\n\nIf you do not have a letter you can write to the HMRC office related to your return.\n\nIf you want to appeal a decision about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can request a review by HMRC or appeal straight to the tax tribunal.\n\nIf customs has seized your things because you have not paid duty or VAT, you can ask for your things back.\n\n## What happens next\n\nWhen you appeal you can accept HMRC\u2019s offer of a review, or request one (if it\u2019s for direct tax). HMRC will tell you what to do next.\n\nA review will be carried out by someone who was not involved in the original decision. This usually takes 45 days, but HMRC will contact you if it will take longer.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Appeal against a penalty\n\nYou can appeal to HM Revenue and Customs (HMRC) against a penalty, for example for:\n\n- an inaccurate return\n\n- sending in your tax return late\n\n- paying tax late\n\n- failing to keep adequate records\n\nA HMRC officer who was not previously involved with your penalty decision will carry out a review if you appeal.\n\nIf you want to appeal a penalty about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can either:\n\n- request a review from HMRC\n\n- appeal straight to the tax tribunal\n\nYour penalty may be cancelled or amended if you have a reasonable excuse.\n\n## How to appeal\n\nIf HMRC sends you a penalty letter by post, use the appeal form that comes with it or follow the instructions on the letter.\n\nFor Self Assessment, PAYE, VAT and Corporation Tax, there are extra documents you can use or alternative ways to appeal.\n\n## If you\u2019re appealing a Self Assessment penalty\n\nYou can get your penalty cancelled if you did not send a tax return because you no longer needed to. Tell HMRC online you do not need to be self assessed or call the helpline.\n\nOtherwise, to appeal you\u2019ll need:\n\n- the date the penalty was issued\n\n- the date you filed your Self Assessment tax return\n\n- details of your reasonable excuse for late filing\n\nIf you\u2019re appealing a \u00a3100 late filing penalty from tax year 2015 to 2016 onwards, you can appeal online or by post. You\u2019ll need to set up a Government Gateway account if you do not have one to appeal online.\n\nFor other penalties, you need to appeal by post. Send a completed form SA370 or a letter explaining your appeal to HMRC Self Assessment.\n\nIf you\u2019re appealing a penalty to a partnership for a late tax return, appeal by post using form SA371. Only the nominated partner can appeal.\n\n## If you\u2019re an employer appealing a PAYE penalty\n\nYou can appeal online if you\u2019re registered for HMRC\u2019s PAYE for employers service. Once you\u2019ve logged in, select \u2018Appeal a penalty\u2019. You\u2019ll get an immediate acknowledgment when you submit your appeal.\n\n## If you filed a late VAT or Corporation Tax return\n\nYou can also use these specific forms for:\n\n- VAT if you had a reasonable excuse for filing late\n\n- Corporation Tax if you filed late because of computer problems\n\n## If you do not have an appeal form\n\nYou can send a signed letter to HMRC instead. Your letter must include:\n\n- your name\n\n- your reference number, for example your Self Assessment Unique Taxpayer Reference (UTR) or VAT registration number\n\n- a full explanation of why your return or payment was late, including dates\n\nIf you could not file or pay because of computer problems, you should include the date you tried to file or pay online with details of any system error message.\n\nSend your claim to the HMRC office related to your return.\n\n## Deadlines\n\nYou must usually appeal within 30 days of the date of the penalty notice.\n\nIf you miss this deadline you must explain the reason for the delay so that HMRC can decide if they\u2019ll consider your appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any penalty dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Delay payment while appealing\n\nYou may be able to delay paying a tax bill or penalty if you disagree with the amount.\n\n## Direct tax\n\nIf you\u2019ve appealed to HM Revenue and Customs (HMRC) against a direct tax decision (such as Income Tax, Corporation Tax or Capital Gains Tax) write to the HMRC office that sent you the decision, telling them:\n\n- why you think the amount you\u2019ve been asked to pay is too much\n\n- what you think the correct amount is and when you\u2019ll pay it\n\nHMRC will tell you in writing if they agree.\n\n## Penalty\n\nIf you\u2019ve appealed against a penalty you will not have to pay until your appeal has been settled.\n\n## Indirect tax\n\nIf you\u2019ve asked HMRC to review an indirect tax decision, for example VAT or Insurance Premium Tax, you will not need to pay until the review has finished.\n\nIf you appeal to the tax tribunal you\u2019ll usually have to pay the tax before they will hear your appeal. You can ask to delay paying the tax if it would cause you extreme financial difficulty (for example, bankruptcy or liquidation).\n\nOnce a final decision has been reached, you must pay any money that you owe in full including interest.\n\n## Penalty\n\nIf you\u2019ve asked for a review, or appealed to the tribunal about a penalty, HMRC will not ask you to pay it until your appeal has been settled.\n\n## If you disagree with HMRC\u2019s decision\n\nYou can ask for the decision to be reviewed if you do not agree with the outcome.\n\n## Reasonable excuses\n\nYou can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.\n\n## What may count as a reasonable excuse\n\nA reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:\n\n- your partner or another close relative died shortly before the tax return or payment deadline\n\n- you had an unexpected stay in hospital that prevented you from dealing with your tax affairs\n\n- you had a serious or life-threatening illness\n\n- your computer or software failed just before or while you were preparing your online return\n\n- service issues with HM Revenue and Customs (HMRC) online services\n\n- a fire, flood or theft prevented you from completing your tax return\n\n- postal delays that you could not have predicted\n\n- delays related to a disability you have\n\nYou must send your return or payment as soon as possible after your reasonable excuse is resolved.\n\n## If you\u2019re affected by coronavirus (COVID-19)\n\nHMRC will consider coronavirus as a reasonable excuse for missing some tax obligations (such as payments or filing dates).\n\nExplain how you were affected by coronavirus in your appeal. You must still make the return or payment as soon as you can.\n\n## What will not count as a reasonable excuse\n\nThe following will not be accepted as a reasonable excuse:\n\n- you relied on someone else to send your return and they did not\n\n- your cheque bounced or payment failed because you did not have enough money\n\n- you found the HMRC online system too difficult to use\n\n- you did not get a reminder from HMRC\n\n- you made a mistake on your tax return", + "original_contents": [ + "

    Overview

    ", + "

    You can contact HM Revenue and Customs (HMRC) if you have a query about a tax decision. If you do not understand the decision you can also get advice from HMRC or professional help.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    HMRC will send you a decision letter that will tell you if you can appeal against a tax decision.

    ", + "

    You can appeal against some decisions about:

    ", + "
  • your tax bill (for example Self Assessment, Corporation Tax, VAT)
  • ", + "
  • a claim for tax relief
  • ", + "
  • a request for information or to check your business records
  • ", + "
  • a penalty (for example if you paid your tax late or filed your tax return late)
  • ", + "

    Your appeal can be made by someone who deals with your taxes, for example an accountant.

    ", + "

    You\u2019ll usually have to pay your own costs if you appeal a tax decision. You may be able to delay the payment of a penalty or any tax you owe until your appeal\u2019s been resolved.

    ", + "

    If HMRC did not act on information

    ", + "

    You may be able to ask HMRC to cancel tax you owe if they did not act on information that you, your employer or the Department for Work and Pensions (DWP) gave them.

    ", + "

    You can do this if you owe:

    ", + "
  • Income Tax, for example because you were on the wrong tax code
  • ", + "
  • Capital Gains Tax
  • ", + "
  • Class 4 National Insurance contributions
  • ", + "

    Appeal against a tax decision

    ", + "

    HM Revenue and Customs (HMRC) will write to tell you if you can appeal. You can use the appeal form you got with your decision letter, or write to HMRC at the address on the letter. You usually have 30 days to appeal.

    ", + "

    If you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any decision dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.

    ", + "

    You must include:

    ", + "
  • your name or business name
  • ", + "
  • your tax reference number (this will be on the decision letter)
  • ", + "
  • what you disagree with and why
  • ", + "
  • what you think the correct figures are and how you\u2019ve calculated them
  • ", + "
  • your signature
  • ", + "

    You should also tell HMRC if you have any extra information or if you think they\u2019ve missed something.

    ", + "

    If you do not have a letter you can write to the HMRC office related to your return.

    ", + "

    If you want to appeal a decision about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can request a review by HMRC or appeal straight to the tax tribunal.

    ", + "

    If customs has seized your things because you have not paid duty or VAT, you can ask for your things back.

    ", + "

    What happens next

    ", + "

    When you appeal you can accept HMRC\u2019s offer of a review, or request one (if it\u2019s for direct tax). HMRC will tell you what to do next.

    ", + "

    A review will be carried out by someone who was not involved in the original decision. This usually takes 45 days, but HMRC will contact you if it will take longer.

    ", + "

    If you disagree with HMRC\u2019s review

    ", + "

    You can:

    ", + "
  • ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision
  • ", + "
  • consider alternative dispute resolution (ADR)
  • ", + "

    Because of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:

    ", + "
  • your review decision is dated February 2020 or later
  • ", + "
  • you ask within 3 months of the normal deadline
  • ", + "

    Appeal against a penalty

    ", + "

    You can appeal to HM Revenue and Customs (HMRC) against a penalty, for example for:

    ", + "
  • an inaccurate return
  • ", + "
  • sending in your tax return late
  • ", + "
  • paying tax late
  • ", + "
  • failing to keep adequate records
  • ", + "

    A HMRC officer who was not previously involved with your penalty decision will carry out a review if you appeal.

    ", + "

    If you want to appeal a penalty about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can either:

    ", + "
  • request a review from HMRC
  • ", + "
  • appeal straight to the tax tribunal
  • ", + "

    Your penalty may be cancelled or amended if you have a reasonable excuse.

    ", + "

    How to appeal

    ", + "

    If HMRC sends you a penalty letter by post, use the appeal form that comes with it or follow the instructions on the letter.

    ", + "

    For Self Assessment, PAYE, VAT and Corporation Tax, there are extra documents you can use or alternative ways to appeal.

    ", + "

    If you\u2019re appealing a Self Assessment penalty

    ", + "

    You can get your penalty cancelled if you did not send a tax return because you no longer needed to. Tell HMRC online you do not need to be self assessed or call the helpline.

    ", + "

    Otherwise, to appeal you\u2019ll need:

    ", + "
  • the date the penalty was issued
  • ", + "
  • the date you filed your Self Assessment tax return
  • ", + "
  • details of your reasonable excuse for late filing
  • ", + "

    If you\u2019re appealing a \u00a3100 late filing penalty from tax year 2015 to 2016 onwards, you can appeal online or by post. You\u2019ll need to set up a Government Gateway account if you do not have one to appeal online.

    ", + "

    For other penalties, you need to appeal by post. Send a completed form SA370 or a letter explaining your appeal to HMRC Self Assessment.

    ", + "

    If you\u2019re appealing a penalty to a partnership for a late tax return, appeal by post using form SA371. Only the nominated partner can appeal.

    ", + "

    If you\u2019re an employer appealing a PAYE penalty

    ", + "

    You can appeal online if you\u2019re registered for HMRC\u2019s PAYE for employers service. Once you\u2019ve logged in, select \u2018Appeal a penalty\u2019. You\u2019ll get an immediate acknowledgment when you submit your appeal.

    ", + "

    If you filed a late VAT or Corporation Tax return

    ", + "

    You can also use these specific forms for:

    ", + "
  • VAT if you had a reasonable excuse for filing late
  • ", + "
  • Corporation Tax if you filed late because of computer problems
  • ", + "

    If you do not have an appeal form

    ", + "

    You can send a signed letter to HMRC instead. Your letter must include:

    ", + "
  • your name
  • ", + "
  • your reference number, for example your Self Assessment Unique Taxpayer Reference (UTR) or VAT registration number
  • ", + "
  • a full explanation of why your return or payment was late, including dates
  • ", + "

    If you could not file or pay because of computer problems, you should include the date you tried to file or pay online with details of any system error message.

    ", + "

    Send your claim to the HMRC office related to your return.

    ", + "

    Deadlines

    ", + "

    You must usually appeal within 30 days of the date of the penalty notice.

    ", + "

    If you miss this deadline you must explain the reason for the delay so that HMRC can decide if they\u2019ll consider your appeal.

    ", + "

    If you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any penalty dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.

    ", + "

    If you disagree with HMRC\u2019s review

    ", + "

    You can:

    ", + "
  • ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision
  • ", + "
  • consider alternative dispute resolution (ADR)
  • ", + "

    Because of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:

    ", + "
  • your review decision is dated February 2020 or later
  • ", + "
  • you ask within 3 months of the normal deadline
  • ", + "

    Delay payment while appealing

    ", + "

    You may be able to delay paying a tax bill or penalty if you disagree with the amount.

    ", + "

    Direct tax

    ", + "

    If you\u2019ve appealed to HM Revenue and Customs (HMRC) against a direct tax decision (such as Income Tax, Corporation Tax or Capital Gains Tax) write to the HMRC office that sent you the decision, telling them:

    ", + "
  • why you think the amount you\u2019ve been asked to pay is too much
  • ", + "
  • what you think the correct amount is and when you\u2019ll pay it
  • ", + "

    HMRC will tell you in writing if they agree.

    ", + "

    Penalty

    ", + "

    If you\u2019ve appealed against a penalty you will not have to pay until your appeal has been settled.

    ", + "

    Indirect tax

    ", + "

    If you\u2019ve asked HMRC to review an indirect tax decision, for example VAT or Insurance Premium Tax, you will not need to pay until the review has finished.

    ", + "

    If you appeal to the tax tribunal you\u2019ll usually have to pay the tax before they will hear your appeal. You can ask to delay paying the tax if it would cause you extreme financial difficulty (for example, bankruptcy or liquidation).

    ", + "

    Once a final decision has been reached, you must pay any money that you owe in full including interest.

    ", + "

    Penalty

    ", + "

    If you\u2019ve asked for a review, or appealed to the tribunal about a penalty, HMRC will not ask you to pay it until your appeal has been settled.

    ", + "

    If you disagree with HMRC\u2019s decision

    ", + "

    You can ask for the decision to be reviewed if you do not agree with the outcome.

    ", + "

    Reasonable excuses

    ", + "

    You can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.

    ", + "

    What may count as a reasonable excuse

    ", + "

    A reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:

    ", + "
  • your partner or another close relative died shortly before the tax return or payment deadline
  • ", + "
  • you had an unexpected stay in hospital that prevented you from dealing with your tax affairs
  • ", + "
  • you had a serious or life-threatening illness
  • ", + "
  • your computer or software failed just before or while you were preparing your online return
  • ", + "
  • service issues with HM Revenue and Customs (HMRC) online services
  • ", + "
  • a fire, flood or theft prevented you from completing your tax return
  • ", + "
  • postal delays that you could not have predicted
  • ", + "
  • delays related to a disability you have
  • ", + "

    You must send your return or payment as soon as possible after your reasonable excuse is resolved.

    ", + "

    If you\u2019re affected by coronavirus (COVID-19)

    ", + "

    HMRC will consider coronavirus as a reasonable excuse for missing some tax obligations (such as payments or filing dates).

    ", + "

    Explain how you were affected by coronavirus in your appeal. You must still make the return or payment as soon as you can.

    ", + "

    What will not count as a reasonable excuse

    ", + "

    The following will not be accepted as a reasonable excuse:

    ", + "
  • you relied on someone else to send your return and they did not
  • ", + "
  • your cheque bounced or payment failed because you did not have enough money
  • ", + "
  • you found the HMRC online system too difficult to use
  • ", + "
  • you did not get a reminder from HMRC
  • ", + "
  • you made a mistake on your tax return
  • " + ] + }, + "https://www.gov.uk/get-help-hmrc-extra-support": { + "url": "https://www.gov.uk/get-help-hmrc-extra-support", + "title": "Get help from HMRC if you need extra support", + "content": "## Help you can get\n\nHM Revenue and Customs (HMRC) can help you if you need extra support because of your condition or circumstances. You might need extra support if:\n\n- you have dyslexia, autism or cognitive difficulties\n\n- you have reduced mobility or physical disabilities\n\n- you have sensory disabilities, like a visual, hearing or speech impairment\n\n- you have mental health conditions, like depression, stress or anxiety\n\n- you\u2019re experiencing financial hardship - for example you cannot afford essentials like food, bills or rent\n\n- you\u2019re a victim of domestic abuse, including economic abuse\n\n- you\u2019re in hospital\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere are different ways to contact HMRC if you need:\n\n- to use textphone, webchat or BSL\n\n- information in a different format\n\n- help filling in forms\n\n- more time because of your circumstances\n\n- information in another language\n\n- to appoint someone to talk to HMRC on your behalf\n\nIf you have a scheduled face-to-face appointment, you should not go to it at the moment because of coronavirus (COVID-19). HMRC will contact you instead.\n\n## If you cannot use a telephone and need a different way to contact HMRC\n\nThere are other ways to contact HM Revenue and Customs (HMRC) than by telephone. You might need to use another form of contact if:\n\n- you\u2019re deaf, hearing impaired or hard of hearing\n\n- you have a speech impairment\n\n- you use British Sign Language (BSL)\n\n- you have difficulty using the telephone\n\n## Text Service (Relay UK)\n\nDial 18001 then the relevant contact number to use the Relay UK Text Service.\n\nHMRC also offers a textphone service for some of its helplines.\n\n## Webchat\n\nYou can contact HMRC\u2019s extra support team using webchat.\n\n## If you use British Sign Language (BSL)\n\nThe Royal Association for Deaf people provides:\n\n- webcam appointments with their tax adviser\n\n- a video interpreting service\n\n- BSL-captioned video clips linked to HMRC guidance\n\n## Home visits and appointments\n\nBecause of coronavirus (COVID-19), HMRC cannot do home visits and face-to-face appointments at the moment.\n\n## If you need information in a different format\n\nHM Revenue and Customs (HMRC) information is available in accessible formats. You might need an alternative format if:\n\n- you\u2019re visually impaired\n\n- you have dyslexia or autism\n\n- you have another condition which makes standard print difficult\n\nContact HMRC if you need a form, leaflet or other information in any of the following formats:\n\n- Braille\n\n- large print\n\n- audio on CD\n\n- text on CD (standard or large print)\n\n- other formats, for example coloured paper\n\nCall the relevant contact number and tell HMRC what help you need. For example, call \u2018Self Assessment: general enquiries\u2019 if you need a large-print tax return. They will transfer you to HMRC\u2019s extra support team.\n\nYou can also contact HMRC\u2019s extra support team using webchat.\n\n## If you need help filling in forms\n\nHM Revenue and Customs (HMRC) can help you with filling in forms. You might need help if:\n\n- you have a mental health condition, like depression, stress or anxiety\n\n- you have a visual impairment, dyslexia, autism or cognitive difficulties\n\n- you have another condition which makes filling in forms difficult\n\n- you\u2019re experiencing financial hardship - for example you cannot afford essentials like food, bills or rent\n\n- you\u2019re a victim of domestic abuse, including economic abuse\n\nTo get help with filling in forms, call the relevant contact number and tell HMRC what help you need. They will transfer you to HMRC\u2019s extra support team.\n\nYou can also contact HMRC\u2019s extra support team using webchat.\n\n## If you need more time because of your circumstances\n\nIn certain circumstances, HM Revenue and Customs (HMRC) can give you an extension to a deadline or spend more time with you on the phone. You can ask for more time if, for example:\n\n- you have a mental health condition, like depression, stress or anxiety\n\n- you have a visual impairment, dyslexia, autism or cognitive difficulties\n\n- you have another condition which means you need more time\n\n- you\u2019re experiencing financial difficulties - for example, if you\u2019ve been laid off because of coronavirus (COVID-19)\n\n- you\u2019re in hospital (someone else can ask HMRC for you)\n\n- you\u2019re a victim of domestic abuse, including economic abuse\n\nTo ask for more time because of your circumstances, call the relevant contact number and tell HMRC what help you need. They will transfer you to HMRC\u2019s extra support team. You may need to prove why you need more time.\n\nYou can also contact HMRC\u2019s extra support team using webchat.\n\n## If you need information in another language\n\nYou can use a friend or family member as an interpreter when you phone HM Revenue and Customs (HMRC).\n\nThey must be over 16 and will need to be in the same room as you when you call HMRC.\n\nHMRC may also be able to organise an interpreter for you.\n\nUse the relevant contact number, for example the Self Assessment helpline, if you need help with your tax return.\n\nYou can also ask for information in another language using webchat.\n\n## If you need someone to talk to HMRC for you\n\nIf you find it difficult to deal with HM Revenue and Customs (HMRC) yourself, you can appoint someone to talk to HMRC for you. This can be a friend, relative or an adviser from a voluntary organisation.", + "original_contents": [ + "

    Help you can get

    ", + "

    HM Revenue and Customs (HMRC) can help you if you need extra support because of your condition or circumstances. You might need extra support if:

    ", + "
  • you have dyslexia, autism or cognitive difficulties
  • ", + "
  • you have reduced mobility or physical disabilities
  • ", + "
  • you have sensory disabilities, like a visual, hearing or speech impairment
  • ", + "
  • you have mental health conditions, like depression, stress or anxiety
  • ", + "
  • you\u2019re experiencing financial hardship - for example you cannot afford essentials like food, bills or rent
  • ", + "
  • you\u2019re a victim of domestic abuse, including economic abuse
  • ", + "
  • you\u2019re in hospital
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    There are different ways to contact HMRC if you need:

    ", + "
  • to use textphone, webchat or BSL
  • ", + "
  • information in a different format
  • ", + "
  • help filling in forms
  • ", + "
  • more time because of your circumstances
  • ", + "
  • information in another language
  • ", + "
  • to appoint someone to talk to HMRC on your behalf
  • ", + "

    If you have a scheduled face-to-face appointment, you should not go to it at the moment because of coronavirus (COVID-19). HMRC will contact you instead.

    ", + "

    If you cannot use a telephone and need a different way to contact HMRC

    ", + "

    There are other ways to contact HM Revenue and Customs (HMRC) than by telephone. You might need to use another form of contact if:

    ", + "
  • you\u2019re deaf, hearing impaired or hard of hearing
  • ", + "
  • you have a speech impairment
  • ", + "
  • you use British Sign Language (BSL)
  • ", + "
  • you have difficulty using the telephone
  • ", + "

    Text Service (Relay UK)

    ", + "

    Dial 18001 then the relevant contact number to use the Relay UK Text Service.

    ", + "

    HMRC also offers a textphone service for some of its helplines.

    ", + "

    Webchat

    ", + "

    You can contact HMRC\u2019s extra support team using webchat.

    ", + "

    If you use British Sign Language (BSL)

    ", + "

    The Royal Association for Deaf people provides:

    ", + "
  • webcam appointments with their tax adviser
  • ", + "
  • a video interpreting service
  • ", + "
  • BSL-captioned video clips linked to HMRC guidance
  • ", + "

    Home visits and appointments

    ", + "

    Because of coronavirus (COVID-19), HMRC cannot do home visits and face-to-face appointments at the moment.

    ", + "

    If you need information in a different format

    ", + "

    HM Revenue and Customs (HMRC) information is available in accessible formats. You might need an alternative format if:

    ", + "
  • you\u2019re visually impaired
  • ", + "
  • you have dyslexia or autism
  • ", + "
  • you have another condition which makes standard print difficult
  • ", + "

    Contact HMRC if you need a form, leaflet or other information in any of the following formats:

    ", + "
  • Braille
  • ", + "
  • large print
  • ", + "
  • audio on CD
  • ", + "
  • text on CD (standard or large print)
  • ", + "
  • other formats, for example coloured paper
  • ", + "

    Call the relevant contact number and tell HMRC what help you need. For example, call \u2018Self Assessment: general enquiries\u2019 if you need a large-print tax return. They will transfer you to HMRC\u2019s extra support team.

    ", + "

    You can also contact HMRC\u2019s extra support team using webchat.

    ", + "

    If you need help filling in forms

    ", + "

    HM Revenue and Customs (HMRC) can help you with filling in forms. You might need help if:

    ", + "
  • you have a mental health condition, like depression, stress or anxiety
  • ", + "
  • you have a visual impairment, dyslexia, autism or cognitive difficulties
  • ", + "
  • you have another condition which makes filling in forms difficult
  • ", + "
  • you\u2019re experiencing financial hardship - for example you cannot afford essentials like food, bills or rent
  • ", + "
  • you\u2019re a victim of domestic abuse, including economic abuse
  • ", + "

    To get help with filling in forms, call the relevant contact number and tell HMRC what help you need. They will transfer you to HMRC\u2019s extra support team.

    ", + "

    You can also contact HMRC\u2019s extra support team using webchat.

    ", + "

    If you need more time because of your circumstances

    ", + "

    In certain circumstances, HM Revenue and Customs (HMRC) can give you an extension to a deadline or spend more time with you on the phone. You can ask for more time if, for example:

    ", + "
  • you have a mental health condition, like depression, stress or anxiety
  • ", + "
  • you have a visual impairment, dyslexia, autism or cognitive difficulties
  • ", + "
  • you have another condition which means you need more time
  • ", + "
  • you\u2019re experiencing financial difficulties - for example, if you\u2019ve been laid off because of coronavirus (COVID-19)
  • ", + "
  • you\u2019re in hospital (someone else can ask HMRC for you)
  • ", + "
  • you\u2019re a victim of domestic abuse, including economic abuse
  • ", + "

    To ask for more time because of your circumstances, call the relevant contact number and tell HMRC what help you need. They will transfer you to HMRC\u2019s extra support team. You may need to prove why you need more time.

    ", + "

    You can also contact HMRC\u2019s extra support team using webchat.

    ", + "

    If you need information in another language

    ", + "

    You can use a friend or family member as an interpreter when you phone HM Revenue and Customs (HMRC).

    ", + "

    They must be over 16 and will need to be in the same room as you when you call HMRC.

    ", + "

    HMRC may also be able to organise an interpreter for you.

    ", + "

    Use the relevant contact number, for example the Self Assessment helpline, if you need help with your tax return.

    ", + "

    You can also ask for information in another language using webchat.

    ", + "

    If you need someone to talk to HMRC for you

    ", + "

    If you find it difficult to deal with HM Revenue and Customs (HMRC) yourself, you can appoint someone to talk to HMRC for you. This can be a friend, relative or an adviser from a voluntary organisation.

    " + ] + }, + "https://www.gov.uk/difficulties-paying-hmrc": { + "url": "https://www.gov.uk/difficulties-paying-hmrc", + "title": "If you cannot pay your tax bill on time", + "content": "## What to do\n\nYou must arrange to pay your tax bill with HM Revenue and Customs (HMRC) if you either:\n\n- miss a payment\n\n- know you cannot pay on time\n\nIf you pay a tax bill late you must pay interest on the amount you owe until it\u2019s paid off. You can avoid penalties by arranging a payment plan with HMRC before the tax is due \u2013 or by 1 April for Self Assessment.\n\nIf you owe Self Assessment tax and your bill is less than \u00a330,000 you may be able to pay in monthly instalments.\n\nFor any other bills or problems paying, you must contact HMRC to discuss your options. How you contact HMRC depends on what you need to pay.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## If you cannot pay because of coronavirus (COVID-19)\n\nYou may be able to pay your Self Assessment tax in monthly instalments. This includes any delayed (deferred) \u2018payments on account\u2019 that were due in July 2020, if you did not pay them at the time.\n\nContact the HMRC coronavirus (COVID-19) helpline if you cannot pay any other tax bills because of coronavirus.\n\n## If you\u2019re self-employed\n\nIf your business has been affected by coronavirus (COVID-19), you may be able to claim a grant through the\u00a0Self-Employment Income Support Scheme.\n\n## If you cannot pay your Self Assessment tax bill\n\nYou can set up a payment plan online to spread the cost of your latest Self Assessment bill if:\n\n- you owe \u00a330,000 or less\n\n- you do not have any other payment plans or debts with HMRC\n\n- your tax returns are up to date\n\n- it\u2019s less than 60 days after the payment deadline\n\nYou do not need to contact HMRC if you set up a payment plan.\n\nCall the Self Assessment helpline if you\u2019re not eligible for a payment plan or cannot use the online service.\n\n## If you cannot pay other taxes\n\nYou might be able to set up a Time to Pay Arrangement with HMRC if you\u2019re unable to pay any other taxes in full. This lets you spread the cost of your tax bill by paying what you owe in instalments.\n\nHow you do this depends on whether you\u2019ve received a payment demand.\n\nIf you\u2019ve received a payment demand, like a tax bill or a letter threatening you with legal action, call the HMRC office that sent you the letter.\n\nIf you\u2019ve not received a bill or letter, call the Payment Support Service (PSS).\n\nNominated partners in business partnerships can negotiate a Time to Pay Arrangement with HMRC on behalf of the partnership or individual partners.\n\n## Before you contact HMRC\n\nYou\u2019ll need to know:\n\n- your reference number (for example, your 10-digit Unique Taxpayer Reference or VAT reference number)\n\n- the amount of the tax bill you\u2019re finding it difficult to pay and the reasons why\n\n- what you\u2019ve done to try to get the money to pay the bill\n\n- how much you can pay immediately and how long you may need to pay the rest\n\n- your bank account details\n\n## What happens when you contact HMRC\n\nHM Revenue and Customs (HMRC) will ask you about:\n\n- your income and expenditure\n\n- your assets, like savings and investments\n\n- what you\u2019re doing to get your tax payments back in order\n\nHMRC will decide whether you should be able to pay immediately. If you cannot, they\u2019ll decide whether you\u2019ll be able to get your payments back on track with more time.\n\nYou\u2019ll be asked more in-depth questions if you\u2019ve been given more time to pay before. In more complex cases HMRC may ask for evidence before they make a decision.\n\n## What happens next\n\nYou\u2019ll have to pay immediately if HMRC think you can when you call. You can pay by Direct Debit, corporate credit card or debit card over the phone.\n\nYou\u2019ll be charged a fee if you pay by credit card. The fee is not refundable.\n\nIf you cannot pay all your tax bill, you may be able to:\n\n- pay your bill in instalments by Direct Debit\n\n- get more time to pay\n\n## When you might get more time to pay\n\nHMRC may offer you extra time to pay if they think you genuinely cannot pay in full now but will be able to pay in the future.\n\nYou can set up a plan to pay in instalments by Direct Debit on dates they agree with you.\n\nTell HMRC as soon as possible if your circumstances change and you can pay your tax bill faster.\n\nYou\u2019ll have to pay interest on the amount you pay late.\n\nYou must keep these payments up to date and pay your other tax. If you do not, HMRC will normally cancel the arrangement and take legal action against you straight away.\n\n## When you will not get more time to pay\n\nIf HMRC do not think you can get your payments on track with more time, they will not make an arrangement with you - they\u2019ll expect you to pay your tax bill straight away.\n\nIf you do not, HMRC will start \u2018enforcement action\u2019 to get the money from you.\n\n## Help and advice\n\nThe Money Advice Service has more information about debt management and where you can get free debt advice.\n\nYou can also contact HMRC.\n\n## Making a complaint\n\nYou cannot appeal against HMRC\u2019s decision, but you can make a complaint if you\u2019re unhappy about how you were treated.", + "original_contents": [ + "

    What to do

    ", + "

    You must arrange to pay your tax bill with HM Revenue and Customs (HMRC) if you either:

    ", + "
  • miss a payment
  • ", + "
  • know you cannot pay on time
  • ", + "

    If you pay a tax bill late you must pay interest on the amount you owe until it\u2019s paid off. You can avoid penalties by arranging a payment plan with HMRC before the tax is due \u2013 or by 1 April for Self Assessment.

    ", + "

    If you owe Self Assessment tax and your bill is less than \u00a330,000 you may be able to pay in monthly instalments.

    ", + "

    For any other bills or problems paying, you must contact HMRC to discuss your options. How you contact HMRC depends on what you need to pay.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you cannot pay because of coronavirus (COVID-19)

    ", + "

    You may be able to pay your Self Assessment tax in monthly instalments. This includes any delayed (deferred) \u2018payments on account\u2019 that were due in July 2020, if you did not pay them at the time.

    ", + "

    Contact the HMRC coronavirus (COVID-19) helpline if you cannot pay any other tax bills because of coronavirus.

    ", + "

    If you\u2019re self-employed

    ", + "

    If your business has been affected by coronavirus (COVID-19), you may be able to claim a grant through the\u00a0Self-Employment Income Support Scheme.

    ", + "

    If you cannot pay your Self Assessment tax bill

    ", + "

    You can set up a payment plan online to spread the cost of your latest Self Assessment bill if:

    ", + "
  • you owe \u00a330,000 or less
  • ", + "
  • you do not have any other payment plans or debts with HMRC
  • ", + "
  • your tax returns are up to date
  • ", + "
  • it\u2019s less than 60 days after the payment deadline
  • ", + "

    You do not need to contact HMRC if you set up a payment plan.

    ", + "

    Call the Self Assessment helpline if you\u2019re not eligible for a payment plan or cannot use the online service.

    ", + "

    If you cannot pay other taxes

    ", + "

    You might be able to set up a Time to Pay Arrangement with HMRC if you\u2019re unable to pay any other taxes in full. This lets you spread the cost of your tax bill by paying what you owe in instalments.

    ", + "

    How you do this depends on whether you\u2019ve received a payment demand.

    ", + "

    If you\u2019ve received a payment demand, like a tax bill or a letter threatening you with legal action, call the HMRC office that sent you the letter.

    ", + "

    If you\u2019ve not received a bill or letter, call the Payment Support Service (PSS).

    ", + "

    Nominated partners in business partnerships can negotiate a Time to Pay Arrangement with HMRC on behalf of the partnership or individual partners.

    ", + "

    Before you contact HMRC

    ", + "

    You\u2019ll need to know:

    ", + "
  • your reference number (for example, your 10-digit Unique Taxpayer Reference or VAT reference number)
  • ", + "
  • the amount of the tax bill you\u2019re finding it difficult to pay and the reasons why
  • ", + "
  • what you\u2019ve done to try to get the money to pay the bill
  • ", + "
  • how much you can pay immediately and how long you may need to pay the rest
  • ", + "
  • your bank account details
  • ", + "

    What happens when you contact HMRC

    ", + "

    HM Revenue and Customs (HMRC) will ask you about:

    ", + "
  • your income and expenditure
  • ", + "
  • your assets, like savings and investments
  • ", + "
  • what you\u2019re doing to get your tax payments back in order
  • ", + "

    HMRC will decide whether you should be able to pay immediately. If you cannot, they\u2019ll decide whether you\u2019ll be able to get your payments back on track with more time.

    ", + "

    You\u2019ll be asked more in-depth questions if you\u2019ve been given more time to pay before. In more complex cases HMRC may ask for evidence before they make a decision.

    ", + "

    What happens next

    ", + "

    You\u2019ll have to pay immediately if HMRC think you can when you call. You can pay by Direct Debit, corporate credit card or debit card over the phone.

    ", + "

    You\u2019ll be charged a fee if you pay by credit card. The fee is not refundable.

    ", + "

    If you cannot pay all your tax bill, you may be able to:

    ", + "
  • pay your bill in instalments by Direct Debit
  • ", + "
  • get more time to pay
  • ", + "

    When you might get more time to pay

    ", + "

    HMRC may offer you extra time to pay if they think you genuinely cannot pay in full now but will be able to pay in the future.

    ", + "

    You can set up a plan to pay in instalments by Direct Debit on dates they agree with you.

    ", + "

    Tell HMRC as soon as possible if your circumstances change and you can pay your tax bill faster.

    ", + "

    You\u2019ll have to pay interest on the amount you pay late.

    ", + "

    You must keep these payments up to date and pay your other tax. If you do not, HMRC will normally cancel the arrangement and take legal action against you straight away.

    ", + "

    When you will not get more time to pay

    ", + "

    If HMRC do not think you can get your payments on track with more time, they will not make an arrangement with you - they\u2019ll expect you to pay your tax bill straight away.

    ", + "

    If you do not, HMRC will start \u2018enforcement action\u2019 to get the money from you.

    ", + "

    Help and advice

    ", + "

    The Money Advice Service has more information about debt management and where you can get free debt advice.

    ", + "

    You can also contact HMRC.

    ", + "

    Making a complaint

    ", + "

    You cannot appeal against HMRC\u2019s decision, but you can make a complaint if you\u2019re unhappy about how you were treated.

    " + ] + }, + "https://www.gov.uk/if-you-dont-pay-your-tax-bill": { + "url": "https://www.gov.uk/if-you-dont-pay-your-tax-bill", + "title": "If you do not pay your tax bill", + "content": "## Overview\n\nIf you do not pay your tax bill on time and cannot make an alternative arrangement to pay, HM Revenue and Customs (HMRC) can take \u2018enforcement action\u2019 to recover any tax you owe.\n\nYou can usually avoid enforcement action by contacting HMRC as soon as you know you\u2019ve missed a tax payment or cannot pay on time.\n\nThey may agree to let you pay what you owe in instalments, or give you more time to pay.\n\nOtherwise, there are a number of enforcement actions HMRC can take to get the tax you owe. They can:\n\n- collect what you owe through your earnings or pension\n\n- ask debt collection agencies to collect the money\n\n- take things you own and sell them (if you live in England, Wales or Northern Ireland)\n\n- take money directly from your bank account or building society (if you live in England, Wales or Northern Ireland)\n\n- take you to court\n\n- make you bankrupt\n\n- close down your business\n\nIf you do not pay your tax on time, you\u2019ll probably have to pay interest on the outstanding amount. You may also have to pay a penalty or surcharge.\n\n## Through your earnings or pension\n\nHM Revenue and Customs (HMRC) can make deductions from your salary or pension for debts for:\n\n- Self Assessment tax\n\n- Class 2 National Insurance\n\nThey\u2019ll change your tax code to do this.\n\nIf you\u2019ve been paid too much in tax credits, HMRC can also take back the money in this way, or by making deductions from your Universal Credit payments.\n\n## How much\n\nHMRC can take up to \u00a33,000 each tax year if you earn less than \u00a330,000.\n\nIf you earn more than this, HMRC can take higher amounts depending on your salary. They can take up to \u00a317,000 each tax year if you earn \u00a390,000 or more.\n\n## When you\u2019ll start repaying the debt\n\nHMRC will write to you before making changes to your tax code.\n\nThey can change your code immediately, which means you\u2019ll receive less money the next time you\u2019re paid or get income from a pension.\n\nIf you\u2019ve not repaid the debt by the end of the tax year, HMRC can continue to collect what you owe through next year\u2019s tax code.\n\n## If you do not want debt included in your tax code\n\nYou\u2019ll need to either:\n\n- pay the full amount you owe\n\n- contact HMRC to arrange a payment plan\n\n## Debt collection agencies\n\nHM Revenue and Customs (HMRC) can collect your debt through a private debt collection agency.\n\nThe agency will write to you and you should pay them directly.\n\nDebt collection agencies used by HMRC are:\n\n- 1st Locate (trading as LCS)\n\n- Advantis Credit Ltd\n\n- Bluestone Consumer Finance Limited (trading as Bluestone Credit Management)\n\n- BPO Collections Ltd\n\n- CCS Collect (also known as Commercial Collection Services Ltd)\n\n- Moorcroft\n\n- Oriel Collections Limited\n\n- Past Due Credit Solutions (PDCS)\n\n## Taking control of goods (distraint)\n\nIf you live in England, Wales or Northern Ireland, HM Revenue and Customs (HMRC) can take things you own, and sell them to pay your debt.\n\nThis is called \u2018taking control of goods\u2019 (or \u2018distraint\u2019 in Northern Ireland). You\u2019ll also be charged certain fees.\n\n## What happens when HMRC visits\n\nAn officer from HMRC will visit you and ask you to pay your debt.\n\nIf you do not pay, the officer will make a list of your possessions that could be sold to cover both your debt and the costs of selling them, for example fees for auctioneers or advertising.\n\nThese possessions can then be either:\n\n- taken immediately by the officer\n\n- left with you under a \u2018Controlled Goods Agreement\u2019 (\u2018Walking Possession\u2019 in Northern Ireland)\n\nThey can be sold if you do not pay within 7 days of the visit. If they sell for more than you owe, you\u2019ll be paid anything over. If they sell for less, you\u2019ll have to pay the difference.\n\n## Enforcement action fees\n\n## England and Wales\n\n| | Flat fee | Plus |\n\n| Issuing a notice of enforcement | \u00a375 | - |\n\n| Take control of goods | \u00a3235 | 7.5% of the proportion of the main debt over \u00a31,500 |\n\n| Goods taken and sold at auction | \u00a3110 | 7.5% of the proportion of the main debt over \u00a31,500 |\n\n## Northern Ireland\n\n| | Fee |\n\n| If you owe under \u00a3100 | \u00a312.50 |\n\n| If you owe more than \u00a3100 | Between 0.25 to 12.5% depending on debt amount |\n\n| Goods taken and sold at auction | Between 7.5% to 15% depending on auction |\n\n## From your bank or building society account\n\nIf you live in England, Wales or Northern Ireland, HM Revenue and Customs (HMRC) can take the money you owe directly from your bank or building society account. This is called \u2018direct recovery of debts\u2019.\n\nHMRC will only do this if you:\n\n- have repeatedly refused to pay what you owe\n\n- have received a face-to-face visit from them to discuss your debt\n\n- would have at least \u00a35,000 in your account after they\u2019ve taken the debt\n\n## If HMRC plans to take money from your account\n\nHMRC will write to tell you:\n\n- what they plan to do\n\n- what the process will involve\n\n- how to contact them with any queries\n\n## Court action\n\nIf HM Revenue and Customs (HMRC) takes you to court, you may have to pay court fees and HMRC\u2019s costs as well as the tax you owe.\n\n## Magistrates court (England, Wales and Northern Ireland)\n\nHMRC can start magistrates court proceedings against you if:\n\n- you have separate debts of \u00a32,000 each or less\n\n- you\u2019ve owed the money for under a year\n\nYou\u2019ll get a summons before the hearing explaining what you owe and where and when the hearing will be. If you pay, you will not have to go to court.\n\nIf you disagree with the amount on the summons, you\u2019ll need to contact HMRC before your case goes to court.\n\nIf you do not pay, HMRC can ask the court to:\n\n- send bailiffs to take and sell things that you own to cover the debt\n\n- make you bankrupt or close down your company\n\n## County court (England and Wales)\n\nThe court will write to you explaining how much you owe and what you need to do.\n\nIf you disagree with the amount you\u2019re being asked to pay, you may need to go to court to explain why.\n\nIf you do not pay, HMRC can ask the court to:\n\n- send bailiffs to take and sell things that you own to cover the debt\n\n- take the money directly from your earnings\n\n- make you bankrupt or close down your company\n\n- order someone who owes you money to pay your debt\n\n- place a charge on your property\n\n## Sheriff court (Scotland)\n\nHMRC will apply to the court for a warrant to collect your debt. You\u2019ll have 14 days to pay from the date of the warrant.\n\nIf you do not pay, HMRC can ask the court to:\n\n- take the money you owe directly from your pay or from your bank account\n\n- take and sell certain goods from your business premises or your property\n\n- make you bankrupt or close down your company", + "original_contents": [ + "

    Overview

    ", + "

    If you do not pay your tax bill on time and cannot make an alternative arrangement to pay, HM Revenue and Customs (HMRC) can take \u2018enforcement action\u2019 to recover any tax you owe.

    ", + "

    You can usually avoid enforcement action by contacting HMRC as soon as you know you\u2019ve missed a tax payment or cannot pay on time.

    ", + "

    They may agree to let you pay what you owe in instalments, or give you more time to pay.

    ", + "

    Otherwise, there are a number of enforcement actions HMRC can take to get the tax you owe. They can:

    ", + "
  • collect what you owe through your earnings or pension
  • ", + "
  • ask debt collection agencies to collect the money
  • ", + "
  • take things you own and sell them (if you live in England, Wales or Northern Ireland)
  • ", + "
  • take money directly from your bank account or building society (if you live in England, Wales or Northern Ireland)
  • ", + "
  • take you to court
  • ", + "
  • make you bankrupt
  • ", + "
  • close down your business
  • ", + "

    If you do not pay your tax on time, you\u2019ll probably have to pay interest on the outstanding amount. You may also have to pay a penalty or surcharge.

    ", + "

    Through your earnings or pension

    ", + "

    HM Revenue and Customs (HMRC) can make deductions from your salary or pension for debts for:

    ", + "
  • Self Assessment tax
  • ", + "
  • Class 2 National Insurance
  • ", + "

    They\u2019ll change your tax code to do this.

    ", + "

    If you\u2019ve been paid too much in tax credits, HMRC can also take back the money in this way, or by making deductions from your Universal Credit payments.

    ", + "

    How much

    ", + "

    HMRC can take up to \u00a33,000 each tax year if you earn less than \u00a330,000.

    ", + "

    If you earn more than this, HMRC can take higher amounts depending on your salary. They can take up to \u00a317,000 each tax year if you earn \u00a390,000 or more.

    ", + "

    When you\u2019ll start repaying the debt

    ", + "

    HMRC will write to you before making changes to your tax code.

    ", + "

    They can change your code immediately, which means you\u2019ll receive less money the next time you\u2019re paid or get income from a pension.

    ", + "

    If you\u2019ve not repaid the debt by the end of the tax year, HMRC can continue to collect what you owe through next year\u2019s tax code.

    ", + "

    If you do not want debt included in your tax code

    ", + "

    You\u2019ll need to either:

    ", + "
  • pay the full amount you owe
  • ", + "
  • contact HMRC to arrange a payment plan
  • ", + "

    Debt collection agencies

    ", + "

    HM Revenue and Customs (HMRC) can collect your debt through a private debt collection agency.

    ", + "

    The agency will write to you and you should pay them directly.

    ", + "

    Debt collection agencies used by HMRC are:

    ", + "
  • 1st Locate (trading as LCS)
  • ", + "
  • Advantis Credit Ltd
  • ", + "
  • Bluestone Consumer Finance Limited (trading as Bluestone Credit Management)
  • ", + "
  • BPO Collections Ltd
  • ", + "
  • CCS Collect (also known as Commercial Collection Services Ltd)
  • ", + "
  • Moorcroft
  • ", + "
  • Oriel Collections Limited
  • ", + "
  • Past Due Credit Solutions (PDCS)
  • ", + "

    Taking control of goods (distraint)

    ", + "

    If you live in England, Wales or Northern Ireland, HM Revenue and Customs (HMRC) can take things you own, and sell them to pay your debt.

    ", + "

    This is called \u2018taking control of goods\u2019 (or \u2018distraint\u2019 in Northern Ireland). You\u2019ll also be charged certain fees.

    ", + "

    What happens when HMRC visits

    ", + "

    An officer from HMRC will visit you and ask you to pay your debt.

    ", + "

    If you do not pay, the officer will make a list of your possessions that could be sold to cover both your debt and the costs of selling them, for example fees for auctioneers or advertising.

    ", + "

    These possessions can then be either:

    ", + "
  • taken immediately by the officer
  • ", + "
  • left with you under a \u2018Controlled Goods Agreement\u2019 (\u2018Walking Possession\u2019 in Northern Ireland)
  • ", + "

    They can be sold if you do not pay within 7 days of the visit. If they sell for more than you owe, you\u2019ll be paid anything over. If they sell for less, you\u2019ll have to pay the difference.

    ", + "

    Enforcement action fees

    ", + "

    England and Wales

    ", + " | Flat fee | Plus", + "Issuing a notice of enforcement | \u00a375 | -", + "Take control of goods | \u00a3235 | 7.5% of the proportion of the main debt over \u00a31,500", + "Goods taken and sold at auction | \u00a3110 | 7.5% of the proportion of the main debt over \u00a31,500", + "

    Northern Ireland

    ", + " | Fee", + "If you owe under \u00a3100 | \u00a312.50", + "If you owe more than \u00a3100 | Between 0.25 to 12.5% depending on debt amount", + "Goods taken and sold at auction | Between 7.5% to 15% depending on auction", + "

    From your bank or building society account

    ", + "

    If you live in England, Wales or Northern Ireland, HM Revenue and Customs (HMRC) can take the money you owe directly from your bank or building society account. This is called \u2018direct recovery of debts\u2019.

    ", + "

    HMRC will only do this if you:

    ", + "
  • have repeatedly refused to pay what you owe
  • ", + "
  • have received a face-to-face visit from them to discuss your debt
  • ", + "
  • would have at least \u00a35,000 in your account after they\u2019ve taken the debt
  • ", + "

    If HMRC plans to take money from your account

    ", + "

    HMRC will write to tell you:

    ", + "
  • what they plan to do
  • ", + "
  • what the process will involve
  • ", + "
  • how to contact them with any queries
  • ", + "

    Court action

    ", + "

    If HM Revenue and Customs (HMRC) takes you to court, you may have to pay court fees and HMRC\u2019s costs as well as the tax you owe.

    ", + "

    Magistrates court (England, Wales and Northern Ireland)

    ", + "

    HMRC can start magistrates court proceedings against you if:

    ", + "
  • you have separate debts of \u00a32,000 each or less
  • ", + "
  • you\u2019ve owed the money for under a year
  • ", + "

    You\u2019ll get a summons before the hearing explaining what you owe and where and when the hearing will be. If you pay, you will not have to go to court.

    ", + "

    If you disagree with the amount on the summons, you\u2019ll need to contact HMRC before your case goes to court.

    ", + "

    If you do not pay, HMRC can ask the court to:

    ", + "
  • send bailiffs to take and sell things that you own to cover the debt
  • ", + "
  • make you bankrupt or close down your company
  • ", + "

    County court (England and Wales)

    ", + "

    The court will write to you explaining how much you owe and what you need to do.

    ", + "

    If you disagree with the amount you\u2019re being asked to pay, you may need to go to court to explain why.

    ", + "

    If you do not pay, HMRC can ask the court to:

    ", + "
  • send bailiffs to take and sell things that you own to cover the debt
  • ", + "
  • take the money directly from your earnings
  • ", + "
  • make you bankrupt or close down your company
  • ", + "
  • order someone who owes you money to pay your debt
  • ", + "
  • place a charge on your property
  • ", + "

    Sheriff court (Scotland)

    ", + "

    HMRC will apply to the court for a warrant to collect your debt. You\u2019ll have 14 days to pay from the date of the warrant.

    ", + "

    If you do not pay, HMRC can ask the court to:

    ", + "
  • take the money you owe directly from your pay or from your bank account
  • ", + "
  • take and sell certain goods from your business premises or your property
  • ", + "
  • make you bankrupt or close down your company
  • " + ] + }, + "https://www.gov.uk/tell-hmrc-change-of-details": { + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "title": "Tell HMRC about a change to your personal details", + "content": "## Change of name or address\n\nHow you contact HM Revenue and Customs (HMRC) to update your name or address depends on your situation.\n\nYou\u2019ll also need to change your business records if you run a business.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou need to wait until you\u2019ve moved or changed your name before telling HMRC.\n\n## If you\u2019ve changed your address\n\nTell HMRC you\u2019ve changed your address. If you submit a Self Assessment tax return as well your details will be updated for both.\n\nThere are different ways to tell HMRC if you:\n\n- only pay tax through Self Assessment\n\n- are a tax agent, for example an accountant\n\n## If you\u2019ve changed your name\n\nTell HMRC your name has changed. If you submit a Self Assessment tax return as well your details will be updated for both.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID you can create one when you update your name.\n\nThere are different ways to tell HMRC if you:\n\n- only pay tax through Self Assessment\n\n- are a tax agent, for example an accountant\n\nYour name will be updated automatically if you change gender.\n\n## What happens next\n\nHMRC will update your personal records for:\n\n- Income Tax and National Insurance\n\n- tax credits and benefits, including Child Benefit\n\n- services, including the Pension Service\n\nYou\u2019ll get an email to either:\n\n- confirm your change of details\n\n- ask for more information, for example legal documents for your name change\n\n## Income changes\n\nYou must tell HM Revenue and Customs (HMRC) about changes to your taxable income.\n\nTo do this you can either:\n\n- check your Income Tax and go to \u2018Tell us about a change\u2019\n\n- call HMRC\n\nIf you do not, you could pay too much tax or get a tax bill at the end of the year.\n\n## What you must tell HMRC\n\nYour employer or pension provider tells HMRC when:\n\n- you start or finish your job\n\n- there\u2019s a change in the money you earn from your job or get from your pension\n\nBut you must tell HMRC about any other changes, for example when you start or stop getting:\n\n- income from a new source, such as money from self-employment or rent from property\n\n- taxable benefits, such as State Pension, Jobseeker\u2019s Allowance and Carer\u2019s Allowance\n\n- benefits from your job, such as a company car\n\n- income above your Personal Allowance\n\n- money over \u00a385,000 from self-employment (you must register for VAT over this amount)\n\n- lump sums from selling things you pay Capital Gains Tax on, such as shares or property that\u2019s not your main home\n\n- income from property, money or shares you inherit, such as dividends from shares or rent from property\n\n## If you get tax credits\n\nTell HMRC separately about changes that affect your tax credits.\n\n## If your spouse or civil partner dies\n\nTell HMRC about changes to your income after the death of your husband, wife or civil partner.\n\n## If you make Self Assessment \u2018payments on account\u2019\n\nTell HMRC if you expect a big decrease in income and you pay your Self Assessment tax bill in advance (\u2018payments on account\u2019). HMRC may decide to reduce your payments.\n\n## After you tell HMRC\n\nHMRC may:\n\n- change your tax code and send you a PAYE Coding notice\n\n- tell you to send a Self Assessment tax return so they can bill you for tax you owe\n\n- send you a refund if you paid too much tax\n\n## Relationship or family changes\n\nTell HM Revenue and Customs (HMRC) if:\n\n- you get married or form a civil partnership\n\n- you divorce, separate or stop living with your husband, wife or partner\n\nYou can tell HMRC online if you\u2019re paid a salary or pension through PAYE. If you submit a Self Assessment tax return as well, your details will be updated for both.\n\nYou\u2019ll need:\n\n- a Government Gateway user ID and password - if you do not have a Government Gateway user ID, you can create one when you tell HMRC online\n\n- a National Insurance number (a temporary reference number will not work).\n\nTell HMRC straight away \u2013 if you do not, you could pay too much tax, or get a tax bill at the end of the year.\n\n## If you get tax credits or Child Benefit\n\nTell HMRC separately about changes to your relationship or family if you get:\n\n- tax credits\n\n- Child Benefit\n\n## If your spouse or civil partner dies\n\nContact HMRC to report:\n\n- the death of your husband, wife or civil partner\n\n- changes to your income after their death\n\n## Gender change\n\nHM Revenue and Customs (HMRC) is usually told automatically when you change gender legally by applying for a Gender Recognition Certificate.\n\nTell your employer at the same time - they must update your payroll records and National Insurance contributions.\n\nHMRC will:\n\n- update its records with your gender and any name change\n\n- tell the Department for Work and Pensions (DWP)\n\n- restrict your records so only specialist staff at HMRC and DWP can access them\n\n- hand your tax affairs to HMRC\u2019s Public Department 1\n\nOnce you get a letter confirming your records have moved, you can contact Public Department 1 with questions about your tax or National Insurance.\n\n## Tell HMRC yourself\n\nYou can write to Special Section D to tell HMRC:\n\n- about your legal gender change\n\n- about your name change only if you did not change gender legally\n\n- if you do not want them to restrict your records\n\nInclude your National Insurance number, and your original Gender Recognition Certificate if you\u2019ve changed gender legally.", + "original_contents": [ + "

    Change of name or address

    ", + "

    How you contact HM Revenue and Customs (HMRC) to update your name or address depends on your situation.

    ", + "

    You\u2019ll also need to change your business records if you run a business.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You need to wait until you\u2019ve moved or changed your name before telling HMRC.

    ", + "

    If you\u2019ve changed your address

    ", + "

    Tell HMRC you\u2019ve changed your address. If you submit a Self Assessment tax return as well your details will be updated for both.

    ", + "

    There are different ways to tell HMRC if you:

    ", + "
  • only pay tax through Self Assessment
  • ", + "
  • are a tax agent, for example an accountant
  • ", + "

    If you\u2019ve changed your name

    ", + "

    Tell HMRC your name has changed. If you submit a Self Assessment tax return as well your details will be updated for both.

    ", + "

    You\u2019ll need a Government Gateway user ID and password. If you do not have a user ID you can create one when you update your name.

    ", + "

    There are different ways to tell HMRC if you:

    ", + "
  • only pay tax through Self Assessment
  • ", + "
  • are a tax agent, for example an accountant
  • ", + "

    Your name will be updated automatically if you change gender.

    ", + "

    What happens next

    ", + "

    HMRC will update your personal records for:

    ", + "
  • Income Tax and National Insurance
  • ", + "
  • tax credits and benefits, including Child Benefit
  • ", + "
  • services, including the Pension Service
  • ", + "

    You\u2019ll get an email to either:

    ", + "
  • confirm your change of details
  • ", + "
  • ask for more information, for example legal documents for your name change
  • ", + "

    Income changes

    ", + "

    You must tell HM Revenue and Customs (HMRC) about changes to your taxable income.

    ", + "

    To do this you can either:

    ", + "
  • check your Income Tax and go to \u2018Tell us about a change\u2019
  • ", + "
  • call HMRC
  • ", + "

    If you do not, you could pay too much tax or get a tax bill at the end of the year.

    ", + "

    What you must tell HMRC

    ", + "

    Your employer or pension provider tells HMRC when:

    ", + "
  • you start or finish your job
  • ", + "
  • there\u2019s a change in the money you earn from your job or get from your pension
  • ", + "

    But you must tell HMRC about any other changes, for example when you start or stop getting:

    ", + "
  • income from a new source, such as money from self-employment or rent from property
  • ", + "
  • taxable benefits, such as State Pension, Jobseeker\u2019s Allowance and Carer\u2019s Allowance
  • ", + "
  • benefits from your job, such as a company car
  • ", + "
  • income above your Personal Allowance
  • ", + "
  • money over \u00a385,000 from self-employment (you must register for VAT over this amount)
  • ", + "
  • lump sums from selling things you pay Capital Gains Tax on, such as shares or property that\u2019s not your main home
  • ", + "
  • income from property, money or shares you inherit, such as dividends from shares or rent from property
  • ", + "

    If you get tax credits

    ", + "

    Tell HMRC separately about changes that affect your tax credits.

    ", + "

    If your spouse or civil partner dies

    ", + "

    Tell HMRC about changes to your income after the death of your husband, wife or civil partner.

    ", + "

    If you make Self Assessment \u2018payments on account\u2019

    ", + "

    Tell HMRC if you expect a big decrease in income and you pay your Self Assessment tax bill in advance (\u2018payments on account\u2019). HMRC may decide to reduce your payments.

    ", + "

    After you tell HMRC

    ", + "

    HMRC may:

    ", + "
  • change your tax code and send you a PAYE Coding notice
  • ", + "
  • tell you to send a Self Assessment tax return so they can bill you for tax you owe
  • ", + "
  • send you a refund if you paid too much tax
  • ", + "

    Relationship or family changes

    ", + "

    Tell HM Revenue and Customs (HMRC) if:

    ", + "
  • you get married or form a civil partnership
  • ", + "
  • you divorce, separate or stop living with your husband, wife or partner
  • ", + "

    You can tell HMRC online if you\u2019re paid a salary or pension through PAYE. If you submit a Self Assessment tax return as well, your details will be updated for both.

    ", + "

    You\u2019ll need:

    ", + "
  • a Government Gateway user ID and password - if you do not have a Government Gateway user ID, you can create one when you tell HMRC online
  • ", + "
  • a National Insurance number (a temporary reference number will not work).
  • ", + "

    Tell HMRC straight away \u2013 if you do not, you could pay too much tax, or get a tax bill at the end of the year.

    ", + "

    If you get tax credits or Child Benefit

    ", + "

    Tell HMRC separately about changes to your relationship or family if you get:

    ", + "
  • tax credits
  • ", + "
  • Child Benefit
  • ", + "

    If your spouse or civil partner dies

    ", + "

    Contact HMRC to report:

    ", + "
  • the death of your husband, wife or civil partner
  • ", + "
  • changes to your income after their death
  • ", + "

    Gender change

    ", + "

    HM Revenue and Customs (HMRC) is usually told automatically when you change gender legally by applying for a Gender Recognition Certificate.

    ", + "

    Tell your employer at the same time - they must update your payroll records and National Insurance contributions.

    ", + "

    HMRC will:

    ", + "
  • update its records with your gender and any name change
  • ", + "
  • tell the Department for Work and Pensions (DWP)
  • ", + "
  • restrict your records so only specialist staff at HMRC and DWP can access them
  • ", + "
  • hand your tax affairs to HMRC\u2019s Public Department 1
  • ", + "

    Once you get a letter confirming your records have moved, you can contact Public Department 1 with questions about your tax or National Insurance.

    ", + "

    Tell HMRC yourself

    ", + "

    You can write to Special Section D to tell HMRC:

    ", + "
  • about your legal gender change
  • ", + "
  • about your name change only if you did not change gender legally
  • ", + "
  • if you do not want them to restrict your records
  • ", + "

    Include your National Insurance number, and your original Gender Recognition Certificate if you\u2019ve changed gender legally.

    " + ] + }, + "https://www.gov.uk/income-tax-reliefs": { + "url": "https://www.gov.uk/income-tax-reliefs", + "title": "Claim Income Tax reliefs", + "content": "## Overview\n\n\u2018Tax relief\u2019 means that you either:\n\n- pay less tax to take account of money you\u2019ve spent on specific things, like business expenses if you\u2019re self-employed\n\n- get tax back or get it repaid in another way, like into a personal pension\n\nYou get some types of tax relief automatically - but some you must apply for.\n\n## When you can get tax relief\n\nTax relief applies to pension contributions, charity donations, maintenance payments and time spent working on a ship outside the UK.\n\nIt also applies to work or business expenses \u2013\u00a0you may be able to:\n\n- get tax relief on what you spend running your business if you\u2019re self-employed (a sole trader or partner in a partnership)\n\n- claim tax relief if you\u2019re employed and you use your own money for travel and things that you must buy for your job\n\n## Charity donations: tax relief\n\nDonations to charity from individuals are tax free. You can get tax relief if you donate:\n\n- through Gift Aid\n\n- straight from your wages or pension, through Payroll Giving\n\n## Donations through Gift Aid\n\nCharities and community amateur sports clubs (CASCs) can register with HM Revenue and Customs (HMRC) to be part of the Gift Aid scheme. When they\u2019re registered, they can claim back the tax you\u2019ve already paid on your donation.\n\nThe charity or CASC will give you a form to sign. They must also have an HMRC charity reference number - ask the charity or CASC if you\u2019re not sure.\n\nIf the charity or CASC gets back more tax than you\u2019ve paid, HMRC may ask you to pay more tax to cover the difference.\n\n## You pay Income Tax above the 20% basic rate\n\nYou can claim back the difference between the tax you\u2019ve paid on the donation and what the charity got back when you fill in your Self Assessment tax return.\n\nIf you don\u2019t fill in a Self Assessment tax return, call HMRC to tell them about your charity donations.\n\n## You get Married Couple\u2019s Allowance\n\nYour tax-free allowance may increase if you make donations through Gift Aid and claim Married Couple\u2019s Allowance.\n\nIf you fill in a Self Assessment tax return, your allowance will be adjusted automatically if it needs to be.\n\nIf you don\u2019t, call HMRC to tell them about your charity donations.\n\n## Payroll Giving schemes\n\nIf your employer or pension provider offers a Payroll Giving scheme, any donations you give through the scheme will be taken before Income Tax is taken off.\n\nYou\u2019ll still pay National Insurance contributions on the amount of your donation. But you won\u2019t pay any Income Tax on the amount you donate.\n\n## Maintenance payments: tax relief\n\nMaintenance Payments Relief reduces your Income Tax if you make maintenance payments to an ex-spouse or civil partner.\n\nYou can get it if all of the following apply:\n\n- either of you were born before 6 April 1935\n\n- you\u2019re paying maintenance under a court order after the relationship has ended\n\n- the payments are for the maintenance of your ex-spouse or former civil partner (provided they aren\u2019t now remarried or in a new civil partnership) or for your children who are under 21\n\nMaintenance Payments Relief is worth 10% of the maintenance you pay to your ex-spouse or civil partner, up to a maximum of \u00a3326 a year (or 10% of \u00a33,260).\n\nTo claim it, call HM Revenue and Customs (HMRC).", + "original_contents": [ + "

    Overview

    ", + "

    \u2018Tax relief\u2019 means that you either:

    ", + "
  • pay less tax to take account of money you\u2019ve spent on specific things, like business expenses if you\u2019re self-employed
  • ", + "
  • get tax back or get it repaid in another way, like into a personal pension
  • ", + "

    You get some types of tax relief automatically - but some you must apply for.

    ", + "

    When you can get tax relief

    ", + "

    Tax relief applies to pension contributions, charity donations, maintenance payments and time spent working on a ship outside the UK.

    ", + "

    It also applies to work or business expenses \u2013\u00a0you may be able to:

    ", + "
  • get tax relief on what you spend running your business if you\u2019re self-employed (a sole trader or partner in a partnership)
  • ", + "
  • claim tax relief if you\u2019re employed and you use your own money for travel and things that you must buy for your job
  • ", + "

    Charity donations: tax relief

    ", + "

    Donations to charity from individuals are tax free. You can get tax relief if you donate:

    ", + "
  • through Gift Aid
  • ", + "
  • straight from your wages or pension, through Payroll Giving
  • ", + "

    Donations through Gift Aid

    ", + "

    Charities and community amateur sports clubs (CASCs) can register with HM Revenue and Customs (HMRC) to be part of the Gift Aid scheme. When they\u2019re registered, they can claim back the tax you\u2019ve already paid on your donation.

    ", + "

    The charity or CASC will give you a form to sign. They must also have an HMRC charity reference number - ask the charity or CASC if you\u2019re not sure.

    ", + "

    If the charity or CASC gets back more tax than you\u2019ve paid, HMRC may ask you to pay more tax to cover the difference.

    ", + "

    You pay Income Tax above the 20% basic rate

    ", + "

    You can claim back the difference between the tax you\u2019ve paid on the donation and what the charity got back when you fill in your Self Assessment tax return.

    ", + "

    If you don\u2019t fill in a Self Assessment tax return, call HMRC to tell them about your charity donations.

    ", + "

    You get Married Couple\u2019s Allowance

    ", + "

    Your tax-free allowance may increase if you make donations through Gift Aid and claim Married Couple\u2019s Allowance.

    ", + "

    If you fill in a Self Assessment tax return, your allowance will be adjusted automatically if it needs to be.

    ", + "

    If you don\u2019t, call HMRC to tell them about your charity donations.

    ", + "

    Payroll Giving schemes

    ", + "

    If your employer or pension provider offers a Payroll Giving scheme, any donations you give through the scheme will be taken before Income Tax is taken off.

    ", + "

    You\u2019ll still pay National Insurance contributions on the amount of your donation. But you won\u2019t pay any Income Tax on the amount you donate.

    ", + "

    Maintenance payments: tax relief

    ", + "

    Maintenance Payments Relief reduces your Income Tax if you make maintenance payments to an ex-spouse or civil partner.

    ", + "

    You can get it if all of the following apply:

    ", + "
  • either of you were born before 6 April 1935
  • ", + "
  • you\u2019re paying maintenance under a court order after the relationship has ended
  • ", + "
  • the payments are for the maintenance of your ex-spouse or former civil partner (provided they aren\u2019t now remarried or in a new civil partnership) or for your children who are under 21
  • ", + "

    Maintenance Payments Relief is worth 10% of the maintenance you pay to your ex-spouse or civil partner, up to a maximum of \u00a3326 a year (or 10% of \u00a33,260).

    ", + "

    To claim it, call HM Revenue and Customs (HMRC).

    " + ] + }, + "https://www.gov.uk/tax-relief-for-employees": { + "url": "https://www.gov.uk/tax-relief-for-employees", + "title": "Claim tax relief for your job expenses", + "content": "## Overview\n\nYou might be able to claim tax relief if:\n\n- you use your own money for things that you must buy for your job\n\n- you only use these things for your work\n\nYou cannot claim tax relief if your employer either gives you:\n\n- all the money back\n\n- an alternative, for example your employer gives you a laptop but you want a different type or model\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must have paid tax in the year. You\u2019ll get tax relief based on what you\u2019ve spent and the rate at which you pay tax.\n\nFor some claims, you must keep records of what you\u2019ve spent. You must claim within 4 years of the end of the tax year that you spent the money.\n\nIf your claim is for the current tax year, HM Revenue and Customs (HMRC) will usually make any adjustments needed through your tax code.\n\nIf your claim is for previous tax years, HMRC will either make adjustments through your tax code or give you a tax refund.\n\nCheck if you can claim\n\n## Working from home\n\nYou may be able to claim tax relief for additional household costs if you have to work at home on a regular basis, either for all or part of the week. This includes if you have to work from home because of coronavirus (COVID-19).\n\nYou cannot claim tax relief if you choose to work from home.\n\nYou may be able to claim tax relief for:\n\n- gas and electricity\n\n- metered water\n\n- business phone calls, including dial-up internet access\n\nYou cannot claim for the whole bill, just the part that relates to your work.\n\nYou may also be able to claim tax relief on equipment you\u2019ve bought, such as a laptop, chair or mobile phone.\n\n## How much you can claim\n\nYou can either claim tax relief on:\n\n- \u00a36 a week from 6 April 2020 (for previous tax years the rate is \u00a34 a week) - you will not need to keep evidence of your extra costs\n\n- the exact amount of extra costs you\u2019ve incurred above the weekly amount - you\u2019ll need evidence such as receipts, bills or contracts\n\nYou\u2019ll get tax relief based on the rate at which you pay tax. For example, if you pay the 20% basic rate of tax and claim tax relief on \u00a36 a week you would get \u00a31.20 per week in tax relief (20% of \u00a36).\n\nCheck if you can claim\n\n## Uniforms, work clothing and tools\n\nYou may be able to claim tax relief on the cost of:\n\n- repairing or replacing small tools you need to do your job (for example, scissors or an electric drill)\n\n- cleaning, repairing or replacing specialist clothing (for example, a uniform or safety boots)\n\nYou cannot claim relief on the initial cost of buying small tools or clothing for work.\n\n## Personal Protective Equipment (PPE)\n\nYou cannot claim tax relief for PPE. If your job requires you to use PPE your employer should either:\n\n- give you PPE free of charge\n\n- ask you to buy it and reimburse you the costs\n\n## How much you can claim\n\nYou can either claim:\n\n- the actual amount you\u2019ve spent - you\u2019ll need to keep receipts\n\n- an agreed fixed amount (a \u2018flat rate expense\u2019 or \u2018flat rate deduction\u2019)\n\nCheck if your job has an agreed flat rate expense.\n\nCheck if you can claim\n\n## Vehicles you use for work\n\nYou may be able to claim tax relief if you use cars, vans, motorcycles or bicycles for work.\n\nThis does not include travelling to and from your work, unless it\u2019s a temporary place of work.\n\nHow much you can claim depends on whether you\u2019re using:\n\n- a vehicle that you\u2019ve bought or leased with your own money\n\n- a vehicle owned or leased by your employer (a company vehicle)\n\n## Using your own vehicle for work\n\nIf you use your own vehicle or vehicles for work, you may be able to claim tax relief on the approved mileage rate. This covers the cost of owning and running your vehicle. You cannot claim separately for things like:\n\n- fuel\n\n- electricity\n\n- road tax\n\n- MOTs\n\n- repairs\n\nTo work out how much you can claim for each tax year you\u2019ll need to:\n\n- keep records of the dates and mileage or your work journeys\n\n- add up the mileage for each vehicle type you\u2019ve used for work\n\n- take away any amount your employer pays you towards your costs, (sometimes called a \u2018mileage allowance\u2019)\n\n## Approved mileage rates\n\n| | First 10,000 business miles in the tax year | Each business mile over 10,000 in the tax year |\n\n| Cars and vans | 45p | 25p |\n\n| Motorcycles | 24p | 24p |\n\n| Bicycles | 20p | 20p |\n\n## Using a company car for business\n\nYou can claim tax relief on the money you\u2019ve spent on fuel and electricity, for business trips in your company car. Keep records to show the actual cost of the fuel.\n\nIf your employer reimburses some of the money, you can claim relief on the difference.\n\nCheck if you can claim\n\n## Professional fees and subscriptions\n\nYou can claim tax relief on:\n\n- professional membership fees, if you must pay the fees to be able to do your job\n\n- annual subscriptions you pay to approved professional bodies or learned societies if being a member of that body or society is relevant to your job\n\nYou cannot claim tax relief on life membership subscriptions, or for professional membership fees or annual subscriptions you:\n\n- have not paid yourself (for example if your employer has paid for them)\n\n- have paid to professional organisations that are not approved by HMRC\n\nYour organisation can tell you how much tax you\u2019re allowed to claim back.\n\nCheck if you can claim\n\n## Travel and overnight expenses\n\nIf you have to travel for your work you may be able to claim tax relief on the cost or money you\u2019ve spent on food or overnight expenses.\n\nYou cannot claim for travelling to and from work, unless you\u2019re travelling to a temporary place of work.\n\nYou can claim tax relief for money you\u2019ve spent on things like:\n\n- public transport costs\n\n- hotel accommodation if you have to stay overnight\n\n- food and drink\n\n- congestion charges and tolls\n\n- parking fees\n\n- business phone calls and printing costs\n\nYou may also be able to claim tax relief on business mileage.\n\nCheck if you can claim\n\n## Buying other equipment\n\nIn most cases you can claim tax relief on the full cost of substantial equipment, for example a computer, you have to buy to do your work. This is because it qualifies for a type of capital allowance called annual investment allowance.\n\nYou cannot claim capital allowances for cars, motorcycles or bicycles you use for work, but you may be able to claim for business mileage and fuel costs.\n\nYou claim in a different way for small items that\u2019ll last less than 2 years, such as uniforms and tools.\n\nYou can only claim tax relief for equipment expenses if:\n\n- you need it to do your job\n\n- you use the equipment for work and there\u2019s no significant private use - this includes using the equipment according to your organisation\u2019s policy\n\n## If your employer gives you money for the item\n\nReduce the amount you claim tax relief on by the amount of money your employer gives you.\n\nCheck if you can claim", + "original_contents": [ + "

    Overview

    ", + "

    You might be able to claim tax relief if:

    ", + "
  • you use your own money for things that you must buy for your job
  • ", + "
  • you only use these things for your work
  • ", + "

    You cannot claim tax relief if your employer either gives you:

    ", + "
  • all the money back
  • ", + "
  • an alternative, for example your employer gives you a laptop but you want a different type or model
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You must have paid tax in the year. You\u2019ll get tax relief based on what you\u2019ve spent and the rate at which you pay tax.

    ", + "

    For some claims, you must keep records of what you\u2019ve spent. You must claim within 4 years of the end of the tax year that you spent the money.

    ", + "

    If your claim is for the current tax year, HM Revenue and Customs (HMRC) will usually make any adjustments needed through your tax code.

    ", + "

    If your claim is for previous tax years, HMRC will either make adjustments through your tax code or give you a tax refund.

    ", + "

    Check if you can claim

    ", + "

    Working from home

    ", + "

    You may be able to claim tax relief for additional household costs if you have to work at home on a regular basis, either for all or part of the week. This includes if you have to work from home because of coronavirus (COVID-19).

    ", + "

    You cannot claim tax relief if you choose to work from home.

    ", + "

    You may be able to claim tax relief for:

    ", + "
  • gas and electricity
  • ", + "
  • metered water
  • ", + "
  • business phone calls, including dial-up internet access
  • ", + "

    You cannot claim for the whole bill, just the part that relates to your work.

    ", + "

    You may also be able to claim tax relief on equipment you\u2019ve bought, such as a laptop, chair or mobile phone.

    ", + "

    How much you can claim

    ", + "

    You can either claim tax relief on:

    ", + "
  • \u00a36 a week from 6 April 2020 (for previous tax years the rate is \u00a34 a week) - you will not need to keep evidence of your extra costs
  • ", + "
  • the exact amount of extra costs you\u2019ve incurred above the weekly amount - you\u2019ll need evidence such as receipts, bills or contracts
  • ", + "

    You\u2019ll get tax relief based on the rate at which you pay tax. For example, if you pay the 20% basic rate of tax and claim tax relief on \u00a36 a week you would get \u00a31.20 per week in tax relief (20% of \u00a36).

    ", + "

    Check if you can claim

    ", + "

    Uniforms, work clothing and tools

    ", + "

    You may be able to claim tax relief on the cost of:

    ", + "
  • repairing or replacing small tools you need to do your job (for example, scissors or an electric drill)
  • ", + "
  • cleaning, repairing or replacing specialist clothing (for example, a uniform or safety boots)
  • ", + "

    You cannot claim relief on the initial cost of buying small tools or clothing for work.

    ", + "

    Personal Protective Equipment (PPE)

    ", + "

    You cannot claim tax relief for PPE. If your job requires you to use PPE your employer should either:

    ", + "
  • give you PPE free of charge
  • ", + "
  • ask you to buy it and reimburse you the costs
  • ", + "

    How much you can claim

    ", + "

    You can either claim:

    ", + "
  • the actual amount you\u2019ve spent - you\u2019ll need to keep receipts
  • ", + "
  • an agreed fixed amount (a \u2018flat rate expense\u2019 or \u2018flat rate deduction\u2019)
  • ", + "

    Check if your job has an agreed flat rate expense.

    ", + "

    Check if you can claim

    ", + "

    Vehicles you use for work

    ", + "

    You may be able to claim tax relief if you use cars, vans, motorcycles or bicycles for work.

    ", + "

    This does not include travelling to and from your work, unless it\u2019s a temporary place of work.

    ", + "

    How much you can claim depends on whether you\u2019re using:

    ", + "
  • a vehicle that you\u2019ve bought or leased with your own money
  • ", + "
  • a vehicle owned or leased by your employer (a company vehicle)
  • ", + "

    Using your own vehicle for work

    ", + "

    If you use your own vehicle or vehicles for work, you may be able to claim tax relief on the approved mileage rate. This covers the cost of owning and running your vehicle. You cannot claim separately for things like:

    ", + "
  • fuel
  • ", + "
  • electricity
  • ", + "
  • road tax
  • ", + "
  • MOTs
  • ", + "
  • repairs
  • ", + "

    To work out how much you can claim for each tax year you\u2019ll need to:

    ", + "
  • keep records of the dates and mileage or your work journeys
  • ", + "
  • add up the mileage for each vehicle type you\u2019ve used for work
  • ", + "
  • take away any amount your employer pays you towards your costs, (sometimes called a \u2018mileage allowance\u2019)
  • ", + "

    Approved mileage rates

    ", + " | First 10,000 business miles in the tax year | Each business mile over 10,000 in the tax year", + "Cars and vans | 45p | 25p", + "Motorcycles | 24p | 24p", + "Bicycles | 20p | 20p", + "

    Using a company car for business

    ", + "

    You can claim tax relief on the money you\u2019ve spent on fuel and electricity, for business trips in your company car. Keep records to show the actual cost of the fuel.

    ", + "

    If your employer reimburses some of the money, you can claim relief on the difference.

    ", + "

    Check if you can claim

    ", + "

    Professional fees and subscriptions

    ", + "

    You can claim tax relief on:

    ", + "
  • professional membership fees, if you must pay the fees to be able to do your job
  • ", + "
  • annual subscriptions you pay to approved professional bodies or learned societies if being a member of that body or society is relevant to your job
  • ", + "

    You cannot claim tax relief on life membership subscriptions, or for professional membership fees or annual subscriptions you:

    ", + "
  • have not paid yourself (for example if your employer has paid for them)
  • ", + "
  • have paid to professional organisations that are not approved by HMRC
  • ", + "

    Your organisation can tell you how much tax you\u2019re allowed to claim back.

    ", + "

    Check if you can claim

    ", + "

    Travel and overnight expenses

    ", + "

    If you have to travel for your work you may be able to claim tax relief on the cost or money you\u2019ve spent on food or overnight expenses.

    ", + "

    You cannot claim for travelling to and from work, unless you\u2019re travelling to a temporary place of work.

    ", + "

    You can claim tax relief for money you\u2019ve spent on things like:

    ", + "
  • public transport costs
  • ", + "
  • hotel accommodation if you have to stay overnight
  • ", + "
  • food and drink
  • ", + "
  • congestion charges and tolls
  • ", + "
  • parking fees
  • ", + "
  • business phone calls and printing costs
  • ", + "

    You may also be able to claim tax relief on business mileage.

    ", + "

    Check if you can claim

    ", + "

    Buying other equipment

    ", + "

    In most cases you can claim tax relief on the full cost of substantial equipment, for example a computer, you have to buy to do your work. This is because it qualifies for a type of capital allowance called annual investment allowance.

    ", + "

    You cannot claim capital allowances for cars, motorcycles or bicycles you use for work, but you may be able to claim for business mileage and fuel costs.

    ", + "

    You claim in a different way for small items that\u2019ll last less than 2 years, such as uniforms and tools.

    ", + "

    You can only claim tax relief for equipment expenses if:

    ", + "
  • you need it to do your job
  • ", + "
  • you use the equipment for work and there\u2019s no significant private use - this includes using the equipment according to your organisation\u2019s policy
  • ", + "

    If your employer gives you money for the item

    ", + "

    Reduce the amount you claim tax relief on by the amount of money your employer gives you.

    ", + "

    Check if you can claim

    " + ] + }, + "https://www.gov.uk/income-tax": { + "url": "https://www.gov.uk/income-tax", + "title": "Income Tax", + "content": "## Overview\n\nIncome Tax is a tax you pay on your income. You do not have to pay tax on all types of income.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou pay tax on things like:\n\n- money you earn from employment\n\n- profits you make if you\u2019re self-employed - including from services you sell through websites or apps\n\n- some state benefits\n\n- some grants, including the Self-Employment Income Support Scheme, the Small Business Grant Fund, the Retail, Hospitality and Leisure Grant Fund, the Coronavirus Job Retention Scheme and the Test and Trace Support Payment in England (or the Self-isolation Support Payment in Scotland and the Self-isolation Support Scheme in Wales)\n\n- most pensions, including state pensions, company and personal pensions and retirement annuities\n\n- rental income (unless you\u2019re a live-in landlord and get less than the rent a room limit)\n\n- benefits you get from your job\n\n- income from a trust\n\n- interest on savings over your savings allowance\n\nYou do not pay tax on things like:\n\n- the first \u00a31,000 of income from self-employment - this is your \u2018trading allowance\u2019\n\n- the first \u00a31,000 of income from property you rent (unless you\u2019re using the Rent a Room Scheme)\n\n- income from tax-exempt accounts, like Individual Savings Accounts (ISAs) and National Savings Certificates\n\n- dividends from company shares under your dividends allowance\n\n- some state benefits\n\n- premium bond or National Lottery wins\n\n- rent you get from a lodger in your house that\u2019s below the rent a room limit\n\nIf you only occasionally sell items or rent out property (for example through auction websites or short-term rental apps), check if you need to tell HMRC about this income.\n\n## Income Tax allowances and reliefs\n\nMost people in the UK get a Personal Allowance of tax-free income. This is the amount of income you can have before you pay tax.\n\nThe amount of tax you pay can also be reduced by tax reliefs if you qualify for them.\n\n## How you pay Income Tax\n\n## Pay As You Earn (PAYE)\n\nMost people pay Income Tax through PAYE. This is the system your employer or pension provider uses to take Income Tax and National Insurance contributions before they pay your wages or pension. Your tax code tells your employer how much to deduct.\n\n## Tax on state benefits\n\nYour tax code can take account of taxable state benefits, so if you owe tax on them (for example for the State Pension) it\u2019s usually taken automatically from your other income.\n\nIf the State Pension is your only income, HM Revenue and Customs (HMRC) will write to you if you owe Income Tax. You may need to fill in a Self Assessment tax return.\n\n## Self Assessment tax returns\n\nIf your financial affairs are more complex (for example you\u2019re self-employed or have a high income) you may pay Income Tax and National Insurance through Self Assessment. You\u2019ll need to fill in a tax return every year.\n\nYou must also fill in a tax return if you earned more than either:\n\n- \u00a31,000 from self-employment\n\n- \u00a32,500 from other untaxed income, for example from tips or renting out a property\n\nContact the Income Tax helpline if your income from renting out a property was between \u00a31,000 and \u00a32,500.\n\n## Tax-free and taxable state benefits\n\n## State benefits that are taxable\n\nThe most common benefits that you pay Income Tax on are:\n\n- Bereavement Allowance (previously Widow\u2019s pension)\n\n- Carer\u2019s Allowance\n\n- contribution-based Employment and Support Allowance (ESA)\n\n- Incapacity Benefit (from the 29th week you get it)\n\n- Jobseeker\u2019s Allowance (JSA)\n\n- pensions paid by the Industrial Death Benefit scheme\n\n- the State Pension\n\n- Widowed Parent\u2019s Allowance\n\n## Tax-free state benefits\n\nThe most common state benefits you do not have to pay Income Tax on are:\n\n- Attendance Allowance\n\n- Bereavement support payment\n\n- Child Benefit (income-based - use the Child Benefit tax calculator to see if you\u2019ll have to pay tax)\n\n- Child Tax Credit\n\n- Disability Living Allowance (DLA)\n\n- free TV licence for over-75s\n\n- Guardian\u2019s Allowance\n\n- Housing Benefit\n\n- Income Support - though you may have to pay tax on Income Support if you\u2019re involved in a strike\n\n- income-related Employment and Support Allowance (ESA)\n\n- Industrial Injuries Benefit\n\n- lump-sum bereavement payments\n\n- Maternity Allowance\n\n- Pension Credit\n\n- Personal Independence Payment (PIP)\n\n- Severe Disablement Allowance\n\n- Universal Credit\n\n- War Widow\u2019s Pension\n\n- Winter Fuel Payments and Christmas Bonus\n\n- Working Tax Credit\n\n## Work out if you need to pay Income Tax\n\nTo work out if you should be paying Income Tax, follow these steps.\n\n- Add up all your taxable income, including taxable state benefits.\n\n- Work out your tax-free allowances.\n\n- Take your tax-free allowances away from your taxable income.\n\nIf there\u2019s anything left, you\u2019re a taxpayer. Contact the Income Tax helpline if you\u2019re not already paying tax.\n\nIf there\u2019s nothing left, you should not be paying tax and may be due a refund.\n\n## Check you're paying the right amount\n\nYou can see if you\u2019re paying the right amount of Income Tax online. For the current tax year (6 April 2021 to 5 April 2022), you can:\n\n- check your Income Tax payments\n\n- work out how much Income Tax you should be paying\n\nYou can also:\n\n- check how much Income Tax you paid last year (6 April 2020 to 5 April 2021)\n\n- estimate how much Income Tax you should have paid in a previous year\n\nIf you cannot use these services, you can check you\u2019ve paid the right tax by contacting HMRC or by getting help from an accountant.\n\nThere\u2019s a different way to change a Self Assessment tax return.", + "original_contents": [ + "

    Overview

    ", + "

    Income Tax is a tax you pay on your income. You do not have to pay tax on all types of income.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You pay tax on things like:

    ", + "
  • money you earn from employment
  • ", + "
  • profits you make if you\u2019re self-employed - including from services you sell through websites or apps
  • ", + "
  • some state benefits
  • ", + "
  • some grants, including the Self-Employment Income Support Scheme, the Small Business Grant Fund, the Retail, Hospitality and Leisure Grant Fund, the Coronavirus Job Retention Scheme and the Test and Trace Support Payment in England (or the Self-isolation Support Payment in Scotland and the Self-isolation Support Scheme in Wales)
  • ", + "
  • most pensions, including state pensions, company and personal pensions and retirement annuities
  • ", + "
  • rental income (unless you\u2019re a live-in landlord and get less than the rent a room limit)
  • ", + "
  • benefits you get from your job
  • ", + "
  • income from a trust
  • ", + "
  • interest on savings over your savings allowance
  • ", + "

    You do not pay tax on things like:

    ", + "
  • the first \u00a31,000 of income from self-employment - this is your \u2018trading allowance\u2019
  • ", + "
  • the first \u00a31,000 of income from property you rent (unless you\u2019re using the Rent a Room Scheme)
  • ", + "
  • income from tax-exempt accounts, like Individual Savings Accounts (ISAs) and National Savings Certificates
  • ", + "
  • dividends from company shares under your dividends allowance
  • ", + "
  • some state benefits
  • ", + "
  • premium bond or National Lottery wins
  • ", + "
  • rent you get from a lodger in your house that\u2019s below the rent a room limit
  • ", + "

    If you only occasionally sell items or rent out property (for example through auction websites or short-term rental apps), check if you need to tell HMRC about this income.

    ", + "

    Income Tax allowances and reliefs

    ", + "

    Most people in the UK get a Personal Allowance of tax-free income. This is the amount of income you can have before you pay tax.

    ", + "

    The amount of tax you pay can also be reduced by tax reliefs if you qualify for them.

    ", + "

    How you pay Income Tax

    ", + "

    Pay As You Earn (PAYE)

    ", + "

    Most people pay Income Tax through PAYE. This is the system your employer or pension provider uses to take Income Tax and National Insurance contributions before they pay your wages or pension. Your tax code tells your employer how much to deduct.

    ", + "

    Tax on state benefits

    ", + "

    Your tax code can take account of taxable state benefits, so if you owe tax on them (for example for the State Pension) it\u2019s usually taken automatically from your other income.

    ", + "

    If the State Pension is your only income, HM Revenue and Customs (HMRC) will write to you if you owe Income Tax. You may need to fill in a Self Assessment tax return.

    ", + "

    Self Assessment tax returns

    ", + "

    If your financial affairs are more complex (for example you\u2019re self-employed or have a high income) you may pay Income Tax and National Insurance through Self Assessment. You\u2019ll need to fill in a tax return every year.

    ", + "

    You must also fill in a tax return if you earned more than either:

    ", + "
  • \u00a31,000 from self-employment
  • ", + "
  • \u00a32,500 from other untaxed income, for example from tips or renting out a property
  • ", + "

    Contact the Income Tax helpline if your income from renting out a property was between \u00a31,000 and \u00a32,500.

    ", + "

    Tax-free and taxable state benefits

    ", + "

    State benefits that are taxable

    ", + "

    The most common benefits that you pay Income Tax on are:

    ", + "
  • Bereavement Allowance (previously Widow\u2019s pension)
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • contribution-based Employment and Support Allowance (ESA)
  • ", + "
  • Incapacity Benefit (from the 29th week you get it)
  • ", + "
  • Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • pensions paid by the Industrial Death Benefit scheme
  • ", + "
  • the State Pension
  • ", + "
  • Widowed Parent\u2019s Allowance
  • ", + "

    Tax-free state benefits

    ", + "

    The most common state benefits you do not have to pay Income Tax on are:

    ", + "
  • Attendance Allowance
  • ", + "
  • Bereavement support payment
  • ", + "
  • Child Benefit (income-based - use the Child Benefit tax calculator to see if you\u2019ll have to pay tax)
  • ", + "
  • Child Tax Credit
  • ", + "
  • Disability Living Allowance (DLA)
  • ", + "
  • free TV licence for over-75s
  • ", + "
  • Guardian\u2019s Allowance
  • ", + "
  • Housing Benefit
  • ", + "
  • Income Support - though you may have to pay tax on Income Support if you\u2019re involved in a strike
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Industrial Injuries Benefit
  • ", + "
  • lump-sum bereavement payments
  • ", + "
  • Maternity Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Personal Independence Payment (PIP)
  • ", + "
  • Severe Disablement Allowance
  • ", + "
  • Universal Credit
  • ", + "
  • War Widow\u2019s Pension
  • ", + "
  • Winter Fuel Payments and Christmas Bonus
  • ", + "
  • Working Tax Credit
  • ", + "

    Work out if you need to pay Income Tax

    ", + "

    To work out if you should be paying Income Tax, follow these steps.

    ", + "
  • Add up all your taxable income, including taxable state benefits.
  • ", + "
  • Work out your tax-free allowances.
  • ", + "
  • Take your tax-free allowances away from your taxable income.
  • ", + "

    If there\u2019s anything left, you\u2019re a taxpayer. Contact the Income Tax helpline if you\u2019re not already paying tax.

    ", + "

    If there\u2019s nothing left, you should not be paying tax and may be due a refund.

    ", + "

    Check you're paying the right amount

    ", + "

    You can see if you\u2019re paying the right amount of Income Tax online. For the current tax year (6 April 2021 to 5 April 2022), you can:

    ", + "
  • check your Income Tax payments
  • ", + "
  • work out how much Income Tax you should be paying
  • ", + "

    You can also:

    ", + "
  • check how much Income Tax you paid last year (6 April 2020 to 5 April 2021)
  • ", + "
  • estimate how much Income Tax you should have paid in a previous year
  • ", + "

    If you cannot use these services, you can check you\u2019ve paid the right tax by contacting HMRC or by getting help from an accountant.

    ", + "

    There\u2019s a different way to change a Self Assessment tax return.

    " + ] + }, + "https://www.gov.uk/scottish-income-tax": { + "url": "https://www.gov.uk/scottish-income-tax", + "title": "Income Tax in Scotland", + "content": "## Current rates\n\nYou pay Scottish Income Tax if you live in Scotland. It\u2019s paid to the Scottish Government.\n\nScottish Income Tax applies to your wages, pension and most other taxable income.\n\nYou\u2019ll pay the same tax as the rest of the UK on dividends and savings interest.\n\n## What you\u2019ll pay\n\nThe table shows the 2021 to 2022 Scottish Income Tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570. You do not get a Personal Allowance if you earn over \u00a3125,140.\n\n| Band | Taxable income | Scottish tax rate |\n\n| Personal Allowance | Up to \u00a312,570 | 0% |\n\n| Starter rate | \u00a312,571 to \u00a314,667 | 19% |\n\n| Basic rate | \u00a314,668 to \u00a325,296 | 20% |\n\n| Intermediate rate | \u00a325,297 to \u00a343,662 | 21% |\n\n| Higher rate | \u00a343,663 to \u00a3150,000 | 41% |\n\n| Top rate | over \u00a3150,000 | 46% |\n\n## Who pays\n\nYou pay Scottish Income Tax if you live in Scotland.\n\nYou may also pay Scottish Income Tax if you:\n\n- move to or from Scotland\n\n- live in a home in Scotland and one elsewhere in the UK, for example for work\n\n- do not have a home and stay in Scotland regularly, for example you stay offshore or in hotels\n\n## How you pay\n\nIf you\u2019re employed or get a pension, your tax code will start with an \u2018S\u2019. This tells your employer or pension provider to deduct tax at the Scottish rate.\n\nYour tax code will be S1250L if you pay Scottish Income Tax and get the standard Personal Allowance of \u00a312,500.\n\nIf you fill in an online Self Assessment tax return, there\u2019s a box for you to tell HMRC that you pay Scottish Income Tax.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you move to or from Scotland\n\nYou pay Scottish Income Tax if you move to Scotland and live there for a longer period than anywhere else in the UK during a tax year (6 April to 5 April the following year).\n\nYou must tell HMRC of your new address if you move to or from Scotland. You may pay tax at the wrong rate if you do not.\n\n## If HMRC changes your tax rate\n\nThe new rate you pay will be backdated to the start of the tax year (6 April) in which you moved. The tax taken from your wages or pension will be adjusted automatically so you pay the right amount across the whole year.\n\n## If you live in more than one home\n\nYou need to know which is your main home if you have one in Scotland and one somewhere else in the UK.\n\n## What counts as your main home\n\nYour main home is usually where you live and spend most of your time.\n\nIt does not matter whether you own it, rent it or live in it for free.\n\nYour main home may be the home where you spend less time if that\u2019s where:\n\n- most of your possessions are\n\n- your family lives, if you\u2019re married or in a civil partnership\n\n- you\u2019re registered for things like your bank account, GP or car insurance\n\n- you\u2019re a member of clubs or societies\n\nThis might apply to you if you live away because of your work, for example you\u2019re a lorry driver, an offshore worker or in the armed forces.\n\nYou can contact HMRC to change which home counts as your main one.\n\n## If you\u2019re not sure which is your main home\n\nHMRC has detailed information about working out which is your main home, including if:\n\n- you\u2019re a mobile worker, for example your job means you travel most of the time\n\n- you\u2019re a student\n\n- you do not have a permanent home\n\n## 2020 to 2021 tax year\n\nYou pay a different rate of tax for income from the tax year 6 April 2020 to 5 April 2021.\n\n| Band | Taxable income | Scottish tax rate |\n\n| Personal Allowance | Up to \u00a312,500 | 0% |\n\n| Starter rate | \u00a312,501 to \u00a314,585 | 19% |\n\n| Basic rate | \u00a314,586 to \u00a325,158 | 20% |\n\n| Intermediate rate | \u00a325,159 to \u00a343,430 | 21% |\n\n| Higher rate | \u00a343,431 to \u00a3150,000 | 41% |\n\n| Top rate | over \u00a3150,000 | 46% |\n\nIt applies to your wages, pension and most other taxable income.\n\nYou pay the same tax as the rest of the UK on dividends and savings interest.", + "original_contents": [ + "

    Current rates

    ", + "

    You pay Scottish Income Tax if you live in Scotland. It\u2019s paid to the Scottish Government.

    ", + "

    Scottish Income Tax applies to your wages, pension and most other taxable income.

    ", + "

    You\u2019ll pay the same tax as the rest of the UK on dividends and savings interest.

    ", + "

    What you\u2019ll pay

    ", + "

    The table shows the 2021 to 2022 Scottish Income Tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570. You do not get a Personal Allowance if you earn over \u00a3125,140.

    ", + "Band | Taxable income | Scottish tax rate", + "Personal Allowance | Up to \u00a312,570 | 0%", + "Starter rate | \u00a312,571 to \u00a314,667 | 19%", + "Basic rate | \u00a314,668 to \u00a325,296 | 20%", + "Intermediate rate | \u00a325,297 to \u00a343,662 | 21%", + "Higher rate | \u00a343,663 to \u00a3150,000 | 41%", + "Top rate | over \u00a3150,000 | 46%", + "

    Who pays

    ", + "

    You pay Scottish Income Tax if you live in Scotland.

    ", + "

    You may also pay Scottish Income Tax if you:

    ", + "
  • move to or from Scotland
  • ", + "
  • live in a home in Scotland and one elsewhere in the UK, for example for work
  • ", + "
  • do not have a home and stay in Scotland regularly, for example you stay offshore or in hotels
  • ", + "

    How you pay

    ", + "

    If you\u2019re employed or get a pension, your tax code will start with an \u2018S\u2019. This tells your employer or pension provider to deduct tax at the Scottish rate.

    ", + "

    Your tax code will be S1250L if you pay Scottish Income Tax and get the standard Personal Allowance of \u00a312,500.

    ", + "

    If you fill in an online Self Assessment tax return, there\u2019s a box for you to tell HMRC that you pay Scottish Income Tax.

    ", + "

    The tax year is from 6 April to 5 April the following year.

    ", + "

    If you move to or from Scotland

    ", + "

    You pay Scottish Income Tax if you move to Scotland and live there for a longer period than anywhere else in the UK during a tax year (6 April to 5 April the following year).

    ", + "

    You must tell HMRC of your new address if you move to or from Scotland. You may pay tax at the wrong rate if you do not.

    ", + "

    If HMRC changes your tax rate

    ", + "

    The new rate you pay will be backdated to the start of the tax year (6 April) in which you moved. The tax taken from your wages or pension will be adjusted automatically so you pay the right amount across the whole year.

    ", + "

    If you live in more than one home

    ", + "

    You need to know which is your main home if you have one in Scotland and one somewhere else in the UK.

    ", + "

    What counts as your main home

    ", + "

    Your main home is usually where you live and spend most of your time.

    ", + "

    It does not matter whether you own it, rent it or live in it for free.

    ", + "

    Your main home may be the home where you spend less time if that\u2019s where:

    ", + "
  • most of your possessions are
  • ", + "
  • your family lives, if you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re registered for things like your bank account, GP or car insurance
  • ", + "
  • you\u2019re a member of clubs or societies
  • ", + "

    This might apply to you if you live away because of your work, for example you\u2019re a lorry driver, an offshore worker or in the armed forces.

    ", + "

    You can contact HMRC to change which home counts as your main one.

    ", + "

    If you\u2019re not sure which is your main home

    ", + "

    HMRC has detailed information about working out which is your main home, including if:

    ", + "
  • you\u2019re a mobile worker, for example your job means you travel most of the time
  • ", + "
  • you\u2019re a student
  • ", + "
  • you do not have a permanent home
  • ", + "

    2020 to 2021 tax year

    ", + "

    You pay a different rate of tax for income from the tax year 6 April 2020 to 5 April 2021.

    ", + "Band | Taxable income | Scottish tax rate", + "Personal Allowance | Up to \u00a312,500 | 0%", + "Starter rate | \u00a312,501 to \u00a314,585 | 19%", + "Basic rate | \u00a314,586 to \u00a325,158 | 20%", + "Intermediate rate | \u00a325,159 to \u00a343,430 | 21%", + "Higher rate | \u00a343,431 to \u00a3150,000 | 41%", + "Top rate | over \u00a3150,000 | 46%", + "

    It applies to your wages, pension and most other taxable income.

    ", + "

    You pay the same tax as the rest of the UK on dividends and savings interest.

    " + ] + }, + "https://www.gov.uk/income-tax-rates": { + "url": "https://www.gov.uk/income-tax-rates", + "title": "Income Tax rates and Personal Allowances", + "content": "## Current rates and allowances\n\nHow much Income Tax you pay in each tax year depends on:\n\n- how much of your income is above your Personal Allowance\n\n- how much of your income falls within each tax band\n\nSome income is tax-free.\n\nThe current tax year is from 6 April 2021 to 5 April 2022.\n\n## Your tax-free Personal Allowance\n\nThe standard Personal Allowance is \u00a312,570, which is the amount of income you do not have to pay tax on.\n\nYour Personal Allowance may be bigger if you claim Marriage Allowance or Blind Person\u2019s Allowance. It\u2019s smaller if your income is over \u00a3100,000.\n\n## Income Tax rates and bands\n\nThe table shows the tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570.\n\nIncome tax bands are different if you live in Scotland.\n\n| Band | Taxable income | Tax rate |\n\n| Personal Allowance | Up to \u00a312,570 | 0% |\n\n| Basic rate | \u00a312,571 to \u00a350,270 | 20% |\n\n| Higher rate | \u00a350,271 to \u00a3150,000 | 40% |\n\n| Additional rate | over \u00a3150,000 | 45% |\n\nYou can also see the rates and bands without the Personal Allowance. You do not get a Personal Allowance on taxable income over \u00a3125,140.\n\n## If you\u2019re employed or get a pension\n\nCheck your Income Tax to see:\n\n- your Personal Allowance and tax code\n\n- how much tax you\u2019ve paid in the current tax year\n\n- how much you\u2019re likely to pay for the rest of the year\n\n## Other allowances\n\nYou have tax-free allowances for:\n\n- savings interest\n\n- dividends, if you own shares in a company\n\nYou may also have tax-free allowances for:\n\n- your first \u00a31,000 of income from self-employment - this is your \u2018trading allowance\u2019\n\n- your first \u00a31,000 of income from property you rent (unless you\u2019re using the Rent a Room Scheme)\n\nFind out whether you\u2019re eligible for the trading and property allowances.\n\nYou pay tax on any interest, dividends or income over your allowances.\n\n## Paying less Income Tax\n\nYou may be able to claim Income Tax reliefs if you\u2019re eligible for them.\n\n## If you\u2019re married or in a civil partnership\n\nYou may be able to claim Marriage Allowance to reduce your partner\u2019s tax if your income is less than the standard Personal Allowance.\n\nIf you do not claim Marriage Allowance and you or your partner were born before 6 April 1935, you may be able to claim Married Couple\u2019s Allowance.\n\n## Previous tax years\n\nThe standard Personal Allowance from 6 April 2020 to 5 April 2021 was \u00a312,500.\n\n| Tax rate | Taxable income above your Personal Allowance for 2020 to 2021 |\n\n| Basic rate 20% | \u00a30 to \u00a337,500 People with the standard Personal Allowance started paying this rate on income over \u00a312,500 |\n\n| Higher rate 40% | \u00a337,501 to \u00a3150,000 People with the standard Personal Allowance started paying this rate on income over \u00a350,000 |\n\n| Additional rate 45% | Over \u00a3150,000 |\n\nYour Personal Allowance would have been smaller if your income was over \u00a3100,000, or bigger if you got Marriage Allowance or Blind Person\u2019s Allowance.\n\n## Other rates and earlier tax years\n\nHM Revenue and Customs (HMRC) publishes tables with full rates and allowances for current and past tax years.\n\n## Income over \u00a3100,000\n\nYour Personal Allowance goes down by \u00a31 for every \u00a32 that your adjusted net income is above \u00a3100,000. This means your allowance is zero if your income is \u00a3125,140 or above.\n\nYou\u2019ll also need to do a Self Assessment tax return.\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.\n\n## Register for Self Assessment\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now", + "original_contents": [ + "

    Current rates and allowances

    ", + "

    How much Income Tax you pay in each tax year depends on:

    ", + "
  • how much of your income is above your Personal Allowance
  • ", + "
  • how much of your income falls within each tax band
  • ", + "

    Some income is tax-free.

    ", + "

    The current tax year is from 6 April 2021 to 5 April 2022.

    ", + "

    Your tax-free Personal Allowance

    ", + "

    The standard Personal Allowance is \u00a312,570, which is the amount of income you do not have to pay tax on.

    ", + "

    Your Personal Allowance may be bigger if you claim Marriage Allowance or Blind Person\u2019s Allowance. It\u2019s smaller if your income is over \u00a3100,000.

    ", + "

    Income Tax rates and bands

    ", + "

    The table shows the tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570.

    ", + "

    Income tax bands are different if you live in Scotland.

    ", + "Band | Taxable income | Tax rate", + "Personal Allowance | Up to \u00a312,570 | 0%", + "Basic rate | \u00a312,571 to \u00a350,270 | 20%", + "Higher rate | \u00a350,271 to \u00a3150,000 | 40%", + "Additional rate | over \u00a3150,000 | 45%", + "

    You can also see the rates and bands without the Personal Allowance. You do not get a Personal Allowance on taxable income over \u00a3125,140.

    ", + "

    If you\u2019re employed or get a pension

    ", + "

    Check your Income Tax to see:

    ", + "
  • your Personal Allowance and tax code
  • ", + "
  • how much tax you\u2019ve paid in the current tax year
  • ", + "
  • how much you\u2019re likely to pay for the rest of the year
  • ", + "

    Other allowances

    ", + "

    You have tax-free allowances for:

    ", + "
  • savings interest
  • ", + "
  • dividends, if you own shares in a company
  • ", + "

    You may also have tax-free allowances for:

    ", + "
  • your first \u00a31,000 of income from self-employment - this is your \u2018trading allowance\u2019
  • ", + "
  • your first \u00a31,000 of income from property you rent (unless you\u2019re using the Rent a Room Scheme)
  • ", + "

    Find out whether you\u2019re eligible for the trading and property allowances.

    ", + "

    You pay tax on any interest, dividends or income over your allowances.

    ", + "

    Paying less Income Tax

    ", + "

    You may be able to claim Income Tax reliefs if you\u2019re eligible for them.

    ", + "

    If you\u2019re married or in a civil partnership

    ", + "

    You may be able to claim Marriage Allowance to reduce your partner\u2019s tax if your income is less than the standard Personal Allowance.

    ", + "

    If you do not claim Marriage Allowance and you or your partner were born before 6 April 1935, you may be able to claim Married Couple\u2019s Allowance.

    ", + "

    Previous tax years

    ", + "

    The standard Personal Allowance from 6 April 2020 to 5 April 2021 was \u00a312,500.

    ", + "Tax rate | Taxable income above your Personal Allowance for 2020 to 2021", + "Basic rate 20% | \u00a30 to \u00a337,500 People with the standard Personal Allowance started paying this rate on income over \u00a312,500", + "Higher rate 40% | \u00a337,501 to \u00a3150,000 People with the standard Personal Allowance started paying this rate on income over \u00a350,000", + "Additional rate 45% | Over \u00a3150,000", + "

    Your Personal Allowance would have been smaller if your income was over \u00a3100,000, or bigger if you got Marriage Allowance or Blind Person\u2019s Allowance.

    ", + "

    Other rates and earlier tax years

    ", + "

    HM Revenue and Customs (HMRC) publishes tables with full rates and allowances for current and past tax years.

    ", + "

    Income over \u00a3100,000

    ", + "

    Your Personal Allowance goes down by \u00a31 for every \u00a32 that your adjusted net income is above \u00a3100,000. This means your allowance is zero if your income is \u00a3125,140 or above.

    ", + "

    You\u2019ll also need to do a Self Assessment tax return.

    ", + "

    If you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.

    ", + "

    Register for Self Assessment

    ", + "

    You\u2019ll get a letter telling you what to do next after you\u2019ve registered.

    ", + "

    Register now

    " + ] + }, + "https://www.gov.uk/individual-savings-accounts": { + "url": "https://www.gov.uk/individual-savings-accounts", + "title": "Individual Savings Accounts (ISAs)", + "content": "## Overview\n\nYou can save tax-free with Individual Savings Accounts (ISAs).\n\nIn the 2021 to 2022 tax year, the maximum you can save in ISAs is \u00a320,000\n\nThere are 4 types of ISA:\n\n- cash ISAs\n\n- stocks and shares ISAs\n\n- innovative finance ISAs\n\n- Lifetime ISAs\n\nYou can put money into one of each kind of ISA each tax year.\n\n## Who can open an ISA\n\nYou must be:\n\n- 16 or over for a cash ISA\n\n- 18 or over for a stocks and shares or innovative finance ISA\n\n- 18 or over but under 40 for a Lifetime ISA\n\nYou must also be either:\n\n- resident in the UK\n\n- a Crown servant (for example diplomatic or overseas civil service) or their spouse or civil partner if you do not live in the UK\n\nYou cannot hold an ISA with or on behalf of someone else.\n\nYou can get a Junior ISA for children under 18.\n\n## Opening and managing an ISA for someone who lacks the mental capacity to do this for themselves\n\nA close friend or relative can apply to the Court of Protection (COP) for a financial deputyship order to open and manage an ISA for someone who cannot do this for themselves.\n\nIn Scotland, applications need to be made to the Office of the Public Guardian in Scotland.\n\nIn Northern Ireland, applications need to be made to the Office of Care and Protection.\n\n## How ISAs work\n\nThere are 4 types of Individual Savings Accounts (ISA):\n\n- cash ISA\n\n- stocks and shares ISA\n\n- innovative finance ISA\n\n- Lifetime ISA\n\nYou do not pay tax on:\n\n- interest on cash in an ISA\n\n- income or capital gains from investments in an ISA\n\nIf you complete a tax return, you do not need to declare any ISA interest, income or capital gains on it.\n\n## Putting money into an ISA\n\nEvery tax year you can put money into one of each kind of ISA. The tax year runs from 6 April to 5 April.\n\nYou can save up to \u00a320,000 in one type of account or split the allowance across some or all of the other types.\n\nYou can only pay \u00a34,000 into your Lifetime ISA in a tax year.\n\nYour ISAs will not close when the tax year finishes. You\u2019ll keep your savings on a tax-free basis for as long as you keep the money in your ISA accounts.\n\n## What you can include in your ISAs\n\nCash ISAs can include:\n\n- savings in bank and building society accounts\n\n- some National Savings and Investments products\n\nStocks and shares ISAs can include:\n\n- shares in companies\n\n- unit trusts and investment funds\n\n- corporate bonds\n\n- government bonds\n\nYou cannot transfer any non-ISA shares you already own into an ISA unless they\u2019re from an employee share scheme.\n\nLifetime ISAs may include either:\n\n- cash\n\n- stocks and shares\n\nInnovative finance ISAs include:\n\n- peer-to-peer loans - loans that you give to other people or businesses without using a bank\n\n- \u2018crowdfunding debentures\u2019 - investing in a business by buying its debt\n\nYou cannot transfer any peer-to-peer loans you\u2019ve already made or crowdfunding debentures you already hold into an innovative finance ISA.\n\nIf you have questions about the tax rules for ISAs, you can call the ISA Helpline.\n\n## How to open an ISA\n\nYou can get an Individual Savings Account (ISA) from:\n\n- banks\n\n- building societies\n\n- credit unions\n\n- friendly societies\n\n- stock brokers\n\n- peer-to-peer lending services\n\n- crowdfunding companies\n\n- other financial institutions\n\nContact your provider directly for more information about how to open an ISA with them.\n\n## Withdrawing your money\n\nYou can take your money out of an Individual Savings Account (ISA) at any time, without losing any tax benefits. Check the terms of your ISA to see if there are any rules or charges for making withdrawals.\n\nThere are different rules for taking your money out of a Lifetime ISA.\n\nIf your ISA is \u2018flexible\u2019, you can take out cash then put it back in during the same tax year without reducing your current year\u2019s allowance. Your provider can tell you if your ISA is flexible.\n\n## Transferring your ISA\n\nYou can transfer your Individual Savings Account (ISA) from one provider to another at any time.\n\nYou can transfer your savings to a different type of ISA or to the same type of ISA.\n\nIf you want to transfer money you\u2019ve invested in an ISA during the current year, you must transfer all of it.\n\nFor money you invested in previous years, you can choose to transfer all or part of your savings.\n\nIf you transfer cash and assets from a Lifetime ISA to a different ISA before the age of 60, you\u2019ll have to pay a withdrawal fee of 25%.\n\n## Restrictions on what you can transfer\n\nYou can transfer cash from your innovative finance ISA to another provider - but you may not be able to transfer other investments from it.\n\nCheck with your provider for any restrictions they may have on transferring ISAs. They may also make you pay a charge.\n\n## How to transfer your ISA\n\nTo switch providers, contact the ISA provider you want to move to and fill out an ISA transfer form to move your account. If you withdraw the money without doing this, you will not be able to reinvest that part of your tax-free allowance again.\n\n## Deadlines and complaints\n\nISA transfers should take no longer than:\n\n- 15 working days for transfers between cash ISAs\n\n- 30 calendar days for other types of transfer\n\nIf you want to transfer investments held in an innovative finance ISA, ask your provider how long it will take.\n\nIf your transfer takes longer than it should, contact your ISA provider.\n\nIf you\u2019re unhappy with the response, you can take the matter up with the Financial Ombudsman Service.\n\n## If you move abroad\n\nIf you open an Individual Savings Account (ISA) in the UK then move abroad, you cannot put money into it after the tax year that you move (unless you\u2019re a Crown employee working overseas or their spouse or civil partner).\n\nYou must tell your ISA provider as soon as you stop being a UK resident.\n\nHowever, you can keep your ISA open and you\u2019ll still get UK tax relief on money and investments held in it.\n\nYou can transfer an ISA to another provider even if you are not resident in the UK.\n\nYou can pay into your ISA again if you return and become a UK resident (subject to the annual ISA allowance).\n\n## If you die\n\nYour ISA will end when either:\n\n- your executor closes it\n\n- the administration of your estate is completed\n\nOtherwise, your ISA provider will close your ISA 3 years and 1 day after you die.\n\nThere will be no Income Tax or Capital Gains Tax to pay up to that date, but ISA investments will form part of your estate for Inheritance Tax purposes.\n\n## Stocks and shares ISAs\n\nYour ISA provider can be instructed to either:\n\n- sell the investments and pay the proceeds to the administrator or beneficiary of your estate\n\n- transfer the investments to your surviving spouse\u2019s or civil partner\u2019s ISA - this is only possible if they have the same ISA provider as you\n\nCheck the terms and conditions of your ISA for details.\n\n## Inheriting an ISA from your spouse or civil partner\n\nIf your spouse or civil partner dies you can inherit their ISA allowance.\n\nAs well as your normal ISA allowance you can add a tax-free amount up to either:\n\n- the value they held in their ISA when they died\n\n- the value of their ISA when it\u2019s closed\n\nContact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.\n\n## If your spouse or civil partner died from 3 December 2014 to 5 April 2018\n\nTheir ISA ended on the date of their death. ISA investments will form part of their estate for Inheritance Tax purposes.\n\nTheir ISA provider can be instructed to sell the investments and either:\n\n- pay the proceeds to the administrator or beneficiary of their estate\n\n- transfer the investments directly to them\n\nYou can inherit their ISA allowance. As well as your normal ISA allowance, you can add a tax-free amount up to the value they held in their ISA when they died.\n\nContact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.", + "original_contents": [ + "

    Overview

    ", + "

    You can save tax-free with Individual Savings Accounts (ISAs).

    ", + "

    In the 2021 to 2022 tax year, the maximum you can save in ISAs is \u00a320,000

    ", + "

    There are 4 types of ISA:

    ", + "
  • cash ISAs
  • ", + "
  • stocks and shares ISAs
  • ", + "
  • innovative finance ISAs
  • ", + "
  • Lifetime ISAs
  • ", + "

    You can put money into one of each kind of ISA each tax year.

    ", + "

    Who can open an ISA

    ", + "

    You must be:

    ", + "
  • 16 or over for a cash ISA
  • ", + "
  • 18 or over for a stocks and shares or innovative finance ISA
  • ", + "
  • 18 or over but under 40 for a Lifetime ISA
  • ", + "

    You must also be either:

    ", + "
  • resident in the UK
  • ", + "
  • a Crown servant (for example diplomatic or overseas civil service) or their spouse or civil partner if you do not live in the UK
  • ", + "

    You cannot hold an ISA with or on behalf of someone else.

    ", + "

    You can get a Junior ISA for children under 18.

    ", + "

    Opening and managing an ISA for someone who lacks the mental capacity to do this for themselves

    ", + "

    A close friend or relative can apply to the Court of Protection (COP) for a financial deputyship order to open and manage an ISA for someone who cannot do this for themselves.

    ", + "

    In Scotland, applications need to be made to the Office of the Public Guardian in Scotland.

    ", + "

    In Northern Ireland, applications need to be made to the Office of Care and Protection.

    ", + "

    How ISAs work

    ", + "

    There are 4 types of Individual Savings Accounts (ISA):

    ", + "
  • cash ISA
  • ", + "
  • stocks and shares ISA
  • ", + "
  • innovative finance ISA
  • ", + "
  • Lifetime ISA
  • ", + "

    You do not pay tax on:

    ", + "
  • interest on cash in an ISA
  • ", + "
  • income or capital gains from investments in an ISA
  • ", + "

    If you complete a tax return, you do not need to declare any ISA interest, income or capital gains on it.

    ", + "

    Putting money into an ISA

    ", + "

    Every tax year you can put money into one of each kind of ISA. The tax year runs from 6 April to 5 April.

    ", + "

    You can save up to \u00a320,000 in one type of account or split the allowance across some or all of the other types.

    ", + "

    You can only pay \u00a34,000 into your Lifetime ISA in a tax year.

    ", + "

    Your ISAs will not close when the tax year finishes. You\u2019ll keep your savings on a tax-free basis for as long as you keep the money in your ISA accounts.

    ", + "

    What you can include in your ISAs

    ", + "

    Cash ISAs can include:

    ", + "
  • savings in bank and building society accounts
  • ", + "
  • some National Savings and Investments products
  • ", + "

    Stocks and shares ISAs can include:

    ", + "
  • shares in companies
  • ", + "
  • unit trusts and investment funds
  • ", + "
  • corporate bonds
  • ", + "
  • government bonds
  • ", + "

    You cannot transfer any non-ISA shares you already own into an ISA unless they\u2019re from an employee share scheme.

    ", + "

    Lifetime ISAs may include either:

    ", + "
  • cash
  • ", + "
  • stocks and shares
  • ", + "

    Innovative finance ISAs include:

    ", + "
  • peer-to-peer loans - loans that you give to other people or businesses without using a bank
  • ", + "
  • \u2018crowdfunding debentures\u2019 - investing in a business by buying its debt
  • ", + "

    You cannot transfer any peer-to-peer loans you\u2019ve already made or crowdfunding debentures you already hold into an innovative finance ISA.

    ", + "

    If you have questions about the tax rules for ISAs, you can call the ISA Helpline.

    ", + "

    How to open an ISA

    ", + "

    You can get an Individual Savings Account (ISA) from:

    ", + "
  • banks
  • ", + "
  • building societies
  • ", + "
  • credit unions
  • ", + "
  • friendly societies
  • ", + "
  • stock brokers
  • ", + "
  • peer-to-peer lending services
  • ", + "
  • crowdfunding companies
  • ", + "
  • other financial institutions
  • ", + "

    Contact your provider directly for more information about how to open an ISA with them.

    ", + "

    Withdrawing your money

    ", + "

    You can take your money out of an Individual Savings Account (ISA) at any time, without losing any tax benefits. Check the terms of your ISA to see if there are any rules or charges for making withdrawals.

    ", + "

    There are different rules for taking your money out of a Lifetime ISA.

    ", + "

    If your ISA is \u2018flexible\u2019, you can take out cash then put it back in during the same tax year without reducing your current year\u2019s allowance. Your provider can tell you if your ISA is flexible.

    ", + "

    Transferring your ISA

    ", + "

    You can transfer your Individual Savings Account (ISA) from one provider to another at any time.

    ", + "

    You can transfer your savings to a different type of ISA or to the same type of ISA.

    ", + "

    If you want to transfer money you\u2019ve invested in an ISA during the current year, you must transfer all of it.

    ", + "

    For money you invested in previous years, you can choose to transfer all or part of your savings.

    ", + "

    If you transfer cash and assets from a Lifetime ISA to a different ISA before the age of 60, you\u2019ll have to pay a withdrawal fee of 25%.

    ", + "

    Restrictions on what you can transfer

    ", + "

    You can transfer cash from your innovative finance ISA to another provider - but you may not be able to transfer other investments from it.

    ", + "

    Check with your provider for any restrictions they may have on transferring ISAs. They may also make you pay a charge.

    ", + "

    How to transfer your ISA

    ", + "

    To switch providers, contact the ISA provider you want to move to and fill out an ISA transfer form to move your account. If you withdraw the money without doing this, you will not be able to reinvest that part of your tax-free allowance again.

    ", + "

    Deadlines and complaints

    ", + "

    ISA transfers should take no longer than:

    ", + "
  • 15 working days for transfers between cash ISAs
  • ", + "
  • 30 calendar days for other types of transfer
  • ", + "

    If you want to transfer investments held in an innovative finance ISA, ask your provider how long it will take.

    ", + "

    If your transfer takes longer than it should, contact your ISA provider.

    ", + "

    If you\u2019re unhappy with the response, you can take the matter up with the Financial Ombudsman Service.

    ", + "

    If you move abroad

    ", + "

    If you open an Individual Savings Account (ISA) in the UK then move abroad, you cannot put money into it after the tax year that you move (unless you\u2019re a Crown employee working overseas or their spouse or civil partner).

    ", + "

    You must tell your ISA provider as soon as you stop being a UK resident.

    ", + "

    However, you can keep your ISA open and you\u2019ll still get UK tax relief on money and investments held in it.

    ", + "

    You can transfer an ISA to another provider even if you are not resident in the UK.

    ", + "

    You can pay into your ISA again if you return and become a UK resident (subject to the annual ISA allowance).

    ", + "

    If you die

    ", + "

    Your ISA will end when either:

    ", + "
  • your executor closes it
  • ", + "
  • the administration of your estate is completed
  • ", + "

    Otherwise, your ISA provider will close your ISA 3 years and 1 day after you die.

    ", + "

    There will be no Income Tax or Capital Gains Tax to pay up to that date, but ISA investments will form part of your estate for Inheritance Tax purposes.

    ", + "

    Stocks and shares ISAs

    ", + "

    Your ISA provider can be instructed to either:

    ", + "
  • sell the investments and pay the proceeds to the administrator or beneficiary of your estate
  • ", + "
  • transfer the investments to your surviving spouse\u2019s or civil partner\u2019s ISA - this is only possible if they have the same ISA provider as you
  • ", + "

    Check the terms and conditions of your ISA for details.

    ", + "

    Inheriting an ISA from your spouse or civil partner

    ", + "

    If your spouse or civil partner dies you can inherit their ISA allowance.

    ", + "

    As well as your normal ISA allowance you can add a tax-free amount up to either:

    ", + "
  • the value they held in their ISA when they died
  • ", + "
  • the value of their ISA when it\u2019s closed
  • ", + "

    Contact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.

    ", + "

    If your spouse or civil partner died from 3 December 2014 to 5 April 2018

    ", + "

    Their ISA ended on the date of their death. ISA investments will form part of their estate for Inheritance Tax purposes.

    ", + "

    Their ISA provider can be instructed to sell the investments and either:

    ", + "
  • pay the proceeds to the administrator or beneficiary of their estate
  • ", + "
  • transfer the investments directly to them
  • ", + "

    You can inherit their ISA allowance. As well as your normal ISA allowance, you can add a tax-free amount up to the value they held in their ISA when they died.

    ", + "

    Contact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.

    " + ] + }, + "https://www.gov.uk/marriage-allowance": { + "url": "https://www.gov.uk/marriage-allowance", + "title": "Marriage Allowance", + "content": "## How it works\n\nMarriage Allowance lets you transfer \u00a31,260 of your Personal Allowance to your husband, wife or civil partner.\n\nThis reduces their tax by up to \u00a3252 in the tax year (6 April to 5 April the next year).\n\nThis guide is also available in Welsh (Cymraeg).\n\nTo benefit as a couple, you (as the lower earner) must normally have an income below your Personal Allowance - this is usually \u00a312,570.\n\nYou can calculate how much tax you could save as a couple. You should call the Income Tax helpline instead if you receive other income such as dividends, savings or benefits from your job. You can also call if you do not know what your taxable income is.\n\nWhen you transfer some of your Personal Allowance to your husband, wife or civil partner you might have to pay more tax yourself, but you could still pay less as a couple.\n\n## Who can apply\n\nYou can benefit from Marriage Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you do not pay Income Tax or your income is below your Personal Allowance (usually \u00a312,570)\n\n- your partner pays Income Tax at the basic rate, which usually means their income is between \u00a312,571 and \u00a350,270 before they receive Marriage Allowance\n\nYou cannot claim Marriage Allowance if you\u2019re living together but you\u2019re not married or in a civil partnership.\n\nIf you\u2019re in Scotland, your partner must pay the starter, basic or intermediate rate, which usually means their income is between \u00a312,571 and \u00a343,662.\n\nIt will not affect your application for Marriage Allowance if you or your partner:\n\n- are currently receiving a pension\n\n- live abroad - as long as you get a Personal Allowance.\n\nIf you or your partner were born before 6 April 1935, you might benefit more as a couple by applying for Married Couple\u2019s Allowance instead.\n\nYou cannot get Marriage Allowance and Married Couple\u2019s Allowance at the same time.\n\n## Backdating your claim\n\nYou can backdate your claim to include any tax year since 5 April 2017 that you were eligible for Marriage Allowance.\n\nYour partner\u2019s tax bill will be reduced depending on the Personal Allowance rate for the years you\u2019re backdating.\n\nIf your partner has died since 5 April 2017 you can still claim - phone the Income Tax helpline. If your partner was the lower earner, the person responsible for managing their tax affairs needs to phone.\n\n## Stopping Marriage Allowance\n\nYour Personal Allowance will transfer automatically to your partner every year until you cancel Marriage Allowance - for example if your income changes or your relationship ends.\n\n## How to apply\n\nIt\u2019s free to apply for Marriage Allowance.\n\nIf both of you have no income other than your wages, then the person who earns the least should make the claim.\n\nIf either of you gets other income, such as dividends or savings, you may need to work out who should claim. You can call the Income Tax helpline if you\u2019re unsure.\n\nChanges to your Personal Allowances will be backdated to the start of the tax year (6 April) if your application is successful.\n\n## How your Personal Allowances change\n\nHM Revenue and Customs (HMRC) will give your partner the allowance you have transferred to them either:\n\n- by changing their tax code - this can take up to 2 months\n\n- when they send their Self Assessment tax return\n\nIf your new Personal Allowance is lower than your income after you\u2019ve made a claim, you might have to pay some income tax. However, you might still benefit as a couple.\n\n## How your tax code will change\n\nYou and your partner will get new tax codes that reflect the transferred allowance. Your tax code will end with:\n\n- \u2018M\u2019 if you are receiving the allowance\n\n- \u2018N\u2019 if you are transferring the allowance\n\nYour tax code will also change if you\u2019re employed or get a pension.\n\n## If your circumstances change\n\nYou must cancel Marriage Allowance if any of the following apply:\n\n- your relationship ends - because you\u2019ve divorced, ended (\u2018dissolved\u2019) your civil partnership or legally separated\n\n- your income changes and you\u2019re no longer eligible\n\n- you no longer want to claim\n\nIf your income changes and you\u2019re not sure if you should still claim, call HMRC Marriage Allowance enquiries.\n\n## How to cancel\n\nEither of you can cancel if your relationship has ended.\n\nIf you\u2019re cancelling for another reason, the person who made the claim must cancel.\n\n## Online\n\nYou can cancel Marriage Allowance online. You\u2019ll be asked to prove your identity using information HMRC holds about you.\n\n## By phone\n\nContact Marriage Allowance enquiries to cancel or get help.\n\n## After you cancel\n\nIf you cancel because of a change of income, the allowance will run until the end of the tax year (5 April).\n\nIf your relationship has ended, the change may be backdated to the start of the tax year (6 April).\n\nThis might mean you or your partner underpays tax for the year.\n\n## If your partner dies\n\nIf your partner dies after you\u2019ve transferred some of your Personal Allowance to them:\n\n- their estate will be treated as having the increased Personal Allowance\n\n- your Personal Allowance will go back to the normal amount\n\nIf your partner transferred some of their Personal Allowance to you before they died:\n\n- your Personal Allowance will remain at the higher level until the end of the tax year (5 April)\n\n- their estate will be treated as having the smaller amount", + "original_contents": [ + "

    How it works

    ", + "

    Marriage Allowance lets you transfer \u00a31,260 of your Personal Allowance to your husband, wife or civil partner.

    ", + "

    This reduces their tax by up to \u00a3252 in the tax year (6 April to 5 April the next year).

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    To benefit as a couple, you (as the lower earner) must normally have an income below your Personal Allowance - this is usually \u00a312,570.

    ", + "

    You can calculate how much tax you could save as a couple. You should call the Income Tax helpline instead if you receive other income such as dividends, savings or benefits from your job. You can also call if you do not know what your taxable income is.

    ", + "

    When you transfer some of your Personal Allowance to your husband, wife or civil partner you might have to pay more tax yourself, but you could still pay less as a couple.

    ", + "

    Who can apply

    ", + "

    You can benefit from Marriage Allowance if all the following apply:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • you do not pay Income Tax or your income is below your Personal Allowance (usually \u00a312,570)
  • ", + "
  • your partner pays Income Tax at the basic rate, which usually means their income is between \u00a312,571 and \u00a350,270 before they receive Marriage Allowance
  • ", + "

    You cannot claim Marriage Allowance if you\u2019re living together but you\u2019re not married or in a civil partnership.

    ", + "

    If you\u2019re in Scotland, your partner must pay the starter, basic or intermediate rate, which usually means their income is between \u00a312,571 and \u00a343,662.

    ", + "

    It will not affect your application for Marriage Allowance if you or your partner:

    ", + "
  • are currently receiving a pension
  • ", + "
  • live abroad - as long as you get a Personal Allowance.
  • ", + "

    If you or your partner were born before 6 April 1935, you might benefit more as a couple by applying for Married Couple\u2019s Allowance instead.

    ", + "

    You cannot get Marriage Allowance and Married Couple\u2019s Allowance at the same time.

    ", + "

    Backdating your claim

    ", + "

    You can backdate your claim to include any tax year since 5 April 2017 that you were eligible for Marriage Allowance.

    ", + "

    Your partner\u2019s tax bill will be reduced depending on the Personal Allowance rate for the years you\u2019re backdating.

    ", + "

    If your partner has died since 5 April 2017 you can still claim - phone the Income Tax helpline. If your partner was the lower earner, the person responsible for managing their tax affairs needs to phone.

    ", + "

    Stopping Marriage Allowance

    ", + "

    Your Personal Allowance will transfer automatically to your partner every year until you cancel Marriage Allowance - for example if your income changes or your relationship ends.

    ", + "

    How to apply

    ", + "

    It\u2019s free to apply for Marriage Allowance.

    ", + "

    If both of you have no income other than your wages, then the person who earns the least should make the claim.

    ", + "

    If either of you gets other income, such as dividends or savings, you may need to work out who should claim. You can call the Income Tax helpline if you\u2019re unsure.

    ", + "

    Changes to your Personal Allowances will be backdated to the start of the tax year (6 April) if your application is successful.

    ", + "

    How your Personal Allowances change

    ", + "

    HM Revenue and Customs (HMRC) will give your partner the allowance you have transferred to them either:

    ", + "
  • by changing their tax code - this can take up to 2 months
  • ", + "
  • when they send their Self Assessment tax return
  • ", + "

    If your new Personal Allowance is lower than your income after you\u2019ve made a claim, you might have to pay some income tax. However, you might still benefit as a couple.

    ", + "

    How your tax code will change

    ", + "

    You and your partner will get new tax codes that reflect the transferred allowance. Your tax code will end with:

    ", + "
  • \u2018M\u2019 if you are receiving the allowance
  • ", + "
  • \u2018N\u2019 if you are transferring the allowance
  • ", + "

    Your tax code will also change if you\u2019re employed or get a pension.

    ", + "

    If your circumstances change

    ", + "

    You must cancel Marriage Allowance if any of the following apply:

    ", + "
  • your relationship ends - because you\u2019ve divorced, ended (\u2018dissolved\u2019) your civil partnership or legally separated
  • ", + "
  • your income changes and you\u2019re no longer eligible
  • ", + "
  • you no longer want to claim
  • ", + "

    If your income changes and you\u2019re not sure if you should still claim, call HMRC Marriage Allowance enquiries.

    ", + "

    How to cancel

    ", + "

    Either of you can cancel if your relationship has ended.

    ", + "

    If you\u2019re cancelling for another reason, the person who made the claim must cancel.

    ", + "

    Online

    ", + "

    You can cancel Marriage Allowance online. You\u2019ll be asked to prove your identity using information HMRC holds about you.

    ", + "

    By phone

    ", + "

    Contact Marriage Allowance enquiries to cancel or get help.

    ", + "

    After you cancel

    ", + "

    If you cancel because of a change of income, the allowance will run until the end of the tax year (5 April).

    ", + "

    If your relationship has ended, the change may be backdated to the start of the tax year (6 April).

    ", + "

    This might mean you or your partner underpays tax for the year.

    ", + "

    If your partner dies

    ", + "

    If your partner dies after you\u2019ve transferred some of your Personal Allowance to them:

    ", + "
  • their estate will be treated as having the increased Personal Allowance
  • ", + "
  • your Personal Allowance will go back to the normal amount
  • ", + "

    If your partner transferred some of their Personal Allowance to you before they died:

    ", + "
  • your Personal Allowance will remain at the higher level until the end of the tax year (5 April)
  • ", + "
  • their estate will be treated as having the smaller amount
  • " + ] + }, + "https://www.gov.uk/married-couples-allowance": { + "url": "https://www.gov.uk/married-couples-allowance", + "title": "Married Couple's Allowance", + "content": "## Overview\n\nMarried Couple\u2019s Allowance could reduce your tax bill by between \u00a3353 and \u00a3912.50 a year.\n\nYou can claim Married Couple\u2019s Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re living with your spouse or civil partner\n\n- one of you was born before 6 April 1935\n\nFor marriages before 5 December 2005, the husband\u2019s income is used to work out Married Couple\u2019s Allowance. For marriage and civil partnerships after this date, it\u2019s the income of the highest earner.\n\nIf you and your partner were born on or after 6 April 1935, you may be able to claim Marriage Allowance instead.\n\n## What you'll get\n\nMarried Couple\u2019s Allowance could reduce your tax bill each year if you\u2019re married or in a civil partnership.\n\nFor the 2021 to 2022 tax year, it could cut your tax bill by between \u00a3353 and \u00a3912.50 a year.\n\nUse the Married Couple\u2019s Allowance calculator to work out what you could get.\n\nIf you marry or register a civil partnership, you\u2019ll get the allowance on a pro-rata basis for the rest of that tax year.\n\nIf one of you dies or you divorce or separate, the allowance continues until the end of the tax year.\n\nYou can transfer your Married Couple\u2019s Allowance to your spouse or civil partner.\n\nIf you and your spouse or civil partner are separated through circumstance rather than through a decision to formally separate, you can still claim Married Couple\u2019s Allowance.\n\n## Eligibility\n\nYou can claim Married Couple\u2019s Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re living with your spouse or civil partner\n\n- one of you was born before 6 April 1935\n\nYou can still claim Married Couple\u2019s Allowance if you\u2019re unable to live with your spouse or civil partner because of:\n\n- illness or old age, for example where your spouse or partner is in residential care\n\n- working away from home\n\n- an armed forces posting\n\n- being in prison\n\n- training or education\n\nUse the Married Couple\u2019s Allowance calculator to work out what you could get.\n\n## How to claim\n\n## If you fill in a Self Assessment tax return each year\n\nClaim by completing the Married Couple\u2019s Allowance section of the tax return.\n\n## If you do not fill in a Self Assessment tax return each year\n\nContact HM Revenue & Customs (HMRC) with details of your:\n\n- marriage or civil partnership ceremony\n\n- spouse or civil partner - including their date of birth\n\n## Further information\n\n## Transfer unused Married Couple\u2019s Allowance after the tax year ends\n\nIf your spouse or civil partner pays tax, you can transfer any Married Couple\u2019s Allowance that you have not used because:\n\n- you do not pay tax\n\n- your tax bill is not high enough\n\nFill in form 575 or ask HM Revenue and Customs (HMRC) to post you a copy.\n\n## Share or transfer your Married Couple\u2019s Allowance before the tax year starts\n\nYou and your spouse (or civil partner) can:\n\n- share the minimum Married Couple\u2019s Allowance\n\n- transfer the whole of the minimum Married Couple\u2019s Allowance from one to the other\n\nFill in form 18 before the start of the tax year. You can also contact HMRC to get a copy in the post.\n\n## Tax allowances and giving to charity\n\nIf you pay tax and give money to a UK charity using Gift Aid, contact HMRC. It can increase the tax allowances if you were born before 6 April 1938.", + "original_contents": [ + "

    Overview

    ", + "

    Married Couple\u2019s Allowance could reduce your tax bill by between \u00a3353 and \u00a3912.50 a year.

    ", + "

    You can claim Married Couple\u2019s Allowance if all the following apply:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re living with your spouse or civil partner
  • ", + "
  • one of you was born before 6 April 1935
  • ", + "

    For marriages before 5 December 2005, the husband\u2019s income is used to work out Married Couple\u2019s Allowance. For marriage and civil partnerships after this date, it\u2019s the income of the highest earner.

    ", + "

    If you and your partner were born on or after 6 April 1935, you may be able to claim Marriage Allowance instead.

    ", + "

    What you'll get

    ", + "

    Married Couple\u2019s Allowance could reduce your tax bill each year if you\u2019re married or in a civil partnership.

    ", + "

    For the 2021 to 2022 tax year, it could cut your tax bill by between \u00a3353 and \u00a3912.50 a year.

    ", + "

    Use the Married Couple\u2019s Allowance calculator to work out what you could get.

    ", + "

    If you marry or register a civil partnership, you\u2019ll get the allowance on a pro-rata basis for the rest of that tax year.

    ", + "

    If one of you dies or you divorce or separate, the allowance continues until the end of the tax year.

    ", + "

    You can transfer your Married Couple\u2019s Allowance to your spouse or civil partner.

    ", + "

    If you and your spouse or civil partner are separated through circumstance rather than through a decision to formally separate, you can still claim Married Couple\u2019s Allowance.

    ", + "

    Eligibility

    ", + "

    You can claim Married Couple\u2019s Allowance if all the following apply:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re living with your spouse or civil partner
  • ", + "
  • one of you was born before 6 April 1935
  • ", + "

    You can still claim Married Couple\u2019s Allowance if you\u2019re unable to live with your spouse or civil partner because of:

    ", + "
  • illness or old age, for example where your spouse or partner is in residential care
  • ", + "
  • working away from home
  • ", + "
  • an armed forces posting
  • ", + "
  • being in prison
  • ", + "
  • training or education
  • ", + "

    Use the Married Couple\u2019s Allowance calculator to work out what you could get.

    ", + "

    How to claim

    ", + "

    If you fill in a Self Assessment tax return each year

    ", + "

    Claim by completing the Married Couple\u2019s Allowance section of the tax return.

    ", + "

    If you do not fill in a Self Assessment tax return each year

    ", + "

    Contact HM Revenue & Customs (HMRC) with details of your:

    ", + "
  • marriage or civil partnership ceremony
  • ", + "
  • spouse or civil partner - including their date of birth
  • ", + "

    Further information

    ", + "

    Transfer unused Married Couple\u2019s Allowance after the tax year ends

    ", + "

    If your spouse or civil partner pays tax, you can transfer any Married Couple\u2019s Allowance that you have not used because:

    ", + "
  • you do not pay tax
  • ", + "
  • your tax bill is not high enough
  • ", + "

    Fill in form 575 or ask HM Revenue and Customs (HMRC) to post you a copy.

    ", + "

    Share or transfer your Married Couple\u2019s Allowance before the tax year starts

    ", + "

    You and your spouse (or civil partner) can:

    ", + "
  • share the minimum Married Couple\u2019s Allowance
  • ", + "
  • transfer the whole of the minimum Married Couple\u2019s Allowance from one to the other
  • ", + "

    Fill in form 18 before the start of the tax year. You can also contact HMRC to get a copy in the post.

    ", + "

    Tax allowances and giving to charity

    ", + "

    If you pay tax and give money to a UK charity using Gift Aid, contact HMRC. It can increase the tax allowances if you were born before 6 April 1938.

    " + ] + }, + "https://www.gov.uk/tax-national-insurance-after-state-pension-age": { + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "title": "National Insurance and tax after State Pension age", + "content": "## Overview\n\nYou do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.\n\nYou only pay Income Tax if your taxable income - including your private pension and State Pension - is more than your tax-free allowances (the amount of income you\u2019re allowed before you pay tax).\n\nYou must contact HM Revenue and Customs (HMRC) if you think you should be paying tax.\n\n## Stop paying National Insurance\n\nYou pay National Insurance contributions to qualify for certain benefits including the State Pension.\n\nIf you\u2019re employed, you pay Class 1 National Insurance contributions as a percentage of your earnings up to State Pension age.\n\nIf you\u2019re self-employed, you pay Class 2 contributions at a flat weekly rate and Class 4 contributions annually as a percentage of your taxable profits.\n\n## What happens at State Pension age\n\nYou stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.\n\nYou\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.\n\nFor example, you reach State Pension age on 6 September 2021. You\u2019ll stop making Class 4 contributions on 5 April 2022 and pay your final Class 4 bill by 31 January 2023, together with your Income Tax.\n\nIf you\u2019re self employed, you still need to send a Self Assessment tax return for each year you work - even after you reach State Pension age.\n\nYou can claim back National Insurance if you\u2019ve overpaid.\n\n## If you continue working\n\nShow your employer proof of your age (a birth certificate or passport, for example) to make sure you stop paying National Insurance.\n\nIf you do not want your employer to see your birth certificate or passport, HM Revenue and Customs (HMRC) can send you a letter to show them instead.\n\nThe letter will confirm:\n\n- you\u2019ve reached State Pension age\n\n- you do not need to pay National Insurance\n\nYou\u2019ll need to write to HMRC explaining why you do not want your employer to see your birth certificate or passport.\n\nYou\u2019ll be asked to send your birth certificate or passport for verification if HMRC does not have a record of your date of birth. Certified copies are accepted.\n\nYou can also show a certificate of age exception (CA4140) if you have one.\n\n## Age-related tax allowances\n\n## Married Couple\u2019s Allowance\n\nYou can claim the Married Couple\u2019s Allowance if you\u2019re married or in a civil partnership and at least one partner was born before 6 April 1935. It gets taken off your tax bill - the amount that\u2019s deducted depends on your income.\n\n## Maintenance Payments Relief\n\nYou can get an allowance to reduce your tax bill for maintenance payments you make to an ex-spouse or civil partner if:\n\n- you or they were born before 6 April 1935\n\n- you\u2019re separated or divorced and you\u2019re making payments under a court order\n\n- the payments are for the maintenance of your ex-partner (as long as they have not re-married or formed a new civil partnership) or your children are under 21\n\n## How much you can get\n\nFor the 2021 to 2022 tax year Maintenance Payments Relief can reduce your tax bill by the lower of the following:\n\n- \u00a3353 - where you make maintenance payments of \u00a33,530 or more a year\n\n- 10% of the money you\u2019ve actually paid - where you make payments of less than \u00a33,530 a year\n\nYou cannot claim a tax reduction for any voluntary payments you make.\n\n## Claim back tax or National Insurance\n\n## National Insurance refunds\n\nYou can claim back any overpaid National Insurance.\n\n## Tax refunds\n\nYou can claim a tax refund if you\u2019ve:\n\n- had too much deducted from your pension\n\n- overpaid through your job\n\nIf you complete a tax return, you can also correct mistakes and claim a refund via Self Assessment.\n\n## Claiming back tax on savings interest\n\nIf you\u2019re on a low income, you may be able to get tax-free interest or get some tax back from interest on your savings.", + "original_contents": [ + "

    Overview

    ", + "

    You do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.

    ", + "

    You only pay Income Tax if your taxable income - including your private pension and State Pension - is more than your tax-free allowances (the amount of income you\u2019re allowed before you pay tax).

    ", + "

    You must contact HM Revenue and Customs (HMRC) if you think you should be paying tax.

    ", + "

    Stop paying National Insurance

    ", + "

    You pay National Insurance contributions to qualify for certain benefits including the State Pension.

    ", + "

    If you\u2019re employed, you pay Class 1 National Insurance contributions as a percentage of your earnings up to State Pension age.

    ", + "

    If you\u2019re self-employed, you pay Class 2 contributions at a flat weekly rate and Class 4 contributions annually as a percentage of your taxable profits.

    ", + "

    What happens at State Pension age

    ", + "

    You stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.

    ", + "

    You\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.

    ", + "

    For example, you reach State Pension age on 6 September 2021. You\u2019ll stop making Class 4 contributions on 5 April 2022 and pay your final Class 4 bill by 31 January 2023, together with your Income Tax.

    ", + "

    If you\u2019re self employed, you still need to send a Self Assessment tax return for each year you work - even after you reach State Pension age.

    ", + "

    You can claim back National Insurance if you\u2019ve overpaid.

    ", + "

    If you continue working

    ", + "

    Show your employer proof of your age (a birth certificate or passport, for example) to make sure you stop paying National Insurance.

    ", + "

    If you do not want your employer to see your birth certificate or passport, HM Revenue and Customs (HMRC) can send you a letter to show them instead.

    ", + "

    The letter will confirm:

    ", + "
  • you\u2019ve reached State Pension age
  • ", + "
  • you do not need to pay National Insurance
  • ", + "

    You\u2019ll need to write to HMRC explaining why you do not want your employer to see your birth certificate or passport.

    ", + "

    You\u2019ll be asked to send your birth certificate or passport for verification if HMRC does not have a record of your date of birth. Certified copies are accepted.

    ", + "

    You can also show a certificate of age exception (CA4140) if you have one.

    ", + "

    Age-related tax allowances

    ", + "

    Married Couple\u2019s Allowance

    ", + "

    You can claim the Married Couple\u2019s Allowance if you\u2019re married or in a civil partnership and at least one partner was born before 6 April 1935. It gets taken off your tax bill - the amount that\u2019s deducted depends on your income.

    ", + "

    Maintenance Payments Relief

    ", + "

    You can get an allowance to reduce your tax bill for maintenance payments you make to an ex-spouse or civil partner if:

    ", + "
  • you or they were born before 6 April 1935
  • ", + "
  • you\u2019re separated or divorced and you\u2019re making payments under a court order
  • ", + "
  • the payments are for the maintenance of your ex-partner (as long as they have not re-married or formed a new civil partnership) or your children are under 21
  • ", + "

    How much you can get

    ", + "

    For the 2021 to 2022 tax year Maintenance Payments Relief can reduce your tax bill by the lower of the following:

    ", + "
  • \u00a3353 - where you make maintenance payments of \u00a33,530 or more a year
  • ", + "
  • 10% of the money you\u2019ve actually paid - where you make payments of less than \u00a33,530 a year
  • ", + "

    You cannot claim a tax reduction for any voluntary payments you make.

    ", + "

    Claim back tax or National Insurance

    ", + "

    National Insurance refunds

    ", + "

    You can claim back any overpaid National Insurance.

    ", + "

    Tax refunds

    ", + "

    You can claim a tax refund if you\u2019ve:

    ", + "
  • had too much deducted from your pension
  • ", + "
  • overpaid through your job
  • ", + "

    If you complete a tax return, you can also correct mistakes and claim a refund via Self Assessment.

    ", + "

    Claiming back tax on savings interest

    ", + "

    If you\u2019re on a low income, you may be able to get tax-free interest or get some tax back from interest on your savings.

    " + ] + }, + "https://www.gov.uk/paye-forms-p45-p60-p11d": { + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "title": "P45, P60 and P11D forms: workers' guide", + "content": "## P45\n\nYou\u2019ll get a P45 from your employer when you stop working for them.\n\nThere\u2019s a separate guide to getting P45s if you\u2019re an employer.\n\nYour P45 shows how much tax you\u2019ve paid on your salary so far in the tax year (6 April to 5 April).\n\nA P45 has 4 parts (Part 1, Part 1A, Part 2 and Part 3).\n\n- Your employer sends details for Part 1 to HM Revenue and Customs (HMRC) and gives you the other parts.\n\n- You give Part 2 and 3 to your new employer (or to Jobcentre Plus if you\u2019re not working).\n\n- Keep Part 1A for your own records.\n\nBy law your employer must give you a P45 - ask them for one.\n\nYou can check how much tax you paid last year if you think you might have paid too much.\n\n## You do not have a P45\n\nYou will not have a P45 if you\u2019re starting your first job or you\u2019re taking on a second job. Your employer will need to work out how much tax you should be paying on your salary.\n\nThey may use a \u2018Starter Checklist\u2019 to collect the information, or may collect it another way. The Starter Checklist has questions about any other jobs, benefits or student loans you have. It helps your employer work out your correct tax code before your first payday.\n\n## P60\n\nYour P60 shows the tax you\u2019ve paid on your salary in the tax year (6 April to 5 April). You get a separate P60 for each of your jobs.\n\nThere\u2019s a separate guide to getting P60s if you\u2019re an employer.\n\nIf you\u2019re working for an employer on 5 April they must give you a P60. They must provide this by 31 May, on paper or electronically.\n\nYou\u2019ll need your P60 to prove how much tax you\u2019ve paid on your salary, for example:\n\n- to claim back overpaid tax\n\n- to apply for tax credits\n\n- as proof of your income if you apply for a loan or a mortgage\n\nYou can check how much tax you paid last year if you think you might have paid too much.\n\n## P11D\n\nYour employer might give you a copy of your P11D if they used it to tell HM Revenue and Customs (HMRC) about your \u2018benefits in kind\u2019 (for example company cars or interest-free loans).\n\nThey do not have to do this, but they must tell you how much each benefit is worth.\n\nThere\u2019s a separate guide to getting form P11D if you\u2019re an employer.\n\nYou might not get a P11D if your employer takes the tax you owe on your benefits out of your pay.\n\nYour employer will write to you to explain how this works.\n\n## Lost PAYE forms\n\n## Lost P45\n\nYou cannot get a replacement P45.\n\nInstead, your new employer may give you a \u2018Starter Checklist\u2019 or ask you for the relevant details about your finances to send to HM Revenue and Customs (HMRC).\n\n## Lost P60\n\nYou can get a replacement P60 from your employer.\n\n## P11D\n\nYou can usually get a copy of the P11D from your employer. If they cannot give you one, you can contact HMRC for a copy.", + "original_contents": [ + "

    P45

    ", + "

    You\u2019ll get a P45 from your employer when you stop working for them.

    ", + "

    There\u2019s a separate guide to getting P45s if you\u2019re an employer.

    ", + "

    Your P45 shows how much tax you\u2019ve paid on your salary so far in the tax year (6 April to 5 April).

    ", + "

    A P45 has 4 parts (Part 1, Part 1A, Part 2 and Part 3).

    ", + "
  • Your employer sends details for Part 1 to HM Revenue and Customs (HMRC) and gives you the other parts.
  • ", + "
  • You give Part 2 and 3 to your new employer (or to Jobcentre Plus if you\u2019re not working).
  • ", + "
  • Keep Part 1A for your own records.
  • ", + "

    By law your employer must give you a P45 - ask them for one.

    ", + "

    You can check how much tax you paid last year if you think you might have paid too much.

    ", + "

    You do not have a P45

    ", + "

    You will not have a P45 if you\u2019re starting your first job or you\u2019re taking on a second job. Your employer will need to work out how much tax you should be paying on your salary.

    ", + "

    They may use a \u2018Starter Checklist\u2019 to collect the information, or may collect it another way. The Starter Checklist has questions about any other jobs, benefits or student loans you have. It helps your employer work out your correct tax code before your first payday.

    ", + "

    P60

    ", + "

    Your P60 shows the tax you\u2019ve paid on your salary in the tax year (6 April to 5 April). You get a separate P60 for each of your jobs.

    ", + "

    There\u2019s a separate guide to getting P60s if you\u2019re an employer.

    ", + "

    If you\u2019re working for an employer on 5 April they must give you a P60. They must provide this by 31 May, on paper or electronically.

    ", + "

    You\u2019ll need your P60 to prove how much tax you\u2019ve paid on your salary, for example:

    ", + "
  • to claim back overpaid tax
  • ", + "
  • to apply for tax credits
  • ", + "
  • as proof of your income if you apply for a loan or a mortgage
  • ", + "

    You can check how much tax you paid last year if you think you might have paid too much.

    ", + "

    P11D

    ", + "

    Your employer might give you a copy of your P11D if they used it to tell HM Revenue and Customs (HMRC) about your \u2018benefits in kind\u2019 (for example company cars or interest-free loans).

    ", + "

    They do not have to do this, but they must tell you how much each benefit is worth.

    ", + "

    There\u2019s a separate guide to getting form P11D if you\u2019re an employer.

    ", + "

    You might not get a P11D if your employer takes the tax you owe on your benefits out of your pay.

    ", + "

    Your employer will write to you to explain how this works.

    ", + "

    Lost PAYE forms

    ", + "

    Lost P45

    ", + "

    You cannot get a replacement P45.

    ", + "

    Instead, your new employer may give you a \u2018Starter Checklist\u2019 or ask you for the relevant details about your finances to send to HM Revenue and Customs (HMRC).

    ", + "

    Lost P60

    ", + "

    You can get a replacement P60 from your employer.

    ", + "

    P11D

    ", + "

    You can usually get a copy of the P11D from your employer. If they cannot give you one, you can contact HMRC for a copy.

    " + ] + }, + "https://www.gov.uk/self-assessment-tax-returns": { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "title": "Self Assessment tax returns", + "content": "## Overview\n\nSelf Assessment is a system HM Revenue and Customs (HMRC) uses to collect Income Tax.\n\nTax is usually deducted automatically from wages, pensions and savings. People and businesses with other income must report it in a tax return.\n\nIf you need to send one, you fill it in after the end of the tax year (5 April) it applies to.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Sending your return\n\nFile your tax return online or send a paper form.\n\nIf your business has been affected by coronavirus (COVID-19), you may be able to claim a grant through the\u00a0Self-Employment Income Support Scheme.\n\n## Deadlines\n\nSend your tax return by the deadline.\n\nIf you did not send an online return last year, allow extra time (up to 20 working days) as you\u2019ll need to register first. There are different ways to register if you\u2019re:\n\n- self-employed or a sole trader\n\n- not self-employed\n\n- registering a partner or partnership\n\n## Filling in your return\n\nYou need to keep records (for example bank statements or receipts) so you can fill in your tax return correctly.\n\nYou can get help filling in your return.\n\n## Paying your bill\n\nHMRC will calculate what you owe based on what you report.\n\nPay your Self Assessment bill by 31 January.\n\nHow much tax you pay will depend on the Income Tax band you\u2019re in. There\u2019s a different rate for Capital Gains Tax if you need to pay it, for example you sell shares or a second home.\n\n## Who must send a tax return\n\nYou must send a tax return if, in the last tax year (6 April to 5 April), you were:\n\n- self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)\n\n- a partner in a business partnership\n\nYou will not usually need to send a return if your only income is from your wages or pension. But you may need to send one if you have any other untaxed income, such as:\n\n- money from renting out a property\n\n- tips and commission\n\n- income from savings, investments and dividends\n\n- foreign income\n\nCheck if you need to send a tax return if you\u2019re not sure.\n\n## Other reasons for sending a return\n\nYou can choose to fill in a tax return to:\n\n- claim some Income Tax reliefs\n\n- prove you\u2019re self-employed, for example to claim Tax-Free Childcare or Maternity Allowance\n\n## If you get Child Benefit\n\nIf your income (or your partner\u2019s, if you have one) was over \u00a350,000, you may need to send a return and pay the High Income Child Benefit Charge.\n\n## Registering and sending a return\n\nYou need to register if you did not send a tax return last year. There are different ways to register if you\u2019re:\n\n- self-employed or a sole trader\n\n- not self-employed\n\n- registering a partner or partnership\n\nIf you\u2019re new to Self Assessment, you\u2019ll need to keep records (for example bank statements or receipts) so you can fill in your tax return correctly.\n\n## Sending your return\n\nOnce you\u2019ve registered, you can send your tax return online, or use commercial software or paper forms. You then have to pay your bill by the deadline.\n\nYou can get help filling in your return.\n\n## Using commercial software or paper forms\n\nYou can send a return using commercial software or paper forms.\n\nYou must use one of these options to send returns:\n\n- for a partnership\n\n- for a trust and estate\n\n- if you get income from a trust\n\n- if you lived abroad as a non-resident\n\n- if you\u2019re a Lloyd\u2019s underwriter\n\n- if you\u2019re a religious minister\n\n- to report profits made on selling or disposing of more than one asset (\u2018chargeable gains\u2019)\n\nYou must use a paper form if you need to send a tax return for trustees of registered pension schemes (SA970).\n\nThe deadline for paper forms is 31 October (or 31 January if you\u2019re a trustee of a registered pension scheme or a non-resident company).\n\n## Deadlines\n\nHM Revenue and Customs (HMRC) must receive your tax return and any money you owe by the deadline.\n\nThe last tax year started on 6 April 2020 and ended on 5 April 2021.\n\n| Self Assessment | Deadline |\n\n| Register for Self Assessment if you\u2019re self-employed or a sole trader, not self-employed, or registering a partner or partnership | 5 October 2021 |\n\n| Paper tax returns | Midnight 31 October 2021 |\n\n| Online tax returns | Midnight 31 January 2022 |\n\n| Pay the tax you owe | Midnight 31 January 2022 |\n\nThere\u2019s usually a second payment deadline of 31 July if you make advance payments towards your bill (known as \u2018payments on account\u2019).\n\nYou\u2019ll usually pay a penalty if you\u2019re late. You can appeal against a penalty if you have a reasonable excuse.\n\n## When the deadline is different\n\nSubmit your online return by 30 December if you want HMRC to automatically collect tax you owe from your wages and pension. You must be eligible.\n\nHMRC must receive a paper tax return by 31 January if you\u2019re a trustee of a registered pension scheme or a non-resident company. You cannot send a return online.\n\nHMRC might also email or write to you giving you a different deadline.\n\n## Partnership returns if you have a company as a partner\n\nIf your partnership\u2019s accounting date is between 1 February and 5 April and one of your partners is a limited company, the deadline for:\n\n- online returns is 12 months from the accounting date\n\n- paper returns is 9 months from the accounting date\n\n## 2019 to 2020 tax year and earlier\n\nThe Self Assessment deadline for these tax years has passed. Send your tax return or payment as soon as possible - you\u2019ll have to pay a penalty.\n\n## Penalties\n\nYou\u2019ll get a penalty if you need to send a tax return and you miss the deadline for submitting it or paying your bill.\n\nYou\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.\n\nYou\u2019ll be charged interest on late payments.\n\nEstimate your penalty for Self Assessment tax returns more than 3 months late, and late payments.\n\nYou can appeal against a penalty if you have a reasonable excuse.\n\nAll partners can be charged a penalty if a partnership tax return is late.\n\n## If you need to change your return\n\nYou can make a change to your tax return after you\u2019ve filed it, for example because you made a mistake. You\u2019ll need to make your changes by:\n\n- 31 January 2022 for the 2019 to 2020 tax year\n\n- 31 January 2023 for the 2020 to 2021 tax year\n\nIf you miss the deadline or if you need to make a change to your return for any other tax year you\u2019ll need to write to HMRC.\n\nYour bill will be updated based on what you report. You may have to pay more tax or be able to claim a refund.\n\nThere\u2019s a different process if you need to report foreign income.\n\n## Updating your tax return\n\nHow you update your tax return depends on how you filed it.\n\n## Online tax returns\n\n- Sign in using your Government Gateway user ID and password.\n\n- From \u2018Your tax account\u2019, choose \u2019Self Assessment account\u2019 (if you do not see this, skip this step).\n\n- Choose \u2018More Self Assessment details\u2019.\n\n- Choose \u2018At a glance\u2019 from the left-hand menu.\n\n- Choose \u2018Tax return options\u2019.\n\n- Choose the tax year for the return you want to amend.\n\n- Go into the tax return, make the corrections and file it again.\n\n## Paper tax returns\n\nDownload a new tax return, and send HMRC the corrected pages. Write \u2018amendment\u2019 on each page, and include your name and Unique Taxpayer Reference (UTR) - this is on previous tax returns or letters from HMRC.\n\nCheck your Self Assessment paperwork for the address. If you cannot find this, send your corrections to the address for general Self Assessment enquiries.\n\n## If you used commercial software\n\nContact the software provider for help correcting your tax return. Contact HMRC if your software is not able to make corrections.\n\n## Write to HMRC\n\nWrite to HMRC if you need to make a change to your tax return from the 2018 to 2019 tax year or earlier.\n\nInclude in your letter:\n\n- the tax year you\u2019re correcting\n\n- why you think you\u2019ve paid too much or little tax\n\n- how much you think you\u2019ve over or underpaid\n\nYou can claim a refund up to 4 years after the end of the tax year it relates to. If you\u2019re making a claim, also include in your letter:\n\n- that you\u2019re making a claim for \u2018overpayment relief\u2019\n\n- proof that you\u2019d paid tax through Self Assessment for the relevant period\n\n- how you want to be repaid\n\n- that you have not previously tried to claim back this refund\n\n- a signed declaration saying that the details you\u2019ve given are correct and complete to the best of your knowledge\n\n## Changes to your bill\n\nYou\u2019ll see your amended bill straight away if you updated your tax return online. Within 3 days, your statement will also show:\n\n- the difference from the old one, so you can see whether you owe more or less tax\n\n- any interest\n\nTo view this, sign in using your Government Gateway user ID and password and choose \u2018View statements\u2019 from the left-hand menu.\n\n## If you\u2019re owed tax\n\nTo claim a refund, go to \u2018Request a repayment\u2019 from the left-hand menu within your HMRC online account. Allow 4 weeks for your refund to be sent to your bank account.\n\nYou may not get a refund if you have tax due in the next 35 days (for example for a payment on account). Instead, the money will be deducted from the tax you owe.\n\n## If you need to pay more tax\n\nYour updated bill will also show:\n\n- the deadline for paying\n\n- the effect on any payments on account you need to make\n\n## If you sent an updated paper return\n\nHMRC will send you an updated bill within 4 weeks. They\u2019ll also pay any refund directly into your bank account, as long as you included your bank details on tax return.\n\n## How to get help\n\nIf you need help with Self Assessment, you can:\n\n- appoint someone to fill in and send your tax return, for example an accountant, friend or relative - you can find an accountant accredited in the UK\n\n- watch videos and join webinars\n\n- contact HM Revenue and Customs (HMRC) for general Self Assessment enquiries\n\n- get help with your online account\n\n## Help filling in your return\n\nThere\u2019s introductory guidance on GOV.UK to:\n\n- Capital Gains Tax if you\u2019ve sold certain things like property or shares\n\n- expenses if you\u2019re an employee or self-employed\n\n- Child Benefit if your income\u2019s over \u00a350,000\n\n- tax on income from renting property\n\n- tax on savings interest\n\n- tax returns for business partnerships\n\n- tax on income from abroad - or on your UK income if you live abroad\n\n## Guidance notes and helpsheets\n\nYou can also read guidance in:\n\n- the notes for each section of the tax return, for example \u2018UK property notes\u2019 if you\u2019re completing that section\n\n- HMRC\u2019s Self Assessment helpsheets\n\n## Returns for someone who has died\n\nYou must report a death to HM Revenue and Customs (HMRC) as soon as possible if you\u2019re dealing with the tax affairs of someone who\u2019s died.\n\nHMRC will tell you if you need to fill in a Self Assessment tax return on the deceased\u2019s behalf. If you do, they\u2019ll send you a return form and a letter with instructions.\n\n## Contacting HMRC\n\nIf you use the Tell Us Once service you do not need to contact HMRC separately.\n\nIf you do not use the Tell Us Once service contact HMRC.\n\nTell HMRC the:\n\n- date of death\n\n- name and address of who to contact\n\nYou\u2019ll also need to tell them one of the following for the deceased:\n\n- National Insurance number\n\n- Unique Taxpayer Reference (UTR) - you can find this on letters or payslips from HMRC\n\n- full address\n\n- last employer or pension provider\u2019s name and address\n\n## Filling in the Self Assessment tax return\n\nThe records you\u2019ll need for the deceased\u2019s tax return will depend on their circumstances. You\u2019ll usually need details of the deceased\u2019s bank and savings accounts, for example:\n\n- bank statements\n\n- building society pass books\n\n- dividend vouchers\n\n- National Savings bonds or certificates\n\nIf the deceased was employed or receiving a pension you\u2019ll usually need:\n\n- work or pension payslips\n\n- details of any expenses paid by the employer\n\n- confirmation of any state pension\n\nYou\u2019ll need their business records if the deceased ran their own business or rented out property.\n\nContact HMRC\u2019s Bereavement helpline if you need help completing a return for someone who has died or if you cannot find their records.\n\n## Sending the return\n\nSend the completed Self Assessment form by post.\n\nThe return must reach HMRC by the date given in the letter you received with the form.\n\nYou can hire a professional (such as an accountant) to help you submit a tax return on behalf of the deceased.\n\n## Telling HMRC about the \u2018administration period\u2019\n\nIf you\u2019re the executor or administrator of an estate you may also need to send information to HMRC for the \u2018administration period\u2019. This is the time between the day after the death and the date the estate is settled (\u2018distributed\u2019).\n\nWhat you need to send depends on the size of the estate, and the money that came from it during the administration period.\n\n## When you must send a tax return for the \u2018administration period\u2019\n\nFill in a trust and estate tax return if any of the following apply:\n\n- the total Income Tax and Capital Gains Tax due for the administration period was more than \u00a310,000\n\n- the estate was worth more than \u00a32.5 million at the date of death\n\n- the date of death was before 6 April 2016 and more than \u00a3250,000 a year came from the sale of the estate\u2019s assets by administrators or executors\n\n- the date of death was on or after 6 April 2016 and more than \u00a3500,000 a year came from the sale of the estate\u2019s assets by administrators or executors\n\nThe trust and estate tax return is only for the estate - it\u2019s separate from the return you sent on behalf of the deceased.\n\n## Sending the tax return\n\nTo send an estate tax return, you must first register the estate online.\n\nYou must register by 5 October after the tax year you\u2019re sending a return for. For example, if you\u2019re sending a return for the 2020 to 2021 tax year (6 April 2020 to 5 April 2021) then you must register by 5 October 2021.\n\nTo register the estate you\u2019ll need:\n\n- a Government Gateway user ID - the account needs to be registered as an organisation (you cannot use an account registered to an individual)\n\n- a National Insurance number (a temporary reference number will not work)\n\nYou\u2019ll need a new Government Gateway user ID for each estate you register\n\nYou must register the estate online. Then you\u2019ll get a Unique Taxpayer Reference (UTR) in the post within 15 working days (21 if you\u2019re abroad). You\u2019ll need it to send a tax return.\n\nOnce you\u2019ve received your UTR, you can either:\n\n- fill in paper form SA900 and post it to HMRC by 31 October after the tax year it applies to\n\n- buy software to send it electronically by 31 January after the tax year it applies to\n\nAfter you\u2019ve sent your return, HMRC will tell you how much the estate owes. You\u2019ll need to pay the Self Assessment bill by the deadline.\n\n## If you do not need to send a tax return\n\nYou can make \u2018informal arrangements\u2019 instead. To do this, write to HMRC and tell them:\n\n- the Income Tax and Capital Gains Tax due for the administration period\n\n- the name, address, National Insurance number, and UTR of the deceased\n\n- your name and contact details\n\nSend this information to HMRC\u2019s address for PAYE and Self Assessment. You must not send tax payments with this information.\n\nYou\u2019ll be provided with a payment slip and reference number. You must use these to pay any tax that needs to be paid.", + "original_contents": [ + "

    Overview

    ", + "

    Self Assessment is a system HM Revenue and Customs (HMRC) uses to collect Income Tax.

    ", + "

    Tax is usually deducted automatically from wages, pensions and savings. People and businesses with other income must report it in a tax return.

    ", + "

    If you need to send one, you fill it in after the end of the tax year (5 April) it applies to.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Sending your return

    ", + "

    File your tax return online or send a paper form.

    ", + "

    If your business has been affected by coronavirus (COVID-19), you may be able to claim a grant through the\u00a0Self-Employment Income Support Scheme.

    ", + "

    Deadlines

    ", + "

    Send your tax return by the deadline.

    ", + "

    If you did not send an online return last year, allow extra time (up to 20 working days) as you\u2019ll need to register first. There are different ways to register if you\u2019re:

    ", + "
  • self-employed or a sole trader
  • ", + "
  • not self-employed
  • ", + "
  • registering a partner or partnership
  • ", + "

    Filling in your return

    ", + "

    You need to keep records (for example bank statements or receipts) so you can fill in your tax return correctly.

    ", + "

    You can get help filling in your return.

    ", + "

    Paying your bill

    ", + "

    HMRC will calculate what you owe based on what you report.

    ", + "

    Pay your Self Assessment bill by 31 January.

    ", + "

    How much tax you pay will depend on the Income Tax band you\u2019re in. There\u2019s a different rate for Capital Gains Tax if you need to pay it, for example you sell shares or a second home.

    ", + "

    Who must send a tax return

    ", + "

    You must send a tax return if, in the last tax year (6 April to 5 April), you were:

    ", + "
  • self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)
  • ", + "
  • a partner in a business partnership
  • ", + "

    You will not usually need to send a return if your only income is from your wages or pension. But you may need to send one if you have any other untaxed income, such as:

    ", + "
  • money from renting out a property
  • ", + "
  • tips and commission
  • ", + "
  • income from savings, investments and dividends
  • ", + "
  • foreign income
  • ", + "

    Check if you need to send a tax return if you\u2019re not sure.

    ", + "

    Other reasons for sending a return

    ", + "

    You can choose to fill in a tax return to:

    ", + "
  • claim some Income Tax reliefs
  • ", + "
  • prove you\u2019re self-employed, for example to claim Tax-Free Childcare or Maternity Allowance
  • ", + "

    If you get Child Benefit

    ", + "

    If your income (or your partner\u2019s, if you have one) was over \u00a350,000, you may need to send a return and pay the High Income Child Benefit Charge.

    ", + "

    Registering and sending a return

    ", + "

    You need to register if you did not send a tax return last year. There are different ways to register if you\u2019re:

    ", + "
  • self-employed or a sole trader
  • ", + "
  • not self-employed
  • ", + "
  • registering a partner or partnership
  • ", + "

    If you\u2019re new to Self Assessment, you\u2019ll need to keep records (for example bank statements or receipts) so you can fill in your tax return correctly.

    ", + "

    Sending your return

    ", + "

    Once you\u2019ve registered, you can send your tax return online, or use commercial software or paper forms. You then have to pay your bill by the deadline.

    ", + "

    You can get help filling in your return.

    ", + "

    Using commercial software or paper forms

    ", + "

    You can send a return using commercial software or paper forms.

    ", + "

    You must use one of these options to send returns:

    ", + "
  • for a partnership
  • ", + "
  • for a trust and estate
  • ", + "
  • if you get income from a trust
  • ", + "
  • if you lived abroad as a non-resident
  • ", + "
  • if you\u2019re a Lloyd\u2019s underwriter
  • ", + "
  • if you\u2019re a religious minister
  • ", + "
  • to report profits made on selling or disposing of more than one asset (\u2018chargeable gains\u2019)
  • ", + "

    You must use a paper form if you need to send a tax return for trustees of registered pension schemes (SA970).

    ", + "

    The deadline for paper forms is 31 October (or 31 January if you\u2019re a trustee of a registered pension scheme or a non-resident company).

    ", + "

    Deadlines

    ", + "

    HM Revenue and Customs (HMRC) must receive your tax return and any money you owe by the deadline.

    ", + "

    The last tax year started on 6 April 2020 and ended on 5 April 2021.

    ", + "Self Assessment | Deadline", + "Register for Self Assessment if you\u2019re self-employed or a sole trader, not self-employed, or registering a partner or partnership | 5 October 2021", + "Paper tax returns | Midnight 31 October 2021", + "Online tax returns | Midnight 31 January 2022", + "Pay the tax you owe | Midnight 31 January 2022", + "

    There\u2019s usually a second payment deadline of 31 July if you make advance payments towards your bill (known as \u2018payments on account\u2019).

    ", + "

    You\u2019ll usually pay a penalty if you\u2019re late. You can appeal against a penalty if you have a reasonable excuse.

    ", + "

    When the deadline is different

    ", + "

    Submit your online return by 30 December if you want HMRC to automatically collect tax you owe from your wages and pension. You must be eligible.

    ", + "

    HMRC must receive a paper tax return by 31 January if you\u2019re a trustee of a registered pension scheme or a non-resident company. You cannot send a return online.

    ", + "

    HMRC might also email or write to you giving you a different deadline.

    ", + "

    Partnership returns if you have a company as a partner

    ", + "

    If your partnership\u2019s accounting date is between 1 February and 5 April and one of your partners is a limited company, the deadline for:

    ", + "
  • online returns is 12 months from the accounting date
  • ", + "
  • paper returns is 9 months from the accounting date
  • ", + "

    2019 to 2020 tax year and earlier

    ", + "

    The Self Assessment deadline for these tax years has passed. Send your tax return or payment as soon as possible - you\u2019ll have to pay a penalty.

    ", + "

    Penalties

    ", + "

    You\u2019ll get a penalty if you need to send a tax return and you miss the deadline for submitting it or paying your bill.

    ", + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    ", + "

    You\u2019ll be charged interest on late payments.

    ", + "

    Estimate your penalty for Self Assessment tax returns more than 3 months late, and late payments.

    ", + "

    You can appeal against a penalty if you have a reasonable excuse.

    ", + "

    All partners can be charged a penalty if a partnership tax return is late.

    ", + "

    If you need to change your return

    ", + "

    You can make a change to your tax return after you\u2019ve filed it, for example because you made a mistake. You\u2019ll need to make your changes by:

    ", + "
  • 31 January 2022 for the 2019 to 2020 tax year
  • ", + "
  • 31 January 2023 for the 2020 to 2021 tax year
  • ", + "

    If you miss the deadline or if you need to make a change to your return for any other tax year you\u2019ll need to write to HMRC.

    ", + "

    Your bill will be updated based on what you report. You may have to pay more tax or be able to claim a refund.

    ", + "

    There\u2019s a different process if you need to report foreign income.

    ", + "

    Updating your tax return

    ", + "

    How you update your tax return depends on how you filed it.

    ", + "

    Online tax returns

    ", + "
  • Sign in using your Government Gateway user ID and password.
  • ", + "
  • From \u2018Your tax account\u2019, choose \u2019Self Assessment account\u2019 (if you do not see this, skip this step).
  • ", + "
  • Choose \u2018More Self Assessment details\u2019.
  • ", + "
  • Choose \u2018At a glance\u2019 from the left-hand menu.
  • ", + "
  • Choose \u2018Tax return options\u2019.
  • ", + "
  • Choose the tax year for the return you want to amend.
  • ", + "
  • Go into the tax return, make the corrections and file it again.
  • ", + "

    Paper tax returns

    ", + "

    Download a new tax return, and send HMRC the corrected pages. Write \u2018amendment\u2019 on each page, and include your name and Unique Taxpayer Reference (UTR) - this is on previous tax returns or letters from HMRC.

    ", + "

    Check your Self Assessment paperwork for the address. If you cannot find this, send your corrections to the address for general Self Assessment enquiries.

    ", + "

    If you used commercial software

    ", + "

    Contact the software provider for help correcting your tax return. Contact HMRC if your software is not able to make corrections.

    ", + "

    Write to HMRC

    ", + "

    Write to HMRC if you need to make a change to your tax return from the 2018 to 2019 tax year or earlier.

    ", + "

    Include in your letter:

    ", + "
  • the tax year you\u2019re correcting
  • ", + "
  • why you think you\u2019ve paid too much or little tax
  • ", + "
  • how much you think you\u2019ve over or underpaid
  • ", + "

    You can claim a refund up to 4 years after the end of the tax year it relates to. If you\u2019re making a claim, also include in your letter:

    ", + "
  • that you\u2019re making a claim for \u2018overpayment relief\u2019
  • ", + "
  • proof that you\u2019d paid tax through Self Assessment for the relevant period
  • ", + "
  • how you want to be repaid
  • ", + "
  • that you have not previously tried to claim back this refund
  • ", + "
  • a signed declaration saying that the details you\u2019ve given are correct and complete to the best of your knowledge
  • ", + "

    Changes to your bill

    ", + "

    You\u2019ll see your amended bill straight away if you updated your tax return online. Within 3 days, your statement will also show:

    ", + "
  • the difference from the old one, so you can see whether you owe more or less tax
  • ", + "
  • any interest
  • ", + "

    To view this, sign in using your Government Gateway user ID and password and choose \u2018View statements\u2019 from the left-hand menu.

    ", + "

    If you\u2019re owed tax

    ", + "

    To claim a refund, go to \u2018Request a repayment\u2019 from the left-hand menu within your HMRC online account. Allow 4 weeks for your refund to be sent to your bank account.

    ", + "

    You may not get a refund if you have tax due in the next 35 days (for example for a payment on account). Instead, the money will be deducted from the tax you owe.

    ", + "

    If you need to pay more tax

    ", + "

    Your updated bill will also show:

    ", + "
  • the deadline for paying
  • ", + "
  • the effect on any payments on account you need to make
  • ", + "

    If you sent an updated paper return

    ", + "

    HMRC will send you an updated bill within 4 weeks. They\u2019ll also pay any refund directly into your bank account, as long as you included your bank details on tax return.

    ", + "

    How to get help

    ", + "

    If you need help with Self Assessment, you can:

    ", + "
  • appoint someone to fill in and send your tax return, for example an accountant, friend or relative - you can find an accountant accredited in the UK
  • ", + "
  • watch videos and join webinars
  • ", + "
  • contact HM Revenue and Customs (HMRC) for general Self Assessment enquiries
  • ", + "
  • get help with your online account
  • ", + "

    Help filling in your return

    ", + "

    There\u2019s introductory guidance on GOV.UK to:

    ", + "
  • Capital Gains Tax if you\u2019ve sold certain things like property or shares
  • ", + "
  • expenses if you\u2019re an employee or self-employed
  • ", + "
  • Child Benefit if your income\u2019s over \u00a350,000
  • ", + "
  • tax on income from renting property
  • ", + "
  • tax on savings interest
  • ", + "
  • tax returns for business partnerships
  • ", + "
  • tax on income from abroad - or on your UK income if you live abroad
  • ", + "

    Guidance notes and helpsheets

    ", + "

    You can also read guidance in:

    ", + "
  • the notes for each section of the tax return, for example \u2018UK property notes\u2019 if you\u2019re completing that section
  • ", + "
  • HMRC\u2019s Self Assessment helpsheets
  • ", + "

    Returns for someone who has died

    ", + "

    You must report a death to HM Revenue and Customs (HMRC) as soon as possible if you\u2019re dealing with the tax affairs of someone who\u2019s died.

    ", + "

    HMRC will tell you if you need to fill in a Self Assessment tax return on the deceased\u2019s behalf. If you do, they\u2019ll send you a return form and a letter with instructions.

    ", + "

    Contacting HMRC

    ", + "

    If you use the Tell Us Once service you do not need to contact HMRC separately.

    ", + "

    If you do not use the Tell Us Once service contact HMRC.

    ", + "

    Tell HMRC the:

    ", + "
  • date of death
  • ", + "
  • name and address of who to contact
  • ", + "

    You\u2019ll also need to tell them one of the following for the deceased:

    ", + "
  • National Insurance number
  • ", + "
  • Unique Taxpayer Reference (UTR) - you can find this on letters or payslips from HMRC
  • ", + "
  • full address
  • ", + "
  • last employer or pension provider\u2019s name and address
  • ", + "

    Filling in the Self Assessment tax return

    ", + "

    The records you\u2019ll need for the deceased\u2019s tax return will depend on their circumstances. You\u2019ll usually need details of the deceased\u2019s bank and savings accounts, for example:

    ", + "
  • bank statements
  • ", + "
  • building society pass books
  • ", + "
  • dividend vouchers
  • ", + "
  • National Savings bonds or certificates
  • ", + "

    If the deceased was employed or receiving a pension you\u2019ll usually need:

    ", + "
  • work or pension payslips
  • ", + "
  • details of any expenses paid by the employer
  • ", + "
  • confirmation of any state pension
  • ", + "

    You\u2019ll need their business records if the deceased ran their own business or rented out property.

    ", + "

    Contact HMRC\u2019s Bereavement helpline if you need help completing a return for someone who has died or if you cannot find their records.

    ", + "

    Sending the return

    ", + "

    Send the completed Self Assessment form by post.

    ", + "

    The return must reach HMRC by the date given in the letter you received with the form.

    ", + "

    You can hire a professional (such as an accountant) to help you submit a tax return on behalf of the deceased.

    ", + "

    Telling HMRC about the \u2018administration period\u2019

    ", + "

    If you\u2019re the executor or administrator of an estate you may also need to send information to HMRC for the \u2018administration period\u2019. This is the time between the day after the death and the date the estate is settled (\u2018distributed\u2019).

    ", + "

    What you need to send depends on the size of the estate, and the money that came from it during the administration period.

    ", + "

    When you must send a tax return for the \u2018administration period\u2019

    ", + "

    Fill in a trust and estate tax return if any of the following apply:

    ", + "
  • the total Income Tax and Capital Gains Tax due for the administration period was more than \u00a310,000
  • ", + "
  • the estate was worth more than \u00a32.5 million at the date of death
  • ", + "
  • the date of death was before 6 April 2016 and more than \u00a3250,000 a year came from the sale of the estate\u2019s assets by administrators or executors
  • ", + "
  • the date of death was on or after 6 April 2016 and more than \u00a3500,000 a year came from the sale of the estate\u2019s assets by administrators or executors
  • ", + "

    The trust and estate tax return is only for the estate - it\u2019s separate from the return you sent on behalf of the deceased.

    ", + "

    Sending the tax return

    ", + "

    To send an estate tax return, you must first register the estate online.

    ", + "

    You must register by 5 October after the tax year you\u2019re sending a return for. For example, if you\u2019re sending a return for the 2020 to 2021 tax year (6 April 2020 to 5 April 2021) then you must register by 5 October 2021.

    ", + "

    To register the estate you\u2019ll need:

    ", + "
  • a Government Gateway user ID - the account needs to be registered as an organisation (you cannot use an account registered to an individual)
  • ", + "
  • a National Insurance number (a temporary reference number will not work)
  • ", + "

    You\u2019ll need a new Government Gateway user ID for each estate you register

    ", + "

    You must register the estate online. Then you\u2019ll get a Unique Taxpayer Reference (UTR) in the post within 15 working days (21 if you\u2019re abroad). You\u2019ll need it to send a tax return.

    ", + "

    Once you\u2019ve received your UTR, you can either:

    ", + "
  • fill in paper form SA900 and post it to HMRC by 31 October after the tax year it applies to
  • ", + "
  • buy software to send it electronically by 31 January after the tax year it applies to
  • ", + "

    After you\u2019ve sent your return, HMRC will tell you how much the estate owes. You\u2019ll need to pay the Self Assessment bill by the deadline.

    ", + "

    If you do not need to send a tax return

    ", + "

    You can make \u2018informal arrangements\u2019 instead. To do this, write to HMRC and tell them:

    ", + "
  • the Income Tax and Capital Gains Tax due for the administration period
  • ", + "
  • the name, address, National Insurance number, and UTR of the deceased
  • ", + "
  • your name and contact details
  • ", + "

    Send this information to HMRC\u2019s address for PAYE and Self Assessment. You must not send tax payments with this information.

    ", + "

    You\u2019ll be provided with a payment slip and reference number. You must use these to pay any tax that needs to be paid.

    " + ] + }, + "https://www.gov.uk/tax-employee-share-schemes": { + "url": "https://www.gov.uk/tax-employee-share-schemes", + "title": "Tax and Employee Share Schemes", + "content": "## Overview\n\nIf your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.\n\nTax advantages only apply if the shares are offered through the following schemes:\n\n- Share Incentive Plans\n\n- Save As You Earn (SAYE)\n\n- Company Share Option Plans\n\n- Enterprise Management Incentives (EMIs)\n\nYou may be offered shares outside of these schemes. However these will not have the same tax advantages.\n\nYou can also get tax advantages if you\u2019re an employee shareholder.\n\n## Share Incentive Plans (SIPs)\n\nIf you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.\n\nYou will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.\n\nIf you take them out of the plan, keep them and then sell them later on, you might have to pay Capital Gains Tax if their value has increased.\n\nThere are 4 ways you can get shares under SIPs.\n\n## Free shares\n\nYour employer can give you up to \u00a33,600 of free shares in any tax year.\n\n## Partnership shares\n\nYou can buy shares out of your salary before tax deductions. There\u2019s a limit to how much you can spend - either \u00a31,800 or 10% of your income for the tax year, whichever is lower.\n\n## Matching shares\n\nYour employer can give you up to 2 free matching shares for each partnership share you buy.\n\n## Dividend shares\n\nYou may be able to buy more shares with the dividends you get from free, partnership or matching shares (but only if your employer\u2019s scheme allows it).\n\nYou will not pay Income Tax if you keep the dividend shares for at least 3 years.\n\nYou\u2019ll have to pay Income Tax and National Insurance on any shares you take out of a SIP early.\n\n## Save As You Earn (SAYE)\n\nThis is a savings-related share scheme where you can buy shares with your savings for a fixed price.\n\nYou can save up to \u00a3500 a month under the scheme. At the end of your savings contract (3 or 5 years) you can use the savings to buy shares.\n\nThe tax advantages are:\n\n- the interest and any bonus at the end of the scheme is tax-free\n\n- you do not pay Income Tax or National Insurance on the difference between what you pay for the shares and what they\u2019re worth\n\nYou might have to pay Capital Gains Tax if you sell the shares.\n\nYou\u2019ll not pay Capital Gains Tax if you transfer the shares:\n\n- to an Individual Savings Account (ISA) within 90 days of the scheme ending\n\n- to a pension, directly from the scheme when it ends\n\nIf you do not transfer your shares to a pension immediately when the scheme ends, you can still transfer them up to 90 days later. You may have to pay Capital Gains Tax if they go up in value between when you buy them and when you transfer them.\n\n## Company Share Option Plan\n\nThis gives you the option to buy up to \u00a330,000 worth of shares at a fixed price.\n\nYou will not pay Income Tax or National Insurance contributions on the difference between what you pay for the shares and what they\u2019re actually worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Enterprise Management Incentives (EMIs)\n\nIf you work for a company with assets of \u00a330 million or less, it may be able to offer Enterprise Management Incentives (EMIs).\n\nYour company can grant you share options up to the value of \u00a3250,000 in a 3-year period.\n\nYou will not have to pay Income Tax or National Insurance if you buy the shares for at least the market value they had when you were granted the option.\n\nIf you were given a discount on the market value, you\u2019ll have to pay Income Tax or National Insurance on the difference between what you pay and what the shares were worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Excluded activities\n\nCompanies that work in \u2018excluded activities\u2019 are not allowed to offer EMIs. Excluded activities include:\n\n- banking\n\n- farming\n\n- property development\n\n- provision of legal services\n\n- ship building\n\n## Employee shareholder shares\n\nTo be an employee shareholder, you must own shares in your employer\u2019s company that were worth at least \u00a32,000 when you got them.\n\nYou will not usually pay Income Tax or National Insurance on the first \u00a32,000 worth of employee shareholder shares you get before 1 December 2016.\n\nYou will not get tax relief if you or someone you\u2019re connected with (like a business partner, spouse or family member) have 25% or more voting rights in the company.\n\nWhen you become an employee shareholder your employer must pay for an independent expert to give advice about the terms and effects of the employee shareholder agreement. This advice not count as a taxable benefit.\n\n## Selling your shares\n\nYou might not pay Capital Gains Tax when you sell shares. It depends on when you signed your employee shareholder agreement.\n\n## Before 17 March 2016\n\nYou only pay Capital Gains Tax on shares that were worth over \u00a350,000 when you got them.\n\n## From 17 March 2016\n\nYou only pay Capital Gains Tax on gains over \u00a3100,000 that you make during your lifetime. The \u2018gain\u2019 is the profit you make when you sell shares that have increased in value.\n\n## Transferring your shares to an ISA\n\nYou can transfer up to \u00a320,000 of employee shares into a stocks and shares Individual Savings Account (ISA) if you have shares in a:\n\n- Save As You Earn (SAYE) scheme\n\n- Share Incentive Plan (SIP)\n\nYour ISA provider must agree to the transfer.\n\nYou will not have to pay Capital Gains Tax on any gains you make on your shares if you move them to an ISA.\n\nYou must transfer your shares to your ISA within 90 days of when you took out your SIP or SAYE shares.\n\nThese shares will count towards your \u00a320,000 ISA limit. They cannot be in addition to the limit.\n\nAsk your employer or ISA provider for more information on how to transfer.", + "original_contents": [ + "

    Overview

    ", + "

    If your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.

    ", + "

    Tax advantages only apply if the shares are offered through the following schemes:

    ", + "
  • Share Incentive Plans
  • ", + "
  • Save As You Earn (SAYE)
  • ", + "
  • Company Share Option Plans
  • ", + "
  • Enterprise Management Incentives (EMIs)
  • ", + "

    You may be offered shares outside of these schemes. However these will not have the same tax advantages.

    ", + "

    You can also get tax advantages if you\u2019re an employee shareholder.

    ", + "

    Share Incentive Plans (SIPs)

    ", + "

    If you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.

    ", + "

    You will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.

    ", + "

    If you take them out of the plan, keep them and then sell them later on, you might have to pay Capital Gains Tax if their value has increased.

    ", + "

    There are 4 ways you can get shares under SIPs.

    ", + "

    Free shares

    ", + "

    Your employer can give you up to \u00a33,600 of free shares in any tax year.

    ", + "

    Partnership shares

    ", + "

    You can buy shares out of your salary before tax deductions. There\u2019s a limit to how much you can spend - either \u00a31,800 or 10% of your income for the tax year, whichever is lower.

    ", + "

    Matching shares

    ", + "

    Your employer can give you up to 2 free matching shares for each partnership share you buy.

    ", + "

    Dividend shares

    ", + "

    You may be able to buy more shares with the dividends you get from free, partnership or matching shares (but only if your employer\u2019s scheme allows it).

    ", + "

    You will not pay Income Tax if you keep the dividend shares for at least 3 years.

    ", + "

    You\u2019ll have to pay Income Tax and National Insurance on any shares you take out of a SIP early.

    ", + "

    Save As You Earn (SAYE)

    ", + "

    This is a savings-related share scheme where you can buy shares with your savings for a fixed price.

    ", + "

    You can save up to \u00a3500 a month under the scheme. At the end of your savings contract (3 or 5 years) you can use the savings to buy shares.

    ", + "

    The tax advantages are:

    ", + "
  • the interest and any bonus at the end of the scheme is tax-free
  • ", + "
  • you do not pay Income Tax or National Insurance on the difference between what you pay for the shares and what they\u2019re worth
  • ", + "

    You might have to pay Capital Gains Tax if you sell the shares.

    ", + "

    You\u2019ll not pay Capital Gains Tax if you transfer the shares:

    ", + "
  • to an Individual Savings Account (ISA) within 90 days of the scheme ending
  • ", + "
  • to a pension, directly from the scheme when it ends
  • ", + "

    If you do not transfer your shares to a pension immediately when the scheme ends, you can still transfer them up to 90 days later. You may have to pay Capital Gains Tax if they go up in value between when you buy them and when you transfer them.

    ", + "

    Company Share Option Plan

    ", + "

    This gives you the option to buy up to \u00a330,000 worth of shares at a fixed price.

    ", + "

    You will not pay Income Tax or National Insurance contributions on the difference between what you pay for the shares and what they\u2019re actually worth.

    ", + "

    You may have to pay Capital Gains Tax if you sell the shares.

    ", + "

    Enterprise Management Incentives (EMIs)

    ", + "

    If you work for a company with assets of \u00a330 million or less, it may be able to offer Enterprise Management Incentives (EMIs).

    ", + "

    Your company can grant you share options up to the value of \u00a3250,000 in a 3-year period.

    ", + "

    You will not have to pay Income Tax or National Insurance if you buy the shares for at least the market value they had when you were granted the option.

    ", + "

    If you were given a discount on the market value, you\u2019ll have to pay Income Tax or National Insurance on the difference between what you pay and what the shares were worth.

    ", + "

    You may have to pay Capital Gains Tax if you sell the shares.

    ", + "

    Excluded activities

    ", + "

    Companies that work in \u2018excluded activities\u2019 are not allowed to offer EMIs. Excluded activities include:

    ", + "
  • banking
  • ", + "
  • farming
  • ", + "
  • property development
  • ", + "
  • provision of legal services
  • ", + "
  • ship building
  • ", + "

    Employee shareholder shares

    ", + "

    To be an employee shareholder, you must own shares in your employer\u2019s company that were worth at least \u00a32,000 when you got them.

    ", + "

    You will not usually pay Income Tax or National Insurance on the first \u00a32,000 worth of employee shareholder shares you get before 1 December 2016.

    ", + "

    You will not get tax relief if you or someone you\u2019re connected with (like a business partner, spouse or family member) have 25% or more voting rights in the company.

    ", + "

    When you become an employee shareholder your employer must pay for an independent expert to give advice about the terms and effects of the employee shareholder agreement. This advice not count as a taxable benefit.

    ", + "

    Selling your shares

    ", + "

    You might not pay Capital Gains Tax when you sell shares. It depends on when you signed your employee shareholder agreement.

    ", + "

    Before 17 March 2016

    ", + "

    You only pay Capital Gains Tax on shares that were worth over \u00a350,000 when you got them.

    ", + "

    From 17 March 2016

    ", + "

    You only pay Capital Gains Tax on gains over \u00a3100,000 that you make during your lifetime. The \u2018gain\u2019 is the profit you make when you sell shares that have increased in value.

    ", + "

    Transferring your shares to an ISA

    ", + "

    You can transfer up to \u00a320,000 of employee shares into a stocks and shares Individual Savings Account (ISA) if you have shares in a:

    ", + "
  • Save As You Earn (SAYE) scheme
  • ", + "
  • Share Incentive Plan (SIP)
  • ", + "

    Your ISA provider must agree to the transfer.

    ", + "

    You will not have to pay Capital Gains Tax on any gains you make on your shares if you move them to an ISA.

    ", + "

    You must transfer your shares to your ISA within 90 days of when you took out your SIP or SAYE shares.

    ", + "

    These shares will count towards your \u00a320,000 ISA limit. They cannot be in addition to the limit.

    ", + "

    Ask your employer or ISA provider for more information on how to transfer.

    " + ] + }, + "https://www.gov.uk/tax-codes": { + "url": "https://www.gov.uk/tax-codes", + "title": "Tax codes", + "content": "## Overview\n\nYour tax code is used by your employer or pension provider to work out how much Income Tax to take from your pay or pension. HM Revenue and Customs (HMRC) will tell them which code to use.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Find your tax code\n\nUse the check your Income Tax online service within your Personal Tax Account to find your tax code for the current year. You can also view your tax code for:\n\n- a previous tax year\n\n- the next tax year\n\nYou\u2019ll be asked to sign in with Government Gateway or create an account if you do not already have one.\n\nOnce signed in, you can also see:\n\n- if your tax code has changed\n\n- how much tax you\u2019re likely to pay\n\nYou can also find your tax code on your payslip or tax code letter from HMRC.\n\n## If you think your tax code is wrong\n\nIf you think your tax code is wrong, you can update your employment details using the check your Income Tax online service.\n\nYou can also tell HMRC about a change in income that may have affected your tax code.\n\n## Why your tax code might change\n\nHMRC may update your tax code if:\n\n- you start to get income from an additional job or pension\n\n- your employer tells HMRC you have started or stopped getting benefits from your job\n\n- you get taxable state benefits\n\n- you claim Marriage Allowance\n\n- you claim expenses that you get tax relief on\n\nYou may also be put on an emergency tax code if you change jobs.\n\n## What your tax code means\n\nYour tax code is made up of several numbers and a letter.\n\n1257L is the tax code currently used for most people who have one job or pension.\n\nHMRC will usually contact you to explain how they worked out your individual tax code if your tax code changes.\n\n## What the numbers mean\n\nThe numbers in your tax code tell your employer or pension provider how much tax-free income you get in that tax year.\n\nHMRC works out your individual number based on your tax-free Personal Allowance and income you have not paid tax on (such as untaxed interest or part-time earnings). They also consider the value of any benefits from your job (such as a company car).\n\n## What the letters mean\n\nLetters in your tax code refer to your situation and how it affects your Personal Allowance.\n\n| Letters | What they mean |\n\n| L | You\u2019re entitled to the standard tax-free Personal Allowance |\n\n| M | Marriage Allowance: you\u2019ve received a transfer of 10% of your partner\u2019s Personal Allowance |\n\n| N | Marriage Allowance: you\u2019ve transferred 10% of your Personal Allowance to your partner |\n\n| T | Your tax code includes other calculations to work out your Personal Allowance |\n\n| 0T | Your Personal Allowance has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code |\n\n| BR | All your income from this job or pension is taxed at the basic rate (usually used if you\u2019ve got more than one job or pension) |\n\n| D0 | All your income from this job or pension is taxed at the higher rate (usually used if you\u2019ve got more than one job or pension) |\n\n| D1 | All your income from this job or pension is taxed at the additional rate (usually used if you\u2019ve got more than one job or pension) |\n\n| NT | You\u2019re not paying any tax on this income |\n\n| S | Your income or pension is taxed using the rates in Scotland |\n\n| S0T | Your Personal Allowance (Scotland) has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code |\n\n| SBR | All your income from this job or pension is taxed at the basic rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| SD0 | All your income from this job or pension is taxed at the intermediate rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| SD1 | All your income from this job or pension is taxed at the higher rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| SD2 | All your income from this job or pension is taxed at the top rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| C | Your income or pension is taxed using the rates in Wales |\n\n| C0T | Your Personal Allowance (Wales) has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code |\n\n| CBR | All your income from this job or pension is taxed at the basic rate in Wales (usually used if you\u2019ve got more than one job or pension) |\n\n| CD0 | All your income from this job or pension is taxed at the higher rate in Wales (usually used if you\u2019ve got more than one job or pension) |\n\n| CD1 | All your income from this job or pension is taxed at the additional rate in Wales (usually used if you\u2019ve got more than one job or pension) |\n\n## If your tax code has \u2018W1\u2019 or \u2018M1\u2019 or \u2018X\u2019 at the end\n\nThese are emergency tax codes.\n\n## If your tax code has a \u2018K\u2019 at the beginning\n\nTax codes with \u2018K\u2019 at the beginning mean you have income that is not being taxed another way and it\u2019s worth more than your tax-free allowance.\n\nFor most people, this happens when you\u2019re:\n\n- paying tax you owe from a previous year through your wages or pension\n\n- getting benefits you need to pay tax on - these can be state benefits or company benefits\n\nYour employer or pension provider takes the tax due on the income that has not been taxed from your wages or pension - even if another organisation is paying the untaxed income to you.\n\nEmployers and pension providers cannot take more than half your pre-tax wages or pension when using a K tax code.\n\n## Emergency tax codes\n\nIf you\u2019re on an emergency tax code your payslip will show:\n\n- 1257 W1\n\n- 1257 M1\n\n- 1257 X\n\nThese mean you\u2019ll pay tax on all your income above the basic Personal Allowance.\n\nYou may be put on an emergency tax code if HMRC does not get your income details in time after a change in circumstances such as:\n\n- a new job\n\n- working for an employer after being self-employed\n\n- getting company benefits or the State Pension\n\nEmergency tax codes are temporary. HMRC will usually update your tax code when you or your employer give them your correct details. If your change in circumstances means you have not paid the right amount of tax, you\u2019ll stay on the emergency tax code until you\u2019ve paid the correct tax for the year.\n\n## Updating your details\n\nYour employer can help you update your tax code by sending details about your previous income or pension to HMRC.\n\n## If you\u2019ve started a new job\n\nGive your employer your P45 from your previous job. If you do not have a P45, your employer should ask you for the information they need instead.\n\n## If you\u2019ve started working for an employer after being self-employed\n\nYour employer should give you a \u2018starter checklist\u2019 - this is a form you can use to give them details about your previous employment.\n\n## If you\u2019ve started getting company benefits or the State Pension\n\nCheck your tax code online to make sure it includes the State Pension or company benefit. If they\u2019re not included, update your details in the tax code online service or by contacting HMRC.\n\nThe emergency tax code will stay in place until the end of the tax year. This means you\u2019ll pay the right amount of tax for the current tax year. In the new tax year HMRC will put you on a regular tax code.\n\n## Tell HMRC about a change in income\n\nIn most cases, HMRC will automatically update your tax code when your income changes, for example if you start a new job, start getting a pension or receive benefits or work expenses. They\u2019ll usually get this information from your employer.\n\nIf HMRC has the wrong information about your income, you may be given an incorrect tax code.\n\nTo correct your tax code, make sure HMRC has up-to-date details about your income.\n\nCheck what you need to do if you\u2019re on an emergency tax code.\n\n## Tell HMRC about a change\n\nYou can report a change in your income by either:\n\n- using the online check your Income Tax service\n\n- contacting HMRC\n\n## If you\u2019re contacting HMRC on someone else\u2019s behalf\n\nIf you need to tell HMRC about a change in someone else\u2019s income (for example, because you\u2019re their accountant) fill in a PAYE Coding Notice query form.\n\n## After you report your change\n\nHMRC will contact you if they change your tax code.\nThey will also tell your employer or pension provider that your tax code has changed.\n\nYour next payslip should show:\n\n- your new tax code\n\n- adjustments to your pay if you were paying the wrong amount of tax\n\n## Get a tax refund or pay the tax you owe\n\nIf HMRC update your tax code and you\u2019ve paid too much or too little tax, HMRC will send you a P800 or a Simple Assessment tax calculation. This will enable you to get a refund or pay what you owe.", + "original_contents": [ + "

    Overview

    ", + "

    Your tax code is used by your employer or pension provider to work out how much Income Tax to take from your pay or pension. HM Revenue and Customs (HMRC) will tell them which code to use.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Find your tax code

    ", + "

    Use the check your Income Tax online service within your Personal Tax Account to find your tax code for the current year. You can also view your tax code for:

    ", + "
  • a previous tax year
  • ", + "
  • the next tax year
  • ", + "

    You\u2019ll be asked to sign in with Government Gateway or create an account if you do not already have one.

    ", + "

    Once signed in, you can also see:

    ", + "
  • if your tax code has changed
  • ", + "
  • how much tax you\u2019re likely to pay
  • ", + "

    You can also find your tax code on your payslip or tax code letter from HMRC.

    ", + "

    If you think your tax code is wrong

    ", + "

    If you think your tax code is wrong, you can update your employment details using the check your Income Tax online service.

    ", + "

    You can also tell HMRC about a change in income that may have affected your tax code.

    ", + "

    Why your tax code might change

    ", + "

    HMRC may update your tax code if:

    ", + "
  • you start to get income from an additional job or pension
  • ", + "
  • your employer tells HMRC you have started or stopped getting benefits from your job
  • ", + "
  • you get taxable state benefits
  • ", + "
  • you claim Marriage Allowance
  • ", + "
  • you claim expenses that you get tax relief on
  • ", + "

    You may also be put on an emergency tax code if you change jobs.

    ", + "

    What your tax code means

    ", + "

    Your tax code is made up of several numbers and a letter.

    ", + "

    1257L is the tax code currently used for most people who have one job or pension.

    ", + "

    HMRC will usually contact you to explain how they worked out your individual tax code if your tax code changes.

    ", + "

    What the numbers mean

    ", + "

    The numbers in your tax code tell your employer or pension provider how much tax-free income you get in that tax year.

    ", + "

    HMRC works out your individual number based on your tax-free Personal Allowance and income you have not paid tax on (such as untaxed interest or part-time earnings). They also consider the value of any benefits from your job (such as a company car).

    ", + "

    What the letters mean

    ", + "

    Letters in your tax code refer to your situation and how it affects your Personal Allowance.

    ", + "Letters | What they mean", + "L | You\u2019re entitled to the standard tax-free Personal Allowance", + "M | Marriage Allowance: you\u2019ve received a transfer of 10% of your partner\u2019s Personal Allowance", + "N | Marriage Allowance: you\u2019ve transferred 10% of your Personal Allowance to your partner", + "T | Your tax code includes other calculations to work out your Personal Allowance", + "0T | Your Personal Allowance has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code", + "BR | All your income from this job or pension is taxed at the basic rate (usually used if you\u2019ve got more than one job or pension)", + "D0 | All your income from this job or pension is taxed at the higher rate (usually used if you\u2019ve got more than one job or pension)", + "D1 | All your income from this job or pension is taxed at the additional rate (usually used if you\u2019ve got more than one job or pension)", + "NT | You\u2019re not paying any tax on this income", + "S | Your income or pension is taxed using the rates in Scotland", + "S0T | Your Personal Allowance (Scotland) has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code", + "SBR | All your income from this job or pension is taxed at the basic rate in Scotland (usually used if you\u2019ve got more than one job or pension)", + "SD0 | All your income from this job or pension is taxed at the intermediate rate in Scotland (usually used if you\u2019ve got more than one job or pension)", + "SD1 | All your income from this job or pension is taxed at the higher rate in Scotland (usually used if you\u2019ve got more than one job or pension)", + "SD2 | All your income from this job or pension is taxed at the top rate in Scotland (usually used if you\u2019ve got more than one job or pension)", + "C | Your income or pension is taxed using the rates in Wales", + "C0T | Your Personal Allowance (Wales) has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code", + "CBR | All your income from this job or pension is taxed at the basic rate in Wales (usually used if you\u2019ve got more than one job or pension)", + "CD0 | All your income from this job or pension is taxed at the higher rate in Wales (usually used if you\u2019ve got more than one job or pension)", + "CD1 | All your income from this job or pension is taxed at the additional rate in Wales (usually used if you\u2019ve got more than one job or pension)", + "

    If your tax code has \u2018W1\u2019 or \u2018M1\u2019 or \u2018X\u2019 at the end

    ", + "

    These are emergency tax codes.

    ", + "

    If your tax code has a \u2018K\u2019 at the beginning

    ", + "

    Tax codes with \u2018K\u2019 at the beginning mean you have income that is not being taxed another way and it\u2019s worth more than your tax-free allowance.

    ", + "

    For most people, this happens when you\u2019re:

    ", + "
  • paying tax you owe from a previous year through your wages or pension
  • ", + "
  • getting benefits you need to pay tax on - these can be state benefits or company benefits
  • ", + "

    Your employer or pension provider takes the tax due on the income that has not been taxed from your wages or pension - even if another organisation is paying the untaxed income to you.

    ", + "

    Employers and pension providers cannot take more than half your pre-tax wages or pension when using a K tax code.

    ", + "

    Emergency tax codes

    ", + "

    If you\u2019re on an emergency tax code your payslip will show:

    ", + "
  • 1257 W1
  • ", + "
  • 1257 M1
  • ", + "
  • 1257 X
  • ", + "

    These mean you\u2019ll pay tax on all your income above the basic Personal Allowance.

    ", + "

    You may be put on an emergency tax code if HMRC does not get your income details in time after a change in circumstances such as:

    ", + "
  • a new job
  • ", + "
  • working for an employer after being self-employed
  • ", + "
  • getting company benefits or the State Pension
  • ", + "

    Emergency tax codes are temporary. HMRC will usually update your tax code when you or your employer give them your correct details. If your change in circumstances means you have not paid the right amount of tax, you\u2019ll stay on the emergency tax code until you\u2019ve paid the correct tax for the year.

    ", + "

    Updating your details

    ", + "

    Your employer can help you update your tax code by sending details about your previous income or pension to HMRC.

    ", + "

    If you\u2019ve started a new job

    ", + "

    Give your employer your P45 from your previous job. If you do not have a P45, your employer should ask you for the information they need instead.

    ", + "

    If you\u2019ve started working for an employer after being self-employed

    ", + "

    Your employer should give you a \u2018starter checklist\u2019 - this is a form you can use to give them details about your previous employment.

    ", + "

    If you\u2019ve started getting company benefits or the State Pension

    ", + "

    Check your tax code online to make sure it includes the State Pension or company benefit. If they\u2019re not included, update your details in the tax code online service or by contacting HMRC.

    ", + "

    The emergency tax code will stay in place until the end of the tax year. This means you\u2019ll pay the right amount of tax for the current tax year. In the new tax year HMRC will put you on a regular tax code.

    ", + "

    Tell HMRC about a change in income

    ", + "

    In most cases, HMRC will automatically update your tax code when your income changes, for example if you start a new job, start getting a pension or receive benefits or work expenses. They\u2019ll usually get this information from your employer.

    ", + "

    If HMRC has the wrong information about your income, you may be given an incorrect tax code.

    ", + "

    To correct your tax code, make sure HMRC has up-to-date details about your income.

    ", + "

    Check what you need to do if you\u2019re on an emergency tax code.

    ", + "

    Tell HMRC about a change

    ", + "

    You can report a change in your income by either:

    ", + "
  • using the online check your Income Tax service
  • ", + "
  • contacting HMRC
  • ", + "

    If you\u2019re contacting HMRC on someone else\u2019s behalf

    ", + "

    If you need to tell HMRC about a change in someone else\u2019s income (for example, because you\u2019re their accountant) fill in a PAYE Coding Notice query form.

    ", + "

    After you report your change

    ", + "

    HMRC will contact you if they change your tax code.\nThey will also tell your employer or pension provider that your tax code has changed.

    ", + "

    Your next payslip should show:

    ", + "
  • your new tax code
  • ", + "
  • adjustments to your pay if you were paying the wrong amount of tax
  • ", + "

    Get a tax refund or pay the tax you owe

    ", + "

    If HMRC update your tax code and you\u2019ve paid too much or too little tax, HMRC will send you a P800 or a Simple Assessment tax calculation. This will enable you to get a refund or pay what you owe.

    " + ] + }, + "https://www.gov.uk/tax-company-benefits": { + "url": "https://www.gov.uk/tax-company-benefits", + "title": "Tax on company benefits", + "content": "## Overview\n\nAs an employee, you pay tax on company benefits like cars, accommodation and loans.\n\nYour employer takes the tax you owe from your wages through Pay As You Earn (PAYE).\n\nThe amount you pay depends on what kind of benefits you get and their value, which your employer works out.\n\nCheck your Income Tax to see how company benefits affect the tax you pay.\n\nSome company benefits can be tax-free, like childcare and canteen meals.\n\nYou have to pay tax and National Insurance on things that are paid in cash, as they\u2019re treated as earnings.\n\n## Tax on company cars\n\nYou\u2019ll pay tax if you or your family use a company car privately, including for commuting.\n\nYou pay tax on the value to you of the company car, which depends on things like how much it would cost to buy and the type of fuel it uses.\n\nThis value of the car is reduced if:\n\n- you have it part-time\n\n- you pay something towards its cost\n\n- it has low CO2 emissions\n\nIf your employer pays for fuel you use for personal journeys, you\u2019ll pay tax on this separately.\n\n## If you drive a hybrid\n\nIf your company car has CO2 emissions of 1 to 50g/km, the value of the car is based on its zero emission mileage figure, or \u2018electric range\u2019. This is the distance the car can go on electric power before its batteries need recharging.\n\nContact your employer to find out your car\u2019s zero emission mileage figure.\n\n## Check or update your company car tax\n\nTell HM Revenue and Customs (HMRC) if your car or fuel details change. You can check or update your company car tax online, for example if:\n\n- you get a company car or give one back\n\n- your employer starts or stops paying for fuel for you to use personally\n\nIf a change affects the value of the car, HMRC will update your tax code so you pay the right tax.\n\n## Estimating the tax you\u2019ll pay\n\nYou can see how much tax you might pay with HMRC\u2019s company car and fuel benefit calculator.\n\nThis calculator may not work in all browsers. Find out how to update or change your browser.\n\n## Other company benefits you'll pay tax on\n\nYou pay tax on the value of the benefit to you, which your employer works out.\n\nCheck your Income Tax to see how company benefits affect the tax you pay.\n\n## Medical insurance\n\nYou usually pay tax on the cost of the insurance premiums if your employer pays for your medical insurance.\n\nCheck how your employer works out how much tax to deduct from your pay.\n\nYou can get some tax-free health benefits from your employer, including:\n\n- medical insurance when you\u2019re working abroad\n\n- annual check-ups\n\nCheck and report changes to medical insurance paid for by your employer.\n\n## Loans\n\nYou\u2019ll pay tax on low-interest or interest-free loans from your employer if they\u2019re worth more than \u00a310,000.\n\nYou pay tax on the difference between the interest rate you pay to your employer and the official rate of interest set by the Bank of England.\n\nYou may pay tax if your employer lends money to one of your relatives.\n\nCheck how your employer works out how much tax to deduct from your pay.\n\n## Living accommodation\n\nIf you (or one of your relatives) is living in accommodation provided by your employer you may pay tax.\n\nHow the tax is worked out depends on whether the accommodation cost more than \u00a375,000.\n\nCheck how your employer works out how much tax to deduct from your pay.\n\nYou may not pay tax if you get the accommodation so you can do your job, or do your job better, for example agricultural workers living on farms.\n\n## Help with your Self Assessment\n\nUse the living accommodation helpsheet if you need help with the \u2018Employment\u2019 section of your Self Assessment tax return.\n\n## Tax-free company benefits\n\nYou can get some company benefits tax free, including:\n\n- meals in a staff canteen\n\n- hot drinks and water at work\n\n- a mobile phone\n\n- workplace parking\n\nChristmas parties can also be tax free if they cost \u00a3150 or less per head and are open to all employees.\n\nYour employer might provide tax free childcare support, including childcare vouchers.\n\n## National Insurance on company benefits\n\nYou do not usually have to pay National Insurance on benefits you get from your job.\n\nYour employer will pay National Insurance contributions on them instead.\n\nBut you do have to pay National Insurance on things that are paid in cash, as they\u2019re treated as earnings.\n\nFor example, if your employer gives you a gift that you could sell instead of keep, you will pay National Insurance on the value of the gift.\n\n## Keeping records and reporting changes\n\nAt the end of each tax year, your employer will give you details of the company benefits they\u2019ve told HM Revenue and Customs (HMRC) about.\n\nThey might give you a copy of your P11D form, if they sent one to HMRC.\n\nYou must keep these details for 2 years after the tax year they relate to.\n\n## Tell HMRC about starting or stopping company benefits\n\nYou must tell HMRC about any benefits you or your family start or stop getting from work - even if your employer has already taken Income Tax and National Insurance for them.\n\nYou should only tell HMRC that you\u2019ve got a company car once you\u2019ve started using it.", + "original_contents": [ + "

    Overview

    ", + "

    As an employee, you pay tax on company benefits like cars, accommodation and loans.

    ", + "

    Your employer takes the tax you owe from your wages through Pay As You Earn (PAYE).

    ", + "

    The amount you pay depends on what kind of benefits you get and their value, which your employer works out.

    ", + "

    Check your Income Tax to see how company benefits affect the tax you pay.

    ", + "

    Some company benefits can be tax-free, like childcare and canteen meals.

    ", + "

    You have to pay tax and National Insurance on things that are paid in cash, as they\u2019re treated as earnings.

    ", + "

    Tax on company cars

    ", + "

    You\u2019ll pay tax if you or your family use a company car privately, including for commuting.

    ", + "

    You pay tax on the value to you of the company car, which depends on things like how much it would cost to buy and the type of fuel it uses.

    ", + "

    This value of the car is reduced if:

    ", + "
  • you have it part-time
  • ", + "
  • you pay something towards its cost
  • ", + "
  • it has low CO2 emissions
  • ", + "

    If your employer pays for fuel you use for personal journeys, you\u2019ll pay tax on this separately.

    ", + "

    If you drive a hybrid

    ", + "

    If your company car has CO2 emissions of 1 to 50g/km, the value of the car is based on its zero emission mileage figure, or \u2018electric range\u2019. This is the distance the car can go on electric power before its batteries need recharging.

    ", + "

    Contact your employer to find out your car\u2019s zero emission mileage figure.

    ", + "

    Check or update your company car tax

    ", + "

    Tell HM Revenue and Customs (HMRC) if your car or fuel details change. You can check or update your company car tax online, for example if:

    ", + "
  • you get a company car or give one back
  • ", + "
  • your employer starts or stops paying for fuel for you to use personally
  • ", + "

    If a change affects the value of the car, HMRC will update your tax code so you pay the right tax.

    ", + "

    Estimating the tax you\u2019ll pay

    ", + "

    You can see how much tax you might pay with HMRC\u2019s company car and fuel benefit calculator.

    ", + "

    This calculator may not work in all browsers. Find out how to update or change your browser.

    ", + "

    Other company benefits you'll pay tax on

    ", + "

    You pay tax on the value of the benefit to you, which your employer works out.

    ", + "

    Check your Income Tax to see how company benefits affect the tax you pay.

    ", + "

    Medical insurance

    ", + "

    You usually pay tax on the cost of the insurance premiums if your employer pays for your medical insurance.

    ", + "

    Check how your employer works out how much tax to deduct from your pay.

    ", + "

    You can get some tax-free health benefits from your employer, including:

    ", + "
  • medical insurance when you\u2019re working abroad
  • ", + "
  • annual check-ups
  • ", + "

    Check and report changes to medical insurance paid for by your employer.

    ", + "

    Loans

    ", + "

    You\u2019ll pay tax on low-interest or interest-free loans from your employer if they\u2019re worth more than \u00a310,000.

    ", + "

    You pay tax on the difference between the interest rate you pay to your employer and the official rate of interest set by the Bank of England.

    ", + "

    You may pay tax if your employer lends money to one of your relatives.

    ", + "

    Check how your employer works out how much tax to deduct from your pay.

    ", + "

    Living accommodation

    ", + "

    If you (or one of your relatives) is living in accommodation provided by your employer you may pay tax.

    ", + "

    How the tax is worked out depends on whether the accommodation cost more than \u00a375,000.

    ", + "

    Check how your employer works out how much tax to deduct from your pay.

    ", + "

    You may not pay tax if you get the accommodation so you can do your job, or do your job better, for example agricultural workers living on farms.

    ", + "

    Help with your Self Assessment

    ", + "

    Use the living accommodation helpsheet if you need help with the \u2018Employment\u2019 section of your Self Assessment tax return.

    ", + "

    Tax-free company benefits

    ", + "

    You can get some company benefits tax free, including:

    ", + "
  • meals in a staff canteen
  • ", + "
  • hot drinks and water at work
  • ", + "
  • a mobile phone
  • ", + "
  • workplace parking
  • ", + "

    Christmas parties can also be tax free if they cost \u00a3150 or less per head and are open to all employees.

    ", + "

    Your employer might provide tax free childcare support, including childcare vouchers.

    ", + "

    National Insurance on company benefits

    ", + "

    You do not usually have to pay National Insurance on benefits you get from your job.

    ", + "

    Your employer will pay National Insurance contributions on them instead.

    ", + "

    But you do have to pay National Insurance on things that are paid in cash, as they\u2019re treated as earnings.

    ", + "

    For example, if your employer gives you a gift that you could sell instead of keep, you will pay National Insurance on the value of the gift.

    ", + "

    Keeping records and reporting changes

    ", + "

    At the end of each tax year, your employer will give you details of the company benefits they\u2019ve told HM Revenue and Customs (HMRC) about.

    ", + "

    They might give you a copy of your P11D form, if they sent one to HMRC.

    ", + "

    You must keep these details for 2 years after the tax year they relate to.

    ", + "

    Tell HMRC about starting or stopping company benefits

    ", + "

    You must tell HMRC about any benefits you or your family start or stop getting from work - even if your employer has already taken Income Tax and National Insurance for them.

    ", + "

    You should only tell HMRC that you\u2019ve got a company car once you\u2019ve started using it.

    " + ] + }, + "https://www.gov.uk/tax-foreign-income": { + "url": "https://www.gov.uk/tax-foreign-income", + "title": "Tax on foreign income", + "content": "## Overview\n\nYou may need to pay UK Income Tax on your foreign income, such as:\n\n- wages if you work abroad\n\n- foreign investment income, for example dividends and savings interest\n\n- rental income on overseas property\n\n- income from pensions held overseas\n\nForeign income is anything from outside England, Scotland, Wales and Northern Ireland. The Channel Islands and the Isle of Man are classed as foreign.\n\n## Working out if you need to pay\n\nWhether you need to pay depends on if you\u2019re classed as \u2018resident\u2019 in the UK for tax.\n\nIf you\u2019re not UK resident, you will not have to pay UK tax on your foreign income.\n\nIf you\u2019re UK resident, you\u2019ll normally pay tax on your foreign income. But you may not have to if your permanent home (\u2018domicile\u2019) is abroad.\n\n## Reporting foreign income\n\nIf you need to pay tax, you usually report your foreign income in a Self Assessment tax return. But there\u2019s some foreign income that\u2019s taxed differently.\n\n## If your income is taxed in more than one country\n\nYou may be able to claim tax relief if you\u2019re taxed in more than one country.\n\nIf you\u2019ve not yet paid tax on the foreign income, you may need to apply for a certificate of residence to prove you\u2019re eligible for relief.\n\n## UK residence and tax\n\nYour UK residence status affects whether you need to pay tax in the UK on your foreign income.\n\nNon-residents only pay tax on their UK income - they do not pay UK tax on their foreign income.\n\nResidents normally pay UK tax on all their income, whether it\u2019s from the UK or abroad. But there are special rules for UK residents whose permanent home (\u2018domicile\u2019) is abroad.\n\n## Work out your residence status\n\nWhether you\u2019re UK resident usually depends on how many days you spend in the UK in the tax year (6 April to 5 April the following year).\n\nYou\u2019re automatically resident if either:\n\n- you spent 183 or more days in the UK in the tax year\n\n- your only home was in the UK - you must have owned, rented or lived in it for at least 91 days in total - and you spent at least 30 days there in the tax year\n\nYou\u2019re automatically non-resident if either:\n\n- you spent fewer than 16 days in the UK (or 46 days if you have not been classed as UK resident for the 3 previous tax years)\n\n- you work abroad full-time (averaging at least 35 hours a week) and spent fewer than 91 days in the UK, of which no more than 30 were spent working\n\n## Get help\n\nIf your situation\u2019s more complicated or you need to confirm your status, you can:\n\n- read HMRC\u2019s guidance on the Statutory Residence Test\n\n- get professional tax help\n\n## Your residence status when you move\n\nWhen you move in or out of the UK, the tax year is usually split into 2 - a non-resident part and a resident part. This means you only pay UK tax on foreign income based on the time you were living here.\n\nThis is called \u2018split-year treatment\u2019.\n\nYou will not get split-year treatment if you live abroad for less than a full tax year before returning to the UK. You also need to meet other conditions.\n\nTo find out if you qualify and see which split-year treatment \u2018case\u2019 you\u2019ll need to mention on your Self Assessment tax return, you can:\n\n- read chapter 5 of HMRC\u2019s guidance note on the Statutory Residence Test\n\n- contact HMRC\n\n## If your situation changes\n\nYour status can change from one tax year to the next. Check your status if your situation changes, for example:\n\n- you spend more or less time in the UK\n\n- you buy or sell a home in the UK\n\n- you change your job\n\n- your family moves in or out of the UK, or you get married, separate or have children\n\n## Residence and capital gains\n\nYou work out your residence status for capital gains (for example, when you sell shares or a second home) the same way as you do for income.\n\nUK residents have to pay tax on their UK and foreign gains. Non-residents have to pay tax on income, but only pay Capital Gains Tax either:\n\n- on UK property or land\n\n- if they return to the UK\n\n## Residence before April 2013\n\nThere were different rules for working out your residence status before 6 April 2013.\n\n## 'Non-domiciled' residents\n\nUK residents who have their permanent home (\u2018domicile\u2019) outside the UK may not have to pay UK tax on foreign income.\n\nThe same rules apply if you make any foreign capital gains, for example you sell shares or a second home.\n\n## Working out your domicile\n\nYour domicile\u2019s usually the country your father considered his permanent home when you were born. It may have changed if you moved abroad and you do not intend to return.\n\nIf you need help working out which country you\u2019re domiciled in, you can:\n\n- read chapter 5 of HM Revenue and Customs\u2019 (HMRC) guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019\n\n- get professional tax help, for example from a tax adviser\n\nThere are additional rules for domicile and Inheritance Tax.\n\n## Tax if you\u2019re non-domiciled\n\nYou do not pay UK tax on your foreign income or gains if both the following apply:\n\n- they\u2019re less than \u00a32,000 in the tax year\n\n- you do not bring them into the UK, for example by transferring them to a UK bank account\n\nIf this applies to you, you do not need to do anything.\n\nChapter 9 in HMRC\u2019s guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019 explains the rules for bringing income or gains to the UK.\n\n## If your income is \u00a32,000 or more\n\nYou must report foreign income or gains of \u00a32,000 or more, or any money that you bring to the UK, in a Self Assessment tax return.\n\nYou can either:\n\n- pay UK tax on them - you may be able to claim it back\n\n- claim the \u2018remittance basis\u2019\n\nClaiming the remittance basis means you only pay UK tax on the income or gains you bring to the UK, but you:\n\n- lose tax-free allowances for Income Tax and Capital Gains Tax (some \u2018dual residents\u2019 may keep them)\n\n- pay an annual charge if you\u2019ve been resident of the UK for a certain amount of time\n\nYou pay an annual charge of either:\n\n- \u00a330,000 if you\u2019ve been here for at least 7 of the previous 9 tax years\n\n- \u00a360,000 for at least 12 of the previous 14 tax years\n\nClaiming the remittance basis is complicated. You can:\n\n- contact HMRC\n\n- get professional tax help, for example from a tax adviser\n\n## If you work in the UK and abroad\n\nThere are special rules if you work both in the UK and abroad.\n\nYou do not have to pay tax on foreign income or gains (even those you bring into the UK) if you get the \u2018foreign workers\u2019 exemption\u2019.\n\nYou qualify if:\n\n- your income from your overseas job is less than \u00a310,000\n\n- your other foreign income (such as bank interest) is less than \u00a3100\n\n- all your foreign income has been subject to foreign tax (even if you did not have to pay, for example because of a tax-free allowance)\n\n- your combined UK and foreign income is within the band for basic rate Income Tax\n\n- you do not need to fill in a tax return for any other reason\n\nIf you qualify, you do not need to do anything to claim.\n\n## If you\u2019re seconded to the UK\n\nYou may be able to claim Overseas Workday Relief if your employer sends you to work in the UK on secondment.\n\nIf you qualify you:\n\n- pay UK tax on UK employment income based on the number of days you\u2019ve worked here\n\n- do not pay tax on income from days you work abroad (as long as you do not bring it into the UK)\n\nAsk your employer to find out if you can claim.\n\n## Foreign students\n\nThere are special rules if you come to study in the UK.\n\n## Reporting your foreign income\n\nYou usually need to fill in a Self Assessment tax return if you\u2019re a UK resident with foreign income or capital gains. But there\u2019s some foreign income that\u2019s taxed differently.\n\nYou do not need to fill in a tax return if all the following apply:\n\n- your only foreign income is dividends\n\n- your total dividends - including UK dividends - are less than the \u00a32,000 dividend allowance\n\n- you have no other income to report\n\nDifferent rules may apply if your permanent home (\u2018domicile\u2019) is abroad.\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now\n\n## Filling in your tax return\n\nUse the \u2018foreign\u2019 section of the tax return to record your overseas income or gains.\n\nInclude income that\u2019s already been taxed abroad to get Foreign Tax Credit Relief, if you\u2019re eligible.\n\nHMRC has guidance on how to report your foreign income or gains in your tax return in \u2018Foreign notes\u2019.\n\n## Foreign income that's taxed differently\n\nMost foreign income is taxed in the same way as UK income, but there are special rules for:\n\n- pensions\n\n- rent from property\n\n- certain types of employment income\n\n## Pensions\n\nYou have to pay tax on pensions if you\u2019re resident, or were resident in any of the 5 previous tax years.\n\nYou also pay tax on any foreign pension payments, including unauthorised payments like early payments and some lump sums.\n\nCheck with your pension provider to find out how you\u2019ll be taxed.\n\n## Rent from property\n\nYou pay tax in the normal way on overseas property. But if you rent out more than one, you can offset losses against other overseas properties.\n\n## Certain types of employment income\n\nYou usually pay tax in the normal way if you work both in the UK and abroad. There are special rules if you work:\n\n- on a ship or in the offshore gas or oil industry\n\n- for the EU or government, or as a volunteer development worker\n\n## If you're taxed twice\n\nYou may be taxed on your foreign income by the UK and by the country where your income is from.\n\nYou can usually claim tax relief to get some or all of this tax back. How you claim depends on whether your foreign income has already been taxed.\n\nThere\u2019s a different way to claim relief if you\u2019re a non-resident with UK income.\n\n## Apply for tax relief before you get taxed on foreign income\n\nYou have to apply for tax relief in the country your income\u2019s from if:\n\n- the income is exempt from foreign tax but is taxed in the UK (for example, most pensions)\n\n- required by that country\u2019s double-taxation agreement\n\nAsk the foreign tax authority for a form, or apply by letter if they do not have one.\n\nBefore you apply, you must prove you\u2019re eligible for tax relief by either:\n\n- completing the form and sending it to HMRC - they\u2019ll confirm whether you\u2019re resident and send the form back to you\n\n- including a UK certificate of residence, if you\u2019re applying by letter\n\nOnce you\u2019ve got proof, send the form or letter to the foreign tax authority.\n\n## If you\u2019ve already paid tax on your foreign income\n\nYou can usually claim Foreign Tax Credit Relief when you report your overseas income in your tax return.\n\nHow much relief you get depends on the UK\u2019s \u2018double-taxation agreement\u2019 with the country your income\u2019s from.\n\nYou usually still get relief even if there is not an agreement, unless the foreign tax does not correspond to UK Income Tax or Capital Gains Tax.\n\nContact HM Revenue and Customs (HMRC) or a get professional tax help if you\u2019re not sure, or need help with double-taxation relief.\n\n## What you\u2019ll get back\n\nYou may not get back the full amount of foreign tax you paid. You get back less if either:\n\n- a smaller amount is set by the country\u2019s double-taxation agreement\n\n- the income would have been taxed at a lower rate in the UK\n\nHMRC has guidance on how Foreign Tax Credit Relief is calculated, including the special rules for interest and dividends in \u2018Foreign notes\u2019.\n\nYou cannot claim this relief if the UK\u2019s double-taxation agreement requires you to claim tax back from the country your income was from.\n\n## Capital Gains Tax\n\nYou\u2019ll usually pay tax in the country where you\u2019re resident and be exempt from tax in the country where you make the capital gain. You will not usually need to make a claim.\n\nYou have to pay Capital Gains Tax on UK residential property even if you\u2019re not UK resident.\n\n## When to claim relief\n\nThere are different rules if your gain comes from an asset that either:\n\n- cannot be taken out of the country, such as land or a house\n\n- you\u2019re using for business in that country\n\nYou\u2019ll need to pay tax in both countries and get relief from the UK.\n\n## Dual residents\n\nYou can be resident in both the UK and another country. You\u2019ll need to check the other country\u2019s residence rules and when the tax year starts and ends.\n\nHMRC has guidance for claiming double-taxation relief if you\u2019re dual resident.\n\n## If you come to study in the UK\n\nForeign students usually do not pay UK tax on foreign income or gains, as long as they\u2019re used for course fees or living costs like:\n\n- food\n\n- rent\n\n- bills\n\n- study materials\n\nCheck that the country your income\u2019s from has a \u2018double-taxation agreement\u2019 that covers students.\n\nHM Revenue and Customs (HMRC) may ask you to account for your living costs if they\u2019re more than \u00a315,000 in a tax year (excluding course fees). The tax year is from 6 April to 5 April the following year.\n\n## When you need to pay tax\n\nYou may need to pay tax on your foreign income in the normal way if you:\n\n- are from a country without a double-taxation agreement for students\n\n- have other income that you do not bring to the UK\n\n- bring it to the UK and spend it on things other than living costs and course fees\n\n- plan to stay in the UK as your permanent home (\u2018domicile\u2019)\n\n## If you work in the UK\n\nSome double-taxation agreements mean you do not pay UK tax on your income if you work while you\u2019re a student.\n\nIf your country does not have an agreement like this, you have to pay tax in the same way as others who come to live in the UK.", + "original_contents": [ + "

    Overview

    ", + "

    You may need to pay UK Income Tax on your foreign income, such as:

    ", + "
  • wages if you work abroad
  • ", + "
  • foreign investment income, for example dividends and savings interest
  • ", + "
  • rental income on overseas property
  • ", + "
  • income from pensions held overseas
  • ", + "

    Foreign income is anything from outside England, Scotland, Wales and Northern Ireland. The Channel Islands and the Isle of Man are classed as foreign.

    ", + "

    Working out if you need to pay

    ", + "

    Whether you need to pay depends on if you\u2019re classed as \u2018resident\u2019 in the UK for tax.

    ", + "

    If you\u2019re not UK resident, you will not have to pay UK tax on your foreign income.

    ", + "

    If you\u2019re UK resident, you\u2019ll normally pay tax on your foreign income. But you may not have to if your permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    Reporting foreign income

    ", + "

    If you need to pay tax, you usually report your foreign income in a Self Assessment tax return. But there\u2019s some foreign income that\u2019s taxed differently.

    ", + "

    If your income is taxed in more than one country

    ", + "

    You may be able to claim tax relief if you\u2019re taxed in more than one country.

    ", + "

    If you\u2019ve not yet paid tax on the foreign income, you may need to apply for a certificate of residence to prove you\u2019re eligible for relief.

    ", + "

    UK residence and tax

    ", + "

    Your UK residence status affects whether you need to pay tax in the UK on your foreign income.

    ", + "

    Non-residents only pay tax on their UK income - they do not pay UK tax on their foreign income.

    ", + "

    Residents normally pay UK tax on all their income, whether it\u2019s from the UK or abroad. But there are special rules for UK residents whose permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    Work out your residence status

    ", + "

    Whether you\u2019re UK resident usually depends on how many days you spend in the UK in the tax year (6 April to 5 April the following year).

    ", + "

    You\u2019re automatically resident if either:

    ", + "
  • you spent 183 or more days in the UK in the tax year
  • ", + "
  • your only home was in the UK - you must have owned, rented or lived in it for at least 91 days in total - and you spent at least 30 days there in the tax year
  • ", + "

    You\u2019re automatically non-resident if either:

    ", + "
  • you spent fewer than 16 days in the UK (or 46 days if you have not been classed as UK resident for the 3 previous tax years)
  • ", + "
  • you work abroad full-time (averaging at least 35 hours a week) and spent fewer than 91 days in the UK, of which no more than 30 were spent working
  • ", + "

    Get help

    ", + "

    If your situation\u2019s more complicated or you need to confirm your status, you can:

    ", + "
  • read HMRC\u2019s guidance on the Statutory Residence Test
  • ", + "
  • get professional tax help
  • ", + "

    Your residence status when you move

    ", + "

    When you move in or out of the UK, the tax year is usually split into 2 - a non-resident part and a resident part. This means you only pay UK tax on foreign income based on the time you were living here.

    ", + "

    This is called \u2018split-year treatment\u2019.

    ", + "

    You will not get split-year treatment if you live abroad for less than a full tax year before returning to the UK. You also need to meet other conditions.

    ", + "

    To find out if you qualify and see which split-year treatment \u2018case\u2019 you\u2019ll need to mention on your Self Assessment tax return, you can:

    ", + "
  • read chapter 5 of HMRC\u2019s guidance note on the Statutory Residence Test
  • ", + "
  • contact HMRC
  • ", + "

    If your situation changes

    ", + "

    Your status can change from one tax year to the next. Check your status if your situation changes, for example:

    ", + "
  • you spend more or less time in the UK
  • ", + "
  • you buy or sell a home in the UK
  • ", + "
  • you change your job
  • ", + "
  • your family moves in or out of the UK, or you get married, separate or have children
  • ", + "

    Residence and capital gains

    ", + "

    You work out your residence status for capital gains (for example, when you sell shares or a second home) the same way as you do for income.

    ", + "

    UK residents have to pay tax on their UK and foreign gains. Non-residents have to pay tax on income, but only pay Capital Gains Tax either:

    ", + "
  • on UK property or land
  • ", + "
  • if they return to the UK
  • ", + "

    Residence before April 2013

    ", + "

    There were different rules for working out your residence status before 6 April 2013.

    ", + "

    'Non-domiciled' residents

    ", + "

    UK residents who have their permanent home (\u2018domicile\u2019) outside the UK may not have to pay UK tax on foreign income.

    ", + "

    The same rules apply if you make any foreign capital gains, for example you sell shares or a second home.

    ", + "

    Working out your domicile

    ", + "

    Your domicile\u2019s usually the country your father considered his permanent home when you were born. It may have changed if you moved abroad and you do not intend to return.

    ", + "

    If you need help working out which country you\u2019re domiciled in, you can:

    ", + "
  • read chapter 5 of HM Revenue and Customs\u2019 (HMRC) guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019
  • ", + "
  • get professional tax help, for example from a tax adviser
  • ", + "

    There are additional rules for domicile and Inheritance Tax.

    ", + "

    Tax if you\u2019re non-domiciled

    ", + "

    You do not pay UK tax on your foreign income or gains if both the following apply:

    ", + "
  • they\u2019re less than \u00a32,000 in the tax year
  • ", + "
  • you do not bring them into the UK, for example by transferring them to a UK bank account
  • ", + "

    If this applies to you, you do not need to do anything.

    ", + "

    Chapter 9 in HMRC\u2019s guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019 explains the rules for bringing income or gains to the UK.

    ", + "

    If your income is \u00a32,000 or more

    ", + "

    You must report foreign income or gains of \u00a32,000 or more, or any money that you bring to the UK, in a Self Assessment tax return.

    ", + "

    You can either:

    ", + "
  • pay UK tax on them - you may be able to claim it back
  • ", + "
  • claim the \u2018remittance basis\u2019
  • ", + "

    Claiming the remittance basis means you only pay UK tax on the income or gains you bring to the UK, but you:

    ", + "
  • lose tax-free allowances for Income Tax and Capital Gains Tax (some \u2018dual residents\u2019 may keep them)
  • ", + "
  • pay an annual charge if you\u2019ve been resident of the UK for a certain amount of time
  • ", + "

    You pay an annual charge of either:

    ", + "
  • \u00a330,000 if you\u2019ve been here for at least 7 of the previous 9 tax years
  • ", + "
  • \u00a360,000 for at least 12 of the previous 14 tax years
  • ", + "

    Claiming the remittance basis is complicated. You can:

    ", + "
  • contact HMRC
  • ", + "
  • get professional tax help, for example from a tax adviser
  • ", + "

    If you work in the UK and abroad

    ", + "

    There are special rules if you work both in the UK and abroad.

    ", + "

    You do not have to pay tax on foreign income or gains (even those you bring into the UK) if you get the \u2018foreign workers\u2019 exemption\u2019.

    ", + "

    You qualify if:

    ", + "
  • your income from your overseas job is less than \u00a310,000
  • ", + "
  • your other foreign income (such as bank interest) is less than \u00a3100
  • ", + "
  • all your foreign income has been subject to foreign tax (even if you did not have to pay, for example because of a tax-free allowance)
  • ", + "
  • your combined UK and foreign income is within the band for basic rate Income Tax
  • ", + "
  • you do not need to fill in a tax return for any other reason
  • ", + "

    If you qualify, you do not need to do anything to claim.

    ", + "

    If you\u2019re seconded to the UK

    ", + "

    You may be able to claim Overseas Workday Relief if your employer sends you to work in the UK on secondment.

    ", + "

    If you qualify you:

    ", + "
  • pay UK tax on UK employment income based on the number of days you\u2019ve worked here
  • ", + "
  • do not pay tax on income from days you work abroad (as long as you do not bring it into the UK)
  • ", + "

    Ask your employer to find out if you can claim.

    ", + "

    Foreign students

    ", + "

    There are special rules if you come to study in the UK.

    ", + "

    Reporting your foreign income

    ", + "

    You usually need to fill in a Self Assessment tax return if you\u2019re a UK resident with foreign income or capital gains. But there\u2019s some foreign income that\u2019s taxed differently.

    ", + "

    You do not need to fill in a tax return if all the following apply:

    ", + "
  • your only foreign income is dividends
  • ", + "
  • your total dividends - including UK dividends - are less than the \u00a32,000 dividend allowance
  • ", + "
  • you have no other income to report
  • ", + "

    Different rules may apply if your permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    Register for Self Assessment

    ", + "

    If you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.

    ", + "

    You\u2019ll get a letter telling you what to do next after you\u2019ve registered.

    ", + "

    Register now

    ", + "

    Filling in your tax return

    ", + "

    Use the \u2018foreign\u2019 section of the tax return to record your overseas income or gains.

    ", + "

    Include income that\u2019s already been taxed abroad to get Foreign Tax Credit Relief, if you\u2019re eligible.

    ", + "

    HMRC has guidance on how to report your foreign income or gains in your tax return in \u2018Foreign notes\u2019.

    ", + "

    Foreign income that's taxed differently

    ", + "

    Most foreign income is taxed in the same way as UK income, but there are special rules for:

    ", + "
  • pensions
  • ", + "
  • rent from property
  • ", + "
  • certain types of employment income
  • ", + "

    Pensions

    ", + "

    You have to pay tax on pensions if you\u2019re resident, or were resident in any of the 5 previous tax years.

    ", + "

    You also pay tax on any foreign pension payments, including unauthorised payments like early payments and some lump sums.

    ", + "

    Check with your pension provider to find out how you\u2019ll be taxed.

    ", + "

    Rent from property

    ", + "

    You pay tax in the normal way on overseas property. But if you rent out more than one, you can offset losses against other overseas properties.

    ", + "

    Certain types of employment income

    ", + "

    You usually pay tax in the normal way if you work both in the UK and abroad. There are special rules if you work:

    ", + "
  • on a ship or in the offshore gas or oil industry
  • ", + "
  • for the EU or government, or as a volunteer development worker
  • ", + "

    If you're taxed twice

    ", + "

    You may be taxed on your foreign income by the UK and by the country where your income is from.

    ", + "

    You can usually claim tax relief to get some or all of this tax back. How you claim depends on whether your foreign income has already been taxed.

    ", + "

    There\u2019s a different way to claim relief if you\u2019re a non-resident with UK income.

    ", + "

    Apply for tax relief before you get taxed on foreign income

    ", + "

    You have to apply for tax relief in the country your income\u2019s from if:

    ", + "
  • the income is exempt from foreign tax but is taxed in the UK (for example, most pensions)
  • ", + "
  • required by that country\u2019s double-taxation agreement
  • ", + "

    Ask the foreign tax authority for a form, or apply by letter if they do not have one.

    ", + "

    Before you apply, you must prove you\u2019re eligible for tax relief by either:

    ", + "
  • completing the form and sending it to HMRC - they\u2019ll confirm whether you\u2019re resident and send the form back to you
  • ", + "
  • including a UK certificate of residence, if you\u2019re applying by letter
  • ", + "

    Once you\u2019ve got proof, send the form or letter to the foreign tax authority.

    ", + "

    If you\u2019ve already paid tax on your foreign income

    ", + "

    You can usually claim Foreign Tax Credit Relief when you report your overseas income in your tax return.

    ", + "

    How much relief you get depends on the UK\u2019s \u2018double-taxation agreement\u2019 with the country your income\u2019s from.

    ", + "

    You usually still get relief even if there is not an agreement, unless the foreign tax does not correspond to UK Income Tax or Capital Gains Tax.

    ", + "

    Contact HM Revenue and Customs (HMRC) or a get professional tax help if you\u2019re not sure, or need help with double-taxation relief.

    ", + "

    What you\u2019ll get back

    ", + "

    You may not get back the full amount of foreign tax you paid. You get back less if either:

    ", + "
  • a smaller amount is set by the country\u2019s double-taxation agreement
  • ", + "
  • the income would have been taxed at a lower rate in the UK
  • ", + "

    HMRC has guidance on how Foreign Tax Credit Relief is calculated, including the special rules for interest and dividends in \u2018Foreign notes\u2019.

    ", + "

    You cannot claim this relief if the UK\u2019s double-taxation agreement requires you to claim tax back from the country your income was from.

    ", + "

    Capital Gains Tax

    ", + "

    You\u2019ll usually pay tax in the country where you\u2019re resident and be exempt from tax in the country where you make the capital gain. You will not usually need to make a claim.

    ", + "

    You have to pay Capital Gains Tax on UK residential property even if you\u2019re not UK resident.

    ", + "

    When to claim relief

    ", + "

    There are different rules if your gain comes from an asset that either:

    ", + "
  • cannot be taken out of the country, such as land or a house
  • ", + "
  • you\u2019re using for business in that country
  • ", + "

    You\u2019ll need to pay tax in both countries and get relief from the UK.

    ", + "

    Dual residents

    ", + "

    You can be resident in both the UK and another country. You\u2019ll need to check the other country\u2019s residence rules and when the tax year starts and ends.

    ", + "

    HMRC has guidance for claiming double-taxation relief if you\u2019re dual resident.

    ", + "

    If you come to study in the UK

    ", + "

    Foreign students usually do not pay UK tax on foreign income or gains, as long as they\u2019re used for course fees or living costs like:

    ", + "
  • food
  • ", + "
  • rent
  • ", + "
  • bills
  • ", + "
  • study materials
  • ", + "

    Check that the country your income\u2019s from has a \u2018double-taxation agreement\u2019 that covers students.

    ", + "

    HM Revenue and Customs (HMRC) may ask you to account for your living costs if they\u2019re more than \u00a315,000 in a tax year (excluding course fees). The tax year is from 6 April to 5 April the following year.

    ", + "

    When you need to pay tax

    ", + "

    You may need to pay tax on your foreign income in the normal way if you:

    ", + "
  • are from a country without a double-taxation agreement for students
  • ", + "
  • have other income that you do not bring to the UK
  • ", + "
  • bring it to the UK and spend it on things other than living costs and course fees
  • ", + "
  • plan to stay in the UK as your permanent home (\u2018domicile\u2019)
  • ", + "

    If you work in the UK

    ", + "

    Some double-taxation agreements mean you do not pay UK tax on your income if you work while you\u2019re a student.

    ", + "

    If your country does not have an agreement like this, you have to pay tax in the same way as others who come to live in the UK.

    " + ] + }, + "https://www.gov.uk/tax-uk-income-live-abroad": { + "url": "https://www.gov.uk/tax-uk-income-live-abroad", + "title": "Tax on your UK income if you live abroad", + "content": "## Overview\n\nYou usually have to pay tax on your UK income even if you\u2019re not a UK resident. Income includes things like:\n\n- pension\n\n- rental income\n\n- savings interest\n\n- wages\n\nIf you\u2019re eligible for a Personal Allowance you pay Income Tax on your income above that amount. Otherwise, you pay tax on all your income.\n\nThe country where you live might tax you on your UK income. If it has a \u2018double-taxation agreement\u2019 with the UK, you can claim tax relief in the UK to avoid being taxed twice.\n\nYou do not normally pay tax when you sell an asset, apart from on UK property or land.\n\n## When tax is not due or is already deducted\n\nNon-residents do not usually pay UK tax on:\n\n- the State Pension\n\n- interest from UK government securities (\u2018gilts\u2019)\n\nIf you live abroad and are employed in the UK, your tax is calculated automatically on the days you work in the UK.\n\nIncome Tax is no longer automatically taken from interest on savings and investments.\n\n## When to report your income to HM Revenue and Customs (HMRC)\n\nYou usually have to send a Self Assessment tax return if:\n\n- you rent out property in the UK\n\n- you work for yourself in the UK\n\n- you have a pension outside the UK and you were UK resident in one of the 5 previous tax years\n\n- you have other untaxed income\n\nYou do not need to report your income to HMRC if you\u2019ve already claimed tax relief under a \u2018double-taxation agreement\u2019.\n\n## If you\u2019re a non-UK resident and were stuck in the UK because of coronavirus (COVID-19)\n\nIf you could not leave the UK when you intended because of coronavirus, you will not have to pay UK tax on employment income that:\n\n- you earned between the dates you intended to leave and when you actually left\n\n- you paid tax on in your home country\n\nYou must file a Self Assessment tax return, together with a completed SA109 form. Use the \u2018other information\u2019 section of your SA109 to include:\n\n- the dates you were stuck in the UK because of coronavirus\n\n- what you earned in that time\n\n- confirmation you paid tax on these earnings in another country\n\nIf you\u2019re unsure how to file a Self Assessment return, you can get advice from a professional, like an accountant.\n\nHMRC may ask you for proof that you:\n\n- could not leave the UK when you intended, for example an NHS isolation note\n\n- paid tax in another country on what you earned while stuck in the UK\n\n- left the UK as soon as you reasonably could\n\nYou may have to pay tax in the UK if you cannot prove you were unable to leave the UK and did not leave as soon as you could.\n\n## Sending a Self Assessment tax return\n\nYou cannot use HMRC\u2019s online services to tell them about your income if you\u2019re non-resident. Instead, you must do one of the following:\n\n- fill in a Self Assessment tax return and an SA109 form and send by post\n\n- use commercial Self Assessment software that supports SA109 reporting (this may appear as a \u2018residence, remittance basis etc\u2019 section)\n\n- get a tax professional to report your UK income for you\n\nYou\u2019ll be fined if you miss the deadline - it\u2019s earlier if you\u2019re sending your return by post (31 October).\n\n## If you have overpaid\n\nApply for a refund if you think you\u2019ve paid too much tax. This might happen if tax is deducted automatically (for example by your bank) but your total UK income is below your Personal Allowance.\n\nSend form R43 to HMRC, or claim the refund in your Self Assessment tax return if you\u2019re already doing one.\n\nHMRC will usually send refunds by cheque. If you want HMRC to send a refund straight to your bank account, include your bank account number and sort code on your tax return. You need to include this information each time you complete a tax return.\n\nGet help from a professional (like an accountant) if you need advice.\n\n## Rental income\n\nYou need to pay tax on your rental income if you rent out a property in the UK.\n\nYou may also need to pay tax if you make a gain when you sell property or land in the UK.\n\nIf you live abroad for 6 months or more per year, you\u2019re classed as a \u2018non-resident landlord\u2019 by HM Revenue and Customs (HMRC) - even if you\u2019re a UK resident for tax purposes.\n\n## How you pay tax\n\nYou can get your rent either:\n\n- in full and pay tax through Self Assessment - if HMRC allows you to do this\n\n- with tax already deducted by your letting agent or tenant\n\n## Get your rent in full\n\nIf you want to pay tax on your rental income through Self Assessment, fill in form NRL1i and send it back to HMRC.\n\nIf your application is approved, HMRC will tell your letting agent or tenant not to deduct tax from your rent and you\u2019ll need to declare your income in your Self Assessment tax return.\n\nHMRC will not approve your application if your taxes are not up to date, for example you\u2019re late with your tax returns or payments.\n\n## Get your rent with tax deducted\n\nYour letting agent or tenant will:\n\n- deduct basic rate tax from your rent (after allowing for any expenses they\u2019ve paid)\n\n- give you a certificate at the end of the tax year saying how much tax they\u2019ve deducted\n\nIf you do not have a letting agent and your tenant pays you more than \u00a3100 a week in rent, they\u2019ll deduct the tax from their rent payments to you.\n\n## Filling in your tax return\n\nYou need to declare your rental income in a Self Assessment tax return unless HMRC tells you not to.\n\nYou cannot use HMRC\u2019s online services. Instead, you need to:\n\n- send your tax return by post\n\n- use commercial software\n\n- get help from a professional, like an accountant\n\nYou need to complete the \u2018residence\u2019 section (form SA109 if you\u2019re sending it by post) and the \u2018property\u2019 section (form SA105).\n\nYou\u2019ll be fined if you miss the deadline - it\u2019s earlier if you\u2019re sending your return by post (31 October).\n\n## If you\u2019ve paid too much tax\n\nYou can ask for a refund if both:\n\n- your rental income is lower than your Personal Allowance\n\n- your letting agent (or tenant) already deducted basic rate tax on it\n\nFill in form R43 and send it back to HMRC.\n\nYou cannot ask for a refund if you\u2019re not eligible for a Personal Allowance.\n\n## Companies and trusts\n\nA company is a \u2018non-resident landlord\u2019 if it receives income from renting UK property and either:\n\n- its main office or business premises is outside the UK\n\n- it\u2019s incorporated outside the UK\n\nYour company will get its rent in full if it\u2019s resident in the UK for tax purposes - this includes UK branches of companies based abroad if they\u2019re registered for Corporation Tax.\n\nA trust is a \u2018non-resident landlord\u2019 if it receives income from renting UK property and all trustees usually live outside the UK.\n\n## Apply to get your rent in full\n\nCompanies should use form NRL2i to ask HMRC to get rental income in full. Trusts should use form NRL3i.\n\n## Selling or inheriting assets\n\nIf you\u2019re not a UK resident, you do not usually pay either:\n\n- Capital Gains Tax if you sell most assets in the UK\n\n- Inheritance Tax if you inherit assets located in the UK\n\n## When you might be taxed\n\nYou\u2019ll only have to pay Capital Gains Tax if:\n\n- you make a gain when you sell property or land in the UK\n\n- assets you sold were used in a UK branch of a foreign business\n\n- you used to be a UK resident and you return to the UK within 5 years of leaving\n\n## If you inherited the asset\n\nYou\u2019ll only have to pay Inheritance Tax if both:\n\n- you inherited property, money or shares in the UK\n\n- the deceased\u2019s estate does not have the money to pay the Inheritance Tax\n\nThe normal rules for paying Income Tax apply if you get income from something you\u2019ve inherited, for example rental income from a UK property.\n\nIf you\u2019re a non-resident and you inherit UK property or land you have to pay tax on any gains you make when you sell it. You do not pay tax if you inherit and sell other assets, for example UK shares.\n\n## Personal Allowance\n\nYou\u2019ll get a Personal Allowance of tax-free UK income each year if any of the following apply:\n\n- you hold a British passport\n\n- you\u2019re a citizen of a European Economic Area (EEA) country\n\n- you\u2019ve worked for the UK government at any time during that tax year\n\nYou might also get it if it\u2019s included in the double-taxation agreement between the UK and the country you live in.\n\n## Claim the Personal Allowance\n\nIf you\u2019re not a UK resident, you have to claim the Personal Allowance at the end of each tax year in which you have UK income. Send form R43 to HM Revenue and Customs (HMRC).\n\n## If you're taxed twice\n\nYou may be taxed on your UK income by the country where you\u2019re resident and by the UK.\n\nYou may not have to pay twice if the country you\u2019re resident in has a \u2018double-taxation agreement\u2019 with the UK. Depending on the agreement, you can apply for either:\n\n- partial or full relief before you\u2019ve been taxed\n\n- a refund after you\u2019ve been taxed\n\nEach double-taxation agreement sets out:\n\n- the country you pay tax in\n\n- the country you apply for relief in\n\n- how much tax relief you get\n\nIf the tax rates in the 2 countries are different, you\u2019ll pay the higher rate of tax. The tax year may start on different days in different countries.\n\nDouble taxation agreements do not apply to tax on gains from selling UK residential property.\n\n## What income you can claim for\n\nYou can claim for income including:\n\n- most pensions - most UK government (such as civil service) pensions are only taxed in the UK\n\n- wages and other pay (including self-employment)\n\n- bank interest\n\n- dividends - special rules apply, which HM Revenue and Customs (HMRC) explain in section 10 of \u2018Residence, Domicile and the Remittance Basis\u2019\n\n## How to claim tax relief\n\nCheck HMRC\u2019s \u2018Double-taxation digest\u2019 for countries that have an agreement with the UK, and how income like pensions and interest is taxed.\n\nYou need to look at the relevant tax treaty for the rules on other types of income like wages and rent.\n\n## Fill in a claim form\n\nUse the correct form depending on whether you\u2019re resident in:\n\n- Australia\n\n- Canada\n\n- France\n\n- Germany\n\n- Ireland\n\n- Japan\n\n- New Zealand\n\n- Netherlands\n\n- South Africa\n\n- Spain\n\n- Sweden\n\n- Switzerland\n\n- United States of America\n\nIf you\u2019re resident somewhere else, use HMRC\u2019s standard claim form.\n\nWhen you\u2019ve filled in the form, send it to the tax authority in the country where you\u2019re resident. They\u2019ll confirm your eligibility and either send the form to HMRC or return it to you to send on (use the address on the form).\n\nThere\u2019s a different form for individuals and companies claiming a refund on dividends paid by UK Real Estate Investment Trusts.\n\n## If you need help\n\nFor help claiming double-taxation relief, you can:\n\n- get professional tax help, for example from a tax adviser\n\n- contact HMRC\n\n## Capital Gains Tax\n\nYou only pay Capital Gains Tax if you make a gain on UK property or land. You do not pay it on other UK assets, such as UK shares. You will not usually need to make a claim for assets you do not pay tax on - but you should check the relevant double taxation agreement.\n\nIf you return to the UK after being non-resident, you may have to pay tax on any assets you owned before you left the UK - even if you\u2019ve paid tax on any gains in the country you moved to. You can usually claim double-taxation relief.\n\n## Dual residents\n\nYou can be resident in both the UK and another country (\u2018dual resident\u2019). You\u2019ll need to check the other country\u2019s residence rules and when the tax year starts and ends.\n\nHMRC has guidance for how to claim double-taxation relief if you\u2019re a dual resident.\n\n## If you're a UK resident\n\nYou can live abroad and still be a UK resident for tax, for example if you visit the UK for more than 183 days in a tax year.\n\nPay tax on your income and profits from selling assets (such as shares) in the normal way.\n\nYou usually have to pay tax on your income from outside the UK as well.", + "original_contents": [ + "

    Overview

    ", + "

    You usually have to pay tax on your UK income even if you\u2019re not a UK resident. Income includes things like:

    ", + "
  • pension
  • ", + "
  • rental income
  • ", + "
  • savings interest
  • ", + "
  • wages
  • ", + "

    If you\u2019re eligible for a Personal Allowance you pay Income Tax on your income above that amount. Otherwise, you pay tax on all your income.

    ", + "

    The country where you live might tax you on your UK income. If it has a \u2018double-taxation agreement\u2019 with the UK, you can claim tax relief in the UK to avoid being taxed twice.

    ", + "

    You do not normally pay tax when you sell an asset, apart from on UK property or land.

    ", + "

    When tax is not due or is already deducted

    ", + "

    Non-residents do not usually pay UK tax on:

    ", + "
  • the State Pension
  • ", + "
  • interest from UK government securities (\u2018gilts\u2019)
  • ", + "

    If you live abroad and are employed in the UK, your tax is calculated automatically on the days you work in the UK.

    ", + "

    Income Tax is no longer automatically taken from interest on savings and investments.

    ", + "

    When to report your income to HM Revenue and Customs (HMRC)

    ", + "

    You usually have to send a Self Assessment tax return if:

    ", + "
  • you rent out property in the UK
  • ", + "
  • you work for yourself in the UK
  • ", + "
  • you have a pension outside the UK and you were UK resident in one of the 5 previous tax years
  • ", + "
  • you have other untaxed income
  • ", + "

    You do not need to report your income to HMRC if you\u2019ve already claimed tax relief under a \u2018double-taxation agreement\u2019.

    ", + "

    If you\u2019re a non-UK resident and were stuck in the UK because of coronavirus (COVID-19)

    ", + "

    If you could not leave the UK when you intended because of coronavirus, you will not have to pay UK tax on employment income that:

    ", + "
  • you earned between the dates you intended to leave and when you actually left
  • ", + "
  • you paid tax on in your home country
  • ", + "

    You must file a Self Assessment tax return, together with a completed SA109 form. Use the \u2018other information\u2019 section of your SA109 to include:

    ", + "
  • the dates you were stuck in the UK because of coronavirus
  • ", + "
  • what you earned in that time
  • ", + "
  • confirmation you paid tax on these earnings in another country
  • ", + "

    If you\u2019re unsure how to file a Self Assessment return, you can get advice from a professional, like an accountant.

    ", + "

    HMRC may ask you for proof that you:

    ", + "
  • could not leave the UK when you intended, for example an NHS isolation note
  • ", + "
  • paid tax in another country on what you earned while stuck in the UK
  • ", + "
  • left the UK as soon as you reasonably could
  • ", + "

    You may have to pay tax in the UK if you cannot prove you were unable to leave the UK and did not leave as soon as you could.

    ", + "

    Sending a Self Assessment tax return

    ", + "

    You cannot use HMRC\u2019s online services to tell them about your income if you\u2019re non-resident. Instead, you must do one of the following:

    ", + "
  • fill in a Self Assessment tax return and an SA109 form and send by post
  • ", + "
  • use commercial Self Assessment software that supports SA109 reporting (this may appear as a \u2018residence, remittance basis etc\u2019 section)
  • ", + "
  • get a tax professional to report your UK income for you
  • ", + "

    You\u2019ll be fined if you miss the deadline - it\u2019s earlier if you\u2019re sending your return by post (31 October).

    ", + "

    If you have overpaid

    ", + "

    Apply for a refund if you think you\u2019ve paid too much tax. This might happen if tax is deducted automatically (for example by your bank) but your total UK income is below your Personal Allowance.

    ", + "

    Send form R43 to HMRC, or claim the refund in your Self Assessment tax return if you\u2019re already doing one.

    ", + "

    HMRC will usually send refunds by cheque. If you want HMRC to send a refund straight to your bank account, include your bank account number and sort code on your tax return. You need to include this information each time you complete a tax return.

    ", + "

    Get help from a professional (like an accountant) if you need advice.

    ", + "

    Rental income

    ", + "

    You need to pay tax on your rental income if you rent out a property in the UK.

    ", + "

    You may also need to pay tax if you make a gain when you sell property or land in the UK.

    ", + "

    If you live abroad for 6 months or more per year, you\u2019re classed as a \u2018non-resident landlord\u2019 by HM Revenue and Customs (HMRC) - even if you\u2019re a UK resident for tax purposes.

    ", + "

    How you pay tax

    ", + "

    You can get your rent either:

    ", + "
  • in full and pay tax through Self Assessment - if HMRC allows you to do this
  • ", + "
  • with tax already deducted by your letting agent or tenant
  • ", + "

    Get your rent in full

    ", + "

    If you want to pay tax on your rental income through Self Assessment, fill in form NRL1i and send it back to HMRC.

    ", + "

    If your application is approved, HMRC will tell your letting agent or tenant not to deduct tax from your rent and you\u2019ll need to declare your income in your Self Assessment tax return.

    ", + "

    HMRC will not approve your application if your taxes are not up to date, for example you\u2019re late with your tax returns or payments.

    ", + "

    Get your rent with tax deducted

    ", + "

    Your letting agent or tenant will:

    ", + "
  • deduct basic rate tax from your rent (after allowing for any expenses they\u2019ve paid)
  • ", + "
  • give you a certificate at the end of the tax year saying how much tax they\u2019ve deducted
  • ", + "

    If you do not have a letting agent and your tenant pays you more than \u00a3100 a week in rent, they\u2019ll deduct the tax from their rent payments to you.

    ", + "

    Filling in your tax return

    ", + "

    You need to declare your rental income in a Self Assessment tax return unless HMRC tells you not to.

    ", + "

    You cannot use HMRC\u2019s online services. Instead, you need to:

    ", + "
  • send your tax return by post
  • ", + "
  • use commercial software
  • ", + "
  • get help from a professional, like an accountant
  • ", + "

    You need to complete the \u2018residence\u2019 section (form SA109 if you\u2019re sending it by post) and the \u2018property\u2019 section (form SA105).

    ", + "

    You\u2019ll be fined if you miss the deadline - it\u2019s earlier if you\u2019re sending your return by post (31 October).

    ", + "

    If you\u2019ve paid too much tax

    ", + "

    You can ask for a refund if both:

    ", + "
  • your rental income is lower than your Personal Allowance
  • ", + "
  • your letting agent (or tenant) already deducted basic rate tax on it
  • ", + "

    Fill in form R43 and send it back to HMRC.

    ", + "

    You cannot ask for a refund if you\u2019re not eligible for a Personal Allowance.

    ", + "

    Companies and trusts

    ", + "

    A company is a \u2018non-resident landlord\u2019 if it receives income from renting UK property and either:

    ", + "
  • its main office or business premises is outside the UK
  • ", + "
  • it\u2019s incorporated outside the UK
  • ", + "

    Your company will get its rent in full if it\u2019s resident in the UK for tax purposes - this includes UK branches of companies based abroad if they\u2019re registered for Corporation Tax.

    ", + "

    A trust is a \u2018non-resident landlord\u2019 if it receives income from renting UK property and all trustees usually live outside the UK.

    ", + "

    Apply to get your rent in full

    ", + "

    Companies should use form NRL2i to ask HMRC to get rental income in full. Trusts should use form NRL3i.

    ", + "

    Selling or inheriting assets

    ", + "

    If you\u2019re not a UK resident, you do not usually pay either:

    ", + "
  • Capital Gains Tax if you sell most assets in the UK
  • ", + "
  • Inheritance Tax if you inherit assets located in the UK
  • ", + "

    When you might be taxed

    ", + "

    You\u2019ll only have to pay Capital Gains Tax if:

    ", + "
  • you make a gain when you sell property or land in the UK
  • ", + "
  • assets you sold were used in a UK branch of a foreign business
  • ", + "
  • you used to be a UK resident and you return to the UK within 5 years of leaving
  • ", + "

    If you inherited the asset

    ", + "

    You\u2019ll only have to pay Inheritance Tax if both:

    ", + "
  • you inherited property, money or shares in the UK
  • ", + "
  • the deceased\u2019s estate does not have the money to pay the Inheritance Tax
  • ", + "

    The normal rules for paying Income Tax apply if you get income from something you\u2019ve inherited, for example rental income from a UK property.

    ", + "

    If you\u2019re a non-resident and you inherit UK property or land you have to pay tax on any gains you make when you sell it. You do not pay tax if you inherit and sell other assets, for example UK shares.

    ", + "

    Personal Allowance

    ", + "

    You\u2019ll get a Personal Allowance of tax-free UK income each year if any of the following apply:

    ", + "
  • you hold a British passport
  • ", + "
  • you\u2019re a citizen of a European Economic Area (EEA) country
  • ", + "
  • you\u2019ve worked for the UK government at any time during that tax year
  • ", + "

    You might also get it if it\u2019s included in the double-taxation agreement between the UK and the country you live in.

    ", + "

    Claim the Personal Allowance

    ", + "

    If you\u2019re not a UK resident, you have to claim the Personal Allowance at the end of each tax year in which you have UK income. Send form R43 to HM Revenue and Customs (HMRC).

    ", + "

    If you're taxed twice

    ", + "

    You may be taxed on your UK income by the country where you\u2019re resident and by the UK.

    ", + "

    You may not have to pay twice if the country you\u2019re resident in has a \u2018double-taxation agreement\u2019 with the UK. Depending on the agreement, you can apply for either:

    ", + "
  • partial or full relief before you\u2019ve been taxed
  • ", + "
  • a refund after you\u2019ve been taxed
  • ", + "

    Each double-taxation agreement sets out:

    ", + "
  • the country you pay tax in
  • ", + "
  • the country you apply for relief in
  • ", + "
  • how much tax relief you get
  • ", + "

    If the tax rates in the 2 countries are different, you\u2019ll pay the higher rate of tax. The tax year may start on different days in different countries.

    ", + "

    Double taxation agreements do not apply to tax on gains from selling UK residential property.

    ", + "

    What income you can claim for

    ", + "

    You can claim for income including:

    ", + "
  • most pensions - most UK government (such as civil service) pensions are only taxed in the UK
  • ", + "
  • wages and other pay (including self-employment)
  • ", + "
  • bank interest
  • ", + "
  • dividends - special rules apply, which HM Revenue and Customs (HMRC) explain in section 10 of \u2018Residence, Domicile and the Remittance Basis\u2019
  • ", + "

    How to claim tax relief

    ", + "

    Check HMRC\u2019s \u2018Double-taxation digest\u2019 for countries that have an agreement with the UK, and how income like pensions and interest is taxed.

    ", + "

    You need to look at the relevant tax treaty for the rules on other types of income like wages and rent.

    ", + "

    Fill in a claim form

    ", + "

    Use the correct form depending on whether you\u2019re resident in:

    ", + "
  • Australia
  • ", + "
  • Canada
  • ", + "
  • France
  • ", + "
  • Germany
  • ", + "
  • Ireland
  • ", + "
  • Japan
  • ", + "
  • New Zealand
  • ", + "
  • Netherlands
  • ", + "
  • South Africa
  • ", + "
  • Spain
  • ", + "
  • Sweden
  • ", + "
  • Switzerland
  • ", + "
  • United States of America
  • ", + "

    If you\u2019re resident somewhere else, use HMRC\u2019s standard claim form.

    ", + "

    When you\u2019ve filled in the form, send it to the tax authority in the country where you\u2019re resident. They\u2019ll confirm your eligibility and either send the form to HMRC or return it to you to send on (use the address on the form).

    ", + "

    There\u2019s a different form for individuals and companies claiming a refund on dividends paid by UK Real Estate Investment Trusts.

    ", + "

    If you need help

    ", + "

    For help claiming double-taxation relief, you can:

    ", + "
  • get professional tax help, for example from a tax adviser
  • ", + "
  • contact HMRC
  • ", + "

    Capital Gains Tax

    ", + "

    You only pay Capital Gains Tax if you make a gain on UK property or land. You do not pay it on other UK assets, such as UK shares. You will not usually need to make a claim for assets you do not pay tax on - but you should check the relevant double taxation agreement.

    ", + "

    If you return to the UK after being non-resident, you may have to pay tax on any assets you owned before you left the UK - even if you\u2019ve paid tax on any gains in the country you moved to. You can usually claim double-taxation relief.

    ", + "

    Dual residents

    ", + "

    You can be resident in both the UK and another country (\u2018dual resident\u2019). You\u2019ll need to check the other country\u2019s residence rules and when the tax year starts and ends.

    ", + "

    HMRC has guidance for how to claim double-taxation relief if you\u2019re a dual resident.

    ", + "

    If you're a UK resident

    ", + "

    You can live abroad and still be a UK resident for tax, for example if you visit the UK for more than 183 days in a tax year.

    ", + "

    Pay tax on your income and profits from selling assets (such as shares) in the normal way.

    ", + "

    You usually have to pay tax on your income from outside the UK as well.

    " + ] + }, + "https://www.gov.uk/tax-on-your-private-pension": { + "url": "https://www.gov.uk/tax-on-your-private-pension", + "title": "Tax on your private pension contributions", + "content": "## Overview\n\nYour private pension contributions are tax-free up to certain limits.\n\nThis applies to most private pension schemes, for example:\n\n- workplace pensions\n\n- personal and stakeholder pensions\n\n- overseas pension schemes that qualify for UK tax relief - ask your provider if it\u2019s a \u2018qualifying overseas pension scheme\u2019\n\nPension schemes must be registered with HMRC to qualify for tax relief. Check with your pension provider if you\u2019re unsure if your scheme is registered or not.\n\nYou pay tax when you take money out of a pension.\n\n## Limits to your tax-free contributions\n\nYou usually pay tax if savings in your pension pots go above:\n\n- 100% of your earnings in a year - this is the limit on tax relief you get\n\n- \u00a340,000 a year - check your \u2018annual allowance\u2019\n\n- \u00a31,073,100 in your lifetime - this is the lifetime allowance\n\nYou also pay tax on contributions if your pension provider:\n\n- is not registered for tax relief with HM Revenue and Customs (HMRC)\n\n- does not invest your pension pot according to HMRC\u2019s rules\n\n## Tax relief\n\nYou can get tax relief on private pension contributions worth up to 100% of your annual earnings.\n\nYou get the tax relief automatically if your:\n\n- employer takes workplace pension contributions out of your pay before deducting Income Tax\n\n- rate of Income Tax is 20% - your pension provider will claim it as tax relief and add it to your pension pot (\u2018relief at source\u2019)\n\nIf your rate of Income Tax in Scotland is 19% your pension provider will claim tax relief for you at a rate of 20%. You do not need to pay the difference.\n\nUK tax relief is also available on contributions made to certain types of overseas pension schemes.\n\nIt\u2019s up to you to make sure you\u2019re not getting tax relief on pension contributions worth more than 100% of your annual earnings. HM Revenue and Customs (HMRC) can ask you to pay back anything over this limit.\n\n## Relief at source\n\nYou get relief at source in all personal and stakeholder pensions, and some workplace pensions.\n\n## To get relief at source\n\nBefore paying into a scheme, you need to agree to certain conditions about your contributions (\u2018make declarations\u2019). Your pension provider will tell you what these are.\n\nYou also need to give your pension provider your:\n\n- full name and address\n\n- date of birth\n\n- National Insurance number\n\n- employment status - or tell them if you\u2019re retired, a full time student, a carer or aged under 16\n\nYour employer may do this for you if you\u2019re automatically enrolled in their pension scheme.\n\nYour pension provider will let you know if this is the case and ask you to confirm your details are correct. You must do this within 30 days.\n\n## When you have to claim tax relief\n\nYou may be able to claim tax relief on pension contributions if:\n\n- you pay Income Tax at a rate above 20% and your pension provider claims the first 20% for you (relief at source)\n\n- your pension scheme is not set up for automatic tax relief\n\n- someone else pays into your pension\n\n## Claim tax relief in England, Wales or Northern Ireland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 20% up to the amount of any income you have paid 40% tax on\n\n- 25% up to the amount of any income you have paid 45% tax on\n\nYou can also call or write to HMRC to claim if you pay Income Tax at 40%.\n\n## Claim tax relief in Scotland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 1% up to the amount of any income you have paid 21% tax on\n\n- 21% up to the amount of any income you have paid 41% tax on\n\n- 26% up to the amount of any income you have paid 46% tax on\n\nYou can call or write to HMRC to claim if you do not fill in a Self Assessment tax return.\n\n## If your pension scheme is not set up for automatic tax relief\n\nClaim tax relief in your Self Assessment tax return if your pension scheme is not set up for automatic tax relief.\n\nCall or write to HMRC if you do not fill in a tax return.\n\nYou cannot claim tax relief if your pension scheme is not registered with HMRC.\n\n## If someone else pays into your pension\n\nWhen someone else (for example your partner) pays into your pension, you automatically get tax relief at 20% if your pension provider claims it for you (relief at source).\n\nIf you\u2019re in a workplace pension that allows other people to contribute you may need to claim the tax relief on those contributions - call or write to HMRC.\n\n## If you do not pay Income Tax\n\nYou still automatically get tax relief at 20% on the first \u00a32,880 you pay into a pension each tax year (6 April to 5 April) if both of the following apply to you:\n\n- you do not pay Income Tax, for example because you\u2019re on a low income\n\n- your pension provider claims tax relief for you at a rate of 20% (relief at source)\n\n## Life insurance policies\n\nYou cannot get tax relief if you use your pension contributions to pay a personal term assurance policy, unless it\u2019s a protected policy.\n\nPersonal term assurance is a life insurance policy that either:\n\n- ends when the first insured person dies\n\n- insures people who are all from the same family\n\n## Annual allowance\n\nYour annual allowance is the most you can save in your pension pots in a tax year (6 April to 5 April) before you have to pay tax.\n\nYou\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.\n\n## What counts towards the annual allowance\n\nYour annual allowance applies to all of your private pensions, if you have more than one. This includes:\n\n- the total amount paid in to a defined contribution scheme in a tax year by you or anyone else (for example, your employer)\n\n- any increase in a defined benefit scheme in a tax year\n\n## If you use all of your annual allowance for the current tax year\n\nYou might be able to carry over any annual allowance you did not use from the previous 3 tax years.\n\n## When your annual allowance is lower than \u00a340,000\n\nYour annual allowance might be lower if you have:\n\n- flexibly accessed your pension pot\n\n- a high income\n\n## If you flexibly access your pension\n\nYour annual allowance might be lower if you flexibly access your pension. For example, this could include taking:\n\n- cash or a short-term annuity from a flexi-access drawdown fund\n\n- cash from a pension pot (\u2018uncrystallised funds pension lump sums\u2019)\n\nThe lower allowance is called the \u2018money purchase annual allowance\u2019.\n\n## If you have a high income\n\nYou\u2019ll have a reduced (\u2018tapered\u2019) annual allowance in the current tax year if both:\n\n- your \u2018threshold income\u2019 is over \u00a3200,000\n\n- your \u2018adjusted income\u2019 is over \u00a3240,000\n\nThe threshold income and adjusted income limits are different for earlier tax years.\n\nWork out your reduced annual allowance.\n\n## If you go above the annual allowance\n\nYou\u2019ll get a statement from your pension provider telling you if you go above the annual allowance in their scheme. If you\u2019re in more than one pension scheme, ask each pension provider for statements.\n\nYou can also use a calculator to work out how much you\u2019ve gone above the allowance.\n\nIf you go over your annual allowance, either you or your pension provider must pay the tax.\n\nFill in the \u2018Pension savings tax charges\u2019 section of a Self Assessment tax return to tell HMRC about the tax, even if your pension provider pays all or part of it. You\u2019ll need form SA101 if you\u2019re using a paper form.\n\nYou can still claim tax relief for pension contributions on your Self Assessment tax return if you\u2019re above the annual allowance.\n\nHMRC does not tax anyone for going over their annual allowance in a tax year if they:\n\n- retired and took all their pension pots because of serious ill health\n\n- died\n\n## Lifetime allowance\n\nYou usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.\n\nYou might be able to protect your pension pot from reductions to the lifetime allowance.\n\n## Check how much lifetime allowance you\u2019ve used\n\nAsk your pension provider how much of your lifetime allowance you\u2019ve used.\n\nIf you\u2019re in more than one pension scheme, you must add up what you\u2019ve used in all pension schemes you belong to.\n\nWhat counts towards your allowance depends on the type of pension pot you get.\n\n| Type of pension pot | What counts towards your lifetime allowance |\n\n| Defined contribution - personal, stakeholder and most workplace schemes | Money in pension pots that goes towards paying you, however you decide to take the money |\n\n| Defined benefit - some workplace schemes | Usually 20 times the pension you get in the first year plus your lump sum - check with your pension provider |\n\nYour pension provider may ask for information about other pension schemes you\u2019re in so they can check if you\u2019re above your lifetime allowance when you:\n\n- decide to take money from a pension pot\n\n- turn 75\n\n- transfer your pension overseas\n\n## Pay tax if you go above your lifetime allowance\n\nYou\u2019ll get a statement from your pension provider telling you how much tax you owe if you go above your lifetime allowance. Your pension provider will deduct the tax before you start getting your pension.\n\nYou\u2019ll need to report the tax deducted by filling in a Self Assessment tax return - download and fill in form SA101 if you\u2019re using paper forms. You\u2019ll get information from your pension provider to help you do this.\n\nIf you die before taking your pension HM Revenue and Customs (HMRC) will bill the person who inherits your pension for the tax.\n\n## Rates\n\nThe rate of tax you pay on pension savings above your lifetime allowance depends on how the money is paid to you - the rate is:\n\n- 55% if you get it as a lump sum\n\n- 25% if you get it any other way, for example pension payments or cash withdrawals\n\n## Protect your lifetime allowance\n\nThe lifetime allowance was reduced in April 2016. You can apply to protect your lifetime allowance from this reduction.\n\nTell your pension provider the type of protection and the protection reference number when you decide to take money from your pension pot.\n\n## Withdrawing cash from a pension pot\n\nYou cannot withdraw cash from a defined contribution pension pot (\u2018uncrystallised funds pension lump sums\u2019) if you have:\n\n- primary or enhanced protection covering a lump sum worth more than \u00a3375,000\n\n- \u2018lifetime allowance enhancement factor\u2019 if your unused lifetime allowance is less than 25% of the cash you want to withdraw\n\n## Reporting changes to HMRC\n\nYou can lose enhanced protection or any type of fixed protection if:\n\n- you make new savings in a pension scheme\n\n- you are enrolled in a new workplace pension scheme\n\n- you transfer money between pension schemes in a way that does not meet the transfer rules\n\n- you\u2019ve got enhanced protection and, when you take your pension benefits, their value has increased more than the amount allowed in the enhanced protection tax rules - this is called \u2018relevant benefit accrual\u2019\n\n- you\u2019ve got fixed protection and the value of your pension pot in any tax year grows at a higher rate than is allowed by the tax rules - this is called \u2018benefit accrual\u2019\n\nYou can report changes online or by post.\n\nAsk your employer whether they\u2019re likely to enrol you in a workplace pension. To make sure you do not lose protection, you can either:\n\n- opt out of most schemes within a month\n\n- ask not to be enrolled in some schemes - your employer may need evidence of your lifetime allowance protection\n\nTell HMRC in writing if you think you might have lost your protection.\n\n## If you have the right to take your pension before 50\n\nYou may have a reduced lifetime allowance if you have the right to take your pension before you\u2019re 50 under a pension scheme you joined before 2006.\n\nThis only applies to people in certain jobs (for example professional sports, dance and modelling) who start taking their pension before they\u2019re 55.\n\nYour lifetime allowance is not reduced if you\u2019re in a pension scheme for uniformed services, for example the armed forces, police and fire services.", + "original_contents": [ + "

    Overview

    ", + "

    Your private pension contributions are tax-free up to certain limits.

    ", + "

    This applies to most private pension schemes, for example:

    ", + "
  • workplace pensions
  • ", + "
  • personal and stakeholder pensions
  • ", + "
  • overseas pension schemes that qualify for UK tax relief - ask your provider if it\u2019s a \u2018qualifying overseas pension scheme\u2019
  • ", + "

    Pension schemes must be registered with HMRC to qualify for tax relief. Check with your pension provider if you\u2019re unsure if your scheme is registered or not.

    ", + "

    You pay tax when you take money out of a pension.

    ", + "

    Limits to your tax-free contributions

    ", + "

    You usually pay tax if savings in your pension pots go above:

    ", + "
  • 100% of your earnings in a year - this is the limit on tax relief you get
  • ", + "
  • \u00a340,000 a year - check your \u2018annual allowance\u2019
  • ", + "
  • \u00a31,073,100 in your lifetime - this is the lifetime allowance
  • ", + "

    You also pay tax on contributions if your pension provider:

    ", + "
  • is not registered for tax relief with HM Revenue and Customs (HMRC)
  • ", + "
  • does not invest your pension pot according to HMRC\u2019s rules
  • ", + "

    Tax relief

    ", + "

    You can get tax relief on private pension contributions worth up to 100% of your annual earnings.

    ", + "

    You get the tax relief automatically if your:

    ", + "
  • employer takes workplace pension contributions out of your pay before deducting Income Tax
  • ", + "
  • rate of Income Tax is 20% - your pension provider will claim it as tax relief and add it to your pension pot (\u2018relief at source\u2019)
  • ", + "

    If your rate of Income Tax in Scotland is 19% your pension provider will claim tax relief for you at a rate of 20%. You do not need to pay the difference.

    ", + "

    UK tax relief is also available on contributions made to certain types of overseas pension schemes.

    ", + "

    It\u2019s up to you to make sure you\u2019re not getting tax relief on pension contributions worth more than 100% of your annual earnings. HM Revenue and Customs (HMRC) can ask you to pay back anything over this limit.

    ", + "

    Relief at source

    ", + "

    You get relief at source in all personal and stakeholder pensions, and some workplace pensions.

    ", + "

    To get relief at source

    ", + "

    Before paying into a scheme, you need to agree to certain conditions about your contributions (\u2018make declarations\u2019). Your pension provider will tell you what these are.

    ", + "

    You also need to give your pension provider your:

    ", + "
  • full name and address
  • ", + "
  • date of birth
  • ", + "
  • National Insurance number
  • ", + "
  • employment status - or tell them if you\u2019re retired, a full time student, a carer or aged under 16
  • ", + "

    Your employer may do this for you if you\u2019re automatically enrolled in their pension scheme.

    ", + "

    Your pension provider will let you know if this is the case and ask you to confirm your details are correct. You must do this within 30 days.

    ", + "

    When you have to claim tax relief

    ", + "

    You may be able to claim tax relief on pension contributions if:

    ", + "
  • you pay Income Tax at a rate above 20% and your pension provider claims the first 20% for you (relief at source)
  • ", + "
  • your pension scheme is not set up for automatic tax relief
  • ", + "
  • someone else pays into your pension
  • ", + "

    Claim tax relief in England, Wales or Northern Ireland

    ", + "

    You can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:

    ", + "
  • 20% up to the amount of any income you have paid 40% tax on
  • ", + "
  • 25% up to the amount of any income you have paid 45% tax on
  • ", + "

    You can also call or write to HMRC to claim if you pay Income Tax at 40%.

    ", + "

    Claim tax relief in Scotland

    ", + "

    You can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:

    ", + "
  • 1% up to the amount of any income you have paid 21% tax on
  • ", + "
  • 21% up to the amount of any income you have paid 41% tax on
  • ", + "
  • 26% up to the amount of any income you have paid 46% tax on
  • ", + "

    You can call or write to HMRC to claim if you do not fill in a Self Assessment tax return.

    ", + "

    If your pension scheme is not set up for automatic tax relief

    ", + "

    Claim tax relief in your Self Assessment tax return if your pension scheme is not set up for automatic tax relief.

    ", + "

    Call or write to HMRC if you do not fill in a tax return.

    ", + "

    You cannot claim tax relief if your pension scheme is not registered with HMRC.

    ", + "

    If someone else pays into your pension

    ", + "

    When someone else (for example your partner) pays into your pension, you automatically get tax relief at 20% if your pension provider claims it for you (relief at source).

    ", + "

    If you\u2019re in a workplace pension that allows other people to contribute you may need to claim the tax relief on those contributions - call or write to HMRC.

    ", + "

    If you do not pay Income Tax

    ", + "

    You still automatically get tax relief at 20% on the first \u00a32,880 you pay into a pension each tax year (6 April to 5 April) if both of the following apply to you:

    ", + "
  • you do not pay Income Tax, for example because you\u2019re on a low income
  • ", + "
  • your pension provider claims tax relief for you at a rate of 20% (relief at source)
  • ", + "

    Life insurance policies

    ", + "

    You cannot get tax relief if you use your pension contributions to pay a personal term assurance policy, unless it\u2019s a protected policy.

    ", + "

    Personal term assurance is a life insurance policy that either:

    ", + "
  • ends when the first insured person dies
  • ", + "
  • insures people who are all from the same family
  • ", + "

    Annual allowance

    ", + "

    Your annual allowance is the most you can save in your pension pots in a tax year (6 April to 5 April) before you have to pay tax.

    ", + "

    You\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.

    ", + "

    What counts towards the annual allowance

    ", + "

    Your annual allowance applies to all of your private pensions, if you have more than one. This includes:

    ", + "
  • the total amount paid in to a defined contribution scheme in a tax year by you or anyone else (for example, your employer)
  • ", + "
  • any increase in a defined benefit scheme in a tax year
  • ", + "

    If you use all of your annual allowance for the current tax year

    ", + "

    You might be able to carry over any annual allowance you did not use from the previous 3 tax years.

    ", + "

    When your annual allowance is lower than \u00a340,000

    ", + "

    Your annual allowance might be lower if you have:

    ", + "
  • flexibly accessed your pension pot
  • ", + "
  • a high income
  • ", + "

    If you flexibly access your pension

    ", + "

    Your annual allowance might be lower if you flexibly access your pension. For example, this could include taking:

    ", + "
  • cash or a short-term annuity from a flexi-access drawdown fund
  • ", + "
  • cash from a pension pot (\u2018uncrystallised funds pension lump sums\u2019)
  • ", + "

    The lower allowance is called the \u2018money purchase annual allowance\u2019.

    ", + "

    If you have a high income

    ", + "

    You\u2019ll have a reduced (\u2018tapered\u2019) annual allowance in the current tax year if both:

    ", + "
  • your \u2018threshold income\u2019 is over \u00a3200,000
  • ", + "
  • your \u2018adjusted income\u2019 is over \u00a3240,000
  • ", + "

    The threshold income and adjusted income limits are different for earlier tax years.

    ", + "

    Work out your reduced annual allowance.

    ", + "

    If you go above the annual allowance

    ", + "

    You\u2019ll get a statement from your pension provider telling you if you go above the annual allowance in their scheme. If you\u2019re in more than one pension scheme, ask each pension provider for statements.

    ", + "

    You can also use a calculator to work out how much you\u2019ve gone above the allowance.

    ", + "

    If you go over your annual allowance, either you or your pension provider must pay the tax.

    ", + "

    Fill in the \u2018Pension savings tax charges\u2019 section of a Self Assessment tax return to tell HMRC about the tax, even if your pension provider pays all or part of it. You\u2019ll need form SA101 if you\u2019re using a paper form.

    ", + "

    You can still claim tax relief for pension contributions on your Self Assessment tax return if you\u2019re above the annual allowance.

    ", + "

    HMRC does not tax anyone for going over their annual allowance in a tax year if they:

    ", + "
  • retired and took all their pension pots because of serious ill health
  • ", + "
  • died
  • ", + "

    Lifetime allowance

    ", + "

    You usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.

    ", + "

    You might be able to protect your pension pot from reductions to the lifetime allowance.

    ", + "

    Check how much lifetime allowance you\u2019ve used

    ", + "

    Ask your pension provider how much of your lifetime allowance you\u2019ve used.

    ", + "

    If you\u2019re in more than one pension scheme, you must add up what you\u2019ve used in all pension schemes you belong to.

    ", + "

    What counts towards your allowance depends on the type of pension pot you get.

    ", + "Type of pension pot | What counts towards your lifetime allowance", + "Defined contribution - personal, stakeholder and most workplace schemes | Money in pension pots that goes towards paying you, however you decide to take the money", + "Defined benefit - some workplace schemes | Usually 20 times the pension you get in the first year plus your lump sum - check with your pension provider", + "

    Your pension provider may ask for information about other pension schemes you\u2019re in so they can check if you\u2019re above your lifetime allowance when you:

    ", + "
  • decide to take money from a pension pot
  • ", + "
  • turn 75
  • ", + "
  • transfer your pension overseas
  • ", + "

    Pay tax if you go above your lifetime allowance

    ", + "

    You\u2019ll get a statement from your pension provider telling you how much tax you owe if you go above your lifetime allowance. Your pension provider will deduct the tax before you start getting your pension.

    ", + "

    You\u2019ll need to report the tax deducted by filling in a Self Assessment tax return - download and fill in form SA101 if you\u2019re using paper forms. You\u2019ll get information from your pension provider to help you do this.

    ", + "

    If you die before taking your pension HM Revenue and Customs (HMRC) will bill the person who inherits your pension for the tax.

    ", + "

    Rates

    ", + "

    The rate of tax you pay on pension savings above your lifetime allowance depends on how the money is paid to you - the rate is:

    ", + "
  • 55% if you get it as a lump sum
  • ", + "
  • 25% if you get it any other way, for example pension payments or cash withdrawals
  • ", + "

    Protect your lifetime allowance

    ", + "

    The lifetime allowance was reduced in April 2016. You can apply to protect your lifetime allowance from this reduction.

    ", + "

    Tell your pension provider the type of protection and the protection reference number when you decide to take money from your pension pot.

    ", + "

    Withdrawing cash from a pension pot

    ", + "

    You cannot withdraw cash from a defined contribution pension pot (\u2018uncrystallised funds pension lump sums\u2019) if you have:

    ", + "
  • primary or enhanced protection covering a lump sum worth more than \u00a3375,000
  • ", + "
  • \u2018lifetime allowance enhancement factor\u2019 if your unused lifetime allowance is less than 25% of the cash you want to withdraw
  • ", + "

    Reporting changes to HMRC

    ", + "

    You can lose enhanced protection or any type of fixed protection if:

    ", + "
  • you make new savings in a pension scheme
  • ", + "
  • you are enrolled in a new workplace pension scheme
  • ", + "
  • you transfer money between pension schemes in a way that does not meet the transfer rules
  • ", + "
  • you\u2019ve got enhanced protection and, when you take your pension benefits, their value has increased more than the amount allowed in the enhanced protection tax rules - this is called \u2018relevant benefit accrual\u2019
  • ", + "
  • you\u2019ve got fixed protection and the value of your pension pot in any tax year grows at a higher rate than is allowed by the tax rules - this is called \u2018benefit accrual\u2019
  • ", + "

    You can report changes online or by post.

    ", + "

    Ask your employer whether they\u2019re likely to enrol you in a workplace pension. To make sure you do not lose protection, you can either:

    ", + "
  • opt out of most schemes within a month
  • ", + "
  • ask not to be enrolled in some schemes - your employer may need evidence of your lifetime allowance protection
  • ", + "

    Tell HMRC in writing if you think you might have lost your protection.

    ", + "

    If you have the right to take your pension before 50

    ", + "

    You may have a reduced lifetime allowance if you have the right to take your pension before you\u2019re 50 under a pension scheme you joined before 2006.

    ", + "

    This only applies to people in certain jobs (for example professional sports, dance and modelling) who start taking their pension before they\u2019re 55.

    ", + "

    Your lifetime allowance is not reduced if you\u2019re in a pension scheme for uniformed services, for example the armed forces, police and fire services.

    " + ] + }, + "https://www.gov.uk/tax-overpayments-and-underpayments": { + "url": "https://www.gov.uk/tax-overpayments-and-underpayments", + "title": "Tax overpayments and underpayments", + "content": "## Your tax calculation\n\nIf you\u2019re employed or get a pension, your employer or pension provider uses your tax code to work out how much tax to take from you.\n\nYou could still be paying too much or too little tax. For example, if you got a company benefit or pay rise that HMRC did not know about, and so they did not update your tax code.\n\nIf you have not paid the right amount at the end of the tax year, HMRC will send you a P800 or a Simple Assessment tax calculation.\n\nYour P800 or Simple Assessment will tell you how to get a refund or pay tax you owe.\n\nYou will not get a P800 or Simple Assessment if you\u2019re registered for Self Assessment. Your bill will be adjusted automatically if you\u2019ve underpaid or overpaid tax.\n\n## When you might get a P800\n\nYou might get a P800 if you:\n\n- finished one job, started a new one and were paid by both in the same month\n\n- started receiving a pension at work\n\n- received Employment and Support Allowance or Jobseeker\u2019s Allowance\n\nP800s are sent out after the tax year ends on 5 April. You\u2019ll normally get yours by the end of November.\n\n## When you might get a Simple Assessment letter\n\nYou might get a Simple Assessment letter if you:\n\n- owe tax that cannot be automatically taken out of your income\n\n- owe HMRC more than \u00a33,000\n\n- have to pay tax on the State Pension\n\nYou can pay your Simple Assessment bill online.\n\n## Checking your tax calculation\n\nYour letter will show the income you should have paid tax on. This includes any income from pay, pensions, state benefits, savings interest and employee benefits.\n\nCompare the figures with your records, for example your P60, bank statements or letters from the Department for Work and Pensions. If your state benefit was paid every 4 weeks, work out the total paid in a year by multiplying your regular payment by 13 (not 12).\n\nYou may be able to use the HMRC tax checker to work out how much tax you should have paid.\n\n## If you think your tax calculation is wrong\n\nContact HMRC if you think the amounts used in your letter are wrong, or HMRC did not act on information you gave them.\n\nYou have 60 days to query your simple assessment in writing or by telephone. The details of how to do that will be mentioned in your Simple Assesment letter.\n\n## If your P800 says you're due a refund\n\nYour P800 tax calculation will tell you how you can get your refund.\n\n## If your P800 says you can claim online\n\nYour P800 will tell you if you can claim your refund online. You\u2019ll be sent the money within 5 working days - it\u2019ll be in your UK account once your bank has processed the payment.\n\nIf you do not claim within 21 days, HM Revenue and Customs (HMRC) will send you a cheque. You\u2019ll get this within 6 weeks of the date on your P800.\n\nContact HMRC if you cannot claim your refund online.\n\n## If your P800 says you\u2019ll get a cheque\n\nYour P800 will tell you if HMRC will send you a cheque. You do not need to make a claim.\n\nYou\u2019ll get your cheque within 14 days of the date on your P800. If you\u2019re owed tax from more than one year, you\u2019ll get a single cheque for the entire amount.\n\n## If you do not have a P800\n\nYou can check how much Income Tax you should have paid.\n\nContact HMRC if you think you\u2019ve paid too much tax. If they agree, they\u2019ll send you a P800.\n\n## If your P800 says you owe tax\n\nHM Revenue and Customs (HMRC) will usually collect the tax you owe in instalments over the next year. This will happen automatically if you:\n\n- pay Income Tax through an employer or pension provider\n\n- earn enough income over your Personal Allowance to cover the underpayment\n\n- owe less than \u00a33,000\n\nHMRC will write to you about how you can pay if they cannot collect the money this way.\n\n## Other ways to pay\n\n## Online\n\nYour P800 will tell you if you can pay the tax you owe online.\n\n## By post\n\nYou can pay with a cheque, made payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your National Insurance Number on the back of the cheque. Send it with a covering letter including:\n\n- your full name and address\n\n- your National Insurance number\n\n- the amount of the payment\n\n- what the payment relates to, for example, PAYE\n\n- the year the payment is for\n\nAllow 3 working days for your payment to reach HMRC. Send your cheque to:\n\nYou do not need to include a street name, city name or PO box with this address.", + "original_contents": [ + "

    Your tax calculation

    ", + "

    If you\u2019re employed or get a pension, your employer or pension provider uses your tax code to work out how much tax to take from you.

    ", + "

    You could still be paying too much or too little tax. For example, if you got a company benefit or pay rise that HMRC did not know about, and so they did not update your tax code.

    ", + "

    If you have not paid the right amount at the end of the tax year, HMRC will send you a P800 or a Simple Assessment tax calculation.

    ", + "

    Your P800 or Simple Assessment will tell you how to get a refund or pay tax you owe.

    ", + "

    You will not get a P800 or Simple Assessment if you\u2019re registered for Self Assessment. Your bill will be adjusted automatically if you\u2019ve underpaid or overpaid tax.

    ", + "

    When you might get a P800

    ", + "

    You might get a P800 if you:

    ", + "
  • finished one job, started a new one and were paid by both in the same month
  • ", + "
  • started receiving a pension at work
  • ", + "
  • received Employment and Support Allowance or Jobseeker\u2019s Allowance
  • ", + "

    P800s are sent out after the tax year ends on 5 April. You\u2019ll normally get yours by the end of November.

    ", + "

    When you might get a Simple Assessment letter

    ", + "

    You might get a Simple Assessment letter if you:

    ", + "
  • owe tax that cannot be automatically taken out of your income
  • ", + "
  • owe HMRC more than \u00a33,000
  • ", + "
  • have to pay tax on the State Pension
  • ", + "

    You can pay your Simple Assessment bill online.

    ", + "

    Checking your tax calculation

    ", + "

    Your letter will show the income you should have paid tax on. This includes any income from pay, pensions, state benefits, savings interest and employee benefits.

    ", + "

    Compare the figures with your records, for example your P60, bank statements or letters from the Department for Work and Pensions. If your state benefit was paid every 4 weeks, work out the total paid in a year by multiplying your regular payment by 13 (not 12).

    ", + "

    You may be able to use the HMRC tax checker to work out how much tax you should have paid.

    ", + "

    If you think your tax calculation is wrong

    ", + "

    Contact HMRC if you think the amounts used in your letter are wrong, or HMRC did not act on information you gave them.

    ", + "

    You have 60 days to query your simple assessment in writing or by telephone. The details of how to do that will be mentioned in your Simple Assesment letter.

    ", + "

    If your P800 says you're due a refund

    ", + "

    Your P800 tax calculation will tell you how you can get your refund.

    ", + "

    If your P800 says you can claim online

    ", + "

    Your P800 will tell you if you can claim your refund online. You\u2019ll be sent the money within 5 working days - it\u2019ll be in your UK account once your bank has processed the payment.

    ", + "

    If you do not claim within 21 days, HM Revenue and Customs (HMRC) will send you a cheque. You\u2019ll get this within 6 weeks of the date on your P800.

    ", + "

    Contact HMRC if you cannot claim your refund online.

    ", + "

    If your P800 says you\u2019ll get a cheque

    ", + "

    Your P800 will tell you if HMRC will send you a cheque. You do not need to make a claim.

    ", + "

    You\u2019ll get your cheque within 14 days of the date on your P800. If you\u2019re owed tax from more than one year, you\u2019ll get a single cheque for the entire amount.

    ", + "

    If you do not have a P800

    ", + "

    You can check how much Income Tax you should have paid.

    ", + "

    Contact HMRC if you think you\u2019ve paid too much tax. If they agree, they\u2019ll send you a P800.

    ", + "

    If your P800 says you owe tax

    ", + "

    HM Revenue and Customs (HMRC) will usually collect the tax you owe in instalments over the next year. This will happen automatically if you:

    ", + "
  • pay Income Tax through an employer or pension provider
  • ", + "
  • earn enough income over your Personal Allowance to cover the underpayment
  • ", + "
  • owe less than \u00a33,000
  • ", + "

    HMRC will write to you about how you can pay if they cannot collect the money this way.

    ", + "

    Other ways to pay

    ", + "

    Online

    ", + "

    Your P800 will tell you if you can pay the tax you owe online.

    ", + "

    By post

    ", + "

    You can pay with a cheque, made payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your National Insurance Number on the back of the cheque. Send it with a covering letter including:

    ", + "
  • your full name and address
  • ", + "
  • your National Insurance number
  • ", + "
  • the amount of the payment
  • ", + "
  • what the payment relates to, for example, PAYE
  • ", + "
  • the year the payment is for
  • ", + "

    Allow 3 working days for your payment to reach HMRC. Send your cheque to:

    ", + "

    You do not need to include a street name, city name or PO box with this address.

    " + ] + }, + "https://www.gov.uk/tax-on-pension": { + "url": "https://www.gov.uk/tax-on-pension", + "title": "Tax when you get a pension", + "content": "## What\u2019s taxed\n\nYou pay tax if your total annual income adds up to more than your Personal Allowance. Find out about your Personal Allowance and Income Tax rates.\n\nYour total income could include:\n\n- the State Pension you get (either the basic State Pension or the new State Pension)\n\n- Additional State Pension\n\n- a private pension (workplace or personal) - you can take some of this tax-free\n\n- earnings from employment or self-employment\n\n- any taxable benefits you get\n\n- any other income, such as money from investments, property or savings\n\nYou may have to pay Income Tax at a higher rate if you take a large amount from a private pension. You may also owe extra tax at the end of the tax year.\n\n## If your private pensions total more than \u00a31,073,100\n\nYou usually pay a tax charge if the total value of your private pensions is more than \u00a31,073,100. Your pension provider will take off the charge before you get your payment.\n\n## Tax if someone inherits your pension\n\nOther rules apply if someone inherits your State pension or your private pension.\n\n## What's tax-free\n\nYou won\u2019t usually pay any tax if your total annual income adds up to less than your Personal Allowance.\n\n## Lump sums from your pension\n\nYou can usually take up to 25% of the amount built up in any pension as a tax-free lump sum. The tax-free lump sum doesn\u2019t affect your Personal Allowance.\n\nTax is taken off the remaining amount before you get it.\n\nWhen you can take your pension depends on your pension\u2019s rules. It\u2019s usually 55 at the earliest.\n\nYou might have to pay Income Tax at a higher rate if you take a large amount from your pension. You could also owe extra tax at the end of the tax year.\n\n## How you can take your pension\n\n## A pension worth up to \u00a310,000\n\nYou can usually take any pension worth up to \u00a310,000 in one go. This is called a \u2018small pot\u2019 lump sum. If you take this option, 25% is tax-free.\n\nYou can usually get:\n\n- up to 3 small pot lump sums from different personal pensions\n\n- unlimited small pot lump sums from different workplace pensions\n\n## A pension worth up to \u00a330,000 that includes a defined benefit pension\n\nIf you have \u00a330,000 or less in all of your private pensions, you can usually take everything you have in your defined benefit pension or defined contribution pension as a \u2018trivial commutation\u2019 lump sum. If you take this option, 25% is tax-free.\n\nIf this lump sum is paid from more than one pension, you must:\n\n- have your savings in each scheme valued by the provider on the same day, no more than 3 months before you get the first payment\n\n- get all payments within 12 months of the first payment\n\nIf you take payments from a pension before taking the rest as a lump sum, you pay tax on the whole lump sum.\n\n## Cash from a defined contribution pension\n\nCheck with your provider about how you can take money from a defined contribution pension. You can take:\n\n- all the money built up in your pension as cash - up to 25% is tax-free\n\n- smaller cash sums from your pension - up to 25% of each sum is tax-free\n\nYou may have to pay a tax charge on money you put into your pension after you withdraw cash.\n\n## If your life expectancy is less than a year\n\nYou may be able to take all the money in your pension as a tax-free lump sum, if all of the following apply:\n\n- you\u2019re expected to live less than a year because of serious illness\n\n- you\u2019re under 75\n\n- you don\u2019t have more than the lifetime allowance of \u00a31,073,100 in pension savings\n\nIf you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.\n\nCheck with your pension provider. Some pension funds will keep at least 50% of your pension for your spouse or civil partner.\n\n## How your tax is paid\n\n## If you get the State Pension and a private pension\n\nYour pension provider will take off any tax you owe before they pay you. They\u2019ll also take off any tax you owe on your State Pension.\n\nIf you get payments from more than one provider (for example, from a workplace pension and a personal pension), HM Revenue and Customs (HMRC) will ask one of your providers to take the tax off your State Pension.\n\nAt the end of the tax year you\u2019ll get a P60 from your pension provider showing how much tax you\u2019ve paid.\n\n## If the State Pension is your only income\n\nYou\u2019re responsible for paying any tax you owe. Fill in and send a Self Assessment tax return if you owe anything.\n\nIf you started getting your pension on or after 6 April 2016, don\u2019t send a tax return. HMRC will write to tell you what you owe and how to pay.\n\n## If you continue to work\n\nYour employer will take any tax due off your earnings and your State Pension. This is called Pay As You Earn (PAYE).\n\nIf you\u2019re self-employed you must fill in a Self Assessment tax return at the end of the tax year. You must declare your overall income, including the State Pension and money from private pensions, for example your workplace pension.\n\n## If you have other income\n\nYou\u2019re responsible for paying any tax you owe on income other than money from your pensions. You might have to fill in a Self Assessment tax return.\n\nYou can claim a tax refund if you\u2019ve paid too much tax.\n\n## Tax codes\n\nIf your income only comes from one source you\u2019ll usually have one tax code.\n\nYou can have several tax codes if you have income from more than one source.\n\nYou can get your tax code corrected if you think it\u2019s wrong.\n\n## Tax when you live abroad\n\nIf you live abroad but are classed as a UK resident for tax purposes, you may have to pay UK tax on your pension. The amount you pay depends on your income.\n\nIf you\u2019re not a UK resident, you don\u2019t usually pay UK tax on your pension. But you might have to pay tax in the country you live in. There are a few exceptions - for example, UK civil service pensions will always be taxed in the UK.\n\n## Double tax\n\nIf you live in a country without a \u2018double taxation agreement\u2019 with the UK, you might have to pay tax in both countries.\n\n## Higher tax on unauthorised payments\n\nYou\u2019ll pay up to 55% tax on payments from your pension provider if they make an \u2018unauthorised payment\u2019. This is a payment made outside of the government\u2019s tax rules and usually includes:\n\n- any payments before you\u2019re 55 (there are exceptions)\n\n- a \u2018trivial commutation\u2019 lump sum of over \u00a330,000\n\n- regular payments into your account after you\u2019ve died\n\nSome companies advertise personal loans or cash advances if you take your pension early. These payments are unauthorised and you have to pay tax on them.", + "original_contents": [ + "

    What\u2019s taxed

    ", + "

    You pay tax if your total annual income adds up to more than your Personal Allowance. Find out about your Personal Allowance and Income Tax rates.

    ", + "

    Your total income could include:

    ", + "
  • the State Pension you get (either the basic State Pension or the new State Pension)
  • ", + "
  • Additional State Pension
  • ", + "
  • a private pension (workplace or personal) - you can take some of this tax-free
  • ", + "
  • earnings from employment or self-employment
  • ", + "
  • any taxable benefits you get
  • ", + "
  • any other income, such as money from investments, property or savings
  • ", + "

    You may have to pay Income Tax at a higher rate if you take a large amount from a private pension. You may also owe extra tax at the end of the tax year.

    ", + "

    If your private pensions total more than \u00a31,073,100

    ", + "

    You usually pay a tax charge if the total value of your private pensions is more than \u00a31,073,100. Your pension provider will take off the charge before you get your payment.

    ", + "

    Tax if someone inherits your pension

    ", + "

    Other rules apply if someone inherits your State pension or your private pension.

    ", + "

    What's tax-free

    ", + "

    You won\u2019t usually pay any tax if your total annual income adds up to less than your Personal Allowance.

    ", + "

    Lump sums from your pension

    ", + "

    You can usually take up to 25% of the amount built up in any pension as a tax-free lump sum. The tax-free lump sum doesn\u2019t affect your Personal Allowance.

    ", + "

    Tax is taken off the remaining amount before you get it.

    ", + "

    When you can take your pension depends on your pension\u2019s rules. It\u2019s usually 55 at the earliest.

    ", + "

    You might have to pay Income Tax at a higher rate if you take a large amount from your pension. You could also owe extra tax at the end of the tax year.

    ", + "

    How you can take your pension

    ", + "

    A pension worth up to \u00a310,000

    ", + "

    You can usually take any pension worth up to \u00a310,000 in one go. This is called a \u2018small pot\u2019 lump sum. If you take this option, 25% is tax-free.

    ", + "

    You can usually get:

    ", + "
  • up to 3 small pot lump sums from different personal pensions
  • ", + "
  • unlimited small pot lump sums from different workplace pensions
  • ", + "

    A pension worth up to \u00a330,000 that includes a defined benefit pension

    ", + "

    If you have \u00a330,000 or less in all of your private pensions, you can usually take everything you have in your defined benefit pension or defined contribution pension as a \u2018trivial commutation\u2019 lump sum. If you take this option, 25% is tax-free.

    ", + "

    If this lump sum is paid from more than one pension, you must:

    ", + "
  • have your savings in each scheme valued by the provider on the same day, no more than 3 months before you get the first payment
  • ", + "
  • get all payments within 12 months of the first payment
  • ", + "

    If you take payments from a pension before taking the rest as a lump sum, you pay tax on the whole lump sum.

    ", + "

    Cash from a defined contribution pension

    ", + "

    Check with your provider about how you can take money from a defined contribution pension. You can take:

    ", + "
  • all the money built up in your pension as cash - up to 25% is tax-free
  • ", + "
  • smaller cash sums from your pension - up to 25% of each sum is tax-free
  • ", + "

    You may have to pay a tax charge on money you put into your pension after you withdraw cash.

    ", + "

    If your life expectancy is less than a year

    ", + "

    You may be able to take all the money in your pension as a tax-free lump sum, if all of the following apply:

    ", + "
  • you\u2019re expected to live less than a year because of serious illness
  • ", + "
  • you\u2019re under 75
  • ", + "
  • you don\u2019t have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • ", + "

    If you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.

    ", + "

    Check with your pension provider. Some pension funds will keep at least 50% of your pension for your spouse or civil partner.

    ", + "

    How your tax is paid

    ", + "

    If you get the State Pension and a private pension

    ", + "

    Your pension provider will take off any tax you owe before they pay you. They\u2019ll also take off any tax you owe on your State Pension.

    ", + "

    If you get payments from more than one provider (for example, from a workplace pension and a personal pension), HM Revenue and Customs (HMRC) will ask one of your providers to take the tax off your State Pension.

    ", + "

    At the end of the tax year you\u2019ll get a P60 from your pension provider showing how much tax you\u2019ve paid.

    ", + "

    If the State Pension is your only income

    ", + "

    You\u2019re responsible for paying any tax you owe. Fill in and send a Self Assessment tax return if you owe anything.

    ", + "

    If you started getting your pension on or after 6 April 2016, don\u2019t send a tax return. HMRC will write to tell you what you owe and how to pay.

    ", + "

    If you continue to work

    ", + "

    Your employer will take any tax due off your earnings and your State Pension. This is called Pay As You Earn (PAYE).

    ", + "

    If you\u2019re self-employed you must fill in a Self Assessment tax return at the end of the tax year. You must declare your overall income, including the State Pension and money from private pensions, for example your workplace pension.

    ", + "

    If you have other income

    ", + "

    You\u2019re responsible for paying any tax you owe on income other than money from your pensions. You might have to fill in a Self Assessment tax return.

    ", + "

    You can claim a tax refund if you\u2019ve paid too much tax.

    ", + "

    Tax codes

    ", + "

    If your income only comes from one source you\u2019ll usually have one tax code.

    ", + "

    You can have several tax codes if you have income from more than one source.

    ", + "

    You can get your tax code corrected if you think it\u2019s wrong.

    ", + "

    Tax when you live abroad

    ", + "

    If you live abroad but are classed as a UK resident for tax purposes, you may have to pay UK tax on your pension. The amount you pay depends on your income.

    ", + "

    If you\u2019re not a UK resident, you don\u2019t usually pay UK tax on your pension. But you might have to pay tax in the country you live in. There are a few exceptions - for example, UK civil service pensions will always be taxed in the UK.

    ", + "

    Double tax

    ", + "

    If you live in a country without a \u2018double taxation agreement\u2019 with the UK, you might have to pay tax in both countries.

    ", + "

    Higher tax on unauthorised payments

    ", + "

    You\u2019ll pay up to 55% tax on payments from your pension provider if they make an \u2018unauthorised payment\u2019. This is a payment made outside of the government\u2019s tax rules and usually includes:

    ", + "
  • any payments before you\u2019re 55 (there are exceptions)
  • ", + "
  • a \u2018trivial commutation\u2019 lump sum of over \u00a330,000
  • ", + "
  • regular payments into your account after you\u2019ve died
  • ", + "

    Some companies advertise personal loans or cash advances if you take your pension early. These payments are unauthorised and you have to pay tax on them.

    " + ] + }, + "https://www.gov.uk/national-insurance": { + "url": "https://www.gov.uk/national-insurance", + "title": "National Insurance", + "content": "## Overview\n\nYou pay National Insurance contributions to qualify for certain benefits and the State Pension.\n\nYou pay mandatory National Insurance if you\u2019re 16 or over and are either:\n\n- an employee earning above \u00a3184 a week\n\n- self-employed and making a profit of \u00a36,515 or more a year\n\nYou may be able to pay voluntary contributions to avoid gaps in your NI contributions.\n\nYou need a National Insurance number before you can start paying National Insurance contributions.\n\nIf you earn between \u00a3120 and \u00a3184 a week, your contributions are treated as having been paid to protect your National Insurance record.\n\nThis page is also available in Welsh (Cymraeg).\n\n## National Insurance classes\n\nThere are different types of National Insurance (known as \u2018classes\u2019).\n\nThe type you pay depends on your employment status and how much you earn.\n\n## When you stop paying\n\nIf you\u2019re employed, you stop paying Class 1 National Insurance when you reach the State Pension age.\n\nIf you\u2019re self-employed you stop paying:\n\n- Class 2 National Insurance when you reach State Pension age\n\n- Class 4 National Insurance from 6 April (start of the tax year) after you reach State Pension age\n\n## Your National Insurance number\n\nYou have a National Insurance number to make sure your National Insurance contributions and tax are recorded against your name only.\n\nIt\u2019s made up of letters and numbers and never changes.\n\nYou can find your National Insurance number:\n\n- on your payslip\n\n- on your P60\n\n- on letters about your tax, pension or benefits\n\n- in the National Insurance section of your personal tax account\n\nYou can apply for a National Insurance number if you do not have one or find your National Insurance number if you\u2019ve lost it.\n\n## Who uses your National Insurance number\n\nThese organisations need to know what your number is:\n\n- HM Revenue and Customs (HMRC)\n\n- your employer\n\n- the Department for Work and Pensions (which includes Jobcentre Plus and the Pension, Disability and Carers Service), if you claim state benefits, or in Northern Ireland the Department for Social Development\n\n- your local council, if you claim Housing Benefit, or the Northern Ireland Housing Executive\n\n- Electoral Registration Officers (to check your identity when you register to vote)\n\n- the Student Loan Company, if you apply for a student loan\n\n- your pension provider if you have a personal or stakeholder pension\n\n- your Individual Savings Account (ISA) provider, if you open an ISA\n\n- authorised financial service providers who help you buy and sell investments like shares, bonds and derivatives - you can check if your provider is authorised\n\nTo prevent identity fraud, keep your National Insurance number safe. Do not share it with anyone who does not need it.\n\n## Proving your National Insurance number\n\nYou can save or print a letter confirming your National Insurance number from your personal tax account.\n\nIf you do not have a personal tax account, contact HMRC to ask for a letter.\n\n## National Insurance classes\n\nThe class you pay depends on your employment status and how much you earn.\n\n| National Insurance class | Who pays |\n\n| Class 1 | Employees earning more than \u00a3184 a week and under State Pension age - they\u2019re automatically deducted by your employer |\n\n| Class 1A or 1B | Employers pay these directly on their employee\u2019s expenses or benefits |\n\n| Class 2 | Self-employed people earning profits of \u00a36,515 or more a year. If you\u2019re earning less than this, you can choose to pay voluntary contributions to fill or avoid gaps in your National Insurance record |\n\n| Class 3 | Voluntary contributions - you can pay them to fill or avoid gaps in your National Insurance record |\n\n| Class 4 | Self-employed people earning profits of \u00a39,569 or more a year |\n\nSee the current rates for Class 1, 2 and 4 contributions.\n\n## How much you pay\n\nThe amount of National Insurance you pay depends on your employment status and how much you earn.\n\nYou can see rates for past tax years.\n\n## If you\u2019re employed\n\nYou pay Class 1 National Insurance contributions. The rates for most people for the 2021 to 2022 tax year are:\n\n| Your pay | Class 1 National Insurance rate |\n\n| \u00a3184 to \u00a3967 a week (\u00a3797 to \u00a34,189 a month) | 12% |\n\n| Over \u00a3967 a week (\u00a34,189 a month) | 2% |\n\nYou\u2019ll pay less if:\n\n- you\u2019re a married woman or widow with a valid \u2018certificate of election\u2019\n\n- you\u2019re deferring National Insurance because you\u2019ve got more than one job\n\nEmployers pay a different rate of National Insurance depending on their employees\u2019 category letters.\n\n## How to pay\n\nYou pay National Insurance with your tax. Your employer will take it from your wages before you get paid. Your payslip will show your contributions.\n\nIf you\u2019re a director of a limited company, you may also be your own employee and pay Class 1 National Insurance through your PAYE payroll.\n\n## If you\u2019re self-employed\n\nYou pay Class 2 and Class 4 National Insurance, depending on your profits. Most people pay both through Self Assessment.\n\nYou may be able to pay voluntary contributions to avoid gaps in your national insurance record if you:\n\n- have profits of less than \u00a36,515 a year from your self-employment\n\n- have a specific job (such as an examiner or business owner in property or land) and you do not pay Class 2 National Insurance through Self Assessment\n\nIf you have a specific job and you do not pay Class 2 National Insurance through Self Assessment, you need to contact HMRC to arrange a voluntary payment.\n\n## If you\u2019re employed and self-employed\n\nYou might be an employee but also do self-employed work. In this case your employer will deduct your Class 1 National Insurance from your wages, and you may have to pay Class 2 and 4 National Insurance for your self-employed work.\n\nHow much you pay depends on your combined wages and your self-employed work. HM Revenue and Customs (HMRC) will let you know how much National Insurance is due after you\u2019ve filed your Self Assessment tax return.\n\n## Directors, landlords and share fishermen\n\nThere are different National Insurance rules for:\n\n- company directors\n\n- landlords running a property business\n\n- share fishermen for example you\u2019re working on a British fishing boat but not under a contract of service\n\nYou can apply to HMRC to check your National Insurance record and claim a refund if you think you\u2019ve overpaid.\n\n## What National Insurance is for\n\nNational Insurance contributions count towards the benefits and pensions in the table.\n\n| | Class 1: employees | Class 2: self-employed | Class 3: voluntary contributions |\n\n| Basic State Pension | Yes | Yes | Yes |\n\n| Additional State Pension | Yes | No | No |\n\n| New State Pension | Yes | Yes | Yes |\n\n| Contribution-based Jobseeker\u2019s Allowance | Yes | No | No |\n\n| Contribution-based Employment and Support Allowance | Yes | Yes | No |\n\n| Maternity Allowance | Yes | Yes | No |\n\n| Bereavement Support Payment | Yes | Yes | No |\n\nClass 4 contributions paid by self-employed people with a profit of \u00a39,569 or more do not usually count towards state benefits.\n\n## Help if you're not working\n\nYour benefits could be affected if there are gaps in your National Insurance record. National Insurance credits can help to avoid gaps in your record and protect your benefits.\n\nYou can get credits if you cannot pay National Insurance contributions, for example, if:\n\n- you\u2019re unable to work due to illness\n\n- you\u2019re caring for someone\n\nIf you\u2019re not working or getting credits you can also top up your National Insurance with voluntary contributions.\n\n## Change of circumstance\n\nYou must tell HM Revenue and Customs (HMRC) if you:\n\n- change your personal details, for example your name, address or marital status\n\n- start being self-employed\n\n- stop being self-employed", + "original_contents": [ + "

    Overview

    ", + "

    You pay National Insurance contributions to qualify for certain benefits and the State Pension.

    ", + "

    You pay mandatory National Insurance if you\u2019re 16 or over and are either:

    ", + "
  • an employee earning above \u00a3184 a week
  • ", + "
  • self-employed and making a profit of \u00a36,515 or more a year
  • ", + "

    You may be able to pay voluntary contributions to avoid gaps in your NI contributions.

    ", + "

    You need a National Insurance number before you can start paying National Insurance contributions.

    ", + "

    If you earn between \u00a3120 and \u00a3184 a week, your contributions are treated as having been paid to protect your National Insurance record.

    ", + "

    This page is also available in Welsh (Cymraeg).

    ", + "

    National Insurance classes

    ", + "

    There are different types of National Insurance (known as \u2018classes\u2019).

    ", + "

    The type you pay depends on your employment status and how much you earn.

    ", + "

    When you stop paying

    ", + "

    If you\u2019re employed, you stop paying Class 1 National Insurance when you reach the State Pension age.

    ", + "

    If you\u2019re self-employed you stop paying:

    ", + "
  • Class 2 National Insurance when you reach State Pension age
  • ", + "
  • Class 4 National Insurance from 6 April (start of the tax year) after you reach State Pension age
  • ", + "

    Your National Insurance number

    ", + "

    You have a National Insurance number to make sure your National Insurance contributions and tax are recorded against your name only.

    ", + "

    It\u2019s made up of letters and numbers and never changes.

    ", + "

    You can find your National Insurance number:

    ", + "
  • on your payslip
  • ", + "
  • on your P60
  • ", + "
  • on letters about your tax, pension or benefits
  • ", + "
  • in the National Insurance section of your personal tax account
  • ", + "

    You can apply for a National Insurance number if you do not have one or find your National Insurance number if you\u2019ve lost it.

    ", + "

    Who uses your National Insurance number

    ", + "

    These organisations need to know what your number is:

    ", + "
  • HM Revenue and Customs (HMRC)
  • ", + "
  • your employer
  • ", + "
  • the Department for Work and Pensions (which includes Jobcentre Plus and the Pension, Disability and Carers Service), if you claim state benefits, or in Northern Ireland the Department for Social Development
  • ", + "
  • your local council, if you claim Housing Benefit, or the Northern Ireland Housing Executive
  • ", + "
  • Electoral Registration Officers (to check your identity when you register to vote)
  • ", + "
  • the Student Loan Company, if you apply for a student loan
  • ", + "
  • your pension provider if you have a personal or stakeholder pension
  • ", + "
  • your Individual Savings Account (ISA) provider, if you open an ISA
  • ", + "
  • authorised financial service providers who help you buy and sell investments like shares, bonds and derivatives - you can check if your provider is authorised
  • ", + "

    To prevent identity fraud, keep your National Insurance number safe. Do not share it with anyone who does not need it.

    ", + "

    Proving your National Insurance number

    ", + "

    You can save or print a letter confirming your National Insurance number from your personal tax account.

    ", + "

    If you do not have a personal tax account, contact HMRC to ask for a letter.

    ", + "

    National Insurance classes

    ", + "

    The class you pay depends on your employment status and how much you earn.

    ", + "National Insurance class | Who pays", + "Class 1 | Employees earning more than \u00a3184 a week and under State Pension age - they\u2019re automatically deducted by your employer", + "Class 1A or 1B | Employers pay these directly on their employee\u2019s expenses or benefits", + "Class 2 | Self-employed people earning profits of \u00a36,515 or more a year. If you\u2019re earning less than this, you can choose to pay voluntary contributions to fill or avoid gaps in your National Insurance record", + "Class 3 | Voluntary contributions - you can pay them to fill or avoid gaps in your National Insurance record", + "Class 4 | Self-employed people earning profits of \u00a39,569 or more a year", + "

    See the current rates for Class 1, 2 and 4 contributions.

    ", + "

    How much you pay

    ", + "

    The amount of National Insurance you pay depends on your employment status and how much you earn.

    ", + "

    You can see rates for past tax years.

    ", + "

    If you\u2019re employed

    ", + "

    You pay Class 1 National Insurance contributions. The rates for most people for the 2021 to 2022 tax year are:

    ", + "Your pay | Class 1 National Insurance rate", + "\u00a3184 to \u00a3967 a week (\u00a3797 to \u00a34,189 a month) | 12%", + "Over \u00a3967 a week (\u00a34,189 a month) | 2%", + "

    You\u2019ll pay less if:

    ", + "
  • you\u2019re a married woman or widow with a valid \u2018certificate of election\u2019
  • ", + "
  • you\u2019re deferring National Insurance because you\u2019ve got more than one job
  • ", + "

    Employers pay a different rate of National Insurance depending on their employees\u2019 category letters.

    ", + "

    How to pay

    ", + "

    You pay National Insurance with your tax. Your employer will take it from your wages before you get paid. Your payslip will show your contributions.

    ", + "

    If you\u2019re a director of a limited company, you may also be your own employee and pay Class 1 National Insurance through your PAYE payroll.

    ", + "

    If you\u2019re self-employed

    ", + "

    You pay Class 2 and Class 4 National Insurance, depending on your profits. Most people pay both through Self Assessment.

    ", + "

    You may be able to pay voluntary contributions to avoid gaps in your national insurance record if you:

    ", + "
  • have profits of less than \u00a36,515 a year from your self-employment
  • ", + "
  • have a specific job (such as an examiner or business owner in property or land) and you do not pay Class 2 National Insurance through Self Assessment
  • ", + "

    If you have a specific job and you do not pay Class 2 National Insurance through Self Assessment, you need to contact HMRC to arrange a voluntary payment.

    ", + "

    If you\u2019re employed and self-employed

    ", + "

    You might be an employee but also do self-employed work. In this case your employer will deduct your Class 1 National Insurance from your wages, and you may have to pay Class 2 and 4 National Insurance for your self-employed work.

    ", + "

    How much you pay depends on your combined wages and your self-employed work. HM Revenue and Customs (HMRC) will let you know how much National Insurance is due after you\u2019ve filed your Self Assessment tax return.

    ", + "

    Directors, landlords and share fishermen

    ", + "

    There are different National Insurance rules for:

    ", + "
  • company directors
  • ", + "
  • landlords running a property business
  • ", + "
  • share fishermen for example you\u2019re working on a British fishing boat but not under a contract of service
  • ", + "

    You can apply to HMRC to check your National Insurance record and claim a refund if you think you\u2019ve overpaid.

    ", + "

    What National Insurance is for

    ", + "

    National Insurance contributions count towards the benefits and pensions in the table.

    ", + " | Class 1: employees | Class 2: self-employed | Class 3: voluntary contributions", + "Basic State Pension | Yes | Yes | Yes", + "Additional State Pension | Yes | No | No", + "New State Pension | Yes | Yes | Yes", + "Contribution-based Jobseeker\u2019s Allowance | Yes | No | No", + "Contribution-based Employment and Support Allowance | Yes | Yes | No", + "Maternity Allowance | Yes | Yes | No", + "Bereavement Support Payment | Yes | Yes | No", + "

    Class 4 contributions paid by self-employed people with a profit of \u00a39,569 or more do not usually count towards state benefits.

    ", + "

    Help if you're not working

    ", + "

    Your benefits could be affected if there are gaps in your National Insurance record. National Insurance credits can help to avoid gaps in your record and protect your benefits.

    ", + "

    You can get credits if you cannot pay National Insurance contributions, for example, if:

    ", + "
  • you\u2019re unable to work due to illness
  • ", + "
  • you\u2019re caring for someone
  • ", + "

    If you\u2019re not working or getting credits you can also top up your National Insurance with voluntary contributions.

    ", + "

    Change of circumstance

    ", + "

    You must tell HM Revenue and Customs (HMRC) if you:

    ", + "
  • change your personal details, for example your name, address or marital status
  • ", + "
  • start being self-employed
  • ", + "
  • stop being self-employed
  • " + ] + }, + "https://www.gov.uk/pay-class-2-national-insurance": { + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "title": "Pay Class 2 National Insurance if you do not pay through Self Assessment", + "content": "## Overview\n\nYou make Class 2 National Insurance contributions if you\u2019re self-employed to qualify for benefits like the State Pension.\n\nMost people pay the contributions as part of their Self Assessment tax bill.\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\n## If you do not pay through Self Assessment\n\nYou do not pay through Self Assessment if you\u2019re any of the following:\n\n- an examiner, moderator, invigilator or person who set exam questions\n\n- running a businesses involving land or property\n\n- a minister of religion who does not receive a salary or stipend\n\n- living abroad and paying voluntary Class 2 contributions\n\n- a person who makes investments - but not as a business and without getting a fee or commission\n\n- a non-UK resident who\u2019s self-employed in the UK\n\n- working abroad\n\nHM Revenue and Customs (HMRC) will send you a payment request by the end of October - call the newly self-employed helpline if you do not get one.\n\nPay now\n\nYou can no longer pay at the Post Office.\n\n## How long it takes\n\nMake sure your payment reaches HMRC by the deadline. The time you need to allow depends on how you pay.\n\nYou can make same or next day payments:\n\n- by online or telephone banking (Faster Payments)\n\n- by CHAPS\n\n- at your bank or building society, if it\u2019s still open\n\nYou can pay within 3 days by BACS.\n\nYou can pay within 21 working days by Direct Debit if you have not set one up before.\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## If you miss the deadline\n\nYou might have to pay more to fill the gap in your National Insurance record. HMRC will write to you to tell you how much you need to pay.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\n## Paying from the UK\n\nUse your online or telephone banking account to make your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 20 | 12001004 | HMRC NICO |\n\n## Reference number\n\nUse the 18-digit reference number shown on your HMRC payment request, when you make a payment. Do not leave any spaces between the digits.\n\nIf you do not have an 18-digit reference number you can get help from the National Insurance Helpline.\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nIf you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.\n\n| Account type | Sort code | Account number |\n\n| UK | 20 20 48 | 30944793 |\n\n| Account type | Account number (IBAN) | Bank Identifier Code (BIC) |\n\n| Non-UK | GB49BARC20204830944793 | BARCGB22 |\n\nFor either account, pay to account name \u2018HMRC NIC receipts\u2019.\n\n## Reference number\n\nUse your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.\n\nIf you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.\n\n## Banking address\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nPay at a branch by cash or cheque, along with your HM Revenue and Customs (HMRC) payslip.\n\nSome branches might be closed because of coronavirus (COVID-19).\n\nYou\u2019ll find your payslip on the payment request HMRC sent you.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 2 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip or the payment request sent to you by HMRC.\n\nIf you pay between Monday and Friday, HMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account.\n\n## By cheque through the post\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can still make payments:\n\n- by online or telephone banking\n\n- by CHAPS or BACS\n\n- at your bank or building society, if it\u2019s still open\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nCall HMRC if you want to check your payment has been received.\n\n## Direct Debit\n\nFill in the form to set up a new Direct Debit.\n\nIf you live abroad and pay voluntary National Insurance, fill in the form at the end of leaflet NI38 instead.\n\nAllow 21 days to set up a new Direct Debit.\n\nHM Revenue and Customs (HMRC) will send you a letter telling you when payments will be taken and how much they will be.\n\nPayments will appear on your statement as \u2018HMRC NI-DD\u2019. HMRC will write to you if your payments change for any reason.\n\nIf you have a question about your Direct Debit payments contact National Insurance enquiries.", + "original_contents": [ + "

    Overview

    ", + "

    You make Class 2 National Insurance contributions if you\u2019re self-employed to qualify for benefits like the State Pension.

    ", + "

    Most people pay the contributions as part of their Self Assessment tax bill.

    ", + "

    You cannot currently pay by cheque through the post because of coronavirus (COVID-19).

    ", + "

    If you do not pay through Self Assessment

    ", + "

    You do not pay through Self Assessment if you\u2019re any of the following:

    ", + "
  • an examiner, moderator, invigilator or person who set exam questions
  • ", + "
  • running a businesses involving land or property
  • ", + "
  • a minister of religion who does not receive a salary or stipend
  • ", + "
  • living abroad and paying voluntary Class 2 contributions
  • ", + "
  • a person who makes investments - but not as a business and without getting a fee or commission
  • ", + "
  • a non-UK resident who\u2019s self-employed in the UK
  • ", + "
  • working abroad
  • ", + "

    HM Revenue and Customs (HMRC) will send you a payment request by the end of October - call the newly self-employed helpline if you do not get one.

    ", + "

    Pay now

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    How long it takes

    ", + "

    Make sure your payment reaches HMRC by the deadline. The time you need to allow depends on how you pay.

    ", + "

    You can make same or next day payments:

    ", + "
  • by online or telephone banking (Faster Payments)
  • ", + "
  • by CHAPS
  • ", + "
  • at your bank or building society, if it\u2019s still open
  • ", + "

    You can pay within 3 days by BACS.

    ", + "

    You can pay within 21 working days by Direct Debit if you have not set one up before.

    ", + "

    If the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).

    ", + "

    If you miss the deadline

    ", + "

    You might have to pay more to fill the gap in your National Insurance record. HMRC will write to you to tell you how much you need to pay.

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    Paying from the UK

    ", + "

    Use your online or telephone banking account to make your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account.

    ", + "Sort code | Account number | Account name", + "08 32 20 | 12001004 | HMRC NICO", + "

    Reference number

    ", + "

    Use the 18-digit reference number shown on your HMRC payment request, when you make a payment. Do not leave any spaces between the digits.

    ", + "

    If you do not have an 18-digit reference number you can get help from the National Insurance Helpline.

    ", + "

    Your payment may be delayed if you use the wrong reference number.

    ", + "

    How long it takes

    ", + "

    Payments made by Faster Payments (online or telephone banking) will usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    If you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.

    ", + "Account type | Sort code | Account number", + "UK | 20 20 48 | 30944793", + "Account type | Account number (IBAN) | Bank Identifier Code (BIC)", + "Non-UK | GB49BARC20204830944793 | BARCGB22", + "

    For either account, pay to account name \u2018HMRC NIC receipts\u2019.

    ", + "

    Reference number

    ", + "

    Use your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.

    ", + "

    If you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.

    ", + "

    Banking address

    ", + "

    HMRC\u2019s banking address is:

    ", + "

    At your bank or building society

    ", + "

    Pay at a branch by cash or cheque, along with your HM Revenue and Customs (HMRC) payslip.

    ", + "

    Some branches might be closed because of coronavirus (COVID-19).

    ", + "

    You\u2019ll find your payslip on the payment request HMRC sent you.

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your Class 2 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip or the payment request sent to you by HMRC.

    ", + "

    If you pay between Monday and Friday, HMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account.

    ", + "

    By cheque through the post

    ", + "

    You cannot currently pay by cheque through the post because of coronavirus (COVID-19).

    ", + "

    You can still make payments:

    ", + "
  • by online or telephone banking
  • ", + "
  • by CHAPS or BACS
  • ", + "
  • at your bank or building society, if it\u2019s still open
  • ", + "

    If you\u2019ve paid by cheque since 6 April 2020

    ", + "

    Call HMRC if you want to check your payment has been received.

    ", + "

    Direct Debit

    ", + "

    Fill in the form to set up a new Direct Debit.

    ", + "

    If you live abroad and pay voluntary National Insurance, fill in the form at the end of leaflet NI38 instead.

    ", + "

    Allow 21 days to set up a new Direct Debit.

    ", + "

    HM Revenue and Customs (HMRC) will send you a letter telling you when payments will be taken and how much they will be.

    ", + "

    Payments will appear on your statement as \u2018HMRC NI-DD\u2019. HMRC will write to you if your payments change for any reason.

    ", + "

    If you have a question about your Direct Debit payments contact National Insurance enquiries.

    " + ] + }, + "https://www.gov.uk/pay-voluntary-class-3-national-insurance": { + "url": "https://www.gov.uk/pay-voluntary-class-3-national-insurance", + "title": "Pay voluntary Class 3 National Insurance", + "content": "## Overview\n\nYou may be able to pay Class 3 voluntary National Insurance to fill gaps in your contributions record to qualify for benefits like the State Pension.\n\nPay now\n\n## Before you pay\n\nCheck your National Insurance record to find out:\n\n- if you have any gaps\n\n- if you\u2019re eligible to pay voluntary contributions\n\n- how much it will cost\n\nVoluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.\n\n## Ways to pay\n\nYou can pay monthly via Direct Debit.\n\nContact HM Revenue and Customs (HMRC) if you want to:\n\n- pay quarterly - they\u2019ll send you a bill every July, October, January and April\n\n- make a one-off payment\n\nMake sure you pay HMRC by the deadline you\u2019re given. The amount of time you\u2019ll need to allow depends on how you pay.\n\n## Same or next day\n\nYou can make same or next day payments:\n\n- by online or telephone banking\n\n- by CHAPS\n\n- at your bank or building society, if it\u2019s still open\n\n## 3 working days\n\nYou can pay within 3 days by BACS.\n\nYou currently cannot pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can no longer pay at the Post Office.\n\n## Direct Debit\n\nTo set up monthly payments, download and send the Direct Debit form to HM Revenue and Customs (HMRC). The address is on the form.\n\nHMRC will write within 21 days to confirm your Direct Debit is set up.\n\nPayments appear on your statement as \u2018HMRC NI-DD\u2019.\n\nYour debits usually start in May. If you\u2019re setting up the Direct Debit after May and you need to pay arrears, you can do this through your first payment.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nMake your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account, unless you\u2019re paying from overseas.\n\n| Sort code | Account number | Account name |\n\n| 08 32 20 | 12001004 | HMRC NICO Telephone banking |\n\n## Reference number\n\nUse your reference number when making your payment. You\u2019ll find it on your bill.\n\nFor quarterly payments, your number will be 18 characters beginning with 11.\n\nFor one-off payments, your number will be 18 characters beginning with 60.\n\nContact HMRC if you do not have a reference number.\n\n## How long it takes\n\nPayments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nIf you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.\n\n| Account type | Sort code | Account number |\n\n| UK | 20 20 48 | 30944793 |\n\n| Account type | Account number (IBAN) | Bank Identifier Code (BIC) |\n\n| Non-UK | GB49BARC20204830944793 | BARCGB22 |\n\nFor either account, pay to account name \u2018HMRC NIC receipts\u2019.\n\n## Reference number\n\nUse your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.\n\nIf you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.\n\n## Banking address\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nPay at a branch by cash or cheque. You\u2019ll need the payslip HM Revenue and Customs (HMRC) sent with your bill.\n\nSome branches might be closed because of coronavirus (COVID-19).\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 3 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip provided by HMRC.\n\nHMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.\n\n## By cheque through the post\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can still make payments:\n\n- by online or telephone banking\n\n- by CHAPS or BACS\n\n- at your bank or building society, if it\u2019s still open\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nCall HMRC if you want to check your payment has been received.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to pay Class 3 voluntary National Insurance to fill gaps in your contributions record to qualify for benefits like the State Pension.

    ", + "

    Pay now

    ", + "

    Before you pay

    ", + "

    Check your National Insurance record to find out:

    ", + "
  • if you have any gaps
  • ", + "
  • if you\u2019re eligible to pay voluntary contributions
  • ", + "
  • how much it will cost
  • ", + "

    Voluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.

    ", + "

    Ways to pay

    ", + "

    You can pay monthly via Direct Debit.

    ", + "

    Contact HM Revenue and Customs (HMRC) if you want to:

    ", + "
  • pay quarterly - they\u2019ll send you a bill every July, October, January and April
  • ", + "
  • make a one-off payment
  • ", + "

    Make sure you pay HMRC by the deadline you\u2019re given. The amount of time you\u2019ll need to allow depends on how you pay.

    ", + "

    Same or next day

    ", + "

    You can make same or next day payments:

    ", + "
  • by online or telephone banking
  • ", + "
  • by CHAPS
  • ", + "
  • at your bank or building society, if it\u2019s still open
  • ", + "

    3 working days

    ", + "

    You can pay within 3 days by BACS.

    ", + "

    You currently cannot pay by cheque through the post because of coronavirus (COVID-19).

    ", + "

    You can no longer pay at the Post Office.

    ", + "

    Direct Debit

    ", + "

    To set up monthly payments, download and send the Direct Debit form to HM Revenue and Customs (HMRC). The address is on the form.

    ", + "

    HMRC will write within 21 days to confirm your Direct Debit is set up.

    ", + "

    Payments appear on your statement as \u2018HMRC NI-DD\u2019.

    ", + "

    Your debits usually start in May. If you\u2019re setting up the Direct Debit after May and you need to pay arrears, you can do this through your first payment.

    ", + "

    Bank details for online or telephone banking, CHAPS, Bacs

    ", + "

    Make your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account, unless you\u2019re paying from overseas.

    ", + "Sort code | Account number | Account name", + "08 32 20 | 12001004 | HMRC NICO Telephone banking", + "

    Reference number

    ", + "

    Use your reference number when making your payment. You\u2019ll find it on your bill.

    ", + "

    For quarterly payments, your number will be 18 characters beginning with 11.

    ", + "

    For one-off payments, your number will be 18 characters beginning with 60.

    ", + "

    Contact HMRC if you do not have a reference number.

    ", + "

    How long it takes

    ", + "

    Payments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.

    ", + "

    CHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.

    ", + "

    Bacs payments usually take 3 working days.

    ", + "

    Check your bank\u2019s transaction limits and processing times before making a payment.

    ", + "

    Overseas payments

    ", + "

    If you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.

    ", + "Account type | Sort code | Account number", + "UK | 20 20 48 | 30944793", + "Account type | Account number (IBAN) | Bank Identifier Code (BIC)", + "Non-UK | GB49BARC20204830944793 | BARCGB22", + "

    For either account, pay to account name \u2018HMRC NIC receipts\u2019.

    ", + "

    Reference number

    ", + "

    Use your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.

    ", + "

    If you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.

    ", + "

    Banking address

    ", + "

    HMRC\u2019s banking address is:

    ", + "

    At your bank or building society

    ", + "

    Pay at a branch by cash or cheque. You\u2019ll need the payslip HM Revenue and Customs (HMRC) sent with your bill.

    ", + "

    Some branches might be closed because of coronavirus (COVID-19).

    ", + "

    Make your cheque payable to \u2018HM Revenue and Customs only\u2019.

    ", + "

    Write your Class 3 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip provided by HMRC.

    ", + "

    HMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.

    ", + "

    By cheque through the post

    ", + "

    You cannot currently pay by cheque through the post because of coronavirus (COVID-19).

    ", + "

    You can still make payments:

    ", + "
  • by online or telephone banking
  • ", + "
  • by CHAPS or BACS
  • ", + "
  • at your bank or building society, if it\u2019s still open
  • ", + "

    If you\u2019ve paid by cheque since 6 April 2020

    ", + "

    Call HMRC if you want to check your payment has been received.

    " + ] + }, + "https://www.gov.uk/voluntary-national-insurance-contributions": { + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "title": "Voluntary National Insurance", + "content": "## Gaps in your National Insurance record\n\nYou may get gaps in your record if you do not pay National Insurance or do not get National Insurance credits. This could be because you were:\n\n- employed but had low earnings\n\n- unemployed and were not claiming benefits\n\n- self-employed but did not pay contributions because of small profits\n\n- living abroad\n\nGaps can mean you will not have enough years of National Insurance contributions to get the full State Pension (sometimes called \u2018qualifying years\u2019).\n\nYou may be able to pay voluntary contributions to fill any gaps if you\u2019re eligible.\n\n## Check your record for gaps\n\nCheck your National Insurance record to find out:\n\n- if you have any gaps\n\n- if you\u2019re eligible to pay voluntary contributions\n\n- how much it will cost\n\nYou may also be eligible for National Insurance credits if you claim benefits because you cannot work, are unemployed or caring for someone full time.\n\nContact HM Revenue and Customs (HMRC) if you think your National Insurance record is wrong.\n\n## Decide if you want to pay voluntary contributions\n\nVoluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.\n\nYou may also want to get financial advice before you decide to make voluntary contributions.\n\n## Why you might want to pay voluntary contributions\n\nYou may want to pay voluntary contributions because:\n\n- you\u2019re close to State Pension age and do not have enough qualifying years to get the full State Pension\n\n- you know you will not be able to get the qualifying years you need to get the full State Pension during your working life\n\n- you\u2019re self-employed and do not have to pay Class 2 contributions because you have low profits\n\n- you live outside the UK, but you want to qualify for some benefits\n\n## Self-employed people with specific jobs\n\nSome people do not pay Class 2 contributions through Self Assessment, but may want to pay voluntary contributions. These are:\n\n- examiners, moderators, invigilators and people who set exam questions\n\n- people who run businesses involving land or property\n\n- ministers of religion who do not receive a salary or stipend\n\n- people who make investments for themselves or others - but not as a business and without getting a fee or commission\n\n## Eligibility\n\nYou must be eligible to pay voluntary National Insurance contributions for the time that the contributions cover.\n\nYou can usually only pay for gaps in your National Insurance record from the past 6 years.\n\nYou can sometimes pay for gaps from more than 6 years ago depending on your age.\n\n## Who can pay voluntary contributions\n\nThese tables explain who\u2019s eligible to pay Class 2 or Class 3 contributions.\n\n| Your situation | Which class to pay |\n\n| Employed but earning under \u00a3120 a week and not eligible for National Insurance credits | Class 3 |\n\n| Self-employed with profits under \u00a36,515 | Class 2 or Class 3 - they count towards different benefits |\n\n| Both employed and self-employed, with low earnings and small profits | Contact HM Revenue and Customs (HMRC) to check if you have a gap and how much you need to pay |\n\n| Self-employed as an examiner, minister of religion or in an investment or land and property business | Class 2 or Class 3 - they count towards different benefits |\n\n| Living and working abroad | Class 2 - but only if you worked in the UK immediately before leaving, and you\u2019ve previously lived in the UK for at least 3 years in a row or paid at least 3 years of contributions |\n\n| Living abroad but not working | Class 3 - but only if at some point you\u2019ve lived in the UK for at least 3 years in a row or paid at least 3 years of contributions |\n\n| Unemployed and not claiming benefits | Class 3 |\n\n| Married woman or widow who stopped paying reduced rates | Class 3 |\n\nYou cannot pay voluntary contributions if:\n\n- you\u2019re eligible for National Insurance credits\n\n- you\u2019re a married woman or widow paying reduced rates\n\n## If you\u2019re over State Pension age\n\n| Your situation | Which class to pay |\n\n| You\u2019ve reached State Pension age and want to fill in gaps in your National Insurance record | Class 3 |\n\n## Rates\n\nThe rates for the 2021 to 2022 tax year are:\n\n- \u00a33.05 a week for Class 2\n\n- \u00a315.40 a week for Class 3\n\nYou usually pay the current rate when you make a voluntary contribution.\n\n## If you\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953\n\nYou can pay voluntary contributions by 5 April 2023 to make up for gaps between 6 April 2006 and 5 April 2016.\n\nYou\u2019ll pay the current rate.\n\n## When you pay different rates\n\nIf you\u2019re paying Class 2 contributions for the previous tax year or Class 3 contributions for the previous 2 tax years, you pay the original rate for those tax years.\n\nCall HM Revenue and Customs (HMRC) if you have questions about voluntary National Insurance.\n\n## How and when to pay\n\nFind out how to:\n\n- pay Class 2 voluntary contributions\n\n- pay Class 3 voluntary contributions\n\nIf you\u2019re living abroad, read leaflet NI38 and fill in form CF83 (found at the end). Send it back to HMRC using the address on the form.\n\n## Deadlines\n\nYou can usually pay voluntary contributions for the past 6 years. The deadline is 5 April each year.\n\nYou can sometimes pay for gaps from more than 6 years ago, depending on your age.\n\n## You\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953\n\nYou have until 5 April 2023 to pay voluntary contributions to make up for gaps between April 2006 and April 2016.", + "original_contents": [ + "

    Gaps in your National Insurance record

    ", + "

    You may get gaps in your record if you do not pay National Insurance or do not get National Insurance credits. This could be because you were:

    ", + "
  • employed but had low earnings
  • ", + "
  • unemployed and were not claiming benefits
  • ", + "
  • self-employed but did not pay contributions because of small profits
  • ", + "
  • living abroad
  • ", + "

    Gaps can mean you will not have enough years of National Insurance contributions to get the full State Pension (sometimes called \u2018qualifying years\u2019).

    ", + "

    You may be able to pay voluntary contributions to fill any gaps if you\u2019re eligible.

    ", + "

    Check your record for gaps

    ", + "

    Check your National Insurance record to find out:

    ", + "
  • if you have any gaps
  • ", + "
  • if you\u2019re eligible to pay voluntary contributions
  • ", + "
  • how much it will cost
  • ", + "

    You may also be eligible for National Insurance credits if you claim benefits because you cannot work, are unemployed or caring for someone full time.

    ", + "

    Contact HM Revenue and Customs (HMRC) if you think your National Insurance record is wrong.

    ", + "

    Decide if you want to pay voluntary contributions

    ", + "

    Voluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.

    ", + "

    You may also want to get financial advice before you decide to make voluntary contributions.

    ", + "

    Why you might want to pay voluntary contributions

    ", + "

    You may want to pay voluntary contributions because:

    ", + "
  • you\u2019re close to State Pension age and do not have enough qualifying years to get the full State Pension
  • ", + "
  • you know you will not be able to get the qualifying years you need to get the full State Pension during your working life
  • ", + "
  • you\u2019re self-employed and do not have to pay Class 2 contributions because you have low profits
  • ", + "
  • you live outside the UK, but you want to qualify for some benefits
  • ", + "

    Self-employed people with specific jobs

    ", + "

    Some people do not pay Class 2 contributions through Self Assessment, but may want to pay voluntary contributions. These are:

    ", + "
  • examiners, moderators, invigilators and people who set exam questions
  • ", + "
  • people who run businesses involving land or property
  • ", + "
  • ministers of religion who do not receive a salary or stipend
  • ", + "
  • people who make investments for themselves or others - but not as a business and without getting a fee or commission
  • ", + "

    Eligibility

    ", + "

    You must be eligible to pay voluntary National Insurance contributions for the time that the contributions cover.

    ", + "

    You can usually only pay for gaps in your National Insurance record from the past 6 years.

    ", + "

    You can sometimes pay for gaps from more than 6 years ago depending on your age.

    ", + "

    Who can pay voluntary contributions

    ", + "

    These tables explain who\u2019s eligible to pay Class 2 or Class 3 contributions.

    ", + "Your situation | Which class to pay", + "Employed but earning under \u00a3120 a week and not eligible for National Insurance credits | Class 3", + "Self-employed with profits under \u00a36,515 | Class 2 or Class 3 - they count towards different benefits", + "Both employed and self-employed, with low earnings and small profits | Contact HM Revenue and Customs (HMRC) to check if you have a gap and how much you need to pay", + "Self-employed as an examiner, minister of religion or in an investment or land and property business | Class 2 or Class 3 - they count towards different benefits", + "Living and working abroad | Class 2 - but only if you worked in the UK immediately before leaving, and you\u2019ve previously lived in the UK for at least 3 years in a row or paid at least 3 years of contributions", + "Living abroad but not working | Class 3 - but only if at some point you\u2019ve lived in the UK for at least 3 years in a row or paid at least 3 years of contributions", + "Unemployed and not claiming benefits | Class 3", + "Married woman or widow who stopped paying reduced rates | Class 3", + "

    You cannot pay voluntary contributions if:

    ", + "
  • you\u2019re eligible for National Insurance credits
  • ", + "
  • you\u2019re a married woman or widow paying reduced rates
  • ", + "

    If you\u2019re over State Pension age

    ", + "Your situation | Which class to pay", + "You\u2019ve reached State Pension age and want to fill in gaps in your National Insurance record | Class 3", + "

    Rates

    ", + "

    The rates for the 2021 to 2022 tax year are:

    ", + "
  • \u00a33.05 a week for Class 2
  • ", + "
  • \u00a315.40 a week for Class 3
  • ", + "

    You usually pay the current rate when you make a voluntary contribution.

    ", + "

    If you\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953

    ", + "

    You can pay voluntary contributions by 5 April 2023 to make up for gaps between 6 April 2006 and 5 April 2016.

    ", + "

    You\u2019ll pay the current rate.

    ", + "

    When you pay different rates

    ", + "

    If you\u2019re paying Class 2 contributions for the previous tax year or Class 3 contributions for the previous 2 tax years, you pay the original rate for those tax years.

    ", + "

    Call HM Revenue and Customs (HMRC) if you have questions about voluntary National Insurance.

    ", + "

    How and when to pay

    ", + "

    Find out how to:

    ", + "
  • pay Class 2 voluntary contributions
  • ", + "
  • pay Class 3 voluntary contributions
  • ", + "

    If you\u2019re living abroad, read leaflet NI38 and fill in form CF83 (found at the end). Send it back to HMRC using the address on the form.

    ", + "

    Deadlines

    ", + "

    You can usually pay voluntary contributions for the past 6 years. The deadline is 5 April each year.

    ", + "

    You can sometimes pay for gaps from more than 6 years ago, depending on your age.

    ", + "

    You\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953

    ", + "

    You have until 5 April 2023 to pay voluntary contributions to make up for gaps between April 2006 and April 2016.

    " + ] + }, + "https://www.gov.uk/working-abroad": { + "url": "https://www.gov.uk/working-abroad", + "title": "Work in an EU country", + "content": "## Overview\n\nYou\u2019ll need a work permit to work in most EU countries if you\u2019re a UK citizen.\n\nIn most cases, you\u2019ll need a job offer from your chosen country so that you can get a visa to move there.\n\nCheck with the UK-based embassy of the country you want to work in to see what you need to do.\n\nIf you want to work in an EU country, check the country\u2019s living in guide for updates.\n\n## If you moved to the EU before 1 January 2021\n\nIf you were legally living in an EU country before 1 January 2021, your right to work will be protected as long as you carry on living there. This is because you are covered by the Withdrawal Agreement.\n\nYou\u2019re also protected by the Withdrawal Agreement if you started working in one EU country and living in a different EU country or the UK, before 1 January 2021.\n\nYou\u2019ll have the same rights as nationals of the country you\u2019re working in when it comes to working conditions, pay and social security (for example, benefits).\n\n## Healthcare and insurance\n\nYou can use a European Health Insurance Card (EHIC) or UK Global Health Insurance Card (GHIC) if you\u2019re working in an EU country for up to 3 months. Your EHIC or GHIC gives you access to free or cheaper state-provided medical treatment.\n\nSome UK-issued EHICs may no longer be valid in Switzerland, Norway, Iceland or Liechtenstein.\n\nFind out more about the EHIC and GHIC, including who can get them, where they\u2019re valid and how to apply.\n\nIf you\u2019re planning to work in an EEA country or Switzerland for longer, you may need to:\n\n- register as a resident and pay social security contributions to use the state healthcare system in that country\n\n- take out private health insurance\n\nEach country\u2019s healthcare system is different and you may have to pay for treatment you\u2019d get for free on the NHS.\n\nFind out more in the country healthcare guides.\n\nYou usually have to pay for any medical treatment outside of the EEA, but you can get free or reduced cost treatment in some other countries.\n\n## Working abroad for a UK employer\n\nIf you are sent to work abroad temporarily, your employer must follow some of the employment rules of the country you\u2019re sent to work in.\n\nFind out about the employment rules for a country by contacting its UK-based embassy.\n\nYou can also read guidance for business travellers visiting Europe.\n\n## Tax\n\nYou might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).\n\nFill in form P85 to tell HM Revenue and Customs (HMRC) that you\u2019ve left or are about to leave the UK to live or work abroad. Fill in the form and send it to HMRC.\n\nHMRC will tell you how your tax will be affected.\n\n## National Insurance\n\nYou might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.\n\nIf you\u2019re eligible, you can keep paying National Insurance to protect your State Pension and entitlement to other benefits.\n\n## Your circumstances change\n\nContact HMRC if your circumstances change when you\u2019re abroad, for example if you move house or your marital status changes. You\u2019ll need your National Insurance number.", + "original_contents": [ + "

    Overview

    ", + "

    You\u2019ll need a work permit to work in most EU countries if you\u2019re a UK citizen.

    ", + "

    In most cases, you\u2019ll need a job offer from your chosen country so that you can get a visa to move there.

    ", + "

    Check with the UK-based embassy of the country you want to work in to see what you need to do.

    ", + "

    If you want to work in an EU country, check the country\u2019s living in guide for updates.

    ", + "

    If you moved to the EU before 1 January 2021

    ", + "

    If you were legally living in an EU country before 1 January 2021, your right to work will be protected as long as you carry on living there. This is because you are covered by the Withdrawal Agreement.

    ", + "

    You\u2019re also protected by the Withdrawal Agreement if you started working in one EU country and living in a different EU country or the UK, before 1 January 2021.

    ", + "

    You\u2019ll have the same rights as nationals of the country you\u2019re working in when it comes to working conditions, pay and social security (for example, benefits).

    ", + "

    Healthcare and insurance

    ", + "

    You can use a European Health Insurance Card (EHIC) or UK Global Health Insurance Card (GHIC) if you\u2019re working in an EU country for up to 3 months. Your EHIC or GHIC gives you access to free or cheaper state-provided medical treatment.

    ", + "

    Some UK-issued EHICs may no longer be valid in Switzerland, Norway, Iceland or Liechtenstein.

    ", + "

    Find out more about the EHIC and GHIC, including who can get them, where they\u2019re valid and how to apply.

    ", + "

    If you\u2019re planning to work in an EEA country or Switzerland for longer, you may need to:

    ", + "
  • register as a resident and pay social security contributions to use the state healthcare system in that country
  • ", + "
  • take out private health insurance
  • ", + "

    Each country\u2019s healthcare system is different and you may have to pay for treatment you\u2019d get for free on the NHS.

    ", + "

    Find out more in the country healthcare guides.

    ", + "

    You usually have to pay for any medical treatment outside of the EEA, but you can get free or reduced cost treatment in some other countries.

    ", + "

    Working abroad for a UK employer

    ", + "

    If you are sent to work abroad temporarily, your employer must follow some of the employment rules of the country you\u2019re sent to work in.

    ", + "

    Find out about the employment rules for a country by contacting its UK-based embassy.

    ", + "

    You can also read guidance for business travellers visiting Europe.

    ", + "

    Tax

    ", + "

    You might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).

    ", + "

    Fill in form P85 to tell HM Revenue and Customs (HMRC) that you\u2019ve left or are about to leave the UK to live or work abroad. Fill in the form and send it to HMRC.

    ", + "

    HMRC will tell you how your tax will be affected.

    ", + "

    National Insurance

    ", + "

    You might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.

    ", + "

    If you\u2019re eligible, you can keep paying National Insurance to protect your State Pension and entitlement to other benefits.

    ", + "

    Your circumstances change

    ", + "

    Contact HMRC if your circumstances change when you\u2019re abroad, for example if you move house or your marital status changes. You\u2019ll need your National Insurance number.

    " + ] + }, + "https://www.gov.uk/self-employed-records": { + "url": "https://www.gov.uk/self-employed-records", + "title": "Business records if you're self-employed", + "content": "## Overview\n\nYou must keep records of your business income and expenses for your tax return if you\u2019re self-employed as a:\n\n- sole trader\n\n- partner in a business partnership\n\nYou\u2019ll also need to keep records of your personal income.\n\nIf you\u2019re the nominated partner in a partnership, you must also keep records for the partnership.\n\nThere are different rules on keeping records for limited companies.\n\n## Accounting methods\n\nYou\u2019ll need to choose an accounting method.\n\n## Traditional accounting\n\nMany businesses use traditional accounting where you record income and expenses by the date you invoiced or were billed.\n\n## Cash basis accounting\n\nMost small businesses with an income of \u00a3150,000 or less can use cash basis reporting.\n\nWith this method, you only record income or expenses when you receive money or pay a bill. This means you will not need to pay Income Tax on money you have not yet received in your accounting period.\n\n## What records to keep\n\nYou\u2019ll need to keep records of:\n\n- all sales and income\n\n- all business expenses\n\n- VAT records if you\u2019re registered for VAT\n\n- PAYE records if you employ people\n\n- records about your personal income\n\n- your grant, if you claimed through the Self-Employment Income Support Scheme because of coronavirus\n\n## Why you keep records\n\nYou do not need to send your records in when you submit your tax return but you need to keep them so you can:\n\n- work out your profit or loss for your tax return\n\n- show them to HM Revenue and Customs (HMRC) if asked\n\nYou must make sure your records are accurate.\n\n## Keep proof\n\nTypes of proof include:\n\n- all receipts for goods and stock\n\n- bank statements, chequebook stubs\n\n- sales invoices, till rolls and bank slips\n\n## If you\u2019re using traditional accounting\n\nAs well as the standard records, you\u2019ll also need to keep further records so that your tax return includes:\n\n- what you\u2019re owed but have not received yet\n\n- what you\u2019ve committed to spend but have not paid out yet, for example you\u2019ve received an invoice but have not paid it yet\n\n- the value of stock and work in progress at the end of your accounting period\n\n- your year end bank balances\n\n- how much you\u2019ve invested in the business in the year\n\n- how much money you\u2019ve taken out for your own use\n\n## How long to keep your records\n\nYou must keep your records for at least 5 years after the 31 January submission deadline of the relevant tax year. HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.\n\n## Very late returns\n\nIf you send your tax return more than 4 years after the deadline, you\u2019ll need to keep your records for 15 months after you send your tax return.\n\n## If your records are lost, stolen or destroyed\n\nIf you cannot replace your records, you must do your best to provide figures. Tell HMRC when you file your tax return if you\u2019re using:\n\n- estimated figures - your best guess when you cannot provide the actual figures\n\n- provisional figures - your temporary estimated figures while you wait for actual figures (you\u2019ll also need to submit actual figures when available)", + "original_contents": [ + "

    Overview

    ", + "

    You must keep records of your business income and expenses for your tax return if you\u2019re self-employed as a:

    ", + "
  • sole trader
  • ", + "
  • partner in a business partnership
  • ", + "

    You\u2019ll also need to keep records of your personal income.

    ", + "

    If you\u2019re the nominated partner in a partnership, you must also keep records for the partnership.

    ", + "

    There are different rules on keeping records for limited companies.

    ", + "

    Accounting methods

    ", + "

    You\u2019ll need to choose an accounting method.

    ", + "

    Traditional accounting

    ", + "

    Many businesses use traditional accounting where you record income and expenses by the date you invoiced or were billed.

    ", + "

    Cash basis accounting

    ", + "

    Most small businesses with an income of \u00a3150,000 or less can use cash basis reporting.

    ", + "

    With this method, you only record income or expenses when you receive money or pay a bill. This means you will not need to pay Income Tax on money you have not yet received in your accounting period.

    ", + "

    What records to keep

    ", + "

    You\u2019ll need to keep records of:

    ", + "
  • all sales and income
  • ", + "
  • all business expenses
  • ", + "
  • VAT records if you\u2019re registered for VAT
  • ", + "
  • PAYE records if you employ people
  • ", + "
  • records about your personal income
  • ", + "
  • your grant, if you claimed through the Self-Employment Income Support Scheme because of coronavirus
  • ", + "

    Why you keep records

    ", + "

    You do not need to send your records in when you submit your tax return but you need to keep them so you can:

    ", + "
  • work out your profit or loss for your tax return
  • ", + "
  • show them to HM Revenue and Customs (HMRC) if asked
  • ", + "

    You must make sure your records are accurate.

    ", + "

    Keep proof

    ", + "

    Types of proof include:

    ", + "
  • all receipts for goods and stock
  • ", + "
  • bank statements, chequebook stubs
  • ", + "
  • sales invoices, till rolls and bank slips
  • ", + "

    If you\u2019re using traditional accounting

    ", + "

    As well as the standard records, you\u2019ll also need to keep further records so that your tax return includes:

    ", + "
  • what you\u2019re owed but have not received yet
  • ", + "
  • what you\u2019ve committed to spend but have not paid out yet, for example you\u2019ve received an invoice but have not paid it yet
  • ", + "
  • the value of stock and work in progress at the end of your accounting period
  • ", + "
  • your year end bank balances
  • ", + "
  • how much you\u2019ve invested in the business in the year
  • ", + "
  • how much money you\u2019ve taken out for your own use
  • ", + "

    How long to keep your records

    ", + "

    You must keep your records for at least 5 years after the 31 January submission deadline of the relevant tax year. HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.

    ", + "

    Very late returns

    ", + "

    If you send your tax return more than 4 years after the deadline, you\u2019ll need to keep your records for 15 months after you send your tax return.

    ", + "

    If your records are lost, stolen or destroyed

    ", + "

    If you cannot replace your records, you must do your best to provide figures. Tell HMRC when you file your tax return if you\u2019re using:

    ", + "
  • estimated figures - your best guess when you cannot provide the actual figures
  • ", + "
  • provisional figures - your temporary estimated figures while you wait for actual figures (you\u2019ll also need to submit actual figures when available)
  • " + ] + }, + "https://www.gov.uk/keeping-your-pay-tax-records": { + "url": "https://www.gov.uk/keeping-your-pay-tax-records", + "title": "Keeping your pay and tax records", + "content": "## Overview\n\nYou need to keep records if you have to send HM Revenue and Customs (HMRC) a Self Assessment tax return.\n\nYou\u2019ll need your records to fill in your tax return correctly. If HMRC checks your tax return, they may ask for the documents.\n\nYou must also keep records for business income and outgoings if you\u2019re self-employed.\n\n## How to keep your records\n\nThere are no rules on how you must keep records. You can keep them on paper, digitally or as part of a software program (like book-keeping software).\n\nHMRC can charge you a penalty if your records are not accurate, complete and readable.\n\n## Lost or destroyed records\n\nTry to get copies of as much as you can, for example ask banks for copies of statements, suppliers for duplicate invoice etc.\n\nYou can use \u2018provisional\u2019 or \u2018estimated\u2019 figures if you cannot recreate all your records. You must use the \u2018Any other information\u2019 box on the tax return to say that this is what you\u2019re doing.\n\n\u2018Provisional\u2019 means you\u2019ll be able to get paperwork to confirm your figures later. \u2018Estimated\u2019 means you will not be able to confirm the figures.\n\nYou may have to pay interest and penalties if your figures turn out to be wrong and you have not paid enough tax.\n\n## How long to keep your records\n\nYou must keep records about your business income and costs for longer if you\u2019re self-employed.\n\nHow long you should keep your records depends on whether you send your tax return before or after the deadline.\n\nHM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.\n\n## Tax returns sent on or before the deadline\n\nYou should keep your records for at least 22 months after the end of the tax year the tax return is for.\n\n## Tax returns sent after the deadline\n\nYou should keep your records for at least 15 months after you sent the tax return.\n\n## Employees and limited company directors\n\n## Income from employment\n\nYou should keep documents about your pay and tax, including:\n\n- your P45 - if you leave your job, this shows your pay and tax to the date you left\n\n- your P60 - if you\u2019re in a job on 5 April, this shows your pay and tax for the tax year\n\n- form P11D - this shows your expenses and benefits, like a company car or health insurance\n\n- certificates for any Taxed Award Schemes\n\n- information about any redundancy or termination payment\n\nContact your employer if you do not have your P60, P45 or form P11D.\n\nYou should also keep details of any other income or benefits from your job, including:\n\n- any tips received (unless your employer pays them through the \u2018tronc\u2019 system, which means they will have deducted tax already)\n\n- benefits you get in connection with your job from someone other than your employer, like meal vouchers\n\n- any lump sum payments not included on your P60 or P45, like incentive payments or \u2018golden hellos\u2019 (payments you get to encourage you to take a new job)\n\n## Expense records\n\nIf you\u2019ve had to pay for things like tools, travel or specialist clothing for work, you may be able to claim for these to reduce the tax you\u2019ll have to pay. You need to keep a record of these so you can include them in your tax return.\n\n## Benefits records\n\nYou should keep any documents relating to:\n\n- social security benefits\n\n- Statutory Sick Pay\n\n- Statutory Maternity, Paternity or Adoption Pay\n\n- Jobseeker\u2019s Allowance\n\n## Income from employee share schemes or share-related benefits\n\nYou should keep:\n\n- copies of share option certificates and exercise notices\n\n- letters about any changes to your options\n\n- information about what you paid for your shares and the relevant dates\n\n- details of any benefits you\u2019ve received as an employee shareholder\n\n## Savings, investments and pensions\n\nYou should keep all:\n\n- bank or building society statements and passbooks\n\n- statements of interest and income from your savings and investments\n\n- tax deduction certificates from your bank\n\n- dividend vouchers you get from UK companies\n\n- unit trust tax vouchers\n\n- documents that show the profits you\u2019ve made from life insurance policies (called \u2018chargeable event certificates\u2019)\n\n- details of income you get from a trust\n\n- details of any out-of-the ordinary income you\u2019ve received, like an inheritance\n\n## Pension information\n\nYou should keep:\n\n- form P160 (Part 1A) which you got when your pension started\n\n- form P60 which your pension provider sends you every year\n\n- any other details of a pension (including State Pension) and the tax deducted from it\n\n## Rental income\n\nYou should keep details of:\n\n- the dates when you let out your property\n\n- all rent you get\n\n- any income from services you give to tenants (for example if you charge for maintenance or repairs)\n\n- rent books, receipts, invoices and bank statements\n\n- allowable expenses you pay to run your property (for example services you pay for such as cleaning or gardening)\n\nThere are rules about what you can and cannot claim as expenses on your tax return.\n\n## Capital gains or losses\n\nYou may have to pay Capital Gains Tax if you sell (or \u2018dispose of\u2019) certain assets that have gone up in value since you got them.\n\nYou must make sure you keep the correct records.\n\n## Overseas income\n\nYou should keep:\n\n- evidence of income you\u2019ve earned from overseas, like payslips, bank statements or payment confirmations\n\n- receipts for any overseas expenses you want to claim to reduce your tax bill\n\n- dividend certificates from overseas companies\n\n- certificates or other proof of the tax you\u2019ve already paid - either in the UK or overseas", + "original_contents": [ + "

    Overview

    ", + "

    You need to keep records if you have to send HM Revenue and Customs (HMRC) a Self Assessment tax return.

    ", + "

    You\u2019ll need your records to fill in your tax return correctly. If HMRC checks your tax return, they may ask for the documents.

    ", + "

    You must also keep records for business income and outgoings if you\u2019re self-employed.

    ", + "

    How to keep your records

    ", + "

    There are no rules on how you must keep records. You can keep them on paper, digitally or as part of a software program (like book-keeping software).

    ", + "

    HMRC can charge you a penalty if your records are not accurate, complete and readable.

    ", + "

    Lost or destroyed records

    ", + "

    Try to get copies of as much as you can, for example ask banks for copies of statements, suppliers for duplicate invoice etc.

    ", + "

    You can use \u2018provisional\u2019 or \u2018estimated\u2019 figures if you cannot recreate all your records. You must use the \u2018Any other information\u2019 box on the tax return to say that this is what you\u2019re doing.

    ", + "

    \u2018Provisional\u2019 means you\u2019ll be able to get paperwork to confirm your figures later. \u2018Estimated\u2019 means you will not be able to confirm the figures.

    ", + "

    You may have to pay interest and penalties if your figures turn out to be wrong and you have not paid enough tax.

    ", + "

    How long to keep your records

    ", + "

    You must keep records about your business income and costs for longer if you\u2019re self-employed.

    ", + "

    How long you should keep your records depends on whether you send your tax return before or after the deadline.

    ", + "

    HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.

    ", + "

    Tax returns sent on or before the deadline

    ", + "

    You should keep your records for at least 22 months after the end of the tax year the tax return is for.

    ", + "

    Tax returns sent after the deadline

    ", + "

    You should keep your records for at least 15 months after you sent the tax return.

    ", + "

    Employees and limited company directors

    ", + "

    Income from employment

    ", + "

    You should keep documents about your pay and tax, including:

    ", + "
  • your P45 - if you leave your job, this shows your pay and tax to the date you left
  • ", + "
  • your P60 - if you\u2019re in a job on 5 April, this shows your pay and tax for the tax year
  • ", + "
  • form P11D - this shows your expenses and benefits, like a company car or health insurance
  • ", + "
  • certificates for any Taxed Award Schemes
  • ", + "
  • information about any redundancy or termination payment
  • ", + "

    Contact your employer if you do not have your P60, P45 or form P11D.

    ", + "

    You should also keep details of any other income or benefits from your job, including:

    ", + "
  • any tips received (unless your employer pays them through the \u2018tronc\u2019 system, which means they will have deducted tax already)
  • ", + "
  • benefits you get in connection with your job from someone other than your employer, like meal vouchers
  • ", + "
  • any lump sum payments not included on your P60 or P45, like incentive payments or \u2018golden hellos\u2019 (payments you get to encourage you to take a new job)
  • ", + "

    Expense records

    ", + "

    If you\u2019ve had to pay for things like tools, travel or specialist clothing for work, you may be able to claim for these to reduce the tax you\u2019ll have to pay. You need to keep a record of these so you can include them in your tax return.

    ", + "

    Benefits records

    ", + "

    You should keep any documents relating to:

    ", + "
  • social security benefits
  • ", + "
  • Statutory Sick Pay
  • ", + "
  • Statutory Maternity, Paternity or Adoption Pay
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "

    Income from employee share schemes or share-related benefits

    ", + "

    You should keep:

    ", + "
  • copies of share option certificates and exercise notices
  • ", + "
  • letters about any changes to your options
  • ", + "
  • information about what you paid for your shares and the relevant dates
  • ", + "
  • details of any benefits you\u2019ve received as an employee shareholder
  • ", + "

    Savings, investments and pensions

    ", + "

    You should keep all:

    ", + "
  • bank or building society statements and passbooks
  • ", + "
  • statements of interest and income from your savings and investments
  • ", + "
  • tax deduction certificates from your bank
  • ", + "
  • dividend vouchers you get from UK companies
  • ", + "
  • unit trust tax vouchers
  • ", + "
  • documents that show the profits you\u2019ve made from life insurance policies (called \u2018chargeable event certificates\u2019)
  • ", + "
  • details of income you get from a trust
  • ", + "
  • details of any out-of-the ordinary income you\u2019ve received, like an inheritance
  • ", + "

    Pension information

    ", + "

    You should keep:

    ", + "
  • form P160 (Part 1A) which you got when your pension started
  • ", + "
  • form P60 which your pension provider sends you every year
  • ", + "
  • any other details of a pension (including State Pension) and the tax deducted from it
  • ", + "

    Rental income

    ", + "

    You should keep details of:

    ", + "
  • the dates when you let out your property
  • ", + "
  • all rent you get
  • ", + "
  • any income from services you give to tenants (for example if you charge for maintenance or repairs)
  • ", + "
  • rent books, receipts, invoices and bank statements
  • ", + "
  • allowable expenses you pay to run your property (for example services you pay for such as cleaning or gardening)
  • ", + "

    There are rules about what you can and cannot claim as expenses on your tax return.

    ", + "

    Capital gains or losses

    ", + "

    You may have to pay Capital Gains Tax if you sell (or \u2018dispose of\u2019) certain assets that have gone up in value since you got them.

    ", + "

    You must make sure you keep the correct records.

    ", + "

    Overseas income

    ", + "

    You should keep:

    ", + "
  • evidence of income you\u2019ve earned from overseas, like payslips, bank statements or payment confirmations
  • ", + "
  • receipts for any overseas expenses you want to claim to reduce your tax bill
  • ", + "
  • dividend certificates from overseas companies
  • ", + "
  • certificates or other proof of the tax you\u2019ve already paid - either in the UK or overseas
  • " + ] + }, + "https://www.gov.uk/register-for-self-assessment": { + "url": "https://www.gov.uk/register-for-self-assessment", + "title": "Register for Self Assessment", + "content": "## Overview\n\nYou must register for Self Assessment if you have to send a tax return and did not send one last year.\n\nThere are different ways to register if you\u2019re:\n\n- self-employed\n\n- not self-employed\n\n- registering a partner or partnership\n\n## Register if you\u2019re self-employed\n\nIf you have to send a tax return and did not send one last year, you need to register for Self Assessment and Class 2 National Insurance.\n\nRegister by 5 October in your business\u2019s second tax year. You could be fined if you do not.\n\n## If you have not filed a return online before\n\n- Register online. Once you\u2019ve completed the questions, HMRC will create your account.\n\n- You\u2019ll receive a letter with your Unique Taxpayer Reference (UTR) number within 10 days (21 if you\u2019re abroad). You\u2019ll need your UTR to file a return.\n\n- You\u2019ll then receive another letter with an activation code for your account. You can get a new activation code if you do not receive it or you lose it.\n\nOnce you\u2019ve activated your account, you can file your tax return any time before the deadline.\n\n## If you\u2019ve filed a return online before\n\nRe-register online (form CWF1) if the work you plan to do is different from what you did before.\n\nYou\u2019ll need your 10-digit Unique Taxpayer Reference (UTR) from when you registered before. You can find your UTR if you do not know it.\n\nYou\u2019ll receive a letter with a new account activation code 10 days later (21 if you\u2019re abroad).\n\nOnce you\u2019ve reactivated your account, you can file your tax return any time before the deadline.\n\nIf the work you plan to do is the same as you did before, sign in to your account.\n\n## If you\u2019ve filed before but you did not use the online service\n\nCreate an account for the online service using your UTR. You can find your UTR if you do not know it.\n\nYou\u2019ll receive a letter with an activation code for your account.\n\nOnce you\u2019ve activated your account, you can file your tax return any time before the deadline.\n\n## Other ways to register\n\nYou can fill in this form on-screen then print off and post to HMRC. You\u2019ll need to have all your information ready as you cannot save a partly completed form.\n\nIf you\u2019re using an older browser, for example Internet Explorer 8, you\u2019ll need to update it or use a different browser. Find out more about browsers.\n\n## Register if you're not self-employed\n\nIf you have to send a tax return and did not send one last year, you need to register for Self Assessment by 5 October.\n\n## If you have not filed online before\n\n- Register using form SA1.\n\n- After you register, you\u2019ll receive your Unique Taxpayer Reference (UTR) number in the post within 10 working days (21 if you\u2019re abroad).\n\n- Create your online account.\n\n- Sign up for Self Assessment online - you\u2019ll need your UTR to do this.\n\nYou\u2019ll get an activation code for your new account in the post within 7 working days of signing up (21 if you\u2019re abroad). When you get the code, sign in to send your return.\n\nYou can replace an activation code if you do not receive it or you lose it.\n\nOnce you\u2019ve activated your account, you can file your tax return any time.\n\n## If you\u2019ve filed online before\n\nSign in to your existing account.\n\n## Register if you're a partner or partnership\n\nYou must register for Self Assessment by 5 October if you\u2019re a partner in a partnership.\n\nYou\u2019ll need your partnership\u2019s 10-digit Unique Taxpayer Reference (UTR). You can find a UTR if you\u2019ve lost it.\n\nYou must also register your partnership if you\u2019re the \u2018nominated partner\u2019.\n\nThere are different ways to register:\n\n- for limited liability partnerships\n\n- if you\u2019re a partner that\u2019s not an individual, for example a company or trust", + "original_contents": [ + "

    Overview

    ", + "

    You must register for Self Assessment if you have to send a tax return and did not send one last year.

    ", + "

    There are different ways to register if you\u2019re:

    ", + "
  • self-employed
  • ", + "
  • not self-employed
  • ", + "
  • registering a partner or partnership
  • ", + "

    Register if you\u2019re self-employed

    ", + "

    If you have to send a tax return and did not send one last year, you need to register for Self Assessment and Class 2 National Insurance.

    ", + "

    Register by 5 October in your business\u2019s second tax year. You could be fined if you do not.

    ", + "

    If you have not filed a return online before

    ", + "
  • Register online. Once you\u2019ve completed the questions, HMRC will create your account.
  • ", + "
  • You\u2019ll receive a letter with your Unique Taxpayer Reference (UTR) number within 10 days (21 if you\u2019re abroad). You\u2019ll need your UTR to file a return.
  • ", + "
  • You\u2019ll then receive another letter with an activation code for your account. You can get a new activation code if you do not receive it or you lose it.
  • ", + "

    Once you\u2019ve activated your account, you can file your tax return any time before the deadline.

    ", + "

    If you\u2019ve filed a return online before

    ", + "

    Re-register online (form CWF1) if the work you plan to do is different from what you did before.

    ", + "

    You\u2019ll need your 10-digit Unique Taxpayer Reference (UTR) from when you registered before. You can find your UTR if you do not know it.

    ", + "

    You\u2019ll receive a letter with a new account activation code 10 days later (21 if you\u2019re abroad).

    ", + "

    Once you\u2019ve reactivated your account, you can file your tax return any time before the deadline.

    ", + "

    If the work you plan to do is the same as you did before, sign in to your account.

    ", + "

    If you\u2019ve filed before but you did not use the online service

    ", + "

    Create an account for the online service using your UTR. You can find your UTR if you do not know it.

    ", + "

    You\u2019ll receive a letter with an activation code for your account.

    ", + "

    Once you\u2019ve activated your account, you can file your tax return any time before the deadline.

    ", + "

    Other ways to register

    ", + "

    You can fill in this form on-screen then print off and post to HMRC. You\u2019ll need to have all your information ready as you cannot save a partly completed form.

    ", + "

    If you\u2019re using an older browser, for example Internet Explorer 8, you\u2019ll need to update it or use a different browser. Find out more about browsers.

    ", + "

    Register if you're not self-employed

    ", + "

    If you have to send a tax return and did not send one last year, you need to register for Self Assessment by 5 October.

    ", + "

    If you have not filed online before

    ", + "
  • Register using form SA1.
  • ", + "
  • After you register, you\u2019ll receive your Unique Taxpayer Reference (UTR) number in the post within 10 working days (21 if you\u2019re abroad).
  • ", + "
  • Create your online account.
  • ", + "
  • Sign up for Self Assessment online - you\u2019ll need your UTR to do this.
  • ", + "

    You\u2019ll get an activation code for your new account in the post within 7 working days of signing up (21 if you\u2019re abroad). When you get the code, sign in to send your return.

    ", + "

    You can replace an activation code if you do not receive it or you lose it.

    ", + "

    Once you\u2019ve activated your account, you can file your tax return any time.

    ", + "

    If you\u2019ve filed online before

    ", + "

    Sign in to your existing account.

    ", + "

    Register if you're a partner or partnership

    ", + "

    You must register for Self Assessment by 5 October if you\u2019re a partner in a partnership.

    ", + "

    You\u2019ll need your partnership\u2019s 10-digit Unique Taxpayer Reference (UTR). You can find a UTR if you\u2019ve lost it.

    ", + "

    You must also register your partnership if you\u2019re the \u2018nominated partner\u2019.

    ", + "

    There are different ways to register:

    ", + "
  • for limited liability partnerships
  • ", + "
  • if you\u2019re a partner that\u2019s not an individual, for example a company or trust
  • " + ] + }, + "https://www.gov.uk/vat-building-new-home": { + "url": "https://www.gov.uk/vat-building-new-home", + "title": "Building a new home and VAT", + "content": "## Overview\n\nYou can apply for a VAT refund on building materials and services if you\u2019re:\n\n- building a new home\n\n- converting a property into a home\n\n- building a non-profit communal residence - eg a hospice\n\n- building a property for a charity\n\nThe building work and materials have to qualify and you must apply to HM Revenue and Customs (HMRC) within 3 months of completing the work.\n\nThere is a separate guide to VAT if you\u2019re working in the construction industry.\n\n## Eligibility\n\nThe application form has guidance on what building projects and materials qualify for a VAT refund. The basics are listed below.\n\n## New homes\n\nThe home must:\n\n- be separate and self-contained\n\n- be for you or your family to live or holiday in\n\n- not be for business purposes (you can use one room as a work from home office)\n\nBuilders working on new buildings should be zero-rated anyway and you won\u2019t pay any VAT on their services.\n\n## Conversions\n\nThe building being converted must usually be a non-residential building. Residential buildings qualify if they haven\u2019t been lived in for at least 10 years.\n\nYou may claim a refund for builders\u2019 work on a conversion of non-residential building into a home.\n\nFor other conversions builders can charge a reduced VAT rate.\n\n## Communal and charity buildings\n\nYou may get a VAT refund if the building is for one of the following purposes:\n\n- non-business - you can\u2019t charge a fee for the use of the building\n\n- charitable, for example a hospice\n\n- residential, for example a children\u2019s home\n\n## Building materials\n\nYou may claim a VAT refund for building materials that are incorporated into the building and can\u2019t be removed without tools or damaging the building.\n\n## What doesn\u2019t qualify\n\nYou can\u2019t get a VAT refund for:\n\n- building projects in the Channel Islands\n\n- materials or services that don\u2019t have any VAT - for example, they were zero-rated or exempt\n\n- professional or supervisory fees - for example, architects or surveyors\n\n- hiring machinery or equipment\n\n- buildings for business purposes\n\n- buildings that can\u2019t be sold or used separately from another property because of a planning permission condition\n\n- building materials that aren\u2019t permanently attached to or part of the building itself\n\n- fitted furniture, some electrical and gas appliances, carpets or garden ornaments\n\n## How to claim\n\nFill in form 431NB to claim a VAT refund on a new build, or 431C to claim for a conversion.\n\nSend your claim form to HM Revenue and Customs (HMRC).\n\nYou must claim within 3 months of the building work being completed.\n\n## What you need to include\n\nYou must include all the documents listed in the claim form as part of your application.\n\nIf an invoice is in your business\u2019s name, you\u2019ll need proof that you\u2019ve refunded the amount from your personal bank - for example, a bank statement.\n\nVAT invoices must be valid and show the correct rate of VAT or they will not be accepted. For invoices not in sterling, convert the amounts into sterling.\n\n## How long it takes\n\nHMRC will write to you about when you can expect your VAT refund if your claim is successful. They will usually write to you within 6 weeks.\n\n## Help with VAT for building materials\n\nContact HMRC if you have further questions.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a VAT refund on building materials and services if you\u2019re:

    ", + "
  • building a new home
  • ", + "
  • converting a property into a home
  • ", + "
  • building a non-profit communal residence - eg a hospice
  • ", + "
  • building a property for a charity
  • ", + "

    The building work and materials have to qualify and you must apply to HM Revenue and Customs (HMRC) within 3 months of completing the work.

    ", + "

    There is a separate guide to VAT if you\u2019re working in the construction industry.

    ", + "

    Eligibility

    ", + "

    The application form has guidance on what building projects and materials qualify for a VAT refund. The basics are listed below.

    ", + "

    New homes

    ", + "

    The home must:

    ", + "
  • be separate and self-contained
  • ", + "
  • be for you or your family to live or holiday in
  • ", + "
  • not be for business purposes (you can use one room as a work from home office)
  • ", + "

    Builders working on new buildings should be zero-rated anyway and you won\u2019t pay any VAT on their services.

    ", + "

    Conversions

    ", + "

    The building being converted must usually be a non-residential building. Residential buildings qualify if they haven\u2019t been lived in for at least 10 years.

    ", + "

    You may claim a refund for builders\u2019 work on a conversion of non-residential building into a home.

    ", + "

    For other conversions builders can charge a reduced VAT rate.

    ", + "

    Communal and charity buildings

    ", + "

    You may get a VAT refund if the building is for one of the following purposes:

    ", + "
  • non-business - you can\u2019t charge a fee for the use of the building
  • ", + "
  • charitable, for example a hospice
  • ", + "
  • residential, for example a children\u2019s home
  • ", + "

    Building materials

    ", + "

    You may claim a VAT refund for building materials that are incorporated into the building and can\u2019t be removed without tools or damaging the building.

    ", + "

    What doesn\u2019t qualify

    ", + "

    You can\u2019t get a VAT refund for:

    ", + "
  • building projects in the Channel Islands
  • ", + "
  • materials or services that don\u2019t have any VAT - for example, they were zero-rated or exempt
  • ", + "
  • professional or supervisory fees - for example, architects or surveyors
  • ", + "
  • hiring machinery or equipment
  • ", + "
  • buildings for business purposes
  • ", + "
  • buildings that can\u2019t be sold or used separately from another property because of a planning permission condition
  • ", + "
  • building materials that aren\u2019t permanently attached to or part of the building itself
  • ", + "
  • fitted furniture, some electrical and gas appliances, carpets or garden ornaments
  • ", + "

    How to claim

    ", + "

    Fill in form 431NB to claim a VAT refund on a new build, or 431C to claim for a conversion.

    ", + "

    Send your claim form to HM Revenue and Customs (HMRC).

    ", + "

    You must claim within 3 months of the building work being completed.

    ", + "

    What you need to include

    ", + "

    You must include all the documents listed in the claim form as part of your application.

    ", + "

    If an invoice is in your business\u2019s name, you\u2019ll need proof that you\u2019ve refunded the amount from your personal bank - for example, a bank statement.

    ", + "

    VAT invoices must be valid and show the correct rate of VAT or they will not be accepted. For invoices not in sterling, convert the amounts into sterling.

    ", + "

    How long it takes

    ", + "

    HMRC will write to you about when you can expect your VAT refund if your claim is successful. They will usually write to you within 6 weeks.

    ", + "

    Help with VAT for building materials

    ", + "

    Contact HMRC if you have further questions.

    " + ] + }, + "https://www.gov.uk/tax-on-shopping": { + "url": "https://www.gov.uk/tax-on-shopping", + "title": "Tax on shopping and services", + "content": "## VAT and duties\n\nVAT is a tax you pay on most goods and services.\n\n| Rate | % of VAT | What the rate applies to |\n\n| Standard | 20% | Most goods and services |\n\n| Reduced rate | 5% | Some goods and services, for example children\u2019s car seats and some energy-saving materials in the home |\n\n| Zero rate | 0% | Zero-rated goods and services, for example most food and children\u2019s clothes |\n\nCheck the VAT rates on different goods and services. Some things are exempt from VAT, such as postage stamps and some financial and property transactions.\n\nVAT is normally included in the price you see in shops, but there are some exceptions.\n\n## VAT and disabled people\n\nYou do not have to pay VAT on certain goods and services if they\u2019re just for your own use and you\u2019re disabled or have a long-term illness.\n\n## Other taxes and duties\n\nYou pay different taxes on:\n\n- alcohol and tobacco\n\n- petrol, diesel and other fuel\n\n- insurance\n\n- goods from abroad if you go over your customs allowance\n\nAirlines have to pay air passenger duty for every flight from the UK. Most airline tickets include a separate charge to cover this cost.\n\nGambling operators (for example, betting shops and websites, casinos or slot machine owners) have to pay gambling duties on profits they make from gambling. Customers do not pay duty on their stake (what they bet or pay to play) or winnings.\n\n## Where you see VAT\n\n## In shops\n\nAny VAT due is already included in the price of something you buy in a shop. No tax is added when you pay.\n\nSome shops in Northern Ireland offer tax-free shopping for visitors.\n\n## In adverts, catalogues and price lists\n\nThis depends on who they\u2019re aimed at. If they\u2019re for:\n\n- the general public only, they\u2019ll show you a price including VAT\n\n- businesses as well as consumers, they might show the price with VAT and without\n\n- businesses only they do not usually include VAT, which is charged on top of the price shown\n\n## On bills and receipts\n\nSometimes VAT is shown on a separate line. This does not mean you\u2019re paying extra - it just shows how much tax is included in the price.\n\nInvoices from suppliers like builders, painters and decorators must show a separate amount for VAT and their VAT registration number.\n\n## How VAT is worked out\n\nWhen someone charges you VAT they multiply their selling price by the VAT rate to calculate the amount of VAT to charge.\n\nThey then add this to the selling price to give you the price you actually pay - this is called the \u2018gross\u2019 price.\n\n## VAT on energy-saving products\n\nIf you\u2019re eligible, you\u2019ll pay a reduced rate of VAT (5%) when certain energy-saving products are installed in your home.\n\nYour supplier will charge you the reduced rate on the installation and any extra work that\u2019s part of it.\n\nNot all products or installations qualify for the reduced rate and you cannot buy or install them yourself.\n\n## Eligibility\n\nTo qualify for the reduced rate, you must be over 60 or getting one or more of the following:\n\n- Child Tax Credit (but not the family element)\n\n- Council Tax Benefit\n\n- Disability Living Allowance\n\n- Personal Independence Payment\n\n- a disablement pension\n\n- Housing Benefit\n\n- Jobseeker\u2019s Allowance (income-based)\n\n- Income Support\n\n- War Disablement Pension\n\n- Working Tax Credit\n\nYou will also be eligible to get the reduced rate on the products if the total cost of them (not including VAT) is not over 60% of the cost of the installation of the products (not including VAT).\n\nIf your products cost more than 60% of the installation, you\u2019ll only be entitled to the reduced rate on the installation.\n\nYour supplier will be responsible for charging you the correct rate of VAT.\n\n## Energy products that qualify\n\nYou pay the reduced rate of 5% for:\n\n- controls for central heating and hot water systems\n\n- draught stripping, for example insulation fixed around windows and doors to reduce draughts\n\n- insulation on walls, floors, ceilings and lofts\n\n- solar panels\n\n- ground-source heat pumps\n\n- air-source heat pumps\n\n- micro combined heat and power units\n\n- wood-fuelled boilers\n\n## Central heating systems\n\nYou pay the reduced rate of 5% for work funded through energy efficiency grants on the:\n\n- installation of heating appliances\n\n- installation, repair and maintenance of central heating systems\n\n- installation, repair and maintenance of renewable source heating systems\n\nThe reduced rate is only for the grant-funded part of the work.\n\n## Energy products that do not qualify\n\nYou pay the standard rate of VAT for:\n\n- heating appliances or systems - unless you get an energy efficiency grant\n\n- energy efficient boilers\n\n- secondary or double glazing\n\n- low emission glass\n\n- energy efficient fridge freezers\n\n- wind turbines\n\n- water turbines\n\n## VAT on mobility aids\n\nIf you\u2019re over 60, you pay a reduced rate of VAT (5%) on certain mobility aids when you pay for them to be supplied and installed in your home.\n\n## Qualifying products\n\nYou can get the reduced rate on:\n\n- grab rails\n\n- ramps\n\n- stair lifts\n\n- bath lifts\n\n- built-in shower seats or showers containing built-in shower seats\n\n- walk-in baths with sealable doors\n\nYou do not get the reduced rate if you repair or replace the goods after they\u2019ve been installed.\n\nYou do not have to order and pay for the product yourself - a friend, local council, charity or housing association can do it for you.\n\n## How to get the reduced rate\n\nYour supplier should know about the reduced rate and apply it. You qualify if:\n\n- you\u2019re over 60 when the product is supplied or installed\n\n- the product is installed - you do not get the reduced rate if you just buy it\n\n- the product is for a private home, for example your own home or one shared with friends or relatives (a residential care home does not qualify)\n\nYou\u2019ll need to confirm to your supplier in writing that you meet these conditions. They may give you a form, or you can sign your own declaration. Ask a relative, partner or other responsible person if you\u2019re not able to fill it in yourself.\n\n## Declaration: mobility aids for older people\n\nSign and date the declaration, using this standard wording.\n\n## Help from your council\n\nIf you need to adapt your home because of old age you can apply to your council for equipment or help.\n\n## Tax-free shopping\n\nYou can only buy tax-free goods from shops in Great Britain (England, Wales and Scotland) if they\u2019re delivered straight to an address outside the UK. Check with the retailer if they offer this service.\n\nYou may be able to buy tax-free goods from some shops when you visit Northern Ireland. You claim your VAT refund when you leave Northern Ireland or the EU.\n\n## When you may be able to get a VAT refund\n\nYou can sometimes get VAT refunds on goods you buy in Northern Ireland if you:\n\n- visit Northern Ireland and live outside the UK and EU\n\n- work or study in Northern Ireland but normally live outside the UK and EU\n\n- live in Northern Ireland but are leaving the UK and EU for at least 12 months\n\nYou can only get a VAT refund if you take the goods out of Northern Ireland and the EU within 3 months of buying them. Not all retailers offer VAT refunds.\n\n## Taking goods from Northern Ireland to Great Britain\n\nYou will not get a VAT refund if you travel straight from Northern Ireland to Great Britain.\n\nIf you travel from Northern Ireland to Great Britain through another country, the goods will count towards your tax-free personal allowances. You may have to declare them along with other goods you\u2019re carrying when you enter Great Britain and pay import VAT.\n\nThis may mean you have to pay VAT again on the goods from Northern Ireland. If this happens, you can get a refund of the overpaid VAT from the retailer.\n\nCheck the rules on bringing goods into Great Britain.\n\n## How to get a VAT refund\n\n- Get a VAT 407 form from the retailer - they might ask for proof that you\u2019re eligible, for example your passport.\n\n- Show the goods, the completed form and your receipts to customs at the point when you leave Northern Ireland or the EU.\n\n- Customs will approve your form if everything is in order. You then take the approved form to get paid.\n\nIf you\u2019re changing planes in an EU country and checking your goods with your luggage, you must do step 2 in Northern Ireland when you check in.\n\n## Getting paid\n\nYou can either get paid immediately at a refund booth, for example at the airport, or send the approved form to the retailer or their refund company. The retailer will tell you how you\u2019ll get paid.\n\nSome retailers charge a fee for handling your form. This money will be deducted from your refund.\n\nIf there are no customs officials available, you can leave your form in a customs post box. Customs will check it and contact your retailer to arrange the refund if everything is in order.\n\n## Goods you cannot get a refund for\n\nYou cannot get a VAT refund for:\n\n- mail order goods, including internet sales, delivered outside of Northern Ireland\n\n- goods you\u2019ve already used in Northern Ireland or the EU, such as perfume\n\n- service charges, such as hotel bills\n\n- new or used cars\n\n- goods worth more than \u00a3600 exported for business purposes\n\n- goods to be exported as freight\n\n- goods that need an export licence (except antiques)\n\n- unmounted gemstones\n\n- gold over 125g, 2.75 troy ounces or 10 tolas\n\n- a boat you plan to sail to a destination outside Northern Ireland or the EU\n\nFind out more about claiming VAT back on tax-free shopping in Northern Ireland, including travelling to Great Britain and problems like losing your form.\n\n## Alcohol and tobacco duties\n\nTobacco Duty is included in the price you pay for cigarettes, cigars and other tobacco products.\n\nAlcohol duties are included in the price you pay for beer, cider or perry, wine or \u2018made-wine\u2019, and spirits. Made-wine is any alcoholic drink made by fermentation that\u2019s not beer, cider, perry, spirits or wine.\n\nYou also pay standard rate VAT at 20% on alcohol and tobacco products.\n\n## Tobacco Duty\n\nYou pay different rates of Tobacco Duty on cigarettes, cigars and other tobacco products.\n\n| Tobacco product | Rate |\n\n| Cigarettes | 16.5% of the retail price plus \u00a34.90 on a packet of 20 |\n\n| Cigars | \u00a33.05 on a 10g cigar |\n\n| Hand rolling tobacco | \u00a38.14 on a 30g packet |\n\n| Other smoking tobacco and chewing tobacco (for example pipe tobacco) | \u00a34.03 on a 30g packet |\n\n## Beer Duty\n\nHow much Beer Duty you pay depends on the beer\u2019s strength, or \u2018alcohol by volume\u2019 (ABV).\n\n| Strength (ABV) | Beer Duty rate per litre for each % of alcohol |\n\n| More than 1.2%, up to 2.8% | 8.42 pence |\n\n| More than 2.8%, up to 7.5% | 19.08 pence |\n\n| More than 7.5% | 24.77 pence |\n\n## Cider Duty\n\nYou pay Cider Duty on cider and perry. How much depends on the strength and whether it\u2019s still or sparkling.\n\n| Type of cider or perry | Strength (ABV) | Rate per litre |\n\n| Still | More than 1.2% but less than up to 6.9% | 40.38 pence |\n\n| Still | At least 6.9%, up to 7.5% | 50.71 pence |\n\n| Still | More than 7.5% but less than 8.5% | 61.04 pence |\n\n| Sparkling | More than 1.2%, up to 5.5% | 40.38 pence |\n\n| Sparkling | More than 5.5% but less than 8.5% | 288.10 pence |\n\n## Wine Duty\n\nHow much Wine Duty you pay depends on the strength of the wine (or made-wine) and whether it\u2019s still or sparkling.\n\n| Type of wine or made-wine | Strength (ABV) | Rate per litre |\n\n| Still | More than 1.2%, up to 4% | 91.68 pence |\n\n| Still | More than 4%, up to 5.5% | 126.08 pence |\n\n| Still | More than 5.5%, up to 15% | 297.57 pence |\n\n| Still | More than 15%, up to 22% | 396.72 pence |\n\n| Sparkling | More than 5.5% but less than 8.5% | 288.10 pence |\n\n| Sparkling | More than 8.5%, up to 15% | 381.15 pence |\n\nYou pay duty on wine and made-wine of more than 22% ABV at the same rate as spirits.\n\n## Spirit Duty\n\nYou pay \u00a328.74 of Spirit Duty per litre of pure alcohol.\n\n## Fuel Duty\n\nFuel Duty is included in the price you pay for petrol, diesel and other fuels used in vehicles or for heating.\n\nYou also pay standard rate VAT at 20% on most fuel, or the reduced rate of 5% on domestic heating fuel.\n\n## Fuel Duty rates\n\nThe rate you pay depends on the type of fuel.\n\n| Type of fuel | Rate |\n\n| Petrol, diesel, biodiesel and bioethanol | 57.95 pence per litre |\n\n| Liquefied petroleum gas (LPG) | 31.61 pence per kg |\n\n| Natural gas used as fuel in vehicles, for example biogas | 24.70 pence per kg |\n\n| \u2018Fuel oil\u2019 burned in a furnace or used for heating | 10.70 pence per litre |\n\nYou pay different rates on other types of fuel, depending on how they\u2019re used.\n\nYou may have to pay a penalty and could have your vehicle seized if you use \u2018rebated\u2019 oils like red diesel or kerosene on public roads. Report red diesel used on public roads to the Customs Hotline.\n\n## Insurance Premium Tax\n\nInsurance Premium Tax (IPT) is usually included in the price you pay for insurance.\n\nYou do not pay VAT on insurance.\n\nThe rate of IPT depends on the type of insurance and who supplies it.\n\n## Standard rate IPT\n\nThe rate is 12% on most types of insurance, including car, pet and home insurance.\n\n## Higher rate IPT\n\nThere\u2019s a higher rate of 20% for travel insurance, and insurance arranged by the supplier (rather than an insurance company) on:\n\n- vehicles, including hired vehicles - but the standard 12% rate is charged on ordinary motor insurance\n\n- electronic goods and other household appliances - this includes gas central heating but not mobile phones\n\n## Exemptions\n\nThere\u2019s no IPT on life insurance and income protection insurance.\n\n## Air Passenger Duty\n\nAirlines pay Air Passenger Duty (APD) for every passenger who flies from the UK. Ticket prices usually include a charge to cover this cost.\n\nYou do not pay VAT on the cost of flights.\n\nThe amount of APD the airline pays depends on how far away your destination is and the class you travel in.\n\nOn commercial passenger flights the duty costs from \u00a313 to \u00a3180 per flight. There are higher charges for some private passenger planes or charters.\n\nThere\u2019s no APD on long-haul flights from Northern Ireland or flights from the Scottish Highlands and Islands region.\n\nYou can check rates for Air Passenger Duty paid by operators.\n\n## If you do not take a flight\n\nIf you do not take a flight you may be able to get a refund of anything you paid to cover APD costs.\n\nContact your airline to see if you can get a refund. You may have to pay an administration fee.", + "original_contents": [ + "

    VAT and duties

    ", + "

    VAT is a tax you pay on most goods and services.

    ", + "Rate | % of VAT | What the rate applies to", + "Standard | 20% | Most goods and services", + "Reduced rate | 5% | Some goods and services, for example children\u2019s car seats and some energy-saving materials in the home", + "Zero rate | 0% | Zero-rated goods and services, for example most food and children\u2019s clothes", + "

    Check the VAT rates on different goods and services. Some things are exempt from VAT, such as postage stamps and some financial and property transactions.

    ", + "

    VAT is normally included in the price you see in shops, but there are some exceptions.

    ", + "

    VAT and disabled people

    ", + "

    You do not have to pay VAT on certain goods and services if they\u2019re just for your own use and you\u2019re disabled or have a long-term illness.

    ", + "

    Other taxes and duties

    ", + "

    You pay different taxes on:

    ", + "
  • alcohol and tobacco
  • ", + "
  • petrol, diesel and other fuel
  • ", + "
  • insurance
  • ", + "
  • goods from abroad if you go over your customs allowance
  • ", + "

    Airlines have to pay air passenger duty for every flight from the UK. Most airline tickets include a separate charge to cover this cost.

    ", + "

    Gambling operators (for example, betting shops and websites, casinos or slot machine owners) have to pay gambling duties on profits they make from gambling. Customers do not pay duty on their stake (what they bet or pay to play) or winnings.

    ", + "

    Where you see VAT

    ", + "

    In shops

    ", + "

    Any VAT due is already included in the price of something you buy in a shop. No tax is added when you pay.

    ", + "

    Some shops in Northern Ireland offer tax-free shopping for visitors.

    ", + "

    In adverts, catalogues and price lists

    ", + "

    This depends on who they\u2019re aimed at. If they\u2019re for:

    ", + "
  • the general public only, they\u2019ll show you a price including VAT
  • ", + "
  • businesses as well as consumers, they might show the price with VAT and without
  • ", + "
  • businesses only they do not usually include VAT, which is charged on top of the price shown
  • ", + "

    On bills and receipts

    ", + "

    Sometimes VAT is shown on a separate line. This does not mean you\u2019re paying extra - it just shows how much tax is included in the price.

    ", + "

    Invoices from suppliers like builders, painters and decorators must show a separate amount for VAT and their VAT registration number.

    ", + "

    How VAT is worked out

    ", + "

    When someone charges you VAT they multiply their selling price by the VAT rate to calculate the amount of VAT to charge.

    ", + "

    They then add this to the selling price to give you the price you actually pay - this is called the \u2018gross\u2019 price.

    ", + "

    VAT on energy-saving products

    ", + "

    If you\u2019re eligible, you\u2019ll pay a reduced rate of VAT (5%) when certain energy-saving products are installed in your home.

    ", + "

    Your supplier will charge you the reduced rate on the installation and any extra work that\u2019s part of it.

    ", + "

    Not all products or installations qualify for the reduced rate and you cannot buy or install them yourself.

    ", + "

    Eligibility

    ", + "

    To qualify for the reduced rate, you must be over 60 or getting one or more of the following:

    ", + "
  • Child Tax Credit (but not the family element)
  • ", + "
  • Council Tax Benefit
  • ", + "
  • Disability Living Allowance
  • ", + "
  • Personal Independence Payment
  • ", + "
  • a disablement pension
  • ", + "
  • Housing Benefit
  • ", + "
  • Jobseeker\u2019s Allowance (income-based)
  • ", + "
  • Income Support
  • ", + "
  • War Disablement Pension
  • ", + "
  • Working Tax Credit
  • ", + "

    You will also be eligible to get the reduced rate on the products if the total cost of them (not including VAT) is not over 60% of the cost of the installation of the products (not including VAT).

    ", + "

    If your products cost more than 60% of the installation, you\u2019ll only be entitled to the reduced rate on the installation.

    ", + "

    Your supplier will be responsible for charging you the correct rate of VAT.

    ", + "

    Energy products that qualify

    ", + "

    You pay the reduced rate of 5% for:

    ", + "
  • controls for central heating and hot water systems
  • ", + "
  • draught stripping, for example insulation fixed around windows and doors to reduce draughts
  • ", + "
  • insulation on walls, floors, ceilings and lofts
  • ", + "
  • solar panels
  • ", + "
  • ground-source heat pumps
  • ", + "
  • air-source heat pumps
  • ", + "
  • micro combined heat and power units
  • ", + "
  • wood-fuelled boilers
  • ", + "

    Central heating systems

    ", + "

    You pay the reduced rate of 5% for work funded through energy efficiency grants on the:

    ", + "
  • installation of heating appliances
  • ", + "
  • installation, repair and maintenance of central heating systems
  • ", + "
  • installation, repair and maintenance of renewable source heating systems
  • ", + "

    The reduced rate is only for the grant-funded part of the work.

    ", + "

    Energy products that do not qualify

    ", + "

    You pay the standard rate of VAT for:

    ", + "
  • heating appliances or systems - unless you get an energy efficiency grant
  • ", + "
  • energy efficient boilers
  • ", + "
  • secondary or double glazing
  • ", + "
  • low emission glass
  • ", + "
  • energy efficient fridge freezers
  • ", + "
  • wind turbines
  • ", + "
  • water turbines
  • ", + "

    VAT on mobility aids

    ", + "

    If you\u2019re over 60, you pay a reduced rate of VAT (5%) on certain mobility aids when you pay for them to be supplied and installed in your home.

    ", + "

    Qualifying products

    ", + "

    You can get the reduced rate on:

    ", + "
  • grab rails
  • ", + "
  • ramps
  • ", + "
  • stair lifts
  • ", + "
  • bath lifts
  • ", + "
  • built-in shower seats or showers containing built-in shower seats
  • ", + "
  • walk-in baths with sealable doors
  • ", + "

    You do not get the reduced rate if you repair or replace the goods after they\u2019ve been installed.

    ", + "

    You do not have to order and pay for the product yourself - a friend, local council, charity or housing association can do it for you.

    ", + "

    How to get the reduced rate

    ", + "

    Your supplier should know about the reduced rate and apply it. You qualify if:

    ", + "
  • you\u2019re over 60 when the product is supplied or installed
  • ", + "
  • the product is installed - you do not get the reduced rate if you just buy it
  • ", + "
  • the product is for a private home, for example your own home or one shared with friends or relatives (a residential care home does not qualify)
  • ", + "

    You\u2019ll need to confirm to your supplier in writing that you meet these conditions. They may give you a form, or you can sign your own declaration. Ask a relative, partner or other responsible person if you\u2019re not able to fill it in yourself.

    ", + "

    Declaration: mobility aids for older people

    ", + "

    Sign and date the declaration, using this standard wording.

    ", + "

    Help from your council

    ", + "

    If you need to adapt your home because of old age you can apply to your council for equipment or help.

    ", + "

    Tax-free shopping

    ", + "

    You can only buy tax-free goods from shops in Great Britain (England, Wales and Scotland) if they\u2019re delivered straight to an address outside the UK. Check with the retailer if they offer this service.

    ", + "

    You may be able to buy tax-free goods from some shops when you visit Northern Ireland. You claim your VAT refund when you leave Northern Ireland or the EU.

    ", + "

    When you may be able to get a VAT refund

    ", + "

    You can sometimes get VAT refunds on goods you buy in Northern Ireland if you:

    ", + "
  • visit Northern Ireland and live outside the UK and EU
  • ", + "
  • work or study in Northern Ireland but normally live outside the UK and EU
  • ", + "
  • live in Northern Ireland but are leaving the UK and EU for at least 12 months
  • ", + "

    You can only get a VAT refund if you take the goods out of Northern Ireland and the EU within 3 months of buying them. Not all retailers offer VAT refunds.

    ", + "

    Taking goods from Northern Ireland to Great Britain

    ", + "

    You will not get a VAT refund if you travel straight from Northern Ireland to Great Britain.

    ", + "

    If you travel from Northern Ireland to Great Britain through another country, the goods will count towards your tax-free personal allowances. You may have to declare them along with other goods you\u2019re carrying when you enter Great Britain and pay import VAT.

    ", + "

    This may mean you have to pay VAT again on the goods from Northern Ireland. If this happens, you can get a refund of the overpaid VAT from the retailer.

    ", + "

    Check the rules on bringing goods into Great Britain.

    ", + "

    How to get a VAT refund

    ", + "
  • Get a VAT 407 form from the retailer - they might ask for proof that you\u2019re eligible, for example your passport.
  • ", + "
  • Show the goods, the completed form and your receipts to customs at the point when you leave Northern Ireland or the EU.
  • ", + "
  • Customs will approve your form if everything is in order. You then take the approved form to get paid.
  • ", + "

    If you\u2019re changing planes in an EU country and checking your goods with your luggage, you must do step 2 in Northern Ireland when you check in.

    ", + "

    Getting paid

    ", + "

    You can either get paid immediately at a refund booth, for example at the airport, or send the approved form to the retailer or their refund company. The retailer will tell you how you\u2019ll get paid.

    ", + "

    Some retailers charge a fee for handling your form. This money will be deducted from your refund.

    ", + "

    If there are no customs officials available, you can leave your form in a customs post box. Customs will check it and contact your retailer to arrange the refund if everything is in order.

    ", + "

    Goods you cannot get a refund for

    ", + "

    You cannot get a VAT refund for:

    ", + "
  • mail order goods, including internet sales, delivered outside of Northern Ireland
  • ", + "
  • goods you\u2019ve already used in Northern Ireland or the EU, such as perfume
  • ", + "
  • service charges, such as hotel bills
  • ", + "
  • new or used cars
  • ", + "
  • goods worth more than \u00a3600 exported for business purposes
  • ", + "
  • goods to be exported as freight
  • ", + "
  • goods that need an export licence (except antiques)
  • ", + "
  • unmounted gemstones
  • ", + "
  • gold over 125g, 2.75 troy ounces or 10 tolas
  • ", + "
  • a boat you plan to sail to a destination outside Northern Ireland or the EU
  • ", + "

    Find out more about claiming VAT back on tax-free shopping in Northern Ireland, including travelling to Great Britain and problems like losing your form.

    ", + "

    Alcohol and tobacco duties

    ", + "

    Tobacco Duty is included in the price you pay for cigarettes, cigars and other tobacco products.

    ", + "

    Alcohol duties are included in the price you pay for beer, cider or perry, wine or \u2018made-wine\u2019, and spirits. Made-wine is any alcoholic drink made by fermentation that\u2019s not beer, cider, perry, spirits or wine.

    ", + "

    You also pay standard rate VAT at 20% on alcohol and tobacco products.

    ", + "

    Tobacco Duty

    ", + "

    You pay different rates of Tobacco Duty on cigarettes, cigars and other tobacco products.

    ", + "Tobacco product | Rate", + "Cigarettes | 16.5% of the retail price plus \u00a34.90 on a packet of 20", + "Cigars | \u00a33.05 on a 10g cigar", + "Hand rolling tobacco | \u00a38.14 on a 30g packet", + "Other smoking tobacco and chewing tobacco (for example pipe tobacco) | \u00a34.03 on a 30g packet", + "

    Beer Duty

    ", + "

    How much Beer Duty you pay depends on the beer\u2019s strength, or \u2018alcohol by volume\u2019 (ABV).

    ", + "Strength (ABV) | Beer Duty rate per litre for each % of alcohol", + "More than 1.2%, up to 2.8% | 8.42 pence", + "More than 2.8%, up to 7.5% | 19.08 pence", + "More than 7.5% | 24.77 pence", + "

    Cider Duty

    ", + "

    You pay Cider Duty on cider and perry. How much depends on the strength and whether it\u2019s still or sparkling.

    ", + "Type of cider or perry | Strength (ABV) | Rate per litre", + "Still | More than 1.2% but less than up to 6.9% | 40.38 pence", + "Still | At least 6.9%, up to 7.5% | 50.71 pence", + "Still | More than 7.5% but less than 8.5% | 61.04 pence", + "Sparkling | More than 1.2%, up to 5.5% | 40.38 pence", + "Sparkling | More than 5.5% but less than 8.5% | 288.10 pence", + "

    Wine Duty

    ", + "

    How much Wine Duty you pay depends on the strength of the wine (or made-wine) and whether it\u2019s still or sparkling.

    ", + "Type of wine or made-wine | Strength (ABV) | Rate per litre", + "Still | More than 1.2%, up to 4% | 91.68 pence", + "Still | More than 4%, up to 5.5% | 126.08 pence", + "Still | More than 5.5%, up to 15% | 297.57 pence", + "Still | More than 15%, up to 22% | 396.72 pence", + "Sparkling | More than 5.5% but less than 8.5% | 288.10 pence", + "Sparkling | More than 8.5%, up to 15% | 381.15 pence", + "

    You pay duty on wine and made-wine of more than 22% ABV at the same rate as spirits.

    ", + "

    Spirit Duty

    ", + "

    You pay \u00a328.74 of Spirit Duty per litre of pure alcohol.

    ", + "

    Fuel Duty

    ", + "

    Fuel Duty is included in the price you pay for petrol, diesel and other fuels used in vehicles or for heating.

    ", + "

    You also pay standard rate VAT at 20% on most fuel, or the reduced rate of 5% on domestic heating fuel.

    ", + "

    Fuel Duty rates

    ", + "

    The rate you pay depends on the type of fuel.

    ", + "Type of fuel | Rate", + "Petrol, diesel, biodiesel and bioethanol | 57.95 pence per litre", + "Liquefied petroleum gas (LPG) | 31.61 pence per kg", + "Natural gas used as fuel in vehicles, for example biogas | 24.70 pence per kg", + "\u2018Fuel oil\u2019 burned in a furnace or used for heating | 10.70 pence per litre", + "

    You pay different rates on other types of fuel, depending on how they\u2019re used.

    ", + "

    You may have to pay a penalty and could have your vehicle seized if you use \u2018rebated\u2019 oils like red diesel or kerosene on public roads. Report red diesel used on public roads to the Customs Hotline.

    ", + "

    Insurance Premium Tax

    ", + "

    Insurance Premium Tax (IPT) is usually included in the price you pay for insurance.

    ", + "

    You do not pay VAT on insurance.

    ", + "

    The rate of IPT depends on the type of insurance and who supplies it.

    ", + "

    Standard rate IPT

    ", + "

    The rate is 12% on most types of insurance, including car, pet and home insurance.

    ", + "

    Higher rate IPT

    ", + "

    There\u2019s a higher rate of 20% for travel insurance, and insurance arranged by the supplier (rather than an insurance company) on:

    ", + "
  • vehicles, including hired vehicles - but the standard 12% rate is charged on ordinary motor insurance
  • ", + "
  • electronic goods and other household appliances - this includes gas central heating but not mobile phones
  • ", + "

    Exemptions

    ", + "

    There\u2019s no IPT on life insurance and income protection insurance.

    ", + "

    Air Passenger Duty

    ", + "

    Airlines pay Air Passenger Duty (APD) for every passenger who flies from the UK. Ticket prices usually include a charge to cover this cost.

    ", + "

    You do not pay VAT on the cost of flights.

    ", + "

    The amount of APD the airline pays depends on how far away your destination is and the class you travel in.

    ", + "

    On commercial passenger flights the duty costs from \u00a313 to \u00a3180 per flight. There are higher charges for some private passenger planes or charters.

    ", + "

    There\u2019s no APD on long-haul flights from Northern Ireland or flights from the Scottish Highlands and Islands region.

    ", + "

    You can check rates for Air Passenger Duty paid by operators.

    ", + "

    If you do not take a flight

    ", + "

    If you do not take a flight you may be able to get a refund of anything you paid to cover APD costs.

    ", + "

    Contact your airline to see if you can get a refund. You may have to pay an administration fee.

    " + ] + }, + "https://www.gov.uk/vat-annual-accounting-scheme": { + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "title": "VAT Annual Accounting Scheme", + "content": "## Overview\n\nUsually, VAT-registered businesses submit their VAT Returns and payments to HM Revenue and Customs 4 times a year.\n\nWith the Annual Accounting Scheme you:\n\n- make advance VAT payments towards your VAT bill - based on your last return (or estimated if you\u2019re new to VAT)\n\n- submit 1 VAT Return a year\n\nFrom 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.\n\nWhen you submit your VAT Return you either:\n\n- make a final payment - the difference between your advance payments and actual VAT bill\n\n- apply for a refund - if you\u2019ve overpaid your VAT bill\n\nThe scheme would not suit your business if you regularly reclaim VAT because you\u2019ll only be able to get 1 refund a year (when you submit the VAT Return).\n\nYou can join the scheme if your estimated VAT taxable turnover is \u00a31.35 million or less.\n\nTalk to an accountant or tax adviser if you want advice on whether the Annual Accounting Scheme is right for you.\n\n## Join or leave the scheme\n\nYou must be eligible to join the scheme.\n\n## How to join\n\nYou can join the scheme:\n\n- online - when you register for VAT\n\n- by post - fill in VAT600 AA (or use VAT600 AA/FRS to apply for the Flat Rate Scheme at the same time)\n\nDo not use the address on the form - send it to the following address instead.\n\nConfirmation you\u2019ve joined the scheme is sent to your VAT online account (or in the post if you do not apply online).\n\n## How to leave\n\nYou can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to be in it.\n\nTo leave, write to HMRC and they will confirm when you can leave. From this date, you must account for your VAT in the usual way.\n\nYou have to wait 12 months before you can rejoin the scheme.\n\n## Eligibility\n\nYou can join the Annual Accounting Scheme if:\n\n- you\u2019re a VAT-registered business\n\n- your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use the scheme if:\n\n- you left the scheme in the last 12 months\n\n- your business is part of a VAT registered division or group of companies\n\n- you\u2019re not up to date with your VAT Returns or payments\n\n- you\u2019re insolvent\n\n## Leaving the scheme\n\nYou must leave the scheme if:\n\n- you\u2019re no longer eligible to be in it\n\n- your VAT taxable turnover is (or is likely to be) more than \u00a31.6 million at the end of the annual accounting year\n\n## Return and payment deadlines\n\nCheck your VAT Return and payment deadlines in your HM Revenue and Customs (HMRC) online account.\n\n## VAT Return deadline\n\nThere are 12 months in your VAT accounting period. Your VAT Return is due once a year, 2 months after the end of your accounting period.\n\nMost businesses now need to keep digital VAT records and use software to submit VAT Returns.\n\n## Payment deadlines\n\nYou must make advance payments towards your VAT bill (either monthly or quarterly) during your accounting period and a final payment when you submit your VAT Return.\n\n| Payment | Deadline |\n\n| Monthly | Due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12 |\n\n| Quarterly | Due at the end of months 4, 7 and 10 |\n\n| Final payment | Within 2 months of month 12 |\n\n## How much do you pay\n\nEach payment is either 10% of your estimated VAT bill (monthly payments) or 25% (quarterly payments). The amount is based on previous VAT returns (or estimated if you\u2019re new to VAT).\n\nHMRC will write telling you when your instalments are due and how much they\u2019ll be.\n\nThe final payment (known as a \u2018balancing payment\u2019) is the difference between your advance payments and the actual VAT bill confirmed on your VAT Return.\n\nYou may be due a VAT refund if you\u2019ve overpaid HMRC.\n\nYou must pay VAT to HMRC electronically, for example by Direct Debit or internet banking.", + "original_contents": [ + "

    Overview

    ", + "

    Usually, VAT-registered businesses submit their VAT Returns and payments to HM Revenue and Customs 4 times a year.

    ", + "

    With the Annual Accounting Scheme you:

    ", + "
  • make advance VAT payments towards your VAT bill - based on your last return (or estimated if you\u2019re new to VAT)
  • ", + "
  • submit 1 VAT Return a year
  • ", + "

    From 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.

    ", + "

    When you submit your VAT Return you either:

    ", + "
  • make a final payment - the difference between your advance payments and actual VAT bill
  • ", + "
  • apply for a refund - if you\u2019ve overpaid your VAT bill
  • ", + "

    The scheme would not suit your business if you regularly reclaim VAT because you\u2019ll only be able to get 1 refund a year (when you submit the VAT Return).

    ", + "

    You can join the scheme if your estimated VAT taxable turnover is \u00a31.35 million or less.

    ", + "

    Talk to an accountant or tax adviser if you want advice on whether the Annual Accounting Scheme is right for you.

    ", + "

    Join or leave the scheme

    ", + "

    You must be eligible to join the scheme.

    ", + "

    How to join

    ", + "

    You can join the scheme:

    ", + "
  • online - when you register for VAT
  • ", + "
  • by post - fill in VAT600 AA (or use VAT600 AA/FRS to apply for the Flat Rate Scheme at the same time)
  • ", + "

    Do not use the address on the form - send it to the following address instead.

    ", + "

    Confirmation you\u2019ve joined the scheme is sent to your VAT online account (or in the post if you do not apply online).

    ", + "

    How to leave

    ", + "

    You can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to be in it.

    ", + "

    To leave, write to HMRC and they will confirm when you can leave. From this date, you must account for your VAT in the usual way.

    ", + "

    You have to wait 12 months before you can rejoin the scheme.

    ", + "

    Eligibility

    ", + "

    You can join the Annual Accounting Scheme if:

    ", + "
  • you\u2019re a VAT-registered business
  • ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • ", + "

    VAT taxable turnover is the total of everything sold that is not VAT exempt.

    ", + "

    Exceptions

    ", + "

    You cannot use the scheme if:

    ", + "
  • you left the scheme in the last 12 months
  • ", + "
  • your business is part of a VAT registered division or group of companies
  • ", + "
  • you\u2019re not up to date with your VAT Returns or payments
  • ", + "
  • you\u2019re insolvent
  • ", + "

    Leaving the scheme

    ", + "

    You must leave the scheme if:

    ", + "
  • you\u2019re no longer eligible to be in it
  • ", + "
  • your VAT taxable turnover is (or is likely to be) more than \u00a31.6 million at the end of the annual accounting year
  • ", + "

    Return and payment deadlines

    ", + "

    Check your VAT Return and payment deadlines in your HM Revenue and Customs (HMRC) online account.

    ", + "

    VAT Return deadline

    ", + "

    There are 12 months in your VAT accounting period. Your VAT Return is due once a year, 2 months after the end of your accounting period.

    ", + "

    Most businesses now need to keep digital VAT records and use software to submit VAT Returns.

    ", + "

    Payment deadlines

    ", + "

    You must make advance payments towards your VAT bill (either monthly or quarterly) during your accounting period and a final payment when you submit your VAT Return.

    ", + "Payment | Deadline", + "Monthly | Due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12", + "Quarterly | Due at the end of months 4, 7 and 10", + "Final payment | Within 2 months of month 12", + "

    How much do you pay

    ", + "

    Each payment is either 10% of your estimated VAT bill (monthly payments) or 25% (quarterly payments). The amount is based on previous VAT returns (or estimated if you\u2019re new to VAT).

    ", + "

    HMRC will write telling you when your instalments are due and how much they\u2019ll be.

    ", + "

    The final payment (known as a \u2018balancing payment\u2019) is the difference between your advance payments and the actual VAT bill confirmed on your VAT Return.

    ", + "

    You may be due a VAT refund if you\u2019ve overpaid HMRC.

    ", + "

    You must pay VAT to HMRC electronically, for example by Direct Debit or internet banking.

    " + ] + }, + "https://www.gov.uk/vat-cash-accounting-scheme": { + "url": "https://www.gov.uk/vat-cash-accounting-scheme", + "title": "VAT Cash Accounting Scheme", + "content": "## Overview\n\nUsually, the amount of VAT you pay HM Revenue and Customs (HMRC) is the difference between your sales invoices and purchase invoices. You have to\nreport these figures and pay any money to HMRC even if the invoices have not been paid.\n\nWith the Cash Accounting Scheme you:\n\n- pay VAT on your sales when your customers pay you\n\n- reclaim VAT on your purchases when you have paid your supplier\n\nTo join the scheme your VAT taxable turnover must be \u00a31.35 million or less.\n\nTalk to an accountant or tax adviser if you want advice on whether the Cash Accounting Scheme is right for you.\n\n## Eligibility\n\nYou can use cash accounting if:\n\n- your business is registered for VAT\n\n- your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use cash accounting if:\n\n- you use the VAT Flat Rate Scheme - instead, the Flat Rate Scheme has its own cash-based turnover method\n\n- you\u2019re not up to date with your VAT Returns or payments\n\n- you\u2019ve committed a VAT offence in the last 12 months, for example VAT evasion\n\nYou cannot use it for the following transactions (you have to use standard VAT accounting instead):\n\n- where the payment terms of a VAT invoice are 6 months or more\n\n- where a VAT invoice is raised in advance\n\n- buying or selling goods using lease purchase, hire purchase, conditional sale or credit sale\n\n- importing goods into Northern Ireland from the EU\n\n- moving goods outside a customs warehouse\n\nYou must leave the scheme if your VAT taxable turnover is more than \u00a31.6 million\n\n## Join or leave the scheme\n\n## How to join\n\nYou must be eligible to join the scheme. You join at the beginning of a VAT accounting period.\n\nYou do not have to tell HM Revenue and Customs (HMRC) you use cash accounting.\n\n## How to leave\n\nYou can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to use it. You should leave at the end of a VAT accounting period.\n\nYou do not have to tell HMRC you\u2019ve stopped using it, but you must report and pay HMRC any outstanding VAT (whether your customers have paid you or not).\n\nYou can report and pay the outstanding VAT over 6 months.\n\nIf your VAT taxable turnover exceeded \u00a31.35 million in the last 3 months you must report and pay straight away.\n\nYou must pay immediately if HMRC has written to you to withdraw your use of the scheme.", + "original_contents": [ + "

    Overview

    ", + "

    Usually, the amount of VAT you pay HM Revenue and Customs (HMRC) is the difference between your sales invoices and purchase invoices. You have to\nreport these figures and pay any money to HMRC even if the invoices have not been paid.

    ", + "

    With the Cash Accounting Scheme you:

    ", + "
  • pay VAT on your sales when your customers pay you
  • ", + "
  • reclaim VAT on your purchases when you have paid your supplier
  • ", + "

    To join the scheme your VAT taxable turnover must be \u00a31.35 million or less.

    ", + "

    Talk to an accountant or tax adviser if you want advice on whether the Cash Accounting Scheme is right for you.

    ", + "

    Eligibility

    ", + "

    You can use cash accounting if:

    ", + "
  • your business is registered for VAT
  • ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • ", + "

    VAT taxable turnover is the total of everything sold that is not VAT exempt.

    ", + "

    Exceptions

    ", + "

    You cannot use cash accounting if:

    ", + "
  • you use the VAT Flat Rate Scheme - instead, the Flat Rate Scheme has its own cash-based turnover method
  • ", + "
  • you\u2019re not up to date with your VAT Returns or payments
  • ", + "
  • you\u2019ve committed a VAT offence in the last 12 months, for example VAT evasion
  • ", + "

    You cannot use it for the following transactions (you have to use standard VAT accounting instead):

    ", + "
  • where the payment terms of a VAT invoice are 6 months or more
  • ", + "
  • where a VAT invoice is raised in advance
  • ", + "
  • buying or selling goods using lease purchase, hire purchase, conditional sale or credit sale
  • ", + "
  • importing goods into Northern Ireland from the EU
  • ", + "
  • moving goods outside a customs warehouse
  • ", + "

    You must leave the scheme if your VAT taxable turnover is more than \u00a31.6 million

    ", + "

    Join or leave the scheme

    ", + "

    How to join

    ", + "

    You must be eligible to join the scheme. You join at the beginning of a VAT accounting period.

    ", + "

    You do not have to tell HM Revenue and Customs (HMRC) you use cash accounting.

    ", + "

    How to leave

    ", + "

    You can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to use it. You should leave at the end of a VAT accounting period.

    ", + "

    You do not have to tell HMRC you\u2019ve stopped using it, but you must report and pay HMRC any outstanding VAT (whether your customers have paid you or not).

    ", + "

    You can report and pay the outstanding VAT over 6 months.

    ", + "

    If your VAT taxable turnover exceeded \u00a31.35 million in the last 3 months you must report and pay straight away.

    ", + "

    You must pay immediately if HMRC has written to you to withdraw your use of the scheme.

    " + ] + }, + "https://www.gov.uk/vat-flat-rate-scheme": { + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "title": "VAT Flat Rate Scheme", + "content": "## Overview\n\nThe amount of VAT a business pays or claims back from HM Revenue and Customs (HMRC) is usually the difference between the VAT charged by the business to customers and the VAT the business pays on their own purchases.\n\nWith the Flat Rate Scheme:\n\n- you pay a fixed rate of VAT to HMRC\n\n- you keep the difference between what you charge your customers and pay to HMRC\n\n- you cannot reclaim the VAT on your purchases - except for certain capital assets over \u00a32,000\n\nTo join the scheme your VAT turnover must be \u00a3150,000 or less (excluding VAT), and you must apply to HMRC.\n\nTalk to an accountant or tax adviser if you want advice on whether the Flat Rate Scheme is right for you.\n\n## Join or leave the scheme\n\nYou must be eligible to join the scheme.\n\n## How to join\n\nYou can join the scheme online when you register for VAT.\n\nYou can also fill in VAT600 FRS and either:\n\n- email it to frsapplications.vrs@hmrc.gsi.gov.uk\n\n- send it by post\n\nDo not use the address on the form - send it to the following address instead.\n\nUse VAT600 AA/FRS to apply for the Annual Accounting Scheme at the same time.\n\nYou\u2019ll get confirmation you\u2019ve joined the scheme through your VAT online account (or in the post if you do not apply online).\n\n## How to leave\n\nYou can choose to leave the scheme at any time. You must leave if you\u2019re no longer eligible to be in it.\n\nTo leave, write to HMRC and they will confirm your leaving date.\n\nYou must wait 12 months before you can rejoin the scheme.\n\n## Eligibility\n\nYou can join the Flat Rate Scheme if:\n\n- you\u2019re a VAT-registered business\n\n- you expect your VAT taxable turnover to be \u00a3150,000 or less (excluding VAT) in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use the scheme if:\n\n- you left the scheme in the last 12 months\n\n- you committed a VAT offence in the last 12 months, for example VAT evasion\n\n- you joined (or were eligible to join) a VAT group in the last 24 months\n\n- you registered for VAT as a business division in the last 24 months\n\n- your business is closely associated with another business\n\n- you\u2019ve joined a margin or capital goods VAT scheme\n\nYou cannot use the scheme with the Cash Accounting Scheme. Instead, the Flat Rate Scheme has its own cash-based method for calculating the turnover.\n\n## Leaving the scheme\n\nYou must leave the scheme if:\n\n- you\u2019re no longer eligible to be in it\n\n- on the anniversary of joining, your turnover in the last 12 months was more than \u00a3230,000 (including VAT) - or you expect it to be in the next 12 months\n\n- you expect your total income in the next 30 days alone to be more than \u00a3230,000 (including VAT)\n\n## Work out your flat rate\n\nThe VAT flat rate you use usually depends on your business type. You may pay a different rate if you only spend a small amount on goods.\n\nYou get a 1% discount if you\u2019re in your first year as a VAT-registered business.\n\n## If you spend a small amount on goods\n\nYou\u2019re classed as a \u2018limited cost business\u2019 if your goods cost less than either:\n\n- 2% of your turnover\n\n- \u00a31,000 a year (if your costs are more than 2%)\n\nThis means you pay a higher rate of 16.5%. You can calculate if you need to pay the higher rate and work out which goods count as costs.\n\nIf you are not a limited cost business, you use your business type to work out your flat rate.\n\n## Flat rates for types of business\n\nBecause of coronavirus (COVID-19) the flat rate for catering (including restaurants and takeaways), accommodation and pubs has been reduced until 31 March 2022.\n\n| Type of business | Current VAT flat rate (%) |\n\n| Accountancy or book-keeping | 14.5 |\n\n| Advertising | 11 |\n\n| Agricultural services | 11 |\n\n| Any other activity not listed elsewhere | 12 |\n\n| Architect, civil and structural engineer or surveyor | 14.5 |\n\n| Boarding or care of animals | 12 |\n\n| Business services not listed elsewhere | 12 |\n\n| Catering services including restaurants and takeaways before 15 July 2020 | 12.5 |\n\n| Catering services including restaurants and takeaways from 15 July 2020 to 30 September 2021 | 4.5 |\n\n| Catering services including restaurants and takeaways from 1 October 2021 to 31 March 2022 | 8.5 |\n\n| Computer and IT consultancy or data processing | 14.5 |\n\n| Computer repair services | 10.5 |\n\n| Entertainment or journalism | 12.5 |\n\n| Estate agency or property management services | 12 |\n\n| Farming or agriculture not listed elsewhere | 6.5 |\n\n| Film, radio, television or video production | 13 |\n\n| Financial services | 13.5 |\n\n| Forestry or fishing | 10.5 |\n\n| General building or construction services* | 9.5 |\n\n| Hairdressing or other beauty treatment services | 13 |\n\n| Hiring or renting goods | 9.5 |\n\n| Hotel or accommodation before 15 July 2020 | 10.5 |\n\n| Hotel or accommodation from 15 July 2020 to 30 September 2021 | 0 |\n\n| Hotel or accommodation from 1 October 2021 to 31 March 2022 | 5.5 |\n\n| Investigation or security | 12 |\n\n| Labour-only building or construction services* | 14.5 |\n\n| Laundry or dry-cleaning services | 12 |\n\n| Lawyer or legal services | 14.5 |\n\n| Library, archive, museum or other cultural activity | 9.5 |\n\n| Management consultancy | 14 |\n\n| Manufacturing fabricated metal products | 10.5 |\n\n| Manufacturing food | 9 |\n\n| Manufacturing not listed elsewhere | 9.5 |\n\n| Manufacturing yarn, textiles or clothing | 9 |\n\n| Membership organisation | 8 |\n\n| Mining or quarrying | 10 |\n\n| Packaging | 9 |\n\n| Photography | 11 |\n\n| Post offices | 5 |\n\n| Printing | 8.5 |\n\n| Publishing | 11 |\n\n| Pubs before 15 July 2020 | 6.5 |\n\n| Pubs from 15 July 2020 to 30 September 2021 | 1 |\n\n| Pubs from 1 October 2021 to 31 March 2022 | 4 |\n\n| Real estate activity not listed elsewhere | 14 |\n\n| Repairing personal or household goods | 10 |\n\n| Repairing vehicles | 8.5 |\n\n| Retailing food, confectionery, tobacco, newspapers or children\u2019s clothing | 4 |\n\n| Retailing pharmaceuticals, medical goods, cosmetics or toiletries | 8 |\n\n| Retailing not listed elsewhere | 7.5 |\n\n| Retailing vehicles or fuel | 6.5 |\n\n| Secretarial services | 13 |\n\n| Social work | 11 |\n\n| Sport or recreation | 8.5 |\n\n| Transport or storage, including couriers, freight, removals and taxis | 10 |\n\n| Travel agency | 10.5 |\n\n| Veterinary medicine | 11 |\n\n| Wholesaling agricultural products | 8 |\n\n| Wholesaling food | 7.5 |\n\n| Wholesaling not listed elsewhere | 8.5 |\n\n*\u2018Labour-only building or construction services\u2019 means building services where the value of the materials supplied is less than 10% of the turnover for those services. If more than this amount, the business is classed as \u2018General building or construction services\u2019.\n\n## What you pay\n\nYou calculate the tax you pay by multiplying your VAT flat rate by your \u2018VAT inclusive turnover\u2019.\n\nVAT inclusive turnover is different from standard VAT turnover. As well as business income (such as from sales), it includes the VAT paid on that income.\n\n## Calculating 2 flat rates\n\nThe first calculation should start from day one of your accounting period to the last day of that flat rate. The second should start from the date of the new flat rate to the end of your accounting period.\n\n## Get help\n\nCall the VAT Helpline if you have any questions about the Flat Rate Scheme.", + "original_contents": [ + "

    Overview

    ", + "

    The amount of VAT a business pays or claims back from HM Revenue and Customs (HMRC) is usually the difference between the VAT charged by the business to customers and the VAT the business pays on their own purchases.

    ", + "

    With the Flat Rate Scheme:

    ", + "
  • you pay a fixed rate of VAT to HMRC
  • ", + "
  • you keep the difference between what you charge your customers and pay to HMRC
  • ", + "
  • you cannot reclaim the VAT on your purchases - except for certain capital assets over \u00a32,000
  • ", + "

    To join the scheme your VAT turnover must be \u00a3150,000 or less (excluding VAT), and you must apply to HMRC.

    ", + "

    Talk to an accountant or tax adviser if you want advice on whether the Flat Rate Scheme is right for you.

    ", + "

    Join or leave the scheme

    ", + "

    You must be eligible to join the scheme.

    ", + "

    How to join

    ", + "

    You can join the scheme online when you register for VAT.

    ", + "

    You can also fill in VAT600 FRS and either:

    ", + "
  • email it to frsapplications.vrs@hmrc.gsi.gov.uk
  • ", + "
  • send it by post
  • ", + "

    Do not use the address on the form - send it to the following address instead.

    ", + "

    Use VAT600 AA/FRS to apply for the Annual Accounting Scheme at the same time.

    ", + "

    You\u2019ll get confirmation you\u2019ve joined the scheme through your VAT online account (or in the post if you do not apply online).

    ", + "

    How to leave

    ", + "

    You can choose to leave the scheme at any time. You must leave if you\u2019re no longer eligible to be in it.

    ", + "

    To leave, write to HMRC and they will confirm your leaving date.

    ", + "

    You must wait 12 months before you can rejoin the scheme.

    ", + "

    Eligibility

    ", + "

    You can join the Flat Rate Scheme if:

    ", + "
  • you\u2019re a VAT-registered business
  • ", + "
  • you expect your VAT taxable turnover to be \u00a3150,000 or less (excluding VAT) in the next 12 months
  • ", + "

    VAT taxable turnover is the total of everything sold that is not VAT exempt.

    ", + "

    Exceptions

    ", + "

    You cannot use the scheme if:

    ", + "
  • you left the scheme in the last 12 months
  • ", + "
  • you committed a VAT offence in the last 12 months, for example VAT evasion
  • ", + "
  • you joined (or were eligible to join) a VAT group in the last 24 months
  • ", + "
  • you registered for VAT as a business division in the last 24 months
  • ", + "
  • your business is closely associated with another business
  • ", + "
  • you\u2019ve joined a margin or capital goods VAT scheme
  • ", + "

    You cannot use the scheme with the Cash Accounting Scheme. Instead, the Flat Rate Scheme has its own cash-based method for calculating the turnover.

    ", + "

    Leaving the scheme

    ", + "

    You must leave the scheme if:

    ", + "
  • you\u2019re no longer eligible to be in it
  • ", + "
  • on the anniversary of joining, your turnover in the last 12 months was more than \u00a3230,000 (including VAT) - or you expect it to be in the next 12 months
  • ", + "
  • you expect your total income in the next 30 days alone to be more than \u00a3230,000 (including VAT)
  • ", + "

    Work out your flat rate

    ", + "

    The VAT flat rate you use usually depends on your business type. You may pay a different rate if you only spend a small amount on goods.

    ", + "

    You get a 1% discount if you\u2019re in your first year as a VAT-registered business.

    ", + "

    If you spend a small amount on goods

    ", + "

    You\u2019re classed as a \u2018limited cost business\u2019 if your goods cost less than either:

    ", + "
  • 2% of your turnover
  • ", + "
  • \u00a31,000 a year (if your costs are more than 2%)
  • ", + "

    This means you pay a higher rate of 16.5%. You can calculate if you need to pay the higher rate and work out which goods count as costs.

    ", + "

    If you are not a limited cost business, you use your business type to work out your flat rate.

    ", + "

    Flat rates for types of business

    ", + "

    Because of coronavirus (COVID-19) the flat rate for catering (including restaurants and takeaways), accommodation and pubs has been reduced until 31 March 2022.

    ", + "Type of business | Current VAT flat rate (%)", + "Accountancy or book-keeping | 14.5", + "Advertising | 11", + "Agricultural services | 11", + "Any other activity not listed elsewhere | 12", + "Architect, civil and structural engineer or surveyor | 14.5", + "Boarding or care of animals | 12", + "Business services not listed elsewhere | 12", + "Catering services including restaurants and takeaways before 15 July 2020 | 12.5", + "Catering services including restaurants and takeaways from 15 July 2020 to 30 September 2021 | 4.5", + "Catering services including restaurants and takeaways from 1 October 2021 to 31 March 2022 | 8.5", + "Computer and IT consultancy or data processing | 14.5", + "Computer repair services | 10.5", + "Entertainment or journalism | 12.5", + "Estate agency or property management services | 12", + "Farming or agriculture not listed elsewhere | 6.5", + "Film, radio, television or video production | 13", + "Financial services | 13.5", + "Forestry or fishing | 10.5", + "General building or construction services* | 9.5", + "Hairdressing or other beauty treatment services | 13", + "Hiring or renting goods | 9.5", + "Hotel or accommodation before 15 July 2020 | 10.5", + "Hotel or accommodation from 15 July 2020 to 30 September 2021 | 0", + "Hotel or accommodation from 1 October 2021 to 31 March 2022 | 5.5", + "Investigation or security | 12", + "Labour-only building or construction services* | 14.5", + "Laundry or dry-cleaning services | 12", + "Lawyer or legal services | 14.5", + "Library, archive, museum or other cultural activity | 9.5", + "Management consultancy | 14", + "Manufacturing fabricated metal products | 10.5", + "Manufacturing food | 9", + "Manufacturing not listed elsewhere | 9.5", + "Manufacturing yarn, textiles or clothing | 9", + "Membership organisation | 8", + "Mining or quarrying | 10", + "Packaging | 9", + "Photography | 11", + "Post offices | 5", + "Printing | 8.5", + "Publishing | 11", + "Pubs before 15 July 2020 | 6.5", + "Pubs from 15 July 2020 to 30 September 2021 | 1", + "Pubs from 1 October 2021 to 31 March 2022 | 4", + "Real estate activity not listed elsewhere | 14", + "Repairing personal or household goods | 10", + "Repairing vehicles | 8.5", + "Retailing food, confectionery, tobacco, newspapers or children\u2019s clothing | 4", + "Retailing pharmaceuticals, medical goods, cosmetics or toiletries | 8", + "Retailing not listed elsewhere | 7.5", + "Retailing vehicles or fuel | 6.5", + "Secretarial services | 13", + "Social work | 11", + "Sport or recreation | 8.5", + "Transport or storage, including couriers, freight, removals and taxis | 10", + "Travel agency | 10.5", + "Veterinary medicine | 11", + "Wholesaling agricultural products | 8", + "Wholesaling food | 7.5", + "Wholesaling not listed elsewhere | 8.5", + "

    *\u2018Labour-only building or construction services\u2019 means building services where the value of the materials supplied is less than 10% of the turnover for those services. If more than this amount, the business is classed as \u2018General building or construction services\u2019.

    ", + "

    What you pay

    ", + "

    You calculate the tax you pay by multiplying your VAT flat rate by your \u2018VAT inclusive turnover\u2019.

    ", + "

    VAT inclusive turnover is different from standard VAT turnover. As well as business income (such as from sales), it includes the VAT paid on that income.

    ", + "

    Calculating 2 flat rates

    ", + "

    The first calculation should start from day one of your accounting period to the last day of that flat rate. The second should start from the date of the new flat rate to the end of your accounting period.

    ", + "

    Get help

    ", + "

    Call the VAT Helpline if you have any questions about the Flat Rate Scheme.

    " + ] + }, + "https://www.gov.uk/vat-builders": { + "url": "https://www.gov.uk/vat-builders", + "title": "VAT for builders", + "content": "## Houses and flats\n\nVAT for most work on houses and flats by builders and similar trades like plumbers, plasterers and carpenters is charged at the standard rate of 20% - but there are some exceptions.\n\nHow you report and pay VAT in the construction industry is changing from 1 October 2019. Find out what you need to do to prepare.\n\n## Zero rate VAT\n\nYou may not have to charge VAT on some types of work if it meets certain conditions, including:\n\n- building a new house or flat\n\n- work for disabled people in their home\n\nThere\u2019s a separate guide on VAT refunds if you\u2019re building your own home.\n\n## Reduced rate VAT\n\nYou may be able to charge the reduced rate of 5% for some types of work if it meets certain conditions, including:\n\n- installing energy saving products and certain work for people over 60\n\n- converting a building into a house or flats or from one residential use to another\n\n- renovating an empty house or flat\n\n- home improvements to a domestic property on the Isle of Man\n\n## Buildings that are not houses or flats\n\nYou do not need to charge VAT for construction work on certain other types of building.\n\n## Building new homes\n\nYou may not have to charge VAT on labour or building materials for work you do on a new house or flat.\n\n## What counts as new\n\nFor work to be zero-rated for VAT, it must qualify as a genuinely new, self-contained house or flat. This means:\n\n- it\u2019s self-contained - there are not any internal doors or connections to other houses or flats\n\n- it can be used independently of any other property, including businesses\n\n- it can be sold on its own\n\n- it has proper planning permission\n\n- any existing buildings on the site have been demolished completely to ground level (unless you\u2019re extending an existing building to create a new house or flat)\n\nFor mixed-use buildings, like a shop with a flat above it, only the work on the residential part can be zero-rated for VAT.\n\nFind out more about qualifying buildings for zero-rated VAT.\n\n## Timing, labour and materials\n\nWork that\u2019s zero-rated for VAT must take place during the construction project, or be closely related to it (eg demolishing existing buildings and preparing the site). This is known as work done \u2018in the course of construction\u2019.\n\nYou cannot zero-rate work you do after a building\u2019s finished, apart from correcting defects in the original work (\u2018snagging\u2019).\n\nAll labour on a qualifying building can be zero-rated, but there are special rules on what counts as building materials for VAT purposes.\n\n## Work for disabled people\n\nYou may not have to charge VAT on alterations you make to a disabled person\u2019s home, or certain equipment you supply for their personal use.\n\n## Who qualifies as \u2018disabled\u2019\n\nTo be zero-rated for VAT, the work you\u2019re doing needs to be for someone with a:\n\n- physical or mental impairment that has a major long-term effect on their ability to do everyday activities\n\n- condition that the medical profession treats as a chronic sickness (eg diabetes)\n\n- terminal illness\n\nSomeone who\u2019s temporarily disabled or incapacitated, or elderly and frail but not disabled, does not qualify. However, you may be able to charge reduced-rate VAT at 5% on mobility aids, heating and security work for people over 60.\n\n## Alterations\n\nWork on a disabled person\u2019s home that can be zero-rated includes:\n\n- building a ramp\n\n- widening (but not building) a doorway or passage\n\n- installing, extending or adapting a bathroom, washroom or lavatory to suit their condition\n\n- installing, repairing or maintaining a lift used to help them move between floors\n\n- preparation and restoration of the immediately surrounding decor\n\nFind out more about alterations that can be zero-rated for VAT.\n\n## Equipment designed for disabled people\n\nYou do not have to charge VAT if you supply, install, repair, maintain or adapt certain equipment specifically designed for disabled people if it\u2019s for personal use in their home. This includes:\n\n- adjustable beds\n\n- hoists\n\n- chair and stair lifts\n\n- sanitary devices\n\n- alarms\n\n- parts and accessories for qualifying equipment\n\n- the cost of adapting something for a disabled person\n\nFind out more about zero-rated goods and services for disabled people.\n\nThere are different rules for equipment paid for or arranged by the NHS or any other hospital or nursing home.\n\n## Evidence of eligibility\n\nYou\u2019re responsible for making sure that your customer is eligible for zero-rate VAT, and you should be able to prove this from your records.\n\nYou can do this by getting your disabled customers (or a parent, guardian, doctor or another responsible person if they\u2019re not able) to sign a declaration containing information that shows they\u2019re eligible.\n\nA declaration must be separate (or clearly different) from any order form or invoice for goods or services.\n\n## Energy saving and mobility aids\n\nYou may be able to charge the reduced rate of VAT (5%) for work in residential properties to install:\n\n- certain energy-saving, heating and security products\n\n- mobility aids for people over 60\n\nThis includes the cost of the products themselves if you install them - but if you only supply them you must charge the standard rate of 20%.\n\n## Energy saving, heating and security\n\nYou can charge the reduced rate of VAT on work you do to install qualifying energy-saving products, and certain grant-funded heating and security equipment for people over 60 or on benefits.\n\nYou can also charge the reduced rate for extra work you need to do as part of the installation. But you must charge the standard rate of 20% on all work if the installation is just part of another, bigger job.\n\nFind out more about reduced-rate VAT for energy-saving products and grant-funded heating and security.\n\n## Mobility aids\n\nYou can charge the reduced rate of VAT on work you do to install certain mobility aids for people over 60, either in their own private home or in a private home that they share with their friends or relatives.\n\n## Other types of building\n\nYou may not have to charge VAT for some work you do on certain types of buildings that are not houses or flats, including:\n\n- civil engineering work to develop a residential caravan park\n\n- approved alterations and substantial reconstructions to protected buildings\n\n- converting a non-residential building into a house or communal residential building for a housing association\n\n- constructing certain buildings used by charities for a \u2018relevant charitable purpose\u2019\n\nThere are also certain other types of communal residential building that you do not have to charge VAT on, including:\n\n- children\u2019s homes\n\n- residential care homes\n\n- hospices\n\n- student accommodation\n\n- school boarding houses\n\n- armed forces\u2019 accommodation\n\n- monasteries, nunneries and similar buildings", + "original_contents": [ + "

    Houses and flats

    ", + "

    VAT for most work on houses and flats by builders and similar trades like plumbers, plasterers and carpenters is charged at the standard rate of 20% - but there are some exceptions.

    ", + "

    How you report and pay VAT in the construction industry is changing from 1 October 2019. Find out what you need to do to prepare.

    ", + "

    Zero rate VAT

    ", + "

    You may not have to charge VAT on some types of work if it meets certain conditions, including:

    ", + "
  • building a new house or flat
  • ", + "
  • work for disabled people in their home
  • ", + "

    There\u2019s a separate guide on VAT refunds if you\u2019re building your own home.

    ", + "

    Reduced rate VAT

    ", + "

    You may be able to charge the reduced rate of 5% for some types of work if it meets certain conditions, including:

    ", + "
  • installing energy saving products and certain work for people over 60
  • ", + "
  • converting a building into a house or flats or from one residential use to another
  • ", + "
  • renovating an empty house or flat
  • ", + "
  • home improvements to a domestic property on the Isle of Man
  • ", + "

    Buildings that are not houses or flats

    ", + "

    You do not need to charge VAT for construction work on certain other types of building.

    ", + "

    Building new homes

    ", + "

    You may not have to charge VAT on labour or building materials for work you do on a new house or flat.

    ", + "

    What counts as new

    ", + "

    For work to be zero-rated for VAT, it must qualify as a genuinely new, self-contained house or flat. This means:

    ", + "
  • it\u2019s self-contained - there are not any internal doors or connections to other houses or flats
  • ", + "
  • it can be used independently of any other property, including businesses
  • ", + "
  • it can be sold on its own
  • ", + "
  • it has proper planning permission
  • ", + "
  • any existing buildings on the site have been demolished completely to ground level (unless you\u2019re extending an existing building to create a new house or flat)
  • ", + "

    For mixed-use buildings, like a shop with a flat above it, only the work on the residential part can be zero-rated for VAT.

    ", + "

    Find out more about qualifying buildings for zero-rated VAT.

    ", + "

    Timing, labour and materials

    ", + "

    Work that\u2019s zero-rated for VAT must take place during the construction project, or be closely related to it (eg demolishing existing buildings and preparing the site). This is known as work done \u2018in the course of construction\u2019.

    ", + "

    You cannot zero-rate work you do after a building\u2019s finished, apart from correcting defects in the original work (\u2018snagging\u2019).

    ", + "

    All labour on a qualifying building can be zero-rated, but there are special rules on what counts as building materials for VAT purposes.

    ", + "

    Work for disabled people

    ", + "

    You may not have to charge VAT on alterations you make to a disabled person\u2019s home, or certain equipment you supply for their personal use.

    ", + "

    Who qualifies as \u2018disabled\u2019

    ", + "

    To be zero-rated for VAT, the work you\u2019re doing needs to be for someone with a:

    ", + "
  • physical or mental impairment that has a major long-term effect on their ability to do everyday activities
  • ", + "
  • condition that the medical profession treats as a chronic sickness (eg diabetes)
  • ", + "
  • terminal illness
  • ", + "

    Someone who\u2019s temporarily disabled or incapacitated, or elderly and frail but not disabled, does not qualify. However, you may be able to charge reduced-rate VAT at 5% on mobility aids, heating and security work for people over 60.

    ", + "

    Alterations

    ", + "

    Work on a disabled person\u2019s home that can be zero-rated includes:

    ", + "
  • building a ramp
  • ", + "
  • widening (but not building) a doorway or passage
  • ", + "
  • installing, extending or adapting a bathroom, washroom or lavatory to suit their condition
  • ", + "
  • installing, repairing or maintaining a lift used to help them move between floors
  • ", + "
  • preparation and restoration of the immediately surrounding decor
  • ", + "

    Find out more about alterations that can be zero-rated for VAT.

    ", + "

    Equipment designed for disabled people

    ", + "

    You do not have to charge VAT if you supply, install, repair, maintain or adapt certain equipment specifically designed for disabled people if it\u2019s for personal use in their home. This includes:

    ", + "
  • adjustable beds
  • ", + "
  • hoists
  • ", + "
  • chair and stair lifts
  • ", + "
  • sanitary devices
  • ", + "
  • alarms
  • ", + "
  • parts and accessories for qualifying equipment
  • ", + "
  • the cost of adapting something for a disabled person
  • ", + "

    Find out more about zero-rated goods and services for disabled people.

    ", + "

    There are different rules for equipment paid for or arranged by the NHS or any other hospital or nursing home.

    ", + "

    Evidence of eligibility

    ", + "

    You\u2019re responsible for making sure that your customer is eligible for zero-rate VAT, and you should be able to prove this from your records.

    ", + "

    You can do this by getting your disabled customers (or a parent, guardian, doctor or another responsible person if they\u2019re not able) to sign a declaration containing information that shows they\u2019re eligible.

    ", + "

    A declaration must be separate (or clearly different) from any order form or invoice for goods or services.

    ", + "

    Energy saving and mobility aids

    ", + "

    You may be able to charge the reduced rate of VAT (5%) for work in residential properties to install:

    ", + "
  • certain energy-saving, heating and security products
  • ", + "
  • mobility aids for people over 60
  • ", + "

    This includes the cost of the products themselves if you install them - but if you only supply them you must charge the standard rate of 20%.

    ", + "

    Energy saving, heating and security

    ", + "

    You can charge the reduced rate of VAT on work you do to install qualifying energy-saving products, and certain grant-funded heating and security equipment for people over 60 or on benefits.

    ", + "

    You can also charge the reduced rate for extra work you need to do as part of the installation. But you must charge the standard rate of 20% on all work if the installation is just part of another, bigger job.

    ", + "

    Find out more about reduced-rate VAT for energy-saving products and grant-funded heating and security.

    ", + "

    Mobility aids

    ", + "

    You can charge the reduced rate of VAT on work you do to install certain mobility aids for people over 60, either in their own private home or in a private home that they share with their friends or relatives.

    ", + "

    Other types of building

    ", + "

    You may not have to charge VAT for some work you do on certain types of buildings that are not houses or flats, including:

    ", + "
  • civil engineering work to develop a residential caravan park
  • ", + "
  • approved alterations and substantial reconstructions to protected buildings
  • ", + "
  • converting a non-residential building into a house or communal residential building for a housing association
  • ", + "
  • constructing certain buildings used by charities for a \u2018relevant charitable purpose\u2019
  • ", + "

    There are also certain other types of communal residential building that you do not have to charge VAT on, including:

    ", + "
  • children\u2019s homes
  • ", + "
  • residential care homes
  • ", + "
  • hospices
  • ", + "
  • student accommodation
  • ", + "
  • school boarding houses
  • ", + "
  • armed forces\u2019 accommodation
  • ", + "
  • monasteries, nunneries and similar buildings
  • " + ] + }, + "https://www.gov.uk/vat-margin-schemes": { + "url": "https://www.gov.uk/vat-margin-schemes", + "title": "VAT margin schemes", + "content": "## Overview\n\nVAT margin schemes tax the difference between what you paid for an item and what you sold it for, rather than the full selling price. You pay VAT at 16.67% (one-sixth) on the difference.\n\nYou can choose to use a margin scheme when you sell:\n\n- second-hand goods\n\n- works of art\n\n- antiques\n\n- collectors\u2019 items\n\nYou cannot use a margin scheme for:\n\n- any item you bought for which you were charged VAT\n\n- precious metals\n\n- investment gold\n\n- precious stones\n\n## How to start\n\nYou can start using a margin scheme at any time by keeping the correct records, and then reporting it on your VAT return. You do not have to register.\n\nYou\u2019ll have to pay VAT on the full selling price of each item if you do not meet all the scheme\u2019s requirements.\n\n## Exceptions\n\nThere are special rules if you\u2019re selling:\n\n- second hand cars\n\n- horses and ponies\n\n- houseboats and caravans\n\n- high volume, low price items - you can use the Global Accounting Scheme, a simplified version of the margin scheme\n\nThere are also special rules for dealers, pawnbrokers and auctioneers.\n\n## Eligibility\n\nYou can only use a margin scheme for:\n\n- second-hand goods\n\n- works of art\n\n- antiques and collectors\u2019 items\n\n## Second-hand goods\n\nGoods that can still be used, or which could be used after repair.\n\n## Works of art\n\nMost items normally described as \u2018works of art\u2019 are eligible. There are some exceptions, for example technical drawings, scenery for theatres and hand-decorated manufactured items.\n\n## Antiques and collectors\u2019 items\n\nAntiques are goods that are over 100 years old. Collectors\u2019 items are stamps, coins and currency and other pieces of scientific, historical or archaeological interest. Not all items that can be collected are eligible for a margin scheme.\n\nThere are special rules for works of art, antiques or collectors\u2019 items imported from outside the European Economic Area (EEA) and works of art bought directly from the creator or their heirs.\n\n## Margin schemes and standard VAT\n\nIf some of the items you buy and sell are not eligible for a margin scheme, you pay and charge VAT for those items in the normal way.\n\nYou cannot include any of the following in your calculations when using a margin scheme:\n\n- business overheads\n\n- repairs\n\n- parts or accessories\n\nInstead, reclaim these on your VAT return in the normal way.\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure about a particular item.\n\n## Keeping records\n\nYou must keep the usual VAT records when you use a margin scheme.\n\nYou must also keep:\n\n- a stockbook that tracks each item sold under the margin scheme individually\n\n- copies of purchase and sales invoices for all items\n\n## Stockbook\n\nYou must record certain information for each item you buy and sell that you want to use a margin scheme for.\n\n| Purchases | Sales |\n\n| Stock number in numerical sequence | - |\n\n| Date of purchase | Date of sale |\n\n| Purchase invoice number (unless you made out the purchase invoice yourself) | Sales invoice number |\n\n| Purchase price | Selling price, or method of disposal |\n\n| Name of seller | Name of buyer |\n\n| Description of the item | - |\n\n| - | Margin on sale (sales price less purchase price) |\n\n| - | VAT due (16.67% or one-sixth) |\n\nYou must keep VAT records for 6 years. You have to keep records until you sell the item for any stock you bought more than 6 years ago that you plan to sell under the margin scheme.\n\n## Invoices\n\nTo use the margin scheme, you must have invoices for each item that meet the VAT margin scheme requirements.\n\nThe margin scheme invoice requirements are not the same as the general VAT invoice requirements.\n\nYou must have:\n\n- an invoice from the seller when you bought the item\n\n- a copy of the invoice you gave to the buyer when you sold the item\n\n## Buying\n\nWhen you buy something you plan to sell under a margin scheme, you must get an invoice from the seller that includes:\n\n- date\n\n- seller\u2019s name and address\n\n- your name and address, or that of your business\n\n- the item\u2019s unique stockbook number (if you bought the item from another VAT-registered business)\n\n- invoice number (unless you made out the purchase invoice yourself)\n\n- item description\n\n- total price - you must not add any other costs to this price\n\n- if you bought the item from another VAT-registered business, any of the following: \u2018margin scheme - second hand goods\u2019, \u2018margin scheme - works of art\u2019 or \u2018margin scheme - collectors\u2019 items and antiques\u2019\n\n## Selling\n\nWhen you sell something you plan to claim for under a VAT margin scheme, you must give the buyer an invoice that includes:\n\n- date\n\n- your name, address and VAT registration number\n\n- the buyer\u2019s name and address, or that of their business\n\n- the item\u2019s unique stock book number\n\n- invoice number\n\n- item description\n\n- total price - you must not show VAT separately\n\n- any of the following: \u2018margin scheme - second hand goods\u2019, \u2018margin scheme - works of art\u2019 or \u2018margin scheme - collectors\u2019 items and antiques\u2019\n\nThere are special rules for using the margin scheme for imports and exports outside the UK. Find out more about the rules.\n\n## VAT return\n\nYou must show any goods you bought or sold using a margin scheme on your VAT return.\n\n## Filling in your VAT return\n\n| Box on the VAT return form | What to fill in |\n\n| Box 1 | Include the output tax due on all eligible goods sold in the period covered by the return |\n\n| Box 6 | Include the full selling price of all eligible goods sold in the period, less any VAT due on the margin |\n\n| Box 7 | Include the full purchase price of eligible goods bought in the period |\n\nYou do not have to include margin scheme purchases or sales in boxes 8 and 9 of your VAT return.", + "original_contents": [ + "

    Overview

    ", + "

    VAT margin schemes tax the difference between what you paid for an item and what you sold it for, rather than the full selling price. You pay VAT at 16.67% (one-sixth) on the difference.

    ", + "

    You can choose to use a margin scheme when you sell:

    ", + "
  • second-hand goods
  • ", + "
  • works of art
  • ", + "
  • antiques
  • ", + "
  • collectors\u2019 items
  • ", + "

    You cannot use a margin scheme for:

    ", + "
  • any item you bought for which you were charged VAT
  • ", + "
  • precious metals
  • ", + "
  • investment gold
  • ", + "
  • precious stones
  • ", + "

    How to start

    ", + "

    You can start using a margin scheme at any time by keeping the correct records, and then reporting it on your VAT return. You do not have to register.

    ", + "

    You\u2019ll have to pay VAT on the full selling price of each item if you do not meet all the scheme\u2019s requirements.

    ", + "

    Exceptions

    ", + "

    There are special rules if you\u2019re selling:

    ", + "
  • second hand cars
  • ", + "
  • horses and ponies
  • ", + "
  • houseboats and caravans
  • ", + "
  • high volume, low price items - you can use the Global Accounting Scheme, a simplified version of the margin scheme
  • ", + "

    There are also special rules for dealers, pawnbrokers and auctioneers.

    ", + "

    Eligibility

    ", + "

    You can only use a margin scheme for:

    ", + "
  • second-hand goods
  • ", + "
  • works of art
  • ", + "
  • antiques and collectors\u2019 items
  • ", + "

    Second-hand goods

    ", + "

    Goods that can still be used, or which could be used after repair.

    ", + "

    Works of art

    ", + "

    Most items normally described as \u2018works of art\u2019 are eligible. There are some exceptions, for example technical drawings, scenery for theatres and hand-decorated manufactured items.

    ", + "

    Antiques and collectors\u2019 items

    ", + "

    Antiques are goods that are over 100 years old. Collectors\u2019 items are stamps, coins and currency and other pieces of scientific, historical or archaeological interest. Not all items that can be collected are eligible for a margin scheme.

    ", + "

    There are special rules for works of art, antiques or collectors\u2019 items imported from outside the European Economic Area (EEA) and works of art bought directly from the creator or their heirs.

    ", + "

    Margin schemes and standard VAT

    ", + "

    If some of the items you buy and sell are not eligible for a margin scheme, you pay and charge VAT for those items in the normal way.

    ", + "

    You cannot include any of the following in your calculations when using a margin scheme:

    ", + "
  • business overheads
  • ", + "
  • repairs
  • ", + "
  • parts or accessories
  • ", + "

    Instead, reclaim these on your VAT return in the normal way.

    ", + "

    Contact HM Revenue and Customs (HMRC) if you\u2019re not sure about a particular item.

    ", + "

    Keeping records

    ", + "

    You must keep the usual VAT records when you use a margin scheme.

    ", + "

    You must also keep:

    ", + "
  • a stockbook that tracks each item sold under the margin scheme individually
  • ", + "
  • copies of purchase and sales invoices for all items
  • ", + "

    Stockbook

    ", + "

    You must record certain information for each item you buy and sell that you want to use a margin scheme for.

    ", + "Purchases | Sales", + "Stock number in numerical sequence | -", + "Date of purchase | Date of sale", + "Purchase invoice number (unless you made out the purchase invoice yourself) | Sales invoice number", + "Purchase price | Selling price, or method of disposal", + "Name of seller | Name of buyer", + "Description of the item | -", + "- | Margin on sale (sales price less purchase price)", + "- | VAT due (16.67% or one-sixth)", + "

    You must keep VAT records for 6 years. You have to keep records until you sell the item for any stock you bought more than 6 years ago that you plan to sell under the margin scheme.

    ", + "

    Invoices

    ", + "

    To use the margin scheme, you must have invoices for each item that meet the VAT margin scheme requirements.

    ", + "

    The margin scheme invoice requirements are not the same as the general VAT invoice requirements.

    ", + "

    You must have:

    ", + "
  • an invoice from the seller when you bought the item
  • ", + "
  • a copy of the invoice you gave to the buyer when you sold the item
  • ", + "

    Buying

    ", + "

    When you buy something you plan to sell under a margin scheme, you must get an invoice from the seller that includes:

    ", + "
  • date
  • ", + "
  • seller\u2019s name and address
  • ", + "
  • your name and address, or that of your business
  • ", + "
  • the item\u2019s unique stockbook number (if you bought the item from another VAT-registered business)
  • ", + "
  • invoice number (unless you made out the purchase invoice yourself)
  • ", + "
  • item description
  • ", + "
  • total price - you must not add any other costs to this price
  • ", + "
  • if you bought the item from another VAT-registered business, any of the following: \u2018margin scheme - second hand goods\u2019, \u2018margin scheme - works of art\u2019 or \u2018margin scheme - collectors\u2019 items and antiques\u2019
  • ", + "

    Selling

    ", + "

    When you sell something you plan to claim for under a VAT margin scheme, you must give the buyer an invoice that includes:

    ", + "
  • date
  • ", + "
  • your name, address and VAT registration number
  • ", + "
  • the buyer\u2019s name and address, or that of their business
  • ", + "
  • the item\u2019s unique stock book number
  • ", + "
  • invoice number
  • ", + "
  • item description
  • ", + "
  • total price - you must not show VAT separately
  • ", + "
  • any of the following: \u2018margin scheme - second hand goods\u2019, \u2018margin scheme - works of art\u2019 or \u2018margin scheme - collectors\u2019 items and antiques\u2019
  • ", + "

    There are special rules for using the margin scheme for imports and exports outside the UK. Find out more about the rules.

    ", + "

    VAT return

    ", + "

    You must show any goods you bought or sold using a margin scheme on your VAT return.

    ", + "

    Filling in your VAT return

    ", + "Box on the VAT return form | What to fill in", + "Box 1 | Include the output tax due on all eligible goods sold in the period covered by the return", + "Box 6 | Include the full selling price of all eligible goods sold in the period, less any VAT due on the margin", + "Box 7 | Include the full purchase price of eligible goods bought in the period", + "

    You do not have to include margin scheme purchases or sales in boxes 8 and 9 of your VAT return.

    " + ] + }, + "https://www.gov.uk/vat-record-keeping": { + "url": "https://www.gov.uk/vat-record-keeping", + "title": "VAT record keeping", + "content": "## Overview\n\nVAT-registered businesses must:\n\n- keep records of sales and purchases\n\n- keep a separate summary of VAT called a VAT account\n\n- issue correct VAT invoices\n\nThis guide is also available in Welsh (Cymraeg).\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.\n\nIf you\u2019ve signed up for Making Tax Digital for VAT, the records you need to keep are the same as any VAT-registered business but you\u2019ll need to keep some of them digitally.\n\n## How to keep VAT records\n\nYou must keep VAT records for at least 6 years (or 10 years if you used the VAT MOSS service).\n\nYou can keep VAT records on paper, electronically or as part of a software program (such as book-keeping software). Records must be accurate, complete and readable.\n\nIf your taxable turnover is more than \u00a385,000, you must keep a digital record of anything that\u2019s needed for your VAT Return.\n\nIf you\u2019ve lost a VAT invoice or it is damaged and no longer readable, ask the supplier for a duplicate (marked \u2018duplicate\u2019).\n\nHMRC can visit your business to inspect your record keeping and charge you a penalty if your records are not in order.\n\nYou can hire a professional (such as an accountant) if you need help with your VAT.\n\n## VAT invoices\n\nOnly VAT-registered businesses can issue VAT invoices and you must:\n\n- issue and keep valid invoices - these can be paper or electronic\n\n- keep copies of all the sales invoices you issue even if you cancel them or produce one by mistake\n\n- keep all purchase invoices for items you buy\n\n## Valid invoices\n\nYou\u2019ll use a full VAT invoice for most transactions. You can use:\n\n- a modified invoice for retail supplies over \u00a3250\n\n- a simplified invoice for retail supplies under \u00a3250 - and for other supplies from 1 January 2013\n\nYou cannot reclaim VAT using an invalid invoice, pro-forma invoice, statement or delivery note.\n\nInclude the following on your invoice, depending on which type you use.\n\n| Invoice information | Full invoice | Simplified invoice | Modified invoice |\n\n| Unique invoice number that follows on from the last invoice | Yes | Yes | Yes |\n\n| Your business name and address | Yes | Yes | Yes |\n\n| Your VAT number | Yes | Yes | Yes |\n\n| Date | Yes | No | Yes |\n\n| The tax point (or \u2018time of supply\u2019) if this is different from the invoice date | Yes | Yes | Yes |\n\n| Customer\u2019s name or trading name, and address | Yes | No | Yes |\n\n| Description of the goods or services | Yes | Yes | Yes |\n\n| Total amount excluding VAT | Yes | No | Yes |\n\n| Total amount of VAT | Yes | No | Yes |\n\n| Price per item, excluding VAT | Yes | No | Yes |\n\n| Quantity of each type of item | Yes | No | Yes |\n\n| Rate of any discount per item | Yes | No | Yes |\n\n| Rate of VAT charged per item - if an item is exempt or zero-rated make clear no VAT on these items | Yes | Yes (1) | Yes |\n\n| Total amount including VAT | No | Yes (1) | Yes |\n\n(1) If items are charged at different VAT rates, then show this for each.\n\n## Accounting schemes\n\nIf you use the Cash Accounting Scheme you have to stamp an invoice with the amount of cash paid and the date.\n\nThere are different rules for record keeping and invoicing if you use a VAT Margin Scheme.\n\n## Deadlines\n\nUsually VAT invoices must be issued within 30 days of the date of supply or the date of payment (if you\u2019re paid in advance).\n\n## International trade\n\nYou do not have to show all amounts on your invoices in sterling. If you issue VAT invoices in a foreign currency or language, you must:\n\n- show the total VAT payable in sterling on your VAT invoice if the supply takes place in the UK\n\n- be able to provide an English translation of any invoice within 30 days if asked to do so by a visiting VAT officer\n\n## Converting to sterling\n\nTo convert to sterling you can:\n\n- use the market selling rate at the time of supply\n\n- use the European Central Bank\u2019s rate\n\n- use HMRC\u2019s period rates of exchange - the rates usually stay the same for each calendar month\n\n- apply to HMRC to use a different method to account for the VAT\n\nThere are different rules if you use the Tour Operator\u2019s Scheme.\n\n## Exceptions\n\nYou do not need to issue a VAT invoice if:\n\n- your invoice is only for exempt or zero-rated sales within the UK\n\n- you\u2019re giving goods as a gift\n\n- you sell goods under a VAT second-hand margin scheme\n\n- your customer operates a self-billing arrangement\n\n## VAT records\n\nRecords you must keep include:\n\n- copies of all invoices you issue\n\n- all invoices you receive (originals or electronic copies)\n\n- self-billing agreements - this is where the customer prepares the invoice\n\n- name, address and VAT number of any self-billing suppliers\n\n- debit or credit notes\n\n- import and export records\n\n- records of items you cannot reclaim VAT on - for example business entertainment\n\n- records of any goods you give away or take from stock for your private use\n\n- records of all the zero-rated, reduced or VAT exempt items you buy or sell\n\n- a VAT account\n\nYou must also keep general business records such as bank statements, cash books, cheque stubs, paying-in slips and till rolls.\n\nIf you use the Cash Accounting Scheme you must use these records to match them against your payment records and receipts.\n\nIf you supply digital services in the EU and use VAT MOSS, you must keep additional records.\n\nHM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.\n\n## Keeping digital records\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.\n\n## Retailers\n\nIf you\u2019re a retailer you do not have to issue VAT invoices unless a customer asks for one. Keep a copy if you do. Retailers can issue \u2018simplified invoices\u2019 for supplies under \u00a3250.\n\n## Debit and credit notes\n\nWhen you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled with a credit or debit note.\n\nRecord these in your accounts and keep any original notes.\n\n## VAT records for Making Tax Digital\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019 by keeping some records digitally, unless:\n\n- your business uses the VAT GIANT service, for example if you\u2019re a government department or an NHS Trust\n\n- you apply for an exemption\n\nYou can choose to sign up to Making Tax Digital for VAT if your business earns less than \u00a385,000.\n\nFrom 1 April 2022 all VAT registered businesses must sign up, whatever they earn.\n\n## Records you must keep digitally\n\nYou need to keep the following records digitally:\n\n- your business name, address and VAT registration number\n\n- any VAT accounting schemes you use\n\n- the VAT on goods and services you supply, for example everything you sell, lease, transfer or hire out (supplies made)\n\n- the VAT on goods and services you receive, for example everything you buy, lease, rent or hire (supplies received)\n\n- any adjustments you make to a return\n\n- the \u2018time of supply\u2019 and \u2018value of supply\u2019 (value excluding VAT) for everything you buy and sell\n\n- the rate of VAT charged on goods and services you supply\n\n- reverse charge transactions - where you record the VAT on both the sale price and the purchase price of goods and services you buy\n\n- your total daily gross takings if you use a retail scheme\n\n- items you can reclaim VAT on if you use the Flat Rate Scheme\n\n- your total sales, and the VAT on those sales, if you trade in gold and use the Gold Accounting Scheme\n\nYou also need to keep digital copies of documents that cover multiple transactions made on behalf of your business by:\n\n- volunteers for charity fundraising\n\n- a third party business\n\n- employees for expenses in petty cash\n\nYou must add all your transactions to your digital records, but you do not need to scan paper records like invoices or receipts.\n\n## How to keep digital records\n\nYou need to use a compatible software package or other software (like spreadsheets) that connect to HMRC systems.\n\nIf you use more than one software package to keep records and submit returns, you need to link them.\n\nSome ways you can link your software include:\n\n- using formulas to link cells in spreadsheets\n\n- emailing records\n\n- putting records on a portable device to give to your agent\n\n- importing and exporting XML and CSV files\n\n- downloading and uploading files\n\nYou must have links between the software you use by your first VAT period after 1 April 2021.\n\n## When to send your VAT return\n\nThe deadlines for sending your VAT returns will not change after you sign up for Making Tax Digital for VAT.\n\nTo see when your next return is due, sign in to your VAT online account.\n\n## How to sign up for Making Tax Digital for VAT\n\nHow you sign up depends on whether you\u2019re:\n\n- a business\n\n- an agent acting for a client\n\n## Sign up for Making Tax Digital for VAT\n\nYou must sign up for \u2018Making Tax Digital for VAT\u2019 if your taxable turnover is more than \u00a385,000, so you can:\n\n- keep digital records\n\n- submit your business\u2019s VAT return using compatible software\n\nThere\u2019s a different way to sign up if you\u2019re an agent.\n\n## Before you start\n\nYou must have compatible software before you sign up.\n\n## What you need\n\nTo sign up you need:\n\n- your business email address\n\n- a Government Gateway user ID and password - if you do not have a user ID, you can create one when you use the service\n\n- your VAT registration number and latest VAT return\n\nYou\u2019ll also need:\n\n- your National Insurance number if you\u2019re a sole trader\n\n- your company registration number and Unique Taxpayer Reference if you\u2019re a limited company or registered society\n\n- your Unique Taxpayer Reference and the postcode where you\u2019re registered for Self Assessment if you\u2019re a general partnership\n\n- your Unique Taxpayer Reference, the postcode where you\u2019re registered for Self Assessment and your company\u2019s registration number if you\u2019re a limited partnership\n\n## When to sign up\n\nIf you already pay by Direct Debit do not sign up too close to the date your return is due, or you may pay twice.\n\nTo avoid this, do not sign up less than:\n\n- 7 days before your return is due\n\n- 5 days after your return is due\n\nIf you do not pay by Direct Debit, sign up at least 3 days before your return is due.\n\nIf you\u2019re finding it difficult to access the service, check if there\u2019s a technical issue or other known problem.\n\nSign up now\n\n## After you\u2019ve signed up\n\nYou should get a confirmation email from noreply@tax.service.gov.uk within 3 days of signing up. It might go to your spam folder.\n\nDo not submit a VAT Return until you get a confirmation email.\n\nContact HMRC if you do not get an email.\n\n## VAT account\n\nYou must keep a separate record of the VAT you charge and the VAT you pay on your purchases. This record is called a \u2018VAT account\u2019.\n\nYou use the figures in your VAT account to complete your VAT Return.\n\nThere are no rules on what a VAT account should look like, but it must show:\n\n- your total VAT sales\n\n- your total VAT purchases\n\n- the VAT you owe HM Revenue and Customs (HMRC)\n\n- the VAT you can reclaim from HMRC\n\n- if your business uses the VAT Flat Rate Scheme - the flat rate percentage and turnover it applies to\n\nIf you are registered for VAT in Northern Ireland, you must also show the VAT on any EU purchases or sales.\n\n## Errors\n\nIf you\u2019ve made an error in your VAT Return the VAT account must show:\n\n- the date you discovered the error\n\n- details about the error - for example how it happened, how you corrected it\n\nYou may also need to report the error to HMRC.\n\n## Bad debts\n\nIf you write off an invoice as a bad debt, you must keep a separate \u2018VAT bad debt account\u2019. The debt must be older than 6 months and for each bad debt you must show:\n\n- total amount of VAT involved\n\n- amount written off and any payments you\u2019ve received\n\n- the VAT you\u2019re claiming on the debt\n\n- the VAT period(s) you paid the VAT and are claiming the relief\n\n- invoices details like date, customer name\n\nYou must keep this information for 4 years.\n\n## Time of supply or tax point\n\nThe tax point (or \u2018time of supply\u2019) for a transaction is the date the transaction takes place for VAT purposes.\n\nYou need to know this because, for example:\n\n- it\u2019s included on VAT invoices\n\n- it tells you which VAT period the transaction belongs to\n\n- it tells you which VAT Return to put the transaction on\n\nThe tax point can vary, but is usually the following.\n\n| Situation | Tax point |\n\n| No invoice needed | Date of supply |\n\n| VAT invoice issued | Date of invoice |\n\n| VAT invoice issued 15 days or more after the date of supply | Date the supply took place |\n\n| Payment or invoice issued in advance of supply | Date of payment or invoice (whichever is earlier) |\n\n| Payment in advance of supply and no VAT invoice yet issued | Date payment received |\n\nThe date of supply is:\n\n- for goods - the date they\u2019re sent, collected or made available (for example installed in the customer\u2019s house)\n\n- for services - the date the work is finished\n\n## Exceptions\n\nIf you use the VAT Cash Accounting Scheme, the tax point is always the date the payment is received.\n\nThere are different tax point rules for:\n\n- certain trades - like barristers, building and construction\n\n- where the supply is not a \u2018sale\u2019 \u2013 for example business items taken for personal use\n\nSometimes, one sale can give rise to 2 or more tax points - for example where the customer pays a deposit in advance, and then a final payment.", + "original_contents": [ + "

    Overview

    ", + "

    VAT-registered businesses must:

    ", + "
  • keep records of sales and purchases
  • ", + "
  • keep a separate summary of VAT called a VAT account
  • ", + "
  • issue correct VAT invoices
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    If you\u2019ve signed up for Making Tax Digital for VAT, the records you need to keep are the same as any VAT-registered business but you\u2019ll need to keep some of them digitally.

    ", + "

    How to keep VAT records

    ", + "

    You must keep VAT records for at least 6 years (or 10 years if you used the VAT MOSS service).

    ", + "

    You can keep VAT records on paper, electronically or as part of a software program (such as book-keeping software). Records must be accurate, complete and readable.

    ", + "

    If your taxable turnover is more than \u00a385,000, you must keep a digital record of anything that\u2019s needed for your VAT Return.

    ", + "

    If you\u2019ve lost a VAT invoice or it is damaged and no longer readable, ask the supplier for a duplicate (marked \u2018duplicate\u2019).

    ", + "

    HMRC can visit your business to inspect your record keeping and charge you a penalty if your records are not in order.

    ", + "

    You can hire a professional (such as an accountant) if you need help with your VAT.

    ", + "

    VAT invoices

    ", + "

    Only VAT-registered businesses can issue VAT invoices and you must:

    ", + "
  • issue and keep valid invoices - these can be paper or electronic
  • ", + "
  • keep copies of all the sales invoices you issue even if you cancel them or produce one by mistake
  • ", + "
  • keep all purchase invoices for items you buy
  • ", + "

    Valid invoices

    ", + "

    You\u2019ll use a full VAT invoice for most transactions. You can use:

    ", + "
  • a modified invoice for retail supplies over \u00a3250
  • ", + "
  • a simplified invoice for retail supplies under \u00a3250 - and for other supplies from 1 January 2013
  • ", + "

    You cannot reclaim VAT using an invalid invoice, pro-forma invoice, statement or delivery note.

    ", + "

    Include the following on your invoice, depending on which type you use.

    ", + "Invoice information | Full invoice | Simplified invoice | Modified invoice", + "Unique invoice number that follows on from the last invoice | Yes | Yes | Yes", + "Your business name and address | Yes | Yes | Yes", + "Your VAT number | Yes | Yes | Yes", + "Date | Yes | No | Yes", + "The tax point (or \u2018time of supply\u2019) if this is different from the invoice date | Yes | Yes | Yes", + "Customer\u2019s name or trading name, and address | Yes | No | Yes", + "Description of the goods or services | Yes | Yes | Yes", + "Total amount excluding VAT | Yes | No | Yes", + "Total amount of VAT | Yes | No | Yes", + "Price per item, excluding VAT | Yes | No | Yes", + "Quantity of each type of item | Yes | No | Yes", + "Rate of any discount per item | Yes | No | Yes", + "Rate of VAT charged per item - if an item is exempt or zero-rated make clear no VAT on these items | Yes | Yes (1) | Yes", + "Total amount including VAT | No | Yes (1) | Yes", + "

    (1) If items are charged at different VAT rates, then show this for each.

    ", + "

    Accounting schemes

    ", + "

    If you use the Cash Accounting Scheme you have to stamp an invoice with the amount of cash paid and the date.

    ", + "

    There are different rules for record keeping and invoicing if you use a VAT Margin Scheme.

    ", + "

    Deadlines

    ", + "

    Usually VAT invoices must be issued within 30 days of the date of supply or the date of payment (if you\u2019re paid in advance).

    ", + "

    International trade

    ", + "

    You do not have to show all amounts on your invoices in sterling. If you issue VAT invoices in a foreign currency or language, you must:

    ", + "
  • show the total VAT payable in sterling on your VAT invoice if the supply takes place in the UK
  • ", + "
  • be able to provide an English translation of any invoice within 30 days if asked to do so by a visiting VAT officer
  • ", + "

    Converting to sterling

    ", + "

    To convert to sterling you can:

    ", + "
  • use the market selling rate at the time of supply
  • ", + "
  • use the European Central Bank\u2019s rate
  • ", + "
  • use HMRC\u2019s period rates of exchange - the rates usually stay the same for each calendar month
  • ", + "
  • apply to HMRC to use a different method to account for the VAT
  • ", + "

    There are different rules if you use the Tour Operator\u2019s Scheme.

    ", + "

    Exceptions

    ", + "

    You do not need to issue a VAT invoice if:

    ", + "
  • your invoice is only for exempt or zero-rated sales within the UK
  • ", + "
  • you\u2019re giving goods as a gift
  • ", + "
  • you sell goods under a VAT second-hand margin scheme
  • ", + "
  • your customer operates a self-billing arrangement
  • ", + "

    VAT records

    ", + "

    Records you must keep include:

    ", + "
  • copies of all invoices you issue
  • ", + "
  • all invoices you receive (originals or electronic copies)
  • ", + "
  • self-billing agreements - this is where the customer prepares the invoice
  • ", + "
  • name, address and VAT number of any self-billing suppliers
  • ", + "
  • debit or credit notes
  • ", + "
  • import and export records
  • ", + "
  • records of items you cannot reclaim VAT on - for example business entertainment
  • ", + "
  • records of any goods you give away or take from stock for your private use
  • ", + "
  • records of all the zero-rated, reduced or VAT exempt items you buy or sell
  • ", + "
  • a VAT account
  • ", + "

    You must also keep general business records such as bank statements, cash books, cheque stubs, paying-in slips and till rolls.

    ", + "

    If you use the Cash Accounting Scheme you must use these records to match them against your payment records and receipts.

    ", + "

    If you supply digital services in the EU and use VAT MOSS, you must keep additional records.

    ", + "

    HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.

    ", + "

    Keeping digital records

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    Retailers

    ", + "

    If you\u2019re a retailer you do not have to issue VAT invoices unless a customer asks for one. Keep a copy if you do. Retailers can issue \u2018simplified invoices\u2019 for supplies under \u00a3250.

    ", + "

    Debit and credit notes

    ", + "

    When you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled with a credit or debit note.

    ", + "

    Record these in your accounts and keep any original notes.

    ", + "

    VAT records for Making Tax Digital

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019 by keeping some records digitally, unless:

    ", + "
  • your business uses the VAT GIANT service, for example if you\u2019re a government department or an NHS Trust
  • ", + "
  • you apply for an exemption
  • ", + "

    You can choose to sign up to Making Tax Digital for VAT if your business earns less than \u00a385,000.

    ", + "

    From 1 April 2022 all VAT registered businesses must sign up, whatever they earn.

    ", + "

    Records you must keep digitally

    ", + "

    You need to keep the following records digitally:

    ", + "
  • your business name, address and VAT registration number
  • ", + "
  • any VAT accounting schemes you use
  • ", + "
  • the VAT on goods and services you supply, for example everything you sell, lease, transfer or hire out (supplies made)
  • ", + "
  • the VAT on goods and services you receive, for example everything you buy, lease, rent or hire (supplies received)
  • ", + "
  • any adjustments you make to a return
  • ", + "
  • the \u2018time of supply\u2019 and \u2018value of supply\u2019 (value excluding VAT) for everything you buy and sell
  • ", + "
  • the rate of VAT charged on goods and services you supply
  • ", + "
  • reverse charge transactions - where you record the VAT on both the sale price and the purchase price of goods and services you buy
  • ", + "
  • your total daily gross takings if you use a retail scheme
  • ", + "
  • items you can reclaim VAT on if you use the Flat Rate Scheme
  • ", + "
  • your total sales, and the VAT on those sales, if you trade in gold and use the Gold Accounting Scheme
  • ", + "

    You also need to keep digital copies of documents that cover multiple transactions made on behalf of your business by:

    ", + "
  • volunteers for charity fundraising
  • ", + "
  • a third party business
  • ", + "
  • employees for expenses in petty cash
  • ", + "

    You must add all your transactions to your digital records, but you do not need to scan paper records like invoices or receipts.

    ", + "

    How to keep digital records

    ", + "

    You need to use a compatible software package or other software (like spreadsheets) that connect to HMRC systems.

    ", + "

    If you use more than one software package to keep records and submit returns, you need to link them.

    ", + "

    Some ways you can link your software include:

    ", + "
  • using formulas to link cells in spreadsheets
  • ", + "
  • emailing records
  • ", + "
  • putting records on a portable device to give to your agent
  • ", + "
  • importing and exporting XML and CSV files
  • ", + "
  • downloading and uploading files
  • ", + "

    You must have links between the software you use by your first VAT period after 1 April 2021.

    ", + "

    When to send your VAT return

    ", + "

    The deadlines for sending your VAT returns will not change after you sign up for Making Tax Digital for VAT.

    ", + "

    To see when your next return is due, sign in to your VAT online account.

    ", + "

    How to sign up for Making Tax Digital for VAT

    ", + "

    How you sign up depends on whether you\u2019re:

    ", + "
  • a business
  • ", + "
  • an agent acting for a client
  • ", + "

    Sign up for Making Tax Digital for VAT

    ", + "

    You must sign up for \u2018Making Tax Digital for VAT\u2019 if your taxable turnover is more than \u00a385,000, so you can:

    ", + "
  • keep digital records
  • ", + "
  • submit your business\u2019s VAT return using compatible software
  • ", + "

    There\u2019s a different way to sign up if you\u2019re an agent.

    ", + "

    Before you start

    ", + "

    You must have compatible software before you sign up.

    ", + "

    What you need

    ", + "

    To sign up you need:

    ", + "
  • your business email address
  • ", + "
  • a Government Gateway user ID and password - if you do not have a user ID, you can create one when you use the service
  • ", + "
  • your VAT registration number and latest VAT return
  • ", + "

    You\u2019ll also need:

    ", + "
  • your National Insurance number if you\u2019re a sole trader
  • ", + "
  • your company registration number and Unique Taxpayer Reference if you\u2019re a limited company or registered society
  • ", + "
  • your Unique Taxpayer Reference and the postcode where you\u2019re registered for Self Assessment if you\u2019re a general partnership
  • ", + "
  • your Unique Taxpayer Reference, the postcode where you\u2019re registered for Self Assessment and your company\u2019s registration number if you\u2019re a limited partnership
  • ", + "

    When to sign up

    ", + "

    If you already pay by Direct Debit do not sign up too close to the date your return is due, or you may pay twice.

    ", + "

    To avoid this, do not sign up less than:

    ", + "
  • 7 days before your return is due
  • ", + "
  • 5 days after your return is due
  • ", + "

    If you do not pay by Direct Debit, sign up at least 3 days before your return is due.

    ", + "

    If you\u2019re finding it difficult to access the service, check if there\u2019s a technical issue or other known problem.

    ", + "

    Sign up now

    ", + "

    After you\u2019ve signed up

    ", + "

    You should get a confirmation email from noreply@tax.service.gov.uk within 3 days of signing up. It might go to your spam folder.

    ", + "

    Do not submit a VAT Return until you get a confirmation email.

    ", + "

    Contact HMRC if you do not get an email.

    ", + "

    VAT account

    ", + "

    You must keep a separate record of the VAT you charge and the VAT you pay on your purchases. This record is called a \u2018VAT account\u2019.

    ", + "

    You use the figures in your VAT account to complete your VAT Return.

    ", + "

    There are no rules on what a VAT account should look like, but it must show:

    ", + "
  • your total VAT sales
  • ", + "
  • your total VAT purchases
  • ", + "
  • the VAT you owe HM Revenue and Customs (HMRC)
  • ", + "
  • the VAT you can reclaim from HMRC
  • ", + "
  • if your business uses the VAT Flat Rate Scheme - the flat rate percentage and turnover it applies to
  • ", + "

    If you are registered for VAT in Northern Ireland, you must also show the VAT on any EU purchases or sales.

    ", + "

    Errors

    ", + "

    If you\u2019ve made an error in your VAT Return the VAT account must show:

    ", + "
  • the date you discovered the error
  • ", + "
  • details about the error - for example how it happened, how you corrected it
  • ", + "

    You may also need to report the error to HMRC.

    ", + "

    Bad debts

    ", + "

    If you write off an invoice as a bad debt, you must keep a separate \u2018VAT bad debt account\u2019. The debt must be older than 6 months and for each bad debt you must show:

    ", + "
  • total amount of VAT involved
  • ", + "
  • amount written off and any payments you\u2019ve received
  • ", + "
  • the VAT you\u2019re claiming on the debt
  • ", + "
  • the VAT period(s) you paid the VAT and are claiming the relief
  • ", + "
  • invoices details like date, customer name
  • ", + "

    You must keep this information for 4 years.

    ", + "

    Time of supply or tax point

    ", + "

    The tax point (or \u2018time of supply\u2019) for a transaction is the date the transaction takes place for VAT purposes.

    ", + "

    You need to know this because, for example:

    ", + "
  • it\u2019s included on VAT invoices
  • ", + "
  • it tells you which VAT period the transaction belongs to
  • ", + "
  • it tells you which VAT Return to put the transaction on
  • ", + "

    The tax point can vary, but is usually the following.

    ", + "Situation | Tax point", + "No invoice needed | Date of supply", + "VAT invoice issued | Date of invoice", + "VAT invoice issued 15 days or more after the date of supply | Date the supply took place", + "Payment or invoice issued in advance of supply | Date of payment or invoice (whichever is earlier)", + "Payment in advance of supply and no VAT invoice yet issued | Date payment received", + "

    The date of supply is:

    ", + "
  • for goods - the date they\u2019re sent, collected or made available (for example installed in the customer\u2019s house)
  • ", + "
  • for services - the date the work is finished
  • ", + "

    Exceptions

    ", + "

    If you use the VAT Cash Accounting Scheme, the tax point is always the date the payment is received.

    ", + "

    There are different tax point rules for:

    ", + "
  • certain trades - like barristers, building and construction
  • ", + "
  • where the supply is not a \u2018sale\u2019 \u2013 for example business items taken for personal use
  • ", + "

    Sometimes, one sale can give rise to 2 or more tax points - for example where the customer pays a deposit in advance, and then a final payment.

    " + ] + }, + "https://www.gov.uk/vat-retail-schemes": { + "url": "https://www.gov.uk/vat-retail-schemes", + "title": "VAT retail schemes", + "content": "## How VAT retail schemes work\n\nIf you sell goods you must calculate how much VAT to record in your VAT account.\n\nFor goods sold inclusive of VAT, you must deduct the VAT you have to record. For goods sold exclusive of VAT, you must add it.\n\nVAT retail schemes can make calculating your VAT simpler. Instead of calculating the VAT for each sale you make, you do it once with each VAT return.\n\nThere are 3 standard VAT retail schemes:\n\n- Point of Sale Scheme - you identify and record the VAT at the time of sale\n\n- Apportionment Scheme - you buy goods for resale\n\n- Direct Calculation Scheme - you make a small proportion of sales at one VAT rate and the majority at another rate\n\nIf your turnover excluding VAT is over \u00a3130 million you must agree a bespoke retail scheme with HM Revenue and Customs (HMRC).\n\nYou can use a retail scheme together with the Cash Accounting Scheme and the Annual Accounting Scheme.\n\nYou can\u2019t use retail schemes with the Flat Rate Scheme.\n\n## Joining and using a scheme\n\nYou can join a retail scheme at the beginning of any VAT period. You don\u2019t need to tell HMRC.\n\nIt\u2019s up to you which scheme you join. The calculations you have to do vary for each scheme.\n\nYou must provide an individual VAT invoice if a customer asks for one.\n\n## Changing and leaving a scheme\n\nYou can leave a scheme at the end of any VAT period. If your turnover rises above \u00a3130 million you\u2019ll have to leave the scheme immediately.\n\nYou can change to another scheme after 1 year of joining a scheme.\n\n## Caterers, pharmacists and florists\n\nThere are separate rules if you\u2019re a:\n\n- caterer\n\n- pharmacist\n\n- florist\n\n## Point of Sale Scheme\n\n## Who can use it\n\nYou can use this scheme if you can identify the VAT rate for goods sold at the time of sale, eg you have an electronic till that does this for you.\n\n## How to calculate your VAT\n\n- Add up all the sales for each VAT rate for the VAT return period.\n\n- For 20% rated goods, divide the sales by 6. For 5% rated goods, divide the sales by 21.\n\n## Apportionment Scheme\n\n## Who can use it\n\nYou can only use this scheme if you buy goods for resale.\n\nYou can\u2019t use apportionment if you provide:\n\n- services\n\n- goods that you\u2019ve made or grown yourself\n\n- catering services\n\nYour turnover, excluding VAT, can\u2019t be more than \u00a31 million a year.\n\nThere is a separate scheme for businesses with a turnover of between \u00a31 and \u00a3130 million.\n\n## How to calculate your VAT\n\n- Calculate the total value of goods purchased for resale in the VAT period for each VAT rate.\n\n- Divide the total of purchases for each VAT rate by the total for all purchases.\n\n- Multiply the outcome by your total sales, divided by 6 for 20% rated goods, and divided by 21 for 5% rated goods.\n\n## Direct Calculation Scheme\n\n## Who can use it\n\nYou might want to use this scheme if you make a small proportion of sales at one VAT rate and the majority at another rate.\n\nYour turnover, excluding VAT, can\u2019t be more than \u00a31 million a year.\n\nThere\u2019s a separate scheme for businesses with a turnover of between \u00a31 million and \u00a3130 million.\n\n## How to calculate your VAT\n\n- Calculate the expected selling prices (ESPs) for your minority or majority goods. Use the one that\u2019s easier.\n\n- Total up the ESP for the VAT period.\n\n- If your goods are standard rated at 20% divide the total ESP by 6. If they\u2019re zero rated, deduct the total ESP from your total sales. This will give you your sales at 20%. Then divide by 6.\n\n- If you have reduced-rate (5%) goods deduct the ESP of this from your sales before calculating your VAT at 20%. Then calculate the VAT due on reduced-rate goods by dividing the ESP of these by 21. Add this figure to your 20% VAT to get total VAT due.\n\nYou must make an annual stock adjustment if your annual turnover is between \u00a31 million and \u00a3130 million.", + "original_contents": [ + "

    How VAT retail schemes work

    ", + "

    If you sell goods you must calculate how much VAT to record in your VAT account.

    ", + "

    For goods sold inclusive of VAT, you must deduct the VAT you have to record. For goods sold exclusive of VAT, you must add it.

    ", + "

    VAT retail schemes can make calculating your VAT simpler. Instead of calculating the VAT for each sale you make, you do it once with each VAT return.

    ", + "

    There are 3 standard VAT retail schemes:

    ", + "
  • Point of Sale Scheme - you identify and record the VAT at the time of sale
  • ", + "
  • Apportionment Scheme - you buy goods for resale
  • ", + "
  • Direct Calculation Scheme - you make a small proportion of sales at one VAT rate and the majority at another rate
  • ", + "

    If your turnover excluding VAT is over \u00a3130 million you must agree a bespoke retail scheme with HM Revenue and Customs (HMRC).

    ", + "

    You can use a retail scheme together with the Cash Accounting Scheme and the Annual Accounting Scheme.

    ", + "

    You can\u2019t use retail schemes with the Flat Rate Scheme.

    ", + "

    Joining and using a scheme

    ", + "

    You can join a retail scheme at the beginning of any VAT period. You don\u2019t need to tell HMRC.

    ", + "

    It\u2019s up to you which scheme you join. The calculations you have to do vary for each scheme.

    ", + "

    You must provide an individual VAT invoice if a customer asks for one.

    ", + "

    Changing and leaving a scheme

    ", + "

    You can leave a scheme at the end of any VAT period. If your turnover rises above \u00a3130 million you\u2019ll have to leave the scheme immediately.

    ", + "

    You can change to another scheme after 1 year of joining a scheme.

    ", + "

    Caterers, pharmacists and florists

    ", + "

    There are separate rules if you\u2019re a:

    ", + "
  • caterer
  • ", + "
  • pharmacist
  • ", + "
  • florist
  • ", + "

    Point of Sale Scheme

    ", + "

    Who can use it

    ", + "

    You can use this scheme if you can identify the VAT rate for goods sold at the time of sale, eg you have an electronic till that does this for you.

    ", + "

    How to calculate your VAT

    ", + "
  • Add up all the sales for each VAT rate for the VAT return period.
  • ", + "
  • For 20% rated goods, divide the sales by 6. For 5% rated goods, divide the sales by 21.
  • ", + "

    Apportionment Scheme

    ", + "

    Who can use it

    ", + "

    You can only use this scheme if you buy goods for resale.

    ", + "

    You can\u2019t use apportionment if you provide:

    ", + "
  • services
  • ", + "
  • goods that you\u2019ve made or grown yourself
  • ", + "
  • catering services
  • ", + "

    Your turnover, excluding VAT, can\u2019t be more than \u00a31 million a year.

    ", + "

    There is a separate scheme for businesses with a turnover of between \u00a31 and \u00a3130 million.

    ", + "

    How to calculate your VAT

    ", + "
  • Calculate the total value of goods purchased for resale in the VAT period for each VAT rate.
  • ", + "
  • Divide the total of purchases for each VAT rate by the total for all purchases.
  • ", + "
  • Multiply the outcome by your total sales, divided by 6 for 20% rated goods, and divided by 21 for 5% rated goods.
  • ", + "

    Direct Calculation Scheme

    ", + "

    Who can use it

    ", + "

    You might want to use this scheme if you make a small proportion of sales at one VAT rate and the majority at another rate.

    ", + "

    Your turnover, excluding VAT, can\u2019t be more than \u00a31 million a year.

    ", + "

    There\u2019s a separate scheme for businesses with a turnover of between \u00a31 million and \u00a3130 million.

    ", + "

    How to calculate your VAT

    ", + "
  • Calculate the expected selling prices (ESPs) for your minority or majority goods. Use the one that\u2019s easier.
  • ", + "
  • Total up the ESP for the VAT period.
  • ", + "
  • If your goods are standard rated at 20% divide the total ESP by 6. If they\u2019re zero rated, deduct the total ESP from your total sales. This will give you your sales at 20%. Then divide by 6.
  • ", + "
  • If you have reduced-rate (5%) goods deduct the ESP of this from your sales before calculating your VAT at 20%. Then calculate the VAT due on reduced-rate goods by dividing the ESP of these by 21. Add this figure to your 20% VAT to get total VAT due.
  • ", + "

    You must make an annual stock adjustment if your annual turnover is between \u00a31 million and \u00a3130 million.

    " + ] + }, + "https://www.gov.uk/state-pension-if-you-retire-abroad": { + "url": "https://www.gov.uk/state-pension-if-you-retire-abroad", + "title": "State Pension if you retire abroad", + "content": "## Claim State Pension abroad\n\nYou can claim State Pension abroad if you\u2019ve paid enough UK National Insurance contributions to qualify.\n\nGet a State Pension forecast if you need to find out how much State Pension you may get.\n\n## Make a claim\n\nYou must be within 4 months of your State Pension age to claim.\n\nTo claim your pension, you can either:\n\n- contact the International Pension Centre\n\n- send the international claim form to the International Pension Centre (the address is on the form)\n\n## If you live part of the year abroad\n\nYou must choose which country you want your pension to be paid in. You cannot be paid in one country for part of the year and another for the rest of the year.\n\n## Bank accounts your pension can be paid into\n\nYour State Pension can be paid into:\n\n- a bank in the country you\u2019re living in\n\n- a bank or building society in the UK\n\nYou can use:\n\n- an account in your name\n\n- a joint account\n\n- someone else\u2019s account - if you have their permission and keep to the terms and conditions of the account\n\nYou\u2019ll need the international bank account number (IBAN) and bank identification code (BIC) numbers if you have an overseas account.\n\nYou\u2019ll be paid in local currency - the amount you get may change due to exchange rates.\n\n## When you\u2019ll get paid\n\nYou can choose to be paid every 4 or 13 weeks.\n\nIf your State Pension is under \u00a35 per week, you\u2019ll be paid once a year in December.\n\n## Delays to payments around US bank holidays\n\nIf you live abroad and your payment is due in the same week as a US bank holiday, it could arrive one day late. This is because a US company processes these payments.\n\n## How your pension is affected\n\nYour State Pension will only increase each year if you live in:\n\n- the European Economic Area (EEA)\n\n- Gibraltar\n\n- Switzerland\n\n- countries that have a social security agreement with the UK (but you cannot get increases in Canada or New Zealand)\n\nYou will not get yearly increases if you live outside these countries.\n\nYour pension will go up to the current rate if you return to live in the UK.\n\n## Get advice\n\nContact the International Pension Centre if you want advice on how your pension might be affected if you\u2019ve already retired and are thinking of moving abroad.\n\n## Paying tax\n\nHow much tax you\u2019ll pay and where you pay it depends on where you\u2019re considered to be a resident.\n\n## UK residents\n\nYou may have to pay UK tax on your State Pension if you live abroad but are classed as a UK resident for tax purposes. The amount you pay depends on your income.\n\n## Overseas residents\n\nYou may be taxed on your State Pension by the UK and the country where you live. \nIf you pay tax twice, you can usually claim tax relief to get all or some of it back.\n\nIf the country you live in has a \u2018double taxation agreement\u2019 with the UK, you\u2019ll only pay tax on your pension once. This may be to the UK or the country where you live, depending on that country\u2019s tax agreement.\n\n## Report a change in your circumstances\n\nReport changes (such as a change of address or bank details) to the International Pension Centre by phone or in writing - do not send changes by email.\n\n## If you\u2019re asked to fill in a \u2018life certificate\u2019\n\nYou may get a \u2018life certificate\u2019 form from the Department for Work and Pensions to check you\u2019re still eligible for the State Pension.\n\nYou need to get the form signed by a witness. The instructions are on the form.\n\nYour witness does not have to live in the UK or have a passport from any specific country.\n\nThe people who can sign the form are the same as those who can \u2018countersign\u2019 a passport photo.\n\nYour payments may be suspended if you do not send the form back.\n\n## Returning to the UK\n\nContact the Pension Service - you need your return date and contact details, both abroad and in the UK.\n\nCall HM Revenue and Customs (HMRC) to say you\u2019re returning to the UK.", + "original_contents": [ + "

    Claim State Pension abroad

    ", + "

    You can claim State Pension abroad if you\u2019ve paid enough UK National Insurance contributions to qualify.

    ", + "

    Get a State Pension forecast if you need to find out how much State Pension you may get.

    ", + "

    Make a claim

    ", + "

    You must be within 4 months of your State Pension age to claim.

    ", + "

    To claim your pension, you can either:

    ", + "
  • contact the International Pension Centre
  • ", + "
  • send the international claim form to the International Pension Centre (the address is on the form)
  • ", + "

    If you live part of the year abroad

    ", + "

    You must choose which country you want your pension to be paid in. You cannot be paid in one country for part of the year and another for the rest of the year.

    ", + "

    Bank accounts your pension can be paid into

    ", + "

    Your State Pension can be paid into:

    ", + "
  • a bank in the country you\u2019re living in
  • ", + "
  • a bank or building society in the UK
  • ", + "

    You can use:

    ", + "
  • an account in your name
  • ", + "
  • a joint account
  • ", + "
  • someone else\u2019s account - if you have their permission and keep to the terms and conditions of the account
  • ", + "

    You\u2019ll need the international bank account number (IBAN) and bank identification code (BIC) numbers if you have an overseas account.

    ", + "

    You\u2019ll be paid in local currency - the amount you get may change due to exchange rates.

    ", + "

    When you\u2019ll get paid

    ", + "

    You can choose to be paid every 4 or 13 weeks.

    ", + "

    If your State Pension is under \u00a35 per week, you\u2019ll be paid once a year in December.

    ", + "

    Delays to payments around US bank holidays

    ", + "

    If you live abroad and your payment is due in the same week as a US bank holiday, it could arrive one day late. This is because a US company processes these payments.

    ", + "

    How your pension is affected

    ", + "

    Your State Pension will only increase each year if you live in:

    ", + "
  • the European Economic Area (EEA)
  • ", + "
  • Gibraltar
  • ", + "
  • Switzerland
  • ", + "
  • countries that have a social security agreement with the UK (but you cannot get increases in Canada or New Zealand)
  • ", + "

    You will not get yearly increases if you live outside these countries.

    ", + "

    Your pension will go up to the current rate if you return to live in the UK.

    ", + "

    Get advice

    ", + "

    Contact the International Pension Centre if you want advice on how your pension might be affected if you\u2019ve already retired and are thinking of moving abroad.

    ", + "

    Paying tax

    ", + "

    How much tax you\u2019ll pay and where you pay it depends on where you\u2019re considered to be a resident.

    ", + "

    UK residents

    ", + "

    You may have to pay UK tax on your State Pension if you live abroad but are classed as a UK resident for tax purposes. The amount you pay depends on your income.

    ", + "

    Overseas residents

    ", + "

    You may be taxed on your State Pension by the UK and the country where you live. \nIf you pay tax twice, you can usually claim tax relief to get all or some of it back.

    ", + "

    If the country you live in has a \u2018double taxation agreement\u2019 with the UK, you\u2019ll only pay tax on your pension once. This may be to the UK or the country where you live, depending on that country\u2019s tax agreement.

    ", + "

    Report a change in your circumstances

    ", + "

    Report changes (such as a change of address or bank details) to the International Pension Centre by phone or in writing - do not send changes by email.

    ", + "

    If you\u2019re asked to fill in a \u2018life certificate\u2019

    ", + "

    You may get a \u2018life certificate\u2019 form from the Department for Work and Pensions to check you\u2019re still eligible for the State Pension.

    ", + "

    You need to get the form signed by a witness. The instructions are on the form.

    ", + "

    Your witness does not have to live in the UK or have a passport from any specific country.

    ", + "

    The people who can sign the form are the same as those who can \u2018countersign\u2019 a passport photo.

    ", + "

    Your payments may be suspended if you do not send the form back.

    ", + "

    Returning to the UK

    ", + "

    Contact the Pension Service - you need your return date and contact details, both abroad and in the UK.

    ", + "

    Call HM Revenue and Customs (HMRC) to say you\u2019re returning to the UK.

    " + ] + }, + "https://www.gov.uk/taking-your-pet-abroad": { + "url": "https://www.gov.uk/taking-your-pet-abroad", + "title": "Taking your pet dog, cat or ferret abroad", + "content": "## Overview\n\nWhen travelling with your pet dog, cat or ferret abroad, what you need to do will depend on what country you\u2019re going to.\n\nThere are different rules for travelling with your pet to an EU country or Northern Ireland and for taking your pet to a non-EU country.\n\nThere\u2019s different guidance if you\u2019re bringing your pet dog, cat or ferret to the UK.\n\n## Travelling to an EU country or Northern Ireland\n\nYou can no longer use a pet passport issued in Great Britain (England, Wales and Scotland) for travel to an EU country or Northern Ireland. You can still use a pet passport issued in an EU country or Northern Ireland.\n\nWhen travelling to an EU country or Northern Ireland, your pet needs:\n\n- a microchip\n\n- a valid rabies vaccination\n\n- an animal health certificate unless you have a pet passport issued in an EU country or Northern Ireland\n\n- tapeworm treatment for dogs if you\u2019re travelling directly to Finland, Ireland, Northern Ireland, Norway or Malta\n\nThese requirements also apply to assistance dogs.\n\nCheck the rules of the country you\u2019re travelling to for any additional restrictions or requirements before you travel.\n\n## Travelling from Great Britain to Northern Ireland in early 2021\n\nIf you have a pet passport issued in Northern Ireland, contact your vet for advice before travelling.\n\nYou can also read about changes to pet travel on the NIDirect website.\n\n## Arriving in an EU country or Northern Ireland\n\nYou\u2019ll need to go through a travellers\u2019 point of entry when you arrive in an EU country or Northern Ireland.\n\nYou may need to show your pet\u2019s animal health certificate along with proof of their:\n\n- microchip\n\n- rabies vaccination\n\n- tapeworm treatment (if required)\n\n## Repeat trips to an EU country or Northern Ireland\n\nYour pet will need a new animal health certificate for each trip to an EU country or Northern Ireland.\n\nYour pet will not need a repeat rabies vaccination so long as it\u2019s rabies vaccinations are up to date.\n\nYour dog will need tapeworm treatment for each trip if you\u2019re travelling directly to Finland, Ireland, Malta, Northern Ireland or Norway.\n\n## Travelling with more than 5 pets\n\nYou cannot take more than 5 pets to an EU country or Northern Ireland unless you\u2019re attending or training for a:\n\n- competition\n\n- show\n\n- sporting event\n\nYou\u2019ll need written evidence of registration for the event when you travel.\n\nAll your pets must:\n\n- be attending the event or training\n\n- be over 6 months old\n\n- meet all the other requirements for pet travel to that country\n\n## Exporting pets for commercial purposes\n\nRead the Border Operating Model if you want to export pets to an EU country or Northern Ireland for commercial reasons such as change of ownership.\n\n## Travelling to a non-EU country\n\nIf you\u2019re travelling to a non-EU country, you\u2019ll need to get an export health certificate (EHC). You\u2019ll also need to complete an export application form (EXA) if you\u2019re in England, Scotland or Wales.\n\nThe export health certificate and the export application form for each country and pet will tell you how to apply.\n\nAn EHC checks that your pet meets the health requirements of the country you\u2019re travelling to.\n\nYou must nominate an official vet who will be sent the EHC. They\u2019ll check your pet has met the correct health and identification requirements before you travel.\n\nCheck the rules of the country you\u2019re travelling to for any additional restrictions or requirements before you travel.\n\n## Getting an animal health certificate\n\nYou need an animal health certificate for your dog, cat or ferret if you\u2019re travelling from Great Britain (England, Wales and Scotland) to an EU country or Northern Ireland.\n\nYou do not need an animal health certificate if you have a pet passport issued in an EU country or Northern Ireland.\n\n## How to get an animal health certificate\n\nYou must take your pet to your vet to get an animal health certificate. You need to do this no more than 10 days before you travel.\n\nThe certificate needs to be signed by an \u2018official veterinarian\u2019 (OV). Check your vet can issue animal health certificates. If they cannot, ask them to help you find an OV.\n\nWhen you visit your vet, you\u2019ll need to take proof of your pet\u2019s:\n\n- microchipping date\n\n- vaccination history\n\nYour pet\u2019s animal health certificate will be valid after the date of issue for:\n\n- 10 days for entry into the EU or Northern Ireland\n\n- 4 months for onward travel within the EU\n\n- 4 months for re-entry to Great Britain\n\nYour pet will need a new animal health certificate for each trip to an EU country or Northern Ireland from Great Britain.\n\n## Microchip\n\nYou must get your pet microchipped before, or at the same time as, their rabies vaccination. If you do not, they\u2019ll need to be vaccinated again.\n\nMicrochipping for pet travel can only be done by:\n\n- a vet\n\n- a vet nurse, student vet or student vet nurse (directed by a vet)\n\n- someone trained in microchipping before 29 December 2014, and with practical experience\n\n- someone who has been assessed on an approved training course - contact the Department of Agriculture, Environment and Rural Affairs\n (DAERA) if the course was in Northern Ireland\n\nMake sure your vet puts the microchip number in your animal health certificate. The date must be before your pet\u2019s vaccinations.\n\n## Reading the microchip\n\nAirlines, train and ferry companies in the EU can read microchips that meet International Organization for Standardization (ISO) standards ISO 11784 and ISO 11785.\n\nYou may have to bring your own microchip reader when you travel if your pet\u2019s microchip does not meet ISO standards. You should check with your travel company before you leave.\n\n## If the microchip cannot be read\n\nYou\u2019ll have to do all the preparation again if your vet cannot read the microchip. This means you\u2019ll have to ask your vet to:\n\n- rechip your pet\n\n- revaccinate your pet\n\n- issue a new animal health certificate if you\u2019re travelling to the EU or Northern Ireland\n\n- record new microchips in the \u2018Marking of animals\u2019 section of the new animal health certificate\n\nYou\u2019ll have to wait the required time before you can travel if your pet is revaccinated or has new blood tests.\n\n## If the microchip can only sometimes be read\n\nYour vet should try to read the microchip. If they get a reading, they can rechip your pet (the original chip is not removed).\n\nThis must be recorded in the animal health certificate in the \u2018Marking of animals\u2019 section with:\n\n- the number of the old and new chips\n\n- the date they were read\n\n- the date the new chip was inserted\n\nThe vet must sign and stamp the page in the animal health certificate.\n\nYour vet should record in the \u2018Others\u2019 section of the animal health certificate that your pet has been rechipped.\n\n## Tattoo\n\nYou do not need to have your pet microchipped if it\u2019s been tattooed with an identification number and all of the following are true:\n\n- you\u2019re travelling to the EU or Northern Ireland\n\n- your pet was tattooed on or before 3 July 2011\n\n- the tattoo is clearly legible\n\n- your pet was vaccinated against rabies after it was tattooed\n\nYour vet must record the date of tattooing, the tattoo number and the date of the rabies vaccination in the animal health certificate.\n\n## Rabies vaccination, boosters and blood tests\n\nYou must get your dog, cat or ferret vaccinated against rabies before it can travel. Your vet needs proof that your pet\u2019s at least 12 weeks old before vaccinating them.\n\nIf you\u2019re taking your pet to the EU or Northern Ireland, you must wait 21 days after the primary vaccination before you travel.\n\nYou must get your pet microchipped before, or at the same time as, their rabies vaccination. If you do not, they\u2019ll need to be vaccinated again.\n\nThe vaccine must be an inactivated vaccine or recombinant vaccine that\u2019s approved in the country of use.\n\n## Booster vaccinations\n\nIf you\u2019re travelling with your pet, you must get regular rabies booster vaccinations for your pet. Check your animal health certificate to find out when the booster vaccination is due.\n\nYou will not need to get repeat vaccinations for repeat trips to the EU or Northern Ireland if your pet\u2019s rabies vaccination is up to date.\n\n## Vaccination record\n\nYour pet\u2019s vaccination record in their animal health certificate must show:\n\n- your pet\u2019s date of birth\n\n- microchip number, date it was put in or read, and where it is on your pet\u2019s body\n\n- vaccination date\n\n- vaccine manufacturer and product name\n\n- vaccine batch number\n\n- date the vaccination is valid until\n\n- the vet\u2019s signature and contact details\n\nYour pet can be stopped from travelling if the details in their animal health certificate are in the wrong place.\n\n## Tapeworm treatment for dogs\n\nA vet must treat your dog for tapeworm and record it in the animal health certificate if you\u2019re travelling directly to:\n\n- Finland\n\n- Ireland\n\n- Malta\n\n- Northern Ireland\n\n- Norway\n\nThe treatment must have been given no less than 24 hours and no more than 120 hours (5 days) before you arrive.\n\nThe treatment must:\n\n- be approved for use in the country it\u2019s being given in\n\n- contain praziquantel or an equivalent proven to be effective against the Echinococcus multilocularis tapeworm\n\n## Short trips\n\nIf you\u2019re leaving Great Britain (England, Wales and Scotland) for a short trip to visit countries other than Finland, Ireland, Malta, Northern Ireland or Norway, you could have your dog treated by a vet before you go.\n\nYou must wait for 24 hours before re-entering Great Britain and return within 120 hours or you\u2019ll need to get another treatment abroad.\n\n## Information your vet needs to record\n\nCheck the vet has put the following details in the \u2018Echinococcus treatment\u2019 section of your dog\u2019s pet animal health certificate:\n\n- the name and manufacturer of the product\n\n- the date and time they treated your dog\n\n- their stamp and signature\n\n## Help and support\n\nYou can contact the Animal and Plant Health Agency (APHA) if you\u2019ve got questions or need more information.\n\n## If you\u2019re travelling to the EU or Northern Ireland\n\nContact the Pet Travel Scheme helpline if you need more information about pet travel.\n\n## If you\u2019re travelling to a non-EU country\n\nContact APHA if you need more information about pet travel to a non-EU country.", + "original_contents": [ + "

    Overview

    ", + "

    When travelling with your pet dog, cat or ferret abroad, what you need to do will depend on what country you\u2019re going to.

    ", + "

    There are different rules for travelling with your pet to an EU country or Northern Ireland and for taking your pet to a non-EU country.

    ", + "

    There\u2019s different guidance if you\u2019re bringing your pet dog, cat or ferret to the UK.

    ", + "

    Travelling to an EU country or Northern Ireland

    ", + "

    You can no longer use a pet passport issued in Great Britain (England, Wales and Scotland) for travel to an EU country or Northern Ireland. You can still use a pet passport issued in an EU country or Northern Ireland.

    ", + "

    When travelling to an EU country or Northern Ireland, your pet needs:

    ", + "
  • a microchip
  • ", + "
  • a valid rabies vaccination
  • ", + "
  • an animal health certificate unless you have a pet passport issued in an EU country or Northern Ireland
  • ", + "
  • tapeworm treatment for dogs if you\u2019re travelling directly to Finland, Ireland, Northern Ireland, Norway or Malta
  • ", + "

    These requirements also apply to assistance dogs.

    ", + "

    Check the rules of the country you\u2019re travelling to for any additional restrictions or requirements before you travel.

    ", + "

    Travelling from Great Britain to Northern Ireland in early 2021

    ", + "

    If you have a pet passport issued in Northern Ireland, contact your vet for advice before travelling.

    ", + "

    You can also read about changes to pet travel on the NIDirect website.

    ", + "

    Arriving in an EU country or Northern Ireland

    ", + "

    You\u2019ll need to go through a travellers\u2019 point of entry when you arrive in an EU country or Northern Ireland.

    ", + "

    You may need to show your pet\u2019s animal health certificate along with proof of their:

    ", + "
  • microchip
  • ", + "
  • rabies vaccination
  • ", + "
  • tapeworm treatment (if required)
  • ", + "

    Repeat trips to an EU country or Northern Ireland

    ", + "

    Your pet will need a new animal health certificate for each trip to an EU country or Northern Ireland.

    ", + "

    Your pet will not need a repeat rabies vaccination so long as it\u2019s rabies vaccinations are up to date.

    ", + "

    Your dog will need tapeworm treatment for each trip if you\u2019re travelling directly to Finland, Ireland, Malta, Northern Ireland or Norway.

    ", + "

    Travelling with more than 5 pets

    ", + "

    You cannot take more than 5 pets to an EU country or Northern Ireland unless you\u2019re attending or training for a:

    ", + "
  • competition
  • ", + "
  • show
  • ", + "
  • sporting event
  • ", + "

    You\u2019ll need written evidence of registration for the event when you travel.

    ", + "

    All your pets must:

    ", + "
  • be attending the event or training
  • ", + "
  • be over 6 months old
  • ", + "
  • meet all the other requirements for pet travel to that country
  • ", + "

    Exporting pets for commercial purposes

    ", + "

    Read the Border Operating Model if you want to export pets to an EU country or Northern Ireland for commercial reasons such as change of ownership.

    ", + "

    Travelling to a non-EU country

    ", + "

    If you\u2019re travelling to a non-EU country, you\u2019ll need to get an export health certificate (EHC). You\u2019ll also need to complete an export application form (EXA) if you\u2019re in England, Scotland or Wales.

    ", + "

    The export health certificate and the export application form for each country and pet will tell you how to apply.

    ", + "

    An EHC checks that your pet meets the health requirements of the country you\u2019re travelling to.

    ", + "

    You must nominate an official vet who will be sent the EHC. They\u2019ll check your pet has met the correct health and identification requirements before you travel.

    ", + "

    Check the rules of the country you\u2019re travelling to for any additional restrictions or requirements before you travel.

    ", + "

    Getting an animal health certificate

    ", + "

    You need an animal health certificate for your dog, cat or ferret if you\u2019re travelling from Great Britain (England, Wales and Scotland) to an EU country or Northern Ireland.

    ", + "

    You do not need an animal health certificate if you have a pet passport issued in an EU country or Northern Ireland.

    ", + "

    How to get an animal health certificate

    ", + "

    You must take your pet to your vet to get an animal health certificate. You need to do this no more than 10 days before you travel.

    ", + "

    The certificate needs to be signed by an \u2018official veterinarian\u2019 (OV). Check your vet can issue animal health certificates. If they cannot, ask them to help you find an OV.

    ", + "

    When you visit your vet, you\u2019ll need to take proof of your pet\u2019s:

    ", + "
  • microchipping date
  • ", + "
  • vaccination history
  • ", + "

    Your pet\u2019s animal health certificate will be valid after the date of issue for:

    ", + "
  • 10 days for entry into the EU or Northern Ireland
  • ", + "
  • 4 months for onward travel within the EU
  • ", + "
  • 4 months for re-entry to Great Britain
  • ", + "

    Your pet will need a new animal health certificate for each trip to an EU country or Northern Ireland from Great Britain.

    ", + "

    Microchip

    ", + "

    You must get your pet microchipped before, or at the same time as, their rabies vaccination. If you do not, they\u2019ll need to be vaccinated again.

    ", + "

    Microchipping for pet travel can only be done by:

    ", + "
  • a vet
  • ", + "
  • a vet nurse, student vet or student vet nurse (directed by a vet)
  • ", + "
  • someone trained in microchipping before 29 December 2014, and with practical experience
  • ", + "
  • someone who has been assessed on an approved training course - contact the Department of Agriculture, Environment and Rural Affairs\n (DAERA) if the course was in Northern Ireland
  • ", + "

    Make sure your vet puts the microchip number in your animal health certificate. The date must be before your pet\u2019s vaccinations.

    ", + "

    Reading the microchip

    ", + "

    Airlines, train and ferry companies in the EU can read microchips that meet International Organization for Standardization (ISO) standards ISO 11784 and ISO 11785.

    ", + "

    You may have to bring your own microchip reader when you travel if your pet\u2019s microchip does not meet ISO standards. You should check with your travel company before you leave.

    ", + "

    If the microchip cannot be read

    ", + "

    You\u2019ll have to do all the preparation again if your vet cannot read the microchip. This means you\u2019ll have to ask your vet to:

    ", + "
  • rechip your pet
  • ", + "
  • revaccinate your pet
  • ", + "
  • issue a new animal health certificate if you\u2019re travelling to the EU or Northern Ireland
  • ", + "
  • record new microchips in the \u2018Marking of animals\u2019 section of the new animal health certificate
  • ", + "

    You\u2019ll have to wait the required time before you can travel if your pet is revaccinated or has new blood tests.

    ", + "

    If the microchip can only sometimes be read

    ", + "

    Your vet should try to read the microchip. If they get a reading, they can rechip your pet (the original chip is not removed).

    ", + "

    This must be recorded in the animal health certificate in the \u2018Marking of animals\u2019 section with:

    ", + "
  • the number of the old and new chips
  • ", + "
  • the date they were read
  • ", + "
  • the date the new chip was inserted
  • ", + "

    The vet must sign and stamp the page in the animal health certificate.

    ", + "

    Your vet should record in the \u2018Others\u2019 section of the animal health certificate that your pet has been rechipped.

    ", + "

    Tattoo

    ", + "

    You do not need to have your pet microchipped if it\u2019s been tattooed with an identification number and all of the following are true:

    ", + "
  • you\u2019re travelling to the EU or Northern Ireland
  • ", + "
  • your pet was tattooed on or before 3 July 2011
  • ", + "
  • the tattoo is clearly legible
  • ", + "
  • your pet was vaccinated against rabies after it was tattooed
  • ", + "

    Your vet must record the date of tattooing, the tattoo number and the date of the rabies vaccination in the animal health certificate.

    ", + "

    Rabies vaccination, boosters and blood tests

    ", + "

    You must get your dog, cat or ferret vaccinated against rabies before it can travel. Your vet needs proof that your pet\u2019s at least 12 weeks old before vaccinating them.

    ", + "

    If you\u2019re taking your pet to the EU or Northern Ireland, you must wait 21 days after the primary vaccination before you travel.

    ", + "

    You must get your pet microchipped before, or at the same time as, their rabies vaccination. If you do not, they\u2019ll need to be vaccinated again.

    ", + "

    The vaccine must be an inactivated vaccine or recombinant vaccine that\u2019s approved in the country of use.

    ", + "

    Booster vaccinations

    ", + "

    If you\u2019re travelling with your pet, you must get regular rabies booster vaccinations for your pet. Check your animal health certificate to find out when the booster vaccination is due.

    ", + "

    You will not need to get repeat vaccinations for repeat trips to the EU or Northern Ireland if your pet\u2019s rabies vaccination is up to date.

    ", + "

    Vaccination record

    ", + "

    Your pet\u2019s vaccination record in their animal health certificate must show:

    ", + "
  • your pet\u2019s date of birth
  • ", + "
  • microchip number, date it was put in or read, and where it is on your pet\u2019s body
  • ", + "
  • vaccination date
  • ", + "
  • vaccine manufacturer and product name
  • ", + "
  • vaccine batch number
  • ", + "
  • date the vaccination is valid until
  • ", + "
  • the vet\u2019s signature and contact details
  • ", + "

    Your pet can be stopped from travelling if the details in their animal health certificate are in the wrong place.

    ", + "

    Tapeworm treatment for dogs

    ", + "

    A vet must treat your dog for tapeworm and record it in the animal health certificate if you\u2019re travelling directly to:

    ", + "
  • Finland
  • ", + "
  • Ireland
  • ", + "
  • Malta
  • ", + "
  • Northern Ireland
  • ", + "
  • Norway
  • ", + "

    The treatment must have been given no less than 24 hours and no more than 120 hours (5 days) before you arrive.

    ", + "

    The treatment must:

    ", + "
  • be approved for use in the country it\u2019s being given in
  • ", + "
  • contain praziquantel or an equivalent proven to be effective against the Echinococcus multilocularis tapeworm
  • ", + "

    Short trips

    ", + "

    If you\u2019re leaving Great Britain (England, Wales and Scotland) for a short trip to visit countries other than Finland, Ireland, Malta, Northern Ireland or Norway, you could have your dog treated by a vet before you go.

    ", + "

    You must wait for 24 hours before re-entering Great Britain and return within 120 hours or you\u2019ll need to get another treatment abroad.

    ", + "

    Information your vet needs to record

    ", + "

    Check the vet has put the following details in the \u2018Echinococcus treatment\u2019 section of your dog\u2019s pet animal health certificate:

    ", + "
  • the name and manufacturer of the product
  • ", + "
  • the date and time they treated your dog
  • ", + "
  • their stamp and signature
  • ", + "

    Help and support

    ", + "

    You can contact the Animal and Plant Health Agency (APHA) if you\u2019ve got questions or need more information.

    ", + "

    If you\u2019re travelling to the EU or Northern Ireland

    ", + "

    Contact the Pet Travel Scheme helpline if you need more information about pet travel.

    ", + "

    If you\u2019re travelling to a non-EU country

    ", + "

    Contact APHA if you need more information about pet travel to a non-EU country.

    " + ] + }, + "https://www.gov.uk/get-a-passport-urgently": { + "url": "https://www.gov.uk/get-a-passport-urgently", + "title": "Get a passport urgently", + "content": "## How to apply\n\nYou can pay for a faster service if you need a passport within the next 3 weeks.\n\nYou need to book a passport office appointment and pay online. You can book an appointment up to 3 weeks in advance.\n\nIf you need a passport to travel urgently for medical treatment or because a friend or family member is seriously ill or has died, call the \u2018Passport Adviceline\u2019 instead.\n\nCheck current coronavirus (COVID-19) travel advice before travelling. If your passport application is successful, it does not mean you\u2019re currently allowed to travel.\n\n## Who can apply\n\nYou can apply for a faster service if you\u2019re in the UK and need to renew or replace a passport, or get a first child passport.\n\nUse the non-urgent service if either:\n\n- you\u2019re applying for a first adult passport\n\n- you do not need your passport within the next 3 weeks\n\nIf you\u2019re outside the UK, apply for an emergency travel document.\n\nTrack your passport application if you\u2019ve already applied for a passport and have not received it. Do not pay for an urgent passport - you will not get your passport sooner or get a refund.\n\n## Ways to apply\n\nThere are 2 ways to apply for an urgent passport.\n\nAs part of the application, you\u2019ll need to attend an appointment at your nearest passport office.\n\n## Online Premium\n\nYou get your new passport at your appointment. Appointments last up to 30 minutes.\n\nYou can use this service to renew an adult passport.\n\nUse the Online Premium service.\n\n## 1 week Fast Track\n\nYour new passport is delivered to your home within 1 week of your appointment. Someone might need to be in to sign for it.\n\nYou can use this service to:\n\n- renew an adult or child passport\n\n- change your name on your passport (for example with a marriage certificate or deed poll)\n\n- make changes to your personal details on your passport (for example, your gender)\n\n- replace a lost, stolen or damaged passport\n\n- apply for a first child passport\n\nUse the 1 week Fast Track service.\n\n## If you cannot apply online\n\nYou can book your appointment and pay by calling the \u2018Passport Adviceline\u2019.\n\n## Online Premium service\n\nYou\u2019ll apply, pay and book an appointment online. The earliest you can get an appointment is 2 days from when you apply.\n\nYou\u2019ll get your new passport at your appointment. Appointments can last up to 30 minutes.\n\nDo not book an appointment if you\u2019re self-isolating or you or someone you live with has coronavirus (COVID-19) symptoms.\n\nIt costs \u00a3177 (or \u00a3187 for a 50 page frequent traveller passport).\n\nYou can only use Online Premium to renew an adult passport that was issued after 31 December 2001.\n\n## Apply, book an appointment and pay\n\nTo use the Online Premium service you\u2019ll need:\n\n- your old passport\n\n- a device that takes digital photos (like a smartphone, tablet or digital camera) and someone to take your photo\n\n- a digital photo of you\n\nApply, book an appointment and pay\n\n## What to bring to your appointment\n\nYou need to bring your old passport.\n\nYou can ask someone else to go to your appointment for you. They\u2019ll need to bring:\n\n- your old passport\n\n- a signed and dated letter from you, naming them and giving them permission to collect the passport\n\n- their ID (for example passport, driving licence, or utility bill that\u2019s less than 3 months old)\n\n## Changing your appointment\n\nCall the \u2018Passport Adviceline\u2019 to reschedule your appointment.\n\nDo not go to your appointment if:\n\n- you\u2019re self-isolating because of COVID-19\n\n- you or someone you live with has COVID-19 symptoms\n\n## 1 week Fast Track service\n\nIt costs:\n\n- \u00a3142 for an adult passport (or \u00a3152 for a 50 page frequent traveller passport)\n\n- \u00a3122 for a child passport (or \u00a3132 for a 50 page frequent traveller passport)\n\nYou can use 1 week Fast Track to:\n\n- renew an adult or child passport that has expired or that is about to expire\n\n- change personal details on your passport (for example your name, place of birth or gender)\n\n- replace a lost, stolen or damaged passport\n\n- apply for a first child passport\n\n## What you need to do\n\n- Get a paper application form from a Post Office - you cannot apply online.\n\n- Book an appointment online and pay the fee.\n\n- Fill in your application form and gather your documents before your appointment.\n\n## Book an appointment and pay by card\n\nWhen you have an application form, you can book an appointment online.\n\nBook an appointment and pay by card\n\n## What to bring to your appointment\n\nYou need:\n\n- 2 identical printed passport photos\n\n- your completed paper application form\n\n- your supporting documents - read the booklet that comes with the paper form to find out what you need\n\n## If you cannot go to your appointment\n\nYou can change your appointment or send someone in your place.\n\n## Changing your appointment because of coronavirus (COVID-19)\n\nYou can change your appointment at any time up to your appointment slot if:\n\n- you\u2019re self-isolating\n\n- you or someone you live with has COVID-19 or COVID-19 symptoms\n\nCall the \u2018Passport Adviceline\u2019 to change your appointment.\n\n## Changing your appointment for another reason\n\nYou can change your appointment if your booking is more than 2 days away. Use the link in the confirmation email you got after paying and booking.\n\n## Sending someone in your place\n\nIf you\u2019re in the UK, you can ask someone to go to your appointment for you. They\u2019ll need to bring:\n\n- your 2 identical printed passport photos\n\n- your completed paper application form\n\n- your supporting documents - read the booklet that comes with the paper form to find out what you need", + "original_contents": [ + "

    How to apply

    ", + "

    You can pay for a faster service if you need a passport within the next 3 weeks.

    ", + "

    You need to book a passport office appointment and pay online. You can book an appointment up to 3 weeks in advance.

    ", + "

    If you need a passport to travel urgently for medical treatment or because a friend or family member is seriously ill or has died, call the \u2018Passport Adviceline\u2019 instead.

    ", + "

    Check current coronavirus (COVID-19) travel advice before travelling. If your passport application is successful, it does not mean you\u2019re currently allowed to travel.

    ", + "

    Who can apply

    ", + "

    You can apply for a faster service if you\u2019re in the UK and need to renew or replace a passport, or get a first child passport.

    ", + "

    Use the non-urgent service if either:

    ", + "
  • you\u2019re applying for a first adult passport
  • ", + "
  • you do not need your passport within the next 3 weeks
  • ", + "

    If you\u2019re outside the UK, apply for an emergency travel document.

    ", + "

    Track your passport application if you\u2019ve already applied for a passport and have not received it. Do not pay for an urgent passport - you will not get your passport sooner or get a refund.

    ", + "

    Ways to apply

    ", + "

    There are 2 ways to apply for an urgent passport.

    ", + "

    As part of the application, you\u2019ll need to attend an appointment at your nearest passport office.

    ", + "

    Online Premium

    ", + "

    You get your new passport at your appointment. Appointments last up to 30 minutes.

    ", + "

    You can use this service to renew an adult passport.

    ", + "

    Use the Online Premium service.

    ", + "

    1 week Fast Track

    ", + "

    Your new passport is delivered to your home within 1 week of your appointment. Someone might need to be in to sign for it.

    ", + "

    You can use this service to:

    ", + "
  • renew an adult or child passport
  • ", + "
  • change your name on your passport (for example with a marriage certificate or deed poll)
  • ", + "
  • make changes to your personal details on your passport (for example, your gender)
  • ", + "
  • replace a lost, stolen or damaged passport
  • ", + "
  • apply for a first child passport
  • ", + "

    Use the 1 week Fast Track service.

    ", + "

    If you cannot apply online

    ", + "

    You can book your appointment and pay by calling the \u2018Passport Adviceline\u2019.

    ", + "

    Online Premium service

    ", + "

    You\u2019ll apply, pay and book an appointment online. The earliest you can get an appointment is 2 days from when you apply.

    ", + "

    You\u2019ll get your new passport at your appointment. Appointments can last up to 30 minutes.

    ", + "

    Do not book an appointment if you\u2019re self-isolating or you or someone you live with has coronavirus (COVID-19) symptoms.

    ", + "

    It costs \u00a3177 (or \u00a3187 for a 50 page frequent traveller passport).

    ", + "

    You can only use Online Premium to renew an adult passport that was issued after 31 December 2001.

    ", + "

    Apply, book an appointment and pay

    ", + "

    To use the Online Premium service you\u2019ll need:

    ", + "
  • your old passport
  • ", + "
  • a device that takes digital photos (like a smartphone, tablet or digital camera) and someone to take your photo
  • ", + "
  • a digital photo of you
  • ", + "

    Apply, book an appointment and pay

    ", + "

    What to bring to your appointment

    ", + "

    You need to bring your old passport.

    ", + "

    You can ask someone else to go to your appointment for you. They\u2019ll need to bring:

    ", + "
  • your old passport
  • ", + "
  • a signed and dated letter from you, naming them and giving them permission to collect the passport
  • ", + "
  • their ID (for example passport, driving licence, or utility bill that\u2019s less than 3 months old)
  • ", + "

    Changing your appointment

    ", + "

    Call the \u2018Passport Adviceline\u2019 to reschedule your appointment.

    ", + "

    Do not go to your appointment if:

    ", + "
  • you\u2019re self-isolating because of COVID-19
  • ", + "
  • you or someone you live with has COVID-19 symptoms
  • ", + "

    1 week Fast Track service

    ", + "

    It costs:

    ", + "
  • \u00a3142 for an adult passport (or \u00a3152 for a 50 page frequent traveller passport)
  • ", + "
  • \u00a3122 for a child passport (or \u00a3132 for a 50 page frequent traveller passport)
  • ", + "

    You can use 1 week Fast Track to:

    ", + "
  • renew an adult or child passport that has expired or that is about to expire
  • ", + "
  • change personal details on your passport (for example your name, place of birth or gender)
  • ", + "
  • replace a lost, stolen or damaged passport
  • ", + "
  • apply for a first child passport
  • ", + "

    What you need to do

    ", + "
  • Get a paper application form from a Post Office - you cannot apply online.
  • ", + "
  • Book an appointment online and pay the fee.
  • ", + "
  • Fill in your application form and gather your documents before your appointment.
  • ", + "

    Book an appointment and pay by card

    ", + "

    When you have an application form, you can book an appointment online.

    ", + "

    Book an appointment and pay by card

    ", + "

    What to bring to your appointment

    ", + "

    You need:

    ", + "
  • 2 identical printed passport photos
  • ", + "
  • your completed paper application form
  • ", + "
  • your supporting documents - read the booklet that comes with the paper form to find out what you need
  • ", + "

    If you cannot go to your appointment

    ", + "

    You can change your appointment or send someone in your place.

    ", + "

    Changing your appointment because of coronavirus (COVID-19)

    ", + "

    You can change your appointment at any time up to your appointment slot if:

    ", + "
  • you\u2019re self-isolating
  • ", + "
  • you or someone you live with has COVID-19 or COVID-19 symptoms
  • ", + "

    Call the \u2018Passport Adviceline\u2019 to change your appointment.

    ", + "

    Changing your appointment for another reason

    ", + "

    You can change your appointment if your booking is more than 2 days away. Use the link in the confirmation email you got after paying and booking.

    ", + "

    Sending someone in your place

    ", + "

    If you\u2019re in the UK, you can ask someone to go to your appointment for you. They\u2019ll need to bring:

    ", + "
  • your 2 identical printed passport photos
  • ", + "
  • your completed paper application form
  • ", + "
  • your supporting documents - read the booklet that comes with the paper form to find out what you need
  • " + ] + }, + "https://www.gov.uk/apply-first-adult-passport": { + "url": "https://www.gov.uk/apply-first-adult-passport", + "title": "Getting your first adult passport", + "content": "## Who can apply\n\nYou can apply for a first adult passport if all of the following apply:\n\n- you\u2019re a British national\n\n- you\u2019re aged 16 or over (or will be in 3 weeks)\n\n- you\u2019ve never had a UK passport before\n\nYou must also apply if your last UK passport was issued before 1 January 1994.\n\nYou can use your child passport until it expires, even if you\u2019re over 18.\n\nAn adult passport is valid for 10 years.\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport.\n\nIf you need a passport to travel urgently for medical treatment or because a friend or family member is seriously ill or has died, call the Passport Adviceline.\n\nDo not book travel until you get your passport.\n\n## Ways to apply\n\nIf you\u2019re in the UK, you can either:\n\n- apply online - it costs \u00a375.50\n\n- apply with a paper form - it costs \u00a385\n\nIt\u2019s taking longer to process paper applications than online applications at the moment because of coronavirus (COVID-19). Use the online service to get your passport.\n\nThere\u2019s a different way to apply if you\u2019re overseas.\n\n## What documents you need to apply\n\nYou must send original documents. Photocopies are not accepted.\n\nIf you do not have your original certificates (for example, your birth certificate), you need to get an official copy.\n\nIf your documents are not in English or Welsh, you need to send a certified translation.\n\nYou can send laminated documents if that\u2019s the only format they are issued in.\n\n## You were born or adopted in the UK\n\nWhat documents you need depend on when you were born.\n\n## Before 1 January 1983\n\nYou\u2019ll need your full birth certificate or adoption certificate.\n\n## On or after 1 January 1983\n\nYou\u2019ll need your full birth certificate or adoption certificate and either:\n\n- your mother\u2019s or father\u2019s full UK birth certificate, or the Home Office certificate of registration or naturalisation, or a British passport belonging to one of your parents that was valid when you were born, or a British passport number for either parent\n\n- evidence of one of your parents\u2019 immigration status in the UK at the time of your birth, for example a foreign passport belonging to one of your parents that was valid when you were born\n\nIf you send documents relating to your father, you must also send your parents\u2019 marriage certificate.\n\n## You were born outside the UK\n\nWhat documents you need depend on your circumstances.\n\n## You have a certificate of naturalisation or registration\n\nYou\u2019ll need both:\n\n- your naturalisation or registration certificate\n\n- the passport you used to come into the UK or the foreign passport you\u2019re included on\n\n## Citizen of a British overseas territory and born before 1 January 1983\n\nYou\u2019ll need all of the following:\n\n- your birth certificate\n\n- your current passport\n\n- the passport you used to come into the UK or the foreign passport you\u2019re included on\n\n## Born before 1 January 1983 and your father was born in the UK\n\nYou\u2019ll need all of the following:\n\n- your full birth certificate showing your parents\u2019 details\n\n- your father\u2019s birth certificate\n\n- your parents\u2019 marriage certificate\n\n- the passport you used to come into the UK or foreign passport you\u2019re included on\n\n## Born on or after 1 January 1983\n\nYou\u2019ll need all of the following:\n\n- your full birth certificate showing your parents\u2019 details\n\n- the passport you used to come into the UK or any foreign passport that you\u2019re included on\n\n- evidence of one parent\u2019s British nationality, for example their UK birth or adoption, naturalisation or registration certificate\n\nIf these documents relate to your father, you must include the marriage certificate showing when he married your mother.\n\n## Your circumstances are different\n\nIf your circumstances are not listed, read the guidance booklet to find out what documents you\u2019ll need. If you apply online you\u2019ll be told what documents you need as part of your application.\n\n## How your documents will be sent back\n\nThe supporting documents will be returned separately from your passport. How you get them depends on the delivery option you choose when you fill in your application.\n\n## Apply online\n\nTo apply online you\u2019ll need:\n\n- a digital photo of you (or a device that takes digital photos and someone to take your photo)\n\n- someone who can confirm your identity\n\n- supporting documents\n\n- a credit or debit card\n\nIt costs \u00a375.50.\n\n## Start your application\n\nApply and pay for your passport online.\n\nStart now\n\n## Ask someone to confirm your identity\n\nAfter you\u2019ve paid and submitted your application, you\u2019ll need to ask someone to confirm your identity.\n\nLet the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your identity online - they do not need to sign a printed photo.\n\nFind out who can confirm your identity and what they need to do.\n\n## Send your documents\n\nAfter the person you asked has confirmed your identity, you\u2019ll receive an email explaining what documents you need to send and where to send them.\n\nAfter you apply, you may be asked to attend an interview.\n\n## Apply with a paper form\n\nTo apply with a paper form you\u2019ll need:\n\n- a filled-in application form\n\n- 2 identical printed passport photos\n\n- someone who can confirm your identity (a \u2018countersignatory\u2019)\n\n- supporting documents\n\nIt costs \u00a385. The booklet that comes with the form explains how to pay.\n\nIt takes longer to apply by post than online.\n\n## Fill in your application form\n\nYou can get a paper application form from either:\n\n- a Post Office that offers the Passport Check and Send service\n\n- the Passport Adviceline\n\nFill in sections 1, 2, 3, 4, 5 and 9. Your countersignatory will need to fill in section 10.\n\nRead the booklet that comes with the form if you need help with your application.\n\n## Get a countersignatory\n\nYou need to get someone else to confirm your identity (a \u2018countersignatory\u2019). They\u2019ll need to:\n\n- fill in section 10 of your form\n\n- sign and date one of your photos\n\nFind out who can be a countersignatory and what they need to do.\n\n## Gather your documents and send your application\n\nYou need to send all of the following:\n\n- your filled-in application form\n\n- your supporting documents\n\n- your 2 passport photos (one of them signed and dated by your countersignatory)\n\nTo send in your form, documents and photos, you can either:\n\n- post them using the pre-printed envelope that comes with the form\n\n- take them to the Post Office if you want to use the Passport Check and Send service\n\nAfter you apply, you may be asked to attend an interview.\n\n## After you apply\n\n## Passport interviews\n\nAfter you apply, you may need to be interviewed to confirm your identity.\n\nPassport offices are temporarily closed and face-to-face interviews are suspended because of coronavirus (COVID-19).\n\nVideo interviews are taking place online. If you need an interview, you\u2019ll be contacted after your application has been processed to book it.\n\n## Getting your new passport and supporting documents\n\nYou\u2019ll receive your new passport by courier or recorded delivery.\n\nThe supporting documents will be returned separately from your passport. How you get them depends on the delivery option you choose when you fill in your application.", + "original_contents": [ + "

    Who can apply

    ", + "

    You can apply for a first adult passport if all of the following apply:

    ", + "
  • you\u2019re a British national
  • ", + "
  • you\u2019re aged 16 or over (or will be in 3 weeks)
  • ", + "
  • you\u2019ve never had a UK passport before
  • ", + "

    You must also apply if your last UK passport was issued before 1 January 1994.

    ", + "

    You can use your child passport until it expires, even if you\u2019re over 18.

    ", + "

    An adult passport is valid for 10 years.

    ", + "

    How long it takes

    ", + "

    Allow up to 10 weeks to get your passport.

    ", + "

    If you need a passport to travel urgently for medical treatment or because a friend or family member is seriously ill or has died, call the Passport Adviceline.

    ", + "

    Do not book travel until you get your passport.

    ", + "

    Ways to apply

    ", + "

    If you\u2019re in the UK, you can either:

    ", + "
  • apply online - it costs \u00a375.50
  • ", + "
  • apply with a paper form - it costs \u00a385
  • ", + "

    It\u2019s taking longer to process paper applications than online applications at the moment because of coronavirus (COVID-19). Use the online service to get your passport.

    ", + "

    There\u2019s a different way to apply if you\u2019re overseas.

    ", + "

    What documents you need to apply

    ", + "

    You must send original documents. Photocopies are not accepted.

    ", + "

    If you do not have your original certificates (for example, your birth certificate), you need to get an official copy.

    ", + "

    If your documents are not in English or Welsh, you need to send a certified translation.

    ", + "

    You can send laminated documents if that\u2019s the only format they are issued in.

    ", + "

    You were born or adopted in the UK

    ", + "

    What documents you need depend on when you were born.

    ", + "

    Before 1 January 1983

    ", + "

    You\u2019ll need your full birth certificate or adoption certificate.

    ", + "

    On or after 1 January 1983

    ", + "

    You\u2019ll need your full birth certificate or adoption certificate and either:

    ", + "
  • your mother\u2019s or father\u2019s full UK birth certificate, or the Home Office certificate of registration or naturalisation, or a British passport belonging to one of your parents that was valid when you were born, or a British passport number for either parent
  • ", + "
  • evidence of one of your parents\u2019 immigration status in the UK at the time of your birth, for example a foreign passport belonging to one of your parents that was valid when you were born
  • ", + "

    If you send documents relating to your father, you must also send your parents\u2019 marriage certificate.

    ", + "

    You were born outside the UK

    ", + "

    What documents you need depend on your circumstances.

    ", + "

    You have a certificate of naturalisation or registration

    ", + "

    You\u2019ll need both:

    ", + "
  • your naturalisation or registration certificate
  • ", + "
  • the passport you used to come into the UK or the foreign passport you\u2019re included on
  • ", + "

    Citizen of a British overseas territory and born before 1 January 1983

    ", + "

    You\u2019ll need all of the following:

    ", + "
  • your birth certificate
  • ", + "
  • your current passport
  • ", + "
  • the passport you used to come into the UK or the foreign passport you\u2019re included on
  • ", + "

    Born before 1 January 1983 and your father was born in the UK

    ", + "

    You\u2019ll need all of the following:

    ", + "
  • your full birth certificate showing your parents\u2019 details
  • ", + "
  • your father\u2019s birth certificate
  • ", + "
  • your parents\u2019 marriage certificate
  • ", + "
  • the passport you used to come into the UK or foreign passport you\u2019re included on
  • ", + "

    Born on or after 1 January 1983

    ", + "

    You\u2019ll need all of the following:

    ", + "
  • your full birth certificate showing your parents\u2019 details
  • ", + "
  • the passport you used to come into the UK or any foreign passport that you\u2019re included on
  • ", + "
  • evidence of one parent\u2019s British nationality, for example their UK birth or adoption, naturalisation or registration certificate
  • ", + "

    If these documents relate to your father, you must include the marriage certificate showing when he married your mother.

    ", + "

    Your circumstances are different

    ", + "

    If your circumstances are not listed, read the guidance booklet to find out what documents you\u2019ll need. If you apply online you\u2019ll be told what documents you need as part of your application.

    ", + "

    How your documents will be sent back

    ", + "

    The supporting documents will be returned separately from your passport. How you get them depends on the delivery option you choose when you fill in your application.

    ", + "

    Apply online

    ", + "

    To apply online you\u2019ll need:

    ", + "
  • a digital photo of you (or a device that takes digital photos and someone to take your photo)
  • ", + "
  • someone who can confirm your identity
  • ", + "
  • supporting documents
  • ", + "
  • a credit or debit card
  • ", + "

    It costs \u00a375.50.

    ", + "

    Start your application

    ", + "

    Apply and pay for your passport online.

    ", + "

    Start now

    ", + "

    Ask someone to confirm your identity

    ", + "

    After you\u2019ve paid and submitted your application, you\u2019ll need to ask someone to confirm your identity.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your identity and what they need to do.

    ", + "

    Send your documents

    ", + "

    After the person you asked has confirmed your identity, you\u2019ll receive an email explaining what documents you need to send and where to send them.

    ", + "

    After you apply, you may be asked to attend an interview.

    ", + "

    Apply with a paper form

    ", + "

    To apply with a paper form you\u2019ll need:

    ", + "
  • a filled-in application form
  • ", + "
  • 2 identical printed passport photos
  • ", + "
  • someone who can confirm your identity (a \u2018countersignatory\u2019)
  • ", + "
  • supporting documents
  • ", + "

    It costs \u00a385. The booklet that comes with the form explains how to pay.

    ", + "

    It takes longer to apply by post than online.

    ", + "

    Fill in your application form

    ", + "

    You can get a paper application form from either:

    ", + "
  • a Post Office that offers the Passport Check and Send service
  • ", + "
  • the Passport Adviceline
  • ", + "

    Fill in sections 1, 2, 3, 4, 5 and 9. Your countersignatory will need to fill in section 10.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    Get a countersignatory

    ", + "

    You need to get someone else to confirm your identity (a \u2018countersignatory\u2019). They\u2019ll need to:

    ", + "
  • fill in section 10 of your form
  • ", + "
  • sign and date one of your photos
  • ", + "

    Find out who can be a countersignatory and what they need to do.

    ", + "

    Gather your documents and send your application

    ", + "

    You need to send all of the following:

    ", + "
  • your filled-in application form
  • ", + "
  • your supporting documents
  • ", + "
  • your 2 passport photos (one of them signed and dated by your countersignatory)
  • ", + "

    To send in your form, documents and photos, you can either:

    ", + "
  • post them using the pre-printed envelope that comes with the form
  • ", + "
  • take them to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    After you apply, you may be asked to attend an interview.

    ", + "

    After you apply

    ", + "

    Passport interviews

    ", + "

    After you apply, you may need to be interviewed to confirm your identity.

    ", + "

    Passport offices are temporarily closed and face-to-face interviews are suspended because of coronavirus (COVID-19).

    ", + "

    Video interviews are taking place online. If you need an interview, you\u2019ll be contacted after your application has been processed to book it.

    ", + "

    Getting your new passport and supporting documents

    ", + "

    You\u2019ll receive your new passport by courier or recorded delivery.

    ", + "

    The supporting documents will be returned separately from your passport. How you get them depends on the delivery option you choose when you fill in your application.

    " + ] + }, + "https://www.gov.uk/renew-adult-passport": { + "url": "https://www.gov.uk/renew-adult-passport", + "title": "Renew or replace your adult passport", + "content": "## Overview\n\nIt costs \u00a375.50 to renew or replace your passport if you apply online or \u00a385 if you fill in a paper form.\n\nYou must be aged 16 or over (or turning 16 in the next 3 weeks) if you want an adult passport. There\u2019s a different process to get a passport for a child.\n\nThere are different ways to renew or replace your passport if you\u2019re outside the UK.\n\nIf you\u2019re travelling to the EU, Switzerland, Norway, Iceland or Liechtenstein, you may need to renew your passport before you travel.\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport. It takes longer to apply by post than online.\n\nYou may be able to get a passport urgently if you need one sooner.\n\nDo not book travel until you have a valid passport.\n\n## Tracking your passport application\n\nYou can track your passport application immediately if you apply online or after 10 weeks if you apply by post.\n\n## Getting your new passport\n\nYour new passport will be sent to you by courier or Royal Mail. They\u2019ll either:\n\n- post it through your letterbox\n\n- hand it to you if you\u2019re home\n\n- leave a card or post you a letter saying how you can get it (it will not say the package is your passport)\n\n## Renew\n\nIf your passport has expired, you must renew it before you can travel.\n\nDo not book travel until you have a valid passport - your new passport will not have the same number as your old one.\n\nThere are different rules if your passport is lost, stolen or damaged or you need to change your name or personal details.\n\n## Renewing your passport before it expires\n\nYou need at least 6 months left on your passport to travel to certain countries. Check the entry requirements of the country you\u2019re visiting to see how much time left you need on it.\n\nTime left on your old passport will not be added to your new one.\n\n## Travelling to the EU, EEA or Switzerland\n\nOn the day of travel to the\u00a0EU, Switzerland, Norway, Iceland or Liechtenstein, you\u2019ll need your passport to both:\n\n- have at least 6 months left on it\n\n- be less than 10 years old (even if it has 6 months or more left)\n\nThese rules do not apply to travel to Ireland. You can continue to use your passport as long as it\u2019s valid for the length of your stay.\n\nIf your passport is burgundy or has \u2018European Union\u2019 on the cover, you can still use it as long as it has enough time left on it.\n\n## Renew online\n\nUse this service to renew your passport online. It costs \u00a375.50.\n\nYou\u2019ll need:\n\n- a digital photo\n\n- a credit or debit card\n\n- your passport\n\nRenew online\n\n## Renew using a paper application form\n\nYou can get a paper application form by either:\n\n- going to a Post Office that has a Check and Send service\n\n- calling the Passport Adviceline\n\nIt costs \u00a385. You can pay by either:\n\n- debit or credit card - fill in the form in the application pack\n\n- cheque - made payable to \u2018Her Majesty\u2019s Passport Office\u2019\n\nYou\u2019ll need 2 new and identical printed photos of yourself.\n\n## Unexpired visas\n\nSend your previous passport with the visa attached to it with your application. Your previous passport will be returned to you.\n\nYou\u2019ll be able to use the visa if you carry both passports.\n\nThe rules are different if you\u2019re travelling to Russia.\n\n## Replace a lost, stolen or damaged passport\n\nYou must replace your passport if it has more than reasonable wear and tear because you may not be allowed to travel with it.\n\n## If you need to attend an interview\n\nPassport offices are temporarily closed and face-to-face interviews are suspended because of coronavirus (COVID-19).\n\nVideo interviews are taking place online. If you need an interview, you\u2019ll be contacted after your application has been processed to book it.\n\n## Replace online\n\nUse this service to replace your passport online. It costs \u00a375.50.\n\nYou\u2019ll need:\n\n- a digital photo\n\n- a credit or debit card\n\nYou\u2019ll need to ask someone to confirm your identity online if you\u2019re replacing a lost or stolen passport.\n\nReplace online\n\n## Replace using a paper application form\n\nYou can get a paper application form by either:\n\n- going to the Post Office\n\n- calling the Passport Adviceline\n\nIt costs \u00a385. You can pay by either:\n\n- debit or credit card - fill in the form in the application pack\n\n- cheque - made payable to \u2018Her Majesty\u2019s Passport Office\u2019\n\nYou\u2019ll need 2 new and identical printed photos of yourself.\n\nYou can use the Post Office Check and Send service if you\u2019re using a paper form. The address to send it to is on the form.\n\n## Countersignatories\n\nYou need to get your application form and 1 of your photos signed by someone else to prove your identity.", + "original_contents": [ + "

    Overview

    ", + "

    It costs \u00a375.50 to renew or replace your passport if you apply online or \u00a385 if you fill in a paper form.

    ", + "

    You must be aged 16 or over (or turning 16 in the next 3 weeks) if you want an adult passport. There\u2019s a different process to get a passport for a child.

    ", + "

    There are different ways to renew or replace your passport if you\u2019re outside the UK.

    ", + "

    If you\u2019re travelling to the EU, Switzerland, Norway, Iceland or Liechtenstein, you may need to renew your passport before you travel.

    ", + "

    How long it takes

    ", + "

    Allow up to 10 weeks to get your passport. It takes longer to apply by post than online.

    ", + "

    You may be able to get a passport urgently if you need one sooner.

    ", + "

    Do not book travel until you have a valid passport.

    ", + "

    Tracking your passport application

    ", + "

    You can track your passport application immediately if you apply online or after 10 weeks if you apply by post.

    ", + "

    Getting your new passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    Renew

    ", + "

    If your passport has expired, you must renew it before you can travel.

    ", + "

    Do not book travel until you have a valid passport - your new passport will not have the same number as your old one.

    ", + "

    There are different rules if your passport is lost, stolen or damaged or you need to change your name or personal details.

    ", + "

    Renewing your passport before it expires

    ", + "

    You need at least 6 months left on your passport to travel to certain countries. Check the entry requirements of the country you\u2019re visiting to see how much time left you need on it.

    ", + "

    Time left on your old passport will not be added to your new one.

    ", + "

    Travelling to the EU, EEA or Switzerland

    ", + "

    On the day of travel to the\u00a0EU, Switzerland, Norway, Iceland or Liechtenstein, you\u2019ll need your passport to both:

    ", + "
  • have at least 6 months left on it
  • ", + "
  • be less than 10 years old (even if it has 6 months or more left)
  • ", + "

    These rules do not apply to travel to Ireland. You can continue to use your passport as long as it\u2019s valid for the length of your stay.

    ", + "

    If your passport is burgundy or has \u2018European Union\u2019 on the cover, you can still use it as long as it has enough time left on it.

    ", + "

    Renew online

    ", + "

    Use this service to renew your passport online. It costs \u00a375.50.

    ", + "

    You\u2019ll need:

    ", + "
  • a digital photo
  • ", + "
  • a credit or debit card
  • ", + "
  • your passport
  • ", + "

    Renew online

    ", + "

    Renew using a paper application form

    ", + "

    You can get a paper application form by either:

    ", + "
  • going to a Post Office that has a Check and Send service
  • ", + "
  • calling the Passport Adviceline
  • ", + "

    It costs \u00a385. You can pay by either:

    ", + "
  • debit or credit card - fill in the form in the application pack
  • ", + "
  • cheque - made payable to \u2018Her Majesty\u2019s Passport Office\u2019
  • ", + "

    You\u2019ll need 2 new and identical printed photos of yourself.

    ", + "

    Unexpired visas

    ", + "

    Send your previous passport with the visa attached to it with your application. Your previous passport will be returned to you.

    ", + "

    You\u2019ll be able to use the visa if you carry both passports.

    ", + "

    The rules are different if you\u2019re travelling to Russia.

    ", + "

    Replace a lost, stolen or damaged passport

    ", + "

    You must replace your passport if it has more than reasonable wear and tear because you may not be allowed to travel with it.

    ", + "

    If you need to attend an interview

    ", + "

    Passport offices are temporarily closed and face-to-face interviews are suspended because of coronavirus (COVID-19).

    ", + "

    Video interviews are taking place online. If you need an interview, you\u2019ll be contacted after your application has been processed to book it.

    ", + "

    Replace online

    ", + "

    Use this service to replace your passport online. It costs \u00a375.50.

    ", + "

    You\u2019ll need:

    ", + "
  • a digital photo
  • ", + "
  • a credit or debit card
  • ", + "

    You\u2019ll need to ask someone to confirm your identity online if you\u2019re replacing a lost or stolen passport.

    ", + "

    Replace online

    ", + "

    Replace using a paper application form

    ", + "

    You can get a paper application form by either:

    ", + "
  • going to the Post Office
  • ", + "
  • calling the Passport Adviceline
  • ", + "

    It costs \u00a385. You can pay by either:

    ", + "
  • debit or credit card - fill in the form in the application pack
  • ", + "
  • cheque - made payable to \u2018Her Majesty\u2019s Passport Office\u2019
  • ", + "

    You\u2019ll need 2 new and identical printed photos of yourself.

    ", + "

    You can use the Post Office Check and Send service if you\u2019re using a paper form. The address to send it to is on the form.

    ", + "

    Countersignatories

    ", + "

    You need to get your application form and 1 of your photos signed by someone else to prove your identity.

    " + ] + }, + "https://www.gov.uk/get-a-child-passport": { + "url": "https://www.gov.uk/get-a-child-passport", + "title": "Get a passport for your child", + "content": "## Overview\n\nYou apply for a child passport if your child is under 16. It costs \u00a349 to apply online and \u00a358.50 to apply with a paper form from the Post Office. A child passport is valid for 5 years.\n\nIf you\u2019re travelling to the EU, Switzerland, Norway, Iceland or Liechtenstein, you may need to renew your child\u2019s passport before you travel.\n\nThere are different rules if you\u2019re applying from outside the UK.\n\n## Who can apply\n\nSomeone with parental responsibility for the child must apply for the passport.\n\nYou need to give both parents\u2019 details when you apply. If you cannot provide the other parent\u2019s details, you need to say why (for example, you\u2019re the only parent named on the birth certificate or you adopted the child on your own).\n\n## How long it takes\n\nAllow up to 10 weeks to get the passport. It takes longer to apply by post than online.\n\nYou may be able to get a passport urgently if you need one sooner.\n\nDo not book travel until you have a valid passport.\n\n## What you should apply for\n\n| Situation | Action |\n\n| Your child is under 16 and has never had a British passport | Apply for a first child passport |\n\n| Your child is under 16 and has a British passport | Renew your child\u2019s passport |\n\n| Your child is under 16 and their British passport has been lost or stolen | Apply for a replacement passport |\n\n| Your child is under 16 and their British passport is damaged | Apply for a replacement passport |\n\n| Your child is under 16 and has a British passport but some of their details have changed | Apply for a new passport |\n\n| Your child is over 16 (or will be in 3 weeks) and had a British child passport | Follow the process for renewing or replacing an adult passport |\n\n| Your child is over 16 (or will be in 3 weeks) and has never had a British passport | Apply for a first adult passport |\n\n## Apply for a first child passport\n\nIf your child has never had a British passport you must apply for a first child passport.\n\nYour child must have British nationality to be eligible for a British passport.\n\n## Apply online\n\nTo apply online you\u2019ll need:\n\n- a digital photo of your child (or a device that takes digital photos)\n\n- supporting documents\n\n- a credit or debit card\n\nIt costs \u00a349.\n\n## Start application\n\nApply and pay for the passport online.\n\nStart now\n\n## Ask someone to confirm your child\u2019s identity\n\nAfter you\u2019ve paid and submitted the application, you\u2019ll need to ask someone to confirm your child\u2019s identity.\n\nLet the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.\n\nFind out who can confirm your child\u2019s identity and what they need to do.\n\n## Apply by post\n\nYou can apply by post by either:\n\n- getting a paper form from a Post Office that offers the Passport Check and Send service\n\n- contacting the Passport Adviceline to get a form posted to you\n\nFill in sections 1, 2, 3, 4, 5 and 9 of the form. Your child needs to sign section 6 if they\u2019re 12 or over. \nYou need to get someone else, known as your \u2018countersignatory\u2019, to fill in section 10 and certify your child\u2019s photo.\n\nRead the booklet that comes with the form if you need help with your application.\n\nTo send in your application, you can either:\n\n- post your form, photos and documents using the pre-printed envelope that comes with the form\n\n- take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service\n\n## Signing the application\n\nSomeone with parental responsibility must sign the form.\n\nIf your child is 12 to 15 they need to sign the form too.\n\n## Supporting documents\n\nYou must send original documents or official copies of certificates. Photocopies are not accepted, even \u2018certified copies\u2019.\n\nIf your documents are not in English or Welsh, you\u2019ll need to send certified translations as well as the originals.\n\nYou cannot send laminated documents.\n\n## If the name on the passport does not match what\u2019s on the birth certificate\n\nYou must send:\n\n- a signed and dated letter from everyone with parental responsibility confirming the name change and that they agree to the child getting a new passport\n\n- a deed poll\n\n- at least one piece of evidence that shows the new name being used, for example NHS records, child benefits or school records\n\n## What documents to provide if you apply online\n\nIf you apply online, you\u2019ll be told what documents you need to provide.\n\n## What documents to send if you apply by post\n\nIf you apply by post, you must send:\n\n- 2 new photos of your child\n\n- the child\u2019s full birth or adoption certificate (the one with parent\u2019s details on it)\n\n- proof that your child has British nationality (for example a British registration certificate, parent\u2019s passport details or parent\u2019s birth certificates)\n\n- any valid passports from a different country belonging to the child\n\n- any court orders (for example, that describe parental responsibility or residency arrangements)\n\nRead the guidance notes to find out which documents you need to send.\n\n## Choose how you want your documents sent back\n\nYour documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.\n\n## Getting your passport\n\nYour new passport will be sent to you by courier or Royal Mail. They\u2019ll either:\n\n- post it through your letterbox\n\n- hand it to you if you\u2019re home\n\n- leave a card or post you a letter saying how you can get it (it will not say the package is your passport)\n\nYou can track your passport application.\n\n## Renew a child passport\n\nYou can apply to renew a child passport online or by post.\n\nIf your child\u2019s passport has expired, you must renew it before they can travel.\n\nDo not book travel until you have a valid passport - the new passport will not have the same number as the old one.\n\nIf your child\u2019s name or other personal details have changed, you cannot renew their passport. You must apply for a new passport instead.\n\n## Renewing a passport before it expires\n\nYou need at least 6 months left on your passport to travel to certain countries. Check the entry requirements of the country your child is visiting to see how much time they need on their passport before they travel.\n\nTime left on your child\u2019s old passport will not be added to their new one.\n\n## Travelling to the EU, EEA or Switzerland\n\nOn the day of travel to the\u00a0EU, Switzerland, Norway, Iceland or Liechtenstein, your child will need 6 months left on their passport.\n\nThis rule does not apply to travel to Ireland. You can continue to use a passport as long as it\u2019s valid for the length of the stay.\n\nIf your child\u2019s passport is burgundy or has \u2018European Union\u2019 on the cover, they can still use it as long as it has enough time left on it.\n\n## Supporting documents\n\nTo renew your child\u2019s passport you\u2019ll need:\n\n- your child\u2019s old passport\n\n- any valid passports from a different country your child might have\n\n- any court orders (for example that describe parental responsibility or residency arrangements)\n\nYou\u2019ll also need either digital or printed photos of your child.\n\n## Renew online\n\nIt costs \u00a349. You can pay with a credit or debit card.\n\nYou\u2019ll need:\n\n- a digital photo of your child (or a device that takes digital photos)\n\n- the supporting documents\n\nRenew online\n\n## Ask someone to confirm your child\u2019s identity\n\nIf your child is under 12, you\u2019ll need to ask someone to confirm their identity after you\u2019ve submitted the application.\n\nLet the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.\n\nFind out who can confirm your child\u2019s identity and what they need to do.\n\n## Renew by post\n\nIt costs \u00a358.50.\n\nYou need to fill in a paper application form. You can get a paper form by either:\n\n- going to a Post Office that has a Passport Check and Send service\n\n- calling the Passport Adviceline\n\nFill in sections 1, 2, 3, 4, and 9 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.\n\nIf your child is 11 or under or cannot be recognised from their old passport photo you\u2019ll need to get someone else, known as a \u2018countersignatory\u2019, to fill in section 10 and certify your child\u2019s photo.\n\nRead the booklet that comes with the form if you need help with your application.\n\nTo send your application you can either:\n\n- post your form, photos and documents using the pre-printed envelope that comes with the form\n\n- take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service\n\n## Signing the application\n\nSomeone with parental responsibility must sign the form.\n\nIf your child is 12 to 15 they need to sign the form too.\n\n## Countersigning the application\n\nIf your child is under 12, you\u2019ll need to get their application and one of their photos countersigned.\n\nIf your child is 12 or over, you only need to do this if they cannot be recognised from the photo in their current passport.\n\n## Choose how you want your documents sent back\n\nYour documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.\n\n## Getting your passport\n\nYour new passport will be sent to you by courier or Royal Mail. They\u2019ll either:\n\n- post it through your letterbox\n\n- hand it to you if you\u2019re home\n\n- leave a card or post you a letter saying how you can get it (it will not say the package is your passport)\n\nYou can track your passport application.\n\n## Replace a lost or stolen child passport\n\nIf your child\u2019s passport has been lost or stolen, you can apply for a replacement.\n\nYou must cancel a lost or stolen passport as soon as possible. This will reduce the risk of anyone else using it.\n\n## Supporting documents\n\nTo replace your child\u2019s passport, you\u2019ll need:\n\n- any valid passports from a different country your child might have\n\n- any court orders (for example, that describe parental responsibility or residency arrangements)\n\nYou\u2019ll also need either digital or printed photos of your child.\n\n## Apply online\n\nYou can apply for a replacement child passport online.\n\nIt costs \u00a349. You can pay with a credit or debit card.\n\nYou\u2019ll need:\n\n- a digital photo of your child (or a device that takes digital photos)\n\n- any supporting documents\n\nApply online\n\n## Ask someone to confirm your child\u2019s identity\n\nYou\u2019ll need to ask someone to confirm your child\u2019s identity.\n\nLet the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.\n\nFind out who can confirm your child\u2019s identity and what they need to do.\n\n## Apply by post\n\nYou can apply by post by either:\n\n- getting a paper form from a Post Office that offers the Passport Check and Send service\n\n- contacting the Passport Adviceline to get a form posted to you\n\nFill in sections 1, 2, 3, 4, 9 and 10 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.\n\nYou\u2019ll need 2 new printed photos of your child. Follow the rules for printed passport photos.\n\nTo send in your application, you can either:\n\n- post your form, photos and documents using the pre-printed envelope that comes with the form\n\n- take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service\n\n## Signing the application\n\nSomeone with parental responsibility must sign the form.\n\nIf your child is 12 to 15 they need to sign the form too.\n\n## Countersigning the application\n\nYou must get the application form and one of your child\u2019s photos countersigned.\n\nRead the booklet that comes with the form if you need help with your application.\n\n## Choose how you want your documents sent back\n\nYour documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.\n\n## Getting your passport\n\nYour new passport will be sent to you by courier or Royal Mail. They\u2019ll either:\n\n- post it through your letterbox\n\n- hand it to you if you\u2019re home\n\n- leave a card or post you a letter saying how you can get it (it will not say the package is your passport)\n\nYou can track your passport application.\n\n## Replace a damaged child passport\n\nIf your child\u2019s passport is damaged, you\u2019ll need to apply for a replacement.\n\nYou can apply online or by post.\n\n## Supporting documents\n\nYou must send all of the following with your application:\n\n- the damaged passport\n\n- a letter from someone with parental responsibility explaining how the damage happened (if you apply by post)\n\n- any valid passports from a different country your child might have\n\n- any court orders (for example that describe parental responsibility or residency arrangements)\n\nYou\u2019ll also need either digital or printed photos of your child.\n\n## Apply online\n\nIt costs \u00a349. You can pay with a credit or debit card.\n\nYou\u2019ll need:\n\n- a digital photo of your child (or a device that takes digital photos)\n\n- the supporting documents\n\nApply online\n\n## Ask someone to confirm your child\u2019s identity\n\nIf your child is under 12, you\u2019ll need to ask someone to confirm your child\u2019s identity.\n\nLet the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.\n\nFind out who can confirm your child\u2019s identity and what they need to do.\n\n## Apply by post\n\nYou can apply by post by either:\n\n- getting a paper form from a Post Office that offers the Passport Check and Send service\n\n- contacting the Passport Adviceline to get a form posted to you\n\nFill in sections 1, 2, 3, 4, 9 and 10 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.\n\nTo send in your application, you can either:\n\n- post your form, photos and documents using the pre-printed envelope that comes with the form\n\n- take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service\n\n## Signing the application\n\nSomeone with parental responsibility must sign the form.\n\nIf your child is 12 to 15 they need to sign the form too.\n\n## Countersigning the application\n\nYou must get the application form and one of your child\u2019s photos countersigned.\n\nRead the booklet that comes with the form if you need help with your application.\n\n## Choose how you want your documents sent back\n\nYour documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.\n\n## Getting your passport\n\nYour new passport will be sent to you by courier or Royal Mail. They\u2019ll either:\n\n- post it through your letterbox\n\n- hand it to you if you\u2019re home\n\n- leave a card or post you a letter saying how you can get it (it will not say the package is your passport)\n\nYou can track your passport application.\n\n## Change the name or personal details on a child passport\n\nYour child will need to get a new passport if they\u2019ve changed their name.\n\nFill in the passport application with the name that you want printed on the passport.\n\nContact the Passport Adviceline if you\u2019re changing any other personal details on a child passport. This could include date of birth, place of birth or national status.\n\n## Apply online\n\nYou can apply for a new child passport online.\n\nYou\u2019ll need a digital photo of your child (or a device that takes digital photos).\n\nYou\u2019ll be told where to send your supporting documents when you apply.\n\n## Ask someone to confirm your child\u2019s identity\n\nIf your child is under 12, you\u2019ll need to ask someone to confirm their identity after you\u2019ve submitted the application.\n\nLet the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.\n\nFind out who can confirm your child\u2019s identity and what they need to do.\n\n## Apply by post\n\nYou can apply by post by either:\n\n- getting a paper form from a Post Office that offers the Passport Check and Send service\n\n- contacting the Passport Adviceline to get a form posted to you\n\nFill in sections 1, 2, 3, 4 and 9 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.\n\nIf your child is 11 or under or cannot be recognised from their old passport photo you\u2019ll need to get someone else, known as a \u2018countersignatory\u2019, to fill in section 10 and certify your child\u2019s photo.\n\nRead the booklet that comes with the form if you need help with your application.\n\nTo send in your application, you can either:\n\n- post your form, photos and documents using the pre-printed envelope that comes with the form\n\n- take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service\n\n## Signing the application\n\nSomeone with parental responsibility must sign the form.\n\nIf your child is 12 to 15 they need to sign the form too.\n\n## Supporting documents\n\nYou must send:\n\n- the old passport\n\n- a deed poll or similar document about the name change\n\n- at least one piece of evidence that shows the new name being used, for example NHS records, child benefits or school records\n\n- written consent from everyone with parental responsibility\n\n- 2 new photos of your child if you apply by post\n\n## Choose how you want your documents sent back\n\nYour documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.\n\n## Getting your passport\n\nYour new passport will be sent to you by courier or Royal Mail. They\u2019ll either:\n\n- post it through your letterbox\n\n- hand it to you if you\u2019re home\n\n- leave a card or post you a letter saying how you can get it (it will not say the package is your passport)\n\nYou can track your passport application.\n\n## Adopted or fostered children\n\n## If your child was adopted in the UK\n\nYour child can get a British passport if either adoptive parent is British and was usually living in the UK (\u2018habitually resident\u2019) when you adopted your child.\n\nYou must send your child\u2019s adoption certificate showing the British parent\u2019s details.\n\nYou must also send one of the following:\n\n- the British passport details for either parent\n\n- a UK birth certificate for either parent\n\n- a Home Office certificate of registration or naturalisation for either parent\n\n- the passport that was valid at the time of the child\u2019s birth for either parent\n\n## If your child was adopted overseas\n\n## Adopted before 1 June 2003\n\nYour child does not automatically qualify for a British passport - even if one of the parents is a British citizen.\n\nThe adoption may be recognised for parental responsibility purposes, but not for nationality purposes, depending on the country the adoption took place in.\n\n## Adopted on or after 1 June 2003\n\nYour child can get a British passport if either parent is British and the British parent was usually living (\u2018habitually resident\u2019) in the UK when the child was adopted.\n\nOnly adoptions conducted under the Hague Convention are recognised for nationality purposes. You must send the child\u2019s full Hague Convention adoption certificate showing the parents\u2019 details.\n\nYou must also send evidence of the British parent\u2019s nationality status, such as a British passport issued before the date of adoption - put the passport number on your application.\n\nIf you do not have a British passport, there are other documents you can send.\n\n## Foster children and children in care\n\nYou must contact the Passport Adviceline if you want a passport for a child who\u2019s in care. This includes a child you\u2019re fostering.\n\n## Get help\n\nContact the Passport Adviceline if you are not sure what documents you need or if your circumstances are more complicated.\n\n## Surrogacy and sperm donation\n\n## Children born through surrogacy\n\nAs well as your other documents, you need to send:\n\n- a letter giving details of your surrogacy arrangement\n\n- evidence of your surrogacy treatment, such as a letter from the clinic where it took place\n\n- proof that your child has a claim to British nationality\n\n- proof of your identity (for example, your passport or birth certificate)\n\n- proof of your marriage or civil partnership (if this is relevant to your application)\n\nIf you\u2019ve been granted a parental order, you also need to send:\n\n- the parental order (if you have it)\n\n- your child\u2019s birth certificate, issued after the parental order was granted\n\nIf you\u2019ve not been granted a parental order and your child was born in the UK you can send their full UK birth certificate instead.\n\nIf you\u2019ve not been granted a parental order and your child was born outside the UK, there are special rules about applying for a passport.\n\n## Sperm donation\n\nIf your child was conceived through sperm donation and born in the UK, you need to send their birth certificate when you apply. You do not need to say they were conceived through sperm donation.\n\nThere are different rules if they were born in another country.\n\n## Get help\n\nContact the Passport Adviceline if you are not sure what documents you need or if your circumstances are more complicated.", + "original_contents": [ + "

    Overview

    ", + "

    You apply for a child passport if your child is under 16. It costs \u00a349 to apply online and \u00a358.50 to apply with a paper form from the Post Office. A child passport is valid for 5 years.

    ", + "

    If you\u2019re travelling to the EU, Switzerland, Norway, Iceland or Liechtenstein, you may need to renew your child\u2019s passport before you travel.

    ", + "

    There are different rules if you\u2019re applying from outside the UK.

    ", + "

    Who can apply

    ", + "

    Someone with parental responsibility for the child must apply for the passport.

    ", + "

    You need to give both parents\u2019 details when you apply. If you cannot provide the other parent\u2019s details, you need to say why (for example, you\u2019re the only parent named on the birth certificate or you adopted the child on your own).

    ", + "

    How long it takes

    ", + "

    Allow up to 10 weeks to get the passport. It takes longer to apply by post than online.

    ", + "

    You may be able to get a passport urgently if you need one sooner.

    ", + "

    Do not book travel until you have a valid passport.

    ", + "

    What you should apply for

    ", + "Situation | Action", + "Your child is under 16 and has never had a British passport | Apply for a first child passport", + "Your child is under 16 and has a British passport | Renew your child\u2019s passport", + "Your child is under 16 and their British passport has been lost or stolen | Apply for a replacement passport", + "Your child is under 16 and their British passport is damaged | Apply for a replacement passport", + "Your child is under 16 and has a British passport but some of their details have changed | Apply for a new passport", + "Your child is over 16 (or will be in 3 weeks) and had a British child passport | Follow the process for renewing or replacing an adult passport", + "Your child is over 16 (or will be in 3 weeks) and has never had a British passport | Apply for a first adult passport", + "

    Apply for a first child passport

    ", + "

    If your child has never had a British passport you must apply for a first child passport.

    ", + "

    Your child must have British nationality to be eligible for a British passport.

    ", + "

    Apply online

    ", + "

    To apply online you\u2019ll need:

    ", + "
  • a digital photo of your child (or a device that takes digital photos)
  • ", + "
  • supporting documents
  • ", + "
  • a credit or debit card
  • ", + "

    It costs \u00a349.

    ", + "

    Start application

    ", + "

    Apply and pay for the passport online.

    ", + "

    Start now

    ", + "

    Ask someone to confirm your child\u2019s identity

    ", + "

    After you\u2019ve paid and submitted the application, you\u2019ll need to ask someone to confirm your child\u2019s identity.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your child\u2019s identity and what they need to do.

    ", + "

    Apply by post

    ", + "

    You can apply by post by either:

    ", + "
  • getting a paper form from a Post Office that offers the Passport Check and Send service
  • ", + "
  • contacting the Passport Adviceline to get a form posted to you
  • ", + "

    Fill in sections 1, 2, 3, 4, 5 and 9 of the form. Your child needs to sign section 6 if they\u2019re 12 or over. \nYou need to get someone else, known as your \u2018countersignatory\u2019, to fill in section 10 and certify your child\u2019s photo.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    To send in your application, you can either:

    ", + "
  • post your form, photos and documents using the pre-printed envelope that comes with the form
  • ", + "
  • take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    Signing the application

    ", + "

    Someone with parental responsibility must sign the form.

    ", + "

    If your child is 12 to 15 they need to sign the form too.

    ", + "

    Supporting documents

    ", + "

    You must send original documents or official copies of certificates. Photocopies are not accepted, even \u2018certified copies\u2019.

    ", + "

    If your documents are not in English or Welsh, you\u2019ll need to send certified translations as well as the originals.

    ", + "

    You cannot send laminated documents.

    ", + "

    If the name on the passport does not match what\u2019s on the birth certificate

    ", + "

    You must send:

    ", + "
  • a signed and dated letter from everyone with parental responsibility confirming the name change and that they agree to the child getting a new passport
  • ", + "
  • a deed poll
  • ", + "
  • at least one piece of evidence that shows the new name being used, for example NHS records, child benefits or school records
  • ", + "

    What documents to provide if you apply online

    ", + "

    If you apply online, you\u2019ll be told what documents you need to provide.

    ", + "

    What documents to send if you apply by post

    ", + "

    If you apply by post, you must send:

    ", + "
  • 2 new photos of your child
  • ", + "
  • the child\u2019s full birth or adoption certificate (the one with parent\u2019s details on it)
  • ", + "
  • proof that your child has British nationality (for example a British registration certificate, parent\u2019s passport details or parent\u2019s birth certificates)
  • ", + "
  • any valid passports from a different country belonging to the child
  • ", + "
  • any court orders (for example, that describe parental responsibility or residency arrangements)
  • ", + "

    Read the guidance notes to find out which documents you need to send.

    ", + "

    Choose how you want your documents sent back

    ", + "

    Your documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.

    ", + "

    Getting your passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    You can track your passport application.

    ", + "

    Renew a child passport

    ", + "

    You can apply to renew a child passport online or by post.

    ", + "

    If your child\u2019s passport has expired, you must renew it before they can travel.

    ", + "

    Do not book travel until you have a valid passport - the new passport will not have the same number as the old one.

    ", + "

    If your child\u2019s name or other personal details have changed, you cannot renew their passport. You must apply for a new passport instead.

    ", + "

    Renewing a passport before it expires

    ", + "

    You need at least 6 months left on your passport to travel to certain countries. Check the entry requirements of the country your child is visiting to see how much time they need on their passport before they travel.

    ", + "

    Time left on your child\u2019s old passport will not be added to their new one.

    ", + "

    Travelling to the EU, EEA or Switzerland

    ", + "

    On the day of travel to the\u00a0EU, Switzerland, Norway, Iceland or Liechtenstein, your child will need 6 months left on their passport.

    ", + "

    This rule does not apply to travel to Ireland. You can continue to use a passport as long as it\u2019s valid for the length of the stay.

    ", + "

    If your child\u2019s passport is burgundy or has \u2018European Union\u2019 on the cover, they can still use it as long as it has enough time left on it.

    ", + "

    Supporting documents

    ", + "

    To renew your child\u2019s passport you\u2019ll need:

    ", + "
  • your child\u2019s old passport
  • ", + "
  • any valid passports from a different country your child might have
  • ", + "
  • any court orders (for example that describe parental responsibility or residency arrangements)
  • ", + "

    You\u2019ll also need either digital or printed photos of your child.

    ", + "

    Renew online

    ", + "

    It costs \u00a349. You can pay with a credit or debit card.

    ", + "

    You\u2019ll need:

    ", + "
  • a digital photo of your child (or a device that takes digital photos)
  • ", + "
  • the supporting documents
  • ", + "

    Renew online

    ", + "

    Ask someone to confirm your child\u2019s identity

    ", + "

    If your child is under 12, you\u2019ll need to ask someone to confirm their identity after you\u2019ve submitted the application.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your child\u2019s identity and what they need to do.

    ", + "

    Renew by post

    ", + "

    It costs \u00a358.50.

    ", + "

    You need to fill in a paper application form. You can get a paper form by either:

    ", + "
  • going to a Post Office that has a Passport Check and Send service
  • ", + "
  • calling the Passport Adviceline
  • ", + "

    Fill in sections 1, 2, 3, 4, and 9 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.

    ", + "

    If your child is 11 or under or cannot be recognised from their old passport photo you\u2019ll need to get someone else, known as a \u2018countersignatory\u2019, to fill in section 10 and certify your child\u2019s photo.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    To send your application you can either:

    ", + "
  • post your form, photos and documents using the pre-printed envelope that comes with the form
  • ", + "
  • take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    Signing the application

    ", + "

    Someone with parental responsibility must sign the form.

    ", + "

    If your child is 12 to 15 they need to sign the form too.

    ", + "

    Countersigning the application

    ", + "

    If your child is under 12, you\u2019ll need to get their application and one of their photos countersigned.

    ", + "

    If your child is 12 or over, you only need to do this if they cannot be recognised from the photo in their current passport.

    ", + "

    Choose how you want your documents sent back

    ", + "

    Your documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.

    ", + "

    Getting your passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    You can track your passport application.

    ", + "

    Replace a lost or stolen child passport

    ", + "

    If your child\u2019s passport has been lost or stolen, you can apply for a replacement.

    ", + "

    You must cancel a lost or stolen passport as soon as possible. This will reduce the risk of anyone else using it.

    ", + "

    Supporting documents

    ", + "

    To replace your child\u2019s passport, you\u2019ll need:

    ", + "
  • any valid passports from a different country your child might have
  • ", + "
  • any court orders (for example, that describe parental responsibility or residency arrangements)
  • ", + "

    You\u2019ll also need either digital or printed photos of your child.

    ", + "

    Apply online

    ", + "

    You can apply for a replacement child passport online.

    ", + "

    It costs \u00a349. You can pay with a credit or debit card.

    ", + "

    You\u2019ll need:

    ", + "
  • a digital photo of your child (or a device that takes digital photos)
  • ", + "
  • any supporting documents
  • ", + "

    Apply online

    ", + "

    Ask someone to confirm your child\u2019s identity

    ", + "

    You\u2019ll need to ask someone to confirm your child\u2019s identity.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your child\u2019s identity and what they need to do.

    ", + "

    Apply by post

    ", + "

    You can apply by post by either:

    ", + "
  • getting a paper form from a Post Office that offers the Passport Check and Send service
  • ", + "
  • contacting the Passport Adviceline to get a form posted to you
  • ", + "

    Fill in sections 1, 2, 3, 4, 9 and 10 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.

    ", + "

    You\u2019ll need 2 new printed photos of your child. Follow the rules for printed passport photos.

    ", + "

    To send in your application, you can either:

    ", + "
  • post your form, photos and documents using the pre-printed envelope that comes with the form
  • ", + "
  • take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    Signing the application

    ", + "

    Someone with parental responsibility must sign the form.

    ", + "

    If your child is 12 to 15 they need to sign the form too.

    ", + "

    Countersigning the application

    ", + "

    You must get the application form and one of your child\u2019s photos countersigned.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    Choose how you want your documents sent back

    ", + "

    Your documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.

    ", + "

    Getting your passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    You can track your passport application.

    ", + "

    Replace a damaged child passport

    ", + "

    If your child\u2019s passport is damaged, you\u2019ll need to apply for a replacement.

    ", + "

    You can apply online or by post.

    ", + "

    Supporting documents

    ", + "

    You must send all of the following with your application:

    ", + "
  • the damaged passport
  • ", + "
  • a letter from someone with parental responsibility explaining how the damage happened (if you apply by post)
  • ", + "
  • any valid passports from a different country your child might have
  • ", + "
  • any court orders (for example that describe parental responsibility or residency arrangements)
  • ", + "

    You\u2019ll also need either digital or printed photos of your child.

    ", + "

    Apply online

    ", + "

    It costs \u00a349. You can pay with a credit or debit card.

    ", + "

    You\u2019ll need:

    ", + "
  • a digital photo of your child (or a device that takes digital photos)
  • ", + "
  • the supporting documents
  • ", + "

    Apply online

    ", + "

    Ask someone to confirm your child\u2019s identity

    ", + "

    If your child is under 12, you\u2019ll need to ask someone to confirm your child\u2019s identity.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your child\u2019s identity and what they need to do.

    ", + "

    Apply by post

    ", + "

    You can apply by post by either:

    ", + "
  • getting a paper form from a Post Office that offers the Passport Check and Send service
  • ", + "
  • contacting the Passport Adviceline to get a form posted to you
  • ", + "

    Fill in sections 1, 2, 3, 4, 9 and 10 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.

    ", + "

    To send in your application, you can either:

    ", + "
  • post your form, photos and documents using the pre-printed envelope that comes with the form
  • ", + "
  • take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    Signing the application

    ", + "

    Someone with parental responsibility must sign the form.

    ", + "

    If your child is 12 to 15 they need to sign the form too.

    ", + "

    Countersigning the application

    ", + "

    You must get the application form and one of your child\u2019s photos countersigned.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    Choose how you want your documents sent back

    ", + "

    Your documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.

    ", + "

    Getting your passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    You can track your passport application.

    ", + "

    Change the name or personal details on a child passport

    ", + "

    Your child will need to get a new passport if they\u2019ve changed their name.

    ", + "

    Fill in the passport application with the name that you want printed on the passport.

    ", + "

    Contact the Passport Adviceline if you\u2019re changing any other personal details on a child passport. This could include date of birth, place of birth or national status.

    ", + "

    Apply online

    ", + "

    You can apply for a new child passport online.

    ", + "

    You\u2019ll need a digital photo of your child (or a device that takes digital photos).

    ", + "

    You\u2019ll be told where to send your supporting documents when you apply.

    ", + "

    Ask someone to confirm your child\u2019s identity

    ", + "

    If your child is under 12, you\u2019ll need to ask someone to confirm their identity after you\u2019ve submitted the application.

    ", + "

    Let the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your child\u2019s identity online - they do not need to sign a printed photo.

    ", + "

    Find out who can confirm your child\u2019s identity and what they need to do.

    ", + "

    Apply by post

    ", + "

    You can apply by post by either:

    ", + "
  • getting a paper form from a Post Office that offers the Passport Check and Send service
  • ", + "
  • contacting the Passport Adviceline to get a form posted to you
  • ", + "

    Fill in sections 1, 2, 3, 4 and 9 of the form. Your child needs to sign section 6 if they\u2019re 12 or over.

    ", + "

    If your child is 11 or under or cannot be recognised from their old passport photo you\u2019ll need to get someone else, known as a \u2018countersignatory\u2019, to fill in section 10 and certify your child\u2019s photo.

    ", + "

    Read the booklet that comes with the form if you need help with your application.

    ", + "

    To send in your application, you can either:

    ", + "
  • post your form, photos and documents using the pre-printed envelope that comes with the form
  • ", + "
  • take your form, photos and documents to the Post Office if you want to use the Passport Check and Send service
  • ", + "

    Signing the application

    ", + "

    Someone with parental responsibility must sign the form.

    ", + "

    If your child is 12 to 15 they need to sign the form too.

    ", + "

    Supporting documents

    ", + "

    You must send:

    ", + "
  • the old passport
  • ", + "
  • a deed poll or similar document about the name change
  • ", + "
  • at least one piece of evidence that shows the new name being used, for example NHS records, child benefits or school records
  • ", + "
  • written consent from everyone with parental responsibility
  • ", + "
  • 2 new photos of your child if you apply by post
  • ", + "

    Choose how you want your documents sent back

    ", + "

    Your documents will be sent back to you by normal post, but you can pay an extra \u00a35 to get them sent by secure delivery. Choose this service on your application if you want to use it.

    ", + "

    Getting your passport

    ", + "

    Your new passport will be sent to you by courier or Royal Mail. They\u2019ll either:

    ", + "
  • post it through your letterbox
  • ", + "
  • hand it to you if you\u2019re home
  • ", + "
  • leave a card or post you a letter saying how you can get it (it will not say the package is your passport)
  • ", + "

    You can track your passport application.

    ", + "

    Adopted or fostered children

    ", + "

    If your child was adopted in the UK

    ", + "

    Your child can get a British passport if either adoptive parent is British and was usually living in the UK (\u2018habitually resident\u2019) when you adopted your child.

    ", + "

    You must send your child\u2019s adoption certificate showing the British parent\u2019s details.

    ", + "

    You must also send one of the following:

    ", + "
  • the British passport details for either parent
  • ", + "
  • a UK birth certificate for either parent
  • ", + "
  • a Home Office certificate of registration or naturalisation for either parent
  • ", + "
  • the passport that was valid at the time of the child\u2019s birth for either parent
  • ", + "

    If your child was adopted overseas

    ", + "

    Adopted before 1 June 2003

    ", + "

    Your child does not automatically qualify for a British passport - even if one of the parents is a British citizen.

    ", + "

    The adoption may be recognised for parental responsibility purposes, but not for nationality purposes, depending on the country the adoption took place in.

    ", + "

    Adopted on or after 1 June 2003

    ", + "

    Your child can get a British passport if either parent is British and the British parent was usually living (\u2018habitually resident\u2019) in the UK when the child was adopted.

    ", + "

    Only adoptions conducted under the Hague Convention are recognised for nationality purposes. You must send the child\u2019s full Hague Convention adoption certificate showing the parents\u2019 details.

    ", + "

    You must also send evidence of the British parent\u2019s nationality status, such as a British passport issued before the date of adoption - put the passport number on your application.

    ", + "

    If you do not have a British passport, there are other documents you can send.

    ", + "

    Foster children and children in care

    ", + "

    You must contact the Passport Adviceline if you want a passport for a child who\u2019s in care. This includes a child you\u2019re fostering.

    ", + "

    Get help

    ", + "

    Contact the Passport Adviceline if you are not sure what documents you need or if your circumstances are more complicated.

    ", + "

    Surrogacy and sperm donation

    ", + "

    Children born through surrogacy

    ", + "

    As well as your other documents, you need to send:

    ", + "
  • a letter giving details of your surrogacy arrangement
  • ", + "
  • evidence of your surrogacy treatment, such as a letter from the clinic where it took place
  • ", + "
  • proof that your child has a claim to British nationality
  • ", + "
  • proof of your identity (for example, your passport or birth certificate)
  • ", + "
  • proof of your marriage or civil partnership (if this is relevant to your application)
  • ", + "

    If you\u2019ve been granted a parental order, you also need to send:

    ", + "
  • the parental order (if you have it)
  • ", + "
  • your child\u2019s birth certificate, issued after the parental order was granted
  • ", + "

    If you\u2019ve not been granted a parental order and your child was born in the UK you can send their full UK birth certificate instead.

    ", + "

    If you\u2019ve not been granted a parental order and your child was born outside the UK, there are special rules about applying for a passport.

    ", + "

    Sperm donation

    ", + "

    If your child was conceived through sperm donation and born in the UK, you need to send their birth certificate when you apply. You do not need to say they were conceived through sperm donation.

    ", + "

    There are different rules if they were born in another country.

    ", + "

    Get help

    ", + "

    Contact the Passport Adviceline if you are not sure what documents you need or if your circumstances are more complicated.

    " + ] + }, + "https://www.gov.uk/changing-passport-information": { + "url": "https://www.gov.uk/changing-passport-information", + "title": "Change your name or personal details on your passport", + "content": "## How it works\n\nYou\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:\n\n- your name\n\n- your gender\n\n- your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)\n\nThe name on your passport must match the one you use when you book your travel.\n\nYou\u2019ll be sent a new 10 year passport. Time left on your old passport will not be added to your new one.\n\n## When you do not need a new passport\n\nYou do not need to get a new passport if you:\n\n- change your address or contact details\n\n- get a new job\n\n- change your appearance slightly - for example, dye your hair or grow a beard\n\n- change your marital status (divorce, marry or form a civil partnership) but keep your name\n\n- change your title, for example, doctor or professor\n\n- become a national of another country as well as the UK\n\n- emigrate\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport. It takes longer to apply by post than online.\n\nYou may be able to get a passport urgently if you need to travel sooner.\n\nDo not book travel until you have a valid passport - your new passport will not have the same number as your old one.\n\n## Apply online\n\nYou can apply for a new passport online. It costs \u00a375.50.\n\nStart now\n\n## Apply using a paper application form\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications. Use the online service to get your passport.\n\nYou can get a paper application form by either:\n\n- going to a Post Office that has a Check and Send service\n\n- calling the Passport Adviceline\n\nIt costs \u00a385.\n\nFill in and sign your passport application using the name that you want to see printed on your passport.\n\n## Countersignatures\n\nYou must get a countersignature if your appearance has changed and you cannot be recognised from your existing passport.\n\nYou do not need a countersignature if you\u2019re changing your name or adding a title.\n\n## Unexpired visas\n\nUnexpired visas in your old passport may become invalid if you change your name. Check with the embassy or consulate of the country that issued the visa.\n\n## If you have a non-British passport\n\nIf you have dual citizenship (\u2018dual nationality\u2019) and have a non-British passport, the name on your non-British passport must match the name and gender you want on your British passport.\n\nIf it\u2019s different, change the details on your non-British passport before you apply for a new British passport.\n\n## Marriage or civil partnership change\n\nYou can get a new passport in your new name either before or after the ceremony.\n\nThe name on your passport must match the one you use when you book your travel.\n\n## Get a new passport after the ceremony\n\nSend your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.\n\n## Get a new passport before the ceremony\n\nYou can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.\n\nYour old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.\n\nSome countries will not issue visas for post-dated passports - check with the country\u2019s embassy or consulate.\n\nYou must send a \u2018passports for newly weds and civil partners\u2019 form with your documents. It must be signed by the religious minister or registrar who will conduct the ceremony.\n\n## Divorce or returning to a previous surname\n\nWhen you apply, you also need to send:\n\n- your birth certificate\n\n- a statement signed by you saying you\u2019ve gone back to a previous surname (for example your maiden name) \u2018for all purposes\u2019 - that is, you will not use your married or civil partnership name at all\n\n- a document that shows you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\n- your decree absolute or final order showing both names\n\n- a marriage or civil partnership certificate showing both names - if you do not have it you can order a copy\n\n## Gender change\n\nSend one of the following when you apply for a passport:\n\n- a Gender Recognition Certificate\n\n- a new birth or adoption certificate showing your acquired gender\n\n- a letter from your doctor or medical consultant confirming your change of gender is likely to be permanent\n\nIf you\u2019re sending a letter from your doctor or medical consultant and you\u2019re changing your name, you\u2019ll also need to supply both of the following:\n\n- evidence of your change of name (such as a deed poll)\n\n- evidence that you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\nRead the information about passports for transgender and transsexual people if you need help.\n\n## Titles and small changes to forenames\n\nYou can:\n\n- change the spelling of your name slightly - for example, Jane to Jayne\n\n- change the order of your forenames\n\n- remove middle names\n\nSend 2 documents that show you\u2019re using your new name. These can include a:\n\n- letter from a local council or government department\n\n- driving licence\n\n- bank statement\n\n- baptism or confirmation certificate\n\n## Titles you can use on your passport\n\nYou can include:\n\n- professional titles - for example, doctor, judge, minister of religion, professor, QC, or JP if you\u2019re a magistrate\n\n- honours or military decorations\n\nPut the details in the \u2018other title\u2019 box of your application and send evidence of your title.\n\nYour title will be on the \u2018observations\u2019 page of your passport - it will not be part of your name, except if it\u2019s a title of nobility, for example knight, dame or a lord.\n\n## Other name changes\n\nYou can change your name on your passport with one of the following documents:\n\n- a deed poll\n\n- a statutory declaration\n\n- an affidavit\n\nSend it with both:\n\n- proof of any previous name changes you\u2019ve made\n\n- evidence that you\u2019re using your new name (for example a payslip or a letter from your local council)", + "original_contents": [ + "

    How it works

    ", + "

    You\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:

    ", + "
  • your name
  • ", + "
  • your gender
  • ", + "
  • your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)
  • ", + "

    The name on your passport must match the one you use when you book your travel.

    ", + "

    You\u2019ll be sent a new 10 year passport. Time left on your old passport will not be added to your new one.

    ", + "

    When you do not need a new passport

    ", + "

    You do not need to get a new passport if you:

    ", + "
  • change your address or contact details
  • ", + "
  • get a new job
  • ", + "
  • change your appearance slightly - for example, dye your hair or grow a beard
  • ", + "
  • change your marital status (divorce, marry or form a civil partnership) but keep your name
  • ", + "
  • change your title, for example, doctor or professor
  • ", + "
  • become a national of another country as well as the UK
  • ", + "
  • emigrate
  • ", + "

    How long it takes

    ", + "

    Allow up to 10 weeks to get your passport. It takes longer to apply by post than online.

    ", + "

    You may be able to get a passport urgently if you need to travel sooner.

    ", + "

    Do not book travel until you have a valid passport - your new passport will not have the same number as your old one.

    ", + "

    Apply online

    ", + "

    You can apply for a new passport online. It costs \u00a375.50.

    ", + "

    Start now

    ", + "

    Apply using a paper application form

    ", + "

    Because of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications. Use the online service to get your passport.

    ", + "

    You can get a paper application form by either:

    ", + "
  • going to a Post Office that has a Check and Send service
  • ", + "
  • calling the Passport Adviceline
  • ", + "

    It costs \u00a385.

    ", + "

    Fill in and sign your passport application using the name that you want to see printed on your passport.

    ", + "

    Countersignatures

    ", + "

    You must get a countersignature if your appearance has changed and you cannot be recognised from your existing passport.

    ", + "

    You do not need a countersignature if you\u2019re changing your name or adding a title.

    ", + "

    Unexpired visas

    ", + "

    Unexpired visas in your old passport may become invalid if you change your name. Check with the embassy or consulate of the country that issued the visa.

    ", + "

    If you have a non-British passport

    ", + "

    If you have dual citizenship (\u2018dual nationality\u2019) and have a non-British passport, the name on your non-British passport must match the name and gender you want on your British passport.

    ", + "

    If it\u2019s different, change the details on your non-British passport before you apply for a new British passport.

    ", + "

    Marriage or civil partnership change

    ", + "

    You can get a new passport in your new name either before or after the ceremony.

    ", + "

    The name on your passport must match the one you use when you book your travel.

    ", + "

    Get a new passport after the ceremony

    ", + "

    Send your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.

    ", + "

    Get a new passport before the ceremony

    ", + "

    You can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.

    ", + "

    Your old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.

    ", + "

    Some countries will not issue visas for post-dated passports - check with the country\u2019s embassy or consulate.

    ", + "

    You must send a \u2018passports for newly weds and civil partners\u2019 form with your documents. It must be signed by the religious minister or registrar who will conduct the ceremony.

    ", + "

    Divorce or returning to a previous surname

    ", + "

    When you apply, you also need to send:

    ", + "
  • your birth certificate
  • ", + "
  • a statement signed by you saying you\u2019ve gone back to a previous surname (for example your maiden name) \u2018for all purposes\u2019 - that is, you will not use your married or civil partnership name at all
  • ", + "
  • a document that shows you\u2019re using your new name (for example a payslip, or a letter from your local council)
  • ", + "
  • your decree absolute or final order showing both names
  • ", + "
  • a marriage or civil partnership certificate showing both names - if you do not have it you can order a copy
  • ", + "

    Gender change

    ", + "

    Send one of the following when you apply for a passport:

    ", + "
  • a Gender Recognition Certificate
  • ", + "
  • a new birth or adoption certificate showing your acquired gender
  • ", + "
  • a letter from your doctor or medical consultant confirming your change of gender is likely to be permanent
  • ", + "

    If you\u2019re sending a letter from your doctor or medical consultant and you\u2019re changing your name, you\u2019ll also need to supply both of the following:

    ", + "
  • evidence of your change of name (such as a deed poll)
  • ", + "
  • evidence that you\u2019re using your new name (for example a payslip, or a letter from your local council)
  • ", + "

    Read the information about passports for transgender and transsexual people if you need help.

    ", + "

    Titles and small changes to forenames

    ", + "

    You can:

    ", + "
  • change the spelling of your name slightly - for example, Jane to Jayne
  • ", + "
  • change the order of your forenames
  • ", + "
  • remove middle names
  • ", + "

    Send 2 documents that show you\u2019re using your new name. These can include a:

    ", + "
  • letter from a local council or government department
  • ", + "
  • driving licence
  • ", + "
  • bank statement
  • ", + "
  • baptism or confirmation certificate
  • ", + "

    Titles you can use on your passport

    ", + "

    You can include:

    ", + "
  • professional titles - for example, doctor, judge, minister of religion, professor, QC, or JP if you\u2019re a magistrate
  • ", + "
  • honours or military decorations
  • ", + "

    Put the details in the \u2018other title\u2019 box of your application and send evidence of your title.

    ", + "

    Your title will be on the \u2018observations\u2019 page of your passport - it will not be part of your name, except if it\u2019s a title of nobility, for example knight, dame or a lord.

    ", + "

    Other name changes

    ", + "

    You can change your name on your passport with one of the following documents:

    ", + "
  • a deed poll
  • ", + "
  • a statutory declaration
  • ", + "
  • an affidavit
  • ", + "

    Send it with both:

    ", + "
  • proof of any previous name changes you\u2019ve made
  • ", + "
  • evidence that you\u2019re using your new name (for example a payslip or a letter from your local council)
  • " + ] + }, + "https://www.gov.uk/collective-group-passports": { + "url": "https://www.gov.uk/collective-group-passports", + "title": "Collective (group) passports", + "content": "## Overview\n\nIt takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.\n\nA collective (or group) passport is a way for an organised group of young people to make a trip to certain European countries.\n\nA collective passport costs \u00a339.\n\nYoung people should travel on their own passports if possible.\n\n## Who can use a collective passport\n\nThe passport is not for families but for groups such as:\n\n- schools and sixth form colleges\n\n- guides\n\n- scouts\n\n- other recognised youth organisations\n\nYou can have between 5 and 50 children on a group passport. If there are more than 50 in the group, you can split the group and apply for 2 or more passports.\n\nEveryone on the passport must be a British national and under 18 by the end of the trip.\n\nA group leader must be named on the passport. The passport is invalid if the group leader cannot travel, but if a deputy leader is named on the application, they can take over.\n\nThe group leader and deputy leader must:\n\n- be aged 21 or over\n\n- be a British citizen and have a British passport\n\n- be a UK resident\n\n## Countries you can visit\n\nThe countries you can travel to or through on a collective passport are:\n\n- Austria\n\n- Denmark\n\n- France\n\n- Italy\n\n- Malta\n\n- Norway\n\n- Romania\n\n- Spain\n\n- Switzerland\n\n## Check if you need a visa\n\nYou may need a visa if you\u2019re travelling on a group passport, even if you do not need one when travelling on an individual passport. Contact the country\u2019s embassy or consulate in the UK to check.\n\n## How to apply\n\nIt takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.\n\n- Download the application form.\n\n- Save it to your computer and fill it in (handwritten applications are not accepted).\n\n- Collect your supporting documents.\n\n- Email your completed application form to HMPassportofficeDurhamCollectives@hmpo.gov.uk.\n\n- Print a paper copy and get it signed by the group leader and deputy leader.\n\n- Send the paper copy with the \u00a339 fee and supporting documents to Collective Passport Applications.\n\n## Paying the fee\n\nInclude a cheque for \u00a339, payable to \u2018Her Majesty\u2019s Passport Office\u2019, or pay by credit or debit card using the card payment form - use capital letters to fill in the form.\n\n## Checks on your application\n\nHM Passport Office may contact your organisation to verify the application. Include a contact number on the form that will be answered during school holidays or your application could be delayed.\n\n## Supporting documents\n\nEach application must include:\n\n- a nationality questionnaire and parental consent form for each child\n\n- a collective passport photo identity card for each child\n\n- one supporting letter for the whole application\n\n## Nationality questionnaire and consent form\n\nThe nationality questionnaire and consent form (\u2018CPNQ\u2019 form) must be filled in by the person who can give consent for the child to travel. They must fill in either the:\n\n- form for a child born in the UK\n\n- form for a child born outside the UK\n\nDetails of who can give consent are on the form.\n\n## Request collective passport photo identity cards\n\nEmail your request for collective passport photo cards to HMPassportofficeDurhamCollectives@hmpo.gov.uk. Your email should include:\n\n- the number of cards you need\n\n- the full name and address of the school or organised group\n\n- a contact name and phone number\n\n## Complete collective passport photo identity cards\n\nEach card must be filled in with the child\u2019s details exactly as they appear on their nationality questionnaire and parental consent form.\n\nYou must attach a recent passport-sized photo to each card.\n\n## Rules for photos\n\nThe photos:\n\n- should be of a similar quality to standard passport photos\n\n- should not have been previously used on another document\n\n- must not be laminated or photocopies\n\nYou can use:\n\n- a school photo - as long as it does not have \u2018proof\u2019 written across it\n\n- printed digital photos\n\nThe group leader must complete their own details and sign the photo cards before submitting the application.\n\nEach child must sign their card before they travel.\n\n## Supporting letter\n\nEach application must include one supporting letter on headed paper confirming consent to the trip.\n\nIf the group is going abroad to perform (for example, in a sports competition) the letter must say:\n\n- all members of the group are amateurs\n\n- they will not get any payment\n\nIf children from more than one organisation are travelling together, you need a supporting letter from each organisation.\n\nThe letter must be signed - digital or photocopied signatures are not accepted.\n\nThe table shows who can supply and sign the supporting letter.\n\n| Type of organisation | Who can supply and sign the supporting letter |\n\n| School | The head teacher, a member of the board of governors or the education authority from each school making up the party |\n\n| Scout or guide group | The assistant county or area commissioner or someone from Association Headquarters |\n\n| Football or rugby club | Someone from the local football association or the league chairperson or secretary |\n\n| Swimming or judo clubs | Someone from the national headquarters |\n\n| Youth orchestras or choirs | Someone from the local education authority, or the vicar for church groups |\n\n| Army or Airforce cadets | The commanding officer or someone from the services authority |\n\n| Clubs or youth clubs | Someone from the local authority where the club is registered, or the national headquarters |\n\n| Registered charities | The director or a person in a similar position in the organisation |\n\n## Getting the passport changed\n\nCheck your passport when it arrives for mistakes. Children cannot travel if they\u2019re not on the passport.\n\n## If you need to amend the passport\n\nSend the passport back to HM Passport Office Collective Passport Applications with a letter explaining the reasons.\n\nIf your trip is postponed but you arrange alternative travel within the same season, you can usually get your passport amended free of charge.\n\nIf several changes are needed (for example, you\u2019re adding lots of names), you have to pay for a new one.", + "original_contents": [ + "

    Overview

    ", + "

    It takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.

    ", + "

    A collective (or group) passport is a way for an organised group of young people to make a trip to certain European countries.

    ", + "

    A collective passport costs \u00a339.

    ", + "

    Young people should travel on their own passports if possible.

    ", + "

    Who can use a collective passport

    ", + "

    The passport is not for families but for groups such as:

    ", + "
  • schools and sixth form colleges
  • ", + "
  • guides
  • ", + "
  • scouts
  • ", + "
  • other recognised youth organisations
  • ", + "

    You can have between 5 and 50 children on a group passport. If there are more than 50 in the group, you can split the group and apply for 2 or more passports.

    ", + "

    Everyone on the passport must be a British national and under 18 by the end of the trip.

    ", + "

    A group leader must be named on the passport. The passport is invalid if the group leader cannot travel, but if a deputy leader is named on the application, they can take over.

    ", + "

    The group leader and deputy leader must:

    ", + "
  • be aged 21 or over
  • ", + "
  • be a British citizen and have a British passport
  • ", + "
  • be a UK resident
  • ", + "

    Countries you can visit

    ", + "

    The countries you can travel to or through on a collective passport are:

    ", + "
  • Austria
  • ", + "
  • Denmark
  • ", + "
  • France
  • ", + "
  • Italy
  • ", + "
  • Malta
  • ", + "
  • Norway
  • ", + "
  • Romania
  • ", + "
  • Spain
  • ", + "
  • Switzerland
  • ", + "

    Check if you need a visa

    ", + "

    You may need a visa if you\u2019re travelling on a group passport, even if you do not need one when travelling on an individual passport. Contact the country\u2019s embassy or consulate in the UK to check.

    ", + "

    How to apply

    ", + "

    It takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.

    ", + "
  • Download the application form.
  • ", + "
  • Save it to your computer and fill it in (handwritten applications are not accepted).
  • ", + "
  • Collect your supporting documents.
  • ", + "
  • Email your completed application form to HMPassportofficeDurhamCollectives@hmpo.gov.uk.
  • ", + "
  • Print a paper copy and get it signed by the group leader and deputy leader.
  • ", + "
  • Send the paper copy with the \u00a339 fee and supporting documents to Collective Passport Applications.
  • ", + "

    Paying the fee

    ", + "

    Include a cheque for \u00a339, payable to \u2018Her Majesty\u2019s Passport Office\u2019, or pay by credit or debit card using the card payment form - use capital letters to fill in the form.

    ", + "

    Checks on your application

    ", + "

    HM Passport Office may contact your organisation to verify the application. Include a contact number on the form that will be answered during school holidays or your application could be delayed.

    ", + "

    Supporting documents

    ", + "

    Each application must include:

    ", + "
  • a nationality questionnaire and parental consent form for each child
  • ", + "
  • a collective passport photo identity card for each child
  • ", + "
  • one supporting letter for the whole application
  • ", + "

    Nationality questionnaire and consent form

    ", + "

    The nationality questionnaire and consent form (\u2018CPNQ\u2019 form) must be filled in by the person who can give consent for the child to travel. They must fill in either the:

    ", + "
  • form for a child born in the UK
  • ", + "
  • form for a child born outside the UK
  • ", + "

    Details of who can give consent are on the form.

    ", + "

    Request collective passport photo identity cards

    ", + "

    Email your request for collective passport photo cards to HMPassportofficeDurhamCollectives@hmpo.gov.uk. Your email should include:

    ", + "
  • the number of cards you need
  • ", + "
  • the full name and address of the school or organised group
  • ", + "
  • a contact name and phone number
  • ", + "

    Complete collective passport photo identity cards

    ", + "

    Each card must be filled in with the child\u2019s details exactly as they appear on their nationality questionnaire and parental consent form.

    ", + "

    You must attach a recent passport-sized photo to each card.

    ", + "

    Rules for photos

    ", + "

    The photos:

    ", + "
  • should be of a similar quality to standard passport photos
  • ", + "
  • should not have been previously used on another document
  • ", + "
  • must not be laminated or photocopies
  • ", + "

    You can use:

    ", + "
  • a school photo - as long as it does not have \u2018proof\u2019 written across it
  • ", + "
  • printed digital photos
  • ", + "

    The group leader must complete their own details and sign the photo cards before submitting the application.

    ", + "

    Each child must sign their card before they travel.

    ", + "

    Supporting letter

    ", + "

    Each application must include one supporting letter on headed paper confirming consent to the trip.

    ", + "

    If the group is going abroad to perform (for example, in a sports competition) the letter must say:

    ", + "
  • all members of the group are amateurs
  • ", + "
  • they will not get any payment
  • ", + "

    If children from more than one organisation are travelling together, you need a supporting letter from each organisation.

    ", + "

    The letter must be signed - digital or photocopied signatures are not accepted.

    ", + "

    The table shows who can supply and sign the supporting letter.

    ", + "Type of organisation | Who can supply and sign the supporting letter", + "School | The head teacher, a member of the board of governors or the education authority from each school making up the party", + "Scout or guide group | The assistant county or area commissioner or someone from Association Headquarters", + "Football or rugby club | Someone from the local football association or the league chairperson or secretary", + "Swimming or judo clubs | Someone from the national headquarters", + "Youth orchestras or choirs | Someone from the local education authority, or the vicar for church groups", + "Army or Airforce cadets | The commanding officer or someone from the services authority", + "Clubs or youth clubs | Someone from the local authority where the club is registered, or the national headquarters", + "Registered charities | The director or a person in a similar position in the organisation", + "

    Getting the passport changed

    ", + "

    Check your passport when it arrives for mistakes. Children cannot travel if they\u2019re not on the passport.

    ", + "

    If you need to amend the passport

    ", + "

    Send the passport back to HM Passport Office Collective Passport Applications with a letter explaining the reasons.

    ", + "

    If your trip is postponed but you arrange alternative travel within the same season, you can usually get your passport amended free of charge.

    ", + "

    If several changes are needed (for example, you\u2019re adding lots of names), you have to pay for a new one.

    " + ] + }, + "https://www.gov.uk/emergency-travel-document": { + "url": "https://www.gov.uk/emergency-travel-document", + "title": "Get an emergency travel document", + "content": "## How it works\n\nYou can apply for an emergency travel document (sometimes called an \u2018emergency passport\u2019) if you\u2019re abroad, need to travel and cannot get a passport in time.\n\nIf you\u2019re in the UK you should apply for a passport urgently.\n\n## Eligibility\n\nYou can apply for an emergency travel document if all the following apply:\n\n- you\u2019re a British national\n\n- you\u2019re outside the UK\n\n- your passport has been lost, stolen, damaged, is full, has recently expired or is with HM Passport Office or a foreign embassy\n\n- you do not have time to renew or replace your passport before you travel\n\n- you can provide proof of your travel plans, for example booking confirmations (or detailed written travel plans if you cannot book ahead)\n\nYou usually cannot get an emergency travel document if you\u2019ve never had a UK passport. You should apply for a passport instead.\n\n## What an emergency travel document lets you do\n\nYou can use an emergency travel document to travel to your destination through a maximum of 5 countries. You can also normally use it to return to the country you\u2019re applying from if you live there.\n\nYour travel plans (countries and dates) will be printed on your emergency travel document. If you change your travel plans once you have your emergency travel document, you\u2019ll need to apply for a new one.\n\nYou may need a visa to leave the country you\u2019re in or to travel through other countries with your emergency travel document. Check with the embassy or consulate of each country.\n\nIf your final destination is the UK, border staff will keep your emergency travel document when you arrive. Border staff at a different final destination might also keep the document.\n\n## How to apply\n\nYou can apply online.\n\nIt costs \u00a3100 to apply for an emergency travel document. The fee is not refundable. You can pay online as part of your application. If you do not, you\u2019ll be asked to pay over the phone.\n\nYou might need to attend an appointment at your nearest British embassy, high commission or consulate after you apply online. You\u2019ll be told after you\u2019ve submitted your application whether you need an appointment.\n\nYou\u2019ll need to give a contact telephone number and email address as part of your application.\n\nApply now\n\n## How long it will take\n\nYour emergency travel document will normally be ready 2 working days after you apply. It may take longer because of coronavirus (COVID-19).\n\nIt can also take longer, for example if you have:\n\n- applied for a child under 16\n\n- not paid or given the right supporting documents\n\n- not given enough or correct information\n\nYou\u2019ll be told after you\u2019ve applied how and when you\u2019ll get your emergency travel document.\n\n## Apply on behalf of someone else\n\nYou can apply for an emergency travel document and book an appointment for someone else if they\u2019re a British citizen or British national (overseas). They might have to attend an appointment and they must collect their emergency travel document in person.\n\nIf you apply for a child under 16, they\u2019ll need to attend an appointment. Both parents should go with them if possible. If neither parent can attend, they\u2019ll need to send a signed consent letter.\n\n## If you're not a British citizen\n\nYou can apply online if you\u2019re a British national (overseas).\n\nIf you\u2019re 16 or over and another type of British national, you need to:\n\n- Check if you\u2019re eligible with your nearest British embassy, high commission or consulate.\n\n- Download and fill in an application form.\n\n- Book an appointment with the embassy, high commission or consulate.\n\n- Pay the fee at your appointment.", + "original_contents": [ + "

    How it works

    ", + "

    You can apply for an emergency travel document (sometimes called an \u2018emergency passport\u2019) if you\u2019re abroad, need to travel and cannot get a passport in time.

    ", + "

    If you\u2019re in the UK you should apply for a passport urgently.

    ", + "

    Eligibility

    ", + "

    You can apply for an emergency travel document if all the following apply:

    ", + "
  • you\u2019re a British national
  • ", + "
  • you\u2019re outside the UK
  • ", + "
  • your passport has been lost, stolen, damaged, is full, has recently expired or is with HM Passport Office or a foreign embassy
  • ", + "
  • you do not have time to renew or replace your passport before you travel
  • ", + "
  • you can provide proof of your travel plans, for example booking confirmations (or detailed written travel plans if you cannot book ahead)
  • ", + "

    You usually cannot get an emergency travel document if you\u2019ve never had a UK passport. You should apply for a passport instead.

    ", + "

    What an emergency travel document lets you do

    ", + "

    You can use an emergency travel document to travel to your destination through a maximum of 5 countries. You can also normally use it to return to the country you\u2019re applying from if you live there.

    ", + "

    Your travel plans (countries and dates) will be printed on your emergency travel document. If you change your travel plans once you have your emergency travel document, you\u2019ll need to apply for a new one.

    ", + "

    You may need a visa to leave the country you\u2019re in or to travel through other countries with your emergency travel document. Check with the embassy or consulate of each country.

    ", + "

    If your final destination is the UK, border staff will keep your emergency travel document when you arrive. Border staff at a different final destination might also keep the document.

    ", + "

    How to apply

    ", + "

    You can apply online.

    ", + "

    It costs \u00a3100 to apply for an emergency travel document. The fee is not refundable. You can pay online as part of your application. If you do not, you\u2019ll be asked to pay over the phone.

    ", + "

    You might need to attend an appointment at your nearest British embassy, high commission or consulate after you apply online. You\u2019ll be told after you\u2019ve submitted your application whether you need an appointment.

    ", + "

    You\u2019ll need to give a contact telephone number and email address as part of your application.

    ", + "

    Apply now

    ", + "

    How long it will take

    ", + "

    Your emergency travel document will normally be ready 2 working days after you apply. It may take longer because of coronavirus (COVID-19).

    ", + "

    It can also take longer, for example if you have:

    ", + "
  • applied for a child under 16
  • ", + "
  • not paid or given the right supporting documents
  • ", + "
  • not given enough or correct information
  • ", + "

    You\u2019ll be told after you\u2019ve applied how and when you\u2019ll get your emergency travel document.

    ", + "

    Apply on behalf of someone else

    ", + "

    You can apply for an emergency travel document and book an appointment for someone else if they\u2019re a British citizen or British national (overseas). They might have to attend an appointment and they must collect their emergency travel document in person.

    ", + "

    If you apply for a child under 16, they\u2019ll need to attend an appointment. Both parents should go with them if possible. If neither parent can attend, they\u2019ll need to send a signed consent letter.

    ", + "

    If you're not a British citizen

    ", + "

    You can apply online if you\u2019re a British national (overseas).

    ", + "

    If you\u2019re 16 or over and another type of British national, you need to:

    ", + "
  • Check if you\u2019re eligible with your nearest British embassy, high commission or consulate.
  • ", + "
  • Download and fill in an application form.
  • ", + "
  • Book an appointment with the embassy, high commission or consulate.
  • ", + "
  • Pay the fee at your appointment.
  • " + ] + }, + "https://www.gov.uk/hand-luggage-restrictions": { + "url": "https://www.gov.uk/hand-luggage-restrictions", + "title": "Hand luggage restrictions at UK airports", + "content": "## Overview\n\nThere are restrictions on what items you can take in your hand luggage and hold luggage when boarding a plane in the UK.\n\nThere are different rules if you\u2019re taking goods to sell or temporarily abroad for business reasons, for example sales samples, professional equipment or musical instruments for a performance.\n\nAirport security staff will not let anything through that they consider dangerous - even if it\u2019s normally allowed in hand luggage.\n\n## Hand luggage allowances\n\nCheck with your airline how many and what size bags you can take on the plane with you.\n\nCheck the rules for electronic items and devices you\u2019re allowed to take on a flight before you travel - there are different rules depending on which country you are travelling to or from.\n\n## Taking liquids through security\n\nThere are restrictions on the amount of liquids you can take in your hand luggage. If possible, pack liquids in your hold baggage (luggage that you check in).\n\nLiquids include:\n\n- all drinks, including water\n\n- liquid or semi-liquid foods, for example soup, jam, honey and syrups\n\n- cosmetics and toiletries, including creams, lotions, oils, perfumes, mascara and lip gloss\n\n- sprays, including shaving foam, hairspray and spray deodorants\n\n- pastes, including toothpaste\n\n- gels, including hair and shower gel\n\n- contact lens solution\n\n- any other solutions and items of similar consistency\n\nIf you do take liquids in your hand luggage:\n\n- containers must hold no more than 100ml\n\n- containers must be in a single, transparent, resealable plastic bag, which holds no more than a litre and measures approximately 20cm x 20cm\n\n- contents must fit comfortably inside the bag so it can be sealed\n\n- the bag must not be knotted or tied at the top\n\n- you\u2019re limited to 1 plastic bag per person\n\n- you must show the bag at the airport security point\n\nLiquids in containers larger than 100ml generally cannot go through security even if the container is only part full. There are some exemptions.\n\n## Exemptions\n\nYou can take liquid containers larger than 100ml through security if they:\n\n- are for essential medical purposes\n\n- are for special dietary requirements\n\n- contain baby food or baby milk\n\nYou can also take liquids bought at an airport or on a plane (such as duty free) through security if:\n\n- the items are sealed inside a security bag when you buy them\n\n- the receipt for the items is sealed in the security bag and visible\n\nYou must not open the security bag until you reach your final destination. Airport staff may need to open the items to screen the liquid at the security point.\n\n## Liquid restrictions outside the EU\n\nCountries outside the EU might have different rules on carrying liquids as a transit or transfer passenger. You should check these rules with the relevant airlines and airports before travelling.\n\n## Lighters\n\nYou can only carry 1 lighter on board. You should put it inside a resealable plastic bag (like the ones used for liquids), which you must keep on you throughout the flight. You cannot:\n\n- put it in your hold luggage\n\n- put it in your hand luggage after screening\n\n## Food and powders\n\nFood items and powders in your hand luggage can obstruct images on x-ray machines. Your bags may need to be checked again manually by security. You can put these items in your hold luggage to minimise delays.\n\n## Baby food and baby milk\n\nWhen travelling with a baby you\u2019re allowed to take enough baby food, baby milk and sterilised water for the journey. There is no legal limit to how much you can take however check with your airport before you travel.\n\nYou can carry breast milk in hand luggage even if you\u2019re not travelling with a baby. You cannot carry frozen breast milk in hand luggage.\n\nIndividual containers of breast milk must hold no more than 2,000ml. Each container will need to be screened at the security point. Airport staff might need to open the containers to screen the liquids.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Breast milk | Yes, in containers up to 2,000ml | Yes |\n\n| Frozen breast milk | No | Yes |\n\n| Formula milk, cow\u2019s milk | Yes (baby must be present) | Yes |\n\n| Sterilised water for the baby | Yes (baby must be present) | Yes |\n\n| Soya milk for babies | Yes (baby must be present) | Yes |\n\n| Baby food | Yes (baby must be present) | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n## Personal items\n\n## Musical instruments\n\nContact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.\n\nMusical instruments will be screened separately.\n\n## Mobility aids\n\nPushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.\n\nFor battery-powered wheelchairs or mobility aids check with your airline first.\n\n## Other personal items\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Corkscrew | No | Yes |\n\n| Spoon | Yes | Yes |\n\n| Knife (with a sharp or pointed blade and/or blade longer than 6cm) | No | Yes (check with your airline) |\n\n| Small scissors (with blades no longer than 6cm) | Yes | Yes |\n\n| Large scissors (with blades longer than 6cm) | No | Yes (check with your airline) |\n\n| Round-ended/blunt scissors | Yes | Yes |\n\n| Fixed-cartridge razor blades (disposable razor) | Yes | Yes |\n\n| Nail clippers/nail file | Yes | Yes |\n\n| Tweezers | Yes | Yes |\n\n| Knitting needles | Yes | Yes |\n\n| Sewing needle | Yes | Yes |\n\n| Umbrella | Yes | Yes |\n\n| Walking stick/cane, walking aid | Yes | Yes |\n\n| Pushchair | Yes | Yes |\n\n| Wheelchair | Yes | Yes |\n\n| Safety matches | Yes | No |\n\n| Non-safety matches | No | No |\n\n| Fireworks, flares and other pyrotechnics, including party poppers and toy caps | No | No |\n\n| Cigarette lighter | No, but you can put a lighter in a plastic liquids bag and keep it on your person | No |\n\n| Contact lens solution | Yes (up to 100ml) | Yes |\n\n## Medicines, medical equipment and dietary requirements\n\nYou\u2019re allowed to carry the following in your hand luggage:\n\n- essential medicines of more than 100ml, including liquid dietary foodstuffs and inhalers\n\n- medical equipment, if it\u2019s essential for your journey\n\nYou\u2019ll need supporting documentation from a relevant medical professional (for example a letter from your doctor or a copy of your prescription).\n\nAirport staff might need to open the containers to screen the liquids at the security point. Medical equipment is screened separately.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tablets and capsules | Yes | Yes |\n\n| Essential liquid medicines | Yes | Yes |\n\n| Hypodermic syringes | Yes | Yes |\n\n| Inhalers | Yes | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n| Medical equipment (for example CPAP and TENS machines) | Yes | Yes |\n\n| Special food and liquids needed for medical reasons | Yes | Yes |\n\n| Oxygen cylinders | Contact your airline | Contact your airline |\n\n## Electronic devices and electrical items\n\nYou can only take certain electronic devices and electrical items on flights to the UK.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Mobile phone | Yes | Yes |\n\n| Laptop | Yes | Yes |\n\n| Tablet devices | Yes | Yes |\n\n| MP3 player | Yes | Yes |\n\n| Hairdryer or straighteners | Yes | Yes |\n\n| Travel iron | Yes | Yes |\n\n| Electric shaver | Yes | Yes |\n\n| E-cigarettes | Yes | No |\n\nSome airlines might also have different restrictions. Check with your airline before you travel if you\u2019re not sure about what you can take as hand luggage.\n\n## Cameras\n\nYou can usually take camera equipment in your hand and hold luggage.\n\nThere might be restrictions on specialist equipment, for example professional video cameras.\n\n## Make sure your devices are charged\n\nMake sure your electronic devices are charged before you travel. If your device does not switch on when requested, you will not be allowed to take it onto the aircraft.\n\n## Batteries for your device\n\nCheck the restrictions on certain types of batteries or contact your airline if you\u2019re not sure what you can carry.\n\n## Gas-powered hair curlers\n\nYou can take hair curlers containing a gas cartridge in hand or hold luggage as long as the safety cover is fitted at all times. You must not take separate gas cartridges on board.\n\n## Sports equipment\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Sports parachute | Yes | Yes |\n\n| Heavy bats and sticks (including baseball, softball and cricket bats) | No | Yes |\n\n| Tennis racquets | Yes | Yes |\n\n| Snooker, pool or billiard cue | Yes | Yes |\n\n| Golf clubs | No | Yes |\n\n| Darts | No | Yes |\n\n| Walking/hiking poles | No | Yes |\n\n| Fishing rod | Yes | Yes |\n\n| Catapult | No | Yes |\n\n| Firearms (including replica firearms) | No | Check with your airline before you travel |\n\n| Harpoon or spear gun | No | Check with your airline before you travel |\n\n| Crossbow | No | Yes |\n\n| Martial arts equipment (including knuckledusters, clubs, coshes, rice flails and nunchuks) | No | Yes |\n\n| Diving equipment | Check with your airline before you travel | Check with your airline before you travel |\n\n## Work tools\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tool with a blade or shaft longer than 6cm (for example chisel) | No | Yes |\n\n| Drill and drill bits | No | Yes |\n\n| Stanley knife | No | Yes |\n\n| Saw (including portable power saw) | No | Yes |\n\n| Screwdriver | No | Yes |\n\n| Hammer | No | Yes |\n\n| Pliers | No | Yes |\n\n| Wrench or spanner | No | Yes |\n\n| Bolt gun or nail gun | No | Yes |\n\n| Crowbar | No | Yes |\n\n| Blowtorch | No | Yes |\n\n## Chemicals and toxic substances\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- oxidisers and organic peroxides, including bleach and car body repair kits\n\n- acids and alkalis (for example spillable \u2018wet\u2019 batteries)\n\n- corrosives or bleaching agents (including mercury and chlorine)\n\n- vehicle batteries and fuel systems\n\n- self defence or disabling sprays (for example mace, pepper spray)\n\n- radioactive materials (including medicinal or commercial isotopes)\n\n- poisons or toxic substances (for example rat poison)\n\n- biological hazards (for example infected blood, bacteria, viruses)\n\n- materials that could spontaneously combust (burst into flames)\n\n- fire extinguishers\n\n## Ammunition\n\nYou cannot take any guns or firearms (including air rifles and starting pistols) as hand luggage. You may be able to take them as hold luggage - check with your airline before you travel.\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- blasting caps\n\n- detonators and fuses\n\n- imitation explosive devices (including replica or model guns)\n\n- mines, grenades, and other explosive military stores\n\n- fireworks and pyrotechnics\n\n- smoke canisters\n\n- smoke cartridges\n\n- dynamite\n\n- gunpowder\n\n- plastic explosives (including black powder and percussion caps)\n\n- flares\n\n- hand grenades\n\n- gun cigarette lighters", + "original_contents": [ + "

    Overview

    ", + "

    There are restrictions on what items you can take in your hand luggage and hold luggage when boarding a plane in the UK.

    ", + "

    There are different rules if you\u2019re taking goods to sell or temporarily abroad for business reasons, for example sales samples, professional equipment or musical instruments for a performance.

    ", + "

    Airport security staff will not let anything through that they consider dangerous - even if it\u2019s normally allowed in hand luggage.

    ", + "

    Hand luggage allowances

    ", + "

    Check with your airline how many and what size bags you can take on the plane with you.

    ", + "

    Check the rules for electronic items and devices you\u2019re allowed to take on a flight before you travel - there are different rules depending on which country you are travelling to or from.

    ", + "

    Taking liquids through security

    ", + "

    There are restrictions on the amount of liquids you can take in your hand luggage. If possible, pack liquids in your hold baggage (luggage that you check in).

    ", + "

    Liquids include:

    ", + "
  • all drinks, including water
  • ", + "
  • liquid or semi-liquid foods, for example soup, jam, honey and syrups
  • ", + "
  • cosmetics and toiletries, including creams, lotions, oils, perfumes, mascara and lip gloss
  • ", + "
  • sprays, including shaving foam, hairspray and spray deodorants
  • ", + "
  • pastes, including toothpaste
  • ", + "
  • gels, including hair and shower gel
  • ", + "
  • contact lens solution
  • ", + "
  • any other solutions and items of similar consistency
  • ", + "

    If you do take liquids in your hand luggage:

    ", + "
  • containers must hold no more than 100ml
  • ", + "
  • containers must be in a single, transparent, resealable plastic bag, which holds no more than a litre and measures approximately 20cm x 20cm
  • ", + "
  • contents must fit comfortably inside the bag so it can be sealed
  • ", + "
  • the bag must not be knotted or tied at the top
  • ", + "
  • you\u2019re limited to 1 plastic bag per person
  • ", + "
  • you must show the bag at the airport security point
  • ", + "

    Liquids in containers larger than 100ml generally cannot go through security even if the container is only part full. There are some exemptions.

    ", + "

    Exemptions

    ", + "

    You can take liquid containers larger than 100ml through security if they:

    ", + "
  • are for essential medical purposes
  • ", + "
  • are for special dietary requirements
  • ", + "
  • contain baby food or baby milk
  • ", + "

    You can also take liquids bought at an airport or on a plane (such as duty free) through security if:

    ", + "
  • the items are sealed inside a security bag when you buy them
  • ", + "
  • the receipt for the items is sealed in the security bag and visible
  • ", + "

    You must not open the security bag until you reach your final destination. Airport staff may need to open the items to screen the liquid at the security point.

    ", + "

    Liquid restrictions outside the EU

    ", + "

    Countries outside the EU might have different rules on carrying liquids as a transit or transfer passenger. You should check these rules with the relevant airlines and airports before travelling.

    ", + "

    Lighters

    ", + "

    You can only carry 1 lighter on board. You should put it inside a resealable plastic bag (like the ones used for liquids), which you must keep on you throughout the flight. You cannot:

    ", + "
  • put it in your hold luggage
  • ", + "
  • put it in your hand luggage after screening
  • ", + "

    Food and powders

    ", + "

    Food items and powders in your hand luggage can obstruct images on x-ray machines. Your bags may need to be checked again manually by security. You can put these items in your hold luggage to minimise delays.

    ", + "

    Baby food and baby milk

    ", + "

    When travelling with a baby you\u2019re allowed to take enough baby food, baby milk and sterilised water for the journey. There is no legal limit to how much you can take however check with your airport before you travel.

    ", + "

    You can carry breast milk in hand luggage even if you\u2019re not travelling with a baby. You cannot carry frozen breast milk in hand luggage.

    ", + "

    Individual containers of breast milk must hold no more than 2,000ml. Each container will need to be screened at the security point. Airport staff might need to open the containers to screen the liquids.

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Breast milk | Yes, in containers up to 2,000ml | Yes", + "Frozen breast milk | No | Yes", + "Formula milk, cow\u2019s milk | Yes (baby must be present) | Yes", + "Sterilised water for the baby | Yes (baby must be present) | Yes", + "Soya milk for babies | Yes (baby must be present) | Yes", + "Baby food | Yes (baby must be present) | Yes", + "Cooling gel packs | Yes | Yes", + "

    Personal items

    ", + "

    Musical instruments

    ", + "

    Contact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.

    ", + "

    Musical instruments will be screened separately.

    ", + "

    Mobility aids

    ", + "

    Pushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.

    ", + "

    For battery-powered wheelchairs or mobility aids check with your airline first.

    ", + "

    Other personal items

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Corkscrew | No | Yes", + "Spoon | Yes | Yes", + "Knife (with a sharp or pointed blade and/or blade longer than 6cm) | No | Yes (check with your airline)", + "Small scissors (with blades no longer than 6cm) | Yes | Yes", + "Large scissors (with blades longer than 6cm) | No | Yes (check with your airline)", + "Round-ended/blunt scissors | Yes | Yes", + "Fixed-cartridge razor blades (disposable razor) | Yes | Yes", + "Nail clippers/nail file | Yes | Yes", + "Tweezers | Yes | Yes", + "Knitting needles | Yes | Yes", + "Sewing needle | Yes | Yes", + "Umbrella | Yes | Yes", + "Walking stick/cane, walking aid | Yes | Yes", + "Pushchair | Yes | Yes", + "Wheelchair | Yes | Yes", + "Safety matches | Yes | No", + "Non-safety matches | No | No", + "Fireworks, flares and other pyrotechnics, including party poppers and toy caps | No | No", + "Cigarette lighter | No, but you can put a lighter in a plastic liquids bag and keep it on your person | No", + "Contact lens solution | Yes (up to 100ml) | Yes", + "

    Medicines, medical equipment and dietary requirements

    ", + "

    You\u2019re allowed to carry the following in your hand luggage:

    ", + "
  • essential medicines of more than 100ml, including liquid dietary foodstuffs and inhalers
  • ", + "
  • medical equipment, if it\u2019s essential for your journey
  • ", + "

    You\u2019ll need supporting documentation from a relevant medical professional (for example a letter from your doctor or a copy of your prescription).

    ", + "

    Airport staff might need to open the containers to screen the liquids at the security point. Medical equipment is screened separately.

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Tablets and capsules | Yes | Yes", + "Essential liquid medicines | Yes | Yes", + "Hypodermic syringes | Yes | Yes", + "Inhalers | Yes | Yes", + "Cooling gel packs | Yes | Yes", + "Medical equipment (for example CPAP and TENS machines) | Yes | Yes", + "Special food and liquids needed for medical reasons | Yes | Yes", + "Oxygen cylinders | Contact your airline | Contact your airline", + "

    Electronic devices and electrical items

    ", + "

    You can only take certain electronic devices and electrical items on flights to the UK.

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Mobile phone | Yes | Yes", + "Laptop | Yes | Yes", + "Tablet devices | Yes | Yes", + "MP3 player | Yes | Yes", + "Hairdryer or straighteners | Yes | Yes", + "Travel iron | Yes | Yes", + "Electric shaver | Yes | Yes", + "E-cigarettes | Yes | No", + "

    Some airlines might also have different restrictions. Check with your airline before you travel if you\u2019re not sure about what you can take as hand luggage.

    ", + "

    Cameras

    ", + "

    You can usually take camera equipment in your hand and hold luggage.

    ", + "

    There might be restrictions on specialist equipment, for example professional video cameras.

    ", + "

    Make sure your devices are charged

    ", + "

    Make sure your electronic devices are charged before you travel. If your device does not switch on when requested, you will not be allowed to take it onto the aircraft.

    ", + "

    Batteries for your device

    ", + "

    Check the restrictions on certain types of batteries or contact your airline if you\u2019re not sure what you can carry.

    ", + "

    Gas-powered hair curlers

    ", + "

    You can take hair curlers containing a gas cartridge in hand or hold luggage as long as the safety cover is fitted at all times. You must not take separate gas cartridges on board.

    ", + "

    Sports equipment

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Sports parachute | Yes | Yes", + "Heavy bats and sticks (including baseball, softball and cricket bats) | No | Yes", + "Tennis racquets | Yes | Yes", + "Snooker, pool or billiard cue | Yes | Yes", + "Golf clubs | No | Yes", + "Darts | No | Yes", + "Walking/hiking poles | No | Yes", + "Fishing rod | Yes | Yes", + "Catapult | No | Yes", + "Firearms (including replica firearms) | No | Check with your airline before you travel", + "Harpoon or spear gun | No | Check with your airline before you travel", + "Crossbow | No | Yes", + "Martial arts equipment (including knuckledusters, clubs, coshes, rice flails and nunchuks) | No | Yes", + "Diving equipment | Check with your airline before you travel | Check with your airline before you travel", + "

    Work tools

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Tool with a blade or shaft longer than 6cm (for example chisel) | No | Yes", + "Drill and drill bits | No | Yes", + "Stanley knife | No | Yes", + "Saw (including portable power saw) | No | Yes", + "Screwdriver | No | Yes", + "Hammer | No | Yes", + "Pliers | No | Yes", + "Wrench or spanner | No | Yes", + "Bolt gun or nail gun | No | Yes", + "Crowbar | No | Yes", + "Blowtorch | No | Yes", + "

    Chemicals and toxic substances

    ", + "

    You cannot take any of these items as hand luggage or in the hold:

    ", + "
  • oxidisers and organic peroxides, including bleach and car body repair kits
  • ", + "
  • acids and alkalis (for example spillable \u2018wet\u2019 batteries)
  • ", + "
  • corrosives or bleaching agents (including mercury and chlorine)
  • ", + "
  • vehicle batteries and fuel systems
  • ", + "
  • self defence or disabling sprays (for example mace, pepper spray)
  • ", + "
  • radioactive materials (including medicinal or commercial isotopes)
  • ", + "
  • poisons or toxic substances (for example rat poison)
  • ", + "
  • biological hazards (for example infected blood, bacteria, viruses)
  • ", + "
  • materials that could spontaneously combust (burst into flames)
  • ", + "
  • fire extinguishers
  • ", + "

    Ammunition

    ", + "

    You cannot take any guns or firearms (including air rifles and starting pistols) as hand luggage. You may be able to take them as hold luggage - check with your airline before you travel.

    ", + "

    You cannot take any of these items as hand luggage or in the hold:

    ", + "
  • blasting caps
  • ", + "
  • detonators and fuses
  • ", + "
  • imitation explosive devices (including replica or model guns)
  • ", + "
  • mines, grenades, and other explosive military stores
  • ", + "
  • fireworks and pyrotechnics
  • ", + "
  • smoke canisters
  • ", + "
  • smoke cartridges
  • ", + "
  • dynamite
  • ", + "
  • gunpowder
  • ", + "
  • plastic explosives (including black powder and percussion caps)
  • ", + "
  • flares
  • ", + "
  • hand grenades
  • ", + "
  • gun cigarette lighters
  • " + ] + }, + "https://www.gov.uk/uk-border-control": { + "url": "https://www.gov.uk/uk-border-control", + "title": "Entering the UK", + "content": "## Overview\n\nIf you\u2019re travelling to England, what you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:\n\n- green list - you must take a coronavirus (COVID-19) test on or before day 2\n\n- amber list - you must quarantine in the place you\u2019re staying and take 2 COVID-19 tests\n\n- red list - you must quarantine in a hotel and take 2 COVID-19 tests\n\nYou cannot currently enter the UK if you\u2019ve been in or through a country on the red list unless you\u2019re British, Irish or you have the right to live in the UK.\n\nYou must follow these rules even if you have been vaccinated.\n\nFind out which list the country you\u2019ve been in is on and what you need to do.\n\nFind out what to do if you\u2019re:\n\n- travelling to Scotland\n\n- travelling to Wales\n\n- travelling to Northern Ireland\n\n## Before you leave for the UK\n\nYou\u2019ll need to:\n\n- provide proof of a negative COVID-19 test taken in the 3 days before you leave for the UK\n\n- complete a passenger locator form\n\nFind out more about what you\u2019ll need to do before you leave for the UK because of COVID-19.\n\nYour passport or identity card will be checked when you arrive at a UK port or airport to make sure you\u2019re allowed to come into the country. It should be valid for the whole of your stay.\n\nYou may also need a visa to come into or travel through the UK, depending on your nationality.\n\n## What you can bring with you\n\nWhat you can bring with you depends on where you\u2019re travelling from. You must declare to customs:\n\n- anything over your duty-free allowance\n\n- banned or restricted goods in the UK\n\n- goods that you plan to sell\n\n- more than \u20ac10,000 (or its equivalent) in cash, if you\u2019re coming from outside the EU\n\nYou and your baggage may be checked for anything you must declare.\n\n## COVID-19 restrictions in the UK\n\nCOVID-19 restrictions currently apply in England. Find out about the:\n\n- rules in Scotland\n\n- rules in Wales\n\n- rules in Northern Ireland\n\n## Before you leave for the UK\n\nEveryone travelling to the UK must:\n\n- book at least one coronavirus (COVID-19) test for after you arrive\n\n- provide your contact details by completing the online passenger locator form\n\n- provide proof of a negative COVID-19 test taken in the 3 days before you leave for the UK\n\n- follow the testing and quarantine rules in England, Scotland, Wales or Northern Ireland\n\nYou\u2019ll be committing a criminal offence if you do not have proof of a negative test or you have not completed the passenger locator form. You may be fined. You may not be allowed to board. If you are not British or Irish, you may not be allowed to enter the UK.\n\n## COVID-19 testing and quarantine in England\n\nWhat you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:\n\n- green list - you must book a COVID-19 test to take after you arrive\n\n- amber list - you must book 2 COVID-19 tests to take after you arrive and quarantine in the place you\u2019re staying\n\n- red list - you must book a hotel quarantine package, which includes 2 COVID-19 tests\n\nFind out which list the country you\u2019ve been in is on and what you need to do.\n\nYou must follow these rules even if you have been vaccinated.\n\nYou might be exempt from some or all COVID-19 travel and entry requirements because of your job. Check if your job means you\u2019re exempt.\n\nChildren aged 4 and under do not need to take any COVID-19 travel tests after they arrive in England.\n\nIf you\u2019re travelling from a country on the amber list, you may be able to end your quarantine early by booking a third coronavirus test through Test to Release.\n\n## COVID-19 testing and quarantine in Scotland, Wales and Northern Ireland\n\nCheck the rules and exemptions for quarantine and COVID-19 tests:\n\n- if you\u2019re travelling to Scotland\n\n- if you\u2019re travelling to Wales\n\n- If you\u2019re travelling to Northern Ireland\n\n## Complete the passenger locator form\n\nYou need to provide your journey and contact details in the 48 hours before you arrive in the UK. You must do this by completing the online passenger locator form.\n\nYou\u2019ll need to show your completed passenger locator form when you check in to travel or board your plane, train or ferry.\n\nYou\u2019ll also need to show proof that you\u2019ve completed the form when you arrive at the UK border.\n\n## Provide a negative COVID-19 test to travel to the UK\n\nYou must have proof of a negative COVID-19 test to travel to the UK - even if you\u2019re a UK citizen.\n\nIf your test result is positive you must not travel. You must follow the local COVID-19 rules and guidance.\n\nThe test must be taken in the 3 days before you depart. The results must be in English, French or Spanish.\n\nYou\u2019ll need to show the test results when you check in to travel or board your plane, train or ferry. You may also be asked to show them when you arrive.\n\nYou could be fined \u00a3500 when you arrive at the border if you cannot provide proof that you have had a negative COVID-19 test.\n\nFind out more about providing a COVID-19 test result, including exemptions and acceptable types of test.\n\n## When you do not need to provide a negative COVID-19 test\n\nYou do not need a test if you\u2019re travelling:\n\n- within the UK, the Isle of Man, Jersey and Guernsey\n\n- from Ireland\n\n- from Ascension, Falkland Islands, St Helena and Myanmar\n\nChildren under 11 do not need a test.\n\nThere are other reasons you might not need a test, for example:\n\n- you have a job on the \u2018exempt jobs\u2019 list\n\n- you\u2019re travelling to the UK for medical reasons\n\n- you\u2019re travelling from a country where you cannot access testing facilities\n\nRead the guidance about:\n\n- taking a COVID-19 test before you travel to England\n\n- taking a COVID-19 test before you travel to Scotland\n\nYou must still follow the rules for quarantining when you arrive in the UK.\n\n## You\u2019re from an EEA country or Switzerland\n\nYou can enter the UK with either a passport or national identity card issued by an EEA country or Switzerland that should be valid for the whole of your stay.\n\nFrom 1 October 2021, you will not be able to use an EEA or Swiss national identity card to enter the UK unless you:\n\n- have settled or pre-settled status under the EU Settlement Scheme\n\n- have an EU Settlement Scheme family permit\n\n- have a Frontier Worker permit\n\n- are an S2 Healthcare Visitor\n\n- are a Swiss Service Provider\n\nCheck if you need a visa to come to the UK after 1 January 2021.\n\n## You\u2019re not from an EEA country\n\nYou must have a valid passport to enter the UK. It should be valid for the whole of your stay.\n\nYou may also need a visa, depending on which country you\u2019re from.\n\nCheck if you need a visa to enter the UK.\n\nYou may also need a visa if you\u2019re \u2018transiting\u2019 or travelling through the UK, for example you\u2019re changing flights at a UK airport.\n\n## Applying for a visa\n\nYou must apply for your visa before you arrive in the UK.\n\n## Travelling with children\n\nYou may be asked at the border to prove the relationship between yourself and any children travelling with you, if you do not seem to be the parent, for example if you have a different surname.\n\nYou can prove this with:\n\n- a birth or adoption certificate showing your relationship with the child\n\n- divorce or marriage certificates if you\u2019re the parent but have a different surname from the child\n\n- a letter from the child\u2019s parent giving permission for the child to travel with you and providing contact details, if you\u2019re not the parent\n\n## Before you board\n\nYour \u2018carrier\u2019 (for example airline or transport provider) will check your passport and other travel documents. They\u2019ll send this information electronically to Border Force.\n\nYou can ask to see the information about you that\u2019s been sent by carriers.\n\n## At border control\n\nYou must wear a face covering at the airport, port or station you\u2019re arriving into and follow social distancing rules.\n\nYou\u2019ll need to show:\n\n- your passport or identity card\n\n- your proof of a negative coronavirus (COVID-19) test\n\n- your passenger locator form\n\nYou must:\n\n- have your passport or identity card ready - remove it from a holder or wallet if you use one\n\n- remove your face covering or sunglasses, if you\u2019re wearing them\n\n- move through passport control together if you\u2019re in a family\n\nYou will have to wait longer than usual at border control because of COVID-19.\n\n## Showing your passenger locator form\n\nYou need to show proof that you\u2019ve completed a passenger locator form when you arrive at the UK border. The government will use the form to contact you if someone you\u2019ve travelled with develops COVID-19 symptoms.\n\nWhen you submit the form you\u2019ll receive a confirmation email with a document attached. At border control you must show either a:\n\n- printed copy of the document\n\n- downloaded copy of document on your phone\n\nBorder Force officers will scan the QR code at the top of this document to check you have completed the form successfully.\n\nIt is a criminal offence to provide false or deliberately misleading information when filling out your passenger locator form. You could be fined up to \u00a310,000, imprisoned for up to 10 years, or both, if you do not provide accurate details about the countries you have visited in the 10 days before you arrived in the UK.\n\nYou may also need to show proof of a negative coronavirus test at the border. You could be fined up to \u00a3500 if you cannot show proof when asked.\n\n## Arriving by bus or coach\n\nYou have to leave the bus when you arrive at border control.\n\nMake sure you:\n\n- are ready to get off the bus when you arrive\n\n- have your travel documents ready\n\nRead the guidance for school parties and groups coming to the UK by coach.\n\n## If you\u2019re from an EEA country or Switzerland\n\nYou can use the UK/EEA channel to get your passport or identity card checked - this is usually faster than the other channels.\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein, and Norway.\n\nYou can use automatic ePassport gates at some airports if your passport has a \u2018chip\u2019 on it and you\u2019re 12 or over. If you\u2019re between 12 and 17, you must be accompanied by an adult.\n\nThese gates use facial recognition technology to check your identity against the photo in your passport.\n\n## If you\u2019re from a non-EEA country\n\nYour passport (and visa if you have one) will be checked at border control. You\u2019ll usually be asked why you\u2019re coming to the UK.\n\nYou can use the UK/EEA immigration lanes and the automatic ePassport gates if you\u2019re from:\n\n- Australia\n\n- Canada\n\n- Japan\n\n- New Zealand\n\n- Singapore\n\n- South Korea\n\n- United States\n\n## When you cannot use an ePassport gate\n\nYou must see a border control officer and get a stamp in your passport if you are entering the UK:\n\n- with a Tier 5 Creative or Sporting certificate of sponsorship for up to 3 months (and you want to enter without a visa)\n\n- on a permitted paid engagement\n\nYou cannot get a stamp if you use the ePassport gates. Without a stamp you will not be allowed to carry out the activities you came to the UK to do.\n\n## Registered Travellers\n\nYou can use the UK/EEA immigration lanes and the automatic ePassport gates.\n\n## Travelling with a UK biometric residence permit\n\nYou\u2019ll have a biometric residence permit if your fingerprints were taken when you applied.\n\nYour fingerprints will be checked at border control - they\u2019ll be checked against the ones stored on your visa document.\n\n## If you\u2019re refused entry\n\nYou\u2019ll be told in writing:\n\n- why you\u2019ve been refused entry to the UK\n\n- if you can appeal against the decision\n\n- when you will be removed from the UK\n\nYou\u2019ll usually have to leave the UK immediately.\n\nYou may be allowed into the UK temporarily (usually for up to a week) but your passport will be taken from you and you must report to immigration officers at set times.\n\n## Baggage checks\n\nYou must co-operate if you\u2019re stopped and asked about your baggage.\n\nIf you break the rules your goods and any vehicle you use to transport them may be seized.\n\n## If your baggage is checked\n\nYour baggage is usually checked in front of you.\n\nCustoms officers keep a record of:\n\n- all baggage they open and check\n\n- any damage to your baggage or belongings during a check\n\n## If your things are damaged\n\nYou may be offered compensation if your baggage or belongings are damaged during a customs check.\n\n## Making a complaint\n\nYou can:\n\n- ask for the duty manager if you want to complain about a customs check while you\u2019re at the border\n\n- send your complaint to Border Force if you want to complain later\n\n## Layovers and transiting through a UK airport\n\nPassing through a UK airport while on the way to another country is called \u2018transiting\u2019. Some travellers call it a \u2018layover\u2019.\n\nThere are 2 types of transiting:\n\n- \u2018airside\u2019 - you do not pass through UK border control before you leave on your connecting journey\n\n- \u2018landside\u2019 - you do pass through UK border control, but come back through it and leave the UK within a short amount of time (usually 24 hours)\n\nFind out if you need a UK visa for your layover.\n\n## Coronavirus (COVID-19) testing and quarantine\n\nBefore you travel you need to:\n\n- provide your contact details by completing the online passenger locator form\n\n- provide proof of a negative COVID-19 test\n\nCheck the rules for transiting.\n\n## Quarantining when you arrive in the UK\n\nIf you\u2019re travelling to England, what you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:\n\n- green list - you do not need to quarantine but you must take a COVID-19 test on or before day 2\n\n- amber list - you must quarantine in the place you\u2019re staying and take 2 COVID-19 tests\n\n- red list - you must quarantine in a hotel and take 2 COVID-19 tests\n\nYou must follow these rules even if you have been vaccinated.\n\nFind out which list the country you\u2019ve been in is on and what you need to do.\n\nYou may be fined if you do not quarantine in the place you\u2019re staying or in a managed quarantine hotel when you need to. You can be prosecuted if you do not pay on time.\n\nSome people are exempt from some or all COVID-19 travel and entry requirements because of their jobs. Check if your job means you\u2019re exempt.\n\n## Quarantine rules in Scotland, Wales and Northern Ireland\n\nFind out what to do and whether you\u2019re exempt if you\u2019re:\n\n- travelling to Scotland\n\n- travelling to Wales\n\n- travelling to Northern Ireland\n\n## Ending quarantine early through Test to Release\n\nYou may be able to end quarantine early through the \u2018Test to Release\u2019 scheme if you pay for a private coronavirus (COVID-19) test.\n\nYou must still take the 2 COVID-19 tests you booked before you travelled. Find out more about the tests you must book and take.\n\nYou cannot use the Test to Release scheme if you\u2019ve been in or through a country on the red list in the 10 days before you arrive in England.\n\nThis guidance is for England. Find out what to do if you\u2019re:\n\n- travelling to Scotland\n\n- travelling to Wales\n\n- travelling to Northern Ireland\n\n## When you can take the private COVID-19 test\n\nThe earliest you can take a test is 5 days after you arrive in England. For example, if you arrive on a Monday, you can take a test from the following Saturday.\n\n## When you can stop quarantining\n\nIf the test is negative you can stop quarantining as soon as you get the result.\n\nIf the test is positive you need to quarantine for another 10 days. Count the 10 days starting from the day you took the test, or from when you first had symptoms if that is earlier.\n\nIf you\u2019re living or staying with someone in the UK they should also self-isolate for 10 days, starting from the day you took the test.\n\nIf the test is inconclusive you also need to quarantine for another 10 days. You can stop quarantining if you take another test with an eligible private provider and the result is negative.\n\nYou may be fined up to \u00a310,000 if you do not quarantine when you need to. You can be prosecuted if you do not pay the fine on time.\n\n## What you\u2019ll need\n\nBefore arriving in England, you\u2019ll need to:\n\n- book a test with an eligible private provider\n\n- say that you\u2019ll be using the Test to Release scheme on the passenger locator form\n\nYou cannot take a test through NHS Test and Trace to shorten your quarantine period. You must continue to quarantine if the result from an NHS Test and Trace test is negative.\n\nIf you did not book the test before you arrived in England, you can book one after you arrive. You will need to complete another passenger locator form to opt into the scheme.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re travelling to England, what you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:

    ", + "
  • green list - you must take a coronavirus (COVID-19) test on or before day 2
  • ", + "
  • amber list - you must quarantine in the place you\u2019re staying and take 2 COVID-19 tests
  • ", + "
  • red list - you must quarantine in a hotel and take 2 COVID-19 tests
  • ", + "

    You cannot currently enter the UK if you\u2019ve been in or through a country on the red list unless you\u2019re British, Irish or you have the right to live in the UK.

    ", + "

    You must follow these rules even if you have been vaccinated.

    ", + "

    Find out which list the country you\u2019ve been in is on and what you need to do.

    ", + "

    Find out what to do if you\u2019re:

    ", + "
  • travelling to Scotland
  • ", + "
  • travelling to Wales
  • ", + "
  • travelling to Northern Ireland
  • ", + "

    Before you leave for the UK

    ", + "

    You\u2019ll need to:

    ", + "
  • provide proof of a negative COVID-19 test taken in the 3 days before you leave for the UK
  • ", + "
  • complete a passenger locator form
  • ", + "

    Find out more about what you\u2019ll need to do before you leave for the UK because of COVID-19.

    ", + "

    Your passport or identity card will be checked when you arrive at a UK port or airport to make sure you\u2019re allowed to come into the country. It should be valid for the whole of your stay.

    ", + "

    You may also need a visa to come into or travel through the UK, depending on your nationality.

    ", + "

    What you can bring with you

    ", + "

    What you can bring with you depends on where you\u2019re travelling from. You must declare to customs:

    ", + "
  • anything over your duty-free allowance
  • ", + "
  • banned or restricted goods in the UK
  • ", + "
  • goods that you plan to sell
  • ", + "
  • more than \u20ac10,000 (or its equivalent) in cash, if you\u2019re coming from outside the EU
  • ", + "

    You and your baggage may be checked for anything you must declare.

    ", + "

    COVID-19 restrictions in the UK

    ", + "

    COVID-19 restrictions currently apply in England. Find out about the:

    ", + "
  • rules in Scotland
  • ", + "
  • rules in Wales
  • ", + "
  • rules in Northern Ireland
  • ", + "

    Before you leave for the UK

    ", + "

    Everyone travelling to the UK must:

    ", + "
  • book at least one coronavirus (COVID-19) test for after you arrive
  • ", + "
  • provide your contact details by completing the online passenger locator form
  • ", + "
  • provide proof of a negative COVID-19 test taken in the 3 days before you leave for the UK
  • ", + "
  • follow the testing and quarantine rules in England, Scotland, Wales or Northern Ireland
  • ", + "

    You\u2019ll be committing a criminal offence if you do not have proof of a negative test or you have not completed the passenger locator form. You may be fined. You may not be allowed to board. If you are not British or Irish, you may not be allowed to enter the UK.

    ", + "

    COVID-19 testing and quarantine in England

    ", + "

    What you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:

    ", + "
  • green list - you must book a COVID-19 test to take after you arrive
  • ", + "
  • amber list - you must book 2 COVID-19 tests to take after you arrive and quarantine in the place you\u2019re staying
  • ", + "
  • red list - you must book a hotel quarantine package, which includes 2 COVID-19 tests
  • ", + "

    Find out which list the country you\u2019ve been in is on and what you need to do.

    ", + "

    You must follow these rules even if you have been vaccinated.

    ", + "

    You might be exempt from some or all COVID-19 travel and entry requirements because of your job. Check if your job means you\u2019re exempt.

    ", + "

    Children aged 4 and under do not need to take any COVID-19 travel tests after they arrive in England.

    ", + "

    If you\u2019re travelling from a country on the amber list, you may be able to end your quarantine early by booking a third coronavirus test through Test to Release.

    ", + "

    COVID-19 testing and quarantine in Scotland, Wales and Northern Ireland

    ", + "

    Check the rules and exemptions for quarantine and COVID-19 tests:

    ", + "
  • if you\u2019re travelling to Scotland
  • ", + "
  • if you\u2019re travelling to Wales
  • ", + "
  • If you\u2019re travelling to Northern Ireland
  • ", + "

    Complete the passenger locator form

    ", + "

    You need to provide your journey and contact details in the 48 hours before you arrive in the UK. You must do this by completing the online passenger locator form.

    ", + "

    You\u2019ll need to show your completed passenger locator form when you check in to travel or board your plane, train or ferry.

    ", + "

    You\u2019ll also need to show proof that you\u2019ve completed the form when you arrive at the UK border.

    ", + "

    Provide a negative COVID-19 test to travel to the UK

    ", + "

    You must have proof of a negative COVID-19 test to travel to the UK - even if you\u2019re a UK citizen.

    ", + "

    If your test result is positive you must not travel. You must follow the local COVID-19 rules and guidance.

    ", + "

    The test must be taken in the 3 days before you depart. The results must be in English, French or Spanish.

    ", + "

    You\u2019ll need to show the test results when you check in to travel or board your plane, train or ferry. You may also be asked to show them when you arrive.

    ", + "

    You could be fined \u00a3500 when you arrive at the border if you cannot provide proof that you have had a negative COVID-19 test.

    ", + "

    Find out more about providing a COVID-19 test result, including exemptions and acceptable types of test.

    ", + "

    When you do not need to provide a negative COVID-19 test

    ", + "

    You do not need a test if you\u2019re travelling:

    ", + "
  • within the UK, the Isle of Man, Jersey and Guernsey
  • ", + "
  • from Ireland
  • ", + "
  • from Ascension, Falkland Islands, St Helena and Myanmar
  • ", + "

    Children under 11 do not need a test.

    ", + "

    There are other reasons you might not need a test, for example:

    ", + "
  • you have a job on the \u2018exempt jobs\u2019 list
  • ", + "
  • you\u2019re travelling to the UK for medical reasons
  • ", + "
  • you\u2019re travelling from a country where you cannot access testing facilities
  • ", + "

    Read the guidance about:

    ", + "
  • taking a COVID-19 test before you travel to England
  • ", + "
  • taking a COVID-19 test before you travel to Scotland
  • ", + "

    You must still follow the rules for quarantining when you arrive in the UK.

    ", + "

    You\u2019re from an EEA country or Switzerland

    ", + "

    You can enter the UK with either a passport or national identity card issued by an EEA country or Switzerland that should be valid for the whole of your stay.

    ", + "

    From 1 October 2021, you will not be able to use an EEA or Swiss national identity card to enter the UK unless you:

    ", + "
  • have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • have an EU Settlement Scheme family permit
  • ", + "
  • have a Frontier Worker permit
  • ", + "
  • are an S2 Healthcare Visitor
  • ", + "
  • are a Swiss Service Provider
  • ", + "

    Check if you need a visa to come to the UK after 1 January 2021.

    ", + "

    You\u2019re not from an EEA country

    ", + "

    You must have a valid passport to enter the UK. It should be valid for the whole of your stay.

    ", + "

    You may also need a visa, depending on which country you\u2019re from.

    ", + "

    Check if you need a visa to enter the UK.

    ", + "

    You may also need a visa if you\u2019re \u2018transiting\u2019 or travelling through the UK, for example you\u2019re changing flights at a UK airport.

    ", + "

    Applying for a visa

    ", + "

    You must apply for your visa before you arrive in the UK.

    ", + "

    Travelling with children

    ", + "

    You may be asked at the border to prove the relationship between yourself and any children travelling with you, if you do not seem to be the parent, for example if you have a different surname.

    ", + "

    You can prove this with:

    ", + "
  • a birth or adoption certificate showing your relationship with the child
  • ", + "
  • divorce or marriage certificates if you\u2019re the parent but have a different surname from the child
  • ", + "
  • a letter from the child\u2019s parent giving permission for the child to travel with you and providing contact details, if you\u2019re not the parent
  • ", + "

    Before you board

    ", + "

    Your \u2018carrier\u2019 (for example airline or transport provider) will check your passport and other travel documents. They\u2019ll send this information electronically to Border Force.

    ", + "

    You can ask to see the information about you that\u2019s been sent by carriers.

    ", + "

    At border control

    ", + "

    You must wear a face covering at the airport, port or station you\u2019re arriving into and follow social distancing rules.

    ", + "

    You\u2019ll need to show:

    ", + "
  • your passport or identity card
  • ", + "
  • your proof of a negative coronavirus (COVID-19) test
  • ", + "
  • your passenger locator form
  • ", + "

    You must:

    ", + "
  • have your passport or identity card ready - remove it from a holder or wallet if you use one
  • ", + "
  • remove your face covering or sunglasses, if you\u2019re wearing them
  • ", + "
  • move through passport control together if you\u2019re in a family
  • ", + "

    You will have to wait longer than usual at border control because of COVID-19.

    ", + "

    Showing your passenger locator form

    ", + "

    You need to show proof that you\u2019ve completed a passenger locator form when you arrive at the UK border. The government will use the form to contact you if someone you\u2019ve travelled with develops COVID-19 symptoms.

    ", + "

    When you submit the form you\u2019ll receive a confirmation email with a document attached. At border control you must show either a:

    ", + "
  • printed copy of the document
  • ", + "
  • downloaded copy of document on your phone
  • ", + "

    Border Force officers will scan the QR code at the top of this document to check you have completed the form successfully.

    ", + "

    It is a criminal offence to provide false or deliberately misleading information when filling out your passenger locator form. You could be fined up to \u00a310,000, imprisoned for up to 10 years, or both, if you do not provide accurate details about the countries you have visited in the 10 days before you arrived in the UK.

    ", + "

    You may also need to show proof of a negative coronavirus test at the border. You could be fined up to \u00a3500 if you cannot show proof when asked.

    ", + "

    Arriving by bus or coach

    ", + "

    You have to leave the bus when you arrive at border control.

    ", + "

    Make sure you:

    ", + "
  • are ready to get off the bus when you arrive
  • ", + "
  • have your travel documents ready
  • ", + "

    Read the guidance for school parties and groups coming to the UK by coach.

    ", + "

    If you\u2019re from an EEA country or Switzerland

    ", + "

    You can use the UK/EEA channel to get your passport or identity card checked - this is usually faster than the other channels.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein, and Norway.

    ", + "

    You can use automatic ePassport gates at some airports if your passport has a \u2018chip\u2019 on it and you\u2019re 12 or over. If you\u2019re between 12 and 17, you must be accompanied by an adult.

    ", + "

    These gates use facial recognition technology to check your identity against the photo in your passport.

    ", + "

    If you\u2019re from a non-EEA country

    ", + "

    Your passport (and visa if you have one) will be checked at border control. You\u2019ll usually be asked why you\u2019re coming to the UK.

    ", + "

    You can use the UK/EEA immigration lanes and the automatic ePassport gates if you\u2019re from:

    ", + "
  • Australia
  • ", + "
  • Canada
  • ", + "
  • Japan
  • ", + "
  • New Zealand
  • ", + "
  • Singapore
  • ", + "
  • South Korea
  • ", + "
  • United States
  • ", + "

    When you cannot use an ePassport gate

    ", + "

    You must see a border control officer and get a stamp in your passport if you are entering the UK:

    ", + "
  • with a Tier 5 Creative or Sporting certificate of sponsorship for up to 3 months (and you want to enter without a visa)
  • ", + "
  • on a permitted paid engagement
  • ", + "

    You cannot get a stamp if you use the ePassport gates. Without a stamp you will not be allowed to carry out the activities you came to the UK to do.

    ", + "

    Registered Travellers

    ", + "

    You can use the UK/EEA immigration lanes and the automatic ePassport gates.

    ", + "

    Travelling with a UK biometric residence permit

    ", + "

    You\u2019ll have a biometric residence permit if your fingerprints were taken when you applied.

    ", + "

    Your fingerprints will be checked at border control - they\u2019ll be checked against the ones stored on your visa document.

    ", + "

    If you\u2019re refused entry

    ", + "

    You\u2019ll be told in writing:

    ", + "
  • why you\u2019ve been refused entry to the UK
  • ", + "
  • if you can appeal against the decision
  • ", + "
  • when you will be removed from the UK
  • ", + "

    You\u2019ll usually have to leave the UK immediately.

    ", + "

    You may be allowed into the UK temporarily (usually for up to a week) but your passport will be taken from you and you must report to immigration officers at set times.

    ", + "

    Baggage checks

    ", + "

    You must co-operate if you\u2019re stopped and asked about your baggage.

    ", + "

    If you break the rules your goods and any vehicle you use to transport them may be seized.

    ", + "

    If your baggage is checked

    ", + "

    Your baggage is usually checked in front of you.

    ", + "

    Customs officers keep a record of:

    ", + "
  • all baggage they open and check
  • ", + "
  • any damage to your baggage or belongings during a check
  • ", + "

    If your things are damaged

    ", + "

    You may be offered compensation if your baggage or belongings are damaged during a customs check.

    ", + "

    Making a complaint

    ", + "

    You can:

    ", + "
  • ask for the duty manager if you want to complain about a customs check while you\u2019re at the border
  • ", + "
  • send your complaint to Border Force if you want to complain later
  • ", + "

    Layovers and transiting through a UK airport

    ", + "

    Passing through a UK airport while on the way to another country is called \u2018transiting\u2019. Some travellers call it a \u2018layover\u2019.

    ", + "

    There are 2 types of transiting:

    ", + "
  • \u2018airside\u2019 - you do not pass through UK border control before you leave on your connecting journey
  • ", + "
  • \u2018landside\u2019 - you do pass through UK border control, but come back through it and leave the UK within a short amount of time (usually 24 hours)
  • ", + "

    Find out if you need a UK visa for your layover.

    ", + "

    Coronavirus (COVID-19) testing and quarantine

    ", + "

    Before you travel you need to:

    ", + "
  • provide your contact details by completing the online passenger locator form
  • ", + "
  • provide proof of a negative COVID-19 test
  • ", + "

    Check the rules for transiting.

    ", + "

    Quarantining when you arrive in the UK

    ", + "

    If you\u2019re travelling to England, what you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:

    ", + "
  • green list - you do not need to quarantine but you must take a COVID-19 test on or before day 2
  • ", + "
  • amber list - you must quarantine in the place you\u2019re staying and take 2 COVID-19 tests
  • ", + "
  • red list - you must quarantine in a hotel and take 2 COVID-19 tests
  • ", + "

    You must follow these rules even if you have been vaccinated.

    ", + "

    Find out which list the country you\u2019ve been in is on and what you need to do.

    ", + "

    You may be fined if you do not quarantine in the place you\u2019re staying or in a managed quarantine hotel when you need to. You can be prosecuted if you do not pay on time.

    ", + "

    Some people are exempt from some or all COVID-19 travel and entry requirements because of their jobs. Check if your job means you\u2019re exempt.

    ", + "

    Quarantine rules in Scotland, Wales and Northern Ireland

    ", + "

    Find out what to do and whether you\u2019re exempt if you\u2019re:

    ", + "
  • travelling to Scotland
  • ", + "
  • travelling to Wales
  • ", + "
  • travelling to Northern Ireland
  • ", + "

    Ending quarantine early through Test to Release

    ", + "

    You may be able to end quarantine early through the \u2018Test to Release\u2019 scheme if you pay for a private coronavirus (COVID-19) test.

    ", + "

    You must still take the 2 COVID-19 tests you booked before you travelled. Find out more about the tests you must book and take.

    ", + "

    You cannot use the Test to Release scheme if you\u2019ve been in or through a country on the red list in the 10 days before you arrive in England.

    ", + "

    This guidance is for England. Find out what to do if you\u2019re:

    ", + "
  • travelling to Scotland
  • ", + "
  • travelling to Wales
  • ", + "
  • travelling to Northern Ireland
  • ", + "

    When you can take the private COVID-19 test

    ", + "

    The earliest you can take a test is 5 days after you arrive in England. For example, if you arrive on a Monday, you can take a test from the following Saturday.

    ", + "

    When you can stop quarantining

    ", + "

    If the test is negative you can stop quarantining as soon as you get the result.

    ", + "

    If the test is positive you need to quarantine for another 10 days. Count the 10 days starting from the day you took the test, or from when you first had symptoms if that is earlier.

    ", + "

    If you\u2019re living or staying with someone in the UK they should also self-isolate for 10 days, starting from the day you took the test.

    ", + "

    If the test is inconclusive you also need to quarantine for another 10 days. You can stop quarantining if you take another test with an eligible private provider and the result is negative.

    ", + "

    You may be fined up to \u00a310,000 if you do not quarantine when you need to. You can be prosecuted if you do not pay the fine on time.

    ", + "

    What you\u2019ll need

    ", + "

    Before arriving in England, you\u2019ll need to:

    ", + "
  • book a test with an eligible private provider
  • ", + "
  • say that you\u2019ll be using the Test to Release scheme on the passenger locator form
  • ", + "

    You cannot take a test through NHS Test and Trace to shorten your quarantine period. You must continue to quarantine if the result from an NHS Test and Trace test is negative.

    ", + "

    If you did not book the test before you arrived in England, you can book one after you arrive. You will need to complete another passenger locator form to opt into the scheme.

    " + ] + }, + "https://www.gov.uk/customs-seizures": { + "url": "https://www.gov.uk/customs-seizures", + "title": "Options when customs seizes your things", + "content": "## Overview\n\nCustoms will destroy or sell anything it seizes from you for breaking the rules on bringing or receiving goods from abroad, unless you:\n\n- ask for your things back - you can do this even if you agree customs was right to seize them\n\n- think customs was wrong to seize your things - you\u2019ll have to go to court\n\nThis applies to:\n\n- goods, cars and other vehicles you bring into the UK\n\n- any vehicle you use to transport your things\n\n- packages in the post\n\n## Collecting things from a seized vehicle\n\nYou have 45 days to collect anything you left in your vehicle if it\u2019s been seized. Send a letter marked \u2018personal property\u2019 to the address on the notice or letter you got from customs.\n\n## If your things or cash are seized as criminal evidence\n\nCustoms officers can also seize goods, vehicles and cash you bring into the UK if they suspect a crime. They\u2019ll explain what happens next and what you can do.\n\n## Complain about how you were treated\n\nYou can complain about how customs officers treated you during a customs seizure. Complain to Border Force or HM Revenue and Customs (HMRC), depending on who seized your things.\n\nCheck the notice or letter you got from customs if you do not know who seized your things.\n\nContact HMRC if you have questions about customs.\n\n## Ask for your things back\n\nYou can ask for your things back (make a \u2018restoration request\u2019) even if you agree customs was right to take them.\n\nIf you think you should get your things back because you did not break the rules (for example, you brought in alcohol for your own use) you must ask for a court hearing instead of making a restoration request.\n\nIf your request is accepted, you can get your things back but you may have to pay a fee and any duty you owe.\n\nYou may be offered compensation if your things have already been destroyed or sold.\n\n## Making a request\n\nFollow the example letter or write your own.\n\nYou must explain why you think you should get your things back, for example you can now provide missing import or export documents.\n\nYou must include:\n\n- the seizure reference number on the notice you got from customs\n\n- your name and address\n\n- a list of the things you want back - include details, for example quantities and brands\n\n- proof of ownership - for a vehicle, this must be proof of purchase, for example a receipt\n\n- anything else that supports your request to get your things back, for example import documents\n\nNotice 12A gives detailed guidance about making a restoration request and getting compensation.\n\n## Where to send it\n\nSend your request to Border Force if it seized your things.\n\nIf HM Revenue and Customs (HMRC) seized your things, send your request to the address on the notice or letter you got from customs.\n\nCheck the notice or letter you got from customs if you do not know who seized your things. Contact HMRC if you need a copy of the notice.\n\n## Deadline\n\nThere\u2019s no deadline for making a restoration request. But your things will usually be destroyed or sold:\n\n- straight away if they\u2019re perishable, for example food, beer or tobacco\n\n- 45 days after they\u2019re seized if they\u2019re not perishable, for example spirits and cars\n\nIf you send a restoration request, non-perishable things are usually kept until your request is considered.\n\n## Getting legal help\n\nYou can appoint someone to deal with your request for you, for example a solicitor. Send an agent authority form with your request.\n\n## If you\u2019re unhappy with the response\n\nYou can ask for the response to your request to be reviewed if:\n\n- you do not get your things back or get compensation\n\n- you disagree with the fee for getting your things back\n\nThe letter telling you the response will also tell you how to ask for a review.\n\n## If you disagree with the review\n\nYou can appeal to the tax tribunal if you disagree with the outcome of the review.\n\n## Ask for a court hearing\n\nSend a \u2018notice of claim\u2019 if you think it was illegal for customs to seize your things, for example you brought in alcohol or tobacco for your personal use.\n\nA seizure is legal if you break the rules on bringing or receiving things from abroad.\n\nYou\u2019ll have to go to court - if you win your claim, you\u2019ll get your things back. If they\u2019ve already been disposed of, you can ask for compensation.\n\nYou may have to pay court costs if you do not win your claim.\n\n## Sending a notice of claim\n\nFollow the example notice of claim or write your own. You\u2019ll need to include:\n\n- the seizure reference number on the notice you got from customs\n\n- your name and address\n\n- a list of the things you think customs was wrong to seize - include details, for example quantities and brands\n\n- proof of ownership if your vehicle was seized\n\n- why you think it was illegal for customs to seize your things\n\nNotice 12A gives detailed guidance about making a claim and what happens in a court hearing.\n\n## If Border Force seized your things\n\nSend your notice of claim to Border Force\u2019s post seizure unit.\n\n## If HM Revenue and Customs (HMRC) seized your things\n\nFor excise goods such as alcohol, tobacco and fuel, send your notice of claim to:\n\nFor all other goods send your notice of claim to:\n\nCheck the notice or letter you got from customs if you do not know who seized your things. Contact HMRC if you need a copy of the notice.\n\n## Deadline\n\nYour notice of claim must be received by HMRC or Border Force within a month of your things being seized.\n\nYour things are usually kept until your claim is decided, unless they\u2019re perishable, for example they\u2019re food.\n\n## Get legal help\n\nYou can appoint someone (for example, a solicitor) to deal with your claim and represent you in court.\n\nSend an agent authority form with your notice of claim.\n\n## If you live outside the UK\n\nYou must appoint a UK solicitor to handle your claim and represent you in court.\n\nSend an agent authority form giving the solicitor\u2019s details with your notice of claim.", + "original_contents": [ + "

    Overview

    ", + "

    Customs will destroy or sell anything it seizes from you for breaking the rules on bringing or receiving goods from abroad, unless you:

    ", + "
  • ask for your things back - you can do this even if you agree customs was right to seize them
  • ", + "
  • think customs was wrong to seize your things - you\u2019ll have to go to court
  • ", + "

    This applies to:

    ", + "
  • goods, cars and other vehicles you bring into the UK
  • ", + "
  • any vehicle you use to transport your things
  • ", + "
  • packages in the post
  • ", + "

    Collecting things from a seized vehicle

    ", + "

    You have 45 days to collect anything you left in your vehicle if it\u2019s been seized. Send a letter marked \u2018personal property\u2019 to the address on the notice or letter you got from customs.

    ", + "

    If your things or cash are seized as criminal evidence

    ", + "

    Customs officers can also seize goods, vehicles and cash you bring into the UK if they suspect a crime. They\u2019ll explain what happens next and what you can do.

    ", + "

    Complain about how you were treated

    ", + "

    You can complain about how customs officers treated you during a customs seizure. Complain to Border Force or HM Revenue and Customs (HMRC), depending on who seized your things.

    ", + "

    Check the notice or letter you got from customs if you do not know who seized your things.

    ", + "

    Contact HMRC if you have questions about customs.

    ", + "

    Ask for your things back

    ", + "

    You can ask for your things back (make a \u2018restoration request\u2019) even if you agree customs was right to take them.

    ", + "

    If you think you should get your things back because you did not break the rules (for example, you brought in alcohol for your own use) you must ask for a court hearing instead of making a restoration request.

    ", + "

    If your request is accepted, you can get your things back but you may have to pay a fee and any duty you owe.

    ", + "

    You may be offered compensation if your things have already been destroyed or sold.

    ", + "

    Making a request

    ", + "

    Follow the example letter or write your own.

    ", + "

    You must explain why you think you should get your things back, for example you can now provide missing import or export documents.

    ", + "

    You must include:

    ", + "
  • the seizure reference number on the notice you got from customs
  • ", + "
  • your name and address
  • ", + "
  • a list of the things you want back - include details, for example quantities and brands
  • ", + "
  • proof of ownership - for a vehicle, this must be proof of purchase, for example a receipt
  • ", + "
  • anything else that supports your request to get your things back, for example import documents
  • ", + "

    Notice 12A gives detailed guidance about making a restoration request and getting compensation.

    ", + "

    Where to send it

    ", + "

    Send your request to Border Force if it seized your things.

    ", + "

    If HM Revenue and Customs (HMRC) seized your things, send your request to the address on the notice or letter you got from customs.

    ", + "

    Check the notice or letter you got from customs if you do not know who seized your things. Contact HMRC if you need a copy of the notice.

    ", + "

    Deadline

    ", + "

    There\u2019s no deadline for making a restoration request. But your things will usually be destroyed or sold:

    ", + "
  • straight away if they\u2019re perishable, for example food, beer or tobacco
  • ", + "
  • 45 days after they\u2019re seized if they\u2019re not perishable, for example spirits and cars
  • ", + "

    If you send a restoration request, non-perishable things are usually kept until your request is considered.

    ", + "

    Getting legal help

    ", + "

    You can appoint someone to deal with your request for you, for example a solicitor. Send an agent authority form with your request.

    ", + "

    If you\u2019re unhappy with the response

    ", + "

    You can ask for the response to your request to be reviewed if:

    ", + "
  • you do not get your things back or get compensation
  • ", + "
  • you disagree with the fee for getting your things back
  • ", + "

    The letter telling you the response will also tell you how to ask for a review.

    ", + "

    If you disagree with the review

    ", + "

    You can appeal to the tax tribunal if you disagree with the outcome of the review.

    ", + "

    Ask for a court hearing

    ", + "

    Send a \u2018notice of claim\u2019 if you think it was illegal for customs to seize your things, for example you brought in alcohol or tobacco for your personal use.

    ", + "

    A seizure is legal if you break the rules on bringing or receiving things from abroad.

    ", + "

    You\u2019ll have to go to court - if you win your claim, you\u2019ll get your things back. If they\u2019ve already been disposed of, you can ask for compensation.

    ", + "

    You may have to pay court costs if you do not win your claim.

    ", + "

    Sending a notice of claim

    ", + "

    Follow the example notice of claim or write your own. You\u2019ll need to include:

    ", + "
  • the seizure reference number on the notice you got from customs
  • ", + "
  • your name and address
  • ", + "
  • a list of the things you think customs was wrong to seize - include details, for example quantities and brands
  • ", + "
  • proof of ownership if your vehicle was seized
  • ", + "
  • why you think it was illegal for customs to seize your things
  • ", + "

    Notice 12A gives detailed guidance about making a claim and what happens in a court hearing.

    ", + "

    If Border Force seized your things

    ", + "

    Send your notice of claim to Border Force\u2019s post seizure unit.

    ", + "

    If HM Revenue and Customs (HMRC) seized your things

    ", + "

    For excise goods such as alcohol, tobacco and fuel, send your notice of claim to:

    ", + "

    For all other goods send your notice of claim to:

    ", + "

    Check the notice or letter you got from customs if you do not know who seized your things. Contact HMRC if you need a copy of the notice.

    ", + "

    Deadline

    ", + "

    Your notice of claim must be received by HMRC or Border Force within a month of your things being seized.

    ", + "

    Your things are usually kept until your claim is decided, unless they\u2019re perishable, for example they\u2019re food.

    ", + "

    Get legal help

    ", + "

    You can appoint someone (for example, a solicitor) to deal with your claim and represent you in court.

    ", + "

    Send an agent authority form with your notice of claim.

    ", + "

    If you live outside the UK

    ", + "

    You must appoint a UK solicitor to handle your claim and represent you in court.

    ", + "

    Send an agent authority form giving the solicitor\u2019s details with your notice of claim.

    " + ] + }, + "https://www.gov.uk/apply-to-come-to-the-uk": { + "url": "https://www.gov.uk/apply-to-come-to-the-uk", + "title": "Applying for a visa to come to the UK", + "content": "## Choose a visa\n\nYou may need a visa to come to the UK to study, work, visit or join family.\n\nThere are different visas depending on:\n\n- where you come from\n\n- why you want to come to the UK\n\n- how long you want to stay for\n\n- your personal circumstances and skills\n\nBefore you apply, you must check if you need a visa and what type you need. Depending on your nationality, you might not need a visa to visit or transit through the UK.\n\nYour application must be approved before you travel.\n\nYou do not need a visa if you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and you came to the UK by 31 December 2020. If you started living in the UK by that date you can apply to the EU Settlement Scheme to continue to work, live or study in the UK.\n\nYou do not need to apply for a visa if you\u2019re an Irish citizen.\n\n## If you want to visit the UK\n\nApply for a Standard Visitor visa to visit the UK for up to 6 months. For example:\n\n- for a holiday or to see family and friends\n\n- for a business trip or meeting\n\n- to do a short course of study\n\nYou must apply for a Marriage Visitor visa if you want to visit the UK to get married or register a civil partnership.\n\nIf you have a visitor visa you cannot take a job in the UK.\n\n## If you\u2019re travelling through the UK\n\nYou might need a visa if you\u2019re travelling through the UK on your way to another country, for example if you have a layover between flights.\n\nApply for a visa to travel through the UK.\n\n## If you want to study in the UK\n\nYour course length, type and place of study affect which visa to apply for.\n\nA Standard Visitor visa lets you do a short course of study that lasts no longer than 6 months.\n\nA Short-term study visa lets you come to the UK to study an English language course that is over 6 months and up to 11 months.\n\nA Student visa is usually for a longer course. You must be sponsored by a licensed college or university and have a confirmed place. You may be able to do some work on this visa.\n\nA Child Student visa is for 4 to 17 year olds who want to study at an independent school. If you\u2019re 16 or over, you can do some work on this visa.\n\n## If you want to work or invest in the UK\n\nYou can work in the UK on a short or long-term basis with a work visa. There are many types of work visa.\n\nThe visa you need depends upon:\n\n- your skills and qualifications\n\n- if you have a job offer and sponsorship\n\n- if you want to bring your family with you\n\n- what you\u2019ll be doing - for example sporting, charitable or religious work\n\nYou can also invest money in the UK with an Investor visa. You can set up a business with a Start-up visa or an Innovator visa.\n\n## If you want to join family in the UK\n\nIf you\u2019re a spouse, partner or family member of someone who has British citizenship or settlement in the UK, you can apply for a family visa to join them. They may need to show that they can support you financially.\n\nYou may be able to apply for indefinite leave to remain (ILR) after a set amount of time living in the UK.\n\n## If your family member is in the UK on a visa\n\nYou may be able to apply for a visa to join a family member who\u2019s in the UK on a visa. They must be either:\n\n- your spouse or partner\n\n- your parent if you\u2019re 18 or under\n\nCheck what visa you\u2019ll need to join them.\n\n## If your family member is from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nYou can apply for a free family permit if you have a close family member who was living in the UK by 31 December 2020. A family permit lets you live, work and study in the UK for up to 6 months.\n\nClose family members include your spouse or civil partner, child, grandchild, parent or grandparent.\n\nYou can apply to the EU Settlement Scheme after your family permit expires.\n\n## Family reunion visas for refugees\n\nIf you were separated from your partner or child when you were forced to leave your country, they can apply to join you in the UK.\n\nYour family members can apply if you have been given asylum or 5 years\u2019 humanitarian protection, and not have British citizenship.\n\n## Other ways to get permission to live in the UK\n\n## Commonwealth citizens\n\nYou can apply for an Ancestry visa to work in the UK if you have a British grandparent and meet other eligibility criteria.\n\nYou may have right of abode to live in the UK.\n\nIf you\u2019re a Commonwealth citizen and cannot prove your right to be in the UK, read about the Windrush scheme.\n\n## Returning residents\n\nIf you had indefinite leave to remain (ILR) and left the UK for more than 2 years you\u2019ll need to apply for a Returning Resident visa to come back.\n\n## Other visas\n\nThere may be another visa that\u2019s right for you based on your circumstances. Check if you need a visa and what other visas you\u2019re eligible for.\n\n## Prepare your application\n\nYou can apply and pay for most visas online.\n\nIf you have dependants who want to come to the UK with you, each person will need to apply and pay separately.\n\n## When to apply\n\nThe earliest you can apply is usually:\n\n- 3 months before your planned travel date for visit visas\n\n- 3 months before your employment start date for most work visas\n\n- 6 months before your course start date for Student and Child Student visas\n\nGet an estimate of how long it\u2019ll take to process your application.\n\nSettlement applications take up to 6 months and must be approved before you come to the UK. If you\u2019re given permission to settle in the UK, you must travel before your permission ends.\n\n## Fees\n\nThere is a fee for each visa. The fee depends on which visa you apply for.\n\nYou can choose to pay more to get a faster decision for some visas.\n\nThe fees are the same for each family member who applies to come to the UK with you.\n\n## Pay for healthcare\n\nYou\u2019ll need to pay the healthcare surcharge as part of your application, if you\u2019re:\n\n- applying for a visa to work, study or join your family\n\n- applying to stay for more than 6 months\n\n- not applying to live permanently in the UK\n\n## Applying for someone else\n\nYou can apply for a visa for someone else. For example, a relative overseas who does not have access to a computer or your child, if they cannot apply for themselves.\n\nYou must get permission from the person you\u2019re applying for, or written permission from their parent or guardian if the applicant is under 18.\n\nEnter the applicant\u2019s details into the form, not your own.\n\n## Proving you do not have tuberculosis (TB)\n\nIf you\u2019re coming to the UK for more than 6 months you might need to have a TB test.\n\nCheck if you\u2019ll need a TB test.\n\nIf you do, you must provide a certificate showing you do not have TB with your visa application.\n\n## Change or cancel your application\n\nIf you want to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.\n\n## Prove your identity\n\nWhen you apply, you\u2019ll need to prove your identity and provide documents to show your eligibility.\n\nHow you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- go to an appointment at a visa application centre\n\n- use the \u2018UK Immigration: ID Check\u2019 smartphone app\n\nYou\u2019ll find out if you need to go to an appointment or use the smartphone app when you start your application.\n\n## If you need to go to an appointment at a visa application centre\n\nYou\u2019ll be asked to make an appointment at a visa application centre to provide your biometric information (your fingerprints and a photograph).\n\nAt the appointment, you\u2019ll need to submit documents that show your eligibility. The document checklist in your application will explain what to provide.\n\nSome visa application centres may need to keep your passport and documents while they process your application.\n\nYou may have to travel to get to your nearest visa application centre (this could be in another country).\n\n## If you applied for someone else\n\nThe applicant will need to attend the appointment at the visa application centre to provide their biometric information and documents.\n\nThey\u2019ll also need to sign a copy of their application form, to confirm that the information is correct.\n\n## If you need to use the \u2018UK Immigration: ID Check\u2019 smartphone app\n\nYou\u2019ll be asked to use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document and submit a digital photo of your face.\n\nYou will need to scan and upload documents that show your eligibility as part of your online application. The document checklist in your application will explain what to provide.\n\n## If you applied for someone else\n\nThe applicant will need to prove their identity using the app.\n\n## Getting a decision on your application\n\nYou\u2019ll get a letter or an email with the result of your application. It will explain what you need to do next.\n\n## If your application is successful\n\nYou\u2019ll be given either:\n\n- a sticker (called a vignette) that goes in your passport - if you gave your biometric information at a visa application centre\n\n- access to view your immigration status information online - if you used the smartphone app to prove your identity\n\nThe vignette or online immigration status information will show:\n\n- what you\u2019ve been granted (for example, a Student visa)\n\n- the dates your visa is valid (start date and end date)\n\n- the conditions of your visa\n\n## Your visa conditions\n\nThe conditions say what you can and cannot do in the UK. For example, they might say:\n\n- \u2018No access to public funds\u2019 - you cannot claim benefits\n\n- \u2018No work\u2019 - you cannot take paid or unpaid work in the UK\n\n- \u2018Restricted work\u2019 - you can only work for your sponsor\n\nYou\u2019ll also be told if you need to register your personal details with the UK police.\n\n## Getting your vignette\n\nIf the visa application centre kept your passport, they\u2019ll either:\n\n- send it to you with the vignette inside - if you paid for this service when you applied\n\n- ask you to collect the passport and vignette\n\nIf you kept your passport, you\u2019ll need to take it to the visa application centre to collect your vignette.\n\nIf you\u2019re a national of Kuwait, Oman, Qatar or the United Arab Emirates and you applied for an electronic visa waiver this permission is sent to you electronically (you do not receive a vignette).\n\n## If there\u2019s an error in your vignette\n\nIf you notice an error in your vignette, you should contact your visa application centre immediately to correct it before you come to the UK.\n\nIf you notice the error after you\u2019ve arrived in the UK, you must report it to UK Visas and Immigration (UKVI) within 3 months of arriving or you\u2019ll need to make a new application.\n\n## Getting a biometric residence permit\n\nIf you get a vignette and you\u2019re coming to the UK for more than 6 months then you have to collect a biometric residence permit (BRP) after you arrive.\n\nYou must do this before the vignette sticker expires or within 10 days of arriving in the UK, whichever is later.\n\nYou choose where to collect your BRP from during your application.\n\nWhen you get your BRP, check the details are correct. If your name is long it may appear \u2018cut off\u2019. This is not a mistake - it is because there is limited space on the BRP card. However, if there\u2019s a spelling mistake, you must report it.\n\nYou need to report any errors in your BRP within 10 days of collecting it.\n\n## If you get access to your immigration status information online\n\nYou\u2019ll be able to view your immigration status information online. You can also use the online service to share your immigration status information with others, for example employers or universities.\n\nSome government organisations and public authorities will be able to access your immigration status information, for example when you travel through the UK border.\n\nYou will not get a vignette or a BRP.\n\n## If your application is refused\n\nYou\u2019ll get a letter or an email explaining why your application was refused.\n\nYour passport will be returned, if it was kept as part of your application.\n\nYour refusal letter will explain if you have the right to either an:\n\n- administrative review\n\n- immigration decision appeal", + "original_contents": [ + "

    Choose a visa

    ", + "

    You may need a visa to come to the UK to study, work, visit or join family.

    ", + "

    There are different visas depending on:

    ", + "
  • where you come from
  • ", + "
  • why you want to come to the UK
  • ", + "
  • how long you want to stay for
  • ", + "
  • your personal circumstances and skills
  • ", + "

    Before you apply, you must check if you need a visa and what type you need. Depending on your nationality, you might not need a visa to visit or transit through the UK.

    ", + "

    Your application must be approved before you travel.

    ", + "

    You do not need a visa if you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and you came to the UK by 31 December 2020. If you started living in the UK by that date you can apply to the EU Settlement Scheme to continue to work, live or study in the UK.

    ", + "

    You do not need to apply for a visa if you\u2019re an Irish citizen.

    ", + "

    If you want to visit the UK

    ", + "

    Apply for a Standard Visitor visa to visit the UK for up to 6 months. For example:

    ", + "
  • for a holiday or to see family and friends
  • ", + "
  • for a business trip or meeting
  • ", + "
  • to do a short course of study
  • ", + "

    You must apply for a Marriage Visitor visa if you want to visit the UK to get married or register a civil partnership.

    ", + "

    If you have a visitor visa you cannot take a job in the UK.

    ", + "

    If you\u2019re travelling through the UK

    ", + "

    You might need a visa if you\u2019re travelling through the UK on your way to another country, for example if you have a layover between flights.

    ", + "

    Apply for a visa to travel through the UK.

    ", + "

    If you want to study in the UK

    ", + "

    Your course length, type and place of study affect which visa to apply for.

    ", + "

    A Standard Visitor visa lets you do a short course of study that lasts no longer than 6 months.

    ", + "

    A Short-term study visa lets you come to the UK to study an English language course that is over 6 months and up to 11 months.

    ", + "

    A Student visa is usually for a longer course. You must be sponsored by a licensed college or university and have a confirmed place. You may be able to do some work on this visa.

    ", + "

    A Child Student visa is for 4 to 17 year olds who want to study at an independent school. If you\u2019re 16 or over, you can do some work on this visa.

    ", + "

    If you want to work or invest in the UK

    ", + "

    You can work in the UK on a short or long-term basis with a work visa. There are many types of work visa.

    ", + "

    The visa you need depends upon:

    ", + "
  • your skills and qualifications
  • ", + "
  • if you have a job offer and sponsorship
  • ", + "
  • if you want to bring your family with you
  • ", + "
  • what you\u2019ll be doing - for example sporting, charitable or religious work
  • ", + "

    You can also invest money in the UK with an Investor visa. You can set up a business with a Start-up visa or an Innovator visa.

    ", + "

    If you want to join family in the UK

    ", + "

    If you\u2019re a spouse, partner or family member of someone who has British citizenship or settlement in the UK, you can apply for a family visa to join them. They may need to show that they can support you financially.

    ", + "

    You may be able to apply for indefinite leave to remain (ILR) after a set amount of time living in the UK.

    ", + "

    If your family member is in the UK on a visa

    ", + "

    You may be able to apply for a visa to join a family member who\u2019s in the UK on a visa. They must be either:

    ", + "
  • your spouse or partner
  • ", + "
  • your parent if you\u2019re 18 or under
  • ", + "

    Check what visa you\u2019ll need to join them.

    ", + "

    If your family member is from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    You can apply for a free family permit if you have a close family member who was living in the UK by 31 December 2020. A family permit lets you live, work and study in the UK for up to 6 months.

    ", + "

    Close family members include your spouse or civil partner, child, grandchild, parent or grandparent.

    ", + "

    You can apply to the EU Settlement Scheme after your family permit expires.

    ", + "

    Family reunion visas for refugees

    ", + "

    If you were separated from your partner or child when you were forced to leave your country, they can apply to join you in the UK.

    ", + "

    Your family members can apply if you have been given asylum or 5 years\u2019 humanitarian protection, and not have British citizenship.

    ", + "

    Other ways to get permission to live in the UK

    ", + "

    Commonwealth citizens

    ", + "

    You can apply for an Ancestry visa to work in the UK if you have a British grandparent and meet other eligibility criteria.

    ", + "

    You may have right of abode to live in the UK.

    ", + "

    If you\u2019re a Commonwealth citizen and cannot prove your right to be in the UK, read about the Windrush scheme.

    ", + "

    Returning residents

    ", + "

    If you had indefinite leave to remain (ILR) and left the UK for more than 2 years you\u2019ll need to apply for a Returning Resident visa to come back.

    ", + "

    Other visas

    ", + "

    There may be another visa that\u2019s right for you based on your circumstances. Check if you need a visa and what other visas you\u2019re eligible for.

    ", + "

    Prepare your application

    ", + "

    You can apply and pay for most visas online.

    ", + "

    If you have dependants who want to come to the UK with you, each person will need to apply and pay separately.

    ", + "

    When to apply

    ", + "

    The earliest you can apply is usually:

    ", + "
  • 3 months before your planned travel date for visit visas
  • ", + "
  • 3 months before your employment start date for most work visas
  • ", + "
  • 6 months before your course start date for Student and Child Student visas
  • ", + "

    Get an estimate of how long it\u2019ll take to process your application.

    ", + "

    Settlement applications take up to 6 months and must be approved before you come to the UK. If you\u2019re given permission to settle in the UK, you must travel before your permission ends.

    ", + "

    Fees

    ", + "

    There is a fee for each visa. The fee depends on which visa you apply for.

    ", + "

    You can choose to pay more to get a faster decision for some visas.

    ", + "

    The fees are the same for each family member who applies to come to the UK with you.

    ", + "

    Pay for healthcare

    ", + "

    You\u2019ll need to pay the healthcare surcharge as part of your application, if you\u2019re:

    ", + "
  • applying for a visa to work, study or join your family
  • ", + "
  • applying to stay for more than 6 months
  • ", + "
  • not applying to live permanently in the UK
  • ", + "

    Applying for someone else

    ", + "

    You can apply for a visa for someone else. For example, a relative overseas who does not have access to a computer or your child, if they cannot apply for themselves.

    ", + "

    You must get permission from the person you\u2019re applying for, or written permission from their parent or guardian if the applicant is under 18.

    ", + "

    Enter the applicant\u2019s details into the form, not your own.

    ", + "

    Proving you do not have tuberculosis (TB)

    ", + "

    If you\u2019re coming to the UK for more than 6 months you might need to have a TB test.

    ", + "

    Check if you\u2019ll need a TB test.

    ", + "

    If you do, you must provide a certificate showing you do not have TB with your visa application.

    ", + "

    Change or cancel your application

    ", + "

    If you want to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    Prove your identity

    ", + "

    When you apply, you\u2019ll need to prove your identity and provide documents to show your eligibility.

    ", + "

    How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • go to an appointment at a visa application centre
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 smartphone app
  • ", + "

    You\u2019ll find out if you need to go to an appointment or use the smartphone app when you start your application.

    ", + "

    If you need to go to an appointment at a visa application centre

    ", + "

    You\u2019ll be asked to make an appointment at a visa application centre to provide your biometric information (your fingerprints and a photograph).

    ", + "

    At the appointment, you\u2019ll need to submit documents that show your eligibility. The document checklist in your application will explain what to provide.

    ", + "

    Some visa application centres may need to keep your passport and documents while they process your application.

    ", + "

    You may have to travel to get to your nearest visa application centre (this could be in another country).

    ", + "

    If you applied for someone else

    ", + "

    The applicant will need to attend the appointment at the visa application centre to provide their biometric information and documents.

    ", + "

    They\u2019ll also need to sign a copy of their application form, to confirm that the information is correct.

    ", + "

    If you need to use the \u2018UK Immigration: ID Check\u2019 smartphone app

    ", + "

    You\u2019ll be asked to use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document and submit a digital photo of your face.

    ", + "

    You will need to scan and upload documents that show your eligibility as part of your online application. The document checklist in your application will explain what to provide.

    ", + "

    If you applied for someone else

    ", + "

    The applicant will need to prove their identity using the app.

    ", + "

    Getting a decision on your application

    ", + "

    You\u2019ll get a letter or an email with the result of your application. It will explain what you need to do next.

    ", + "

    If your application is successful

    ", + "

    You\u2019ll be given either:

    ", + "
  • a sticker (called a vignette) that goes in your passport - if you gave your biometric information at a visa application centre
  • ", + "
  • access to view your immigration status information online - if you used the smartphone app to prove your identity
  • ", + "

    The vignette or online immigration status information will show:

    ", + "
  • what you\u2019ve been granted (for example, a Student visa)
  • ", + "
  • the dates your visa is valid (start date and end date)
  • ", + "
  • the conditions of your visa
  • ", + "

    Your visa conditions

    ", + "

    The conditions say what you can and cannot do in the UK. For example, they might say:

    ", + "
  • \u2018No access to public funds\u2019 - you cannot claim benefits
  • ", + "
  • \u2018No work\u2019 - you cannot take paid or unpaid work in the UK
  • ", + "
  • \u2018Restricted work\u2019 - you can only work for your sponsor
  • ", + "

    You\u2019ll also be told if you need to register your personal details with the UK police.

    ", + "

    Getting your vignette

    ", + "

    If the visa application centre kept your passport, they\u2019ll either:

    ", + "
  • send it to you with the vignette inside - if you paid for this service when you applied
  • ", + "
  • ask you to collect the passport and vignette
  • ", + "

    If you kept your passport, you\u2019ll need to take it to the visa application centre to collect your vignette.

    ", + "

    If you\u2019re a national of Kuwait, Oman, Qatar or the United Arab Emirates and you applied for an electronic visa waiver this permission is sent to you electronically (you do not receive a vignette).

    ", + "

    If there\u2019s an error in your vignette

    ", + "

    If you notice an error in your vignette, you should contact your visa application centre immediately to correct it before you come to the UK.

    ", + "

    If you notice the error after you\u2019ve arrived in the UK, you must report it to UK Visas and Immigration (UKVI) within 3 months of arriving or you\u2019ll need to make a new application.

    ", + "

    Getting a biometric residence permit

    ", + "

    If you get a vignette and you\u2019re coming to the UK for more than 6 months then you have to collect a biometric residence permit (BRP) after you arrive.

    ", + "

    You must do this before the vignette sticker expires or within 10 days of arriving in the UK, whichever is later.

    ", + "

    You choose where to collect your BRP from during your application.

    ", + "

    When you get your BRP, check the details are correct. If your name is long it may appear \u2018cut off\u2019. This is not a mistake - it is because there is limited space on the BRP card. However, if there\u2019s a spelling mistake, you must report it.

    ", + "

    You need to report any errors in your BRP within 10 days of collecting it.

    ", + "

    If you get access to your immigration status information online

    ", + "

    You\u2019ll be able to view your immigration status information online. You can also use the online service to share your immigration status information with others, for example employers or universities.

    ", + "

    Some government organisations and public authorities will be able to access your immigration status information, for example when you travel through the UK border.

    ", + "

    You will not get a vignette or a BRP.

    ", + "

    If your application is refused

    ", + "

    You\u2019ll get a letter or an email explaining why your application was refused.

    ", + "

    Your passport will be returned, if it was kept as part of your application.

    ", + "

    Your refusal letter will explain if you have the right to either an:

    ", + "
  • administrative review
  • ", + "
  • immigration decision appeal
  • " + ] + }, + "https://www.gov.uk/healthcare-immigration-application": { + "url": "https://www.gov.uk/healthcare-immigration-application", + "title": "Pay for UK healthcare as part of your immigration application", + "content": "## Overview\n\nYou might need to pay a healthcare surcharge (called the \u2018immigration health surcharge\u2019 or IHS) as part of your immigration application.\n\nWhether you need to pay depends on the immigration status you\u2019re applying for.\n\n## When you must pay\n\nIf you\u2019re making your immigration application online, you pay the surcharge as part of your application or when you book an appointment.\n\nIf you\u2019re applying by post, you pay the surcharge online before you send your application. You\u2019ll need to include the IHS reference number on your application form.\n\n## When you can start to use the NHS\n\nYou can start using the National Health Service (NHS) when both:\n\n- you\u2019ve paid the healthcare surcharge (or are exempt from paying it)\n\n- your visa or immigration application is granted\n\nYou\u2019ll still need to pay for certain types of services, such as prescriptions, dental treatment, eye tests and assisted conception.\n\nWhen you access healthcare in the UK, you may need to:\n\n- provide your biometric residence permit, if you have one\n\n- prove your status online using a share code, if you have a digital immigration status\n\n## Who needs to pay\n\nYou usually need to pay the healthcare surcharge if you\u2019re applying for a visa or immigration application:\n\n- for more than 6 months, if you\u2019re applying outside the UK\n\n- for any length of time, if you\u2019re applying inside the UK\n\nYou do not need to pay if you\u2019re applying for a visitor visa or to remain in the UK permanently.\n\nYou still need to pay even if you have private medical insurance.\n\n## Who only needs an IHS reference number\n\nYou still need to use the payment service to get an immigration health surcharge (IHS) reference number but you will not need to pay if:\n\n- you\u2019re a child under 18 who has been taken into care by a local authority\n\n- you\u2019re a relevant civilian employee at NATO or the Australian Department of Defence in the UK (or you\u2019re their dependant)\n\nThe service will tell you that you do not have to pay anything and will give you your healthcare surcharge reference number for your application.\n\nYou\u2019ll be able to use the National Health Service (NHS) even if you\u2019re exempt from paying.\n\n## Who does not need to pay or get an IHS reference number\n\nYou\u2019ll be able to use the NHS without paying the surcharge or getting a reference number if:\n\n- you\u2019re applying for indefinite leave to enter or remain\n\n- you\u2019re a health and care worker who is eligible for a Health and Care Worker visa (or you\u2019re their dependant)\n\n- you\u2019re applying to the EU Settlement Scheme\n\n- you\u2019re a diplomat or a member of a visiting armed forces and not subject to immigration control\n\n- you\u2019re a dependant of a member of the UK\u2019s armed forces\n\n- you\u2019re the dependant of a member of another country\u2019s armed forces who is exempt from immigration control\n\n- you\u2019re applying for a visa for the Isle of Man or Channel Islands\n\n- you\u2019re a British Overseas Territory citizen resident in the Falkland Islands\n\n- you\u2019re an asylum seeker or applying for humanitarian protection (or you\u2019re their dependant)\n\n- you\u2019re a domestic worker who has been identified as a victim of slavery or human trafficking\n\n- you\u2019re applying for discretionary leave to remain in the UK as someone who has been identified as a victim of slavery or human trafficking (or you\u2019re their dependant)\n\n- the Home Office\u2019s domestic violence concession applies to you (or you\u2019re their dependant)\n\n- being made to leave the UK would be against your rights under Article 3 of the European Convention of Human Rights (or you\u2019re their dependant)\n\n- you\u2019re an S2 Healthcare Visitor\n\n- you\u2019re eligible for a Frontier Worker permit and have an S1 certificate\n\nYou need to pay the healthcare surcharge if you apply for indefinite leave to remain but are only given limited leave. You\u2019ll need to pay before you\u2019re given the leave.\n\n## Visitor visas and short-term visas\n\nYou do not need to pay the surcharge or get an IHS reference number if you\u2019re applying for a:\n\n- visitor visa\n\n- visa for 6 months or less from outside the UK\n\nYou will need to pay for any NHS care you get at the point you use it - unless it\u2019s a service that\u2019s free.\n\n## How much you have to pay\n\nYou\u2019ll have to pay:\n\n- \u00a3470 per year for a student or Youth Mobility Scheme visa, for example \u00a3940 for a 2-year visa\n\n- \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application\n\n- \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa\n\nDependants aged 18 or over usually need to pay the same amount as you.\n\nThe exact amount you have to pay depends on how much leave you\u2019re granted. Calculate how much you\u2019ll have to pay before you apply.\n\nYou\u2019ll pay half of the yearly amount if your application includes part of a year that is less than 6 months.\n\nYou\u2019ll pay for a whole year if your application includes part of a year that is more than 6 months.\n\nYou\u2019ll automatically get a partial refund if you paid the healthcare surcharge for more years than you were granted leave.\n\n## When you must pay\n\nIf you apply for a visa online, you pay the surcharge as part of the application.\n\nIf you apply for a visa by post, you must pay the surcharge online before you send your application. You\u2019ll need to include your IHS reference number on the application form.\n\n## If you do not pay\n\nYou\u2019ll get an email from UK Visas and Immigration if you do not pay the surcharge (or do not pay enough) as part of your visa or immigration application.\n\nCheck your junk folder if you cannot see the email in your inbox.\n\nOnce you get the email, you must pay the surcharge within:\n\n- 10 working days if you\u2019re inside the UK\n\n- 7 working days if you\u2019re outside the UK\n\nYour visa or immigration application will be turned down if you do not pay the full amount in this time.\n\n## Pay the healthcare surcharge\n\nIf you\u2019re making an immigration application online you pay the healthcare surcharge as part of the application process. You must complete the payment and return to the online immigration application in less than 30 minutes.\n\nIf you\u2019re making an immigration application by post you must pay the healthcare surcharge before you complete your application.\n\nYou must pay the healthcare surcharge by debit or credit card.\n\nIf you\u2019re applying online, you\u2019ll be asked for:\n\n- the start and end dates on your certificate of sponsorship, if you have one\n\n- your course dates, if you\u2019re applying as a student\n\nIf you\u2019re applying by post, you\u2019ll also be asked for:\n\n- the type of visa you\u2019re applying for\n\n- your passport or travel document number\n\n- an email address\n\nPay now\n\nYou need to pay by cash at the UK embassy if you\u2019re in the Democratic People\u2019s Republic of Korea.\n\n## Family members\n\nYou\u2019ll need the same information that you used to pay for:\n\n- any person applying for a visa or other immigration application with you, for example a dependant\n\n- any person you\u2019re applying to join or remain who is already in the UK (you do not need to add this person\u2019s details if they are a UK or EEA citizen)\n\nYou\u2019ll also need their leave expiry date if you\u2019re joining someone in the UK (or IHS reference number if they have one).\n\n## Finish your visa or immigration application\n\n- You\u2019ll be sent an email with an IHS reference number. This will also be shown on screen when you\u2019ve paid. You can only use this number once - you\u2019ll need to get another one if you reapply.\n\n- You\u2019ll need to write this on the cover of your visa application if you\u2019re applying by post. You need this reference even if you\u2019re exempt from paying the healthcare surcharge.\n\n- Finish your application form and pay your visa or immigration application fee.\n\n## Refunds\n\nYou\u2019ll get a full immigration health surcharge (IHS) refund if:\n\n- you paid twice\n\n- your visa application is refused\n\n- you withdraw your visa application\n\nYou\u2019ll get a partial IHS refund if your visa application\u2019s successful but:\n\n- you get less time on your visa than you asked for\n\n- any dependants on your visa application are refused\n\nIf you are due a full or partial refund for these reasons, you do not have to do anything to get it. It will be automatically paid to the account or card you paid with.\n\nYou will not get a refund if:\n\n- your visa application is successful but you do not come to the UK\n\n- you leave the UK before your visa ends, for example to make a new application\n\n- you\u2019re told to leave the UK before your visa expires\n\n- you\u2019re applying for indefinite leave to remain\n\n## If your healthcare is paid for by an EU country\n\nYou may get a full or partial IHS refund if you have an S1 certificate registered with the NHS Business Services Authority.\n\nYou can also apply for a full or partial IHS refund if all of the following are true:\n\n- you\u2019re a full-time student in UK higher education\n\n- your visa started on or after 1 January 2021\n\n- you have a European Healthcare Insurance Card (EHIC) issued in an EU country\n\n- you do not work\n\nIf you\u2019re claiming as a full-time student with an EHIC, you can apply for a refund of the IHS you paid to cover any period starting on or after 1 January 2021. Applications open from 1 January 2022.\n\nThe amount you\u2019re refunded will depend on the date your S1 certificate or EHIC runs out.\n\nFind out more about applying for a refund.\n\n## If you work in health and care\n\nYou and your dependants may be able to get a refund of the IHS if you work in health and care.\n\nCheck if you\u2019re eligible for a refund as a health or care worker.\n\n## How long it takes\n\nYou usually get your refund within 6 weeks of getting a decision on your visa application. It can take longer if you appeal or ask for an administrative review after your visa application is refused.\n\n## If you appeal or ask for an administrative review\n\nIf you applied from:\n\n- inside the UK - you\u2019ll get your refund up to 6 weeks after your appeal or administrative review is dismissed\n\n- outside the UK - you\u2019ll get your refund up to 6 weeks after your visa application is refused\n\nYou\u2019ll have to repay the IHS if your appeal or administrative review is successful and you\u2019ve already got your IHS refund.\n\nYou might have to repay a different amount if:\n\n- the length of your stay changes\n\n- you get less time on your visa than you asked for\n\nContact UK Visas and Immigration (UKVI) if your refund is not paid within 6 weeks.", + "original_contents": [ + "

    Overview

    ", + "

    You might need to pay a healthcare surcharge (called the \u2018immigration health surcharge\u2019 or IHS) as part of your immigration application.

    ", + "

    Whether you need to pay depends on the immigration status you\u2019re applying for.

    ", + "

    When you must pay

    ", + "

    If you\u2019re making your immigration application online, you pay the surcharge as part of your application or when you book an appointment.

    ", + "

    If you\u2019re applying by post, you pay the surcharge online before you send your application. You\u2019ll need to include the IHS reference number on your application form.

    ", + "

    When you can start to use the NHS

    ", + "

    You can start using the National Health Service (NHS) when both:

    ", + "
  • you\u2019ve paid the healthcare surcharge (or are exempt from paying it)
  • ", + "
  • your visa or immigration application is granted
  • ", + "

    You\u2019ll still need to pay for certain types of services, such as prescriptions, dental treatment, eye tests and assisted conception.

    ", + "

    When you access healthcare in the UK, you may need to:

    ", + "
  • provide your biometric residence permit, if you have one
  • ", + "
  • prove your status online using a share code, if you have a digital immigration status
  • ", + "

    Who needs to pay

    ", + "

    You usually need to pay the healthcare surcharge if you\u2019re applying for a visa or immigration application:

    ", + "
  • for more than 6 months, if you\u2019re applying outside the UK
  • ", + "
  • for any length of time, if you\u2019re applying inside the UK
  • ", + "

    You do not need to pay if you\u2019re applying for a visitor visa or to remain in the UK permanently.

    ", + "

    You still need to pay even if you have private medical insurance.

    ", + "

    Who only needs an IHS reference number

    ", + "

    You still need to use the payment service to get an immigration health surcharge (IHS) reference number but you will not need to pay if:

    ", + "
  • you\u2019re a child under 18 who has been taken into care by a local authority
  • ", + "
  • you\u2019re a relevant civilian employee at NATO or the Australian Department of Defence in the UK (or you\u2019re their dependant)
  • ", + "

    The service will tell you that you do not have to pay anything and will give you your healthcare surcharge reference number for your application.

    ", + "

    You\u2019ll be able to use the National Health Service (NHS) even if you\u2019re exempt from paying.

    ", + "

    Who does not need to pay or get an IHS reference number

    ", + "

    You\u2019ll be able to use the NHS without paying the surcharge or getting a reference number if:

    ", + "
  • you\u2019re applying for indefinite leave to enter or remain
  • ", + "
  • you\u2019re a health and care worker who is eligible for a Health and Care Worker visa (or you\u2019re their dependant)
  • ", + "
  • you\u2019re applying to the EU Settlement Scheme
  • ", + "
  • you\u2019re a diplomat or a member of a visiting armed forces and not subject to immigration control
  • ", + "
  • you\u2019re a dependant of a member of the UK\u2019s armed forces
  • ", + "
  • you\u2019re the dependant of a member of another country\u2019s armed forces who is exempt from immigration control
  • ", + "
  • you\u2019re applying for a visa for the Isle of Man or Channel Islands
  • ", + "
  • you\u2019re a British Overseas Territory citizen resident in the Falkland Islands
  • ", + "
  • you\u2019re an asylum seeker or applying for humanitarian protection (or you\u2019re their dependant)
  • ", + "
  • you\u2019re a domestic worker who has been identified as a victim of slavery or human trafficking
  • ", + "
  • you\u2019re applying for discretionary leave to remain in the UK as someone who has been identified as a victim of slavery or human trafficking (or you\u2019re their dependant)
  • ", + "
  • the Home Office\u2019s domestic violence concession applies to you (or you\u2019re their dependant)
  • ", + "
  • being made to leave the UK would be against your rights under Article 3 of the European Convention of Human Rights (or you\u2019re their dependant)
  • ", + "
  • you\u2019re an S2 Healthcare Visitor
  • ", + "
  • you\u2019re eligible for a Frontier Worker permit and have an S1 certificate
  • ", + "

    You need to pay the healthcare surcharge if you apply for indefinite leave to remain but are only given limited leave. You\u2019ll need to pay before you\u2019re given the leave.

    ", + "

    Visitor visas and short-term visas

    ", + "

    You do not need to pay the surcharge or get an IHS reference number if you\u2019re applying for a:

    ", + "
  • visitor visa
  • ", + "
  • visa for 6 months or less from outside the UK
  • ", + "

    You will need to pay for any NHS care you get at the point you use it - unless it\u2019s a service that\u2019s free.

    ", + "

    How much you have to pay

    ", + "

    You\u2019ll have to pay:

    ", + "
  • \u00a3470 per year for a student or Youth Mobility Scheme visa, for example \u00a3940 for a 2-year visa
  • ", + "
  • \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application
  • ", + "
  • \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa
  • ", + "

    Dependants aged 18 or over usually need to pay the same amount as you.

    ", + "

    The exact amount you have to pay depends on how much leave you\u2019re granted. Calculate how much you\u2019ll have to pay before you apply.

    ", + "

    You\u2019ll pay half of the yearly amount if your application includes part of a year that is less than 6 months.

    ", + "

    You\u2019ll pay for a whole year if your application includes part of a year that is more than 6 months.

    ", + "

    You\u2019ll automatically get a partial refund if you paid the healthcare surcharge for more years than you were granted leave.

    ", + "

    When you must pay

    ", + "

    If you apply for a visa online, you pay the surcharge as part of the application.

    ", + "

    If you apply for a visa by post, you must pay the surcharge online before you send your application. You\u2019ll need to include your IHS reference number on the application form.

    ", + "

    If you do not pay

    ", + "

    You\u2019ll get an email from UK Visas and Immigration if you do not pay the surcharge (or do not pay enough) as part of your visa or immigration application.

    ", + "

    Check your junk folder if you cannot see the email in your inbox.

    ", + "

    Once you get the email, you must pay the surcharge within:

    ", + "
  • 10 working days if you\u2019re inside the UK
  • ", + "
  • 7 working days if you\u2019re outside the UK
  • ", + "

    Your visa or immigration application will be turned down if you do not pay the full amount in this time.

    ", + "

    Pay the healthcare surcharge

    ", + "

    If you\u2019re making an immigration application online you pay the healthcare surcharge as part of the application process. You must complete the payment and return to the online immigration application in less than 30 minutes.

    ", + "

    If you\u2019re making an immigration application by post you must pay the healthcare surcharge before you complete your application.

    ", + "

    You must pay the healthcare surcharge by debit or credit card.

    ", + "

    If you\u2019re applying online, you\u2019ll be asked for:

    ", + "
  • the start and end dates on your certificate of sponsorship, if you have one
  • ", + "
  • your course dates, if you\u2019re applying as a student
  • ", + "

    If you\u2019re applying by post, you\u2019ll also be asked for:

    ", + "
  • the type of visa you\u2019re applying for
  • ", + "
  • your passport or travel document number
  • ", + "
  • an email address
  • ", + "

    Pay now

    ", + "

    You need to pay by cash at the UK embassy if you\u2019re in the Democratic People\u2019s Republic of Korea.

    ", + "

    Family members

    ", + "

    You\u2019ll need the same information that you used to pay for:

    ", + "
  • any person applying for a visa or other immigration application with you, for example a dependant
  • ", + "
  • any person you\u2019re applying to join or remain who is already in the UK (you do not need to add this person\u2019s details if they are a UK or EEA citizen)
  • ", + "

    You\u2019ll also need their leave expiry date if you\u2019re joining someone in the UK (or IHS reference number if they have one).

    ", + "

    Finish your visa or immigration application

    ", + "
  • You\u2019ll be sent an email with an IHS reference number. This will also be shown on screen when you\u2019ve paid. You can only use this number once - you\u2019ll need to get another one if you reapply.
  • ", + "
  • You\u2019ll need to write this on the cover of your visa application if you\u2019re applying by post. You need this reference even if you\u2019re exempt from paying the healthcare surcharge.
  • ", + "
  • Finish your application form and pay your visa or immigration application fee.
  • ", + "

    Refunds

    ", + "

    You\u2019ll get a full immigration health surcharge (IHS) refund if:

    ", + "
  • you paid twice
  • ", + "
  • your visa application is refused
  • ", + "
  • you withdraw your visa application
  • ", + "

    You\u2019ll get a partial IHS refund if your visa application\u2019s successful but:

    ", + "
  • you get less time on your visa than you asked for
  • ", + "
  • any dependants on your visa application are refused
  • ", + "

    If you are due a full or partial refund for these reasons, you do not have to do anything to get it. It will be automatically paid to the account or card you paid with.

    ", + "

    You will not get a refund if:

    ", + "
  • your visa application is successful but you do not come to the UK
  • ", + "
  • you leave the UK before your visa ends, for example to make a new application
  • ", + "
  • you\u2019re told to leave the UK before your visa expires
  • ", + "
  • you\u2019re applying for indefinite leave to remain
  • ", + "

    If your healthcare is paid for by an EU country

    ", + "

    You may get a full or partial IHS refund if you have an S1 certificate registered with the NHS Business Services Authority.

    ", + "

    You can also apply for a full or partial IHS refund if all of the following are true:

    ", + "
  • you\u2019re a full-time student in UK higher education
  • ", + "
  • your visa started on or after 1 January 2021
  • ", + "
  • you have a European Healthcare Insurance Card (EHIC) issued in an EU country
  • ", + "
  • you do not work
  • ", + "

    If you\u2019re claiming as a full-time student with an EHIC, you can apply for a refund of the IHS you paid to cover any period starting on or after 1 January 2021. Applications open from 1 January 2022.

    ", + "

    The amount you\u2019re refunded will depend on the date your S1 certificate or EHIC runs out.

    ", + "

    Find out more about applying for a refund.

    ", + "

    If you work in health and care

    ", + "

    You and your dependants may be able to get a refund of the IHS if you work in health and care.

    ", + "

    Check if you\u2019re eligible for a refund as a health or care worker.

    ", + "

    How long it takes

    ", + "

    You usually get your refund within 6 weeks of getting a decision on your visa application. It can take longer if you appeal or ask for an administrative review after your visa application is refused.

    ", + "

    If you appeal or ask for an administrative review

    ", + "

    If you applied from:

    ", + "
  • inside the UK - you\u2019ll get your refund up to 6 weeks after your appeal or administrative review is dismissed
  • ", + "
  • outside the UK - you\u2019ll get your refund up to 6 weeks after your visa application is refused
  • ", + "

    You\u2019ll have to repay the IHS if your appeal or administrative review is successful and you\u2019ve already got your IHS refund.

    ", + "

    You might have to repay a different amount if:

    ", + "
  • the length of your stay changes
  • ", + "
  • you get less time on your visa than you asked for
  • ", + "

    Contact UK Visas and Immigration (UKVI) if your refund is not paid within 6 weeks.

    " + ] + }, + "https://www.gov.uk/faster-decision-visa-settlement": { + "url": "https://www.gov.uk/faster-decision-visa-settlement", + "title": "Get a faster decision on your visa or settlement application", + "content": "## Applying from inside the UK\n\nYou may be able to pay for a faster decision on a visa or settlement (\u2018indefinite leave to remain\u2019) application if you\u2019re applying from inside the UK.\n\nBecause of coronavirus (COVID-19), you can currently only pay for a faster decision on certain visas.\n\n## To get a decision within 5 working days\n\nIf you\u2019re eligible you can choose the \u2018priority service\u2019 when you apply. It costs \u00a3500 in addition to the application fee.\n\nA decision will be made within 5 working days of your UK Visa and Citizen Application Services (UKVCAS) appointment.\n\n## To get a decision by the end of the next working day\n\nIf you\u2019re eligible you can choose the \u2018super priority service\u2019 when you apply. It costs \u00a3800 in addition to the application fee.\n\nA decision will be made:\n\n- by the end of the next working day after your appointment, if your appointment is on a weekday\n\n- 2 working days after your appointment, if your appointment is at the weekend or on a bank holiday\n\nWorking days are Monday to Friday, not including bank holidays.\n\n## After you\u2019ve applied\n\nYou\u2019ll get an email followed by a decision letter (either in the post or by email).\n\nIf your application is approved, the email will let you know the outcome. If your application is refused, the outcome will not be mentioned in the email.\n\n## When you might wait longer for a decision\n\nYou might wait longer for a decision if you need to provide more information. You\u2019ll be told how and when to provide it.\n\n## When you\u2019ll get your biometric residence permit\n\nYou\u2019ll usually receive your biometric residence permit (BRP) within 7 to 10 days of your decision. If it does not arrive, you can report your missing BRP online.\n\nYour BRP will be sent to the address you gave in your application. You need to update your address before your application is approved if you want it sent elsewhere.\n\n## Eligible visas when applying from inside the UK\n\nYou can apply for a faster decision on certain visa applications or applications to settle in the UK.\n\nThese tables list the eligible applications and whether you can pay to get a faster decision:\n\n- within 5 working days\n\n- by the end of the next working day\n\nBecause of coronavirus (COVID-19) there\u2019s a limit on how many people can apply for a faster decision. If you are not offered the option to apply for a faster decision, you can still complete a standard application.\n\n## Eligible visa applications\n\n| | Decision available within 5 working days | Decision available by the end of the next working day |\n\n| Child student visa | Yes | Yes |\n\n| Global Talent visa | Yes | Yes |\n\n| Health and Care Worker visa | Yes | Yes |\n\n| Innovator visa | Yes | Yes |\n\n| Intra-company visas | Yes | Yes |\n\n| Investor visa (Tier 1) | Yes | No |\n\n| Minister of Religion visa (T2) | Yes | Yes |\n\n| Skilled Worker visa | Yes | Yes |\n\n| Sportsperson visa (T2) | Yes | Yes |\n\n| Start-up visa | Yes | Yes |\n\n| Student visa | Yes | Yes |\n\n| Temporary Worker - Charity Worker visa (T5) | Yes | Yes |\n\n| Temporary Worker - Creative and Sporting visa (T5) | Yes | Yes |\n\n| Temporary Worker - Government Authorised Exchange visa (T5) | Yes | Yes |\n\n| Temporary Worker \u2013 International Agreement Worker visa (T5) | Yes | Yes |\n\n| Temporary Worker - Religious Worker visa (T5) | Yes | Yes |\n\n| Temporary Worker - Seasonal Worker visa (T5) | Yes | Yes |\n\n| Applying as the dependent child or partner on a work, student, global talent, start up or innovator visa | Yes | Yes |\n\n| Applying as the dependent child or partner on an investor visa | Yes | No |\n\n| Applying on the basis of family life as a partner, parent or dependent child or on the basis of private life in the UK (through form FLR(FP) or form FLR(M)) | No | Yes |\n\n| Applying for human rights claims, leave outside the rules and other routes through form FLR(HRO) | No | Yes |\n\n| Applying for other routes through form FLR(IR) | No | Yes |\n\n## Eligible applications to settle in the UK\n\n| | Decision available within 5 working days | Decision available by the end of the next working day |\n\n| Application to settle on the basis of UK Ancestry (through form SET(O)) | No | Yes |\n\n| Application to settle as a former member of HM Forces (through form SET(AF)) | No | Yes |\n\n| Application to settle as a child under 18 (through form SET(F)) | No | Yes |\n\n| Application to settle if you\u2019ve been in the UK legally for 10 continuous years (known as \u2018long residence\u2019) | No | Yes |\n\n| Application to settle if you work, establish a business or invest in the UK (through form SET(O)) | Yes | Yes |\n\n| Application to settle as the dependent child or partner if you work, establish a business or invest in the UK | Yes | Yes |\n\n| Application to settle as the partner of a person, or parent of a child, who is present and settled in the UK (through form SET(M)) | No | Yes |\n\n## Applying from outside the UK\n\nWhether you can apply for a faster decision on a visa or settlement (\u2018indefinite leave to remain\u2019) application depends on which country you\u2019re applying from.\n\nBecause of coronavirus (COVID-19), you can only pay for a faster decision through some visa application centres. Check with the visa application centre you\u2019re applying through.\n\nThey\u2019ll let you know if you can apply to get a decision:\n\n- within 5 working days (\u2018priority service\u2019)\n\n- by the end of the next working day (\u2018super priority service\u2019)\n\nThey\u2019ll also tell you what will happen after you\u2019ve applied.\n\n## If you\u2019re applying from Europe, Africa or some Middle Eastern countries\n\nTo find out if you can get a faster decision through your visa application centre, select the country you\u2019re applying from on the TLScontact list (and the right centre, if there\u2019s more than one). Then check the \u2018Added Value Services\u2019 section of the page for that centre to see if the option is available.\n\nThe Middle Eastern countries on this list are:\n\n- Jordan\n\n- Israel\n\n## If you\u2019re applying from somewhere else\n\nTo find out if you can get a faster decision through your visa application centre, select the country you\u2019re applying from on the VFS global website. Then check the \u2018premium services\u2019 page for your nearest centre to see if the option is available.\n\nIf you cannot find the information, you can email VFS.", + "original_contents": [ + "

    Applying from inside the UK

    ", + "

    You may be able to pay for a faster decision on a visa or settlement (\u2018indefinite leave to remain\u2019) application if you\u2019re applying from inside the UK.

    ", + "

    Because of coronavirus (COVID-19), you can currently only pay for a faster decision on certain visas.

    ", + "

    To get a decision within 5 working days

    ", + "

    If you\u2019re eligible you can choose the \u2018priority service\u2019 when you apply. It costs \u00a3500 in addition to the application fee.

    ", + "

    A decision will be made within 5 working days of your UK Visa and Citizen Application Services (UKVCAS) appointment.

    ", + "

    To get a decision by the end of the next working day

    ", + "

    If you\u2019re eligible you can choose the \u2018super priority service\u2019 when you apply. It costs \u00a3800 in addition to the application fee.

    ", + "

    A decision will be made:

    ", + "
  • by the end of the next working day after your appointment, if your appointment is on a weekday
  • ", + "
  • 2 working days after your appointment, if your appointment is at the weekend or on a bank holiday
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    After you\u2019ve applied

    ", + "

    You\u2019ll get an email followed by a decision letter (either in the post or by email).

    ", + "

    If your application is approved, the email will let you know the outcome. If your application is refused, the outcome will not be mentioned in the email.

    ", + "

    When you might wait longer for a decision

    ", + "

    You might wait longer for a decision if you need to provide more information. You\u2019ll be told how and when to provide it.

    ", + "

    When you\u2019ll get your biometric residence permit

    ", + "

    You\u2019ll usually receive your biometric residence permit (BRP) within 7 to 10 days of your decision. If it does not arrive, you can report your missing BRP online.

    ", + "

    Your BRP will be sent to the address you gave in your application. You need to update your address before your application is approved if you want it sent elsewhere.

    ", + "

    Eligible visas when applying from inside the UK

    ", + "

    You can apply for a faster decision on certain visa applications or applications to settle in the UK.

    ", + "

    These tables list the eligible applications and whether you can pay to get a faster decision:

    ", + "
  • within 5 working days
  • ", + "
  • by the end of the next working day
  • ", + "

    Because of coronavirus (COVID-19) there\u2019s a limit on how many people can apply for a faster decision. If you are not offered the option to apply for a faster decision, you can still complete a standard application.

    ", + "

    Eligible visa applications

    ", + " | Decision available within 5 working days | Decision available by the end of the next working day", + "Child student visa | Yes | Yes", + "Global Talent visa | Yes | Yes", + "Health and Care Worker visa | Yes | Yes", + "Innovator visa | Yes | Yes", + "Intra-company visas | Yes | Yes", + "Investor visa (Tier 1) | Yes | No", + "Minister of Religion visa (T2) | Yes | Yes", + "Skilled Worker visa | Yes | Yes", + "Sportsperson visa (T2) | Yes | Yes", + "Start-up visa | Yes | Yes", + "Student visa | Yes | Yes", + "Temporary Worker - Charity Worker visa (T5) | Yes | Yes", + "Temporary Worker - Creative and Sporting visa (T5) | Yes | Yes", + "Temporary Worker - Government Authorised Exchange visa (T5) | Yes | Yes", + "Temporary Worker \u2013 International Agreement Worker visa (T5) | Yes | Yes", + "Temporary Worker - Religious Worker visa (T5) | Yes | Yes", + "Temporary Worker - Seasonal Worker visa (T5) | Yes | Yes", + "Applying as the dependent child or partner on a work, student, global talent, start up or innovator visa | Yes | Yes", + "Applying as the dependent child or partner on an investor visa | Yes | No", + "Applying on the basis of family life as a partner, parent or dependent child or on the basis of private life in the UK (through form FLR(FP) or form FLR(M)) | No | Yes", + "Applying for human rights claims, leave outside the rules and other routes through form FLR(HRO) | No | Yes", + "Applying for other routes through form FLR(IR) | No | Yes", + "

    Eligible applications to settle in the UK

    ", + " | Decision available within 5 working days | Decision available by the end of the next working day", + "Application to settle on the basis of UK Ancestry (through form SET(O)) | No | Yes", + "Application to settle as a former member of HM Forces (through form SET(AF)) | No | Yes", + "Application to settle as a child under 18 (through form SET(F)) | No | Yes", + "Application to settle if you\u2019ve been in the UK legally for 10 continuous years (known as \u2018long residence\u2019) | No | Yes", + "Application to settle if you work, establish a business or invest in the UK (through form SET(O)) | Yes | Yes", + "Application to settle as the dependent child or partner if you work, establish a business or invest in the UK | Yes | Yes", + "Application to settle as the partner of a person, or parent of a child, who is present and settled in the UK (through form SET(M)) | No | Yes", + "

    Applying from outside the UK

    ", + "

    Whether you can apply for a faster decision on a visa or settlement (\u2018indefinite leave to remain\u2019) application depends on which country you\u2019re applying from.

    ", + "

    Because of coronavirus (COVID-19), you can only pay for a faster decision through some visa application centres. Check with the visa application centre you\u2019re applying through.

    ", + "

    They\u2019ll let you know if you can apply to get a decision:

    ", + "
  • within 5 working days (\u2018priority service\u2019)
  • ", + "
  • by the end of the next working day (\u2018super priority service\u2019)
  • ", + "

    They\u2019ll also tell you what will happen after you\u2019ve applied.

    ", + "

    If you\u2019re applying from Europe, Africa or some Middle Eastern countries

    ", + "

    To find out if you can get a faster decision through your visa application centre, select the country you\u2019re applying from on the TLScontact list (and the right centre, if there\u2019s more than one). Then check the \u2018Added Value Services\u2019 section of the page for that centre to see if the option is available.

    ", + "

    The Middle Eastern countries on this list are:

    ", + "
  • Jordan
  • ", + "
  • Israel
  • ", + "

    If you\u2019re applying from somewhere else

    ", + "

    To find out if you can get a faster decision through your visa application centre, select the country you\u2019re applying from on the VFS global website. Then check the \u2018premium services\u2019 page for your nearest centre to see if the option is available.

    ", + "

    If you cannot find the information, you can email VFS.

    " + ] + }, + "https://www.gov.uk/biometric-residence-permits": { + "url": "https://www.gov.uk/biometric-residence-permits", + "title": "Biometric residence permits (BRPs)", + "content": "## What a BRP is\n\nA biometric residence permit (BRP) can be used to confirm your:\n\n- identity\n\n- right to study or work in the UK\n\n- right to any public services or benefits you\u2019re entitled to\n\nYou\u2019ll usually get a BRP if you:\n\n- apply to come to the UK for longer than 6 months\n\n- extend your visa to longer than 6 months\n\n- apply to settle in the UK\n\n- transfer your visa to a new passport\n\n- apply for certain Home Office travel documents\n\nYou do not have to apply separately for a BRP.\n\nYou will not get a BRP if you use the \u2018UK Immigration: ID Check\u2019 app to prove your identity when applying for your visa. You\u2019ll get a digital immigration status instead.\n\n## What\u2019s on your BRP\n\nYour BRP will include:\n\n- your name, date and place of birth\n\n- your fingerprints and a photo of your face (this is your biometric information)\n\n- your immigration status and any conditions of your stay\n\n- whether you can access public funds, for example benefits and health services\n\nYou may have a National Insurance (NI) number printed on the back of your BRP. Not all BRPs have this - it depends on factors like the date it was issued and your visa status.\n\nYou\u2019ll need to apply for an NI number if all of the following apply:\n\n- there is not one on your BRP\n\n- you do not already have one\n\n- you\u2019re planning to work, claim benefits, apply for a student loan or pay Class 3 voluntary National Insurance contributions\n\n## Guidance\n\nRead the guidance about biometric residence permits if you\u2019re applying from:\n\n- inside the UK\n\n- outside the UK\n\n## Give your fingerprints and photo\n\nYou\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) if you\u2019re getting a biometric residence permit (BRP) as part of your visa or immigration application.\n\nYou need to:\n\n- have a digital photo taken of your face\n\n- put your fingers on a glass screen to be scanned\n\nThe process takes less than 5 minutes and does not involve any ink or mess. You will not need to take off your head covering if you wear it for religious or medical reasons.\n\nIf you do not have any fingers you only need to have a digital photo taken of your face. It will be noted on your records that you\u2019re physically unable to provide fingerprints.\n\n## What children need to do when they give their biometric information\n\nChildren under 16 must be accompanied by a parent, guardian or someone over 18 who has legal responsibility for them.\n\nChildren do not need to give their fingerprints if they are under 5 when they apply.\n\n## Where to provide your biometric information\n\nWhere you give your biometric information depends on how you\u2019re making your visa or immigration application.\n\nIf you\u2019re applying from within the UK, you\u2019ll usually go to one of the following:\n\n- a UK Visa and Citizenship Application Services (UKVCAS) service point\n\n- a Service and Support Centre (SSC)\n\n- a Post Office branch\n\nIf you\u2019re outside the UK, you\u2019ll be asked to go to a visa application centre.\n\nMost overseas UK visa application centres are open, but some are closed until further notice because of coronavirus (COVID-19). Check with your local visa application centre for the latest information on the services they\u2019re offering.\n\nIf you\u2019re applying to extend your stay or switch to a different visa, you must be in the UK to provide your biometric information.\n\n## Fee\n\nIt costs \u00a319.20 to give your biometric information (or reuse it if you\u2019ve provided it before) if you apply from within the UK.\n\nIf you apply from outside the UK the cost is included in your application fee.\n\n## Getting your BRP\n\nHow you get your biometric residence permit (BRP) depends on where you made your visa or immigration application.\n\n## If you applied from inside the UK\n\nYour BRP will be sent to you by courier. You do not need to collect it.\n\nYou\u2019ll usually receive it within 7 to 10 days of getting your \u2018decision letter\u2019 from the Home Office saying that you can remain in the UK.\n\nFind out what to do if your BRP has not arrived within 10 days.\n\nYour BRP will be sent to the address you gave in your application. If you want it to be sent elsewhere, you need to\u00a0update your address\u00a0before you receive your decision letter.\n\n## If you applied from outside the UK\n\nCollect your BRP once you\u2019re in the UK.\n\nYou must usually do this before the vignette sticker in your travel document expires or within 10 days of arriving in the UK, whichever is later.\n\nDo not collect your BRP if you\u2019re self-isolating because of coronavirus (COVID-19). The Post Office will keep your BRP for 90 days. Collect it when you finish self-isolating.\n\nCheck your decision letter. It will tell you to collect your BRP from either:\n\n- a named Post Office branch\n\n- your sponsor, if you chose this option when you applied\n\nYou must be over 18 to collect a BRP.\n\nIf your Post Office branch is closed because of coronavirus, your BRP will be stored safely until it reopens. Contact your Post Office for more information.\n\n## What you\u2019ll need\n\nBring your passport or travel document with your vignette sticker in when you collect your BRP.\n\nYou\u2019ll get your vignette sticker when your visa application is approved. You have permission to come to the UK within 90 days of getting it.\n\n## Collecting a child\u2019s BRP\n\nYou must be nominated to collect a child\u2019s BRP, even if you\u2019re the child\u2019s parent.\n\nThe Home Office will contact you if you\u2019re approved to collect the child\u2019s BRP.\n\nIt\u2019s currently taking over 30 days to approve requests to collect a BRP on behalf of a child. This is because of coronavirus.\n\nIf the child needs to leave and re-enter the UK before you\u2019re approved to collect their BRP, apply for a \u2018replacement BRP visa\u2019. This will let them re-enter the UK once only. It costs \u00a3154.\n\nYou do not need to be nominated if you\u2019re also collecting your own BRP and you are named on your child\u2019s vignette sticker.\n\n## Collecting your BRP from a different Post Office branch\n\nYou can choose to pick up your BRP from a different Post Office branch. You\u2019ll need to arrange this at the branch and pay a fee.\n\nCheck that the Post Office branch you want to use offers a \u2018BRP collection service\u2019.\n\n## Nominate someone else to collect your BRP\n\nYou can nominate someone else to collect your BRP if you have a serious illness or disability that prevents you from collecting it. They must provide your passport as evidence that you\u2019ve entered the UK.\n\nYou cannot nominate someone to collect your BRP if you\u2019re self-isolating because of coronavirus. Collect it when you finish self-isolating.\n\nThe person you nominate must have one of the following:\n\n- a passport\n\n- an EU national identity card\n\n- a BRP\n\nYou can get someone to make the nomination for you, for example a legal representative, charity, employer, college or university.\n\nThe Home Office will contact you if the person you nominate is approved to collect your BRP.\n\nIt\u2019s currently taking over 30 days to approve nominations to collect a BRP on behalf of someone else. This is because of coronavirus.\n\nIf you need to leave and re-enter the UK before the person you\u2019ve nominated to collect your BRP is approved, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.\n\nIf you change your mind, you can still collect your BRP yourself or you can nominate a different person. You do not need to cancel the original nomination.\n\nNominate someone\n\n## Report a problem with collecting your BRP\n\nTell the Home Office if you cannot collect your BRP for any reason, for example:\n\n- you went to collect it from the Post Office and it was not there\n\n- you\u2019ve lost your passport or travel document, or cannot prove your identity\n\n- you do not know which Post Office to go to because you\u2019ve lost your decision letter\n\nThe Home Office will email you to tell you what to do next. It\u2019s currently taking over 30 days to respond because of coronavirus. It\u2019ll take longer if you do not give an email address.\n\nIf you need to leave and re-enter the UK before you get your BRP, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.\n\nDo not tell the Home Office that you cannot collect your BRP if you\u2019re self-isolating because of coronavirus. Collect it when you finish self-isolating.\n\nReport now\n\n## If there\u2019s a problem with your BRP\n\nReport any problems with your BRP within 10 days of collecting it.\n\n## If your BRP has not arrived\n\nYou will usually receive your biometric residence permit (BRP) within 10 days of getting your \u2018decision letter\u2019 from the Home Office if you applied from inside the UK.\n\n## Before your BRP arrives\n\nYou may be able to prove your immigration status a different way if your BRP has not arrived yet.\n\n## Prove your right to work\n\nIf the visa sticker (called a vignette) in your passport or travel document has not expired, you can use it as proof of your right to work in the UK.\n\nIf the vignette has expired, your employer can ask the Home Office to confirm your right to work.\n\n## Prove your right to rent in England\n\nIf the visa sticker (called a vignette) in your passport or travel document has not expired, you can use it as proof of your right to rent.\n\nIf the vignette has expired, your landlord can contact the Home Office to confirm your right to rent.\n\nYou do not need to prove your right to rent in Wales, Scotland or Northern Ireland.\n\n## Prove your immigration status to the government or the NHS\n\nIf you need to prove your status to get benefits or use the NHS, tell the government department, local council or NHS service you\u2019re dealing with that your BRP has not arrived. They will contact the Home Office to confirm your status.\n\n## Leave the UK\n\nIf you need to leave and re-enter the UK before you get your BRP, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.\n\nWhen you apply, you\u2019ll need to:\n\n- choose the country you\u2019re going to provide your fingerprints and photo in\n\n- confirm that you can travel to a visa application centre\n\nApply for a replacement BRP visa.\n\n## Open a bank account\n\nYou usually do not need a BRP to open a bank account. Contact the bank to check if you\u2019ll need a BRP or if you can use a different document.\n\n## If your BRP has not arrived within 10 days\n\nContact the delivery provider TNT if either:\n\n- your BRP has not arrived within 10 days of you getting your decision letter\n\n- you missed the delivery of your BRP\n\nThe delivery provider will track your BRP and rearrange delivery, if needed.\n\nYou\u2019ll need:\n\n- the postcode of the address you gave in your application\n\n- the consignment number\n\nYour consignment number is a 9 number code - you\u2019ll usually have it in an email from gov.notify and TNT.\n\nContact TNT to track or rearrange the delivery of your BRP.\n\nIf you do not have a consignment number or TNT is unable to help, tell the Home Office that your BRP has not arrived.\n\n## Tell the Home Office that your BRP has not arrived\n\nYou can contact the Home Office about your BRP delivery if:\n\n- you\u2019ve applied from inside the UK\n\n- your \u2018decision letter\u2019 from the Home Office saying that you can remain in the UK arrived more than 10 days ago\n\nYou should only contact the Home Office if either:\n\n- you have already contacted the delivery provider, and they could not help you\n\n- you do not have a consignment number to track your delivery with the delivery provider\n\nYou\u2019ll need the following information:\n\n- your full name, date of birth and nationality\n\n- an email or postal address\n\n- your decision letter\n\nYou can get someone to contact the Home Office for you, for example a legal representative, charity, employer, college or university.\n\nThe Home Office will email you to tell you what to do next. It\u2019s currently taking over 30 days to respond because of coronavirus (COVID-19). It\u2019ll take longer if you do not give an email address.\n\nDo not use this service if the delivery provider tried to deliver your BRP and left a card, or sent a text message or email. Contact them to rearrange delivery.\n\nReport now\n\n## Report a problem with your new BRP\n\nIf there\u2019s a problem with your BRP when it arrives, report it within 10 days. Otherwise you may have to apply and pay for a replacement.\n\nYou can report online if your BRP does not arrive.\n\n## Mistakes in the length or conditions of your visa\n\nIf you applied for your visa from inside the UK, you can ask for an administrative review.\n\n## If your BRP expires on 31 December 2024\n\nYou do not need to tell UKVI if your BRP expires on 31 December 2024 but you have leave to stay longer.\n\nUKVI will update their information on how to update your BRP in early 2024. You do not need to do anything and your immigration status will not be affected.\n\n## Other problems with your BRP\n\nYou can report other problems with your BRP online, for example:\n\n- there\u2019s a mistake on it, for example your name, gender or date of birth is wrong\n\n- your BRP was damaged when it arrived\n\nIf your name is long it may appear \u2018cut off\u2019 on your BRP. This is not a mistake - it is because there is limited space on the BRP card. However, if there\u2019s a spelling mistake, you must report it.\n\n## Report a problem with your BRP online\n\nYou\u2019ll need to have the following:\n\n- your BRP number\n\n- your full name, date of birth and nationality as they appear on your BRP\n\n- an email or postal address\n\nYou can get someone to report the problem for you, for example a legal representative, a charity, employer, college or university.\n\nThe Home Office will email you to tell you what to do next. It\u2019s currently taking over 30 days to respond because of coronavirus (COVID-19). It\u2019ll take longer if you do not give an email address.\n\nReport a problem\n\nIf there is a problem with your BRP and you need to leave and re-enter the UK, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.\n\n## If your BRP is lost or stolen\n\nYou can report your biometric residence permit (BRP) lost or stolen from inside or outside the UK. You can only order a replacement from inside the UK.\n\nThe Home Office will contact you within one working day of reporting it.\n\nYou can get someone to report for you, for example a legal representative, a charity, employer, college or university.\n\nYou will not be able to use your BRP if you find it after you report it lost or stolen.\n\n## If you\u2019re in the UK\n\nIf your lost or stolen BRP was valid for 3 months or more, report it and apply for a replacement. You must do this within 3 months of losing it.\n\nYou can be fined up to \u00a31,000 and made to leave the UK if you do not apply for a replacement within 3 months.\n\nIf your BRP was valid for 3 months or less, you must do one of the following:\n\n- report it as lost or stolen if you do not intend to remain in the UK after its expiry date\n\n- apply for a replacement if you plan to leave and re-enter the UK within 3 months of its expiry date\n\n- apply to extend your visa if you want to stay in the UK after its expiry date - if granted, you\u2019ll automatically get a new BRP\n\n## If you\u2019re outside the UK\n\nYou must report your lost or stolen BRP outside the UK.\n\nYou cannot apply for a replacement BRP outside the UK. Instead, you\u2019ll need to apply for a \u2018replacement BRP visa\u2019, which lets you re-enter the UK once only. It costs \u00a3154.\n\nYou can apply for a replacement BRP when you return to the UK. You must do this within 3 months of reporting it lost or stolen unless you have a good reason, for example you were unable to return to the UK in that time.\n\nIf you\u2019ve been away for over 2 years and you\u2019ve lost your documentation proving your right to live in the UK, you can apply for a Returning Resident visa.\n\nIf you\u2019re in North Korea you cannot apply for a replacement BRP visa online. Read the guidance for North Korea and use form VAF2 instead.\n\n## Replace an expired BRP\n\nHow you replace an expired BRP depends on whether you are in the UK and what type of leave you have.\n\n## If you have indefinite leave to remain or enter\n\nUse the BRP replacement service from within the UK.\n\n## If your visa is about to expire\n\nYour BRP expiry date is usually the same as the expiry date of your visa. To get a new BRP, you must first apply to extend your visa.\n\nIf it is granted, you will automatically get a new BRP. You cannot use the BRP replacement service.\n\n## If you\u2019re outside the UK\n\nYou cannot apply for a replacement BRP if it expires while you are outside the UK. Instead, you\u2019ll need to apply for a \u2018replacement BRP visa\u2019, which lets you re-enter the UK once only. It costs \u00a3154.\n\nYou can apply for a replacement BRP when you return to the UK. You must do this within 3 months of its expiry unless you have a good reason, for example you were unable to return to the UK in that time.\n\n## Replace your visa with a BRP\n\nYou can apply for a biometric residence permit (BRP) to replace the visa (or wet ink stamp) in your passport or travel document, for example if:\n\n- your passport or travel document has expired or it\u2019s been lost or stolen\n\n- the details on your visa (including your facial appearance) have changed\n\nYou must apply from inside the UK.\n\nThere\u2019s a different way to prove you can live in the UK if you\u2019re an EU citizen or related to someone from the European Economic Area (EEA) or Switzerland.\n\nThe fee and how you apply depend on your visa status.\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\n## You have permission to settle (\u2018indefinite leave to remain\u2019)\n\nYou must apply online if you have indefinite leave to remain. It costs \u00a3229. You\u2019ll get a decision within 6 months.\n\nIf you want a faster decision you can pay an extra \u00a3800 for the super priority service. You\u2019ll get a decision:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\n## You have temporary permission to stay in the UK (\u2018leave to remain\u2019)\n\nYou can apply online if you have leave to remain. It costs \u00a3161. You\u2019ll get a decision within 8 weeks.\n\nIf you want a faster decision you can pay an extra \u00a3800 for the super priority service. You\u2019ll get a decision:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\n## You\u2019re a Commonwealth citizen and do not have the documents to prove your right to stay in the UK\n\nYou may be eligible to get a BRP under the Windrush Scheme.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.", + "original_contents": [ + "

    What a BRP is

    ", + "

    A biometric residence permit (BRP) can be used to confirm your:

    ", + "
  • identity
  • ", + "
  • right to study or work in the UK
  • ", + "
  • right to any public services or benefits you\u2019re entitled to
  • ", + "

    You\u2019ll usually get a BRP if you:

    ", + "
  • apply to come to the UK for longer than 6 months
  • ", + "
  • extend your visa to longer than 6 months
  • ", + "
  • apply to settle in the UK
  • ", + "
  • transfer your visa to a new passport
  • ", + "
  • apply for certain Home Office travel documents
  • ", + "

    You do not have to apply separately for a BRP.

    ", + "

    You will not get a BRP if you use the \u2018UK Immigration: ID Check\u2019 app to prove your identity when applying for your visa. You\u2019ll get a digital immigration status instead.

    ", + "

    What\u2019s on your BRP

    ", + "

    Your BRP will include:

    ", + "
  • your name, date and place of birth
  • ", + "
  • your fingerprints and a photo of your face (this is your biometric information)
  • ", + "
  • your immigration status and any conditions of your stay
  • ", + "
  • whether you can access public funds, for example benefits and health services
  • ", + "

    You may have a National Insurance (NI) number printed on the back of your BRP. Not all BRPs have this - it depends on factors like the date it was issued and your visa status.

    ", + "

    You\u2019ll need to apply for an NI number if all of the following apply:

    ", + "
  • there is not one on your BRP
  • ", + "
  • you do not already have one
  • ", + "
  • you\u2019re planning to work, claim benefits, apply for a student loan or pay Class 3 voluntary National Insurance contributions
  • ", + "

    Guidance

    ", + "

    Read the guidance about biometric residence permits if you\u2019re applying from:

    ", + "
  • inside the UK
  • ", + "
  • outside the UK
  • ", + "

    Give your fingerprints and photo

    ", + "

    You\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) if you\u2019re getting a biometric residence permit (BRP) as part of your visa or immigration application.

    ", + "

    You need to:

    ", + "
  • have a digital photo taken of your face
  • ", + "
  • put your fingers on a glass screen to be scanned
  • ", + "

    The process takes less than 5 minutes and does not involve any ink or mess. You will not need to take off your head covering if you wear it for religious or medical reasons.

    ", + "

    If you do not have any fingers you only need to have a digital photo taken of your face. It will be noted on your records that you\u2019re physically unable to provide fingerprints.

    ", + "

    What children need to do when they give their biometric information

    ", + "

    Children under 16 must be accompanied by a parent, guardian or someone over 18 who has legal responsibility for them.

    ", + "

    Children do not need to give their fingerprints if they are under 5 when they apply.

    ", + "

    Where to provide your biometric information

    ", + "

    Where you give your biometric information depends on how you\u2019re making your visa or immigration application.

    ", + "

    If you\u2019re applying from within the UK, you\u2019ll usually go to one of the following:

    ", + "
  • a UK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • a Service and Support Centre (SSC)
  • ", + "
  • a Post Office branch
  • ", + "

    If you\u2019re outside the UK, you\u2019ll be asked to go to a visa application centre.

    ", + "

    Most overseas UK visa application centres are open, but some are closed until further notice because of coronavirus (COVID-19). Check with your local visa application centre for the latest information on the services they\u2019re offering.

    ", + "

    If you\u2019re applying to extend your stay or switch to a different visa, you must be in the UK to provide your biometric information.

    ", + "

    Fee

    ", + "

    It costs \u00a319.20 to give your biometric information (or reuse it if you\u2019ve provided it before) if you apply from within the UK.

    ", + "

    If you apply from outside the UK the cost is included in your application fee.

    ", + "

    Getting your BRP

    ", + "

    How you get your biometric residence permit (BRP) depends on where you made your visa or immigration application.

    ", + "

    If you applied from inside the UK

    ", + "

    Your BRP will be sent to you by courier. You do not need to collect it.

    ", + "

    You\u2019ll usually receive it within 7 to 10 days of getting your \u2018decision letter\u2019 from the Home Office saying that you can remain in the UK.

    ", + "

    Find out what to do if your BRP has not arrived within 10 days.

    ", + "

    Your BRP will be sent to the address you gave in your application. If you want it to be sent elsewhere, you need to\u00a0update your address\u00a0before you receive your decision letter.

    ", + "

    If you applied from outside the UK

    ", + "

    Collect your BRP once you\u2019re in the UK.

    ", + "

    You must usually do this before the vignette sticker in your travel document expires or within 10 days of arriving in the UK, whichever is later.

    ", + "

    Do not collect your BRP if you\u2019re self-isolating because of coronavirus (COVID-19). The Post Office will keep your BRP for 90 days. Collect it when you finish self-isolating.

    ", + "

    Check your decision letter. It will tell you to collect your BRP from either:

    ", + "
  • a named Post Office branch
  • ", + "
  • your sponsor, if you chose this option when you applied
  • ", + "

    You must be over 18 to collect a BRP.

    ", + "

    If your Post Office branch is closed because of coronavirus, your BRP will be stored safely until it reopens. Contact your Post Office for more information.

    ", + "

    What you\u2019ll need

    ", + "

    Bring your passport or travel document with your vignette sticker in when you collect your BRP.

    ", + "

    You\u2019ll get your vignette sticker when your visa application is approved. You have permission to come to the UK within 90 days of getting it.

    ", + "

    Collecting a child\u2019s BRP

    ", + "

    You must be nominated to collect a child\u2019s BRP, even if you\u2019re the child\u2019s parent.

    ", + "

    The Home Office will contact you if you\u2019re approved to collect the child\u2019s BRP.

    ", + "

    It\u2019s currently taking over 30 days to approve requests to collect a BRP on behalf of a child. This is because of coronavirus.

    ", + "

    If the child needs to leave and re-enter the UK before you\u2019re approved to collect their BRP, apply for a \u2018replacement BRP visa\u2019. This will let them re-enter the UK once only. It costs \u00a3154.

    ", + "

    You do not need to be nominated if you\u2019re also collecting your own BRP and you are named on your child\u2019s vignette sticker.

    ", + "

    Collecting your BRP from a different Post Office branch

    ", + "

    You can choose to pick up your BRP from a different Post Office branch. You\u2019ll need to arrange this at the branch and pay a fee.

    ", + "

    Check that the Post Office branch you want to use offers a \u2018BRP collection service\u2019.

    ", + "

    Nominate someone else to collect your BRP

    ", + "

    You can nominate someone else to collect your BRP if you have a serious illness or disability that prevents you from collecting it. They must provide your passport as evidence that you\u2019ve entered the UK.

    ", + "

    You cannot nominate someone to collect your BRP if you\u2019re self-isolating because of coronavirus. Collect it when you finish self-isolating.

    ", + "

    The person you nominate must have one of the following:

    ", + "
  • a passport
  • ", + "
  • an EU national identity card
  • ", + "
  • a BRP
  • ", + "

    You can get someone to make the nomination for you, for example a legal representative, charity, employer, college or university.

    ", + "

    The Home Office will contact you if the person you nominate is approved to collect your BRP.

    ", + "

    It\u2019s currently taking over 30 days to approve nominations to collect a BRP on behalf of someone else. This is because of coronavirus.

    ", + "

    If you need to leave and re-enter the UK before the person you\u2019ve nominated to collect your BRP is approved, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.

    ", + "

    If you change your mind, you can still collect your BRP yourself or you can nominate a different person. You do not need to cancel the original nomination.

    ", + "

    Nominate someone

    ", + "

    Report a problem with collecting your BRP

    ", + "

    Tell the Home Office if you cannot collect your BRP for any reason, for example:

    ", + "
  • you went to collect it from the Post Office and it was not there
  • ", + "
  • you\u2019ve lost your passport or travel document, or cannot prove your identity
  • ", + "
  • you do not know which Post Office to go to because you\u2019ve lost your decision letter
  • ", + "

    The Home Office will email you to tell you what to do next. It\u2019s currently taking over 30 days to respond because of coronavirus. It\u2019ll take longer if you do not give an email address.

    ", + "

    If you need to leave and re-enter the UK before you get your BRP, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.

    ", + "

    Do not tell the Home Office that you cannot collect your BRP if you\u2019re self-isolating because of coronavirus. Collect it when you finish self-isolating.

    ", + "

    Report now

    ", + "

    If there\u2019s a problem with your BRP

    ", + "

    Report any problems with your BRP within 10 days of collecting it.

    ", + "

    If your BRP has not arrived

    ", + "

    You will usually receive your biometric residence permit (BRP) within 10 days of getting your \u2018decision letter\u2019 from the Home Office if you applied from inside the UK.

    ", + "

    Before your BRP arrives

    ", + "

    You may be able to prove your immigration status a different way if your BRP has not arrived yet.

    ", + "

    Prove your right to work

    ", + "

    If the visa sticker (called a vignette) in your passport or travel document has not expired, you can use it as proof of your right to work in the UK.

    ", + "

    If the vignette has expired, your employer can ask the Home Office to confirm your right to work.

    ", + "

    Prove your right to rent in England

    ", + "

    If the visa sticker (called a vignette) in your passport or travel document has not expired, you can use it as proof of your right to rent.

    ", + "

    If the vignette has expired, your landlord can contact the Home Office to confirm your right to rent.

    ", + "

    You do not need to prove your right to rent in Wales, Scotland or Northern Ireland.

    ", + "

    Prove your immigration status to the government or the NHS

    ", + "

    If you need to prove your status to get benefits or use the NHS, tell the government department, local council or NHS service you\u2019re dealing with that your BRP has not arrived. They will contact the Home Office to confirm your status.

    ", + "

    Leave the UK

    ", + "

    If you need to leave and re-enter the UK before you get your BRP, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.

    ", + "

    When you apply, you\u2019ll need to:

    ", + "
  • choose the country you\u2019re going to provide your fingerprints and photo in
  • ", + "
  • confirm that you can travel to a visa application centre
  • ", + "

    Apply for a replacement BRP visa.

    ", + "

    Open a bank account

    ", + "

    You usually do not need a BRP to open a bank account. Contact the bank to check if you\u2019ll need a BRP or if you can use a different document.

    ", + "

    If your BRP has not arrived within 10 days

    ", + "

    Contact the delivery provider TNT if either:

    ", + "
  • your BRP has not arrived within 10 days of you getting your decision letter
  • ", + "
  • you missed the delivery of your BRP
  • ", + "

    The delivery provider will track your BRP and rearrange delivery, if needed.

    ", + "

    You\u2019ll need:

    ", + "
  • the postcode of the address you gave in your application
  • ", + "
  • the consignment number
  • ", + "

    Your consignment number is a 9 number code - you\u2019ll usually have it in an email from gov.notify and TNT.

    ", + "

    Contact TNT to track or rearrange the delivery of your BRP.

    ", + "

    If you do not have a consignment number or TNT is unable to help, tell the Home Office that your BRP has not arrived.

    ", + "

    Tell the Home Office that your BRP has not arrived

    ", + "

    You can contact the Home Office about your BRP delivery if:

    ", + "
  • you\u2019ve applied from inside the UK
  • ", + "
  • your \u2018decision letter\u2019 from the Home Office saying that you can remain in the UK arrived more than 10 days ago
  • ", + "

    You should only contact the Home Office if either:

    ", + "
  • you have already contacted the delivery provider, and they could not help you
  • ", + "
  • you do not have a consignment number to track your delivery with the delivery provider
  • ", + "

    You\u2019ll need the following information:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • an email or postal address
  • ", + "
  • your decision letter
  • ", + "

    You can get someone to contact the Home Office for you, for example a legal representative, charity, employer, college or university.

    ", + "

    The Home Office will email you to tell you what to do next. It\u2019s currently taking over 30 days to respond because of coronavirus (COVID-19). It\u2019ll take longer if you do not give an email address.

    ", + "

    Do not use this service if the delivery provider tried to deliver your BRP and left a card, or sent a text message or email. Contact them to rearrange delivery.

    ", + "

    Report now

    ", + "

    Report a problem with your new BRP

    ", + "

    If there\u2019s a problem with your BRP when it arrives, report it within 10 days. Otherwise you may have to apply and pay for a replacement.

    ", + "

    You can report online if your BRP does not arrive.

    ", + "

    Mistakes in the length or conditions of your visa

    ", + "

    If you applied for your visa from inside the UK, you can ask for an administrative review.

    ", + "

    If your BRP expires on 31 December 2024

    ", + "

    You do not need to tell UKVI if your BRP expires on 31 December 2024 but you have leave to stay longer.

    ", + "

    UKVI will update their information on how to update your BRP in early 2024. You do not need to do anything and your immigration status will not be affected.

    ", + "

    Other problems with your BRP

    ", + "

    You can report other problems with your BRP online, for example:

    ", + "
  • there\u2019s a mistake on it, for example your name, gender or date of birth is wrong
  • ", + "
  • your BRP was damaged when it arrived
  • ", + "

    If your name is long it may appear \u2018cut off\u2019 on your BRP. This is not a mistake - it is because there is limited space on the BRP card. However, if there\u2019s a spelling mistake, you must report it.

    ", + "

    Report a problem with your BRP online

    ", + "

    You\u2019ll need to have the following:

    ", + "
  • your BRP number
  • ", + "
  • your full name, date of birth and nationality as they appear on your BRP
  • ", + "
  • an email or postal address
  • ", + "

    You can get someone to report the problem for you, for example a legal representative, a charity, employer, college or university.

    ", + "

    The Home Office will email you to tell you what to do next. It\u2019s currently taking over 30 days to respond because of coronavirus (COVID-19). It\u2019ll take longer if you do not give an email address.

    ", + "

    Report a problem

    ", + "

    If there is a problem with your BRP and you need to leave and re-enter the UK, apply for a \u2018replacement BRP visa\u2019. This will let you re-enter the UK once only. It costs \u00a3154.

    ", + "

    If your BRP is lost or stolen

    ", + "

    You can report your biometric residence permit (BRP) lost or stolen from inside or outside the UK. You can only order a replacement from inside the UK.

    ", + "

    The Home Office will contact you within one working day of reporting it.

    ", + "

    You can get someone to report for you, for example a legal representative, a charity, employer, college or university.

    ", + "

    You will not be able to use your BRP if you find it after you report it lost or stolen.

    ", + "

    If you\u2019re in the UK

    ", + "

    If your lost or stolen BRP was valid for 3 months or more, report it and apply for a replacement. You must do this within 3 months of losing it.

    ", + "

    You can be fined up to \u00a31,000 and made to leave the UK if you do not apply for a replacement within 3 months.

    ", + "

    If your BRP was valid for 3 months or less, you must do one of the following:

    ", + "
  • report it as lost or stolen if you do not intend to remain in the UK after its expiry date
  • ", + "
  • apply for a replacement if you plan to leave and re-enter the UK within 3 months of its expiry date
  • ", + "
  • apply to extend your visa if you want to stay in the UK after its expiry date - if granted, you\u2019ll automatically get a new BRP
  • ", + "

    If you\u2019re outside the UK

    ", + "

    You must report your lost or stolen BRP outside the UK.

    ", + "

    You cannot apply for a replacement BRP outside the UK. Instead, you\u2019ll need to apply for a \u2018replacement BRP visa\u2019, which lets you re-enter the UK once only. It costs \u00a3154.

    ", + "

    You can apply for a replacement BRP when you return to the UK. You must do this within 3 months of reporting it lost or stolen unless you have a good reason, for example you were unable to return to the UK in that time.

    ", + "

    If you\u2019ve been away for over 2 years and you\u2019ve lost your documentation proving your right to live in the UK, you can apply for a Returning Resident visa.

    ", + "

    If you\u2019re in North Korea you cannot apply for a replacement BRP visa online. Read the guidance for North Korea and use form VAF2 instead.

    ", + "

    Replace an expired BRP

    ", + "

    How you replace an expired BRP depends on whether you are in the UK and what type of leave you have.

    ", + "

    If you have indefinite leave to remain or enter

    ", + "

    Use the BRP replacement service from within the UK.

    ", + "

    If your visa is about to expire

    ", + "

    Your BRP expiry date is usually the same as the expiry date of your visa. To get a new BRP, you must first apply to extend your visa.

    ", + "

    If it is granted, you will automatically get a new BRP. You cannot use the BRP replacement service.

    ", + "

    If you\u2019re outside the UK

    ", + "

    You cannot apply for a replacement BRP if it expires while you are outside the UK. Instead, you\u2019ll need to apply for a \u2018replacement BRP visa\u2019, which lets you re-enter the UK once only. It costs \u00a3154.

    ", + "

    You can apply for a replacement BRP when you return to the UK. You must do this within 3 months of its expiry unless you have a good reason, for example you were unable to return to the UK in that time.

    ", + "

    Replace your visa with a BRP

    ", + "

    You can apply for a biometric residence permit (BRP) to replace the visa (or wet ink stamp) in your passport or travel document, for example if:

    ", + "
  • your passport or travel document has expired or it\u2019s been lost or stolen
  • ", + "
  • the details on your visa (including your facial appearance) have changed
  • ", + "

    You must apply from inside the UK.

    ", + "

    There\u2019s a different way to prove you can live in the UK if you\u2019re an EU citizen or related to someone from the European Economic Area (EEA) or Switzerland.

    ", + "

    The fee and how you apply depend on your visa status.

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You have permission to settle (\u2018indefinite leave to remain\u2019)

    ", + "

    You must apply online if you have indefinite leave to remain. It costs \u00a3229. You\u2019ll get a decision within 6 months.

    ", + "

    If you want a faster decision you can pay an extra \u00a3800 for the super priority service. You\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    You have temporary permission to stay in the UK (\u2018leave to remain\u2019)

    ", + "

    You can apply online if you have leave to remain. It costs \u00a3161. You\u2019ll get a decision within 8 weeks.

    ", + "

    If you want a faster decision you can pay an extra \u00a3800 for the super priority service. You\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    You\u2019re a Commonwealth citizen and do not have the documents to prove your right to stay in the UK

    ", + "

    You may be eligible to get a BRP under the Windrush Scheme.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    " + ] + }, + "https://www.gov.uk/change-circumstances-visa-brp": { + "url": "https://www.gov.uk/change-circumstances-visa-brp", + "title": "Report a change of circumstances if you have a visa or BRP", + "content": "## You're in the UK and have a BRP\n\nYou must report any changes in your circumstances if you\u2019re in the UK and have either:\n\n- got a biometric residence permit (BRP)\n\n- applied for a BRP but have not had a decision yet\n\nHow you do this depends on what you\u2019re reporting.\n\n## Report a change of address only\n\nYou can change your address without having to apply for a new BRP.\n\nYou can either:\n\n- report a change of address online\n\n- fill in the change of circumstances form and send it to the address on the form\n\n## Report a change to your name or personal details\n\nYou must apply for a new BRP straight away if any of these things change:\n\n- name, for example if you\u2019ve got married\n\n- nationality\n\n- facial appearance\n\n- date of birth, for example if it was wrong\n\n- gender\n\nApply for a replacement BRP online. You\u2019ll need to pay a fee.\n\nYou must apply for a new BRP within 3 months. You can be fined up to \u00a31,000 or have your stay shortened if you do not.\n\n## Report all other changes\n\nYou must report any other changes to the details you gave in your BRP application, including if:\n\n- you get a criminal conviction\n\n- you separate from your partner\n\n- any of your children stop living permanently with you\n\nFill in the change of circumstances form and send it to the address on the form.\n\n## You're in the UK and have a visa\n\nYou must report any changes if you\u2019re in the UK and have either:\n\n- got a visa\n\n- applied for a visa but haven\u2019t had a decision yet\n\nHow you do this depends on what you\u2019re reporting.\n\n## Changes to your name or personal details\n\nYou must transfer your visa to a biometric residence permit (BRP) if your overall stay in the UK is longer than 6 months and any of these details on your visa document change:\n\n- name\n\n- nationality\n\n- facial appearance\n\n- date of birth\n\n- gender\n\nYou\u2019ll need to pay a fee.\n\nYou do not need to report these changes or transfer your visa if your stay in the UK is less than 6 months.\n\nFill in a change of circumstances form if you\u2019ve applied for a visa but haven\u2019t had a decision.\n\n## Report all other changes\n\nFill in the change of circumstances form to report any other changes of circumstances including:\n\n- your contact details\n\n- your legal representative\u2019s details\n\n- dependent family members\u2019 details\n\n- if you separate from your partner\n\n- if you get a criminal conviction\n\n- if any of your children stop living with you\n\n## Report a change of address only\n\nYou can update your address or your legal representative\u2019s address online.\n\n## You're outside the UK\n\nHow you report a change of circumstances depends on how you applied and the status of your application.\n\n## If you have a UK Visas and Immigration account\n\nYou will have a UK Visas and Immigration account if you used the \u2018UK Immigration: ID Check\u2019 smartphone app to scan your identity document on your phone.\n\n## You\u2019re still waiting for a decision about your application\n\nYou can change your email address or phone number by updating your account details. You cannot update your identity document, name or address if you\u2019re still waiting for a decision.\n\n## You have a decision about your application\n\nYou can update your account details.\n\n## If you applied through a visa application centre\n\nContact the visa application centre where you applied if you\u2019re outside the UK and there\u2019s a change to your:\n\n- reason for going to the UK\n\n- address\n\n- personal details, for example your name, because you got married\n\nYou may need to make another visa application at your local visa application centre.", + "original_contents": [ + "

    You're in the UK and have a BRP

    ", + "

    You must report any changes in your circumstances if you\u2019re in the UK and have either:

    ", + "
  • got a biometric residence permit (BRP)
  • ", + "
  • applied for a BRP but have not had a decision yet
  • ", + "

    How you do this depends on what you\u2019re reporting.

    ", + "

    Report a change of address only

    ", + "

    You can change your address without having to apply for a new BRP.

    ", + "

    You can either:

    ", + "
  • report a change of address online
  • ", + "
  • fill in the change of circumstances form and send it to the address on the form
  • ", + "

    Report a change to your name or personal details

    ", + "

    You must apply for a new BRP straight away if any of these things change:

    ", + "
  • name, for example if you\u2019ve got married
  • ", + "
  • nationality
  • ", + "
  • facial appearance
  • ", + "
  • date of birth, for example if it was wrong
  • ", + "
  • gender
  • ", + "

    Apply for a replacement BRP online. You\u2019ll need to pay a fee.

    ", + "

    You must apply for a new BRP within 3 months. You can be fined up to \u00a31,000 or have your stay shortened if you do not.

    ", + "

    Report all other changes

    ", + "

    You must report any other changes to the details you gave in your BRP application, including if:

    ", + "
  • you get a criminal conviction
  • ", + "
  • you separate from your partner
  • ", + "
  • any of your children stop living permanently with you
  • ", + "

    Fill in the change of circumstances form and send it to the address on the form.

    ", + "

    You're in the UK and have a visa

    ", + "

    You must report any changes if you\u2019re in the UK and have either:

    ", + "
  • got a visa
  • ", + "
  • applied for a visa but haven\u2019t had a decision yet
  • ", + "

    How you do this depends on what you\u2019re reporting.

    ", + "

    Changes to your name or personal details

    ", + "

    You must transfer your visa to a biometric residence permit (BRP) if your overall stay in the UK is longer than 6 months and any of these details on your visa document change:

    ", + "
  • name
  • ", + "
  • nationality
  • ", + "
  • facial appearance
  • ", + "
  • date of birth
  • ", + "
  • gender
  • ", + "

    You\u2019ll need to pay a fee.

    ", + "

    You do not need to report these changes or transfer your visa if your stay in the UK is less than 6 months.

    ", + "

    Fill in a change of circumstances form if you\u2019ve applied for a visa but haven\u2019t had a decision.

    ", + "

    Report all other changes

    ", + "

    Fill in the change of circumstances form to report any other changes of circumstances including:

    ", + "
  • your contact details
  • ", + "
  • your legal representative\u2019s details
  • ", + "
  • dependent family members\u2019 details
  • ", + "
  • if you separate from your partner
  • ", + "
  • if you get a criminal conviction
  • ", + "
  • if any of your children stop living with you
  • ", + "

    Report a change of address only

    ", + "

    You can update your address or your legal representative\u2019s address online.

    ", + "

    You're outside the UK

    ", + "

    How you report a change of circumstances depends on how you applied and the status of your application.

    ", + "

    If you have a UK Visas and Immigration account

    ", + "

    You will have a UK Visas and Immigration account if you used the \u2018UK Immigration: ID Check\u2019 smartphone app to scan your identity document on your phone.

    ", + "

    You\u2019re still waiting for a decision about your application

    ", + "

    You can change your email address or phone number by updating your account details. You cannot update your identity document, name or address if you\u2019re still waiting for a decision.

    ", + "

    You have a decision about your application

    ", + "

    You can update your account details.

    ", + "

    If you applied through a visa application centre

    ", + "

    Contact the visa application centre where you applied if you\u2019re outside the UK and there\u2019s a change to your:

    ", + "
  • reason for going to the UK
  • ", + "
  • address
  • ", + "
  • personal details, for example your name, because you got married
  • ", + "

    You may need to make another visa application at your local visa application centre.

    " + ] + }, + "https://www.gov.uk/find-an-immigration-adviser": { + "url": "https://www.gov.uk/find-an-immigration-adviser", + "title": "Find an immigration adviser", + "content": "## Search for an adviser\n\nYou can get immigration advice from an immigration adviser if you need help with getting permission to stay in the UK.\n\nImmigration advisers can help you with most things to do with immigration, including helping you to fill in the right forms and representing you at a tribunal. They do not make immigration decisions.\n\nCheck if the adviser is registered and if they charge a fee before you use them.\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Find a registered immigration adviser\n\nUse the Office of the Immigration Services Commissioner (OISC) Adviser Finder to find a registered adviser near you.\n\nAll immigration advisers must be registered with OISC or be a member of an approved professional body, for example The Law Society.\n\n## If you want legal help\n\nYou can find solicitors who give immigration advice through:\n\n- The Law Society if you live in England or Wales\n\n- The Law Society of Scotland\n\n- The Law Society of Northern Ireland\n\n## Regulating immigration advisers\n\nOISC regulates immigration advisers and makes sure they meet certain standards. For example, advisers must:\n\n- carry insurance against giving poor advice\n\n- keep up to date with current immigration advice\n\nOISC maintains a register of the immigration advisers that they regulate.\n\n## Make a complaint\n\nYou can complain about an immigration adviser if you think you\u2019ve had a bad service.\n\nYou cannot get your money back if an adviser is not regulated.\n\n## Suspended immigration advisers\n\nYou can see a list of people who are banned from acting as immigration advisers.\n\n## What advisers can do\n\nImmigration advisers are only allowed to give you advice on things they\u2019re qualified to help you with.\n\nYou can see what advice they can give you by their \u2018level\u2019. There are 3 levels.\n\nCheck an immigration adviser is allowed to give you the advice you need before you use them.\n\nOnly a level 3 adviser can appear on your behalf at an immigration tribunal.\n\n## Level 1 - advice and assistance\n\nA level 1 adviser can give you advice on simple cases, for example getting a business visa extension when you have no problems with work and all necessary documents.\n\nLevel 1 advisers can advise you on:\n\n- entry clearance\n\n- leave to enter\n\n- leave to remain\n\n- nationality and citizenship\n\n- EU and EEA law\n\nThe detailed guide explains what level 1 advisers can do.\n\n## Level 2 - casework\n\nLevel 2 advisers can do everything that Level 1 advisers can do, but can also accept more complicated cases.\n\nYou may want to use a level 2 adviser if you\u2019ve had problems in the past with immigration and want permission to remain in the UK.\n\nAdvisers in this category can also help:\n\n- with claims for asylum and human rights applications\n\n- get your visa application decision reviewed (an \u2018administrative review\u2019)\n\n- if you entered the UK illegally or stayed after your visa expired\n\n- if you\u2019re being removed or deported\n\nThe detailed guide explains what level 2 advisers can do.\n\n## Level 3 - advocacy and representation\n\nLevel 3 advisers can do everything that Level 1 and 2 advisers can.\n\nThey can also appear on your behalf at an immigration tribunal. In certain situations they can help you if you go to court.\n\nThe detailed guide explains what level 3 advisers can do.\n\n## Hiring an adviser\n\nWhen you hire an immigration adviser:\n\n- find out how much they charge and if you\u2019ll have to pay them\n\n- get a signed and dated receipt if you pay them any money\n\n- ask how much you\u2019ll have to pay if you decide you do not want to use them any more\n\n- agree a fee before they do any extra work for you\n\nSome advisers do not charge a fee. If they do not charge, you\u2019ll still have to pay for any expenses like translation costs and application fees.\n\nLegal aid can help pay for legal advice or representation at a court or tribunal - check if you\u2019re eligible.\n\nYour adviser must give you a letter immediately after you hire them saying:\n\n- what work they\u2019re doing for you\n\n- how much you\u2019ll be charged\n\n- how you\u2019ll pay them\n\n## Complain about an adviser\n\nYou can complain to the Office of the Immigration Services Commissioner (OISC) about either:\n\n- bad service you received from an adviser registered with OISC\n\n- immigration advice you received from an unregulated person\n\nYou can also ask someone to make a complaint on your behalf, for example a friend, solicitor or voluntary organisation.\n\nThere\u2019s a different way to complain about a legal adviser registered with a professional body but not regulated by OISC.\n\n## What you can and cannot complain about\n\nYou can complain about:\n\n- poor advice or service\n\n- unreasonable fees\n\n- an adviser claiming you\u2019ll be successful\n\n- an adviser charging for work not done\n\n- an adviser missing deadlines or failing to appear in court\n\n- an adviser\n\nYou cannot make a complaint about:\n\n- how long your immigration application has taken\n\n- something that\u2019s already part of an ongoing legal action\n\n- a refund or compensation\n\n- Home Office staff\n\n- a person or organisation outside the UK\n\nYou usually cannot make a complaint about something that happened more than 12 months ago - OISC will decide whether or not to investigate depending on the situation.\n\nOISC may refer your complaint elsewhere if you complain about a solicitor or barrister.\n\nRead more about how the OISC deals with complaints.\n\n## How to complain about an adviser regulated by OISC\n\nThe easiest way to complain is to:\n\n- download and fill in the complaints form\n\n- include any documents that are relevant with your complaint\n\n- send the complaints form and documents to complaints@oisc.gov.uk or by post to the address on the form.\n\nThe form is available in different languages and your complaint can be translated if needed.\n\nYou can get help from OISC staff to fill in the complaints form, but they cannot write your complaint for you.\n\n## Complain by letter\n\nYou can also make a complaint by sending a letter or email.\n\nYou need to provide as much detail as you can about who you\u2019re making the complaint against and what the complaint is about.\n\n## How to complain about an unregulated adviser\n\nYou can email the OISC to report someone giving immigration advice who is not regulated by either the OSIC or another approved body.\n\n## Get help with your complaint\n\nYou can get support and advice from the:\n\n- Refugee Council England\n\n- Welsh Refugee Council\n\n- Scottish Refugee Council\n\n- Citizens Advice Northern Ireland\n\n## What happens next\n\nYou\u2019ll get a letter within 5 days of making your complaint telling you how it\u2019s going to be dealt with.\n\nYou\u2019ll get a letter with a decision on your case within 5 months of making your complaint.\n\nThe OISC may decide to:\n\n- take action against the adviser, for example warn the adviser about their conduct\n\n- refer the complaint, for example if it\u2019s about a solicitor or barrister", + "original_contents": [ + "

    Search for an adviser

    ", + "

    You can get immigration advice from an immigration adviser if you need help with getting permission to stay in the UK.

    ", + "

    Immigration advisers can help you with most things to do with immigration, including helping you to fill in the right forms and representing you at a tribunal. They do not make immigration decisions.

    ", + "

    Check if the adviser is registered and if they charge a fee before you use them.

    ", + "

    If you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.

    ", + "

    Find a registered immigration adviser

    ", + "

    Use the Office of the Immigration Services Commissioner (OISC) Adviser Finder to find a registered adviser near you.

    ", + "

    All immigration advisers must be registered with OISC or be a member of an approved professional body, for example The Law Society.

    ", + "

    If you want legal help

    ", + "

    You can find solicitors who give immigration advice through:

    ", + "
  • The Law Society if you live in England or Wales
  • ", + "
  • The Law Society of Scotland
  • ", + "
  • The Law Society of Northern Ireland
  • ", + "

    Regulating immigration advisers

    ", + "

    OISC regulates immigration advisers and makes sure they meet certain standards. For example, advisers must:

    ", + "
  • carry insurance against giving poor advice
  • ", + "
  • keep up to date with current immigration advice
  • ", + "

    OISC maintains a register of the immigration advisers that they regulate.

    ", + "

    Make a complaint

    ", + "

    You can complain about an immigration adviser if you think you\u2019ve had a bad service.

    ", + "

    You cannot get your money back if an adviser is not regulated.

    ", + "

    Suspended immigration advisers

    ", + "

    You can see a list of people who are banned from acting as immigration advisers.

    ", + "

    What advisers can do

    ", + "

    Immigration advisers are only allowed to give you advice on things they\u2019re qualified to help you with.

    ", + "

    You can see what advice they can give you by their \u2018level\u2019. There are 3 levels.

    ", + "

    Check an immigration adviser is allowed to give you the advice you need before you use them.

    ", + "

    Only a level 3 adviser can appear on your behalf at an immigration tribunal.

    ", + "

    Level 1 - advice and assistance

    ", + "

    A level 1 adviser can give you advice on simple cases, for example getting a business visa extension when you have no problems with work and all necessary documents.

    ", + "

    Level 1 advisers can advise you on:

    ", + "
  • entry clearance
  • ", + "
  • leave to enter
  • ", + "
  • leave to remain
  • ", + "
  • nationality and citizenship
  • ", + "
  • EU and EEA law
  • ", + "

    The detailed guide explains what level 1 advisers can do.

    ", + "

    Level 2 - casework

    ", + "

    Level 2 advisers can do everything that Level 1 advisers can do, but can also accept more complicated cases.

    ", + "

    You may want to use a level 2 adviser if you\u2019ve had problems in the past with immigration and want permission to remain in the UK.

    ", + "

    Advisers in this category can also help:

    ", + "
  • with claims for asylum and human rights applications
  • ", + "
  • get your visa application decision reviewed (an \u2018administrative review\u2019)
  • ", + "
  • if you entered the UK illegally or stayed after your visa expired
  • ", + "
  • if you\u2019re being removed or deported
  • ", + "

    The detailed guide explains what level 2 advisers can do.

    ", + "

    Level 3 - advocacy and representation

    ", + "

    Level 3 advisers can do everything that Level 1 and 2 advisers can.

    ", + "

    They can also appear on your behalf at an immigration tribunal. In certain situations they can help you if you go to court.

    ", + "

    The detailed guide explains what level 3 advisers can do.

    ", + "

    Hiring an adviser

    ", + "

    When you hire an immigration adviser:

    ", + "
  • find out how much they charge and if you\u2019ll have to pay them
  • ", + "
  • get a signed and dated receipt if you pay them any money
  • ", + "
  • ask how much you\u2019ll have to pay if you decide you do not want to use them any more
  • ", + "
  • agree a fee before they do any extra work for you
  • ", + "

    Some advisers do not charge a fee. If they do not charge, you\u2019ll still have to pay for any expenses like translation costs and application fees.

    ", + "

    Legal aid can help pay for legal advice or representation at a court or tribunal - check if you\u2019re eligible.

    ", + "

    Your adviser must give you a letter immediately after you hire them saying:

    ", + "
  • what work they\u2019re doing for you
  • ", + "
  • how much you\u2019ll be charged
  • ", + "
  • how you\u2019ll pay them
  • ", + "

    Complain about an adviser

    ", + "

    You can complain to the Office of the Immigration Services Commissioner (OISC) about either:

    ", + "
  • bad service you received from an adviser registered with OISC
  • ", + "
  • immigration advice you received from an unregulated person
  • ", + "

    You can also ask someone to make a complaint on your behalf, for example a friend, solicitor or voluntary organisation.

    ", + "

    There\u2019s a different way to complain about a legal adviser registered with a professional body but not regulated by OISC.

    ", + "

    What you can and cannot complain about

    ", + "

    You can complain about:

    ", + "
  • poor advice or service
  • ", + "
  • unreasonable fees
  • ", + "
  • an adviser claiming you\u2019ll be successful
  • ", + "
  • an adviser charging for work not done
  • ", + "
  • an adviser missing deadlines or failing to appear in court
  • ", + "
  • an adviser
  • ", + "

    You cannot make a complaint about:

    ", + "
  • how long your immigration application has taken
  • ", + "
  • something that\u2019s already part of an ongoing legal action
  • ", + "
  • a refund or compensation
  • ", + "
  • Home Office staff
  • ", + "
  • a person or organisation outside the UK
  • ", + "

    You usually cannot make a complaint about something that happened more than 12 months ago - OISC will decide whether or not to investigate depending on the situation.

    ", + "

    OISC may refer your complaint elsewhere if you complain about a solicitor or barrister.

    ", + "

    Read more about how the OISC deals with complaints.

    ", + "

    How to complain about an adviser regulated by OISC

    ", + "

    The easiest way to complain is to:

    ", + "
  • download and fill in the complaints form
  • ", + "
  • include any documents that are relevant with your complaint
  • ", + "
  • send the complaints form and documents to complaints@oisc.gov.uk or by post to the address on the form.
  • ", + "

    The form is available in different languages and your complaint can be translated if needed.

    ", + "

    You can get help from OISC staff to fill in the complaints form, but they cannot write your complaint for you.

    ", + "

    Complain by letter

    ", + "

    You can also make a complaint by sending a letter or email.

    ", + "

    You need to provide as much detail as you can about who you\u2019re making the complaint against and what the complaint is about.

    ", + "

    How to complain about an unregulated adviser

    ", + "

    You can email the OISC to report someone giving immigration advice who is not regulated by either the OSIC or another approved body.

    ", + "

    Get help with your complaint

    ", + "

    You can get support and advice from the:

    ", + "
  • Refugee Council England
  • ", + "
  • Welsh Refugee Council
  • ", + "
  • Scottish Refugee Council
  • ", + "
  • Citizens Advice Northern Ireland
  • ", + "

    What happens next

    ", + "

    You\u2019ll get a letter within 5 days of making your complaint telling you how it\u2019s going to be dealt with.

    ", + "

    You\u2019ll get a letter with a decision on your case within 5 months of making your complaint.

    ", + "

    The OISC may decide to:

    ", + "
  • take action against the adviser, for example warn the adviser about their conduct
  • ", + "
  • refer the complaint, for example if it\u2019s about a solicitor or barrister
  • " + ] + }, + "https://www.gov.uk/standard-visitor-visa": { + "url": "https://www.gov.uk/standard-visitor-visa", + "title": "Standard Visitor visa", + "content": "## Overview\n\nYou can come to the UK as a Standard Visitor:\n\n- for tourism, for example on a holiday or to see your family and friends\n\n- for certain business activities, for example attending a meeting\n\n- to do a short course of study\n\n- to take part in research or an exchange programme as an academic\n\n- for medical reasons, for example to receive private medical treatment\n\nYou may not have to apply for a visa. What you need to do depends on your nationality and what you plan to do in the UK.\n\nCheck if you need to apply for a UK visa.\n\nYour application will not be accepted and you will not get a refund if you have the right of abode in the UK (for example you\u2019re a British citizen). You need to apply for a certificate of entitlement instead.\n\n## What you can and cannot do\n\nYou can visit the UK to do certain activities, for example visiting friends and family or attending a conference.\n\nYou cannot:\n\n- do paid or unpaid work for a UK company or as a self-employed person\n\n- live in the UK for long periods of time through frequent visits\n\n- claim public funds (benefits)\n\n- do a course of study that lasts longer than 6 months\n\n- marry or register a civil partnership, or give notice of marriage or civil partnership. You\u2019ll need a Marriage Visitor visa instead\n\nRead the guidance for more information about what you can and cannot do with a Standard Visitor visa.\n\n## Eligibility\n\nYou\u2019ll need to prove that you meet the eligibility requirements, for example that you\u2019ll leave the UK at the end of your visit.\n\n## How long you can stay\n\nYou can usually stay in the UK for up to 6 months (\u00a395 fee).\n\nYou might be able to stay for longer if:\n\n- you\u2019re coming to the UK for private medical treatment - up to 11 months (\u00a3190 fee)\n\n- you\u2019re an academic and meet the eligibility requirements - you, your spouse or partner and your children may be able to stay for up to 12 months (\u00a3190 fee)\n\nIf you\u2019re staying in the UK for longer than 6 months, you must collect your biometric residence permit when you arrive. You may also have to take a tuberculosis test as part of your application depending on where you come from.\n\n## If you need to visit the UK regularly\n\nYou can apply for a long-term Standard Visitor visa that lasts 2, 5 or 10 years if you need to visit the UK regularly over a longer period. You can stay for a maximum of 6 months on each visit.\n\nIf you\u2019re under 18 years old when you apply, your long-term Standard Visitor visa will only be valid for up to 6 months after you turn 18. You cannot get a refund on the fee.\n\n## When to apply and how long it takes\n\nIf you need a visa, you must apply online before you come to the UK.\n\nAs part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\nThe earliest you can apply is 3 months before you travel.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## Fees\n\nA Standard Visitor visa costs \u00a395.\n\nThe fee for a long-term Standard Visitor visa depends on its length:\n\n- 2 years - \u00a3361\n\n- 5 years - \u00a3655\n\n- 10 years - \u00a3822\n\n## Extending your stay as a visitor\n\nYou cannot switch from a Standard Visitor visa to another type of visa.\n\nYou can only extend your stay for specific reasons, for example needing further private medical treatment.\n\nIf you want a visa to do something other than visiting, for example work or longer-term study, you\u2019ll need to leave the UK and make a new application.\n\n## What you can do in the UK\n\nYou can visit the UK to do different activities. You must meet the eligibility requirements for the things you want to do.\n\n## If you\u2019re visiting for tourism or leisure\n\nYou can visit the UK to:\n\n- spend time with friends and family\n\n- take a holiday\n\n- do a recreational course of up to 30 days, for example a dance course\n\n- volunteer for up to 30 days with a registered charity\n\n- take part in a school exchange programme\n\n## If you\u2019re visiting on business\n\nYou can visit the UK for many different business reasons, including attending meetings, conferences, trade fairs or negotiating contracts.\n\nYou can do certain business activities with UK employees of the company you work for overseas, for example provide training or share knowledge on internal projects.\n\nCheck the Visitor Rules for the full list of business activities you can do as a Standard Visitor and any additional eligibility requirements.\n\nIf you\u2019re being paid by a UK organisation to visit as an expert in your profession, you should apply for a Permitted Paid Engagement visa.\n\n## If you\u2019re visiting to study\n\nYou can visit the UK to study for up to 6 months at an accredited institution, this includes English language courses.\n\nYou can also do:\n\n- a short piece of research that\u2019s relevant to your course overseas\n\n- an \u2018elective\u2019 - an optional additional placement, if you\u2019re studying medicine, veterinary medicine and science, or dentistry\n\nIf you want to study longer you\u2019ll need to apply for a:\n\n- Student visa (if your course is run by a licensed sponsor)\n\n- Short-term study visa (for English Language courses up to 11 months)\n\n## If you\u2019re visiting as an academic\n\nIf you\u2019re from an academic institution overseas, you can:\n\n- take part in formal exchange arrangements with UK counterparts\n\n- carry out your own research during a sabbatical\n\nIf you\u2019re a senior doctor or dentist you can also:\n\n- take part in research\n\n- teach (as long as it is not a permanent teaching post)\n\n- undertake clinical practice (as long as it\u2019s not a permanent position)\n\n## If you\u2019re visiting for medical reasons\n\nYou can visit the UK if you want to have private medical treatment at a hospital or other medical facility.\n\nYou can also visit to donate an organ to a family member or close friend. This includes being assessed for suitability as a donor match.\n\n## If you\u2019re passing through the UK to another country\n\nYou can pass through the UK to another country as a Standard Visitor.\n\nIf transiting is your only reason for coming to the UK, then you may apply for a Transit visa instead.\n\n## Eligibility\n\nYou must show that:\n\n- you\u2019ll leave the UK at the end of your visit\n\n- you\u2019ll not live in the UK for extended periods through frequent or successive visits, or make the UK your main home\n\n- you\u2019re able to support yourself and your dependants during your trip (or have funding from someone else to support you)\n\n- you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)\n\n- you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules\n\n## If you\u2019re applying to study for up to 6 months\n\nYou must prove one of the following:\n\n- you\u2019ve been accepted onto a course of no more than 6 months provided by an accredited UK institution (this cannot be an academy or state-funded school)\n\n- you\u2019re at least 16 years old and have been accepted by a UK higher education institution to take part in research that\u2019s relevant to the course you\u2019re studying overseas\n\n- you\u2019re at least 16 years old and are doing an \u2018elective\u2019 (an optional additional placement) as part of an overseas medicine, veterinary medicine and science, or dentistry course\n\nYou must already be enrolled on a course that is the equivalent of a UK degree, before applying to do research or a placement in the UK.\n\nTo study or research certain subjects at postgraduate level or above, you may need an Academic Technology Approval Scheme (ATAS) certificate. If you do need one, you\u2019ll need to get your ATAS certificate before starting your study or research.\n\n## If you\u2019re applying as an academic\n\nYou can stay in the UK for up to 12 months if you\u2019re applying as an academic. You must prove you\u2019re:\n\n- highly qualified in your field of expertise, for example you have a PhD\n\n- currently working in that field of expertise at an academic institution overseas\n\n- visiting for a formal exchange or to carry out research\n\n- not filling a permanent teaching post\n\nTo research certain subjects at postgraduate level or above, you may need an Academic Technology Approval Scheme (ATAS) certificate. If you do need one, you\u2019ll need to get your ATAS certificate before starting your research.\n\n## If you\u2019re applying to visit for private medical treatment\n\nYou must prove that you:\n\n- have a medical condition that needs private consultation or treatment in the UK\n\n- have made arrangements for consultations or treatment\n\n- have enough money or funding to pay for your treatment\n\n- will leave the UK once your treatment is completed, or when your visa expires\n\n- are not a danger to public health if you have an infectious disease, such as leprosy\n\n## If you\u2019re applying as an organ donor\n\nYou can only visit the UK to donate organs to:\n\n- a family member who you\u2019re genetically related to (for example your sibling or parent)\n\n- someone you have a close personal relationship with (for example your spouse or friend)\n\nYou must prove that the person you\u2019re donating an organ to is legally allowed to be in the UK.\n\n## If you\u2019re applying for a long-term Standard Visitor visa\n\nYou must prove that you\u2019ll only ever be coming to the UK to visit and that you plan to leave at the end of each visit.\n\nYou may be given a visa for a shorter period than requested if you do not do this. You will not get a refund of the application fee if you get a shorter visa or your application is refused.\n\nYour visa may be cancelled if your travel history shows you are repeatedly living in the UK for extended periods.\n\n## Documents you'll need\n\nYou must provide a passport or travel document. Your passport should be valid for the whole of your stay in the UK and contain a blank page for your visa.\n\nYou\u2019ll be told what other documents and information to provide when you apply online.\n\nYou must provide certified translations of any documents that are not in English or Welsh.\n\nYou\u2019ll need to provide the following information:\n\n- the dates you\u2019re planning to travel to the UK\n\n- details of where you\u2019ll be staying during your visit\n\n- how much you think your trip will cost\n\n- your current home address and how long you\u2019ve lived there\n\n- your parents\u2019 names and dates of birth (if known)\n\n- how much you earn in a year (if you have an income)\n\n- details of any criminal, civil or immigration offences you may have committed\n\nYou might also need to provide:\n\n- details of your travel history for the past 10 years\n\n- your employer\u2019s address and telephone number\n\n- your partner\u2019s name, date of birth, and passport number\n\n- the name and address of anyone paying for your trip\n\n- the name, address and passport number of any family members you have in the UK\n\n## Providing documents for certain activities\n\nYou must provide specific documents if you\u2019re applying to visit the UK to:\n\n- do research as part of an overseas study course\n\n- have private medical treatment\n\n- be an organ donor\n\n- take the Professional and Linguistic Assessment Board (PLAB) test or sit the Objective Structured Clinical Examination (OSCE)\n\nRead the full list of supporting documents for more information.\n\n## If you're under 18\n\nYou may visit the UK if you\u2019re under 18 and:\n\n- you\u2019ve made suitable arrangements for your travel and stay in the UK\n\n- you have written consent from your parent or guardian to travel to the UK (if travelling alone)\n\n- you\u2019re able to pay for your return or onward journey\n\n- you have enough money to support yourself without working or getting help from public funds, or you have family and friends that can support you\n\n## Travelling alone\n\nYou can travel to the UK without an adult (someone over the age of 18).\n\nYour parent or guardian will need to provide their:\n\n- written consent for you to travel to the UK\n\n- full contact details\n\nThey\u2019ll also need to provide proof that you have somewhere suitable to live during your stay in the UK, including:\n\n- the name and date of birth of the person that you will be staying with\n\n- an address where you will be living\n\n- details of your relationship to the person who\u2019ll be looking after you and\n\n- their written consent for you to stay with that person while you\u2019re in the UK\n\n## If you\u2019re not staying with a close relative\n\nYour parent, guardian or school must tell the relevant local authority about your visit if you\u2019re both of the following:\n\n- under 16 (or under 18 if you have a disability)\n\n- going to be looked after for more than 28 days by someone who is not a close relative (called \u2018private foster care\u2019)\n\nYou should provide a reply from the local authority if you have one.\n\nThe same rules apply to education exchange visits that last for more than 28 days, unless:\n\n- you\u2019re part of a group that is travelling and staying together, for example a school group\n\n- you\u2019re accompanied by an adult, for example a teacher\n\nThere are different rules in Scotland and Northern Ireland. Read the guidance for more information.\n\n## Travelling with an adult\n\nWhen travelling to the UK with an adult (someone over the age of 18), you\u2019ll need to identify them in your visa application.\n\nIf the person you\u2019re travelling with is not your parent, you\u2019ll need to provide specific information about them in your application.\n\nYou can identify up to 2 adults in your visa application. Their names will appear on your visa.\n\nThe adult can apply for a visa at the same time, but you must each complete separate applications.\n\nIf you arrive in the UK without the person named in your visa, you\u2019ll need to show that your parent or guardian consents to your travel and accommodation arrangements.\n\n## Apply from outside the UK\n\nIf you need a visa, you must apply online before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\n## Apply for a Standard Visitor visa\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Apply with family members\n\nEach family member must make their own application and pay the fee.\n\nYou can apply on behalf of your partner and child, if they cannot apply for themselves.\n\nThey must attend their own appointment at a visa application centre.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.\n\n## Extend your stay\n\nYou may be able to extend your stay as long as the total time you spend in the UK as a visitor is no more than 6 months.\n\nFor example if you have been in the UK as a visitor for 3 months, you can apply to extend your stay for 3 more months.\n\nRead the guidance to find out if you can extend your visit.\n\nYou must apply while you\u2019re still in the UK and before your current visa expires.\n\n## If you want to extend your stay for longer than 6 months\n\nYou can only apply to extend your stay as a visitor for over 6 months if you\u2019re:\n\n- a patient receiving medical treatment\n\n- an academic and you still meet the eligibility requirements\n\n- a graduate doing a clinical attachment or retaking the Professional and Linguistic Assessment Board (PLAB) test\n\nIf you did not need a visa for the first 6 months of your visit, you\u2019ll need to apply for permission to stay longer and pay the fee.\n\n## If you\u2019re receiving private medical treatment in the UK\n\nYou can apply to extend your stay for a further 6 months if you:\n\n- have paid for any treatment you\u2019ve already had in the UK\n\n- can and will pay the further costs of your treatment\n\n- continue to meet the eligibility requirements\n\nYou must also get a medical practitioner or NHS consultant who\u2019s registered in the UK to provide:\n\n- proof of arrangements for your private medical consultation or treatment\n\n- a letter saying how long your treatment is likely to take\n\n- details of the progress of your treatment, if it\u2019s already started\n\n## If you\u2019re an academic\n\nIf you want to extend your stay as an academic visiting the UK, you must prove you:\n\n- are highly qualified in your field of expertise, for example you have a PhD or higher\n\n- were working in that field of expertise at an academic institution overseas prior to your arrival in the UK\n\n- are visiting for a formal exchange or to carry out research\n\n- are not filling a permanent teaching post\n\nYou can stay in the UK for up to 12 months in total.\n\nBefore you extend your stay, check if you need an Academic Technology Approval Scheme (ATAS) certificate. You may need one if you\u2019re researching certain subjects at postgraduate level or above.\n\n## If you\u2019re retaking the PLAB test\n\nYou can extend your stay in the UK to retake the PLAB test.\n\nYou must provide written confirmation from the General Medical Council that you are sitting the test.\n\nYou can stay up to 6 months to retake the test.\n\n## If you\u2019ve passed the PLAB test and want to do a clinical attachment\n\nIf you\u2019re successful in the PLAB test, you can apply to extend your stay to do an unpaid clinical attachment. You must not treat patients.\n\nYou must provide written confirmation of your clinical attachment offer and confirm you\u2019ve not done one in the UK before.\n\nYou can stay in the UK for up to 18 months in total.\n\n## Apply to extend your stay as a visitor\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Proving your identity and providing supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Fees\n\nIt costs:\n\n- \u00a3993 to extend this visa\n\n- an extra \u00a3800 if you use the super priority service\n\nYou must also pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## How long it takes to get a decision\n\nA decision will usually be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.", + "original_contents": [ + "

    Overview

    ", + "

    You can come to the UK as a Standard Visitor:

    ", + "
  • for tourism, for example on a holiday or to see your family and friends
  • ", + "
  • for certain business activities, for example attending a meeting
  • ", + "
  • to do a short course of study
  • ", + "
  • to take part in research or an exchange programme as an academic
  • ", + "
  • for medical reasons, for example to receive private medical treatment
  • ", + "

    You may not have to apply for a visa. What you need to do depends on your nationality and what you plan to do in the UK.

    ", + "

    Check if you need to apply for a UK visa.

    ", + "

    Your application will not be accepted and you will not get a refund if you have the right of abode in the UK (for example you\u2019re a British citizen). You need to apply for a certificate of entitlement instead.

    ", + "

    What you can and cannot do

    ", + "

    You can visit the UK to do certain activities, for example visiting friends and family or attending a conference.

    ", + "

    You cannot:

    ", + "
  • do paid or unpaid work for a UK company or as a self-employed person
  • ", + "
  • live in the UK for long periods of time through frequent visits
  • ", + "
  • claim public funds (benefits)
  • ", + "
  • do a course of study that lasts longer than 6 months
  • ", + "
  • marry or register a civil partnership, or give notice of marriage or civil partnership. You\u2019ll need a Marriage Visitor visa instead
  • ", + "

    Read the guidance for more information about what you can and cannot do with a Standard Visitor visa.

    ", + "

    Eligibility

    ", + "

    You\u2019ll need to prove that you meet the eligibility requirements, for example that you\u2019ll leave the UK at the end of your visit.

    ", + "

    How long you can stay

    ", + "

    You can usually stay in the UK for up to 6 months (\u00a395 fee).

    ", + "

    You might be able to stay for longer if:

    ", + "
  • you\u2019re coming to the UK for private medical treatment - up to 11 months (\u00a3190 fee)
  • ", + "
  • you\u2019re an academic and meet the eligibility requirements - you, your spouse or partner and your children may be able to stay for up to 12 months (\u00a3190 fee)
  • ", + "

    If you\u2019re staying in the UK for longer than 6 months, you must collect your biometric residence permit when you arrive. You may also have to take a tuberculosis test as part of your application depending on where you come from.

    ", + "

    If you need to visit the UK regularly

    ", + "

    You can apply for a long-term Standard Visitor visa that lasts 2, 5 or 10 years if you need to visit the UK regularly over a longer period. You can stay for a maximum of 6 months on each visit.

    ", + "

    If you\u2019re under 18 years old when you apply, your long-term Standard Visitor visa will only be valid for up to 6 months after you turn 18. You cannot get a refund on the fee.

    ", + "

    When to apply and how long it takes

    ", + "

    If you need a visa, you must apply online before you come to the UK.

    ", + "

    As part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    The earliest you can apply is 3 months before you travel.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    Fees

    ", + "

    A Standard Visitor visa costs \u00a395.

    ", + "

    The fee for a long-term Standard Visitor visa depends on its length:

    ", + "
  • 2 years - \u00a3361
  • ", + "
  • 5 years - \u00a3655
  • ", + "
  • 10 years - \u00a3822
  • ", + "

    Extending your stay as a visitor

    ", + "

    You cannot switch from a Standard Visitor visa to another type of visa.

    ", + "

    You can only extend your stay for specific reasons, for example needing further private medical treatment.

    ", + "

    If you want a visa to do something other than visiting, for example work or longer-term study, you\u2019ll need to leave the UK and make a new application.

    ", + "

    What you can do in the UK

    ", + "

    You can visit the UK to do different activities. You must meet the eligibility requirements for the things you want to do.

    ", + "

    If you\u2019re visiting for tourism or leisure

    ", + "

    You can visit the UK to:

    ", + "
  • spend time with friends and family
  • ", + "
  • take a holiday
  • ", + "
  • do a recreational course of up to 30 days, for example a dance course
  • ", + "
  • volunteer for up to 30 days with a registered charity
  • ", + "
  • take part in a school exchange programme
  • ", + "

    If you\u2019re visiting on business

    ", + "

    You can visit the UK for many different business reasons, including attending meetings, conferences, trade fairs or negotiating contracts.

    ", + "

    You can do certain business activities with UK employees of the company you work for overseas, for example provide training or share knowledge on internal projects.

    ", + "

    Check the Visitor Rules for the full list of business activities you can do as a Standard Visitor and any additional eligibility requirements.

    ", + "

    If you\u2019re being paid by a UK organisation to visit as an expert in your profession, you should apply for a Permitted Paid Engagement visa.

    ", + "

    If you\u2019re visiting to study

    ", + "

    You can visit the UK to study for up to 6 months at an accredited institution, this includes English language courses.

    ", + "

    You can also do:

    ", + "
  • a short piece of research that\u2019s relevant to your course overseas
  • ", + "
  • an \u2018elective\u2019 - an optional additional placement, if you\u2019re studying medicine, veterinary medicine and science, or dentistry
  • ", + "

    If you want to study longer you\u2019ll need to apply for a:

    ", + "
  • Student visa (if your course is run by a licensed sponsor)
  • ", + "
  • Short-term study visa (for English Language courses up to 11 months)
  • ", + "

    If you\u2019re visiting as an academic

    ", + "

    If you\u2019re from an academic institution overseas, you can:

    ", + "
  • take part in formal exchange arrangements with UK counterparts
  • ", + "
  • carry out your own research during a sabbatical
  • ", + "

    If you\u2019re a senior doctor or dentist you can also:

    ", + "
  • take part in research
  • ", + "
  • teach (as long as it is not a permanent teaching post)
  • ", + "
  • undertake clinical practice (as long as it\u2019s not a permanent position)
  • ", + "

    If you\u2019re visiting for medical reasons

    ", + "

    You can visit the UK if you want to have private medical treatment at a hospital or other medical facility.

    ", + "

    You can also visit to donate an organ to a family member or close friend. This includes being assessed for suitability as a donor match.

    ", + "

    If you\u2019re passing through the UK to another country

    ", + "

    You can pass through the UK to another country as a Standard Visitor.

    ", + "

    If transiting is your only reason for coming to the UK, then you may apply for a Transit visa instead.

    ", + "

    Eligibility

    ", + "

    You must show that:

    ", + "
  • you\u2019ll leave the UK at the end of your visit
  • ", + "
  • you\u2019ll not live in the UK for extended periods through frequent or successive visits, or make the UK your main home
  • ", + "
  • you\u2019re able to support yourself and your dependants during your trip (or have funding from someone else to support you)
  • ", + "
  • you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)
  • ", + "
  • you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules
  • ", + "

    If you\u2019re applying to study for up to 6 months

    ", + "

    You must prove one of the following:

    ", + "
  • you\u2019ve been accepted onto a course of no more than 6 months provided by an accredited UK institution (this cannot be an academy or state-funded school)
  • ", + "
  • you\u2019re at least 16 years old and have been accepted by a UK higher education institution to take part in research that\u2019s relevant to the course you\u2019re studying overseas
  • ", + "
  • you\u2019re at least 16 years old and are doing an \u2018elective\u2019 (an optional additional placement) as part of an overseas medicine, veterinary medicine and science, or dentistry course
  • ", + "

    You must already be enrolled on a course that is the equivalent of a UK degree, before applying to do research or a placement in the UK.

    ", + "

    To study or research certain subjects at postgraduate level or above, you may need an Academic Technology Approval Scheme (ATAS) certificate. If you do need one, you\u2019ll need to get your ATAS certificate before starting your study or research.

    ", + "

    If you\u2019re applying as an academic

    ", + "

    You can stay in the UK for up to 12 months if you\u2019re applying as an academic. You must prove you\u2019re:

    ", + "
  • highly qualified in your field of expertise, for example you have a PhD
  • ", + "
  • currently working in that field of expertise at an academic institution overseas
  • ", + "
  • visiting for a formal exchange or to carry out research
  • ", + "
  • not filling a permanent teaching post
  • ", + "

    To research certain subjects at postgraduate level or above, you may need an Academic Technology Approval Scheme (ATAS) certificate. If you do need one, you\u2019ll need to get your ATAS certificate before starting your research.

    ", + "

    If you\u2019re applying to visit for private medical treatment

    ", + "

    You must prove that you:

    ", + "
  • have a medical condition that needs private consultation or treatment in the UK
  • ", + "
  • have made arrangements for consultations or treatment
  • ", + "
  • have enough money or funding to pay for your treatment
  • ", + "
  • will leave the UK once your treatment is completed, or when your visa expires
  • ", + "
  • are not a danger to public health if you have an infectious disease, such as leprosy
  • ", + "

    If you\u2019re applying as an organ donor

    ", + "

    You can only visit the UK to donate organs to:

    ", + "
  • a family member who you\u2019re genetically related to (for example your sibling or parent)
  • ", + "
  • someone you have a close personal relationship with (for example your spouse or friend)
  • ", + "

    You must prove that the person you\u2019re donating an organ to is legally allowed to be in the UK.

    ", + "

    If you\u2019re applying for a long-term Standard Visitor visa

    ", + "

    You must prove that you\u2019ll only ever be coming to the UK to visit and that you plan to leave at the end of each visit.

    ", + "

    You may be given a visa for a shorter period than requested if you do not do this. You will not get a refund of the application fee if you get a shorter visa or your application is refused.

    ", + "

    Your visa may be cancelled if your travel history shows you are repeatedly living in the UK for extended periods.

    ", + "

    Documents you'll need

    ", + "

    You must provide a passport or travel document. Your passport should be valid for the whole of your stay in the UK and contain a blank page for your visa.

    ", + "

    You\u2019ll be told what other documents and information to provide when you apply online.

    ", + "

    You must provide certified translations of any documents that are not in English or Welsh.

    ", + "

    You\u2019ll need to provide the following information:

    ", + "
  • the dates you\u2019re planning to travel to the UK
  • ", + "
  • details of where you\u2019ll be staying during your visit
  • ", + "
  • how much you think your trip will cost
  • ", + "
  • your current home address and how long you\u2019ve lived there
  • ", + "
  • your parents\u2019 names and dates of birth (if known)
  • ", + "
  • how much you earn in a year (if you have an income)
  • ", + "
  • details of any criminal, civil or immigration offences you may have committed
  • ", + "

    You might also need to provide:

    ", + "
  • details of your travel history for the past 10 years
  • ", + "
  • your employer\u2019s address and telephone number
  • ", + "
  • your partner\u2019s name, date of birth, and passport number
  • ", + "
  • the name and address of anyone paying for your trip
  • ", + "
  • the name, address and passport number of any family members you have in the UK
  • ", + "

    Providing documents for certain activities

    ", + "

    You must provide specific documents if you\u2019re applying to visit the UK to:

    ", + "
  • do research as part of an overseas study course
  • ", + "
  • have private medical treatment
  • ", + "
  • be an organ donor
  • ", + "
  • take the Professional and Linguistic Assessment Board (PLAB) test or sit the Objective Structured Clinical Examination (OSCE)
  • ", + "

    Read the full list of supporting documents for more information.

    ", + "

    If you're under 18

    ", + "

    You may visit the UK if you\u2019re under 18 and:

    ", + "
  • you\u2019ve made suitable arrangements for your travel and stay in the UK
  • ", + "
  • you have written consent from your parent or guardian to travel to the UK (if travelling alone)
  • ", + "
  • you\u2019re able to pay for your return or onward journey
  • ", + "
  • you have enough money to support yourself without working or getting help from public funds, or you have family and friends that can support you
  • ", + "

    Travelling alone

    ", + "

    You can travel to the UK without an adult (someone over the age of 18).

    ", + "

    Your parent or guardian will need to provide their:

    ", + "
  • written consent for you to travel to the UK
  • ", + "
  • full contact details
  • ", + "

    They\u2019ll also need to provide proof that you have somewhere suitable to live during your stay in the UK, including:

    ", + "
  • the name and date of birth of the person that you will be staying with
  • ", + "
  • an address where you will be living
  • ", + "
  • details of your relationship to the person who\u2019ll be looking after you and
  • ", + "
  • their written consent for you to stay with that person while you\u2019re in the UK
  • ", + "

    If you\u2019re not staying with a close relative

    ", + "

    Your parent, guardian or school must tell the relevant local authority about your visit if you\u2019re both of the following:

    ", + "
  • under 16 (or under 18 if you have a disability)
  • ", + "
  • going to be looked after for more than 28 days by someone who is not a close relative (called \u2018private foster care\u2019)
  • ", + "

    You should provide a reply from the local authority if you have one.

    ", + "

    The same rules apply to education exchange visits that last for more than 28 days, unless:

    ", + "
  • you\u2019re part of a group that is travelling and staying together, for example a school group
  • ", + "
  • you\u2019re accompanied by an adult, for example a teacher
  • ", + "

    There are different rules in Scotland and Northern Ireland. Read the guidance for more information.

    ", + "

    Travelling with an adult

    ", + "

    When travelling to the UK with an adult (someone over the age of 18), you\u2019ll need to identify them in your visa application.

    ", + "

    If the person you\u2019re travelling with is not your parent, you\u2019ll need to provide specific information about them in your application.

    ", + "

    You can identify up to 2 adults in your visa application. Their names will appear on your visa.

    ", + "

    The adult can apply for a visa at the same time, but you must each complete separate applications.

    ", + "

    If you arrive in the UK without the person named in your visa, you\u2019ll need to show that your parent or guardian consents to your travel and accommodation arrangements.

    ", + "

    Apply from outside the UK

    ", + "

    If you need a visa, you must apply online before you travel to the UK.

    ", + "

    Check what documents you\u2019ll need to apply.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    Apply for a Standard Visitor visa

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Apply with family members

    ", + "

    Each family member must make their own application and pay the fee.

    ", + "

    You can apply on behalf of your partner and child, if they cannot apply for themselves.

    ", + "

    They must attend their own appointment at a visa application centre.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    ", + "

    Extend your stay

    ", + "

    You may be able to extend your stay as long as the total time you spend in the UK as a visitor is no more than 6 months.

    ", + "

    For example if you have been in the UK as a visitor for 3 months, you can apply to extend your stay for 3 more months.

    ", + "

    Read the guidance to find out if you can extend your visit.

    ", + "

    You must apply while you\u2019re still in the UK and before your current visa expires.

    ", + "

    If you want to extend your stay for longer than 6 months

    ", + "

    You can only apply to extend your stay as a visitor for over 6 months if you\u2019re:

    ", + "
  • a patient receiving medical treatment
  • ", + "
  • an academic and you still meet the eligibility requirements
  • ", + "
  • a graduate doing a clinical attachment or retaking the Professional and Linguistic Assessment Board (PLAB) test
  • ", + "

    If you did not need a visa for the first 6 months of your visit, you\u2019ll need to apply for permission to stay longer and pay the fee.

    ", + "

    If you\u2019re receiving private medical treatment in the UK

    ", + "

    You can apply to extend your stay for a further 6 months if you:

    ", + "
  • have paid for any treatment you\u2019ve already had in the UK
  • ", + "
  • can and will pay the further costs of your treatment
  • ", + "
  • continue to meet the eligibility requirements
  • ", + "

    You must also get a medical practitioner or NHS consultant who\u2019s registered in the UK to provide:

    ", + "
  • proof of arrangements for your private medical consultation or treatment
  • ", + "
  • a letter saying how long your treatment is likely to take
  • ", + "
  • details of the progress of your treatment, if it\u2019s already started
  • ", + "

    If you\u2019re an academic

    ", + "

    If you want to extend your stay as an academic visiting the UK, you must prove you:

    ", + "
  • are highly qualified in your field of expertise, for example you have a PhD or higher
  • ", + "
  • were working in that field of expertise at an academic institution overseas prior to your arrival in the UK
  • ", + "
  • are visiting for a formal exchange or to carry out research
  • ", + "
  • are not filling a permanent teaching post
  • ", + "

    You can stay in the UK for up to 12 months in total.

    ", + "

    Before you extend your stay, check if you need an Academic Technology Approval Scheme (ATAS) certificate. You may need one if you\u2019re researching certain subjects at postgraduate level or above.

    ", + "

    If you\u2019re retaking the PLAB test

    ", + "

    You can extend your stay in the UK to retake the PLAB test.

    ", + "

    You must provide written confirmation from the General Medical Council that you are sitting the test.

    ", + "

    You can stay up to 6 months to retake the test.

    ", + "

    If you\u2019ve passed the PLAB test and want to do a clinical attachment

    ", + "

    If you\u2019re successful in the PLAB test, you can apply to extend your stay to do an unpaid clinical attachment. You must not treat patients.

    ", + "

    You must provide written confirmation of your clinical attachment offer and confirm you\u2019ve not done one in the UK before.

    ", + "

    You can stay in the UK for up to 18 months in total.

    ", + "

    Apply to extend your stay as a visitor

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a3993 to extend this visa
  • ", + "
  • an extra \u00a3800 if you use the super priority service
  • ", + "

    You must also pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will usually be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    " + ] + }, + "https://www.gov.uk/marriage-visa": { + "url": "https://www.gov.uk/marriage-visa", + "title": "Marriage Visitor visa", + "content": "## Overview\n\nYou must apply for a Marriage Visitor visa if:\n\n- you want to get married or register a civil partnership in the UK\n\n- you want to give notice of a marriage or civil partnership in UK\n\n- you\u2019re not planning to stay or settle in the UK after your marriage or civil partnership\n\n- you meet the other eligibility requirements\n\nYou do not need a Marriage Visitor visa to convert your civil partnership into a marriage - you can apply for a Standard Visitor visa.\n\nYou cannot apply if you qualify for British citizenship - including if you can have dual nationality. You must apply for British citizenship instead.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nYou will not need a Marriage Visitor visa if you come to the UK on or before 30 June 2021.\n\nIf you come to the UK from 1 July 2021 you\u2019ll need to apply for a visa, unless one of the following applies:\n\n- you have settled or pre-settled status under the EU Settlement Scheme\n\n- you have applied to the EU Settlement Scheme, and you have not got a decision yet\n\n- you\u2019re an Irish citizen\n\n## What you can and cannot do\n\nYou can:\n\n- marry or enter into a civil partnership in the UK within 6 months of your arrival - you must use a venue licensed for this purpose\n\n- pass through the UK in transit (on your way to another country)\n\nYou cannot:\n\n- get public funds (benefits)\n\n- bring in family members (\u2018dependants\u2019) - they must apply separately\n\n- live in the UK for extended periods through frequent visits\n\n- extend your visa or switch to another visa\n\n- work - except for permitted activities related to your work or business overseas, such as attending meetings\n\n- study\n\nRead the guidance for more information about what you can and cannot do with a Marriage Visitor visa.\n\n## How long you can stay\n\nYou can use this visa to visit the UK for up to 6 months.\n\n## When to apply and how long it takes\n\nIf you need a visa, you must apply online before you come to the UK.\n\nAs part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your \napplication.\n\nThe earliest you can apply is 3 months before you travel.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## Fees\n\nIt costs \u00a395 to apply.\n\n## Eligibility\n\nYou must prove that:\n\n- you\u2019re 18 or over\n\n- you\u2019re free to give notice of marriage, to marry or enter into a civil partnership in the UK within 6 months of your arrival\n\n- you\u2019re in a genuine relationship\n\n- you\u2019re visiting the UK for less than 6 months\n\n- you\u2019ll leave the UK at the end of your visit\n\n- you\u2019ll not live in the UK for extended periods through frequent or successive visits, or make the UK your main home\n\n- you\u2019re able to support yourself during your trip (or have funding from someone else to support you)\n\n- you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)\n\n- you have proof of any other activities you want to do in the UK, as allowed by the Visitor Rules\n\n## Documents you'll need\n\nYou must provide a passport or travel document. Your passport should be valid for the whole of your stay in the UK and contain a blank page for your visa.\n\nYou can supply the following to support your application:\n\n- details of the marriage or civil partnership and proof that you\u2019ve paid money for some of its costs\n\n- proof that you\u2019re planning to get married in the UK, for example a booking confirmation or emails between you and the venue\n\nSee the full list of documents you can provide to prove your eligibility.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## If you\u2019ve been married before\n\nYou\u2019ll need to show proof that you\u2019re free to marry or enter into a civil partnership again, for example a:\n\n- decree absolute\n\n- death certificate of a previous partner\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nIf you need a visa, you must apply online before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\nIf you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein, you will not need a Marriage Visitor visa if you come to the UK on or before 30 June 2021.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\n## Apply for a Marriage Visitor visa\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Apply with family members\n\nYour partner must apply for their own Marriage Visitor visa and pay the fee if you both need one. Your child will need to apply as a standard visitor if they need a visa.\n\nYou can apply on behalf of your partner and child, if they cannot apply for themselves.\n\nThey must attend their own appointment at a visa application centre.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.", + "original_contents": [ + "

    Overview

    ", + "

    You must apply for a Marriage Visitor visa if:

    ", + "
  • you want to get married or register a civil partnership in the UK
  • ", + "
  • you want to give notice of a marriage or civil partnership in UK
  • ", + "
  • you\u2019re not planning to stay or settle in the UK after your marriage or civil partnership
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    You do not need a Marriage Visitor visa to convert your civil partnership into a marriage - you can apply for a Standard Visitor visa.

    ", + "

    You cannot apply if you qualify for British citizenship - including if you can have dual nationality. You must apply for British citizenship instead.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    You will not need a Marriage Visitor visa if you come to the UK on or before 30 June 2021.

    ", + "

    If you come to the UK from 1 July 2021 you\u2019ll need to apply for a visa, unless one of the following applies:

    ", + "
  • you have settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • you have applied to the EU Settlement Scheme, and you have not got a decision yet
  • ", + "
  • you\u2019re an Irish citizen
  • ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • marry or enter into a civil partnership in the UK within 6 months of your arrival - you must use a venue licensed for this purpose
  • ", + "
  • pass through the UK in transit (on your way to another country)
  • ", + "

    You cannot:

    ", + "
  • get public funds (benefits)
  • ", + "
  • bring in family members (\u2018dependants\u2019) - they must apply separately
  • ", + "
  • live in the UK for extended periods through frequent visits
  • ", + "
  • extend your visa or switch to another visa
  • ", + "
  • work - except for permitted activities related to your work or business overseas, such as attending meetings
  • ", + "
  • study
  • ", + "

    Read the guidance for more information about what you can and cannot do with a Marriage Visitor visa.

    ", + "

    How long you can stay

    ", + "

    You can use this visa to visit the UK for up to 6 months.

    ", + "

    When to apply and how long it takes

    ", + "

    If you need a visa, you must apply online before you come to the UK.

    ", + "

    As part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your \napplication.

    ", + "

    The earliest you can apply is 3 months before you travel.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    Fees

    ", + "

    It costs \u00a395 to apply.

    ", + "

    Eligibility

    ", + "

    You must prove that:

    ", + "
  • you\u2019re 18 or over
  • ", + "
  • you\u2019re free to give notice of marriage, to marry or enter into a civil partnership in the UK within 6 months of your arrival
  • ", + "
  • you\u2019re in a genuine relationship
  • ", + "
  • you\u2019re visiting the UK for less than 6 months
  • ", + "
  • you\u2019ll leave the UK at the end of your visit
  • ", + "
  • you\u2019ll not live in the UK for extended periods through frequent or successive visits, or make the UK your main home
  • ", + "
  • you\u2019re able to support yourself during your trip (or have funding from someone else to support you)
  • ", + "
  • you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)
  • ", + "
  • you have proof of any other activities you want to do in the UK, as allowed by the Visitor Rules
  • ", + "

    Documents you'll need

    ", + "

    You must provide a passport or travel document. Your passport should be valid for the whole of your stay in the UK and contain a blank page for your visa.

    ", + "

    You can supply the following to support your application:

    ", + "
  • details of the marriage or civil partnership and proof that you\u2019ve paid money for some of its costs
  • ", + "
  • proof that you\u2019re planning to get married in the UK, for example a booking confirmation or emails between you and the venue
  • ", + "

    See the full list of documents you can provide to prove your eligibility.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    If you\u2019ve been married before

    ", + "

    You\u2019ll need to show proof that you\u2019re free to marry or enter into a civil partnership again, for example a:

    ", + "
  • decree absolute
  • ", + "
  • death certificate of a previous partner
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply from outside the UK

    ", + "

    If you need a visa, you must apply online before you travel to the UK.

    ", + "

    Check what documents you\u2019ll need to apply.

    ", + "

    If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein, you will not need a Marriage Visitor visa if you come to the UK on or before 30 June 2021.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    Apply for a Marriage Visitor visa

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Apply with family members

    ", + "

    Your partner must apply for their own Marriage Visitor visa and pay the fee if you both need one. Your child will need to apply as a standard visitor if they need a visa.

    ", + "

    You can apply on behalf of your partner and child, if they cannot apply for themselves.

    ", + "

    They must attend their own appointment at a visa application centre.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    " + ] + }, + "https://www.gov.uk/permitted-paid-engagement-visa": { + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "title": "Permitted Paid Engagement visa", + "content": "## Overview\n\nYou may be able to visit the UK for a paid engagement if you\u2019ve been invited as an expert in your profession.\n\nYou can apply for a Permitted Paid Engagement visa if you:\n\n- are invited by a UK-based organisation or client\n\n- want to come to the UK to do specific paid work without having to be sponsored under the points-based visa system\n\n- meet the other eligibility requirements\n\nYou may not have to apply for a visa. What you need to do depends on your nationality.\n\nCheck if you need to apply for a UK visa.\n\n## What you can and cannot do\n\nYou can be invited by a UK-based organisation or client to:\n\n- be a student examiner or assessor\n\n- take part in selection panels as a highly qualified academic if you\u2019re invited by an education, arts or research organisation\n\n- give lectures at a higher education institution, as long as it\u2019s not a part-time or full-time role\n\n- examine UK-based pilots so they meet the standards of the country you come from if you\u2019re invited by an approved UK training organisation regulated by the UK Civil Aviation Authority\n\n- provide advocacy in a particular area of law\n\n- take part in arts, entertainment or sporting activities including broadcasting\n\n- take part in fashion modelling assignments\n\nYou can also do minor activities related to your work or business overseas, such as attend meetings.\n\nYou cannot:\n\n- do paid work unrelated to your main job or area of expertise at home, other than what\u2019s allowed by your visa\n\n- extend this visa or switch to another visa\n\n- live in the UK for extended periods\n\n- get public funds (benefits)\n\n- study\n\n- marry or register a civil partnership, or give notice of marriage or civil partnership\n\n- bring family members (\u2018dependants\u2019) with you on your application - they must apply separately\n\nRead the guidance for more information about what you can and cannot do with a Permitted Paid Engagement visa.\n\n## How long you can stay\n\nYou can stay in the UK for up to 1 month.\n\n## When to apply and how long it takes\n\nIf you need a visa, you must apply online before you come to the UK.\n\nAs part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your \napplication.\n\nThe earliest you can apply is 3 months before you travel.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## Fees\n\nA Permitted Paid Engagement visa costs \u00a395.\n\n## Eligibility\n\nYou must show that:\n\n- you\u2019re 18 or over\n\n- you\u2019re visiting the UK for no more than 1 month\n\n- you\u2019ve been formally invited and paid by a UK-based organisation to attend an event or other permitted engagement\n\n- you\u2019ll leave the UK at the end of your visit\n\n- you will not live in the UK for extended periods through frequent or successive visits, or make the UK your main home\n\n- you\u2019re able to support yourself during your trip (or have funding from someone else to support you)\n\n- you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)\n\n- you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules\n\n## Documents you'll need\n\nWhen you apply you must provide:\n\n- a current passport or other valid travel document - your passport must have a blank page for your visa\n\n- a formal invitation from the UK-based organisation or client you\u2019ll be paid by\n\n- proof that the paid engagement relates to your expertise, qualifications and main job in your home country, for example a letter from your employer\n\nSee the full list of documents you can provide to prove your eligibility.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## Additional documents\n\nYou must provide extra documents if you\u2019re an established arts, entertainment or sporting professional. You can provide any of the following:\n\n- publications\n\n- publicity material\n\n- proof of awards\n\n- media coverage and reviews\n\n- proof of recent performances\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nIf you need a visa, you must apply online before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\n## Apply for a Permitted Paid Engagement visa\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Apply with family members\n\nEach family member must make their own application and pay the fee.\n\nYou can apply on behalf of your partner and child, if they cannot apply for themselves.\n\nThey must attend their own appointment at a visa application centre.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to visit the UK for a paid engagement if you\u2019ve been invited as an expert in your profession.

    ", + "

    You can apply for a Permitted Paid Engagement visa if you:

    ", + "
  • are invited by a UK-based organisation or client
  • ", + "
  • want to come to the UK to do specific paid work without having to be sponsored under the points-based visa system
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    You may not have to apply for a visa. What you need to do depends on your nationality.

    ", + "

    Check if you need to apply for a UK visa.

    ", + "

    What you can and cannot do

    ", + "

    You can be invited by a UK-based organisation or client to:

    ", + "
  • be a student examiner or assessor
  • ", + "
  • take part in selection panels as a highly qualified academic if you\u2019re invited by an education, arts or research organisation
  • ", + "
  • give lectures at a higher education institution, as long as it\u2019s not a part-time or full-time role
  • ", + "
  • examine UK-based pilots so they meet the standards of the country you come from if you\u2019re invited by an approved UK training organisation regulated by the UK Civil Aviation Authority
  • ", + "
  • provide advocacy in a particular area of law
  • ", + "
  • take part in arts, entertainment or sporting activities including broadcasting
  • ", + "
  • take part in fashion modelling assignments
  • ", + "

    You can also do minor activities related to your work or business overseas, such as attend meetings.

    ", + "

    You cannot:

    ", + "
  • do paid work unrelated to your main job or area of expertise at home, other than what\u2019s allowed by your visa
  • ", + "
  • extend this visa or switch to another visa
  • ", + "
  • live in the UK for extended periods
  • ", + "
  • get public funds (benefits)
  • ", + "
  • study
  • ", + "
  • marry or register a civil partnership, or give notice of marriage or civil partnership
  • ", + "
  • bring family members (\u2018dependants\u2019) with you on your application - they must apply separately
  • ", + "

    Read the guidance for more information about what you can and cannot do with a Permitted Paid Engagement visa.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for up to 1 month.

    ", + "

    When to apply and how long it takes

    ", + "

    If you need a visa, you must apply online before you come to the UK.

    ", + "

    As part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your \napplication.

    ", + "

    The earliest you can apply is 3 months before you travel.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    Fees

    ", + "

    A Permitted Paid Engagement visa costs \u00a395.

    ", + "

    Eligibility

    ", + "

    You must show that:

    ", + "
  • you\u2019re 18 or over
  • ", + "
  • you\u2019re visiting the UK for no more than 1 month
  • ", + "
  • you\u2019ve been formally invited and paid by a UK-based organisation to attend an event or other permitted engagement
  • ", + "
  • you\u2019ll leave the UK at the end of your visit
  • ", + "
  • you will not live in the UK for extended periods through frequent or successive visits, or make the UK your main home
  • ", + "
  • you\u2019re able to support yourself during your trip (or have funding from someone else to support you)
  • ", + "
  • you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)
  • ", + "
  • you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules
  • ", + "

    Documents you'll need

    ", + "

    When you apply you must provide:

    ", + "
  • a current passport or other valid travel document - your passport must have a blank page for your visa
  • ", + "
  • a formal invitation from the UK-based organisation or client you\u2019ll be paid by
  • ", + "
  • proof that the paid engagement relates to your expertise, qualifications and main job in your home country, for example a letter from your employer
  • ", + "

    See the full list of documents you can provide to prove your eligibility.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Additional documents

    ", + "

    You must provide extra documents if you\u2019re an established arts, entertainment or sporting professional. You can provide any of the following:

    ", + "
  • publications
  • ", + "
  • publicity material
  • ", + "
  • proof of awards
  • ", + "
  • media coverage and reviews
  • ", + "
  • proof of recent performances
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply from outside the UK

    ", + "

    If you need a visa, you must apply online before you travel to the UK.

    ", + "

    Check what documents you\u2019ll need to apply.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.

    ", + "

    Allow time to attend your appointment, as the visa application centre could be in another country.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    Apply for a Permitted Paid Engagement visa

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Apply with family members

    ", + "

    Each family member must make their own application and pay the fee.

    ", + "

    You can apply on behalf of your partner and child, if they cannot apply for themselves.

    ", + "

    They must attend their own appointment at a visa application centre.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    " + ] + }, + "https://www.gov.uk/parent-of-a-child-at-school-visa": { + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "title": "Parent of a Child Student visa", + "content": "## Who can apply\n\nYou can only apply for a Parent of a Child Student visa if your child has or is applying for a Child Student visa. Or if they currently have a Tier 4 (Child) visa.\n\nYour child must be aged between 4 and 11 when you apply, and be attending an independent school in the UK.\n\nYou must also:\n\n- be the only parent accompanying your child in the UK\n\n- have enough money to support yourself and your child in the UK\n\n- maintain your main home outside the UK\n\n- plan to leave the UK when your visa expires\n\n## Bringing family members with you\n\nTo be eligible for a Parent of a Child Student visa you must be the only parent accompanying your child in the UK. The child\u2019s other parent must live abroad, and cannot apply to join you in the UK.\n\nYou can bring your other children with you if they also have or are applying for a Child Student visa.\n\nYou cannot bring other family members with you on this visa. They may be able to apply to come to the UK on a short-term visit visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to come to the UK for more than 6 months. The earliest your Parent of a Child Student visa will start from is 1 January 2021.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long you can stay\n\nYou can stay in the UK until your child\u2019s visa expires or they turn 12, whichever happens first.\n\nYou can extend your visa while in the UK as long as you meet the eligibility requirements.\n\n## If you leave the UK\n\nIf your child is staying in education in the UK without you, you must make arrangements for their ongoing care. For example, if your child turns 12 and their visa is still valid, they may be able to start boarding at their current school, or live with other family members in the UK.\n\n## What you cannot do\n\nWhile you\u2019re in the UK on a Parent of a Child Student visa, you cannot:\n\n- do paid work\n\n- study\n\n- start a business\n\n- make the UK your main home\n\n- apply for benefits (public funds), or the State Pension\n\n- bring other family members with you\n\n- switch to a different type of visa\n\n## Money you need\n\nWhen you apply for a Parent of a Child Student visa, you must:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove that you have enough money to support yourself and your child while you\u2019re in the UK\n\n## Visa application fee\n\nA Parent of a Child Student visa costs \u00a3516.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3624 per year.\n\nThis is so you can use the National Health Service (NHS) in the UK.\n\nCheck how much you\u2019ll need to pay before you apply.\n\nYou pay the surcharge as part of your online visa application.\n\n## Money to support yourself and your child\n\nYou\u2019ll need to show that you have enough money to support yourself and your child in the UK.\n\nYou\u2019ll need \u00a31,560 for each month of your stay up to a maximum of 9 months. This amount is to support both you and your child.\n\nFor example, if you\u2019re staying for 9 months or longer you\u2019ll need to prove you have \u00a314,040 (9 months \u00d7 \u00a31,560).\n\n## If you want to bring your other children\n\nYou\u2019ll need an extra \u00a3625 per month, up to a maximum of 9 months, for each additional child that accompanies you to the UK. They must be a sibling of your other child and also have a Child Student visa.\n\n## If you\u2019re extending your visa\n\nIf you\u2019ve been in the UK for at least 12 months on a valid visa, you do not need to prove you have money to support yourself and your child for your visa application.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel document\n\n- proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa\n\n- evidence that you have a permanent home outside the UK\n\nDepending on your circumstances, you might also need to provide:\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test\n\n- a certified translation of any documents that are not in English or Welsh\n\n## Apply from outside the UK\n\nYou must apply online for a Parent of a Child Student visa before you travel to the UK.\n\nThe earliest you can apply is 6 months before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Apply online\n\nAs part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\nYou\u2019ll be told what you need to do when you apply.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply online\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nYou may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\n## Extend your visa\n\nYou can apply to extend your visa while in the UK as long as you and your child meet the eligibility requirements. This includes if your child currently has a Tier 4 (Child) student visa.\n\n## How long you can stay\n\nWhen you extend your visa you can stay in the UK until the date your child\u2019s student visa expires or they turn 12, whichever happens first.\n\n## When to apply to extend your visa\n\nYou must apply before your current visa expires.\n\nYou can stay in the UK until you get a decision on your visa application.\n\n## Apply to extend your visa\n\nYou must apply online.\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point. At the appointment you must provide your biometric information (your fingerprints and a photo). It costs \u00a319.20.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply to extend\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 8 weeks.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\nYou can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\nIf you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.", + "original_contents": [ + "

    Who can apply

    ", + "

    You can only apply for a Parent of a Child Student visa if your child has or is applying for a Child Student visa. Or if they currently have a Tier 4 (Child) visa.

    ", + "

    Your child must be aged between 4 and 11 when you apply, and be attending an independent school in the UK.

    ", + "

    You must also:

    ", + "
  • be the only parent accompanying your child in the UK
  • ", + "
  • have enough money to support yourself and your child in the UK
  • ", + "
  • maintain your main home outside the UK
  • ", + "
  • plan to leave the UK when your visa expires
  • ", + "

    Bringing family members with you

    ", + "

    To be eligible for a Parent of a Child Student visa you must be the only parent accompanying your child in the UK. The child\u2019s other parent must live abroad, and cannot apply to join you in the UK.

    ", + "

    You can bring your other children with you if they also have or are applying for a Child Student visa.

    ", + "

    You cannot bring other family members with you on this visa. They may be able to apply to come to the UK on a short-term visit visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to come to the UK for more than 6 months. The earliest your Parent of a Child Student visa will start from is 1 January 2021.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK until your child\u2019s visa expires or they turn 12, whichever happens first.

    ", + "

    You can extend your visa while in the UK as long as you meet the eligibility requirements.

    ", + "

    If you leave the UK

    ", + "

    If your child is staying in education in the UK without you, you must make arrangements for their ongoing care. For example, if your child turns 12 and their visa is still valid, they may be able to start boarding at their current school, or live with other family members in the UK.

    ", + "

    What you cannot do

    ", + "

    While you\u2019re in the UK on a Parent of a Child Student visa, you cannot:

    ", + "
  • do paid work
  • ", + "
  • study
  • ", + "
  • start a business
  • ", + "
  • make the UK your main home
  • ", + "
  • apply for benefits (public funds), or the State Pension
  • ", + "
  • bring other family members with you
  • ", + "
  • switch to a different type of visa
  • ", + "

    Money you need

    ", + "

    When you apply for a Parent of a Child Student visa, you must:

    ", + "
  • pay the application fee
  • ", + "
  • pay the healthcare surcharge for each year of your stay
  • ", + "
  • prove that you have enough money to support yourself and your child while you\u2019re in the UK
  • ", + "

    Visa application fee

    ", + "

    A Parent of a Child Student visa costs \u00a3516.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3624 per year.

    ", + "

    This is so you can use the National Health Service (NHS) in the UK.

    ", + "

    Check how much you\u2019ll need to pay before you apply.

    ", + "

    You pay the surcharge as part of your online visa application.

    ", + "

    Money to support yourself and your child

    ", + "

    You\u2019ll need to show that you have enough money to support yourself and your child in the UK.

    ", + "

    You\u2019ll need \u00a31,560 for each month of your stay up to a maximum of 9 months. This amount is to support both you and your child.

    ", + "

    For example, if you\u2019re staying for 9 months or longer you\u2019ll need to prove you have \u00a314,040 (9 months \u00d7 \u00a31,560).

    ", + "

    If you want to bring your other children

    ", + "

    You\u2019ll need an extra \u00a3625 per month, up to a maximum of 9 months, for each additional child that accompanies you to the UK. They must be a sibling of your other child and also have a Child Student visa.

    ", + "

    If you\u2019re extending your visa

    ", + "

    If you\u2019ve been in the UK for at least 12 months on a valid visa, you do not need to prove you have money to support yourself and your child for your visa application.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel document
  • ", + "
  • proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa
  • ", + "
  • evidence that you have a permanent home outside the UK
  • ", + "

    Depending on your circumstances, you might also need to provide:

    ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test
  • ", + "
  • a certified translation of any documents that are not in English or Welsh
  • ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Parent of a Child Student visa before you travel to the UK.

    ", + "

    The earliest you can apply is 6 months before you travel to the UK.

    ", + "

    Check what documents you\u2019ll need to apply.

    ", + "

    Apply online

    ", + "

    As part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply online

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    You may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    You\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Find out what happens after you get your decision.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your visa while in the UK as long as you and your child meet the eligibility requirements. This includes if your child currently has a Tier 4 (Child) student visa.

    ", + "

    How long you can stay

    ", + "

    When you extend your visa you can stay in the UK until the date your child\u2019s student visa expires or they turn 12, whichever happens first.

    ", + "

    When to apply to extend your visa

    ", + "

    You must apply before your current visa expires.

    ", + "

    You can stay in the UK until you get a decision on your visa application.

    ", + "

    Apply to extend your visa

    ", + "

    You must apply online.

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point. At the appointment you must provide your biometric information (your fingerprints and a photo). It costs \u00a319.20.

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply to extend

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 8 weeks.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    You can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    You\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Find out what happens after you get your decision.

    ", + "

    If you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.

    " + ] + }, + "https://www.gov.uk/transit-visa": { + "url": "https://www.gov.uk/transit-visa", + "title": "Visa to pass through the UK in transit", + "content": "## Overview\n\nYou might need a visa to pass through the UK in transit (on your way to another country).\n\nCheck if you need one before you apply.\n\nTo get a transit visa you must prove that:\n\n- you\u2019ll be in transit to another country, with enough funds and the intention to travel on\n\n- you can enter that country\n\n- the only purpose of your visit to the UK is transit\n\nYou do not need a transit visa if you:\n\n- have an EEA family permit\n\n- have an EU Settlement Scheme family permit\n\n- have a Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- have a Standard Visitor visa\n\n- have a Marriage Visitor visa\n\n## Types of transit visa\n\nThe visa you need depends on whether you\u2019re going through UK border control when you arrive in the UK.\n\nYour airline can tell you if you\u2019ll go through border control.\n\n## You\u2019re not going through UK border control\n\nApply for a Direct Airside Transit visa (DATV) if you\u2019ll be changing flights in the UK and will not be going through UK border control.\n\n## You\u2019re going through UK border control\n\nApply for a Visitor in Transit visa if you\u2019ll be going through UK border control but leaving the UK within 48 hours.\n\nYou\u2019ll need to apply for a Standard Visitor visa if:\n\n- you need to stay longer in the UK\n\n- you can prove you need to frequently pass through the UK over a longer period\n\n## Fees\n\n- Direct Airside Transit visa (DATV) - \u00a335\n\n- Visitor in Transit visa - \u00a364\n\nThe cost may vary slightly depending on which country you\u2019re in.\n\n## Direct Airside Transit visa\n\nYou might need a Direct Airside Transit visa (DATV) if you:\n\n- will be changing flights in the UK on your way to another country\n\n- will not go through UK border control\n\nYou may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.\n\nYou do not need one if you have a valid:\n\n- EEA family permit\n\n- EU Settlement Scheme family permit\n\n- Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- Standard Visitor visa\n\n- Marriage Visitor visa\n\nYou must apply for another type of visitor visa if you\u2019re travelling to or from Ireland, the Channel Islands or the Isle of Man.\n\n## Documents you need\n\nTo apply for a DATV, you must have a current passport or other valid travel document.\n\nYou need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:\n\n- residence permit\n\n- green card\n\n- valid visa\n\nIf you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.\n\nYou must also provide evidence that your onward journey is booked or confirmed, such as:\n\n- a flight booking email\n\n- printed tickets\n\n- confirmation from a travel agent\n\nBring your visa and documents with you when you travel through the UK.\n\n## Apply\n\nYou must apply online for a Direct Airside Transit visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nYou may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.\n\nApply now\n\n## Visitor in Transit visa\n\nYou might need a Visitor in Transit visa if you\u2019re:\n\n- changing flights in the UK on your way to another country\n\n- going through UK border control, for example to check in your luggage for a connecting flight\n\n- leaving the UK within 48 hours\n\n- not working or studying while in the UK\n\nYou may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.\n\nIf you will not be going through UK border control, check if you need a Direct Airside Transit visa instead.\n\nYou do not need a transit visa if you have a valid:\n\n- EEA family permit\n\n- EU Settlement Scheme family permit\n\n- Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- Standard Visitor visa\n\n- Marriage Visitor visa\n\nYou need to apply for a Standard Visitor visa if you\u2019re staying in the UK for more than 48 hours.\n\n## Travel to the Channel Islands, the Isle of Man or Ireland\n\nYou might need to apply for a visitor visa to travel through the UK to get to the Channel Islands, the Isle of Man or Ireland.\n\nYou\u2019ll usually need to apply for a Standard Visitor visa unless you\u2019re exempt.\n\nYou do not need a UK visitor visa if:\n\n- you have a valid visa for the Channel Islands or the Isle of Man\n\n- you have a valid Irish biometric visa (marked \u2018BC\u2019 or \u2018BC BIVS\u2019 in the \u2018Remarks\u2019 section)\n\n## If you need to pass through the UK regularly\n\nYou can also apply for a long-term Standard Visitor visa if you need to pass through the UK in transit regularly over a longer period. You can stay for a maximum of 6 months on each visit and your visa can last for 2, 5 or 10 years.\n\n## Documents you need\n\nTo apply for a Visitor in Transit visa, you must have a current passport or other valid travel document.\n\nYou need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:\n\n- residence permit\n\n- green card\n\n- valid visa\n\nIf you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.\n\nYou must also provide evidence that your onward journey is booked or confirmed, such as:\n\n- a flight booking email\n\n- printed tickets\n\n- confirmation from a travel agent\n\nYour onward flight must be within 48 hours of your arrival in the UK.\n\nBring your visa and documents with you when you travel through the UK.\n\n## Apply\n\nYou must apply online for a Visitor in Transit visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nYou may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.\n\nApply now", + "original_contents": [ + "

    Overview

    ", + "

    You might need a visa to pass through the UK in transit (on your way to another country).

    ", + "

    Check if you need one before you apply.

    ", + "

    To get a transit visa you must prove that:

    ", + "
  • you\u2019ll be in transit to another country, with enough funds and the intention to travel on
  • ", + "
  • you can enter that country
  • ", + "
  • the only purpose of your visit to the UK is transit
  • ", + "

    You do not need a transit visa if you:

    ", + "
  • have an EEA family permit
  • ", + "
  • have an EU Settlement Scheme family permit
  • ", + "
  • have a Home Office travel document, for example you\u2019re a refugee or stateless person
  • ", + "
  • have a Standard Visitor visa
  • ", + "
  • have a Marriage Visitor visa
  • ", + "

    Types of transit visa

    ", + "

    The visa you need depends on whether you\u2019re going through UK border control when you arrive in the UK.

    ", + "

    Your airline can tell you if you\u2019ll go through border control.

    ", + "

    You\u2019re not going through UK border control

    ", + "

    Apply for a Direct Airside Transit visa (DATV) if you\u2019ll be changing flights in the UK and will not be going through UK border control.

    ", + "

    You\u2019re going through UK border control

    ", + "

    Apply for a Visitor in Transit visa if you\u2019ll be going through UK border control but leaving the UK within 48 hours.

    ", + "

    You\u2019ll need to apply for a Standard Visitor visa if:

    ", + "
  • you need to stay longer in the UK
  • ", + "
  • you can prove you need to frequently pass through the UK over a longer period
  • ", + "

    Fees

    ", + "
  • Direct Airside Transit visa (DATV) - \u00a335
  • ", + "
  • Visitor in Transit visa - \u00a364
  • ", + "

    The cost may vary slightly depending on which country you\u2019re in.

    ", + "

    Direct Airside Transit visa

    ", + "

    You might need a Direct Airside Transit visa (DATV) if you:

    ", + "
  • will be changing flights in the UK on your way to another country
  • ", + "
  • will not go through UK border control
  • ", + "

    You may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.

    ", + "

    You do not need one if you have a valid:

    ", + "
  • EEA family permit
  • ", + "
  • EU Settlement Scheme family permit
  • ", + "
  • Home Office travel document, for example you\u2019re a refugee or stateless person
  • ", + "
  • Standard Visitor visa
  • ", + "
  • Marriage Visitor visa
  • ", + "

    You must apply for another type of visitor visa if you\u2019re travelling to or from Ireland, the Channel Islands or the Isle of Man.

    ", + "

    Documents you need

    ", + "

    To apply for a DATV, you must have a current passport or other valid travel document.

    ", + "

    You need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:

    ", + "
  • residence permit
  • ", + "
  • green card
  • ", + "
  • valid visa
  • ", + "

    If you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.

    ", + "

    You must also provide evidence that your onward journey is booked or confirmed, such as:

    ", + "
  • a flight booking email
  • ", + "
  • printed tickets
  • ", + "
  • confirmation from a travel agent
  • ", + "

    Bring your visa and documents with you when you travel through the UK.

    ", + "

    Apply

    ", + "

    You must apply online for a Direct Airside Transit visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.

    ", + "

    You may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.

    ", + "

    Apply now

    ", + "

    Visitor in Transit visa

    ", + "

    You might need a Visitor in Transit visa if you\u2019re:

    ", + "
  • changing flights in the UK on your way to another country
  • ", + "
  • going through UK border control, for example to check in your luggage for a connecting flight
  • ", + "
  • leaving the UK within 48 hours
  • ", + "
  • not working or studying while in the UK
  • ", + "

    You may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.

    ", + "

    If you will not be going through UK border control, check if you need a Direct Airside Transit visa instead.

    ", + "

    You do not need a transit visa if you have a valid:

    ", + "
  • EEA family permit
  • ", + "
  • EU Settlement Scheme family permit
  • ", + "
  • Home Office travel document, for example you\u2019re a refugee or stateless person
  • ", + "
  • Standard Visitor visa
  • ", + "
  • Marriage Visitor visa
  • ", + "

    You need to apply for a Standard Visitor visa if you\u2019re staying in the UK for more than 48 hours.

    ", + "

    Travel to the Channel Islands, the Isle of Man or Ireland

    ", + "

    You might need to apply for a visitor visa to travel through the UK to get to the Channel Islands, the Isle of Man or Ireland.

    ", + "

    You\u2019ll usually need to apply for a Standard Visitor visa unless you\u2019re exempt.

    ", + "

    You do not need a UK visitor visa if:

    ", + "
  • you have a valid visa for the Channel Islands or the Isle of Man
  • ", + "
  • you have a valid Irish biometric visa (marked \u2018BC\u2019 or \u2018BC BIVS\u2019 in the \u2018Remarks\u2019 section)
  • ", + "

    If you need to pass through the UK regularly

    ", + "

    You can also apply for a long-term Standard Visitor visa if you need to pass through the UK in transit regularly over a longer period. You can stay for a maximum of 6 months on each visit and your visa can last for 2, 5 or 10 years.

    ", + "

    Documents you need

    ", + "

    To apply for a Visitor in Transit visa, you must have a current passport or other valid travel document.

    ", + "

    You need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:

    ", + "
  • residence permit
  • ", + "
  • green card
  • ", + "
  • valid visa
  • ", + "

    If you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.

    ", + "

    You must also provide evidence that your onward journey is booked or confirmed, such as:

    ", + "
  • a flight booking email
  • ", + "
  • printed tickets
  • ", + "
  • confirmation from a travel agent
  • ", + "

    Your onward flight must be within 48 hours of your arrival in the UK.

    ", + "

    Bring your visa and documents with you when you travel through the UK.

    ", + "

    Apply

    ", + "

    You must apply online for a Visitor in Transit visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.

    ", + "

    You may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.

    ", + "

    Apply now

    " + ] + }, + "https://www.gov.uk/skilled-worker-visa": { + "url": "https://www.gov.uk/skilled-worker-visa", + "title": "Skilled Worker visa", + "content": "## Overview\n\nA Skilled Worker visa allows you to come to or stay in the UK to do an eligible job with an approved employer.\n\nThis visa has replaced the Tier 2 (General) work visa.\n\nSome\u00a0health workers and their families will get their visas extended for free because of coronavirus (COVID-19).\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Eligibility\n\n## Your job\n\nTo qualify for a Skilled Worker visa, you must:\n\n- work for a UK employer that\u2019s been approved by the Home Office\n\n- have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK\n\n- do a job that\u2019s on the list of eligible occupations\n\n- be paid a minimum salary - how much depends on the type of work you do\n\nThe specific eligibility depends on your job.\n\nYou must have a confirmed job offer before you apply for your visa.\n\n## Knowledge of English\n\nYou must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.\n\n## If you\u2019re not eligible for a Skilled Worker visa\n\nYou may be eligible for another type of visa to work in the UK.\n\n## How long you can stay\n\nYour visa can last for up to 5 years before you need to extend it. You\u2019ll need to apply to extend or update your visa when it expires or if you change jobs or employer.\n\n## If you want to stay longer in the UK\n\nYou can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.\n\nAfter 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\nIf you want to change your job or employer, you must apply to update your visa.\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How long it takes\n\nYou can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## How much it costs\n\nYou, your partner or children will each need to:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove you have enough personal savings\n\nCheck how much money you\u2019ll need.\n\n## If you work in public sector healthcare\n\nIf you\u2019re a doctor or nurse, or you work in health or adult social care, check if you\u2019re eligible to apply for the Health and Care Worker visa instead. It\u2019s cheaper to apply for and you do not need to pay the annual immigration health surcharge.\n\n## What you can and cannot do\n\nWith a Skilled Worker visa you can:\n\n- work in an eligible job\n\n- study\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- take on additional work in certain circumstances\n\n- do voluntary work\n\n- travel abroad and return to the UK\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- change jobs or employer unless you apply to update your visa\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Skilled Worker visa.\n\n## Your job\n\nYou must meet all of the following requirements to be eligible for a Skilled Worker visa:\n\n- your job is eligible for this visa\n\n- you\u2019ll be working for a UK employer that\u2019s been approved by the Home Office\n\n- you\u2019ll be paid at least the minimum salary for the type of work you\u2019ll be doing\n\nThe minimum salary for the type of work you\u2019ll be doing is whichever is the highest out of the following 3 options:\n\n- \u00a325,600 per year\n\n- \u00a310.10 per hour\n\n- the \u2018going rate\u2019 for the type of work you\u2019ll be doing\n\n## Check if your job is eligible\n\nBefore you can find out if your job is eligible, you need to know its 4-digit occupation code.\n\nIf you already have a job offer, ask your employer for your occupation code.\n\n## Look up your job\u2019s occupation code\n\nIf you do not know your code, you can search for your job in the ONS occupation coding tool.\n\nNot every job title is included. If you cannot find your exact job title, try searching for similar jobs.\n\nMake sure the job description matches what you\u2019ll be doing. Some similar jobs have different codes, for example chefs and cooks. Chefs are eligible for a Skilled Worker visa, but cooks are not.\n\n## Check if an occupation code is eligible for this visa\n\nWhen you know your occupation code, view the table of eligible jobs to see if it\u2019s included.\n\nThe table is very large. It\u2019s sorted in order of occupation code, with the smallest numbers at the top. You may be able to use your web browser to search for your code on the page.\n\n## Salary requirements\n\nYou\u2019ll usually need to be paid at least \u00a325,600 per year or \u00a310.10 per hour, whichever is higher. If the \u2018going rate\u2019 for your job is higher than both of these, you\u2019ll usually need to be paid at least the going rate.\n\nEach occupation code has its own annual going rate. Check the going rate for your job in the going rates table.\n\n## If you work in healthcare or education\n\nThere are different salary rules if you work in some healthcare or education jobs, where the going rate is based on national pay scales.\n\n## When you can be paid less\n\nIf you do not meet the usual salary requirements, and you do not work in healthcare or education, you might still be eligible if your salary will be at least \u00a320,480 per year and at least \u00a310.10 per hour.\n\nCheck when you can be paid less.\n\n## Approved UK employers\n\nYou must have a job offer from an approved UK employer before you apply for a Skilled Worker visa. Approved employers are also known as sponsors, because they are sponsoring you to come to or stay in the UK.\n\nView the list of approved UK employers.\n\nIf your employer is not currently approved, they can apply for a sponsor licence if they\u2019re eligible.\n\nThey\u2019ll need to pay a fee - \u00a3536 for small businesses and charities or \u00a31,476 for medium and large organisations. It usually takes around 8 weeks to process a licence application.\n\n## If you already have a job offer from an approved employer\n\nYour employer - also known as your sponsor - will check that you meet the eligibility requirements. They\u2019ll give you a \u2018certificate of sponsorship\u2019 to prove this.\n\nThe certificate of sponsorship is an electronic record, not a physical document. It will have a reference number, which you\u2019ll need for your visa application.\n\nYou must apply for your visa within 3 months of getting your certificate of sponsorship.\n\nCheck which documents you\u2019ll need to apply.\n\n## When you can be paid less\n\nYou might still be able to apply for a Skilled Worker visa if your job is eligible but your salary is less than \u00a325,600 or your job\u2019s usual \u2018going rate\u2019. You must still be paid at least \u00a310.10 per hour.\n\nYou can be paid between 70% and 90% of the usual going rate for your job if your salary is at least \u00a320,480 per year and you meet one of the following criteria:\n\n- your job is in a shortage occupation\n\n- you\u2019re under 26, studying or a recent graduate, or in professional training\n\n- you have a science, technology, engineering or maths (STEM) PhD level qualification that\u2019s relevant to your job (if you have a relevant PhD level qualification in any other subject your salary must be at least \u00a323,040)\n\n- you have a postdoctoral position in science or higher education\n\nThere are different salary rules if you work in some healthcare or education jobs.\n\n## Your job is in a shortage occupation\n\nA \u2018shortage occupation\u2019 is a skilled job where there is a shortage of workers in the UK.\n\nIf your job is on the shortage occupation list, you can:\n\n- be paid 80% of the job\u2019s usual going rate\n\n- pay a lower fee for your visa\n\nView the shortage occupations list to see if your job is included and how much you\u2019ll need to be paid.\n\nMake sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.\n\n## You\u2019re under 26, studying or a recent graduate, or in professional training\n\nYou can be paid 70% of your job\u2019s usual going rate if one of the following applies:\n\n- you\u2019re under 26 on the date you apply\n\n- you\u2019re currently in the UK on a Student visa studying at bachelor\u2019s degree level or above - or you have been in the last 2 years, and a Student or visit visa was your most recent visa\n\n- you\u2019re currently in the UK on a Graduate Entrepreneur visa\n\n- you\u2019ll be working towards a recognised qualification in a UK regulated profession\n\n- you\u2019ll be working towards full registration or chartered status in the job you\u2019re being sponsored for\n\nIf this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.\n\nYour total stay in the UK cannot be more than 4 years if you apply for one of these reasons. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.\n\n## You have a PhD level qualification that\u2019s relevant to your job\n\nIf your job is eligible for a PhD salary discount, you can be paid 80% or 90% of the job\u2019s usual going rate, depending on which subject you are qualified in.\n\nIf you have a science, technology, engineering or maths (STEM) qualification, you can be paid 80% of your job\u2019s usual going rate, as long as you will still be paid at least \u00a320,480 per year.\n\nIf you have a non-STEM qualification, you can be paid 90% of your job\u2019s usual going rate, as long as you will still be paid at least \u00a323,040 a year.\n\nIn both situations, you must:\n\n- have a UK PhD or an equivalent doctorate-level overseas qualification - you\u2019ll need to apply through Ecctis (formerly UK NARIC) to check if an overseas qualification is equivalent to a UK PhD\n\n- be able to prove your qualification is relevant to the job you\u2019ll be doing in the UK - your employer can confirm this\n\nView the list of jobs that qualify for a PhD salary discount to see if your job is included and how much you need to be paid.\n\nIf you\u2019re a research or academic leader, you may also be eligible to apply for the Global Talent visa. This visa has no language or minimum salary requirements.\n\n## You have a postdoctoral position in science or higher education\n\nYou can be paid 70% of your job\u2019s usual going rate if you\u2019ll be working in a postdoctoral position in certain science or higher education roles.\n\nYour job must be in one of the following occupation codes to qualify for this salary discount:\n\n- 2111: chemical scientists\n\n- 2112: biological scientists and biochemists\n\n- 2113: physical scientists\n\n- 2114: social and humanities scientists\n\n- 2119: natural and social science professionals that are \u2018not elsewhere classified\u2019, such as research fellows and sports scientists\n\n- 2311: higher education teaching professionals\n\nIf this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.\n\nYour total stay in the UK cannot be more than 4 years if you apply to work in a postdoctoral position at 70% of the usual going rate. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.\n\n## If you work in healthcare or education\n\nThere are different salary rules if you work in some healthcare or education jobs. Your salary must be at least \u00a320,480 - or more if your job\u2019s \u2018going rate\u2019 is higher.\n\nThe going rates for these jobs are based on the national pay scales set by the relevant independent body, for example the NHS.\n\nView the list of eligible healthcare and education jobs to see if your job is included.\n\n## National pay scales tables\n\nIf your job is on the list, your salary must be at least the national pay scale rate for the job you\u2019ll be doing.\n\nThese going rates apply whether you\u2019ll be working in the public or private sector.\n\nCheck how much you\u2019ll need to be paid in the:\n\n- table of national pay scales for eligible healthcare jobs - listed by NHS pay band and area of the UK\n\n- table of national pay scales for eligible teaching and education leadership jobs - listed by role and area of the UK\n\nAsk your employer if you\u2019re not sure what your role or pay band will be.\n\n## If your job is on the shortage occupation list\n\nYou and your family will pay a lower application fee if your job is in a shortage occupation.\n\nView the list of healthcare and education shortage occupations to see if your job is included.\n\nMake sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.\n\nIf your job is on the list, the reduced fee for each person applying is:\n\n- \u00a3464 if you\u2019re staying for up to 3 years\n\n- \u00a3928 if you\u2019re staying for more than 3 years\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\nYou\u2019ll also need to pay the healthcare surcharge and prove you can support yourself in the UK - check how much money you\u2019ll need.\n\n## Knowledge of English\n\nYou\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to at least level B1 on the Common European Framework of Reference for Languages (CEFR) scale.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18\n\n- having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply through Ecctis (formerly UK NARIC) for confirmation that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## If you\u2019re a doctor, dentist, nurse, midwife or vet\n\nYou do not need to prove your knowledge of English if you\u2019ve already passed an English Language assessment that is accepted by the relevant regulated professional body.\n\nIf you\u2019re a vet, you may need to prove that you passed an English Language assessment with the Royal College of Veterinary Surgeons.\n\n## How much it costs\n\nWhen you apply for a Skilled Worker visa, you\u2019ll need to have enough money to:\n\n- pay the application fee - the standard fee ranges from \u00a3610 to \u00a31,408 depending on your circumstances\n\n- pay the healthcare surcharge - this is usually \u00a3624 per year\n\n- support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\nYou\u2019ll pay a lower application fee if your job is on the shortage occupation list.\n\nYou\u2019ll be told how much you need to pay when you apply.\n\n## Application fees\n\nIf you\u2019re applying from outside the UK, the standard fee depends on whether you\u2019ll be in the UK for:\n\n- up to 3 years - \u00a3610 per person\n\n- more than 3 years - \u00a31,220 per person\n\nIf you\u2019re applying from inside the UK to extend, switch or update your visa, the standard fee depends on whether you\u2019ll be in the UK for:\n\n- up to 3 years - \u00a3704 per person\n\n- more than 3 years - \u00a31,408 per person\n\n## If your job is on the shortage occupation list\n\nYou and your family will pay a lower application fee if your job is on the shortage occupation list.\n\nThe fee for each person applying is:\n\n- \u00a3464 if you\u2019re staying for up to 3 years\n\n- \u00a3928 if you\u2019re staying for more than 3 years\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\nThere\u2019s a different list of shortage occupations if you work in healthcare or education.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nIf your job is on the shortage occupation list, you\u2019ll get this reduction as well as paying a lower fee.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge for each year of your stay - this is usually \u00a3624 per year. Check how much you\u2019ll have to pay before you apply.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- proof of your knowledge of English\n\n- a valid passport or other document that shows your identity and nationality\n\n- your job title and annual salary\n\n- your job\u2019s occupation code\n\n- the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship\n\nAsk your employer for a copy of your certificate of sponsorship if you do not have one.\n\n## If your certificate of sponsorship was issued before 1 December 2020\n\nYour certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (General) work visa was replaced by the Skilled Worker visa.\n\nAsk your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.\n\n## Other documents you might need\n\nDepending on your circumstances, you might be asked to provide:\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a listed country\n\n- a criminal record certificate - if you\u2019re working in certain jobs\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\n- your UK PhD certificate, or your unique Ecctis reference number (formerly unique UK NARIC reference number) if your qualification is from outside the UK - you\u2019ll need to apply through Ecctis\n\nYou\u2019ll need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\n## Criminal record certificate\n\nYou\u2019ll need to provide a criminal record certificate if you\u2019re applying from outside the UK and you work in:\n\n- education, for example teachers, education advisers and school inspectors, childminders, teaching assistants\n\n- healthcare, for example nurses, doctors, paramedics, managers, pharmacists, dentists and dental nurses, ophthalmic opticians\n\n- therapy, for example psychologists, speech and language therapists, counsellors\n\n- social services, for example social workers, managers, probation officers, welfare and housing officers\n\nCheck how to apply for criminal records checks.\n\nIf you work in healthcare, you might be able to apply for the Health and Care Worker visa instead.\n\n## If you\u2019ve lived in more than one country\n\nYou might need to provide a certificate from each country you\u2019ve lived in, depending on your age and how long you stayed in each country.\n\nIf you\u2019re under 28, you\u2019ll need a certificate from any country you\u2019ve stayed in for a total of 12 months or more since you turned 18.\n\nIf you\u2019re 28 or over, you\u2019ll need a certificate from any country you\u2019ve stayed in over the last 10 years.\n\n## When you\u2019ve got your documents ready\n\nYou can apply online once your documents are ready.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\nIf you\u2019ve read the guidance and you\u2019re not sure if you\u2019re eligible, you can use a Home Office checker tool. You\u2019ll be asked to confirm that you meet all of the eligibility requirements.\n\n## Apply from outside the UK\n\nYou must apply online for a Skilled Worker visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for a Skilled Worker visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as your partner\n\n- apply online as your child\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity.\n\nThey\u2019ll either:\n\n- have their fingerprints and photograph taken at a \nvisa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\nIf they do need an appointment:\n\n- the visa application centre may need to keep their passport and documents while they process their application\n\n- they may have to travel to get to their nearest centre (this could be in another country)\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nApply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your Skilled Worker visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch to your Skilled Worker visa as your partner\n\n- extend or switch to your Skilled Worker visa as your child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou must apply for your child\u2019s dependant visa if you want to travel in and out of the UK with them.\n\nThe form you fill in depends on if:\n\n- your child is inside the UK\n\n- your child is outside the UK\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Extend your visa\n\nYou can usually apply to extend a Skilled Worker visa or a Tier 2 (General) work visa if all of the following are true:\n\n- you have the same job as when you were given your previous permission to enter or stay in the UK\n\n- your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK\n\n- you\u2019re still working for the employer who gave you your current certificate of sponsorship\n\nSome\u00a0health workers and their families will get their visas extended for free because of coronavirus (COVID-19).\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## If you have a Tier 2 (General) work visa\n\nYou may need to meet different eligibility requirements, depending on:\n\n- whether you got the certificate of sponsorship for your first Tier 2 visa before or after 24 November 2016\n\n- whether you applied for your first Tier 2 (General) or Skilled Worker visa before 6 April 2021\n\n- your occupation code - some have different going rates\n\nThe requirements will apply if you either:\n\n- have a Tier 2 (General) work visa\n\n- had a Tier 2 (General) work visa which you\u2019ve extended as a Skilled Worker visa\n\n## If you got your certificate of sponsorship before 24 November 2016\n\nIf you apply to extend before 24 May 2023, the minimum salary you\u2019ll need to be paid is fixed at a lower rate. You\u2019ll need to be paid at least \u00a320,800 per year unless the \u2018going rate\u2019 for your job is higher than this.\n\n## If you got your certificate of sponsorship on or after 24 November 2016\n\nIf you apply to extend before 1 December 2026, you will still need to meet the new salary requirements, but your salary may also include allowances, such as London weighting. Any allowances must be guaranteed for the length of your stay.\n\n## If you applied for your first Tier 2 (General) or Skilled Worker visa before 6 April 2021\n\nThe minimum salary requirement of \u00a310.10 per hour or the going rate for the type of work you\u2019ll be doing does not apply.\n\n## Jobs with different going rates\n\nFor some jobs, the going rate for the Skilled Worker visa is different.\n\n| Occupation code | Going rate for Skilled Worker visa | 90% of going rate (for relevant STEM PhD) | 80% of going rate (for relevant non-STEM PhD or shortage occupation) | 70% of going rate (for new entrants) |\n\n| 2113 Physical scientists | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour) |\n\n| 2119 Natural and social science professionals | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour) |\n\n| 2311 Higher education teaching professionals | \u00a333,000 (\u00a315.87 per hour) | \u00a329,700 (14.28 per hour) | \u00a326,400 (\u00a312.69 per hour) | \u00a323,100 (\u00a311.11 per hour) |\n\n## If you\u2019ve changed job or employer\n\nYou\u2019ll need to apply to update your visa instead.\n\n## Fees\n\nCheck how much it costs for your type of visa.\n\nYou may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Skilled Worker visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Update your visa if you change job or employer\n\nYou\u2019ll need to apply to update your Skilled Worker or Tier 2 (General) work visa if:\n\n- you want to change your job and your new job is with a different employer\n\n- your job changes to a different occupation code, and you\u2019re not in a graduate training programme\n\n- you leave a job that\u2019s on the shortage occupation list for a job that is not on the list\n\nYou do not need to apply again if you stay in the same job, but your job is taken off the shortage occupation list.\n\nIf you\u2019ll be doing a different job for your current employer, you only need to apply to update your visa if your new job is in a different occupation code.\n\nYour partner or children will need to apply separately.\n\n## Eligibility and documents you\u2019ll need to apply\n\nYour new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.\n\nYou\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.\n\n## If you\u2019re applying to add a second job to your current visa\n\nYou must apply to update your visa if you take on a second job that is either:\n\n- more than 20 paid hours a week in addition to the job you\u2019re being sponsored for\n\n- in a different occupation code\n\nYour second job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.\n\nYou\u2019ll also need to include a letter with your application explaining that you want to change your current permission to stay.\n\nYour letter must state:\n\n- your name\n\n- your date of birth\n\n- your current certificate of sponsorship reference number\n\n- the date when your current permission to stay runs out\n\nIf your application is successful, you\u2019ll get a new visa giving you permission to do both jobs.\n\nYou do not need to apply to update your visa if you\u2019re taking on additional work in the same occupation code or you\u2019ll be doing less than 20 paid hours a week.\n\n## When to apply to update your visa\n\nYou can apply to update your visa up to 3 months before the start date of your new job.\n\nYou can continue working in your current job while your new application is being considered, or to work out your notice period - as long as you apply before your current visa expires.\n\nYou should not start your new job until you\u2019ve got confirmation of your new permission.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.\n\n## Apply to update your visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to a Skilled Worker visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Eligibility\n\nYou must meet the following requirements:\n\n- your job meets the eligibility requirements\n\n- you can speak, read, write and understand English\n\n## Who cannot apply to switch to this visa\n\nYou cannot apply to switch to this visa if you\u2019re currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because you were given permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and apply for a Skilled Worker visa from abroad if you\u2019re in one of these categories.\n\n## Fees\n\nEach person applying will need to pay:\n\n- the visa application fee\n\n- the healthcare surcharge for each year of their stay - check how much you\u2019ll have to pay\n\nYou may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\nIf you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to switch to a Skilled Worker visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Taking on additional work\n\nYou can do additional paid work on this visa as long as you\u2019re still doing the job you\u2019re being sponsored for. You can also do unpaid voluntary work.\n\nYou can work up to 20 hours a week in a job that\u2019s either:\n\n- in the same occupation code and at the same level as your main job\n\n- in a shortage occupation\n\nCheck if your job is on the list of:\n\n- healthcare and education shortage occupations\n\n- all other shortage occupations\n\nDue to coronavirus (COVID-19), there\u2019s currently no limit on the number of hours you can work or volunteer if you have a second job as an NHS doctor, nurse or paramedic.\n\n## If you\u2019ll be working more than 20 hours a week or in a different occupation code\n\nYou\u2019ll need to apply to update your visa so that you\u2019re being sponsored to do both jobs.\n\nYou\u2019ll need to:\n\n- get a new certificate of sponsorship from your second employer\n\n- include a letter with your application explaining that you want to change your current permission to stay", + "original_contents": [ + "

    Overview

    ", + "

    A Skilled Worker visa allows you to come to or stay in the UK to do an eligible job with an approved employer.

    ", + "

    This visa has replaced the Tier 2 (General) work visa.

    ", + "

    Some\u00a0health workers and their families will get their visas extended for free because of coronavirus (COVID-19).

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Eligibility

    ", + "

    Your job

    ", + "

    To qualify for a Skilled Worker visa, you must:

    ", + "
  • work for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK
  • ", + "
  • do a job that\u2019s on the list of eligible occupations
  • ", + "
  • be paid a minimum salary - how much depends on the type of work you do
  • ", + "

    The specific eligibility depends on your job.

    ", + "

    You must have a confirmed job offer before you apply for your visa.

    ", + "

    Knowledge of English

    ", + "

    You must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.

    ", + "

    If you\u2019re not eligible for a Skilled Worker visa

    ", + "

    You may be eligible for another type of visa to work in the UK.

    ", + "

    How long you can stay

    ", + "

    Your visa can last for up to 5 years before you need to extend it. You\u2019ll need to apply to extend or update your visa when it expires or if you change jobs or employer.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.

    ", + "

    After 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    If you want to change your job or employer, you must apply to update your visa.

    ", + "

    You can include your partner and children in your application to stay in the UK if they are eligible.

    ", + "

    How long it takes

    ", + "

    You can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • ", + "
  • 8 weeks, if you\u2019re inside the UK
  • ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    How much it costs

    ", + "

    You, your partner or children will each need to:

    ", + "
  • pay the application fee
  • ", + "
  • pay the healthcare surcharge for each year of your stay
  • ", + "
  • prove you have enough personal savings
  • ", + "

    Check how much money you\u2019ll need.

    ", + "

    If you work in public sector healthcare

    ", + "

    If you\u2019re a doctor or nurse, or you work in health or adult social care, check if you\u2019re eligible to apply for the Health and Care Worker visa instead. It\u2019s cheaper to apply for and you do not need to pay the annual immigration health surcharge.

    ", + "

    What you can and cannot do

    ", + "

    With a Skilled Worker visa you can:

    ", + "
  • work in an eligible job
  • ", + "
  • study
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "
  • take on additional work in certain circumstances
  • ", + "
  • do voluntary work
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements
  • ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "
  • change jobs or employer unless you apply to update your visa
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Skilled Worker visa.

    ", + "

    Your job

    ", + "

    You must meet all of the following requirements to be eligible for a Skilled Worker visa:

    ", + "
  • your job is eligible for this visa
  • ", + "
  • you\u2019ll be working for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • you\u2019ll be paid at least the minimum salary for the type of work you\u2019ll be doing
  • ", + "

    The minimum salary for the type of work you\u2019ll be doing is whichever is the highest out of the following 3 options:

    ", + "
  • \u00a325,600 per year
  • ", + "
  • \u00a310.10 per hour
  • ", + "
  • the \u2018going rate\u2019 for the type of work you\u2019ll be doing
  • ", + "

    Check if your job is eligible

    ", + "

    Before you can find out if your job is eligible, you need to know its 4-digit occupation code.

    ", + "

    If you already have a job offer, ask your employer for your occupation code.

    ", + "

    Look up your job\u2019s occupation code

    ", + "

    If you do not know your code, you can search for your job in the ONS occupation coding tool.

    ", + "

    Not every job title is included. If you cannot find your exact job title, try searching for similar jobs.

    ", + "

    Make sure the job description matches what you\u2019ll be doing. Some similar jobs have different codes, for example chefs and cooks. Chefs are eligible for a Skilled Worker visa, but cooks are not.

    ", + "

    Check if an occupation code is eligible for this visa

    ", + "

    When you know your occupation code, view the table of eligible jobs to see if it\u2019s included.

    ", + "

    The table is very large. It\u2019s sorted in order of occupation code, with the smallest numbers at the top. You may be able to use your web browser to search for your code on the page.

    ", + "

    Salary requirements

    ", + "

    You\u2019ll usually need to be paid at least \u00a325,600 per year or \u00a310.10 per hour, whichever is higher. If the \u2018going rate\u2019 for your job is higher than both of these, you\u2019ll usually need to be paid at least the going rate.

    ", + "

    Each occupation code has its own annual going rate. Check the going rate for your job in the going rates table.

    ", + "

    If you work in healthcare or education

    ", + "

    There are different salary rules if you work in some healthcare or education jobs, where the going rate is based on national pay scales.

    ", + "

    When you can be paid less

    ", + "

    If you do not meet the usual salary requirements, and you do not work in healthcare or education, you might still be eligible if your salary will be at least \u00a320,480 per year and at least \u00a310.10 per hour.

    ", + "

    Check when you can be paid less.

    ", + "

    Approved UK employers

    ", + "

    You must have a job offer from an approved UK employer before you apply for a Skilled Worker visa. Approved employers are also known as sponsors, because they are sponsoring you to come to or stay in the UK.

    ", + "

    View the list of approved UK employers.

    ", + "

    If your employer is not currently approved, they can apply for a sponsor licence if they\u2019re eligible.

    ", + "

    They\u2019ll need to pay a fee - \u00a3536 for small businesses and charities or \u00a31,476 for medium and large organisations. It usually takes around 8 weeks to process a licence application.

    ", + "

    If you already have a job offer from an approved employer

    ", + "

    Your employer - also known as your sponsor - will check that you meet the eligibility requirements. They\u2019ll give you a \u2018certificate of sponsorship\u2019 to prove this.

    ", + "

    The certificate of sponsorship is an electronic record, not a physical document. It will have a reference number, which you\u2019ll need for your visa application.

    ", + "

    You must apply for your visa within 3 months of getting your certificate of sponsorship.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    When you can be paid less

    ", + "

    You might still be able to apply for a Skilled Worker visa if your job is eligible but your salary is less than \u00a325,600 or your job\u2019s usual \u2018going rate\u2019. You must still be paid at least \u00a310.10 per hour.

    ", + "

    You can be paid between 70% and 90% of the usual going rate for your job if your salary is at least \u00a320,480 per year and you meet one of the following criteria:

    ", + "
  • your job is in a shortage occupation
  • ", + "
  • you\u2019re under 26, studying or a recent graduate, or in professional training
  • ", + "
  • you have a science, technology, engineering or maths (STEM) PhD level qualification that\u2019s relevant to your job (if you have a relevant PhD level qualification in any other subject your salary must be at least \u00a323,040)
  • ", + "
  • you have a postdoctoral position in science or higher education
  • ", + "

    There are different salary rules if you work in some healthcare or education jobs.

    ", + "

    Your job is in a shortage occupation

    ", + "

    A \u2018shortage occupation\u2019 is a skilled job where there is a shortage of workers in the UK.

    ", + "

    If your job is on the shortage occupation list, you can:

    ", + "
  • be paid 80% of the job\u2019s usual going rate
  • ", + "
  • pay a lower fee for your visa
  • ", + "

    View the shortage occupations list to see if your job is included and how much you\u2019ll need to be paid.

    ", + "

    Make sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.

    ", + "

    You\u2019re under 26, studying or a recent graduate, or in professional training

    ", + "

    You can be paid 70% of your job\u2019s usual going rate if one of the following applies:

    ", + "
  • you\u2019re under 26 on the date you apply
  • ", + "
  • you\u2019re currently in the UK on a Student visa studying at bachelor\u2019s degree level or above - or you have been in the last 2 years, and a Student or visit visa was your most recent visa
  • ", + "
  • you\u2019re currently in the UK on a Graduate Entrepreneur visa
  • ", + "
  • you\u2019ll be working towards a recognised qualification in a UK regulated profession
  • ", + "
  • you\u2019ll be working towards full registration or chartered status in the job you\u2019re being sponsored for
  • ", + "

    If this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.

    ", + "

    Your total stay in the UK cannot be more than 4 years if you apply for one of these reasons. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.

    ", + "

    You have a PhD level qualification that\u2019s relevant to your job

    ", + "

    If your job is eligible for a PhD salary discount, you can be paid 80% or 90% of the job\u2019s usual going rate, depending on which subject you are qualified in.

    ", + "

    If you have a science, technology, engineering or maths (STEM) qualification, you can be paid 80% of your job\u2019s usual going rate, as long as you will still be paid at least \u00a320,480 per year.

    ", + "

    If you have a non-STEM qualification, you can be paid 90% of your job\u2019s usual going rate, as long as you will still be paid at least \u00a323,040 a year.

    ", + "

    In both situations, you must:

    ", + "
  • have a UK PhD or an equivalent doctorate-level overseas qualification - you\u2019ll need to apply through Ecctis (formerly UK NARIC) to check if an overseas qualification is equivalent to a UK PhD
  • ", + "
  • be able to prove your qualification is relevant to the job you\u2019ll be doing in the UK - your employer can confirm this
  • ", + "

    View the list of jobs that qualify for a PhD salary discount to see if your job is included and how much you need to be paid.

    ", + "

    If you\u2019re a research or academic leader, you may also be eligible to apply for the Global Talent visa. This visa has no language or minimum salary requirements.

    ", + "

    You have a postdoctoral position in science or higher education

    ", + "

    You can be paid 70% of your job\u2019s usual going rate if you\u2019ll be working in a postdoctoral position in certain science or higher education roles.

    ", + "

    Your job must be in one of the following occupation codes to qualify for this salary discount:

    ", + "
  • 2111: chemical scientists
  • ", + "
  • 2112: biological scientists and biochemists
  • ", + "
  • 2113: physical scientists
  • ", + "
  • 2114: social and humanities scientists
  • ", + "
  • 2119: natural and social science professionals that are \u2018not elsewhere classified\u2019, such as research fellows and sports scientists
  • ", + "
  • 2311: higher education teaching professionals
  • ", + "

    If this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.

    ", + "

    Your total stay in the UK cannot be more than 4 years if you apply to work in a postdoctoral position at 70% of the usual going rate. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.

    ", + "

    If you work in healthcare or education

    ", + "

    There are different salary rules if you work in some healthcare or education jobs. Your salary must be at least \u00a320,480 - or more if your job\u2019s \u2018going rate\u2019 is higher.

    ", + "

    The going rates for these jobs are based on the national pay scales set by the relevant independent body, for example the NHS.

    ", + "

    View the list of eligible healthcare and education jobs to see if your job is included.

    ", + "

    National pay scales tables

    ", + "

    If your job is on the list, your salary must be at least the national pay scale rate for the job you\u2019ll be doing.

    ", + "

    These going rates apply whether you\u2019ll be working in the public or private sector.

    ", + "

    Check how much you\u2019ll need to be paid in the:

    ", + "
  • table of national pay scales for eligible healthcare jobs - listed by NHS pay band and area of the UK
  • ", + "
  • table of national pay scales for eligible teaching and education leadership jobs - listed by role and area of the UK
  • ", + "

    Ask your employer if you\u2019re not sure what your role or pay band will be.

    ", + "

    If your job is on the shortage occupation list

    ", + "

    You and your family will pay a lower application fee if your job is in a shortage occupation.

    ", + "

    View the list of healthcare and education shortage occupations to see if your job is included.

    ", + "

    Make sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.

    ", + "

    If your job is on the list, the reduced fee for each person applying is:

    ", + "
  • \u00a3464 if you\u2019re staying for up to 3 years
  • ", + "
  • \u00a3928 if you\u2019re staying for more than 3 years
  • ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    You\u2019ll also need to pay the healthcare surcharge and prove you can support yourself in the UK - check how much money you\u2019ll need.

    ", + "

    Knowledge of English

    ", + "

    You\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.

    ", + "

    Level of English

    ", + "

    You must prove you can read, write, speak and understand English to at least level B1 on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • passing a Secure English Language Test (SELT) from an approved provider
  • ", + "
  • having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18
  • ", + "
  • having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply through Ecctis (formerly UK NARIC) for confirmation that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    If you\u2019re a doctor, dentist, nurse, midwife or vet

    ", + "

    You do not need to prove your knowledge of English if you\u2019ve already passed an English Language assessment that is accepted by the relevant regulated professional body.

    ", + "

    If you\u2019re a vet, you may need to prove that you passed an English Language assessment with the Royal College of Veterinary Surgeons.

    ", + "

    How much it costs

    ", + "

    When you apply for a Skilled Worker visa, you\u2019ll need to have enough money to:

    ", + "
  • pay the application fee - the standard fee ranges from \u00a3610 to \u00a31,408 depending on your circumstances
  • ", + "
  • pay the healthcare surcharge - this is usually \u00a3624 per year
  • ", + "
  • support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    You\u2019ll pay a lower application fee if your job is on the shortage occupation list.

    ", + "

    You\u2019ll be told how much you need to pay when you apply.

    ", + "

    Application fees

    ", + "

    If you\u2019re applying from outside the UK, the standard fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3610 per person
  • ", + "
  • more than 3 years - \u00a31,220 per person
  • ", + "

    If you\u2019re applying from inside the UK to extend, switch or update your visa, the standard fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3704 per person
  • ", + "
  • more than 3 years - \u00a31,408 per person
  • ", + "

    If your job is on the shortage occupation list

    ", + "

    You and your family will pay a lower application fee if your job is on the shortage occupation list.

    ", + "

    The fee for each person applying is:

    ", + "
  • \u00a3464 if you\u2019re staying for up to 3 years
  • ", + "
  • \u00a3928 if you\u2019re staying for more than 3 years
  • ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    There\u2019s a different list of shortage occupations if you work in healthcare or education.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    If your job is on the shortage occupation list, you\u2019ll get this reduction as well as paying a lower fee.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge for each year of your stay - this is usually \u00a3624 per year. Check how much you\u2019ll have to pay before you apply.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • proof of your knowledge of English
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • your job title and annual salary
  • ", + "
  • your job\u2019s occupation code
  • ", + "
  • the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship
  • ", + "

    Ask your employer for a copy of your certificate of sponsorship if you do not have one.

    ", + "

    If your certificate of sponsorship was issued before 1 December 2020

    ", + "

    Your certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (General) work visa was replaced by the Skilled Worker visa.

    ", + "

    Ask your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.

    ", + "

    Other documents you might need

    ", + "

    Depending on your circumstances, you might be asked to provide:

    ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • ", + "
  • a criminal record certificate - if you\u2019re working in certain jobs
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • ", + "
  • your UK PhD certificate, or your unique Ecctis reference number (formerly unique UK NARIC reference number) if your qualification is from outside the UK - you\u2019ll need to apply through Ecctis
  • ", + "

    You\u2019ll need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it
  • ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    Criminal record certificate

    ", + "

    You\u2019ll need to provide a criminal record certificate if you\u2019re applying from outside the UK and you work in:

    ", + "
  • education, for example teachers, education advisers and school inspectors, childminders, teaching assistants
  • ", + "
  • healthcare, for example nurses, doctors, paramedics, managers, pharmacists, dentists and dental nurses, ophthalmic opticians
  • ", + "
  • therapy, for example psychologists, speech and language therapists, counsellors
  • ", + "
  • social services, for example social workers, managers, probation officers, welfare and housing officers
  • ", + "

    Check how to apply for criminal records checks.

    ", + "

    If you work in healthcare, you might be able to apply for the Health and Care Worker visa instead.

    ", + "

    If you\u2019ve lived in more than one country

    ", + "

    You might need to provide a certificate from each country you\u2019ve lived in, depending on your age and how long you stayed in each country.

    ", + "

    If you\u2019re under 28, you\u2019ll need a certificate from any country you\u2019ve stayed in for a total of 12 months or more since you turned 18.

    ", + "

    If you\u2019re 28 or over, you\u2019ll need a certificate from any country you\u2019ve stayed in over the last 10 years.

    ", + "

    When you\u2019ve got your documents ready

    ", + "

    You can apply online once your documents are ready.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    If you\u2019ve read the guidance and you\u2019re not sure if you\u2019re eligible, you can use a Home Office checker tool. You\u2019ll be asked to confirm that you meet all of the eligibility requirements.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Skilled Worker visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply for a Skilled Worker visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as your partner
  • ", + "
  • apply online as your child
  • ", + "

    Each family member will need to complete a separate application and pay the visa fee.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity.

    ", + "

    They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a \nvisa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    If they do need an appointment:

    ", + "
  • the visa application centre may need to keep their passport and documents while they process their application
  • ", + "
  • they may have to travel to get to their nearest centre (this could be in another country)
  • ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children cannot apply to switch to your Skilled Worker visa as your dependants if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch to your Skilled Worker visa as your partner
  • ", + "
  • extend or switch to your Skilled Worker visa as your child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You must apply for your child\u2019s dependant visa if you want to travel in and out of the UK with them.

    ", + "

    The form you fill in depends on if:

    ", + "
  • your child is inside the UK
  • ", + "
  • your child is outside the UK
  • ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    Extend your visa

    ", + "

    You can usually apply to extend a Skilled Worker visa or a Tier 2 (General) work visa if all of the following are true:

    ", + "
  • you have the same job as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • you\u2019re still working for the employer who gave you your current certificate of sponsorship
  • ", + "

    Some\u00a0health workers and their families will get their visas extended for free because of coronavirus (COVID-19).

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    If you have a Tier 2 (General) work visa

    ", + "

    You may need to meet different eligibility requirements, depending on:

    ", + "
  • whether you got the certificate of sponsorship for your first Tier 2 visa before or after 24 November 2016
  • ", + "
  • whether you applied for your first Tier 2 (General) or Skilled Worker visa before 6 April 2021
  • ", + "
  • your occupation code - some have different going rates
  • ", + "

    The requirements will apply if you either:

    ", + "
  • have a Tier 2 (General) work visa
  • ", + "
  • had a Tier 2 (General) work visa which you\u2019ve extended as a Skilled Worker visa
  • ", + "

    If you got your certificate of sponsorship before 24 November 2016

    ", + "

    If you apply to extend before 24 May 2023, the minimum salary you\u2019ll need to be paid is fixed at a lower rate. You\u2019ll need to be paid at least \u00a320,800 per year unless the \u2018going rate\u2019 for your job is higher than this.

    ", + "

    If you got your certificate of sponsorship on or after 24 November 2016

    ", + "

    If you apply to extend before 1 December 2026, you will still need to meet the new salary requirements, but your salary may also include allowances, such as London weighting. Any allowances must be guaranteed for the length of your stay.

    ", + "

    If you applied for your first Tier 2 (General) or Skilled Worker visa before 6 April 2021

    ", + "

    The minimum salary requirement of \u00a310.10 per hour or the going rate for the type of work you\u2019ll be doing does not apply.

    ", + "

    Jobs with different going rates

    ", + "

    For some jobs, the going rate for the Skilled Worker visa is different.

    ", + "Occupation code | Going rate for Skilled Worker visa | 90% of going rate (for relevant STEM PhD) | 80% of going rate (for relevant non-STEM PhD or shortage occupation) | 70% of going rate (for new entrants)", + "2113 Physical scientists | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour)", + "2119 Natural and social science professionals | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour)", + "2311 Higher education teaching professionals | \u00a333,000 (\u00a315.87 per hour) | \u00a329,700 (14.28 per hour) | \u00a326,400 (\u00a312.69 per hour) | \u00a323,100 (\u00a311.11 per hour)", + "

    If you\u2019ve changed job or employer

    ", + "

    You\u2019ll need to apply to update your visa instead.

    ", + "

    Fees

    ", + "

    Check how much it costs for your type of visa.

    ", + "

    You may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to extend your Skilled Worker visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Update your visa if you change job or employer

    ", + "

    You\u2019ll need to apply to update your Skilled Worker or Tier 2 (General) work visa if:

    ", + "
  • you want to change your job and your new job is with a different employer
  • ", + "
  • your job changes to a different occupation code, and you\u2019re not in a graduate training programme
  • ", + "
  • you leave a job that\u2019s on the shortage occupation list for a job that is not on the list
  • ", + "

    You do not need to apply again if you stay in the same job, but your job is taken off the shortage occupation list.

    ", + "

    If you\u2019ll be doing a different job for your current employer, you only need to apply to update your visa if your new job is in a different occupation code.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Eligibility and documents you\u2019ll need to apply

    ", + "

    Your new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.

    ", + "

    You\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.

    ", + "

    If you\u2019re applying to add a second job to your current visa

    ", + "

    You must apply to update your visa if you take on a second job that is either:

    ", + "
  • more than 20 paid hours a week in addition to the job you\u2019re being sponsored for
  • ", + "
  • in a different occupation code
  • ", + "

    Your second job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.

    ", + "

    You\u2019ll also need to include a letter with your application explaining that you want to change your current permission to stay.

    ", + "

    Your letter must state:

    ", + "
  • your name
  • ", + "
  • your date of birth
  • ", + "
  • your current certificate of sponsorship reference number
  • ", + "
  • the date when your current permission to stay runs out
  • ", + "

    If your application is successful, you\u2019ll get a new visa giving you permission to do both jobs.

    ", + "

    You do not need to apply to update your visa if you\u2019re taking on additional work in the same occupation code or you\u2019ll be doing less than 20 paid hours a week.

    ", + "

    When to apply to update your visa

    ", + "

    You can apply to update your visa up to 3 months before the start date of your new job.

    ", + "

    You can continue working in your current job while your new application is being considered, or to work out your notice period - as long as you apply before your current visa expires.

    ", + "

    You should not start your new job until you\u2019ve got confirmation of your new permission.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.

    ", + "

    Apply to update your visa

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Switch to this visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to a Skilled Worker visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Eligibility

    ", + "

    You must meet the following requirements:

    ", + "
  • your job meets the eligibility requirements
  • ", + "
  • you can speak, read, write and understand English
  • ", + "

    Who cannot apply to switch to this visa

    ", + "

    You cannot apply to switch to this visa if you\u2019re currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because you were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    You must leave the UK and apply for a Skilled Worker visa from abroad if you\u2019re in one of these categories.

    ", + "

    Fees

    ", + "

    Each person applying will need to pay:

    ", + "
  • the visa application fee
  • ", + "
  • the healthcare surcharge for each year of their stay - check how much you\u2019ll have to pay
  • ", + "

    You may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to switch to a Skilled Worker visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Taking on additional work

    ", + "

    You can do additional paid work on this visa as long as you\u2019re still doing the job you\u2019re being sponsored for. You can also do unpaid voluntary work.

    ", + "

    You can work up to 20 hours a week in a job that\u2019s either:

    ", + "
  • in the same occupation code and at the same level as your main job
  • ", + "
  • in a shortage occupation
  • ", + "

    Check if your job is on the list of:

    ", + "
  • healthcare and education shortage occupations
  • ", + "
  • all other shortage occupations
  • ", + "

    Due to coronavirus (COVID-19), there\u2019s currently no limit on the number of hours you can work or volunteer if you have a second job as an NHS doctor, nurse or paramedic.

    ", + "

    If you\u2019ll be working more than 20 hours a week or in a different occupation code

    ", + "

    You\u2019ll need to apply to update your visa so that you\u2019re being sponsored to do both jobs.

    ", + "

    You\u2019ll need to:

    ", + "
  • get a new certificate of sponsorship from your second employer
  • ", + "
  • include a letter with your application explaining that you want to change your current permission to stay
  • " + ] + }, + "https://www.gov.uk/health-care-worker-visa": { + "url": "https://www.gov.uk/health-care-worker-visa", + "title": "Health and Care Worker visa", + "content": "## Overview\n\nA Health and Care Worker visa allows medical professionals to come to or stay in the UK to do an eligible job with the NHS, an NHS supplier or in adult social care.\n\nSome health workers and their families will get their visas extended for free because of coronavirus (COVID-19).\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Eligibility\n\n## Your job\n\nTo qualify for a Health and Care Worker visa, you must:\n\n- be a qualified doctor, nurse, health professional or adult social care professional\n\n- work in an eligible health or social care job\n\n- work for a UK employer that\u2019s been approved by the Home Office\n\n- have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK\n\n- be paid a minimum salary - how much depends on the type of work you do\n\nCheck if your job is eligible.\n\nYou must have a confirmed job offer before you apply for your visa.\n\n## Knowledge of English\n\nYou must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.\n\n## If you\u2019re not eligible for a Health and Care Worker visa\n\nYou may be eligible for another type of visa to work in the UK.\n\n## How long you can stay\n\nYour visa can last for up to 5 years before you need to extend it. You\u2019ll need to apply to extend or update your visa when it expires or if you change jobs or employer.\n\n## If you want to stay longer in the UK\n\nYou can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.\n\nAfter 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\nIf you want to change your job or employer, you must apply to update your visa.\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How long it takes\n\nYou can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## How much it costs\n\nYou, your partner or children will each need to:\n\n- pay the application fee\n\n- prove you have enough personal savings\n\nCheck how much money you\u2019ll need.\n\n## Healthcare surcharge\n\nYou - and your partner or children - will not have to pay the healthcare surcharge.\n\n## What you can and cannot do\n\nYou can:\n\n- work in an eligible job\n\n- take on additional work in certain circumstances\n\n- do voluntary work\n\n- study\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- travel abroad and return to the UK\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- change jobs or employer unless you update your visa\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Health and Care Worker visa.\n\n## Your job\n\nYou must meet all of the following requirements to be eligible for a Health and Care Worker visa:\n\n- you\u2019re a qualified doctor, nurse, health professional or adult social care professional\n\n- your job is eligible for this visa\n\n- you\u2019ll be working for a UK health and care sector employer that\u2019s been approved by the Home Office\n\n- you\u2019ll be paid the minimum salary or the \u2018going rate\u2019 for the type of work you\u2019ll be doing - whichever is higher\n\n## Check if your job is eligible\n\nBefore you can find out if your job is eligible, you need to know its 4-digit occupation code.\n\nIf you already have a job offer, ask your employer for your occupation code.\n\n## Look up your job\u2019s occupation code\n\nIf you do not know your code, you can search for your job in the ONS occupation coding tool.\n\nNot every job title is included. If you cannot find your exact job title, try searching for similar jobs.\n\nMake sure the job description matches what you\u2019ll be doing. Some jobs in the same area of practice have different codes, for example dentists and dental hygiene therapists.\n\n## Check if an occupation code is eligible for this visa\n\nYour job must be in one of the following occupation codes to qualify for the Health and Care Worker visa:\n\n- 1181: health services and public health managers and directors\n\n- 1242: residential, day and domiciliary care managers and proprietors\n\n- 2112: biological scientists and biochemists\n\n- 2113: physical scientists\n\n- 2211: medical practitioners\n\n- 2212: psychologists\n\n- 2213: pharmacists\n\n- 2214: ophthalmic opticians\n\n- 2215: dental practitioners\n\n- 2217: medical radiographers\n\n- 2218: podiatrists\n\n- 2219: health professionals that are \u2018not elsewhere classified\u2019, such as audiologists and occupational health advisers\n\n- 2221: physiotherapists\n\n- 2222: occupational therapists\n\n- 2223: speech and language therapists\n\n- 2229: therapy professionals that are \u2018not elsewhere classified\u2019, such as osteopaths and psychotherapists\n\n- 2231: nurses\n\n- 2232: midwives\n\n- 2442: social workers\n\n- 3111: laboratory technicians\n\n- 3213: paramedics\n\n- 3216: dispensing opticians\n\n- 3217: pharmaceutical technicians\n\n- 3218: medical and dental technicians\n\n- 3219: health associate professionals not elsewhere classified\n\n- 6141: nursing auxiliaries and assistants\n\n- 6143: dental nurses\n\n- 6146: senior care workers\n\n## Approved UK health and care sector employers\n\nYou must have a job offer from an approved UK employer before you apply for a Health and Care Worker visa. Approved employers are also known as sponsors, because they are sponsoring you to come to or stay in the UK.\n\nYou must have a job offer from:\n\n- the NHS\n\n- an organisation providing medical services to the NHS\n\n- an organisation providing adult social care\n\nRead the guidance to see a full list of eligible employers.\n\nIf your employer is not currently approved, they can apply for a sponsor licence if they\u2019re eligible.\n\nThey\u2019ll need to pay a fee - \u00a3536 for small businesses and charities or \u00a31,476 for medium and large organisations. It usually takes around 8 weeks to process a licence application.\n\n## If you already have a job offer from an approved employer\n\nYour employer - also known as your sponsor - will check that you meet the eligibility requirements. They\u2019ll give you a \u2018certificate of sponsorship\u2019 to prove this.\n\nThe certificate of sponsorship is an electronic record, not a physical document. It will have a reference number, which you\u2019ll need for your visa application.\n\nYou must apply for your visa within 3 months of getting your certificate of sponsorship.\n\nCheck which documents you\u2019ll need to apply.\n\n## Salary requirements\n\nYou\u2019ll usually need to be paid at least \u00a320,480.\n\nIf the \u2018going rate\u2019 for your job is higher than \u00a320,480, you\u2019ll usually need to be paid at least the going rate.\n\nEach occupation code has its own annual going rate. How you find the going rate depends on your job.\n\n## When you need to meet different salary requirements\n\nYou\u2019ll need to meet different salary requirements for this visa if your job is in one of the the following occupation codes:\n\n- 1181: health services and public health managers and directors\n\n- 1242: residential, day and domiciliary care managers and proprietors\n\n- 2112: biological scientists and biochemists\n\n- 2113: physical scientists\n\n- 3111: laboratory technicians\n\n- 3216: dispensing opticians\n\n- 3217: pharmaceutical technicians\n\n- 6146: senior care workers\n\nFind out the going rate if your job is in one of these occupation codes - including when you can earn less.\n\n## If you\u2019re doing any other health and care job\n\nCheck how much you\u2019ll need to earn in the table of national pay scales for eligible healthcare jobs.\n\nSalaries are listed by NHS pay band and area of the UK you\u2019ll be working in. Ask your employer if you\u2019re not sure what your role or pay band will be.\n\n## If you\u2019ll need to meet different salary requirements\n\nYou\u2019ll need to meet different salary requirements for this visa if your job is in one of the following occupation codes:\n\n- 1181: health services and public health managers and directors\n\n- 1242: residential, day and domiciliary care managers and proprietors\n\n- 2112: biological scientists and biochemists\n\n- 2113: physical scientists\n\n- 3111: laboratory technicians\n\n- 3216: dispensing opticians\n\n- 3217: pharmaceutical technicians\n\n- 6146: senior care workers\n\nIf your job is in any other occupation code that is eligible for this visa, you must meet the salary requirements described in \u2018Your job\u2019.\n\n## Salary requirements\n\nYou\u2019ll usually need to be paid at least \u00a325,600 per year or \u00a310.10 per hour, whichever is higher. If the \u2018going rate\u2019 for your job is higher than both of these, you\u2019ll usually need to be paid at least the going rate.\n\nEach occupation code has its own annual going rate. Check the going rate for your job in the going rates table.\n\n## When you can be paid less\n\nYou might still be able to apply for a Health and Care Worker visa if your job is eligible but your salary is less than \u00a325,600 or your job\u2019s usual \u2018going rate\u2019. You must still be paid at least \u00a310.10 per hour.\n\nYou can be paid between 70% and 90% of the usual going rate for your job if your salary is at least \u00a320,480 per year and you meet one of the following criteria:\n\n- your job is in a shortage occupation\n\n- you\u2019re under 26, studying or a recent graduate, or in professional training\n\n- you have a science, technology, engineering or maths (STEM) PhD level qualification that\u2019s relevant to your job (if you have a relevant PhD level qualification in any other subject your salary must be at least \u00a323,040)\n\n- you have a postdoctoral position in a scientific role\n\n## Your job is in a shortage occupation\n\nA \u2018shortage occupation\u2019 is a skilled job where there is a shortage of workers in the UK.\n\nIf your job is on the shortage occupation list, you can be paid 80% of the job\u2019s usual going rate.\n\nView the shortage occupations list to see if your job is included and how much you\u2019ll need to be paid.\n\nMake sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.\n\n## You\u2019re under 26, studying or a recent graduate, or in professional training\n\nYou can be paid 70% of your job\u2019s usual going rate if one of the following applies:\n\n- you\u2019re under 26 on the date you apply\n\n- you\u2019re currently in the UK on a Student visa studying at bachelor\u2019s degree level or above - or you have been in the last 2 years, and a Student or visit visa was your most recent visa\n\n- you\u2019re currently in the UK on a Graduate Entrepreneur visa\n\n- you\u2019ll be working towards a recognised qualification in a UK regulated profession\n\n- you\u2019ll be working towards full registration or chartered status in the job you\u2019re being sponsored for\n\nYour total stay in the UK cannot be more than 4 years if you apply for one of these reasons. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.\n\nIf this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.\n\n## You have a PhD level qualification that\u2019s relevant to your job\n\nYou can earn 80% or 90% of the job\u2019s usual going rate, depending on which subject you are qualified in.\n\nIf you have a science, technology, engineering or maths (STEM) qualification, you can be paid 80% of your job\u2019s usual going rate, as long as you will still earn at least \u00a320,480 per year.\n\nIf you have a non-STEM qualification, you can be paid 90% of your job\u2019s usual going rate, as long as you will still earn at least \u00a323,040 a year.\n\nIn both situations, you must:\n\n- have a UK PhD or an equivalent doctorate-level overseas qualification - you\u2019ll need to apply through Ecctis (formerly UK NARIC) to check if an overseas qualification is equivalent to a UK PhD\n\n- be able to prove your qualification is relevant to the job you\u2019ll be doing in the UK - your employer can confirm this\n\nView the list of jobs that qualify for a PhD salary discount to see how much you need to be paid.\n\nIf you\u2019re a research or academic leader, you may also be eligible to apply for the Global Talent visa. This visa has no language or minimum salary requirements.\n\n## You have a postdoctoral position in a scientific role\n\nYou can be paid 70% of your job\u2019s usual going rate if you\u2019ll be working in a postdoctoral position.\n\nCheck how much you\u2019ll need to be paid to qualify for this visa.\n\nYour total stay in the UK cannot be more than 4 years if you apply to work in a postdoctoral position at 70% of the usual going rate. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.\n\n## Knowledge of English\n\nYou\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to at least level B1 on the Common European Framework of Reference for Languages (CEFR) scale.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18\n\n- having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply through Ecctis (formerly UK NARIC) for confirmation that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## If you\u2019re a doctor, dentist, nurse or midwife\n\nYou do not need to prove your knowledge of English if you\u2019ve already passed an English Language assessment that is accepted by the relevant regulated professional body.\n\n## How much it costs\n\nWhen you apply for a Health and Care Worker visa, you\u2019ll need to have enough money to:\n\n- pay the application fee\n\n- support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\nYou\u2019ll be told how much you need to pay when you apply.\n\n## Application fees\n\nThe standard application fee depends on whether you\u2019ll be in the UK for:\n\n- up to 3 years - \u00a3232 per person\n\n- more than 3 years - \u00a3464 per person\n\nThe fee is the same whether you apply from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- proof of your knowledge of English\n\n- a valid passport or other document that shows your identity and nationality\n\n- your job title and annual salary\n\n- your job\u2019s occupation code\n\n- the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship\n\nAsk your employer for a copy of your certificate of sponsorship if you do not have one.\n\n## If your certificate of sponsorship was issued before 1 December 2020\n\nYour certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (General) work visa was replaced by the Skilled Worker visa. The Health and Care Worker visa is a type of skilled work visa.\n\nAsk your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.\n\n## Other documents you might need\n\nDepending on your circumstances, you might be asked to provide:\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a listed country\n\n- a criminal record certificate - if you\u2019re working in certain jobs\n\n- your UK PhD certificate, or your unique Ecctis reference number (formerly unique UK NARIC reference number) if your qualification is from outside the UK - you\u2019ll need to apply through Ecctis\n\nYou\u2019ll need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\n## Criminal record certificate\n\nYou\u2019ll need to provide a criminal record certificate if you\u2019re applying from outside the UK, unless your job is in one of the following occupation codes:\n\n- biological scientists and biochemists (2112)\n\n- physical scientists (2113)\n\nCheck how to apply for criminal records checks.\n\n## If you\u2019ve lived in more than one country\n\nYou might need to provide a certificate from each country you\u2019ve lived in, depending on your age and how long you stayed in each country.\n\nIf you\u2019re under 28, you\u2019ll need a certificate from any country you\u2019ve stayed in for a total of 12 months or more since you turned 18.\n\nIf you\u2019re 28 or over, you\u2019ll need a certificate from any country you\u2019ve stayed in over the last 10 years.\n\n## Apply from outside the UK\n\nYou must apply online for a Health and Care Worker visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for a Health and Care Worker visa\n\nApply for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as your partner\n\n- apply online as your child\n\nEach family member will need to complete a separate application and pay the application fee. The fee depends on whether they\u2019ll be in the UK for:\n\n- up to 3 years - \u00a3232 per person\n\n- more than 3 years - \u00a3464 per person\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity.\n\nThey\u2019ll either:\n\n- have their fingerprints and photograph taken at a \nvisa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\nIf they do need an appointment:\n\n- the visa application centre may need to keep their passport and documents while they process their application\n\n- they may have to travel to get to their nearest centre (this could be in another country)\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nApply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your Health and Care Worker visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch to your Health and Care Worker visa as your partner\n\n- extend or switch to your Health and Care Worker visa as your child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.\n\n## Extend your visa\n\nSome health workers and their families will get their visas extended for free because of coronavirus (COVID-19).\n\nYou can usually apply to extend your Health and Care Worker visa if all of the following are true:\n\n- you have the same job as when you were given your previous permission to enter or stay in the UK\n\n- your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK\n\n- you\u2019re still working for the employer who gave you your current certificate of sponsorship\n\n- you still meet the salary requirements\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## If you have a Tier 2 Health and Care Worker visa\n\nYou\u2019ll have a Tier 2 Health and Care Worker visa if either:\n\n- you applied for a Health and Care Worker visa before 1 December 2020\n\n- you had a Tier 2 (General) work visa which you\u2019ve extended as a Health and Care Worker visa\n\nIf you have this visa, you may need to meet different eligibility requirements, depending on:\n\n- whether you got the certificate of sponsorship for your first Tier 2 visa before or after 24 November 2016\n\n- whether you applied for your first Tier 2 (General) or Health and Care Worker visa before 6 April 2021\n\n- your occupation code - some have different going rates\n\n## If you got your certificate of sponsorship before 24 November 2016\n\nIf you apply to extend before 24 May 2023, you\u2019ll need to be paid at least \u00a320,800 per year unless the \u2018going rate\u2019 for your job is higher than this.\n\nThis applies even if your job normally has different salary requirements.\n\n## If you got your certificate of sponsorship on or after 24 November 2016\n\nIf you apply to extend before 1 December 2026, you will still need to meet the salary requirements, but your salary may also include allowances, such as London weighting. Any allowances must be guaranteed for the length of your stay.\n\n## If you applied for your first Tier 2 (General) or Health and Care Worker visa before 6 April 2021\n\nIf your job has different salary requirements, you do not need to be paid at least \u00a310.10 per hour. You\u2019ll usually need to be paid at least \u00a325,600 or the going rate for your job, whichever is higher.\n\n## If you\u2019re a physical scientist\n\nIf you were sponsored for your Tier 2 (General) or Health and Care Worker visa before 1 December 2020, the going rate for your job is different.\n\n| Occupation code | Going rate for Health and Care Worker visa | 90% of going rate (for relevant STEM PhD) | 80% of going rate (for relevant non-STEM PhD or shortage occupation) | 70% of going rate (for new entrants) |\n\n| 2113 Physical scientists | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour) |\n\n## If you\u2019ve changed job or employer\n\nYou\u2019ll need to apply to update your visa instead.\n\n## Fees\n\nCheck how much it costs for your type of visa.\n\nYou may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Health and Care Worker visa\n\nApply for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Update your visa if you change job or employer\n\nYou\u2019ll need to apply to update your Health and Care Worker visa if:\n\n- you want to change your job and your new job is with a different employer\n\n- your job changes to a different occupation code, and you\u2019re not in a graduate training programme\n\n- you leave a job that\u2019s on the shortage occupation list for a job that is not on the list\n\nThe same conditions apply to Tier 2 Health and Care visas issued before 1 December 2020.\n\nYou do not need to apply again if you stay in the same job, but your job is taken off the shortage occupation list.\n\nIf you\u2019ll be doing a different job for your current employer, you only need to update your visa if your new job is in a different occupation code.\n\nYour partner or children will need to apply separately.\n\n## Eligibility and documents you\u2019ll need to apply\n\nYour new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.\n\nYou\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.\n\n## If you\u2019re applying to add a second job to your current visa\n\nYou must apply to update your visa if you take on additional work that is either:\n\n- more than 20 paid hours a week in addition to the job you\u2019re being sponsored for\n\n- in a different occupation code\n\nYour second job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.\n\nYou\u2019ll also need to include a letter with your application explaining that you want to change your current permission to stay.\n\nYour letter must state:\n\n- your name\n\n- your date of birth\n\n- your current certificate of sponsorship reference number\n\n- the date when your current permission to stay runs out\n\nIf your application is successful, you\u2019ll get a new visa giving you permission to do both jobs.\n\nYou do not need to apply to update your visa if you\u2019re taking on additional work in the same occupation code or you\u2019ll be doing less than 20 paid hours a week.\n\n## When to apply to update your visa\n\nYou can apply to update your visa up to 3 months before the start date of your new job.\n\nYou can continue working in your current job while your new application is being considered, or to work out your notice period - as long as you apply before your current visa expires.\n\nYou should not start your new job until you\u2019ve got confirmation of your new permission.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.\n\n## Apply to update your visa\n\nYou must apply online for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to a Health and Care Worker visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Eligibility\n\nYou must meet the following requirements:\n\n- your job meets the eligibility requirements\n\n- you can speak, read, write and understand English\n\n## Who cannot apply to switch to this visa\n\nYou cannot apply to switch to this visa if you\u2019re currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because you were given permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and apply for a Health and Care Worker visa from abroad if you\u2019re in one of these categories.\n\n## How long you can stay\n\nYou can stay in the UK for as long as your employer is sponsoring you for, up to 5 years at a time. Your certificate of sponsorship will say how long your employer is sponsoring you for.\n\n## Fees\n\nCheck how much it costs for your type of visa.\n\nYou may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to switch to a Health and Care Worker visa\n\nYou must apply online before your current visa expires.\n\nApply for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Taking on additional work\n\nYou can do additional paid work on this visa as long as you\u2019re still doing the job you\u2019re being sponsored for. You can also do unpaid voluntary work.\n\nYou can work up to 20 hours a week in a job that\u2019s either:\n\n- in the same occupation code and at the same level as your main job\n\n- in a shortage occupation\n\nCheck if your job is on the list of:\n\n- healthcare and education shortage occupations\n\n- all other shortage occupations\n\nDue to coronavirus (COVID-19), there\u2019s currently no limit on the number of hours you can work or volunteer if you have a second job as an NHS doctor, nurse or paramedic.\n\n## If you\u2019ll be working more than 20 hours a week or in a different occupation code\n\nYou\u2019ll need to apply to update your visa so that you\u2019re being sponsored to do both jobs.\n\nYou\u2019ll need to:\n\n- get a new certificate of sponsorship from your second employer\n\n- include a letter with your application explaining that you want to change your current permission to stay", + "original_contents": [ + "

    Overview

    ", + "

    A Health and Care Worker visa allows medical professionals to come to or stay in the UK to do an eligible job with the NHS, an NHS supplier or in adult social care.

    ", + "

    Some health workers and their families will get their visas extended for free because of coronavirus (COVID-19).

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Eligibility

    ", + "

    Your job

    ", + "

    To qualify for a Health and Care Worker visa, you must:

    ", + "
  • be a qualified doctor, nurse, health professional or adult social care professional
  • ", + "
  • work in an eligible health or social care job
  • ", + "
  • work for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK
  • ", + "
  • be paid a minimum salary - how much depends on the type of work you do
  • ", + "

    Check if your job is eligible.

    ", + "

    You must have a confirmed job offer before you apply for your visa.

    ", + "

    Knowledge of English

    ", + "

    You must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.

    ", + "

    If you\u2019re not eligible for a Health and Care Worker visa

    ", + "

    You may be eligible for another type of visa to work in the UK.

    ", + "

    How long you can stay

    ", + "

    Your visa can last for up to 5 years before you need to extend it. You\u2019ll need to apply to extend or update your visa when it expires or if you change jobs or employer.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.

    ", + "

    After 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    If you want to change your job or employer, you must apply to update your visa.

    ", + "

    You can include your partner and children in your application to stay in the UK if they are eligible.

    ", + "

    How long it takes

    ", + "

    You can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    How much it costs

    ", + "

    You, your partner or children will each need to:

    ", + "
  • pay the application fee
  • ", + "
  • prove you have enough personal savings
  • ", + "

    Check how much money you\u2019ll need.

    ", + "

    Healthcare surcharge

    ", + "

    You - and your partner or children - will not have to pay the healthcare surcharge.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work in an eligible job
  • ", + "
  • take on additional work in certain circumstances
  • ", + "
  • do voluntary work
  • ", + "
  • study
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements
  • ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "
  • change jobs or employer unless you update your visa
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Health and Care Worker visa.

    ", + "

    Your job

    ", + "

    You must meet all of the following requirements to be eligible for a Health and Care Worker visa:

    ", + "
  • you\u2019re a qualified doctor, nurse, health professional or adult social care professional
  • ", + "
  • your job is eligible for this visa
  • ", + "
  • you\u2019ll be working for a UK health and care sector employer that\u2019s been approved by the Home Office
  • ", + "
  • you\u2019ll be paid the minimum salary or the \u2018going rate\u2019 for the type of work you\u2019ll be doing - whichever is higher
  • ", + "

    Check if your job is eligible

    ", + "

    Before you can find out if your job is eligible, you need to know its 4-digit occupation code.

    ", + "

    If you already have a job offer, ask your employer for your occupation code.

    ", + "

    Look up your job\u2019s occupation code

    ", + "

    If you do not know your code, you can search for your job in the ONS occupation coding tool.

    ", + "

    Not every job title is included. If you cannot find your exact job title, try searching for similar jobs.

    ", + "

    Make sure the job description matches what you\u2019ll be doing. Some jobs in the same area of practice have different codes, for example dentists and dental hygiene therapists.

    ", + "

    Check if an occupation code is eligible for this visa

    ", + "

    Your job must be in one of the following occupation codes to qualify for the Health and Care Worker visa:

    ", + "
  • 1181: health services and public health managers and directors
  • ", + "
  • 1242: residential, day and domiciliary care managers and proprietors
  • ", + "
  • 2112: biological scientists and biochemists
  • ", + "
  • 2113: physical scientists
  • ", + "
  • 2211: medical practitioners
  • ", + "
  • 2212: psychologists
  • ", + "
  • 2213: pharmacists
  • ", + "
  • 2214: ophthalmic opticians
  • ", + "
  • 2215: dental practitioners
  • ", + "
  • 2217: medical radiographers
  • ", + "
  • 2218: podiatrists
  • ", + "
  • 2219: health professionals that are \u2018not elsewhere classified\u2019, such as audiologists and occupational health advisers
  • ", + "
  • 2221: physiotherapists
  • ", + "
  • 2222: occupational therapists
  • ", + "
  • 2223: speech and language therapists
  • ", + "
  • 2229: therapy professionals that are \u2018not elsewhere classified\u2019, such as osteopaths and psychotherapists
  • ", + "
  • 2231: nurses
  • ", + "
  • 2232: midwives
  • ", + "
  • 2442: social workers
  • ", + "
  • 3111: laboratory technicians
  • ", + "
  • 3213: paramedics
  • ", + "
  • 3216: dispensing opticians
  • ", + "
  • 3217: pharmaceutical technicians
  • ", + "
  • 3218: medical and dental technicians
  • ", + "
  • 3219: health associate professionals not elsewhere classified
  • ", + "
  • 6141: nursing auxiliaries and assistants
  • ", + "
  • 6143: dental nurses
  • ", + "
  • 6146: senior care workers
  • ", + "

    Approved UK health and care sector employers

    ", + "

    You must have a job offer from an approved UK employer before you apply for a Health and Care Worker visa. Approved employers are also known as sponsors, because they are sponsoring you to come to or stay in the UK.

    ", + "

    You must have a job offer from:

    ", + "
  • the NHS
  • ", + "
  • an organisation providing medical services to the NHS
  • ", + "
  • an organisation providing adult social care
  • ", + "

    Read the guidance to see a full list of eligible employers.

    ", + "

    If your employer is not currently approved, they can apply for a sponsor licence if they\u2019re eligible.

    ", + "

    They\u2019ll need to pay a fee - \u00a3536 for small businesses and charities or \u00a31,476 for medium and large organisations. It usually takes around 8 weeks to process a licence application.

    ", + "

    If you already have a job offer from an approved employer

    ", + "

    Your employer - also known as your sponsor - will check that you meet the eligibility requirements. They\u2019ll give you a \u2018certificate of sponsorship\u2019 to prove this.

    ", + "

    The certificate of sponsorship is an electronic record, not a physical document. It will have a reference number, which you\u2019ll need for your visa application.

    ", + "

    You must apply for your visa within 3 months of getting your certificate of sponsorship.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Salary requirements

    ", + "

    You\u2019ll usually need to be paid at least \u00a320,480.

    ", + "

    If the \u2018going rate\u2019 for your job is higher than \u00a320,480, you\u2019ll usually need to be paid at least the going rate.

    ", + "

    Each occupation code has its own annual going rate. How you find the going rate depends on your job.

    ", + "

    When you need to meet different salary requirements

    ", + "

    You\u2019ll need to meet different salary requirements for this visa if your job is in one of the the following occupation codes:

    ", + "
  • 1181: health services and public health managers and directors
  • ", + "
  • 1242: residential, day and domiciliary care managers and proprietors
  • ", + "
  • 2112: biological scientists and biochemists
  • ", + "
  • 2113: physical scientists
  • ", + "
  • 3111: laboratory technicians
  • ", + "
  • 3216: dispensing opticians
  • ", + "
  • 3217: pharmaceutical technicians
  • ", + "
  • 6146: senior care workers
  • ", + "

    Find out the going rate if your job is in one of these occupation codes - including when you can earn less.

    ", + "

    If you\u2019re doing any other health and care job

    ", + "

    Check how much you\u2019ll need to earn in the table of national pay scales for eligible healthcare jobs.

    ", + "

    Salaries are listed by NHS pay band and area of the UK you\u2019ll be working in. Ask your employer if you\u2019re not sure what your role or pay band will be.

    ", + "

    If you\u2019ll need to meet different salary requirements

    ", + "

    You\u2019ll need to meet different salary requirements for this visa if your job is in one of the following occupation codes:

    ", + "
  • 1181: health services and public health managers and directors
  • ", + "
  • 1242: residential, day and domiciliary care managers and proprietors
  • ", + "
  • 2112: biological scientists and biochemists
  • ", + "
  • 2113: physical scientists
  • ", + "
  • 3111: laboratory technicians
  • ", + "
  • 3216: dispensing opticians
  • ", + "
  • 3217: pharmaceutical technicians
  • ", + "
  • 6146: senior care workers
  • ", + "

    If your job is in any other occupation code that is eligible for this visa, you must meet the salary requirements described in \u2018Your job\u2019.

    ", + "

    Salary requirements

    ", + "

    You\u2019ll usually need to be paid at least \u00a325,600 per year or \u00a310.10 per hour, whichever is higher. If the \u2018going rate\u2019 for your job is higher than both of these, you\u2019ll usually need to be paid at least the going rate.

    ", + "

    Each occupation code has its own annual going rate. Check the going rate for your job in the going rates table.

    ", + "

    When you can be paid less

    ", + "

    You might still be able to apply for a Health and Care Worker visa if your job is eligible but your salary is less than \u00a325,600 or your job\u2019s usual \u2018going rate\u2019. You must still be paid at least \u00a310.10 per hour.

    ", + "

    You can be paid between 70% and 90% of the usual going rate for your job if your salary is at least \u00a320,480 per year and you meet one of the following criteria:

    ", + "
  • your job is in a shortage occupation
  • ", + "
  • you\u2019re under 26, studying or a recent graduate, or in professional training
  • ", + "
  • you have a science, technology, engineering or maths (STEM) PhD level qualification that\u2019s relevant to your job (if you have a relevant PhD level qualification in any other subject your salary must be at least \u00a323,040)
  • ", + "
  • you have a postdoctoral position in a scientific role
  • ", + "

    Your job is in a shortage occupation

    ", + "

    A \u2018shortage occupation\u2019 is a skilled job where there is a shortage of workers in the UK.

    ", + "

    If your job is on the shortage occupation list, you can be paid 80% of the job\u2019s usual going rate.

    ", + "

    View the shortage occupations list to see if your job is included and how much you\u2019ll need to be paid.

    ", + "

    Make sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.

    ", + "

    You\u2019re under 26, studying or a recent graduate, or in professional training

    ", + "

    You can be paid 70% of your job\u2019s usual going rate if one of the following applies:

    ", + "
  • you\u2019re under 26 on the date you apply
  • ", + "
  • you\u2019re currently in the UK on a Student visa studying at bachelor\u2019s degree level or above - or you have been in the last 2 years, and a Student or visit visa was your most recent visa
  • ", + "
  • you\u2019re currently in the UK on a Graduate Entrepreneur visa
  • ", + "
  • you\u2019ll be working towards a recognised qualification in a UK regulated profession
  • ", + "
  • you\u2019ll be working towards full registration or chartered status in the job you\u2019re being sponsored for
  • ", + "

    Your total stay in the UK cannot be more than 4 years if you apply for one of these reasons. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.

    ", + "

    If this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.

    ", + "

    You have a PhD level qualification that\u2019s relevant to your job

    ", + "

    You can earn 80% or 90% of the job\u2019s usual going rate, depending on which subject you are qualified in.

    ", + "

    If you have a science, technology, engineering or maths (STEM) qualification, you can be paid 80% of your job\u2019s usual going rate, as long as you will still earn at least \u00a320,480 per year.

    ", + "

    If you have a non-STEM qualification, you can be paid 90% of your job\u2019s usual going rate, as long as you will still earn at least \u00a323,040 a year.

    ", + "

    In both situations, you must:

    ", + "
  • have a UK PhD or an equivalent doctorate-level overseas qualification - you\u2019ll need to apply through Ecctis (formerly UK NARIC) to check if an overseas qualification is equivalent to a UK PhD
  • ", + "
  • be able to prove your qualification is relevant to the job you\u2019ll be doing in the UK - your employer can confirm this
  • ", + "

    View the list of jobs that qualify for a PhD salary discount to see how much you need to be paid.

    ", + "

    If you\u2019re a research or academic leader, you may also be eligible to apply for the Global Talent visa. This visa has no language or minimum salary requirements.

    ", + "

    You have a postdoctoral position in a scientific role

    ", + "

    You can be paid 70% of your job\u2019s usual going rate if you\u2019ll be working in a postdoctoral position.

    ", + "

    Check how much you\u2019ll need to be paid to qualify for this visa.

    ", + "

    Your total stay in the UK cannot be more than 4 years if you apply to work in a postdoctoral position at 70% of the usual going rate. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.

    ", + "

    Knowledge of English

    ", + "

    You\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.

    ", + "

    Level of English

    ", + "

    You must prove you can read, write, speak and understand English to at least level B1 on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • passing a Secure English Language Test (SELT) from an approved provider
  • ", + "
  • having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18
  • ", + "
  • having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply through Ecctis (formerly UK NARIC) for confirmation that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    If you\u2019re a doctor, dentist, nurse or midwife

    ", + "

    You do not need to prove your knowledge of English if you\u2019ve already passed an English Language assessment that is accepted by the relevant regulated professional body.

    ", + "

    How much it costs

    ", + "

    When you apply for a Health and Care Worker visa, you\u2019ll need to have enough money to:

    ", + "
  • pay the application fee
  • ", + "
  • support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    You\u2019ll be told how much you need to pay when you apply.

    ", + "

    Application fees

    ", + "

    The standard application fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3232 per person
  • ", + "
  • more than 3 years - \u00a3464 per person
  • ", + "

    The fee is the same whether you apply from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • proof of your knowledge of English
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • your job title and annual salary
  • ", + "
  • your job\u2019s occupation code
  • ", + "
  • the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship
  • ", + "

    Ask your employer for a copy of your certificate of sponsorship if you do not have one.

    ", + "

    If your certificate of sponsorship was issued before 1 December 2020

    ", + "

    Your certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (General) work visa was replaced by the Skilled Worker visa. The Health and Care Worker visa is a type of skilled work visa.

    ", + "

    Ask your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.

    ", + "

    Other documents you might need

    ", + "

    Depending on your circumstances, you might be asked to provide:

    ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • ", + "
  • a criminal record certificate - if you\u2019re working in certain jobs
  • ", + "
  • your UK PhD certificate, or your unique Ecctis reference number (formerly unique UK NARIC reference number) if your qualification is from outside the UK - you\u2019ll need to apply through Ecctis
  • ", + "

    You\u2019ll need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it
  • ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    Criminal record certificate

    ", + "

    You\u2019ll need to provide a criminal record certificate if you\u2019re applying from outside the UK, unless your job is in one of the following occupation codes:

    ", + "
  • biological scientists and biochemists (2112)
  • ", + "
  • physical scientists (2113)
  • ", + "

    Check how to apply for criminal records checks.

    ", + "

    If you\u2019ve lived in more than one country

    ", + "

    You might need to provide a certificate from each country you\u2019ve lived in, depending on your age and how long you stayed in each country.

    ", + "

    If you\u2019re under 28, you\u2019ll need a certificate from any country you\u2019ve stayed in for a total of 12 months or more since you turned 18.

    ", + "

    If you\u2019re 28 or over, you\u2019ll need a certificate from any country you\u2019ve stayed in over the last 10 years.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Health and Care Worker visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply for a Health and Care Worker visa

    ", + "

    Apply for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as your partner
  • ", + "
  • apply online as your child
  • ", + "

    Each family member will need to complete a separate application and pay the application fee. The fee depends on whether they\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3232 per person
  • ", + "
  • more than 3 years - \u00a3464 per person
  • ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity.

    ", + "

    They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a \nvisa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    If they do need an appointment:

    ", + "
  • the visa application centre may need to keep their passport and documents while they process their application
  • ", + "
  • they may have to travel to get to their nearest centre (this could be in another country)
  • ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children cannot apply to switch to your Health and Care Worker visa as your dependants if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch to your Health and Care Worker visa as your partner
  • ", + "
  • extend or switch to your Health and Care Worker visa as your child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    ", + "

    Extend your visa

    ", + "

    Some health workers and their families will get their visas extended for free because of coronavirus (COVID-19).

    ", + "

    You can usually apply to extend your Health and Care Worker visa if all of the following are true:

    ", + "
  • you have the same job as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • you\u2019re still working for the employer who gave you your current certificate of sponsorship
  • ", + "
  • you still meet the salary requirements
  • ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    If you have a Tier 2 Health and Care Worker visa

    ", + "

    You\u2019ll have a Tier 2 Health and Care Worker visa if either:

    ", + "
  • you applied for a Health and Care Worker visa before 1 December 2020
  • ", + "
  • you had a Tier 2 (General) work visa which you\u2019ve extended as a Health and Care Worker visa
  • ", + "

    If you have this visa, you may need to meet different eligibility requirements, depending on:

    ", + "
  • whether you got the certificate of sponsorship for your first Tier 2 visa before or after 24 November 2016
  • ", + "
  • whether you applied for your first Tier 2 (General) or Health and Care Worker visa before 6 April 2021
  • ", + "
  • your occupation code - some have different going rates
  • ", + "

    If you got your certificate of sponsorship before 24 November 2016

    ", + "

    If you apply to extend before 24 May 2023, you\u2019ll need to be paid at least \u00a320,800 per year unless the \u2018going rate\u2019 for your job is higher than this.

    ", + "

    This applies even if your job normally has different salary requirements.

    ", + "

    If you got your certificate of sponsorship on or after 24 November 2016

    ", + "

    If you apply to extend before 1 December 2026, you will still need to meet the salary requirements, but your salary may also include allowances, such as London weighting. Any allowances must be guaranteed for the length of your stay.

    ", + "

    If you applied for your first Tier 2 (General) or Health and Care Worker visa before 6 April 2021

    ", + "

    If your job has different salary requirements, you do not need to be paid at least \u00a310.10 per hour. You\u2019ll usually need to be paid at least \u00a325,600 or the going rate for your job, whichever is higher.

    ", + "

    If you\u2019re a physical scientist

    ", + "

    If you were sponsored for your Tier 2 (General) or Health and Care Worker visa before 1 December 2020, the going rate for your job is different.

    ", + "Occupation code | Going rate for Health and Care Worker visa | 90% of going rate (for relevant STEM PhD) | 80% of going rate (for relevant non-STEM PhD or shortage occupation) | 70% of going rate (for new entrants)", + "2113 Physical scientists | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour)", + "

    If you\u2019ve changed job or employer

    ", + "

    You\u2019ll need to apply to update your visa instead.

    ", + "

    Fees

    ", + "

    Check how much it costs for your type of visa.

    ", + "

    You may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to extend your Health and Care Worker visa

    ", + "

    Apply for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Update your visa if you change job or employer

    ", + "

    You\u2019ll need to apply to update your Health and Care Worker visa if:

    ", + "
  • you want to change your job and your new job is with a different employer
  • ", + "
  • your job changes to a different occupation code, and you\u2019re not in a graduate training programme
  • ", + "
  • you leave a job that\u2019s on the shortage occupation list for a job that is not on the list
  • ", + "

    The same conditions apply to Tier 2 Health and Care visas issued before 1 December 2020.

    ", + "

    You do not need to apply again if you stay in the same job, but your job is taken off the shortage occupation list.

    ", + "

    If you\u2019ll be doing a different job for your current employer, you only need to update your visa if your new job is in a different occupation code.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Eligibility and documents you\u2019ll need to apply

    ", + "

    Your new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.

    ", + "

    You\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.

    ", + "

    If you\u2019re applying to add a second job to your current visa

    ", + "

    You must apply to update your visa if you take on additional work that is either:

    ", + "
  • more than 20 paid hours a week in addition to the job you\u2019re being sponsored for
  • ", + "
  • in a different occupation code
  • ", + "

    Your second job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.

    ", + "

    You\u2019ll also need to include a letter with your application explaining that you want to change your current permission to stay.

    ", + "

    Your letter must state:

    ", + "
  • your name
  • ", + "
  • your date of birth
  • ", + "
  • your current certificate of sponsorship reference number
  • ", + "
  • the date when your current permission to stay runs out
  • ", + "

    If your application is successful, you\u2019ll get a new visa giving you permission to do both jobs.

    ", + "

    You do not need to apply to update your visa if you\u2019re taking on additional work in the same occupation code or you\u2019ll be doing less than 20 paid hours a week.

    ", + "

    When to apply to update your visa

    ", + "

    You can apply to update your visa up to 3 months before the start date of your new job.

    ", + "

    You can continue working in your current job while your new application is being considered, or to work out your notice period - as long as you apply before your current visa expires.

    ", + "

    You should not start your new job until you\u2019ve got confirmation of your new permission.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.

    ", + "

    Apply to update your visa

    ", + "

    You must apply online for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Switch to this visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to a Health and Care Worker visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Eligibility

    ", + "

    You must meet the following requirements:

    ", + "
  • your job meets the eligibility requirements
  • ", + "
  • you can speak, read, write and understand English
  • ", + "

    Who cannot apply to switch to this visa

    ", + "

    You cannot apply to switch to this visa if you\u2019re currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because you were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    You must leave the UK and apply for a Health and Care Worker visa from abroad if you\u2019re in one of these categories.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for as long as your employer is sponsoring you for, up to 5 years at a time. Your certificate of sponsorship will say how long your employer is sponsoring you for.

    ", + "

    Fees

    ", + "

    Check how much it costs for your type of visa.

    ", + "

    You may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to switch to a Health and Care Worker visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Apply for a Skilled Worker visa. You\u2019ll be asked if you\u2019re applying for a Health and Care Worker visa as part of your application - make sure you choose \u2018yes\u2019.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Taking on additional work

    ", + "

    You can do additional paid work on this visa as long as you\u2019re still doing the job you\u2019re being sponsored for. You can also do unpaid voluntary work.

    ", + "

    You can work up to 20 hours a week in a job that\u2019s either:

    ", + "
  • in the same occupation code and at the same level as your main job
  • ", + "
  • in a shortage occupation
  • ", + "

    Check if your job is on the list of:

    ", + "
  • healthcare and education shortage occupations
  • ", + "
  • all other shortage occupations
  • ", + "

    Due to coronavirus (COVID-19), there\u2019s currently no limit on the number of hours you can work or volunteer if you have a second job as an NHS doctor, nurse or paramedic.

    ", + "

    If you\u2019ll be working more than 20 hours a week or in a different occupation code

    ", + "

    You\u2019ll need to apply to update your visa so that you\u2019re being sponsored to do both jobs.

    ", + "

    You\u2019ll need to:

    ", + "
  • get a new certificate of sponsorship from your second employer
  • ", + "
  • include a letter with your application explaining that you want to change your current permission to stay
  • " + ] + }, + "https://www.gov.uk/intracompany-transfer-worker-visa": { + "url": "https://www.gov.uk/intracompany-transfer-worker-visa", + "title": "Intra-company visas", + "content": "## Overview\n\nAn Intra-company visa allows you to come to or stay in the UK to do an eligible job at your employer\u2019s UK branch.\n\n## If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Types of Intra-company visa\n\nThere are 2 types of Intra-company visa.\n\n## Intra-company Transfer visa\n\nApply for this visa if you\u2019re being transferred by your employer to a role in the UK.\n\nYou\u2019ll need to have worked for your employer overseas for more than 12 months, unless they\u2019re going to pay you \u00a373,900 a year or more to work in the UK.\n\nThis visa has replaced the Tier 2 (Intra-company Transfer) Long-term Staff visa.\n\n## Intra-company Graduate Trainee visa\n\nThis visa is for transfers to the UK as part of a graduate training programme for a managerial or specialist role.\n\nYou\u2019ll need to have worked for your employer overseas for at least 3 months immediately before the date you apply.\n\nThis visa has replaced the Tier 2 (Intra-company Transfer) Graduate Trainee visa.\n\n## Eligibility\n\nTo qualify for an Intra-company visa, you must:\n\n- be an existing employee of an organisation that\u2019s been approved by the Home Office as a sponsor\n\n- have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK\n\n- do a job that\u2019s on the list of eligible occupations\n\n- be paid at least \u00a341,500 for an Intra-company Transfer visa or at least \u00a323,000 for an Intra-company Graduate Trainee visa\n\nThe specific eligibility requirements depend on your job.\n\n## How long you can stay\n\nHow long you can stay in the UK with an Intra-company visa depends on which visa you\u2019re applying for and how long your employer is sponsoring you for.\n\n## If you\u2019re applying for an Intra-company Transfer visa\n\nYou can stay in the UK with an Intra-company Transfer visa for whichever is shorter of:\n\n- the time given on your certificate of sponsorship plus 14 days\n\n- 5 years\n\n- the length of time that takes you to the maximum total stay allowed\n\nThe maximum total stay allowed for an Intra-company Transfer visa is:\n\n- 5 years in any 6 year period if you\u2019re paid less than \u00a373,900 a year\n\n- 9 years in any 10 year period if you\u2019re paid \u00a373,900 a year or more\n\nYou can extend your visa or apply for another one up to the maximum total stay. If you have already been in the UK with an Intra-company visa before your application, that time will be included in your total stay.\n\n## If you\u2019re applying for an Intra-company Graduate Trainee visa\n\nYou can stay in the UK with an Intra-company Graduate Trainee visa for whichever is shorter of:\n\n- the time given on your certificate of sponsorship plus 14 days\n\n- 12 months\n\n- the length of time that takes you to the maximum total stay allowed\n\nYou cannot extend your visa, but you can apply for another Intra-company Graduate Trainee visa from outside the UK. You have to have been working for your sponsor outside the UK for at least 3 months immediately before the date you apply.\n\nThe maximum total stay allowed for an Intra-company Graduate Trainee visa is 5 years in any 6 year period. If you have already been in the UK with an Intra-company visa before your application, that time will be included in your total stay.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How much it costs\n\nYou, your partner or children will each need to:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove you have enough personal savings\n\nCheck how much it costs.\n\n## How long it takes\n\nYou can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## What you can and cannot do\n\nWith an Intra-company visa you can:\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- study\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- do a second job for up to 20 hours a week that\u2019s either in the same profession and at the same level as your main job or on the Skilled Worker shortage occupation list\n\n- do voluntary work\n\n- travel abroad and return to the UK\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- change jobs unless you update your visa\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019)\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with an Intra-company visa.\n\n## Eligibility\n\nTo be eligible for an Intra-company visa you need to:\n\n- have a valid certificate of sponsorship from your employer\n\n- have worked for your employer outside the UK - how long you need to have worked for them depends on the visa you\u2019re applying for and your salary\n\n- do a job that\u2019s on the list of eligible occupations\n\n- be paid the minimum eligible salary required for your job\n\n## Getting a certificate of sponsorship\n\nYour employer - also known as your sponsor - will give you a \u2018certificate of sponsorship\u2019 with information about the role you have been offered in the UK. It\u2019s an electronic record, not a paper document.\n\nYou\u2019ll need the reference number from the certificate of sponsorship for your visa application. You must apply for your visa within 3 months of getting your certificate of sponsorship.\n\nIf your employer is not currently licensed to sponsor people to work in the UK, they can apply for a sponsor licence if they\u2019re eligible.\n\n## How long you need to have worked for your employer outside the UK\n\nYou must have worked for your employer outside of the UK. How long you need to have worked for them depends on what visa you\u2019re applying for and how much you\u2019re paid.\n\n| What visa you\u2019re applying for | How long you need to have worked for your employer outside the UK |\n\n| Intra-company Transfer (earning less than \u00a373,900 a year) | 12 months |\n\n| Intra-company Transfer (earning \u00a373,900 a year or more) | no minimum time |\n\n| Intra-company Graduate Trainee | 3 months |\n\nIf you\u2019re applying for an Intra-company Graduate Trainee visa, you must have worked for your employer overseas for the 3 months immediately before the date you apply.\n\n## Check if your job is eligible\n\nBefore you can find out if your job is eligible, you need to know its 4-digit occupation code. You can get this from your employer or your certificate of sponsorship.\n\nWhen you know your occupation code, check the table of eligible jobs to see if it\u2019s eligible for your visa type.\n\n## Salary requirements\n\nIf you\u2019re applying for an Intra-company Transfer visa you must be paid at least \u00a341,500 or the \u2018going rate\u2019 for your job - whichever is higher.\n\nIf you\u2019re applying for an Intra-company Graduate Trainee visa you must be paid at least \u00a323,000 or 70% of the \u2018going rate\u2019 for your job - whichever is higher.\n\nEach occupation code has its own annual going rate. Check the going rate for your job in the going rates table.\n\n## How much it costs\n\nWhen you apply for an Intra-company visa, you\u2019ll need to have enough money to:\n\n- pay the application fee - the standard fee ranges from \u00a3610 to \u00a31,408 depending on your circumstances\n\n- pay the healthcare surcharge - this is usually \u00a3624 per year\n\n- support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\nYou\u2019ll be told how much you need to pay when you apply.\n\n## Application fee\n\nHow much you pay to apply for an Intra-company visa depends on the type of visa and where you\u2019re applying from.\n\n| What you\u2019re applying for | Apply from outside the UK | Extend or switch in the UK |\n\n| Intra-company Transfer (up to 3 years) | \u00a3610 per person | \u00a3704 per person |\n\n| Intra-company Transfer (more than 3 years) | \u00a31,220 per person | \u00a31,408 per person |\n\n| Intra-company Graduate Trainee | \u00a3482 per person | \u00a3482 per person |\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge for each year of your stay - this is usually \u00a3624 per year. Check how much you\u2019ll have to pay before you apply.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself when you arrive in the UK.\n\nYou will need to have had the money available for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date you apply.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for 12 months or more\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- your job title and annual salary\n\n- your job\u2019s occupation code\n\n- the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a listed country\n\nAsk your employer for a copy of your certificate of sponsorship if you do not have one.\n\n## If your certificate of sponsorship was issued before 1 December 2020\n\nYour certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (Intra-company Transfer) Long-term Staff visa and Tier 2 (Intra-company Transfer) Graduate Trainee visa were replaced.\n\nAsk your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.\n\n## Other documents you might need\n\nDepending on your circumstances, you might be asked to provide:\n\n- evidence you\u2019ve worked for your employer outside the UK\n\n- details of your training programme if you\u2019re applying for an Intra-company Graduate Trainee visa\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\nYou\u2019ll need a blank page in your passport for your visa if you need to give your biometric information (fingerprints and a photograph) at a visa application centre. You\u2019ll be told if you need to do this when you apply.\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\n## Evidence you\u2019ve worked for your employer outside the UK\n\nAfter you apply you might be asked to show you\u2019ve worked for your employer for a certain amount of time.\n\nThe length of time depends on what visa you\u2019re applying for:\n\n- Intra-company Transfer earning less than \u00a373,900 a year - 12 months\n\n- Intra-company Transfer earning \u00a373,900 a year or more - no minimum time\n\n- Intra-company Graduate Trainee - 3 months\n\nIf you\u2019re asked, you\u2019ll need to show you\u2019ve been paid by your employer over this time period. You can provide:\n\n- printed payslips\n\n- online payslips supported by a letter from your sponsor signed by a senior staff member\n\n- bank or building society statements\n\n- a building society pass book\n\n## Apply from outside the UK\n\nYou must apply online for an Intra-company visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the visa application centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest centre (this could be in another country)\n\n## Apply for an Intra-company visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email with the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date you or they apply for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as a partner\n\n- apply online as a child\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document (they\u2019ll also create or sign into their UK Visas and Immigration (UKVI) account)\n\nThey\u2019ll be told what they need to do when they apply.\n\nIf they do need an appointment:\n\n- the visa application centre may need to keep their passport and documents while they process their application\n\n- they may have to travel to get to their nearest centre (this could be in another country)\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nApply for your partner or child\u2019s visa at the same time as you extend or switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children will not be able to apply to switch to this visa if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document (they\u2019ll also create or sign into their UK Visas and Immigration (UKVI) account)\n\nThey\u2019ll be told what they need to do when they apply.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Intra-company Transfer visa from inside the UK if all of the following are true:\n\n- you have the same job as when you were given your previous permission to enter or stay in the UK\n\n- your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK\n\n- you\u2019re still working for the employer who gave you your current certificate of sponsorship\n\n- you have not reached the maximum total stay\n\nYou cannot extend an Intra-company Graduate Trainee visa from inside the UK.\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## If your job changes\n\nYou\u2019ll need to apply to update your visa instead.\n\n## Fees\n\nCheck how much it costs for your type of visa.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Intra-company Transfer visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.\n\n## Update your visa if your job changes\n\nYou\u2019ll need to apply to update your Intra-company visa if your job changes to a different occupation code. You must still have the same employer.\n\nYou do not need to apply again if you have an Intra-company Graduate Trainee visa and your job changes as part of your graduate training programme. Your employer will notify UK Visas and Immigration.\n\nYour partner or children will need to apply separately.\n\n## Eligibility and documents you\u2019ll need to apply\n\nYour new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship.\n\nYou\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.\n\n## When to apply to update your visa\n\nYou can apply to update your visa up to 3 months before the start date of your new job.\n\nYou can continue working in your current job while your new application is being considered - as long as you apply before your current visa expires.\n\nYou should not start your new job until you\u2019ve got confirmation of your new permission.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told how to do this when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.\n\n## Apply to update your visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.\n\n## Switch to an Intra-company visa\n\nYou might be able to apply to change (\u2018switch\u2019) to an Intra-company Transfer visa if you\u2019re already in the UK on a different type of visa. You must meet the eligibility requirements\n\nYou cannot switch to an Intra-company Graduate Trainee visa from inside the UK.\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Who cannot apply to switch\n\nYou cannot apply to switch to an Intra-company visa if you\u2019re currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because you were given permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and apply for an Intra-company Transfer visa from abroad if you\u2019re in one of these categories.\n\n## Fees\n\nCheck how much it costs.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to switch to an Intra-company Transfer visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.", + "original_contents": [ + "

    Overview

    ", + "

    An Intra-company visa allows you to come to or stay in the UK to do an eligible job at your employer\u2019s UK branch.

    ", + "

    If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Types of Intra-company visa

    ", + "

    There are 2 types of Intra-company visa.

    ", + "

    Intra-company Transfer visa

    ", + "

    Apply for this visa if you\u2019re being transferred by your employer to a role in the UK.

    ", + "

    You\u2019ll need to have worked for your employer overseas for more than 12 months, unless they\u2019re going to pay you \u00a373,900 a year or more to work in the UK.

    ", + "

    This visa has replaced the Tier 2 (Intra-company Transfer) Long-term Staff visa.

    ", + "

    Intra-company Graduate Trainee visa

    ", + "

    This visa is for transfers to the UK as part of a graduate training programme for a managerial or specialist role.

    ", + "

    You\u2019ll need to have worked for your employer overseas for at least 3 months immediately before the date you apply.

    ", + "

    This visa has replaced the Tier 2 (Intra-company Transfer) Graduate Trainee visa.

    ", + "

    Eligibility

    ", + "

    To qualify for an Intra-company visa, you must:

    ", + "
  • be an existing employee of an organisation that\u2019s been approved by the Home Office as a sponsor
  • ", + "
  • have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK
  • ", + "
  • do a job that\u2019s on the list of eligible occupations
  • ", + "
  • be paid at least \u00a341,500 for an Intra-company Transfer visa or at least \u00a323,000 for an Intra-company Graduate Trainee visa
  • ", + "

    The specific eligibility requirements depend on your job.

    ", + "

    How long you can stay

    ", + "

    How long you can stay in the UK with an Intra-company visa depends on which visa you\u2019re applying for and how long your employer is sponsoring you for.

    ", + "

    If you\u2019re applying for an Intra-company Transfer visa

    ", + "

    You can stay in the UK with an Intra-company Transfer visa for whichever is shorter of:

    ", + "
  • the time given on your certificate of sponsorship plus 14 days
  • ", + "
  • 5 years
  • ", + "
  • the length of time that takes you to the maximum total stay allowed
  • ", + "

    The maximum total stay allowed for an Intra-company Transfer visa is:

    ", + "
  • 5 years in any 6 year period if you\u2019re paid less than \u00a373,900 a year
  • ", + "
  • 9 years in any 10 year period if you\u2019re paid \u00a373,900 a year or more
  • ", + "

    You can extend your visa or apply for another one up to the maximum total stay. If you have already been in the UK with an Intra-company visa before your application, that time will be included in your total stay.

    ", + "

    If you\u2019re applying for an Intra-company Graduate Trainee visa

    ", + "

    You can stay in the UK with an Intra-company Graduate Trainee visa for whichever is shorter of:

    ", + "
  • the time given on your certificate of sponsorship plus 14 days
  • ", + "
  • 12 months
  • ", + "
  • the length of time that takes you to the maximum total stay allowed
  • ", + "

    You cannot extend your visa, but you can apply for another Intra-company Graduate Trainee visa from outside the UK. You have to have been working for your sponsor outside the UK for at least 3 months immediately before the date you apply.

    ", + "

    The maximum total stay allowed for an Intra-company Graduate Trainee visa is 5 years in any 6 year period. If you have already been in the UK with an Intra-company visa before your application, that time will be included in your total stay.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    You can include your partner and children in your application to stay in the UK if they are eligible.

    ", + "

    How much it costs

    ", + "

    You, your partner or children will each need to:

    ", + "
  • pay the application fee
  • ", + "
  • pay the healthcare surcharge for each year of your stay
  • ", + "
  • prove you have enough personal savings
  • ", + "

    Check how much it costs.

    ", + "

    How long it takes

    ", + "

    You can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • ", + "
  • 8 weeks, if you\u2019re inside the UK
  • ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    What you can and cannot do

    ", + "

    With an Intra-company visa you can:

    ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • study
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "
  • do a second job for up to 20 hours a week that\u2019s either in the same profession and at the same level as your main job or on the Skilled Worker shortage occupation list
  • ", + "
  • do voluntary work
  • ", + "
  • travel abroad and return to the UK
  • ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "
  • change jobs unless you update your visa
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019)
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with an Intra-company visa.

    ", + "

    Eligibility

    ", + "

    To be eligible for an Intra-company visa you need to:

    ", + "
  • have a valid certificate of sponsorship from your employer
  • ", + "
  • have worked for your employer outside the UK - how long you need to have worked for them depends on the visa you\u2019re applying for and your salary
  • ", + "
  • do a job that\u2019s on the list of eligible occupations
  • ", + "
  • be paid the minimum eligible salary required for your job
  • ", + "

    Getting a certificate of sponsorship

    ", + "

    Your employer - also known as your sponsor - will give you a \u2018certificate of sponsorship\u2019 with information about the role you have been offered in the UK. It\u2019s an electronic record, not a paper document.

    ", + "

    You\u2019ll need the reference number from the certificate of sponsorship for your visa application. You must apply for your visa within 3 months of getting your certificate of sponsorship.

    ", + "

    If your employer is not currently licensed to sponsor people to work in the UK, they can apply for a sponsor licence if they\u2019re eligible.

    ", + "

    How long you need to have worked for your employer outside the UK

    ", + "

    You must have worked for your employer outside of the UK. How long you need to have worked for them depends on what visa you\u2019re applying for and how much you\u2019re paid.

    ", + "What visa you\u2019re applying for | How long you need to have worked for your employer outside the UK", + "Intra-company Transfer (earning less than \u00a373,900 a year) | 12 months", + "Intra-company Transfer (earning \u00a373,900 a year or more) | no minimum time", + "Intra-company Graduate Trainee | 3 months", + "

    If you\u2019re applying for an Intra-company Graduate Trainee visa, you must have worked for your employer overseas for the 3 months immediately before the date you apply.

    ", + "

    Check if your job is eligible

    ", + "

    Before you can find out if your job is eligible, you need to know its 4-digit occupation code. You can get this from your employer or your certificate of sponsorship.

    ", + "

    When you know your occupation code, check the table of eligible jobs to see if it\u2019s eligible for your visa type.

    ", + "

    Salary requirements

    ", + "

    If you\u2019re applying for an Intra-company Transfer visa you must be paid at least \u00a341,500 or the \u2018going rate\u2019 for your job - whichever is higher.

    ", + "

    If you\u2019re applying for an Intra-company Graduate Trainee visa you must be paid at least \u00a323,000 or 70% of the \u2018going rate\u2019 for your job - whichever is higher.

    ", + "

    Each occupation code has its own annual going rate. Check the going rate for your job in the going rates table.

    ", + "

    How much it costs

    ", + "

    When you apply for an Intra-company visa, you\u2019ll need to have enough money to:

    ", + "
  • pay the application fee - the standard fee ranges from \u00a3610 to \u00a31,408 depending on your circumstances
  • ", + "
  • pay the healthcare surcharge - this is usually \u00a3624 per year
  • ", + "
  • support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    You\u2019ll be told how much you need to pay when you apply.

    ", + "

    Application fee

    ", + "

    How much you pay to apply for an Intra-company visa depends on the type of visa and where you\u2019re applying from.

    ", + "What you\u2019re applying for | Apply from outside the UK | Extend or switch in the UK", + "Intra-company Transfer (up to 3 years) | \u00a3610 per person | \u00a3704 per person", + "Intra-company Transfer (more than 3 years) | \u00a31,220 per person | \u00a31,408 per person", + "Intra-company Graduate Trainee | \u00a3482 per person | \u00a3482 per person", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge for each year of your stay - this is usually \u00a3624 per year. Check how much you\u2019ll have to pay before you apply.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself when you arrive in the UK.

    ", + "

    You will need to have had the money available for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date you apply.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for 12 months or more
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • your job title and annual salary
  • ", + "
  • your job\u2019s occupation code
  • ", + "
  • the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • ", + "

    Ask your employer for a copy of your certificate of sponsorship if you do not have one.

    ", + "

    If your certificate of sponsorship was issued before 1 December 2020

    ", + "

    Your certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (Intra-company Transfer) Long-term Staff visa and Tier 2 (Intra-company Transfer) Graduate Trainee visa were replaced.

    ", + "

    Ask your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.

    ", + "

    Other documents you might need

    ", + "

    Depending on your circumstances, you might be asked to provide:

    ", + "
  • evidence you\u2019ve worked for your employer outside the UK
  • ", + "
  • details of your training programme if you\u2019re applying for an Intra-company Graduate Trainee visa
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • ", + "

    You\u2019ll need a blank page in your passport for your visa if you need to give your biometric information (fingerprints and a photograph) at a visa application centre. You\u2019ll be told if you need to do this when you apply.

    ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    Evidence you\u2019ve worked for your employer outside the UK

    ", + "

    After you apply you might be asked to show you\u2019ve worked for your employer for a certain amount of time.

    ", + "

    The length of time depends on what visa you\u2019re applying for:

    ", + "
  • Intra-company Transfer earning less than \u00a373,900 a year - 12 months
  • ", + "
  • Intra-company Transfer earning \u00a373,900 a year or more - no minimum time
  • ", + "
  • Intra-company Graduate Trainee - 3 months
  • ", + "

    If you\u2019re asked, you\u2019ll need to show you\u2019ve been paid by your employer over this time period. You can provide:

    ", + "
  • printed payslips
  • ", + "
  • online payslips supported by a letter from your sponsor signed by a senior staff member
  • ", + "
  • bank or building society statements
  • ", + "
  • a building society pass book
  • ", + "

    Apply from outside the UK

    ", + "

    You must apply online for an Intra-company visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the visa application centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest centre (this could be in another country)
  • ", + "

    Apply for an Intra-company visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email with the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date you or they apply for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as a partner
  • ", + "
  • apply online as a child
  • ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document (they\u2019ll also create or sign into their UK Visas and Immigration (UKVI) account)
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    If they do need an appointment:

    ", + "
  • the visa application centre may need to keep their passport and documents while they process their application
  • ", + "
  • they may have to travel to get to their nearest centre (this could be in another country)
  • ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you extend or switch your own visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children will not be able to apply to switch to this visa if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch as a partner
  • ", + "
  • extend or switch as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document (they\u2019ll also create or sign into their UK Visas and Immigration (UKVI) account)
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Intra-company Transfer visa from inside the UK if all of the following are true:

    ", + "
  • you have the same job as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK
  • ", + "
  • you\u2019re still working for the employer who gave you your current certificate of sponsorship
  • ", + "
  • you have not reached the maximum total stay
  • ", + "

    You cannot extend an Intra-company Graduate Trainee visa from inside the UK.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    If your job changes

    ", + "

    You\u2019ll need to apply to update your visa instead.

    ", + "

    Fees

    ", + "

    Check how much it costs for your type of visa.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to extend your Intra-company Transfer visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.

    ", + "

    Update your visa if your job changes

    ", + "

    You\u2019ll need to apply to update your Intra-company visa if your job changes to a different occupation code. You must still have the same employer.

    ", + "

    You do not need to apply again if you have an Intra-company Graduate Trainee visa and your job changes as part of your graduate training programme. Your employer will notify UK Visas and Immigration.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Eligibility and documents you\u2019ll need to apply

    ", + "

    Your new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship.

    ", + "

    You\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.

    ", + "

    When to apply to update your visa

    ", + "

    You can apply to update your visa up to 3 months before the start date of your new job.

    ", + "

    You can continue working in your current job while your new application is being considered - as long as you apply before your current visa expires.

    ", + "

    You should not start your new job until you\u2019ve got confirmation of your new permission.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told how to do this when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.

    ", + "

    Apply to update your visa

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.

    ", + "

    Switch to an Intra-company visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to an Intra-company Transfer visa if you\u2019re already in the UK on a different type of visa. You must meet the eligibility requirements

    ", + "

    You cannot switch to an Intra-company Graduate Trainee visa from inside the UK.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Who cannot apply to switch

    ", + "

    You cannot apply to switch to an Intra-company visa if you\u2019re currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because you were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    You must leave the UK and apply for an Intra-company Transfer visa from abroad if you\u2019re in one of these categories.

    ", + "

    Fees

    ", + "

    Check how much it costs.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to switch to an Intra-company Transfer visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.

    " + ] + }, + "https://www.gov.uk/minister-of-religion-visa": { + "url": "https://www.gov.uk/minister-of-religion-visa", + "title": "Minister of Religion visa (T2)", + "content": "## Overview\n\nYou can apply for a Minister of Religion visa (T2) if:\n\n- you\u2019ve been offered a job within a faith community (for example as a minister of religion, missionary, or member of a religious order) in the UK\n\n- you meet the other eligibility requirements\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Getting sponsored\n\nYou need to be employed by a licensed sponsor to apply to live in the UK.\n\nYour sponsor checks that you can do the job they\u2019re hiring you for and if it qualifies you for a visa. They\u2019ll give you a certificate of sponsorship to prove this.\n\nThey must also give you other information you need when you apply, for example how much you\u2019ll be paid.\n\n## How long it will take\n\nYou can apply for a visa up to 3 months before the day you\u2019re due to start work in the UK. This date is listed on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nHow much you pay for a Minister of Religion visa (T2) depends on where you are.\n\n| Who you\u2019re applying for | Apply outside the UK | Extend or switch in the UK |\n\n| You | \u00a3610 | \u00a3704 |\n\n| All dependants | \u00a3610 each person | \u00a3704 each person |\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can come to the UK with a Minister of Religion visa (T2) for a maximum of up to 3 years and 1 month, or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.\n\nYou can apply to extend your stay.\n\nYou must apply before your visa expires.\n\n## What you can and cannot do\n\nYou can:\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job - in certain circumstances\n\n- do voluntary work\n\n- study as long as it does not interfere with the job you\u2019re sponsored for\n\n- travel abroad and return to the UK\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- own more than 10% of your sponsor\u2019s shares (unless you earn more than \u00a3159,600 a year)\n\n- get public funds\n\n## Eligibility\n\nYou need to:\n\n- have a certificate of sponsorship for your job\n\n- prove your knowledge of English\n\n- have personal savings so you can support yourself when you arrive in the UK\n\n- show you can travel and your travel history over the last 5 years\n\n- have tuberculosis test results if you\u2019re from a listed country\n\nYou need to have an eligible qualification if you\u2019re switching from a Tier 4 visa.\n\n## Certificate of sponsorship\n\nA certificate of sponsorship holds your personal details and information about the job you\u2019ve been offered. It\u2019s an electronic record, not a paper document. Your sponsor will give you a certificate of sponsorship reference number to add to your application.\n\nYou can only use your certificate of sponsorship reference number once. You must use it within 3 months of getting it.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\nYou can prove your knowledge of English by either:\n\n- passing an approved English language test with at least CEFR level B2 in reading, writing, speaking and listening\n\n- having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelors degree, master\u2019s degree or PhD\n\nYou may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.\n\n## Exceptions\n\nYou will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nYou also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.\n\n## Documents you'll need\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number (your employer will give you this)\n\n- proof of your knowledge of English\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- a valid passport or other document that shows your identity and nationality - you need a blank page in your passport for your visa\n\n- expired passports or travel documents if you need them to show your travel history\n\n- your tuberculosis test results if you\u2019re from a listed country\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\nYou may need to provide additional documents depending on your circumstances.\n\nSee the full list of documents you can provide.\n\nRead the guidance about the money you\u2019ll need and how to prove it.\n\n## Apply from outside the UK\n\nYou must apply online for a Minister of Religion visa (T2).\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre.\n\nYou\u2019ll have your fingerprints and photograph taken at the visa application centre, so you can get a biometric residence permit.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.\n\n## Apply for a Minister of Religion visa (T2)\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## After you apply\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.\n\nYou\u2019ll get an email containing the decision on your application. This will explain what you need to do next.\n\n## Extend your visa\n\nYou may be able to apply to extend your stay in the UK under a Minister of Religion visa (T2).\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou\u2019ll still need to meet the eligibility criteria and provide the right documents.\n\nYou\u2019ll also need a new certificate of sponsorship from your sponsor.\n\n## How long you can stay\n\nYou can extend a Minister of Religion visa (T2) for up to 3 years, or the time given in your certificate of sponsorship plus 14 days, or the time required to take your total stay in the UK to a maximum of 6 years, whichever time is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## Apply to extend your Minister of Religion visa (T2)\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou\u2019ll usually get a decision:\n\n- within 8 weeks of your application date if you use the standard service\n\n- within 5 working days of your UKVCAS appointment if you use the priority service\n\nIf you use the super priority service you\u2019ll get a decision:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your circumstances or application are more complicated, for example if:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- you have a criminal conviction\n\n## Switch to this visa\n\nYou can apply to change (\u2018switch\u2019) from another visa to a Minister of Religion visa (T2).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must meet the Minister of Religion visa (T2) eligibility requirements and must already be in the UK under any of the following visas:\n\n- Tier 1 visa\n\n- Tier 2 (Sportsperson) visa\n\n- Tier 2 (General) visa\n\n- Tier 2 (Intra-company Transfer) visa under the Immigration Rules in place before 6 April 2010 and you\u2019re applying to change sponsor\n\n- Tier 4 visa - if you have an eligible qualification\n\n- Start-up visa\n\n- Innovator visa\n\nYou can also switch to this visa if you meet the eligibility requirements and you\u2019re:\n\n- a dependent partner of someone with a Tier 4 visa\n\n- a representative of an overseas business\n\nYou must leave the UK and make your Minister of Religion visa (T2) application from abroad if you\u2019re not in any of these categories.\n\n## Eligible qualifications for Tier 4 visa\n\nYou must have been sponsored by a licensed sponsor to get one of the following qualifications:\n\n- a UK bachelors degree\n\n- a UK masters degree\n\n- a postgraduate certificate in education\n\n- a professional graduate diploma of education\n\nIf you\u2019re a PhD student, you must have also have completed the last 12 months\u2019 study during your most recent stay in the UK. This can be through a licensed sponsor or another visa that allowed you to study.\n\n## How long you can stay\n\nYou can stay up to 3 years after switching to a Minister of Religion visa (T2).\n\n## Fees\n\nCheck the fees for your visa.\n\n## Apply to switch to a Minister of Religion visa (T2)\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou\u2019ll usually get a decision:\n\n- within 8 weeks of your application date if you use the standard service\n\n- within 5 working days of your UKVCAS appointment if you use the priority service\n\nIf you use the super priority service you\u2019ll get a decision:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAs appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.\n\n## Taking a second job\n\nYou can take a second job on this visa if you\u2019re working up to 20 hours a week in either:\n\n- the same profession as your main job\n\n- a profession on the Skilled Worker shortage occupation list\n\nYou can also do unpaid voluntary work.\n\nOtherwise, you\u2019ll need to apply for a new visa. You\u2019ll need to be sponsored by your second employer and get a new certificate of sponsorship.\n\n## When to apply for a new visa\n\nYou cannot apply for a new visa until you\u2019ve started work with your first sponsor.\n\nYou cannot start work with your second sponsor until your visa application has been approved.\n\n## How to apply\n\nRead the guidance before you apply.\n\nYou must apply online.\n\nYou must be in the UK to apply.\n\n## Documents you must provide\n\nYou\u2019ll need to provide some documents with your application.\n\nYou must also provide a letter explaining that you want to change your current permission to stay.\n\nYour letter must state:\n\n- your name\n\n- your date of birth\n\n- your current certificate of sponsorship reference number\n\n- the date when your current permission to stay runs out", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Minister of Religion visa (T2) if:

    ", + "
  • you\u2019ve been offered a job within a faith community (for example as a minister of religion, missionary, or member of a religious order) in the UK
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Getting sponsored

    ", + "

    You need to be employed by a licensed sponsor to apply to live in the UK.

    ", + "

    Your sponsor checks that you can do the job they\u2019re hiring you for and if it qualifies you for a visa. They\u2019ll give you a certificate of sponsorship to prove this.

    ", + "

    They must also give you other information you need when you apply, for example how much you\u2019ll be paid.

    ", + "

    How long it will take

    ", + "

    You can apply for a visa up to 3 months before the day you\u2019re due to start work in the UK. This date is listed on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    How much you pay for a Minister of Religion visa (T2) depends on where you are.

    ", + "Who you\u2019re applying for | Apply outside the UK | Extend or switch in the UK", + "You | \u00a3610 | \u00a3704", + "All dependants | \u00a3610 each person | \u00a3704 each person", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You can come to the UK with a Minister of Religion visa (T2) for a maximum of up to 3 years and 1 month, or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    You can apply to extend your stay.

    ", + "

    You must apply before your visa expires.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job - in certain circumstances
  • ", + "
  • do voluntary work
  • ", + "
  • study as long as it does not interfere with the job you\u2019re sponsored for
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • own more than 10% of your sponsor\u2019s shares (unless you earn more than \u00a3159,600 a year)
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    You need to:

    ", + "
  • have a certificate of sponsorship for your job
  • ", + "
  • prove your knowledge of English
  • ", + "
  • have personal savings so you can support yourself when you arrive in the UK
  • ", + "
  • show you can travel and your travel history over the last 5 years
  • ", + "
  • have tuberculosis test results if you\u2019re from a listed country
  • ", + "

    You need to have an eligible qualification if you\u2019re switching from a Tier 4 visa.

    ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship holds your personal details and information about the job you\u2019ve been offered. It\u2019s an electronic record, not a paper document. Your sponsor will give you a certificate of sponsorship reference number to add to your application.

    ", + "

    You can only use your certificate of sponsorship reference number once. You must use it within 3 months of getting it.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Knowledge of English

    ", + "

    You may need to prove your knowledge of the English language when you apply.

    ", + "

    You can prove your knowledge of English by either:

    ", + "
  • passing an approved English language test with at least CEFR level B2 in reading, writing, speaking and listening
  • ", + "
  • having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelors degree, master\u2019s degree or PhD
  • ", + "

    You may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.

    ", + "

    Exceptions

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    You also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.

    ", + "

    Documents you'll need

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number (your employer will give you this)
  • ", + "
  • proof of your knowledge of English
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • a valid passport or other document that shows your identity and nationality - you need a blank page in your passport for your visa
  • ", + "
  • expired passports or travel documents if you need them to show your travel history
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    See the full list of documents you can provide.

    ", + "

    Read the guidance about the money you\u2019ll need and how to prove it.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Minister of Religion visa (T2).

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your online application, you need to book an appointment at a visa application centre.

    ", + "

    You\u2019ll have your fingerprints and photograph taken at the visa application centre, so you can get a biometric residence permit.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.

    ", + "

    Apply for a Minister of Religion visa (T2)

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    After you apply

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    ", + "

    You\u2019ll get an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Extend your visa

    ", + "

    You may be able to apply to extend your stay in the UK under a Minister of Religion visa (T2).

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You\u2019ll still need to meet the eligibility criteria and provide the right documents.

    ", + "

    You\u2019ll also need a new certificate of sponsorship from your sponsor.

    ", + "

    How long you can stay

    ", + "

    You can extend a Minister of Religion visa (T2) for up to 3 years, or the time given in your certificate of sponsorship plus 14 days, or the time required to take your total stay in the UK to a maximum of 6 years, whichever time is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    Apply to extend your Minister of Religion visa (T2)

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    You\u2019ll usually get a decision:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    If you use the super priority service you\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your circumstances or application are more complicated, for example if:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • you have a criminal conviction
  • ", + "

    Switch to this visa

    ", + "

    You can apply to change (\u2018switch\u2019) from another visa to a Minister of Religion visa (T2).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must meet the Minister of Religion visa (T2) eligibility requirements and must already be in the UK under any of the following visas:

    ", + "
  • Tier 1 visa
  • ", + "
  • Tier 2 (Sportsperson) visa
  • ", + "
  • Tier 2 (General) visa
  • ", + "
  • Tier 2 (Intra-company Transfer) visa under the Immigration Rules in place before 6 April 2010 and you\u2019re applying to change sponsor
  • ", + "
  • Tier 4 visa - if you have an eligible qualification
  • ", + "
  • Start-up visa
  • ", + "
  • Innovator visa
  • ", + "

    You can also switch to this visa if you meet the eligibility requirements and you\u2019re:

    ", + "
  • a dependent partner of someone with a Tier 4 visa
  • ", + "
  • a representative of an overseas business
  • ", + "

    You must leave the UK and make your Minister of Religion visa (T2) application from abroad if you\u2019re not in any of these categories.

    ", + "

    Eligible qualifications for Tier 4 visa

    ", + "

    You must have been sponsored by a licensed sponsor to get one of the following qualifications:

    ", + "
  • a UK bachelors degree
  • ", + "
  • a UK masters degree
  • ", + "
  • a postgraduate certificate in education
  • ", + "
  • a professional graduate diploma of education
  • ", + "

    If you\u2019re a PhD student, you must have also have completed the last 12 months\u2019 study during your most recent stay in the UK. This can be through a licensed sponsor or another visa that allowed you to study.

    ", + "

    How long you can stay

    ", + "

    You can stay up to 3 years after switching to a Minister of Religion visa (T2).

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    Apply to switch to a Minister of Religion visa (T2)

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    You\u2019ll usually get a decision:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    If you use the super priority service you\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAs appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK to extend

    ", + "

    You can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.

    ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend as a partner
  • ", + "
  • extend as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    ", + "

    Taking a second job

    ", + "

    You can take a second job on this visa if you\u2019re working up to 20 hours a week in either:

    ", + "
  • the same profession as your main job
  • ", + "
  • a profession on the Skilled Worker shortage occupation list
  • ", + "

    You can also do unpaid voluntary work.

    ", + "

    Otherwise, you\u2019ll need to apply for a new visa. You\u2019ll need to be sponsored by your second employer and get a new certificate of sponsorship.

    ", + "

    When to apply for a new visa

    ", + "

    You cannot apply for a new visa until you\u2019ve started work with your first sponsor.

    ", + "

    You cannot start work with your second sponsor until your visa application has been approved.

    ", + "

    How to apply

    ", + "

    Read the guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    You must be in the UK to apply.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need to provide some documents with your application.

    ", + "

    You must also provide a letter explaining that you want to change your current permission to stay.

    ", + "

    Your letter must state:

    ", + "
  • your name
  • ", + "
  • your date of birth
  • ", + "
  • your current certificate of sponsorship reference number
  • ", + "
  • the date when your current permission to stay runs out
  • " + ] + }, + "https://www.gov.uk/sportsperson-visa": { + "url": "https://www.gov.uk/sportsperson-visa", + "title": "Sportsperson visa (T2)", + "content": "## Overview\n\nYou can apply for a Sportsperson visa (T2) if all of the following apply:\n\n- you\u2019re an elite sportsperson or qualified coach, who\u2019s recognised by your sport\u2019s governing body as being at the highest level of your profession internationally\n\n- your sport\u2019s governing body is endorsing your application\n\n- your employment will develop your sport in the UK at the highest level\n\n- you meet the other eligibility requirements\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Getting sponsored\n\nYour sponsor is the governing body endorsing your application. They\u2019ll give you a certificate of sponsorship to prove they\u2019re sponsoring you.\n\n## How long it will take\n\nYou can apply for a visa up to 3 months before the day you\u2019re due to start work in the UK. This date is listed on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nHow much you pay for a Sportsperson visa (T2) depends on where you are.\n\n| Who you\u2019re applying for | Apply outside the UK | Extend or switch in the UK |\n\n| You | \u00a3610 | \u00a3704 |\n\n| All dependants | \u00a3610 each person | \u00a3704 each person |\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can come to the UK with a Sportsperson visa (T2) for up to 3 years.\n\nYou can apply to extend this visa for up to another 3 years to a maximum stay of 6 years.\n\n## What you can and cannot do\n\nYou can:\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in certain circumstances\n\n- play for your national team in the UK\n\n- work as a sports broadcaster\n\n- do voluntary work\n\n- study as long as it does not interfere with the job you\u2019re sponsored for\n\n- travel abroad and return to the UK\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start or run a business\n\n- apply for a second job until you\u2019ve started working for your sponsor\n\n## Eligibility\n\nYou need to:\n\n- have a valid certificate of sponsorship for your job\n\n- prove your knowledge of English\n\n- have personal savings so you can support yourself when you arrive in the UK\n\n- show you can travel and your travel history over the last 5 years\n\n- have tuberculosis test results if you\u2019re from a listed country\n\nYou need to have an eligible qualification if you\u2019re switching from a Tier 4 visa.\n\n## Certificate of sponsorship\n\nA certificate of sponsorship holds your personal details and information about the job you\u2019ve been offered. It\u2019s an electronic record, not a paper document. Your sponsor will give you a certificate of sponsorship reference number to add to your application.\n\nYou can only use your certificate of sponsorship reference number once. You must use it within 3 months of getting it.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\nYou can prove your knowledge of English by either:\n\n- passing an approved English language test with at least CEFR level A1 in speaking and listening\n\n- having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\nYou may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.\n\n## Exceptions\n\nYou will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- New Zealand\n\n- Malta\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nYou also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.\n\n## Documents you'll need\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number (your employer will give you this)\n\n- proof of your knowledge of English\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- a valid passport or other document that shows your identity and nationality - you need a blank page in your passport for your visa\n\n- expired passports or travel documents if you need them to show your travel history\n\n- your tuberculosis test results if you\u2019re from a listed country\n\n- a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach\n\nIf your documents are not in English or Welsh you\u2019ll need to provide a certified translation.\n\nYou may need to provide additional documents depending on your circumstances.\n\nSee the full list of documents you can provide.\n\nRead the guidance about the money you\u2019ll need and how to prove it.\n\n## Apply from outside the UK\n\nYou must apply online for a Sportsperson visa (T2).\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre.\n\nYou\u2019ll have your fingerprints and photograph taken at the visa application centre, so you can get a biometric residence permit.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.\n\n## Apply for a Sportsperson visa (T2)\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## After you apply\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.\n\nYou\u2019ll get an email containing the decision on your application. This will explain what you need to do next.\n\n## Extend your visa\n\nYou can apply to extend your stay in the UK under a Sportsperson visa (T2).\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay. They\u2019ll also need to submit a separate application.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must have your endorsement by your sport\u2019s governing body renewed and a new certificate of sponsorship reference number.\n\n## How long you can stay\n\nYou can apply to extend your stay in the UK with a Sportsperson visa (T2) for up to 3 years and 14 days.\n\nYou must leave the UK after this. You can only apply for this visa again if you can show you\u2019ll be paid a gross annual salary of \u00a335,800 or more.\n\n## Fees\n\nCheck the fees for your type of visa.\n\n## Apply to extend your Sportsperson visa (T2)\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nYou\u2019ll usually get a decision:\n\n- within 8 weeks of your application date if you use the standard service\n\n- within 5 working days of your UKVCAS appointment if you use the priority service\n\nIf you use the super priority service you\u2019ll get a decision:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your circumstances or application are more complicated, for example if:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- you have a criminal conviction\n\n## Switch to this visa\n\nYou can apply to change (\u2018switch\u2019) from another visa to a Sportsperson visa (T2).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must meet the Sportsperson visa (T2) eligibility requirements and you must already be in the UK under any of the following visas or schemes:\n\n- Tier 1 visa\n\n- Tier 2 (General) visa\n\n- Tier 2 (Minister of Religion) visa\n\n- Tier 2 (Intra-company Transfer) visa under the Immigration Rules in place before 6 April 2010 and you\u2019re applying to change sponsor\n\n- Tier 4 visa - if you have an eligible qualification or you\u2019ve done at least 12 months of a PhD\n\n- Start-up visa\n\n- Innovator visa\n\nYou can also switch to this visa if you meet the eligibility requirements and you\u2019re a:\n\n- dependent partner of someone with a Tier 4 visa\n\n- representative of an overseas business\n\nYou must leave the UK and make your Sportsperson visa (T2) application from abroad if you\u2019re not in any of these categories.\n\n## Eligible qualifications for Tier 4 visa\n\nYou must have been sponsored by a licensed sponsor to get one of the following qualifications:\n\n- a UK bachelors degree\n\n- a UK masters degree\n\n- a postgraduate certificate in education\n\n- a professional graduate diploma of education\n\n## PhD students\n\nYou must have completed at least 12 months\u2019 study during your most recent stay in the UK. This can be through a licensed sponsor or another visa that allowed you to study.\n\n## How long you can stay\n\nYou can apply to extend your stay in the UK with a Sportsperson visa (T2) for up to 3 years and 14 days.\n\nYou must leave the UK after this. You can only apply for this visa again if you can show you\u2019ll be paid a gross annual salary of \u00a335,800 or more.\n\n## Fees\n\nCheck the fees for your type of visa.\n\n## Apply to switch to a Sportsperson visa (T2)\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nYou\u2019ll usually get a decision:\n\n- within 8 weeks of your application date if you use the standard service\n\n- within 5 working days of your UKVCAS appointment if you use the priority service\n\nIf you use the super priority service you\u2019ll get a decision:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be told if it will take longer, for example if:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- your application is complex because of your personal circumstances, for example you have a criminal conviction\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.\n\n## Taking a second job\n\nYou can take a second job on this visa if you\u2019re working up to 20 hours a week in either:\n\n- the same profession as your main job\n\n- a profession on the Skilled Worker shortage occupation list\n\nYou can also do unpaid voluntary work.\n\nOtherwise, you\u2019ll need to apply for a new visa. You\u2019ll need to be sponsored by your second employer and get a new certificate of sponsorship.\n\n## When to apply for a new visa\n\nYou cannot apply for a new visa until you\u2019ve started work with your first sponsor.\n\nYou cannot start work with your second sponsor until your visa application has been approved.\n\n## How to apply\n\nRead the guidance before you apply.\n\nYou must apply online.\n\nYou must be in the UK to apply.\n\n## Documents you\u2019ll need to provide\n\nYou need to provide some documents with your application.\n\nYou must also provide a letter explaining that you want to change your current permission to stay.\n\nYour letter must state:\n\n- your name\n\n- your date of birth\n\n- your current certificate of sponsorship reference number\n\n- the date when your current permission to stay runs out", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Sportsperson visa (T2) if all of the following apply:

    ", + "
  • you\u2019re an elite sportsperson or qualified coach, who\u2019s recognised by your sport\u2019s governing body as being at the highest level of your profession internationally
  • ", + "
  • your sport\u2019s governing body is endorsing your application
  • ", + "
  • your employment will develop your sport in the UK at the highest level
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Getting sponsored

    ", + "

    Your sponsor is the governing body endorsing your application. They\u2019ll give you a certificate of sponsorship to prove they\u2019re sponsoring you.

    ", + "

    How long it will take

    ", + "

    You can apply for a visa up to 3 months before the day you\u2019re due to start work in the UK. This date is listed on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    How much you pay for a Sportsperson visa (T2) depends on where you are.

    ", + "Who you\u2019re applying for | Apply outside the UK | Extend or switch in the UK", + "You | \u00a3610 | \u00a3704", + "All dependants | \u00a3610 each person | \u00a3704 each person", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You can come to the UK with a Sportsperson visa (T2) for up to 3 years.

    ", + "

    You can apply to extend this visa for up to another 3 years to a maximum stay of 6 years.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job in certain circumstances
  • ", + "
  • play for your national team in the UK
  • ", + "
  • work as a sports broadcaster
  • ", + "
  • do voluntary work
  • ", + "
  • study as long as it does not interfere with the job you\u2019re sponsored for
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • get public funds
  • ", + "
  • start or run a business
  • ", + "
  • apply for a second job until you\u2019ve started working for your sponsor
  • ", + "

    Eligibility

    ", + "

    You need to:

    ", + "
  • have a valid certificate of sponsorship for your job
  • ", + "
  • prove your knowledge of English
  • ", + "
  • have personal savings so you can support yourself when you arrive in the UK
  • ", + "
  • show you can travel and your travel history over the last 5 years
  • ", + "
  • have tuberculosis test results if you\u2019re from a listed country
  • ", + "

    You need to have an eligible qualification if you\u2019re switching from a Tier 4 visa.

    ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship holds your personal details and information about the job you\u2019ve been offered. It\u2019s an electronic record, not a paper document. Your sponsor will give you a certificate of sponsorship reference number to add to your application.

    ", + "

    You can only use your certificate of sponsorship reference number once. You must use it within 3 months of getting it.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Knowledge of English

    ", + "

    You may need to prove your knowledge of the English language when you apply.

    ", + "

    You can prove your knowledge of English by either:

    ", + "
  • passing an approved English language test with at least CEFR level A1 in speaking and listening
  • ", + "
  • having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    You may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.

    ", + "

    Exceptions

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • New Zealand
  • ", + "
  • Malta
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    You also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.

    ", + "

    Documents you'll need

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number (your employer will give you this)
  • ", + "
  • proof of your knowledge of English
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • a valid passport or other document that shows your identity and nationality - you need a blank page in your passport for your visa
  • ", + "
  • expired passports or travel documents if you need them to show your travel history
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • ", + "
  • a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach
  • ", + "

    If your documents are not in English or Welsh you\u2019ll need to provide a certified translation.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    See the full list of documents you can provide.

    ", + "

    Read the guidance about the money you\u2019ll need and how to prove it.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Sportsperson visa (T2).

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your online application, you need to book an appointment at a visa application centre.

    ", + "

    You\u2019ll have your fingerprints and photograph taken at the visa application centre, so you can get a biometric residence permit.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.

    ", + "

    Apply for a Sportsperson visa (T2)

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in.

    ", + "

    After you apply

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    ", + "

    You\u2019ll get an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your stay in the UK under a Sportsperson visa (T2).

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay. They\u2019ll also need to submit a separate application.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must have your endorsement by your sport\u2019s governing body renewed and a new certificate of sponsorship reference number.

    ", + "

    How long you can stay

    ", + "

    You can apply to extend your stay in the UK with a Sportsperson visa (T2) for up to 3 years and 14 days.

    ", + "

    You must leave the UK after this. You can only apply for this visa again if you can show you\u2019ll be paid a gross annual salary of \u00a335,800 or more.

    ", + "

    Fees

    ", + "

    Check the fees for your type of visa.

    ", + "

    Apply to extend your Sportsperson visa (T2)

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    You\u2019ll usually get a decision:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    If you use the super priority service you\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your circumstances or application are more complicated, for example if:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • you have a criminal conviction
  • ", + "

    Switch to this visa

    ", + "

    You can apply to change (\u2018switch\u2019) from another visa to a Sportsperson visa (T2).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must meet the Sportsperson visa (T2) eligibility requirements and you must already be in the UK under any of the following visas or schemes:

    ", + "
  • Tier 1 visa
  • ", + "
  • Tier 2 (General) visa
  • ", + "
  • Tier 2 (Minister of Religion) visa
  • ", + "
  • Tier 2 (Intra-company Transfer) visa under the Immigration Rules in place before 6 April 2010 and you\u2019re applying to change sponsor
  • ", + "
  • Tier 4 visa - if you have an eligible qualification or you\u2019ve done at least 12 months of a PhD
  • ", + "
  • Start-up visa
  • ", + "
  • Innovator visa
  • ", + "

    You can also switch to this visa if you meet the eligibility requirements and you\u2019re a:

    ", + "
  • dependent partner of someone with a Tier 4 visa
  • ", + "
  • representative of an overseas business
  • ", + "

    You must leave the UK and make your Sportsperson visa (T2) application from abroad if you\u2019re not in any of these categories.

    ", + "

    Eligible qualifications for Tier 4 visa

    ", + "

    You must have been sponsored by a licensed sponsor to get one of the following qualifications:

    ", + "
  • a UK bachelors degree
  • ", + "
  • a UK masters degree
  • ", + "
  • a postgraduate certificate in education
  • ", + "
  • a professional graduate diploma of education
  • ", + "

    PhD students

    ", + "

    You must have completed at least 12 months\u2019 study during your most recent stay in the UK. This can be through a licensed sponsor or another visa that allowed you to study.

    ", + "

    How long you can stay

    ", + "

    You can apply to extend your stay in the UK with a Sportsperson visa (T2) for up to 3 years and 14 days.

    ", + "

    You must leave the UK after this. You can only apply for this visa again if you can show you\u2019ll be paid a gross annual salary of \u00a335,800 or more.

    ", + "

    Fees

    ", + "

    Check the fees for your type of visa.

    ", + "

    Apply to switch to a Sportsperson visa (T2)

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    You\u2019ll usually get a decision:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    If you use the super priority service you\u2019ll get a decision:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be told if it will take longer, for example if:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • your application is complex because of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK to extend

    ", + "

    You can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.

    ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend as a partner
  • ", + "
  • extend as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    ", + "

    Taking a second job

    ", + "

    You can take a second job on this visa if you\u2019re working up to 20 hours a week in either:

    ", + "
  • the same profession as your main job
  • ", + "
  • a profession on the Skilled Worker shortage occupation list
  • ", + "

    You can also do unpaid voluntary work.

    ", + "

    Otherwise, you\u2019ll need to apply for a new visa. You\u2019ll need to be sponsored by your second employer and get a new certificate of sponsorship.

    ", + "

    When to apply for a new visa

    ", + "

    You cannot apply for a new visa until you\u2019ve started work with your first sponsor.

    ", + "

    You cannot start work with your second sponsor until your visa application has been approved.

    ", + "

    How to apply

    ", + "

    Read the guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    You must be in the UK to apply.

    ", + "

    Documents you\u2019ll need to provide

    ", + "

    You need to provide some documents with your application.

    ", + "

    You must also provide a letter explaining that you want to change your current permission to stay.

    ", + "

    Your letter must state:

    ", + "
  • your name
  • ", + "
  • your date of birth
  • ", + "
  • your current certificate of sponsorship reference number
  • ", + "
  • the date when your current permission to stay runs out
  • " + ] + }, + "https://www.gov.uk/temporary-worker-charity-worker-visa": { + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "title": "Temporary Worker - Charity Worker visa (T5)", + "content": "## Overview\n\nYou can apply for a Temporary Worker - Charity Worker visa (T5) if:\n\n- you want to do unpaid voluntary work for a charity\n\n- you meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Charity Worker) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou must have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the the next working day after your UK Visa and Citizenship Application Services (UKVCAS) appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\n## How long you can stay\n\nYou can stay for up to 12 months or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- bring your partner and children with you, if they\u2019re eligible\n\nYou cannot:\n\n- receive any payment for work\n\n- take a permanent job\n\n- get public funds\n\n## Eligibility\n\nTo be eligible for a Temporary Worker - Charity Worker visa (T5) you need:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a unique reference number that holds information about the job you will do and your personal details. It is not a certificate or paper document.\n\nYour sponsor will give you the certificate of sponsorship.\n\nYour sponsor must also give you the information they used on your certificate about your job, for example your working hours.\n\nYour sponsor must be recognised by the UK government to issue certificates of sponsorship.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guidance on documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Charity Worker visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\nYou can apply to take your stay in the UK up to a maximum of 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou can apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Temporary Worker - Charity Worker visa (T5) if:

    ", + "
  • you want to do unpaid voluntary work for a charity
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    This visa has replaced the Tier 5 (Temporary Worker - Charity Worker) visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Sponsorship

    ", + "

    You must have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.

    ", + "

    The work you do in the UK must relate to the work of your sponsor organisation.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    The application fee for each person applying is \u00a3244.

    ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the the next working day after your UK Visa and Citizenship Application Services (UKVCAS) appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    How long you can stay

    ", + "

    You can stay for up to 12 months or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    You can enter the UK up to 14 days before the start date of your job.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate
  • ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job in the same sector at the same level as your main job for up to 20 hours per week
  • ", + "
  • do a job on the Skilled Worker shortage occupation list for up to 20 hours per week
  • ", + "
  • bring your partner and children with you, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • receive any payment for work
  • ", + "
  • take a permanent job
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    To be eligible for a Temporary Worker - Charity Worker visa (T5) you need:

    ", + "
  • a certificate of sponsorship reference number from your UK sponsor
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship is a unique reference number that holds information about the job you will do and your personal details. It is not a certificate or paper document.

    ", + "

    Your sponsor will give you the certificate of sponsorship.

    ", + "

    Your sponsor must also give you the information they used on your certificate about your job, for example your working hours.

    ", + "

    Your sponsor must be recognised by the UK government to issue certificates of sponsorship.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it is assigned to you.

    ", + "

    Multiple entry

    ", + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guidance on documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the full guidance before you apply.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK

    ", + "

    You can only extend your existing visa if you\u2019re already in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Temporary Worker - Charity Worker visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must continue to meet the eligibility rules.

    ", + "

    You must be in the UK to extend your visa.

    ", + "

    How long you can stay

    ", + "

    You can apply to take your stay in the UK up to a maximum of 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for this visa.

    ", + "

    How to extend your visa

    ", + "

    You should read the full guidance before you apply.

    ", + "

    You can apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK to extend

    ", + "

    You can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.

    ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend as a partner
  • ", + "
  • extend as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + "https://www.gov.uk/temporary-worker-creative-and-sporting-visa": { + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "title": "Temporary Worker - Creative and Sporting visa (T5)", + "content": "## Overview\n\nYou must apply for a Temporary Worker - Creative and Sporting visa (T5) if:\n\n- you\u2019ve been offered work in the UK as a sports person or creative worker\n\n- you meet the other eligibility requirements\n\nA creative worker is someone who works in the creative industry, for example an actor, dancer, musician or film crew member.\n\nThis visa has replaced the Tier 5 (Temporary Worker - Creative and Sporting) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it takes\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can come to the UK for a maximum of up to 12 months, or the time given in your certificate of sponsorship plus up to 28 days, whichever is shorter.\n\nYou may be able to extend your visa.\n\nYour stay must start no more than 14 days before the start date on your certificate of sponsorship.\n\nIf you intend to work in the UK for 3 months or less, you may be able to use the Temporary Worker - Creative and Sporting visa (T5) concession instead of applying for the visa.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n## Eligibility\n\nYour eligibility for a Temporary Worker - Creative and Sporting visa (T5) depends on whether you\u2019re a sports person or a creative worker.\n\n## Sports person\n\nYou need to make a significant contribution to your sport at the highest level in the UK to be eligible for this visa.\n\nYou\u2019ll also need all of the following:\n\n- a certificate of sponsorship reference number\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Creative worker\n\nYou need all of the following to be eligible for the creative category:\n\n- make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity\n\n- certificate of sponsorship reference number\n\n- be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nYou need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example how much you\u2019ll be paid.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\nChanging your sponsor does not change how long you can stay in the UK. You can only stay the maximum length of time allowed by this visa.\n\n## Multiple entry\n\nYour sponsor needs to give you a multiple entry certificate of sponsorship if you need to leave and come back to the UK as part of the job you\u2019re doing.\n\n## Multiple jobs when you\u2019re a creative worker\n\nYour sponsor can give you a certificate that covers the entire length of your stay, even if you need to perform at more than one engagement. If you\u2019re working for more than one sponsor, you can get a certificate from each sponsor.\n\nThere cannot be a gap of more than 14 days between each job. If you leave the UK and come back, your time away will not count towards those 14 days.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply, you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Creative and Sporting visa (T5).\n\nYou should apply before your current visa expires.\n\nYou cannot extend your stay if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\n## Creative worker\n\nYou can extend your visa for whichever is the shortest of:\n\n- up to 12 months\n\n- the time on your certificate of sponsorship plus 14 days\n\n- the time needed to extend your stay to the maximum of 24 months\n\nYou must stay with the same sponsor.\n\n## Sports person\n\nYou can extend your visa up to 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Switch to this visa\n\nYou can switch to a Temporary Worker - Creative and Sporting visa (T5) if you\u2019re in the UK on a Standard Visitor visa and your sponsor gave you a certificate of sponsorship for this visa before you came to the UK.\n\nYou should apply before your current visa expires.\n\nYou cannot switch to this visa if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## How long you can stay\n\nYou can stay for a maximum of up to 12 months after switching to a Temporary Worker - Creative and Sporting visa (T5).\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to switch to this visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Temporary Worker - Creative and Sporting visa (T5) concession\n\nYou can enter the UK without applying for a visa in advance if you:\n\n- have a valid Temporary Worker - Creative and Sporting visa (T5) certificate of sponsorship\n\n- are coming to work in the UK for 3 months or less\n\n- do not normally need a visa to enter the UK as a visitor\n\nYou must still meet the Temporary Worker - Creative and Sporting visa (T5) eligibility criteria.\n\nYou will not be able to extend your stay while you are in the UK, or switch to another temporary worker visa or a Skilled Worker visa.\n\nYour partner and children can travel with you if they also do not normally need a visa to enter the UK as a visitor.\n\n## When you arrive in the UK\n\nYou must see an immigration officer when you arrive in the UK - do not use the automatic ePassport gates. The officer will check:\n\n- your certificate of sponsorship is valid\n\n- you have enough money to support yourself\n\nYou will not be allowed to work if you use an automatic ePassport gate. You must see an immigration officer.\n\n## If you enter the UK from Ireland\n\nIf you\u2019re travelling to the UK from Ireland using the Temporary Worker - Creative and Sporting visa (T5) concession, you must apply for remote clearance at least 72 hours before you arrive in the UK.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n- extend your stay or switch to another visa", + "original_contents": [ + "

    Overview

    ", + "

    You must apply for a Temporary Worker - Creative and Sporting visa (T5) if:

    ", + "
  • you\u2019ve been offered work in the UK as a sports person or creative worker
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    A creative worker is someone who works in the creative industry, for example an actor, dancer, musician or film crew member.

    ", + "

    This visa has replaced the Tier 5 (Temporary Worker - Creative and Sporting) visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Sponsorship

    ", + "

    You need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.

    ", + "

    The work you do in the UK must relate to the work of your sponsor organisation.

    ", + "

    How long it takes

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    The application fee for each person applying is \u00a3244.

    ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You can come to the UK for a maximum of up to 12 months, or the time given in your certificate of sponsorship plus up to 28 days, whichever is shorter.

    ", + "

    You may be able to extend your visa.

    ", + "

    Your stay must start no more than 14 days before the start date on your certificate of sponsorship.

    ", + "

    If you intend to work in the UK for 3 months or less, you may be able to use the Temporary Worker - Creative and Sporting visa (T5) concession instead of applying for the visa.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job in the same sector and at the same level as your main job for up to 20 hours per week
  • ", + "
  • do a job on the Skilled Worker shortage occupation list for up to 20 hours per week
  • ", + "
  • work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition
  • ", + "
  • work as a sports broadcaster
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • get public funds
  • ", + "
  • start your own business
  • ", + "

    Eligibility

    ", + "

    Your eligibility for a Temporary Worker - Creative and Sporting visa (T5) depends on whether you\u2019re a sports person or a creative worker.

    ", + "

    Sports person

    ", + "

    You need to make a significant contribution to your sport at the highest level in the UK to be eligible for this visa.

    ", + "

    You\u2019ll also need all of the following:

    ", + "
  • a certificate of sponsorship reference number
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Creative worker

    ", + "

    You need all of the following to be eligible for the creative category:

    ", + "
  • make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity
  • ", + "
  • certificate of sponsorship reference number
  • ", + "
  • be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Certificate of sponsorship

    ", + "

    You need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.

    ", + "

    A certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.

    ", + "

    Your sponsor will give you your certificate of sponsorship reference number.

    ", + "

    They must also give you some other information to help you to apply, for example how much you\u2019ll be paid.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it is assigned to you.

    ", + "

    Changing your sponsor

    ", + "

    You must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.

    ", + "

    Changing your sponsor does not change how long you can stay in the UK. You can only stay the maximum length of time allowed by this visa.

    ", + "

    Multiple entry

    ", + "

    Your sponsor needs to give you a multiple entry certificate of sponsorship if you need to leave and come back to the UK as part of the job you\u2019re doing.

    ", + "

    Multiple jobs when you\u2019re a creative worker

    ", + "

    Your sponsor can give you a certificate that covers the entire length of your stay, even if you need to perform at more than one engagement. If you\u2019re working for more than one sponsor, you can get a certificate from each sponsor.

    ", + "

    There cannot be a gap of more than 14 days between each job. If you leave the UK and come back, your time away will not count towards those 14 days.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply, you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guide for a full list of documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the full guidance before you apply.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK

    ", + "

    You can only extend your existing visa or switch to this visa if you\u2019re already in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Temporary Worker - Creative and Sporting visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    You cannot extend your stay if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.

    ", + "

    Eligibility

    ", + "

    You must continue to meet the eligibility rules.

    ", + "

    You must be in the UK to extend your visa.

    ", + "

    How long you can stay

    ", + "

    Creative worker

    ", + "

    You can extend your visa for whichever is the shortest of:

    ", + "
  • up to 12 months
  • ", + "
  • the time on your certificate of sponsorship plus 14 days
  • ", + "
  • the time needed to extend your stay to the maximum of 24 months
  • ", + "

    You must stay with the same sponsor.

    ", + "

    Sports person

    ", + "

    You can extend your visa up to 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for this visa.

    ", + "

    How to extend your visa

    ", + "

    You should read the full guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Switch to this visa

    ", + "

    You can switch to a Temporary Worker - Creative and Sporting visa (T5) if you\u2019re in the UK on a Standard Visitor visa and your sponsor gave you a certificate of sponsorship for this visa before you came to the UK.

    ", + "

    You should apply before your current visa expires.

    ", + "

    You cannot switch to this visa if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.

    ", + "

    How long you can stay

    ", + "

    You can stay for a maximum of up to 12 months after switching to a Temporary Worker - Creative and Sporting visa (T5).

    ", + "

    Fees

    ", + "

    Check the fees for this visa.

    ", + "

    How to switch to this visa

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    You can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch as a partner
  • ", + "
  • extend or switch as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    Temporary Worker - Creative and Sporting visa (T5) concession

    ", + "

    You can enter the UK without applying for a visa in advance if you:

    ", + "
  • have a valid Temporary Worker - Creative and Sporting visa (T5) certificate of sponsorship
  • ", + "
  • are coming to work in the UK for 3 months or less
  • ", + "
  • do not normally need a visa to enter the UK as a visitor
  • ", + "

    You must still meet the Temporary Worker - Creative and Sporting visa (T5) eligibility criteria.

    ", + "

    You will not be able to extend your stay while you are in the UK, or switch to another temporary worker visa or a Skilled Worker visa.

    ", + "

    Your partner and children can travel with you if they also do not normally need a visa to enter the UK as a visitor.

    ", + "

    When you arrive in the UK

    ", + "

    You must see an immigration officer when you arrive in the UK - do not use the automatic ePassport gates. The officer will check:

    ", + "
  • your certificate of sponsorship is valid
  • ", + "
  • you have enough money to support yourself
  • ", + "

    You will not be allowed to work if you use an automatic ePassport gate. You must see an immigration officer.

    ", + "

    If you enter the UK from Ireland

    ", + "

    If you\u2019re travelling to the UK from Ireland using the Temporary Worker - Creative and Sporting visa (T5) concession, you must apply for remote clearance at least 72 hours before you arrive in the UK.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job in the same sector and at the same level as your main job for up to 20 hours per week
  • ", + "
  • do a job on the Skilled Worker shortage occupation list for up to 20 hours per week
  • ", + "
  • work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition
  • ", + "
  • work as a sports broadcaster
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • get public funds
  • ", + "
  • start your own business
  • ", + "
  • extend your stay or switch to another visa
  • " + ] + }, + "https://www.gov.uk/government-authorised-exchange": { + "url": "https://www.gov.uk/government-authorised-exchange", + "title": "Temporary Worker - Government Authorised Exchange visa (T5)", + "content": "## Overview\n\nYou can apply for a Temporary Worker - Government Authorised Exchange visa (T5) if you:\n\n- want to come to the UK for a short time for work experience or to do training, an Overseas Government Language Programme, research or a fellowship through an approved government authorised exchange scheme\n\n- have a sponsor\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Government Authorised Exchange) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.\n\nYour work, training or research in the UK must relate to the work of your sponsor organisation.\n\nYour sponsor can be any of the following:\n\n- an organisation running an approved exchange scheme\n\n- a higher education institution (if you are a sponsored researcher, visiting academic or examiner)\n\n- a government department or agency\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work in the job described in your certificate of sponsorship\n\n- do a second job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week as well as your main job\n\n- apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re in the government authorised exchange scheme for sponsored researchers\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- take a permanent job\n\n- get public funds\n\n## Eligibility\n\nYou must have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example your working hours.\n\nYou\u2019ll need to add your certificate of sponsorship reference number to your application form - you can only use it once.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\nYou need a blank page in your passport for your visa.\n\nYou must also provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary worker - Government Authorised Exchange visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou might be able to extend your stay. You must still meet the eligibility requirements.\n\nYou must apply while you\u2019re still in the UK.\n\n## How long you can stay\n\nYou can apply to stay in the UK for up to a maximum of:\n\n- 12 months, if you\u2019re doing work experience\n\n- 24 months, if you\u2019re doing research, training or an Overseas Government Language Programme\n\nYou can also stay for the length of time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\n## Switch to this visa\n\nYou can apply to change (\u2018switch\u2019) to a Temporary Worker - Government Authorised Exchange visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply if you\u2019re a:\n\n- student, whether studying, resitting an examination or writing a thesis\n\n- student union sabbatical officer\n\n- student nurse\n\n- postgraduate doctor or dentist\n\n- student visa holder (including Tier 4)\n\n- sponsored researcher who came to the UK on a work permit and you want to continue in the same job with your sponsor\n\nYou must have completed a UK bachelor\u2019s or master\u2019s degree during your last grant of leave.\n\nYou must also meet the other eligibility requirements.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to switch your visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Temporary Worker - Government Authorised Exchange visa (T5) if you:

    ", + "
  • want to come to the UK for a short time for work experience or to do training, an Overseas Government Language Programme, research or a fellowship through an approved government authorised exchange scheme
  • ", + "
  • have a sponsor
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    This visa has replaced the Tier 5 (Temporary Worker - Government Authorised Exchange) visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Sponsorship

    ", + "

    You need to have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.

    ", + "

    Your work, training or research in the UK must relate to the work of your sponsor organisation.

    ", + "

    Your sponsor can be any of the following:

    ", + "
  • an organisation running an approved exchange scheme
  • ", + "
  • a higher education institution (if you are a sponsored researcher, visiting academic or examiner)
  • ", + "
  • a government department or agency
  • ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    The application fee for each person applying is \u00a3244.

    ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    You can enter the UK up to 14 days before the start date of your job.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • ", + "
  • work in the job described in your certificate of sponsorship
  • ", + "
  • do a second job for up to 20 hours per week
  • ", + "
  • do a job on the Skilled Worker shortage occupation list for up to 20 hours per week as well as your main job
  • ", + "
  • apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re in the government authorised exchange scheme for sponsored researchers
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • take a permanent job
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    You must have both of the following:

    ", + "
  • a certificate of sponsorship reference number from your UK sponsor
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.

    ", + "

    Your sponsor will give you your certificate of sponsorship reference number.

    ", + "

    They must also give you some other information to help you to apply, for example your working hours.

    ", + "

    You\u2019ll need to add your certificate of sponsorship reference number to your application form - you can only use it once.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it is assigned to you.

    ", + "

    Multiple entry

    ", + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You must also provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guide for a full list of documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the full guidance before you apply.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK

    ", + "

    You can only extend your existing visa or switch to this visa if you\u2019re already in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Temporary worker - Government Authorised Exchange visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You might be able to extend your stay. You must still meet the eligibility requirements.

    ", + "

    You must apply while you\u2019re still in the UK.

    ", + "

    How long you can stay

    ", + "

    You can apply to stay in the UK for up to a maximum of:

    ", + "
  • 12 months, if you\u2019re doing work experience
  • ", + "
  • 24 months, if you\u2019re doing research, training or an Overseas Government Language Programme
  • ", + "

    You can also stay for the length of time on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    How to extend your visa

    ", + "

    You should read the full guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    Changing your sponsor

    ", + "

    You must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.

    ", + "

    Switch to this visa

    ", + "

    You can apply to change (\u2018switch\u2019) to a Temporary Worker - Government Authorised Exchange visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You can apply if you\u2019re a:

    ", + "
  • student, whether studying, resitting an examination or writing a thesis
  • ", + "
  • student union sabbatical officer
  • ", + "
  • student nurse
  • ", + "
  • postgraduate doctor or dentist
  • ", + "
  • student visa holder (including Tier 4)
  • ", + "
  • sponsored researcher who came to the UK on a work permit and you want to continue in the same job with your sponsor
  • ", + "

    You must have completed a UK bachelor\u2019s or master\u2019s degree during your last grant of leave.

    ", + "

    You must also meet the other eligibility requirements.

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    How to switch your visa

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    You can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch as a partner
  • ", + "
  • extend or switch as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + "https://www.gov.uk/international-agreement-worker-visa": { + "url": "https://www.gov.uk/international-agreement-worker-visa", + "title": "Temporary Worker \u2013 International Agreement Worker visa (T5)", + "content": "## Overview\n\nYou can apply for a Temporary Worker - International Agreement Worker visa (T5) if you\u2019ll be contracted to do work covered by international law or treaty while in the UK. For example if you\u2019ll be:\n\n- working for a foreign government\n\n- working as a private servant in a diplomatic household\n\n- providing a service under contract as a contractual service supplier or independent professional\n\nYou must also meet the other eligibility requirements.\n\nThis visa has replaced the Tier 5 (Temporary Worker - International Agreement) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to be sponsored (have a certificate of sponsorship from a licensed employer) before you can apply to come to the UK.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nIf you\u2019re working for a foreign government or as a private servant in a diplomatic household you can stay for 2 years, or the time given on your certificate of sponsorship plus up to 28 days, whichever is shorter.\n\n## Providing a service under contract\n\nYou can stay for 6 months in any 12 month period, or the time given on your certificate of sponsorship plus 14 days, whichever is shorter if you are providing a service under contract:\n\n- in a relevant sector as set out in the General Agreement on Trade in Services (GATS)\n\n- in another services trade agreement under which the United Kingdom has similar commitments\n\nYou can stay longer if your work is covered by one of the following agreements:\n\n- UK-EU Trade and Cooperation Agreement - 12 months or the time given on your certificate of sponsorship plus up to 14 days, whichever is shorter\n\n- Temporary agreement between the Swiss Confederation (Switzerland) and the UK on services mobility - 12 months in any 24 month period or the time given on your certificate of sponsorship plus up to 14 days, whichever is shorter\n\n## When you can enter and leave\n\nYou can enter the UK 14 days before the start date on your certificate of sponsorship.\n\nYou may be asked to leave the UK within 60 days if your job finishes early. It\u2019s unlikely you\u2019ll have to leave if your visa has less than 60 days remaining.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job on the Skilled Worker shortage occupation list or one in the same sector as your main job for up to 20 hours per week (unless you are a private servant, a contractual service supplier or an independent professional)\n\n- study, as long as it does not interfere with the job you\u2019re sponsored for\n\n- travel abroad and return to the UK\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start working before you get your visa\n\n## Eligibility\n\nYou can apply for a Temporary Worker - International Agreement Worker visa (T5) if you have:\n\n- a certificate of sponsorship reference number\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Work covered by international law\n\nYour work in the UK must be any of the following:\n\n- covered by the General Agreement on Trade in Services (GATS)\n\n- covered by similar agreements between the UK and other countries\n\n- for an overseas government or international organisation\n\n- as a private servant in a diplomatic household or in the household of an employee of an international organisation\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a unique reference number that holds information about you and your job. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you the certificate of sponsorship.\n\nYour sponsor will also give you the information they used on your certificate about your job, your working hours for example.\n\nYour sponsor must be recognised by the UK government to issue certificates of sponsorship.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - International Agreement Worker visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must be in the UK to extend your visa.\n\nYou must continue to meet the eligibility rules.\n\n## How long you can stay\n\nYou can apply to extend your visa for up to 2 years at a time up to a total maximum stay of 6 years if you are working:\n\n- for a foreign government\n\n- as a private servant in a diplomatic household and applied for your visa before 5 April 2012\n\nIf you\u2019re working as a private servant in a diplomatic household and applied for your visa on or after 5 April 2012 your total maximum stay can only be 5 years or until the last date of your employer\u2019s posting, whichever is shorter.\n\nIf you\u2019re a contractual service supplier or independent professional you can only stay in the UK for a maximum of:\n\n- 12 months if providing a service under the UK-EU Trade and Cooperation Agreement\n\n- 12 months in any 24 month period if providing a service under the Temporary agreement between the Swiss Confederation (Switzerland) and the UK on services mobility\n\n- 6 months in any 12 month period in all other cases\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nRead the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\n## Switch to this visa\n\nYou can apply to switch into a Temporary Worker - International Agreement Worker visa (T5) while you are in the UK if you want to continue working for your current employer and you:\n\n- have a work permit\n\n- work for an overseas government or international organisation\n\nYou should apply before your current visa expires.\n\n## How long you can stay\n\nYou can stay for 2 years or the time given on your certificate of sponsorship plus up to 28 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to switch your visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Temporary Worker - International Agreement Worker visa (T5) if you\u2019ll be contracted to do work covered by international law or treaty while in the UK. For example if you\u2019ll be:

    ", + "
  • working for a foreign government
  • ", + "
  • working as a private servant in a diplomatic household
  • ", + "
  • providing a service under contract as a contractual service supplier or independent professional
  • ", + "

    You must also meet the other eligibility requirements.

    ", + "

    This visa has replaced the Tier 5 (Temporary Worker - International Agreement) visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Sponsorship

    ", + "

    You need to be sponsored (have a certificate of sponsorship from a licensed employer) before you can apply to come to the UK.

    ", + "

    The work you do in the UK must relate to the work of your sponsor organisation.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    The application fee for each person applying is \u00a3244.

    ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    If you\u2019re working for a foreign government or as a private servant in a diplomatic household you can stay for 2 years, or the time given on your certificate of sponsorship plus up to 28 days, whichever is shorter.

    ", + "

    Providing a service under contract

    ", + "

    You can stay for 6 months in any 12 month period, or the time given on your certificate of sponsorship plus 14 days, whichever is shorter if you are providing a service under contract:

    ", + "
  • in a relevant sector as set out in the General Agreement on Trade in Services (GATS)
  • ", + "
  • in another services trade agreement under which the United Kingdom has similar commitments
  • ", + "

    You can stay longer if your work is covered by one of the following agreements:

    ", + "
  • UK-EU Trade and Cooperation Agreement - 12 months or the time given on your certificate of sponsorship plus up to 14 days, whichever is shorter
  • ", + "
  • Temporary agreement between the Swiss Confederation (Switzerland) and the UK on services mobility - 12 months in any 24 month period or the time given on your certificate of sponsorship plus up to 14 days, whichever is shorter
  • ", + "

    When you can enter and leave

    ", + "

    You can enter the UK 14 days before the start date on your certificate of sponsorship.

    ", + "

    You may be asked to leave the UK within 60 days if your job finishes early. It\u2019s unlikely you\u2019ll have to leave if your visa has less than 60 days remaining.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate
  • ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job on the Skilled Worker shortage occupation list or one in the same sector as your main job for up to 20 hours per week (unless you are a private servant, a contractual service supplier or an independent professional)
  • ", + "
  • study, as long as it does not interfere with the job you\u2019re sponsored for
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot:

    ", + "
  • get public funds
  • ", + "
  • start working before you get your visa
  • ", + "

    Eligibility

    ", + "

    You can apply for a Temporary Worker - International Agreement Worker visa (T5) if you have:

    ", + "
  • a certificate of sponsorship reference number
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Work covered by international law

    ", + "

    Your work in the UK must be any of the following:

    ", + "
  • covered by the General Agreement on Trade in Services (GATS)
  • ", + "
  • covered by similar agreements between the UK and other countries
  • ", + "
  • for an overseas government or international organisation
  • ", + "
  • as a private servant in a diplomatic household or in the household of an employee of an international organisation
  • ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship is a unique reference number that holds information about you and your job. It\u2019s not an actual certificate or paper document.

    ", + "

    Your sponsor will give you the certificate of sponsorship.

    ", + "

    Your sponsor will also give you the information they used on your certificate about your job, your working hours for example.

    ", + "

    Your sponsor must be recognised by the UK government to issue certificates of sponsorship.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it is assigned to you.

    ", + "

    Multiple entry

    ", + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guide for a full list of documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the full guidance before you apply.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK

    ", + "

    You can only extend your existing visa or switch to this visa if you\u2019re already in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Temporary Worker - International Agreement Worker visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must be in the UK to extend your visa.

    ", + "

    You must continue to meet the eligibility rules.

    ", + "

    How long you can stay

    ", + "

    You can apply to extend your visa for up to 2 years at a time up to a total maximum stay of 6 years if you are working:

    ", + "
  • for a foreign government
  • ", + "
  • as a private servant in a diplomatic household and applied for your visa before 5 April 2012
  • ", + "

    If you\u2019re working as a private servant in a diplomatic household and applied for your visa on or after 5 April 2012 your total maximum stay can only be 5 years or until the last date of your employer\u2019s posting, whichever is shorter.

    ", + "

    If you\u2019re a contractual service supplier or independent professional you can only stay in the UK for a maximum of:

    ", + "
  • 12 months if providing a service under the UK-EU Trade and Cooperation Agreement
  • ", + "
  • 12 months in any 24 month period if providing a service under the Temporary agreement between the Swiss Confederation (Switzerland) and the UK on services mobility
  • ", + "
  • 6 months in any 12 month period in all other cases
  • ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    How to extend your visa

    ", + "

    Read the full guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Switch to this visa

    ", + "

    You can apply to switch into a Temporary Worker - International Agreement Worker visa (T5) while you are in the UK if you want to continue working for your current employer and you:

    ", + "
  • have a work permit
  • ", + "
  • work for an overseas government or international organisation
  • ", + "

    You should apply before your current visa expires.

    ", + "

    How long you can stay

    ", + "

    You can stay for 2 years or the time given on your certificate of sponsorship plus up to 28 days, whichever is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    How to switch your visa

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    You can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend or switch as a partner
  • ", + "
  • extend or switch as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + "https://www.gov.uk/religious-worker-visa": { + "url": "https://www.gov.uk/religious-worker-visa", + "title": "Temporary Worker - Religious Worker visa (T5)", + "content": "## Overview\n\nYou can apply for a Temporary Worker - Religious Worker visa (T5) if:\n\n- you want to do religious work in a non-pastoral role or religious order\n\n- you meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Religious Worker) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou must have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to your sponsor organisation\u2019s work.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you are applying to extend from inside the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou\u2019ll be given a visa to live and work in the UK for up to 24 months, or up to 28 days more than the time on your certificate of sponsorship. You may be sponsored for a shorter period.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector at the same level as your main job for up to 20 hours per week outside the hours of your main job\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week outside the hours of your main job\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot get public funds.\n\n## Eligibility\n\nYou must have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a unique reference number that holds information about the job you\u2019ll do and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you the certificate of sponsorship.\n\nYour sponsor must also give you the information they used on your certificate about your job, for example your working hours.\n\nYour sponsor must be recognised by the UK government to issue certificates of sponsorship.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nYou may need to provide additional documents depending on your circumstances.\n\nRead the guide for a full list of documents you can provide.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Religious Worker visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must apply again if you want to change your job within the same organisation or move to a new organisation.\n\n## How long you can stay\n\nYou can apply to take your stay in the UK up to a maximum of 24 months, or the time on your certificate of sponsorship plus 14 days - whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Temporary Worker - Religious Worker visa (T5) if:

    ", + "
  • you want to do religious work in a non-pastoral role or religious order
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    This visa has replaced the Tier 5 (Temporary Worker - Religious Worker) visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Sponsorship

    ", + "

    You must have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.

    ", + "

    The work you do in the UK must relate to your sponsor organisation\u2019s work.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Application fee

    ", + "

    The application fee for each person applying is \u00a3244.

    ", + "

    The fee is the same whether you\u2019re applying from inside or outside the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you are applying to extend from inside the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    You can pay an extra \u00a3800 for the super priority service to get a decision:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You\u2019ll be given a visa to live and work in the UK for up to 24 months, or up to 28 days more than the time on your certificate of sponsorship. You may be sponsored for a shorter period.

    ", + "

    You can enter the UK up to 14 days before the start date of your job.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate
  • ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • ", + "
  • do a second job in the same sector at the same level as your main job for up to 20 hours per week outside the hours of your main job
  • ", + "
  • do a job on the Skilled Worker shortage occupation list for up to 20 hours per week outside the hours of your main job
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    You cannot get public funds.

    ", + "

    Eligibility

    ", + "

    You must have both of the following:

    ", + "
  • a certificate of sponsorship reference number from your UK sponsor
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship is a unique reference number that holds information about the job you\u2019ll do and your personal details. It\u2019s not an actual certificate or paper document.

    ", + "

    Your sponsor will give you the certificate of sponsorship.

    ", + "

    Your sponsor must also give you the information they used on your certificate about your job, for example your working hours.

    ", + "

    Your sponsor must be recognised by the UK government to issue certificates of sponsorship.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it is assigned to you.

    ", + "

    Multiple entry

    ", + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • ", + "

    Your partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your employer can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Read the guide for a full list of documents you can provide.

    ", + "

    Apply

    ", + "

    Read the full guidance before you apply.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK

    ", + "

    You can only extend your existing visa if you\u2019re already in the UK.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your Temporary Worker - Religious Worker visa (T5).

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must continue to meet the eligibility rules.

    ", + "

    You must apply again if you want to change your job within the same organisation or move to a new organisation.

    ", + "

    How long you can stay

    ", + "

    You can apply to take your stay in the UK up to a maximum of 24 months, or the time on your certificate of sponsorship plus 14 days - whichever is shorter.

    ", + "

    Fees

    ", + "

    Check the fees for your visa.

    ", + "

    How to extend your visa

    ", + "

    You should read the full guidance before you apply.

    ", + "

    You must apply online.

    ", + "

    Your partner and children

    ", + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • you have all been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • ", + "

    If your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must apply online.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).

    ", + "

    The visa application centre may need to keep their passport and documents while they process their application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster - check with the visa application centre.

    ", + "

    Apply from inside the UK to extend

    ", + "

    You can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.

    ", + "

    How to apply

    ", + "

    Your partner and children must apply online to either:

    ", + "
  • extend as a partner
  • ", + "
  • extend as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply to add them to your visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + "https://www.gov.uk/seasonal-worker-visa": { + "url": "https://www.gov.uk/seasonal-worker-visa", + "title": "Temporary Worker - Seasonal Worker visa (T5)", + "content": "## Overview\n\nYou can apply for a Seasonal Worker visa (T5) if you want to come to the UK for up to 6 months to do farm work. You\u2019ll need to:\n\n- have a sponsor\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 Seasonal Worker visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fee\n\nThe visa costs \u00a3244.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\n## How long you can stay\n\nYou can stay in the UK for up to 6 months.\n\nYou can enter the UK as soon as your visa is valid (up to 14 days before the start date of your job).\n\n## What you can and cannot do\n\nYou can:\n\n- work in the job described in your certificate of sponsorship\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\nYou cannot:\n\n- take a permanent job\n\n- work in a second job or a job that isn\u2019t described in your certificate of sponsorship\n\n- get public funds\n\n- bring family members with you\n\n## Eligibility\n\nYou must be 18 or over when you apply and have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nYou\u2019ll need to add your certificate of sponsorship reference number to your visa application form - you can only use it once.\n\nYour certificate of sponsorship is valid for 3 months from the date it\u2019s assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless your sponsor can cover your costs during your first month in the UK, up to \u00a31,270.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your sponsor can support you instead\n\nYour certificate of sponsorship must confirm this. Your sponsor will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your sponsor will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your sponsor can support you)\n\nYou need a blank page in your passport for your visa. If you have another type of travel document (for example, a stateless person\u2019s travel document) it must have space for your visa.\n\nYou must also provide a certified translation of any documents that are not in English or Welsh, apart from your passport.\n\nThe Home Office might ask you to provide additional documents after you apply.\n\n## Apply\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre as part of your application.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## If you have a child while you\u2019re in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Seasonal Worker visa (T5) if you want to come to the UK for up to 6 months to do farm work. You\u2019ll need to:

    ", + "
  • have a sponsor
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    This visa has replaced the Tier 5 Seasonal Worker visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Fee

    ", + "

    The visa costs \u00a3244.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for up to 6 months.

    ", + "

    You can enter the UK as soon as your visa is valid (up to 14 days before the start date of your job).

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work in the job described in your certificate of sponsorship
  • ", + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • ", + "

    You cannot:

    ", + "
  • take a permanent job
  • ", + "
  • work in a second job or a job that isn\u2019t described in your certificate of sponsorship
  • ", + "
  • get public funds
  • ", + "
  • bring family members with you
  • ", + "

    Eligibility

    ", + "

    You must be 18 or over when you apply and have both of the following:

    ", + "
  • a certificate of sponsorship reference number from your UK sponsor
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    Certificate of sponsorship

    ", + "

    A certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.

    ", + "

    Your sponsor will give you your certificate of sponsorship reference number.

    ", + "

    You\u2019ll need to add your certificate of sponsorship reference number to your visa application form - you can only use it once.

    ", + "

    Your certificate of sponsorship is valid for 3 months from the date it\u2019s assigned to you.

    ", + "

    Multiple entry

    ", + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless your sponsor can cover your costs during your first month in the UK, up to \u00a31,270.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    If your sponsor can support you instead

    ", + "

    Your certificate of sponsorship must confirm this. Your sponsor will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your sponsor will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your sponsor can support you)
  • ", + "

    You need a blank page in your passport for your visa. If you have another type of travel document (for example, a stateless person\u2019s travel document) it must have space for your visa.

    ", + "

    You must also provide a certified translation of any documents that are not in English or Welsh, apart from your passport.

    ", + "

    The Home Office might ask you to provide additional documents after you apply.

    ", + "

    Apply

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre as part of your application.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    If you have a child while you\u2019re in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    " + ] + }, + "https://www.gov.uk/youth-mobility": { + "url": "https://www.gov.uk/youth-mobility", + "title": "Youth Mobility Scheme visa (T5)", + "content": "## Overview\n\nYou can apply for a Youth Mobility Scheme visa (T5) if you:\n\n- want to live and work in the UK for up to 2 years\n\n- are aged 18 to 30\n\n- have \u00a32,530 in savings\n\n- have certain types of British Nationality or are from certain countries or territories\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Youth Mobility Scheme) visa.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 6 months before you travel.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fees\n\nIt costs \u00a3244 to apply.\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## How long you can stay\n\nYou\u2019ll be given a visa to live and work in the UK for up to 24 months.\n\nYou can enter the UK at any time while your visa is valid, and leave and come back at any time during your stay.\n\nIf you turn 31 while you\u2019re in the UK, you can stay for as long as your visa is valid.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work in most jobs\n\n- be self-employed and set up a company - as long as your premises are rented, your equipment is not worth more than \u00a35,000 and you do not have any employees\n\nYou cannot:\n\n- work as a professional sportsperson (for example as a coach)\n\n- extend your stay\n\n- get public funds\n\n- bring in family members on your application - they must apply separately\n\n## Eligibility\n\nYou can apply for a Youth Mobility Scheme visa (T5) if you\u2019re aged 18 to 30 and you\u2019re from:\n\n- Australia\n\n- Canada\n\n- Monaco\n\n- New Zealand\n\n- San Marino\n\nYou must be selected in the Youth Mobility Scheme ballot before you can apply for your visa if you\u2019re from:\n\n- Hong Kong\n\n- Japan\n\n- South Korea\n\n- Taiwan\n\nYou must also be aged 18 to 30 on the date you apply for your visa.\n\nYou can also apply if you\u2019re 18 to 30 and a:\n\n- British overseas citizen\n\n- British overseas territories citizen\n\n- British national (overseas)\n\nYou cannot apply if you have:\n\n- children under the age of 18 who live with you\n\n- children you\u2019re financially responsible for\n\n- already been in the UK under the scheme\n\n## Money to support yourself\n\nYou must have at least \u00a32,530 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll need to show proof of this when you apply.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- a bank statement showing you have at least \u00a32,530 in savings\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the Youth Mobility Scheme guidance before you apply.\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\nIf you\u2019re from Hong Kong, Japan, South Korea or Taiwan, you must be successfully selected in the Youth Mobility Scheme ballot before you can apply for your visa.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## If you have a child while you\u2019re in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Youth Mobility Scheme visa (T5) if you:

    ", + "
  • want to live and work in the UK for up to 2 years
  • ", + "
  • are aged 18 to 30
  • ", + "
  • have \u00a32,530 in savings
  • ", + "
  • have certain types of British Nationality or are from certain countries or territories
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    This visa has replaced the Tier 5 (Youth Mobility Scheme) visa.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply for a visa is 6 months before you travel.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Fees

    ", + "

    It costs \u00a3244 to apply.

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    How long you can stay

    ", + "

    You\u2019ll be given a visa to live and work in the UK for up to 24 months.

    ", + "

    You can enter the UK at any time while your visa is valid, and leave and come back at any time during your stay.

    ", + "

    If you turn 31 while you\u2019re in the UK, you can stay for as long as your visa is valid.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate
  • ", + "
  • work in most jobs
  • ", + "
  • be self-employed and set up a company - as long as your premises are rented, your equipment is not worth more than \u00a35,000 and you do not have any employees
  • ", + "

    You cannot:

    ", + "
  • work as a professional sportsperson (for example as a coach)
  • ", + "
  • extend your stay
  • ", + "
  • get public funds
  • ", + "
  • bring in family members on your application - they must apply separately
  • ", + "

    Eligibility

    ", + "

    You can apply for a Youth Mobility Scheme visa (T5) if you\u2019re aged 18 to 30 and you\u2019re from:

    ", + "
  • Australia
  • ", + "
  • Canada
  • ", + "
  • Monaco
  • ", + "
  • New Zealand
  • ", + "
  • San Marino
  • ", + "

    You must be selected in the Youth Mobility Scheme ballot before you can apply for your visa if you\u2019re from:

    ", + "
  • Hong Kong
  • ", + "
  • Japan
  • ", + "
  • South Korea
  • ", + "
  • Taiwan
  • ", + "

    You must also be aged 18 to 30 on the date you apply for your visa.

    ", + "

    You can also apply if you\u2019re 18 to 30 and a:

    ", + "
  • British overseas citizen
  • ", + "
  • British overseas territories citizen
  • ", + "
  • British national (overseas)
  • ", + "

    You cannot apply if you have:

    ", + "
  • children under the age of 18 who live with you
  • ", + "
  • children you\u2019re financially responsible for
  • ", + "
  • already been in the UK under the scheme
  • ", + "

    Money to support yourself

    ", + "

    You must have at least \u00a32,530 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll need to show proof of this when you apply.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • a bank statement showing you have at least \u00a32,530 in savings
  • ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guide for a full list of documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the Youth Mobility Scheme guidance before you apply.

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re from Hong Kong, Japan, South Korea or Taiwan, you must be successfully selected in the Youth Mobility Scheme ballot before you can apply for your visa.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    If you have a child while you\u2019re in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    " + ] + }, + "https://www.gov.uk/innovator-visa": { + "url": "https://www.gov.uk/innovator-visa", + "title": "Innovator visa", + "content": "## Overview\n\nYou can apply for an Innovator visa if:\n\n- you want to set up and run an innovative business in the UK - it must be something that\u2019s different from anything else on the market\n\n- your business or business idea has been endorsed by an approved body, also known as an endorsing body\n\n- you meet the other eligibility requirements\n\n## If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Eligibility\n\nYou must be able to show that your business idea is:\n\n- new - you cannot join a business that is already trading\n\n- innovative - you must have an original business idea which is different from anything else on the market\n\n- viable, with potential for growth\n\n## Knowledge of English\n\nYou must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.\n\n## If you\u2019re not eligible for an Innovator visa\n\nYou may be eligible for another type of visa to work in the UK.\n\n## How long you can stay\n\nYou can stay for 3 years if you either:\n\n- come to the UK on an Innovator visa\n\n- switch to this visa from another visa while in the UK\n\n## If you want to stay longer in the UK\n\nYou can apply to extend your stay for another 3 years when your visa is due to expire. There\u2019s no limit on the number of times you can extend.\n\nYou may be able to apply for settlement once you\u2019ve been in the UK for 3 years.\n\n## If your endorsement is withdrawn\n\nYour visa may be cut short if your endorsement is withdrawn by the endorsing body. If you want to stay longer, you must re-apply with a new endorsement before your current visa expires.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## Fees\n\nHow much you pay for an Innovator visa depends on your situation and where you apply from.\n\n| Who you\u2019re applying for | Apply (outside the UK) | Extend or switch (in the UK) |\n\n| You | \u00a31,021 | \u00a31,277 |\n\n| Your partner and children | \u00a31,021 each person | \u00a31,277 each person |\n\nYou must pay the visa fee for each person that applies at the same time as you or applies later to join you in the UK.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## What you can and cannot do\n\nWith an Innovator visa you can:\n\n- set up a business or several businesses\n\n- work for your business - this includes being employed as a director, or self-employed as a member of a business partnership\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- travel abroad and return to the UK\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 3 years and meet the other eligibility requirements\n\nYou cannot:\n\n- do any work outside your business, for example work where you\u2019re employed by another business\n\n- work as a professional sportsperson, for example a sports coach\n\n- apply for most benefits (public funds), or the State Pension\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with an Innovator visa.\n\n## Eligibility\n\nBefore you apply you need to have your business or business idea assessed by an endorsing body.\n\nThey will provide you with an endorsement letter if your business is eligible.\n\nYou must also:\n\n- meet the English language requirement\n\n- be at least 18 years old\n\n- be able to prove that you have enough personal savings to support yourself while you\u2019re in the UK\n\nRead the specific requirements for the Innovator visa before you apply.\n\n## If you want to set up a new business\n\nYou must have at least \u00a350,000 in investment funds to apply for an Innovator visa if you want to set up a new business.\n\nYou\u2019ll need to prove where you got your funding from.\n\nYou do not need any investment funds if either:\n\n- your business is already established and has been endorsed for an earlier visa\n\n- you\u2019ve changed your business and already agreed it with your endorsing body\n\n## Supporting yourself\n\nYou need to have had at least \u00a31,270 in your bank account for 28 consecutive days before you either:\n\n- apply for an Innovator visa\n\n- apply to extend your Innovator visa or switch to an Innovator visa if you\u2019ve been in the UK for less than a year\n\nYou cannot use either of the following to support yourself:\n\n- money from your investment funds\n\n- money earned while working in the UK illegally\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## Sharing investment funds\n\nYou can form a team with other Innovator applicants, but you cannot share the same investment funds.\n\nYour team must have \u00a350,000 for each Innovator applicant. For example, if you have 2 Innovator applicants, your team must have \u00a3100,000 to invest.\n\n## Knowledge of English\n\nYou\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English gained through study at a UK school that you began when you were under 18\n\n- having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## Documents you\u2019ll need to apply\n\nWhen you apply you need to provide an \u2018endorsement letter\u2019 to show that an endorsing body has assessed your business or business idea.\n\nYou also need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- bank statements showing you\u2019ve had at least \u00a31,270 in savings in your bank account for 28 consecutive days before you apply\n\n- proof that you meet the English language requirement\n\n- evidence of your investment funds (if you\u2019re setting up a new business)\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\nYou\u2019ll need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nYou must apply online for an Innovator visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for an Innovator visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must each have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nIn addition to the \u00a31,270 you must have to support yourself, you - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou\u2019ll need to have had the money in your bank account or your dependant\u2019s bank account for at least 28 days before you or they apply.\n\nYou\u2019ll usually need to show proof of this when you apply, unless you or they are applying from inside the UK and you\u2019ve been here for 1 year or more.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as a partner\n\n- apply online as a child\n\nEach family member will need to complete a separate application and pay the visa fee). They must apply before they travel to the UK.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre. This is to get a biometric residence permit, which they\u2019ll need to collect within 10 days of when they said they\u2019d arrive in the UK.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch)\n\nApply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children will not be able to apply to switch to an Innovator visa if they are currently in the UK in one of the following circumstances:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and child must apply online to either:\n\n- extend or switch to an Innovator visa as your partner\n\n- extend or switch to an Innovator visa as your child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## Getting a faster decision\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Extend your visa\n\nYou can usually apply to extend an Innovator visa if both of the following apply:\n\n- you meet the eligibility requirements\n\n- you\u2019re still running a business in the UK or want to set up a new one\n\nYour partner or children will need to apply separately.\n\nYou should apply before your current visa expires.\n\nYou must have \u00a350,000 in investment funds if you want to set up a new business. You do not need funds if either:\n\n- your business is already established and has been endorsed for an earlier visa\n\n- you\u2019ve changed your business and already agreed it with your endorsing body\n\nYou need to have your business or business idea assessed by an endorsing body when you extend your visa.\n\n## Fees\n\nCheck how much money you\u2019ll need to extend your visa and support yourself while you\u2019re in the UK.\n\nIn addition to the application fee, you may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a\nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply in the UK\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Apply outside the UK\n\nYou can apply online to extend an Innovator visa you\u2019ve had in the last year.\n\nYou may also be able to apply at a visa application centre. You can apply from any country as long as you\u2019ve been given permission to live there for at least 6 months. Check if there\u2019s a visa application centre that you can travel to that accepts Innovator visa applications.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to an Innovator visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or children will need to apply separately.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply to switch to this visa if you meet the eligibility requirements.\n\n## Who cannot apply to switch to this visa\n\nYou cannot switch to this visa if you have one of the following:\n\n- a visit visa\n\n- a short-term student visa\n\n- a Parent of a Child Student visa\n\n- a seasonal worker visa\n\n- a domestic worker in a private household visa\n\n- immigration bail\n\n- permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How long you can stay\n\nYou can stay for 3 years after switching to an Innovator visa.\n\nThere\u2019s no limit on the number of times you can extend your visa.\n\n## How much it costs\n\nCheck the visa application fees.\n\nIf you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply to switch to an Innovator visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for an Innovator visa if:

    ", + "
  • you want to set up and run an innovative business in the UK - it must be something that\u2019s different from anything else on the market
  • ", + "
  • your business or business idea has been endorsed by an approved body, also known as an endorsing body
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Eligibility

    ", + "

    You must be able to show that your business idea is:

    ", + "
  • new - you cannot join a business that is already trading
  • ", + "
  • innovative - you must have an original business idea which is different from anything else on the market
  • ", + "
  • viable, with potential for growth
  • ", + "

    Knowledge of English

    ", + "

    You must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.

    ", + "

    If you\u2019re not eligible for an Innovator visa

    ", + "

    You may be eligible for another type of visa to work in the UK.

    ", + "

    How long you can stay

    ", + "

    You can stay for 3 years if you either:

    ", + "
  • come to the UK on an Innovator visa
  • ", + "
  • switch to this visa from another visa while in the UK
  • ", + "

    If you want to stay longer in the UK

    ", + "

    You can apply to extend your stay for another 3 years when your visa is due to expire. There\u2019s no limit on the number of times you can extend.

    ", + "

    You may be able to apply for settlement once you\u2019ve been in the UK for 3 years.

    ", + "

    If your endorsement is withdrawn

    ", + "

    Your visa may be cut short if your endorsement is withdrawn by the endorsing body. If you want to stay longer, you must re-apply with a new endorsement before your current visa expires.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    You can include your partner and children in your application to stay in the UK if they are eligible.

    ", + "

    How long it takes

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • ", + "
  • 8 weeks, if you\u2019re inside the UK
  • ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    Fees

    ", + "

    How much you pay for an Innovator visa depends on your situation and where you apply from.

    ", + "Who you\u2019re applying for | Apply (outside the UK) | Extend or switch (in the UK)", + "You | \u00a31,021 | \u00a31,277", + "Your partner and children | \u00a31,021 each person | \u00a31,277 each person", + "

    You must pay the visa fee for each person that applies at the same time as you or applies later to join you in the UK.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    What you can and cannot do

    ", + "

    With an Innovator visa you can:

    ", + "
  • set up a business or several businesses
  • ", + "
  • work for your business - this includes being employed as a director, or self-employed as a member of a business partnership
  • ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "
  • travel abroad and return to the UK
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 3 years and meet the other eligibility requirements
  • ", + "

    You cannot:

    ", + "
  • do any work outside your business, for example work where you\u2019re employed by another business
  • ", + "
  • work as a professional sportsperson, for example a sports coach
  • ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with an Innovator visa.

    ", + "

    Eligibility

    ", + "

    Before you apply you need to have your business or business idea assessed by an endorsing body.

    ", + "

    They will provide you with an endorsement letter if your business is eligible.

    ", + "

    You must also:

    ", + "
  • meet the English language requirement
  • ", + "
  • be at least 18 years old
  • ", + "
  • be able to prove that you have enough personal savings to support yourself while you\u2019re in the UK
  • ", + "

    Read the specific requirements for the Innovator visa before you apply.

    ", + "

    If you want to set up a new business

    ", + "

    You must have at least \u00a350,000 in investment funds to apply for an Innovator visa if you want to set up a new business.

    ", + "

    You\u2019ll need to prove where you got your funding from.

    ", + "

    You do not need any investment funds if either:

    ", + "
  • your business is already established and has been endorsed for an earlier visa
  • ", + "
  • you\u2019ve changed your business and already agreed it with your endorsing body
  • ", + "

    Supporting yourself

    ", + "

    You need to have had at least \u00a31,270 in your bank account for 28 consecutive days before you either:

    ", + "
  • apply for an Innovator visa
  • ", + "
  • apply to extend your Innovator visa or switch to an Innovator visa if you\u2019ve been in the UK for less than a year
  • ", + "

    You cannot use either of the following to support yourself:

    ", + "
  • money from your investment funds
  • ", + "
  • money earned while working in the UK illegally
  • ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    Sharing investment funds

    ", + "

    You can form a team with other Innovator applicants, but you cannot share the same investment funds.

    ", + "

    Your team must have \u00a350,000 for each Innovator applicant. For example, if you have 2 Innovator applicants, your team must have \u00a3100,000 to invest.

    ", + "

    Knowledge of English

    ", + "

    You\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.

    ", + "

    Level of English

    ", + "

    You must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • passing a Secure English Language Test (SELT) from an approved provider
  • ", + "
  • having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English gained through study at a UK school that you began when you were under 18
  • ", + "
  • having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    Documents you\u2019ll need to apply

    ", + "

    When you apply you need to provide an \u2018endorsement letter\u2019 to show that an endorsing body has assessed your business or business idea.

    ", + "

    You also need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • bank statements showing you\u2019ve had at least \u00a31,270 in savings in your bank account for 28 consecutive days before you apply
  • ", + "
  • proof that you meet the English language requirement
  • ", + "
  • evidence of your investment funds (if you\u2019re setting up a new business)
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    You\u2019ll need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for an Innovator visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply for an Innovator visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must each have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    In addition to the \u00a31,270 you must have to support yourself, you - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You\u2019ll need to have had the money in your bank account or your dependant\u2019s bank account for at least 28 days before you or they apply.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless you or they are applying from inside the UK and you\u2019ve been here for 1 year or more.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as a partner
  • ", + "
  • apply online as a child
  • ", + "

    Each family member will need to complete a separate application and pay the visa fee). They must apply before they travel to the UK.

    ", + "

    Each family member will need to complete a separate application and pay the visa fee.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre. This is to get a biometric residence permit, which they\u2019ll need to collect within 10 days of when they said they\u2019d arrive in the UK.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.

    ", + "

    They may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.

    ", + "

    Apply from inside the UK (extend or switch)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children will not be able to apply to switch to an Innovator visa if they are currently in the UK in one of the following circumstances:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and child must apply online to either:

    ", + "
  • extend or switch to an Innovator visa as your partner
  • ", + "
  • extend or switch to an Innovator visa as your child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    Getting a faster decision

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    Extend your visa

    ", + "

    You can usually apply to extend an Innovator visa if both of the following apply:

    ", + "
  • you meet the eligibility requirements
  • ", + "
  • you\u2019re still running a business in the UK or want to set up a new one
  • ", + "

    Your partner or children will need to apply separately.

    ", + "

    You should apply before your current visa expires.

    ", + "

    You must have \u00a350,000 in investment funds if you want to set up a new business. You do not need funds if either:

    ", + "
  • your business is already established and has been endorsed for an earlier visa
  • ", + "
  • you\u2019ve changed your business and already agreed it with your endorsing body
  • ", + "

    You need to have your business or business idea assessed by an endorsing body when you extend your visa.

    ", + "

    Fees

    ", + "

    Check how much money you\u2019ll need to extend your visa and support yourself while you\u2019re in the UK.

    ", + "

    In addition to the application fee, you may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a\nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply in the UK

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Apply outside the UK

    ", + "

    You can apply online to extend an Innovator visa you\u2019ve had in the last year.

    ", + "

    You may also be able to apply at a visa application centre. You can apply from any country as long as you\u2019ve been given permission to live there for at least 6 months. Check if there\u2019s a visa application centre that you can travel to that accepts Innovator visa applications.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Switch to this visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to an Innovator visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You can apply to switch to this visa if you meet the eligibility requirements.

    ", + "

    Who cannot apply to switch to this visa

    ", + "

    You cannot switch to this visa if you have one of the following:

    ", + "
  • a visit visa
  • ", + "
  • a short-term student visa
  • ", + "
  • a Parent of a Child Student visa
  • ", + "
  • a seasonal worker visa
  • ", + "
  • a domestic worker in a private household visa
  • ", + "
  • immigration bail
  • ", + "
  • permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How long you can stay

    ", + "

    You can stay for 3 years after switching to an Innovator visa.

    ", + "

    There\u2019s no limit on the number of times you can extend your visa.

    ", + "

    How much it costs

    ", + "

    Check the visa application fees.

    ", + "

    If you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply to switch to an Innovator visa

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    " + ] + }, + "https://www.gov.uk/start-up-visa": { + "url": "https://www.gov.uk/start-up-visa", + "title": "Start-up visa", + "content": "## Overview\n\nYou can apply for a Start-up visa if:\n\n- you want to set up an innovative business in the UK - it must be something that\u2019s different from anything else on the market\n\n- you meet the other eligibility requirements\n\n## If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Eligibility\n\nYou must be endorsed by an authorised body that is either:\n\n- a UK higher education institution\n\n- a business organisation with a history of supporting UK entrepreneurs\n\nYou must be able to show that your business idea is:\n\n- a new idea - you cannot join in a business that is already trading\n\n- innovative - you must have an original business idea which is different from anything else on the market\n\n- viable - it has potential for growth\n\n## If you\u2019re not eligible for a Start-up visa\n\nYou may be eligible for another type of visa to work in the UK.\n\n## How long you can stay\n\nYou can stay for 2 years if you either:\n\n- come to the UK on a Start-up visa\n\n- switch to this visa from another visa while in the UK\n\n## If you want to stay longer in the UK\n\nYou cannot apply to extend this visa.\n\nYou may be able to switch to an Innovator visa if you set up a business while on a Start-up visa and:\n\n- your endorsing body assessed and agreed it\n\n- it is active, trading and sustainable\n\n- you have day to day involvement in it\n\n## If your endorsement is withdrawn\n\nYour visa may be cut short if your endorsement is withdrawn by the endorsing body. If you want to stay longer, you must re-apply with a new endorsement before your current visa expires.\n\nYou can only stay for a total of 2 years even if you\u2019re granted a new visa with a new endorsement.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and switching from a different visa\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## Fees\n\nHow much you pay for a Start-up visa depends on your situation and where you apply from.\n\n| Who you\u2019re applying for | Apply (outside the UK) | Switch (in the UK) |\n\n| Yourself | \u00a3363 | \u00a3493 |\n\n| Your partner and children | \u00a3363 each person | \u00a3493 each person |\n\nYou must pay the visa fee for each person that applies at the same time as you or applies later to join you in the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to switch in the UK\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## What you can and cannot do\n\nWith a Start-up visa you can:\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- work in another job, as well as working for your business\n\n- travel abroad and return to the UK\n\nYou can also switch to this visa from some other visa categories.\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- work as a professional sportsperson, for example a sports coach\n\n- settle in the UK on this visa\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Start-up visa.\n\n## Eligibility\n\nBefore you apply you need to have your business or business idea assessed by an endorsing body.\n\nThey will provide you with an endorsement letter if your business is viable.\n\nYou must also:\n\n- be at least 18 years old\n\n- meet the English language requirement\n\n- be able to prove that you have enough personal savings to support yourself while you\u2019re in the UK\n\nRead the specific requirements for the Start-up visa before you apply.\n\n## Supporting yourself\n\nYou need to have had at least \u00a31270 in your bank account for 28 consecutive days before you apply, or if you\u2019ve been in the UK for less than a year and applying to switch to this visa.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## Knowledge of English\n\nYou\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English gained through study at a UK school that you began when you were under 18\n\n- having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## Documents you'll need to apply\n\nWhen you apply you need to provide an \u2018endorsement letter\u2019 to show that an endorsing body has assessed your business.\n\nYou\u2019ll also need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- bank statements showing you\u2019ve had at least \u00a31270 in savings in your bank account for 28 consecutive days before you apply\n\n- proof that you meet the English language requirement\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\nYou\u2019ll need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nYou must apply online for a Start-up visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for a Start-up visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must each have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nIn addition to the \u00a31,270 you must have to support yourself, you - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou\u2019ll need to have had the money in your bank account or your dependant\u2019s bank account for at least 28 days before you or they apply.\n\nYou\u2019ll usually need to show proof of this when you apply, unless you or they are applying from inside the UK and you\u2019ve been here for 1 year or more.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as a partner\n\n- apply online as a child\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre. This is to get a biometric residence permit, which they\u2019ll need to collect within 10 days of when they said they\u2019d arrive in the UK.\n\n## Apply from inside the UK (switch)\n\nApply for your partner or child\u2019s visa at the same time as you switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children will not be able to apply to switch to a Start-up visa if they are currently in the UK in one of the following circumstances:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and child must apply online to either:\n\n- switch to a Start-up visa as your partner\n\n- switch to a Start-up visa as your child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## Getting a faster decision\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to a Start-up visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or children will need to apply separately.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply to switch to this visa if you meet the eligibility requirements.\n\n## Who cannot apply to switch to this visa\n\nYou cannot switch to this visa if you have one of the following:\n\n- a visit visa\n\n- a short-term student visa\n\n- a Parent of a Child Student visa\n\n- a seasonal worker visa\n\n- a domestic worker in a private household visa\n\n- immigration bail\n\n- permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and make your application from abroad if you\u2019re here on a different type of visa.\n\n## How long you can stay\n\nYou can stay in the UK for 2 years on a Start-up visa. Any time you\u2019ve already spent in the UK on a Tier 1 (Graduate Entrepreneur) visa counts as part of the 2 years.\n\n## How much it costs\n\nCheck the visa application fees.\n\nIf you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply to switch to a Start-up visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Start-up visa if:

    ", + "
  • you want to set up an innovative business in the UK - it must be something that\u2019s different from anything else on the market
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Eligibility

    ", + "

    You must be endorsed by an authorised body that is either:

    ", + "
  • a UK higher education institution
  • ", + "
  • a business organisation with a history of supporting UK entrepreneurs
  • ", + "

    You must be able to show that your business idea is:

    ", + "
  • a new idea - you cannot join in a business that is already trading
  • ", + "
  • innovative - you must have an original business idea which is different from anything else on the market
  • ", + "
  • viable - it has potential for growth
  • ", + "

    If you\u2019re not eligible for a Start-up visa

    ", + "

    You may be eligible for another type of visa to work in the UK.

    ", + "

    How long you can stay

    ", + "

    You can stay for 2 years if you either:

    ", + "
  • come to the UK on a Start-up visa
  • ", + "
  • switch to this visa from another visa while in the UK
  • ", + "

    If you want to stay longer in the UK

    ", + "

    You cannot apply to extend this visa.

    ", + "

    You may be able to switch to an Innovator visa if you set up a business while on a Start-up visa and:

    ", + "
  • your endorsing body assessed and agreed it
  • ", + "
  • it is active, trading and sustainable
  • ", + "
  • you have day to day involvement in it
  • ", + "

    If your endorsement is withdrawn

    ", + "

    Your visa may be cut short if your endorsement is withdrawn by the endorsing body. If you want to stay longer, you must re-apply with a new endorsement before your current visa expires.

    ", + "

    You can only stay for a total of 2 years even if you\u2019re granted a new visa with a new endorsement.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    You can include your partner and children in your application to stay in the UK if they are eligible.

    ", + "

    How long it takes

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • ", + "
  • 8 weeks, if you\u2019re inside the UK
  • ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    Fees

    ", + "

    How much you pay for a Start-up visa depends on your situation and where you apply from.

    ", + "Who you\u2019re applying for | Apply (outside the UK) | Switch (in the UK)", + "Yourself | \u00a3363 | \u00a3493", + "Your partner and children | \u00a3363 each person | \u00a3493 each person", + "

    You must pay the visa fee for each person that applies at the same time as you or applies later to join you in the UK.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re applying to switch in the UK

    ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    What you can and cannot do

    ", + "

    With a Start-up visa you can:

    ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "
  • work in another job, as well as working for your business
  • ", + "
  • travel abroad and return to the UK
  • ", + "

    You can also switch to this visa from some other visa categories.

    ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "
  • work as a professional sportsperson, for example a sports coach
  • ", + "
  • settle in the UK on this visa
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Start-up visa.

    ", + "

    Eligibility

    ", + "

    Before you apply you need to have your business or business idea assessed by an endorsing body.

    ", + "

    They will provide you with an endorsement letter if your business is viable.

    ", + "

    You must also:

    ", + "
  • be at least 18 years old
  • ", + "
  • meet the English language requirement
  • ", + "
  • be able to prove that you have enough personal savings to support yourself while you\u2019re in the UK
  • ", + "

    Read the specific requirements for the Start-up visa before you apply.

    ", + "

    Supporting yourself

    ", + "

    You need to have had at least \u00a31270 in your bank account for 28 consecutive days before you apply, or if you\u2019ve been in the UK for less than a year and applying to switch to this visa.

    ", + "

    Read the guidance on financial evidence for more information about the money you need and how to prove it.

    ", + "

    Knowledge of English

    ", + "

    You\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.

    ", + "

    Level of English

    ", + "

    You must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • passing a Secure English Language Test (SELT) from an approved provider
  • ", + "
  • having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English gained through study at a UK school that you began when you were under 18
  • ", + "
  • having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    Documents you'll need to apply

    ", + "

    When you apply you need to provide an \u2018endorsement letter\u2019 to show that an endorsing body has assessed your business.

    ", + "

    You\u2019ll also need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • bank statements showing you\u2019ve had at least \u00a31270 in savings in your bank account for 28 consecutive days before you apply
  • ", + "
  • proof that you meet the English language requirement
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    You\u2019ll need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a Start-up visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply for a Start-up visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and children must each have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    In addition to the \u00a31,270 you must have to support yourself, you - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "
  • \u00a3315 for one child
  • ", + "
  • \u00a3200 for each additional child
  • ", + "

    You\u2019ll need to have had the money in your bank account or your dependant\u2019s bank account for at least 28 days before you or they apply.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless you or they are applying from inside the UK and you\u2019ve been here for 1 year or more.

    ", + "

    Apply from outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as a partner
  • ", + "
  • apply online as a child
  • ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre. This is to get a biometric residence permit, which they\u2019ll need to collect within 10 days of when they said they\u2019d arrive in the UK.

    ", + "

    Apply from inside the UK (switch)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you switch your own visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner or children will not be able to apply to switch to a Start-up visa if they are currently in the UK in one of the following circumstances:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and child must apply online to either:

    ", + "
  • switch to a Start-up visa as your partner
  • ", + "
  • switch to a Start-up visa as your child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    Getting a faster decision

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    Switch to this visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to a Start-up visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    Your partner or children will need to apply separately.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You can apply to switch to this visa if you meet the eligibility requirements.

    ", + "

    Who cannot apply to switch to this visa

    ", + "

    You cannot switch to this visa if you have one of the following:

    ", + "
  • a visit visa
  • ", + "
  • a short-term student visa
  • ", + "
  • a Parent of a Child Student visa
  • ", + "
  • a seasonal worker visa
  • ", + "
  • a domestic worker in a private household visa
  • ", + "
  • immigration bail
  • ", + "
  • permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    You must leave the UK and make your application from abroad if you\u2019re here on a different type of visa.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for 2 years on a Start-up visa. Any time you\u2019ve already spent in the UK on a Tier 1 (Graduate Entrepreneur) visa counts as part of the 2 years.

    ", + "

    How much it costs

    ", + "

    Check the visa application fees.

    ", + "

    If you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply to switch to a Start-up visa

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    " + ] + }, + "https://www.gov.uk/global-talent": { + "url": "https://www.gov.uk/global-talent", + "title": "Apply for the Global Talent visa", + "content": "## Overview\n\nYou can apply for a Global Talent visa to work in the UK if you\u2019re a leader or potential leader in one of the following fields:\n\n- academia or research\n\n- arts and culture\n\n- digital technology\n\nYou must also be at least 18 years old.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Before you apply for a visa\n\nYou can usually only apply for a Global Talent visa if you have successfully applied for an endorsement to prove that you are a leader or potential leader.\n\nYou can apply for the visa without an endorsement if you\u2019ve won an eligible award. Find out which awards are eligible.\n\nFind out what you can do with a Global Talent visa and how to apply for an endorsement if you work in one of the following fields:\n\n- academia or research\n\n- arts and culture\n\n- digital technology\n\nIf you\u2019re not eligible for a Global Talent visa, there are other ways to work in the UK - for example a Skilled Worker visa.\n\n## How long you can stay\n\nYou can live and work in the UK for up to 5 years at a time.\n\n## If you want to stay longer in the UK\n\nThere\u2019s no limit to how long you can stay in the UK in total, but you will need to renew (\u2018extend\u2019) your visa when it expires. Each extension can last from 1 to 5 years - you choose how long you want the extension to be.\n\nYou may be able to get indefinite leave to remain so you can settle in the UK after 3 or 5 years, depending on which field you work in and how you apply. This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## Fees\n\nIt costs \u00a3608 to apply.\n\nIf you\u2019re applying based on an endorsement, you\u2019ll pay the \u00a3608 in two parts:\n\n- \u00a3456 when you apply for the endorsement\n\n- \u00a3152 when you apply for the visa itself\n\nIf you\u2019re applying based on an eligible award, you\u2019ll pay the full \u00a3608 when you apply for the visa.\n\nIf you\u2019re including your partner or children in your application, they\u2019ll each need to pay \u00a3608.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application - this is usually \u00a3624 per year for each person applying.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 when you apply for the visa itself if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\nIf you\u2019ve had an award or scholarship to study in the UK in the last year, you\u2019ll also need written permission to apply from the agency or government that granted it.\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\nYou need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, EEA or Switzerland\n\n- from the EU, EEA or Switzerland but do not have a biometric passport with a chip in it\n\nIf you\u2019ve won an eligible award, the Home Office will look at publicly available information (such as the award organisation\u2019s website) to confirm that you\u2019ve won. You\u2019ll only be asked for evidence of your win if they cannot find this.\n\n## Apply from outside the UK\n\nBefore you apply for the Global Talent visa, you need to have either:\n\n- won an eligible award\n\n- successfully applied for an endorsement to prove that you are a leader or potential leader in your field\n\n## If you\u2019re applying for an endorsement\n\nFind out how to apply for an endorsement before you apply for a visa.\n\nWhen you have an endorsement, you can apply for this visa if:\n\n- you\u2019ve been endorsed by an organisation approved by the Home Office\n\n- you\u2019re applying within 3 months of receiving your endorsement letter\n\n- the organisation that endorsed you has not withdrawn its approval\n\nIf you apply for the visa before you have applied for an endorsement, your visa application may be rejected, but you\u2019ll get the visa application fee back, minus the processing fee.\n\n## How to apply for the visa\n\nYou can apply online for a Global Talent visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner and children will need to apply separately, and use your application number, to travel with you or join you in the UK if they are eligible.\n\nYou may also be able to apply at a visa application centre. You can apply from any country as long as you\u2019ve been given permission to live there for at least 6 months. Check if there\u2019s a visa application centre that you can travel to that accepts Global Talent visa applications.\n\nIf you\u2019re already living in the UK, you and your partner and children may be able to extend a Global Talent visa or switch to a Global Talent visa.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for a Global Talent visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible.\n\n## Your relationship\n\nA \u2018dependant\u2019 is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be supported by you without using benefits (\u2018public funds\u2019)\n\nIf your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Fees\n\nIt costs \u00a3608 for each dependant applying.\n\nThey also need to pay:\n\n- the healthcare surcharge\n\n- \u00a319.20 to have their biometric information (fingerprints and photo) taken if they\u2019re applying in the UK\n\n## If your partner or children are outside the UK\n\nYour partner and children must either:\n\n- apply online as a partner\n\n- apply online as a child\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll be asked to provide your application number so the Home Office can link their application to you.\n\n## If your partner or children are already in the UK (extend or switch their visa)\n\nApply for your partner or child\u2019s visa at the same time as you extend your own Global Talent visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner and child can apply to switch to your Global Talent visa as your dependants, unless they are currently in the UK in one of the following circumstances:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and child must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## Children born in the UK\n\nIf you have children while you\u2019re in the UK, they do not automatically become British citizens.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Extend your visa\n\nYou can usually apply to extend your stay in the UK if either:\n\n- you applied for the Global Talent visa based on an endorsement, and the organisation that endorsed you has not withdrawn its approval\n\n- you applied for a Global Talent visa based on an eligible award you won, and the award has not been withdrawn\n\nYou must be able to show that you earned money in your expert field during your time in the UK by sending evidence toward your application, for example payslips.\n\nYour partner or child will need to apply separately.\n\nYou should apply before your current visa expires.\n\nApplicants who currently have a Tier 1 (Exceptional Talent) visa can extend under the Global Talent category.\n\n## How long you can stay\n\nYou can apply to extend your visa for up to 5 years at a time. You can renew your visa as many times as you like, as long as you still meet the eligibility requirements.\n\n## If you want to stay longer in the UK\n\nYou may be able to get indefinite leave to remain so you can settle in the UK after 3 or 5 years, depending on which field you work in and how you apply. This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## Fees\n\nIt costs \u00a3608 to apply to extend a Global Talent visa from inside or outside the UK.\n\nYour partner and children must pay the visa fee of \u00a3608 if they want to apply to travel with you or join you later in the UK.\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## Proving your identity and giving supporting documents\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a\nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply in the UK\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Apply outside the UK\n\nYou can apply online to extend a Global Talent visa you\u2019ve had in the last year.\n\nYou may also be able to apply at a visa application centre. You can apply from any country as long as you\u2019ve been given permission to live there for at least 6 months. Check if there\u2019s a visa application centre that you can travel to that accepts Global Talent visa applications.\n\n## How long it takes\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or child will need to apply separately.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nTo switch to a Global Talent visa you must be in the UK and have either:\n\n- won an eligible award\n\n- proven that you are a leader or potential leader in one of the fields covered by the visa - this is also called getting an endorsement\n\n## If you\u2019re applying for an endorsement\n\nThe fields you must prove you\u2019re a leader or potential leader in are:\n\n- academia or research\n\n- arts and culture\n\n- digital technology\n\nYou must apply to switch to the Global Talent visa within 3 months of getting an endorsement.\n\nYou cannot apply for the visa if the organisation that endorsed you has withdrawn its approval.\n\nIf you apply for the visa before you have applied for an endorsement, your visa application may be rejected, but you\u2019ll get the visa application fee back, minus the processing fee.\n\n## If you have dependents\n\nApply to switch your dependants\u2019 visas at the same time as you switch your own visa. If you cannot apply at the same time, your partner or child can switch their visas at a later date - this must be before their current visa expires.\n\n## Who cannot apply to switch to this visa\n\nYou cannot apply to switch to this visa if you\u2019re currently in the UK in one of the following circumstances:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- you were given permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and apply for a Global Talent visa from abroad if you\u2019re in one of these categories.\n\n## How long you can stay\n\nYou can choose how long you want to apply for, up to 5 years at a time.\n\nAfter you apply, you can stay in the UK until you get your decision.\n\nIf you have settled or pre-settled status under the EU Settlement Scheme, you do not need to apply for a visa.\n\n## If you want to stay longer in the UK\n\nYou may be able to get indefinite leave to remain so you can settle in the UK after 3 or 5 years, depending on which field you work in and how you apply. This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## Fees\n\nSwitching to a Global Talent visa costs \u00a3608.\n\nIf you\u2019re applying based on an endorsement, you\u2019ll pay the \u00a3608 in two parts:\n\n- \u00a3456 when you apply for the endorsement\n\n- \u00a3152 when you apply for the visa itself\n\nIf you\u2019re applying based on an eligible award, you\u2019ll pay the full \u00a3608 when you apply for the visa.\n\nYour partner and children must pay \u00a3608 each if they want to apply to travel with you or join you later in the UK.\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 when you apply to switch to the visa itself if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## Proving your identity and giving supporting documents\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to switch to a Global Talent visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes to get a decision\n\nDecisions are usually made within 8 weeks of your application date.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Global Talent visa to work in the UK if you\u2019re a leader or potential leader in one of the following fields:

    ", + "
  • academia or research
  • ", + "
  • arts and culture
  • ", + "
  • digital technology
  • ", + "

    You must also be at least 18 years old.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    Before you apply for a visa

    ", + "

    You can usually only apply for a Global Talent visa if you have successfully applied for an endorsement to prove that you are a leader or potential leader.

    ", + "

    You can apply for the visa without an endorsement if you\u2019ve won an eligible award. Find out which awards are eligible.

    ", + "

    Find out what you can do with a Global Talent visa and how to apply for an endorsement if you work in one of the following fields:

    ", + "
  • academia or research
  • ", + "
  • arts and culture
  • ", + "
  • digital technology
  • ", + "

    If you\u2019re not eligible for a Global Talent visa, there are other ways to work in the UK - for example a Skilled Worker visa.

    ", + "

    How long you can stay

    ", + "

    You can live and work in the UK for up to 5 years at a time.

    ", + "

    If you want to stay longer in the UK

    ", + "

    There\u2019s no limit to how long you can stay in the UK in total, but you will need to renew (\u2018extend\u2019) your visa when it expires. Each extension can last from 1 to 5 years - you choose how long you want the extension to be.

    ", + "

    You may be able to get indefinite leave to remain so you can settle in the UK after 3 or 5 years, depending on which field you work in and how you apply. This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    How you apply depends on whether you\u2019re:

    ", + "
  • outside the UK and are coming to the UK
  • ", + "
  • inside the UK and extending your current visa
  • ", + "
  • inside the UK and switching from a different visa
  • ", + "

    How long it takes

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • ", + "
  • 8 weeks, if you\u2019re inside the UK
  • ", + "

    If you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.

    ", + "

    Fees

    ", + "

    It costs \u00a3608 to apply.

    ", + "

    If you\u2019re applying based on an endorsement, you\u2019ll pay the \u00a3608 in two parts:

    ", + "
  • \u00a3456 when you apply for the endorsement
  • ", + "
  • \u00a3152 when you apply for the visa itself
  • ", + "

    If you\u2019re applying based on an eligible award, you\u2019ll pay the full \u00a3608 when you apply for the visa.

    ", + "

    If you\u2019re including your partner or children in your application, they\u2019ll each need to pay \u00a3608.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application - this is usually \u00a3624 per year for each person applying.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 when you apply for the visa itself if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "

    If you\u2019ve had an award or scholarship to study in the UK in the last year, you\u2019ll also need written permission to apply from the agency or government that granted it.

    ", + "

    If your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.

    ", + "

    You need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, EEA or Switzerland
  • ", + "
  • from the EU, EEA or Switzerland but do not have a biometric passport with a chip in it
  • ", + "

    If you\u2019ve won an eligible award, the Home Office will look at publicly available information (such as the award organisation\u2019s website) to confirm that you\u2019ve won. You\u2019ll only be asked for evidence of your win if they cannot find this.

    ", + "

    Apply from outside the UK

    ", + "

    Before you apply for the Global Talent visa, you need to have either:

    ", + "
  • won an eligible award
  • ", + "
  • successfully applied for an endorsement to prove that you are a leader or potential leader in your field
  • ", + "

    If you\u2019re applying for an endorsement

    ", + "

    Find out how to apply for an endorsement before you apply for a visa.

    ", + "

    When you have an endorsement, you can apply for this visa if:

    ", + "
  • you\u2019ve been endorsed by an organisation approved by the Home Office
  • ", + "
  • you\u2019re applying within 3 months of receiving your endorsement letter
  • ", + "
  • the organisation that endorsed you has not withdrawn its approval
  • ", + "

    If you apply for the visa before you have applied for an endorsement, your visa application may be rejected, but you\u2019ll get the visa application fee back, minus the processing fee.

    ", + "

    How to apply for the visa

    ", + "

    You can apply online for a Global Talent visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Your partner and children will need to apply separately, and use your application number, to travel with you or join you in the UK if they are eligible.

    ", + "

    You may also be able to apply at a visa application centre. You can apply from any country as long as you\u2019ve been given permission to live there for at least 6 months. Check if there\u2019s a visa application centre that you can travel to that accepts Global Talent visa applications.

    ", + "

    If you\u2019re already living in the UK, you and your partner and children may be able to extend a Global Talent visa or switch to a Global Talent visa.

    ", + "

    Proving your identity and supplying supporting documents

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    If you do need an appointment:

    ", + "
  • the centre may need to keep your passport and documents while they process your application
  • ", + "
  • you may have to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    Apply for a Global Talent visa

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example:

    ", + "
  • if you\u2019re applying with a family member who needs an appointment but you do not
  • ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible.

    ", + "

    Your relationship

    ", + "

    A \u2018dependant\u2019 is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be supported by you without using benefits (\u2018public funds\u2019)
  • ", + "

    If your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Fees

    ", + "

    It costs \u00a3608 for each dependant applying.

    ", + "

    They also need to pay:

    ", + "
  • the healthcare surcharge
  • ", + "
  • \u00a319.20 to have their biometric information (fingerprints and photo) taken if they\u2019re applying in the UK
  • ", + "

    If your partner or children are outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as a partner
  • ", + "
  • apply online as a child
  • ", + "

    Each family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.

    ", + "

    They\u2019ll be asked to provide your application number so the Home Office can link their application to you.

    ", + "

    If your partner or children are already in the UK (extend or switch their visa)

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you extend your own Global Talent visa. This includes children who were born or have turned 18 during your stay.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.

    ", + "

    Your partner and child can apply to switch to your Global Talent visa as your dependants, unless they are currently in the UK in one of the following circumstances:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    How to apply

    ", + "

    Your partner and child must apply online to either:

    ", + "
  • extend or switch as a partner
  • ", + "
  • extend or switch as a child
  • ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    Children born in the UK

    ", + "

    If you have children while you\u2019re in the UK, they do not automatically become British citizens.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    Extend your visa

    ", + "

    You can usually apply to extend your stay in the UK if either:

    ", + "
  • you applied for the Global Talent visa based on an endorsement, and the organisation that endorsed you has not withdrawn its approval
  • ", + "
  • you applied for a Global Talent visa based on an eligible award you won, and the award has not been withdrawn
  • ", + "

    You must be able to show that you earned money in your expert field during your time in the UK by sending evidence toward your application, for example payslips.

    ", + "

    Your partner or child will need to apply separately.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Applicants who currently have a Tier 1 (Exceptional Talent) visa can extend under the Global Talent category.

    ", + "

    How long you can stay

    ", + "

    You can apply to extend your visa for up to 5 years at a time. You can renew your visa as many times as you like, as long as you still meet the eligibility requirements.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You may be able to get indefinite leave to remain so you can settle in the UK after 3 or 5 years, depending on which field you work in and how you apply. This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    Fees

    ", + "

    It costs \u00a3608 to apply to extend a Global Talent visa from inside or outside the UK.

    ", + "

    Your partner and children must pay the visa fee of \u00a3608 if they want to apply to travel with you or join you later in the UK.

    ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    Proving your identity and giving supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a\nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply in the UK

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Apply outside the UK

    ", + "

    You can apply online to extend a Global Talent visa you\u2019ve had in the last year.

    ", + "

    You may also be able to apply at a visa application centre. You can apply from any country as long as you\u2019ve been given permission to live there for at least 6 months. Check if there\u2019s a visa application centre that you can travel to that accepts Global Talent visa applications.

    ", + "

    How long it takes

    ", + "

    You\u2019ll usually get a decision within 8 weeks of your application date.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Switch to this visa

    ", + "

    You might be able to apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    Your partner or child will need to apply separately.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    To switch to a Global Talent visa you must be in the UK and have either:

    ", + "
  • won an eligible award
  • ", + "
  • proven that you are a leader or potential leader in one of the fields covered by the visa - this is also called getting an endorsement
  • ", + "

    If you\u2019re applying for an endorsement

    ", + "

    The fields you must prove you\u2019re a leader or potential leader in are:

    ", + "
  • academia or research
  • ", + "
  • arts and culture
  • ", + "
  • digital technology
  • ", + "

    You must apply to switch to the Global Talent visa within 3 months of getting an endorsement.

    ", + "

    You cannot apply for the visa if the organisation that endorsed you has withdrawn its approval.

    ", + "

    If you apply for the visa before you have applied for an endorsement, your visa application may be rejected, but you\u2019ll get the visa application fee back, minus the processing fee.

    ", + "

    If you have dependents

    ", + "

    Apply to switch your dependants\u2019 visas at the same time as you switch your own visa. If you cannot apply at the same time, your partner or child can switch their visas at a later date - this must be before their current visa expires.

    ", + "

    Who cannot apply to switch to this visa

    ", + "

    You cannot apply to switch to this visa if you\u2019re currently in the UK in one of the following circumstances:

    ", + "
  • on a visit visa
  • ", + "
  • on a short-term student visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a seasonal worker visa
  • ", + "
  • on a domestic worker in a private household visa
  • ", + "
  • on immigration bail
  • ", + "
  • you were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    You must leave the UK and apply for a Global Talent visa from abroad if you\u2019re in one of these categories.

    ", + "

    How long you can stay

    ", + "

    You can choose how long you want to apply for, up to 5 years at a time.

    ", + "

    After you apply, you can stay in the UK until you get your decision.

    ", + "

    If you have settled or pre-settled status under the EU Settlement Scheme, you do not need to apply for a visa.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You may be able to get indefinite leave to remain so you can settle in the UK after 3 or 5 years, depending on which field you work in and how you apply. This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    Fees

    ", + "

    Switching to a Global Talent visa costs \u00a3608.

    ", + "

    If you\u2019re applying based on an endorsement, you\u2019ll pay the \u00a3608 in two parts:

    ", + "
  • \u00a3456 when you apply for the endorsement
  • ", + "
  • \u00a3152 when you apply for the visa itself
  • ", + "

    If you\u2019re applying based on an eligible award, you\u2019ll pay the full \u00a3608 when you apply for the visa.

    ", + "

    Your partner and children must pay \u00a3608 each if they want to apply to travel with you or join you later in the UK.

    ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you\u2019re from an eligible country

    ", + "

    Your application fee will be automatically reduced by \u00a355 when you apply to switch to the visa itself if you\u2019re from one of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    This reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    Proving your identity and giving supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to switch to a Global Talent visa

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes to get a decision

    ", + "

    Decisions are usually made within 8 weeks of your application date.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    " + ] + }, + "https://www.gov.uk/tier-1-entrepreneur": { + "url": "https://www.gov.uk/tier-1-entrepreneur", + "title": "Entrepreneur visa (Tier 1)", + "content": "## Overview\n\nYou can no longer apply for a Tier 1 (Entrepreneur) visa.\n\nIf you want to set up or run a business in the UK you might be able to apply for an Innovator visa or a Start-up visa.\n\n## If you already have a Tier 1 (Entrepreneur) visa\n\nYou can still apply:\n\n- to settle in the UK (indefinite leave to remain)\n\n- to extend your visa\n\n- for family members to join you\n\n## Extend your visa\n\nYou may be able to extend your Tier 1 (Entrepreneur) visa.\n\nYou should apply before your current visa expires.\n\nYou can apply to extend your visa if you:\n\n- registered as a director or as self-employed no more than 6 months after the date you were given permission to stay in the UK under a Tier 1 (Entrepreneur) visa\n\n- can prove you\u2019ve been self-employed, a member of a partnership or working as a director of a business 3 months before you apply\n\n- created at least 2 full time jobs that have existed for at least 12 months\n\n- can continue to support yourself\n\nYou must have invested into 1 or more UK businesses either:\n\n- \u00a3200,000 in cash\n\n- \u00a350,000 in cash\n\nThe amount depends on the level of funds your initial application was based on.\n\nYou should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.\n\nYou should read the full guidance on the Tier 1 (Entrepreneur) visa before you apply.\n\n## Fees\n\nIt costs \u00a31,277 to extend this visa.\n\nYou\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.\n\n## How to extend your visa if you\u2019re in the UK\n\nYou must apply online.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made on your application within 8 weeks.\n\nYou\u2019ll be contacted if your application is complex and will take longer. This could be because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## How to extend your visa if you\u2019re outside the UK\n\nIf you\u2019re outside the UK, you must apply online to extend a Tier 1 (Entrepreneur) visa.\n\n## Switch to this visa\n\nIf you\u2019re already in the UK you may be able to switch to a Tier 1 (Entrepreneur) visa if:\n\n- you\u2019re on a Tier 1 (Graduate Entrepreneur) visa\n\n- you switched to a Start-up visa from a Tier 1 (Graduate Entrepreneur) visa for your second year\n\nYou must meet the eligibility requirements for a Tier 1 (Entrepreneur) visa. You must have:\n\n- \u00a350,000 in funds to spend in the UK\n\n- a viable business plan\n\nYou must apply before your current visa expires.\n\n## How long you can stay\n\nYou can stay for 3 years if your application to switch is successful.\n\n## Fees\n\nIt costs \u00a31,277 to switch to this visa.\n\nYou\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.\n\n## How to apply to switch your visa\n\nYou should read the full guidance on the Tier 1 (Entrepreneur) visa before you apply.\n\nYou must apply online.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to switch to this visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made on your application within 8 weeks.\n\nYou\u2019ll be contacted if your application is complex and will take longer. This could be because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example you have a criminal conviction\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Switching to this visa if you\u2019re outside the UK\n\nYou can apply to switch to a Tier 1 (Entrepreneur) visa if you have:\n\n- a valid Tier 1 (Graduate Entrepreneur) visa\n\n- a valid Start-up visa, and you switched from a Tier 1 (Graduate Entrepreneur) visa for your second year\n\n- a Tier 1 (Graduate Entrepreneur) visa that expired less than 12 months ago\n\n- a Start-up visa that expired less than 12 months ago, and you switched from a Tier 1 (Graduate Entrepreneur) visa for your second year\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can join you if you\u2019re in the UK on this visa. Your family members must apply for their own visa.\n\nIf they\u2019re from the European Economic Area (EEA) or Switzerland and arrive before 1 January 2021, they may be able to apply to the free EU Settlement Scheme.\n\nA \u2018dependant\u2019 is any of the following:\n\n- your partner\n\n- your child under 18\n\n- your child over 18 if they\u2019re currently in the UK as a dependant\n\nRead the guidance on dependant applications before you apply.\n\nAdult family members must provide a criminal record certificate from any country they have lived in for 12 months or more in the last 10 years.\n\n## Savings\n\nYou must show that your dependants can be supported while they\u2019re in the UK.\n\nEach dependant must have a certain amount of money available to them - this is in addition to the \u00a3945 you must have to support yourself.\n\nThe amount depends on your circumstances. You must have \u00a31,890 for each dependant if you\u2019ve been in the UK for less than 12 months. If you\u2019ve been in the UK for more than 12 months, you must have \u00a3630 for each dependant.\n\nYou must have proof you have the money, and that it\u2019s been in your bank account or your dependant\u2019s bank account for at least 90 days before you or they apply.\n\n## Fees\n\nIt costs \u00a31878 for each family member.\n\nThey\u2019ll also need to pay \u00a319.20 to have their biometric information (fingerprints and a photo) taken. They\u2019ll pay as part of their application.\n\nIf your family member is applying from within the UK, they may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.\n\n## Dependants applying outside the UK\n\nYour family members must apply online.\n\nThey\u2019ll need to have their fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of their application.\n\nThey\u2019ll have to collect their biometric residence permit within 10 days of when they said they\u2019d arrive in the UK (even if they actually arrive at a later date).\n\nThey may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.\n\nIf your child is over 18 they cannot apply if they are outside the UK. They can apply from inside the UK if they are already here as your dependant.\n\n## Dependants applying in the UK on their own\n\nYour dependants can apply to extend or switch their visas to stay with you if they\u2019re already in the UK. Dependants must either:\n\n- apply online as a dependant partner\n\n- apply online as a dependant child\n\nFamily members cannot apply in the UK as your dependant if they hold a visitor visa.\n\n## Providing biometric information and supporting documents\n\nWhen they apply, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (their fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nThey\u2019ll be contacted if their application is complex and will take longer, for example:\n\n- if their supporting documents need to be verified\n\n- if they need to attend an interview\n\n- because of their personal circumstances (for example if they have a criminal conviction)\n\nOnce they\u2019ve applied they can stay in the UK until they\u2019ve been given a decision, as long as they applied before their last visa expired.\n\n## Get help to apply online\n\nYour family can get help with completing the online form if they:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYour family can only use this service if they\u2019re applying to extend or switch to your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Children born while you\u2019re in the UK\n\nIf you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.\n\nYou must do this if you want to travel in and out of the UK with them.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.", + "original_contents": [ + "

    Overview

    ", + "

    You can no longer apply for a Tier 1 (Entrepreneur) visa.

    ", + "

    If you want to set up or run a business in the UK you might be able to apply for an Innovator visa or a Start-up visa.

    ", + "

    If you already have a Tier 1 (Entrepreneur) visa

    ", + "

    You can still apply:

    ", + "
  • to settle in the UK (indefinite leave to remain)
  • ", + "
  • to extend your visa
  • ", + "
  • for family members to join you
  • ", + "

    Extend your visa

    ", + "

    You may be able to extend your Tier 1 (Entrepreneur) visa.

    ", + "

    You should apply before your current visa expires.

    ", + "

    You can apply to extend your visa if you:

    ", + "
  • registered as a director or as self-employed no more than 6 months after the date you were given permission to stay in the UK under a Tier 1 (Entrepreneur) visa
  • ", + "
  • can prove you\u2019ve been self-employed, a member of a partnership or working as a director of a business 3 months before you apply
  • ", + "
  • created at least 2 full time jobs that have existed for at least 12 months
  • ", + "
  • can continue to support yourself
  • ", + "

    You must have invested into 1 or more UK businesses either:

    ", + "
  • \u00a3200,000 in cash
  • ", + "
  • \u00a350,000 in cash
  • ", + "

    The amount depends on the level of funds your initial application was based on.

    ", + "

    You should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.

    ", + "

    You should read the full guidance on the Tier 1 (Entrepreneur) visa before you apply.

    ", + "

    Fees

    ", + "

    It costs \u00a31,277 to extend this visa.

    ", + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.

    ", + "

    How to extend your visa if you\u2019re in the UK

    ", + "

    You must apply online.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    How long it takes

    ", + "

    A decision will be made on your application within 8 weeks.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer. This could be because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    How to extend your visa if you\u2019re outside the UK

    ", + "

    If you\u2019re outside the UK, you must apply online to extend a Tier 1 (Entrepreneur) visa.

    ", + "

    Switch to this visa

    ", + "

    If you\u2019re already in the UK you may be able to switch to a Tier 1 (Entrepreneur) visa if:

    ", + "
  • you\u2019re on a Tier 1 (Graduate Entrepreneur) visa
  • ", + "
  • you switched to a Start-up visa from a Tier 1 (Graduate Entrepreneur) visa for your second year
  • ", + "

    You must meet the eligibility requirements for a Tier 1 (Entrepreneur) visa. You must have:

    ", + "
  • \u00a350,000 in funds to spend in the UK
  • ", + "
  • a viable business plan
  • ", + "

    You must apply before your current visa expires.

    ", + "

    How long you can stay

    ", + "

    You can stay for 3 years if your application to switch is successful.

    ", + "

    Fees

    ", + "

    It costs \u00a31,277 to switch to this visa.

    ", + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.

    ", + "

    How to apply to switch your visa

    ", + "

    You should read the full guidance on the Tier 1 (Entrepreneur) visa before you apply.

    ", + "

    You must apply online.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to switch to this visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    How long it takes

    ", + "

    A decision will be made on your application within 8 weeks.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer. This could be because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Switching to this visa if you\u2019re outside the UK

    ", + "

    You can apply to switch to a Tier 1 (Entrepreneur) visa if you have:

    ", + "
  • a valid Tier 1 (Graduate Entrepreneur) visa
  • ", + "
  • a valid Start-up visa, and you switched from a Tier 1 (Graduate Entrepreneur) visa for your second year
  • ", + "
  • a Tier 1 (Graduate Entrepreneur) visa that expired less than 12 months ago
  • ", + "
  • a Start-up visa that expired less than 12 months ago, and you switched from a Tier 1 (Graduate Entrepreneur) visa for your second year
  • ", + "

    Family members

    ", + "

    Your family members (\u2018dependants\u2019) can join you if you\u2019re in the UK on this visa. Your family members must apply for their own visa.

    ", + "

    If they\u2019re from the European Economic Area (EEA) or Switzerland and arrive before 1 January 2021, they may be able to apply to the free EU Settlement Scheme.

    ", + "

    A \u2018dependant\u2019 is any of the following:

    ", + "
  • your partner
  • ", + "
  • your child under 18
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as a dependant
  • ", + "

    Read the guidance on dependant applications before you apply.

    ", + "

    Adult family members must provide a criminal record certificate from any country they have lived in for 12 months or more in the last 10 years.

    ", + "

    Savings

    ", + "

    You must show that your dependants can be supported while they\u2019re in the UK.

    ", + "

    Each dependant must have a certain amount of money available to them - this is in addition to the \u00a3945 you must have to support yourself.

    ", + "

    The amount depends on your circumstances. You must have \u00a31,890 for each dependant if you\u2019ve been in the UK for less than 12 months. If you\u2019ve been in the UK for more than 12 months, you must have \u00a3630 for each dependant.

    ", + "

    You must have proof you have the money, and that it\u2019s been in your bank account or your dependant\u2019s bank account for at least 90 days before you or they apply.

    ", + "

    Fees

    ", + "

    It costs \u00a31878 for each family member.

    ", + "

    They\u2019ll also need to pay \u00a319.20 to have their biometric information (fingerprints and a photo) taken. They\u2019ll pay as part of their application.

    ", + "

    If your family member is applying from within the UK, they may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.

    ", + "

    Dependants applying outside the UK

    ", + "

    Your family members must apply online.

    ", + "

    They\u2019ll need to have their fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of their application.

    ", + "

    They\u2019ll have to collect their biometric residence permit within 10 days of when they said they\u2019d arrive in the UK (even if they actually arrive at a later date).

    ", + "

    They may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.

    ", + "

    If your child is over 18 they cannot apply if they are outside the UK. They can apply from inside the UK if they are already here as your dependant.

    ", + "

    Dependants applying in the UK on their own

    ", + "

    Your dependants can apply to extend or switch their visas to stay with you if they\u2019re already in the UK. Dependants must either:

    ", + "
  • apply online as a dependant partner
  • ", + "
  • apply online as a dependant child
  • ", + "

    Family members cannot apply in the UK as your dependant if they hold a visitor visa.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When they apply, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (their fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    They\u2019ll be contacted if their application is complex and will take longer, for example:

    ", + "
  • if their supporting documents need to be verified
  • ", + "
  • if they need to attend an interview
  • ", + "
  • because of their personal circumstances (for example if they have a criminal conviction)
  • ", + "

    Once they\u2019ve applied they can stay in the UK until they\u2019ve been given a decision, as long as they applied before their last visa expired.

    ", + "

    Get help to apply online

    ", + "

    Your family can get help with completing the online form if they:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    Your family can only use this service if they\u2019re applying to extend or switch to your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Children born while you\u2019re in the UK

    ", + "

    If you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.

    ", + "

    You must do this if you want to travel in and out of the UK with them.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    " + ] + }, + "https://www.gov.uk/tier-1-investor": { + "url": "https://www.gov.uk/tier-1-investor", + "title": "Investor visa (Tier 1)", + "content": "## Overview\n\nYou can apply for a Tier 1 (Investor) visa if:\n\n- you want to invest \u00a32,000,000 or more in the UK\n\n- you meet the other eligibility requirements\n\nYou must have access to at least \u00a32,000,000 in investment funds to apply.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long it will take\n\nThe earliest you can apply is 3 months before you travel.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fees\n\nYou must pay \u00a31,623 to apply for a Tier 1 (Investor) visa. The fee is the same if you\u2019re extending or switching visas, or if you\u2019re applying as a family member.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can come to the UK with a Tier 1 (Investor) visa for a maximum of 3 years and 4 months.\n\nYou can apply to extend this visa for another 2 years.\n\n## What you can and cannot do\n\nYou can:\n\n- work or study\n\n- apply to settle after 2 years if you invest \u00a310 million\n\n- apply to settle after 3 years if you invest \u00a35 million\n\n- apply to settle after 5 years if you invest \u00a32 million\n\nYou cannot:\n\n- work as a professional sportsperson or sports coach\n\n- get public funds\n\nYou also cannot work as a doctor or dentist in training unless one of the following applies:\n\n- you have a primary degree at bachelors level or above in medicine or dentistry from a UK institution that holds a Student sponsor licence or is a UK-recognised or listed body\n\n- you worked as a doctor or dentist in training the last time you were in the UK\n\n- neither of those conditions were part of the terms and conditions on a previous visa\n\n## Eligibility\n\nYou must have at least \u00a32,000,000 investment funds to apply for a Tier 1 (Investor) visa.\n\nYou must:\n\n- be 18 or over to apply for this visa\n\n- be able to prove that the money belongs to either you or your husband, wife, unmarried or same-sex partner\n\n- have opened an account at a UK regulated bank to use for your funds\n\nYour funds must be:\n\n- held in one or more regulated financial institutions\n\n- free to spend (\u2018disposable\u2019) in the UK\n\nYour money can be in the UK or overseas when you apply.\n\n## Students with financial sponsorship\n\nYou may be able to apply for a Tier 1 (Investor) visa if you\u2019re already in the UK and you\u2019re a student (including Tier 4) visa holder.\n\nYou must have unconditional agreement in writing from your financial sponsor to re-enter or stay in the UK if your course fees and living costs were paid by either:\n\n- a government\n\n- an international scholarship agency\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel identification\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a criminal record certificate from any country you have stayed in for a total of 12 months or more over the last 10 years\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## Evidence of investment funds\n\nYou\u2019ll need to provide evidence showing that you have the required investment funds.\n\n## Your own money\n\nIf you\u2019re using your own money to invest, you should be able to show:\n\n- how much money you have and where it\u2019s being held\n\n- where the money came from if you\u2019ve had the money for less than 2 years, for example you inherited it from a relative\n\n- that the money can be transferred to the UK and converted to sterling (if it\u2019s not already in the UK)\n\n## Your partner\u2019s money\n\nYou\u2019ll need to provide:\n\n- a certificate of marriage or civil partnership, or in the case of unmarried or same-sex relationships, proof that you are in a long-term relationship (at least 2 years)\n\n- a statement from your partner confirming that they will allow you to control the funds in the UK\n\n- a letter from a legal adviser stating that the declaration is valid\n\nRead the guide for a list of documents you can provide.\n\n## Evidence you have a UK bank account\n\nYou must provide a letter to prove you have an account at a UK regulated bank to use for your investment funds. The letter must:\n\n- have been issued by an authorised official\n\n- be dated within 3 months of your application\n\n- be on the official headed paper of the bank\n\n- state your name and account number\n\n- confirm you\u2019ve opened an account with the bank in order to invest \u00a32,000,000\n\n- confirm the bank is regulated by the Financial Conduct Authority\n\n- confirm checks for money-laundering have been carried out\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the guidance before you apply.\n\n## Apply outside the UK\n\nYou must apply online for a Tier 1 (Investor) visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou must collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply in the UK\n\nCheck if you can apply from inside the UK to:\n\n- extend your existing Tier 1 (Investor) visa\n\n- switch to this visa from another visa\n\n## Extend your visa\n\nYou may be able to extend your Tier 1 (Investor) visa.\n\nYou should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.\n\nYou should apply before your current visa expires. Read the full guidance on the Tier 1 (Investor) visa before you apply.\n\n## You successfully applied for your visa before 6 November 2014\n\nYou can apply to extend your visa if you:\n\n- have at least \u00a31,000,000 under your control in the UK\n\n- have invested at least \u00a3750,000 (or 75%) of that in UK government bonds, share capital or loan capital in active UK companies\n\n- invested this sum within 3 months of your \u2018investor start date\u2019\n\n## Funds under your control in the UK\n\nThis sum should include the \u00a3750,000 (or more) investment and \u00a3250,000 (or the balance needed) to bring it up to at least \u00a31,000,000.\n\nThese funds can be either:\n\n- your own money or your partner\u2019s money\n\n- money that has been loaned to you by a UK regulated financial institution, as long as you have personal assets with a value of \u00a32,000,000 or more\n\nYou cannot mix the 2 sources of funds.\n\n## You successfully applied for your visa on or after 6 November 2014\n\nYou can apply to extend your visa if you:\n\n- have at least \u00a32,000,000 under your control in the UK\n\n- have invested those funds in share capital or loan capital in active UK companies\n\n- invested this sum within 3 months of your \u2018investor start date\u2019\n\nIf you successfully applied before 29 March 2019, you can also apply to extend if you invested your funds in UK government bonds.\n\n## Funds under your control in the UK\n\nYou must have invested the full amount made up of your own money or your partner\u2019s money.\n\n## Investment made within 3 months of your investor start date\n\nYou\u2019ll need to provide a series of investment portfolio reports produced by a UK regulated financial institution that show:\n\n- you invested at least \u00a3750,000 in UK government bonds or UK business within 3 months of your investor start date (if you first got your visa under the Immigration Rules in place before 6 November 2014)\n\n- you invested all \u00a32 million (if you first got your visa under the Immigration Rules in place on or after 6 November 2014)\n\n- this level of investment has been maintained for the length of your visa\n\nYour \u2018investor start date\u2019 is either:\n\n- the date you came into the UK (if you have proof of this)\n\n- the date your original visa application or switch from a different visa category was approved (if you cannot prove your date of entry)\n\n## How to extend your visa if you\u2019re in the UK\n\nYou must apply online.\n\n## Fees\n\nFor each person, you\u2019ll need to pay:\n\n- \u00a31,623 to extend this visa\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\n- \u00a319.20 to have your biometric information (fingerprints and a photo) taken\n\nIf you want to get a decision more quickly than the standard 8 weeks, you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will usually be made:\n\n- within 8 weeks of your application date if you use the standard service\n\n- within 5 working days of your UKVCAS appointment if you use the priority service\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complicated and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## How to extend your visa if you\u2019re outside the UK\n\nIf you\u2019re outside the UK, you must apply online to extend a Tier 1 (Investor) visa.\n\n## Switch to this visa\n\nYou may be able to switch to a Tier 1 (Investor) visa.\n\nYou should apply before your current visa expires.\n\n## Who can apply\n\nYou can apply to switch to this visa if you meet the eligibility requirements and you\u2019re already in the UK under one of the following categories:\n\n- Tier 1 (General)\n\n- Tier 1 (Entrepreneur)\n\n- any Tier 2 category\n\n- Student (including Tier 4)\n\nYou must leave the UK and make your application from abroad if you\u2019re in another category.\n\n## How long you can stay\n\nYou can stay a maximum of 3 years after switching to a Tier 1 (Investor) visa. You can also extend your visa if you\u2019re eligible.\n\n## Fees\n\nFor each person, you\u2019ll need to pay:\n\n- \u00a31,623 to switch to this visa\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\n- \u00a319.20 to have your biometric information (fingerprints and a photo) taken\n\nIf you want to get a decision more quickly than the standard 8 weeks, you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\n## How to switch\n\nRead the full guidance on the Tier 1 (Investor) visa before you apply.\n\nYou must apply online.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will usually be made:\n\n- within 8 weeks of your application date if you use the standard service\n\n- within 5 working days of your UKVCAS appointment if you use the priority service\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can join you if you\u2019re in the UK on this visa. Your family members must apply for their own visa.\n\nIf they\u2019re from the European Economic Area (EEA) or Switzerland and arrive before 1 January 2021, they may be able to apply to the free EU Settlement Scheme.\n\nA \u2018dependant\u2019 is any of the following:\n\n- your husband, wife or partner\n\n- your child under 18\n\n- your child over 18 if they\u2019re currently in the UK as a dependant\n\nRead the guidance on dependant applications before you apply.\n\nAdult family members must provide a criminal record certificate from any country they have lived in for 12 months or more in the last 10 years.\n\n## Fees\n\nCheck the fees for this visa.\n\n## Dependants applying from outside the UK\n\nYour family members must apply online.\n\nThey\u2019ll need to have their fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of their application.\n\nThey\u2019ll have to collect their biometric residence permit within 10 days of when they said they\u2019d arrive in the UK (even if they actually arrive at a later date).\n\nThey may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.\n\nIf your child is over 18 they cannot apply if they are outside the UK. They can apply from inside the UK if they are already here as your dependant.\n\n## Dependants applying in the UK\n\nYou can include dependants in your online application to extend or switch to a Tier 1 (Investor) visa if they want to do it at the same time as you.\n\nIf they want to extend or switch their visa at a different time, they can:\n\n- apply online - dependant partner application\n\n- apply online - dependant child application\n\nFamily members cannot apply in the UK as your dependant if they hold a visitor visa.\n\n## Providing biometric information and supporting documents\n\nWhen they apply, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (their fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nA decision will be made within 8 weeks of their application date if they use the standard service.\n\nIf they pay an extra \u00a3800 to use the super priority service a decision will be made:\n\n- by the end of the next working day after their UKVCAS appointment if their appointment is on a weekday\n\n- 2 working days after their UKVCAS appointment if their appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nThey\u2019ll be contacted if their application is complex and will take longer, for example:\n\n- if their supporting documents need to be verified\n\n- if they need to attend an interview\n\n- because of their personal circumstances (for example if they have a criminal conviction)\n\nOnce they\u2019ve applied they can stay in the UK until they\u2019ve been given a decision, as long as they applied before their last visa expired.\n\n## Children born while you\u2019re in the UK\n\nIf you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.\n\nYou must do this if you want to travel in and out of the UK with them.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Tier 1 (Investor) visa if:

    ", + "
  • you want to invest \u00a32,000,000 or more in the UK
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    You must have access to at least \u00a32,000,000 in investment funds to apply.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    How long it will take

    ", + "

    The earliest you can apply is 3 months before you travel.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Fees

    ", + "

    You must pay \u00a31,623 to apply for a Tier 1 (Investor) visa. The fee is the same if you\u2019re extending or switching visas, or if you\u2019re applying as a family member.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long you can stay

    ", + "

    You can come to the UK with a Tier 1 (Investor) visa for a maximum of 3 years and 4 months.

    ", + "

    You can apply to extend this visa for another 2 years.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work or study
  • ", + "
  • apply to settle after 2 years if you invest \u00a310 million
  • ", + "
  • apply to settle after 3 years if you invest \u00a35 million
  • ", + "
  • apply to settle after 5 years if you invest \u00a32 million
  • ", + "

    You cannot:

    ", + "
  • work as a professional sportsperson or sports coach
  • ", + "
  • get public funds
  • ", + "

    You also cannot work as a doctor or dentist in training unless one of the following applies:

    ", + "
  • you have a primary degree at bachelors level or above in medicine or dentistry from a UK institution that holds a Student sponsor licence or is a UK-recognised or listed body
  • ", + "
  • you worked as a doctor or dentist in training the last time you were in the UK
  • ", + "
  • neither of those conditions were part of the terms and conditions on a previous visa
  • ", + "

    Eligibility

    ", + "

    You must have at least \u00a32,000,000 investment funds to apply for a Tier 1 (Investor) visa.

    ", + "

    You must:

    ", + "
  • be 18 or over to apply for this visa
  • ", + "
  • be able to prove that the money belongs to either you or your husband, wife, unmarried or same-sex partner
  • ", + "
  • have opened an account at a UK regulated bank to use for your funds
  • ", + "

    Your funds must be:

    ", + "
  • held in one or more regulated financial institutions
  • ", + "
  • free to spend (\u2018disposable\u2019) in the UK
  • ", + "

    Your money can be in the UK or overseas when you apply.

    ", + "

    Students with financial sponsorship

    ", + "

    You may be able to apply for a Tier 1 (Investor) visa if you\u2019re already in the UK and you\u2019re a student (including Tier 4) visa holder.

    ", + "

    You must have unconditional agreement in writing from your financial sponsor to re-enter or stay in the UK if your course fees and living costs were paid by either:

    ", + "
  • a government
  • ", + "
  • an international scholarship agency
  • ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a criminal record certificate from any country you have stayed in for a total of 12 months or more over the last 10 years
  • ", + "

    You need a blank page in your passport for your visa.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Evidence of investment funds

    ", + "

    You\u2019ll need to provide evidence showing that you have the required investment funds.

    ", + "

    Your own money

    ", + "

    If you\u2019re using your own money to invest, you should be able to show:

    ", + "
  • how much money you have and where it\u2019s being held
  • ", + "
  • where the money came from if you\u2019ve had the money for less than 2 years, for example you inherited it from a relative
  • ", + "
  • that the money can be transferred to the UK and converted to sterling (if it\u2019s not already in the UK)
  • ", + "

    Your partner\u2019s money

    ", + "

    You\u2019ll need to provide:

    ", + "
  • a certificate of marriage or civil partnership, or in the case of unmarried or same-sex relationships, proof that you are in a long-term relationship (at least 2 years)
  • ", + "
  • a statement from your partner confirming that they will allow you to control the funds in the UK
  • ", + "
  • a letter from a legal adviser stating that the declaration is valid
  • ", + "

    Read the guide for a list of documents you can provide.

    ", + "

    Evidence you have a UK bank account

    ", + "

    You must provide a letter to prove you have an account at a UK regulated bank to use for your investment funds. The letter must:

    ", + "
  • have been issued by an authorised official
  • ", + "
  • be dated within 3 months of your application
  • ", + "
  • be on the official headed paper of the bank
  • ", + "
  • state your name and account number
  • ", + "
  • confirm you\u2019ve opened an account with the bank in order to invest \u00a32,000,000
  • ", + "
  • confirm the bank is regulated by the Financial Conduct Authority
  • ", + "
  • confirm checks for money-laundering have been carried out
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Apply

    ", + "

    Read the guidance before you apply.

    ", + "

    Apply outside the UK

    ", + "

    You must apply online for a Tier 1 (Investor) visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.

    ", + "

    You must collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply in the UK

    ", + "

    Check if you can apply from inside the UK to:

    ", + "
  • extend your existing Tier 1 (Investor) visa
  • ", + "
  • switch to this visa from another visa
  • ", + "

    Extend your visa

    ", + "

    You may be able to extend your Tier 1 (Investor) visa.

    ", + "

    You should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.

    ", + "

    You should apply before your current visa expires. Read the full guidance on the Tier 1 (Investor) visa before you apply.

    ", + "

    You successfully applied for your visa before 6 November 2014

    ", + "

    You can apply to extend your visa if you:

    ", + "
  • have at least \u00a31,000,000 under your control in the UK
  • ", + "
  • have invested at least \u00a3750,000 (or 75%) of that in UK government bonds, share capital or loan capital in active UK companies
  • ", + "
  • invested this sum within 3 months of your \u2018investor start date\u2019
  • ", + "

    Funds under your control in the UK

    ", + "

    This sum should include the \u00a3750,000 (or more) investment and \u00a3250,000 (or the balance needed) to bring it up to at least \u00a31,000,000.

    ", + "

    These funds can be either:

    ", + "
  • your own money or your partner\u2019s money
  • ", + "
  • money that has been loaned to you by a UK regulated financial institution, as long as you have personal assets with a value of \u00a32,000,000 or more
  • ", + "

    You cannot mix the 2 sources of funds.

    ", + "

    You successfully applied for your visa on or after 6 November 2014

    ", + "

    You can apply to extend your visa if you:

    ", + "
  • have at least \u00a32,000,000 under your control in the UK
  • ", + "
  • have invested those funds in share capital or loan capital in active UK companies
  • ", + "
  • invested this sum within 3 months of your \u2018investor start date\u2019
  • ", + "

    If you successfully applied before 29 March 2019, you can also apply to extend if you invested your funds in UK government bonds.

    ", + "

    Funds under your control in the UK

    ", + "

    You must have invested the full amount made up of your own money or your partner\u2019s money.

    ", + "

    Investment made within 3 months of your investor start date

    ", + "

    You\u2019ll need to provide a series of investment portfolio reports produced by a UK regulated financial institution that show:

    ", + "
  • you invested at least \u00a3750,000 in UK government bonds or UK business within 3 months of your investor start date (if you first got your visa under the Immigration Rules in place before 6 November 2014)
  • ", + "
  • you invested all \u00a32 million (if you first got your visa under the Immigration Rules in place on or after 6 November 2014)
  • ", + "
  • this level of investment has been maintained for the length of your visa
  • ", + "

    Your \u2018investor start date\u2019 is either:

    ", + "
  • the date you came into the UK (if you have proof of this)
  • ", + "
  • the date your original visa application or switch from a different visa category was approved (if you cannot prove your date of entry)
  • ", + "

    How to extend your visa if you\u2019re in the UK

    ", + "

    You must apply online.

    ", + "

    Fees

    ", + "

    For each person, you\u2019ll need to pay:

    ", + "
  • \u00a31,623 to extend this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "
  • \u00a319.20 to have your biometric information (fingerprints and a photo) taken
  • ", + "

    If you want to get a decision more quickly than the standard 8 weeks, you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will usually be made:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complicated and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    How to extend your visa if you\u2019re outside the UK

    ", + "

    If you\u2019re outside the UK, you must apply online to extend a Tier 1 (Investor) visa.

    ", + "

    Switch to this visa

    ", + "

    You may be able to switch to a Tier 1 (Investor) visa.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Who can apply

    ", + "

    You can apply to switch to this visa if you meet the eligibility requirements and you\u2019re already in the UK under one of the following categories:

    ", + "
  • Tier 1 (General)
  • ", + "
  • Tier 1 (Entrepreneur)
  • ", + "
  • any Tier 2 category
  • ", + "
  • Student (including Tier 4)
  • ", + "

    You must leave the UK and make your application from abroad if you\u2019re in another category.

    ", + "

    How long you can stay

    ", + "

    You can stay a maximum of 3 years after switching to a Tier 1 (Investor) visa. You can also extend your visa if you\u2019re eligible.

    ", + "

    Fees

    ", + "

    For each person, you\u2019ll need to pay:

    ", + "
  • \u00a31,623 to switch to this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "
  • \u00a319.20 to have your biometric information (fingerprints and a photo) taken
  • ", + "

    If you want to get a decision more quickly than the standard 8 weeks, you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.

    ", + "

    How to switch

    ", + "

    Read the full guidance on the Tier 1 (Investor) visa before you apply.

    ", + "

    You must apply online.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes

    ", + "

    A decision will usually be made:

    ", + "
  • within 8 weeks of your application date if you use the standard service
  • ", + "
  • within 5 working days of your UKVCAS appointment if you use the priority service
  • ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Family members

    ", + "

    Your family members (\u2018dependants\u2019) can join you if you\u2019re in the UK on this visa. Your family members must apply for their own visa.

    ", + "

    If they\u2019re from the European Economic Area (EEA) or Switzerland and arrive before 1 January 2021, they may be able to apply to the free EU Settlement Scheme.

    ", + "

    A \u2018dependant\u2019 is any of the following:

    ", + "
  • your husband, wife or partner
  • ", + "
  • your child under 18
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as a dependant
  • ", + "

    Read the guidance on dependant applications before you apply.

    ", + "

    Adult family members must provide a criminal record certificate from any country they have lived in for 12 months or more in the last 10 years.

    ", + "

    Fees

    ", + "

    Check the fees for this visa.

    ", + "

    Dependants applying from outside the UK

    ", + "

    Your family members must apply online.

    ", + "

    They\u2019ll need to have their fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of their application.

    ", + "

    They\u2019ll have to collect their biometric residence permit within 10 days of when they said they\u2019d arrive in the UK (even if they actually arrive at a later date).

    ", + "

    They may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.

    ", + "

    If your child is over 18 they cannot apply if they are outside the UK. They can apply from inside the UK if they are already here as your dependant.

    ", + "

    Dependants applying in the UK

    ", + "

    You can include dependants in your online application to extend or switch to a Tier 1 (Investor) visa if they want to do it at the same time as you.

    ", + "

    If they want to extend or switch their visa at a different time, they can:

    ", + "
  • apply online - dependant partner application
  • ", + "
  • apply online - dependant child application
  • ", + "

    Family members cannot apply in the UK as your dependant if they hold a visitor visa.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When they apply, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (their fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will be made within 8 weeks of their application date if they use the standard service.

    ", + "

    If they pay an extra \u00a3800 to use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after their UKVCAS appointment if their appointment is on a weekday
  • ", + "
  • 2 working days after their UKVCAS appointment if their appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    They\u2019ll be contacted if their application is complex and will take longer, for example:

    ", + "
  • if their supporting documents need to be verified
  • ", + "
  • if they need to attend an interview
  • ", + "
  • because of their personal circumstances (for example if they have a criminal conviction)
  • ", + "

    Once they\u2019ve applied they can stay in the UK until they\u2019ve been given a decision, as long as they applied before their last visa expired.

    ", + "

    Children born while you\u2019re in the UK

    ", + "

    If you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.

    ", + "

    You must do this if you want to travel in and out of the UK with them.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    " + ] + }, + "https://www.gov.uk/ancestry-visa": { + "url": "https://www.gov.uk/ancestry-visa", + "title": "UK Ancestry visa", + "content": "## Overview\n\nYou can apply for a UK Ancestry visa if all of the following are true:\n\n- you\u2019re a Commonwealth citizen\n\n- you can prove one of your grandparents was born in the UK, the Channel Islands or the Isle of Man\n\n- you\u2019re able and planning to work in the UK\n\n- you meet the other eligibility requirements\n\n## How long it will take\n\nThe earliest you can apply is 3 months before you travel.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fees\n\nA UK Ancestry visa costs \u00a3516.\n\n## Healthcare surcharge\n\nYou may also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## How long you can stay\n\nYou can stay in the UK for 5 years on this visa.\n\n## Applying to stay longer in the UK\n\nIf you\u2019ve lived in the UK for 5 years on this visa, you may be able to either:\n\n- apply to extend your visa for a further 5 years\n\n- apply to settle permanently in the UK (apply for \u2018indefinite leave to remain\u2019)\n\n## What you can and cannot do\n\nYou can:\n\n- work\n\n- study\n\n- bring your partner or child\n\nYou cannot:\n\n- change (\u2018switch\u2019) into this visa if you came to the UK on a different visa\n\n- get public funds\n\n## Eligibility\n\nYou must prove that you:\n\n- are 17 or over\n\n- have enough money without help from public funds to support and house yourself and any dependants\n\n- can and plan to work in the UK\n\n## Your ancestry\n\nYou must show that you have a grandparent born in one of the following circumstances:\n\n- in the UK, the Channel Islands or the Isle of Man\n\n- before 31 March 1922 in what is now Ireland\n\n- on a ship or aircraft that was either registered in the UK or belonged to the UK government\n\nYou can claim ancestry if:\n\n- you or your parent were adopted\n\n- your parents or grandparents were not married\n\nYou cannot claim UK ancestry through step-parents.\n\n## Your partner and children\n\nYour partner and children can apply to join you in the UK as your \u2018dependants\u2019 if they\u2019re eligible.\n\nA \u2018dependant\u2019 is any of the following:\n\n- your partner\n\n- your child under 18\n\n- your child aged 18 or over who was previously on your or your partner\u2019s visa as a dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove one of the following:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## Your child\n\nThey must:\n\n- live with you (unless they\u2019re in full time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be supported by you without using public funds\n\n## Apply from outside the UK\n\nYour partner or child must apply online.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\nFind out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYour partner and children may be able to extend their visa or switch to a UK Ancestry visa to stay with you in the UK.\n\nYou can add your partner or children to your application when you extend your visa. They do not need to apply separately.\n\n## Switch to an Ancestry visa\n\nYour partner or child can apply to switch their visa online.\n\nThey cannot apply to switch if they\u2019re currently in the UK:\n\n- on a visitor visa\n\n- on a Short-term study visa\n\n- on a Parent of a Child Student visa\n\n- on a Seasonal Worker visa\n\n- on a Domestic Workers in a Private Household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\nIf they\u2019re in one of those categories, they must leave the UK and apply for a UK Ancestry visa from abroad.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Children born while you\u2019re in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport (with a blank page for your visa) or another valid travel document\n\n- your full birth certificate\n\n- the full birth certificates of the parent and grandparent your ancestry claim is based on\n\n- evidence that you\u2019re planning to work in the UK, for example job offers you\u2019ve received or a business plan if you\u2019re self-employed\n\n- evidence, such as bank statements, that prove you can support yourself and any dependants in the UK - it must be dated within 31 days from when you submit your application\n\nDepending on your circumstances, you might also need to provide:\n\n- evidence that your parents or grandparents have changed their name since birth, for example marriage or civil partnership certificates or a deed poll\n\n- legal adoption papers if you or your parents are adopted\n\n- your tuberculosis test results if you\u2019re from a country where you have to take a TB test\n\n- your marriage certificate or civil partnership registration document if your spouse or civil partner wants to join you in the UK\n\n## Apply from outside the UK\n\nYou must apply online for a UK Ancestry visa before you travel to the UK.\n\n## Applying with your family\n\nYour partner and children can apply to join you in the UK. Each family member will need to make their own application to come to the UK as your \u2018dependant\u2019.\n\n## When to apply\n\nThe earliest you can apply is 3 months before you travel to the UK.\n\n## Apply online\n\nAs part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\nYou\u2019ll be told what you need to do when you apply.\n\nApply online\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.\n\n## Extend your visa\n\nYou can apply to extend your visa and stay in the UK for a further 5 years. You must apply before your current visa expires.\n\nYou can extend this visa as many times as you like, as long as you still meet the eligibility requirements.\n\nYou can also apply to settle in the UK permanently if you\u2019ve lived in the UK for 5 years on this visa.\n\n## Extending with your partner or children\n\nYou should include any dependants (your partner or children) who are on your current visa on your application to extend. This includes children who have turned 18 during your stay. They do not need to apply separately.\n\n## Fees\n\nFor each person applying you\u2019ll need to pay:\n\n- the \u00a31,033 application fee\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\n- \u00a319.20 to have your biometric information (fingerprints and a photo) taken\n\n## Providing biometric information and supporting documents\n\nWhen you apply online, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\n## Extend your visa online\n\nYou must apply online to extend your visa.\n\nApply online\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## After you apply\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision on your visa within 8 weeks.\n\nFind out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a UK Ancestry visa if all of the following are true:

    ", + "
  • you\u2019re a Commonwealth citizen
  • ", + "
  • you can prove one of your grandparents was born in the UK, the Channel Islands or the Isle of Man
  • ", + "
  • you\u2019re able and planning to work in the UK
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    How long it will take

    ", + "

    The earliest you can apply is 3 months before you travel.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Fees

    ", + "

    A UK Ancestry visa costs \u00a3516.

    ", + "

    Healthcare surcharge

    ", + "

    You may also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for 5 years on this visa.

    ", + "

    Applying to stay longer in the UK

    ", + "

    If you\u2019ve lived in the UK for 5 years on this visa, you may be able to either:

    ", + "
  • apply to extend your visa for a further 5 years
  • ", + "
  • apply to settle permanently in the UK (apply for \u2018indefinite leave to remain\u2019)
  • ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work
  • ", + "
  • study
  • ", + "
  • bring your partner or child
  • ", + "

    You cannot:

    ", + "
  • change (\u2018switch\u2019) into this visa if you came to the UK on a different visa
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    You must prove that you:

    ", + "
  • are 17 or over
  • ", + "
  • have enough money without help from public funds to support and house yourself and any dependants
  • ", + "
  • can and plan to work in the UK
  • ", + "

    Your ancestry

    ", + "

    You must show that you have a grandparent born in one of the following circumstances:

    ", + "
  • in the UK, the Channel Islands or the Isle of Man
  • ", + "
  • before 31 March 1922 in what is now Ireland
  • ", + "
  • on a ship or aircraft that was either registered in the UK or belonged to the UK government
  • ", + "

    You can claim ancestry if:

    ", + "
  • you or your parent were adopted
  • ", + "
  • your parents or grandparents were not married
  • ", + "

    You cannot claim UK ancestry through step-parents.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to join you in the UK as your \u2018dependants\u2019 if they\u2019re eligible.

    ", + "

    A \u2018dependant\u2019 is any of the following:

    ", + "
  • your partner
  • ", + "
  • your child under 18
  • ", + "
  • your child aged 18 or over who was previously on your or your partner\u2019s visa as a dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove one of the following:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    Your child

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be supported by you without using public funds
  • ", + "

    Apply from outside the UK

    ", + "

    Your partner or child must apply online.

    ", + "

    They\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.

    ", + "

    Find out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply from inside the UK (extend or switch their visa)

    ", + "

    Your partner and children may be able to extend their visa or switch to a UK Ancestry visa to stay with you in the UK.

    ", + "

    You can add your partner or children to your application when you extend your visa. They do not need to apply separately.

    ", + "

    Switch to an Ancestry visa

    ", + "

    Your partner or child can apply to switch their visa online.

    ", + "

    They cannot apply to switch if they\u2019re currently in the UK:

    ", + "
  • on a visitor visa
  • ", + "
  • on a Short-term study visa
  • ", + "
  • on a Parent of a Child Student visa
  • ", + "
  • on a Seasonal Worker visa
  • ", + "
  • on a Domestic Workers in a Private Household visa
  • ", + "
  • on immigration bail
  • ", + "
  • because they were given permission to stay outside the immigration rules, for example on compassionate grounds
  • ", + "

    If they\u2019re in one of those categories, they must leave the UK and apply for a UK Ancestry visa from abroad.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Children born while you\u2019re in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport (with a blank page for your visa) or another valid travel document
  • ", + "
  • your full birth certificate
  • ", + "
  • the full birth certificates of the parent and grandparent your ancestry claim is based on
  • ", + "
  • evidence that you\u2019re planning to work in the UK, for example job offers you\u2019ve received or a business plan if you\u2019re self-employed
  • ", + "
  • evidence, such as bank statements, that prove you can support yourself and any dependants in the UK - it must be dated within 31 days from when you submit your application
  • ", + "

    Depending on your circumstances, you might also need to provide:

    ", + "
  • evidence that your parents or grandparents have changed their name since birth, for example marriage or civil partnership certificates or a deed poll
  • ", + "
  • legal adoption papers if you or your parents are adopted
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take a TB test
  • ", + "
  • your marriage certificate or civil partnership registration document if your spouse or civil partner wants to join you in the UK
  • ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a UK Ancestry visa before you travel to the UK.

    ", + "

    Applying with your family

    ", + "

    Your partner and children can apply to join you in the UK. Each family member will need to make their own application to come to the UK as your \u2018dependant\u2019.

    ", + "

    When to apply

    ", + "

    The earliest you can apply is 3 months before you travel to the UK.

    ", + "

    Apply online

    ", + "

    As part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply online

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your visa and stay in the UK for a further 5 years. You must apply before your current visa expires.

    ", + "

    You can extend this visa as many times as you like, as long as you still meet the eligibility requirements.

    ", + "

    You can also apply to settle in the UK permanently if you\u2019ve lived in the UK for 5 years on this visa.

    ", + "

    Extending with your partner or children

    ", + "

    You should include any dependants (your partner or children) who are on your current visa on your application to extend. This includes children who have turned 18 during your stay. They do not need to apply separately.

    ", + "

    Fees

    ", + "

    For each person applying you\u2019ll need to pay:

    ", + "
  • the \u00a31,033 application fee
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "
  • \u00a319.20 to have your biometric information (fingerprints and a photo) taken
  • ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply online, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    Extend your visa online

    ", + "

    You must apply online to extend your visa.

    ", + "

    Apply online

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    After you apply

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision on your visa within 8 weeks.

    ", + "

    Find out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.

    " + ] + }, + "https://www.gov.uk/frontier-worker-permit": { + "url": "https://www.gov.uk/frontier-worker-permit", + "title": "Frontier Worker permit", + "content": "## Overview\n\nA Frontier Worker permit lets you come to the UK to work while living elsewhere.\n\nYou may be eligible if all of the following apply:\n\n- you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- you live outside of the UK\n\n- you began working in the UK by 31 December 2020\n\nYou must usually have worked in the UK at least once every 12 months since you started working here. You may still be able to apply if you\u2019ve had periods of unemployment or were unable to work during this time.\n\nIf you\u2019re an Irish citizen, you do not need to apply for a Frontier Worker permit but you can choose to do so.\n\nYou cannot apply if you\u2019re a British citizen (this includes dual citizenship).\n\n## If you have not worked in the UK by 31 December 2020\n\nIf you want to work in the UK from 1 January 2021, and were not working here before, you\u2019ll need to apply for a visa.\n\nThe visa you\u2019ll need depends on the type of work and how long you want to come for. Check which type of visa you\u2019ll need.\n\nYou do not need a visa if you\u2019re a British or Irish citizen.\n\n## What the permit allows you to do\n\nYou can use your permit to enter the UK as a frontier worker and show your right to:\n\n- work\n\n- rent\n\n- access benefits and services, including NHS healthcare, if you meet the relevant eligibility requirements\n\n## Fees\n\nThere\u2019s no fee to apply for the permit, and you do not have to pay the immigration health surcharge. You may have to pay to submit your biometric information (photograph or fingerprints).\n\n## When and how to apply\n\nIf you\u2019re a frontier worker, you\u2019ll need a permit to enter the UK to work from 1 July 2021. You can use your passport or national identity card until then.\n\nYou must apply online.\n\nYou\u2019ll be told if you\u2019ll also need to go to an appointment at a visa application centre or UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nYou will not usually need an appointment if you can use a smartphone app and have a passport or ID card with a biometric chip.\n\n## If you need an appointment\n\nAllow extra time to arrange your appointment and travel to the centre - there may not be one near you. You may need to pay for your appointment.\n\nThe centre may need to keep your passport and documents while they process your application.\n\n## Family members\n\nFamily members are not covered by your Frontier Worker permit.\n\nYour family member may be eligible to apply to the EU Settlement Scheme for settled or pre-settled status.\n\n## Who can apply\n\nYou can only apply for a Frontier Worker permit if you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein, and you:\n\n- live outside the UK\n\n- meet the requirements for working in the UK\n\n## Living outside the UK\n\nYou must live \u2018primarily\u2019 outside of the UK. How you meet this requirement depends on how much time you\u2019ve spent here since 1 January 2020.\n\nYou\u2019ll be eligible if you\u2019ve spent less than 180 days in total in the UK over the course of any 12 month period.\n\n## If you\u2019ve spent 180 days or more in the UK within 12 months\n\nYou\u2019ll still be eligible if, in that 12 month period, you returned to the country you live in at least either:\n\n- once every 6 months\n\n- twice in the 12 month period\n\nYou\u2019ll still be able to apply if there are exceptional circumstances meaning you could not travel to your country of residence in this period, such as an illness or accident.\n\n## Working in the UK\n\nYou must:\n\n- have started working in the UK while living elsewhere by 31 December 2020, either as an employed or self-employed person\n\n- do eligible work\n\n- usually have worked in the UK (as an employed or self-employed person) at least once every 12 months since you started working here\n\n## Eligible work\n\nYou\u2019ll be eligible as long as your work in the UK is \u2018genuine and effective\u2019. This means it must be more than small, one-off tasks, such as:\n\n- an interview\n\n- taking part in a one-off competition or audition\n\n- signing a contract\n\nIf you\u2019re not sure if your work is eligible, the Home Office has guidance on what counts as genuine and effective work.\n\n## If you\u2019ve been unable to work or unemployed in the UK during a 12 month period\n\nYou might still be eligible if you\u2019ve been unemployed or not worked during this time because you were:\n\n- temporarily unable to work because of an illness or accident\n\n- temporarily unable to work because you were pregnant or had given birth\n\n- unable to come to the UK and work because of coronavirus (COVID-19)\n\n- voluntarily unemployed and doing vocational training related to your last occupation\n\n- involuntarily unemployed, and either looking for work in the UK or doing vocational training\n\nThis is known as having \u2018retained worker\u2019 or \u2018retained self-employed person\u2019 status.\n\nIf you became involuntarily unemployed and are looking for work, you\u2019ll keep your status for:\n\n- 6 months if you worked in the UK for less than a year before becoming unemployed\n\n- as long as you continue to look for work, if you worked in the UK for a year or more before becoming unemployed\n\nYou\u2019ll need to be registered as a jobseeker with an employment office (such as Jobcentre Plus) and provide evidence that you\u2019re looking for work in the UK.\n\n## Apply\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\n## Documents you\u2019ll need to apply\n\nWhen you apply you\u2019ll need a valid passport or national identity card.\n\nYou\u2019ll be told which documents you need to provide when you apply. Some depend on whether you\u2019re employed or self-employed, for example:\n\n- an employment contract, or contracts to work in the UK\n\n- payslips, or copies of invoices for work carried out in the UK\n\nIf you have \u2018retained\u2019 status, you\u2019ll be asked for evidence for which criteria you meet. For example, a letter from a doctor if you have an illness, or copies of recent job applications if you\u2019re unemployed and seeking work.\n\nThe Home Office has more examples of the types of evidence you will be asked for.\n\n## How you\u2019ll prove your identity\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on what identity document you use and whether you can use the UK Immigration: ID check app.\n\nYou\u2019ll either:\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration account)\n\n- have your photograph and fingerprints taken at a visa application centre (if you\u2019re applying from outside the UK and cannot use the smartphone app)\n\n- have your photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point (if you\u2019re applying from inside the UK and cannot use the smartphone app)\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply from outside the UK\n\nApply online for your Frontier Worker permit.\n\nApply now\n\n## Apply from inside the UK\n\nApply online for your Frontier Worker permit.\n\nApply now\n\nIf you were a frontier worker on or before 31 December 2020, you can use your passport or national identity card to travel to the UK and work until 30 June 2021.\n\n## After you've applied\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application by following the same process as cancelling a visa or citizenship application.\n\n## If your application is successful\n\nYou\u2019ll be sent a decision notice saying your application has been approved.\n\nIf you applied using the \u2018UK Immigration: ID check\u2019 app, you\u2019ll be issued a digital version of your permit.\n\nIf you do not use the smartphone app to apply, you\u2019ll either be sent:\n\n- a physical version of the permit (if you applied inside the UK)\n\n- an email explaining how you can come to the UK and collect your permit (if you applied outside the UK)\n\nYour permit will last for 5 years, or 2 years if you apply with \u2018retained\u2019 status.\n\n## When you\u2019re working in the UK\n\nYou\u2019ll usually have to pay tax on your UK income.\n\nYou can change jobs or move from being employed to self-employed in the UK without needing to tell the Home Office.\n\nYou need to tell the Home Office if you stop working in the UK and do not meet one of the retained status criteria.\n\n## Reporting a problem with your physical permit\n\nYour permit should arrive within 10 days of receiving the decision notice about your application. You should get an email with information about your permit being sent to you.\n\nIf your permit does not arrive, you should first contact the delivery service.\n\nIf you cannot resolve the issue with the delivery service, and it has been more than 10 days since you received your decision notice, you should contact the Home Office.\n\nYou\u2019ll also need to tell the Home Office if:\n\n- you did not get an email from UKVI with your permit delivery information\n\n- your permit has a mistake on it (for example your name, date of birth or gender is wrong)\n\n- your permit gets lost, stolen or damaged\n\nYou can report your problem by phone. You\u2019ll need:\n\n- your full name, date of birth and nationality\n\n- your Home Office reference number (this is in the email you got with your application decision)\n\n- an email address or UK postal address\n\nYou can get someone to report for you, for example a legal representative or employer. The phone number is different if someone is reporting on your behalf.\n\n## If your application is unsuccessful\n\nYou\u2019ll get a decision notice explaining why it was refused. It will explain if you have the right to either an:\n\n- administrative review\n\n- immigration decision appeal\n\n## Renewing your permit\n\nWhen you renew your permit, you\u2019ll need to show that you continued to meet the eligibility requirements over the period of time since you last applied.\n\nIf you\u2019re not employed or self-employed at the point you apply to renew, or you\u2019re temporarily unable to work, you\u2019ll still be able to apply for a 2-year permit as someone with \u2018retained\u2019 status (as long as you meet the requirements).\n\nApply to renew your permit.", + "original_contents": [ + "

    Overview

    ", + "

    A Frontier Worker permit lets you come to the UK to work while living elsewhere.

    ", + "

    You may be eligible if all of the following apply:

    ", + "
  • you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • you live outside of the UK
  • ", + "
  • you began working in the UK by 31 December 2020
  • ", + "

    You must usually have worked in the UK at least once every 12 months since you started working here. You may still be able to apply if you\u2019ve had periods of unemployment or were unable to work during this time.

    ", + "

    If you\u2019re an Irish citizen, you do not need to apply for a Frontier Worker permit but you can choose to do so.

    ", + "

    You cannot apply if you\u2019re a British citizen (this includes dual citizenship).

    ", + "

    If you have not worked in the UK by 31 December 2020

    ", + "

    If you want to work in the UK from 1 January 2021, and were not working here before, you\u2019ll need to apply for a visa.

    ", + "

    The visa you\u2019ll need depends on the type of work and how long you want to come for. Check which type of visa you\u2019ll need.

    ", + "

    You do not need a visa if you\u2019re a British or Irish citizen.

    ", + "

    What the permit allows you to do

    ", + "

    You can use your permit to enter the UK as a frontier worker and show your right to:

    ", + "
  • work
  • ", + "
  • rent
  • ", + "
  • access benefits and services, including NHS healthcare, if you meet the relevant eligibility requirements
  • ", + "

    Fees

    ", + "

    There\u2019s no fee to apply for the permit, and you do not have to pay the immigration health surcharge. You may have to pay to submit your biometric information (photograph or fingerprints).

    ", + "

    When and how to apply

    ", + "

    If you\u2019re a frontier worker, you\u2019ll need a permit to enter the UK to work from 1 July 2021. You can use your passport or national identity card until then.

    ", + "

    You must apply online.

    ", + "

    You\u2019ll be told if you\u2019ll also need to go to an appointment at a visa application centre or UK Visa and Citizenship Application Services (UKVCAS) service point.

    ", + "

    You will not usually need an appointment if you can use a smartphone app and have a passport or ID card with a biometric chip.

    ", + "

    If you need an appointment

    ", + "

    Allow extra time to arrange your appointment and travel to the centre - there may not be one near you. You may need to pay for your appointment.

    ", + "

    The centre may need to keep your passport and documents while they process your application.

    ", + "

    Family members

    ", + "

    Family members are not covered by your Frontier Worker permit.

    ", + "

    Your family member may be eligible to apply to the EU Settlement Scheme for settled or pre-settled status.

    ", + "

    Who can apply

    ", + "

    You can only apply for a Frontier Worker permit if you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein, and you:

    ", + "
  • live outside the UK
  • ", + "
  • meet the requirements for working in the UK
  • ", + "

    Living outside the UK

    ", + "

    You must live \u2018primarily\u2019 outside of the UK. How you meet this requirement depends on how much time you\u2019ve spent here since 1 January 2020.

    ", + "

    You\u2019ll be eligible if you\u2019ve spent less than 180 days in total in the UK over the course of any 12 month period.

    ", + "

    If you\u2019ve spent 180 days or more in the UK within 12 months

    ", + "

    You\u2019ll still be eligible if, in that 12 month period, you returned to the country you live in at least either:

    ", + "
  • once every 6 months
  • ", + "
  • twice in the 12 month period
  • ", + "

    You\u2019ll still be able to apply if there are exceptional circumstances meaning you could not travel to your country of residence in this period, such as an illness or accident.

    ", + "

    Working in the UK

    ", + "

    You must:

    ", + "
  • have started working in the UK while living elsewhere by 31 December 2020, either as an employed or self-employed person
  • ", + "
  • do eligible work
  • ", + "
  • usually have worked in the UK (as an employed or self-employed person) at least once every 12 months since you started working here
  • ", + "

    Eligible work

    ", + "

    You\u2019ll be eligible as long as your work in the UK is \u2018genuine and effective\u2019. This means it must be more than small, one-off tasks, such as:

    ", + "
  • an interview
  • ", + "
  • taking part in a one-off competition or audition
  • ", + "
  • signing a contract
  • ", + "

    If you\u2019re not sure if your work is eligible, the Home Office has guidance on what counts as genuine and effective work.

    ", + "

    If you\u2019ve been unable to work or unemployed in the UK during a 12 month period

    ", + "

    You might still be eligible if you\u2019ve been unemployed or not worked during this time because you were:

    ", + "
  • temporarily unable to work because of an illness or accident
  • ", + "
  • temporarily unable to work because you were pregnant or had given birth
  • ", + "
  • unable to come to the UK and work because of coronavirus (COVID-19)
  • ", + "
  • voluntarily unemployed and doing vocational training related to your last occupation
  • ", + "
  • involuntarily unemployed, and either looking for work in the UK or doing vocational training
  • ", + "

    This is known as having \u2018retained worker\u2019 or \u2018retained self-employed person\u2019 status.

    ", + "

    If you became involuntarily unemployed and are looking for work, you\u2019ll keep your status for:

    ", + "
  • 6 months if you worked in the UK for less than a year before becoming unemployed
  • ", + "
  • as long as you continue to look for work, if you worked in the UK for a year or more before becoming unemployed
  • ", + "

    You\u2019ll need to be registered as a jobseeker with an employment office (such as Jobcentre Plus) and provide evidence that you\u2019re looking for work in the UK.

    ", + "

    Apply

    ", + "

    You must apply online.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Documents you\u2019ll need to apply

    ", + "

    When you apply you\u2019ll need a valid passport or national identity card.

    ", + "

    You\u2019ll be told which documents you need to provide when you apply. Some depend on whether you\u2019re employed or self-employed, for example:

    ", + "
  • an employment contract, or contracts to work in the UK
  • ", + "
  • payslips, or copies of invoices for work carried out in the UK
  • ", + "

    If you have \u2018retained\u2019 status, you\u2019ll be asked for evidence for which criteria you meet. For example, a letter from a doctor if you have an illness, or copies of recent job applications if you\u2019re unemployed and seeking work.

    ", + "

    The Home Office has more examples of the types of evidence you will be asked for.

    ", + "

    How you\u2019ll prove your identity

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on what identity document you use and whether you can use the UK Immigration: ID check app.

    ", + "

    You\u2019ll either:

    ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration account)
  • ", + "
  • have your photograph and fingerprints taken at a visa application centre (if you\u2019re applying from outside the UK and cannot use the smartphone app)
  • ", + "
  • have your photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point (if you\u2019re applying from inside the UK and cannot use the smartphone app)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply from outside the UK

    ", + "

    Apply online for your Frontier Worker permit.

    ", + "

    Apply now

    ", + "

    Apply from inside the UK

    ", + "

    Apply online for your Frontier Worker permit.

    ", + "

    Apply now

    ", + "

    If you were a frontier worker on or before 31 December 2020, you can use your passport or national identity card to travel to the UK and work until 30 June 2021.

    ", + "

    After you've applied

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application by following the same process as cancelling a visa or citizenship application.

    ", + "

    If your application is successful

    ", + "

    You\u2019ll be sent a decision notice saying your application has been approved.

    ", + "

    If you applied using the \u2018UK Immigration: ID check\u2019 app, you\u2019ll be issued a digital version of your permit.

    ", + "

    If you do not use the smartphone app to apply, you\u2019ll either be sent:

    ", + "
  • a physical version of the permit (if you applied inside the UK)
  • ", + "
  • an email explaining how you can come to the UK and collect your permit (if you applied outside the UK)
  • ", + "

    Your permit will last for 5 years, or 2 years if you apply with \u2018retained\u2019 status.

    ", + "

    When you\u2019re working in the UK

    ", + "

    You\u2019ll usually have to pay tax on your UK income.

    ", + "

    You can change jobs or move from being employed to self-employed in the UK without needing to tell the Home Office.

    ", + "

    You need to tell the Home Office if you stop working in the UK and do not meet one of the retained status criteria.

    ", + "

    Reporting a problem with your physical permit

    ", + "

    Your permit should arrive within 10 days of receiving the decision notice about your application. You should get an email with information about your permit being sent to you.

    ", + "

    If your permit does not arrive, you should first contact the delivery service.

    ", + "

    If you cannot resolve the issue with the delivery service, and it has been more than 10 days since you received your decision notice, you should contact the Home Office.

    ", + "

    You\u2019ll also need to tell the Home Office if:

    ", + "
  • you did not get an email from UKVI with your permit delivery information
  • ", + "
  • your permit has a mistake on it (for example your name, date of birth or gender is wrong)
  • ", + "
  • your permit gets lost, stolen or damaged
  • ", + "

    You can report your problem by phone. You\u2019ll need:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • your Home Office reference number (this is in the email you got with your application decision)
  • ", + "
  • an email address or UK postal address
  • ", + "

    You can get someone to report for you, for example a legal representative or employer. The phone number is different if someone is reporting on your behalf.

    ", + "

    If your application is unsuccessful

    ", + "

    You\u2019ll get a decision notice explaining why it was refused. It will explain if you have the right to either an:

    ", + "
  • administrative review
  • ", + "
  • immigration decision appeal
  • ", + "

    Renewing your permit

    ", + "

    When you renew your permit, you\u2019ll need to show that you continued to meet the eligibility requirements over the period of time since you last applied.

    ", + "

    If you\u2019re not employed or self-employed at the point you apply to renew, or you\u2019re temporarily unable to work, you\u2019ll still be able to apply for a 2-year permit as someone with \u2018retained\u2019 status (as long as you meet the requirements).

    ", + "

    Apply to renew your permit.

    " + ] + }, + "https://www.gov.uk/british-national-overseas-bno-visa": { + "url": "https://www.gov.uk/british-national-overseas-bno-visa", + "title": "British National (Overseas) visa", + "content": "## Overview\n\nIf you\u2019re from Hong Kong and are a British national (overseas) you and your family members can apply for a British National (Overseas) visa. This is known as a BNO visa. It allows you to live, work and study in the UK.\n\n## Who can apply\n\nYou can apply for a BNO visa if you\u2019re:\n\n- a British national (overseas)\n\n- 18 or older\n\nYour permanent home must be:\n\n- in Hong Kong, if you\u2019re applying from outside the UK\n\n- in the UK, Channel Islands, Isle of Man or Hong Kong if you\u2019re applying in the UK\n\n## Your family members\n\nYour family members can apply for a BNO visa if they\u2019re eligible. They must usually apply at the same time as you.\n\nCheck if your family members can apply.\n\n## How long you can stay\n\nYou can apply to stay for either:\n\n- 2 years and 6 months\n\n- 5 years\n\nYou will be able to extend your visa if you want to stay longer. You can apply to extend your visa as many times as you want.\n\nAfter you\u2019ve lived in the UK for 5 years, you can apply to live in the UK permanently.\n\n## What you can and cannot do\n\nYou can:\n\n- work (except you cannot work as a professional sportsperson or sports coach)\n\n- study (including at school, college or university)\n\nYou cannot usually apply for most benefits (public funds).\n\nOnce you have a BNO visa, you might be able to apply for access to benefits. You\u2019ll be eligible for this in certain financial circumstances, for example if you:\n\n- do not have a place to live and cannot afford one\n\n- have a place to live but cannot afford essential living costs like food or heating\n\n- are at risk of losing your place to live or being unable to afford essential living costs\n\n- have a very low income, and not having access to benefits would harm your child\u2019s wellbeing\n\n## How much it costs\n\nWhen you apply for a British National (Overseas) visa, you must:\n\n- pay the visa application fee\n\n- pay the healthcare surcharge\n\n- prove that you have enough money to support yourself and your family members for at least 6 months while you\u2019re in the UK\n\n## Visa application fee\n\nYou and your family members will each need to pay a visa application fee.\n\nIt costs:\n\n- \u00a3180 if you\u2019re applying for 2 years and 6 months\n\n- \u00a3250 if you\u2019re applying for 5 years\n\nAs part of your application, you might need to go to an appointment to give your biometric information (fingerprints and a photo). This will cost \u00a319.20.\n\n## Healthcare surcharge\n\nYou and your family members will each need to pay the healthcare surcharge.\n\nThis is so you can use the National Health Service (NHS) in the UK. You\u2019ll still need to pay for some NHS care such as prescriptions, dental care and eye tests.\n\nFor each adult (18 or older) it costs:\n\n- \u00a31,560 if you\u2019re staying for 2 years and 6 months\n\n- \u00a33,120 if you\u2019re staying for 5 years\n\nFor each child (under 18), it costs:\n\n- \u00a31,175 if you\u2019re staying for 2 years and 6 months\n\n- \u00a32,350 if you\u2019re staying for 5 years\n\nYou pay the healthcare surcharge as part of your online visa application.\n\n## Money to support yourself and your family\n\nYou\u2019ll need to show you have enough money to pay for your housing and to support yourself and your family for 6 months.\n\nThis can include:\n\n- your income and savings as well as your family member\u2019s\n\n- money you will earn in your current job in the UK\n\n- money you will earn if you\u2019re transferring to a job in the UK with your current employer\n\n- an offer of help from family or friends\n\nYou usually do not need to show you have enough money to support yourself if you\u2019ve been living in the UK for 12 months or more. You\u2019ll still need to show this if you\u2019ve been in the UK on a Youth Mobility Scheme visa.\n\nAs well as money for housing costs, you\u2019ll need at least the same amount as someone would get on Income Support in the UK.\n\nHow much you need depends on how many family members are applying with you. For example, you\u2019ll need about:\n\n- \u00a32,000 as a single adult\n\n- \u00a33,100 as a couple with a child\n\n- \u00a34,600 as a couple with 3 children\n\n- \u00a39,200 as a couple with 2 parents and 2 adult children\n\nCheck what documents you need to show this.\n\n## Your family members\n\nIf you\u2019re a British national (overseas), your family members can apply as your \u2018dependant\u2019 if they normally live with you.\n\nA dependant can include your:\n\n- husband, wife, civil partner or unmarried partner\n\n- child or grandchild under 18\n\n- child 18 or older, born on or after 1 July 1997 (and their partner or child under 18)\n\n- parent, grandparent, brother, sister, son or daughter (18 or older) if they live with you and are very dependent on you for their care\n\nWhen you apply, you and your family member will need to provide evidence of your relationship and that you normally live together.\n\n## Partners\n\nPartners must be 18 or older to apply. They can be either:\n\n- your partner\n\n- your adult child\u2019s partner\n\nThey\u2019ll need to prove that they\u2019re either:\n\n- in a civil partnership or marriage that\u2019s recognised in the UK\n\n- in a relationship and have been living with their partner for at least 2 years when they apply\n\n## Children under 18\n\nAll children under 18 need to apply with both parents, unless one parent or grandparent has sole responsibility for them.\n\nThe child must normally live with you, unless they\u2019re living away from home to study.\n\n## Children 18 or older\n\nYou or your partner\u2019s child (18 or older) can apply as your dependant if they were born on or after 1 July 1997. They must apply at the same time as you.\n\nThey must normally live with you, unless they\u2019re living away from home to study.\n\nIf they\u2019re not eligible for a BNO visa, they may be able to apply for another visa to come to the UK to work or study. Check what visa they need.\n\n## Other family members who live with you\n\nOther adult family members (18 or older) can only apply if they are very dependent on you for their care. For example, they rely on your care to perform everyday tasks because of illness or disability.\n\nThis includes your or your partner\u2019s:\n\n- parent or grandparent\n\n- brother or sister\n\n- son or daughter\n\nIf eligible, they can apply as an \u2018adult dependent relative\u2019. They must apply at the same time as you.\n\n## How long family members can stay\n\nYour family member will need to apply for the same BNO visa as you, for either:\n\n- 2 years and 6 months\n\n- 5 years\n\n## How to apply with your family\n\nEach family member will need to make their own application as your dependant.\n\nAs a British national (overseas), you\u2019ll need to submit your application first to get an application number. This is called a Global Web Form (GWF) or a Unique Application Number (UAN).\n\nYour family members will need to use your application number when they apply, and submit it within 2 days of your application.\n\nIf you have technical problems that mean your family members might not be able to apply within 2 days of you, contact UK Visas and Immigration (UKVI) for help.\n\n## If your partner or child cannot apply within 2 days\n\nIf your partner or child under 18 cannot apply within 2 days of you, they might still be able to apply later as your dependant. This will only be allowed in cases where they could not apply when you did, for example if:\n\n- you start a new relationship when you have a BNO visa\n\n- your child was born after you got your BNO visa\n\n- your partner cannot travel when you apply, for example because of medical needs\n\nThey may be asked to give evidence to show they could not apply within 2 days of your application. Your visa must still be valid when they apply to be your dependant.\n\n## Apply online\n\nYour family members can either:\n\n- apply from outside the UK\n\n- apply in the UK\n\n## Documents you\u2019ll need to apply\n\nWhen you apply you\u2019ll need to provide a valid passport or other travel document that shows your identity and nationality.\n\nIf you\u2019re a British national (overseas) (BNO), you can use a current or expired BNO passport (or a photocopy) to show your BNO status when you apply.\n\nIf you no longer have a BNO passport you can still apply. The Home Office will check your status but it may take longer to get a decision on your application.\n\nYou do not need a BNO passport to travel to the UK. You can use any valid passport or travel document.\n\nYou\u2019ll also need to provide evidence:\n\n- that you have a permanent home in Hong Kong, the UK, Channel Islands or Isle of Man\n\n- that you have enough money to support yourself and your family\n\n- of your relationship with family members\n\n- of your tuberculosis (TB) test certificate, if you did not already provide it when you arrived the UK\n\nYou must provide a certified translation of any documents that are not in English.\n\n## Proof of your permanent home address\n\nYou\u2019ll need to provide up to 3 documents that show your permanent home address. This can include:\n\n- household or utility bills\n\n- a visa, residence permit or other immigration document (or a colour photocopy)\n\n- payslips or your most recent P60\n\n- bank statements\n\n- a letter from an employer confirming your employment\n\n- records of rent or mortgage payments\n\n- an appointment letter from your GP or other healthcare professional\n\n- a letter from the local council or a government\n\nYour family members (\u2018dependants\u2019) will need to provide evidence that their permanent home address is the same as yours.\n\n## Proof you have enough money to support yourself and your family\n\nYou usually need to show that you have enough money to support yourself and your family (dependants) for 6 months in the UK - unless you\u2019ve been living in the UK for at least 12 months.\n\nIf you\u2019ve been in the UK for 12 months or more on a Youth Mobility Scheme visa, you still need to show you have enough money to support yourself and your family.\n\nThis includes proving you have the money to pay for accommodation or an offer of accommodation from friends or family.\n\nIf you\u2019re applying with family, evidence can include you and your family member\u2019s income or savings.\n\nYou might need to provide evidence such as:\n\n- bank or savings account statements\n\n- payslips\n\n- proof of income from self-employment\n\n- proof of income from rental property\n\n- a letter from friends or family with evidence (such as bank statements or payslips) that they have the money to support you and your family\n\n- a letter confirming an offer of accommodation from friends or family\n\n- a tenancy or mortgage agreement\n\nAt least one piece of evidence must be dated no more than 31 days before you submit your application.\n\nAn offer of work does not usually count as evidence unless you\u2019re transferring to a job in the UK with your current employer.\n\n## Evidence of your relationship with family members\n\nIf you\u2019re applying with family members from your household, you\u2019ll need to provide evidence of your relationship with them.\n\nFor example:\n\n- a copy of a marriage or civil partnership certificate\n\n- a birth certificate or adoption certificate for children\n\n- evidence that their permanent home address is the same as yours\n\n## When you need a TB test certificate\n\nWhether you need a certificate depends on where you\u2019re applying from.\n\n## If you\u2019re applying from outside the UK\n\nIf you\u2019ve been living in Hong Kong or another country where you have to take a TB test for the past 6 months, you must provide a TB certificate.\n\n## If you\u2019re already in the UK\n\nIf you provided a TB certificate to come to the UK, you do not need to show one again.\n\nOtherwise, you\u2019ll need to provide a TB test certificate to stay in the UK if you came from Hong Kong or another country where you have to take the TB test.\n\n## Getting a TB test certificate\n\nYou might not be able to get a TB test appointment straight away. If you apply for your visa without a certificate, you might not get your certificate by the time your application is being considered.\n\nIf you wait until you have your certificate before you apply for your visa, you can avoid the risk of your application being looked at before you get your certificate.\n\nThe certificate must be no older than 6 months when you apply for your visa.\n\nYour test certificate must be from an approved test centre abroad or an approved test centre in the UK.\n\n## Apply from outside the UK\n\nYou must apply online for a British National (Overseas) visa.\n\nYour permanent home must be in Hong Kong.\n\nBefore you apply, you can check:\n\n- what documents you\u2019ll need to apply\n\n- how to apply with your family\n\n## Apply online\n\nAs part of your online application, you\u2019ll need to prove your identity. How you do this depends on what type of passport you have.\n\nYou\u2019ll either:\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your BNO, HKSAR or EEA passport - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\n- go to an appointment at a visa application centre to give your fingerprints and a photo - this is to get a biometric residence permit\n\nYou\u2019ll be told what you need to do when you apply. If you\u2019re applying with a family member, your applications will be processed together even if you prove your identity in different ways.\n\nIf you need to go to an appointment:\n\n- the centre may have to keep your passport and documents while they process your application\n\n- you may need to travel to get to your nearest visa application centre (this could be in another country)\n\nIf you use a valid BNO or Hong Kong Special Administrative Region (HKSAR) passport to prove your identity, you do not need to travel to the UK using the same passport.\n\nApply now\n\n## Continue your application\n\nYou can continue your application if you\u2019ve saved it. To do this, sign in to your account using the link from your sign-up email.\n\n## After you apply\n\nUKVI aims to make a decision on your application within 12 weeks.\n\nIf you applied using the \u2018UK Immigration: ID check\u2019 app, the 12 weeks starts from the date you submitted your online application.\n\nIf you went to a visa application centre, the 12 weeks starts from the date you attended your appointment and submitted your fingerprints.\n\nYour application may take longer to process if:\n\n- your supporting documents need to be verified or you need to provide more evidence\n\n- you need to attend an interview\n\n- you do not have a valid tuberculosis (TB) certificate\n\n- you have a criminal conviction for an offence that is recognised in the UK\n\n- you\u2019re applying as a family group, and one or more of your family members has to go to a visa application centre\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\n## If your application is successful\n\nYou must travel to the UK:\n\n- within 90 days, if you went to a visa application centre to prove your identity\n\n- before your visa expires, if you used the \u2018UK Immigration: ID Check\u2019 smartphone app to prove your identity\n\nChildren under 18 must travel with one or both parents, unless they\u2019re joining their parents who are already in the UK.\n\n## If your application is unsuccessful\n\nIf you\u2019re a British national (overseas) and your application is unsuccessful, your family members\u2019 applications will also be refused. If your application is successful but your family member\u2019s is not, you can still come to the UK.\n\nYou\u2019ll get a refund for the healthcare surcharge you paid for each unsuccessful application.\n\n## Apply in the UK\n\nYou must apply online for a British National (Overseas) visa.\n\nYour permanent home must be in the UK, Channel Islands, Isle of Man or Hong Kong.\n\nBefore you apply, you can check:\n\n- what documents you\u2019ll need to apply\n\n- how to apply with your family\n\n## Switch to a BNO visa\n\nIf you meet the eligibility requirements, you can apply to switch to a BNO visa if you\u2019re already in the UK on a different UK visa.\n\nYour family members will usually need to apply at the same time as you. Check how to apply with your family.\n\n## Apply online\n\nAs part of your online application, you\u2019ll need to prove your identity. How you do this depends on what type of passport you have.\n\nYou\u2019ll either:\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your BNO, Hong Kong Special Administrative Region (HKSAR) or EEA passport - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\n- go to a UK Visa and Citizenship Application Services (UKVCAS) service point to give your fingerprints and a photo - this is to get a biometric residence permit\n\nYou\u2019ll be told what you need to do when you apply. If you\u2019re applying with a family member, your applications will be processed together even if you prove your identity in different ways.\n\nApply now\n\n## Continue an application\n\nYou can continue your application if you\u2019ve saved it. To do this, you can sign in to your account using the link from your sign-up email.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying for a visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## After you apply\n\nUKVI aims to make a decision on your application within 12 weeks.\n\nIf you applied using the \u2018UK Immigration: ID check\u2019 app, the 12 weeks starts from the date you submitted your online application.\n\nIf you went to a UKVCAS service point, the 12 weeks starts from the date you attended your appointment and submitted your fingerprints.\n\nYour application may take longer to process if:\n\n- your supporting documents need to be verified or you need to provide more evidence\n\n- you need to attend an interview\n\n- you do not have a valid tuberculosis (TB) certificate\n\n- you have a criminal conviction for an offence that is recognised in the UK\n\n- you\u2019re applying as a family group, and one or more of your family members has to go to a visa application centre\n\nYou can stay in the UK until you\u2019ve been given a decision about your application.\n\nYou must not travel outside of the UK, Channel Islands or Isle of Man until you get a decision.\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\n## If your application is unsuccessful\n\nIf your application is unsuccessful, your family members\u2019 applications will also be refused.\n\nYou may be able to stay in the UK for up to 12 months if you were not able to prove that you:\n\n- have enough money to support yourself and your family in the UK\n\n- have a permanent home in the UK, Channel Islands, Isle of Man or Hong Kong\n\nWhen you get your decision letter, it will say if you\u2019re allowed to do this. You\u2019ll be able to apply for a BNO visa again.\n\nIf you stay in the UK for up to 12 months, you\u2019ll get a refund for some of the healthcare surcharge you paid.\n\nAs an adult (18 or older), you\u2019ll get a refund of:\n\n- \u00a3936 if you applied for 2 years and 6 months\n\n- \u00a32,496 if you applied for 5 years\n\nAs a child under 18 you\u2019ll get a refund of:\n\n- \u00a3705 if you applied for 2 years and 6 months\n\n- \u00a31,880 if you applied for 5 years\n\nIf you leave the UK, you\u2019ll get a full refund for the healthcare surcharge you paid.\n\n## Living permanently in the UK\n\nIf you\u2019ve lived in the UK for 5 years, you may be able to apply to stay permanently.\n\n## Applying to settle in the UK\n\nYou can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) after you\u2019ve lived in the UK for 5 years on a BNO visa. This means you can stay in the UK without any time limits.\n\nIf you\u2019ve already spent time in the UK on one of the following visas this will count towards the 5 years:\n\n- Global Talent visa (or a Tier 1 Exceptional Talent visa)\n\n- Investor visa\n\n- Entrepreneur visa\n\n- Skilled Worker visa (or a Tier 2 General work visa)\n\n- Minister of Religion visa\n\n- Sportsperson visa\n\n- Representative of an Overseas Business visa\n\n- UK Ancestry visa\n\nTime spent on a Student visa (previously called a Tier 4 (General) student visa) or a Youth Mobility Scheme visa will not count.\n\nTo apply, you\u2019ll need to:\n\n- meet the knowledge of English requirements\n\n- pass the Life in the UK Test\n\n- have spent no more than 180 days outside the UK in any 12 months in the last 5 years\n\n- pay an application fee\n\n## Children under 18 applying to settle\n\nIf your child applies as a dependent on your BNO visa, they can also apply to settle in the UK with you.\n\nYou can only apply once you, your child and your child\u2019s other parent (unless you have sole responsibility) have all been here for 5 years. If you arrived in the UK at different times, those who arrived earlier will have to extend their visa until the last person to arrive has been here for 5 years.\n\n## Becoming a British citizen\n\nOne year after you settle in the UK (have \u2018indefinite leave to remain\u2019), you\u2019ll usually be able to apply for British citizenship.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re from Hong Kong and are a British national (overseas) you and your family members can apply for a British National (Overseas) visa. This is known as a BNO visa. It allows you to live, work and study in the UK.

    ", + "

    Who can apply

    ", + "

    You can apply for a BNO visa if you\u2019re:

    ", + "
  • a British national (overseas)
  • ", + "
  • 18 or older
  • ", + "

    Your permanent home must be:

    ", + "
  • in Hong Kong, if you\u2019re applying from outside the UK
  • ", + "
  • in the UK, Channel Islands, Isle of Man or Hong Kong if you\u2019re applying in the UK
  • ", + "

    Your family members

    ", + "

    Your family members can apply for a BNO visa if they\u2019re eligible. They must usually apply at the same time as you.

    ", + "

    Check if your family members can apply.

    ", + "

    How long you can stay

    ", + "

    You can apply to stay for either:

    ", + "
  • 2 years and 6 months
  • ", + "
  • 5 years
  • ", + "

    You will be able to extend your visa if you want to stay longer. You can apply to extend your visa as many times as you want.

    ", + "

    After you\u2019ve lived in the UK for 5 years, you can apply to live in the UK permanently.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work (except you cannot work as a professional sportsperson or sports coach)
  • ", + "
  • study (including at school, college or university)
  • ", + "

    You cannot usually apply for most benefits (public funds).

    ", + "

    Once you have a BNO visa, you might be able to apply for access to benefits. You\u2019ll be eligible for this in certain financial circumstances, for example if you:

    ", + "
  • do not have a place to live and cannot afford one
  • ", + "
  • have a place to live but cannot afford essential living costs like food or heating
  • ", + "
  • are at risk of losing your place to live or being unable to afford essential living costs
  • ", + "
  • have a very low income, and not having access to benefits would harm your child\u2019s wellbeing
  • ", + "

    How much it costs

    ", + "

    When you apply for a British National (Overseas) visa, you must:

    ", + "
  • pay the visa application fee
  • ", + "
  • pay the healthcare surcharge
  • ", + "
  • prove that you have enough money to support yourself and your family members for at least 6 months while you\u2019re in the UK
  • ", + "

    Visa application fee

    ", + "

    You and your family members will each need to pay a visa application fee.

    ", + "

    It costs:

    ", + "
  • \u00a3180 if you\u2019re applying for 2 years and 6 months
  • ", + "
  • \u00a3250 if you\u2019re applying for 5 years
  • ", + "

    As part of your application, you might need to go to an appointment to give your biometric information (fingerprints and a photo). This will cost \u00a319.20.

    ", + "

    Healthcare surcharge

    ", + "

    You and your family members will each need to pay the healthcare surcharge.

    ", + "

    This is so you can use the National Health Service (NHS) in the UK. You\u2019ll still need to pay for some NHS care such as prescriptions, dental care and eye tests.

    ", + "

    For each adult (18 or older) it costs:

    ", + "
  • \u00a31,560 if you\u2019re staying for 2 years and 6 months
  • ", + "
  • \u00a33,120 if you\u2019re staying for 5 years
  • ", + "

    For each child (under 18), it costs:

    ", + "
  • \u00a31,175 if you\u2019re staying for 2 years and 6 months
  • ", + "
  • \u00a32,350 if you\u2019re staying for 5 years
  • ", + "

    You pay the healthcare surcharge as part of your online visa application.

    ", + "

    Money to support yourself and your family

    ", + "

    You\u2019ll need to show you have enough money to pay for your housing and to support yourself and your family for 6 months.

    ", + "

    This can include:

    ", + "
  • your income and savings as well as your family member\u2019s
  • ", + "
  • money you will earn in your current job in the UK
  • ", + "
  • money you will earn if you\u2019re transferring to a job in the UK with your current employer
  • ", + "
  • an offer of help from family or friends
  • ", + "

    You usually do not need to show you have enough money to support yourself if you\u2019ve been living in the UK for 12 months or more. You\u2019ll still need to show this if you\u2019ve been in the UK on a Youth Mobility Scheme visa.

    ", + "

    As well as money for housing costs, you\u2019ll need at least the same amount as someone would get on Income Support in the UK.

    ", + "

    How much you need depends on how many family members are applying with you. For example, you\u2019ll need about:

    ", + "
  • \u00a32,000 as a single adult
  • ", + "
  • \u00a33,100 as a couple with a child
  • ", + "
  • \u00a34,600 as a couple with 3 children
  • ", + "
  • \u00a39,200 as a couple with 2 parents and 2 adult children
  • ", + "

    Check what documents you need to show this.

    ", + "

    Your family members

    ", + "

    If you\u2019re a British national (overseas), your family members can apply as your \u2018dependant\u2019 if they normally live with you.

    ", + "

    A dependant can include your:

    ", + "
  • husband, wife, civil partner or unmarried partner
  • ", + "
  • child or grandchild under 18
  • ", + "
  • child 18 or older, born on or after 1 July 1997 (and their partner or child under 18)
  • ", + "
  • parent, grandparent, brother, sister, son or daughter (18 or older) if they live with you and are very dependent on you for their care
  • ", + "

    When you apply, you and your family member will need to provide evidence of your relationship and that you normally live together.

    ", + "

    Partners

    ", + "

    Partners must be 18 or older to apply. They can be either:

    ", + "
  • your partner
  • ", + "
  • your adult child\u2019s partner
  • ", + "

    They\u2019ll need to prove that they\u2019re either:

    ", + "
  • in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • in a relationship and have been living with their partner for at least 2 years when they apply
  • ", + "

    Children under 18

    ", + "

    All children under 18 need to apply with both parents, unless one parent or grandparent has sole responsibility for them.

    ", + "

    The child must normally live with you, unless they\u2019re living away from home to study.

    ", + "

    Children 18 or older

    ", + "

    You or your partner\u2019s child (18 or older) can apply as your dependant if they were born on or after 1 July 1997. They must apply at the same time as you.

    ", + "

    They must normally live with you, unless they\u2019re living away from home to study.

    ", + "

    If they\u2019re not eligible for a BNO visa, they may be able to apply for another visa to come to the UK to work or study. Check what visa they need.

    ", + "

    Other family members who live with you

    ", + "

    Other adult family members (18 or older) can only apply if they are very dependent on you for their care. For example, they rely on your care to perform everyday tasks because of illness or disability.

    ", + "

    This includes your or your partner\u2019s:

    ", + "
  • parent or grandparent
  • ", + "
  • brother or sister
  • ", + "
  • son or daughter
  • ", + "

    If eligible, they can apply as an \u2018adult dependent relative\u2019. They must apply at the same time as you.

    ", + "

    How long family members can stay

    ", + "

    Your family member will need to apply for the same BNO visa as you, for either:

    ", + "
  • 2 years and 6 months
  • ", + "
  • 5 years
  • ", + "

    How to apply with your family

    ", + "

    Each family member will need to make their own application as your dependant.

    ", + "

    As a British national (overseas), you\u2019ll need to submit your application first to get an application number. This is called a Global Web Form (GWF) or a Unique Application Number (UAN).

    ", + "

    Your family members will need to use your application number when they apply, and submit it within 2 days of your application.

    ", + "

    If you have technical problems that mean your family members might not be able to apply within 2 days of you, contact UK Visas and Immigration (UKVI) for help.

    ", + "

    If your partner or child cannot apply within 2 days

    ", + "

    If your partner or child under 18 cannot apply within 2 days of you, they might still be able to apply later as your dependant. This will only be allowed in cases where they could not apply when you did, for example if:

    ", + "
  • you start a new relationship when you have a BNO visa
  • ", + "
  • your child was born after you got your BNO visa
  • ", + "
  • your partner cannot travel when you apply, for example because of medical needs
  • ", + "

    They may be asked to give evidence to show they could not apply within 2 days of your application. Your visa must still be valid when they apply to be your dependant.

    ", + "

    Apply online

    ", + "

    Your family members can either:

    ", + "
  • apply from outside the UK
  • ", + "
  • apply in the UK
  • ", + "

    Documents you\u2019ll need to apply

    ", + "

    When you apply you\u2019ll need to provide a valid passport or other travel document that shows your identity and nationality.

    ", + "

    If you\u2019re a British national (overseas) (BNO), you can use a current or expired BNO passport (or a photocopy) to show your BNO status when you apply.

    ", + "

    If you no longer have a BNO passport you can still apply. The Home Office will check your status but it may take longer to get a decision on your application.

    ", + "

    You do not need a BNO passport to travel to the UK. You can use any valid passport or travel document.

    ", + "

    You\u2019ll also need to provide evidence:

    ", + "
  • that you have a permanent home in Hong Kong, the UK, Channel Islands or Isle of Man
  • ", + "
  • that you have enough money to support yourself and your family
  • ", + "
  • of your relationship with family members
  • ", + "
  • of your tuberculosis (TB) test certificate, if you did not already provide it when you arrived the UK
  • ", + "

    You must provide a certified translation of any documents that are not in English.

    ", + "

    Proof of your permanent home address

    ", + "

    You\u2019ll need to provide up to 3 documents that show your permanent home address. This can include:

    ", + "
  • household or utility bills
  • ", + "
  • a visa, residence permit or other immigration document (or a colour photocopy)
  • ", + "
  • payslips or your most recent P60
  • ", + "
  • bank statements
  • ", + "
  • a letter from an employer confirming your employment
  • ", + "
  • records of rent or mortgage payments
  • ", + "
  • an appointment letter from your GP or other healthcare professional
  • ", + "
  • a letter from the local council or a government
  • ", + "

    Your family members (\u2018dependants\u2019) will need to provide evidence that their permanent home address is the same as yours.

    ", + "

    Proof you have enough money to support yourself and your family

    ", + "

    You usually need to show that you have enough money to support yourself and your family (dependants) for 6 months in the UK - unless you\u2019ve been living in the UK for at least 12 months.

    ", + "

    If you\u2019ve been in the UK for 12 months or more on a Youth Mobility Scheme visa, you still need to show you have enough money to support yourself and your family.

    ", + "

    This includes proving you have the money to pay for accommodation or an offer of accommodation from friends or family.

    ", + "

    If you\u2019re applying with family, evidence can include you and your family member\u2019s income or savings.

    ", + "

    You might need to provide evidence such as:

    ", + "
  • bank or savings account statements
  • ", + "
  • payslips
  • ", + "
  • proof of income from self-employment
  • ", + "
  • proof of income from rental property
  • ", + "
  • a letter from friends or family with evidence (such as bank statements or payslips) that they have the money to support you and your family
  • ", + "
  • a letter confirming an offer of accommodation from friends or family
  • ", + "
  • a tenancy or mortgage agreement
  • ", + "

    At least one piece of evidence must be dated no more than 31 days before you submit your application.

    ", + "

    An offer of work does not usually count as evidence unless you\u2019re transferring to a job in the UK with your current employer.

    ", + "

    Evidence of your relationship with family members

    ", + "

    If you\u2019re applying with family members from your household, you\u2019ll need to provide evidence of your relationship with them.

    ", + "

    For example:

    ", + "
  • a copy of a marriage or civil partnership certificate
  • ", + "
  • a birth certificate or adoption certificate for children
  • ", + "
  • evidence that their permanent home address is the same as yours
  • ", + "

    When you need a TB test certificate

    ", + "

    Whether you need a certificate depends on where you\u2019re applying from.

    ", + "

    If you\u2019re applying from outside the UK

    ", + "

    If you\u2019ve been living in Hong Kong or another country where you have to take a TB test for the past 6 months, you must provide a TB certificate.

    ", + "

    If you\u2019re already in the UK

    ", + "

    If you provided a TB certificate to come to the UK, you do not need to show one again.

    ", + "

    Otherwise, you\u2019ll need to provide a TB test certificate to stay in the UK if you came from Hong Kong or another country where you have to take the TB test.

    ", + "

    Getting a TB test certificate

    ", + "

    You might not be able to get a TB test appointment straight away. If you apply for your visa without a certificate, you might not get your certificate by the time your application is being considered.

    ", + "

    If you wait until you have your certificate before you apply for your visa, you can avoid the risk of your application being looked at before you get your certificate.

    ", + "

    The certificate must be no older than 6 months when you apply for your visa.

    ", + "

    Your test certificate must be from an approved test centre abroad or an approved test centre in the UK.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for a British National (Overseas) visa.

    ", + "

    Your permanent home must be in Hong Kong.

    ", + "

    Before you apply, you can check:

    ", + "
  • what documents you\u2019ll need to apply
  • ", + "
  • how to apply with your family
  • ", + "

    Apply online

    ", + "

    As part of your online application, you\u2019ll need to prove your identity. How you do this depends on what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your BNO, HKSAR or EEA passport - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "
  • go to an appointment at a visa application centre to give your fingerprints and a photo - this is to get a biometric residence permit
  • ", + "

    You\u2019ll be told what you need to do when you apply. If you\u2019re applying with a family member, your applications will be processed together even if you prove your identity in different ways.

    ", + "

    If you need to go to an appointment:

    ", + "
  • the centre may have to keep your passport and documents while they process your application
  • ", + "
  • you may need to travel to get to your nearest visa application centre (this could be in another country)
  • ", + "

    If you use a valid BNO or Hong Kong Special Administrative Region (HKSAR) passport to prove your identity, you do not need to travel to the UK using the same passport.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can continue your application if you\u2019ve saved it. To do this, sign in to your account using the link from your sign-up email.

    ", + "

    After you apply

    ", + "

    UKVI aims to make a decision on your application within 12 weeks.

    ", + "

    If you applied using the \u2018UK Immigration: ID check\u2019 app, the 12 weeks starts from the date you submitted your online application.

    ", + "

    If you went to a visa application centre, the 12 weeks starts from the date you attended your appointment and submitted your fingerprints.

    ", + "

    Your application may take longer to process if:

    ", + "
  • your supporting documents need to be verified or you need to provide more evidence
  • ", + "
  • you need to attend an interview
  • ", + "
  • you do not have a valid tuberculosis (TB) certificate
  • ", + "
  • you have a criminal conviction for an offence that is recognised in the UK
  • ", + "
  • you\u2019re applying as a family group, and one or more of your family members has to go to a visa application centre
  • ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    You\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Find out what happens after you get your decision.

    ", + "

    If your application is successful

    ", + "

    You must travel to the UK:

    ", + "
  • within 90 days, if you went to a visa application centre to prove your identity
  • ", + "
  • before your visa expires, if you used the \u2018UK Immigration: ID Check\u2019 smartphone app to prove your identity
  • ", + "

    Children under 18 must travel with one or both parents, unless they\u2019re joining their parents who are already in the UK.

    ", + "

    If your application is unsuccessful

    ", + "

    If you\u2019re a British national (overseas) and your application is unsuccessful, your family members\u2019 applications will also be refused. If your application is successful but your family member\u2019s is not, you can still come to the UK.

    ", + "

    You\u2019ll get a refund for the healthcare surcharge you paid for each unsuccessful application.

    ", + "

    Apply in the UK

    ", + "

    You must apply online for a British National (Overseas) visa.

    ", + "

    Your permanent home must be in the UK, Channel Islands, Isle of Man or Hong Kong.

    ", + "

    Before you apply, you can check:

    ", + "
  • what documents you\u2019ll need to apply
  • ", + "
  • how to apply with your family
  • ", + "

    Switch to a BNO visa

    ", + "

    If you meet the eligibility requirements, you can apply to switch to a BNO visa if you\u2019re already in the UK on a different UK visa.

    ", + "

    Your family members will usually need to apply at the same time as you. Check how to apply with your family.

    ", + "

    Apply online

    ", + "

    As part of your online application, you\u2019ll need to prove your identity. How you do this depends on what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your BNO, Hong Kong Special Administrative Region (HKSAR) or EEA passport - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "
  • go to a UK Visa and Citizenship Application Services (UKVCAS) service point to give your fingerprints and a photo - this is to get a biometric residence permit
  • ", + "

    You\u2019ll be told what you need to do when you apply. If you\u2019re applying with a family member, your applications will be processed together even if you prove your identity in different ways.

    ", + "

    Apply now

    ", + "

    Continue an application

    ", + "

    You can continue your application if you\u2019ve saved it. To do this, you can sign in to your account using the link from your sign-up email.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying for a visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    After you apply

    ", + "

    UKVI aims to make a decision on your application within 12 weeks.

    ", + "

    If you applied using the \u2018UK Immigration: ID check\u2019 app, the 12 weeks starts from the date you submitted your online application.

    ", + "

    If you went to a UKVCAS service point, the 12 weeks starts from the date you attended your appointment and submitted your fingerprints.

    ", + "

    Your application may take longer to process if:

    ", + "
  • your supporting documents need to be verified or you need to provide more evidence
  • ", + "
  • you need to attend an interview
  • ", + "
  • you do not have a valid tuberculosis (TB) certificate
  • ", + "
  • you have a criminal conviction for an offence that is recognised in the UK
  • ", + "
  • you\u2019re applying as a family group, and one or more of your family members has to go to a visa application centre
  • ", + "

    You can stay in the UK until you\u2019ve been given a decision about your application.

    ", + "

    You must not travel outside of the UK, Channel Islands or Isle of Man until you get a decision.

    ", + "

    If you need to change or cancel your application

    ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    You\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.

    ", + "

    Find out what happens after you get your decision.

    ", + "

    If your application is unsuccessful

    ", + "

    If your application is unsuccessful, your family members\u2019 applications will also be refused.

    ", + "

    You may be able to stay in the UK for up to 12 months if you were not able to prove that you:

    ", + "
  • have enough money to support yourself and your family in the UK
  • ", + "
  • have a permanent home in the UK, Channel Islands, Isle of Man or Hong Kong
  • ", + "

    When you get your decision letter, it will say if you\u2019re allowed to do this. You\u2019ll be able to apply for a BNO visa again.

    ", + "

    If you stay in the UK for up to 12 months, you\u2019ll get a refund for some of the healthcare surcharge you paid.

    ", + "

    As an adult (18 or older), you\u2019ll get a refund of:

    ", + "
  • \u00a3936 if you applied for 2 years and 6 months
  • ", + "
  • \u00a32,496 if you applied for 5 years
  • ", + "

    As a child under 18 you\u2019ll get a refund of:

    ", + "
  • \u00a3705 if you applied for 2 years and 6 months
  • ", + "
  • \u00a31,880 if you applied for 5 years
  • ", + "

    If you leave the UK, you\u2019ll get a full refund for the healthcare surcharge you paid.

    ", + "

    Living permanently in the UK

    ", + "

    If you\u2019ve lived in the UK for 5 years, you may be able to apply to stay permanently.

    ", + "

    Applying to settle in the UK

    ", + "

    You can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) after you\u2019ve lived in the UK for 5 years on a BNO visa. This means you can stay in the UK without any time limits.

    ", + "

    If you\u2019ve already spent time in the UK on one of the following visas this will count towards the 5 years:

    ", + "
  • Global Talent visa (or a Tier 1 Exceptional Talent visa)
  • ", + "
  • Investor visa
  • ", + "
  • Entrepreneur visa
  • ", + "
  • Skilled Worker visa (or a Tier 2 General work visa)
  • ", + "
  • Minister of Religion visa
  • ", + "
  • Sportsperson visa
  • ", + "
  • Representative of an Overseas Business visa
  • ", + "
  • UK Ancestry visa
  • ", + "

    Time spent on a Student visa (previously called a Tier 4 (General) student visa) or a Youth Mobility Scheme visa will not count.

    ", + "

    To apply, you\u2019ll need to:

    ", + "
  • meet the knowledge of English requirements
  • ", + "
  • pass the Life in the UK Test
  • ", + "
  • have spent no more than 180 days outside the UK in any 12 months in the last 5 years
  • ", + "
  • pay an application fee
  • ", + "

    Children under 18 applying to settle

    ", + "

    If your child applies as a dependent on your BNO visa, they can also apply to settle in the UK with you.

    ", + "

    You can only apply once you, your child and your child\u2019s other parent (unless you have sole responsibility) have all been here for 5 years. If you arrived in the UK at different times, those who arrived earlier will have to extend their visa until the last person to arrive has been here for 5 years.

    ", + "

    Becoming a British citizen

    ", + "

    One year after you settle in the UK (have \u2018indefinite leave to remain\u2019), you\u2019ll usually be able to apply for British citizenship.

    " + ] + }, + "https://www.gov.uk/overseas-domestic-worker-visa": { + "url": "https://www.gov.uk/overseas-domestic-worker-visa", + "title": "Overseas Domestic Worker visa", + "content": "## Overview\n\nYou can apply for a visa to visit the UK with your employer if you:\n\n- live outside the UK\n\n- are a domestic worker in a private household\n\n- have worked for your employer for at least one year\n\n- meet the other eligibility requirements\n\nDomestic workers include:\n\n- cleaners\n\n- chauffeurs\n\n- cooks\n\n- those providing personal care for the employer and their family\n\n- nannies\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you started living in the UK on or before 31 December 2020, you can apply to the EU Settlement Scheme.\n\nFrom 1 January 2021, you\u2019ll need to apply for an Overseas Domestic Worker visa.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long it will take\n\nYou can apply for a visa up to 3 months before your date of travel to the UK.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fees\n\nIt costs \u00a3516 for an Overseas Domestic Worker visa.\n\n## How long you can stay\n\nYou can use this visa to visit the UK with your employer for up to 6 months. You must return home at the end of the 6 months.\n\nYou cannot extend an Overseas Domestic Worker visa.\n\nYou may be able to extend a Domestic Worker in a Private Household visa if you applied on or before 5 April 2012.\n\n## What you can and cannot do\n\nYou can:\n\n- travel abroad and return to the UK to complete your stay\n\n- change employers to another job as a domestic worker in a private household - only if you do not stay longer than the 6 months\n\nYou cannot:\n\n- work except as a domestic worker in a private household\n\n- live in the UK for long periods of time through frequent visits\n\n- get public funds\n\n## Eligibility\n\nYou must prove that you:\n\n- are 19 or older\n\n- have worked for your employer for at least 1 year\n\n- work in the same household as your employer or one they use regularly\n\n- plan to travel to the UK with your employer, their partner or children\n\n- intend to work as a full-time domestic worker in a UK household your employer will live in\n\n- plan to leave the UK at the end of 6 months\n\n- are able to support yourself in the UK without the need for public funds\n\n## Your employer\n\nYour employer must be either a:\n\n- British citizen who usually lives outside the UK and who does not intend to remain in the UK for more than 6 months\n\n- foreign citizen who is coming to the UK on a visit and who does not intend to remain for more than 6 months\n\nYour employer must also pay you at least the national minimum wage.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel identification\n\n- proof you can support yourself during your trip, for example bank statements or payslips for the last 6 months\n\n- a completed \u2018Appendix domestic worker statement\u2019 signed by both you and your employer\n\n- a letter from your employer confirming your job title, how long you\u2019ve worked for them and that you\u2019re a permanent employee\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa.\n\nYou must also provide 1 of the following documents covering the same period of employment:\n\n- pay slips or bank statements showing payment of salary\n\n- confirmation of tax paid\n\n- confirmation of health insurance paid\n\n- contract of employment\n\n- work visa, residence permit or equivalent passport endorsement for the country where you\u2019re currently employed by your employer\n\n- visas or equivalent passport endorsement if you\u2019ve travelled with your employer before\n\nYou may need to provide additional documents depending on your circumstances.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Domestic workers who applied before 5 April 2012\n\nThere are different rules if you applied for a Domestic Worker in a Private Household visa on or before 5 April 2012.\n\nYou can:\n\n- extend your stay in the UK every 12 months\n\n- apply to settle permanently in the UK after 5 years\n\n- bring your partner and children under 18\n\n- change employer while your visa is valid\n\n## How long you can stay\n\nYou can apply to extend your visa for 12 months at a time.\n\nIf you\u2019ve worked in the UK as a domestic worker for 5 years you can apply to settle permanently in the UK.\n\nYou should apply before your current permission to stay expires.\n\n## Eligibility\n\nTo extend your visa you must:\n\n- be a domestic worker in a private household\n\n- have applied for your domestic worker visa on or before 5 April 2012\n\n- have continued to live in the UK\n\n- apply while you\u2019re still in the UK\n\nTo settle in the UK as a domestic worker you must:\n\n- have applied for your domestic worker visa on or before 5 April 2012\n\n- have been living here legally for at least 5 years\n\n- currently have permission to stay here as a domestic worker\n\n- have been in the UK as a full-time domestic worker continuously throughout the 5 years (you cannot have been outside the UK for more than 180 days in any 12 consecutive months)\n\n- have maintained and accommodated yourself and any dependants without the use of public funds throughout the 5 years\n\n- have sufficient knowledge of English and life in the UK\n\n## Documents you\u2019ll need\n\nTo extend your visa you must provide both of the following:\n\n- a letter from your employer confirming that they want to continue to employ you\n\n- a completed \u2018Appendix domestic worker statement\u2019 signed by both you and your employer\n\nTo settle in the UK you must provide:\n\n- a letter from your employer confirming that they want to continue to employ you\n\n- evidence that you can satisfy the knowledge of English and life in the UK criteria\n\nIf you\u2019ve had any absences because of serious illness, births or deaths in your family, or had to leave the UK, you also need to write a letter detailing these. You should also include any related supporting documents with your letter, for example medical certificates, birth/death certificates, information about why you had to leave the UK.\n\n## How to extend your visa\n\nYou must apply online to extend your visa.\n\nYou can include your dependants (partner and children aged under 18) on your application.\n\nIf you have any dependant children aged over 18 they will need to apply separately.\n\n## How to apply to settle\n\nYou must apply online to settle.\n\nYou can include your dependants (partner and children aged under 18) on your application. Your partner must be able to demonstrate their knowledge of English and life in the UK.\n\nIf you have any dependant children aged over 18 they will need to apply separately.\n\n## Fees\n\nFor each person applying it costs:\n\n- \u00a31,033 to apply to extend your visa\n\n- \u00a32,389 to apply to settle\n\nYou\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nYou can pay an extra \u00a3800 to use the super priority service.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nWorking days are Monday to Friday, not including bank holidays.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Knowledge of English\n\nIf you want to settle in the UK, you\u2019ll need to prove that you can satisfy the English language requirement.\n\nYou can only settle as a domestic worker in a private household if you applied for entry on or before 5 April 2012.\n\nYou can prove your knowledge of English by either:\n\n- passing an approved English language test with at least CEFR level B1 in reading, writing, speaking and listening\n\n- having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\nYou may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.\n\n## Exceptions\n\nYou will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nYou also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.\n\n## Your employment rights\n\nWhen you work in the UK your employer must:\n\n- pay you an agreed rate, which must be at least the national minimum wage\n\n- not force you to work excessive hours\n\n- give you agreed holiday pay\n\n- give you the notice you\u2019re entitled to if your employment ends\n\nYou should already have agreed your employment conditions with your employer and have a copy of these in writing. Your employer cannot change your employment conditions unless you agree.\n\nIf your employer does not meet these requirements, you can take legal action through an employment or industrial tribunal or the civil courts.\n\n## Get advice and support\n\nYou can get free and confidential advice from the Acas helpline.\n\nYou can also contact the charity Kalayaan for free, confidential and independent advice as a domestic worker in the UK.\n\n## If you want to return home\n\nContact your country\u2019s Embassy or High Commission in the UK if you want to return home.\n\nYou can also get confidential advice from a registered immigration adviser. Use the Office of the Immigration Services Commissioner (OISC) Adviser Finder to find a registered adviser near you.\n\n## If you\u2019re a victim of modern slavery or human trafficking\n\nModern slavery and human trafficking involve being forced to do something you do not want to do, usually by being hurt or threatened.\n\nYou may be forced to work for free or less than the minimum wage, get married or move to a country against your will.\n\nYou can apply to stay in the UK for up to 2 years, if both of the following apply:\n\n- you entered the UK on a Overseas Domestic Worker visa, on a Domestic Worker in a Private Household visa, or as a private servant of a diplomat (known as a T5 International Agreement visa)\n\n- you have a \u2018conclusive grounds\u2019 letter from the Single Competent Authority (SCA) confirming that you\u2019re a victim of modern slavery or human trafficking\n\n## How to get a conclusive grounds letter\n\nIf you think you\u2019re a victim of modern slavery or human trafficking you need to contact the police or another first responder organisation. They can help refer your case to the SCA.\n\nRead the \u2018First responder organisations\u2019 section of the guidance on referrals to find out which organisations can refer your case.\n\nThe SCA will decide if you\u2019re a victim of modern slavery or human trafficking. They will send you a conclusive grounds letter confirming their decision.\n\n## Apply\n\nYou must apply within 28 days of getting confirmation you\u2019re a victim of modern slavery or human trafficking.\n\nYou must apply online to stay in the UK.\n\nIt\u2019s free to apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Applying for a different visa\n\nIf you apply for a different type of visa within 28 days of getting confirmation but are refused, you can still apply as a victim of modern slavery or human trafficking.\n\nYou must do this within 28 days of getting the refusal.\n\n## Working in the UK\n\nYou\u2019ll be able to work as a domestic worker for up to 2 years.\n\nYou do not need to have a job offer before you apply. You can change job while you\u2019re in the UK.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a visa to visit the UK with your employer if you:

    ", + "
  • live outside the UK
  • ", + "
  • are a domestic worker in a private household
  • ", + "
  • have worked for your employer for at least one year
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    Domestic workers include:

    ", + "
  • cleaners
  • ", + "
  • chauffeurs
  • ", + "
  • cooks
  • ", + "
  • those providing personal care for the employer and their family
  • ", + "
  • nannies
  • ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you started living in the UK on or before 31 December 2020, you can apply to the EU Settlement Scheme.

    ", + "

    From 1 January 2021, you\u2019ll need to apply for an Overseas Domestic Worker visa.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    How long it will take

    ", + "

    You can apply for a visa up to 3 months before your date of travel to the UK.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    Fees

    ", + "

    It costs \u00a3516 for an Overseas Domestic Worker visa.

    ", + "

    How long you can stay

    ", + "

    You can use this visa to visit the UK with your employer for up to 6 months. You must return home at the end of the 6 months.

    ", + "

    You cannot extend an Overseas Domestic Worker visa.

    ", + "

    You may be able to extend a Domestic Worker in a Private Household visa if you applied on or before 5 April 2012.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • travel abroad and return to the UK to complete your stay
  • ", + "
  • change employers to another job as a domestic worker in a private household - only if you do not stay longer than the 6 months
  • ", + "

    You cannot:

    ", + "
  • work except as a domestic worker in a private household
  • ", + "
  • live in the UK for long periods of time through frequent visits
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    You must prove that you:

    ", + "
  • are 19 or older
  • ", + "
  • have worked for your employer for at least 1 year
  • ", + "
  • work in the same household as your employer or one they use regularly
  • ", + "
  • plan to travel to the UK with your employer, their partner or children
  • ", + "
  • intend to work as a full-time domestic worker in a UK household your employer will live in
  • ", + "
  • plan to leave the UK at the end of 6 months
  • ", + "
  • are able to support yourself in the UK without the need for public funds
  • ", + "

    Your employer

    ", + "

    Your employer must be either a:

    ", + "
  • British citizen who usually lives outside the UK and who does not intend to remain in the UK for more than 6 months
  • ", + "
  • foreign citizen who is coming to the UK on a visit and who does not intend to remain for more than 6 months
  • ", + "

    Your employer must also pay you at least the national minimum wage.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • proof you can support yourself during your trip, for example bank statements or payslips for the last 6 months
  • ", + "
  • a completed \u2018Appendix domestic worker statement\u2019 signed by both you and your employer
  • ", + "
  • a letter from your employer confirming your job title, how long you\u2019ve worked for them and that you\u2019re a permanent employee
  • ", + "

    You\u2019ll need to have a blank page in your passport on which to put the visa.

    ", + "

    You must also provide 1 of the following documents covering the same period of employment:

    ", + "
  • pay slips or bank statements showing payment of salary
  • ", + "
  • confirmation of tax paid
  • ", + "
  • confirmation of health insurance paid
  • ", + "
  • contract of employment
  • ", + "
  • work visa, residence permit or equivalent passport endorsement for the country where you\u2019re currently employed by your employer
  • ", + "
  • visas or equivalent passport endorsement if you\u2019ve travelled with your employer before
  • ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Apply from outside the UK

    ", + "

    You must apply online for this visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Domestic workers who applied before 5 April 2012

    ", + "

    There are different rules if you applied for a Domestic Worker in a Private Household visa on or before 5 April 2012.

    ", + "

    You can:

    ", + "
  • extend your stay in the UK every 12 months
  • ", + "
  • apply to settle permanently in the UK after 5 years
  • ", + "
  • bring your partner and children under 18
  • ", + "
  • change employer while your visa is valid
  • ", + "

    How long you can stay

    ", + "

    You can apply to extend your visa for 12 months at a time.

    ", + "

    If you\u2019ve worked in the UK as a domestic worker for 5 years you can apply to settle permanently in the UK.

    ", + "

    You should apply before your current permission to stay expires.

    ", + "

    Eligibility

    ", + "

    To extend your visa you must:

    ", + "
  • be a domestic worker in a private household
  • ", + "
  • have applied for your domestic worker visa on or before 5 April 2012
  • ", + "
  • have continued to live in the UK
  • ", + "
  • apply while you\u2019re still in the UK
  • ", + "

    To settle in the UK as a domestic worker you must:

    ", + "
  • have applied for your domestic worker visa on or before 5 April 2012
  • ", + "
  • have been living here legally for at least 5 years
  • ", + "
  • currently have permission to stay here as a domestic worker
  • ", + "
  • have been in the UK as a full-time domestic worker continuously throughout the 5 years (you cannot have been outside the UK for more than 180 days in any 12 consecutive months)
  • ", + "
  • have maintained and accommodated yourself and any dependants without the use of public funds throughout the 5 years
  • ", + "
  • have sufficient knowledge of English and life in the UK
  • ", + "

    Documents you\u2019ll need

    ", + "

    To extend your visa you must provide both of the following:

    ", + "
  • a letter from your employer confirming that they want to continue to employ you
  • ", + "
  • a completed \u2018Appendix domestic worker statement\u2019 signed by both you and your employer
  • ", + "

    To settle in the UK you must provide:

    ", + "
  • a letter from your employer confirming that they want to continue to employ you
  • ", + "
  • evidence that you can satisfy the knowledge of English and life in the UK criteria
  • ", + "

    If you\u2019ve had any absences because of serious illness, births or deaths in your family, or had to leave the UK, you also need to write a letter detailing these. You should also include any related supporting documents with your letter, for example medical certificates, birth/death certificates, information about why you had to leave the UK.

    ", + "

    How to extend your visa

    ", + "

    You must apply online to extend your visa.

    ", + "

    You can include your dependants (partner and children aged under 18) on your application.

    ", + "

    If you have any dependant children aged over 18 they will need to apply separately.

    ", + "

    How to apply to settle

    ", + "

    You must apply online to settle.

    ", + "

    You can include your dependants (partner and children aged under 18) on your application. Your partner must be able to demonstrate their knowledge of English and life in the UK.

    ", + "

    If you have any dependant children aged over 18 they will need to apply separately.

    ", + "

    Fees

    ", + "

    For each person applying it costs:

    ", + "
  • \u00a31,033 to apply to extend your visa
  • ", + "
  • \u00a32,389 to apply to settle
  • ", + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    You can pay an extra \u00a3800 to use the super priority service.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will be made:

    ", + "
  • by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday
  • ", + "
  • 2 working days after your UKVCAS appointment if your appointment is at the weekend
  • ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example you have a criminal conviction
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Knowledge of English

    ", + "

    If you want to settle in the UK, you\u2019ll need to prove that you can satisfy the English language requirement.

    ", + "

    You can only settle as a domestic worker in a private household if you applied for entry on or before 5 April 2012.

    ", + "

    You can prove your knowledge of English by either:

    ", + "
  • passing an approved English language test with at least CEFR level B1 in reading, writing, speaking and listening
  • ", + "
  • having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    You may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.

    ", + "

    Exceptions

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    You also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.

    ", + "

    Your employment rights

    ", + "

    When you work in the UK your employer must:

    ", + "
  • pay you an agreed rate, which must be at least the national minimum wage
  • ", + "
  • not force you to work excessive hours
  • ", + "
  • give you agreed holiday pay
  • ", + "
  • give you the notice you\u2019re entitled to if your employment ends
  • ", + "

    You should already have agreed your employment conditions with your employer and have a copy of these in writing. Your employer cannot change your employment conditions unless you agree.

    ", + "

    If your employer does not meet these requirements, you can take legal action through an employment or industrial tribunal or the civil courts.

    ", + "

    Get advice and support

    ", + "

    You can get free and confidential advice from the Acas helpline.

    ", + "

    You can also contact the charity Kalayaan for free, confidential and independent advice as a domestic worker in the UK.

    ", + "

    If you want to return home

    ", + "

    Contact your country\u2019s Embassy or High Commission in the UK if you want to return home.

    ", + "

    You can also get confidential advice from a registered immigration adviser. Use the Office of the Immigration Services Commissioner (OISC) Adviser Finder to find a registered adviser near you.

    ", + "

    If you\u2019re a victim of modern slavery or human trafficking

    ", + "

    Modern slavery and human trafficking involve being forced to do something you do not want to do, usually by being hurt or threatened.

    ", + "

    You may be forced to work for free or less than the minimum wage, get married or move to a country against your will.

    ", + "

    You can apply to stay in the UK for up to 2 years, if both of the following apply:

    ", + "
  • you entered the UK on a Overseas Domestic Worker visa, on a Domestic Worker in a Private Household visa, or as a private servant of a diplomat (known as a T5 International Agreement visa)
  • ", + "
  • you have a \u2018conclusive grounds\u2019 letter from the Single Competent Authority (SCA) confirming that you\u2019re a victim of modern slavery or human trafficking
  • ", + "

    How to get a conclusive grounds letter

    ", + "

    If you think you\u2019re a victim of modern slavery or human trafficking you need to contact the police or another first responder organisation. They can help refer your case to the SCA.

    ", + "

    Read the \u2018First responder organisations\u2019 section of the guidance on referrals to find out which organisations can refer your case.

    ", + "

    The SCA will decide if you\u2019re a victim of modern slavery or human trafficking. They will send you a conclusive grounds letter confirming their decision.

    ", + "

    Apply

    ", + "

    You must apply within 28 days of getting confirmation you\u2019re a victim of modern slavery or human trafficking.

    ", + "

    You must apply online to stay in the UK.

    ", + "

    It\u2019s free to apply.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    Applying for a different visa

    ", + "

    If you apply for a different type of visa within 28 days of getting confirmation but are refused, you can still apply as a victim of modern slavery or human trafficking.

    ", + "

    You must do this within 28 days of getting the refusal.

    ", + "

    Working in the UK

    ", + "

    You\u2019ll be able to work as a domestic worker for up to 2 years.

    ", + "

    You do not need to have a job offer before you apply. You can change job while you\u2019re in the UK.

    " + ] + }, + "https://www.gov.uk/representative-overseas-business": { + "url": "https://www.gov.uk/representative-overseas-business", + "title": "Representative of an Overseas Business visa", + "content": "## Overview\n\nYou can apply as a representative of an overseas business if you\u2019re either:\n\n- the sole representative of an overseas business planning to set up either a UK branch or wholly owned subsidiary\n\n- an employee of an overseas newspaper, news agency or broadcasting organisation posted on a long-term assignment to the UK\n\nYou must also meet the other eligibility requirements.\n\n## How long it will take\n\nIf you apply from outside the UK, the earliest you can apply is 3 months before you travel.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## If you apply from inside the UK\n\nYou will get a decision within 8 weeks.\n\nUKVI will contact you if your application will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example, if you have a criminal conviction)\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expires.\n\n## Fees\n\nIf you apply from outside the UK, a Representative of an Overseas Business visa costs \u00a3610.\n\nIf you apply from inside the UK, you\u2019ll need to pay:\n\n- \u00a3704 for the visa\n\n- \u00a319.20 to have your biometric information (fingerprints and a photo) taken\n\n## Healthcare surcharge\n\nYou must pay the healthcare surcharge as part of your application. Check how much you need to pay before you apply.\n\n## How long you can stay\n\nThe visa lets you stay in the UK for an initial period of 3 years.\n\nYou may be able to extend your visa for another 2 years.\n\nAfter you\u2019ve been in the UK for 5 years, you can apply for permission to settle permanently in the UK.\n\n## What you can and cannot do\n\nYou can:\n\n- work for your employer, full time\n\n- bring your family (\u2018dependants\u2019) with you to the UK\n\n- apply to extend your visa\n\n- apply to settle in the UK after you\u2019ve been here for 5 years\n\nYou cannot:\n\n- work for yourself or any other business\n\n- stay in the UK if the sole representative arrangement is ended by your employer\n\n- switch to this visa from any other visa category\n\n- get public funds\n\n## Eligibility\n\nTo be eligible for this visa you must:\n\n- have enough money to support yourself without help from public funds\n\n- meet the English requirement\n\n## Sole representatives\n\nTo apply as a sole representative you must:\n\n- be recruited and employed outside the UK by an active and trading business (whose headquarters and principal place of business are, and will remain, outside the UK)\n\n- have the skills, experience and knowledge to do the role\n\n- hold a senior position within the business (but do not own or control the majority of it) and have full authority to make decisions on its behalf\n\n- intend to establish the overseas business\u2019s first commercial presence in the UK, either as a registered branch or a wholly owned subsidiary\n\nYou may also be eligible if the business has a legal entity in the UK that does not employ staff or do any business.\n\nIf your employer has been working to establish a UK branch or subsidiary, but it is not yet set up, you can replace a previous sole representative.\n\n## Newspaper, news agency or broadcast employees\n\nAs an employee of an overseas newspaper, news agency or broadcasting organisation, you can come to the UK if you\u2019re being posted here on a long-term assignment.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\nYou can prove your knowledge of English by either:\n\n- passing an approved English language test with at least CEFR level A1 in speaking and listening\n\n- having an academic qualification that was taught in English and is recognised by UK NARIC as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\nYou may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.\n\n## Exceptions\n\nYou will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nYou also may not have to prove your knowledge of English in other circumstances - check the visa guidance.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel identification\n\n- evidence that you can support yourself and any dependants during your trip, for example bank statements or payslips for the last 6 months\n\n- proof that you meet the English requirement\n\nIf you\u2019re applying from overseas, you\u2019ll also need to provide:\n\n- details of where you\u2019ll be staying during your stay\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\nIf you\u2019re applying from overseas, you\u2019ll need to have a blank page in your passport on which to put the visa.\n\nAll applicants need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Sole representatives\n\nWhen applying as a sole representative of an overseas business you\u2019ll need to provide:\n\n- a full description of the business\u2019s activities, including details of assets and accounts\n\n- a letter confirming the overseas business will set up a wholly owned subsidiary or register a branch in the UK in the same business activity as it runs overseas\n\n- your job description, employment contract and salary details\n\n- a letter confirming you\u2019re familiar with the business and have the power to take operational decisions\n\nYou should also provide evidence that you:\n\n- are directly employed by the business and are not acting as a sales agent (for example, hired by a business to sell or distribute their products within the UK, but working for yourself and providing your services for a fee)\n\n- were recruited to the business outside of the UK\n\n- hold a senior position in the business, with the authority to make decisions on its behalf and set up and run a registered branch or wholly owned subsidiary\n\n- will be working full time for the business or subsidiary for the duration of your stay and will not carry out any other work\n\n- do not own or control a majority of the overseas business\n\n## Newspaper, news agency or broadcast employees\n\nAs an employee of an overseas newspaper, news agency or broadcasting organisation you must also provide:\n\n- a full description of the parent company\u2019s activities, including details of assets and accounts\n\n- confirmation that you will be representing them in the UK in a long term, full-time role\n\n## Apply\n\nRead the Representative of an Overseas Business guidance before you apply.\n\n## Apply outside the UK\n\nYou must apply online for a Representative of an Overseas Business visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nApply now\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply inside the UK\n\nYou must apply online.\n\nApply now\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Extend your visa\n\nYou can apply to extend your stay in the UK under a Representative of an Overseas Business visa.\n\nYou should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must already have this visa as either:\n\n- a representative of an overseas business\n\n- an employee of an overseas newspaper, news agency or broadcasting organisation\n\nYou must also meet the following conditions:\n\n- you\u2019re still working for the same employer as when you were issued your previous visa\n\n- you\u2019ve established, and are supervising, a UK branch or subsidiary of the overseas business\n\n- your employer\u2019s principal place of business is still outside the UK\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\nA Representative of an Overseas Business visa can be extended for up to 2 years after the original visa duration of 3 years.\n\nYour visa can be extended for 3 years if your previous Representative of an Overseas Business visa was issued before 1 October 2009.\n\nYou can apply to settle once you have been in the UK for 5 years and you have an ongoing job with the same company.\n\n## Fees\n\nFor each person applying, you\u2019ll need to pay:\n\n- \u00a3704 to extend this visa\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\n- \u00a319.20 to have your biometric information (fingerprints and a photo) taken\n\n## How to extend your visa\n\nYou must apply online.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made within 8 weeks.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can come with you when you come to the UK on this visa.\n\nA \u2018dependant\u2019 is any of the following:\n\n- your husband, wife or partner\n\n- your child under 18\n\nYour husband, wife or partner cannot come to the UK as your dependant if they own or control a majority of the overseas business you will be representing.\n\n## Dependants applying from outside the UK\n\nYour family members must apply online.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\nThey may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.\n\n## Dependants applying from inside the UK\n\nYour dependants can apply to extend or switch their visas to stay with you if they\u2019re already in the UK. They must apply online.\n\nIt\u2019s best to submit your dependants\u2019 applications at the same time as yours.\n\nMembers of your family cannot apply in the UK as your dependant if they hold a visitor visa.\n\n## Get help to apply online\n\nYour family can get help with completing the online form if they:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYour family can only use this service if they\u2019re applying to extend or switch to your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Children born while you\u2019re in the UK\n\nIf you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.\n\nYou must do this if you want to travel in and out of the UK with them.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\n## Using a solicitor or an agent\n\nYou can use a solicitor or other agent to help with your application or extension.\n\nThey must be registered with the Office of the Immigration Services Commissioner (OISC), unless they are exempt.\n\nApplication decisions will be sent to your representative, provided they are registered or permitted to give immigration advice.\n\n## Exemptions from OISC registration\n\nAn adviser who is a member of one of the following professional bodies (or working under their supervision) does not need to be registered with the OISC:\n\n- Law Society\n\n- Law Society in Scotland\n\n- Law Society in Northern Ireland\n\n- Institute of Legal Executives\n\n- Faculty of Advocates\n\n- General Council of the Bar\n\n- General Council of the Bar of Northern Ireland\n\nMembers of the following UK bodies (or advisers working under their supervision) are also exempt:\n\n- state education institutions and their student unions\n\n- health sector bodies\n\n- employers giving immigration advice to their employees or prospective employees only\n\n## Advisers from outside the UK\n\nYou can use an adviser who is not in the UK. They do not need to be registered with the OISC.\n\nPassports or other travel documents cannot be sent or returned to advisers outside the UK.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply as a representative of an overseas business if you\u2019re either:

    ", + "
  • the sole representative of an overseas business planning to set up either a UK branch or wholly owned subsidiary
  • ", + "
  • an employee of an overseas newspaper, news agency or broadcasting organisation posted on a long-term assignment to the UK
  • ", + "

    You must also meet the other eligibility requirements.

    ", + "

    How long it will take

    ", + "

    If you apply from outside the UK, the earliest you can apply is 3 months before you travel.

    ", + "

    You should get a decision on your visa within 3 weeks when you apply from outside the UK.

    ", + "

    Find out about paying for a faster decision.

    ", + "

    If you apply from inside the UK

    ", + "

    You will get a decision within 8 weeks.

    ", + "

    UKVI will contact you if your application will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example, if you have a criminal conviction)
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expires.

    ", + "

    Fees

    ", + "

    If you apply from outside the UK, a Representative of an Overseas Business visa costs \u00a3610.

    ", + "

    If you apply from inside the UK, you\u2019ll need to pay:

    ", + "
  • \u00a3704 for the visa
  • ", + "
  • \u00a319.20 to have your biometric information (fingerprints and a photo) taken
  • ", + "

    Healthcare surcharge

    ", + "

    You must pay the healthcare surcharge as part of your application. Check how much you need to pay before you apply.

    ", + "

    How long you can stay

    ", + "

    The visa lets you stay in the UK for an initial period of 3 years.

    ", + "

    You may be able to extend your visa for another 2 years.

    ", + "

    After you\u2019ve been in the UK for 5 years, you can apply for permission to settle permanently in the UK.

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • work for your employer, full time
  • ", + "
  • bring your family (\u2018dependants\u2019) with you to the UK
  • ", + "
  • apply to extend your visa
  • ", + "
  • apply to settle in the UK after you\u2019ve been here for 5 years
  • ", + "

    You cannot:

    ", + "
  • work for yourself or any other business
  • ", + "
  • stay in the UK if the sole representative arrangement is ended by your employer
  • ", + "
  • switch to this visa from any other visa category
  • ", + "
  • get public funds
  • ", + "

    Eligibility

    ", + "

    To be eligible for this visa you must:

    ", + "
  • have enough money to support yourself without help from public funds
  • ", + "
  • meet the English requirement
  • ", + "

    Sole representatives

    ", + "

    To apply as a sole representative you must:

    ", + "
  • be recruited and employed outside the UK by an active and trading business (whose headquarters and principal place of business are, and will remain, outside the UK)
  • ", + "
  • have the skills, experience and knowledge to do the role
  • ", + "
  • hold a senior position within the business (but do not own or control the majority of it) and have full authority to make decisions on its behalf
  • ", + "
  • intend to establish the overseas business\u2019s first commercial presence in the UK, either as a registered branch or a wholly owned subsidiary
  • ", + "

    You may also be eligible if the business has a legal entity in the UK that does not employ staff or do any business.

    ", + "

    If your employer has been working to establish a UK branch or subsidiary, but it is not yet set up, you can replace a previous sole representative.

    ", + "

    Newspaper, news agency or broadcast employees

    ", + "

    As an employee of an overseas newspaper, news agency or broadcasting organisation, you can come to the UK if you\u2019re being posted here on a long-term assignment.

    ", + "

    Knowledge of English

    ", + "

    You may need to prove your knowledge of the English language when you apply.

    ", + "

    You can prove your knowledge of English by either:

    ", + "
  • passing an approved English language test with at least CEFR level A1 in speaking and listening
  • ", + "
  • having an academic qualification that was taught in English and is recognised by UK NARIC as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    You may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.

    ", + "

    Exceptions

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    You also may not have to prove your knowledge of English in other circumstances - check the visa guidance.

    ", + "

    Documents you must provide

    ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • evidence that you can support yourself and any dependants during your trip, for example bank statements or payslips for the last 6 months
  • ", + "
  • proof that you meet the English requirement
  • ", + "

    If you\u2019re applying from overseas, you\u2019ll also need to provide:

    ", + "
  • details of where you\u2019ll be staying during your stay
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "

    If you\u2019re applying from overseas, you\u2019ll need to have a blank page in your passport on which to put the visa.

    ", + "

    All applicants need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Read the guide for a list of documents you can provide.

    ", + "

    You may need to provide additional documents depending on your circumstances.

    ", + "

    Sole representatives

    ", + "

    When applying as a sole representative of an overseas business you\u2019ll need to provide:

    ", + "
  • a full description of the business\u2019s activities, including details of assets and accounts
  • ", + "
  • a letter confirming the overseas business will set up a wholly owned subsidiary or register a branch in the UK in the same business activity as it runs overseas
  • ", + "
  • your job description, employment contract and salary details
  • ", + "
  • a letter confirming you\u2019re familiar with the business and have the power to take operational decisions
  • ", + "

    You should also provide evidence that you:

    ", + "
  • are directly employed by the business and are not acting as a sales agent (for example, hired by a business to sell or distribute their products within the UK, but working for yourself and providing your services for a fee)
  • ", + "
  • were recruited to the business outside of the UK
  • ", + "
  • hold a senior position in the business, with the authority to make decisions on its behalf and set up and run a registered branch or wholly owned subsidiary
  • ", + "
  • will be working full time for the business or subsidiary for the duration of your stay and will not carry out any other work
  • ", + "
  • do not own or control a majority of the overseas business
  • ", + "

    Newspaper, news agency or broadcast employees

    ", + "

    As an employee of an overseas newspaper, news agency or broadcasting organisation you must also provide:

    ", + "
  • a full description of the parent company\u2019s activities, including details of assets and accounts
  • ", + "
  • confirmation that you will be representing them in the UK in a long term, full-time role
  • ", + "

    Apply

    ", + "

    Read the Representative of an Overseas Business guidance before you apply.

    ", + "

    Apply outside the UK

    ", + "

    You must apply online for a Representative of an Overseas Business visa.

    ", + "

    You\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.

    ", + "

    Apply now

    ", + "

    Find out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply inside the UK

    ", + "

    You must apply online.

    ", + "

    Apply now

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Extend your visa

    ", + "

    You can apply to extend your stay in the UK under a Representative of an Overseas Business visa.

    ", + "

    You should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.

    ", + "

    You should apply before your current visa expires.

    ", + "

    Eligibility

    ", + "

    You must already have this visa as either:

    ", + "
  • a representative of an overseas business
  • ", + "
  • an employee of an overseas newspaper, news agency or broadcasting organisation
  • ", + "

    You must also meet the following conditions:

    ", + "
  • you\u2019re still working for the same employer as when you were issued your previous visa
  • ", + "
  • you\u2019ve established, and are supervising, a UK branch or subsidiary of the overseas business
  • ", + "
  • your employer\u2019s principal place of business is still outside the UK
  • ", + "

    You must be in the UK to extend your visa.

    ", + "

    How long you can stay

    ", + "

    A Representative of an Overseas Business visa can be extended for up to 2 years after the original visa duration of 3 years.

    ", + "

    Your visa can be extended for 3 years if your previous Representative of an Overseas Business visa was issued before 1 October 2009.

    ", + "

    You can apply to settle once you have been in the UK for 5 years and you have an ongoing job with the same company.

    ", + "

    Fees

    ", + "

    For each person applying, you\u2019ll need to pay:

    ", + "
  • \u00a3704 to extend this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "
  • \u00a319.20 to have your biometric information (fingerprints and a photo) taken
  • ", + "

    How to extend your visa

    ", + "

    You must apply online.

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying to extend your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    How long it takes

    ", + "

    A decision will be made within 8 weeks.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    Once you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.

    ", + "

    Family members

    ", + "

    Your family members (\u2018dependants\u2019) can come with you when you come to the UK on this visa.

    ", + "

    A \u2018dependant\u2019 is any of the following:

    ", + "
  • your husband, wife or partner
  • ", + "
  • your child under 18
  • ", + "

    Your husband, wife or partner cannot come to the UK as your dependant if they own or control a majority of the overseas business you will be representing.

    ", + "

    Dependants applying from outside the UK

    ", + "

    Your family members must apply online.

    ", + "

    They\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.

    ", + "

    They may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.

    ", + "

    Dependants applying from inside the UK

    ", + "

    Your dependants can apply to extend or switch their visas to stay with you if they\u2019re already in the UK. They must apply online.

    ", + "

    It\u2019s best to submit your dependants\u2019 applications at the same time as yours.

    ", + "

    Members of your family cannot apply in the UK as your dependant if they hold a visitor visa.

    ", + "

    Get help to apply online

    ", + "

    Your family can get help with completing the online form if they:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    Your family can only use this service if they\u2019re applying to extend or switch to your visa in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Children born while you\u2019re in the UK

    ", + "

    If you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.

    ", + "

    You must do this if you want to travel in and out of the UK with them.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    Using a solicitor or an agent

    ", + "

    You can use a solicitor or other agent to help with your application or extension.

    ", + "

    They must be registered with the Office of the Immigration Services Commissioner (OISC), unless they are exempt.

    ", + "

    Application decisions will be sent to your representative, provided they are registered or permitted to give immigration advice.

    ", + "

    Exemptions from OISC registration

    ", + "

    An adviser who is a member of one of the following professional bodies (or working under their supervision) does not need to be registered with the OISC:

    ", + "
  • Law Society
  • ", + "
  • Law Society in Scotland
  • ", + "
  • Law Society in Northern Ireland
  • ", + "
  • Institute of Legal Executives
  • ", + "
  • Faculty of Advocates
  • ", + "
  • General Council of the Bar
  • ", + "
  • General Council of the Bar of Northern Ireland
  • ", + "

    Members of the following UK bodies (or advisers working under their supervision) are also exempt:

    ", + "
  • state education institutions and their student unions
  • ", + "
  • health sector bodies
  • ", + "
  • employers giving immigration advice to their employees or prospective employees only
  • ", + "

    Advisers from outside the UK

    ", + "

    You can use an adviser who is not in the UK. They do not need to be registered with the OISC.

    ", + "

    Passports or other travel documents cannot be sent or returned to advisers outside the UK.

    " + ] + }, + "https://www.gov.uk/turkish-business-person": { + "url": "https://www.gov.uk/turkish-business-person", + "title": "Turkish Businessperson visa", + "content": "## Overview\n\nYou can apply to extend your Turkish Businessperson visa if you already have permission to stay in the UK as a Turkish Businessperson.\n\nYou can:\n\n- continue running your business in the UK, and start another one\n\n- continue to help run an established business in the UK\n\nYou must meet the eligibility requirements.\n\nNew applications for the Turkish Businessperson visa have closed. Only children under 21 (\u2018child dependants\u2019) can apply to join you in the UK on this visa.\n\n## Eligibility\n\nYou can only extend your visa if you\u2019re already in the UK.\nYou\u2019ll need to meet the eligibility requirements to extend your visa.\n\n## How long you can stay\n\nYou can apply to extend your visa for up to 3 years.\n\n## If you want to stay longer in the UK\n\nYou can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.\n\nAfter 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## How to apply\n\nYou must apply to extend your visa online.\n\nYour partner and children (\u2018dependants\u2019) can apply separately to extend their dependant visas, if they already have them.\n\nIf your children or your partner\u2019s children want to join you from outside the UK, they\u2019ll need to apply as your dependants.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied, you\u2019ll usually get a decision on your visa extension within 6 months.\n\n## How much it costs\n\nThere\u2019s no fee to apply to extend your visa.\n\n## What you can and cannot do\n\nWith a Turkish Businessperson visa extension you can:\n\n- keep running your business in the UK, and start another one\n\n- keep being a partner in an existing business which you\u2019ll have an active part in running\n\n- apply to extend your stay if you meet the eligibility requirements\n\n- study\n\n- do voluntary work\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- change jobs or employer\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Turkish Businessperson visa.\n\n## Eligibility\n\nTo be eligible to apply for an extension of your Turkish Businessperson visa you need to:\n\n- have a valid Turkish Businessperson visa\n\n- show you have not broken any immigration laws\n\n- keep running a viable business\n\n- keep being able to pay your share of the costs of running the business\n\n- show that your share of the profits continue to be enough to support you and your family without your needing to have another job\n\nIf you are part of an existing partnership or company you\u2019ll need to show that you still have an active part in running the business.\n\n## Documents you\u2019ll need to apply\n\nWhen you apply to extend your visa you\u2019ll need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months\n\n- proof of your living costs, such as a tenancy agreement, mortgage agreement, utility bills, council tax statement, bank statements, documents relating to transfer of money to relatives abroad\n\n- proof of state benefits you\u2019ve received in the UK\n\n- a biometric residence permit showing your Turkish Businessperson visa\n\n- your police registration certificate\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa.\n\nYou may be asked to get a police certificate for yourself and your family in the UK if you or they don\u2019t already have one.\n\n## Proof for your business\n\nYou should provide proof that you\u2019re currently running your business\n\n## If you\u2019re continuing to run a business or partnership\n\nYou may need to provide proof such as:\n\n- insurance documents\n\n- business accounts prepared by a chartered accountant or approved by an auditor\n\n- HM Revenue and Customs (HMRC) documents (including evidence of payment)\n\n- qualifications for running the business, such as relevant formal qualifications or evidence of previous relevant experience\n\n- evidence of your finances and your investment in the business, such as UK or overseas bank statements, overseas money transfers, and bank loans\n\n- evidence of any financial assistance from a third party (for example family member), such as bank statements or other financial documents as evidence of their finances, and a legal or other document confirming their involvement in and share of the business\n\n- a document setting out the terms of your involvement in the business\n\n## If you\u2019re establishing another business or partnership\n\nYou may need to provide proof such as:\n\n- a business plan\n\n- evidence you are investing money of your own into the new business\n\n- documents for your business premises\n\n- partnership agreements\n\n## Extend your visa\n\nYou can usually apply to extend a Turkish Businessperson visa if you\u2019re in the UK and all of the following are true:\n\n- your business is still going\n\n- you\u2019re still able to pay your share of the costs of running the business (its liabilities)\n\n- your share of the profits will be enough to support you and your dependants without you needing to have another job\n\nYour partner or children will need to apply separately, including children who have turned 21 during your stay.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Fees\n\nThere\u2019s no fee to apply to extend your visa.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Turkish Businessperson visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 6 months of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to extend their permission to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. To do this, they must have a valid dependant visa.\n\nYour children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.\n\nIf their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 21 - including if they were born in the UK during your stay\n\n- your child over 21 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## Your child\n\nYour child must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Documents you must provide\n\nFor each family member in the UK applying to extend you must have:\n\n- a valid passport or other document that shows your identity and nationality\n\n- a biometric residence permit (BRP) showing their current dependant visa\n\n- proof that you have sole responsibility for any dependants aged under 21 if the other parent will not be in the UK, for example written permission or relevant legal documents\n\n- proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months\n\nIf your dependant is in the UK and was asked to register with the police when they arrived, you must also provide their police registration certificate.\n\n## Applying inside the UK (extend)\n\nYour partner or children who are already in the UK can apply to extend their visa.\n\nYou can either:\n\n- include your dependants on your visa extension application\n\n- ask your dependant to apply separately\n\n## How to apply\n\nIf the dependant is your partner, they must apply online as a partner.\n\nYou need to apply online for your child.\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Applying from outside the UK\n\nYour children or those of your partner can apply to come to the UK if you have a Turkish Businessperson visa. They\u2019ll need to apply for a visa as your dependant.\n\nIf you\u2019re already in the UK and want your child to join you, they must apply online for a dependant visa.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to extend your Turkish Businessperson visa if you already have permission to stay in the UK as a Turkish Businessperson.

    ", + "

    You can:

    ", + "
  • continue running your business in the UK, and start another one
  • ", + "
  • continue to help run an established business in the UK
  • ", + "

    You must meet the eligibility requirements.

    ", + "

    New applications for the Turkish Businessperson visa have closed. Only children under 21 (\u2018child dependants\u2019) can apply to join you in the UK on this visa.

    ", + "

    Eligibility

    ", + "

    You can only extend your visa if you\u2019re already in the UK.\nYou\u2019ll need to meet the eligibility requirements to extend your visa.

    ", + "

    How long you can stay

    ", + "

    You can apply to extend your visa for up to 3 years.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.

    ", + "

    After 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    You must apply to extend your visa online.

    ", + "

    Your partner and children (\u2018dependants\u2019) can apply separately to extend their dependant visas, if they already have them.

    ", + "

    If your children or your partner\u2019s children want to join you from outside the UK, they\u2019ll need to apply as your dependants.

    ", + "

    How long it takes

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied, you\u2019ll usually get a decision on your visa extension within 6 months.

    ", + "

    How much it costs

    ", + "

    There\u2019s no fee to apply to extend your visa.

    ", + "

    What you can and cannot do

    ", + "

    With a Turkish Businessperson visa extension you can:

    ", + "
  • keep running your business in the UK, and start another one
  • ", + "
  • keep being a partner in an existing business which you\u2019ll have an active part in running
  • ", + "
  • apply to extend your stay if you meet the eligibility requirements
  • ", + "
  • study
  • ", + "
  • do voluntary work
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements
  • ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "
  • change jobs or employer
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Turkish Businessperson visa.

    ", + "

    Eligibility

    ", + "

    To be eligible to apply for an extension of your Turkish Businessperson visa you need to:

    ", + "
  • have a valid Turkish Businessperson visa
  • ", + "
  • show you have not broken any immigration laws
  • ", + "
  • keep running a viable business
  • ", + "
  • keep being able to pay your share of the costs of running the business
  • ", + "
  • show that your share of the profits continue to be enough to support you and your family without your needing to have another job
  • ", + "

    If you are part of an existing partnership or company you\u2019ll need to show that you still have an active part in running the business.

    ", + "

    Documents you\u2019ll need to apply

    ", + "

    When you apply to extend your visa you\u2019ll need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months
  • ", + "
  • proof of your living costs, such as a tenancy agreement, mortgage agreement, utility bills, council tax statement, bank statements, documents relating to transfer of money to relatives abroad
  • ", + "
  • proof of state benefits you\u2019ve received in the UK
  • ", + "
  • a biometric residence permit showing your Turkish Businessperson visa
  • ", + "
  • your police registration certificate
  • ", + "

    You\u2019ll need to have a blank page in your passport on which to put the visa.

    ", + "

    You may be asked to get a police certificate for yourself and your family in the UK if you or they don\u2019t already have one.

    ", + "

    Proof for your business

    ", + "

    You should provide proof that you\u2019re currently running your business

    ", + "

    If you\u2019re continuing to run a business or partnership

    ", + "

    You may need to provide proof such as:

    ", + "
  • insurance documents
  • ", + "
  • business accounts prepared by a chartered accountant or approved by an auditor
  • ", + "
  • HM Revenue and Customs (HMRC) documents (including evidence of payment)
  • ", + "
  • qualifications for running the business, such as relevant formal qualifications or evidence of previous relevant experience
  • ", + "
  • evidence of your finances and your investment in the business, such as UK or overseas bank statements, overseas money transfers, and bank loans
  • ", + "
  • evidence of any financial assistance from a third party (for example family member), such as bank statements or other financial documents as evidence of their finances, and a legal or other document confirming their involvement in and share of the business
  • ", + "
  • a document setting out the terms of your involvement in the business
  • ", + "

    If you\u2019re establishing another business or partnership

    ", + "

    You may need to provide proof such as:

    ", + "
  • a business plan
  • ", + "
  • evidence you are investing money of your own into the new business
  • ", + "
  • documents for your business premises
  • ", + "
  • partnership agreements
  • ", + "

    Extend your visa

    ", + "

    You can usually apply to extend a Turkish Businessperson visa if you\u2019re in the UK and all of the following are true:

    ", + "
  • your business is still going
  • ", + "
  • you\u2019re still able to pay your share of the costs of running the business (its liabilities)
  • ", + "
  • your share of the profits will be enough to support you and your dependants without you needing to have another job
  • ", + "

    Your partner or children will need to apply separately, including children who have turned 21 during your stay.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Fees

    ", + "

    There\u2019s no fee to apply to extend your visa.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to extend your Turkish Businessperson visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 6 months of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to extend their permission to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. To do this, they must have a valid dependant visa.

    ", + "

    Your children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.

    ", + "

    If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 21 - including if they were born in the UK during your stay
  • ", + "
  • your child over 21 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    Your child

    ", + "

    Your child must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Documents you must provide

    ", + "

    For each family member in the UK applying to extend you must have:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • a biometric residence permit (BRP) showing their current dependant visa
  • ", + "
  • proof that you have sole responsibility for any dependants aged under 21 if the other parent will not be in the UK, for example written permission or relevant legal documents
  • ", + "
  • proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months
  • ", + "

    If your dependant is in the UK and was asked to register with the police when they arrived, you must also provide their police registration certificate.

    ", + "

    Applying inside the UK (extend)

    ", + "

    Your partner or children who are already in the UK can apply to extend their visa.

    ", + "

    You can either:

    ", + "
  • include your dependants on your visa extension application
  • ", + "
  • ask your dependant to apply separately
  • ", + "

    How to apply

    ", + "

    If the dependant is your partner, they must apply online as a partner.

    ", + "

    You need to apply online for your child.

    ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Applying from outside the UK

    ", + "

    Your children or those of your partner can apply to come to the UK if you have a Turkish Businessperson visa. They\u2019ll need to apply for a visa as your dependant.

    ", + "

    If you\u2019re already in the UK and want your child to join you, they must apply online for a dependant visa.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + "https://www.gov.uk/turkish-worker": { + "url": "https://www.gov.uk/turkish-worker", + "title": "Turkish Worker visa", + "content": "## Overview\n\nYou can apply to extend your Turkish Worker visa if you already have permission to stay in the UK as a Turkish Worker.\n\n## Eligibility\n\nYou can only extend your visa if you\u2019re already in the UK.\n\nYou\u2019ll need to meet the eligibility requirements to extend your visa.\n\n## How long you can stay\n\nThe length of time you can apply to extend your stay for and what job you can do depends on how long you\u2019ve legally worked in the UK.\n\n| How long you\u2019ve worked in the UK | Length of permission to be in the UK | What you can do |\n\n| 3 to 4 years | Up to 1 year | Change employer, but in the same occupation |\n\n| 4+ years | Up to 3 years | Work in any occupation for any employer |\n\nYou must apply from within the UK before your current permission to stay expires.\n\n## If you want to stay longer in the UK\n\nYou can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.\n\nAfter 5 years, you may be able to apply to settle in the UK permanently (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## How to apply\n\nYou must apply to extend your visa online.\n\nYour partner and children (\u2018dependants\u2019) can apply separately to extend their dependant visas, if they already have them.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied, you\u2019ll usually get a decision on your visa extension within 6 months.\n\n## How much it costs\n\nThere\u2019s no fee to apply to extend your visa.\n\n## What you can and cannot do\n\nWith a Turkish Worker visa extension you can:\n\n- include your family (\u2018dependants\u2019) on this extension if they\u2019re already in the UK and have a dependant visa\n\n- study\n\n- do voluntary work\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Turkish Worker visa.\n\n## Eligibility\n\nTo be eligible to apply for an extension of your Turkish Worker visa you need to:\n\n- have a valid Turkish Worker visa\n\n- show you have not broken any immigration laws\n\n## Documents you\u2019ll need to apply\n\nWhen you apply to extend your visa you\u2019ll need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- a biometric residence permit showing your Turkish Worker visa\n\n- proof of all your employment during your current stay in the UK, including payslips and bank statements for the whole period you\u2019ve worked here\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa.\n\nIf you\u2019re an au pair, you can provide a letter from your host family if you do not have payslips and bank statements.\n\nYou may be asked to get a police certificate for yourself and your family in the UK if you or they don\u2019t already have one.\n\n## Your job\n\nYou should also provide evidence that shows you have been legally employed in the UK with the same employer for at least 3 years, and you\u2019re planning to:\n\n- carry on doing the same type of job, if you\u2019ve been legally employed for between 3 and 4 years\n\n- work for any employer doing any job, if you\u2019ve been legally employed for 4 years or longer\n\nEvidence can include things like a letter from your current or prospective employer, or a current job application letter.\n\n## Extend your visa\n\nYou can usually apply to extend a Turkish Worker visa if you\u2019re in the UK and all of the following are true:\n\n- you have a valid Turkish Worker visa\n\n- you can show you have not broken any immigration laws\n\nYour partner or children will need to apply separately, including children who have turned 21 during your stay.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Fees\n\nThere\u2019s no fee to apply to extend your visa.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Turkish Worker visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 6 months of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to extend their permission to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. To do this, they must have a valid dependant visa.\n\nYour children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.\n\nIf their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 21 - including if they were born in the UK during your stay\n\n- your child over 21 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## Your child\n\nYour child must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Documents you must provide\n\nFor each dependant in the UK applying to extend you must have:\n\n- a valid passport or other document that shows your identity and nationality\n\n- a biometric residence permit (BRP) showing their current dependant visa\n\n- bank statements or payslips for the last 6 months showing you can support them\n\n- a police registration certificate if your dependants were asked to register with the police when they came to the UK\n\nIf you\u2019re the only parent of any dependants aged under 18 in the UK, you must provide legal documents or written permission from their other parent showing you legally have sole responsibility.\n\n## Applying inside the UK (extend)\n\nYour partner or children who are already in the UK can apply to extend their visa.\n\nYour partner or child will need to apply separately (including children who have turned 21 during your stay).\n\n## How to apply\n\nIf the dependant is your partner, they must apply online as a partner.\n\nYou need to apply online for your child.\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Applying from outside the UK\n\nYour children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.\n\nIf you\u2019re already in the UK and want your child to join you, they must apply online for a dependant visa.\n\n## Proving their identity\n\nAs part of their application, your children (or your partner\u2019s children), will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 12 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to extend your Turkish Worker visa if you already have permission to stay in the UK as a Turkish Worker.

    ", + "

    Eligibility

    ", + "

    You can only extend your visa if you\u2019re already in the UK.

    ", + "

    You\u2019ll need to meet the eligibility requirements to extend your visa.

    ", + "

    How long you can stay

    ", + "

    The length of time you can apply to extend your stay for and what job you can do depends on how long you\u2019ve legally worked in the UK.

    ", + "How long you\u2019ve worked in the UK | Length of permission to be in the UK | What you can do", + "3 to 4 years | Up to 1 year | Change employer, but in the same occupation", + "4+ years | Up to 3 years | Work in any occupation for any employer", + "

    You must apply from within the UK before your current permission to stay expires.

    ", + "

    If you want to stay longer in the UK

    ", + "

    You can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.

    ", + "

    After 5 years, you may be able to apply to settle in the UK permanently (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    You must apply to extend your visa online.

    ", + "

    Your partner and children (\u2018dependants\u2019) can apply separately to extend their dependant visas, if they already have them.

    ", + "

    How long it takes

    ", + "

    As part of your application, you\u2019ll need to prove your identity and provide your documents.

    ", + "

    You may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.

    ", + "

    Getting a decision

    ", + "

    Once you\u2019ve applied, you\u2019ll usually get a decision on your visa extension within 6 months.

    ", + "

    How much it costs

    ", + "

    There\u2019s no fee to apply to extend your visa.

    ", + "

    What you can and cannot do

    ", + "

    With a Turkish Worker visa extension you can:

    ", + "
  • include your family (\u2018dependants\u2019) on this extension if they\u2019re already in the UK and have a dependant visa
  • ", + "
  • study
  • ", + "
  • do voluntary work
  • ", + "
  • apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements
  • ", + "

    You cannot:

    ", + "
  • apply for most benefits (public funds), or the State Pension
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Turkish Worker visa.

    ", + "

    Eligibility

    ", + "

    To be eligible to apply for an extension of your Turkish Worker visa you need to:

    ", + "
  • have a valid Turkish Worker visa
  • ", + "
  • show you have not broken any immigration laws
  • ", + "

    Documents you\u2019ll need to apply

    ", + "

    When you apply to extend your visa you\u2019ll need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • a biometric residence permit showing your Turkish Worker visa
  • ", + "
  • proof of all your employment during your current stay in the UK, including payslips and bank statements for the whole period you\u2019ve worked here
  • ", + "

    You\u2019ll need to have a blank page in your passport on which to put the visa.

    ", + "

    If you\u2019re an au pair, you can provide a letter from your host family if you do not have payslips and bank statements.

    ", + "

    You may be asked to get a police certificate for yourself and your family in the UK if you or they don\u2019t already have one.

    ", + "

    Your job

    ", + "

    You should also provide evidence that shows you have been legally employed in the UK with the same employer for at least 3 years, and you\u2019re planning to:

    ", + "
  • carry on doing the same type of job, if you\u2019ve been legally employed for between 3 and 4 years
  • ", + "
  • work for any employer doing any job, if you\u2019ve been legally employed for 4 years or longer
  • ", + "

    Evidence can include things like a letter from your current or prospective employer, or a current job application letter.

    ", + "

    Extend your visa

    ", + "

    You can usually apply to extend a Turkish Worker visa if you\u2019re in the UK and all of the following are true:

    ", + "
  • you have a valid Turkish Worker visa
  • ", + "
  • you can show you have not broken any immigration laws
  • ", + "

    Your partner or children will need to apply separately, including children who have turned 21 during your stay.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Fees

    ", + "

    There\u2019s no fee to apply to extend your visa.

    ", + "

    Proving your identity and providing supporting documents

    ", + "

    As part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Apply to extend your Turkish Worker visa

    ", + "

    You must apply online before your current visa expires.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    Sign in to your account using the link from your sign-up email.

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 6 months of your application date.

    ", + "

    You\u2019ll be contacted if your application will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    ", + "

    You\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.

    ", + "

    Your partner and children

    ", + "

    Your partner and children can apply to extend their permission to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. To do this, they must have a valid dependant visa.

    ", + "

    Your children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.

    ", + "

    If their application is successful, their visa will end on the same date as yours.

    ", + "

    Your relationship

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "
  • your child under 21 - including if they were born in the UK during your stay
  • ", + "
  • your child over 21 if they\u2019re currently in the UK as your dependant
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply.

    ", + "

    Your partner

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    Your child

    ", + "

    Your child must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • ", + "

    If your child lives with you, you\u2019ll need to provide evidence of their address such as:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Documents you must provide

    ", + "

    For each dependant in the UK applying to extend you must have:

    ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • a biometric residence permit (BRP) showing their current dependant visa
  • ", + "
  • bank statements or payslips for the last 6 months showing you can support them
  • ", + "
  • a police registration certificate if your dependants were asked to register with the police when they came to the UK
  • ", + "

    If you\u2019re the only parent of any dependants aged under 18 in the UK, you must provide legal documents or written permission from their other parent showing you legally have sole responsibility.

    ", + "

    Applying inside the UK (extend)

    ", + "

    Your partner or children who are already in the UK can apply to extend their visa.

    ", + "

    Your partner or child will need to apply separately (including children who have turned 21 during your stay).

    ", + "

    How to apply

    ", + "

    If the dependant is your partner, they must apply online as a partner.

    ", + "

    You need to apply online for your child.

    ", + "

    They\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your partner and children will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Applying from outside the UK

    ", + "

    Your children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.

    ", + "

    If you\u2019re already in the UK and want your child to join you, they must apply online for a dependant visa.

    ", + "

    Proving their identity

    ", + "

    As part of their application, your children (or your partner\u2019s children), will need to prove their identity. They\u2019ll either:

    ", + "
  • have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account
  • ", + "

    They\u2019ll be told what they need to do when they apply.

    ", + "

    How long it takes to get a decision

    ", + "

    Once they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 12 weeks.

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    ", + "

    You can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.

    ", + "

    You must apply for their dependant visa before they turn 18 if they want to stay in the UK.

    " + ] + }, + "https://www.gov.uk/uk-visa-sponsorship-employers": { + "url": "https://www.gov.uk/uk-visa-sponsorship-employers", + "title": "UK visa sponsorship for employers", + "content": "## Overview\n\nYou\u2019ll usually need a sponsor licence to employ someone to work for you from outside the UK. This includes citizens of the EU, Iceland, Liechtenstein, Norway and Switzerland who arrived in the UK after 31 December 2020.\n\nThis includes unpaid work, like running a charity.\n\nYou will not need a licence to sponsor certain groups, for example:\n\n- Irish citizens\n\n- those with settled or pre-settled status under the EU Settlement Scheme\n\n- those with indefinite leave to remain in the UK\n\nRead more about who does not need sponsorship.\n\nSponsoring someone does not guarantee that they\u2019ll be allowed to come to or stay in the UK.\n\n## How to get a sponsor licence\n\n- Check your business is eligible.\n\n- Choose the type of licence you want to apply for - this will depend on what type of worker you want to sponsor.\n\n- Decide who will manage sponsorship within your business.\n\n- Apply online and pay the fee.\n\nUK Visas and Immigration (UKVI) may visit your business to check it\u2019s suitable.\n\n## After you apply\n\nYou\u2019ll be given a licence rating if your application is successful.\n\nYou\u2019ll be able to issue certificates of sponsorship if you have jobs that are suitable for sponsorship.\n\nYour licence will be valid for 4 years. You may lose your licence if you do not meet your responsibilities as a sponsor.\n\n## Eligibility\n\nTo get a licence, you cannot have:\n\n- unspent criminal convictions for immigration offences or certain other crimes, such as fraud or money laundering\n\n- had a sponsor licence revoked in the last 12 months\n\nYou\u2019ll need appropriate systems in place to monitor sponsored employees.\n\nUK Visas and Immigration (UKVI) will review your application form and supporting documents. They may visit your business to make sure you\u2019re trustworthy and capable of carrying out your duties.\n\n## Types of licence\n\nThe licence you need depends on whether the workers you want to fill your jobs are:\n\n- \u2018Workers\u2019 - for those with long-term job offers\n\n- \u2018Temporary workers\u2019\n\nYou can apply for a licence covering one or both types of worker.\n\n## Worker licence\n\nA \u2018Worker\u2019 licence will let you employ people long-term or permanently. It\u2019s split into:\n\n- Skilled Worker - the role must meet the job suitability requirements\n\n- Intra-company visas - this includes Intra-company Transfer and Intra-company Graduate Trainee, for multinational companies which need to transfer established employees or graduate trainees to the UK\n\n- Minister of Religion - for people coming to work for a religious organisation\n\n- Sportsperson - for elite sportspeople and coaches who will be based in the UK\n\n## Temporary Worker licence\n\nA \u2018Temporary Worker\u2019 licence will let you employ people on a temporary basis. It\u2019s split into:\n\n- Creative or Sporting Worker - to work as a high-level sportsperson (up to 1 year), entertainer or artist (up to 2 years)\n\n- Charity Worker - for unpaid workers at a charity (up to 1 year)\n\n- Religious Worker - for those working in a religious order or organisation (2 years)\n\n- Government Authorised Exchange Worker - work experience (1 year), research projects or training, for example practical medical or scientific training (2 years) to enable a short-term exchange of knowledge\n\n- International Agreement Worker - where the worker is coming to do a job which is covered by international law, for example employees of overseas governments\n\n- Seasonal Worker - for those coming to the UK for up to 6 months to do farm work\n\n## Sponsorship management roles\n\nYou need to appoint people within your business to manage the sponsorship process when you apply for a licence.\n\nThe main tool they\u2019ll use is the sponsorship management system (SMS).\n\nThe roles are:\n\n- authorising officer \u2013 a senior and competent person responsible for the actions of staff and representatives who use the SMS\n\n- key contact \u2013 your main point of contact with UK Visas and Immigration (UKVI)\n\n- level 1 user \u2013 responsible for all day-to-day management of your licence using the SMS\n\nThese roles can be filled by the same person or different people.\n\nYou can also appoint an optional level 2 user once you have your licence. This is an SMS user with more restricted access than a level 1 user, for example they cannot withdraw a certificate of sponsorship.\n\n## Suitability checks\n\nYou and your staff will be checked to make sure you\u2019re suitable for these roles. You may not get your licence if anyone involved in sponsorship has:\n\n- an unspent criminal conviction\n\n- been fined by UKVI in the past 12 months\n\n- been reported to UKVI\n\n- broken the law\n\n- been a \u2018key person\u2019 at a sponsor that had its licence revoked in the last 12 months\n\n- failed to pay VAT or other excise duty\n\nYou and your allocated staff must also:\n\n- be based in the UK most of the time\n\n- not be a contractor or consultant contracted for a specific project\n\n- not be subject to a bankruptcy restriction order or undertaking, or a debt relief restriction order or undertaking\n\n- not have a history of non-compliance with sponsor requirements\n\nYour allocated staff must usually be paid members of staff, or office holders.\n\nRead the full guidance on appointing \u2018key personnel\u2019.\n\n## HR contractors and agency staff\n\nYou must have at least one level 1 user who is your employee. You can have other level 1 or level 2 users employed by third-party organisations contracted to provide you with HR services. Your level 2 user can be a temporary member of staff supplied by an agency.\n\n## UK-based legal representatives\n\nYou can allocate any of the roles to a UK-based legal representative, apart from the authorising officer role. Your representative must be qualified to give immigration advice or services.\n\n## Apply for your licence\n\nYou need to apply online for your licence.\n\nOnce you\u2019ve finished the online application, you need to send in:\n\n- the submission sheet at the end of the application\n\n- your supporting documents\n\nAny affidavits or statutory declarations you send must be witnessed by a qualified, independent person - for example, a solicitor, Notary Public, Justice of the Peace, Commissioner for Oaths, or (in Scotland only) a Councillor.\n\nApply now\n\n## How to send the documents\n\nYou can scan or take pictures of your submission sheet and supporting documents and send them to the email address given on the submission sheet. Make sure your files:\n\n- are in PDF, JPEG or PNG format\n\n- have descriptive titles, with 25 or fewer characters\n\n- are high enough quality to be read\n\nIf your documents are not in English or Welsh, they must be accompanied by a certified translation - there\u2019s more information in part 1 of the guidance for sponsors.\n\nIf you cannot scan and send the documents by email, contact UK Visas and Immigration (UKVI) using the contact details on the submission sheet.\n\n## Licence fees\n\nYou need to pay a fee when you apply. The fee depends on the type of licence you\u2019re applying for and what type of organisation you are.\n\nYou\u2019re usually a small sponsor if two of the following apply:\n\n- your annual turnover is \u00a310.2 million or less\n\n- your total assets are worth \u00a35.1 million or less\n\n- you have 50 employees or fewer\n\nYou\u2019re a charitable sponsor if you\u2019re either:\n\n- a registered, excepted or exempt charity\n\n- an ecclesiastical corporation established for charitable purposes\n\nContact the Business Helpdesk if you\u2019re unsure which category your business fits into.\n\n| Type of licence | Fee for small or charitable sponsors | Fee for medium or large sponsors |\n\n| Worker | \u00a3536 | \u00a31,476 |\n\n| Temporary Worker | \u00a3536 | \u00a3536 |\n\n| Worker and Temporary Worker | \u00a3536 | \u00a3 1,476 |\n\n| Add a Worker licence to an existing Temporary Worker licence | No fee | \u00a3940 |\n\n| Add a Temporary Worker licence to an existing Worker licence | No fee | No fee |\n\n## How long it takes to get a decision\n\nMost applications (8 out of 10) are dealt with in less than 8 weeks. UKVI may need to visit your business.\n\nYou may be able to pay \u00a3500 to get a decision within 10 working days. You\u2019ll be told if you can after you apply.\n\n## Applications refused because of a mistake\n\nYou can apply to request a review of your application if you think it was refused because:\n\n- the caseworker processing your application made a mistake\n\n- your supporting documents were not considered\n\nYou cannot apply just because you disagree with the decision.\n\n## Help and advice\n\nSponsors can get advice from the sponsorship, employer and education helpline:\n\nYou can also join the premium customer service scheme to get extra support from a licence manager - this costs at least \u00a38,000 a year.\n\nUK businesses and Tier 1 (Investors) can get help from the Business Helpdesk:\n\n## Your licence rating\n\nYou\u2019ll get an A-rated licence if your application is approved.\n\n## A-rating - full sponsor licence\n\nAn A-rated licence lets you start assigning certificates of sponsorship.\n\nYour business will be listed in the register of sponsors.\n\n## Downgrading to B-rating\n\nYour A-rated licence may be downgraded to a B-rating at a later stage if you do not continue to meet your sponsor duties.\n\nIf this happens, you will not be able to issue new certificates of sponsorship until you\u2019ve made improvements and upgraded back to an A-rating.\n\nYou\u2019ll still be able to issue certificates to workers you already employ who want to extend their permission to stay.\n\n## Upgrade to an A-rating\n\nYou need to follow an \u2018action plan\u2019 provided by UK Visas and Immigration (UKVI) to upgrade your licence.\n\nYou have to pay \u00a31,476 for an action plan.\n\nYou must pay the fee within 10 working days of the date UKVI tells you about the downgrade. If you do not, you\u2019ll lose your licence.\n\n## At the end of the action plan\n\nYou\u2019ll be upgraded to an A-rating if you complete all the steps and there\u2019s nothing else you need to improve.\n\nYou\u2019ll lose your licence if you do not complete all the steps.\n\nIf you need to make other improvements, you\u2019ll be given another B-rating and will have to follow a new action plan. You\u2019ll have to pay the fee again.\n\n## If you get a second B-rating\n\nYou can only have 2 B-ratings in the 4 years that your licence is valid.\n\nYou\u2019ll lose your licence if you still need to make improvements after your second action plan.\n\n## How to reapply\n\nYou cannot appeal if your licence is revoked, but you can reapply. You have to wait at least 12 months before reapplying.\n\nYou need to start a new application when you reapply.\n\n## Certificates of sponsorship\n\nYou must assign a certificate of sponsorship to each foreign worker you employ. This is an electronic record, not a physical document. Each certificate has its own number which a worker can use to apply for a visa.\n\nWhen you assign the certificate to a worker, they must use it to apply for their visa within 3 months. They must not apply for their visa more than 3 months before the start date of the job listed on the certificate.\n\n## Defined certificates\n\nThese are for people applying on a Skilled Worker visa from outside the UK.\n\nYou must apply for defined certificates for these workers through the sponsorship management system (SMS). You\u2019ll get access to this when you get your licence.\n\n## When you get the certificate\n\nApplications are usually approved within one working day. It may take longer if UKVI need to carry out further checks on the information in your application.\n\nDefined certificates will appear in your SMS account once they have been approved. You can then assign them to a worker.\n\n## Undefined certificates\n\nThese are for Skilled Workers applying from inside the UK, and applicants on all other visas.\n\nWhen you apply for your licence you\u2019ll be asked to estimate how many undefined certificates you\u2019ll need for Workers and Temporary Workers in the first year.\n\n## Certificate costs\n\nCertificates are free for citizens of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nFor other citizens, you need to pay for each certificate.\n\n| Type of certificate | Cost per certificate |\n\n| Worker | \u00a3199 |\n\n| Temporary Worker | \u00a321 |\n\nIf you assign a certificate of sponsorship to a worker on a Skilled Worker or Intra-company Transfer visa, you might also need to pay the immigration skills charge.\n\n## Immigration skills charge\n\nYou might have to pay an additional charge when you assign a certificate of sponsorship to someone applying for a Skilled Worker or Intra-company Transfer visa. This is called the \u2018immigration skills charge\u2019.\n\nYou must pay the immigration skills charge if they\u2019re applying for a visa from:\n\n- outside the UK to work in the UK for 6 months or more\n\n- inside the UK for any length of time\n\n## When you do not need to pay\n\nYou will not pay the immigration skills charge if you\u2019re sponsoring someone:\n\n- on an Intra-company Graduate Trainee visa\n\n- who is on a visa to study in the UK, and switches to a Skilled Worker or Intra-company Transfer visa - if they then extend their stay on the new visa, you will not have to pay the charge\n\nYou will also not have to pay the charge if you\u2019re sponsoring someone with one of the following occupation codes:\n\n- chemical scientists (2111)\n\n- biological scientists and biochemists (2112)\n\n- physical scientists (2113)\n\n- social and humanities scientists (2114)\n\n- natural and social science professionals not elsewhere classified (2119)\n\n- research and development managers (2150)\n\n- higher education teaching professionals (2311)\n\n- clergy (2444)\n\n- sports players (3441)\n\n- sports coaches, instructors or officials (3442)\n\nYou also might not have to pay the charge if you\u2019re sponsoring a worker who was assigned a certificate before 6 April 2017 - there\u2019s more information in part 2 of the guidance for sponsors.\n\nYou will not need to pay the charge for any of the worker\u2019s dependants, for example their partner or child.\n\n## If the person you\u2019re sponsoring changes jobs\n\nIf you\u2019ve assigned a certificate of sponsorship to someone in your organisation, who then moves to a new job in your organisation, you\u2019ll need to assign them a new certificate. They will use this to apply for a new visa.\n\nYou only need to do this if the new job has a different occupation code.\n\nYou\u2019ll need to pay the immigration skills charge again if the end date on their new visa is later than the end date on their existing visa.\n\n## How to pay\n\nYou pay the immigration skills charge when you assign a certificate of sponsorship to the worker.\n\n## How much it costs\n\nThe amount you need to pay is based on:\n\n- the size of your organisation\n\n- how long the worker will work for you, using the start and end dates on their sponsorship certificate\n\n| |\n\n| Period | Small or charitable sponsors | Medium or large sponsors |\n\n| First 12 months | \u00a3364 | \u00a31,000 |\n\n| Each additional 6 months | \u00a3182 | \u00a3500 |\n\nIf the worker will be in the UK for longer than 6 months but less than a year, you must pay for at least 12 months.\n\nYou must pay the full charge in one go.\n\nContact the Business Helpdesk if you\u2019re not sure which category your business fits into.\n\nAs the longest you can sponsor a worker for is 5 years, the most you have to pay will be:\n\n- \u00a31,820 (5 x \u00a3364) if you\u2019re a small or charitable sponsor\n\n- \u00a35,000 (5 x \u00a31,000) if you\u2019re a medium or large sponsor\n\nUK Visas and Immigration (UKVI) will contact you if you do not pay the charge or pay the wrong amount. You\u2019ll have 10 working days to pay the charge - the worker\u2019s visa application will be refused if you do not.\n\n## Refunds\n\nYou\u2019ll get a full refund if the worker\u2019s visa application is:\n\n- refused or withdrawn\n\n- successful, but they do not come to work for you\n\nYou\u2019ll get a partial refund if the worker:\n\n- gets less time on their visa than you sponsored them for\n\n- starts working for you but then changes to another sponsor\n\n- leaves their job before the end date on their certificate of sponsorship\n\nYou\u2019ll also get a partial refund if you paid the medium or large sponsor fee when assigning the certificate, but had already notified UKVI that you\u2019re now a small or charitable sponsor.\n\n## How long it takes\n\nYou usually get a refund within 90 days of:\n\n- telling UKVI that the worker did not come to work for you\n\n- the expiration date on the worker\u2019s certificate of sponsorship, if they did not use it to apply for a visa\n\n- the date the worker\u2019s visa application is refused or withdrawn\n\n- the date you assigned the certificate of sponsorship, if you had already notified UKVI that you became a small or charitable sponsor\n\nIf the worker\u2019s visa application is refused, they can ask for the decision to be reviewed. \nThis is known as an \u2018administrative review\u2019.\n\nIf they do not ask for an administrative review, you\u2019ll get a refund within 90 days of the deadline for applying for one.\n\nYou\u2019ll get a refund within 90 days of the administrative review being dismissed if the worker applied for one and were unsuccessful.\n\nContact UKVI if your refund is not paid within 90 days.\n\n## Job suitability\n\nYou can sponsor a worker if the job they\u2019re going to do has a suitable rate of pay and skill level, or meets the other criteria needed for their visa.\n\n## Additional requirements for religious workers\n\nYou\u2019ll usually have to advertise any job you offer to someone with a Religious Worker visa, unless it\u2019s a non-essential position or involves living within a religious order (such as a monk or nun).\n\nWhen you do not need to advertise the job, you need to have records showing that there is not a suitable person who does not require sponsorship to take on the role.\n\nThere are rules you must follow about how to advertise jobs for religious workers.\n\n## Additional requirements for creative workers\n\nCreative jobs done by someone on a Creative or Sporting Worker visa include:\n\n- ballet dancers and other dancers\n\n- film and TV performers\n\n- theatre and opera performers\n\n- film and TV workers\n\n- models\n\nFor creative jobs, you must make sure that either:\n\n- you comply with the creative workers code of practice (if it exists for that occupation)\n\n- the job is on the shortage occupations list\n\nIf the job is not on the shortage occupation list, and there is no code of practice, you need to check that the job cannot be done by a worker who does not need sponsoring.\n\n## Additional requirements for sporting workers\n\nFor sporting jobs that will be done by someone on either the Creative or Sporting Worker visa or Sportsperson visa, you must get an endorsement letter from the relevant governing body.\n\n## Sponsoring under-18s\n\nYou cannot sponsor a foreign worker under 18 on:\n\n- a Skilled Worker visa\n\n- an Intra-company visa\n\n- an International Agreement Worker visa, if they\u2019ll be working as a private servant in a diplomatic household or in the household of an employee of an international organisation\n\n- a Seasonal Worker visa\n\nYou cannot sponsor a child under 16 for a Minister of Religion or Sportsperson visa.\n\n## If you\u2019re also a Student sponsor (ATAS certificates)\n\nIf you also have a Student sponsor licence, you may need to check whether the worker needs an Academic Technology Approval Scheme (ATAS) certificate.\n\n## Who needs to do this\n\nYou need to do this if all of the following are true:\n\n- you\u2019re licensed as a Student sponsor\n\n- you\u2019re sponsoring the worker for a Skilled Worker, Intra-company Transfer, Intra-company Graduate Trainee, Government Authorised Exchange Worker or International Agreement Worker visa\n\n- you\u2019re sponsoring the worker for a role in a relevant occupation code\n\nIf any of these do not apply to you, you do not need to do anything.\n\n## What you need to do\n\nIf you do need to check, you must follow these steps.\n\n- Check if the worker needs an ATAS certificate.\n\n- Add a sponsor note to your certificate of sponsorship, confirming whether or not the worker needs an ATAS certificate.\n\n- If the worker does need an ATAS certificate, you must tell them that they need to get one and include it in their visa application.\n\n## Check if the worker needs an ATAS certificate\n\nThe worker will need an ATAS certificate if all of the following are true:\n\n- they will be carrying out research at PhD level or above\n\n- they will be carrying out research in a \u2018relevant subject\u2019 - check the relevant subject areas list in the worker sponsor guidance\n\n- their nationality is not exempt from needing an ATAS certificate - check the exempt nationalities list in the worker sponsor guidance\n\n## If the worker does not need an ATAS certificate\n\nYour sponsor note should say that the worker does not need an ATAS certificate and explain why.\n\n## If the worker needs an ATAS certificate\n\nYou must:\n\n- tell the worker that they need to get an ATAS certificate and include it in their visa application\n\n- add a sponsor note to your certificate of sponsorship\n\n- make and keep a copy of the ATAS certificate, once it has been issued\n\n## Tell the worker that they need an ATAS certificate\n\nTell the worker that they must apply for an ATAS certificate and include it in their visa application.\n\nIf the worker does not include their ATAS certificate, their visa application will be refused and you may lose your sponsor licences.\n\nATAS certificate applications for workers can take at least 2 weeks to be processed (3 weeks between April and September).\n\n## Add a sponsor note to your certificate of sponsorship\n\nYour sponsor note should say that the worker needs an ATAS certificate and mention whether they have already applied for or been issued with one.\n\n## Make and keep a copy of the ATAS certificate\n\nWhen the worker has received their ATAS certificate, you must make and keep a copy of the certificate, or the electronic approval notice the worker received from the Foreign, Commonwealth & Development Office (FCDO).\n\n## Your responsibilities\n\nYou must:\n\n- check that your foreign workers have the necessary skills, qualifications or professional accreditations to do their jobs, and keep copies of documents showing this\n\n- only assign certificates of sponsorship to workers when the job is suitable for sponsorship\n\n- tell UK Visas and Immigration (UKVI) if your sponsored workers are not complying with the conditions of their visa\n\nYour licence may be downgraded, suspended or withdrawn if you do not meet them.\n\nRead the full guidance on sponsor requirements and duties and check workers have the right to work in the UK.\n\n## Monitoring employees\n\nYou must have HR systems in place that let you:\n\n- monitor your employees\u2019 immigration status\n\n- keep copies of relevant documents for each employee, including passport and right to work information\n\n- track and record employees\u2019 attendance\n\n- keep employee contact details up to date\n\n- report to UKVI if there is a problem, for example if your employee stops coming to work\n\n## Changes to your business\n\nYou must report any significant changes in your own circumstances within 20 working days, for example if you:\n\n- stop trading or become insolvent\n\n- substantially change the nature of your business\n\n- are involved in a merger or take-over\n\nYou must also tell UKVI if you\u2019re changing your details, like your address or allocated roles.\n\nTo register a change of circumstances use the sponsorship management system (SMS).\n\nRequests can take up to 18 weeks. You can register a change within 5 working days instead if you use the priority service. It costs \u00a3200.\n\n## Sponsoring under-18s\n\nYou must make sure that foreign workers under 18 have suitable care arrangements for their:\n\n- travel to the UK\n\n- arrival in the UK\n\n- living arrangements in the UK\n\nYou must also get a letter from their parents giving consent to the care arrangements.\n\nYou must get a Disclosure and Barring Service check on any of your workers who need it.\n\nYou\u2019ll lose your licence if you do not do this.\n\n## Children under 16\n\nYou must get a licence from the local education authority in the area where the child will work.", + "original_contents": [ + "

    Overview

    ", + "

    You\u2019ll usually need a sponsor licence to employ someone to work for you from outside the UK. This includes citizens of the EU, Iceland, Liechtenstein, Norway and Switzerland who arrived in the UK after 31 December 2020.

    ", + "

    This includes unpaid work, like running a charity.

    ", + "

    You will not need a licence to sponsor certain groups, for example:

    ", + "
  • Irish citizens
  • ", + "
  • those with settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • those with indefinite leave to remain in the UK
  • ", + "

    Read more about who does not need sponsorship.

    ", + "

    Sponsoring someone does not guarantee that they\u2019ll be allowed to come to or stay in the UK.

    ", + "

    How to get a sponsor licence

    ", + "
  • Check your business is eligible.
  • ", + "
  • Choose the type of licence you want to apply for - this will depend on what type of worker you want to sponsor.
  • ", + "
  • Decide who will manage sponsorship within your business.
  • ", + "
  • Apply online and pay the fee.
  • ", + "

    UK Visas and Immigration (UKVI) may visit your business to check it\u2019s suitable.

    ", + "

    After you apply

    ", + "

    You\u2019ll be given a licence rating if your application is successful.

    ", + "

    You\u2019ll be able to issue certificates of sponsorship if you have jobs that are suitable for sponsorship.

    ", + "

    Your licence will be valid for 4 years. You may lose your licence if you do not meet your responsibilities as a sponsor.

    ", + "

    Eligibility

    ", + "

    To get a licence, you cannot have:

    ", + "
  • unspent criminal convictions for immigration offences or certain other crimes, such as fraud or money laundering
  • ", + "
  • had a sponsor licence revoked in the last 12 months
  • ", + "

    You\u2019ll need appropriate systems in place to monitor sponsored employees.

    ", + "

    UK Visas and Immigration (UKVI) will review your application form and supporting documents. They may visit your business to make sure you\u2019re trustworthy and capable of carrying out your duties.

    ", + "

    Types of licence

    ", + "

    The licence you need depends on whether the workers you want to fill your jobs are:

    ", + "
  • \u2018Workers\u2019 - for those with long-term job offers
  • ", + "
  • \u2018Temporary workers\u2019
  • ", + "

    You can apply for a licence covering one or both types of worker.

    ", + "

    Worker licence

    ", + "

    A \u2018Worker\u2019 licence will let you employ people long-term or permanently. It\u2019s split into:

    ", + "
  • Skilled Worker - the role must meet the job suitability requirements
  • ", + "
  • Intra-company visas - this includes Intra-company Transfer and Intra-company Graduate Trainee, for multinational companies which need to transfer established employees or graduate trainees to the UK
  • ", + "
  • Minister of Religion - for people coming to work for a religious organisation
  • ", + "
  • Sportsperson - for elite sportspeople and coaches who will be based in the UK
  • ", + "

    Temporary Worker licence

    ", + "

    A \u2018Temporary Worker\u2019 licence will let you employ people on a temporary basis. It\u2019s split into:

    ", + "
  • Creative or Sporting Worker - to work as a high-level sportsperson (up to 1 year), entertainer or artist (up to 2 years)
  • ", + "
  • Charity Worker - for unpaid workers at a charity (up to 1 year)
  • ", + "
  • Religious Worker - for those working in a religious order or organisation (2 years)
  • ", + "
  • Government Authorised Exchange Worker - work experience (1 year), research projects or training, for example practical medical or scientific training (2 years) to enable a short-term exchange of knowledge
  • ", + "
  • International Agreement Worker - where the worker is coming to do a job which is covered by international law, for example employees of overseas governments
  • ", + "
  • Seasonal Worker - for those coming to the UK for up to 6 months to do farm work
  • ", + "

    Sponsorship management roles

    ", + "

    You need to appoint people within your business to manage the sponsorship process when you apply for a licence.

    ", + "

    The main tool they\u2019ll use is the sponsorship management system (SMS).

    ", + "

    The roles are:

    ", + "
  • authorising officer \u2013 a senior and competent person responsible for the actions of staff and representatives who use the SMS
  • ", + "
  • key contact \u2013 your main point of contact with UK Visas and Immigration (UKVI)
  • ", + "
  • level 1 user \u2013 responsible for all day-to-day management of your licence using the SMS
  • ", + "

    These roles can be filled by the same person or different people.

    ", + "

    You can also appoint an optional level 2 user once you have your licence. This is an SMS user with more restricted access than a level 1 user, for example they cannot withdraw a certificate of sponsorship.

    ", + "

    Suitability checks

    ", + "

    You and your staff will be checked to make sure you\u2019re suitable for these roles. You may not get your licence if anyone involved in sponsorship has:

    ", + "
  • an unspent criminal conviction
  • ", + "
  • been fined by UKVI in the past 12 months
  • ", + "
  • been reported to UKVI
  • ", + "
  • broken the law
  • ", + "
  • been a \u2018key person\u2019 at a sponsor that had its licence revoked in the last 12 months
  • ", + "
  • failed to pay VAT or other excise duty
  • ", + "

    You and your allocated staff must also:

    ", + "
  • be based in the UK most of the time
  • ", + "
  • not be a contractor or consultant contracted for a specific project
  • ", + "
  • not be subject to a bankruptcy restriction order or undertaking, or a debt relief restriction order or undertaking
  • ", + "
  • not have a history of non-compliance with sponsor requirements
  • ", + "

    Your allocated staff must usually be paid members of staff, or office holders.

    ", + "

    Read the full guidance on appointing \u2018key personnel\u2019.

    ", + "

    HR contractors and agency staff

    ", + "

    You must have at least one level 1 user who is your employee. You can have other level 1 or level 2 users employed by third-party organisations contracted to provide you with HR services. Your level 2 user can be a temporary member of staff supplied by an agency.

    ", + "

    UK-based legal representatives

    ", + "

    You can allocate any of the roles to a UK-based legal representative, apart from the authorising officer role. Your representative must be qualified to give immigration advice or services.

    ", + "

    Apply for your licence

    ", + "

    You need to apply online for your licence.

    ", + "

    Once you\u2019ve finished the online application, you need to send in:

    ", + "
  • the submission sheet at the end of the application
  • ", + "
  • your supporting documents
  • ", + "

    Any affidavits or statutory declarations you send must be witnessed by a qualified, independent person - for example, a solicitor, Notary Public, Justice of the Peace, Commissioner for Oaths, or (in Scotland only) a Councillor.

    ", + "

    Apply now

    ", + "

    How to send the documents

    ", + "

    You can scan or take pictures of your submission sheet and supporting documents and send them to the email address given on the submission sheet. Make sure your files:

    ", + "
  • are in PDF, JPEG or PNG format
  • ", + "
  • have descriptive titles, with 25 or fewer characters
  • ", + "
  • are high enough quality to be read
  • ", + "

    If your documents are not in English or Welsh, they must be accompanied by a certified translation - there\u2019s more information in part 1 of the guidance for sponsors.

    ", + "

    If you cannot scan and send the documents by email, contact UK Visas and Immigration (UKVI) using the contact details on the submission sheet.

    ", + "

    Licence fees

    ", + "

    You need to pay a fee when you apply. The fee depends on the type of licence you\u2019re applying for and what type of organisation you are.

    ", + "

    You\u2019re usually a small sponsor if two of the following apply:

    ", + "
  • your annual turnover is \u00a310.2 million or less
  • ", + "
  • your total assets are worth \u00a35.1 million or less
  • ", + "
  • you have 50 employees or fewer
  • ", + "

    You\u2019re a charitable sponsor if you\u2019re either:

    ", + "
  • a registered, excepted or exempt charity
  • ", + "
  • an ecclesiastical corporation established for charitable purposes
  • ", + "

    Contact the Business Helpdesk if you\u2019re unsure which category your business fits into.

    ", + "Type of licence | Fee for small or charitable sponsors | Fee for medium or large sponsors", + "Worker | \u00a3536 | \u00a31,476", + "Temporary Worker | \u00a3536 | \u00a3536", + "Worker and Temporary Worker | \u00a3536 | \u00a3 1,476", + "Add a Worker licence to an existing Temporary Worker licence | No fee | \u00a3940", + "Add a Temporary Worker licence to an existing Worker licence | No fee | No fee", + "

    How long it takes to get a decision

    ", + "

    Most applications (8 out of 10) are dealt with in less than 8 weeks. UKVI may need to visit your business.

    ", + "

    You may be able to pay \u00a3500 to get a decision within 10 working days. You\u2019ll be told if you can after you apply.

    ", + "

    Applications refused because of a mistake

    ", + "

    You can apply to request a review of your application if you think it was refused because:

    ", + "
  • the caseworker processing your application made a mistake
  • ", + "
  • your supporting documents were not considered
  • ", + "

    You cannot apply just because you disagree with the decision.

    ", + "

    Help and advice

    ", + "

    Sponsors can get advice from the sponsorship, employer and education helpline:

    ", + "

    You can also join the premium customer service scheme to get extra support from a licence manager - this costs at least \u00a38,000 a year.

    ", + "

    UK businesses and Tier 1 (Investors) can get help from the Business Helpdesk:

    ", + "

    Your licence rating

    ", + "

    You\u2019ll get an A-rated licence if your application is approved.

    ", + "

    A-rating - full sponsor licence

    ", + "

    An A-rated licence lets you start assigning certificates of sponsorship.

    ", + "

    Your business will be listed in the register of sponsors.

    ", + "

    Downgrading to B-rating

    ", + "

    Your A-rated licence may be downgraded to a B-rating at a later stage if you do not continue to meet your sponsor duties.

    ", + "

    If this happens, you will not be able to issue new certificates of sponsorship until you\u2019ve made improvements and upgraded back to an A-rating.

    ", + "

    You\u2019ll still be able to issue certificates to workers you already employ who want to extend their permission to stay.

    ", + "

    Upgrade to an A-rating

    ", + "

    You need to follow an \u2018action plan\u2019 provided by UK Visas and Immigration (UKVI) to upgrade your licence.

    ", + "

    You have to pay \u00a31,476 for an action plan.

    ", + "

    You must pay the fee within 10 working days of the date UKVI tells you about the downgrade. If you do not, you\u2019ll lose your licence.

    ", + "

    At the end of the action plan

    ", + "

    You\u2019ll be upgraded to an A-rating if you complete all the steps and there\u2019s nothing else you need to improve.

    ", + "

    You\u2019ll lose your licence if you do not complete all the steps.

    ", + "

    If you need to make other improvements, you\u2019ll be given another B-rating and will have to follow a new action plan. You\u2019ll have to pay the fee again.

    ", + "

    If you get a second B-rating

    ", + "

    You can only have 2 B-ratings in the 4 years that your licence is valid.

    ", + "

    You\u2019ll lose your licence if you still need to make improvements after your second action plan.

    ", + "

    How to reapply

    ", + "

    You cannot appeal if your licence is revoked, but you can reapply. You have to wait at least 12 months before reapplying.

    ", + "

    You need to start a new application when you reapply.

    ", + "

    Certificates of sponsorship

    ", + "

    You must assign a certificate of sponsorship to each foreign worker you employ. This is an electronic record, not a physical document. Each certificate has its own number which a worker can use to apply for a visa.

    ", + "

    When you assign the certificate to a worker, they must use it to apply for their visa within 3 months. They must not apply for their visa more than 3 months before the start date of the job listed on the certificate.

    ", + "

    Defined certificates

    ", + "

    These are for people applying on a Skilled Worker visa from outside the UK.

    ", + "

    You must apply for defined certificates for these workers through the sponsorship management system (SMS). You\u2019ll get access to this when you get your licence.

    ", + "

    When you get the certificate

    ", + "

    Applications are usually approved within one working day. It may take longer if UKVI need to carry out further checks on the information in your application.

    ", + "

    Defined certificates will appear in your SMS account once they have been approved. You can then assign them to a worker.

    ", + "

    Undefined certificates

    ", + "

    These are for Skilled Workers applying from inside the UK, and applicants on all other visas.

    ", + "

    When you apply for your licence you\u2019ll be asked to estimate how many undefined certificates you\u2019ll need for Workers and Temporary Workers in the first year.

    ", + "

    Certificate costs

    ", + "

    Certificates are free for citizens of the following countries:

    ", + "

    Austria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.

    ", + "

    For other citizens, you need to pay for each certificate.

    ", + "Type of certificate | Cost per certificate", + "Worker | \u00a3199", + "Temporary Worker | \u00a321", + "

    If you assign a certificate of sponsorship to a worker on a Skilled Worker or Intra-company Transfer visa, you might also need to pay the immigration skills charge.

    ", + "

    Immigration skills charge

    ", + "

    You might have to pay an additional charge when you assign a certificate of sponsorship to someone applying for a Skilled Worker or Intra-company Transfer visa. This is called the \u2018immigration skills charge\u2019.

    ", + "

    You must pay the immigration skills charge if they\u2019re applying for a visa from:

    ", + "
  • outside the UK to work in the UK for 6 months or more
  • ", + "
  • inside the UK for any length of time
  • ", + "

    When you do not need to pay

    ", + "

    You will not pay the immigration skills charge if you\u2019re sponsoring someone:

    ", + "
  • on an Intra-company Graduate Trainee visa
  • ", + "
  • who is on a visa to study in the UK, and switches to a Skilled Worker or Intra-company Transfer visa - if they then extend their stay on the new visa, you will not have to pay the charge
  • ", + "

    You will also not have to pay the charge if you\u2019re sponsoring someone with one of the following occupation codes:

    ", + "
  • chemical scientists (2111)
  • ", + "
  • biological scientists and biochemists (2112)
  • ", + "
  • physical scientists (2113)
  • ", + "
  • social and humanities scientists (2114)
  • ", + "
  • natural and social science professionals not elsewhere classified (2119)
  • ", + "
  • research and development managers (2150)
  • ", + "
  • higher education teaching professionals (2311)
  • ", + "
  • clergy (2444)
  • ", + "
  • sports players (3441)
  • ", + "
  • sports coaches, instructors or officials (3442)
  • ", + "

    You also might not have to pay the charge if you\u2019re sponsoring a worker who was assigned a certificate before 6 April 2017 - there\u2019s more information in part 2 of the guidance for sponsors.

    ", + "

    You will not need to pay the charge for any of the worker\u2019s dependants, for example their partner or child.

    ", + "

    If the person you\u2019re sponsoring changes jobs

    ", + "

    If you\u2019ve assigned a certificate of sponsorship to someone in your organisation, who then moves to a new job in your organisation, you\u2019ll need to assign them a new certificate. They will use this to apply for a new visa.

    ", + "

    You only need to do this if the new job has a different occupation code.

    ", + "

    You\u2019ll need to pay the immigration skills charge again if the end date on their new visa is later than the end date on their existing visa.

    ", + "

    How to pay

    ", + "

    You pay the immigration skills charge when you assign a certificate of sponsorship to the worker.

    ", + "

    How much it costs

    ", + "

    The amount you need to pay is based on:

    ", + "
  • the size of your organisation
  • ", + "
  • how long the worker will work for you, using the start and end dates on their sponsorship certificate
  • ", + "", + "Period | Small or charitable sponsors | Medium or large sponsors", + "First 12 months | \u00a3364 | \u00a31,000", + "Each additional 6 months | \u00a3182 | \u00a3500", + "

    If the worker will be in the UK for longer than 6 months but less than a year, you must pay for at least 12 months.

    ", + "

    You must pay the full charge in one go.

    ", + "

    Contact the Business Helpdesk if you\u2019re not sure which category your business fits into.

    ", + "

    As the longest you can sponsor a worker for is 5 years, the most you have to pay will be:

    ", + "
  • \u00a31,820 (5 x \u00a3364) if you\u2019re a small or charitable sponsor
  • ", + "
  • \u00a35,000 (5 x \u00a31,000) if you\u2019re a medium or large sponsor
  • ", + "

    UK Visas and Immigration (UKVI) will contact you if you do not pay the charge or pay the wrong amount. You\u2019ll have 10 working days to pay the charge - the worker\u2019s visa application will be refused if you do not.

    ", + "

    Refunds

    ", + "

    You\u2019ll get a full refund if the worker\u2019s visa application is:

    ", + "
  • refused or withdrawn
  • ", + "
  • successful, but they do not come to work for you
  • ", + "

    You\u2019ll get a partial refund if the worker:

    ", + "
  • gets less time on their visa than you sponsored them for
  • ", + "
  • starts working for you but then changes to another sponsor
  • ", + "
  • leaves their job before the end date on their certificate of sponsorship
  • ", + "

    You\u2019ll also get a partial refund if you paid the medium or large sponsor fee when assigning the certificate, but had already notified UKVI that you\u2019re now a small or charitable sponsor.

    ", + "

    How long it takes

    ", + "

    You usually get a refund within 90 days of:

    ", + "
  • telling UKVI that the worker did not come to work for you
  • ", + "
  • the expiration date on the worker\u2019s certificate of sponsorship, if they did not use it to apply for a visa
  • ", + "
  • the date the worker\u2019s visa application is refused or withdrawn
  • ", + "
  • the date you assigned the certificate of sponsorship, if you had already notified UKVI that you became a small or charitable sponsor
  • ", + "

    If the worker\u2019s visa application is refused, they can ask for the decision to be reviewed. \nThis is known as an \u2018administrative review\u2019.

    ", + "

    If they do not ask for an administrative review, you\u2019ll get a refund within 90 days of the deadline for applying for one.

    ", + "

    You\u2019ll get a refund within 90 days of the administrative review being dismissed if the worker applied for one and were unsuccessful.

    ", + "

    Contact UKVI if your refund is not paid within 90 days.

    ", + "

    Job suitability

    ", + "

    You can sponsor a worker if the job they\u2019re going to do has a suitable rate of pay and skill level, or meets the other criteria needed for their visa.

    ", + "

    Additional requirements for religious workers

    ", + "

    You\u2019ll usually have to advertise any job you offer to someone with a Religious Worker visa, unless it\u2019s a non-essential position or involves living within a religious order (such as a monk or nun).

    ", + "

    When you do not need to advertise the job, you need to have records showing that there is not a suitable person who does not require sponsorship to take on the role.

    ", + "

    There are rules you must follow about how to advertise jobs for religious workers.

    ", + "

    Additional requirements for creative workers

    ", + "

    Creative jobs done by someone on a Creative or Sporting Worker visa include:

    ", + "
  • ballet dancers and other dancers
  • ", + "
  • film and TV performers
  • ", + "
  • theatre and opera performers
  • ", + "
  • film and TV workers
  • ", + "
  • models
  • ", + "

    For creative jobs, you must make sure that either:

    ", + "
  • you comply with the creative workers code of practice (if it exists for that occupation)
  • ", + "
  • the job is on the shortage occupations list
  • ", + "

    If the job is not on the shortage occupation list, and there is no code of practice, you need to check that the job cannot be done by a worker who does not need sponsoring.

    ", + "

    Additional requirements for sporting workers

    ", + "

    For sporting jobs that will be done by someone on either the Creative or Sporting Worker visa or Sportsperson visa, you must get an endorsement letter from the relevant governing body.

    ", + "

    Sponsoring under-18s

    ", + "

    You cannot sponsor a foreign worker under 18 on:

    ", + "
  • a Skilled Worker visa
  • ", + "
  • an Intra-company visa
  • ", + "
  • an International Agreement Worker visa, if they\u2019ll be working as a private servant in a diplomatic household or in the household of an employee of an international organisation
  • ", + "
  • a Seasonal Worker visa
  • ", + "

    You cannot sponsor a child under 16 for a Minister of Religion or Sportsperson visa.

    ", + "

    If you\u2019re also a Student sponsor (ATAS certificates)

    ", + "

    If you also have a Student sponsor licence, you may need to check whether the worker needs an Academic Technology Approval Scheme (ATAS) certificate.

    ", + "

    Who needs to do this

    ", + "

    You need to do this if all of the following are true:

    ", + "
  • you\u2019re licensed as a Student sponsor
  • ", + "
  • you\u2019re sponsoring the worker for a Skilled Worker, Intra-company Transfer, Intra-company Graduate Trainee, Government Authorised Exchange Worker or International Agreement Worker visa
  • ", + "
  • you\u2019re sponsoring the worker for a role in a relevant occupation code
  • ", + "

    If any of these do not apply to you, you do not need to do anything.

    ", + "

    What you need to do

    ", + "

    If you do need to check, you must follow these steps.

    ", + "
  • Check if the worker needs an ATAS certificate.
  • ", + "
  • Add a sponsor note to your certificate of sponsorship, confirming whether or not the worker needs an ATAS certificate.
  • ", + "
  • If the worker does need an ATAS certificate, you must tell them that they need to get one and include it in their visa application.
  • ", + "

    Check if the worker needs an ATAS certificate

    ", + "

    The worker will need an ATAS certificate if all of the following are true:

    ", + "
  • they will be carrying out research at PhD level or above
  • ", + "
  • they will be carrying out research in a \u2018relevant subject\u2019 - check the relevant subject areas list in the worker sponsor guidance
  • ", + "
  • their nationality is not exempt from needing an ATAS certificate - check the exempt nationalities list in the worker sponsor guidance
  • ", + "

    If the worker does not need an ATAS certificate

    ", + "

    Your sponsor note should say that the worker does not need an ATAS certificate and explain why.

    ", + "

    If the worker needs an ATAS certificate

    ", + "

    You must:

    ", + "
  • tell the worker that they need to get an ATAS certificate and include it in their visa application
  • ", + "
  • add a sponsor note to your certificate of sponsorship
  • ", + "
  • make and keep a copy of the ATAS certificate, once it has been issued
  • ", + "

    Tell the worker that they need an ATAS certificate

    ", + "

    Tell the worker that they must apply for an ATAS certificate and include it in their visa application.

    ", + "

    If the worker does not include their ATAS certificate, their visa application will be refused and you may lose your sponsor licences.

    ", + "

    ATAS certificate applications for workers can take at least 2 weeks to be processed (3 weeks between April and September).

    ", + "

    Add a sponsor note to your certificate of sponsorship

    ", + "

    Your sponsor note should say that the worker needs an ATAS certificate and mention whether they have already applied for or been issued with one.

    ", + "

    Make and keep a copy of the ATAS certificate

    ", + "

    When the worker has received their ATAS certificate, you must make and keep a copy of the certificate, or the electronic approval notice the worker received from the Foreign, Commonwealth & Development Office (FCDO).

    ", + "

    Your responsibilities

    ", + "

    You must:

    ", + "
  • check that your foreign workers have the necessary skills, qualifications or professional accreditations to do their jobs, and keep copies of documents showing this
  • ", + "
  • only assign certificates of sponsorship to workers when the job is suitable for sponsorship
  • ", + "
  • tell UK Visas and Immigration (UKVI) if your sponsored workers are not complying with the conditions of their visa
  • ", + "

    Your licence may be downgraded, suspended or withdrawn if you do not meet them.

    ", + "

    Read the full guidance on sponsor requirements and duties and check workers have the right to work in the UK.

    ", + "

    Monitoring employees

    ", + "

    You must have HR systems in place that let you:

    ", + "
  • monitor your employees\u2019 immigration status
  • ", + "
  • keep copies of relevant documents for each employee, including passport and right to work information
  • ", + "
  • track and record employees\u2019 attendance
  • ", + "
  • keep employee contact details up to date
  • ", + "
  • report to UKVI if there is a problem, for example if your employee stops coming to work
  • ", + "

    Changes to your business

    ", + "

    You must report any significant changes in your own circumstances within 20 working days, for example if you:

    ", + "
  • stop trading or become insolvent
  • ", + "
  • substantially change the nature of your business
  • ", + "
  • are involved in a merger or take-over
  • ", + "

    You must also tell UKVI if you\u2019re changing your details, like your address or allocated roles.

    ", + "

    To register a change of circumstances use the sponsorship management system (SMS).

    ", + "

    Requests can take up to 18 weeks. You can register a change within 5 working days instead if you use the priority service. It costs \u00a3200.

    ", + "

    Sponsoring under-18s

    ", + "

    You must make sure that foreign workers under 18 have suitable care arrangements for their:

    ", + "
  • travel to the UK
  • ", + "
  • arrival in the UK
  • ", + "
  • living arrangements in the UK
  • ", + "

    You must also get a letter from their parents giving consent to the care arrangements.

    ", + "

    You must get a Disclosure and Barring Service check on any of your workers who need it.

    ", + "

    You\u2019ll lose your licence if you do not do this.

    ", + "

    Children under 16

    ", + "

    You must get a licence from the local education authority in the area where the child will work.

    " + ] + }, + "https://www.gov.uk/student-visa": { + "url": "https://www.gov.uk/student-visa", + "title": "Student visa", + "content": "## Overview\n\nYou can apply for a Student visa to study in the UK if you\u2019re 16 or over and you:\n\n- have been offered a place on a course by a licensed student sponsor\n\n- have enough money to support yourself and pay for your course - the amount will vary depending on your circumstances\n\n- can speak, read, write and understand English\n\n- have consent from your parents if you\u2019re 16 or 17 - you\u2019ll need evidence of this when you apply\n\nIf you\u2019re 16 or 17 and you want to study at an independent school in the UK, you may be eligible for a Child Student visa instead.\n\nThis visa has replaced the Tier 4 (General) student visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. The deadline is 30 June 2021.\n\nOtherwise you need a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## When to apply\n\nWhen you can apply depends on whether you\u2019re applying from inside or outside the UK.\n\n## Applying from outside the UK\n\nThe earliest you can apply for a visa is 6 months before you start your course.\n\nYou\u2019ll usually get a decision on your visa within 3 weeks.\n\n## Applying from inside the UK\n\nThe earliest you can apply is 3 months before your course starts.\n\nYou must apply before your current visa expires. Your new course must begin within 28 days of your current visa expiring.\n\nYou\u2019ll usually get a decision within 8 weeks.\n\n## How long you can stay\n\nHow long you can stay depends on the length of your course and what study you\u2019ve already completed.\n\nIf you\u2019re 18 or over and your course is at degree level, you can usually stay in the UK for up to 5 years. If it\u2019s below degree level, you can usually stay in the UK for up to 2 years.\n\nRead the guidance to find out exactly how long you can stay.\n\n## Staying longer in the UK\n\nYou may be able to:\n\n- extend your visa if you\u2019re eligible, for example to continue your studies in the UK\n\n- switch to a Student visa from another visa if you\u2019re already in the UK\n\n## When you can travel to the UK\n\nYou can arrive in the UK before your course starts. This can be either:\n\n- up to 1 week before, if your course lasts 6 months or less\n\n- up to 1 month before, if your course lasts more than 6 months\n\n## Fees\n\nIt costs:\n\n- \u00a3348 to apply for a Student visa from outside the UK\n\n- \u00a3475 to extend or switch to a Student visa from inside the UK\n\nYou must pay the visa fee for each person that joins you.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## Your partner and children\n\nYou may be able to bring your partner and children (\u2018dependants\u2019).\n\n## What you can and cannot do\n\nYou can:\n\n- study\n\n- work as a student union sabbatical officer\n\nYou may be able to work - how much depends on what you\u2019re studying and whether you\u2019re working in or out of term-time.\n\nYou cannot:\n\n- claim public funds (benefits) and pensions\n\n- work in certain jobs, for example as a professional sportsperson or sports coach\n\n- be self-employed\n\n- study at an academy or a local authority-funded school (also known as a maintained school)\n\nIf your application is successful, you\u2019ll be told what you can and cannot do on a Student visa.\n\n## Your course\n\nYou must have an unconditional offer of a place on a course with a licensed student sponsor.\n\nTo prove this, your education provider will send you a reference number (called a Confirmation of Acceptance for Studies (CAS)) once they\u2019ve offered you a place on the course. You need a CAS before you can apply for your visa.\n\n## Courses you can study\n\nYou can do one of the following courses:\n\n- a full-time course leading to a qualification that\u2019s below degree level (RQF level 3, 4 or 5) with at least 15 hours a week of organised daytime study\n\n- a full-time course leading to a qualification that\u2019s degree level or above (RQF level 6, 7 or 8)\n\n- a full-time course at degree level or above (RQF level 6,7 or 8) that\u2019s equivalent to a UK higher education course and is being delivered as part of a longer course overseas\n\n- a part-time course leading to a qualification that\u2019s above degree level (RQF level 7 or above)\n\n- a recognised foundation programme for postgraduate doctors or dentists\n\n- an English language course at level B2 or above in the Common European Framework of Reference for Languages\n\nYou may also need an Academic Technology Approval Scheme (ATAS) certificate if you\u2019re studying or researching sensitive topics at RQF level 7 or above.\n\nThe qualification levels are different in Scotland.\n\nYou can also apply for this visa if you\u2019re:\n\n- taking up a full-time elected position as a Student Union Sabbatical Officer\n\n- applying to extend your stay on the Doctorate Extension Scheme - you must currently have permission to be in the UK on a Student visa (or a Tier 4 (General) student visa) and your course must lead to a PhD\n\n## Postgraduate doctors and dentists\n\nYou can apply for this visa if you\u2019re sponsored to do a recognised foundation programme and you\u2019ve:\n\n- finished a recognised UK degree in medicine or dentistry\n\n- received that degree from a registered student sponsor\n\n- spent your final year and at least 1 other year of studies leading to that degree in the UK\n\n## Your Confirmation of Acceptance for Studies (CAS)\n\nOnce they\u2019ve offered you a place on the course, your education provider will send you a reference number called a Confirmation of Acceptance for Studies.\n\nYou must enter this reference number on your visa application.\n\nYou must apply for your visa within 6 months of receiving your CAS.\n\n## Money you need\n\nYou must have enough money to pay for your course and support yourself in the UK.\n\nHow much money you need depends on your circumstances and what you\u2019re applying for.\n\n## Course fee\n\nYou need enough money to pay for your course for 1 academic year (up to 9 months). The amount you need to pay will be on your Confirmation of Acceptance for Studies (CAS).\n\nIf you\u2019ve been in the UK with a valid visa for at least 12 months, you do not need to prove you have this money for your visa application.\n\n## Money to support yourself (\u2018financial requirement\u2019)\n\nYou\u2019ll need to show you have enough money to support yourself - unless you\u2019ve been in the UK with a valid visa for at least 12 months on the date of your application.\n\nHow much money you need depends on where you will be studying. You\u2019ll need either:\n\n- \u00a31,334 per month (for up to 9 months) for courses in London\n\n- \u00a31,023 per month (for up to 9 months) for courses outside London\n\nIf you\u2019re applying for the Doctorate Extension Scheme, and you\u2019ve been in the UK for less than 12 months, you need to prove you have a total of \u00a32,668 for courses in London, or a total of \u00a32,046 for courses outside London.\n\nIf you\u2019re boarding at a residential independent school, you\u2019ll need to pay boarding fees instead. The amount you need to pay will be on your CAS.\n\nLondon means the City of London and the 32 London boroughs.\n\nYou\u2019ll need to prove you have extra money for each family member you bring with you.\n\nYou must have this money for at least 28 consecutive days. The end date of the 28-day period must be within 31 days of the date you apply for your visa.\n\nIf you have a student loan or financial sponsorship, you\u2019ll need to provide evidence of this from your loan or sponsorship company.\n\nRead the guidance on finances for student applications for more information about the money you need and how to prove it.\n\n## When you do not need to prove you have money to support yourself\n\nYou do not need to prove the financial requirement if:\n\n- you\u2019ve had a UK visa for 12 months prior to the date of your Student visa application - you must currently be in the UK\n\n- you\u2019re applying as a student union sabbatical officer\n\n- you\u2019re applying as a postgraduate doctor or dentist on a recognised foundation programme\n\n## If you\u2019re from a country listed under the \u2018differential evidence requirement\u2019\n\nYou do not need to prove you have enough money to support yourself if you\u2019re a British national overseas or from one of the following countries or territories:\n\n- Australia\n\n- Austria\n\n- Bahrain\n\n- Barbados\n\n- Belgium\n\n- Botswana\n\n- Brazil\n\n- Brunei\n\n- Bulgaria\n\n- Cambodia\n\n- Canada\n\n- Chile\n\n- China\n\n- Croatia\n\n- Republic of Cyprus\n\n- Czech Republic\n\n- Denmark\n\n- The Dominican Republic\n\n- Estonia\n\n- Finland\n\n- France\n\n- Germany\n\n- Greece\n\n- Hong Kong\n\n- Hungary\n\n- Iceland\n\n- Indonesia\n\n- Ireland\n\n- Italy\n\n- Japan\n\n- Kazakhstan\n\n- Kuwait\n\n- Latvia\n\n- Liechtenstein\n\n- Lithuania\n\n- Luxembourg\n\n- Macao\n\n- Malaysia\n\n- Malta\n\n- Mauritius\n\n- Mexico\n\n- Netherlands\n\n- New Zealand\n\n- Norway\n\n- Oman\n\n- Peru\n\n- Poland\n\n- Portugal\n\n- Qatar\n\n- Romania\n\n- Serbia\n\n- Singapore\n\n- Slovakia\n\n- Slovenia\n\n- South Korea\n\n- Spain\n\n- Sweden\n\n- Switzerland\n\n- Taiwan\n\n- Thailand\n\n- Tunisia\n\n- United Arab Emirates\n\n- United States of America\n\nHowever, you might be asked to provide this evidence before you get a decision on your application.\n\nIf you do need to provide it, you\u2019ll be contacted by UK Visas and Immigration (UKVI) after you\u2019ve submitted your application.\n\nRead the guidance on finances for student applications for more information about the money you need and how to prove it.\n\n## Knowledge of English\n\nYou must prove your knowledge of the English language when you apply.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to a certain level on the Common European Framework of Reference for Languages (CEFR) scale.\n\n| What you\u2019re studying | Level |\n\n| Degree level or above | Equivalent to CEFR level B2 |\n\n| Below degree level | CEFR level B1 |\n\n## If you\u2019re studying with a Higher Education Provider\n\nIf you\u2019re studying at degree level or above, your Higher Education Provider (HEP) can assess your level of English themselves. This means they may ask you to do a different test.\n\nThis must still be equivalent to a CEFR level B2.\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019ve completed a qualification equivalent to a UK degree in one of the following countries, or are from one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Ireland\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- UK\n\n- USA\n\nYou also do not need to prove your knowledge of English if one of the following applies:\n\n- you\u2019re a national of Canada\n\n- you\u2019re applying to come to the UK for a study abroad programme as part of a university degree course in the USA\n\n- you proved your level of English in a previous visa application\n\n## Documents you'll need to apply\n\nWhen you apply for your Student visa you must provide:\n\n- a current passport or other valid travel documentation\n\n- a Confirmation of Acceptance for Studies (CAS) from your course provider\n\nYou may also need to provide:\n\n- proof you have enough money to support yourself and pay for your course - this will vary depending on your circumstances\n\n- a valid ATAS certificate if your course and nationality require it\n\n- proof of parental or other legal guardian consent if you\u2019re under 18\n\n- proof of your relationship to your parent or guardian if you\u2019re under 18\n\n- your tuberculosis test results\n\n- written consent for your application from your financial sponsor if you\u2019ve received sponsorship for your course fees and living costs in the last 12 months\n\nYou may need to provide additional documents depending on your circumstances. Read the guidance for the full list of documents you\u2019ll need to provide.\n\nYou need a blank page in your passport for your visa if you need to give your biometric information (fingerprints and a photograph) at a visa application centre. You\u2019ll be told if you need to do this when you apply.\n\n## If you\u2019re under 18\n\nIf you\u2019re under 18 you\u2019ll need written consent from both parents or legal guardians (or one parent if they have sole responsibility).\n\nThis must include their consent for:\n\n- your visa application\n\n- your living and care arrangements in the UK\n\n- your travel to the UK\n\nYou\u2019ll also need to provide a copy of your birth certificate (or another government issued document) that shows the names of your parents.\n\n## Apply\n\nYou must apply online for a Student visa.\n\nCheck which documents you\u2019ll need to apply.\n\n## Apply outside the UK\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a visa application centre\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 3 weeks.\n\nIf you need to give your biometric information at a visa application centre, you may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.\n\n## Apply inside the UK\n\nYou may be able to apply to:\n\n- extend your Student visa\n\n- switch to a Student visa from another type of visa\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nIf your application is successful, you\u2019ll get either:\n\n- a biometric residence permit - if you gave your biometric information at a visa application centre\n\n- a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app\n\nFind out what happens after you get your decision.\n\n## Your partner and children\n\nYour partner and children (\u2018dependants\u2019) may be able to apply to come to the UK or stay longer in the UK.\n\nYou must be one of the following:\n\n- a full-time student on a postgraduate level course (RQF level 7 or above) that lasts 9 months or longer\n\n- a new government-sponsored student on a course that lasts longer than 6 months\n\n- a Doctorate Extension Scheme student\n\n## Your relationship\n\nA dependant partner or child is one of the following:\n\n- your husband, wife or civil partner\n\n- your unmarried partner\n\n- your child under 18 years old - including if they were born in the UK during your stay\n\nYou\u2019ll need to provide evidence of your relationship when you apply, for example:\n\n- a marriage or civil partnership certificate for your partner\n\n- a birth certificate for your child\n\nFind out what other documents you can use to prove your relationship.\n\n## If your child is 16 or 17\n\nIf your child is 16 or 17 on the date you apply you\u2019ll need to prove they are not living an independent life, for example they\u2019re not married or in a civil partnership.\n\nYou\u2019ll need to prove:\n\n- where they live - if they do not live with you, you\u2019ll need to explain why\n\n- any rent or upkeep they pay you each month\n\n- that you support them financially if they do not live with you\n\nIf your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and child must each have a certain amount of money available to them. This is in addition to the money you must have to support yourself.\n\nHow much money they need depends on where you will be studying. They must have either:\n\n- \u00a3845 a month (for up to 9 months) for courses in London\n\n- \u00a3680 a month (for up to 9 months) for courses outside London\n\nIf you\u2019re applying at the same time as your partner or child (you\u2019re applying together as a family), you\u2019ll need to prove you have both money to pay for your course and to support yourself and additional money for each of them.\n\nIf your partner or child is applying at a different time to you (they\u2019re applying separately) they only need to prove they have money to support themselves.\n\nYou (or your partner or child) must have this money for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date they apply for their visa.\n\nIf you have a student loan or financial sponsorship, you\u2019ll need to provide evidence of this from your loan or sponsorship company. If your loan does not cover your partner or child, you\u2019ll need to prove you have money to support them instead.\n\n## When they do not need to prove they have money to support themselves\n\nYour partner or child does not need to prove they have this money if they\u2019ve been in the UK with a valid visa for at least 12 months.\n\nIf you and your partner or child are from a country listed under the \u2018differential evidence requirement\u2019 and you\u2019re applying at the same time, they do not need to prove they have money to support themselves.\n\nHowever, they might be asked to provide this evidence before they get a decision on their application.\n\nIf they do need to provide it, they\u2019ll be contacted by UK Visas and Immigration (UKVI) after they\u2019ve submitted their application.\n\n## Apply outside the UK\n\nYour partner and children must either:\n\n- apply online as your partner\n\n- apply online as your child\n\nThey\u2019ll need your application number - you get it when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre (to get a biometric residence permit).\n\nThey\u2019ll have to collect their biometric residence permit within 10 days of when they said they\u2019d arrive in the UK.\n\nThey may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.\n\n## How long they can stay\n\nIf their application is successful, their visa will end on the same date as yours.\n\n## Apply inside the UK to extend or switch\n\nApply for your partner or child\u2019s visa at the same time as you extend or switch your own visa.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date - this must be before their current visa expires.\n\nYour partner or child cannot apply to switch in the UK if they have one of the following visas:\n\n- a visit visa\n\n- a short-term student visa\n\n- a Parent of a Child Student visa\n\n- a seasonal worker visa\n\n- a domestic worker in a private household visa\n\n## Fees\n\nEach person will need to pay:\n\n- \u00a3475 for the visa\n\n- the healthcare surcharge - check how much they\u2019ll have to pay\n\nThey may need to pay \u00a319.20 to have their biometric information (fingerprints and a photo) taken.\n\n## How to apply\n\nYour partner and child must apply online. They must either:\n\n- apply as a partner\n\n- apply as a child\n\nThey\u2019ll need your application number - you get it when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## Getting a faster decision\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nApply online for any children you have while in the UK.\n\nYou\u2019ll need to provide a full UK birth certificate for each child.\n\n## Extend your visa\n\nYou may be able to extend your Student visa to stay longer and continue your course or study a new course. This includes if you currently have a Tier 4 (General) student visa.\n\nTo extend your visa you must:\n\n- be in the UK on a Student visa or a Tier 4 (General) student visa\n\n- have an unconditional offer of a place on a course with a licensed student sponsor - shown by your Confirmation of Acceptance for Studies (CAS)\n\n- show that your studies are at a higher academic level than your current course (called the \u2018academic progress requirement\u2019) - there are some exceptions\n\nIf you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself in the UK.\n\nApply to extend your dependants\u2019 visas at the same time as you extend your own visa. If you cannot apply at the same time, your partner or child can extend their visas at a later date - this must be before their current visa expires.\n\n## Showing academic progress\n\nIf you\u2019re currently studying in the UK, you\u2019ll usually need to show your studies will be at a higher academic level than your current course.\n\nYour new course must be one of the following:\n\n- at a higher academic level than your current course\n\n- at the same level and related to your previous course or career aspirations - it must be degree level or above at a Higher Education Provider (HEP)\n\n- intercalated to a medicine, dentistry or medical science course you started studying under your Student visa (including a Tier 4 (General) student visa)\n\nYou do not need to show your studies are at a higher level if you\u2019re doing one of the following:\n\n- resitting exams or repeating modules\n\n- applying for the first time to a new institution to complete a course you started at an institution that lost its student sponsorship licence\n\n- applying after working as a student union sabbatical officer to complete a qualification you started studying under your last Student visa (including a Tier 4 (General) student visa)\n\n- completing a PhD or other doctorate that you started studying under your last Student visa (including a Tier 4 (General) student visa)\n\n- continuing your medical, dentistry or medical science degree after completing an intercalated course\n\n- applying to extend your stay to complete your studies because you\u2019ve done (or want to do) a work placement or study abroad programme\n\nRead the guidance for more information about when you need to prove your studies are at a higher level.\n\n## If you\u2019re applying to work in the UK\n\nYou can get a CAS if you\u2019re:\n\n- applying to work as a student union sabbatical officer\n\n- applying to stay in the UK to look for work after you\u2019ve finished your PhD or doctorate - the \u2018Doctorate Extension Scheme\u2019 (DES)\n\n## When to apply\n\nThe earliest you can apply is 3 months before your course starts.\n\nYou must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.\n\nFor example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.\n\nYou must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).\n\nYou can stay in the UK until you get your decision.\n\nIf you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.\n\n## Fees\n\nFor each person, you\u2019ll need to pay:\n\n- \u00a3475 to extend this visa\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Apply\n\nYou must apply online.\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you will also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes to get a decision\n\nA decision will usually be made within 8 weeks.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## If your application is successful\n\nIf your application is successful, you\u2019ll get either:\n\n- a biometric residence permit - if you gave your biometric information at a UKVCAS centre\n\n- a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app\n\n## Switch to this visa\n\nYou may be able to switch to a Student visa if you already have permission to be in the UK.\n\nYou cannot switch to this visa if you have one of the following visas:\n\n- a visit visa\n\n- a short-term student visa\n\n- a Parent of a Child Student visa\n\n- a seasonal worker visa\n\n- a domestic worker in a private household visa\n\n- leave outside the immigration rules\n\nIf you have settled or pre-settled status under the EU Settlement Scheme, you do not need to apply for a visa.\n\n## Eligibility\n\nTo switch to a Student visa you must:\n\n- be in the UK\n\n- have an unconditional offer of a place on a course with a licensed student sponsor - shown by your Confirmation of Acceptance for Studies (CAS)\n\nIf you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself in the UK.\n\nApply to switch your dependants\u2019 visas at the same time as you switch your own visa. If you cannot apply at the same time, your partner or child can switch their visas at a later date - this must be before their current visa expires.\n\n## When to apply\n\nThe earliest you can apply is 3 months before your course starts.\n\nYou must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.\n\nFor example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.\n\nYou must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).\n\nYou can stay in the UK until you get your decision.\n\nIf you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.\n\n## Fees\n\nFor each person, you\u2019ll need to pay:\n\n- \u00a3475 to extend this visa\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Apply\n\nYou must apply online.\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told what you need to do when you apply.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes to get a decision\n\nA decision will usually be made within 8 weeks.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## If your application is successful\n\nIf your application is successful, you\u2019ll get either:\n\n- a biometric residence permit - if you gave your biometric information at a UKVCAS centre\n\n- a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Student visa to study in the UK if you\u2019re 16 or over and you:

    ", + "
  • have been offered a place on a course by a licensed student sponsor
  • ", + "
  • have enough money to support yourself and pay for your course - the amount will vary depending on your circumstances
  • ", + "
  • can speak, read, write and understand English
  • ", + "
  • have consent from your parents if you\u2019re 16 or 17 - you\u2019ll need evidence of this when you apply
  • ", + "

    If you\u2019re 16 or 17 and you want to study at an independent school in the UK, you may be eligible for a Child Student visa instead.

    ", + "

    This visa has replaced the Tier 4 (General) student visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. The deadline is 30 June 2021.

    ", + "

    Otherwise you need a visa to study in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    When to apply

    ", + "

    When you can apply depends on whether you\u2019re applying from inside or outside the UK.

    ", + "

    Applying from outside the UK

    ", + "

    The earliest you can apply for a visa is 6 months before you start your course.

    ", + "

    You\u2019ll usually get a decision on your visa within 3 weeks.

    ", + "

    Applying from inside the UK

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin within 28 days of your current visa expiring.

    ", + "

    You\u2019ll usually get a decision within 8 weeks.

    ", + "

    How long you can stay

    ", + "

    How long you can stay depends on the length of your course and what study you\u2019ve already completed.

    ", + "

    If you\u2019re 18 or over and your course is at degree level, you can usually stay in the UK for up to 5 years. If it\u2019s below degree level, you can usually stay in the UK for up to 2 years.

    ", + "

    Read the guidance to find out exactly how long you can stay.

    ", + "

    Staying longer in the UK

    ", + "

    You may be able to:

    ", + "
  • extend your visa if you\u2019re eligible, for example to continue your studies in the UK
  • ", + "
  • switch to a Student visa from another visa if you\u2019re already in the UK
  • ", + "

    When you can travel to the UK

    ", + "

    You can arrive in the UK before your course starts. This can be either:

    ", + "
  • up to 1 week before, if your course lasts 6 months or less
  • ", + "
  • up to 1 month before, if your course lasts more than 6 months
  • ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a3348 to apply for a Student visa from outside the UK
  • ", + "
  • \u00a3475 to extend or switch to a Student visa from inside the UK
  • ", + "

    You must pay the visa fee for each person that joins you.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    Your partner and children

    ", + "

    You may be able to bring your partner and children (\u2018dependants\u2019).

    ", + "

    What you can and cannot do

    ", + "

    You can:

    ", + "
  • study
  • ", + "
  • work as a student union sabbatical officer
  • ", + "

    You may be able to work - how much depends on what you\u2019re studying and whether you\u2019re working in or out of term-time.

    ", + "

    You cannot:

    ", + "
  • claim public funds (benefits) and pensions
  • ", + "
  • work in certain jobs, for example as a professional sportsperson or sports coach
  • ", + "
  • be self-employed
  • ", + "
  • study at an academy or a local authority-funded school (also known as a maintained school)
  • ", + "

    If your application is successful, you\u2019ll be told what you can and cannot do on a Student visa.

    ", + "

    Your course

    ", + "

    You must have an unconditional offer of a place on a course with a licensed student sponsor.

    ", + "

    To prove this, your education provider will send you a reference number (called a Confirmation of Acceptance for Studies (CAS)) once they\u2019ve offered you a place on the course. You need a CAS before you can apply for your visa.

    ", + "

    Courses you can study

    ", + "

    You can do one of the following courses:

    ", + "
  • a full-time course leading to a qualification that\u2019s below degree level (RQF level 3, 4 or 5) with at least 15 hours a week of organised daytime study
  • ", + "
  • a full-time course leading to a qualification that\u2019s degree level or above (RQF level 6, 7 or 8)
  • ", + "
  • a full-time course at degree level or above (RQF level 6,7 or 8) that\u2019s equivalent to a UK higher education course and is being delivered as part of a longer course overseas
  • ", + "
  • a part-time course leading to a qualification that\u2019s above degree level (RQF level 7 or above)
  • ", + "
  • a recognised foundation programme for postgraduate doctors or dentists
  • ", + "
  • an English language course at level B2 or above in the Common European Framework of Reference for Languages
  • ", + "

    You may also need an Academic Technology Approval Scheme (ATAS) certificate if you\u2019re studying or researching sensitive topics at RQF level 7 or above.

    ", + "

    The qualification levels are different in Scotland.

    ", + "

    You can also apply for this visa if you\u2019re:

    ", + "
  • taking up a full-time elected position as a Student Union Sabbatical Officer
  • ", + "
  • applying to extend your stay on the Doctorate Extension Scheme - you must currently have permission to be in the UK on a Student visa (or a Tier 4 (General) student visa) and your course must lead to a PhD
  • ", + "

    Postgraduate doctors and dentists

    ", + "

    You can apply for this visa if you\u2019re sponsored to do a recognised foundation programme and you\u2019ve:

    ", + "
  • finished a recognised UK degree in medicine or dentistry
  • ", + "
  • received that degree from a registered student sponsor
  • ", + "
  • spent your final year and at least 1 other year of studies leading to that degree in the UK
  • ", + "

    Your Confirmation of Acceptance for Studies (CAS)

    ", + "

    Once they\u2019ve offered you a place on the course, your education provider will send you a reference number called a Confirmation of Acceptance for Studies.

    ", + "

    You must enter this reference number on your visa application.

    ", + "

    You must apply for your visa within 6 months of receiving your CAS.

    ", + "

    Money you need

    ", + "

    You must have enough money to pay for your course and support yourself in the UK.

    ", + "

    How much money you need depends on your circumstances and what you\u2019re applying for.

    ", + "

    Course fee

    ", + "

    You need enough money to pay for your course for 1 academic year (up to 9 months). The amount you need to pay will be on your Confirmation of Acceptance for Studies (CAS).

    ", + "

    If you\u2019ve been in the UK with a valid visa for at least 12 months, you do not need to prove you have this money for your visa application.

    ", + "

    Money to support yourself (\u2018financial requirement\u2019)

    ", + "

    You\u2019ll need to show you have enough money to support yourself - unless you\u2019ve been in the UK with a valid visa for at least 12 months on the date of your application.

    ", + "

    How much money you need depends on where you will be studying. You\u2019ll need either:

    ", + "
  • \u00a31,334 per month (for up to 9 months) for courses in London
  • ", + "
  • \u00a31,023 per month (for up to 9 months) for courses outside London
  • ", + "

    If you\u2019re applying for the Doctorate Extension Scheme, and you\u2019ve been in the UK for less than 12 months, you need to prove you have a total of \u00a32,668 for courses in London, or a total of \u00a32,046 for courses outside London.

    ", + "

    If you\u2019re boarding at a residential independent school, you\u2019ll need to pay boarding fees instead. The amount you need to pay will be on your CAS.

    ", + "

    London means the City of London and the 32 London boroughs.

    ", + "

    You\u2019ll need to prove you have extra money for each family member you bring with you.

    ", + "

    You must have this money for at least 28 consecutive days. The end date of the 28-day period must be within 31 days of the date you apply for your visa.

    ", + "

    If you have a student loan or financial sponsorship, you\u2019ll need to provide evidence of this from your loan or sponsorship company.

    ", + "

    Read the guidance on finances for student applications for more information about the money you need and how to prove it.

    ", + "

    When you do not need to prove you have money to support yourself

    ", + "

    You do not need to prove the financial requirement if:

    ", + "
  • you\u2019ve had a UK visa for 12 months prior to the date of your Student visa application - you must currently be in the UK
  • ", + "
  • you\u2019re applying as a student union sabbatical officer
  • ", + "
  • you\u2019re applying as a postgraduate doctor or dentist on a recognised foundation programme
  • ", + "

    If you\u2019re from a country listed under the \u2018differential evidence requirement\u2019

    ", + "

    You do not need to prove you have enough money to support yourself if you\u2019re a British national overseas or from one of the following countries or territories:

    ", + "
  • Australia
  • ", + "
  • Austria
  • ", + "
  • Bahrain
  • ", + "
  • Barbados
  • ", + "
  • Belgium
  • ", + "
  • Botswana
  • ", + "
  • Brazil
  • ", + "
  • Brunei
  • ", + "
  • Bulgaria
  • ", + "
  • Cambodia
  • ", + "
  • Canada
  • ", + "
  • Chile
  • ", + "
  • China
  • ", + "
  • Croatia
  • ", + "
  • Republic of Cyprus
  • ", + "
  • Czech Republic
  • ", + "
  • Denmark
  • ", + "
  • The Dominican Republic
  • ", + "
  • Estonia
  • ", + "
  • Finland
  • ", + "
  • France
  • ", + "
  • Germany
  • ", + "
  • Greece
  • ", + "
  • Hong Kong
  • ", + "
  • Hungary
  • ", + "
  • Iceland
  • ", + "
  • Indonesia
  • ", + "
  • Ireland
  • ", + "
  • Italy
  • ", + "
  • Japan
  • ", + "
  • Kazakhstan
  • ", + "
  • Kuwait
  • ", + "
  • Latvia
  • ", + "
  • Liechtenstein
  • ", + "
  • Lithuania
  • ", + "
  • Luxembourg
  • ", + "
  • Macao
  • ", + "
  • Malaysia
  • ", + "
  • Malta
  • ", + "
  • Mauritius
  • ", + "
  • Mexico
  • ", + "
  • Netherlands
  • ", + "
  • New Zealand
  • ", + "
  • Norway
  • ", + "
  • Oman
  • ", + "
  • Peru
  • ", + "
  • Poland
  • ", + "
  • Portugal
  • ", + "
  • Qatar
  • ", + "
  • Romania
  • ", + "
  • Serbia
  • ", + "
  • Singapore
  • ", + "
  • Slovakia
  • ", + "
  • Slovenia
  • ", + "
  • South Korea
  • ", + "
  • Spain
  • ", + "
  • Sweden
  • ", + "
  • Switzerland
  • ", + "
  • Taiwan
  • ", + "
  • Thailand
  • ", + "
  • Tunisia
  • ", + "
  • United Arab Emirates
  • ", + "
  • United States of America
  • ", + "

    However, you might be asked to provide this evidence before you get a decision on your application.

    ", + "

    If you do need to provide it, you\u2019ll be contacted by UK Visas and Immigration (UKVI) after you\u2019ve submitted your application.

    ", + "

    Read the guidance on finances for student applications for more information about the money you need and how to prove it.

    ", + "

    Knowledge of English

    ", + "

    You must prove your knowledge of the English language when you apply.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • passing a Secure English Language Test (SELT) from an approved provider
  • ", + "
  • having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18
  • ", + "

    Level of English

    ", + "

    You must prove you can read, write, speak and understand English to a certain level on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "What you\u2019re studying | Level", + "Degree level or above | Equivalent to CEFR level B2", + "Below degree level | CEFR level B1", + "

    If you\u2019re studying with a Higher Education Provider

    ", + "

    If you\u2019re studying at degree level or above, your Higher Education Provider (HEP) can assess your level of English themselves. This means they may ask you to do a different test.

    ", + "

    This must still be equivalent to a CEFR level B2.

    ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019ve completed a qualification equivalent to a UK degree in one of the following countries, or are from one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Ireland
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • UK
  • ", + "
  • USA
  • ", + "

    You also do not need to prove your knowledge of English if one of the following applies:

    ", + "
  • you\u2019re a national of Canada
  • ", + "
  • you\u2019re applying to come to the UK for a study abroad programme as part of a university degree course in the USA
  • ", + "
  • you proved your level of English in a previous visa application
  • ", + "

    Documents you'll need to apply

    ", + "

    When you apply for your Student visa you must provide:

    ", + "
  • a current passport or other valid travel documentation
  • ", + "
  • a Confirmation of Acceptance for Studies (CAS) from your course provider
  • ", + "

    You may also need to provide:

    ", + "
  • proof you have enough money to support yourself and pay for your course - this will vary depending on your circumstances
  • ", + "
  • a valid ATAS certificate if your course and nationality require it
  • ", + "
  • proof of parental or other legal guardian consent if you\u2019re under 18
  • ", + "
  • proof of your relationship to your parent or guardian if you\u2019re under 18
  • ", + "
  • your tuberculosis test results
  • ", + "
  • written consent for your application from your financial sponsor if you\u2019ve received sponsorship for your course fees and living costs in the last 12 months
  • ", + "

    You may need to provide additional documents depending on your circumstances. Read the guidance for the full list of documents you\u2019ll need to provide.

    ", + "

    You need a blank page in your passport for your visa if you need to give your biometric information (fingerprints and a photograph) at a visa application centre. You\u2019ll be told if you need to do this when you apply.

    ", + "

    If you\u2019re under 18

    ", + "

    If you\u2019re under 18 you\u2019ll need written consent from both parents or legal guardians (or one parent if they have sole responsibility).

    ", + "

    This must include their consent for:

    ", + "
  • your visa application
  • ", + "
  • your living and care arrangements in the UK
  • ", + "
  • your travel to the UK
  • ", + "

    You\u2019ll also need to provide a copy of your birth certificate (or another government issued document) that shows the names of your parents.

    ", + "

    Apply

    ", + "

    You must apply online for a Student visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Apply outside the UK

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a visa application centre
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 3 weeks.

    ", + "

    If you need to give your biometric information at a visa application centre, you may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply inside the UK

    ", + "

    You may be able to apply to:

    ", + "
  • extend your Student visa
  • ", + "
  • switch to a Student visa from another type of visa
  • ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a visa application centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • ", + "

    Find out what happens after you get your decision.

    ", + "

    Your partner and children

    ", + "

    Your partner and children (\u2018dependants\u2019) may be able to apply to come to the UK or stay longer in the UK.

    ", + "

    You must be one of the following:

    ", + "
  • a full-time student on a postgraduate level course (RQF level 7 or above) that lasts 9 months or longer
  • ", + "
  • a new government-sponsored student on a course that lasts longer than 6 months
  • ", + "
  • a Doctorate Extension Scheme student
  • ", + "

    Your relationship

    ", + "

    A dependant partner or child is one of the following:

    ", + "
  • your husband, wife or civil partner
  • ", + "
  • your unmarried partner
  • ", + "
  • your child under 18 years old - including if they were born in the UK during your stay
  • ", + "

    You\u2019ll need to provide evidence of your relationship when you apply, for example:

    ", + "
  • a marriage or civil partnership certificate for your partner
  • ", + "
  • a birth certificate for your child
  • ", + "

    Find out what other documents you can use to prove your relationship.

    ", + "

    If your child is 16 or 17

    ", + "

    If your child is 16 or 17 on the date you apply you\u2019ll need to prove they are not living an independent life, for example they\u2019re not married or in a civil partnership.

    ", + "

    You\u2019ll need to prove:

    ", + "
  • where they live - if they do not live with you, you\u2019ll need to explain why
  • ", + "
  • any rent or upkeep they pay you each month
  • ", + "
  • that you support them financially if they do not live with you
  • ", + "

    If your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:

    ", + "
  • a bank statement
  • ", + "
  • credit card bills
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • an official letter from their university or college
  • ", + "

    Money they need to support themselves

    ", + "

    Your partner and child must each have a certain amount of money available to them. This is in addition to the money you must have to support yourself.

    ", + "

    How much money they need depends on where you will be studying. They must have either:

    ", + "
  • \u00a3845 a month (for up to 9 months) for courses in London
  • ", + "
  • \u00a3680 a month (for up to 9 months) for courses outside London
  • ", + "

    If you\u2019re applying at the same time as your partner or child (you\u2019re applying together as a family), you\u2019ll need to prove you have both money to pay for your course and to support yourself and additional money for each of them.

    ", + "

    If your partner or child is applying at a different time to you (they\u2019re applying separately) they only need to prove they have money to support themselves.

    ", + "

    You (or your partner or child) must have this money for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date they apply for their visa.

    ", + "

    If you have a student loan or financial sponsorship, you\u2019ll need to provide evidence of this from your loan or sponsorship company. If your loan does not cover your partner or child, you\u2019ll need to prove you have money to support them instead.

    ", + "

    When they do not need to prove they have money to support themselves

    ", + "

    Your partner or child does not need to prove they have this money if they\u2019ve been in the UK with a valid visa for at least 12 months.

    ", + "

    If you and your partner or child are from a country listed under the \u2018differential evidence requirement\u2019 and you\u2019re applying at the same time, they do not need to prove they have money to support themselves.

    ", + "

    However, they might be asked to provide this evidence before they get a decision on their application.

    ", + "

    If they do need to provide it, they\u2019ll be contacted by UK Visas and Immigration (UKVI) after they\u2019ve submitted their application.

    ", + "

    Apply outside the UK

    ", + "

    Your partner and children must either:

    ", + "
  • apply online as your partner
  • ", + "
  • apply online as your child
  • ", + "

    They\u2019ll need your application number - you get it when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre (to get a biometric residence permit).

    ", + "

    They\u2019ll have to collect their biometric residence permit within 10 days of when they said they\u2019d arrive in the UK.

    ", + "

    They may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.

    ", + "

    How long they can stay

    ", + "

    If their application is successful, their visa will end on the same date as yours.

    ", + "

    Apply inside the UK to extend or switch

    ", + "

    Apply for your partner or child\u2019s visa at the same time as you extend or switch your own visa.

    ", + "

    If you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date - this must be before their current visa expires.

    ", + "

    Your partner or child cannot apply to switch in the UK if they have one of the following visas:

    ", + "
  • a visit visa
  • ", + "
  • a short-term student visa
  • ", + "
  • a Parent of a Child Student visa
  • ", + "
  • a seasonal worker visa
  • ", + "
  • a domestic worker in a private household visa
  • ", + "

    Fees

    ", + "

    Each person will need to pay:

    ", + "
  • \u00a3475 for the visa
  • ", + "
  • the healthcare surcharge - check how much they\u2019ll have to pay
  • ", + "

    They may need to pay \u00a319.20 to have their biometric information (fingerprints and a photo) taken.

    ", + "

    How to apply

    ", + "

    Your partner and child must apply online. They must either:

    ", + "
  • apply as a partner
  • ", + "
  • apply as a child
  • ", + "

    They\u2019ll need your application number - you get it when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.

    ", + "

    As part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).

    ", + "

    They\u2019ll also need to submit their supporting documents. They can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at their UKVCAS appointment
  • ", + "

    They must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.

    ", + "

    Getting a faster decision

    ", + "

    They may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.

    ", + "

    Children born in the UK

    ", + "

    Apply online for any children you have while in the UK.

    ", + "

    You\u2019ll need to provide a full UK birth certificate for each child.

    ", + "

    Extend your visa

    ", + "

    You may be able to extend your Student visa to stay longer and continue your course or study a new course. This includes if you currently have a Tier 4 (General) student visa.

    ", + "

    To extend your visa you must:

    ", + "
  • be in the UK on a Student visa or a Tier 4 (General) student visa
  • ", + "
  • have an unconditional offer of a place on a course with a licensed student sponsor - shown by your Confirmation of Acceptance for Studies (CAS)
  • ", + "
  • show that your studies are at a higher academic level than your current course (called the \u2018academic progress requirement\u2019) - there are some exceptions
  • ", + "

    If you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself in the UK.

    ", + "

    Apply to extend your dependants\u2019 visas at the same time as you extend your own visa. If you cannot apply at the same time, your partner or child can extend their visas at a later date - this must be before their current visa expires.

    ", + "

    Showing academic progress

    ", + "

    If you\u2019re currently studying in the UK, you\u2019ll usually need to show your studies will be at a higher academic level than your current course.

    ", + "

    Your new course must be one of the following:

    ", + "
  • at a higher academic level than your current course
  • ", + "
  • at the same level and related to your previous course or career aspirations - it must be degree level or above at a Higher Education Provider (HEP)
  • ", + "
  • intercalated to a medicine, dentistry or medical science course you started studying under your Student visa (including a Tier 4 (General) student visa)
  • ", + "

    You do not need to show your studies are at a higher level if you\u2019re doing one of the following:

    ", + "
  • resitting exams or repeating modules
  • ", + "
  • applying for the first time to a new institution to complete a course you started at an institution that lost its student sponsorship licence
  • ", + "
  • applying after working as a student union sabbatical officer to complete a qualification you started studying under your last Student visa (including a Tier 4 (General) student visa)
  • ", + "
  • completing a PhD or other doctorate that you started studying under your last Student visa (including a Tier 4 (General) student visa)
  • ", + "
  • continuing your medical, dentistry or medical science degree after completing an intercalated course
  • ", + "
  • applying to extend your stay to complete your studies because you\u2019ve done (or want to do) a work placement or study abroad programme
  • ", + "

    Read the guidance for more information about when you need to prove your studies are at a higher level.

    ", + "

    If you\u2019re applying to work in the UK

    ", + "

    You can get a CAS if you\u2019re:

    ", + "
  • applying to work as a student union sabbatical officer
  • ", + "
  • applying to stay in the UK to look for work after you\u2019ve finished your PhD or doctorate - the \u2018Doctorate Extension Scheme\u2019 (DES)
  • ", + "

    When to apply

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.

    ", + "

    For example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.

    ", + "

    You must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).

    ", + "

    You can stay in the UK until you get your decision.

    ", + "

    If you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.

    ", + "

    Fees

    ", + "

    For each person, you\u2019ll need to pay:

    ", + "
  • \u00a3475 to extend this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Apply

    ", + "

    You must apply online.

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you will also create or sign in to your UK Visas and Immigration (UKVI) account
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will usually be made within 8 weeks.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    If your application is successful

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a UKVCAS centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • ", + "

    Switch to this visa

    ", + "

    You may be able to switch to a Student visa if you already have permission to be in the UK.

    ", + "

    You cannot switch to this visa if you have one of the following visas:

    ", + "
  • a visit visa
  • ", + "
  • a short-term student visa
  • ", + "
  • a Parent of a Child Student visa
  • ", + "
  • a seasonal worker visa
  • ", + "
  • a domestic worker in a private household visa
  • ", + "
  • leave outside the immigration rules
  • ", + "

    If you have settled or pre-settled status under the EU Settlement Scheme, you do not need to apply for a visa.

    ", + "

    Eligibility

    ", + "

    To switch to a Student visa you must:

    ", + "
  • be in the UK
  • ", + "
  • have an unconditional offer of a place on a course with a licensed student sponsor - shown by your Confirmation of Acceptance for Studies (CAS)
  • ", + "

    If you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself in the UK.

    ", + "

    Apply to switch your dependants\u2019 visas at the same time as you switch your own visa. If you cannot apply at the same time, your partner or child can switch their visas at a later date - this must be before their current visa expires.

    ", + "

    When to apply

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.

    ", + "

    For example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.

    ", + "

    You must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).

    ", + "

    You can stay in the UK until you get your decision.

    ", + "

    If you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.

    ", + "

    Fees

    ", + "

    For each person, you\u2019ll need to pay:

    ", + "
  • \u00a3475 to extend this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Apply

    ", + "

    You must apply online.

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will usually be made within 8 weeks.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    If your application is successful

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a UKVCAS centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • " + ] + }, + "https://www.gov.uk/child-study-visa": { + "url": "https://www.gov.uk/child-study-visa", + "title": "Child Student visa", + "content": "## Overview\n\nYou can apply for a Child Student visa if you\u2019re between 4 and 17 years old and you want to study at an independent school in the UK.\n\nYou must:\n\n- have an unconditional offer of a place on a course at an independent school\n\n- be able to show you\u2019ll have access to enough money to support you in the UK and pay for your course\n\n- have the consent of your parent or guardian to study in the UK - you\u2019ll need to prove this when you apply\n\nIf you\u2019re 18 or over, apply for a Student visa instead.\n\nThis visa has replaced the Tier 4 (Child) student visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. The deadline is 30 June 2021.\n\nOtherwise you need a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## When to apply\n\nWhen you can apply depends on whether you\u2019re applying from inside or outside the UK.\n\n## Applying from outside the UK\n\nThe earliest you can apply for a visa is 6 months before you start your course.\n\nYou\u2019ll usually get a decision within 3 weeks.\n\n## Applying from inside the UK\n\nThe earliest you can apply is 3 months before your course starts.\n\nYou must apply before your current visa expires. Your new course must begin within 28 days of your current visa expiring.\n\nYou\u2019ll usually get a decision within 8 weeks.\n\n## How long you can stay\n\nHow long you can stay depends on your age on the date you apply and the length of your course.\n\n| Age when you apply | How long you can stay |\n\n| Under 16 | Course length (up to 6 years) plus 4 months afterwards |\n\n| 16 or 17 | Course length (up to 3 years) plus 4 months afterwards |\n\n## When you can travel to the UK\n\nYou can arrive in the UK up to 1 month before your course starts.\n\n## Staying longer in the UK\n\nYou may be able to:\n\n- extend your visa if you\u2019re eligible, for example to continue your studies in the UK\n\n- switch to a Child Student visa from another visa if you\u2019re already in the UK\n\n## Fees\n\nIt costs:\n\n- \u00a3348 to apply for a Child Student visa from outside the UK\n\n- \u00a3475 to extend or switch to a Child Student visa from inside the UK\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## What you can and cannot do\n\nYou can study at an independent school.\n\nIf you\u2019re 16 or over you can work:\n\n- part-time during term for up to 10 hours per week\n\n- full-time during vacations\n\n- on a work placement as part of your course (but not for more than 50% of your course)\n\nYou cannot:\n\n- study at an academy or a local authority-funded school (also known as a maintained school) or further or higher education institution\n\n- get public funds (benefits)\n\n- take a full-time permanent job or be self-employed\n\n- work as a professional sportsperson (for example a sports coach) or entertainer\n\n- apply for settlement\n\n- bring family members (\u2018dependants\u2019) - if a parent wants to accompany you, they\u2019ll need to apply for a Parent of a Child Student visa visa\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Child Student visa.\n\n## Your course\n\nYou must have an unconditional offer of a place on a course with a licensed Child Student sponsor.\n\nTo prove this, your education provider will send you a reference number (called a Confirmation of Acceptance for Studies (CAS)) once they\u2019ve offered you a place on the course. You need a CAS before you can apply for your visa.\n\n## Courses you can study\n\nYou can do a course at an independent school that\u2019s taught in line with one of the following:\n\n- the national curriculum\n\n- the Regulated Qualifications Framework (RQF) at level 3 or below\n\n- independent school education inspection standards\n\nYou can also do a course that\u2019s accepted as being at the same academic level by:\n\n- Office for Standards in Education (Ofsted)\n\n- Education Scotland\n\n- Estyn (in Wales)\n\n- Education and Training Inspectorate (in Northern Ireland)\n\nYou can do a short \u2018pre-sessional\u2019 course to prepare you for your main course.\n\nYou cannot do a foundation course that will prepare you for direct entry to a higher education institution.\n\n## Your Confirmation of Acceptance for Studies (CAS)\n\nOnce your education provider has offered you a place on a course, they\u2019ll send you a reference number called a Confirmation of Acceptance for Studies (CAS).\n\nYou\u2019ll need to enter this reference number on your visa application.\n\nYour CAS can cover both the pre-sessional course and your main course of study.\n\nYou must apply for your visa within 6 months of receiving your CAS.\n\n## Money you need\n\nYou must have enough money available to you to pay for your course and support you in the UK.\n\nHow much money you need depends on where you will live and who will be looking after you.\n\n## If you\u2019ll live with your parent or guardian\n\nYour parent must have a Parent of a Child Student visa to accompany you to the UK. If you\u2019re over 12 your parent will not be eligible, unless you have a younger sibling who\u2019s under 12 and also has a Child Student visa.\n\nYou must have enough money to pay for your course fees for one academic year (up to 9 months).\n\nYou\u2019ll also need \u00a31,560 per month (for up to 9 months) - this amount is for both you and your parent.\n\nYour parent will need an extra \u00a3625 a month (for up to 9 months) for each additional child they accompany to the UK. The child must be your sibling and must also have a Child Student visa.\n\n## If you\u2019re boarding at an independent school\n\nYou must have enough money to pay for your course fees and your boarding fees for one academic year (up to 9 months).\n\n## If you\u2019ll live with a foster carer or close relative\n\nYou must have enough money to pay for your course fees for one academic year (up to 9 months).\n\nYour foster carer or close relative must confirm they have at least \u00a3570 per month (for up to 9 months).\n\nYour foster carer or close relative must be a British citizen or be settled (have \u2018indefinite leave to remain\u2019) in the UK. They cannot be your parent.\n\n## If you\u2019re 16 or 17 and living independently\n\nYou must have enough money to pay for your course fees for one academic year (up to 9 months).\n\nYou\u2019ll also need either:\n\n- \u00a31,334 per month (for up to 9 months) if you\u2019re studying in London\n\n- \u00a31,023 per month (for up to 9 months) if you\u2019re studying outside of London\n\nLondon means the City of London and the 32 London boroughs.\n\nRead the guidance to find out how much money you need and how to prove it.\n\nYou must prove you (or your parent) have the money for at least 28 consecutive days. The end date of the 28-day period must be within 31 days of the date you apply for your visa.\n\nIf you have a student loan or financial sponsorship, you\u2019ll need to provide evidence of this from your loan or sponsorship company.\n\n## When you do not need to prove you have money to support yourself\n\nYou do not need to prove you have money to support yourself if you\u2019ve had a valid UK visa for at least 12 months immediately prior to the date of your Child Student visa application - you must currently be in the UK.\n\n## If you\u2019re from a country listed under the \u2018differential evidence requirement\u2019\n\nYou do not need to prove you have enough money to support yourself if you\u2019re a British national overseas or from one of the following countries or territories:\n\n- Australia\n\n- Austria\n\n- Bahrain\n\n- Barbados\n\n- Belgium\n\n- Botswana\n\n- Brazil\n\n- Brunei\n\n- Bulgaria\n\n- Cambodia\n\n- Canada\n\n- Chile\n\n- China\n\n- Croatia\n\n- Republic of Cyprus\n\n- Czech Republic\n\n- Denmark\n\n- The Dominican Republic\n\n- Estonia\n\n- Finland\n\n- France\n\n- Germany\n\n- Greece\n\n- Hong Kong\n\n- Hungary\n\n- Iceland\n\n- Indonesia\n\n- Ireland\n\n- Italy\n\n- Japan\n\n- Kazakhstan\n\n- Kuwait\n\n- Latvia\n\n- Liechtenstein\n\n- Lithuania\n\n- Luxembourg\n\n- Macao\n\n- Malaysia\n\n- Malta\n\n- Mauritius\n\n- Mexico\n\n- Netherlands\n\n- New Zealand\n\n- Norway\n\n- Oman\n\n- Peru\n\n- Poland\n\n- Portugal\n\n- Qatar\n\n- Romania\n\n- Serbia\n\n- Singapore\n\n- Slovakia\n\n- Slovenia\n\n- South Korea\n\n- Spain\n\n- Sweden\n\n- Switzerland\n\n- Taiwan\n\n- Thailand\n\n- Tunisia\n\n- United Arab Emirates\n\n- United States of America\n\nHowever, you might be asked to provide this evidence before you get a decision on your application.\n\nIf you do need to provide it, you\u2019ll be contacted by UK Visas and Immigration (UKVI) after you\u2019ve submitted your application.\n\nRead the guidance to find out how much money you need and how to prove it.\n\n## Documents you'll need to apply\n\nWhen you apply for your Child Student visa you must provide:\n\n- a current passport or other valid travel documentation\n\n- a Confirmation of Acceptance for Studies (CAS) from your course provider\n\n- written consent from your parent or legal guardian for your study in the UK\n\nYou may also need to provide:\n\n- proof that you have enough money to support yourself and pay for your course - this will vary depending on your circumstances\n\n- proof of your relationship to your parent or guardian (for example a birth certificate or other government issued document showing their names)\n\n- evidence of the qualifications you used to get a place on your course - if this was required by your course provider\n\n- your tuberculosis (TB) test results\n\n- written consent for your application from your financial sponsor if you\u2019ve received sponsorship for your course fees and living costs in the last 12 months\n\nYou may need to provide additional documents depending on your circumstances. Read the guidance for the full list of documents you\u2019ll need to provide.\n\nYou need a blank page in your passport for your visa if you need to give your biometric information (fingerprints and a photograph) at a visa application centre. You\u2019ll be told if you need to do this when you apply.\n\n## Parental consent\n\nYou must have written consent from both parents (or one parent if they have sole responsibility) or legal guardian. This must confirm they consent to:\n\n- your visa application\n\n- your living arrangements and care in the UK\n\n- your travel to the UK\n\nIf you\u2019re living with a close relative or foster carer, you\u2019ll need to provide additional evidence. Read the guidance for the full list of documents you\u2019ll need to provide.\n\n## Apply\n\nYou must apply online for a Child Student visa.\n\nCheck which documents you\u2019ll need to apply.\n\n## Apply outside the UK\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration account)\n\nYou\u2019ll be told what you need to do when you apply.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 3 weeks.\n\nIf you need to give your biometric information at a visa application centre, you may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.\n\n## Apply inside the UK\n\nYou may be able to apply to:\n\n- extend your Child Student visa\n\n- switch to a Child Student visa from another type of visa\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview (if you\u2019re 16 or 17)\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nIf your application is successful, you\u2019ll get either:\n\n- a biometric residence permit - if you gave your biometric information at a visa application centre\n\n- a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app\n\nFind out what happens after you get your decision.\n\n## Extend your visa\n\nYou may be able to apply to extend your Child Student visa to stay longer in the UK. This includes if you currently have a Tier 4 (Child) student visa.\n\nTo extend your visa you must:\n\n- be in the UK on a Child Student visa (or a Tier 4 (Child) student visa)\n\n- have an unconditional offer of a place on a course with a licensed Child Student sponsor - shown by your Confirmation of Acceptance for Studies (CAS)\n\nIf you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself.\n\n## When to apply\n\nThe earliest you can apply is 3 months before your course starts.\n\nYou must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.\n\nFor example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.\n\nYou must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).\n\nYou can stay in the UK until you get your decision.\n\nIf you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.\n\n## Fees\n\nYou\u2019ll need to pay:\n\n- \u00a3475 to extend this visa\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Apply\n\nYou must apply online.\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration account)\n\nYou\u2019ll be told what you need to do when you apply.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes to get a decision\n\nA decision will usually be made within 8 weeks.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview (if you\u2019re 16 or 17)\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## If your application is successful\n\nIf your application is successful, you\u2019ll get either:\n\n- a biometric residence permit - if you gave your biometric information at a UKVCAS centre\n\n- a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app\n\n## Switch to this visa\n\nYou may be able to change (\u2018switch\u2019) to a Child Student visa from another visa. You must be between 4 and 17 years old.\n\nYou cannot switch to a Child Student visa if you have one of the following:\n\n- a visitor visa\n\n- a short-term student visa\n\n- leave outside the immigration rules\n\nIf you have settled or pre-settled status under the EU Settlement Scheme, you do not need to apply for a visa.\n\n## Eligibility\n\nTo switch to a Child Student visa you must:\n\n- be in the UK\n\n- be between 4 and 17 years old\n\n- have an unconditional offer of a place on a course with a licensed Child Student sponsor - show by your Confirmation of Acceptance for Studies (CAS)\n\nIf you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself.\n\n## When to apply\n\nThe earliest you can apply is 3 months before your course starts.\n\nYou must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.\n\nFor example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.\n\nYou must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).\n\nYou can stay in the UK until you get your decision.\n\nIf you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.\n\n## Fees\n\nYou\u2019ll need to pay:\n\n- \u00a3475 to switch to this visa\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Apply\n\nYou must apply online.\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration account)\n\nYou\u2019ll be told what you need to do when you apply.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes to get a decision\n\nA decision will usually be made within 8 weeks.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview (if you\u2019re 16 or 17)\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## If your application is successful\n\nIf your application is successful, you\u2019ll get either:\n\n- a biometric residence permit - if you gave your biometric information at a UKVCAS centre\n\n- a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Child Student visa if you\u2019re between 4 and 17 years old and you want to study at an independent school in the UK.

    ", + "

    You must:

    ", + "
  • have an unconditional offer of a place on a course at an independent school
  • ", + "
  • be able to show you\u2019ll have access to enough money to support you in the UK and pay for your course
  • ", + "
  • have the consent of your parent or guardian to study in the UK - you\u2019ll need to prove this when you apply
  • ", + "

    If you\u2019re 18 or over, apply for a Student visa instead.

    ", + "

    This visa has replaced the Tier 4 (Child) student visa.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. The deadline is 30 June 2021.

    ", + "

    Otherwise you need a visa to study in the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    When to apply

    ", + "

    When you can apply depends on whether you\u2019re applying from inside or outside the UK.

    ", + "

    Applying from outside the UK

    ", + "

    The earliest you can apply for a visa is 6 months before you start your course.

    ", + "

    You\u2019ll usually get a decision within 3 weeks.

    ", + "

    Applying from inside the UK

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin within 28 days of your current visa expiring.

    ", + "

    You\u2019ll usually get a decision within 8 weeks.

    ", + "

    How long you can stay

    ", + "

    How long you can stay depends on your age on the date you apply and the length of your course.

    ", + "Age when you apply | How long you can stay", + "Under 16 | Course length (up to 6 years) plus 4 months afterwards", + "16 or 17 | Course length (up to 3 years) plus 4 months afterwards", + "

    When you can travel to the UK

    ", + "

    You can arrive in the UK up to 1 month before your course starts.

    ", + "

    Staying longer in the UK

    ", + "

    You may be able to:

    ", + "
  • extend your visa if you\u2019re eligible, for example to continue your studies in the UK
  • ", + "
  • switch to a Child Student visa from another visa if you\u2019re already in the UK
  • ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a3348 to apply for a Child Student visa from outside the UK
  • ", + "
  • \u00a3475 to extend or switch to a Child Student visa from inside the UK
  • ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your application.

    ", + "

    Check how much you\u2019ll have to pay before you apply.

    ", + "

    What you can and cannot do

    ", + "

    You can study at an independent school.

    ", + "

    If you\u2019re 16 or over you can work:

    ", + "
  • part-time during term for up to 10 hours per week
  • ", + "
  • full-time during vacations
  • ", + "
  • on a work placement as part of your course (but not for more than 50% of your course)
  • ", + "

    You cannot:

    ", + "
  • study at an academy or a local authority-funded school (also known as a maintained school) or further or higher education institution
  • ", + "
  • get public funds (benefits)
  • ", + "
  • take a full-time permanent job or be self-employed
  • ", + "
  • work as a professional sportsperson (for example a sports coach) or entertainer
  • ", + "
  • apply for settlement
  • ", + "
  • bring family members (\u2018dependants\u2019) - if a parent wants to accompany you, they\u2019ll need to apply for a Parent of a Child Student visa visa
  • ", + "

    If your application is successful, you\u2019ll get a full list of what you can and cannot do with a Child Student visa.

    ", + "

    Your course

    ", + "

    You must have an unconditional offer of a place on a course with a licensed Child Student sponsor.

    ", + "

    To prove this, your education provider will send you a reference number (called a Confirmation of Acceptance for Studies (CAS)) once they\u2019ve offered you a place on the course. You need a CAS before you can apply for your visa.

    ", + "

    Courses you can study

    ", + "

    You can do a course at an independent school that\u2019s taught in line with one of the following:

    ", + "
  • the national curriculum
  • ", + "
  • the Regulated Qualifications Framework (RQF) at level 3 or below
  • ", + "
  • independent school education inspection standards
  • ", + "

    You can also do a course that\u2019s accepted as being at the same academic level by:

    ", + "
  • Office for Standards in Education (Ofsted)
  • ", + "
  • Education Scotland
  • ", + "
  • Estyn (in Wales)
  • ", + "
  • Education and Training Inspectorate (in Northern Ireland)
  • ", + "

    You can do a short \u2018pre-sessional\u2019 course to prepare you for your main course.

    ", + "

    You cannot do a foundation course that will prepare you for direct entry to a higher education institution.

    ", + "

    Your Confirmation of Acceptance for Studies (CAS)

    ", + "

    Once your education provider has offered you a place on a course, they\u2019ll send you a reference number called a Confirmation of Acceptance for Studies (CAS).

    ", + "

    You\u2019ll need to enter this reference number on your visa application.

    ", + "

    Your CAS can cover both the pre-sessional course and your main course of study.

    ", + "

    You must apply for your visa within 6 months of receiving your CAS.

    ", + "

    Money you need

    ", + "

    You must have enough money available to you to pay for your course and support you in the UK.

    ", + "

    How much money you need depends on where you will live and who will be looking after you.

    ", + "

    If you\u2019ll live with your parent or guardian

    ", + "

    Your parent must have a Parent of a Child Student visa to accompany you to the UK. If you\u2019re over 12 your parent will not be eligible, unless you have a younger sibling who\u2019s under 12 and also has a Child Student visa.

    ", + "

    You must have enough money to pay for your course fees for one academic year (up to 9 months).

    ", + "

    You\u2019ll also need \u00a31,560 per month (for up to 9 months) - this amount is for both you and your parent.

    ", + "

    Your parent will need an extra \u00a3625 a month (for up to 9 months) for each additional child they accompany to the UK. The child must be your sibling and must also have a Child Student visa.

    ", + "

    If you\u2019re boarding at an independent school

    ", + "

    You must have enough money to pay for your course fees and your boarding fees for one academic year (up to 9 months).

    ", + "

    If you\u2019ll live with a foster carer or close relative

    ", + "

    You must have enough money to pay for your course fees for one academic year (up to 9 months).

    ", + "

    Your foster carer or close relative must confirm they have at least \u00a3570 per month (for up to 9 months).

    ", + "

    Your foster carer or close relative must be a British citizen or be settled (have \u2018indefinite leave to remain\u2019) in the UK. They cannot be your parent.

    ", + "

    If you\u2019re 16 or 17 and living independently

    ", + "

    You must have enough money to pay for your course fees for one academic year (up to 9 months).

    ", + "

    You\u2019ll also need either:

    ", + "
  • \u00a31,334 per month (for up to 9 months) if you\u2019re studying in London
  • ", + "
  • \u00a31,023 per month (for up to 9 months) if you\u2019re studying outside of London
  • ", + "

    London means the City of London and the 32 London boroughs.

    ", + "

    Read the guidance to find out how much money you need and how to prove it.

    ", + "

    You must prove you (or your parent) have the money for at least 28 consecutive days. The end date of the 28-day period must be within 31 days of the date you apply for your visa.

    ", + "

    If you have a student loan or financial sponsorship, you\u2019ll need to provide evidence of this from your loan or sponsorship company.

    ", + "

    When you do not need to prove you have money to support yourself

    ", + "

    You do not need to prove you have money to support yourself if you\u2019ve had a valid UK visa for at least 12 months immediately prior to the date of your Child Student visa application - you must currently be in the UK.

    ", + "

    If you\u2019re from a country listed under the \u2018differential evidence requirement\u2019

    ", + "

    You do not need to prove you have enough money to support yourself if you\u2019re a British national overseas or from one of the following countries or territories:

    ", + "
  • Australia
  • ", + "
  • Austria
  • ", + "
  • Bahrain
  • ", + "
  • Barbados
  • ", + "
  • Belgium
  • ", + "
  • Botswana
  • ", + "
  • Brazil
  • ", + "
  • Brunei
  • ", + "
  • Bulgaria
  • ", + "
  • Cambodia
  • ", + "
  • Canada
  • ", + "
  • Chile
  • ", + "
  • China
  • ", + "
  • Croatia
  • ", + "
  • Republic of Cyprus
  • ", + "
  • Czech Republic
  • ", + "
  • Denmark
  • ", + "
  • The Dominican Republic
  • ", + "
  • Estonia
  • ", + "
  • Finland
  • ", + "
  • France
  • ", + "
  • Germany
  • ", + "
  • Greece
  • ", + "
  • Hong Kong
  • ", + "
  • Hungary
  • ", + "
  • Iceland
  • ", + "
  • Indonesia
  • ", + "
  • Ireland
  • ", + "
  • Italy
  • ", + "
  • Japan
  • ", + "
  • Kazakhstan
  • ", + "
  • Kuwait
  • ", + "
  • Latvia
  • ", + "
  • Liechtenstein
  • ", + "
  • Lithuania
  • ", + "
  • Luxembourg
  • ", + "
  • Macao
  • ", + "
  • Malaysia
  • ", + "
  • Malta
  • ", + "
  • Mauritius
  • ", + "
  • Mexico
  • ", + "
  • Netherlands
  • ", + "
  • New Zealand
  • ", + "
  • Norway
  • ", + "
  • Oman
  • ", + "
  • Peru
  • ", + "
  • Poland
  • ", + "
  • Portugal
  • ", + "
  • Qatar
  • ", + "
  • Romania
  • ", + "
  • Serbia
  • ", + "
  • Singapore
  • ", + "
  • Slovakia
  • ", + "
  • Slovenia
  • ", + "
  • South Korea
  • ", + "
  • Spain
  • ", + "
  • Sweden
  • ", + "
  • Switzerland
  • ", + "
  • Taiwan
  • ", + "
  • Thailand
  • ", + "
  • Tunisia
  • ", + "
  • United Arab Emirates
  • ", + "
  • United States of America
  • ", + "

    However, you might be asked to provide this evidence before you get a decision on your application.

    ", + "

    If you do need to provide it, you\u2019ll be contacted by UK Visas and Immigration (UKVI) after you\u2019ve submitted your application.

    ", + "

    Read the guidance to find out how much money you need and how to prove it.

    ", + "

    Documents you'll need to apply

    ", + "

    When you apply for your Child Student visa you must provide:

    ", + "
  • a current passport or other valid travel documentation
  • ", + "
  • a Confirmation of Acceptance for Studies (CAS) from your course provider
  • ", + "
  • written consent from your parent or legal guardian for your study in the UK
  • ", + "

    You may also need to provide:

    ", + "
  • proof that you have enough money to support yourself and pay for your course - this will vary depending on your circumstances
  • ", + "
  • proof of your relationship to your parent or guardian (for example a birth certificate or other government issued document showing their names)
  • ", + "
  • evidence of the qualifications you used to get a place on your course - if this was required by your course provider
  • ", + "
  • your tuberculosis (TB) test results
  • ", + "
  • written consent for your application from your financial sponsor if you\u2019ve received sponsorship for your course fees and living costs in the last 12 months
  • ", + "

    You may need to provide additional documents depending on your circumstances. Read the guidance for the full list of documents you\u2019ll need to provide.

    ", + "

    You need a blank page in your passport for your visa if you need to give your biometric information (fingerprints and a photograph) at a visa application centre. You\u2019ll be told if you need to do this when you apply.

    ", + "

    Parental consent

    ", + "

    You must have written consent from both parents (or one parent if they have sole responsibility) or legal guardian. This must confirm they consent to:

    ", + "
  • your visa application
  • ", + "
  • your living arrangements and care in the UK
  • ", + "
  • your travel to the UK
  • ", + "

    If you\u2019re living with a close relative or foster carer, you\u2019ll need to provide additional evidence. Read the guidance for the full list of documents you\u2019ll need to provide.

    ", + "

    Apply

    ", + "

    You must apply online for a Child Student visa.

    ", + "

    Check which documents you\u2019ll need to apply.

    ", + "

    Apply outside the UK

    ", + "

    As part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • have your fingerprints and photograph taken at a visa application centre
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Once you\u2019ve started your application, you can save your form and complete it later.

    ", + "

    Start now

    ", + "

    How long it takes to get a decision

    ", + "

    You\u2019ll usually get a decision within 3 weeks.

    ", + "

    If you need to give your biometric information at a visa application centre, you may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply inside the UK

    ", + "

    You may be able to apply to:

    ", + "
  • extend your Child Student visa
  • ", + "
  • switch to a Child Student visa from another type of visa
  • ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview (if you\u2019re 16 or 17)
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    After you get a decision

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a visa application centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • ", + "

    Find out what happens after you get your decision.

    ", + "

    Extend your visa

    ", + "

    You may be able to apply to extend your Child Student visa to stay longer in the UK. This includes if you currently have a Tier 4 (Child) student visa.

    ", + "

    To extend your visa you must:

    ", + "
  • be in the UK on a Child Student visa (or a Tier 4 (Child) student visa)
  • ", + "
  • have an unconditional offer of a place on a course with a licensed Child Student sponsor - shown by your Confirmation of Acceptance for Studies (CAS)
  • ", + "

    If you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself.

    ", + "

    When to apply

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.

    ", + "

    For example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.

    ", + "

    You must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).

    ", + "

    You can stay in the UK until you get your decision.

    ", + "

    If you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.

    ", + "

    Fees

    ", + "

    You\u2019ll need to pay:

    ", + "
  • \u00a3475 to extend this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Apply

    ", + "

    You must apply online.

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will usually be made within 8 weeks.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview (if you\u2019re 16 or 17)
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    If your application is successful

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a UKVCAS centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • ", + "

    Switch to this visa

    ", + "

    You may be able to change (\u2018switch\u2019) to a Child Student visa from another visa. You must be between 4 and 17 years old.

    ", + "

    You cannot switch to a Child Student visa if you have one of the following:

    ", + "
  • a visitor visa
  • ", + "
  • a short-term student visa
  • ", + "
  • leave outside the immigration rules
  • ", + "

    If you have settled or pre-settled status under the EU Settlement Scheme, you do not need to apply for a visa.

    ", + "

    Eligibility

    ", + "

    To switch to a Child Student visa you must:

    ", + "
  • be in the UK
  • ", + "
  • be between 4 and 17 years old
  • ", + "
  • have an unconditional offer of a place on a course with a licensed Child Student sponsor - show by your Confirmation of Acceptance for Studies (CAS)
  • ", + "

    If you\u2019ve been in the UK with a valid visa for less than 12 months, you\u2019ll need to prove you have enough money to support yourself.

    ", + "

    When to apply

    ", + "

    The earliest you can apply is 3 months before your course starts.

    ", + "

    You must apply before your current visa expires. Your new course must begin with 28 days of your current visa expiring.

    ", + "

    For example, if your visa expires on 1 December, you must apply for a new visa before 1 December. Your new course must begin by 29 December.

    ", + "

    You must also apply within 6 months of getting a Confirmation of Acceptance for Studies (CAS).

    ", + "

    You can stay in the UK until you get your decision.

    ", + "

    If you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.

    ", + "

    Fees

    ", + "

    You\u2019ll need to pay:

    ", + "
  • \u00a3475 to switch to this visa
  • ", + "
  • the healthcare surcharge - check how much you\u2019ll have to pay
  • ", + "

    You may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Apply

    ", + "

    You must apply online.

    ", + "

    As part of your application you\u2019ll need to prove your identity.

    ", + "

    How you do this depends on where you\u2019re from and the type of passport you have.

    ", + "

    You\u2019ll either:

    ", + "
  • give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point
  • ", + "
  • use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration account)
  • ", + "

    You\u2019ll be told what you need to do when you apply.

    ", + "

    Start now

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    How long it takes to get a decision

    ", + "

    A decision will usually be made within 8 weeks.

    ", + "

    You may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.

    ", + "

    After you apply

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example because:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend an interview (if you\u2019re 16 or 17)
  • ", + "
  • of your personal circumstances (for example if you have a criminal conviction)
  • ", + "

    If you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).

    ", + "

    You can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.

    ", + "

    If your application is successful

    ", + "

    If your application is successful, you\u2019ll get either:

    ", + "
  • a biometric residence permit - if you gave your biometric information at a UKVCAS centre
  • ", + "
  • a digital immigration status which you can view and prove online - if you used the \u2018UK Immigration: ID Check\u2019 app
  • " + ] + }, + "https://www.gov.uk/visa-to-study-english": { + "url": "https://www.gov.uk/visa-to-study-english", + "title": "Study English in the UK (Short-term study visa)", + "content": "## Overview\n\nYou can apply for a Short-term study visa to study English language in the UK.\n\nThis visa is for English language courses lasting longer than 6 months and up to 11 months.\n\nIf your course is different to this, check which visa you need.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise, you\u2019ll need to apply for a visa to study for longer than 6 months in the UK. The earliest date your visa will start from is 1 January 2021.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long you can stay\n\nYou can stay in the UK for the length of your course plus an extra 30 days as long as your stay is no longer than 11 months.\n\n## Fees and costs\n\nIt costs \u00a3186 for a Short-term study visa.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3470.\n\nThis is so you can use the National Health Service (NHS) in the UK.\n\nCheck how much you\u2019ll need to pay before you apply.\n\n## What you cannot do\n\nYou cannot:\n\n- study on any other course or change your course while in the UK\n\n- study at a state-funded school\n\n- work or carry out any business (this includes paid or unpaid work, work experience or work placements)\n\n- extend this visa\n\n- bring family members (\u2018dependants\u2019) with you on this visa\n\n- apply for most benefits (public funds) or the State Pension\n\n## Who can apply\n\nYou must be 16 or older to apply.\n\nYou must prove that:\n\n- you\u2019ve been accepted onto an English language course that lasts 11 months or less and includes no other subjects\n\n- your course is with an accredited institution\n\n- you have enough money to support yourself without working or help from public funds, or that relatives and friends can support and house you\n\n- you can pay for your return or onward journey\n\nIf you\u2019re under 18 you must also:\n\n- have made arrangements for your travel and stay in the UK\n\n- have the consent of your parent or guardian to study in the UK\n\n## Your course\n\nYour English language course must be with an \u2018accredited institution\u2019.\n\nThis can be either:\n\n- an accredited UK institution\n\n- an eligible overseas provider, if you\u2019re studying in the UK as part of an overseas course\n\n## Accredited UK institutions\n\nAn accredited institution must either have a student sponsor licence or have a valid accreditation and be listed by one of the following:\n\n- Accreditation Body for Language Services\n\n- Accreditation Service for International Colleges\n\n- Accreditation UK\n\n- British Accreditation Council\n\n- Education and Training Inspectorate (in Northern Ireland)\n\n- Estyn (in Wales)\n\n- Education Scotland\n\n- Independent Schools Inspectorate\n\n- Office for Standards in Education (Ofsted)\n\n- Office for Students\n\n- Quality Assurance Agency for Higher Education\n\n## Eligible overseas providers\n\nYou can also apply for a Short-term study visa if you\u2019re studying at an overseas higher education institution and part of your English language course is in the UK.\n\nYour institution must:\n\n- hold its own national accreditation\n\n- offer no more than half of its educational programme in the UK\n\n- offer programmes that are equivalent to a UK degree\n\n## Documents you'll need\n\nWhen you apply you must provide:\n\n- a current passport (with a blank page for your visa) or other valid travel document\n\n- evidence that you can support yourself during your trip, for example bank statements or payslips for the last 6 months\n\n- details of where you intend to stay and your travel plans - you should not pay for accommodation or travel until you get your visa\n\n- evidence that you\u2019ve paid your course fees or have enough money to pay them\n\nYou also need to provide:\n\n- your tuberculosis (TB) test results, if you\u2019re from a country where you have to take the TB test\n\n- contact details for at least one parent or guardian in your home country, if you\u2019re under 18 years old\n\n- a certified translation if any documents are not in English or Welsh\n\n## Documents about your course\n\nYou must provide written proof of the course you\u2019re studying. For example, a letter of acceptance from the educational institution stating the course\u2019s name, duration and cost (including accommodation).\n\nYou may need to provide additional documents depending on your circumstances, such as evidence of your:\n\n- permission to be in the country you\u2019re applying from (if you\u2019re not a national)\n\n- financial sponsor\u2019s occupation, income, savings or funds that will support your studies\n\n## If you\u2019re under 18\n\nIf you\u2019re under 18 you need to provide additional documents if:\n\n- you\u2019re travelling on your own\n\n- you\u2019re travelling with someone who is not your parent or guardian\n\n## Travelling on your own\n\nYou can travel to the UK without an adult (someone 18 or older).\n\nYou must have written consent from both parents (or one parent if they have sole responsibility) or your legal guardian. This must confirm they consent to:\n\n- your visa application\n\n- your living arrangements and care in the UK\n\n- your travel to the UK\n\nThey also need to provide proof that you have somewhere suitable to live during your stay in the UK, including:\n\n- the name and date of birth of the person that you will be staying with\n\n- an address where you will be living\n\n- details of your relationship to the person who\u2019ll be looking after you\n\n- consent in writing so they can look after you during your stay in the UK\n\nYour parent, guardian or school must tell the relevant local authority about your visit if either of the following are true:\n\n- you\u2019re under 18 and have a disability\n\n- you\u2019re going to be looked after for more than 28 days by someone who is not a close relative (called \u2018private foster care\u2019)\n\nYou should provide a reply from the local authority if you have one.\n\n## Travelling with an adult\n\nIf you travel to the UK with an adult (someone 18 or older), you need to identify them in your visa application.\n\nTheir name will appear on your visa, and you\u2019ll be refused entry to the UK if you arrive in the UK without them.\n\nYou can identify up to 2 adults in your visa application, and your visa will only be valid if you travel with at least one of them.\n\nThe adult can apply for a visa at the same time, but you must each complete separate applications.\n\n## Apply\n\nYou must apply online before you come to the UK. The earliest you can apply is 3 months before you travel to the UK.\n\nAs part of your online application, you\u2019ll need to book an appointment at a visa application centre to provide your documents and prove your identity.\n\nAllow time to attend your appointment.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.\n\n## Apply online\n\nYou must apply online.\n\nBefore you start, check what documents you\u2019ll need to apply.\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## After you apply\n\nYou\u2019ll get a letter containing the result of your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a Short-term study visa to study English language in the UK.

    ", + "

    This visa is for English language courses lasting longer than 6 months and up to 11 months.

    ", + "

    If your course is different to this, check which visa you need.

    ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.

    ", + "

    Otherwise, you\u2019ll need to apply for a visa to study for longer than 6 months in the UK. The earliest date your visa will start from is 1 January 2021.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for the length of your course plus an extra 30 days as long as your stay is no longer than 11 months.

    ", + "

    Fees and costs

    ", + "

    It costs \u00a3186 for a Short-term study visa.

    ", + "

    Healthcare surcharge

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3470.

    ", + "

    This is so you can use the National Health Service (NHS) in the UK.

    ", + "

    Check how much you\u2019ll need to pay before you apply.

    ", + "

    What you cannot do

    ", + "

    You cannot:

    ", + "
  • study on any other course or change your course while in the UK
  • ", + "
  • study at a state-funded school
  • ", + "
  • work or carry out any business (this includes paid or unpaid work, work experience or work placements)
  • ", + "
  • extend this visa
  • ", + "
  • bring family members (\u2018dependants\u2019) with you on this visa
  • ", + "
  • apply for most benefits (public funds) or the State Pension
  • ", + "

    Who can apply

    ", + "

    You must be 16 or older to apply.

    ", + "

    You must prove that:

    ", + "
  • you\u2019ve been accepted onto an English language course that lasts 11 months or less and includes no other subjects
  • ", + "
  • your course is with an accredited institution
  • ", + "
  • you have enough money to support yourself without working or help from public funds, or that relatives and friends can support and house you
  • ", + "
  • you can pay for your return or onward journey
  • ", + "

    If you\u2019re under 18 you must also:

    ", + "
  • have made arrangements for your travel and stay in the UK
  • ", + "
  • have the consent of your parent or guardian to study in the UK
  • ", + "

    Your course

    ", + "

    Your English language course must be with an \u2018accredited institution\u2019.

    ", + "

    This can be either:

    ", + "
  • an accredited UK institution
  • ", + "
  • an eligible overseas provider, if you\u2019re studying in the UK as part of an overseas course
  • ", + "

    Accredited UK institutions

    ", + "

    An accredited institution must either have a student sponsor licence or have a valid accreditation and be listed by one of the following:

    ", + "
  • Accreditation Body for Language Services
  • ", + "
  • Accreditation Service for International Colleges
  • ", + "
  • Accreditation UK
  • ", + "
  • British Accreditation Council
  • ", + "
  • Education and Training Inspectorate (in Northern Ireland)
  • ", + "
  • Estyn (in Wales)
  • ", + "
  • Education Scotland
  • ", + "
  • Independent Schools Inspectorate
  • ", + "
  • Office for Standards in Education (Ofsted)
  • ", + "
  • Office for Students
  • ", + "
  • Quality Assurance Agency for Higher Education
  • ", + "

    Eligible overseas providers

    ", + "

    You can also apply for a Short-term study visa if you\u2019re studying at an overseas higher education institution and part of your English language course is in the UK.

    ", + "

    Your institution must:

    ", + "
  • hold its own national accreditation
  • ", + "
  • offer no more than half of its educational programme in the UK
  • ", + "
  • offer programmes that are equivalent to a UK degree
  • ", + "

    Documents you'll need

    ", + "

    When you apply you must provide:

    ", + "
  • a current passport (with a blank page for your visa) or other valid travel document
  • ", + "
  • evidence that you can support yourself during your trip, for example bank statements or payslips for the last 6 months
  • ", + "
  • details of where you intend to stay and your travel plans - you should not pay for accommodation or travel until you get your visa
  • ", + "
  • evidence that you\u2019ve paid your course fees or have enough money to pay them
  • ", + "

    You also need to provide:

    ", + "
  • your tuberculosis (TB) test results, if you\u2019re from a country where you have to take the TB test
  • ", + "
  • contact details for at least one parent or guardian in your home country, if you\u2019re under 18 years old
  • ", + "
  • a certified translation if any documents are not in English or Welsh
  • ", + "

    Documents about your course

    ", + "

    You must provide written proof of the course you\u2019re studying. For example, a letter of acceptance from the educational institution stating the course\u2019s name, duration and cost (including accommodation).

    ", + "

    You may need to provide additional documents depending on your circumstances, such as evidence of your:

    ", + "
  • permission to be in the country you\u2019re applying from (if you\u2019re not a national)
  • ", + "
  • financial sponsor\u2019s occupation, income, savings or funds that will support your studies
  • ", + "

    If you\u2019re under 18

    ", + "

    If you\u2019re under 18 you need to provide additional documents if:

    ", + "
  • you\u2019re travelling on your own
  • ", + "
  • you\u2019re travelling with someone who is not your parent or guardian
  • ", + "

    Travelling on your own

    ", + "

    You can travel to the UK without an adult (someone 18 or older).

    ", + "

    You must have written consent from both parents (or one parent if they have sole responsibility) or your legal guardian. This must confirm they consent to:

    ", + "
  • your visa application
  • ", + "
  • your living arrangements and care in the UK
  • ", + "
  • your travel to the UK
  • ", + "

    They also need to provide proof that you have somewhere suitable to live during your stay in the UK, including:

    ", + "
  • the name and date of birth of the person that you will be staying with
  • ", + "
  • an address where you will be living
  • ", + "
  • details of your relationship to the person who\u2019ll be looking after you
  • ", + "
  • consent in writing so they can look after you during your stay in the UK
  • ", + "

    Your parent, guardian or school must tell the relevant local authority about your visit if either of the following are true:

    ", + "
  • you\u2019re under 18 and have a disability
  • ", + "
  • you\u2019re going to be looked after for more than 28 days by someone who is not a close relative (called \u2018private foster care\u2019)
  • ", + "

    You should provide a reply from the local authority if you have one.

    ", + "

    Travelling with an adult

    ", + "

    If you travel to the UK with an adult (someone 18 or older), you need to identify them in your visa application.

    ", + "

    Their name will appear on your visa, and you\u2019ll be refused entry to the UK if you arrive in the UK without them.

    ", + "

    You can identify up to 2 adults in your visa application, and your visa will only be valid if you travel with at least one of them.

    ", + "

    The adult can apply for a visa at the same time, but you must each complete separate applications.

    ", + "

    Apply

    ", + "

    You must apply online before you come to the UK. The earliest you can apply is 3 months before you travel to the UK.

    ", + "

    As part of your online application, you\u2019ll need to book an appointment at a visa application centre to provide your documents and prove your identity.

    ", + "

    Allow time to attend your appointment.

    ", + "

    The visa application centre may keep your passport and documents while processing your application.

    ", + "

    How long it takes to get a decision

    ", + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    You may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.

    ", + "

    Apply online

    ", + "

    You must apply online.

    ", + "

    Before you start, check what documents you\u2019ll need to apply.

    ", + "

    Once you\u2019ve started your application you can save your form and complete it later.

    ", + "

    Apply now

    ", + "

    Continue your application

    ", + "

    You can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.

    ", + "

    After you apply

    ", + "

    You\u2019ll get a letter containing the result of your application. This will explain what you need to do next.

    ", + "

    Find out what happens after you get your decision.

    ", + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.

    " + ] + }, + "https://www.gov.uk/uk-family-visa": { + "url": "https://www.gov.uk/uk-family-visa", + "title": "Family visas: apply, extend or switch", + "content": "## Overview\n\nYou need a family visa to live with a family member in the UK for more than 6 months.\n\n## Applying from outside the UK\n\nYou can apply for a family visa to live with your:\n\n- spouse or partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- child\n\n- parent\n\n- relative who\u2019ll provide long-term care for you\n\nIf you\u2019re visiting the UK for 6 months or less, check if you need a Standard Visitor visa or Marriage Visitor visa.\n\n## Extending your family visa\n\nYou can apply to extend your stay with your family member if you\u2019re already in the UK on a family visa.\n\nYou can extend at any time before your current permission to stay in the UK expires.\n\nIf you\u2019re extending to stay with the same family member, you\u2019ll only get up to 28 days left on your current stay added to your new visa.\n\nYou must live in the UK for a certain amount of time before you\u2019re eligible for settlement (\u2018indefinite leave to remain\u2019). Before you extend your visa, check how much time you need to settle in the UK.\n\nYou might be able to apply to stay on the basis of your private life if you\u2019ve lived in the UK for many years already.\n\n## Switching to a family visa\n\nIf you came to the UK on a different visa, you might be able to switch to a family visa to stay with your:\n\n- spouse or partner\n\n- child\n\n- parent\n\nYou can switch at any time before your current permission to stay in the UK expires.\n\n## If you do not meet the rules because of coronavirus (COVID-19)\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus, you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Fees\n\nHow much it costs depends on how you apply.\n\n| | Apply outside the UK | Apply in the UK |\n\n| Cost if joining your partner, parent or child | \u00a31,523 | \u00a31,033 |\n\n| Cost for each dependant added to your application | \u00a31,523 each person | \u00a31,033 each person |\n\n| Cost for an adult who needs to be looked after by a relative | \u00a33,250 | \u00a31,033 |\n\nLet your bank know that a large amount of money will be coming out of your account - otherwise it might cancel your payment.\n\n## Healthcare surcharge\n\nYou might also need to pay the healthcare surcharge as part of your application.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying from the UK, you may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.\n\nYou cannot use the super priority service if you\u2019re applying as an adult coming to be cared for by a relative.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long it takes\n\nIf you apply outside the UK a decision will usually be made within 12 weeks.\n\nIf you apply in the UK a decision will usually be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will usually be made:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nIt might take longer if your application is complex, for example you:\n\n- do not meet the minimum income requirement\n\n- cannot prove your knowledge of English\n\n- need to attend an interview\n\n- have not provided all the evidence that the Home Office needs\n\n- have a criminal conviction or another personal circumstance that needs to be reviewed\n\n## Other ways you can stay\n\n## You were the victim of domestic abuse or your partner died\n\nYou might be able to apply to settle in the UK if you had permission to stay in the UK as a partner when either:\n\n- you were the victim of domestic abuse\n\n- your partner died\n\n## Your family member has refugee status or humanitarian protection\n\nYou might be able to apply for \u2018family reunion\u2019 to join a partner or parent who has either:\n\n- refugee status in the UK\n\n- humanitarian protection in the UK\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. Otherwise you need a visa or family permit to come to the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## When you cannot get a family visa\n\nIn some circumstances you cannot apply for, or switch to, a family visa.\n\n## Your family member has a work visa or student visa\n\nYou cannot apply for a family visa if your family member is in the UK temporarily on a work visa or student visa.\n\nYou can apply to stay with them as a dependant instead.\n\n## You have a visitor visa or a visa for 6 months or less\n\nYou\u2019ll usually need to leave the UK to apply for a family visa if either:\n\n- you have permission to be in the UK as a visitor\n\n- your visa is for 6 months or less\n\nHowever, you might be able to switch to a family visa in the UK if you have either:\n\n- a 6-month family visa as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- permission to stay in the UK for the outcome of a family court case or divorce\n\n## Apply as a partner or spouse\n\nTo apply as a partner, you and your partner both need to be 18 or over.\n\nYour partner must also either:\n\n- be a British or Irish citizen\n\n- have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- have a Turkish Businessperson visa or Turkish Worker visa\n\n- have refugee status or humanitarian protection in the UK\n\nYou and your partner must intend to live together permanently in the UK after you apply.\n\nIf your partner has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.\n\n## What you\u2019ll need to prove\n\nYou must be able to prove one of the following:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n- you are a fianc\u00e9, fianc\u00e9e or proposed civil partner and will marry or enter into a civil partnership in the UK within 6 months of arriving\n\nIf your wedding or civil ceremony has been delayed because of coronavirus (COVID-19), you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.\n\nYou also need to prove you:\n\n- have a good knowledge of English\n\n- can financially support yourself and your dependants\n\nIf you do not meet these requirements you may still be able to apply for a visa or extend your permission to stay if:\n\n- you have a child in the UK who is a British or Irish citizen or has lived in the UK for 7 years and it would be unreasonable for them to leave the UK\n\n- there would be very significant difficulties for you and your partner if you lived together as a couple outside the UK that could not be overcome\n\n- it would breach your human rights to stop you coming to the UK or make you leave\n\n## If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\nYou must prove that:\n\n- any previous marriages or civil partnerships have ended\n\n- you plan to marry or become civil partners within 6 months of arriving in the UK\n\nIf your wedding or civil ceremony has been delayed because of COVID-19, you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.\n\nYou will not be able to work during your engagement.\n\n## How long you can stay\n\nYou can stay in the UK for 2 years and 9 months on this visa. If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner, you can stay for 6 months.\n\nAfter this you\u2019ll need to apply to extend your stay.\n\n## If you extend or switch to this visa\n\nIf you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nHow you apply depends on whether you\u2019re in the UK or not.\n\n## Outside the UK\n\nYou must apply online from outside the UK.\n\n## In the UK\n\nYou must apply online in the UK.\n\n## If you cannot pay the fee\n\nFill in the online fee waiver request form as well if you cannot pay the fee because you:\n\n- do not have a place to live and cannot afford one\n\n- have a place to live but cannot afford essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Applying with your children\n\nYou can add children to your application as dependants if both of the following apply:\n\n- they are under 18 when you apply, or were under 18 when they were first granted leave\n\n- they do not live an independent life\n\nYour child is living an independent life if, for example, they\u2019ve left home, got married and had children.\n\n## When you can settle permanently\n\nThe earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a partner.\n\nYou cannot include time you\u2019ve spent in the UK:\n\n- on any other visa\n\n- as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\nThe rules are different if you applied before 9 July 2012.\n\n## If you applied before 9 July 2012\n\nYou can only extend your family visa if all the following are true:\n\n- you were given permission to stay in the UK as a partner before 9 July 2012\n\n- you are not eligible to settle in the UK\n\n- you have not been granted or refused another visa\n\nYou must also prove that:\n\n- you and your partner have enough money to financially support yourself and your dependants without relying on public funds\n\n- you have knowledge of English\n\n## Apply as a parent\n\nYou can apply to live in the UK to care for your child.\n\nIf you\u2019re eligible to apply as a partner, you must do that instead of applying as a parent.\n\nYour child must either:\n\n- be under 18 on the date you apply\n\n- have been under 18 when you were first granted leave and not live an independent life\n\nYour child is living an independent life if, for example, they\u2019ve left home, got married and had children.\n\nYour child must be living in the UK. One of the following must also be true:\n\n- they\u2019re a British or Irish citizen\n\n- they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- if you\u2019re applying in the UK, they must have lived in the UK for 7 years continuously and it would not be reasonable for them to leave\n\nIf your child has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Parental responsibility\n\nYou need to have sole or shared parental responsibility for your child.\n\nIf you share parental responsibility, the child\u2019s other parent must not be your partner. They must also either:\n\n- be a British or Irish citizen\n\n- have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\nIf the child lives with their other parent or carer, you must have access to the child in person, as agreed with the other parent or carer or by a court order.\n\n## What you\u2019ll need to prove\n\nYou must be able to prove that you\u2019re taking an active role in your child\u2019s upbringing and you plan to continue after you apply. For example you could provide letters from your child\u2019s:\n\n- school confirming you take them to school or go to parent evenings\n\n- doctor, dentist, or health visitor confirming that you take them to appointments\n\n- other parent confirming how much contact you have with your child\n\nIf you provide a letter from the other parent, you\u2019ll need to include proof of their identity. This should be an official document which has their signature on it, for example a copy of their passport, tax return or photocard driving licence.\n\n## English language and financial requirements\n\nYou must also prove you:\n\n- have a good knowledge of English\n\n- can financially support yourself without claiming public funds\n\nIf your child or any other dependants live with you, you must also prove you can financially support them without claiming public funds.\n\nIf you do not meet the English language and financial requirements you can still extend your permission to stay if:\n\n- your child in the UK is a British or Irish citizen or has lived in the UK for 7 years\n\n- it would be unreasonable for them to leave the UK\n\n## How long you can stay\n\nYou can stay in the UK for 2 years and 9 months on this visa. After this you\u2019ll need to apply to extend your stay.\n\nIf you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nHow you apply depends on whether you\u2019re in the UK or not.\n\n## Outside the UK\n\nYou must apply online outside the UK. You must also complete Appendix 5.\n\n## In the UK\n\nYou must apply online in the UK.\n\nIf you cannot afford to pay the fee, you must also apply online to waive the fee. You might not have to pay the fee if you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\nRead the guidance for parents before applying.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Applying with other children\n\nYou can add other children to your application as dependants if one of the following applies:\n\n- they are under 18 on the date you apply\n\n- they were under 18 when they were first granted leave on a family visa and do not live an independent life\n\n## When you can settle permanently\n\nThe earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a parent.\n\nYou cannot include time you\u2019ve spent in the UK on any other visa.\n\nThe rules are different if you applied before 9 July 2012.\n\n## Apply as a child\n\nYou can apply for a family visa to join your parent in the UK.\n\nYou may not need a family visa if at least one of your parents has indefinite leave to remain or proof of permanent residence. Check if you can apply to settle in the UK.\n\nIf your parent has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## You were born in the UK\n\nYou\u2019ll get the same permission to stay as your parent if you were born in the UK.\n\n## If you\u2019re under 18\n\nYou can either:\n\n- be added to your parent\u2019s next application as a dependant\n\n- apply separately\n\nTo apply separately, you\u2019ll need to know what kind of permission to stay in the UK (\u2018limited leave to remain\u2019) your parent has.\n\n## If you\u2019re over 18\n\nYour parent can only include you in their application as a dependant if you:\n\n- got permission to come to or stay in the UK (\u2018leave to enter or remain\u2019) on a family visa when you were under 18\n\n- do not live an independent life\n\n- are applying from inside the UK\n\nYou\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.\n\n## You were born outside the UK\n\nWhether you can apply depends on your age and how your parent applied.\n\n## If you\u2019re under 18\n\nYou must:\n\n- not be married, in a civil partnership or living an independent life\n\n- be financially supported without claiming public funds\n\nOne of your parents must also be applying or have applied for a visa or to extend their permission to stay as a:\n\n- partner - and the partner they\u2019re joining is your other parent\n\n- parent - and they have sole parental responsibility for you\n\nOtherwise, you might still be eligible to apply if there are serious reasons to let you come to, or stay in the UK and there are plans for your care.\n\n## If you\u2019re over 18\n\nYour parent can include you in their application as a dependant, or you can apply separately yourself. You can only apply if you:\n\n- got permission to stay in the UK (\u2018leave to remain\u2019) on a family visa when you were under 18\n\n- do not live an independent life\n\nYou\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.\n\nIf your parent cannot include you in their form and you\u2019re in the UK, you may be eligible to apply for Private Life in the UK (10-year route).\n\n## Apply from outside the UK\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\n## Apply at the same time as your parent\n\nWhich form you need to fill in depends on whether your parent is applying to enter the UK as the partner of one of the following:\n\n- a British or Irish citizen\n\n- a person with indefinite leave to remain\n\n- a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021\n\n- a person with a Turkish Businessperson visa or Turkish Worker visa\n\n- a person with refugee status or humanitarian protection\n\nIf they are applying as one of these, you must fill in the Appendix FM online form.\n\nIf they are not, you must fill in both:\n\n- the online application form\n\n- the Appendix 1 paper form\n\n## Apply separately\n\nWhich form you need to fill in depends on whether your parent has leave to enter or remain in the UK on a 5 or 10-year route to settlement as the partner of:\n\n- a British or Irish citizen\n\n- a person with indefinite leave to remain\n\n- a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021\n\n- a person with a Turkish Businessperson visa or Turkish Worker visa\n\n- a person with refugee status or humanitarian protection\n\nIf they do, you must fill in the Appendix FM online form.\n\nIf they do not, you must fill in both:\n\n- the online application form\n\n- the Appendix 1 paper form\n\n## Apply from the UK\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nIf you\u2019re already in the UK, you must apply online.\n\nFill in the online fee waiver request form as well if you cannot pay the fee because you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\nYou can also check if you\u2019re eligible for a different type of visa.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Apply as an adult coming to be cared for by a relative\n\nYou must be outside the UK to apply and need long-term care from a parent, grandchild, brother, sister, son or daughter who is living permanently in the UK.\n\nOne of the following must also apply to the relative:\n\n- they\u2019re a British or Irish citizen\n\n- they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- they have refugee status or humanitarian protection in the UK\n\nIf your family member has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.\n\nYou must prove all of the following:\n\n- you need long-term care to do everyday personal and household tasks because of illness, disability or your age\n\n- the care you need is not available or affordable in the country you live in\n\n- the person you\u2019ll be joining in the UK will be able to support, accommodate and care for you without claiming public funds for at least 5 years\n\n- you\u2019re 18 or over\n\n## How long you can stay for\n\nHow long you can stay depends on the status of your family member.\n\n## If your family member is British, Irish or settled in the UK\n\nYour stay is unlimited. You will not need to apply to extend or settle.\n\n## If your family member has pre-settled status\n\nThey must have started living in the UK before 1 January 2021. You can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.\n\n## If your family member has refugee status or humanitarian protection in the UK\n\nYou can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nYou must apply as an adult dependent relative online and complete Appendix 1.\n\n## Apply to extend your stay\n\nApply online to extend your stay in the UK.\n\n## Apply on the basis of your private life\n\nYou can only apply on the basis of your private life if you\u2019re already living in the UK.\n\nYou must be able to prove that you\u2019re:\n\n- under 18 and you\u2019ve lived in the UK continuously for at least 7 years, and it would be unreasonable to expect you to leave the UK\n\n- between 18 and 24 and you\u2019ve lived continuously in the UK for more than half your life\n\n- 18 or over, have spent less than 20 years in the UK and would have very significant problems living in the country you\u2019d have to go to - for example, you do not speak the language and could not learn it\n\n- 25 or over and you\u2019ve been in the UK continuously for 20 years\n\nYour family members can apply on the same application - you\u2019ll be considered separately.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## How to apply\n\nYou must apply online.\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\n## If you cannot pay the application fee\n\nFill in the online fee waiver request form as well if you cannot afford to pay the fee because you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\n## Get help using a computer to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\n## When you do not need to prove it\n\nYou do not need to prove your knowledge of English or take a test if one of the following is true:\n\n- you\u2019re applying as a child\n\n- you\u2019re applying as an adult coming to be cared for by a relative\n\n- you\u2019ve been in the UK on a family visa for 5 years and you\u2019re extending it as a partner or parent\n\n- you\u2019re over 65\n\n- you have a physical or mental condition that prevents you from meeting the requirement\n\nYou also will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## How to prove your knowledge of English\n\nYou can prove it with an academic qualification, or by taking a test.\n\n## Academic qualifications\n\nYou can prove your knowledge of English if you have a degree or academic qualification that was taught or researched in English.\n\nIf your qualification is from a UK university or college, you only need your degree certificate.\n\n## If your qualification is from a university or college outside the UK\n\nYou\u2019ll need to provide a certificate from Ecctis (formerly UK NARIC) to show that your qualification is equivalent to a UK bachelor\u2019s degree or higher and that it was taught in English.\n\nThere are 2 kinds of certificate:\n\n- a statement of comparability\n\n- a visa and nationality statement\n\nYou need a statement of comparability if you got your qualification from a university or college in one of these countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Ireland\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nIf you got your qualification from a university or college in any other country, you need a visa and nationality statement.\n\n## Take an approved English language test\n\nYou can prove your knowledge of English by passing an approved English language test.\n\nYou must pass at least level A1 on the Common European Framework of Reference for Languages (CEFR) scale for your first visa application. You can choose to take a higher level test.\n\nIf you pass level B1 level or higher, the test will be accepted if it\u2019s still on the list of approved English language tests when you apply for settlement after 5 years.\n\nIf you cannot take an English language test because of coronavirus (COVID-19), you might be able to apply for an exemption. Read the guidance for UK visa applicants and temporary UK residents.\n\n## If you want to settle permanently in the UK within 5 years\n\nYou may have to pass a higher CEFR level if you want to stay in the UK after 2.5 years. What you need to do depends on what CEFR level you passed for your first visa.\n\nIf you passed:\n\n- level A1 you\u2019ll need to pass level A2 in speaking and listening\n\n- level A2, B1, B2, C1 or C2 you can use the test again for your application if it\u2019s still on the list of approved English language tests\n\nIf you were given an exemption, you\u2019ll need to pass a test at level A1.\n\nRead the English language requirement: family members guidance.\n\n## Give proof of your income\n\nYou and your partner must have a combined income of at least \u00a318,600 a year if:\n\n- you\u2019re applying as a partner\n\n- you want to settle in the UK (get \u2018indefinite leave to remain\u2019) within 5 years\n\nYou must prove you have extra money if you have children who:\n\n- are not British or Irish citizens\n\n- do not have pre-settled status\n\n- are not permanently settled in the UK\n\nYou might not need to prove you have extra money if your children are citizens of the EU, Iceland, Liechtenstein, Norway or Switzerland and they do not have pre-settled status or are not permanently settled in the UK. Check the guidance in appendix FM 1.7: financial requirement for more information.\n\nIf you need to prove extra money for your children, you\u2019ll need to earn an extra:\n\n- \u00a33,800 for your first child\n\n- \u00a32,400 for each child you have after your first child\n\nThis is called the \u2018minimum income requirement\u2019.\n\nYou may be able to use your savings instead of income.\n\nHow you prove you have the money depends on how you got the income.\n\nIf you\u2019ve experienced a loss of income because of coronavirus (COVID-19), for example if you\u2019ve been furloughed or you\u2019re self employed, you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.\n\n## What counts as income\n\nYou and your partner can use:\n\n- income from employment before tax and National Insurance (check your P60 or payslips) - you can only use your own income if you earn it in the UK\n\n- income you earn from self-employment or as a director of a limited company in the UK - check your Self Assessment tax return\n\n- cash savings above \u00a316,000\n\n- money from a pension\n\n- non-work income, for example from property rentals or dividends\n\nIf you\u2019re using income from self-employment or employment, you\u2019ll need to prove you or your partner received that income for 6 months or more.\n\n## What proof you need to give\n\nYou\u2019ll need to provide proof of your income with your application. If you or your partner are employed, you could include:\n\n- bank statements showing you or your partner\u2019s income\n\n- 6 months of payslips\n\n- a letter from an employer, dated and on headed paper\n\nThe employer\u2019s letter should confirm:\n\n- you or your partner are employed there\n\n- the job title or position you or your partner hold\n\n- how long you or your partner have worked there\n\n- the type of contract (for example, permanent, fixed term)\n\n- what you or your partner earn before tax and National Insurance\n\n- how long you or your partner have been paid your current salary\n\n- the payslips are genuine\n\nYou\u2019ll be told exactly what documents to provide when you apply online.\n\nCheck the guidance in appendix FM 1.7: financial requirement if:\n\n- you or your partner\u2019s income is more complicated\n\n- you or your partner have taken maternity or paternity leave in the last 6 months\n\n- you want to combine different income sources\n\nThe detailed guidance also explains the evidence you need to provide for each of the types of income you\u2019re relying on.\n\n## If you cannot meet the minimum income requirement\n\nYou need to show you and your partner meet the minimum income requirement if you want to settle in 5 years as a partner.\n\nIf you do not meet the requirement, you may be able to settle in 10 years.\n\n## When you do not need to meet the income requirement\n\nYou may be able to settle in 5 years without meeting the minimum income requirement if either:\n\n- you\u2019re applying as a parent\n\n- you get certain benefits, for example Disability Living Allowance or Carer\u2019s Allowance.\n\nYou need to show you and your family have enough money to adequately support and accommodate yourselves without relying on public funds. The caseworker considers your income and housing costs.\n\nCheck the guidance in appendix FM 1.7: financial requirement for more information\n\n## Information you must provide\n\nYou\u2019ll need to have information and some evidence ready when you make your application. Include information for you and any dependants applying at the same time.\n\nYou\u2019ll need to provide:\n\n- all your names\n\n- your date of birth\n\n- your current passport or other valid travel ID\n\n- copies of the photo page and any visa or entry stamps in your previous passports\n\n- a copy of your biometric residence permit, if you have one\n\n- details of any previous immigration applications you\u2019ve made\n\n- details of any criminal convictions\n\n- your national insurance number, if you have one\n\n- your parents\u2019 date of birth and nationality if you\u2019re applying from outside the UK\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a certified translation of any document that is not in English or Welsh\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa if you\u2019re applying outside the UK.\n\nYou\u2019ll need an email address to make an online application.\n\nYou\u2019ll also need to:\n\n- give proof of your finances\n\n- prove your knowledge of English\n\nYou may need to provide additional documents depending on your circumstances - for example a sponsorship form from your family member in the UK.\n\nYou\u2019ll be told how to provide your documents when you apply.\n\nIf you\u2019re unable to provide specified documents because of coronavirus (COVID-19), you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Your partner\u2019s details\n\nIf you have a partner, you\u2019ll be asked about their:\n\n- name\n\n- date of birth\n\n- nationality\n\n- passport\n\n- right to be in the UK, for example they\u2019re a British citizen\n\nYou\u2019ll also need to give details of:\n\n- any people your partner was previously married to, in a civil partnership with or had children with\n\n- evidence of marriages ending, for example a divorce certificate\n\n- anyone your partner supports with money, for example their parents\n\n## Proof of relationship\n\nIf you\u2019re applying as a spouse or partner, you\u2019ll be asked about:\n\n- your relationship with your partner, for example how you met and how often you see each other\n\n- how long you\u2019ve lived together - you\u2019ll need to provide proof like council tax bills\n\n- things you pay for together\n\n- whether you\u2019re your partner\u2019s carer\n\n## Your previous partners\n\nYou\u2019ll need to include details of anyone you previously married or had children with. Include evidence of marriages ending, for example a divorce certificate.\n\n## Children\n\nYou\u2019ll need to give details of your children (and your partner\u2019s children if you have one). You\u2019ll be asked about all children, even if they\u2019re not applying.\n\nYou\u2019ll need to give details of:\n\n- their name\n\n- their nationality\n\n- their date of birth\n\n- their passport details\n\n- who the child normally lives with\n\n- any other people with parental responsibility for your child, for example your step children\u2019s other parents\n\n- how you\u2019re involved in their day to day life\n\n- arrangements you have to see the child - for example the courts have granted you access\n\n- the child\u2019s extended family\n\n- any countries your child has visited or lived in\n\n## Your life outside the UK\n\nYou\u2019ll need to give details of:\n\n- countries outside the UK you\u2019ve lived in and visited\n\n- family and friends in the countries where you were born or have nationality\n\n## After you apply\n\nYou\u2019ll need to attend an appointment to provide your biometric information (fingerprints and a photo). You\u2019ll be told how to make an appointment when you apply.\n\n## Getting your documents back\n\nYou can ask for your passport and other documents to be returned if you\u2019ve provided them with your application but need them urgently.\n\nYou might have to cancel your application to get your documents back.\n\n## If your application is approved\n\nYou\u2019ll get a biometric residence permit.\n\nYou can:\n\n- work\n\n- study\n\nYou cannot work or study if you\u2019re applying for a visa or extending your stay to get married or become civil partners.\n\nYou cannot:\n\n- usually get benefits or other public funds for you or your dependants\n\n- apply to settle in the UK until you\u2019re eligible", + "original_contents": [ + "

    Overview

    ", + "

    You need a family visa to live with a family member in the UK for more than 6 months.

    ", + "

    Applying from outside the UK

    ", + "

    You can apply for a family visa to live with your:

    ", + "
  • spouse or partner
  • ", + "
  • fianc\u00e9, fianc\u00e9e or proposed civil partner
  • ", + "
  • child
  • ", + "
  • parent
  • ", + "
  • relative who\u2019ll provide long-term care for you
  • ", + "

    If you\u2019re visiting the UK for 6 months or less, check if you need a Standard Visitor visa or Marriage Visitor visa.

    ", + "

    Extending your family visa

    ", + "

    You can apply to extend your stay with your family member if you\u2019re already in the UK on a family visa.

    ", + "

    You can extend at any time before your current permission to stay in the UK expires.

    ", + "

    If you\u2019re extending to stay with the same family member, you\u2019ll only get up to 28 days left on your current stay added to your new visa.

    ", + "

    You must live in the UK for a certain amount of time before you\u2019re eligible for settlement (\u2018indefinite leave to remain\u2019). Before you extend your visa, check how much time you need to settle in the UK.

    ", + "

    You might be able to apply to stay on the basis of your private life if you\u2019ve lived in the UK for many years already.

    ", + "

    Switching to a family visa

    ", + "

    If you came to the UK on a different visa, you might be able to switch to a family visa to stay with your:

    ", + "
  • spouse or partner
  • ", + "
  • child
  • ", + "
  • parent
  • ", + "

    You can switch at any time before your current permission to stay in the UK expires.

    ", + "

    If you do not meet the rules because of coronavirus (COVID-19)

    ", + "

    If you do not meet the rules to enter or remain in the UK because of coronavirus, you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    Fees

    ", + "

    How much it costs depends on how you apply.

    ", + " | Apply outside the UK | Apply in the UK", + "Cost if joining your partner, parent or child | \u00a31,523 | \u00a31,033", + "Cost for each dependant added to your application | \u00a31,523 each person | \u00a31,033 each person", + "Cost for an adult who needs to be looked after by a relative | \u00a33,250 | \u00a31,033", + "

    Let your bank know that a large amount of money will be coming out of your account - otherwise it might cancel your payment.

    ", + "

    Healthcare surcharge

    ", + "

    You might also need to pay the healthcare surcharge as part of your application.

    ", + "

    If you\u2019re applying to extend or switch in the UK

    ", + "

    You\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    Get a faster decision on your application

    ", + "

    If you\u2019re applying from the UK, you may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.

    ", + "

    You cannot use the super priority service if you\u2019re applying as an adult coming to be cared for by a relative.

    ", + "

    Once you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.

    ", + "

    How long it takes

    ", + "

    If you apply outside the UK a decision will usually be made within 12 weeks.

    ", + "

    If you apply in the UK a decision will usually be made within 8 weeks of your application date if you use the standard service.

    ", + "

    If you use the super priority service a decision will usually be made:

    ", + "
  • by the end of the next working day after providing your biometric information if your appointment is on a weekday
  • ", + "
  • 2 working days after providing your biometric information if your appointment is at the weekend
  • ", + "

    Working days are Monday to Friday, not including bank holidays.

    ", + "

    It might take longer if your application is complex, for example you:

    ", + "
  • do not meet the minimum income requirement
  • ", + "
  • cannot prove your knowledge of English
  • ", + "
  • need to attend an interview
  • ", + "
  • have not provided all the evidence that the Home Office needs
  • ", + "
  • have a criminal conviction or another personal circumstance that needs to be reviewed
  • ", + "

    Other ways you can stay

    ", + "

    You were the victim of domestic abuse or your partner died

    ", + "

    You might be able to apply to settle in the UK if you had permission to stay in the UK as a partner when either:

    ", + "
  • you were the victim of domestic abuse
  • ", + "
  • your partner died
  • ", + "

    Your family member has refugee status or humanitarian protection

    ", + "

    You might be able to apply for \u2018family reunion\u2019 to join a partner or parent who has either:

    ", + "
  • refugee status in the UK
  • ", + "
  • humanitarian protection in the UK
  • ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    If you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. Otherwise you need a visa or family permit to come to the UK.

    ", + "

    Irish citizens do not need to apply for a visa or to the EU Settlement Scheme.

    ", + "

    When you cannot get a family visa

    ", + "

    In some circumstances you cannot apply for, or switch to, a family visa.

    ", + "

    Your family member has a work visa or student visa

    ", + "

    You cannot apply for a family visa if your family member is in the UK temporarily on a work visa or student visa.

    ", + "

    You can apply to stay with them as a dependant instead.

    ", + "

    You have a visitor visa or a visa for 6 months or less

    ", + "

    You\u2019ll usually need to leave the UK to apply for a family visa if either:

    ", + "
  • you have permission to be in the UK as a visitor
  • ", + "
  • your visa is for 6 months or less
  • ", + "

    However, you might be able to switch to a family visa in the UK if you have either:

    ", + "
  • a 6-month family visa as a fianc\u00e9, fianc\u00e9e or proposed civil partner
  • ", + "
  • permission to stay in the UK for the outcome of a family court case or divorce
  • ", + "

    Apply as a partner or spouse

    ", + "

    To apply as a partner, you and your partner both need to be 18 or over.

    ", + "

    Your partner must also either:

    ", + "
  • be a British or Irish citizen
  • ", + "
  • have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "
  • have a Turkish Businessperson visa or Turkish Worker visa
  • ", + "
  • have refugee status or humanitarian protection in the UK
  • ", + "

    You and your partner must intend to live together permanently in the UK after you apply.

    ", + "

    If your partner has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.

    ", + "

    What you\u2019ll need to prove

    ", + "

    You must be able to prove one of the following:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "
  • you are a fianc\u00e9, fianc\u00e9e or proposed civil partner and will marry or enter into a civil partnership in the UK within 6 months of arriving
  • ", + "

    If your wedding or civil ceremony has been delayed because of coronavirus (COVID-19), you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    You also need to prove you:

    ", + "
  • have a good knowledge of English
  • ", + "
  • can financially support yourself and your dependants
  • ", + "

    If you do not meet these requirements you may still be able to apply for a visa or extend your permission to stay if:

    ", + "
  • you have a child in the UK who is a British or Irish citizen or has lived in the UK for 7 years and it would be unreasonable for them to leave the UK
  • ", + "
  • there would be very significant difficulties for you and your partner if you lived together as a couple outside the UK that could not be overcome
  • ", + "
  • it would breach your human rights to stop you coming to the UK or make you leave
  • ", + "

    If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner

    ", + "

    You must prove that:

    ", + "
  • any previous marriages or civil partnerships have ended
  • ", + "
  • you plan to marry or become civil partners within 6 months of arriving in the UK
  • ", + "

    If your wedding or civil ceremony has been delayed because of COVID-19, you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    You will not be able to work during your engagement.

    ", + "

    How long you can stay

    ", + "

    You can stay in the UK for 2 years and 9 months on this visa. If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner, you can stay for 6 months.

    ", + "

    After this you\u2019ll need to apply to extend your stay.

    ", + "

    If you extend or switch to this visa

    ", + "

    If you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.

    ", + "

    How to apply

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    How you apply depends on whether you\u2019re in the UK or not.

    ", + "

    Outside the UK

    ", + "

    You must apply online from outside the UK.

    ", + "

    In the UK

    ", + "

    You must apply online in the UK.

    ", + "

    If you cannot pay the fee

    ", + "

    Fill in the online fee waiver request form as well if you cannot pay the fee because you:

    ", + "
  • do not have a place to live and cannot afford one
  • ", + "
  • have a place to live but cannot afford essential living costs like food or heating
  • ", + "
  • have a very low income and paying the fee would harm your child\u2019s wellbeing
  • ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Applying with your children

    ", + "

    You can add children to your application as dependants if both of the following apply:

    ", + "
  • they are under 18 when you apply, or were under 18 when they were first granted leave
  • ", + "
  • they do not live an independent life
  • ", + "

    Your child is living an independent life if, for example, they\u2019ve left home, got married and had children.

    ", + "

    When you can settle permanently

    ", + "

    The earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a partner.

    ", + "

    You cannot include time you\u2019ve spent in the UK:

    ", + "
  • on any other visa
  • ", + "
  • as a fianc\u00e9, fianc\u00e9e or proposed civil partner
  • ", + "

    The rules are different if you applied before 9 July 2012.

    ", + "

    If you applied before 9 July 2012

    ", + "

    You can only extend your family visa if all the following are true:

    ", + "
  • you were given permission to stay in the UK as a partner before 9 July 2012
  • ", + "
  • you are not eligible to settle in the UK
  • ", + "
  • you have not been granted or refused another visa
  • ", + "

    You must also prove that:

    ", + "
  • you and your partner have enough money to financially support yourself and your dependants without relying on public funds
  • ", + "
  • you have knowledge of English
  • ", + "

    Apply as a parent

    ", + "

    You can apply to live in the UK to care for your child.

    ", + "

    If you\u2019re eligible to apply as a partner, you must do that instead of applying as a parent.

    ", + "

    Your child must either:

    ", + "
  • be under 18 on the date you apply
  • ", + "
  • have been under 18 when you were first granted leave and not live an independent life
  • ", + "

    Your child is living an independent life if, for example, they\u2019ve left home, got married and had children.

    ", + "

    Your child must be living in the UK. One of the following must also be true:

    ", + "
  • they\u2019re a British or Irish citizen
  • ", + "
  • they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "
  • if you\u2019re applying in the UK, they must have lived in the UK for 7 years continuously and it would not be reasonable for them to leave
  • ", + "

    If your child has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.

    ", + "

    If you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    Parental responsibility

    ", + "

    You need to have sole or shared parental responsibility for your child.

    ", + "

    If you share parental responsibility, the child\u2019s other parent must not be your partner. They must also either:

    ", + "
  • be a British or Irish citizen
  • ", + "
  • have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "

    If the child lives with their other parent or carer, you must have access to the child in person, as agreed with the other parent or carer or by a court order.

    ", + "

    What you\u2019ll need to prove

    ", + "

    You must be able to prove that you\u2019re taking an active role in your child\u2019s upbringing and you plan to continue after you apply. For example you could provide letters from your child\u2019s:

    ", + "
  • school confirming you take them to school or go to parent evenings
  • ", + "
  • doctor, dentist, or health visitor confirming that you take them to appointments
  • ", + "
  • other parent confirming how much contact you have with your child
  • ", + "

    If you provide a letter from the other parent, you\u2019ll need to include proof of their identity. This should be an official document which has their signature on it, for example a copy of their passport, tax return or photocard driving licence.

    ", + "

    English language and financial requirements

    ", + "

    You must also prove you:

    ", + "
  • have a good knowledge of English
  • ", + "
  • can financially support yourself without claiming public funds
  • ", + "

    If your child or any other dependants live with you, you must also prove you can financially support them without claiming public funds.

    ", + "

    If you do not meet the English language and financial requirements you can still extend your permission to stay if:

    ", + "
  • your child in the UK is a British or Irish citizen or has lived in the UK for 7 years
  • ", + "
  • it would be unreasonable for them to leave the UK
  • ", + "

    How long you can stay

    ", + "

    You can stay in the UK for 2 years and 9 months on this visa. After this you\u2019ll need to apply to extend your stay.

    ", + "

    If you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.

    ", + "

    How to apply

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    How you apply depends on whether you\u2019re in the UK or not.

    ", + "

    Outside the UK

    ", + "

    You must apply online outside the UK. You must also complete Appendix 5.

    ", + "

    In the UK

    ", + "

    You must apply online in the UK.

    ", + "

    If you cannot afford to pay the fee, you must also apply online to waive the fee. You might not have to pay the fee if you:

    ", + "
  • do not have a place to live and you cannot afford one
  • ", + "
  • have a place to live but cannot afford your essential living costs like food or heating
  • ", + "
  • have a very low income and paying the fee would harm your child\u2019s wellbeing
  • ", + "

    Read the guidance for parents before applying.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Applying with other children

    ", + "

    You can add other children to your application as dependants if one of the following applies:

    ", + "
  • they are under 18 on the date you apply
  • ", + "
  • they were under 18 when they were first granted leave on a family visa and do not live an independent life
  • ", + "

    When you can settle permanently

    ", + "

    The earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a parent.

    ", + "

    You cannot include time you\u2019ve spent in the UK on any other visa.

    ", + "

    The rules are different if you applied before 9 July 2012.

    ", + "

    Apply as a child

    ", + "

    You can apply for a family visa to join your parent in the UK.

    ", + "

    You may not need a family visa if at least one of your parents has indefinite leave to remain or proof of permanent residence. Check if you can apply to settle in the UK.

    ", + "

    If your parent has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.

    ", + "

    If you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    You were born in the UK

    ", + "

    You\u2019ll get the same permission to stay as your parent if you were born in the UK.

    ", + "

    If you\u2019re under 18

    ", + "

    You can either:

    ", + "
  • be added to your parent\u2019s next application as a dependant
  • ", + "
  • apply separately
  • ", + "

    To apply separately, you\u2019ll need to know what kind of permission to stay in the UK (\u2018limited leave to remain\u2019) your parent has.

    ", + "

    If you\u2019re over 18

    ", + "

    Your parent can only include you in their application as a dependant if you:

    ", + "
  • got permission to come to or stay in the UK (\u2018leave to enter or remain\u2019) on a family visa when you were under 18
  • ", + "
  • do not live an independent life
  • ", + "
  • are applying from inside the UK
  • ", + "

    You\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.

    ", + "

    You were born outside the UK

    ", + "

    Whether you can apply depends on your age and how your parent applied.

    ", + "

    If you\u2019re under 18

    ", + "

    You must:

    ", + "
  • not be married, in a civil partnership or living an independent life
  • ", + "
  • be financially supported without claiming public funds
  • ", + "

    One of your parents must also be applying or have applied for a visa or to extend their permission to stay as a:

    ", + "
  • partner - and the partner they\u2019re joining is your other parent
  • ", + "
  • parent - and they have sole parental responsibility for you
  • ", + "

    Otherwise, you might still be eligible to apply if there are serious reasons to let you come to, or stay in the UK and there are plans for your care.

    ", + "

    If you\u2019re over 18

    ", + "

    Your parent can include you in their application as a dependant, or you can apply separately yourself. You can only apply if you:

    ", + "
  • got permission to stay in the UK (\u2018leave to remain\u2019) on a family visa when you were under 18
  • ", + "
  • do not live an independent life
  • ", + "

    You\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.

    ", + "

    If your parent cannot include you in their form and you\u2019re in the UK, you may be eligible to apply for Private Life in the UK (10-year route).

    ", + "

    Apply from outside the UK

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    Apply at the same time as your parent

    ", + "

    Which form you need to fill in depends on whether your parent is applying to enter the UK as the partner of one of the following:

    ", + "
  • a British or Irish citizen
  • ", + "
  • a person with indefinite leave to remain
  • ", + "
  • a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "
  • a person with a Turkish Businessperson visa or Turkish Worker visa
  • ", + "
  • a person with refugee status or humanitarian protection
  • ", + "

    If they are applying as one of these, you must fill in the Appendix FM online form.

    ", + "

    If they are not, you must fill in both:

    ", + "
  • the online application form
  • ", + "
  • the Appendix 1 paper form
  • ", + "

    Apply separately

    ", + "

    Which form you need to fill in depends on whether your parent has leave to enter or remain in the UK on a 5 or 10-year route to settlement as the partner of:

    ", + "
  • a British or Irish citizen
  • ", + "
  • a person with indefinite leave to remain
  • ", + "
  • a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "
  • a person with a Turkish Businessperson visa or Turkish Worker visa
  • ", + "
  • a person with refugee status or humanitarian protection
  • ", + "

    If they do, you must fill in the Appendix FM online form.

    ", + "

    If they do not, you must fill in both:

    ", + "
  • the online application form
  • ", + "
  • the Appendix 1 paper form
  • ", + "

    Apply from the UK

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    If you\u2019re already in the UK, you must apply online.

    ", + "

    Fill in the online fee waiver request form as well if you cannot pay the fee because you:

    ", + "
  • do not have a place to live and you cannot afford one
  • ", + "
  • have a place to live but cannot afford your essential living costs like food or heating
  • ", + "
  • have a very low income and paying the fee would harm your child\u2019s wellbeing
  • ", + "

    You can also check if you\u2019re eligible for a different type of visa.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Apply as an adult coming to be cared for by a relative

    ", + "

    You must be outside the UK to apply and need long-term care from a parent, grandchild, brother, sister, son or daughter who is living permanently in the UK.

    ", + "

    One of the following must also apply to the relative:

    ", + "
  • they\u2019re a British or Irish citizen
  • ", + "
  • they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence
  • ", + "
  • they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021
  • ", + "
  • they have refugee status or humanitarian protection in the UK
  • ", + "

    If your family member has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.

    ", + "

    You must prove all of the following:

    ", + "
  • you need long-term care to do everyday personal and household tasks because of illness, disability or your age
  • ", + "
  • the care you need is not available or affordable in the country you live in
  • ", + "
  • the person you\u2019ll be joining in the UK will be able to support, accommodate and care for you without claiming public funds for at least 5 years
  • ", + "
  • you\u2019re 18 or over
  • ", + "

    How long you can stay for

    ", + "

    How long you can stay depends on the status of your family member.

    ", + "

    If your family member is British, Irish or settled in the UK

    ", + "

    Your stay is unlimited. You will not need to apply to extend or settle.

    ", + "

    If your family member has pre-settled status

    ", + "

    They must have started living in the UK before 1 January 2021. You can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.

    ", + "

    If your family member has refugee status or humanitarian protection in the UK

    ", + "

    You can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.

    ", + "

    How to apply

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    You must apply as an adult dependent relative online and complete Appendix 1.

    ", + "

    Apply to extend your stay

    ", + "

    Apply online to extend your stay in the UK.

    ", + "

    Apply on the basis of your private life

    ", + "

    You can only apply on the basis of your private life if you\u2019re already living in the UK.

    ", + "

    You must be able to prove that you\u2019re:

    ", + "
  • under 18 and you\u2019ve lived in the UK continuously for at least 7 years, and it would be unreasonable to expect you to leave the UK
  • ", + "
  • between 18 and 24 and you\u2019ve lived continuously in the UK for more than half your life
  • ", + "
  • 18 or over, have spent less than 20 years in the UK and would have very significant problems living in the country you\u2019d have to go to - for example, you do not speak the language and could not learn it
  • ", + "
  • 25 or over and you\u2019ve been in the UK continuously for 20 years
  • ", + "

    Your family members can apply on the same application - you\u2019ll be considered separately.

    ", + "

    If you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    How to apply

    ", + "

    You must apply online.

    ", + "

    You\u2019ll need to prepare information and documents to provide with your application.

    ", + "

    If you cannot pay the application fee

    ", + "

    Fill in the online fee waiver request form as well if you cannot afford to pay the fee because you:

    ", + "
  • do not have a place to live and you cannot afford one
  • ", + "
  • have a place to live but cannot afford your essential living costs like food or heating
  • ", + "
  • have a very low income and paying the fee would harm your child\u2019s wellbeing
  • ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Knowledge of English

    ", + "

    You may need to prove your knowledge of the English language when you apply.

    ", + "

    When you do not need to prove it

    ", + "

    You do not need to prove your knowledge of English or take a test if one of the following is true:

    ", + "
  • you\u2019re applying as a child
  • ", + "
  • you\u2019re applying as an adult coming to be cared for by a relative
  • ", + "
  • you\u2019ve been in the UK on a family visa for 5 years and you\u2019re extending it as a partner or parent
  • ", + "
  • you\u2019re over 65
  • ", + "
  • you have a physical or mental condition that prevents you from meeting the requirement
  • ", + "

    You also will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    How to prove your knowledge of English

    ", + "

    You can prove it with an academic qualification, or by taking a test.

    ", + "

    Academic qualifications

    ", + "

    You can prove your knowledge of English if you have a degree or academic qualification that was taught or researched in English.

    ", + "

    If your qualification is from a UK university or college, you only need your degree certificate.

    ", + "

    If your qualification is from a university or college outside the UK

    ", + "

    You\u2019ll need to provide a certificate from Ecctis (formerly UK NARIC) to show that your qualification is equivalent to a UK bachelor\u2019s degree or higher and that it was taught in English.

    ", + "

    There are 2 kinds of certificate:

    ", + "
  • a statement of comparability
  • ", + "
  • a visa and nationality statement
  • ", + "

    You need a statement of comparability if you got your qualification from a university or college in one of these countries:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • the Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Ireland
  • ", + "
  • Jamaica
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    If you got your qualification from a university or college in any other country, you need a visa and nationality statement.

    ", + "

    Take an approved English language test

    ", + "

    You can prove your knowledge of English by passing an approved English language test.

    ", + "

    You must pass at least level A1 on the Common European Framework of Reference for Languages (CEFR) scale for your first visa application. You can choose to take a higher level test.

    ", + "

    If you pass level B1 level or higher, the test will be accepted if it\u2019s still on the list of approved English language tests when you apply for settlement after 5 years.

    ", + "

    If you cannot take an English language test because of coronavirus (COVID-19), you might be able to apply for an exemption. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    If you want to settle permanently in the UK within 5 years

    ", + "

    You may have to pass a higher CEFR level if you want to stay in the UK after 2.5 years. What you need to do depends on what CEFR level you passed for your first visa.

    ", + "

    If you passed:

    ", + "
  • level A1 you\u2019ll need to pass level A2 in speaking and listening
  • ", + "
  • level A2, B1, B2, C1 or C2 you can use the test again for your application if it\u2019s still on the list of approved English language tests
  • ", + "

    If you were given an exemption, you\u2019ll need to pass a test at level A1.

    ", + "

    Read the English language requirement: family members guidance.

    ", + "

    Give proof of your income

    ", + "

    You and your partner must have a combined income of at least \u00a318,600 a year if:

    ", + "
  • you\u2019re applying as a partner
  • ", + "
  • you want to settle in the UK (get \u2018indefinite leave to remain\u2019) within 5 years
  • ", + "

    You must prove you have extra money if you have children who:

    ", + "
  • are not British or Irish citizens
  • ", + "
  • do not have pre-settled status
  • ", + "
  • are not permanently settled in the UK
  • ", + "

    You might not need to prove you have extra money if your children are citizens of the EU, Iceland, Liechtenstein, Norway or Switzerland and they do not have pre-settled status or are not permanently settled in the UK. Check the guidance in appendix FM 1.7: financial requirement for more information.

    ", + "

    If you need to prove extra money for your children, you\u2019ll need to earn an extra:

    ", + "
  • \u00a33,800 for your first child
  • ", + "
  • \u00a32,400 for each child you have after your first child
  • ", + "

    This is called the \u2018minimum income requirement\u2019.

    ", + "

    You may be able to use your savings instead of income.

    ", + "

    How you prove you have the money depends on how you got the income.

    ", + "

    If you\u2019ve experienced a loss of income because of coronavirus (COVID-19), for example if you\u2019ve been furloughed or you\u2019re self employed, you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    What counts as income

    ", + "

    You and your partner can use:

    ", + "
  • income from employment before tax and National Insurance (check your P60 or payslips) - you can only use your own income if you earn it in the UK
  • ", + "
  • income you earn from self-employment or as a director of a limited company in the UK - check your Self Assessment tax return
  • ", + "
  • cash savings above \u00a316,000
  • ", + "
  • money from a pension
  • ", + "
  • non-work income, for example from property rentals or dividends
  • ", + "

    If you\u2019re using income from self-employment or employment, you\u2019ll need to prove you or your partner received that income for 6 months or more.

    ", + "

    What proof you need to give

    ", + "

    You\u2019ll need to provide proof of your income with your application. If you or your partner are employed, you could include:

    ", + "
  • bank statements showing you or your partner\u2019s income
  • ", + "
  • 6 months of payslips
  • ", + "
  • a letter from an employer, dated and on headed paper
  • ", + "

    The employer\u2019s letter should confirm:

    ", + "
  • you or your partner are employed there
  • ", + "
  • the job title or position you or your partner hold
  • ", + "
  • how long you or your partner have worked there
  • ", + "
  • the type of contract (for example, permanent, fixed term)
  • ", + "
  • what you or your partner earn before tax and National Insurance
  • ", + "
  • how long you or your partner have been paid your current salary
  • ", + "
  • the payslips are genuine
  • ", + "

    You\u2019ll be told exactly what documents to provide when you apply online.

    ", + "

    Check the guidance in appendix FM 1.7: financial requirement if:

    ", + "
  • you or your partner\u2019s income is more complicated
  • ", + "
  • you or your partner have taken maternity or paternity leave in the last 6 months
  • ", + "
  • you want to combine different income sources
  • ", + "

    The detailed guidance also explains the evidence you need to provide for each of the types of income you\u2019re relying on.

    ", + "

    If you cannot meet the minimum income requirement

    ", + "

    You need to show you and your partner meet the minimum income requirement if you want to settle in 5 years as a partner.

    ", + "

    If you do not meet the requirement, you may be able to settle in 10 years.

    ", + "

    When you do not need to meet the income requirement

    ", + "

    You may be able to settle in 5 years without meeting the minimum income requirement if either:

    ", + "
  • you\u2019re applying as a parent
  • ", + "
  • you get certain benefits, for example Disability Living Allowance or Carer\u2019s Allowance.
  • ", + "

    You need to show you and your family have enough money to adequately support and accommodate yourselves without relying on public funds. The caseworker considers your income and housing costs.

    ", + "

    Check the guidance in appendix FM 1.7: financial requirement for more information

    ", + "

    Information you must provide

    ", + "

    You\u2019ll need to have information and some evidence ready when you make your application. Include information for you and any dependants applying at the same time.

    ", + "

    You\u2019ll need to provide:

    ", + "
  • all your names
  • ", + "
  • your date of birth
  • ", + "
  • your current passport or other valid travel ID
  • ", + "
  • copies of the photo page and any visa or entry stamps in your previous passports
  • ", + "
  • a copy of your biometric residence permit, if you have one
  • ", + "
  • details of any previous immigration applications you\u2019ve made
  • ", + "
  • details of any criminal convictions
  • ", + "
  • your national insurance number, if you have one
  • ", + "
  • your parents\u2019 date of birth and nationality if you\u2019re applying from outside the UK
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a certified translation of any document that is not in English or Welsh
  • ", + "

    You\u2019ll need to have a blank page in your passport on which to put the visa if you\u2019re applying outside the UK.

    ", + "

    You\u2019ll need an email address to make an online application.

    ", + "

    You\u2019ll also need to:

    ", + "
  • give proof of your finances
  • ", + "
  • prove your knowledge of English
  • ", + "

    You may need to provide additional documents depending on your circumstances - for example a sponsorship form from your family member in the UK.

    ", + "

    You\u2019ll be told how to provide your documents when you apply.

    ", + "

    If you\u2019re unable to provide specified documents because of coronavirus (COVID-19), you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.

    ", + "

    Your partner\u2019s details

    ", + "

    If you have a partner, you\u2019ll be asked about their:

    ", + "
  • name
  • ", + "
  • date of birth
  • ", + "
  • nationality
  • ", + "
  • passport
  • ", + "
  • right to be in the UK, for example they\u2019re a British citizen
  • ", + "

    You\u2019ll also need to give details of:

    ", + "
  • any people your partner was previously married to, in a civil partnership with or had children with
  • ", + "
  • evidence of marriages ending, for example a divorce certificate
  • ", + "
  • anyone your partner supports with money, for example their parents
  • ", + "

    Proof of relationship

    ", + "

    If you\u2019re applying as a spouse or partner, you\u2019ll be asked about:

    ", + "
  • your relationship with your partner, for example how you met and how often you see each other
  • ", + "
  • how long you\u2019ve lived together - you\u2019ll need to provide proof like council tax bills
  • ", + "
  • things you pay for together
  • ", + "
  • whether you\u2019re your partner\u2019s carer
  • ", + "

    Your previous partners

    ", + "

    You\u2019ll need to include details of anyone you previously married or had children with. Include evidence of marriages ending, for example a divorce certificate.

    ", + "

    Children

    ", + "

    You\u2019ll need to give details of your children (and your partner\u2019s children if you have one). You\u2019ll be asked about all children, even if they\u2019re not applying.

    ", + "

    You\u2019ll need to give details of:

    ", + "
  • their name
  • ", + "
  • their nationality
  • ", + "
  • their date of birth
  • ", + "
  • their passport details
  • ", + "
  • who the child normally lives with
  • ", + "
  • any other people with parental responsibility for your child, for example your step children\u2019s other parents
  • ", + "
  • how you\u2019re involved in their day to day life
  • ", + "
  • arrangements you have to see the child - for example the courts have granted you access
  • ", + "
  • the child\u2019s extended family
  • ", + "
  • any countries your child has visited or lived in
  • ", + "

    Your life outside the UK

    ", + "

    You\u2019ll need to give details of:

    ", + "
  • countries outside the UK you\u2019ve lived in and visited
  • ", + "
  • family and friends in the countries where you were born or have nationality
  • ", + "

    After you apply

    ", + "

    You\u2019ll need to attend an appointment to provide your biometric information (fingerprints and a photo). You\u2019ll be told how to make an appointment when you apply.

    ", + "

    Getting your documents back

    ", + "

    You can ask for your passport and other documents to be returned if you\u2019ve provided them with your application but need them urgently.

    ", + "

    You might have to cancel your application to get your documents back.

    ", + "

    If your application is approved

    ", + "

    You\u2019ll get a biometric residence permit.

    ", + "

    You can:

    ", + "
  • work
  • ", + "
  • study
  • ", + "

    You cannot work or study if you\u2019re applying for a visa or extending your stay to get married or become civil partners.

    ", + "

    You cannot:

    ", + "
  • usually get benefits or other public funds for you or your dependants
  • ", + "
  • apply to settle in the UK until you\u2019re eligible
  • " + ] + }, + "https://www.gov.uk/family-permit": { + "url": "https://www.gov.uk/family-permit", + "title": "Apply for a permit to join your EU or EEA family member in the UK", + "content": "## Overview\n\nYou may be able to get a permit to come to the UK if you\u2019re the family member of either:\n\n- an EU, EEA or Swiss citizen\n\n- a \u2018person of Northern Ireland\u2019\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\nThe family of some British citizens can also get a permit.\n\nYou must be outside the UK to apply.\n\nThere are 2 different family permits:\n\n- the EU Settlement Scheme family permit\n\n- the EEA family permit\n\n## What family permits are for\n\nA family permit makes it easier to travel with your family member to the UK or to join them there.\n\nIt lets you come to the UK for up to 6 months. You can work and study, and come and go as many times as you want.\n\nWithout one, you might not get a boarding pass or may be refused entry into the UK.\n\nYou can stay longer in the UK if you\u2019re eligible for the EU Settlement Scheme. You can either:\n\n- apply for a family permit before you come to the UK, and then apply to the EU Settlement Scheme once you\u2019re here\n\n- apply to the EU Settlement Scheme from outside the UK, if you\u2019re eligible to do so\n\n## EU Settlement Scheme family permit\n\nYou can apply for an EU Settlement Scheme family permit if you\u2019re the close family member of an EU, EEA or Swiss citizen who was living in the UK by 31 December 2020.\n\nFind out more about applying for an EUSS family permit to join an EU, EEA or Swiss citizen.\n\nYou can also apply:\n\n- if you\u2019ve lived in the EU, EEA or Switzerland with an eligible family member who\u2019s a British citizen\n\n- if you have the right to stay in the UK as the family member of an EU, EEA or Swiss citizen who has died, left the UK, is no longer your spouse or civil partner or with whom the family relationship has broken down - this is called \u2018retained right of residence\u2019\n\n## EEA family permit\n\nThe EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.\n\nYou can apply for an EEA family permit if you\u2019re the close family member or unmarried partner of a person from the EU, EEA or Switzerland. Your family relationship must have started by 31 December 2020.\n\nIf you apply for an EEA family permit and do not get a decision by 30 June 2021, you\u2019ll need to apply for a different way to travel to the UK, such as an EU Settlement Scheme family permit.\n\nFind out more about applying for the EEA family permit to join an EU, EEA or Swiss citizen.\n\nYou may also be eligible for an EEA family permit:\n\n- with a \u2018derivative right of residence\u2019 - you might have this if you\u2019re the primary carer of a British, EU, EEA or Swiss dependant, the primary carer\u2019s child, or the child of an EU, EEA or Swiss citizen who previously worked in the UK\n\n- if you can make a \u2018Surinder Singh\u2019 application after living in an EEA country or Switzerland with a British family member\n\n- with a \u2018retained right of residence\u2019 - you might have this if you have the right to stay in the UK as the family member of an EU, EEA or Swiss citizen who has died, left the UK or is no longer your spouse or civil partner\n\n## Fees\n\nBoth family permits are free.\n\n## After you\u2019ve applied\n\nIf your application is successful, check how long your permit lasts and when you can apply to stay longer in the UK.\n\n## EU Settlement Scheme family permit: join an EU, EEA or Swiss citizen\n\nYou can apply for an EU Settlement Scheme family permit to come to the UK if all of the following are true:\n\n- you\u2019re the eligible family member of an EU, EEA or Swiss citizen, or a \u2018person of Northern Ireland\u2019\n\n- your family relationship began by 31 December 2020\n\n- your family member was living in the UK by 31 December 2020\n\n- your family member is in the UK already or traveling with you to the UK within 6 months of your application\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\nChildren who were born or adopted after 31 December 2020 may also be eligible, if they\u2019re the child of either:\n\n- an EU, EEA or Swiss citizen\n\n- an EU, EEA or Swiss citizen\u2019s spouse or civil partner\n\n## Eligible family members\n\nYou can join your:\n\n- spouse, civil partner or unmarried partner\n\n- child or grandchild aged under 21\n\n- dependent child or grandchild of any age\n\n- dependent parent or grandparent\n\nThis includes family members who were adopted under an adoption order that\u2019s recognised in UK law.\n\n## Spouses and civil partners of Swiss citizens\n\nIf you\u2019re married to or in a civil partnership with an eligible Swiss citizen, the rules are different.\n\nYou\u2019ll still be eligible if:\n\n- you got engaged or formed your partnership after 31 December 2020\n\n- you\u2019re still together when you apply\n\n## Who you can join\n\nThe person you\u2019re joining must be one of the following:\n\n- an EU, EEA or Swiss citizen\n\n- a person of Northern Ireland\n\n- someone who lived in the UK as an EU, EEA or Swiss citizen before also getting British citizenship\n\n- an EU, EEA or Swiss citizen who is exempt from immigration control\n\n- an EU, EEA or Swiss citizen who travels regularly to work in the UK but lives outside of the UK (also known as a \u2018frontier worker\u2019)\n\n- a British citizen who also has dual EU, EEA or Swiss nationality and was settled in the UK before 16 July 2012 without using their free movement rights (also known as a \u2018McCarthy\u2019 case)\n\nYour family member must meet the eligibility criteria for the EU Settlement Scheme even if they have not applied or cannot apply. This means that they:\n\n- were resident in the UK by 31 December 2020\n\n- pass criminal record checks\n\n## If you\u2019re joining a person of Northern Ireland\n\nTo be an eligible person of Northern Ireland, the person you\u2019re joining must:\n\n- have been born in Northern Ireland\n\n- have British, Irish or dual British and Irish citizenship\n\nAt the time of your family member\u2019s birth, one of their parents must have been:\n\n- a British citizen\n\n- a Irish citizen\n\n- a dual British and Irish citizen\n\n- entitled to reside in Northern Ireland with no restriction on their period of residence\n\n## If you\u2019re joining an EU, EEA or Swiss citizen who lived in the UK before getting British citizenship\n\nTo be eligible the person you\u2019re joining must:\n\n- be an EU, EEA or Swiss citizen\n\n- have become a naturalised British citizen after working, studying or being self-sufficient in the UK\n\n## If you\u2019re joining an EU, EEA or Swiss citizen who is exempt from immigration control\n\nThe person you\u2019re joining must be:\n\n- an EU, EEA or Swiss citizen\n\n- exempt from immigration control\n\nThey cannot also be a British citizen.\n\n## If you\u2019re joining a frontier worker\n\nThe person you\u2019re joining must:\n\n- be an EU, EEA or Swiss citizen\n\n- have been working in the UK by 31 December 2020 as an employee or self-employed person\n\n- be primarily resident in another country that is not the UK\n\n- have been a frontier worker continuously since 1 January 2021\n\nThey cannot also be a British citizen.\n\n## Documents you must provide\n\nYou must provide:\n\n- a valid passport\n\n- evidence of your relationship to your EEA family member, for example a marriage certificate, civil partnership certificate or birth certificate\n\nYou can provide a valid national identity card instead of your passport if you\u2019re an EU, EEA or Swiss citizen.\n\nIf the EU, EEA or Swiss citizen family member you are joining has applied to the EU Settlement Scheme you must provide their application number.\n\nIf they have not applied to the EU Settlement Scheme you must provide both:\n\n- their valid EU, EEA or Swiss passport or national identity card\n\n- evidence that they would be eligible for the EU Settlement Scheme if they had applied\n\nYou\u2019ll have to show that they meet the other eligibility criteria for the EU Settlement Scheme even if they cannot apply - for example, if they have British as well as EU, EEA or Swiss citizenship.\n\n## Evidence if you\u2019re a spouse or civil partner\n\nIf you\u2019re a spouse or civil partner, you must show that you were engaged or formed a civil partnership by 31 December 2020.\n\nTo do this, you must provide either:\n\n- a marriage or civil partnership certificate\n\n- a document issued under the EEA regulations as the spouse or civil partner of the EU, EEA or Swiss citizen - for example a family permit or residence card\n\nIf you\u2019re married to or in civil partnership with a Swiss citizen who was resident in the UK by 31 December 2020, the rules are different. You may be eligible if you got married or entered into your partnership any time before 1 January 2026, and the relationship still exists when you apply.\n\n## Evidence if you\u2019re an unmarried partner\n\nIf you\u2019re an unmarried partner you\u2019ll need to provide evidence that you were in your long-term relationship by 31 December 2020.\n\nThis usually means showing that you had been living together for 2 years. Evidence could include:\n\n- bank statements, utility bills or official correspondence that shows you and your partner at the same address\n\n- documents showing joint finances, like a tax return\n\n- birth certificates or custody agreements showing that you shared responsibility for children while living together\n\nYou\u2019ll also need to provide evidence that:\n\n- you\u2019re still together when you apply\n\n- if you were resident in the UK before 1 January 2021, evidence that you were legally resident during that time\n\n## Evidence if you\u2019re a dependent child, grandchild, parent or grandparent\n\nYou\u2019ll have to provide evidence that you\u2019re related to your EU, EEA or Swiss family member, such as a birth certificate.\n\nYou\u2019ll also have to show that you are dependent on them if:\n\n- you\u2019re over 21 and a dependent child or grandchild of your family member\n\n- your family member is under 18 and you\u2019re their dependent parent or grandparent\n\nExamples of the evidence you can provide include:\n\n- bank statements or money transfers that show you depend on them financially\n\n- evidence that you depend on them for health care, for example a letter from a hospital consultant\n\nIf you\u2019re a dependent parent or grandparent, you will not need to show dependency if your spouse, civil partner or unmarried partner has successfully applied for either:\n\n- an EU Settlement Scheme family permit\n\n- the EU Settlement Scheme as the dependent parent of your EEA family member\n\n## Evidence if you\u2019re the family member of a person of Northern Ireland\n\nYou\u2019ll need to provide a birth certificate or passport showing that your family member was born in Northern Ireland.\n\nIf they qualify as an Irish citizen alone, you must provide their original passport or national identity card and not a copy.\n\nYou must also provide evidence that, at the time of your family member\u2019s birth, one of their parents was:\n\n- a British citizen\n\n- a Irish citizen\n\n- a dual British and Irish citizen\n\n- entitled to reside in Northern Ireland with no restriction on their period of residence\n\n## Evidence if you\u2019re joining a person who is exempt from immigration control\n\nYou\u2019ll need to provide evidence showing that:\n\n- they are exempt from immigration controls, for example a letter from a UK or foreign ministry\n\n- they\u2019d meet the other eligibility criteria for the EU Settlement Scheme if they made an application before 1 July 2021 (even though they cannot actually apply)\n\n## Evidence if you\u2019re joining a frontier worker\n\nYou\u2019ll need to provide their frontier worker permit, or evidence that shows that they would be issued one if they applied.\n\n## Evidence if you\u2019re joining a person with dual citizenship\n\nYou\u2019ll need to provide evidence that shows:\n\n- your family member is a British citizen - for example a copy of their passport\n\n- they\u2019d meet the other eligibility criteria for the EU Settlement Scheme if they made an application before 1 July 2021, even though they cannot apply\n\nIf you\u2019re applying on the grounds that your family member was settled in the UK before 16 July 2012\nwithout using their free movement rights (also known as a \u2018McCarthy\u2019 case), you\u2019ll have to show that on 16 July 2012 you had either:\n\n- a right of permanent residence in the UK\n\n- a document issued under EEA regulations, for example a residence card\n\n## Apply for an EU Settlement Scheme family permit\n\nYou must apply online for an EU Settlement Scheme family permit.\n\nYou must be outside the UK to apply.\n\nThere\u2019s no deadline for applications.\n\n## EU Settlement Scheme family permit: join a British citizen\n\nYou can apply for an EU Settlement Scheme family permit to come to the UK before 29 March 2022 if you\u2019ve lived in an EU or EEA country or Switzerland with an eligible family member who\u2019s a British citizen.\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\nYou must have lived with them in that country before 1 January 2021, and be:\n\n- their spouse, civil partner or unmarried partner\n\n- under 21 years old, and are their child or grandchild\n\n- 21 years or older, and are their dependent child or grandchild\n\n- their dependent parent or grandparent\n\n- another dependent relative\n\nThis includes family members who were adopted under an adoption order that\u2019s recognised in UK law.\n\nThe country that you lived in together must have been your main residence. Your British family member must also have been working (including on a posting with HM Armed Forces), studying or self-sufficient in the country while there.\n\nThe relationship with your family member must have existed before 1 February 2020 for you to be eligible to apply, unless you have reasonable grounds for not returning to the UK before 1 January 2021.\n\n## Documents you must provide\n\nYou must provide:\n\n- your valid passport (or ID card if you are an EU, EEA or Swiss citizen)\n\n- your British family member\u2019s valid passport\n\n- evidence of your relationship to your British family member, such as a marriage certificate, civil partnership certificate or birth certificate\n\nBoth you and your British family member must provide documents proving that you lived in an EU or EEA country (or Switzerland) as your main residence. The documents must show:\n\n- that you\u2019ve lived together in that country\n\n- your addresses\n\n- time spent living at each address\n\n- any proof of renting or buying a home\n\nYou must also provide proof that your British family member was working, self-employed, self-sufficient or studying in the country where you\u2019ve lived together.\n\nExamples of proof include employer\u2019s letters, wage slips, contracts, bank statements, proof of tax registration, or proof of enrolment and attendance for study.\n\n## If you\u2019re a dependent child, grandchild, parent or grandparent or relative\n\nYou\u2019ll also need to provide proof of your dependency if you\u2019re:\n\n- a dependent child or grandchild of your British family member, or their spouse or civil partner, and you\u2019re over 21\n\n- a dependent parent or grandparent of your British family member, or their spouse or civil partner, and they are under 18\n\n- another relative and you are dependent on your British family member, or their spouse or civil partner\n\n## Apply for an EU Settlement Scheme family permit\n\nYou must apply online for an EU Settlement Scheme family permit.\n\nYou must be outside the UK to apply.\n\nThere\u2019s no deadline for applications.\n\n## EU Settlement Scheme family permit: retained right of residence\n\nYou may be able to apply for an EU Settlement Scheme family permit if you previously had a right to reside in the UK either:\n\n- as the family member of an EU, EEA, Swiss citizen\n\n- from living in the EU, EEA or Switzerland with a British citizen\n\nThis is called a \u2018retained right of residence\u2019. You may have it if:\n\n- your eligible family member died\n\n- you\u2019re their child, they died or left the UK, and you are in education in the UK\n\n- you\u2019ve had a child with them, they died or left the UK, and the child is in education in the UK\n\n- they divorced you or a member of your family\n\n- the relationship has broken down because of domestic abuse or violence\n\nYou must also meet other requirements to be eligible for a retained right of residence - read how applications are decided.\n\n## If your family member has died\n\nYou can apply if you lived continuously in the UK as their family member for at least one year immediately before their death.\n\nYou can also apply if:\n\n- you lived in the UK as their family member immediately before their death\n\n- they were resident in the UK as a worker or self employed person at the time of their death\n\n- they\u2019d been resident as a worker or self employed person for at least two years\n\nIf they died as the result of an accident at work or occupational disease, they do not have to have been resident for 2 years.\n\n## If you\u2019re in education in the UK\n\nYou can apply if you\u2019re in education in the UK and one of the following is true:\n\n- you\u2019re the child of an eligible EU, EEA, Swiss or British citizen who has left the UK or died\n\n- one of your parents is the spouse or civil partner of an eligible EU, EEA, Swiss or British citizen who has left the UK or died\n\n- one of your parents was previously the spouse or civil partner of an eligible EU, EEA, Swiss or British citizen who has left the UK or died\n\nIf you qualify through any of these circumstances, your parent may also be eligible if they have custody of you.\n\n## If you or a member of your family was previously married or in a civil partnership\n\nYou can apply if you stopped being the family member of the EU, EEA or Swiss citizen after their marriage or civil partnership ended with a divorce, annulment or dissolution, and you lived in the UK when it ended.\n\nOne of the following must also apply:\n\n- the marriage or civil partnership lasted for at least 3 years and the couple had both been living in the UK for at least one year during that time\n\n- you have custody of the EU, EEA or Swiss citizen\u2019s child\n\n- you have been given right of access in the UK to the EU, EEA or Swiss citizen\u2019s child and the child is under 18\n\n- you or another family member was the victim of domestic violence or abuse in the marriage or civil partnership\n\nYou can also apply if a family member had an eligible marriage or civil partnership and you lived in the UK when it ended. You must be their:\n\n- child or grandchild under 21 years old\n\n- dependent child or grandchild over the age of 21\n\n- dependent parent or grandparent\n\n## If you are a victim of domestic abuse or violence\n\nYou can apply if your family relationship with an EU, EEA or Swiss citizen has broken down permanently because of domestic abuse or violence.\n\nYou can apply if you are or were their:\n\n- spouse or civil partner\n\n- unmarried partner\n\n- child or grandchild under 21 years old\n\n- dependent child or grandchild over the age of 21\n\n- dependent parent or grandparent\n\n## Documents you must provide\n\nYou must provide:\n\n- your family member\u2019s valid passport\n\n- evidence of your relationship to them, for example a marriage certificate, civil partnership certificate or birth certificate\n\n- evidence that you have been continuously resident in the UK\n\nYou can provide a valid national identity card instead of their passport if they\u2019re an EU, EEA or Swiss citizen.\n\nYou must also provide evidence that your family member meets the eligibility criteria for the EU Settlement Scheme, even if they cannot apply.\n\n## Evidence if your family member has died\n\nYou\u2019ll also have to provide:\n\n- their death certificate and cause of death\n\n- evidence of your and your family member\u2019s residence in the UK\n\n- evidence of their employment, if they were employed\n\n## Evidence if you\u2019re in education in the UK\n\nWhere appropriate, you will have to provide evidence that:\n\n- your family member died - for example, a death certificate\n\n- you were in education in the UK at the time your family member died or left the UK, and that you still are\n\n- your family member left the UK\n\n- you have custody of the child of the family member who died or left the UK\n\n## Evidence if you or a member of your family was previously married or in a civil partnership\n\nWhere appropriate, you will have to provide evidence that:\n\n- the marriage or civil partnership ended in divorce, annulment or dissolution\n\n- you\u2019d been living together in the UK for at least a year\n\n- you have custody of or the right of access to the child of the EU, EEA or Swiss citizen\n\n- domestic violence or abuse took place\n\n## Evidence if you are a victim of domestic abuse or violence\n\nYou will have to provide evidence that:\n\n- the family relationship has broken down permanently as a result of domestic violence or abuse\n\n- you were resident in the UK when that family relationship broke down\n\n## Apply for an EU Settlement Scheme family permit\n\nYou must apply online for an EU Settlement Scheme family permit.\n\nYou must be outside the UK to apply.\n\nThere\u2019s no deadline for applications.\n\n## EEA family permit\n\nThe EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.\n\nYou can still apply for an EEA family permit if you\u2019re the close family member or unmarried partner of an EU, EEA or Swiss citizen who is a qualified person or has a right of permanent residence in the UK.\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\nApply to the EU Settlement Scheme family permit instead if your family member has or is eligible for \u2018settled\u2019 or \u2018pre-settled\u2019 status under the EU Settlement Scheme.\n\n## Family members you can join\n\nYou must be their:\n\n- spouse or civil partner\n\n- unmarried partner in a lasting relationship\n\n- child or grandchild aged under 21\n\n- dependent child or grandchild of any age\n\n- dependent parent or grandparent\n\nThis includes family members who were adopted under an adoption order that\u2019s recognised in UK law.\n\nYour family relationship must have started by 31 December 2020.\n\nThe family member you\u2019re joining must:\n\n- have been living in the UK by 31 December 2020\n\n- have been working, looking for work, studying or self-sufficient while living here\n\n- have a right of permanent residence in the UK\n\n## Extended family members\n\nYou can no longer apply for an EEA family permit if you are the extended family member of an EU, EEA or Swiss citizen, for example their:\n\n- brother or sister\n\n- aunt or uncle\n\n- cousin\n\n- niece or nephew\n\nUnmarried partners in a lasting relationship (\u2018durable partners\u2019) can continue to apply for EEA family permits until 30 June 2021. The permit will not be valid after 30 June 2021, even if the expiry date on it is later.\n\n## Other ways to get an EEA family permit\n\nYou may also be eligible:\n\n- with a \u2018derivative right of residence\u2019 - you might have this if you\u2019re the primary carer of a British, EU, EEA or Swiss citizen, the primary carer\u2019s child, or the child of an EU, EEA or Swiss citizen who previously worked in the UK\n\n- if you can make a \u2018Surinder Singh\u2019 application after living in an EU, EEA country or Switzerland with a British family member\n\n- with a \u2018retained right of residence\u2019 - you might have this if you have the right to stay in the UK as the family member of EU, EEA or Swiss citizen who has died, left the UK or is no longer your spouse or civil partner\n\nYou must also have had the right to reside in the UK by 31 December 2020.\n\n## Documents you must provide\n\nYou must provide:\n\n- a valid passport\n\n- 2 passport size colour photographs\n\n- evidence of your relationship to your family member \u2013 for example a birth certificate, marriage certificate, civil partnership certificate or proof that you\u2019ve lived together for 2 years\n\n- your family member\u2019s valid passport or national identity card (or a certified copy if you cannot provide the original)\n\n- evidence that your EU, EEA or Swiss citizen family member was resident in the UK by 31 December 2020\nIf your family member has been in the UK for more than 3 months, you must show that they have a permanent residence document or provide evidence that they are:\n\n- working - for example an employment contract, wage slips or a letter from an employer\n\n- self-employed - for example contracts, invoices or audited accounts with bank statements\n\n- studying - for example a letter from the school, college or university\n\n- financially independent (\u2018self-sufficient\u2019) - for example bank statements\n\nYour partner must have full health insurance (comprehensive sickness insurance) if they\u2019re studying or self-sufficient.\n\n## Evidence if you\u2019re a dependent relative\n\nYou\u2019ll have to provide evidence that you\u2019re related to your family member, such as a birth certificate.\n\nYou\u2019ll also have to show that you are dependent on them, for example:\n\n- bank statements or money transfers that show you depend on them financially\n\n- evidence that you depend on them for health care, for example a letter from a hospital consultant\n\nSee more examples of each type of evidence.\n\n## Apply for an EEA family permit\n\nYou must apply online for an EEA family permit.\n\nYou must be outside the UK to apply.\n\n## EEA family permit: Surinder Singh\n\nThe EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.\n\nYou can apply for an EEA family permit if you\u2019ve lived in an EU or EEA country or Switzerland with an eligible family member who\u2019s a British citizen. This is also known as a \u2018Surinder Singh\u2019 application.\n\nYou must have lived with them in that country before 1 January 2021, and be:\n\n- their spouse, civil partner or unmarried partner (\u2018durable partner\u2019)\n\n- under 21 years old, and are their child or grandchild\n\n- 21 years or older, and are their dependent child or grandchild\n\n- their dependent parent or grandparent\n\nThis includes family members who were adopted under an adoption order that\u2019s recognised in UK law.\n\nThe country that you lived in together must have been your main residence. Your British family member must also have been working, studying or self-sufficient in the country while there.\n\nTo be eligible for an EEA family permit you must prove that:\n\n- your British family member was resident in an EU or EEA country or Switzerland and was either a worker, a self-employed person, a self-sufficient person, a student, or a person with a right of permanent residence in that country\n\n- you were lawfully resident in that EEA country or Switzerland with your British family member\n\n- your family member returned to the UK by 31 December 2020\n\n## Documents you must provide\n\nYou must provide:\n\n- your valid passport (or ID card if you are an EU, EEA or Swiss citizen)\n\n- your British family member\u2019s valid passport\n\n- evidence of your relationship to your British family member, such as a marriage certificate, civil partnership certificate or birth certificate\n\nYou must also provide proof that your British family member was working, self-employed, self-sufficient or studying in the EEA country where you\u2019ve lived together.\n\nExamples of proof include employer\u2019s letters, wage slips, contracts, bank statements, proof of tax registration, or proof of enrolment and attendance for study.\n\nCheck the other evidence you usually need for an EEA family permit.\n\n## Make a \u2018Surinder Singh\u2019 application for an EEA family permit\n\nYou must apply online for an EEA family permit.\n\nYou must be outside the UK to apply.\n\n## EEA family permit: retained right of residence\n\nThe EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.\n\nYou may be able to apply for an EEA family permit if you previously had a right to reside in the UK either:\n\n- as the family member of an EU, EEA, Swiss citizen\n\n- from living in the EU, EEA or Switzerland with a British citizen\n\nThis is called a \u2018retained right of residence\u2019. You may have it if:\n\n- your eligible family member died\n\n- you\u2019re their child, they died or left the UK, and you are in education in the UK\n\n- you\u2019ve had a child with them, they died or left the UK, and the child is in education in the UK\n\n- they divorced you or a member of your family\n\n- the relationship has broken down because of domestic abuse or violence\n\nYou must also meet other requirements to be eligible for a retained right of residence - read how applications are decided.\n\n## If your family member has died\n\nYou can apply if you lived continuously in the UK as their family member for at least one year immediately before their death.\n\n## If you\u2019re in education in the UK\n\nYou can apply if you\u2019re in education in the UK and one of the following is true:\n\n- you\u2019re the child of an EU, EEA or Swiss citizen who has left the UK or died\n\n- one of your parents is the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died\n\n- one of your parents was previously the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died\n\nIf you qualify through any of these circumstances, your parent is also eligible for retained right of residence if they have custody of you.\n\n## If you or a member of your family was previously married or in a civil partnership\n\nYou can apply if your marriage or civil partnership to an EU, EEA or Swiss citizen ended with a divorce, annulment or dissolution, and you lived in the UK when it ended.\n\nOne of the following must also apply:\n\n- the marriage or civil partnership lasted for at least 3 years and you\u2019d both been living in the UK for at least one year during that time\n\n- you have custody of the EU, EEA or Swiss citizen\u2019s child\n\n- you have been given right of access in the UK to the EU, EEA or Swiss citizen\u2019s child - the child must be under 18\n\n- you or another family member was the victim of domestic abuse in the marriage or civil partnership\n\nYou can also apply if a family member had an eligible marriage or civil partnership and you lived in the UK when it ended. You must be their:\n\n- child or grandchild under 21 years old\n\n- dependent child or grandchild over the age of 21\n\n- dependent parent or grandparent\n\n## If you are a victim of domestic abuse or violence\n\nYou can apply if your family relationship with an EU, EEA or Swiss citizen has broken down permanently because of domestic abuse or violence.\n\nYou can apply if you are or were their:\n\n- husband, wife or civil partner\n\n- unmarried partner (\u2018durable partner\u2019)\n\n- child or grandchild under 21 years old\n\n- dependent child or grandchild over the age of 21\n\n- dependent parent or grandparent\n\n## Documents you must provide\n\nYou will need to provide evidence proving:\n\n- your eligibility\n\n- your family member\u2019s eligibility\n\n- your relationship\n\nCheck the evidence you usually need for an EEA family permit.\n\nYou\u2019ll also need to provide extra evidence depending on how you\u2019re claiming your retained right of residence.\n\n## Evidence if your family member has died\n\nWhere appropriate, you\u2019ll also have to provide:\n\n- their death certificate and cause of death\n\n- evidence that you and your family member were living in the UK for a year before their death\n\n- evidence of their employment, if they were employed\n\n## Evidence if you\u2019re in education in the UK\n\nWhere appropriate, you\u2019ll also have to provide evidence that:\n\n- your family member died\n\n- your family member left the UK\n\n- you were in education in the UK at the time your family member died or left the UK, and that you still are\n\n- you have custody of the child of the family member who died or left the UK\n\n## Evidence if you or a member of your family was previously married or in a civil partnership\n\nWhere appropriate, you\u2019ll also have to provide evidence that:\n\n- the marriage or civil partnership ended in divorce, annulment or dissolution\n\n- you\u2019d been living together in the UK for at least a year\n\n- you have custody of or the right of access to the child of the EU, EEA or Swiss citizen\n\n- domestic violence or abuse took place\n\n## Evidence if you are a victim of domestic abuse or violence\n\nYou will have to provide evidence that:\n\n- the relevant family relationship has broken down permanently as a result of domestic violence or abuse\n\n- you were resident in the UK when that family relationship broke down\n\n## Make a retained right of residence application for a family permit\n\nYou must apply online for an EEA family permit.\n\nYou must be outside the UK to apply.\n\n## EEA family permit: derivative right of residence\n\nThe EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later.\n\nYou can apply for a family permit if you have a \u2018derivative right of residence\u2019 as the:\n\n- primary carer of an EU, EEA or Swiss child in the UK who is financially independent (\u2018self-sufficient\u2019)\n\n- child of an EU, EEA or Swiss former worker and you\u2019re currently in education in the UK\n\n- primary carer of a child of an EU, EEA or Swiss former worker and the child is currently in education in the UK\n\n- primary carer of a British child who is residing in the UK and would be forced to leave if their primary carer wasn\u2019t in the UK\n\n- primary carer of a British dependent adult who is residing in the UK and would be forced to leave if their primary carer wasn\u2019t in the UK\n\n- child of a primary carer who qualifies through one of these categories\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\nAs a \u2018primary carer\u2019, you have responsibility for the day to day care of a person, including making decisions about their education, health, and finances. You must be a family member or their legal guardian, and can be their main carer or share that responsibility with someone else.\n\nFind out more about derivative rights of residence in the caseworker guidance:\n\n- Ibrahim-Teixeira cases\n\n- Ruiz Zambrano cases\n\n- Chen cases\n\n## Documents you must provide\n\nYou will need to provide evidence proving:\n\n- your eligibility\n\n- your family member\u2019s eligibility\n\n- your relationship\n\nYou\u2019ll also need to provide information about the person you care for, including proof:\n\n- that they\u2019re dependent on you, and were before 1 January 2021, such as court orders or details of care responsibilities\n\n- that they\u2019re living in the UK, such as tenancy agreements, utility bills or bank statements\n\n- that children who are EU, EEA or Swiss citizens are financially independent (\u2018self-sufficient\u2019) and have full health insurance (\u2018comprehensive sickness insurance\u2019) in the UK\n\nYou may also need to provide extra evidence depending on how you\u2019re claiming your derivative right of residence.\n\n## Children of an EU, EEA or Swiss citizens who used to work in the UK\n\nYou must show that:\n\n- you\u2019re in education in the UK, for example a letter from the school\n\n- you were in the UK when your EU, EEA or Swiss parent was working in the UK\n\n- you were in education in the UK at a time when your EU, EEA or Swiss parent was also present in the UK\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## Make a derivative right of residence application for a family permit\n\nYou must apply online for an EEA family permit.\n\nYou must be outside the UK to apply.\n\n## After you get a family permit\n\nYou\u2019ll be able to use your EUSS family permit to come and go from the UK as many times as you want. It also allows you to work or study in the UK.\n\nIf you get an EEA family permit you can only use it until 30 June 2021, even if the expiry date on it is later.\n\n## When you arrive in the UK\n\nYou can use an automatic ePassport gate if you have a family permit and you\u2019re from:\n\n- Australia\n\n- Canada\n\n- the EEA\n\n- Japan\n\n- New Zealand\n\n- Singapore\n\n- South Korea\n\n- Switzerland\n\nOtherwise, see a border control officer instead. They will check your permit.\n\n## How long you can stay\n\nIf you applied for an EEA family permit on or before 30 December 2020, it will be valid for 6 months. If you applied after that, it will stop being valid on 30 June 2021, even if the expiry date on it is later.\n\nAn EUSS family permit is valid for 6 months, unless:\n\n- you plan to arrive in the UK on or after 1 April 2021\n\n- your application is approved more than three months ahead of your planned arrival date\n\nIn this case, it\u2019s valid for 4 months from your planned arrival date.\n\n## Staying in the UK after your family permit expires\n\nThere will be no change to the residence rights and status of EU, EEA or Swiss citizens resident in the UK by 31 December 2020, and their family members, until 30 June 2021.\n\nYou can apply to the EU Settlement Scheme to continue living in the UK after your family permit expires. You must apply on or before 30 June 2021, or within 3 months of when you first arrive in the UK, whichever is later.\n\nYou might be able to apply later if you can show \u2018reasonable grounds\u2019 (such as medical reasons, or being the victim of domestic abuse) for why you could not apply by the deadline.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to get a permit to come to the UK if you\u2019re the family member of either:

    ", + "
  • an EU, EEA or Swiss citizen
  • ", + "
  • a \u2018person of Northern Ireland\u2019
  • ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    The family of some British citizens can also get a permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    There are 2 different family permits:

    ", + "
  • the EU Settlement Scheme family permit
  • ", + "
  • the EEA family permit
  • ", + "

    What family permits are for

    ", + "

    A family permit makes it easier to travel with your family member to the UK or to join them there.

    ", + "

    It lets you come to the UK for up to 6 months. You can work and study, and come and go as many times as you want.

    ", + "

    Without one, you might not get a boarding pass or may be refused entry into the UK.

    ", + "

    You can stay longer in the UK if you\u2019re eligible for the EU Settlement Scheme. You can either:

    ", + "
  • apply for a family permit before you come to the UK, and then apply to the EU Settlement Scheme once you\u2019re here
  • ", + "
  • apply to the EU Settlement Scheme from outside the UK, if you\u2019re eligible to do so
  • ", + "

    EU Settlement Scheme family permit

    ", + "

    You can apply for an EU Settlement Scheme family permit if you\u2019re the close family member of an EU, EEA or Swiss citizen who was living in the UK by 31 December 2020.

    ", + "

    Find out more about applying for an EUSS family permit to join an EU, EEA or Swiss citizen.

    ", + "

    You can also apply:

    ", + "
  • if you\u2019ve lived in the EU, EEA or Switzerland with an eligible family member who\u2019s a British citizen
  • ", + "
  • if you have the right to stay in the UK as the family member of an EU, EEA or Swiss citizen who has died, left the UK, is no longer your spouse or civil partner or with whom the family relationship has broken down - this is called \u2018retained right of residence\u2019
  • ", + "

    EEA family permit

    ", + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.

    ", + "

    You can apply for an EEA family permit if you\u2019re the close family member or unmarried partner of a person from the EU, EEA or Switzerland. Your family relationship must have started by 31 December 2020.

    ", + "

    If you apply for an EEA family permit and do not get a decision by 30 June 2021, you\u2019ll need to apply for a different way to travel to the UK, such as an EU Settlement Scheme family permit.

    ", + "

    Find out more about applying for the EEA family permit to join an EU, EEA or Swiss citizen.

    ", + "

    You may also be eligible for an EEA family permit:

    ", + "
  • with a \u2018derivative right of residence\u2019 - you might have this if you\u2019re the primary carer of a British, EU, EEA or Swiss dependant, the primary carer\u2019s child, or the child of an EU, EEA or Swiss citizen who previously worked in the UK
  • ", + "
  • if you can make a \u2018Surinder Singh\u2019 application after living in an EEA country or Switzerland with a British family member
  • ", + "
  • with a \u2018retained right of residence\u2019 - you might have this if you have the right to stay in the UK as the family member of an EU, EEA or Swiss citizen who has died, left the UK or is no longer your spouse or civil partner
  • ", + "

    Fees

    ", + "

    Both family permits are free.

    ", + "

    After you\u2019ve applied

    ", + "

    If your application is successful, check how long your permit lasts and when you can apply to stay longer in the UK.

    ", + "

    EU Settlement Scheme family permit: join an EU, EEA or Swiss citizen

    ", + "

    You can apply for an EU Settlement Scheme family permit to come to the UK if all of the following are true:

    ", + "
  • you\u2019re the eligible family member of an EU, EEA or Swiss citizen, or a \u2018person of Northern Ireland\u2019
  • ", + "
  • your family relationship began by 31 December 2020
  • ", + "
  • your family member was living in the UK by 31 December 2020
  • ", + "
  • your family member is in the UK already or traveling with you to the UK within 6 months of your application
  • ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    Children who were born or adopted after 31 December 2020 may also be eligible, if they\u2019re the child of either:

    ", + "
  • an EU, EEA or Swiss citizen
  • ", + "
  • an EU, EEA or Swiss citizen\u2019s spouse or civil partner
  • ", + "

    Eligible family members

    ", + "

    You can join your:

    ", + "
  • spouse, civil partner or unmarried partner
  • ", + "
  • child or grandchild aged under 21
  • ", + "
  • dependent child or grandchild of any age
  • ", + "
  • dependent parent or grandparent
  • ", + "

    This includes family members who were adopted under an adoption order that\u2019s recognised in UK law.

    ", + "

    Spouses and civil partners of Swiss citizens

    ", + "

    If you\u2019re married to or in a civil partnership with an eligible Swiss citizen, the rules are different.

    ", + "

    You\u2019ll still be eligible if:

    ", + "
  • you got engaged or formed your partnership after 31 December 2020
  • ", + "
  • you\u2019re still together when you apply
  • ", + "

    Who you can join

    ", + "

    The person you\u2019re joining must be one of the following:

    ", + "
  • an EU, EEA or Swiss citizen
  • ", + "
  • a person of Northern Ireland
  • ", + "
  • someone who lived in the UK as an EU, EEA or Swiss citizen before also getting British citizenship
  • ", + "
  • an EU, EEA or Swiss citizen who is exempt from immigration control
  • ", + "
  • an EU, EEA or Swiss citizen who travels regularly to work in the UK but lives outside of the UK (also known as a \u2018frontier worker\u2019)
  • ", + "
  • a British citizen who also has dual EU, EEA or Swiss nationality and was settled in the UK before 16 July 2012 without using their free movement rights (also known as a \u2018McCarthy\u2019 case)
  • ", + "

    Your family member must meet the eligibility criteria for the EU Settlement Scheme even if they have not applied or cannot apply. This means that they:

    ", + "
  • were resident in the UK by 31 December 2020
  • ", + "
  • pass criminal record checks
  • ", + "

    If you\u2019re joining a person of Northern Ireland

    ", + "

    To be an eligible person of Northern Ireland, the person you\u2019re joining must:

    ", + "
  • have been born in Northern Ireland
  • ", + "
  • have British, Irish or dual British and Irish citizenship
  • ", + "

    At the time of your family member\u2019s birth, one of their parents must have been:

    ", + "
  • a British citizen
  • ", + "
  • a Irish citizen
  • ", + "
  • a dual British and Irish citizen
  • ", + "
  • entitled to reside in Northern Ireland with no restriction on their period of residence
  • ", + "

    If you\u2019re joining an EU, EEA or Swiss citizen who lived in the UK before getting British citizenship

    ", + "

    To be eligible the person you\u2019re joining must:

    ", + "
  • be an EU, EEA or Swiss citizen
  • ", + "
  • have become a naturalised British citizen after working, studying or being self-sufficient in the UK
  • ", + "

    If you\u2019re joining an EU, EEA or Swiss citizen who is exempt from immigration control

    ", + "

    The person you\u2019re joining must be:

    ", + "
  • an EU, EEA or Swiss citizen
  • ", + "
  • exempt from immigration control
  • ", + "

    They cannot also be a British citizen.

    ", + "

    If you\u2019re joining a frontier worker

    ", + "

    The person you\u2019re joining must:

    ", + "
  • be an EU, EEA or Swiss citizen
  • ", + "
  • have been working in the UK by 31 December 2020 as an employee or self-employed person
  • ", + "
  • be primarily resident in another country that is not the UK
  • ", + "
  • have been a frontier worker continuously since 1 January 2021
  • ", + "

    They cannot also be a British citizen.

    ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • a valid passport
  • ", + "
  • evidence of your relationship to your EEA family member, for example a marriage certificate, civil partnership certificate or birth certificate
  • ", + "

    You can provide a valid national identity card instead of your passport if you\u2019re an EU, EEA or Swiss citizen.

    ", + "

    If the EU, EEA or Swiss citizen family member you are joining has applied to the EU Settlement Scheme you must provide their application number.

    ", + "

    If they have not applied to the EU Settlement Scheme you must provide both:

    ", + "
  • their valid EU, EEA or Swiss passport or national identity card
  • ", + "
  • evidence that they would be eligible for the EU Settlement Scheme if they had applied
  • ", + "

    You\u2019ll have to show that they meet the other eligibility criteria for the EU Settlement Scheme even if they cannot apply - for example, if they have British as well as EU, EEA or Swiss citizenship.

    ", + "

    Evidence if you\u2019re a spouse or civil partner

    ", + "

    If you\u2019re a spouse or civil partner, you must show that you were engaged or formed a civil partnership by 31 December 2020.

    ", + "

    To do this, you must provide either:

    ", + "
  • a marriage or civil partnership certificate
  • ", + "
  • a document issued under the EEA regulations as the spouse or civil partner of the EU, EEA or Swiss citizen - for example a family permit or residence card
  • ", + "

    If you\u2019re married to or in civil partnership with a Swiss citizen who was resident in the UK by 31 December 2020, the rules are different. You may be eligible if you got married or entered into your partnership any time before 1 January 2026, and the relationship still exists when you apply.

    ", + "

    Evidence if you\u2019re an unmarried partner

    ", + "

    If you\u2019re an unmarried partner you\u2019ll need to provide evidence that you were in your long-term relationship by 31 December 2020.

    ", + "

    This usually means showing that you had been living together for 2 years. Evidence could include:

    ", + "
  • bank statements, utility bills or official correspondence that shows you and your partner at the same address
  • ", + "
  • documents showing joint finances, like a tax return
  • ", + "
  • birth certificates or custody agreements showing that you shared responsibility for children while living together
  • ", + "

    You\u2019ll also need to provide evidence that:

    ", + "
  • you\u2019re still together when you apply
  • ", + "
  • if you were resident in the UK before 1 January 2021, evidence that you were legally resident during that time
  • ", + "

    Evidence if you\u2019re a dependent child, grandchild, parent or grandparent

    ", + "

    You\u2019ll have to provide evidence that you\u2019re related to your EU, EEA or Swiss family member, such as a birth certificate.

    ", + "

    You\u2019ll also have to show that you are dependent on them if:

    ", + "
  • you\u2019re over 21 and a dependent child or grandchild of your family member
  • ", + "
  • your family member is under 18 and you\u2019re their dependent parent or grandparent
  • ", + "

    Examples of the evidence you can provide include:

    ", + "
  • bank statements or money transfers that show you depend on them financially
  • ", + "
  • evidence that you depend on them for health care, for example a letter from a hospital consultant
  • ", + "

    If you\u2019re a dependent parent or grandparent, you will not need to show dependency if your spouse, civil partner or unmarried partner has successfully applied for either:

    ", + "
  • an EU Settlement Scheme family permit
  • ", + "
  • the EU Settlement Scheme as the dependent parent of your EEA family member
  • ", + "

    Evidence if you\u2019re the family member of a person of Northern Ireland

    ", + "

    You\u2019ll need to provide a birth certificate or passport showing that your family member was born in Northern Ireland.

    ", + "

    If they qualify as an Irish citizen alone, you must provide their original passport or national identity card and not a copy.

    ", + "

    You must also provide evidence that, at the time of your family member\u2019s birth, one of their parents was:

    ", + "
  • a British citizen
  • ", + "
  • a Irish citizen
  • ", + "
  • a dual British and Irish citizen
  • ", + "
  • entitled to reside in Northern Ireland with no restriction on their period of residence
  • ", + "

    Evidence if you\u2019re joining a person who is exempt from immigration control

    ", + "

    You\u2019ll need to provide evidence showing that:

    ", + "
  • they are exempt from immigration controls, for example a letter from a UK or foreign ministry
  • ", + "
  • they\u2019d meet the other eligibility criteria for the EU Settlement Scheme if they made an application before 1 July 2021 (even though they cannot actually apply)
  • ", + "

    Evidence if you\u2019re joining a frontier worker

    ", + "

    You\u2019ll need to provide their frontier worker permit, or evidence that shows that they would be issued one if they applied.

    ", + "

    Evidence if you\u2019re joining a person with dual citizenship

    ", + "

    You\u2019ll need to provide evidence that shows:

    ", + "
  • your family member is a British citizen - for example a copy of their passport
  • ", + "
  • they\u2019d meet the other eligibility criteria for the EU Settlement Scheme if they made an application before 1 July 2021, even though they cannot apply
  • ", + "

    If you\u2019re applying on the grounds that your family member was settled in the UK before 16 July 2012\nwithout using their free movement rights (also known as a \u2018McCarthy\u2019 case), you\u2019ll have to show that on 16 July 2012 you had either:

    ", + "
  • a right of permanent residence in the UK
  • ", + "
  • a document issued under EEA regulations, for example a residence card
  • ", + "

    Apply for an EU Settlement Scheme family permit

    ", + "

    You must apply online for an EU Settlement Scheme family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    There\u2019s no deadline for applications.

    ", + "

    EU Settlement Scheme family permit: join a British citizen

    ", + "

    You can apply for an EU Settlement Scheme family permit to come to the UK before 29 March 2022 if you\u2019ve lived in an EU or EEA country or Switzerland with an eligible family member who\u2019s a British citizen.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    You must have lived with them in that country before 1 January 2021, and be:

    ", + "
  • their spouse, civil partner or unmarried partner
  • ", + "
  • under 21 years old, and are their child or grandchild
  • ", + "
  • 21 years or older, and are their dependent child or grandchild
  • ", + "
  • their dependent parent or grandparent
  • ", + "
  • another dependent relative
  • ", + "

    This includes family members who were adopted under an adoption order that\u2019s recognised in UK law.

    ", + "

    The country that you lived in together must have been your main residence. Your British family member must also have been working (including on a posting with HM Armed Forces), studying or self-sufficient in the country while there.

    ", + "

    The relationship with your family member must have existed before 1 February 2020 for you to be eligible to apply, unless you have reasonable grounds for not returning to the UK before 1 January 2021.

    ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • your valid passport (or ID card if you are an EU, EEA or Swiss citizen)
  • ", + "
  • your British family member\u2019s valid passport
  • ", + "
  • evidence of your relationship to your British family member, such as a marriage certificate, civil partnership certificate or birth certificate
  • ", + "

    Both you and your British family member must provide documents proving that you lived in an EU or EEA country (or Switzerland) as your main residence. The documents must show:

    ", + "
  • that you\u2019ve lived together in that country
  • ", + "
  • your addresses
  • ", + "
  • time spent living at each address
  • ", + "
  • any proof of renting or buying a home
  • ", + "

    You must also provide proof that your British family member was working, self-employed, self-sufficient or studying in the country where you\u2019ve lived together.

    ", + "

    Examples of proof include employer\u2019s letters, wage slips, contracts, bank statements, proof of tax registration, or proof of enrolment and attendance for study.

    ", + "

    If you\u2019re a dependent child, grandchild, parent or grandparent or relative

    ", + "

    You\u2019ll also need to provide proof of your dependency if you\u2019re:

    ", + "
  • a dependent child or grandchild of your British family member, or their spouse or civil partner, and you\u2019re over 21
  • ", + "
  • a dependent parent or grandparent of your British family member, or their spouse or civil partner, and they are under 18
  • ", + "
  • another relative and you are dependent on your British family member, or their spouse or civil partner
  • ", + "

    Apply for an EU Settlement Scheme family permit

    ", + "

    You must apply online for an EU Settlement Scheme family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    There\u2019s no deadline for applications.

    ", + "

    EU Settlement Scheme family permit: retained right of residence

    ", + "

    You may be able to apply for an EU Settlement Scheme family permit if you previously had a right to reside in the UK either:

    ", + "
  • as the family member of an EU, EEA, Swiss citizen
  • ", + "
  • from living in the EU, EEA or Switzerland with a British citizen
  • ", + "

    This is called a \u2018retained right of residence\u2019. You may have it if:

    ", + "
  • your eligible family member died
  • ", + "
  • you\u2019re their child, they died or left the UK, and you are in education in the UK
  • ", + "
  • you\u2019ve had a child with them, they died or left the UK, and the child is in education in the UK
  • ", + "
  • they divorced you or a member of your family
  • ", + "
  • the relationship has broken down because of domestic abuse or violence
  • ", + "

    You must also meet other requirements to be eligible for a retained right of residence - read how applications are decided.

    ", + "

    If your family member has died

    ", + "

    You can apply if you lived continuously in the UK as their family member for at least one year immediately before their death.

    ", + "

    You can also apply if:

    ", + "
  • you lived in the UK as their family member immediately before their death
  • ", + "
  • they were resident in the UK as a worker or self employed person at the time of their death
  • ", + "
  • they\u2019d been resident as a worker or self employed person for at least two years
  • ", + "

    If they died as the result of an accident at work or occupational disease, they do not have to have been resident for 2 years.

    ", + "

    If you\u2019re in education in the UK

    ", + "

    You can apply if you\u2019re in education in the UK and one of the following is true:

    ", + "
  • you\u2019re the child of an eligible EU, EEA, Swiss or British citizen who has left the UK or died
  • ", + "
  • one of your parents is the spouse or civil partner of an eligible EU, EEA, Swiss or British citizen who has left the UK or died
  • ", + "
  • one of your parents was previously the spouse or civil partner of an eligible EU, EEA, Swiss or British citizen who has left the UK or died
  • ", + "

    If you qualify through any of these circumstances, your parent may also be eligible if they have custody of you.

    ", + "

    If you or a member of your family was previously married or in a civil partnership

    ", + "

    You can apply if you stopped being the family member of the EU, EEA or Swiss citizen after their marriage or civil partnership ended with a divorce, annulment or dissolution, and you lived in the UK when it ended.

    ", + "

    One of the following must also apply:

    ", + "
  • the marriage or civil partnership lasted for at least 3 years and the couple had both been living in the UK for at least one year during that time
  • ", + "
  • you have custody of the EU, EEA or Swiss citizen\u2019s child
  • ", + "
  • you have been given right of access in the UK to the EU, EEA or Swiss citizen\u2019s child and the child is under 18
  • ", + "
  • you or another family member was the victim of domestic violence or abuse in the marriage or civil partnership
  • ", + "

    You can also apply if a family member had an eligible marriage or civil partnership and you lived in the UK when it ended. You must be their:

    ", + "
  • child or grandchild under 21 years old
  • ", + "
  • dependent child or grandchild over the age of 21
  • ", + "
  • dependent parent or grandparent
  • ", + "

    If you are a victim of domestic abuse or violence

    ", + "

    You can apply if your family relationship with an EU, EEA or Swiss citizen has broken down permanently because of domestic abuse or violence.

    ", + "

    You can apply if you are or were their:

    ", + "
  • spouse or civil partner
  • ", + "
  • unmarried partner
  • ", + "
  • child or grandchild under 21 years old
  • ", + "
  • dependent child or grandchild over the age of 21
  • ", + "
  • dependent parent or grandparent
  • ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • your family member\u2019s valid passport
  • ", + "
  • evidence of your relationship to them, for example a marriage certificate, civil partnership certificate or birth certificate
  • ", + "
  • evidence that you have been continuously resident in the UK
  • ", + "

    You can provide a valid national identity card instead of their passport if they\u2019re an EU, EEA or Swiss citizen.

    ", + "

    You must also provide evidence that your family member meets the eligibility criteria for the EU Settlement Scheme, even if they cannot apply.

    ", + "

    Evidence if your family member has died

    ", + "

    You\u2019ll also have to provide:

    ", + "
  • their death certificate and cause of death
  • ", + "
  • evidence of your and your family member\u2019s residence in the UK
  • ", + "
  • evidence of their employment, if they were employed
  • ", + "

    Evidence if you\u2019re in education in the UK

    ", + "

    Where appropriate, you will have to provide evidence that:

    ", + "
  • your family member died - for example, a death certificate
  • ", + "
  • you were in education in the UK at the time your family member died or left the UK, and that you still are
  • ", + "
  • your family member left the UK
  • ", + "
  • you have custody of the child of the family member who died or left the UK
  • ", + "

    Evidence if you or a member of your family was previously married or in a civil partnership

    ", + "

    Where appropriate, you will have to provide evidence that:

    ", + "
  • the marriage or civil partnership ended in divorce, annulment or dissolution
  • ", + "
  • you\u2019d been living together in the UK for at least a year
  • ", + "
  • you have custody of or the right of access to the child of the EU, EEA or Swiss citizen
  • ", + "
  • domestic violence or abuse took place
  • ", + "

    Evidence if you are a victim of domestic abuse or violence

    ", + "

    You will have to provide evidence that:

    ", + "
  • the family relationship has broken down permanently as a result of domestic violence or abuse
  • ", + "
  • you were resident in the UK when that family relationship broke down
  • ", + "

    Apply for an EU Settlement Scheme family permit

    ", + "

    You must apply online for an EU Settlement Scheme family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    There\u2019s no deadline for applications.

    ", + "

    EEA family permit

    ", + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.

    ", + "

    You can still apply for an EEA family permit if you\u2019re the close family member or unmarried partner of an EU, EEA or Swiss citizen who is a qualified person or has a right of permanent residence in the UK.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    Apply to the EU Settlement Scheme family permit instead if your family member has or is eligible for \u2018settled\u2019 or \u2018pre-settled\u2019 status under the EU Settlement Scheme.

    ", + "

    Family members you can join

    ", + "

    You must be their:

    ", + "
  • spouse or civil partner
  • ", + "
  • unmarried partner in a lasting relationship
  • ", + "
  • child or grandchild aged under 21
  • ", + "
  • dependent child or grandchild of any age
  • ", + "
  • dependent parent or grandparent
  • ", + "

    This includes family members who were adopted under an adoption order that\u2019s recognised in UK law.

    ", + "

    Your family relationship must have started by 31 December 2020.

    ", + "

    The family member you\u2019re joining must:

    ", + "
  • have been living in the UK by 31 December 2020
  • ", + "
  • have been working, looking for work, studying or self-sufficient while living here
  • ", + "
  • have a right of permanent residence in the UK
  • ", + "

    Extended family members

    ", + "

    You can no longer apply for an EEA family permit if you are the extended family member of an EU, EEA or Swiss citizen, for example their:

    ", + "
  • brother or sister
  • ", + "
  • aunt or uncle
  • ", + "
  • cousin
  • ", + "
  • niece or nephew
  • ", + "

    Unmarried partners in a lasting relationship (\u2018durable partners\u2019) can continue to apply for EEA family permits until 30 June 2021. The permit will not be valid after 30 June 2021, even if the expiry date on it is later.

    ", + "

    Other ways to get an EEA family permit

    ", + "

    You may also be eligible:

    ", + "
  • with a \u2018derivative right of residence\u2019 - you might have this if you\u2019re the primary carer of a British, EU, EEA or Swiss citizen, the primary carer\u2019s child, or the child of an EU, EEA or Swiss citizen who previously worked in the UK
  • ", + "
  • if you can make a \u2018Surinder Singh\u2019 application after living in an EU, EEA country or Switzerland with a British family member
  • ", + "
  • with a \u2018retained right of residence\u2019 - you might have this if you have the right to stay in the UK as the family member of EU, EEA or Swiss citizen who has died, left the UK or is no longer your spouse or civil partner
  • ", + "

    You must also have had the right to reside in the UK by 31 December 2020.

    ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • a valid passport
  • ", + "
  • 2 passport size colour photographs
  • ", + "
  • evidence of your relationship to your family member \u2013 for example a birth certificate, marriage certificate, civil partnership certificate or proof that you\u2019ve lived together for 2 years
  • ", + "
  • your family member\u2019s valid passport or national identity card (or a certified copy if you cannot provide the original)
  • ", + "
  • evidence that your EU, EEA or Swiss citizen family member was resident in the UK by 31 December 2020\nIf your family member has been in the UK for more than 3 months, you must show that they have a permanent residence document or provide evidence that they are:
  • ", + "
  • working - for example an employment contract, wage slips or a letter from an employer
  • ", + "
  • self-employed - for example contracts, invoices or audited accounts with bank statements
  • ", + "
  • studying - for example a letter from the school, college or university
  • ", + "
  • financially independent (\u2018self-sufficient\u2019) - for example bank statements
  • ", + "

    Your partner must have full health insurance (comprehensive sickness insurance) if they\u2019re studying or self-sufficient.

    ", + "

    Evidence if you\u2019re a dependent relative

    ", + "

    You\u2019ll have to provide evidence that you\u2019re related to your family member, such as a birth certificate.

    ", + "

    You\u2019ll also have to show that you are dependent on them, for example:

    ", + "
  • bank statements or money transfers that show you depend on them financially
  • ", + "
  • evidence that you depend on them for health care, for example a letter from a hospital consultant
  • ", + "

    See more examples of each type of evidence.

    ", + "

    Apply for an EEA family permit

    ", + "

    You must apply online for an EEA family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    EEA family permit: Surinder Singh

    ", + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.

    ", + "

    You can apply for an EEA family permit if you\u2019ve lived in an EU or EEA country or Switzerland with an eligible family member who\u2019s a British citizen. This is also known as a \u2018Surinder Singh\u2019 application.

    ", + "

    You must have lived with them in that country before 1 January 2021, and be:

    ", + "
  • their spouse, civil partner or unmarried partner (\u2018durable partner\u2019)
  • ", + "
  • under 21 years old, and are their child or grandchild
  • ", + "
  • 21 years or older, and are their dependent child or grandchild
  • ", + "
  • their dependent parent or grandparent
  • ", + "

    This includes family members who were adopted under an adoption order that\u2019s recognised in UK law.

    ", + "

    The country that you lived in together must have been your main residence. Your British family member must also have been working, studying or self-sufficient in the country while there.

    ", + "

    To be eligible for an EEA family permit you must prove that:

    ", + "
  • your British family member was resident in an EU or EEA country or Switzerland and was either a worker, a self-employed person, a self-sufficient person, a student, or a person with a right of permanent residence in that country
  • ", + "
  • you were lawfully resident in that EEA country or Switzerland with your British family member
  • ", + "
  • your family member returned to the UK by 31 December 2020
  • ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • your valid passport (or ID card if you are an EU, EEA or Swiss citizen)
  • ", + "
  • your British family member\u2019s valid passport
  • ", + "
  • evidence of your relationship to your British family member, such as a marriage certificate, civil partnership certificate or birth certificate
  • ", + "

    You must also provide proof that your British family member was working, self-employed, self-sufficient or studying in the EEA country where you\u2019ve lived together.

    ", + "

    Examples of proof include employer\u2019s letters, wage slips, contracts, bank statements, proof of tax registration, or proof of enrolment and attendance for study.

    ", + "

    Check the other evidence you usually need for an EEA family permit.

    ", + "

    Make a \u2018Surinder Singh\u2019 application for an EEA family permit

    ", + "

    You must apply online for an EEA family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    EEA family permit: retained right of residence

    ", + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.

    ", + "

    You may be able to apply for an EEA family permit if you previously had a right to reside in the UK either:

    ", + "
  • as the family member of an EU, EEA, Swiss citizen
  • ", + "
  • from living in the EU, EEA or Switzerland with a British citizen
  • ", + "

    This is called a \u2018retained right of residence\u2019. You may have it if:

    ", + "
  • your eligible family member died
  • ", + "
  • you\u2019re their child, they died or left the UK, and you are in education in the UK
  • ", + "
  • you\u2019ve had a child with them, they died or left the UK, and the child is in education in the UK
  • ", + "
  • they divorced you or a member of your family
  • ", + "
  • the relationship has broken down because of domestic abuse or violence
  • ", + "

    You must also meet other requirements to be eligible for a retained right of residence - read how applications are decided.

    ", + "

    If your family member has died

    ", + "

    You can apply if you lived continuously in the UK as their family member for at least one year immediately before their death.

    ", + "

    If you\u2019re in education in the UK

    ", + "

    You can apply if you\u2019re in education in the UK and one of the following is true:

    ", + "
  • you\u2019re the child of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "
  • one of your parents is the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "
  • one of your parents was previously the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "

    If you qualify through any of these circumstances, your parent is also eligible for retained right of residence if they have custody of you.

    ", + "

    If you or a member of your family was previously married or in a civil partnership

    ", + "

    You can apply if your marriage or civil partnership to an EU, EEA or Swiss citizen ended with a divorce, annulment or dissolution, and you lived in the UK when it ended.

    ", + "

    One of the following must also apply:

    ", + "
  • the marriage or civil partnership lasted for at least 3 years and you\u2019d both been living in the UK for at least one year during that time
  • ", + "
  • you have custody of the EU, EEA or Swiss citizen\u2019s child
  • ", + "
  • you have been given right of access in the UK to the EU, EEA or Swiss citizen\u2019s child - the child must be under 18
  • ", + "
  • you or another family member was the victim of domestic abuse in the marriage or civil partnership
  • ", + "

    You can also apply if a family member had an eligible marriage or civil partnership and you lived in the UK when it ended. You must be their:

    ", + "
  • child or grandchild under 21 years old
  • ", + "
  • dependent child or grandchild over the age of 21
  • ", + "
  • dependent parent or grandparent
  • ", + "

    If you are a victim of domestic abuse or violence

    ", + "

    You can apply if your family relationship with an EU, EEA or Swiss citizen has broken down permanently because of domestic abuse or violence.

    ", + "

    You can apply if you are or were their:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • unmarried partner (\u2018durable partner\u2019)
  • ", + "
  • child or grandchild under 21 years old
  • ", + "
  • dependent child or grandchild over the age of 21
  • ", + "
  • dependent parent or grandparent
  • ", + "

    Documents you must provide

    ", + "

    You will need to provide evidence proving:

    ", + "
  • your eligibility
  • ", + "
  • your family member\u2019s eligibility
  • ", + "
  • your relationship
  • ", + "

    Check the evidence you usually need for an EEA family permit.

    ", + "

    You\u2019ll also need to provide extra evidence depending on how you\u2019re claiming your retained right of residence.

    ", + "

    Evidence if your family member has died

    ", + "

    Where appropriate, you\u2019ll also have to provide:

    ", + "
  • their death certificate and cause of death
  • ", + "
  • evidence that you and your family member were living in the UK for a year before their death
  • ", + "
  • evidence of their employment, if they were employed
  • ", + "

    Evidence if you\u2019re in education in the UK

    ", + "

    Where appropriate, you\u2019ll also have to provide evidence that:

    ", + "
  • your family member died
  • ", + "
  • your family member left the UK
  • ", + "
  • you were in education in the UK at the time your family member died or left the UK, and that you still are
  • ", + "
  • you have custody of the child of the family member who died or left the UK
  • ", + "

    Evidence if you or a member of your family was previously married or in a civil partnership

    ", + "

    Where appropriate, you\u2019ll also have to provide evidence that:

    ", + "
  • the marriage or civil partnership ended in divorce, annulment or dissolution
  • ", + "
  • you\u2019d been living together in the UK for at least a year
  • ", + "
  • you have custody of or the right of access to the child of the EU, EEA or Swiss citizen
  • ", + "
  • domestic violence or abuse took place
  • ", + "

    Evidence if you are a victim of domestic abuse or violence

    ", + "

    You will have to provide evidence that:

    ", + "
  • the relevant family relationship has broken down permanently as a result of domestic violence or abuse
  • ", + "
  • you were resident in the UK when that family relationship broke down
  • ", + "

    Make a retained right of residence application for a family permit

    ", + "

    You must apply online for an EEA family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    EEA family permit: derivative right of residence

    ", + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later.

    ", + "

    You can apply for a family permit if you have a \u2018derivative right of residence\u2019 as the:

    ", + "
  • primary carer of an EU, EEA or Swiss child in the UK who is financially independent (\u2018self-sufficient\u2019)
  • ", + "
  • child of an EU, EEA or Swiss former worker and you\u2019re currently in education in the UK
  • ", + "
  • primary carer of a child of an EU, EEA or Swiss former worker and the child is currently in education in the UK
  • ", + "
  • primary carer of a British child who is residing in the UK and would be forced to leave if their primary carer wasn\u2019t in the UK
  • ", + "
  • primary carer of a British dependent adult who is residing in the UK and would be forced to leave if their primary carer wasn\u2019t in the UK
  • ", + "
  • child of a primary carer who qualifies through one of these categories
  • ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    As a \u2018primary carer\u2019, you have responsibility for the day to day care of a person, including making decisions about their education, health, and finances. You must be a family member or their legal guardian, and can be their main carer or share that responsibility with someone else.

    ", + "

    Find out more about derivative rights of residence in the caseworker guidance:

    ", + "
  • Ibrahim-Teixeira cases
  • ", + "
  • Ruiz Zambrano cases
  • ", + "
  • Chen cases
  • ", + "

    Documents you must provide

    ", + "

    You will need to provide evidence proving:

    ", + "
  • your eligibility
  • ", + "
  • your family member\u2019s eligibility
  • ", + "
  • your relationship
  • ", + "

    You\u2019ll also need to provide information about the person you care for, including proof:

    ", + "
  • that they\u2019re dependent on you, and were before 1 January 2021, such as court orders or details of care responsibilities
  • ", + "
  • that they\u2019re living in the UK, such as tenancy agreements, utility bills or bank statements
  • ", + "
  • that children who are EU, EEA or Swiss citizens are financially independent (\u2018self-sufficient\u2019) and have full health insurance (\u2018comprehensive sickness insurance\u2019) in the UK
  • ", + "

    You may also need to provide extra evidence depending on how you\u2019re claiming your derivative right of residence.

    ", + "

    Children of an EU, EEA or Swiss citizens who used to work in the UK

    ", + "

    You must show that:

    ", + "
  • you\u2019re in education in the UK, for example a letter from the school
  • ", + "
  • you were in the UK when your EU, EEA or Swiss parent was working in the UK
  • ", + "
  • you were in education in the UK at a time when your EU, EEA or Swiss parent was also present in the UK
  • ", + "

    You\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.

    ", + "

    Make a derivative right of residence application for a family permit

    ", + "

    You must apply online for an EEA family permit.

    ", + "

    You must be outside the UK to apply.

    ", + "

    After you get a family permit

    ", + "

    You\u2019ll be able to use your EUSS family permit to come and go from the UK as many times as you want. It also allows you to work or study in the UK.

    ", + "

    If you get an EEA family permit you can only use it until 30 June 2021, even if the expiry date on it is later.

    ", + "

    When you arrive in the UK

    ", + "

    You can use an automatic ePassport gate if you have a family permit and you\u2019re from:

    ", + "
  • Australia
  • ", + "
  • Canada
  • ", + "
  • the EEA
  • ", + "
  • Japan
  • ", + "
  • New Zealand
  • ", + "
  • Singapore
  • ", + "
  • South Korea
  • ", + "
  • Switzerland
  • ", + "

    Otherwise, see a border control officer instead. They will check your permit.

    ", + "

    How long you can stay

    ", + "

    If you applied for an EEA family permit on or before 30 December 2020, it will be valid for 6 months. If you applied after that, it will stop being valid on 30 June 2021, even if the expiry date on it is later.

    ", + "

    An EUSS family permit is valid for 6 months, unless:

    ", + "
  • you plan to arrive in the UK on or after 1 April 2021
  • ", + "
  • your application is approved more than three months ahead of your planned arrival date
  • ", + "

    In this case, it\u2019s valid for 4 months from your planned arrival date.

    ", + "

    Staying in the UK after your family permit expires

    ", + "

    There will be no change to the residence rights and status of EU, EEA or Swiss citizens resident in the UK by 31 December 2020, and their family members, until 30 June 2021.

    ", + "

    You can apply to the EU Settlement Scheme to continue living in the UK after your family permit expires. You must apply on or before 30 June 2021, or within 3 months of when you first arrive in the UK, whichever is later.

    ", + "

    You might be able to apply later if you can show \u2018reasonable grounds\u2019 (such as medical reasons, or being the victim of domestic abuse) for why you could not apply by the deadline.

    " + ] + }, + "https://www.gov.uk/visas-partner-dies": { + "url": "https://www.gov.uk/visas-partner-dies", + "title": "Apply to settle in the UK if your partner dies", + "content": "## Overview and fees\n\nYou may be eligible to apply for settlement (indefinite leave to remain in the UK) if your partner has died. Your partner must have either:\n\n- been a British citizen\n\n- had indefinite leave to remain in the UK\n\n- been from the EU, Switzerland, Norway, Iceland or Liechtenstein and had pre-settled status\n\nYour permission to be in the UK must have been based on being their partner as part of a family visa. A \u2018partner\u2019 is one of the following:\n\n- your spouse (husband or wife)\n\n- your civil partner\n\n- someone you were living with in a relationship that\u2019s like a marriage or civil partnership\n\n## When to apply\n\nYou can apply any time after your partner\u2019s death. You do not have to wait until your current visa expires.\n\nYou must be in the UK when you apply.\n\n## Fees\n\nThe application fee is \u00a32,389.\n\nYou also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\nIf you have family members applying for settlement with you, you\u2019ll need to pay the \u00a32,389 application fee and the \u00a319.20 biometric information fee for each person.\n\n## How long you can stay\n\nGetting indefinite leave to remain means you can continue to live and work in the UK for as long as you like. It will also mean you\u2019re eligible:\n\n- to work in any job\n\n- to run a business\n\n- for public services, such as healthcare and schools\n\n- for public funds and pensions\n\n- for British citizenship, if you meet the requirements\n\n## Eligibility\n\nYour permission to be in the UK must be based on your relationship.\n\nBefore your partner died, you must have got a family visa as their partner (but not as their fianc\u00e9, fianc\u00e9e or proposed civil partner).\n\nWhen your partner died, you must have:\n\n- been living together in the UK\n\n- intended to live together permanently in the UK\n\nYour partner must not have been living permanently in any another country.\n\nYou do not need to take the Life in the UK Test or prove your English language skills.\n\n## When your application can be refused\n\nYour application might be refused if, for example, you\u2019ve:\n\n- got a criminal record in the UK or another country\n\n- provided false or incomplete information to the Home Office\n\n- broken UK immigration law\n\nRead the guidance on why applications can be refused.\n\n## Documents you must provide\n\nYou must provide:\n\n- a current passport or other valid travel identification\n\n- any previous passports you\u2019ve had while living in the UK\n\n- your biometric residence permit, if you have one\n\n- your police registration certificate (unless\u00a0you did not need to register)\n\n- your partner\u2019s death certificate\n\n- proof of your relationship, for example your certificate of marriage or civil partnership\n\n- proof that you and your partner were living together\n\n## Proof that you were living together\n\nYou need documents to show that you lived with your partner until they died, starting from when you got permission to be in the UK as their partner.\n\nProvide 6 official documents addressed to both of you, or each of you individually, at the same address.\n\nInclude as many different types of documents as you can, for example:\n\n- gas, water or electricity bills\n\n- telephone bills\n\n- Council Tax bills\n\n- bank statements and letters\n\n- letters from a government department\n\n- letters about your TV Licence\n\n- tenancy agreements\n\n- mortgage agreement or statements\n\n- letters from your GP, a hospital or health service\n\nYou do not need to take the Life in the UK Test or prove your English language skills.\n\n## Applying for your children\n\nYour children may be eligible to get settlement (indefinite leave to remain in the UK) at the same time as you.\n\nYou can include your children as \u2018dependants\u2019 on your application form if all the following are true:\n\n- they have permission to be in the UK based on being your partner\u2019s dependant\n\n- they were under 18 when this permission was given - it does not matter if they\u2019ve turned 18 since\n\n- they\u2019re going to live with you in the UK\n\n- they\u2019ll have somewhere to live and be financially supported without using public funds\n\n- they\u2019re not married or in a civil partnership\n\nIf your children do not meet these conditions, they may still be able to apply separately. Find out if they can apply to settle in the UK.\n\nYour child\u2019s application can be refused, for example if they\u2019ve broken UK immigration law. Read the guidance on why applications can be refused.\n\n## Documents you must provide for your children\n\nFor each child you include on your application form, you must provide:\n\n- a current passport or other valid travel identification\n\n- a birth certificate if they were born in the UK\n\n- their biometric residence permit, if they have one\n\n- their police registration certificate if they\u2019re 16 or over (unless\u00a0they did not need to register)\n\n- proof they live permanently with you, for example letters from your child\u2019s school or doctor\n\n## How to apply\n\nYou must apply online. You need to be in the UK when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\nAny children aged 6 or over must provide biometric information if you\u2019re applying for them on your form.\n\n## How long it takes\n\nYou\u2019ll be told whether your application has been successful within 6 months.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction", + "original_contents": [ + "

    Overview and fees

    ", + "

    You may be eligible to apply for settlement (indefinite leave to remain in the UK) if your partner has died. Your partner must have either:

    ", + "
  • been a British citizen
  • ", + "
  • had indefinite leave to remain in the UK
  • ", + "
  • been from the EU, Switzerland, Norway, Iceland or Liechtenstein and had pre-settled status
  • ", + "

    Your permission to be in the UK must have been based on being their partner as part of a family visa. A \u2018partner\u2019 is one of the following:

    ", + "
  • your spouse (husband or wife)
  • ", + "
  • your civil partner
  • ", + "
  • someone you were living with in a relationship that\u2019s like a marriage or civil partnership
  • ", + "

    When to apply

    ", + "

    You can apply any time after your partner\u2019s death. You do not have to wait until your current visa expires.

    ", + "

    You must be in the UK when you apply.

    ", + "

    Fees

    ", + "

    The application fee is \u00a32,389.

    ", + "

    You also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you have family members applying for settlement with you, you\u2019ll need to pay the \u00a32,389 application fee and the \u00a319.20 biometric information fee for each person.

    ", + "

    How long you can stay

    ", + "

    Getting indefinite leave to remain means you can continue to live and work in the UK for as long as you like. It will also mean you\u2019re eligible:

    ", + "
  • to work in any job
  • ", + "
  • to run a business
  • ", + "
  • for public services, such as healthcare and schools
  • ", + "
  • for public funds and pensions
  • ", + "
  • for British citizenship, if you meet the requirements
  • ", + "

    Eligibility

    ", + "

    Your permission to be in the UK must be based on your relationship.

    ", + "

    Before your partner died, you must have got a family visa as their partner (but not as their fianc\u00e9, fianc\u00e9e or proposed civil partner).

    ", + "

    When your partner died, you must have:

    ", + "
  • been living together in the UK
  • ", + "
  • intended to live together permanently in the UK
  • ", + "

    Your partner must not have been living permanently in any another country.

    ", + "

    You do not need to take the Life in the UK Test or prove your English language skills.

    ", + "

    When your application can be refused

    ", + "

    Your application might be refused if, for example, you\u2019ve:

    ", + "
  • got a criminal record in the UK or another country
  • ", + "
  • provided false or incomplete information to the Home Office
  • ", + "
  • broken UK immigration law
  • ", + "

    Read the guidance on why applications can be refused.

    ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • any previous passports you\u2019ve had while living in the UK
  • ", + "
  • your biometric residence permit, if you have one
  • ", + "
  • your police registration certificate (unless\u00a0you did not need to register)
  • ", + "
  • your partner\u2019s death certificate
  • ", + "
  • proof of your relationship, for example your certificate of marriage or civil partnership
  • ", + "
  • proof that you and your partner were living together
  • ", + "

    Proof that you were living together

    ", + "

    You need documents to show that you lived with your partner until they died, starting from when you got permission to be in the UK as their partner.

    ", + "

    Provide 6 official documents addressed to both of you, or each of you individually, at the same address.

    ", + "

    Include as many different types of documents as you can, for example:

    ", + "
  • gas, water or electricity bills
  • ", + "
  • telephone bills
  • ", + "
  • Council Tax bills
  • ", + "
  • bank statements and letters
  • ", + "
  • letters from a government department
  • ", + "
  • letters about your TV Licence
  • ", + "
  • tenancy agreements
  • ", + "
  • mortgage agreement or statements
  • ", + "
  • letters from your GP, a hospital or health service
  • ", + "

    You do not need to take the Life in the UK Test or prove your English language skills.

    ", + "

    Applying for your children

    ", + "

    Your children may be eligible to get settlement (indefinite leave to remain in the UK) at the same time as you.

    ", + "

    You can include your children as \u2018dependants\u2019 on your application form if all the following are true:

    ", + "
  • they have permission to be in the UK based on being your partner\u2019s dependant
  • ", + "
  • they were under 18 when this permission was given - it does not matter if they\u2019ve turned 18 since
  • ", + "
  • they\u2019re going to live with you in the UK
  • ", + "
  • they\u2019ll have somewhere to live and be financially supported without using public funds
  • ", + "
  • they\u2019re not married or in a civil partnership
  • ", + "

    If your children do not meet these conditions, they may still be able to apply separately. Find out if they can apply to settle in the UK.

    ", + "

    Your child\u2019s application can be refused, for example if they\u2019ve broken UK immigration law. Read the guidance on why applications can be refused.

    ", + "

    Documents you must provide for your children

    ", + "

    For each child you include on your application form, you must provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • a birth certificate if they were born in the UK
  • ", + "
  • their biometric residence permit, if they have one
  • ", + "
  • their police registration certificate if they\u2019re 16 or over (unless\u00a0they did not need to register)
  • ", + "
  • proof they live permanently with you, for example letters from your child\u2019s school or doctor
  • ", + "

    How to apply

    ", + "

    You must apply online. You need to be in the UK when you apply.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    Any children aged 6 or over must provide biometric information if you\u2019re applying for them on your form.

    ", + "

    How long it takes

    ", + "

    You\u2019ll be told whether your application has been successful within 6 months.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • " + ] + }, + "https://www.gov.uk/settled-status-eu-citizens-families": { + "url": "https://www.gov.uk/settled-status-eu-citizens-families", + "title": "Apply to the EU Settlement Scheme (settled and pre-settled status)", + "content": "## Overview\n\nIf you\u2019re an EU, EEA or Swiss citizen, you and your family can apply to the EU Settlement Scheme to continue living in the UK after 30 June 2021. You can also apply if you\u2019re the family member of an eligible person of Northern Ireland.\n\nIf your application is successful, you\u2019ll get either settled or pre-settled status.\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\nYou may be able to stay in the UK without applying - for example, if you\u2019re an Irish citizen or already have indefinite leave to remain.\n\nSign up for email updates about the scheme.\n\n## When you can apply\n\nThe EU Settlement Scheme is open. You can apply now if you meet the criteria.\n\nThe deadline for applying is 30 June 2021. You must usually have started living in the UK by 31 December 2020.\n\nThe deadlines are different in some situations, for example if:\n\n- you\u2019re applying to join a close family member\n\n- the family member of a British citizen (\u2018Surinder Singh\u2019 applications)\n\n- you stop being exempt from immigration control\n\nWhich status you get may depend on when you apply.\n\n## Fees\n\nIt\u2019s free to apply to the scheme.\n\n## Who should apply\n\nExcept in a few cases, you need to apply if:\n\n- you\u2019re an EU, EEA or Swiss citizen\n\n- you\u2019re not an EU, EEA or Swiss citizen, but your family member is (or is an eligible person of Northern Ireland)\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\nThis means you need to apply even if you:\n\n- were born in the UK but are not a British citizen - you can check if you\u2019re a British citizen if you\u2019re not sure\n\n- have a UK \u2018permanent residence document\u2019\n\n- are a family member of an EU, EEA or Swiss citizen who does not need to apply - including if they\u2019re from Ireland\n\n- are an EU, EEA or Swiss citizen with a British citizen family member\n\nIf you have children, you need to apply for them separately.\n\nIf you\u2019re an EU, EEA or Swiss citizen and you have a family member who is an eligible person of Northern Ireland, you may be able to choose which way you apply.\n\n## Who else can apply\n\nYou can apply to join your EU, EEA or Swiss family member if they started living in the UK by 31 December 2020. You can either:\n\n- apply from outside the UK, if you have a certain type of passport, identity card or residence document\n\n- come to the UK on an EU Settlement Scheme family permit and apply to the settlement scheme once you\u2019re here\n\nYou cannot apply to the EU settlement scheme from inside the UK if you arrived after 31 December 2020 and you\u2019re here:\n\n- on a Standard Visitor visa, Permitted Paid Engagement visa, Parent of a Child Student visa or Transit visa\n\n- without a visa, for example if you came through an e-passport gate\n\nYou also cannot apply if you\u2019re here on a Marriage Visitor visa, unless you\u2019re applying after you have married or entered into a civil partnership with the EU, EEA or Swiss person you\u2019re joining.\n\nIrish citizens do not need to apply to the settlement scheme. If they choose to, they can apply from within the UK regardless of how they entered.\n\n## If you\u2019re not an EU, EEA or Swiss citizen\n\nYou also may be able to apply if:\n\n- you used to have an EU, EEA or Swiss family member living in the UK (but you\u2019ve separated, they\u2019ve died or the family relationship has broken down)\n\n- you\u2019re the family member of a British citizen and you lived outside the UK in an EEA country together\n\n- you\u2019re the family member of a British citizen who also has EU, EEA or Swiss citizenship and who lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship\n\n- you have a family member who is an eligible person of Northern Ireland\n\n- you\u2019re the primary carer of a British, EU, EEA or Swiss citizen\n\n- you\u2019re the child of an EU, EEA or Swiss citizen who used to live and work in the UK, or the child\u2019s primary carer\n\n- you\u2019re the family member of a \u2018frontier worker\u2019\n\n## Who does not need to apply\n\nYou do not need to apply if you have:\n\n- indefinite leave to enter the UK\n\n- indefinite leave to remain in the UK\n\n- Irish citizenship (including British and Irish \u2018dual citizenship\u2019)\n\nYou cannot apply if you have British citizenship.\n\n## If you\u2019re an EU, EEA or Swiss citizen and you moved to the UK before it joined the EU\n\nYou only need to apply if you do not have indefinite leave to remain. \nIf you do have indefinite leave to remain, you\u2019ll usually have a stamp in your passport or a letter from the Home Office saying this.\n\n## If you work in the UK but do not live here (\u2018frontier worker\u2019)\n\nYou do not need to apply to the EU Settlement Scheme if you\u2019re a \u2018frontier worker\u2019 or have a Frontier Worker permit.\n\n## If you\u2019re exempt from immigration control\n\nYou do not need to do anything to continue living in the UK while you\u2019re exempt from immigration control.\n\nYou\u2019ll have been told if you\u2019re exempt from immigration control, for example because you\u2019re:\n\n- a foreign diplomat posted in the UK\n\n- a member of NATO\n\nYou can apply to the EU Settlement Scheme at any time, as long as you started living in the UK by 31 December 2020. Your privileges and immunities may change if you get settled status.\n\nIf you stop being exempt, you need to apply to the EU Settlement Scheme within 90 days of when you stop being exempt.\n\nIf you apply after 30 June 2021, you\u2019ll need to prove that you\u2019re exempt from immigration control as part of your application.\n\nYour family members may be eligible to apply to the EU Settlement Scheme whether they are exempt from immigration control or not. They can apply at any time, even if you have not yet applied.\n\n## What you\u2019ll get\n\nThe rights and status of EU, EEA and Swiss citizens living in the UK by 31 December 2020 will remain the same until 30 June 2021.\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\nIf you apply to the EU Settlement Scheme successfully, you\u2019ll be able to continue living and working in the UK after 30 June 2021.\n\nYou\u2019ll be given either:\n\n- settled status\n\n- pre-settled status\n\nYou will not be asked to choose which you\u2019re applying for. Which status you get depends on how long you\u2019ve been living in the UK when you apply. Your rights will be different depending on which status you get and when you started living in the UK.\n\n## Settled status\n\nYou\u2019ll usually get settled status if you\u2019ve lived in the UK for a continuous 5-year period (known as \u2018continuous residence\u2019)\n\nFive years\u2019 continuous residence means that for 5 years in a row you\u2019ve been in the UK, the Channel Islands or the Isle of Man for at least 6 months in any 12 month period. The exceptions are:\n\n- one period of up to 12 months for an important reason (for example, childbirth, serious illness, study, vocational training or an overseas work posting)\n\n- compulsory military service of any length\n\n- time you spent abroad as a Crown servant, or as the family member of a Crown servant\n\n- time you spent abroad in the armed forces, or as the family member of someone in the armed forces\n\nYou may be considered to be resident in the UK on 31 December 2020 and may be eligible for settled status if you both:\n\n- lived in the UK for a continuous 5-year period in the past\n\n- have not left the UK for more than 5 years in a row since then\n\nYou can stay in the UK as long as you like if you get settled status. You\u2019ll also be able to apply for British citizenship if you\u2019re eligible.\n\n## Pre-settled status\n\nIf you have not lived in the UK for 5 years in a row (known as \u2018continuous residence\u2019), you\u2019ll usually get pre-settled status. You must have started living in the UK by 31 December 2020 unless you are applying as the existing close family member of an EU, EEA or Swiss citizen who started living here by then. You can stay in the UK for a further 5 years from the date you get pre-settled status.\n\nYou can apply to switch to settled status as soon as you\u2019ve had 5 years\u2019 continuous residence. The 5 years is counted from the day you first arrived in the UK. You do not need to have held pre-settled status for 5 years to apply.\n\nYou must apply for settled status before your pre-settled status expires to stay in the UK.\n\nIf you\u2019ll reach 5 years\u2019 continuous residence by 30 June 2021, you can choose to wait until you have 5 years\u2019 residence to apply. This means that you\u2019ll get settled status without having to apply for pre-settled status first if your application is successful.\n\nIf you will not reach 5 years\u2019 continuous residence by 30 June 2021, you cannot wait until after this date to apply. You must apply for pre-settled status by 30 June 2021. You can then switch to settled status once you have 5 years\u2019 continuous residence.\n\n## If you\u2019ve left the UK\n\nYou may be able to get pre-settled status if you were living in the UK by 31 December 2020\nbut you were not here on that date. You must not have left the UK, the Channel Islands or the Isle of Man for more than 6 months in any 12 month period.\n\nYou may also be eligible if you were living in the UK by 31 December 2020, but you left the UK, the Channel Islands or the Isle of Man for one period of no more than 12 months for an important reason (for example childbirth, serious illness, study, vocational training or an overseas work posting). Your previous residence in the UK will count towards your eligibility for pre-settled status.\n\n## Showing your continuous residence when you apply\n\nYou\u2019ll need to show that you were living in the UK by 31 December 2020, unless you\u2019re joining your family member who is an EU, EEA or Swiss citizen and they were living here by then.\n\nIf your evidence is older than 6 months, you\u2019ll usually also need evidence to show you were here in the last 6 months. This is to show your continuous residence.\n\nIf you\u2019ve been outside the UK for one period of no more than 12 months, you can use evidence from before you left to show your continuous residence. You must have been outside of the UK for an important reason, for example, due to childbirth, serious illness, study, vocational training or an overseas work posting.\n\nCheck what evidence you can use to show when you started living in the UK, and that you\u2019ve continued to live here.\n\n## Your rights with settled or pre-settled status\n\nYou\u2019ll be able to:\n\n- work in the UK\n\n- use the NHS for free, if you can at the moment\n\n- enrol in education or study in the UK\n\n- access public funds such as benefits and pensions, if you\u2019re eligible for them\n\n- travel in and out of the UK\n\nYou\u2019ll have different rights if you get settled or pre-settled status because you\u2019ve applied to join your EU, EEA or Swiss family member and you arrived in the UK after 31 December 2020. For example, you will not be able to bring your own family members under the EU Settlement Scheme.\n\n## If you want to spend time outside the UK\n\nIf you have settled status, you can spend up to 5 years in a row outside the UK without losing your status.\n\nIf you\u2019re a Swiss citizen, you and your family members can spend up to 4 years in a row outside the UK without losing your settled status.\n\nIf you have pre-settled status, you can spend up to 2 years in a row outside the UK without losing your status. You will need to maintain your continuous residence if you want to qualify for settled status.\n\n## If you have children after applying\n\nIf you get settled status, any children born in the UK while you\u2019re living here will automatically be British citizens.\n\nIf you get pre-settled status, any children born in the UK will be automatically eligible for pre-settled status. They will only be a British citizen if they qualify for it through their other parent.\n\n## If you want to bring family members to the UK\n\nIf you\u2019re a citizen of the EU, EEA or Switzerland, your close family members can join you if all of the following apply:\n\n- you were resident in the UK by 31 December 2020\n\n- your relationship with them started on or before 31 December 2020 (unless they\u2019re a child born or adopted after that date)\n\n- the relationship still exists when they apply to join you\n\nIf your family member is from the EU, EEA or Switzerland, they can apply to the EU Settlement Scheme from outside the UK if they hold either a valid passport or identity card with a biometric chip.\n\nIf your family member is not from the EU, EEA or Switzerland, they can apply to the EU Settlement Scheme from outside the UK. They must hold a relevant UK document, for example:\n\n- a residence card\n\n- a permanent residence card\n\n- a derivative residence card\n\nOtherwise, they will need to apply for an EU Settlement Scheme family permit to come to the UK. Once they\u2019re in the UK they can apply to the EU Settlement Scheme.\n\nThey cannot apply to the EU Settlement Scheme from inside the UK if they arrived after 31 December 2020 and they\u2019re here:\n\n- on a Standard Visitor visa, Permitted Paid Engagement visa, Parent of a Child Student visa or Transit visa\n\n- without a visa, for example if they came through an e-passport gate\n\nThey also cannot apply if they\u2019re here on a Marriage Visitor visa, unless they\u2019re applying after you\u2019ve married or entered into a civil partnership with them.\n\nIrish citizens can apply from inside the UK regardless of how they entered.\n\nIf you cannot bring your family member under the EU Settlement Scheme, they may still be able to come here in a different way, for example on a family visa.\n\n## Family members of Swiss citizens\n\nIf you\u2019re a Swiss citizen, you can also bring your spouse or civil partner to the UK until 31 December 2025 if both of the following apply:\n\n- your relationship with them began between 31 December 2020 and 31 December 2025\n\n- you are still in the relationship when they apply to join you\n\n## What you'll need to apply\n\nIf you\u2019re an EU, EEA, or Swiss citizen and you started living in the UK by 31 December 2020, you\u2019ll need proof of:\n\n- your identity\n\n- your residence in the UK, unless you have a valid permanent residence document, or valid indefinite leave to remain in or enter the UK\n\nYou\u2019ll need to provide this proof again when you apply to change your pre-settled status for settled status.\n\n## Proof of identity\n\nIf you\u2019re an EU, EEA or Swiss citizen, you need a valid passport or valid national identity card. You also need to provide a digital photo of your face.\n\nIf you\u2019re not an EU, EEA or Swiss citizen, you need to provide one of the following:\n\n- a valid passport\n\n- a valid biometric residence permit\n\n- a valid biometric residence card\n\nYou also need to provide a digital photo of your face. If you do not already have a valid biometric residence card, you will also need to provide your fingerprints (this is not needed for children under 5).\n\nIf you do not have any of these you may be able to use other evidence in certain situations. Contact the EU Settlement Resolution Centre if you do not have any of the listed documents.\n\nIf you\u2019re applying for your child, you\u2019ll need to prove their identity. You might also need to prove their residence in the UK.\n\nWhen you apply, you can either:\n\n- scan your document and upload your photo using the \u2018EU Exit: ID Document Check\u2019 app using an Android phone, or an iPhone 7 or above\n\n- send your document in the post and upload your photo using the online application (you can take this yourself)\n\n## Scan your document\n\nYou can use the \u2018EU Exit: ID Document Check\u2019 app on:\n\n- an Android phone\n\n- an iPhone 7 or above\n\nTo scan your documents using a phone, you\u2019ll need one of the following:\n\n- a valid EU, EEA or Swiss passport or ID card, if it\u2019s biometric\n\n- a UK-issued biometric residence card\n\nYou can use someone else\u2019s phone to prove your identity.\n\n## Send your document by post\n\nYou must send your document by post if you have a:\n\n- non-EU or non-EEA passport\n\n- biometric residence permit\n\n- non-biometric ID card\n\nYou can send other types of document in the post if you cannot use the \u2018ID Document Check\u2019 app.\n\n## Proof of continuous residence\n\nTo be eligible for settled status, you usually need to have lived in the UK, the Channel Islands or the Isle of Man for at least 6 months in any 12 month period for 5 years in a row. You need to provide proof of this when you apply.\n\nIf you\u2019ve not lived here for 5 years in a row you may still be eligible for pre-settled status.\n\nIf you arrived in the UK by 31 December 2020, you can give your National Insurance number to allow an automated check of your residence based on tax and certain benefit records.\n\nIf this check is successful, you\u2019ll not need to provide any documents as proof of residence. If you\u2019ve been here for 5 years in a row but there is not enough data to confirm this, you\u2019ll need to provide documents.\n\nThe Home Office will tell you immediately after you apply if you need to provide any documents. You should submit photos or scans of your documents through the online application form, rather than sending them by post.\n\nRead what documents you can provide to the Home Office if you\u2019re asked to provide more evidence.\n\n## If you have criminal convictions\n\nIf you\u2019re 18 or over, the Home Office will check you have not committed serious or repeated crimes, and that you do not pose a security threat.\n\nYou\u2019ll be asked to declare convictions that appear in your criminal record in the UK or overseas.\n\nYou do not need to declare any of the following:\n\n- convictions that do not need to be disclosed (\u2018spent convictions\u2019)\n\n- warnings (\u2018cautions\u2019)\n\n- alternatives to prosecution, for example speeding fines\n\nYou\u2019ll also be checked against the UK\u2019s crime databases.\n\nYou\u2019ll still be eligible for settled or pre-settled status if you\u2019ve only been convicted of a minor crime.\n\nYou may still get settled or pre-settled status even if you have other convictions. This will be decided on a case-by-case basis.\n\nIf you\u2019ve been to prison, you usually need 5 years\u2019 continuous residence from the day you were released to be considered for settled status.\n\n## If you\u2019re applying to join your EU, EEA or Swiss family member\n\nYou\u2019ll need to provide proof of your relationship to your family member from the EU, EEA or Switzerland.\n\nIf your family member in the UK does not already have settled or pre-settled status, you will also need to provide proof:\n\n- of their identity\n\n- of their nationality\n\n- that they lived in the UK by 31 December 2020, and have continued living here since\n\nRead what documents you can provide to show when they started living here and have continued living here since.\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\n## Applying for your children\n\nEach child must have their own application. You can apply for your child or they can apply for themselves.\n\nYour child is eligible for settled or pre-settled status if they\u2019re under 21 and either they\u2019re:\n\n- an EU, EEA or Swiss citizen\n\n- not an EU, EEA or Swiss citizen, but you are - or your spouse or civil partner is\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\nIf your child was born in the UK but is not a British citizen, they will still need to apply. You can check if they\u2019re a British citizen if you\u2019re not sure.\n\n## If you have applied to the EU Settlement Scheme\n\nWhen you apply for your child you can \u2018link\u2019 their application to yours. This means that if your own application is successful, your child will get the same status as you.\n\nTo do this, select the option to apply \u2018using your parent\u2019s residence\u2019, then enter your application number.\n\nYou will need to do this for each child you apply for.\n\nYou can use your own email address in the application if your child does not have one.\n\nYou can apply for your child any time after you\u2019ve made your own application - you do not need to wait for a decision.\n\n## What proof you need\n\nYou\u2019ll need proof of:\n\n- your relationship to your child when you make their application\n\n- your child\u2019s identity\n\n- when your child started living in the UK, if they started living here by 31 December 2020\n\n- your child\u2019s continuous residence in the UK\n\nIf the evidence of when your child started living here is more than 6 months old, you\u2019ll also have to show they were here in the last 6 months.\n\nCheck what evidence you can use to show when your child started living in the UK, and that they\u2019ve continued to live here.\n\n## If you have not applied to the EU Settlement Scheme\n\nIf you\u2019re eligible for the scheme, make your own application first so that you can link your child\u2019s application to yours.\n\nIf you\u2019re not eligible for the scheme but your child is, you can still apply for them. For example, if they live in the UK and you do not.\n\nYou\u2019ll need to provide proof:\n\n- of your child\u2019s identity\n\n- of your child\u2019s UK residence\n\n- that your child has 5 years\u2019 continuous residence in the UK\n\n## If your child does not have 5 years\u2019 continuous residence\n\nIf your child does not have 5 years\u2019 continuous residence when they apply, they\u2019ll usually get pre-settled status.\n\nThey can stay in the UK for a further 5 years from the date they get pre-settled status.\n\nYou can apply to change this to settled status once they have reached 5 years\u2019 continuous residence. You must do this before their pre-settled status expires - this will be 5 years after the date they got pre-settled status.\n\nIf they\u2019ll reach 5 years\u2019 continuous residence by 30 June 2021, you can choose to wait until they reach 5 years\u2019 continuous residence before applying. If their application is successful, they\u2019ll get settled status without getting pre-settled status first.\n\n## If your child is born or adopted after 31 December 2020\n\nYour children are eligible to apply to the EU Settlement Scheme if you started living in the UK by 31 December 2020, even if you\u2019ve not yet applied yourself.\n\nIf your child is born or adopted in the UK before 1 April 2021, you must make an application for them by 30 June 2021.\n\nIf your child is born or adopted in the UK on or after 1 April 2021, you must apply within 3 months of the date they were born or adopted. You\u2019ll need to give evidence of their date of birth or the date you adopted them, such as a birth certificate or adoption order.\n\n## If you\u2019re an Irish citizen\n\nYou do not need to apply for settled or pre-settled status if you\u2019re an Irish citizen.\n\nHowever, if you\u2019re an Irish citizen and your child is not a British citizen, they\u2019ll be eligible for either:\n\n- the same status that you could get, based on how long you\u2019ve lived in the UK\n\n- settled or pre-settled status, based on their own residence\n\nThis also applies if you\u2019re from Northern Ireland and have Irish, British or dual British and Irish citizenship, and your child does not have Irish, British or dual citizenship.\n\n## How to apply\n\nApply online for the EU Settlement Scheme.\n\n## Apply to the EU Settlement Scheme\n\nYou can apply using any device, for example, a laptop, Android device or iPhone.\n\nCheck what you\u2019ll need before you apply.\n\n## Apply\n\nYou can apply now if you\u2019re eligible. The deadline for applying is usually 30 June 2021.\n\nYou can also choose to apply later depending on your circumstances.\n\nIf you get pre-settled status, you\u2019ll need to apply again when you\u2019re changing your pre-settled status for settled status.\n\nIf you\u2019re applying for yourself and your children, make your own application first.\n\nStart now\n\nThe Home Office will use the personal information you provide to decide whether to grant your application. Find out how the Home Office will process your personal information.\n\n## Continue your application\n\nIf you\u2019ve already started to apply, you can continue your application.\n\n## Who cannot use this service\n\nYou cannot use the online service to apply to the scheme if you\u2019re applying as:\n\n- the family member of a British citizen you lived with in Switzerland or an EU or EEA country\n\n- the family member of a British citizen who also has EU, EEA or Swiss citizenship and who lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship\n\n- the primary carer of a British, EU, EEA or Swiss citizen\n\n- the child of an EU, EEA or Swiss citizen who used to live and work in the UK, and you\u2019re in education - or you\u2019re the child\u2019s primary carer\n\nContact the EU Settlement Resolution Centre online to find out how to apply.\n\n## Fees\n\nIt\u2019s free to apply to the scheme.\n\nIf you paid a fee when you applied to the EU Settlement Scheme, you\u2019ll get a refund.\n\n## Get help\n\nContact the EU Settlement Resolution Centre online.\n\nYou can also get help over the phone.\n\nThe phone number is different if you\u2019re from a local council or another organisation helping others to apply.\n\n## If you\u2019re inside the UK\n\n## If you\u2019re outside the UK\n\n## If you\u2019re from an organisation helping others to apply\n\nYou can also\u00a0get support\u00a0if you need help doing things online.\n\n## If you\u2019re the family member of an EU, EEA or Swiss citizen\n\nYou can apply as the family member of an EU, EEA or Swiss citizen if they started living in the UK by 31 December 2020.\n\nYour EU, EEA or Swiss family member will usually need to apply as well. You can apply if you\u2019re the family member of an Irish citizen, even though they do not need to.\n\nIf you\u2019re from the EU, EEA or Switzerland, you can apply to the EU Settlement Scheme from outside the UK if you hold either a valid passport or identity card with a biometric chip.\n\nIf you\u2019re not from the EU, EEA or Switzerland, you can apply to the EU Settlement Scheme from outside the UK if you hold a relevant UK document, for example:\n\n- a residence card\n\n- a permanent residence card\n\n- a derivative residence card\n\nOtherwise, you will need to apply for an EU Settlement Scheme family permit to come to the UK. Once you\u2019re in the UK you can apply to the EU Settlement Scheme.\n\nYou cannot apply to the EU Settlement Scheme from inside the UK if you arrived here after 31 December 2020 and you\u2019re here:\n\n- on a Standard Visitor visa, Permitted Paid Engagement visa, Parent of a Child Student visa or Transit visa\n\n- without a visa, for example if you came through an e-passport gate\n\nYou also cannot apply if you\u2019re here on a Marriage Visitor visa, unless you\u2019re applying after you have married or entered into a civil partnership with the EU, EEA or Swiss person you\u2019re joining.\n\nIrish citizens can apply from within the UK regardless of how they entered.\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\n## Your family relationship\n\nYou can apply if you\u2019re in a relationship with an EU, EEA or Swiss citizen as their spouse, civil partner or unmarried partner. The relationship must have started by 31 December 2020 and must still exist.\n\nYou can also apply if you\u2019re related to an EU, EEA or Swiss citizen, their spouse, or their civil partner if you\u2019re their:\n\n- child, grandchild or great-grandchild under 21 years old\n\n- dependent child over the age of 21\n\nYou can also apply as a dependent parent, grandparent or great-grandparent if you have a relevant document to prove your relationship.\n\nYou can apply as another type of dependent relative if both of the following apply:\n\n- you were living in the UK by 31 December 2020\n\n- you have a relevant document to prove your relationship\n\nYou may also be able to apply if:\n\n- you\u2019re the family member of a British citizen and you lived outside the UK in an EU or EEA country (or Switzerland) together\n\n- you\u2019re the family member of a British citizen who also has EU, EEA or Swiss citizenship and who lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship\n\n- you used to have an EU, EEA or Swiss family member living in the UK\n\n- you\u2019re the family member of an eligible person of Northern Ireland\n\n## If you\u2019re the family member of an eligible person of Northern Ireland\n\nYou can apply if you\u2019re the family member of an eligible person of Northern Ireland, even though they do not need to.\n\nFollow the same process as family members of EU, EEA or Swiss citizens.\n\n## If your family member is a British citizen (\u2018Surinder Singh\u2019 applications)\n\nYou may be eligible if you lived outside the UK in an EU or EEA country (or Switzerland) with your family member.\n\nYou must have lived with them in an EU or EEA country (or Switzerland) before 1 January 2021, and be:\n\n- their spouse, civil partner or unmarried partner\n\n- under 21 years old, and are their child or grandchild\n\n- 21 years or older, and are their dependent child or grandchild\n\n- their dependent parent or grandparent\n\nYou can apply as another type of dependent relative if you were living in the UK by 31 December 2020.\n\nThe country that you lived in together must have been your main residence. Your British family member must also have been working, studying or self-sufficient in the country while there.\n\nYou cannot use the online service to apply if this is how you qualify for the scheme.\n\nContact the EU Settlement Resolution Centre online to find out how to apply.\n\n## If you used to have an EU, EEA or Swiss family member living in the UK\n\nYou may be able to apply if you used to have a family member who was living in the UK by 31 December 2020. This is called a \u2018retained right of residence\u2019.\n\nIf you\u2019re eligible because you have retained rights of residence, you can apply using the online service.\n\n## If you\u2019re in education in the UK\n\nYou can apply if you\u2019re in education, were resident in the UK by 31 December 2020 and one of the following is true:\n\n- you\u2019re the child of an EU, EEA or Swiss citizen who has left the UK or died\n\n- one of your parents is the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died\n\n- one of your parents was previously the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died\n\nIf you qualify through any of these circumstances, your parent is also eligible, providing they have custody of you.\n\n## If your family member has died\n\nYou can also apply if your family member has died, and you lived continuously in the UK as their family member for at least one year immediately before their death.\n\n## If you or a member of your family was previously married or in a civil partnership\n\nYou can apply if your marriage or civil partnership to an EU, EEA or Swiss citizen ended with a divorce, annulment or dissolution, and you lived in the UK when it ended.\n\nOne of the following must also apply:\n\n- the marriage or civil partnership lasted for at least 3 years and you\u2019d both been living in the UK for at least one year during that time\n\n- you have custody of the EU, EEA or Swiss citizen\u2019s child\n\n- you have been given right of access in the UK to the EU, EEA or Swiss citizen\u2019s child - the child must be under 18\n\n- you or another family member was the victim of domestic abuse in the marriage or civil partnership\n\nYou can also apply if a family member had an eligible marriage or civil partnership and you lived in the UK when it ended. You must be their:\n\n- child, grandchild or great-grandchild under 21 years old\n\n- dependent child over the age of 21\n\n- dependent parent, grandparent or great-grandparent\n\n- other dependent relative\n\n## If you are a victim of domestic abuse or violence\n\nYou can apply if your family relationship with an EU, EEA or Swiss citizen has broken down permanently because of domestic abuse or violence.\n\nYou can apply if you are or were their:\n\n- husband, wife or civil partner\n\n- long-term partner\n\n- child, grandchild or great-grandchild under 21 years old\n\n- dependent child over the age of 21\n\n- dependent parent, grandparent or great-grandparent\n\n- other dependent relative\n\n## If you\u2019re the \u2018primary carer\u2019 of a British, EU, EEA or Swiss citizen\n\nYou may be able to apply if you\u2019re the primary carer of a British,\u00a0EU,\u00a0EEA\u00a0or Swiss citizen who was living in the UK by 31 December 2020. Any dependent children you have may also be able to apply.\n\nTo be someone\u2019s primary carer, you must be both:\n\n- responsible for their day to day care, including making decisions about their education, health, and finances\n\n- a family member or their legal guardian\n\nYou can share these responsibilities with someone else.\n\nYou cannot use the online service to apply if this is how you qualify for the scheme.\n\nContact the EU Settlement Resolution Centre online to find out how to apply.\n\n## If you\u2019re the primary carer of an adult\n\nYou can apply if you\u2019re the primary carer of a dependent adult who is a British citizen and you were resident in the UK by 31 December 2020.\n\n## If you\u2019re the primary carer of a child\n\nYou can apply if you\u2019re the primary carer of a British child, or an EU, EEA or Swiss child who is financially independent and you were resident in the UK by 31 December 2020.\n\nYou can also apply if you\u2019re the primary carer of an EU, EEA or Swiss child who:\n\n- is in education in the UK\n\n- has an EU, EEA or Swiss parent who has worked in the UK when the child has lived in the UK\n\n- has an EU, EEA or Swiss parent who has lived in the UK when the child has been in education\n\n- has an EU, EEA or Swiss parent who has stopped working in the UK, or left the UK\n\n## What you\u2019ll need to apply\n\nYou\u2019ll need to provide proof of your relationship to your EU, EEA or Swiss citizen family member - for example, a birth, marriage or civil partnership certificate, or a residence card. You can usually scan and submit this through the online application form.\n\nIf you apply before your family member, you\u2019ll also need to provide evidence of their identity and residence.\n\nYou might be asked to provide a certified English translation of any document that is not in English.\n\nYou do not need to provide any evidence of your relationship if you have a valid \u2018UK permanent residence document\u2019.\n\nIf you\u2019re from outside the EU, EEA or Switzerland and you do not have a biometric residence card, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo, or only a photo for children under 5) when you apply.\n\n## When you need to provide more evidence\n\nIn some cases, you\u2019ll also need to provide the same documents as you would for a residence card application.\n\nCheck which documents you\u2019d provide for a residence card application if:\n\n- your family member is a British citizen and you lived together in an EU or EEA country (or Switzerland) before 1 January 2021 - known as a \u2018Surinder Singh\u2019 application\n\n- your family member is both a British citizen and an EU, EEA or Swiss citizen, and lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship\n\n- you used to have an EU, EEA or Swiss family member living in the UK - known as a \u2018retained rights of residence\u2019 application\n\n- you\u2019re the primary carer of a British, EU, EEA or Swiss citizen\n\n- you\u2019re the child of an EU, EEA or Swiss citizen who used to live and work in the UK, or their primary carer\n\n## When to apply\n\nThe deadline for most applications is 30 June 2021.\n\nIf you arrive in the UK on or after 1 April 2021, you must apply within 3 months of the date you arrive in the UK. If you apply after 30 June 2021, you\u2019ll need to provide evidence of when you arrived in the UK, for example the travel ticket you used for your journey to the UK.\n\nYou\u2019ll probably get a decision more quickly if you apply at the same time or after your family member applies.\n\nYour family member will be given an application number when they apply. You can use this to \u2018link\u2019 your application to theirs, so that your applications are considered together.\n\n## If your partner is a Swiss citizen\n\nYou can apply as the spouse or civil partner of a Swiss citizen in the UK until 31 December 2025 if both of the following apply:\n\n- your relationship with them began between 31 December 2020 and 31 December 2025\n\n- you\u2019re still in the relationship when you apply\n\n## If you\u2019re the family member of an EU, EEA or Swiss citizen who has died\n\nYou might be eligible for settled status before you\u2019ve been living in the UK for 5 years.\n\nYour family member must have been working or self-employed in the UK at the time of their death. They must have been resident in the UK by 31 December 2020.\n\nYou must also have been living with them just before their death and either:\n\n- they lived continuously in the UK, the Channel Islands, or the Isle of Man for at least 2 years immediately before their death\n\n- their death was the result of an accident at work or an occupational disease\n\n## If you\u2019re overseas and a family member of an EU, EEA or Swiss citizen living in the UK\n\nIf you\u2019re not living in the UK by 31 December 2020, you\u2019ll still be able to apply if all of the following are true:\n\n- your family member was living in the UK by 31 December 2020\n\n- your relationship began by 31 December 2020 (unless you are a child born or adopted after that date)\n\n- you remain a close family member when you apply, for example a spouse, civil partner, unmarried partner, a dependent child or grandchild, or a dependent parent or grandparent\n\n## If your family member is a British citizen (\u2018Surinder Singh\u2019 applications)\n\nThe deadline for you to return to the UK depends on your relationship with the family member.\n\nYou must return and apply by 29 March 2022 if you\u2019re:\n\n- their spouse, civil partner or unmarried partner and your relationship started before 1 February 2020\n\n- under 21 years old, and are their child or grandchild\n\n- 21 years or older, and are their dependent child or grandchild\n\n- their dependent parent or grandparent\n\nYou must return by 31 December 2020, and apply by 30 June 2021, if you\u2019re:\n\n- their spouse, civil partner or unmarried partner and your relationship started on or after 1 February 2020\n\n- another dependent relative\n\nIf you\u2019re a spouse or civil partner, your dependent child, grandchild, parent or grandparent can also apply. They must return and apply by the same date as you.\n\n## If you're the family member of an eligible person of Northern Ireland\n\nYou can apply if you have a family member who is an eligible person of Northern Ireland, whether you\u2019re an EU, EEA or Swiss citizen or not.\n\nFor you to be eligible, the person of Northern Ireland who is your family member must:\n\n- be a British, Irish or dual British and Irish citizen\n\n- have been born in Northern Ireland\n\n- at the time of their birth, have at least one parent who held British, Irish or dual citizenship (or was without any restriction on their period of residence)\n\n- be living in the UK by 31 December 2020\n\n## If you\u2019re an EU, EEA or Swiss citizen\n\nYou can choose whether you apply as either:\n\n- an EU, EEA or Swiss citizen - use the online service to apply\n\n- a family member of an eligible person from Northern Ireland - contact the EU Settlement Resolution Centre online\n\n## If you\u2019re not an EU, EEA or Swiss citizen\n\nYou can apply to the EU Settlement Scheme using the online service.\n\nIf you\u2019re outside the UK, you\u2019ll need to apply for an EU Settlement Scheme family permit to come to the UK. Once you\u2019re in the UK you can apply to the EU Settlement Scheme.\n\n## If you have permanent residence or indefinite leave to remain\n\nThe process of applying to the EU Settlement Scheme is different if you have a permanent residence document or indefinite leave to enter or remain.\n\n## If you have a valid \u2018UK permanent residence document\u2019\n\nIf you have a valid UK permanent residence document, you\u2019ll have one of the following:\n\n- a certificate inside your blue \u2018residence documentation\u2019 booklet (or pink if you\u2019re a Swiss national)\n\n- a certificate inside your passport\n\n- a biometric residence card confirming permanent residence (only if you\u2019re not an EU, EEA or Swiss citizen)\n\nYour document is not a permanent residence document if it has \u2018registration certificate\u2019 written on it.\n\nIf you\u2019re from the EU, EEA or Switzerland your permanent residence document will say \u2018Document Certifying Permanent Residence\u2019.\n\nIf you\u2019re not an EU, EEA or Swiss citizen, your biometric residence card will say \u2018Permanent Residence Status\u2019.\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\n## What you must do\n\nTo continue living in the UK after 30 June 2021 you must have either:\n\n- applied to the EU Settlement Scheme by 30 June 2021 - you will not have to prove you have 5 years\u2019 continuous residence\n\n- been granted citizenship by 30 June 2021\n\n## If you have indefinite leave to enter or remain\n\nIndefinite leave to enter or remain (ILR) are types of immigration status.\n\nYou\u2019ll usually have applied for indefinite leave to enter or remain. You\u2019ll have a stamp in your passport or a letter from the Home Office. You could also have a \u2018vignette\u2019 (sticker) or a biometric residence permit.\n\nYou can continue to live in the UK without applying to the EU Settlement Scheme if you have indefinite leave to enter or remain in the UK. However, if you choose to apply (and meet all the other conditions), you\u2019ll get \u2018indefinite leave to remain under the EU Settlement Scheme\u2019 - also known as settled status.\n\nThis means you should be able to spend up to 5 years in a row outside the UK without losing your settled status (instead of 2 years with the indefinite leave to enter or remain you have now).\n\nIf you\u2019re a Swiss citizen, you and your family members can spend up to 4 years in a row outside the UK without losing your settled status.\n\nYou will not have to prove you have 5 years\u2019 continuous residence.\n\n## If you moved to the UK before it joined the EU on 1 January 1973\n\nYou may have been given ILR automatically if you\u2019re an EU, EEA or Swiss citizen who lived in the UK before 1973. If you were, you will not need to apply to the EU Settlement Scheme to stay in the UK after June 2021.\n\nIf you do not have a document confirming your ILR status, you can either:\n\n- apply to the EU Settlement Scheme to get settled or pre-settled status\n\n- apply to the Windrush scheme to get proof of your ILR status\n\nIf you\u2019re from Malta or Cyprus, you could also apply for British citizenship through the Windrush scheme.\n\nApplications for either scheme are free of charge.\n\n## If you stop working or start work in an EU country\n\nYou and your family members can get settled status with less than 5 years\u2019 continuous residence in certain situations.\n\n## If you have to stop working\n\nIf you\u2019re an EU, EEA or Swiss citizen you may be able to get settled status if you have to stop working or being self-employed because of an accident or illness (known as \u2018permanent incapacity\u2019).\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein and Norway.\n\nYou may be able to get settled status if either:\n\n- you have lived continuously in the UK for the 2 years immediately beforehand\n\n- the permanent incapacity was the result of an accident at work or an occupational disease that entitles you to a pension from a UK institution\n\nYou can also get settled status if you\u2019re married to or in a civil partnership with a British citizen.\n\nIf you\u2019re the family member of an EU, EEA or Swiss citizen at the time they stopped working you may also be eligible for settled status.\n\n## If you reach State Pension age or retire early\n\nIf you\u2019re an EU, EEA or Swiss citizen you may be able to get settled status if you reach State Pension age or retire early.\n\nIf you\u2019re the family member of an EU, EEA or Swiss citizen at the time they reach State Pension age or retire early you may also be eligible for settled status.\n\n## If you reach State Pension age\n\nIf you\u2019re an EU, EEA or Swiss citizen, you can get settled status if you stopped working when you reached State Pension age and either:\n\n- you worked continuously or were self employed for 1 year beforehand and have lived continuously in the UK for 3 years\n\n- your spouse or civil partner is a British citizen\n\n## If you retire early\n\nIf you\u2019re an EU, EEA or Swiss citizen you can get settled status if you retire early and either:\n\n- you worked continuously (for someone other than yourself) for 1 year beforehand and have lived continuously in the UK for 3 years\n\n- your spouse or civil partner is a British citizen\n\n## If you start work or self-employment in an EU country\n\nIf you\u2019re an EU, EEA or Swiss citizen you can get settled status if you start work or self-employment in an EU country and you both:\n\n- have lived and worked or been self-employed in the UK continuously for 3 years beforehand\n\n- usually return to your UK home once a week\n\nIf you\u2019re the family member of an EU, EEA or Swiss citizen at the time they start work or self-employment in an EU country you may also be eligible for settled status.\n\n## After you've applied\n\nIf your application is successful, a letter will be emailed to you confirming your settled or pre-settled status.\n\nFind out what rights you get for each status.\n\nYou cannot use the letter itself to prove your status.\n\n## Viewing and proving your status\n\nYou can view your status or prove it to someone else online. You will not usually get a physical document.\n\n## If you\u2019re from outside the EU, EEA or Switzerland\n\nYou will get a physical document if you do not already have a biometric residence card.\n\nThe document you get under the EU Settlement Scheme proves your rights in the UK only.\n\nTo travel to the EU, EEA or Switzerland with your EU, EEA or Swiss family member, you\u2019ll need to apply for a visa for the country you want to visit. This will be free.\n\nYou can still prove your rights in the UK until 30 June 2021 with your passport or national identity card (if you\u2019re an EU, EEA or Swiss citizen), or with your biometric residence document.\n\nIf you already have a biometric residence card, you do not need to apply for a new one once you have settled or pre-settled status.\n\n## Updating your details\n\nYou must keep your details up to date, for example if you get a new passport.\n\n## Applying for citizenship\n\nYou\u2019ll usually be able to apply for citizenship 12 months after you\u2019ve got settled status.\n\n## If the Home Office finds a mistake in your application\n\nThe Home Office will contact you before making a decision on your application, so you can correct the error.\n\nThey\u2019ll also tell you if you need to provide more evidence before they can make a decision.\n\n## If your application is unsuccessful\n\nYou can apply again at any time until 30 June 2021 if you think the decision should have been different, for example you got pre-settled status but expected to get settled status.\n\nThere\u2019s no charge for this.\n\nYou can submit new information or evidence if you want to.\n\n## Apply for an administrative review\n\nYou may be able to apply for an administrative review of your application if you think there\u2019s been a mistake. It costs \u00a380 and you\u2019ll usually get the result within 28 days.\n\nYou\u2019ll get your money back if the original decision is changed because of an error.\n\nYou can submit new evidence as part of an administrative review but you will not get your money back if the decision is changed because of the new evidence.\n\n## Appeal the decision\n\nYou can also make an appeal to an independent tribunal. You can only appeal applications made after 11pm on 31 January 2020.\n\n## If you already have an outstanding immigration application\n\nIn most cases, your outstanding immigration application will not be considered if you apply for the EU Settlement Scheme. You\u2019ll get a refund for your outstanding application.\n\nContact UK Visas and Immigration (UKVI) to find out how your outstanding immigration application will be affected.\n\nMore detailed guidance is available.\n\n## Switch from pre-settled status to settled status\n\nIf you have pre-settled status, you can stay in the UK for a further 5 years from the date you got your status.\n\nYou must apply to the EU Settlement Scheme again before your pre-settled status expires to stay in the UK.\n\n## When to apply\n\nYou can apply to switch to settled status as soon as you\u2019re eligible. This is usually after you\u2019ve lived in the UK, the Channel Islands or the Isle of Man for 5 years in a row (known as \u2018continuous residence\u2019).\n\nThe 5 years is counted from the day you first arrived in the UK. You do not need to have held pre-settled status for 5 years to apply.\n\nYou may not be eligible for settled status if during the 5 years you spent more than 6 months outside the UK in a 12 month period.\n\nFind out more about continuous residence and if you\u2019re eligible for settled status.\n\n## If you\u2019re not eligible for settled status\n\nIf you\u2019re not eligible for settled status because you spent more than 6 months outside the UK in a 12 month period, you may be able to get pre-settled status again.\n\nBoth of the following must apply:\n\n- the time you spent outside the UK was before 31 December 2020\n\n- you were back in the UK on or before 31 December 2020\n\nYou usually need to apply before 30 June 2021. There are different rules if you\u2019re applying as the close family member of an EU, EEA or Swiss citizen.\n\nIf you cannot get pre-settled status again and your current status is about to expire, apply for a visa to stay in the UK.\n\n## What you\u2019ll need\n\nYou can use the same proof you used to apply to the EU Settlement Scheme the first time.\n\nCheck what you\u2019ll need to prove your identity and residence status.\n\nIf your pre-settled status was based on your relationship to a family member from the EU, EEA or Switzerland, you\u2019ll also need proof of your relationship to your EU, EEA or Swiss family member.\n\n## Apply to switch your status\n\nIt is free to apply.\n\nStart now\n\n## After you\u2019ve applied\n\nIf your application is successful, a letter will be emailed to you confirming your status.\n\n## If you\u2019re given settled status\n\nYou can stay in the UK as long as you like. You\u2019ll usually be able to apply for citizenship 12 months after you\u2019ve got settled status.\n\n## If you\u2019re given pre-settled status again\n\nYou can stay in the UK for a further 5 years from the date on your Home Office decision letter.\n\nYou can apply for settled status after you\u2019ve lived in the UK, the Channel Islands or the Isle of Man for 5 years in a row (known as \u2018continuous residence\u2019).\n\nFind out what to do if you think the decision should have been different.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen, you and your family can apply to the EU Settlement Scheme to continue living in the UK after 30 June 2021. You can also apply if you\u2019re the family member of an eligible person of Northern Ireland.

    ", + "

    If your application is successful, you\u2019ll get either settled or pre-settled status.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    You may be able to stay in the UK without applying - for example, if you\u2019re an Irish citizen or already have indefinite leave to remain.

    ", + "

    Sign up for email updates about the scheme.

    ", + "

    When you can apply

    ", + "

    The EU Settlement Scheme is open. You can apply now if you meet the criteria.

    ", + "

    The deadline for applying is 30 June 2021. You must usually have started living in the UK by 31 December 2020.

    ", + "

    The deadlines are different in some situations, for example if:

    ", + "
  • you\u2019re applying to join a close family member
  • ", + "
  • the family member of a British citizen (\u2018Surinder Singh\u2019 applications)
  • ", + "
  • you stop being exempt from immigration control
  • ", + "

    Which status you get may depend on when you apply.

    ", + "

    Fees

    ", + "

    It\u2019s free to apply to the scheme.

    ", + "

    Who should apply

    ", + "

    Except in a few cases, you need to apply if:

    ", + "
  • you\u2019re an EU, EEA or Swiss citizen
  • ", + "
  • you\u2019re not an EU, EEA or Swiss citizen, but your family member is (or is an eligible person of Northern Ireland)
  • ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    This means you need to apply even if you:

    ", + "
  • were born in the UK but are not a British citizen - you can check if you\u2019re a British citizen if you\u2019re not sure
  • ", + "
  • have a UK \u2018permanent residence document\u2019
  • ", + "
  • are a family member of an EU, EEA or Swiss citizen who does not need to apply - including if they\u2019re from Ireland
  • ", + "
  • are an EU, EEA or Swiss citizen with a British citizen family member
  • ", + "

    If you have children, you need to apply for them separately.

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen and you have a family member who is an eligible person of Northern Ireland, you may be able to choose which way you apply.

    ", + "

    Who else can apply

    ", + "

    You can apply to join your EU, EEA or Swiss family member if they started living in the UK by 31 December 2020. You can either:

    ", + "
  • apply from outside the UK, if you have a certain type of passport, identity card or residence document
  • ", + "
  • come to the UK on an EU Settlement Scheme family permit and apply to the settlement scheme once you\u2019re here
  • ", + "

    You cannot apply to the EU settlement scheme from inside the UK if you arrived after 31 December 2020 and you\u2019re here:

    ", + "
  • on a Standard Visitor visa, Permitted Paid Engagement visa, Parent of a Child Student visa or Transit visa
  • ", + "
  • without a visa, for example if you came through an e-passport gate
  • ", + "

    You also cannot apply if you\u2019re here on a Marriage Visitor visa, unless you\u2019re applying after you have married or entered into a civil partnership with the EU, EEA or Swiss person you\u2019re joining.

    ", + "

    Irish citizens do not need to apply to the settlement scheme. If they choose to, they can apply from within the UK regardless of how they entered.

    ", + "

    If you\u2019re not an EU, EEA or Swiss citizen

    ", + "

    You also may be able to apply if:

    ", + "
  • you used to have an EU, EEA or Swiss family member living in the UK (but you\u2019ve separated, they\u2019ve died or the family relationship has broken down)
  • ", + "
  • you\u2019re the family member of a British citizen and you lived outside the UK in an EEA country together
  • ", + "
  • you\u2019re the family member of a British citizen who also has EU, EEA or Swiss citizenship and who lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship
  • ", + "
  • you have a family member who is an eligible person of Northern Ireland
  • ", + "
  • you\u2019re the primary carer of a British, EU, EEA or Swiss citizen
  • ", + "
  • you\u2019re the child of an EU, EEA or Swiss citizen who used to live and work in the UK, or the child\u2019s primary carer
  • ", + "
  • you\u2019re the family member of a \u2018frontier worker\u2019
  • ", + "

    Who does not need to apply

    ", + "

    You do not need to apply if you have:

    ", + "
  • indefinite leave to enter the UK
  • ", + "
  • indefinite leave to remain in the UK
  • ", + "
  • Irish citizenship (including British and Irish \u2018dual citizenship\u2019)
  • ", + "

    You cannot apply if you have British citizenship.

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen and you moved to the UK before it joined the EU

    ", + "

    You only need to apply if you do not have indefinite leave to remain. \nIf you do have indefinite leave to remain, you\u2019ll usually have a stamp in your passport or a letter from the Home Office saying this.

    ", + "

    If you work in the UK but do not live here (\u2018frontier worker\u2019)

    ", + "

    You do not need to apply to the EU Settlement Scheme if you\u2019re a \u2018frontier worker\u2019 or have a Frontier Worker permit.

    ", + "

    If you\u2019re exempt from immigration control

    ", + "

    You do not need to do anything to continue living in the UK while you\u2019re exempt from immigration control.

    ", + "

    You\u2019ll have been told if you\u2019re exempt from immigration control, for example because you\u2019re:

    ", + "
  • a foreign diplomat posted in the UK
  • ", + "
  • a member of NATO
  • ", + "

    You can apply to the EU Settlement Scheme at any time, as long as you started living in the UK by 31 December 2020. Your privileges and immunities may change if you get settled status.

    ", + "

    If you stop being exempt, you need to apply to the EU Settlement Scheme within 90 days of when you stop being exempt.

    ", + "

    If you apply after 30 June 2021, you\u2019ll need to prove that you\u2019re exempt from immigration control as part of your application.

    ", + "

    Your family members may be eligible to apply to the EU Settlement Scheme whether they are exempt from immigration control or not. They can apply at any time, even if you have not yet applied.

    ", + "

    What you\u2019ll get

    ", + "

    The rights and status of EU, EEA and Swiss citizens living in the UK by 31 December 2020 will remain the same until 30 June 2021.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    If you apply to the EU Settlement Scheme successfully, you\u2019ll be able to continue living and working in the UK after 30 June 2021.

    ", + "

    You\u2019ll be given either:

    ", + "
  • settled status
  • ", + "
  • pre-settled status
  • ", + "

    You will not be asked to choose which you\u2019re applying for. Which status you get depends on how long you\u2019ve been living in the UK when you apply. Your rights will be different depending on which status you get and when you started living in the UK.

    ", + "

    Settled status

    ", + "

    You\u2019ll usually get settled status if you\u2019ve lived in the UK for a continuous 5-year period (known as \u2018continuous residence\u2019)

    ", + "

    Five years\u2019 continuous residence means that for 5 years in a row you\u2019ve been in the UK, the Channel Islands or the Isle of Man for at least 6 months in any 12 month period. The exceptions are:

    ", + "
  • one period of up to 12 months for an important reason (for example, childbirth, serious illness, study, vocational training or an overseas work posting)
  • ", + "
  • compulsory military service of any length
  • ", + "
  • time you spent abroad as a Crown servant, or as the family member of a Crown servant
  • ", + "
  • time you spent abroad in the armed forces, or as the family member of someone in the armed forces
  • ", + "

    You may be considered to be resident in the UK on 31 December 2020 and may be eligible for settled status if you both:

    ", + "
  • lived in the UK for a continuous 5-year period in the past
  • ", + "
  • have not left the UK for more than 5 years in a row since then
  • ", + "

    You can stay in the UK as long as you like if you get settled status. You\u2019ll also be able to apply for British citizenship if you\u2019re eligible.

    ", + "

    Pre-settled status

    ", + "

    If you have not lived in the UK for 5 years in a row (known as \u2018continuous residence\u2019), you\u2019ll usually get pre-settled status. You must have started living in the UK by 31 December 2020 unless you are applying as the existing close family member of an EU, EEA or Swiss citizen who started living here by then. You can stay in the UK for a further 5 years from the date you get pre-settled status.

    ", + "

    You can apply to switch to settled status as soon as you\u2019ve had 5 years\u2019 continuous residence. The 5 years is counted from the day you first arrived in the UK. You do not need to have held pre-settled status for 5 years to apply.

    ", + "

    You must apply for settled status before your pre-settled status expires to stay in the UK.

    ", + "

    If you\u2019ll reach 5 years\u2019 continuous residence by 30 June 2021, you can choose to wait until you have 5 years\u2019 residence to apply. This means that you\u2019ll get settled status without having to apply for pre-settled status first if your application is successful.

    ", + "

    If you will not reach 5 years\u2019 continuous residence by 30 June 2021, you cannot wait until after this date to apply. You must apply for pre-settled status by 30 June 2021. You can then switch to settled status once you have 5 years\u2019 continuous residence.

    ", + "

    If you\u2019ve left the UK

    ", + "

    You may be able to get pre-settled status if you were living in the UK by 31 December 2020\nbut you were not here on that date. You must not have left the UK, the Channel Islands or the Isle of Man for more than 6 months in any 12 month period.

    ", + "

    You may also be eligible if you were living in the UK by 31 December 2020, but you left the UK, the Channel Islands or the Isle of Man for one period of no more than 12 months for an important reason (for example childbirth, serious illness, study, vocational training or an overseas work posting). Your previous residence in the UK will count towards your eligibility for pre-settled status.

    ", + "

    Showing your continuous residence when you apply

    ", + "

    You\u2019ll need to show that you were living in the UK by 31 December 2020, unless you\u2019re joining your family member who is an EU, EEA or Swiss citizen and they were living here by then.

    ", + "

    If your evidence is older than 6 months, you\u2019ll usually also need evidence to show you were here in the last 6 months. This is to show your continuous residence.

    ", + "

    If you\u2019ve been outside the UK for one period of no more than 12 months, you can use evidence from before you left to show your continuous residence. You must have been outside of the UK for an important reason, for example, due to childbirth, serious illness, study, vocational training or an overseas work posting.

    ", + "

    Check what evidence you can use to show when you started living in the UK, and that you\u2019ve continued to live here.

    ", + "

    Your rights with settled or pre-settled status

    ", + "

    You\u2019ll be able to:

    ", + "
  • work in the UK
  • ", + "
  • use the NHS for free, if you can at the moment
  • ", + "
  • enrol in education or study in the UK
  • ", + "
  • access public funds such as benefits and pensions, if you\u2019re eligible for them
  • ", + "
  • travel in and out of the UK
  • ", + "

    You\u2019ll have different rights if you get settled or pre-settled status because you\u2019ve applied to join your EU, EEA or Swiss family member and you arrived in the UK after 31 December 2020. For example, you will not be able to bring your own family members under the EU Settlement Scheme.

    ", + "

    If you want to spend time outside the UK

    ", + "

    If you have settled status, you can spend up to 5 years in a row outside the UK without losing your status.

    ", + "

    If you\u2019re a Swiss citizen, you and your family members can spend up to 4 years in a row outside the UK without losing your settled status.

    ", + "

    If you have pre-settled status, you can spend up to 2 years in a row outside the UK without losing your status. You will need to maintain your continuous residence if you want to qualify for settled status.

    ", + "

    If you have children after applying

    ", + "

    If you get settled status, any children born in the UK while you\u2019re living here will automatically be British citizens.

    ", + "

    If you get pre-settled status, any children born in the UK will be automatically eligible for pre-settled status. They will only be a British citizen if they qualify for it through their other parent.

    ", + "

    If you want to bring family members to the UK

    ", + "

    If you\u2019re a citizen of the EU, EEA or Switzerland, your close family members can join you if all of the following apply:

    ", + "
  • you were resident in the UK by 31 December 2020
  • ", + "
  • your relationship with them started on or before 31 December 2020 (unless they\u2019re a child born or adopted after that date)
  • ", + "
  • the relationship still exists when they apply to join you
  • ", + "

    If your family member is from the EU, EEA or Switzerland, they can apply to the EU Settlement Scheme from outside the UK if they hold either a valid passport or identity card with a biometric chip.

    ", + "

    If your family member is not from the EU, EEA or Switzerland, they can apply to the EU Settlement Scheme from outside the UK. They must hold a relevant UK document, for example:

    ", + "
  • a residence card
  • ", + "
  • a permanent residence card
  • ", + "
  • a derivative residence card
  • ", + "

    Otherwise, they will need to apply for an EU Settlement Scheme family permit to come to the UK. Once they\u2019re in the UK they can apply to the EU Settlement Scheme.

    ", + "

    They cannot apply to the EU Settlement Scheme from inside the UK if they arrived after 31 December 2020 and they\u2019re here:

    ", + "
  • on a Standard Visitor visa, Permitted Paid Engagement visa, Parent of a Child Student visa or Transit visa
  • ", + "
  • without a visa, for example if they came through an e-passport gate
  • ", + "

    They also cannot apply if they\u2019re here on a Marriage Visitor visa, unless they\u2019re applying after you\u2019ve married or entered into a civil partnership with them.

    ", + "

    Irish citizens can apply from inside the UK regardless of how they entered.

    ", + "

    If you cannot bring your family member under the EU Settlement Scheme, they may still be able to come here in a different way, for example on a family visa.

    ", + "

    Family members of Swiss citizens

    ", + "

    If you\u2019re a Swiss citizen, you can also bring your spouse or civil partner to the UK until 31 December 2025 if both of the following apply:

    ", + "
  • your relationship with them began between 31 December 2020 and 31 December 2025
  • ", + "
  • you are still in the relationship when they apply to join you
  • ", + "

    What you'll need to apply

    ", + "

    If you\u2019re an EU, EEA, or Swiss citizen and you started living in the UK by 31 December 2020, you\u2019ll need proof of:

    ", + "
  • your identity
  • ", + "
  • your residence in the UK, unless you have a valid permanent residence document, or valid indefinite leave to remain in or enter the UK
  • ", + "

    You\u2019ll need to provide this proof again when you apply to change your pre-settled status for settled status.

    ", + "

    Proof of identity

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen, you need a valid passport or valid national identity card. You also need to provide a digital photo of your face.

    ", + "

    If you\u2019re not an EU, EEA or Swiss citizen, you need to provide one of the following:

    ", + "
  • a valid passport
  • ", + "
  • a valid biometric residence permit
  • ", + "
  • a valid biometric residence card
  • ", + "

    You also need to provide a digital photo of your face. If you do not already have a valid biometric residence card, you will also need to provide your fingerprints (this is not needed for children under 5).

    ", + "

    If you do not have any of these you may be able to use other evidence in certain situations. Contact the EU Settlement Resolution Centre if you do not have any of the listed documents.

    ", + "

    If you\u2019re applying for your child, you\u2019ll need to prove their identity. You might also need to prove their residence in the UK.

    ", + "

    When you apply, you can either:

    ", + "
  • scan your document and upload your photo using the \u2018EU Exit: ID Document Check\u2019 app using an Android phone, or an iPhone 7 or above
  • ", + "
  • send your document in the post and upload your photo using the online application (you can take this yourself)
  • ", + "

    Scan your document

    ", + "

    You can use the \u2018EU Exit: ID Document Check\u2019 app on:

    ", + "
  • an Android phone
  • ", + "
  • an iPhone 7 or above
  • ", + "

    To scan your documents using a phone, you\u2019ll need one of the following:

    ", + "
  • a valid EU, EEA or Swiss passport or ID card, if it\u2019s biometric
  • ", + "
  • a UK-issued biometric residence card
  • ", + "

    You can use someone else\u2019s phone to prove your identity.

    ", + "

    Send your document by post

    ", + "

    You must send your document by post if you have a:

    ", + "
  • non-EU or non-EEA passport
  • ", + "
  • biometric residence permit
  • ", + "
  • non-biometric ID card
  • ", + "

    You can send other types of document in the post if you cannot use the \u2018ID Document Check\u2019 app.

    ", + "

    Proof of continuous residence

    ", + "

    To be eligible for settled status, you usually need to have lived in the UK, the Channel Islands or the Isle of Man for at least 6 months in any 12 month period for 5 years in a row. You need to provide proof of this when you apply.

    ", + "

    If you\u2019ve not lived here for 5 years in a row you may still be eligible for pre-settled status.

    ", + "

    If you arrived in the UK by 31 December 2020, you can give your National Insurance number to allow an automated check of your residence based on tax and certain benefit records.

    ", + "

    If this check is successful, you\u2019ll not need to provide any documents as proof of residence. If you\u2019ve been here for 5 years in a row but there is not enough data to confirm this, you\u2019ll need to provide documents.

    ", + "

    The Home Office will tell you immediately after you apply if you need to provide any documents. You should submit photos or scans of your documents through the online application form, rather than sending them by post.

    ", + "

    Read what documents you can provide to the Home Office if you\u2019re asked to provide more evidence.

    ", + "

    If you have criminal convictions

    ", + "

    If you\u2019re 18 or over, the Home Office will check you have not committed serious or repeated crimes, and that you do not pose a security threat.

    ", + "

    You\u2019ll be asked to declare convictions that appear in your criminal record in the UK or overseas.

    ", + "

    You do not need to declare any of the following:

    ", + "
  • convictions that do not need to be disclosed (\u2018spent convictions\u2019)
  • ", + "
  • warnings (\u2018cautions\u2019)
  • ", + "
  • alternatives to prosecution, for example speeding fines
  • ", + "

    You\u2019ll also be checked against the UK\u2019s crime databases.

    ", + "

    You\u2019ll still be eligible for settled or pre-settled status if you\u2019ve only been convicted of a minor crime.

    ", + "

    You may still get settled or pre-settled status even if you have other convictions. This will be decided on a case-by-case basis.

    ", + "

    If you\u2019ve been to prison, you usually need 5 years\u2019 continuous residence from the day you were released to be considered for settled status.

    ", + "

    If you\u2019re applying to join your EU, EEA or Swiss family member

    ", + "

    You\u2019ll need to provide proof of your relationship to your family member from the EU, EEA or Switzerland.

    ", + "

    If your family member in the UK does not already have settled or pre-settled status, you will also need to provide proof:

    ", + "
  • of their identity
  • ", + "
  • of their nationality
  • ", + "
  • that they lived in the UK by 31 December 2020, and have continued living here since
  • ", + "

    Read what documents you can provide to show when they started living here and have continued living here since.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    Applying for your children

    ", + "

    Each child must have their own application. You can apply for your child or they can apply for themselves.

    ", + "

    Your child is eligible for settled or pre-settled status if they\u2019re under 21 and either they\u2019re:

    ", + "
  • an EU, EEA or Swiss citizen
  • ", + "
  • not an EU, EEA or Swiss citizen, but you are - or your spouse or civil partner is
  • ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    If your child was born in the UK but is not a British citizen, they will still need to apply. You can check if they\u2019re a British citizen if you\u2019re not sure.

    ", + "

    If you have applied to the EU Settlement Scheme

    ", + "

    When you apply for your child you can \u2018link\u2019 their application to yours. This means that if your own application is successful, your child will get the same status as you.

    ", + "

    To do this, select the option to apply \u2018using your parent\u2019s residence\u2019, then enter your application number.

    ", + "

    You will need to do this for each child you apply for.

    ", + "

    You can use your own email address in the application if your child does not have one.

    ", + "

    You can apply for your child any time after you\u2019ve made your own application - you do not need to wait for a decision.

    ", + "

    What proof you need

    ", + "

    You\u2019ll need proof of:

    ", + "
  • your relationship to your child when you make their application
  • ", + "
  • your child\u2019s identity
  • ", + "
  • when your child started living in the UK, if they started living here by 31 December 2020
  • ", + "
  • your child\u2019s continuous residence in the UK
  • ", + "

    If the evidence of when your child started living here is more than 6 months old, you\u2019ll also have to show they were here in the last 6 months.

    ", + "

    Check what evidence you can use to show when your child started living in the UK, and that they\u2019ve continued to live here.

    ", + "

    If you have not applied to the EU Settlement Scheme

    ", + "

    If you\u2019re eligible for the scheme, make your own application first so that you can link your child\u2019s application to yours.

    ", + "

    If you\u2019re not eligible for the scheme but your child is, you can still apply for them. For example, if they live in the UK and you do not.

    ", + "

    You\u2019ll need to provide proof:

    ", + "
  • of your child\u2019s identity
  • ", + "
  • of your child\u2019s UK residence
  • ", + "
  • that your child has 5 years\u2019 continuous residence in the UK
  • ", + "

    If your child does not have 5 years\u2019 continuous residence

    ", + "

    If your child does not have 5 years\u2019 continuous residence when they apply, they\u2019ll usually get pre-settled status.

    ", + "

    They can stay in the UK for a further 5 years from the date they get pre-settled status.

    ", + "

    You can apply to change this to settled status once they have reached 5 years\u2019 continuous residence. You must do this before their pre-settled status expires - this will be 5 years after the date they got pre-settled status.

    ", + "

    If they\u2019ll reach 5 years\u2019 continuous residence by 30 June 2021, you can choose to wait until they reach 5 years\u2019 continuous residence before applying. If their application is successful, they\u2019ll get settled status without getting pre-settled status first.

    ", + "

    If your child is born or adopted after 31 December 2020

    ", + "

    Your children are eligible to apply to the EU Settlement Scheme if you started living in the UK by 31 December 2020, even if you\u2019ve not yet applied yourself.

    ", + "

    If your child is born or adopted in the UK before 1 April 2021, you must make an application for them by 30 June 2021.

    ", + "

    If your child is born or adopted in the UK on or after 1 April 2021, you must apply within 3 months of the date they were born or adopted. You\u2019ll need to give evidence of their date of birth or the date you adopted them, such as a birth certificate or adoption order.

    ", + "

    If you\u2019re an Irish citizen

    ", + "

    You do not need to apply for settled or pre-settled status if you\u2019re an Irish citizen.

    ", + "

    However, if you\u2019re an Irish citizen and your child is not a British citizen, they\u2019ll be eligible for either:

    ", + "
  • the same status that you could get, based on how long you\u2019ve lived in the UK
  • ", + "
  • settled or pre-settled status, based on their own residence
  • ", + "

    This also applies if you\u2019re from Northern Ireland and have Irish, British or dual British and Irish citizenship, and your child does not have Irish, British or dual citizenship.

    ", + "

    How to apply

    ", + "

    Apply online for the EU Settlement Scheme.

    ", + "

    Apply to the EU Settlement Scheme

    ", + "

    You can apply using any device, for example, a laptop, Android device or iPhone.

    ", + "

    Check what you\u2019ll need before you apply.

    ", + "

    Apply

    ", + "

    You can apply now if you\u2019re eligible. The deadline for applying is usually 30 June 2021.

    ", + "

    You can also choose to apply later depending on your circumstances.

    ", + "

    If you get pre-settled status, you\u2019ll need to apply again when you\u2019re changing your pre-settled status for settled status.

    ", + "

    If you\u2019re applying for yourself and your children, make your own application first.

    ", + "

    Start now

    ", + "

    The Home Office will use the personal information you provide to decide whether to grant your application. Find out how the Home Office will process your personal information.

    ", + "

    Continue your application

    ", + "

    If you\u2019ve already started to apply, you can continue your application.

    ", + "

    Who cannot use this service

    ", + "

    You cannot use the online service to apply to the scheme if you\u2019re applying as:

    ", + "
  • the family member of a British citizen you lived with in Switzerland or an EU or EEA country
  • ", + "
  • the family member of a British citizen who also has EU, EEA or Swiss citizenship and who lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship
  • ", + "
  • the primary carer of a British, EU, EEA or Swiss citizen
  • ", + "
  • the child of an EU, EEA or Swiss citizen who used to live and work in the UK, and you\u2019re in education - or you\u2019re the child\u2019s primary carer
  • ", + "

    Contact the EU Settlement Resolution Centre online to find out how to apply.

    ", + "

    Fees

    ", + "

    It\u2019s free to apply to the scheme.

    ", + "

    If you paid a fee when you applied to the EU Settlement Scheme, you\u2019ll get a refund.

    ", + "

    Get help

    ", + "

    Contact the EU Settlement Resolution Centre online.

    ", + "

    You can also get help over the phone.

    ", + "

    The phone number is different if you\u2019re from a local council or another organisation helping others to apply.

    ", + "

    If you\u2019re inside the UK

    ", + "

    If you\u2019re outside the UK

    ", + "

    If you\u2019re from an organisation helping others to apply

    ", + "

    You can also\u00a0get support\u00a0if you need help doing things online.

    ", + "

    If you\u2019re the family member of an EU, EEA or Swiss citizen

    ", + "

    You can apply as the family member of an EU, EEA or Swiss citizen if they started living in the UK by 31 December 2020.

    ", + "

    Your EU, EEA or Swiss family member will usually need to apply as well. You can apply if you\u2019re the family member of an Irish citizen, even though they do not need to.

    ", + "

    If you\u2019re from the EU, EEA or Switzerland, you can apply to the EU Settlement Scheme from outside the UK if you hold either a valid passport or identity card with a biometric chip.

    ", + "

    If you\u2019re not from the EU, EEA or Switzerland, you can apply to the EU Settlement Scheme from outside the UK if you hold a relevant UK document, for example:

    ", + "
  • a residence card
  • ", + "
  • a permanent residence card
  • ", + "
  • a derivative residence card
  • ", + "

    Otherwise, you will need to apply for an EU Settlement Scheme family permit to come to the UK. Once you\u2019re in the UK you can apply to the EU Settlement Scheme.

    ", + "

    You cannot apply to the EU Settlement Scheme from inside the UK if you arrived here after 31 December 2020 and you\u2019re here:

    ", + "
  • on a Standard Visitor visa, Permitted Paid Engagement visa, Parent of a Child Student visa or Transit visa
  • ", + "
  • without a visa, for example if you came through an e-passport gate
  • ", + "

    You also cannot apply if you\u2019re here on a Marriage Visitor visa, unless you\u2019re applying after you have married or entered into a civil partnership with the EU, EEA or Swiss person you\u2019re joining.

    ", + "

    Irish citizens can apply from within the UK regardless of how they entered.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    Your family relationship

    ", + "

    You can apply if you\u2019re in a relationship with an EU, EEA or Swiss citizen as their spouse, civil partner or unmarried partner. The relationship must have started by 31 December 2020 and must still exist.

    ", + "

    You can also apply if you\u2019re related to an EU, EEA or Swiss citizen, their spouse, or their civil partner if you\u2019re their:

    ", + "
  • child, grandchild or great-grandchild under 21 years old
  • ", + "
  • dependent child over the age of 21
  • ", + "

    You can also apply as a dependent parent, grandparent or great-grandparent if you have a relevant document to prove your relationship.

    ", + "

    You can apply as another type of dependent relative if both of the following apply:

    ", + "
  • you were living in the UK by 31 December 2020
  • ", + "
  • you have a relevant document to prove your relationship
  • ", + "

    You may also be able to apply if:

    ", + "
  • you\u2019re the family member of a British citizen and you lived outside the UK in an EU or EEA country (or Switzerland) together
  • ", + "
  • you\u2019re the family member of a British citizen who also has EU, EEA or Swiss citizenship and who lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship
  • ", + "
  • you used to have an EU, EEA or Swiss family member living in the UK
  • ", + "
  • you\u2019re the family member of an eligible person of Northern Ireland
  • ", + "

    If you\u2019re the family member of an eligible person of Northern Ireland

    ", + "

    You can apply if you\u2019re the family member of an eligible person of Northern Ireland, even though they do not need to.

    ", + "

    Follow the same process as family members of EU, EEA or Swiss citizens.

    ", + "

    If your family member is a British citizen (\u2018Surinder Singh\u2019 applications)

    ", + "

    You may be eligible if you lived outside the UK in an EU or EEA country (or Switzerland) with your family member.

    ", + "

    You must have lived with them in an EU or EEA country (or Switzerland) before 1 January 2021, and be:

    ", + "
  • their spouse, civil partner or unmarried partner
  • ", + "
  • under 21 years old, and are their child or grandchild
  • ", + "
  • 21 years or older, and are their dependent child or grandchild
  • ", + "
  • their dependent parent or grandparent
  • ", + "

    You can apply as another type of dependent relative if you were living in the UK by 31 December 2020.

    ", + "

    The country that you lived in together must have been your main residence. Your British family member must also have been working, studying or self-sufficient in the country while there.

    ", + "

    You cannot use the online service to apply if this is how you qualify for the scheme.

    ", + "

    Contact the EU Settlement Resolution Centre online to find out how to apply.

    ", + "

    If you used to have an EU, EEA or Swiss family member living in the UK

    ", + "

    You may be able to apply if you used to have a family member who was living in the UK by 31 December 2020. This is called a \u2018retained right of residence\u2019.

    ", + "

    If you\u2019re eligible because you have retained rights of residence, you can apply using the online service.

    ", + "

    If you\u2019re in education in the UK

    ", + "

    You can apply if you\u2019re in education, were resident in the UK by 31 December 2020 and one of the following is true:

    ", + "
  • you\u2019re the child of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "
  • one of your parents is the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "
  • one of your parents was previously the spouse or civil partner of an EU, EEA or Swiss citizen who has left the UK or died
  • ", + "

    If you qualify through any of these circumstances, your parent is also eligible, providing they have custody of you.

    ", + "

    If your family member has died

    ", + "

    You can also apply if your family member has died, and you lived continuously in the UK as their family member for at least one year immediately before their death.

    ", + "

    If you or a member of your family was previously married or in a civil partnership

    ", + "

    You can apply if your marriage or civil partnership to an EU, EEA or Swiss citizen ended with a divorce, annulment or dissolution, and you lived in the UK when it ended.

    ", + "

    One of the following must also apply:

    ", + "
  • the marriage or civil partnership lasted for at least 3 years and you\u2019d both been living in the UK for at least one year during that time
  • ", + "
  • you have custody of the EU, EEA or Swiss citizen\u2019s child
  • ", + "
  • you have been given right of access in the UK to the EU, EEA or Swiss citizen\u2019s child - the child must be under 18
  • ", + "
  • you or another family member was the victim of domestic abuse in the marriage or civil partnership
  • ", + "

    You can also apply if a family member had an eligible marriage or civil partnership and you lived in the UK when it ended. You must be their:

    ", + "
  • child, grandchild or great-grandchild under 21 years old
  • ", + "
  • dependent child over the age of 21
  • ", + "
  • dependent parent, grandparent or great-grandparent
  • ", + "
  • other dependent relative
  • ", + "

    If you are a victim of domestic abuse or violence

    ", + "

    You can apply if your family relationship with an EU, EEA or Swiss citizen has broken down permanently because of domestic abuse or violence.

    ", + "

    You can apply if you are or were their:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • long-term partner
  • ", + "
  • child, grandchild or great-grandchild under 21 years old
  • ", + "
  • dependent child over the age of 21
  • ", + "
  • dependent parent, grandparent or great-grandparent
  • ", + "
  • other dependent relative
  • ", + "

    If you\u2019re the \u2018primary carer\u2019 of a British, EU, EEA or Swiss citizen

    ", + "

    You may be able to apply if you\u2019re the primary carer of a British,\u00a0EU,\u00a0EEA\u00a0or Swiss citizen who was living in the UK by 31 December 2020. Any dependent children you have may also be able to apply.

    ", + "

    To be someone\u2019s primary carer, you must be both:

    ", + "
  • responsible for their day to day care, including making decisions about their education, health, and finances
  • ", + "
  • a family member or their legal guardian
  • ", + "

    You can share these responsibilities with someone else.

    ", + "

    You cannot use the online service to apply if this is how you qualify for the scheme.

    ", + "

    Contact the EU Settlement Resolution Centre online to find out how to apply.

    ", + "

    If you\u2019re the primary carer of an adult

    ", + "

    You can apply if you\u2019re the primary carer of a dependent adult who is a British citizen and you were resident in the UK by 31 December 2020.

    ", + "

    If you\u2019re the primary carer of a child

    ", + "

    You can apply if you\u2019re the primary carer of a British child, or an EU, EEA or Swiss child who is financially independent and you were resident in the UK by 31 December 2020.

    ", + "

    You can also apply if you\u2019re the primary carer of an EU, EEA or Swiss child who:

    ", + "
  • is in education in the UK
  • ", + "
  • has an EU, EEA or Swiss parent who has worked in the UK when the child has lived in the UK
  • ", + "
  • has an EU, EEA or Swiss parent who has lived in the UK when the child has been in education
  • ", + "
  • has an EU, EEA or Swiss parent who has stopped working in the UK, or left the UK
  • ", + "

    What you\u2019ll need to apply

    ", + "

    You\u2019ll need to provide proof of your relationship to your EU, EEA or Swiss citizen family member - for example, a birth, marriage or civil partnership certificate, or a residence card. You can usually scan and submit this through the online application form.

    ", + "

    If you apply before your family member, you\u2019ll also need to provide evidence of their identity and residence.

    ", + "

    You might be asked to provide a certified English translation of any document that is not in English.

    ", + "

    You do not need to provide any evidence of your relationship if you have a valid \u2018UK permanent residence document\u2019.

    ", + "

    If you\u2019re from outside the EU, EEA or Switzerland and you do not have a biometric residence card, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo, or only a photo for children under 5) when you apply.

    ", + "

    When you need to provide more evidence

    ", + "

    In some cases, you\u2019ll also need to provide the same documents as you would for a residence card application.

    ", + "

    Check which documents you\u2019d provide for a residence card application if:

    ", + "
  • your family member is a British citizen and you lived together in an EU or EEA country (or Switzerland) before 1 January 2021 - known as a \u2018Surinder Singh\u2019 application
  • ", + "
  • your family member is both a British citizen and an EU, EEA or Swiss citizen, and lived in the UK as an EU, EEA or Swiss citizen before getting British citizenship
  • ", + "
  • you used to have an EU, EEA or Swiss family member living in the UK - known as a \u2018retained rights of residence\u2019 application
  • ", + "
  • you\u2019re the primary carer of a British, EU, EEA or Swiss citizen
  • ", + "
  • you\u2019re the child of an EU, EEA or Swiss citizen who used to live and work in the UK, or their primary carer
  • ", + "

    When to apply

    ", + "

    The deadline for most applications is 30 June 2021.

    ", + "

    If you arrive in the UK on or after 1 April 2021, you must apply within 3 months of the date you arrive in the UK. If you apply after 30 June 2021, you\u2019ll need to provide evidence of when you arrived in the UK, for example the travel ticket you used for your journey to the UK.

    ", + "

    You\u2019ll probably get a decision more quickly if you apply at the same time or after your family member applies.

    ", + "

    Your family member will be given an application number when they apply. You can use this to \u2018link\u2019 your application to theirs, so that your applications are considered together.

    ", + "

    If your partner is a Swiss citizen

    ", + "

    You can apply as the spouse or civil partner of a Swiss citizen in the UK until 31 December 2025 if both of the following apply:

    ", + "
  • your relationship with them began between 31 December 2020 and 31 December 2025
  • ", + "
  • you\u2019re still in the relationship when you apply
  • ", + "

    If you\u2019re the family member of an EU, EEA or Swiss citizen who has died

    ", + "

    You might be eligible for settled status before you\u2019ve been living in the UK for 5 years.

    ", + "

    Your family member must have been working or self-employed in the UK at the time of their death. They must have been resident in the UK by 31 December 2020.

    ", + "

    You must also have been living with them just before their death and either:

    ", + "
  • they lived continuously in the UK, the Channel Islands, or the Isle of Man for at least 2 years immediately before their death
  • ", + "
  • their death was the result of an accident at work or an occupational disease
  • ", + "

    If you\u2019re overseas and a family member of an EU, EEA or Swiss citizen living in the UK

    ", + "

    If you\u2019re not living in the UK by 31 December 2020, you\u2019ll still be able to apply if all of the following are true:

    ", + "
  • your family member was living in the UK by 31 December 2020
  • ", + "
  • your relationship began by 31 December 2020 (unless you are a child born or adopted after that date)
  • ", + "
  • you remain a close family member when you apply, for example a spouse, civil partner, unmarried partner, a dependent child or grandchild, or a dependent parent or grandparent
  • ", + "

    If your family member is a British citizen (\u2018Surinder Singh\u2019 applications)

    ", + "

    The deadline for you to return to the UK depends on your relationship with the family member.

    ", + "

    You must return and apply by 29 March 2022 if you\u2019re:

    ", + "
  • their spouse, civil partner or unmarried partner and your relationship started before 1 February 2020
  • ", + "
  • under 21 years old, and are their child or grandchild
  • ", + "
  • 21 years or older, and are their dependent child or grandchild
  • ", + "
  • their dependent parent or grandparent
  • ", + "

    You must return by 31 December 2020, and apply by 30 June 2021, if you\u2019re:

    ", + "
  • their spouse, civil partner or unmarried partner and your relationship started on or after 1 February 2020
  • ", + "
  • another dependent relative
  • ", + "

    If you\u2019re a spouse or civil partner, your dependent child, grandchild, parent or grandparent can also apply. They must return and apply by the same date as you.

    ", + "

    If you're the family member of an eligible person of Northern Ireland

    ", + "

    You can apply if you have a family member who is an eligible person of Northern Ireland, whether you\u2019re an EU, EEA or Swiss citizen or not.

    ", + "

    For you to be eligible, the person of Northern Ireland who is your family member must:

    ", + "
  • be a British, Irish or dual British and Irish citizen
  • ", + "
  • have been born in Northern Ireland
  • ", + "
  • at the time of their birth, have at least one parent who held British, Irish or dual citizenship (or was without any restriction on their period of residence)
  • ", + "
  • be living in the UK by 31 December 2020
  • ", + "

    If you\u2019re an EU, EEA or Swiss citizen

    ", + "

    You can choose whether you apply as either:

    ", + "
  • an EU, EEA or Swiss citizen - use the online service to apply
  • ", + "
  • a family member of an eligible person from Northern Ireland - contact the EU Settlement Resolution Centre online
  • ", + "

    If you\u2019re not an EU, EEA or Swiss citizen

    ", + "

    You can apply to the EU Settlement Scheme using the online service.

    ", + "

    If you\u2019re outside the UK, you\u2019ll need to apply for an EU Settlement Scheme family permit to come to the UK. Once you\u2019re in the UK you can apply to the EU Settlement Scheme.

    ", + "

    If you have permanent residence or indefinite leave to remain

    ", + "

    The process of applying to the EU Settlement Scheme is different if you have a permanent residence document or indefinite leave to enter or remain.

    ", + "

    If you have a valid \u2018UK permanent residence document\u2019

    ", + "

    If you have a valid UK permanent residence document, you\u2019ll have one of the following:

    ", + "
  • a certificate inside your blue \u2018residence documentation\u2019 booklet (or pink if you\u2019re a Swiss national)
  • ", + "
  • a certificate inside your passport
  • ", + "
  • a biometric residence card confirming permanent residence (only if you\u2019re not an EU, EEA or Swiss citizen)
  • ", + "

    Your document is not a permanent residence document if it has \u2018registration certificate\u2019 written on it.

    ", + "

    If you\u2019re from the EU, EEA or Switzerland your permanent residence document will say \u2018Document Certifying Permanent Residence\u2019.

    ", + "

    If you\u2019re not an EU, EEA or Swiss citizen, your biometric residence card will say \u2018Permanent Residence Status\u2019.

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    What you must do

    ", + "

    To continue living in the UK after 30 June 2021 you must have either:

    ", + "
  • applied to the EU Settlement Scheme by 30 June 2021 - you will not have to prove you have 5 years\u2019 continuous residence
  • ", + "
  • been granted citizenship by 30 June 2021
  • ", + "

    If you have indefinite leave to enter or remain

    ", + "

    Indefinite leave to enter or remain (ILR) are types of immigration status.

    ", + "

    You\u2019ll usually have applied for indefinite leave to enter or remain. You\u2019ll have a stamp in your passport or a letter from the Home Office. You could also have a \u2018vignette\u2019 (sticker) or a biometric residence permit.

    ", + "

    You can continue to live in the UK without applying to the EU Settlement Scheme if you have indefinite leave to enter or remain in the UK. However, if you choose to apply (and meet all the other conditions), you\u2019ll get \u2018indefinite leave to remain under the EU Settlement Scheme\u2019 - also known as settled status.

    ", + "

    This means you should be able to spend up to 5 years in a row outside the UK without losing your settled status (instead of 2 years with the indefinite leave to enter or remain you have now).

    ", + "

    If you\u2019re a Swiss citizen, you and your family members can spend up to 4 years in a row outside the UK without losing your settled status.

    ", + "

    You will not have to prove you have 5 years\u2019 continuous residence.

    ", + "

    If you moved to the UK before it joined the EU on 1 January 1973

    ", + "

    You may have been given ILR automatically if you\u2019re an EU, EEA or Swiss citizen who lived in the UK before 1973. If you were, you will not need to apply to the EU Settlement Scheme to stay in the UK after June 2021.

    ", + "

    If you do not have a document confirming your ILR status, you can either:

    ", + "
  • apply to the EU Settlement Scheme to get settled or pre-settled status
  • ", + "
  • apply to the Windrush scheme to get proof of your ILR status
  • ", + "

    If you\u2019re from Malta or Cyprus, you could also apply for British citizenship through the Windrush scheme.

    ", + "

    Applications for either scheme are free of charge.

    ", + "

    If you stop working or start work in an EU country

    ", + "

    You and your family members can get settled status with less than 5 years\u2019 continuous residence in certain situations.

    ", + "

    If you have to stop working

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen you may be able to get settled status if you have to stop working or being self-employed because of an accident or illness (known as \u2018permanent incapacity\u2019).

    ", + "

    The EEA includes the EU countries and also Iceland, Liechtenstein and Norway.

    ", + "

    You may be able to get settled status if either:

    ", + "
  • you have lived continuously in the UK for the 2 years immediately beforehand
  • ", + "
  • the permanent incapacity was the result of an accident at work or an occupational disease that entitles you to a pension from a UK institution
  • ", + "

    You can also get settled status if you\u2019re married to or in a civil partnership with a British citizen.

    ", + "

    If you\u2019re the family member of an EU, EEA or Swiss citizen at the time they stopped working you may also be eligible for settled status.

    ", + "

    If you reach State Pension age or retire early

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen you may be able to get settled status if you reach State Pension age or retire early.

    ", + "

    If you\u2019re the family member of an EU, EEA or Swiss citizen at the time they reach State Pension age or retire early you may also be eligible for settled status.

    ", + "

    If you reach State Pension age

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen, you can get settled status if you stopped working when you reached State Pension age and either:

    ", + "
  • you worked continuously or were self employed for 1 year beforehand and have lived continuously in the UK for 3 years
  • ", + "
  • your spouse or civil partner is a British citizen
  • ", + "

    If you retire early

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen you can get settled status if you retire early and either:

    ", + "
  • you worked continuously (for someone other than yourself) for 1 year beforehand and have lived continuously in the UK for 3 years
  • ", + "
  • your spouse or civil partner is a British citizen
  • ", + "

    If you start work or self-employment in an EU country

    ", + "

    If you\u2019re an EU, EEA or Swiss citizen you can get settled status if you start work or self-employment in an EU country and you both:

    ", + "
  • have lived and worked or been self-employed in the UK continuously for 3 years beforehand
  • ", + "
  • usually return to your UK home once a week
  • ", + "

    If you\u2019re the family member of an EU, EEA or Swiss citizen at the time they start work or self-employment in an EU country you may also be eligible for settled status.

    ", + "

    After you've applied

    ", + "

    If your application is successful, a letter will be emailed to you confirming your settled or pre-settled status.

    ", + "

    Find out what rights you get for each status.

    ", + "

    You cannot use the letter itself to prove your status.

    ", + "

    Viewing and proving your status

    ", + "

    You can view your status or prove it to someone else online. You will not usually get a physical document.

    ", + "

    If you\u2019re from outside the EU, EEA or Switzerland

    ", + "

    You will get a physical document if you do not already have a biometric residence card.

    ", + "

    The document you get under the EU Settlement Scheme proves your rights in the UK only.

    ", + "

    To travel to the EU, EEA or Switzerland with your EU, EEA or Swiss family member, you\u2019ll need to apply for a visa for the country you want to visit. This will be free.

    ", + "

    You can still prove your rights in the UK until 30 June 2021 with your passport or national identity card (if you\u2019re an EU, EEA or Swiss citizen), or with your biometric residence document.

    ", + "

    If you already have a biometric residence card, you do not need to apply for a new one once you have settled or pre-settled status.

    ", + "

    Updating your details

    ", + "

    You must keep your details up to date, for example if you get a new passport.

    ", + "

    Applying for citizenship

    ", + "

    You\u2019ll usually be able to apply for citizenship 12 months after you\u2019ve got settled status.

    ", + "

    If the Home Office finds a mistake in your application

    ", + "

    The Home Office will contact you before making a decision on your application, so you can correct the error.

    ", + "

    They\u2019ll also tell you if you need to provide more evidence before they can make a decision.

    ", + "

    If your application is unsuccessful

    ", + "

    You can apply again at any time until 30 June 2021 if you think the decision should have been different, for example you got pre-settled status but expected to get settled status.

    ", + "

    There\u2019s no charge for this.

    ", + "

    You can submit new information or evidence if you want to.

    ", + "

    Apply for an administrative review

    ", + "

    You may be able to apply for an administrative review of your application if you think there\u2019s been a mistake. It costs \u00a380 and you\u2019ll usually get the result within 28 days.

    ", + "

    You\u2019ll get your money back if the original decision is changed because of an error.

    ", + "

    You can submit new evidence as part of an administrative review but you will not get your money back if the decision is changed because of the new evidence.

    ", + "

    Appeal the decision

    ", + "

    You can also make an appeal to an independent tribunal. You can only appeal applications made after 11pm on 31 January 2020.

    ", + "

    If you already have an outstanding immigration application

    ", + "

    In most cases, your outstanding immigration application will not be considered if you apply for the EU Settlement Scheme. You\u2019ll get a refund for your outstanding application.

    ", + "

    Contact UK Visas and Immigration (UKVI) to find out how your outstanding immigration application will be affected.

    ", + "

    More detailed guidance is available.

    ", + "

    Switch from pre-settled status to settled status

    ", + "

    If you have pre-settled status, you can stay in the UK for a further 5 years from the date you got your status.

    ", + "

    You must apply to the EU Settlement Scheme again before your pre-settled status expires to stay in the UK.

    ", + "

    When to apply

    ", + "

    You can apply to switch to settled status as soon as you\u2019re eligible. This is usually after you\u2019ve lived in the UK, the Channel Islands or the Isle of Man for 5 years in a row (known as \u2018continuous residence\u2019).

    ", + "

    The 5 years is counted from the day you first arrived in the UK. You do not need to have held pre-settled status for 5 years to apply.

    ", + "

    You may not be eligible for settled status if during the 5 years you spent more than 6 months outside the UK in a 12 month period.

    ", + "

    Find out more about continuous residence and if you\u2019re eligible for settled status.

    ", + "

    If you\u2019re not eligible for settled status

    ", + "

    If you\u2019re not eligible for settled status because you spent more than 6 months outside the UK in a 12 month period, you may be able to get pre-settled status again.

    ", + "

    Both of the following must apply:

    ", + "
  • the time you spent outside the UK was before 31 December 2020
  • ", + "
  • you were back in the UK on or before 31 December 2020
  • ", + "

    You usually need to apply before 30 June 2021. There are different rules if you\u2019re applying as the close family member of an EU, EEA or Swiss citizen.

    ", + "

    If you cannot get pre-settled status again and your current status is about to expire, apply for a visa to stay in the UK.

    ", + "

    What you\u2019ll need

    ", + "

    You can use the same proof you used to apply to the EU Settlement Scheme the first time.

    ", + "

    Check what you\u2019ll need to prove your identity and residence status.

    ", + "

    If your pre-settled status was based on your relationship to a family member from the EU, EEA or Switzerland, you\u2019ll also need proof of your relationship to your EU, EEA or Swiss family member.

    ", + "

    Apply to switch your status

    ", + "

    It is free to apply.

    ", + "

    Start now

    ", + "

    After you\u2019ve applied

    ", + "

    If your application is successful, a letter will be emailed to you confirming your status.

    ", + "

    If you\u2019re given settled status

    ", + "

    You can stay in the UK as long as you like. You\u2019ll usually be able to apply for citizenship 12 months after you\u2019ve got settled status.

    ", + "

    If you\u2019re given pre-settled status again

    ", + "

    You can stay in the UK for a further 5 years from the date on your Home Office decision letter.

    ", + "

    You can apply for settled status after you\u2019ve lived in the UK, the Channel Islands or the Isle of Man for 5 years in a row (known as \u2018continuous residence\u2019).

    ", + "

    Find out what to do if you think the decision should have been different.

    " + ] + }, + "https://www.gov.uk/right-of-abode": { + "url": "https://www.gov.uk/right-of-abode", + "title": "Prove you have right of abode in the UK", + "content": "## Overview\n\nHaving right of abode means you\u2019re allowed to live or work in the UK without any immigration restrictions, which means:\n\n- you will not need a visa to come to the UK\n\n- there\u2019s no limit on the length of time you can spend in the country\n\nAll British citizens automatically have right of abode in the UK.\n\nSome Commonwealth citizens may also have right of abode.\n\nYou can prove you have right of abode if you have a UK passport describing you as a British citizen or British subject with right of abode.\n\nOtherwise you need to apply for a \u2018certificate of entitlement\u2019.\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Commonwealth citizens\n\nIf you\u2019re part of the \u2018Windrush generation\u2019 (also known as \u2018Windrush cases\u2019), there\u2019s a different way to prove your right to live in the UK.\n\nYou may have right of abode in the UK either because of your parents or because you are or were married to someone with right of abode.\n\n## Parents\n\nYou have right of abode if all the following apply:\n\n- one of your parents was born in the UK and a citizen of the United Kingdom and colonies when you were born or adopted\n\n- you were a Commonwealth citizen on 31 December 1982\n\n- you did not stop being a Commonwealth citizen (even temporarily) at any point after 31 December 1982\n\n## Marriage\n\nYou can only get right to abode through marriage if you\u2019re a female Commonwealth citizen.\n\nYou must have:\n\n- been married to someone with right of abode before 1 January 1983\n\n- not stopped being a Commonwealth citizen (even temporarily) at any point after 31 December 1982\n\nYou usually will not have right of abode if the person you were married to has another living wife or widow who:\n\n- is in the UK, or has been in the UK at any time since her marriage (unless they entered the country illegally, came as a visitor or only have temporary permission to stay)\n\n- has a certificate of entitlement to right of abode or permission to enter the UK because of her marriage\n\nHowever, you may still have right of abode if:\n\n- you entered the UK while married and before 1 August 1988, even if your husband has other wives in the UK\n\n- you\u2019ve been in the UK since your marriage and at that time were your husband\u2019s only wife to have legally entered the UK or been given permission to do so\n\n## Apply for a certificate of entitlement\n\nYou can apply for a certificate of entitlement to prove you have right of abode in the UK. It goes in your passport.\n\nYou need to apply for a new certificate when your passport expires.\n\nHow you apply for a certificate of entitlement depends on whether you\u2019re inside or outside the UK.\n\nYou cannot get a certificate if you already have a British passport or a valid certificate of entitlement in another foreign passport.\n\n## Apply in the UK, Channel Islands or the Isle of Man\n\nA certificate of entitlement costs \u00a3372 in the UK.\n\nRead the guidance to check you can apply.\n\nFill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.\n\nYou can also apply in other ways.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Apply from outside the UK or from a British overseas territory\n\nIf you are not in the UK, or you live in a British overseas territory, you must apply online.\n\nA certificate of entitlement costs \u00a3388 outside the UK.\n\n## North Korea\n\nYou cannot apply online if you\u2019re living in North Korea.\n\nTo apply from North Korea you must:\n\n- download the application form and guidance - read the guidance if you need help filling in the form\n\n- read the instructions to find out where to take your completed form\n\n## If your application is refused\n\nYour application fee will not be refunded if your application is refused because you do not qualify for right of abode or you do not send in enough evidence to support your claim.\n\n## Appeals\n\nYou\u2019ll be told how you can appeal if your application is rejected.\n\nYou will not have a right of appeal if your rejected application was received on or after 6 April 2015.\n\nIf you made your application in the UK, you can apply to have your application reconsidered if you think UKVI did not make the decision in line with the law or their policy.", + "original_contents": [ + "

    Overview

    ", + "

    Having right of abode means you\u2019re allowed to live or work in the UK without any immigration restrictions, which means:

    ", + "
  • you will not need a visa to come to the UK
  • ", + "
  • there\u2019s no limit on the length of time you can spend in the country
  • ", + "

    All British citizens automatically have right of abode in the UK.

    ", + "

    Some Commonwealth citizens may also have right of abode.

    ", + "

    You can prove you have right of abode if you have a UK passport describing you as a British citizen or British subject with right of abode.

    ", + "

    Otherwise you need to apply for a \u2018certificate of entitlement\u2019.

    ", + "

    If you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.

    ", + "

    Commonwealth citizens

    ", + "

    If you\u2019re part of the \u2018Windrush generation\u2019 (also known as \u2018Windrush cases\u2019), there\u2019s a different way to prove your right to live in the UK.

    ", + "

    You may have right of abode in the UK either because of your parents or because you are or were married to someone with right of abode.

    ", + "

    Parents

    ", + "

    You have right of abode if all the following apply:

    ", + "
  • one of your parents was born in the UK and a citizen of the United Kingdom and colonies when you were born or adopted
  • ", + "
  • you were a Commonwealth citizen on 31 December 1982
  • ", + "
  • you did not stop being a Commonwealth citizen (even temporarily) at any point after 31 December 1982
  • ", + "

    Marriage

    ", + "

    You can only get right to abode through marriage if you\u2019re a female Commonwealth citizen.

    ", + "

    You must have:

    ", + "
  • been married to someone with right of abode before 1 January 1983
  • ", + "
  • not stopped being a Commonwealth citizen (even temporarily) at any point after 31 December 1982
  • ", + "

    You usually will not have right of abode if the person you were married to has another living wife or widow who:

    ", + "
  • is in the UK, or has been in the UK at any time since her marriage (unless they entered the country illegally, came as a visitor or only have temporary permission to stay)
  • ", + "
  • has a certificate of entitlement to right of abode or permission to enter the UK because of her marriage
  • ", + "

    However, you may still have right of abode if:

    ", + "
  • you entered the UK while married and before 1 August 1988, even if your husband has other wives in the UK
  • ", + "
  • you\u2019ve been in the UK since your marriage and at that time were your husband\u2019s only wife to have legally entered the UK or been given permission to do so
  • ", + "

    Apply for a certificate of entitlement

    ", + "

    You can apply for a certificate of entitlement to prove you have right of abode in the UK. It goes in your passport.

    ", + "

    You need to apply for a new certificate when your passport expires.

    ", + "

    How you apply for a certificate of entitlement depends on whether you\u2019re inside or outside the UK.

    ", + "

    You cannot get a certificate if you already have a British passport or a valid certificate of entitlement in another foreign passport.

    ", + "

    Apply in the UK, Channel Islands or the Isle of Man

    ", + "

    A certificate of entitlement costs \u00a3372 in the UK.

    ", + "

    Read the guidance to check you can apply.

    ", + "

    Fill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.

    ", + "

    You can also apply in other ways.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You can only use this service if you\u2019re applying in the UK.

    ", + "

    You cannot get immigration advice through this service.

    ", + "

    Apply from outside the UK or from a British overseas territory

    ", + "

    If you are not in the UK, or you live in a British overseas territory, you must apply online.

    ", + "

    A certificate of entitlement costs \u00a3388 outside the UK.

    ", + "

    North Korea

    ", + "

    You cannot apply online if you\u2019re living in North Korea.

    ", + "

    To apply from North Korea you must:

    ", + "
  • download the application form and guidance - read the guidance if you need help filling in the form
  • ", + "
  • read the instructions to find out where to take your completed form
  • ", + "

    If your application is refused

    ", + "

    Your application fee will not be refunded if your application is refused because you do not qualify for right of abode or you do not send in enough evidence to support your claim.

    ", + "

    Appeals

    ", + "

    You\u2019ll be told how you can appeal if your application is rejected.

    ", + "

    You will not have a right of appeal if your rejected application was received on or after 6 April 2015.

    ", + "

    If you made your application in the UK, you can apply to have your application reconsidered if you think UKVI did not make the decision in line with the law or their policy.

    " + ] + }, + "https://www.gov.uk/settlement-refugee-or-humanitarian-protection": { + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "title": "Settlement: refugee or humanitarian protection", + "content": "## Overview\n\nYou can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) if you\u2019ve got a residence card as a:\n\n- refugee\n\n- person with humanitarian protection\n\nCheck if you\u2019re eligible in the relevant category.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person who\u2019s been given humanitarian protection.\n\n## Family members\n\nYou may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.\n\nCheck if your family member is eligible.\n\nIf your application is successful, your family members will have the same permission to stay in the UK as you do.\n\n## If you cannot include your family members on your settlement application\n\nIf your family was formed before you left your country, your partner and children can apply to be reunited with you in the UK.\n\nYour family members must apply for a visa to join you in the UK if one of the following is true:\n\n- they\u2019re not eligible to apply as a partner or a child\n\n- your family was formed after you left your country\n\nIf your application is successful, your family members will have permission to stay in the UK for the same length of time as you.\n\n## Eligibility\n\nYou can apply after 5 years in the UK as either:\n\n- a refugee\n\n- someone with humanitarian protection\n\n## If your application is refused\n\nYour settlement application may be refused if you\u2019ve got a criminal record or been in prison - read why applications are refused.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person with humanitarian protection.\n\n## Family reunion\n\nYour partner or child may be able to join or stay with you in the UK if:\n\n- you were part of a family before you were forced to leave your country\n\n- you have refugee status, 5 years\u2019 humanitarian protection or settlement on protection grounds but do not yet have British citizenship\n\nYour partner or child cannot join you if:\n\n- you have not received a decision on your asylum claim\n\n- you\u2019re under 18\n\nIf their application is successful, your family members will be allowed to come to or stay in the UK with the same permission as you.\n\n## Eligibility\n\nYour partner and any children must meet the following requirements.\n\n## Partner\n\nYour partner is someone you\u2019re in a genuine relationship with. You must be able to prove one of the following:\n\n- you\u2019re married\n\n- you\u2019re in a civil partnership\n\nIf you\u2019re not married or in a civil partnership, your partner may be able to join you if:\n\n- you were given refugee status or humanitarian protection on or after 9 October 2006\n\n- you\u2019ve lived together in a relationship like in a marriage or civil partnership for 2 years and you\u2019ve been given asylum or humanitarian protection after 9 October 2006\n\nYou and your partner must intend to live together and continue your relationship after they apply.\n\n## Children\n\nYour child is:\n\n- under the age of 18\n\n- going to live with you and your partner\n\n- not married or in a civil partnership\n\n## Apply outside the UK\n\nYour partner or child must apply online for family reunion.\n\nYou can apply on behalf of your child but, in most cases, your partner must make their own application.\n\nThey\u2019ll also have to complete application form VAF4A with Appendix 4.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\n## North Korea\n\nYour partner or child cannot apply online if they\u2019re applying from North Korea.\n\nThey need to download application form VAF4A with Appendix 4.\n\nThey should read the guidance on filling in the form and the instructions for North Korea.\n\n## Apply in the UK\n\nYour partner or child can apply to stay with you in the UK if all the following are true:\n\n- you have refugee status or humanitarian protection in the UK\n\n- they\u2019re making their first application to stay with you and they\u2019re already in the UK\n\n- they can prove their relationship pre-dates your departure from your home country because of persecution\n\nThey must apply by letter to:\n\n## Providing biometric information and supporting documents\n\nWhen your family member applies, they\u2019ll be asked to make an appointment at a Service and Support Centre to provide their biometric information (their fingerprints and a photo) and have their supporting documents checked.\n\n## Fees\n\nThere\u2019s no fee for applying for family reunion for eligible family members.\n\n## Family applying as dependants\n\nIf you\u2019re a refugee or have humanitarian protection, your family members can apply for settlement on the same form as you if they\u2019re already in the UK.\n\nFamily members are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 2 years before applying to settle)\n\n- your child or children - born in the UK or abroad\n\n## Eligibility\n\nYour family members must either have been given permission to be in the UK with you:\n\n- as your dependant, at the same time you were granted asylum or Humanitarian Protection\n\n- using the family reunion route\n\nA child of yours born in the UK who is not a British citizen is also eligible.\n\nYou need to provide evidence of your relationship - check the application form.\n\n## Children over 18\n\nYou can only include your children over 18 in your settlement application if:\n\n- they were granted as your dependant when you got your original grant of asylum and leave to enter or remain\n\n- they were granted leave to enter or remain by applying for family reunion\n\n## Other exceptions\n\nYou cannot include a partner or other dependant who:\n\n- already has permission to be in the UK in another category\n\n- is currently in the UK without permission\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement for a family member.\n\n## If your application is refused\n\nIf you have a criminal record or have been in prison, you may be refused settlement.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) if you\u2019ve got a residence card as a:

    ", + "
  • refugee
  • ", + "
  • person with humanitarian protection
  • ", + "

    Check if you\u2019re eligible in the relevant category.

    ", + "

    Fees

    ", + "

    There\u2019s no fee for applying for settlement as a refugee or person who\u2019s been given humanitarian protection.

    ", + "

    Family members

    ", + "

    You may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.

    ", + "

    Check if your family member is eligible.

    ", + "

    If your application is successful, your family members will have the same permission to stay in the UK as you do.

    ", + "

    If you cannot include your family members on your settlement application

    ", + "

    If your family was formed before you left your country, your partner and children can apply to be reunited with you in the UK.

    ", + "

    Your family members must apply for a visa to join you in the UK if one of the following is true:

    ", + "
  • they\u2019re not eligible to apply as a partner or a child
  • ", + "
  • your family was formed after you left your country
  • ", + "

    If your application is successful, your family members will have permission to stay in the UK for the same length of time as you.

    ", + "

    Eligibility

    ", + "

    You can apply after 5 years in the UK as either:

    ", + "
  • a refugee
  • ", + "
  • someone with humanitarian protection
  • ", + "

    If your application is refused

    ", + "

    Your settlement application may be refused if you\u2019ve got a criminal record or been in prison - read why applications are refused.

    ", + "

    If you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.

    ", + "

    Apply

    ", + "

    You must apply online. You\u2019ll be told what documents you need to provide when you apply.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    Any children aged 6 and over who are applying on your form must also provide biometric information.

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them to the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    When to apply

    ", + "

    You should apply during the last month of your current permission to be in the UK.

    ", + "

    Fees

    ", + "

    There\u2019s no fee for applying for settlement as a refugee or person with humanitarian protection.

    ", + "

    Family reunion

    ", + "

    Your partner or child may be able to join or stay with you in the UK if:

    ", + "
  • you were part of a family before you were forced to leave your country
  • ", + "
  • you have refugee status, 5 years\u2019 humanitarian protection or settlement on protection grounds but do not yet have British citizenship
  • ", + "

    Your partner or child cannot join you if:

    ", + "
  • you have not received a decision on your asylum claim
  • ", + "
  • you\u2019re under 18
  • ", + "

    If their application is successful, your family members will be allowed to come to or stay in the UK with the same permission as you.

    ", + "

    Eligibility

    ", + "

    Your partner and any children must meet the following requirements.

    ", + "

    Partner

    ", + "

    Your partner is someone you\u2019re in a genuine relationship with. You must be able to prove one of the following:

    ", + "
  • you\u2019re married
  • ", + "
  • you\u2019re in a civil partnership
  • ", + "

    If you\u2019re not married or in a civil partnership, your partner may be able to join you if:

    ", + "
  • you were given refugee status or humanitarian protection on or after 9 October 2006
  • ", + "
  • you\u2019ve lived together in a relationship like in a marriage or civil partnership for 2 years and you\u2019ve been given asylum or humanitarian protection after 9 October 2006
  • ", + "

    You and your partner must intend to live together and continue your relationship after they apply.

    ", + "

    Children

    ", + "

    Your child is:

    ", + "
  • under the age of 18
  • ", + "
  • going to live with you and your partner
  • ", + "
  • not married or in a civil partnership
  • ", + "

    Apply outside the UK

    ", + "

    Your partner or child must apply online for family reunion.

    ", + "

    You can apply on behalf of your child but, in most cases, your partner must make their own application.

    ", + "

    They\u2019ll also have to complete application form VAF4A with Appendix 4.

    ", + "

    They\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.

    ", + "

    North Korea

    ", + "

    Your partner or child cannot apply online if they\u2019re applying from North Korea.

    ", + "

    They need to download application form VAF4A with Appendix 4.

    ", + "

    They should read the guidance on filling in the form and the instructions for North Korea.

    ", + "

    Apply in the UK

    ", + "

    Your partner or child can apply to stay with you in the UK if all the following are true:

    ", + "
  • you have refugee status or humanitarian protection in the UK
  • ", + "
  • they\u2019re making their first application to stay with you and they\u2019re already in the UK
  • ", + "
  • they can prove their relationship pre-dates your departure from your home country because of persecution
  • ", + "

    They must apply by letter to:

    ", + "

    Providing biometric information and supporting documents

    ", + "

    When your family member applies, they\u2019ll be asked to make an appointment at a Service and Support Centre to provide their biometric information (their fingerprints and a photo) and have their supporting documents checked.

    ", + "

    Fees

    ", + "

    There\u2019s no fee for applying for family reunion for eligible family members.

    ", + "

    Family applying as dependants

    ", + "

    If you\u2019re a refugee or have humanitarian protection, your family members can apply for settlement on the same form as you if they\u2019re already in the UK.

    ", + "

    Family members are:

    ", + "
  • your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 2 years before applying to settle)
  • ", + "
  • your child or children - born in the UK or abroad
  • ", + "

    Eligibility

    ", + "

    Your family members must either have been given permission to be in the UK with you:

    ", + "
  • as your dependant, at the same time you were granted asylum or Humanitarian Protection
  • ", + "
  • using the family reunion route
  • ", + "

    A child of yours born in the UK who is not a British citizen is also eligible.

    ", + "

    You need to provide evidence of your relationship - check the application form.

    ", + "

    Children over 18

    ", + "

    You can only include your children over 18 in your settlement application if:

    ", + "
  • they were granted as your dependant when you got your original grant of asylum and leave to enter or remain
  • ", + "
  • they were granted leave to enter or remain by applying for family reunion
  • ", + "

    Other exceptions

    ", + "

    You cannot include a partner or other dependant who:

    ", + "
  • already has permission to be in the UK in another category
  • ", + "
  • is currently in the UK without permission
  • ", + "

    Apply

    ", + "

    You must apply online. You\u2019ll be told what documents you need to provide when you apply.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    Any children aged 6 and over who are applying on your form must also provide biometric information.

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them to the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    When to apply

    ", + "

    You should apply during the last month of your current permission to be in the UK.

    ", + "

    Fees

    ", + "

    There\u2019s no fee for applying for settlement for a family member.

    ", + "

    If your application is refused

    ", + "

    If you have a criminal record or have been in prison, you may be refused settlement.

    ", + "

    If you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.

    " + ] + }, + "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa": { + "url": "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa", + "title": "Indefinite leave to remain if you have an Innovator visa", + "content": "## Overview\n\nYou may be eligible for indefinite leave to remain if you have an Innovator visa.\n\nYou cannot apply until March 2022 at the earliest - 3 years after this way to settle was introduced.\n\nIndefinite leave to remain is how you settle in the UK. It gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible. You can use it to apply for British citizenship.\n\n## Eligibility\n\nYou must have:\n\n- lived in the UK for 3 years using an Innovator visa - you cannot include time spent in the UK using any other visa\n\n- a new endorsement that shows you\u2019ve met the requirements for growing your business\n\n## Knowledge of life in the UK\n\nIf you\u2019re 18 to 64 you must pass the Life in the UK Test.\n\n## Time outside the UK\n\nYou must have spent no more than 180 days outside the UK in any 12 months.\n\nIf you think you\u2019re affected by this rule, find out how to calculate your time in the UK (\u2018continuous residence\u2019).\n\n## When to apply\n\nYou\u2019ll be able to apply 28 days before you\u2019re eligible. Your application may be refused if you apply earlier.\n\nDo not wait until your current visa expires. If your visa expires before you can apply for indefinite leave to remain, you\u2019ll need to renew it first.\n\n## Fees and how long it takes\n\nIt costs \u00a32,389 for each person applying. You can include your partner and children on the same application form, if they\u2019re eligible.\n\nYou also need to pay \u00a319.20 per person to have your biometric information (fingerprints and a photo) taken.\n\nYou\u2019ll usually get a decision within 6 months.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\n## Getting endorsed\n\nBefore you can apply, you must show an approved body that you\u2019ve grown your business.\n\nIf you meet the criteria, the body will give you an endorsement letter to show that you\u2019re eligible for indefinite leave to remain.\n\nOnce you\u2019ve got your letter, you must apply for indefinite leave to remain within 3 months.\n\nYou do not need to use the same body that endorsed you for your Innovator visa.\n\n## Endorsement requirements\n\nYou must be actively managing and developing the business.\n\nYour business must be:\n\n- registered with Companies House, and you\u2019re either the director or a member\n\n- currently trading, and be able to continue for at least the next 12 months\n\nYour business must have done 2 of the following:\n\n- had \u00a350,000 of investment, which you\u2019ve spent on developing the business\n\n- doubled the number of customers in the last 3 years - and this number is higher than the average for similar businesses\n\n- applied for intellectual property protection in the UK\n\n- made \u00a31 million revenue in the last full year covered by accounts\n\n- made \u00a3500,000 revenue in the last full year covered by accounts, with \u00a3100,000 of this from exporting overseas\n\n- created the equivalent of 10 full-time jobs that have existed for 12 months\n\n- created the equivalent of 5 full-time jobs that have existed for 12 months, with an average salary of \u00a325,000 a year\n\nYou may have already met some of these criteria when you applied for your visa.\n\n## If you\u2019ve created jobs\n\nThe jobs you\u2019ve created must be for \u2018settled workers\u2019. A settled worker is someone who was one of the following when they started working for you:\n\n- a British citizen\n\n- an EEA citizen who was living in the UK and working for you by 31 December 2020\n\n- a Commonwealth citizen with a UK Ancestry visa\n\n- someone with indefinite leave to remain or settled status\n\n## Family members\n\nYou can include your partner and children on your application if they\u2019re eligible.\n\nYour partner and children can apply separately at a later date, for example if they\u2019re not eligible yet. They can continue to extend their visa as your dependant, even after you get indefinite leave to remain.\n\n## Eligibility for partners\n\nYour partner may qualify if all of the following apply:\n\n- they have permission to be in the UK as your partner (as a \u2018dependant\u2019 on your Innovator visa)\n\n- they\u2019ve lived in the UK with you as your dependant for at least 5 continuous years\n\n- your relationship is genuine\n\n- you intend to keep living together\n\n- you have enough income to support yourselves and your dependants\n\n- you\u2019re not using public funds (benefits)\n\nYour partner can include time they\u2019ve spent as your dependant on another visa to count towards the continuous years they need to qualify. They cannot count any time spent on their own visa (not as your dependant).\n\nYour partner must also:\n\n- pass the Life in the UK Test\n\n- meet the English language requirements\n\n## Eligibility for children\n\nYou can include children as dependants on your application if:\n\n- they have permission to be in the UK as your child (as a \u2018dependant\u2019 on your visa)\n\n- they are not married, in a civil partnership or living an independent life\n\n- they will live with you and be supported by you without relying on public funds (benefits)\n\n- you and your child\u2019s other parent are both currently applying to settle, or are already settled\n\nYour child can also apply to settle in one of the following situations:\n\n- you\u2019re the child\u2019s sole surviving parent\n\n- you have sole responsibility for your child, or they normally live with you\n\n- there are serious or compelling reasons why they should be allowed to stay, for example you or your child has a serious illness\n\n## Extra documents for children over 16\n\nYou\u2019ll need to prove:\n\n- where they live - if they do not live with you, you\u2019ll need to explain why\n\n- any rent or upkeep they pay you each month\n\n- that you support them financially if they do not live with you\n\nYou\u2019ll need to provide 2 documents from this list to prove where they live:\n\n- bank statement\n\n- credit card bill\n\n- driving licence\n\n- NHS registration document\n\n- a letter from their current school, college or university, on headed paper and issued by an authorised official of that organisation\n\nThe documents you provide cannot be more than a month old on the date you make your application.\n\nIf your child lives away from home, you\u2019ll need to provide:\n\n- bank statements for you and your child covering the 3 months before the date you apply (to prove you\u2019ve supported them)\n\n- confirmation from their university or college on headed paper and issued by an authorised official (if they\u2019re studying)\n\n## Children 18 and over\n\nYou can only include older children in your application if they both:\n\n- were under 18 when they got permission to be in the UK as your dependant\n\n- still do not live an independent life - for example, they have not got married or had children\n\nThey also need to:\n\n- pass the Life in the UK Test\n\n- meet the English language requirements\n\nIf your child is over 18 by the time you apply and does not meet these requirements, they must apply separately.\n\n## How to apply\n\nYou cannot apply for indefinite leave to remain using an Innovator visa until March 2022 at the earliest.\n\n## Other ways to stay in the UK\n\nIf you\u2019re not eligible to apply using an Innovator visa, you may be able to stay in the UK another way. Check if you can:\n\n- extend your permission to stay in the UK\n\n- use a different way to apply for indefinite leave to remain", + "original_contents": [ + "

    Overview

    ", + "

    You may be eligible for indefinite leave to remain if you have an Innovator visa.

    ", + "

    You cannot apply until March 2022 at the earliest - 3 years after this way to settle was introduced.

    ", + "

    Indefinite leave to remain is how you settle in the UK. It gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible. You can use it to apply for British citizenship.

    ", + "

    Eligibility

    ", + "

    You must have:

    ", + "
  • lived in the UK for 3 years using an Innovator visa - you cannot include time spent in the UK using any other visa
  • ", + "
  • a new endorsement that shows you\u2019ve met the requirements for growing your business
  • ", + "

    Knowledge of life in the UK

    ", + "

    If you\u2019re 18 to 64 you must pass the Life in the UK Test.

    ", + "

    Time outside the UK

    ", + "

    You must have spent no more than 180 days outside the UK in any 12 months.

    ", + "

    If you think you\u2019re affected by this rule, find out how to calculate your time in the UK (\u2018continuous residence\u2019).

    ", + "

    When to apply

    ", + "

    You\u2019ll be able to apply 28 days before you\u2019re eligible. Your application may be refused if you apply earlier.

    ", + "

    Do not wait until your current visa expires. If your visa expires before you can apply for indefinite leave to remain, you\u2019ll need to renew it first.

    ", + "

    Fees and how long it takes

    ", + "

    It costs \u00a32,389 for each person applying. You can include your partner and children on the same application form, if they\u2019re eligible.

    ", + "

    You also need to pay \u00a319.20 per person to have your biometric information (fingerprints and a photo) taken.

    ", + "

    You\u2019ll usually get a decision within 6 months.

    ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    ", + "

    You\u2019ll be contacted if your application is complex and will take longer, for example:

    ", + "
  • if your supporting documents need to be verified
  • ", + "
  • if you need to attend an interview
  • ", + "
  • because of your personal circumstances, for example if you have a criminal conviction
  • ", + "

    Getting endorsed

    ", + "

    Before you can apply, you must show an approved body that you\u2019ve grown your business.

    ", + "

    If you meet the criteria, the body will give you an endorsement letter to show that you\u2019re eligible for indefinite leave to remain.

    ", + "

    Once you\u2019ve got your letter, you must apply for indefinite leave to remain within 3 months.

    ", + "

    You do not need to use the same body that endorsed you for your Innovator visa.

    ", + "

    Endorsement requirements

    ", + "

    You must be actively managing and developing the business.

    ", + "

    Your business must be:

    ", + "
  • registered with Companies House, and you\u2019re either the director or a member
  • ", + "
  • currently trading, and be able to continue for at least the next 12 months
  • ", + "

    Your business must have done 2 of the following:

    ", + "
  • had \u00a350,000 of investment, which you\u2019ve spent on developing the business
  • ", + "
  • doubled the number of customers in the last 3 years - and this number is higher than the average for similar businesses
  • ", + "
  • applied for intellectual property protection in the UK
  • ", + "
  • made \u00a31 million revenue in the last full year covered by accounts
  • ", + "
  • made \u00a3500,000 revenue in the last full year covered by accounts, with \u00a3100,000 of this from exporting overseas
  • ", + "
  • created the equivalent of 10 full-time jobs that have existed for 12 months
  • ", + "
  • created the equivalent of 5 full-time jobs that have existed for 12 months, with an average salary of \u00a325,000 a year
  • ", + "

    You may have already met some of these criteria when you applied for your visa.

    ", + "

    If you\u2019ve created jobs

    ", + "

    The jobs you\u2019ve created must be for \u2018settled workers\u2019. A settled worker is someone who was one of the following when they started working for you:

    ", + "
  • a British citizen
  • ", + "
  • an EEA citizen who was living in the UK and working for you by 31 December 2020
  • ", + "
  • a Commonwealth citizen with a UK Ancestry visa
  • ", + "
  • someone with indefinite leave to remain or settled status
  • ", + "

    Family members

    ", + "

    You can include your partner and children on your application if they\u2019re eligible.

    ", + "

    Your partner and children can apply separately at a later date, for example if they\u2019re not eligible yet. They can continue to extend their visa as your dependant, even after you get indefinite leave to remain.

    ", + "

    Eligibility for partners

    ", + "

    Your partner may qualify if all of the following apply:

    ", + "
  • they have permission to be in the UK as your partner (as a \u2018dependant\u2019 on your Innovator visa)
  • ", + "
  • they\u2019ve lived in the UK with you as your dependant for at least 5 continuous years
  • ", + "
  • your relationship is genuine
  • ", + "
  • you intend to keep living together
  • ", + "
  • you have enough income to support yourselves and your dependants
  • ", + "
  • you\u2019re not using public funds (benefits)
  • ", + "

    Your partner can include time they\u2019ve spent as your dependant on another visa to count towards the continuous years they need to qualify. They cannot count any time spent on their own visa (not as your dependant).

    ", + "

    Your partner must also:

    ", + "
  • pass the Life in the UK Test
  • ", + "
  • meet the English language requirements
  • ", + "

    Eligibility for children

    ", + "

    You can include children as dependants on your application if:

    ", + "
  • they have permission to be in the UK as your child (as a \u2018dependant\u2019 on your visa)
  • ", + "
  • they are not married, in a civil partnership or living an independent life
  • ", + "
  • they will live with you and be supported by you without relying on public funds (benefits)
  • ", + "
  • you and your child\u2019s other parent are both currently applying to settle, or are already settled
  • ", + "

    Your child can also apply to settle in one of the following situations:

    ", + "
  • you\u2019re the child\u2019s sole surviving parent
  • ", + "
  • you have sole responsibility for your child, or they normally live with you
  • ", + "
  • there are serious or compelling reasons why they should be allowed to stay, for example you or your child has a serious illness
  • ", + "

    Extra documents for children over 16

    ", + "

    You\u2019ll need to prove:

    ", + "
  • where they live - if they do not live with you, you\u2019ll need to explain why
  • ", + "
  • any rent or upkeep they pay you each month
  • ", + "
  • that you support them financially if they do not live with you
  • ", + "

    You\u2019ll need to provide 2 documents from this list to prove where they live:

    ", + "
  • bank statement
  • ", + "
  • credit card bill
  • ", + "
  • driving licence
  • ", + "
  • NHS registration document
  • ", + "
  • a letter from their current school, college or university, on headed paper and issued by an authorised official of that organisation
  • ", + "

    The documents you provide cannot be more than a month old on the date you make your application.

    ", + "

    If your child lives away from home, you\u2019ll need to provide:

    ", + "
  • bank statements for you and your child covering the 3 months before the date you apply (to prove you\u2019ve supported them)
  • ", + "
  • confirmation from their university or college on headed paper and issued by an authorised official (if they\u2019re studying)
  • ", + "

    Children 18 and over

    ", + "

    You can only include older children in your application if they both:

    ", + "
  • were under 18 when they got permission to be in the UK as your dependant
  • ", + "
  • still do not live an independent life - for example, they have not got married or had children
  • ", + "

    They also need to:

    ", + "
  • pass the Life in the UK Test
  • ", + "
  • meet the English language requirements
  • ", + "

    If your child is over 18 by the time you apply and does not meet these requirements, they must apply separately.

    ", + "

    How to apply

    ", + "

    You cannot apply for indefinite leave to remain using an Innovator visa until March 2022 at the earliest.

    ", + "

    Other ways to stay in the UK

    ", + "

    If you\u2019re not eligible to apply using an Innovator visa, you may be able to stay in the UK another way. Check if you can:

    ", + "
  • extend your permission to stay in the UK
  • ", + "
  • use a different way to apply for indefinite leave to remain
  • " + ] + }, + "https://www.gov.uk/turkish-worker-business-person-settlement": { + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "title": "Apply for settlement if you're a Turkish Worker or Businessperson", + "content": "## Overview\n\nYou can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:\n\n- Turkish Worker visa\n\n- Turkish Businessperson visa\n\nYour family members (\u2018dependants\u2019) can also apply for settlement.\n\n## Fees\n\nThe application fee is \u00a32,389.\n\nYou also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\nIf you have family members applying for settlement with you, you\u2019ll need to pay the \u00a32,389 application fee and the \u00a319.20 biometric information fee for each person.\n\nIf your partner is applying to extend their visa, their fee is \u00a31,033 instead. They\u2019ll need to pay the healthcare surcharge.\n\n## How long you can stay\n\nGetting indefinite leave to remain means you can continue to live and work in the UK for as long as you like. It will mean you\u2019re eligible:\n\n- to take up any job\n\n- to run a business\n\n- for public services, such as healthcare and schools\n\n- for public funds and pensions\n\n- for British citizenship, if you meet the requirements\n\n## Eligibility\n\nTo be eligible to settle in the UK, you must have:\n\n- met the knowledge of language requirement\n\n- passed the Life in the UK test\n\n- registered with the police if you were told to\n\n- been living and working in the UK for the last 5 years without receiving public funds\n\n- spent no more than 180 days outside the UK in any 12 months in the last 5 years\n\nYou must continue to run a business if you\u2019re on a Turkish Businessperson visa.\n\nYour application might be refused if, for example, you\u2019ve:\n\n- got a criminal record in the UK or another country\n\n- provided false or incomplete information to the Home Office\n\n- broken UK immigration law\n\nRead the guidance on why applications can be refused.\n\n## Documents you must provide\n\nYou must provide:\n\n- a current passport or other valid travel identification\n\n- previous passports showing you\u2019ve been living legally in the UK for the past 5 years - if your current passport does not show this\n\n- the unique reference code that proves you passed the English language requirement\n\n- your police registration certificate covering the past 5 years (unless you did not need to register)\n\n## If you\u2019re a Turkish Businessperson\n\nYou\u2019ll also need to prove that you\u2019re continuing to run a business. You might need to provide documents, such as:\n\n- invoices showing work done\n\n- business bank statements\n\n- proof of National Insurance contributions - if appropriate\n\n- advertising materials\n\n- proof of renting or having purchased business premises\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 5 years before applying to settle)\n\n- your child under 21 or in limited circumstances over 21 (including children born in the UK)\n\n## Partners applying for indefinite leave to remain\n\nIf your partner is applying for indefinite leave to remain, they must:\n\n- have been granted leave as your dependant\n\n- have lived in the UK with you for a continuous period of 5 years\n\n- have met the knowledge of language and Life in the UK test\n\n## Partners applying to extend their visa\n\nIf you already have indefinite leave to remain, but your partner has not been here for 5 years on your visa they can apply to extend their visa.\n\nFor your partner to qualify, they must:\n\n- have last been granted entry clearance or leave to remain as your dependant\n\n- be living together with you in a genuine relationship\n\n- be living in suitable accommodation which you maintain without access to public funds\n\n- be registered with the police if they were told to\n\n## Children applying for indefinite leave to remain\n\nFor your children or child to apply for indefinite leave to remain, they must:\n\n- have been granted leave as your dependant\n\n- apply at the same time as both parents, or where both parents are settled already\n\n- not be married, in a civil partnership, have formed an independent family unit or be leading an independent life\n\n- have met the knowledge of language requirement and Life in the UK test - if they\u2019re 18 or over\n\n- have registered with the police if they were told to and are 16 or over\n\nYour child may also be able to apply if one of the following applies:\n\n- you\u2019re the child\u2019s only living parent\n\n- you have sole responsibility for them\n\n- there are serious reasons to let your child stay in the UK, for example they have a serious illness\n\n- their other parent is in the UK legally\n\nIf you already have indefinite leave to remain, your child may be eligible to apply if their other parent is extending a Turkish visa.\n\n## Documents your family need to provide\n\nEach family member must provide:\n\n- a current passport or other valid travel identification\n\n- 2 passport size colour photographs\n\n- proof of your relationship, for example a marriage or birth certificate, council tax bills or bank statements\n\n- proof they will live permanently with you, for example letters from your child\u2019s school or their doctor\n\n- proof that you have sole responsibility for any children aged under 21 if the other parent will not be in the UK (for example, written permission or relevant legal documents)\n\n## Apply\n\nYou can apply to settle in the UK (indefinite leave to remain). Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa. You must be in the UK to apply.\n\nYou must apply online.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who you\u2019ve included in your application form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:

    ", + "
  • Turkish Worker visa
  • ", + "
  • Turkish Businessperson visa
  • ", + "

    Your family members (\u2018dependants\u2019) can also apply for settlement.

    ", + "

    Fees

    ", + "

    The application fee is \u00a32,389.

    ", + "

    You also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    ", + "

    If you have family members applying for settlement with you, you\u2019ll need to pay the \u00a32,389 application fee and the \u00a319.20 biometric information fee for each person.

    ", + "

    If your partner is applying to extend their visa, their fee is \u00a31,033 instead. They\u2019ll need to pay the healthcare surcharge.

    ", + "

    How long you can stay

    ", + "

    Getting indefinite leave to remain means you can continue to live and work in the UK for as long as you like. It will mean you\u2019re eligible:

    ", + "
  • to take up any job
  • ", + "
  • to run a business
  • ", + "
  • for public services, such as healthcare and schools
  • ", + "
  • for public funds and pensions
  • ", + "
  • for British citizenship, if you meet the requirements
  • ", + "

    Eligibility

    ", + "

    To be eligible to settle in the UK, you must have:

    ", + "
  • met the knowledge of language requirement
  • ", + "
  • passed the Life in the UK test
  • ", + "
  • registered with the police if you were told to
  • ", + "
  • been living and working in the UK for the last 5 years without receiving public funds
  • ", + "
  • spent no more than 180 days outside the UK in any 12 months in the last 5 years
  • ", + "

    You must continue to run a business if you\u2019re on a Turkish Businessperson visa.

    ", + "

    Your application might be refused if, for example, you\u2019ve:

    ", + "
  • got a criminal record in the UK or another country
  • ", + "
  • provided false or incomplete information to the Home Office
  • ", + "
  • broken UK immigration law
  • ", + "

    Read the guidance on why applications can be refused.

    ", + "

    Documents you must provide

    ", + "

    You must provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • previous passports showing you\u2019ve been living legally in the UK for the past 5 years - if your current passport does not show this
  • ", + "
  • the unique reference code that proves you passed the English language requirement
  • ", + "
  • your police registration certificate covering the past 5 years (unless you did not need to register)
  • ", + "

    If you\u2019re a Turkish Businessperson

    ", + "

    You\u2019ll also need to prove that you\u2019re continuing to run a business. You might need to provide documents, such as:

    ", + "
  • invoices showing work done
  • ", + "
  • business bank statements
  • ", + "
  • proof of National Insurance contributions - if appropriate
  • ", + "
  • advertising materials
  • ", + "
  • proof of renting or having purchased business premises
  • ", + "

    Family members

    ", + "

    Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:

    ", + "
  • your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 5 years before applying to settle)
  • ", + "
  • your child under 21 or in limited circumstances over 21 (including children born in the UK)
  • ", + "

    Partners applying for indefinite leave to remain

    ", + "

    If your partner is applying for indefinite leave to remain, they must:

    ", + "
  • have been granted leave as your dependant
  • ", + "
  • have lived in the UK with you for a continuous period of 5 years
  • ", + "
  • have met the knowledge of language and Life in the UK test
  • ", + "

    Partners applying to extend their visa

    ", + "

    If you already have indefinite leave to remain, but your partner has not been here for 5 years on your visa they can apply to extend their visa.

    ", + "

    For your partner to qualify, they must:

    ", + "
  • have last been granted entry clearance or leave to remain as your dependant
  • ", + "
  • be living together with you in a genuine relationship
  • ", + "
  • be living in suitable accommodation which you maintain without access to public funds
  • ", + "
  • be registered with the police if they were told to
  • ", + "

    Children applying for indefinite leave to remain

    ", + "

    For your children or child to apply for indefinite leave to remain, they must:

    ", + "
  • have been granted leave as your dependant
  • ", + "
  • apply at the same time as both parents, or where both parents are settled already
  • ", + "
  • not be married, in a civil partnership, have formed an independent family unit or be leading an independent life
  • ", + "
  • have met the knowledge of language requirement and Life in the UK test - if they\u2019re 18 or over
  • ", + "
  • have registered with the police if they were told to and are 16 or over
  • ", + "

    Your child may also be able to apply if one of the following applies:

    ", + "
  • you\u2019re the child\u2019s only living parent
  • ", + "
  • you have sole responsibility for them
  • ", + "
  • there are serious reasons to let your child stay in the UK, for example they have a serious illness
  • ", + "
  • their other parent is in the UK legally
  • ", + "

    If you already have indefinite leave to remain, your child may be eligible to apply if their other parent is extending a Turkish visa.

    ", + "

    Documents your family need to provide

    ", + "

    Each family member must provide:

    ", + "
  • a current passport or other valid travel identification
  • ", + "
  • 2 passport size colour photographs
  • ", + "
  • proof of your relationship, for example a marriage or birth certificate, council tax bills or bank statements
  • ", + "
  • proof they will live permanently with you, for example letters from your child\u2019s school or their doctor
  • ", + "
  • proof that you have sole responsibility for any children aged under 21 if the other parent will not be in the UK (for example, written permission or relevant legal documents)
  • ", + "

    Apply

    ", + "

    You can apply to settle in the UK (indefinite leave to remain). Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa. You must be in the UK to apply.

    ", + "

    You must apply online.

    ", + "

    Get help using a computer to apply online

    ", + "

    You can get help with:

    ", + "
  • accessing a computer or the internet
  • ", + "
  • finding the right information on GOV.UK
  • ", + "

    You cannot get advice on:

    ", + "
  • whether you\u2019re eligible to apply
  • ", + "
  • what information to put in your application
  • ", + "
  • an application you\u2019ve already made
  • ", + "

    Providing biometric information and supporting documents

    ", + "

    When you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).

    ", + "

    Any children aged 6 and over who you\u2019ve included in your application form must also provide biometric information.

    ", + "

    You\u2019ll also need to submit your supporting documents. You can:

    ", + "
  • upload them into the online service
  • ", + "
  • have them scanned at your UKVCAS appointment
  • ", + "

    You must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.

    " + ] + }, + "https://www.gov.uk/derivative-right-residence": { + "url": "https://www.gov.uk/derivative-right-residence", + "title": "Derivative residence cards", + "content": "## Overview\n\nYou can no longer apply for a derivative residence card. If you already have a card, it will not be valid after 30 June 2021.\n\nIf you applied for a derivative residence card before 1 January 2021, you will get a decision on your application within 6 months.\n\n## Living in the UK after 30 June 2021\n\nYou can apply to the EU Settlement Scheme if you were living in the UK by 31 December 2020 and you\u2019re one of the following:\n\n- the primary carer of a British, EU, EEA or Swiss citizen\n\n- a child of the primary carer of a British, EU, EEA or Swiss citizen\n\n- a child of a former worker from the EU, EEA or Switzerland and you\u2019re currently in education\n\nBeing a \u2018primary carer\u2019 means you\u2019re someone\u2019s main carer, or you share the responsibility with someone else at least equally, and you\u2019re their direct relative or legal guardian.\n\nIf you want to move to the UK on or after 1 January 2021, check if you need a UK visa.\n\n## If you have a derivative residence card\n\nUntil 30 June 2021, you can still use your card to:\n\n- help you re-enter the country quicker when you come back from abroad\n\n- show employers you\u2019re allowed to work in the UK\n\n- show relevant authorities (for example your local council) that you\u2019re allowed to live in the UK\n\n## Your card has not arrived\n\nEmail the Home Office on BRCDelivery@homeoffice.gov.uk if you have not received your derivative residence card within 10 working days of the date on your decision letter.\n\nInclude the following in your email:\n\n- your full name, date of birth and nationality\n\n- your passport number\n\n- your case reference number\n\n- a contact telephone number\n\n- your delivery address\n\n## Correct mistakes on your card\n\nEmail the Home Office on BRCError@homeoffice.gov.uk within 10 days of receiving your derivative residence card if there\u2019s a mistake on it.\n\nInclude the following in your email:\n\n- your full name, date of birth and nationality\n\n- your passport number\n\n- your derivative residence card reference number\n\n- your case reference number\n\n- a contact telephone number\n\n- details of exactly what information is wrong\n\n## Report a lost or stolen card\n\n## Your card has been lost or stolen\n\nEmail BRCLost@homeoffice.gov.uk immediately if your derivative residence card has been lost or stolen. You must include:\n\n- your full name, date of birth and nationality\n\n- your contact details\n\n- your passport number\n\n- your derivative residence card reference number\n\n- your police case reference number\n\n- when, where and how the loss or theft occurred\n\nYou must contact the police to report the loss or theft and get a police case reference number.\n\n## Your card is damaged\n\nReport a damaged card to BRCError@homeoffice.gov.uk.\n\nInclude the following in your email:\n\n- your full name, date of birth and nationality\n\n- your contact details\n\n- your passport number\n\n- your derivative residence card reference number\n\n- what the damage is\n\nYou can also send this information by post.\n\n## Replacement derivative residence cards\n\nYou can no longer apply for a replacement derivative residence card.\n\nIf your card is lost, stolen, damaged or destroyed, you\u2019ll need to apply to the EU Settlement Scheme.\n\n## If your passport has expired\n\nYou cannot transfer your card to a new passport.\n\nYou can still use your existing card if it\u2019s valid, but when you travel you must also show both:\n\n- your new passport\n\n- your old passport, if it includes your derivative residence card", + "original_contents": [ + "

    Overview

    ", + "

    You can no longer apply for a derivative residence card. If you already have a card, it will not be valid after 30 June 2021.

    ", + "

    If you applied for a derivative residence card before 1 January 2021, you will get a decision on your application within 6 months.

    ", + "

    Living in the UK after 30 June 2021

    ", + "

    You can apply to the EU Settlement Scheme if you were living in the UK by 31 December 2020 and you\u2019re one of the following:

    ", + "
  • the primary carer of a British, EU, EEA or Swiss citizen
  • ", + "
  • a child of the primary carer of a British, EU, EEA or Swiss citizen
  • ", + "
  • a child of a former worker from the EU, EEA or Switzerland and you\u2019re currently in education
  • ", + "

    Being a \u2018primary carer\u2019 means you\u2019re someone\u2019s main carer, or you share the responsibility with someone else at least equally, and you\u2019re their direct relative or legal guardian.

    ", + "

    If you want to move to the UK on or after 1 January 2021, check if you need a UK visa.

    ", + "

    If you have a derivative residence card

    ", + "

    Until 30 June 2021, you can still use your card to:

    ", + "
  • help you re-enter the country quicker when you come back from abroad
  • ", + "
  • show employers you\u2019re allowed to work in the UK
  • ", + "
  • show relevant authorities (for example your local council) that you\u2019re allowed to live in the UK
  • ", + "

    Your card has not arrived

    ", + "

    Email the Home Office on BRCDelivery@homeoffice.gov.uk if you have not received your derivative residence card within 10 working days of the date on your decision letter.

    ", + "

    Include the following in your email:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • your passport number
  • ", + "
  • your case reference number
  • ", + "
  • a contact telephone number
  • ", + "
  • your delivery address
  • ", + "

    Correct mistakes on your card

    ", + "

    Email the Home Office on BRCError@homeoffice.gov.uk within 10 days of receiving your derivative residence card if there\u2019s a mistake on it.

    ", + "

    Include the following in your email:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • your passport number
  • ", + "
  • your derivative residence card reference number
  • ", + "
  • your case reference number
  • ", + "
  • a contact telephone number
  • ", + "
  • details of exactly what information is wrong
  • ", + "

    Report a lost or stolen card

    ", + "

    Your card has been lost or stolen

    ", + "

    Email BRCLost@homeoffice.gov.uk immediately if your derivative residence card has been lost or stolen. You must include:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • your contact details
  • ", + "
  • your passport number
  • ", + "
  • your derivative residence card reference number
  • ", + "
  • your police case reference number
  • ", + "
  • when, where and how the loss or theft occurred
  • ", + "

    You must contact the police to report the loss or theft and get a police case reference number.

    ", + "

    Your card is damaged

    ", + "

    Report a damaged card to BRCError@homeoffice.gov.uk.

    ", + "

    Include the following in your email:

    ", + "
  • your full name, date of birth and nationality
  • ", + "
  • your contact details
  • ", + "
  • your passport number
  • ", + "
  • your derivative residence card reference number
  • ", + "
  • what the damage is
  • ", + "

    You can also send this information by post.

    ", + "

    Replacement derivative residence cards

    ", + "

    You can no longer apply for a replacement derivative residence card.

    ", + "

    If your card is lost, stolen, damaged or destroyed, you\u2019ll need to apply to the EU Settlement Scheme.

    ", + "

    If your passport has expired

    ", + "

    You cannot transfer your card to a new passport.

    ", + "

    You can still use your existing card if it\u2019s valid, but when you travel you must also show both:

    ", + "
  • your new passport
  • ", + "
  • your old passport, if it includes your derivative residence card
  • " + ] + }, + "https://www.gov.uk/english-language": { + "url": "https://www.gov.uk/english-language", + "title": "Prove your knowledge of English for citizenship and settling", + "content": "## Overview\n\nYou might need to prove your knowledge of the English language if you\u2019re 18 or over and applying for citizenship or to settle in the UK (known as \u2018indefinite leave to remain\u2019).\n\nYou can prove it by having either:\n\n- an English qualification at B1, B2, C1 or C2 level\n\n- a degree taught or researched in English\n\nYou do not need to prove your knowledge of English in certain circumstances.\n\nYour citizenship or settlement application will be refused if you send the wrong qualifications.\n\n## If you need more time\n\nIf you\u2019re already in the UK you may be able to extend your permission to stay, so that you can prove your knowledge of English.\n\nCheck the guide for your current visa for instructions on how to apply for an extension.\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re:\n\n- aged 65 or over\n\n- unable to, because of a long-term physical or mental condition\n\nYou must provide a completed exemption form from a doctor confirming your physical or mental condition.\n\n## Nationalities that are exempt\n\nYou will not need to prove your knowledge of English if you\u2019re a citizen of:\n\n- Antigua and Barbuda\n\n- Australia\n\n- The Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Ireland (for citizenship only)\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nIf you\u2019re from a country that\u2019s not on the list you\u2019ll need to prove your knowledge of English, even if English is an official language.\n\n## If you\u2019re applying for citizenship\n\nThere are no other exemptions if you\u2019re applying to become a British citizen. You must have a relevant English language qualification even if you were exempt when you were granted settlement.\n\n## Exemptions if you\u2019re applying to settle\n\nYou do not need to prove your knowledge of English if you\u2019re applying as:\n\n- a victim of domestic violence as the partner or spouse of a British citizen or someone settled in the UK\n\n- the partner or spouse of a person who has died who was either a British citizen or someone settled in the UK\n\n- an adult dependent relative between 18 and 64 of someone who is present and settled in the UK, is a refugee or has humanitarian protection\n\n- a refugee living in the UK\n\n- someone living in the UK with discretionary leave\n\n- someone living in the UK for with humanitarian protection\n\n- someone who has permission to stay in the UK as a retired person of independent means\n\n- a Commonwealth citizen on discharge from HM Forces, including Gurkhas\n\n- someone in exceptional circumstances, for example as an orphan, widow or over-age dependant\n\n## Approved English language qualifications\n\nYou can prove your knowledge of English by having a recognised English test qualification from an approved test centre.\n\nYou need to have a certificate to prove you have the qualification, or be able to view your results online.\n\nYou can only use English for Speakers of Other Languages (ESOL) qualifications if they\u2019re on the list. You cannot use other qualifications, for example GCSEs, A levels or National Vocational Qualifications (NVQs).\n\n## If your qualification has run out\n\nSome recognised test qualifications only last for 2 years. You can still use a B1 level qualification that you took more than 2 years ago in 2 situations.\n\n## Applying for citizenship\n\nYou can use a B1 level qualification that\u2019s run out if you\u2019re applying for citizenship and it was accepted when you settled in the UK.\n\nIt does not matter if the B1 level test you took is not on the current list of recognised tests. You do not need to take another test.\n\n## Applying to settle in the UK\n\nYou can use a B1 level qualification that\u2019s run out if both of the following are true:\n\n- it\u2019s on the current list of recognised tests\n\n- it was accepted for another UK immigration application, for example when you got permission to enter\n\n## If your degree was taught or researched in English\n\nYou can prove your knowledge of English by having a degree that was taught or researched in English.\n\nIf your degree is from a UK university, you only need your degree certificate.\n\nIf your degree is not from a UK university you\u2019ll need:\n\n- a copy of your degree certificate\n\n- an Academic Qualification Level Statement (AQUALS) from Ecctis (formerly UK NARIC) confirming the degree is equivalent to a UK qualification.\n\nIf your degree is from a non-majority English-speaking country you\u2019ll also need an English Language Proficiency Statement (ELPS) from Ecctis confirming the degree was taught in English.\n\n## If you\u2019ve lost your certificate or you\u2019re waiting for graduation\n\nYou must have proof that you\u2019ve passed your degree. This can be either:\n\n- an official transcript with your name, the name of the institution, your degree and confirmation of the award\n\n- an official letter from your university confirming it cannot reissue your certificate or when it will be issued\n\nYour letter must include:\n\n- your name\n\n- your degree\n\n- the date the degree was or will be awarded", + "original_contents": [ + "

    Overview

    ", + "

    You might need to prove your knowledge of the English language if you\u2019re 18 or over and applying for citizenship or to settle in the UK (known as \u2018indefinite leave to remain\u2019).

    ", + "

    You can prove it by having either:

    ", + "
  • an English qualification at B1, B2, C1 or C2 level
  • ", + "
  • a degree taught or researched in English
  • ", + "

    You do not need to prove your knowledge of English in certain circumstances.

    ", + "

    Your citizenship or settlement application will be refused if you send the wrong qualifications.

    ", + "

    If you need more time

    ", + "

    If you\u2019re already in the UK you may be able to extend your permission to stay, so that you can prove your knowledge of English.

    ", + "

    Check the guide for your current visa for instructions on how to apply for an extension.

    ", + "

    Who does not need to prove their knowledge of English

    ", + "

    You do not need to prove your knowledge of English if you\u2019re:

    ", + "
  • aged 65 or over
  • ", + "
  • unable to, because of a long-term physical or mental condition
  • ", + "

    You must provide a completed exemption form from a doctor confirming your physical or mental condition.

    ", + "

    Nationalities that are exempt

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a citizen of:

    ", + "
  • Antigua and Barbuda
  • ", + "
  • Australia
  • ", + "
  • The Bahamas
  • ", + "
  • Barbados
  • ", + "
  • Belize
  • ", + "
  • Canada
  • ", + "
  • Dominica
  • ", + "
  • Grenada
  • ", + "
  • Guyana
  • ", + "
  • Jamaica
  • ", + "
  • Ireland (for citizenship only)
  • ", + "
  • Malta
  • ", + "
  • New Zealand
  • ", + "
  • St Kitts and Nevis
  • ", + "
  • St Lucia
  • ", + "
  • St Vincent and the Grenadines
  • ", + "
  • Trinidad and Tobago
  • ", + "
  • USA
  • ", + "

    If you\u2019re from a country that\u2019s not on the list you\u2019ll need to prove your knowledge of English, even if English is an official language.

    ", + "

    If you\u2019re applying for citizenship

    ", + "

    There are no other exemptions if you\u2019re applying to become a British citizen. You must have a relevant English language qualification even if you were exempt when you were granted settlement.

    ", + "

    Exemptions if you\u2019re applying to settle

    ", + "

    You do not need to prove your knowledge of English if you\u2019re applying as:

    ", + "
  • a victim of domestic violence as the partner or spouse of a British citizen or someone settled in the UK
  • ", + "
  • the partner or spouse of a person who has died who was either a British citizen or someone settled in the UK
  • ", + "
  • an adult dependent relative between 18 and 64 of someone who is present and settled in the UK, is a refugee or has humanitarian protection
  • ", + "
  • a refugee living in the UK
  • ", + "
  • someone living in the UK with discretionary leave
  • ", + "
  • someone living in the UK for with humanitarian protection
  • ", + "
  • someone who has permission to stay in the UK as a retired person of independent means
  • ", + "
  • a Commonwealth citizen on discharge from HM Forces, including Gurkhas
  • ", + "
  • someone in exceptional circumstances, for example as an orphan, widow or over-age dependant
  • ", + "

    Approved English language qualifications

    ", + "

    You can prove your knowledge of English by having a recognised English test qualification from an approved test centre.

    ", + "

    You need to have a certificate to prove you have the qualification, or be able to view your results online.

    ", + "

    You can only use English for Speakers of Other Languages (ESOL) qualifications if they\u2019re on the list. You cannot use other qualifications, for example GCSEs, A levels or National Vocational Qualifications (NVQs).

    ", + "

    If your qualification has run out

    ", + "

    Some recognised test qualifications only last for 2 years. You can still use a B1 level qualification that you took more than 2 years ago in 2 situations.

    ", + "

    Applying for citizenship

    ", + "

    You can use a B1 level qualification that\u2019s run out if you\u2019re applying for citizenship and it was accepted when you settled in the UK.

    ", + "

    It does not matter if the B1 level test you took is not on the current list of recognised tests. You do not need to take another test.

    ", + "

    Applying to settle in the UK

    ", + "

    You can use a B1 level qualification that\u2019s run out if both of the following are true:

    ", + "
  • it\u2019s on the current list of recognised tests
  • ", + "
  • it was accepted for another UK immigration application, for example when you got permission to enter
  • ", + "

    If your degree was taught or researched in English

    ", + "

    You can prove your knowledge of English by having a degree that was taught or researched in English.

    ", + "

    If your degree is from a UK university, you only need your degree certificate.

    ", + "

    If your degree is not from a UK university you\u2019ll need:

    ", + "
  • a copy of your degree certificate
  • ", + "
  • an Academic Qualification Level Statement (AQUALS) from Ecctis (formerly UK NARIC) confirming the degree is equivalent to a UK qualification.
  • ", + "

    If your degree is from a non-majority English-speaking country you\u2019ll also need an English Language Proficiency Statement (ELPS) from Ecctis confirming the degree was taught in English.

    ", + "

    If you\u2019ve lost your certificate or you\u2019re waiting for graduation

    ", + "

    You must have proof that you\u2019ve passed your degree. This can be either:

    ", + "
  • an official transcript with your name, the name of the institution, your degree and confirmation of the award
  • ", + "
  • an official letter from your university confirming it cannot reissue your certificate or when it will be issued
  • ", + "

    Your letter must include:

    ", + "
  • your name
  • ", + "
  • your degree
  • ", + "
  • the date the degree was or will be awarded
  • " + ] + }, + "https://www.gov.uk/life-in-the-uk-test": { + "url": "https://www.gov.uk/life-in-the-uk-test", + "title": "Life in the UK Test", + "content": "## Book the Life in the UK Test\n\nThis is the only official government service for booking the Life in the UK Test. You need to take the test as part of your application for British citizenship or settlement in the UK.\n\nYou must book your Life in the UK Test online at least 3 days in advance. It costs \u00a350.\n\nThere are over 30 test centres in the UK. You can choose where to take your test when you book.\n\n## Prepare for the test\n\nYou\u2019ll be tested on information in the official handbook for the Life in the UK Test. You should study it to prepare for the test. The handbook is available as a book, an eBook, an e-Learning subscription or in audio formats.\n\nYou\u2019ll have 45 minutes to answer 24 questions about British traditions and customs.\n\n## Book the test\n\nYou need all of the following to book a test:\n\n- email address\n\n- debit or credit card\n\n- an accepted form of ID\n\nStart now\n\n## Accepted forms of ID\n\nYou can use one of the following as ID to book the test:\n\n- valid passport\n\n- valid travel document with a photo (you cannot use an emergency travel document)\n\n- biometric residence permit\n\n- biometric residence card\n\nCheck the \u2018Identification requirements\u2019 document to make sure the ID you have is acceptable.\n\nEmail nationalityenquiries@homeoffice.gov.uk for help if you do not have any of these documents.\n\nThe name you give on your test booking must be an exact match with the name on the ID you use to book the test.\n\nIf you have a previous gender (including a different name) that you do not want the test centre staff to see or for it to show on your test result, email\u00a0sensitivebookings@homeoffice.gov.uk\u00a0before booking your test. They\u2019ll tell you what you need to do.\n\n## If you have a disability\n\nYou can make special requests when you book your test, for example if you have a disability and need extra equipment or help accessing the centre.\n\n## Get help\n\nContact the Life in the UK Test Helpline if you need help with your booking.\n\n## When you do not need to take the test\n\nYou do not need to take the test if you:\n\n- are under 18\n\n- are 65 or over\n\n- have passed it before - for example, if you\u2019re applying to become a citizen and already passed it as part of your settlement application\n\n- have a long-term physical or mental condition - you must provide either a form or letter from a doctor confirming your physical or mental condition\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## What happens at the test\n\nYou have 45 minutes to answer 24 questions based on the Life in the UK handbook.\n\nYou cannot bring children or other family members with you to the centre.\n\n## What to bring to your test\n\nYou must bring the same ID that you used to book the test. Your photo will also be taken on the day to confirm your ID.\n\nYou will not be able to take the test and you will not get a refund if you do not bring the correct ID or if you refuse to have your photo taken.\n\n## If you pass the test\n\nYou must score 75% or more to pass the test.\n\nYou\u2019ll get a \u2018unique reference number\u2019. You\u2019ll need this number to complete your citizenship or settlement application. The Home Office will use it to check that you\u2019ve passed.\n\nIf you took your test before 17 December 2019, you\u2019ll have a letter with a \u2018test reference ID\u2019 instead of a unique reference number.\n\nIf you have lost your letter, send a letter explaining that you have lost it with your citizenship or settlement application.\n\n## If you fail the test\n\nYou must wait 7 days before taking the test again, but you can take the test as many times as you need to. You need to book and pay again each time.\n\n## Cancellations, refunds and complaints\n\nYou must cancel your test if you cannot make it.\n\nYou\u2019ll get a refund if you cancel your test at least 3 days (72 hours) before you\u2019re due to take the test. You will not get a refund if you cancel or rearrange within 3 days of your test.\n\n## How to cancel\n\n- Sign into your Life in the UK account.\n\n- Select \u2018Confirmed tests\u2019.\n\n- Select \u2018Cancel tests\u2019.\n\nIf you\u2019re eligible for a refund due to cancellation, the \u00a350 fee will be refunded to the card you used to book the test - you do not need to contact UK Visas and Immigration.\n\nYou can then book a test on another date.\n\n## Ask for a refund\n\nYou can ask for a refund if the test centre cancels the test.\n\nYou cannot ask for a refund for any other reason, for example if you brought the wrong ID, you were ill, you were late, you did not bring the right documents or you refused to have your photo taken.\n\nYou must ask for a refund within 3 months of the test date. The fee will be refunded to the card you used to book the test.\n\nContact PSI to ask for a refund.\n\nOr write to PSI e-Assessments.\n\n## Make a complaint\n\nContact PSI to make a complaint.\n\nYou\u2019ll get a response within 10 working days.\n\nYou must make your complaint within 3 months of the test date.", + "original_contents": [ + "

    Book the Life in the UK Test

    ", + "

    This is the only official government service for booking the Life in the UK Test. You need to take the test as part of your application for British citizenship or settlement in the UK.

    ", + "

    You must book your Life in the UK Test online at least 3 days in advance. It costs \u00a350.

    ", + "

    There are over 30 test centres in the UK. You can choose where to take your test when you book.

    ", + "

    Prepare for the test

    ", + "

    You\u2019ll be tested on information in the official handbook for the Life in the UK Test. You should study it to prepare for the test. The handbook is available as a book, an eBook, an e-Learning subscription or in audio formats.

    ", + "

    You\u2019ll have 45 minutes to answer 24 questions about British traditions and customs.

    ", + "

    Book the test

    ", + "

    You need all of the following to book a test:

    ", + "
  • email address
  • ", + "
  • debit or credit card
  • ", + "
  • an accepted form of ID
  • ", + "

    Start now

    ", + "

    Accepted forms of ID

    ", + "

    You can use one of the following as ID to book the test:

    ", + "
  • valid passport
  • ", + "
  • valid travel document with a photo (you cannot use an emergency travel document)
  • ", + "
  • biometric residence permit
  • ", + "
  • biometric residence card
  • ", + "

    Check the \u2018Identification requirements\u2019 document to make sure the ID you have is acceptable.

    ", + "

    Email nationalityenquiries@homeoffice.gov.uk for help if you do not have any of these documents.

    ", + "

    The name you give on your test booking must be an exact match with the name on the ID you use to book the test.

    ", + "

    If you have a previous gender (including a different name) that you do not want the test centre staff to see or for it to show on your test result, email\u00a0sensitivebookings@homeoffice.gov.uk\u00a0before booking your test. They\u2019ll tell you what you need to do.

    ", + "

    If you have a disability

    ", + "

    You can make special requests when you book your test, for example if you have a disability and need extra equipment or help accessing the centre.

    ", + "

    Get help

    ", + "

    Contact the Life in the UK Test Helpline if you need help with your booking.

    ", + "

    When you do not need to take the test

    ", + "

    You do not need to take the test if you:

    ", + "
  • are under 18
  • ", + "
  • are 65 or over
  • ", + "
  • have passed it before - for example, if you\u2019re applying to become a citizen and already passed it as part of your settlement application
  • ", + "
  • have a long-term physical or mental condition - you must provide either a form or letter from a doctor confirming your physical or mental condition
  • ", + "

    If you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.

    ", + "

    What happens at the test

    ", + "

    You have 45 minutes to answer 24 questions based on the Life in the UK handbook.

    ", + "

    You cannot bring children or other family members with you to the centre.

    ", + "

    What to bring to your test

    ", + "

    You must bring the same ID that you used to book the test. Your photo will also be taken on the day to confirm your ID.

    ", + "

    You will not be able to take the test and you will not get a refund if you do not bring the correct ID or if you refuse to have your photo taken.

    ", + "

    If you pass the test

    ", + "

    You must score 75% or more to pass the test.

    ", + "

    You\u2019ll get a \u2018unique reference number\u2019. You\u2019ll need this number to complete your citizenship or settlement application. The Home Office will use it to check that you\u2019ve passed.

    ", + "

    If you took your test before 17 December 2019, you\u2019ll have a letter with a \u2018test reference ID\u2019 instead of a unique reference number.

    ", + "

    If you have lost your letter, send a letter explaining that you have lost it with your citizenship or settlement application.

    ", + "

    If you fail the test

    ", + "

    You must wait 7 days before taking the test again, but you can take the test as many times as you need to. You need to book and pay again each time.

    ", + "

    Cancellations, refunds and complaints

    ", + "

    You must cancel your test if you cannot make it.

    ", + "

    You\u2019ll get a refund if you cancel your test at least 3 days (72 hours) before you\u2019re due to take the test. You will not get a refund if you cancel or rearrange within 3 days of your test.

    ", + "

    How to cancel

    ", + "
  • Sign into your Life in the UK account.
  • ", + "
  • Select \u2018Confirmed tests\u2019.
  • ", + "
  • Select \u2018Cancel tests\u2019.
  • ", + "

    If you\u2019re eligible for a refund due to cancellation, the \u00a350 fee will be refunded to the card you used to book the test - you do not need to contact UK Visas and Immigration.

    ", + "

    You can then book a test on another date.

    ", + "

    Ask for a refund

    ", + "

    You can ask for a refund if the test centre cancels the test.

    ", + "

    You cannot ask for a refund for any other reason, for example if you brought the wrong ID, you were ill, you were late, you did not bring the right documents or you refused to have your photo taken.

    ", + "

    You must ask for a refund within 3 months of the test date. The fee will be refunded to the card you used to book the test.

    ", + "

    Contact PSI to ask for a refund.

    ", + "

    Or write to PSI e-Assessments.

    ", + "

    Make a complaint

    ", + "

    Contact PSI to make a complaint.

    ", + "

    You\u2019ll get a response within 10 working days.

    ", + "

    You must make your complaint within 3 months of the test date.

    " + ] + }, + "https://www.gov.uk/claim-asylum": { + "url": "https://www.gov.uk/claim-asylum", + "title": "Claim asylum in the UK", + "content": "## Overview\n\nYou must apply for asylum if you want to stay in the UK as a refugee.\n\nTo be eligible you must have left your country and be unable to go back because you fear persecution.\n\nApply for a visa if you want to come to the UK for another reason (for example to work, study or remain with family). If you\u2019re already in the UK and want to remain with family living here, apply for a family of a settled person visa.\n\nYou should apply when you arrive in the UK or as soon as you think it would be unsafe for you to return to your own country. Your application is more likely to be denied if you wait.\n\nWhen you apply you\u2019ll have a meeting with an immigration officer (known as a \u2018screening\u2019).\n\nAfter your screening the Home Office will decide if your claim can be considered in the UK. If it can, you\u2019ll have an asylum interview with a caseworker.\n\nYou\u2019ll usually get a decision on your application within 6 months.\n\nYou can get up to 2 years in prison or have to leave the UK if you give false information on your application.\n\n## Waiting for your decision\n\nYou\u2019ll be told after your screening what you must do while you\u2019re waiting for your asylum decision, for example report to a caseworker regularly (known as \u2018reporting meetings\u2019).\n\nYou must tell the authorities if your situation changes.\n\nYou will not usually be allowed to work while your asylum claim is being considered.\n\n## Help you can get\n\nYou can get help with:\n\n- getting legal representation for your asylum claim\n\n- living in the UK while you wait for your decision\n\n## Children applying on their own\n\nYou can apply as a child on your own if you do not have an adult relative who is also claiming asylum.\n\n## Eligibility\n\nTo stay in the UK as a refugee you must be unable to live safely in any part of your own country because you fear persecution there.\n\nIf you\u2019re stateless, your own country is the country you usually live in.\n\nThis persecution must be because of:\n\n- your race\n\n- your religion\n\n- your nationality\n\n- your political opinion\n\n- anything else that puts you at risk because of the social, cultural, religious or political situation in your country, for example, your gender, gender identity or sexual orientation\n\nYou must have failed to get protection from authorities in your own country.\n\n## When your claim might not be considered\n\nYour claim might not be considered if you:\n\n- are from an EU country\n\n- travelled to the UK through a \u2018safe third country\u2019\n\n- have a connection to a safe third country where you could claim asylum\n\nGenerally, a safe third country is one that:\n\n- you\u2019re not a citizen of\n\n- you would not be harmed in\n\n- would not send you on to another country where you would be harmed\n\n## Family members\n\nYou can include your partner and your children under 18 as \u2018dependants\u2019 in your application if they\u2019re with you in the UK.\n\nYour children under 18 and your partner can also make their own applications at the same time, but they will not be treated as your dependants.\n\n## Documents you must provide\n\nYou\u2019ll need documents for yourself and your dependants (partner and children under 18) for your asylum screening.\n\nDocuments you should bring (if you have them) include:\n\n- passports and travel documents\n\n- police registration certificates\n\n- identification documents, for example identity cards, birth and marriage certificates or school records\n\n- anything you think will help your application\n\n## Documents to prove your UK address\n\nIf you\u2019re already in the UK, you and your dependants must bring documents that prove your UK address.\n\nYou\u2019ll need different documents depending on whether you\u2019re living in your own accommodation or staying with someone else.\n\n## Living in your own accommodation\n\nYou\u2019ll need to provide documents showing your full name and address. This could be a:\n\n- bank statement\n\n- housing benefit book\n\n- council tax notice\n\n- tenancy agreement\n\n- household bill\n\n## Staying with someone else\n\nYou\u2019ll need to provide:\n\n- a recent letter (less than 3 months old) from the person you\u2019re staying with to confirm you have their permission to stay\n\n- documents showing the full name and address of the person you\u2019re staying with, like a council tax notice, tenancy agreement or household bill\n\n## Register your asylum claim\n\nYou register your asylum claim at a \u2018screening\u2019. This is a meeting with an immigration officer where you tell them about your case.\n\nYou\u2019ll have your screening at the UK border if you claim asylum as soon as you arrive. You can also be screened once you\u2019re in the UK if you become eligible for asylum.\n\nAt your screening you\u2019ll:\n\n- be photographed\n\n- have your fingerprints taken\n\n- have an interview to check who you are and where you\u2019re from\n\nYou\u2019ll be asked why you want asylum. You can bring written evidence to support your claim if you want, as well as your identification documents.\n\nYou\u2019ll need to say if you or your dependants are taking any medication and give any relevant medical information.\n\nYou can ask for a male or female interviewer, but your choice might not always be available.\n\n## Screening at the UK border\n\nYou must tell a Border Force officer that you want to claim asylum.\n\nYour application will be registered and you\u2019ll be screened - ask for an interpreter if you need one.\n\n## Screening in the UK\n\nYou must call the asylum intake unit if you\u2019re already in the UK.\n\nThey\u2019ll call you back and ask simple questions about you and your family. You will not be asked why you\u2019re claiming asylum during this telephone call.\n\nYou\u2019ll be asked if you need help with housing. You might also be asked questions relating to coronavirus (COVID-19).\n\nThe call may take up to 30 minutes.\n\nYou do not need to make an appointment if you have nowhere to live - call the asylum intake unit to find out what asylum registration location you should go to and its opening hours.\n\nTell the asylum intake unit if you need any other dependants on your claim to be present at any stage of your asylum registration, for example the welfare interview, or if you\u2019re a child and need to be accompanied. You can ask to have an interpreter at your screening.\n\nYour appointment might be in a temporary location.\n\n## Attending your appointment\n\nBecause of coronavirus, attend your appointment alone or with any dependants claiming asylum with you.\n\nIf you\u2019re helping a child register their own asylum claim, only you can go with them to their appointment.\n\nYou must bring the documents you need for your application.\n\nYou must also bring any dependants (partner and children under 18) who are claiming asylum with you.\n\nIf you show up without an appointment, you may be asked to come back another day.\n\nYou cannot get financial help for travel to or from the asylum intake unit.\n\nTell the appointment service if your situation changes before your appointment date, for example if you can no longer stay where you are living.\n\n## After your screening\n\nAfter your screening, the Home Office will review your case and decide whether it can be considered in the UK.\n\nYou\u2019ll be sent an asylum registration card (ARC) to your UK address, unless you\u2019ve been detained.\n\nIf the Home Office cannot send you an ARC immediately, they\u2019ll send you an appointment letter telling you what to do next.\n\nYou might also be sent a \u2018preliminary information questionnaire\u2019. If you get one, fill it in and return it by the deadline - the address and deadline are written on the letter that comes with the questionnaire. If you cannot fill it in, call the Home Office asylum team. Their phone number is on the letter.\n\nIf your case can be considered in the UK, it will be given to a caseworker.\n\n## If your case cannot be considered in the UK\n\nYou may be sent to a safe country that will consider your asylum claim. This might happen if you\u2019ve travelled to the UK through a safe third country or you have a connection with another country that you could claim asylum in.\n\nGenerally, a safe country is one that:\n\n- you\u2019re not a citizen of\n\n- you would not be harmed in\n\n- would not send you on to another country where you would be harmed\n\nThe Home Office can decide to send you to a safe country after either your screening or your asylum interview.\n\nIf the Home Office cannot place you in another safe country, your case will be considered in the UK and given to a caseworker.\n\n## Caseworkers\n\nYou\u2019ll have an asylum interview with your caseworker. They\u2019ll make a decision about your application.\n\nThey\u2019ll also explain the asylum process and tell you what to do while you wait for an asylum decision, such as go to regular reporting meetings.\n\nYou may be detained if you do not go to your reporting meetings.\n\nTell your caseworker if you have any special needs, for example if you have a disability or need medication.\n\n## Your ARC\n\nThe ARC shows you\u2019ve applied for asylum. You can use it to:\n\n- show who you are\n\n- show whether you have permission to work\n\n- get health or education services\n\nYou must take your ARC with you when you go to your reporting meetings.\n\n## If you do not have your ARC\n\nContact the Home Office using the online form if you have any problems - for example:\n\n- you\u2019ve not got your ARC through the post\n\n- you\u2019ve lost it\n\n- it\u2019s been stolen\n\n- it\u2019s expired\n\nYou\u2019ll be asked to give your Home Office or port reference number, and your ARC reference (if you know it).\n\n## Being detained\n\nYou may be detained at an immigration removal centre while you wait for a decision on your application.\n\nYou\u2019ll either be:\n\n- released if you get permission to stay in the UK\n\n- held until you\u2019re removed from the UK if you do not get permission to stay\n\nYou can also be detained and removed if it\u2019s decided that another country is responsible for offering you asylum.\n\nYou may be able to appeal against the decision.\n\n## When you will not be detained\n\nYou will not usually be detained if:\n\n- you\u2019re a child\n\n- you\u2019re elderly\n\n- you\u2019re a family with children\n\n- you\u2019re pregnant\n\n- you\u2019re accepted as being a victim of trafficking\n\n- you\u2019re able to provide independent evidence of torture\n\n- you have a mental or physical condition that cannot be managed or would present a risk to others in an immigration removal centre\n\n## Asylum interview\n\nYour asylum interview will take place soon after your screening.\n\nYour application will usually be rejected if you do not go to your asylum interview.\n\nYou\u2019ll get a letter telling you when and where to attend and if any of your dependants also need to be interviewed.\n\n## The interview\n\nYou\u2019ll usually be interviewed alone, without your family members. An interpreter will be provided, if you need one.\n\nThe information you provide will be treated in confidence and will not be disclosed to the authorities in your own country.\n\nUse this interview to explain:\n\n- how you were persecuted in your country\n\n- why you\u2019re afraid to go back to your country\n\nYou may be asked questions about difficult topics but it\u2019s important that you explain what has happened to you and your family.\n\nYou must tell the caseworker everything you want them to consider or it can count against you.\n\nBring all the evidence you have of your persecution. You may be asked to send further evidence to your caseworker after the interview, if they think it might help your application.\n\nYou should also bring your birth certificate, passport and medical records if you have them.\n\nYour caseworker will make notes in a document called an \u2018interview record\u2019. You\u2019ll get a copy of this at the end of the interview.\n\n## Legal representative\n\nYou can bring a legal representative to this interview, for example a lawyer or solicitor. Find out if you can get help paying for legal advice about asylum.\n\nYour interview will take place even if your legal representative is not there. You cannot ask for more time to get a legal representative.\n\nYou can ask for this interview to be tape recorded if you do not have legal representation. Ask your caseworker at least one day before.\n\n## Get a decision\n\nYour application will usually be decided within 6 months. It may take longer if it\u2019s complicated, for example:\n\n- your supporting documents need to be verified\n\n- you need to attend more interviews\n\n- your personal circumstances need to be checked, for example because you have a criminal conviction or you\u2019re currently being prosecuted\n\nAsk your legal adviser if you want an update on your application.\n\nYou\u2019ll be given or refused permission to stay in one of the following ways.\n\n## Permission to stay as a refugee\n\nYou and your dependants may be given permission to stay in the UK for 5 years if you qualify for asylum. This is known as \u2018leave to remain\u2019.\n\nAfter 5 years, you can apply to settle in the UK.\n\n## Permission to stay for humanitarian reasons\n\nYou may get permission to stay for humanitarian reasons if you do not qualify for asylum. This means you need to stay in the UK for your protection.\n\nYou and your dependants may be given permission to stay in the UK for 5 years. This is known as \u2018leave to enter\u2019 or \u2018leave to remain\u2019.\n\nAfter 5 years, you can apply to settle in the UK.\n\n## Permission to stay for other reasons\n\nYou may get permission to stay for other reasons if you do not qualify for permission to stay as a refugee or for humanitarian reasons.\n\nHow long you can stay will depend on your situation.\n\nYou may be able to apply to extend your stay or settle in the UK towards the end of your stay.\n\n## No reason to stay\n\nYou\u2019ll be asked to leave the UK if you do not qualify for asylum and your caseworker decides there\u2019s no other reason for you to stay.\n\nYou may be able to appeal against the decision.\n\nYou\u2019ll have to leave if you do not appeal in the time allowed, or if your appeal is unsuccessful. You can:\n\n- leave by yourself - you can get help with returning home\n\n- be forced to leave - you\u2019ll get a letter before this happens, then you may be detained without warning at an immigration removal centre and then removed from the UK\n\n## Help you can get\n\nYou can get help from asylum helplines run by charities.\n\nThey can help with:\n\n- explaining your asylum claim, for example getting a solicitor or lawyer to represent you\n\n- living in the UK while your claim is being considered, for example getting asylum support, housing problems, dealing with agencies or finding English language classes and schools\n\n## Legal advice\n\nYou can get legal advice to help your asylum claim.\n\n## Housing and money\n\nYou may also be able to get housing and money (\u2018asylum support\u2019) to support you and your family. This will only start from the day of your screening if you qualify.\n\n## Help returning home\n\nYou may be able to get help with returning home.\n\n## If you're under 18\n\nThis information is for children applying on their own.\n\nIf you have an adult relative who\u2019s claiming asylum you should apply as part of that relative\u2019s application instead.\n\n## You\u2019re not in the care of social services\n\nYou should use the walk-in service at the asylum intake unit.\n\n## If you have an adult who is legally responsible for you\n\nThe adult who is taking responsibility for your care must attend the walk-in service at the asylum intake unit with you.\n\nIf you\u2019re living with several relatives the closest blood relative willing to take responsibility for you must attend.\n\nThe adult must provide proof of address and photo ID (passport or driving licence).\n\n## If you do not have an adult who is legally responsible for you\n\nYou should go to the police or social services, or you can walk into the asylum intake unit.\n\n## You\u2019re in the care of social services\n\nYou must book an appointment at the asylum intake unit by calling the appointment booking line.\n\nYou\u2019ll need the following information when you book your appointment:\n\n- your name, date of birth and nationality\n\n- the number on your passport or national identity document, if you have one - or the number on your birth certificate if you do not\n\n- your foster carer\u2019s name and contact details\n\n- details of any medical conditions you have\n\nFor more information read the guidance on processing asylum applications from children.", + "original_contents": [ + "

    Overview

    ", + "

    You must apply for asylum if you want to stay in the UK as a refugee.

    ", + "

    To be eligible you must have left your country and be unable to go back because you fear persecution.

    ", + "

    Apply for a visa if you want to come to the UK for another reason (for example to work, study or remain with family). If you\u2019re already in the UK and want to remain with family living here, apply for a family of a settled person visa.

    ", + "

    You should apply when you arrive in the UK or as soon as you think it would be unsafe for you to return to your own country. Your application is more likely to be denied if you wait.

    ", + "

    When you apply you\u2019ll have a meeting with an immigration officer (known as a \u2018screening\u2019).

    ", + "

    After your screening the Home Office will decide if your claim can be considered in the UK. If it can, you\u2019ll have an asylum interview with a caseworker.

    ", + "

    You\u2019ll usually get a decision on your application within 6 months.

    ", + "

    You can get up to 2 years in prison or have to leave the UK if you give false information on your application.

    ", + "

    Waiting for your decision

    ", + "

    You\u2019ll be told after your screening what you must do while you\u2019re waiting for your asylum decision, for example report to a caseworker regularly (known as \u2018reporting meetings\u2019).

    ", + "

    You must tell the authorities if your situation changes.

    ", + "

    You will not usually be allowed to work while your asylum claim is being considered.

    ", + "

    Help you can get

    ", + "

    You can get help with:

    ", + "
  • getting legal representation for your asylum claim
  • ", + "
  • living in the UK while you wait for your decision
  • ", + "

    Children applying on their own

    ", + "

    You can apply as a child on your own if you do not have an adult relative who is also claiming asylum.

    ", + "

    Eligibility

    ", + "

    To stay in the UK as a refugee you must be unable to live safely in any part of your own country because you fear persecution there.

    ", + "

    If you\u2019re stateless, your own country is the country you usually live in.

    ", + "

    This persecution must be because of:

    ", + "
  • your race
  • ", + "
  • your religion
  • ", + "
  • your nationality
  • ", + "
  • your political opinion
  • ", + "
  • anything else that puts you at risk because of the social, cultural, religious or political situation in your country, for example, your gender, gender identity or sexual orientation
  • ", + "

    You must have failed to get protection from authorities in your own country.

    ", + "

    When your claim might not be considered

    ", + "

    Your claim might not be considered if you:

    ", + "
  • are from an EU country
  • ", + "
  • travelled to the UK through a \u2018safe third country\u2019
  • ", + "
  • have a connection to a safe third country where you could claim asylum
  • ", + "

    Generally, a safe third country is one that:

    ", + "
  • you\u2019re not a citizen of
  • ", + "
  • you would not be harmed in
  • ", + "
  • would not send you on to another country where you would be harmed
  • ", + "

    Family members

    ", + "

    You can include your partner and your children under 18 as \u2018dependants\u2019 in your application if they\u2019re with you in the UK.

    ", + "

    Your children under 18 and your partner can also make their own applications at the same time, but they will not be treated as your dependants.

    ", + "

    Documents you must provide

    ", + "

    You\u2019ll need documents for yourself and your dependants (partner and children under 18) for your asylum screening.

    ", + "

    Documents you should bring (if you have them) include:

    ", + "
  • passports and travel documents
  • ", + "
  • police registration certificates
  • ", + "
  • identification documents, for example identity cards, birth and marriage certificates or school records
  • ", + "
  • anything you think will help your application
  • ", + "

    Documents to prove your UK address

    ", + "

    If you\u2019re already in the UK, you and your dependants must bring documents that prove your UK address.

    ", + "

    You\u2019ll need different documents depending on whether you\u2019re living in your own accommodation or staying with someone else.

    ", + "

    Living in your own accommodation

    ", + "

    You\u2019ll need to provide documents showing your full name and address. This could be a:

    ", + "
  • bank statement
  • ", + "
  • housing benefit book
  • ", + "
  • council tax notice
  • ", + "
  • tenancy agreement
  • ", + "
  • household bill
  • ", + "

    Staying with someone else

    ", + "

    You\u2019ll need to provide:

    ", + "
  • a recent letter (less than 3 months old) from the person you\u2019re staying with to confirm you have their permission to stay
  • ", + "
  • documents showing the full name and address of the person you\u2019re staying with, like a council tax notice, tenancy agreement or household bill
  • ", + "

    Register your asylum claim

    ", + "

    You register your asylum claim at a \u2018screening\u2019. This is a meeting with an immigration officer where you tell them about your case.

    ", + "

    You\u2019ll have your screening at the UK border if you claim asylum as soon as you arrive. You can also be screened once you\u2019re in the UK if you become eligible for asylum.

    ", + "

    At your screening you\u2019ll:

    ", + "
  • be photographed
  • ", + "
  • have your fingerprints taken
  • ", + "
  • have an interview to check who you are and where you\u2019re from
  • ", + "

    You\u2019ll be asked why you want asylum. You can bring written evidence to support your claim if you want, as well as your identification documents.

    ", + "

    You\u2019ll need to say if you or your dependants are taking any medication and give any relevant medical information.

    ", + "

    You can ask for a male or female interviewer, but your choice might not always be available.

    ", + "

    Screening at the UK border

    ", + "

    You must tell a Border Force officer that you want to claim asylum.

    ", + "

    Your application will be registered and you\u2019ll be screened - ask for an interpreter if you need one.

    ", + "

    Screening in the UK

    ", + "

    You must call the asylum intake unit if you\u2019re already in the UK.

    ", + "

    They\u2019ll call you back and ask simple questions about you and your family. You will not be asked why you\u2019re claiming asylum during this telephone call.

    ", + "

    You\u2019ll be asked if you need help with housing. You might also be asked questions relating to coronavirus (COVID-19).

    ", + "

    The call may take up to 30 minutes.

    ", + "

    You do not need to make an appointment if you have nowhere to live - call the asylum intake unit to find out what asylum registration location you should go to and its opening hours.

    ", + "

    Tell the asylum intake unit if you need any other dependants on your claim to be present at any stage of your asylum registration, for example the welfare interview, or if you\u2019re a child and need to be accompanied. You can ask to have an interpreter at your screening.

    ", + "

    Your appointment might be in a temporary location.

    ", + "

    Attending your appointment

    ", + "

    Because of coronavirus, attend your appointment alone or with any dependants claiming asylum with you.

    ", + "

    If you\u2019re helping a child register their own asylum claim, only you can go with them to their appointment.

    ", + "

    You must bring the documents you need for your application.

    ", + "

    You must also bring any dependants (partner and children under 18) who are claiming asylum with you.

    ", + "

    If you show up without an appointment, you may be asked to come back another day.

    ", + "

    You cannot get financial help for travel to or from the asylum intake unit.

    ", + "

    Tell the appointment service if your situation changes before your appointment date, for example if you can no longer stay where you are living.

    ", + "

    After your screening

    ", + "

    After your screening, the Home Office will review your case and decide whether it can be considered in the UK.

    ", + "

    You\u2019ll be sent an asylum registration card (ARC) to your UK address, unless you\u2019ve been detained.

    ", + "

    If the Home Office cannot send you an ARC immediately, they\u2019ll send you an appointment letter telling you what to do next.

    ", + "

    You might also be sent a \u2018preliminary information questionnaire\u2019. If you get one, fill it in and return it by the deadline - the address and deadline are written on the letter that comes with the questionnaire. If you cannot fill it in, call the Home Office asylum team. Their phone number is on the letter.

    ", + "

    If your case can be considered in the UK, it will be given to a caseworker.

    ", + "

    If your case cannot be considered in the UK

    ", + "

    You may be sent to a safe country that will consider your asylum claim. This might happen if you\u2019ve travelled to the UK through a safe third country or you have a connection with another country that you could claim asylum in.

    ", + "

    Generally, a safe country is one that:

    ", + "
  • you\u2019re not a citizen of
  • ", + "
  • you would not be harmed in
  • ", + "
  • would not send you on to another country where you would be harmed
  • ", + "

    The Home Office can decide to send you to a safe country after either your screening or your asylum interview.

    ", + "

    If the Home Office cannot place you in another safe country, your case will be considered in the UK and given to a caseworker.

    ", + "

    Caseworkers

    ", + "

    You\u2019ll have an asylum interview with your caseworker. They\u2019ll make a decision about your application.

    ", + "

    They\u2019ll also explain the asylum process and tell you what to do while you wait for an asylum decision, such as go to regular reporting meetings.

    ", + "

    You may be detained if you do not go to your reporting meetings.

    ", + "

    Tell your caseworker if you have any special needs, for example if you have a disability or need medication.

    ", + "

    Your ARC

    ", + "

    The ARC shows you\u2019ve applied for asylum. You can use it to:

    ", + "
  • show who you are
  • ", + "
  • show whether you have permission to work
  • ", + "
  • get health or education services
  • ", + "

    You must take your ARC with you when you go to your reporting meetings.

    ", + "

    If you do not have your ARC

    ", + "

    Contact the Home Office using the online form if you have any problems - for example:

    ", + "
  • you\u2019ve not got your ARC through the post
  • ", + "
  • you\u2019ve lost it
  • ", + "
  • it\u2019s been stolen
  • ", + "
  • it\u2019s expired
  • ", + "

    You\u2019ll be asked to give your Home Office or port reference number, and your ARC reference (if you know it).

    ", + "

    Being detained

    ", + "

    You may be detained at an immigration removal centre while you wait for a decision on your application.

    ", + "

    You\u2019ll either be:

    ", + "
  • released if you get permission to stay in the UK
  • ", + "
  • held until you\u2019re removed from the UK if you do not get permission to stay
  • ", + "

    You can also be detained and removed if it\u2019s decided that another country is responsible for offering you asylum.

    ", + "

    You may be able to appeal against the decision.

    ", + "

    When you will not be detained

    ", + "

    You will not usually be detained if:

    ", + "
  • you\u2019re a child
  • ", + "
  • you\u2019re elderly
  • ", + "
  • you\u2019re a family with children
  • ", + "
  • you\u2019re pregnant
  • ", + "
  • you\u2019re accepted as being a victim of trafficking
  • ", + "
  • you\u2019re able to provide independent evidence of torture
  • ", + "
  • you have a mental or physical condition that cannot be managed or would present a risk to others in an immigration removal centre
  • ", + "

    Asylum interview

    ", + "

    Your asylum interview will take place soon after your screening.

    ", + "

    Your application will usually be rejected if you do not go to your asylum interview.

    ", + "

    You\u2019ll get a letter telling you when and where to attend and if any of your dependants also need to be interviewed.

    ", + "

    The interview

    ", + "

    You\u2019ll usually be interviewed alone, without your family members. An interpreter will be provided, if you need one.

    ", + "

    The information you provide will be treated in confidence and will not be disclosed to the authorities in your own country.

    ", + "

    Use this interview to explain:

    ", + "
  • how you were persecuted in your country
  • ", + "
  • why you\u2019re afraid to go back to your country
  • ", + "

    You may be asked questions about difficult topics but it\u2019s important that you explain what has happened to you and your family.

    ", + "

    You must tell the caseworker everything you want them to consider or it can count against you.

    ", + "

    Bring all the evidence you have of your persecution. You may be asked to send further evidence to your caseworker after the interview, if they think it might help your application.

    ", + "

    You should also bring your birth certificate, passport and medical records if you have them.

    ", + "

    Your caseworker will make notes in a document called an \u2018interview record\u2019. You\u2019ll get a copy of this at the end of the interview.

    ", + "

    Legal representative

    ", + "

    You can bring a legal representative to this interview, for example a lawyer or solicitor. Find out if you can get help paying for legal advice about asylum.

    ", + "

    Your interview will take place even if your legal representative is not there. You cannot ask for more time to get a legal representative.

    ", + "

    You can ask for this interview to be tape recorded if you do not have legal representation. Ask your caseworker at least one day before.

    ", + "

    Get a decision

    ", + "

    Your application will usually be decided within 6 months. It may take longer if it\u2019s complicated, for example:

    ", + "
  • your supporting documents need to be verified
  • ", + "
  • you need to attend more interviews
  • ", + "
  • your personal circumstances need to be checked, for example because you have a criminal conviction or you\u2019re currently being prosecuted
  • ", + "

    Ask your legal adviser if you want an update on your application.

    ", + "

    You\u2019ll be given or refused permission to stay in one of the following ways.

    ", + "

    Permission to stay as a refugee

    ", + "

    You and your dependants may be given permission to stay in the UK for 5 years if you qualify for asylum. This is known as \u2018leave to remain\u2019.

    ", + "

    After 5 years, you can apply to settle in the UK.

    ", + "

    Permission to stay for humanitarian reasons

    ", + "

    You may get permission to stay for humanitarian reasons if you do not qualify for asylum. This means you need to stay in the UK for your protection.

    ", + "

    You and your dependants may be given permission to stay in the UK for 5 years. This is known as \u2018leave to enter\u2019 or \u2018leave to remain\u2019.

    ", + "

    After 5 years, you can apply to settle in the UK.

    ", + "

    Permission to stay for other reasons

    ", + "

    You may get permission to stay for other reasons if you do not qualify for permission to stay as a refugee or for humanitarian reasons.

    ", + "

    How long you can stay will depend on your situation.

    ", + "

    You may be able to apply to extend your stay or settle in the UK towards the end of your stay.

    ", + "

    No reason to stay

    ", + "

    You\u2019ll be asked to leave the UK if you do not qualify for asylum and your caseworker decides there\u2019s no other reason for you to stay.

    ", + "

    You may be able to appeal against the decision.

    ", + "

    You\u2019ll have to leave if you do not appeal in the time allowed, or if your appeal is unsuccessful. You can:

    ", + "
  • leave by yourself - you can get help with returning home
  • ", + "
  • be forced to leave - you\u2019ll get a letter before this happens, then you may be detained without warning at an immigration removal centre and then removed from the UK
  • ", + "

    Help you can get

    ", + "

    You can get help from asylum helplines run by charities.

    ", + "

    They can help with:

    ", + "
  • explaining your asylum claim, for example getting a solicitor or lawyer to represent you
  • ", + "
  • living in the UK while your claim is being considered, for example getting asylum support, housing problems, dealing with agencies or finding English language classes and schools
  • ", + "

    Legal advice

    ", + "

    You can get legal advice to help your asylum claim.

    ", + "

    Housing and money

    ", + "

    You may also be able to get housing and money (\u2018asylum support\u2019) to support you and your family. This will only start from the day of your screening if you qualify.

    ", + "

    Help returning home

    ", + "

    You may be able to get help with returning home.

    ", + "

    If you're under 18

    ", + "

    This information is for children applying on their own.

    ", + "

    If you have an adult relative who\u2019s claiming asylum you should apply as part of that relative\u2019s application instead.

    ", + "

    You\u2019re not in the care of social services

    ", + "

    You should use the walk-in service at the asylum intake unit.

    ", + "

    If you have an adult who is legally responsible for you

    ", + "

    The adult who is taking responsibility for your care must attend the walk-in service at the asylum intake unit with you.

    ", + "

    If you\u2019re living with several relatives the closest blood relative willing to take responsibility for you must attend.

    ", + "

    The adult must provide proof of address and photo ID (passport or driving licence).

    ", + "

    If you do not have an adult who is legally responsible for you

    ", + "

    You should go to the police or social services, or you can walk into the asylum intake unit.

    ", + "

    You\u2019re in the care of social services

    ", + "

    You must book an appointment at the asylum intake unit by calling the appointment booking line.

    ", + "

    You\u2019ll need the following information when you book your appointment:

    ", + "
  • your name, date of birth and nationality
  • ", + "
  • the number on your passport or national identity document, if you have one - or the number on your birth certificate if you do not
  • ", + "
  • your foster carer\u2019s name and contact details
  • ", + "
  • details of any medical conditions you have
  • ", + "

    For more information read the guidance on processing asylum applications from children.

    " + ] + }, + "https://www.gov.uk/asylum-support": { + "url": "https://www.gov.uk/asylum-support", + "title": "Asylum support", + "content": "## Overview\n\nYou may be able to get housing and money to support you and your family while you\u2019re waiting to find out if you\u2019ll be given asylum.\n\nThis also means your children will go to a free state school and you may get free healthcare from the National Health Service (NHS).\n\nYou can still apply for short-term support if you\u2019ve been refused asylum and are preparing to leave the UK.\n\nCall an asylum helpline for free help with asylum support or short-term support.\n\n## What you'll get\n\nYou can ask for somewhere to live, a cash allowance or both as an asylum seeker.\n\n## Housing\n\nYou\u2019ll be given somewhere to live if you need it. This could be in a flat, house, hostel or bed and breakfast.\n\nYou cannot choose where you live. It\u2019s unlikely you\u2019ll get to live in London or south-east England.\n\n## Cash support\n\nYou\u2019ll get \u00a339.63 for each person in your household. This will help you pay for things you need like food, clothing and toiletries.\n\nYour allowance will be loaded onto a debit card (ASPEN card) each week. You\u2019ll be able to use the card to get cash from a cash machine.\n\n## If you\u2019ve been refused asylum\n\nYou\u2019ll be given:\n\n- somewhere to live\n\n- \u00a339.63 per person on a payment card for food, clothing and toiletries\n\nYou will not be given:\n\n- the payment card if you do not take the offer of somewhere to live\n\n- any money\n\n## Extra money for mothers and young children\n\nYou\u2019ll get extra money to buy healthy food if you\u2019re pregnant or a mother of a child under 3. The amount you get will depend on your situation.\n\n| Your situation | Extra payment per week |\n\n| Pregnant mother | \u00a33 |\n\n| Baby under 1 year old | \u00a35 |\n\n| Child aged 1 to 3 | \u00a33 |\n\n## Maternity payment\n\nYou can apply for a one-off \u00a3300 maternity payment if your baby is due in 8 weeks or less, or if your baby is under 6 weeks old.\n\n## If you\u2019ve been refused asylum\n\nYou can apply for a one-off \u00a3250 maternity payment if your baby is due in 8 weeks or less, or if your baby is under 6 weeks old.\n\n## Applying for the maternity grant\n\nYou apply for the maternity grant in the same way whether you\u2019re still an asylum seeker or you\u2019ve been refused asylum.\n\nYou\u2019ll need to request form MAT B1 from your doctor to apply for the payment. You can apply for the maternity payment at the same time you apply for asylum support.\n\nIf you get pregnant after you\u2019ve applied for asylum support, you can apply to the support team that dealt with your application for asylum support.\n\n## Healthcare\n\nYou may get free National Health Service (NHS) healthcare, such as to see a doctor or get hospital treatment.\n\nYou\u2019ll also get:\n\n- free prescriptions for medicine\n\n- free dental care for your teeth\n\n- free eyesight tests\n\n- help paying for glasses\n\n## Education\n\nYour children must attend school if they are aged 5 to 17. All state schools are free and your children may be able to get free school meals.\n\n## Eligibility\n\nYou can apply for asylum support if you\u2019re homeless or do not have money to buy food.\n\n## If you\u2019ve been refused asylum\n\nYou can ask for the following if you\u2019re homeless, do not have any money to buy food and you can show that there\u2019s a reason why you cannot leave the UK yet:\n\n- short-term housing\n\n- help with prescriptions for medicine, dental care for your teeth, eyesight tests and glasses\n\n- a payment card for food and toiletries\n\nYou will not be given the payment card without the housing and you will not be given any cash.\n\n## How to claim\n\n## Housing and cash support for asylum seekers\n\nApply using form ASF1 to claim housing and cash support.\n\nSend the form to the asylum support casework team.\n\nYou might be able to apply for additional support if the general allowance will not cover your needs. You\u2019ll have to show that you cannot meet your needs in any other way.\n\nRead the guidance on additional support.\n\nFill in form ASF2 and contact the Asylum Support Application Service. The details are on the form.\n\nCall an asylum helpline for help with applications.\n\n## If you\u2019re refused asylum\n\nYou must return to your country as soon as possible if you\u2019re refused asylum.\n\nYou can apply for short-term support using form ASF1.\n\nYou\u2019ll need to complete a \u2018section 4(2)\u2019 medical declaration if you have a specific medical issue.\n\nYou can also apply for additional help (section 4(2) support), for example:\n\n- medical appointments\n\n- getting your new baby\u2019s birth certificate\n\n- maternity payments\n\nRead the guidance on section 4(2) support.\n\nSend all forms to the asylum support casework team by email or post.\n\n## Education for children\n\nContact your local council if you have children and want to:\n\n- apply for a primary school place\n\n- apply for a secondary school place\n\n## Healthcare\n\nContact the free National Health Service (NHS) 111 service for help and advice with health problems when it\u2019s not an emergency.\n\nPhone NHS Help With Health Costs for help with prescriptions for medicine, dental care, eyesight tests and buying glasses.\n\n## Help and advice\n\nCall one of the asylum helplines to get free help with filling in forms.\n\nYou can get more information about asylum support from the customer contact centre. Email for an ARC appointment.\n\n## Further information\n\n## Appeal\n\nYou can appeal to the First-tier Tribunal (Asylum Support) if:\n\n- you\u2019ve applied for asylum support and been turned down\n\n- you were claiming asylum support and it\u2019s been stopped\n\n## Contact asylum support\n\nYou can contact Migrant Help if your application for support has been refused or you have questions about your appeal against the decision.", + "original_contents": [ + "

    Overview

    ", + "

    You may be able to get housing and money to support you and your family while you\u2019re waiting to find out if you\u2019ll be given asylum.

    ", + "

    This also means your children will go to a free state school and you may get free healthcare from the National Health Service (NHS).

    ", + "

    You can still apply for short-term support if you\u2019ve been refused asylum and are preparing to leave the UK.

    ", + "

    Call an asylum helpline for free help with asylum support or short-term support.

    ", + "

    What you'll get

    ", + "

    You can ask for somewhere to live, a cash allowance or both as an asylum seeker.

    ", + "

    Housing

    ", + "

    You\u2019ll be given somewhere to live if you need it. This could be in a flat, house, hostel or bed and breakfast.

    ", + "

    You cannot choose where you live. It\u2019s unlikely you\u2019ll get to live in London or south-east England.

    ", + "

    Cash support

    ", + "

    You\u2019ll get \u00a339.63 for each person in your household. This will help you pay for things you need like food, clothing and toiletries.

    ", + "

    Your allowance will be loaded onto a debit card (ASPEN card) each week. You\u2019ll be able to use the card to get cash from a cash machine.

    ", + "

    If you\u2019ve been refused asylum

    ", + "

    You\u2019ll be given:

    ", + "
  • somewhere to live
  • ", + "
  • \u00a339.63 per person on a payment card for food, clothing and toiletries
  • ", + "

    You will not be given:

    ", + "
  • the payment card if you do not take the offer of somewhere to live
  • ", + "
  • any money
  • ", + "

    Extra money for mothers and young children

    ", + "

    You\u2019ll get extra money to buy healthy food if you\u2019re pregnant or a mother of a child under 3. The amount you get will depend on your situation.

    ", + "Your situation | Extra payment per week", + "Pregnant mother | \u00a33", + "Baby under 1 year old | \u00a35", + "Child aged 1 to 3 | \u00a33", + "

    Maternity payment

    ", + "

    You can apply for a one-off \u00a3300 maternity payment if your baby is due in 8 weeks or less, or if your baby is under 6 weeks old.

    ", + "

    If you\u2019ve been refused asylum

    ", + "

    You can apply for a one-off \u00a3250 maternity payment if your baby is due in 8 weeks or less, or if your baby is under 6 weeks old.

    ", + "

    Applying for the maternity grant

    ", + "

    You apply for the maternity grant in the same way whether you\u2019re still an asylum seeker or you\u2019ve been refused asylum.

    ", + "

    You\u2019ll need to request form MAT B1 from your doctor to apply for the payment. You can apply for the maternity payment at the same time you apply for asylum support.

    ", + "

    If you get pregnant after you\u2019ve applied for asylum support, you can apply to the support team that dealt with your application for asylum support.

    ", + "

    Healthcare

    ", + "

    You may get free National Health Service (NHS) healthcare, such as to see a doctor or get hospital treatment.

    ", + "

    You\u2019ll also get:

    ", + "
  • free prescriptions for medicine
  • ", + "
  • free dental care for your teeth
  • ", + "
  • free eyesight tests
  • ", + "
  • help paying for glasses
  • ", + "

    Education

    ", + "

    Your children must attend school if they are aged 5 to 17. All state schools are free and your children may be able to get free school meals.

    ", + "

    Eligibility

    ", + "

    You can apply for asylum support if you\u2019re homeless or do not have money to buy food.

    ", + "

    If you\u2019ve been refused asylum

    ", + "

    You can ask for the following if you\u2019re homeless, do not have any money to buy food and you can show that there\u2019s a reason why you cannot leave the UK yet:

    ", + "
  • short-term housing
  • ", + "
  • help with prescriptions for medicine, dental care for your teeth, eyesight tests and glasses
  • ", + "
  • a payment card for food and toiletries
  • ", + "

    You will not be given the payment card without the housing and you will not be given any cash.

    ", + "

    How to claim

    ", + "

    Housing and cash support for asylum seekers

    ", + "

    Apply using form ASF1 to claim housing and cash support.

    ", + "

    Send the form to the asylum support casework team.

    ", + "

    You might be able to apply for additional support if the general allowance will not cover your needs. You\u2019ll have to show that you cannot meet your needs in any other way.

    ", + "

    Read the guidance on additional support.

    ", + "

    Fill in form ASF2 and contact the Asylum Support Application Service. The details are on the form.

    ", + "

    Call an asylum helpline for help with applications.

    ", + "

    If you\u2019re refused asylum

    ", + "

    You must return to your country as soon as possible if you\u2019re refused asylum.

    ", + "

    You can apply for short-term support using form ASF1.

    ", + "

    You\u2019ll need to complete a \u2018section 4(2)\u2019 medical declaration if you have a specific medical issue.

    ", + "

    You can also apply for additional help (section 4(2) support), for example:

    ", + "
  • medical appointments
  • ", + "
  • getting your new baby\u2019s birth certificate
  • ", + "
  • maternity payments
  • ", + "

    Read the guidance on section 4(2) support.

    ", + "

    Send all forms to the asylum support casework team by email or post.

    ", + "

    Education for children

    ", + "

    Contact your local council if you have children and want to:

    ", + "
  • apply for a primary school place
  • ", + "
  • apply for a secondary school place
  • ", + "

    Healthcare

    ", + "

    Contact the free National Health Service (NHS) 111 service for help and advice with health problems when it\u2019s not an emergency.

    ", + "

    Phone NHS Help With Health Costs for help with prescriptions for medicine, dental care, eyesight tests and buying glasses.

    ", + "

    Help and advice

    ", + "

    Call one of the asylum helplines to get free help with filling in forms.

    ", + "

    You can get more information about asylum support from the customer contact centre. Email for an ARC appointment.

    ", + "

    Further information

    ", + "

    Appeal

    ", + "

    You can appeal to the First-tier Tribunal (Asylum Support) if:

    ", + "
  • you\u2019ve applied for asylum support and been turned down
  • ", + "
  • you were claiming asylum support and it\u2019s been stopped
  • ", + "

    Contact asylum support

    ", + "

    You can contact Migrant Help if your application for support has been refused or you have questions about your appeal against the decision.

    " + ] + }, + "https://www.gov.uk/refugee-integration-loan": { + "url": "https://www.gov.uk/refugee-integration-loan", + "title": "Refugee integration loan", + "content": "## Overview\n\nYou can apply for a refugee integration loan to pay for:\n\n- a rent deposit or rent\n\n- household items\n\n- education and training for work\n\nYou must be over 18 and either:\n\n- a refugee or you\u2019ve been given humanitarian protection\n\n- a dependant of a refugee or someone who\u2019s been given humanitarian protection\n\n- allowed to enter or stay under either of the above after 11 June 2007\n\nThe smallest amount you can borrow is \u00a3100.\n\nIntegration loans are interest-free - you only pay back what you borrow, but you must make regular payments.\n\nContact your local Jobcentre Plus before applying for this loan to see if you can get help with training, education, work, living or childcare costs - you may be able to get this help for free.\n\n## What you'll get\n\nHow much money you might get depends on:\n\n- your circumstances, for example any savings you have or your ability to pay back the loan\n\n- how much is available - the funds are limited and loans can vary\n\nThe smallest amount you can borrow is \u00a3100.\n\n## What you can use your loan for\n\nYou can only use the loan to help you get what\u2019s essential to help you integrate into UK society, for example housing, education or work. This includes:\n\n- a housing deposit, rent payment or moving costs\n\n- essential items for your home\n\n- training or retraining\n\n- basic living costs while training\n\n- work clothing and equipment\n\n## What you cannot use your loan for\n\nYou cannot use the loan to pay for items including:\n\n- general living costs, for example household bills and council tax\n\n- cars, driving lessons, driving licences and fuel costs, unless it\u2019s essential to your work\n\n- paying debts\n\n- travel costs for family members to join you in the UK\n\nYou may be asked to prove how you spent the loan. You may have to repay it in full straight away if you do not use it for the reason you said on your application.\n\nRead the integration loans policy guidance to find out how you can use your loan.\n\n## How you're paid\n\nLoans are usually paid into your bank or building society account in the same way as benefits.\n\nYou will be paid by Simple Payment if you cannot open a bank account, and if you already receive benefits in this way.\n\n## Repaying the loan\n\nYou\u2019ll have to sign a repayment agreement if your application for the loan is successful.\n\nYou will not usually have to start repaying the loan until 6 weeks after you get the money.\n\nHow much your repayments are and how you pay will depend on your circumstances. For example, you may have to pay more and in a shorter time if you start working and your benefits change.\n\nYour loan will not usually affect any income-related benefits you get unless you have more than \u00a36,000 in savings.\n\nYou must tell Jobcentre Plus if you get an integration loan.\n\n## Eligibility\n\nYou can apply for an integration loan if you:\n\n- are a refugee\n\n- have been given humanitarian protection\n\n- are a dependant of a refugee or someone here under humanitarian protection\n\nYou can also make a joint application with your husband, wife or partner.\n\nYou cannot apply if you:\n\n- are under 18\n\n- were allowed to enter or stay as a refugee or under humanitarian protection before 11 June 2007\n\n- are an asylum seeker who\u2019s been allowed to settle by a decision outside the Immigration Rules\n\n- have had an integration loan before, including a joint loan\n\nYour application may be refused if you\u2019ve been convicted of a criminal offence since you arrived in the UK.\n\n## How to apply\n\nRead the integration loan application form guidance before you apply.\n\nYou must provide your National Insurance number - if you do not have one, you must apply for one at your local Jobcentre Plus before you apply for an integration loan.\n\nYou should also provide photocopies of documents including:\n\n- your biometric residence permit, immigration status document or passport\n\n- a bank statement or letter confirming your bank details\n\nDownload and fill in the integration loan application form. Make sure you sign it.\n\nScan or photograph the completed form and supporting documents and email them to integrationloan@homeoffice.gov.uk.\n\nYou cannot currently apply by post. If you sent a postal application before 20 March 2020, your application will still be reviewed. You do not need to do anything.\n\n## Get more help\n\nYour local refugee community organisation can help you with your application and filling in the form.\n\nYou can also contact the integration loan team.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a refugee integration loan to pay for:

    ", + "
  • a rent deposit or rent
  • ", + "
  • household items
  • ", + "
  • education and training for work
  • ", + "

    You must be over 18 and either:

    ", + "
  • a refugee or you\u2019ve been given humanitarian protection
  • ", + "
  • a dependant of a refugee or someone who\u2019s been given humanitarian protection
  • ", + "
  • allowed to enter or stay under either of the above after 11 June 2007
  • ", + "

    The smallest amount you can borrow is \u00a3100.

    ", + "

    Integration loans are interest-free - you only pay back what you borrow, but you must make regular payments.

    ", + "

    Contact your local Jobcentre Plus before applying for this loan to see if you can get help with training, education, work, living or childcare costs - you may be able to get this help for free.

    ", + "

    What you'll get

    ", + "

    How much money you might get depends on:

    ", + "
  • your circumstances, for example any savings you have or your ability to pay back the loan
  • ", + "
  • how much is available - the funds are limited and loans can vary
  • ", + "

    The smallest amount you can borrow is \u00a3100.

    ", + "

    What you can use your loan for

    ", + "

    You can only use the loan to help you get what\u2019s essential to help you integrate into UK society, for example housing, education or work. This includes:

    ", + "
  • a housing deposit, rent payment or moving costs
  • ", + "
  • essential items for your home
  • ", + "
  • training or retraining
  • ", + "
  • basic living costs while training
  • ", + "
  • work clothing and equipment
  • ", + "

    What you cannot use your loan for

    ", + "

    You cannot use the loan to pay for items including:

    ", + "
  • general living costs, for example household bills and council tax
  • ", + "
  • cars, driving lessons, driving licences and fuel costs, unless it\u2019s essential to your work
  • ", + "
  • paying debts
  • ", + "
  • travel costs for family members to join you in the UK
  • ", + "

    You may be asked to prove how you spent the loan. You may have to repay it in full straight away if you do not use it for the reason you said on your application.

    ", + "

    Read the integration loans policy guidance to find out how you can use your loan.

    ", + "

    How you're paid

    ", + "

    Loans are usually paid into your bank or building society account in the same way as benefits.

    ", + "

    You will be paid by Simple Payment if you cannot open a bank account, and if you already receive benefits in this way.

    ", + "

    Repaying the loan

    ", + "

    You\u2019ll have to sign a repayment agreement if your application for the loan is successful.

    ", + "

    You will not usually have to start repaying the loan until 6 weeks after you get the money.

    ", + "

    How much your repayments are and how you pay will depend on your circumstances. For example, you may have to pay more and in a shorter time if you start working and your benefits change.

    ", + "

    Your loan will not usually affect any income-related benefits you get unless you have more than \u00a36,000 in savings.

    ", + "

    You must tell Jobcentre Plus if you get an integration loan.

    ", + "

    Eligibility

    ", + "

    You can apply for an integration loan if you:

    ", + "
  • are a refugee
  • ", + "
  • have been given humanitarian protection
  • ", + "
  • are a dependant of a refugee or someone here under humanitarian protection
  • ", + "

    You can also make a joint application with your husband, wife or partner.

    ", + "

    You cannot apply if you:

    ", + "
  • are under 18
  • ", + "
  • were allowed to enter or stay as a refugee or under humanitarian protection before 11 June 2007
  • ", + "
  • are an asylum seeker who\u2019s been allowed to settle by a decision outside the Immigration Rules
  • ", + "
  • have had an integration loan before, including a joint loan
  • ", + "

    Your application may be refused if you\u2019ve been convicted of a criminal offence since you arrived in the UK.

    ", + "

    How to apply

    ", + "

    Read the integration loan application form guidance before you apply.

    ", + "

    You must provide your National Insurance number - if you do not have one, you must apply for one at your local Jobcentre Plus before you apply for an integration loan.

    ", + "

    You should also provide photocopies of documents including:

    ", + "
  • your biometric residence permit, immigration status document or passport
  • ", + "
  • a bank statement or letter confirming your bank details
  • ", + "

    Download and fill in the integration loan application form. Make sure you sign it.

    ", + "

    Scan or photograph the completed form and supporting documents and email them to integrationloan@homeoffice.gov.uk.

    ", + "

    You cannot currently apply by post. If you sent a postal application before 20 March 2020, your application will still be reviewed. You do not need to do anything.

    ", + "

    Get more help

    ", + "

    Your local refugee community organisation can help you with your application and filling in the form.

    ", + "

    You can also contact the integration loan team.

    " + ] + }, + "https://www.gov.uk/apply-home-office-travel-document": { + "url": "https://www.gov.uk/apply-home-office-travel-document", + "title": "Apply for a Home Office travel document", + "content": "## Overview\n\nYou can apply for a document to travel outside the UK if:\n\n- you are not British\n\n- you cannot use or get a passport from your country\u2019s national authorities\n\n- your country\u2019s national authorities cannot give you a new passport\n\n## If you have already applied\n\nIt\u2019s taking longer than usual to return supporting documents because of coronavirus (COVID-19).\n\nIf you changed address after you submitted your application, contact the Home Office immediately to let them know. If you do not, your documents may be sent to the wrong address.\n\nEmail the Home Office travel document enquiries team with \u2018Change of address\u2019 and your name in the subject line.\n\n## Eligibility\n\nTo apply you must be living in the UK because of one of the following:\n\n- you have permission to stay as a refugee or stateless person\n\n- you have humanitarian protection and it has been officially accepted that you have a fear of your country\u2019s national authorities\n\n- you have permission to stay (known as \u2018leave to remain\u2019) or are settled in the UK (known as \u2018indefinite leave to remain\u2019), but you cannot get a passport or travel document from your country\u2019s national authorities\n\nYou must be in the UK when you apply.\n\n## Refugee travel document\n\nYou can apply for a refugee travel document if either:\n\n- you have refugee status in the UK\n\n- you originally came to the UK on a family reunion visa to join someone who has refugee status\n\n## How long it will be valid for\n\nYour document will usually be valid for up to 10 years if you\u2019re settled in the UK (known as having \u2018indefinite leave to remain\u2019). If you have permission to stay (known as \u2018leave to remain\u2019), your document will usually be valid up to 5 years.\n\nIf you\u2019re 15 or under, the document will usually be valid for up to 5 years.\n\n## Countries you can travel to\n\nYou can usually travel to all countries except:\n\n- the country you\u2019re from\n\n- any country you sought asylum from\n\n## Before you travel\n\nCheck which documents you\u2019ll need before you book your travel.\n\nAsk the authorities of the country you\u2019re visiting or travelling through if:\n\n- the country accepts refugee travel documents\n\n- you need a visa to enter the country\n\nYou should also check if coronavirus (COVID-19) travel restrictions will affect your journey.\n\n## Fees\n\nIt costs:\n\n- \u00a375 for adults (it\u2019s free if you were born before 1 September 1929)\n\n- \u00a349 for children 15 or under\n\n## Stateless person\u2019s travel document\n\nYou can apply for a stateless person\u2019s travel document if you have been recognised as stateless in the UK.\n\n## How long it will be valid for\n\nYour document will usually be valid for up to 10 years if you\u2019re settled in the UK (known as having \u2018indefinite leave to remain\u2019). If you have permission to stay (known as \u2018leave to remain\u2019), your document will usually be valid up to 5 years.\n\nIf you\u2019re 15 or under, the document will usually be valid for up to 5 years.\n\n## Countries you can travel to\n\nYou can usually travel to all countries on a stateless person\u2019s travel document.\n\n## Before you travel\n\nCheck which documents you\u2019ll need before you book your travel. Ask the authorities of the country you\u2019re visiting or travelling through if:\n\n- the country accepts UK stateless person\u2019s travel documents\n\n- you need a visa to enter the country\n\nYou should also check if coronavirus (COVID-19) travel restrictions will affect your journey.\n\n## Fees\n\nIt costs:\n\n- \u00a375 for adults (it\u2019s free if you were born before 1 September 1929)\n\n- \u00a349 for children 15 or under\n\n## Certificate of travel\n\nYou can apply for a certificate of travel if one of the following is true:\n\n- you have permission to stay (known as \u2018leave to remain\u2019) or are settled in the UK (known as \u2018indefinite leave to remain\u2019), and you have been refused a passport or travel document by your country\u2019s national authorities\n\n- you are in the UK with humanitarian protection and it\u2019s been officially accepted you have a fear of your country\u2019s national authorities as part of your asylum application\n\n- you are in the UK on a family reunion visa because you\u2019ve joined someone who has humanitarian protection\n\n- you were born in the UK as the child of someone with refugee status and you have permission to stay but do not have refugee status yourself\n\n- you have an important reason to travel and your country\u2019s national authorities are unable to issue you with a passport or emergency travel document quickly\n\n## Proving you have an important reason to travel\n\nYou must provide evidence of why you need to travel urgently, as well as evidence that your passport or emergency travel document application was refused.\n\nThe following situations are examples of valid reasons why you might need to travel urgently:\n\n- essential employment, business or educational trips (but not holidays)\n\n- compelling or compassionate reasons - for example, a family member is seriously ill or has died\n\n- religious reasons\n\n## Proving you have been \u2018unreasonably refused\u2019 a travel document\n\nDepending on your circumstances, you might need to prove that you\u2019ve applied for a passport from your country\u2019s national authorities and your application was \u2018unreasonably refused\u2019.\n\nYou must provide evidence of this if one of the following is true:\n\n- you do not have permission to be in the UK as a refugee or stateless person\n\n- you have humanitarian protection but it has not been officially accepted that you have a fear of your country\u2019s national authorities\n\nYour application is not considered \u2018unreasonably refused\u2019 if one of the following is true:\n\n- you applied incorrectly or without enough supporting evidence to confirm your identity and nationality\n\n- you are required to complete military service in your home country\n\n- you have a criminal record in your home country\n\n- you did not comply with tax rules in your home country\n\nYou do not have to prove that you\u2019ve been \u2018unreasonably refused\u2019 a passport if one of the following is true:\n\n- you have been granted humanitarian protection and it\u2019s been officially accepted you have a fear of your country\u2019s national authorities\n\n- you must be in your country to apply for a passport\n\n- your country\u2019s national authorities cannot issue passports in the UK or send an application to your own country to be processed\n\n## How long it will be valid for\n\nA certificate of travel is usually valid either:\n\n- for up to 5 years if you\u2019re settled in the UK (known as having \u2018indefinite leave to remain\u2019)\n\n- until the end of your permission to stay in the UK (known as having \u2018leave to remain\u2019)\n\nIt may be shorter if it\u2019s being issued for exceptional reasons.\n\n## Countries you can travel to\n\nYou can usually travel to most countries with a certificate of travel.\n\nIf you have been given humanitarian protection because it\u2019s been accepted you have a fear of a country\u2019s national authorities, you cannot travel to that country.\n\n## Before you travel\n\nCheck which documents you\u2019ll need before you book your travel. Ask the authorities of the country you\u2019re visiting or travelling through if:\n\n- the country accepts certificates of travel\n\n- you need a visa to enter the country\n\nYou should also check if coronavirus (COVID-19) travel restrictions will affect your journey.\n\n## Fees\n\nIt costs:\n\n- \u00a3280 for adults\n\n- \u00a3141 for children 15 and under\n\n## One way travel document\n\nYou can apply for a one way travel document if you meet all of the following criteria:\n\n- you are not a British citizen\n\n- you do not have a valid passport or travel document from the country you\u2019re from\n\n- you are not in the process of being deported from the UK\n\n- you want to leave the UK permanently\n\n- you do not have outstanding criminal proceedings in the UK\n\nYou do not need to be settled in the UK (known as having \u2018leave to remain\u2019) to apply.\n\n## How long it will be valid for\n\nThe document will be valid for 12 months from the date it\u2019s issued.\nIt\u2019s for a single journey out of the UK - you cannot use it to come back.\n\n## Before you travel\n\nCheck which documents you\u2019ll need before you book your travel. Ask the authorities of the country you\u2019re visiting or travelling through if:\n\n- the country accepts one way travel documents\n\n- you need a visa to enter the country\n\nYou should also check if coronavirus (COVID-19) travel restrictions will affect your journey.\n\n## Fees\n\nIt costs:\n\n- \u00a375 for adults\n\n- \u00a349 for children 15 and under\n\n## Family members\n\nEach family member must apply for their own travel document separately.\n\n## If your child is not a British citizen\n\nIf your child is not a British citizen, they may be able to apply for a travel document if all of the following are true:\n\n- they have the same permission to stay in the UK as their parents\n\n- they have a biometric residence permit (BRP)\n\n- they meet the relevant eligibility criteria for the travel document they\u2019re applying for\n\n## If your child was born in the UK\n\nYour child may be able to become a British citizen, and be entitled to a British passport, if they were born in the UK to a parent who:\n\n- was settled in the UK (known as having \u2018indefinite leave to remain\u2019) on the date of the child\u2019s birth\n\n- was a British citizen on the date of the child\u2019s birth\n\nCheck if your child can become a British citizen.\n\n## How to apply\n\n## Before you apply\n\nIf you have less than 6 months\u2019 permission to stay in the UK (known as \u2018leave to remain\u2019), you need to extend it before you apply for a travel document.\n\nIf you have a biometric residence permit (BRP), make sure it has not expired and all the details are correct before you apply for a travel document.\n\nYou\u2019ll need to:\n\n- apply for a replacement BRP if yours has expired\n\n- contact the team that issued your BRP if your details are not correct (their contact information will be on your letter or email notification)\n\n## Apply\n\nThe type of travel document you can apply for depends on what kind of permission to stay you have - for example, if you have refugee status or are recognised as stateless.\n\nYou can find what kind of permission to stay you have on your BRP or your Home Office decision letter.\n\nIf you apply for the wrong type of travel document, your application will be refused and you will not get a refund. You\u2019ll have to submit a new application and pay the fee if you want to apply again.\n\nIt\u2019s taking longer than usual to process applications because of coronavirus (COVID-19).\n\n## How to apply\n\nTo apply for a travel document you need to:\n\n- complete the online form\n\n- send supporting documents by post\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou cannot get immigration advice through this service.\n\n## Send supporting documents by post\n\nYou\u2019ll be told in the online application:\n\n- which documents to send\n\n- where to send them\n\nYou\u2019ll need to send original documents.\n\nDo not send your BRP - you\u2019ll need to keep this as proof of identity.\n\n## If you have a compassionate reason for travelling\n\nIf you urgently need a travel document for compassionate reasons, send additional supporting evidence by email. Compassionate reasons for travelling include:\n\n- you are seriously ill\n\n- a family member or friend is seriously ill or has died\n\n- you - or someone you care for - need to travel abroad for medical treatment that cannot be delayed\n\nAttach a scan or photo of a letter confirming the reason for your travel. The letter must:\n\n- be from a doctor or hospital\n\n- be on headed paper\n\n- be in English, or be accompanied by a certified translation\n\n- include your name\n\n- include, where relevant, the name of the sick or dead person and their relationship to you\n\nYou can send a death certificate but it must be accompanied by the letter confirming the reason for your travel.\n\n## Where to send your supporting email\n\nSend your email with supporting evidence to the Home Office travel document enquiries team.\n\nPut \u2018New application enquiry \u2013 urgent compassionate case\u2019 and your name in the subject line.\n\n## Withdrawing your application\n\nYou can withdraw your application at any time. In most cases you will not get a refund.\n\nYou might be able to get a refund of your application fee if both of the following are true:\n\n- you withdraw your application within 7 days of submitting it\n\n- you do not need to provide biometric information or go to a visa application centre as part of your application\n\nEmail the Home Office travel document enquiries team to withdraw your application.\n\n## Report your lost or stolen travel document\n\nIf your travel document is lost or stolen, you must report it to the Home Office. Email the Home Office travel document enquiries team with:\n\n- your name\n\n- your date of birth\n\n- your nationality\n\nIf you have them, you must also provide your:\n\n- travel document number\n\n- Home Office reference number\n\n- biometric residence permit (BRP) number\n\n- police report and crime reference number\n\nReporting your document as lost or stolen does not mean that you have requested a new one.\n\nYou must also report and replace a lost or stolen BRP if you had one.\n\n## Replace your document\n\nYou can only apply for a new travel document if you are in the UK.\n\nYou may be asked to confirm your identity and immigration status with biometric data before you can get your new document.\n\n## If you lose your travel document outside the UK\n\nYou will have to apply for a visa to return to the UK.\n\nIf you\u2019ve been away for less than 2 years, you can get a replacement BRP visa.\n\nIf you\u2019ve been away from the UK for over 2 years, and you had indefinite leave to remain, you can apply online for a returning resident visa.\n\nYou\u2019ll get a temporary travel document if you are allowed to return. You may have to give your fingerprints to confirm your identity.\n\nWhen you\u2019re back in the UK, you can apply to replace your travel document.", + "original_contents": [ + "

    Overview

    ", + "

    You can apply for a document to travel outside the UK if:

    ", + "
  • you are not British
  • ", + "
  • you cannot use or get a passport from your country\u2019s national authorities
  • ", + "
  • your country\u2019s national authorities cannot give you a new passport
  • ", + "

    If you have already applied

    ", + "

    It\u2019s taking longer than usual to return supporting documents because of coronavirus (COVID-19).

    ", + "

    If you changed address after you submitted your application, contact the Home Office immediately to let them know. If you do not, your documents may be sent to the wrong address.

    ", + "

    Email the Home Office travel document enquiries team with \u2018Change of address\u2019 and your name in the subject line.

    ", + "

    Eligibility

    ", + "

    To apply you must be living in the UK because of one of the following:

    ", + "
  • you have permission to stay as a refugee or stateless person
  • ", + "
  • you have humanitarian protection and it has been officially accepted that you have a fear of your country\u2019s national authorities
  • ", + "
  • you have permission to stay (known as \u2018leave to remain\u2019) or are settled in the UK (known as \u2018indefinite leave to remain\u2019), but you cannot get a passport or travel document from your country\u2019s national authorities
  • ", + "

    You must be in the UK when you apply.

    ", + "

    Refugee travel document

    ", + "

    You can apply for a refugee travel document if either:

    ", + "
  • you have refugee status in the UK
  • ", + "
  • you originally came to the UK on a family reunion visa to join someone who has refugee status
  • ", + "

    How long it will be valid for

    ", + "

    Your document will usually be valid for up to 10 years if you\u2019re settled in the UK (known as having \u2018indefinite leave to remain\u2019). If you have permission to stay (known as \u2018leave to remain\u2019), your document will usually be valid up to 5 years.

    ", + "

    If you\u2019re 15 or under, the document will usually be valid for up to 5 years.

    ", + "

    Countries you can travel to

    ", + "

    You can usually travel to all countries except:

    ", + "
  • the country you\u2019re from
  • ", + "
  • any country you sought asylum from
  • ", + "

    Before you travel

    ", + "

    Check which documents you\u2019ll need before you book your travel.

    ", + "

    Ask the authorities of the country you\u2019re visiting or travelling through if:

    ", + "
  • the country accepts refugee travel documents
  • ", + "
  • you need a visa to enter the country
  • ", + "

    You should also check if coronavirus (COVID-19) travel restrictions will affect your journey.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a375 for adults (it\u2019s free if you were born before 1 September 1929)
  • ", + "
  • \u00a349 for children 15 or under
  • ", + "

    Stateless person\u2019s travel document

    ", + "

    You can apply for a stateless person\u2019s travel document if you have been recognised as stateless in the UK.

    ", + "

    How long it will be valid for

    ", + "

    Your document will usually be valid for up to 10 years if you\u2019re settled in the UK (known as having \u2018indefinite leave to remain\u2019). If you have permission to stay (known as \u2018leave to remain\u2019), your document will usually be valid up to 5 years.

    ", + "

    If you\u2019re 15 or under, the document will usually be valid for up to 5 years.

    ", + "

    Countries you can travel to

    ", + "

    You can usually travel to all countries on a stateless person\u2019s travel document.

    ", + "

    Before you travel

    ", + "

    Check which documents you\u2019ll need before you book your travel. Ask the authorities of the country you\u2019re visiting or travelling through if:

    ", + "
  • the country accepts UK stateless person\u2019s travel documents
  • ", + "
  • you need a visa to enter the country
  • ", + "

    You should also check if coronavirus (COVID-19) travel restrictions will affect your journey.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a375 for adults (it\u2019s free if you were born before 1 September 1929)
  • ", + "
  • \u00a349 for children 15 or under
  • ", + "

    Certificate of travel

    ", + "

    You can apply for a certificate of travel if one of the following is true:

    ", + "
  • you have permission to stay (known as \u2018leave to remain\u2019) or are settled in the UK (known as \u2018indefinite leave to remain\u2019), and you have been refused a passport or travel document by your country\u2019s national authorities
  • ", + "
  • you are in the UK with humanitarian protection and it\u2019s been officially accepted you have a fear of your country\u2019s national authorities as part of your asylum application
  • ", + "
  • you are in the UK on a family reunion visa because you\u2019ve joined someone who has humanitarian protection
  • ", + "
  • you were born in the UK as the child of someone with refugee status and you have permission to stay but do not have refugee status yourself
  • ", + "
  • you have an important reason to travel and your country\u2019s national authorities are unable to issue you with a passport or emergency travel document quickly
  • ", + "

    Proving you have an important reason to travel

    ", + "

    You must provide evidence of why you need to travel urgently, as well as evidence that your passport or emergency travel document application was refused.

    ", + "

    The following situations are examples of valid reasons why you might need to travel urgently:

    ", + "
  • essential employment, business or educational trips (but not holidays)
  • ", + "
  • compelling or compassionate reasons - for example, a family member is seriously ill or has died
  • ", + "
  • religious reasons
  • ", + "

    Proving you have been \u2018unreasonably refused\u2019 a travel document

    ", + "

    Depending on your circumstances, you might need to prove that you\u2019ve applied for a passport from your country\u2019s national authorities and your application was \u2018unreasonably refused\u2019.

    ", + "

    You must provide evidence of this if one of the following is true:

    ", + "
  • you do not have permission to be in the UK as a refugee or stateless person
  • ", + "
  • you have humanitarian protection but it has not been officially accepted that you have a fear of your country\u2019s national authorities
  • ", + "

    Your application is not considered \u2018unreasonably refused\u2019 if one of the following is true:

    ", + "
  • you applied incorrectly or without enough supporting evidence to confirm your identity and nationality
  • ", + "
  • you are required to complete military service in your home country
  • ", + "
  • you have a criminal record in your home country
  • ", + "
  • you did not comply with tax rules in your home country
  • ", + "

    You do not have to prove that you\u2019ve been \u2018unreasonably refused\u2019 a passport if one of the following is true:

    ", + "
  • you have been granted humanitarian protection and it\u2019s been officially accepted you have a fear of your country\u2019s national authorities
  • ", + "
  • you must be in your country to apply for a passport
  • ", + "
  • your country\u2019s national authorities cannot issue passports in the UK or send an application to your own country to be processed
  • ", + "

    How long it will be valid for

    ", + "

    A certificate of travel is usually valid either:

    ", + "
  • for up to 5 years if you\u2019re settled in the UK (known as having \u2018indefinite leave to remain\u2019)
  • ", + "
  • until the end of your permission to stay in the UK (known as having \u2018leave to remain\u2019)
  • ", + "

    It may be shorter if it\u2019s being issued for exceptional reasons.

    ", + "

    Countries you can travel to

    ", + "

    You can usually travel to most countries with a certificate of travel.

    ", + "

    If you have been given humanitarian protection because it\u2019s been accepted you have a fear of a country\u2019s national authorities, you cannot travel to that country.

    ", + "

    Before you travel

    ", + "

    Check which documents you\u2019ll need before you book your travel. Ask the authorities of the country you\u2019re visiting or travelling through if:

    ", + "
  • the country accepts certificates of travel
  • ", + "
  • you need a visa to enter the country
  • ", + "

    You should also check if coronavirus (COVID-19) travel restrictions will affect your journey.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a3280 for adults
  • ", + "
  • \u00a3141 for children 15 and under
  • ", + "

    One way travel document

    ", + "

    You can apply for a one way travel document if you meet all of the following criteria:

    ", + "
  • you are not a British citizen
  • ", + "
  • you do not have a valid passport or travel document from the country you\u2019re from
  • ", + "
  • you are not in the process of being deported from the UK
  • ", + "
  • you want to leave the UK permanently
  • ", + "
  • you do not have outstanding criminal proceedings in the UK
  • ", + "

    You do not need to be settled in the UK (known as having \u2018leave to remain\u2019) to apply.

    ", + "

    How long it will be valid for

    ", + "

    The document will be valid for 12 months from the date it\u2019s issued.\nIt\u2019s for a single journey out of the UK - you cannot use it to come back.

    ", + "

    Before you travel

    ", + "

    Check which documents you\u2019ll need before you book your travel. Ask the authorities of the country you\u2019re visiting or travelling through if:

    ", + "
  • the country accepts one way travel documents
  • ", + "
  • you need a visa to enter the country
  • ", + "

    You should also check if coronavirus (COVID-19) travel restrictions will affect your journey.

    ", + "

    Fees

    ", + "

    It costs:

    ", + "
  • \u00a375 for adults
  • ", + "
  • \u00a349 for children 15 and under
  • ", + "

    Family members

    ", + "

    Each family member must apply for their own travel document separately.

    ", + "

    If your child is not a British citizen

    ", + "

    If your child is not a British citizen, they may be able to apply for a travel document if all of the following are true:

    ", + "
  • they have the same permission to stay in the UK as their parents
  • ", + "
  • they have a biometric residence permit (BRP)
  • ", + "
  • they meet the relevant eligibility criteria for the travel document they\u2019re applying for
  • ", + "

    If your child was born in the UK

    ", + "

    Your child may be able to become a British citizen, and be entitled to a British passport, if they were born in the UK to a parent who:

    ", + "
  • was settled in the UK (known as having \u2018indefinite leave to remain\u2019) on the date of the child\u2019s birth
  • ", + "
  • was a British citizen on the date of the child\u2019s birth
  • ", + "

    Check if your child can become a British citizen.

    ", + "

    How to apply

    ", + "

    Before you apply

    ", + "

    If you have less than 6 months\u2019 permission to stay in the UK (known as \u2018leave to remain\u2019), you need to extend it before you apply for a travel document.

    ", + "

    If you have a biometric residence permit (BRP), make sure it has not expired and all the details are correct before you apply for a travel document.

    ", + "

    You\u2019ll need to:

    ", + "
  • apply for a replacement BRP if yours has expired
  • ", + "
  • contact the team that issued your BRP if your details are not correct (their contact information will be on your letter or email notification)
  • ", + "

    Apply

    ", + "

    The type of travel document you can apply for depends on what kind of permission to stay you have - for example, if you have refugee status or are recognised as stateless.

    ", + "

    You can find what kind of permission to stay you have on your BRP or your Home Office decision letter.

    ", + "

    If you apply for the wrong type of travel document, your application will be refused and you will not get a refund. You\u2019ll have to submit a new application and pay the fee if you want to apply again.

    ", + "

    It\u2019s taking longer than usual to process applications because of coronavirus (COVID-19).

    ", + "

    How to apply

    ", + "

    To apply for a travel document you need to:

    ", + "
  • complete the online form
  • ", + "
  • send supporting documents by post
  • ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have internet access
  • ", + "

    You cannot get immigration advice through this service.

    ", + "

    Send supporting documents by post

    ", + "

    You\u2019ll be told in the online application:

    ", + "
  • which documents to send
  • ", + "
  • where to send them
  • ", + "

    You\u2019ll need to send original documents.

    ", + "

    Do not send your BRP - you\u2019ll need to keep this as proof of identity.

    ", + "

    If you have a compassionate reason for travelling

    ", + "

    If you urgently need a travel document for compassionate reasons, send additional supporting evidence by email. Compassionate reasons for travelling include:

    ", + "
  • you are seriously ill
  • ", + "
  • a family member or friend is seriously ill or has died
  • ", + "
  • you - or someone you care for - need to travel abroad for medical treatment that cannot be delayed
  • ", + "

    Attach a scan or photo of a letter confirming the reason for your travel. The letter must:

    ", + "
  • be from a doctor or hospital
  • ", + "
  • be on headed paper
  • ", + "
  • be in English, or be accompanied by a certified translation
  • ", + "
  • include your name
  • ", + "
  • include, where relevant, the name of the sick or dead person and their relationship to you
  • ", + "

    You can send a death certificate but it must be accompanied by the letter confirming the reason for your travel.

    ", + "

    Where to send your supporting email

    ", + "

    Send your email with supporting evidence to the Home Office travel document enquiries team.

    ", + "

    Put \u2018New application enquiry \u2013 urgent compassionate case\u2019 and your name in the subject line.

    ", + "

    Withdrawing your application

    ", + "

    You can withdraw your application at any time. In most cases you will not get a refund.

    ", + "

    You might be able to get a refund of your application fee if both of the following are true:

    ", + "
  • you withdraw your application within 7 days of submitting it
  • ", + "
  • you do not need to provide biometric information or go to a visa application centre as part of your application
  • ", + "

    Email the Home Office travel document enquiries team to withdraw your application.

    ", + "

    Report your lost or stolen travel document

    ", + "

    If your travel document is lost or stolen, you must report it to the Home Office. Email the Home Office travel document enquiries team with:

    ", + "
  • your name
  • ", + "
  • your date of birth
  • ", + "
  • your nationality
  • ", + "

    If you have them, you must also provide your:

    ", + "
  • travel document number
  • ", + "
  • Home Office reference number
  • ", + "
  • biometric residence permit (BRP) number
  • ", + "
  • police report and crime reference number
  • ", + "

    Reporting your document as lost or stolen does not mean that you have requested a new one.

    ", + "

    You must also report and replace a lost or stolen BRP if you had one.

    ", + "

    Replace your document

    ", + "

    You can only apply for a new travel document if you are in the UK.

    ", + "

    You may be asked to confirm your identity and immigration status with biometric data before you can get your new document.

    ", + "

    If you lose your travel document outside the UK

    ", + "

    You will have to apply for a visa to return to the UK.

    ", + "

    If you\u2019ve been away for less than 2 years, you can get a replacement BRP visa.

    ", + "

    If you\u2019ve been away from the UK for over 2 years, and you had indefinite leave to remain, you can apply online for a returning resident visa.

    ", + "

    You\u2019ll get a temporary travel document if you are allowed to return. You may have to give your fingerprints to confirm your identity.

    ", + "

    When you\u2019re back in the UK, you can apply to replace your travel document.

    " + ] + }, + "https://www.gov.uk/appeal-first-tier-asylum-support-tribunal": { + "url": "https://www.gov.uk/appeal-first-tier-asylum-support-tribunal", + "title": "Appeal an asylum support decision", + "content": "## Overview\n\nYou can appeal to the First-tier Tribunal (Asylum Support) if:\n\n- you\u2019ve applied for asylum support and been turned down\n\n- you were claiming asylum support and it\u2019s been stopped\n\nThe tribunal must receive your appeal within 3 days of you getting the letter about the decision - you may be able to carry on claiming asylum support (if you were already getting it) while you appeal.\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou may want to get help and advice before you appeal.\n\nContact the Asylum Support Appeals Project for free advice and legal representation if you have an appeal at the First-tier Tribunal (Asylum Support).\n\nYou can contact British Red Cross, Refugee Action and Refugee Council for advice and support - they may be able to find another organisation near to you.\n\nYou can also get other legal advice, including from a lawyer.\n\n## Apply to the tribunal\n\nDownload and fill in a \u2018notice of appeal\u2019 form. You must include:\n\n- why you\u2019re appealing (your \u2018grounds of appeal\u2019)\n\n- a copy of the decision you\u2019re appealing against\n\n- any documents that help support your appeal\n\n- why your appeal is late (if it is)\n\n- whether you\u2019d like a \u2018paper\u2019 or \u2018oral\u2019 hearing\n\nBecause of coronavirus, most hearings are paper hearings. These are based on documents only. If a judge decides that an oral hearing is required, it will most likely be held by phone or video link.\n\nRead guidance on how cases are affected by coronavirus.\n\nIf a judge decides you have to go to an oral hearing in person, you\u2019ll need to travel to London. The Home Office will pay for you to get there (usually by train). You\u2019ll get free accommodation the night before if you have far to travel.\n\n## Send the form\n\nPost, email or fax the notice of appeal form to HM Courts and Tribunals Service. The contact details are on the form.\n\nBecause of coronavirus, it\u2019s taking longer than usual for staff to reply to forms sent by post.\n\nCall the helpline if you have any questions about completing the form. The helpline cannot give you legal advice.\n\n## After you send your appeal\n\nYou\u2019ll normally find out within a week of sending the form:\n\n- whether the tribunal will consider your case\n\n- whether the tribunal needs more information, for example if your appeal was late\n\nYou\u2019ll then be told when your hearing will take place, and whether it\u2019s paper or oral.\n\nIf you have an oral hearing, you\u2019ll be told a few days before the hearing what documents to bring with you - or to send by post in advance. The letter will also tell you if the tribunal wants to call up any witnesses - you must contact them and make sure they appear at the hearing.\n\nYou\u2019ll usually get the decision at the hearing.\n\n## If you need to send more information\n\nIf the tribunal asks you to send more information before the hearing, you may need to discuss this with a casework team.\n\nContact the Section 95 casework team if you\u2019re an asylum seeker.\n\nContact the Section 4 casework team if you\u2019ve been refused asylum.\n\n## What happens at the hearing\n\nWhat happens at the hearing depends on whether you have a paper or oral hearing.\n\n## Paper hearing\n\nYou will not go to a paper hearing. A judge will make a decision based on:\n\n- your notice of appeal form\n\n- your documents\n\n- documents provided by the Home Office\n\n## Oral hearing\n\nBecause of coronavirus, oral hearings will most likely be held via phone or video link.\n\nYou\u2019ll present your case to the judge - someone else can do this for you, for example a lawyer, friend or family member. The Home Office will present the case against you.\n\nThe tribunal will provide you with an interpreter if you\u2019ve asked for one. They can translate what happens during the tribunal but they cannot represent you or give you legal advice.\n\nYou may be asked questions by:\n\n- your legal representative (if you have one)\n\n- the Home Office\u2019s representative\n\n- the judge\n\nThe hearing is public. Family and friends can attend. If the hearing is in person, they\u2019ll have to pay their own travel costs unless they are witnesses.\n\nChildren can only attend if you cannot make childcare arrangements. They can either:\n\n- wait in the waiting room with your family or friends\n\n- be with you during the hearing\n\n## Get a decision\n\nYou\u2019ll get the decision either:\n\n- at the oral hearing (if you have one) - you\u2019ll also get full written reasons within 3 days\n\n- by post the day after the paper hearing\n\nThe judge will either:\n\n- allow the appeal - this means you\u2019ll either get asylum support, or carry on getting it\n\n- turn down (\u2018dismiss\u2019) your appeal\n\n- ask the Home Office to look at the decision again (known as \u2018remitting\u2019 the appeal)\n\nThe judge\u2019s decision is final - you cannot appeal again.\n\nYou may be able to get a judicial review of the decision if your appeal was turned down and you think the judge did not follow the law correctly. Talk to a solicitor as soon as possible.\n\nYou cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\n## Legislation\n\nThe tribunal will make a decision based on:\n\n- Immigration and Asylum Act 1999\n\n- Nationality, Immigration and Asylum Act 2002\n\nThe tribunal must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008 and Amendments to the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.\n\n## Failed asylum seekers\n\nThe tribunal will make a decision based on:\n\n- section 4, Immigration and Asylum Act 1999\n\n- Immigration and Asylum Regulations 2005\n\n## If asylum support was stopped while the application was being considered\n\nThe tribunal will make a decision based on:\n\n- section 95, Immigration and Asylum 1999\n\n- Asylum Support Regulations 2000", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal to the First-tier Tribunal (Asylum Support) if:

    ", + "
  • you\u2019ve applied for asylum support and been turned down
  • ", + "
  • you were claiming asylum support and it\u2019s been stopped
  • ", + "

    The tribunal must receive your appeal within 3 days of you getting the letter about the decision - you may be able to carry on claiming asylum support (if you were already getting it) while you appeal.

    ", + "

    The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    You may want to get help and advice before you appeal.

    ", + "

    Contact the Asylum Support Appeals Project for free advice and legal representation if you have an appeal at the First-tier Tribunal (Asylum Support).

    ", + "

    You can contact British Red Cross, Refugee Action and Refugee Council for advice and support - they may be able to find another organisation near to you.

    ", + "

    You can also get other legal advice, including from a lawyer.

    ", + "

    Apply to the tribunal

    ", + "

    Download and fill in a \u2018notice of appeal\u2019 form. You must include:

    ", + "
  • why you\u2019re appealing (your \u2018grounds of appeal\u2019)
  • ", + "
  • a copy of the decision you\u2019re appealing against
  • ", + "
  • any documents that help support your appeal
  • ", + "
  • why your appeal is late (if it is)
  • ", + "
  • whether you\u2019d like a \u2018paper\u2019 or \u2018oral\u2019 hearing
  • ", + "

    Because of coronavirus, most hearings are paper hearings. These are based on documents only. If a judge decides that an oral hearing is required, it will most likely be held by phone or video link.

    ", + "

    Read guidance on how cases are affected by coronavirus.

    ", + "

    If a judge decides you have to go to an oral hearing in person, you\u2019ll need to travel to London. The Home Office will pay for you to get there (usually by train). You\u2019ll get free accommodation the night before if you have far to travel.

    ", + "

    Send the form

    ", + "

    Post, email or fax the notice of appeal form to HM Courts and Tribunals Service. The contact details are on the form.

    ", + "

    Because of coronavirus, it\u2019s taking longer than usual for staff to reply to forms sent by post.

    ", + "

    Call the helpline if you have any questions about completing the form. The helpline cannot give you legal advice.

    ", + "

    After you send your appeal

    ", + "

    You\u2019ll normally find out within a week of sending the form:

    ", + "
  • whether the tribunal will consider your case
  • ", + "
  • whether the tribunal needs more information, for example if your appeal was late
  • ", + "

    You\u2019ll then be told when your hearing will take place, and whether it\u2019s paper or oral.

    ", + "

    If you have an oral hearing, you\u2019ll be told a few days before the hearing what documents to bring with you - or to send by post in advance. The letter will also tell you if the tribunal wants to call up any witnesses - you must contact them and make sure they appear at the hearing.

    ", + "

    You\u2019ll usually get the decision at the hearing.

    ", + "

    If you need to send more information

    ", + "

    If the tribunal asks you to send more information before the hearing, you may need to discuss this with a casework team.

    ", + "

    Contact the Section 95 casework team if you\u2019re an asylum seeker.

    ", + "

    Contact the Section 4 casework team if you\u2019ve been refused asylum.

    ", + "

    What happens at the hearing

    ", + "

    What happens at the hearing depends on whether you have a paper or oral hearing.

    ", + "

    Paper hearing

    ", + "

    You will not go to a paper hearing. A judge will make a decision based on:

    ", + "
  • your notice of appeal form
  • ", + "
  • your documents
  • ", + "
  • documents provided by the Home Office
  • ", + "

    Oral hearing

    ", + "

    Because of coronavirus, oral hearings will most likely be held via phone or video link.

    ", + "

    You\u2019ll present your case to the judge - someone else can do this for you, for example a lawyer, friend or family member. The Home Office will present the case against you.

    ", + "

    The tribunal will provide you with an interpreter if you\u2019ve asked for one. They can translate what happens during the tribunal but they cannot represent you or give you legal advice.

    ", + "

    You may be asked questions by:

    ", + "
  • your legal representative (if you have one)
  • ", + "
  • the Home Office\u2019s representative
  • ", + "
  • the judge
  • ", + "

    The hearing is public. Family and friends can attend. If the hearing is in person, they\u2019ll have to pay their own travel costs unless they are witnesses.

    ", + "

    Children can only attend if you cannot make childcare arrangements. They can either:

    ", + "
  • wait in the waiting room with your family or friends
  • ", + "
  • be with you during the hearing
  • ", + "

    Get a decision

    ", + "

    You\u2019ll get the decision either:

    ", + "
  • at the oral hearing (if you have one) - you\u2019ll also get full written reasons within 3 days
  • ", + "
  • by post the day after the paper hearing
  • ", + "

    The judge will either:

    ", + "
  • allow the appeal - this means you\u2019ll either get asylum support, or carry on getting it
  • ", + "
  • turn down (\u2018dismiss\u2019) your appeal
  • ", + "
  • ask the Home Office to look at the decision again (known as \u2018remitting\u2019 the appeal)
  • ", + "

    The judge\u2019s decision is final - you cannot appeal again.

    ", + "

    You may be able to get a judicial review of the decision if your appeal was turned down and you think the judge did not follow the law correctly. Talk to a solicitor as soon as possible.

    ", + "

    You cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.

    ", + "

    Legislation and previous decisions

    ", + "

    Read the rules the tribunal must follow and its decisions on previous cases.

    ", + "

    Previous decisions

    ", + "

    Search the decisions database to see how and why previous decisions have been made.

    ", + "

    Legislation

    ", + "

    The tribunal will make a decision based on:

    ", + "
  • Immigration and Asylum Act 1999
  • ", + "
  • Nationality, Immigration and Asylum Act 2002
  • ", + "

    The tribunal must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008 and Amendments to the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.

    ", + "

    Failed asylum seekers

    ", + "

    The tribunal will make a decision based on:

    ", + "
  • section 4, Immigration and Asylum Act 1999
  • ", + "
  • Immigration and Asylum Regulations 2005
  • ", + "

    If asylum support was stopped while the application was being considered

    ", + "

    The tribunal will make a decision based on:

    ", + "
  • section 95, Immigration and Asylum 1999
  • ", + "
  • Asylum Support Regulations 2000
  • " + ] + }, + "https://www.gov.uk/ask-for-a-visa-administrative-review": { + "url": "https://www.gov.uk/ask-for-a-visa-administrative-review", + "title": "Ask for a visa administrative review", + "content": "## If you're outside the UK\n\nYou\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.\n\nYou can only ask for an administrative review if all of the following apply:\n\n- you\u2019re outside the UK\n\n- you applied outside the UK\n\n- your application was refused on or after 6 April 2015\n\n- you do not have a right of appeal against the refusal\n\n- you did not make an application as a short term student or a visitor (except if you applied as an S2 Healthcare Visitor)\n\nThere\u2019s a different way to ask for an administrative review if you applied:\n\n- to the EU Settlement Scheme\n\n- as a Frontier Worker\n\n- as an S2 Healthcare Visitor\n\n- as a Service Provider from Switzerland\n\n## How to apply\n\nYou must apply for an administrative review within 28 days of getting the decision. It costs \u00a380.\n\nYou can apply online.\n\nThe decision will be checked for the errors you point out.\n\nYou\u2019ll usually receive the result of the administrative review within 28 calendar days.\n\nYou cannot request a second review (unless the result of the first review found new reasons why you were refused).\n\n## Withdraw your request\n\nYour request for an administrative review will be withdrawn (cancelled) if you make any other immigration or visa application.\n\nYour request will be rejected if you ask for a review of a previous decision after submitting a new application.\n\nYou can email the Home Office and ask for your request to be withdrawn.\n\nYou must include your name, date of birth, nationality and your Global Web Form (GWF) reference number.\n\nYour GWF reference number was given to you when you first applied. You can find it on emails and letters from the Home Office about your application.\n\n## If you're in the UK\n\nYou\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.\n\nYou can ask for your application to be reviewed if one of the following apply:\n\n- your application was refused\n\n- your application was granted but you\u2019re unhappy with the amount or conditions of your leave\n\nThis is known as an \u2018administrative review\u2019.\n\nYou may be able to appeal if you\u2019re not eligible for an administrative review.\n\nThere\u2019s a different way to ask for an administrative review if you applied:\n\n- to the EU Settlement Scheme\n\n- as a Frontier Worker\n\n- as an S2 Healthcare Visitor\n\n- as a Service Provider from Switzerland\n\n## Apply for administrative review\n\nIf your application was refused, you must apply for an administrative review within 14 days of getting the decision.\n\nYour refusal letter will tell you how to apply. You may be able to apply online. It costs \u00a380.\n\nYou must apply within 7 days if you\u2019ve been detained.\n\nIf your application was granted but you\u2019re unhappy with the amount or conditions of your leave, you must email the Home Office within 14 days of getting your biometric residence permit.\n\nContact UK Visas and Immigration (UKVI) if you have a general enquiry about immigration.\n\n## Get a decision\n\nThe decision will be checked for the errors you point out. Do not send new information or documents for review unless you\u2019ve been asked to.\n\nYou\u2019ll usually receive the result of the administrative review within 28 days. You cannot request a second review (unless the result included new reasons why you were refused).\n\nIf your visa\u2019s expired, you will not usually be removed from the UK until your review has been completed.\n\n## Withdraw your request\n\nYour request for an administrative review will be withdrawn (cancelled) if you:\n\n- make any other immigration or visa application\n\n- ask for your passport back so you can travel\n\n- leave the UK\n\nYour request will be rejected if you ask for a review of a previous decision after submitting a new application.\n\nYou can also email the Home Office and ask for your request to be withdrawn.\n\nYou must include your name, date of birth, nationality and either your administrative review payment reference number or Home Office reference number in your email.\n\n## If your visa was cancelled at the border\n\nYou\u2019ll be told in your decision letter if you can ask for the decision to cancel your visa to be reviewed. This is known as an \u2018administrative review\u2019.\n\nYou can ask for the decision to be reviewed if your visa was cancelled for one or more of the following reasons:\n\n- there has been a change in your circumstances\n\n- you gave false information\n\n- you failed to include relevant facts\n\n## Apply for administrative review\n\nYour letter will tell you how to apply. It costs \u00a380.\n\n## If you were given temporary admission to the UK\n\nYou must apply for an administrative review within 14 days of your visa being cancelled or 7 days if you are detained. You need to do this from the UK.\n\n## If your visa was cancelled at border controls outside the UK\n\nYou must apply for an administrative review within 28 days of your visa being cancelled in any of the following cities:\n\n- Paris\n\n- Brussels\n\n- Dunkirk\n\n- Coquelles\n\n- Calais\n\n- Lille\n\n## Get a decision\n\nThe decision will be checked for the errors you point out. Do not send new information or documents unless you\u2019ve been asked to.\n\nYou\u2019ll usually receive the result of the administrative review within 28 days. You cannot request a second review (unless the result included new reasons for the cancellation of your leave).\n\nIf you\u2019re in the UK, you will not usually be removed until your review has been completed.\n\n## Withdraw your request\n\nYour request for an administrative review will be withdrawn (cancelled) if you:\n\n- make any other immigration or visa application\n\n- ask for your passport back so you can travel\n\n- leave the UK\n\nYour request will be rejected if you ask for a review of a previous decision after submitting a new application.\n\nYou can also email the Home Office and ask for your request to be withdrawn.\n\nYou must include your name, date of birth, nationality and either your administrative review payment reference number or Home Office reference number in your email.", + "original_contents": [ + "

    If you're outside the UK

    ", + "

    You\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.

    ", + "

    You can only ask for an administrative review if all of the following apply:

    ", + "
  • you\u2019re outside the UK
  • ", + "
  • you applied outside the UK
  • ", + "
  • your application was refused on or after 6 April 2015
  • ", + "
  • you do not have a right of appeal against the refusal
  • ", + "
  • you did not make an application as a short term student or a visitor (except if you applied as an S2 Healthcare Visitor)
  • ", + "

    There\u2019s a different way to ask for an administrative review if you applied:

    ", + "
  • to the EU Settlement Scheme
  • ", + "
  • as a Frontier Worker
  • ", + "
  • as an S2 Healthcare Visitor
  • ", + "
  • as a Service Provider from Switzerland
  • ", + "

    How to apply

    ", + "

    You must apply for an administrative review within 28 days of getting the decision. It costs \u00a380.

    ", + "

    You can apply online.

    ", + "

    The decision will be checked for the errors you point out.

    ", + "

    You\u2019ll usually receive the result of the administrative review within 28 calendar days.

    ", + "

    You cannot request a second review (unless the result of the first review found new reasons why you were refused).

    ", + "

    Withdraw your request

    ", + "

    Your request for an administrative review will be withdrawn (cancelled) if you make any other immigration or visa application.

    ", + "

    Your request will be rejected if you ask for a review of a previous decision after submitting a new application.

    ", + "

    You can email the Home Office and ask for your request to be withdrawn.

    ", + "

    You must include your name, date of birth, nationality and your Global Web Form (GWF) reference number.

    ", + "

    Your GWF reference number was given to you when you first applied. You can find it on emails and letters from the Home Office about your application.

    ", + "

    If you're in the UK

    ", + "

    You\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.

    ", + "

    You can ask for your application to be reviewed if one of the following apply:

    ", + "
  • your application was refused
  • ", + "
  • your application was granted but you\u2019re unhappy with the amount or conditions of your leave
  • ", + "

    This is known as an \u2018administrative review\u2019.

    ", + "

    You may be able to appeal if you\u2019re not eligible for an administrative review.

    ", + "

    There\u2019s a different way to ask for an administrative review if you applied:

    ", + "
  • to the EU Settlement Scheme
  • ", + "
  • as a Frontier Worker
  • ", + "
  • as an S2 Healthcare Visitor
  • ", + "
  • as a Service Provider from Switzerland
  • ", + "

    Apply for administrative review

    ", + "

    If your application was refused, you must apply for an administrative review within 14 days of getting the decision.

    ", + "

    Your refusal letter will tell you how to apply. You may be able to apply online. It costs \u00a380.

    ", + "

    You must apply within 7 days if you\u2019ve been detained.

    ", + "

    If your application was granted but you\u2019re unhappy with the amount or conditions of your leave, you must email the Home Office within 14 days of getting your biometric residence permit.

    ", + "

    Contact UK Visas and Immigration (UKVI) if you have a general enquiry about immigration.

    ", + "

    Get a decision

    ", + "

    The decision will be checked for the errors you point out. Do not send new information or documents for review unless you\u2019ve been asked to.

    ", + "

    You\u2019ll usually receive the result of the administrative review within 28 days. You cannot request a second review (unless the result included new reasons why you were refused).

    ", + "

    If your visa\u2019s expired, you will not usually be removed from the UK until your review has been completed.

    ", + "

    Withdraw your request

    ", + "

    Your request for an administrative review will be withdrawn (cancelled) if you:

    ", + "
  • make any other immigration or visa application
  • ", + "
  • ask for your passport back so you can travel
  • ", + "
  • leave the UK
  • ", + "

    Your request will be rejected if you ask for a review of a previous decision after submitting a new application.

    ", + "

    You can also email the Home Office and ask for your request to be withdrawn.

    ", + "

    You must include your name, date of birth, nationality and either your administrative review payment reference number or Home Office reference number in your email.

    ", + "

    If your visa was cancelled at the border

    ", + "

    You\u2019ll be told in your decision letter if you can ask for the decision to cancel your visa to be reviewed. This is known as an \u2018administrative review\u2019.

    ", + "

    You can ask for the decision to be reviewed if your visa was cancelled for one or more of the following reasons:

    ", + "
  • there has been a change in your circumstances
  • ", + "
  • you gave false information
  • ", + "
  • you failed to include relevant facts
  • ", + "

    Apply for administrative review

    ", + "

    Your letter will tell you how to apply. It costs \u00a380.

    ", + "

    If you were given temporary admission to the UK

    ", + "

    You must apply for an administrative review within 14 days of your visa being cancelled or 7 days if you are detained. You need to do this from the UK.

    ", + "

    If your visa was cancelled at border controls outside the UK

    ", + "

    You must apply for an administrative review within 28 days of your visa being cancelled in any of the following cities:

    ", + "
  • Paris
  • ", + "
  • Brussels
  • ", + "
  • Dunkirk
  • ", + "
  • Coquelles
  • ", + "
  • Calais
  • ", + "
  • Lille
  • ", + "

    Get a decision

    ", + "

    The decision will be checked for the errors you point out. Do not send new information or documents unless you\u2019ve been asked to.

    ", + "

    You\u2019ll usually receive the result of the administrative review within 28 days. You cannot request a second review (unless the result included new reasons for the cancellation of your leave).

    ", + "

    If you\u2019re in the UK, you will not usually be removed until your review has been completed.

    ", + "

    Withdraw your request

    ", + "

    Your request for an administrative review will be withdrawn (cancelled) if you:

    ", + "
  • make any other immigration or visa application
  • ", + "
  • ask for your passport back so you can travel
  • ", + "
  • leave the UK
  • ", + "

    Your request will be rejected if you ask for a review of a previous decision after submitting a new application.

    ", + "

    You can also email the Home Office and ask for your request to be withdrawn.

    ", + "

    You must include your name, date of birth, nationality and either your administrative review payment reference number or Home Office reference number in your email.

    " + ] + }, + "https://www.gov.uk/immigration-removal-centre": { + "url": "https://www.gov.uk/immigration-removal-centre", + "title": "Find an immigration removal centre", + "content": "## Overview\n\nYou can visit someone in an immigration removal centre or short term holding facility.\n\nYou\u2019ll be given a surgical mask when you arrive at the immigration removal centre that you must wear, unless you are exempt.\n\nYou must also follow social distancing guidelines while you\u2019re at the centre.\n\nCheck with the centre:\n\n- what the visiting hours are\n\n- if you need to book an appointment\n\n- what ID you need\n\n- what items you\u2019re allowed to take with you - you may be searched when you arrive\n\nYou may be able to contact someone in a removal centre by phone, email or video call. Contact the immigration removal centre to check.\n\n## Brook House, Gatwick\n\nVisiting hours are 2pm to 5:30pm and 6pm to 9pm each day. Last admission is at 8.30pm.\n\nYou must book at least one day in advance, between 8am and 9pm.\n\nYou must bring the following:\n\n- passport or travel document\n\n- driving licence (paper and photo sections)\n\nOr you can bring 2 of the following:\n\n- birth or marriage certificate\n\n- rail or bus pass with photo\n\n- employer\u2019s ID or student card with photo\n\n- young person\u2019s proof of age card\n\n- trade union membership card\n\n- older person\u2019s bus pass\n\n- benefits book\n\n- application registration card (ARC)\n\nThere\u2019s a free bus service from Atlantic House to Brook House with a stop at Tinsley House. The pick-up point is in front of Atlantic House, just outside Gatwick South Terminal.\n\nThere\u2019s a free on-site car park. If you use a sat nav, use the street name Perimeter Road South, not the postcode.\n\n## Colnbrook, Middlesex\n\nVisiting hours are 2pm to 9pm each day.\n\nYou must bring the following:\n\n- photo ID (passport or driving licence)\n\n- utility bill showing your name and address\n\n## Dungavel House, South Lanarkshire\n\nVisiting hours are 1:30pm to 8:30pm.\n\nYou must bring 1 type of photo ID (passport, driving licence), or 2 of the following:\n\n- birth or marriage certificate\n\n- rail or bus pass with photo\n\n- employer\u2019s ID or student card\n\n- young person\u2019s proof of age card\n\n- trade union membership card\n\n- older person\u2019s bus pass\n\nThere\u2019s a free bus service between Hamilton bus and train station and Dungavel House.\n\n## Harmondsworth, Middlesex\n\nVisiting hours are 2pm to 9pm each day.\n\nYou must bring the following:\n\n- photo ID (a passport or driving licence)\n\n- utility bill showing your name and address\n\n## Larne House short term holding facility, Antrim\n\nVisiting hours are 2pm to 9pm each day \u2013 you must book in advance.\n\nYou must bring the following:\n\n- photo ID (passport or driving licence)\n\n- utility bill showing your name and address\n\n## Morton Hall, Lincolnshire\n\nVisiting hours are:\n\n- 1:30pm to 4:15pm every day except Thursday\n\n- 1:30pm to 8:15pm on Thursday\n\nYou must book in advance.\n\nYou must bring the following:\n\n- photo ID (passport or driving licence)\n\n- utility bill or bank statement, less than 3 months old, showing your name and address\n\nYou can use a free taxi service available to and from Lincoln and Newark rail stations. You must book at least 24 hours in advance on 01522 666 819.\n\n## Manchester short term holding facility\n\nVisiting hours are 2pm to 9pm each day. You must book in advance.\n\nYou must bring the following:\n\n- photo ID (passport or driving licence)\n\n- utility bill showing your name and address\n\nFollow the signs to World Freight Terminal. Building 302 is on the right hand side of the road.\n\n## Tinsley House, Gatwick\n\nVisiting hours are 2pm to 5.30pm and 6pm to 9pm each day. Last admission is at 8:30pm.\n\nYou must book at least one day in advance, between 8am and 9pm.\n\nEveryone who visits must have ID, including children. You must bring one of the following:\n\n- passport or travel document\n\n- driving licence (paper and photo sections)\n\nOr you can bring 2 of the following:\n\n- birth or marriage certificate\n\n- rail or bus pass with photo\n\n- employer\u2019s ID or student card\n\n- young person\u2019s proof of age card\n\n- trade union membership card\n\n- older person\u2019s bus pass\n\n- benefits book\n\n- application registration card (ARC)\n\nThere\u2019s a free bus service from Atlantic House to Tinsley House with a stop at Brook House. The pick-up point is in front of Atlantic House, just outside Gatwick South Terminal.\n\nThere\u2019s a free on-site car park. If you use a sat nav, use the street name Perimeter Road South, not the postcode.\n\n## Yarl's Wood, Bedfordshire\n\nVisiting hours are 2pm to 5pm and 6pm to 9pm each day.\n\nYou must book at least one day in advance.\n\nYou must bring the following:\n\n- photo ID (passport or driving licence)\n\n- utility bill showing your name and address\n\nThere\u2019s a bus service between Bedford station and Yarl\u2019s Wood.", + "original_contents": [ + "

    Overview

    ", + "

    You can visit someone in an immigration removal centre or short term holding facility.

    ", + "

    You\u2019ll be given a surgical mask when you arrive at the immigration removal centre that you must wear, unless you are exempt.

    ", + "

    You must also follow social distancing guidelines while you\u2019re at the centre.

    ", + "

    Check with the centre:

    ", + "
  • what the visiting hours are
  • ", + "
  • if you need to book an appointment
  • ", + "
  • what ID you need
  • ", + "
  • what items you\u2019re allowed to take with you - you may be searched when you arrive
  • ", + "

    You may be able to contact someone in a removal centre by phone, email or video call. Contact the immigration removal centre to check.

    ", + "

    Brook House, Gatwick

    ", + "

    Visiting hours are 2pm to 5:30pm and 6pm to 9pm each day. Last admission is at 8.30pm.

    ", + "

    You must book at least one day in advance, between 8am and 9pm.

    ", + "

    You must bring the following:

    ", + "
  • passport or travel document
  • ", + "
  • driving licence (paper and photo sections)
  • ", + "

    Or you can bring 2 of the following:

    ", + "
  • birth or marriage certificate
  • ", + "
  • rail or bus pass with photo
  • ", + "
  • employer\u2019s ID or student card with photo
  • ", + "
  • young person\u2019s proof of age card
  • ", + "
  • trade union membership card
  • ", + "
  • older person\u2019s bus pass
  • ", + "
  • benefits book
  • ", + "
  • application registration card (ARC)
  • ", + "

    There\u2019s a free bus service from Atlantic House to Brook House with a stop at Tinsley House. The pick-up point is in front of Atlantic House, just outside Gatwick South Terminal.

    ", + "

    There\u2019s a free on-site car park. If you use a sat nav, use the street name Perimeter Road South, not the postcode.

    ", + "

    Colnbrook, Middlesex

    ", + "

    Visiting hours are 2pm to 9pm each day.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • ", + "

    Dungavel House, South Lanarkshire

    ", + "

    Visiting hours are 1:30pm to 8:30pm.

    ", + "

    You must bring 1 type of photo ID (passport, driving licence), or 2 of the following:

    ", + "
  • birth or marriage certificate
  • ", + "
  • rail or bus pass with photo
  • ", + "
  • employer\u2019s ID or student card
  • ", + "
  • young person\u2019s proof of age card
  • ", + "
  • trade union membership card
  • ", + "
  • older person\u2019s bus pass
  • ", + "

    There\u2019s a free bus service between Hamilton bus and train station and Dungavel House.

    ", + "

    Harmondsworth, Middlesex

    ", + "

    Visiting hours are 2pm to 9pm each day.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (a passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • ", + "

    Larne House short term holding facility, Antrim

    ", + "

    Visiting hours are 2pm to 9pm each day \u2013 you must book in advance.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • ", + "

    Morton Hall, Lincolnshire

    ", + "

    Visiting hours are:

    ", + "
  • 1:30pm to 4:15pm every day except Thursday
  • ", + "
  • 1:30pm to 8:15pm on Thursday
  • ", + "

    You must book in advance.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill or bank statement, less than 3 months old, showing your name and address
  • ", + "

    You can use a free taxi service available to and from Lincoln and Newark rail stations. You must book at least 24 hours in advance on 01522 666 819.

    ", + "

    Manchester short term holding facility

    ", + "

    Visiting hours are 2pm to 9pm each day. You must book in advance.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • ", + "

    Follow the signs to World Freight Terminal. Building 302 is on the right hand side of the road.

    ", + "

    Tinsley House, Gatwick

    ", + "

    Visiting hours are 2pm to 5.30pm and 6pm to 9pm each day. Last admission is at 8:30pm.

    ", + "

    You must book at least one day in advance, between 8am and 9pm.

    ", + "

    Everyone who visits must have ID, including children. You must bring one of the following:

    ", + "
  • passport or travel document
  • ", + "
  • driving licence (paper and photo sections)
  • ", + "

    Or you can bring 2 of the following:

    ", + "
  • birth or marriage certificate
  • ", + "
  • rail or bus pass with photo
  • ", + "
  • employer\u2019s ID or student card
  • ", + "
  • young person\u2019s proof of age card
  • ", + "
  • trade union membership card
  • ", + "
  • older person\u2019s bus pass
  • ", + "
  • benefits book
  • ", + "
  • application registration card (ARC)
  • ", + "

    There\u2019s a free bus service from Atlantic House to Tinsley House with a stop at Brook House. The pick-up point is in front of Atlantic House, just outside Gatwick South Terminal.

    ", + "

    There\u2019s a free on-site car park. If you use a sat nav, use the street name Perimeter Road South, not the postcode.

    ", + "

    Yarl's Wood, Bedfordshire

    ", + "

    Visiting hours are 2pm to 5pm and 6pm to 9pm each day.

    ", + "

    You must book at least one day in advance.

    ", + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • ", + "

    There\u2019s a bus service between Bedford station and Yarl\u2019s Wood.

    " + ] + }, + "https://www.gov.uk/return-home-voluntarily": { + "url": "https://www.gov.uk/return-home-voluntarily", + "title": "Get help to return home if you\u2019re a migrant in the UK", + "content": "## Overview\n\nYou can get help to return to your home country. This is known as \u2018voluntary return\u2019.\n\nIf you are eligible, the voluntary returns service can:\n\n- explain your options for returning home\n\n- help you get travel documents, such as a passport\n\n- pay for travel tickets, if you are unable to\n\nYou can still get help if you\u2019re already making your own plans to return to your home country.\n\nYou may also be eligible to apply for financial support of up to \u00a33,000, which you can use to find somewhere to live, find a job or start a business in your home country.\n\n## Who can get help\n\nYou can usually apply for help to return home (\u2018voluntary return\u2019) if any of the following are true:\n\n- you\u2019re in the UK illegally or have overstayed your visa or permission to stay\n\n- you\u2019ve withdrawn, or want to withdraw, your application to stay in the UK\n\n- you\u2019ve made a claim for asylum in the UK\n\n- you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery\n\n## When you cannot apply\n\nYou cannot apply for voluntary return if you:\n\n- are currently being investigated by the police or detained by the Home Office\n\n- have been given a prison sentence that\u2019s 12 months or longer\n\n- have been convicted of an immigration offence and given a deportation order\n\n- have already been given humanitarian protection, indefinite leave to remain or refugee status in the UK\n\n- have a Service Providers from Switzerland visa\n\n- have a Frontier Worker permit\n\n- have an S2 Healthcare Visitor visa\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nYou cannot apply for voluntary return if you either:\n\n- applied for, or have, settled or pre-settled status under the EU settlement scheme - even if you withdraw your application\n\n- started living in the UK before 1 January 2021 and meet the \u2018right to reside\u2019 criteria\n\n## Who can get financial support\n\nThe voluntary returns service can provide up to \u00a33,000 in financial support to help you after you leave the UK. If you are eligible, you will receive a single payment on a card before you leave the UK. You can only use the card in your home country.\n\nYou can apply for financial support if any of the following are true:\n\n- you are returning to a \u2018developing country\u2019, as defined by the Organisation for Economic Co-operation and Development (OECD)\n\n- your claim for asylum in the UK has been refused\n\n- you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery\n\n- you\u2019re part of a family group that will travel together, including someone under 18 years old\n\n- you\u2019re under 18 and travelling alone\n\n- you\u2019re under 21 and a care leaver\n\n- you\u2019re sleeping rough\n\n- you need more help with your return - for example, because you have a medical condition\n\nContact the voluntary returns service if you\u2019re not sure whether or not you\u2019re eligible.\n\n## How to apply\n\nTo apply online for help to return to your home country you\u2019ll need:\n\n- your address in the UK\n\n- an email address\n\nYou cannot apply if you\u2019ve booked a flight to leave the UK in the next 7 days.\n\nApply for help online to return to your home country.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have access to the internet or a device\n\nYou cannot get immigration advice through this service.\n\n## If you cannot apply online\n\nContact the voluntary returns service.\n\n## What happens next\n\nThe Home Office will contact you within 3 days to let you know they\u2019ve received your application.\n\nYou might need to provide further information to support your application. Your application can be cancelled if you do not do this.\n\nIf your passport or travel document is being held by the Home Office, it will be returned to you at the airport when you leave the UK.", + "original_contents": [ + "

    Overview

    ", + "

    You can get help to return to your home country. This is known as \u2018voluntary return\u2019.

    ", + "

    If you are eligible, the voluntary returns service can:

    ", + "
  • explain your options for returning home
  • ", + "
  • help you get travel documents, such as a passport
  • ", + "
  • pay for travel tickets, if you are unable to
  • ", + "

    You can still get help if you\u2019re already making your own plans to return to your home country.

    ", + "

    You may also be eligible to apply for financial support of up to \u00a33,000, which you can use to find somewhere to live, find a job or start a business in your home country.

    ", + "

    Who can get help

    ", + "

    You can usually apply for help to return home (\u2018voluntary return\u2019) if any of the following are true:

    ", + "
  • you\u2019re in the UK illegally or have overstayed your visa or permission to stay
  • ", + "
  • you\u2019ve withdrawn, or want to withdraw, your application to stay in the UK
  • ", + "
  • you\u2019ve made a claim for asylum in the UK
  • ", + "
  • you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery
  • ", + "

    When you cannot apply

    ", + "

    You cannot apply for voluntary return if you:

    ", + "
  • are currently being investigated by the police or detained by the Home Office
  • ", + "
  • have been given a prison sentence that\u2019s 12 months or longer
  • ", + "
  • have been convicted of an immigration offence and given a deportation order
  • ", + "
  • have already been given humanitarian protection, indefinite leave to remain or refugee status in the UK
  • ", + "
  • have a Service Providers from Switzerland visa
  • ", + "
  • have a Frontier Worker permit
  • ", + "
  • have an S2 Healthcare Visitor visa
  • ", + "

    If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein

    ", + "

    You cannot apply for voluntary return if you either:

    ", + "
  • applied for, or have, settled or pre-settled status under the EU settlement scheme - even if you withdraw your application
  • ", + "
  • started living in the UK before 1 January 2021 and meet the \u2018right to reside\u2019 criteria
  • ", + "

    Who can get financial support

    ", + "

    The voluntary returns service can provide up to \u00a33,000 in financial support to help you after you leave the UK. If you are eligible, you will receive a single payment on a card before you leave the UK. You can only use the card in your home country.

    ", + "

    You can apply for financial support if any of the following are true:

    ", + "
  • you are returning to a \u2018developing country\u2019, as defined by the Organisation for Economic Co-operation and Development (OECD)
  • ", + "
  • your claim for asylum in the UK has been refused
  • ", + "
  • you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery
  • ", + "
  • you\u2019re part of a family group that will travel together, including someone under 18 years old
  • ", + "
  • you\u2019re under 18 and travelling alone
  • ", + "
  • you\u2019re under 21 and a care leaver
  • ", + "
  • you\u2019re sleeping rough
  • ", + "
  • you need more help with your return - for example, because you have a medical condition
  • ", + "

    Contact the voluntary returns service if you\u2019re not sure whether or not you\u2019re eligible.

    ", + "

    How to apply

    ", + "

    To apply online for help to return to your home country you\u2019ll need:

    ", + "
  • your address in the UK
  • ", + "
  • an email address
  • ", + "

    You cannot apply if you\u2019ve booked a flight to leave the UK in the next 7 days.

    ", + "

    Apply for help online to return to your home country.

    ", + "

    Get help to apply online

    ", + "

    You can get help with completing the online form if you:

    ", + "
  • do not feel confident using a computer or mobile device
  • ", + "
  • do not have access to the internet or a device
  • ", + "

    You cannot get immigration advice through this service.

    ", + "

    If you cannot apply online

    ", + "

    Contact the voluntary returns service.

    ", + "

    What happens next

    ", + "

    The Home Office will contact you within 3 days to let you know they\u2019ve received your application.

    ", + "

    You might need to provide further information to support your application. Your application can be cancelled if you do not do this.

    ", + "

    If your passport or travel document is being held by the Home Office, it will be returned to you at the airport when you leave the UK.

    " + ] + }, + "https://www.gov.uk/registered-traveller": { + "url": "https://www.gov.uk/registered-traveller", + "title": "Registered Traveller: faster entry through the UK border", + "content": "## Overview\n\nThe Registered Traveller service can help you get through the UK border faster.\n\nRegistered Travellers can use UK channels at some airports and train stations. You can use:\n\n- UK passport entry lanes\n\n- ePassport gates - if your passport has a \u2018chip\u2019\n\nYou\u2019ll need to carry your visa or biometric residence permit, if you have one.\n\nYou can no longer use the Registered Traveller service if you\u2019re from Australia, Canada, Japan, New Zealand, Singapore, South Korea or the United States. You may be able to use the ePassport gates instead.\n\n## Eligibility\n\nTo apply for Registered Traveller membership, you must be 18 or older and have an eligible passport.\n\nYou must also either:\n\n- have a UK visa or entry clearance\n\n- have visited the UK at least 4 times in the last 24 months\n\nIt counts as visiting when you enter the UK from another country. It does not count if you\u2019re just passing through the UK on your way to another country.\n\n## Eligible passports\n\n## Africa\n\nBotswana, Namibia, Seychelles.\n\n## Asia\n\nBrunei, Hong Kong (Special Administrative Region passports only), Macao Special Administrative Region, Malaysia, Maldives, Taiwan (if your passport has a personal ID number on the photo page).\n\n## Europe\n\nAndorra, Monaco, Vatican City State.\n\n## Middle East\n\nIsrael.\n\n## North America\n\nBahamas, Mexico, Saint Vincent and the Grenadines.\n\n## Oceania\n\nNauru, Papua New Guinea, Samoa, Tonga.\n\n## South and Central America\n\nArgentina, Belize, Brazil, Chile, Costa Rica, El Salvador, Guatemala, Honduras, Nicaragua, Panama, Paraguay, Trinidad and Tobago, Uruguay.\n\n## Where you can use Registered Traveller\n\nYou can use the service at the following airports:\n\n- Birmingham\n\n- Bristol\n\n- Cardiff\n\n- East Midlands\n\n- Edinburgh\n\n- Gatwick\n\n- Glasgow\n\n- Heathrow\n\n- London City\n\n- Luton\n\n- Manchester\n\n- Southend\n\n- Stansted\n\nYou can use the service at the following Eurostar terminals:\n\n- Brussels\n\n- Lille\n\n- Paris\n\n## How to apply\n\nBefore you apply, check you\u2019re eligible.\n\n- Apply online for Registered Traveller membership. You\u2019ll need your passport number and expiry date. It costs \u00a370 and and lasts 12 months.\n\n- You\u2019ll get a decision on your application within 10 working days. You\u2019ll get \u00a350 back if your application is unsuccessful.\n\n- If your application is accepted, the next time you travel to the UK you must go through the \u2018other passports\u2019 lane.\n\n- The immigration officer will check that you meet the criteria and tell you if you can become a member. Your 12 month membership will start on the day you submitted your application.\n\n## Renew or update your membership\n\nIt costs \u00a350 to renew your Registered Traveller membership for another year.\n\nIt costs \u00a320 to update your passport details if you get a new passport. You must do this before you travel to the UK.\n\nYou must also update your details if your visa or immigration status changes. There\u2019s no fee to do this.\n\nYou can also renew or update your child\u2019s membership.\n\n## Add children to your membership\n\nYou can apply to add your children to your Registered Traveller membership if you have 29 days or more left on it.\n\nOnce your child is added to your membership, you can both use the UK passport lanes together.\n\nYou will not be able to use the ePassport gates.\n\nYour child\u2019s membership will expire at the same time as yours. You\u2019ll need to renew or update your and your child\u2019s memberships separately.\n\nOnce you\u2019ve added the child to your membership, they can also travel with their other parent as long as they\u2019re also a member. Before they travel together, you\u2019ll need to email the Home Office with full names and Registered Traveller numbers for:\n\n- you\n\n- your child\n\n- your child\u2019s other parent\n\nHome Office Registered Traveller service\nrtinbox@homeoffice.gov.uk\n\n## Eligibility\n\nYour child must:\n\n- be 17 or under\n\n- have an eligible passport\n\n- have a visa or entry clearance, if they\u2019re not applying as a visitor\n\n## Fee\n\nYou must pay a \u00a320 administration fee to apply for each child, plus a membership fee. This is worked out as \u00a32 a month until your membership expires.\n\nYou\u2019ll be told how much you need to pay when you apply.\n\nYou\u2019ll get the membership fee back if your application is unsuccessful. You will not get the \u00a320 administration fee back.\n\n## How to apply\n\nYou must apply and pay for each child separately.\n\nYou\u2019ll need your:\n\n\u2022 Registered Traveller number\n\u2022 child\u2019s passport number and expiry date\n\nYou\u2019ll get a decision on your application within 10 working days.\n\n## Renew or update your child\u2019s membership\n\nYou\u2019ll need to sign in with your child\u2019s Registered Traveller number and date of birth to renew or update their membership.\n\nYou\u2019ll have to pay a membership fee to renew your child\u2019s membership, which is worked out as \u00a32 a month until your membership expires.\n\nIt costs \u00a320 to update your child\u2019s passport details if they get a new passport. You must do this before your child travels to the UK.\n\nYou must also update your child\u2019s details if their visa or immigration status changes. There\u2019s no fee to do this.\n\n## When you travel to the UK\n\nIf your application is successful, the first time you and your child travel to the UK you must both go through the \u2018other passports\u2019 lane together.\n\nYou might need to prove the relationship between you and any children travelling with you, for example if you have different surnames.\n\nYou can do this with:\n\n\u2022 a birth or adoption certificate showing your relationship to the child\n\u2022 a divorce or marriage certificate if you\u2019re the parent but have a different surname to the child\n\nThe immigration officer will then confirm your child has been added to your membership. You\u2019ll get a confirmation email within 48 hours.", + "original_contents": [ + "

    Overview

    ", + "

    The Registered Traveller service can help you get through the UK border faster.

    ", + "

    Registered Travellers can use UK channels at some airports and train stations. You can use:

    ", + "
  • UK passport entry lanes
  • ", + "
  • ePassport gates - if your passport has a \u2018chip\u2019
  • ", + "

    You\u2019ll need to carry your visa or biometric residence permit, if you have one.

    ", + "

    You can no longer use the Registered Traveller service if you\u2019re from Australia, Canada, Japan, New Zealand, Singapore, South Korea or the United States. You may be able to use the ePassport gates instead.

    ", + "

    Eligibility

    ", + "

    To apply for Registered Traveller membership, you must be 18 or older and have an eligible passport.

    ", + "

    You must also either:

    ", + "
  • have a UK visa or entry clearance
  • ", + "
  • have visited the UK at least 4 times in the last 24 months
  • ", + "

    It counts as visiting when you enter the UK from another country. It does not count if you\u2019re just passing through the UK on your way to another country.

    ", + "

    Eligible passports

    ", + "

    Africa

    ", + "

    Botswana, Namibia, Seychelles.

    ", + "

    Asia

    ", + "

    Brunei, Hong Kong (Special Administrative Region passports only), Macao Special Administrative Region, Malaysia, Maldives, Taiwan (if your passport has a personal ID number on the photo page).

    ", + "

    Europe

    ", + "

    Andorra, Monaco, Vatican City State.

    ", + "

    Middle East

    ", + "

    Israel.

    ", + "

    North America

    ", + "

    Bahamas, Mexico, Saint Vincent and the Grenadines.

    ", + "

    Oceania

    ", + "

    Nauru, Papua New Guinea, Samoa, Tonga.

    ", + "

    South and Central America

    ", + "

    Argentina, Belize, Brazil, Chile, Costa Rica, El Salvador, Guatemala, Honduras, Nicaragua, Panama, Paraguay, Trinidad and Tobago, Uruguay.

    ", + "

    Where you can use Registered Traveller

    ", + "

    You can use the service at the following airports:

    ", + "
  • Birmingham
  • ", + "
  • Bristol
  • ", + "
  • Cardiff
  • ", + "
  • East Midlands
  • ", + "
  • Edinburgh
  • ", + "
  • Gatwick
  • ", + "
  • Glasgow
  • ", + "
  • Heathrow
  • ", + "
  • London City
  • ", + "
  • Luton
  • ", + "
  • Manchester
  • ", + "
  • Southend
  • ", + "
  • Stansted
  • ", + "

    You can use the service at the following Eurostar terminals:

    ", + "
  • Brussels
  • ", + "
  • Lille
  • ", + "
  • Paris
  • ", + "

    How to apply

    ", + "

    Before you apply, check you\u2019re eligible.

    ", + "
  • Apply online for Registered Traveller membership. You\u2019ll need your passport number and expiry date. It costs \u00a370 and and lasts 12 months.
  • ", + "
  • You\u2019ll get a decision on your application within 10 working days. You\u2019ll get \u00a350 back if your application is unsuccessful.
  • ", + "
  • If your application is accepted, the next time you travel to the UK you must go through the \u2018other passports\u2019 lane.
  • ", + "
  • The immigration officer will check that you meet the criteria and tell you if you can become a member. Your 12 month membership will start on the day you submitted your application.
  • ", + "

    Renew or update your membership

    ", + "

    It costs \u00a350 to renew your Registered Traveller membership for another year.

    ", + "

    It costs \u00a320 to update your passport details if you get a new passport. You must do this before you travel to the UK.

    ", + "

    You must also update your details if your visa or immigration status changes. There\u2019s no fee to do this.

    ", + "

    You can also renew or update your child\u2019s membership.

    ", + "

    Add children to your membership

    ", + "

    You can apply to add your children to your Registered Traveller membership if you have 29 days or more left on it.

    ", + "

    Once your child is added to your membership, you can both use the UK passport lanes together.

    ", + "

    You will not be able to use the ePassport gates.

    ", + "

    Your child\u2019s membership will expire at the same time as yours. You\u2019ll need to renew or update your and your child\u2019s memberships separately.

    ", + "

    Once you\u2019ve added the child to your membership, they can also travel with their other parent as long as they\u2019re also a member. Before they travel together, you\u2019ll need to email the Home Office with full names and Registered Traveller numbers for:

    ", + "
  • you
  • ", + "
  • your child
  • ", + "
  • your child\u2019s other parent
  • ", + "

    Home Office Registered Traveller service\nrtinbox@homeoffice.gov.uk

    ", + "

    Eligibility

    ", + "

    Your child must:

    ", + "
  • be 17 or under
  • ", + "
  • have an eligible passport
  • ", + "
  • have a visa or entry clearance, if they\u2019re not applying as a visitor
  • ", + "

    Fee

    ", + "

    You must pay a \u00a320 administration fee to apply for each child, plus a membership fee. This is worked out as \u00a32 a month until your membership expires.

    ", + "

    You\u2019ll be told how much you need to pay when you apply.

    ", + "

    You\u2019ll get the membership fee back if your application is unsuccessful. You will not get the \u00a320 administration fee back.

    ", + "

    How to apply

    ", + "

    You must apply and pay for each child separately.

    ", + "

    You\u2019ll need your:

    ", + "

    \u2022 Registered Traveller number\n\u2022 child\u2019s passport number and expiry date

    ", + "

    You\u2019ll get a decision on your application within 10 working days.

    ", + "

    Renew or update your child\u2019s membership

    ", + "

    You\u2019ll need to sign in with your child\u2019s Registered Traveller number and date of birth to renew or update their membership.

    ", + "

    You\u2019ll have to pay a membership fee to renew your child\u2019s membership, which is worked out as \u00a32 a month until your membership expires.

    ", + "

    It costs \u00a320 to update your child\u2019s passport details if they get a new passport. You must do this before your child travels to the UK.

    ", + "

    You must also update your child\u2019s details if their visa or immigration status changes. There\u2019s no fee to do this.

    ", + "

    When you travel to the UK

    ", + "

    If your application is successful, the first time you and your child travel to the UK you must both go through the \u2018other passports\u2019 lane together.

    ", + "

    You might need to prove the relationship between you and any children travelling with you, for example if you have different surnames.

    ", + "

    You can do this with:

    ", + "

    \u2022 a birth or adoption certificate showing your relationship to the child\n\u2022 a divorce or marriage certificate if you\u2019re the parent but have a different surname to the child

    ", + "

    The immigration officer will then confirm your child has been added to your membership. You\u2019ll get a confirmation email within 48 hours.

    " + ] + }, + "https://www.gov.uk/financial-assistance-mobilised-service": { + "url": "https://www.gov.uk/financial-assistance-mobilised-service", + "title": "Appeal a decision against financial assistance for a reservist", + "content": "## Appeal to the tribunal\n\nYou can appeal to the Reserve Forces Appeal Tribunals (RFAT) if your claim for financial assistance has been turned down.\n\nThe tribunal must receive your appeal within 5 days of you getting the decision letter or your application will be rejected.\n\nIf you\u2019re going to miss the deadline and have a valid reason for doing so, then say why in your notice of appeal. Extensions are only granted in exceptional circumstances.\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nContact RFAT or your legal representative if you have any questions about appealing. RFAT cannot give you legal advice.\n\nYou can find legal advice, including from a lawyer.\n\n## How to appeal\n\nWrite a letter called a \u2018notice of appeal\u2019 to the Secretary of Tribunals.\n\nYou must include:\n\n- your name, address and telephone number\n\n- a statement that it\u2019s a \u2018notice of appeal\u2019\n\n- the grounds for appealing the decision\n\n- what you want the tribunal to decide (known as the \u2018determination\u2019)\n\n- whether you want to attend the hearing\n\n- whether you\u2019ll be legally represented\n\n- the names and addresses of any witnesses\n\nYou\u2019ll need to include:\n\n- a copy of the decision you\u2019re appealing\n\n- all documents that were part of your original application\n\n- any relevant documents that were not part of your original application and the reasons why they were not included\n\n## Send your letter\n\nYou can email, fax, post or deliver your notice of appeal in person to:\n\n## After you send your appeal\n\nYou\u2019ll be told straight away when your appeal has been received.\n\nYou\u2019ll also be given:\n\n- a case name\n\n- a case number\n\n- an address for sending any further letters and documents to the tribunal\n\n- a hearing date\n\nYou\u2019ll normally find out within a week of sending your notice of appeal:\n\n- whether the tribunal will consider your case\n\n- whether the Armed Forces opposes the appeal and why\n\n- if the tribunal needs more information\n\nYou\u2019ll get another letter a few days before the hearing telling you what documents to bring with you, or send by post in advance.\n\n## Witnesses\n\nThe tribunal may suggest witnesses. You must contact them and make sure they appear at the hearing.\n\nThe tribunal can force witnesses to appear at the hearing if you\u2019re unable to do it yourself - the tribunal will tell you how.\n\n## What happens at a tribunal hearing\n\n## What happens at the hearing\n\nYou (or your legal representative) will present your case to the tribunal. An \u2018adjudication officer\u2019 will represent the Armed Forces.\n\nBoth sides can to give evidence, call witnesses, question witnesses and make statements to the tribunal.\n\nIf neither side wants to attend a hearing, a decision will be made without a hearing. This is called a \u2018paper hearing\u2019.\n\nYou and any witnesses who attend a hearing may be able to claim for expenses you have, for example accommodation or travel.\n\nHearings are usually held in public.\n\n## The tribunal\u2019s decision\n\nYou may get a decision at the end of the hearing. You\u2019ll also get a written copy sent to you.\n\nIf a decision\u2019s not made at the hearing, you\u2019ll get a letter telling you the decision within 1 month. This is known as a \u2018reserved\u2019 decision.\n\n## If you're unhappy with the tribunal's decision\n\nYou cannot appeal if you lose the case.\n\nIn exceptional circumstances, you may be able to ask for the tribunal to review its decision, for example if:\n\n- new evidence becomes available\n\n- the Secretary of Tribunals made a mistake in the proceedings\n\n- someone had the right to attend the hearing but could not, and had a valid reason for doing so\n\n- something else has gone wrong that\u2019s made the process or decision unfair (known as a review \u2018in the interests of justice\u2019)\n\nYou can get legal advice, including from a lawyer if you need help.\n\nWrite to the Secretary of Tribunals within 5 days of getting the decision.\n\n## What happens next\n\nThe tribunal can:\n\n- \u2018set aside\u2019 the decision - this means you\u2019ll have another hearing\n\n- change the decision\n\n## Legislation\n\nThe tribunal must follow the rules and process in:\n\n- the Reserve Forces Appeal Tribunals Rules 1997\n\n- Part IX of the Reserve Forces Act 1996\n\nThe tribunal will make a decision based on the Reserve Forces (Call-out and Recall) (Financial Assistance) Regulations 2005.", + "original_contents": [ + "

    Appeal to the tribunal

    ", + "

    You can appeal to the Reserve Forces Appeal Tribunals (RFAT) if your claim for financial assistance has been turned down.

    ", + "

    The tribunal must receive your appeal within 5 days of you getting the decision letter or your application will be rejected.

    ", + "

    If you\u2019re going to miss the deadline and have a valid reason for doing so, then say why in your notice of appeal. Extensions are only granted in exceptional circumstances.

    ", + "

    The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    ", + "

    Help you can get

    ", + "

    Contact RFAT or your legal representative if you have any questions about appealing. RFAT cannot give you legal advice.

    ", + "

    You can find legal advice, including from a lawyer.

    ", + "

    How to appeal

    ", + "

    Write a letter called a \u2018notice of appeal\u2019 to the Secretary of Tribunals.

    ", + "

    You must include:

    ", + "
  • your name, address and telephone number
  • ", + "
  • a statement that it\u2019s a \u2018notice of appeal\u2019
  • ", + "
  • the grounds for appealing the decision
  • ", + "
  • what you want the tribunal to decide (known as the \u2018determination\u2019)
  • ", + "
  • whether you want to attend the hearing
  • ", + "
  • whether you\u2019ll be legally represented
  • ", + "
  • the names and addresses of any witnesses
  • ", + "

    You\u2019ll need to include:

    ", + "
  • a copy of the decision you\u2019re appealing
  • ", + "
  • all documents that were part of your original application
  • ", + "
  • any relevant documents that were not part of your original application and the reasons why they were not included
  • ", + "

    Send your letter

    ", + "

    You can email, fax, post or deliver your notice of appeal in person to:

    ", + "

    After you send your appeal

    ", + "

    You\u2019ll be told straight away when your appeal has been received.

    ", + "

    You\u2019ll also be given:

    ", + "
  • a case name
  • ", + "
  • a case number
  • ", + "
  • an address for sending any further letters and documents to the tribunal
  • ", + "
  • a hearing date
  • ", + "

    You\u2019ll normally find out within a week of sending your notice of appeal:

    ", + "
  • whether the tribunal will consider your case
  • ", + "
  • whether the Armed Forces opposes the appeal and why
  • ", + "
  • if the tribunal needs more information
  • ", + "

    You\u2019ll get another letter a few days before the hearing telling you what documents to bring with you, or send by post in advance.

    ", + "

    Witnesses

    ", + "

    The tribunal may suggest witnesses. You must contact them and make sure they appear at the hearing.

    ", + "

    The tribunal can force witnesses to appear at the hearing if you\u2019re unable to do it yourself - the tribunal will tell you how.

    ", + "

    What happens at a tribunal hearing

    ", + "

    What happens at the hearing

    ", + "

    You (or your legal representative) will present your case to the tribunal. An \u2018adjudication officer\u2019 will represent the Armed Forces.

    ", + "

    Both sides can to give evidence, call witnesses, question witnesses and make statements to the tribunal.

    ", + "

    If neither side wants to attend a hearing, a decision will be made without a hearing. This is called a \u2018paper hearing\u2019.

    ", + "

    You and any witnesses who attend a hearing may be able to claim for expenses you have, for example accommodation or travel.

    ", + "

    Hearings are usually held in public.

    ", + "

    The tribunal\u2019s decision

    ", + "

    You may get a decision at the end of the hearing. You\u2019ll also get a written copy sent to you.

    ", + "

    If a decision\u2019s not made at the hearing, you\u2019ll get a letter telling you the decision within 1 month. This is known as a \u2018reserved\u2019 decision.

    ", + "

    If you're unhappy with the tribunal's decision

    ", + "

    You cannot appeal if you lose the case.

    ", + "

    In exceptional circumstances, you may be able to ask for the tribunal to review its decision, for example if:

    ", + "
  • new evidence becomes available
  • ", + "
  • the Secretary of Tribunals made a mistake in the proceedings
  • ", + "
  • someone had the right to attend the hearing but could not, and had a valid reason for doing so
  • ", + "
  • something else has gone wrong that\u2019s made the process or decision unfair (known as a review \u2018in the interests of justice\u2019)
  • ", + "

    You can get legal advice, including from a lawyer if you need help.

    ", + "

    Write to the Secretary of Tribunals within 5 days of getting the decision.

    ", + "

    What happens next

    ", + "

    The tribunal can:

    ", + "
  • \u2018set aside\u2019 the decision - this means you\u2019ll have another hearing
  • ", + "
  • change the decision
  • ", + "

    Legislation

    ", + "

    The tribunal must follow the rules and process in:

    ", + "
  • the Reserve Forces Appeal Tribunals Rules 1997
  • ", + "
  • Part IX of the Reserve Forces Act 1996
  • ", + "

    The tribunal will make a decision based on the Reserve Forces (Call-out and Recall) (Financial Assistance) Regulations 2005.

    " + ] + }, + "https://www.gov.uk/employee-reservist": { + "url": "https://www.gov.uk/employee-reservist", + "title": "Rights and responsibilities for reservists and employers", + "content": "## Introduction\n\nMembers of the reserve armed forces (reservists) and their employers have certain rights and responsibilities when a reservist:\n\n- joins up or starts a new job\n\n- is called up for service (mobilised)\n\n- returns to work\n\nFinancial support is available for both employers and reservists when they\u2019re called up.\n\n## Time off for training\n\nEmployers do not have to allow time off for training, but may choose to.\n\nTraining for reservists is usually made up of:\n\n- one evening a week\n\n- several weekends throughout the year\n\n- a 15-day training course each year\n\nFind employers that support reservists.\n\n## Redundancy\n\nReservists cannot be made redundant due to training or mobilisation. They must be treated the same as other employees if there are redundancies because of closure or business problems.\n\n## How the employer is notified\n\nReservists need to give their employer\u2019s details to their commanding officer. Employers then usually get a letter from the Ministry of Defence (MOD) within 5 weeks of an employee signing up.\n\nMOD does not contact employers in Northern Ireland, but reservists still need to give details of their employer to their commanding officer.\n\nReservists only have to tell their employer themselves if it\u2019s a condition of their job that they do not take any other work.\n\n## When an existing reservist changes jobs\n\nReservists should tell their commanding officer, who\u2019ll tell the new employer.\n\n## Asking MOD not to tell an employer\n\nReservists can ask MOD not to tell their employer if they have a good reason, for example it would put them at a disadvantage if their employer knew.\n\nApply to your commanding officer for an \u2018employer notification waiver\u2019. The waiver lasts for 12 months, but you can apply to renew it.\n\n## If the reservist is called up\n\nIn most cases the reservist will get 28 days\u2019 notice when they\u2019re called up (mobilised). They should let their employer know as soon as possible.\n\n## Mobilisation\n\nReservists will be sent a \u2018call-out notice\u2019 if they\u2019re needed for full-time service. This is known as \u2018mobilisation\u2019.\n\nYou must answer your call-out notice - the letter will tell you what to do.\n\nIn most cases, reservists get 28 days\u2019 notice, but they could get less if they\u2019re needed urgently.\n\nAs a reservist, you should tell your employer as soon as possible when you know you\u2019re being mobilised. Employers will also be sent a pack about their rights and responsibilities.\n\n## Financial assistance\n\nFinancial assistance is available for both reservists and employers.\n\n## Reservists\u2019 rights\n\nEmployers can be fined in court and made to pay compensation if they end a reservist\u2019s employment because of mobilisation.\n\nAfter service, reservists have a right to return to the same job.\n\n## Apply to delay or cancel mobilisation\n\nYou can apply to delay or cancel mobilisation:\n\n- as a reservist, if you\u2019re called up at a difficult time (for example, you\u2019re caring for someone or you\u2019re in full-time education)\n\n- as an employer, if it would seriously harm your business (for example, by causing financial harm or making it difficult to produce goods or provide services)\n\nYou can apply to:\n\n- defer mobilisation for up to a year - you\u2019ll get a new date to report for duty\n\n- get an exemption for a year or more - you will not be called out again until it expires\n\n- cancel (revoke) mobilisation if you\u2019ve already been mobilised\n\n## Deadline for applying\n\nReservists and employers must apply within 7 days of getting the call-out notice. If you miss this deadline, you\u2019ll have to get permission from the adjudication officer to make a late application.\n\nIf your application is unsuccessful you can appeal.\n\n## Who to contact\n\nIf you\u2019ve already been mobilised contact your commanding officer.\n\nTo apply to delay or cancel mobilisation, contact one of the following:\n\n- the person named in the notice\n\n- the adjudication officer at the mobilisation centre\n\n- the adjudication officer for the service\n\nApply in writing by email, post or fax.\n\n## Financial support for reservists\n\nIf you\u2019re called up for service you can claim financial support to cover:\n\n- the difference between your civilian pay and your service pay\n\n- the cost of any benefits in kind your employer stops\n\nThe total amount you can claim is \u00a3400 a day.\n\nIf you\u2019re serving as a medical consultant with the defence medical services, you can claim up to \u00a3822 a day.\n\n## Company benefits\n\nYou can claim for benefits normally provided by your employer, including:\n\n- health insurance or medical care\n\n- life insurance\n\n- education fees for dependent children\n\n- accommodation\n\nIf you have to return a company car that\u2019s used by your partner (for example, husband or wife), children or dependent relatives, you can claim \u00a310.70 a day (around \u00a3325 a month).\n\n## Pension contributions\n\nWhile you\u2019re mobilised you can either:\n\n- ask for the days you\u2019re mobilised to count towards the Armed Forces Pension Scheme\n\n- keep contributing to your personal or work pension (the Ministry of Defence will pay your employer\u2019s contributions)\n\n## If you\u2019re self-employed\n\nIf you\u2019re self-employed, a partner or a company director, you can claim for:\n\n- the difference between your service pay and earnings from your business\n\n- up to \u00a32,000 business costs from stopping trading\n\n- agency fees and advertising for finding and training your replacement\n\n## Expenses you cannot claim\n\nYou cannot claim for expenses that you were already paying before you were mobilised. For example, you cannot claim for:\n\n- care of a dependent child or relative\n\n- care of a pet\n\n- house insurance\n\n- maintenance on your home\n\n## How to claim\n\nEmployees get instructions about how to claim in the mobilisation pack.\n\nIf you\u2019re self-employed, a partner or a company director, use the claim form for employers.\n\n## When to claim\n\nYou can claim any time after your service begins and up to 4 weeks after it ends.\n\n## Appeal a rejected claim\n\nYou can appeal if your claim is turned down.\n\n## Financial support for employers\n\nYou can claim financial support if a reservist you employ is called up.\n\nDo not pay their salary or pension contributions while they\u2019re away - the Ministry of Defence (MOD) pays these costs. You\u2019ll need to make changes in your payroll system.\n\nYou can apply to delay or cancel mobilisation if it will seriously harm your business.\n\n## What you can get\n\nYou can claim financial assistance to cover:\n\n- the cost of a temporary replacement if it\u2019s more than the reservist\u2019s salary (up to \u00a3110 a day)\n\n- advertising costs and agency fees for finding a replacement\n\n- a period of handover and takeover (5 days before and after mobilisation)\n\n- 75% of the cost of specialist clothing for the replacement (up to \u00a3300)\n\n- training costs for the replacement (up to \u00a32,000)\n\n- overtime, if other employees cover the work\n\n- training the reservist needs to carry on their job when they return\n\n## Extra support for small and medium-sized businesses\n\nYou can claim \u00a3500 a month in addition to the costs of replacing and retraining the reservist unless both of the following apply:\n\n- your annual turnover was more than \u00a325.9 million in the 12 months before the reservist was called up\n\n- you had more than 250 employees or partners on the date of mobilisation\n\nThese are known as employer incentive payments.\n\n## What you cannot claim for\n\nYou cannot claim for:\n\n- loss of profits, turnover or goodwill\n\n- your reservist\u2019s salary or pension contributions if you keep paying them\n\n## How to claim\n\nDownload and fill in the claim form. Print it out, sign it and either scan and email it or post it. The addresses are on the form.\n\n## When to claim\n\nYou can claim before the reservist leaves, but you will not get a payment until they\u2019ve started service. You cannot claim later than 4 weeks after the last day of their service.\n\nYou can claim for costs as they arise - you do not have to claim for them all at once.\n\nCosts for training should be claimed within 8 weeks of the end of the training.\n\n## Help for employers\n\nIf you need further help, email Defence Relationship Management (DRM).\n\n## Payroll reporting for employers\n\nYou\u2019ll need to make some changes in your payroll software if your reservist is mobilised.\n\n## If their service will be less than 12 months\n\nOnce they\u2019ve started their service:\n\n- put \u2018Yes\u2019 in the \u2018Irregular payment pattern indicator\u2019 in the next Full Payment Submission (FPS) you send to HM Revenue and Customs (HMRC)\n\n- change their tax code to \u2018BR M1\u2019 if they\u2019re paid monthly, or \u2018BR W1\u2019 if it\u2019s weekly\n\n## If their service will be more than 12 months\n\nPut a leaving date in your FPS and give them a P45. When they\u2019re back from service, give them a new payroll ID.\n\nDo not put a leaving date in your FPS or give them a P45 if their service was due to be less than 12 months but lasted longer.\n\n## Returning to work\n\nAfter service, reservists are given a period of leave. If they want to return to work before the end of their leave they must get permission from either their commanding officer or the demobilisation centre.\n\nEmployers cannot force a reservist to return to work before their leave finishes.\n\n## Notice of returning to work\n\nReservists should write to their employer as soon as they know when they can return to work. This must be no later than the third Monday after their last day of service.\n\nEmployers must re-employ them as soon as they\u2019re able to.\n\n## Returning to the same job\n\nReservists are entitled to return to the same type of job they were doing before they were mobilised, on the same terms and conditions.\n\nIf the job no longer exists, they\u2019re entitled to a reasonable alternative.\n\n## How long reservists must be re-employed for\n\nEmployers must offer reservists employment for a certain amount of time, depending on how long they were employed by them before mobilisation.\n\n| Weeks of employment before mobilisation | Number of weeks reservist must be re-employed for |\n\n| Up to 13 | At least 13 |\n\n| Between 13 and 51 | At least 26 |\n\n| 52 weeks or more | At least 52 |\n\n## Problems returning to work\n\nIf you are not re-employed you can apply to a tribunal. They can instruct your former employer to re-employ you or award you financial compensation.\n\nWrite to the tribunal if, after telling your employer you\u2019re returning to work:\n\n- you do not hear back from them\n\n- they will not re-employ you\n\n- they offer you a job you\u2019re not happy with", + "original_contents": [ + "

    Introduction

    ", + "

    Members of the reserve armed forces (reservists) and their employers have certain rights and responsibilities when a reservist:

    ", + "
  • joins up or starts a new job
  • ", + "
  • is called up for service (mobilised)
  • ", + "
  • returns to work
  • ", + "

    Financial support is available for both employers and reservists when they\u2019re called up.

    ", + "

    Time off for training

    ", + "

    Employers do not have to allow time off for training, but may choose to.

    ", + "

    Training for reservists is usually made up of:

    ", + "
  • one evening a week
  • ", + "
  • several weekends throughout the year
  • ", + "
  • a 15-day training course each year
  • ", + "

    Find employers that support reservists.

    ", + "

    Redundancy

    ", + "

    Reservists cannot be made redundant due to training or mobilisation. They must be treated the same as other employees if there are redundancies because of closure or business problems.

    ", + "

    How the employer is notified

    ", + "

    Reservists need to give their employer\u2019s details to their commanding officer. Employers then usually get a letter from the Ministry of Defence (MOD) within 5 weeks of an employee signing up.

    ", + "

    MOD does not contact employers in Northern Ireland, but reservists still need to give details of their employer to their commanding officer.

    ", + "

    Reservists only have to tell their employer themselves if it\u2019s a condition of their job that they do not take any other work.

    ", + "

    When an existing reservist changes jobs

    ", + "

    Reservists should tell their commanding officer, who\u2019ll tell the new employer.

    ", + "

    Asking MOD not to tell an employer

    ", + "

    Reservists can ask MOD not to tell their employer if they have a good reason, for example it would put them at a disadvantage if their employer knew.

    ", + "

    Apply to your commanding officer for an \u2018employer notification waiver\u2019. The waiver lasts for 12 months, but you can apply to renew it.

    ", + "

    If the reservist is called up

    ", + "

    In most cases the reservist will get 28 days\u2019 notice when they\u2019re called up (mobilised). They should let their employer know as soon as possible.

    ", + "

    Mobilisation

    ", + "

    Reservists will be sent a \u2018call-out notice\u2019 if they\u2019re needed for full-time service. This is known as \u2018mobilisation\u2019.

    ", + "

    You must answer your call-out notice - the letter will tell you what to do.

    ", + "

    In most cases, reservists get 28 days\u2019 notice, but they could get less if they\u2019re needed urgently.

    ", + "

    As a reservist, you should tell your employer as soon as possible when you know you\u2019re being mobilised. Employers will also be sent a pack about their rights and responsibilities.

    ", + "

    Financial assistance

    ", + "

    Financial assistance is available for both reservists and employers.

    ", + "

    Reservists\u2019 rights

    ", + "

    Employers can be fined in court and made to pay compensation if they end a reservist\u2019s employment because of mobilisation.

    ", + "

    After service, reservists have a right to return to the same job.

    ", + "

    Apply to delay or cancel mobilisation

    ", + "

    You can apply to delay or cancel mobilisation:

    ", + "
  • as a reservist, if you\u2019re called up at a difficult time (for example, you\u2019re caring for someone or you\u2019re in full-time education)
  • ", + "
  • as an employer, if it would seriously harm your business (for example, by causing financial harm or making it difficult to produce goods or provide services)
  • ", + "

    You can apply to:

    ", + "
  • defer mobilisation for up to a year - you\u2019ll get a new date to report for duty
  • ", + "
  • get an exemption for a year or more - you will not be called out again until it expires
  • ", + "
  • cancel (revoke) mobilisation if you\u2019ve already been mobilised
  • ", + "

    Deadline for applying

    ", + "

    Reservists and employers must apply within 7 days of getting the call-out notice. If you miss this deadline, you\u2019ll have to get permission from the adjudication officer to make a late application.

    ", + "

    If your application is unsuccessful you can appeal.

    ", + "

    Who to contact

    ", + "

    If you\u2019ve already been mobilised contact your commanding officer.

    ", + "

    To apply to delay or cancel mobilisation, contact one of the following:

    ", + "
  • the person named in the notice
  • ", + "
  • the adjudication officer at the mobilisation centre
  • ", + "
  • the adjudication officer for the service
  • ", + "

    Apply in writing by email, post or fax.

    ", + "

    Financial support for reservists

    ", + "

    If you\u2019re called up for service you can claim financial support to cover:

    ", + "
  • the difference between your civilian pay and your service pay
  • ", + "
  • the cost of any benefits in kind your employer stops
  • ", + "

    The total amount you can claim is \u00a3400 a day.

    ", + "

    If you\u2019re serving as a medical consultant with the defence medical services, you can claim up to \u00a3822 a day.

    ", + "

    Company benefits

    ", + "

    You can claim for benefits normally provided by your employer, including:

    ", + "
  • health insurance or medical care
  • ", + "
  • life insurance
  • ", + "
  • education fees for dependent children
  • ", + "
  • accommodation
  • ", + "

    If you have to return a company car that\u2019s used by your partner (for example, husband or wife), children or dependent relatives, you can claim \u00a310.70 a day (around \u00a3325 a month).

    ", + "

    Pension contributions

    ", + "

    While you\u2019re mobilised you can either:

    ", + "
  • ask for the days you\u2019re mobilised to count towards the Armed Forces Pension Scheme
  • ", + "
  • keep contributing to your personal or work pension (the Ministry of Defence will pay your employer\u2019s contributions)
  • ", + "

    If you\u2019re self-employed

    ", + "

    If you\u2019re self-employed, a partner or a company director, you can claim for:

    ", + "
  • the difference between your service pay and earnings from your business
  • ", + "
  • up to \u00a32,000 business costs from stopping trading
  • ", + "
  • agency fees and advertising for finding and training your replacement
  • ", + "

    Expenses you cannot claim

    ", + "

    You cannot claim for expenses that you were already paying before you were mobilised. For example, you cannot claim for:

    ", + "
  • care of a dependent child or relative
  • ", + "
  • care of a pet
  • ", + "
  • house insurance
  • ", + "
  • maintenance on your home
  • ", + "

    How to claim

    ", + "

    Employees get instructions about how to claim in the mobilisation pack.

    ", + "

    If you\u2019re self-employed, a partner or a company director, use the claim form for employers.

    ", + "

    When to claim

    ", + "

    You can claim any time after your service begins and up to 4 weeks after it ends.

    ", + "

    Appeal a rejected claim

    ", + "

    You can appeal if your claim is turned down.

    ", + "

    Financial support for employers

    ", + "

    You can claim financial support if a reservist you employ is called up.

    ", + "

    Do not pay their salary or pension contributions while they\u2019re away - the Ministry of Defence (MOD) pays these costs. You\u2019ll need to make changes in your payroll system.

    ", + "

    You can apply to delay or cancel mobilisation if it will seriously harm your business.

    ", + "

    What you can get

    ", + "

    You can claim financial assistance to cover:

    ", + "
  • the cost of a temporary replacement if it\u2019s more than the reservist\u2019s salary (up to \u00a3110 a day)
  • ", + "
  • advertising costs and agency fees for finding a replacement
  • ", + "
  • a period of handover and takeover (5 days before and after mobilisation)
  • ", + "
  • 75% of the cost of specialist clothing for the replacement (up to \u00a3300)
  • ", + "
  • training costs for the replacement (up to \u00a32,000)
  • ", + "
  • overtime, if other employees cover the work
  • ", + "
  • training the reservist needs to carry on their job when they return
  • ", + "

    Extra support for small and medium-sized businesses

    ", + "

    You can claim \u00a3500 a month in addition to the costs of replacing and retraining the reservist unless both of the following apply:

    ", + "
  • your annual turnover was more than \u00a325.9 million in the 12 months before the reservist was called up
  • ", + "
  • you had more than 250 employees or partners on the date of mobilisation
  • ", + "

    These are known as employer incentive payments.

    ", + "

    What you cannot claim for

    ", + "

    You cannot claim for:

    ", + "
  • loss of profits, turnover or goodwill
  • ", + "
  • your reservist\u2019s salary or pension contributions if you keep paying them
  • ", + "

    How to claim

    ", + "

    Download and fill in the claim form. Print it out, sign it and either scan and email it or post it. The addresses are on the form.

    ", + "

    When to claim

    ", + "

    You can claim before the reservist leaves, but you will not get a payment until they\u2019ve started service. You cannot claim later than 4 weeks after the last day of their service.

    ", + "

    You can claim for costs as they arise - you do not have to claim for them all at once.

    ", + "

    Costs for training should be claimed within 8 weeks of the end of the training.

    ", + "

    Help for employers

    ", + "

    If you need further help, email Defence Relationship Management (DRM).

    ", + "

    Payroll reporting for employers

    ", + "

    You\u2019ll need to make some changes in your payroll software if your reservist is mobilised.

    ", + "

    If their service will be less than 12 months

    ", + "

    Once they\u2019ve started their service:

    ", + "
  • put \u2018Yes\u2019 in the \u2018Irregular payment pattern indicator\u2019 in the next Full Payment Submission (FPS) you send to HM Revenue and Customs (HMRC)
  • ", + "
  • change their tax code to \u2018BR M1\u2019 if they\u2019re paid monthly, or \u2018BR W1\u2019 if it\u2019s weekly
  • ", + "

    If their service will be more than 12 months

    ", + "

    Put a leaving date in your FPS and give them a P45. When they\u2019re back from service, give them a new payroll ID.

    ", + "

    Do not put a leaving date in your FPS or give them a P45 if their service was due to be less than 12 months but lasted longer.

    ", + "

    Returning to work

    ", + "

    After service, reservists are given a period of leave. If they want to return to work before the end of their leave they must get permission from either their commanding officer or the demobilisation centre.

    ", + "

    Employers cannot force a reservist to return to work before their leave finishes.

    ", + "

    Notice of returning to work

    ", + "

    Reservists should write to their employer as soon as they know when they can return to work. This must be no later than the third Monday after their last day of service.

    ", + "

    Employers must re-employ them as soon as they\u2019re able to.

    ", + "

    Returning to the same job

    ", + "

    Reservists are entitled to return to the same type of job they were doing before they were mobilised, on the same terms and conditions.

    ", + "

    If the job no longer exists, they\u2019re entitled to a reasonable alternative.

    ", + "

    How long reservists must be re-employed for

    ", + "

    Employers must offer reservists employment for a certain amount of time, depending on how long they were employed by them before mobilisation.

    ", + "Weeks of employment before mobilisation | Number of weeks reservist must be re-employed for", + "Up to 13 | At least 13", + "Between 13 and 51 | At least 26", + "52 weeks or more | At least 52", + "

    Problems returning to work

    ", + "

    If you are not re-employed you can apply to a tribunal. They can instruct your former employer to re-employ you or award you financial compensation.

    ", + "

    Write to the tribunal if, after telling your employer you\u2019re returning to work:

    ", + "
  • you do not hear back from them
  • ", + "
  • they will not re-employ you
  • ", + "
  • they offer you a job you\u2019re not happy with
  • " + ] + }, + "https://www.gov.uk/bfpo": { + "url": "https://www.gov.uk/bfpo", + "title": "Send mail with the British Forces Post Office (BFPO)", + "content": "## Find a BFPO number\n\nYou can use the British Forces Post Office (BFPO) if you\u2019re sending mail to:\n\n- serving armed forces personnel and their families\n\n- an employee of the Ministry of Defence (MOD), or another official organisation, who\u2019s entitled to use BFPO\n\nYou should only use BFPO to send mail to someone you know - there are other ways to support members of the armed forces.\n\nCheck for updates to postal services, including changes to services because of Christmas, coronavirus or problems like severe weather or industrial action.\n\n## BFPO numbers\n\nSee a list of all BFPO locations with their numbers and postcodes.\n\nOnly use postcodes when ordering items from UK-based websites.\n\n## How to address BFPO mail\n\nWrite the address clearly in capital letters, keeping exactly to the format for the role of the person you\u2019re posting to.\n\nWrite a return address on the back of the mail.\n\nUse a BFPO postcode if you\u2019re ordering goods online, or a BFPO number for anything else.\n\nIf you use a BFPO postcode instead of a BFPO number, it\u2019ll still arrive but it may take longer.\n\nWrite \u2018GB\u2019 after the BFPO number or postcode if you\u2019re posting mail from outside the UK.\n\nYour mail may be delayed or sent to the wrong place if you:\n\n- include the location (such as the town or country) in the address when using a BFPO number\n\n- write anything else on the packaging\n\n## Address format for service personnel\n\n## Address format for family\n\nUse this format if the item is for a dependant of a serving member of HM Forces.\n\n## Address format for non-service personnel\n\nUse this format if the item is for an employee of the Ministry of Defence (MOD), or another official organisation, who\u2019s entitled to use BFPO.\n\n## Customs declarations\n\nYou\u2019ll need to make a customs declaration if you\u2019re sending something outside of the UK.\n\nParcels up to 2kg are delivered by Royal Mail. You must include:\n\n- form CN22 - for contents worth up to \u00a3270\n\n- form CN23 - for contents worth more than \u00a3270\n\nParcels over 2kg and up to 30kg are delivered by Parcelforce. You must include a form PFU 509/CP72 with these - get one from your local Post Office.\n\n## Cost, size and weight\n\nThe cost of using British Forces Post Office (BFPO) depends on the size and weight of the letter or parcel you\u2019re sending.\n\n## Standard letter\n\nLength: up to 240mm \nWidth: up to 165mm \nThickness: up to 5mm\n\n| Weight range | Cost |\n\n| Up to 100g | \u00a30.85 |\n\n## Large letter\n\nLength: up to 353mm \nWidth: up to 250mm \nThickness: up to 25mm\n\n| Weight range | Cost |\n\n| Up to 100g | \u00a31.29 |\n\n| 101g to 250g | \u00a31.83 |\n\n| 251g to 500g | \u00a32.39 |\n\n| 501g to 750g | \u00a33.30 |\n\n## Small parcels\n\nLength: up to 450mm \nWidth: up to 350mm \nThickness: up to 160mm\n\n| Weight range | Cost |\n\n| Up to 1,000g | \u00a33.85 |\n\n| 1,001g to 2,000g | \u00a35.57 |\n\nIf you\u2019re sending a cylindrical parcel, double the diameter and add this to the length. The total cannot be more than 1,040mm. The biggest dimension cannot be more than 900mm.\n\n## Medium parcels (Royal Mail)\n\nThe medium parcels service is available at Forces Post Offices and UK Post Office branches.\n\nAdd up the length, width and depth. This cannot be more than 900mm.\n\n| Weight range | Cost |\n\n| Up to 1kg | \u00a36 |\n\n| 1.1kg to 2kg | \u00a39.02 |\n\n| Up to to 5kg | \u00a315.85 |\n\n| 5.1kg to 10kg | \u00a321.90 |\n\n| 10.1kg to 20kg | \u00a333.40 |\n\n## Worldwide parcels (ParcelForce)\n\nThere are certain size and weight restrictions depending on which service you choose and where you\u2019re sending your parcel.\n\n| Maximum weight | Cost |\n\n| 2kg | \u00a39 |\n\n| 5kg | \u00a311.60 |\n\n| 10kg | \u00a313.45 |\n\n| 15kg | \u00a319.35 |\n\n| 20kg | \u00a323.75 |\n\n| 25kg | \u00a334.20 |\n\n| 30kg | \u00a337.45 |\n\n## Enduring families free mail service (EFFMS)\n\nFamilies and friends in UK and BFPOs can send packets of up to 2kg, free of charge, to service personnel in certain operations and HM Ships.\n\nRead more about the enduring families free mail service.\n\n## Compensation, insurance and special delivery\n\nRead the guidance on claiming compensation for items that are lost or damaged.\n\n## What you cannot send\n\nYou cannot send some items with British Forces Post Office mail, including:\n\n- alcoholic beverages\n\n- arms and ammunition\n\n- batteries\n\n- Christmas crackers\n\n- financial documents\n\n- fragile items\n\n- indecent, obscene or offensive articles\n\n- prescription medicines and drugs sent for scientific purposes\n\n- pressurised containers (including aerosols like deodorants and shaving foams or gels)\n\n- sharp objects and instruments (including scissors and kitchen knives or utensils)\n\nRead the detailed guidance for the full list of items you cannot send.\n\nIf you send these items, your whole parcel may be delayed or returned to you.\n\n## Buying goods online\n\nYou can use the British Forces Post Office (BFPO) to order goods from certain UK-based online retailers.\n\nSee the list of retailers in this scheme.\n\nRead the disclaimer and additional information if you want to use a company that is not on the list of approved retailers.\n\n## Send an INtouch message\n\nThe INtouch service has been discontinued and is no longer available.\n\nYou can send letters using the enduring families free mail service (EFFMS).\n\n## Contacts and enquiries\n\nRead the guidance about what to do if your mail has not arrived within 30 days.\n\n## Other ways to get support\n\nBFPO is also on:\n\n- Twitter\n\n- Facebook", + "original_contents": [ + "

    Find a BFPO number

    ", + "

    You can use the British Forces Post Office (BFPO) if you\u2019re sending mail to:

    ", + "
  • serving armed forces personnel and their families
  • ", + "
  • an employee of the Ministry of Defence (MOD), or another official organisation, who\u2019s entitled to use BFPO
  • ", + "

    You should only use BFPO to send mail to someone you know - there are other ways to support members of the armed forces.

    ", + "

    Check for updates to postal services, including changes to services because of Christmas, coronavirus or problems like severe weather or industrial action.

    ", + "

    BFPO numbers

    ", + "

    See a list of all BFPO locations with their numbers and postcodes.

    ", + "

    Only use postcodes when ordering items from UK-based websites.

    ", + "

    How to address BFPO mail

    ", + "

    Write the address clearly in capital letters, keeping exactly to the format for the role of the person you\u2019re posting to.

    ", + "

    Write a return address on the back of the mail.

    ", + "

    Use a BFPO postcode if you\u2019re ordering goods online, or a BFPO number for anything else.

    ", + "

    If you use a BFPO postcode instead of a BFPO number, it\u2019ll still arrive but it may take longer.

    ", + "

    Write \u2018GB\u2019 after the BFPO number or postcode if you\u2019re posting mail from outside the UK.

    ", + "

    Your mail may be delayed or sent to the wrong place if you:

    ", + "
  • include the location (such as the town or country) in the address when using a BFPO number
  • ", + "
  • write anything else on the packaging
  • ", + "

    Address format for service personnel

    ", + "

    Address format for family

    ", + "

    Use this format if the item is for a dependant of a serving member of HM Forces.

    ", + "

    Address format for non-service personnel

    ", + "

    Use this format if the item is for an employee of the Ministry of Defence (MOD), or another official organisation, who\u2019s entitled to use BFPO.

    ", + "

    Customs declarations

    ", + "

    You\u2019ll need to make a customs declaration if you\u2019re sending something outside of the UK.

    ", + "

    Parcels up to 2kg are delivered by Royal Mail. You must include:

    ", + "
  • form CN22 - for contents worth up to \u00a3270
  • ", + "
  • form CN23 - for contents worth more than \u00a3270
  • ", + "

    Parcels over 2kg and up to 30kg are delivered by Parcelforce. You must include a form PFU 509/CP72 with these - get one from your local Post Office.

    ", + "

    Cost, size and weight

    ", + "

    The cost of using British Forces Post Office (BFPO) depends on the size and weight of the letter or parcel you\u2019re sending.

    ", + "

    Standard letter

    ", + "

    Length: up to 240mm \nWidth: up to 165mm \nThickness: up to 5mm

    ", + "Weight range | Cost", + "Up to 100g | \u00a30.85", + "

    Large letter

    ", + "

    Length: up to 353mm \nWidth: up to 250mm \nThickness: up to 25mm

    ", + "Weight range | Cost", + "Up to 100g | \u00a31.29", + "101g to 250g | \u00a31.83", + "251g to 500g | \u00a32.39", + "501g to 750g | \u00a33.30", + "

    Small parcels

    ", + "

    Length: up to 450mm \nWidth: up to 350mm \nThickness: up to 160mm

    ", + "Weight range | Cost", + "Up to 1,000g | \u00a33.85", + "1,001g to 2,000g | \u00a35.57", + "

    If you\u2019re sending a cylindrical parcel, double the diameter and add this to the length. The total cannot be more than 1,040mm. The biggest dimension cannot be more than 900mm.

    ", + "

    Medium parcels (Royal Mail)

    ", + "

    The medium parcels service is available at Forces Post Offices and UK Post Office branches.

    ", + "

    Add up the length, width and depth. This cannot be more than 900mm.

    ", + "Weight range | Cost", + "Up to 1kg | \u00a36", + "1.1kg to 2kg | \u00a39.02", + "Up to to 5kg | \u00a315.85", + "5.1kg to 10kg | \u00a321.90", + "10.1kg to 20kg | \u00a333.40", + "

    Worldwide parcels (ParcelForce)

    ", + "

    There are certain size and weight restrictions depending on which service you choose and where you\u2019re sending your parcel.

    ", + "Maximum weight | Cost", + "2kg | \u00a39", + "5kg | \u00a311.60", + "10kg | \u00a313.45", + "15kg | \u00a319.35", + "20kg | \u00a323.75", + "25kg | \u00a334.20", + "30kg | \u00a337.45", + "

    Enduring families free mail service (EFFMS)

    ", + "

    Families and friends in UK and BFPOs can send packets of up to 2kg, free of charge, to service personnel in certain operations and HM Ships.

    ", + "

    Read more about the enduring families free mail service.

    ", + "

    Compensation, insurance and special delivery

    ", + "

    Read the guidance on claiming compensation for items that are lost or damaged.

    ", + "

    What you cannot send

    ", + "

    You cannot send some items with British Forces Post Office mail, including:

    ", + "
  • alcoholic beverages
  • ", + "
  • arms and ammunition
  • ", + "
  • batteries
  • ", + "
  • Christmas crackers
  • ", + "
  • financial documents
  • ", + "
  • fragile items
  • ", + "
  • indecent, obscene or offensive articles
  • ", + "
  • prescription medicines and drugs sent for scientific purposes
  • ", + "
  • pressurised containers (including aerosols like deodorants and shaving foams or gels)
  • ", + "
  • sharp objects and instruments (including scissors and kitchen knives or utensils)
  • ", + "

    Read the detailed guidance for the full list of items you cannot send.

    ", + "

    If you send these items, your whole parcel may be delayed or returned to you.

    ", + "

    Buying goods online

    ", + "

    You can use the British Forces Post Office (BFPO) to order goods from certain UK-based online retailers.

    ", + "

    See the list of retailers in this scheme.

    ", + "

    Read the disclaimer and additional information if you want to use a company that is not on the list of approved retailers.

    ", + "

    Send an INtouch message

    ", + "

    The INtouch service has been discontinued and is no longer available.

    ", + "

    You can send letters using the enduring families free mail service (EFFMS).

    ", + "

    Contacts and enquiries

    ", + "

    Read the guidance about what to do if your mail has not arrived within 30 days.

    ", + "

    Other ways to get support

    ", + "

    BFPO is also on:

    ", + "
  • Twitter
  • ", + "
  • Facebook
  • " + ] + }, + "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal": { + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "title": "War Pensions and Armed Forces Compensation Tribunal", + "content": "## Overview\n\nYou can appeal to the First-tier Tribunal (War Pensions and Armed Forces Compensation Chamber) if you disagree with a decision about your war pension or compensation.\n\nYou must appeal within 1 year of getting your decision letter.\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\n## Decisions the tribunal can make\n\nThe tribunal will decide whether your injury was caused or made worse by serving in the armed forces.\n\nIf it was, it can then make decisions about:\n\n- your entitlement to a pension or compensation\n\n- how much pension you get\n\n- your entitlement to extra allowances, for example for mobility needs\n\n- pension start dates\n\n- withheld pensions\n\nThe tribunal deals with appeals for the 2 pension schemes currently running, which are:\n\n- the War Pensions Scheme - for injuries caused or made worse by service before 6 April 2005\n\n- the Armed Forces Compensation Scheme - for injuries caused by service from 6 April 2005 onwards\n\n## Help you can get\n\nYou may want to get legal help or advice before you appeal.\n\nYou may also be able to get help from organisations including:\n\n- Combat Stress\n\n- Blesma: The Limbless Veterans\n\n- Burma Star Association\n\n- National Gulf Veterans and Families Association (NGVFA)\n\n- Royal Air Forces Association (RAFA)\n\n- Royal British Legion (RBL)\n\n- Soldiers Sailors and Airmen\u2019s Families Association Forces Help (SSAFA)\n\n- UK Armed Forces Charities\n\n## How to appeal\n\nYou should appeal within one year of getting your decision letter.\n\n## Before you appeal\n\nWrite a letter to Veterans UK and ask them to reconsider their decision. Explain why you think the decision is wrong and give any information not included in your original claim.\n\nThey will look at your case again and write to you with their decision.\n\nVeterans UK was previously known as the Service Personnel and Veterans Agency (SPVA).\n\n## If you\u2019re still unhappy\n\nContact the Veterans UK helpline and ask for an appeal form to take your case to the tribunal. Fill it in and send it back to Veterans UK.\n\nCall if you need help filling in the form.\n\n## Late appeals\n\nIn some cases you\u2019ll be allowed to appeal after one year, but you must explain why your appeal is late. You cannot appeal against any decision after 2 years.\n\n## After you appeal\n\nVeterans UK will send the response to your appeal to the tribunal - you\u2019ll get a copy of the response. The response will contain information given in your claim and the evidence used to make the decision under appeal, such as medical reports that you may regard as confidential.\n\nYou can choose to reply in writing (a \u2018written submission\u2019) explaining why you disagree with the facts they used - you must do this within one month of receiving the copy.\n\nThe tribunal will look at your case and ask for more information if they need it.\n\nYou can also send any other evidence to support your case to the tribunal.\n\nThe tribunal will tell you if there\u2019ll be a hearing about your case.\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\n## The tribunal hearing\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\nHearings are usually held in major cities across England and Wales. You\u2019ll be told where you have to go.\n\nThe tribunal will give you at least 14 days\u2019 notice of the date of any hearing. You should be given a hearing within 4 months of the tribunal receiving a response from Veterans UK.\n\nYou must tell the tribunal if you cannot make it to the hearing - they might arrange another date if you have a good reason.\n\nThe tribunal might hold the hearing without you if do not attend.\n\n## Prepare for the hearing\n\nYou can go to the hearing on your own or ask someone to help represent you. You can also call a witness to support your case.\n\nOrganisations that can help represent you include:\n\n- Royal British Legion\n\n- Royal Air Forces Association\n\n- Combat Stress\n\n- Blesma: The Limbless Veterans\n\n- National Gulf Veterans and Families Association\n\n- UK Armed Forces Charities\n\nTake your appeal papers and the documents you\u2019re using as evidence to the hearing. You should give copies of any evidence to the tribunal and Veterans UK before the tribunal hearing.\n\n## Tribunal panel\n\nThe tribunal is made up of:\n\n- a judge\n\n- a medical member\n\n- a service member\n\n## What happens at the hearing\n\nThe judge, tribunal members, Veterans UK and your representative (if you have one) will ask you questions about your case.\n\nThe tribunal will then question any witnesses you\u2019ve brought to the hearing.\n\nYou\u2019ll usually get a decision from the tribunal on the day of the hearing.\n\n## Expenses\n\nYou might be able to claim expenses or compensation for:\n\n- travel (only in the UK)\n\n- living expenses for the time you\u2019re away from home\n\n- loss of earnings\n\n## More information\n\nYou can find out more about expenses or contact the tribunal for more information.\n\n## If you lose your appeal\n\nYou can ask the tribunal for permission to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you lose your appeal.\n\nYou must ask for permission to appeal within 6 weeks of getting the decision.\n\nThe Upper Tribunal will look at the case to see if the original decision was correct.\n\n## Reasons for appealing\n\nYou can only appeal if you think the decision was wrong for a legal reason, including if the tribunal did not:\n\n- follow the right procedures - for example it did not tell you in time about the hearing\n\n- give proper reasons for its decision, or back up the decision with facts\n\n- apply the law properly\n\nBefore appealing, ask the original tribunal for the written statement of reasons for its decision.\n\n## Contact the Upper Tribunal\n\n## Legislation\n\nThe tribunal will make decisions based on:\n\n- the Pensions Appeal Tribunals Act 1943\n\n- The Naval, Military and Air Forces Etc. (Disablement and Death) Service Pensions Order 2006\n\n- the Armed Forces and Reserve Forces (Compensation Scheme) Order 2011\n\nThe tribunal must follow the rules and process set out in the:\n\n- the Tribunal Procedure (First-tier Tribunal) (War Pensions and Armed Forces Compensation Chamber) Rules 2008\n\n- the Tribunals, Courts and Enforcement Act 2007", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal to the First-tier Tribunal (War Pensions and Armed Forces Compensation Chamber) if you disagree with a decision about your war pension or compensation.

    ", + "

    You must appeal within 1 year of getting your decision letter.

    ", + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    There are different tribunals in Scotland and tribunals in Northern Ireland.

    ", + "

    Decisions the tribunal can make

    ", + "

    The tribunal will decide whether your injury was caused or made worse by serving in the armed forces.

    ", + "

    If it was, it can then make decisions about:

    ", + "
  • your entitlement to a pension or compensation
  • ", + "
  • how much pension you get
  • ", + "
  • your entitlement to extra allowances, for example for mobility needs
  • ", + "
  • pension start dates
  • ", + "
  • withheld pensions
  • ", + "

    The tribunal deals with appeals for the 2 pension schemes currently running, which are:

    ", + "
  • the War Pensions Scheme - for injuries caused or made worse by service before 6 April 2005
  • ", + "
  • the Armed Forces Compensation Scheme - for injuries caused by service from 6 April 2005 onwards
  • ", + "

    Help you can get

    ", + "

    You may want to get legal help or advice before you appeal.

    ", + "

    You may also be able to get help from organisations including:

    ", + "
  • Combat Stress
  • ", + "
  • Blesma: The Limbless Veterans
  • ", + "
  • Burma Star Association
  • ", + "
  • National Gulf Veterans and Families Association (NGVFA)
  • ", + "
  • Royal Air Forces Association (RAFA)
  • ", + "
  • Royal British Legion (RBL)
  • ", + "
  • Soldiers Sailors and Airmen\u2019s Families Association Forces Help (SSAFA)
  • ", + "
  • UK Armed Forces Charities
  • ", + "

    How to appeal

    ", + "

    You should appeal within one year of getting your decision letter.

    ", + "

    Before you appeal

    ", + "

    Write a letter to Veterans UK and ask them to reconsider their decision. Explain why you think the decision is wrong and give any information not included in your original claim.

    ", + "

    They will look at your case again and write to you with their decision.

    ", + "

    Veterans UK was previously known as the Service Personnel and Veterans Agency (SPVA).

    ", + "

    If you\u2019re still unhappy

    ", + "

    Contact the Veterans UK helpline and ask for an appeal form to take your case to the tribunal. Fill it in and send it back to Veterans UK.

    ", + "

    Call if you need help filling in the form.

    ", + "

    Late appeals

    ", + "

    In some cases you\u2019ll be allowed to appeal after one year, but you must explain why your appeal is late. You cannot appeal against any decision after 2 years.

    ", + "

    After you appeal

    ", + "

    Veterans UK will send the response to your appeal to the tribunal - you\u2019ll get a copy of the response. The response will contain information given in your claim and the evidence used to make the decision under appeal, such as medical reports that you may regard as confidential.

    ", + "

    You can choose to reply in writing (a \u2018written submission\u2019) explaining why you disagree with the facts they used - you must do this within one month of receiving the copy.

    ", + "

    The tribunal will look at your case and ask for more information if they need it.

    ", + "

    You can also send any other evidence to support your case to the tribunal.

    ", + "

    The tribunal will tell you if there\u2019ll be a hearing about your case.

    ", + "

    There are different tribunals in Scotland and tribunals in Northern Ireland.

    ", + "

    The tribunal hearing

    ", + "

    There are different tribunals in Scotland and tribunals in Northern Ireland.

    ", + "

    Hearings are usually held in major cities across England and Wales. You\u2019ll be told where you have to go.

    ", + "

    The tribunal will give you at least 14 days\u2019 notice of the date of any hearing. You should be given a hearing within 4 months of the tribunal receiving a response from Veterans UK.

    ", + "

    You must tell the tribunal if you cannot make it to the hearing - they might arrange another date if you have a good reason.

    ", + "

    The tribunal might hold the hearing without you if do not attend.

    ", + "

    Prepare for the hearing

    ", + "

    You can go to the hearing on your own or ask someone to help represent you. You can also call a witness to support your case.

    ", + "

    Organisations that can help represent you include:

    ", + "
  • Royal British Legion
  • ", + "
  • Royal Air Forces Association
  • ", + "
  • Combat Stress
  • ", + "
  • Blesma: The Limbless Veterans
  • ", + "
  • National Gulf Veterans and Families Association
  • ", + "
  • UK Armed Forces Charities
  • ", + "

    Take your appeal papers and the documents you\u2019re using as evidence to the hearing. You should give copies of any evidence to the tribunal and Veterans UK before the tribunal hearing.

    ", + "

    Tribunal panel

    ", + "

    The tribunal is made up of:

    ", + "
  • a judge
  • ", + "
  • a medical member
  • ", + "
  • a service member
  • ", + "

    What happens at the hearing

    ", + "

    The judge, tribunal members, Veterans UK and your representative (if you have one) will ask you questions about your case.

    ", + "

    The tribunal will then question any witnesses you\u2019ve brought to the hearing.

    ", + "

    You\u2019ll usually get a decision from the tribunal on the day of the hearing.

    ", + "

    Expenses

    ", + "

    You might be able to claim expenses or compensation for:

    ", + "
  • travel (only in the UK)
  • ", + "
  • living expenses for the time you\u2019re away from home
  • ", + "
  • loss of earnings
  • ", + "

    More information

    ", + "

    You can find out more about expenses or contact the tribunal for more information.

    ", + "

    If you lose your appeal

    ", + "

    You can ask the tribunal for permission to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you lose your appeal.

    ", + "

    You must ask for permission to appeal within 6 weeks of getting the decision.

    ", + "

    The Upper Tribunal will look at the case to see if the original decision was correct.

    ", + "

    Reasons for appealing

    ", + "

    You can only appeal if you think the decision was wrong for a legal reason, including if the tribunal did not:

    ", + "
  • follow the right procedures - for example it did not tell you in time about the hearing
  • ", + "
  • give proper reasons for its decision, or back up the decision with facts
  • ", + "
  • apply the law properly
  • ", + "

    Before appealing, ask the original tribunal for the written statement of reasons for its decision.

    ", + "

    Contact the Upper Tribunal

    ", + "

    Legislation

    ", + "

    The tribunal will make decisions based on:

    ", + "
  • the Pensions Appeal Tribunals Act 1943
  • ", + "
  • The Naval, Military and Air Forces Etc. (Disablement and Death) Service Pensions Order 2006
  • ", + "
  • the Armed Forces and Reserve Forces (Compensation Scheme) Order 2011
  • ", + "

    The tribunal must follow the rules and process set out in the:

    ", + "
  • the Tribunal Procedure (First-tier Tribunal) (War Pensions and Armed Forces Compensation Chamber) Rules 2008
  • ", + "
  • the Tribunals, Courts and Enforcement Act 2007
  • " + ] + }, + "https://www.gov.uk/contact-jobcentre-plus": { + "url": "https://www.gov.uk/contact-jobcentre-plus", + "title": "Contact Jobcentre Plus", + "content": "## How to contact Jobcentre Plus\n\nYou can contact Jobcentre Plus about:\n\n- new benefit claims\n\n- existing benefit claims\n\n- changing or cancelling an appointment\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Contact your nearest Jobcentre Plus\n\nIf you want to contact your nearest office, you can find their details using the local office search.\n\nYou can write to your nearest office by using their address from the local office search. Their address will also be on any letters you\u2019ve been sent.\n\n## If you\u2019re in Northern Ireland\n\nFor Jobseeker\u2019s Allowance (JSA) and Income Support, contact your Jobs and Benefits office. For Employment and Support Allowance (ESA), contact the ESA Centre.\n\n## Complain about Jobcentre Plus\n\nYou can complain about the service you\u2019ve received from Jobcentre Plus.\n\n## Find a job\n\nUse the \u2018Find a job\u2019 service (previously Universal Jobmatch).\n\n## Get a National Insurance number\n\nApply for a National Insurance number or find your National Insurance number if you\u2019ve lost it.\n\n## New benefit claims\n\nCall Jobcentre Plus to claim \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA).\n\nThere are different contact details for:\n\n- Universal Credit\n\n- \u2018new style\u2019 Employment and Support Allowance\n\nYou can also claim Jobseeker\u2019s Allowance online.\n\n## Alternative formats\n\nCall Jobcentre Plus to ask for alternative formats, such as braille, large print or audio CD.\n\nUse a benefits calculator to find out what benefits you could get.\n\n## Existing benefit claims\n\nCall the appropriate number for your benefit to:\n\n- discuss a claim you\u2019ve made\n\n- tell the Department for Work and Pensions (DWP) about a change in your circumstances, for example if you start working or your income changes\n\nYou\u2019ll need your National Insurance number when you call any of these numbers.\n\n## Jobseeker\u2019s Allowance (JSA), Income Support, Incapacity Benefit or Employment and Support Allowance (ESA)\n\n## If you\u2019re in Northern Ireland\n\nFor JSA and Income Support, contact your Jobs and Benefits office. For ESA, contact the ESA Centre.\n\n## Universal Credit\n\nYou can contact Jobcentre Plus by signing in to your online account - you\u2019ll get a reply Monday to Friday, 8am to 6pm.\n\n## Social Fund\n\n## Maternity Allowance\n\n## Bereavement benefits\n\n## Change or cancel an appointment\n\n## Universal Credit appointments\n\nYou can change or cancel a Universal Credit appointment by\u00a0signing in to your Universal Credit account.\n\n## Other appointments", + "original_contents": [ + "

    How to contact Jobcentre Plus

    ", + "

    You can contact Jobcentre Plus about:

    ", + "
  • new benefit claims
  • ", + "
  • existing benefit claims
  • ", + "
  • changing or cancelling an appointment
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Contact your nearest Jobcentre Plus

    ", + "

    If you want to contact your nearest office, you can find their details using the local office search.

    ", + "

    You can write to your nearest office by using their address from the local office search. Their address will also be on any letters you\u2019ve been sent.

    ", + "

    If you\u2019re in Northern Ireland

    ", + "

    For Jobseeker\u2019s Allowance (JSA) and Income Support, contact your Jobs and Benefits office. For Employment and Support Allowance (ESA), contact the ESA Centre.

    ", + "

    Complain about Jobcentre Plus

    ", + "

    You can complain about the service you\u2019ve received from Jobcentre Plus.

    ", + "

    Find a job

    ", + "

    Use the \u2018Find a job\u2019 service (previously Universal Jobmatch).

    ", + "

    Get a National Insurance number

    ", + "

    Apply for a National Insurance number or find your National Insurance number if you\u2019ve lost it.

    ", + "

    New benefit claims

    ", + "

    Call Jobcentre Plus to claim \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA).

    ", + "

    There are different contact details for:

    ", + "
  • Universal Credit
  • ", + "
  • \u2018new style\u2019 Employment and Support Allowance
  • ", + "

    You can also claim Jobseeker\u2019s Allowance online.

    ", + "

    Alternative formats

    ", + "

    Call Jobcentre Plus to ask for alternative formats, such as braille, large print or audio CD.

    ", + "

    Use a benefits calculator to find out what benefits you could get.

    ", + "

    Existing benefit claims

    ", + "

    Call the appropriate number for your benefit to:

    ", + "
  • discuss a claim you\u2019ve made
  • ", + "
  • tell the Department for Work and Pensions (DWP) about a change in your circumstances, for example if you start working or your income changes
  • ", + "

    You\u2019ll need your National Insurance number when you call any of these numbers.

    ", + "

    Jobseeker\u2019s Allowance (JSA), Income Support, Incapacity Benefit or Employment and Support Allowance (ESA)

    ", + "

    If you\u2019re in Northern Ireland

    ", + "

    For JSA and Income Support, contact your Jobs and Benefits office. For ESA, contact the ESA Centre.

    ", + "

    Universal Credit

    ", + "

    You can contact Jobcentre Plus by signing in to your online account - you\u2019ll get a reply Monday to Friday, 8am to 6pm.

    ", + "

    Social Fund

    ", + "

    Maternity Allowance

    ", + "

    Bereavement benefits

    ", + "

    Change or cancel an appointment

    ", + "

    Universal Credit appointments

    ", + "

    You can change or cancel a Universal Credit appointment by\u00a0signing in to your Universal Credit account.

    ", + "

    Other appointments

    " + ] + }, + "https://www.gov.uk/report-problem-criminal-record-certificate": { + "url": "https://www.gov.uk/report-problem-criminal-record-certificate", + "title": "Report a problem about a criminal record check or barring decision", + "content": "## Overview\n\nYou can appeal to the Disclosure and Barring Service (DBS) if they:\n\n- make a decision to add you to the list of people barred from certain roles\n\n- have previously added you to the list of people barred from certain roles and you want them to review the decision\n\nYou can raise a dispute with DBS if they make a mistake on a DBS check.\n\nThe mistake or decision can be changed if the appeal or dispute is successful.\n\nAn employer or licensing authority can also appeal a DBS check if they\u2019ve talked to the applicant first.\n\n## Dispute a mistake on your DBS certificate\n\nYou can raise a dispute for a standard or enhanced check if you believe there\u2019s been a mistake in either:\n\n- the records provided, like wrong or irrelevant information on convictions\n\n- personal information, like your name\n\nThere is a different process for disputing information on a basic check certificate.\n\nThe police may ask for fingerprints to prove your identity if there\u2019s a mistake in the records.\n\n## How to raise a dispute\n\nReport the mistake within 3 months of the date on the certificate.\n\n## For mistakes in records\n\nFill in the certificate dispute form.\n\n## For mistakes in personal information\n\nFill in Section A of the certificate dispute form, or call the Disclosure and Barring Service (DBS) customer services team.\n\n## Dispute a DBS update service certificate change\n\nCall customer services if you subscribe to the DBS update service and want to dispute the status of a certificate. They\u2019ll send out the forms you need to raise a dispute.\n\nSend the form to:\n\n## Independent Monitor review\n\nDBS will work with the police to make a decision about your dispute. If the police do not agree there\u2019s a mistake, the dispute will be referred to the Independent Monitor only if the objection is that information is:\n\n- not relevant to the position applied for\n\n- should not be included in the certificate\n\nThe enhanced certificate will be corrected if the Independent Monitor agrees with your dispute.\n\nYou must raise a dispute with DBS before a referral to the Independent Monitor is made.\n\n## Appeal against a new barring decision\n\nYou can appeal to a tribunal to reverse a barring list decision. The tribunal may remove someone from the barred list if it agrees, or refer you back to DBS for a further decision.\n\nYou can appeal if:\n\n- you were automatically added following a relevant caution or conviction\n\n- you believe DBS has made a legal mistake\n\n- DBS barred you based on information that was wrong\n\nIt\u2019s up to the tribunal whether they hear your appeal.\n\nContact the Upper Tribunal to appeal against a new barring decision in England or Wales.\n\nContact the Care Tribunal to appeal against a new barring decision in Northern Ireland.\n\n## Appeal against an existing barring decision\n\nYou can ask the Disclosure and Barring Service (DBS) to review a barring decision if:\n\n- you were automatically added to the barred list following a relevant caution or conviction\n\n- you believe DBS has made a legal mistake\n\n- DBS barred you based on information that was wrong\n\nYou can also ask for a review if your circumstances change after the minimum barred period.\n\nThe minimum barred period is:\n\n| Age | Minimum barred period |\n\n| Under 18 | 1 year |\n\n| 18 to 24 | 5 years |\n\n| 25 or over | 10 years |\n\nYou can use the following evidence to prove that your circumstances have changed:\n\n- medical reports\n\n- a successful appeal against a conviction\n\n- a specialist assessment\n\nContact DBS to ask for a review. It\u2019s up to them whether they choose to review.\n\n## Appeal against the outcome of a DBS review\n\nYou can appeal to a tribunal if you asked DBS to review a barring list decision, and they either:\n\n- refused to conduct a review\n\n- decided to keep you on the barred list after a review\n\nThe tribunal may remove a person from the barred list if it agrees with the appeal. It\u2019s up to the tribunal whether they hear the appeal.\n\nContact the Upper Tribunal to appeal against a DBS barred list review in England or Wales.\n\nContact the Care Tribunal to appeal against a DBS barred list review in Northern Ireland.", + "original_contents": [ + "

    Overview

    ", + "

    You can appeal to the Disclosure and Barring Service (DBS) if they:

    ", + "
  • make a decision to add you to the list of people barred from certain roles
  • ", + "
  • have previously added you to the list of people barred from certain roles and you want them to review the decision
  • ", + "

    You can raise a dispute with DBS if they make a mistake on a DBS check.

    ", + "

    The mistake or decision can be changed if the appeal or dispute is successful.

    ", + "

    An employer or licensing authority can also appeal a DBS check if they\u2019ve talked to the applicant first.

    ", + "

    Dispute a mistake on your DBS certificate

    ", + "

    You can raise a dispute for a standard or enhanced check if you believe there\u2019s been a mistake in either:

    ", + "
  • the records provided, like wrong or irrelevant information on convictions
  • ", + "
  • personal information, like your name
  • ", + "

    There is a different process for disputing information on a basic check certificate.

    ", + "

    The police may ask for fingerprints to prove your identity if there\u2019s a mistake in the records.

    ", + "

    How to raise a dispute

    ", + "

    Report the mistake within 3 months of the date on the certificate.

    ", + "

    For mistakes in records

    ", + "

    Fill in the certificate dispute form.

    ", + "

    For mistakes in personal information

    ", + "

    Fill in Section A of the certificate dispute form, or call the Disclosure and Barring Service (DBS) customer services team.

    ", + "

    Dispute a DBS update service certificate change

    ", + "

    Call customer services if you subscribe to the DBS update service and want to dispute the status of a certificate. They\u2019ll send out the forms you need to raise a dispute.

    ", + "

    Send the form to:

    ", + "

    Independent Monitor review

    ", + "

    DBS will work with the police to make a decision about your dispute. If the police do not agree there\u2019s a mistake, the dispute will be referred to the Independent Monitor only if the objection is that information is:

    ", + "
  • not relevant to the position applied for
  • ", + "
  • should not be included in the certificate
  • ", + "

    The enhanced certificate will be corrected if the Independent Monitor agrees with your dispute.

    ", + "

    You must raise a dispute with DBS before a referral to the Independent Monitor is made.

    ", + "

    Appeal against a new barring decision

    ", + "

    You can appeal to a tribunal to reverse a barring list decision. The tribunal may remove someone from the barred list if it agrees, or refer you back to DBS for a further decision.

    ", + "

    You can appeal if:

    ", + "
  • you were automatically added following a relevant caution or conviction
  • ", + "
  • you believe DBS has made a legal mistake
  • ", + "
  • DBS barred you based on information that was wrong
  • ", + "

    It\u2019s up to the tribunal whether they hear your appeal.

    ", + "

    Contact the Upper Tribunal to appeal against a new barring decision in England or Wales.

    ", + "

    Contact the Care Tribunal to appeal against a new barring decision in Northern Ireland.

    ", + "

    Appeal against an existing barring decision

    ", + "

    You can ask the Disclosure and Barring Service (DBS) to review a barring decision if:

    ", + "
  • you were automatically added to the barred list following a relevant caution or conviction
  • ", + "
  • you believe DBS has made a legal mistake
  • ", + "
  • DBS barred you based on information that was wrong
  • ", + "

    You can also ask for a review if your circumstances change after the minimum barred period.

    ", + "

    The minimum barred period is:

    ", + "Age | Minimum barred period", + "Under 18 | 1 year", + "18 to 24 | 5 years", + "25 or over | 10 years", + "

    You can use the following evidence to prove that your circumstances have changed:

    ", + "
  • medical reports
  • ", + "
  • a successful appeal against a conviction
  • ", + "
  • a specialist assessment
  • ", + "

    Contact DBS to ask for a review. It\u2019s up to them whether they choose to review.

    ", + "

    Appeal against the outcome of a DBS review

    ", + "

    You can appeal to a tribunal if you asked DBS to review a barring list decision, and they either:

    ", + "
  • refused to conduct a review
  • ", + "
  • decided to keep you on the barred list after a review
  • ", + "

    The tribunal may remove a person from the barred list if it agrees with the appeal. It\u2019s up to the tribunal whether they hear the appeal.

    ", + "

    Contact the Upper Tribunal to appeal against a DBS barred list review in England or Wales.

    ", + "

    Contact the Care Tribunal to appeal against a DBS barred list review in Northern Ireland.

    " + ] + }, + "https://www.gov.uk/disciplinary-procedures-and-action-at-work": { + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "title": "Disciplinary procedures and action against you at work", + "content": "## Overview\n\nYour employer could start formal disciplinary action against you if they have concerns about your work, conduct or absence.\n\nBefore taking formal disciplinary action or dismissing you, your employer may try to raise the matter informally with you. However, they can go straight to their formal disciplinary or dismissal procedures.\n\nDisciplinary procedures are a set way for an employer to deal with disciplinary issues. They should include a disciplinary hearing where you\u2019re given a chance to explain your side of the story.\n\nThere should also be a chance to appeal any disciplinary action your employer decides to take.\n\n## How disciplinary procedures work\n\nYour employer should put their disciplinary procedure in writing, and make it easily available to all staff.\n\nIt should say what performance and behaviour might lead to disciplinary action and what action your employer might take.\n\nIt should also include the name of someone you can speak to if you do not agree with your employer\u2019s disciplinary decision.\n\n## Disciplinary steps\n\nYour employer\u2019s disciplinary procedure should include the following steps:\n\n- A letter setting out the issue.\n\n- A meeting to discuss the issue.\n\n- A disciplinary decision.\n\n- A chance to appeal this decision.\n\n## Acas (Advisory, Conciliation and Arbitration Service) Code of Practice\n\nYour employer\u2019s disciplinary procedures should follow the Acas code of practice.\n\nYour employer does not have to follow the Acas code. However, if they do not and you win an employment tribunal against them, you could get a larger payout.\n\nThere\u2019s more guidance about how employers should run disciplinaries in the Acas guide on discipline and grievances at work.\n\n## Disciplinary procedures and employment contracts\n\nYour employer can also put their disciplinary procedures in your employment contract.\n\nIf your employer does this and then does not follow these procedures you could sue them for breach of contract.\n\n## Northern Ireland\n\nNorthern Ireland has different ways of solving workplace disputes.\n\n## Disciplinary hearings\n\nYour employer should not take any disciplinary action before meeting with you first and discussing the problem.\n\nThis disciplinary meeting (normally called a \u2018hearing\u2019) should be at a reasonable time and place.\n\nAt the hearing your employer should:\n\n- explain the complaint against you\n\n- go through the evidence\n\n- give you a chance to tell your side of the story\n\nIf you raise a significant new fact or issue at the hearing your employer might stop it and look into the issue. They should then rearrange the hearing at a later date.\n\n## Taking someone with you to a disciplinary hearing\n\nYou have the right to take someone with you to a disciplinary hearing, but you must tell your employer about this first.\n\nYour companion can be either:\n\n- a colleague\n\n- a trade union representative\n\n- a trade union official\n\nIf a colleague cannot go with you and you\u2019re not in the union you can ask to bring a family member or a Citizens Advice worker. However, your employer does not have to agree to this unless your employment contract says they must.\n\nThe companion can:\n\n- present and/or sum up your case and say things to support your case\n\n- speak to you during the hearing\n\nYour companion cannot answer questions on your behalf.\n\nYour companion cannot be disciplined for supporting you.\n\n## Disciplinary action\n\nAfter the hearing your employer should write to you as soon as possible, saying what action they\u2019re going to take, and telling you about your right to appeal.\n\nThe decision might be:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\nIt might also be anything else that could resolve the problem, for example an agreement to mediate with a co-worker you\u2019ve had personal problems with.\n\n## Disciplinary appeals\n\nIf you think disciplinary action taken against you is unfair you can appeal.\n\nWrite to your employer saying you\u2019re appealing and why.\n\n## Appeal hearings\n\nYou should be offered another meeting to discuss your appeal. This appeal hearing should be held as soon as possible.\n\nIf possible it should be dealt with by someone who has not already been involved with your disciplinary action.\n\nAn appeal hearing will be similar to your original disciplinary meeting and you\u2019ll have the right to bring a companion.\n\n## Final decision\n\nAfter the appeal meeting your employer should write to you with their final decision.\n\n## Suspension from work\n\nWhen a disciplinary issue is being looked into you might be suspended from work. This does not happen very often. If it does it should normally be with pay and you should be told why you\u2019re being suspended.\n\n## Employment contracts\n\nYou can be suspended without pay if your employment contract says your employer can do this, but they must be acting reasonably.\n\nIf your employment contract does not say your employer can do this, your employer may still be able to suspend you, but with pay. To show that it\u2019s not a punishment the suspension will normally be on full pay.\n\n## Employment rights when suspended\n\nYou keep your employment rights while suspended. If you do not get the right pay you may be able to make a claim to an employment tribunal for \u2018unlawful deduction from wages\u2019.\n\n## Talking to other employees, customers and/or suppliers\n\nIf you\u2019re suspended, you might be told not to talk to other employees, customers and/or suppliers. If this means you cannot defend yourself properly at a disciplinary hearing, you could make an appeal.\n\nBut if you\u2019ve been asked not to talk and you do, your employer might decide to take further disciplinary action against you.\n\n## Help and advice with disciplinary issues\n\nThere are several organisations that could give you advice about disciplinary issues.\n\n## Acas\n\nAcas (the Advisory, Conciliation and Arbitration Service) offers free, confidential and impartial advice about all employment rights issues.\n\n## Citizens Advice\n\nYour local Citizens Advice can also give free and impartial advice.\n\n## Trade unions\n\nIf you\u2019re a member of a trade union you can get help and advice from them.\n\n## Equality Advisory Support Service\n\nContact the Equality Advisory Support Service for advice about discrimination, equality and human rights.\n\nYou can also find more information on the Equality Advisory Support Service website.", + "original_contents": [ + "

    Overview

    ", + "

    Your employer could start formal disciplinary action against you if they have concerns about your work, conduct or absence.

    ", + "

    Before taking formal disciplinary action or dismissing you, your employer may try to raise the matter informally with you. However, they can go straight to their formal disciplinary or dismissal procedures.

    ", + "

    Disciplinary procedures are a set way for an employer to deal with disciplinary issues. They should include a disciplinary hearing where you\u2019re given a chance to explain your side of the story.

    ", + "

    There should also be a chance to appeal any disciplinary action your employer decides to take.

    ", + "

    How disciplinary procedures work

    ", + "

    Your employer should put their disciplinary procedure in writing, and make it easily available to all staff.

    ", + "

    It should say what performance and behaviour might lead to disciplinary action and what action your employer might take.

    ", + "

    It should also include the name of someone you can speak to if you do not agree with your employer\u2019s disciplinary decision.

    ", + "

    Disciplinary steps

    ", + "

    Your employer\u2019s disciplinary procedure should include the following steps:

    ", + "
  • A letter setting out the issue.
  • ", + "
  • A meeting to discuss the issue.
  • ", + "
  • A disciplinary decision.
  • ", + "
  • A chance to appeal this decision.
  • ", + "

    Acas (Advisory, Conciliation and Arbitration Service) Code of Practice

    ", + "

    Your employer\u2019s disciplinary procedures should follow the Acas code of practice.

    ", + "

    Your employer does not have to follow the Acas code. However, if they do not and you win an employment tribunal against them, you could get a larger payout.

    ", + "

    There\u2019s more guidance about how employers should run disciplinaries in the Acas guide on discipline and grievances at work.

    ", + "

    Disciplinary procedures and employment contracts

    ", + "

    Your employer can also put their disciplinary procedures in your employment contract.

    ", + "

    If your employer does this and then does not follow these procedures you could sue them for breach of contract.

    ", + "

    Northern Ireland

    ", + "

    Northern Ireland has different ways of solving workplace disputes.

    ", + "

    Disciplinary hearings

    ", + "

    Your employer should not take any disciplinary action before meeting with you first and discussing the problem.

    ", + "

    This disciplinary meeting (normally called a \u2018hearing\u2019) should be at a reasonable time and place.

    ", + "

    At the hearing your employer should:

    ", + "
  • explain the complaint against you
  • ", + "
  • go through the evidence
  • ", + "
  • give you a chance to tell your side of the story
  • ", + "

    If you raise a significant new fact or issue at the hearing your employer might stop it and look into the issue. They should then rearrange the hearing at a later date.

    ", + "

    Taking someone with you to a disciplinary hearing

    ", + "

    You have the right to take someone with you to a disciplinary hearing, but you must tell your employer about this first.

    ", + "

    Your companion can be either:

    ", + "
  • a colleague
  • ", + "
  • a trade union representative
  • ", + "
  • a trade union official
  • ", + "

    If a colleague cannot go with you and you\u2019re not in the union you can ask to bring a family member or a Citizens Advice worker. However, your employer does not have to agree to this unless your employment contract says they must.

    ", + "

    The companion can:

    ", + "
  • present and/or sum up your case and say things to support your case
  • ", + "
  • speak to you during the hearing
  • ", + "

    Your companion cannot answer questions on your behalf.

    ", + "

    Your companion cannot be disciplined for supporting you.

    ", + "

    Disciplinary action

    ", + "

    After the hearing your employer should write to you as soon as possible, saying what action they\u2019re going to take, and telling you about your right to appeal.

    ", + "

    The decision might be:

    ", + "
  • no action
  • ", + "
  • written warning
  • ", + "
  • final warning
  • ", + "
  • demotion
  • ", + "
  • dismissal
  • ", + "

    It might also be anything else that could resolve the problem, for example an agreement to mediate with a co-worker you\u2019ve had personal problems with.

    ", + "

    Disciplinary appeals

    ", + "

    If you think disciplinary action taken against you is unfair you can appeal.

    ", + "

    Write to your employer saying you\u2019re appealing and why.

    ", + "

    Appeal hearings

    ", + "

    You should be offered another meeting to discuss your appeal. This appeal hearing should be held as soon as possible.

    ", + "

    If possible it should be dealt with by someone who has not already been involved with your disciplinary action.

    ", + "

    An appeal hearing will be similar to your original disciplinary meeting and you\u2019ll have the right to bring a companion.

    ", + "

    Final decision

    ", + "

    After the appeal meeting your employer should write to you with their final decision.

    ", + "

    Suspension from work

    ", + "

    When a disciplinary issue is being looked into you might be suspended from work. This does not happen very often. If it does it should normally be with pay and you should be told why you\u2019re being suspended.

    ", + "

    Employment contracts

    ", + "

    You can be suspended without pay if your employment contract says your employer can do this, but they must be acting reasonably.

    ", + "

    If your employment contract does not say your employer can do this, your employer may still be able to suspend you, but with pay. To show that it\u2019s not a punishment the suspension will normally be on full pay.

    ", + "

    Employment rights when suspended

    ", + "

    You keep your employment rights while suspended. If you do not get the right pay you may be able to make a claim to an employment tribunal for \u2018unlawful deduction from wages\u2019.

    ", + "

    Talking to other employees, customers and/or suppliers

    ", + "

    If you\u2019re suspended, you might be told not to talk to other employees, customers and/or suppliers. If this means you cannot defend yourself properly at a disciplinary hearing, you could make an appeal.

    ", + "

    But if you\u2019ve been asked not to talk and you do, your employer might decide to take further disciplinary action against you.

    ", + "

    Help and advice with disciplinary issues

    ", + "

    There are several organisations that could give you advice about disciplinary issues.

    ", + "

    Acas

    ", + "

    Acas (the Advisory, Conciliation and Arbitration Service) offers free, confidential and impartial advice about all employment rights issues.

    ", + "

    Citizens Advice

    ", + "

    Your local Citizens Advice can also give free and impartial advice.

    ", + "

    Trade unions

    ", + "

    If you\u2019re a member of a trade union you can get help and advice from them.

    ", + "

    Equality Advisory Support Service

    ", + "

    Contact the Equality Advisory Support Service for advice about discrimination, equality and human rights.

    ", + "

    You can also find more information on the Equality Advisory Support Service website.

    " + ] + }, + "https://www.gov.uk/dismissal": { + "url": "https://www.gov.uk/dismissal", + "title": "Dismissal: your rights", + "content": "## Overview\n\nDismissal is when your employer ends your employment - they do not always have to give you notice.\n\nIf you\u2019re dismissed, your employer must show they\u2019ve:\n\n- a valid reason that they can justify\n\n- acted reasonably in the circumstances\n\nThey must also:\n\n- be consistent - for example, not dismiss you for doing something that they let other employees do\n\n- have investigated the situation fully before dismissing you - for example, if a complaint was made about you\n\nIf you\u2019re a part-time or fixed-term worker, you cannot be treated less favourably than a full-time or permanent employee.\n\nIf you\u2019ve lost your job because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% your wages.\n\n## Notice period\n\nYou must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.\n\nThere are some situations where you can be dismissed immediately - for example, for violence.\n\n## Getting your dismissal in writing\n\nYou have the right to ask for a written statement from your employer giving the reasons why you\u2019ve been dismissed if you\u2019re an employee and have completed 2 years\u2019 service (1 year if you started before 6 April 2012).\n\nYour employer must supply the statement within 14 days of you asking for it.\n\nYour employer must give you a written statement if you\u2019re dismissed while you are on Statutory Maternity Leave. You get this:\n\n- even if you\u2019ve not asked for one\n\n- regardless of how long you\u2019ve worked for your employer\n\nSpeak to your employer or check your employment status if you\u2019re unsure of your employment status.\n\n## Reasons you can be dismissed\n\nThere are some situations when your employer can dismiss you fairly.\n\n## Not being able to do your job properly\n\nYou may not be able to do your job properly if, for example, you:\n\n- have not been able to keep up with important changes to your job - for example, a new computer system\n\n- cannot get along with your colleagues\n\nBefore taking any action, your employer should:\n\n- follow disciplinary procedures - for example, warn you that your work is not satisfactory\n\n- give you a chance to improve - for example, by training you\n\n## Illness\n\nYou can be dismissed if you have a persistent or long-term illness that makes it impossible for you to do your job.\n\nBefore taking any action, your employer should:\n\n- look for ways to support you - for example, considering whether the job itself is making you sick and needs changing\n\n- give you reasonable time to recover from your illness\n\nIf you have a disability (which may include long-term illness), your employer has a legal duty to support disability in the workplace.\n\nDismissal because of a disability may be unlawful discrimination.\n\n## Redundancy\n\nRedundancy is a form of dismissal and is fair in most cases.\n\nIf the reason you are selected for redundancy is unfair then you will have been unfairly dismissed.\n\n## Summary dismissal\n\nYou can be dismissed for \u2018gross misconduct\u2019 without your employer going through the normal disciplinary procedures. This can happen if, for example, you\u2019re violent towards a colleague, customer or property.\n\nYour employer should always investigate the circumstances before making a dismissal, even in possible gross misconduct cases.\n\n## A \u2018statutory restriction\u2019\n\nYou can be dismissed if continuing to employ you would break the law - for example, if you\u2019re a driver in a lorry firm and you lose your driving licence.\n\n## It\u2019s impossible to carry on employing you\n\nIf it\u2019s impossible to carry on employing you, it\u2019s likely to be fair. For example, if a factory burns down and it\u2019s no longer possible to employ anyone.\n\n## A \u2018substantial reason\u2019\n\nYou may be dismissed fairly if, for example:\n\n- you unreasonably refuse to accept a company reorganisation that changes your employment terms\n\n- you\u2019re sent to prison\n\n## Unfair and constructive dismissal\n\nIn certain situations, you may be able to take legal action if you\u2019re dismissed.\n\n## Unfair dismissal\n\nYour dismissal could be unfair if your employer does not:\n\n- have a good reason for dismissing you\n\n- follow the company\u2019s formal disciplinary or dismissal process (or the statutory minimum dismissal procedure in Northern Ireland)\n\nSituations when your dismissal is likely to be unfair include if you:\n\n- asked for flexible working\n\n- refused to give up your working time rights - for example, to take rest breaks\n\n- resigned and gave the correct notice period\n\n- joined a trade union\n\n- took part in legal industrial action that lasted 12 weeks or less\n\n- needed time off for jury service\n\n- applied for maternity, paternity and adoption leave\n\n- were on any maternity, paternity and adoption leave you\u2019re entitled to\n\n- tried to enforce your right to receive Working Tax Credits\n\n- exposed wrongdoing in the workplace (whistleblowing)\n\n- were forced to retire (known as \u2018compulsory retirement\u2019)\n\nCompulsory retirement is not allowed unless your employer can objectively justify it, but you can challenge it at an employment tribunal.\n\n## Constructive dismissal\n\nConstructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.\n\nThe reasons you leave your job must be serious, for example, they:\n\n- do not pay you or suddenly demote you for no reason\n\n- force you to accept unreasonable changes to how you work - for example, tell you to work night shifts when your contract is only for day work\n\n- let other employees harass or bully you\n\nYour employer\u2019s breach of contract may be one serious incident or a series of incidents that are serious when taken together.\n\nYou should try and sort any issues out by speaking to your employer to solve the dispute.\n\nIf you do have a case for constructive dismissal, you should leave your job immediately - your employer may argue that, by staying, you accepted the conduct or treatment.\n\n## What to do if you're dismissed\n\nIf you\u2019re threatened with dismissal (or are dismissed) you can get help from a third party to solve the issue by mediation, conciliation and arbitration.\n\nYou can also speak to your union representative if you\u2019re a member of a trade union.\n\n## Employment tribunals\n\nIf you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.\n\nIn Northern Ireland, you can go to an industrial tribunal.\n\n## Qualifying period to claim unfair dismissal\n\nYou must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:\n\n- on or after 6 April 2012 - the qualifying period is normally 2 years\n\n- before 6 April 2012 - the qualifying period is normally 1 year\n\nIn Northern Ireland, the qualifying period is still normally 1 year.\n\nThere is no qualifying period if you\u2019ve been dismissed from 25 June 2013 because of your political opinions or affiliation. You\u2019ll automatically have the right to go to an employment tribunal.\n\nIn unfair dismissal claims you must make the claim to a tribunal within 3 months of being dismissed.", + "original_contents": [ + "

    Overview

    ", + "

    Dismissal is when your employer ends your employment - they do not always have to give you notice.

    ", + "

    If you\u2019re dismissed, your employer must show they\u2019ve:

    ", + "
  • a valid reason that they can justify
  • ", + "
  • acted reasonably in the circumstances
  • ", + "

    They must also:

    ", + "
  • be consistent - for example, not dismiss you for doing something that they let other employees do
  • ", + "
  • have investigated the situation fully before dismissing you - for example, if a complaint was made about you
  • ", + "

    If you\u2019re a part-time or fixed-term worker, you cannot be treated less favourably than a full-time or permanent employee.

    ", + "

    If you\u2019ve lost your job because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% your wages.

    ", + "

    Notice period

    ", + "

    You must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.

    ", + "

    There are some situations where you can be dismissed immediately - for example, for violence.

    ", + "

    Getting your dismissal in writing

    ", + "

    You have the right to ask for a written statement from your employer giving the reasons why you\u2019ve been dismissed if you\u2019re an employee and have completed 2 years\u2019 service (1 year if you started before 6 April 2012).

    ", + "

    Your employer must supply the statement within 14 days of you asking for it.

    ", + "

    Your employer must give you a written statement if you\u2019re dismissed while you are on Statutory Maternity Leave. You get this:

    ", + "
  • even if you\u2019ve not asked for one
  • ", + "
  • regardless of how long you\u2019ve worked for your employer
  • ", + "

    Speak to your employer or check your employment status if you\u2019re unsure of your employment status.

    ", + "

    Reasons you can be dismissed

    ", + "

    There are some situations when your employer can dismiss you fairly.

    ", + "

    Not being able to do your job properly

    ", + "

    You may not be able to do your job properly if, for example, you:

    ", + "
  • have not been able to keep up with important changes to your job - for example, a new computer system
  • ", + "
  • cannot get along with your colleagues
  • ", + "

    Before taking any action, your employer should:

    ", + "
  • follow disciplinary procedures - for example, warn you that your work is not satisfactory
  • ", + "
  • give you a chance to improve - for example, by training you
  • ", + "

    Illness

    ", + "

    You can be dismissed if you have a persistent or long-term illness that makes it impossible for you to do your job.

    ", + "

    Before taking any action, your employer should:

    ", + "
  • look for ways to support you - for example, considering whether the job itself is making you sick and needs changing
  • ", + "
  • give you reasonable time to recover from your illness
  • ", + "

    If you have a disability (which may include long-term illness), your employer has a legal duty to support disability in the workplace.

    ", + "

    Dismissal because of a disability may be unlawful discrimination.

    ", + "

    Redundancy

    ", + "

    Redundancy is a form of dismissal and is fair in most cases.

    ", + "

    If the reason you are selected for redundancy is unfair then you will have been unfairly dismissed.

    ", + "

    Summary dismissal

    ", + "

    You can be dismissed for \u2018gross misconduct\u2019 without your employer going through the normal disciplinary procedures. This can happen if, for example, you\u2019re violent towards a colleague, customer or property.

    ", + "

    Your employer should always investigate the circumstances before making a dismissal, even in possible gross misconduct cases.

    ", + "

    A \u2018statutory restriction\u2019

    ", + "

    You can be dismissed if continuing to employ you would break the law - for example, if you\u2019re a driver in a lorry firm and you lose your driving licence.

    ", + "

    It\u2019s impossible to carry on employing you

    ", + "

    If it\u2019s impossible to carry on employing you, it\u2019s likely to be fair. For example, if a factory burns down and it\u2019s no longer possible to employ anyone.

    ", + "

    A \u2018substantial reason\u2019

    ", + "

    You may be dismissed fairly if, for example:

    ", + "
  • you unreasonably refuse to accept a company reorganisation that changes your employment terms
  • ", + "
  • you\u2019re sent to prison
  • ", + "

    Unfair and constructive dismissal

    ", + "

    In certain situations, you may be able to take legal action if you\u2019re dismissed.

    ", + "

    Unfair dismissal

    ", + "

    Your dismissal could be unfair if your employer does not:

    ", + "
  • have a good reason for dismissing you
  • ", + "
  • follow the company\u2019s formal disciplinary or dismissal process (or the statutory minimum dismissal procedure in Northern Ireland)
  • ", + "

    Situations when your dismissal is likely to be unfair include if you:

    ", + "
  • asked for flexible working
  • ", + "
  • refused to give up your working time rights - for example, to take rest breaks
  • ", + "
  • resigned and gave the correct notice period
  • ", + "
  • joined a trade union
  • ", + "
  • took part in legal industrial action that lasted 12 weeks or less
  • ", + "
  • needed time off for jury service
  • ", + "
  • applied for maternity, paternity and adoption leave
  • ", + "
  • were on any maternity, paternity and adoption leave you\u2019re entitled to
  • ", + "
  • tried to enforce your right to receive Working Tax Credits
  • ", + "
  • exposed wrongdoing in the workplace (whistleblowing)
  • ", + "
  • were forced to retire (known as \u2018compulsory retirement\u2019)
  • ", + "

    Compulsory retirement is not allowed unless your employer can objectively justify it, but you can challenge it at an employment tribunal.

    ", + "

    Constructive dismissal

    ", + "

    Constructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.

    ", + "

    The reasons you leave your job must be serious, for example, they:

    ", + "
  • do not pay you or suddenly demote you for no reason
  • ", + "
  • force you to accept unreasonable changes to how you work - for example, tell you to work night shifts when your contract is only for day work
  • ", + "
  • let other employees harass or bully you
  • ", + "

    Your employer\u2019s breach of contract may be one serious incident or a series of incidents that are serious when taken together.

    ", + "

    You should try and sort any issues out by speaking to your employer to solve the dispute.

    ", + "

    If you do have a case for constructive dismissal, you should leave your job immediately - your employer may argue that, by staying, you accepted the conduct or treatment.

    ", + "

    What to do if you're dismissed

    ", + "

    If you\u2019re threatened with dismissal (or are dismissed) you can get help from a third party to solve the issue by mediation, conciliation and arbitration.

    ", + "

    You can also speak to your union representative if you\u2019re a member of a trade union.

    ", + "

    Employment tribunals

    ", + "

    If you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.

    ", + "

    In Northern Ireland, you can go to an industrial tribunal.

    ", + "

    Qualifying period to claim unfair dismissal

    ", + "

    You must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:

    ", + "
  • on or after 6 April 2012 - the qualifying period is normally 2 years
  • ", + "
  • before 6 April 2012 - the qualifying period is normally 1 year
  • ", + "

    In Northern Ireland, the qualifying period is still normally 1 year.

    ", + "

    There is no qualifying period if you\u2019ve been dismissed from 25 June 2013 because of your political opinions or affiliation. You\u2019ll automatically have the right to go to an employment tribunal.

    ", + "

    In unfair dismissal claims you must make the claim to a tribunal within 3 months of being dismissed.

    " + ] + }, + "https://www.gov.uk/handing-in-your-notice": { + "url": "https://www.gov.uk/handing-in-your-notice", + "title": "Handing in your notice", + "content": "## Your employment contract\n\nIf you want to leave your job, check your employment contract to find out your employer\u2019s policy on handing in notice.\n\nThere are rules about:\n\n- giving notice\n\n- how much you\u2019ll be paid during your notice period\n\n- what will happen if you leave to work for a competitor\n\n## Giving notice\n\nYou must give at least a week\u2019s notice if you\u2019ve been in your job for more than a month.\n\nYour contract will tell you whether you need to give notice in writing - otherwise you can do it verbally.\n\nGive written notice if you think you\u2019ll need to refer to it later, for example at an employment tribunal.\n\nYou may be in breach of your contract if you don\u2019t give enough notice, or give notice verbally when it should be given in writing. Your employer could take you to court.\n\nYour notice period usually runs from the start of the day after you handed your notice in.\n\n## If you change your mind\n\nIf you resign in the \u2018heat of the moment\u2019 (eg during an argument) and you change your mind, you should tell your employer immediately. They can choose to accept your resignation or not.\n\n## Get free advice from Acas\n\nCall the Acas helpline to get advice about handing in your notice and pay rights.\n\n## Payment during your notice period\n\nYou\u2019re entitled to your normal pay rate during your notice period, including when you\u2019re:\n\n- off sick\n\n- on holiday\n\n- temporarily laid off\n\n- on maternity, paternity or adoption leave\n\n- available to work, even if your employer has nothing for you to do\n\n## \u2018Payment in lieu\u2019 of notice period\n\nYour employer can ask you to leave immediately after handing in your notice.\n\nIf they do, they\u2019ll probably offer you a one-off payment instead of allowing you to work out your notice period - called \u2018payment in lieu\u2019.\n\nYou can only get payment in lieu if it\u2019s in your contract, or if you agree to it. If you don\u2019t agree to it, you can work out your notice period.\n\n## Disputes over notice pay\n\nIf you can\u2019t resolve a dispute about notice pay with your employer informally, you can follow your company\u2019s grievance procedures.\n\nIf this doesn\u2019t work, you may be able to make a complaint to an employment tribunal for breach of contract.\n\n## Gardening leave\n\nYour employer may ask you not to come into work, or to work at home or another location during your notice period. This is called \u2018gardening leave\u2019.\n\nYou\u2019ll get the same pay and contractual benefits.\n\n## Restrictive covenants\n\nThere may be terms in your contract that says you can\u2019t work for a competitor or have contact with customers for a period of time after you leave the company.\n\nThese are called \u2018restrictive covenants\u2019.\n\nYour company could take you to court if you breach the restrictive covenants in your contract.", + "original_contents": [ + "

    Your employment contract

    ", + "

    If you want to leave your job, check your employment contract to find out your employer\u2019s policy on handing in notice.

    ", + "

    There are rules about:

    ", + "
  • giving notice
  • ", + "
  • how much you\u2019ll be paid during your notice period
  • ", + "
  • what will happen if you leave to work for a competitor
  • ", + "

    Giving notice

    ", + "

    You must give at least a week\u2019s notice if you\u2019ve been in your job for more than a month.

    ", + "

    Your contract will tell you whether you need to give notice in writing - otherwise you can do it verbally.

    ", + "

    Give written notice if you think you\u2019ll need to refer to it later, for example at an employment tribunal.

    ", + "

    You may be in breach of your contract if you don\u2019t give enough notice, or give notice verbally when it should be given in writing. Your employer could take you to court.

    ", + "

    Your notice period usually runs from the start of the day after you handed your notice in.

    ", + "

    If you change your mind

    ", + "

    If you resign in the \u2018heat of the moment\u2019 (eg during an argument) and you change your mind, you should tell your employer immediately. They can choose to accept your resignation or not.

    ", + "

    Get free advice from Acas

    ", + "

    Call the Acas helpline to get advice about handing in your notice and pay rights.

    ", + "

    Payment during your notice period

    ", + "

    You\u2019re entitled to your normal pay rate during your notice period, including when you\u2019re:

    ", + "
  • off sick
  • ", + "
  • on holiday
  • ", + "
  • temporarily laid off
  • ", + "
  • on maternity, paternity or adoption leave
  • ", + "
  • available to work, even if your employer has nothing for you to do
  • ", + "

    \u2018Payment in lieu\u2019 of notice period

    ", + "

    Your employer can ask you to leave immediately after handing in your notice.

    ", + "

    If they do, they\u2019ll probably offer you a one-off payment instead of allowing you to work out your notice period - called \u2018payment in lieu\u2019.

    ", + "

    You can only get payment in lieu if it\u2019s in your contract, or if you agree to it. If you don\u2019t agree to it, you can work out your notice period.

    ", + "

    Disputes over notice pay

    ", + "

    If you can\u2019t resolve a dispute about notice pay with your employer informally, you can follow your company\u2019s grievance procedures.

    ", + "

    If this doesn\u2019t work, you may be able to make a complaint to an employment tribunal for breach of contract.

    ", + "

    Gardening leave

    ", + "

    Your employer may ask you not to come into work, or to work at home or another location during your notice period. This is called \u2018gardening leave\u2019.

    ", + "

    You\u2019ll get the same pay and contractual benefits.

    ", + "

    Restrictive covenants

    ", + "

    There may be terms in your contract that says you can\u2019t work for a competitor or have contact with customers for a period of time after you leave the company.

    ", + "

    These are called \u2018restrictive covenants\u2019.

    ", + "

    Your company could take you to court if you breach the restrictive covenants in your contract.

    " + ] + }, + "https://www.gov.uk/lay-offs-short-timeworking": { + "url": "https://www.gov.uk/lay-offs-short-timeworking", + "title": "Lay-offs and short-time working", + "content": "## Overview\n\nYour employer can ask you to stay at home or take unpaid leave if there\u2019s not enough work for you.\n\nA lay-off is if you\u2019re off work for at least 1 working day. Short-time working is when your hours are cut.\n\n## How long you can be laid off\n\nThere\u2019s no limit for how long you can be laid off or put on short-time. You could apply for redundancy and claim redundancy pay if it\u2019s been:\n\n- 4 weeks in a row\n\n- 6 weeks in a 13-week period\n\n## Lay-off pay entitlement and short-time working payments\n\nYou should get your full pay unless your contract allows unpaid or reduced pay lay-offs.\n\nIf you\u2019re unpaid, you\u2019re entitled to guarantee pay.\n\nIf you\u2019ve been told to take unpaid leave or reduced pay because of Coronavirus (COVID-19), your employer might still be able to pay 80% of your wages.\n\n## Guarantee pay\n\n## Rate and length of statutory lay-off pay\n\nYou\u2019re entitled to guarantee pay during lay off or short-time working. The maximum you can get is \u00a330 a day for 5 days in any 3-month period - so a maximum of \u00a3150.\n\nIf you usually earn less than \u00a330 a day you\u2019ll get your normal daily rate.\n\nIf you work part-time, your entitlement is worked out proportionally.\n\nYou cannot claim guarantee pay for any day that you do some work.\n\n## Eligibility for statutory lay-off pay\n\nYou must:\n\n- have been employed continuously for 1 month (includes part-time workers)\n\n- reasonably make sure you\u2019re available for work\n\n- not refuse any reasonable alternative work (including work not in your contract)\n\n- not have been laid off because of industrial action\n\n## Statutory lay-off pay and your employment contract\n\nYour employer may have their own guarantee pay scheme. It cannot be less than the statutory arrangements. If you get your employer\u2019s payments, you do not get statutory lay-off pay on top of this.\n\nNot paying guarantee pay counts as an unlawful deduction from your wages - you could make a claim to an employment tribunal.\n\n## Applying for redundancy\n\nYou could apply for redundancy and claim redundancy pay if you\u2019ve been laid off without pay or put on short-time and receive less than half a week\u2019s pay for:\n\n- 4 or more weeks in a row\n\n- 6 or more weeks in a 13-week period\n\n- Write to your employer to claim redundancy within 4 weeks of the last day of the lay-off or short-time period.\n\n- Your employer has 7 days to accept your claim or give you a written counter-notice.\n\n- If your employer does not give you counter-notice, you can assume they\u2019ve accepted your redundancy claim.\n\n- A counter-notice means your employer expects work will soon be available - it must start within 4 weeks and must last at least 13 weeks.\n\nYour employer can withdraw their counter-notice in writing.\n\n## Resigning\n\nYou must resign to get redundancy pay. The timing is crucial - you have 3 weeks to hand in your notice, starting from:\n\n- 7 days after you gave written notice to your employer (if you did not get a counter-notice)\n\n- the date your employer withdrew their counter-notice\n\nYou can get help from Citizens Advice.\n\n## Extra work or claiming benefits\n\nYou can take on another job while you\u2019re laid off or on short-time (unless your contract says you must not).\n\nYou should:\n\n- get your employer\u2019s agreement\n\n- make sure you\u2019re not working for a competitor\n\n- make sure you\u2019re available for your original job once the lay-off or short-time ends\n\n## Benefits you can claim\n\nYou might be able to get Universal Credit or \u2018new style\u2019 Jobseeker\u2019s Allowance (or both) while you\u2019re laid off or on short-time.", + "original_contents": [ + "

    Overview

    ", + "

    Your employer can ask you to stay at home or take unpaid leave if there\u2019s not enough work for you.

    ", + "

    A lay-off is if you\u2019re off work for at least 1 working day. Short-time working is when your hours are cut.

    ", + "

    How long you can be laid off

    ", + "

    There\u2019s no limit for how long you can be laid off or put on short-time. You could apply for redundancy and claim redundancy pay if it\u2019s been:

    ", + "
  • 4 weeks in a row
  • ", + "
  • 6 weeks in a 13-week period
  • ", + "

    Lay-off pay entitlement and short-time working payments

    ", + "

    You should get your full pay unless your contract allows unpaid or reduced pay lay-offs.

    ", + "

    If you\u2019re unpaid, you\u2019re entitled to guarantee pay.

    ", + "

    If you\u2019ve been told to take unpaid leave or reduced pay because of Coronavirus (COVID-19), your employer might still be able to pay 80% of your wages.

    ", + "

    Guarantee pay

    ", + "

    Rate and length of statutory lay-off pay

    ", + "

    You\u2019re entitled to guarantee pay during lay off or short-time working. The maximum you can get is \u00a330 a day for 5 days in any 3-month period - so a maximum of \u00a3150.

    ", + "

    If you usually earn less than \u00a330 a day you\u2019ll get your normal daily rate.

    ", + "

    If you work part-time, your entitlement is worked out proportionally.

    ", + "

    You cannot claim guarantee pay for any day that you do some work.

    ", + "

    Eligibility for statutory lay-off pay

    ", + "

    You must:

    ", + "
  • have been employed continuously for 1 month (includes part-time workers)
  • ", + "
  • reasonably make sure you\u2019re available for work
  • ", + "
  • not refuse any reasonable alternative work (including work not in your contract)
  • ", + "
  • not have been laid off because of industrial action
  • ", + "

    Statutory lay-off pay and your employment contract

    ", + "

    Your employer may have their own guarantee pay scheme. It cannot be less than the statutory arrangements. If you get your employer\u2019s payments, you do not get statutory lay-off pay on top of this.

    ", + "

    Not paying guarantee pay counts as an unlawful deduction from your wages - you could make a claim to an employment tribunal.

    ", + "

    Applying for redundancy

    ", + "

    You could apply for redundancy and claim redundancy pay if you\u2019ve been laid off without pay or put on short-time and receive less than half a week\u2019s pay for:

    ", + "
  • 4 or more weeks in a row
  • ", + "
  • 6 or more weeks in a 13-week period
  • ", + "
  • Write to your employer to claim redundancy within 4 weeks of the last day of the lay-off or short-time period.
  • ", + "
  • Your employer has 7 days to accept your claim or give you a written counter-notice.
  • ", + "
  • If your employer does not give you counter-notice, you can assume they\u2019ve accepted your redundancy claim.
  • ", + "
  • A counter-notice means your employer expects work will soon be available - it must start within 4 weeks and must last at least 13 weeks.
  • ", + "

    Your employer can withdraw their counter-notice in writing.

    ", + "

    Resigning

    ", + "

    You must resign to get redundancy pay. The timing is crucial - you have 3 weeks to hand in your notice, starting from:

    ", + "
  • 7 days after you gave written notice to your employer (if you did not get a counter-notice)
  • ", + "
  • the date your employer withdrew their counter-notice
  • ", + "

    You can get help from Citizens Advice.

    ", + "

    Extra work or claiming benefits

    ", + "

    You can take on another job while you\u2019re laid off or on short-time (unless your contract says you must not).

    ", + "

    You should:

    ", + "
  • get your employer\u2019s agreement
  • ", + "
  • make sure you\u2019re not working for a competitor
  • ", + "
  • make sure you\u2019re available for your original job once the lay-off or short-time ends
  • ", + "

    Benefits you can claim

    ", + "

    You might be able to get Universal Credit or \u2018new style\u2019 Jobseeker\u2019s Allowance (or both) while you\u2019re laid off or on short-time.

    " + ] + }, + "https://www.gov.uk/raise-grievance-at-work": { + "url": "https://www.gov.uk/raise-grievance-at-work", + "title": "Raise a grievance at work", + "content": "## Overview\n\nIf you\u2019re a worker and you\u2019ve tried solving a problem or concern informally by talking to your manager but you\u2019re not satisfied, you can make a formal grievance complaint in writing.\n\nYour employer should have a written grievance procedure that tells you what to do and what happens at each stage of the process. After raising the grievance you\u2019ll have a meeting to discuss the issue.\n\nYou can appeal if you do not agree with your employer\u2019s decision.\n\nRead Acas\u2019s guide to discipline and grievances at work.\n\nMediation can also help resolve a problem - this can take place at any time during the dispute.\n\n## Following the Acas code of practice\n\nYou and your employer should follow the Acas code of practice on disciplinary and grievance procedures.\n\nOtherwise, if you take your claim to an employment tribunal, any compensation you might get could be adjusted by up to 25%.\n\n## Grievance procedure\n\nYour employer should put their grievance procedure in writing and share it with all staff, such as on the company intranet or in the HR manual.\n\nIt should include information about:\n\n- how to set out the details of your grievance in writing\n\n- who to send your letter to\n\n- who to write to if the normal contact person is involved in the grievance\n\n- a meeting with your employer to discuss the issue\n\n- how to appeal your employer\u2019s decision\n\n- how long each stage should take\n\n## Mediation\n\nMediation is when an independent, impartial third party discusses a problem with you and your employer (or between you and another employee) to try and find a solution. It\u2019s often used after informal discussions have not solved the issue.\n\nMediation is voluntary and confidential. The mediator cannot force you or your employer to accept a solution - both parties must agree on the way to solve the dispute.\n\nIt should not be used for problems that have to be formally investigated (such as harassment or discrimination).\n\nRead the Acas guide on mediation for more information.\n\nYou can find a mediation service in your area.\n\n## Grievance meetings\n\n## What happens at the meeting\n\nThe aim of the meeting is to establish the facts and find a way to resolve the problem.\n\nYour employer will run the meeting. They\u2019ll normally go through the grievance and give the worker the chance to comment. You can bring supporting documents if you want.\n\n## Who can attend meetings with you\n\nYou can be accompanied to grievance meetings (and any appeal meetings) by a:\n\n- colleague\n\n- trade union representative\n\nYou may also be able to bring a family member or Citizens Advice Bureau worker, depending on the HR procedure where you work.\n\n## After the meeting\n\nAfterwards the employer will write to you setting out their decision along with:\n\n- details of any action they intend to take\n\n- information about how to appeal\n\n## Appealing a grievance decision\n\nYour employer\u2019s grievance procedure will set out:\n\n- who you should submit your appeal to\n\n- the time limit within which an appeal must be made\n\n- information about any meetings that will be held\n\n- how the appeal meeting will be run\n\nYou have the right to be accompanied during any appeal meetings. If possible, a manager who has not been involved in the process should handle the appeal.\n\nAfter the appeal meeting your employer should write to you setting out their final decision.", + "original_contents": [ + "

    Overview

    ", + "

    If you\u2019re a worker and you\u2019ve tried solving a problem or concern informally by talking to your manager but you\u2019re not satisfied, you can make a formal grievance complaint in writing.

    ", + "

    Your employer should have a written grievance procedure that tells you what to do and what happens at each stage of the process. After raising the grievance you\u2019ll have a meeting to discuss the issue.

    ", + "

    You can appeal if you do not agree with your employer\u2019s decision.

    ", + "

    Read Acas\u2019s guide to discipline and grievances at work.

    ", + "

    Mediation can also help resolve a problem - this can take place at any time during the dispute.

    ", + "

    Following the Acas code of practice

    ", + "

    You and your employer should follow the Acas code of practice on disciplinary and grievance procedures.

    ", + "

    Otherwise, if you take your claim to an employment tribunal, any compensation you might get could be adjusted by up to 25%.

    ", + "

    Grievance procedure

    ", + "

    Your employer should put their grievance procedure in writing and share it with all staff, such as on the company intranet or in the HR manual.

    ", + "

    It should include information about:

    ", + "
  • how to set out the details of your grievance in writing
  • ", + "
  • who to send your letter to
  • ", + "
  • who to write to if the normal contact person is involved in the grievance
  • ", + "
  • a meeting with your employer to discuss the issue
  • ", + "
  • how to appeal your employer\u2019s decision
  • ", + "
  • how long each stage should take
  • ", + "

    Mediation

    ", + "

    Mediation is when an independent, impartial third party discusses a problem with you and your employer (or between you and another employee) to try and find a solution. It\u2019s often used after informal discussions have not solved the issue.

    ", + "

    Mediation is voluntary and confidential. The mediator cannot force you or your employer to accept a solution - both parties must agree on the way to solve the dispute.

    ", + "

    It should not be used for problems that have to be formally investigated (such as harassment or discrimination).

    ", + "

    Read the Acas guide on mediation for more information.

    ", + "

    You can find a mediation service in your area.

    ", + "

    Grievance meetings

    ", + "

    What happens at the meeting

    ", + "

    The aim of the meeting is to establish the facts and find a way to resolve the problem.

    ", + "

    Your employer will run the meeting. They\u2019ll normally go through the grievance and give the worker the chance to comment. You can bring supporting documents if you want.

    ", + "

    Who can attend meetings with you

    ", + "

    You can be accompanied to grievance meetings (and any appeal meetings) by a:

    ", + "
  • colleague
  • ", + "
  • trade union representative
  • ", + "

    You may also be able to bring a family member or Citizens Advice Bureau worker, depending on the HR procedure where you work.

    ", + "

    After the meeting

    ", + "

    Afterwards the employer will write to you setting out their decision along with:

    ", + "
  • details of any action they intend to take
  • ", + "
  • information about how to appeal
  • ", + "

    Appealing a grievance decision

    ", + "

    Your employer\u2019s grievance procedure will set out:

    ", + "
  • who you should submit your appeal to
  • ", + "
  • the time limit within which an appeal must be made
  • ", + "
  • information about any meetings that will be held
  • ", + "
  • how the appeal meeting will be run
  • ", + "

    You have the right to be accompanied during any appeal meetings. If possible, a manager who has not been involved in the process should handle the appeal.

    ", + "

    After the appeal meeting your employer should write to you setting out their final decision.

    " + ] + }, + "https://www.gov.uk/redundancy-your-rights": { + "url": "https://www.gov.uk/redundancy-your-rights", + "title": "Redundancy: your rights", + "content": "## Overview\n\nRedundancy is a form of dismissal from your job. It happens when employers need to reduce their workforce.\n\nIf you\u2019re being made redundant, you might be eligible for certain things, including:\n\n- redundancy pay\n\n- a notice period\n\n- a consultation with your employer\n\n- the option to move into a different job\n\n- time off to find a new job\n\nYou also have specific rights if your employer is insolvent.\n\nIf you\u2019ve been made redundant because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% of your wages.\n\nYou must be selected for redundancy in a fair way, for example because of your level of experience or capability to do the job.\n\nYou cannot be selected because of age, gender, or if you\u2019re disabled or pregnant. If you are, this could be classed as an unfair dismissal.\n\n## Get advice\n\nYou can get advice on redundancy from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.\n\n## Being selected for redundancy\n\nYour employer should use a fair and objective way of selecting you for redundancy.\n\nCommonly used methods are:\n\n- last in, first out (employees with the shortest length of service are selected first)\n\n- asking for volunteers (self-selection)\n\n- disciplinary records\n\n- staff appraisal markings, skills, qualifications and experience\n\nYour employer can make you redundant without having to follow a selection process if your job no longer exists, for example if:\n\n- your employer is closing down a whole operation in a company and making all the employees working in it redundant\n\n- you\u2019re the only employee in your part of the organisation\n\nYour employer may offer you a different role if one is available.\n\nIf your employer uses \u2018last in, first out\u2019, make sure it\u2019s not discrimination, for example if it means only young people are made redundant.\n\n## Reapplying for your own job\n\nYou might be asked to reapply for your own job, which could help your employer decide who to select.\n\nIf you do not apply or you\u2019re unsuccessful in your application, you\u2019ll still have a job until your employer makes you redundant.\n\n## Unfair selection\n\nYou cannot be selected for the following reasons - your redundancy would be classed as an unfair dismissal:\n\n- sex\n\n- gender reassignment\n\n- marital status\n\n- sexual orientation\n\n- race\n\n- disability\n\n- religion or belief\n\n- age\n\n- your membership or non-membership of a trade union\n\n- health and safety activities\n\n- working pattern, for example part-time or fixed-term employees\n\n- maternity leave, birth or pregnancy\n\n- paternity leave, parental or dependants leave\n\n- you\u2019re exercising your statutory rights\n\n- whistleblowing, for example making disclosures about your employer\u2019s wrongdoing\n\n- taking part in lawful industrial action lasting 12 weeks or less\n\n- taking action on health and safety grounds\n\n- doing jury service\n\n- you\u2019re the trustee of a company pension scheme\n\n## Appealing the decision\n\nYou can appeal if you feel that you\u2019ve been unfairly selected. Write to your employer explaining the reasons.\n\nYou may be able to make a claim to an employment tribunal for unfair dismissal.\n\n## Voluntary redundancy\n\nIt\u2019s up to your employer whether they actually select you if you volunteer for redundancy.\n\nYour employer cannot just offer voluntary redundancy to age groups eligible for an early retirement package - this could be unlawful age discrimination.\n\nHowever, an early retirement package (for certain age groups) could be one element of a voluntary redundancy offer open to all employees.\n\n## Apprentices\n\nTalk to your manager and training provider if you\u2019re an apprentice and you\u2019re worried about being made redundant.\n\nYour training provider or the National Apprenticeship Service might be able to help you find another employer to help you complete your apprenticeship.\n\nApprenticeships are different in Scotland, Wales and Northern Ireland.\n\n## Redundancy pay\n\nYou\u2019ll normally be entitled to statutory redundancy pay if you\u2019re an employee and you\u2019ve been working for your current employer for 2 years or more.\n\nYou\u2019ll get:\n\n- half a week\u2019s pay for each full year you were under 22\n\n- one week\u2019s pay for each full year you were 22 or older, but under 41\n\n- one and half week\u2019s pay for each full year you were 41 or older\n\nLength of service is capped at 20 years.\n\nYour weekly pay is the average you earned per week over the 12 weeks before the day you got your redundancy notice.\n\nIf you were paid less than usual because you were \u2018on furlough\u2019 because of coronavirus, your redundancy pay is based on what you would have earned normally.\n\nIf you were made redundant on or after 6 April 2021, your weekly pay is capped at \u00a3544 and the maximum statutory redundancy pay you can get is \u00a316,320. If you were made redundant before 6 April 2021, these amounts will be lower.\n\nCalculate your redundancy pay.\n\nRedundancy pay (including any severance pay) under \u00a330,000 is not taxable.\n\nYour employer will deduct tax and National Insurance contributions from any wages or holiday pay they owe you.\n\n## Exceptions\n\nYou\u2019re not entitled to statutory redundancy pay if:\n\n- your employer offers to keep you on\n\n- your employer offers you suitable alternative work which you refuse without good reason\n\nBeing dismissed for misconduct does not count as redundancy, so you would not get redundancy pay if this happened.\n\nYou\u2019re not entitled to statutory redundancy pay if you fall into one or more of the following categories:\n\n- former registered dock workers (covered by other arrangements) and share fishermen\n\n- crown servants, members of the armed forces or police services\n\n- apprentices who are not employees at the end of their training\n\n- a domestic servant who is a member of the employer\u2019s immediate family\n\n## Short-term and temporary lay-offs\n\nYou can claim statutory redundancy pay if you\u2019re eligible and you\u2019ve been temporarily laid off (without pay or less than half a week\u2019s pay) for either:\n\n- more than 4 weeks in a row\n\n- more than 6 non-consecutive weeks in a 13 week period\n\nWrite to your employer telling them you intend to claim statutory redundancy pay. This must be done within 4 weeks of your last non-working day in the 4 or 6 week period.\n\nIf your employer does not reject your claim within 7 days of receiving it, write to your employer again giving them your notice.\n\nYour claim could be rejected if your normal work is likely to start within 4 weeks and continue for at least 13 weeks.\n\n## Notice periods\n\nYou must be given a notice period before your employment ends.\n\nThe statutory redundancy notice periods are:\n\n- at least one week\u2019s notice if employed between one month and 2 years\n\n- one week\u2019s notice for each year if employed between 2 and 12 years\n\n- 12 weeks\u2019 notice if employed for 12 years or more\n\nCheck your contract. Your employer may give you more than the statutory minimum, but they cannot give you less.\n\n## Notice pay\n\nAs well as statutory redundancy pay, your employer should either:\n\n- pay you through your notice period\n\n- pay you in lieu of notice depending on your circumstances\n\nYour notice pay is based on the average you earned per week over the 12 weeks before your notice period starts.\n\nIf you were paid less than usual because you were \u2018on furlough\u2019 because of coronavirus, your notice pay is based on what you would have earned normally.\n\n## Payment in lieu of notice\n\nYour employment can be ended without notice if \u2018payment in lieu of notice\u2019 is included in your contract. Your employer will pay you instead of giving you a notice period.\n\nYou get all of the basic pay you would\u2019ve received during the notice period. You may get extras such as pension contributions or private health care insurance if they\u2019re in your contract.\n\nYour employer may still offer you payment in lieu of notice, even if your contract does not mention it. If you accept, you should receive full pay and any extras that are in your contract.\n\n## Consultation\n\nYou\u2019re entitled to a consultation with your employer if you\u2019re being made redundant. This involves speaking to them about:\n\n- why you\u2019re being made redundant\n\n- any alternatives to redundancy\n\nIf your employer is making up to 19 redundancies, there are no rules about how they should carry out the consultation. If they\u2019re making 20 or more redundancies at the same time, the collective redundancy rules apply.\n\nYou can make a claim to an employment tribunal if your employer does not consult properly, for example if they start late, or do not consult at all.\n\n## Collective redundancy rules\n\nIf your employer is making 20 or more employees redundant at the same time, the consultation should take place between your employer and a representative (rep).\n\nThis will either be:\n\n- a trade union rep (if you\u2019re represented by a trade union)\n\n- an elected employee rep (if you\u2019re not represented by a trade union, or if your employer does not recognise your trade union)\n\nCollective consultations must cover:\n\n- ways to avoid redundancies\n\n- the reasons for redundancies\n\n- how to keep the number of dismissals to a minimum\n\n- how to limit the effects for employees involved, for example by offering retraining\n\nYour employer must also meet certain legal requirements for collective consultations.\n\n## Length of consultation\n\nThere\u2019s no time limit for how long the period of consultation should be, but the minimum is:\n\n- 20 to 99 redundancies - the consultation must start at least 30 days before any dismissals take effect\n\n- 100 or more redundancies - the consultation must start at least 45 days before any dismissals take effect\n\n## Electing employee reps\n\nIf you\u2019re an employee affected by the proposed redundancies you can:\n\n- stand for election as an employee rep\n\n- vote for other reps\n\n## Fixed-term contract employees\n\nYour employer does not need to include you in collective consultation if you\u2019re employed under a fixed-term contract, except if they\u2019re ending your contract early because of redundancy.\n\n## Suitable alternative employment\n\nYour employer might offer you \u2018suitable alternative employment\u2019 within your organisation or an associated company.\n\nWhether a job is suitable depends on:\n\n- how similar the work is to your current job\n\n- the terms of the job being offered\n\n- your skills, abilities and circumstances in relation to the job\n\n- the pay (including benefits), status, hours and location\n\nYour redundancy could be an unfair dismissal if your employer has suitable alternative employment and they do not offer it to you.\n\n## Refusing an offer\n\nYou may lose your right to statutory redundancy pay if you unreasonably turn down suitable alternative employment.\n\nYou can make a claim to an employment tribunal if you think the job you\u2019ve been offered is not suitable.\n\n## Trial periods\n\nYou have the right to a 4 week trial period for any alternative employment you\u2019re offered.\n\nThe 4 week period could be extended if you need training. Any extension must be agreed in writing before the trial period starts.\n\nTell your employer during the trial period if you decide the new job is not suitable. This will not affect your employment rights, including your right to statutory redundancy pay.\n\nYou\u2019ll lose your right to claim statutory redundancy pay if you do not give notice within the 4 week trial period.\n\n## Time off for job hunting\n\nIf you\u2019ve been continuously employed for 2 years by the date your notice period ends, you\u2019re allowed a reasonable amount of time off to:\n\n- look for another job\n\n- arrange training to help you find another job\n\nHow long you can take will depend on your circumstances.\n\nNo matter how much time you take off to look for another job, the most your employer has to pay you is 40% of one week\u2019s pay.\n\n## Get help finding a new job\n\nYou can get help from the Jobcentre Plus Rapid Response Service to:\n\n- write CVs and find jobs\n\n- find information on benefits\n\n- find the right training and learn new skills\n\n- organise work trials (if you\u2019re eligible)\n\n- get any extra help at work if you\u2019re disabled, for example Access to Work\n\nYou may also be able to get help with costs, such as:\n\n- travel to work expenses\n\n- childcare\n\n- tools or equipment\n\n- vocational training - you must be in your notice period to be considered\n\nThere\u2019s a different service if you\u2019re in Scotland or Wales.\n\n## Get in touch\n\nYou can contact the Rapid Response Service:\n\n- if you suspect you\u2019re going to be made redundant\n\n- during your notice period\n\n- up to 13 weeks after you\u2019ve been made redundant\n\n## Further information and support\n\nYou can read more about finding a job, how your pension might be affected, and what benefits you could get.", + "original_contents": [ + "

    Overview

    ", + "

    Redundancy is a form of dismissal from your job. It happens when employers need to reduce their workforce.

    ", + "

    If you\u2019re being made redundant, you might be eligible for certain things, including:

    ", + "
  • redundancy pay
  • ", + "
  • a notice period
  • ", + "
  • a consultation with your employer
  • ", + "
  • the option to move into a different job
  • ", + "
  • time off to find a new job
  • ", + "

    You also have specific rights if your employer is insolvent.

    ", + "

    If you\u2019ve been made redundant because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% of your wages.

    ", + "

    You must be selected for redundancy in a fair way, for example because of your level of experience or capability to do the job.

    ", + "

    You cannot be selected because of age, gender, or if you\u2019re disabled or pregnant. If you are, this could be classed as an unfair dismissal.

    ", + "

    Get advice

    ", + "

    You can get advice on redundancy from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.

    ", + "

    Being selected for redundancy

    ", + "

    Your employer should use a fair and objective way of selecting you for redundancy.

    ", + "

    Commonly used methods are:

    ", + "
  • last in, first out (employees with the shortest length of service are selected first)
  • ", + "
  • asking for volunteers (self-selection)
  • ", + "
  • disciplinary records
  • ", + "
  • staff appraisal markings, skills, qualifications and experience
  • ", + "

    Your employer can make you redundant without having to follow a selection process if your job no longer exists, for example if:

    ", + "
  • your employer is closing down a whole operation in a company and making all the employees working in it redundant
  • ", + "
  • you\u2019re the only employee in your part of the organisation
  • ", + "

    Your employer may offer you a different role if one is available.

    ", + "

    If your employer uses \u2018last in, first out\u2019, make sure it\u2019s not discrimination, for example if it means only young people are made redundant.

    ", + "

    Reapplying for your own job

    ", + "

    You might be asked to reapply for your own job, which could help your employer decide who to select.

    ", + "

    If you do not apply or you\u2019re unsuccessful in your application, you\u2019ll still have a job until your employer makes you redundant.

    ", + "

    Unfair selection

    ", + "

    You cannot be selected for the following reasons - your redundancy would be classed as an unfair dismissal:

    ", + "
  • sex
  • ", + "
  • gender reassignment
  • ", + "
  • marital status
  • ", + "
  • sexual orientation
  • ", + "
  • race
  • ", + "
  • disability
  • ", + "
  • religion or belief
  • ", + "
  • age
  • ", + "
  • your membership or non-membership of a trade union
  • ", + "
  • health and safety activities
  • ", + "
  • working pattern, for example part-time or fixed-term employees
  • ", + "
  • maternity leave, birth or pregnancy
  • ", + "
  • paternity leave, parental or dependants leave
  • ", + "
  • you\u2019re exercising your statutory rights
  • ", + "
  • whistleblowing, for example making disclosures about your employer\u2019s wrongdoing
  • ", + "
  • taking part in lawful industrial action lasting 12 weeks or less
  • ", + "
  • taking action on health and safety grounds
  • ", + "
  • doing jury service
  • ", + "
  • you\u2019re the trustee of a company pension scheme
  • ", + "

    Appealing the decision

    ", + "

    You can appeal if you feel that you\u2019ve been unfairly selected. Write to your employer explaining the reasons.

    ", + "

    You may be able to make a claim to an employment tribunal for unfair dismissal.

    ", + "

    Voluntary redundancy

    ", + "

    It\u2019s up to your employer whether they actually select you if you volunteer for redundancy.

    ", + "

    Your employer cannot just offer voluntary redundancy to age groups eligible for an early retirement package - this could be unlawful age discrimination.

    ", + "

    However, an early retirement package (for certain age groups) could be one element of a voluntary redundancy offer open to all employees.

    ", + "

    Apprentices

    ", + "

    Talk to your manager and training provider if you\u2019re an apprentice and you\u2019re worried about being made redundant.

    ", + "

    Your training provider or the National Apprenticeship Service might be able to help you find another employer to help you complete your apprenticeship.

    ", + "

    Apprenticeships are different in Scotland, Wales and Northern Ireland.

    ", + "

    Redundancy pay

    ", + "

    You\u2019ll normally be entitled to statutory redundancy pay if you\u2019re an employee and you\u2019ve been working for your current employer for 2 years or more.

    ", + "

    You\u2019ll get:

    ", + "
  • half a week\u2019s pay for each full year you were under 22
  • ", + "
  • one week\u2019s pay for each full year you were 22 or older, but under 41
  • ", + "
  • one and half week\u2019s pay for each full year you were 41 or older
  • ", + "

    Length of service is capped at 20 years.

    ", + "

    Your weekly pay is the average you earned per week over the 12 weeks before the day you got your redundancy notice.

    ", + "

    If you were paid less than usual because you were \u2018on furlough\u2019 because of coronavirus, your redundancy pay is based on what you would have earned normally.

    ", + "

    If you were made redundant on or after 6 April 2021, your weekly pay is capped at \u00a3544 and the maximum statutory redundancy pay you can get is \u00a316,320. If you were made redundant before 6 April 2021, these amounts will be lower.

    ", + "

    Calculate your redundancy pay.

    ", + "

    Redundancy pay (including any severance pay) under \u00a330,000 is not taxable.

    ", + "

    Your employer will deduct tax and National Insurance contributions from any wages or holiday pay they owe you.

    ", + "

    Exceptions

    ", + "

    You\u2019re not entitled to statutory redundancy pay if:

    ", + "
  • your employer offers to keep you on
  • ", + "
  • your employer offers you suitable alternative work which you refuse without good reason
  • ", + "

    Being dismissed for misconduct does not count as redundancy, so you would not get redundancy pay if this happened.

    ", + "

    You\u2019re not entitled to statutory redundancy pay if you fall into one or more of the following categories:

    ", + "
  • former registered dock workers (covered by other arrangements) and share fishermen
  • ", + "
  • crown servants, members of the armed forces or police services
  • ", + "
  • apprentices who are not employees at the end of their training
  • ", + "
  • a domestic servant who is a member of the employer\u2019s immediate family
  • ", + "

    Short-term and temporary lay-offs

    ", + "

    You can claim statutory redundancy pay if you\u2019re eligible and you\u2019ve been temporarily laid off (without pay or less than half a week\u2019s pay) for either:

    ", + "
  • more than 4 weeks in a row
  • ", + "
  • more than 6 non-consecutive weeks in a 13 week period
  • ", + "

    Write to your employer telling them you intend to claim statutory redundancy pay. This must be done within 4 weeks of your last non-working day in the 4 or 6 week period.

    ", + "

    If your employer does not reject your claim within 7 days of receiving it, write to your employer again giving them your notice.

    ", + "

    Your claim could be rejected if your normal work is likely to start within 4 weeks and continue for at least 13 weeks.

    ", + "

    Notice periods

    ", + "

    You must be given a notice period before your employment ends.

    ", + "

    The statutory redundancy notice periods are:

    ", + "
  • at least one week\u2019s notice if employed between one month and 2 years
  • ", + "
  • one week\u2019s notice for each year if employed between 2 and 12 years
  • ", + "
  • 12 weeks\u2019 notice if employed for 12 years or more
  • ", + "

    Check your contract. Your employer may give you more than the statutory minimum, but they cannot give you less.

    ", + "

    Notice pay

    ", + "

    As well as statutory redundancy pay, your employer should either:

    ", + "
  • pay you through your notice period
  • ", + "
  • pay you in lieu of notice depending on your circumstances
  • ", + "

    Your notice pay is based on the average you earned per week over the 12 weeks before your notice period starts.

    ", + "

    If you were paid less than usual because you were \u2018on furlough\u2019 because of coronavirus, your notice pay is based on what you would have earned normally.

    ", + "

    Payment in lieu of notice

    ", + "

    Your employment can be ended without notice if \u2018payment in lieu of notice\u2019 is included in your contract. Your employer will pay you instead of giving you a notice period.

    ", + "

    You get all of the basic pay you would\u2019ve received during the notice period. You may get extras such as pension contributions or private health care insurance if they\u2019re in your contract.

    ", + "

    Your employer may still offer you payment in lieu of notice, even if your contract does not mention it. If you accept, you should receive full pay and any extras that are in your contract.

    ", + "

    Consultation

    ", + "

    You\u2019re entitled to a consultation with your employer if you\u2019re being made redundant. This involves speaking to them about:

    ", + "
  • why you\u2019re being made redundant
  • ", + "
  • any alternatives to redundancy
  • ", + "

    If your employer is making up to 19 redundancies, there are no rules about how they should carry out the consultation. If they\u2019re making 20 or more redundancies at the same time, the collective redundancy rules apply.

    ", + "

    You can make a claim to an employment tribunal if your employer does not consult properly, for example if they start late, or do not consult at all.

    ", + "

    Collective redundancy rules

    ", + "

    If your employer is making 20 or more employees redundant at the same time, the consultation should take place between your employer and a representative (rep).

    ", + "

    This will either be:

    ", + "
  • a trade union rep (if you\u2019re represented by a trade union)
  • ", + "
  • an elected employee rep (if you\u2019re not represented by a trade union, or if your employer does not recognise your trade union)
  • ", + "

    Collective consultations must cover:

    ", + "
  • ways to avoid redundancies
  • ", + "
  • the reasons for redundancies
  • ", + "
  • how to keep the number of dismissals to a minimum
  • ", + "
  • how to limit the effects for employees involved, for example by offering retraining
  • ", + "

    Your employer must also meet certain legal requirements for collective consultations.

    ", + "

    Length of consultation

    ", + "

    There\u2019s no time limit for how long the period of consultation should be, but the minimum is:

    ", + "
  • 20 to 99 redundancies - the consultation must start at least 30 days before any dismissals take effect
  • ", + "
  • 100 or more redundancies - the consultation must start at least 45 days before any dismissals take effect
  • ", + "

    Electing employee reps

    ", + "

    If you\u2019re an employee affected by the proposed redundancies you can:

    ", + "
  • stand for election as an employee rep
  • ", + "
  • vote for other reps
  • ", + "

    Fixed-term contract employees

    ", + "

    Your employer does not need to include you in collective consultation if you\u2019re employed under a fixed-term contract, except if they\u2019re ending your contract early because of redundancy.

    ", + "

    Suitable alternative employment

    ", + "

    Your employer might offer you \u2018suitable alternative employment\u2019 within your organisation or an associated company.

    ", + "

    Whether a job is suitable depends on:

    ", + "
  • how similar the work is to your current job
  • ", + "
  • the terms of the job being offered
  • ", + "
  • your skills, abilities and circumstances in relation to the job
  • ", + "
  • the pay (including benefits), status, hours and location
  • ", + "

    Your redundancy could be an unfair dismissal if your employer has suitable alternative employment and they do not offer it to you.

    ", + "

    Refusing an offer

    ", + "

    You may lose your right to statutory redundancy pay if you unreasonably turn down suitable alternative employment.

    ", + "

    You can make a claim to an employment tribunal if you think the job you\u2019ve been offered is not suitable.

    ", + "

    Trial periods

    ", + "

    You have the right to a 4 week trial period for any alternative employment you\u2019re offered.

    ", + "

    The 4 week period could be extended if you need training. Any extension must be agreed in writing before the trial period starts.

    ", + "

    Tell your employer during the trial period if you decide the new job is not suitable. This will not affect your employment rights, including your right to statutory redundancy pay.

    ", + "

    You\u2019ll lose your right to claim statutory redundancy pay if you do not give notice within the 4 week trial period.

    ", + "

    Time off for job hunting

    ", + "

    If you\u2019ve been continuously employed for 2 years by the date your notice period ends, you\u2019re allowed a reasonable amount of time off to:

    ", + "
  • look for another job
  • ", + "
  • arrange training to help you find another job
  • ", + "

    How long you can take will depend on your circumstances.

    ", + "

    No matter how much time you take off to look for another job, the most your employer has to pay you is 40% of one week\u2019s pay.

    ", + "

    Get help finding a new job

    ", + "

    You can get help from the Jobcentre Plus Rapid Response Service to:

    ", + "
  • write CVs and find jobs
  • ", + "
  • find information on benefits
  • ", + "
  • find the right training and learn new skills
  • ", + "
  • organise work trials (if you\u2019re eligible)
  • ", + "
  • get any extra help at work if you\u2019re disabled, for example Access to Work
  • ", + "

    You may also be able to get help with costs, such as:

    ", + "
  • travel to work expenses
  • ", + "
  • childcare
  • ", + "
  • tools or equipment
  • ", + "
  • vocational training - you must be in your notice period to be considered
  • ", + "

    There\u2019s a different service if you\u2019re in Scotland or Wales.

    ", + "

    Get in touch

    ", + "

    You can contact the Rapid Response Service:

    ", + "
  • if you suspect you\u2019re going to be made redundant
  • ", + "
  • during your notice period
  • ", + "
  • up to 13 weeks after you\u2019ve been made redundant
  • ", + "

    Further information and support

    ", + "

    You can read more about finding a job, how your pension might be affected, and what benefits you could get.

    " + ] + }, + "https://www.gov.uk/new-state-pension": { + "url": "https://www.gov.uk/new-state-pension", + "title": "The new State Pension", + "content": "## Eligibility\n\nYou\u2019ll be able to claim the new State Pension if you\u2019re:\n\n- a man born on or after 6 April 1951\n\n- a woman born on or after 6 April 1953\n\nThe earliest you can get the new State Pension is when you reach State Pension age.\n\nIf you reached State Pension age before 6 April 2016, you\u2019ll get the State Pension under the old rules instead.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Your National Insurance record\n\nYou\u2019ll usually need at least 10 qualifying years on your National Insurance record to get any State Pension. They do not have to be 10 qualifying years in a row.\n\nThis means for 10 years at least one or more of the following applied to you:\n\n- you were working and paid National Insurance contributions\n\n- you were getting National Insurance credits for example if you were unemployed, ill or a parent or carer\n\n- you were paying voluntary National Insurance contributions\n\nIf you\u2019ve lived or worked abroad you might still be able to get some new State Pension.\n\nYou might also qualify if you\u2019ve paid married women\u2019s or widow\u2019s reduced rate contributions.\n\n## Working after State Pension age\n\nYou do not have to stop working when you reach State Pension age but you\u2019ll no longer have to pay National Insurance. You can also request flexible working arrangements.\n\n## What you'll get\n\nThe full new State Pension is \u00a3179.60 per week.\n\nThe actual amount you get depends on your National Insurance record.\n\nThe only reasons the amount can be higher are if:\n\n- you have over a certain amount of Additional State Pension\n\n- you defer (delay) taking your State Pension\n\nYou can get a State Pension forecast to find out how much you could get and when.\n\nYou can still get a State Pension if you have other income like a personal pension or a workplace pension.\n\nYou might have to pay tax on your State Pension.\n\nIf you\u2019ve reached State Pension age and you\u2019re on a low income, you may also qualify for Pension Credit, even if you\u2019ve saved money for retirement.\n\n## How it\u2019s paid\n\nAfter you\u2019ve made a claim you\u2019ll get a letter about your payments.\n\nThe new State Pension is usually paid every 4 weeks into an account of your choice. You\u2019re paid in arrears (for the last 4 weeks, not the coming 4 weeks).\n\nThere are different rules if you live abroad.\n\n## Your first payment\n\nYour first payment will be within 5 weeks of reaching State Pension age. You\u2019ll get a full payment every 4 weeks after that.\n\nYou might get part of a payment before your first full payment. The letter will tell you what to expect.\n\n## Your payment day\n\nThe day your pension is paid depends on your National Insurance number.\n\nYou might be paid earlier if your normal payment day is a bank holiday.\n\n| Last 2 digits of your National Insurance number | Payment day of the week |\n\n| 00 to 19 | Monday |\n\n| 20 to 39 | Tuesday |\n\n| 40 to 59 | Wednesday |\n\n| 60 to 79 | Thursday |\n\n| 80 to 99 | Friday |\n\n## How to claim\n\nYou will not get your new State Pension automatically - you have to claim it. You should get a letter no later than 2 months before you reach State Pension age, telling you what to do.\n\nIf you have not received an invitation letter, but you are within 4 months of reaching your State Pension age you can still make a claim.\n\nThe quickest way to get your State Pension is to apply online.\n\nApply now\n\nHow to claim is different if you claim from Northern Ireland.\n\n## Other ways to apply\n\nYou can also:\n\n- print off and post the State Pension claim form to the Pension Service\n\n- phone the Pension Service to get a State Pension claim form posted to you\n\nSend your completed form to:\n\nThere\u2019s a different way to claim your pension from abroad, including the Channel Islands.\n\n## If you want to keep working\n\nYou can claim your new State Pension even if you carry on working. However, you have the option to defer which can increase the amount you get.\n\n## Claiming an Isle of Man pension\n\nIf you\u2019re eligible for a state pension from the Isle of Man, you\u2019ll need to claim it separately from your UK new State Pension.\n\nFind out if you\u2019re eligible and how to claim your Isle of Man pension.\n\nYou\u2019ll get one payment for your UK pension and a separate payment for your Isle of Man pension.\n\nYou cannot defer an Isle of Man pension after 6 April 2016.\n\n## How it's calculated\n\nThe full new State Pension is \u00a3179.60 per week. What you\u2019ll receive is based on your National Insurance record.\n\n## Valuing your National Insurance contributions and credits made before 6 April 2016\n\nYour National Insurance record before 6 April 2016 is used to calculate your \u2018starting amount\u2019. This is part of your new State Pension.\n\nYour starting amount will be the higher of either:\n\n- the amount you would get under the old State Pension rules (which includes basic State Pension and Additional State Pension)\n\n- the amount you would get if the new State Pension had been in place at the start of your working life\n\nYour starting amount will include a deduction if you were contracted out of the Additional State Pension. You may have been contracted out because you were in a certain type of workplace, personal or stakeholder pension.\n\n## If your starting amount is less than the full new State Pension\n\nYou can get more State Pension by adding more qualifying years to your National Insurance record after 5 April 2016. You can do this until you reach the full new State Pension amount or reach State Pension age - whichever is first.\n\nEach qualifying year on your National Insurance record after 5 April 2016 will add about \u00a35.13 a week to your new State Pension. The exact amount you get is calculated by dividing \u00a3179.60 by 35 and then multiplying by the number of qualifying years after 5 April 2016.\n\n## If your starting amount is more than the full new State Pension\n\nThe part of your starting amount which is above the full new State Pension is called your \u2018protected payment\u2019. This is paid on top of the full new State Pension.\n\nAny qualifying years you have after 5 April 2016 will not add more to your State Pension.\n\n## You did not make National Insurance contributions or get National Insurance credits before 6 April 2016\n\nYour State Pension will be calculated entirely under the new State Pension rules.\n\nYou\u2019ll usually need at least 10 qualifying years on your National Insurance record to get any State Pension.\n\nYou\u2019ll need 35 qualifying years to get the full new State Pension.\n\nYou\u2019ll get a proportion of the new State Pension if you have between 10 and 35 qualifying years.\n\nYour new State Pension is more likely to be calculated in this way if you were born after the year 2000 or became a resident of the UK after 2015.\n\n## Annual increases\n\nThe new State Pension increases each year by whichever is the highest:\n\n- earnings \u2013 the average percentage growth in wages (in Great Britain)\n\n- prices \u2013 the percentage growth in prices in the UK as measured by the Consumer Prices Index (CPI)\n\n- 2.5%\n\nIf you have a protected payment, it increases each year in line with the CPI.\n\n## Get a State Pension forecast\n\nYou can get a State Pension forecast to find out how much new State Pension you may get.\n\n## Further information\n\nYou can read \u2018Your new State Pension explained\u2019 for more detailed information about the changes to the State Pension scheme.\n\n## You've been in a workplace, personal or stakeholder pension\n\nYour starting amount may include a deduction if you were in certain:\n\n- earnings-related pension schemes at work (such as a final salary or career average pension) before 6 April 2016\n\n- workplace, personal or stakeholder pensions before 6 April 2012\n\nYou may have paid lower National Insurance contributions and paid into one of these pensions instead. This is known as being \u2018contracted out\u2019 of the Additional State Pension and will affect most people who have been in work.\n\nYou can check with your pension provider if you\u2019ve been contracted out in the past. The Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.\n\n## Changes to contracting out from 6 April 2016\n\nOn 6 April 2016 these rules changed so that if you were contracted out:\n\n- you\u2019ll no longer be contracted out\n\n- you\u2019ll pay more National Insurance (the standard amount)\n\n## Check if you were contracted out\n\nCheck your old payslips. You were contracted out if the National Insurance contributions line has the letter D or N next to it. You were not contracted out if it has a letter A.\n\nIf there\u2019s a different letter, check with your employer or pension provider.\n\nYou\u2019re more likely to have been contracted out if you worked in the public sector, for example:\n\n- the NHS\n\n- local councils\n\n- fire services\n\n- the civil service\n\n- teaching\n\n- police forces\n\n- the armed forces\n\nYou paid National Insurance at a lower rate if you were contracted out.\n\n## Your National Insurance record and your State Pension\n\nYour new State Pension is based on your National Insurance record when you reach State Pension age.\n\nYou\u2019ll usually need to have 10 qualifying years on your National Insurance record to get any new State Pension.\n\nYou may get less than the new full State Pension if you were contracted out before 6 April 2016.\n\nYou may get more than the new full State Pension if you would have had over a certain amount of Additional State Pension under the old rules.\n\nYou\u2019ll need 35 qualifying years to get the new full State Pension if you do not have a National Insurance record before 6 April 2016.\n\n## Qualifying years if you\u2019re working\n\nWhen you\u2019re working you pay National Insurance and get a qualifying year if:\n\n- you\u2019re employed and earning over \u00a3184 a week from one employer\n\n- you\u2019re self-employed and paying National Insurance contributions\n\nYou might not pay National Insurance contributions because you\u2019re earning less than \u00a3184 a week. You may still get a qualifying year if you earn between \u00a3120 and \u00a3184 a week from one employer.\n\n## Qualifying years if you\u2019re not working\n\nYou may get National Insurance credits if you cannot work - for example because of illness or disability, or if you\u2019re a carer or you\u2019re unemployed.\n\nFor example, you can get National Insurance credits if you:\n\n- claim Child Benefit for a child under 12 (or under 16 before 2010)\n\n- get Jobseeker\u2019s Allowance or Employment and Support Allowance\n\n- get Carer\u2019s Allowance\n\n## You\u2019re not working or getting National Insurance credits\n\nYou might be able to pay voluntary National Insurance contributions if you\u2019re not in one of these groups but want to increase your State Pension amount.\n\n## Gaps in your National Insurance record\n\nYou can have gaps in your National Insurance record and still get the full new State Pension.\n\nYou can get a State Pension forecast which will tell you how much State Pension you may get. You can then apply for a National Insurance statement from HM Revenue and Customs (HMRC) to check if your record has gaps.\n\nIf you have gaps in your National Insurance record that would prevent you from getting the full new State Pension, you may be able to:\n\n- get National Insurance credits\n\n- make voluntary National Insurance contributions\n\n## Inheriting or increasing State Pension from a spouse or civil partner\n\nYou might be able to inherit an extra payment on top of your new State Pension if you\u2019re widowed.\n\nYou will not be able to inherit anything if you remarry or form a new civil partnership before you reach State Pension age.\n\n## Inheriting Additional State Pension\n\nYou might inherit part of your deceased partner\u2019s Additional State Pension if your marriage or civil partnership with them began before 6 April 2016 and one of the following applies:\n\n- your partner reached State Pension age before 6 April 2016\n\n- they died before 6 April 2016 but would have reached State Pension age on or after that date\n\nIt will be paid with your State Pension.\n\n## Inheriting a protected payment\n\nYou\u2019ll inherit half of your partner\u2019s protected payment if your marriage or civil partnership with them began before 6 April 2016 and:\n\n- their State Pension age is on or after 6 April 2016\n\n- they died on or after 6 April 2016\n\nIt will be paid with your State Pension.\n\n## Inheriting extra State Pension or a lump sum\n\nYou may inherit part of or all of your partner\u2019s extra State Pension or lump sum if:\n\n- they died while they were deferring their State Pension (before claiming) or they had started claiming it after deferring\n\n- they reached State Pension age before 6 April 2016\n\n- you were married or in the civil partnership when they died\n\n## Your partner\u2019s National Insurance record and your State Pension\n\nThe new State Pension is based on your own National Insurance record.\n\nIf you paid married women\u2019s or widows\u2019 reduced rate National Insurance, you might be able to increase your new State Pension if you\u2019re eligible.\n\n## If you get divorced or dissolve your civil partnership\n\nThe courts can make a \u2018pension sharing order\u2019 if you get divorced or dissolve your civil partnership.\n\nYou\u2019ll get an extra payment on top of your State Pension if your ex-partner is ordered to share their Additional State Pension or protected payment with you.\n\nYour State Pension will be reduced if you\u2019re ordered to share your Additional State Pension or protected payment with your partner.\n\n## Living and working overseas\n\nIf you live or work in another country, you might be able to contribute towards that country\u2019s State Pension scheme.\n\nIf you\u2019ve lived or worked in another country in the past, you might be eligible for that country\u2019s state pension and a UK State Pension.\n\nTo check if you can pay into or receive another country\u2019s state pension, contact the pension service for that country.\n\n## Claiming another country\u2019s state pension\n\nDepending on where you\u2019ve lived or worked, you may need to make more than one pension claim.\n\n## European Economic Area (EEA) countries, Gibraltar and Switzerland\n\nYou only need to claim your state pension in the last country where you lived or worked. Your claim will cover all EEA countries, Gibraltar and Switzerland. You do not need to claim for each country separately.\n\n## Countries outside the EEA (except Switzerland)\n\nYou need to claim your pension from each country separately.\n\nCheck with the pension service for the country where you\u2019ve lived or worked to find out how to make a claim.\n\n## Your UK State Pension if you\u2019ve lived or worked abroad\n\nYour UK State Pension will be based on your UK National Insurance record. You need 10 years of UK National Insurance contributions to be eligible for the new State Pension.\n\nYou may be able to use time spent abroad to make up the 10 qualifying years. This is most likely if you\u2019ve lived or worked in:\n\n- the EEA\n\n- Switzerland\n\n- Gibraltar\n\n- certain countries that have a social security agreement with the UK\n\n## You want to retire overseas\n\nYou can claim the new State Pension overseas in most countries.\n\nYour State Pension will increase each year but only if you live in:\n\n- the EEA\n\n- Gibraltar\n\n- Switzerland\n\n- certain countries that have a social security agreement with the UK\n\nYour new State Pension may be affected if your circumstances change. You can get more information from the International Pension Centre.", + "original_contents": [ + "

    Eligibility

    ", + "

    You\u2019ll be able to claim the new State Pension if you\u2019re:

    ", + "
  • a man born on or after 6 April 1951
  • ", + "
  • a woman born on or after 6 April 1953
  • ", + "

    The earliest you can get the new State Pension is when you reach State Pension age.

    ", + "

    If you reached State Pension age before 6 April 2016, you\u2019ll get the State Pension under the old rules instead.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    Your National Insurance record

    ", + "

    You\u2019ll usually need at least 10 qualifying years on your National Insurance record to get any State Pension. They do not have to be 10 qualifying years in a row.

    ", + "

    This means for 10 years at least one or more of the following applied to you:

    ", + "
  • you were working and paid National Insurance contributions
  • ", + "
  • you were getting National Insurance credits for example if you were unemployed, ill or a parent or carer
  • ", + "
  • you were paying voluntary National Insurance contributions
  • ", + "

    If you\u2019ve lived or worked abroad you might still be able to get some new State Pension.

    ", + "

    You might also qualify if you\u2019ve paid married women\u2019s or widow\u2019s reduced rate contributions.

    ", + "

    Working after State Pension age

    ", + "

    You do not have to stop working when you reach State Pension age but you\u2019ll no longer have to pay National Insurance. You can also request flexible working arrangements.

    ", + "

    What you'll get

    ", + "

    The full new State Pension is \u00a3179.60 per week.

    ", + "

    The actual amount you get depends on your National Insurance record.

    ", + "

    The only reasons the amount can be higher are if:

    ", + "
  • you have over a certain amount of Additional State Pension
  • ", + "
  • you defer (delay) taking your State Pension
  • ", + "

    You can get a State Pension forecast to find out how much you could get and when.

    ", + "

    You can still get a State Pension if you have other income like a personal pension or a workplace pension.

    ", + "

    You might have to pay tax on your State Pension.

    ", + "

    If you\u2019ve reached State Pension age and you\u2019re on a low income, you may also qualify for Pension Credit, even if you\u2019ve saved money for retirement.

    ", + "

    How it\u2019s paid

    ", + "

    After you\u2019ve made a claim you\u2019ll get a letter about your payments.

    ", + "

    The new State Pension is usually paid every 4 weeks into an account of your choice. You\u2019re paid in arrears (for the last 4 weeks, not the coming 4 weeks).

    ", + "

    There are different rules if you live abroad.

    ", + "

    Your first payment

    ", + "

    Your first payment will be within 5 weeks of reaching State Pension age. You\u2019ll get a full payment every 4 weeks after that.

    ", + "

    You might get part of a payment before your first full payment. The letter will tell you what to expect.

    ", + "

    Your payment day

    ", + "

    The day your pension is paid depends on your National Insurance number.

    ", + "

    You might be paid earlier if your normal payment day is a bank holiday.

    ", + "Last 2 digits of your National Insurance number | Payment day of the week", + "00 to 19 | Monday", + "20 to 39 | Tuesday", + "40 to 59 | Wednesday", + "60 to 79 | Thursday", + "80 to 99 | Friday", + "

    How to claim

    ", + "

    You will not get your new State Pension automatically - you have to claim it. You should get a letter no later than 2 months before you reach State Pension age, telling you what to do.

    ", + "

    If you have not received an invitation letter, but you are within 4 months of reaching your State Pension age you can still make a claim.

    ", + "

    The quickest way to get your State Pension is to apply online.

    ", + "

    Apply now

    ", + "

    How to claim is different if you claim from Northern Ireland.

    ", + "

    Other ways to apply

    ", + "

    You can also:

    ", + "
  • print off and post the State Pension claim form to the Pension Service
  • ", + "
  • phone the Pension Service to get a State Pension claim form posted to you
  • ", + "

    Send your completed form to:

    ", + "

    There\u2019s a different way to claim your pension from abroad, including the Channel Islands.

    ", + "

    If you want to keep working

    ", + "

    You can claim your new State Pension even if you carry on working. However, you have the option to defer which can increase the amount you get.

    ", + "

    Claiming an Isle of Man pension

    ", + "

    If you\u2019re eligible for a state pension from the Isle of Man, you\u2019ll need to claim it separately from your UK new State Pension.

    ", + "

    Find out if you\u2019re eligible and how to claim your Isle of Man pension.

    ", + "

    You\u2019ll get one payment for your UK pension and a separate payment for your Isle of Man pension.

    ", + "

    You cannot defer an Isle of Man pension after 6 April 2016.

    ", + "

    How it's calculated

    ", + "

    The full new State Pension is \u00a3179.60 per week. What you\u2019ll receive is based on your National Insurance record.

    ", + "

    Valuing your National Insurance contributions and credits made before 6 April 2016

    ", + "

    Your National Insurance record before 6 April 2016 is used to calculate your \u2018starting amount\u2019. This is part of your new State Pension.

    ", + "

    Your starting amount will be the higher of either:

    ", + "
  • the amount you would get under the old State Pension rules (which includes basic State Pension and Additional State Pension)
  • ", + "
  • the amount you would get if the new State Pension had been in place at the start of your working life
  • ", + "

    Your starting amount will include a deduction if you were contracted out of the Additional State Pension. You may have been contracted out because you were in a certain type of workplace, personal or stakeholder pension.

    ", + "

    If your starting amount is less than the full new State Pension

    ", + "

    You can get more State Pension by adding more qualifying years to your National Insurance record after 5 April 2016. You can do this until you reach the full new State Pension amount or reach State Pension age - whichever is first.

    ", + "

    Each qualifying year on your National Insurance record after 5 April 2016 will add about \u00a35.13 a week to your new State Pension. The exact amount you get is calculated by dividing \u00a3179.60 by 35 and then multiplying by the number of qualifying years after 5 April 2016.

    ", + "

    If your starting amount is more than the full new State Pension

    ", + "

    The part of your starting amount which is above the full new State Pension is called your \u2018protected payment\u2019. This is paid on top of the full new State Pension.

    ", + "

    Any qualifying years you have after 5 April 2016 will not add more to your State Pension.

    ", + "

    You did not make National Insurance contributions or get National Insurance credits before 6 April 2016

    ", + "

    Your State Pension will be calculated entirely under the new State Pension rules.

    ", + "

    You\u2019ll usually need at least 10 qualifying years on your National Insurance record to get any State Pension.

    ", + "

    You\u2019ll need 35 qualifying years to get the full new State Pension.

    ", + "

    You\u2019ll get a proportion of the new State Pension if you have between 10 and 35 qualifying years.

    ", + "

    Your new State Pension is more likely to be calculated in this way if you were born after the year 2000 or became a resident of the UK after 2015.

    ", + "

    Annual increases

    ", + "

    The new State Pension increases each year by whichever is the highest:

    ", + "
  • earnings \u2013 the average percentage growth in wages (in Great Britain)
  • ", + "
  • prices \u2013 the percentage growth in prices in the UK as measured by the Consumer Prices Index (CPI)
  • ", + "
  • 2.5%
  • ", + "

    If you have a protected payment, it increases each year in line with the CPI.

    ", + "

    Get a State Pension forecast

    ", + "

    You can get a State Pension forecast to find out how much new State Pension you may get.

    ", + "

    Further information

    ", + "

    You can read \u2018Your new State Pension explained\u2019 for more detailed information about the changes to the State Pension scheme.

    ", + "

    You've been in a workplace, personal or stakeholder pension

    ", + "

    Your starting amount may include a deduction if you were in certain:

    ", + "
  • earnings-related pension schemes at work (such as a final salary or career average pension) before 6 April 2016
  • ", + "
  • workplace, personal or stakeholder pensions before 6 April 2012
  • ", + "

    You may have paid lower National Insurance contributions and paid into one of these pensions instead. This is known as being \u2018contracted out\u2019 of the Additional State Pension and will affect most people who have been in work.

    ", + "

    You can check with your pension provider if you\u2019ve been contracted out in the past. The Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.

    ", + "

    Changes to contracting out from 6 April 2016

    ", + "

    On 6 April 2016 these rules changed so that if you were contracted out:

    ", + "
  • you\u2019ll no longer be contracted out
  • ", + "
  • you\u2019ll pay more National Insurance (the standard amount)
  • ", + "

    Check if you were contracted out

    ", + "

    Check your old payslips. You were contracted out if the National Insurance contributions line has the letter D or N next to it. You were not contracted out if it has a letter A.

    ", + "

    If there\u2019s a different letter, check with your employer or pension provider.

    ", + "

    You\u2019re more likely to have been contracted out if you worked in the public sector, for example:

    ", + "
  • the NHS
  • ", + "
  • local councils
  • ", + "
  • fire services
  • ", + "
  • the civil service
  • ", + "
  • teaching
  • ", + "
  • police forces
  • ", + "
  • the armed forces
  • ", + "

    You paid National Insurance at a lower rate if you were contracted out.

    ", + "

    Your National Insurance record and your State Pension

    ", + "

    Your new State Pension is based on your National Insurance record when you reach State Pension age.

    ", + "

    You\u2019ll usually need to have 10 qualifying years on your National Insurance record to get any new State Pension.

    ", + "

    You may get less than the new full State Pension if you were contracted out before 6 April 2016.

    ", + "

    You may get more than the new full State Pension if you would have had over a certain amount of Additional State Pension under the old rules.

    ", + "

    You\u2019ll need 35 qualifying years to get the new full State Pension if you do not have a National Insurance record before 6 April 2016.

    ", + "

    Qualifying years if you\u2019re working

    ", + "

    When you\u2019re working you pay National Insurance and get a qualifying year if:

    ", + "
  • you\u2019re employed and earning over \u00a3184 a week from one employer
  • ", + "
  • you\u2019re self-employed and paying National Insurance contributions
  • ", + "

    You might not pay National Insurance contributions because you\u2019re earning less than \u00a3184 a week. You may still get a qualifying year if you earn between \u00a3120 and \u00a3184 a week from one employer.

    ", + "

    Qualifying years if you\u2019re not working

    ", + "

    You may get National Insurance credits if you cannot work - for example because of illness or disability, or if you\u2019re a carer or you\u2019re unemployed.

    ", + "

    For example, you can get National Insurance credits if you:

    ", + "
  • claim Child Benefit for a child under 12 (or under 16 before 2010)
  • ", + "
  • get Jobseeker\u2019s Allowance or Employment and Support Allowance
  • ", + "
  • get Carer\u2019s Allowance
  • ", + "

    You\u2019re not working or getting National Insurance credits

    ", + "

    You might be able to pay voluntary National Insurance contributions if you\u2019re not in one of these groups but want to increase your State Pension amount.

    ", + "

    Gaps in your National Insurance record

    ", + "

    You can have gaps in your National Insurance record and still get the full new State Pension.

    ", + "

    You can get a State Pension forecast which will tell you how much State Pension you may get. You can then apply for a National Insurance statement from HM Revenue and Customs (HMRC) to check if your record has gaps.

    ", + "

    If you have gaps in your National Insurance record that would prevent you from getting the full new State Pension, you may be able to:

    ", + "
  • get National Insurance credits
  • ", + "
  • make voluntary National Insurance contributions
  • ", + "

    Inheriting or increasing State Pension from a spouse or civil partner

    ", + "

    You might be able to inherit an extra payment on top of your new State Pension if you\u2019re widowed.

    ", + "

    You will not be able to inherit anything if you remarry or form a new civil partnership before you reach State Pension age.

    ", + "

    Inheriting Additional State Pension

    ", + "

    You might inherit part of your deceased partner\u2019s Additional State Pension if your marriage or civil partnership with them began before 6 April 2016 and one of the following applies:

    ", + "
  • your partner reached State Pension age before 6 April 2016
  • ", + "
  • they died before 6 April 2016 but would have reached State Pension age on or after that date
  • ", + "

    It will be paid with your State Pension.

    ", + "

    Inheriting a protected payment

    ", + "

    You\u2019ll inherit half of your partner\u2019s protected payment if your marriage or civil partnership with them began before 6 April 2016 and:

    ", + "
  • their State Pension age is on or after 6 April 2016
  • ", + "
  • they died on or after 6 April 2016
  • ", + "

    It will be paid with your State Pension.

    ", + "

    Inheriting extra State Pension or a lump sum

    ", + "

    You may inherit part of or all of your partner\u2019s extra State Pension or lump sum if:

    ", + "
  • they died while they were deferring their State Pension (before claiming) or they had started claiming it after deferring
  • ", + "
  • they reached State Pension age before 6 April 2016
  • ", + "
  • you were married or in the civil partnership when they died
  • ", + "

    Your partner\u2019s National Insurance record and your State Pension

    ", + "

    The new State Pension is based on your own National Insurance record.

    ", + "

    If you paid married women\u2019s or widows\u2019 reduced rate National Insurance, you might be able to increase your new State Pension if you\u2019re eligible.

    ", + "

    If you get divorced or dissolve your civil partnership

    ", + "

    The courts can make a \u2018pension sharing order\u2019 if you get divorced or dissolve your civil partnership.

    ", + "

    You\u2019ll get an extra payment on top of your State Pension if your ex-partner is ordered to share their Additional State Pension or protected payment with you.

    ", + "

    Your State Pension will be reduced if you\u2019re ordered to share your Additional State Pension or protected payment with your partner.

    ", + "

    Living and working overseas

    ", + "

    If you live or work in another country, you might be able to contribute towards that country\u2019s State Pension scheme.

    ", + "

    If you\u2019ve lived or worked in another country in the past, you might be eligible for that country\u2019s state pension and a UK State Pension.

    ", + "

    To check if you can pay into or receive another country\u2019s state pension, contact the pension service for that country.

    ", + "

    Claiming another country\u2019s state pension

    ", + "

    Depending on where you\u2019ve lived or worked, you may need to make more than one pension claim.

    ", + "

    European Economic Area (EEA) countries, Gibraltar and Switzerland

    ", + "

    You only need to claim your state pension in the last country where you lived or worked. Your claim will cover all EEA countries, Gibraltar and Switzerland. You do not need to claim for each country separately.

    ", + "

    Countries outside the EEA (except Switzerland)

    ", + "

    You need to claim your pension from each country separately.

    ", + "

    Check with the pension service for the country where you\u2019ve lived or worked to find out how to make a claim.

    ", + "

    Your UK State Pension if you\u2019ve lived or worked abroad

    ", + "

    Your UK State Pension will be based on your UK National Insurance record. You need 10 years of UK National Insurance contributions to be eligible for the new State Pension.

    ", + "

    You may be able to use time spent abroad to make up the 10 qualifying years. This is most likely if you\u2019ve lived or worked in:

    ", + "
  • the EEA
  • ", + "
  • Switzerland
  • ", + "
  • Gibraltar
  • ", + "
  • certain countries that have a social security agreement with the UK
  • ", + "

    You want to retire overseas

    ", + "

    You can claim the new State Pension overseas in most countries.

    ", + "

    Your State Pension will increase each year but only if you live in:

    ", + "
  • the EEA
  • ", + "
  • Gibraltar
  • ", + "
  • Switzerland
  • ", + "
  • certain countries that have a social security agreement with the UK
  • ", + "

    Your new State Pension may be affected if your circumstances change. You can get more information from the International Pension Centre.

    " + ] + }, + "https://www.gov.uk/state-pension": { + "url": "https://www.gov.uk/state-pension", + "title": "The basic State Pension", + "content": "## Overview\n\nYou can claim the basic State Pension if you\u2019re:\n\n- a man born before 6 April 1951\n\n- a woman born before 6 April 1953\n\nIf you were born later, you\u2019ll need to claim the new State Pension instead.\n\nThis guide is also available in Welsh (Cymraeg).\n\nTo get the basic State Pension you must have paid or been credited with National Insurance contributions.\n\nThe most you can currently get is \u00a3137.60 per week.\n\nThe basic State Pension increases every year by whichever is the highest of the following:\n\n- earnings - the average percentage growth in wages (in Great Britain)\n\n- prices - the percentage growth in prices in the UK as measured by the Consumer Prices Index (CPI)\n\n- 2.5%\n\n## Eligibility\n\nYou\u2019re eligible for the basic State Pension if you were born before:\n\n- 6 April 1951 if you\u2019re a man\n\n- 6 April 1953 if you\u2019re a woman\n\nIf you were born on or after these dates you must claim the new State Pension.\n\nThe earliest you can get the basic State Pension is when you reach State Pension age.\n\nTo get the full basic State Pension you need a total of 30 qualifying years of National Insurance contributions or credits. This means you were either:\n\n- working and paying National Insurance\n\n- getting National Insurance Credits, for example for unemployment, sickness or as a parent or carer\n\n- paying voluntary National Insurance contributions\n\nIf you have fewer than 30 qualifying years, your basic State Pension will be less than \u00a3137.60 per week but you might be able to top up by paying voluntary National Insurance contributions.\n\nTo get information about your basic State Pension, contact the Pension Service or the International Pension Centre if you live abroad.\n\n## Married or in a civil partnership\n\nIf you\u2019re not eligible for a basic State Pension or you\u2019re not getting the full amount, you might qualify for a \u2018top up\u2019 to \u00a382.45 per week through your spouse\u2019s or civil partner\u2019s National Insurance contributions.\n\nYou can get the \u2018top up\u2019 if both of you have reached State Pension age and either:\n\n- your spouse or civil partner reached State Pension age before 6 April 2016 and qualifies for some basic State Pension, even if they have not claimed it\n\n- your spouse or civil partner reached State Pension age on or after 6 April 2016 and has at least one qualifying year of National Insurance contributions or credits from before 6 April 2016, even if they do not qualify for any new State Pension or they have not claimed it\n\nIf your spouse or civil partner was born before 6 April 1950, you can only get the \u2018top up\u2019 if you\u2019re a woman who is married to either:\n\n- a man\n\n- a woman who legally changed their gender from male to female during your marriage\n\nIf you\u2019re not getting the \u2018top up\u2019 but think you qualify, contact the Pension Service.\n\nYou need to contact the Pension Service to claim your \u2018top up\u2019 if you\u2019re a married woman and:\n\n- your spouse reached State Pension age before 17 March 2008\n\n- you reached State Pension age before your spouse\n\nYou\u2019ll get any Additional State Pension or Graduated Retirement Benefit based on your own contributions in addition to the \u2018top up\u2019.\n\n## You do not qualify for a State Pension\n\nIf you\u2019re not covered by any of these groups but want a State Pension you might be able to pay voluntary National Insurance contributions.\n\n## Men born before 1945 and women born before 1950\n\nYou need more qualifying years to get a full State Pension and a certain minimum number of years to get any State Pension at all.\n\n| | Number of years needed for a full State Pension | Number of years needed for any State Pension |\n\n| Men born before 6 April 1945 | 44 | 11 |\n\n| Women born before 6 April 1950 | 39 | 10 |\n\n## Transgender people\n\nYour State Pension might be affected if you\u2019re a transgender person and you:\n\n- were born between 24 December 1919 and 3 April 1945\n\n- were claiming State Pension before 4 April 2005\n\n- can provide evidence that your gender reassignment surgery took place before 4 April 2005\n\nFind out more and contact the Gender Recognition team.\n\nYou do not need to do anything if you legally changed your gender and started claiming State Pension on or after 4 April 2005 - you\u2019ll already be claiming based on your legal gender.\n\n## What you'll get\n\nCheck if you need to claim the new State Pension instead.\n\nThe full basic State Pension is \u00a3137.60 per week. There are ways you can increase your State Pension up to or above the full amount.\n\nYou may have to pay tax on your State Pension.\n\nTo get information about your State Pension, contact the Pension Service.\n\n## How it\u2019s paid\n\nThe day your pension is paid depends on your National Insurance number.\n\n| Last 2 digits of your National Insurance number | Day your State Pension gets paid |\n\n| 00 to 19 | Monday |\n\n| 20 to 39 | Tuesday |\n\n| 40 to 59 | Wednesday |\n\n| 60 to 79 | Thursday |\n\n| 80 to 99 | Friday |\n\nYour first payment is made at the end of the first full week after you reach State Pension age. If you deferred your State Pension, you\u2019ll get your first payment at the end of the first full week in which you want to start getting your pension.\n\nYour first payment will not include the time between reaching State Pension age and your normal payment day if that\u2019s less than one week.\n\nThe basic State Pension is usually paid every 4 weeks into an account of your choice. You\u2019re paid \u2018in arrears\u2019, which means you\u2019re paid for the last 4 weeks, not for the coming 4 weeks.\n\nThere are different rules if you live abroad.\n\n## Adult Dependency Increase\n\nAdult Dependency Increase payments have stopped. You may be eligible to apply for Pension Credit or Universal Credit.\n\n## How to claim\n\nYou will not get your State Pension automatically - you have to claim it.\n\nCheck if you need to claim the new State Pension instead.\n\nThere are 3 ways to claim the basic State Pension:\n\n- over the phone\n\n- print off and post the State Pension claim form to the Pension Service\n\n- claim from abroad including the Channel Islands\n\nHow to claim is different if you claim from Northern Ireland.\n\n## You want to keep working\n\nYou can claim your State Pension even if you carry on working.\n\n## Increase the amount you'll get\n\nThere are ways you can increase your basic State Pension if you:\n\n- are not eligible for the full amount (\u00a3137.60 per week)\n\n- want to receive more than the full amount\n\nYou should get financial advice when planning your retirement income.\n\n## Voluntary National Insurance contributions\n\nYou need 30 years of National Insurance contributions to be eligible for the full basic State Pension.\n\nIf you have gaps in your insurance record, you may be able to make voluntary contributions to increase your pension.\n\n## Delay (defer) your State Pension\n\nDeferring your State Pension could increase your payments when you decide to claim. The basic State Pension increases by 1% for every 5 weeks you defer.\n\nThe extra amount is paid with your regular State Pension and can be claimed on top of the full basic State Pension amount.\n\n## Other ways you could increase your pension\n\nIf you\u2019re married or in a civil partnership you may be eligible to increase your basic State Pension to \u00a382.45 per week. Check if you qualify.\n\nYou might also qualify for the Additional State Pension or, if you\u2019re on a low income, Pension Credit.\n\n## Inheritance\n\nIf your spouse or civil partner reached State Pension age before 6 April 2016, they should contact the Pension Service when you die to check what they can claim.\n\nThey may be able to increase their basic State Pension by using your qualifying years if they do not already get the full amount.\n\nIf they reached State Pension age on or after 6 April 2016 or are under State Pension age when you die, they can check what inheritance they might be entitled to.\n\n## You\u2019re single or divorced\n\nIf you\u2019re single, divorced or your civil partnership was dissolved and you die after you\u2019ve reached State Pension age, your estate can claim up to 3 months of your basic State Pension. They can only do this if you had not claimed it.\n\n## Extra money from deferring your State Pension\n\nIf you decided to defer your State Pension and built up an extra amount, your spouse or civil partner may either claim the extra State Pension or get a lump sum.\n\nIf you deferred for less than 12 months your spouse or civil partner can only get extra State Pension, not a lump sum.\n\nIf you deferred for 12 months or more they can choose to get extra State Pension or a lump sum payment. Provided they have not remarried or formed a new civil partnership since your death they can get this when they reach State Pension age.\n\n## State Pension top up\n\nIf you topped up your State Pension (between 12 October 2015 and 5 April 2017), your spouse or civil partner may be able to inherit some or all of your top up.\n\n## Change of circumstances\n\nYou must tell the Pension Service if anything in your circumstances changes, for example if you:\n\n- move home\n\n- go into or come out of hospital\n\n- move abroad or return to the UK\n\n- go into a care home\n\n- change your bank account\n\n- marry or form a civil partnership\n\n- get divorced or have your civil partnership dissolved\n\n- are widowed or your civil partner dies\n\n- change your gender\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay overpaid money.", + "original_contents": [ + "

    Overview

    ", + "

    You can claim the basic State Pension if you\u2019re:

    ", + "
  • a man born before 6 April 1951
  • ", + "
  • a woman born before 6 April 1953
  • ", + "

    If you were born later, you\u2019ll need to claim the new State Pension instead.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    To get the basic State Pension you must have paid or been credited with National Insurance contributions.

    ", + "

    The most you can currently get is \u00a3137.60 per week.

    ", + "

    The basic State Pension increases every year by whichever is the highest of the following:

    ", + "
  • earnings - the average percentage growth in wages (in Great Britain)
  • ", + "
  • prices - the percentage growth in prices in the UK as measured by the Consumer Prices Index (CPI)
  • ", + "
  • 2.5%
  • ", + "

    Eligibility

    ", + "

    You\u2019re eligible for the basic State Pension if you were born before:

    ", + "
  • 6 April 1951 if you\u2019re a man
  • ", + "
  • 6 April 1953 if you\u2019re a woman
  • ", + "

    If you were born on or after these dates you must claim the new State Pension.

    ", + "

    The earliest you can get the basic State Pension is when you reach State Pension age.

    ", + "

    To get the full basic State Pension you need a total of 30 qualifying years of National Insurance contributions or credits. This means you were either:

    ", + "
  • working and paying National Insurance
  • ", + "
  • getting National Insurance Credits, for example for unemployment, sickness or as a parent or carer
  • ", + "
  • paying voluntary National Insurance contributions
  • ", + "

    If you have fewer than 30 qualifying years, your basic State Pension will be less than \u00a3137.60 per week but you might be able to top up by paying voluntary National Insurance contributions.

    ", + "

    To get information about your basic State Pension, contact the Pension Service or the International Pension Centre if you live abroad.

    ", + "

    Married or in a civil partnership

    ", + "

    If you\u2019re not eligible for a basic State Pension or you\u2019re not getting the full amount, you might qualify for a \u2018top up\u2019 to \u00a382.45 per week through your spouse\u2019s or civil partner\u2019s National Insurance contributions.

    ", + "

    You can get the \u2018top up\u2019 if both of you have reached State Pension age and either:

    ", + "
  • your spouse or civil partner reached State Pension age before 6 April 2016 and qualifies for some basic State Pension, even if they have not claimed it
  • ", + "
  • your spouse or civil partner reached State Pension age on or after 6 April 2016 and has at least one qualifying year of National Insurance contributions or credits from before 6 April 2016, even if they do not qualify for any new State Pension or they have not claimed it
  • ", + "

    If your spouse or civil partner was born before 6 April 1950, you can only get the \u2018top up\u2019 if you\u2019re a woman who is married to either:

    ", + "
  • a man
  • ", + "
  • a woman who legally changed their gender from male to female during your marriage
  • ", + "

    If you\u2019re not getting the \u2018top up\u2019 but think you qualify, contact the Pension Service.

    ", + "

    You need to contact the Pension Service to claim your \u2018top up\u2019 if you\u2019re a married woman and:

    ", + "
  • your spouse reached State Pension age before 17 March 2008
  • ", + "
  • you reached State Pension age before your spouse
  • ", + "

    You\u2019ll get any Additional State Pension or Graduated Retirement Benefit based on your own contributions in addition to the \u2018top up\u2019.

    ", + "

    You do not qualify for a State Pension

    ", + "

    If you\u2019re not covered by any of these groups but want a State Pension you might be able to pay voluntary National Insurance contributions.

    ", + "

    Men born before 1945 and women born before 1950

    ", + "

    You need more qualifying years to get a full State Pension and a certain minimum number of years to get any State Pension at all.

    ", + " | Number of years needed for a full State Pension | Number of years needed for any State Pension", + "Men born before 6 April 1945 | 44 | 11", + "Women born before 6 April 1950 | 39 | 10", + "

    Transgender people

    ", + "

    Your State Pension might be affected if you\u2019re a transgender person and you:

    ", + "
  • were born between 24 December 1919 and 3 April 1945
  • ", + "
  • were claiming State Pension before 4 April 2005
  • ", + "
  • can provide evidence that your gender reassignment surgery took place before 4 April 2005
  • ", + "

    Find out more and contact the Gender Recognition team.

    ", + "

    You do not need to do anything if you legally changed your gender and started claiming State Pension on or after 4 April 2005 - you\u2019ll already be claiming based on your legal gender.

    ", + "

    What you'll get

    ", + "

    Check if you need to claim the new State Pension instead.

    ", + "

    The full basic State Pension is \u00a3137.60 per week. There are ways you can increase your State Pension up to or above the full amount.

    ", + "

    You may have to pay tax on your State Pension.

    ", + "

    To get information about your State Pension, contact the Pension Service.

    ", + "

    How it\u2019s paid

    ", + "

    The day your pension is paid depends on your National Insurance number.

    ", + "Last 2 digits of your National Insurance number | Day your State Pension gets paid", + "00 to 19 | Monday", + "20 to 39 | Tuesday", + "40 to 59 | Wednesday", + "60 to 79 | Thursday", + "80 to 99 | Friday", + "

    Your first payment is made at the end of the first full week after you reach State Pension age. If you deferred your State Pension, you\u2019ll get your first payment at the end of the first full week in which you want to start getting your pension.

    ", + "

    Your first payment will not include the time between reaching State Pension age and your normal payment day if that\u2019s less than one week.

    ", + "

    The basic State Pension is usually paid every 4 weeks into an account of your choice. You\u2019re paid \u2018in arrears\u2019, which means you\u2019re paid for the last 4 weeks, not for the coming 4 weeks.

    ", + "

    There are different rules if you live abroad.

    ", + "

    Adult Dependency Increase

    ", + "

    Adult Dependency Increase payments have stopped. You may be eligible to apply for Pension Credit or Universal Credit.

    ", + "

    How to claim

    ", + "

    You will not get your State Pension automatically - you have to claim it.

    ", + "

    Check if you need to claim the new State Pension instead.

    ", + "

    There are 3 ways to claim the basic State Pension:

    ", + "
  • over the phone
  • ", + "
  • print off and post the State Pension claim form to the Pension Service
  • ", + "
  • claim from abroad including the Channel Islands
  • ", + "

    How to claim is different if you claim from Northern Ireland.

    ", + "

    You want to keep working

    ", + "

    You can claim your State Pension even if you carry on working.

    ", + "

    Increase the amount you'll get

    ", + "

    There are ways you can increase your basic State Pension if you:

    ", + "
  • are not eligible for the full amount (\u00a3137.60 per week)
  • ", + "
  • want to receive more than the full amount
  • ", + "

    You should get financial advice when planning your retirement income.

    ", + "

    Voluntary National Insurance contributions

    ", + "

    You need 30 years of National Insurance contributions to be eligible for the full basic State Pension.

    ", + "

    If you have gaps in your insurance record, you may be able to make voluntary contributions to increase your pension.

    ", + "

    Delay (defer) your State Pension

    ", + "

    Deferring your State Pension could increase your payments when you decide to claim. The basic State Pension increases by 1% for every 5 weeks you defer.

    ", + "

    The extra amount is paid with your regular State Pension and can be claimed on top of the full basic State Pension amount.

    ", + "

    Other ways you could increase your pension

    ", + "

    If you\u2019re married or in a civil partnership you may be eligible to increase your basic State Pension to \u00a382.45 per week. Check if you qualify.

    ", + "

    You might also qualify for the Additional State Pension or, if you\u2019re on a low income, Pension Credit.

    ", + "

    Inheritance

    ", + "

    If your spouse or civil partner reached State Pension age before 6 April 2016, they should contact the Pension Service when you die to check what they can claim.

    ", + "

    They may be able to increase their basic State Pension by using your qualifying years if they do not already get the full amount.

    ", + "

    If they reached State Pension age on or after 6 April 2016 or are under State Pension age when you die, they can check what inheritance they might be entitled to.

    ", + "

    You\u2019re single or divorced

    ", + "

    If you\u2019re single, divorced or your civil partnership was dissolved and you die after you\u2019ve reached State Pension age, your estate can claim up to 3 months of your basic State Pension. They can only do this if you had not claimed it.

    ", + "

    Extra money from deferring your State Pension

    ", + "

    If you decided to defer your State Pension and built up an extra amount, your spouse or civil partner may either claim the extra State Pension or get a lump sum.

    ", + "

    If you deferred for less than 12 months your spouse or civil partner can only get extra State Pension, not a lump sum.

    ", + "

    If you deferred for 12 months or more they can choose to get extra State Pension or a lump sum payment. Provided they have not remarried or formed a new civil partnership since your death they can get this when they reach State Pension age.

    ", + "

    State Pension top up

    ", + "

    If you topped up your State Pension (between 12 October 2015 and 5 April 2017), your spouse or civil partner may be able to inherit some or all of your top up.

    ", + "

    Change of circumstances

    ", + "

    You must tell the Pension Service if anything in your circumstances changes, for example if you:

    ", + "
  • move home
  • ", + "
  • go into or come out of hospital
  • ", + "
  • move abroad or return to the UK
  • ", + "
  • go into a care home
  • ", + "
  • change your bank account
  • ", + "
  • marry or form a civil partnership
  • ", + "
  • get divorced or have your civil partnership dissolved
  • ", + "
  • are widowed or your civil partner dies
  • ", + "
  • change your gender
  • ", + "

    If you\u2019ve been paid too much

    ", + "

    You may have to repay the money if you:

    ", + "
  • did not report a change straight away
  • ", + "
  • gave wrong information
  • ", + "
  • were overpaid by mistake
  • ", + "

    Find out how to repay overpaid money.

    " + ] + }, + "https://www.gov.uk/additional-state-pension": { + "url": "https://www.gov.uk/additional-state-pension", + "title": "Additional State Pension", + "content": "## Overview\n\nThe Additional State Pension is an extra amount of money you could get on top of your basic State Pension if you\u2019re:\n\n- a man born before 6 April 1951\n\n- a woman born before 6 April 1953\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou get the new State Pension if you were born on or after this date. You will not qualify for the Additional State Pension, but you might still be able to inherit Additional State Pension from your partner.\n\nYou get the Additional State Pension automatically if you\u2019re eligible for it, unless you\u2019ve contracted out of it.\n\nThe Additional State Pension is paid with your basic State Pension.\n\n## What you'll get\n\nThere is no fixed amount for the Additional State Pension.\n\nHow much you get depends on:\n\n- how many years you paid National Insurance for\n\n- your earnings\n\n- whether you\u2019ve contracted out of the scheme\n\n- whether you topped up your basic State Pension (this was only possible between 12 October 2015 and 5 April 2017)\n\n## How you\u2019re paid\n\nThe Additional State Pension is paid with your basic State Pension into your bank account.\n\n## Eligibility\n\n## You reached State Pension age on or after 6 April 2016\n\nYou will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.\n\n## You reached State Pension age before 6 April 2016\n\nIf you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.\n\nYou may not get any Additional State Pension for periods when you were contracted out of it.\n\n## When you have contributed to the Additional State Pension\n\nThe Additional State Pension is made up of 3 schemes. You might have contributed to more than one, depending on:\n\n- how long you\u2019ve been working\n\n- whether you chose to top up your State Pension\n\n| Time | Scheme | You contributed if |\n\n| 2002 to 2016 | State Second Pension | You were employed or claiming certain benefits |\n\n| 1978 to 2002 | State Earnings-Related Pension Scheme (SERPS) | You were employed |\n\n| 12 October 2015 to 5 April 2017 | State Pension top up | You reached State Pension age before 6 April 2016 and opted in |\n\n## The State Second Pension since 2002\n\nYou contributed through your National Insurance contributions if at any time between 6 April 2002 and 5 April 2016 you were:\n\n- employed and earning at least the lower earnings limit - this was \u00a35,824 in the 2015 to 2016 tax year\n\n- looking after children under 12 and claiming Child Benefit\n\n- caring for a sick or disabled person more than 20 hours a week and claiming Carer\u2019s Credit\n\n- working as a registered foster carer and claiming Carer\u2019s Credit\n\n- receiving certain other benefits due to illness or disability\n\n## Contracting out\n\nYou could only contract out of the Additional State Pension if your employer ran a contracted-out pension scheme. Check with them.\n\nWhile you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.\n\nYou cannot contract out after 6 April 2016. If you were contracted out, your National Insurance contributions increased to your standard rate after this date.\n\nThe extra pension you get from a contracted-out pension scheme is usually the same as, or more than, the Additional State Pension you would have got if you did not contract out.\n\n## Check if you were contracted out\n\nYou can find out if you were contracted out by:\n\n- checking an old payslip\n\n- calling your pension provider\n\nThe Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.\n\n## National Insurance while contracting out\n\nYou paid lower National Insurance contributions while you were contracted out if:\n\n- you earned between \u00a3155 and \u00a3770 a week\n\n- you were under State Pension age\n\n- you did not pay reduced rate National Insurance\n\n## What happens when you retire\n\nYou\u2019ll get a pension from your employer\u2019s workplace pension scheme.\n\n## How to claim\n\nYou do not have to do anything to claim the Additional State Pension.\n\nIf you\u2019re eligible for an Additional State Pension, you\u2019ll automatically get it when you claim your State Pension.\n\nAfter you claim, the Pension Service will write to you and tell you how much you\u2019re getting.\n\n## Inheriting Additional State Pension\n\nIf your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.\n\n## Maximum State Second Pension you can inherit\n\nYou can inherit up to 50% of your spouse or civil partner\u2019s State Second Pension.\n\n## Maximum SERPS pension and State Pension top up you can inherit\n\nThe maximum you can inherit depends on when your spouse or civil partner died.\n\nIf they died before 6 October 2002, you can inherit up to 100% of their SERPS pension.\n\nIf they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.\n\n| Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit |\n\n| 5 October 1937 or before | 5 October 1942 or before | 100% |\n\n| 6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90% |\n\n| 6 October 1939 to 5 October 1941 | 6 October 1944 to 5 October 1946 | 80% |\n\n| 6 October 1941 to 5 October 1943 | 6 October 1946 to 5 October 1948 | 70% |\n\n| 6 October 1943 to 5 October 1945 | 6 October 1948 to 5 July 1950 | 60% |\n\n| 6 October 1945 and after | 6 July 1950 and after | 50% |\n\nIf your spouse or civil partner died within 90 days of topping up their State Pension, the top up should have been refunded to their estate (their total property, money and possessions), minus any payments they received before they died. This means you will not inherit the top up as part of their Additional State Pension.\n\n## How it\u2019s paid\n\nAny Additional State Pension you inherit will be paid on top of your State Pension when you reach State Pension age.\n\n## If you get your own Additional State Pension\n\nThe maximum amount of Additional State Pension you can get is \u00a3180.31 per week.\u00a0The limit does not include State Pension top up.\n\n## If you get Widowed Parent\u2019s Allowance\n\nYou may inherit Additional State Pension before you reach State Pension age. You\u2019ll stop receiving it if your Widowed Parent\u2019s Allowance ends.\n\nYou may receive it again when you reach State Pension age if you were over 45 when you were entitled to Widowed Parent\u2019s Allowance.\n\nIf your Widowed Parent\u2019s Allowance or Bereavement Allowance ended before you were 55, you\u2019ll receive less Additional State Pension.\n\n## When you cannot inherit Additional State Pension\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.\n\nThe date you reach State Pension age also affects whether you can inherit Additional State Pension.\n\n## If you reached State Pension age before 6 April 2010\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if they died before they reached their State Pension age and after you reached yours.\n\nThis does not apply if you\u2019re a woman who was married to:\n\n- a man\n\n- a woman who legally changed their gender from male to female during your marriage\n\n## If you reached State Pension age on or after 6 April 2016\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:\n\n- your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016\n\n- you started your marriage or civil partnership on or after 6 April 2016\n\n## If you get divorced\n\nIf you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.\n\nYou\u2019ll have to fill in form BR20 to give details of your Additional State Pension.", + "original_contents": [ + "

    Overview

    ", + "

    The Additional State Pension is an extra amount of money you could get on top of your basic State Pension if you\u2019re:

    ", + "
  • a man born before 6 April 1951
  • ", + "
  • a woman born before 6 April 1953
  • ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    You get the new State Pension if you were born on or after this date. You will not qualify for the Additional State Pension, but you might still be able to inherit Additional State Pension from your partner.

    ", + "

    You get the Additional State Pension automatically if you\u2019re eligible for it, unless you\u2019ve contracted out of it.

    ", + "

    The Additional State Pension is paid with your basic State Pension.

    ", + "

    What you'll get

    ", + "

    There is no fixed amount for the Additional State Pension.

    ", + "

    How much you get depends on:

    ", + "
  • how many years you paid National Insurance for
  • ", + "
  • your earnings
  • ", + "
  • whether you\u2019ve contracted out of the scheme
  • ", + "
  • whether you topped up your basic State Pension (this was only possible between 12 October 2015 and 5 April 2017)
  • ", + "

    How you\u2019re paid

    ", + "

    The Additional State Pension is paid with your basic State Pension into your bank account.

    ", + "

    Eligibility

    ", + "

    You reached State Pension age on or after 6 April 2016

    ", + "

    You will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.

    ", + "

    You reached State Pension age before 6 April 2016

    ", + "

    If you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.

    ", + "

    You may not get any Additional State Pension for periods when you were contracted out of it.

    ", + "

    When you have contributed to the Additional State Pension

    ", + "

    The Additional State Pension is made up of 3 schemes. You might have contributed to more than one, depending on:

    ", + "
  • how long you\u2019ve been working
  • ", + "
  • whether you chose to top up your State Pension
  • ", + "Time | Scheme | You contributed if", + "2002 to 2016 | State Second Pension | You were employed or claiming certain benefits", + "1978 to 2002 | State Earnings-Related Pension Scheme (SERPS) | You were employed", + "12 October 2015 to 5 April 2017 | State Pension top up | You reached State Pension age before 6 April 2016 and opted in", + "

    The State Second Pension since 2002

    ", + "

    You contributed through your National Insurance contributions if at any time between 6 April 2002 and 5 April 2016 you were:

    ", + "
  • employed and earning at least the lower earnings limit - this was \u00a35,824 in the 2015 to 2016 tax year
  • ", + "
  • looking after children under 12 and claiming Child Benefit
  • ", + "
  • caring for a sick or disabled person more than 20 hours a week and claiming Carer\u2019s Credit
  • ", + "
  • working as a registered foster carer and claiming Carer\u2019s Credit
  • ", + "
  • receiving certain other benefits due to illness or disability
  • ", + "

    Contracting out

    ", + "

    You could only contract out of the Additional State Pension if your employer ran a contracted-out pension scheme. Check with them.

    ", + "

    While you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.

    ", + "

    You cannot contract out after 6 April 2016. If you were contracted out, your National Insurance contributions increased to your standard rate after this date.

    ", + "

    The extra pension you get from a contracted-out pension scheme is usually the same as, or more than, the Additional State Pension you would have got if you did not contract out.

    ", + "

    Check if you were contracted out

    ", + "

    You can find out if you were contracted out by:

    ", + "
  • checking an old payslip
  • ", + "
  • calling your pension provider
  • ", + "

    The Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.

    ", + "

    National Insurance while contracting out

    ", + "

    You paid lower National Insurance contributions while you were contracted out if:

    ", + "
  • you earned between \u00a3155 and \u00a3770 a week
  • ", + "
  • you were under State Pension age
  • ", + "
  • you did not pay reduced rate National Insurance
  • ", + "

    What happens when you retire

    ", + "

    You\u2019ll get a pension from your employer\u2019s workplace pension scheme.

    ", + "

    How to claim

    ", + "

    You do not have to do anything to claim the Additional State Pension.

    ", + "

    If you\u2019re eligible for an Additional State Pension, you\u2019ll automatically get it when you claim your State Pension.

    ", + "

    After you claim, the Pension Service will write to you and tell you how much you\u2019re getting.

    ", + "

    Inheriting Additional State Pension

    ", + "

    If your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.

    ", + "

    Maximum State Second Pension you can inherit

    ", + "

    You can inherit up to 50% of your spouse or civil partner\u2019s State Second Pension.

    ", + "

    Maximum SERPS pension and State Pension top up you can inherit

    ", + "

    The maximum you can inherit depends on when your spouse or civil partner died.

    ", + "

    If they died before 6 October 2002, you can inherit up to 100% of their SERPS pension.

    ", + "

    If they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.

    ", + "Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit", + "5 October 1937 or before | 5 October 1942 or before | 100%", + "6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90%", + "6 October 1939 to 5 October 1941 | 6 October 1944 to 5 October 1946 | 80%", + "6 October 1941 to 5 October 1943 | 6 October 1946 to 5 October 1948 | 70%", + "6 October 1943 to 5 October 1945 | 6 October 1948 to 5 July 1950 | 60%", + "6 October 1945 and after | 6 July 1950 and after | 50%", + "

    If your spouse or civil partner died within 90 days of topping up their State Pension, the top up should have been refunded to their estate (their total property, money and possessions), minus any payments they received before they died. This means you will not inherit the top up as part of their Additional State Pension.

    ", + "

    How it\u2019s paid

    ", + "

    Any Additional State Pension you inherit will be paid on top of your State Pension when you reach State Pension age.

    ", + "

    If you get your own Additional State Pension

    ", + "

    The maximum amount of Additional State Pension you can get is \u00a3180.31 per week.\u00a0The limit does not include State Pension top up.

    ", + "

    If you get Widowed Parent\u2019s Allowance

    ", + "

    You may inherit Additional State Pension before you reach State Pension age. You\u2019ll stop receiving it if your Widowed Parent\u2019s Allowance ends.

    ", + "

    You may receive it again when you reach State Pension age if you were over 45 when you were entitled to Widowed Parent\u2019s Allowance.

    ", + "

    If your Widowed Parent\u2019s Allowance or Bereavement Allowance ended before you were 55, you\u2019ll receive less Additional State Pension.

    ", + "

    When you cannot inherit Additional State Pension

    ", + "

    You cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.

    ", + "

    The date you reach State Pension age also affects whether you can inherit Additional State Pension.

    ", + "

    If you reached State Pension age before 6 April 2010

    ", + "

    You cannot inherit your spouse or civil partner\u2019s Additional State Pension if they died before they reached their State Pension age and after you reached yours.

    ", + "

    This does not apply if you\u2019re a woman who was married to:

    ", + "
  • a man
  • ", + "
  • a woman who legally changed their gender from male to female during your marriage
  • ", + "

    If you reached State Pension age on or after 6 April 2016

    ", + "

    You cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:

    ", + "
  • your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016
  • ", + "
  • you started your marriage or civil partnership on or after 6 April 2016
  • ", + "

    If you get divorced

    ", + "

    If you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.

    ", + "

    You\u2019ll have to fill in form BR20 to give details of your Additional State Pension.

    " + ] + }, + "https://www.gov.uk/deferring-state-pension": { + "url": "https://www.gov.uk/deferring-state-pension", + "title": "Delay (defer) your State Pension", + "content": "## How it works\n\nYou do not get your State Pension automatically - you have to claim it. You should get a letter no later than 2 months before you reach State Pension age, telling you what to do.\n\nYou can either claim your State Pension or delay (defer) claiming it.\n\nIf you want to defer, you do not have to do anything. Your pension will automatically be deferred until you claim it.\n\nDeferring your State Pension could increase the payments you get when you decide to claim it. Any extra payments you get from deferring could be taxed.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## If you\u2019re on benefits\n\nYou cannot get extra State Pension if you get certain benefits. Deferring can also affect how much you can get in benefits.\n\nYou must tell the Pension Service if you\u2019re on benefits and you want to defer.\n\n## What you'll get\n\nThe amount of extra State Pension you could get depends on when you reach State Pension age.\n\n## If you reach State Pension age on or after 6 April 2016\n\nYour State Pension will increase every week you defer, as long as you defer for at least 9 weeks.\n\nYour State Pension increases by the equivalent of 1% for every 9 weeks you defer. This works out as just under 5.8% for every 52 weeks.\n\nThe extra amount is paid with your regular State Pension payment.\n\nThis example assumes there is no annual increase in the State Pension. If there is an annual increase, the amount you could get could be larger.\n\n## If you reached State Pension age before 6 April 2016\n\nYou can usually take your extra State Pension as either:\n\n- higher weekly payments\n\n- a one-off lump sum\n\nWhen you claim your deferred State Pension, you\u2019ll get a letter asking how you want to take your extra pension. You\u2019ll have 3 months from receiving that letter to decide.\n\n## Higher weekly payments\n\nYour State Pension will increase every week you defer, as long as you defer for at least 5 weeks.\n\nYour State Pension increases by the equivalent of 1% for every 5 weeks you defer. This works out as 10.4% for every 52 weeks.\n\nThe extra amount is paid with your regular State Pension payment.\n\nThis example assumes there is no annual increase in the State Pension. If there is an annual increase, the amount you could get could be larger.\n\n## Lump sum payment\n\nYou can get a one-off lump sum payment if you defer claiming your State Pension for at least 12 months in a row. This will include interest of 2% above the Bank of England base rate.\n\nYou\u2019ll be taxed at your current rate on your lump sum payment. For example, if you\u2019re a basic rate taxpayer your lump sum will be taxed at 20%.\n\n## If you\u2019re in prison\n\nYou will not build up extra State Pension until you leave prison.\n\n## Annual increases\n\nAfter you claim your State Pension, the extra amount you get because you deferred will usually increase each year based on the Consumer Price Index. It will not increase for some people who live abroad.\n\n## Get help\n\nContact the State Pension claim line if you need help.\n\n## If you get benefits or tax credits\n\nYou cannot build up extra State Pension during any period you get:\n\n- Income Support\n\n- Pension Credit\n\n- Employment and Support Allowance (income-related)\n\n- Jobseeker\u2019s Allowance (income-based)\n\n- Universal Credit\n\n- Carer\u2019s Allowance\n\n- Incapacity Benefit\n\n- Severe Disablement Allowance\n\n- Widow\u2019s Pension\n\n- Widowed Parent\u2019s Allowance\n\n- Unemployability Supplement\n\nYou cannot build up extra State Pension during any period your partner gets:\n\n- Income Support\n\n- Pension Credit\n\n- Universal Credit\n\n- Employment and Support Allowance (income-related)\n\n- Jobseeker\u2019s Allowance (income-related)\n\n## Higher weekly payments\n\nTaking your extra State Pension as higher weekly payments could reduce the amount you get from:\n\n- Income Support\n\n- Pension Credit\n\n- Universal Credit\n\n- Employment and Support Allowance (income-related)\n\n- Jobseeker\u2019s Allowance (income-related)\n\n- Housing Benefit\n\n- Council Tax Reduction\n\n- tax credits\n\n## If you reached State Pension age before 6 April 2016\n\nYour tax credits or Universal Credit payments may be reduced if you choose to take your extra State Pension as a lump sum.\n\n## Winter Fuel Payment\n\nYou need to claim Winter Fuel Payment if you\u2019ve deferred your State Pension. You only need to do this once.\n\n## Get help\n\nContact Jobcentre Plus if you need help to understand how your benefits could be affected.\n\n## If you move abroad\n\nIf you move to any of the countries in this list, the rules for deferring are the same as in the UK:\n\n- European Economic Area (EEA) countries\n\n- Switzerland\n\n- a country that the UK has a social security agreement with (except Canada or New Zealand)\n\nIf you move to a country that is not in the list, the extra payment you get will stay the same. It will not go up or down over time.\n\n## If you reach State Pension age on or after 6 April 2016\n\nIf you move to a country that is not in the list, your extra payment will be based on the State Pension you\u2019re owed at whichever is later of:\n\n- the date you reach State Pension age\n\n- the date you move abroad\n\nContact the International Pension Centre if you need help working out what you could get.\n\n## Claim a deferred State Pension\n\nIf you have deferred your State Pension for a year or less, you can apply online.\n\nYou can also:\n\n- print off and post the State Pension claim form to the Pension Service\n\n- apply by phone - call the Pension Service to get a State Pension claim form posted to you\n\nSend your completed form to:\n\nThere\u2019s a different way to claim your pension from abroad, including the Channel Islands.\n\nIf you have deferred for more than a year, you need to call the Pension Service to claim.\n\nThe process is different if you live in Northern Ireland.\n\n## Inheriting a deferred State Pension\n\nYou can usually inherit your partner\u2019s extra State Pension if all of the following apply:\n\n- your partner reached State Pension age before 6 April 2016\n\n- you were married to, or in a civil partnership with, your partner when they died\n\n- your partner had deferred their State Pension or was claiming their deferred State Pension when they died\n\n- you did not remarry or form a new civil partnership before you reached State Pension age\n\nIf your partner died before 6 April 2010, one of the following must also apply:\n\n- you were over State Pension age when your partner died\n\n- you were under State Pension age when your partner died, you\u2019re a woman and your deceased partner was your husband\n\nYou can only receive any extra State Pension you\u2019ve inherited once you\u2019ve reached State Pension age.\n\n## If your partner died before claiming their State Pension\n\nHow you inherit your partner\u2019s extra State Pension depends on how long they deferred their pension for.\n\n## A year or more\n\nIf your partner deferred their State Pension by a year or more, you can usually choose to inherit it as a lump sum or as weekly payments. You\u2019ll get a letter with the options you can choose from.\n\n## Between 5 weeks and a year\n\nIf your partner deferred their State Pension by between 5 weeks and a year, you\u2019ll inherit it as weekly payments. You\u2019ll get these payments with your own State Pension.\n\n## Less than 5 weeks\n\nIf your partner deferred their State Pension by less than 5 weeks, their State Pension payments for those weeks will become part their estate (their total property, money and possessions).\n\n## If your partner was getting their extra State Pension before they died\n\nYou\u2019ll inherit your partner\u2019s extra State Pension as extra weekly payments. You\u2019ll get these payments with your own State Pension.", + "original_contents": [ + "

    How it works

    ", + "

    You do not get your State Pension automatically - you have to claim it. You should get a letter no later than 2 months before you reach State Pension age, telling you what to do.

    ", + "

    You can either claim your State Pension or delay (defer) claiming it.

    ", + "

    If you want to defer, you do not have to do anything. Your pension will automatically be deferred until you claim it.

    ", + "

    Deferring your State Pension could increase the payments you get when you decide to claim it. Any extra payments you get from deferring could be taxed.

    ", + "

    This guide is also available in Welsh (Cymraeg).

    ", + "

    If you\u2019re on benefits

    ", + "

    You cannot get extra State Pension if you get certain benefits. Deferring can also affect how much you can get in benefits.

    ", + "

    You must tell the Pension Service if you\u2019re on benefits and you want to defer.

    ", + "

    What you'll get

    ", + "

    The amount of extra State Pension you could get depends on when you reach State Pension age.

    ", + "

    If you reach State Pension age on or after 6 April 2016

    ", + "

    Your State Pension will increase every week you defer, as long as you defer for at least 9 weeks.

    ", + "

    Your State Pension increases by the equivalent of 1% for every 9 weeks you defer. This works out as just under 5.8% for every 52 weeks.

    ", + "

    The extra amount is paid with your regular State Pension payment.

    ", + "

    This example assumes there is no annual increase in the State Pension. If there is an annual increase, the amount you could get could be larger.

    ", + "

    If you reached State Pension age before 6 April 2016

    ", + "

    You can usually take your extra State Pension as either:

    ", + "
  • higher weekly payments
  • ", + "
  • a one-off lump sum
  • ", + "

    When you claim your deferred State Pension, you\u2019ll get a letter asking how you want to take your extra pension. You\u2019ll have 3 months from receiving that letter to decide.

    ", + "

    Higher weekly payments

    ", + "

    Your State Pension will increase every week you defer, as long as you defer for at least 5 weeks.

    ", + "

    Your State Pension increases by the equivalent of 1% for every 5 weeks you defer. This works out as 10.4% for every 52 weeks.

    ", + "

    The extra amount is paid with your regular State Pension payment.

    ", + "

    This example assumes there is no annual increase in the State Pension. If there is an annual increase, the amount you could get could be larger.

    ", + "

    Lump sum payment

    ", + "

    You can get a one-off lump sum payment if you defer claiming your State Pension for at least 12 months in a row. This will include interest of 2% above the Bank of England base rate.

    ", + "

    You\u2019ll be taxed at your current rate on your lump sum payment. For example, if you\u2019re a basic rate taxpayer your lump sum will be taxed at 20%.

    ", + "

    If you\u2019re in prison

    ", + "

    You will not build up extra State Pension until you leave prison.

    ", + "

    Annual increases

    ", + "

    After you claim your State Pension, the extra amount you get because you deferred will usually increase each year based on the Consumer Price Index. It will not increase for some people who live abroad.

    ", + "

    Get help

    ", + "

    Contact the State Pension claim line if you need help.

    ", + "

    If you get benefits or tax credits

    ", + "

    You cannot build up extra State Pension during any period you get:

    ", + "
  • Income Support
  • ", + "
  • Pension Credit
  • ", + "
  • Employment and Support Allowance (income-related)
  • ", + "
  • Jobseeker\u2019s Allowance (income-based)
  • ", + "
  • Universal Credit
  • ", + "
  • Carer\u2019s Allowance
  • ", + "
  • Incapacity Benefit
  • ", + "
  • Severe Disablement Allowance
  • ", + "
  • Widow\u2019s Pension
  • ", + "
  • Widowed Parent\u2019s Allowance
  • ", + "
  • Unemployability Supplement
  • ", + "

    You cannot build up extra State Pension during any period your partner gets:

    ", + "
  • Income Support
  • ", + "
  • Pension Credit
  • ", + "
  • Universal Credit
  • ", + "
  • Employment and Support Allowance (income-related)
  • ", + "
  • Jobseeker\u2019s Allowance (income-related)
  • ", + "

    Higher weekly payments

    ", + "

    Taking your extra State Pension as higher weekly payments could reduce the amount you get from:

    ", + "
  • Income Support
  • ", + "
  • Pension Credit
  • ", + "
  • Universal Credit
  • ", + "
  • Employment and Support Allowance (income-related)
  • ", + "
  • Jobseeker\u2019s Allowance (income-related)
  • ", + "
  • Housing Benefit
  • ", + "
  • Council Tax Reduction
  • ", + "
  • tax credits
  • ", + "

    If you reached State Pension age before 6 April 2016

    ", + "

    Your tax credits or Universal Credit payments may be reduced if you choose to take your extra State Pension as a lump sum.

    ", + "

    Winter Fuel Payment

    ", + "

    You need to claim Winter Fuel Payment if you\u2019ve deferred your State Pension. You only need to do this once.

    ", + "

    Get help

    ", + "

    Contact Jobcentre Plus if you need help to understand how your benefits could be affected.

    ", + "

    If you move abroad

    ", + "

    If you move to any of the countries in this list, the rules for deferring are the same as in the UK:

    ", + "
  • European Economic Area (EEA) countries
  • ", + "
  • Switzerland
  • ", + "
  • a country that the UK has a social security agreement with (except Canada or New Zealand)
  • ", + "

    If you move to a country that is not in the list, the extra payment you get will stay the same. It will not go up or down over time.

    ", + "

    If you reach State Pension age on or after 6 April 2016

    ", + "

    If you move to a country that is not in the list, your extra payment will be based on the State Pension you\u2019re owed at whichever is later of:

    ", + "
  • the date you reach State Pension age
  • ", + "
  • the date you move abroad
  • ", + "

    Contact the International Pension Centre if you need help working out what you could get.

    ", + "

    Claim a deferred State Pension

    ", + "

    If you have deferred your State Pension for a year or less, you can apply online.

    ", + "

    You can also:

    ", + "
  • print off and post the State Pension claim form to the Pension Service
  • ", + "
  • apply by phone - call the Pension Service to get a State Pension claim form posted to you
  • ", + "

    Send your completed form to:

    ", + "

    There\u2019s a different way to claim your pension from abroad, including the Channel Islands.

    ", + "

    If you have deferred for more than a year, you need to call the Pension Service to claim.

    ", + "

    The process is different if you live in Northern Ireland.

    ", + "

    Inheriting a deferred State Pension

    ", + "

    You can usually inherit your partner\u2019s extra State Pension if all of the following apply:

    ", + "
  • your partner reached State Pension age before 6 April 2016
  • ", + "
  • you were married to, or in a civil partnership with, your partner when they died
  • ", + "
  • your partner had deferred their State Pension or was claiming their deferred State Pension when they died
  • ", + "
  • you did not remarry or form a new civil partnership before you reached State Pension age
  • ", + "

    If your partner died before 6 April 2010, one of the following must also apply:

    ", + "
  • you were over State Pension age when your partner died
  • ", + "
  • you were under State Pension age when your partner died, you\u2019re a woman and your deceased partner was your husband
  • ", + "

    You can only receive any extra State Pension you\u2019ve inherited once you\u2019ve reached State Pension age.

    ", + "

    If your partner died before claiming their State Pension

    ", + "

    How you inherit your partner\u2019s extra State Pension depends on how long they deferred their pension for.

    ", + "

    A year or more

    ", + "

    If your partner deferred their State Pension by a year or more, you can usually choose to inherit it as a lump sum or as weekly payments. You\u2019ll get a letter with the options you can choose from.

    ", + "

    Between 5 weeks and a year

    ", + "

    If your partner deferred their State Pension by between 5 weeks and a year, you\u2019ll inherit it as weekly payments. You\u2019ll get these payments with your own State Pension.

    ", + "

    Less than 5 weeks

    ", + "

    If your partner deferred their State Pension by less than 5 weeks, their State Pension payments for those weeks will become part their estate (their total property, money and possessions).

    ", + "

    If your partner was getting their extra State Pension before they died

    ", + "

    You\u2019ll inherit your partner\u2019s extra State Pension as extra weekly payments. You\u2019ll get these payments with your own State Pension.

    " + ] + }, + "https://www.gov.uk/over-80-pension": { + "url": "https://www.gov.uk/over-80-pension", + "title": "Over 80 pension", + "content": "## Overview\n\nThe over 80 pension is a State Pension for people aged 80 or over.\n\nTo be eligible you must get either a basic State Pension of less than \u00a382.45 a week, or no basic State Pension at all.\n\nIt can give you \u00a382.45 a week in the 2021 to 2022 tax year.\n\n## What you'll get\n\nWhat you get depends on how much basic State Pension you get, if any.\n\nIf you do not get the basic State Pension or you get less than \u00a382.45 a week, you could get the difference paid up to this amount.\n\n## Eligibility\n\nYou cannot get the over 80 pension if you reached State Pension age on or after 6 April 2016.\n\nYou can claim the over 80 pension if all of the following apply:\n\n- you\u2019re 80 or over\n\n- you do not get basic State Pension or your basic State Pension is less than \u00a382.45 a week in 2021 to 2022\n\n- you were resident in England, Scotland or Wales for at least 10 years out of 20 (this does not have to be 10 years in a row) - this 20 year period must include the day before you turned 80 or any day after\n\n- you were \u2018ordinarily resident\u2019 in the UK, Channel Islands, Isle of Man or Gibraltar on your 80th birthday or the date you made the claim for this pension, if later\n\nIf you live in or are moving to a European Economic Area (EEA) country or Switzerland, find out about pensions and benefits for UK nationals in the EU, EEA and Switzerland.\n\nYour eligibility for the over 80 pension is not based on National Insurance contributions.\n\n## How to claim\n\nYou can get a claim form from either:\n\n- your pension centre\n\n- your local Jobcentre Plus\n\nThe earliest you can claim is 3 months before your 80th birthday.\n\n## Further information\n\n## Effect on other benefits\n\nThe over 80 pension counts as taxable income, so it may affect other benefits you\u2019re getting.\n\nYou must include the over 80 pension as income if you\u2019re claiming other income related benefits.\n\n## What to do if your situation changes\n\nIf your circumstances change it could affect your eligibility.\n\nIt\u2019s important you contact the office that deals with your payments if you:\n\n- move house\n\n- change your bank account\n\n- go into (or leave) hospital or a health authority funded care home\n\n- leave the UK to live abroad, or for a long visit\n\nReport your change of situation to The Pension Service.\n\n## Who to contact if you have further questions\n\nYou can call The Pension Service if you have more questions about the over 80 pension.", + "original_contents": [ + "

    Overview

    ", + "

    The over 80 pension is a State Pension for people aged 80 or over.

    ", + "

    To be eligible you must get either a basic State Pension of less than \u00a382.45 a week, or no basic State Pension at all.

    ", + "

    It can give you \u00a382.45 a week in the 2021 to 2022 tax year.

    ", + "

    What you'll get

    ", + "

    What you get depends on how much basic State Pension you get, if any.

    ", + "

    If you do not get the basic State Pension or you get less than \u00a382.45 a week, you could get the difference paid up to this amount.

    ", + "

    Eligibility

    ", + "

    You cannot get the over 80 pension if you reached State Pension age on or after 6 April 2016.

    ", + "

    You can claim the over 80 pension if all of the following apply:

    ", + "
  • you\u2019re 80 or over
  • ", + "
  • you do not get basic State Pension or your basic State Pension is less than \u00a382.45 a week in 2021 to 2022
  • ", + "
  • you were resident in England, Scotland or Wales for at least 10 years out of 20 (this does not have to be 10 years in a row) - this 20 year period must include the day before you turned 80 or any day after
  • ", + "
  • you were \u2018ordinarily resident\u2019 in the UK, Channel Islands, Isle of Man or Gibraltar on your 80th birthday or the date you made the claim for this pension, if later
  • ", + "

    If you live in or are moving to a European Economic Area (EEA) country or Switzerland, find out about pensions and benefits for UK nationals in the EU, EEA and Switzerland.

    ", + "

    Your eligibility for the over 80 pension is not based on National Insurance contributions.

    ", + "

    How to claim

    ", + "

    You can get a claim form from either:

    ", + "
  • your pension centre
  • ", + "
  • your local Jobcentre Plus
  • ", + "

    The earliest you can claim is 3 months before your 80th birthday.

    ", + "

    Further information

    ", + "

    Effect on other benefits

    ", + "

    The over 80 pension counts as taxable income, so it may affect other benefits you\u2019re getting.

    ", + "

    You must include the over 80 pension as income if you\u2019re claiming other income related benefits.

    ", + "

    What to do if your situation changes

    ", + "

    If your circumstances change it could affect your eligibility.

    ", + "

    It\u2019s important you contact the office that deals with your payments if you:

    ", + "
  • move house
  • ", + "
  • change your bank account
  • ", + "
  • go into (or leave) hospital or a health authority funded care home
  • ", + "
  • leave the UK to live abroad, or for a long visit
  • ", + "

    Report your change of situation to The Pension Service.

    ", + "

    Who to contact if you have further questions

    ", + "

    You can call The Pension Service if you have more questions about the over 80 pension.

    " + ] + }, + "https://www.gov.uk/early-retirement-pension": { + "url": "https://www.gov.uk/early-retirement-pension", + "title": "Early retirement, your pension and benefits", + "content": "## State Pension\n\nThe earliest you can get your State Pension is when you reach your State Pension age. You\u2019ll have to wait to claim your State Pension if you retire before you reach that age.\n\n## The amount you\u2019ll get\n\nThe amount you\u2019ll get depends on your National Insurance record and when you reach State Pension age.\n\nYou\u2019ll claim basic State Pension and Additional State Pension if you reached State Pension age before 6 April 2016.\n\nYou\u2019ll claim the new State Pension if you reach State Pension age on or after 6 April 2016.\n\n## Personal and workplace pensions\n\nWhen you can take money from your pension pot will depend on your pension scheme\u2019s rules, but it\u2019s usually after you\u2019re 55.\n\nYou may be able to take money out before this age if either:\n\n- you\u2019re retiring early because of ill health\n\n- you had the right under the scheme you joined before 6 April 2006 to take your pension before you\u2019re 55 \u2013 ask your pension provider if you\u2019re not sure\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. This could be an unauthorised payment. If it\u2019s unauthorised, you pay up to 55% tax on it.\n\nThe pension pot that you build up will probably be smaller if you retire early, because it\u2019s had less time to increase in value.\n\n## Taking your pension early because of ill health\n\nYou might be able to get higher payments if you need to take your pension early because of a health condition. Check with your provider.\n\n## If your life expectancy is less than a year\n\nYou may be able to take your whole pension pot as a tax-free lump sum if all of the following apply to you:\n\n- you\u2019re expected to live less than a year because of serious illness\n\n- you\u2019re under 75\n\n- you do not have more than the lifetime allowance of \u00a31,073,100 in pension savings\n\nIf you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.\n\nCheck with your pension provider. Some pension funds will keep at least 50% of your pension pot for your spouse or civil partner.\n\n## Benefits\n\nThe amount of money you get from any income-related benefits could be affected if you take your pension early, such as money you get from:\n\n- Housing Benefit\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Universal Credit\n\n## Benefits if you retire early because of ill health\n\nIf you retire early because of ill health you may be entitled to other benefits. Use a benefits calculator to check.\n\n## Get help\n\nPension Wise has information about how taking a personal or workplace pension early can affect your benefits.\n\nYou can also get help from:\n\n- Citizens Advice\n\n- the Money Advice Service", + "original_contents": [ + "

    State Pension

    ", + "

    The earliest you can get your State Pension is when you reach your State Pension age. You\u2019ll have to wait to claim your State Pension if you retire before you reach that age.

    ", + "

    The amount you\u2019ll get

    ", + "

    The amount you\u2019ll get depends on your National Insurance record and when you reach State Pension age.

    ", + "

    You\u2019ll claim basic State Pension and Additional State Pension if you reached State Pension age before 6 April 2016.

    ", + "

    You\u2019ll claim the new State Pension if you reach State Pension age on or after 6 April 2016.

    ", + "

    Personal and workplace pensions

    ", + "

    When you can take money from your pension pot will depend on your pension scheme\u2019s rules, but it\u2019s usually after you\u2019re 55.

    ", + "

    You may be able to take money out before this age if either:

    ", + "
  • you\u2019re retiring early because of ill health
  • ", + "
  • you had the right under the scheme you joined before 6 April 2006 to take your pension before you\u2019re 55 \u2013 ask your pension provider if you\u2019re not sure
  • ", + "

    Some companies offer to help you get money out of your pension before you\u2019re 55. This could be an unauthorised payment. If it\u2019s unauthorised, you pay up to 55% tax on it.

    ", + "

    The pension pot that you build up will probably be smaller if you retire early, because it\u2019s had less time to increase in value.

    ", + "

    Taking your pension early because of ill health

    ", + "

    You might be able to get higher payments if you need to take your pension early because of a health condition. Check with your provider.

    ", + "

    If your life expectancy is less than a year

    ", + "

    You may be able to take your whole pension pot as a tax-free lump sum if all of the following apply to you:

    ", + "
  • you\u2019re expected to live less than a year because of serious illness
  • ", + "
  • you\u2019re under 75
  • ", + "
  • you do not have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • ", + "

    If you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.

    ", + "

    Check with your pension provider. Some pension funds will keep at least 50% of your pension pot for your spouse or civil partner.

    ", + "

    Benefits

    ", + "

    The amount of money you get from any income-related benefits could be affected if you take your pension early, such as money you get from:

    ", + "
  • Housing Benefit
  • ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Universal Credit
  • ", + "

    Benefits if you retire early because of ill health

    ", + "

    If you retire early because of ill health you may be entitled to other benefits. Use a benefits calculator to check.

    ", + "

    Get help

    ", + "

    Pension Wise has information about how taking a personal or workplace pension early can affect your benefits.

    ", + "

    You can also get help from:

    ", + "
  • Citizens Advice
  • ", + "
  • the Money Advice Service
  • " + ] + }, + "https://www.gov.uk/personal-pensions-your-rights": { + "url": "https://www.gov.uk/personal-pensions-your-rights", + "title": "Personal pensions", + "content": "## Overview\n\nPersonal pensions are pensions that you arrange yourself. They\u2019re sometimes known as defined contribution or \u2018money purchase\u2019 pensions. You\u2019ll usually get a pension that\u2019s based on how much was paid in.\n\nSome employers offer personal pensions as workplace pensions.\n\nThe money you pay into a personal pension is put into investments (such as shares) by the pension provider. The money you\u2019ll get from a personal pension usually depends on:\n\n- how much has been paid in\n\n- how the fund\u2019s investments have performed - they can go up or down\n\n- how you decide to take your money\n\n## Types of personal pension\n\nThere are different types of personal pension. They include:\n\n- stakeholder pensions - these must meet specific government requirements, for example limits on charges\n\n- self-invested personal pensions (SIPPs) - these allow you to control the specific investments that make up your pension fund\n\nYou should check that your provider is registered with the Financial Conduct Authority (FCA), or the Pensions Regulator if it\u2019s a stakeholder pension.\n\n## Paying into a personal pension\n\nYou can either make regular or individual lump sum payments to a pension provider. They will send you annual statements, telling you how much your fund is worth.\n\nYou usually get tax relief on money you pay into a pension. Check with your provider that your pension scheme is registered with HM Revenue and Customs (HMRC) - if it\u2019s not registered, you won\u2019t get tax relief.\n\n## Choosing a personal pension\n\nCitizens Advice has information about choosing a personal pension.\n\n## Independent financial advice\n\nYou can find an independent financial adviser:\n\n- from Unbiased\n\n- from the Personal Finance Society\n\nYou\u2019ll usually have to pay for this advice.\n\n## How you can take your pension\n\nMost personal pensions set an age when you can start taking money from them. It\u2019s not normally before 55. Contact your pension provider if you\u2019re not sure when you can take your pension.\n\nYou can take up to 25% of the money built up in your pension as a tax-free lump sum. You\u2019ll then have 6 months to start taking the remaining 75%, which you\u2019ll usually pay tax on.\n\nThe options you have for taking the rest of your pension pot include:\n\n- taking all or some of it as cash\n\n- buying a product that gives give you a guaranteed income (sometimes known as an \u2018annuity\u2019) for life\n\n- investing it to get a regular, adjustable income (sometimes known as \u2018flexi-access drawdown\u2019)\n\nAsk your pension provider which options they offer (they may not offer all of them). If you don\u2019t want to take any of their options, you can transfer your pension pot to a different provider.\n\n## Taxes and charges\n\nYour pension provider will take off any tax you owe before you get money from your pension pot.\n\nYou might have to pay a higher rate of tax if you take large amounts from your pension pot. You could also owe extra tax at the end of the tax year.\n\nYour pension provider might charge you for withdrawing cash from your pension pot - check with them about this.\n\n## Get regular payments from an annuity\n\nYou might be able to buy an annuity from an insurance company that gives you regular payments for life. You can ask your pension provider to pay for it out of your pension pot.\n\nThe amount you get can vary. It depends on how long the insurance company expects you to live and how many years they\u2019ll have to pay you. When they calculate the amount they should take into account:\n\n- your age and gender\n\n- the size of your pension pot\n\n- interest rates\n\n- your health (sometimes)\n\nThere are different kinds of annuities. Some are for a fixed time (for example, payments for 10 years instead of your lifetime) and some continue paying your spouse or partner after you die.\n\nYou don\u2019t have to buy your annuity from your pension provider.\n\n## Invest the money in a drawdown fund\n\nYou may be able to ask your pension provider to invest your pension pot in a flexi-access drawdown fund.\n\nFrom a flexi-access drawdown fund you can:\n\n- make withdrawals\n\n- buy a short-term annuity - this will give you regular payments for up to 5 years\n\n- pay in - but you\u2019ll pay tax on contributions over \u00a34,000 a year\n\n## Keeping your capped drawdown fund\n\nIf you have a \u2018capped drawdown\u2019 fund and want to keep it, your money will stay invested.\n\nYou can keep withdrawing and paying in. Your pension provider sets a maximum amount you can take out every year. This limit will be reviewed every 3 years until you turn 75, then every year after that.\n\n## Withdraw cash from your pension pot\n\nYou may be able to take cash directly from your pension pot. You could:\n\n- withdraw your whole pension pot\n\n- withdraw smaller cash sums\n\n- pay in - but you\u2019ll pay tax on contributions over \u00a34,000 a year\n\n## When you can\u2019t withdraw cash\n\nYou can\u2019t take smaller cash sums if any of the following apply:\n\n- you\u2019ve already saved \u00a31,073,100 in pension schemes over your lifetime (your lifetime allowance)\n\n- you have some type of lifetime allowance protection\n\n- you\u2019re under 75, and the sums you want to withdraw are bigger than the amount of lifetime allowance you have left\n\n## Get help\n\nContact your pension provider first if you need help with a personal pension.\n\nIf they can\u2019t help, you can get free and impartial information from The Pensions Advisory Service (they don\u2019t provide financial advice).\n\n## Financial advice\n\nYou can find a financial adviser if you want advice. You\u2019ll usually have to pay for their services.\n\n## If you\u2019re over 50\n\nPension Wise has information about your pension options. If you\u2019re over 50 you can book a free appointment to talk about your options. Pension Wise doesn\u2019t cover the State Pension, \u2018final salary\u2019 or \u2018career average\u2019 pensions.\n\n## State Pension\n\nFor help with your State Pension contact the Pension Service.\n\n## Complaints\n\nIf you have a complaint about how your pension scheme is run, talk to your pension provider first. They have to respond within 8 weeks.\n\nYou can also contact the Pensions Ombudsman if you\u2019re concerned about how a pension scheme is run.\n\n## Complain about marketing\n\nYou can get help from the Pensions Advisory Service or complain to the Financial Ombudsman\u2019s Service about how a pension scheme has been marketed to you.\n\n## If your provider has broken the law\n\nIf you think your pension provider has broken the law, you can complain to:\n\n- the Pensions Regulator for workplace pensions\n\n- the Financial Conduct Authority for personal and stakeholder pensions\n\n## If your provider goes bust\n\nIf the pension provider was authorised by the Financial Conduct Authority and can\u2019t pay, you might get compensation from the Financial Services Compensation Scheme (FSCS).", + "original_contents": [ + "

    Overview

    ", + "

    Personal pensions are pensions that you arrange yourself. They\u2019re sometimes known as defined contribution or \u2018money purchase\u2019 pensions. You\u2019ll usually get a pension that\u2019s based on how much was paid in.

    ", + "

    Some employers offer personal pensions as workplace pensions.

    ", + "

    The money you pay into a personal pension is put into investments (such as shares) by the pension provider. The money you\u2019ll get from a personal pension usually depends on:

    ", + "
  • how much has been paid in
  • ", + "
  • how the fund\u2019s investments have performed - they can go up or down
  • ", + "
  • how you decide to take your money
  • ", + "

    Types of personal pension

    ", + "

    There are different types of personal pension. They include:

    ", + "
  • stakeholder pensions - these must meet specific government requirements, for example limits on charges
  • ", + "
  • self-invested personal pensions (SIPPs) - these allow you to control the specific investments that make up your pension fund
  • ", + "

    You should check that your provider is registered with the Financial Conduct Authority (FCA), or the Pensions Regulator if it\u2019s a stakeholder pension.

    ", + "

    Paying into a personal pension

    ", + "

    You can either make regular or individual lump sum payments to a pension provider. They will send you annual statements, telling you how much your fund is worth.

    ", + "

    You usually get tax relief on money you pay into a pension. Check with your provider that your pension scheme is registered with HM Revenue and Customs (HMRC) - if it\u2019s not registered, you won\u2019t get tax relief.

    ", + "

    Choosing a personal pension

    ", + "

    Citizens Advice has information about choosing a personal pension.

    ", + "

    Independent financial advice

    ", + "

    You can find an independent financial adviser:

    ", + "
  • from Unbiased
  • ", + "
  • from the Personal Finance Society
  • ", + "

    You\u2019ll usually have to pay for this advice.

    ", + "

    How you can take your pension

    ", + "

    Most personal pensions set an age when you can start taking money from them. It\u2019s not normally before 55. Contact your pension provider if you\u2019re not sure when you can take your pension.

    ", + "

    You can take up to 25% of the money built up in your pension as a tax-free lump sum. You\u2019ll then have 6 months to start taking the remaining 75%, which you\u2019ll usually pay tax on.

    ", + "

    The options you have for taking the rest of your pension pot include:

    ", + "
  • taking all or some of it as cash
  • ", + "
  • buying a product that gives give you a guaranteed income (sometimes known as an \u2018annuity\u2019) for life
  • ", + "
  • investing it to get a regular, adjustable income (sometimes known as \u2018flexi-access drawdown\u2019)
  • ", + "

    Ask your pension provider which options they offer (they may not offer all of them). If you don\u2019t want to take any of their options, you can transfer your pension pot to a different provider.

    ", + "

    Taxes and charges

    ", + "

    Your pension provider will take off any tax you owe before you get money from your pension pot.

    ", + "

    You might have to pay a higher rate of tax if you take large amounts from your pension pot. You could also owe extra tax at the end of the tax year.

    ", + "

    Your pension provider might charge you for withdrawing cash from your pension pot - check with them about this.

    ", + "

    Get regular payments from an annuity

    ", + "

    You might be able to buy an annuity from an insurance company that gives you regular payments for life. You can ask your pension provider to pay for it out of your pension pot.

    ", + "

    The amount you get can vary. It depends on how long the insurance company expects you to live and how many years they\u2019ll have to pay you. When they calculate the amount they should take into account:

    ", + "
  • your age and gender
  • ", + "
  • the size of your pension pot
  • ", + "
  • interest rates
  • ", + "
  • your health (sometimes)
  • ", + "

    There are different kinds of annuities. Some are for a fixed time (for example, payments for 10 years instead of your lifetime) and some continue paying your spouse or partner after you die.

    ", + "

    You don\u2019t have to buy your annuity from your pension provider.

    ", + "

    Invest the money in a drawdown fund

    ", + "

    You may be able to ask your pension provider to invest your pension pot in a flexi-access drawdown fund.

    ", + "

    From a flexi-access drawdown fund you can:

    ", + "
  • make withdrawals
  • ", + "
  • buy a short-term annuity - this will give you regular payments for up to 5 years
  • ", + "
  • pay in - but you\u2019ll pay tax on contributions over \u00a34,000 a year
  • ", + "

    Keeping your capped drawdown fund

    ", + "

    If you have a \u2018capped drawdown\u2019 fund and want to keep it, your money will stay invested.

    ", + "

    You can keep withdrawing and paying in. Your pension provider sets a maximum amount you can take out every year. This limit will be reviewed every 3 years until you turn 75, then every year after that.

    ", + "

    Withdraw cash from your pension pot

    ", + "

    You may be able to take cash directly from your pension pot. You could:

    ", + "
  • withdraw your whole pension pot
  • ", + "
  • withdraw smaller cash sums
  • ", + "
  • pay in - but you\u2019ll pay tax on contributions over \u00a34,000 a year
  • ", + "

    When you can\u2019t withdraw cash

    ", + "

    You can\u2019t take smaller cash sums if any of the following apply:

    ", + "
  • you\u2019ve already saved \u00a31,073,100 in pension schemes over your lifetime (your lifetime allowance)
  • ", + "
  • you have some type of lifetime allowance protection
  • ", + "
  • you\u2019re under 75, and the sums you want to withdraw are bigger than the amount of lifetime allowance you have left
  • ", + "

    Get help

    ", + "

    Contact your pension provider first if you need help with a personal pension.

    ", + "

    If they can\u2019t help, you can get free and impartial information from The Pensions Advisory Service (they don\u2019t provide financial advice).

    ", + "

    Financial advice

    ", + "

    You can find a financial adviser if you want advice. You\u2019ll usually have to pay for their services.

    ", + "

    If you\u2019re over 50

    ", + "

    Pension Wise has information about your pension options. If you\u2019re over 50 you can book a free appointment to talk about your options. Pension Wise doesn\u2019t cover the State Pension, \u2018final salary\u2019 or \u2018career average\u2019 pensions.

    ", + "

    State Pension

    ", + "

    For help with your State Pension contact the Pension Service.

    ", + "

    Complaints

    ", + "

    If you have a complaint about how your pension scheme is run, talk to your pension provider first. They have to respond within 8 weeks.

    ", + "

    You can also contact the Pensions Ombudsman if you\u2019re concerned about how a pension scheme is run.

    ", + "

    Complain about marketing

    ", + "

    You can get help from the Pensions Advisory Service or complain to the Financial Ombudsman\u2019s Service about how a pension scheme has been marketed to you.

    ", + "

    If your provider has broken the law

    ", + "

    If you think your pension provider has broken the law, you can complain to:

    ", + "
  • the Pensions Regulator for workplace pensions
  • ", + "
  • the Financial Conduct Authority for personal and stakeholder pensions
  • ", + "

    If your provider goes bust

    ", + "

    If the pension provider was authorised by the Financial Conduct Authority and can\u2019t pay, you might get compensation from the Financial Services Compensation Scheme (FSCS).

    " + ] + }, + "https://www.gov.uk/plan-retirement-income": { + "url": "https://www.gov.uk/plan-retirement-income", + "title": "Plan your retirement income", + "content": "## Overview\n\nA pension is a way to save money for later in your life.\n\nYou may be able to get:\n\n- a pension from the government (\u2018State Pension\u2019)\n\n- money from pension schemes you or your employer pay into\n\nYou might need more money than just the State Pension when you retire.\n\nFind out how much State Pension you could get (your forecast) and when you can get it.\n\nUse the Money Advice Service\u2019s pension calculator to get an estimate of your income when you retire and the ways you can increase it.\n\n## Your pension options\n\nYou can pay into as many pension schemes as you want. It depends on how much money you can set aside.\n\nYou usually get tax relief up to certain limits on money you pay into a pension scheme.\n\n## Private pension schemes\n\n| | What it is |\n\n| Workplace pensions | Arranged by your employer. Usually both you and your employer pay into it. What you get depends on the type of scheme your employer offers. |\n\n| Personal and stakeholder pensions | A private pension that you pay into. Employers can also pay into them as a workplace pension scheme. What you get depends on how much is paid in and how well the investment does. |\n\n## State Pension from the government\n\n## If you reached State Pension age before 6 April 2016\n\n| | What it is |\n\n| Basic State Pension | The basic State Pension is a regular payment you can get from the government when you reach State Pension age. The amount you get depends on your National Insurance contributions and credits. The maximum you get is \u00a3137.60 per week. |\n\n| Additional State Pension | An extra amount on top of your State Pension. Not a fixed amount. How much you get depends on your earnings and whether you claim certain benefits. |\n\n| Pension Credit | For people on a low income. Tops up your weekly income to \u00a3177.10 (single people) or \u00a3270.30 (couples). You may get more if you\u2019re a carer, are severely disabled, have responsibility for a child, or have certain housing costs. |\n\n## If you reach State Pension age on or after 6 April 2016\n\n| | What it is |\n\n| New State Pension | The new State Pension is a regular payment you can get from the government if you reach State Pension age on or after 6 April 2016. The amount you get depends on your National Insurance contributions and credits. The full new State Pension is \u00a3179.60 per week. |\n\n| Protected payment | Any amount over the full new State Pension (\u00a3179.60) that you get from your National Insurance contributions or credits from before 6 April 2016 is protected. It will be paid on top of the full new State Pension. |\n\n| Pension Credit | For people on a low income. Tops up your weekly income to \u00a3177.10 (single people) or \u00a3270.30 (couples). You may get more if you\u2019re a carer, are severely disabled, have responsibility for a child, or have certain housing costs. |\n\n## Private pension schemes\n\nWorkplace pensions and personal or stakeholder pensions are a way of making sure you have money on top of your State Pension.\n\nFor most workplace and personal pensions, how much you get depends on:\n\n- the amount you\u2019ve paid in\n\n- how well the pension fund\u2019s investments have done\n\n- your age - and sometimes your health - when you start taking your pension pot\n\n## Workplace pensions\n\nYour employer must automatically enrol you in a workplace pension scheme if you\u2019re over 22 and under State Pension age, and earn more than \u00a310,000 a year.\n\nIf you have a workplace pension your employer can make contributions on top of what you pay.\n\nYou may also be able to make extra payments to boost your pension pot.\n\nWorkplace pensions are protected against risks.\n\n## Personal and stakeholder pensions\n\nYou may want a personal or stakeholder pension:\n\n- to save extra money for later in life\n\n- to top up your workplace pension\n\n- if you\u2019re self-employed and do not have a workplace pension\n\n- if you\u2019re not working but can afford to pay into a pension scheme\n\nSome employers offer stakeholder or private pensions as workplace pensions.\n\nStakeholder pensions must meet standards set by the government.\n\n## Find a lost pension\n\nThe Pension Tracing Service might be able to trace lost pensions that you\u2019ve paid into.\n\n## Nominate someone to get your pension when you die\n\nAsk your pension provider if you can nominate someone to get money from your pension pot after you die.\n\nCheck your scheme\u2019s rules about:\n\n- who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23\n\n- what the person can get, for example regular payments or lump sums\n\n- whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die\n\nSometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.\n\nThe person you nominate may have to pay tax if they get money from your pension pot after you die.\n\n## Pensions from the government\n\nThe pension you get from the government (\u2018State Pension\u2019) is based on your National Insurance record when you reach State Pension age.\n\n## You reached State Pension age before 6 April 2016\n\nYou need 30 years\u2019 worth of National Insurance contributions to get the full basic State Pension. You may also qualify for some Additional State Pension.\n\n## You reach State Pension age on or after 6 April 2016\n\nThe amount of new State Pension you\u2019ll get depends on your National Insurance record. National Insurance contributions or credits made before and after 6 April 2016 can count towards your new State Pension.\n\nYou\u2019ll usually need at least 10 qualifying years of National Insurance contributions or credits to qualify for any State Pension.\n\nFind out how much State Pension you could get and when you can get it. You can also find out how you might be able to increase the amount you get.\n\n## Getting more State Pension\n\n## Deferring your pension\n\nWhen you reach State Pension age you have the option to defer your State Pension (delay payments). By doing this you\u2019ll get more money for every year you defer.\n\n## Pension Credit\n\nPension Credit is for older people on a low income to make sure they get a minimum weekly amount. You\u2019ll have to apply and all your sources of income (for example savings) will be checked to make sure you qualify.\nGetting Pension Credit may mean you\u2019re eligible for other benefits too.\n\n## You\u2019re over 80\n\nPeople over 80 with little or no State Pension can apply for a payment of \u00a382.45 per week from the government through the over 80 Pension. You cannot get the over 80 pension if you reach State Pension age on or after 6 April 2016.\n\n## Working past State Pension age\n\nYou might decide that you do not want to stop working when you reach State Pension age.\n\nIf you do, you\u2019ll no longer have to pay National Insurance.\n\nThe law protects you against discrimination if you\u2019re over State Pension age and want to stay in your job or get a new one.\n\n## Staying in your job\n\nThere is no official retirement age and you usually have the right to work as long as you want to.\n\nThere are some circumstances when employers may have the right to set a compulsory retirement age that they choose.\n\nYour employer cannot make you redundant because of your age.\n\n## Getting a new job\n\nYou do not have to give your date of birth when applying for a new job. Employers cannot make you give this information if you do not want to.\n\nEmployers also can not set an age limit for a job, unless they can justify it (for example because of certain physical abilities) or it\u2019s a limit set by law, for example for the fire service.\n\nYou can request flexible working at any age.\n\n## Get help\n\nWhen planning your pension and retirement income you might need help with:\n\n- choosing a personal or stakeholder pension\n\n- planning your savings\n\n- choosing how you want to get your retirement income\n\n- delaying your State Pension payments (deferring)\n\n## Where to get help\n\nYou can get free guidance on your retirement savings options from:\n\n- Money Advice Service\n\n- Pension Advisory Service\n\nPension Wise has information to help you decide what to do with your money if it\u2019s in a \u2018defined contribution\u2019 pension. If you\u2019re over 50, you can book an appointment to speak to someone.\n\n## Paying for financial advice\n\nYou can find an independent financial adviser:\n\n- on the Unbiased website\n\n- from the Personal Finance Society\n\nIf you\u2019re paying into a pension scheme, you can ask your pension provider about taking out up to \u00a3500 to pay for financial advice on retirement. You can do this once a year up to 3 times without a tax charge. Not all pension schemes provide this.", + "original_contents": [ + "

    Overview

    ", + "

    A pension is a way to save money for later in your life.

    ", + "

    You may be able to get:

    ", + "
  • a pension from the government (\u2018State Pension\u2019)
  • ", + "
  • money from pension schemes you or your employer pay into
  • ", + "

    You might need more money than just the State Pension when you retire.

    ", + "

    Find out how much State Pension you could get (your forecast) and when you can get it.

    ", + "

    Use the Money Advice Service\u2019s pension calculator to get an estimate of your income when you retire and the ways you can increase it.

    ", + "

    Your pension options

    ", + "

    You can pay into as many pension schemes as you want. It depends on how much money you can set aside.

    ", + "

    You usually get tax relief up to certain limits on money you pay into a pension scheme.

    ", + "

    Private pension schemes

    ", + " | What it is", + "Workplace pensions | Arranged by your employer. Usually both you and your employer pay into it. What you get depends on the type of scheme your employer offers.", + "Personal and stakeholder pensions | A private pension that you pay into. Employers can also pay into them as a workplace pension scheme. What you get depends on how much is paid in and how well the investment does.", + "

    State Pension from the government

    ", + "

    If you reached State Pension age before 6 April 2016

    ", + " | What it is", + "Basic State Pension | The basic State Pension is a regular payment you can get from the government when you reach State Pension age. The amount you get depends on your National Insurance contributions and credits. The maximum you get is \u00a3137.60 per week.", + "Additional State Pension | An extra amount on top of your State Pension. Not a fixed amount. How much you get depends on your earnings and whether you claim certain benefits.", + "Pension Credit | For people on a low income. Tops up your weekly income to \u00a3177.10 (single people) or \u00a3270.30 (couples). You may get more if you\u2019re a carer, are severely disabled, have responsibility for a child, or have certain housing costs.", + "

    If you reach State Pension age on or after 6 April 2016

    ", + " | What it is", + "New State Pension | The new State Pension is a regular payment you can get from the government if you reach State Pension age on or after 6 April 2016. The amount you get depends on your National Insurance contributions and credits. The full new State Pension is \u00a3179.60 per week.", + "Protected payment | Any amount over the full new State Pension (\u00a3179.60) that you get from your National Insurance contributions or credits from before 6 April 2016 is protected. It will be paid on top of the full new State Pension.", + "Pension Credit | For people on a low income. Tops up your weekly income to \u00a3177.10 (single people) or \u00a3270.30 (couples). You may get more if you\u2019re a carer, are severely disabled, have responsibility for a child, or have certain housing costs.", + "

    Private pension schemes

    ", + "

    Workplace pensions and personal or stakeholder pensions are a way of making sure you have money on top of your State Pension.

    ", + "

    For most workplace and personal pensions, how much you get depends on:

    ", + "
  • the amount you\u2019ve paid in
  • ", + "
  • how well the pension fund\u2019s investments have done
  • ", + "
  • your age - and sometimes your health - when you start taking your pension pot
  • ", + "

    Workplace pensions

    ", + "

    Your employer must automatically enrol you in a workplace pension scheme if you\u2019re over 22 and under State Pension age, and earn more than \u00a310,000 a year.

    ", + "

    If you have a workplace pension your employer can make contributions on top of what you pay.

    ", + "

    You may also be able to make extra payments to boost your pension pot.

    ", + "

    Workplace pensions are protected against risks.

    ", + "

    Personal and stakeholder pensions

    ", + "

    You may want a personal or stakeholder pension:

    ", + "
  • to save extra money for later in life
  • ", + "
  • to top up your workplace pension
  • ", + "
  • if you\u2019re self-employed and do not have a workplace pension
  • ", + "
  • if you\u2019re not working but can afford to pay into a pension scheme
  • ", + "

    Some employers offer stakeholder or private pensions as workplace pensions.

    ", + "

    Stakeholder pensions must meet standards set by the government.

    ", + "

    Find a lost pension

    ", + "

    The Pension Tracing Service might be able to trace lost pensions that you\u2019ve paid into.

    ", + "

    Nominate someone to get your pension when you die

    ", + "

    Ask your pension provider if you can nominate someone to get money from your pension pot after you die.

    ", + "

    Check your scheme\u2019s rules about:

    ", + "
  • who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23
  • ", + "
  • what the person can get, for example regular payments or lump sums
  • ", + "
  • whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die
  • ", + "

    Sometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.

    ", + "

    The person you nominate may have to pay tax if they get money from your pension pot after you die.

    ", + "

    Pensions from the government

    ", + "

    The pension you get from the government (\u2018State Pension\u2019) is based on your National Insurance record when you reach State Pension age.

    ", + "

    You reached State Pension age before 6 April 2016

    ", + "

    You need 30 years\u2019 worth of National Insurance contributions to get the full basic State Pension. You may also qualify for some Additional State Pension.

    ", + "

    You reach State Pension age on or after 6 April 2016

    ", + "

    The amount of new State Pension you\u2019ll get depends on your National Insurance record. National Insurance contributions or credits made before and after 6 April 2016 can count towards your new State Pension.

    ", + "

    You\u2019ll usually need at least 10 qualifying years of National Insurance contributions or credits to qualify for any State Pension.

    ", + "

    Find out how much State Pension you could get and when you can get it. You can also find out how you might be able to increase the amount you get.

    ", + "

    Getting more State Pension

    ", + "

    Deferring your pension

    ", + "

    When you reach State Pension age you have the option to defer your State Pension (delay payments). By doing this you\u2019ll get more money for every year you defer.

    ", + "

    Pension Credit

    ", + "

    Pension Credit is for older people on a low income to make sure they get a minimum weekly amount. You\u2019ll have to apply and all your sources of income (for example savings) will be checked to make sure you qualify.\nGetting Pension Credit may mean you\u2019re eligible for other benefits too.

    ", + "

    You\u2019re over 80

    ", + "

    People over 80 with little or no State Pension can apply for a payment of \u00a382.45 per week from the government through the over 80 Pension. You cannot get the over 80 pension if you reach State Pension age on or after 6 April 2016.

    ", + "

    Working past State Pension age

    ", + "

    You might decide that you do not want to stop working when you reach State Pension age.

    ", + "

    If you do, you\u2019ll no longer have to pay National Insurance.

    ", + "

    The law protects you against discrimination if you\u2019re over State Pension age and want to stay in your job or get a new one.

    ", + "

    Staying in your job

    ", + "

    There is no official retirement age and you usually have the right to work as long as you want to.

    ", + "

    There are some circumstances when employers may have the right to set a compulsory retirement age that they choose.

    ", + "

    Your employer cannot make you redundant because of your age.

    ", + "

    Getting a new job

    ", + "

    You do not have to give your date of birth when applying for a new job. Employers cannot make you give this information if you do not want to.

    ", + "

    Employers also can not set an age limit for a job, unless they can justify it (for example because of certain physical abilities) or it\u2019s a limit set by law, for example for the fire service.

    ", + "

    You can request flexible working at any age.

    ", + "

    Get help

    ", + "

    When planning your pension and retirement income you might need help with:

    ", + "
  • choosing a personal or stakeholder pension
  • ", + "
  • planning your savings
  • ", + "
  • choosing how you want to get your retirement income
  • ", + "
  • delaying your State Pension payments (deferring)
  • ", + "

    Where to get help

    ", + "

    You can get free guidance on your retirement savings options from:

    ", + "
  • Money Advice Service
  • ", + "
  • Pension Advisory Service
  • ", + "

    Pension Wise has information to help you decide what to do with your money if it\u2019s in a \u2018defined contribution\u2019 pension. If you\u2019re over 50, you can book an appointment to speak to someone.

    ", + "

    Paying for financial advice

    ", + "

    You can find an independent financial adviser:

    ", + "
  • on the Unbiased website
  • ", + "
  • from the Personal Finance Society
  • ", + "

    If you\u2019re paying into a pension scheme, you can ask your pension provider about taking out up to \u00a3500 to pay for financial advice on retirement. You can do this once a year up to 3 times without a tax charge. Not all pension schemes provide this.

    " + ] + }, + "https://www.gov.uk/transferring-your-pension": { + "url": "https://www.gov.uk/transferring-your-pension", + "title": "Transferring your pension", + "content": "## Overview\n\nYou may want to move some or all of your pension fund (sometimes called a \u2018pension pot\u2019) if:\n\n- you\u2019re changing job\n\n- your pension scheme is being closed or wound up\n\n- you want to transfer to a better pension scheme\n\n- you have pensions from more than one employer and want to bring them together\n\n- you\u2019re moving overseas and want to move your pension to a scheme in that country\n\n## Get help and advice\n\nYou can get free, impartial information about transferring your pension from:\n\n- the Money Advice Service\n\n- the Pensions Advisory Service\n\nYou can also get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.\n\n## If you\u2019re concerned about a pension scam\n\nContact Action Fraud if you\u2019re transferring a pension and are concerned about a scam.\n\nYou can also report a pension scam online to Action Fraud.\n\n## Transferring to a UK pension scheme\n\nYou can transfer your UK pension pot to another registered UK pension scheme.\n\nYou can also use it to buy a \u2018deferred annuity contract\u2019 - an agreement that gives you a guaranteed income in the future.\n\nTransferring your pension pot anywhere else - or taking it as an unauthorised lump sum - will be an \u2018unauthorised payment\u2019 and you\u2019ll have to pay tax on the transfer.\n\n## Before you make a transfer\n\nContact your current pension provider and the provider you want to transfer to. You\u2019ll need to check if:\n\n- your existing pension scheme allows you to transfer some or all of your pension pot\n\n- the scheme that you wish to transfer into will accept the transfer\n\nGet help and advice including if you\u2019re concerned about a pension scam.\n\nIf you transfer your pension, you may:\n\n- have to make payments to the new scheme\n\n- have to pay a fee to make the transfer\n\n- lose any right you had to take your pension at a certain age\n\n- lose any fixed or enhanced protection you have when you transfer\n\n- lose any right you had to take a tax free lump sum of more than 25% of your pension pot\n\nYour pension providers can tell you whether any of these will apply.\n\n## Transferring to an overseas pension scheme\n\nYou may be able to transfer your UK pension savings to an overseas pension scheme.\n\nGet help and advice including if you\u2019re concerned about a pension scam.\n\n## Schemes you can transfer to\n\nThe overseas scheme you want to transfer your pension savings to must be a \u2018qualifying recognised overseas pension scheme\u2019 (QROPS). It\u2019s up to you to check this with the overseas scheme or your UK pension provider or adviser.\n\nIf it\u2019s not a QROPS, your UK pension scheme may refuse to make the transfer, or you\u2019ll have to pay at least 40% tax on the transfer.\n\n## Tax when you transfer to a QROPS\n\nWhether you pay tax depends on where the QROPS you transfer to is based. It\u2019s your responsibility to find out where this is.\n\nYou do not have to pay any tax if you asked for a transfer to a QROPS before 9 March 2017.\n\nYou usually do not pay tax if you transfer to a QROPS provided by your employer. Check with the scheme to find out.\n\n## You transfer to a QROPS based in the European Economic Area (EEA) or Gibraltar\n\nYou pay 25% tax if you either:\n\n- live outside the UK, Gibraltar or the EEA\n\n- move to live outside the UK, Gibraltar or the EEA within 5 years\n\nOtherwise you do not pay tax.\n\nYou can get tax refunded if you move to the UK, Gibraltar or an EEA country within 5 years of the transfer. To claim, tell your UK scheme\u2019s administrator and your overseas scheme manager you\u2019ve moved using form APSS 241. They\u2019ll put the tax refund back into the pension it was taken from.\n\n## You transfer to a QROPS based outside the UK, Gibraltar or the EEA\n\nYou do not have to pay tax if you live in the country your QROPS is based in. Otherwise you\u2019ll have to pay 25% tax.\n\nIf you move countries within 5 years of the transfer, fill in form APSS 241 and give it to your scheme administrator. You\u2019ll:\n\n- get a refund if you\u2019ve moved to the country your QROPS is based in\n\n- have to pay 25% tax on your transfer if you\u2019ve moved away from the country your QROPS is based in\n\n## How to transfer\n\nForm APSS 263 tells you what information you\u2019ll need to provide before making a transfer.\n\nDownload and fill in the form and give it to your UK pension scheme administrator.\n\nYour transfer will be taxed at 25% if you do not provide all the information the form asks for within 60 days of requesting the transfer.\n\nIf you\u2019re under 75, your UK pension scheme administrator will work out what percentage of your lifetime allowance is used by the transfer.\n\nThey\u2019ll tell you if the amount you\u2019re transferring is more than your allowance and if you\u2019ll be taxed on it.\n\n## Payments from an overseas pension\n\nYou may have to pay UK tax on some payments from your overseas scheme. This depends on when you were a UK resident.", + "original_contents": [ + "

    Overview

    ", + "

    You may want to move some or all of your pension fund (sometimes called a \u2018pension pot\u2019) if:

    ", + "
  • you\u2019re changing job
  • ", + "
  • your pension scheme is being closed or wound up
  • ", + "
  • you want to transfer to a better pension scheme
  • ", + "
  • you have pensions from more than one employer and want to bring them together
  • ", + "
  • you\u2019re moving overseas and want to move your pension to a scheme in that country
  • ", + "

    Get help and advice

    ", + "

    You can get free, impartial information about transferring your pension from:

    ", + "
  • the Money Advice Service
  • ", + "
  • the Pensions Advisory Service
  • ", + "

    You can also get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.

    ", + "

    If you\u2019re concerned about a pension scam

    ", + "

    Contact Action Fraud if you\u2019re transferring a pension and are concerned about a scam.

    ", + "

    You can also report a pension scam online to Action Fraud.

    ", + "

    Transferring to a UK pension scheme

    ", + "

    You can transfer your UK pension pot to another registered UK pension scheme.

    ", + "

    You can also use it to buy a \u2018deferred annuity contract\u2019 - an agreement that gives you a guaranteed income in the future.

    ", + "

    Transferring your pension pot anywhere else - or taking it as an unauthorised lump sum - will be an \u2018unauthorised payment\u2019 and you\u2019ll have to pay tax on the transfer.

    ", + "

    Before you make a transfer

    ", + "

    Contact your current pension provider and the provider you want to transfer to. You\u2019ll need to check if:

    ", + "
  • your existing pension scheme allows you to transfer some or all of your pension pot
  • ", + "
  • the scheme that you wish to transfer into will accept the transfer
  • ", + "

    Get help and advice including if you\u2019re concerned about a pension scam.

    ", + "

    If you transfer your pension, you may:

    ", + "
  • have to make payments to the new scheme
  • ", + "
  • have to pay a fee to make the transfer
  • ", + "
  • lose any right you had to take your pension at a certain age
  • ", + "
  • lose any fixed or enhanced protection you have when you transfer
  • ", + "
  • lose any right you had to take a tax free lump sum of more than 25% of your pension pot
  • ", + "

    Your pension providers can tell you whether any of these will apply.

    ", + "

    Transferring to an overseas pension scheme

    ", + "

    You may be able to transfer your UK pension savings to an overseas pension scheme.

    ", + "

    Get help and advice including if you\u2019re concerned about a pension scam.

    ", + "

    Schemes you can transfer to

    ", + "

    The overseas scheme you want to transfer your pension savings to must be a \u2018qualifying recognised overseas pension scheme\u2019 (QROPS). It\u2019s up to you to check this with the overseas scheme or your UK pension provider or adviser.

    ", + "

    If it\u2019s not a QROPS, your UK pension scheme may refuse to make the transfer, or you\u2019ll have to pay at least 40% tax on the transfer.

    ", + "

    Tax when you transfer to a QROPS

    ", + "

    Whether you pay tax depends on where the QROPS you transfer to is based. It\u2019s your responsibility to find out where this is.

    ", + "

    You do not have to pay any tax if you asked for a transfer to a QROPS before 9 March 2017.

    ", + "

    You usually do not pay tax if you transfer to a QROPS provided by your employer. Check with the scheme to find out.

    ", + "

    You transfer to a QROPS based in the European Economic Area (EEA) or Gibraltar

    ", + "

    You pay 25% tax if you either:

    ", + "
  • live outside the UK, Gibraltar or the EEA
  • ", + "
  • move to live outside the UK, Gibraltar or the EEA within 5 years
  • ", + "

    Otherwise you do not pay tax.

    ", + "

    You can get tax refunded if you move to the UK, Gibraltar or an EEA country within 5 years of the transfer. To claim, tell your UK scheme\u2019s administrator and your overseas scheme manager you\u2019ve moved using form APSS 241. They\u2019ll put the tax refund back into the pension it was taken from.

    ", + "

    You transfer to a QROPS based outside the UK, Gibraltar or the EEA

    ", + "

    You do not have to pay tax if you live in the country your QROPS is based in. Otherwise you\u2019ll have to pay 25% tax.

    ", + "

    If you move countries within 5 years of the transfer, fill in form APSS 241 and give it to your scheme administrator. You\u2019ll:

    ", + "
  • get a refund if you\u2019ve moved to the country your QROPS is based in
  • ", + "
  • have to pay 25% tax on your transfer if you\u2019ve moved away from the country your QROPS is based in
  • ", + "

    How to transfer

    ", + "

    Form APSS 263 tells you what information you\u2019ll need to provide before making a transfer.

    ", + "

    Download and fill in the form and give it to your UK pension scheme administrator.

    ", + "

    Your transfer will be taxed at 25% if you do not provide all the information the form asks for within 60 days of requesting the transfer.

    ", + "

    If you\u2019re under 75, your UK pension scheme administrator will work out what percentage of your lifetime allowance is used by the transfer.

    ", + "

    They\u2019ll tell you if the amount you\u2019re transferring is more than your allowance and if you\u2019ll be taxed on it.

    ", + "

    Payments from an overseas pension

    ", + "

    You may have to pay UK tax on some payments from your overseas scheme. This depends on when you were a UK resident.

    " + ] + }, + "https://www.gov.uk/workplace-pensions": { + "url": "https://www.gov.uk/workplace-pensions", + "title": "Workplace pensions", + "content": "## About workplace pensions\n\nA workplace pension is a way of saving for your retirement that\u2019s arranged by your employer.\n\nSome workplace pensions are called \u2018occupational\u2019, \u2018works\u2019, \u2018company\u2019 or \u2018work-based\u2019 pensions.\n\n## How they work\n\nA percentage of your pay is put into the pension scheme automatically every payday.\n\nIn most cases, your employer also adds money into the pension scheme for you. You may also get tax relief from the government.\n\n## Joining a workplace pension\n\nAll employers must provide a workplace pension scheme. This is called \u2018automatic enrolment\u2019.\n\nYour employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:\n\n- you\u2019re classed as a \u2018worker\u2019\n\n- you\u2019re aged between 22 and State Pension age\n\n- you earn at least \u00a310,000 per year\n\n- you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)\n\n## When your employer does not have to automatically enrol you\n\nYour employer usually does not have to automatically enrol you if you do not meet the previous criteria or if any of the following apply:\n\n- you\u2019ve already given notice to your employer that you\u2019re leaving your job, or they\u2019ve given you notice\n\n- you have evidence of your lifetime allowance protection (for example, a certificate from HMRC)\n\n- you\u2019ve already taken a pension that meets the automatic enrolment rules and your employer arranged it\n\n- you get a one-off payment from a workplace pension scheme that\u2019s closed (a \u2018winding up lump sum\u2019), and then leave and rejoin the same job within 12 months of getting the payment\n\n- more than 12 months before your staging date, you left (\u2018opted out\u2019) of a pension arranged through your employer\n\n- you\u2019re from an EU member state and are in a EU cross-border pension scheme\n\n- you\u2019re in a limited liability partnership\n\n- you\u2019re a director without an employment contract and employ at least one other person in your company\n\nYou can usually still join their pension if you want to. Your employer cannot refuse.\n\n## If your income is low\n\nYour employer does not have to contribute to your pension if you earn these amounts or less:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\n## What happens when you\u2019re automatically enrolled\n\nYour employer must write to you when you\u2019ve been automatically enrolled into their workplace pension scheme. They must tell you:\n\n- the date they added you to the pension scheme\n\n- the type of pension scheme and who runs it\n\n- how much they\u2019ll contribute and how much you\u2019ll have to pay in\n\n- how to leave the scheme, if you want to\n\n- how tax relief applies to you\n\n## Delaying your enrolment date\n\nYour employer can delay the date they must enrol you into a pension scheme by up to 3 months.\n\nIn some cases they may be able to delay longer if they\u2019ve chosen either:\n\n- a \u2018defined benefit\u2019 pension\n\n- a \u2018hybrid\u2019 pension (a mixture of defined benefit and defined contribution pensions) that allows you to take a defined benefit pension\n\nYour employer must:\n\n- tell you about the delay in writing\n\n- let you join in the meantime if you ask to\n\n## What your employer cannot do\n\nYour employer cannot:\n\n- unfairly dismiss or discriminate against you for being in a workplace pension scheme\n\n- encourage or force you to opt out\n\n## What you, your employer and the government pay\n\nThe amount you and your employer pay towards the pension depends on:\n\n- what type of workplace pension scheme you\u2019re in\n\n- whether you\u2019ve been automatically enrolled in a workplace pension or you\u2019ve joined one voluntarily (\u2018opted in\u2019)\n\nUse the Money Advice Service\u2019s contributions calculator to work out how much you and your employer will put in.\n\n## Tax relief\n\nThe government will usually add money to your workplace pension in the form of tax relief if both of the following apply:\n\n- you pay Income Tax\n\n- you pay into a personal pension or workplace pension\n\nEven if you do not pay Income Tax, you\u2019ll still get an additional payment if your pension scheme uses \u2018relief at source\u2019 to add money to your pension pot.\n\n## If you\u2019ve been automatically enrolled\n\nYou and your employer must pay a percentage of your earnings into your workplace pension scheme.\n\nHow much you pay and what counts as earnings depend on the pension scheme your employer has chosen. Ask your employer about your pension scheme rules.\n\nIn most automatic enrolment schemes, you\u2019ll make contributions based on your total earnings between \u00a36,240 and \u00a350,270 a year before tax.\u00a0Your total earnings include:\n\n- salary or wages\n\n- bonuses and commission\n\n- overtime\n\n- statutory sick pay\n\n- statutory maternity, paternity or adoption pay\n\n## Workplace pension contributions\n\n| | The minimum your employer pays | You pay | Total minimum contribution |\n\n| From April 2019 | 3% | 5% | 8% |\n\nThese amounts could be higher for you or your employer because of your pension scheme rules. They\u2019re higher for most defined benefit pension schemes.\n\nIn some schemes, your employer has the option to pay in more than the legal minimum. In these schemes, you can pay in less as long as your employer puts in enough to meet the total minimum contribution.\n\n## If you\u2019ve voluntarily enrolled in a workplace pension\n\nYour employer must contribute the minimum amount if you earn more than:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\nThey do not have to contribute anything if you earn these amounts or less.\n\n## How your take-home pay changes\n\nJoining a workplace pension scheme means that your take-home income will be reduced. But this may:\n\n- mean you\u2019re entitled to tax credits or an increase in the amount of tax credits you get (although you may not get this until the next tax year)\n\n- mean you\u2019re entitled to an income-related benefit or an increase in the amount of benefit you get\n\n- reduce the amount of student loan repayments you need to make\n\n## Payments using salary sacrifice\n\nYou and your employer may agree to use \u2018salary sacrifice\u2019 (sometimes known as a \u2018SMART\u2019 scheme).\n\nIf you do this, you give up part of your salary and your employer pays this straight into your pension. In some cases, this will mean you and your employer pay less tax and National Insurance.\n\nAsk your employer if they use salary sacrifice.\n\n## Protection for your pension\n\nHow your pension is protected depends on the type of scheme.\n\n## Defined contribution pension schemes\n\n## If your employer goes bust\n\nDefined contribution pensions are usually run by pension providers, not employers. You will not lose your pension pot if your employer goes bust.\n\n## If your pension provider goes bust\n\nIf the pension provider was authorised by the Financial Conduct Authority and cannot pay you, you can get compensation from the Financial Services Compensation Scheme (FSCS).\n\n## Trust-based schemes\n\nSome defined contribution schemes are run by a trust appointed by the employer. These are called \u2018trust-based schemes\u2019.\n\nYou\u2019ll still get your pension if your employer goes out of business. But you might not get as much because the scheme\u2019s running costs will be paid by members\u2019 pension pots instead of the employer.\n\n## Defined benefit pension schemes\n\nYour employer is responsible for making sure there\u2019s enough money in a defined benefit pension to pay each member the promised amount.\n\nYour employer cannot touch the money in your pension if they\u2019re in financial trouble.\n\nYou\u2019re usually protected by the Pension Protection Fund if your employer goes bust and cannot pay your pension.\n\nThe Pension Protection Fund usually pays:\n\n- 100% compensation if you\u2019ve reached the scheme\u2019s pension age\n\n- 90% compensation if you\u2019re below the scheme\u2019s pension age\n\n## Fraud, theft or bad management\n\nIf there\u2019s a shortfall in your company\u2019s pension fund because of fraud or theft, you may be eligible for compensation from the Fraud Compensation Fund.\n\nContact one of the following organisations if you want to make a complaint about the way your workplace pension scheme is run:\n\n- the Pensions Advisory Service\n\n- the Pensions Ombudsman\n\n## Managing your pension\n\nYour pension provider will send you a statement each year to tell you how much is in your pension pot. You can also ask them for an estimate of how much you\u2019ll get when you start taking your pension pot.\n\n## What you see on your payslip\n\nYou do not need to do anything to get tax relief at the basic rate on your pension contributions. There are 2 types of arrangements:\n\n- net pay\n\n- relief at source\n\nCheck with your employer or pension provider which arrangement your workplace pension uses. This determines what you\u2019ll see on your payslip.\n\n## \u2018Net pay\u2019\n\nYour employer takes your contribution from your pay before it\u2019s taxed. You only pay tax on what\u2019s left. This means you get full tax relief, no matter if you pay tax at the basic, higher or additional rate.\n\nThe amount you\u2019ll see on your payslip is your contribution plus the tax relief.\n\nYou will not get tax relief if you do not pay tax, for example because you earn less than the tax threshold.\n\n## \u2018Relief at source\u2019\n\nYour employer takes your pension contribution after taking tax and National Insurance from your pay. However much you earn, your pension provider then adds tax relief to your pension pot at the basic rate.\n\nWith \u2018relief at source\u2019, the amount you see on your payslip is only your contributions, not the tax relief.\n\nYou may be able to claim money back if:\n\n- you pay higher or additional rate Income Tax\n\n- you pay higher or top rate Income Tax in Scotland\n\n## Tracing lost pensions\n\nThe Pension Tracing Service could help you find pensions you\u2019ve paid into but lost track of.\n\n## Nominate someone to get your pension if you die\n\nYou may be able to nominate (choose) someone to get your pension if you die before reaching the scheme\u2019s pension age. You can do this when you first join the pension or by writing to your provider.\n\nAsk your pension provider if you can nominate someone and what they\u2019d get if you die, for example regular payments or lump sums. Check your scheme\u2019s rules about:\n\n- who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23\n\n- whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die\n\nYou can change your nomination at any time. It\u2019s important to keep your nominee\u2019s details up to date.\n\nSometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.\n\n## Taking your pension\n\nMost pension schemes set an age when you can take your pension, usually between 60 and 65. In some circumstances you can take your pension early. The earliest is usually 55.\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. Taking your pension early in this way could mean you pay tax of up to 55%.\n\nIf the amount of money in your pension pot is quite small, you may be able to take it all as a lump sum. You can take 25% of it tax free, but you\u2019ll pay Income Tax on the rest.\n\nHow you get money from your pension depends on the type of scheme you\u2019re in.\n\n## Defined contribution pension schemes\n\nYou\u2019ll need to decide how to take your money if you\u2019re in a defined contribution pension scheme.\n\n## Defined benefit pension schemes\n\nYou may be able to take some money as a tax-free lump sum if you\u2019re in a defined benefit pension scheme - check with your pension provider. You\u2019ll get the rest as a guaranteed amount each year.\n\n## Changing jobs and taking leave\n\n## If you change jobs\n\nYour workplace pension still belongs to you. If you do not carry on paying into the scheme, the money will remain invested and you\u2019ll get a pension when you reach the scheme\u2019s pension age.\n\nYou can join another workplace pension scheme if you get a new job.\n\nIf you do, you might be able to:\n\n- carry on making contributions to your old pension\n\n- combine the old and new pension schemes\n\nAsk your pension providers about your options.\n\nIf you move jobs but pay into an old pension, you may not get some of that pension\u2019s benefits - check if they\u2019re only available to current workers.\n\n## If you worked at your job for less than 2 years before you left\n\nIf you were in a defined benefit pension scheme for less than 2 years, you might be able to either:\n\n- get a refund on what you contributed\n\n- transfer the value of its benefits to another scheme (a \u2018cash sum transfer\u2019)\n\nThis depends on the type of defined benefit scheme and its rules. Check with your employer or the pension scheme provider.\n\n## Paid leave\n\nDuring paid leave, you and your employer carry on making pension contributions.\n\nThe amount you contribute is based on your actual pay during this time, but your employer pays contributions based on the salary you would have received if you were not on leave.\n\n## Maternity and other parental leave\n\nYou and your employer will continue to make pension contributions if you\u2019re getting paid during maternity leave.\n\nIf you\u2019re not getting paid, your employer still has to make pension contributions in the first 26 weeks of your leave (\u2018Ordinary Maternity Leave\u2019). They have to carry on making contributions afterwards if it\u2019s in your contract. Check your employer\u2019s maternity policy.\n\n## Unpaid leave\n\nYou may be able to make contributions if you want to - check with your employer or the pension scheme provider.\n\n## If you become self-employed or stop working\n\nYou may be able to carry on contributing to your workplace pension - ask the scheme provider.\n\nYou could use the National Employment Saving Trust (NEST) - a workplace pension scheme that working self-employed people or sole directors of limited companies can use.\n\nYou could set up a personal or stakeholder pension.\n\nYou can get help with your workplace pension options.\n\n## If you want to leave your workplace pension scheme\n\nWhat you do if you want to leave a workplace pension depends on whether you\u2019ve been \u2018automatically enrolled\u2019 in it or not.\n\n## If you have not been automatically enrolled\n\nCheck with your employer - they\u2019ll tell you what to do.\n\n## If you\u2019ve been automatically enrolled\n\nYour employer will have sent you a letter telling you that you\u2019ve been added to the scheme.\n\nYou can leave (called \u2018opting out\u2019) if you want to.\n\nIf you opt out within a month of your employer adding you to the scheme, you\u2019ll get back any money you\u2019ve already paid in.\n\nYou may not be able to get your payments refunded if you opt out later - they\u2019ll usually stay in your pension until you retire.\n\nYou can opt out by contacting your pension provider. Your employer must tell you how to do this.\n\n## Reducing your payments\n\nYou may be able to reduce the amount you contribute to your workplace pension for a short time. Check with both your employer and your pension provider to see if you can do this and how long you can do it for.\n\n## Opting back in\n\nYou can do this at any time by writing to your employer. They do not have to accept you back into their workplace scheme if you\u2019ve opted in and then opted out in the past 12 months.\n\n## Rejoining the scheme automatically\n\nYour employer will automatically re-enrol you in the scheme. They must do this either every 3 years (from the date you first enrolled), or they can choose to do it sooner. They\u2019ll write to you when they do this.\n\n## When you do not rejoin automatically\n\nIf you no longer qualify for the scheme, you will not be automatically re-enrolled.\n\nIf you chose to leave the scheme in the 12 months before the date you would have been re-enrolled, your employer does not have to automatically re-enrol you. But they can choose to re-enrol you.\n\n## Get help\n\nFor questions about the specific terms of your workplace pension scheme, talk to your pension provider or your employer.\n\nYou can get free, impartial information about your workplace pension options from:\n\n- the Money Advice Service\n\n- the Pensions Advisory Service\n\n- Pension Wise if you\u2019re in a defined contribution pension scheme\n\nYou can get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.\n\nFor general questions on workplace pensions contact the DWP Workplace Pension Information Line.\n\nOnly use the information line if you\u2019re a worker - employers should contact The Pensions Regulator.\n\n## Problems with being \u2018automatically enrolled\u2019\n\nContact the The Pensions Regulator if you have concerns about the way your employer is dealing with automatic enrolment.\n\nThe Pensions Advisory Service may also be able to help you.\n\n## If you\u2019re already paying into a personal pension\n\nCheck whether it\u2019s better for you to:\n\n- carry on with just your personal pension\n\n- stop paying into your personal pension and join your workplace pension\n\n- keep paying into both\n\n## If you\u2019re saving large amounts in pensions\n\nYou may have to pay a tax charge if your total savings in workplace pensions and any other personal pension scheme go above your:\n\n- lifetime allowance - \u00a31,055,000\n\n- annual allowance - usually the lowest out of \u00a340,000 or 100% of your annual income\n\nIf you start taking your pension pot your annual allowance could drop to as low as \u00a34,000.\n\n## If your pension scheme is closing\n\nThis can happen if your employer decides they do not want to use a scheme anymore or they can no longer pay their contributions. What happens to the money you paid in depends on the pension scheme you\u2019ve joined.\n\nIf you\u2019ve been automatically enrolled, your employer cannot close a pension scheme without automatically enrolling you into another one.\n\n## If you\u2019re getting a divorce\n\nYou and your spouse or partner will have to tell the court the value of each of your pension pots. You then have different options to work out what happens to your pension when you get a divorce.", + "original_contents": [ + "

    About workplace pensions

    ", + "

    A workplace pension is a way of saving for your retirement that\u2019s arranged by your employer.

    ", + "

    Some workplace pensions are called \u2018occupational\u2019, \u2018works\u2019, \u2018company\u2019 or \u2018work-based\u2019 pensions.

    ", + "

    How they work

    ", + "

    A percentage of your pay is put into the pension scheme automatically every payday.

    ", + "

    In most cases, your employer also adds money into the pension scheme for you. You may also get tax relief from the government.

    ", + "

    Joining a workplace pension

    ", + "

    All employers must provide a workplace pension scheme. This is called \u2018automatic enrolment\u2019.

    ", + "

    Your employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:

    ", + "
  • you\u2019re classed as a \u2018worker\u2019
  • ", + "
  • you\u2019re aged between 22 and State Pension age
  • ", + "
  • you earn at least \u00a310,000 per year
  • ", + "
  • you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)
  • ", + "

    When your employer does not have to automatically enrol you

    ", + "

    Your employer usually does not have to automatically enrol you if you do not meet the previous criteria or if any of the following apply:

    ", + "
  • you\u2019ve already given notice to your employer that you\u2019re leaving your job, or they\u2019ve given you notice
  • ", + "
  • you have evidence of your lifetime allowance protection (for example, a certificate from HMRC)
  • ", + "
  • you\u2019ve already taken a pension that meets the automatic enrolment rules and your employer arranged it
  • ", + "
  • you get a one-off payment from a workplace pension scheme that\u2019s closed (a \u2018winding up lump sum\u2019), and then leave and rejoin the same job within 12 months of getting the payment
  • ", + "
  • more than 12 months before your staging date, you left (\u2018opted out\u2019) of a pension arranged through your employer
  • ", + "
  • you\u2019re from an EU member state and are in a EU cross-border pension scheme
  • ", + "
  • you\u2019re in a limited liability partnership
  • ", + "
  • you\u2019re a director without an employment contract and employ at least one other person in your company
  • ", + "

    You can usually still join their pension if you want to. Your employer cannot refuse.

    ", + "

    If your income is low

    ", + "

    Your employer does not have to contribute to your pension if you earn these amounts or less:

    ", + "
  • \u00a3520 a month
  • ", + "
  • \u00a3120 a week
  • ", + "
  • \u00a3480 over 4 weeks
  • ", + "

    What happens when you\u2019re automatically enrolled

    ", + "

    Your employer must write to you when you\u2019ve been automatically enrolled into their workplace pension scheme. They must tell you:

    ", + "
  • the date they added you to the pension scheme
  • ", + "
  • the type of pension scheme and who runs it
  • ", + "
  • how much they\u2019ll contribute and how much you\u2019ll have to pay in
  • ", + "
  • how to leave the scheme, if you want to
  • ", + "
  • how tax relief applies to you
  • ", + "

    Delaying your enrolment date

    ", + "

    Your employer can delay the date they must enrol you into a pension scheme by up to 3 months.

    ", + "

    In some cases they may be able to delay longer if they\u2019ve chosen either:

    ", + "
  • a \u2018defined benefit\u2019 pension
  • ", + "
  • a \u2018hybrid\u2019 pension (a mixture of defined benefit and defined contribution pensions) that allows you to take a defined benefit pension
  • ", + "

    Your employer must:

    ", + "
  • tell you about the delay in writing
  • ", + "
  • let you join in the meantime if you ask to
  • ", + "

    What your employer cannot do

    ", + "

    Your employer cannot:

    ", + "
  • unfairly dismiss or discriminate against you for being in a workplace pension scheme
  • ", + "
  • encourage or force you to opt out
  • ", + "

    What you, your employer and the government pay

    ", + "

    The amount you and your employer pay towards the pension depends on:

    ", + "
  • what type of workplace pension scheme you\u2019re in
  • ", + "
  • whether you\u2019ve been automatically enrolled in a workplace pension or you\u2019ve joined one voluntarily (\u2018opted in\u2019)
  • ", + "

    Use the Money Advice Service\u2019s contributions calculator to work out how much you and your employer will put in.

    ", + "

    Tax relief

    ", + "

    The government will usually add money to your workplace pension in the form of tax relief if both of the following apply:

    ", + "
  • you pay Income Tax
  • ", + "
  • you pay into a personal pension or workplace pension
  • ", + "

    Even if you do not pay Income Tax, you\u2019ll still get an additional payment if your pension scheme uses \u2018relief at source\u2019 to add money to your pension pot.

    ", + "

    If you\u2019ve been automatically enrolled

    ", + "

    You and your employer must pay a percentage of your earnings into your workplace pension scheme.

    ", + "

    How much you pay and what counts as earnings depend on the pension scheme your employer has chosen. Ask your employer about your pension scheme rules.

    ", + "

    In most automatic enrolment schemes, you\u2019ll make contributions based on your total earnings between \u00a36,240 and \u00a350,270 a year before tax.\u00a0Your total earnings include:

    ", + "
  • salary or wages
  • ", + "
  • bonuses and commission
  • ", + "
  • overtime
  • ", + "
  • statutory sick pay
  • ", + "
  • statutory maternity, paternity or adoption pay
  • ", + "

    Workplace pension contributions

    ", + " | The minimum your employer pays | You pay | Total minimum contribution", + "From April 2019 | 3% | 5% | 8%", + "

    These amounts could be higher for you or your employer because of your pension scheme rules. They\u2019re higher for most defined benefit pension schemes.

    ", + "

    In some schemes, your employer has the option to pay in more than the legal minimum. In these schemes, you can pay in less as long as your employer puts in enough to meet the total minimum contribution.

    ", + "

    If you\u2019ve voluntarily enrolled in a workplace pension

    ", + "

    Your employer must contribute the minimum amount if you earn more than:

    ", + "
  • \u00a3520 a month
  • ", + "
  • \u00a3120 a week
  • ", + "
  • \u00a3480 over 4 weeks
  • ", + "

    They do not have to contribute anything if you earn these amounts or less.

    ", + "

    How your take-home pay changes

    ", + "

    Joining a workplace pension scheme means that your take-home income will be reduced. But this may:

    ", + "
  • mean you\u2019re entitled to tax credits or an increase in the amount of tax credits you get (although you may not get this until the next tax year)
  • ", + "
  • mean you\u2019re entitled to an income-related benefit or an increase in the amount of benefit you get
  • ", + "
  • reduce the amount of student loan repayments you need to make
  • ", + "

    Payments using salary sacrifice

    ", + "

    You and your employer may agree to use \u2018salary sacrifice\u2019 (sometimes known as a \u2018SMART\u2019 scheme).

    ", + "

    If you do this, you give up part of your salary and your employer pays this straight into your pension. In some cases, this will mean you and your employer pay less tax and National Insurance.

    ", + "

    Ask your employer if they use salary sacrifice.

    ", + "

    Protection for your pension

    ", + "

    How your pension is protected depends on the type of scheme.

    ", + "

    Defined contribution pension schemes

    ", + "

    If your employer goes bust

    ", + "

    Defined contribution pensions are usually run by pension providers, not employers. You will not lose your pension pot if your employer goes bust.

    ", + "

    If your pension provider goes bust

    ", + "

    If the pension provider was authorised by the Financial Conduct Authority and cannot pay you, you can get compensation from the Financial Services Compensation Scheme (FSCS).

    ", + "

    Trust-based schemes

    ", + "

    Some defined contribution schemes are run by a trust appointed by the employer. These are called \u2018trust-based schemes\u2019.

    ", + "

    You\u2019ll still get your pension if your employer goes out of business. But you might not get as much because the scheme\u2019s running costs will be paid by members\u2019 pension pots instead of the employer.

    ", + "

    Defined benefit pension schemes

    ", + "

    Your employer is responsible for making sure there\u2019s enough money in a defined benefit pension to pay each member the promised amount.

    ", + "

    Your employer cannot touch the money in your pension if they\u2019re in financial trouble.

    ", + "

    You\u2019re usually protected by the Pension Protection Fund if your employer goes bust and cannot pay your pension.

    ", + "

    The Pension Protection Fund usually pays:

    ", + "
  • 100% compensation if you\u2019ve reached the scheme\u2019s pension age
  • ", + "
  • 90% compensation if you\u2019re below the scheme\u2019s pension age
  • ", + "

    Fraud, theft or bad management

    ", + "

    If there\u2019s a shortfall in your company\u2019s pension fund because of fraud or theft, you may be eligible for compensation from the Fraud Compensation Fund.

    ", + "

    Contact one of the following organisations if you want to make a complaint about the way your workplace pension scheme is run:

    ", + "
  • the Pensions Advisory Service
  • ", + "
  • the Pensions Ombudsman
  • ", + "

    Managing your pension

    ", + "

    Your pension provider will send you a statement each year to tell you how much is in your pension pot. You can also ask them for an estimate of how much you\u2019ll get when you start taking your pension pot.

    ", + "

    What you see on your payslip

    ", + "

    You do not need to do anything to get tax relief at the basic rate on your pension contributions. There are 2 types of arrangements:

    ", + "
  • net pay
  • ", + "
  • relief at source
  • ", + "

    Check with your employer or pension provider which arrangement your workplace pension uses. This determines what you\u2019ll see on your payslip.

    ", + "

    \u2018Net pay\u2019

    ", + "

    Your employer takes your contribution from your pay before it\u2019s taxed. You only pay tax on what\u2019s left. This means you get full tax relief, no matter if you pay tax at the basic, higher or additional rate.

    ", + "

    The amount you\u2019ll see on your payslip is your contribution plus the tax relief.

    ", + "

    You will not get tax relief if you do not pay tax, for example because you earn less than the tax threshold.

    ", + "

    \u2018Relief at source\u2019

    ", + "

    Your employer takes your pension contribution after taking tax and National Insurance from your pay. However much you earn, your pension provider then adds tax relief to your pension pot at the basic rate.

    ", + "

    With \u2018relief at source\u2019, the amount you see on your payslip is only your contributions, not the tax relief.

    ", + "

    You may be able to claim money back if:

    ", + "
  • you pay higher or additional rate Income Tax
  • ", + "
  • you pay higher or top rate Income Tax in Scotland
  • ", + "

    Tracing lost pensions

    ", + "

    The Pension Tracing Service could help you find pensions you\u2019ve paid into but lost track of.

    ", + "

    Nominate someone to get your pension if you die

    ", + "

    You may be able to nominate (choose) someone to get your pension if you die before reaching the scheme\u2019s pension age. You can do this when you first join the pension or by writing to your provider.

    ", + "

    Ask your pension provider if you can nominate someone and what they\u2019d get if you die, for example regular payments or lump sums. Check your scheme\u2019s rules about:

    ", + "
  • who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23
  • ", + "
  • whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die
  • ", + "

    You can change your nomination at any time. It\u2019s important to keep your nominee\u2019s details up to date.

    ", + "

    Sometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.

    ", + "

    Taking your pension

    ", + "

    Most pension schemes set an age when you can take your pension, usually between 60 and 65. In some circumstances you can take your pension early. The earliest is usually 55.

    ", + "

    Some companies offer to help you get money out of your pension before you\u2019re 55. Taking your pension early in this way could mean you pay tax of up to 55%.

    ", + "

    If the amount of money in your pension pot is quite small, you may be able to take it all as a lump sum. You can take 25% of it tax free, but you\u2019ll pay Income Tax on the rest.

    ", + "

    How you get money from your pension depends on the type of scheme you\u2019re in.

    ", + "

    Defined contribution pension schemes

    ", + "

    You\u2019ll need to decide how to take your money if you\u2019re in a defined contribution pension scheme.

    ", + "

    Defined benefit pension schemes

    ", + "

    You may be able to take some money as a tax-free lump sum if you\u2019re in a defined benefit pension scheme - check with your pension provider. You\u2019ll get the rest as a guaranteed amount each year.

    ", + "

    Changing jobs and taking leave

    ", + "

    If you change jobs

    ", + "

    Your workplace pension still belongs to you. If you do not carry on paying into the scheme, the money will remain invested and you\u2019ll get a pension when you reach the scheme\u2019s pension age.

    ", + "

    You can join another workplace pension scheme if you get a new job.

    ", + "

    If you do, you might be able to:

    ", + "
  • carry on making contributions to your old pension
  • ", + "
  • combine the old and new pension schemes
  • ", + "

    Ask your pension providers about your options.

    ", + "

    If you move jobs but pay into an old pension, you may not get some of that pension\u2019s benefits - check if they\u2019re only available to current workers.

    ", + "

    If you worked at your job for less than 2 years before you left

    ", + "

    If you were in a defined benefit pension scheme for less than 2 years, you might be able to either:

    ", + "
  • get a refund on what you contributed
  • ", + "
  • transfer the value of its benefits to another scheme (a \u2018cash sum transfer\u2019)
  • ", + "

    This depends on the type of defined benefit scheme and its rules. Check with your employer or the pension scheme provider.

    ", + "

    Paid leave

    ", + "

    During paid leave, you and your employer carry on making pension contributions.

    ", + "

    The amount you contribute is based on your actual pay during this time, but your employer pays contributions based on the salary you would have received if you were not on leave.

    ", + "

    Maternity and other parental leave

    ", + "

    You and your employer will continue to make pension contributions if you\u2019re getting paid during maternity leave.

    ", + "

    If you\u2019re not getting paid, your employer still has to make pension contributions in the first 26 weeks of your leave (\u2018Ordinary Maternity Leave\u2019). They have to carry on making contributions afterwards if it\u2019s in your contract. Check your employer\u2019s maternity policy.

    ", + "

    Unpaid leave

    ", + "

    You may be able to make contributions if you want to - check with your employer or the pension scheme provider.

    ", + "

    If you become self-employed or stop working

    ", + "

    You may be able to carry on contributing to your workplace pension - ask the scheme provider.

    ", + "

    You could use the National Employment Saving Trust (NEST) - a workplace pension scheme that working self-employed people or sole directors of limited companies can use.

    ", + "

    You could set up a personal or stakeholder pension.

    ", + "

    You can get help with your workplace pension options.

    ", + "

    If you want to leave your workplace pension scheme

    ", + "

    What you do if you want to leave a workplace pension depends on whether you\u2019ve been \u2018automatically enrolled\u2019 in it or not.

    ", + "

    If you have not been automatically enrolled

    ", + "

    Check with your employer - they\u2019ll tell you what to do.

    ", + "

    If you\u2019ve been automatically enrolled

    ", + "

    Your employer will have sent you a letter telling you that you\u2019ve been added to the scheme.

    ", + "

    You can leave (called \u2018opting out\u2019) if you want to.

    ", + "

    If you opt out within a month of your employer adding you to the scheme, you\u2019ll get back any money you\u2019ve already paid in.

    ", + "

    You may not be able to get your payments refunded if you opt out later - they\u2019ll usually stay in your pension until you retire.

    ", + "

    You can opt out by contacting your pension provider. Your employer must tell you how to do this.

    ", + "

    Reducing your payments

    ", + "

    You may be able to reduce the amount you contribute to your workplace pension for a short time. Check with both your employer and your pension provider to see if you can do this and how long you can do it for.

    ", + "

    Opting back in

    ", + "

    You can do this at any time by writing to your employer. They do not have to accept you back into their workplace scheme if you\u2019ve opted in and then opted out in the past 12 months.

    ", + "

    Rejoining the scheme automatically

    ", + "

    Your employer will automatically re-enrol you in the scheme. They must do this either every 3 years (from the date you first enrolled), or they can choose to do it sooner. They\u2019ll write to you when they do this.

    ", + "

    When you do not rejoin automatically

    ", + "

    If you no longer qualify for the scheme, you will not be automatically re-enrolled.

    ", + "

    If you chose to leave the scheme in the 12 months before the date you would have been re-enrolled, your employer does not have to automatically re-enrol you. But they can choose to re-enrol you.

    ", + "

    Get help

    ", + "

    For questions about the specific terms of your workplace pension scheme, talk to your pension provider or your employer.

    ", + "

    You can get free, impartial information about your workplace pension options from:

    ", + "
  • the Money Advice Service
  • ", + "
  • the Pensions Advisory Service
  • ", + "
  • Pension Wise if you\u2019re in a defined contribution pension scheme
  • ", + "

    You can get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.

    ", + "

    For general questions on workplace pensions contact the DWP Workplace Pension Information Line.

    ", + "

    Only use the information line if you\u2019re a worker - employers should contact The Pensions Regulator.

    ", + "

    Problems with being \u2018automatically enrolled\u2019

    ", + "

    Contact the The Pensions Regulator if you have concerns about the way your employer is dealing with automatic enrolment.

    ", + "

    The Pensions Advisory Service may also be able to help you.

    ", + "

    If you\u2019re already paying into a personal pension

    ", + "

    Check whether it\u2019s better for you to:

    ", + "
  • carry on with just your personal pension
  • ", + "
  • stop paying into your personal pension and join your workplace pension
  • ", + "
  • keep paying into both
  • ", + "

    If you\u2019re saving large amounts in pensions

    ", + "

    You may have to pay a tax charge if your total savings in workplace pensions and any other personal pension scheme go above your:

    ", + "
  • lifetime allowance - \u00a31,055,000
  • ", + "
  • annual allowance - usually the lowest out of \u00a340,000 or 100% of your annual income
  • ", + "

    If you start taking your pension pot your annual allowance could drop to as low as \u00a34,000.

    ", + "

    If your pension scheme is closing

    ", + "

    This can happen if your employer decides they do not want to use a scheme anymore or they can no longer pay their contributions. What happens to the money you paid in depends on the pension scheme you\u2019ve joined.

    ", + "

    If you\u2019ve been automatically enrolled, your employer cannot close a pension scheme without automatically enrolling you into another one.

    ", + "

    If you\u2019re getting a divorce

    ", + "

    You and your spouse or partner will have to tell the court the value of each of your pension pots. You then have different options to work out what happens to your pension when you get a divorce.

    " + ] + }, + "https://www.gov.uk/your-employment-contract-how-it-can-be-changed": { + "url": "https://www.gov.uk/your-employment-contract-how-it-can-be-changed", + "title": "Changing an employment contract", + "content": "## Getting agreement\n\nUsually, the employer and employee both need to agree to any contract changes. But an employee can insist on a change if they have a legal right to it.\n\n## Employers\n\nYou must get an employee\u2019s agreement if you want to make changes to their contract.\n\nYou should:\n\n- consult or negotiate with employees or their representatives (for example from a trade union or staff association)\n\n- explain the reasons for changes\n\n- listen to alternative ideas from employees\n\nYou may also want to talk with workers, asking them about their future plans. With older employees this can include talking about their thoughts on retirement and their options for staying in the job, for example changes to their role, hours or working pattern.\n\n## Employees\n\nExplain to your employer why you want to make the changes. You can insist on a change if it\u2019s covered by a statutory right - for example not working on a Sunday.\n\n## Making changes\n\nOnce employers have agreed on changes with their staff, they need to:\n\n- update the terms of their employees\u2019 \u2018written statement\u2019 of employment conditions\n\n- write to their employees within a month to tell them exactly what has changed\n\nIf an employer changes terms and conditions that are not in the written statement (for example the right to sick leave), they should tell their employees where to find information about the change. This could be in a company handbook, noticeboard or intranet site.\n\n## Collective agreements\n\nEmployers must write to their staff to let them know about any changes to collective agreements with trade unions or staff associations.\n\nThese changes might affect the terms of employees\u2019 written statements, including pay and working hours, whether or not they\u2019re a member of the union or staff association.\n\n## Flexibility clauses\n\nFlexibility clauses are terms in a contract that give employers the right to change some conditions of employment, for example relocation.\n\nEmployers can only use flexibility clauses to make reasonable changes.\n\n## Changes of employer\n\nIf someone starts working for a different employer, they\u2019ll normally have to be given a new written statement within 2 months.\n\nHowever, if the name of a business changes or there\u2019s a new employer but no other changes in terms and conditions, the employer does not need to issue a new written statement. They still need to write to their staff about the changes within a month.\n\n## Disciplinary measures\n\nSometimes changes to an employee\u2019s terms and conditions, like a demotion, can happen as a result of a disciplinary measure.\n\nEmployers should make sure the staff handbook or intranet site contains information about how this could happen in the section dealing with disciplinary procedures.\n\n## Dealing with problems\n\nProblems can arise if:\n\n- an employer tries to change a contract without agreement, or re-employs someone on new terms and conditions\n\n- there is a breach of contract where one of the terms in a contract is broken (for example an employer does not pay agreed wages or employees do not work agreed hours)\n\n## Solving disputes\n\nEmployers and their staff should try to solve disputes about contract changes by talking informally or through mediation.\n\nEmployees can also get advice from their trade union representative (if they\u2019re a member of a union), Citizen\u2019s Advice or Acas (Advisory, Conciliation and Arbitration Service). In Northern Ireland, they can get advice from the Labour Relations Agency (LRA) .\n\nIf the problem cannot be solved, employers or employees may have the right to take legal action. It\u2019s important to get advice first because legal action can be expensive. Trade union members may be able to get legal advice from their union.\n\n## Making a change without agreement\n\nIf an employer makes a change to a contract without getting agreement (including by using flexibility clauses unreasonably), employees may:\n\n- have the right to refuse to work under the new conditions\n\n- say that they\u2019re working any new terms under protest, and are treating the change as a breach of contract\n\n- resign and claim constructive dismissal\n\n- be able to take a case to an employment tribunal\n\nIn Northern Ireland an employment tribunal is known as an \u2018industrial tribunal\u2019.\n\nIf an employee disagrees with new terms and conditions but does not say or do anything, this may count as agreeing to the changes.\n\n## Re-employment on new terms and conditions\n\nEmployers may, as a last resort, end a contract and re-employ someone on new terms and conditions.\n\nEmployers who are dismissing employees must follow the legally required:\n\n- redundancy procedure in England, Wales and Scotland\n\n- statutory minimum dismissal in Northern Ireland\n\nIf an employer does dismiss and re-employ someone, they may be able to take a case to a tribunal and claim:\n\n- breach of contract\n\n- unfair dismissal\n\n## Breach of contract claims\n\nIf an employee claims breach of contract and they cannot solve things informally with their employer, they may be able to take their case to a civil court or an employment tribunal (or an industrial tribunal in Northern Ireland).\n\nTheir employer may be able to make a counter-claim.\n\nClaims and counter-claims can only go to a tribunal if they:\n\n- are related to an employment contract issue\n\n- still have not been solved when the employee ends their employment\n\nThe claim or counter-claim cannot be related to a personal injury, or certain types of contract term like intellectual property rights.\n\n## Time limits\n\nUsually, employees must make a claim to a tribunal within 3 months of ending their employment. The employer gets 6 weeks from receiving a copy of the claim to decide whether to make a counter-claim.\n\n## Compensation limits\n\nIf the tribunal agrees with the employee\u2019s claim, they may award compensation. This can only be for financial loss (for example, non-payment of wages) up to a maximum of \u00a325,000.", + "original_contents": [ + "

    Getting agreement

    ", + "

    Usually, the employer and employee both need to agree to any contract changes. But an employee can insist on a change if they have a legal right to it.

    ", + "

    Employers

    ", + "

    You must get an employee\u2019s agreement if you want to make changes to their contract.

    ", + "

    You should:

    ", + "
  • consult or negotiate with employees or their representatives (for example from a trade union or staff association)
  • ", + "
  • explain the reasons for changes
  • ", + "
  • listen to alternative ideas from employees
  • ", + "

    You may also want to talk with workers, asking them about their future plans. With older employees this can include talking about their thoughts on retirement and their options for staying in the job, for example changes to their role, hours or working pattern.

    ", + "

    Employees

    ", + "

    Explain to your employer why you want to make the changes. You can insist on a change if it\u2019s covered by a statutory right - for example not working on a Sunday.

    ", + "

    Making changes

    ", + "

    Once employers have agreed on changes with their staff, they need to:

    ", + "
  • update the terms of their employees\u2019 \u2018written statement\u2019 of employment conditions
  • ", + "
  • write to their employees within a month to tell them exactly what has changed
  • ", + "

    If an employer changes terms and conditions that are not in the written statement (for example the right to sick leave), they should tell their employees where to find information about the change. This could be in a company handbook, noticeboard or intranet site.

    ", + "

    Collective agreements

    ", + "

    Employers must write to their staff to let them know about any changes to collective agreements with trade unions or staff associations.

    ", + "

    These changes might affect the terms of employees\u2019 written statements, including pay and working hours, whether or not they\u2019re a member of the union or staff association.

    ", + "

    Flexibility clauses

    ", + "

    Flexibility clauses are terms in a contract that give employers the right to change some conditions of employment, for example relocation.

    ", + "

    Employers can only use flexibility clauses to make reasonable changes.

    ", + "

    Changes of employer

    ", + "

    If someone starts working for a different employer, they\u2019ll normally have to be given a new written statement within 2 months.

    ", + "

    However, if the name of a business changes or there\u2019s a new employer but no other changes in terms and conditions, the employer does not need to issue a new written statement. They still need to write to their staff about the changes within a month.

    ", + "

    Disciplinary measures

    ", + "

    Sometimes changes to an employee\u2019s terms and conditions, like a demotion, can happen as a result of a disciplinary measure.

    ", + "

    Employers should make sure the staff handbook or intranet site contains information about how this could happen in the section dealing with disciplinary procedures.

    ", + "

    Dealing with problems

    ", + "

    Problems can arise if:

    ", + "
  • an employer tries to change a contract without agreement, or re-employs someone on new terms and conditions
  • ", + "
  • there is a breach of contract where one of the terms in a contract is broken (for example an employer does not pay agreed wages or employees do not work agreed hours)
  • ", + "

    Solving disputes

    ", + "

    Employers and their staff should try to solve disputes about contract changes by talking informally or through mediation.

    ", + "

    Employees can also get advice from their trade union representative (if they\u2019re a member of a union), Citizen\u2019s Advice or Acas (Advisory, Conciliation and Arbitration Service). In Northern Ireland, they can get advice from the Labour Relations Agency (LRA) .

    ", + "

    If the problem cannot be solved, employers or employees may have the right to take legal action. It\u2019s important to get advice first because legal action can be expensive. Trade union members may be able to get legal advice from their union.

    ", + "

    Making a change without agreement

    ", + "

    If an employer makes a change to a contract without getting agreement (including by using flexibility clauses unreasonably), employees may:

    ", + "
  • have the right to refuse to work under the new conditions
  • ", + "
  • say that they\u2019re working any new terms under protest, and are treating the change as a breach of contract
  • ", + "
  • resign and claim constructive dismissal
  • ", + "
  • be able to take a case to an employment tribunal
  • ", + "

    In Northern Ireland an employment tribunal is known as an \u2018industrial tribunal\u2019.

    ", + "

    If an employee disagrees with new terms and conditions but does not say or do anything, this may count as agreeing to the changes.

    ", + "

    Re-employment on new terms and conditions

    ", + "

    Employers may, as a last resort, end a contract and re-employ someone on new terms and conditions.

    ", + "

    Employers who are dismissing employees must follow the legally required:

    ", + "
  • redundancy procedure in England, Wales and Scotland
  • ", + "
  • statutory minimum dismissal in Northern Ireland
  • ", + "

    If an employer does dismiss and re-employ someone, they may be able to take a case to a tribunal and claim:

    ", + "
  • breach of contract
  • ", + "
  • unfair dismissal
  • ", + "

    Breach of contract claims

    ", + "

    If an employee claims breach of contract and they cannot solve things informally with their employer, they may be able to take their case to a civil court or an employment tribunal (or an industrial tribunal in Northern Ireland).

    ", + "

    Their employer may be able to make a counter-claim.

    ", + "

    Claims and counter-claims can only go to a tribunal if they:

    ", + "
  • are related to an employment contract issue
  • ", + "
  • still have not been solved when the employee ends their employment
  • ", + "

    The claim or counter-claim cannot be related to a personal injury, or certain types of contract term like intellectual property rights.

    ", + "

    Time limits

    ", + "

    Usually, employees must make a claim to a tribunal within 3 months of ending their employment. The employer gets 6 weeks from receiving a copy of the claim to decide whether to make a counter-claim.

    ", + "

    Compensation limits

    ", + "

    If the tribunal agrees with the employee\u2019s claim, they may award compensation. This can only be for financial loss (for example, non-payment of wages) up to a maximum of \u00a325,000.

    " + ] + }, + "https://www.gov.uk/agency-workers-your-rights": { + "url": "https://www.gov.uk/agency-workers-your-rights", + "title": "Your rights as an agency worker", + "content": "## When you're an agency worker\n\nYou\u2019re an agency worker if you have a contract with an agency but you work temporarily for a hirer. Agencies can include recruitment agencies, for example \u2018temp agencies\u2019.\n\nYou\u2019re also an agency worker if you look for work through entertainment and modelling agencies.\n\nYou\u2019re not an agency worker if you use an agency to find permanent or fixed-term employment. Check with the company that hired you.\n\nContact ACAS if you\u2019re unsure if you\u2019re an agency worker.\n\n## Fees\n\nRecruitment agencies cannot charge you a fee for finding or trying to find you work.\n\nThey can charge you for certain services, for example CV writing, training or transport. You have the right to cancel these as long as you give notice.\n\nIf any agency offers you services it:\n\n- must give you full written details of the fee and conditions before charging you - including details of your right to cancel and the notice period\n\n- cannot make you use these services as a condition for finding you work\n\nThere are different rules for entertainment and modelling agencies.\n\n## When you want to cancel a service\n\nYou can cancel paid services without a penalty. You must give a minimum of:\n\n- 10 working days\u2019 written notice to the agency to cancel living accommodation\n\n- 5 working days\u2019 notice for all other services, such as training courses\n\nYou can complain to Acas if you think your agency has unfairly charged you or it will not refund you during the notice period.\n\n## What your agency must give you\n\nYour agency must give you information about the work they\u2019re trying to find you.\n\n## Before you\u2019re offered a job\n\nBefore looking for work for you, your agency must give you:\n\n- a key information document\n\n- written terms of engagement - often known as a contract\n\n## Key information document\n\nThe key information document is a short explanation of how you\u2019ll be paid and what deductions will be applied.\n\nIt must include:\n\n- the minimum rate of pay you can expect\n\n- a sample payslip giving an estimate of your take home pay after things like National Insurance, Income Tax or private healthcare\n\n- who is paying you\n\n- if you have any fees to pay\n\n- if you\u2019re entitled to any benefits\n\nYour agency does not have to give you a key information document if you\u2019ve already agreed terms of engagement with them before 6 April 2020.\n\n## Terms of engagement\n\nThe written terms of engagement should include:\n\n- whether you\u2019re employed under a contract for services or a contract of employment\n\n- your notice period\n\n- your pay\n\n- your holiday entitlement\n\nAn agency cannot change your terms and conditions without telling you. If you agree to changes, you must be given a new document with the full details of the changes and the date they changed.\n\nAn agency cannot give information about you to any third parties (including current employers or hirers) without your permission.\n\n## When you\u2019re offered a job\n\nThe agency must give you a written statement that tells you:\n\n- your start date\n\n- how long the contract is likely to last\n\n- the type of work\n\n- about any expenses you may have to pay\n\n- the location\n\n- your hours\n\n- about any health and safety risks\n\n- about any experience, training or qualifications needed for the role\n\n## Equal treatment\n\nFrom the day you start work you have a worker\u2019s employment rights.\n\nYou also have the same rights as your permanent colleagues to use any shared facilities and services provided by your employer, for example:\n\n- a canteen or food and drinks machines\n\n- a workplace creche or mother and baby room\n\n- car parking or transport services, like a local pick-up service or transport between sites\n\n## Rights after 12 weeks\n\nAfter 12 weeks in the job you qualify for the same rights as someone employed directly. This is known as \u2018equal treatment\u2019.\n\nYour rights include:\n\n- \u2018equal pay\u2019 - the same pay as a permanent colleague doing the same job\n\n- automatic pension enrolment\n\n- paid annual leave\n\n## How to count your 12 week period\n\nStart counting your 12 week qualifying period from your first day at work.\n\nYou do not have to be at work for 12 weeks in a row - some types of leave count and there can be breaks.\n\n## Do not count days on sick leave or a break\n\nThe qualifying period will pause for sick leave or breaks. Do not count the days when:\n\n- you take a break of 6 weeks or less\n\n- you\u2019re on leave due to sickness or injury for up to 28 weeks\n\n- you take annual leave you\u2019re entitled to\n\n- the workplace closes, for example for Christmas or industrial action\n\n- you\u2019re on jury service for up to 28 weeks\n\n## Count time off for pregnancy, paternity or adoption\n\nYour 12 week qualifying period will continue through time off you have for:\n\n- pregnancy and up to 26 weeks after childbirth\n\n- adoption leave\n\n- paternity leave\n\nIf your leave is more than 12 weeks you\u2019ll qualify for equal treatment when you return to work.\n\n## Start from zero for a new job or role\n\nYour 12 weeks will start again if you:\n\n- get a new job at a different workplace\n\n- have a break of more than 6 weeks between jobs at the same workplace\n\n- stay at your workplace but take a new role that\u2019s \u2018substantively different\u2019\n\nA substantively different role is one that\u2019s completely new, different work. It could be a combination of different:\n\n- skills, or requiring new training\n\n- pay rate\n\n- location\n\n- working hours\n\n## Pay\n\nYou\u2019re entitled to the National Minimum Wage for all the hours you work, even if you have not recorded them on a timesheet.\n\nAfter 12 weeks you\u2019re entitled to be paid the same as a permanent employee doing the same job.\n\n## If your agency withholds your pay\n\nYour agency can delay paying you while they get proof of the hours you worked, but only for a reasonable period of time.\n\nYour agency cannot refuse to pay you because your hirer\u2019s unhappy with your work - this is a contractual issue between your agency and the hirer.\n\nYou can make a claim to an employment tribunal if your agency is refusing to pay you.\n\n## If you\u2019ve opted out of the right to equal pay\n\nYour agency should contact you to explain that after 12 weeks you\u2019re entitled to the same pay as a permanent employee doing the same job.\n\n## Maternity rights\n\nYou may be able to get Statutory Maternity Pay, but you cannot get Statutory Maternity Leave.\n\nAs an agency worker, you have employee\u2019s pregnancy rights after working in your role for 12 weeks.\n\nIt\u2019s illegal to discriminate against you on the grounds that:\n\n- you\u2019re pregnant\n\n- you\u2019ve given birth in the last 6 months\n\n- you\u2019re breastfeeding\n\nIt\u2019s discrimination if your:\n\n- agency refuses to place you in a job\n\n- hirer refuses to hire you\n\n- job was terminated because you\u2019re pregnant\n\n- agency refuses to keep you on its books\n\n- agency offers you only short jobs and gives longer ones to other agency workers\n\n- hirer will not let you come back after having leave due to maternity\n\nContact Acas if you believe you\u2019ve been discriminated against.\n\n## If there\u2019s a risk to your health\n\nYour hirer should make reasonable adjustments so you can do your job. If this isn\u2019t possible your agency must find you alternative work or pay you at the same rate for the expected length of your contract.\n\n## Antenatal care\n\nAfter 12 weeks in the job you can get paid time off to go to \u2018antenatal care\u2019 if you cannot arrange it outside working hours.\n\nAntenatal care includes antenatal classes, appointments and parenting classes if they\u2019ve been recommended by a doctor or midwife.\n\nYou must also be paid for the travel time if it\u2019s during working hours.\n\n## Entertainment agencies\n\nEntertainment agencies can charge you a fee:\n\n- for finding you work, for example taking a commission (percentage fee) from your earnings\n\n- to publish your details online or in a publication\n\nThey must tell you in writing if a fee is involved.\n\n## If they\u2019re publishing your details\n\nOnce you receive the contract, you have a 30-day \u2018cooling off\u2019 period when you:\n\n- can cancel or withdraw from it without getting a penalty\n\n- do not have to pay\n\nThe agency must show you what it plans to publish about you before it\u2019s published.\n\nYou then have up to 7 days after the cooling off period to say if you do not want the information to be published. If you\u2019re happy, you must pay after the 7 days.\n\nIf the agency charged you but did not publish your name, you have the right to a refund for up to 60 days.\n\nContact Acas if you believe you\u2019ve been charged unfairly.\n\n## Modelling agencies\n\nFashion and photographic model agencies can charge you a fee for finding you work. They can take a commission (percentage fee) from your earnings.\n\nThey can also charge a fee to publish your details online or in a publication. They cannot charge this fee to you upfront but they can take it from your earnings if they find you work.\n\nThey must tell you in writing if a fee is involved.\n\nContact Acas if you believe you\u2019ve been charged unfairly.", + "original_contents": [ + "

    When you're an agency worker

    ", + "

    You\u2019re an agency worker if you have a contract with an agency but you work temporarily for a hirer. Agencies can include recruitment agencies, for example \u2018temp agencies\u2019.

    ", + "

    You\u2019re also an agency worker if you look for work through entertainment and modelling agencies.

    ", + "

    You\u2019re not an agency worker if you use an agency to find permanent or fixed-term employment. Check with the company that hired you.

    ", + "

    Contact ACAS if you\u2019re unsure if you\u2019re an agency worker.

    ", + "

    Fees

    ", + "

    Recruitment agencies cannot charge you a fee for finding or trying to find you work.

    ", + "

    They can charge you for certain services, for example CV writing, training or transport. You have the right to cancel these as long as you give notice.

    ", + "

    If any agency offers you services it:

    ", + "
  • must give you full written details of the fee and conditions before charging you - including details of your right to cancel and the notice period
  • ", + "
  • cannot make you use these services as a condition for finding you work
  • ", + "

    There are different rules for entertainment and modelling agencies.

    ", + "

    When you want to cancel a service

    ", + "

    You can cancel paid services without a penalty. You must give a minimum of:

    ", + "
  • 10 working days\u2019 written notice to the agency to cancel living accommodation
  • ", + "
  • 5 working days\u2019 notice for all other services, such as training courses
  • ", + "

    You can complain to Acas if you think your agency has unfairly charged you or it will not refund you during the notice period.

    ", + "

    What your agency must give you

    ", + "

    Your agency must give you information about the work they\u2019re trying to find you.

    ", + "

    Before you\u2019re offered a job

    ", + "

    Before looking for work for you, your agency must give you:

    ", + "
  • a key information document
  • ", + "
  • written terms of engagement - often known as a contract
  • ", + "

    Key information document

    ", + "

    The key information document is a short explanation of how you\u2019ll be paid and what deductions will be applied.

    ", + "

    It must include:

    ", + "
  • the minimum rate of pay you can expect
  • ", + "
  • a sample payslip giving an estimate of your take home pay after things like National Insurance, Income Tax or private healthcare
  • ", + "
  • who is paying you
  • ", + "
  • if you have any fees to pay
  • ", + "
  • if you\u2019re entitled to any benefits
  • ", + "

    Your agency does not have to give you a key information document if you\u2019ve already agreed terms of engagement with them before 6 April 2020.

    ", + "

    Terms of engagement

    ", + "

    The written terms of engagement should include:

    ", + "
  • whether you\u2019re employed under a contract for services or a contract of employment
  • ", + "
  • your notice period
  • ", + "
  • your pay
  • ", + "
  • your holiday entitlement
  • ", + "

    An agency cannot change your terms and conditions without telling you. If you agree to changes, you must be given a new document with the full details of the changes and the date they changed.

    ", + "

    An agency cannot give information about you to any third parties (including current employers or hirers) without your permission.

    ", + "

    When you\u2019re offered a job

    ", + "

    The agency must give you a written statement that tells you:

    ", + "
  • your start date
  • ", + "
  • how long the contract is likely to last
  • ", + "
  • the type of work
  • ", + "
  • about any expenses you may have to pay
  • ", + "
  • the location
  • ", + "
  • your hours
  • ", + "
  • about any health and safety risks
  • ", + "
  • about any experience, training or qualifications needed for the role
  • ", + "

    Equal treatment

    ", + "

    From the day you start work you have a worker\u2019s employment rights.

    ", + "

    You also have the same rights as your permanent colleagues to use any shared facilities and services provided by your employer, for example:

    ", + "
  • a canteen or food and drinks machines
  • ", + "
  • a workplace creche or mother and baby room
  • ", + "
  • car parking or transport services, like a local pick-up service or transport between sites
  • ", + "

    Rights after 12 weeks

    ", + "

    After 12 weeks in the job you qualify for the same rights as someone employed directly. This is known as \u2018equal treatment\u2019.

    ", + "

    Your rights include:

    ", + "
  • \u2018equal pay\u2019 - the same pay as a permanent colleague doing the same job
  • ", + "
  • automatic pension enrolment
  • ", + "
  • paid annual leave
  • ", + "

    How to count your 12 week period

    ", + "

    Start counting your 12 week qualifying period from your first day at work.

    ", + "

    You do not have to be at work for 12 weeks in a row - some types of leave count and there can be breaks.

    ", + "

    Do not count days on sick leave or a break

    ", + "

    The qualifying period will pause for sick leave or breaks. Do not count the days when:

    ", + "
  • you take a break of 6 weeks or less
  • ", + "
  • you\u2019re on leave due to sickness or injury for up to 28 weeks
  • ", + "
  • you take annual leave you\u2019re entitled to
  • ", + "
  • the workplace closes, for example for Christmas or industrial action
  • ", + "
  • you\u2019re on jury service for up to 28 weeks
  • ", + "

    Count time off for pregnancy, paternity or adoption

    ", + "

    Your 12 week qualifying period will continue through time off you have for:

    ", + "
  • pregnancy and up to 26 weeks after childbirth
  • ", + "
  • adoption leave
  • ", + "
  • paternity leave
  • ", + "

    If your leave is more than 12 weeks you\u2019ll qualify for equal treatment when you return to work.

    ", + "

    Start from zero for a new job or role

    ", + "

    Your 12 weeks will start again if you:

    ", + "
  • get a new job at a different workplace
  • ", + "
  • have a break of more than 6 weeks between jobs at the same workplace
  • ", + "
  • stay at your workplace but take a new role that\u2019s \u2018substantively different\u2019
  • ", + "

    A substantively different role is one that\u2019s completely new, different work. It could be a combination of different:

    ", + "
  • skills, or requiring new training
  • ", + "
  • pay rate
  • ", + "
  • location
  • ", + "
  • working hours
  • ", + "

    Pay

    ", + "

    You\u2019re entitled to the National Minimum Wage for all the hours you work, even if you have not recorded them on a timesheet.

    ", + "

    After 12 weeks you\u2019re entitled to be paid the same as a permanent employee doing the same job.

    ", + "

    If your agency withholds your pay

    ", + "

    Your agency can delay paying you while they get proof of the hours you worked, but only for a reasonable period of time.

    ", + "

    Your agency cannot refuse to pay you because your hirer\u2019s unhappy with your work - this is a contractual issue between your agency and the hirer.

    ", + "

    You can make a claim to an employment tribunal if your agency is refusing to pay you.

    ", + "

    If you\u2019ve opted out of the right to equal pay

    ", + "

    Your agency should contact you to explain that after 12 weeks you\u2019re entitled to the same pay as a permanent employee doing the same job.

    ", + "

    Maternity rights

    ", + "

    You may be able to get Statutory Maternity Pay, but you cannot get Statutory Maternity Leave.

    ", + "

    As an agency worker, you have employee\u2019s pregnancy rights after working in your role for 12 weeks.

    ", + "

    It\u2019s illegal to discriminate against you on the grounds that:

    ", + "
  • you\u2019re pregnant
  • ", + "
  • you\u2019ve given birth in the last 6 months
  • ", + "
  • you\u2019re breastfeeding
  • ", + "

    It\u2019s discrimination if your:

    ", + "
  • agency refuses to place you in a job
  • ", + "
  • hirer refuses to hire you
  • ", + "
  • job was terminated because you\u2019re pregnant
  • ", + "
  • agency refuses to keep you on its books
  • ", + "
  • agency offers you only short jobs and gives longer ones to other agency workers
  • ", + "
  • hirer will not let you come back after having leave due to maternity
  • ", + "

    Contact Acas if you believe you\u2019ve been discriminated against.

    ", + "

    If there\u2019s a risk to your health

    ", + "

    Your hirer should make reasonable adjustments so you can do your job. If this isn\u2019t possible your agency must find you alternative work or pay you at the same rate for the expected length of your contract.

    ", + "

    Antenatal care

    ", + "

    After 12 weeks in the job you can get paid time off to go to \u2018antenatal care\u2019 if you cannot arrange it outside working hours.

    ", + "

    Antenatal care includes antenatal classes, appointments and parenting classes if they\u2019ve been recommended by a doctor or midwife.

    ", + "

    You must also be paid for the travel time if it\u2019s during working hours.

    ", + "

    Entertainment agencies

    ", + "

    Entertainment agencies can charge you a fee:

    ", + "
  • for finding you work, for example taking a commission (percentage fee) from your earnings
  • ", + "
  • to publish your details online or in a publication
  • ", + "

    They must tell you in writing if a fee is involved.

    ", + "

    If they\u2019re publishing your details

    ", + "

    Once you receive the contract, you have a 30-day \u2018cooling off\u2019 period when you:

    ", + "
  • can cancel or withdraw from it without getting a penalty
  • ", + "
  • do not have to pay
  • ", + "

    The agency must show you what it plans to publish about you before it\u2019s published.

    ", + "

    You then have up to 7 days after the cooling off period to say if you do not want the information to be published. If you\u2019re happy, you must pay after the 7 days.

    ", + "

    If the agency charged you but did not publish your name, you have the right to a refund for up to 60 days.

    ", + "

    Contact Acas if you believe you\u2019ve been charged unfairly.

    ", + "

    Modelling agencies

    ", + "

    Fashion and photographic model agencies can charge you a fee for finding you work. They can take a commission (percentage fee) from your earnings.

    ", + "

    They can also charge a fee to publish your details online or in a publication. They cannot charge this fee to you upfront but they can take it from your earnings if they find you work.

    ", + "

    They must tell you in writing if a fee is involved.

    ", + "

    Contact Acas if you believe you\u2019ve been charged unfairly.

    " + ] + }, + "https://www.gov.uk/understanding-your-pay": { + "url": "https://www.gov.uk/understanding-your-pay", + "title": "Understanding your pay", + "content": "## Overview\n\nWhen you start work, your employer should tell you how much you\u2019ll be paid and how often. They should also tell you:\n\n- the day or date you\u2019ll be paid, for example each Friday or the last day of the month\n\n- how you\u2019ll be paid, for example cash, cheque or bank transfer\n\nIf you\u2019re an employee or \u2018worker\u2019 (not a contractor or freelancer), you have the right to a payslip, which shows:\n\n- your earnings before and after any deductions\n\n- the amount of any deductions that may change each time you\u2019re paid, for example tax and National Insurance\n\n- the number of hours you worked, if your pay varies depending on time worked\n\nYou might need to know how to work out your weekly pay if you have to claim payments for redundancy or compensation from your employer.\n\n## Part-time workers\n\nIf you\u2019re a part-time worker, you must get at least the same hourly pay rate as a full-time worker doing a similar job.\n\n## Working out your pay\n\nKnowing how to work out your weekly pay is important because it\u2019s used to work out how much you should get for:\n\n- redundancy pay and pay during time off for job-hunting if you\u2019re made redundant\n\n- pay during your notice period when leaving a job\n\n- holiday pay\n\n- guarantee pay for work - you get this if your employer cannot provide you with work, but your contract says they have to pay you anyway\n\n- compensation awarded by Employment Tribunals\n\nWhat you\u2019re entitled to depends on your work status.\n\nYou do not need to calculate your weekly pay, if you\u2019re paid weekly and your pay does not vary.\n\nIf your pay varies or you\u2019re not paid weekly, you have to use a 12-week period for working it out.\n\n## The 12-week period\n\nYou can work out your weekly pay by getting an average figure for a 12-week period. The particular 12 weeks you use varies depending on what you\u2019re calculating your pay for.\n\n## Redundancy\n\nUse the 12 weeks up to the day you got your redundancy notice to work out your pay.\n\n## Notice pay\n\nUse the 12 weeks up to the first day of the notice period to work out what your notice pay should be.\n\n## Paid annual leave\n\nWork this out using the 12 weeks leading up to your holiday.\n\n## Guarantee payments\n\nUse the 12 weeks leading up to when your payment is due. If you no longer work for that employer, use the last 12 weeks of your employment with them.\n\nIf you\u2019ve worked for your employer for less than 12 weeks, you should be allowed to calculate your average weekly pay using:\n\n- the number of hours you would have worked\n\n- the hours of other workers doing a similar job for your employer\n\n## Working out your weekly figure\n\nAdd up the total amount of pay for the period and divide it by 12 to get the weekly figure. You do this even if you\u2019ve had to use a period of more than 12 weeks.\n\nYou can also include bonuses.\n\n## Overtime\n\nYou can include overtime in your calculations if your contract says your employer has to pay it.\n\n## Work done for a previous employer\n\nYou can include pay for work done for a previous employer if you\u2019re calculating your average weekly pay and you did not have a gap in employment when you changed jobs.\n\n## Get help with the calculations\n\nYou can get help to calculate a week\u2019s pay from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.\n\n## Pay calculations if you work shifts or get bonuses\n\nIf your pay or working hours vary from week to week, the calculations for working out your weekly pay are more complicated.\n\n## Bonuses and commission\n\nYour pay could vary depending on the amount of work you do, because of:\n\n- bonuses\n\n- commission\n\n- \u2018piece work\u2019 - you\u2019re paid by the amount of work you do, rather than by the hour\n\n## The 12-week period\n\nIf you get bonuses, commission or piece work, you\u2019ll need to work out your average hourly rate over a 12-week period to work out your weekly pay.\n\nAdd up your total pay for the 12 weeks first. You can include overtime and bonuses. There are special calculations for bonuses.\n\n## Quarterly bonuses\n\nYou can include a proportion of your quarterly bonuses in your calculations.\n\n- Divide the bonus amount by 13 (the number of weeks in a quarter of a year).\n\n- Multiply this figure by 12 (the number of weeks your pay is averaged across).\n\n## Annual bonuses\n\nIf you get an annual bonus here\u2019s what you need to do.\n\n- Divide the bonus amount by 52 (the number of weeks in a year).\n\n- Multiply this by 12.\n\n## Hourly rate\n\nWork out the average hourly rate by dividing the total amount you earned in 12-week period by the number of hours you worked.\n\n## Weekly rate\n\nMultiply your hourly rate by the average number of hours you worked each week in the 12-week period, to get your weekly rate.\n\n## Shift or rota work\n\nYour week\u2019s pay will be the average number of hours you work at an average pay rate over a 12-week period.\n\n## Get help with the calculations\n\nYou can get help to calculate a week\u2019s pay from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.\n\n## Performance-related pay\n\nYour employer should base your performance-related pay on clear, measurable targets - they should tell you about these.\n\nThere are 2 main types of performance pay:\n\n- short-term schemes, like bonus payments or sales commission\n\n- long-term schemes, like company shares\n\n## Non-payment of bonuses or commission\n\nIf you do not get a bonus or commission you\u2019re owed and you think there\u2019s been a mistake:\n\n- speak to your employer to see if there\u2019s been a misunderstanding\n\n- ask them set out in writing how they\u2019ve calculated your pay\n\n- keep copies of any letters and notes of any meetings\n\nIf a bonus or commission is included in your contract, non-payment is a breach of contract. You can get help with making a complaint.\n\nNon-payment of bonuses may also be covered legally under:\n\n- unlawful deductions from wages - for example, you\u2019re entitled to payment but it has not been given\n\n- unlawful discrimination - your employer must not discriminate against particular groups, for example giving smaller bonuses to women\n\nYou can get advice from Acas (Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.\n\n## Deductions from your pay\n\nYour employer is not allowed to make deductions unless:\n\n- it\u2019s required or allowed by law, for example National Insurance, income tax or student loan repayments\n\n- you agree in writing\n\n- your contract says they can\n\n- there\u2019s a statutory payment due to a public authority\n\n- you have not worked due to taking part in a strike or industrial action\n\n- there\u2019s been an earlier overpayment of wages or expenses\n\n- it\u2019s a result of a court order\n\nA deduction cannot normally reduce your pay below the National Minimum Wage even if you agree to it, except if the deduction is for:\n\n- tax or National Insurance\n\n- something you\u2019ve done and your contract says you\u2019re liable for it, for example a shortfall in your till if you work in a shop\n\n- repayment of a loan or advance of wages\n\n- repayment of an accidental overpayment of wages\n\n- buying shares or share options in the business\n\n- accommodation provided by your employer\n\n- your own use, for example union subscriptions or pension contributions\n\n## If you work in retail - for example shops, restaurants\n\nYour employer cannot take more than 10% from your gross pay (pay before tax and National Insurance) each pay period to cover any shortfalls.\n\n## If you have not been paid in full\n\nSpeak to your employer first to try to sort out the problem informally.\n\nIf this does not work, talk to Acas (Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.\n\nYou have the right to go to an Employment Tribunal to get your money.\n\n## If you leave your job\n\nCheck your contract to see if your employer is allowed to withhold your pay. Normally you\u2019re entitled to be paid everything you\u2019ve earned up to the point you finish.\n\nIf you\u2019re forced to resign because your employer refuses to pay you, you may be able to make a constructive dismissal claim in an Employment Tribunal.", + "original_contents": [ + "

    Overview

    ", + "

    When you start work, your employer should tell you how much you\u2019ll be paid and how often. They should also tell you:

    ", + "
  • the day or date you\u2019ll be paid, for example each Friday or the last day of the month
  • ", + "
  • how you\u2019ll be paid, for example cash, cheque or bank transfer
  • ", + "

    If you\u2019re an employee or \u2018worker\u2019 (not a contractor or freelancer), you have the right to a payslip, which shows:

    ", + "
  • your earnings before and after any deductions
  • ", + "
  • the amount of any deductions that may change each time you\u2019re paid, for example tax and National Insurance
  • ", + "
  • the number of hours you worked, if your pay varies depending on time worked
  • ", + "

    You might need to know how to work out your weekly pay if you have to claim payments for redundancy or compensation from your employer.

    ", + "

    Part-time workers

    ", + "

    If you\u2019re a part-time worker, you must get at least the same hourly pay rate as a full-time worker doing a similar job.

    ", + "

    Working out your pay

    ", + "

    Knowing how to work out your weekly pay is important because it\u2019s used to work out how much you should get for:

    ", + "
  • redundancy pay and pay during time off for job-hunting if you\u2019re made redundant
  • ", + "
  • pay during your notice period when leaving a job
  • ", + "
  • holiday pay
  • ", + "
  • guarantee pay for work - you get this if your employer cannot provide you with work, but your contract says they have to pay you anyway
  • ", + "
  • compensation awarded by Employment Tribunals
  • ", + "

    What you\u2019re entitled to depends on your work status.

    ", + "

    You do not need to calculate your weekly pay, if you\u2019re paid weekly and your pay does not vary.

    ", + "

    If your pay varies or you\u2019re not paid weekly, you have to use a 12-week period for working it out.

    ", + "

    The 12-week period

    ", + "

    You can work out your weekly pay by getting an average figure for a 12-week period. The particular 12 weeks you use varies depending on what you\u2019re calculating your pay for.

    ", + "

    Redundancy

    ", + "

    Use the 12 weeks up to the day you got your redundancy notice to work out your pay.

    ", + "

    Notice pay

    ", + "

    Use the 12 weeks up to the first day of the notice period to work out what your notice pay should be.

    ", + "

    Paid annual leave

    ", + "

    Work this out using the 12 weeks leading up to your holiday.

    ", + "

    Guarantee payments

    ", + "

    Use the 12 weeks leading up to when your payment is due. If you no longer work for that employer, use the last 12 weeks of your employment with them.

    ", + "

    If you\u2019ve worked for your employer for less than 12 weeks, you should be allowed to calculate your average weekly pay using:

    ", + "
  • the number of hours you would have worked
  • ", + "
  • the hours of other workers doing a similar job for your employer
  • ", + "

    Working out your weekly figure

    ", + "

    Add up the total amount of pay for the period and divide it by 12 to get the weekly figure. You do this even if you\u2019ve had to use a period of more than 12 weeks.

    ", + "

    You can also include bonuses.

    ", + "

    Overtime

    ", + "

    You can include overtime in your calculations if your contract says your employer has to pay it.

    ", + "

    Work done for a previous employer

    ", + "

    You can include pay for work done for a previous employer if you\u2019re calculating your average weekly pay and you did not have a gap in employment when you changed jobs.

    ", + "

    Get help with the calculations

    ", + "

    You can get help to calculate a week\u2019s pay from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.

    ", + "

    Pay calculations if you work shifts or get bonuses

    ", + "

    If your pay or working hours vary from week to week, the calculations for working out your weekly pay are more complicated.

    ", + "

    Bonuses and commission

    ", + "

    Your pay could vary depending on the amount of work you do, because of:

    ", + "
  • bonuses
  • ", + "
  • commission
  • ", + "
  • \u2018piece work\u2019 - you\u2019re paid by the amount of work you do, rather than by the hour
  • ", + "

    The 12-week period

    ", + "

    If you get bonuses, commission or piece work, you\u2019ll need to work out your average hourly rate over a 12-week period to work out your weekly pay.

    ", + "

    Add up your total pay for the 12 weeks first. You can include overtime and bonuses. There are special calculations for bonuses.

    ", + "

    Quarterly bonuses

    ", + "

    You can include a proportion of your quarterly bonuses in your calculations.

    ", + "
  • Divide the bonus amount by 13 (the number of weeks in a quarter of a year).
  • ", + "
  • Multiply this figure by 12 (the number of weeks your pay is averaged across).
  • ", + "

    Annual bonuses

    ", + "

    If you get an annual bonus here\u2019s what you need to do.

    ", + "
  • Divide the bonus amount by 52 (the number of weeks in a year).
  • ", + "
  • Multiply this by 12.
  • ", + "

    Hourly rate

    ", + "

    Work out the average hourly rate by dividing the total amount you earned in 12-week period by the number of hours you worked.

    ", + "

    Weekly rate

    ", + "

    Multiply your hourly rate by the average number of hours you worked each week in the 12-week period, to get your weekly rate.

    ", + "

    Shift or rota work

    ", + "

    Your week\u2019s pay will be the average number of hours you work at an average pay rate over a 12-week period.

    ", + "

    Get help with the calculations

    ", + "

    You can get help to calculate a week\u2019s pay from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.

    ", + "

    Performance-related pay

    ", + "

    Your employer should base your performance-related pay on clear, measurable targets - they should tell you about these.

    ", + "

    There are 2 main types of performance pay:

    ", + "
  • short-term schemes, like bonus payments or sales commission
  • ", + "
  • long-term schemes, like company shares
  • ", + "

    Non-payment of bonuses or commission

    ", + "

    If you do not get a bonus or commission you\u2019re owed and you think there\u2019s been a mistake:

    ", + "
  • speak to your employer to see if there\u2019s been a misunderstanding
  • ", + "
  • ask them set out in writing how they\u2019ve calculated your pay
  • ", + "
  • keep copies of any letters and notes of any meetings
  • ", + "

    If a bonus or commission is included in your contract, non-payment is a breach of contract. You can get help with making a complaint.

    ", + "

    Non-payment of bonuses may also be covered legally under:

    ", + "
  • unlawful deductions from wages - for example, you\u2019re entitled to payment but it has not been given
  • ", + "
  • unlawful discrimination - your employer must not discriminate against particular groups, for example giving smaller bonuses to women
  • ", + "

    You can get advice from Acas (Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.

    ", + "

    Deductions from your pay

    ", + "

    Your employer is not allowed to make deductions unless:

    ", + "
  • it\u2019s required or allowed by law, for example National Insurance, income tax or student loan repayments
  • ", + "
  • you agree in writing
  • ", + "
  • your contract says they can
  • ", + "
  • there\u2019s a statutory payment due to a public authority
  • ", + "
  • you have not worked due to taking part in a strike or industrial action
  • ", + "
  • there\u2019s been an earlier overpayment of wages or expenses
  • ", + "
  • it\u2019s a result of a court order
  • ", + "

    A deduction cannot normally reduce your pay below the National Minimum Wage even if you agree to it, except if the deduction is for:

    ", + "
  • tax or National Insurance
  • ", + "
  • something you\u2019ve done and your contract says you\u2019re liable for it, for example a shortfall in your till if you work in a shop
  • ", + "
  • repayment of a loan or advance of wages
  • ", + "
  • repayment of an accidental overpayment of wages
  • ", + "
  • buying shares or share options in the business
  • ", + "
  • accommodation provided by your employer
  • ", + "
  • your own use, for example union subscriptions or pension contributions
  • ", + "

    If you work in retail - for example shops, restaurants

    ", + "

    Your employer cannot take more than 10% from your gross pay (pay before tax and National Insurance) each pay period to cover any shortfalls.

    ", + "

    If you have not been paid in full

    ", + "

    Speak to your employer first to try to sort out the problem informally.

    ", + "

    If this does not work, talk to Acas (Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.

    ", + "

    You have the right to go to an Employment Tribunal to get your money.

    ", + "

    If you leave your job

    ", + "

    Check your contract to see if your employer is allowed to withhold your pay. Normally you\u2019re entitled to be paid everything you\u2019ve earned up to the point you finish.

    ", + "

    If you\u2019re forced to resign because your employer refuses to pay you, you may be able to make a constructive dismissal claim in an Employment Tribunal.

    " + ] + }, + "https://www.gov.uk/complain-trade-union": { + "url": "https://www.gov.uk/complain-trade-union", + "title": "Complain about your trade union", + "content": "## Overview\n\nYou can complain to the Certification Officer about a trade union if you\u2019re a member.\n\nYou might also be able to complain if you\u2019re not a member of a trade union, for example you\u2019re a candidate in an election run by a union.\n\n## What you can complain about\n\nYou can complain if you think the trade union has:\n\n- broken its own rules, for example about holding elections or ballots\n\n- broken laws on running trade unions, for example not holding a proper ballot on a proposed merger of trade unions or not providing access to accounting records\n\nYou can also complain about trade union funds being used illegally or in a way that breaks the financial rules of the union, known as financial irregularities.\n\nYou do not have to be a member of a trade union to complain about financial irregularities.\n\nThe make a complaint guidance has a full list of the complaints you can make to the Certification Officer\n\n## What you cannot complain about\n\nYou cannot complain about what a union does for you, for example representing you if you\u2019re unfairly dismissed. You should get legal advice instead.\n\n## Complain to your trade union first\n\nTalk to your trade union and try to resolve the problem with them before taking it to the Certification Officer.\n\nYou can take your complaint further if you\u2019ve been through all the steps in your trade union\u2019s complaints procedure and you\u2019re still not satisfied.\n\n## Complain to a court\n\nYou might be able to take your trade union to court, for example for breach of contract if it breaks its own rules. You should seek legal advice before you do this. You cannot complain to the Certification Officer and the courts about the same problem.\n\n## Complain to the Certification Officer\n\n- Make a complaint.\n\n- Attend a hearing.\n\n- Get a decision.\n\n## Make a complaint\n\nEmail or call the Certification Officer to talk about your complaint before you make a complaint in writing.\n\nThe make a complaint guidance has information on how to make a complaint and when you can make it.\n\nThe financial irregularities guidance has information on how:\n\n- to make a complaint about the illegal or improper use of funds in trade unions and employers\u2019 associations\n\n- the Certification Officer might appoint an inspector to investigate the complaint\n\n- the Certification Officer makes a decision and how they\u2019ll tell you this\n\n## Use the complaint form\n\nDownload and fill in the registration of complaint form.\n\nEmail the registration of complaint form to the address on the form.\n\n## Make an anonymous complaint\n\nYou might be able to make your complaint anonymously if you feel your complaint would put you in danger.\n\nUse the registration of complaint form to make your complaint and do both of the following:\n\n- tell the Certification Officer that you want to make an anonymous complaint\n\n- explain why you want your identity kept secret from your union\n\nIf the Certification Officer agrees, they will keep your identity secret from the trade union.\n\nYou can retract your complaint if the Certification Officer does not think your complaint can be made anonymously. You should tell them in writing that you want to retract your complaint.\n\n## Attend a hearing\n\nYou\u2019ll usually get the chance to attend a hearing with the Certification Officer to have your complaint heard.\n\nYou\u2019ll get a letter from the Certification Officer asking you to confirm what your complaint is about, for example what rule you think has been broken.\n\nYour complaint will be sent to your union - they can disagree with any allegation you\u2019ve made.\n\n## Provide documents for your hearing\n\nYou and your union must send certain documents by a date specified by the Certification Officer.\n\nThese include:\n\n- copies of all the documents that relate to your complaint\n\n- written statements from anyone that\u2019s going to give evidence at the hearing\n\n- written draft arguments\n\n- copies of any legal evidence that backs up the draft arguments\n\n## Get a date for the hearing\n\nYou\u2019ll get a letter from the Certification Officer that sets a date for the hearing when both of the following have happened:\n\n- your union has replied to the Certification Officer about your complaint\n\n- you and your union provide the Certification Officer with all the necessary documents\n\nYou or your union can ask for the hearing to be postponed if either of you can\u2019t attend the hearing on the date given.\n\nThe hearing guidance tells you:\n\n- how you or your union might be able to change the date of the hearing\n\n- what happens at the hearing\n\n## Get a decision without a hearing\n\nYou can also get a decision from the Certification Officer on your case without having to attend a hearing, for example if both you and the union agree that either the union\u2019s own rules or the law has been broken.\n\nYou\u2019ll still need to provide the Certification Officer with all the details about the case so they can decide what should happen next.\n\n## Get a decision\n\nYou won\u2019t get a decision about your complaint at the hearing.\n\nYou\u2019ll be told at the end of the hearing when you might get your decision.\n\nYou\u2019ll get a decision in writing, with the reasons for it, from the Certification Officer.\n\n## Appeal against a decision\n\nYou can appeal to an employment appeal tribunal if you think the Certification Officer made a decision that was legally wrong.", + "original_contents": [ + "

    Overview

    ", + "

    You can complain to the Certification Officer about a trade union if you\u2019re a member.

    ", + "

    You might also be able to complain if you\u2019re not a member of a trade union, for example you\u2019re a candidate in an election run by a union.

    ", + "

    What you can complain about

    ", + "

    You can complain if you think the trade union has:

    ", + "
  • broken its own rules, for example about holding elections or ballots
  • ", + "
  • broken laws on running trade unions, for example not holding a proper ballot on a proposed merger of trade unions or not providing access to accounting records
  • ", + "

    You can also complain about trade union funds being used illegally or in a way that breaks the financial rules of the union, known as financial irregularities.

    ", + "

    You do not have to be a member of a trade union to complain about financial irregularities.

    ", + "

    The make a complaint guidance has a full list of the complaints you can make to the Certification Officer

    ", + "

    What you cannot complain about

    ", + "

    You cannot complain about what a union does for you, for example representing you if you\u2019re unfairly dismissed. You should get legal advice instead.

    ", + "

    Complain to your trade union first

    ", + "

    Talk to your trade union and try to resolve the problem with them before taking it to the Certification Officer.

    ", + "

    You can take your complaint further if you\u2019ve been through all the steps in your trade union\u2019s complaints procedure and you\u2019re still not satisfied.

    ", + "

    Complain to a court

    ", + "

    You might be able to take your trade union to court, for example for breach of contract if it breaks its own rules. You should seek legal advice before you do this. You cannot complain to the Certification Officer and the courts about the same problem.

    ", + "

    Complain to the Certification Officer

    ", + "
  • Make a complaint.
  • ", + "
  • Attend a hearing.
  • ", + "
  • Get a decision.
  • ", + "

    Make a complaint

    ", + "

    Email or call the Certification Officer to talk about your complaint before you make a complaint in writing.

    ", + "

    The make a complaint guidance has information on how to make a complaint and when you can make it.

    ", + "

    The financial irregularities guidance has information on how:

    ", + "
  • to make a complaint about the illegal or improper use of funds in trade unions and employers\u2019 associations
  • ", + "
  • the Certification Officer might appoint an inspector to investigate the complaint
  • ", + "
  • the Certification Officer makes a decision and how they\u2019ll tell you this
  • ", + "

    Use the complaint form

    ", + "

    Download and fill in the registration of complaint form.

    ", + "

    Email the registration of complaint form to the address on the form.

    ", + "

    Make an anonymous complaint

    ", + "

    You might be able to make your complaint anonymously if you feel your complaint would put you in danger.

    ", + "

    Use the registration of complaint form to make your complaint and do both of the following:

    ", + "
  • tell the Certification Officer that you want to make an anonymous complaint
  • ", + "
  • explain why you want your identity kept secret from your union
  • ", + "

    If the Certification Officer agrees, they will keep your identity secret from the trade union.

    ", + "

    You can retract your complaint if the Certification Officer does not think your complaint can be made anonymously. You should tell them in writing that you want to retract your complaint.

    ", + "

    Attend a hearing

    ", + "

    You\u2019ll usually get the chance to attend a hearing with the Certification Officer to have your complaint heard.

    ", + "

    You\u2019ll get a letter from the Certification Officer asking you to confirm what your complaint is about, for example what rule you think has been broken.

    ", + "

    Your complaint will be sent to your union - they can disagree with any allegation you\u2019ve made.

    ", + "

    Provide documents for your hearing

    ", + "

    You and your union must send certain documents by a date specified by the Certification Officer.

    ", + "

    These include:

    ", + "
  • copies of all the documents that relate to your complaint
  • ", + "
  • written statements from anyone that\u2019s going to give evidence at the hearing
  • ", + "
  • written draft arguments
  • ", + "
  • copies of any legal evidence that backs up the draft arguments
  • ", + "

    Get a date for the hearing

    ", + "

    You\u2019ll get a letter from the Certification Officer that sets a date for the hearing when both of the following have happened:

    ", + "
  • your union has replied to the Certification Officer about your complaint
  • ", + "
  • you and your union provide the Certification Officer with all the necessary documents
  • ", + "

    You or your union can ask for the hearing to be postponed if either of you can\u2019t attend the hearing on the date given.

    ", + "

    The hearing guidance tells you:

    ", + "
  • how you or your union might be able to change the date of the hearing
  • ", + "
  • what happens at the hearing
  • ", + "

    Get a decision without a hearing

    ", + "

    You can also get a decision from the Certification Officer on your case without having to attend a hearing, for example if both you and the union agree that either the union\u2019s own rules or the law has been broken.

    ", + "

    You\u2019ll still need to provide the Certification Officer with all the details about the case so they can decide what should happen next.

    ", + "

    Get a decision

    ", + "

    You won\u2019t get a decision about your complaint at the hearing.

    ", + "

    You\u2019ll be told at the end of the hearing when you might get your decision.

    ", + "

    You\u2019ll get a decision in writing, with the reasons for it, from the Certification Officer.

    ", + "

    Appeal against a decision

    ", + "

    You can appeal to an employment appeal tribunal if you think the Certification Officer made a decision that was legally wrong.

    " + ] + }, + "https://www.gov.uk/join-trade-union": { + "url": "https://www.gov.uk/join-trade-union", + "title": "Joining a trade union", + "content": "## Joining a trade union\n\nA trade union is an organisation with members who are usually workers or employees. It looks after their interests at work by doing things like:\n\n- negotiating agreements with employers on pay and conditions\n\n- discussing big changes like large scale redundancy\n\n- discussing members\u2019 concerns with employers\n\n- going with members to disciplinary and grievance meetings\n\n## Find a union to join\n\nIf there\u2019s a union at work, you can ask the trade union representative (\u2018rep\u2019) about joining. Their contact details may be in your company handbook, intranet site or on the union noticeboard.\n\nThe union rep will tell you if you\u2019re eligible to join and give you a membership form to fill in.\n\n## Trade union contact details\n\nYou can search a list of unions and their contact details put together by the Certification Officer, the independent organisation responsible for the legal regulation of unions.\n\nYou can also use the TUC\u2019s interactive tool to help you find a trade union in your workplace, or one which covers your type of job.\n\n## Trade union membership subscriptions\n\nYour union will charge a union membership fee (\u2018membership sub\u2019) to finance the work of the union. This can be the same amount for all employees or based on how much you\u2019re paid.\n\n## Paying your membership subs\n\nYou can pay your subs by:\n\n- having the amount taken by your employer from your pay and sent to the union (otherwise known as \u2018check-off\u2019)\n\n- direct debit\n\n- cash\n\n- cheque\n\n## Paying by check-off\n\nYour employer does not have to take union membership subs from your pay and send it to the union. They can stop sending your membership subs unless your employment contract says they have to.\n\nYour employer cannot take union membership subs from your pay without your written permission. Many trade unions will get your agreement to pay by check-off when you join, and forward it to your employer.\n\nYou can also ask your employer in writing to stop taking money from your pay for check-off whenever you want. They must then stop taking subs from your pay as soon as it\u2019s possible.\n\nYour employer is responsible for making sure that any check-off payments they make are legal.\n\n## What to do if you have a problem\n\nIf you have a problem with your check-off payments, try to discuss the issue with your employer and your trade union first.\n\nIf your trade union subscriptions are taken from your pay without your consent, you could make a complaint to an employment tribunal against your employer.\n\nIf your complaint is successful the employment tribunal can order your employer to pay you the value of the unauthorised payments.\n\n## Trade union membership: your employment rights\n\nYou have the right to:\n\n- choose to join or not join a union\n\n- decide to leave or remain a member of a union\n\n- belong to the union you choose, even if it\u2019s not the one your employer negotiates with on pay, terms and conditions\n\n- belong to more than one union\n\nYour employer is not allowed to:\n\n- offer you a benefit to leave a trade union\n\n- threaten to treat you unfairly if you do not leave a union\n\n## Refusing to employ you for trade union membership reasons\n\nAn employer or employment agency is not allowed to insist that you:\n\n- join or leave a trade union\n\n- leave one union for another\n\n## Dismissal for trade union membership reasons\n\nYour employer is not allowed to dismiss you or choose you for redundancy because you:\n\n- are or want to be a union member\n\n- are not or do not want to be a union member\n\n- took part or wanted to take part in union activities\n\n## Other unfavourable treatment\n\nYour employer must not treat you unfavourably (for example refusing you promotion or training opportunities) if you:\n\n- join a union\n\n- take part in its meetings\n\n- leave a union\n\n## What to do if you have a problem\n\nYou may be able to use a grievance procedure or go to an employment tribunal if you think your employer has treated you unfairly because of your trade union membership.\n\nContact the Advisory, Conciliation and Arbitration Service (Acas) if you have any questions about trade union membership.\n\n## Role of your trade union rep\n\nA trade union representative (\u2018rep\u2019) is a union member who represents and gives advice to colleagues when they have problems at work.\n\nTrade union reps are not paid but they do get paid time off to do their work as a rep.\n\n## What do union reps do?\n\nReps are there to:\n\n- discuss any concerns you have about your employer\n\n- go with (\u2018accompany\u2019) you to disciplinary or grievance hearings with management\n\n- represent you in negotiations (\u2018collective bargaining\u2019) over your pay and terms and conditions of employment\n\n- meet with your employer to find solutions to workplace issues\n\n- develop the best possible health and safety procedures with your employer\n\nEmployers must consult with union reps if:\n\n- there is going to be a business transfer or takeover\n\n- they are planning to make 20 or more people redundant within 90 days\n\n## Your right to be accompanied\n\nYou have the right to be accompanied by your union rep to some meetings with management - for example, if:\n\n- you\u2019re facing a disciplinary charge\n\n- you wish to raise a grievance with your employer\n\nIf your union rep cannot attend, you may be able to rearrange the meeting or ask a work colleague to go with you.\n\n## Becoming a union rep\n\nIf you want to become a union rep, ask another rep in the workplace or contact your union through its website. Depending on union rules, you may be appointed or elected.\n\nIf you become a union rep, find out what rights you have.\n\n## Union negotiations with your employer\n\nWhen an employer and a union agree to negotiate on pay, terms and conditions, this agreement is called \u2018recognition\u2019 of the union. The negotiations are called \u2018collective bargaining\u2019.\n\n## How collective bargaining works\n\nYour employer and trade union must agree on how collective bargaining will be done including:\n\n- which union, rep or official will represent a group of workers or employees (this group is called a \u2018bargaining unit\u2019)\n\n- who is included in the bargaining unit\n\n- how often meetings will take place\n\n- what issues they\u2019ll discuss\n\n- how disagreements will be handled\n\n- how collective bargaining will work if more than one union is recognised\n\n## Collective agreements\n\nAgreements reached through collective bargaining are called collective agreements and they often mean a change in your employment terms and conditions.\n\nCollective agreements can cover all staff - not just union members.\n\nYour employment contract may say which collective agreements cover you if:\n\n- your employer recognises more than one trade union\n\n- 1 union is recognised to negotiate for more than 1 bargaining unit", + "original_contents": [ + "

    Joining a trade union

    ", + "

    A trade union is an organisation with members who are usually workers or employees. It looks after their interests at work by doing things like:

    ", + "
  • negotiating agreements with employers on pay and conditions
  • ", + "
  • discussing big changes like large scale redundancy
  • ", + "
  • discussing members\u2019 concerns with employers
  • ", + "
  • going with members to disciplinary and grievance meetings
  • ", + "

    Find a union to join

    ", + "

    If there\u2019s a union at work, you can ask the trade union representative (\u2018rep\u2019) about joining. Their contact details may be in your company handbook, intranet site or on the union noticeboard.

    ", + "

    The union rep will tell you if you\u2019re eligible to join and give you a membership form to fill in.

    ", + "

    Trade union contact details

    ", + "

    You can search a list of unions and their contact details put together by the Certification Officer, the independent organisation responsible for the legal regulation of unions.

    ", + "

    You can also use the TUC\u2019s interactive tool to help you find a trade union in your workplace, or one which covers your type of job.

    ", + "

    Trade union membership subscriptions

    ", + "

    Your union will charge a union membership fee (\u2018membership sub\u2019) to finance the work of the union. This can be the same amount for all employees or based on how much you\u2019re paid.

    ", + "

    Paying your membership subs

    ", + "

    You can pay your subs by:

    ", + "
  • having the amount taken by your employer from your pay and sent to the union (otherwise known as \u2018check-off\u2019)
  • ", + "
  • direct debit
  • ", + "
  • cash
  • ", + "
  • cheque
  • ", + "

    Paying by check-off

    ", + "

    Your employer does not have to take union membership subs from your pay and send it to the union. They can stop sending your membership subs unless your employment contract says they have to.

    ", + "

    Your employer cannot take union membership subs from your pay without your written permission. Many trade unions will get your agreement to pay by check-off when you join, and forward it to your employer.

    ", + "

    You can also ask your employer in writing to stop taking money from your pay for check-off whenever you want. They must then stop taking subs from your pay as soon as it\u2019s possible.

    ", + "

    Your employer is responsible for making sure that any check-off payments they make are legal.

    ", + "

    What to do if you have a problem

    ", + "

    If you have a problem with your check-off payments, try to discuss the issue with your employer and your trade union first.

    ", + "

    If your trade union subscriptions are taken from your pay without your consent, you could make a complaint to an employment tribunal against your employer.

    ", + "

    If your complaint is successful the employment tribunal can order your employer to pay you the value of the unauthorised payments.

    ", + "

    Trade union membership: your employment rights

    ", + "

    You have the right to:

    ", + "
  • choose to join or not join a union
  • ", + "
  • decide to leave or remain a member of a union
  • ", + "
  • belong to the union you choose, even if it\u2019s not the one your employer negotiates with on pay, terms and conditions
  • ", + "
  • belong to more than one union
  • ", + "

    Your employer is not allowed to:

    ", + "
  • offer you a benefit to leave a trade union
  • ", + "
  • threaten to treat you unfairly if you do not leave a union
  • ", + "

    Refusing to employ you for trade union membership reasons

    ", + "

    An employer or employment agency is not allowed to insist that you:

    ", + "
  • join or leave a trade union
  • ", + "
  • leave one union for another
  • ", + "

    Dismissal for trade union membership reasons

    ", + "

    Your employer is not allowed to dismiss you or choose you for redundancy because you:

    ", + "
  • are or want to be a union member
  • ", + "
  • are not or do not want to be a union member
  • ", + "
  • took part or wanted to take part in union activities
  • ", + "

    Other unfavourable treatment

    ", + "

    Your employer must not treat you unfavourably (for example refusing you promotion or training opportunities) if you:

    ", + "
  • join a union
  • ", + "
  • take part in its meetings
  • ", + "
  • leave a union
  • ", + "

    What to do if you have a problem

    ", + "

    You may be able to use a grievance procedure or go to an employment tribunal if you think your employer has treated you unfairly because of your trade union membership.

    ", + "

    Contact the Advisory, Conciliation and Arbitration Service (Acas) if you have any questions about trade union membership.

    ", + "

    Role of your trade union rep

    ", + "

    A trade union representative (\u2018rep\u2019) is a union member who represents and gives advice to colleagues when they have problems at work.

    ", + "

    Trade union reps are not paid but they do get paid time off to do their work as a rep.

    ", + "

    What do union reps do?

    ", + "

    Reps are there to:

    ", + "
  • discuss any concerns you have about your employer
  • ", + "
  • go with (\u2018accompany\u2019) you to disciplinary or grievance hearings with management
  • ", + "
  • represent you in negotiations (\u2018collective bargaining\u2019) over your pay and terms and conditions of employment
  • ", + "
  • meet with your employer to find solutions to workplace issues
  • ", + "
  • develop the best possible health and safety procedures with your employer
  • ", + "

    Employers must consult with union reps if:

    ", + "
  • there is going to be a business transfer or takeover
  • ", + "
  • they are planning to make 20 or more people redundant within 90 days
  • ", + "

    Your right to be accompanied

    ", + "

    You have the right to be accompanied by your union rep to some meetings with management - for example, if:

    ", + "
  • you\u2019re facing a disciplinary charge
  • ", + "
  • you wish to raise a grievance with your employer
  • ", + "

    If your union rep cannot attend, you may be able to rearrange the meeting or ask a work colleague to go with you.

    ", + "

    Becoming a union rep

    ", + "

    If you want to become a union rep, ask another rep in the workplace or contact your union through its website. Depending on union rules, you may be appointed or elected.

    ", + "

    If you become a union rep, find out what rights you have.

    ", + "

    Union negotiations with your employer

    ", + "

    When an employer and a union agree to negotiate on pay, terms and conditions, this agreement is called \u2018recognition\u2019 of the union. The negotiations are called \u2018collective bargaining\u2019.

    ", + "

    How collective bargaining works

    ", + "

    Your employer and trade union must agree on how collective bargaining will be done including:

    ", + "
  • which union, rep or official will represent a group of workers or employees (this group is called a \u2018bargaining unit\u2019)
  • ", + "
  • who is included in the bargaining unit
  • ", + "
  • how often meetings will take place
  • ", + "
  • what issues they\u2019ll discuss
  • ", + "
  • how disagreements will be handled
  • ", + "
  • how collective bargaining will work if more than one union is recognised
  • ", + "

    Collective agreements

    ", + "

    Agreements reached through collective bargaining are called collective agreements and they often mean a change in your employment terms and conditions.

    ", + "

    Collective agreements can cover all staff - not just union members.

    ", + "

    Your employment contract may say which collective agreements cover you if:

    ", + "
  • your employer recognises more than one trade union
  • ", + "
  • 1 union is recognised to negotiate for more than 1 bargaining unit
  • " + ] + }, + "https://www.gov.uk/request-information-consultation-agreement": { + "url": "https://www.gov.uk/request-information-consultation-agreement", + "title": "Request an information and consultation agreement with your employer", + "content": "## Overview\n\nYou, together with other employees, can ask your employer to keep you informed and consult with you on issues related to your company or organisation.\n\nThis may include:\n\n- the company or organisation\u2019s performance, for example financially and competitively\n\n- any changes to your working conditions and employment prospects\n\nThis is called an information and consultation agreement.\n\nYour employer can start negotiating an agreement without a request from its employees.\n\n## How to make a request\n\n- Check that you\u2019re eligible.\n\n- Write to your employer or the Central Arbitration Committee (CAC) with your request.\n\n## Eligibility\n\nTo make a request, you need to be an employee of a company or organisation which has both:\n\n- at least 50 employees\n\n- its registered office, head office or main operation in England, Scotland or Wales\n\nThere\u2019s a different process if you work for a company or organisation based in Northern Ireland, unless both of these apply:\n\n- its head office or registered office is in England, Scotland or Wales\n\n- the majority of its employees work in England, Scotland or Wales\n\n## Number of employees needed to take part\n\nEmployees can either individually request an arrangement or make a single request as a group.\n\nFor the request to be valid the following must apply:\n\n- at least 2% of all the employees in the company or organisation make a request\n\n- at least 15 employees must make the request\n\n- individual requests must be received within a 6 month period to be counted together\n\n## Find out the number of employees\n\nYou can write to your employer to ask how many people they employ.\n\nYou can complain to the Central Arbitration Committee (CAC) if:\n\n- your employer refuses to provide the number of employees\n\n- you think the number they\u2019ve given you is wrong\n\nDownload and fill in the complaint form and send it to the address on the form.\n\n## Make a request\n\nYou can either write to:\n\n- your employer to request an arrangement\n\n- the Central Arbitration Committee (CAC) - you can do this if you don\u2019t want your employer to know you\u2019re making a request\n\n## Request direct to your employer\n\nInclude the following:\n\n- the date you\u2019re making the request\n\n- your name and the names of any other employees included in your request\n\n## Request through CAC\n\nEmail enquiries@cac.gov.uk with the following:\n\n- the date you\u2019re making the request\n\n- your name and address\n\n- your employer\u2019s name and address\n\n- the name of the manager who represents the employer\n\nCAC will tell you and the employer how many requests have been made, without revealing the names of the employees.\n\n## What happens next\n\nYour employer can start negotiating with you straight away if they choose to, regardless of how many employees have applied.\n\nIf more than 40% of employees have requested an agreement, your employer must start negotiating with you.\n\nIf less than 40% of employees have requested an agreement, your employer can:\n\n- say that there\u2019s already a pre-existing agreement\n\n- hold an employee ballot to see if they should start negotiations\n\nAn employer can dispute the validity of any request.\n\nCentral Arbitration Committee (CAC) can be asked to decide if \nrequests are valid and if pre-existing agreements already exist.\n\n## Pre-existing agreements\n\nYour employer may say there\u2019s already an agreement about keeping you informed and consulting you.\n\nA pre-existing agreement is a written explanation of how the employer informs and consults employees or representatives. It must:\n\n- cover all employees\n\n- have been agreed by those employees\n\nYou can complain to CAC if you do not agree there\u2019s a pre-existing agreement.\n\n## If a ballot is held\n\nYour employer may hold a ballot (a vote) to decide if they should start negotiating.\n\nThey must:\n\n- tell you no more than 1 month after they get your request that they\u2019re going to hold a ballot\n\n- hold the ballot no sooner than 21 days after they tell you about it\n\nYour employer might decide to hold a combined ballot of all employees if there is already an agreement (or more than one agreement) covering other parts of the business in addition to your own.\n\nAll employees must be allowed to vote in the ballot and the voting must be done in private.\n\n## Results of the ballot\n\nYour employer must start negotiations with you if both these apply:\n\n- at least 40% of employees took part in the ballot\n\n- more than 50% of those voting supported the request for an information and consultation agreement\n\nYou cannot request a new agreement for 3 years if the results of the employee ballot do not meet both these requirements.\n\n## Complain about a ballot\n\nDownload and fill in the relevant complaint form and send it to the Central Arbitration Committee (CAC) if:\n\n- the employer has not told you that they\u2019re holding a ballot within 1 month of getting your request - use form 8(7)\n\n- you think the employer is taking too long to hold a ballot after they\u2019ve said they would and 21 days have passed - use form 8(8)\n\n- you believe the ballot was not fair - make the complaint within 21 days of the ballot using form 10(2)\n\n## Negotiate an agreement\n\nYou need to negotiate with your employer when they agree - or the Central Arbitration Committee (CAC) instruct them - to set up an agreement.\n\nThe terms will need to be agreed and written down by your employer and the employee representatives.\n\nIf the negotiations are started by the employer without receiving a request, they must inform all employees in writing about what\u2019s happening. You can complain to CAC if they do not.\n\n## Selection of employee representatives\n\nYour employer must make sure that every employee is represented by at least one representative. They can choose whether this is done by appointing or electing the representatives but all employees have a right to be involved in this process.\n\nComplain to CAC within 21 days of the selection of the representatives if you think your employer has not done this properly.\n\nCAC may tell the employer to rerun the process for appointing or electing representatives.\n\n## If negotiations fail\n\nIf your employer does not enter negotiations or an agreement cannot be reached then they must give you the following information and consult with you on:\n\n- what the company or organisation is doing, its economic situation and its future prospects\n\n- any changes to employee numbers and organisation, employment prospects, and particularly any threats to jobs within the company or organisation\n\n- decisions that might lead to changes in work organisation or in employment contracts including TUPE transfers and collective redundancies\n\n## Complaints when an agreement is in place\n\nComplain to CAC by filling in the relevant form if you believe:\n\n- your employer has not complied with the terms of an agreement\n\n- your employer has made an unreasonable request that you keep information confidential\n\n- that disclosing particular information would harm your business", + "original_contents": [ + "

    Overview

    ", + "

    You, together with other employees, can ask your employer to keep you informed and consult with you on issues related to your company or organisation.

    ", + "

    This may include:

    ", + "
  • the company or organisation\u2019s performance, for example financially and competitively
  • ", + "
  • any changes to your working conditions and employment prospects
  • ", + "

    This is called an information and consultation agreement.

    ", + "

    Your employer can start negotiating an agreement without a request from its employees.

    ", + "

    How to make a request

    ", + "
  • Check that you\u2019re eligible.
  • ", + "
  • Write to your employer or the Central Arbitration Committee (CAC) with your request.
  • ", + "

    Eligibility

    ", + "

    To make a request, you need to be an employee of a company or organisation which has both:

    ", + "
  • at least 50 employees
  • ", + "
  • its registered office, head office or main operation in England, Scotland or Wales
  • ", + "

    There\u2019s a different process if you work for a company or organisation based in Northern Ireland, unless both of these apply:

    ", + "
  • its head office or registered office is in England, Scotland or Wales
  • ", + "
  • the majority of its employees work in England, Scotland or Wales
  • ", + "

    Number of employees needed to take part

    ", + "

    Employees can either individually request an arrangement or make a single request as a group.

    ", + "

    For the request to be valid the following must apply:

    ", + "
  • at least 2% of all the employees in the company or organisation make a request
  • ", + "
  • at least 15 employees must make the request
  • ", + "
  • individual requests must be received within a 6 month period to be counted together
  • ", + "

    Find out the number of employees

    ", + "

    You can write to your employer to ask how many people they employ.

    ", + "

    You can complain to the Central Arbitration Committee (CAC) if:

    ", + "
  • your employer refuses to provide the number of employees
  • ", + "
  • you think the number they\u2019ve given you is wrong
  • ", + "

    Download and fill in the complaint form and send it to the address on the form.

    ", + "

    Make a request

    ", + "

    You can either write to:

    ", + "
  • your employer to request an arrangement
  • ", + "
  • the Central Arbitration Committee (CAC) - you can do this if you don\u2019t want your employer to know you\u2019re making a request
  • ", + "

    Request direct to your employer

    ", + "

    Include the following:

    ", + "
  • the date you\u2019re making the request
  • ", + "
  • your name and the names of any other employees included in your request
  • ", + "

    Request through CAC

    ", + "

    Email enquiries@cac.gov.uk with the following:

    ", + "
  • the date you\u2019re making the request
  • ", + "
  • your name and address
  • ", + "
  • your employer\u2019s name and address
  • ", + "
  • the name of the manager who represents the employer
  • ", + "

    CAC will tell you and the employer how many requests have been made, without revealing the names of the employees.

    ", + "

    What happens next

    ", + "

    Your employer can start negotiating with you straight away if they choose to, regardless of how many employees have applied.

    ", + "

    If more than 40% of employees have requested an agreement, your employer must start negotiating with you.

    ", + "

    If less than 40% of employees have requested an agreement, your employer can:

    ", + "
  • say that there\u2019s already a pre-existing agreement
  • ", + "
  • hold an employee ballot to see if they should start negotiations
  • ", + "

    An employer can dispute the validity of any request.

    ", + "

    Central Arbitration Committee (CAC) can be asked to decide if \nrequests are valid and if pre-existing agreements already exist.

    ", + "

    Pre-existing agreements

    ", + "

    Your employer may say there\u2019s already an agreement about keeping you informed and consulting you.

    ", + "

    A pre-existing agreement is a written explanation of how the employer informs and consults employees or representatives. It must:

    ", + "
  • cover all employees
  • ", + "
  • have been agreed by those employees
  • ", + "

    You can complain to CAC if you do not agree there\u2019s a pre-existing agreement.

    ", + "

    If a ballot is held

    ", + "

    Your employer may hold a ballot (a vote) to decide if they should start negotiating.

    ", + "

    They must:

    ", + "
  • tell you no more than 1 month after they get your request that they\u2019re going to hold a ballot
  • ", + "
  • hold the ballot no sooner than 21 days after they tell you about it
  • ", + "

    Your employer might decide to hold a combined ballot of all employees if there is already an agreement (or more than one agreement) covering other parts of the business in addition to your own.

    ", + "

    All employees must be allowed to vote in the ballot and the voting must be done in private.

    ", + "

    Results of the ballot

    ", + "

    Your employer must start negotiations with you if both these apply:

    ", + "
  • at least 40% of employees took part in the ballot
  • ", + "
  • more than 50% of those voting supported the request for an information and consultation agreement
  • ", + "

    You cannot request a new agreement for 3 years if the results of the employee ballot do not meet both these requirements.

    ", + "

    Complain about a ballot

    ", + "

    Download and fill in the relevant complaint form and send it to the Central Arbitration Committee (CAC) if:

    ", + "
  • the employer has not told you that they\u2019re holding a ballot within 1 month of getting your request - use form 8(7)
  • ", + "
  • you think the employer is taking too long to hold a ballot after they\u2019ve said they would and 21 days have passed - use form 8(8)
  • ", + "
  • you believe the ballot was not fair - make the complaint within 21 days of the ballot using form 10(2)
  • ", + "

    Negotiate an agreement

    ", + "

    You need to negotiate with your employer when they agree - or the Central Arbitration Committee (CAC) instruct them - to set up an agreement.

    ", + "

    The terms will need to be agreed and written down by your employer and the employee representatives.

    ", + "

    If the negotiations are started by the employer without receiving a request, they must inform all employees in writing about what\u2019s happening. You can complain to CAC if they do not.

    ", + "

    Selection of employee representatives

    ", + "

    Your employer must make sure that every employee is represented by at least one representative. They can choose whether this is done by appointing or electing the representatives but all employees have a right to be involved in this process.

    ", + "

    Complain to CAC within 21 days of the selection of the representatives if you think your employer has not done this properly.

    ", + "

    CAC may tell the employer to rerun the process for appointing or electing representatives.

    ", + "

    If negotiations fail

    ", + "

    If your employer does not enter negotiations or an agreement cannot be reached then they must give you the following information and consult with you on:

    ", + "
  • what the company or organisation is doing, its economic situation and its future prospects
  • ", + "
  • any changes to employee numbers and organisation, employment prospects, and particularly any threats to jobs within the company or organisation
  • ", + "
  • decisions that might lead to changes in work organisation or in employment contracts including TUPE transfers and collective redundancies
  • ", + "

    Complaints when an agreement is in place

    ", + "

    Complain to CAC by filling in the relevant form if you believe:

    ", + "
  • your employer has not complied with the terms of an agreement
  • ", + "
  • your employer has made an unreasonable request that you keep information confidential
  • ", + "
  • that disclosing particular information would harm your business
  • " + ] + }, + "https://www.gov.uk/industrial-action-strikes": { + "url": "https://www.gov.uk/industrial-action-strikes", + "title": "Taking part in industrial action and strikes", + "content": "## Overview\n\nIndustrial action is when workers:\n\n- go on strike\n\n- take other action, like refusing to do overtime (known as \u2018action short of a strike\u2019)\n\nSometimes an employer may stop their workers from working or coming back to work during a dispute. This is called a \u2018lock-out\u2019.\n\n## Calling industrial action\n\nIndustrial action happens when trade union members are in a dispute with their employers that can\u2019t be solved through negotiations.\n\nA trade union can only call for industrial action if a majority of its members involved support it in a properly organised postal vote - called a \u2018ballot\u2019.\n\nBefore organising a ballot, a union must decide which members affected by a dispute it wants to ask to take industrial action. It must tell all members entitled to vote and the employer what the ballot results were.\n\nA trade union calls industrial action by telling members and the employer when and how this action will be taken. This should be done by a trade union official or committee that has the legal right to do so. Your voting paper must have said who this is.\n\n## Taking part in industrial action - your rights\n\nIf you\u2019re a trade union member, you have the right to vote before your union asks you to take industrial action. You don\u2019t have to take part in industrial action and can\u2019t be disciplined by your union if you don\u2019t.\n\nIf you do get excluded or expelled from your union, you can complain to an employment tribunal.\n\n## Secondary action\n\nIt\u2019s against the law to take part in \u2018secondary action\u2019 (going on strike in sympathy with people who work for a different employer).\n\n## Holding a ballot\n\nYour union must have a vote (a \u2018ballot\u2019) that\u2019s properly organised according to legal rules.\n\n## Properly organised ballots\n\nA ballot for industrial action must:\n\n- be supervised by a qualified independent person (a \u2018scrutineer\u2019 - often someone from an organisation like the Electoral Reform Society) appointed by the union if over 50 members are being balloted\n\n- be held before the union asks members to take or continue taking action\n\n- be open to all members the union wants to take action\n\n- be a postal ballot where members vote by marking a box on a voting paper and return it in a prepaid envelope\n\n- include information on what the ballot is about and where to post your vote\n\nThe union must tell everyone entitled to vote how many people voted, the number of yes votes, no votes or spoiled papers as soon as it can after the ballot.\n\nIt must also give the employer one week\u2019s notice of the start of the ballot and tell them the result as soon as\u00a0possible once it\u2019s available.\n\nThere\u2019s practical guidance on these rules in the code of practice on industrial action ballots.\n\n## Questions on the voting paper\n\nWhen you\u2019re balloted, your voting paper must ask whether you want to take part in either (or both):\n\n- strike action\n\n- action short of a strike\n\nThe union can only call on members to take action if a majority of members who voted were in favour of that particular action. If both questions are asked on the ballot paper and members vote yes to both, the union can decide what industrial action to take.\n\n## Complaining about ballots\n\nYou can apply for a court order if your union breaks the rules on industrial action ballots. You can take legal advice before doing this.\n\nThe court may order the union not to organise action if it decides a ballot wasn\u2019t held according to the rules.\n\nYou can apply for a temporary injunction that tells the union not to call industrial action if your case can\u2019t be heard in court straight away.\n\nIf the union doesn\u2019t do what the court says, you can ask them to \u2018declare the union to be in contempt of court\u2019 and the union can be fined.\n\n## Your employment rights during industrial action\n\nYou have the right to take industrial action and you can\u2019t be legally forced to stay at, or go back to, work (unless a ballot wasn\u2019t organised properly).\n\nIf you take industrial action, you\u2019ll probably have broken (be \u2018in breach of\u2019) your employment contract and your employer:\n\n- is unlikely to pay for the work you didn\u2019t do when you took industrial action\n\n- can sue you for breaking your contract (this doesn\u2019t happen often)\n\nTaking industrial action doesn\u2019t usually mean that your employer will say you\u2019ve broken your period of continuous employment with them. This begins when you start working for your employer and ends on the day your employer uses to calculate your length of service.\n\nHowever, if you take industrial action, your employer will reduce your length of service with them by the number of days you were on strike. This is important when working out your pension and things like statutory redundancy pay.\n\n## Dismissal for industrial action\n\nYou can\u2019t be dismissed for industrial action if:\n\n- it\u2019s called as a result of a properly organised ballot\n\n- it\u2019s about a trade dispute between workers and their employer (eg about your terms and conditions)\n\n- a detailed notice about the industrial action (which is legally required) has been given to the employer at least 7 days before it begins\n\nYou can claim unfair dismissal at an employment tribunal if you\u2019re dismissed for taking industrial action at any time within the 12 weeks after the action began.\n\nAfter 12 weeks, you can be dismissed if you take industrial action and your employer has tried to settle the dispute. For example, your employer may bring in advisers from Acas to help find a solution.\n\n## When you may be dismissed\n\nYou could be dismissed for taking part in industrial action if:\n\n- the union hasn\u2019t held a properly organised ballot\n\n- the union hasn\u2019t given the employer the correct notice for balloting members or taking action\n\n- the union hasn\u2019t called its members to take action because they think the dispute is settled or action is called by someone who doesn\u2019t have the authority to do so\n\n- it\u2019s in support of workers taking action against another employer (otherwise known as \u2018sympathy\u2019 or \u2018secondary\u2019 action)\n\n- it\u2019s in support of only employing union members (otherwise known as a \u2018closed shop\u2019)\n\n- it breaks any other parts of industrial action law\n\nIf you take part in industrial action that breaks the regulations and you\u2019re dismissed, you can\u2019t usually claim unfair dismissal if all employees taking part are dismissed as well.\n\nThere\u2019s more detail on legal rights and protections in the guidance on industrial action and the law.\n\n## Industrial action by non-union members\n\nNon-union members who take part in legal, official industrial action have the same rights as union members not to be dismissed as a result of taking action.\n\n## Going on strike and picketing\n\nA picket line is where workers and union reps (\u2018picketers\u2019 or \u2018pickets\u2019) stand outside a workplace to tell other people why they are striking. Pickets may also ask people not to:\n\n- do some of their usual work\n\n- go into work\n\nPickets must not prevent people from going to work or doing their usual work if they want to do so.\n\nThe picketing code of practice explains the rules around lawful picketing.\n\n## Picketing and the law\n\nIt\u2019s a criminal offence for pickets to:\n\n- use threatening or abusive behaviour to people walking past or crossing the picket line\n\n- block people or vehicles trying to get into the workplace which is on strike (called \u2018causing an obstruction\u2019 by police)\n\n- carry weapons\n\n- damage property\n\n- cause or threaten to cause a \u2018breach of the peace\u2019\n\n- try to block roads near the picket line (called \u2018causing an obstruction to the public highway\u2019)\n\n- try to stop the police who are outside the workplace from doing their job\n\nYou can have legal action taken against you if you break the law or encourage others to do so when you\u2019re picketing. This includes:\n\n- trespassing (trying to enter a building without permission)\n\n- making a noise nuisance\n\n- using threatening language or offensive material, libel or slander in leaflets, banners, placards, chants or speeches\n\nIf you break a court order banning you or your trade union from holding a picket, you could be open to further legal action (otherwise known as \u2018contempt of court\u2019).\n\n## Mass picketing\n\nPolice have special powers to stop a mass picket if they think there\u2019s a danger of:\n\n- serious public disorder (like a riot)\n\n- serious damage to property\n\nThe Code of Practice on picketing says usually there should be no more than 6 people outside an entrance to a workplace.\n\nIf you don\u2019t stop picketing when told do so by police, you can be arrested.\n\n## Flying pickets\n\nFlying pickets are groups of striking workers that move from one workplace to another to picket them. Usually flying pickets are illegal - you can only join a picket line at your workplace.\n\nTrade union reps can be on picket lines at different workplaces if they\u2019re responsible for organising workers in those workplaces.", + "original_contents": [ + "

    Overview

    ", + "

    Industrial action is when workers:

    ", + "
  • go on strike
  • ", + "
  • take other action, like refusing to do overtime (known as \u2018action short of a strike\u2019)
  • ", + "

    Sometimes an employer may stop their workers from working or coming back to work during a dispute. This is called a \u2018lock-out\u2019.

    ", + "

    Calling industrial action

    ", + "

    Industrial action happens when trade union members are in a dispute with their employers that can\u2019t be solved through negotiations.

    ", + "

    A trade union can only call for industrial action if a majority of its members involved support it in a properly organised postal vote - called a \u2018ballot\u2019.

    ", + "

    Before organising a ballot, a union must decide which members affected by a dispute it wants to ask to take industrial action. It must tell all members entitled to vote and the employer what the ballot results were.

    ", + "

    A trade union calls industrial action by telling members and the employer when and how this action will be taken. This should be done by a trade union official or committee that has the legal right to do so. Your voting paper must have said who this is.

    ", + "

    Taking part in industrial action - your rights

    ", + "

    If you\u2019re a trade union member, you have the right to vote before your union asks you to take industrial action. You don\u2019t have to take part in industrial action and can\u2019t be disciplined by your union if you don\u2019t.

    ", + "

    If you do get excluded or expelled from your union, you can complain to an employment tribunal.

    ", + "

    Secondary action

    ", + "

    It\u2019s against the law to take part in \u2018secondary action\u2019 (going on strike in sympathy with people who work for a different employer).

    ", + "

    Holding a ballot

    ", + "

    Your union must have a vote (a \u2018ballot\u2019) that\u2019s properly organised according to legal rules.

    ", + "

    Properly organised ballots

    ", + "

    A ballot for industrial action must:

    ", + "
  • be supervised by a qualified independent person (a \u2018scrutineer\u2019 - often someone from an organisation like the Electoral Reform Society) appointed by the union if over 50 members are being balloted
  • ", + "
  • be held before the union asks members to take or continue taking action
  • ", + "
  • be open to all members the union wants to take action
  • ", + "
  • be a postal ballot where members vote by marking a box on a voting paper and return it in a prepaid envelope
  • ", + "
  • include information on what the ballot is about and where to post your vote
  • ", + "

    The union must tell everyone entitled to vote how many people voted, the number of yes votes, no votes or spoiled papers as soon as it can after the ballot.

    ", + "

    It must also give the employer one week\u2019s notice of the start of the ballot and tell them the result as soon as\u00a0possible once it\u2019s available.

    ", + "

    There\u2019s practical guidance on these rules in the code of practice on industrial action ballots.

    ", + "

    Questions on the voting paper

    ", + "

    When you\u2019re balloted, your voting paper must ask whether you want to take part in either (or both):

    ", + "
  • strike action
  • ", + "
  • action short of a strike
  • ", + "

    The union can only call on members to take action if a majority of members who voted were in favour of that particular action. If both questions are asked on the ballot paper and members vote yes to both, the union can decide what industrial action to take.

    ", + "

    Complaining about ballots

    ", + "

    You can apply for a court order if your union breaks the rules on industrial action ballots. You can take legal advice before doing this.

    ", + "

    The court may order the union not to organise action if it decides a ballot wasn\u2019t held according to the rules.

    ", + "

    You can apply for a temporary injunction that tells the union not to call industrial action if your case can\u2019t be heard in court straight away.

    ", + "

    If the union doesn\u2019t do what the court says, you can ask them to \u2018declare the union to be in contempt of court\u2019 and the union can be fined.

    ", + "

    Your employment rights during industrial action

    ", + "

    You have the right to take industrial action and you can\u2019t be legally forced to stay at, or go back to, work (unless a ballot wasn\u2019t organised properly).

    ", + "

    If you take industrial action, you\u2019ll probably have broken (be \u2018in breach of\u2019) your employment contract and your employer:

    ", + "
  • is unlikely to pay for the work you didn\u2019t do when you took industrial action
  • ", + "
  • can sue you for breaking your contract (this doesn\u2019t happen often)
  • ", + "

    Taking industrial action doesn\u2019t usually mean that your employer will say you\u2019ve broken your period of continuous employment with them. This begins when you start working for your employer and ends on the day your employer uses to calculate your length of service.

    ", + "

    However, if you take industrial action, your employer will reduce your length of service with them by the number of days you were on strike. This is important when working out your pension and things like statutory redundancy pay.

    ", + "

    Dismissal for industrial action

    ", + "

    You can\u2019t be dismissed for industrial action if:

    ", + "
  • it\u2019s called as a result of a properly organised ballot
  • ", + "
  • it\u2019s about a trade dispute between workers and their employer (eg about your terms and conditions)
  • ", + "
  • a detailed notice about the industrial action (which is legally required) has been given to the employer at least 7 days before it begins
  • ", + "

    You can claim unfair dismissal at an employment tribunal if you\u2019re dismissed for taking industrial action at any time within the 12 weeks after the action began.

    ", + "

    After 12 weeks, you can be dismissed if you take industrial action and your employer has tried to settle the dispute. For example, your employer may bring in advisers from Acas to help find a solution.

    ", + "

    When you may be dismissed

    ", + "

    You could be dismissed for taking part in industrial action if:

    ", + "
  • the union hasn\u2019t held a properly organised ballot
  • ", + "
  • the union hasn\u2019t given the employer the correct notice for balloting members or taking action
  • ", + "
  • the union hasn\u2019t called its members to take action because they think the dispute is settled or action is called by someone who doesn\u2019t have the authority to do so
  • ", + "
  • it\u2019s in support of workers taking action against another employer (otherwise known as \u2018sympathy\u2019 or \u2018secondary\u2019 action)
  • ", + "
  • it\u2019s in support of only employing union members (otherwise known as a \u2018closed shop\u2019)
  • ", + "
  • it breaks any other parts of industrial action law
  • ", + "

    If you take part in industrial action that breaks the regulations and you\u2019re dismissed, you can\u2019t usually claim unfair dismissal if all employees taking part are dismissed as well.

    ", + "

    There\u2019s more detail on legal rights and protections in the guidance on industrial action and the law.

    ", + "

    Industrial action by non-union members

    ", + "

    Non-union members who take part in legal, official industrial action have the same rights as union members not to be dismissed as a result of taking action.

    ", + "

    Going on strike and picketing

    ", + "

    A picket line is where workers and union reps (\u2018picketers\u2019 or \u2018pickets\u2019) stand outside a workplace to tell other people why they are striking. Pickets may also ask people not to:

    ", + "
  • do some of their usual work
  • ", + "
  • go into work
  • ", + "

    Pickets must not prevent people from going to work or doing their usual work if they want to do so.

    ", + "

    The picketing code of practice explains the rules around lawful picketing.

    ", + "

    Picketing and the law

    ", + "

    It\u2019s a criminal offence for pickets to:

    ", + "
  • use threatening or abusive behaviour to people walking past or crossing the picket line
  • ", + "
  • block people or vehicles trying to get into the workplace which is on strike (called \u2018causing an obstruction\u2019 by police)
  • ", + "
  • carry weapons
  • ", + "
  • damage property
  • ", + "
  • cause or threaten to cause a \u2018breach of the peace\u2019
  • ", + "
  • try to block roads near the picket line (called \u2018causing an obstruction to the public highway\u2019)
  • ", + "
  • try to stop the police who are outside the workplace from doing their job
  • ", + "

    You can have legal action taken against you if you break the law or encourage others to do so when you\u2019re picketing. This includes:

    ", + "
  • trespassing (trying to enter a building without permission)
  • ", + "
  • making a noise nuisance
  • ", + "
  • using threatening language or offensive material, libel or slander in leaflets, banners, placards, chants or speeches
  • ", + "

    If you break a court order banning you or your trade union from holding a picket, you could be open to further legal action (otherwise known as \u2018contempt of court\u2019).

    ", + "

    Mass picketing

    ", + "

    Police have special powers to stop a mass picket if they think there\u2019s a danger of:

    ", + "
  • serious public disorder (like a riot)
  • ", + "
  • serious damage to property
  • ", + "

    The Code of Practice on picketing says usually there should be no more than 6 people outside an entrance to a workplace.

    ", + "

    If you don\u2019t stop picketing when told do so by police, you can be arrested.

    ", + "

    Flying pickets

    ", + "

    Flying pickets are groups of striking workers that move from one workplace to another to picket them. Usually flying pickets are illegal - you can only join a picket line at your workplace.

    ", + "

    Trade union reps can be on picket lines at different workplaces if they\u2019re responsible for organising workers in those workplaces.

    " + ] + } +} \ No newline at end of file diff --git a/examples/conditionalqa_train.json b/examples/conditionalqa_train.json new file mode 100644 index 0000000..7b95c03 --- /dev/null +++ b/examples/conditionalqa_train.json @@ -0,0 +1,49490 @@ +[ + { + "url": "https://www.gov.uk/applying-for-probate", + "scenario": "My father, who was a widower and the owner of several large properties in Wales, died recently and apparently intestate. My paternal uncle is applying for probate, but I believe that I have a stronger claim.", + "question": "Do I have a greater right to probate in respect of my late father's estate?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to become the estate\u2019s administrator if you are 18 or over and you are the most \u2018entitled\u2019 inheritor of the deceased\u2019s estate. This is usually the deceased\u2019s closest living relative.

    ", + "

    Relatives are the most entitled inheritors in the following order:

    ", + "
  • children (including legally adopted children but not step-children)
  • ", + "
  • brothers and sisters
  • " + ], + "id": "train-0" + }, + { + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "scenario": "I was born and raised in Australia. I have changed my gender and got a certificate in Australia. I have moved to UK three years back", + "question": "I would like to know whether I am eligible to apply for Gender Recognition Certificate in UK ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You must be 18 or over.

    " + ] + ] + ], + "evidences": [ + "

    Apply by the overseas route if your acquired gender has been legally accepted in an \u2018approved country or territory\u2019 and you have documents to prove it.

    ", + "

    You must be 18 or over.

    ", + "Overseas route | Form T453 | Leaflet T454", + "

    If you\u2019re applying using the overseas route, you must prove that your gender has been legally recognised in an \u2018approved country or territory\u2019. Send original or certified copies of the following (if you have them):

    " + ], + "id": "train-1" + }, + { + "url": "https://www.gov.uk/paternity-pay-leave", + "scenario": "I'm 28, and have worked full-time for my current employer for just over 3 years. My wife is expecting our first child in a few months, and I intend to claim paid Paternity Leave when the baby is born.", + "question": "How much notice am I required to give my employer with regards to the starting date of my leave period?", + "not_answerable": false, + "answers": [ + [ + "at least 15 weeks before the baby is due", + [] + ] + ], + "evidences": [ + "

    At least 15 weeks before the baby is due, tell your employer:

    " + ], + "id": "train-2" + }, + { + "url": "https://www.gov.uk/how-to-annul-marriage", + "scenario": "My wife and I are both UK Citizens, and have been resident for the whole of our lives. At the time of our marriage three years ago, she was pregnant with what I believed to be our daughter; however, subsequent DNA testing has revealed that I am not the girl's father.", + "question": "Can I have the marriage voided on in the light of this evidence?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need to show that the marriage:

    ", + "
  • was legally valid, but meets one of the reasons that makes it \u2018voidable\u2019
  • ", + "

    You can annul a marriage for a number of reasons, such as:

    ", + "
  • your spouse was pregnant by someone else when you got married
  • " + ], + "id": "train-3" + }, + { + "url": "https://www.gov.uk/shared-parental-leave-and-pay", + "scenario": "My partner has just had our second child and she wants to go back to work immediately, I will not be taking time off either.", + "question": "Would we still receive any sort of benefit if we are both working full time?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You and your partner may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if you\u2019re:

    ", + "
  • having a baby
  • ", + "

    A mother cannot return to work before the end of the compulsory 2 weeks of maternity leave following the birth (4 weeks if they work in a factory). If you\u2019re adopting, the person claiming adoption pay must take at least 2 weeks of adoption leave.

    " + ], + "id": "train-4" + }, + { + "url": "https://www.gov.uk/paying-inheritance-tax", + "scenario": "Before my father died last year June 2021 ,he appointed as his family property executor. I have inherited all our family properties.", + "question": "When can i start paying the inheritance tax ?", + "not_answerable": false, + "answers": [ + [ + "by the end of the sixth month after the person died", + [] + ] + ], + "evidences": [ + "

    You must pay Inheritance Tax by the end of the sixth month after the person died.

    " + ], + "id": "train-5" + }, + { + "url": "https://www.gov.uk/make-will", + "scenario": "I have written a will with a help of a solicitor before six years and I have lot of changes in my assets and I am planning to make some changes to my will", + "question": "Can I make changes to my will once I have signed ? what is the process to amend a will ?", + "not_answerable": false, + "answers": [ + [ + "make a new will", + [ + "

    For major changes you should make a new will.

    " + ] + ], + [ + "making an official alteration called a codicil", + [ + "

    You cannot amend your will after it\u2019s been signed and witnessed. The only way you can change a will is by making an official alteration called a codicil.

    " + ] + ], + [ + "follow the same signing and witnessing process", + [] + ] + ], + "evidences": [ + "

    If you want to update your will, you need to make an official alteration (called a \u2018codicil\u2019) or make a new will.

    ", + "

    If you make any changes to your will you must follow the same signing and witnessing process.

    ", + "

    You cannot amend your will after it\u2019s been signed and witnessed. The only way you can change a will is by making an official alteration called a codicil.

    ", + "

    For major changes you should make a new will.

    " + ], + "id": "train-6" + }, + { + "url": "https://www.gov.uk/help-for-disabled-child", + "scenario": "My child is 10 and has cerebal palsy. This means he is unable to walk. It is a struggle for me to get him around the house as his bedroom and the bathroom are upstairs.", + "question": "Where can I get help to make adaptations to my home to help my child?", + "not_answerable": false, + "answers": [ + [ + "your local council", + [] + ] + ], + "evidences": [ + "

    Your local council can provide help if you have a disabled child, including:

    ", + "
  • some aids and adaptations
  • ", + "

    Your council has a duty to provide these services under the Children Act 1989. Some are free of charge - the council might ask you to contribute towards others.

    ", + "

    If your home needs to be adapted to meet your child\u2019s needs, you may be able to get a Disabled Facilities Grant to help with the costs.

    " + ], + "id": "train-7" + }, + { + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "scenario": "I am a 16 year old living in Derby and was born male, I do not feel like I fit into any gender category.", + "question": "What age can I apply for a certificate?", + "not_answerable": false, + "answers": [ + [ + "18 or over", + [] + ] + ], + "evidences": [ + "

    Apply by the standard route if all the following are true:

    ", + "
  • you\u2019re 18 or over
  • " + ], + "id": "train-8" + }, + { + "url": "https://www.gov.uk/war-widow-pension", + "scenario": "I lost my husband in 2007 who was in Armed forces and participated in Afghanistan war in 2001 and had a severe injury and died because of the injury in 2007", + "question": "I was assessed and was told that I am eligible to get War Widow(er) Pension but want to know whether I have to pay tax on it ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not pay tax on it.

    " + ], + "id": "train-9" + }, + { + "url": "https://www.gov.uk/adoption-pay-leave", + "scenario": "I have been a childless person for 10years till i optioned for a surrogacy plan. Today i have welcomed my newborn baby boy martin and i need a time off from work so that i can give my bundle of joy the whole attention he needs.", + "question": "Will my employer give me a paid leave and it will be for how long?", + "not_answerable": false, + "answers": [ + [ + "up to 39 weeks", + [ + "
  • have been continuously employed by your employer for at least 26 weeks by the week you were matched with a child
  • ", + "
  • earn on average at least \u00a3120 a week (before tax)
  • ", + "
  • give the correct notice
  • ", + "
  • give proof of the adoption or surrogacy
  • ", + "

    The requirements are the same if you\u2019re in a surrogacy arrangement, except you must have been continuously employed by your employer for at least 26 weeks by the 15th week before the baby\u2019s due.

    ", + "
  • intend to apply for a parental order
  • ", + "
  • expect the order to be granted (for example because you do not have any convictions involving children, and the birth mother or father agree to the arrangement)
  • ", + "
  • be an employee
  • ", + "
  • give proof of the adoption or surrogacy, if your employer asks you for it
  • " + ] + ] + ], + "evidences": [ + "

    When you take time off to adopt a child or have a child through a surrogacy arrangement you might be eligible for:

    ", + "
  • Statutory Adoption Pay
  • ", + "

    Statutory Adoption Pay is paid for up to 39 weeks. The weekly amount is:

    ", + "

    To get Statutory Adoption Leave, you must:

    ", + "
  • be an employee
  • ", + "
  • give the correct notice
  • ", + "
  • give proof of the adoption or surrogacy, if your employer asks you for it
  • ", + "

    To get Statutory Adoption Pay, you must:

    ", + "
  • have been continuously employed by your employer for at least 26 weeks by the week you were matched with a child
  • ", + "
  • earn on average at least \u00a3120 a week (before tax)
  • ", + "
  • give proof of the adoption or surrogacy
  • ", + "

    The requirements are the same if you\u2019re in a surrogacy arrangement, except you must have been continuously employed by your employer for at least 26 weeks by the 15th week before the baby\u2019s due.

    ", + "

    You must also:

    ", + "
  • intend to apply for a parental order
  • ", + "
  • expect the order to be granted (for example because you do not have any convictions involving children, and the birth mother or father agree to the arrangement)
  • " + ], + "id": "train-10" + }, + { + "url": "https://www.gov.uk/adoption-pay-leave", + "scenario": "I am not a British citizen but live in UK for the last 10 years and have Indefinite Leave to Remain permit. I am on a permanent employment and planning to adopt a child in Malaysia", + "question": "What the proof I need to submit to get leave and get paid ?", + "not_answerable": false, + "answers": [ + [ + "proof of adoption", + [ + "

    You must give your employer proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless they request it.

    " + ] + ] + ], + "evidences": [ + "

    To get Statutory Adoption Leave, you must:

    ", + "
  • give proof of the adoption or surrogacy, if your employer asks you for it
  • ", + "

    To get Statutory Adoption Pay, you must:

    ", + "
  • give proof of the adoption or surrogacy
  • ", + "

    You must give your employer proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless they request it.

    " + ], + "id": "train-11" + }, + { + "url": "https://www.gov.uk/disabled-facilities-grants", + "scenario": "My aunt is disabled and owns a big home which needs light and heating system repairs. She is afraid of the house getting moulds and needs urgent repair .", + "question": "Is she allowed to seek disabled facility support?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • household income
  • ", + "
  • household savings over \u00a36,000
  • ", + "

    Depending on your income, you may need to pay towards the cost of the work to the property.

    " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You could get a grant from your council if you\u2019re disabled and need to make changes to your home, for example to:

    ", + "
  • provide a heating system suitable for your needs
  • ", + "
  • adapt heating or lighting controls to make them easier to use
  • ", + "

    How much you get depends on your:

    ", + "
  • household income
  • ", + "
  • household savings over \u00a36,000
  • ", + "

    Depending on your income, you may need to pay towards the cost of the work to the property.

    " + ], + "id": "train-12" + }, + { + "url": "https://www.gov.uk/deputyship-refund", + "scenario": "I am 64, live in Wales and since May 2013 have been the Personal Welfare Deputy for my mother, who has advanced dementia. I believe I was overcharged both for the initial assessment and for annual supervisions in subsequent years.", + "question": "Do I need to make a claim to receive a refund, or is this automatic?", + "not_answerable": false, + "answers": [ + [ + "automatically", + [] + ] + ], + "evidences": [ + "

    If you\u2019re a deputy acting under a current court order, you do not need to apply for a refund. Any overcharged fees will be refunded automatically.

    ", + "

    If you\u2019re still acting as a deputy, you do not need to apply. Any overcharged fees will be refunded automatically.

    " + ], + "id": "train-13" + }, + { + "url": "https://www.gov.uk/end-civil-partnership", + "scenario": "I entered into a civil marriage with my ex partner in June 2020 and since then has been abusing me and inserting coercive controls over my life till i have lost my job and got depression. I want to see divorce and take back control of my life.", + "question": "Can i use unreasonable behaviour as the ground to dissolve the partnership ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your civil partner has behaved in a way that means you cannot reasonably be expected to live with them.

    ", + "

    This could include:

    ", + "
  • physical or mental cruelty
  • ", + "
  • verbal or physical abuse
  • " + ], + "id": "train-14" + }, + { + "url": "https://www.gov.uk/the-warm-home-discount-scheme", + "scenario": "I receive guaranteed pension credit and I have a pre-pay electricity meter. I am struggling to pay my bills this winter due to my low income.", + "question": "How much money can I get from the warm home discount scheme?", + "not_answerable": false, + "answers": [ + [ + "\u00a3140", + [] + ] + ], + "evidences": [ + "

    You could get \u00a3140 off your electricity bill for winter 2021 to 2022 under the Warm Home Discount Scheme. The scheme opens on 18 October 2021.

    ", + "

    There are 2 ways to qualify for the Warm Home Discount Scheme:

    ", + "
  • you get the Guarantee Credit element of Pension Credit - known as the \u2018core group\u2019
  • ", + "

    You can still qualify for the discount if you use a pre-pay or pay-as-you-go electricity meter.

    " + ], + "id": "train-15" + }, + { + "url": "https://www.gov.uk/help-for-disabled-child", + "scenario": "My 4 year old son has been diagnosed with scoliosis, a spinal disorder which will leave him severely restricted mobility. The school which had previously offered him a place in Reception this September is now claiming that they can no longer accept him.", + "question": "Can the school rescind their offer in this manner?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Under the Equality Act 2010, it\u2019s against the law for schools and other education providers to discriminate against disabled children.

    ", + "

    Examples of discrimination include:

    ", + "
  • a school refusing to admit a disabled child just because of their disability
  • " + ], + "id": "train-16" + }, + { + "url": "https://www.gov.uk/help-for-disabled-child", + "scenario": "My youngest child has cerebral palsy and is confined to a wheelchair. I sometimes struggle with caring for him twenty four hours of the day", + "question": "What help is available to people in my situation?", + "not_answerable": false, + "answers": [ + [ + "short break services", + [] + ], + [ + "holiday play schemes", + [] + ], + [ + "care at home", + [] + ], + [ + "some aids and adaptations", + [] + ], + [ + "financial help, eg money towards travel costs for hospital visits", + [] + ] + ], + "evidences": [ + "

    Your local council can provide help if you have a disabled child, including:

    ", + "
  • short break services
  • ", + "
  • holiday play schemes
  • ", + "
  • care at home
  • ", + "
  • some aids and adaptations
  • ", + "
  • financial help, eg money towards travel costs for hospital visits
  • " + ], + "id": "train-17" + }, + { + "url": "https://www.gov.uk/change-cancel-presumption-death-certificate", + "scenario": "My son went missing over 20 years ago. Last month the high court presumed him dead and any efforts to continue searching have stopped, however there has been a potential sighting of him in another country.", + "question": "We want to overrule and challenge the high court on this decision, how can we do this?", + "not_answerable": false, + "answers": [ + [ + "download and fill in claim form n208", + [] + ], + [ + "send the claim to a court that can hear high court cases", + [] + ] + ], + "evidences": [ + "

    You can make a claim to cancel (\u2018revoke\u2019) or change (\u2018vary\u2019) the details of a declaration of presumed death from the High Court if you can prove the missing person:

    ", + "
  • is still alive
  • ", + "

    Download and fill in claim form N208.

    ", + "

    Send the claim to a court that can hear High Court cases.

    " + ], + "id": "train-18" + }, + { + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "scenario": "I was injured when I served in armed forces. As a result I was disabled and had difficulties in performing day to day activities", + "question": "I applied for a lump sum compensation but my claim was rejected. Can I appeal the decision ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can write to Veterans UK to ask them reconsider their decision.

    ", + "

    You can also appeal to an independent tribunal within 12 months.

    " + ], + "id": "train-19" + }, + { + "url": "https://www.gov.uk/paternity-pay-leave", + "scenario": "I recently got a new job, and have worked there for two months. My wife is due to have a baby in 20 weeks.", + "question": "Will I qualify for paternity leave even though I have only worked for my employer for two months?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    When you take time off because your partner\u2019s having a baby, adopting a child or having a baby through a surrogacy arrangement you might be eligible for:

    ", + "
  • Paternity Pay
  • ", + "

    You must be taking time off to look after the child and be one of the following:

    ", + "
  • the father
  • ", + "

    You must:

    ", + "
  • have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • ", + "

    The \u2018qualifying week\u2019 is the 15th week before the baby is due. This is different if you adopt.

    " + ], + "id": "train-20" + }, + { + "url": "https://www.gov.uk/how-to-annul-marriage", + "scenario": "I am 24 and have lived in the UK for 2 years. Previously I lived in Texas. I have just discovered my husband is actually my cousin! Therefore I want to have my marriage annuled.", + "question": "Can I file an annual petition?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You or your spouse must have either:

    ", + "
  • lived in England or Wales for at least a year
  • ", + "

    You can annul a marriage if it was not legally valid in the first place, for example:

    ", + "
  • you\u2019re closely related to the person you married
  • " + ], + "id": "train-21" + }, + { + "url": "https://www.gov.uk/how-to-annul-marriage", + "scenario": "I have been trapped in a bad marriage for 1 year with a very abusive husband who has no remorse. I would like to annul the marriage.", + "question": "Can I get an annulment?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • it was not consummated - you have not had sexual intercourse with the person you married since the wedding (does not apply for same sex couples)
  • ", + "
  • you did not properly consent to the marriage - for example you were forced into it
  • ", + "
  • the other person had a sexually transmitted disease (STD) when you got married
  • ", + "
  • your spouse was pregnant by someone else when you got married
  • ", + "
  • one spouse is in the process of transitioning to a different gender
  • " + ] + ] + ], + "evidences": [ + "

    You\u2019ll need to show that the marriage:

    ", + "
  • was legally valid, but meets one of the reasons that makes it \u2018voidable\u2019
  • ", + "

    You can annul a marriage for a number of reasons, such as:

    ", + "
  • it was not consummated - you have not had sexual intercourse with the person you married since the wedding (does not apply for same sex couples)
  • ", + "
  • you did not properly consent to the marriage - for example you were forced into it
  • ", + "
  • the other person had a sexually transmitted disease (STD) when you got married
  • ", + "
  • your spouse was pregnant by someone else when you got married
  • ", + "
  • one spouse is in the process of transitioning to a different gender
  • " + ], + "id": "train-22" + }, + { + "url": "https://www.gov.uk/applying-for-probate", + "scenario": "Our father died recently without leaving a will. My siblings and I do not trust our step-mother to act as estate administrator and we would prefer it if one of his children could handle this instead.", + "question": "Can children stop a step-parent from handling their deceased parent's probate affairs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You cannot apply if you\u2019re the partner of the person but were not their spouse or civil partner when they died. You\u2019re not automatically entitled to any of their estate, unless you\u2019re able to make changes to the inheritance.

    " + ] + ], + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply to become the estate\u2019s administrator if you are 18 or over and you are the most \u2018entitled\u2019 inheritor of the deceased\u2019s estate. This is usually the deceased\u2019s closest living relative.

    ", + "

    Relatives are the most entitled inheritors in the following order:

    ", + "
  • husband, wife or civil partner (including if they were separated)
  • ", + "
  • children (including legally adopted children but not step-children)
  • ", + "

    You cannot apply if you\u2019re the partner of the person but were not their spouse or civil partner when they died. You\u2019re not automatically entitled to any of their estate, unless you\u2019re able to make changes to the inheritance.

    " + ], + "id": "train-23" + }, + { + "url": "https://www.gov.uk/change-cancel-presumption-death-certificate", + "scenario": "My brother died on January 2nd. His death certificate is inaccurate in this respect. I do not know the doctor who signed the original certificate or why the mistake was made", + "question": "Is it possible to have the death certificate changed given that this happened over six months ago?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-24" + }, + { + "url": "https://www.gov.uk/maternity-allowance", + "scenario": "I am twenty weeks pregnant and work part time at present. I am not currently in receipt of any other benefits.", + "question": "Am I eligible for the Maternity allowance and if so how much will I get?", + "not_answerable": false, + "answers": [ + [ + "\u00a3151.97 a week or 90% of your average weekly earnings", + [ + "
  • you\u2019re employed, but cannot get Statutory Maternity Pay
  • ", + "
  • employed or self-employed for at least 26 weeks
  • ", + "
  • earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together
  • " + ] + ] + ], + "evidences": [ + "

    Maternity Allowance is usually paid to you if you do not qualify for Statutory Maternity Pay.

    ", + "

    You can claim Maternity Allowance as soon as you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.

    ", + "

    You could get either:

    ", + "
  • \u00a3151.97 a week or 90% of your average weekly earnings (whichever is less) for 39 weeks
  • ", + "
  • \u00a327 a week for 39 weeks
  • ", + "

    You might get Maternity Allowance for 39 weeks if one of the following applies:

    ", + "
  • you\u2019re employed, but cannot get Statutory Maternity Pay
  • ", + "

    In the 66 weeks before your baby\u2019s due, you must also have been:

    ", + "
  • employed or self-employed for at least 26 weeks
  • ", + "
  • earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together
  • " + ], + "id": "train-25" + }, + { + "url": "https://www.gov.uk/paying-inheritance-tax", + "scenario": "My father was a highly successful businessman, with property including a large country house and several holiday homes. Sadly he died 2 months ago. I was named as a beneficiary in his will and now I need to pay the inheritance tax.", + "question": "Is interest payable if I agree to pay it in installments?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    You will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll usually have to pay interest on your instalments. Use the calculator to work out the interest you\u2019ll need to pay.

    ", + "

    You will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:

    " + ], + "id": "train-26" + }, + { + "url": "https://www.gov.uk/make-will", + "scenario": "I remarried last year, in January 2020, and I have been running my large estate alone. I want my partner to help me run my estate business and include him on my will.", + "question": "Will I be allowed to include him in my will?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your will should set out:

    ", + "
  • who you want to benefit from your will
  • ", + "
  • who is going to sort out your estate and carry out your wishes after your death (your executor)
  • " + ], + "id": "train-27" + }, + { + "url": "https://www.gov.uk/applying-for-probate", + "scenario": "My late uncle left a house for me according to his will.He had a sole ownership of the property .It is in a nice high end area and i would like to sell it.", + "question": "Do i need to apply for a probate before i put it on sale?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get a document that allows you to start dealing with the estate. If the person left a will you\u2019ll get either:

    ", + "
  • a \u2018grant of probate\u2019
  • ", + "

    You can apply for probate if you\u2019re named in the will, or in an update to the will (a \u2018codicil\u2019), as an \u2018executor\u2019.

    " + ], + "id": "train-28" + }, + { + "url": "https://www.gov.uk/manage-missing-persons-finances", + "scenario": "I set up a car-washing business with a friend ten years ago. The business has expanded and is doing well. My friend has been missing for six months, and I have no contact with him.", + "question": "Can I apply to manage my missing business partner's finances in order to continue to run our business?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to be a guardian and manage the finances or property of someone who:

    ", + "
  • is missing
  • ", + "

    The person must be missing from home and their usual activities.

    ", + "

    One of the following must also apply:

    ", + "
  • you do not know where they are
  • ", + "

    You can apply when the person has been missing for the previous 90 days. You can apply earlier if it\u2019s urgent, for example the person\u2019s house is being repossessed.

    ", + "

    You can also apply if you can give the court evidence that you have a \u2018sufficient interest\u2019 in the person\u2019s finances or property. This might be, for example, because:

    ", + "
  • the person is your business partner and you need to continue to run the business
  • " + ], + "id": "train-29" + }, + { + "url": "https://www.gov.uk/applying-for-probate", + "scenario": "My uncle died recently and I was his carer during his illness. He has left me everything in his will.", + "question": "How soon after can I start sending money from the will to the listed people.", + "not_answerable": false, + "answers": [ + [ + "up to 8 weeks", + [] + ] + ], + "evidences": [ + "

    Because of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process. It\u2019s taking longer to process paper applications than online applications.

    ", + "

    You\u2019ll usually get the grant of probate or letters of administration within 8 weeks of sending in your original documents. If you ordered copies of these documents for use outside the UK, these will take longer to arrive.

    ", + "

    You should not make any financial plans or put property on the market until you have received the grant of probate or letters of administration.

    ", + "

    Once you have probate you can start dealing with the estate.

    " + ], + "id": "train-30" + }, + { + "url": "https://www.gov.uk/guardians-allowance", + "scenario": "My brother and his wife tragically died in a car accident last year. I agreed to become the guardians of their children.", + "question": "How much guardian's allowance can I claim?", + "not_answerable": false, + "answers": [ + [ + "\u00a318 a week per child", + [ + "
  • you qualify for Child Benefit
  • ", + "
  • one of the parents was born in the UK (or was living in the UK since the age of 16 for at least 52 weeks in any 2-year period)
  • " + ] + ] + ], + "evidences": [ + "

    You could get Guardian\u2019s Allowance if you\u2019re bringing up a child whose parents have died. You may also be eligible if there\u2019s one surviving parent.

    ", + "

    The Guardian\u2019s Allowance rate is \u00a318 a week. You get it on top of Child Benefit and it\u2019s tax-free.

    ", + "

    The Guardian Allowance rate is:

    ", + "
  • \u00a318 a week per child
  • " + ], + "id": "train-31" + }, + { + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "scenario": "I used to work as a coal miner for the British Coal Corporation. I no longer work so I have a low income from my pension only. My home was purely heated by solid fuel, but I have recently had gas central heating installed as well.", + "question": "Who do I need to inform of my change in circumstances?", + "not_answerable": false, + "answers": [ + [ + "the ncfo", + [] + ] + ], + "evidences": [ + "

    Your allowance might be affected if your circumstances change, including:

    ", + "
  • you change your heating arrangements
  • ", + "

    You need to inform the NCFO of any changes in circumstances as your allowance can change. If your allowance goes down, any overpayments must be repaid in full.

    " + ], + "id": "train-32" + }, + { + "url": "https://www.gov.uk/adoption-pay-leave", + "scenario": "Me and my husband are both secondary school teachers. We are looking to adopt our first child this year however we will need time off during school days.", + "question": "Can we take both paid time off during school hours?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    When you take time off to adopt a child or have a child through a surrogacy arrangement you might be eligible for:

    ", + "
  • Statutory Adoption Leave
  • ", + "
  • Statutory Adoption Pay
  • ", + "

    Only 1 person in a couple can take adoption leave. The other partner could get paternity leave instead.

    " + ], + "id": "train-33" + }, + { + "url": "https://www.gov.uk/disability-living-allowance-children", + "scenario": "My 9 year old daughter has recently been diagnosed with AML (leukemia), and is likely to require very intensive care over the next few months. We are both UK citizens and have lived in the UK for all of her life.", + "question": "Can I claim Disability Living Allowance to offset the costs of her care and transportation costs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    They must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.

    " + ] + ] + ], + "evidences": [ + "

    Disability Living Allowance (DLA) for children may help with the extra costs of looking after a child who:

    ", + "
  • is under 16
  • ", + "
  • has difficulties walking or needs much more looking after than a child of the same age who does not have a disability
  • ", + "

    They will need to meet all the eligibility requirements.

    ", + "

    Usually, to qualify for Disability Living Allowance (DLA) for children the child must:

    ", + "
  • be under 16 - anyone over 16 must apply for Personal Independence Payment (PIP)
  • ", + "
  • need extra looking after or have walking dif\ufb01culties
  • ", + "
  • be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces
  • ", + "
  • have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old
  • ", + "
  • be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands
  • ", + "
  • not be subject to immigration control
  • ", + "

    The child\u2019s disability or health condition must mean at least one of the following apply:

    ", + "
  • they need much more looking after than a child of the same age who does not have a disability
  • ", + "

    They must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.

    ", + "

    To claim DLA for a child you need to be their parent or look after them as if you\u2019re their parent. This includes step-parents, guardians, grandparents, foster-parents or older brothers or sisters.

    " + ], + "id": "train-34" + }, + { + "url": "https://www.gov.uk/paternity-pay-leave", + "scenario": "We are blessed with triplet baby boys. I am so happy about it. I am planning take paternity leave to take care of the boys", + "question": "Can I take paid paternity leave and how many weeks of paternity leave can I take off in one go?", + "not_answerable": false, + "answers": [ + [ + "1 or 2 weeks", + [ + "
  • be an employee
  • ", + "
  • give the correct notice
  • ", + "
  • have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • " + ] + ] + ], + "evidences": [ + "

    When you take time off because your partner\u2019s having a baby, adopting a child or having a baby through a surrogacy arrangement you might be eligible for:

    ", + "
  • 1 or 2 weeks\u2019 paid Paternity Leave
  • ", + "

    You can choose to take either 1 or 2 weeks. You get the same amount of leave if your partner has a multiple birth (such as twins).

    ", + "

    You must take your leave in one go. A week is the same amount of days that you normally work in a week - for example, a week is 2 days if you only work on Mondays and Tuesdays.

    ", + "

    You must be taking time off to look after the child and be one of the following:

    ", + "
  • the father
  • ", + "

    You must:

    ", + "
  • be an employee
  • ", + "
  • give the correct notice
  • ", + "
  • have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • " + ], + "id": "train-35" + }, + { + "url": "https://www.gov.uk/deputyship-refund", + "scenario": "I checked my bank account I have noticed that I have been overcharged by the OPG for my deputyship assessment which took place in May 2010.", + "question": "Will this payment happen automatically or will I need to apply?", + "not_answerable": false, + "answers": [ + [ + "automatically", + [ + "

    If you\u2019re a deputy acting under a current court order, you do not need to apply for a refund. Any overcharged fees will be refunded automatically.

    ", + "

    If you\u2019re still acting as a deputy, you do not need to apply. Any overcharged fees will be refunded automatically.

    " + ] + ], + [ + "make a claim", + [ + "
  • had a deputy previously
  • ", + "
  • are acting on behalf of someone who had a deputy and has died
  • ", + "

    The deputyship must have been active between 1 April 2008 and 31 March 2015.

    " + ] + ] + ], + "evidences": [ + "

    You might be eligible for a refund if you were overcharged deputyship fees by the Office of the Public Guardian (OPG) for England and Wales.

    ", + "

    If you\u2019re a deputy acting under a current court order, you do not need to apply for a refund. Any overcharged fees will be refunded automatically.

    ", + "

    You can make a claim if you:

    ", + "
  • had a deputy previously
  • ", + "
  • are acting on behalf of someone who had a deputy and has died
  • ", + "

    The deputyship must have been active between 1 April 2008 and 31 March 2015.

    ", + "

    If you\u2019re still acting as a deputy, you do not need to apply. Any overcharged fees will be refunded automatically.

    " + ], + "id": "train-36" + }, + { + "url": "https://www.gov.uk/guardians-allowance", + "scenario": "I have been looking after my late brothers child for the past 6 years, the child is turning 18 next month but is still in education.", + "question": "Will I still receive guardians allowance payments for my dependant?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-37" + }, + { + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "scenario": "I served with the Royal Engineers during the war in Afghanistan from 2012-13, and now believe I have recently begun to experience traumatic flashbacks.", + "question": "Can I claim for Post-Traumatic Stress, given the lateness of the onset of this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.

    ", + "

    To qualify you must be:

    ", + "
  • a current or former member of the armed forces
  • ", + "
  • applying no later than 7 years after the injury or illness, unless you\u2019re claiming for an illness that started later (sometimes known as a \u2018late onset illness\u2019)
  • " + ], + "id": "train-38" + }, + { + "url": "https://www.gov.uk/industrial-injuries-disablement-benefit", + "scenario": "I was badly injured whilst working on a construction site. I was evaluated as 80% disabled. I have no idea if or whether I will be able to return to work.", + "question": "How much can I claim from this benefit?", + "not_answerable": false, + "answers": [ + [ + "\u00a3146.32", + [] + ] + ], + "evidences": [ + "

    You might get Industrial Injuries Disablement Benefit (IIDB) if you became ill or are disabled because of an accident or disease either:

    ", + "
  • at work
  • ", + "

    The amount you may get depends on your individual circumstances.

    ", + "

    The level of your disability will affect the amount of benefit you may get. This will be assessed by a \u2018medical advisor\u2019 on a scale of 1 to 100%.

    ", + "Assessed level of disablement | Weekly amount", + "80% | \u00a3146.32" + ], + "id": "train-39" + }, + { + "url": "https://www.gov.uk/manage-missing-persons-finances", + "scenario": "I am 34, live in the UK and have a 30 year old brother who works for a charity in Senegal. He failed to turn up for work one day just over six months ago, and is now officially listed as \"missing\" by the UK Foreign Office and the Sengalese government. He has no partner or children.", + "question": "If I apply to be his Guardian, who exactly do I need to notify of this?", + "not_answerable": false, + "answers": [ + [ + "parents, brothers and sisters", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need to tell the missing person\u2019s:

    ", + "
  • parents, brothers and sisters
  • " + ], + "id": "train-40" + }, + { + "url": "https://www.gov.uk/paternity-pay-leave", + "scenario": "My wife is pregnant, with the baby due in 6 months. I want to take some leave from my full time job to spend time with her and the baby. I started in the job 20 weeks ago.", + "question": "How long do I need to be employed for before I can take paternity leave?", + "not_answerable": false, + "answers": [ + [ + "26 weeks", + [] + ] + ], + "evidences": [ + "

    You must:

    ", + "
  • have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • ", + "

    The \u2018qualifying week\u2019 is the 15th week before the baby is due. This is different if you adopt.

    " + ], + "id": "train-41" + }, + { + "url": "https://www.gov.uk/getting-help-with-your-tax-credits-claim", + "scenario": "I am 28, and have a 30 year old brother who has recently developed paranoid schizophrenia, resulting in him being sectioned under the Mental Health Act. I have a UK bank account.", + "question": "Can I be appointed to handle my brother's existing tax credit claims?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can get permission to deal with someone else\u2019s tax credits. The type of permission you need depends on what you want to do.

    ", + "

    You can:

    ", + "
  • take responsibility for someone else\u2019s tax credit claim when they cannot manage their own affairs - as an appointee
  • ", + "

    You must be over 18 and have a bank account. You do not have to be a relative.

    " + ], + "id": "train-42" + }, + { + "url": "https://www.gov.uk/shared-parental-leave-and-pay", + "scenario": "I am having a baby with my partner in 3 months and we both work full-time. I would like to share my parental leave with my partner when the baby is born. I will have parental responsibility for the new baby.", + "question": "Can I take shared parental leave at the same time as my partner?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You and your partner may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if you\u2019re:

    ", + "
  • having a baby
  • ", + "

    You can use SPL to take leave in blocks separated by periods of work, or take it all in one go. You can also choose to be off work together or to stagger the leave and pay.

    " + ], + "id": "train-43" + }, + { + "url": "https://www.gov.uk/change-cancel-presumption-death-certificate", + "scenario": "I am 52 and live in England, and five years ago my father disappeared whilst on a holiday abroad. His civil partner had him declared legally dead two years later. I have, however, uncovered evidence that he may still be alive, and wish to have the certificate of presumed death revoked.", + "question": "Do I need to send a copy of my claim to my father's civil partner?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can make a claim to cancel (\u2018revoke\u2019) or change (\u2018vary\u2019) the details of a declaration of presumed death from the High Court if you can prove the missing person:

    ", + "
  • is still alive
  • ", + "

    Send a copy of form N208 with an acknowledgment of service form within 7 days of the issue date the court has put on the form to:

    ", + "
  • the person who made the original claim
  • ", + "
  • the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive, send it to the missing person\u2019s nearest relative
  • " + ], + "id": "train-44" + }, + { + "url": "https://www.gov.uk/make-will", + "scenario": "I am a living person who wants to make a will so that I can leave a bequest to a charity and also leave some of my possessions to my dependants.", + "question": "I want to make a will, do I need legal advice?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can write your will yourself, but you should get advice if your will is not straightforward.

    ", + "

    You can get advice from a professional if your will is not straightforward, for example:

    " + ] + ] + ], + "evidences": [ + "

    You can write your will yourself, but you should get advice if your will is not straightforward.

    ", + "

    You can also include a charity in your will.

    ", + "

    You can get advice from a professional if your will is not straightforward, for example:

    " + ], + "id": "train-45" + }, + { + "url": "https://www.gov.uk/disabled-facilities-grants", + "scenario": "I am disabled and recently rented a property but does not have the required ramp access. Also I intend to live here for at least three years", + "question": "Can I apply for Disabled Facilities Grants given I am planning to live for 3 years ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You could get a grant from your council if you\u2019re disabled and need to make changes to your home, for example to:

    ", + "
  • widen doors and install ramps
  • ", + "

    You or someone living in your property must be disabled. Either you or the person you\u2019re applying for must:

    ", + "
  • own the property or be a tenant
  • ", + "
  • intend to live in the property during the grant period (which is currently 5 years)
  • " + ], + "id": "train-46" + }, + { + "url": "https://www.gov.uk/childcare-grant", + "scenario": "I left school at 16 and went straight into work. Now I am 26, I have a child aged 5, and my earnings are not enough. I want to go to university to study healthcare full time, so I can get a better job. I will need support for childcare whilst I am studying.", + "question": "What is the maximum weekly payment can I claim?", + "not_answerable": false, + "answers": [ + [ + "\u00a3179.62", + [] + ] + ], + "evidences": [ + "

    You may be eligible for help with your childcare costs if you:

    ", + "
  • are a full-time higher education student
  • ", + "
  • have children under 15, or under 17 if they have special educational needs
  • ", + "

    The maximum you can get is:

    ", + "
  • up to \u00a3179.62 a week for 1 child
  • " + ], + "id": "train-47" + }, + { + "url": "https://www.gov.uk/manage-missing-persons-finances", + "scenario": "I was on holiday with my husband in Eritrea. He was framed for a crime he didn't commit and has been imprisoned there. The authorities wont let me communicate with him, so I need to get control of his finances in order to pay the bills until he is released.", + "question": "What form do I need to fill in to apply to for a guardianship order?", + "not_answerable": false, + "answers": [ + [ + "part 8 claim form", + [] + ] + ], + "evidences": [ + "

    Download and fill in a part 8 claim form.

    " + ], + "id": "train-48" + }, + { + "url": "https://www.gov.uk/inheritance-tax", + "scenario": "My father died recently, leaving his \u00a3400,000 home to me in his will. He also gave gifts of approximately \u00a3250,000 total value to myself and my two siblings over the preceding three years.", + "question": "Will I/we have to pay inheritance tax on either the property or the gifts?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There\u2019s normally no Inheritance Tax to pay if either:

    ", + "
  • the value of your estate is below the \u00a3325,000 threshold
  • ", + "
  • you leave everything above the \u00a3325,000 threshold to your spouse, civil partner, a charity or a community amateur sports club
  • ", + "

    If you give away your home to your children (including adopted, foster or stepchildren) or grandchildren your threshold can increase to \u00a3500,000.

    " + ], + "id": "train-49" + }, + { + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "scenario": "My late husband used to work at British coal coorperation and died last year Feburary due to a long term illness. I am now a windower and would like to apply for NCFS because he qualified before he met his unfortunate death.", + "question": "Am i eligible for this National consessionary fuel scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You might be eligible for the allowance if you\u2019re the widow or widower of an ex-employee, if the employee qualified for the NCFS.

    ", + "

    You might be eligible for the National Concessionary Fuel Scheme (NCFS) if you\u2019re:

    ", + "
  • a widow or widower of an ex-employee who would have been eligible
  • " + ], + "id": "train-50" + }, + { + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "scenario": "I worked for the National Coal Board for thirty years and have now retired. I have a wife and two grown up children and am claiming a state pension.", + "question": "Does my employment history entitle me to any sort of fuel payment?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You need to qualify to get the fuel allowance through the National Concessionary Fuel Scheme (NCFS), and you can only get the cash allowance if you\u2019re already getting fuel through the scheme.

    " + ] + ] + ], + "evidences": [ + "

    You could get free solid fuel or a cash allowance for fuel if you\u2019re an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC).

    ", + "

    You need to qualify to get the fuel allowance through the National Concessionary Fuel Scheme (NCFS), and you can only get the cash allowance if you\u2019re already getting fuel through the scheme.

    ", + "

    You might be eligible for the National Concessionary Fuel Scheme (NCFS) if you\u2019re:

    ", + "
  • an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC)
  • " + ], + "id": "train-51" + }, + { + "url": "https://www.gov.uk/adoption-pay-leave", + "scenario": "I live in England, and my wife and I will soon be welcoming our first adoptive child into our home. As a full time employee who has been with the same company for 4 years, I have decided to take my full 52-week entitlement of Adoption Leave and have given the required notice to my employer.", + "question": "Is it possible for my wife to claim Paternity Leave (even though she is a woman)?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-52" + }, + { + "url": "https://www.gov.uk/applying-for-probate", + "scenario": "I am 50 years old. My Uncle has recently died and I believe that there are no close surviving family members, making me next in line. He had a house and savings and did not have a will. I want to find out how to become an administrator of the estate.", + "question": "What is the form I need to fill in to apply for probate?", + "not_answerable": false, + "answers": [ + [ + "form pa1a", + [] + ] + ], + "evidences": [ + "

    You can apply to become the estate\u2019s administrator if you are 18 or over and you are the most \u2018entitled\u2019 inheritor of the deceased\u2019s estate. This is usually the deceased\u2019s closest living relative.

    ", + "

    Fill in application form PA1A if there is not a will.

    " + ], + "id": "train-53" + }, + { + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "scenario": "My father sadly passed away last month. He was getting fuel through the National Concessionary Fuel Scheme. My mother is still alive and I need to find out for her whether she is now eligible for the allowance.", + "question": "Is my mother eligible for the allowance after my dad's death?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You might be eligible for the allowance if you\u2019re the widow or widower of an ex-employee, if the employee qualified for the NCFS.

    ", + "

    You might be eligible for the National Concessionary Fuel Scheme (NCFS) if you\u2019re:

    ", + "
  • a widow or widower of an ex-employee who would have been eligible
  • " + ], + "id": "train-54" + }, + { + "url": "https://www.gov.uk/unclaimed-estates-bona-vacantia", + "scenario": "My neighbour died 20 years ago and has no family or known relatives. His house in England has been lying unattended for long time and has been infested by rodents and bushes.", + "question": "Whom can I contact to take up this house which has been left unattended?", + "not_answerable": false, + "answers": [ + [ + "the bodies representing the crown", + [] + ] + ], + "evidences": [ + "

    If you know someone who has died with no will or known blood relatives, you can tell one of the bodies representing the Crown about their estate.

    ", + "

    You should only refer an estate if:

    ", + "
  • there are no blood relatives
  • " + ], + "id": "train-55" + }, + { + "url": "https://www.gov.uk/inheritance-tax", + "scenario": "My husband died last year January and i inherited our family home of \u00a3300,000. I am a sole custodian and no children.", + "question": "Will I be required to pay inheritance tax?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Inheritance Tax is a tax on the estate (the property, money and possessions) of someone who\u2019s died.

    ", + "

    There\u2019s normally no Inheritance Tax to pay if either:

    ", + "
  • the value of your estate is below the \u00a3325,000 threshold
  • " + ], + "id": "train-56" + }, + { + "url": "https://www.gov.uk/guardians-allowance", + "scenario": "My daughter was a single parent and she died three months ago, leaving two children behind. I have been looking after them ever since.", + "question": "How do I go about claiming Guardian's Benefit?", + "not_answerable": false, + "answers": [ + [ + "fill in the claim form (bg1)", + [] + ], + [ + "send it to the guardian\u2019s allowance unit with the child\u2019s full birth certificate and the parents\u2019 death certificates", + [] + ] + ], + "evidences": [ + "

    You could get Guardian\u2019s Allowance if you\u2019re bringing up a child whose parents have died. You may also be eligible if there\u2019s one surviving parent.

    ", + "
  • Fill in the claim form (BG1).
  • ", + "
  • Send it to the Guardian\u2019s Allowance Unit with the child\u2019s full birth certificate and the parents\u2019 death certificates (or certificate if one parent has died) - send originals.
  • " + ], + "id": "train-57" + }, + { + "url": "https://www.gov.uk/tax-tribunal", + "scenario": "I am a UK taxpayer and I believe my income tax has been miscalculated by HMRC. They have sent me a letter telling me I owe them \u00a35000. I want to appeal this decision.", + "question": "When will I receive the tribunal decision?", + "not_answerable": false, + "answers": [ + [ + "within 1 month", + [ + "
  • in writing within 1 month, if you\u2019ve had a \u2018basic\u2019 case - you\u2019ll sometimes get a decision on the day
  • " + ] + ], + [ + "within 2 months", + [ + "
  • in writing within 2 months, if you\u2019ve had a \u2018standard\u2019 or \u2018complex\u2019 hearing
  • " + ] + ] + ], + "evidences": [ + "

    You\u2019ll usually get the tribunal\u2019s decision:

    ", + "
  • in writing within 1 month, if you\u2019ve had a \u2018basic\u2019 case - you\u2019ll sometimes get a decision on the day
  • ", + "
  • in writing within 2 months, if you\u2019ve had a \u2018standard\u2019 or \u2018complex\u2019 hearing
  • " + ], + "id": "train-58" + }, + { + "url": "https://www.gov.uk/inheritance-tax", + "scenario": "My grandson is a first time buyer and want to buy a house but short of deposit monies and asked me whether he can borrow some from me", + "question": "What are the implications of tax if I have to contribute some money to my grandson's deposit ?", + "not_answerable": false, + "answers": [ + [ + "pay inheritance tax", + [ + "

    People you give gifts to will be charged Inheritance Tax if you give away more than \u00a3325,000 in the 7 years before your death.

    ", + "

    People you give gifts to might have to pay Inheritance Tax, but only if you give away more than \u00a3325,000 and die within 7 years.

    " + ] + ] + ], + "evidences": [ + "

    Some gifts you give while you\u2019re alive may be taxed after your death. Depending on when you gave the gift, \u2018taper relief\u2019 might mean the Inheritance Tax charged on the gift is less than 40%.

    ", + "

    People you give gifts to might have to pay Inheritance Tax, but only if you give away more than \u00a3325,000 and die within 7 years.

    ", + "

    There\u2019s usually no Inheritance Tax to pay on small gifts you make out of your normal income, such as Christmas or birthday presents. These are known as \u2018exempted gifts\u2019.

    ", + "

    People you give gifts to will be charged Inheritance Tax if you give away more than \u00a3325,000 in the 7 years before your death.

    ", + "

    You can give away \u00a33,000 worth of gifts each tax year (6 April to 5 April) without them being added to the value of your estate. This is known as your \u2018annual exemption\u2019.

    " + ], + "id": "train-59" + }, + { + "url": "https://www.gov.uk/war-widow-pension", + "scenario": "My aunt has been a widow for a year now after her husband died during an ambush in iraq. He left her with 3 young children aged below 10years. She want to claim for a war widow pension.", + "question": "Can she claim for a War Widow Pension?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may be entitled to War Widow\u2019s or Widower\u2019s Pension if your wife, husband or civil partner died as a result of their service in Her Majesty\u2019s (HM) Armed Forces or during a time of war.

    ", + "

    They must have served before 6 April 2005, but you may be eligible if they died of an illness or injury later.

    ", + "

    One of the following must apply. Your husband, wife or civil partner:

    ", + "
  • died as result of their service in HM Armed Forces before 6 April 2005
  • ", + "

    If your partner was injured, developed an illness or died as a result of service on or after 6 April 2005, you can claim through the Armed Forces Compensation Scheme.

    " + ], + "id": "train-60" + }, + { + "url": "https://www.gov.uk/inheritance-tax", + "scenario": "My divorced father is terminally ill. He has left his estate to me in his will, including his house which is worth around \u00a3750,000.", + "question": "What is the threshold above which inheritance tax is due?", + "not_answerable": false, + "answers": [ + [ + "\u00a3500,000", + [] + ] + ], + "evidences": [ + "

    There\u2019s normally no Inheritance Tax to pay if either:

    ", + "
  • the value of your estate is below the \u00a3325,000 threshold
  • ", + "

    If you give away your home to your children (including adopted, foster or stepchildren) or grandchildren your threshold can increase to \u00a3500,000.

    " + ], + "id": "train-61" + }, + { + "url": "https://www.gov.uk/maternity-allowance", + "scenario": "I am currently on a permanent role and 27 weeks pregnant at the moment. I was told that I am not eligible for Statutory Maternity Pay but eligible for Maternity allowance.", + "question": "How much I will get?", + "not_answerable": false, + "answers": [ + [ + "\u00a3151.97 a week or 90% of your average weekly earnings (whichever is less)", + [ + "
  • employed or self-employed for at least 26 weeks
  • ", + "
  • earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together
  • ", + "

    To get the full amount of Maternity Allowance, you must have paid Class 2 National Insurance for at least 13 of the 66 weeks before your baby\u2019s due.

    " + ] + ], + [ + "\u00a327 a week", + [ + "
  • employed or self-employed for at least 26 weeks
  • ", + "
  • earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together
  • ", + "

    If you have not paid enough Class 2 National Insurance to get the full rate (\u00a3151.97 a week), you\u2019ll get \u00a327 a week for 39 weeks. You still need to meet all the other eligibility criteria to get this amount.

    " + ] + ] + ], + "evidences": [ + "
  • \u00a3151.97 a week or 90% of your average weekly earnings (whichever is less) for 39 weeks
  • ", + "
  • \u00a327 a week for 39 weeks
  • ", + "

    You might get Maternity Allowance for 39 weeks if one of the following applies:

    ", + "
  • you\u2019re employed, but cannot get Statutory Maternity Pay
  • ", + "

    In the 66 weeks before your baby\u2019s due, you must also have been:

    ", + "
  • employed or self-employed for at least 26 weeks
  • ", + "
  • earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together
  • ", + "

    To get the full amount of Maternity Allowance, you must have paid Class 2 National Insurance for at least 13 of the 66 weeks before your baby\u2019s due.

    ", + "

    If you have not paid enough Class 2 National Insurance to get the full rate (\u00a3151.97 a week), you\u2019ll get \u00a327 a week for 39 weeks. You still need to meet all the other eligibility criteria to get this amount.

    " + ], + "id": "train-62" + }, + { + "url": "https://www.gov.uk/deputyship-refund", + "scenario": "My uncle has parkinsonism disease and appointed me to oversee his estate as his property deputy but during the application process i was overchaged by \u00a3100 by the office of the Guardian and i need a refund.", + "question": "How long will it take for me to get the refund?", + "not_answerable": false, + "answers": [ + [ + "up to 10 weeks to get a decision and a further 2 weeks to receive the refund", + [] + ] + ], + "evidences": [ + "

    It can take up to 10 weeks to get a decision and a further 2 weeks to receive the refund.

    " + ], + "id": "train-63" + }, + { + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "scenario": "I was injured while serving 10 years ago. The severity of my illness has increased to the point where I am now no longer able to work.", + "question": "Can I still claim compensation?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.

    ", + "

    To qualify you must be:

    ", + "
  • a current or former member of the armed forces
  • ", + "
  • applying no later than 7 years after the injury or illness, unless you\u2019re claiming for an illness that started later (sometimes known as a \u2018late onset illness\u2019)
  • " + ], + "id": "train-64" + }, + { + "url": "https://www.gov.uk/make-will", + "scenario": "I am 68, live in Scotland and have been diagnosed with terminal cancer. I am of sound mind and wish to make my will, but am concerned about the safety of the witnessing procedure as I am currently immunocompromised due to the side effects of my chemotherapy.", + "question": "Can my will signing be witnessed remotely via videoconferencing?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You need to get your will formally witnessed and signed to make it legally valid.

    ", + "

    For your will to be legally valid, you must:

    ", + "
  • sign it in the presence of 2 witnesses who are both over 18
  • ", + "
  • have it signed by your 2 witnesses, in your presence
  • ", + "

    Signing can be witnessed both in person and remotely (for example by video conferencing). In both cases:

    ", + "
  • you must have a clear view of the person and the act of signing
  • ", + "
  • the will maker (or person authorised to sign on their behalf) and witnesses must sign the same document
  • ", + "

    You can only sign remotely in England or Wales.

    " + ], + "id": "train-65" + }, + { + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "scenario": "I spent ten years in the army and suffered injuries to my right leg which meant that I was not able to serve any longer.", + "question": "Can i claim compensation for the injury I suffred during my service?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can claim compensation if you were injured or got an illness while serving in the armed forces (including the reserve forces).

    ", + "

    You can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.

    " + ], + "id": "train-66" + }, + { + "url": "https://www.gov.uk/get-declaration-presumed-death", + "scenario": "My civil partner went missing just over 7 years ago. We are both British but he disappeared in Canada where we were living at the time; I came home to live in Wales 18 months ago.", + "question": "Can I make a claim for a declaration of presumed death even though the missing person went missing abroad and was not living in England or Wales at the time?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:

    ", + "
  • 7 years or more
  • ", + "

    You can make a claim if you\u2019re the missing person\u2019s:

    ", + "
  • spouse or civil partner
  • ", + "

    To make a claim one or more of the following must also apply:

    ", + "
  • you\u2019re the missing person\u2019s spouse or civil partner and you treat England or Wales as your permanent home (\u2018domicile\u2019) on the date you make the claim
  • ", + "
  • you\u2019re the missing person\u2019s spouse or civil partner and you\u2019ve been living in England or Wales for the whole year before the date you make the claim
  • " + ], + "id": "train-67" + }, + { + "url": "https://www.gov.uk/statutory-sick-pay", + "scenario": "I work as a healthcare assistant and i have tested positive for corona virus and i am in isolation with severe covid symptoms. I can\u2019t go to work due to this effect and i want to seek income support from my employer.", + "question": "Can i get help and how much will my employer pay me?", + "not_answerable": false, + "answers": [ + [ + "\u00a396.35 a week", + [ + "

    To qualify for Statutory Sick Pay (SSP) you must:

    ", + "
  • be classed as an employee and have done some work for your employer
  • ", + "
  • earn an average of at least \u00a3120 per week
  • " + ] + ] + ], + "evidences": [ + "

    You can get \u00a396.35 per week Statutory Sick Pay (SSP) if you\u2019re too ill to work. It\u2019s paid by your employer for up to 28 weeks.

    ", + "

    You could get SSP if you\u2019re self-isolating because:

    ", + "
  • you or someone you live with has COVID-19 symptoms or has tested positive for COVID-19
  • ", + "

    You could get SSP for every day you\u2019re off work.

    ", + "

    You can get \u00a396.35 a week Statutory Sick Pay (SSP) for up to 28 weeks.

    ", + "

    You can get SSP for every day you were self-isolating if you started on or after 13 March.

    ", + "

    To qualify for Statutory Sick Pay (SSP) you must:

    ", + "
  • be classed as an employee and have done some work for your employer
  • ", + "
  • earn an average of at least \u00a3120 per week
  • " + ], + "id": "train-68" + }, + { + "url": "https://www.gov.uk/paternity-pay-leave", + "scenario": "On the 10th of September my wife is due to give birth to our first child and I am very excited . I want to get time off during this period to bond with my child and support my wife.", + "question": "When should I tell my employer that I want to take paternity leave?", + "not_answerable": false, + "answers": [ + [ + "at least 15 weeks before the baby is due", + [] + ] + ], + "evidences": [ + "

    At least 15 weeks before the baby is due, tell your employer:

    " + ], + "id": "train-69" + }, + { + "url": "https://www.gov.uk/paying-inheritance-tax", + "scenario": "Following my father's death four months ago I applied for and was granted probate. I have now received a Payment Reference Number from the Inland Revenue, and am ready to settle the inheritance tax bill for his estate.", + "question": "As I have probate, is it possible to pay the bill using funds from my late father's bank account?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can pay using the deceased\u2019s:

    ", + "
  • bank accounts - including National Savings and Investments (NS&I) accounts
  • ", + "

    You can ask banks, building societies or National Savings & Investments (NS&I) to pay some or all of the Inheritance Tax due from the deceased person\u2019s accounts to HM Revenue and Customs (HMRC). This is called the \u2018Direct Payment Scheme\u2019.

    " + ], + "id": "train-70" + }, + { + "url": "https://www.gov.uk/maternity-allowance", + "scenario": "I am 30 weeks pregnant and i can\u2019t keep up with my work as i used to be. I want to apply for maternity allowance.", + "question": "Am i eligible and will it affect any other benefits i am getting?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re employed, but cannot get Statutory Maternity Pay
  • ", + "
  • you\u2019re self-employed
  • ", + "
  • employed or self-employed for at least 26 weeks
  • ", + "
  • earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together
  • " + ] + ] + ], + "evidences": [ + "

    Maternity Allowance is usually paid to you if you do not qualify for Statutory Maternity Pay.

    ", + "

    Any money you get can affect your other benefits.

    ", + "

    You might get Maternity Allowance for 39 weeks if one of the following applies:

    ", + "
  • you\u2019re employed, but cannot get Statutory Maternity Pay
  • ", + "
  • you\u2019re self-employed
  • ", + "
  • employed or self-employed for at least 26 weeks
  • ", + "
  • earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together
  • " + ], + "id": "train-71" + }, + { + "url": "https://www.gov.uk/childcare-grant", + "scenario": "I am undertaking a pre registered pharmacist course for academic year 2022-2022 and i want educational support to care to my 6 years old child who has autism", + "question": "Do i repay it back in the future if I claim this benefit now?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may be eligible for help with your childcare costs if you:

    ", + "
  • are a full-time higher education student
  • ", + "
  • have children under 15, or under 17 if they have special educational needs
  • ", + "

    The grant:

    ", + "
  • does not have to be paid back
  • " + ], + "id": "train-72" + }, + { + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "scenario": "My brother got an accident last year during his training in the Armed forces and lost right arm. Life has become very difficult because he must be supported and aided to do his tasks.", + "question": "How much lumpsum of money can he get from the claim?", + "not_answerable": false, + "answers": [ + [ + "between \u00a31,236 and \u00a3650,000", + [] + ] + ], + "evidences": [ + "

    You can claim compensation if you were injured or got an illness while serving in the armed forces (including the reserve forces).

    ", + "

    Compensation may include:

    ", + "
  • a lump sum
  • ", + "

    You can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.

    ", + "

    You can also claim:

    ", + "
  • if you were injured during a service-related activity, eg a training exercise
  • ", + "

    If your claim is successful, you\u2019ll get a tax-free lump sum payment between \u00a31,236 and \u00a3650,000. The amount you get will depend on how severe your injury is.

    " + ], + "id": "train-73" + }, + { + "url": "https://www.gov.uk/shared-parental-leave-and-pay", + "scenario": "We been married for 3 years and been blessed with a baby girl a week back. We thinking to avail Shared Parental Leave and Pay", + "question": "Given our baby already born , are we eligible for Shared Parental Leave and Pay ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date
  • ", + "
  • stay with the same employer until you start your SPL
  • ", + "

    To be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.

    ", + "

    To be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.

    ", + "

    You must tell your employer about your plans for leave when you apply for SPL. You can change these plans later but you must give your employer at least 8 weeks\u2019 notice before you want to begin a block of leave.

    ", + "
  • follow the rules for starting SPL and ShPP
  • ", + "
  • give your employer at least 8 weeks\u2019 written notice of your leave dates
  • ", + "
  • meet the eligibility criteria - there\u2019s different criteria for birth parents and criteria for adoptive parents or parents using a surrogate
  • ", + "
  • give notice to your employers
  • " + ] + ] + ], + "evidences": [ + "

    You and your partner may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if you\u2019re:

    ", + "
  • having a baby
  • ", + "

    To get SPL and ShPP, you and your partner need to:

    ", + "
  • meet the eligibility criteria - there\u2019s different criteria for birth parents and criteria for adoptive parents or parents using a surrogate
  • ", + "
  • give notice to your employers
  • ", + "

    To be eligible for SPL and ShPP, you and your partner must:

    ", + "
  • have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date
  • ", + "
  • stay with the same employer until you start your SPL
  • ", + "

    To be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.

    ", + "

    To be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.

    ", + "

    You can only start Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) once the child has been born or placed for adoption.

    ", + "

    You must tell your employer about your plans for leave when you apply for SPL. You can change these plans later but you must give your employer at least 8 weeks\u2019 notice before you want to begin a block of leave.

    ", + "

    To get Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) you must:

    ", + "
  • follow the rules for starting SPL and ShPP
  • ", + "
  • give your employer at least 8 weeks\u2019 written notice of your leave dates
  • " + ], + "id": "train-74" + }, + { + "url": "https://www.gov.uk/maternity-allowance", + "scenario": "I am 32, self-employed and currently 26 weeks pregnant with my first child. My average income over the last year has been approximately \u00a3120 pcw, and I have paid my Class 2 National Insurance Contributions.", + "question": "Do I qualify for Maternity Allowance, and if so for how many weeks of it?", + "not_answerable": false, + "answers": [ + [ + "39 weeks", + [] + ] + ], + "evidences": [ + "

    You could get either:

    ", + "
  • \u00a3151.97 a week or 90% of your average weekly earnings (whichever is less) for 39 weeks
  • ", + "

    You might get Maternity Allowance for 39 weeks if one of the following applies:

    ", + "
  • you\u2019re self-employed
  • ", + "

    In the 66 weeks before your baby\u2019s due, you must also have been:

    ", + "
  • employed or self-employed for at least 26 weeks
  • ", + "
  • earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together
  • ", + "

    To get the full amount of Maternity Allowance, you must have paid Class 2 National Insurance for at least 13 of the 66 weeks before your baby\u2019s due.

    " + ], + "id": "train-75" + }, + { + "url": "https://www.gov.uk/help-for-disabled-child", + "scenario": "I own a home where I live with my seven year old son. My son needs to use a wheelchair, but the dimensions of a few of my hallways and rooms are not suitable for his wheelchair.", + "question": "Who can I speak to about the best home adaptations for my child?", + "not_answerable": false, + "answers": [ + [ + "your local council", + [] + ] + ], + "evidences": [ + "

    Your local council can provide help if you have a disabled child, including:

    ", + "
  • some aids and adaptations
  • ", + "

    Your council has a duty to provide these services under the Children Act 1989. Some are free of charge - the council might ask you to contribute towards others.

    ", + "

    If you think your child may qualify, contact the social services team at your local council.

    ", + "

    If your home needs to be adapted to meet your child\u2019s needs, you may be able to get a Disabled Facilities Grant to help with the costs.

    " + ], + "id": "train-76" + }, + { + "url": "https://www.gov.uk/childcare-grant", + "scenario": "I have just enrolled onto a 6 month full time training course but I will still be working part time on top of attending education.", + "question": "Will I still be eligible for a help with childcare costs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • your child must be under 15, or under 17 if they have special educational needs
  • ", + "
  • you get undergraduate student finance based on your household income, or are eligible to
  • ", + "
  • you\u2019re not getting a Postgraduate Loan
  • ", + "
  • you\u2019re a permanent resident in England
  • ", + "
  • the children in your grant application are financially dependent on you
  • ", + "
  • your childcare provider is on the Ofsted Early Years Register or General Childcare Register - check with your provider
  • ", + "
  • if your child is cared for at home, the carer cannot be a relative and must be registered with an appropriate body - check with Student Finance England
  • ", + "
  • neither you or your partner are claiming Tax-Free Childcare, the childcare element of working Tax Credit or Universal Credit
  • ", + "
  • neither you or your partner receive help with childcare costs from the National Health Service (NHS)
  • ", + "

    You must be eligible for student finance to apply for a Childcare Grant.

    " + ] + ] + ], + "evidences": [ + "

    You may be eligible for help with your childcare costs if you:

    ", + "
  • are a full-time higher education student
  • ", + "
  • have children under 15, or under 17 if they have special educational needs
  • ", + "

    You must be eligible for student finance to apply for a Childcare Grant.

    ", + "

    To qualify for a Childcare Grant all the following must apply:

    ", + "
  • you\u2019re a full-time student
  • ", + "
  • your child must be under 15, or under 17 if they have special educational needs
  • ", + "
  • you get undergraduate student finance based on your household income, or are eligible to
  • ", + "
  • you\u2019re not getting a Postgraduate Loan
  • ", + "
  • you\u2019re a permanent resident in England
  • ", + "
  • the children in your grant application are financially dependent on you
  • ", + "
  • your childcare provider is on the Ofsted Early Years Register or General Childcare Register - check with your provider
  • ", + "
  • if your child is cared for at home, the carer cannot be a relative and must be registered with an appropriate body - check with Student Finance England
  • ", + "
  • neither you or your partner are claiming Tax-Free Childcare, the childcare element of working Tax Credit or Universal Credit
  • ", + "
  • neither you or your partner receive help with childcare costs from the National Health Service (NHS)
  • " + ], + "id": "train-77" + }, + { + "url": "https://www.gov.uk/disabled-facilities-grants", + "scenario": "My wife and I currently live in accomodation which I own, and she has recently become paraplegic as the result of a traffic accident. We have savings of around \u00a35,000 and live in England.", + "question": "Can we apply for a Disabled Facilities Grant to help cover the cost of adapting our home?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • household income
  • ", + "
  • intend to live in the property during the grant period (which is currently 5 years)
  • " + ] + ] + ], + "evidences": [ + "

    You could get a grant from your council if you\u2019re disabled and need to make changes to your home, for example to:

    ", + "

    How much you get depends on your:

    ", + "
  • household income
  • ", + "
  • household savings over \u00a36,000
  • ", + "

    Depending on your income, you may need to pay towards the cost of the work to the property.

    ", + "

    You or someone living in your property must be disabled. Either you or the person you\u2019re applying for must:

    ", + "
  • own the property or be a tenant
  • ", + "
  • intend to live in the property during the grant period (which is currently 5 years)
  • " + ], + "id": "train-78" + }, + { + "url": "https://www.gov.uk/change-cancel-presumption-death-certificate", + "scenario": "My uncle died 15th march 2020 but the date put in his death certificate is 10th march 2020.I want this slight error rectified from his death certificate.", + "question": "Where can i apply to get the date details changed?", + "not_answerable": false, + "answers": [ + [ + "a court that can hear high court cases", + [] + ] + ], + "evidences": [ + "

    You can make a claim to cancel (\u2018revoke\u2019) or change (\u2018vary\u2019) the details of a declaration of presumed death from the High Court if you can prove the missing person:

    ", + "
  • died at a time earlier or later than the time of death in the original declaration
  • ", + "

    Download and fill in claim form N208.

    ", + "

    Send the claim to a court that can hear High Court cases.

    " + ], + "id": "train-79" + }, + { + "url": "https://www.gov.uk/unclaimed-estates-bona-vacantia", + "scenario": "My grandfather died 3 months ago and he did not leave a will. His house is currently empty and bank accounts are untouched.", + "question": "How much of his estate can I claim?", + "not_answerable": false, + "answers": [ + [ + "a share", + [ + "
  • if there\u2019s no spouse or child, anyone descended from a grandparent of the person is entitled to a share in the estate
  • " + ] + ] + ], + "evidences": [ + "

    You could be entitled to a share of a deceased relative\u2019s property (\u2018estate\u2019) if you\u2019re a relative.

    ", + "

    You need to know if you\u2019re entitled before making a claim on an estate. The general rules are:

    ", + "
  • if there\u2019s no will, the person\u2019s spouse or civil partner and then any children have first claim to the estate
  • ", + "
  • if there\u2019s no spouse or child, anyone descended from a grandparent of the person is entitled to a share in the estate
  • " + ], + "id": "train-80" + }, + { + "url": "https://www.gov.uk/disability-living-allowance-children", + "scenario": "I am the step-father to a 14 year old who was born in the UK but now has difficulty walking after a car accident in France.", + "question": "Can I claim for disability living allowance on their behalf despite not being a biological parent?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    They will need to meet all the eligibility requirements.

    ", + "
  • have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old
  • ", + "
  • be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands
  • " + ] + ] + ], + "evidences": [ + "

    Disability Living Allowance (DLA) for children may help with the extra costs of looking after a child who:

    ", + "
  • is under 16
  • ", + "
  • has difficulties walking or needs much more looking after than a child of the same age who does not have a disability
  • ", + "

    They will need to meet all the eligibility requirements.

    ", + "

    Usually, to qualify for Disability Living Allowance (DLA) for children the child must:

    ", + "
  • be under 16 - anyone over 16 must apply for Personal Independence Payment (PIP)
  • ", + "
  • need extra looking after or have walking dif\ufb01culties
  • ", + "
  • be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces
  • ", + "
  • have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old
  • ", + "
  • be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands
  • ", + "
  • not be subject to immigration control
  • ", + "

    To claim DLA for a child you need to be their parent or look after them as if you\u2019re their parent. This includes step-parents, guardians, grandparents, foster-parents or older brothers or sisters.

    " + ], + "id": "train-81" + }, + { + "url": "https://www.gov.uk/lasting-power-attorney-duties", + "scenario": "My grandfather has appointed me as his financial affair attorney and i have been running his businesses efficiently . He has been diagnosed with a terminal illness and has few day to live.", + "question": "Will a power of attorney still be valid after my grandfather dies?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can make decisions on someone\u2019s behalf if they appoint you using a lasting power of attorney (LPA).

    ", + "

    The lasting power of attorney (LPA) ends when the donor dies.

    " + ], + "id": "train-82" + }, + { + "url": "https://www.gov.uk/how-to-annul-marriage", + "scenario": "I have been married to my husband for 2 years and have been living together in London. I have just found out that he was already married at the time and did not have divorce.", + "question": "What documents will I need to show in this case to get an Annulment?", + "not_answerable": false, + "answers": [ + [ + "a \u2018nullity petition\u2019", + [] + ] + ], + "evidences": [ + "

    To annul a marriage, fill in a \u2018nullity petition\u2019.

    " + ], + "id": "train-83" + }, + { + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "scenario": "I married my wife 10 years ago. I now want to legally change my gender and I am applying for a Gender Recognition Certificate.", + "question": "Will my marriage's legal status change?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.

    " + ] + ], + [ + "no", + [ + "

    You and your spouse must fill in a statutory declaration saying you both agree to stay married.

    " + ] + ] + ], + "evidences": [ + "

    You can stay married if you apply for a Gender Recognition Certificate.

    ", + "

    You and your spouse must fill in a statutory declaration saying you both agree to stay married.

    ", + "

    You\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.

    " + ], + "id": "train-84" + }, + { + "url": "https://www.gov.uk/deputyship-refund", + "scenario": "I was a deputy for my 83 year old Scottish father from 2006-2014 when he lived in a care home in Tameside.", + "question": "My claim has been rejected. How can I appeal?", + "not_answerable": false, + "answers": [ + [ + "by contacting the refunds helpline", + [] + ] + ], + "evidences": [ + "

    You can appeal by contacting the Refunds Helpline.

    " + ], + "id": "train-85" + }, + { + "url": "https://www.gov.uk/get-declaration-presumed-death", + "scenario": "My 76 year old father from Kent has been missing for 5 years now, my sister still thinks there is hope but I do not.", + "question": "Can I get a death certificate for him although my sister does not want too?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    Your claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.

    " + ] + ] + ], + "evidences": [ + "

    You can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:

    ", + "
  • 7 years or more
  • ", + "
  • less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster
  • ", + "

    You can make a claim if you\u2019re the missing person\u2019s:

    ", + "
  • child
  • ", + "

    Your claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.

    " + ], + "id": "train-86" + }, + { + "url": "https://www.gov.uk/war-widow-pension", + "scenario": "My husband worked on the nuclear submarines in the 1990s. He later got cancer, and sadly died last week. It is thought that the cancer was caused by exposure to nuclear radiation during his service.", + "question": "Can I get a grant to help with the costs of his funeral?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Veterans UK may be able to pay a grant of up to \u00a32,200 towards a veteran\u2019s funeral if any of the following apply:

    ", + "
  • death was due to service before 6 April 2005
  • " + ], + "id": "train-87" + }, + { + "url": "https://www.gov.uk/change-cancel-presumption-death-certificate", + "scenario": "I live in England and I declared my husband dead when he was missing for several years. He has now returned alive and I need to get his presumption of death certificate revoked.", + "question": "How much will it cost to revoke a presumption of death certificate?", + "not_answerable": false, + "answers": [ + [ + "\u00a3480", + [] + ] + ], + "evidences": [ + "

    You can make a claim to cancel (\u2018revoke\u2019) or change (\u2018vary\u2019) the details of a declaration of presumed death from the High Court if you can prove the missing person:

    ", + "
  • is still alive
  • ", + "

    It costs \u00a3480 to change or cancel a declaration of presumed death. Read the fees leaflet to find out when you might not have to pay.

    " + ], + "id": "train-88" + }, + { + "url": "https://www.gov.uk/war-widow-pension", + "scenario": "My husband died at the hands of a sniper during a tour of Iraq. This was back in 2003 and I have never had any sort of compensation from the government.", + "question": "What sort of pension am I entitled to?", + "not_answerable": false, + "answers": [ + [ + "war widow\u2019s or widower\u2019s pension", + [] + ] + ], + "evidences": [ + "

    You may be entitled to War Widow\u2019s or Widower\u2019s Pension if your wife, husband or civil partner died as a result of their service in Her Majesty\u2019s (HM) Armed Forces or during a time of war.

    ", + "

    They must have served before 6 April 2005, but you may be eligible if they died of an illness or injury later.

    ", + "

    One of the following must apply. Your husband, wife or civil partner:

    ", + "
  • died as result of their service in HM Armed Forces before 6 April 2005
  • ", + "

    You may be entitled to a pension if you lived with a partner as husband and wife or as civil partners.

    ", + "

    War Widow\u2019s or Widower\u2019s Pension is paid at different rates depending on your age and circumstances.

    " + ], + "id": "train-89" + }, + { + "url": "https://www.gov.uk/adoption-pay-leave", + "scenario": "Me and my husband have decided to adopt a child from China. The child is arriving in England in 2 weeks. I work full time and I want to sort out time off work to care for it.", + "question": "Am I eligible for statutory adoption pay and how long is it paid for?", + "not_answerable": false, + "answers": [ + [ + "up to 39 weeks", + [ + "
  • have been continuously employed by your employer for at least 26 weeks by the week you were matched with a child
  • ", + "
  • earn on average at least \u00a3120 a week (before tax)
  • ", + "
  • give the correct notice
  • ", + "
  • give proof of the adoption or surrogacy
  • ", + "

    The requirements are the same if you\u2019re adopting from overseas, except you must have been continuously employed by your employer for at least 26 weeks when you start getting adoption pay.

    ", + "

    You must also sign form SC6 if you\u2019re adopting from overseas with a partner. This confirms you\u2019re not taking paternity leave or pay.

    " + ] + ] + ], + "evidences": [ + "

    Statutory Adoption Pay is paid for up to 39 weeks. The weekly amount is:

    ", + "
  • give the correct notice
  • ", + "

    You must also sign form SC6 if you\u2019re adopting from overseas with a partner. This confirms you\u2019re not taking paternity leave or pay.

    ", + "

    To get Statutory Adoption Pay, you must:

    ", + "
  • have been continuously employed by your employer for at least 26 weeks by the week you were matched with a child
  • ", + "
  • earn on average at least \u00a3120 a week (before tax)
  • ", + "
  • give proof of the adoption or surrogacy
  • ", + "

    The requirements are the same if you\u2019re adopting from overseas, except you must have been continuously employed by your employer for at least 26 weeks when you start getting adoption pay.

    " + ], + "id": "train-90" + }, + { + "url": "https://www.gov.uk/deputyship-refund", + "scenario": "I became a deputy for my elderly mother in August 2018; she currently has advanced Alzheimer's. Over the last couple of years I believe I have been over-charged deputyship fees. I will remain a depty for mum until her death. I live in Lincolnshire, she also lives in the same county in a residential care home.", + "question": "Can I apply for a deputyship fee refund?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The refunds are only for deputyship assessments and annual supervisions which took place between 1 April 2008 and 31 March 2015.

    ", + "

    You can make a claim if you:

    ", + "
  • are acting on behalf of someone who had a deputy and has died
  • ", + "

    The deputyship must have been active between 1 April 2008 and 31 March 2015.

    " + ], + "id": "train-91" + }, + { + "url": "https://www.gov.uk/statutory-sick-pay", + "scenario": "Recently I travelled to Australia and was supposed to return to UK within 10 days and join the work but unfortunately I was tested positive and have to spent more than 25 days in Australia", + "question": "Will I still be eligible for Statutory Sick Pay (SSP) when I am abroad ?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-92" + }, + { + "url": "https://www.gov.uk/getting-help-with-your-tax-credits-claim", + "scenario": "My aunt has appointed me as her next of kin to oversee her finances after suffering from stroke. I want to apply as her tax relief appointee to act on her behalf.", + "question": "Will I be automatically authorised to undertake this role and help her claim tax relief?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can get permission to deal with someone else\u2019s tax credits. The type of permission you need depends on what you want to do.

    ", + "

    You can:

    ", + "
  • take responsibility for someone else\u2019s tax credit claim when they cannot manage their own affairs - as an appointee
  • ", + "

    You can apply for the right to deal with the tax credits of someone who cannot manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.

    ", + "

    If you have a tax credit claim form, complete the appointee section explaining why the person cannot complete and sign their form. Then send the form to HM Revenue and Customs (HMRC). They may contact you for more information before deciding whether to make you an appointee or not.

    " + ], + "id": "train-93" + }, + { + "url": "https://www.gov.uk/disability-living-allowance-children", + "scenario": "My son is currently 13. He had a serious accident when he was younger and as a result of this struggles to walk and sometimes has to use a wheelchair to get around.", + "question": "My child needs a lot of extra support at the moment, will I qualify for the maximum DLA payment?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces
  • ", + "
  • have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old
  • ", + "
  • be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands
  • ", + "
  • not be subject to immigration control
  • ", + "
  • highest rate - help or supervision throughout both day and night, or they\u2019re terminally ill
  • ", + "
  • highest rate - they cannot walk, can only walk a short distance without severe discomfort, could become very ill if they try to walk or they\u2019re blind or severely sight impaired
  • ", + "

    They must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.

    " + ] + ] + ], + "evidences": [ + "

    Disability Living Allowance (DLA) for children may help with the extra costs of looking after a child who:

    ", + "
  • is under 16
  • ", + "
  • has difficulties walking or needs much more looking after than a child of the same age who does not have a disability
  • ", + "

    Usually, to qualify for Disability Living Allowance (DLA) for children the child must:

    ", + "
  • be under 16 - anyone over 16 must apply for Personal Independence Payment (PIP)
  • ", + "
  • need extra looking after or have walking dif\ufb01culties
  • ", + "
  • be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces
  • ", + "
  • have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old
  • ", + "
  • be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands
  • ", + "
  • not be subject to immigration control
  • ", + "

    The child\u2019s disability or health condition must mean at least one of the following apply:

    ", + "
  • they need much more looking after than a child of the same age who does not have a disability
  • ", + "
  • they have difficulty getting about
  • ", + "

    They must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.

    ", + "

    The rate the child gets depends on the level of looking after they need, for example:

    ", + "
  • lowest rate - help for some of the day
  • ", + "
  • middle rate - frequent help or constant supervision during the day, supervision at night or someone to help while they\u2019re on dialysis
  • ", + "
  • highest rate - help or supervision throughout both day and night, or they\u2019re terminally ill
  • ", + "

    The rate the child gets depends on the level of help they need getting about, for example:

    ", + "
  • lowest rate - they can walk but need help and or supervision when outdoors
  • ", + "
  • highest rate - they cannot walk, can only walk a short distance without severe discomfort, could become very ill if they try to walk or they\u2019re blind or severely sight impaired
  • " + ], + "id": "train-94" + }, + { + "url": "https://www.gov.uk/childcare-grant", + "scenario": "I am 24, live in England with my partner and 5 year old son, and am currently studying for a degree at University. I get undergraduate student finance, and my partner works full time.", + "question": "Can I apply for a grant to cover the cost of childcare for my son whilst I attend my course?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • your childcare provider is on the Ofsted Early Years Register or General Childcare Register - check with your provider
  • ", + "
  • neither you or your partner are claiming Tax-Free Childcare, the childcare element of working Tax Credit or Universal Credit
  • ", + "
  • neither you or your partner receive help with childcare costs from the National Health Service (NHS)
  • ", + "
  • you\u2019re not getting a Postgraduate Loan
  • ", + "
  • the children in your grant application are financially dependent on you
  • ", + "
  • if your child is cared for at home, the carer cannot be a relative and must be registered with an appropriate body - check with Student Finance England
  • " + ] + ] + ], + "evidences": [ + "

    You may be eligible for help with your childcare costs if you:

    ", + "
  • are a full-time higher education student
  • ", + "
  • have children under 15, or under 17 if they have special educational needs
  • ", + "

    To qualify for a Childcare Grant all the following must apply:

    ", + "
  • you\u2019re a full-time student
  • ", + "
  • your child must be under 15, or under 17 if they have special educational needs
  • ", + "
  • you get undergraduate student finance based on your household income, or are eligible to
  • ", + "
  • you\u2019re not getting a Postgraduate Loan
  • ", + "
  • you\u2019re a permanent resident in England
  • ", + "
  • the children in your grant application are financially dependent on you
  • ", + "
  • your childcare provider is on the Ofsted Early Years Register or General Childcare Register - check with your provider
  • ", + "
  • if your child is cared for at home, the carer cannot be a relative and must be registered with an appropriate body - check with Student Finance England
  • ", + "
  • neither you or your partner are claiming Tax-Free Childcare, the childcare element of working Tax Credit or Universal Credit
  • ", + "
  • neither you or your partner receive help with childcare costs from the National Health Service (NHS)
  • " + ], + "id": "train-95" + }, + { + "url": "https://www.gov.uk/the-warm-home-discount-scheme", + "scenario": "My husband and I are both retired and on a low income, so we get pension credit. However, we had some savings so we also get savings credit.", + "question": "Are we eligible for the warm home discount even though we receive savings credit?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • your energy supplier is part of the scheme
  • ", + "
  • your name (or your partner\u2019s) is on the bill
  • " + ] + ] + ], + "evidences": [ + "

    There are 2 ways to qualify for the Warm Home Discount Scheme:

    ", + "
  • you get the Guarantee Credit element of Pension Credit - known as the \u2018core group\u2019
  • ", + "

    You qualify for the discount if on 4 July 2021 all of the following apply:

    ", + "
  • your energy supplier is part of the scheme
  • ", + "
  • your name (or your partner\u2019s) is on the bill
  • ", + "
  • you or your partner are getting the Guarantee Credit element of Pension Credit (even if you get Savings Credit as well)
  • " + ], + "id": "train-96" + }, + { + "url": "https://www.gov.uk/statutory-sick-pay", + "scenario": "I have been off work with mental health issues for the past 27 weeks. Work will only pay me SSP for another week.", + "question": "What will happen to me SSP after this date?", + "not_answerable": false, + "answers": [ + [ + "apply for universal credit or employment and support allowance (esa).", + [] + ] + ], + "evidences": [ + "

    If you\u2019re not eligible or your SSP ends

    ", + "

    You may be able to apply for Universal Credit or Employment and Support Allowance (ESA). You can use form SSP1 to support your application.

    " + ], + "id": "train-97" + }, + { + "url": "https://www.gov.uk/make-will", + "scenario": "I am seventy five years old and although I am in reasonably good health I would like to ensure that in the event of my death my dependants are provided for as I would wish. I have several properties including some overseas.", + "question": "What is the first thing I need to think about when making a will?", + "not_answerable": false, + "answers": [ + [ + "get advice if your will is not straightforward", + [] + ] + ], + "evidences": [ + "

    You can write your will yourself, but you should get advice if your will is not straightforward.

    ", + "

    You can get advice from a professional if your will is not straightforward, for example:

    ", + "
  • you have property overseas
  • " + ], + "id": "train-98" + }, + { + "url": "https://www.gov.uk/how-to-annul-marriage", + "scenario": "I married a man two months ago after living in England for four years. I found out that the man has a STD and had it at the time of our wedding, so I'd like to annul our marriage.", + "question": "Can I apply for an annulment and how much will it cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a3550", + [] + ] + ], + "evidences": [ + "

    You can annul a marriage for a number of reasons, such as:

    ", + "
  • the other person had a sexually transmitted disease (STD) when you got married
  • ", + "

    Filing a nullity petition form costs \u00a3550.

    " + ], + "id": "train-99" + }, + { + "url": "https://www.gov.uk/get-declaration-presumed-death", + "scenario": "My brother has not been seen since an earthquake whilst he was on holiday abroad two years ago. He has an estate in the UK I would like to administer for his children.", + "question": "Is it possible for me to declare my brother dead even though he's only been missing two years?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster
  • " + ] + ] + ], + "evidences": [ + "

    You can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:

    ", + "
  • less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster
  • ", + "

    You can make a claim if you\u2019re the missing person\u2019s:

    ", + "
  • sibling
  • ", + "

    To make a claim one or more of the following must also apply:

    ", + "
  • the missing person treated England or Wales as their permanent home (\u2018domicile\u2019) on the date they were last known to be alive
  • ", + "
  • the missing person was living in England or Wales for the whole year before the date they were last known to be alive
  • " + ], + "id": "train-100" + }, + { + "url": "https://www.gov.uk/carers-credit", + "scenario": "My dad has bipolar disorder and I have to care for him. This usually takes around 25 hours per week. I have just been on a 6 week holiday where someone else stepped in and did the caring for me.", + "question": "Am I still eligible for the Carers Credit whilst on holiday?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can still get Carer\u2019s Credit even if you have breaks from caring (up to 12 weeks in a row).

    ", + "

    For example, you\u2019ll still get Carer\u2019s Credit for 12 weeks if:

    ", + "
  • you take a short holiday
  • " + ], + "id": "train-101" + }, + { + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "scenario": "My grandmother own a big property worthy over \u00a31million and her healthy has deteroriated and lost memory. She is now in a nursing home and i am afraid that some of my family members are posing a real threat to change her will . I feel very worried and i want to protect her interests despite her condition.", + "question": "Can i seek a court protection order without informing my other family members?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Apply to the Court of Protection if both of the following apply:

    ", + "
  • you\u2019re concerned about the personal welfare or property and financial affairs of someone who\u2019s lost mental capacity
  • ", + "
  • you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home
  • ", + "

    You must tell:

    ", + "
  • the person you\u2019re applying to get a one-off decision for
  • ", + "
  • people connected to the application
  • ", + "

    You must tell people named on your application that it\u2019s been issued.

    " + ], + "id": "train-102" + }, + { + "url": "https://www.gov.uk/care-to-learn", + "scenario": "My niece is 19 years old and has a 2 year old baby. She wants to join Bath university for her pharmacy degree but needs support with her baby.", + "question": "Can she qualify for Care to Learn?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must be aged under 20 at the start of your course.

    ", + "

    You\u2019re not eligible if:

    ", + "
  • you\u2019re doing a higher education course at university
  • " + ], + "id": "train-103" + }, + { + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "scenario": "My partner and I are in the middle of an acrimonious separation. We both work full time but he earns more than I do. I cannot afford to pay the mortgage alone.", + "question": "Where can I get advice about my situation?", + "not_answerable": false, + "answers": [ + [ + "citizens advice", + [] + ] + ], + "evidences": [ + "

    You can:

    ", + "
  • get information and advice from Citizens Advice
  • " + ], + "id": "train-104" + }, + { + "url": "https://www.gov.uk/valuing-estate-of-someone-who-died", + "scenario": "My uncle recently died and I was given responsibility to value the estate. The estate is worth above \u00a3350,000 and will be passed to his son", + "question": "Does the son have to pay inheritance tax or any taxes on the estate ?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-105" + }, + { + "url": "https://www.gov.uk/inheritance-tax", + "scenario": "We are a couple aged 60 and 62, living in England. We own our home outright with no mortgage and would like to gift it to our son and his wife. We will still live there and will pay all the bills connected to the property. My son and his wife would move into annexe.", + "question": "Would we have to pay rent to our son in addition to paying the bills?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you want to continue living in your property after giving it away, you\u2019ll need to:

    ", + "
  • pay rent to the new owner at the going rate (for similar local rental properties)
  • ", + "

    You do not have to pay rent to the new owners if both the following apply:

    ", + "
  • the new owners also live at the property
  • " + ], + "id": "train-106" + }, + { + "url": "https://www.gov.uk/mortgage-interest-run-on", + "scenario": "I was getting income support until last month. I have got a full time now and will be joining next week. Also, I want some money to cover my house costs. Previously I was claiming support for mortgage interest.", + "question": "As I am moving to a full time role, will I be eligible to apply for Mortgage Interest Run On?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019ve been claiming the benefit continuously for at least 26 weeks
  • ", + "
  • you expect the work (or more money) to last for 5 weeks or more
  • ", + "
  • you were entitled to help with your\u00a0housing costs\u00a0before your work started and you\u2019ll still have these costs when you start work
  • " + ] + ] + ], + "evidences": [ + "

    Mortgage Interest Run On is extra money you can get towards your housing costs if certain other benefits are stopping because you\u2019re:

    ", + "
  • returning to work full-time
  • ", + "

    If you\u2019re eligible and were getting Support for Mortgage Interest before your work situation changed, you\u2019ll usually continue to get the same amount as you were getting before your benefits stopped.

    ", + "

    You can claim Mortgage Interest Run On if you\u2019ve stopped getting income-based Jobseeker\u2019s Allowance, Income Support or income-related Employment and Support Allowance because you\u2019re:

    ", + "

    All of the following must also apply:

    ", + "
  • you\u2019ve been claiming the benefit continuously for at least 26 weeks
  • ", + "
  • you expect the work (or more money) to last for 5 weeks or more
  • ", + "
  • you were entitled to help with your\u00a0housing costs\u00a0before your work started and you\u2019ll still have these costs when you start work
  • " + ], + "id": "train-107" + }, + { + "url": "https://www.gov.uk/child-benefit", + "scenario": "I recently separated from my husband and i am the custodian of my two children.My situation has changed and my working hours have reduced to 15 hours per week.", + "question": "How much benefits will i get for my two children who are 5 and 10 years old respectively?", + "not_answerable": false, + "answers": [ + [ + "\u00a321.15 a week", + [ + "Eldest or only child | \u00a321.15", + "

    If a family splits up, you get \u00a321.15 a week for the eldest child.

    " + ] + ], + [ + "\u00a314 for each child", + [ + "Additional children | \u00a314 per child", + "

    If you have other children who are entitled to Child Benefit, you\u2019ll get \u00a314 for each child.

    " + ] + ] + ], + "evidences": [ + "Eldest or only child | \u00a321.15", + "Additional children | \u00a314 per child", + "

    If a family splits up, you get \u00a321.15 a week for the eldest child.

    ", + "

    If you have other children who are entitled to Child Benefit, you\u2019ll get \u00a314 for each child.

    " + ], + "id": "train-108" + }, + { + "url": "https://www.gov.uk/mental-health-tribunal", + "scenario": "My mother was detained in a psychiatric hospital for treatment after sectioning one month ago. I feel she is well enough now and I want her to be discharged.", + "question": "Can I apply for her discharge as her nearest relative?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    There are deadlines for the first time you apply - you must apply within:

    ", + "
  • 6 months if you\u2019ve been admitted for treatment (\u2018section 3\u2019)
  • " + ] + ] + ], + "evidences": [ + "

    You can apply to the First-tier Tribunal (Mental Health) if you\u2019re admitted (\u2018detained\u2019) as a patient in a psychiatric hospital (\u2018sectioned\u2019) and want to be discharged.

    ", + "

    You can apply on a patient\u2019s behalf if you\u2019re their:

    ", + "
  • \u2018nearest relative\u2019
  • ", + "

    When you apply depends on how you were admitted - ask your doctor or lawyer (if you have one) if you\u2019re unsure.

    ", + "

    There are deadlines for the first time you apply - you must apply within:

    ", + "
  • 6 months if you\u2019ve been admitted for treatment (\u2018section 3\u2019)
  • " + ], + "id": "train-109" + }, + { + "url": "https://www.gov.uk/pip", + "scenario": "I am originally from USA and was working in Uk. My health has deteroriated after a long battle with diabetes and has affected my eyesight and making it difficult to continue with my work.", + "question": "How much can I claim from PIP?", + "not_answerable": false, + "answers": [ + [ + "the weekly rate for the daily living part of pip is either \u00a360.00 or \u00a389.60.", + [] + ], + [ + "the weekly rate for the mobility part of pip is either \u00a323.70 or \u00a362.55.", + [] + ] + ], + "evidences": [ + "

    Personal Independence Payment (PIP) is made up of 2 parts - a daily living part and a mobility part. Whether you get one or both of these and how much you\u2019ll get depends on how severely your condition affects you.

    ", + "

    The weekly rate for the daily living part of PIP is either \u00a360.00 or \u00a389.60.

    ", + "

    The weekly rate for the mobility part of PIP is either \u00a323.70 or \u00a362.55.

    " + ], + "id": "train-110" + }, + { + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "scenario": "My mother was diagnosed with dementia four years ago, and is currently being cared for in a nursing home. Her former partner, who has a conviction for domestic violence against her, is now requesting to see her \"to make amends\".", + "question": "Given the considerable distress this prospect has caused my mother, can I get an order preventing such visits?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Apply to the Court of Protection if both of the following apply:

    ", + "
  • you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home
  • " + ], + "id": "train-111" + }, + { + "url": "https://www.gov.uk/sure-start-maternity-grant", + "scenario": "I am pregnant with my first child and I currently claim universal credit. I live in England. I want to find out if there is any additional support for me and the baby available.", + "question": "How much is the Sure Start Maternity Grant?", + "not_answerable": false, + "answers": [ + [ + "\u00a3500", + [] + ] + ], + "evidences": [ + "

    You could get a one-off payment of \u00a3500 to help towards the costs of having a child. This is known as a Sure Start Maternity Grant.

    ", + "

    You usually qualify for the grant if both of the following apply:

    ", + "
  • you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already
  • ", + "
  • you or your partner already get certain benefits
  • ", + "

    A Sure Start Maternity Grant is \u00a3500 and you do not have to pay it back.

    ", + "

    Usually, to qualify for a Sure Start Maternity Grant there must be no other children in your family. You or your partner must also get one of these benefits:

    ", + "
  • Universal Credit
  • " + ], + "id": "train-112" + }, + { + "url": "https://www.gov.uk/diffuse-mesothelioma-payment", + "scenario": "I'm 54, and 6 months ago I was diagnosed with mesothelioma as a result of asbestos exposure when employed between 2001 and 2005. I've looked into making a civil claim against my former employer, but the company appears to no longer exist and their (former) insurers are also untraceable.", + "question": "Am I still entitled to compensation from the state even if I cannot trace my former employer?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • are not entitled to a payment under the 1979 Pneumoconiosis Act
  • ", + "
  • have not been given a payment for the disease from an employer, a civil claim or elsewhere
  • ", + "
  • are not entitled to compensation from a Ministry of Defence scheme
  • ", + "
  • your mesothelioma was caused by exposure to asbestos when working in the UK
  • " + ] + ] + ], + "evidences": [ + "

    You can claim DMPS if you cannot find the employer responsible for your contact with asbestos, or their insurer.

    ", + "

    You can claim a one-off payment if you:

    ", + "
  • are not entitled to a payment under the 1979 Pneumoconiosis Act
  • ", + "
  • have not been given a payment for the disease from an employer, a civil claim or elsewhere
  • ", + "
  • are not entitled to compensation from a Ministry of Defence scheme
  • ", + "

    You must claim within 12 months of diagnosis.

    ", + "

    You may be able to claim if all of the following apply:

    ", + "
  • you were diagnosed with diffuse mesothelioma on or after 25 July 2012
  • ", + "
  • your mesothelioma was caused by exposure to asbestos when working in the UK
  • ", + "
  • you cannot trace the employer that exposed you to asbestos, or their insurers
  • ", + "
  • you have not made a civil claim against any employer or insurer
  • ", + "
  • you have not received damages or a specified payment for mesothelioma and you\u2019re not eligible to a specified payment
  • ", + "

    Claims through the DMPS scheme must be made within 3 years of diagnosis.

    " + ], + "id": "train-113" + }, + { + "url": "https://www.gov.uk/carers-credit", + "scenario": "I am doing a part-time carer job for about 22 hours a week and I also get a property and a share income of \u00a320000 per annum", + "question": "Will I be eligible for Carer's Credit ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You could get Carer\u2019s Credit if you\u2019re caring for someone for at least 20 hours a week.

    ", + "

    Your income, savings or investments will not affect eligibility for Carer\u2019s Credit.

    " + ], + "id": "train-114" + }, + { + "url": "https://www.gov.uk/power-of-attorney", + "scenario": "I have a degenerative cognitive disorder and have been told that it will decline to the point where I can not make decisions for myself.", + "question": "Can I appoint my daughter as my attorney even if she does not want to be?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your attorney needs to be 18 or over. They could be:

    ", + "
  • a relative
  • ", + "

    You must appoint someone who has the mental capacity to make their own decisions.

    ", + "

    When choosing an attorney, think about:

    ", + "
  • how happy they will be to make decisions for you
  • ", + "

    Either way, you need to get other people to sign the forms, including the attorneys and witnesses.

    ", + "

    You need to sign the forms before you send them off. They also need to be signed by:

    ", + "
  • the attorneys
  • " + ], + "id": "train-115" + }, + { + "url": "https://www.gov.uk/budgeting-help-benefits", + "scenario": "I just moved to my new home and I need help to buy good furniture and white goods. I have spent a lot of money in setting up the home and I need a financial boost.", + "question": "Am I eligible for a Budgeting Loan?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • " + ] + ], + [ + "no", + [ + "
  • you are currently claiming Universal Credit - apply for a Budgeting Advance instead
  • ", + "
  • you\u2019re involved in industrial action (for example, a strike, walkout or lockout)
  • ", + "
  • you owe more than \u00a31,500 in total for Crisis Loans and Budgeting Loans
  • " + ] + ] + ], + "evidences": [ + "

    A Budgeting Loan can help pay for:

    ", + "
  • furniture or household items (for example, washing machines or other \u2018white goods\u2019)
  • ", + "

    You may be eligible for a Budgeting Loan if you\u2019ve been on certain benefits for 6 months.

    ", + "

    To get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "

    You cannot get a Budgeting Loan if:

    ", + "
  • you are currently claiming Universal Credit - apply for a Budgeting Advance instead
  • ", + "
  • you\u2019re involved in industrial action (for example, a strike, walkout or lockout)
  • ", + "
  • you owe more than \u00a31,500 in total for Crisis Loans and Budgeting Loans
  • " + ], + "id": "train-116" + }, + { + "url": "https://www.gov.uk/disabled-students-allowance-dsa", + "scenario": "I am 19 years old and have just started a degree course at University for a Higher National Diploma. I have Asperger", + "question": "Does my disability entitle me to claim DSA?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • qualify for student finance from Student Finance England
  • ", + "
  • be studying on a course that lasts at least a year
  • " + ] + ] + ], + "evidences": [ + "

    Disabled Students\u2019 Allowance (DSA) is support to cover the study-related costs you have because of a mental health problem, long term illness or any other disability.

    ", + "

    DSA does not cover disability-related costs you\u2019d have if you were not attending a course, or costs that any student might have.

    ", + "

    You can apply for Disabled Students\u2019 Allowance (DSA) if you live in England and have a disability that affects your ability to study, such as a:

    ", + "
  • specific learning difficulty, for example dyslexia or ADHD
  • ", + "
  • mental health condition, for example anxiety or depression
  • ", + "

    You must also:

    ", + "
  • be an undergraduate or postgraduate student (including Open University or distance learning)
  • ", + "
  • qualify for student finance from Student Finance England
  • ", + "
  • be studying on a course that lasts at least a year
  • ", + "

    Your course must be in the UK and one of the following:

    ", + "
  • a Higher National Diploma (HND)
  • " + ], + "id": "train-117" + }, + { + "url": "https://www.gov.uk/sure-start-maternity-grant", + "scenario": "I am 6 months pregnant with my first child and I need money to cater for my health and prepare for my baby arrival.", + "question": "Am I allowed to apply for any form of maternity allowances?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you or your partner already get certain benefits
  • ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Working Tax Credit that includes a disability or severe disability element
  • ", + "
  • Universal Credit
  • ", + "

    You may also qualify if you\u2019re getting a Support for Mortgage Interest loan.

    " + ] + ] + ], + "evidences": [ + "

    You could get a one-off payment of \u00a3500 to help towards the costs of having a child. This is known as a Sure Start Maternity Grant.

    ", + "

    You usually qualify for the grant if both of the following apply:

    ", + "
  • you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already
  • ", + "
  • you or your partner already get certain benefits
  • ", + "

    A Sure Start Maternity Grant is \u00a3500 and you do not have to pay it back.

    ", + "

    Usually, to qualify for a Sure Start Maternity Grant there must be no other children in your family. You or your partner must also get one of these benefits:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance
  • ", + "
  • income-related Employment and Support Allowance
  • ", + "
  • Pension Credit
  • ", + "
  • Child Tax Credit
  • ", + "
  • Working Tax Credit that includes a disability or severe disability element
  • ", + "
  • Universal Credit
  • ", + "

    You may also qualify if you\u2019re getting a Support for Mortgage Interest loan.

    " + ], + "id": "train-118" + }, + { + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "scenario": "My aunt health has quickly deteriorated and she no longer has the mental capacity to make decisions. Family members keep visiting to ask her for money and I believe they are taking advantage of her.", + "question": "How long do I have to confirm that I have told people about my application?", + "not_answerable": false, + "answers": [ + [ + "within 7 days of sending the forms", + [] + ] + ], + "evidences": [ + "

    You must tell:

    ", + "
  • the person you\u2019re applying to get a one-off decision for
  • ", + "
  • people connected to the application
  • ", + "

    The Court of Protection will send you a copy of your application forms - they\u2019ll be stamped with an issue date.

    ", + "

    You must tell (\u2018serve\u2019) certain people about the application within 14 days of the issue date.

    ", + "

    You must confirm you\u2019ve told people within 7 days of sending the forms. Download and fill in both:

    " + ], + "id": "train-119" + }, + { + "url": "https://www.gov.uk/carers-allowance", + "scenario": "I am in receipt of Universal Credit for a chronic health condition. I receive PIP but only on the lower level of the daily living component.", + "question": "Can my partner be registered as my carer given that I do not qualify for higher level PIP?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019ve been in England, Scotland or Wales for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)
  • ", + "
  • you normally live in England, Scotland or Wales, or you live abroad as a member of the armed forces (you might still be eligible if you\u2019re moving to or already living in an EEA country or Switzerland)
  • ", + "
  • you\u2019re not in full-time education
  • ", + "
  • you\u2019re not studying for 21 hours a week or more
  • ", + "
  • you\u2019re not subject to immigration control
  • ", + "
  • your earnings are \u00a3128 or less a week after tax, National Insurance and expenses
  • ", + "
  • you\u2019re 16 or over
  • ", + "
  • you spend at least 35 hours a week caring for someone
  • " + ] + ] + ], + "evidences": [ + "

    The person you care for must already get one of these benefits:

    ", + "
  • Personal Independence Payment - daily living component
  • ", + "

    All of the following must apply:

    ", + "
  • you\u2019re 16 or over
  • ", + "
  • you spend at least 35 hours a week caring for someone
  • ", + "
  • you\u2019ve been in England, Scotland or Wales for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)
  • ", + "
  • you normally live in England, Scotland or Wales, or you live abroad as a member of the armed forces (you might still be eligible if you\u2019re moving to or already living in an EEA country or Switzerland)
  • ", + "
  • you\u2019re not in full-time education
  • ", + "
  • you\u2019re not studying for 21 hours a week or more
  • ", + "
  • you\u2019re not subject to immigration control
  • ", + "
  • your earnings are \u00a3128 or less a week after tax, National Insurance and expenses
  • " + ], + "id": "train-120" + }, + { + "url": "https://www.gov.uk/apply-statutory-will", + "scenario": "I am 52, and the appointed Personal Welfare deputy of my 75 year old father, who has dementia. He also has a Panel Deputy, appointed by the court, to handle his financial affairs. My father's current will divides his estate equally between myself and two siblings; however, my younger brother was recently convicted of an extremely serious criminal offense which would very likely have caused my father to disinherit him.", + "question": "Can I apply to change my father's will, or is this a matter for the deputy handling his financial affairs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Someone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.

    ", + "

    You\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.

    " + ] + ] + ], + "evidences": [ + "

    Apply to the Court of Protection if you want to make (or change) a will on behalf of someone who cannot do it themselves.

    ", + "

    This may be because, for example:

    ", + "
  • they have dementia
  • ", + "

    You can apply when the person is not able to understand:

    ", + "
  • what making or changing a will means
  • ", + "
  • how much money they have or what property they own
  • ", + "
  • how making or changing a will might affect the people they know (either those mentioned in the will or those left out)
  • ", + "

    Someone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.

    ", + "

    You\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.

    " + ], + "id": "train-121" + }, + { + "url": "https://www.gov.uk/support-for-mortgage-interest", + "scenario": "I am a landlord and i took a loan to repair my entire home and my tenants are not paying their rents promptly due to covid pandemic . I am now financially struggling.", + "question": "Can i get financial help to cushion my mortgage interest?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Universal Credit
  • ", + "
  • Pension Credit
  • ", + "

    You might still be able to get SMI if you apply for one of the qualifying benefits but cannot get it because your income is too high. You\u2019ll then be treated as getting the benefit you applied for.

    " + ] + ] + ], + "evidences": [ + "

    If you\u2019re a homeowner, you might be able to get help towards interest payments on:

    ", + "
  • loans you\u2019ve taken out for certain repairs and improvements to your home
  • ", + "

    You usually need to be getting, or treated as getting, a qualifying benefit to get SMI.

    ", + "

    To be eligible for a Support for Mortgage Interest (SMI) loan, you usually need to be getting one of the following qualifying benefits:

    ", + "
  • Income Support
  • ", + "
  • income-based Jobseeker\u2019s Allowance (JSA)
  • ", + "
  • income-related Employment and Support Allowance (ESA)
  • ", + "
  • Universal Credit
  • ", + "
  • Pension Credit
  • ", + "

    You might still be able to get SMI if you apply for one of the qualifying benefits but cannot get it because your income is too high. You\u2019ll then be treated as getting the benefit you applied for.

    " + ], + "id": "train-122" + }, + { + "url": "https://www.gov.uk/mortgage-interest-run-on", + "scenario": "I am going back to full time work after two years of unemployment due to ill health. My mortgage and expenses have been paid by benefits during this time.", + "question": "How long can I get help for after my main benefits stop?", + "not_answerable": false, + "answers": [ + [ + "4 weeks", + [] + ] + ], + "evidences": [ + "

    Mortgage Interest Run On is extra money you can get towards your housing costs if certain other benefits are stopping because you\u2019re:

    ", + "
  • returning to work full-time
  • ", + "

    You can get this help for 4 weeks.

    " + ], + "id": "train-123" + }, + { + "url": "https://www.gov.uk/paying-inheritance-tax", + "scenario": "I was given an estate by my father which is estimated to be around \u00a3500,000. He has died six months back and now I am liable to pay Inheritance Tax", + "question": "Can I make the payment from deceased father's account ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Pay from accounts owned by the deceased

    ", + "

    You can pay using the deceased\u2019s:

    ", + "
  • bank accounts - including National Savings and Investments (NS&I) accounts
  • " + ], + "id": "train-124" + }, + { + "url": "https://www.gov.uk/child-employment", + "scenario": "My kid is 10 years old and got a chance to act in a TV show and promised a salary of \u00a310,000 for six months and my kid is interested in taking as a part-time work", + "question": "Do I have to ask the salary to be paid thru PAYE ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The youngest age a child can work part-time is 13, except children involved in areas like:

    ", + "
  • television
  • ", + "

    Once someone reaches 16, you may need to pay them through PAYE.

    ", + "

    Children under 16 do not pay National Insurance, so you only need to include them on your payroll if their total income is over their Personal Allowance.

    " + ], + "id": "train-125" + }, + { + "url": "https://www.gov.uk/valuing-estate-of-someone-who-died", + "scenario": "My uncle died last year and made me an appointee in his will . He left a vast property worthy \u00a31million. I want to start filing the inheritance tax and I need to value all the assets and properties he left.", + "question": "How long do I have to send the inheritance tax forms?", + "not_answerable": false, + "answers": [ + [ + "one year", + [] + ] + ], + "evidences": [ + "

    The process of valuing the estate can take 6 to 9 months, or longer for big or complicated estates (for example if they involve trusts or there\u2019s tax to pay).

    ", + "

    You don\u2019t need to value the estate straight away after someone dies. There are only deadlines if the estate owes Inheritance Tax.

    ", + "

    If it does, you\u2019ll need to:

    ", + "
  • send Inheritance Tax forms within one year
  • ", + "

    The estate won\u2019t have to pay tax as long as it either:

    ", + "
  • all passes to the dead person\u2019s spouse or civil partner, a charity or a community amateur sports club
  • ", + "
  • has a value below the Inheritance Tax threshold of \u00a3325,000
  • " + ], + "id": "train-126" + }, + { + "url": "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad", + "scenario": "We got married abroad in Ghana and we were blessed with a baby boy. My work is unstable and my british husband went back to UK without making child mantainance agreements. He has since neglected us and i would like him to pay up for child mantainance.", + "question": "Is there a court order which can obtained to make my husband pay child mantainance?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot make a new application to the Child Maintenance Service if the child and the parent with the main day-to-day care live abroad.

    " + ], + "id": "train-127" + }, + { + "url": "https://www.gov.uk/divorce", + "scenario": "Me and my wife were married but with the mutual consent we applied for divorce. We have applied for a decree nisi and are now waiting for the result", + "question": "What happens to my application and how I will be communicated with?", + "not_answerable": false, + "answers": [ + [ + "if the judge agrees, the court will send you and your husband or wife a certificate. this may take several weeks.", + [] + ] + ], + "evidences": [ + "

    Getting a decree nisi

    ", + "

    If the judge agrees, the court will send you and your husband or wife a certificate. This may take several weeks.

    ", + "

    The certificate will tell you the time and date you\u2019ll be granted a decree nisi.

    ", + "

    You\u2019ll still be married after the decree nisi has been granted. You\u2019ll have to wait 43 days (6 weeks and 1 day) before you can apply for a \u2018decree absolute\u2019 to actually end the marriage.

    " + ], + "id": "train-128" + }, + { + "url": "https://www.gov.uk/mortgage-interest-run-on", + "scenario": "I own a home with a mortgage with my wife. 4 months ago my hours reduced to just 10 hours per week due to coronavirus and I had to start claiming Income Support and Support for Mortgage Interest. Now my hours have increased to 40 per week again.", + "question": "Can I claim Mortgage Interest Run On?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Mortgage Interest Run On is extra money you can get towards your housing costs if certain other benefits are stopping because you\u2019re:

    ", + "
  • working more hours
  • ", + "

    If you\u2019re eligible and were getting Support for Mortgage Interest before your work situation changed, you\u2019ll usually continue to get the same amount as you were getting before your benefits stopped.

    ", + "

    You can claim Mortgage Interest Run On if you\u2019ve stopped getting income-based Jobseeker\u2019s Allowance, Income Support or income-related Employment and Support Allowance because you\u2019re:

    " + ], + "id": "train-129" + }, + { + "url": "https://www.gov.uk/pip", + "scenario": "My kid is 16 years old and have a long term physical disability that affects his ability to get about. I was told that my kid might be eligible for Personal Independence Payment. We have lived in England since he was born.", + "question": "Is my kid eligible for Personal Independence Payment?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • have had difficulties with daily living or getting around (or both) for 3 months
  • ", + "
  • expect these difficulties to continue for at least 9 months
  • " + ] + ] + ], + "evidences": [ + "

    You must be aged 16 or over and usually have not reached State Pension age to claim.

    ", + "

    You must also have a physical or mental health condition or disability where you:

    ", + "
  • have had difficulties with daily living or getting around (or both) for 3 months
  • ", + "
  • expect these difficulties to continue for at least 9 months
  • ", + "

    You usually need to have lived in England, Scotland or Wales for at least 2 of the last 3 years, and be in one of these countries when you apply. If you\u2019ve recently returned from living in an EEA country, you might be able to get PIP sooner.

    ", + "

    You may get the mobility part of PIP if you need help going out or moving around.

    " + ], + "id": "train-130" + }, + { + "url": "https://www.gov.uk/blind-persons-allowance", + "scenario": "I have limited sight and am registered as being legally blind. I hold down a full time job in IT with a limited amount of help.", + "question": "What level of Blind Person' Allowance can I claim?", + "not_answerable": false, + "answers": [ + [ + "\u00a32,520", + [] + ] + ], + "evidences": [ + "

    Blind Person\u2019s Allowance is an extra amount of tax-free allowance.

    ", + "

    Blind Person\u2019s Allowance is added to your yearly Personal Allowance - the amount of money you can earn before you start paying Income Tax.

    ", + "Tax year | Blind Person\u2019s Allowance", + "2021 to 2022 | \u00a32,520" + ], + "id": "train-131" + }, + { + "url": "https://www.gov.uk/child-benefit-tax-charge", + "scenario": "My partner and I have a combined income of just over fifty thousand pounds and feel that it is unfair that we should be penalised for being just over the threshold", + "question": "Do we have to pay the High Income Child Benefit Tax Charge?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may have to pay a tax charge, known as the \u2018High Income Child Benefit Charge\u2019, if you have an individual income over \u00a350,000 and either:

    ", + "
  • you or your partner get Child Benefit
  • ", + "

    Your adjusted net income is your total taxable income before any personal allowances and less things like Gift Aid.

    ", + "

    You will not have to pay the tax charge if your income for the whole of a tax year is less than \u00a350,000.

    " + ], + "id": "train-132" + }, + { + "url": "https://www.gov.uk/child-employment", + "scenario": "My daughter is 10 years old. She recently was scouted to be in a theatre play with a one-month run, where she will be paid for her performance.", + "question": "Who in this scenario needs to apply for a child performance licence?", + "not_answerable": false, + "answers": [ + [ + "the person in charge of running the event", + [] + ] + ], + "evidences": [ + "

    Children working in these areas will need a performance licence.

    ", + "

    A child may need a licence if they\u2019re under school leaving age and taking part in:

    ", + "
  • films, plays, concerts or other public performances that the audience pays to see, or that take place on licensed premises
  • ", + "

    The person in charge of running the event must apply to the child\u2019s local council for a child performance licence. Ask the council if you\u2019re not sure you need one.

    " + ], + "id": "train-133" + }, + { + "url": "https://www.gov.uk/employment-support-allowance", + "scenario": "I am unable to work due to a mental health condition. I have had this condition for several years and it is gradually worsening. I do not see any sign of respite.", + "question": "Are people with mental health problems eligible for ESA?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.

    " + ] + ] + ], + "evidences": [ + "

    You can apply for Employment and Support Allowance (ESA) if you have a disability or health condition that affects how much you can work.

    ", + "

    You can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.

    " + ], + "id": "train-134" + }, + { + "url": "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad", + "scenario": "I have recently moved to a different country with my three year old son. My ex remains in the UK.", + "question": "Does the fact that I live abroad mean that I can't claim Child Maintenance?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot make a new application to the Child Maintenance Service if the child and the parent with the main day-to-day care live abroad.

    " + ], + "id": "train-135" + }, + { + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "scenario": "I have recently split up with my husband and we are currently going through divorce proceedings after 10 years of marriage.", + "question": "I want to ensure that our joint finances currently will be split evenly without having to go through court proceedings. Is there a way to make legally binding contract to avoid this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    This includes deciding how you\u2019re going to divide:

    ", + "
  • pensions
  • ", + "
  • property
  • ", + "
  • savings
  • ", + "
  • investments
  • ", + "

    You can usually avoid going to court hearings if you agree how to split your money and property.

    ", + "

    If you and your ex-partner agree on how to divide money and property, you need to apply for a consent order to make it legally binding.

    ", + "

    To make your agreement legally binding you need to draft a consent order and ask a court to approve it.

    ", + "

    A consent order is a legal document that confirms your agreement. It explains how you\u2019re going to divide up assets like:

    ", + "

    You can ask the court to approve your consent order if you\u2019ve started the paperwork to divorce or end your civil partnership.

    " + ], + "id": "train-136" + }, + { + "url": "https://www.gov.uk/child-benefit", + "scenario": "We have two children, aged 11 and 15. My husband has recently started a new job that pays \u00a352,000 per year. I need to see if we can still get child benefit.", + "question": "Can the tax on income from child benefit be waived if I earn over \u00a350,000?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may have to pay back some of your Child Benefit in tax if your (or your partner\u2019s) individual income is over \u00a350,000.

    ", + "

    You can get Child Benefit if your (or your partner\u2019s) individual income is over \u00a350,000, but you may be taxed on the benefit. This is known as the High Income Child Benefit Tax Charge.

    ", + "

    Once you earn \u00a360,000 you lose all of your benefit through tax.

    " + ], + "id": "train-137" + }, + { + "url": "https://www.gov.uk/divorce", + "scenario": "My wife and I were married for three years. We have now been separated for six years. I do not know if my wife agrees to the divorce.", + "question": "How much is the fee to apply for a divorce?", + "not_answerable": false, + "answers": [ + [ + "\u00a3550", + [] + ] + ], + "evidences": [ + "

    When you apply for a divorce you\u2019ll need to prove that your marriage has broken down and cannot be saved. You\u2019ll need to give one or more of the following 5 reasons (also known as \u2018facts\u2019).

    ", + "

    You can apply for a divorce if you\u2019ve been separated for at least 5 years before applying, even if your husband or wife disagrees.

    ", + "

    You must pay a \u00a3550 fee to apply for a divorce. The way you pay depends on how you apply. Your fee will not be refunded after you are sent the notice that your application has been issued.

    " + ], + "id": "train-138" + }, + { + "url": "https://www.gov.uk/reduced-earnings-allowance", + "scenario": "I worked as a builder, and had an accident at work that left me in a wheelchair. I can no longer take high paying construction jobs, and I am now working in a lower paid administrative role.", + "question": "How much Reduced Earnings Allowance will I be able to claim for?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a373.16 per week", + [] + ] + ], + "evidences": [ + "

    If you cannot earn as much as you used to because of an accident or disease caused by your work, you could get up to \u00a373.16 per week Reduced Earnings Allowance.

    ", + "

    You could get up to \u00a373.16 per week.

    ", + "

    What you get depends on how much you earn in your regular employment.

    " + ], + "id": "train-139" + }, + { + "url": "https://www.gov.uk/power-of-attorney", + "scenario": "I granted my sister lasting power of attorney five years ago, in case of an accident that would render me incapable of making my own decisions. So far, I am in good health. My sister married a new husband last year.", + "question": "Do I need to update this record now that my sister has changed her name through marriage?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must write to OPG if one of your attorneys has changed their:

    ", + "
  • name - by marriage or deed poll
  • " + ], + "id": "train-140" + }, + { + "url": "https://www.gov.uk/parents-learning-allowance", + "scenario": "I am parent of three children who is from England and I am about to begin a full-time undergraduate course", + "question": "Can I get any extra financial help? If so, how much?", + "not_answerable": false, + "answers": [ + [ + "between \u00a350 and \u00a31,821 a year", + [] + ] + ], + "evidences": [ + "

    You may be eligible for help with your learning costs if you\u2019re a full-time student with children. This is called Parents\u2019 Learning Allowance.

    ", + "

    How much you get depends on your household income.

    ", + "

    Depending on your household income, in the 2021 to 2022 academic year you could get between \u00a350 and \u00a31,821 a year.

    ", + "

    If you\u2019re a student from England with dependent children you may qualify if you\u2019re taking:

    ", + "
  • a full-time undergraduate course
  • " + ], + "id": "train-141" + }, + { + "url": "https://www.gov.uk/diffuse-mesothelioma-payment", + "scenario": "I was diagnosed with Mesothelioma three and a half years ago. The exposure would have been at my workplace but since I worked as casual labour in many different places I cannot trace which employer was responsible, which is why it has taken me so long to make a claim.", + "question": "What are the time limits for claiming diffuse mesothelioma payments?", + "not_answerable": false, + "answers": [ + [ + "within 3 years of diagnosis", + [] + ] + ], + "evidences": [ + "

    Claims through the DMPS scheme must be made within 3 years of diagnosis.

    " + ], + "id": "train-142" + }, + { + "url": "https://www.gov.uk/carers-credit", + "scenario": "I am currently a part time carer for my grandfather who is unable to walk or do some of the basic day to day tasks around the house. I care for him for a total of 25 hours a week, I am also in full time employment so I pay my national insurance in full each month.", + "question": "What is the maximum amount of National Insurance credit I can claim?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-143" + }, + { + "url": "https://www.gov.uk/child-benefit-tax-charge", + "scenario": "I was getting salary of \u00a348000 per annum but I got a payrise three months back from \u00a348000 to \u00a351000. I was getting child benefit for the last year", + "question": "I was not aware that I can't claim child benefit if I earn more than \u00a351000 so I want to stop now. How can I stop it?", + "not_answerable": false, + "answers": [ + [ + "fill in an online form", + [] + ], + [ + "contact the child benefit office by phone or post", + [] + ] + ], + "evidences": [ + "

    To stop your Child Benefit you can either:

    ", + "
  • fill in an online form
  • ", + "
  • contact the Child Benefit Office by phone or post
  • " + ], + "id": "train-144" + }, + { + "url": "https://www.gov.uk/child-benefit", + "scenario": "One of my children have just left school aged 16 and the college course he has applied for does not start for another 6 months. I have received benefits for him since he was a child as I a unemployed.", + "question": "Will I continue to receive benefit payments whilst he is not actively going to college but is enrolled?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-145" + }, + { + "url": "https://www.gov.uk/become-deputy", + "scenario": "My Uncle appointed me as his deputy to run his businesses this is after he suffered an heart attack which left him mentally ill and paralysed. I have been running the business to his satisfaction.", + "question": "Will my power as his deputy be valid after he dies?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Your security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll continue to be a deputy until your court order is changed, cancelled or expires.

    ", + "

    Contact the Office of the Public Guardian (OPG) and the Court of Protection to tell them that the person has died.

    ", + "

    Your security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.

    " + ], + "id": "train-146" + }, + { + "url": "https://www.gov.uk/reduced-earnings-allowance", + "scenario": "I am currently getting Reduced Earnings Allowance and really not an a regular work and will be soon turn 66", + "question": "Will I still be eligible for Reduced Earnings Allowance ?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you reach State Pension age
  • " + ] + ] + ], + "evidences": [ + "

    Reduced Earnings Allowance will be replaced by another benefit called Retirement Allowance if both the following apply:

    ", + "
  • you reach State Pension age
  • ", + "
  • you\u2019re not in regular employment
  • " + ], + "id": "train-147" + }, + { + "url": "https://www.gov.uk/apply-statutory-will", + "scenario": "My brother has sadly been involved in a car accident that has left him in a coma. He was living with his partner but they were not married. He never got round to making a will. I want to make sure that his partner gets some of his assets if he dies as I know that this is what he would have wanted.", + "question": "How much does it cost if the court decides to hold a hearing?", + "not_answerable": false, + "answers": [ + [ + "\u00a3485", + [] + ] + ], + "evidences": [ + "

    You may also have to pay:

    ", + "
  • \u00a3485 if the court decides to hold a hearing (including telephone hearings)
  • " + ], + "id": "train-148" + }, + { + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "scenario": "My 21 year old sister from Surrey keeps visiting my father who has dementia in the care home he is located in and is manipulating him for money.", + "question": "Is it possible to stop her from visiting him?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can only apply to the court if there\u2019s a major disagreement about a serious decision which cannot be agreed any other way. There are general rules and examples in the Mental Capacity Act 2005 Code of Practice.

    ", + "

    Check if someone has an attorney or deputy acting for them before you apply.

    " + ] + ] + ], + "evidences": [ + "

    Apply to the Court of Protection if both of the following apply:

    ", + "
  • you\u2019re concerned about the personal welfare or property and financial affairs of someone who\u2019s lost mental capacity
  • ", + "
  • you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home
  • ", + "

    You can only apply to the court if there\u2019s a major disagreement about a serious decision which cannot be agreed any other way. There are general rules and examples in the Mental Capacity Act 2005 Code of Practice.

    ", + "

    Check if someone has an attorney or deputy acting for them before you apply.

    " + ], + "id": "train-149" + }, + { + "url": "https://www.gov.uk/employment-support-allowance", + "scenario": "I am a freelance graphic designer. I recently contracted COVID-19 and I am now recovering with it. It rendered me bedridden and I couldn't work.", + "question": "Now that I am taking freelance work again, can I still claim Employment and Support Allowance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can usually work while you are claiming ESA if both of the following apply:

    ", + "
  • you work less than 16 hours a week
  • ", + "
  • you do not earn more than \u00a3143 a week
  • " + ] + ] + ], + "evidences": [ + "

    You can apply for Employment and Support Allowance (ESA) if you have a disability or health condition that affects how much you can work.

    ", + "

    You may also be able to get ESA if you were unable to work while self-isolating or \u2018shielding\u2019 because of coronavirus (COVID-19).

    ", + "

    You can apply if you\u2019re employed, self-employed or unemployed.

    ", + "

    You can apply for \u2018new style\u2019 ESA if you\u2019re unable to claim Statutory Sick Pay and one of the following applies:

    ", + "
  • you or your child might have COVID-19 or you\u2019re recovering from it
  • ", + "

    You can usually work while you are claiming ESA if both of the following apply:

    ", + "
  • you work less than 16 hours a week
  • ", + "
  • you do not earn more than \u00a3143 a week
  • " + ], + "id": "train-150" + }, + { + "url": "https://www.gov.uk/apply-statutory-will", + "scenario": "My grandmother has a large estate. She is currently suffering from dementia, but has indicated that she would like me to manage her estate upon her death. Some of my family members want to use her condition to deprive her of her assets. I don't think she has made a will.", + "question": "Can I make a will on her behalf?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Someone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.

    ", + "

    You\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.

    " + ] + ] + ], + "evidences": [ + "

    Apply to the Court of Protection if you want to make (or change) a will on behalf of someone who cannot do it themselves.

    ", + "

    This may be because, for example:

    ", + "
  • they have dementia
  • ", + "

    You can apply when the person is not able to understand:

    ", + "
  • what making or changing a will means
  • ", + "
  • how much money they have or what property they own
  • ", + "
  • how making or changing a will might affect the people they know (either those mentioned in the will or those left out)
  • ", + "

    Someone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.

    ", + "

    You\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.

    ", + "

    Decisions taken on someone\u2019s behalf must always be in their best interest. You must consider:

    ", + "
  • what they would do if they were able to make a will themselves
  • " + ], + "id": "train-151" + }, + { + "url": "https://www.gov.uk/disabled-students-allowance-dsa", + "scenario": "I'm 22, live in England and have been accepted onto a degree course studying Architecture and Design, funded through Student Finance. I am partially disabled, having motor control problems which require the use of a special keyboard and software with my computer.", + "question": "What evidence do I need to prove my disabled status when applying for DSA?", + "not_answerable": false, + "answers": [ + [ + "a copy of a report or letter from your doctor or consultant", + [] + ] + ], + "evidences": [ + "Disabilities or long-term health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB)" + ], + "id": "train-152" + }, + { + "url": "https://www.gov.uk/blind-persons-allowance", + "scenario": "My 33 year old sister has recently had an accident in work causing her to be partially blind, she is due a large pay-out next year but is no longer able to work.", + "question": "Can she claim blind persons allowance with a large amount of savings?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re registered with your local council as blind or severely sight impaired
  • ", + "
  • you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)
  • " + ] + ] + ], + "evidences": [ + "

    Blind Person\u2019s Allowance is added to your yearly Personal Allowance - the amount of money you can earn before you start paying Income Tax.

    ", + "

    You can claim Blind Person\u2019s Allowance if both of the following apply:

    ", + "
  • you\u2019re registered with your local council as blind or severely sight impaired
  • ", + "
  • you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)
  • " + ], + "id": "train-153" + }, + { + "url": "https://www.gov.uk/legal-rights-when-using-surrogates-and-donors", + "scenario": "I was unable to carry a child naturally, so had a child through a surrogate using my donated eggs. The child was born last month. I now want to be registered as the child's parent.", + "question": "How much does it cost to apply for a parental order?", + "not_answerable": false, + "answers": [ + [ + "\u00a3215", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need to provide the child\u2019s full birth certificate and will also be charged a court fee of \u00a3215.

    " + ], + "id": "train-154" + }, + { + "url": "https://www.gov.uk/child-trust-funds", + "scenario": "My son Richard was born 6 months ago and I'm thinking about saving something every month so I can help him with the deposit of his first house, in about 20/25 years. I've just been promoted to Team Manager I think that I'll deposit every month the extra income that I've got with this promotion.", + "question": "Can I decide when and how my child is going to receive his money? I'm worried that he is going to waste them if he get them as soon as he turns 18.", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ], + [ + "yes", + [ + "

    If your child lacks the mental capacity to manage their account when it matures

    " + ] + ] + ], + "evidences": [ + "

    You can continue to add up to \u00a39,000 a year to your CTF account. The money belongs to the child and they can only take it out when they\u2019re 18. They can take control of the account when they\u2019re 16.

    ", + "

    Once your child turns 16, they can either:

    ", + "
  • take over the account by contacting the CTF provider
  • ", + "
  • leave you in charge of the account
  • ", + "

    When the child turns 18, they take over the account and can take out the money.

    ", + "

    If your child lacks the mental capacity to manage their account when it matures

    ", + "

    You, or a close friend or relative, need to apply to the Court of Protection (COP) for a financial deputyship order so you can manage your child\u2019s account when they turn 18. Once the account matures, the money can either be taken out or transferred into an ISA.

    " + ], + "id": "train-155" + }, + { + "url": "https://www.gov.uk/support-for-mortgage-interest", + "scenario": "I am a home owner and had a situation where I needed to replace my boiler, which I could not afford. I took out a loan to pay for it and also got Support For Mortgage Interest to help me with the repayments.", + "question": "Now I have sold my house, the proceeds left me with no money to repay the Mortgage Interest support money I borrowed. What are my options ?", + "not_answerable": false, + "answers": [ + [ + "pay back what you can", + [] + ], + [ + "transfer the loan to your new home", + [] + ] + ], + "evidences": [ + "

    If you\u2019re a homeowner, you might be able to get help towards interest payments on:

    ", + "
  • loans you\u2019ve taken out for certain repairs and improvements to your home
  • ", + "

    It\u2019s paid as a loan, which you\u2019ll need to repay with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).

    ", + "

    SMI is paid as a loan. You\u2019ll need to repay the money you get with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).

    ", + "

    If you sell your home, you\u2019ll repay the SMI loan from what\u2019s left after you pay:

    ", + "
  • any home improvement loans
  • ", + "
  • any other loans secured against your home
  • ", + "

    If you do not have enough left to pay off all of the SMI loan, you will have to pay back what you can. The rest of the loan will be written off.

    ", + "

    You may be able to transfer the loan to your new home. Contact DWP Loan Management as soon as you know you intend to move, and before you complete your sale.

    " + ], + "id": "train-156" + }, + { + "url": "https://www.gov.uk/reduced-earnings-allowance", + "scenario": "In the 1980s I worked as a heating engineer. I was exposed to asbestos based pipe insulation, and now I have developed asbestosis. This leaves me unable to work.", + "question": "How much can I claim per week?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a373.16 per week", + [] + ] + ], + "evidences": [ + "

    If you cannot earn as much as you used to because of an accident or disease caused by your work, you could get up to \u00a373.16 per week Reduced Earnings Allowance.

    ", + "

    You could get up to \u00a373.16 per week.

    " + ], + "id": "train-157" + }, + { + "url": "https://www.gov.uk/carers-allowance", + "scenario": "I live in Scotland, and currently care for my physically disabled partner for approximately 30 hrs per week. My partner receives Disability Living Allowance at the higher rate and I work part time, earning approximately \u00a3500pcm.", + "question": "Can I claim Carer's Allowance to help with my partner's care?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You could get \u00a367.60 a week if you care for someone at least 35 hours a week and they get certain benefits.

    ", + "

    The person you care for must already get one of these benefits:

    ", + "
  • Disability Living Allowance - the middle or highest care rate
  • ", + "

    You need to spend at least 35 hours a week caring for someone. This can include:

    " + ], + "id": "train-158" + }, + { + "url": "https://www.gov.uk/mental-health-tribunal", + "scenario": "I have schizophrenia. One day I lost control and hurt someone badly; I ended up being admitted to a psychiatric hospital. I have been there having treatment for 5 months and I feel a lot better. I want to be discharged.", + "question": "When is the deadline to apply to be discharged?", + "not_answerable": false, + "answers": [ + [ + "6 months", + [] + ] + ], + "evidences": [ + "

    When you apply depends on how you were admitted - ask your doctor or lawyer (if you have one) if you\u2019re unsure.

    ", + "

    There are deadlines for the first time you apply - you must apply within:

    ", + "
  • 6 months if you\u2019ve been admitted for treatment (\u2018section 3\u2019)
  • " + ], + "id": "train-159" + }, + { + "url": "https://www.gov.uk/tax-tribunal", + "scenario": "I am a British national with a tax tribunal hearing coming up shortly and it's causing me a great deal of stress and anxiety; I'm worried that the tribunal will find against me.", + "question": "What are my options if I lose my case at the tax tribunal?", + "not_answerable": false, + "answers": [ + [ + "get a decision set aside", + [] + ], + [ + "ask for permission to appeal", + [] + ] + ], + "evidences": [ + "

    If you lose your case, you may be able to:

    ", + "
  • get a decision \u2018set aside\u2019
  • ", + "
  • ask for permission to appeal
  • ", + "

    Get a decision set aside

    ", + "

    You can ask for a decision to be \u2018set aside\u2019 (cancelled), but only if you think there was a mistake in the process. The letter you get with the decision will tell you how to do this.\nContact Citizens Advice if you need help.

    ", + "

    Ask for permission to appeal

    ", + "

    You may be able to appeal against the decision if the tribunal made a legal mistake, for example if it did not:

    ", + "
  • apply the law correctly
  • ", + "
  • fully explain its decision
  • ", + "

    A judge will decide if you can take your case to a higher tribunal, called the Upper Tribunal (Tax and Chancery). Appeal to the Upper Tribunal if you get permission.

    " + ], + "id": "train-160" + }, + { + "url": "https://www.gov.uk/parents-learning-allowance", + "scenario": "I am married with two children. They are aged 8 and 10. I would now like to go back to uni so I can get a better job whilst they are at school. Right now we have quite a low income.", + "question": "How is the allowance paid?", + "not_answerable": false, + "answers": [ + [ + "in 3 instalments direct to your bank account, one at the start of each term", + [] + ] + ], + "evidences": [ + "

    You may be eligible for help with your learning costs if you\u2019re a full-time student with children. This is called Parents\u2019 Learning Allowance.

    ", + "

    The allowance:

    ", + "
  • is paid on top of your other student finance
  • ", + "

    It\u2019s usually paid in 3 instalments direct to your bank account, one at the start of each term.

    " + ], + "id": "train-161" + }, + { + "url": "https://www.gov.uk/diffuse-mesothelioma-payment", + "scenario": "My uncle was diagnosed with stage 4 mesothelioma after getting asbestos exposure during his work period. His employers have been very irresponsible to support him. He is undergoing a very difficult moment and his lungs are failing. He needs care and support.", + "question": "Can he claim DMPS and can he be compensated for the health damages?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you were diagnosed with diffuse mesothelioma on or after 25 July 2012
  • ", + "
  • your mesothelioma was caused by exposure to asbestos when working in the UK
  • ", + "
  • you have not received damages or a specified payment for mesothelioma and you\u2019re not eligible to a specified payment
  • " + ] + ] + ], + "evidences": [ + "

    You may be able to get a payment if you\u2019ve been diagnosed with the asbestos-related disease, diffuse mesothelioma.

    ", + "
  • the Diffuse Mesothelioma Payment Scheme (DMPS)
  • ", + "

    You can claim DMPS if you cannot find the employer responsible for your contact with asbestos, or their insurer.

    ", + "

    You may be able to claim if all of the following apply:

    ", + "
  • you were diagnosed with diffuse mesothelioma on or after 25 July 2012
  • ", + "
  • your mesothelioma was caused by exposure to asbestos when working in the UK
  • ", + "
  • you cannot trace the employer that exposed you to asbestos, or their insurers
  • ", + "
  • you have not made a civil claim against any employer or insurer
  • ", + "
  • you have not received damages or a specified payment for mesothelioma and you\u2019re not eligible to a specified payment
  • ", + "

    You can claim for DMPS even if you have already claimed from the 2008 scheme or under the 1979 Pneumoconiosis Act. If you\u2019ve already got a payment from the 2008 scheme or the Pneumoconiosis Act, it will be deducted from the amount you get from DMPS.

    " + ], + "id": "train-162" + }, + { + "url": "https://www.gov.uk/child-benefit-tax-charge", + "scenario": "My income has recently reduced from \u00a360,000 to \u00a345,000 because I am now working less hours. I have a child aged 7. I was not claiming child benefit before due to my income. I now want to start claiming again.", + "question": "How long after submitting the form will it take for my payments to restart?", + "not_answerable": false, + "answers": [ + [ + "the monday after your request is received", + [] + ] + ], + "evidences": [ + "

    Payments usually start again the Monday after your request is received. The Child Benefit Office will write telling you how much backdated Child Benefit you\u2019ll get (if any).

    " + ], + "id": "train-163" + }, + { + "url": "https://www.gov.uk/sure-start-maternity-grant", + "scenario": "I live in England and I gave birth to twins three weeks ago. Since we already have two children aged 2 and 4 and are receiving universal credit, it was a shock to discover that twins were on the way; we're struggling now with the initial costs of double the amount of nappies etc.", + "question": "Am I eligible for a Sure Start maternity grant?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You usually qualify for the grant if both of the following apply:

    ", + "
  • you or your partner already get certain benefits
  • ", + "

    You can only get a grant if at least one of the following applies:

    ", + "
  • you\u2019re expecting a multiple birth (such as twins)
  • " + ], + "id": "train-164" + }, + { + "url": "https://www.gov.uk/power-of-attorney", + "scenario": "Because I have a family history of dementia, I would like to make a lasting power of attorney naming my daughter as my attorney, should I become mentally incapacitated. I'm 57 years old and live in England. I know that it's quite expensive to create a power of attorney and I'm currently on income support so may struggle to afford it.", + "question": "Can you get financial assistance with the cost of making a lasting power of attorney?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can apply for a reduction if you earn less than \u00a312,000. You might also be able to apply for an exemption if you\u2019re on certain benefits, such as Income Support.

    " + ] + ] + ], + "evidences": [ + "

    You can apply for a reduction if you earn less than \u00a312,000. You might also be able to apply for an exemption if you\u2019re on certain benefits, such as Income Support.

    " + ], + "id": "train-165" + }, + { + "url": "https://www.gov.uk/child-trust-funds", + "scenario": "I am 16. My grandparents mentioned a few years ago that they had set up a trust fund for me. They have now sadly died and I want to find out if they did set up a fund or not.", + "question": "What information do I need to provide to find out the provider of my trust fund?", + "not_answerable": false, + "answers": [ + [ + "your full name and address", + [] + ], + [ + "your date of birth", + [] + ], + [ + "your national insurance number or unique reference number if known", + [] + ] + ], + "evidences": [ + "

    You can find out where a Child Trust Fund (CTF) is held if you do not know the provider.

    ", + "

    Fill in the form online to ask HM Revenue and Customs (HMRC) where the account was originally opened.

    ", + "

    If you\u2019re looking for your own trust fund, you\u2019ll need your National Insurance number.

    ", + "

    You can also contact HMRC by post to find out where a CTF is held.

    ", + "

    If you\u2019re looking for your own trust fund, you\u2019ll need to include all of the following:

    ", + "
  • your full name and address
  • ", + "
  • your date of birth
  • ", + "
  • your National Insurance number or Unique Reference Number if known
  • " + ], + "id": "train-166" + }, + { + "url": "https://www.gov.uk/mental-health-tribunal", + "scenario": "My Aunt Dina lost her mental capacity after undergoing trauma through domestic abuse and loss of her child. She has been diagnosed with terminal Cancer of cervix. In her mind she is not sick and its hard get her consent to treatment. She is currently in a mental health institution but wants to get out.", + "question": "Will the tribunal assess her health before making a decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The tribunal is independent of government and will listen to both sides of the argument before making a decision.

    ", + "

    The tribunal will also ask the hospital for reports from:

    ", + "
  • your doctor
  • ", + "
  • the social work and nursing teams responsible for your care
  • ", + "

    Hearings are usually held in private and attended by:

    ", + "
  • a judicial panel, made up of a judge, a doctor and a specialist lay member (for example a mental health social worker)
  • ", + "
  • their hospital doctor, ward nurse and social worker
  • ", + "

    The doctor, nurse and social worker will give evidence. You can also give evidence, and ask questions.

    " + ], + "id": "train-167" + }, + { + "url": "https://www.gov.uk/child-benefit-tax-charge", + "scenario": "I currently live with my partner and her 9 year-old niece, of whom she is the legal guardian after the death of her sibling. I currently earn around \u00a355,000 and am registered for self-assessment; however, my partner (who receives child benefit) has an income from self-employment which may be slightly higher.", + "question": "which of us should pay the tax charge?", + "not_answerable": false, + "answers": [ + [ + "whoever has the higher income", + [] + ] + ], + "evidences": [ + "

    If your individual income is over \u00a350,000 and so is your partner\u2019s, then whoever has the higher income is responsible for paying the tax charge.

    " + ], + "id": "train-168" + }, + { + "url": "https://www.gov.uk/blind-persons-allowance", + "scenario": "I am 41, registered blind with my local council and live in England in a home which I share with my wife, who works part-time to provide for us.", + "question": "Can I claim Blind Person's Allowance, and then transfer it to my wife so that she can claim it against her taxes?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)
  • " + ] + ] + ], + "evidences": [ + "

    You can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or earn enough to use all of your allowance.

    ", + "

    You can claim Blind Person\u2019s Allowance if both of the following apply:

    ", + "
  • you\u2019re registered with your local council as blind or severely sight impaired
  • ", + "
  • you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)
  • ", + "

    You can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or cannot use all of it.

    ", + "

    You can do this:

    ", + "
  • if you\u2019re married or in a civil partnership
  • ", + "
  • if you\u2019re living with your spouse or civil partner
  • ", + "
  • whether or not your spouse or civil partner is blind
  • " + ], + "id": "train-169" + }, + { + "url": "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad", + "scenario": "I am 34 and live in Scotland with my 9 year old daughter. I have an existing CM Arrangement with my ex-husband, adjudicated by the High Court in Edinburgh. My ex-husband has now moved to France and is refusing to make the agreed payments.", + "question": "Can the Child Maintenance Service take enforcement action against my ex-husband?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-170" + }, + { + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "scenario": "We have been married for 20 years and have four kids. Recently we decided to end our relationship. We decided to keep two kids each but are having issues on dividing up the assets", + "question": "We couldn't come to an agreement on dividing up the assets. Can we go to court and get them to decide?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).

    " + ] + ] + ], + "evidences": [ + "

    If you cannot agree on everything, you can ask a court to make a financial order.

    ", + "

    If you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).

    ", + "

    You must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).

    " + ], + "id": "train-171" + }, + { + "url": "https://www.gov.uk/shared-parental-leave-and-pay", + "scenario": "I have just found out that I am pregnant. Me and my husband are really excited and we want to both be off work together to care for it at the start. Currently we both work full time, 40 hours per week.", + "question": "How many paid weeks can we have off work?", + "not_answerable": false, + "answers": [ + [ + "up to 37 weeks", + [] + ] + ], + "evidences": [ + "

    You can share up to 50 weeks of leave and up to 37 weeks of pay between you.

    " + ], + "id": "train-172" + }, + { + "url": "https://www.gov.uk/end-civil-partnership", + "scenario": "I am a 34 year old from Newcastle. My 36 year old civil partner of 2 years has been cheating on me for at least 3 months.", + "question": "Is it possible for me to end the civil partnership under these grounds?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to end (\u2018dissolve\u2019) your civil partnership if you\u2019ve been in the partnership for over a year.

    ", + "

    When you apply to end your civil partnership (\u2018dissolution\u2019), you\u2019ll need to prove your relationship has broken down and cannot be saved.

    ", + "

    You\u2019ll need to give one or more of the following 4 reasons (also known as \u2018facts\u2019).

    ", + "

    Your civil partner has behaved in a way that means you cannot reasonably be expected to live with them.

    ", + "

    This could include:

    ", + "
  • being sexually unfaithful
  • " + ], + "id": "train-173" + }, + { + "url": "https://www.gov.uk/become-deputy", + "scenario": "I am 54 and am applying to be a Personal Welfare Deputy for my 74 year old father, who has been diagnosed with dementia. My father has quite complex financial affairs, and I am concerned that I will be unable to deal with these myself.", + "question": "Can the Court of Protection appoint someone qualified to deal with my father's finances if I am unable to find someone myself?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The Court of Protection can appoint a specialist deputy (called a \u2018panel deputy\u2019) from a list of approved law firms and charities if no one else is available.

    " + ], + "id": "train-174" + }, + { + "url": "https://www.gov.uk/budgeting-help-benefits", + "scenario": "I am in receipt of pension credit and not Universal Credit and would like to get a budgeting loan for some household appliances as my fridge and washer have both broken.", + "question": "I already owe \u00a31600 in budgeting loans, can I borrow any more?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    To get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:

    ", + "
  • Pension Credit
  • ", + "

    You cannot get a Budgeting Loan if:

    ", + "
  • you owe more than \u00a31,500 in total for Crisis Loans and Budgeting Loans
  • " + ], + "id": "train-175" + }, + { + "url": "https://www.gov.uk/care-to-learn", + "scenario": "I'm 19, live in London and have a daughter who is almost 2 years old. I recently began attending a course at my local sixth form college, which I believe is publicly funded.", + "question": "Can I claim help with my childminding costs under the Care to Learn scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re either a British citizen or have a legal right to live and study in England
  • ", + "
  • your childcare provider qualifies
  • ", + "

    To qualify, your childcare provider must be registered with Ofsted.

    " + ] + ] + ], + "evidences": [ + "

    The Care to Learn scheme can help with childcare costs while you study.

    ", + "

    You must be aged under 20 at the start of your course.

    ", + "

    The scheme is available for publicly-funded courses in England. This includes courses in:

    ", + "
  • sixth-form colleges
  • ", + "

    Care to Learn can help with the cost of:

    ", + "
  • your childcare, including deposit and registration fees
  • ", + "

    You can get Care to Learn if all of the following apply to you:

    ", + "
  • you\u2019re a parent under 20 at the start of your course
  • ", + "
  • you\u2019re the main carer for your child
  • ", + "
  • you live in England
  • ", + "
  • you\u2019re either a British citizen or have a legal right to live and study in England
  • ", + "
  • your course qualifies
  • ", + "
  • your childcare provider qualifies
  • ", + "

    Care to Learn is only available for publicly-funded courses in England. This includes courses that take place in:

    ", + "

    To qualify, your childcare provider must be registered with Ofsted.

    " + ], + "id": "train-176" + }, + { + "url": "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad", + "scenario": "My ex-husband is defaulting on our child maintenance agreement. I am the parent with primary care of our daughter and he is currently in Germany with the army.", + "question": "Can an absent parent in the army be made to pay child maintenance while the are abroad?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You might be able to make a new child maintenance claim instead of enforcing an existing one if the other parent is working abroad for certain British organisations, for example:

    ", + "
  • as a member of the Armed Forces
  • " + ], + "id": "train-177" + }, + { + "url": "https://www.gov.uk/diffuse-mesothelioma-payment", + "scenario": "I worked in an environment that contained asbestos for over twenty years and this has left me with a chronic health condition. I left work in 2001. My condition was diagnosed as mesothelioma in 2019", + "question": "As I finished working nearly twenty years ago, can I still make a claim against one of these schemes?", + "not_answerable": false, + "answers": [ + [ + "you can claim for dmps", + [ + "
  • you cannot trace the employer that exposed you to asbestos, or their insurers
  • ", + "
  • you have not made a civil claim against any employer or insurer
  • ", + "
  • you have not received damages or a specified payment for mesothelioma and you\u2019re not eligible to a specified payment
  • ", + "

    Claims through the DMPS scheme must be made within 3 years of diagnosis.

    " + ] + ] + ], + "evidences": [ + "

    You may be able to get a payment if you\u2019ve been diagnosed with the asbestos-related disease, diffuse mesothelioma.

    ", + "

    There are 2 types of payment you can claim for:

    ", + "
  • the Diffuse Mesothelioma Payment Scheme (DMPS)
  • ", + "

    You may be able to claim if all of the following apply:

    ", + "
  • you were diagnosed with diffuse mesothelioma on or after 25 July 2012
  • ", + "
  • your mesothelioma was caused by exposure to asbestos when working in the UK
  • ", + "
  • you cannot trace the employer that exposed you to asbestos, or their insurers
  • ", + "
  • you have not made a civil claim against any employer or insurer
  • ", + "
  • you have not received damages or a specified payment for mesothelioma and you\u2019re not eligible to a specified payment
  • ", + "

    You can claim for DMPS even if you have already claimed from the 2008 scheme or under the 1979 Pneumoconiosis Act. If you\u2019ve already got a payment from the 2008 scheme or the Pneumoconiosis Act, it will be deducted from the amount you get from DMPS.

    ", + "

    Claims through the DMPS scheme must be made within 3 years of diagnosis.

    " + ], + "id": "train-178" + }, + { + "url": "https://www.gov.uk/support-for-mortgage-interest", + "scenario": "I am a homeowner with a mortgage and currently receive Universal Credit. I want to see if there is any additional help for me to pay my mortgage", + "question": "What interest rate applies to a Support for Mortgage Interest loan?", + "not_answerable": false, + "answers": [ + [ + "0.3%", + [] + ] + ], + "evidences": [ + "

    The interest added to the loan can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%.

    " + ], + "id": "train-179" + }, + { + "url": "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad", + "scenario": "My sons father has just moved to Spain and has taken my son to live with him. I used to receive Child Maintenance when he lived in the UK.", + "question": "What will happen to my current Child Maintenance circumstances now?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-180" + }, + { + "url": "https://www.gov.uk/parents-learning-allowance", + "scenario": "I have two children and I am currently due to start a degree course in social work this coming Autumn.", + "question": "Can I make a claim given that I will be studying and no longer working?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • a full-time undergraduate course
  • ", + "
  • an Initial Teacher Training (ITT) course
  • " + ] + ] + ], + "evidences": [ + "

    You may be eligible for help with your learning costs if you\u2019re a full-time student with children. This is called Parents\u2019 Learning Allowance.

    ", + "

    If you\u2019re a student from England with dependent children you may qualify if you\u2019re taking:

    ", + "
  • a full-time undergraduate course
  • ", + "
  • an Initial Teacher Training (ITT) course
  • " + ], + "id": "train-181" + }, + { + "url": "https://www.gov.uk/become-deputy", + "scenario": "My brother has 2 kids and my brother lost his partner in a accident and my brother also suffering from dementia and can't make decision on his own", + "question": "My brother's partners brother want to be my brother's deputy . Is this possible ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to become someone\u2019s deputy if they \u2018lack mental capacity\u2019. This means they cannot make a decision for themselves at the time it needs to be made. They may still be able to make decisions for themselves at certain times.

    ", + "

    People may lack mental capacity because, for example:

    ", + "
  • they have dementia
  • ", + "

    You can apply to be a deputy if you\u2019re 18 or over. Deputies are usually close relatives or friends of the person who needs help making decisions.

    " + ], + "id": "train-182" + }, + { + "url": "https://www.gov.uk/pip", + "scenario": "I suffer from agoraphobia which severely affects my dad to day life. I have not left my home in over two years and rely on someone else to shop for me", + "question": "As my illness is mental not physical, am I still eligible for PIP?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Personal Independence Payment (PIP) can help you with some of the extra costs if you have a long term physical or mental health condition or disability.

    ", + "

    You must also have a physical or mental health condition or disability where you:

    ", + "
  • have had difficulties with daily living or getting around (or both) for 3 months
  • ", + "
  • expect these difficulties to continue for at least 9 months
  • ", + "

    You may get the daily living part of PIP if you need help more than half of the time with things like:

    ", + "
  • engaging with other people
  • ", + "

    You may get the mobility part of PIP if you need help going out or moving around.

    " + ], + "id": "train-183" + }, + { + "url": "https://www.gov.uk/valuing-estate-of-someone-who-died", + "scenario": "My sister in law, who was a widow, died recently and I am her only living relative. I am trying to sort through her affairs", + "question": "How long does it normally take to value an estate?", + "not_answerable": false, + "answers": [ + [ + "6 to 9 months", + [] + ] + ], + "evidences": [ + "

    The process of valuing the estate can take 6 to 9 months, or longer for big or complicated estates (for example if they involve trusts or there\u2019s tax to pay).

    ", + "

    You don\u2019t need to value the estate straight away after someone dies. There are only deadlines if the estate owes Inheritance Tax.

    ", + "

    If it does, you\u2019ll need to:

    ", + "
  • send Inheritance Tax forms within one year
  • " + ], + "id": "train-184" + }, + { + "url": "https://www.gov.uk/parents-learning-allowance", + "scenario": "I am a single mother with 3 children undertaking full time masters in Mechanical Engineering and I want to seek financial support.", + "question": "How much allowance will I get?", + "not_answerable": false, + "answers": [ + [ + "between \u00a350 and \u00a31,821 a year", + [] + ] + ], + "evidences": [ + "

    You may be eligible for help with your learning costs if you\u2019re a full-time student with children. This is called Parents\u2019 Learning Allowance.

    ", + "

    How much you get depends on your household income.

    ", + "

    Depending on your household income, in the 2021 to 2022 academic year you could get between \u00a350 and \u00a31,821 a year.

    " + ], + "id": "train-185" + }, + { + "url": "https://www.gov.uk/child-benefit", + "scenario": "My partner earn less than \u00a350,000. I am employed and on a payroll and earn less than \u00a350000 but receiving a dividend", + "question": "My pay and dividend when added together will be more than \u00a350,000. Will I be eligible to apply for child benefit ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • under 16
  • ", + "
  • under 20 if they stay in approved education or training
  • " + ] + ], + [ + "no", + [ + "

    Once you earn \u00a360,000 you lose all of your benefit through tax.

    " + ] + ] + ], + "evidences": [ + "

    You get Child Benefit if you\u2019re responsible for bringing up a child who is:

    ", + "
  • under 16
  • ", + "
  • under 20 if they stay in approved education or training
  • ", + "

    You can get Child Benefit if your (or your partner\u2019s) individual income is over \u00a350,000, but you may be taxed on the benefit. This is known as the High Income Child Benefit Tax Charge.

    ", + "

    Once you earn \u00a360,000 you lose all of your benefit through tax.

    " + ], + "id": "train-186" + }, + { + "url": "https://www.gov.uk/carers-credit", + "scenario": "I am 38, and for the last 18 months have had to take time away from employment to care for my husband, who was badly injured whilst serving in the Army and receives Armed Forces Independence Payment. I receive Carer's Credit, but recently took a break of 30 days, during which caring duties were carried out by my sister-in-law.", + "question": "Will my Carer's Credit cover this break period as well as my full-time caring?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can still get Carer\u2019s Credit even if you have breaks from caring (up to 12 weeks in a row).

    ", + "

    For example, you\u2019ll still get Carer\u2019s Credit for 12 weeks if:

    ", + "
  • you take a short holiday
  • " + ], + "id": "train-187" + }, + { + "url": "https://www.gov.uk/parents-learning-allowance", + "scenario": "I am 34, live in Scotland and am currently studying for a law degree as a mature student, with funding through student finance (via SAAS). I have a 7 year old son and 4 year old daughter", + "question": "Can I claim the Parents' Learning Allowance?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may be eligible for help with your learning costs if you\u2019re a full-time student with children. This is called Parents\u2019 Learning Allowance.

    ", + "

    If you\u2019re a student from England with dependent children you may qualify if you\u2019re taking:

    ", + "
  • a full-time undergraduate course
  • ", + "
  • an Initial Teacher Training (ITT) course
  • " + ], + "id": "train-188" + }, + { + "url": "https://www.gov.uk/mortgage-interest-run-on", + "scenario": "I am currently paying a mortgage . My benefits stopped due to change of my work which is paying more.I have alot of accumulated housing costs which i need to meet.I need support.", + "question": "If I claim the mortgage interest loan, will it affect my credit score?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-189" + }, + { + "url": "https://www.gov.uk/employment-support-allowance", + "scenario": "I have been classed as vulnerable during the pandemic and this has meant I have had to self-isolate for the past 14 months and I have been unable to work during this time.", + "question": "Will I be able to claim the full amount of Employment and Support Allowance?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may also be able to get ESA if you were unable to work while self-isolating or \u2018shielding\u2019 because of coronavirus (COVID-19).

    ", + "

    You can apply for \u2018new style\u2019 ESA if you\u2019re unable to claim Statutory Sick Pay and one of the following applies:

    ", + "
  • you were advised to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19
  • ", + "

    If you\u2019re entitled to ESA you\u2019ll be placed in one of 2 groups:

    ", + "
  • a work-related activity group (you cannot work now, but can prepare to work in the future, for example by writing a CV)
  • " + ], + "id": "train-190" + }, + { + "url": "https://www.gov.uk/reduced-earnings-allowance", + "scenario": "I'm 56, and have worked in construction since leaving school in the early 1980s. I have now been diagnosed with mesothelioma, which I believe to be the result of improper asbestos exposure in my first job in 1983-85. This has seriously reduced my ability to work.", + "question": "Can I claim Reduced Earnings Allowance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • your level of disability is assessed to be at least 1%
  • ", + "
  • you cannot return to your regular occupation
  • ", + "
  • you cannot do other work with the same level of earnings as your regular occupation
  • " + ] + ] + ], + "evidences": [ + "

    If you cannot earn as much as you used to because of an accident or disease caused by your work, you could get up to \u00a373.16 per week Reduced Earnings Allowance.

    ", + "

    You can only get it for accidents that happened, or diseases that started, before 1 October 1990.

    ", + "

    You could get Reduced Earnings Allowance if you have an illness or disability caused by a work-related accident or disease that happened before 1 October 1990.

    ", + "

    You must also meet all of the following criteria:

    ", + "
  • your level of disability is assessed to be at least 1%
  • ", + "
  • you cannot return to your regular occupation
  • ", + "
  • you cannot do other work with the same level of earnings as your regular occupation
  • " + ], + "id": "train-191" + }, + { + "url": "https://www.gov.uk/pip", + "scenario": "I am 53, a UK Citizen and have lived in the UK my whole adult life. I was diagnosed with Huntington's Disease just over 14 years ago, the progression of which has steadily reduced my motor skills to the point where I am already claiming PIP at the lower daily rate. My doctor now believes that I am entering the terminal phase of the illness, and have only a few months to live.", + "question": "Am I now eligible for the higher daily rate of PIP?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    There are different rules if you\u2019re terminally ill and a healthcare professional has said you might have less than 6 months to live.

    ", + "

    You\u2019ll get the higher daily living part if you\u2019re not expected to live more than 6 months. The rate of the mobility part depends on your needs.

    " + ], + "id": "train-192" + }, + { + "url": "https://www.gov.uk/child-trust-funds", + "scenario": "I set up a child trust fund for my now ten year old daughter some years ago but let it go dormant due to a poor financial position. Now my financial position has improved and I wish to start donating again.", + "question": "How much can I regularly put into my child's fund?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a39,000 a year", + [] + ] + ], + "evidences": [ + "

    You can continue to add up to \u00a39,000 a year to your CTF account. The money belongs to the child and they can only take it out when they\u2019re 18. They can take control of the account when they\u2019re 16.

    ", + "

    You can put up to \u00a39,000 a year into the account - the year starts on the child\u2019s birthday and ends the day before their next birthday.

    ", + "

    If you do not use the \u00a39,000 limit, you cannot carry any unused amount over to the following year.

    " + ], + "id": "train-193" + }, + { + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "scenario": "My partner and i have separated after 20 years of marriage but we can\u2019t agree on how to split up our shared properties and assets.Efforts to make a binding agreement have been futile.", + "question": "Can i apply for a court financial order?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).

    " + ] + ] + ], + "evidences": [ + "

    You can use a mediator or get other help to resolve issues out of court.

    ", + "

    If you cannot agree on everything, you can ask a court to make a financial order.

    ", + "

    If you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).

    ", + "

    You must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).

    ", + "

    You can ask a court to make a financial order if you\u2019ve started the paperwork to divorce or end your civil partnership.

    " + ], + "id": "train-194" + }, + { + "url": "https://www.gov.uk/child-benefit-tax-charge", + "scenario": "I have started a new job and this now takes my Individual Income over \u00a350,000. I live with my partner and her son who is 12.", + "question": "If I want to keep claiming child benefit, will I have to register for income tax Self Assessment?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may have to pay a tax charge, known as the \u2018High Income Child Benefit Charge\u2019, if you have an individual income over \u00a350,000 and either:

    ", + "
  • you or your partner get Child Benefit
  • ", + "

    If your individual income is over \u00a350,000 and so is your partner\u2019s, then whoever has the higher income is responsible for paying the tax charge.

    ", + "
  • get Child Benefit payments, and pay any tax charge at the end of each tax year
  • ", + "

    To pay the tax charge, you must:

    ", + "
  • register for Self Assessment
  • " + ], + "id": "train-195" + }, + { + "url": "https://www.gov.uk/disabled-students-allowance-dsa", + "scenario": "My eyesight is very bad so in order to read I need either very large print text or braille. I am starting an undergraduate university course this year, and I want to see if I can get financial support for large print / braille copies of course materials.", + "question": "Who do I contact to organise a Needs Assessment?", + "not_answerable": false, + "answers": [ + [ + "an assessment centre", + [] + ] + ], + "evidences": [ + "

    Once your eligibility for DSA is confirmed, Student Finance England may ask you to contact an assessment centre to work out what help you need.

    " + ], + "id": "train-196" + }, + { + "url": "https://www.gov.uk/employment-support-allowance", + "scenario": "I lost my job due to testing positive for corona virus which was followed by severe covid symptoms and i had to self isolate for more than 4 months. This has reduced my income and i need support .", + "question": "Do i need doctors evidence to qualify for statutory sick pay?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re claiming ESA because of COVID-19, you\u2019ll need to give evidence to support your claim.

    ", + "

    If you or your child are self-isolating and you cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019ve been off work for 7 or more days. You do not have to go to your doctor or a hospital.

    ", + "

    If you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.

    " + ], + "id": "train-197" + }, + { + "url": "https://www.gov.uk/carers-allowance", + "scenario": "I am currently the main carer for my Grandfather. I live with him at the moment and care for him 24/7, 7 days a week.", + "question": "I also am in receipt of Universal Credit. Will applying for Carer\u2019s Allowance affect my Universal Credit payments?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Carer\u2019s Allowance can affect the other benefits that you and the person you care for get. You have to pay tax on it if your income is over the Personal Allowance.

    ", + "

    You may also be able to apply for:

    ", + "
  • Universal Credit if you\u2019re on a low income or out of work
  • ", + "

    Carer\u2019s Allowance can affect the other benefits that both you and the person you care for get.

    ", + "

    When you claim Carer\u2019s Allowance your other benefit payments may change, but your total benefit payments will usually either go up or stay the same.

    " + ], + "id": "train-198" + }, + { + "url": "https://www.gov.uk/child-employment", + "scenario": "I am 14 years old and I want to take up a paper round during term time. I am not sure if I am allowed to do this.", + "question": "How many hours a week can I work during term time?", + "not_answerable": false, + "answers": [ + [ + "12 hours", + [] + ] + ], + "evidences": [ + "

    Part-time work

    ", + "

    The youngest age a child can work part-time is 13, except children involved in areas like:

    ", + "

    During term time children can only work a maximum of 12 hours a week. This includes:

    ", + "
  • a maximum of 2 hours on school days and Sundays
  • ", + "
  • a maximum of 5 hours on Saturdays for 13 to 14-year-olds, or 8 hours for 15 to 16-year-olds
  • " + ], + "id": "train-199" + }, + { + "url": "https://www.gov.uk/child-employment", + "scenario": "My son has now reached 15 years old and wants to do a delivery job.He wants to be independent financially.", + "question": "How many hours per week can he work during school holidays?", + "not_answerable": false, + "answers": [ + [ + "35 hours", + [] + ] + ], + "evidences": [ + "

    Children can only start full-time work once they\u2019ve reached the minimum school leaving age - they can then work up to a maximum of 40 hours a week.

    ", + "

    During school holidays 15 to 16-year-olds can only work a maximum of 35 hours a week. This includes:

    ", + "
  • a maximum of 8 hours on weekdays and Saturdays
  • " + ], + "id": "train-200" + }, + { + "url": "https://www.gov.uk/legal-rights-when-using-surrogates-and-donors", + "scenario": "My partner and i have decided to use a surrogate to have a child. We wish to understand our rights as legal parents and sign a binding agreement.", + "question": "What rights do we have towards the child?", + "not_answerable": false, + "answers": [ + [ + "if you use a surrogate, they will be the child\u2019s legal parent at birth.", + [] + ], + [ + "you must apply for a parental order or adoption if you want to become the legal parent of the child.", + [] + ] + ], + "evidences": [ + "

    If you use a surrogate, they will be the child\u2019s legal parent at birth.

    ", + "

    Legal parenthood can be transferred by parental order or adoption after the child is born.

    ", + "

    Surrogacy agreements are not enforceable by UK law, even if you have a signed document with your surrogate and have paid their expenses.

    ", + "

    You must apply for a parental order or adoption if you want to become the legal parent of the child.

    ", + "

    If neither you or your partner are related to the child, adoption is the only way you can become the child\u2019s legal parent.

    " + ], + "id": "train-201" + }, + { + "url": "https://www.gov.uk/support-for-mortgage-interest", + "scenario": "I am a home owner and receiving income support benefits. I recently had a major heating issues with my boiler and had to replace it which I couldn't afford. I took out a loan to pay for it.", + "question": "Am I eligible for getting Support for Mortgage Interest?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re a homeowner, you might be able to get help towards interest payments on:

    ", + "
  • loans you\u2019ve taken out for certain repairs and improvements to your home
  • ", + "

    To be eligible for a Support for Mortgage Interest (SMI) loan, you usually need to be getting one of the following qualifying benefits:

    ", + "
  • Income Support
  • " + ], + "id": "train-202" + }, + { + "url": "https://www.gov.uk/sure-start-maternity-grant", + "scenario": "I live in Wales and am currently expecting my first child. I live with my partner, who is on a low income and is claiming Universal Credit, as am I.", + "question": "Can I get the Sure Start Maternity Grant?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You could get a one-off payment of \u00a3500 to help towards the costs of having a child. This is known as a Sure Start Maternity Grant.

    ", + "

    You usually qualify for the grant if both of the following apply:

    ", + "
  • you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already
  • ", + "
  • you or your partner already get certain benefits
  • ", + "

    Usually, to qualify for a Sure Start Maternity Grant there must be no other children in your family. You or your partner must also get one of these benefits:

    ", + "
  • Universal Credit
  • " + ], + "id": "train-203" + }, + { + "url": "https://www.gov.uk/budgeting-help-benefits", + "scenario": "I am on Universal Credit and my washing machine recently broke down. I can't afford to either have it mended or have it replaced. I have three children and desperately need a washer.", + "question": "What can I get help with my washing machine?", + "not_answerable": false, + "answers": [ + [ + "a budgeting advance", + [] + ] + ], + "evidences": [ + "

    A Budgeting Loan can help pay for:

    ", + "
  • furniture or household items (for example, washing machines or other \u2018white goods\u2019)
  • ", + "

    You may be eligible for a Budgeting Loan if you\u2019ve been on certain benefits for 6 months.

    ", + "

    You cannot get a Budgeting Loan if:

    ", + "
  • you are currently claiming Universal Credit - apply for a Budgeting Advance instead
  • " + ], + "id": "train-204" + }, + { + "url": "https://www.gov.uk/divorce", + "scenario": "My sister has been for 10 years undergone domestic Abuse through her abusive husband. During covid pandemic the husband kicked her away from their shared accomodation. She is current in the refuge and want to divorce her abusive husband.", + "question": "Does my sister has a valid ground for divorce?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    When you apply for a divorce you\u2019ll need to prove that your marriage has broken down and cannot be saved. You\u2019ll need to give one or more of the following 5 reasons (also known as \u2018facts\u2019).

    ", + "

    Your husband or wife has behaved in such a way that you cannot reasonably be expected to live with them.

    ", + "

    This could include:

    ", + "
  • physical violence
  • ", + "
  • verbal abuse, such as insults or threats
  • ", + "
  • refusing to pay towards shared living expenses
  • " + ], + "id": "train-205" + }, + { + "url": "https://www.gov.uk/legal-rights-when-using-surrogates-and-donors", + "scenario": "My partner and I have tried to conceive naturally for two years without success and are now contemplating alternative methods to enable us to become parents.", + "question": "If I have a child via a surrogate, is it possible they could refuse to surrender it?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Surrogacy is legal in the UK, but if you make a surrogacy agreement it cannot be enforced by the law.

    ", + "

    If you use a surrogate, they will be the child\u2019s legal parent at birth.

    ", + "

    Legal parenthood can be transferred by parental order or adoption after the child is born.

    ", + "

    If there is disagreement about who the child\u2019s legal parents should be, the courts will make a decision based on the best interests of the child.

    ", + "

    Surrogacy agreements are not enforceable by UK law, even if you have a signed document with your surrogate and have paid their expenses.

    ", + "

    You must apply for a parental order or adoption if you want to become the legal parent of the child.

    " + ], + "id": "train-206" + }, + { + "url": "https://www.gov.uk/paying-inheritance-tax", + "scenario": "I'm a 51 year old from York. I inherited my 73 year old fathers estate 6 months ago after he passed and I have payed too much on my inheritance tax bill.", + "question": "Can I claim the overpayment back?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you pay more money than the final bill says the estate owes, HMRC will refund the excess after you\u2019ve been given probate (confirmation in Scotland). Probate is the right to deal with the deceased person\u2019s property, money and possessions.

    " + ], + "id": "train-207" + }, + { + "url": "https://www.gov.uk/mortgage-interest-run-on", + "scenario": "I was getting Mortgage Interest Run On support to cover some of my house costs when my income support was stopped.", + "question": "I am starting a full time employment next week . Who should I inform ?", + "not_answerable": false, + "answers": [ + [ + "your jobcentre plus office", + [] + ] + ], + "evidences": [ + "

    You don\u2019t need to apply - you should get Mortgage Interest Run On automatically. You just need to let your Jobcentre Plus office know as soon as you\u2019re starting work.

    " + ], + "id": "train-208" + }, + { + "url": "https://www.gov.uk/become-deputy", + "scenario": "My 71 year old mother has memory loss and lives at my address in South Wales, she cannot manage her own finances but will not approve me to take charge.", + "question": "How do I overturn her decision?", + "not_answerable": false, + "answers": [ + [ + "apply to be a deputy", + [] + ] + ], + "evidences": [ + "

    You can apply to become someone\u2019s deputy if they \u2018lack mental capacity\u2019. This means they cannot make a decision for themselves at the time it needs to be made. They may still be able to make decisions for themselves at certain times.

    ", + "

    People may lack mental capacity because, for example:

    ", + "
  • they\u2019ve had a serious brain injury or illness
  • ", + "
  • they have dementia
  • ", + "

    You can apply to be a deputy if you\u2019re 18 or over. Deputies are usually close relatives or friends of the person who needs help making decisions.

    ", + "

    If you want to become a property and affairs deputy, you need to have the skills to make financial decisions for someone else.

    ", + "

    You or your representative must visit the person and tell them:

    ", + "
  • who\u2019s applying to be their deputy
  • ", + "
  • that their ability to make decisions is being questioned
  • ", + "
  • what having a deputy would mean for them
  • ", + "
  • where to get advice if they want to discuss the application
  • " + ], + "id": "train-209" + }, + { + "url": "https://www.gov.uk/mental-health-tribunal", + "scenario": "I live in England and am the closest living relative to my brother, who was sectioned under the Mental Health Act almost six months ago. I believe his admission has not been adequately reviewed during this period and wish to apply to the tribunal for his release.", + "question": "Can I request that my brother be re-examined by the tribunal doctor in advance of any hearing?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can ask for a pre-hearing examination with the tribunal doctor if you want one.

    ", + "

    If you\u2019ve been admitted for treatment or you\u2019re a restricted patient, you must do this at least 2 weeks before the hearing.

    " + ], + "id": "train-210" + }, + { + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "scenario": "My Grandfather has been suffering with a serious illness for the past 6 months. He has been sectioned on more than one occasion and taken into hospital. I do not believe he has the mental capacity to look after his own finances anymore.", + "question": "I have tried to speak to him and get him to agree for me to be his deputy, however he is refusing. Can I still apply for a one-off decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Apply to the Court of Protection if both of the following apply:

    ", + "
  • you\u2019re concerned about the personal welfare or property and financial affairs of someone who\u2019s lost mental capacity
  • ", + "
  • you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home
  • ", + "

    You may have to apply to become a deputy if the person needs long-term help with decisions about personal welfare or property and financial affairs.

    ", + "

    You must tell:

    ", + "
  • the person you\u2019re applying to get a one-off decision for
  • ", + "

    You or your representative must visit the person and tell them:

    ", + "
  • who\u2019s applying to get a one-off decision about their personal welfare or property and financial affairs
  • ", + "
  • that their ability to make decisions is being questioned
  • ", + "
  • what the one-off decision would mean for them
  • ", + "
  • where to get advice if they want to discuss the application
  • " + ], + "id": "train-211" + }, + { + "url": "https://www.gov.uk/divorce", + "scenario": "I live in England with my two young children by my wife in our former family home; however, my wife moved out 3 years ago and I have applied for divorce on the grounds of desertion. Despite giving the court what I believed to be her current address, she has not responded over a month later.", + "question": "Can I still go ahead and apply for a degree nisi?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Desertion

    ", + "

    Your husband or wife has left you for at least 2 years before you apply for divorce.

    ", + "

    The court will send your husband or wife the divorce application and an \u2018acknowledgement of service\u2019 form. Your husband or wife will need to respond to your divorce application.

    ", + "

    Your husband or wife must respond within 8 days.

    ", + "

    If they do not submit an \u2018answer to divorce\u2019 form, you can continue the divorce by applying for a decree nisi.

    " + ], + "id": "train-212" + }, + { + "url": "https://www.gov.uk/mental-health-tribunal", + "scenario": "My cousin was admitted in a psychiatric hospital for a mental health issue. He mentioned that has recovered and want discharged. I applied to Mental Health Tribunal on behalf of him for the discharge.", + "question": "He feels that he want to stay in psychiatric hospital for some more time for additional support. Can I withdraw my application ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Write to the tribunal as soon as possible if you do not want to continue with your application. The tribunal will decide whether to accept your withdrawal.

    ", + "

    You cannot withdraw your case if it was automatically referred to the tribunal, but you do not have to go to the hearing if you do not want to.

    " + ], + "id": "train-213" + }, + { + "url": "https://www.gov.uk/budgeting-help-benefits", + "scenario": "I am moving to a new home provided by council. I am already on housing benefits and income support benefits. I am planning to buy some white goods but have no money", + "question": "As I am already on benefits , will I be eligible for Budgeting Loans ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • Income Support
  • " + ] + ] + ], + "evidences": [ + "

    A Budgeting Loan can help pay for:

    ", + "
  • furniture or household items (for example, washing machines or other \u2018white goods\u2019)
  • ", + "

    You may be eligible for a Budgeting Loan if you\u2019ve been on certain benefits for 6 months.

    ", + "

    To get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:

    ", + "
  • Income Support
  • " + ], + "id": "train-214" + }, + { + "url": "https://www.gov.uk/legal-rights-when-using-surrogates-and-donors", + "scenario": "Me and my girlfriend are in a relationship for 5 years now. We didn't have kids. I am a British citizen and my wife is from Mexico. We planning for a surrogate in Mexico", + "question": "Once our surrogate gives birth in Mexico, what is the process to bring the child to UK and the parental order ?", + "not_answerable": false, + "answers": [ + [ + "apply for a parental order", + [] + ] + ], + "evidences": [ + "

    If you use a surrogate, they will be the child\u2019s legal parent at birth.

    ", + "

    Legal parenthood can be transferred by parental order or adoption after the child is born.

    ", + "

    You must apply for a parental order or adoption if you want to become the legal parent of the child.

    ", + "

    One of you must be genetically related to the child - in other words, be the egg or sperm donor.

    ", + "

    You must apply within 6 months of the child\u2019s birth.

    ", + "

    If neither you or your partner are related to the child, adoption is the only way you can become the child\u2019s legal parent.

    ", + "

    If your surrogate gives birth abroad, you can only apply for a parental order if you and your partner are living in the UK.

    ", + "

    If the child is not a UK or EU national, they will need a visa to enter the UK during this process.

    " + ], + "id": "train-215" + }, + { + "url": "https://www.gov.uk/care-to-learn", + "scenario": "I came to UK on a study visa and brought my family with me. I am 19 and have a 6 months old baby. I was assessed and told that I am eligible for Care to Learn scheme", + "question": "Can I use the money for travel expenses?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Care to Learn can help with the cost of:

    ", + "
  • taking your child to their childcare provider
  • ", + "

    Travel payments go direct to your school or college - they\u2019ll either pay you or arrange travel for you.

    " + ], + "id": "train-216" + }, + { + "url": "https://www.gov.uk/carers-credit", + "scenario": "I am 45 and a carer of a 80 years old disabled woman. I spend 25 hours per week caring for her. I want to maintain my National insurance record because I don't want it affect my future state pension like it happened to my sister.", + "question": "Can I claim Carers Credit?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • Disability Living Allowance care component at the middle or highest rate
  • ", + "
  • Attendance Allowance
  • ", + "
  • Constant Attendance Allowance
  • ", + "
  • Personal Independence Payment - daily living component, at the standard or enhanced rate
  • ", + "
  • Armed Forces Independence Payment
  • " + ] + ] + ], + "evidences": [ + "

    You could get Carer\u2019s Credit if you\u2019re caring for someone for at least 20 hours a week.

    ", + "

    Carer\u2019s Credit is a National Insurance credit that helps with gaps in your National Insurance record. Your State Pension is based on your National Insurance record.

    ", + "

    If you\u2019re eligible for Carer\u2019s Credit, you can get credits to help fill gaps in your National Insurance record.

    ", + "

    To get Carer\u2019s Credit you must be:

    ", + "
  • aged 16 or over
  • ", + "
  • under State Pension age
  • ", + "
  • looking after one or more people for at least 20 hours a week
  • ", + "

    The person you\u2019re looking after must get one of the following:

    ", + "
  • Disability Living Allowance care component at the middle or highest rate
  • ", + "
  • Attendance Allowance
  • ", + "
  • Constant Attendance Allowance
  • ", + "
  • Personal Independence Payment - daily living component, at the standard or enhanced rate
  • ", + "
  • Armed Forces Independence Payment
  • " + ], + "id": "train-217" + }, + { + "url": "https://www.gov.uk/become-deputy", + "scenario": "I am a deputy for my 80 year old father who has Alzheimer's disease and currently resides in residential care in England. Before the deputyship began, but in my opinion while he was already suffering from dementia, he changed his will to leave a substantial amount of money to a former family friend. I do not think he was in his right state of mind when doing this and my family and I all agree that we do not think the will represents his true wishes.", + "question": "As his deputy, can I change the will again to better reflect what we feel are my father's true wishes?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    As a deputy, you\u2019ll be authorised by the Court of Protection to make decisions on their behalf.

    ", + "

    You must not:

    ", + "
  • make a will for the person, or change their existing will
  • " + ], + "id": "train-218" + }, + { + "url": "https://www.gov.uk/child-benefit", + "scenario": "My wife and I have recently had our first child. She plans to give up work and be a full-time Mum for the first few years at least, while I stay in work. We're concerned about the impact my wife not working might have on her pension entitlement.", + "question": "Would it be better for my wife to claim child benefit instead of me?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Only one person can get Child Benefit for a child.

    ", + "

    By claiming Child Benefit:

    ", + "
  • you can get National Insurance credits which count towards your State Pension
  • ", + "

    If your child is under 12 and you\u2019re not working or do not earn enough to pay National Insurance contributions, Child Benefit can give you National Insurance credits.

    ", + "

    Only one person can get Child Benefit for a child, so you need to decide whether it\u2019s better for you or the other parent to claim. The person who claims will get National Insurance credits towards their state pension if they are not working or earn less than \u00a3184 per week.

    " + ], + "id": "train-219" + }, + { + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "scenario": "I am a 37 year old English male living in Scotland, I have just filed for divorce and my wife is claiming half of my savings although we agreed upon nothing during marriage.", + "question": "Do the rules change for me because I live in Scotland although I am English?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    What you can do is different in Scotland and Northern Ireland.

    " + ], + "id": "train-220" + }, + { + "url": "https://www.gov.uk/care-to-learn", + "scenario": "I am 25 and a single parent. I have a six year old son. I am very keen to get back into education so I can get a better job.", + "question": "Am I eligible for help with childcare whilst I study?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must be aged under 20 at the start of your course.

    ", + "

    You can get Care to Learn if all of the following apply to you:

    ", + "
  • you\u2019re a parent under 20 at the start of your course
  • " + ], + "id": "train-221" + }, + { + "url": "https://www.gov.uk/care-to-learn", + "scenario": "I am 26 and I have a 2 year old daughter. I want to apply to a sixth-form college in order to receive the qualifications I didn't achieve in school, but I would struggle to pay for childcare.", + "question": "Am I eligible to apply for Care to Learn?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must be aged under 20 at the start of your course.

    ", + "

    You can get Care to Learn if all of the following apply to you:

    ", + "
  • you\u2019re a parent under 20 at the start of your course
  • " + ], + "id": "train-222" + }, + { + "url": "https://www.gov.uk/power-of-attorney", + "scenario": "I am only 25 but I am the kind of person that worries a lot. One of my worries is what would happen if I had an accident that left me with reduced mental capacity, unable to make decisions for myself. I would like to choose someone to act on my behalf.", + "question": "How much does it cost to register a Lasting Power of Attorney", + "not_answerable": false, + "answers": [ + [ + "\u00a382", + [] + ] + ], + "evidences": [ + "

    It costs \u00a382 to register an LPA unless you get a reduction or exemption.

    ", + "

    It costs \u00a382 to register each LPA unless you get a reduction or exemption.

    ", + "

    This means it costs \u00a3164 to register both a property and financial affairs LPA and a health and welfare LPA.

    " + ], + "id": "train-223" + }, + { + "url": "https://www.gov.uk/carers-allowance", + "scenario": "I am 18. I have a part time job, but it only pays around \u00a3100 per week. My mother needs permanent care. I am considering giving up my job and caring for her instead, in place of the private carer she currently pays.", + "question": "What is the maximum my mum could pay me each week and I still be eligible for carers allowance?", + "not_answerable": false, + "answers": [ + [ + "\u00a3128", + [] + ] + ], + "evidences": [ + "

    All of the following must apply:

    ", + "
  • your earnings are \u00a3128 or less a week after tax, National Insurance and expenses
  • ", + "

    Your earnings are any income from employment and self-employment after tax, National Insurance and expenses.

    ", + "

    Payments that do not count as earnings include:

    ", + "
  • contributions towards your living or accommodation costs from someone you live with (they cannot be a tenant or boarder)
  • " + ], + "id": "train-224" + }, + { + "url": "https://www.gov.uk/apply-statutory-will", + "scenario": "I am 23 with 2 children and my father recently developed dementia, he was about to add me to the will before being diagnosed but never did.", + "question": "Can I add myself to my fathers will?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.

    " + ] + ] + ], + "evidences": [ + "

    Apply to the Court of Protection if you want to make (or change) a will on behalf of someone who cannot do it themselves.

    ", + "

    This may be because, for example:

    ", + "
  • they have dementia
  • ", + "

    You can apply when the person is not able to understand:

    ", + "
  • what making or changing a will means
  • ", + "
  • how much money they have or what property they own
  • ", + "
  • how making or changing a will might affect the people they know (either those mentioned in the will or those left out)
  • ", + "

    You\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.

    ", + "

    Decisions taken on someone\u2019s behalf must always be in their best interest. You must consider:

    ", + "
  • what they would do if they were able to make a will themselves
  • ", + "
  • their beliefs and personal values
  • ", + "
  • how they\u2019ve acted and made decisions for themselves in the past
  • " + ], + "id": "train-225" + }, + { + "url": "https://www.gov.uk/child-employment", + "scenario": "My 15 year old son has recently taken on a part time job as a kitchen assistant, which he loves. We are due to be going on holiday during the school summer holidays as a family, but he has been offered an increase in hours to cover staff absences over the summer holiday period. He will be working three hours a day, Monday to Friday, no weeks off during the school break.", + "question": "Is my 15 year old allowed to work in a part time job right through the school holiday period?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Children are not allowed to work:

    ", + "
  • without having a 2-week break from any work during the school holidays in each calendar year
  • ", + "

    During school holidays 15 to 16-year-olds can only work a maximum of 35 hours a week. This includes:

    ", + "
  • a maximum of 8 hours on weekdays and Saturdays
  • " + ], + "id": "train-226" + }, + { + "url": "https://www.gov.uk/divorce", + "scenario": "Me and my partner have decided we want to live apart after a breakdown in our marriage of 2 years. We feel it would be best to live in two different places and we both live in the UK.", + "question": "We do not want to be divorced, can we apply for legal separation instead?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you do not want a divorce, you can get a legal separation so you can live apart without ending the marriage. You might also be able to annul the marriage. You can apply for separation or annulment during your first year of marriage.

    " + ], + "id": "train-227" + }, + { + "url": "https://www.gov.uk/child-trust-funds", + "scenario": "I have a child trust fund for my kid who is 10 years old now and adding up money for the last two months. Still not clear how to manage the account", + "question": "when child can take control of money ?", + "not_answerable": false, + "answers": [ + [ + "when the child turns 18", + [] + ] + ], + "evidences": [ + "

    You can continue to add up to \u00a39,000 a year to your CTF account. The money belongs to the child and they can only take it out when they\u2019re 18. They can take control of the account when they\u2019re 16.

    ", + "

    If you\u2019re the main contact for the Child Trust Fund (CTF) account you\u2019re called the \u2018registered contact\u2019. You have certain responsibilities until the child turns 18, or until the child takes control of their own account.

    ", + "

    Once your child turns 16, they can either:

    ", + "
  • take over the account by contacting the CTF provider
  • ", + "
  • leave you in charge of the account
  • ", + "

    When the child turns 18, they take over the account and can take out the money.

    " + ], + "id": "train-228" + }, + { + "url": "https://www.gov.uk/disabled-students-allowance-dsa", + "scenario": "My sister has joined university but has been diagnised with bipolar and she needs support for her individual needs as she continues with her studies . She is on prescription medicine and needs some extra income to take care of her health.", + "question": "Is she eligible for disability support as she continues with her studies?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • qualify for student finance from Student Finance England
  • ", + "
  • be studying on a course that lasts at least a year
  • ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "
  • a Foundation Degree
  • ", + "
  • a Certificate of Higher Education
  • ", + "
  • a Diploma of Higher Education (DipHE)
  • ", + "
  • a Higher National Certificate (HNC)
  • ", + "
  • a Higher National Diploma (HND)
  • ", + "
  • a Postgraduate Certificate of Education (PGCE)
  • ", + "
  • a postgraduate course
  • ", + "
  • Initial Teacher Training
  • " + ] + ] + ], + "evidences": [ + "

    Disabled Students\u2019 Allowance (DSA) is support to cover the study-related costs you have because of a mental health problem, long term illness or any other disability.

    ", + "

    DSA does not cover disability-related costs you\u2019d have if you were not attending a course, or costs that any student might have.

    ", + "

    You can apply for Disabled Students\u2019 Allowance (DSA) if you live in England and have a disability that affects your ability to study, such as a:

    ", + "
  • mental health condition, for example anxiety or depression
  • ", + "

    You must also:

    ", + "
  • be an undergraduate or postgraduate student (including Open University or distance learning)
  • ", + "
  • qualify for student finance from Student Finance England
  • ", + "
  • be studying on a course that lasts at least a year
  • ", + "

    Your course must be in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "
  • a Foundation Degree
  • ", + "
  • a Certificate of Higher Education
  • ", + "
  • a Diploma of Higher Education (DipHE)
  • ", + "
  • a Higher National Certificate (HNC)
  • ", + "
  • a Higher National Diploma (HND)
  • ", + "
  • a Postgraduate Certificate of Education (PGCE)
  • ", + "
  • a postgraduate course
  • ", + "
  • Initial Teacher Training
  • " + ], + "id": "train-229" + }, + { + "url": "https://www.gov.uk/sure-start-maternity-grant", + "scenario": "My baby son was born three weeks ago and money is tight. I have one other child who is ten years of age.", + "question": "Will my first born child affect whether I am eligible for a Sure Start Maternity grant?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "
  • you\u2019re expecting a multiple birth (such as twins)
  • ", + "
  • the child you\u2019re caring for is someone else\u2019s
  • ", + "
  • you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK
  • " + ] + ] + ], + "evidences": [ + "

    You usually qualify for the grant if both of the following apply:

    ", + "
  • you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already
  • ", + "

    You can only get a grant if at least one of the following applies:

    ", + "
  • you\u2019re expecting a multiple birth (such as twins)
  • ", + "
  • the child you\u2019re caring for is someone else\u2019s
  • ", + "
  • you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK
  • " + ], + "id": "train-230" + }, + { + "url": "https://www.gov.uk/pip", + "scenario": "In the last month I have been signed off worked by my GP. He said that I should not be working with my current on-going long term mental health condition. This will severely impact my income.", + "question": "I could be off work for years as it is a quite serious mental health condition I have. Can I claim PIP to help cover my bills?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You must be aged 16 or over and usually have not reached State Pension age to claim.

    ", + "
  • preparing or eating food
  • ", + "
  • washing, bathing and using the toilet
  • ", + "
  • dressing and undressing
  • ", + "
  • reading and communicating
  • ", + "
  • managing your medicines or treatments
  • ", + "
  • making decisions about money
  • ", + "
  • engaging with other people
  • ", + "

    You may get the mobility part of PIP if you need help going out or moving around.

    " + ] + ] + ], + "evidences": [ + "

    Personal Independence Payment (PIP) can help you with some of the extra costs if you have a long term physical or mental health condition or disability.

    ", + "

    You must be aged 16 or over and usually have not reached State Pension age to claim.

    ", + "

    You must also have a physical or mental health condition or disability where you:

    ", + "
  • have had difficulties with daily living or getting around (or both) for 3 months
  • ", + "
  • expect these difficulties to continue for at least 9 months
  • ", + "

    You may get the daily living part of PIP if you need help more than half of the time with things like:

    ", + "
  • preparing or eating food
  • ", + "
  • washing, bathing and using the toilet
  • ", + "
  • dressing and undressing
  • ", + "
  • reading and communicating
  • ", + "
  • managing your medicines or treatments
  • ", + "
  • making decisions about money
  • ", + "
  • engaging with other people
  • ", + "

    You may get the mobility part of PIP if you need help going out or moving around.

    " + ], + "id": "train-231" + }, + { + "url": "https://www.gov.uk/legal-rights-when-using-surrogates-and-donors", + "scenario": "I am a 26 year old from Wales and my sister has asked me to be her surrogate but she has a history of drug abuse and mental incapacity.", + "question": "Will I be deemed as the child's legal parent if I go through with surrogacy?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you use a surrogate, they will be the child\u2019s legal parent at birth.

    " + ], + "id": "train-232" + }, + { + "url": "https://www.gov.uk/carers-allowance", + "scenario": "Me and my sister have cared for my mother for 5 years, she is 16 now and has just got a full time job leaving her to care for around 10 hours per week but she still receives the benefits.", + "question": "How do I change the benefits over into my name?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-233" + }, + { + "url": "https://www.gov.uk/support-for-mortgage-interest", + "scenario": "I became unemployed six months ago and am currently receiving Universal Credit. I own my current home but have a repayment mortgage with an outstanding balance of around \u00a332,000, with monthly repayments in the region of \u00a3230 (variable).", + "question": "Will SMI cover the full cost of my monthly repayments?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re a homeowner, you might be able to get help towards interest payments on:

    ", + "
  • your mortgage
  • ", + "

    SMI cannot help you pay:

    ", + "
  • the amount you borrowed - only the interest on your mortgage
  • ", + "

    If you qualify for Support for Mortgage Interest (SMI), you\u2019ll usually get help paying the interest on up to \u00a3200,000 of your loan or mortgage.

    " + ], + "id": "train-234" + }, + { + "url": "https://www.gov.uk/disabled-students-allowance-dsa", + "scenario": "I am a UK Bachelor of Engineering student and doing engineering in computer science but unfortunately due to my disability I have to use a special keyboard for my course work", + "question": "Will I be eligible to apply for Disabled Students\u2019 Allowance ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • qualify for student finance from Student Finance England
  • ", + "
  • be studying on a course that lasts at least a year
  • " + ] + ] + ], + "evidences": [ + "

    Disabled Students\u2019 Allowance (DSA) is support to cover the study-related costs you have because of a mental health problem, long term illness or any other disability.

    ", + "

    You can get help with the costs of:

    ", + "
  • specialist equipment, for example a computer if you need one because of your disability
  • ", + "

    You can apply for Disabled Students\u2019 Allowance (DSA) if you live in England and have a disability that affects your ability to study, such as a:

    ", + "
  • physical disability, for example if you have to use crutches, a wheelchair or a special keyboard
  • ", + "

    You must also:

    ", + "
  • be an undergraduate or postgraduate student (including Open University or distance learning)
  • ", + "
  • qualify for student finance from Student Finance England
  • ", + "
  • be studying on a course that lasts at least a year
  • ", + "

    Your course must be in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • " + ], + "id": "train-235" + }, + { + "url": "https://www.gov.uk/employment-support-allowance", + "scenario": "I have bipolar disorder. Due to my condition, I am unable to work consistent hours. I tend to work around 10 hours per week, which pays me around \u00a3100 per week. I need government support to pay my bills", + "question": "How many hours per week can I work and still claim Employment and Support Allowance?", + "not_answerable": false, + "answers": [ + [ + "less than 16 hours", + [] + ] + ], + "evidences": [ + "

    You can usually work while you are claiming ESA if both of the following apply:

    ", + "
  • you work less than 16 hours a week
  • " + ], + "id": "train-236" + }, + { + "url": "https://www.gov.uk/agricultural-workers-rights", + "scenario": "I recently accepted a position as an agricultural worker at a farm in Wales. This is my first position in this field so I am still learning and am under supervision at work. I was told that I am a Grade 1 worker. There was a hailstorm yesterday which cut off work early. And the forecasts state the weather will remain quite bad for the next couple of weeks.", + "question": "Am I entitled to monetary compensation despite the bad weather?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Agricultural workers in Wales, and those employed in England before 1 October 2013, are normally entitled to:

    ", + "
  • pay even if bad weather stops work
  • " + ], + "id": "train-237" + }, + { + "url": "https://www.gov.uk/agricultural-workers-rights", + "scenario": "I have been working in the agricultural field for a while now. Recently there were some changes that left me a bit confused on what I am entitled to as a worker. I am a Grade 4 worker.", + "question": "At this Grade what is my hourly overtime rate?", + "not_answerable": false, + "answers": [ + [ + "\u00a312.32", + [] + ] + ], + "evidences": [ + "

    Agricultural workers in England must be paid at least the National Minimum Wage. Workers employed before the rules changed on 1 October 2013 still have the right to the Agricultural Minimum Wage if it says so in their contract.

    ", + "

    Agricultural workers in Wales must be paid at least the Agricultural Minimum Wage, or the National Minimum Wage if that\u2019s higher. The Agricultural Minimum Wage depends on the worker\u2019s job grade and category.

    ", + " | Weekly pay | Hourly pay | Hourly overtime", + "Grade 4 | \u00a3320.19 | \u00a38.21 | \u00a312.32" + ], + "id": "train-238" + }, + { + "url": "https://www.gov.uk/hiring-crew", + "scenario": "I am the owner of a passenger ferry company. We encourage older applicants for all our ships' senior crew, and recently had one for the position of Master where the applicant had a Certificate of Service rather than the modern Certificate of Competency.", + "question": "Is the Certificate of Service still an acceptable qualification for employing a Deck Officer such as this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Deck and engineering officers must revalidate their certificate every 5 years. They do this by showing they\u2019ve completed either:

    ", + "
  • 12 months\u2019 sea service in the last 5 years
  • ", + "
  • 3 months\u2019 sea service in the last 6 months
  • ", + "
  • 2.5 years in a relevant job - contact the MCA for advice
  • " + ] + ] + ], + "evidences": [ + "

    You can use a Certificate of Service instead, if you have one. These were issued until 1998.

    ", + "

    Deck and engineering officers must revalidate their certificate every 5 years. They do this by showing they\u2019ve completed either:

    ", + "
  • 12 months\u2019 sea service in the last 5 years
  • ", + "
  • 3 months\u2019 sea service in the last 6 months
  • ", + "
  • 2.5 years in a relevant job - contact the MCA for advice
  • " + ], + "id": "train-239" + }, + { + "url": "https://www.gov.uk/hiring-crew", + "scenario": "I am a British Citizen currently looking for work as crew on a container ship which carries cargo from the UK to various ports in Europe. I have a valid passport and understand that I will need a Seafarers Identity Document (SID) as well.", + "question": "What is the correct Seafarers Identity Document?", + "not_answerable": false, + "answers": [ + [ + "the british seaman\u2019s card", + [] + ] + ], + "evidences": [ + "

    All crew members must have either:

    ", + "
  • a Seafarers Identity Document (SID) containing a photograph, signature (or fingerprints) and a description of the holder, including their nationality
  • ", + "

    The standard seafarer\u2019s identity document for British citizens is the British seaman\u2019s card.

    " + ], + "id": "train-240" + }, + { + "url": "https://www.gov.uk/school-discipline-exclusions", + "scenario": "I have a fourteen year old son who has recently gone off the rails and got into a good deal of trouble at school. After the last incident he was excluded for 10 days. He seems indifferent but I am very worried about his future, as no alternative education appears to have been arranged for him.", + "question": "What can I do about my child's exclusion?", + "not_answerable": false, + "answers": [ + [ + "the school", + [] + ], + [ + "complain to the department for education (dfe)", + [] + ], + [ + "overturn the exclusion", + [ + "
  • the exclusion means they\u2019ll miss a public exam or national curriculum test
  • " + ] + ] + ], + "evidences": [ + "

    If alternative education isn\u2019t arranged within 5 days, or you\u2019re not happy with the education, you can complain to:

    ", + "
  • the school, for fixed period exclusions
  • ", + "

    If you\u2019re not happy with the response, you can complain to the Department for Education (DfE).

    ", + "

    You can ask the school\u2019s governing body to overturn the exclusion if either:

    ", + "
  • your child has been excluded for more than 5 days
  • ", + "
  • the exclusion means they\u2019ll miss a public exam or national curriculum test
  • " + ], + "id": "train-241" + }, + { + "url": "https://www.gov.uk/school-discipline-exclusions", + "scenario": "My child was excluded and I have reason to believe that this was a result of prejudice towards him because he is a member of the LBGT community. I feel very angry about this but I have no idea what to do next.", + "question": "where can I make a complaint that my child has been discriminated against?", + "not_answerable": false, + "answers": [ + [ + "a court or a tribunal", + [] + ] + ], + "evidences": [ + "

    If you disagree with the way your child\u2019s been punished, first talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.

    ", + "

    You can make a claim to a court or a tribunal if you think your child\u2019s been discriminated against. You need to do this within 6 months of the exclusion.

    " + ], + "id": "train-242" + }, + { + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "scenario": "I got offered a seafarer position from one of my Dad's friends. I recently turned 17 and the offer seems like a nice way to spend the summer and gain some experience. He mentioned that I will mostly be working during the day but may sometimes have to fulfill nightly duties.", + "question": "Do I meet the age requirements for the position?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ], + [ + "yes", + [ + "
  • where the seafarer\u2019s duties require it, as long as their health and safety is not affected
  • " + ] + ] + ], + "evidences": [ + "

    The minimum age for seafarers is 16, although this is 18 if the work involves any:

    ", + "
  • night work
  • ", + "

    The minimum age for seafarers will be 16. Night workers have to be 18 or over.

    ", + "

    Exceptions can be allowed for:

    ", + "
  • where the seafarer\u2019s duties require it, as long as their health and safety is not affected
  • " + ], + "id": "train-243" + }, + { + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "scenario": "I recently joined a new seafarers crew. The hours have been long and at first I thought it was because we had some trouble on board. I usually get 10 hours of rest per day at least but have often been called back on deck during my rest period.", + "question": "Should I receive an extended rest period to make up for them calling me back to work during my scheduled one?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    All seafarers on seagoing ships are entitled to:

    ", + "
  • a minimum of 10 hours\u2019 rest in any 24 hour period
  • ", + "

    Hours of rest must be at least:

    ", + "
  • 10 hours in any 24 hour period
  • ", + "

    Crew exercises, such as lifeboat drills, must cause minimal disruption to rest periods. Seafarers called out in a rest period are entitled to a rest period to make up for it.

    " + ], + "id": "train-244" + }, + { + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "scenario": "I found a street dog and decided to take it in. After visiting the vet I was informed it had no chip and was most definitely a stray and did not belong to anyone. They gave it the necessary medicine as well as a microchip. That was a little over 2 weeks ago and today while I was petting my dog the chip fell out.", + "question": "What kind of information will I need to make a report?", + "not_answerable": false, + "answers": [ + [ + "the microchip number", + [] + ] + ], + "evidences": [ + "

    You can report suspected incidents with animal microchips including:

    ", + "
  • if a chip\u2019s moved from where it was implanted or has come out
  • ", + "

    You\u2019ll need the microchip number to make a report.

    " + ], + "id": "train-245" + }, + { + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "scenario": "My cat recently fell sick and was barely moving. I took her to the vet and they prescribed medicine for me to mix with her food. I accidently touched one of the pills with a wet hand and after an hour or two the fingers I used to touch the medicine became numb. I went to the doctor myself and they assured me it would pass on its own in a day or two. That was 3 days ago and my fingers feel fine now. I am still interested in filling a report regarding my reaction to the cat medicine, unfortunately I will not be able to do online anytime soon.", + "question": "Am I able to file a report through post instead?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Download and fill in the form for reporting reactions in humans. Send it to the address on the form.

    " + ], + "id": "train-246" + }, + { + "url": "https://www.gov.uk/dispose-hazardous-waste", + "scenario": "I own a refuse collection service in Northern England, which collects loads of (often hazardous) waste and conveys them to the appropriate disposal facilities. I am registered as a Waste Carrier.", + "question": "How many copies of the consignment note for each load need to be kept, and by whom?", + "not_answerable": false, + "answers": [ + [ + "2", + [] + ] + ], + "evidences": [ + "
  • Fill in the parts of the consignment note that apply to you \u2013 keep one copy and give 2 copies to the carrier collecting your waste.
  • " + ], + "id": "train-247" + }, + { + "url": "https://www.gov.uk/dispose-hazardous-waste", + "scenario": "I own a wood treatment business in the London area, and part of our work involves the use of moderately toxic chemicals. Once the process is complete the contaminated by-products are shipped in loads by a licensed Waste Carrier to a licensed disposal facility.", + "question": "For how long must we keep records of each load after the material has left the premises?", + "not_answerable": false, + "answers": [ + [ + "3 years", + [] + ] + ], + "evidences": [ + "
  • Keep records (known as a \u2018register\u2019) for 3 years at the premises that produced or stored the waste.
  • ", + "
  • Keep records (known as a \u2018register\u2019) for 3 years at the premises that produced or stored the waste.
  • " + ], + "id": "train-248" + }, + { + "url": "https://www.gov.uk/how-to-classify-different-types-of-waste", + "scenario": "I own a small construction company, which specialises in building demolition and/or removal of old fittings. Some of this work involves handling and classifying some very hazardous material.", + "question": "How should insulation which contains asbestos products be classified?", + "not_answerable": false, + "answers": [ + [ + "17-06-01*", + [] + ] + ], + "evidences": [ + "

    The tables below list waste codes for common construction and demolition waste.

    ", + "Insulation containing asbestos | Hazardous | 17-06-01*" + ], + "id": "train-249" + }, + { + "url": "https://www.gov.uk/how-to-classify-different-types-of-waste", + "scenario": "I am a GP partner in a small, private medical practice in London. We have recently gotten through a lot of gowns and other PPE as a result of the COVID-19 pandemic, and these now need to be classified for disposal.", + "question": "How are potentially COVID-infected gowns and other PPE to be classified?", + "not_answerable": false, + "answers": [ + [ + "healthcare offensive waste", + [ + "

    \u2018Offensive waste\u2019 is non-clinical waste that\u2019s non-infectious and does not contain pharmaceutical or chemical substances, but may be unpleasant to anyone who comes into contact with it.

    ", + "Healthcare offensive waste | Outer dressings and protective clothing like masks, gowns and gloves that are not contaminated with body fluids, and sterilised laboratory waste | Non-hazardous | 18-01-04 | 18-02-03" + ] + ], + [ + "infectious clinical waste (no chemicals or pharmaceuticals)", + [ + "Infectious clinical waste (no chemicals or pharmaceuticals) - orange bag | Hazardous | 18-01-03* | 18-02-02*" + ] + ], + [ + "infectious clinical waste", + [] + ] + ], + "evidences": [ + "

    \u2018Offensive waste\u2019 is non-clinical waste that\u2019s non-infectious and does not contain pharmaceutical or chemical substances, but may be unpleasant to anyone who comes into contact with it.

    ", + "Healthcare offensive waste | Outer dressings and protective clothing like masks, gowns and gloves that are not contaminated with body fluids, and sterilised laboratory waste | Non-hazardous | 18-01-04 | 18-02-03", + "Infectious clinical waste (no chemicals or pharmaceuticals) - orange bag | Hazardous | 18-01-03* | 18-02-02*", + "Infectious clinical waste - yellow bag | Hazardous | 18-01-03* and 18-01-06* | 18-02-02* and 18-02-05*" + ], + "id": "train-250" + }, + { + "url": "https://www.gov.uk/coronavirus-volunteering", + "scenario": "I live without a spleen, and therefore I am classed as clinically vulnerable to COVID-19. I live in Devon, and would still like to volunteer with my local community aid group.", + "question": "Can I volunteer outside of my home, despite being at high-risk for COVID-19?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • your social interactions
  • ", + "
  • the time you spend in places where you cannot social distance
  • " + ] + ] + ], + "evidences": [ + "

    You can volunteer during coronavirus (COVID-19) with an organisation or group. You can also help people in your local area by doing things like picking up shopping or medicines.

    ", + "

    You can volunteer outside your home, if you\u2019re at high risk from COVID-19 (clinically extremely vulnerable), but you should take extra steps to protect yourself. For example, reduce:

    ", + "
  • your social interactions
  • ", + "
  • the time you spend in places where you cannot social distance
  • ", + "

    You can volunteer during coronavirus (COVID-19) with an organisation or group, for example a charity, the NHS or a local volunteer-run group.

    " + ], + "id": "train-251" + }, + { + "url": "https://www.gov.uk/coronavirus-volunteering", + "scenario": "I run a support group of volunteers providing therapy support for lonely older people. We have 20 people in the support group.", + "question": "What is the limit to the number of volunteers we can have in the group?", + "not_answerable": false, + "answers": [ + [ + "there\u2019s no limit to the number of volunteers", + [] + ] + ], + "evidences": [ + "

    When you volunteer, you can meet in groups of any size from different households, both indoors or outdoors. However, meeting in smaller groups can reduce the risk of coronavirus (COVID-19) spreading.

    ", + "

    There cannot be more than 30 people in the support group itself. Children under 5 are not included in this limit. There\u2019s no limit to the number of volunteers.

    " + ], + "id": "train-252" + }, + { + "url": "https://www.gov.uk/challenge-election-result", + "scenario": "When I visited the election booth to vote in the UK parliament election, the mediators were destroying certain peoples polling cards before they could be accepted and denying entry, it seemed to only to be people from certain addresses but I'm not sure what can be done about it.", + "question": "when can I challenge the election results due to this?", + "not_answerable": false, + "answers": [ + [ + "within 21 days", + [ + "
  • the result of the UK Parliament election was returned to the Clerk of the Crown in Chancery
  • " + ] + ], + [ + "after 21 days", + [ + "
  • you think there have been corrupt or illegal practices, for example bribery
  • " + ] + ] + ], + "evidences": [ + "

    You must usually apply within 21 days of when:

    ", + "
  • the result of the UK Parliament election was returned to the Clerk of the Crown in Chancery
  • ", + "

    A judge might let you apply after 21 days if:

    ", + "
  • you think there have been corrupt or illegal practices, for example bribery
  • " + ], + "id": "train-253" + }, + { + "url": "https://www.gov.uk/challenge-election-result", + "scenario": "I disagree with the current results from the election and myself and many other feel the votes were unfair, we wanted to petition to see if the votes can be recounted however it seems like an expensive process.", + "question": "What are the options so the petitioners are not out of pocket?", + "not_answerable": false, + "answers": [ + [ + "get help with court fees", + [ + "

    You can sometimes get help with court fees if you have little or no savings, are on certain benefits or have a low income.

    " + ] + ], + [ + "pay cash or give the names of up to 4 people (\u2018sureties\u2019) who will guarantee to pay", + [] + ] + ], + "evidences": [ + "

    You can sometimes get help with court fees if you have little or no savings, are on certain benefits or have a low income.

    ", + "

    You can pay cash or give the names of up to 4 people (\u2018sureties\u2019) who will guarantee to pay. You must do this within 3 working days of handing in the petition.

    " + ], + "id": "train-254" + }, + { + "url": "https://www.gov.uk/schools-admissions", + "scenario": "My son and I live in Bristol. I am in the process of applying for secondary schools for him. He has been offered a place at our second choice.", + "question": "Can I still add his name to a waiting list of another school?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can also put your child\u2019s name down on a waiting list. The \u2018admission authority\u2019 for the school (usually the school itself or the council) must keep a waiting list open for at least the first term of each school year.

    ", + "

    Contact the school or your local council if you want your child\u2019s name added to a waiting list.

    ", + "

    You can add your child\u2019s name to a waiting list even if they have been offered a place at another school.

    ", + "

    If your child is on a waiting list and the school offers you a place, the admission authority will send you a formal offer. You can still accept the offer even if your child has already started at another school.

    " + ], + "id": "train-255" + }, + { + "url": "https://www.gov.uk/schools-admissions", + "scenario": "I have been browsing schools to send my daughter to. We applied for a school but were rejected on the basis of us not being Catholic. I think this is unfair.", + "question": "Who can I contact to complain about unfair admission arrangements?", + "not_answerable": false, + "answers": [ + [ + "the schools adjudicator", + [] + ] + ], + "evidences": [ + "

    Contact the Schools Adjudicator if you think a school has unlawful or unfair admission arrangements.

    " + ], + "id": "train-256" + }, + { + "url": "https://www.gov.uk/fishing-vessel-licence-under-10-metres", + "scenario": "I live in Northern England and own a small (8m) coble (open boat), which I purchased four years ago and have been restoring in port ever since. I now wish to take this out to fish for cod and mackerel in the North Sea, and so will soon be registering my vessel as a precursor applying for a Category A license.", + "question": "How many years of ownership will my evidence need to cover when I apply for full registration?", + "not_answerable": false, + "answers": [ + [ + "3 years", + [] + ] + ], + "evidences": [ + "

    You must include the following documents:

    ", + "
  • original ownership documents - bill of sale, invoice or builder\u2019s certificate
  • ", + "

    Your evidence of ownership must cover the last 3 years if you\u2019re applying for full registration.

    " + ], + "id": "train-257" + }, + { + "url": "https://www.gov.uk/fishing-vessel-licence-under-10-metres", + "scenario": "I live in Essex, England and own a small (7m) vintage fishing smack (unpowered sail boat). I would like to take this out into the Thames Estuary and North Sea to fish for mackerel and plaice.", + "question": "Do I need a Category A fishing vessel license?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "
  • you only use your vessel to fish for pleasure
  • " + ] + ] + ], + "evidences": [ + "

    You need a Category A (10 metres or under) fishing vessel licence if you want to catch and sell sea fish, unless you\u2019re exempt.

    ", + "

    You don\u2019t need a licence for your vessel if any of the following apply:

    ", + "
  • you only use your vessel to fish for pleasure
  • " + ], + "id": "train-258" + }, + { + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "scenario": "I applied for a medal of service on my late husband's behalf around a month ago. The application process made me very sad and left me quite distracted on some of the details regarding the process.", + "question": "When should I expect to receive the medal?", + "not_answerable": false, + "answers": [ + [ + "within 12 weeks", + [] + ] + ], + "evidences": [ + "

    You\u2019ll usually get your medal within 12 weeks of sending the application form.

    " + ], + "id": "train-259" + }, + { + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "scenario": "I have had my veterans badge for over 5 years now, or at least I though so. I recently realized that I had misplaced it and am currently looking to replace it.", + "question": "Do I have to pay for the replacement?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.

    ", + "

    You can get the first replacement veterans badge for free.

    ", + "

    You do not have to pay a fee if it\u2019s the first veterans badge you\u2019re replacing.

    " + ], + "id": "train-260" + }, + { + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "scenario": "I came to UK from Malaysia in 1972 and settled here but don't have any document prove that I can live and work in UK", + "question": "Am I eligible to apply for Windrush Scheme ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.

    ", + "

    You may be able to apply for a document to prove you can live and work in the UK if one of the following is true:

    ", + "
  • you came to the UK from a Commonwealth country before 1973
  • ", + "
  • you came to the UK from any country before 31 December 1988 and are now settled here
  • ", + "

    You can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.

    ", + "

    You can be of any nationality.

    ", + "

    You may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.

    ", + "

    You may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:

    ", + "
  • Malaysia
  • " + ], + "id": "train-261" + }, + { + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "scenario": "I came to UK in 1970 from Sri Lanka when there was war crisis in Sri Lanka. Though I am settled here I don't have proper documents till now that I have rights to work and live in UK", + "question": "I was denied a place to live in UK because of the lack of documents. Is there way to claim compensation on denial of rights ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to apply for a document to prove you can live and work in the UK if one of the following is true:

    ", + "
  • you came to the UK from any country before 31 December 1988 and are now settled here
  • ", + "

    If you are eligible for this scheme, you might also be able to apply for compensation. The compensation scheme is for losses that happened because you could not show that you had a right to live in the UK.

    ", + "

    \u2018Losses\u2019 can be things like not being able to work, find a place to live or get health treatment. They can also include immigration action, like detention or removal from the UK.

    ", + "

    You may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.

    ", + "

    You may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:

    ", + "
  • Sri Lanka
  • " + ], + "id": "train-262" + }, + { + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "scenario": "I am a veterinarian, and offer a microchip implantation service for my clients' dogs and cats and occasionally livestock. Recently I've had two cases where dogs have suffered what appeared to be an autoimmune reaction to the chip.", + "question": "Do I need the microchip number(s) to make a report of this to DEFRA?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can report suspected incidents with animal microchips including:

    ", + "
  • a reaction to the chip being implanted, such as injury, infection or prolonged bleeding
  • ", + "

    You\u2019ll need the microchip number to make a report.

    " + ], + "id": "train-263" + }, + { + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "scenario": "I am a dog owner, and recently one of my dogs got into a fight with another dog and sustained quite serious bite wounds. On my vet's advice I bathed these with Chlorhexidine solution to prevent sepsis; however, this appeared to cause an allergic reaction in myself, resulting in a irritating skin rash.", + "question": "Can I report this problem to DEFRA?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can report an unexpected reaction to an animal medicine or microchip to the Veterinary Medicines Directorate (VMD). You can also report if an animal medicine has not worked.

    ", + "

    How you report the reaction depends on whether:

    ", + "
  • a human has reacted to animal medicine
  • ", + "

    You can report a suspected reaction you or someone else has had to an animal medicine while using it on an animal, for example a skin allergy.

    ", + "

    Contact the Veterinary Medicines Directorate (VMD) Pharmacovigilance Team if you have any questions about reporting reactions.

    " + ], + "id": "train-264" + }, + { + "url": "https://www.gov.uk/tax-credits-if-moving-country-or-travelling", + "scenario": "I am a refugee from Sri Lanka and have a child. I moved to UK only 2 months back and yet to get a job but I have just start looking for a job", + "question": "Are I eligible to claim Child Tax Credit ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must have been living in the UK for 3 months before you were eligible to claim Child Tax Credit if you moved to the UK on or after 1 July 2014 and do not have a job. This does not apply if you:

    ", + "
  • are a refugee
  • ", + "

    You and your partner - if you have one - may continue to get Child Tax Credit for your children if:

    ", + "
  • you work in the UK
  • ", + "
  • you pay National Insurance as a worker here
  • " + ], + "id": "train-265" + }, + { + "url": "https://www.gov.uk/how-to-register-a-trade-mark", + "scenario": "We have started new IT company and have designed a logo for our company. We want to check whether the logo has been already registered", + "question": "How do we check whether a trade mark is already registered ?", + "not_answerable": false, + "answers": [ + [ + "search the trade marks database", + [] + ], + [ + "check the eu trade marks register on the european union intellectual property office website", + [] + ] + ], + "evidences": [ + "

    Your trade mark must be unique. It can include:

    ", + "

    Before you apply, you must search the trade marks database to check if anyone has already registered an identical or similar trade mark for the same or similar goods or services.

    ", + "

    You must also check the EU trade marks register on the European Union Intellectual Property Office website for any EU applications that were \u2018pending\u2019 on 1 January 2021. These applications have priority over yours.

    " + ], + "id": "train-266" + }, + { + "url": "https://www.gov.uk/how-to-register-a-trade-mark", + "scenario": "We have applied to register a trade mark. After we applied , we sensed that there might be objection on our trade mark.", + "question": "If someone opposed what are our options ?", + "not_answerable": false, + "answers": [ + [ + "withdraw your application", + [] + ], + [ + "talk to the person making the opposition", + [] + ], + [ + "defend your application", + [] + ] + ], + "evidences": [ + "

    The Intellectual Property Office will tell you if someone opposes your application.

    ", + "

    You can either:

    ", + "
  • withdraw your application
  • ", + "
  • talk to the person making the opposition
  • ", + "
  • defend your application
  • " + ], + "id": "train-267" + }, + { + "url": "https://www.gov.uk/maritime-safety-weather-and-navigation", + "scenario": "My son has taken up the hobby of going out sailing my boat on weekends with his friends and I\u00b4m a bit worried.", + "question": "What system allows communication with the shore in the event of distress?", + "not_answerable": false, + "answers": [ + [ + "gmdss", + [] + ] + ], + "evidences": [ + "

    The Global Maritime Distress and Safety System (GMDSS) is a maritime communications system used for:

    ", + "
  • emergency and distress messages
  • ", + "
  • vessel-to-shore routine communications
  • " + ], + "id": "train-268" + }, + { + "url": "https://www.gov.uk/maritime-safety-weather-and-navigation", + "scenario": "A friend who just moved to another country is trying to sell me his boat but it looks a bit old", + "question": "What safety equipment does the boat need in order to communicate with other vessels and receive emergency messages?", + "not_answerable": false, + "answers": [ + [ + "global maritime distress and safety system (gmdss)", + [] + ] + ], + "evidences": [ + "

    The Global Maritime Distress and Safety System (GMDSS) is a maritime communications system used for:

    ", + "
  • emergency and distress messages
  • ", + "
  • vessel-to-vessel routine communications
  • ", + "

    It\u2019s voluntary for small leisure craft to have GMDSS, but HM Coastguard strongly recommends that pleasure craft install GMDSS with DSC.

    " + ], + "id": "train-269" + }, + { + "url": "https://www.gov.uk/volunteering", + "scenario": "I work part-time as a bookkeeper, and in my spare time I volunteer for a local charity which runs a day care centre. This involves collecting old people in my car and taking them to and from the centre, with my travel expenses covered on a fixed rate per-mile basis. Recently I changed from a petrol vehicle to an electric one, resulting in much lower running costs.", + "question": "If my travel expenses have been overpaid as a result of this change, is the overpayment taxable?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You will usually be given a volunteer agreement that explains:

    ", + "
  • any expenses the organisation will cover
  • ", + "

    You may need to pay tax on your driving expenses if you get back more than you spent.

    " + ], + "id": "train-270" + }, + { + "url": "https://www.gov.uk/volunteering", + "scenario": "I am 15 years old and wish to volunteer for a local charity. At the age of 13 I received a caution from the police for writing graffiti on a bus shelter, which will show up on any DBS Check run on me until I'm 16.", + "question": "Can I still do volunteer work, or do I need to wait for the caution to expire?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you have a criminal record you can still volunteer in most roles, depending on your offences. You might need a Disclosure and Barring Service check if you want to volunteer with children or vulnerable adults.

    " + ], + "id": "train-271" + }, + { + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "scenario": "I have started a new Youtube channel about movie reviews. I am planning to use some of songs from a movie. The songs are copyrighted", + "question": "Will it be enough if I get a permission from a person who acquired the rights ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can\u2019t copy or use copyright material without permission. For example, you can\u2019t buy a painting and then use copies of it for a book cover, or buy a CD and use a track from it in a film.

    ", + "

    To use something protected by copyright you must either:

    ", + "
  • buy or acquire the copyright
  • ", + "

    A person can give permission if they are:

    ", + "
  • a person who bought, acquired or licensed the rights
  • " + ], + "id": "train-272" + }, + { + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "scenario": "We run a software company. We have recently merged with another software company. There is a trade mark registered on the merged company and we are the new owner of the trade mark", + "question": "Do we have to inform IPO about the change of owner ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    To use an existing trade mark you should contact the current owner.

    ", + "

    Find the owner of a registered trade mark by searching the trade marks database.

    ", + "

    You must tell IPO if you become the new owner of a trade mark, for example by buying it or as the result of a company merger.

    " + ], + "id": "train-273" + }, + { + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "scenario": "I run a small independent dairy farm with two full time employees. I have always gone out of my way to ensure that working conditions are safe for everyone. I have never had any complaints from my employees.", + "question": "What are my responsibilities to ensure the safety?", + "not_answerable": false, + "answers": [ + [ + "carry out a assessment of any risks related to your farm", + [] + ], + [ + "check how you\u2019re doing through regular inspections and monitoring", + [] + ], + [ + "plan and set standards to be sure that your health and safety practices work", + [] + ], + [ + "have a plan to manage these risks and protect people from harm", + [] + ] + ], + "evidences": [ + "

    If you own or manage a farm, you\u2019re responsible for ensuring the health and safety of your workers and anyone who\u2019s affected by what they do.

    ", + "

    You must:

    ", + "
  • carry out a assessment of any risks related to your farm
  • ", + "
  • have a plan to manage these risks and protect people from harm
  • ", + "
  • plan and set standards to be sure that your health and safety practices work
  • ", + "
  • check how you\u2019re doing through regular inspections and monitoring
  • ", + "

    The Health and Safety Executive (HSE) has produced guidance to help farmers conduct health and safety assessments of their farms.

    " + ], + "id": "train-274" + }, + { + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "scenario": "I own and operate a medium sized farm and some of my equipment and machinery badly need updating. I am in financial distress right now and will have to buy second hand, however.", + "question": "I need to be sure that second hand equipment that I buy is safe, how do I do this?", + "not_answerable": false, + "answers": [ + [ + "make sure that it complies with the provision and use of work equipment regulations 1998", + [] + ], + [ + "replace or repair any missing or damaged safety guards before use", + [] + ], + [ + "get the operator\u2019s manual or suitable instructions for use", + [] + ] + ], + "evidences": [ + "

    Before using second hand machinery, you should:

    ", + "
  • make sure that it complies with the Provision and Use of Work Equipment Regulations 1998
  • ", + "
  • get the operator\u2019s manual or suitable instructions for use
  • ", + "
  • replace or repair any missing or damaged safety guards before use
  • " + ], + "id": "train-275" + }, + { + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "scenario": "I'm 25 years old and I would like to work on a cruise ship as a casino dealer. I have Type 2 Diabetes, I'm under repeat prescription and I'm also following a strict diet.", + "question": "Can they refuse my request to get my prescription and follow my diet while I am around the world on the ship", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    All seafarers have working and living rights that include:

    ", + "
  • food and medical care
  • ", + "

    A seafarer is anyone who works on board a seagoing ship, including:

    ", + "
  • self-employed contractors
  • ", + "
  • entertainers
  • ", + "

    A seagoing ship is any vessel:

    ", + "
  • on an international voyage or from a foreign port
  • ", + "

    Employers must protect their seafarers\u2019 health by:

    ", + "
  • having the right medical supplies
  • " + ], + "id": "train-276" + }, + { + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "scenario": "I'm a 45 years old unemployed father looking for a new opportunity on a cruise ship. I'm married and this can be a good option to help my family during this difficult times. I'm ready to leave the country and meet my wife few times a year if this can help both her and our baby.", + "question": "How often will I be able to come back home to see my family?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-277" + }, + { + "url": "https://www.gov.uk/green-taxes-and-reliefs", + "scenario": "I own a commercial business in Manchester, printing t-shirts. Since we use gas in our building, we have to pay a Climate Change Levy.", + "question": "Where can I find the CCL main rates listed?", + "not_answerable": false, + "answers": [ + [ + "on your business\u2019s energy bill", + [] + ] + ], + "evidences": [ + "

    The CCL main rates are listed on your business\u2019s energy bill.

    " + ], + "id": "train-278" + }, + { + "url": "https://www.gov.uk/green-taxes-and-reliefs", + "scenario": "I own a poultry farm in Telford, and I am consistently getting rid of the non-animal waste involved in maintenance and upkeep.", + "question": "Do I have to pay tax as well as our normal landfill fees?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You pay tax on top of your normal landfill fees if your business gets rid of waste using landfill sites.

    " + ], + "id": "train-279" + }, + { + "url": "https://www.gov.uk/elections-in-the-uk", + "scenario": "My parents moved to France in 1990, before I was born. I grow up in France and I have British passport. My 18th birthday is next month and I would like to vote during the next elections because I'm thinking about moving to my grandparents house next year.", + "question": "Can I receive my paperwork at my grandparents house even if I never lived there?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    To vote in a general election you must:

    ", + "
  • be resident at an address in the UK (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)
  • " + ], + "id": "train-280" + }, + { + "url": "https://www.gov.uk/elections-in-the-uk", + "scenario": "I live in London and I'm not happy about how the council is managing the rubbish collection around my area. I think that the Mayor of London should do something about this, I'm more than happy to vote for another one at the next elections. I'm a German national.", + "question": "Can I vote in the next mayoral election?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    To vote in a general election you must:

    ", + "
  • be a British, Irish or qualifying Commonwealth citizen
  • ", + "

    To vote in the London Mayor and London Assembly elections you must:

    ", + "
  • be resident at an address in Greater London
  • " + ], + "id": "train-281" + }, + { + "url": "https://www.gov.uk/running-community-amateur-sports-club", + "scenario": "I run a community tennis club in Devon. However, I am stepping down from my authorised person role to spend more time with my family. I want to register a new authorised person to run the club.", + "question": "How long will it take for these changes to be registered?", + "not_answerable": false, + "answers": [ + [ + "at least 30 days", + [] + ] + ], + "evidences": [ + "

    You must report changes to your club\u2019s:

    ", + "
  • management
  • ", + "

    Allow at least 30 days for HMRC to register your changes.

    ", + "

    You must tell HM Revenue and Customs (HMRC) about changes to your:

    ", + "
  • organisation\u2019s contact details
  • ", + "
  • authorised officials or responsible persons
  • " + ], + "id": "train-282" + }, + { + "url": "https://www.gov.uk/running-community-amateur-sports-club", + "scenario": "I run a community badminton club in Telford, however, due to dwindling numbers, the club's members voted and agreed to close the club.", + "question": "Who do I contact in order to deregister the club?", + "not_answerable": false, + "answers": [ + [ + "hm revenue and customs (hmrc)", + [] + ] + ], + "evidences": [ + "

    You can close a CASC but can\u2019t remove it from the register (this is called \u2018deregistration\u2019).

    ", + "

    Only HM Revenue and Customs (HMRC) can deregister your CASC.

    ", + "

    If your club\u2019s members vote and agree to close your CASC, you must:

    ", + "
  • let HMRC know
  • " + ], + "id": "train-283" + }, + { + "url": "https://www.gov.uk/bullying-at-school", + "scenario": "I been watching my son for a couple of weeks now and he is not happy about something. I had a word with him and he mentioned that he is undergoing repeated harassment at the school", + "question": "Who do I report first about a bullying at school ?", + "not_answerable": false, + "answers": [ + [ + "your school", + [] + ], + [ + "someone you trust", + [ + "

    You should report bullying to your school in the first place - or someone you trust if it happens outside school, for example in a club or online.

    " + ] + ] + ], + "evidences": [ + "

    You should report bullying to your school in the first place - or someone you trust if it happens outside school, for example in a club or online.

    " + ], + "id": "train-284" + }, + { + "url": "https://www.gov.uk/bullying-at-school", + "scenario": "My son has been constantly harassed at school. He is mentally down and a tried a lot to console him but no success. I am worried and I have just started looking for help", + "question": "Where can I get some help or advice on bullying ?", + "not_answerable": false, + "answers": [ + [ + "anti-bullying alliance", + [] + ], + [ + "bullying uk", + [] + ], + [ + "childline", + [] + ], + [ + "kidscape", + [] + ], + [ + "the diana award", + [] + ] + ], + "evidences": [ + "

    There are lots of organisations that provide support and advice if you\u2019re worried about bullying:

    ", + "
  • Anti-Bullying Alliance
  • ", + "
  • Bullying UK
  • ", + "
  • Childline
  • ", + "
  • The Diana Award
  • ", + "
  • Internet Matters
  • ", + "
  • Kidscape
  • ", + "
  • The UK Safer Internet Centre
  • ", + "
  • UK Council for Child Internet Safety (UKCCIS)
  • " + ], + "id": "train-285" + }, + { + "url": "https://www.gov.uk/claim-tax-credits", + "scenario": "I am a single parent with two children under the age of ten. I work full time but only earn minimum wage. I do not get any sort of support from the father of my children. I do not have any family members who can help me with childcare. I have no savings and indeed am in a small amount of debt.", + "question": "Am I entitled to tax credits?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Tax credits have been replaced by Universal Credit.

    ", + "

    You can only make a claim for Child Tax Credit or Working Tax Credit if you already get tax credits. You\u2019ll need to update your existing tax credit claim by\u00a0reporting a change in your circumstances online or by phone.

    " + ], + "id": "train-286" + }, + { + "url": "https://www.gov.uk/claim-tax-credits", + "scenario": "I am a married parent of three children. I work part time and my husband has a low paying full time job. I have recently learned that we might have been eligible for tax credits for the past two or three years but we did not know this.", + "question": "Can we put in a backdated claim for tax credits and if so how do we go about it?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Tax credit claims can sometimes be backdated by more than 31 days if you:

    ", + "
  • apply within a month of getting refugee status
  • ", + "
  • apply within 31 days of qualifying for certain sickness or disability benefits, such as Disability Living Allowance or Personal Independence Payment
  • " + ], + "id": "train-287" + }, + { + "url": "https://www.gov.uk/running-community-amateur-sports-club", + "scenario": "I am opening a new community sports club, offering athletics facilities and training to youths.", + "question": "In what situations might my new Sports club need to pay taxes to HMRC?", + "not_answerable": false, + "answers": [ + [ + "your club uses money for other (non-qualifying) purposes", + [] + ], + [ + "your trading or property rental income is more than the threshold for relief", + [] + ] + ], + "evidences": [ + "

    You may need to pay tax if:

    ", + "
  • your club uses money for other (non-qualifying) purposes
  • ", + "
  • your trading or property rental income is more than the threshold for relief
  • " + ], + "id": "train-288" + }, + { + "url": "https://www.gov.uk/running-community-amateur-sports-club", + "scenario": "My community may no longer require the sports club, registered as a CASC.", + "question": "How do I deregister a Sports Club?", + "not_answerable": false, + "answers": [ + [ + "let hmrc know", + [] + ], + [ + "follow the rules in your governing document", + [] + ] + ], + "evidences": [ + "

    Only HM Revenue and Customs (HMRC) can deregister your CASC.

    ", + "

    If your club\u2019s members vote and agree to close your CASC, you must:

    ", + "
  • let HMRC know
  • ", + "
  • follow the rules in your governing document
  • " + ], + "id": "train-289" + }, + { + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "scenario": "We are a IT company and recently we are investing on the Artificial Intelligence. There is a patent registered on Machine learning that we are interested in buying and seller is happy to sell it.", + "question": "Is it possible to buy a patent when someone sells it ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.

    " + ] + ] + ], + "evidences": [ + "

    Contact the owner of the patent to see if they\u2019ll:

    ", + "
  • sell it to you
  • ", + "

    When someone sells you a patent they must transfer ownership to you.

    " + ], + "id": "train-290" + }, + { + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "scenario": "We as an organisation are planning to buy a copyright of a design work. This work was created by a person who works for a company. The person created the design work as part of his job", + "question": "Can the creator's employer can give us permission to use?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can usually get permission to use someone else\u2019s intellectual property (IP) by buying the rights from them or getting their permission to use it.

    ", + "

    To use something protected by copyright you must either:

    ", + "
  • buy or acquire the copyright
  • ", + "

    A person can give permission if they are:

    ", + "
  • the creator\u2019s employer, if it was created it as part of the creator\u2019s job
  • " + ], + "id": "train-291" + }, + { + "url": "https://www.gov.uk/how-to-vote", + "scenario": "I am only seventeen but will be eighteen by the time of the next election (both general and local) and would like to be able to vote for the first time but I do not know how to go about this.", + "question": "Will I be automatically added to the electoral roll when I turn eighteen?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You need to be registered to vote before you can vote in UK elections or referendums.

    " + ], + "id": "train-292" + }, + { + "url": "https://www.gov.uk/how-to-vote", + "scenario": "I have a serious immunity disorder and as a result I am self isolating for the duration of the pandemic. Even though my polling station is very near I do not feel comfortable going to vote in person.", + "question": "I want to vote by post, what do I do?", + "not_answerable": false, + "answers": [ + [ + "apply for a postal vote", + [] + ] + ], + "evidences": [ + "

    You can vote:

    ", + "
  • by post
  • ", + "

    You must apply for a postal vote if you want to vote by post, for example if:

    ", + "

    You do not need to give a reason unless you\u2019re voting in Northern Ireland.

    " + ], + "id": "train-293" + }, + { + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "scenario": "I previously ordered a veterans badge due to having served 23 years in the armed forces. I did get one but ive somehow managed to misplace it and would very much like to replace it but I am not sure who to contact about organising it all.", + "question": "Am I able to order a replacement veterans badge?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you lose your badge, you can apply for a replacement.

    ", + "

    You can get the first replacement veterans badge for free.

    ", + "

    Follow the instructions for applying for a veterans badge - you can use the same form.

    " + ], + "id": "train-294" + }, + { + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "scenario": "My father passed away 3 years ago after a long service of 30 years with the UK Merchant Navy, as a remembrance gift for my mother i wanted to give her a gift of a veteran seafarers badge that would have been bestowed on him as an honour. I think he would really appreciate the acknowledgement", + "question": "Am I able to order on my dads behalf a Merchant Navy Seafarers badge now that my father has passed away?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.

    " + ] + ] + ], + "evidences": [ + "

    You can apply for a UK merchant seafarers veterans badge if you:

    ", + "
  • were a Merchant Navy seafarer or fisherman
  • ", + "

    You can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.

    " + ], + "id": "train-295" + }, + { + "url": "https://www.gov.uk/upper-tribunal-immigration-asylum", + "scenario": "I am from Syria and came to UK 7 years back. I have applied for Asylum and provided all the required legal documents. I currently don't have any money", + "question": "Can I get some financial help while I was waiting for the decision on my application ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to get asylum support, for example housing and money, while you\u2019re waiting to find out if you\u2019ll be given asylum.

    " + ], + "id": "train-296" + }, + { + "url": "https://www.gov.uk/upper-tribunal-immigration-asylum", + "scenario": "I applied for an asylum. The application was rejected. I thought it was asylum tribunal mistake and appealed the decision but now I realised it was my mistake", + "question": "I want to withdraw my appeal. Who do I contact to withdraw my appeal ?", + "not_answerable": false, + "answers": [ + [ + "the tribunal", + [] + ], + [ + "the hearing centre where your appeal is scheduled", + [ + "

    If your hearing is less than 7 days away, contact the hearing centre where your appeal is scheduled.

    " + ] + ] + ], + "evidences": [ + "

    Only you or your representative can withdraw your appeal. Contact the tribunal in writing if you want to withdraw your appeal - include your appeal number. The tribunal will decide whether to give you permission to withdraw, or if the hearing will go ahead.

    ", + "

    If your hearing is less than 7 days away, contact the hearing centre where your appeal is scheduled.

    " + ], + "id": "train-297" + }, + { + "url": "https://www.gov.uk/how-to-vote", + "scenario": "The elections voting are starting next week but I am not in UK at the moment and will not be back in 3 months. This is just a temporary trip outside of UK", + "question": "How can I vote from abroad ?", + "not_answerable": false, + "answers": [ + [ + "a proxy vote", + [] + ] + ], + "evidences": [ + "

    You must apply for a postal vote if you want to vote by post, for example if:

    ", + "
  • you\u2019re abroad and want to vote in England, Scotland or Wales
  • ", + "

    Arrange to vote by proxy if there are under 2 weeks until election day and you have not made arrangements.

    ", + "

    If you\u2019re unable to vote in person you can ask someone to vote on your behalf. This is called a proxy vote.

    ", + "

    You can only apply for a proxy vote under certain circumstances, including:

    ", + "
  • being away on polling day
  • ", + "

    Usually, you need to apply for a proxy vote at least 6 working days before election day if you want to vote in England, Scotland or Wales.

    " + ], + "id": "train-298" + }, + { + "url": "https://www.gov.uk/how-to-vote", + "scenario": "I live in Scotland and for work reasons I have to move to Northern Ireland for 3 months. The elections are due in a month and I want to vote bu post from Northern Ireland", + "question": "Can I vote by post if I don't have any special reason?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re eligible, you can vote in person on the day of the election at a named polling station. You can also apply for a postal or proxy vote instead.

    ", + "

    You can vote:

    ", + "
  • by post
  • ", + "

    You do not need to give a reason unless you\u2019re voting in Northern Ireland.

    " + ], + "id": "train-299" + }, + { + "url": "https://www.gov.uk/dispose-hazardous-waste", + "scenario": "I have started a contracting business about 2 months ago, one of our recent projects involves us getting rid of materials with asbestos which will be my first time disposing of it. I know it can be harmful but i really am not sure if it can be dumped as normal.", + "question": "Is asbestos classed as non-hazardous waste?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Waste is generally considered hazardous if it (or the material or substances it contains) are harmful to humans or the environment. Examples of hazardous waste include:

    ", + "
  • asbestos
  • " + ], + "id": "train-300" + }, + { + "url": "https://www.gov.uk/dispose-hazardous-waste", + "scenario": "My company regularly produces hazardous waste, we follow detailed procedures on getting rid of this waste but recently ive been asked to provide records of this, i don't understand what records are needed.", + "question": "What kind of documents and recording is required when disposing of hazardous waste for my business?", + "not_answerable": false, + "answers": [ + [ + "consignment notes", + [] + ], + [ + "consignee returns", + [] + ], + [ + "any related documents", + [] + ], + [ + "a record of any missing information", + [ + "

    If these documents are not accurate or complete, you must keep a record of any missing information.

    " + ] + ] + ], + "evidences": [ + "

    You must keep your copies of:

    ", + "
  • consignment notes
  • ", + "
  • consignee returns \u2013 you\u2019ll get these from businesses that receive your waste (consignees)
  • ", + "
  • any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads
  • ", + "

    If these documents are not accurate or complete, you must keep a record of any missing information.

    " + ], + "id": "train-301" + }, + { + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "scenario": "We own a butchery shop and we use our house sometimes to clean the meat. While cleaning there are lot wastes that have to be disposed", + "question": "As the wastes are generated from home. Does these wastes considered as business waste ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Any waste that comes from a commercial activity is business waste. If you use part of your home to run your business then any waste from that part is business waste.

    " + ], + "id": "train-302" + }, + { + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "scenario": "We own a water bottle business. As part of our business there are lot of plastics that are to be re-cycled. We cannot recycle everything in UK because of the huge loads of plastics", + "question": "Can we export our plastics outside of UK for disposing ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot move waste between countries for disposal, for example to send it to landfill. You can usually only import or export waste to recover it, such as using waste to produce energy.

    " + ], + "id": "train-303" + }, + { + "url": "https://www.gov.uk/coronavirus-volunteering", + "scenario": "I am in my early thirties and with the coronavirus going around I have quite a lot of free time since I am working from home. I want to help people in my local area who are at risk, feeling isolated or otherwise prefer not to go out.", + "question": "Are there certain groups I can join to provide better aid to those who need it?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can volunteer during coronavirus (COVID-19) with an organisation or group. You can also help people in your local area by doing things like picking up shopping or medicines.

    ", + "

    You can help others by doing activities like picking up shopping and offering support on the phone. This includes:

    ", + "
  • family, friends and neighbours who are at high risk from COVID-19 or who prefer not to go out
  • ", + "
  • people who are feeling lonely or isolated
  • ", + "
  • staff and volunteers in key worker roles
  • ", + "

    You can also join a mutual aid group. A mutual aid group is a local volunteer-run initiative where people come together to help each other.

    " + ], + "id": "train-304" + }, + { + "url": "https://www.gov.uk/coronavirus-volunteering", + "scenario": "I have been volunteering with a support group in my local area for a few weeks now. A couple of days ago I started feeling a bit under the weather and decided to get tested for COVID-19, the results came back positive. I will be self-isolating for the next 10 days.", + "question": "Will I still be asked to keep contributing to my volunteer group?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Follow guidance on volunteering with other people if you have to volunteer outside your home. Do not leave home if:

    ", + "
  • you\u2019ve been told to self-isolate by NHS Test and Trace
  • ", + "

    Do not volunteer outside your home if you have COVID-19 symptoms or if you\u2019ve tested positive for COVID-19.

    ", + "

    If you\u2019re self-isolating your volunteer organisation should not ask you to leave home.

    " + ], + "id": "train-305" + }, + { + "url": "https://www.gov.uk/how-to-classify-different-types-of-waste", + "scenario": "I have just started to run a small, independent construction company with four employees. We often have a good deal of waste left over at the end of the day, including domestic waste such as food wrappings and waste such as rubble.", + "question": "How can I make sure that I am disposing of our waste in the legal manner?", + "not_answerable": false, + "answers": [ + [ + "identify and classify your waste before you send it for recycling or disposal.", + [] + ], + [ + "get advice from a specialist waste contractor if you\u2019re not sure", + [] + ], + [ + "contact the environment agency", + [] + ], + [ + "describe your waste in the paperwork you give your waste contractor", + [] + ] + ], + "evidences": [ + "

    You must identify and classify your waste before you send it for recycling or disposal. This makes sure you or anyone handling your waste deals with it properly.

    ", + "

    You must describe your waste in the paperwork you give your waste contractor. This must include:

    ", + "

    Get advice from a specialist waste contractor if you\u2019re not sure whether it\u2019s hazardous or not.

    ", + "

    For more information, contact the Environment Agency.

    " + ], + "id": "train-306" + }, + { + "url": "https://www.gov.uk/how-to-classify-different-types-of-waste", + "scenario": "My elderly mother died recently and my siblings and I have been clearing out her property. We have run across a large supply of prescription medicine which she was using for various conditions.", + "question": "How can we ensure that we safely dispose of our mother's unused medicines?", + "not_answerable": false, + "answers": [ + [ + "returned to a community pharmacy", + [ + "
  • cytotoxic and cytostatic medicines: 20-01-31*
  • ", + "
  • other medicines: 20-01-32
  • " + ] + ] + ], + "evidences": [ + "

    Household medicines returned to a community pharmacy should be coded as follows:

    ", + "
  • cytotoxic and cytostatic medicines: 20-01-31*
  • ", + "
  • other medicines: 20-01-32
  • " + ], + "id": "train-307" + }, + { + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "scenario": "I have a patent out on an invention that I made some years ago. It has not been very successful until now but recently someone expressed an interest. I have lost the paperwork, however.", + "question": "How do I go about obtaining copies of my paperwork?", + "not_answerable": false, + "answers": [ + [ + "use patents form 23", + [] + ], + [ + "fill in the form and post it", + [] + ] + ], + "evidences": [ + "

    You can get copies of documents if you need to prove who owns or has applied for a UK patent, trade mark or design registration.

    ", + "

    You need a certified copy to:

    ", + "
  • prove legal ownership of intellectual property, such as in a court case
  • ", + "

    Use patents form 23 to apply for either a certified or uncertified copy of a patent.

    ", + "

    Fill in the form and post it. The address is on the form.

    " + ], + "id": "train-308" + }, + { + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "scenario": "I am a illustrator of children's books and recently learned that some of my early illustrations have been used without my permission. I am really unhappy about this but am not sure where to turn.", + "question": "How do I go about getting a copy of my trademark papers and reclaiming my work?", + "not_answerable": false, + "answers": [ + [ + "use form tm31r", + [] + ] + ], + "evidences": [ + "

    You need a certified copy to:

    ", + "
  • prove legal ownership of intellectual property, such as in a court case
  • ", + "

    Fill in the form and post it. The address is on the form.

    ", + "

    Certified copies cost \u00a320 each.

    ", + "

    Use form TM31R to get a certified copy of a trade mark.

    " + ], + "id": "train-309" + }, + { + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "scenario": "My company does construction, we are currently building a new office building in the center of Liverpool. We were told we will be supplied with all necessities regarding waste sorting, storing and disposal. Today we got to see the bins we are going to be using and some of are quite old and have no lids.", + "question": "Do the bins with no lids meet the criteria for safely sorting waste?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must store waste safely and securely. To do this:

    ", + "
  • use suitable containers that will stop waste escaping
  • ", + "
  • use covers to stop waste blowing away
  • ", + "
  • use waterproof covers if rain could cause contaminated run-off or prevent the waste from being reused
  • " + ], + "id": "train-310" + }, + { + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "scenario": "I use my garage to manufacture custom mini computers for my online store. I often end up throwing away chips, cables and boards. I have been running this business for around a month now. Yesterday my neighbour told me I should take better care of my waste and that if I didn't he would contact authorities to report improper disposal of business waste.", + "question": "Does the waste I produce in my garage count as business waste?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Any waste that comes from a commercial activity is business waste. If you use part of your home to run your business then any waste from that part is business waste.

    " + ], + "id": "train-311" + }, + { + "url": "https://www.gov.uk/claim-tax-credits", + "scenario": "My partner and are on a low income and are looking to claim tax credits to top up our income. As a leaving present from my previous employer, I received some shares in the company.", + "question": "Do dividends from these shares count towards our income when assessing our claim for tax credits?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Income includes:

    ", + "
  • UK company dividends
  • " + ], + "id": "train-312" + }, + { + "url": "https://www.gov.uk/setting-up-charity", + "scenario": "I recently fulfilled my dream of setting up a charity aimed at providing hot food for homeless people. We are producing a lot of food each day using both cash donations and food donations from supermarkets", + "question": "Can we get a tax break due to the nature of our business?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • its income is at least \u00a35,000 per year or it\u2019s a charitable incorporated organisation (CIO)
  • ", + "
  • it\u2019s based in England or Wales (the rules are different in Scotland and Northern Ireland
  • " + ] + ] + ], + "evidences": [ + "

    To get tax relief your charity needs to be recognised by HM Revenue and Customs (HMRC).

    ", + "

    Your charity must have \u2018charitable purposes\u2019 that help the public (known as being \u2018for public benefit\u2019).

    ", + "

    Charitable purposes include things that contribute to:

    ", + "
  • relieving poverty
  • ", + "
  • human rights
  • ", + "

    You must apply to register your charity if:

    ", + "
  • its income is at least \u00a35,000 per year or it\u2019s a charitable incorporated organisation (CIO)
  • ", + "
  • it\u2019s based in England or Wales (the rules are different in Scotland and Northern Ireland
  • " + ], + "id": "train-313" + }, + { + "url": "https://www.gov.uk/planning-permissions-for-farms", + "scenario": "My father left me his farm land in his will. The is quite empty but in overall good shape and I would like to build a new house on it. That way I will have the property that is already there which will continue to be used for farming purposes while I develop a new home for my family. I am from the North-West part of England.", + "question": "Do I need a planning permission and can I apply online?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You need planning permission if:

    ", + "
  • you want to build a house on the land
  • ", + "

    In England and Wales, you can apply online at the Planning Portal.

    " + ], + "id": "train-314" + }, + { + "url": "https://www.gov.uk/planning-permissions-for-farms", + "scenario": "I am planning a major change in how I operate my farming land. It will consist of demolishing several buildings currently used for farming. The new construction will be used as a living space and will include a large gym area, which may later on be made available to the public.", + "question": "Do I need to apply for planning permission?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Farms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.

    ", + "

    You need planning permission if:

    ", + "
  • you want to change how you use your land or buildings from farming to something else
  • ", + "
  • you want to build a house on the land
  • " + ], + "id": "train-315" + }, + { + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "scenario": "I have only recently moved into my first home as a first time buyer, when i was speaking to my friend in a similar sized house she mentioned her energy cost and it was half of what mine was even though our homes were the same size.", + "question": "What are possible ways to check if my home can be altered to reduce my energy costs?", + "not_answerable": false, + "answers": [ + [ + "use the energy efficiency calculator to find out how you can reduce your energy bills", + [] + ], + [ + "check which home energy grants you might be able to apply for", + [] + ], + [ + "talk to a green deal assessor or provider", + [] + ] + ], + "evidences": [ + "

    There are various ways to check if your property could benefit from energy-saving improvements:

    ", + "
  • use the Energy Efficiency Calculator to find out how you can reduce your energy bills
  • ", + "
  • check which home energy grants you might be able to apply for
  • ", + "
  • talk to a Green Deal assessor or provider
  • ", + "

    A Green Deal assessor will visit your home, talk to you about your property and your energy use and help you decide if you could benefit from Green Deal improvements.

    " + ], + "id": "train-316" + }, + { + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "scenario": "I have previously received a quote for cavity wall insulation for a tenancy i own, the prices are extortionate and i want to do it to improve energy bills and quality for the tenants but it is so expensive i am unsure i can afford it.", + "question": "What are fundings available to assist in paying for energy saving improvements to a tenancy?", + "not_answerable": false, + "answers": [ + [ + "get a green deal finance plan", + [ + "

    You can only get a finance plan for improvements recommended in your Green Deal assessment.

    " + ] + ], + [ + "pay in advance", + [] + ], + [ + "use other schemes", + [] + ] + ], + "evidences": [ + "

    You may be able to get a loan through the Green Deal, but you\u2019ll have to pay this back.

    ", + "

    Any household with an electricity meter (including prepayment meters) in England, Scotland or Wales can use the scheme.

    ", + "

    Both the landlord and the tenant must agree to the improvements if the building is rented.

    ", + "

    You can use the Green Deal for a range of different energy saving measures including:

    ", + "
  • insulating your loft or walls
  • ", + "

    You can pay in advance, get a Green Deal finance plan, or use other schemes to fund the work. You can also combine ways to pay.

    ", + "

    Finance plans are offered by approved Green Deal providers.

    ", + "

    You can only get a finance plan for improvements recommended in your Green Deal assessment.

    " + ], + "id": "train-317" + }, + { + "url": "https://www.gov.uk/defend-your-intellectual-property", + "scenario": "I have filed a patent on a machine learning technology. I have noticed online that someone used my patent to advertise their product", + "question": "Where can I report this IP crime ?", + "not_answerable": false, + "answers": [ + [ + "citizens advice", + [] + ] + ], + "evidences": [ + "

    Report suspected IP crime to Trading Standards by contacting Citizens Advice.

    " + ], + "id": "train-318" + }, + { + "url": "https://www.gov.uk/defend-your-intellectual-property", + "scenario": "We have filed a patent on Artificial intelligence and noticed someone using it to market their product. We found the person using it and want to resolve the issue quickly", + "question": "Can we make a deal with the other party without going to court ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can take the following steps.

    ", + "
  • Get the other party to stop using your IP or come to an agreement with them, for example license your IP.
  • ", + "
  • Use mediation or another type of dispute resolution.
  • ", + "

    If someone is using your IP without your permission you can contact them and ask them to stop.

    ", + "

    You can offer to make a deal with the other party, which is usually cheaper and quicker than going to court.

    " + ], + "id": "train-319" + }, + { + "url": "https://www.gov.uk/patent-your-invention", + "scenario": "I am a mechanical engineer who works with a large engineering firm. I also maintain a workshop of my own at home, and recently invented a new device while working alone there. I would rather not discuss this with the company's lawyers if I do decide to try and patent it, as that may well complicate the issue of ownership.", + "question": "What are the sources of free (or inexpensive) legal advice on applying for a patent?", + "not_answerable": false, + "answers": [ + [ + "a patent attorney or other professional advisor - many offer basic advice for free", + [] + ], + [ + "an intellectual property (ip) clinic", + [] + ], + [ + "the british library business and ip centre in london", + [] + ] + ], + "evidences": [ + "

    You can get a professional to help you decide whether a patent is right for your business.

    ", + "

    You may be able to get free advice by:

    ", + "
  • speaking to a patent attorney or other professional advisor - many offer basic advice for free
  • ", + "
  • attending an intellectual property (IP) clinic
  • ", + "
  • going to the British Library Business and IP Centre in London
  • " + ], + "id": "train-320" + }, + { + "url": "https://www.gov.uk/patent-your-invention", + "scenario": "I am the owner of a medical devices company, which hopes to patent a revolutionary new testing device in the near future. There will also be a novel medical approach required to make use of this device.", + "question": "Can we patent the medical procedure as well as the medical device?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    To be granted a patent, your invention must be all of the following:

    ", + "
  • something that can be made or used
  • ", + "

    You cannot patent certain types of invention, including:

    ", + "
  • a method of medical treatment or diagnosis
  • " + ], + "id": "train-321" + }, + { + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "scenario": "I use to live in a country part of the commonwealth and moved to the united kingdom and I'm planning to work in the united kingdom.", + "question": "Do I need to apply to work in the united kingdom?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you came to the UK from a Commonwealth country before 1973
  • ", + "
  • you came to the UK from any country before 31 December 1988 and are now settled here
  • ", + "

    You can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.

    " + ] + ] + ], + "evidences": [ + "

    If you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.

    ", + "

    You may be able to apply for a document to prove you can live and work in the UK if one of the following is true:

    ", + "
  • you came to the UK from a Commonwealth country before 1973
  • ", + "
  • you came to the UK from any country before 31 December 1988 and are now settled here
  • ", + "

    You can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.

    " + ], + "id": "train-322" + }, + { + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "scenario": "My parents moved to the united kingdom from a country once ruled by the united kingdom, I plan to stay and work in the united kingdom.", + "question": "Am I eligable to apply to work and live in the united kingdom under the Windrush Scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • your parents came to the UK from a Commonwealth country before 1973
  • " + ] + ] + ], + "evidences": [ + "

    If you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.

    ", + "

    You may be able to apply for a document to prove you can live and work in the UK if one of the following is true:

    ", + "
  • your parents came to the UK from a Commonwealth country before 1973
  • " + ], + "id": "train-323" + }, + { + "url": "https://www.gov.uk/schools-admissions", + "scenario": "I have just moved to a new area with my partner and our seven year old daughter. Our daughter has Asperger's syndrome and we are concerned as to how she will be able to fit into a new school. Our doctor is prepared to write a letter confirming the diagnosis", + "question": "As my daughter has a non physical disability, will we get more leverage when it comes to selecting a school in our new area?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If your child has SEN, their Education, Health and Care (EHC) plan will name a school for them. The school must give your child a place.

    " + ], + "id": "train-324" + }, + { + "url": "https://www.gov.uk/vat-charities", + "scenario": "We run a charity for helping disabled people. We have a building for all management activities. Recently we have to renovate the building and got a quote from a construction company", + "question": "Do we have to pay VAT on the construction services we receive ?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • evidence that you\u2019re a charity
  • ", + "
  • a written declaration or \u2018certificate\u2019 confirming that you\u2019re eligible for the relief
  • ", + "

    You must give your supplier an eligibility declaration or certificate when they sell you goods or services at zero rate VAT. There are examples of declarations and certificates for different goods.

    " + ] + ] + ], + "evidences": [ + "

    As a charity you do not pay VAT when you buy some goods and services.

    ", + "

    You must prove to the person who\u2019s selling the goods or services to you that you\u2019re eligible for relief. You do not need to be registered for VAT.

    ", + "

    Charities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.

    ", + "

    Find out about the conditions you must meet so that your charity pays no VAT (the zero rate) when you buy:

    ", + "
  • construction services
  • ", + "

    To get VAT relief you must give your supplier:

    ", + "
  • evidence that you\u2019re a charity
  • ", + "
  • a written declaration or \u2018certificate\u2019 confirming that you\u2019re eligible for the relief
  • ", + "

    You must give your supplier an eligibility declaration or certificate when they sell you goods or services at zero rate VAT. There are examples of declarations and certificates for different goods.

    ", + "

    If you\u2019re buying building or construction services at zero VAT, the certificate must follow a set format.

    " + ], + "id": "train-325" + }, + { + "url": "https://www.gov.uk/vat-charities", + "scenario": "We are charity to help homeless people. We sell children's toys to raise funds for the charity. We have not registered for VAT and our VAT taxable turnover is \u00a390,000", + "question": "Do we have to register for VAT ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must register for VAT if your charity\u2019s VAT taxable turnover (the total value of everything you sell that isn\u2019t exempt from VAT) is more than \u00a385,000.

    ", + "

    As a charity, you must register for VAT with HM Revenue and Customs (HMRC) if your VAT taxable turnover is more than \u00a385,000.

    " + ], + "id": "train-326" + }, + { + "url": "https://www.gov.uk/school-discipline-exclusions", + "scenario": "My 15 year old daughter has been excluded from her school in England due to a bullying incident. She maintains she was innocent and she is actually a good student. She is worried about missing so many days of school and wants to go to the town's library to do some research for a project they were set before her exclusion.", + "question": "Is she allowed to go to the library during her exclusion?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    For the first 5 school days of an exclusion, it\u2019s your responsibility to make sure your child isn\u2019t in a public place during normal school hours unless there is a good reason.

    ", + "

    You might be prosecuted if your child is found in a public place when they\u2019re not supposed to be.

    " + ], + "id": "train-327" + }, + { + "url": "https://www.gov.uk/school-discipline-exclusions", + "scenario": "All secondary schools in our English county have recently installed metal detectors in a highly controversial move. My 14 year old son is heavily into civil liberties and objects to being required to walk through it.", + "question": "Can my son refuse to go through his school's metal detector?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Schools can make pupils go through a metal detector - they don\u2019t have to suspect that your child has a weapon. If your child refuses to go through the metal detector, they can be stopped from coming into school.

    " + ], + "id": "train-328" + }, + { + "url": "https://www.gov.uk/bullying-at-school", + "scenario": "I live in southern England and am the parent of two children, the eldest of whom is a pupil at a private school. After he experienced a bullying incident we discovered that the school has no formal anti-bullying policy in place.", + "question": "Is it legal for them not to have such a policy?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    By law, all state (not private) schools must have a behaviour policy in place that includes measures to prevent all forms of bullying among pupils.

    ", + "

    This policy is decided by the school. All teachers, pupils and parents must be told what it is.

    " + ], + "id": "train-329" + }, + { + "url": "https://www.gov.uk/bullying-at-school", + "scenario": "I am a parent of two young children and am also a governor at my younger child's state school. There have been some incidents of cyberbullying between pupils recently; however, as they didn't take place on school premises the headteacher claims that he lacks the power to intervene.", + "question": "The headteacher says they do not have powers to deal with bullying that occurs outside the school itself. Is it true?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    School staff will deal with bullying in different ways, depending on how serious the bullying is.

    ", + "

    They might deal with it in school, for example by disciplining bullies, or they might report it to the police or social services.

    ", + "

    Head teachers have the legal power to make sure pupils behave outside of school premises (state schools only).

    ", + "

    This includes bullying that happens anywhere off the school premises, for example on public transport or in a town centre.

    ", + "

    School staff can also choose to report bullying to the police or local council.

    " + ], + "id": "train-330" + }, + { + "url": "https://www.gov.uk/donating-to-charity", + "scenario": "I work for a company in the UK and paid just over \u00a38,000 in basic rate Income Tax this financial year via the PAYE System. I wish to make a charitable donation of \u00a35,000 to the Churches Conservation Trust, a registered charity.", + "question": "Can I use the Gift Aid system to allow the charity to claim back the Income Tax on my gift?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-331" + }, + { + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "scenario": "I am doing a research on a Machine learning technology. I heard a patent already filed on the research I am doing. I want to use the patent details in my final project.", + "question": "Can I get a photocopy of the details?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    There are 2 types of copy \u2013 certified and uncertified.

    ", + "

    An uncertified copy is a photocopy or digital copy of the details on the register. You can use this for research or personal use.

    ", + "

    You can request uncertified copies of patent documents online.

    " + ], + "id": "train-332" + }, + { + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "scenario": "I have filed a UK patent and planning to use a module of the work outside of UK i.e ) Malaysia. Also I have plans to register the module in Malaysia", + "question": "How much does it cost to get a copy of a patent ?", + "not_answerable": false, + "answers": [ + [ + "\u00a320", + [] + ] + ], + "evidences": [ + "

    This is an official document, also called a Certificate of the Registrar.

    ", + "

    You need a certified copy to:

    ", + "
  • register a piece of intellectual property (IP) outside the UK
  • ", + "

    Certified copies cost \u00a320 each.

    " + ], + "id": "train-333" + }, + { + "url": "https://www.gov.uk/tax-credits-if-moving-country-or-travelling", + "scenario": "My Partner has job as a servant to the crown, which requires her to work abroad.", + "question": "Will my tax credits stop?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may continue to get tax credits if you\u2019re a Crown servant posted overseas or you live abroad with your child and get UK benefits or the State Pension.

    ", + "

    You may continue to get tax credits if your partner\u2019s a Crown servant posted outside the UK and you:

    ", + "
  • live in the UK while your partner works abroad
  • " + ], + "id": "train-334" + }, + { + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "scenario": "I own a home and energy bills are always high. When I hired a engineer to assess why my energy bills are high. He mentioned the problem is because of insulation. I can't afford to replace the insulation", + "question": "Can I get a loan to replace the insulation ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can only get a finance plan for improvements recommended in your Green Deal assessment.

    " + ] + ] + ], + "evidences": [ + "

    You may be able to get a loan through the Green Deal, but you\u2019ll have to pay this back.

    ", + "

    You can pay in advance, get a Green Deal finance plan, or use other schemes to fund the work. You can also combine ways to pay.

    ", + "

    Finance plans are offered by approved Green Deal providers.

    ", + "

    You can get finance for an amount based on what you\u2019ll be expected to save on your energy bills.

    ", + "

    You can only get a finance plan for improvements recommended in your Green Deal assessment.

    " + ], + "id": "train-335" + }, + { + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "scenario": "I own a home and the home is almost 100 years old. My energy boilers are installed 10 years back. I heard that I could get some help from Green Deal energy savings", + "question": "How can I get some assessment and help me decide if I could benefit from Green Deal improvements ?", + "not_answerable": false, + "answers": [ + [ + "talk to a green deal assessor or provider", + [] + ] + ], + "evidences": [ + "

    There are various ways to check if your property could benefit from energy-saving improvements:

    ", + "
  • talk to a Green Deal assessor or provider
  • ", + "

    A Green Deal assessor will visit your home, talk to you about your property and your energy use and help you decide if you could benefit from Green Deal improvements.

    " + ], + "id": "train-336" + }, + { + "url": "https://www.gov.uk/green-taxes-and-reliefs", + "scenario": "My company is in the commercial sector and we have recently switched all company vehicles to electric. Most of our factory and manufacturing work also utilizes electricity to power up production.", + "question": "Do we pay for the Climate Change Levy under the main rates in our circumstances?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-337" + }, + { + "url": "https://www.gov.uk/green-taxes-and-reliefs", + "scenario": "My business does construction work on multiple sites across the UK. We often utilize landfill to throw away rocks, cement and other similar materials.", + "question": "Do we have to pay the Standard rate under the Landfill Tax?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You pay tax on top of your normal landfill fees if your business gets rid of waste using landfill sites.

    ", + "

    The tax is charged by weight. There are 2 rates. You pay the lower rate on \u2018inactive waste\u2019 - for example rocks or soil.

    " + ], + "id": "train-338" + }, + { + "url": "https://www.gov.uk/donating-to-charity", + "scenario": "I am on full time role and planning to donate some of my money from my salary to the charity. I am a basic tax rate taxpayer and I heard my employer runs a Payroll Giving scheme", + "question": "How much will I pay per \u00a31 donated?", + "not_answerable": false, + "answers": [ + [ + "80p", + [] + ] + ], + "evidences": [ + "

    The tax relief you get depends on the rate of tax you pay. To donate \u00a31, you pay:

    ", + "
  • 80p if you\u2019re a basic rate taxpayer
  • " + ], + "id": "train-339" + }, + { + "url": "https://www.gov.uk/donating-to-charity", + "scenario": "I own a property and was approached by my local religious community registered as a charity to use my property for religious gathering. Now I am thinking to donate the property to charity", + "question": "Do I have to pay tax on the property I donate to charity ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not have to pay tax on land, property or shares you donate to charity. This includes selling them for less than their market value.

    ", + "

    You get tax relief on both:

    ", + "
  • Income Tax
  • ", + "
  • Capital Gains Tax
  • ", + "

    You can pay less Income Tax by deducting the value of your donation from your total taxable income. Do this for the tax year (6 April to 5 April) in which you made the gift or sale to charity.

    " + ], + "id": "train-340" + }, + { + "url": "https://www.gov.uk/vat-charities", + "scenario": "I am the chief executive of a registered charity which provides residential care for the elderly and infirm. After a very cold winter it appears that the electricity consumption for our largest home exceeded 1,000 KWh in some months.", + "question": "What rate of VAT should be applied to the home's electricity bill in the months when usage exceeded this threshold?", + "not_answerable": false, + "answers": [ + [ + "5%", + [] + ] + ], + "evidences": [ + "

    Charities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.

    ", + "

    Your charity pays 5% VAT on fuel and power if they\u2019re for:

    ", + "
  • residential accommodation (for example, a children\u2019s home or care home for the elderly)
  • " + ], + "id": "train-341" + }, + { + "url": "https://www.gov.uk/vat-charities", + "scenario": "I help to run a registered charity providing free (or heavily subsidised) veterinary treatment to dogs and cats. One of our most common treatments is the implantation of microchips, which we import from a supplier outside the UK. We are VAT registered.", + "question": "What (if any) rate of VAT should be payable on these microchips?", + "not_answerable": false, + "answers": [ + [ + "zero rate", + [] + ] + ], + "evidences": [ + "

    As a charity you do not pay VAT when you buy some goods and services.

    ", + "

    Charities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.

    ", + "

    What qualifies for the zero rate

    ", + "

    Find out about the conditions you must meet so that your charity pays no VAT (the zero rate) when you buy:

    ", + "
  • medical, veterinary and scientific equipment
  • ", + "

    Charities do not pay VAT on goods imported from outside the UK as long as they\u2019re benefiting people in need by providing:

    ", + "
  • basic necessities
  • ", + "
  • equipment and office materials to help run your organisation for the benefit of people in need
  • " + ], + "id": "train-342" + }, + { + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "scenario": "Due to the current pandemic my local vehicle service garage is closed, therefore it is very difficult for me to service my vehicles at regular times.", + "question": "Can the required service times on my farm vehicles be extended?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must make sure that all farming vehicles and equipment are:

    ", + "

    You must make sure that all your equipment is properly maintained and in good working order. You\u2019ll need to perform regular maintenance checks on all of your vehicles and machinery.

    " + ], + "id": "train-343" + }, + { + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "scenario": "I recently acquired a second hand JCB tractor from a friend. It is about 3 years old and my friend said he never had any issues with it.", + "question": "What safety checks have to be carried out on a second hand farm vehicle?", + "not_answerable": false, + "answers": [ + [ + "make sure that it complies with the provision and use of work equipment regulations 1998", + [] + ], + [ + "replace or repair any missing or damaged safety guards before use", + [] + ], + [ + "get the operator\u2019s manual or suitable instructions for use", + [] + ] + ], + "evidences": [ + "

    Before using second hand machinery, you should:

    ", + "
  • make sure that it complies with the Provision and Use of Work Equipment Regulations 1998
  • ", + "
  • get the operator\u2019s manual or suitable instructions for use
  • ", + "
  • replace or repair any missing or damaged safety guards before use
  • " + ], + "id": "train-344" + }, + { + "url": "https://www.gov.uk/emergency-and-lifesaving-equipment-on-ships", + "scenario": "I run a small business renting out boats by the hour. We have a good turnover and consider ourselves responsible and we provide life jackets to all of our customers as well as accident insurance.", + "question": "Where can I find out if there is anything else we should be providing to ensure the safety of our customers?", + "not_answerable": false, + "answers": [ + [ + "the regulations for pleasure craft", + [] + ] + ], + "evidences": [ + "

    Some pleasure craft don\u2019t have to carry certain life-saving equipment. Download the regulations for pleasure craft.

    " + ], + "id": "train-345" + }, + { + "url": "https://www.gov.uk/emergency-and-lifesaving-equipment-on-ships", + "scenario": "My partner and I are going on a cruise this summer. I have never been on a large ship before and am a little nervous about the prospect of an accident at sea. I do not know what the likelihood of such a thing occurring is.", + "question": "What steps will the cruiseliner have taken to ensure the safety of their passengers?", + "not_answerable": false, + "answers": [ + [ + "carry certain emergency and life-saving equipment", + [] + ], + [ + "different requirements", + [] + ] + ], + "evidences": [ + "

    All ships must carry certain emergency and life-saving equipment. This equipment must meet minimum standards and must be properly tested and serviced.

    ", + "

    There are different requirements depending on the size and type of ship and where it operates.

    ", + "

    There are different requirements for different types of passenger ships.

    " + ], + "id": "train-346" + }, + { + "url": "https://www.gov.uk/planning-permissions-for-farms", + "scenario": "My father just passed away and he left me a farm that previously grew vegetables. I would like to turn it into a vinery.", + "question": "Do I need planning permission?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Farms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.

    ", + "

    You need planning permission if:

    ", + "
  • you want to change how you use your land or buildings from farming to something else
  • ", + "
  • you want to build a house on the land
  • " + ], + "id": "train-347" + }, + { + "url": "https://www.gov.uk/planning-permissions-for-farms", + "scenario": "The farm he lived on was built quite a long time ago. Now that I am married and have children, I need to do an expansion in the main building.", + "question": "Do I need to apply for a construction permit even if I am not going to change my activity?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You need planning permission if:

    ", + "
  • you want to change how you use your land or buildings from farming to something else
  • ", + "
  • you want to build a house on the land
  • ", + "

    You don\u2019t need planning permission:

    ", + "
  • to change the inside of a building, or make small alterations to the outside - eg installing an alarm box
  • ", + "
  • if there are permitted development rights
  • ", + "

    Permitted development means that if your farm is 5 hectares or more, you have the right to:

    ", + "
  • erect, extend or alter a building
  • ", + "

    Check with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.

    " + ], + "id": "train-348" + }, + { + "url": "https://www.gov.uk/patent-your-invention", + "scenario": "We are a Information technology company recently invented a cyber security product. This is a new invention and does not exist anywhere.", + "question": "Can we patent this invention ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    To be granted a patent, your invention must be all of the following:

    ", + "
  • something that can be made or used
  • ", + "
  • new
  • ", + "
  • inventive - not just a simple modification to something that already exists
  • ", + "

    You cannot patent certain types of invention, including:

    ", + "
  • some computer programs or mobile apps
  • " + ], + "id": "train-349" + }, + { + "url": "https://www.gov.uk/patent-your-invention", + "scenario": "We are a electronic products development company. We recently invented a new cutting edge audio device. We have rolled out the product for some of our loyal customers", + "question": "Does our audio device eligible to be patented ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    To be granted a patent, your invention must be all of the following:

    ", + "
  • something that can be made or used
  • ", + "
  • new
  • ", + "
  • inventive - not just a simple modification to something that already exists
  • ", + "

    Do not talk to other people without a non-disclosure agreement, or you may not be able to patent your invention. You can get help with this from a patent attorney or solicitor.

    ", + "

    Do not make your invention public before you apply. You may not be able to patent it if you do.

    " + ], + "id": "train-350" + }, + { + "url": "https://www.gov.uk/how-to-register-a-trade-mark", + "scenario": "I own a business selling printed clothing. I have a brand logo and name that are printed on all our items, and I want to register it as a trade mark.", + "question": "How long will it take until I get feedback on my application?", + "not_answerable": false, + "answers": [ + [ + "up to 12 weeks (60 working days)", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get feedback on your application (called an \u2018examination report\u2019) within 12 weeks (60 working days).

    ", + "
  • You\u2019ll get feedback on your application (an \u2018examination report\u2019) in up to 12 weeks (60 working days) - you have 2 months to resolve any problems.
  • " + ], + "id": "train-351" + }, + { + "url": "https://www.gov.uk/how-to-register-a-trade-mark", + "scenario": "I own a business cutting whiskey glasses. Each glass comes with our trademarked logo on the bottom. I registered my brand's trade mark logo last year.", + "question": "How long will my trade mark last?", + "not_answerable": false, + "answers": [ + [ + "10 years", + [] + ] + ], + "evidences": [ + "

    The registration process takes about 4 months if no-one objects. Registered trade marks last 10 years.

    ", + "

    Your trade mark will last 10 years - you can renew it after that time.

    " + ], + "id": "train-352" + }, + { + "url": "https://www.gov.uk/national-curriculum", + "scenario": "I am a parent of two school-age children, the eldest of which is about to begin Key Stage 3. I am devoutly religious and have moral objections to aspects of the religious and the sexual education modules taught therein.", + "question": "Can I withdraw my child from lessons I find morally offensive?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ], + [ + "yes", + [ + "

    Some parts of sex and relationship education are compulsory - these are part of the national curriculum for science. Parents can withdraw their children from all other parts of sex and relationship education if they want.

    " + ] + ] + ], + "evidences": [ + "

    Schools must provide religious education (RE) and sex education from key stage 3 but parents can ask for their children to be taken out of the whole lesson or part of it.

    ", + "

    Children must also study:

    ", + "
  • sex and relationships education (year 7 onwards)
  • ", + "

    Sex and relationship education (SRE) is compulsory from age 11 onwards. It involves teaching children about reproduction, sexuality and sexual health. It does not promote early sexual activity or any particular sexual orientation.

    ", + "

    Some parts of sex and relationship education are compulsory - these are part of the national curriculum for science. Parents can withdraw their children from all other parts of sex and relationship education if they want.

    " + ], + "id": "train-353" + }, + { + "url": "https://www.gov.uk/national-curriculum", + "scenario": "I am the headteacher and a governor of an Academy, which has just been converted from an old-style Comprehensive under local council control. I am currently devising a considerably revised Lesson Plan.", + "question": "Can we set our own syllabus for Religious Education?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Other types of school like academies and private schools do not have to follow the national curriculum. Academies must teach a broad and balanced curriculum including English, maths and science. They must also teach religious education.

    ", + "

    Schools have to teach RE but parents can withdraw their children for all or part of the lessons. Pupils can choose to withdraw themselves once they\u2019re 18.

    ", + "

    Local councils are responsible for deciding the RE syllabus, but faith schools and academies can set their own.

    " + ], + "id": "train-354" + }, + { + "url": "https://www.gov.uk/fishing-vessel-licence-under-10-metres", + "scenario": "My Father owns a Fishing vessels and would like to do commercial sea fishing.His vessel is registered but does not have a commercial fishing licence.", + "question": "How long is a licence valid for?", + "not_answerable": false, + "answers": [ + [ + "2 years", + [] + ] + ], + "evidences": [ + "

    You need a Category A (10 metres or under) fishing vessel licence if you want to catch and sell sea fish, unless you\u2019re exempt.

    ", + "

    A licence is valid for 2 years, starting on 1 July and ending 2 years later on 30 June.

    " + ], + "id": "train-355" + }, + { + "url": "https://www.gov.uk/fishing-vessel-licence-under-10-metres", + "scenario": "My boss has a fishing vessel. He does it as a hobby. During his summer holidays he likes to take his friends for a sea Fishing and have fun.", + "question": "Does he need a fishing licence for his vessel?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You need a Category A (10 metres or under) fishing vessel licence if you want to catch and sell sea fish, unless you\u2019re exempt.

    ", + "

    You don\u2019t need a licence for your vessel if any of the following apply:

    ", + "
  • you only use your vessel to fish for pleasure
  • " + ], + "id": "train-356" + }, + { + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "scenario": "My father owns a fishing vessel and always likes undertakes commercial deep sea fishing trips.My mother has been very worried due rising water tides in the British Channel and of a possible sea accidents.", + "question": "Are fishing vessels covered under maritime labour convention?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The Maritime Labour Convention (MLC) came into force for the UK on 7 August 2014. It sets out the minimum working and living rights for seafarers.

    ", + "

    The MLC does not cover seafarers serving on the following boats:

    ", + "
  • fishing vessels
  • " + ], + "id": "train-357" + }, + { + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "scenario": "My elder brother works as a seafairer in a UK Oil tanker operating in Strait of Hormuz. I have missed him so much and i would like to invite him for my December wedding.I am sure he will be very happy to attend.", + "question": "Are seafearers entittled for a holiday leave ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    All seafarers on seagoing ships are entitled to:

    ", + "
  • at least 4 weeks\u2019 paid annual leave
  • ", + "

    Under the MLC, seafarers have minimum working rights covering:

    ", + "
  • entitlement to leave
  • ", + "

    Under the MLC, seafarers are entitled to paid leave calculated at 2.5 days per calendar month of employment.

    " + ], + "id": "train-358" + }, + { + "url": "https://www.gov.uk/defend-your-intellectual-property", + "scenario": "My family owns a registered food chain business which uses a trademark name \u201c The leckers \u201c i have just discovered that someone is using the same name to take advantage and divert our customers.", + "question": "Can i get help to defend our intellectual property?", + "not_answerable": false, + "answers": [ + [ + "get the other party to stop using your ip or come to an agreement with them", + [] + ], + [ + "use mediation or another type of dispute resolution", + [] + ], + [ + "take legal action if you can\u2019t resolve the dispute by other means", + [] + ] + ], + "evidences": [ + "

    Examples of IP infringement include when someone:

    ", + "
  • uses a trade mark that\u2019s identical or similar to one you\u2019ve registered
  • ", + "

    You can take the following steps.

    ", + "
  • Get the other party to stop using your IP or come to an agreement with them, for example license your IP.
  • ", + "
  • Use mediation or another type of dispute resolution.
  • ", + "
  • Take legal action if you can\u2019t resolve the dispute by other means.
  • " + ], + "id": "train-359" + }, + { + "url": "https://www.gov.uk/defend-your-intellectual-property", + "scenario": "My Brother is a Music artist and just discovered that a certain local radio station is using his Music without his awareness.After contacting them they said that are open for a discussion out of court.", + "question": "Can he use a mediator?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can use a mediator if you can\u2019t come to an agreement over an intellectual property (IP) dispute.

    " + ] + ] + ], + "evidences": [ + "

    Examples of IP infringement include when someone:

    ", + "
  • uses all or some of your work under copyright without your permission
  • ", + "

    You can take the following steps.

    ", + "
  • Use mediation or another type of dispute resolution.
  • ", + "

    Read the guidance on how to license, sell, mortgage and market your:

    ", + "
  • copyright
  • ", + "

    You can use a mediator if you can\u2019t come to an agreement over an intellectual property (IP) dispute.

    ", + "

    Mediation can be used in most IP disputes. This includes disputes about:

    " + ], + "id": "train-360" + }, + { + "url": "https://www.gov.uk/how-to-classify-different-types-of-waste", + "scenario": "I am a manager of a Pharmaceutical company and we have accumulated a lot of waste medicines. I would like to sort it out for a proper waste disposal.", + "question": "What guidance i can use to know hazardous and non harzadous medicinal waste?", + "not_answerable": false, + "answers": [ + [ + "the guide to the safe management of healthcare waste", + [] + ], + [ + "the technical guidance on waste", + [] + ] + ], + "evidences": [ + "

    Check the technical guidance on waste, it includes more information about waste classification and assessing waste.

    ", + "

    In most cases you can check the waste code or codes associated with your waste to see if they are hazardous and POPs waste. You must make sure your waste contractor can dispose of this waste properly.

    ", + "

    You can find additional codes for other waste and advice on how to apply these codes in the technical guidance on waste.

    ", + "

    Check the guide to the safe management of healthcare waste for additional information about classifying clinical and healthcare waste.

    " + ], + "id": "train-361" + }, + { + "url": "https://www.gov.uk/how-to-classify-different-types-of-waste", + "scenario": "I would like to dispose old rusty white goods wastes which have been accumulating in my backyard for year. I would like to register their codes.", + "question": "What is the waste classification code for a household tumble dryer?", + "not_answerable": false, + "answers": [ + [ + "20-01-36", + [] + ] + ], + "evidences": [ + "

    Large domestic appliances (LDA): white goods (washing machines, tumble driers, dishwashers and cookers)

    ", + "Large domestic appliances: white goods | Non-hazardous, non-POPs | 20-01-36 | 16-02-14" + ], + "id": "train-362" + }, + { + "url": "https://www.gov.uk/national-curriculum", + "scenario": "My daughter is now 11 years in school year 6.Lately,she has been asking me alot of questions about her current body changes and getting overly worried. I have tried to take her through sexual body change and some adolescent lessons but i dont think its enough.", + "question": "Which year in school do they start teaching about reproduction and sexual health?", + "not_answerable": false, + "answers": [ + [ + "year 7", + [] + ], + [ + "age 11", + [] + ] + ], + "evidences": [ + "

    The \u2018basic\u2019 school curriculum includes the \u2018national curriculum\u2019, as well as religious education and sex education.

    ", + "

    Children must also study:

    ", + "
  • sex and relationships education (year 7 onwards)
  • ", + "

    Sex and relationship education (SRE) is compulsory from age 11 onwards. It involves teaching children about reproduction, sexuality and sexual health. It does not promote early sexual activity or any particular sexual orientation.

    " + ], + "id": "train-363" + }, + { + "url": "https://www.gov.uk/national-curriculum", + "scenario": "My son is 5 years old and is very much interested in playing piano and singing. He has created alot of interest in music and would wish him learn and perform in global ochestra bands in future. To boost him i have invested on a homebased piano. I would like to know the correct age to start home training in line with school..", + "question": "Which school key stage do they start learning Music?", + "not_answerable": false, + "answers": [ + [ + "key stage 1", + [] + ] + ], + "evidences": [ + "

    Compulsory national curriculum subjects at primary school are:

    ", + "
  • music
  • ", + "

    Key stage 1

    " + ], + "id": "train-364" + }, + { + "url": "https://www.gov.uk/maritime-safety-weather-and-navigation", + "scenario": "I own a commercial shipping company with 400 gross tonnage which operates from Europe to canada via the North Atlantic route . I am very worried because 3 employees have contracted covid and i want to send a message .", + "question": "Can i call the the MSI office for a distress call?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    HM Coastguard regularly broadcasts Maritime Safety Information (MSI) by radio. MSI includes:

    ", + "

    The Global Maritime Distress and Safety System (GMDSS) is a maritime communications system used for:

    ", + "
  • emergency and distress messages
  • " + ], + "id": "train-365" + }, + { + "url": "https://www.gov.uk/maritime-safety-weather-and-navigation", + "scenario": "I would like to ship my cargo to canada thruough north Atlantic sea. I am afraid of the stormy seas. I want my cargo to be safe.", + "question": "How far in advance can I find out the weather at sea in the north Atlantic route ?", + "not_answerable": false, + "answers": [ + [ + "up to 5 days", + [] + ] + ], + "evidences": [ + "

    You can get an extended outlook with information up to 5 days in advance on the 518 NAVTEX service.

    " + ], + "id": "train-366" + }, + { + "url": "https://www.gov.uk/planning-permissions-for-farms", + "scenario": "My father is a land owner and wants to develop his vast land and build a permanent family house. He has accumulated all the materials necessary to build.", + "question": "Does he need planning permission to build?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Farms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.

    ", + "

    You need planning permission if:

    ", + "
  • you want to build a house on the land
  • " + ], + "id": "train-367" + }, + { + "url": "https://www.gov.uk/planning-permissions-for-farms", + "scenario": "Our parents in law will be visiting us in Uk during summer time from canada and our house is small. My partner and i have come up with an idea of putting a caravan in our garden to accomodate them.", + "question": "Is this a permitted development?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Permitted development means that if your farm is 5 hectares or more, you have the right to:

    " + ] + ] + ], + "evidences": [ + "

    You don\u2019t need planning permission:

    ", + "
  • if there are permitted development rights
  • ", + "

    Permitted development means that if your farm is 5 hectares or more, you have the right to:

    ", + "
  • erect, extend or alter a building
  • ", + "

    The types of permitted development include:

    ", + "
  • caravan sites and related buildings in some circumstances
  • " + ], + "id": "train-368" + }, + { + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "scenario": "Both of my parents arrived and settled in UK in 1970 from Kenya. I have been born here and have lived here for 30 years continuously. I would like to apply for British Citizenship .", + "question": "Will i be eligible for the windrush settlement scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.

    ", + "

    You may be able to apply for a document to prove you can live and work in the UK if one of the following is true:

    ", + "
  • your parents came to the UK from a Commonwealth country before 1973
  • ", + "

    You can apply for British citizenship or a document confirming you have indefinite leave to remain.

    ", + "

    To apply, one of your parents must be a Commonwealth citizen and either:

    ", + "
  • was settled in the UK before 1 January 1973
  • ", + "

    One of the following must also be true:

    ", + "
  • you were born in the UK
  • ", + "

    You must have lived continuously in the UK since arriving (or being born) here.

    " + ], + "id": "train-369" + }, + { + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "scenario": "My Uncle John arrived UK in 1970 at the age of 20 from Jamaica. He Settled ,worked and raised his family in UK.At the Age of 75 he was told that he is living illegally and his driving licence and passport were confisticated.The following year they send him a deportation letter .He underwent depression ,Loss of support . The home office pursuit to deport him gave him a heart attack and later died the following year.", + "question": "Can my uncle and his family be eligible for windrush scheme compensations when dead?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-370" + }, + { + "url": "https://www.gov.uk/schools-admissions", + "scenario": "My uncle has a 14 year old step son who moved to England from India last month.He has been looking for a special grammar school for him to join.", + "question": "Will he be required to do and pass an entrance exam in order for him to qualify?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ], + [ + "yes", + [ + "
  • who pass an entrance exam (for selective schools, for example grammar schools)
  • " + ] + ] + ], + "evidences": [ + "

    If you live in England contact your local council to find:

    ", + "
  • admission criteria for the schools you\u2019re interested in
  • ", + "

    All schools have admission criteria to decide which children get places. The school or local council usually set these.

    ", + "

    Admission criteria are different for each school. They may give priority to children:

    ", + "
  • who pass an entrance exam (for selective schools, for example grammar schools)
  • " + ], + "id": "train-371" + }, + { + "url": "https://www.gov.uk/schools-admissions", + "scenario": "My twin daughters celebrated their fifth birthday in April this year and they have now reached a compulsory school age. I would like to apply for a year 1 place.", + "question": "Which month this year must they start their full time education ?", + "not_answerable": false, + "answers": [ + [ + "september", + [] + ] + ], + "evidences": [ + "

    Most children start school full-time in the September after their fourth birthday. This means they\u2019ll turn 5 during their first school year.

    ", + "

    They can start:

    ", + "
  • in the next school year, in the September after they turn 5
  • ", + "

    Your child must start full-time education once they reach compulsory school age. This is on 31 December, 31 March or 31 August following their fifth birthday - whichever comes first. If your child\u2019s fifth birthday is on one of those dates then they reach compulsory school age on that date.

    " + ], + "id": "train-372" + }, + { + "url": "https://www.gov.uk/coronavirus-volunteering", + "scenario": "I am a volunteer to a 70 years old woman in my neigbourhood. She is of muslim faith and she is very concerned with the Astrazeneca vaccine because a little bird whispered to her that it contains some alcohol. She has made a conclusion that she will not get the vaccine. She really nead support due to her old age and can\u2019t be left alone. She also needs good vaccine awareness to reduce vaccine hesitancy.", + "question": "Where can i get a guide showing the vaccine contents to read to her and that doesnt affect her heath / faith?", + "not_answerable": false, + "answers": [ + [ + "contact the nhs or check nhs covid-19 advice online", + [] + ] + ], + "evidences": [ + "

    You can help others by doing activities like picking up shopping and offering support on the phone. This includes:

    ", + "
  • family, friends and neighbours who are at high risk from COVID-19 or who prefer not to go out
  • ", + "

    If you\u2019re worried about someone\u2019s health, contact the NHS or check NHS COVID-19 advice online.

    " + ], + "id": "train-373" + }, + { + "url": "https://www.gov.uk/coronavirus-volunteering", + "scenario": "I am 20 years and would like to do a voluntary work in a live in charity in London. It hosts several vulnerable and destitute women.", + "question": "Do I have to be vaccinated before I can start the work?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Follow guidance on volunteering with other people if you have to volunteer outside your home. Do not leave home if:

    ", + "

    If you\u2019re volunteering in a workplace, it should follow guidance on working safely during COVID-19.

    ", + "

    You can volunteer during coronavirus (COVID-19) with an organisation or group, for example a charity, the NHS or a local volunteer-run group.

    ", + "

    If you volunteer in an essential role and have COVID-19 symptoms, you\u2019ll be prioritised for a test.

    ", + "

    You can get vaccinated if you\u2019re a volunteer in an eligible group. This includes volunteers in frontline health and social care roles.

    ", + "

    If you qualify for a vaccine because of your age or a clinical condition, you\u2019ll be vaccinated at the same time as other people in your area.

    " + ], + "id": "train-374" + }, + { + "url": "https://www.gov.uk/volunteering", + "scenario": "My sister is a widow and on benefits. She got a volunteer job offer. She will be reimbursed out of pocket expenses for travels and meals.", + "question": "Will this affect her benefits?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you continue to meet the conditions of the benefit you get
  • " + ] + ] + ], + "evidences": [ + "

    You can volunteer and claim benefits if:

    ", + "
  • the only money you get from volunteering is to cover expenses, like travel costs
  • ", + "
  • you continue to meet the conditions of the benefit you get
  • " + ], + "id": "train-375" + }, + { + "url": "https://www.gov.uk/volunteering", + "scenario": "My Friend Rita has just turned 18 years old.She is looking for volunteer opportunities in Marketing which can lead a to a part time Job opportunity.", + "question": "Where can she get help from?", + "not_answerable": false, + "answers": [ + [ + "do-it website", + [] + ], + [ + "reach volunteering website", + [] + ] + ], + "evidences": [ + "

    You can find volunteering opportunities on the:

    ", + "
  • Do-it website
  • ", + "
  • Reach Volunteering website for volunteers with specific skills - like accountancy, marketing, law, management, mentoring or IT
  • " + ], + "id": "train-376" + }, + { + "url": "https://www.gov.uk/claim-tax-credits", + "scenario": "I am currently 20 weeks pregnant and i have been working more than 25 hours per week. My doctor has made recommendations that i should take a maternity leave and have some bed rest, This will automatically affect my wages.", + "question": "Can i still apply for a working tax credit?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Tax credits have been replaced by Universal Credit.

    ", + "

    You can only make a claim for Child Tax Credit or Working Tax Credit if you already get tax credits. You\u2019ll need to update your existing tax credit claim by\u00a0reporting a change in your circumstances online or by phone.

    " + ], + "id": "train-377" + }, + { + "url": "https://www.gov.uk/claim-tax-credits", + "scenario": "My Aunt got a arm injury last month.She was a full time employee working more than 16 hours per week.She could not make timely claims of her benefits because of her bandaged arm. My sister offered to assist her make claims.", + "question": "Can she backdate the claims from the time she got the injury?", + "not_answerable": false, + "answers": [ + [ + "up to 31 days", + [] + ], + [ + "more than 31 days", + [ + "
  • apply within a month of getting refugee status
  • ", + "
  • apply within 31 days of qualifying for certain sickness or disability benefits, such as Disability Living Allowance or Personal Independence Payment
  • " + ] + ] + ], + "evidences": [ + "

    Usually, tax credits are backdated by up to 31 days from the start of your claim.

    ", + "

    When you make a claim, your tax credits are usually backdated automatically by up to 31 days. You do not have to do anything.

    ", + "

    Tax credit claims can sometimes be backdated by more than 31 days if you:

    ", + "
  • apply within a month of getting refugee status
  • ", + "
  • apply within 31 days of qualifying for certain sickness or disability benefits, such as Disability Living Allowance or Personal Independence Payment
  • " + ], + "id": "train-378" + }, + { + "url": "https://www.gov.uk/running-community-amateur-sports-club", + "scenario": "My friend Martin and i are sport fanatics and we have decided to set up a community amateur sports club. We need to come up with a binding document to set up the purpose and structure of the club.", + "question": "Where can I get help regarding writing that club governing document?", + "not_answerable": false, + "answers": [ + [ + "hmrc\u2019s charities helpline", + [] + ], + [ + "cascinfo.co.uk", + [] + ] + ], + "evidences": [ + "

    You can get help and advice on CASCs and charities from HMRC\u2019s charities helpline.

    ", + "

    Advice and support is also available from cascinfo.co.uk.

    " + ], + "id": "train-379" + }, + { + "url": "https://www.gov.uk/running-community-amateur-sports-club", + "scenario": "My local golf team members opened a golf club since 2016. We have been getting income from our membership subscription fees and members pub etc.Our trading income is \u00a320,000 a year .", + "question": "Can we get excempted from paying taxes?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You don\u2019t pay tax on some income as long as you:

    ", + "
  • are registered as a CASC with HMRC
  • ", + "
  • use it to promote participation in and provide facilities for eligible sports
  • " + ] + ], + [ + "no", + [ + "
  • your club uses money for other (non-qualifying) purposes
  • ", + "
  • your trading or property rental income is more than the threshold for relief
  • " + ] + ] + ], + "evidences": [ + "

    You don\u2019t pay tax on some income as long as you:

    ", + "
  • are registered as a CASC with HMRC
  • ", + "
  • use it to promote participation in and provide facilities for eligible sports
  • ", + "

    You may need to pay tax if:

    ", + "
  • your club uses money for other (non-qualifying) purposes
  • ", + "
  • your trading or property rental income is more than the threshold for relief
  • " + ], + "id": "train-380" + }, + { + "url": "https://www.gov.uk/dispose-hazardous-waste", + "scenario": "I run a transport business as a waste carrier. I took some hazardous waste to the disposal site and it was rejected citing incomplete consignment note. I am very frustrated as the traffic is very high.", + "question": "What should I do?", + "not_answerable": false, + "answers": [ + [ + "follow the guidance on rejected loads", + [] + ] + ], + "evidences": [ + "

    You must follow the guidance on rejected loads if your hazardous waste is rejected by the destination site you sent it to.

    ", + "

    You must follow the guidance on rejected loads if a consignee rejects the hazardous waste you\u2019re transporting.

    " + ], + "id": "train-381" + }, + { + "url": "https://www.gov.uk/dispose-hazardous-waste", + "scenario": "My Sister works in a nearby pharmacy. Her employer has tasked her with sorting all expired drugs for a safe disposal.", + "question": "Where can she go for advice?", + "not_answerable": false, + "answers": [ + [ + "the environment agency", + [] + ] + ], + "evidences": [ + "

    Contact the Environment Agency if you have any questions about hazardous waste.

    " + ], + "id": "train-382" + }, + { + "url": "https://www.gov.uk/school-discipline-exclusions", + "scenario": "My nephew is in Year 7 and has been permanently excluded from his school after several warning of indiscipline. I don\u2019t want him to drop out of school completely because he is still young.", + "question": "Can i seek help from the local council?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If the governors don\u2019t overturn the exclusion, you can ask for an independent review by your local council (or academy trust if the school\u2019s an academy). The governors must tell you how to do this.

    ", + "

    If alternative education isn\u2019t arranged within 5 days, or you\u2019re not happy with the education, you can complain to:

    " + ] + ] + ], + "evidences": [ + "

    The school or local council must tell you about any alternative education they arrange. It\u2019s your responsibility to make sure your child attends.

    ", + "

    If alternative education isn\u2019t arranged within 5 days, or you\u2019re not happy with the education, you can complain to:

    ", + "
  • the local council, for permanent exclusions
  • ", + "

    If the governors don\u2019t overturn the exclusion, you can ask for an independent review by your local council (or academy trust if the school\u2019s an academy). The governors must tell you how to do this.

    " + ], + "id": "train-383" + }, + { + "url": "https://www.gov.uk/school-discipline-exclusions", + "scenario": "My neighbour\u2019s son came home from school with a swollen face and a strained arm. He disclosed that he has been bullied in school by his classmate. No action was taken by the headteacher after reporting.", + "question": "Can school not have a bullying policy?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Every school has a behaviour policy, which lists the rules of conduct for pupils before and after school as well as during the school day.

    ", + "

    The policy should also say what the school does to prevent bullying.

    " + ], + "id": "train-384" + }, + { + "url": "https://www.gov.uk/patent-your-invention", + "scenario": "One of our staff has invented a very unique energy saving product during his work in our company which is eco friendly.Our employer is very excited and would like to patent it.", + "question": "Can he get a fast grant?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    To be granted a patent, your invention must be all of the following:

    ", + "
  • something that can be made or used
  • ", + "
  • new
  • ", + "
  • inventive - not just a simple modification to something that already exists
  • ", + "

    You may also be able to get a \u2018fast grant\u2019 if, for example:

    ", + "
  • your invention has some sort of environmental benefit (green channel)
  • " + ], + "id": "train-385" + }, + { + "url": "https://www.gov.uk/patent-your-invention", + "scenario": "I would like to go into business investiment with my potential investor. I would like to discuss details of my invention but i am not well farmiliar with the law surrounding patency.", + "question": "What legal help can i seek?", + "not_answerable": false, + "answers": [ + [ + "speaking to a patent attorney or other professional advisor", + [] + ], + [ + "attending an intellectual property (ip) clinic", + [] + ], + [ + "going to the british library business and ip centre in london", + [] + ], + [ + "find a patent attorney or advisor", + [] + ] + ], + "evidences": [ + "

    You can get a professional to help you decide whether a patent is right for your business.

    ", + "

    You may be able to get free advice by:

    ", + "
  • speaking to a patent attorney or other professional advisor - many offer basic advice for free
  • ", + "
  • attending an intellectual property (IP) clinic
  • ", + "
  • going to the British Library Business and IP Centre in London
  • ", + "

    When you\u2019ve checked that a patent is right for your business, you should find a patent attorney or advisor. They will:

    " + ], + "id": "train-386" + }, + { + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "scenario": "y neighbour bought a farm tractor last year and it had a CE Marking affixed which he told me that it denotes that the machine meets the required safety standards.", + "question": "I found a very similar tractor that is much cheaper to buy but it doesn't have a CE marking. Can I still use it?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Most new machines, vehicles or pieces of farming equipment you buy must be \u2018CE\u2019 marked. This mark means that it has been built to meet minimum legal safety requirements.

    ", + "

    Most new machines or pieces of equipment should also have:

    ", + "
  • a \u2018declaration of conformity\u2019 to show that it meets EU standards
  • " + ], + "id": "train-387" + }, + { + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "scenario": "My mother owns a combine harvester machine and uses it to harvest her farm produce. It works very early in the morning or in the evening. My neighbours have been complaining of noise nuisance.", + "question": "Are there any regulations on noise levels at work?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    High levels of noise can damage hearing. By law, you must assess the level of noise in areas where people work for you. You must take action where noise exceeds certain levels.

    ", + "

    Read information from the Health and Safety Executive (HSE) on noise levels at work.

    " + ], + "id": "train-388" + }, + { + "url": "https://www.gov.uk/agricultural-workers-rights", + "scenario": "My husband has got a full time job promotion as a farm supervisor grade 5 in one of the leading agricultural companies in Wales. He is very excited and would like to know his take home salary.", + "question": "What is the minimum wage he will he get per week?", + "not_answerable": false, + "answers": [ + [ + "\u00a3339.30", + [] + ] + ], + "evidences": [ + "

    Agricultural workers in Wales must be paid at least the Agricultural Minimum Wage, or the National Minimum Wage if that\u2019s higher. The Agricultural Minimum Wage depends on the worker\u2019s job grade and category.

    ", + "Grade 5 | \u00a3339.30 | \u00a38.70 | \u00a313.05" + ], + "id": "train-389" + }, + { + "url": "https://www.gov.uk/agricultural-workers-rights", + "scenario": "My brother is employed full time in a farm in Wales and operates a combine harvester but got an accident which left him with a broken leg. He has been told to have a bed rest by the doctor. Has now been off duty for 6 days .", + "question": "Can he claim sick pay?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Agricultural workers in Wales, and those employed in England before 1 October 2013, are normally entitled to:

    ", + "
  • Agricultural Sick Pay
  • ", + "

    Agricultural workers are entitled to sick pay, meaning they\u2019ll get at least the Agricultural Minimum Wage when they\u2019re off.

    " + ], + "id": "train-390" + }, + { + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "scenario": "My fellow business partner is relocating abroad and wishes to sell his business trademark rights to me . I would like to buy and own it fully so that i can continue using it and avoid loss of business.", + "question": "How much does it cost to make a record change application?", + "not_answerable": false, + "answers": [ + [ + "\u00a350", + [] + ] + ], + "evidences": [ + "

    Each application costs \u00a350.

    " + ], + "id": "train-391" + }, + { + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "scenario": "I own a shoe manufacturing company and my business friend owns a patent of a running shoes design.I would like to buy and own the patent to expand my business .", + "question": "Do i need a solicitor to make this agreement?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Contact the owner of the patent to see if they\u2019ll:

    ", + "
  • sell it to you
  • ", + "

    A solicitor can help you draw up this document.

    " + ], + "id": "train-392" + }, + { + "url": "https://www.gov.uk/how-to-vote", + "scenario": "I have just turned 18 years and this is my first time to vote. I applied for a postal vote and spoiled the ballot paper.", + "question": "Will i be able to get another chance to vote in person at the polling station?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot vote at a polling station if you registered to vote by post but your ballot paper was lost or damaged.

    " + ], + "id": "train-393" + }, + { + "url": "https://www.gov.uk/how-to-vote", + "scenario": "My mother has gone for a 3 months holiday abroad and would like to vote in the coming general elections next month. She has requested me to vote on her behalf.", + "question": "When can she apply for a proxy vote?", + "not_answerable": false, + "answers": [ + [ + "at least 6 working days before election day", + [] + ] + ], + "evidences": [ + "

    If you\u2019re unable to vote in person you can ask someone to vote on your behalf. This is called a proxy vote.

    ", + "

    You can only apply for a proxy vote under certain circumstances, including:

    ", + "
  • being away on polling day
  • ", + "

    Usually, you need to apply for a proxy vote at least 6 working days before election day if you want to vote in England, Scotland or Wales.

    " + ], + "id": "train-394" + }, + { + "url": "https://www.gov.uk/challenge-election-result", + "scenario": "Yesterday we had our North East somerset MP Elections and i was one of the candidates. I and my team witnessed alot election fraud,destruction of ballot papers,vote buying,ballot stuffing and misrecording of votes etc I have a tangible evidence and i would like to file an election petition. .", + "question": "Can i challenge the election results within the coming 10days?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to challenge the result of an election if you think it was not run properly, for example the votes were not counted correctly or a candidate broke the law.

    ", + "

    You can challenge a UK Parliament election if either of the following apply:

    ", + "
  • you were a candidate
  • ", + "

    You can challenge a local government election if either:

    ", + "

    You must usually apply within 21 days of when:

    ", + "
  • the result of the UK Parliament election was returned to the Clerk of the Crown in Chancery
  • ", + "
  • the local government election was held
  • " + ], + "id": "train-395" + }, + { + "url": "https://www.gov.uk/challenge-election-result", + "scenario": "My friend Ann was contesting in a local government elections as a councillor .She was not satisfied with the way the elections were run and filed an election petition due to rigging.", + "question": "How much security for cost will she pay?", + "not_answerable": false, + "answers": [ + [ + "\u00a32,500", + [] + ], + [ + "pay more", + [ + "

    You might have to pay more if you lose the case or you decide to stop it.

    " + ] + ] + ], + "evidences": [ + "

    After you apply, the Election Petitions Office will tell you how much to pay for \u2018security for costs\u2019. The maximum is:

    ", + "
  • \u00a32,500 for a local government election
  • ", + "

    You\u2019ll usually get the \u2018security for costs\u2019 back if you win the case.

    ", + "

    You might have to pay more if you lose the case or you decide to stop it.

    " + ], + "id": "train-396" + }, + { + "url": "https://www.gov.uk/upper-tribunal-immigration-asylum", + "scenario": "I arrived in UK illegaly via a small boat in kent. I ran away from my country Syria after facing persecution due to my political affliations. My asylum seeking on the first tribunal has been turned down. I can\u2019t go back to my country due to my situation. I will be killed. I want to appeal to the upper tribunal for a hearing .", + "question": "Can i get a free legal aid since i have no money?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can get legal advice (including from a solicitor), or help from a regulated immigration adviser.

    ", + "

    You may be able to get legal aid.

    " + ], + "id": "train-397" + }, + { + "url": "https://www.gov.uk/upper-tribunal-immigration-asylum", + "scenario": "My Uncle sought asylum after arriving legally in UK in 2015.His first tier tribunal application was refused. He made an appeal to the upper tribunal but he is very demoralised due to how the long process has affected his health and welfare. He has decided to withdraw the appeal and go back voluntarily to his county in Kenya.", + "question": "Can he apply for the withdrawal of the appeal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Only you or your representative can withdraw your appeal. Contact the tribunal in writing if you want to withdraw your appeal - include your appeal number. The tribunal will decide whether to give you permission to withdraw, or if the hearing will go ahead.

    " + ], + "id": "train-398" + }, + { + "url": "https://www.gov.uk/how-to-register-a-trade-mark", + "scenario": "I have improvised a unique trademark logo to use on my new business venture. I would like to use it to brand my pub but i would like to know if there is another business using it before i register.", + "question": "Where can i search?", + "not_answerable": false, + "answers": [ + [ + "the trade marks database", + [] + ], + [ + "the eu trade marks register", + [] + ] + ], + "evidences": [ + "

    Before you apply, you must search the trade marks database to check if anyone has already registered an identical or similar trade mark for the same or similar goods or services.

    ", + "

    You must also check the EU trade marks register on the European Union Intellectual Property Office website for any EU applications that were \u2018pending\u2019 on 1 January 2021. These applications have priority over yours.

    " + ], + "id": "train-399" + }, + { + "url": "https://www.gov.uk/how-to-register-a-trade-mark", + "scenario": "I have compiled all the necessary documents to register my food and drinks trademark. I would like to check if my application meets the rules of registration.", + "question": "How much should I pay initially?", + "not_answerable": false, + "answers": [ + [ + "\u00a3100", + [] + ] + ], + "evidences": [ + "

    You pay \u00a3100 initially, plus \u00a350 for each additional class. You\u2019ll then get a report telling you if your application meets the rules.

    " + ], + "id": "train-400" + }, + { + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "scenario": "My late husband served in the Brtitish Army since 1990. He died 2004 after a bomb was thrown to his bunker during a war in iraq.", + "question": "Can i apply for a veterans badge?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • a War Widow\u2019s or Widower\u2019s Pension
  • ", + "
  • compensation under the Survivors Guaranteed Income Payment (SGIP)
  • " + ] + ] + ], + "evidences": [ + "

    You can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.

    ", + "

    You can apply if you were in the:

    ", + "
  • army
  • ", + "

    You can only apply on behalf of a veteran who\u2019s died if you get either:

    ", + "
  • a War Widow\u2019s or Widower\u2019s Pension
  • ", + "
  • compensation under the Survivors Guaranteed Income Payment (SGIP)
  • " + ], + "id": "train-401" + }, + { + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "scenario": "My Grandfather served in the British Army and would like to apply for a Veteran\u2019s badge.He lives alone and is disabled.", + "question": "Can he apply via email?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Post the form to the Ministry of Defence (MOD) Medal Office - the address is on the form. Do not send the form by email.

    ", + "

    You cannot apply for a veterans badge by email.

    " + ], + "id": "train-402" + }, + { + "url": "https://www.gov.uk/emergency-and-lifesaving-equipment-on-ships", + "scenario": "My family owns a small passenger boat which is fitted with life jackets and firefighting equipments for safety. Fortunately there have been no accidents or major incident.", + "question": "How often do we have to check our fire extinguishers?", + "not_answerable": false, + "answers": [ + [ + "monthly", + [] + ] + ], + "evidences": [ + "

    All ships must carry certain emergency and life-saving equipment. This equipment must meet minimum standards and must be properly tested and serviced.

    ", + "

    Emergency and life-saving equipment include things like:

    ", + "
  • fire-fighting equipment
  • ", + "

    All fire protection systems and equipment should be regularly tested and maintained so that they\u2019re ready for immediate use when needed.

    ", + "

    You must carry out monthly fire equipment testing and inspection to make sure that:

    ", + "
  • all fireman\u2019s outfits, fire extinguishers, fire hydrants, hoses and nozzles are in place and in good condition
  • " + ], + "id": "train-403" + }, + { + "url": "https://www.gov.uk/emergency-and-lifesaving-equipment-on-ships", + "scenario": "My employer owns a large commercial yatch and would like to buy life saving appliances of high quality. He need help .", + "question": "Whom can he contact for guidance?", + "not_answerable": false, + "answers": [ + [ + "the maritime and coastguard agency (mca)", + [] + ] + ], + "evidences": [ + "

    All ships must carry certain emergency and life-saving equipment. This equipment must meet minimum standards and must be properly tested and serviced.

    ", + "

    You can contact the Maritime and Coastguard Agency (MCA) for further information on life-saving appliances.

    " + ], + "id": "train-404" + }, + { + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "scenario": "My dog had a bad reaction to a deworming tablet i gave . It has been vomitting and have a loose stool. I have unfortunately disposed the packet.", + "question": "Whom should i contact?", + "not_answerable": false, + "answers": [ + [ + "the veterinary medicines directorate (vmd)", + [] + ] + ], + "evidences": [ + "

    You can report an unexpected reaction to an animal medicine or microchip to the Veterinary Medicines Directorate (VMD). You can also report if an animal medicine has not worked.

    " + ], + "id": "train-405" + }, + { + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "scenario": "My veterinarian prescribed a drug to my pet last year to kill fleas. However, it doesn't seem to have worked.", + "question": "Can I report this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can report an unexpected reaction to an animal medicine or microchip to the Veterinary Medicines Directorate (VMD). You can also report if an animal medicine has not worked.

    ", + "

    You can report when a medicine may not have worked, or could have made your animal unwell.

    " + ], + "id": "train-406" + }, + { + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "scenario": "I am moving to my newly built house but during my previous visit to the house I found lots of construction waste lying around. The contracted builder did not make a good waste disposal. I would like the construction wastes disposed correctly. I have searched online and got hold of a nearby waste carrier.", + "question": "Can I look up if the waste carrier is qualified to dispose of waste?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Contact the organisation in your region if you have any questions about business and commercial waste.

    " + ], + "id": "train-407" + }, + { + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "scenario": "My Friend Marcus want to be a registered waste dealer. He is has a past experience as a dealer but in one occasion he was fined \u00a35000 for operating without proper registrations.", + "question": "Does he need to declare this charge which happened in the past before seeking registration?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-408" + }, + { + "url": "https://www.gov.uk/hiring-crew", + "scenario": "After surviving a covid pandemic , i have secured my dream job as a Chef de Partie in a Cruise ship.Being very a very motivated professional with excellent food knowledge.", + "question": "Can I get exempt from a certificate of competency?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Crew members doing specialist jobs or working on particular types of craft may need special training.

    ", + "

    Some crew members need a certificate of competency (CoC) or certificate of equivalent competency (CEC) to carry out certain duties.

    ", + "

    Ships\u2019 cooks and security officers may also need a CoC.

    " + ], + "id": "train-409" + }, + { + "url": "https://www.gov.uk/hiring-crew", + "scenario": "My sister is an assistant HR at a cruise shipping agency based in UK. They are currently doing mass recruitment drives of seafearers. She want to get a clear recruitment guideline inorder to select the most Qualified crew and sign agreement.", + "question": "She would like to know how long does the crew agreement last?", + "not_answerable": false, + "answers": [ + [ + "up to 12 months", + [] + ] + ], + "evidences": [ + "

    A crew agreement can last up to 12 months. After this period, a new agreement must be drawn up.

    " + ], + "id": "train-410" + }, + { + "url": "https://www.gov.uk/vat-charities", + "scenario": "My church owns a small charity shop which is UK VAT registered. We donate clothes and shoes to less privileged children in Africa. Last month we shipped bales of clothes and shoes and incured alot of expenses", + "question": "Can our charity claim VAT out of these supplies costs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    As a charity you do not pay VAT when you buy some goods and services.

    ", + "

    You must register for VAT if your charity\u2019s VAT taxable turnover (the total value of everything you sell that isn\u2019t exempt from VAT) is more than \u00a385,000.

    ", + "

    Charities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.

    ", + "

    If you\u2019re registered you may be able to reclaim VAT when you file your VAT Return.

    ", + "

    You can reclaim the VAT you were charged on goods and services relating to your taxable business activities.

    ", + "

    If you supply goods outside the UK free of charge (for example as aid), you can treat this as a zero-rate business activity (0% VAT) so you can reclaim the VAT on any associated costs.

    " + ], + "id": "train-411" + }, + { + "url": "https://www.gov.uk/vat-charities", + "scenario": "My Aunt is a breast cancer survivor and has been running a charity shop to aid in breast awareness funds.Her turnovers the last 3 years has reached \u00a380000 per year but she has realised a turnover drop this year to \u00a370000 and she is not hopeful of a future increase.", + "question": "Does she need to apply for voluntary VAT registration?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must register for VAT if your charity\u2019s VAT taxable turnover (the total value of everything you sell that isn\u2019t exempt from VAT) is more than \u00a385,000.

    ", + "

    You can choose to register if it\u2019s below this, for example if you want to reclaim VAT on your supplies.

    ", + "

    As a charity, you must register for VAT with HM Revenue and Customs (HMRC) if your VAT taxable turnover is more than \u00a385,000.

    ", + "

    You can choose to register if it\u2019s below this, for example to reclaim VAT on your supplies.

    " + ], + "id": "train-412" + }, + { + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "scenario": "My grandfather is a homeowner and his heating system needed replacement.His finances were low during covid pandemic and applied for home improvement voucher to get it fixed.He was given a grant worthy \u00a35000", + "question": "Will he make the repayment all at once?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You pay back the loan through a charge added to your electricity bill. If you have a prepayment meter, a small amount will be taken from the meter each day.

    " + ], + "id": "train-413" + }, + { + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "scenario": "My partner and i have decided to buy a property. Fortunately we have found a perfect house going at \u00a3520000.It has a green deal and the seller has informed has that it still has an outstanding amount to be paid . Before completing the property payment .", + "question": "Will the seller to clear the green deal outstanding bill for us?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you move into a property with a Green Deal, the landlord or seller must show you a copy of the Energy Performance Certificate (EPC). This will explain what improvements have been made and how much you\u2019ll need to repay.

    ", + "

    The person who pays the electricity bill pays the money back.

    " + ], + "id": "train-414" + }, + { + "url": "https://www.gov.uk/donating-to-charity", + "scenario": "My mother has been keeping records of their charity for the last 3 years . Recently they got a land donations from a local MP she is the custodian of the land transfer documents.", + "question": "For how long should she keep the documents?", + "not_answerable": false, + "answers": [ + [ + "at least 22 months from the end of the tax year they\u2019re for", + [] + ] + ], + "evidences": [ + "

    You must keep records of the donation to show that you\u2019ve made the gift or sale and that the charity has accepted it.

    ", + "

    For donations of land, property or shares you need to keep:

    ", + "
  • legal documents showing the sale or transfer to charity
  • ", + "

    You normally have to keep your records for at least 22 months from the end of the tax year they\u2019re for.

    " + ], + "id": "train-415" + }, + { + "url": "https://www.gov.uk/donating-to-charity", + "scenario": "I have inherited two houses from my parents through a will.I am childless and no known relatives. I have decided to donate one house as a gift to a charity who have requested me to sell it on their behalf.", + "question": "Will i be able to claim tax relief of this donation if I lost records of the gift?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not have to pay tax on land, property or shares you donate to charity. This includes selling them for less than their market value.

    ", + "

    You can do this and still claim tax relief for the donation, but you must keep records of the gift and the charity\u2019s request. Without them, you might have to pay Capital Gains Tax.

    " + ], + "id": "train-416" + }, + { + "url": "https://www.gov.uk/tax-credits-if-moving-country-or-travelling", + "scenario": "My Aunt is a widow and recieves widows benefits. Due to her work efficiency her UK employer has requested her to go and work in their other office in France for the next 2 years. She has a 2 children who are on childtax credit.", + "question": "Will her tax credits and childtax credits be affected if she moves to france?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may continue to get tax credits if you\u2019re a Crown servant posted overseas or you live abroad with your child and get UK benefits or the State Pension.

    ", + "

    If none of the sections above apply to you, you may continue to get Child Tax Credit (or add it to an existing Working Tax Credit claim) if you and your child live in a European Union (EU) member state and you get State Pension or one of the following benefits:

    ", + "
  • Widow\u2019s Benefit
  • " + ], + "id": "train-417" + }, + { + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "scenario": "I lost my original copies of my trademark registration documents. I would like to make a request to get copies of the same.", + "question": "How much will it cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a320 each", + [ + "

    Certified copies cost \u00a320 each.

    " + ] + ], + [ + "\u00a35", + [ + "

    Uncertified copies usually cost \u00a35 - large documents may cost more.

    " + ] + ], + [ + "\u00a35 set fee and \u00a31.20 per page", + [ + "

    Uncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.

    " + ] + ] + ], + "evidences": [ + "

    There are 2 types of copy \u2013 certified and uncertified.

    ", + "

    Certified copies cost \u00a320 each.

    ", + "

    Uncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.

    ", + "

    Uncertified copies usually cost \u00a35 - large documents may cost more.

    " + ], + "id": "train-418" + }, + { + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "scenario": "I inherited a registered trade mark logo from my grandfather business. I have used it for a long time and i have a goodwill on the logo. A business competitor has copied it and using it .", + "question": "Which form do i need to fill to apply for copy trademark documents?", + "not_answerable": false, + "answers": [ + [ + "form tm31r", + [] + ] + ], + "evidences": [ + "

    Use form TM31R to get a certified copy of a trade mark.

    " + ], + "id": "train-419" + }, + { + "url": "https://www.gov.uk/elections-in-the-uk", + "scenario": "I am 19 years old student.I registered my vote in wiltshire Council. I have now moved to Birmingham city Council after Joining my University. I would like to vote in the coming local elections.", + "question": "Can I choose whether to vote in Birmingham city Council or in wiltshire Council?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    To vote in a local government election you must:

    ", + "
  • be registered at an address in the area you want to vote in
  • ", + "

    If you live in 2 different local authority areas (for example because you\u2019re a student), you may be able to vote in both areas.

    ", + "

    You must register to vote in both areas. The local Electoral Registration Offices will check each application and tell you if you can register in both areas.

    " + ], + "id": "train-420" + }, + { + "url": "https://www.gov.uk/elections-in-the-uk", + "scenario": "I am a 30 years old UK resident. I would like to vote in the coming local government elections . I pay council tax every month.", + "question": "Am i registered as a voter automatically?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    To vote in a general election you must:

    ", + "
  • be registered to vote
  • ", + "

    To vote in a local government election you must:

    ", + "
  • be registered at an address in the area you want to vote in
  • " + ], + "id": "train-421" + }, + { + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "scenario": "My son is a 20 year old. He has a driving licence, and currently drives a 1500kg non-tracked tractor. I am considering purchasing a tracked tractor, which weighs 4000kg. I want my son to learn how to drive this.", + "question": "Will my son be lawfully able to drive this vehicle?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not need a licence to drive or operate:

    ", + "
  • a tractor or specialist vehicle off the public road (there are age limits)
  • ", + "

    You need a full category B car licence with provisional entitlement for categories G and H to drive:

    ", + "
  • tracked vehicles (category H)
  • ", + "Tracked vehicles | H | 17/21***", + "

    ***If you\u2019re between 17 and 20 the Maximum Authorised Mass (MAM) of the vehicle cannot be more than 3,500kg. (Maximum Authorised Mass is the maximum weight of a vehicle including the maximum load that can be carried safely while used on the road.)

    " + ], + "id": "train-422" + }, + { + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "scenario": "I am looking to practice how to drive a category G road roller. I hold a driver's licence, and I am three-two years old. I know I am able to begin learning, and I have started to look for an instructor. I do not know where to start.", + "question": "Where am I able to find an approved instructor?", + "not_answerable": false, + "answers": [ + [ + "approved driving instructor (adi)", + [ + "

    You might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.

    " + ] + ] + ], + "evidences": [ + "

    You need a full category B car licence with provisional entitlement for categories G and H to drive:

    ", + "
  • road rollers (category G)
  • ", + "

    You might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.

    " + ], + "id": "train-423" + }, + { + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "scenario": "My son is 16 years and lives in England . He possesses a provisional tractor and specialist vehicle license and would like him to operate our combine harvester since I have an arm injury .", + "question": "Is he allowed to drive it via public road to my farm?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you pass a regular car driving test (category B) you\u2019ll get entitlement to drive:

    ", + "
  • agricultural tractors (category F)
  • ", + "
  • mowing machines or pedestrian-controlled vehicles (category K)
  • ", + "

    For all other categories you need the correct full licence to drive the tractor or special vehicle on the road.

    ", + "

    To get this you first need to get the right provisional driving licence entitlement and then pass a tractor or specialist vehicle driving test.

    ", + "

    You do not need a licence to drive or operate:

    ", + "
  • a tractor or specialist vehicle off the public road (there are age limits)
  • ", + "

    You need a full category B car licence with provisional entitlement for categories G and H to drive:

    ", + "
  • tracked vehicles (category H)
  • ", + "Agricultural tractors | F | 16/17*", + "

    *If you\u2019re 16 you can only drive tractors less than 2.45 metres wide and tow trailers less than 2.45 metres wide with 2 wheels, or 4 wheels close-coupled (close together).

    " + ], + "id": "train-424" + }, + { + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "scenario": "I am 17 years old and have passed my car driving test category B. would like to help my father to spread manure on his farm with a Muck spreader. The farm is next to our home.", + "question": "Do i qualify?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you pass a regular car driving test (category B) you\u2019ll get entitlement to drive:

    ", + "
  • agricultural tractors (category F)
  • ", + "

    You do not need a licence to drive or operate:

    ", + "
  • a tractor or specialist vehicle off the public road (there are age limits)
  • ", + " | Category | Minimum age", + "Agricultural tractors | F | 16/17*", + "

    Category F includes tractors with 2 or more axles, built for off-road agriculture or forestry work.

    " + ], + "id": "train-425" + }, + { + "url": "https://www.gov.uk/driving-abroad", + "scenario": "I have plans to drive abroad in my upcoming holiday. I have taken my own vehicle when I travel abroad many times . This time I might take a hired vehicle", + "question": "What additional certificates do I need other than the insurance certificate and V5C ?", + "not_answerable": false, + "answers": [ + [ + "your great britain or northern ireland driving licence", + [] + ], + [ + "a ve103 certificate", + [] + ], + [ + "an international driving permit (idp)", + [ + "

    You might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.

    " + ] + ] + ], + "evidences": [ + "

    You need to take your Great Britain or Northern Ireland driving licence with you to drive abroad. Check yours is still valid and renew your driving licence online if it\u2019s expired or about to expire. You\u2019ll need to apply to renew your licence at least a week before you travel.

    ", + "

    If you\u2019re taking your own vehicle, you also need to take your log book (V5C) and your insurance certificate.

    ", + "

    If you\u2019re taking a vehicle abroad that you\u2019ve hired or leased in the UK, you\u2019ll need a VE103 certificate.

    ", + "

    You might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.

    " + ], + "id": "train-426" + }, + { + "url": "https://www.gov.uk/driving-abroad", + "scenario": "I am planning for a drive trip to Switzerland this summer. I hold a photocard driving licence issued in the UK but don't have an international driving permit.", + "question": "Do I need international driving permit to drive in Switzerland ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.

    ", + "

    You may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:

    ", + "
  • which country you\u2019re visiting
  • ", + "
  • how long you\u2019re staying
  • ", + "

    You do not need an IDP to drive in the EU, Switzerland, Norway, Iceland or Liechtenstein if you have a photocard driving licence issued in the UK.

    " + ], + "id": "train-427" + }, + { + "url": "https://www.gov.uk/vehicle-registration", + "scenario": "I own a vehicle which I have made modifications to. I have changed all of the major components to the car, but have maintained their original specifications and weights.", + "question": "Will I need to change the vehicle's registration number?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    A rebuilt vehicle can keep its original registration number if you can prove you\u2019ve used:

    ", + "
  • the original unmodified chassis or bodyshell (car or light van)
  • ", + "
  • a new chassis or monocoque bodyshell of the same specification as the original (car or light van)
  • ", + "
  • the original unmodified frame (motorbike)
  • ", + "
  • a new frame of the same specification as the original (motorbike)
  • ", + "

    You must also have 2 other major components from the original vehicle from the following lists.

    ", + "

    For cars or light vans:

    ", + "
  • suspension (front and back)
  • ", + "
  • steering assembly
  • ", + "
  • axles (both)
  • ", + "
  • transmission
  • ", + "
  • engine
  • " + ] + ] + ], + "evidences": [ + "

    You have to register a car or any other vehicle as soon as you\u2019ve:

    ", + "
  • rebuilt or altered it
  • ", + "

    DVLA may need to inspect your vehicle to:

    ", + "
  • make sure the vehicle exists, has been assembled into a complete vehicle and the log book (V5C) is in your name
  • ", + "
  • update their records because of changes you\u2019ve made to the vehicle
  • ", + "

    A rebuilt vehicle can keep its original registration number if you can prove you\u2019ve used:

    ", + "
  • the original unmodified chassis or bodyshell (car or light van)
  • ", + "
  • a new chassis or monocoque bodyshell of the same specification as the original (car or light van)
  • ", + "
  • the original unmodified frame (motorbike)
  • ", + "
  • a new frame of the same specification as the original (motorbike)
  • ", + "

    You must also have 2 other major components from the original vehicle from the following lists.

    ", + "

    For cars or light vans:

    ", + "
  • suspension (front and back)
  • ", + "
  • steering assembly
  • ", + "
  • axles (both)
  • ", + "
  • transmission
  • ", + "
  • engine
  • ", + "

    Radically altered vehicles are vehicles that have been altered from their original specification, but are not kit conversions.

    ", + "

    DVLA uses a points system to decide what registration number to give a radically altered vehicle.

    ", + "

    Your vehicle must have 8 or more points from the table below if you want to keep the original registration number. 5 of these points must come from having the original or new and unmodified chassis, monocoque bodyshell or frame.

    ", + "Part | Points", + "Chassis, monocoque bodyshell (body and chassis as one unit) or frame - original or new and unmodified (direct from manufacturer) | 5", + "Suspension (front and back) - original | 2", + "Axles (both) - original | 2", + "Transmission - original | 2", + "Steering assembly - original | 2", + "Engine - original | 1", + "

    If you have a kit car, rebuild, or radically altered vehicle, DVLA will usually have to assess it.

    ", + "

    You may be able to keep its original registration number if you can prove the vehicle\u2019s original VIN. If you cannot, you\u2019ll have to apply for a replacement identity number.

    " + ], + "id": "train-428" + }, + { + "url": "https://www.gov.uk/vehicle-registration", + "scenario": "I have bit a new kit car. The car meets all the specifications to be road worth. I am now looking to register the vehicle. It has never been registered before.", + "question": "What fees are involved with the registration?", + "not_answerable": false, + "answers": [ + [ + "the new registration fee of \u00a355", + [] + ] + ], + "evidences": [ + "

    As well as documents to prove your identity, you must also send:

    ", + "
  • the new registration fee of \u00a355, if you have to pay it
  • " + ], + "id": "train-429" + }, + { + "url": "https://www.gov.uk/importing-vehicles-into-the-uk", + "scenario": "My uncle shipped a left hand drive car from Canada.He has registered and paid all the vehicle taxes.He wishes to use it in the UK.", + "question": "Does he need to apply for certificate of mutual recognition?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If the vehicle\u2019s not registered in the EU

    ", + "

    To get approval for a vehicle that\u2019s not registered in the EU, apply for either:

    ", + "
  • Individual Vehicle Approval (IVA)
  • ", + "

    If the vehicle\u2019s registered in the EU

    ", + "

    Get a European Certificate of Conformity from the manufacturer to show you have approval for an EU-registered vehicle.

    ", + "

    You also have to get a certificate of Mutual Recognition if it\u2019s a left hand drive vehicle.

    " + ], + "id": "train-430" + }, + { + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "scenario": "I am an experienced rider having passed my test 15 years ago. I also obtained an advanced riding qualification from a motorcycle club. I have a caution for violent behaviour from when I was a teenager.", + "question": "Will the historic caution for violence 20 years ago be a bar from passing on my riding skills officially as a DAS instructor?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you pass, fill in Form 4 to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a direct access scheme (DAS) certified instructor.

    ", + "

    You\u2019ll have to give details of any motoring or non-motoring offences you\u2019ve got within the last 4 years on your application form. These will be taken into account when DVSA assesses your suitability to be authorised.

    ", + "

    You are not allowed to conduct DAS courses until you\u2019ve got your registration certificate.

    " + ], + "id": "train-431" + }, + { + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "scenario": "I am a competent motorcycle rider and also a qualified sports coach. I am dyslexic and have previously been allowed to use a spell checker in official assessments.", + "question": "Can I use my spell checker as a reasonable adjustment during the assessment process?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-432" + }, + { + "url": "https://www.gov.uk/motorcycle-test", + "scenario": "I am a 31 year old from London and I have a motorcycle practical test booked for in a few weeks time but I have lost my theory test certificate.", + "question": "Can I get a new certificate?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must take:

    ", + "
  • your theory test pass certificate
  • ", + "

    Your test will be cancelled and you will not get your money back if you do not take the right things with you.

    ", + "

    If you\u2019ve lost your theory test certificate

    ", + "

    Contact DVSA with your:

    ", + "
  • name
  • ", + "
  • address
  • ", + "
  • date of birth
  • ", + "
  • driving licence number
  • ", + "

    You\u2019ll be sent a letter that you can take to your test instead of your pass certificate.

    " + ], + "id": "train-433" + }, + { + "url": "https://www.gov.uk/motorcycle-test", + "scenario": "I am a 42 year old from Kent and I have a motorcycle test next week but I only have an electric motorcycle.", + "question": "Can this be used to the test?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    The motorcycle or moped you use for your tests must:

    ", + "
  • be a solo machine - you can only use a sidecar if you have certain disabilities
  • ", + "
  • have a speedometer measuring speed in miles per hour (mph)
  • ", + "
  • display L plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear
  • ", + "
  • be insured, taxed and roadworthy and have no engine warning lights showing
  • ", + "

    In both modules of the test, you must use:

    ", + "
  • the same subcategory as the licence you\u2019re applying for
  • ", + "
  • a vehicle with the same type of transmission (manual, automatic or semi-automatic)
  • ", + "

    You can use an electric motorcycle or moped if it both:

    ", + "
  • has the same engine power as the petrol version
  • ", + "
  • can keep that power for at least 30 minutes
  • " + ] + ] + ], + "evidences": [ + "

    The motorcycle or moped you use for your tests must:

    ", + "
  • be a solo machine - you can only use a sidecar if you have certain disabilities
  • ", + "
  • have a speedometer measuring speed in miles per hour (mph)
  • ", + "
  • display L plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear
  • ", + "
  • be insured, taxed and roadworthy and have no engine warning lights showing
  • ", + "

    In both modules of the test, you must use:

    ", + "
  • the same subcategory as the licence you\u2019re applying for
  • ", + "
  • a vehicle with the same type of transmission (manual, automatic or semi-automatic)
  • ", + "

    You can use an electric motorcycle or moped if it both:

    ", + "
  • has the same engine power as the petrol version
  • ", + "
  • can keep that power for at least 30 minutes
  • " + ], + "id": "train-434" + }, + { + "url": "https://www.gov.uk/setting-up-an-approved-tachograph-centre", + "scenario": "My father wants to set up an approved Tachograph center . He needs to make an application, follow the right guidelines and fill out the required forms.", + "question": "How can he apply?", + "not_answerable": false, + "answers": [ + [ + "fill in form gv207", + [] + ], + [ + "send your application to the address on the form", + [] + ] + ], + "evidences": [ + "

    If you want to set up an Approved Tachograph Centre (ATC), you will need to read the ATC manual and fill in form GV207.

    ", + "

    Send your application to the address on the form.

    ", + "

    You can also contact the Driver and Vehicle Standards Agency (DVSA) for the form and manual.

    " + ], + "id": "train-435" + }, + { + "url": "https://www.gov.uk/setting-up-an-approved-tachograph-centre", + "scenario": "My friend is a goods vehicle driver and also does maintenance in his workshop. He would like to register for a tachograph smart card but would like to know the cost.", + "question": "How much does it cost to apply?", + "not_answerable": false, + "answers": [ + [ + "tachograph workshop cards are issued free of charge", + [] + ] + ], + "evidences": [ + "

    Tachograph workshop cards are issued free of charge. They are automatically renewed every year on 31 March.

    " + ], + "id": "train-436" + }, + { + "url": "https://www.gov.uk/run-local-bus-service", + "scenario": "I am a full time driver and hold a Public services vehicle operator's license and hold a community bus permit. I am planning to register for a local bus service", + "question": "What is the fees to register a local bus service ?", + "not_answerable": false, + "answers": [ + [ + "\u00a360", + [] + ] + ], + "evidences": [ + "

    It costs:

    ", + "
  • \u00a360 to register a local bus service
  • " + ], + "id": "train-437" + }, + { + "url": "https://www.gov.uk/run-local-bus-service", + "scenario": "We are a local education authority in England. We operate a bus service to pick some of the students and not for public service", + "question": "Do we have to register to run as a local bus service ?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You do not need to register a service if the only passengers who pay fares are either:

    ", + "
  • studying at a school or college
  • ", + "
  • supervising pupils or students
  • ", + "
  • teachers or assistants working at the school or college
  • " + ] + ] + ], + "evidences": [ + "

    You can register a local bus service if you:

    ", + "
  • are a local education authority and want to provide a local service using a school bus belonging to you
  • ", + "

    You do not have to register a bus service if all of the following apply:

    ", + "
  • someone other than you or your agent is responsible for arranging the journey and bringing the passengers together
  • ", + "
  • the journey is not advertised in advance to the general public
  • ", + "
  • all passengers travel together to or from the same place - for example a school or factory
  • ", + "
  • passengers pay the same fare no matter how far they travel
  • ", + "

    If you operate a bus service provided by a local education authority in England or Wales, you may not have to register it.

    ", + "

    You do not need to register a service if the only passengers who pay fares are either:

    ", + "
  • studying at a school or college
  • ", + "
  • supervising pupils or students
  • ", + "
  • teachers or assistants working at the school or college
  • " + ], + "id": "train-438" + }, + { + "url": "https://www.gov.uk/ride-motorcycle-moped", + "scenario": "I have got my provisional driving licence for learning motorcycle. I have recently bought a motorcycle which has a valid V5C, properly taxed, motor insurance and has a valid MOT", + "question": "Can I use my vehicle to learn ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Learning to ride

    ", + "

    You need to have the right provisional driving licence when you\u2019re learning to ride.

    ", + "

    If you\u2019re using your own vehicle you\u2019ll need to make sure it:

    ", + "
  • has a valid V5C registration certificate (log book)
  • ", + "
  • is taxed
  • ", + "
  • has an MOT (if needed)
  • ", + "

    You\u2019ll also need adequate motor insurance.

    " + ], + "id": "train-439" + }, + { + "url": "https://www.gov.uk/ride-motorcycle-moped", + "scenario": "My father own a moped with a speed range 40 km/hr. I am 17 years old and want to get a license to ride the moped", + "question": "what are the requirements for me to get a license to ride my father's moped ?", + "not_answerable": false, + "answers": [ + [ + "compulsory basic training (cbt), theory test, practical test on all powered 2-wheeled moped", + [] + ] + ], + "evidences": [ + "

    To ride on public roads you first need to get a provisional licence and then complete compulsory basic training (CBT) to get a certificate.

    ", + "

    The way moped entitlements are shown on your licence have changed, but you still need to be 16 to ride one.

    ", + " | Licence category | Requirements for licence | Minimum age", + "Mopeds with speed range of 25 km/h to 45 km/h | AM | Compulsory basic training (CBT), theory test, practical test on all powered 2-wheeled moped | 16" + ], + "id": "train-440" + }, + { + "url": "https://www.gov.uk/ride-motorcycle-moped", + "scenario": "I want to drive a 50cc moped. I have been told that I do not need a CBT if I have a driving licence. I passed my driving test on the 3rd January 2001.", + "question": "Do I need to do a CBT to ride a moped?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Car driving test passed before 1 February 2001

    ", + "

    You do not need to take compulsory basic training (CBT) to ride a moped if you passed your car driving test before 1 February 2001. You\u2019ll still need to complete CBT to ride a motorbike, however.

    " + ], + "id": "train-441" + }, + { + "url": "https://www.gov.uk/ride-motorcycle-moped", + "scenario": "I have passed my standard motorcycle licence. I am 19 years old and I am looking to buy a motorbike. I am not sure what I am allowed to drive.", + "question": "What is the most powerful motorbike am I legally allowed to ride?", + "not_answerable": false, + "answers": [ + [ + "a power output not more than 15 kw", + [] + ] + ], + "evidences": [ + "Small 3-wheelers (up to 50 cc and below 4 kW) | AM | CBT, theory test, practical test | 16", + "Light quadricycles (weighing under 350 kg, top speed 45 km/h) | AM | CBT, theory test, practical test | 16", + "Light motorcycle up to 11 kW (and a power-to-weight ratio not more than 0.1 kW per kg) and 125 cc | A1 | CBT, theory test, practical test | 17", + "Motor tricycles with a power output not more than 15 kW | A1 | CBT, theory test, practical test | 17", + "Standard motorcycle up to 35 kW (and a power-to-weight ratio not more than 0.2 kW per kg), bike must not be derived from vehicle more than twice its power | A2 | Direct access route - theory and practicalProgressive access route - 2 years experience on A1 motorbike and a further practical test | 19" + ], + "id": "train-442" + }, + { + "url": "https://www.gov.uk/displaying-number-plates", + "scenario": "My friend recently did some alteration to his vehicle registration plates. England police chased him and charged him for the incorrectly displayed registration plate.", + "question": "How much is the fine for incorrectly displayed number plates ?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a31,000", + [] + ] + ], + "evidences": [ + "

    Number plates (also known as licence plates) must show your registration number correctly. You cannot rearrange letters or numbers, or alter them so that they\u2019re hard to read.

    ", + "

    You could be fined up to \u00a31,000 and your vehicle will fail its MOT test if you drive with incorrectly displayed number plates.

    " + ], + "id": "train-443" + }, + { + "url": "https://www.gov.uk/displaying-number-plates", + "scenario": "I am planning to get a made up number plates from a supplier. I was told that I have to show a document that I am allowed to use the registration number", + "question": "Can I use my V5C to show that I am allowed to use the registration number ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The supplier will need to see original documents that:

    ", + "
  • show you\u2019re allowed to use the registration number
  • ", + "

    You must bring one of the following to show you\u2019re allowed to display the registration number:

    ", + "
  • vehicle registration certificate (V5C or V5CNI)
  • " + ], + "id": "train-444" + }, + { + "url": "https://www.gov.uk/importing-vehicles-into-the-uk", + "scenario": "I am importing a modified vehicle from abroad. I am new to buying importing vehicles. I know DVLA will give a Q registration number.", + "question": "Will V5C have a modified marker ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If your vehicle has been damaged or modified in another country, DVLA may:

    ", + "
  • give your vehicle a Q registration number
  • ", + "
  • put a marker on your vehicle log book (V5C) - to show that your vehicle has been altered or assembled using different parts
  • " + ], + "id": "train-445" + }, + { + "url": "https://www.gov.uk/importing-vehicles-into-the-uk", + "scenario": "I have a Northern Ireland registered vehicle and lived in NI but moved to UK to live here permanently. I am considering to move my vehicle from NI to UK", + "question": "Can I move my vehicle freely to UK without any paper work ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you are a UK resident you can move your vehicle freely between Great Britain and Northern Ireland if all of the following apply:

    ", + "
  • you\u2019re not moving it to sell it, or for any other commercial purpose (for example, using the car as a taxi or hiring it to someone)
  • ", + "
  • the car is for your own or your household\u2019s personal use
  • ", + "

    Tell DVLA about the change of address.

    " + ] + ] + ], + "evidences": [ + "

    If you are a UK resident you can move your vehicle freely between Great Britain and Northern Ireland if all of the following apply:

    ", + "
  • it\u2019s registered in either country
  • ", + "
  • you\u2019re not moving it to sell it, or for any other commercial purpose (for example, using the car as a taxi or hiring it to someone)
  • ", + "
  • the car is for your own or your household\u2019s personal use
  • " + ], + "id": "train-446" + }, + { + "url": "https://www.gov.uk/learner-support", + "scenario": "I am 20, live in rural England and am currently studying full-time to be a plumber, via an ESFA-funded course at my nearest FE college. This involves a 12-mile commute by bus, 4 days a week, which is proving to be expensive.", + "question": "Can I claim Learner Support to cover the cost of my travel?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can\u2019t claim if you\u2019re:

    ", + "
  • getting student finance for higher education
  • ", + "
  • on a Community Learning course
  • " + ] + ] + ], + "evidences": [ + "

    If you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.

    ", + "

    You apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.

    ", + "

    The money can help pay for things like:

    ", + "
  • accommodation and travel
  • ", + "

    To get Learner Support you must be:

    ", + "
  • 19 or over
  • ", + "
  • studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)
  • ", + "

    You can\u2019t claim if you\u2019re:

    ", + "
  • getting student finance for higher education
  • ", + "
  • on a Community Learning course
  • " + ], + "id": "train-447" + }, + { + "url": "https://www.gov.uk/learner-support", + "scenario": "I am 19, and about to start a course at my local technical college. I've applied to them for learner support to cover the costs of some equipment that I will need for the practical sections of the syllabus.", + "question": "Can I decide how the support funds will be paid to me, if my application is successful?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The money could be:

    ", + "
  • a direct payment to you - which you don\u2019t have to pay back
  • ", + "
  • a loan - which you have to pay back
  • ", + "
  • paid to someone else, for example a landlord
  • ", + "

    Your learning provider decides how the money is paid to you. It depends on their scheme and what the money is for.

    " + ], + "id": "train-448" + }, + { + "url": "https://www.gov.uk/become-lorry-bus-driver", + "scenario": "I aim to driving a lorry for non-commercial reasons, but I am only going to stand in every so often. It is not my main job. The distance I will be travelling is going to be 120 miles with a load.", + "question": "Do I need a licence with these conditions?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You do not need the full Driver Certificate of Professional Competence (CPC) qualification if you\u2019re using the vehicle for:

    ", + "
  • non-commercial carriage of passengers or goods
  • ", + "

    If you want to become a lorry, bus or coach driver in these situations you need to:

    ", + "
  • Apply for a provisional lorry or bus licence.
  • ", + "
  • Pass the part 1 (theory) and part 3 (driving ability) tests.
  • " + ] + ] + ], + "evidences": [ + "

    To become a lorry, bus or coach driver you need to:

    ", + "
  • have a full car licence
  • ", + "
  • be over 18 - but there are some exceptions
  • ", + "
  • get a professional driving qualification called the Driver Certificate of Professional Competence (CPC)
  • ", + "

    You must have the full Driver CPC if you drive a lorry, bus or coach as the main part of your job.

    ", + "

    You do not need the full Driver CPC if you:

    ", + "
  • do not want to drive for a living, for example you want to drive for a hobby or carry passengers or goods non-commercially for personal use
  • ", + "

    You still need to pass the part 1 (theory) and part 3 (driving ability) tests of the qualification.

    ", + "
  • Apply for a provisional lorry or bus licence.
  • ", + "

    You do not need the full Driver Certificate of Professional Competence (CPC) qualification if you\u2019re using the vehicle for:

    ", + "
  • non-commercial carriage of passengers or goods
  • ", + "

    If you want to become a lorry, bus or coach driver in these situations you need to:

    ", + "
  • Pass the part 1 (theory) and part 3 (driving ability) tests.
  • " + ], + "id": "train-449" + }, + { + "url": "https://www.gov.uk/become-lorry-bus-driver", + "scenario": "I have just turned 65 years old. I have held my CPC licence for thirty years, and have renewed it every five years as required. The last time I renewed it was two years ago; I have three years of this left to run. I know I am supposed to renew it every year at 65 years old.", + "question": "Do I need to renew the licence now that I am 65 or can I leave it until the last renewal is up in three years time?", + "not_answerable": false, + "answers": [ + [ + "if you\u2019re 65 or over you must renew your lorry or bus driving licence every year", + [] + ] + ], + "evidences": [ + "

    You need to renew your bus or lorry licence every 5 years, and every year when you reach 65.

    ", + "

    Every 5 years you must:

    ", + "
  • take 35 hours of Driver CPC training to keep driving professionally
  • ", + "
  • renew your lorry or bus driving licence
  • ", + "

    If you\u2019re 65 or over you must renew your lorry or bus driving licence every year.

    " + ], + "id": "train-450" + }, + { + "url": "https://www.gov.uk/become-an-mot-station", + "scenario": "My name is Ted and i have been running by garage for a number of years. We carry out the occasional MOT. I am not familiar with terms or where to look should someone ask who is qualified.", + "question": "Who at my business is officially in charge of carrying our inspections and signing MOTs off?", + "not_answerable": false, + "answers": [ + [ + "an authorised examiner (ae)", + [] + ] + ], + "evidences": [ + "

    You need:

    ", + "
  • an authorised examiner (AE)
  • ", + "

    The AE is an individual, partnership or company authorised by the Driver and Vehicle Standards Agency (DVSA). The AE is responsible for making sure that:

    ", + "
  • MOT tests are properly conducted
  • ", + "
  • the test facilities and equipment are checked and well-maintained
  • ", + "
  • MOT documents are correctly stored and access to electronic MOT test systems is only given to eligible users
  • ", + "
  • the MOT testers are assessed correctly and complete training and assessments
  • ", + "
  • DVSA staff have access to the premises for checks on staff and equipment
  • ", + "
  • DVSA is informed about significant changes to the business within 7 working days
  • ", + "

    You need an authorised examiner (AE) to set up an MOT test station. The AE can be an individual, partnership or company.

    " + ], + "id": "train-451" + }, + { + "url": "https://www.gov.uk/displaying-number-plates", + "scenario": "We are driving through France and Spain for a holiday. We have been told that you do not need to have a GB sticker when you have a flag on the number plate. Our licence plate has the flag of the Red Dragon of Wales.", + "question": "Is this sufficient for travelling through France and Spain?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can display one of the following flags with identifying letters on the left-hand side of the number plate:

    ", + "
  • Red Dragon of Wales
  • ", + "

    If your number plate includes the GB identifier with the Union flag (also known as the Union Jack), you do not need a GB sticker. But you will need to display a GB sticker clearly on the rear of your vehicle if your number plate has any of the following:

    ", + "
  • a national flag of England, Scotland or Wales
  • ", + "

    If you\u2019re in Spain, Cyprus or Malta, you must display a GB sticker no matter what is on your number plate.

    " + ], + "id": "train-452" + }, + { + "url": "https://www.gov.uk/displaying-number-plates", + "scenario": "The number plates to my car are damaged and no longer useable. I do not know where to source new number plates.", + "question": "Where can I buy replacement number plates?", + "not_answerable": false, + "answers": [ + [ + "from a registered number plate supplier", + [] + ] + ], + "evidences": [ + "

    You can only get a number plate made up from a registered number plate supplier.

    " + ], + "id": "train-453" + }, + { + "url": "https://www.gov.uk/being-a-goods-vehicle-operator", + "scenario": "My Uncle works in a courier company in the UK.. He wishes to work across the border and make trips to Germany and France.He wishes to apply for a standard international license.", + "question": "How much does it cost to apply?", + "not_answerable": false, + "answers": [ + [ + "\u00a3257", + [] + ], + [ + "\u00a3401", + [] + ], + [ + "\u00a368", + [] + ] + ], + "evidences": [ + "

    When applying for a goods vehicle operator\u2019s licence, you\u2019ll have to pay:

    ", + "
  • a one-off fee payable on application
  • ", + "
  • a fee for the issue of a licence
  • ", + "
  • a fee for the issue of an interim licence (if applicable)
  • ", + "Application for a licence | \u00a3257", + "Issue of a licence | \u00a3401", + "Issue of an interim licence | \u00a368" + ], + "id": "train-454" + }, + { + "url": "https://www.gov.uk/being-a-goods-vehicle-operator", + "scenario": "I am a professional lorry driver and I have worked as a goods vehicle operator for 10 years. Recently I applied for HGV driver job vacancy and the recruitment agency demanded that I produce my Driver CPC.", + "question": "Is Driver CPC a mandatory when hiring professional lorry drivers?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must also make sure that any drivers you use or employ have the correct licence and training. All vehicles that you use should be correctly taxed and kept safe and in good condition at all times.

    ", + "

    If you employ or give work to drivers, you must check that they have the correct licence and training to drive goods vehicles.

    ", + "

    Professional lorry drivers need to hold a Driver Certificate of Professional Competence (Driver CPC).

    " + ], + "id": "train-455" + }, + { + "url": "https://www.gov.uk/manage-approved-driving-instructor-registration", + "scenario": "I recently became a driving instructor. I had my schedule set at the Driver and Vehicle Standards Agency but things have been quite chaotic. I want to reduce my hours and change my availability.", + "question": "Can I do so online or do I need to contact the Driver and Vehicle Standards Agency again?", + "not_answerable": false, + "answers": [ + [ + "you can manage when you\u2019re available for driving tests online", + [] + ] + ], + "evidences": [ + "

    You can manage when you\u2019re available for driving tests online.

    ", + "

    You can tell the Driver and Vehicle Standards Agency (DVSA):

    ", + "
  • when you\u2019re never available, for example, between 9am and 11am on Mondays
  • ", + "
  • when you\u2019re temporarily away, for example, you\u2019re on holiday
  • " + ], + "id": "train-456" + }, + { + "url": "https://www.gov.uk/manage-approved-driving-instructor-registration", + "scenario": "I have been a driving instructor for a little over 3 years now. Some of my colleagues informed me that I would need to renew my registration soon. I am pretty certain I only need to do so every 5 years.", + "question": "When do I need to renew my registration?", + "not_answerable": false, + "answers": [ + [ + "every 4 years", + [] + ] + ], + "evidences": [ + "

    You\u2019re responsible for keeping your approved driving instructor (ADI) registration up to date.

    ", + "

    You must renew your registration every 4 years.

    ", + "

    You can renew your registration in the month it expires. If your registration has already run out, you can re-register within 12 months of the expiry date.

    " + ], + "id": "train-457" + }, + { + "url": "https://www.gov.uk/motorcycle-theory-test", + "scenario": "My daughter is 19 years old . Intends to do the motorcycle theory test and would like to pass the multiple choice questions part . She doesn't want to fail.", + "question": "Which books can you recommend for her to revise?", + "not_answerable": false, + "answers": [ + [ + "the highway code", + [] + ], + [ + "know your traffic signs", + [] + ], + [ + "riding - the essential skills", + [] + ] + ], + "evidences": [ + "

    The questions in the theory test are based on 3 books:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Riding - the essential skills
  • " + ], + "id": "train-458" + }, + { + "url": "https://www.gov.uk/motorcycle-theory-test", + "scenario": "My brother has a car driving license and wishes to participate in extreme racing motor sports. He wants to take a motorcycle test next month.", + "question": "Does he need to take motorcycle theory test ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You usually need to have passed a motorcycle theory test before you take the motorcycle test.

    ", + "

    If you have a car licence

    ", + "

    You have to pass a motorcycle theory test before taking the motorcycle test.

    " + ], + "id": "train-459" + }, + { + "url": "https://www.gov.uk/driving-disqualifications", + "scenario": "I have received a driving ban after getting a total 12 points on my license in the last 3 years .Would like to apply for a delivery job in future.", + "question": "How long can the ban last?", + "not_answerable": false, + "answers": [ + [ + "6 months", + [] + ] + ], + "evidences": [ + "

    You can be banned (disqualified) from driving if you are either:

    ", + "
  • get 12 or more penalty points (endorsements) within 3 years
  • ", + "

    You can be banned from driving if you already have 12 or more penalty points on your licence. Your ban can last:

    ", + "
  • 6 months, if you get 12 or more penalty points within 3 years
  • " + ], + "id": "train-460" + }, + { + "url": "https://www.gov.uk/driving-disqualifications", + "scenario": "My friend Dina was disqualified for drink-driving.She was given 13 months driving ban. She is an HGV driver and relies from that job.", + "question": "Can she apply for a course to reduce the ban?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can be disqualified if you\u2019re found guilty of drink-driving. Depending on your offence, you can also be fined or sent to prison.

    ", + "

    If you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.

    " + ], + "id": "train-461" + }, + { + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "scenario": "I am a 57 year old from York and I have just sat my motorcycle instructor course, I have failed the course.", + "question": "Is there a time limit on when I can re-sit the course?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You\u2019re only allowed 2 unsuccessful attempts before you have to wait a year before applying to take another assessment.

    ", + "

    You cannot apply to retake the assessment if you fail it twice within a 12-month period. You\u2019ll have to wait until 1 year after the date of the second assessment before applying again.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll have to take a 2-day assessment at a DVSA training and development centre.

    ", + "

    You\u2019re only allowed 2 unsuccessful attempts before you have to wait a year before applying to take another assessment.

    ", + "

    You cannot apply to retake the assessment if you fail it twice within a 12-month period. You\u2019ll have to wait until 1 year after the date of the second assessment before applying again.

    " + ], + "id": "train-462" + }, + { + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "scenario": "I am a 41 year old from Chester and I have a CBT course arranged which unfortunately I can not attend.", + "question": "Can I reschedule the course for another date?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.

    " + ] + ] + ], + "evidences": [ + "

    If you cannot go to your assessment

    ", + "

    Tell DVSA by email if you cannot attend your assessment.

    ", + "

    You must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.

    ", + "

    Your application will become invalid and will count as an unsuccessful attempt if you do not tell DVSA in enough time.

    " + ], + "id": "train-463" + }, + { + "url": "https://www.gov.uk/boatmasters-licence", + "scenario": "I am a vessel master with a category A vessel. I have held a Boatmasters' Licence previously, but this has now expired. I am about to renew my Boatmasters' licence.", + "question": "Are there any costs relating to the renewal?", + "not_answerable": false, + "answers": [ + [ + "\u00a331", + [] + ] + ], + "evidences": [ + "

    Renewing your licence

    ", + "

    Your boatmasters\u2019 licence usually lasts 5 years.

    ", + "

    Renewing your licence costs \u00a331.

    " + ], + "id": "train-464" + }, + { + "url": "https://www.gov.uk/boatmasters-licence", + "scenario": "I am looking at buying a new boat. The boat I am looking to buy is a canal boat that will be used to travel up and down the canals. I have been told that I may need a Boatmasters' licence.", + "question": "Will the canal boat require a Boatmasters' licence?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You do not need a boatmasters\u2019 licence if you\u2019re in charge of:

    ", + "
  • a pleasure vessel, including hire boats used as pleasure vessels
  • ", + "
  • fishing vessels
  • " + ] + ] + ], + "evidences": [ + "

    You must have a boatmasters\u2019 licence if you\u2019re the master of certain vessels on:

    ", + "
  • inland waters in categories A to D, such as canals, rivers, lakes and some estuaries
  • ", + "

    You do not need a boatmasters\u2019 licence if you\u2019re in charge of:

    ", + "
  • a pleasure vessel, including hire boats used as pleasure vessels
  • ", + "
  • fishing vessels
  • " + ], + "id": "train-465" + }, + { + "url": "https://www.gov.uk/driving-disqualifications", + "scenario": "I am a 25 year old from Leeds and I have been disqualified from driving for drink driving although I was not under the influence at the time.", + "question": "Is it possible to appeal the disqualification?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can ask the court to reduce your disqualification period after you\u2019ve been banned from driving for:

    ", + "
  • 2 years - if the disqualification was for fewer than 4 years
  • ", + "
  • half the disqualification period - if it was for at least 4 but under 10 years
  • ", + "
  • 5 years - if the disqualification was for 10 years or more
  • ", + "

    If you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.

    " + ] + ] + ], + "evidences": [ + "

    You can ask the court to reduce your disqualification period after you\u2019ve been banned from driving for:

    ", + "
  • 2 years - if the disqualification was for fewer than 4 years
  • ", + "
  • half the disqualification period - if it was for at least 4 but under 10 years
  • ", + "
  • 5 years - if the disqualification was for 10 years or more
  • ", + "

    You must have a good reason for asking for the disqualification to be reduced. For example, if you think the court made a legal mistake or there were reasons you committed the driving offence that the court did not take into account.

    ", + "

    You can be disqualified if you\u2019re found guilty of drink-driving. Depending on your offence, you can also be fined or sent to prison.

    ", + "

    If you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.

    " + ], + "id": "train-466" + }, + { + "url": "https://www.gov.uk/driving-disqualifications", + "scenario": "I am a 43 year old living in Exeter and I was disqualified from driving 5 years ago. I was told I need to retake my test when my disqualification ends.", + "question": "Do I need to undergo lessons or can I just book a test?", + "not_answerable": false, + "answers": [ + [ + "you can drive as soon as your ban is over and you\u2019ve passed the tests you need to take.", + [] + ] + ], + "evidences": [ + "

    If you\u2019re disqualified for 56 days or more you must apply for a new licence before driving again.

    ", + "

    You might also have to retake your driving test or take an extended driving test before getting your full licence. The court will tell you if you have to do this.

    ", + "

    If the court told you that you must take another driving test before driving again, you\u2019ll have to apply for a new provisional licence.

    ", + "

    You can drive as soon as your ban is over and you\u2019ve passed the tests you need to take.

    " + ], + "id": "train-467" + }, + { + "url": "https://www.gov.uk/driving-test", + "scenario": "I have passed my theory test. I have been training for my practical driving test. I used driving instructor's vehicle previously but recently started practising on my own vehicle", + "question": "Can I use my own car for driving test if it meets all the rules ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You cannot use any of the following:

    ", + "
  • BMW Mini convertible
  • ", + "
  • Ford KA convertible
  • ", + "
  • Toyota iQ
  • ", + "
  • VW Beetle convertible
  • " + ] + ] + ], + "evidences": [ + "

    You can take your driving test in your own car rather than your driving instructor\u2019s if it meets certain rules.

    ", + "

    Rules about the car

    ", + "

    Your car must:

    ", + "
  • be taxed
  • ", + "
  • be insured for a driving test (check with your insurance company)
  • ", + "
  • be roadworthy and have a current MOT (if it\u2019s over 3 years old)
  • ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "
  • be able to reach at least 62mph and have an mph speedometer
  • ", + "
  • have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg
  • ", + "

    You cannot use any of the following:

    ", + "
  • BMW Mini convertible
  • ", + "
  • Ford KA convertible
  • ", + "
  • Toyota iQ
  • ", + "
  • VW Beetle convertible
  • " + ], + "id": "train-468" + }, + { + "url": "https://www.gov.uk/driving-test", + "scenario": "I have passed both theory and practical driving tests for automatic driving license. I have been driving for the last 8 years and considering to upgrade to manual driving.", + "question": "Do I have to re-take the theory test ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can book your driving test when you\u2019ve passed your theory test.

    ", + "

    You do not need to pass another theory test if you\u2019re upgrading an automatic car licence to a manual licence.

    " + ], + "id": "train-469" + }, + { + "url": "https://www.gov.uk/vehicle-recalls-and-faults", + "scenario": "I have just bought a new car and it has defective seat beats with broken latches.The airbag is deploying prematurely it almost caused an accident.", + "question": "Can i report these defects?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can report a serious safety defects with your vehicle or accessory if it could cause injury.

    ", + "

    If you find a serious defect that affects the safety of your vehicle, one of its parts, or an accessory, report it to the manufacturer immediately.

    ", + "

    A serious safety defect is something:

    ", + "
  • about the way the vehicle is designed or made that\u2019s likely to cause injury or death
  • ", + "
  • that happens suddenly and without warning
  • " + ], + "id": "train-470" + }, + { + "url": "https://www.gov.uk/vehicle-recalls-and-faults", + "scenario": "I have received a recall letter from my car manufacturer . The letter cites that the car has a defective fuel system which needs to be repaired.", + "question": "Do i need to pay for the repairs?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You need to get your vehicle, vehicle parts and accessories fixed or replaced by the manufacturer if they find a serious problem with them.

    ", + "

    You will not usually have to pay for any repairs or parts under a safety recall.

    ", + "

    You usually do not have to pay to get the fault fixed.

    " + ], + "id": "train-471" + }, + { + "url": "https://www.gov.uk/become-lorry-bus-driver", + "scenario": "I have passed all four of the Driver Certificate of Professional Competence (CPC) tests. I have received the Driver CPC card as well", + "question": "Do I have to carry Driver CPC card while driving a lorry ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    After you\u2019ve passed all 4 of the Driver Certificate of Professional Competence (CPC) tests, you\u2019ll be sent a Driver CPC card. This is sometimes called a \u2018driver qualification card\u2019 or \u2018DQC\u2019.

    ", + "

    You must carry your Driver CPC card while driving a lorry, bus or coach professionally. If you drive a heavy goods vehicle (HGV) outside the UK, check what documents you need to carry.

    ", + "

    You can get a \u00a350 fixed penalty for driving professionally without your Driver CPC card.

    " + ], + "id": "train-472" + }, + { + "url": "https://www.gov.uk/become-lorry-bus-driver", + "scenario": "I am 25 years old and have a full car license. Recently lost my job as a estate agents so I was thinking to become a bus driver", + "question": "What qualification I need to become a bus driver ?", + "not_answerable": false, + "answers": [ + [ + "a professional driving qualification called the driver certificate of professional competence (cpc)", + [] + ] + ], + "evidences": [ + "

    To become a lorry, bus or coach driver you need to:

    ", + "
  • have a full car licence
  • ", + "
  • be over 18 - but there are some exceptions
  • ", + "
  • get a professional driving qualification called the Driver Certificate of Professional Competence (CPC)
  • ", + "

    You must have the full Driver CPC if you drive a lorry, bus or coach as the main part of your job.

    " + ], + "id": "train-473" + }, + { + "url": "https://www.gov.uk/adi-part-3-test", + "scenario": "I am a driving instructor who has passed my ADI part 3 test four months ago. I have forgotten to apply for my first ADI badge.", + "question": "How long do I have to apply for my badge?", + "not_answerable": false, + "answers": [ + [ + "you must apply within 12 months of passing the test", + [] + ] + ], + "evidences": [ + "

    You can apply for your first ADI badge if you pass the ADI part 3 test.

    ", + "

    You must apply within 12 months of passing the test, or you\u2019ll have to pass all 3 qualifying tests again.

    " + ], + "id": "train-474" + }, + { + "url": "https://www.gov.uk/adi-part-3-test", + "scenario": "I have signed up for my ADI part 3 test. My test was supposed to take place four days ago, but I was told it was cancelled due to bad weather. I received a letter saying my test will be in five days time at 9:00am, but I cannot make that time.", + "question": "Can I rebook my test for another time?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your driving examiner will call you a few days before your test to agree:

    ", + "
  • the start time with you
  • ", + "
  • where you want the test to start from (either the driving test centre or somewhere within 5 minutes of the driving test centre)
  • ", + "

    Your approved driving instructor (ADI) part 3 test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.

    ", + "

    If your test cannot go ahead

    ", + "

    The Driver and Vehicle Standards Agency (DVSA) will:

    ", + "
  • automatically book the next available date for your test
  • ", + "
  • send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather
  • ", + "

    You can change the date you\u2019re given if it\u2019s not suitable.

    " + ], + "id": "train-475" + }, + { + "url": "https://www.gov.uk/learner-support", + "scenario": "I am 20 years old student with a 2 years old daughter. I am pursuing higher education and receiving student finance and care to learn benefits.", + "question": "Can i qualify for learner support?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.

    ", + "

    To get Learner Support you must be:

    ", + "
  • 19 or over
  • ", + "
  • studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)
  • ", + "

    You must be 20 or over to get help with childcare costs. If you\u2019re 19, apply for Care to Learn instead.

    ", + "

    You can apply even if you get other types of funding, for example:

    ", + "
  • Care to Learn
  • ", + "

    You can\u2019t claim if you\u2019re:

    ", + "
  • getting student finance for higher education
  • " + ], + "id": "train-476" + }, + { + "url": "https://www.gov.uk/learner-support", + "scenario": "My nephew is 19 years old . He will be joining university this September but he is experiencing a lot of financial issues due to his parents' divorce. He needs help to pursue his dream course.", + "question": "Can he apply for learners support?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    To get Learner Support you must be:

    ", + "
  • studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)
  • ", + "

    You can\u2019t claim if you\u2019re:

    ", + "
  • getting student finance for higher education
  • ", + "
  • on a Community Learning course
  • " + ] + ] + ], + "evidences": [ + "

    If you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.

    ", + "

    You apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.

    ", + "

    Your learning provider (for example, a college) decides how much you get. It depends on their scheme and your circumstances.

    ", + "

    To get Learner Support you must be:

    ", + "
  • 19 or over
  • ", + "
  • studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)
  • ", + "

    You can\u2019t claim if you\u2019re:

    ", + "
  • getting student finance for higher education
  • ", + "
  • on a Community Learning course
  • " + ], + "id": "train-477" + }, + { + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "scenario": "I am a motorcyclist who is looking to become an instructor. I have use to land for off-road driving requirements. I also have no convictions. I have just completed my application form.", + "question": "Where do I send my application to become an ATB?", + "not_answerable": false, + "answers": [ + [ + "to dvsa", + [] + ] + ], + "evidences": [ + "

    You must be an approved training body (ATB) with the Driver and Vehicle Standards Agency (DVSA) to provide:

    ", + "

    To apply to register an approved training body (ATB), download these 3 application forms, and send them to DVSA:

    ", + "
  • \u2018Application to provide compulsory basic training (CBT) courses\u2019
  • ", + "
  • \u2018Compulsory basic training (CBT) site application form\u2019
  • ", + "
  • \u2018Application to be authorised as a certified motorcycle instructor\u2019
  • " + ], + "id": "train-478" + }, + { + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "scenario": "I have been successful in my application to become an ATB. I had all the necessary requirements, however I have now been told I cannot use the land for training.", + "question": "What do I need to do when I find an alternative site?", + "not_answerable": false, + "answers": [ + [ + "download the compulsory basic training site application form to apply for authorisation.", + [] + ], + [ + "send the completed form to dvsa", + [] + ] + ], + "evidences": [ + "

    You must have the use of a suitable site or sites for training in the off-road parts of the CBT course.

    ", + "

    These sites must be authorised by DVSA before they\u2019re used.

    ", + "

    All the sites you intend to use for the practical training and riding elements of the compulsory basic training (CBT) course must be authorised by DVSA.

    ", + "

    You can\u2019t use a site until you\u2019ve got authorisation from DVSA.

    ", + "

    Download the compulsory basic training site application form to apply for authorisation.

    ", + "

    Send the completed form to DVSA. You\u2019ll also need to include a draft plan of the intended site, eg an annotated satellite image.

    " + ], + "id": "train-479" + }, + { + "url": "https://www.gov.uk/trainee-driving-instructor-licence-the-rules", + "scenario": "I have taken a student out for a driving lesson, but I have forgotten to renew my trainee licence. I have charged for the lesson, but I have been told this was wrong.", + "question": "Can I charge students for driving lessons even when my licence is expired?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your trainee licence lasts for 6 months. When it runs out you must stop being paid for giving driving lessons.

    ", + "

    You can apply for another trainee licence, but you\u2019ll need to pay the fee again.

    ", + "

    You cannot be paid for giving driving lessons when you do not have a valid trainee licence.

    " + ], + "id": "train-480" + }, + { + "url": "https://www.gov.uk/trainee-driving-instructor-licence-the-rules", + "scenario": "I am a trainee driving instructor. I have currently done thirty lessons, and I have only been accompanied twice by my ADI. I do not feel like I am learning.", + "question": "What are the requirements for how many times I must be accompanied by an ADI?", + "not_answerable": false, + "answers": [ + [ + "be supervised for 20% of all lessons you give while you have your trainee licence", + [] + ], + [ + "do at least 20 hours of extra training while you have your trainee licence", + [] + ] + ], + "evidences": [ + "

    A trainee licence:

    ", + "
  • helps you get experience instructing pupils to drive so you can prepare for the ADI part 3 test
  • ", + "
  • lasts for 6 months
  • ", + "

    You have 2 options to choose from when you apply for a trainee licence. You must either:

    ", + "
  • be supervised for 20% of all lessons you give while you have your trainee licence
  • ", + "
  • do at least 20 hours of extra training while you have your trainee licence
  • ", + "

    You can only choose one option and you cannot change to the other after you\u2019ve made your decision.

    " + ], + "id": "train-481" + }, + { + "url": "https://www.gov.uk/driver-cpc-training", + "scenario": "I am a 52 year old living in Bradford and I have am qualified to drive lorries in my home country Belize.", + "question": "How can I be eligible to drive lorries in the UK?", + "not_answerable": false, + "answers": [ + [ + "complete your periodic training in england, scotland or wales", + [] + ], + [ + "exchange your driver\u2019s licence for a gb licence", + [ + "
  • exchange your driver\u2019s licence for a GB licence - you must have a code 95 entitlement on your non-GB licence to do this
  • " + ] + ] + ], + "evidences": [ + "

    You can be fined up to \u00a31,000 for driving professionally without Driver CPC.

    ", + "

    It\u2019s illegal to drive professionally if you have not done your training by your deadline.

    ", + "

    If you have a licence from another country, there are 2 ways to get a Great Britain (GB) Driver Certificate of Professional Competence (CPC) card. You should either:

    ", + "
  • complete your periodic training in England, Scotland or Wales
  • ", + "
  • exchange your driver\u2019s licence for a GB licence - you must have a code 95 entitlement on your non-GB licence to do this
  • ", + "

    If you have a code 95 entitlement on your licence, you can get a GB Driver CPC card by exchanging your licence for a GB licence.

    " + ], + "id": "train-482" + }, + { + "url": "https://www.gov.uk/vehicle-registration-schemes-for-the-motor-trade", + "scenario": "I am motor trader who is VAT registered. I have never used a vehicle registration scheme, and have just become aware of this. I have heard about the secure registration scheme.", + "question": "Am I able to register for the secure scheme?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There are 3 vehicle registration schemes for the motor trade. They are:

    ", + "
  • the non-secure registration scheme
  • ", + "
  • the secure registration scheme
  • ", + "
  • the Register a Vehicle (RaV) service
  • ", + "

    When you first start registering vehicles, you have to use the non-secure scheme. The other 2 schemes are designed to speed up the vehicle registration process.

    " + ], + "id": "train-483" + }, + { + "url": "https://www.gov.uk/vehicle-registration-schemes-for-the-motor-trade", + "scenario": "I import vehicles from abroad. I have held a non-secure registration scheme for over six months, and I have now moved onto a secure scheme. I am unsure as to the differences in the schemes.", + "question": "What are the major differences between the two schemes?", + "not_answerable": false, + "answers": [ + [ + "some of the documentation needed for the non-secure scheme is no longer required", + [] + ] + ], + "evidences": [ + "

    There are 3 vehicle registration schemes for the motor trade. They are:

    ", + "
  • the non-secure registration scheme
  • ", + "
  • the secure registration scheme
  • ", + "

    When your company has been approved to use this scheme, some of the documentation needed for the non-secure scheme is no longer required.

    ", + "

    Instead, you complete the registration process by transferring the data from one of the following onto the V55/1 or V55/2 form:

    ", + "
  • European Community Whole Vehicle Type Approval Certificate
  • ", + "
  • National Small Series Type Approval Certificate
  • ", + "
  • Goods Vehicle National Type Approval Certificate
  • ", + "

    You register vehicles by sending the following to DVLA Swansea, SA99 1BE:

    ", + "
  • a completed V55/1 or V55/2 form
  • ", + "
  • the registration fee and the fee to tax a vehicle
  • " + ], + "id": "train-484" + }, + { + "url": "https://www.gov.uk/adi-part-1-test", + "scenario": "My brother sat for his ADI exam . He scored overall 85 marks but failed in two categories of by getting 18 and 15 marks respectively.", + "question": "Upon getting 85 marks. Did he pass the test?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get the result at the test centre after taking the test. You must pass both parts to pass the test.

    ", + "

    To pass the multiple-choice part, you must get both:

    ", + "
  • an overall score of at least 85 out of 100
  • ", + "
  • at least 20 out of 25 in each of the 4 categories of questions
  • ", + "

    You\u2019ll fail if you get an overall score of 85 or higher, but do not score high enough in each of the 4 categories.

    " + ], + "id": "train-485" + }, + { + "url": "https://www.gov.uk/adi-part-1-test", + "scenario": "My friend Ann has booked her ADI part 1 test . She has scheduled an important phone call a few minutes before the exam day .", + "question": "Will she be allowed to access her mobile phone during exam day?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You will not have access to your personal items in the test room. This includes things like:

    ", + "
  • mobile phones
  • ", + "

    You\u2019ll usually have to store any personal items in a locker.

    ", + "

    If your test centre does not have lockers, you must:

    ", + "
  • turn off your phone before you enter the test centre
  • ", + "
  • put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test
  • " + ], + "id": "train-486" + }, + { + "url": "https://www.gov.uk/motorcycle-test", + "scenario": "I have a provisional license for Motorcycle. I have been training for my driving test. I have booked my test next month but unfortunately I lost my license and have re-applied.", + "question": "How many days doest it take to get a replacement driving license ?", + "not_answerable": false, + "answers": [ + [ + "up to 15 days", + [] + ] + ], + "evidences": [ + "

    You need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.

    " + ], + "id": "train-487" + }, + { + "url": "https://www.gov.uk/motorcycle-test", + "scenario": "I was practising automatic motorcycle and after some 100 days of training I attended the test and passed at the first attempt. I am considering to drive semi-automatic motorcycle", + "question": "Can I drive semi-automatic motorcycle if I pass automatic motorcycle driving license ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    In both modules of the test, you must use:

    ", + "
  • the same subcategory as the licence you\u2019re applying for
  • ", + "
  • a vehicle with the same type of transmission (manual, automatic or semi-automatic)
  • ", + "

    Automatic and semi-automatic motorcycles

    ", + "

    If you pass your tests on a motorcycle with automatic or semi-automatic transmission, you\u2019ll only get a licence for those types of motorcycle.

    " + ], + "id": "train-488" + }, + { + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "scenario": "I am a 36 year old from Salford and 4 years ago I was a DAS instructor but my registration has since expired.", + "question": "Can I instantly renew it or do I need to do any additional training?", + "not_answerable": false, + "answers": [ + [ + "you can re-register using the same form. you will not have to go through the qualifying process again.", + [ + "

    If your registration expired in the last 12 months

    " + ] + ] + ], + "evidences": [ + "

    Your registration lasts for either 1 year or 4 years. The registration and renewal fee is:

    ", + "

    You should apply to renew your registration at least 2 weeks before your current registration runs out.

    ", + "

    If your registration expired in the last 12 months

    ", + "

    You can re-register using the same form. You will not have to go through the qualifying process again.

    " + ], + "id": "train-489" + }, + { + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "scenario": "I am a 61 year old from Colchester and after many years of loving motorcycles I have decided I want to be an instructor but I have difficulty reading small writing on the test.", + "question": "Can I receive any additional help on my theory?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-490" + }, + { + "url": "https://www.gov.uk/being-a-goods-vehicle-operator", + "scenario": "I am looking at getting an operator's licence for a lorry that weighs 6,500kg. I will be exporting goods to France from the UK using this lorry.", + "question": "What licence should I apply for?", + "not_answerable": false, + "answers": [ + [ + "standard international licence", + [] + ] + ], + "evidences": [ + "

    You need a licence to carry goods in a lorry, van or other vehicle with either:

    ", + "
  • a gross plated weight (the maximum weight that the vehicle can have at any one time) of over 3,500 kilograms (kg)
  • ", + "

    There are 3 different types of licence - what you need depends on the work you do.

    ", + "

    You\u2019ll need a standard licence if you\u2019re carrying other people\u2019s goods for hire or reward (such as working as a courier or freight transport business) and the vehicle and trailer combination exceeds the weight limits above for a single vehicle.

    ", + "

    Standard international licence

    ", + "

    This licence means you can carry your own goods, and other people\u2019s goods, both in the UK and on international journeys.

    " + ], + "id": "train-491" + }, + { + "url": "https://www.gov.uk/being-a-goods-vehicle-operator", + "scenario": "We own a fleet of lorries for our business and, currently, store them out our facility in Dover. We have an operator's licence. We are looking to open a new operating centre near Newcastle, and will be storing some new lorries there.", + "question": "Do we need to update our operator's licence for this new location?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your operating centre is where your vehicles are normally kept when not in use. When you apply for an operator\u2019s licence, you\u2019ll be asked to give the address of your proposed centre(s) and information about the numbers of trailers and vehicles you will keep there.

    ", + "

    You can make changes to your goods vehicle operator\u2019s licence once you have it, for example add more vehicles to it.

    ", + "

    You must apply by post if you want to transfer your operating centre to another operator. Download and fill in form GV72 - the address is on the form.

    ", + "

    Your licence could be taken away, suspended or restricted by the traffic commissioner if you:

    ", + "
  • use a place not listed on the licence as an operating centre
  • " + ], + "id": "train-492" + }, + { + "url": "https://www.gov.uk/adult-dependants-grant", + "scenario": "I am 24 years old, and I have a 23 year old partner who is dependant on me. We are not married. I am receiving an undergraduate loan, and I am studying at university. My partner has no income nor loans.", + "question": "Will I be eligible to receive an adult's dependant's grant?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re a full-time student in higher education and an adult depends on you financially, you can apply for an Adult Dependants\u2019 Grant of up to:

    ", + "
  • \u00a33,190 for the 2021 to 2022 academic year
  • ", + "

    Usually the adult dependant will be:

    ", + "
  • your husband, wife, partner or civil partner
  • ", + "

    If you\u2019re under 25, the adult dependant cannot be your partner unless you\u2019re married or in a civil partnership.

    " + ], + "id": "train-493" + }, + { + "url": "https://www.gov.uk/adult-dependants-grant", + "scenario": "My father is dependant on me. He earns \u00a32,500 per year. I believe I am eligible for the adult dependant's grant, but I do not know how much I would receive.", + "question": "How is the amount of the grant calculated?", + "not_answerable": false, + "answers": [ + [ + "the amount you get depends on", + [ + "
  • your income
  • ", + "
  • the adult dependant\u2019s income
  • ", + "
  • your personal circumstances, for example if you\u2019re married or have children
  • ", + "
  • what other grants you\u2019re receiving, for example Childcare Grant
  • " + ] + ] + ], + "evidences": [ + "

    If you\u2019re a full-time student in higher education and an adult depends on you financially, you can apply for an Adult Dependants\u2019 Grant of up to:

    ", + "
  • \u00a33,190 for the 2021 to 2022 academic year
  • ", + "

    The maximum Adult Dependants\u2019 Grant is:

    ", + "

    The amount you get depends on:

    ", + "
  • your income
  • ", + "
  • the adult dependant\u2019s income
  • ", + "
  • your personal circumstances, for example if you\u2019re married or have children
  • ", + "
  • what other grants you\u2019re receiving, for example Childcare Grant
  • " + ], + "id": "train-494" + }, + { + "url": "https://www.gov.uk/motorcycle-theory-test", + "scenario": "I am going to be taking my theory test for motorcycle training. When I was doing my practice for the theory exam, I could not answer all of the questions straight away.", + "question": "Do I have to answer the questions one at a time?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There are 2 parts to the test:

    ", + "
  • multiple-choice questions
  • ", + "
  • hazard perception - a video test about spotting hazards on the road
  • ", + "

    You book and take them as a single test. You have to pass both parts to pass the test.

    ", + "

    You have 57 minutes to answer 50 multiple-choice questions.

    ", + "

    A question and several possible answers appear on a screen. You have to select the right answer.

    ", + "

    Leaving a question

    ", + "

    You can \u2018flag\u2019 questions that you want to come back to later.

    ", + "

    Changing your answers

    ", + "

    You can go back to any question to review and change your answer at any point.

    ", + "

    You can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.

    " + ], + "id": "train-495" + }, + { + "url": "https://www.gov.uk/motorcycle-theory-test", + "scenario": "I have been trying the practice questions for the theory exam, and I am worried that I am going to fail.", + "question": "What happens if I fail the theory exam?", + "not_answerable": false, + "answers": [ + [ + "you\u2019ll get a letter at the test centre. it\u2019ll tell you which parts you did not score enough points on so you know what to practise.", + [] + ], + [ + "you have to book and take the full test again, even if you passed one part this time.", + [] + ] + ], + "evidences": [ + "

    Rebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.

    ", + "

    You\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.

    ", + "

    You have to book and take the full test again, even if you passed one part this time.

    ", + "

    You have to wait at least 3 working days before taking your test again.

    " + ], + "id": "train-496" + }, + { + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "scenario": "I have stared the preparation to become a driving instructor. I heard there are few books like \"The Highway Code\" I can refer for the preparation", + "question": "Where I can get the official DVSA publication books ?", + "not_answerable": false, + "answers": [ + [ + "you can buy them from most high street and online book shops", + [] + ] + ], + "evidences": [ + "

    Study the training guidance before you take the assessment.

    ", + "

    You should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:

    ", + "
  • The Highway Code
  • ", + "
  • Know your traffic signs
  • ", + "
  • Learning to Ride
  • ", + "
  • Riding - the Essential Skills
  • ", + "
  • Theory Test for Motorcyclists
  • ", + "

    You can buy them from most high street and online book shops.

    " + ], + "id": "train-497" + }, + { + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "scenario": "I have a full license with zero penalty points for the last 8 years. I am 34 years old and got the license from Northern Ireland. I am considering to become a driving instructor", + "question": "What assessment do I have to pass ?", + "not_answerable": false, + "answers": [ + [ + "a 2-day assessment at a dvsa training and development centre.", + [] + ] + ], + "evidences": [ + "

    You can apply to the Driver and Vehicle Standards Agency (DVSA) to become a direct access scheme (DAS) certified instructor.

    ", + "

    To become a DAS certified instructor you must have a driving licence from either:

    ", + "
  • Great Britain or Northern Ireland
  • ", + "

    You must also:

    ", + "
  • be 21 or over
  • ", + "
  • have had a full category A2 or A motorcycle licence for at least 3 years
  • ", + "
  • have passed the 2-day assessment to become a DVSA assessed compulsory basic training (CBT) instructor
  • ", + "

    You\u2019ll have to take a 2-day assessment at a DVSA training and development centre.

    " + ], + "id": "train-498" + }, + { + "url": "https://www.gov.uk/vehicle-registration-schemes-for-the-motor-trade", + "scenario": "My family runs a vehicle importing company and wishes to use non secure vehicle registration scheme . We want to fill out the right registration document .", + "question": "Which form are we supposed to fill out?", + "not_answerable": false, + "answers": [ + [ + "form v55/4", + [] + ] + ], + "evidences": [ + "

    You need to complete form V55/4 and send it to DVLA Swansea, SA99 1BE with one of the following documents:

    ", + "
  • a valid \u2018CoC\u2019 (certificate of conformity)
  • ", + "
  • the correct vehicle type approval certificate
  • ", + "
  • a Vehicle Certification Agency certificate of British National Type Approval (goods vehicles and mutual recognition)
  • " + ], + "id": "train-499" + }, + { + "url": "https://www.gov.uk/become-a-fleet-driver-trainer", + "scenario": "I have recently become an approved driving instructor and have many years experience with vehicles of all types. I am a male of working age, solvent and keen to make a career as a fleet driver trainer.er.", + "question": "What qualifications are required to become a fleet driver trainer?", + "not_answerable": false, + "answers": [ + [ + "a training course accredited by dvsa", + [] + ] + ], + "evidences": [ + "

    You can apply to join the voluntary register of fleet driver trainers if you specialise in training fully qualified drivers of fleets of cars and vans.

    ", + "

    You must be an approved driving instructor to join the register.

    ", + "

    You\u2019ll have to take a training course accredited by DVSA to qualify as a fleet driver trainer.

    ", + "

    You must join the register within 1 year of completing the course.

    " + ], + "id": "train-500" + }, + { + "url": "https://www.gov.uk/become-a-fleet-driver-trainer", + "scenario": "I am a qualified driving instructor in Manchester and I have taken the DVSA training course to become a fleet driver trainer. I am ready to get started.", + "question": "Now that I am qualified, what are the next steps.", + "not_answerable": false, + "answers": [ + [ + "join the register", + [] + ] + ], + "evidences": [ + "

    You must join the register within 1 year of completing the course.

    ", + "

    When you\u2019ve qualified and joined the register:

    ", + "
  • your details will be given to people looking for fleet driver training
  • ", + "
  • you can advertise yourself as a \u2018Driver and Vehicle Standards Agency registered fleet driver trainer\u2019
  • ", + "

    Your registration as a fleet driver trainer will last for 4 years.

    ", + "

    You can send the form to DVSA if you\u2019ve already done an accredited training course. You\u2019ll need to include:

    ", + "

    Your registration will last for 4 years from when you join the register.

    " + ], + "id": "train-501" + }, + { + "url": "https://www.gov.uk/doctoral-loan", + "scenario": "I want to study a Phd. The course will be full-time study and will last five years. I am 27 years old, and I am a UK citizen who will spend 80% of their time in the UK over this period.", + "question": "Will I be eligible for a doctoral loan?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You will not be able to get a Postgraduate Doctoral Loan if:

    ", + "
  • you\u2019ve received or will receive Research Council funding (for example, studentships, stipends, scholarships and tuition fee support)
  • ", + "
  • you\u2019re already getting a social work bursary
  • ", + "
  • you\u2019re already getting an Educational Psychology bursary and your course starts on or after 1 August 2020
  • ", + "
  • you\u2019re eligible to apply for an NHS bursary (even if you\u2019re not receiving it)
  • ", + "
  • you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying
  • ", + "
  • you\u2019ve received a Postgraduate Doctoral Loan before - unless you left your course due to illness, bereavement or another serious personal reason
  • ", + "
  • you already have a doctoral degree, or a qualification that\u2019s equivalent or higher
  • ", + "
  • you\u2019re receiving a doctorate by publication
  • ", + "
  • you\u2019re behind in repayments for any previous loans from the Student Loans Company
  • " + ] + ] + ], + "evidences": [ + "

    A Postgraduate Doctoral Loan can help with course fees and living costs while you study a postgraduate doctoral course, such as a PhD.

    ", + "

    Whether you qualify depends on:

    ", + "
  • your course
  • ", + "
  • your age
  • ", + "
  • your nationality or residency status
  • ", + "

    You will not be able to get a Postgraduate Doctoral Loan if:

    ", + "
  • you\u2019ve received or will receive Research Council funding (for example, studentships, stipends, scholarships and tuition fee support)
  • ", + "
  • you\u2019re already getting a social work bursary
  • ", + "
  • you\u2019re already getting an Educational Psychology bursary and your course starts on or after 1 August 2020
  • ", + "
  • you\u2019re eligible to apply for an NHS bursary (even if you\u2019re not receiving it)
  • ", + "
  • you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying
  • ", + "
  • you\u2019ve received a Postgraduate Doctoral Loan before - unless you left your course due to illness, bereavement or another serious personal reason
  • ", + "
  • you already have a doctoral degree, or a qualification that\u2019s equivalent or higher
  • ", + "
  • you\u2019re receiving a doctorate by publication
  • ", + "
  • you\u2019re behind in repayments for any previous loans from the Student Loans Company
  • ", + "

    It must:

    ", + "
  • be a full, standalone doctoral course (not a top-up course)
  • ", + "
  • have started on or after 1 August 2018
  • ", + "
  • last between 3 to 8 academic years
  • ", + "
  • be provided by a university in the UK with research degree awarding powers
  • ", + "

    If more than one university delivers your course and one is overseas, you\u2019ll still be eligible for the Postgraduate Doctoral Loan so long as:

    ", + "
  • you spend at least 50% of your study time over the whole course in the UK
  • ", + "

    You must be under 60 on the first day of the first academic year of your course.

    ", + "

    You can apply for the Postgraduate Doctoral Loan if all of the following are true:

    ", + "
  • you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay
  • " + ], + "id": "train-502" + }, + { + "url": "https://www.gov.uk/doctoral-loan", + "scenario": "I am applying for a postgraduate loan in my second year. I did not apply for my first year. My course will started on the 20th September 2020. There are thee years of the course remaining.", + "question": "How much loan will I receive each year?", + "not_answerable": false, + "answers": [ + [ + "\u00a311,222", + [] + ] + ], + "evidences": [ + "

    You can get up to:

    ", + "

    If you apply after your first year

    ", + "

    You can apply for a Postgraduate Doctoral Loan in any year of your course. But if you apply after your first year, you might not get the maximum amount.

    ", + "
  • \u00a311,222 each year if your course started between 1 August 2020 and 31 July 2021
  • " + ], + "id": "train-503" + }, + { + "url": "https://www.gov.uk/support-military-bereaved-children", + "scenario": "I am a widow and my late husband died during a war while serving in the British army in 1991. I receive war pension benefits. My daughter is attending for a full time Bachelor in Pharmacy at Bristol University.", + "question": "Can my daughter qualify for the scholarship?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re 16 or over and in full-time education
  • " + ] + ] + ], + "evidences": [ + "

    You can apply for help with the costs of further and higher education if all of the following are true:

    ", + "
  • one of your parents died as a result of their service in the armed forces
  • ", + "
  • your parent died on or after 1 January 1990
  • ", + "
  • you\u2019re 16 or over and in full-time education
  • ", + "
  • you or a surviving parent receive bereavement benefits from the Armed Forces Compensation scheme, War Pension scheme or Armed Forces Attributable Benefits scheme
  • ", + "

    You can use the money to pay tuition fees and your maintenance for:

    ", + "
  • a further education course of up to 3 years
  • ", + "
  • your first undergraduate course at a UK university or other higher education institution (such as a college or art school) - this can include study abroad if it\u2019s part of the course
  • " + ], + "id": "train-504" + }, + { + "url": "https://www.gov.uk/support-military-bereaved-children", + "scenario": "My father died when I was 5 years old. He was serving in the British Army.My mother is physically disabled and I want to apply for a scholarship for children whose parents died in service. It will help me to find my university studies.I don't understand some details in the forms.", + "question": "Whom should i contact?", + "not_answerable": false, + "answers": [ + [ + "contact the veterans uk helpline", + [] + ] + ], + "evidences": [ + "

    Contact the Veterans UK helpline if you have any questions about the scholarships, for example what you need to do to apply or how to fill out the application form.

    " + ], + "id": "train-505" + }, + { + "url": "https://www.gov.uk/adi-part-3-test", + "scenario": "I have passed the first two ADI 1 and 2 and am booked into my course for AD3. in these days of Coronavirus I am a bit nervous about what is required of me.", + "question": "What do i need to do regarding COVID-19?", + "not_answerable": false, + "answers": [ + [ + "you must clean the inside of your car before your test", + [] + ], + [ + "the car you use for your test must have at least one window open on each side throughout the test.", + [] + ], + [ + "you and your pupil must each bring and wear a face covering for your test, unless it\u2019s not safe for you to do so.", + [] + ] + ], + "evidences": [ + "

    Do not go to your driving test if you or your pupil:

    ", + "
  • have coronavirus (COVID-19) symptoms, or someone you live with has symptoms
  • ", + "
  • have been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19
  • ", + "
  • are self-isolating because you recently entered the UK
  • ", + "

    You and your pupil must each bring and wear a face covering for your test, unless it\u2019s not safe for you to do so. For example, because:

    ", + "

    Because of COVID-19 you must clean the inside of your car before your test.

    ", + "

    This means:

    ", + "
  • tidying any unnecessary items away from the dashboard, footwells, door pockets, cup holders and seats
  • ", + "
  • wiping down the dashboard and car controls
  • ", + "

    The examiner will do an additional clean of some surfaces.

    ", + "

    The car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.

    " + ], + "id": "train-506" + }, + { + "url": "https://www.gov.uk/adi-part-3-test", + "scenario": "I have my ADI 3 test in a few days. I am very nervous and i can't remember what I need to bring. I have my paperwork.", + "question": "What else do I need to bring along on the day?", + "not_answerable": false, + "answers": [ + [ + "your uk driving licence", + [] + ], + [ + "a face covering, unless it\u2019s not safe for you to wear one", + [] + ], + [ + "a suitable car", + [] + ], + [ + "a pupil", + [] + ] + ], + "evidences": [ + "

    You must bring:

    ", + "
  • your UK driving licence
  • ", + "
  • a face covering, unless it\u2019s not safe for you to wear one
  • ", + "
  • a suitable car
  • ", + "
  • a pupil
  • ", + "

    You should also bring a log of the training you\u2019ve been doing to qualify as an approved driving instructor (ADI).

    " + ], + "id": "train-507" + }, + { + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "scenario": "My name is John and I have been riding motorcycles for 20 years. I am very proficient and safety conscious and want to pass on my skills.", + "question": "What do I need do to become an authorised instructor?", + "not_answerable": false, + "answers": [ + [ + "take a 2-day assessment at a dvsa training and development centre", + [] + ] + ], + "evidences": [ + "

    You can apply to the Driver and Vehicle Standards Agency (DVSA) to become a DVSA assessed compulsory basic training (CBT) motorcycle instructor.

    ", + "

    CBT is a training course that most learner motorcycle and moped riders must take before riding on the road.

    ", + "

    You\u2019ll have to take a 2-day assessment at a DVSA training and development centre.

    ", + "

    The compulsory basic training (CBT) instructor assessment assesses your ability to:

    ", + "
  • train learner motorcyclists in the requirements of CBT
  • ", + "

    You\u2019ll be sent more information about how to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a DVSA assessed instructor.

    " + ], + "id": "train-508" + }, + { + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "scenario": "I have filled in the forms and am ready for my assessment. I have studied the CBT course and read all the publication thoroughly.", + "question": "What documents do I need to bring to my assesment?", + "not_answerable": false, + "answers": [ + [ + "your valid driving licence", + [] + ], + [ + "your cbt1 card if you have one", + [] + ], + [ + "confirmation of your great britain (gb) driver number", + [ + "

    If you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.

    " + ] + ], + [ + "a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kw", + [] + ] + ], + "evidences": [ + "

    You need to bring:

    ", + "
  • your valid driving licence
  • ", + "
  • your CBT1 card if you have one
  • ", + "

    If you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.

    ", + "
  • a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kW
  • " + ], + "id": "train-509" + }, + { + "url": "https://www.gov.uk/vehicle-recalls-and-faults", + "scenario": "I have bought a new car. I have found that there has been a recall on the vehicle due to it having faulty suspension. I needed to drive to work, so I drove it without getting it fixed. I have now been reported to the police.", + "question": "What punishment could I get for failing to get it fixed?", + "not_answerable": false, + "answers": [ + [ + "you can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle in a dangerous condition.", + [] + ] + ], + "evidences": [ + "

    You\u2019re legally responsible for making sure that your vehicle is:

    ", + "
  • kept in a safe condition
  • ", + "
  • safe to drive whenever you drive it
  • ", + "

    If you do not get your vehicle inspected and fixed, you could:

    ", + "
  • affect any insurance claim you make
  • ", + "
  • put yourself and others at serious risk
  • ", + "

    You can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle in a dangerous condition.

    " + ], + "id": "train-510" + }, + { + "url": "https://www.gov.uk/vehicle-recalls-and-faults", + "scenario": "I have come into possession of a new car. The electronic handbrake keeps releasing on its own. I have had to leave it on the flat. This is a major fault.", + "question": "Where do I report this kind of defect?", + "not_answerable": false, + "answers": [ + [ + "report it to the manufacturer immediately", + [] + ], + [ + "tell the driver and vehicle standards agency (dvsa)", + [ + "

    Tell the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with how the manufacturer is dealing with your report.

    " + ] + ] + ], + "evidences": [ + "

    You can report a serious safety defects with your vehicle or accessory if it could cause injury.

    ", + "

    If you find a serious defect that affects the safety of your vehicle, one of its parts, or an accessory, report it to the manufacturer immediately.

    ", + "

    Tell the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with how the manufacturer is dealing with your report.

    ", + "

    A serious safety defect is something:

    ", + "
  • about the way the vehicle is designed or made that\u2019s likely to cause injury or death
  • ", + "
  • that happens suddenly and without warning
  • " + ], + "id": "train-511" + }, + { + "url": "https://www.gov.uk/adi-standards-check", + "scenario": "I am a 28 year old from Bradford and I recently took my ADI standards check and failed by 3 points.", + "question": "Is there a time limit as to when I can resit the check?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-512" + }, + { + "url": "https://www.gov.uk/adi-standards-check", + "scenario": "I am a 51 year old from Bolton and I have been removed from the ADI register after failing 3 standards checks due to health problems at the time. These have now been resolved.", + "question": "Do I need to retake my ADI test?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You have to take at least one ADI standards check during each 4-year period that you\u2019re registered as an ADI.

    ", + "

    If you fail the standards check

    ", + "

    You\u2019ll have up to 2 more attempts to pass the standards check.

    ", + "

    If you fail 3 times:

    ", + "
  • you\u2019ll be removed from the approved driving instructors (ADI) register
  • ", + "
  • you\u2019ll have to retake the ADI tests to join the ADI register again
  • " + ], + "id": "train-513" + }, + { + "url": "https://www.gov.uk/vehicle-registration", + "scenario": "I recently bought a car. I received my V5c registration certificate today but noticed there are some mistakes on the certificate. I made the correction on V5C and send to DVLA", + "question": "How long does it take to get a replacement certificate ?", + "not_answerable": false, + "answers": [ + [ + "4 weeks", + [] + ] + ], + "evidences": [ + "

    When you receive your registration certificate, it\u2019s your responsibility to check all the details are correct. If anything is incorrect, make the changes on the certificate and send it back to DVLA.

    ", + "

    You\u2019ll get the replacement certificate within 4 weeks.

    " + ], + "id": "train-514" + }, + { + "url": "https://www.gov.uk/vehicle-registration", + "scenario": "I have been to Audi showroom and liked Audi A6 model. I have placed an order. Have not applied for the registration and taxing", + "question": "what is the cost of registering and taxing a new vehicle with DVLA ?", + "not_answerable": false, + "answers": [ + [ + "\u00a355", + [] + ] + ], + "evidences": [ + "

    As well as documents to prove your identity, you must also send:

    ", + "
  • the new registration fee of \u00a355, if you have to pay it
  • ", + "

    You\u2019ll have to pay a fee of \u00a355 if you\u2019re registering and taxing a vehicle for the first time with DVLA.

    " + ], + "id": "train-515" + }, + { + "url": "https://www.gov.uk/1619-bursary-fund", + "scenario": "I am 20 years old. I will be going on an unpaid training course, and I am looking up ways to be able to fund my lifestyle.", + "question": "Are there any bursaries available for people of my age?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You could also get a bursary if you either:

    ", + "
  • are continuing on a course you started aged 16 to 18 (known as being a \u201919+ continuer\u2019)
  • ", + "
  • have an Education, Health and Care Plan (EHCP)
  • " + ] + ] + ], + "evidences": [ + "

    If you\u2019re 19 and over

    ", + "

    You could also get a bursary if you either:

    ", + "
  • are continuing on a course you started aged 16 to 18 (known as being a \u201919+ continuer\u2019)
  • ", + "
  • have an Education, Health and Care Plan (EHCP)
  • ", + "

    You could get a discretionary bursary if you need financial help but do not qualify for a bursary for students in vulnerable groups. Your education or training provider decides how much you get and what it\u2019s used for.

    ", + "

    If you\u2019re over 19, you\u2019ll only be eligible for a discretionary bursary.

    " + ], + "id": "train-516" + }, + { + "url": "https://www.gov.uk/1619-bursary-fund", + "scenario": "I am starting at a public school within the next two months. It has been mentioned that there are bursaries available for people of my age, 17. I appear to be eligible, but I am not sure.", + "question": "Where am I able to check my eligibility?", + "not_answerable": false, + "answers": [ + [ + "ask student services about their criteria", + [] + ] + ], + "evidences": [ + "

    Your school or college will have their own criteria for discretionary bursaries. They\u2019ll look at your individual circumstances - this usually includes your family income.

    ", + "

    Ask student services about their criteria and any evidence you\u2019ll need.

    ", + "

    Apply to your school, college or training provider. Ask student services or your tutor to explain what you need to do.

    " + ], + "id": "train-517" + }, + { + "url": "https://www.gov.uk/1619-bursary-fund", + "scenario": "I'm 17 years old with and receiving Disability Living Allowance for a chronic health condition. I'm studying at a publicly funded school, but struggling financially with the cost of books and equipment.", + "question": "Where do I apply for a bursary fund?", + "not_answerable": false, + "answers": [ + [ + "apply to your school, college or training provider", + [] + ] + ], + "evidences": [ + "

    You could get a bursary to help with education-related costs if you\u2019re aged 16 to 19 and:

    ", + "
  • studying at a publicly funded school or college in England - not a university
  • ", + "

    Apply to your school, college or training provider. Ask student services or your tutor to explain what you need to do.

    " + ], + "id": "train-518" + }, + { + "url": "https://www.gov.uk/1619-bursary-fund", + "scenario": "I'm 19 and now resuming a course at a publicly funded school after a two year gap for my mental health as a 19+ continuer. I'm struggling with the cost of books for school and I have been offered a discretionary bursary from my school.", + "question": "Could the school stop the bursary if I break the school's rules?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You could get a discretionary bursary if you need financial help but do not qualify for a bursary for students in vulnerable groups. Your education or training provider decides how much you get and what it\u2019s used for.

    ", + "

    Your provider could stop payments if you break their rules, for example about attendance or how your bursary is used.

    " + ], + "id": "train-519" + }, + { + "url": "https://www.gov.uk/setting-up-an-approved-tachograph-centre", + "scenario": "I have been approved to run a Tachograph in the past. The registration is about to expire. I want to renew my registration.", + "question": "What are the costs involved with renewing my registration?", + "not_answerable": false, + "answers": [ + [ + "\u00a3148", + [] + ] + ], + "evidences": [ + "

    It costs:

    ", + "
  • \u00a3148 to renew your registration each year
  • " + ], + "id": "train-520" + }, + { + "url": "https://www.gov.uk/setting-up-an-approved-tachograph-centre", + "scenario": "I am considering applying to setup an approved Tachograph centre. We are looking to recruit the correct people for the role.", + "question": "What are the requirement for the employees of an ATC?", + "not_answerable": false, + "answers": [ + [ + "you can only employ \u2018nominated technicians\u2019 to carry out work at an approved tachograph centre (atc). they must be skilled technicians with experience working on tachographs.", + [] + ], + [ + "they must also have a driving licence for the relevant categories of vehicles they\u2019re testing", + [ + "

    If they need to road test vehicles, they must also have a driving licence for the relevant categories of vehicles they\u2019re testing.

    " + ] + ], + [ + "they\u2019ll also need to hold a \u2018certificate of competence\u2019 for each class of tachograph (digital, analogue or both) that they want to work on.", + [] + ] + ], + "evidences": [ + "

    You can only employ \u2018nominated technicians\u2019 to carry out work at an Approved Tachograph Centre (ATC). They must be skilled technicians with experience working on tachographs.

    ", + "

    If they need to road test vehicles, they must also have a driving licence for the relevant categories of vehicles they\u2019re testing.

    ", + "

    They\u2019ll also need to hold a \u2018certificate of competence\u2019 for each class of tachograph (digital, analogue or both) that they want to work on.

    ", + "

    They\u2019ll get this only after they\u2019ve successfully completed a DVSA-approved training course. You\u2019ll find details in the ATC manual.

    " + ], + "id": "train-521" + }, + { + "url": "https://www.gov.uk/trainee-driving-instructor-licence-the-rules", + "scenario": "I am training as driving instructor. I recently got a speeding fine and am worried about my livelihood. I have heard I could be in trouble.", + "question": "Under what circumstances can my training license be taken away from me?", + "not_answerable": false, + "answers": [ + [ + "you break any of the rules for having a trainee licence", + [] + ] + ], + "evidences": [ + "

    You must:

    ", + "
  • be a \u2018fit and proper\u2019 person
  • ", + "

    The ADI registrar can take your trainee licence away before it runs out if:

    ", + "
  • you break any of the rules for having a trainee licence
  • ", + "
  • the licence was issued by mistake or gained by fraud
  • ", + "
  • you fail 3 attempts at the ADI part 3 test
  • " + ], + "id": "train-522" + }, + { + "url": "https://www.gov.uk/traffic-commissioner", + "scenario": "I am starting haulage company and have recently bought some land to make a depot. I want to start operating but the council are refusing planning permission as i am not registered. I have been told to contact the Traffic Comissioners.", + "question": "In these circumstances what are Traffic Commissioners responsible for?", + "not_answerable": false, + "answers": [ + [ + "traffic commissioners are responsible for licensing and regulating operators of heavy goods vehicles (hgvs), public service vehicles (psvs) and local bus services.", + [] + ] + ], + "evidences": [ + "

    Traffic commissioners are responsible for licensing and regulating operators of heavy goods vehicles (HGVs), public service vehicles (PSVs) and local bus services. They can also take action against their drivers.

    ", + "

    They can call a formal public inquiry in a court to get more evidence to help them decide if they should:

    ", + "
  • grant or refuse licences for HGV or PSV operators
  • ", + "
  • take action against a vehicle operator, bus service operator or driver of a bus, minibus or lorry
  • ", + "

    This might be if someone has objected to a licence being granted or the traffic commissioner thinks an operator may have broken the terms of their licence.

    " + ], + "id": "train-523" + }, + { + "url": "https://www.gov.uk/traffic-commissioner", + "scenario": "I am a licensed haulier and have established my yard opposite a posh house. The owner is threatening to take me to a tribunal as he does't like being near a truck yard.", + "question": "Can I be taken to a tribual or inquiry by the Traffic Commissioner?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Traffic commissioners are responsible for licensing and regulating operators of heavy goods vehicles (HGVs), public service vehicles (PSVs) and local bus services. They can also take action against their drivers.

    ", + "

    They can call a formal public inquiry in a court to get more evidence to help them decide if they should:

    ", + "
  • grant or refuse licences for HGV or PSV operators
  • ", + "
  • take action against a vehicle operator, bus service operator or driver of a bus, minibus or lorry
  • ", + "

    This might be if someone has objected to a licence being granted or the traffic commissioner thinks an operator may have broken the terms of their licence.

    ", + "

    If a vehicle operator wants to add an operating centre to a licence or make changes to an existing centre, owners and residents of land nearby can object. This is called a \u2018representation\u2019.

    ", + "

    However, representations must be about environmental issues, such as concern over noise, and only if they\u2019re going to affect the owner or resident\u2019s \u2018use or enjoyment\u2019 of the land.

    ", + "

    You may have to attend a public inquiry if:

    ", + "
  • someone has objected to your application for a licence or change to a licence
  • ", + "
  • you have not kept to the conditions of your licence, for example you\u2019ve used more vehicles than permitted
  • ", + "
  • there are environmental concerns about a goods vehicle operating centre on your licence
  • " + ], + "id": "train-524" + }, + { + "url": "https://www.gov.uk/become-an-mot-station", + "scenario": "am a mechanic who owns a garage. I am not yet able to carry out MOT tests, and I am currently going about looking how to become one. I have equipment, but I am not sure if I have everything I need.", + "question": "Where can I find minimum standards for premises used for MOT testing?", + "not_answerable": false, + "answers": [ + [ + "in the mot testing guide", + [] + ] + ], + "evidences": [ + "

    You need to make sure that your equipment and premises are suitable for the vehicle classes you plan to test.

    ", + "

    You need to make sure your premises are suitable and testing bay sizes are correct for the vehicle classes you\u2019ll be testing. You can find the minimum standards in the MOT testing guide.

    ", + "

    Your premises will be given an approval in principle when you apply for authorised examiner (AE) status. This will help you avoid committing to expensive work or alterations before your premises are approved.

    ", + "

    If you\u2019ve already got AE status and want to make changes to the test facilities, write to the Driver and Vehicle Standards Agency (DVSA) before you make any changes. Include supporting drawings, to show that the changes will not affect the testing station\u2019s approval.

    " + ], + "id": "train-525" + }, + { + "url": "https://www.gov.uk/become-an-mot-station", + "scenario": "I have just passed my MOT AE test. I have all of the correct equipment and the premises to carry out MOT tests. I am unsure as to the requirements I have to fulfill now.", + "question": "What are the expectations of an MOT authorised examiner after passing?", + "not_answerable": false, + "answers": [ + [ + "mot tests are properly conducted", + [] + ], + [ + "the test facilities and equipment are checked and well-maintained", + [] + ], + [ + "mot documents are correctly stored and access to electronic mot test systems is only given to eligible users", + [] + ], + [ + "the mot testers are assessed correctly and complete training and assessments", + [] + ] + ], + "evidences": [ + "

    You need:

    ", + "
  • an authorised examiner (AE)
  • ", + "

    The AE is an individual, partnership or company authorised by the Driver and Vehicle Standards Agency (DVSA). The AE is responsible for making sure that:

    ", + "
  • MOT tests are properly conducted
  • ", + "
  • the test facilities and equipment are checked and well-maintained
  • ", + "
  • MOT documents are correctly stored and access to electronic MOT test systems is only given to eligible users
  • ", + "
  • the MOT testers are assessed correctly and complete training and assessments
  • ", + "
  • DVSA staff have access to the premises for checks on staff and equipment
  • ", + "
  • DVSA is informed about significant changes to the business within 7 working days
  • ", + "

    You need an authorised examiner (AE) to set up an MOT test station. The AE can be an individual, partnership or company.

    ", + "

    You must clearly and publicly display the MOT test fees and appeals poster (VT9A) in your station.

    ", + "

    You should conduct regular checks to make sure your MOT testing station meets the best practice standards at all times.

    " + ], + "id": "train-526" + }, + { + "url": "https://www.gov.uk/advanced-learner-loan", + "scenario": "I am an American woman and was married to a British man, who passed away. I have been given right to indefinitely remain as a bereaved partner. I am 23 years old. I would like to undertake an A-level arts course.", + "question": "Will I be eligible to receive funding for this course?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Your course must be:

    ", + "
  • at an approved college or training provider in England
  • ", + "

    In most cases, all of the following must apply. You must:

    ", + "
  • have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course
  • " + ] + ] + ], + "evidences": [ + "

    You can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.

    ", + "

    Whether you qualify for an Advanced Learner Loan depends on your:

    ", + "
  • age
  • ", + "
  • course
  • ", + "
  • college or training provider
  • ", + "
  • nationality or residency status
  • ", + "

    You must be 19 or older on the first day of your course.

    ", + "

    Your course must be:

    ", + "
  • a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate
  • ", + "
  • at an approved college or training provider in England
  • ", + "

    In most cases, all of the following must apply. You must:

    ", + "
  • be living in the UK on the first day of your course
  • ", + "
  • be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)
  • ", + "
  • have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course
  • " + ], + "id": "train-527" + }, + { + "url": "https://www.gov.uk/advanced-learner-loan", + "scenario": "I am a student who will be going to college. I appear to be eligible for the advanced learning, and would like to undertake three A-level courses.", + "question": "Can I apply for a loan for each course?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.

    ", + "

    Loan eligibility does not depend on your income and there are no credit checks.

    ", + "

    You can apply for up to 4 loans and you can get more than one at the same time.

    ", + "

    You can apply for another loan to take the same level of a course, for example the same level qualification in History if you\u2019ve already had a loan for the same level in Maths.

    ", + "

    You can apply for a loan to fund each course you take towards your A Levels - up to a maximum of 4 A Levels.

    ", + "

    This means you can have up to 8 loans if you\u2019re taking each A Level as 2 separate courses.

    " + ], + "id": "train-528" + }, + { + "url": "https://www.gov.uk/support-military-bereaved-children", + "scenario": "I am 18 years old, and I am a student at a college . This is a full-time education course. My father died on the 20th July 2021.", + "question": "Will I be eligible for any scholarship for the university?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • one of your parents died as a result of their service in the armed forces
  • ", + "
  • you or a surviving parent receive bereavement benefits from the Armed Forces Compensation scheme, War Pension scheme or Armed Forces Attributable Benefits scheme
  • " + ] + ] + ], + "evidences": [ + "

    You can apply for help with the costs of further and higher education if all of the following are true:

    ", + "
  • one of your parents died as a result of their service in the armed forces
  • ", + "
  • your parent died on or after 1 January 1990
  • ", + "
  • you\u2019re 16 or over and in full-time education
  • ", + "
  • you or a surviving parent receive bereavement benefits from the Armed Forces Compensation scheme, War Pension scheme or Armed Forces Attributable Benefits scheme
  • ", + "

    You can use the money to pay tuition fees and your maintenance for:

    ", + "
  • your first undergraduate course at a UK university or other higher education institution (such as a college or art school) - this can include study abroad if it\u2019s part of the course
  • " + ], + "id": "train-529" + }, + { + "url": "https://www.gov.uk/support-military-bereaved-children", + "scenario": "My parent died and I have been offered a scholarship for my undergraduate university course. I do not know how much I will receive. I am from England.", + "question": "What scholarship amount should I be expecting to receive?", + "not_answerable": false, + "answers": [ + [ + "\u00a39,250 for tuition fees and \u00a34,950 for a maintenance grant", + [] + ] + ], + "evidences": [ + "

    You can use the money to pay tuition fees and your maintenance for:

    ", + "
  • your first undergraduate course at a UK university or other higher education institution (such as a college or art school) - this can include study abroad if it\u2019s part of the course
  • ", + "
  • a higher level technical education course at qualification levels 4, 5 or 6
  • ", + "

    In the 2018 to 2019 academic year you can apply for up to:

    ", + "
  • \u00a39,250 for tuition fees and \u00a34,950 for a Maintenance Grant for a higher education or higher level technical education course
  • " + ], + "id": "train-530" + }, + { + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "scenario": "My sister has been served with a notice of rejection. She was charged with a penalty fine after breaking the traffic rules while during in london city.", + "question": "Who should she appeal to?", + "not_answerable": false, + "answers": [ + [ + "london tribunals", + [] + ] + ], + "evidences": [ + "

    You may be able to appeal to an independent tribunal against a penalty charge notice (PCN) if you think it\u2019s wrong.

    ", + "

    You then have 28 days to appeal after you get a \u2018notice of rejection\u2019 to say your formal challenge has failed.

    ", + "

    Find out how to appeal to:

    ", + "
  • London Tribunals if your PCN was issued in London
  • " + ], + "id": "train-531" + }, + { + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "scenario": "My neighbor was issued with a penalty charge notice and paid immediately. Two days later the bailiffs were sent to her house for the penalty recovery.", + "question": "What proof of payment can she show the bailiffs?", + "not_answerable": false, + "answers": [ + [ + "a credit card statement", + [] + ] + ], + "evidences": [ + "

    You\u2019ll have 21 days to pay the penalty charge notice (PCN) or challenge a court order demanding payment (known as an \u2018order of recovery\u2019).

    ", + "

    Bailiffs (\u2018enforcement agents\u2019) will be told to visit your home to collect what you owe if you don\u2019t pay or challenge within 21 days.

    ", + "

    You can challenge an order of recovery if you:

    ", + "
  • have proof you\u2019ve paid the penalty charge, such as a credit card statement
  • " + ], + "id": "train-532" + }, + { + "url": "https://www.gov.uk/adult-dependants-grant", + "scenario": "I am 23 years old full time student at a UK university. My only surviving parent has been diagnosed with glaucoma. She needs care and support. I don't have a student finance loan.", + "question": "Can i qualify for the Adults dependant loan?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You\u2019re not eligible if the adult dependant is:

    ", + "
  • a relative who earns more than \u00a33,796 a year
  • " + ] + ] + ], + "evidences": [ + "

    If you\u2019re a full-time student in higher education and an adult depends on you financially, you can apply for an Adult Dependants\u2019 Grant of up to:

    ", + "
  • \u00a33,190 for the 2021 to 2022 academic year
  • ", + "

    You cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.

    ", + "

    Usually the adult dependant will be:

    ", + "
  • a relative, such as a parent or grandparent
  • ", + "

    You\u2019re not eligible if the adult dependant is:

    ", + "
  • a relative who earns more than \u00a33,796 a year
  • " + ], + "id": "train-533" + }, + { + "url": "https://www.gov.uk/adult-dependants-grant", + "scenario": "My niece is pursuing her studies in a UK university. She qualifies for a adult dependants' loan .She wishes to apply it in this coming 2021-2022 academic year.", + "question": "How much will she get?", + "not_answerable": false, + "answers": [ + [ + "\u00a33,190", + [ + "

    The amount you get depends on:

    ", + "
  • your income
  • ", + "
  • the adult dependant\u2019s income
  • ", + "
  • your personal circumstances, for example if you\u2019re married or have children
  • ", + "
  • what other grants you\u2019re receiving, for example Childcare Grant
  • " + ] + ] + ], + "evidences": [ + "
  • \u00a33,190 for the 2021 to 2022 academic year
  • ", + "

    The maximum Adult Dependants\u2019 Grant is:

    ", + "

    The amount you get depends on:

    ", + "
  • your income
  • ", + "
  • the adult dependant\u2019s income
  • ", + "
  • your personal circumstances, for example if you\u2019re married or have children
  • ", + "
  • what other grants you\u2019re receiving, for example Childcare Grant
  • " + ], + "id": "train-534" + }, + { + "url": "https://www.gov.uk/boatmasters-licence", + "scenario": "I have been operating with a Boatmasters' license for a year now. A few days ago after a chaotic day at work I realized that I had misplaced my document.", + "question": "How much does it cost for a replacement?", + "not_answerable": false, + "answers": [ + [ + "\u00a323", + [] + ] + ], + "evidences": [ + "

    Replacing your licence

    ", + "

    Download the application form for a replacement boatmasters\u2019 licence.

    ", + "

    Replacing your licence costs \u00a323.

    " + ], + "id": "train-535" + }, + { + "url": "https://www.gov.uk/boatmasters-licence", + "scenario": "I am interested in applying for a Boatmasters' license. I have relevant work experience in the field working on water vessels for newly a decade now.", + "question": "Will my relevant work experience records help with my application?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-536" + }, + { + "url": "https://www.gov.uk/driver-cpc-training", + "scenario": "I was contacted by a family friend, requesting for me to drive for his company. I would be driving employees to business meetings and such. I do not have my professional competence qualification yet but I am working on getting it soon. He insists that I begin driving before I have completed my training. Apparently as long as I have enrolled into training I am allowed to drive professionally.", + "question": "How much could I get fined for driving for his company before having completed my training?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a31,000", + [] + ] + ], + "evidences": [ + "

    You must do 35 hours of periodic training every 5 years to keep your Driver Certificate of Professional Competence (CPC) to drive a lorry, bus or coach.

    ", + "

    You can be fined up to \u00a31,000 for driving professionally without Driver CPC.

    ", + "

    If you miss your deadline, you cannot drive professionally until you\u2019ve finished your training.

    " + ], + "id": "train-537" + }, + { + "url": "https://www.gov.uk/driver-cpc-training", + "scenario": "I completed my Driver Certificate of Professional competence qualification around 2 months ago. I passed with no problems and was told my Driver CPC card would be mailed to my address. It has been over a month since then and I have not received my card.", + "question": "What institution should I contact about this issue?", + "not_answerable": false, + "answers": [ + [ + "the driver and vehicle standards agency (dvsa)", + [] + ] + ], + "evidences": [ + "

    Contact the Driver and Vehicle Standards Agency (DVSA) if you do not receive your new card within 20 days of the date you\u2019re due to get it.

    " + ], + "id": "train-538" + }, + { + "url": "https://www.gov.uk/become-a-fleet-driver-trainer", + "scenario": "My brother is an Approved driving instructor . He wants to change his job and become a registered fleet driver trainer.", + "question": "How much is the registration fee?", + "not_answerable": false, + "answers": [ + [ + "\u00a3120", + [] + ] + ], + "evidences": [ + "

    You must be an approved driving instructor to join the register.

    ", + "

    You can send the form to DVSA if you\u2019ve already done an accredited training course. You\u2019ll need to include:

    ", + "
  • the registration fee of \u00a3120
  • " + ], + "id": "train-539" + }, + { + "url": "https://www.gov.uk/become-a-fleet-driver-trainer", + "scenario": "My father is a fleet driver trainer and has failed his ADI standard checks.He is worried that it will affect his work as an instructor.", + "question": "Can he be removed from the fleet driver trainers register?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll be removed from both the ADI register and the register of fleet drivers if you:

    ", + "
  • fail the standards check
  • " + ], + "id": "train-540" + }, + { + "url": "https://www.gov.uk/adi-part-1-test", + "scenario": "I will be undertaking a driving instructor test. I have been given additional on academic tests in the past due to my reading difficulties. I know that extra time can be given for the instructor test.", + "question": "What do I have to send in to prove I have reading difficulties?", + "not_answerable": false, + "answers": [ + [ + "an email or letter", + [ + "

    To do this, you must send proof to the Driver and Vehicle Standards Agency (DVSA) that you have a reading difficulty. The proof could be an email or letter from a:

    ", + "
  • teacher or other educational professional
  • ", + "
  • doctor or medical professional
  • ", + "
  • an occupational therapist
  • ", + "
  • an online dyslexia screening product assured by the British Dyslexia Association
  • " + ] + ] + ], + "evidences": [ + "

    When you book your test you should say if you have a reading difficulty.

    ", + "

    You can then ask for an English voiceover. This lets you hear the test instructions and questions through headphones.

    ", + "

    You can ask for more time to do the multiple-choice questions part of the test.

    ", + "

    To do this, you must send proof to the Driver and Vehicle Standards Agency (DVSA) that you have a reading difficulty. The proof could be an email or letter from a:

    ", + "
  • teacher or other educational professional
  • ", + "
  • doctor or medical professional
  • ", + "
  • an occupational therapist
  • ", + "
  • an online dyslexia screening product assured by the British Dyslexia Association
  • " + ], + "id": "train-541" + }, + { + "url": "https://www.gov.uk/adi-part-1-test", + "scenario": "I took a driving instructor test. I received a letter at the test centre showing that I failed. I have been told that I will need to rebook a test. I would like to retake it as soon as possible because I was close to passing.", + "question": "When can I retake my instructor test?", + "not_answerable": false, + "answers": [ + [ + "at least 3 working days after your last test", + [] + ] + ], + "evidences": [ + "

    Rebook your ADI part 1 test if you failed your test and want to resit it. You have to choose a date at least 3 working days after your last test.

    ", + "

    If you fail

    ", + "

    You\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.

    ", + "

    You must book and take the full test again.

    ", + "

    You have to wait at least 3 working days before taking your test again.

    " + ], + "id": "train-542" + }, + { + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "scenario": "I received a fixed penalty notice for obstruction. However, when I parked my car I was on the same side of the road as everyone else. When I returned the cars were now parking on the other side. The PCN is now due. I tried making a formal challenge but this was rejected", + "question": "What can I do?", + "not_answerable": false, + "answers": [ + [ + "you may be able to appeal to an independent tribunal", + [ + "

    You then have 28 days to appeal after you get a \u2018notice of rejection\u2019 to say your formal challenge has failed.

    " + ] + ] + ], + "evidences": [ + "

    You may be able to appeal to an independent tribunal against a penalty charge notice (PCN) if you think it\u2019s wrong.

    ", + "

    You can only do this if you\u2019ve already tried making making a formal challenge (\u2018representation\u2019).

    ", + "

    This includes any PCN issued in England or Wales for:

    ", + "
  • parking
  • ", + "

    You then have 28 days to appeal after you get a \u2018notice of rejection\u2019 to say your formal challenge has failed.

    " + ], + "id": "train-543" + }, + { + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "scenario": "I was caught by a speed camera and got a fixed penalty notice. These people are thieves. I appealed but it was rejected.", + "question": "What is the worst that can happen if I don't pay?", + "not_answerable": false, + "answers": [ + [ + "you\u2019ll get a \u2018charge certificate\u2019 and you\u2019ll have to pay 50% more within 14 days.", + [] + ], + [ + "you\u2019ll get a court order demanding payment if you don\u2019t pay a charge certificate within 14 days.", + [] + ], + [ + "bailiffs (\u2018enforcement agents\u2019) will be told to visit your home to collect what you owe if you don\u2019t pay or challenge within 21 days.", + [] + ] + ], + "evidences": [ + "

    You\u2019ll have 28 days to pay the penalty charge notice (PCN) if your appeal is refused.

    ", + "

    If you don\u2019t pay within 28 days

    ", + "

    You\u2019ll get a \u2018charge certificate\u2019 and you\u2019ll have to pay 50% more within 14 days.

    ", + "

    You\u2019ll get a court order demanding payment if you don\u2019t pay a charge certificate within 14 days.

    ", + "

    You\u2019ll have 21 days to pay the penalty charge notice (PCN) or challenge a court order demanding payment (known as an \u2018order of recovery\u2019).

    ", + "

    Bailiffs (\u2018enforcement agents\u2019) will be told to visit your home to collect what you owe if you don\u2019t pay or challenge within 21 days.

    " + ], + "id": "train-544" + }, + { + "url": "https://www.gov.uk/traffic-commissioner", + "scenario": "I am the operator of a HGV. I have been told that I have broken the terms of my licence by the Traffic Commissioner. The licence has been revoked. I am not happy about the decision.", + "question": "What do I do to go about appealing this decision?", + "not_answerable": false, + "answers": [ + [ + "you can appeal to the upper tribunal against a traffic commissioner decision (form ut12)", + [ + "

    You must send the form to the tribunal within 1 month of the traffic commissioner\u2019s written decision. The address is on the form.

    " + ] + ] + ], + "evidences": [ + "

    The traffic commissioner can decide to:

    ", + "
  • end or suspend an existing licence
  • ", + "

    You can appeal against the decision.

    ", + "

    You can appeal to the Upper Tribunal against a traffic commissioner decision (form UT12).

    ", + "

    You must send the form to the tribunal within 1 month of the traffic commissioner\u2019s written decision. The address is on the form.

    " + ], + "id": "train-545" + }, + { + "url": "https://www.gov.uk/traffic-commissioner", + "scenario": "A licence application has been made by an operator of a PSV. I own land nearby and do not approve of this due to the noise it would make.", + "question": "Am I able to raise the issue and have the licence refused?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Traffic commissioners are responsible for licensing and regulating operators of heavy goods vehicles (HGVs), public service vehicles (PSVs) and local bus services. They can also take action against their drivers.

    ", + "

    They can call a formal public inquiry in a court to get more evidence to help them decide if they should:

    ", + "
  • grant or refuse licences for HGV or PSV operators
  • ", + "

    This might be if someone has objected to a licence being granted or the traffic commissioner thinks an operator may have broken the terms of their licence.

    ", + "

    If a vehicle operator wants to add an operating centre to a licence or make changes to an existing centre, owners and residents of land nearby can object. This is called a \u2018representation\u2019.

    ", + "

    However, representations must be about environmental issues, such as concern over noise, and only if they\u2019re going to affect the owner or resident\u2019s \u2018use or enjoyment\u2019 of the land.

    " + ], + "id": "train-546" + }, + { + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "scenario": "My uncle has a great passion for Motorcycles. He has been aspiring to become a DVSA rider scheme trainer. He has failed all the 3 theory test attempts.", + "question": "How long should he wait inorder to retake it?", + "not_answerable": false, + "answers": [ + [ + "12 months", + [] + ] + ], + "evidences": [ + "

    You can book your instructor theory test when the Driver and Vehicle Standards Agency (DVSA) has accepted your application to join the register.

    ", + "

    There are 2 parts to the test - multiple-choice questions and hazard perception. You have to pass both parts.

    ", + "

    You have 3 attempts to pass the test. If you fail the third attempt, you have to wait 12 months before you can take it again.

    " + ], + "id": "train-547" + }, + { + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "scenario": "I am qualified DVSA rider scheme instructor and I lost my riders log book among other documents during a fire outbreak in my house.", + "question": "Can i contact DVSA to get copies of my documents?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you lose your documents

    ", + "

    Contact DVSA to get the documents sent again.

    " + ], + "id": "train-548" + }, + { + "url": "https://www.gov.uk/doctoral-loan", + "scenario": "I live in England and I am doing a 3 year Ph.D in Computer Science. I heard of Doctoral Loans but didn't apply in the first year and planning to apply from second year. I started the course on 10 Aug 2020", + "question": "How much loan I can get each year ?", + "not_answerable": false, + "answers": [ + [ + "\u00a311,222", + [ + "

    You must be under 60 on the first day of the first academic year of your course.

    " + ] + ] + ], + "evidences": [ + "

    A Postgraduate Doctoral Loan can help with course fees and living costs while you study a postgraduate doctoral course, such as a PhD.

    ", + "

    You can get up to:

    ", + "

    If you apply after your first year

    ", + "

    You can apply for a Postgraduate Doctoral Loan in any year of your course. But if you apply after your first year, you might not get the maximum amount.

    ", + "
  • \u00a311,222 each year if your course started between 1 August 2020 and 31 July 2021
  • ", + "

    Whether you qualify depends on:

    ", + "
  • your course
  • ", + "
  • your age
  • ", + "
  • your nationality or residency status
  • ", + "

    It must:

    ", + "
  • be a full, standalone doctoral course (not a top-up course)
  • ", + "
  • have started on or after 1 August 2018
  • ", + "
  • last between 3 to 8 academic years
  • ", + "
  • be provided by a university in the UK with research degree awarding powers
  • ", + "

    Examples of postgraduate doctoral qualifications include:

    ", + "
  • PhD / DPhil (Doctor of Philosophy)
  • ", + "

    You must be under 60 on the first day of the first academic year of your course.

    ", + "

    You can apply for the Postgraduate Doctoral Loan if all of the following are true:

    ", + "
  • you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay
  • ", + "
  • you normally live in England
  • ", + "
  • you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday
  • " + ], + "id": "train-549" + }, + { + "url": "https://www.gov.uk/doctoral-loan", + "scenario": "I am currently doing a Ph.D in cyber security. I live in England for the last 4 years and on a dependant visa of my husband so we don't have a settlement status yet.", + "question": "Can I apply for a Doctoral Loan ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Whether you qualify depends on:

    ", + "
  • your course
  • ", + "
  • your age
  • ", + "
  • your nationality or residency status
  • ", + "

    You can apply for the Postgraduate Doctoral Loan if all of the following are true:

    ", + "
  • you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay
  • ", + "
  • you normally live in England
  • ", + "
  • you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday
  • ", + "

    You could also be eligible if you\u2019re:

    ", + "
  • a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein, or a family member of one with settled or pre-settled status
  • ", + "

    If you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.

    ", + "

    You could also be eligible if you\u2019re not a UK national and are either:

    ", + "
  • 18 or over and have lived in the UK for at least 20 years (or at least half of your life)
  • " + ], + "id": "train-550" + }, + { + "url": "https://www.gov.uk/employing-an-apprentice", + "scenario": "I am a 41 year old from Salford and after substantial growth in my company I am looking to hire an apprentice for 1 year.", + "question": "Is there a minimum contract for apprentices?", + "not_answerable": false, + "answers": [ + [ + "12 months", + [] + ] + ], + "evidences": [ + "

    Apprenticeships must last for at least a year. They can last up to 5 years depending on the level the apprentice is studying.

    ", + "

    Apprentices must work towards an approved apprenticeship. Their training must last at least 12 months.

    " + ], + "id": "train-551" + }, + { + "url": "https://www.gov.uk/employing-an-apprentice", + "scenario": "I am a 34 year old from Liverpool and I am looking to give my apprentice' a pay rise following a successful year.", + "question": "Will I still receive funding if I raise pay for the apprentices?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must pay the apprentice at least the minimum wage.

    ", + "

    You can get help from the government:

    ", + "
  • to pay for apprenticeship training and assessment
  • ", + "
  • as an incentive payment for other costs
  • ", + "

    The amount you get depends on whether you pay the apprenticeship levy or not. You pay the levy if you\u2019re an employer with a pay bill over \u00a33 million each year.

    ", + "

    If you do not need to pay the levy

    ", + "

    You pay 5% towards the cost of training and assessing your apprentice. You need to:

    ", + "
  • agree a payment schedule with the training provider
  • ", + "
  • pay them directly for the training
  • ", + "

    The government will pay the rest (95%) up to the funding band maximum. They\u2019ll pay it directly to the training provider.

    ", + "

    You must pay apprentices at least the National Minimum Wage.

    " + ], + "id": "train-552" + }, + { + "url": "https://www.gov.uk/psv-operator-licences", + "scenario": "I applied for a standard PSV license around 3 weeks ago. I have been out for work for a while now and would like to begin working as soon as possible using my license. I have payed all necessary fees.", + "question": "Can I begin working before I have been issues my license?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You need a public service vehicle (PSV) operator\u2019s licence to:

    ", + "
  • operate a vehicle for hire or reward (payment or payment in kind) that can carry 9 or more passengers
  • ", + "
  • operate a smaller vehicle carrying passengers and charging separate fares for the journey
  • ", + "

    You can apply for a PSV operator\u2019s licence online. You\u2019ll usually get a decision within 7 weeks.

    ", + "

    It\u2019s illegal to operate a vehicle before your licence has been issued.

    " + ], + "id": "train-553" + }, + { + "url": "https://www.gov.uk/psv-operator-licences", + "scenario": "I have been operating as a sole public service driver for the past year. Some other drivers in my position and I recently decided to merge into a limited company.", + "question": "Do we need to notify the Traffic Commissioner about the change?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must tell the Traffic Commissioner within 28 days if:

    ", + "
  • there\u2019s any change in the trading name of the business
  • ", + "

    You\u2019ll also have to tell the Traffic Commissioner if there\u2019s been a change in the \u2018legal entity\u2019 of your business, for example if:

    ", + "
  • your company changes from being a sole trader or partnership to a limited company
  • ", + "
  • there\u2019s been a change in your registered company number
  • " + ], + "id": "train-554" + }, + { + "url": "https://www.gov.uk/psv-operator-licences", + "scenario": "I want to operate a PSV that can carry 10 passengers and I have applied for a PSV license. Very curious to operate the vehicle", + "question": "How long does it take to get a decision on PSV license ?", + "not_answerable": false, + "answers": [ + [ + "within 7 weeks", + [] + ] + ], + "evidences": [ + "

    You need a public service vehicle (PSV) operator\u2019s licence to:

    ", + "
  • operate a vehicle for hire or reward (payment or payment in kind) that can carry 9 or more passengers
  • ", + "

    You can apply for a PSV operator\u2019s licence online. You\u2019ll usually get a decision within 7 weeks.

    ", + "

    It\u2019s illegal to operate a vehicle before your licence has been issued.

    " + ], + "id": "train-555" + }, + { + "url": "https://www.gov.uk/psv-operator-licences", + "scenario": "I have recently decided to apply for a standard license for national operations. Currently I am tight on funds so I have to plan for the application feesStandard licence", + "question": "what is the application fee for a standard licence ?", + "not_answerable": false, + "answers": [ + [ + "\u00a3209", + [] + ] + ], + "evidences": [ + "Type of licence | Fees", + "Application for a standard licence | \u00a3209" + ], + "id": "train-556" + }, + { + "url": "https://www.gov.uk/driving-test", + "scenario": "My Uncle is an experienced driver and passed the driving test with a semi-automatic car. He has moved to the countryside and the only available car to take my father to the hospital is a manual.", + "question": "Is he allowed to drive a manual car with an automatic driving licence?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you take your test in a semi-automatic car you\u2019ll only be able to drive automatic and semi-automatic cars once you\u2019ve passed your test.

    " + ], + "id": "train-557" + }, + { + "url": "https://www.gov.uk/driving-test", + "scenario": "I own a 4 wheel drive car. It is fully registered, taxed and insured. It can go at 70mph speed and has a current MOT.I am afraid of contracting the covid virus during driving test from instructor's car.", + "question": "Can I use my own car for my driving test?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Your car must:

    ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "

    Because of COVID-19, you must clean the inside of your car before your test.

    ", + "

    The car must have:

    ", + "
  • an extra interior rear-view mirror for the examiner
  • ", + "
  • L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear
  • ", + "
  • a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)
  • " + ] + ] + ], + "evidences": [ + "

    You can take your driving test in your own car rather than your driving instructor\u2019s if it meets certain rules.

    ", + "

    Your car must:

    ", + "
  • be taxed
  • ", + "
  • be insured for a driving test (check with your insurance company)
  • ", + "
  • be roadworthy and have a current MOT (if it\u2019s over 3 years old)
  • ", + "
  • have no warning lights showing, for example, the airbag warning light
  • ", + "
  • have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted
  • ", + "
  • be smoke-free - this means you cannot smoke in it just before or during the test
  • ", + "
  • be able to reach at least 62mph and have an mph speedometer
  • ", + "
  • have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg
  • ", + "

    Because of COVID-19, you must clean the inside of your car before your test.

    ", + "

    The car must have:

    ", + "
  • an extra interior rear-view mirror for the examiner
  • ", + "
  • L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear
  • ", + "
  • a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)
  • " + ], + "id": "train-558" + }, + { + "url": "https://www.gov.uk/advanced-learner-loan", + "scenario": "My 19 years sister is a UK citizen . She wants to apply for an Advanced learners loan. She will be joining Birmingham University for her Bachelor of Arts. Unfortunately her passport has expired .", + "question": "Can she use her birth certificate to apply?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.

    ", + "

    You must be 19 or older on the first day of your course.

    ", + "

    In most cases, all of the following must apply. You must:

    ", + "
  • be living in the UK on the first day of your course
  • ", + "
  • be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)
  • ", + "
  • have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course
  • ", + "

    If you\u2019re a UK national, include your UK passport details in your application as proof of identity. If you forget, use the \u2018UK passport details form\u2019.

    ", + "

    If you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.

    " + ], + "id": "train-559" + }, + { + "url": "https://www.gov.uk/advanced-learner-loan", + "scenario": "My niece is a UK citizen and doing apprenticeship masters in Engineering in Bath university. She would like to apply for a bursary fund to cater for her course work.", + "question": "Can she apply for a bursary fund?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.

    ", + "

    You may also be eligible for money from the Advanced Learner Loan Bursary Fund if you need help with some costs while studying, for example childcare, travel or trips related to your course.

    ", + "

    Whether you qualify for an Advanced Learner Loan depends on your:

    ", + "
  • age
  • ", + "
  • course
  • ", + "
  • college or training provider
  • ", + "
  • nationality or residency status
  • ", + "

    You must be 19 or older on the first day of your course.

    ", + "

    Your course must be:

    ", + "
  • a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate
  • ", + "
  • at an approved college or training provider in England
  • ", + "

    In most cases, all of the following must apply. You must:

    ", + "
  • be living in the UK on the first day of your course
  • ", + "
  • be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)
  • ", + "
  • have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course
  • ", + "

    You may apply to get money from the Loan Bursary Fund after you\u2019ve received a letter approving your Advanced Learner Loan.

    ", + "

    The money can help pay for things like:

    ", + "
  • course materials and equipment
  • ", + "

    You cannot apply if you\u2019re:

    ", + "
  • getting student finance for higher education
  • ", + "
  • on an apprenticeship training scheme
  • " + ], + "id": "train-560" + }, + { + "url": "https://www.gov.uk/drivers-hours", + "scenario": "I own a goods vehicle and my vehicle weight is 3.8 tonnes and I drive within European Union. Not sure which rules to follow", + "question": "Will my vehicle falls under EU rules or GB domestic rules ?", + "not_answerable": false, + "answers": [ + [ + "eu rules", + [] + ] + ], + "evidences": [ + "

    If you drive a goods vehicle or a passenger-carrying vehicle you must follow the rules on how many hours you can drive and the breaks that you need to take.

    ", + "

    There are 3 sets of rules that could apply to your journey:

    ", + "
  • EU rules
  • ", + "
  • GB domestic rules
  • ", + "

    The rules that apply depend on:

    ", + "
  • the type of vehicle you\u2019re driving
  • ", + "
  • which country you\u2019re driving in
  • ", + "

    The rules that apply to goods vehicles depend on the weight of your vehicle, the country you\u2019re driving in and what you\u2019re using the vehicle for.

    ", + "

    EU rules apply if the maximum permissible weight of your vehicle or vehicle combination is more than 3.5 tonnes and you\u2019re driving in any of the following:

    ", + "
  • the EU (including the UK)
  • ", + "

    GB domestic rules apply if both the following are true:

    ", + "
  • the maximum permissible weight of your vehicle or vehicle combination is under 3.5 tonnes
  • ", + "
  • your vehicle is exempt from EU rules when driven in the UK
  • " + ], + "id": "train-561" + }, + { + "url": "https://www.gov.uk/drivers-hours", + "scenario": "We are a super market chain and employ lot of drivers to drive our goods vehicles. We been maintaining drivers\u2019 hours records for 5 years.", + "question": "How long we should keep drivers\u2019 hours records ?", + "not_answerable": false, + "answers": [ + [ + "at least one year", + [] + ] + ], + "evidences": [ + "

    If you employ drivers or other mobile workers, you must:

    ", + "
  • keep drivers\u2019 hours records for at least one year
  • " + ], + "id": "train-562" + }, + { + "url": "https://www.gov.uk/manage-approved-driving-instructor-registration", + "scenario": "I have been and ADI for some years. I have not renewed my license for some time and can't remember what to do.", + "question": "What are the requirements for renewing my license?", + "not_answerable": false, + "answers": [ + [ + "you must renew your registration every 4 years.", + [] + ], + [ + "you can renew your registration in the month it expires. if your registration has already run out, you can re-register within 12 months of the expiry date.", + [] + ], + [ + "if your adi registration ran out more than 12 months ago, you need to reapply to become a driving instructor.", + [] + ] + ], + "evidences": [ + "

    You must renew your registration every 4 years.

    ", + "

    You can renew your registration in the month it expires. If your registration has already run out, you can re-register within 12 months of the expiry date.

    ", + "

    If your ADI registration ran out more than 12 months ago, you need to reapply to become a driving instructor.

    " + ], + "id": "train-563" + }, + { + "url": "https://www.gov.uk/manage-approved-driving-instructor-registration", + "scenario": "My name is Ricky. I am an approved driving instructor and unfortunately I have been in trouble with the police. I'd rather not say what, but I think i need to speak to somebody.", + "question": "What do I need to do if I have been in trouble with the police?", + "not_answerable": false, + "answers": [ + [ + "you must tell the driver and vehicle standards agency (dvsa) in writing within 7 days if you get any caution or conviction.", + [] + ] + ], + "evidences": [ + "

    You must tell the Driver and Vehicle Standards Agency (DVSA) in writing within 7 days if you get any caution or conviction. This includes:

    ", + "
  • being \u2018bound over\u2019
  • ", + "
  • having your name entered in the sex offenders\u2019 register
  • ", + "
  • being banned from working with children
  • " + ], + "id": "train-564" + }, + { + "url": "https://www.gov.uk/employing-an-apprentice", + "scenario": "I am the owner of an electrician business that currently employs some apprentices. Due to downturns in our revenue, we are considering making some apprentices redundant.", + "question": "What is the process for making an apprentice redundant?", + "not_answerable": false, + "answers": [ + [ + "follow the process for making staff redundant", + [] + ] + ], + "evidences": [ + "

    Apprentices have the same employment rights as your other employees. Follow the process for making staff redundant if you have to make an apprentice redundant.

    ", + "

    Your apprentice can get support if they\u2019re being made redundant or are at risk of redundancy.

    ", + "

    They can get:

    ", + "
  • financial and legal advice
  • ", + "
  • support for their health and wellbeing
  • ", + "
  • help finding another apprenticeship
  • " + ], + "id": "train-565" + }, + { + "url": "https://www.gov.uk/employing-an-apprentice", + "scenario": "I am an 18 year old man, who is looking to undertake an apprenticeship. I have been offered \u00a33.50 per hour and have been told this is what I should expect. This seems very low.", + "question": "What are the minimum wages should I expect as an apprentice?", + "not_answerable": false, + "answers": [ + [ + "\u00a34.30 per hour", + [] + ] + ], + "evidences": [ + "

    Aged 16 to 18

    ", + "

    The current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.

    " + ], + "id": "train-566" + }, + { + "url": "https://www.gov.uk/drivers-hours", + "scenario": "have been driving a Passenger-carrying vehicles for the last two years. I accidentally went 30 minutes over my driving hours yesterday and the DVLA found out", + "question": "Will I be prosecuted for minor offences?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you break the drivers\u2019 hours rules, the Driver and Vehicle Standards Agency (DVSA) can give you:

    ", + "
  • a verbal warning, for minor offences made by accident or because of inexperience
  • " + ], + "id": "train-567" + }, + { + "url": "https://www.gov.uk/drivers-hours", + "scenario": "I am a goods vehicles driver. I drive within GB under GB rules and I am employed as a driver by an employer. Recently had a feeling that I am driving more than the legal hours and want to verify", + "question": "What is the maximum hours I can drive on a public road ?", + "not_answerable": false, + "answers": [ + [ + "10 hours", + [] + ] + ], + "evidences": [ + "

    The rules that apply depend on:

    ", + "
  • the type of vehicle you\u2019re driving
  • ", + "
  • which country you\u2019re driving in
  • ", + "

    If you drive under the EU or GB domestic drivers\u2019 hours rules, you also need to follow the working time rules.

    ", + "

    Daily driving limit

    ", + "

    You must not drive for more than 10 hours in a day:

    ", + "
  • on a public road
  • " + ], + "id": "train-568" + }, + { + "url": "https://www.gov.uk/driving-abroad", + "scenario": "I'm 18 and got my UK driving licence 6 months ago. I would like to holiday in France, where I will be driving from the euro tunnel, down to the south of France.", + "question": "Do I need an IDP?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.

    ", + "

    You may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:

    ", + "
  • which country you\u2019re visiting
  • ", + "
  • how long you\u2019re staying
  • ", + "

    Check the table to find out if you need an IDP. There are 3 types of IDP:

    ", + "Country or territory | Type of IDP | More information", + "France | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the French Embassy." + ], + "id": "train-569" + }, + { + "url": "https://www.gov.uk/driving-abroad", + "scenario": "I am 78 years old and a UK expat living in the Netherlands for the past 10 years. My UK drivers licence has expired.", + "question": "Can I use an IDP to drive in the UK on holiday as I have not lived in the UK for the last 10 years? My UK licence has expired", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You need to take your Great Britain or Northern Ireland driving licence with you to drive abroad. Check yours is still valid and renew your driving licence online if it\u2019s expired or about to expire. You\u2019ll need to apply to renew your licence at least a week before you travel.

    ", + "

    Do not apply for an IDP if you\u2019re moving abroad. You\u2019ll need to either exchange your UK licence or apply for a new one in the country you\u2019re moving to.

    ", + "

    You need to have a valid Great Britain (GB) or Northern Ireland driving licence to get an IDP.

    " + ], + "id": "train-570" + }, + { + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "scenario": "I am planning to set-up a motorcycle approved training body. I was recently convicted of a motor offence and disqualified for 3 months of driving", + "question": "Will I qualify for setting up a motorcycle ATB ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must meet certain rules to be an approved training body (ATB).

    ", + "

    You must be a \u2018fit and proper\u2019 person to run the ATB.

    ", + "

    When deciding if you\u2019re a \u2018fit and proper\u2019 person, DVSA will look at if you have:

    ", + "
  • had any convictions in the last 4 years
  • ", + "
  • any motoring convictions
  • ", + "
  • been disqualified from driving
  • ", + "
  • any penalty points on your licence
  • ", + "
  • any court proceedings pending against you
  • " + ], + "id": "train-571" + }, + { + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "scenario": "I have a DVSA approved site for practical training and riding elements of the compulsory basic training (CBT) course. Recently we have shut down the site for some financial reasons.", + "question": "Do we have to inform DVSA about the decision to stop using the CBT site ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must tell DVSA straight away if you stop using a site for CBT.

    ", + "

    You can email DVSA - you\u2019ll need to include your approved training body number and the site\u2019s unique code.

    " + ], + "id": "train-572" + }, + { + "url": "https://www.gov.uk/run-local-bus-service", + "scenario": "Our school bus only offers bus transport services to the teachers.students and pupils. It doesn't carry any other passengers ,", + "question": "Do we need to register it with local council?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    A local bus service uses public service vehicles (PSVs) to carry passengers who pay separate fares over short distances.

    ", + "

    You must usually register with the local authority and the local traffic commissioner if you\u2019re operating a local service outside London - there are some exceptions.

    ", + "

    You need a London Service Permit to run a service in London.

    ", + "

    School or college bus services

    ", + "

    If you operate a bus service provided by a local education authority in England or Wales, you may not have to register it.

    ", + "

    You do not need to register a service if the only passengers who pay fares are either:

    ", + "
  • studying at a school or college
  • ", + "
  • supervising pupils or students
  • ", + "
  • teachers or assistants working at the school or college
  • " + ], + "id": "train-573" + }, + { + "url": "https://www.gov.uk/run-local-bus-service", + "scenario": "My family owns a transport company and would wish to register local bus services to expand our business. It will be available to the public and offers reasonable fares.", + "question": "How much does it cost to register local bus services?", + "not_answerable": false, + "answers": [ + [ + "\u00a360", + [] + ] + ], + "evidences": [ + "

    It costs:

    ", + "
  • \u00a360 to register a local bus service
  • " + ], + "id": "train-574" + }, + { + "url": "https://www.gov.uk/adi-standards-check", + "scenario": "I applied for driving instructor (ADI) standards check assessment. Now I have received a letter from DVSA to book ADI standards check.", + "question": "What information I need to book ADI standards check ?", + "not_answerable": false, + "answers": [ + [ + "driving licence number", + [] + ], + [ + "adi personal reference number", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get a letter from DVSA when you need to book your approved driving instructor (ADI) standards check.

    ", + "

    You\u2019ll need your:

    ", + "
  • driving licence number
  • ", + "
  • ADI personal reference number
  • " + ], + "id": "train-575" + }, + { + "url": "https://www.gov.uk/adi-standards-check", + "scenario": "I booked my approved driving instructor (ADI) standards check and took the assessment. Unfortunately I failed the standard check", + "question": "How many more attempts I have to pass the standards check ?", + "not_answerable": false, + "answers": [ + [ + "up to 2 more attempts", + [] + ] + ], + "evidences": [ + "

    You\u2019ll have up to 2 more attempts to pass the standards check.

    ", + "

    If you fail 3 times:

    ", + "
  • you\u2019ll be removed from the approved driving instructors (ADI) register
  • ", + "
  • you\u2019ll have to retake the ADI tests to join the ADI register again
  • " + ], + "id": "train-576" + }, + { + "url": "https://www.gov.uk/training-study-work-your-rights", + "scenario": "I am 22 years old. I am an accountant who wants to undergo additional training. I have been refused my request based on the notion that training would not benefit the business. I appealed, but was again refused.", + "question": "Can I take this appeal any further?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If an employee isn\u2019t satisfied with the result of an appeal they can phone Acas (Advisory, Conciliation and Arbitration Service) for help and advice or raise a grievance.

    " + ], + "id": "train-577" + }, + { + "url": "https://www.gov.uk/training-study-work-your-rights", + "scenario": "I have an employee who has requested time off for training. According to the criteria, they do qualify for the right to ask. I have agreed that he can have the time off for training, but have been told that I will have to contribute to the training.", + "question": "Do I, the employer, have to pay towards the training?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Staff may have the right to ask for time off work for training or study.

    ", + "

    Time off is usually unpaid unless the employer agrees to pay it.

    ", + "

    The employer doesn\u2019t have to pay for the training or study. They can choose to pay all or part of the fees if they think it will benefit the business.

    " + ], + "id": "train-578" + }, + { + "url": "https://www.gov.uk/dismiss-staff", + "scenario": "We have been having an employee in our company who has been diagnosed with breast cancer.she has been put on long term chemotherapy treatment. She shows no signs of recovery.", + "question": "Can we dismiss her from work?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.

    " + ] + ] + ], + "evidences": [ + "

    You must have a valid reason for dismissing an employee. Valid reasons include:

    ", + "
  • their capability or conduct
  • ", + "
  • something that prevents them from legally being able to do their job, for example a driver losing their driving licence
  • ", + "

    Sometimes an employee may have to stop working because of long-term ill health. They may resign, or you may have to consider dismissing them.

    ", + "

    If the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.

    " + ], + "id": "train-579" + }, + { + "url": "https://www.gov.uk/dismiss-staff", + "scenario": "We would like to dismiss two of our employees without notice due to gross misconduct.We want them to leave immediately for the best interest of our company.", + "question": "Do we have to give them pay in lieu of notice?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    Tribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.

    " + ] + ] + ], + "evidences": [ + "

    This is when you dismiss someone instantly without notice or pay in lieu of notice, usually because of gross misconduct (for example theft, fraud, violence).

    ", + "

    Tribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.

    ", + "

    If you feel summary dismissal\u2019s your only choice, you must still follow a fair procedure as you would do for any other disciplinary matter.

    ", + "

    You can dismiss an employee if:

    ", + "
  • they\u2019ve committed some form of misconduct
  • ", + "

    With gross misconduct, you can dismiss the employee immediately as long as you follow a fair procedure. You should investigate the incident and give the employee a chance to respond before deciding to dismiss them.

    " + ], + "id": "train-580" + }, + { + "url": "https://www.gov.uk/social-work-bursaries", + "scenario": "I am a trainee social worker. I am currently studying an approved undergraduate social work degree, which is not employment based. I do not receive funding from my employer.", + "question": "Will I be eligible for a social work bursary?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • don\u2019t already have a higher education social work qualification
  • " + ] + ] + ], + "evidences": [ + "

    Social work bursaries are available to eligible social work students who:

    ", + "
  • don\u2019t get funding from their employer
  • ", + "
  • are studying an approved undergraduate or postgraduate course in social work
  • ", + "
  • don\u2019t already have a higher education social work qualification
  • " + ], + "id": "train-581" + }, + { + "url": "https://www.gov.uk/social-work-bursaries", + "scenario": "I am a social work trainee, who is eligible to receive a social work bursary. My course costs \u00a33,000 per year, and will last for three years. I study full time.", + "question": "How much can I expect to receive for my bursary?", + "not_answerable": false, + "answers": [ + [ + "the amount you get depends", + [] + ] + ], + "evidences": [ + "

    The social work bursary is a grant that doesn\u2019t depend on your household income and doesn\u2019t have to be paid back.

    ", + "

    The amount you get depends on:

    ", + "
  • where you study
  • ", + "
  • whether you study full or part-time
  • ", + "
  • the cost of your tuition
  • " + ], + "id": "train-582" + }, + { + "url": "https://www.gov.uk/pay-paye-tax", + "scenario": "I pay my tax monthly by bank direct debit. Recently, I moved my business account to another bank. Due to an error on the part of the new bank, two monthly tax payments were paid to the wrong account. The error has been resolved and arrears paid.", + "question": "In this circumstance, will I be fined for late payment?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-583" + }, + { + "url": "https://www.gov.uk/pay-paye-tax", + "scenario": "I pay my tax quarterly and through bank transfer, but I am in a financial crisis. I have more debts than funds available to me. I already have a County Court Judgement against me.", + "question": "Can I delay my tax payments whilst I await expected funds to arrive?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Make sure you pay HMRC by the deadline. You may have to pay interest and penalties if your payment is late.

    " + ], + "id": "train-584" + }, + { + "url": "https://www.gov.uk/dismiss-staff", + "scenario": "I am an employer looking to dismiss an employee due to health reasons. The employee has a heart condition and is unable to do the lifting required for the job. I am concerned about an unfair dismissal claim.", + "question": "Are there any steps to undertake to make a dismissal in relation to health?", + "not_answerable": false, + "answers": [ + [ + "getting a medical report from their gp with the employee\u2019s permission", + [] + ], + [ + "arranging an occupational health assessment", + [] + ], + [ + "work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job", + [] + ], + [ + "dismiss them", + [ + "

    If the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.

    " + ] + ] + ], + "evidences": [ + "

    Dismissal is a last resort and you should consider as many ways as possible to help the employee back to work, including:

    ", + "
  • getting a medical report from their GP with the employee\u2019s permission - they have the right to see the report before you do
  • ", + "
  • arranging an occupational health assessment
  • ", + "
  • work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job
  • ", + "

    If the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.

    " + ], + "id": "train-585" + }, + { + "url": "https://www.gov.uk/dismiss-staff", + "scenario": "We have an employee threatening an unfair dismissal claim. Their employment started on the 8th January 2017. They were dismissed one and a half years ago.", + "question": "Are they still able to raise au unfair dismissal claim after this time?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Employees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.

    ", + "Date employment started | When the employee can claim", + "After 6 April 2012 | After 2 years of employment" + ], + "id": "train-586" + }, + { + "url": "https://www.gov.uk/employers-sick-pay", + "scenario": "I run a lucrative business and have an employee who has been off sick for the last twenty seven weeks. Their SSP is due to end very soon.", + "question": "My employee is a long term employee and highly valued. Can I voluntarily pay more money to them even though it's due to stop?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can offer more if you have a company sick pay scheme (you cannot offer less). Company schemes are also called \u2018contractual\u2019 or \u2018occupational\u2019 sick pay and must be included in an employment contract.

    " + ], + "id": "train-587" + }, + { + "url": "https://www.gov.uk/employers-sick-pay", + "scenario": "I run a small business which has only just been managing to keep afloat the last five years. Now three thirds of my workforce are off sick with covid and I simply cannot afford to pay them SSP.", + "question": "Are the government making an provision for small employer's hit by Covid?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to reclaim Statutory Sick Pay (SSP) if your employee is off work because of coronavirus (COVID-19).

    ", + "

    HMRC will pay SSP for any employee who continues to work for you if they were sick when you became insolvent. Tell your employee to contact the Statutory Payment Disputes Team.

    " + ], + "id": "train-588" + }, + { + "url": "https://www.gov.uk/child-maintenance-for-employers", + "scenario": "We have received a DEO for one of our employees. We have completed deducting NDR, but have found it brings the employee beneath their PER.", + "question": "Should we deduct less so that it does not take the employee below their PER?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you cannot deduct the full NDR

    ", + "

    You then deduct the full amount of the shortfall plus the NDR owed for the next pay period. You must still leave your employee with the PER or PEP.

    " + ], + "id": "train-589" + }, + { + "url": "https://www.gov.uk/child-maintenance-for-employers", + "scenario": "We received a DEO in relation to one of our employees. This letter was not brought to my attention, and we have failed to make the \u00a3250 deductions per month. This has happened for the last two months.", + "question": "What punishment could I face for failing to act on this?", + "not_answerable": false, + "answers": [ + [ + "you can be prosecuted", + [] + ], + [ + "you can be fined up to \u00a31,000 if you\u2019re found guilty", + [ + "

    If you\u2019ve got a deduction from earnings order (DEO) it\u2019s an offence to:

    ", + "
  • not provide information when it\u2019s required
  • ", + "
  • make a false statement or representation
  • ", + "
  • knowingly provide false information
  • ", + "
  • delay or obstruct an inspector on purpose
  • ", + "
  • refuse or fail to answer any questions or supply any information or to produce any document when it\u2019s asked for
  • " + ] + ] + ], + "evidences": [ + "

    You can be prosecuted if you do not pay the amount on a deduction from earnings order (DEO).

    ", + "

    If you\u2019ve got a deduction from earnings order (DEO) it\u2019s an offence to:

    ", + "
  • not provide information when it\u2019s required
  • ", + "
  • make a false statement or representation
  • ", + "
  • knowingly provide false information
  • ", + "
  • delay or obstruct an inspector on purpose
  • ", + "
  • refuse or fail to answer any questions or supply any information or to produce any document when it\u2019s asked for
  • ", + "

    You can be fined up to \u00a31,000 if you\u2019re found guilty of any of these offences.

    " + ], + "id": "train-590" + }, + { + "url": "https://www.gov.uk/student-finance", + "scenario": "My friend Mark is a Uk citizen will be pursuing a Bachelor of education in Bath university. He will be a full student living away from home and wishes to apply for tuition and maintenance loans in 2021-2022 academic year.", + "question": "How much maintenance loan will he get?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a39,488", + [] + ] + ], + "evidences": [ + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488" + ], + "id": "train-591" + }, + { + "url": "https://www.gov.uk/student-finance", + "scenario": "My friend Lucy is a French national. She has been living in the UK for the last 4 years and has pre-settled status. She has been accepted for a full time university BSc degree offer which starts in September 2021..", + "question": "Can she apply for a tuition fee loan?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Check with the university or college that your course is recognised.

    ", + "
  • pre-settled status under the EU Settlement Scheme and you\u2019re the family member of an Irish citizen or person of Northern Ireland
  • ", + "
  • pre-settled status under the EU Settlement Scheme and you\u2019re an EU national or the family member of an EU national
  • " + ] + ] + ], + "evidences": [ + "

    You can apply for a Tuition Fee Loan and Maintenance Loan if your course starts on or after 1 August 2016.

    ", + "

    You may be able to get a Tuition Fee Loan and help with living costs if you\u2019re from an EU country, Iceland, Liechtenstein, Norway or Switzerland.

    ", + "

    This should be a university, college or other institution that offers a qualifying course.

    ", + "

    Check with the university or college that your course is recognised.

    ", + "

    You may be eligible for student finance if your course is in the UK and one of the following:

    ", + "
  • a first degree, for example BA, BSc or BEd
  • ", + "

    You can apply for tuition fee funding if you\u2019ve been living in the UK, the EU, Gibraltar, Iceland, Liechtenstein, Norway or Switzerland for the past 3 years and you have one of the following:

    ", + "
  • pre-settled status under the EU Settlement Scheme and you\u2019re an EU national or the family member of an EU national
  • ", + "
  • pre-settled status under the EU Settlement Scheme and you\u2019re the family member of an Irish citizen or person of Northern Ireland
  • " + ], + "id": "train-592" + }, + { + "url": "https://www.gov.uk/pay-paye-penalty", + "scenario": "I have been fined for a late filing of PAYE. I am now looking to pay this fine, and would prefer to do so by cheque. I want a receipt to confirm that this has been paid.", + "question": "Am I able to request a receipt?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you want a receipt, include a note asking for one.

    " + ], + "id": "train-593" + }, + { + "url": "https://www.gov.uk/pay-paye-penalty", + "scenario": "I have received a fine from HMRC for late payment of PAYE. I would like to pay this fine with my credit card.", + "question": "Can I pay the fine with a credit card?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You cannot pay by personal credit card.

    " + ] + ], + [ + "yes", + [ + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    " + ] + ] + ], + "evidences": [ + "

    Same or next day

    ", + "
  • by debit or corporate credit card online
  • ", + "

    You can pay online.

    ", + "

    There\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.

    ", + "

    You cannot pay by personal credit card.

    " + ], + "id": "train-594" + }, + { + "url": "https://www.gov.uk/taking-disciplinary-action", + "scenario": "I work in the Metropolitan police force and I have witnessed my senior officer receiving bribes repeatedly during our traffic patrols from rogue drivers.", + "question": "Will be dismissed from work if i blow the whistle?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot normally discipline or dismiss an employee for whistleblowing.

    " + ], + "id": "train-595" + }, + { + "url": "https://www.gov.uk/taking-disciplinary-action", + "scenario": "My work colleague shared our company's software classified data to our competitors and we started experiencing a big loss of business. He breached the terms of his employment contract. After internal investigations the company terminated his services without a warning.", + "question": "Can he appeal the decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    An employee has the right to appeal against a decision made after a disciplinary hearing.

    " + ], + "id": "train-596" + }, + { + "url": "https://www.gov.uk/employers-sick-pay", + "scenario": "My sister is a full time delivery driver. During the last 14 day she has been out of work due to pneumonia. She is now on medication and under doctors observations. She has been earning more than \u00a3 200 per week.", + "question": "Can she apply for Statutory Sick Pay?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • have an employment contract
  • ", + "
  • give you the correct notice
  • ", + "
  • give you proof of their illness, only after 7 days off
  • " + ] + ] + ], + "evidences": [ + "

    SSP is paid when the employee is sick for at least 4 days in a row (including non-working days).

    ", + "

    To qualify for Statutory Sick Pay (SSP) employees must:

    ", + "
  • have an employment contract
  • ", + "
  • have done some work under their contract
  • ", + "
  • have been sick for 4 or more days in a row (including non-working days) - known as a \u2018period of incapacity for work\u2019
  • ", + "
  • earn an average of at least \u00a3120 per week
  • ", + "
  • give you the correct notice
  • ", + "
  • give you proof of their illness, only after 7 days off
  • " + ], + "id": "train-597" + }, + { + "url": "https://www.gov.uk/employers-sick-pay", + "scenario": "My brother is a full time employee and is on SSP following a leg injury he sustained while at work. A second doctor's review has advised him to take further 2 months bed rest as he continues to recover. He is now afraid of losing income after the SSP ends.", + "question": "Can he apply re apply for Statutory Sick Pay once the 28 weeks are up?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    SSP is paid when the employee is sick for at least 4 days in a row (including non-working days).

    ", + "

    SSP stops when the employee comes back to work or no longer qualifies.

    ", + "

    Employees do not qualify for SSP if they:

    ", + "
  • have received the maximum amount of SSP (28 weeks)
  • " + ], + "id": "train-598" + }, + { + "url": "https://www.gov.uk/claim-employment-allowance", + "scenario": "From 2020 to 2021 i was a care worker but also director of the company. Our Class 1 National Insurance liabilities for all combined Payrolls were \u00a390,000", + "question": "Can I main a claim for Employment allowance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • check that you\u2019re within the de minimis state aid threshold
  • ", + "
  • work out how much de minimis state aid you\u2019ve received
  • " + ] + ], + [ + "yes", + [ + "

    You cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.

    " + ] + ] + ], + "evidences": [ + "

    You can claim Employment Allowance if you\u2019re a business or charity (including community amateur sports clubs) and your employers\u2019 Class 1 National Insurance liabilities were less than \u00a3100,000 in the previous tax year.

    ", + "

    You can also claim if you employ a care or support worker.

    ", + "

    You must:

    ", + "
  • check that you\u2019re within the de minimis state aid threshold
  • ", + "
  • work out how much de minimis state aid you\u2019ve received
  • ", + "

    You cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.

    " + ], + "id": "train-599" + }, + { + "url": "https://www.gov.uk/claim-employment-allowance", + "scenario": "I have worked in the agricultural sector for 6 years now. I have never heard of this benefit. I understand we already receive help of 10,000 euros.", + "question": "what is the state aid limit for out sector?", + "not_answerable": false, + "answers": [ + [ + "\u20ac20,000", + [] + ] + ], + "evidences": [ + "Sector | De minimis state aid threshold over 3 years", + "Agriculture products sector | \u20ac20,000" + ], + "id": "train-600" + }, + { + "url": "https://www.gov.uk/payroll-errors", + "scenario": "We are a IT consultant company and have more than 10000 employees. Recently when we made PAYE bill to HMRC we made wrong payments for some of our employees", + "question": "Who do we contact to correct the PAYE bill ?", + "not_answerable": false, + "answers": [ + [ + "hmrc", + [ + "

    If you underpaid because of a mistake in your Full Payment Submission (FPS) or Employer Payment Summary (EPS), correct it in your next regular report. HM Revenue and Customs (HMRC) will add the underpayment to your next PAYE bill.

    ", + "

    If you underpaid because you entered the wrong amount when paying HMRC, pay the balance as soon as possible or you may have to pay interest or a penalty. Use your Accounts Office reference when paying.

    ", + "

    If you overpaid because of a mistake in your FPS or EPS, make the correction in your next regular report. HMRC will take the overpayment off your next PAYE bill.

    ", + "

    If you overpaid because you entered the wrong amount when paying HMRC, or you made a duplicate payment, you can balance your account by paying less in your next PAYE bill.

    " + ] + ] + ], + "evidences": [ + "

    If you find a mistake, follow the guidance to:

    ", + "
  • correct a payment to HMRC
  • ", + "

    You can also correct mistakes if you paid your employee the wrong amount or made incorrect deductions.

    ", + "

    If you underpaid because of a mistake in your Full Payment Submission (FPS) or Employer Payment Summary (EPS), correct it in your next regular report. HM Revenue and Customs (HMRC) will add the underpayment to your next PAYE bill.

    ", + "

    If you underpaid because you entered the wrong amount when paying HMRC, pay the balance as soon as possible or you may have to pay interest or a penalty. Use your Accounts Office reference when paying.

    ", + "

    If you overpaid because of a mistake in your FPS or EPS, make the correction in your next regular report. HMRC will take the overpayment off your next PAYE bill.

    ", + "

    If you overpaid because you entered the wrong amount when paying HMRC, or you made a duplicate payment, you can balance your account by paying less in your next PAYE bill.

    " + ], + "id": "train-601" + }, + { + "url": "https://www.gov.uk/payroll-errors", + "scenario": "We are a super market company and have more than 20000 employees. There are few employees recently resigned from our company and we received an incorrect PAYE bill for last month. We been told it will be correctly automatically", + "question": "How long we have to wait for the incorrect PAYE bill to be corrected automatically before contacting HMRC ?", + "not_answerable": false, + "answers": [ + [ + "by the 12th of the next tax month", + [] + ] + ], + "evidences": [ + "

    You may get an incorrect bill and duplicate payroll records if you made a mistake. Both are usually corrected automatically - contact HMRC if your PAYE bill is still wrong by the 12th of the next tax month.

    " + ], + "id": "train-602" + }, + { + "url": "https://www.gov.uk/derecognise-a-union", + "scenario": "I am an employer and due to the reduced work force the number of employees represented by the union has reduced to 10. The union is recognized entity by CAC since 2017.", + "question": "Can i give notice to CAC to deregister it?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019ve employed less than 21 people for a continuous 13-week period
  • " + ] + ] + ], + "evidences": [ + "

    Where recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:

    ", + "
  • the number of people employed by the company has fallen to less than 21
  • ", + "

    As an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:

    ", + "
  • you\u2019ve employed less than 21 people for a continuous 13-week period
  • ", + "
  • it is more than 3 years since recognition was declared by the CAC
  • " + ], + "id": "train-603" + }, + { + "url": "https://www.gov.uk/derecognise-a-union", + "scenario": "My friend wishes to withdraw from an independent workers union which doesn't represent their grievances and the majority of fellow workers want it to be derecognized.They are no longer interested in it any more.", + "question": "Can he apply for a secret ballot to CAC for derecognition?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • the union has been recognised for longer than 3 years
  • ", + "
  • there haven\u2019t been any applications to CAC for derecognition in the previous 3 years
  • ", + "

    Three years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.

    " + ] + ] + ], + "evidences": [ + "

    Three years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.

    ", + "

    You can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.

    ", + "

    You can apply to have a non-independent union derecognised if the majority of workers do not support it.

    ", + "

    You can only apply if both of these are true:

    ", + "
  • the union has been recognised for longer than 3 years
  • ", + "
  • there haven\u2019t been any applications to CAC for derecognition in the previous 3 years
  • ", + "

    You can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.

    " + ], + "id": "train-604" + }, + { + "url": "https://www.gov.uk/repaying-your-student-loan", + "scenario": "I am going to be taking a sabbatical from work in 3 months and will then be working and living abroad outside of the EU for 12 months on less pay before returning to my job at the UK", + "question": "Will I still need to make payments if my salary equivalent in GBP is below the threshold?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not pay anything back if your income is under the threshold.

    ", + "

    The rules for repayment are the same as in the UK, apart from different repayment thresholds for each country.

    ", + "

    You can ask for a refund if:

    ", + "
  • your annual income was below the threshold
  • " + ], + "id": "train-605" + }, + { + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "scenario": "I am a business owner. I am interested in providing work experience opportunities for practice accountancy, but I do not know how to go about this.", + "question": "Where am I able to make my opportunities known?", + "not_answerable": false, + "answers": [ + [ + "the employer services line", + [] + ] + ], + "evidences": [ + "

    Jobcentre Plus has a range of recruitment services that can help you as an employer. You could get:

    ", + "
  • advice about offering work experience and apprenticeships
  • ", + "

    Call the Employer Services Line if you want help to become a work experience host.

    " + ], + "id": "train-606" + }, + { + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "scenario": "I am considering listing my first employment opportunity for an administrator. I am unsure how to go about creating a job opening.", + "question": "Is there any advice to be had over creating a job opportunity?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Jobcentre Plus has a range of recruitment services that can help you as an employer. You could get:

    ", + "
  • recruitment advice, including specialist support for businesses
  • ", + "

    You can also advertise a job with the \u2018Find a job\u2019 service (previously Universal Jobmatch).

    ", + "

    Contact the Employer Services Line for advice about recruiting for your business.

    ", + "

    It can put you in touch with local \u2018employer advisors\u2019 if you need specific and practical advice. Employer advisors understand the local labour market and can help you:

    ", + "
  • design and word job vacancies
  • ", + "
  • develop pre-employment training (specific to a job)
  • ", + "
  • recruit in new and fair ways (such as offering flexible working patterns)
  • ", + "

    The Employer Services Line can also give general advice about recruitment.

    " + ], + "id": "train-607" + }, + { + "url": "https://www.gov.uk/handling-employee-grievance", + "scenario": "My friend Dina and her workmates have been working for the last 20 years at a steel company and they have been having a lot of work related concerns.I.e lack of promotions, denial of paid leaves and extreme poor working conditions.They would like to put forward their grievances at work.", + "question": "Do they have a right to do so?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-608" + }, + { + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "scenario": "I am due to make payments for Statutory Parental Bereavement. I am struggling to meet the current \u00a3151.97 per week due to cashflow issues.", + "question": "Is there any help I can receive to pay this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments
  • ", + "
  • apply for an advance if you cannot afford payments
  • " + ], + "id": "train-609" + }, + { + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "scenario": "My employee has requested Statutory Parental Bereavement pay. They have been taking care of the child for five continuous weeks, ending on the 25th July 2021. This was the date the child died. They were unpaid for the period of caring.", + "question": "Would this employee be eligible for the bereavement pay?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    To get Statutory Parental Bereavement Pay, the employee must have been continuously employed by you for at least 26 weeks up to the end of the \u2018relevant week\u2019. The \u2018relevant week\u2019 is the week (ending with a Saturday) immediately before the week of the death or stillbirth.

    ", + "
  • remain employed by you up to the day the child dies or is stillborn
  • ", + "
  • earn on average \u00a3120 a week (gross)
  • ", + "
  • give you the correct notice for Statutory Parental Bereavement Pay
  • " + ] + ] + ], + "evidences": [ + "

    An employee will be eligible if, at the time of the child\u2019s death or stillbirth, they were:

    ", + "
  • the child\u2019s or baby\u2019s parent - either biological, adoptive or parent of a child born to a surrogate
  • ", + "

    An employee may be eligible if they or their partner had:

    ", + "
  • the child or baby living with them at their home for 4 continuous weeks, ending with the date of the death
  • ", + "
  • day to day responsibility for the child or baby\u2019s care during that time
  • ", + "

    To get Statutory Parental Bereavement Pay, the employee must have been continuously employed by you for at least 26 weeks up to the end of the \u2018relevant week\u2019. The \u2018relevant week\u2019 is the week (ending with a Saturday) immediately before the week of the death or stillbirth.

    ", + "

    They must also:

    ", + "
  • remain employed by you up to the day the child dies or is stillborn
  • ", + "
  • earn on average \u00a3120 a week (gross)
  • ", + "
  • give you the correct notice for Statutory Parental Bereavement Pay
  • " + ], + "id": "train-610" + }, + { + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "scenario": "My employee requested statutory maternity pay 26 weeks ago. My business has had to stop trading due to financial issues. I have stopped paying the statutory maternity pay, but the employee has complained.", + "question": "Do I need to keep paying statutory maternity pay?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You still have to pay SMP even if you stop trading.

    " + ], + "id": "train-611" + }, + { + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "scenario": "I gave in my notice 1-week late for statutory maternity leave and pay. I am eligible for statutory maternity pay, but have been refused this due to my late notice.", + "question": "Is my employer allowed to refuse my statutory maternity pay on this basis?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your employees must give you 28 days\u2019 notice of the date they want to start their SMP. This is usually the same date they want to start their leave.

    ", + "

    You can refuse to pay SMP if your employee does not give you this notice and they do not give you a reasonable excuse.

    " + ], + "id": "train-612" + }, + { + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "scenario": "We are a start-up company and currently have 5 employees. We are planning to recruit for a new role. We interviewed a disabled person and happy with him.", + "question": "Can Jobcentre Plus can guide us to employ someone with a disability ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Jobcentre Plus has a range of recruitment services that can help you as an employer. You could get:

    ", + "
  • support if you employ someone with a disability\u00a0(Access to Work)
  • ", + "
  • advice and guidance on employing someone with a disability or health condition
  • " + ], + "id": "train-613" + }, + { + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "scenario": "We are a IT consulting company. We have few positions open but can't find people to fill the role. Need some advice on recruitment", + "question": "Who do we contact for advice about recruiting for our business ?", + "not_answerable": false, + "answers": [ + [ + "the employer services line", + [] + ] + ], + "evidences": [ + "

    Jobcentre Plus has a range of recruitment services that can help you as an employer. You could get:

    ", + "
  • recruitment advice, including specialist support for businesses
  • ", + "

    Contact the Employer Services Line for advice about recruiting for your business.

    ", + "

    It can put you in touch with local \u2018employer advisors\u2019 if you need specific and practical advice. Employer advisors understand the local labour market and can help you:

    ", + "
  • design and word job vacancies
  • ", + "
  • recruit in new and fair ways (such as offering flexible working patterns)
  • ", + "
  • access Jobcentre Plus office facilities for recruitment (where available)
  • ", + "

    The Employer Services Line can also give general advice about recruitment.

    " + ], + "id": "train-614" + }, + { + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "scenario": "I have got a job offer as a chef in one of the leading hotels. This is my first job after university. I want to acquire more information about my rights and also wages.", + "question": "Can i get full details of my employment rights and expectations?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    As an employer you must give employees:

    ", + "
  • a written statement of employment or contract
  • ", + "
  • a payslip showing all deductions, such as National Insurance contributions (NICs)
  • " + ], + "id": "train-615" + }, + { + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "scenario": "I work as a nanny on a zero hour contract and I have applied for another well paying job as a live in nanny. Would like to leave my current employer by the end of next month.", + "question": "Do i need to inform him that i have looking for other jobs?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    As an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.

    ", + "

    Contract types include:

    ", + "
  • zero-hours contracts
  • ", + "

    Zero-hours contracts are also known as casual contracts. Zero-hours contracts are usually for \u2018piece work\u2019 or \u2018on call\u2019 work, for example for interpreters.

    ", + "

    You cannot do anything to stop a zero-hours worker from getting work elsewhere. The law says they can ignore a clause in their contract if it bans them from:

    ", + "
  • looking for work
  • ", + "
  • accepting work from another employer
  • " + ], + "id": "train-616" + }, + { + "url": "https://www.gov.uk/paye-for-employers", + "scenario": "I have recently started a limited company and have 2 part-time employees. I am paying them \u00a3100 per week. I know that I don't have to register for PAYE", + "question": "Do I still have to maintain payroll records for the 2 employees ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You do not need to register for PAYE if none of your employees are paid \u00a3120 or more a week, get expenses and benefits, have another job or get a pension. However, you must keep payroll records.

    ", + "

    You must collect and keep records of:

    ", + "
  • what you pay your employees and the deductions you make
  • ", + "

    Your records must show you\u2019ve reported accurately, and you need to keep them for 3 years from the end of the tax year they relate to. HMRC may check your records to make sure you\u2019re paying the right amount of tax.

    " + ], + "id": "train-617" + }, + { + "url": "https://www.gov.uk/paye-for-employers", + "scenario": "I have a small company and have 5 employees in total. I am running payroll for all the employees but cannot use computers because of a disability I have", + "question": "Can I report payroll on paper ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    As an employer, you normally have to operate PAYE as part of your payroll. PAYE is HM Revenue and Customs\u2019 (HMRC) system to collect Income Tax and National Insurance from employment.

    ", + "

    If you have to operate PAYE, you can choose how to run your payroll.

    ", + "

    You may be exempt from reporting payroll online if:

    ", + "
  • you\u2019re unable to send reports electronically because you\u2019re disabled, elderly or cannot access the internet
  • " + ], + "id": "train-618" + }, + { + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "scenario": "I am 21 years old. I have applied to a new job and I have received an offer for an hourly wage of \u00a37. This will be paid by the hour. I am concerned that this seems quite low. I know there is a minimum wage, but I do not know what I am eligible for.", + "question": "Where can I check the minimum wage that I am eligible for?", + "not_answerable": false, + "answers": [ + [ + "the national minimum wage calculator", + [] + ] + ], + "evidences": [ + "

    There are different ways of checking that workers get the minimum wage depending on whether they are:

    ", + "
  • paid by the hour (known as \u2018time work\u2019)
  • ", + "

    Use the National Minimum Wage calculator to check if payments are over the minimum wage.

    ", + "

    Use the National Minimum Wage calculator to check if payments are at least at the minimum wage.

    " + ], + "id": "train-619" + }, + { + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "scenario": "I am an owner of a business. I usually pay my employees every time they complete a task set for them. My employees have been given a minimum 5 hour day for work. I have been working out their pay using the fair rate based on it being 'output work', but I have been told this is wrong.", + "question": "Is my employees work considered 'output work'?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There are different ways of checking that workers get the minimum wage depending on whether they are:

    ", + "
  • paid by the piece - the number of things they make, or tasks they complete (known as \u2018output work\u2019)
  • ", + "

    Workers paid per task they perform or piece of work they do (known as piece work) are classed as doing \u2018output work\u2019.

    ", + "

    The work is not classed as output work if the employer sets either:

    ", + "
  • a minimum or maximum time the worker must work
  • " + ], + "id": "train-620" + }, + { + "url": "https://www.gov.uk/handling-employee-grievance", + "scenario": "I am in the process of reviewing the grievance procedures for my employees. I was advised it failed to explain how to appeal a grievance decision.", + "question": "Is there anything else that I need to include about appeals?", + "not_answerable": false, + "answers": [ + [ + "state that employees can be accompanied in any meetings by a colleague or union representative", + [] + ], + [ + "set out time limits for each stage of the process", + [] + ] + ], + "evidences": [ + "

    It should also:

    ", + "
  • set out time limits for each stage of the process
  • ", + "
  • explain how to appeal a grievance decision
  • ", + "
  • state that employees can be accompanied in any meetings by a colleague or union representative
  • " + ], + "id": "train-621" + }, + { + "url": "https://www.gov.uk/handling-employee-grievance", + "scenario": "We have a grievance hearing setup with an employee. The employee has failed to attend multiple grievance hearings, despite rearranging dates and times.", + "question": "Can we proceed with a decision in their absence?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If the employee cannot attend the hearing (eg because they are ill), offer them a reasonable alternative date and time.

    ", + "

    The employee can also suggest a different time for the hearing if the person accompanying them cannot attend. They must do this within 5 working days after you proposed the original meeting time.

    ", + "

    You can make your decision without having a hearing if:

    ", + "
  • you have already rearranged the meeting, but the employee fails to attend
  • " + ], + "id": "train-622" + }, + { + "url": "https://www.gov.uk/apply-for-student-finance", + "scenario": "I am a 28 year old who lives with his parents, looking to apply for a student loan. I am employed and earn \u00a330,000 per year. I am not financial dependant on my parents.", + "question": "What constitutes my household income?", + "not_answerable": false, + "answers": [ + [ + "income you get from your own savings, investments or property, for example dividends or rent", + [] + ] + ], + "evidences": [ + "

    Your household income includes any of the following that apply:

    ", + "
  • income you get from your own savings, investments or property, for example dividends or rent
  • " + ], + "id": "train-623" + }, + { + "url": "https://www.gov.uk/apply-for-student-finance", + "scenario": "I am a 24 year old student. My course started on the 5th April 2021. At this time, I did not apply for student finance. It is now the 31st July 2021, and I am now looking to apply for student finance.", + "question": "Can I still apply for a student loan for my course?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can still apply for funding up to 9 months after the first day of the academic year for your course.

    ", + "Course start date | Apply by", + "Between 1 April and 30 June | 31 December after your course started" + ], + "id": "train-624" + }, + { + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "scenario": "I am on a full time employment. I am pregnant now and expecting a baby soon. I was told that I am eligible for Statutory Maternity Pay", + "question": "How many weeks of paid leave I can avail under Statutory Maternity Pay ?", + "not_answerable": false, + "answers": [ + [ + "up to 39 weeks", + [] + ] + ], + "evidences": [ + "

    SMP for eligible employees can be paid for up to 39 weeks, usually as follows:

    ", + "
  • the first 6 weeks: 90% of their average weekly earnings (AWE) before tax
  • ", + "
  • the remaining 33 weeks: \u00a3151.97 or 90% of their AWE (whichever is lower)
  • " + ], + "id": "train-625" + }, + { + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "scenario": "I am on full time employment. I am pregnant now and decided to apply for Statutory Maternity Pay and was told to submit required documents", + "question": "What documents I need as proof of pregnancy ?", + "not_answerable": false, + "answers": [ + [ + "a doctor\u2019s letter or a maternity certificate", + [] + ] + ], + "evidences": [ + "

    You must get proof of the pregnancy before you pay SMP. This is usually a doctor\u2019s letter or a maternity certificate (known as an MATB1 certificate). Midwives and doctors usually issue these 20 weeks before the due date.

    " + ], + "id": "train-626" + }, + { + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "scenario": "My wife is pregnant. I am an employee who currently earns \u00a3550 per week. I have been working for this employer for five years. I want to take time off to look after my new child when it is born.", + "question": "Am I eligible for statutory paternity pay?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • give you the correct notice
  • " + ] + ] + ], + "evidences": [ + "

    Employees may be eligible for Statutory Paternity Leave and Pay if they and their partner are:

    ", + "
  • having a baby
  • ", + "

    Employees must be one of the following, the:

    ", + "
  • father
  • ", + "
  • husband or partner of the mother (or adopter)
  • ", + "

    Employees must also:

    ", + "
  • be classed as an employee (paternity leave only)
  • ", + "
  • be employed by you up to the date the child is born (or placed with the adopter) (paternity pay only)
  • ", + "
  • be on your payroll and earn at least \u00a3120 a week (gross) in an 8 week \u2018relevant period\u2019 (paternity pay only)
  • ", + "
  • give you the correct notice
  • ", + "
  • be taking time off to look after the child or their partner
  • ", + "
  • be responsible for the child\u2019s upbringing
  • ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • " + ], + "id": "train-627" + }, + { + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "scenario": "I am an employer. I have recently granted my employee statutory paternity leave and pay. I have never done this before, and I am unsure as to the requirements.", + "question": "What records do I need to maintain regarding this employee?", + "not_answerable": false, + "answers": [ + [ + "the date statutory paternity pay started", + [] + ], + [ + "the paternity payments you\u2019ve made", + [] + ], + [ + "the payments you\u2019ve reclaimed", + [] + ], + [ + "any weeks you did not pay and why", + [] + ], + [ + "a letter from the adoption agency or a matching certificate", + [ + "
  • if adopting, a letter from the adoption agency or a matching certificate
  • " + ] + ] + ], + "evidences": [ + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • the date Statutory Paternity Pay started
  • ", + "
  • the paternity payments you\u2019ve made (including dates)
  • ", + "
  • the payments you\u2019ve reclaimed
  • ", + "
  • any weeks you did not pay and why
  • ", + "
  • if adopting, a letter from the adoption agency or a matching certificate
  • " + ], + "id": "train-628" + }, + { + "url": "https://www.gov.uk/apply-european-works-council", + "scenario": "I want to ask my employer to set up a European Works Council. The company has 1,200 employees, which are situated in Germany and Austria.", + "question": "Am I able to ask my employer to set up an EWC?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • 150 employees in each of at least 2 countries in the EEA
  • " + ] + ] + ], + "evidences": [ + "

    You can ask your employer to set up a European Works Council (EWC) if you work for a company with offices across the European Economic Area (EEA).

    ", + "

    You can ask your employer to set up an EWC if they have:

    ", + "
  • at least 1,000 employees in the EEA
  • ", + "
  • 150 employees in each of at least 2 countries in the EEA
  • " + ], + "id": "train-629" + }, + { + "url": "https://www.gov.uk/apply-european-works-council", + "scenario": "I, along with 153 other employees, requested that a European Works Council be set up by our employer. The company meets all of the requirements. We have had negotiations, but no agreement has been made. The company are going to have a ballot to end negotiations.", + "question": "What percentage of the vote is required to end negotiations?", + "not_answerable": false, + "answers": [ + [ + "two-thirds", + [] + ] + ], + "evidences": [ + "

    The SNB can only end negotiations or decide not to open negotiations after a ballot has been held and a two-thirds majority reached. You\u2019ll have to wait 2 years to make a new application.

    " + ], + "id": "train-630" + }, + { + "url": "https://www.gov.uk/employment-status", + "scenario": "My sister has been working full time for a software company for 6 years. She has developed a serious back pain and would like to take necessary steps to care for her health and also mantain her job.", + "question": "Can she face dismissal if she takes a time off over her health issues?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-631" + }, + { + "url": "https://www.gov.uk/employment-status", + "scenario": "My brother has been working in a construction firm for 1 year as a worker. Due to the covid pandemic the business has gone low and he has been laid off.", + "question": "Can he claim for statutory redundancy pay?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • they have a contract or other arrangement to do work or services personally for a reward (your contract doesn\u2019t have to be written)
  • ", + "
  • they only have a limited right to send someone else to do the work (subcontract)
  • ", + "
  • their reward is for money or a benefit in kind, for example the promise of a contract or future work
  • ", + "
  • they have to turn up for work even if they don\u2019t want to
  • ", + "
  • their employer has to have work for them to do as long as the contract or arrangement lasts
  • ", + "
  • they aren\u2019t doing the work as part of their own limited company in an arrangement where the \u2018employer\u2019 is actually a customer or client
  • " + ] + ] + ], + "evidences": [ + "

    A person is generally classed as a \u2018worker\u2019 if:

    ", + "
  • they have a contract or other arrangement to do work or services personally for a reward (your contract doesn\u2019t have to be written)
  • ", + "
  • their reward is for money or a benefit in kind, for example the promise of a contract or future work
  • ", + "
  • they only have a limited right to send someone else to do the work (subcontract)
  • ", + "
  • they have to turn up for work even if they don\u2019t want to
  • ", + "
  • their employer has to have work for them to do as long as the contract or arrangement lasts
  • ", + "
  • they aren\u2019t doing the work as part of their own limited company in an arrangement where the \u2018employer\u2019 is actually a customer or client
  • ", + "

    Workers usually aren\u2019t entitled to:

    ", + "
  • Statutory Redundancy Pay
  • " + ], + "id": "train-632" + }, + { + "url": "https://www.gov.uk/student-finance", + "scenario": "I am a full time student doing BSc computer science . Also I am a student on an accelerated degree course. I am planning to apply for Tuition Fee Loan", + "question": "How much loan I can get for my accelerated degree course ?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a311,100", + [] + ] + ], + "evidences": [ + "

    If you\u2019re studying an accelerated degree course, you could get up to \u00a311,100.

    " + ], + "id": "train-633" + }, + { + "url": "https://www.gov.uk/student-finance", + "scenario": "I am from Italy. I came to UK last year to study BSc Electronics. I am struggling to cover my fees and require some financial help", + "question": "Can I apply for a Tuition Fee Loan?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to borrow money to help pay for university or college tuition fees and to help with living costs.

    ", + "

    You may be able to get a Tuition Fee Loan and help with living costs if you\u2019re from an EU country, Iceland, Liechtenstein, Norway or Switzerland.

    " + ], + "id": "train-634" + }, + { + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "scenario": "I own a bike repair workshop in Manchester and employ several people. I want to pay them by output work, and have calculated the fair rate of pay, which I want to introduce.", + "question": "Do I have to tell the workers about their rate in advance of them completing the work?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    To use a fair rate an employer must give each worker a written notice before they start work for the first time.

    ", + "

    The notice must:

    ", + "
  • give the amount to be paid for each piece that the worker completes
  • ", + "

    If employers do not give a worker a complete notice then the worker is entitled to be paid by the hour instead.

    " + ], + "id": "train-635" + }, + { + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "scenario": "I live in Edinburgh and I have recently been working on sculpting hedges. This is unmeasured work, I charge per hedge sculpture.", + "question": "How do I calculate that I receiving the national minimum wage?", + "not_answerable": false, + "answers": [ + [ + "record every hour worked and use the national minimum wage calculator", + [] + ], + [ + "make a \u2018daily average agreement of hours\u2019", + [] + ] + ], + "evidences": [ + "

    To work out the minimum wage for unmeasured work, either:

    ", + "
  • record every hour worked and use the National Minimum Wage calculator to make sure the worker gets the minimum wage
  • ", + "
  • make a \u2018daily average agreement of hours\u2019
  • " + ], + "id": "train-636" + }, + { + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "scenario": "I am applying for a new job with a recruitment agency. I have an unspent conviction, and the second round of the job application process states a question that asks me to declare if I have any unspent convictions.", + "question": "What are the consequences for me if I do not declare it?", + "not_answerable": false, + "answers": [ + [ + "reject your application or withdraw a job offer, or you might be charged with a crime", + [] + ] + ], + "evidences": [ + "

    You only need tell the employer, university or college about a conviction or caution:

    ", + "
  • if they ask you to, for example in an interview or on an application form
  • ", + "

    You only need to tell a potential employer, university or college about an unspent conviction or caution if they ask you to.

    ", + "

    If they ask you and you do not tell them about it, they might find out by using a DBS check. They could then reject your application or withdraw a job offer, or you might be charged with a crime.

    " + ], + "id": "train-637" + }, + { + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "scenario": "Three years ago, I was previously convicted for petty shoplifting, and I received community service where I had to volunteer for a charity for six months. I now want to apply for college.", + "question": "When does the community service count as spent?", + "not_answerable": false, + "answers": [ + [ + "one year after its end date", + [] + ], + [ + "2 years after you got it, if there\u2019s no end date", + [] + ] + ], + "evidences": [ + "

    Community service becomes spent either:

    ", + "
  • one year after its end date
  • ", + "
  • 2 years after you got it, if there\u2019s no end date
  • " + ], + "id": "train-638" + }, + { + "url": "https://www.gov.uk/national-minimum-wage", + "scenario": "I am an agency worker and a part-timer in an electronics shop. I am 25 years old. I get a feeling that I am paid less than National Minimum Wage", + "question": "Am I entitled for correct minimum wage even If I am a part-timer ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The National Minimum Wage is the minimum pay per hour almost all workers are entitled to. The National Living Wage is higher than the National Minimum Wage - workers get it if they\u2019re over 23.

    ", + "

    It does not matter how small an employer is, they still have to pay the correct minimum wage.

    ", + "

    People classed as \u2018workers\u2019 must be at least school leaving age to get the National Minimum Wage. They must be 23 or over to get the National Living Wage.

    ", + "

    Workers are also entitled to the correct minimum wage if they\u2019re:

    ", + "
  • part-time
  • " + ], + "id": "train-639" + }, + { + "url": "https://www.gov.uk/national-minimum-wage", + "scenario": "I am on a part-time role. I was under paid by my employer and it was found by HMRC and HMRC send them a notice to pay the arrears plus fine but my employer still did not pay me", + "question": "Will HMRC take my employer to court ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    HMRC can take them to court on behalf of the worker if the employer still refuses to pay.

    " + ], + "id": "train-640" + }, + { + "url": "https://www.gov.uk/pay-paye-tax", + "scenario": "I would like to submit PAYE bill by cheque through the post. Would like to gather all the needed information so that i can submit before deadline.", + "question": "What should i include?", + "not_answerable": false, + "answers": [ + [ + "a replacement payment slip", + [ + "

    Include the payslip for the correct period. If you do not have this, you can either:

    " + ] + ], + [ + "your 13-character accounts office reference number on the back of the cheque", + [] + ], + [ + "include the payslip for the correct period.", + [] + ] + ], + "evidences": [ + "

    Write your 13-character Accounts Office reference number on the back of the cheque. You can find this number on the letter HMRC sent you when you first registered as an employer.

    ", + "

    Include the payslip for the correct period. If you do not have this, you can either:

    ", + "
  • ask HMRC to send you a payment booklet
  • ", + "
  • print off a replacement payment slip
  • " + ], + "id": "train-641" + }, + { + "url": "https://www.gov.uk/pay-paye-tax", + "scenario": "My father owns pub and would like to submit his PAYE bill using his bank. He would like to have a payment booklet.", + "question": "Can he request one from the HMRC?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need a payment booklet from HMRC to pay at your bank or building society, or by post. If you do not have one, ask HMRC to send it to you.

    " + ], + "id": "train-642" + }, + { + "url": "https://www.gov.uk/payroll-annual-reporting", + "scenario": "We are a new high street furniture retail company. We have more than 1000 employees all over UK. We are preparing our annual reports", + "question": "What is the deadline to report HMRC about the annual reports ?", + "not_answerable": false, + "answers": [ + [ + "on or before your employees\u2019 last payday of the tax year", + [] + ] + ], + "evidences": [ + "What you need to do | When", + "Send your final payroll report of the year | On or before your employees\u2019 payday", + "

    Send your final Full Payment Submission (FPS) on or before your employees\u2019 last payday of the tax year (which ends on 5 April).

    " + ], + "id": "train-643" + }, + { + "url": "https://www.gov.uk/payroll-annual-reporting", + "scenario": "We are running a local coffee shop and have more than 50 branches. We have more than 200 employees.", + "question": "What is the deadline for issuing P60 for employees ?", + "not_answerable": false, + "answers": [ + [ + "31 may", + [] + ] + ], + "evidences": [ + "What you need to do | When", + "Give your employees a P60 | By 31 May", + "

    You must give your employees a P60 by 31 May.

    " + ], + "id": "train-644" + }, + { + "url": "https://www.gov.uk/training-study-work-your-rights", + "scenario": "I work in a IT consulting company and been employed for 2 years. My company has 150 employees in total. I need some technology training to carry out some tasks.", + "question": "Do I have rights to ask my employer for a training ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Staff may have the right to ask for time off work for training or study.

    ", + "

    To ask for training or study:

    ", + "
  • staff must be classed as an employee
  • ", + "
  • they must have worked for their employer for at least 26 weeks
  • ", + "
  • at least 250 people must work in the organisation
  • " + ], + "id": "train-645" + }, + { + "url": "https://www.gov.uk/training-study-work-your-rights", + "scenario": "I work in a Software development company. I requested for a training to improve my skills. My employer granted permission for my training but for some reason I can't finish the training", + "question": "What should I do about my unfinished training ?", + "not_answerable": false, + "answers": [ + [ + "tell their employer", + [] + ] + ], + "evidences": [ + "

    The employee must tell their employer if they:

    ", + "
  • don\u2019t finish the training or study
  • " + ], + "id": "train-646" + }, + { + "url": "https://www.gov.uk/pay-class-1a-national-insurance", + "scenario": "I am a company owner and i have made Class 1A national imsurance payments on work benefits. I have paid online through the HMRC online account.", + "question": "How long will it take to show if HMRC has received the payments?", + "not_answerable": false, + "answers": [ + [ + "within 6 working days", + [] + ] + ], + "evidences": [ + "

    Check your HM Revenue and Customs (HMRC) online account - it should update within 6 working days.

    " + ], + "id": "train-647" + }, + { + "url": "https://www.gov.uk/pay-class-1a-national-insurance", + "scenario": "My father owns a restaurant. It has five full time employees . He wishes to make Class 1 national insurance contributions by post.", + "question": "What is the deadline of submitting the payments for work benefits by post?", + "not_answerable": false, + "answers": [ + [ + "19 july", + [] + ] + ], + "evidences": [ + "

    When you pay Class 1A National Insurance contributions depends on whether they are work benefits or termination awards.

    ", + "

    You need to pay contributions on work benefits by 22 July each year for the previous tax year. You\u2019ll need to pay by 19 July if paying by post.

    " + ], + "id": "train-648" + }, + { + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "scenario": "My friend Ann has decided to stop her university course due to the unfortunate loss of her parents. She is mentally disturbed and the issue has left her traumatised. She is recieving student finance.", + "question": "Can she stop the student finance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you leave or suspend your studies you must:

    ", + "
  • stop your student finance
  • ", + "

    You must stop your student finance payments as soon as you decide to suspend your studies or leave your course early.

    " + ], + "id": "train-649" + }, + { + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "scenario": "My brother is recieving student finance. He is pursuing his Engineering course in Bath university. He has been diagnosed with Bipolar which requires long term treatment. He has decided to suspend his studies.", + "question": "Can he continue on receiving student finance or support after suspending the course?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must stop your student finance payments as soon as you decide to suspend your studies or leave your course early.

    ", + "

    If you suspend your studies you can usually postpone your student finance payments until you return.

    ", + "

    You might be able to get student finance while you\u2019re away from your course if you suspend due to illness, bereavement or another serious personal reason.

    ", + "

    You can apply for funding if you return to your studies.

    " + ], + "id": "train-650" + }, + { + "url": "https://www.gov.uk/pay-paye-penalty", + "scenario": "We are small start-up company and have 50 employees. We have received a PAYE late penalty notice but we acknowledge that it was our mistake. We are planning to pay", + "question": "Can we pay PAYE late penalty notice at post office ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can no longer pay at the Post Office.

    " + ], + "id": "train-651" + }, + { + "url": "https://www.gov.uk/pay-paye-penalty", + "scenario": "I have a limited company and have 2 employees. We have received a late penalty notice for the PAYE and we want to pay the notice by BACS", + "question": "What payment reference number we have to use when making payments ?", + "not_answerable": false, + "answers": [ + [ + "your penalty reference number", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.

    " + ], + "id": "train-652" + }, + { + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "scenario": "My warehousing employer uses zero-hour contracts. The contract requires me to be on call when they need me. I have accepted work from another company. The warehousing employer has now threatened me with legal action due to a contract clause, stating I cannot accept other work.", + "question": "Am I legally not allowed to accept work from any other company?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Zero-hours contracts are also known as casual contracts. Zero-hours contracts are usually for \u2018piece work\u2019 or \u2018on call\u2019 work, for example for interpreters.

    ", + "

    This means:

    ", + "
  • they are on call to work when you need them
  • ", + "
  • they do not have to do work when asked
  • ", + "

    You cannot do anything to stop a zero-hours worker from getting work elsewhere. The law says they can ignore a clause in their contract if it bans them from:

    ", + "
  • looking for work
  • ", + "
  • accepting work from another employer
  • " + ], + "id": "train-653" + }, + { + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "scenario": "We have employed staff from an agency. One of these staff has been been working for us for 15 weeks. They have stated that they are eligible for annual leave.", + "question": "Does this employee have the right to annual leave?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    As an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.

    ", + "

    Contract types include:

    ", + "
  • agency staff
  • ", + "

    As an employer, you can hire temporary staff through agencies. This means:

    ", + "
  • after 12 weeks\u2019 continuous employment in the same role, agency workers get the same terms and conditions as permanent employees, including pay, working time, rest periods, night work, breaks and annual leave
  • " + ], + "id": "train-654" + }, + { + "url": "https://www.gov.uk/shared-parental-leave-and-pay-employer-guide", + "scenario": "I am a full time employee. I have been working for the last 5 years. I have a new born baby. I have stopped the statutory maternity pay. My husband is working as well with an income of \u00a330000 per year.", + "question": "Can i apply for shared parental leave and pay?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • give you the correct notice including a declaration that their partner meets the employment and income requirements which allow your employee to get SPL
  • ", + "
  • still be employed by you while they take SPL
  • " + ] + ] + ], + "evidences": [ + "

    Employees may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if they\u2019ve had a baby or adopted a child.

    ", + "

    Employees can start SPL if they\u2019re eligible and they or their partner end their maternity or adoption leave or pay early. The remaining leave will be available as SPL. The remaining pay may be available as ShPP.

    ", + "

    To qualify for SPL, your employee must share responsibility for the child with one of the following:

    ", + "
  • their husband, wife, civil partner or joint adopter
  • ", + "

    Your employee or their partner must be eligible for maternity pay or leave, adoption pay or leave or Maternity Allowance.

    ", + "

    They must also:

    ", + "
  • still be employed by you while they take SPL
  • ", + "
  • give you the correct notice including a declaration that their partner meets the employment and income requirements which allow your employee to get SPL
  • ", + "
  • have been continuously employed by you for at least 26 weeks up to any day of the \u2018qualifying week\u2019, or the week they are matched with a child for adoption in the UK
  • ", + "

    They can get ShPP if they\u2019re an employee and one of the following applies:

    ", + "
  • they\u2019re eligible for Statutory Maternity Pay (SMP) or Statutory Adoption Pay (SAP)
  • " + ], + "id": "train-655" + }, + { + "url": "https://www.gov.uk/shared-parental-leave-and-pay-employer-guide", + "scenario": "I am on maternity leave after the birth of my baby. Would like to apply for a shared parental leave and pay so that i can look after my baby who has some infant complications.", + "question": "Should i give a notice letter to my employer?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    They must also:

    ", + "
  • give you the correct notice including a declaration that their partner meets the employment and income requirements which allow your employee to get SPL
  • ", + "

    For Shared Parental Leave (SPL) to start, the mother or adopter must do one of the following:

    ", + "
  • give you \u2018binding notice\u2019 (a decision that cannot normally be changed) of the date when they\u2019ll end their maternity or adoption leave
  • ", + "

    The mother must give you notice (at least 8 weeks) to end her maternity pay, or tell Jobcentre Plus to end her Maternity Allowance. Adopters must give you notice to end adoption pay.

    ", + "

    The employee must give you written notice if they want to start SPL or Statutory Shared Parental Pay (ShPP). They can do this using forms created by the Advisory, Conciliation and Arbitration Service (Acas).

    ", + "

    An employee must give at least 8 weeks\u2019 notice of any leave they wish to take. If the child is born more than 8 weeks early, this notice period can be shorter.

    " + ], + "id": "train-656" + }, + { + "url": "https://www.gov.uk/apply-european-works-council", + "scenario": "I work for a firm with several offices across Europe. I have heard of EWC but I am not sure if we qualify.", + "question": "Before I apply, what do we need to do to qualify?", + "not_answerable": false, + "answers": [ + [ + "at least 1,000 employees in the eea", + [] + ], + [ + "150 employees in each of at least 2 countries in the eea", + [] + ] + ], + "evidences": [ + "

    You can ask your employer to set up an EWC if they have:

    ", + "
  • at least 1,000 employees in the EEA
  • ", + "
  • 150 employees in each of at least 2 countries in the EEA
  • " + ], + "id": "train-657" + }, + { + "url": "https://www.gov.uk/apply-european-works-council", + "scenario": "Jack here. I want to set up an EWC but I'm worried about what BREXIT means for the process.", + "question": "Please can I get guidance on BREXIT and EWC?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-658" + }, + { + "url": "https://www.gov.uk/debt-deductions-from-employee-pay", + "scenario": "I received a court order to make of \u00a3200 from my employee's wages. I have forgotten to do this, and I am concerned over it.", + "question": "Is there any punishment for failing to make deductions?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You and your employee can be fined if you do not deduct their wages, or if you deliberately give false information about their earnings.

    ", + "

    You can be fined if you do not start making the deductions.

    " + ], + "id": "train-659" + }, + { + "url": "https://www.gov.uk/debt-deductions-from-employee-pay", + "scenario": "I have received a court order to deduct \u00a32,500 from the pay of my employee. I understand the difference between priority and non-priority orders, but I cannot identify the type of order I have received. It does not state what it is.", + "question": "In what way can I tell whether the court order is priority or non-priority?", + "not_answerable": false, + "answers": [ + [ + "if it does not say what it is, it\u2019s a \u2018non-priority order\u2019", + [] + ] + ], + "evidences": [ + "

    The court order will tell you:

    ", + "
  • if it\u2019s a \u2018priority order\u2019 - if it does not say what it is, it\u2019s a \u2018non-priority order\u2019
  • " + ], + "id": "train-660" + }, + { + "url": "https://www.gov.uk/nhs-bursaries", + "scenario": "I am studying to be a dentist and my course started on August 2019. I need some help to cover my living costs while I study", + "question": "Do I qualify for NHS bursary ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    To be eligible to apply for an NHS bursary you must have been living in the UK, the Channel Islands or the Isle of Man for 3 years up to the start of the academic year.

    ", + "

    You can apply for an NHS bursary from your 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course.

    ", + "

    Your total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.

    ", + "

    You must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.

    ", + "

    You may be eligible for an NHS bursary even if you\u2019ve already had public funding for higher education.

    ", + "

    If you\u2019ve had an NHS bursary and want to change professions, you may also be eligible.

    " + ] + ] + ], + "evidences": [ + "

    To be eligible to apply for an NHS bursary you must have been living in the UK, the Channel Islands or the Isle of Man for 3 years up to the start of the academic year.

    ", + "

    You must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.

    ", + "

    You can apply for an NHS bursary from your 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course.

    ", + "

    Your total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.

    ", + "

    You may be eligible for an NHS bursary even if you\u2019ve already had public funding for higher education.

    ", + "

    If you\u2019ve had an NHS bursary and want to change professions, you may also be eligible.

    " + ], + "id": "train-661" + }, + { + "url": "https://www.gov.uk/nhs-bursaries", + "scenario": "I am studying to be a doctor. I registered an account with Bursary Online Support System (BOSS) for my NHS bursary last year", + "question": "Do I have to re-appy for NHS bursary every year ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must reapply for your bursary every academic year.

    " + ], + "id": "train-662" + }, + { + "url": "https://www.gov.uk/new-employee", + "scenario": "We are recruitment agency and we are currently doing job recruitments. We are not aware of the current rules on recruitment post Brexit.", + "question": "Where do we get the necessary pre-employment details from for an employee?", + "not_answerable": false, + "answers": [ + [ + "the employee\u2019s p45", + [] + ], + [ + "hmrc\u2019s new starter checklist", + [ + "

    You\u2019ll usually get most of this information from the employee\u2019s P45, but they\u2019ll have to fill in a \u2018starter checklist\u2019 (which replaced the P46 form) if they do not have a recent P45.

    ", + "

    Ask your employee for this information if you do not have their P45, or if they left their last job before 6 April 2020.

    " + ] + ] + ], + "evidences": [ + "

    You need to get certain information from your employee so you can set them up with the correct tax code and starter declaration on your payroll software.

    ", + "

    You\u2019ll usually get most of this information from the employee\u2019s P45, but they\u2019ll have to fill in a \u2018starter checklist\u2019 (which replaced the P46 form) if they do not have a recent P45.

    ", + "

    From your employee\u2019s P45, you\u2019ll need their:

    ", + "

    Ask your employee for this information if you do not have their P45, or if they left their last job before 6 April 2020.

    ", + "

    Get the information by asking your new employee to complete HMRC\u2019s new starter checklist.

    " + ], + "id": "train-663" + }, + { + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "scenario": "My partner is due to have a baby in two weeks' time. I am employed and eligible for statutory paternity leave and pay.", + "question": "When do I have to take my paternity leave by?", + "not_answerable": false, + "answers": [ + [ + "within 56 days of the birth (or due date if the baby is early)", + [] + ] + ], + "evidences": [ + "

    Leave must finish within 56 days of the birth (or due date if the baby is early). The start and end dates are different if the employee is adopting.

    " + ], + "id": "train-664" + }, + { + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "scenario": "My wife is pregnant and due in four months. I started working in this job five months ago and I earn \u00a3500 per week.", + "question": "Am I eligible for statutory paternity pay?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Employees must also:

    ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the \u2018qualifying week\u2019
  • " + ], + "id": "train-665" + }, + { + "url": "https://www.gov.uk/national-minimum-wage", + "scenario": "I'm Bob and I'm working at a corner shop in my town. My boss is really mean and I am wondering if I'm being diddled. He pays my bus fare and he says I should be grateful. I'm 18 years old.", + "question": "Am I entitled to the National Minimum Wage?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The National Minimum Wage is the minimum pay per hour almost all workers are entitled to. The National Living Wage is higher than the National Minimum Wage - workers get it if they\u2019re over 23.

    ", + "

    People classed as \u2018workers\u2019 must be at least school leaving age to get the National Minimum Wage. They must be 23 or over to get the National Living Wage.

    ", + "

    Employers must pay workers the correct minimum wage.

    " + ], + "id": "train-666" + }, + { + "url": "https://www.gov.uk/national-minimum-wage", + "scenario": "Hello, my name is Dot. I work in a factory where the conditions are poor. I am being paid below the minimum wage. I have spoken to my employer and have got nowhere.", + "question": "Who can i contact to complain to get get some assistance in getting what'd rightfully mine?", + "not_answerable": false, + "answers": [ + [ + "call the confidential acas helpline or look at the acas helpline online", + [] + ], + [ + "make a complaint to hm revenue and customs (hmrc)", + [] + ], + [ + "go directly to the employment tribunal themselves", + [] + ] + ], + "evidences": [ + "

    Workers can call the confidential Acas helpline or look at the Acas Helpline Online to help them solve a payment dispute.

    ", + "

    Workers can also make a complaint to HM Revenue and Customs (HMRC) about their employer or employment agency or complain on behalf of someone else.

    ", + "

    Workers can also go directly to the employment tribunal themselves.

    " + ], + "id": "train-667" + }, + { + "url": "https://www.gov.uk/derecognise-a-union", + "scenario": "I represent a union for a mid sized group of factory workers in the East Midlands. Recently there has been some discontent against the union from a small group of members.", + "question": "What could happen if the discontent within the union continues to mount?", + "not_answerable": false, + "answers": [ + [ + "have a union derecognised", + [] + ] + ], + "evidences": [ + "

    If the application is successful, the union will cease to represent the workforce in negotiations with the employer.

    ", + "

    You can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.

    ", + "

    You can apply to have a non-independent union derecognised if the majority of workers do not support it.

    ", + "

    You can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.

    " + ], + "id": "train-668" + }, + { + "url": "https://www.gov.uk/derecognise-a-union", + "scenario": "I am a member of a small craft makers union and am unhappy with the way it is being managed. Most members are apathetic and I feel that the union is not fit for cause.", + "question": "Is it worth my while to make a fuss about this or should I just grin and bear it?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • the union has been recognised for longer than 3 years
  • ", + "
  • there haven\u2019t been any applications to CAC for derecognition in the previous 3 years
  • " + ] + ] + ], + "evidences": [ + "

    You can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.

    ", + "

    You can apply to have a non-independent union derecognised if the majority of workers do not support it.

    ", + "

    You can only apply if both of these are true:

    ", + "
  • the union has been recognised for longer than 3 years
  • ", + "
  • there haven\u2019t been any applications to CAC for derecognition in the previous 3 years
  • ", + "

    You can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.

    " + ], + "id": "train-669" + }, + { + "url": "https://www.gov.uk/claim-employment-allowance", + "scenario": "I would like to claim the employment allowance. My business paid out \u00a3120,000 for national insurance liabilities in the last year. We did not claim for employment allowance last year.", + "question": "Will my business be able to claim for employment allowance?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can claim Employment Allowance if you\u2019re a business or charity (including community amateur sports clubs) and your employers\u2019 Class 1 National Insurance liabilities were less than \u00a3100,000 in the previous tax year.

    " + ], + "id": "train-670" + }, + { + "url": "https://www.gov.uk/claim-employment-allowance", + "scenario": "My business has just acquired a subsidiary, which has made a new group. We are eligible to claim employment allowance, and have done so in the past. We do not know how being part of a group changes the way the employment allowance works.", + "question": "Do we claim employment allowance for both companies?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Only one company in the group can claim the allowance.

    " + ], + "id": "train-671" + }, + { + "url": "https://www.gov.uk/rest-breaks-work", + "scenario": "We are a supply chain company. We have more than 100 employees. We are planning to extend lunch break from 20 minutes to 45 minutes", + "question": "Do we have to pay them for the break. Is it mandatory ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The break doesn\u2019t have to be paid - it depends on their employment contract.

    ", + "

    Unless a worker\u2019s employment contract says so, they don\u2019t have the right to:

    ", + "
  • get paid for rest breaks
  • " + ], + "id": "train-672" + }, + { + "url": "https://www.gov.uk/rest-breaks-work", + "scenario": "We are a electronics high street shops. We have few part-time employees who are aged 17. They work 5 hours a day", + "question": "How many minutes of rest break they are entitled to ?", + "not_answerable": false, + "answers": [ + [ + "30 minute", + [] + ] + ], + "evidences": [ + "

    Young people and lorry and coach drivers have different rights to rest breaks.

    ", + "

    Young workers (above school leaving age and under 18) are usually entitled to:

    ", + "
  • a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)
  • " + ], + "id": "train-673" + }, + { + "url": "https://www.gov.uk/paye-for-employers", + "scenario": "I need to setup payroll for my new employee. This is my first employee, and I have never setup payroll before. I do not know whether I am allowed to do this myself.", + "question": "Do I have to use a payroll provider to run my payroll?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you have to operate PAYE, you can choose how to run your payroll.

    ", + "

    You can operate PAYE by either:

    ", + "
  • paying a payroll provider to do it for you
  • ", + "
  • doing it yourself using payroll software
  • " + ], + "id": "train-674" + }, + { + "url": "https://www.gov.uk/paye-for-employers", + "scenario": "I am an employer who is just about to setup payroll. I am expecting to pay out \u00a31,200 per month. I am currently unsure as to when payments to HMRC are made.", + "question": "When do I have to make payments to HMRC?", + "not_answerable": false, + "answers": [ + [ + "every month", + [] + ], + [ + "quarterly", + [ + "

    If you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll be able to view what you owe HMRC, based on your reports. You then have to pay HMRC, usually every month.

    ", + "

    If you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.

    " + ], + "id": "train-675" + }, + { + "url": "https://www.gov.uk/shared-parental-leave-and-pay-employer-guide", + "scenario": "I am a business owner. I have recently had an employee request shared parental leave. I have never dealt with this before, and I do not know the requirements.", + "question": "Are there eligibility requirements for shared parental leave?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    To qualify for SPL, your employee must share responsibility for the child with one of the following:

    ", + "
  • their husband, wife, civil partner or joint adopter
  • ", + "
  • the child\u2019s other parent
  • ", + "
  • their partner (if they live with them)
  • ", + "

    Your employee or their partner must be eligible for maternity pay or leave, adoption pay or leave or Maternity Allowance.

    ", + "

    They must also:

    ", + "
  • still be employed by you while they take SPL
  • ", + "
  • give you the correct notice including a declaration that their partner meets the employment and income requirements which allow your employee to get SPL
  • ", + "
  • have been continuously employed by you for at least 26 weeks up to any day of the \u2018qualifying week\u2019, or the week they are matched with a child for adoption in the UK
  • " + ], + "id": "train-676" + }, + { + "url": "https://www.gov.uk/shared-parental-leave-and-pay-employer-guide", + "scenario": "My partner and I share responsibility for our son. I am an employee who earns the equivalent of \u00a3140 per week. I am eligible for share parental pay, but I am not sure how much I should get.", + "question": "What amount of pay should I expect if I take my shared parental leave?", + "not_answerable": false, + "answers": [ + [ + "90% of an employee\u2019s average weekly earnings", + [] + ] + ], + "evidences": [ + "

    ShPP is paid at the rate of \u00a3151.97 a week or 90% of an employee\u2019s average weekly earnings, whichever is lower.

    " + ], + "id": "train-677" + }, + { + "url": "https://www.gov.uk/travel-grants-students-england", + "scenario": "I will be studying in Spain for three quarters of my course's length. This is a compulsory part of my course. My permanent address is in central London. I am currently looking for travel grants.", + "question": "Will I be eligible for a travel grant?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may get a grant to cover some of your travel expenses if you normally live in England and:

    ", + "
  • you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement
  • ", + "

    Your permanent home address must be in England.

    ", + "

    You must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.

    " + ], + "id": "train-678" + }, + { + "url": "https://www.gov.uk/travel-grants-students-england", + "scenario": "I have been approved for a travel grant to study abroad in Japan, but I do not know how much I will receive. My household's income is \u00a333,000 per annum.", + "question": "What amount of funding would I be able to receive?", + "not_answerable": false, + "answers": [ + [ + "up to 3 return journeys between your home and the overseas institution during a full academic year abroad", + [] + ], + [ + "help with essential expenses, medical insurance and travel visas", + [] + ] + ], + "evidences": [ + "

    You may get a grant to cover some of your travel expenses if you normally live in England and:

    ", + "
  • you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement
  • ", + "

    The amount you get depends on your total household income. This means your income, if you have one, combined with that of your parents or guardians, or spouse or partner if you live with them. Do not count income from other family members you live with.

    ", + "

    You must pay the \ufb01rst \u00a3303 of your travel costs - and your travel grant will be reduced by \u00a31 for each \u00a38.73 of household income over \u00a339,796.

    ", + "

    You can apply for:

    ", + "
  • up to 3 return journeys between your home and the overseas institution during a full academic year abroad
  • ", + "
  • help with essential expenses, medical insurance and travel visas
  • " + ], + "id": "train-679" + }, + { + "url": "https://www.gov.uk/make-benefit-debt-deductions", + "scenario": "I have recieved a letter from DWP debt management to do deductions from one of my employee salary due to benefits overpayments.", + "question": "where can i get a detailed guideline on how to calculate the DEA deductions?", + "not_answerable": false, + "answers": [ + [ + "the employer\u2019s guide", + [] + ] + ], + "evidences": [ + "

    Read the employer\u2019s guide for more information on DEA deductions and payments.

    ", + "

    There is more detail about calculating DEA in the employer\u2019s guide.

    " + ], + "id": "train-680" + }, + { + "url": "https://www.gov.uk/make-benefit-debt-deductions", + "scenario": "I have done the DEA calculations and submitted the money as requested by the DWP for one of my employees. Now he compains that the amount deducted is too much for him to manage.", + "question": "Can i be penalised as an employer if i fail to submit the DEA deductions? If so, how much?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a31,000", + [] + ] + ], + "evidences": [ + "

    You could be fined up to \u00a31,000 if you do not make DEA deductions.

    " + ], + "id": "train-681" + }, + { + "url": "https://www.gov.uk/flexible-working", + "scenario": "I am on a full time employment. I am in the current employment for 50 weeks now. Recently for some personal reason. I have a situation to work flexible hours rather than usual 9 to 5", + "question": "Do I have rights to request for flexible working ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    All employees have the legal right to request flexible working - not just parents and carers.

    ", + "

    Employees must have worked for the same employer for at least 26 weeks to be eligible.

    ", + "

    Employees can apply for flexible working if they\u2019ve worked continuously for the same employer for the last 26 weeks. It\u2019s known as \u2018making a statutory application.\u2019

    " + ], + "id": "train-682" + }, + { + "url": "https://www.gov.uk/flexible-working", + "scenario": "I am on a full time employment and I had a situation to request to work from home from my employer. I made an application but my situation has now changed", + "question": "Can I withdraw my application after applying ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Employees should tell their employer in writing if they want to withdraw their application.

    " + ], + "id": "train-683" + }, + { + "url": "https://www.gov.uk/nhs-bursaries", + "scenario": "I'm a medical student in Bradford, and I recently qualified for an NHS bursary to assist in funding my studies due to my low household income.", + "question": "How will my NHS bursary be paid across the year?", + "not_answerable": false, + "answers": [ + [ + "in 12 equal monthly instalments", + [] + ] + ], + "evidences": [ + "

    The NHS bursary is paid into your bank account in 12 equal monthly instalments.

    " + ], + "id": "train-684" + }, + { + "url": "https://www.gov.uk/nhs-bursaries", + "scenario": "I am a prospective medical student from Manchester with a low household income. I am currently applying for places on medical courses at different universities in England.", + "question": "Do I have to wait until I have an offer from a university before I apply for an NHS bursary?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.

    ", + "

    You should wait until you have an offer of a course place from your university or college before you apply for an NHS bursary.

    " + ], + "id": "train-685" + }, + { + "url": "https://www.gov.uk/holiday-entitlement-rights", + "scenario": "I have just given in my notice to leave my job. The notice period is one month. After prorating the annual leave over the 6 months that I will have worked this year, I have found that I have taken two too many days of annual leave.", + "question": "What happens in this situation?", + "not_answerable": false, + "answers": [ + [ + "their employer must not take money from their final pay", + [ + "

    If a worker has taken more leave than they\u2019re entitled to, their employer must not take money from their final pay unless it\u2019s been agreed beforehand in writing. The rules in this situation should be outlined in the employment contract, company handbook or intranet.

    " + ] + ] + ], + "evidences": [ + "

    If a worker has taken more leave than they\u2019re entitled to, their employer must not take money from their final pay unless it\u2019s been agreed beforehand in writing. The rules in this situation should be outlined in the employment contract, company handbook or intranet.

    " + ], + "id": "train-686" + }, + { + "url": "https://www.gov.uk/holiday-entitlement-rights", + "scenario": "I have been ill with a bad headache over the past two days. I have missed these two work days. My employer has told me that I will need to take annual leave to cover these days.", + "question": "Is my employer allowed to decide when I can take my annual leave?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Employers can:

    ", + "
  • tell their staff to take leave, for example bank holidays or Christmas
  • ", + "

    If an employer wants a worker to take leave, they need to make sure that the worker can relax, rest and enjoy leisure during their holiday. For example, an employer cannot force a sick worker to take leave.

    " + ], + "id": "train-687" + }, + { + "url": "https://www.gov.uk/trade-union-recognition-employers", + "scenario": "My company has 50 employees and would like to participate through a ballot to recognise their union. If the union is recognised and declared by CAC as recognised.", + "question": "Which areas of collective bargaining should i tackle with the union?", + "not_answerable": false, + "answers": [ + [ + "pay", + [] + ], + [ + "hours", + [] + ], + [ + "holiday entitlement", + [] + ] + ], + "evidences": [ + "

    You must work with the union and work out how to collectively bargain on:

    ", + "
  • pay
  • ", + "
  • hours
  • ", + "
  • holiday entitlement
  • " + ], + "id": "train-688" + }, + { + "url": "https://www.gov.uk/trade-union-recognition-employers", + "scenario": "I have 30 employees and i had applied to CAC for union recognition but failed due to poor documentations .", + "question": "How long should i wait inorder to apply again?", + "not_answerable": false, + "answers": [ + [ + "3 years", + [] + ] + ], + "evidences": [ + "

    They cannot apply if:

    ", + "
  • they\u2019ve applied for recognition in the last 3 years
  • ", + "

    The union will not be able to apply for statutory recognition for 3 years, but you can still recognise them voluntarily.

    " + ], + "id": "train-689" + }, + { + "url": "https://www.gov.uk/flexible-working", + "scenario": "I am an English resident. I have worked for my employer for five years. My normal working location is 9am till 5pm in office, but this is no longer possible for me. I would like more flexible hours and the ability to work from home.", + "question": "Do I have the right to make a statutory application?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    All employees have the legal right to request flexible working - not just parents and carers.

    ", + "

    Employees must have worked for the same employer for at least 26 weeks to be eligible.

    ", + "

    Employees can apply for flexible working if they\u2019ve worked continuously for the same employer for the last 26 weeks. It\u2019s known as \u2018making a statutory application.\u2019

    " + ], + "id": "train-690" + }, + { + "url": "https://www.gov.uk/flexible-working", + "scenario": "I put in a request for flexible working. My employer proceeded to treat me unfairly, overlooking me for promotion opportunities. I want to take this further.", + "question": "What actions can I take against this treatment?", + "not_answerable": false, + "answers": [ + [ + "complain to an employment tribunal", + [] + ] + ], + "evidences": [ + "

    If an employer does not handle a request in a reasonable manner, the employee can take them to an employment tribunal.

    ", + "

    Employees can complain to an employment tribunal if the employer:

    ", + "
  • did not handle the request in a \u2018reasonable manner\u2019
  • ", + "
  • dismissed or treated an employee poorly because of their flexible working request, for example refused a promotion or pay rise
  • " + ], + "id": "train-691" + }, + { + "url": "https://www.gov.uk/taking-disciplinary-action", + "scenario": "I have been reviewing the contracts of my employees after being told that it was missing information. The employee statement of terms and conditions of employment was missing the contact person for disciplinary appeals. I am concerned other things may be missing.", + "question": "Are there any other things I need to include regarding the appeal process?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You should have written disciplinary rules and procedures to deal with employee performance and conduct and you must tell your staff about them.

    ", + "

    Your rules must say what is acceptable and unacceptable behaviour in the workplace and what action you will take if the rules are broken.

    ", + "

    The rules should clearly say when someone might face disciplinary action and what that action could be.

    ", + "

    You must also give the name of someone they should appeal to if they\u2019re unhappy about a disciplinary decision.

    ", + "

    Your employee\u2019s statement of terms and conditions of employment must legally include the person they can apply to if they want to appeal a disciplinary decision. It must also explain how to do this.

    " + ], + "id": "train-692" + }, + { + "url": "https://www.gov.uk/taking-disciplinary-action", + "scenario": "Whilst carrying out disciplinary procedures, we have followed our own code. We have not followed the ACAS code of practice, but have been told we should be.", + "question": "Is it a legal requirement to follow the ACAS code of practice?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ], + [ + "yes", + [ + "

    You should follow the Acas code of practice on disciplinary and grievance procedures when dealing with appeals. Otherwise, if someone wins an employment tribunal against you their award could be higher.

    " + ] + ] + ], + "evidences": [ + "

    The rules should follow the Acas code of practice on disciplinary and grievance procedures.

    ", + "

    Not following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.

    ", + "

    Your disciplinary procedures should follow the Acas code of practice.

    ", + "

    The law does not say exactly how you should investigate disciplinary issues or hold disciplinary meetings.

    ", + "

    You should follow the Acas code of practice on disciplinary and grievance procedures when dealing with appeals. Otherwise, if someone wins an employment tribunal against you their award could be higher.

    " + ], + "id": "train-693" + }, + { + "url": "https://www.gov.uk/repaying-your-student-loan", + "scenario": "I am an English student who has recently passed his degree. I have been asked by my new employer what plan is my student loan. My course started on the 20th September 2019.", + "question": "What repayment plan am I on for my my student loan?", + "not_answerable": false, + "answers": [ + [ + "plan 2", + [] + ] + ], + "evidences": [ + "

    You\u2019re on Plan 2 if you\u2019re:

    ", + "
  • an English or Welsh student who started an undergraduate course anywhere in the UK on or after 1 September 2012
  • " + ], + "id": "train-694" + }, + { + "url": "https://www.gov.uk/repaying-your-student-loan", + "scenario": "I am 35 years old. I had a student loan, which I was first due to repay on 1st April 2007. This student loan is a Plan 1, with the loan being taken out in September 2003.", + "question": "When will my loan be written off?", + "not_answerable": false, + "answers": [ + [ + "25 years after the april you were first due to repay", + [] + ] + ], + "evidences": [ + "

    When your Plan 1 loan gets written off depends on when you took out the loan.

    ", + "Academic year you took out the loan | When the loan\u2019s written off", + "2006 to 2007, or later | 25 years after the April you were first due to repay" + ], + "id": "train-695" + }, + { + "url": "https://www.gov.uk/child-maintenance-for-employers", + "scenario": "I am an employer and I have been asked by the child maintenance service to set up a deduction from earnings order for one of my employees who is employed full time.I want to submit the amount requested promptly.", + "question": "Which is the last date of the month should i submit the amount?", + "not_answerable": false, + "answers": [ + [ + "the 19th day of the month", + [] + ] + ], + "evidences": [ + "

    By law, you must:

    ", + "
  • send payments as soon as possible, to arrive no later than the 19th day of the month following the month you made the deduction
  • ", + "

    You should send a payment to the Child Maintenance Service so it gets there no later than the 19th day of the month following the month that you took it.

    " + ], + "id": "train-696" + }, + { + "url": "https://www.gov.uk/child-maintenance-for-employers", + "scenario": "My employer received a deduction from earnings order (DEO) to pay childcare support from my salary. Being the paying parents and the fact that my wife has complicated our relationship. I have talked to my employer to ignore the order.", + "question": "Can my employer be penalised if he fails to honor the DEO?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    By law, you must:

    ", + "
  • make regular payments - if you do not send payments and do not explain why, you could be taken to court
  • ", + "

    You must deduct the amount of child maintenance stated on the DEO from your employee\u2019s net earnings or their pension and pay it to the Child Maintenance Service. This will include any arrears that are due.

    ", + "

    You can be prosecuted if you do not pay the amount on a deduction from earnings order (DEO).

    ", + "

    You can be fined up to \u00a3250 or sent to prison for up to 14 days if you do not do what an attachment of earnings order (AEO) says you should do.

    " + ], + "id": "train-697" + }, + { + "url": "https://www.gov.uk/rest-breaks-work", + "scenario": "My 30 years old brother is a security guard and works full time . His work is very demading such that he can\u2019t have breaks in between.He does surveillance role.", + "question": "Can he qualify for a compensatory rest?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Workers may be entitled to \u2018compensatory rest\u2019 if they don\u2019t have the right to specific rest breaks. Compensatory rest breaks are the same length of time as the break (or part of it) that they\u2019ve missed.

    ", + "

    A worker may be entitled to compensatory rest if:

    ", + "
  • they\u2019re doing security and surveillance-based work
  • " + ], + "id": "train-698" + }, + { + "url": "https://www.gov.uk/rest-breaks-work", + "scenario": "I have been working in a pharmacy shop without breaks due to the flow of customers. I have raised my complaint to my senior boss but has not taken it seriously but ignored me. I feel strained and under pressure.", + "question": "Can i make a claim to the employment tribunal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.

    " + ] + ] + ], + "evidences": [ + "

    Workers who can\u2019t take or aren\u2019t allowed rest breaks should speak to their manager informally.

    ", + "

    Workers can also get advice on rest breaks from the Acas helpline.

    ", + "

    If a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.

    " + ], + "id": "train-699" + }, + { + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "scenario": "I am a full time student from a University in England . I was getting Tuition Fee Loans and received regular finance payments. Now I have dis-continued the course", + "question": "How to stop my student finance payments ?", + "not_answerable": false, + "answers": [ + [ + "tell your university or college that you\u2019re leaving or suspending your course", + [] + ], + [ + "contact student finance england", + [] + ] + ], + "evidences": [ + "

    You must:

    ", + "
  • tell your university or college that you\u2019re leaving or suspending your course
  • ", + "
  • contact Student Finance England if you\u2019re a student from England
  • " + ], + "id": "train-700" + }, + { + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "scenario": "I am a full time student. I was receiving student finance to cover my tuition fees. Unfortunately I have to suspend my course because I am seriously ill", + "question": "Who should inform about my situation to Students loan company ?", + "not_answerable": false, + "answers": [ + [ + "your university or college", + [] + ] + ], + "evidences": [ + "

    Your university or college must tell the Student Loans Company (SLC) about your situation.

    " + ], + "id": "train-701" + }, + { + "url": "https://www.gov.uk/employment-status", + "scenario": "I am contemplating starting a business working from home. I intend to bake cakes and other baked goods and sell them locally at first, then perhaps expand.", + "question": "Would I be considered self employed if I were to work in this way?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    A person is self-employed if they run their business for themselves and take responsibility for its success or failure.

    ", + "

    Someone is probably self-employed and shouldn\u2019t be paid through PAYE if most of the following are true:

    ", + "
  • they\u2019re in business for themselves, are responsible for the success or failure of their business and can make a loss or a profit
  • ", + "
  • they can decide what work they do and when, where or how to do it
  • ", + "
  • they use their own money to buy business assets, cover running costs, and provide tools and equipment for their work
  • ", + "
  • they can work for more than one client
  • " + ], + "id": "train-702" + }, + { + "url": "https://www.gov.uk/employment-status", + "scenario": "I do casual work for neighbours involving gardening, waste disposal, painting and decorating and various other odd jobs. I declare my income to the relevant authorities on a monthly basis but it fluctuates from month to month.", + "question": "If someone I was working for refused to pay me, would I have any legal recourse against them?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    However, if a person is self-employed:

    ", + "
  • their rights and responsibilities are set out by the terms of the contract they have with their client
  • " + ], + "id": "train-703" + }, + { + "url": "https://www.gov.uk/employee-tax-codes", + "scenario": "I have started with a new employer. I have just received my tax code, which contains COT. I am not familiar with this tax code.", + "question": "What are the conditions that have led to this tax code?", + "not_answerable": false, + "answers": [ + [ + "when an employee whose main home is in wales hasn\u2019t given you a p45 or enough details to work out their tax code, or when their personal allowance has been used up", + [] + ] + ], + "evidences": [ + "

    Letters in an employee\u2019s tax code refer to their situation and how it affects their Personal Allowance.

    ", + "Code | How tax is deducted | When this code is usually used", + "C0T | From all income - there is no Personal Allowance | When an employee whose main home is in Wales hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up" + ], + "id": "train-704" + }, + { + "url": "https://www.gov.uk/employee-tax-codes", + "scenario": "My employee has been W1 emergency tax code. I know this affects the calculation of tax, but I am not sure how.", + "question": "How should tax be calculated with this tax code?", + "not_answerable": false, + "answers": [ + [ + "calculate your employee\u2019s tax only on what they are paid in the current pay period, not the whole year", + [] + ] + ], + "evidences": [ + "

    1257L is an emergency tax code only if followed by \u2018W1\u2019, \u2018M1\u2019 or \u2018X\u2019. Emergency codes can be used if a new employee doesn\u2019t have a P45.

    ", + "

    W1 (week 1) and M1 (month 1) are emergency tax codes and appear at the end of an employee\u2019s tax code, for example \u2018577L W1\u2019 or \u2018577L M1\u2019. Calculate your employee\u2019s tax only on what they are paid in the current pay period, not the whole year.

    " + ], + "id": "train-705" + }, + { + "url": "https://www.gov.uk/employee-tax-codes", + "scenario": "I am new to this tax system. Joined in an accounts department to help calculating taxes for employees. I have a newemployee with an annual salary of 11,200 and no additional income", + "question": "Does the employee have to pay tax ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The numbers in an employee\u2019s tax code show how much tax-free income they get in that tax year.

    ", + "

    For example, an employee with the tax code 1257L can earn \u00a312,570 before being taxed. If they earn \u00a327,000 per year, their taxable income is \u00a314,430.

    " + ], + "id": "train-706" + }, + { + "url": "https://www.gov.uk/travel-grants-students-england", + "scenario": "Hi I am Mandy. I am studying French Business at Manchester University. I am due to spend a year on a placement in France.", + "question": "What assistance can I received to help with my stay in France?", + "not_answerable": false, + "answers": [ + [ + "up to 3 return journeys between your home and the overseas institution during a full academic year abroad", + [ + "

    Your permanent home address must be in England.

    " + ] + ], + [ + "help with essential expenses, medical insurance and travel visas", + [ + "

    Your permanent home address must be in England.

    " + ] + ] + ], + "evidences": [ + "

    You may get a grant to cover some of your travel expenses if you normally live in England and:

    ", + "
  • you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement
  • ", + "

    You can apply for:

    ", + "
  • up to 3 return journeys between your home and the overseas institution during a full academic year abroad
  • ", + "
  • help with essential expenses, medical insurance and travel visas
  • ", + "

    Your permanent home address must be in England.

    ", + "

    You must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.

    " + ], + "id": "train-707" + }, + { + "url": "https://www.gov.uk/travel-grants-students-england", + "scenario": "Rob here. I am studying German Language at Salford. I will be undertaking a year in Germany in Bonn as part of my degree.", + "question": "Does the scheme cover all my travel expenses or is it means tested?", + "not_answerable": false, + "answers": [ + [ + "depends on your total household income", + [] + ] + ], + "evidences": [ + "

    You may get a grant to cover some of your travel expenses if you normally live in England and:

    ", + "
  • you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement
  • ", + "

    The amount you get depends on your total household income. This means your income, if you have one, combined with that of your parents or guardians, or spouse or partner if you live with them. Do not count income from other family members you live with.

    ", + "

    You must pay the \ufb01rst \u00a3303 of your travel costs - and your travel grant will be reduced by \u00a31 for each \u00a38.73 of household income over \u00a339,796.

    " + ], + "id": "train-708" + }, + { + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "scenario": "My partner gave birth to our daughter three months earlier and sadly we were bereaved several days later. Both of us are in full time employment though my partner was just due to take maternity leave. I have been told I cannot get bereavement pay as I changed jobs recently.", + "question": "I am not happy with the decision, who can I contact?", + "not_answerable": false, + "answers": [ + [ + "the hmrc statutory payments disputes team", + [] + ] + ], + "evidences": [ + "

    If an employee is unhappy with your decision, they can contact the HMRC Statutory Payments Disputes Team. They must do this within 6 months of the start date of the Statutory Parental Bereavement Pay period they claimed.

    " + ], + "id": "train-709" + }, + { + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "scenario": "My employee has recently been bereaved of a daughter. I know I need to pay bereavement pay, but this is difficult given the financial situation of the business.", + "question": "What are the financial help with bereavement pay?", + "not_answerable": false, + "answers": [ + [ + "reclaim payments", + [] + ], + [ + "apply for an advance if you cannot afford payments", + [] + ], + [ + "apply for an advance", + [ + "
  • apply for an advance if you cannot afford payments
  • " + ] + ] + ], + "evidences": [ + "

    For financial help with statutory pay, you can:

    ", + "
  • reclaim payments
  • ", + "
  • apply for an advance if you cannot afford payments
  • ", + "

    You can apply online for an advance to pay for an employee\u2019s Statutory Parental Bereavement Pay.

    " + ], + "id": "train-710" + }, + { + "url": "https://www.gov.uk/social-work-bursaries", + "scenario": "I am a social worker and also studying in a University. I am studying Bachelor's of Science in Computer science in an open university", + "question": "Do I qualify for Social work bursaries ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re training for social work you may get a bursary.

    ", + "

    Social work bursaries are available to eligible social work students who:

    ", + "
  • are studying an approved undergraduate or postgraduate course in social work
  • ", + "

    You\u2019re not eligible for a bursary if you\u2019re studying on an employment-based course including direct Open University courses.

    " + ], + "id": "train-711" + }, + { + "url": "https://www.gov.uk/social-work-bursaries", + "scenario": "I am a social worker and a full time student. My university informed me that I am eligible for Social work bursaries. I am planning to apply", + "question": "What identity document I have to submit ?", + "not_answerable": false, + "answers": [ + [ + "your birth certificate", + [] + ], + [ + "your passport (which must be valid)", + [] + ] + ], + "evidences": [ + "

    You may need to prove your identity by sending both:

    ", + "
  • your birth certificate
  • ", + "
  • your passport (which must be valid)
  • " + ], + "id": "train-712" + }, + { + "url": "https://www.gov.uk/trade-union-recognition-employers", + "scenario": "A union has requested recognition from my company. They have provided their given name, but no other information has been given to us.", + "question": "Are unions required to give any more information for recognition?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The written request must:

    ", + "
  • give the name of the union
  • ", + "
  • identify which employees will be represented by the union when it\u2019s recognised, sometimes known as the bargaining unit
  • ", + "
  • state that the union is making the request under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992
  • " + ], + "id": "train-713" + }, + { + "url": "https://www.gov.uk/trade-union-recognition-employers", + "scenario": "A ballet has been called, involving our employees, to see whether a union should be recognised. There are twenty employees taking part.", + "question": "What is the required vote to allow the union to be recognised?", + "not_answerable": false, + "answers": [ + [ + "the majority of employees in the ballot", + [] + ], + [ + "at least 40% of the employees in the bargaining unit", + [] + ] + ], + "evidences": [ + "

    The union can apply if:

    ", + "
  • they have evidence that a majority of employees are in favour of recognition - for example, a petition
  • ", + "

    Your employees will be balloted about whether they want the union to be recognised if the majority of employees in the bargaining unit are not members of the union.

    ", + "

    CAC will declare the union is recognised if both:

    ", + "
  • the majority of employees in the ballot vote to recognise the union
  • ", + "
  • at least 40% of the employees in the bargaining unit vote to recognise the union
  • " + ], + "id": "train-714" + }, + { + "url": "https://www.gov.uk/payroll-errors", + "scenario": "It has been brought to my attention that I have underpaid one of my employees by \u00a350. I have paid the employee this amount, and I have started preparing a new FPS.", + "question": "What do I need to include on the new FPS?", + "not_answerable": false, + "answers": [ + [ + "the difference between what you originally reported and the correct amount in the \u2018in this pay period\u2019 field", + [] + ], + [ + "updated year-to-date figures", + [] + ], + [ + "\u2018h - correction to earlier submission\u2019 in the \u2018late reporting reason\u2019 field", + [] + ] + ], + "evidences": [ + "

    Pay your employee the amount you underpaid them. On or before the day of this payment, send an additional FPS with:

    ", + "
  • the difference between what you originally reported and the correct amount in the \u2018In this pay period\u2019 field
  • ", + "
  • updated year-to-date figures
  • ", + "
  • \u2018H - Correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field
  • " + ], + "id": "train-715" + }, + { + "url": "https://www.gov.uk/payroll-errors", + "scenario": "I have paid my PAYE bill to HMRC, but I have found that I have overpaid. This overpayment is due to a \u00a3100 error in the EPS.", + "question": "Can I get a refund for this amount?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you overpaid because of a mistake in your FPS or EPS, make the correction in your next regular report. HMRC will take the overpayment off your next PAYE bill.

    ", + "

    If you overpaid because you entered the wrong amount when paying HMRC, or you made a duplicate payment, you can balance your account by paying less in your next PAYE bill.

    ", + "

    You can also claim a refund if you\u2019ve overpaid by contacting HMRC\u2019s employer helpline.

    " + ], + "id": "train-716" + }, + { + "url": "https://www.gov.uk/apply-for-student-finance", + "scenario": "I am a student from Spain and studying in an England university. I want to apply for a students loan and have all the required documents.", + "question": "As a EU student, do I need to send proof of identity documents ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Send your non-UK passport or identity card the first time you apply.

    " + ], + "id": "train-717" + }, + { + "url": "https://www.gov.uk/apply-for-student-finance", + "scenario": "I am a British citizen and a university student from England. I am applying for the Student Finance for the first time. I was asked to submit an UK passport as proof of identity", + "question": "What document I can send instead of my expired UK passport ?", + "not_answerable": false, + "answers": [ + [ + "your original birth or adoption certificate", + [] + ] + ], + "evidences": [ + "

    If you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.

    " + ], + "id": "train-718" + }, + { + "url": "https://www.gov.uk/debt-deductions-from-employee-pay", + "scenario": "We are IT consulting company. We have received a 'attachment of earnings order' letter from court for an employee who has left our company 2 years back", + "question": "Is there a timeline to inform court about this ?", + "not_answerable": false, + "answers": [ + [ + "within 10 days", + [] + ] + ], + "evidences": [ + "

    You and your employee will each get an \u2018attachment of earnings order\u2019 (AEO) from the court.

    ", + "

    Write to the court within 10 days if you get an order for someone you do not employ.

    " + ], + "id": "train-719" + }, + { + "url": "https://www.gov.uk/debt-deductions-from-employee-pay", + "scenario": "We are a leading super market company. We have received 2 court orders for an employee to deduct his wages because of a debt.", + "question": "How do we decide which order to pick for deduction first ?", + "not_answerable": false, + "answers": [ + [ + "deduct any priority orders first, in the order the employee got them. then deduct the non-priority orders in the order the employee got them.", + [] + ] + ], + "evidences": [ + "

    There are 2 types of orders - priority orders and non-priority orders. The way you calculate deductions for them is different.

    ", + "

    If your employee has more than one order

    ", + "

    Deduct any priority orders first, in the order the employee got them. Then deduct the non-priority orders in the order the employee got them.

    " + ], + "id": "train-720" + }, + { + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "scenario": "My partner and I are full time employees earning more than \u00a3 250 per week and have been matched with a child from Sudan. We are planning to take an adoption leave.", + "question": "When should we give notice to our employers?", + "not_answerable": false, + "answers": [ + [ + "within 28 days of getting their \u2018official notification\u2019", + [] + ], + [ + "within 28 days of the sunday in their 26th week", + [ + "

    If they\u2019ve worked for you for less than 26 weeks, they can tell you within 28 days of the Sunday in their 26th week instead.

    " + ] + ] + ], + "evidences": [ + "

    Within 28 days of getting their \u2018official notification\u2019, employees adopting from overseas must tell you the date of the notification and when they expect the child to arrive in the UK.

    ", + "

    If they\u2019ve worked for you for less than 26 weeks, they can tell you within 28 days of the Sunday in their 26th week instead.

    ", + "

    They must also tell you:

    ", + "
  • the actual date the child arrives in the UK - within 28 days of this date
  • ", + "
  • how much leave they want and when they want it to start - giving you 28 days\u2019 notice
  • " + ], + "id": "train-721" + }, + { + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "scenario": "My sister is a full time employee and earns \u00a3300 per week. She has given her employer a notice of a statutory adoption leave to adopt a child from syria.", + "question": "How much will she get as statutory adoption pay?", + "not_answerable": false, + "answers": [ + [ + "90% of their gross average weekly earnings", + [ + "
  • 90% of their gross average weekly earnings for the first 6 weeks
  • " + ] + ], + [ + "\u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower)", + [ + "
  • \u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower) for the next 33 weeks
  • " + ] + ] + ], + "evidences": [ + "

    Statutory Adoption Pay (SAP) for employees is:

    ", + "
  • 90% of their gross average weekly earnings for the first 6 weeks
  • ", + "
  • \u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower) for the next 33 weeks
  • " + ], + "id": "train-722" + }, + { + "url": "https://www.gov.uk/new-employee", + "scenario": "I have hired a new employee who left their last job on the 20th April 2021. The employee started on the 5th May 2021, and the P45 hasn't been given to me until the 27th July 2021. I'm not sure how I should deal with this. HMRC has not sent me a tax code.", + "question": "Do I need to add the P45's figures from the rest of the financial year onto the payroll?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may need to update your payroll records if your employee gives you a P45 or starter checklist after you\u2019ve registered them with HM Revenue and Customs (HMRC).

    ", + "

    You only need a starter checklist from your employee to work out their tax code if they do not have a P45, or if they left their last job before 6 April 2020.

    ", + "

    Use your employee\u2019s P45 to work out their tax code and update their details in your payroll software.

    " + ], + "id": "train-723" + }, + { + "url": "https://www.gov.uk/new-employee", + "scenario": "I have hired a new person for plumbing in my construction business. I am unsure whether I should treat them as an employee. They own their own business, for which they have full responsibility.", + "question": "Should I treat them as an employee and add them to PAYE?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You usually have to pay your employees through PAYE if they earn \u00a3120 or more a week (\u00a3520 a month or \u00a36,240 a year).

    ", + "

    You do not need to pay self-employed workers through PAYE.

    ", + "

    As a general rule, someone is:

    ", + "
  • self-employed if they run their own business and are responsible for its success or failure
  • " + ], + "id": "train-724" + }, + { + "url": "https://www.gov.uk/holiday-entitlement-rights", + "scenario": "I am the manager on an office in Telford, and responsible for distributing holiday leave to my employees. One of my employees has a chronic illness that is flaring up this week.", + "question": "Can I make this employee take holiday leave?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Employers can:

    ", + "
  • tell their staff to take leave, for example bank holidays or Christmas
  • ", + "

    If an employer wants a worker to take leave, they need to make sure that the worker can relax, rest and enjoy leisure during their holiday. For example, an employer cannot force a sick worker to take leave.

    " + ], + "id": "train-725" + }, + { + "url": "https://www.gov.uk/holiday-entitlement-rights", + "scenario": "I just handed in my notice for my office job in Dundee. I have a notice period of 4 weeks.", + "question": "Can I take what is left of my annual leave entitlement during this time?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    During their notice period the worker may be able to take whatever is left of their statutory annual leave.

    ", + "

    Use the holiday entitlement calculator to work this out. How much they get depends on how much of the holiday year has passed.

    " + ], + "id": "train-726" + }, + { + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "scenario": "I am currently an employee for an accountancy firm. I have recently been convicted for theft, but will not be serving a prison sentence. I have not yet informed my employer.", + "question": "Do I need to inform my employer about the conviction?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-727" + }, + { + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "scenario": "I am a 20 year old student. I have been convicted for a driving offence, and I have been told that I have been given community service. I have been given no end date.", + "question": "When will my community service be spent?", + "not_answerable": false, + "answers": [ + [ + "2 years after you got it", + [] + ] + ], + "evidences": [ + "

    Community service becomes spent either:

    ", + "
  • one year after its end date
  • ", + "
  • 2 years after you got it, if there\u2019s no end date
  • " + ], + "id": "train-728" + }, + { + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "scenario": "My employee is adopting a child from Spain. They have been employed for 36 weeks at the time they have informed me about the adoption. They have given all of the relevant information. And they are requesting statutory adoption pay.", + "question": "Is this employee eligible for statutory adoption pay?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • be on your payroll and earn at least \u00a3120 a week in an 8-week period - the \u2018relevant period\u2019
  • " + ] + ], + [ + "no", + [ + "
  • become a special guardian or kinship carer
  • ", + "
  • adopt a stepchild or family member
  • ", + "
  • adopt privately, for example without permission from a UK authority or adoption agency
  • " + ] + ] + ], + "evidences": [ + "

    Employees must:

    ", + "
  • give you the correct notice
  • ", + "
  • be classed as an employee
  • ", + "
  • have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child
  • ", + "
  • be on your payroll and earn at least \u00a3120 a week in an 8-week period - the \u2018relevant period\u2019
  • ", + "
  • give you proof of the adoption
  • ", + "

    The requirements are the same for employees adopting from overseas, except they must have been continuously employed by you for at least 26 weeks at the start of the week when the pay will begin.

    ", + "

    Employees will not qualify for either adoption leave or pay if they:

    ", + "
  • adopt privately, for example without permission from a UK authority or adoption agency
  • " + ], + "id": "train-729" + }, + { + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "scenario": "An employee has notified me 7 days after getting matched with a child. They have said they want start the paid leave 15 days from now. This seems quite soon.", + "question": "Is there a minimum time for notice regarding paid leave?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Employees must give you 28 days\u2019 notice before they want to be paid Statutory Adoption Pay, unless the time between the child being matched and placed is less than that.

    ", + "

    Within 7 days of being matched with a child, employees must tell you:

    " + ], + "id": "train-730" + }, + { + "url": "https://www.gov.uk/payroll-annual-reporting", + "scenario": "We have given out the P60s to our employees. One of our employees has had \u00a350 error in the gross pay for the tax year.", + "question": "What should we do to go about rectifying this error?", + "not_answerable": false, + "answers": [ + [ + "new p60 marked \u2018replacement\u2019", + [] + ], + [ + "letter confirming the change", + [] + ] + ], + "evidences": [ + "

    Give your employee either a:

    ", + "
  • new P60 marked \u2018replacement\u2019 - this can be paper or electronic
  • ", + "
  • letter confirming the change
  • " + ], + "id": "train-731" + }, + { + "url": "https://www.gov.uk/payroll-annual-reporting", + "scenario": "We are coming to the first year of operating payroll. We pay our staff on a weekly basis, and found that we are missing tax of our FPS at the end of the year.", + "question": "How do we deal with the end of the tax year?", + "not_answerable": false, + "answers": [ + [ + "make a \u2018week 53\u2019 payment", + [] + ] + ], + "evidences": [ + "

    If you pay your employees weekly, fortnightly or every 4 weeks, you might need to make a \u2018week 53\u2019 payment in your final FPS of the year.

    ", + "

    Your payroll software will work out \u2018week 53\u2019 payments for you.

    ", + "

    In the \u2018Tax week number\u2019 field of your FPS, put:

    ", + "
  • \u201853\u2019 if you pay your employees weekly
  • " + ], + "id": "train-732" + }, + { + "url": "https://www.gov.uk/new-employee", + "scenario": "I am the acting human resources manager for a medical devices company in London, which currently has 27 employees. We are about to recruit our first newly-qualified graduates into our workforce, and expect most (if not all) of them to have outstanding student loan repayment obligations.", + "question": "Are we obliged to ask new hires about their student loans, or is it up to the employee to voluntarily disclose them?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You should make student loan deductions if any of the following apply:

    ", + "
  • your new employee tells you they\u2019re repaying a student loan or a postgraduate loan, for example on a starter checklist
  • ", + "

    Ask your new employee if they have a student loan or a postgraduate loan - they may have both. If they finished their studies after 6 April in the current tax year, they will not start to repay their loan until the next tax year.

    ", + "

    If your employee has a student loan, ask them to sign in to their repayment account and check which plan to use for deductions. They can contact the Student Loans Company if they\u2019re still not sure.

    " + ], + "id": "train-733" + }, + { + "url": "https://www.gov.uk/trade-union-recognition-employers", + "scenario": "I am the managing director of a dairy products producer in Wales. My workforce is already part-unionised; however, another union is now requesting recognition to represent a potentially much larger group of my employees. I fear that negotiations over demarcation are likely to become complex.", + "question": "Can I request that Acas be brought in to assist with the negotiations?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You have 10 days to suggest that the Advisory, Conciliation and Arbitration Service (Acas) are brought in to assist with the negotiations.

    " + ], + "id": "train-734" + }, + { + "url": "https://www.gov.uk/dismiss-staff", + "scenario": "I am the acting Human Resources Manager for the UK division of a large multinational company, having recently been seconded from our global head office in Germany. I have been tasked with getting rid of some underperforming employees.", + "question": "Is a wrongful dismissal the same as an unfair dismissal in UK employment law?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There are different types of dismissal:

    ", + "
  • unfair dismissal
  • ", + "
  • wrongful dismissal
  • ", + "

    A dismissal is fair or unfair depending on:

    ", + "
  • your reason for it
  • ", + "
  • how you act during the dismissal process
  • ", + "

    This is where you break the terms of an employee\u2019s contract in the dismissal process, for example dismissing someone without giving them proper notice.

    ", + "

    Wrongful dismissal is not the same as unfair dismissal.

    " + ], + "id": "train-735" + }, + { + "url": "https://www.gov.uk/dismiss-staff", + "scenario": "I am an employee at a medium-sized outdoor equipment retailer, having started work there 18 months ago. There are currently rumours circulating of staff cutbacks as a result of the COVID-19 pandemic's effect on business.", + "question": "How long do I have to have worked for my employer before I can lodge a claim for unfair dismissal?", + "not_answerable": false, + "answers": [ + [ + "2 years", + [] + ] + ], + "evidences": [ + "

    Employees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.

    ", + "Date employment started | When the employee can claim", + "After 6 April 2012 | After 2 years of employment" + ], + "id": "train-736" + }, + { + "url": "https://www.gov.uk/apply-european-works-council", + "scenario": "I am an employee at a multinational pharmaceutical company with over 6,000 employees, distributed over 6 different sites all within the EEA. I have asked to set up an EWC, but my employer is refusing to provide staffing information relevant to any potential application.", + "question": "Which body should I complain to about my employer's refusal to provide the relevant data?", + "not_answerable": false, + "answers": [ + [ + "the central arbitration committee (cac)", + [] + ] + ], + "evidences": [ + "

    Complain in writing to the Central Arbitration Committee (CAC) about the way a European Works Council (EWC) has been set up or run.

    ", + "

    You can complain if your employer:

    ", + "
  • does not provide information about the size or structure of the company
  • ", + "

    Write to CAC and include the following information:

    " + ], + "id": "train-737" + }, + { + "url": "https://www.gov.uk/apply-european-works-council", + "scenario": "I am a senior vice president of a multinational package delivery company, which has sites in all but 6 of the current EU and/or EEA countries. A group of our employees have just had a request to setup an EWC accepted, and I have been tasked with forming a special negotiating body (SNB) to agree the terms.", + "question": "How long do I have to create this SNB?", + "not_answerable": false, + "answers": [ + [ + "6 months", + [] + ] + ], + "evidences": [ + "

    The SNB must:

    ", + "
  • be set up within 6 months from when the request for an EWC was accepted
  • " + ], + "id": "train-738" + }, + { + "url": "https://www.gov.uk/apply-for-student-finance", + "scenario": "I am 18 years old, and have lived in England for the whole of my life. I am currently in the midst of applying to study for a degree in physics at one of five UK universities, but have not yet received a firm offer from any of them.", + "question": "Do I need to have a confirmed offer of a place before I can apply for Student Finance?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not need a confirmed place to apply.

    " + ], + "id": "train-739" + }, + { + "url": "https://www.gov.uk/apply-for-student-finance", + "scenario": "I am 21 and about to commence a degree course at a university close to my home in Bristol, England, where I live with both my parents. I am applying for both maintenance and tuition fee loans from Student Finance England.", + "question": "Do I need to provide details of my parents' income as well as my own when applying for the maintenance loan?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must provide your household income if you apply for any of the following:

    ", + "
  • full Maintenance Loan
  • ", + "

    Your household income includes any of the following that apply:

    ", + "
  • your parents\u2019 income, if you\u2019re under 25 and live with them or depend on them financially
  • ", + "
  • income you get from your own savings, investments or property, for example dividends or rent
  • " + ], + "id": "train-740" + }, + { + "url": "https://www.gov.uk/employment-status", + "scenario": "I am a director of a an office equipment supplier in the Midlands. One of our employees has been with us for several years, and has steadily acquired shares in the company to the extent of having a holding worth in excess of \u00a35,000. She is now requesting flexible working arrangements.", + "question": "Can I refuse this request on the grounds that she is now has \"employee shareholder\" status?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Employee shareholders have most of the same employment rights as workers and employees.

    ", + "

    Employee shareholders don\u2019t have these rights:

    ", + "
  • the right to request flexible working - except in the 2 weeks after returning from parental leave
  • " + ], + "id": "train-741" + }, + { + "url": "https://www.gov.uk/employment-status", + "scenario": "I am the HR manager for a large publishing company, whose former chairman retired last year. The board of directors has decided to grant him \"Chairman Emeritus\" status, a position with no contractual duties and unpaid other than for a small annual honorarium.", + "question": "Does this individual qualify as an \"office holder\" in employment law?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • their duties are minimal, and are only those required under the relevant statute, constitution or trust deed
  • ", + "
  • they\u2019re effectively working as an independent office, and are not under the close supervision or control of the appointing body
  • " + ] + ] + ], + "evidences": [ + "

    A person who\u2019s been appointed to a position by a company or organisation but doesn\u2019t have a contract or receive regular payment may be an office holder. This includes:

    ", + "
  • appointments under the internal constitution of an organisation, such as club treasurers or trade union secretaries
  • ", + "

    Someone is likely to be an office holder if most of these statements apply to them:

    ", + "
  • there is no contract or service agreement relating to their appointment
  • ", + "
  • their duties are minimal, and are only those required under the relevant statute, constitution or trust deed
  • ", + "
  • they don\u2019t get a salary or any other form of regular payment for their services
  • ", + "
  • the only payment they get is a voluntary payment (honorarium), regardless of the work they do - tax and National Insurance are deducted by the appointing body
  • ", + "
  • they\u2019re effectively working as an independent office, and are not under the close supervision or control of the appointing body
  • " + ], + "id": "train-742" + }, + { + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "scenario": "I am 43, and have been employed by a company in Maidenhead, England for the last six years. I married my current wife 4 years ago, and she had a daughter from her previous relationship who lived with us until she tragically died of leukaemia 3 days ago.", + "question": "If I wish to take Parental Bereavement Leave, how much notice do I have to give my employer?", + "not_answerable": false, + "answers": [ + [ + "before the time they would normally start work on the first day of the period they want to take off work.", + [ + "

    0 to 8 weeks after the child\u2019s death or stillbirth

    " + ] + ], + [ + "at least one week\u2019s notice", + [ + "

    9 to 56 weeks after the child\u2019s death or stillbirth

    " + ] + ] + ], + "evidences": [ + "

    0 to 8 weeks after the child\u2019s death or stillbirth

    ", + "

    An employee must give you notice before the time they would normally start work on the first day of the period they want to take off work.

    ", + "

    9 to 56 weeks after the child\u2019s death or stillbirth

    ", + "

    An employee must give you at least one week\u2019s notice before the start of the week or weeks they want to take off work.

    " + ], + "id": "train-743" + }, + { + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "scenario": "I am the HR director of a publishing company based in Windsor, England. One of my long-term (6 years) employees recently lost a child to a stillbirth, and has requested Parental Bereavement Leave effective immediately.", + "question": "How many weeks of leave am I legally required to grant this employee?", + "not_answerable": false, + "answers": [ + [ + "2 weeks", + [] + ] + ], + "evidences": [ + "

    An employee can take 2 weeks\u2019 leave from the first day of their employment for each child who has died or was stillborn.

    ", + "

    They can choose to take:

    ", + "
  • 2 weeks together
  • ", + "
  • 2 separate weeks of leave
  • ", + "
  • only one week of leave
  • ", + "

    They can take 2 weeks\u2019 leave in one block or as 2 separate blocks of one week.

    " + ], + "id": "train-744" + }, + { + "url": "https://www.gov.uk/derecognise-a-union", + "scenario": "I am an employee at a biscuit factory in Paisley, Scotland. Four years ago my employer voluntarily recognised a trade union as a representative of the company's workers; however, my immediate colleagues and I believe that it no longer adequately represents our interests.", + "question": "What evidence for our belief do we need to send to the Central Arbitration Committee in order to get this union derecognised?", + "not_answerable": false, + "answers": [ + [ + "at least 10% of the workers in the bargaining unit want the union to be derecognised", + [] + ], + [ + "a majority of workers in the bargaining unit are likely vote for derecognition", + [] + ] + ], + "evidences": [ + "

    Provide evidence (eg letters supporting your application, workplace surveys) for both of the following:

    ", + "
  • at least 10% of the workers in the bargaining unit want the union to be derecognised
  • ", + "
  • a majority of workers in the bargaining unit are likely vote for derecognition
  • ", + "
  • a majority of employees in the bargaining are likely to favour an end to the bargaining arrangements
  • " + ], + "id": "train-745" + }, + { + "url": "https://www.gov.uk/derecognise-a-union", + "scenario": "I am the owner of a high street retailing business which has fallen on hard times in the wake of the pandemic. At our peak we had over 150 employees, who were represented by a trade union whom we voluntarily recognised six years ago. Now our headcount has fallen below 20, and the remaining workers include a union shop steward who is being unreasonably obstructive of our attempts to turn the company around.", + "question": "Given the shrunken state of the business, is it now possible to get the union derecognised?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019ve employed less than 21 people for a continuous 13-week period
  • " + ] + ] + ], + "evidences": [ + "

    Where recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:

    ", + "
  • the number of people employed by the company has fallen to less than 21
  • ", + "

    As an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:

    ", + "
  • you\u2019ve employed less than 21 people for a continuous 13-week period
  • ", + "
  • it is more than 3 years since recognition was declared by the CAC
  • " + ], + "id": "train-746" + }, + { + "url": "https://www.gov.uk/flexible-working", + "scenario": "I own and operate a vehicle hire firm, based in London. One of my best sales reps, who has been with us for nearly a decade, has made a request to work flexible hours following a change to his family circumstances.", + "question": "How long can I take to consider this request before giving him a formal decision in writing?", + "not_answerable": false, + "answers": [ + [ + "3 months", + [] + ], + [ + "longer", + [ + "

    They should usually make a decision within 3 months of the request (or longer if agreed with the employee).

    " + ] + ] + ], + "evidences": [ + "

    They should usually make a decision within 3 months of the request (or longer if agreed with the employee).

    " + ], + "id": "train-747" + }, + { + "url": "https://www.gov.uk/flexible-working", + "scenario": "I am an employee of a large software house, where I have worked for nearly four years. I recently made a request to work flexibly from a remote location, but this was turned down by my employer on the grounds of negative effects on performance.", + "question": "Do I have a statutory right to an appeal against this refusal?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Employers must deal with requests in a \u2018reasonable manner\u2019.

    ", + "

    Examples of handling requests in a reasonable manner include:

    ", + "
  • offering an appeal process
  • ", + "

    Employees no longer have a statutory right to an appeal.

    ", + "

    But offering an appeals process helps to demonstrate that the employer is handling requests in a \u2018reasonable manner\u2019.

    " + ], + "id": "train-748" + }, + { + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "scenario": "I own and manage a small biotech company, which at the moment has 25 full-time employees. We are considering employing temporary staff through an employment agency to meet increased demand due to the pandemic.", + "question": "Whose responsibility is it to ensure that working time regulations are complied with - the employee, or the agency which provides them?", + "not_answerable": false, + "answers": [ + [ + "the agency\u2019s responsibility", + [] + ] + ], + "evidences": [ + "

    As an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.

    ", + "

    As an employer, you can hire temporary staff through agencies. This means:

    ", + "
  • it\u2019s the agency\u2019s responsibility to make sure workers get their rights under working time regulations
  • " + ], + "id": "train-749" + }, + { + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "scenario": "I am a former partner in an LLP, which we have just converted into a limited company in order to begin hiring our first staff. The company provides translation services, and we are considering hiring some (advanced) foreign language students on a zero-hours, on-call basis.", + "question": "Do workers on zero-hours contracts have different entitlement to statutory annual leave that full-time employees do?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Zero-hours workers are entitled to statutory annual leave and the National Minimum Wage in the same way as regular workers.

    " + ], + "id": "train-750" + }, + { + "url": "https://www.gov.uk/training-study-work-your-rights", + "scenario": "I am 32, a computer programmer and have for the last three years worked for a software services company at its headquarters in Oxford. Despite being large (>500 employees) and well-established, my employer doesn't appear to have a policy regarding requests for time off for training. I have never requested training before.", + "question": "What information am I legally required to include in any request for time off for training other than basics like the date and course subject?", + "not_answerable": false, + "answers": [ + [ + "where and when it would take place", + [] + ], + [ + "who\u2019ll be providing the training", + [] + ], + [ + "the name of the qualification they could get - if any", + [] + ], + [ + "why they think this study or training will help them do their job better and help their employer\u2019s business", + [] + ] + ], + "evidences": [ + "

    Employees should follow their organisation\u2019s rules to ask for time off. If there aren\u2019t any they can write to their employer saying it\u2019s a request \u2018under Section 63D of the Employment Rights Act 1996\u2019 with the following details:

    ", + "
  • the date
  • ", + "
  • the subject matter of the study or training
  • ", + "
  • where and when it would take place
  • ", + "
  • who\u2019ll be providing the training
  • ", + "
  • the name of the qualification they could get - if any
  • ", + "
  • why they think this study or training will help them do their job better and help their employer\u2019s business
  • ", + "
  • if they\u2019ve made a request before and when
  • " + ], + "id": "train-751" + }, + { + "url": "https://www.gov.uk/training-study-work-your-rights", + "scenario": "I am 24 and for two years have been an employee of a large financial services provider in the City of London. I have made a formal request to my manager for time off to take a training course in financial technology, and have now been offered a meeting to discuss this.", + "question": "Do I have the right to be accompanied to the meeting by a colleague?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The employer has 28 days to:

    ", + "
  • hold a meeting with the employee to discuss it
  • ", + "

    The employee can take a trade union representative or colleague to the meeting. They can ask for the meeting to be postponed if this person can\u2019t make it.

    " + ], + "id": "train-752" + }, + { + "url": "https://www.gov.uk/payroll-annual-reporting", + "scenario": "I own and run a publishing company which currently has 73 employees. We make payroll once a month, making only monthly payments to our employees (i.e. no wages are paid weekly).", + "question": "What is the deadline for sending the final Full Payment Submission in any given tax year?", + "not_answerable": false, + "answers": [ + [ + "on or before your employees\u2019 last payday of the tax year", + [] + ] + ], + "evidences": [ + "What you need to do | When", + "Send your final payroll report of the year | On or before your employees\u2019 payday", + "

    Send your final Full Payment Submission (FPS) on or before your employees\u2019 last payday of the tax year (which ends on 5 April).

    " + ], + "id": "train-753" + }, + { + "url": "https://www.gov.uk/payroll-annual-reporting", + "scenario": "I own and run an software firm based in Dundee, Scotland. We pay our workforce monthly and have relatively high levels of employee expenses and benefits, on which we make Class 1 NI contributions via the PAYE system.", + "question": "What are the deadlines for reporting expenses?", + "not_answerable": false, + "answers": [ + [ + "6 july", + [] + ] + ], + "evidences": [ + "Report employee expenses and benefits | By 6 July", + "

    You must report expenses and benefits to HMRC by 6 July.

    " + ], + "id": "train-754" + }, + { + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "scenario": "I am the HR manager of a small biotechnology company in Wales, which is currently looking for an onsite cleaner. We would like to offer an opportunity to a local unemployed person, and are considering running a work trial to determine suitability", + "question": "Are there limits to how long such a trial can be run, and if so what are they?", + "not_answerable": false, + "answers": [ + [ + "last no more than 5 days", + [ + "
  • be for a job which is at least 16 hours a week for at least 13 weeks
  • ", + "
  • last no more than 5 days if the job is for less than 6 months
  • " + ] + ], + [ + "last no more than 30 days", + [ + "
  • be for a job which is at least 16 hours a week for at least 13 weeks
  • ", + "
  • last no more than 30 days (and usually around 5 days) for jobs lasting 6 months or more
  • " + ] + ], + [ + "longer than 30 days", + [ + "

    The work trial can be longer than 30 days if the jobseeker needs more time to adjust to being back at work. This needs to be agreed before the work trial starts.

    " + ] + ], + [ + "end when you\u2019re sure about whether the jobseeker is suitable for the role", + [] + ] + ], + "evidences": [ + "

    The work trial must:

    ", + "
  • be for a job which is at least 16 hours a week for at least 13 weeks
  • ", + "

    You need to agree the length of the work trial with the jobseeker before it starts. It must:

    ", + "
  • end when you\u2019re sure about whether the jobseeker is suitable for the role
  • ", + "
  • last no more than 5 days if the job is for less than 6 months
  • ", + "
  • last no more than 30 days (and usually around 5 days) for jobs lasting 6 months or more
  • ", + "

    The work trial can be longer than 30 days if the jobseeker needs more time to adjust to being back at work. This needs to be agreed before the work trial starts.

    " + ], + "id": "train-755" + }, + { + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "scenario": "I own and operate a shipping company based in Immingham, England. We are currently looking at employing and training some recent school leavers (i.e. aged <20), potentially as formal apprentices.", + "question": "How do apprenticeships differ from \"work experience\" under current regulations?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-756" + }, + { + "url": "https://www.gov.uk/make-benefit-debt-deductions", + "scenario": "I own and run a small office supplies company in Slough, England. I recently received a letter from the DWP requesting that I calculate and make DEA deductions from the pay of one of my employees who had previously been overpaid benefits by them.", + "question": "Do my employee's travel expenses count as part of their income when calculating the amount to deduct?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Do not count:

    ", + "
  • expenses
  • " + ], + "id": "train-757" + }, + { + "url": "https://www.gov.uk/make-benefit-debt-deductions", + "scenario": "I am a recovering alcoholic who was reliant on state benefits for several years, during which I accumulated significant benefit debt. I have now turned my life around and started work at a new job, which pays me a monthly salary of \u00a31,100. However, this morning by employer notified me that he had received a DEA notice from the DWP regarding me.", + "question": "How much of my monthly salary will my employer be expected to deduct?", + "not_answerable": false, + "answers": [ + [ + "7%", + [] + ], + [ + "14%", + [ + "

    In some circumstances you may be asked to deduct DEA at a higher rate. The Department for Work and Pensions (DWP) will tell you which rate to use when it contacts you to set up DEA deductions.

    " + ] + ] + ], + "evidences": [ + "Deductions from earnings | Employee\u2019s weekly pay | Employee\u2019s monthly pay", + "7% | \u00a3220.01 to \u00a3270 | \u00a3950.01 to \u00a31,160", + "

    In some circumstances you may be asked to deduct DEA at a higher rate. The Department for Work and Pensions (DWP) will tell you which rate to use when it contacts you to set up DEA deductions.

    ", + "14% | \u00a3220.01 to \u00a3270 | \u00a3950.01 to \u00a31,160" + ], + "id": "train-758" + }, + { + "url": "https://www.gov.uk/social-work-bursaries", + "scenario": "I am currently employed part-time as a care assistant and am also studying for a first degree in social work via a non-residential part-time course offered by my local university. My household income is around \u00a316,000 pa, but my employer does not directly contribute to the cost of my training.", + "question": "Am I likely to be eligible for a social work bursary?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • are studying an approved undergraduate or postgraduate course in social work
  • " + ] + ] + ], + "evidences": [ + "

    Social work bursaries are available to eligible social work students who:

    ", + "
  • don\u2019t get funding from their employer
  • ", + "
  • are studying an approved undergraduate or postgraduate course in social work
  • ", + "
  • don\u2019t already have a higher education social work qualification
  • " + ], + "id": "train-759" + }, + { + "url": "https://www.gov.uk/social-work-bursaries", + "scenario": "I'm 18 and am currently a 1st year student on a social work degree course at a UK university. I have a maintenance loan from Student Finance, and am considering applying for a social work bursary as well.", + "question": "What forms of identification do I need to send along with my application?", + "not_answerable": false, + "answers": [ + [ + "your birth certificate", + [] + ], + [ + "your passport (which must be valid)", + [] + ] + ], + "evidences": [ + "

    You may need to prove your identity by sending both:

    ", + "
  • your birth certificate
  • ", + "
  • your passport (which must be valid)
  • " + ], + "id": "train-760" + }, + { + "url": "https://www.gov.uk/pay-paye-penalty", + "scenario": "I own and operate a small business with 30 employees, whom we compensate via the PAYE system. After missing a filing deadline earlier this year, we have received a penalty notice from HMRC.", + "question": "If we choose to pay the penalty with Direct Debit, how much time should be allow for the debit to be processed?", + "not_answerable": false, + "answers": [ + [ + "3 working days", + [ + "
  • Direct Debit (if you\u2019ve set up one for HMRC before)
  • " + ] + ], + [ + "5 working days", + [ + "
  • Direct Debit (if you have not set up one for HMRC before)
  • " + ] + ] + ], + "evidences": [ + "
  • Direct Debit (if you\u2019ve set up one for HMRC before)
  • ", + "
  • Direct Debit (if you have not set up one for HMRC before)
  • ", + "

    Allow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.

    " + ], + "id": "train-761" + }, + { + "url": "https://www.gov.uk/pay-paye-penalty", + "scenario": "I am an accounts manager with a recruitment agency, which currently has 45 members of staff. We received a late payment penalty notice from HMRC last week, after a miscalculation regarding deadlines in the previous quarter.", + "question": "Is it still possible to pay the penalty charge using a cheque, drawn on our corporate bank account and sent via the post?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "
  • by cheque through the post
  • ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC).

    " + ], + "id": "train-762" + }, + { + "url": "https://www.gov.uk/pay-paye-tax", + "scenario": "I am the finance director of a autoparts manufacturer based in the midlands, which currently has 294 employees. Our PAYE bill for the previous month is now due, and I would like to pay from our corporate bank account.", + "question": "Is it still possible to pay by cheque through the post?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you pay by cheque through the post the deadline is the 19th of the month.

    ", + "
  • by cheque through the post
  • ", + "

    You can send a cheque by post to HM Revenue and Customs (HMRC) if you have fewer than 250 employees.

    " + ], + "id": "train-763" + }, + { + "url": "https://www.gov.uk/pay-paye-tax", + "scenario": "I own and operate a small publishing company based in Herefordshire, with 34 current employees. Our finance director sadly died recently as a result of the pandemic, and I am currently trying to sort out our monthly payroll and dealings with HMRC myself.", + "question": "What is the deadline for paying our PAYE bill for the current tax month?", + "not_answerable": false, + "answers": [ + [ + "the 22nd of the next tax month", + [] + ], + [ + "the 19th of the month", + [ + "

    If you pay by cheque through the post the deadline is the 19th of the month.

    " + ] + ] + ], + "evidences": [ + "

    You must pay your PAYE bill to HM Revenue and Customs (HMRC) by:

    ", + "
  • the 22nd of the next tax month if you pay monthly
  • ", + "

    If you pay by cheque through the post the deadline is the 19th of the month.

    " + ], + "id": "train-764" + }, + { + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "scenario": "I am 18, live in England and am currently applying to several universities to study for a degree in mechanical engineering. Three years ago I received a Youth Caution from the police after being caught with a small quantity of drugs.", + "question": "Do I have to notify any University that I apply to about my caution?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    When you apply for a role or placement, you might need to tell your potential employer, university or college about a:

    ", + "
  • caution you got from the police
  • ", + "

    You only need tell the employer, university or college about a conviction or caution:

    ", + "
  • if they ask you to, for example in an interview or on an application form
  • ", + "
  • for a specific amount of time after you got it, or always for certain roles
  • ", + "

    Most convictions or cautions then become \u2018spent\u2019 after a specific amount of time. This might be after a few months or years, or straight away.

    ", + "

    You only need to tell a potential employer, university or college about a spent conviction or caution if all of the following apply:

    ", + "
  • they ask you to
  • ", + "
  • they tell you that the role needs a standard or enhanced DBS check
  • ", + "
  • it\u2019s not removed (\u2018filtered\u2019) from DBS certificates
  • ", + "

    They become spent straight away.

    " + ], + "id": "train-765" + }, + { + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "scenario": "I am 42 and live and work in England. Three years ago I was sentenced to be bound over the keep the peace for 6 months, after getting into a fight with a neighbour over a parking dispute. I am now looking for a new job.", + "question": "Is my conviction regarded as \"spent\" yet?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • 2 years after you got one, if there\u2019s no end date
  • " + ] + ] + ], + "evidences": [ + "

    They become spent either:

    ", + "
  • on the date they end
  • ", + "
  • 2 years after you got one, if there\u2019s no end date
  • " + ], + "id": "train-766" + }, + { + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "scenario": "I am an employee at a consulting firm based in East Anglia, where I have worked for the last four years. My partner and I are about to adopt a child, and I intend to claim for both Statutory Adoption Leave and Statutory Adoption Pay.", + "question": "What is the formula for calculating Statutory Adoption Pay?", + "not_answerable": false, + "answers": [ + [ + "90% of their gross average weekly earnings", + [ + "
  • 90% of their gross average weekly earnings for the first 6 weeks
  • " + ] + ], + [ + "\u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower)", + [ + "
  • \u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower) for the next 33 weeks
  • " + ] + ] + ], + "evidences": [ + "

    Statutory Adoption Pay (SAP) for employees is:

    ", + "
  • 90% of their gross average weekly earnings for the first 6 weeks
  • ", + "
  • \u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower) for the next 33 weeks
  • " + ], + "id": "train-767" + }, + { + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "scenario": "I own and run a small publishing company based in Brighton, England. One of my editors has decided to adopt a child from overseas with his partner, and has notified me that he intends to claim both Statutory Adoption Leave and Statutory Adoption Pay for at least the first six weeks after the child's arrival.", + "question": "What proof do I need to request and record in order to correctly document the Statutory Adoption Pay claim for HMRC?", + "not_answerable": false, + "answers": [ + [ + "proof of the adoption", + [ + "
  • name and address of the agency and employee
  • " + ] + ] + ], + "evidences": [ + "

    Employees must:

    ", + "
  • give you proof of the adoption
  • ", + "

    Employees must give you proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless you ask for it.

    ", + "

    For adoption, the proof must show the:

    " + ], + "id": "train-768" + }, + { + "url": "https://www.gov.uk/employee-tax-codes", + "scenario": "I have just been appointed finance director for a consulting firm based in the City of London, and my duties will of course include our supervising our payroll. After the disruption caused to HMRC by the pandemic, I am concerned that I may not receive my employees' new tax codes for the next financial year in time.", + "question": "If I don't receive notification of new employee tax codes from HMRC by the end of March, is it OK to carry forward the existing codes into the next financial year?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    If your employee\u2019s tax code ends with \u2018M1\u2019 or \u2018W1\u2019 (\u2018month 1\u2019 or \u2018week 1\u2019), don\u2019t carry this part of the code into the new tax year.

    " + ] + ] + ], + "evidences": [ + "

    HM Revenue and Customs (HMRC) will tell you between January and March about any new tax codes to use for employees in the new tax year. This starts on 6 April.

    ", + "

    If an employee\u2019s tax code isn\u2019t changing, HMRC won\u2019t contact you and you should carry forward the employee\u2019s tax code to the new tax year.

    ", + "

    If your employee\u2019s tax code ends with \u2018M1\u2019 or \u2018W1\u2019 (\u2018month 1\u2019 or \u2018week 1\u2019), don\u2019t carry this part of the code into the new tax year.

    " + ], + "id": "train-769" + }, + { + "url": "https://www.gov.uk/taking-disciplinary-action", + "scenario": "I am an associate in the Human Resources Department of a medium-sized startup company in Wales. I am currently drawing up our employees' handbook, and have been referred to the ACAS code of practice by my superior.", + "question": "Is there a legal requirement for the company to follow the Acas code of practice on disciplinary and grievance procedures?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The rules should follow the Acas code of practice on disciplinary and grievance procedures.

    ", + "

    Not following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.

    ", + "

    Your disciplinary procedures should follow the Acas code of practice.

    ", + "

    The law does not say exactly how you should investigate disciplinary issues or hold disciplinary meetings.

    ", + "

    However, the Acas guide to discipline and grievances at work has lots of practical advice about running disciplinary proceedings professionally and fairly.

    " + ], + "id": "train-770" + }, + { + "url": "https://www.gov.uk/child-maintenance-for-employers", + "scenario": "I am the HR manager for a medium-sized financial services firm. One of our employees is currently the subject of a DEO, which we are paying to the CMS as instructed. However, this individual has just given notice that they will be leaving at the end of this month.", + "question": "Do we have to notify the CMS of their departure, and if so how soon?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Tell the Child Maintenance Service if you find a mistake in the amount you\u2019ve paid. You can either:

    ", + "

    Tell the Child Maintenance Service if your employee\u2019s circumstances change.

    ", + "

    If your business stops trading, or if your employee leaves your employment, you must tell the Child Maintenance Service within 10 days.

    " + ], + "id": "train-771" + }, + { + "url": "https://www.gov.uk/child-maintenance-for-employers", + "scenario": "I own and operate a software services company based in Dundee, Scotland. I have received a DEO in respect of one of my employees; however, she is currently on Statutory Maternity Leave and receiving Statutory Maternity Pay.", + "question": "Does her Statutory Maternity Pay count as earnings for the purposes of the DEO?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your employee cannot pay child maintenance by DEO or AEO if their only earnings are in the following categories:

    ", + "
  • Statutory Paternity Pay
  • " + ], + "id": "train-772" + }, + { + "url": "https://www.gov.uk/claim-employment-allowance", + "scenario": "I am the chief executive of a registered charity in the healthcare sector. We employ 34 people, and last year had a Class 1 NI liability of \u00a33165 (primarily due to employee travel expenses).", + "question": "Can we claim the full \u00a34000 of Employment Allowance, or only up to the level of our actual NI liability?", + "not_answerable": false, + "answers": [ + [ + "you can only claim against your employers\u2019 class 1 national insurance liability", + [] + ] + ], + "evidences": [ + "

    Employment Allowance allows eligible employers to reduce their annual National Insurance liability by up to \u00a34,000.

    ", + "

    You can only claim against your employers\u2019 Class 1 National Insurance liability up to a maximum of \u00a34,000 each tax year. You can still claim the allowance if your liability was less than \u00a34,000 a year.

    " + ], + "id": "train-773" + }, + { + "url": "https://www.gov.uk/claim-employment-allowance", + "scenario": "I am the finance director of an electronic components firm, which currently employs over 100 people. Due to an oversight by my predecessor we had, until this year, neglected to claim for Employment Allowance, despite meeting the required threshold of Class 1 NI liability for most of the past 6 years.", + "question": "Can we make a claim for the allowance against our previous years' NI liabilities?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you claim late and do not use your Employment Allowance against your employers\u2019 Class 1 National Insurance liabilities, you\u2019ll have to ask HMRC to do one of the following:

    ", + "
  • use any unclaimed allowance at the end of the year to pay any tax or National Insurance you owe (including VAT and Corporation Tax if you do not owe anything on your PAYE bill)
  • ", + "

    You can claim Employment Allowance for the previous 4 tax years, dating back to the 2017 to 2018 tax year.

    " + ], + "id": "train-774" + }, + { + "url": "https://www.gov.uk/travel-grants-students-england", + "scenario": "I am a medical student currently studying at an English university and living nearby. The next year of my course will involve a placement in Germany for 3 months out of the 12.", + "question": "Can I claim travel expenses for the overseas placement?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.

    " + ] + ] + ], + "evidences": [ + "

    You may get a grant to cover some of your travel expenses if you normally live in England and:

    ", + "
  • you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement
  • ", + "
  • you\u2019re a medical or dental student studying abroad or attending a clinical placement in the UK
  • ", + "

    Your permanent home address must be in England.

    ", + "

    You must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.

    " + ], + "id": "train-775" + }, + { + "url": "https://www.gov.uk/travel-grants-students-england", + "scenario": "I am a computer science student studying for a degree at the University of London, England. My course is funded privately, and I do not currently receive payments through student finance. I have been offered an Erasmus work placement in France as part of my final year.", + "question": "Can I claim support for my overseas trip through Student Finance, even though I don't currently have an account?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may get a grant to cover some of your travel expenses if you normally live in England and:

    ", + "
  • you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement
  • ", + "

    You can also get a travel grant if you\u2019re on an Erasmus study or Erasmus work placement. Other work placements do not count.

    ", + "
  • Apply for student finance for your study abroad using your student finance account. You can register and set up an account if you do not already have one.
  • " + ], + "id": "train-776" + }, + { + "url": "https://www.gov.uk/student-finance", + "scenario": "I am 19, British and hoping to start a BA degree course at the University of Birmingham in the near future. This will be a three year course, run at the normal rate, and they will charge the full amount permitted for tuition fees.", + "question": "What is the present upper limit for tuition fee loans?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a39,250", + [] + ] + ], + "evidences": [ + " | 2020 to 2021 academic year | 2021 to 2022 academic year", + "Full-time student | Up to \u00a39,250 | Up to \u00a39,250" + ], + "id": "train-777" + }, + { + "url": "https://www.gov.uk/student-finance", + "scenario": "I am 22, a citizen of France and have lived in the UK for a little over seven years, having \"settled status\". I now wish to begin a course of study leading to a first (BSc) degree, which will be taught full-time over four years at a UK University.", + "question": "Am I eligible for both a tuition fee loan and help with living costs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to get a Tuition Fee Loan and help with living costs if you\u2019re from an EU country, Iceland, Liechtenstein, Norway or Switzerland.

    ", + "

    You may be eligible for help with your living costs if both the following apply:

    ", + "
  • you\u2019ve lived in the UK for more than 3 years before the first day of the first academic year of your course
  • ", + "
  • you have settled status
  • ", + "

    If you\u2019re\u00a0starting a course\u00a0on\u00a0or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.

    " + ], + "id": "train-778" + }, + { + "url": "https://www.gov.uk/handling-employee-grievance", + "scenario": "I am an employee at a catering services firm in Birmingham, and have lodged a grievance with my employer with the help of my trade union representative. We have been verbally assured by the company's HR manager that they \"follow the Acas Code of Practice\".", + "question": "Is the company in fact obliged to follow the Acas Code of Practice?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The Acas Code of Practice isn\u2019t legally binding. However, an employment tribunal can reduce or increase any money awarded in a case by up to 25% if the code hasn\u2019t been followed.

    " + ], + "id": "train-779" + }, + { + "url": "https://www.gov.uk/handling-employee-grievance", + "scenario": "I am the managing director of a professional services firm, and recently had to discipline an employee for misconduct. This employee then filed a grievance against the sanctions imposed, and I am currently writing up our decision to reject this. One witness to the misconduct has, however, requested to be kept anonymous.", + "question": "Is it permissible to omit the witness's name when writing to the parties involved?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-780" + }, + { + "url": "https://www.gov.uk/rest-breaks-work", + "scenario": "I am 17 years old, and currently work as an apprentice carpenter in a local joinery. My contract stipulates a 30-hour minimum work week, with payment by the hour rather than by finished work.", + "question": "What right to take rest breaks do I have as an under-18?", + "not_answerable": false, + "answers": [ + [ + "a 30 minute rest break", + [ + "
  • a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)
  • " + ] + ], + [ + "daily rest of 12 hours", + [] + ], + [ + "weekly rest of 48 hours", + [] + ] + ], + "evidences": [ + "

    Workers have the right to one uninterrupted 20 minute rest break during their working day, if they work more than 6 hours a day. This could be a tea or lunch break.

    ", + "

    Young workers (above school leaving age and under 18) are usually entitled to:

    ", + "
  • a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)
  • ", + "
  • daily rest of 12 hours
  • ", + "
  • weekly rest of 48 hours
  • " + ], + "id": "train-781" + }, + { + "url": "https://www.gov.uk/rest-breaks-work", + "scenario": "I am 55 and work as a delivery driver for a shipping company, where I am paid a fixed rate per delivery and am expected to be available at short notice. My employer claims that the \"mobile\" nature of the work means that I am not entitled to the three standard types of rest break.", + "question": "Can I claim the 3 general types of rest break?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Workers over 18 are usually entitled to 3 types of break - rest breaks at work, daily rest and weekly rest.

    ", + "

    Workers aren\u2019t entitled to the 3 general types of rest break if they work in:

    ", + "
  • a job where they freely choose what hours they work (like a managing director) or where the work is not measured (ie no set hours)
  • ", + "
  • air or road transport (known as \u2018mobile\u2019 workers)
  • ", + "

    Air, sea or road transport workers may be covered by special rules that give them different rest rights.

    ", + "

    Mobile workers not covered by any special rules usually have the right to regular rest so that their health and safety (or anyone else\u2019s) isn\u2019t put at risk.

    " + ], + "id": "train-782" + }, + { + "url": "https://www.gov.uk/paye-for-employers", + "scenario": "I own and manage a very small biotechnology startup company, which currently has only four employees. Owing to our small size I run our monthly payroll myself, and file the necessary reports with HMRC.", + "question": "As we are so small, is it possible to make reports and payments at wider intervals than monthly?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.

    " + ] + ] + ], + "evidences": [ + "

    If you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.

    " + ], + "id": "train-783" + }, + { + "url": "https://www.gov.uk/paye-for-employers", + "scenario": "I am a newly-qualified accountant who has just started work at a small startup company. This has been in existence for just over 2 years and appears (so far) to have kept correct records of its employee payments and dealings with HMRC through the PAYE system.", + "question": "Is there a list of records which HMRC requires to be kept, and for how long they need to be kept?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must collect and keep records of:

    ", + "
  • what you pay your employees and the deductions you make
  • ", + "
  • reports you make to HM Revenue and Customs (HMRC)
  • ", + "
  • payments you make to HMRC
  • ", + "
  • employee leave and sickness absences
  • ", + "
  • tax code notices
  • ", + "
  • taxable expenses or benefits
  • ", + "
  • Payroll Giving Scheme documents, including the agency contract and employee authorisation forms
  • " + ], + "id": "train-784" + }, + { + "url": "https://www.gov.uk/employers-sick-pay", + "scenario": "I am the managing director of a package delivery company based in London. Recently one of my employees was attacked by a dog while making a delivery, and has so far been absent for 14 days for medical treatment. He had already booked 4 days of annual leave on dates within this period of absence.", + "question": "Should my employee's annual leave days be paid at the same SSP rate as the lost work days?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-785" + }, + { + "url": "https://www.gov.uk/employers-sick-pay", + "scenario": "I own and run an electronic components factory with just over 200 employees. One of my employees is currently absent through illness, and has requested SSP. I am sceptical as to whether she is actually sick.", + "question": "How soon can I request medical proof of this employee's sickness?", + "not_answerable": false, + "answers": [ + [ + "after 7 days off", + [] + ] + ], + "evidences": [ + "

    To qualify for Statutory Sick Pay (SSP) employees must:

    ", + "
  • give you proof of their illness, only after 7 days off
  • " + ], + "id": "train-786" + }, + { + "url": "https://www.gov.uk/nhs-bursaries", + "scenario": "I am a first-year undergraduate study for a degree in medicine, on a course funded by the NHS. I have been resident in the UK for the whole of my 18 years.", + "question": "Is my household income independent to determining how large an NHS Bursary I can get?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re an eligible full-time NHS student starting a course on or after 1 September 2012, you can apply for:

    ", + "
  • a bursary from the NHS
  • ", + "

    Your bursary amount depends on your household income. This can be your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.

    ", + "

    Whether you can get an NHS bursary depends on:

    ", + "
  • your household income
  • ", + "

    Your total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.

    " + ], + "id": "train-787" + }, + { + "url": "https://www.gov.uk/nhs-bursaries", + "scenario": "I am a lifelong UK resident and have applied for a place on a NHS-funded degree course which will ultimately lead to my qualification as a dentist. I am strongly considering applying for an NHS Bursary.", + "question": "Should I wait for my place to be confirmed before making my NHS bursary application?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You should wait until you have an offer of a course place from your university or college before you apply for an NHS bursary.

    " + ], + "id": "train-788" + }, + { + "url": "https://www.gov.uk/holiday-entitlement-rights", + "scenario": "I am an employee at a biotechnology startup in Epsom, England. I draw an annual salary of \u00a344,000, am paid monthly and at present have accrued over 20 days of holiday entitlement. I hope to take 10 days (two working weeks) of these in a single block.", + "question": "Is there a formula for calculating the amount of notice I need to give before taking leave?", + "not_answerable": false, + "answers": [ + [ + "twice as long as the amount of leave a worker wants to take, plus 1 day", + [] + ], + [ + "what\u2019s in the contract", + [ + "

    If the contract says something different about the notice a worker or employer should give, what\u2019s in the contract will apply.

    " + ] + ] + ], + "evidences": [ + "

    The general notice period for taking leave is at least twice as long as the amount of leave a worker wants to take, plus 1 day. For example, a worker would give 3 days\u2019 notice for 1 day\u2019s leave.

    ", + "

    If the contract says something different about the notice a worker or employer should give, what\u2019s in the contract will apply.

    " + ], + "id": "train-789" + }, + { + "url": "https://www.gov.uk/holiday-entitlement-rights", + "scenario": "I am the managing director of a financial services firm based in the City of London. Recently one of our senior staff members handed in his resignation, and is now commencing the six weeks notice period stipulated in his contract. He also has 24 days of leave entitlement accrued, which we would prefer that he didn't take during his notice period.", + "question": "Is it possible to \"buy back\" his leave entitlement during this notice period?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The only time someone can get paid in place of taking statutory leave (known as \u2018payment in lieu\u2019) is when they leave their job. Employers must pay for untaken statutory leave, even if the worker is dismissed for gross misconduct.

    " + ], + "id": "train-790" + }, + { + "url": "https://www.gov.uk/national-minimum-wage", + "scenario": "I am 22, and work part-time at a local health food co-operative. I have no formal contract of employment, which I understand classifies me as a worker rather than an employee.", + "question": "Am I still entitled to be paid the National Minimum Wage?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The National Minimum Wage is the minimum pay per hour almost all workers are entitled to. The National Living Wage is higher than the National Minimum Wage - workers get it if they\u2019re over 23.

    ", + "

    It does not matter how small an employer is, they still have to pay the correct minimum wage.

    ", + "

    People classed as \u2018workers\u2019 must be at least school leaving age to get the National Minimum Wage. They must be 23 or over to get the National Living Wage.

    ", + "

    Workers are also entitled to the correct minimum wage if they\u2019re:

    ", + "
  • part-time
  • " + ], + "id": "train-791" + }, + { + "url": "https://www.gov.uk/national-minimum-wage", + "scenario": "I own and run a fruit farm in Kent, which currently employs four full-time staff and a further 16 workers on a part-time, seasonal basis. I am diligent about paying the correct wage rates and have decided to do my own accounts and record keeping to save money.", + "question": "For how long am I required to keep records of my monthly payroll calculations?", + "not_answerable": false, + "answers": [ + [ + "at least 6 years", + [ + "
  • were created on or after 1 April 2021
  • ", + "
  • still had to be kept on 31 March 2021 under the previous rule that records must be kept for 3 years
  • " + ] + ] + ], + "evidences": [ + "

    It\u2019s the employer\u2019s responsibility to keep records proving that they are paying the minimum wage. These records must be kept for at least 6 years if they:

    ", + "
  • were created on or after 1 April 2021
  • ", + "
  • still had to be kept on 31 March 2021 under the previous rule that records must be kept for 3 years
  • " + ], + "id": "train-792" + }, + { + "url": "https://www.gov.uk/pay-class-1a-national-insurance", + "scenario": "I own and operate a small business in Scotland, with almost 50 employees. We run payroll on a monthly basis, via the PAYE system. Various benefits are given to employees, including phones and company cars.", + "question": "When is the deadline for paying the preceding year's Class 1A contributions on these benefits?", + "not_answerable": false, + "answers": [ + [ + "22 july", + [ + "

    You need to pay contributions on work benefits by 22 July each year for the previous tax year. You\u2019ll need to pay by 19 July if paying by post.

    " + ] + ] + ], + "evidences": [ + "

    You need to pay contributions on work benefits by 22 July each year for the previous tax year. You\u2019ll need to pay by 19 July if paying by post.

    " + ], + "id": "train-793" + }, + { + "url": "https://www.gov.uk/pay-class-1a-national-insurance", + "scenario": "I own and manage a football club in Cardiff, Wales. We have around 100 employees, including players whom we compensate via the PAYE system along with our other staff. One of our players is approaching his 10th anniversary with the club, and we are organising a sporting testimonial for him.", + "question": "Are we required to pay Class 1A contributions on income from our players testimonial events?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • more than \u00a3100,000
  • ", + "
  • not in the player\u2019s contract
  • " + ] + ] + ], + "evidences": [ + "

    The testimonial committee must pay Class 1A National Insurance if the payment to a player is:

    ", + "
  • more than \u00a3100,000
  • ", + "
  • not in the player\u2019s contract
  • " + ], + "id": "train-794" + }, + { + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "scenario": "I own and run a SME employing just over 50 people. One of my long-term employees has given notice that she intends to claim both statutory maternity leave and statutory maternity pay, but so far has not provided proof of pregnancy.", + "question": "Do I have to grant her SMP and SML requests if she doesn't provide this evidence by her SML start date?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    The employee should give you proof within 21 days of the SMP start date. You can agree to accept it later if you want. You do not have to pay SMP if you have not received proof of the due date 13 weeks after the SMP start date.

    " + ] + ] + ], + "evidences": [ + "

    Employees must:

    ", + "
  • give you proof they\u2019re pregnant
  • ", + "

    You must get proof of the pregnancy before you pay SMP. This is usually a doctor\u2019s letter or a maternity certificate (known as an MATB1 certificate). Midwives and doctors usually issue these 20 weeks before the due date.

    ", + "

    The employee should give you proof within 21 days of the SMP start date. You can agree to accept it later if you want. You do not have to pay SMP if you have not received proof of the due date 13 weeks after the SMP start date.

    ", + "

    You cannot refuse maternity leave or change the amount of leave your employees want to take.

    " + ], + "id": "train-795" + }, + { + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "scenario": "I am the HR director for a firm in the construction industry. I have received verbal notice from an employee that she wishes to claim both SML and SMP, but have calculated that her earnings and employment history do not meet the required thresholds to grant her request for the latter.", + "question": "What form do I have to use to reject her SMP request?", + "not_answerable": false, + "answers": [ + [ + "the smp1 form", + [] + ] + ], + "evidences": [ + "

    To refuse it, give the employee the SMP1 form within 7 days of your decision. They must get this form within 28 days of their request for Statutory Maternity Pay or the birth (whichever is earlier).

    " + ], + "id": "train-796" + }, + { + "url": "https://www.gov.uk/debt-deductions-from-employee-pay", + "scenario": "I own and manage a small engineering firm in Newark, England. I recently received a priority attachment of earnings order regarding a divorced employee whose has been delinquent in paying child maintenance.", + "question": "Who do I need to notify if the employee is actually earning less than the protected earnings rate given in the order?", + "not_answerable": false, + "answers": [ + [ + "the centralised attachment of earning payments (caps) office", + [] + ] + ], + "evidences": [ + "

    You have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:

    ", + "
  • reason you could not make any deduction
  • " + ], + "id": "train-797" + }, + { + "url": "https://www.gov.uk/debt-deductions-from-employee-pay", + "scenario": "I work as a salaried (plus commissions) employee at a car dealership in Birmingham. I have unpaid debts to a finance company, who obtained a CCJ against me. The court has now sent a non-priority attachment of earnings order to both my employer and myself.", + "question": "Can my employer deduct from my commissions and performance-related bonuses as well as my base salary?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "
  • Calculate your employee\u2019s earnings.
  • ", + "
  • Take off the normal deduction rate from their earnings.
  • ", + "
  • Take off an extra \u00a31 towards your administrative costs (if you want to).
  • ", + "
  • Send the deduction to the court.
  • ", + "

    Deduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.

    ", + "

    Non-priority orders are used for debts from a county court judgment (CCJ).

    ", + "
  • Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate.
  • ", + "

    You can only make a deduction from the following earnings:

    ", + "
  • wages, fees, bonuses, commissions, overtime pay or any payments on top of wages
  • " + ], + "id": "train-798" + }, + { + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "scenario": "I own and manage a small pottery, in which employees hand-craft crockery and ornaments which are customised to the purchaser's individual preferences. I pay a fixed rate for each finished ornament, but also specify the minimum amount of time which must be spent on each piece.", + "question": "Is this type of work considered to be output work or time work for minimum wage purposes?", + "not_answerable": false, + "answers": [ + [ + "time work", + [] + ] + ], + "evidences": [ + "

    Workers paid per task they perform or piece of work they do (known as piece work) are classed as doing \u2018output work\u2019.

    ", + "

    Output work can usually only be used in limited situations when the employer does not know which hours the worker does (such as with some home workers).

    ", + "

    The work is not classed as output work if the employer sets either:

    ", + "
  • a minimum or maximum time the worker must work
  • ", + "

    If the employer sets the times of work this counts as \u2018time work\u2019.

    " + ], + "id": "train-799" + }, + { + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "scenario": "I run a small hardware store in Birmingham, England. Most of my employees are paid an annual salary and bonus, which fully complies with minimum wage requirements. However, the unpredictable nature of retail means that overtime hours are frequently required (in excess of those stipulated in their contracts of employment).", + "question": "Does the minimum wage rate also apply to any overtime hours that an employee works?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Employers must pay at least the minimum wage for any hours worked in addition to what\u2019s agreed in the worker\u2019s contract.

    " + ], + "id": "train-800" + }, + { + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "scenario": "I am 20, and currently in the middle of the first term of the final year of a degree course at a college in the west of England. After attending a routine medical check-up yesterday I was told that I have a malignant melanoma, which will require both immediate surgery and then 6-8 weeks of chemotherapy. The latter will likely seriously impair my ability to study effectively.", + "question": "If I suspend my studies for the duration of the chemotherapy, can I get a maintenance loan to cover my needs during the period of suspension?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You might be able to get student finance while you\u2019re away from your course if you suspend due to illness, bereavement or another serious personal reason.

    ", + "

    You might be able to get a Maintenance Loan for 60 days after you suspend your course.

    ", + "

    If you\u2019re having financial difficulties after 60 days you might be able to get more Maintenance Loan.

    ", + "

    You might still be able to get a Maintenance Loan for some or all the time you\u2019re away from your studies.

    " + ], + "id": "train-801" + }, + { + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "scenario": "I am a first-year undergraduate student at a university in London. I'm 4 weeks into my second semester and struggling quite badly with my studies, and after a long consultation with my tutors I have decided to leave my course immediately. I have both maintenance and tuition fee loans with Student Finance England.", + "question": "How much of my tuition fee loan will I need to repay to Student Finance England if I do quit?", + "not_answerable": false, + "answers": [ + [ + "50% of the loan for the year", + [] + ] + ], + "evidences": [ + "

    How much you need to repay and when you need to repay it depends on:

    ", + "
  • what type of student finance you have
  • ", + "
  • when in the academic year you leave your course
  • ", + "
  • whether you\u2019re planning to return to your course or not
  • ", + "

    How much and when you have to repay depends on:

    ", + "
  • the type of student finance you have
  • ", + "

    You\u2019ll need to repay at least some of your Tuition Fee loan for the year that you suspend or leave your course.

    ", + "

    You\u2019ll need to pay back:

    ", + "
  • 50% of the loan for the year if you suspend or leave in term 2
  • " + ], + "id": "train-802" + }, + { + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "scenario": "I am 53, a UK national and have worked for my employer for a little over 10 years. However, as of this morning my employer has been declared insolvent and has asked me to take immediate redundancy.", + "question": "How much redundancy pay am I entitled to from my former employer?", + "not_answerable": false, + "answers": [ + [ + "one and half week\u2019s pay for each full year you were employed", + [] + ] + ], + "evidences": [ + "

    You\u2019re normally entitled to redundancy pay if you:

    ", + "
  • have been made redundant
  • ", + "
  • were an employee
  • ", + "
  • were continuously employed by the insolvent business for 2 years or more
  • ", + "

    You\u2019ll get:

    ", + "
  • one and half week\u2019s pay for each full year you were employed and 41 or older
  • ", + "

    Redundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    " + ], + "id": "train-803" + }, + { + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "scenario": "I am 37, and for the past year have worked without taking any of my holiday entitlement from my employer of 7 years standing, in an ultimately futile effort to help them stave off insolvency. Nevertheless, my employer is set to be declared insolvent later this week.", + "question": "If I am made redundant, can I claim payment for all the unused holiday entitlement?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can get paid for:

    ", + "
  • holiday days owed that you did not take (\u2018holiday pay accrued\u2019)
  • ", + "

    You\u2019re only paid for holidays you took or accrued in the 12 months before your employer became insolvent.

    ", + "

    You\u2019ll only get payments for up to 6 weeks of holiday days. Holiday pay is capped at \u00a3544 per week (\u00a3538 per week if your employer went insolvent before 6 April 2021).

    " + ], + "id": "train-804" + }, + { + "url": "https://www.gov.uk/stamp-duty-land-tax", + "scenario": "I live in Brighton, England and have just had an offer to purchase my first home, in a nearby village, accepted by the seller. We expect to exchange contracts on August 23rd 2020, for an agreed price of \u00a3390,000.", + "question": "How much SDLT should I expect to pay, as a first time buyer?", + "not_answerable": false, + "answers": [ + [ + "no sdlt up to \u00a3300,000", + [] + ], + [ + "5% sdlt on the portion from \u00a3300,001 to \u00a3500,000", + [] + ] + ], + "evidences": [ + "

    You can claim a discount (relief) if you buy your first home before 8 July 2020 or from 1 July 2021. This means you\u2019ll pay:

    ", + "
  • no SDLT up to \u00a3300,000
  • ", + "
  • 5% SDLT on the portion from \u00a3300,001 to \u00a3500,000
  • " + ], + "id": "train-805" + }, + { + "url": "https://www.gov.uk/stamp-duty-land-tax", + "scenario": "I am an expatriate Uk citizen, who retired to Spain three years ago and has not returned since. I do, however, own the freehold on my old UK home and lease it to a tenant, and am now considering the purchase of two additional rental properties there as an investment.", + "question": "Are the standard rates of SDLT for UK residents also applicable to purchases by non-residents?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re buying a residential property there are different rates of SDLT if:

    ", + "
  • you\u2019re not a UK resident
  • " + ], + "id": "train-806" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have just purchased my first home, a 1960s two-bedroomed detached house in a village in West Yorkshire, England which I bought with a mortgage from a building society. Despite its age this house does not appear to be registered with the land registry.", + "question": "If I want to register the property myself, what documentation will I need to provide?", + "not_answerable": false, + "answers": [ + [ + "a completed \u2018whole of registered title assent\u2019 form", + [] + ], + [ + "a \u2018transfer of whole of registered title\u2019 form.", + [] + ], + [ + "a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer", + [] + ], + [ + "a land transaction return certificate", + [ + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • " + ] + ], + [ + "a completed \u2018transfer of whole of registered title\u2019 form", + [] + ] + ], + "evidences": [ + "

    Include the same forms as for registering for the first time and a \u2018transfer of whole of registered title\u2019 form.

    ", + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • ", + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • ", + "

    You may also need to send:

    ", + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • ", + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • ", + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • ", + "
  • a certified copy of the lease, if you\u2019re applying to register leasehold land or property
  • " + ], + "id": "train-807" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have just inherited the lease on a property near Devizes, England from my late grandfather, who sadly passed away last month. The lease appears to have just over six years left to run.", + "question": "Do I need to register the change of ownership of the lease with the land registry?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must register all land or property with HM Land Registry if you\u2019ve:

    ", + "
  • inherited it
  • ", + "

    You do not usually need to register leasehold land or property if there are 7 years or less on the lease when you take ownership.

    " + ], + "id": "train-808" + }, + { + "url": "https://www.gov.uk/leasehold-property", + "scenario": "I own a lease on a small apartment in a block in London, England, and have been a tenant there for over 15 years. The lease is, however, due to expire in three months time and I am worried that the property company which owns the freehold may evict me.", + "question": "Does the expiry of the lease also void my tenancy agreement with the landlord/freeholder?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not have to leave the property when the lease expires. In law, a lease is a tenancy and the leaseholder is a tenant. The tenancy will continue on exactly the same terms unless you or the landlord decide to end it.

    " + ], + "id": "train-809" + }, + { + "url": "https://www.gov.uk/leasehold-property", + "scenario": "I own the freeholds on three properties in Rhayader, Wales, which I am keen to sell to raise funds. Two of these are subdivided into flats, and have resident leaseholders who have expressed interest in acquiring their freeholds in the past.", + "question": "Do I have to give these leaseholders first refusal on any sale of the freehold(s)?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Landlords who want to sell the freehold of a building containing flats usually have to offer the leaseholders the first chance to buy it. This is known as your right of first refusal.

    " + ], + "id": "train-810" + }, + { + "url": "https://www.gov.uk/get-information-about-property-and-land", + "scenario": "I am a private investigator, currently working for a finance company performing deep background checks on high value loan applicants. I am currently investigating an applicant who is offering a house as collateral for a loan.", + "question": "What entry on the land registry tell me whether or not there is outstanding mortgage finance owing on the property?", + "not_answerable": false, + "answers": [ + [ + "title register", + [] + ] + ], + "evidences": [ + "

    The title register has details about the property or land (in a PDF). It includes:

    ", + "
  • whether a mortgage on it has been \u2018discharged\u2019, for example paid off
  • ", + "

    The title summary (viewable online) includes:

    ", + "
  • the lender\u2019s name and address (if there is a mortgage on the property)
  • " + ], + "id": "train-811" + }, + { + "url": "https://www.gov.uk/get-information-about-property-and-land", + "scenario": "I am interested in purchasing a property in a village in Somerset, and have been assured by the estate agent handling it that the property has increased substantially in value since it last changed hands. I have tried to verify this myself by consulting the land registry, but cannot find a corresponding entry in the online register!", + "question": "Is there a way that I can consult the index map directly, to see if this information does in fact exist?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Ask for a search of the index map if a property doesn\u2019t come up on a search of the register.

    ", + "

    Use it to find the title number of a property that does not appear in a search of the register.

    ", + "

    You cannot search the map yourself.

    " + ], + "id": "train-812" + }, + { + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "scenario": "I own and manage a farm in the Cotswolds and am currently renovating on old stable block and adding a new paddock. The latter requires removing a tree, which a conservation group has persuaded my local council to issue a tree preservation order on.", + "question": "How long do I have from the date of decision in which to lodge an appeal against this order?", + "not_answerable": false, + "answers": [ + [ + "28 days", + [] + ] + ], + "evidences": [ + "

    You can appeal if you applied to cut down or carry out work on a protected tree and:

    ", + "
  • you disagree with the decision
  • ", + "

    You must appeal:

    ", + "
  • within 28 days of the date on the council\u2019s decision notice
  • " + ], + "id": "train-813" + }, + { + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "scenario": "I am a property developer who is attempting to renovate an old apartment building in central Manchester. In order to do this, I hired a tree surgeon to pollard a tree which stands in the central courtyard; however, some ornithologists have managed to obtain a tree preservation order preventing this.", + "question": "If I appeal, should I sent my documents to the local council or to the planning inspectorate?", + "not_answerable": false, + "answers": [ + [ + "the council who made the decision and the planning inspectorate.", + [] + ] + ], + "evidences": [ + "

    Email these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.

    " + ], + "id": "train-814" + }, + { + "url": "https://www.gov.uk/buy-sell-your-home", + "scenario": "I own a four-bedroomed family home on the outskirts of Nuneaton, England, which I am now about to sell. This has been the main residence of myself and my partner and children for the past 18 years, and has a total footprint of just under 400 square meters if the garden is included.", + "question": "Will I need to pay Capital Gains Tax on the sale of this house?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you have not let part of it out or used part of it for business only
  • " + ] + ] + ], + "evidences": [ + "

    You may need to pay:

    ", + "
  • Capital Gains Tax when you sell a home
  • ", + "

    You do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:

    ", + "
  • you\u2019ve lived in it as your main home for all the time you\u2019ve owned it
  • ", + "
  • you have not let part of it out or used part of it for business only
  • ", + "
  • the grounds, including the buildings, are smaller than 5,000 square metres (just over an acre)
  • " + ], + "id": "train-815" + }, + { + "url": "https://www.gov.uk/buy-sell-your-home", + "scenario": "I live in Scotland, am a professional landlord and am currently in the process of buying a new property to add to my portfolio. The sale is being done through an estate agent, and he has just provided an updated Energy Performance Certificate for the property (the previous owner not having obtained one).", + "question": "Am I legally required to show this EPC to any prospective tenants?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must order an EPC for potential buyers and tenants before you market your property to sell or rent.

    ", + "

    In Scotland, you must display the EPC somewhere in the property, for example in the meter cupboard or next to the boiler.

    ", + "

    The person selling the house, the landlord or the letting agent must show you the EPC if you\u2019re buying or renting.

    ", + "

    These include:

    ", + "
  • listed buildings - you should get advice from your local authority conservation officer if the work would alter the building\u2019s character
  • " + ], + "id": "train-816" + }, + { + "url": "https://www.gov.uk/right-to-acquire-buying-housing-association-home", + "scenario": "I have been a tenant of a housing association for over 6 years, and 2 months ago made an application to purchase the 2-bedroomed flat in which I reside under Right to Acquire. The landlord has now replied with an offer, but I consider this to have been unfairly determined", + "question": "Who can I request an independent third party valuation of the property?", + "not_answerable": false, + "answers": [ + [ + "a district valuer from hm revenue & customs", + [] + ] + ], + "evidences": [ + "

    If you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask for an independent valuation.

    ", + "

    A district valuer from HM Revenue & Customs will visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.

    " + ], + "id": "train-817" + }, + { + "url": "https://www.gov.uk/right-to-acquire-buying-housing-association-home", + "scenario": "I have been a housing association tenant in Bradford, England for two years and three months, and was a council tenant for the eight years preceding that period. I am now looking to acquire the house in which I currently reside from the landlord, who acquired it in late 2004.", + "question": "Does my council tenancy count towards the three year qualifying period for Right to Acquire?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to buy your housing association home if you\u2019ve had a public sector landlord for 3 years. These landlords include:

    ", + "
  • housing associations
  • ", + "
  • councils
  • ", + "

    Your property must either have been:

    ", + "
  • transferred from a local council to a housing association after 31 March 1997
  • " + ], + "id": "train-818" + }, + { + "url": "https://www.gov.uk/register-a-boat", + "scenario": "I am a keen sea angler and own a 12-metre open boat, based in Falmouth, Cornwall. In addition to fishing I also use the boat to conduct tours of the local coastline for interested tourists.", + "question": "Which category should be boat be registered under on the UK Ship Register?", + "not_answerable": false, + "answers": [ + [ + "part 1", + [ + "
  • a commercial boat, unless you plan to use it for fishing
  • " + ] + ], + [ + "part 2", + [ + "

    Use Part 2 of the register if you\u2019re using your boat to catch and sell fish.

    " + ] + ] + ], + "evidences": [ + "

    There are 4 different parts of the register. Which part you use depends on what you\u2019re using your boat for:

    ", + "
  • Part 1 - commercial or pleasure boats
  • ", + "
  • Part 2 - fishing boats
  • ", + "

    You can use Part 1 of the register if you have either:

    ", + "
  • a commercial boat, unless you plan to use it for fishing
  • ", + "

    Use Part 2 of the register if you\u2019re using your boat to catch and sell fish.

    " + ], + "id": "train-819" + }, + { + "url": "https://www.gov.uk/register-a-boat", + "scenario": "I live in Reedham, Norfolk and have just acquired a 15-seater, second hand riverboat. I intend to use this both for my own pleasure and as a passenger-carrying alternative to the local chain ferry across the Yare, during periods in which it is not in service. I have acquired a BSS certificate and a boatmaster's license.", + "question": "Which authority do I now need to register the boat with?", + "not_answerable": false, + "answers": [ + [ + "the broads authority", + [] + ] + ], + "evidences": [ + "

    You usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.

    ", + "

    Register or license your boat with the navigation authority responsible for the waterway you want to use.

    ", + "

    Register with the Broads Authority.

    " + ], + "id": "train-820" + }, + { + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "scenario": "I own a large (ca. 1,500 square metres of sales space) high-street electronics store in a town in southern England, which operates a free like-for-like takeback service when selling new products to customers, in addition to taking back any 'very small WEEE' items that they bring in.", + "question": "Is it required to take back 'very small WEEE' from non-customers too?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must take back all items of \u2018very small WEEE\u2019 in store if your electrical and electronic equipment sales area is greater than 400 square metres including aisle, display and shelf space.

    ", + "

    You must provide this service to everyone for free, regardless of whether they\u2019ve bought anything from your store.

    " + ], + "id": "train-821" + }, + { + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "scenario": "I own an electronics retailing business which now operates entirely online, having just sold off our former high street store (and its WEEE takeback facility) to a competitor. We currently sell around \u00a319,000,000 of electronics goods each year.", + "question": "Are we eligible to use the Distributor Takeback Scheme for WEEE disposal, or will we need to set up a new collection point of our own?", + "not_answerable": false, + "answers": [ + [ + "have your own take back service", + [] + ] + ], + "evidences": [ + "

    If you do not have your own take back service, you must join the Distributor Takeback Scheme (DTS).

    ", + "

    You can use the Distributor Takeback Scheme (DTS) instead of providing a takeback service, if either of the following apply:

    ", + "
  • your business sells less than \u00a3100,000 of electrical and electronic equipment (EEE) per year
  • ", + "
  • you only sell online
  • " + ], + "id": "train-822" + }, + { + "url": "https://www.gov.uk/appeal-hedgerow-notice", + "scenario": "I own and run a small farm in rural Oxfordshire, on the outskirts of Russell's Water. Earlier this year I applied for permission to remove a hedgerow which forms the boundary between two of my fields; however, my local council demurred and instead sent me a hedgerow retention notice.", + "question": "If I want to appeal against this notice to the planning inspectorate, what documentation do I need to provide?", + "not_answerable": false, + "answers": [ + [ + "a copy of your original application", + [] + ], + [ + "the reason for your appeal", + [] + ], + [ + "a copy of the local planning authority\u2019s decision notice", + [] + ], + [ + "any other documents that directly support your appeal", + [] + ], + [ + "a hedgerow appeal form", + [] + ] + ], + "evidences": [ + "

    Fill in a hedgerow appeal form.

    ", + "

    You also need:

    ", + "
  • a copy of your original application
  • ", + "
  • the reason for your appeal
  • ", + "
  • a copy of the local planning authority\u2019s decision notice
  • ", + "
  • any other documents that directly support your appeal
  • ", + "

    Email these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.

    " + ], + "id": "train-823" + }, + { + "url": "https://www.gov.uk/appeal-hedgerow-notice", + "scenario": "I live in a small cottage in the Mendips, which lies at one end of a valley whose land is owned by a single farmer who recently removed a hedgerow without obtaining permission. After both I and a local conservation charity had complained about this the local council issued him with a hedgerow replacement notice. He has not complied with this, however, and is now launching an appeal to the planning inspectorate.", + "question": "Will I be able to comment on his appeal if I don't have access to internet?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Anyone can comment on a hedgerow appeal.

    ", + "

    Because of coronavirus (COVID-19), you cannot currently comment by post. You can still comment by email.

    " + ], + "id": "train-824" + }, + { + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "scenario": "I purchased my current family home in Norwich, England from the local council 9 years ago under the right-to-buy scheme. With my children having now grown up and left home my partner and I are now looking to sell the house and retire to something a little smaller.", + "question": "Can I now sell my home to whomever I like on the open market?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • a national park
  • ", + "
  • an area of outstanding natural beauty
  • ", + "
  • an area the government says is rural for Right to Buy
  • " + ] + ], + [ + "yes", + [ + "

    You can sell your home to anyone if the landlord does not agree to buy it within 8 weeks.

    " + ] + ] + ], + "evidences": [ + "

    If you sell your home within 10 years of buying it through Right to Buy, you must first offer it to either:

    ", + "
  • your old landlord
  • ", + "
  • another social landlord in the area
  • ", + "

    You can sell your home to anyone if the landlord does not agree to buy it within 8 weeks.

    ", + "

    Your former landlord may limit who you can sell your home to if your home is in:

    ", + "
  • a national park
  • ", + "
  • an area of outstanding natural beauty
  • ", + "
  • an area the government says is rural for Right to Buy
  • " + ], + "id": "train-825" + }, + { + "url": "https://www.gov.uk/check-tenant-right-to-rent-documents", + "scenario": "I have recently begun letting out my former family home to tenants, and have just had to perform my first right-to-rent check. The tenant's documents appear to be in order, and I have made high quality photocopies of them as directed.", + "question": "For how long do I need to keep my copies of these documents?", + "not_answerable": false, + "answers": [ + [ + "for the time they\u2019re your tenants and for one year after", + [] + ] + ], + "evidences": [ + "

    Keep copies of the tenant\u2019s documents for the time they\u2019re your tenants and for one year after.

    " + ], + "id": "train-826" + }, + { + "url": "https://www.gov.uk/check-tenant-right-to-rent-documents", + "scenario": "I am a letting agent working for an agency in Coventry, England. One of our client landlords has asked us to perform right-to-rent checking as part of our upcoming background check on a prospective tenant, but this is not specifically referenced in the current terms and conditions of our current contract.", + "question": "Can we skip the current term and include this check later?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must check that a tenant or lodger can legally rent your residential property in England.

    ", + "

    You can ask any agents that manage or let your property to carry out the check for you. You should have this agreement in writing.

    " + ], + "id": "train-827" + }, + { + "url": "https://www.gov.uk/appeal-high-hedges-decision", + "scenario": "I live in a small village in Somerset, and have a neighbour whose privet hedge has been allowed to grow to such a height that it completely blocks the light to my rear garden, preventing me from growing anything. I complained about this to the local council, but they have declined to issue a remedial notice.", + "question": "How long do I have in which to lodge an appeal against this refusal with the planning inspectorate?", + "not_answerable": false, + "answers": [ + [ + "28 days", + [] + ] + ], + "evidences": [ + "

    You must appeal within 28 days of:

    ", + "
  • your council\u2019s decision either to take no action, or to change an existing remedial notice (withdraw, waive or relax)
  • " + ], + "id": "train-828" + }, + { + "url": "https://www.gov.uk/appeal-high-hedges-decision", + "scenario": "I own a home in a rural area of Wales, which is currently surrounded on 3 sides by high Leylandii hedges. Despite the fact that I have no immediate neighbours, I have received a remedial order from the local council ordering me to drastically prune them back. I have written to the planning inspectorate to appeal this decision.", + "question": "How long will I have to wait for the planning inspectorate to make their decision?", + "not_answerable": false, + "answers": [ + [ + "within 34 weeks", + [] + ] + ], + "evidences": [ + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    You\u2019ll normally get a decision within 34 weeks.

    " + ], + "id": "train-829" + }, + { + "url": "https://www.gov.uk/right-of-way-open-access-land", + "scenario": "I live in a village in SW England and am a keen recreational walker. A nearby farm has recently changed hands, and the new owner is refusing to allow a formerly permissive path across his land to be used as a right of way. However, I have uncovered evidence that this may have been a formal right of way in the past.", + "question": "Can I gain access to this (former) right on way on this basis?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You have the right to access some land for walking or certain other leisure activities.

    ", + "

    You can:

    ", + "
  • use your right to roam on open access land including mountains, moors, heaths, downs, common land and some land around the England Coast Path
  • ", + "

    If neither of these apply, you may still be able to access private land if:

    ", + "
  • the land was used as a public right of way in the past - check old maps and documents
  • " + ], + "id": "train-830" + }, + { + "url": "https://www.gov.uk/right-of-way-open-access-land", + "scenario": "I live in England and frequently backpack in the hills during my vacation periods. A favourite area of mine has recently been designated as \"open access land\", and I am considering camping there in the near future.", + "question": "Is there a general right to camp on open access land?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can access some land across England without having to use paths - this land is known as \u2018open access land\u2019 or \u2018access land\u2019.

    ", + "

    You can use access land for walking, running, watching wildlife and climbing.

    ", + "

    There are certain activities you cannot usually do on open access land, including:

    ", + "
  • camping
  • " + ], + "id": "train-831" + }, + { + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "scenario": "I own a house in Walsall, England which is currently partitioned into a house in multiple occupation, for four tenants all on periodic assured shorthold tenancies. All four have been in residence for over a year, i.e. from before the coronavirus pandemic.", + "question": "How much notice to quit do I need currently need to give my tenants?", + "not_answerable": false, + "answers": [ + [ + "6 months", + [] + ] + ], + "evidences": [ + "

    A tenancy can either be:

    ", + "
  • periodic (running on a week-by-week or month-by-month basis)
  • ", + "

    If you want your tenants to leave, you must give them notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.

    ", + "

    You must give your tenants written notice that you want the property back (\u2018notice to quit\u2019) and the date they must leave. The notice period you give them must be at least:

    ", + "
  • 6 months if you gave notice on or after 29 August 2020
  • " + ], + "id": "train-832" + }, + { + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "scenario": "I own and live in a 3-bedroomed flat in central Manchester, and rent one of these bedrooms out to a lodger in return for payment on a weekly basis. We do not currently have a formal tenancy agreement of any kind, and I am unsure of my rights regarding eviction.", + "question": "How are \"lodgers\" classified legally?", + "not_answerable": false, + "answers": [ + [ + "excluded tenancy or licence", + [] + ] + ], + "evidences": [ + "

    If you have a lodger living in your home and share rooms with them, like a kitchen or bathroom, you may have one of these. This usually gives your lodger less protection from eviction than other types of agreement.

    ", + "

    If you live with a lodger and share rooms with them, you\u2019ll often have an excluded tenancy or licence.

    " + ], + "id": "train-833" + }, + { + "url": "https://www.gov.uk/joint-property-ownership", + "scenario": "I am currently sharing a rented house with my brother, who is also my next of kin. This has been put up for sale by our landlord, and we are considering a shared purchase of the freehold.", + "question": "If I want to make sure that my brother inherits the property if I die, would we be better off buying as \"beneficial joint tenants\" or \"tenants in common\"?", + "not_answerable": false, + "answers": [ + [ + "as joint tenants", + [] + ] + ], + "evidences": [ + "

    As joint tenants (sometimes called \u2018beneficial joint tenants\u2019):

    ", + "
  • the property automatically goes to the other owners if you die
  • ", + "
  • you cannot pass on your ownership of the property in your will
  • ", + "

    As tenants in common:

    ", + "
  • the property does not automatically go to the other owners if you die
  • ", + "
  • you can pass on your share of the property in your will
  • " + ], + "id": "train-834" + }, + { + "url": "https://www.gov.uk/joint-property-ownership", + "scenario": "I currently part-own a house as a tenant-in-common with a long-term friend, who has now accepted my proposal of marriage! We would thus like to convert to being joint tenants on an equal basis.", + "question": "How much does it cost for converting our ownership to joint tenancy?", + "not_answerable": false, + "answers": [ + [ + "there\u2019s no fee", + [] + ] + ], + "evidences": [ + "
  • Send the form and documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.
  • " + ], + "id": "train-835" + }, + { + "url": "https://www.gov.uk/council-tax", + "scenario": "I am 23, work as a trainee estate agent and live in Leeds, England. I share a rented house with two other people, both of whom are full time students in higher education.", + "question": "Am I required to pay council tax, and how much discount am I eligible for if so?", + "not_answerable": false, + "answers": [ + [ + "25% off your bill", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:

    ", + "
  • no-one else in your home counts as an adult
  • ", + "

    You will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.

    ", + "

    These people are not counted as adults for Council Tax:

    ", + "
  • full-time college and university students
  • ", + "

    You\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.

    " + ], + "id": "train-836" + }, + { + "url": "https://www.gov.uk/council-tax", + "scenario": "I am the owner-occupier of a house in Birmingham, where I live with my wife. My wife became a paraplegic as a result of a traffic accident three years ago, and this has required us to extend our house to provide extra storage space for her mobility aids.", + "question": "If the extension moves our house into a higher council tax band, can I claim a discount on the basis of my wife's disability?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    The property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.

    " + ] + ] + ], + "evidences": [ + "

    You may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.

    ", + "

    You\u2019ll have to show that you\u2019ve either:

    ", + "
  • extra space inside the property for using a wheelchair
  • ", + "

    The property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.

    " + ], + "id": "train-837" + }, + { + "url": "https://www.gov.uk/appeal-enforcement-notice", + "scenario": "I own and manage a farm in rural Kent, which currently covers 520 hectares. I recently built a new extension to a listed building (a stable block) on my land, but have received an enforcement notice from my local council to remove it on the grounds that I violated the terms of the relevant planning permission.", + "question": "Can I lodge an appeal against this notice by post?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Because of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.

    " + ], + "id": "train-838" + }, + { + "url": "https://www.gov.uk/appeal-enforcement-notice", + "scenario": "I rent an apartment in a converted schoolhouse in a small village in Somerset. About four months ago a neighbour constructed a huge unsightly fence around his property without obtaining the proper planning permission. After I notified the local council, he was served with an enforcement notice two weeks ago ordering him to remove it. He has not complied, and last week filed an appeal against the notice.", + "question": "How long do I have to submit comments on his appeal before it gets decided?", + "not_answerable": false, + "answers": [ + [ + "6 weeks", + [] + ] + ], + "evidences": [ + "

    Anyone can comment on an enforcement notice appeal. Find the case on the appeals casework portal.

    ", + "

    The deadline for comments is 6 weeks after the start date of the appeal.

    " + ], + "id": "train-839" + }, + { + "url": "https://www.gov.uk/deposit-protection-schemes-and-landlords", + "scenario": "I am letting agent who is currently representing a new landlord who wishes to rent out his former home as an HMO to tenants on assured shorthold tenancies. I recently signed the first tenancy agreement for this, and took possession of the tenant's deposit.", + "question": "What is the deadline for placing this deposit in a TDP scheme?", + "not_answerable": false, + "answers": [ + [ + "within 30 days of getting it", + [] + ] + ], + "evidences": [ + "

    You (or your letting agent) must put your tenants\u2019 deposit in the scheme within 30 days of getting it.

    " + ], + "id": "train-840" + }, + { + "url": "https://www.gov.uk/deposit-protection-schemes-and-landlords", + "scenario": "I am a prospective tenant, who is considering taking out an assured shorthold tenancy on a 2-bedroom flat in Oxford. I will be unable to finance the required deposit myself; however, my parents have agreed to pay part of it for me.", + "question": "Will contributions to my deposit by my parents be treated differently from my own money?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must place your tenants\u2019 deposit in a tenancy deposit protection (TDP) scheme if you rent out your home on an assured shorthold tenancy that started after 6 April 2007.

    ", + "

    You must use a TDP scheme even if the deposit is paid by someone else, like a rent deposit scheme or a tenant\u2019s parents.

    " + ], + "id": "train-841" + }, + { + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "scenario": "I own the freehold on a terraced row of small shops in a suburb of Leeds, England, and have an office within the same building. I am looking to renovate the terrace, and as part of this process I applied for permission to remove the partition wall between two of the shops to create a single, larger unit. However, this permission was refused by the local council.", + "question": "If I appeal this matter to the planning inspectorate, what documents do I need to include?", + "not_answerable": false, + "answers": [ + [ + "your original application", + [] + ], + [ + "the site ownership certificate", + [] + ], + [ + "the local planning authority\u2019s decision notice", + [] + ], + [ + "a map of the surrounding area", + [] + ], + [ + "any other documents that directly support your appeal, for example your grounds for appeal", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need to submit copies of:

    ", + "
  • your original application
  • ", + "
  • the site ownership certificate
  • ", + "
  • the local planning authority\u2019s decision notice
  • ", + "

    You\u2019ll also need to submit:

    ", + "
  • a map of the surrounding area
  • ", + "
  • any other documents that directly support your appeal, for example your grounds for appeal
  • " + ], + "id": "train-842" + }, + { + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "scenario": "I live in a small village in the Quantocks, and am active in the Campaign to Protect Rural England. Last year a local shopkeeper attempted to gain planning permission to install some hideous steel shutters on the front of his shop as a security measure; however, this was refused after opposing comments by myself and several others. However, I have now been notified that he intends to appeal this refusal to the planning inspectorate.", + "question": "Can I comment on the storekeeper's appeal to the planning inspectorate?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    No-one can comment on a minor commercial development decision appeal.

    " + ], + "id": "train-843" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "My uncle owns a transport limited company . His father died as he was in the process of making self assessment returns for the tax year 2020-2021. He wishes to do the returns online.", + "question": "What is the deadline for the 2020-2021 if he files returns online?", + "not_answerable": false, + "answers": [ + [ + "midnight 31 january 2022", + [] + ] + ], + "evidences": [ + "Self Assessment | Deadline", + "Online tax returns | Midnight 31 January 2022" + ], + "id": "train-844" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "My employer has missed paying the self assessment tax return on time because the accountant resigned . He has managed to file the returns late by 3 months.", + "question": "How much penalty Will he pay after the delay?", + "not_answerable": false, + "answers": [ + [ + "\u00a3100", + [ + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    " + ] + ], + [ + "pay more", + [ + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll get a penalty if you need to send a tax return and you miss the deadline for submitting it or paying your bill.

    ", + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    " + ], + "id": "train-845" + }, + { + "url": "https://www.gov.uk/apply-to-bankrupt-someone", + "scenario": "I am owed a small amount of money from a debtor which I would like to chase as a matter of principle. I live in London. The debt is a result of a private loan I made to a friend which remains unpaid", + "question": "Does my location have any bearing on whether I can bankrupt my debtor?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You have to present a bankruptcy petition to a court if you want to bankrupt someone because they owe you money.

    ", + "

    You must check if the debtor has had any bankruptcy petitions against them in the past 18 months. These checks are called \u2018searches\u2019.

    ", + "

    You must confirm you\u2019ve carried out the searches by writing a declaration - use the wording below and fill in the petition number and the name of the court if applicable.

    " + ], + "id": "train-846" + }, + { + "url": "https://www.gov.uk/repossession", + "scenario": "My mortgage lender has started a house repossession action against me . I have received a defense form . I will use it to explain to the court the reasons why my house should not be repossessed.", + "question": "When am i supposed to return it?", + "not_answerable": false, + "answers": [ + [ + "within 14 days", + [] + ] + ], + "evidences": [ + "

    You can use the form to explain why you think the lender should not repossess your home. You need to return it within 14 days.

    " + ], + "id": "train-847" + }, + { + "url": "https://www.gov.uk/repossession", + "scenario": "I live in England . I have an unpaid mortgage due to the change of my income. I was hospitalized the whole of last year due to long terms covid Complications and lost my job.The lender has taken repossession action against me.", + "question": "Can i get a legal aid?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you\u2019re on a low income you may be able to get legal aid.

    " + ] + ] + ], + "evidences": [ + "

    Check if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.

    ", + "

    If you\u2019re on a low income you may be able to get legal aid.

    " + ], + "id": "train-848" + }, + { + "url": "https://www.gov.uk/married-couples-allowance", + "scenario": "My partner and I are in our late twenties and both of us work full time. We are not married but have a civil partnership that has lasted for nearly 8 years. We have no immediate plans to marry.", + "question": "Can we claim married couple's allowance?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can claim Married Couple\u2019s Allowance if all the following apply:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • one of you was born before 6 April 1935
  • " + ], + "id": "train-849" + }, + { + "url": "https://www.gov.uk/married-couples-allowance", + "scenario": "My husband of forty years and I claim married couples' allowance. We are both retired but are very active in our local community. A lot of our income goes towards local charities.", + "question": "Do we get a tax break due to our charitable donations?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can claim Married Couple\u2019s Allowance if all the following apply:

    ", + "
  • one of you was born before 6 April 1935
  • ", + "

    If you pay tax and give money to a UK charity using Gift Aid, contact HMRC. It can increase the tax allowances if you were born before 6 April 1938.

    " + ], + "id": "train-850" + }, + { + "url": "https://www.gov.uk/building-regulations-approval", + "scenario": "My wife and i would like to have the windows replaced on our house. It seemed easy at first but we are confused as to what we need to do about Building Regulations.", + "question": "Can our contractor handle this for us?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You do not need to get approval yourself if you use someone registered with a competent person scheme.

    ", + "

    You do not need to apply for approval yourself if the work is not covered by building regulations, or if it\u2019s carried out by someone who\u2019s registered with a competent person scheme.

    " + ] + ] + ], + "evidences": [ + "

    You do not need to get approval yourself if you use someone registered with a competent person scheme.

    ", + "

    You might also need building regulations approval for many alteration projects, including if you plan to:

    ", + "
  • replace windows and doors
  • ", + "

    You do not need to apply for approval yourself if the work is not covered by building regulations, or if it\u2019s carried out by someone who\u2019s registered with a competent person scheme.

    ", + "

    An installer (eg of windows or boilers) who\u2019s registered with a scheme can self-certify that their work complies with buildings standards and can deal with building control issues, like objections.

    " + ], + "id": "train-851" + }, + { + "url": "https://www.gov.uk/building-regulations-approval", + "scenario": "I am a part time builder and i have decided to do the work on my house myself. I am not part of the Competent Person scheme so will need to apply for Building regulations.", + "question": "Where and how do i apply?", + "not_answerable": false, + "answers": [ + [ + "\u2018building control body\u2019 (bcb)", + [] + ], + [ + "your council", + [] + ], + [ + "a private approved inspector", + [] + ] + ], + "evidences": [ + "

    Contact a \u2018building control body\u2019 (BCB) to check the building regulations or apply for approval.

    ", + "

    You can apply for approval from your council.

    ", + "

    You can apply through a private approved inspector.

    " + ], + "id": "train-852" + }, + { + "url": "https://www.gov.uk/tax-on-pension", + "scenario": "My grandfather has terminal lung cancer and has been given only 6 months to live. He has a lifetime allowance of \u00a3990,000. He is 60 years old.", + "question": "Can he be paid a tax free lampsum of all his money?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to take all the money in your pension as a tax-free lump sum, if all of the following apply:

    ", + "
  • you\u2019re expected to live less than a year because of serious illness
  • ", + "
  • you\u2019re under 75
  • ", + "
  • you don\u2019t have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • " + ], + "id": "train-853" + }, + { + "url": "https://www.gov.uk/tax-on-pension", + "scenario": "My mother is about to receive her state and personal pension. She wants all the taxes paid . She wants to know which pension can HMRC or pension provider use to pay off the taxes.", + "question": "What is a document proof to show what is paid?", + "not_answerable": false, + "answers": [ + [ + "a p60", + [] + ] + ], + "evidences": [ + "

    At the end of the tax year you\u2019ll get a P60 from your pension provider showing how much tax you\u2019ve paid.

    " + ], + "id": "train-854" + }, + { + "url": "https://www.gov.uk/tax-sell-home", + "scenario": "I have sold my house . It is not eligible for private resident relief. I am compiling my documents to pay the capital gain tax.", + "question": "How long do I have to report and pay the tax?", + "not_answerable": false, + "answers": [ + [ + "30 days", + [] + ] + ], + "evidences": [ + "

    You must report and pay any Capital Gains Tax on most sales of UK property within 30 days.

    " + ], + "id": "train-855" + }, + { + "url": "https://www.gov.uk/tax-sell-home", + "scenario": "I am a UK citizen and I own a house in South Africa. I live there for 3 months of the year. It is my perfect choice for a holiday break.", + "question": "Can i nominate it for tax relief?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The rules are different if you sell property that\u2019s not your home or if you live abroad.

    ", + "

    If you nominate a property as your main home you qualify for relief for most of the time you live away. You must have lived in the home as your only or main residence at some point while you owned it.

    ", + "

    From 6 April 2015, you can only nominate an overseas property if you lived in it for at least 90 days in the tax year.

    " + ], + "id": "train-856" + }, + { + "url": "https://www.gov.uk/tax-relief-for-employees", + "scenario": "During the COVID19 Pandemic it was deemed that I should work from home. This now means that my household bills have increased as i am using the utilities more and more.", + "question": "Can I claim tax relief on my increased utilities cost?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to claim tax relief for additional household costs if you have to work at home on a regular basis, either for all or part of the week. This includes if you have to work from home because of coronavirus (COVID-19).

    " + ], + "id": "train-857" + }, + { + "url": "https://www.gov.uk/tax-relief-for-employees", + "scenario": "Hi there. I have racked up a number of expenses this year that I should get a tax rebate on. I am hoping HMRC will send me a big fat cheque.", + "question": "How will I receive the money due to me?", + "not_answerable": false, + "answers": [ + [ + "make any adjustments needed through your tax code", + [] + ] + ], + "evidences": [ + "

    If your claim is for the current tax year, HM Revenue and Customs (HMRC) will usually make any adjustments needed through your tax code.

    " + ], + "id": "train-858" + }, + { + "url": "https://www.gov.uk/statutory-demands", + "scenario": "I have a debtor that owes me \u00a310,000. The debt is from seven years ago. I would like to serve them with a statutory demand for non-payment.", + "question": "Will I be able to do this?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can make a statutory demand to ask for payment of a debt from an individual or company.

    ", + "

    Anyone who\u2019s owed money (the \u2018creditor\u2019) can make a statutory demand. You do not need a lawyer.

    ", + "

    If the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.

    " + ], + "id": "train-859" + }, + { + "url": "https://www.gov.uk/statutory-demands", + "scenario": "I have received a statutory demand for a debt for \u00a31,000. I do not think this is fair as the work done was not adequate for the fee. I want to challenge this demand.", + "question": "Where do I make a challenge on this demand.", + "not_answerable": false, + "answers": [ + [ + "the court named on your statutory demand", + [] + ] + ], + "evidences": [ + "

    If you do not agree with a statutory demand you\u2019ve been given, you can apply to challenge it and get it \u2018set aside\u2019.

    ", + "

    You must apply to the court named on your statutory demand. Contact a solicitor or your nearest county court if you\u2019re not sure where to send your application.

    " + ], + "id": "train-860" + }, + { + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "scenario": "My company is currently registered for the flat rate scheme. I am expecting revenue to increase to \u00a3200,000 next year.", + "question": "Must I leave the flat rate scheme next year as this is only an expectation?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can choose to leave the scheme at any time. You must leave if you\u2019re no longer eligible to be in it.

    ", + "

    You must leave the scheme if:

    ", + "
  • on the anniversary of joining, your turnover in the last 12 months was more than \u00a3230,000 (including VAT) - or you expect it to be in the next 12 months
  • ", + "
  • you expect your total income in the next 30 days alone to be more than \u00a3230,000 (including VAT)
  • " + ], + "id": "train-861" + }, + { + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "scenario": "My business is VAT-registered. This business works in the accountancy industry. I am interested in registering for the flat rate scheme.", + "question": "What flat rate will I have to pay on my revenue?", + "not_answerable": false, + "answers": [ + [ + "16.5%", + [ + "

    You\u2019re classed as a \u2018limited cost business\u2019 if your goods cost less than either:

    ", + "
  • 2% of your turnover
  • ", + "
  • \u00a31,000 a year (if your costs are more than 2%)
  • " + ] + ], + [ + "14.5", + [ + "

    If you are not a limited cost business, you use your business type to work out your flat rate.

    " + ] + ] + ], + "evidences": [ + "

    The VAT flat rate you use usually depends on your business type. You may pay a different rate if you only spend a small amount on goods.

    ", + "

    You get a 1% discount if you\u2019re in your first year as a VAT-registered business.

    ", + "

    You\u2019re classed as a \u2018limited cost business\u2019 if your goods cost less than either:

    ", + "
  • 2% of your turnover
  • ", + "
  • \u00a31,000 a year (if your costs are more than 2%)
  • ", + "

    This means you pay a higher rate of 16.5%. You can calculate if you need to pay the higher rate and work out which goods count as costs.

    ", + "

    If you are not a limited cost business, you use your business type to work out your flat rate.

    ", + "Type of business | Current VAT flat rate (%)", + "Accountancy or book-keeping | 14.5" + ], + "id": "train-862" + }, + { + "url": "https://www.gov.uk/tax-sell-property", + "scenario": "I have just sold my house for more than I bought it for 5 years ago. I want know the amount of capital gains tax I am supposed to pay HMRC.", + "question": "Do I have to pay capital gains tax?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • your home
  • ", + "
  • occupied by a dependent relative - find out more in the guidance on Private Residence Relief
  • " + ] + ], + [ + "yes", + [ + "
  • buy-to-let properties
  • " + ] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:

    ", + "
  • buy-to-let properties
  • ", + "

    There are different rules if you:

    ", + "
  • sell your home
  • ", + "

    If your combined capital gains are over your allowance for the year you\u2019ll have to report and pay Capital Gains Tax.

    ", + "

    You may get tax relief if the property was:

    ", + "
  • your home
  • ", + "
  • occupied by a dependent relative - find out more in the guidance on Private Residence Relief
  • " + ], + "id": "train-863" + }, + { + "url": "https://www.gov.uk/tax-sell-property", + "scenario": "My mother has sold her house property . It was not her main home and had let part of it. She wishes to report to the HMRC about the sell and the gains for taxes purposes.", + "question": "How much time does she have to report?", + "not_answerable": false, + "answers": [ + [ + "30 days", + [] + ] + ], + "evidences": [ + "

    You must report and pay any Capital Gains Tax on most sales of UK property within 30 days.

    " + ], + "id": "train-864" + }, + { + "url": "https://www.gov.uk/scottish-income-tax", + "scenario": "I have lived in England for ten years and paid tax on my full time earnings. I am due to be transferred to a branch in Glasgow. I do not know if there is anything I need to do tax wise.", + "question": "Is there a difference between tax brackets in Scotland and in England?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-865" + }, + { + "url": "https://www.gov.uk/scottish-income-tax", + "scenario": "I work from home in the IT business. I divide my time between a home in Glasgow and one in London. I have never mentioned this on my tax declarations.", + "question": "Does it make a difference that I live in two different places and should I declare it?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You pay Scottish Income Tax if you live in Scotland. It\u2019s paid to the Scottish Government.

    ", + "

    Scottish Income Tax applies to your wages, pension and most other taxable income.

    ", + "

    You may also pay Scottish Income Tax if you:

    ", + "
  • live in a home in Scotland and one elsewhere in the UK, for example for work
  • ", + "

    You need to know which is your main home if you have one in Scotland and one somewhere else in the UK.

    ", + "

    Your main home is usually where you live and spend most of your time.

    ", + "

    You can contact HMRC to change which home counts as your main one.

    " + ], + "id": "train-866" + }, + { + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "scenario": "I am a small business owner and VAT can be a bit of a headache. I have heard about the annual scheme for VAT.", + "question": "Do I qualify for VAT Annual Accounting Scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • ", + "
  • you\u2019re a VAT-registered business
  • " + ] + ], + [ + "no", + [ + "
  • you\u2019re not up to date with your VAT Returns or payments
  • ", + "
  • you\u2019re insolvent
  • " + ] + ] + ], + "evidences": [ + "

    You can join the Annual Accounting Scheme if:

    ", + "
  • you\u2019re a VAT-registered business
  • ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • ", + "

    You cannot use the scheme if:

    ", + "
  • you\u2019re not up to date with your VAT Returns or payments
  • ", + "
  • you\u2019re insolvent
  • " + ], + "id": "train-867" + }, + { + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "scenario": "Good morning. I have just joined a business that does Annual VAT accounting. This is the first time I have come across it and I want to make sure i get things right.", + "question": "What is the deadline for getting my VAT returns in?", + "not_answerable": false, + "answers": [ + [ + "once a year, 2 months after the end of your accounting period", + [] + ] + ], + "evidences": [ + "

    There are 12 months in your VAT accounting period. Your VAT Return is due once a year, 2 months after the end of your accounting period.

    " + ], + "id": "train-868" + }, + { + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "scenario": "My husband and our children moved to our - we thought quiet - new home six months ago. Recently there have been a lot of roadworks in the area. We were not informed of this before we moved in and it is distressing us.", + "question": "Do we have recourse to any sort of authority to make a complaint about the noise?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There\u2019s no legal limit to road noise, although noise levels might be taken into account when new roads or houses and offices near roads are planned.

    ", + "

    If noise from a new road exceeds certain levels at your home you might be able to get sound insulation.

    ", + "

    You might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.

    ", + "

    You can apply for compensation if your property value goes down because of road noise from the use of a new or altered road.

    " + ], + "id": "train-869" + }, + { + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "scenario": "I have been living under a flight path for the last ten years and was aware of it when I moved in. Initially it did not bother me but recently the airport has been expanded and another runway built. This has significantly increased the noise that I am exposed to. I was not informed at all about the proposal to build a new runway.", + "question": "I feel that the new runway has decreased the value of my house, due to the increase in noise. Is this a legitimate complaint?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Noise is regulated to some extent at all UK airports. This can include noise limits and restrictions on night flights.

    ", + "

    Some airports operate grant schemes to install sound insulation in affected homes. Contact the airport that affects you to find out if they run one.

    ", + "

    To complain about noise or aircraft activities in general, get in touch with the relevant airport.

    " + ], + "id": "train-870" + }, + { + "url": "https://www.gov.uk/capital-gains-tax", + "scenario": "I gave my wife a house property as a gift of our marriage . She has decided to sell it so that she can get some extra income .", + "question": "Will the money she will recieve liable to capital gain tax?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Capital Gains Tax is a tax on the profit when you sell (or \u2018dispose of\u2019) something (an \u2018asset\u2019) that\u2019s increased in value.

    ", + "

    There are special rules for Capital Gains Tax on gifts or assets you dispose of to:

    ", + "
  • your spouse or civil partner
  • ", + "

    You do not pay Capital Gains Tax on assets you give or sell to your husband, wife or civil partner, unless:

    ", + "

    Your spouse or civil partner may have to pay tax on any gain if they later dispose of the asset.

    ", + "

    Their gain will be calculated on the difference in value between when you first owned the asset and when they disposed of it.

    " + ], + "id": "train-871" + }, + { + "url": "https://www.gov.uk/capital-gains-tax", + "scenario": "I have inherited a lot of valuable antiques and jewelry from my grandmother . I have some financial constrains after the loss of my job. I would like to dispose them off and get some profit.", + "question": "When do I have to report my capital gains by?", + "not_answerable": false, + "answers": [ + [ + "by 31 december in the tax year after you made the gain.", + [] + ], + [ + "in the following tax year", + [ + "

    Report your gains in a Self Assessment tax return in the following tax year

    " + ] + ] + ], + "evidences": [ + "

    You pay Capital Gains Tax on the gain when you sell (or \u2018dispose of\u2019):

    ", + "
  • most personal possessions worth \u00a36,000 or more, apart from your car
  • ", + "

    When you inherit an asset, Inheritance Tax is usually paid by the estate of the person who\u2019s died. You only have to work out if you need to pay Capital Gains Tax if you later dispose of the asset.

    ", + "

    You need to report your gain by 31 December in the tax year after you made the gain. For example, if you made a gain in the 2020 to 2021 tax year, you need to report it by 31 December 2021.

    ", + "

    Report your gains in a Self Assessment tax return in the following tax year

    ", + "

    You can report your gains in a Self Assessment tax return in the tax year after you disposed of assets.

    " + ], + "id": "train-872" + }, + { + "url": "https://www.gov.uk/individual-savings-accounts", + "scenario": "I am a full time employee and I have invested in the employee share scheme. I have saved now \u00a318000 for the last 3 years.", + "question": "Can i transfer my shares to ISA?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can save tax-free with Individual Savings Accounts (ISAs).

    ", + "

    In the 2021 to 2022 tax year, the maximum you can save in ISAs is \u00a320,000

    ", + "

    There are 4 types of Individual Savings Accounts (ISA):

    ", + "
  • stocks and shares ISA
  • ", + "

    Stocks and shares ISAs can include:

    ", + "
  • shares in companies
  • ", + "

    You cannot transfer any non-ISA shares you already own into an ISA unless they\u2019re from an employee share scheme.

    " + ], + "id": "train-873" + }, + { + "url": "https://www.gov.uk/individual-savings-accounts", + "scenario": "My mother wishes to have a savings plan. She wishes to set up an ISA and put her shares in it. She is concerned that when she fills in her annual self assessment she will have to declare all the ISA share interests.", + "question": "Does income from an ISA have to be declared in a tax return?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you complete a tax return, you do not need to declare any ISA interest, income or capital gains on it.

    " + ], + "id": "train-874" + }, + { + "url": "https://www.gov.uk/tax-appeals", + "scenario": "I own a cottage that I rent on short lets. The income is modest but I file a tax return. This year my tax assessment as more than the income for the rent. There is obviously an error.", + "question": "Do I need to pay the assessed tax bill right away if I appeal to HMRC?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may be able to delay paying a tax bill or penalty if you disagree with the amount.

    " + ], + "id": "train-875" + }, + { + "url": "https://www.gov.uk/tax-appeals", + "scenario": "I am a sole trader. I have tried to pay my tax by bank transfer. The money left my account but HMRC state they have not received it and have issued a penalty for late payment.", + "question": "Can I appeal the penalty once my bank has managed to send the money to the correct HMRC account?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal to HM Revenue and Customs (HMRC) against a penalty, for example for:

    ", + "
  • paying tax late
  • ", + "

    Otherwise, to appeal you\u2019ll need:

    ", + "
  • details of your reasonable excuse for late filing
  • " + ], + "id": "train-876" + }, + { + "url": "https://www.gov.uk/building-regulations-approval", + "scenario": "My entire heating system in the house is faulty . It needs to be replaced. I need to hire a competent person to come and do the replacement job.", + "question": "Where can i find for a competent person?", + "not_answerable": false, + "answers": [ + [ + "search the competent persons register", + [] + ] + ], + "evidences": [ + "

    Search the Competent Persons Register to find a tradesperson, or check that they belong to a scheme.

    " + ], + "id": "train-877" + }, + { + "url": "https://www.gov.uk/building-regulations-approval", + "scenario": "I am planning to upgrade my property. The garden walls need to be made taller and the windows replaced, I need an extension of my kitchen area too.", + "question": "Does it require approval for building regulations?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You do not need to get approval yourself if you use someone registered with a competent person scheme.

    ", + "

    You do not need to apply for approval yourself if the work is not covered by building regulations, or if it\u2019s carried out by someone who\u2019s registered with a competent person scheme.

    " + ] + ] + ], + "evidences": [ + "

    You do not need to get approval yourself if you use someone registered with a competent person scheme.

    ", + "

    You might also need building regulations approval for many alteration projects, including if you plan to:

    ", + "
  • replace windows and doors
  • ", + "

    You do not need to apply for approval yourself if the work is not covered by building regulations, or if it\u2019s carried out by someone who\u2019s registered with a competent person scheme.

    " + ], + "id": "train-878" + }, + { + "url": "https://www.gov.uk/bankruptcy", + "scenario": "Few months after my friend Titus ran bankrupt and closed his business down . His family has managed to pull together and cleared all the creditors debts through the solicitor . Titus now has more capital to restart his electronics supply business.", + "question": "Can he cancel the bankruptcy?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to cancel (\u2018annul\u2019) your bankruptcy if:

    ", + "
  • all your debts and bankruptcy fees have been paid or secured (guaranteed) by a third party
  • " + ], + "id": "train-879" + }, + { + "url": "https://www.gov.uk/bankruptcy", + "scenario": "I own a chain of supermarkets and my businesses are trading at a loss due to lack of supplies, staff pilferage and general poor management. I can't pay my suppliers and employees anymore. I have a lot of accumulated debt. If I apply to become bankrupt next month.", + "question": "Will my name be put in the insolviency register?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If the adjudicator makes you bankrupt:

    ", + "
  • your name and details will be published in the Individual Insolvency Register
  • " + ], + "id": "train-880" + }, + { + "url": "https://www.gov.uk/tax-sell-shares", + "scenario": "I was bought some shares as a gift last year. I would like to sell them whilst I am told that the market looks good but I do not have much experience with the stock market at all.", + "question": "Would I have to pay tax on the money I made from selling shares?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax. This will depend on if your total gains are above your Capital Gains Tax allowance for the tax year.

    ", + "
  • shares that are not in an ISA or PEP
  • " + ] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) shares or other investments.

    ", + "

    Shares and investments you may need to pay tax on include:

    ", + "
  • shares that are not in an ISA or PEP
  • ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay tax. This will depend on if your total gains are above your Capital Gains Tax allowance for the tax year.

    " + ], + "id": "train-881" + }, + { + "url": "https://www.gov.uk/tax-sell-shares", + "scenario": "I have been asked to take over the running of an investment club by an old friend. I have a limited experience of this but I have never managed anything on this scale.", + "question": "How can I learn about what to expect when I have taken over the club?", + "not_answerable": false, + "answers": [ + [ + "contact hm revenue and customs (hmrc)", + [] + ], + [ + "get legal advice from a professional", + [] + ] + ], + "evidences": [ + "

    Contact HM Revenue and Customs (HMRC) or get professional help (for example from an accountant) if you need advice.

    ", + "

    If you\u2019re starting a new investment club, make sure it has a constitution and rules. Get legal advice from a professional if you need help.

    " + ], + "id": "train-882" + }, + { + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "scenario": "My father is now 65 years old . He is still working full time. He has been paying class 1 contributions . He has now reached state pension age.", + "question": "Will he continue paying his contributions?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re employed, you pay Class 1 National Insurance contributions as a percentage of your earnings up to State Pension age.

    ", + "

    You stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.

    " + ], + "id": "train-883" + }, + { + "url": "https://www.gov.uk/capital-gains-tax", + "scenario": "I am selling my house in england. I bought the house for \u00a3150,000, and I am going to sell it for \u00a3320,000. This is a second home, and I know I after to pay capital gains tax. I earn \u00a370,000 per year.", + "question": "What amount of capital gains tax will I have to pay?", + "not_answerable": false, + "answers": [ + [ + "28% on your gains", + [] + ] + ], + "evidences": [ + "

    You only have to pay Capital Gains Tax on your overall gains above your tax-free allowance (called the Annual Exempt Amount).

    ", + "

    The Capital Gains tax-free allowance is:

    ", + "
  • \u00a312,300
  • ", + "

    If you\u2019re a higher or additional rate taxpayer you\u2019ll pay:

    ", + "
  • 28% on your gains from residential property
  • " + ], + "id": "train-884" + }, + { + "url": "https://www.gov.uk/capital-gains-tax", + "scenario": "I want to gift a watch to a charity. The watch is cost \u00a325,000 when I bought it in 1973. It is now worth \u00a350,000. I am considering the capital gains tax implications.", + "question": "Do I have to pay capital gains tax on this?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You only have to pay Capital Gains Tax on your total gains above an annual tax-free allowance.

    ", + "

    You do not usually pay tax on gifts to your husband, wife, civil partner or a charity.

    ", + "

    There are special rules for Capital Gains Tax on gifts or assets you dispose of to:

    ", + "
  • charity
  • ", + "

    You do not have to pay Capital Gains Tax on assets you give away to charity.

    " + ], + "id": "train-885" + }, + { + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "scenario": "I am self employed. This year my revenue reached \u00a383,000. I am expecting this to grow next year and exceed \u00a385,000.", + "question": "Do I need to register for VAT?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must tell HM Revenue and Customs (HMRC) about changes to your taxable income.

    ", + "

    But you must tell HMRC about any other changes, for example when you start or stop getting:

    ", + "
  • money over \u00a385,000 from self-employment (you must register for VAT over this amount)
  • " + ], + "id": "train-886" + }, + { + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "scenario": "I have realised that my income from self employment has actually been \u00a3150,000 instead of \u00a3148,000 and my self assessment was slightly wrong.", + "question": "What will HMRC do if I tell them?", + "not_answerable": false, + "answers": [ + [ + "tell you to send a self assessment tax return so they can bill you for tax you owe", + [] + ] + ], + "evidences": [ + "

    HMRC may:

    ", + "
  • tell you to send a Self Assessment tax return so they can bill you for tax you owe
  • " + ], + "id": "train-887" + }, + { + "url": "https://www.gov.uk/bankruptcy", + "scenario": "I have applied for bankruptcy. I have \u00a370,000 worth of debt. I have a house that is worth \u00a3150,000, which is completely paid off.", + "question": "What will happen to my home in these circumstances?", + "not_answerable": false, + "answers": [ + [ + "your home might be sold", + [ + "
  • legal ownership of the property if your equity is \u00a31,000 or more
  • " + ] + ], + [ + "you might be able to stop or delay the sale of your home", + [ + "
  • the value of your equity is less than \u00a31,000
  • ", + "
  • the equity or legal title can be sold to someone else, such as a partner
  • ", + "
  • you need to organise somewhere for children or a partner to live - the sale can be delayed for up to 1 year
  • " + ] + ] + ], + "evidences": [ + "

    Your home might be sold depending on your equity - your share after any secured debts (like a mortgage) have been paid.

    ", + "

    You might have to give up:

    ", + "
  • legal ownership of the property if your equity is \u00a31,000 or more
  • ", + "

    You might be able to stop or delay the sale of your home if, for example:

    ", + "
  • the value of your equity is less than \u00a31,000
  • ", + "
  • the equity or legal title can be sold to someone else, such as a partner
  • ", + "
  • you need to organise somewhere for children or a partner to live - the sale can be delayed for up to 1 year
  • " + ], + "id": "train-888" + }, + { + "url": "https://www.gov.uk/bankruptcy", + "scenario": "I am considering filing for bankruptcy. I know there are restrictions on what you can do after filing for bankruptcy. I am considering whether this would be worth it.", + "question": "What are the limitations that will be applied if I filed for bankruptcy?", + "not_answerable": false, + "answers": [ + [ + "borrow more than \u00a3500 without telling the lender you\u2019re bankrupt", + [] + ], + [ + "act as a director of a company without the court\u2019s permission", + [] + ], + [ + "create, manage or promote a company without the court\u2019s permission", + [] + ], + [ + "manage a business with a different name without telling people you do business with that you\u2019re bankrupt", + [] + ], + [ + "work as an insolvency practitioner", + [] + ] + ], + "evidences": [ + "

    You have to follow bankruptcy restrictions when you\u2019re bankrupt. This means you cannot:

    ", + "
  • borrow more than \u00a3500 without telling the lender you\u2019re bankrupt
  • ", + "
  • act as a director of a company without the court\u2019s permission
  • ", + "
  • create, manage or promote a company without the court\u2019s permission
  • ", + "
  • manage a business with a different name without telling people you do business with that you\u2019re bankrupt
  • ", + "
  • work as an insolvency practitioner (an authorised debt specialist)
  • " + ], + "id": "train-889" + }, + { + "url": "https://www.gov.uk/repossession", + "scenario": "Good morning. things have not gone well. We have fallen behind on our mortgage payments and we have received notice that the house will be repossessed.", + "question": "Where can I get some impartial advise on the repossession notice?", + "not_answerable": false, + "answers": [ + [ + "citizens advice", + [] + ], + [ + "national debtline", + [] + ], + [ + "shelter", + [] + ], + [ + "your local council", + [] + ], + [ + "under the housing possession court duty scheme", + [ + "

    If you have not got help before, you can get last-minute legal help under the Housing Possession Court Duty scheme.

    " + ] + ] + ], + "evidences": [ + "

    You can also get free advice from:

    ", + "
  • Citizens Advice
  • ", + "
  • National Debtline
  • ", + "
  • Shelter
  • ", + "
  • your local council
  • ", + "

    If you have not got help before, you can get last-minute legal help under the Housing Possession Court Duty scheme.

    " + ], + "id": "train-890" + }, + { + "url": "https://www.gov.uk/repossession", + "scenario": "Good morning. I am looking to start work at the Citizens Advice Bureaux. I am trying to understand a little about the repossession process.", + "question": "Are there different types of court orders in repossession cases?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    This gives the lender a legal right to own your home on the date given in the order and is sometimes called an \u2018order for possession\u2019. This is usually 28 days after your court hearing.

    ", + "

    This means that if you make regular payments as set out in the order, you can stay in your home.

    ", + "

    This means that you have to pay the lender the amount set out in the order.

    ", + "

    A money judgment is usually added to a possession order. It means you owe a specific amount of money usually made up of:

    ", + "

    This means that the judge changes the amount you pay on your mortgage for a set time by:

    " + ], + "id": "train-891" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "I am self employed. I earned \u00a3900 in the last year in terms of revenue for my business. I have been told I might have to do a self assessment.", + "question": "Do I need to submit a self assessment for this tax year?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must send a tax return if, in the last tax year (6 April to 5 April), you were:

    ", + "
  • self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)
  • " + ], + "id": "train-892" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "I reside in England. I am self-employed, and I am required to submit tax returns. Due to some difficulties, I will not be able to submit my tax return on time this year.", + "question": "What kind of fine will I face for this late submission?", + "not_answerable": false, + "answers": [ + [ + "\u00a3100", + [ + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    " + ] + ], + [ + "pay more", + [ + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll usually pay a penalty if you\u2019re late. You can appeal against a penalty if you have a reasonable excuse.

    ", + "

    You\u2019ll get a penalty if you need to send a tax return and you miss the deadline for submitting it or paying your bill.

    ", + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    ", + "

    You\u2019ll be charged interest on late payments.

    " + ], + "id": "train-893" + }, + { + "url": "https://www.gov.uk/bankruptcy", + "scenario": "I am 34 and owned a business which collapsed during the pandemic. I have been left with about twenty thousand pounds worth of debt, of which five thousand is an outstanding student loan. Much of the rest is credit cards and an overdraft.", + "question": "Am I able to write off all of my debts if I declare bankruptcy or only some?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply to make yourself bankrupt if you cannot pay your debts.

    ", + "

    After 12 months you\u2019re usually released (\u2018discharged\u2019) from your bankruptcy restrictions and debts. Assets that were part of your estate during the bankruptcy period can still be used to pay your debts.

    ", + "

    When you\u2019re discharged you\u2019ll be released from most, but not all, of the debts you owed at the date of the bankruptcy.

    ", + "

    Debts you will not be released from include:

    ", + "
  • debts arising from fraud
  • ", + "
  • anything you owe under family proceedings - unless the court decides otherwise
  • ", + "
  • damages for personal injuries to anyone - unless the court decides otherwise
  • ", + "
  • debts which were not included in the bankruptcy itself, for example a debt to the Student Loans Company
  • " + ], + "id": "train-894" + }, + { + "url": "https://www.gov.uk/bankruptcy", + "scenario": "I am in the process of being declared bankrupt after having run up debts on credit and store cards which I simply cannot repay. The level of my debt is over thirty thousand pounds. I own quite a lot of good jewellery and an expensive car", + "question": "Will I have to surrender my car and jewellery when my bankruptcy is completed?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ], + [ + "yes", + [ + "

    You might have to give these items up if they\u2019re worth more than a reasonable replacement.

    " + ] + ] + ], + "evidences": [ + "

    Your assets might be sold to pay your bankruptcy debts. You have to hand over your assets to the person appointed to manage your bankruptcy (your \u2018trustee\u2019). They can be:

    ", + "

    You can usually keep:

    ", + "
  • items needed for your job, such as tools or a vehicle
  • ", + "
  • household items, such as clothing, bedding or furniture
  • ", + "

    You might have to give these items up if they\u2019re worth more than a reasonable replacement.

    " + ], + "id": "train-895" + }, + { + "url": "https://www.gov.uk/claim-planning-appeal-costs", + "scenario": "I recently had a planning appeal hearing. There was a party that had objected to my application and they preceded to mess me around and delayed the hearing. Just out of spite.", + "question": "What costs can I claim back from these time wasters?", + "not_answerable": false, + "answers": [ + [ + "costs directly related to your appeal", + [] + ] + ], + "evidences": [ + "

    You can claim costs if someone involved in your planning appeal behaves unreasonably and costs you money.

    ", + "

    You make a claim for an \u2018award of costs\u2019 to the Planning Inspectorate. If you\u2019re successful, you\u2019ll have to reach an agreement with the other party about how much they pay.

    ", + "

    You may be able to claim costs if someone involved in your appeal behaves unreasonably and costs you money. This includes if they:

    ", + "
  • fail to co-operate with you or others
  • ", + "

    You can claim for costs directly related to your appeal, for example:

    ", + "
  • time preparing for an appeal
  • ", + "
  • attending a hearing or inquiry
  • " + ], + "id": "train-896" + }, + { + "url": "https://www.gov.uk/claim-planning-appeal-costs", + "scenario": "I am so annoyed. i am dealing with people who are so inconsiderate and they have cost me a lot in wasted time and effort. I'm going to have them for this!", + "question": "How do I lodge a claim against the costs I have incurred.", + "not_answerable": false, + "answers": [ + [ + "filling in the claim form", + [] + ], + [ + "send a letter to the planning inspectorate", + [] + ] + ], + "evidences": [ + "

    Claim for costs by filling in the claim form. Return it to the address on the form.

    ", + "

    Alternatively, you can send a letter to the Planning Inspectorate. Include why you think someone has behaved unreasonably and how this has cost you money.

    " + ], + "id": "train-897" + }, + { + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "scenario": "I'm 45 and I have an ebay shop. I used to buy and re-sell vintage clothes all over the EU. Unfortunately, due to Brexit, my income had a huge impact and I'll be struggling with the next tax payment.", + "question": "Is there something to help me with my next payment?", + "not_answerable": false, + "answers": [ + [ + "set up a payment plan", + [ + "
  • you owe \u00a330,000 or less
  • ", + "
  • you do not have any other payment plans or debts with HMRC
  • ", + "
  • your tax returns are up to date
  • ", + "
  • it\u2019s less than 60 days after the payment deadline
  • " + ] + ] + ], + "evidences": [ + "

    You can set up a payment plan to spread the cost of your latest Self Assessment bill if all the following apply:

    ", + "
  • you owe \u00a330,000 or less
  • ", + "
  • you do not have any other payment plans or debts with HMRC
  • ", + "
  • your tax returns are up to date
  • ", + "
  • it\u2019s less than 60 days after the payment deadline
  • " + ], + "id": "train-898" + }, + { + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "scenario": "Me and my wife are making some side money selling the vegetables that we grow in our garden. We have potatoes, tomatoes, onions and aubergines. We are retired and we aren't used to technology.", + "question": "Which payment methods are available that don't involve online banking?", + "not_answerable": false, + "answers": [ + [ + "telephone banking", + [] + ], + [ + "at your bank or building society", + [ + "
  • still get paper statements from HM Revenue and Customs (HMRC)
  • ", + "
  • have the paying-in slip HMRC sent you
  • " + ] + ], + [ + "by cheque through the post", + [] + ] + ], + "evidences": [ + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • at your bank or building society
  • ", + "
  • by cheque through the post
  • ", + "

    You can only pay at your branch by cash or cheque if you both:

    ", + "
  • still get paper statements from HM Revenue and Customs (HMRC)
  • ", + "
  • have the paying-in slip HMRC sent you
  • " + ], + "id": "train-899" + }, + { + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "scenario": "I am a widow with no pension from my late husband. I have just reached state pension age but am still working full time, not so much that I need to as that I enjoy my job. I have no plans to retire any time soon.", + "question": "Do I need to continue paying Class 4 NI contributions and if so for how long?", + "not_answerable": false, + "answers": [ + [ + "until the end of the tax year in which you reach state pension age", + [] + ] + ], + "evidences": [ + "

    You do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.

    ", + "

    You\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.

    " + ], + "id": "train-900" + }, + { + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "scenario": "My husband and I both receive the basic state pension and he has a small private pension from his previous employment. We still appear to be paying NI even though we are both over the age to receive the state pension.", + "question": "If we shouldn't be paying NI, can we claim any money back?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can claim back National Insurance if you\u2019ve overpaid.

    ", + "

    You can claim back any overpaid National Insurance.

    " + ] + ] + ], + "evidences": [ + "

    You do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.

    ", + "

    You stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.

    ", + "

    You\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.

    ", + "

    You can claim back National Insurance if you\u2019ve overpaid.

    ", + "

    You can claim back any overpaid National Insurance.

    " + ], + "id": "train-901" + }, + { + "url": "https://www.gov.uk/tax-sell-home", + "scenario": "I bought my house twenty years ago and have lived there continually since then. My partner moved in twelve years ago and we have a daughter. We have never lived together anywhere else.", + "question": "Are we exempt from Capital Gains Tax given that we have never lived together anywhere else?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you have not let part of it out - this does not include having a lodger
  • ", + "
  • you have not used a part of your home exclusively for business purposes (using a room as a temporary or occasional office does not count as exclusive business use)
  • ", + "
  • the grounds, including all buildings, are less than 5,000 square metres (just over an acre) in total
  • " + ] + ] + ], + "evidences": [ + "

    You do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:

    ", + "
  • you have one home and you\u2019ve lived in it as your main home for all the time you\u2019ve owned it
  • ", + "
  • you have not let part of it out - this does not include having a lodger
  • ", + "
  • you have not used a part of your home exclusively for business purposes (using a room as a temporary or occasional office does not count as exclusive business use)
  • ", + "
  • the grounds, including all buildings, are less than 5,000 square metres (just over an acre) in total
  • ", + "
  • you did not buy it just to make a gain
  • ", + "

    If all these apply you will automatically get a tax relief called Private Residence Relief and will have no tax to pay. If any of them apply, you may have some tax to pay.

    " + ], + "id": "train-902" + }, + { + "url": "https://www.gov.uk/tax-sell-home", + "scenario": "We own a four bedroom house with a granny flat in the garden. We let out this flat but it is independent of our dwelling and self contained. Our tenant has been there for three years. The house plus flat are due to be sold soon.", + "question": "What is the situation re Capital Gains Tax given that we have been letting out part of our property for a while?", + "not_answerable": false, + "answers": [ + [ + "you only get private residence relief on this proportion of your gain", + [ + "

    If you lived in your home at the same time as your tenants, you may qualify for Letting Relief on gains you make when you sell the property.

    ", + "

    You can get the lowest of the following:

    ", + "
  • the same amount you got in Private Residence Relief
  • ", + "
  • \u00a340,000
  • ", + "
  • the same amount as the chargeable gain you made while letting out part of your home
  • " + ] + ], + [ + "you may qualify for letting relief", + [] + ], + [ + "you may have to pay capital gains tax", + [] + ] + ], + "evidences": [ + "

    You do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:

    ", + "
  • you have not let part of it out - this does not include having a lodger
  • ", + "

    If all these apply you will automatically get a tax relief called Private Residence Relief and will have no tax to pay. If any of them apply, you may have some tax to pay.

    ", + "

    You may have to pay Capital Gains Tax if you\u2019ve let out your home. How much you pay depends on how long you lived in it.

    ", + "

    You\u2019ll pay tax on your \u2018chargeable gain\u2019. This is your gain minus any Private Residence Relief you\u2019re eligible for.

    ", + "

    You get full relief for:

    ", + "
  • the years you lived in the home
  • ", + "
  • the last 9 months you owned the home - even if you were not living there at the time
  • ", + "

    You\u2019ll need to work out what proportion of your home you lived in. You only get Private Residence Relief on this proportion of your gain.

    ", + "

    If you lived in your home at the same time as your tenants, you may qualify for Letting Relief on gains you make when you sell the property.

    " + ], + "id": "train-903" + }, + { + "url": "https://www.gov.uk/tax-foreign-income", + "scenario": "I am British and I work for an American company called Amazon Mechanical Turk. My earnings are paid in Amazon vouchers which can only be redeemed on the US Amazon site.", + "question": "Am I obligated to pay tax on my Turk earnings as a foreign source of income, given that it is my only form of income?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    You may be able to claim tax relief if you\u2019re taxed in more than one country.

    " + ] + ] + ], + "evidences": [ + "

    You may need to pay UK Income Tax on your foreign income, such as:

    ", + "
  • wages if you work abroad
  • ", + "

    Whether you need to pay depends on if you\u2019re classed as \u2018resident\u2019 in the UK for tax.

    ", + "

    If you\u2019re UK resident, you\u2019ll normally pay tax on your foreign income. But you may not have to if your permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    You may be able to claim tax relief if you\u2019re taxed in more than one country.

    ", + "

    Residents normally pay UK tax on all their income, whether it\u2019s from the UK or abroad. But there are special rules for UK residents whose permanent home (\u2018domicile\u2019) is abroad.

    " + ], + "id": "train-904" + }, + { + "url": "https://www.gov.uk/tax-foreign-income", + "scenario": "I am a salesperson and divide my time equally between two different countries, the UK and the Netherlands. I have to do my own tax returns and do not get any help with this.", + "question": "How can I be sure I am paying the correct amount of tax in each country?", + "not_answerable": false, + "answers": [ + [ + "read hmrc\u2019s guidance on the statutory residence test", + [] + ], + [ + "get professional tax help", + [] + ] + ], + "evidences": [ + "

    If your situation\u2019s more complicated or you need to confirm your status, you can:

    ", + "
  • read HMRC\u2019s guidance on the Statutory Residence Test
  • ", + "
  • get professional tax help
  • " + ], + "id": "train-905" + }, + { + "url": "https://www.gov.uk/married-couples-allowance", + "scenario": "My grandfather and grandmother have been happily married for 65 years . They receive married couple allowance. Due to dementia and old age my grandmother has been taken to a care home.", + "question": "Will the married couple allowance stop?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can still claim Married Couple\u2019s Allowance if you\u2019re unable to live with your spouse or civil partner because of:

    ", + "
  • illness or old age, for example where your spouse or partner is in residential care
  • " + ], + "id": "train-906" + }, + { + "url": "https://www.gov.uk/married-couples-allowance", + "scenario": "My partner and I are 87 and 88 years old respectively. We have been receiving married couple allowance and pay our taxes accordingly and donate to the UK charity as gift aid. We would like to know more about our tax allowances .", + "question": "How much more tax allowance can we claim?", + "not_answerable": false, + "answers": [ + [ + "between \u00a3353 and \u00a3912.50", + [] + ] + ], + "evidences": [ + "

    Married Couple\u2019s Allowance could reduce your tax bill by between \u00a3353 and \u00a3912.50 a year.

    " + ], + "id": "train-907" + }, + { + "url": "https://www.gov.uk/tax-sell-shares", + "scenario": "During the lockdown me and my wife invested some of our savings in GME stocks. W saw it going down in value, so we kept buying it. We bought some when it was 5$ each, then more at 4$, and even more at 3$. Now we selling all of it.", + "question": "How do I work out my capital gains if I bought the same stock at 3 different prices?", + "not_answerable": false, + "answers": [ + [ + "you\u2019ll usually need to work out the average cost of your shares and deduct this from what you got for them", + [] + ] + ], + "evidences": [ + "

    There are special rules for working out the cost of your shares if you sell:

    ", + "
  • shares you bought at different times and prices in one company
  • ", + "

    There\u2019s a different way of working out your cost if you\u2019ve sold the same type of shares in a company that you bought at different times.

    ", + "

    You\u2019ll usually need to work out the average cost of your shares and deduct this from what you got for them to work out your gain.

    " + ], + "id": "train-908" + }, + { + "url": "https://www.gov.uk/tax-sell-shares", + "scenario": "I'm 32 today and I always been in love with shopping and eating out: turns out that I don't have any savings even if I have a decent salary (\u00a340.000 per year outside London. I decided to deposit few hundreds pounds every months in Premium Bonds just to start things off and I made \u00a350 in winnings.", + "question": "Do I pay tax on premium bonds?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) shares or other investments.

    ", + "

    Shares and investments you may need to pay tax on include:

    ", + "
  • certain bonds (not including Premium Bonds and Qualifying Corporate Bonds)
  • " + ], + "id": "train-909" + }, + { + "url": "https://www.gov.uk/tax-sell-home", + "scenario": "I own a home that I want to sell. The property cost me \u00a3150,000, but it is now worth \u00a3250,000. This is my only home that I lived in since I purchased it.", + "question": "Will I need to pay capital gains tax on this house?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you have not let part of it out - this does not include having a lodger
  • ", + "
  • you have not used a part of your home exclusively for business purposes (using a room as a temporary or occasional office does not count as exclusive business use)
  • ", + "
  • the grounds, including all buildings, are less than 5,000 square metres (just over an acre) in total
  • " + ] + ] + ], + "evidences": [ + "

    You do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:

    ", + "
  • you have one home and you\u2019ve lived in it as your main home for all the time you\u2019ve owned it
  • ", + "
  • you have not let part of it out - this does not include having a lodger
  • ", + "
  • you have not used a part of your home exclusively for business purposes (using a room as a temporary or occasional office does not count as exclusive business use)
  • ", + "
  • the grounds, including all buildings, are less than 5,000 square metres (just over an acre) in total
  • ", + "
  • you did not buy it just to make a gain
  • ", + "

    If all these apply you will automatically get a tax relief called Private Residence Relief and will have no tax to pay. If any of them apply, you may have some tax to pay.

    " + ], + "id": "train-910" + }, + { + "url": "https://www.gov.uk/tax-sell-home", + "scenario": "I am a home owner. I let a room in my property for 1 year. The room is a sixth of the house's area. I have owned the property for five years, buying it for \u00a3190,000. I aim to sell it for \u00a3250,000. I am confused how to calculate the capital gains tax on this.", + "question": "In what way do I need to calculate the capital gains tax on this sale?", + "not_answerable": false, + "answers": [ + [ + "work out what proportion of your home you lived in", + [] + ] + ], + "evidences": [ + "

    You\u2019ll pay tax on your \u2018chargeable gain\u2019. This is your gain minus any Private Residence Relief you\u2019re eligible for.

    ", + "

    You\u2019ll need to work out what proportion of your home you lived in. You only get Private Residence Relief on this proportion of your gain.

    ", + "

    If you lived in your home at the same time as your tenants, you may qualify for Letting Relief on gains you make when you sell the property.

    " + ], + "id": "train-911" + }, + { + "url": "https://www.gov.uk/working-abroad", + "scenario": "I work in mid level management for a UK firm and have been offered the chance to move to France for two years to work for my firm's office there. My salary would be the same there as it is here.", + "question": "What happens if I move to an EU country if I continue to work for a UK firm?", + "not_answerable": false, + "answers": [ + [ + "your employer must follow some of the employment rules of the country you\u2019re sent to work in", + [] + ], + [ + "you might still have to pay uk income tax", + [] + ], + [ + "you might be able to pay national insurance", + [] + ] + ], + "evidences": [ + "

    If you are sent to work abroad temporarily, your employer must follow some of the employment rules of the country you\u2019re sent to work in.

    ", + "

    You might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).

    ", + "

    You might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.

    " + ], + "id": "train-912" + }, + { + "url": "https://www.gov.uk/working-abroad", + "scenario": "I have been living in Germany for the past few years although I have been only in casual work and not consistently employed. I pay National Insurance and tax as and when I have work.", + "question": "Will my right of work change?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you were legally living in an EU country before 1 January 2021, your right to work will be protected as long as you carry on living there. This is because you are covered by the Withdrawal Agreement.

    ", + "

    You\u2019re also protected by the Withdrawal Agreement if you started working in one EU country and living in a different EU country or the UK, before 1 January 2021.

    ", + "

    You\u2019ll have the same rights as nationals of the country you\u2019re working in when it comes to working conditions, pay and social security (for example, benefits).

    " + ], + "id": "train-913" + }, + { + "url": "https://www.gov.uk/private-renting-evictions", + "scenario": "My friend has built a new house. She was to rent it to be her source of income. She has no experience of being a landlord.", + "question": "How much notice would she need to give to evict the tenants if there were problems?", + "not_answerable": false, + "answers": [ + [ + "4 months", + [] + ] + ], + "evidences": [ + "

    If you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.

    " + ], + "id": "train-914" + }, + { + "url": "https://www.gov.uk/private-renting-evictions", + "scenario": "I have not paid my rent for the last 3 months.My income has gone low due to loss of work.My landlord served me with a quit notice on 1st June 2021.", + "question": "How long should i stay in the house after the notice?", + "not_answerable": false, + "answers": [ + [ + "4 months", + [] + ] + ], + "evidences": [ + "

    If you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.

    ", + "

    If you\u2019ve been given notice since 1 June 2021, in most cases your landlord must give you 4 months to leave.

    " + ], + "id": "train-915" + }, + { + "url": "https://www.gov.uk/tax-foreign-income", + "scenario": "I recently moved back to the UK after spending many years in the Congo. I have a property there that I have rented out to my friend.", + "question": "Am I liable for tax on this rental income?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You may be able to claim tax relief if you\u2019re taxed in more than one country.

    " + ] + ], + [ + "yes", + [ + "

    If you\u2019re UK resident, you\u2019ll normally pay tax on your foreign income. But you may not have to if your permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    Residents normally pay UK tax on all their income, whether it\u2019s from the UK or abroad. But there are special rules for UK residents whose permanent home (\u2018domicile\u2019) is abroad.

    " + ] + ] + ], + "evidences": [ + "

    You may need to pay UK Income Tax on your foreign income, such as:

    ", + "
  • rental income on overseas property
  • ", + "

    Foreign income is anything from outside England, Scotland, Wales and Northern Ireland. The Channel Islands and the Isle of Man are classed as foreign.

    ", + "

    Whether you need to pay depends on if you\u2019re classed as \u2018resident\u2019 in the UK for tax.

    ", + "

    If you\u2019re UK resident, you\u2019ll normally pay tax on your foreign income. But you may not have to if your permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    If you need to pay tax, you usually report your foreign income in a Self Assessment tax return. But there\u2019s some foreign income that\u2019s taxed differently.

    ", + "

    You may be able to claim tax relief if you\u2019re taxed in more than one country.

    ", + "

    Residents normally pay UK tax on all their income, whether it\u2019s from the UK or abroad. But there are special rules for UK residents whose permanent home (\u2018domicile\u2019) is abroad.

    ", + "

    Most foreign income is taxed in the same way as UK income, but there are special rules for:

    ", + "
  • rent from property
  • ", + "

    You pay tax in the normal way on overseas property. But if you rent out more than one, you can offset losses against other overseas properties.

    " + ], + "id": "train-916" + }, + { + "url": "https://www.gov.uk/tax-foreign-income", + "scenario": "Good afternoon. I am very confused about my domicile status. I live in London in a rented flat. I won a house in Australia where my family are living.", + "question": "How can I find out what me residence status is to UK tax purposes?", + "not_answerable": false, + "answers": [ + [ + "read chapter 5 of hm revenue and customs\u2019 (hmrc) guidance", + [] + ], + [ + "get professional tax help, for example from a tax adviser", + [] + ] + ], + "evidences": [ + "

    Your domicile\u2019s usually the country your father considered his permanent home when you were born. It may have changed if you moved abroad and you do not intend to return.

    ", + "

    If you need help working out which country you\u2019re domiciled in, you can:

    ", + "
  • read chapter 5 of HM Revenue and Customs\u2019 (HMRC) guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019
  • ", + "
  • get professional tax help, for example from a tax adviser
  • " + ], + "id": "train-917" + }, + { + "url": "https://www.gov.uk/pay-voluntary-class-3-national-insurance", + "scenario": "I am self employed. I want to pay class 3 national insurance to fill in the gaps for my state pension. I know the costs of the NI, but I don't know the payment schedule.", + "question": "What is the payment schedule for these National Insurance payments?", + "not_answerable": false, + "answers": [ + [ + "monthly via direct debit.", + [] + ], + [ + "quarterly", + [] + ], + [ + "make a one-off payment", + [] + ] + ], + "evidences": [ + "

    You can pay monthly via Direct Debit.

    ", + "

    Contact HM Revenue and Customs (HMRC) if you want to:

    ", + "
  • pay quarterly - they\u2019ll send you a bill every July, October, January and April
  • ", + "
  • make a one-off payment
  • " + ], + "id": "train-918" + }, + { + "url": "https://www.gov.uk/pay-voluntary-class-3-national-insurance", + "scenario": "I have started paying class 3 national insurance. I have signed up by direct debit, but have received nothing to confirm this.", + "question": "What length do I need to wait for a confirmation?", + "not_answerable": false, + "answers": [ + [ + "within 21 days", + [] + ] + ], + "evidences": [ + "

    HMRC will write within 21 days to confirm your Direct Debit is set up.

    " + ], + "id": "train-919" + }, + { + "url": "https://www.gov.uk/keeping-your-pay-tax-records", + "scenario": "I want to keep my pay and tax records safe. My accountant has filed my returns for the year 2020 -2021.", + "question": "How long should i keep the records?", + "not_answerable": false, + "answers": [ + [ + "at least 22 months", + [] + ] + ], + "evidences": [ + "

    How long you should keep your records depends on whether you send your tax return before or after the deadline.

    ", + "

    You should keep your records for at least 22 months after the end of the tax year the tax return is for.

    " + ], + "id": "train-920" + }, + { + "url": "https://www.gov.uk/keeping-your-pay-tax-records", + "scenario": "I have changed my job to a new one.I have been paying national insurance and timely tax returns. I want my new employer to see my tax return records .", + "question": "Which form should i give my new employer?", + "not_answerable": false, + "answers": [ + [ + "p45", + [] + ] + ], + "evidences": [ + "

    You should keep documents about your pay and tax, including:

    ", + "
  • your P45 - if you leave your job, this shows your pay and tax to the date you left
  • " + ], + "id": "train-921" + }, + { + "url": "https://www.gov.uk/tax-codes", + "scenario": "I have just started a new job. I have received my tax code, which looks different to ones in the past. The tax code includes at OT.", + "question": "What does the OT stand for in the tax code?", + "not_answerable": false, + "answers": [ + [ + "your personal allowance has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code", + [] + ] + ], + "evidences": [ + "

    Letters in your tax code refer to your situation and how it affects your Personal Allowance.

    ", + "Letters | What they mean", + "0T | Your Personal Allowance has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code" + ], + "id": "train-922" + }, + { + "url": "https://www.gov.uk/tax-codes", + "scenario": "I have received the wrong tax code. My tax code includes BR, which shows that all my salary is taxed at the basic rate. This is wrong as my salary is \u00a355,000 and should be in the higher band.", + "question": "Where can I inform HMRC of this mistake?", + "not_answerable": false, + "answers": [ + [ + "check your income tax online service", + [] + ] + ], + "evidences": [ + "

    If you think your tax code is wrong, you can update your employment details using the check your Income Tax online service.

    ", + "

    You can report a change in your income by either:

    ", + "
  • using the online check your Income Tax service
  • ", + "
  • contacting HMRC
  • " + ], + "id": "train-923" + }, + { + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "scenario": "I am going to be paying some Class 2 national insurance. I live in England. I want to start making payments by online transfer.", + "question": "Where do I send payments for online transfer?", + "not_answerable": false, + "answers": [ + [ + "hm revenue and customs\u2019 (hmrc) bank account", + [] + ] + ], + "evidences": [ + "

    You can make same or next day payments:

    ", + "
  • by online or telephone banking (Faster Payments)
  • ", + "

    Use your online or telephone banking account to make your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account.

    " + ], + "id": "train-924" + }, + { + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "scenario": "I am self employed. I have set up a direct debit for paying Class 2 national insurance. I have not received any confirmation about this.", + "question": "Will I receive any confirmation for the direct debit?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    HM Revenue and Customs (HMRC) will send you a letter telling you when payments will be taken and how much they will be.

    ", + "

    Payments will appear on your statement as \u2018HMRC NI-DD\u2019. HMRC will write to you if your payments change for any reason.

    " + ], + "id": "train-925" + }, + { + "url": "https://www.gov.uk/squatting-law", + "scenario": "I am council housing officer. I have been called to one of our buildings where a flat has been occupied by squatters.", + "question": "Can I legally require them to leave?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Squatting in residential buildings (like a house or flat) is illegal. It can lead to 6 months in prison, a \u00a35,000 fine or both.

    ", + "

    It\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:

    ", + "
  • the council
  • ", + "

    You can remove squatters using an interim possession order (IPO) or making a claim for possession.

    " + ], + "id": "train-926" + }, + { + "url": "https://www.gov.uk/squatting-law", + "scenario": "I am homeless. The weather is cold and there is an insecure and empty shop building that I have been stopping in. I quite like living there. The owner does not appear interested in the property.", + "question": "Can I apply to live at this shop permanently?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)
  • ", + "
  • you (or your predecessors) acted as owners of the property for the whole of that time
  • ", + "
  • you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter
  • " + ] + ] + ], + "evidences": [ + "

    You can apply if you can prove:

    ", + "
  • you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)
  • ", + "
  • you (or your predecessors) acted as owners of the property for the whole of that time
  • ", + "
  • you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter
  • " + ], + "id": "train-927" + }, + { + "url": "https://www.gov.uk/tenancy-deposit-protection", + "scenario": "I am renting out a house for the first time. I have accepted a deposit of \u00a31,000 from the tenant to hold the property.", + "question": "Do I have to protect this deposit?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your landlord must put your deposit in a government-approved tenancy deposit scheme (TDP) if you rent your home on an assured shorthold tenancy that started after 6 April 2007. In England and Wales your deposit can be registered with:

    ", + "

    Your landlord or letting agent must put your deposit in the scheme within 30 days of getting it.

    " + ], + "id": "train-928" + }, + { + "url": "https://www.gov.uk/tenancy-deposit-protection", + "scenario": "I am a tenant. I gave over a deposit of \u00a3800 to my landlord. I have found they has no protected my deposit.", + "question": "Where do I go to complain about this?", + "not_answerable": false, + "answers": [ + [ + "write to your landlord", + [] + ], + [ + "apply to your local county court", + [ + "

    If you cannot come to an agreement, you can apply to the court for compensation.

    " + ] + ] + ], + "evidences": [ + "

    You can apply to your local county court if you think your landlord hasn\u2019t used a TDP scheme when they should have.

    ", + "

    It can be quicker and cheaper to write to your landlord, rather than going to court.

    ", + "

    If you cannot come to an agreement, you can apply to the court for compensation.

    " + ], + "id": "train-929" + }, + { + "url": "https://www.gov.uk/tax-employee-share-schemes", + "scenario": "I am a full time employee. I would like to invest in save as you earn(SAYE) in a shares related scheme.I am aiming to do a monthly contribution of \u00a3400 for the next 5 years. I would prefer to transfer all the savings to an individual savings account(ISA).", + "question": "Do i need to pay capital gain tax?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • to an Individual Savings Account (ISA) within 90 days of the scheme ending
  • " + ] + ] + ], + "evidences": [ + "

    The tax advantages are:

    ", + "
  • you do not pay Income Tax or National Insurance on the difference between what you pay for the shares and what they\u2019re worth
  • ", + "

    You\u2019ll not pay Capital Gains Tax if you transfer the shares:

    ", + "
  • to an Individual Savings Account (ISA) within 90 days of the scheme ending
  • " + ], + "id": "train-930" + }, + { + "url": "https://www.gov.uk/tax-employee-share-schemes", + "scenario": "My sister has been saving on SAYE. She has reached the end of her savings contract. She wants to transfer her shares to ISA.", + "question": "How many days does she have to transfer the shares to ISA after she took out from SAYE?", + "not_answerable": false, + "answers": [ + [ + "90 days", + [] + ] + ], + "evidences": [ + "

    You must transfer your shares to your ISA within 90 days of when you took out your SIP or SAYE shares.

    " + ], + "id": "train-931" + }, + { + "url": "https://www.gov.uk/private-renting-evictions", + "scenario": "I am a 25 year old postgraduate student living in a small rented bedsit. I have been here for eighteen months. My landlord has just announced that he is selling up and wants me out within 28 days. I do not have anywhere else to go within my budget.", + "question": "Is it legal for my landlord to do this with so little notice?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your landlord must follow strict procedures if they want you to leave their property, depending on the type of tenancy agreement you have and the terms of it.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of coronavirus (COVID-19), the notice periods are longer.

    ", + "

    If you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.

    ", + "

    If you\u2019ve been given notice since 1 June 2021, in most cases your landlord must give you 4 months to leave.

    " + ], + "id": "train-932" + }, + { + "url": "https://www.gov.uk/private-renting-evictions", + "scenario": "I am a landlord and I have a problem with one of my tenants, who consistently demonstrates anti social behaviour and defaults on the rent. However, they claim that they are self isolating due to Covid and therefore will not deal with me face to face.", + "question": "Are my tenants legally protected from eviction due to the nature of the pandemic?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    If you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.

    ", + "

    If you\u2019ve been given notice since 1 June 2021, in most cases your landlord must give you 4 months to leave.

    " + ] + ] + ], + "evidences": [ + "

    If you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.

    ", + "

    If you do not leave at the end of the notice period, your landlord must apply to the court for a possession order. If the court gives them a possession order and you still do not leave, they must apply for a warrant for possession - this means bailiffs can evict you from the property.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    ", + "

    Fixed-term tenancies run for a set amount of time. Your landlord must give you notice in a certain way if you\u2019re in a fixed-term tenancy.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.

    ", + "

    If you\u2019ve been given notice since 1 June 2021, in most cases your landlord must give you 4 months to leave.

    ", + "

    During the fixed term, your landlord can only evict you for certain reasons - for example:

    ", + "
  • you have not paid the rent
  • ", + "
  • you\u2019re engaging in antisocial behaviour
  • ", + "

    At the end of the fixed term, the landlord does not need a reason to evict you. As long as they\u2019ve given you correct notice, they can apply to the court for a possession order.

    ", + "

    If you do not leave your home by the date given, your landlord can ask the court to evict you by asking for a \u2018warrant for possession\u2019. If the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home.

    ", + "

    This means if you make the payments, or obey the conditions, set out in the order, you can stay in your home. If you do not make the payments, your landlord can ask the court to evict you.

    ", + "

    If you do not leave your home by the date given in an outright possession order, your landlord can ask the court for a \u2018warrant of possession\u2019.

    ", + "

    If the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home. Bailiffs can evict you after this date. The costs of evicting you will be added to the money you owe.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England.

    ", + "

    In Wales, currently you will not be evicted by bailiffs, unless there is a serious reason. Bailiffs will only enter the property if you:

    ", + "
  • have been involved in antisocial behaviour
  • " + ], + "id": "train-933" + }, + { + "url": "https://www.gov.uk/squatting-law", + "scenario": "I own a property in the countryside and I have been abroad for over a year. Upon my return I found out that it had been occupied by squatters without my permission. I want them to leave my property.", + "question": "Can i apply for an interim possession order?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "
  • you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession
  • " + ] + ] + ], + "evidences": [ + "

    You can remove squatters using an interim possession order (IPO) or making a claim for possession.

    ", + "

    You can only apply for an IPO if it\u2019s been 28 days or less since you found out your property\u2019s been squatted.

    ", + "

    You cannot use an IPO if:

    ", + "
  • you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession
  • " + ], + "id": "train-934" + }, + { + "url": "https://www.gov.uk/squatting-law", + "scenario": "My Uncle has been living on unclaimed property for 15 years. He has taken good care of it as own. Everyone thinks it's his property . He now wants to register it legally and own it.", + "question": "Can he acquire rights?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply if you can prove:

    ", + "
  • you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)
  • ", + "
  • you (or your predecessors) acted as owners of the property for the whole of that time
  • ", + "
  • you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter
  • " + ], + "id": "train-935" + }, + { + "url": "https://www.gov.uk/statutory-demands", + "scenario": "I am considering insolvency proceedings against my friend Lucy who owes me a 3 years old debt of \u00a310000 . She has not paid and has not given me any reasonable explanations for the lack of payment. I want to serve her with a statutory demand.", + "question": "How many days she be given to respond ?", + "not_answerable": false, + "answers": [ + [ + "21 days", + [] + ] + ], + "evidences": [ + "

    When the individual or company that owes you money (the \u2018debtor\u2019) receives a statutory demand, they have 21 days to either:

    ", + "

    If your debtor does not pay the debt or agree to your statutory demand within 21 days, you can:

    " + ], + "id": "train-936" + }, + { + "url": "https://www.gov.uk/statutory-demands", + "scenario": "I am a farmer and practice commercial food farming and supply food produce to a nearby fruit processing company . They have overdue debts of \u00a33000 and my efforts to resend overdue invoices have been fruitless. Its now a month since i issued a formal demand but they have not responded.", + "question": "Can i serve the winding up?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If your debtor does not pay the debt or agree to your statutory demand within 21 days, you can:

    ", + "
  • wind up a company that owes you \u00a3750 or more
  • " + ], + "id": "train-937" + }, + { + "url": "https://www.gov.uk/tax-sell-property", + "scenario": "I want to sell my property. The purchase price of this property was \u00a3150,000. The price I want to sell it at would be \u00a3250,000.", + "question": "Would the difference of \u00a3100,000 be the amount that will be liable to capital gains tax?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    If the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.

    ", + "
  • your home
  • " + ] + ], + [ + "yes", + [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:

    " + ] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:

    ", + "

    If the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.

    ", + "

    Your gain is usually the difference between what you paid for your property and the amount you got when you sold (or \u2018disposed of\u2019) it.

    ", + "

    You may get tax relief if the property was:

    ", + "
  • your home
  • " + ], + "id": "train-938" + }, + { + "url": "https://www.gov.uk/tax-sell-property", + "scenario": "I am selling a piece of property as part of my main course of business. This will be sold for \u00a3300,000. The business buys and sells property.", + "question": "Do I need to pay capital gains tax on these property sales?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:

    ", + "
  • business premises
  • ", + "

    If the purpose of your business is to buy and sell property (you\u2019re a property developer, for example) you do not pay Capital Gains Tax when you sell a property. Instead, you pay:

    " + ], + "id": "train-939" + }, + { + "url": "https://www.gov.uk/tax-foreign-income", + "scenario": "My brother is a UK citizen. He moved to Spain 3 years ago and lives there. He has no intentions of returning back to the UK. He has rental properties where he earns his income.", + "question": "Is he supposed to pay taxes in the UK?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you spent fewer than 16 days in the UK (or 46 days if you have not been classed as UK resident for the 3 previous tax years)
  • ", + "
  • you work abroad full-time (averaging at least 35 hours a week) and spent fewer than 91 days in the UK, of which no more than 30 were spent working
  • " + ] + ] + ], + "evidences": [ + "

    You may need to pay UK Income Tax on your foreign income, such as:

    ", + "
  • rental income on overseas property
  • ", + "

    Whether you need to pay depends on if you\u2019re classed as \u2018resident\u2019 in the UK for tax.

    ", + "

    If you\u2019re not UK resident, you will not have to pay UK tax on your foreign income.

    ", + "

    Your UK residence status affects whether you need to pay tax in the UK on your foreign income.

    ", + "

    Non-residents only pay tax on their UK income - they do not pay UK tax on their foreign income.

    ", + "

    Whether you\u2019re UK resident usually depends on how many days you spend in the UK in the tax year (6 April to 5 April the following year).

    ", + "

    You\u2019re automatically non-resident if either:

    ", + "
  • you spent fewer than 16 days in the UK (or 46 days if you have not been classed as UK resident for the 3 previous tax years)
  • ", + "
  • you work abroad full-time (averaging at least 35 hours a week) and spent fewer than 91 days in the UK, of which no more than 30 were spent working
  • " + ], + "id": "train-940" + }, + { + "url": "https://www.gov.uk/repossession", + "scenario": "Due to Covid I have been unable to keep up the mortgage repayments on my flat. I have lived there for five years and have never defaulted before. I am almost bankrupt and have no idea where to turn to for help and advice.", + "question": "Where can I get advice and help about my specific situation?", + "not_answerable": false, + "answers": [ + [ + "citizens advice", + [] + ], + [ + "national debtline", + [] + ], + [ + "shelter", + [] + ], + [ + "civil legal advice", + [] + ] + ], + "evidences": [ + "

    You may be able to postpone or stop your home being repossessed.

    ", + "

    Check if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.

    ", + "

    You can also get free advice from:

    ", + "
  • Citizens Advice
  • ", + "
  • National Debtline
  • ", + "
  • Shelter
  • ", + "
  • your local council
  • " + ], + "id": "train-941" + }, + { + "url": "https://www.gov.uk/repossession", + "scenario": "My partner and I have been awarded an eviction notice from the courts due to non payment of mortgage. As we have never defaulted before we feel that this is unfair and we want to challenge the court's decision.", + "question": "Now that the order has been granted is there any way of having it overturned?", + "not_answerable": false, + "answers": [ + [ + "ask a judge to \u2018suspend the warrant for possession\u2019", + [] + ], + [ + "appeal", + [ + "

    If you think the judge made mistakes about the law or the facts of your case in the original hearing, you may be able to appeal.

    " + ] + ], + [ + "ask a more senior judge", + [ + "

    If you think the judge made mistakes about the law or the facts of your case in the original hearing, you may be able to appeal.

    " + ] + ] + ], + "evidences": [ + "

    You can ask a judge to \u2018suspend the warrant for possession\u2019. This means delaying the eviction or allowing you to stay in your home if you are able to make payments again.

    ", + "

    If you think the judge made mistakes about the law or the facts of your case in the original hearing, you may be able to appeal.

    ", + "

    If the judge refuses to give permission to appeal, you can ask a more senior judge.

    " + ], + "id": "train-942" + }, + { + "url": "https://www.gov.uk/party-walls-building-works", + "scenario": "My partner and I live in a semi detached house and both ourselves and our neighbours are home owners. I want to do some plastering work on an inside wall. This will not physically affect our neighbours but will be rather noisy", + "question": "Are we obliged to inform our neighbours about the pending work and can they stop it?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your neighbours can\u2019t stop you from making changes to your property that are within the law, but they can affect how and when your works are carried out.

    ", + "

    You don\u2019t need to tell your neighbour about minor changes, eg plastering, adding or replacing electrical wiring or sockets, or drilling to put up shelves or cabinets.

    " + ], + "id": "train-943" + }, + { + "url": "https://www.gov.uk/party-walls-building-works", + "scenario": "My three bedroom house shares a garden wall with our next door neighbour. During a recent storm, the wall partially fell down.", + "question": "Who has to pay for the wall repairs in a situation like this?", + "not_answerable": false, + "answers": [ + [ + "your neighbour may have to meet a share of the cost", + [ + "

    Your neighbour may have to meet a share of the cost if the work needs to be done because of defects or lack of repair. They will also need to pay if they ask for additional works to be done that will benefit them.

    " + ] + ], + [ + "you", + [] + ] + ], + "evidences": [ + "

    Party walls stand on the land of 2 or more owners and either:

    ", + "
  • don\u2019t form part of a building, such as a garden wall (not wooden fences)
  • ", + "

    Walls on one owner\u2019s land used by other owners (2 or more) to separate their buildings are also party walls.

    ", + "

    You need to pay for any building works that you start on a party wall.

    ", + "

    Your neighbour may have to meet a share of the cost if the work needs to be done because of defects or lack of repair. They will also need to pay if they ask for additional works to be done that will benefit them.

    " + ], + "id": "train-944" + }, + { + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "scenario": "Good evening. I run a small market stall, have a turn over of less that \u00a3150,000 pa. I have heard about VAT flat rate scheme.", + "question": "Can I join the scheme online?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re a VAT-registered business
  • ", + "
  • you expect your VAT taxable turnover to be \u00a3150,000 or less (excluding VAT) in the next 12 months
  • " + ] + ] + ], + "evidences": [ + "

    You can join the scheme online when you register for VAT.

    ", + "

    You can also fill in VAT600 FRS and either:

    ", + "
  • email it to frsapplications.vrs@hmrc.gsi.gov.uk
  • ", + "

    You can join the Flat Rate Scheme if:

    ", + "
  • you\u2019re a VAT-registered business
  • ", + "
  • you expect your VAT taxable turnover to be \u00a3150,000 or less (excluding VAT) in the next 12 months
  • " + ], + "id": "train-945" + }, + { + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "scenario": "I have heard of the VAT flat rate scheme and it sounds good to me. I'm tired of the hassle of working out my VAT.", + "question": "How do I join?", + "not_answerable": false, + "answers": [ + [ + "fill in vat600 frs", + [] + ] + ], + "evidences": [ + "

    You can also fill in VAT600 FRS and either:

    " + ], + "id": "train-946" + }, + { + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "scenario": "Good afternoon. I have trouble getting to the bank to pay my bills. i do not want to fall behind on my tax. I am hoping to be able to do this from home instead.", + "question": "Does HMRC have the ability to receive payment on the internet?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Same or next day

    ", + "
  • through your online bank account
  • ", + "
  • online or telephone banking (Faster Payments)
  • ", + "
  • CHAPS
  • ", + "
  • by debit or corporate credit card online
  • ", + "

    3 working days

    ", + "
  • Direct Debit (if you\u2019ve set one up with HMRC before)
  • ", + "

    5 working days

    ", + "
  • Direct Debit (if you have not set one up with HMRC before)
  • ", + "

    Online payment services may be slow during busy times. Check if there are any current problems or times they are not available.

    ", + "

    You can pay your Self Assessment bill using Faster Payments, CHAPS or Bacs.

    ", + "

    You can pay your Self Assessment bill directly using your online or mobile bank account.

    ", + "

    You can pay online.

    " + ], + "id": "train-947" + }, + { + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "scenario": "Good morning. Ted the plumber here. I have a tax bill of \u00a315,000 to pay. To be honest, cashflow is tight right now and I'll find it hard to stump that all up at once.", + "question": "Is it possible to pay what I owe monthly?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you do not have any other payment plans or debts with HMRC
  • ", + "
  • your tax returns are up to date
  • ", + "
  • it\u2019s less than 60 days after the payment deadline
  • " + ] + ] + ], + "evidences": [ + "

    You can pay in regular monthly instalments, if you prefer.

    ", + "

    If you\u2019ve already filed your Self Assessment tax return, you might be able to pay the bill in instalments.

    ", + "

    You can set up a payment plan to spread the cost of your latest Self Assessment bill if all the following apply:

    ", + "
  • you owe \u00a330,000 or less
  • ", + "
  • you do not have any other payment plans or debts with HMRC
  • ", + "
  • your tax returns are up to date
  • ", + "
  • it\u2019s less than 60 days after the payment deadline
  • " + ], + "id": "train-948" + }, + { + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "scenario": "I am a woman born in 1980. I relocated to Zambia from 2006 to 2016 and was not paying the National insurance.I am back to the UK and would like to pay. I don't want this to affect my state pension. Am I allowed to pay the gap?", + "question": "Can i pay the gap?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You cannot pay voluntary contributions if:

    ", + "
  • you\u2019re eligible for National Insurance credits
  • ", + "
  • you\u2019re a married woman or widow paying reduced rates
  • " + ] + ], + [ + "yes", + [ + "

    You must be eligible to pay voluntary National Insurance contributions for the time that the contributions cover.

    " + ] + ] + ], + "evidences": [ + "

    You may be able to pay voluntary contributions to fill any gaps if you\u2019re eligible.

    ", + "

    You must be eligible to pay voluntary National Insurance contributions for the time that the contributions cover.

    ", + "

    You cannot pay voluntary contributions if:

    ", + "
  • you\u2019re eligible for National Insurance credits
  • ", + "
  • you\u2019re a married woman or widow paying reduced rates
  • ", + "

    You can pay voluntary contributions by 5 April 2023 to make up for gaps between 6 April 2006 and 5 April 2016.

    ", + "

    You have until 5 April 2023 to pay voluntary contributions to make up for gaps between April 2006 and April 2016.

    " + ], + "id": "train-949" + }, + { + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "scenario": "I work locally in a saloon.I earn low wages of \u00a3120 per week. I have not been paying my national insurance. I can't also qualify for national insurance credits.", + "question": "Can i know the deadline to pay voluntary contributions?", + "not_answerable": false, + "answers": [ + [ + "you can usually pay voluntary contributions for the past 6 years. the deadline is 5 april each year.", + [] + ], + [ + "more than 6 years ago", + [ + "

    You can sometimes pay for gaps from more than 6 years ago, depending on your age.

    " + ] + ] + ], + "evidences": [ + "

    You can usually pay voluntary contributions for the past 6 years. The deadline is 5 April each year.

    ", + "

    You can sometimes pay for gaps from more than 6 years ago, depending on your age.

    ", + "

    You have until 5 April 2023 to pay voluntary contributions to make up for gaps between April 2006 and April 2016.

    " + ], + "id": "train-950" + }, + { + "url": "https://www.gov.uk/tax-employee-share-schemes", + "scenario": "I have been working for my company for three years and have just been offered a stake in the company in the form of free shares through a share incentive plan. I have never held shares before and am not sure what to do.", + "question": "Can I get tax relief on these shares?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.

    ", + "

    You will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.

    " + ] + ] + ], + "evidences": [ + "

    If your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.

    ", + "

    Tax advantages only apply if the shares are offered through the following schemes:

    ", + "
  • Share Incentive Plans
  • ", + "

    If you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.

    ", + "

    You will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.

    " + ], + "id": "train-951" + }, + { + "url": "https://www.gov.uk/tax-employee-share-schemes", + "scenario": "I am a long term, full time employee of a major retailer and have some shares through their save as you earn scheme. These shares have consistently increased in value and it has been recommended that I transfer them to an ISA.", + "question": "Can I transfer them to an ISA?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Your ISA provider must agree to the transfer.

    " + ] + ] + ], + "evidences": [ + "

    You can transfer up to \u00a320,000 of employee shares into a stocks and shares Individual Savings Account (ISA) if you have shares in a:

    ", + "
  • Save As You Earn (SAYE) scheme
  • ", + "

    Your ISA provider must agree to the transfer.

    " + ], + "id": "train-952" + }, + { + "url": "https://www.gov.uk/scottish-income-tax", + "scenario": "I live in Scotland and am a full time employee I earn \u00a350,000 per year. I would like to pay self assessment tax returns . I want pay for 2020-2021 tax year.", + "question": "What will be my tax rate?", + "not_answerable": false, + "answers": [ + [ + "19%", + [ + "Starter rate | \u00a312,571 to \u00a314,667 | 19%" + ] + ], + [ + "20%", + [ + "Basic rate | \u00a314,668 to \u00a325,296 | 20%" + ] + ], + [ + "21%", + [ + "Intermediate rate | \u00a325,297 to \u00a343,662 | 21%" + ] + ], + [ + "41%", + [ + "Higher rate | \u00a343,663 to \u00a3150,000 | 41%" + ] + ] + ], + "evidences": [ + "

    The table shows the 2021 to 2022 Scottish Income Tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570. You do not get a Personal Allowance if you earn over \u00a3125,140.

    ", + "Band | Taxable income | Scottish tax rate", + "Personal Allowance | Up to \u00a312,570 | 0%", + "Starter rate | \u00a312,571 to \u00a314,667 | 19%", + "Basic rate | \u00a314,668 to \u00a325,296 | 20%", + "Intermediate rate | \u00a325,297 to \u00a343,662 | 21%", + "Higher rate | \u00a343,663 to \u00a3150,000 | 41%" + ], + "id": "train-953" + }, + { + "url": "https://www.gov.uk/scottish-income-tax", + "scenario": "I live in Scotland and am a full time employee earning \u00a350,000 per year. I also have a property in England. I would like to pay self assessment tax returns . I want pay for 2020-2021 tax year.", + "question": "In matters of tax returns, will Scotland be termed as my main home?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • most of your possessions are
  • ", + "
  • your family lives, if you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re registered for things like your bank account, GP or car insurance
  • ", + "
  • you\u2019re a member of clubs or societies
  • " + ] + ] + ], + "evidences": [ + "

    Your main home is usually where you live and spend most of your time.

    ", + "

    Your main home may be the home where you spend less time if that\u2019s where:

    ", + "
  • most of your possessions are
  • ", + "
  • your family lives, if you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re registered for things like your bank account, GP or car insurance
  • ", + "
  • you\u2019re a member of clubs or societies
  • " + ], + "id": "train-954" + }, + { + "url": "https://www.gov.uk/tax-on-your-private-pension", + "scenario": "I have been a primary school teacher for over thirty years and am coming up to retirement age. I have a private pension through my job but someone told me recently that I might be liable to pay tax on this, which is alarming me very much.", + "question": "Must I pay tax on a pension I have worked hard for for a long time?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • 100% of your earnings in a year - this is the limit on tax relief you get
  • ", + "
  • \u00a340,000 a year - check your \u2018annual allowance\u2019
  • ", + "
  • \u00a31,073,100 in your lifetime - this is the lifetime allowance
  • ", + "

    You\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.

    ", + "

    You usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.

    " + ] + ] + ], + "evidences": [ + "

    Your private pension contributions are tax-free up to certain limits.

    ", + "

    This applies to most private pension schemes, for example:

    ", + "
  • workplace pensions
  • ", + "

    You usually pay tax if savings in your pension pots go above:

    ", + "
  • 100% of your earnings in a year - this is the limit on tax relief you get
  • ", + "
  • \u00a340,000 a year - check your \u2018annual allowance\u2019
  • ", + "
  • \u00a31,073,100 in your lifetime - this is the lifetime allowance
  • ", + "

    You\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.

    ", + "

    You usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.

    " + ], + "id": "train-955" + }, + { + "url": "https://www.gov.uk/tax-on-your-private-pension", + "scenario": "I am forty nine and have worked as a police officer since I was in my early twenties. I am eligible to take early retirement and claim my pension earlier but my partner is still in full time employment and cannot retire for some time yet.", + "question": "Will my partner being still in full time employment affect my right to my pension as I am not yet fifty?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-956" + }, + { + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "scenario": "I have left my job. I have requested a P45 from my employers, but they still have not given me one. Two months have now passed since I left.", + "question": "Do my employer's have to give me a P45?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get a P45 from your employer when you stop working for them.

    ", + "

    By law your employer must give you a P45 - ask them for one.

    " + ], + "id": "train-957" + }, + { + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "scenario": "I received a P60 from my employer. I have lost this P60, and I need to get another one to replace it.", + "question": "Am I able to ask my employer for a replacement?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can get a replacement P60 from your employer.

    " + ], + "id": "train-958" + }, + { + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "scenario": "My friend runs a pub business . He has now changed his name via deed poll.", + "question": "Does he need to tell HMRC?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    How you contact HM Revenue and Customs (HMRC) to update your name or address depends on your situation.

    ", + "

    You need to wait until you\u2019ve moved or changed your name before telling HMRC.

    ", + "

    If you\u2019ve changed your name

    ", + "

    Tell HMRC your name has changed. If you submit a Self Assessment tax return as well your details will be updated for both.

    " + ], + "id": "train-959" + }, + { + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "scenario": "My uncle owned two houses and decided to sell the one which he doesn't use as the main home. He has received a lump sum of money. He is cognizant of capital gain tax.", + "question": "Does he have to report this income to HMRC?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must tell HM Revenue and Customs (HMRC) about changes to your taxable income.

    ", + "

    But you must tell HMRC about any other changes, for example when you start or stop getting:

    ", + "
  • lump sums from selling things you pay Capital Gains Tax on, such as shares or property that\u2019s not your main home
  • " + ], + "id": "train-960" + }, + { + "url": "https://www.gov.uk/individual-savings-accounts", + "scenario": "I am a 19 year old who is a UK resident. I am considering opening a lifetime ISA, but I am not sure how much I am allowed to pay in per year.", + "question": "What amount can I pay into a lifetime ISA each year if I also save in stock and shares ISA?", + "not_answerable": false, + "answers": [ + [ + "\u00a34,000", + [] + ] + ], + "evidences": [ + "

    You can only pay \u00a34,000 into your Lifetime ISA in a tax year.

    " + ], + "id": "train-961" + }, + { + "url": "https://www.gov.uk/individual-savings-accounts", + "scenario": "I am a UK resident. I am moving to Germany for work reasons, and I am trying to sort out my UK affairs. I currently hold an ISA and would like to keep this open.", + "question": "Will I be able to continue to put money into my ISA?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you open an Individual Savings Account (ISA) in the UK then move abroad, you cannot put money into it after the tax year that you move (unless you\u2019re a Crown employee working overseas or their spouse or civil partner).

    ", + "

    However, you can keep your ISA open and you\u2019ll still get UK tax relief on money and investments held in it.

    " + ], + "id": "train-962" + }, + { + "url": "https://www.gov.uk/tax-sell-property", + "scenario": "My partner and I are British citizens and own a property in London. We have, however, been living in Spain for the past ten years. We would now like to sell our UK property.", + "question": "Are the rules the same to sell a property in the UK when we live abroad?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There are different rules if you:

    ", + "
  • live abroad
  • ", + "

    There are special rules for calculating your gain if:

    ", + "
  • you live abroad
  • " + ], + "id": "train-963" + }, + { + "url": "https://www.gov.uk/tax-sell-property", + "scenario": "I have recently been widowed and am in a bad financial situation as my husband did not have a pension and we did not have savings. The only asset I have right now is our two bedroom home.", + "question": "Would I get a tax break given the difficult circumstances that I am in?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-964" + }, + { + "url": "https://www.gov.uk/tax-codes", + "scenario": "I am self employed and have recently filled out a form which asked me to provide my tax code. I know very little about tax laws, unfortunately.", + "question": "In what way can I find out my tax code?", + "not_answerable": false, + "answers": [ + [ + "use the check your income tax online service within your personal tax account", + [] + ], + [ + "on your payslip or tax code letter from hmrc", + [] + ] + ], + "evidences": [ + "

    Use the check your Income Tax online service within your Personal Tax Account to find your tax code for the current year. You can also view your tax code for:

    ", + "

    You can also find your tax code on your payslip or tax code letter from HMRC.

    " + ], + "id": "train-965" + }, + { + "url": "https://www.gov.uk/tax-codes", + "scenario": "I have been in my job for two years now and do my own taxes. I have recently been granted a small rise in pay. This will not make much of an impact in my overall weekly income, however.", + "question": "Do I have to report my rise in income to HMRC?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    In most cases, HMRC will automatically update your tax code when your income changes, for example if you start a new job, start getting a pension or receive benefits or work expenses. They\u2019ll usually get this information from your employer.

    " + ], + "id": "train-966" + }, + { + "url": "https://www.gov.uk/tax-on-your-private-pension", + "scenario": "I have an income of \u00a3250,000 per year. When it is adjusted, this is \u00a3280,000 per year. I am looking at the tax on my pension.", + "question": "Is my annual allowance on my pension reduced?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.

    ", + "

    Your annual allowance might be lower if you have:

    ", + "
  • a high income
  • ", + "

    You\u2019ll have a reduced (\u2018tapered\u2019) annual allowance in the current tax year if both:

    ", + "
  • your \u2018threshold income\u2019 is over \u00a3200,000
  • ", + "
  • your \u2018adjusted income\u2019 is over \u00a3240,000
  • " + ], + "id": "train-967" + }, + { + "url": "https://www.gov.uk/tax-on-your-private-pension", + "scenario": "My pension pot has risen to \u00a31,080,000 this year. My yearly income is \u00a3500,000. I am looking at the tax I will pay now.", + "question": "Will I pay any additional tax now I have gone over the lifetime allowance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You usually pay tax if savings in your pension pots go above:

    ", + "
  • \u00a31,073,100 in your lifetime - this is the lifetime allowance
  • ", + "

    You usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.

    " + ], + "id": "train-968" + }, + { + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "scenario": "I am a vehicle dealer having a annual income of \u00a31,300000 and I have got a lot of engagement with my work. I always file my returns very late. I need help to have all my taxes paid promptly.", + "question": "Can i join the VAT annual accounting scheme?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can join the Annual Accounting Scheme if:

    ", + "
  • you\u2019re a VAT-registered business
  • ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • ", + "

    You cannot use the scheme if:

    ", + "
  • you\u2019re not up to date with your VAT Returns or payments
  • " + ], + "id": "train-969" + }, + { + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "scenario": "My Aunt owns a fashion and design company. It is VAT registered. She wants to use the VAT accounting scheme in order to pay her returns in advance. She turns over \u00a3790000 per year at the moment.", + "question": "What is the turnover limit to join the annual accounting scheme?", + "not_answerable": false, + "answers": [ + [ + "\u00a31.35 million", + [] + ] + ], + "evidences": [ + "

    You can join the scheme if your estimated VAT taxable turnover is \u00a31.35 million or less.

    ", + "

    You can join the Annual Accounting Scheme if:

    ", + "
  • you\u2019re a VAT-registered business
  • ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • " + ], + "id": "train-970" + }, + { + "url": "https://www.gov.uk/individual-savings-accounts", + "scenario": "I'm 35 and I have just been promoted to manager, I finally have a decent salary and I would like to start saving about \u00a3300-\u00a3400 monthly. My dream is to buy a flat on day in the future. One of my colleague suggested me to open an ISA.", + "question": "How much money can I save each year?", + "not_answerable": false, + "answers": [ + [ + "\u00a320,000", + [ + "
  • cash ISAs
  • ", + "
  • stocks and shares ISAs
  • ", + "
  • innovative finance ISAs
  • ", + "

    You can save up to \u00a320,000 in one type of account or split the allowance across some or all of the other types.

    " + ] + ], + [ + "\u00a34,000", + [ + "
  • Lifetime ISAs
  • " + ] + ] + ], + "evidences": [ + "

    In the 2021 to 2022 tax year, the maximum you can save in ISAs is \u00a320,000

    ", + "

    There are 4 types of ISA:

    ", + "
  • cash ISAs
  • ", + "
  • stocks and shares ISAs
  • ", + "
  • innovative finance ISAs
  • ", + "
  • Lifetime ISAs
  • ", + "

    You can save up to \u00a320,000 in one type of account or split the allowance across some or all of the other types.

    ", + "

    You can only pay \u00a34,000 into your Lifetime ISA in a tax year.

    " + ], + "id": "train-971" + }, + { + "url": "https://www.gov.uk/individual-savings-accounts", + "scenario": "During the lockdown I studied the stock market and I think that the best option for my future is to invest in some index funds, unfortunately I was diagnosed a cancer last year and I would like to invest some money for my wife and my child.", + "question": "Is the ISA going to be part of my inheritance that my family is going to receive if I die?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    There will be no Income Tax or Capital Gains Tax to pay up to that date, but ISA investments will form part of your estate for Inheritance Tax purposes.

    " + ], + "id": "train-972" + }, + { + "url": "https://www.gov.uk/tax-on-pension", + "scenario": "I want to take my whole pension of \u00a3250,000 out in a lump sum. I am wondering what would the tax implications be for this.", + "question": "Will I have to pay tax on this lump sum?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You pay tax if your total annual income adds up to more than your Personal Allowance. Find out about your Personal Allowance and Income Tax rates.

    ", + "

    You may have to pay Income Tax at a higher rate if you take a large amount from a private pension. You may also owe extra tax at the end of the tax year.

    ", + "

    You might have to pay Income Tax at a higher rate if you take a large amount from your pension. You could also owe extra tax at the end of the tax year.

    " + ] + ] + ], + "evidences": [ + "

    You pay tax if your total annual income adds up to more than your Personal Allowance. Find out about your Personal Allowance and Income Tax rates.

    ", + "

    You may have to pay Income Tax at a higher rate if you take a large amount from a private pension. You may also owe extra tax at the end of the tax year.

    ", + "

    You can usually take up to 25% of the amount built up in any pension as a tax-free lump sum. The tax-free lump sum doesn\u2019t affect your Personal Allowance.

    ", + "

    You might have to pay Income Tax at a higher rate if you take a large amount from your pension. You could also owe extra tax at the end of the tax year.

    " + ], + "id": "train-973" + }, + { + "url": "https://www.gov.uk/tax-on-pension", + "scenario": "I am 65 year old, and I have been told that I only have three years to live. I have a pension pot of \u00a3750,000.", + "question": "Will I be eligible for the full free tax benefit from my low life expectancy?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may be able to take all the money in your pension as a tax-free lump sum, if all of the following apply:

    ", + "
  • you\u2019re expected to live less than a year because of serious illness
  • ", + "
  • you\u2019re under 75
  • ", + "
  • you don\u2019t have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • " + ], + "id": "train-974" + }, + { + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "scenario": "I have had part of my garden purchased to make way for a new road. The road has now opened, and the noise of the road is keeping me awake.", + "question": "Is there any compensation I can apply for?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    When a new road is built, it often involves the \u2018compulsory purchase\u2019 of land to make way for the road.

    ", + "

    You might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.

    " + ], + "id": "train-975" + }, + { + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "scenario": "I live near an trainline. The noise at first was fine, but there seems to be a train that goes by at midnight that makes a ridiculously loud noise.", + "question": "Who can I contact about this issue?", + "not_answerable": false, + "answers": [ + [ + "the company running those trains", + [] + ], + [ + "your local council", + [ + "

    If you think that noise levels are affecting your health contact your local council who will investigate on your behalf.

    " + ] + ] + ], + "evidences": [ + "

    There are no legal limits to noise from existing railways.

    ", + "

    If you think that noise levels are affecting your health contact your local council who will investigate on your behalf.

    ", + "

    If particular trains are causing you a problem, speak to the company running those trains.

    " + ], + "id": "train-976" + }, + { + "url": "https://www.gov.uk/tax-sell-shares", + "scenario": "I inherited some shares from my elderly uncle. I know some are very old and i want to tell them. I will probably have to pay tax of some sort.", + "question": "Am I liable for tax and if so, what kind?", + "not_answerable": false, + "answers": [ + [ + "capital gains tax", + [ + "

    You\u2019ll need to work out your gain to find out whether you need to pay Capital Gains Tax.

    " + ] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) shares or other investments.

    ", + "

    You\u2019ll need to work out your gain to find out whether you need to pay Capital Gains Tax.

    " + ], + "id": "train-977" + }, + { + "url": "https://www.gov.uk/tax-sell-shares", + "scenario": "Me and some friends have got together to start buying some shares. It seems to be easier to it collectively.", + "question": "Are there specific rules for such things?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You work out your gain differently if you\u2019ve bought and sold shares through an investment club.

    ", + "

    An investment club is a group of people that buys and sells shares together on the stock market.

    " + ], + "id": "train-978" + }, + { + "url": "https://www.gov.uk/keeping-your-pay-tax-records", + "scenario": "I run my own business. I have submitted my tax return for the tax year ending 5th April 2020. This was submitted on the 7th January 2021.", + "question": "For how long do I have to keep my records for this tax year?", + "not_answerable": false, + "answers": [ + [ + "at least 22 months after the end of the tax year the tax return is for.", + [ + "

    Tax returns sent on or before the deadline

    " + ] + ], + [ + "at least 15 months after you sent the tax return", + [ + "

    Tax returns sent after the deadline

    " + ] + ] + ], + "evidences": [ + "

    Tax returns sent on or before the deadline

    ", + "

    You should keep your records for at least 22 months after the end of the tax year the tax return is for.

    ", + "

    Tax returns sent after the deadline

    ", + "

    You should keep your records for at least 15 months after you sent the tax return.

    " + ], + "id": "train-979" + }, + { + "url": "https://www.gov.uk/keeping-your-pay-tax-records", + "scenario": "I own some properties in the UK that I am about to rent out. I am considering the tax that I would have to pay, and the documents I will need to keep.", + "question": "What information do I need to keep in relation to this apart from rent received?", + "not_answerable": false, + "answers": [ + [ + "the dates when you let out your property", + [] + ], + [ + "any income from services you give to tenants", + [] + ], + [ + "rent books, receipts, invoices and bank statements", + [] + ], + [ + "allowable expenses you pay to run your property", + [] + ] + ], + "evidences": [ + "

    You need to keep records if you have to send HM Revenue and Customs (HMRC) a Self Assessment tax return.

    ", + "

    You should keep details of:

    ", + "
  • the dates when you let out your property
  • ", + "
  • all rent you get
  • ", + "
  • any income from services you give to tenants (for example if you charge for maintenance or repairs)
  • ", + "
  • rent books, receipts, invoices and bank statements
  • ", + "
  • allowable expenses you pay to run your property (for example services you pay for such as cleaning or gardening)
  • " + ], + "id": "train-980" + }, + { + "url": "https://www.gov.uk/national-insurance", + "scenario": "I just started working as I became 16 years old, I get paid \u00a3200 per work week, I expect this to go up to \u00a3400 next year.", + "question": "How much do I have to pay national insurance?", + "not_answerable": false, + "answers": [ + [ + "12%", + [] + ] + ], + "evidences": [ + "

    You pay mandatory National Insurance if you\u2019re 16 or over and are either:

    ", + "
  • an employee earning above \u00a3184 a week
  • ", + "

    You pay Class 1 National Insurance contributions. The rates for most people for the 2021 to 2022 tax year are:

    ", + "Your pay | Class 1 National Insurance rate", + "\u00a3184 to \u00a3967 a week (\u00a3797 to \u00a34,189 a month) | 12%" + ], + "id": "train-981" + }, + { + "url": "https://www.gov.uk/national-insurance", + "scenario": "I became self employed and make \u00a33000 per year, this is my only job after I left my previous employer.", + "question": "Do I have to pay national insurance?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You pay mandatory National Insurance if you\u2019re 16 or over and are either:

    ", + "
  • self-employed and making a profit of \u00a36,515 or more a year
  • ", + "National Insurance class | Who pays", + "Class 2 | Self-employed people earning profits of \u00a36,515 or more a year. If you\u2019re earning less than this, you can choose to pay voluntary contributions to fill or avoid gaps in your National Insurance record" + ], + "id": "train-982" + }, + { + "url": "https://www.gov.uk/national-insurance", + "scenario": "My Aunt is both employed and self-employed .She makes both class 1 and class 2 national insurance payments. She wants to file her self assessment tax returns.", + "question": "Is she required to pay both types at the same time when paying her self assessment bill?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "Class 1 | Employees earning more than \u00a3184 a week and under State Pension age - they\u2019re automatically deducted by your employer", + "

    You pay National Insurance with your tax. Your employer will take it from your wages before you get paid. Your payslip will show your contributions.

    ", + "

    You pay Class 2 and Class 4 National Insurance, depending on your profits. Most people pay both through Self Assessment.

    ", + "

    You might be an employee but also do self-employed work. In this case your employer will deduct your Class 1 National Insurance from your wages, and you may have to pay Class 2 and 4 National Insurance for your self-employed work.

    " + ], + "id": "train-983" + }, + { + "url": "https://www.gov.uk/national-insurance", + "scenario": "My daughter is now 16 years old. She wishes to start some work. She is a UK resident and has the right to work in the UK. Intending to get a wage of \u00a3190 per week", + "question": "Will she be liable in paying national insurance ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You pay mandatory National Insurance if you\u2019re 16 or over and are either:

    ", + "
  • an employee earning above \u00a3184 a week
  • ", + "

    You pay Class 1 National Insurance contributions. The rates for most people for the 2021 to 2022 tax year are:

    ", + "Your pay | Class 1 National Insurance rate", + "\u00a3184 to \u00a3967 a week (\u00a3797 to \u00a34,189 a month) | 12%" + ], + "id": "train-984" + }, + { + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "scenario": "My friend Ann has been experiencing sleepless nights since last year. This is after a new road was constructed which passes near her property. The potential buyer who had interest in buying the property withdrew citing road noise.", + "question": "Can she apply for a compensation?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If noise from a new road exceeds certain levels at your home you might be able to get sound insulation.

    ", + "

    Contact your highway authority to apply, or if you\u2019re worried about the noise from a planned road scheme - get their details from your local council.

    ", + "

    You might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.

    ", + "

    You can apply for compensation if your property value goes down because of road noise from the use of a new or altered road.

    " + ], + "id": "train-985" + }, + { + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "scenario": "I live in the countryside and a new railway line has been built near my farm. It causes a lot of noise pollution from the trains and I find it very uncomfortable. My house is not insulated.", + "question": "Can i contact the rail company involved and make a complaint?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If noise from a new railway affects your property you might be able to get sound insulation for your home. Contact the relevant rail authority - ask your local council for their details.

    " + ], + "id": "train-986" + }, + { + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "scenario": "Hello Dave again. I have been living aboard for some years and have, off and on, paid NI contributions. Usually a transfer from my bank here.", + "question": "Can I pay via Direct debit from my UK bank account instead?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You do not pay through Self Assessment if you\u2019re any of the following:

    ", + "
  • living abroad and paying voluntary Class 2 contributions
  • ", + "
  • working abroad
  • ", + "

    Fill in the form to set up a new Direct Debit.

    " + ], + "id": "train-987" + }, + { + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "scenario": "These last few months have been terrible with COVID19 making life difficult. i have not been able to get to the bank to deposit my NI class 2 contributions.", + "question": "Can I send you a cheque", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot currently pay by cheque through the post because of coronavirus (COVID-19).

    " + ], + "id": "train-988" + }, + { + "url": "https://www.gov.uk/building-regulations-approval", + "scenario": "I am planning to change the lights in the bathroom of my house. I do not need approval for buildings regulations.", + "question": "Can I ignore the energy efficiency standards for this change?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You do not need building regulations approval for some exempt projects, including:

    ", + "
  • new power and lighting points, or changes to existing circuits (except around baths and showers)
  • ", + "

    You must meet safety and energy efficiency standards even if you do not need formal approval.

    " + ], + "id": "train-989" + }, + { + "url": "https://www.gov.uk/building-regulations-approval", + "scenario": "I am looking to have the fuse box in my house moved. I am not able to do it myself, so I am looking for an electrician to do it for me?", + "question": "In what way can I be sure that the tradesman will meet regulations?", + "not_answerable": false, + "answers": [ + [ + "search the electrical competent person register", + [] + ] + ], + "evidences": [ + "

    Search the Electrical Competent Person Register if you\u2019re looking for an electrician to work on your home.

    " + ], + "id": "train-990" + }, + { + "url": "https://www.gov.uk/register-for-self-assessment", + "scenario": "I was self employed two years ago, but closed the business. I already have a unique taxpayer's reference from filing online previously. I have become self-employed once again, and need to sign up for self assessment.", + "question": "Do I need a new UTR for the self assessment?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Re-register online (form CWF1) if the work you plan to do is different from what you did before.

    ", + "

    You\u2019ll need your 10-digit Unique Taxpayer Reference (UTR) from when you registered before. You can find your UTR if you do not know it.

    " + ], + "id": "train-991" + }, + { + "url": "https://www.gov.uk/register-for-self-assessment", + "scenario": "I am a partner in a new partnership. I need to register for self assessment. I am also the nominated partner.", + "question": "What do I need to do to sign up for self assessment?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-992" + }, + { + "url": "https://www.gov.uk/tax-appeals", + "scenario": "My fiance and I are self employed and have never had any problems with HMRC before. But we recently received a letter saying that we underpaid our last tax bill. I do not know how this can have happened.", + "question": "Is it possible to query HMRC's decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can contact HM Revenue and Customs (HMRC) if you have a query about a tax decision. If you do not understand the decision you can also get advice from HMRC or professional help.

    ", + "

    HMRC will send you a decision letter that will tell you if you can appeal against a tax decision.

    " + ], + "id": "train-993" + }, + { + "url": "https://www.gov.uk/tax-appeals", + "scenario": "I have recently recovered from a bout of Covid 19 which saw me hospitalised for three weeks. When I returned I found that I had been penalised for not returning my self assessment tax form in time.", + "question": "Am I eligible to complain about this and have the penalty repaid due to extenuating circumstances?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal against some decisions about:

    ", + "
  • a penalty (for example if you paid your tax late or filed your tax return late)
  • ", + "

    You can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.

    ", + "

    A reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:

    ", + "
  • you had an unexpected stay in hospital that prevented you from dealing with your tax affairs
  • ", + "

    If you\u2019re affected by coronavirus (COVID-19)

    ", + "

    HMRC will consider coronavirus as a reasonable excuse for missing some tax obligations (such as payments or filing dates).

    " + ], + "id": "train-994" + }, + { + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "scenario": "I am self employed. In the previous seven years, I only made \u00a35,000 profit per year. I paid no national insurance during this time.", + "question": "Can I voluntarily pay for national insurance for the whole seven year gap?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can usually only pay for gaps in your National Insurance record from the past 6 years.

    ", + "

    You can sometimes pay for gaps from more than 6 years ago depending on your age.

    ", + "

    You can usually pay voluntary contributions for the past 6 years. The deadline is 5 April each year.

    ", + "

    You can sometimes pay for gaps from more than 6 years ago, depending on your age.

    " + ] + ] + ], + "evidences": [ + "

    You may get gaps in your record if you do not pay National Insurance or do not get National Insurance credits. This could be because you were:

    ", + "
  • self-employed but did not pay contributions because of small profits
  • ", + "

    You may be able to pay voluntary contributions to fill any gaps if you\u2019re eligible.

    ", + "

    You can usually only pay for gaps in your National Insurance record from the past 6 years.

    ", + "

    You can sometimes pay for gaps from more than 6 years ago depending on your age.

    ", + "

    You can usually pay voluntary contributions for the past 6 years. The deadline is 5 April each year.

    ", + "

    You can sometimes pay for gaps from more than 6 years ago, depending on your age.

    ", + "

    You\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953

    " + ], + "id": "train-995" + }, + { + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "scenario": "I am a woman who was born on the 3rd April 1952. I am looking at the rates of national insurance I should be paying.", + "question": "What rates should I be paying?", + "not_answerable": false, + "answers": [ + [ + "\u00a33.05 a week", + [ + "
  • \u00a33.05 a week for Class 2
  • " + ] + ], + [ + "\u00a315.40 a week", + [ + "
  • \u00a315.40 a week for Class 3
  • " + ] + ] + ], + "evidences": [ + "

    The rates for the 2021 to 2022 tax year are:

    ", + "
  • \u00a33.05 a week for Class 2
  • ", + "
  • \u00a315.40 a week for Class 3
  • ", + "

    You usually pay the current rate when you make a voluntary contribution.

    ", + "

    If you\u2019re paying Class 2 contributions for the previous tax year or Class 3 contributions for the previous 2 tax years, you pay the original rate for those tax years.

    " + ], + "id": "train-996" + }, + { + "url": "https://www.gov.uk/apply-to-bankrupt-someone", + "scenario": "My neighbor borrowed me \u00a310,000 to plan his wedding in the year 2018.Efforts to recover my money have been futile. He owns several cars and a pub.I want to bankrupt him because he owes me money.", + "question": "How much does a bunkruptcy petition cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a3990 petition deposit", + [] + ], + [ + "\u00a3280 for court costs", + [] + ] + ], + "evidences": [ + "

    The court fees to make someone bankrupt are:

    ", + "
  • \u00a3990 petition deposit (for managing the bankruptcy)
  • ", + "
  • \u00a3280 for court costs
  • " + ], + "id": "train-997" + }, + { + "url": "https://www.gov.uk/apply-to-bankrupt-someone", + "scenario": "My Aunt wants to do a search for a debtor who owes her money. She wants to find out if the debtor has other bankruptcy petitions before she files one.", + "question": "Can she give an oral confirmation about the search?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must confirm you\u2019ve carried out the searches by writing a declaration - use the wording below and fill in the petition number and the name of the court if applicable.

    " + ], + "id": "train-998" + }, + { + "url": "https://www.gov.uk/register-for-self-assessment", + "scenario": "I have been working abroad for a number of years and just returned to the UK. I have a property in South Africa I am renting out. I am aware that I might need to declare this income. I am working for a bank.", + "question": "What is the first step in registering for self assessment?", + "not_answerable": false, + "answers": [ + [ + "register online", + [] + ] + ], + "evidences": [ + "
  • Register online. Once you\u2019ve completed the questions, HMRC will create your account.
  • " + ], + "id": "train-999" + }, + { + "url": "https://www.gov.uk/register-for-self-assessment", + "scenario": "Greetings. i have been made a partner in the firm I work for. Up until now I have been just an employee paying PAYE as normal.", + "question": "Are partners in firms treated the same way?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There are different ways to register if you\u2019re:

    ", + "
  • registering a partner or partnership
  • " + ], + "id": "train-1000" + }, + { + "url": "https://www.gov.uk/claim-planning-appeal-costs", + "scenario": "I have made an appeal on a planning decision. I took time off work for an inspection, costing me \u00a3500 in business revenue. The inspector did not turn up.", + "question": "Am I able to claim these costs due to this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can claim costs if someone involved in your planning appeal behaves unreasonably and costs you money.

    ", + "

    You may be able to claim costs if someone involved in your appeal behaves unreasonably and costs you money. This includes if they:

    ", + "
  • fail to turn up to a site visit, hearing or inquiry
  • ", + "

    You can claim for costs directly related to your appeal, for example:

    ", + "
  • time preparing for an appeal
  • ", + "
  • attending a hearing or inquiry
  • " + ], + "id": "train-1001" + }, + { + "url": "https://www.gov.uk/claim-planning-appeal-costs", + "scenario": "I have appealed against a planning decision, and have made a claim to for costs. The costs I incurred were \u00a3600 for witnesses.", + "question": "Will I be able to get the full amount back?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • fail to co-operate with you or others
  • ", + "
  • miss deadlines
  • ", + "
  • fail to turn up to a site visit, hearing or inquiry
  • ", + "
  • gave information that was wrong or declared after the deadline
  • " + ] + ] + ], + "evidences": [ + "

    You can claim costs if someone involved in your planning appeal behaves unreasonably and costs you money.

    ", + "

    You may be able to claim costs if someone involved in your appeal behaves unreasonably and costs you money. This includes if they:

    ", + "
  • fail to co-operate with you or others
  • ", + "
  • miss deadlines
  • ", + "
  • fail to turn up to a site visit, hearing or inquiry
  • ", + "
  • gave information that was wrong or declared after the deadline
  • " + ], + "id": "train-1002" + }, + { + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "scenario": "I want to apply for the Debt Respite scheme so I can get advice to pay off my unsecured debt. I do not have a debt relief order at this time.", + "question": "What steps do I need to take to apply?", + "not_answerable": false, + "answers": [ + [ + "talk to a debt adviser", + [] + ], + [ + "submit an application", + [] + ], + [ + "get confidential advice online, over the phone or in person", + [] + ] + ], + "evidences": [ + "

    To apply for the \u2018Breathing Space\u2019 scheme, you need to talk to a debt adviser. They will submit an application on your behalf if it\u2019s the right thing to do.

    ", + "

    You can find a free debt adviser on the Money Advice Service website. You can get confidential advice online, over the phone or in person.

    " + ], + "id": "train-1003" + }, + { + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "scenario": "I have unsecured debts amounting to \u00a375,000 that I am struggling to pay. I can afford to pay a small amount each month. I want to apply for a Debt Management Plan.", + "question": "Will I be eligible for this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    A Debt Management Plan is an agreement between you and your creditors to pay all of your debts.

    ", + "

    Debt management plans are usually used when either:

    ", + "
  • you can only afford to pay creditors a small amount each month
  • ", + "

    Debt Management Plans can only be used to pay \u2018unsecured\u2019 debts, for example debts that have not been guaranteed against your property.

    " + ], + "id": "train-1004" + }, + { + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "scenario": "I have a VAT-registered business. The turnover of my business in the next year is estimated to be \u00a31.5 million. I am looking to join the annual accounting scheme. I have never joined this scheme.", + "question": "Am I eligible to join this scheme?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can join the Annual Accounting Scheme if:

    ", + "
  • you\u2019re a VAT-registered business
  • ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • " + ], + "id": "train-1005" + }, + { + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "scenario": "I have just joined the VAT annual accounting scheme. I am sorting out the payment schedule for my business for cashflow purposes.", + "question": "When are the payment deadlines for this scheme?", + "not_answerable": false, + "answers": [ + [ + "due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12", + [ + "Monthly | Due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12" + ] + ], + [ + "due at the end of months 4, 7 and 10", + [ + "Quarterly | Due at the end of months 4, 7 and 10" + ] + ], + [ + "within 2 months of month 12", + [ + "Final payment | Within 2 months of month 12" + ] + ] + ], + "evidences": [ + "Payment | Deadline", + "Monthly | Due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12", + "Quarterly | Due at the end of months 4, 7 and 10", + "Final payment | Within 2 months of month 12" + ], + "id": "train-1006" + }, + { + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "scenario": "Good morning. I am returning to the UK from Africa where I have been working for last 10 years. Obviously I have no P45.", + "question": "What information do i need to give my employer when he is registering me as and employee for tax purposes?", + "not_answerable": false, + "answers": [ + [ + "a \u2018starter checklist\u2019", + [] + ] + ], + "evidences": [ + "

    They may use a \u2018Starter Checklist\u2019 to collect the information, or may collect it another way. The Starter Checklist has questions about any other jobs, benefits or student loans you have. It helps your employer work out your correct tax code before your first payday.

    ", + "

    Instead, your new employer may give you a \u2018Starter Checklist\u2019 or ask you for the relevant details about your finances to send to HM Revenue and Customs (HMRC).

    " + ], + "id": "train-1007" + }, + { + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "scenario": "I have recently applied for a mortgage and I have been asked for proof of income. I gave them payslips but they said I should provide something else.", + "question": "Would my end of year P60 form be suitable for this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your P60 shows the tax you\u2019ve paid on your salary in the tax year (6 April to 5 April). You get a separate P60 for each of your jobs.

    ", + "

    You\u2019ll need your P60 to prove how much tax you\u2019ve paid on your salary, for example:

    ", + "
  • as proof of your income if you apply for a loan or a mortgage
  • " + ], + "id": "train-1008" + }, + { + "url": "https://www.gov.uk/your-property-boundaries", + "scenario": "My neighbour and I share a hedge that runs between our two properties. I think it would be wise, for the avoidance of doubt, to have an agreement in place regarding the hedge.", + "question": "What details are required in a boundary agreement?", + "not_answerable": false, + "answers": [ + [ + "your name and address", + [] + ], + [ + "your neighbour\u2019s name and address", + [] + ], + [ + "the date the agreement begins", + [] + ], + [ + "the boundary you\u2019ve agreed", + [] + ] + ], + "evidences": [ + "

    You and your neighbour can create a \u2018boundary agreement\u2019 to record:

    ", + "
  • who\u2019s responsible for maintaining a hedge, wall, tree or fence between 2 properties
  • ", + "

    Your boundary agreement must include:

    ", + "
  • your name and address
  • ", + "
  • your neighbour\u2019s name and address
  • ", + "
  • the date the agreement begins
  • ", + "
  • the boundary you\u2019ve agreed
  • " + ], + "id": "train-1009" + }, + { + "url": "https://www.gov.uk/your-property-boundaries", + "scenario": "We have noticed that there is a mistake on our title deeds regarding the boundary. I have spoken to our neighbour and he agrees with us.", + "question": "How can I change the title deeds to rectify this mistake?", + "not_answerable": false, + "answers": [ + [ + "explain why you think there\u2019s a mistake", + [] + ], + [ + "include any evidence that supports your argument", + [] + ], + [ + "write to hm land registry (hmlr)", + [] + ] + ], + "evidences": [ + "

    You can apply to get the title plan corrected if you think there\u2019s a mistake on it.

    ", + "

    Write to HM Land Registry (HMLR) if you think there\u2019s a boundary mistake on a property\u2019s title plan.

    ", + "

    You\u2019ll need to:

    ", + "
  • explain why you think there\u2019s a mistake
  • ", + "
  • include any evidence that supports your argument, such as certified copies of the deeds to the property
  • " + ], + "id": "train-1010" + }, + { + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "scenario": "Good evening. Dave here. I have been working in Africa for a few years and am concerned about my state pension. Someone has told me I can pay towards this even if I am out of the UK.", + "question": "Can I pay NI contributions while I am outside the United Kingdom for a prolonged period?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can usually only pay for gaps in your National Insurance record from the past 6 years.

    ", + "Living and working abroad | Class 2 - but only if you worked in the UK immediately before leaving, and you\u2019ve previously lived in the UK for at least 3 years in a row or paid at least 3 years of contributions" + ] + ] + ], + "evidences": [ + "

    You may want to pay voluntary contributions because:

    ", + "
  • you live outside the UK, but you want to qualify for some benefits
  • ", + "

    You can usually only pay for gaps in your National Insurance record from the past 6 years.

    ", + "Your situation | Which class to pay", + "Living and working abroad | Class 2 - but only if you worked in the UK immediately before leaving, and you\u2019ve previously lived in the UK for at least 3 years in a row or paid at least 3 years of contributions" + ], + "id": "train-1011" + }, + { + "url": "https://www.gov.uk/tenancy-deposit-protection", + "scenario": "Good morning. I am renting out my second home and will be taking a one month deposit from the tenants to protect myself in case of issues.", + "question": "When do i need to give information to the tenant?", + "not_answerable": false, + "answers": [ + [ + "once your landlord has received your deposit", + [] + ] + ], + "evidences": [ + "

    Once your landlord has received your deposit, they have 30 days to tell you:

    " + ], + "id": "train-1012" + }, + { + "url": "https://www.gov.uk/tenancy-deposit-protection", + "scenario": "I am a tenant and and moving out of the house this month end. I paid a deposit to the landlord and he says he hasn't got the money to hand. I am now out of pocket.", + "question": "When should a landlord return a deposit to a tenant?", + "not_answerable": false, + "answers": [ + [ + "within 10 days of you both agreeing how much you\u2019ll get back", + [] + ] + ], + "evidences": [ + "

    Your landlord must return your deposit within 10 days of you both agreeing how much you\u2019ll get back.

    " + ], + "id": "train-1013" + }, + { + "url": "https://www.gov.uk/tax-employee-share-schemes", + "scenario": "I have shares in an incentive plan. I plan to keep these shares in this plan for the next 7 year. I am considering the tax implications of these shares.", + "question": "How much income tax do I need to pay on these shares?", + "not_answerable": false, + "answers": [ + [ + "you will not pay income tax", + [] + ] + ], + "evidences": [ + "

    If you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.

    " + ], + "id": "train-1014" + }, + { + "url": "https://www.gov.uk/tax-employee-share-schemes", + "scenario": "I own \u00a37,000 of shares in my employer's company. I received \u00a31,600 of these shares before the 20th January 2016. I, nor any relation, hold more than 25% of the voting rights in the company.", + "question": "Am I eligible for tax relief on these shares?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.

    ", + "

    To be an employee shareholder, you must own shares in your employer\u2019s company that were worth at least \u00a32,000 when you got them.

    ", + "

    You will not usually pay Income Tax or National Insurance on the first \u00a32,000 worth of employee shareholder shares you get before 1 December 2016.

    ", + "

    You will not get tax relief if you or someone you\u2019re connected with (like a business partner, spouse or family member) have 25% or more voting rights in the company.

    " + ], + "id": "train-1015" + }, + { + "url": "https://www.gov.uk/tax-relief-for-employees", + "scenario": "I have been working from home since last year due to covid . It forced me to buy several items to help me work efficiently like a laptop, internet broadband , a desk and a chair. My gas and electricity bills have increased as well. My employer has not paid me back all these expenses.", + "question": "What can i claim for tax relief?", + "not_answerable": false, + "answers": [ + [ + "gas and electricity", + [] + ], + [ + "metered water", + [] + ], + [ + "business phone calls, including dial-up internet access", + [] + ], + [ + "equipment you\u2019ve bought", + [] + ] + ], + "evidences": [ + "

    You may be able to claim tax relief for additional household costs if you have to work at home on a regular basis, either for all or part of the week. This includes if you have to work from home because of coronavirus (COVID-19).

    ", + "

    You may be able to claim tax relief for:

    ", + "
  • gas and electricity
  • ", + "
  • metered water
  • ", + "
  • business phone calls, including dial-up internet access
  • ", + "

    You may also be able to claim tax relief on equipment you\u2019ve bought, such as a laptop, chair or mobile phone.

    " + ], + "id": "train-1016" + }, + { + "url": "https://www.gov.uk/tax-relief-for-employees", + "scenario": "I am a marketing manager in my company. I travel with my car and stay overnights in hotels as I meet more and more business clients. I spent personal money on covering accommodation fees, food and drink. I am in the process of compiling all the expenses to claim tax relief", + "question": "I've told I can't include parking fees. Is this correct?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you have to travel for your work you may be able to claim tax relief on the cost or money you\u2019ve spent on food or overnight expenses.

    ", + "

    You can claim tax relief for money you\u2019ve spent on things like:

    ", + "
  • parking fees
  • " + ], + "id": "train-1017" + }, + { + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "scenario": "I am an employee and have completed self assessment tax returns for several years. I recently moved house to a larger property.", + "question": "Do I need to tell HMRC that I have moved?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    How you contact HM Revenue and Customs (HMRC) to update your name or address depends on your situation.

    ", + "

    Tell HMRC you\u2019ve changed your address. If you submit a Self Assessment tax return as well your details will be updated for both.

    " + ], + "id": "train-1018" + }, + { + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "scenario": "My name is Danielle, formerly Daniel. I now identify myself as female. I have not changed job, nor have any of my other circumstances changed.", + "question": "How do I inform HMRC of my change of gender?", + "not_answerable": false, + "answers": [ + [ + "told automatically", + [] + ], + [ + "write to special section d", + [] + ] + ], + "evidences": [ + "

    HM Revenue and Customs (HMRC) is usually told automatically when you change gender legally by applying for a Gender Recognition Certificate.

    ", + "

    You can write to Special Section D to tell HMRC:

    ", + "
  • about your legal gender change
  • " + ], + "id": "train-1019" + }, + { + "url": "https://www.gov.uk/apply-to-bankrupt-someone", + "scenario": "I am owed \u00a310,000 by a borrower. They have refused to pay, and I want to bankrupt them. I do not know how to check whether there are other petitions open in London.", + "question": "Where can I check whether there are other petitions?", + "not_answerable": false, + "answers": [ + [ + "the rolls building of the royal courts of justice", + [] + ], + [ + "the central london county court", + [] + ] + ], + "evidences": [ + "

    You must check if the debtor has had any bankruptcy petitions against them in the past 18 months. These checks are called \u2018searches\u2019.

    ", + "

    Carry out checks using the public computers at either:

    ", + "
  • the Rolls Building of the Royal Courts of Justice
  • ", + "
  • the Central London County Court
  • " + ], + "id": "train-1020" + }, + { + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "scenario": "I own a watch that is worth \u00a360,000. The watch will only have 30 years of life left. I am looking to sell the watch.", + "question": "Will I need to pay capital gains tax on this item?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.

    ", + "

    You don\u2019t pay Capital Gains Tax on:

    ", + "
  • anything with a limited lifespan, eg clocks - unless used for business
  • ", + "

    You don\u2019t have to pay Capital Gains Tax on personal possessions with a lifespan of less than 50 years. This covers all machinery, and includes things like antique clocks or watches.

    " + ], + "id": "train-1021" + }, + { + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "scenario": "I want to sell an antique vase for \u00a3150,000. I bought the vase for \u00a320,000, and spent \u00a360,000 on repairs to the vase.", + "question": "Do I pay tax on the repair expenses?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Possessions you may need to pay tax on include:

    ", + "
  • antiques
  • ", + "

    Your gain is usually the difference between what you paid for your personal possession and what you sold it for.

    ", + "

    You can deduct certain costs of buying, selling or improving your personal possession from your gain.

    ", + "

    Costs you can deduct include:

    ", + "
  • costs to improve your possession (but not repairs)
  • " + ], + "id": "train-1022" + }, + { + "url": "https://www.gov.uk/statutory-demands", + "scenario": "I am a sole trader buying and selling catering equipment. I purchased an industrial oven which was damaged when I received it. I disputed the value on invoice sent to me by the seller. I have received a statutory demand from the seller for this invoice.", + "question": "Do I have to pay this invoice within 21 days even though I am in dispute with the seller?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you do not agree with a statutory demand you\u2019ve been given, you can apply to challenge it and get it \u2018set aside\u2019.

    ", + "

    If you win your case, you\u2019ll get an order from the court setting aside the statutory demand. The deadline for paying the debt will be suspended.

    ", + "

    If you lose, you\u2019ll have to pay back your debt within the 21 day time limit. The creditor can apply to bankrupt you if you do not pay in time and your debt is \u00a35,000 or more.

    " + ], + "id": "train-1023" + }, + { + "url": "https://www.gov.uk/statutory-demands", + "scenario": "I have a business, and am owed \u00a317,000 by a limited company in the UK for a machine I supplied to them. They have recently gone into administration due to lack of funds and state they will not be paying me.", + "question": "If I issue a statutory demand for payment will it assist my case in receiving some of the money owed to me?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    If the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.

    " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can make a statutory demand to ask for payment of a debt from an individual or company.

    ", + "

    Anyone who\u2019s owed money (the \u2018creditor\u2019) can make a statutory demand. You do not need a lawyer.

    ", + "

    If the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.

    " + ], + "id": "train-1024" + }, + { + "url": "https://www.gov.uk/married-couples-allowance", + "scenario": "I am married to a woman, who I currently live with. I was born on the 7th March 1934. We have been looking at married couple's allowance.", + "question": "Will we be eligible for married couple's allowance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can claim Married Couple\u2019s Allowance if all the following apply:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • you\u2019re living with your spouse or civil partner
  • ", + "
  • one of you was born before 6 April 1935
  • " + ], + "id": "train-1025" + }, + { + "url": "https://www.gov.uk/married-couples-allowance", + "scenario": "I am eligible for Married Couple's Allowance. I am considering applying, but would like to know how much I would get.", + "question": "What amount of allowance would I receive?", + "not_answerable": false, + "answers": [ + [ + "between \u00a3353 and \u00a3912.50 a year", + [] + ] + ], + "evidences": [ + "

    Married Couple\u2019s Allowance could reduce your tax bill by between \u00a3353 and \u00a3912.50 a year.

    ", + "

    Married Couple\u2019s Allowance could reduce your tax bill each year if you\u2019re married or in a civil partnership.

    ", + "

    For the 2021 to 2022 tax year, it could cut your tax bill by between \u00a3353 and \u00a3912.50 a year.

    " + ], + "id": "train-1026" + }, + { + "url": "https://www.gov.uk/party-walls-building-works", + "scenario": "Me and my neighbour share a party wall that is crumbling. I want to replace this wall with a new one.", + "question": "Do I need to inform my neighbour about carrying this work out?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must tell your neighbours if you want to carry out any building work near or on your shared property boundary, or \u2018party wall\u2019, in England and Wales.

    ", + "

    You must tell your neighbour if you want to:

    ", + "
  • build on or at the boundary of your 2 properties
  • ", + "
  • work on an existing party wall or party structure
  • ", + "

    Examples of this type of work include:

    ", + "
  • building a new wall
  • ", + "
  • knocking down and rebuilding a party wall
  • " + ], + "id": "train-1027" + }, + { + "url": "https://www.gov.uk/party-walls-building-works", + "scenario": "I need to notify my neighbours about potential work I am carrying out on the boundary. This would include building a new garage.", + "question": "What length of notice period do I need to give my neighbour before building work starts?", + "not_answerable": false, + "answers": [ + [ + "between 2 months and a year", + [] + ] + ], + "evidences": [ + "

    You must give notice to your neighbour between 2 months and a year before you plan to start building works. Include what you plan on doing.

    " + ], + "id": "train-1028" + }, + { + "url": "https://www.gov.uk/pay-voluntary-class-3-national-insurance", + "scenario": "I am 35 and have been in steady full time work for ten years now. I pay a high level of tax and NI. For half a dozen years when I was younger, however, I was unemployed and claiming no benefits and so paid no NI during that time.", + "question": "Where do I find out if this will affect my pension?", + "not_answerable": false, + "answers": [ + [ + "check your national insurance record", + [] + ], + [ + "contact the future pension centre", + [] + ] + ], + "evidences": [ + "

    You may be able to pay Class 3 voluntary National Insurance to fill gaps in your contributions record to qualify for benefits like the State Pension.

    ", + "

    Check your National Insurance record to find out:

    ", + "
  • if you have any gaps
  • ", + "
  • if you\u2019re eligible to pay voluntary contributions
  • ", + "

    Voluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.

    " + ], + "id": "train-1029" + }, + { + "url": "https://www.gov.uk/pay-voluntary-class-3-national-insurance", + "scenario": "Because I did not make my NI contributions during an unsettled period during my life I have recently made a voluntary repayment to fill in these gaps. I have had no feedback since I made the payment.", + "question": "What happens now and how long does it take to get feedback?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1030" + }, + { + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "scenario": "Hello. I have just sold two old clocks that belonged to my aunt. They were quite valuable and i made a tidy sum.", + "question": "Is this sale liable for Capital Gains Tax?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.

    ", + "

    You don\u2019t pay Capital Gains Tax on:

    ", + "
  • anything with a limited lifespan, eg clocks - unless used for business
  • " + ], + "id": "train-1031" + }, + { + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "scenario": "I have a number of antiques in my collection and i think it it time I offloaded some of them. i am worried about CGT.", + "question": "What is the CGT tax free limit?", + "not_answerable": false, + "answers": [ + [ + "\u00a36,000", + [] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.

    " + ], + "id": "train-1032" + }, + { + "url": "https://www.gov.uk/tax-appeals", + "scenario": "The day I was supposed to file my returns to HMRC. I got very disturbing news about the passing of my grandfather . I lost focus and was deeply upset. This made me fail to return my tax bill in time.", + "question": "Can this be a reasonable excuse to appeal ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.

    ", + "

    A reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:

    ", + "
  • your partner or another close relative died shortly before the tax return or payment deadline
  • " + ], + "id": "train-1033" + }, + { + "url": "https://www.gov.uk/tax-appeals", + "scenario": "I am a good rated tax payer . I was diagnosed with neuropathy due to an advanced case of diabetes. I was hospitalized for a long time. I have no accountant in place to make my timely tax returns in my absence. I got penalized by the HMRC.", + "question": "Are these reasonable grounds for appeal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.

    ", + "

    A reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:

    ", + "
  • you had an unexpected stay in hospital that prevented you from dealing with your tax affairs
  • ", + "
  • you had a serious or life-threatening illness
  • ", + "
  • delays related to a disability you have
  • " + ], + "id": "train-1034" + }, + { + "url": "https://www.gov.uk/party-walls-building-works", + "scenario": "My neighbour and I share a wall between our property. It is damaged and needs repairs. I am planning to tell my neighour on possible plans to repair and give it a new look.", + "question": "Do i need to give him a written notice before building it?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must tell your neighbour if you want to:

    ", + "
  • work on an existing party wall or party structure
  • ", + "

    Examples of this type of work include:

    ", + "
  • knocking down and rebuilding a party wall
  • ", + "

    You must give notice to your neighbour between 2 months and a year before you plan to start building works. Include what you plan on doing.

    ", + "

    You can speak to your neighbour to explain the work you want to carry out, before giving notice in writing.

    ", + "

    Any agreement you reach should be in writing.

    " + ], + "id": "train-1035" + }, + { + "url": "https://www.gov.uk/party-walls-building-works", + "scenario": "Mary has made an agreement with her neighbour to repair a garden wall. They both consented. During the repairs , the neighbour has damaged Mary's gate and the garden shed.", + "question": "Should mary ask the neigbour to pay or repair the damages ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    When carrying out building works you must:

    ", + "
  • protect your neighbour\u2019s property from damage caused by the works, and fix or pay for any damage that is caused
  • " + ], + "id": "train-1036" + }, + { + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "scenario": "I am in a lot of trouble. The phone never stops ringing. My debts have become un-payable ever since I lost my job when I was diagnosed with depression.", + "question": "I want to sort it out but need some time to get help. What are my options?", + "not_answerable": false, + "answers": [ + [ + "speak to a debt adviser to get help choosing the best way to deal with your debt.", + [] + ], + [ + "get temporary protection from your creditors through the \u2018breathing space\u2019 scheme", + [] + ] + ], + "evidences": [ + "

    Speak to a debt adviser to get help choosing the best way to deal with your debt.

    ", + "

    You can also get temporary protection from your creditors through the \u2018Breathing Space\u2019 scheme, while still making repayments. You\u2019ll need to apply through a debt advisor.

    ", + "

    If you live in England or Wales, you can get temporary protection from your creditors while you get debt advice and make a plan. This scheme is called \u2018Breathing Space\u2019.

    " + ], + "id": "train-1037" + }, + { + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "scenario": "Due to my own foolishness, my debts have mounted up and are now beyond my control. I need to some help sorting it out.", + "question": "Is it possible to go into some kind of arrangement with my creditors and get them off my back?", + "not_answerable": false, + "answers": [ + [ + "pay your debts in instalments", + [] + ], + [ + "get temporary protection from your creditors through the \u2018breathing space\u2019 scheme", + [] + ], + [ + "apply for a debt relief order or bankruptcy order", + [ + "

    You can apply for a Debt Relief Order or Bankruptcy Order if you cannot pay your debts because you do not have enough money or assets you can sell.

    " + ] + ], + [ + "be made bankrupt", + [ + "

    If you cannot pay off your debts, you can be made bankrupt.

    " + ] + ] + ], + "evidences": [ + "

    You can pay your debts in instalments by setting up:

    ", + "

    You can also get temporary protection from your creditors through the \u2018Breathing Space\u2019 scheme, while still making repayments. You\u2019ll need to apply through a debt advisor.

    ", + "

    You can apply for a Debt Relief Order or Bankruptcy Order if you cannot pay your debts because you do not have enough money or assets you can sell.

    ", + "

    If you cannot pay off your debts, you can be made bankrupt.

    " + ], + "id": "train-1038" + }, + { + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "scenario": "My Uncle owns a restaurant and the covid pandemic has affected the business a lot and led to loss of business. He has been left with \u00a320000 unpaid debt.He has no spare income or own home.", + "question": "Can he apply for a debt relief order?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019ve less than \u00a31,000 worth of assets
  • ", + "
  • you\u2019ve lived or worked in England and Wales within the last 3 years
  • ", + "
  • you have not applied for a DRO within the last 6 years
  • " + ] + ] + ], + "evidences": [ + "

    Debt Relief Orders (DROs) are one way to deal with your debts if you owe less than \u00a320,000, do not have much spare income and do not own your home.

    ", + "

    You\u2019re generally eligible if you meet all of these criteria:

    ", + "
  • you owe less than \u00a320,000
  • ", + "
  • you\u2019ve less than \u00a350 a month spare income
  • ", + "
  • you\u2019ve less than \u00a31,000 worth of assets
  • ", + "
  • you\u2019ve lived or worked in England and Wales within the last 3 years
  • ", + "
  • you have not applied for a DRO within the last 6 years
  • " + ], + "id": "train-1039" + }, + { + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "scenario": "I am a UK business trader and have been running my business at a loss since the covid restrictions were imposed. My business is on the verge of collapsing and I have made most of my employees redundant. Creditors have been making endless calls. I have never applied for any breathing space.", + "question": "Can i apply and get a breathing space?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • not have a debt relief order (DRO), an individual voluntary arrangement (IVA), an interim order, or be an undischarged bankrupt at the time you apply
  • " + ] + ] + ], + "evidences": [ + "

    If you live in England or Wales, you can get temporary protection from your creditors while you get debt advice and make a plan. This scheme is called \u2018Breathing Space\u2019.

    ", + "

    You must:

    ", + "
  • not have a debt relief order (DRO), an individual voluntary arrangement (IVA), an interim order, or be an undischarged bankrupt at the time you apply
  • ", + "
  • not already be using the \u2018Breathing Space\u2019 scheme
  • ", + "
  • not have used the \u2018Breathing Space\u2019 scheme in the last 12 months, unless it was for a mental health crisis
  • " + ], + "id": "train-1040" + }, + { + "url": "https://www.gov.uk/claim-planning-appeal-costs", + "scenario": "I wish to claim the cost of an appeal I made on planning . The local council officers involved in serving me with an enforcement notice did not turn up in the Appeal hearing . This led to the adjournment of the case and has cost me a lot of expenses and time.", + "question": "When is the deadline i can claim the cost?", + "not_answerable": false, + "answers": [ + [ + "apply before it closes", + [] + ] + ], + "evidences": [ + "

    The deadline depends on whether your appeal will be decided:

    ", + "
  • at a hearing or inquiry - apply before it closes
  • " + ], + "id": "train-1041" + }, + { + "url": "https://www.gov.uk/claim-planning-appeal-costs", + "scenario": "The local council officer involved in my planning appeal case didn't visit the site and lacked evidence .This has made the enquiry take long and has affected my work and increased expenses.", + "question": "What will i get after i claim if it's successful?", + "not_answerable": false, + "answers": [ + [ + "a full award - you can recover all your costs including the cost of claiming", + [] + ], + [ + "a partial award - you can only recover some costs", + [] + ] + ], + "evidences": [ + "

    If you\u2019re successful, you\u2019ll be given either:

    ", + "
  • a full award - you can recover all your costs including the cost of claiming
  • ", + "
  • a partial award - you can only recover some costs
  • " + ], + "id": "train-1042" + }, + { + "url": "https://www.gov.uk/private-renting-evictions", + "scenario": "I am a landlord and rent a house to a tenant who has a periodic assured short hold tenancy. I want to sell the house but the tenant does not wish to leave.", + "question": "Can I require the tenant to leave prior to selling the house?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you have one of these, your landlord must usually give you \u2018notice to quit\u2019 - they must do this in a certain way depending on your type of tenancy agreement and its terms.

    ", + "

    If you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of coronavirus (COVID-19), the notice periods are longer.

    " + ] + ] + ], + "evidences": [ + "

    If you have one of these, your landlord must usually give you \u2018notice to quit\u2019 - they must do this in a certain way depending on your type of tenancy agreement and its terms.

    ", + "

    In England, your landlord usually must give you up to 2 months\u2019 notice. Because of coronavirus (COVID-19), the notice periods are longer.

    ", + "

    If you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.

    ", + "

    If you do not leave at the end of the notice period, your landlord must apply to the court for a possession order. If the court gives them a possession order and you still do not leave, they must apply for a warrant for possession - this means bailiffs can evict you from the property.

    ", + "

    From 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.

    " + ], + "id": "train-1043" + }, + { + "url": "https://www.gov.uk/pay-voluntary-class-3-national-insurance", + "scenario": "I want to update my Class 3 national insurance as I am eligible to pay voluntary contributions . I already know the amount to pay and would like to make a one off payment.", + "question": "Can i use direct debit payment?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can pay monthly via Direct Debit.

    ", + "

    To set up monthly payments, download and send the Direct Debit form to HM Revenue and Customs (HMRC). The address is on the form.

    " + ], + "id": "train-1044" + }, + { + "url": "https://www.gov.uk/pay-voluntary-class-3-national-insurance", + "scenario": "I am a UK citizen and live abroad .I don't want to get national insurance gaps . I want to submit my national insurance through my overseas bank account .", + "question": "Can it be allowed?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to pay Class 3 voluntary National Insurance to fill gaps in your contributions record to qualify for benefits like the State Pension.

    ", + "

    If you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.

    ", + "Account type | Account number (IBAN) | Bank Identifier Code (BIC)", + "Non-UK | GB49BARC20204830944793 | BARCGB22" + ], + "id": "train-1045" + }, + { + "url": "https://www.gov.uk/national-insurance", + "scenario": "I am 16 years old. I am employed, and I am going to be earning \u00a317,000 this year. I have never paid national insurance before.", + "question": "Will I need to pay national insurance this year?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You pay mandatory National Insurance if you\u2019re 16 or over and are either:

    ", + "
  • an employee earning above \u00a3184 a week
  • " + ], + "id": "train-1046" + }, + { + "url": "https://www.gov.uk/national-insurance", + "scenario": "I am 19 years old. I am self-employed, and expect to make profit of \u00a318,000 in this tax year. I know I will have to pay national insurance.", + "question": "What class of national insurance will I be paying?", + "not_answerable": false, + "answers": [ + [ + "class 2", + [] + ], + [ + "class 4", + [] + ] + ], + "evidences": [ + "National Insurance class | Who pays", + "Class 2 | Self-employed people earning profits of \u00a36,515 or more a year. If you\u2019re earning less than this, you can choose to pay voluntary contributions to fill or avoid gaps in your National Insurance record", + "Class 4 | Self-employed people earning profits of \u00a39,569 or more a year", + "

    You pay Class 2 and Class 4 National Insurance, depending on your profits. Most people pay both through Self Assessment.

    " + ], + "id": "train-1047" + }, + { + "url": "https://www.gov.uk/working-abroad", + "scenario": "I have been working in Germany since 2013 and I have settled here and have a good job. I am very scared about what BREXIT means for me.", + "question": "Have I lost my right to live and work in the EU since BREXIT?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you were legally living in an EU country before 1 January 2021, your right to work will be protected as long as you carry on living there. This is because you are covered by the Withdrawal Agreement.

    ", + "

    You\u2019re also protected by the Withdrawal Agreement if you started working in one EU country and living in a different EU country or the UK, before 1 January 2021.

    ", + "

    You\u2019ll have the same rights as nationals of the country you\u2019re working in when it comes to working conditions, pay and social security (for example, benefits).

    " + ], + "id": "train-1048" + }, + { + "url": "https://www.gov.uk/working-abroad", + "scenario": "My current UK employer has asked me to work in Spain at our offices there. I am very confused over what I need to do.", + "question": "Do I need to pay UK income tax and National Insurance while I'm abroad?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).

    ", + "

    You might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.

    " + ] + ] + ], + "evidences": [ + "

    You might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).

    ", + "

    You might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.

    " + ], + "id": "train-1049" + }, + { + "url": "https://www.gov.uk/tax-on-pension", + "scenario": "I have recently retired at the age of 66 and am in possession of both a private and a state pension. I am unclear as to how these things will work together, however. My private pension is based on forty years in the teaching profession.", + "question": "Is there going to be a contradiction between my private pension and my state pension and which one be taxed?", + "not_answerable": false, + "answers": [ + [ + "one of your providers to take the tax off your state pension", + [] + ] + ], + "evidences": [ + "

    You pay tax if your total annual income adds up to more than your Personal Allowance. Find out about your Personal Allowance and Income Tax rates.

    ", + "

    Your total income could include:

    ", + "
  • the State Pension you get (either the basic State Pension or the new State Pension)
  • ", + "
  • a private pension (workplace or personal) - you can take some of this tax-free
  • ", + "

    You won\u2019t usually pay any tax if your total annual income adds up to less than your Personal Allowance.

    ", + "

    Your pension provider will take off any tax you owe before they pay you. They\u2019ll also take off any tax you owe on your State Pension.

    ", + "

    If you get payments from more than one provider (for example, from a workplace pension and a personal pension), HM Revenue and Customs (HMRC) will ask one of your providers to take the tax off your State Pension.

    " + ], + "id": "train-1050" + }, + { + "url": "https://www.gov.uk/tax-on-pension", + "scenario": "I am 74 and have a substantial private pension - and the state pension - which I have previously paid a lot of tax on. I have recently been diagnosed with a terminal illness and might have less than a year to live.", + "question": "Does my diagnosis make a difference to the tax I pay on my pension? I would like to leave as much for my children to inherit as possible.", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to take all the money in your pension as a tax-free lump sum, if all of the following apply:

    ", + "
  • you\u2019re expected to live less than a year because of serious illness
  • ", + "
  • you\u2019re under 75
  • ", + "
  • you don\u2019t have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • ", + "

    Check with your pension provider. Some pension funds will keep at least 50% of your pension for your spouse or civil partner.

    " + ], + "id": "train-1051" + }, + { + "url": "https://www.gov.uk/working-abroad", + "scenario": "My brother is a UK citizen. He has completed his masters in Engineering . He now wants to find a job offer and move to France in December 2021.", + "question": "Does he need a job offer in france inorder to apply for a work permit?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need a work permit to work in most EU countries if you\u2019re a UK citizen.

    ", + "

    In most cases, you\u2019ll need a job offer from your chosen country so that you can get a visa to move there.

    " + ], + "id": "train-1052" + }, + { + "url": "https://www.gov.uk/working-abroad", + "scenario": "I work for a UK company . I am a full time employee and pay national insurance. My employer has requested me to move to Germany in our other office and work from there for 3 years.", + "question": "Can i continue paying my National insurance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.

    " + ] + ] + ], + "evidences": [ + "

    You might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.

    ", + "

    If you\u2019re eligible, you can keep paying National Insurance to protect your State Pension and entitlement to other benefits.

    " + ], + "id": "train-1053" + }, + { + "url": "https://www.gov.uk/tenancy-deposit-protection", + "scenario": "I rented a flat and paid a deposit of \u00a3900 equivalent to the monthly rent . I have no arrears or aware of any damages to the property . I have adhered according to the tenancy agreement.I want to relocate elsewhere.", + "question": "Will i be able to get my deposit?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your landlord must put your deposit in a government-approved tenancy deposit scheme (TDP) if you rent your home on an assured shorthold tenancy that started after 6 April 2007. In England and Wales your deposit can be registered with:

    ", + "

    They make sure you\u2019ll get your deposit back if you:

    ", + "
  • meet the terms of your tenancy agreement
  • ", + "
  • don\u2019t damage the property
  • ", + "
  • pay your rent and bills
  • " + ], + "id": "train-1054" + }, + { + "url": "https://www.gov.uk/tenancy-deposit-protection", + "scenario": "I have paid my deposit and a one month rent. The house looks good and well taken care of but I am yet to hear from the landlord.", + "question": "Will I get further information on how the deposit is managed?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Once your landlord has received your deposit, they have 30 days to tell you:

    ", + "
  • how much deposit you\u2019ve paid
  • ", + "
  • how the deposit is protected
  • ", + "
  • the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service
  • ", + "
  • the name and contact details of any third party that\u2019s paid the deposit
  • ", + "
  • why they would keep some or all of the deposit
  • ", + "
  • how to apply to get the deposit back
  • ", + "
  • what to do if there\u2019s a dispute over the deposit
  • " + ], + "id": "train-1055" + }, + { + "url": "https://www.gov.uk/squatting-law", + "scenario": "Two friends and I have been squatting in a building for over a year. Now the owner of the building has turned up and told us that we need to leave. We are not doing any harm here", + "question": "Given the length of time we have been in this building, do we have any rights to ownership?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    A long-term squatter can become the registered owner of property or land they\u2019ve occupied without the owner\u2019s permission.

    ", + "

    You can apply if you can prove:

    ", + "
  • you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)
  • ", + "
  • you (or your predecessors) acted as owners of the property for the whole of that time
  • ", + "
  • you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter
  • " + ], + "id": "train-1056" + }, + { + "url": "https://www.gov.uk/squatting-law", + "scenario": "I have been away from my property for four months to care for my elderly father who is living abroad. I have returned to find a young couple squatting in my property and they are refusing to leave, saying they have a legal right to be there.", + "question": "I want to remove the squatters in my house - how can I legally do so?", + "not_answerable": false, + "answers": [ + [ + "using an interim possession order (ipo) or making a claim for possession", + [] + ] + ], + "evidences": [ + "

    It\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:

    ", + "
  • the owner
  • ", + "

    You can remove squatters using an interim possession order (IPO) or making a claim for possession.

    ", + "

    Do not try to remove the squatters yourself using force or the threat of force - you\u2019re committing a crime if you do.

    " + ], + "id": "train-1057" + }, + { + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "scenario": "I left my job last month.Fortunately I have got a new job offer . I want to show my new employer about my tax payments on my salary.", + "question": "Can my former employer refuse to give me P45?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get a P45 from your employer when you stop working for them.

    ", + "

    By law your employer must give you a P45 - ask them for one.

    " + ], + "id": "train-1058" + }, + { + "url": "https://www.gov.uk/keeping-your-pay-tax-records", + "scenario": "I am a single person in steady employment. I fill out a self assessment tax return every year and have been doing so for 5 years.", + "question": "Is it necessary to keep records of my tax papaerwork?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You need to keep records if you have to send HM Revenue and Customs (HMRC) a Self Assessment tax return.

    ", + "

    HMRC can charge you a penalty if your records are not accurate, complete and readable.

    ", + "

    You must keep records about your business income and costs for longer if you\u2019re self-employed.

    " + ], + "id": "train-1059" + }, + { + "url": "https://www.gov.uk/keeping-your-pay-tax-records", + "scenario": "I am renting out my second home and receive a regular income. It is not much but I know i should declare it.", + "question": "What records am I required to keep regarding my rental income?", + "not_answerable": false, + "answers": [ + [ + "the dates when you let out your property", + [] + ], + [ + "allowable expenses you pay to run your property", + [] + ], + [ + "any income from services you give to tenants", + [] + ], + [ + "rent books, receipts, invoices and bank statements", + [] + ], + [ + "all rent you get", + [] + ] + ], + "evidences": [ + "

    You need to keep records if you have to send HM Revenue and Customs (HMRC) a Self Assessment tax return.

    ", + "

    You should keep details of:

    ", + "
  • the dates when you let out your property
  • ", + "
  • all rent you get
  • ", + "
  • any income from services you give to tenants (for example if you charge for maintenance or repairs)
  • ", + "
  • rent books, receipts, invoices and bank statements
  • ", + "
  • allowable expenses you pay to run your property (for example services you pay for such as cleaning or gardening)
  • " + ], + "id": "train-1060" + }, + { + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "scenario": "I don't have an accountant. I am a full time worker and it's towards the end of the financial year. I have paying in slips and the paper statements .I would like to pay for self assessment tax bill to the HMRC.", + "question": "Can I pay through the bank by cash?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • still get paper statements from HM Revenue and Customs (HMRC)
  • " + ] + ] + ], + "evidences": [ + "
  • at your bank or building society
  • ", + "

    You can only pay at your branch by cash or cheque if you both:

    ", + "
  • still get paper statements from HM Revenue and Customs (HMRC)
  • ", + "
  • have the paying-in slip HMRC sent you
  • " + ], + "id": "train-1061" + }, + { + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "scenario": "I paid the self assessment tax bill in the last 4 days online . I would like to know if HMRC has received my payments.", + "question": "How long does it take to update?", + "not_answerable": false, + "answers": [ + [ + "3 to 6 working days", + [] + ] + ], + "evidences": [ + "

    View your HM Revenue and Customs online account to check if your payment\u2019s been received - it should show as paid between 3 to 6 working days later.

    " + ], + "id": "train-1062" + }, + { + "url": "https://www.gov.uk/tax-codes", + "scenario": "I started a new job a couple of weeks ago as an employee. I have yet to pay tax. It is my first job as I can now legally work. I only work 17 hours.", + "question": "Will any tax due be sorted out for me?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    In most cases, HMRC will automatically update your tax code when your income changes, for example if you start a new job, start getting a pension or receive benefits or work expenses. They\u2019ll usually get this information from your employer.

    " + ], + "id": "train-1063" + }, + { + "url": "https://www.gov.uk/tax-codes", + "scenario": "I have decided to change jobs and have had my working hours reduced to 20 hours a week and I am making less money than my previous job.", + "question": "How do I tell the government that my income has changed?", + "not_answerable": false, + "answers": [ + [ + "using the online check your income tax service", + [] + ], + [ + "contacting hmrc", + [] + ], + [ + "hmrc will automatically update your tax code", + [] + ] + ], + "evidences": [ + "

    In most cases, HMRC will automatically update your tax code when your income changes, for example if you start a new job, start getting a pension or receive benefits or work expenses. They\u2019ll usually get this information from your employer.

    ", + "

    You can report a change in your income by either:

    ", + "
  • using the online check your Income Tax service
  • ", + "
  • contacting HMRC
  • " + ], + "id": "train-1064" + }, + { + "url": "https://www.gov.uk/scottish-income-tax", + "scenario": "I am English, and I will be moving to Scotland in December. I will be living and working in Scotland for 4 months of the next tax year.", + "question": "Do I pay income tax in Scotland?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You pay Scottish Income Tax if you move to Scotland and live there for a longer period than anywhere else in the UK during a tax year (6 April to 5 April the following year).

    " + ], + "id": "train-1065" + }, + { + "url": "https://www.gov.uk/scottish-income-tax", + "scenario": "I am a Scottish resident who has just started their first job. This job started in March 2021, so I will not pay any tax for the remainder of this tax year. I will be paying tax in 2021 to 2022 on the \u00a325,000 wage.", + "question": "What rate of tax will I be paying in the 2021/22 tax year?", + "not_answerable": false, + "answers": [ + [ + "0%", + [ + "Personal Allowance | Up to \u00a312,570 | 0%" + ] + ], + [ + "19%", + [ + "Starter rate | \u00a312,571 to \u00a314,667 | 19%" + ] + ], + [ + "20%", + [ + "Basic rate | \u00a314,668 to \u00a325,296 | 20%" + ] + ] + ], + "evidences": [ + "Band | Taxable income | Scottish tax rate", + "Personal Allowance | Up to \u00a312,570 | 0%", + "Starter rate | \u00a312,571 to \u00a314,667 | 19%", + "Basic rate | \u00a314,668 to \u00a325,296 | 20%" + ], + "id": "train-1066" + }, + { + "url": "https://www.gov.uk/your-property-boundaries", + "scenario": "I possess a formal boundary agreement with my neighbor. I want to move to the city from the countryside. I want to sell my piece of land and I have been approached by a potential buyer . My property is registered and my neighbor has agreed to my decision.", + "question": "How much does it cost to apply for a determined boundary?", + "not_answerable": false, + "answers": [ + [ + "\u00a390", + [] + ], + [ + "you\u2019ll also need to pay the surveyor and the solicitor a fee", + [] + ] + ], + "evidences": [ + "

    The application costs \u00a390. You\u2019ll also need to pay the surveyor and the solicitor a fee.

    " + ], + "id": "train-1067" + }, + { + "url": "https://www.gov.uk/capital-gains-tax", + "scenario": "I own a small sailing boat that I have had for the past eight years. As it was inherited I do not know it's original value. I wish to sell it on the internet.", + "question": "Will I run into a tax problem because I don't know how much the boat initially cost?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your gain is usually the difference between what you paid for your asset and what you sold it for.

    ", + "

    There are some situations where you use the market value instead.

    ", + "Situation | Use market value at", + "Inherited assets where you do not know the Inheritance Tax value | Date of death" + ], + "id": "train-1068" + }, + { + "url": "https://www.gov.uk/capital-gains-tax", + "scenario": "I own a small apartment in Spain that I visit once or twice a year and otherwise rent out. I am considering selling it and feel I could make a considerable profit.", + "question": "Might I have to pay capital gains tax?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You pay Capital Gains Tax on the gain when you sell (or \u2018dispose of\u2019):

    ", + "
  • property that\u2019s not your main home
  • ", + "

    You may have to pay Capital Gains Tax even if your asset is overseas.

    " + ], + "id": "train-1069" + }, + { + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "scenario": "I have inherited jewellery and antique watches from my grandmother. I want to sell them and get the money to plan my wedding.", + "question": "Am i supposed to pay capital gain tax?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Possessions you may need to pay tax on include:

    ", + "
  • jewellery
  • ", + "
  • antiques
  • " + ], + "id": "train-1070" + }, + { + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "scenario": "My Uncle gifted me a new car for my birthday . I have other several cars and would like to sell the gift car and use the money to start up a salon shop.", + "question": "Do i need to pay the capital gain tax from sale of the car?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.

    ", + "

    You don\u2019t pay Capital Gains Tax on:

    ", + "
  • your car - unless you\u2019ve used it for business
  • ", + "

    You don\u2019t have to pay Capital Gains Tax on personal possessions with a lifespan of less than 50 years. This covers all machinery, and includes things like antique clocks or watches.

    " + ], + "id": "train-1071" + }, + { + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "scenario": "I am a UK resident that is self employed. I have been working in Germany for the past year", + "question": "Which account number shall I pay my national insurance bill to?", + "not_answerable": false, + "answers": [ + [ + "30944793", + [ + "UK | 20 20 48 | 30944793" + ] + ], + [ + "gb49barc20204830944793", + [ + "Non-UK | GB49BARC20204830944793 | BARCGB22" + ] + ] + ], + "evidences": [ + "

    You do not pay through Self Assessment if you\u2019re any of the following:

    ", + "
  • living abroad and paying voluntary Class 2 contributions
  • ", + "
  • working abroad
  • ", + "

    If you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.

    ", + "Account type | Sort code | Account number", + "UK | 20 20 48 | 30944793", + "Account type | Account number (IBAN) | Bank Identifier Code (BIC)", + "Non-UK | GB49BARC20204830944793 | BARCGB22" + ], + "id": "train-1072" + }, + { + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "scenario": "I am a French national and living in the UK and runs a pub . I want to pay for class 2 national insurance . I want to set up a direct debit to make the payments to HMRC.", + "question": "Can it be use as a payment method?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can pay within 21 working days by Direct Debit if you have not set one up before.

    " + ], + "id": "train-1073" + }, + { + "url": "https://www.gov.uk/tax-relief-for-employees", + "scenario": "I pay for my fuel to visit accountancy clients. I have been reimbursed by my employer for these fuel expenses.", + "question": "Can I claim tax relief for these fuel expenses?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you use your own vehicle or vehicles for work, you may be able to claim tax relief on the approved mileage rate. This covers the cost of owning and running your vehicle. You cannot claim separately for things like:

    ", + "

    You can claim tax relief on the money you\u2019ve spent on fuel and electricity, for business trips in your company car. Keep records to show the actual cost of the fuel.

    ", + "

    If your employer reimburses some of the money, you can claim relief on the difference.

    " + ], + "id": "train-1074" + }, + { + "url": "https://www.gov.uk/tax-relief-for-employees", + "scenario": "I have been working from home. I have not been reimbursed by my employer for the electricity and internet I have used.", + "question": "What amount of money could I get as tax relief?", + "not_answerable": false, + "answers": [ + [ + "\u00a36 a week from 6 april 2020", + [] + ], + [ + "the exact amount of extra costs you\u2019ve incurred above the weekly amount", + [] + ] + ], + "evidences": [ + "

    You can either claim tax relief on:

    ", + "
  • \u00a36 a week from 6 April 2020 (for previous tax years the rate is \u00a34 a week) - you will not need to keep evidence of your extra costs
  • ", + "
  • the exact amount of extra costs you\u2019ve incurred above the weekly amount - you\u2019ll need evidence such as receipts, bills or contracts
  • " + ], + "id": "train-1075" + }, + { + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "scenario": "I was born on the 19th January 1934. I am separated and pay maintenance payments to my wife. I am looking at applying for the maintenance payment relief.", + "question": "Would I be eligible for this relief?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You cannot claim a tax reduction for any voluntary payments you make.

    " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can get an allowance to reduce your tax bill for maintenance payments you make to an ex-spouse or civil partner if:

    ", + "
  • you or they were born before 6 April 1935
  • ", + "
  • you\u2019re separated or divorced and you\u2019re making payments under a court order
  • ", + "
  • the payments are for the maintenance of your ex-partner (as long as they have not re-married or formed a new civil partnership) or your children are under 21
  • ", + "

    You cannot claim a tax reduction for any voluntary payments you make.

    " + ], + "id": "train-1076" + }, + { + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "scenario": "I am self employed. It is the 23rd January 2021 today, and I have just reached state pension age. I know I do not need to pay class 4 national insurance anymore.", + "question": "Can I stop my national insurance payments now?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.

    ", + "

    If you\u2019re self-employed, you pay Class 2 contributions at a flat weekly rate and Class 4 contributions annually as a percentage of your taxable profits.

    ", + "

    You stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.

    ", + "

    You\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.

    " + ], + "id": "train-1077" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "I decided to start freelancing and working for myself and made freelancing my main job, taxes are not automatically deducted from my income.", + "question": "How do I pay taxes on my income?", + "not_answerable": false, + "answers": [ + [ + "deducted automatically from wages, pensions and savings", + [] + ], + [ + "send a tax return", + [ + "
  • self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)
  • " + ] + ] + ], + "evidences": [ + "

    Tax is usually deducted automatically from wages, pensions and savings. People and businesses with other income must report it in a tax return.

    ", + "

    You must send a tax return if, in the last tax year (6 April to 5 April), you were:

    ", + "
  • self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)
  • " + ], + "id": "train-1078" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "I have started investing my income into a business i started in my free time, I still work at another job but also have income coming from my business.", + "question": "how do I pay taxes for my business income.", + "not_answerable": false, + "answers": [ + [ + "send a tax return", + [ + "
  • self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)
  • " + ] + ] + ], + "evidences": [ + "

    Tax is usually deducted automatically from wages, pensions and savings. People and businesses with other income must report it in a tax return.

    ", + "

    You must send a tax return if, in the last tax year (6 April to 5 April), you were:

    ", + "
  • self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)
  • " + ], + "id": "train-1079" + }, + { + "url": "https://www.gov.uk/tax-on-your-private-pension", + "scenario": "I pay a net annual contribution of \u00a33,000 to my personal pension plan and my husband pays a further net annual contribution of \u00a31000 into my plan. My annual income is \u00a3120,000 and classified as a high rated taxpayer.", + "question": "Can i claim tax relief ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your private pension contributions are tax-free up to certain limits.

    ", + "

    You usually pay tax if savings in your pension pots go above:

    ", + "
  • \u00a340,000 a year - check your \u2018annual allowance\u2019
  • ", + "

    You can get tax relief on private pension contributions worth up to 100% of your annual earnings.

    ", + "

    You may be able to claim tax relief on pension contributions if:

    ", + "
  • you pay Income Tax at a rate above 20% and your pension provider claims the first 20% for you (relief at source)
  • ", + "

    You can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:

    ", + "
  • 20% up to the amount of any income you have paid 40% tax on
  • ", + "
  • 25% up to the amount of any income you have paid 45% tax on
  • " + ], + "id": "train-1080" + }, + { + "url": "https://www.gov.uk/tax-on-your-private-pension", + "scenario": "I have paid personal pension contributions but I am intending to use it to pay for personal term assurance policy which is not protected .", + "question": "Can i claim tax relief?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can get tax relief on private pension contributions worth up to 100% of your annual earnings.

    ", + "

    You cannot get tax relief if you use your pension contributions to pay a personal term assurance policy, unless it\u2019s a protected policy.

    " + ], + "id": "train-1081" + }, + { + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "scenario": "Mary runs a computer repair service. Her business is VAT registered . Despite the covid pandemic she managed to earn \u00a3100000 turnover last financial year and expects to earn \u00a3130000 taxable income this coming year.", + "question": "Can she be eligible for the VAT flat rate scheme?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you committed a VAT offence in the last 12 months, for example VAT evasion
  • ", + "
  • you joined (or were eligible to join) a VAT group in the last 24 months
  • ", + "
  • you registered for VAT as a business division in the last 24 months
  • ", + "
  • your business is closely associated with another business
  • ", + "
  • you\u2019ve joined a margin or capital goods VAT scheme
  • ", + "
  • you left the scheme in the last 12 months
  • " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    To join the scheme your VAT turnover must be \u00a3150,000 or less (excluding VAT), and you must apply to HMRC.

    ", + "

    You can join the Flat Rate Scheme if:

    ", + "
  • you\u2019re a VAT-registered business
  • ", + "
  • you expect your VAT taxable turnover to be \u00a3150,000 or less (excluding VAT) in the next 12 months
  • ", + "

    You cannot use the scheme if:

    ", + "
  • you left the scheme in the last 12 months
  • ", + "
  • you committed a VAT offence in the last 12 months, for example VAT evasion
  • ", + "
  • you joined (or were eligible to join) a VAT group in the last 24 months
  • ", + "
  • you registered for VAT as a business division in the last 24 months
  • ", + "
  • your business is closely associated with another business
  • ", + "
  • you\u2019ve joined a margin or capital goods VAT scheme
  • " + ], + "id": "train-1082" + }, + { + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "scenario": "Dina runs an advertising company in London. It is VAT registered.Her business is eligible for the VAT Flat rate scheme. According to the type of her business in the HMRC website.", + "question": "Is 11% the current VAT flat rate percentage?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "Type of business | Current VAT flat rate (%)", + "Advertising | 11" + ], + "id": "train-1083" + }, + { + "url": "https://www.gov.uk/your-property-boundaries", + "scenario": "I have looked at the title plan for my property in England. I have found that the boundary line is wrong, and cuts off part of my land.", + "question": "Can I have this changed?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Write to HM Land Registry (HMLR) if you think there\u2019s a boundary mistake on a property\u2019s title plan.

    ", + "

    If HMLR finds that there\u2019s a mistake, they\u2019ll tell you how to correct it.

    " + ], + "id": "train-1084" + }, + { + "url": "https://www.gov.uk/your-property-boundaries", + "scenario": "I want to sell some land to by neighbour. The land is situated in England. I would like to change the boundaries to match the sale.", + "question": "Am I able to change the boundaries to take into account this sale of land?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can\u2019t use a boundary agreement to sell or give away part of your land to your neighbour.

    " + ], + "id": "train-1085" + }, + { + "url": "https://www.gov.uk/uk-visa-sponsorship-employers", + "scenario": "I am a UK employer and run a company with over 50 employees. I want to employ employees from outside the UK.", + "question": "Do i need to apply for a sponser licence?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • Irish citizens
  • ", + "
  • those with settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • those with indefinite leave to remain in the UK
  • " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll usually need a sponsor licence to employ someone to work for you from outside the UK. This includes citizens of the EU, Iceland, Liechtenstein, Norway and Switzerland who arrived in the UK after 31 December 2020.

    ", + "

    You will not need a licence to sponsor certain groups, for example:

    ", + "
  • Irish citizens
  • ", + "
  • those with settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • those with indefinite leave to remain in the UK
  • " + ], + "id": "train-1086" + }, + { + "url": "https://www.gov.uk/uk-visa-sponsorship-employers", + "scenario": "We run a small UK company and wish to employ from outside the UK. We would like to sponsor a worker for more than 5 years . We would like to pay an immigration skill surcharge.", + "question": "How much does it cost for one employee?", + "not_answerable": false, + "answers": [ + [ + "\u00a3364", + [ + "First 12 months | \u00a3364 | \u00a31,000" + ] + ], + [ + "\u00a3182", + [ + "Each additional 6 months | \u00a3182 | \u00a3500" + ] + ] + ], + "evidences": [ + "

    The amount you need to pay is based on:

    ", + "
  • the size of your organisation
  • ", + "
  • how long the worker will work for you, using the start and end dates on their sponsorship certificate
  • ", + "Period | Small or charitable sponsors | Medium or large sponsors", + "First 12 months | \u00a3364 | \u00a31,000", + "Each additional 6 months | \u00a3182 | \u00a3500" + ], + "id": "train-1087" + }, + { + "url": "https://www.gov.uk/ancestry-visa", + "scenario": "Mark's grandparents live in the UK . He has been living with his single mother in South Africa who has died. He has no family except his grandparents in the UK.He wants to apply for an ancestry visa to work in the UK.", + "question": "How much does it cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a3516", + [] + ] + ], + "evidences": [ + "

    A UK Ancestry visa costs \u00a3516.

    " + ], + "id": "train-1088" + }, + { + "url": "https://www.gov.uk/ancestry-visa", + "scenario": "Marcus is in the UK under Ancestry Visa . He wants to live permanently in the UK because he has already established his business. He has already stayed for 4 years in the UK.", + "question": "Can he extend his visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to extend your visa and stay in the UK for a further 5 years. You must apply before your current visa expires.

    ", + "

    You can extend this visa as many times as you like, as long as you still meet the eligibility requirements.

    " + ], + "id": "train-1089" + }, + { + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "scenario": "Mary is a Tanzanian national and has secured unpaid voluntary charity work in the UK. The employer has given her a certificate of sponsorship code. The employer has committed to take care of her accommodation while working in the charity. Her bank statement shows a balance of \u00a32,000 for two months.", + "question": "can she qualify for temporary work visa ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    To be eligible for a Temporary Worker - Charity Worker visa (T5) you need:

    ", + "
  • a certificate of sponsorship reference number from your UK sponsor
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    Your certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.

    " + ], + "id": "train-1090" + }, + { + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "scenario": "Lucy is a Jamaican National .She wishes to apply for unpaid voluntary charity work in the UK. Before she applies for a temporary work visa, she wants to know all the necessary supporting documents required. She has a negative TB test.", + "question": "What documents are needed?", + "not_answerable": false, + "answers": [ + [ + "your certificate of sponsorship reference number", + [] + ], + [ + "a valid passport or other document that shows your identity and nationality", + [] + ], + [ + "evidence that you have enough personal savings to support yourself in the uk", + [] + ], + [ + "your tuberculosis (tb) test results", + [] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test
  • " + ], + "id": "train-1091" + }, + { + "url": "https://www.gov.uk/representative-overseas-business", + "scenario": "Lucas works full time in one of the leading TV broadcasting networks in his country,South Africa. His employer has sent him to work in one of the UK media offices. He needs to apply for a 3 years representative of an overseas business visa .He is a married man.", + "question": "If lucas gets a positive visa decision , Will he have a recourse to public funds?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot:

    ", + "
  • get public funds
  • " + ], + "id": "train-1092" + }, + { + "url": "https://www.gov.uk/representative-overseas-business", + "scenario": "My friend John is from Indonesia.He has been in the UK for 5 years working for his employer's New's Agency company whose headquarter is in Indonesia. He is under a Representative of an Overseas Business visa. The work is still ongoing.", + "question": "Can he apply to settle for long term the UK.", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to settle once you have been in the UK for 5 years and you have an ongoing job with the same company.

    " + ], + "id": "train-1093" + }, + { + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "scenario": "My Uncle is a university professor and a big advocate against female genital mutilation and early marriages . He advocates for girl child education especially in poor communities in South Africa. He has got an 4 day invitation to give a talk during the International Day of Girl Child in the UK.", + "question": "Can he apply for a permitted paid engagement visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re visiting the UK for no more than 1 month
  • ", + "
  • you\u2019ll leave the UK at the end of your visit
  • ", + "
  • you will not live in the UK for extended periods through frequent or successive visits, or make the UK your main home
  • ", + "
  • you\u2019re able to support yourself during your trip (or have funding from someone else to support you)
  • ", + "
  • you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)
  • " + ] + ] + ], + "evidences": [ + "

    You may be able to visit the UK for a paid engagement if you\u2019ve been invited as an expert in your profession.

    ", + "

    You can apply for a Permitted Paid Engagement visa if you:

    ", + "
  • are invited by a UK-based organisation or client
  • ", + "
  • want to come to the UK to do specific paid work without having to be sponsored under the points-based visa system
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    You can be invited by a UK-based organisation or client to:

    ", + "
  • give lectures at a higher education institution, as long as it\u2019s not a part-time or full-time role
  • ", + "
  • provide advocacy in a particular area of law
  • ", + "

    You must show that:

    ", + "
  • you\u2019re 18 or over
  • ", + "
  • you\u2019re visiting the UK for no more than 1 month
  • ", + "
  • you\u2019ve been formally invited and paid by a UK-based organisation to attend an event or other permitted engagement
  • ", + "
  • you\u2019ll leave the UK at the end of your visit
  • ", + "
  • you will not live in the UK for extended periods through frequent or successive visits, or make the UK your main home
  • ", + "
  • you\u2019re able to support yourself during your trip (or have funding from someone else to support you)
  • ", + "
  • you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)
  • ", + "
  • you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules
  • " + ], + "id": "train-1094" + }, + { + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "scenario": "I am a Chinese National. As i was in the process of applying for a Permitted paid engagement visa online. Immediately after submission I got an email that the UK conference has been cancelled due to one of the event organizer has tested positive of covid 19", + "question": "Can i cancel the application and get a refund?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    " + ] + ] + ], + "evidences": [ + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    " + ], + "id": "train-1095" + }, + { + "url": "https://www.gov.uk/international-agreement-worker-visa", + "scenario": "My single friend wants to apply for an international agreements work visa. He has been posted to work in the Indian Embassy. He has compiled several evidence documents .", + "question": "What documents are needed other than his passport?", + "not_answerable": false, + "answers": [ + [ + "your certificate of sponsorship reference number", + [] + ], + [ + "evidence that you have enough personal savings to support yourself in the uk", + [] + ], + [ + "your tuberculosis test results", + [ + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • " + ] + ], + [ + "a valid atas certificate", + [ + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • " + ] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • " + ], + "id": "train-1096" + }, + { + "url": "https://www.gov.uk/international-agreement-worker-visa", + "scenario": "I am in the UK under an International agreement work visa. I am an independent professional working under a business contract and has been extended. I would like to extend my visa to stay in the UK for more 2 years .", + "question": "Can i bring my family here?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can add your partner and children to your online application - including children who have turned 18 during your stay.

    ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    " + ], + "id": "train-1097" + }, + { + "url": "https://www.gov.uk/seasonal-worker-visa", + "scenario": "I am a Latvian citizen and I have successfully applied and received a positive seasonal worker visa decision.I don't want to break the law while in the UK . I would like to know what I can do and what I can't do while under my visa.", + "question": "What can't I do under this visa?", + "not_answerable": false, + "answers": [ + [ + "take a permanent job", + [] + ], + [ + "work in a second job or a job that isn\u2019t described in your certificate of sponsorship", + [] + ], + [ + "get public funds", + [] + ], + [ + "bring family members with you", + [] + ] + ], + "evidences": [ + "

    You cannot:

    ", + "
  • take a permanent job
  • ", + "
  • work in a second job or a job that isn\u2019t described in your certificate of sponsorship
  • ", + "
  • get public funds
  • ", + "
  • bring family members with you
  • " + ], + "id": "train-1098" + }, + { + "url": "https://www.gov.uk/seasonal-worker-visa", + "scenario": "My friend is from Malta. He is a qualified veterinary officer and an animal care specialist. He would like to come to UK and work for 1 years. He also wants to have first hand experience in livestock keeping. He is financially able.", + "question": "Must he have a UK certificate of sponsorship before he applies?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for a Seasonal Worker visa (T5) if you want to come to the UK for up to 6 months to do farm work. You\u2019ll need to:

    ", + "
  • have a sponsor
  • ", + "

    You must be 18 or over when you apply and have both of the following:

    ", + "
  • a certificate of sponsorship reference number from your UK sponsor
  • ", + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your sponsor will give you this
  • " + ], + "id": "train-1099" + }, + { + "url": "https://www.gov.uk/overseas-domestic-worker-visa", + "scenario": "Lucy is an experienced nanny from the Philippines. She has been working for a British couple for the last 2 years ,they too reside in the Philippines . They want Lucy to accompany them to the UK for a short visit.", + "question": "Can lucy apply for an Overseas Domestic worker Visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • plan to leave the UK at the end of 6 months
  • ", + "
  • are able to support yourself in the UK without the need for public funds
  • " + ] + ] + ], + "evidences": [ + "

    You can apply for a visa to visit the UK with your employer if you:

    ", + "
  • live outside the UK
  • ", + "
  • are a domestic worker in a private household
  • ", + "
  • have worked for your employer for at least one year
  • ", + "
  • meet the other eligibility requirements
  • ", + "

    Domestic workers include:

    ", + "
  • nannies
  • ", + "

    You must prove that you:

    ", + "
  • are 19 or older
  • ", + "
  • have worked for your employer for at least 1 year
  • ", + "
  • work in the same household as your employer or one they use regularly
  • ", + "
  • plan to travel to the UK with your employer, their partner or children
  • ", + "
  • intend to work as a full-time domestic worker in a UK household your employer will live in
  • ", + "
  • plan to leave the UK at the end of 6 months
  • ", + "
  • are able to support yourself in the UK without the need for public funds
  • ", + "

    Your employer must be either a:

    ", + "
  • British citizen who usually lives outside the UK and who does not intend to remain in the UK for more than 6 months
  • " + ], + "id": "train-1100" + }, + { + "url": "https://www.gov.uk/overseas-domestic-worker-visa", + "scenario": "Maria has been working for her Indian employer for the last 3 years. Her employer requested her to accompany her for a summer holiday to the UK so that she can look after the children. She is currently in the UK but she has some concerns about her employment rights.", + "question": "What are her employment rights whilst in the UK?", + "not_answerable": false, + "answers": [ + [ + "pay you an agreed rate, which must be at least the national minimum wage", + [] + ], + [ + "not force you to work excessive hours", + [] + ], + [ + "give you agreed holiday pay", + [] + ], + [ + "give you the notice you\u2019re entitled to if your employment ends", + [] + ] + ], + "evidences": [ + "

    When you work in the UK your employer must:

    ", + "
  • pay you an agreed rate, which must be at least the national minimum wage
  • ", + "
  • not force you to work excessive hours
  • ", + "
  • give you agreed holiday pay
  • ", + "
  • give you the notice you\u2019re entitled to if your employment ends
  • " + ], + "id": "train-1101" + }, + { + "url": "https://www.gov.uk/turkish-business-person", + "scenario": "My friend Ramon is in the UK under a Turkish businessperson visa.He operates a viable barbershop business. He has not broken any immigration laws, he has enough money to support himself and his family.He wants more time in the UK to continue running his business.", + "question": "Can he apply to extend his visa ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re still able to pay your share of the costs of running the business (its liabilities)
  • " + ] + ] + ], + "evidences": [ + "

    You can apply to extend your Turkish Businessperson visa if you already have permission to stay in the UK as a Turkish Businessperson.

    ", + "

    You must meet the eligibility requirements.

    ", + "

    To be eligible to apply for an extension of your Turkish Businessperson visa you need to:

    ", + "
  • have a valid Turkish Businessperson visa
  • ", + "
  • show you have not broken any immigration laws
  • ", + "
  • keep running a viable business
  • ", + "
  • keep being able to pay your share of the costs of running the business
  • ", + "
  • show that your share of the profits continue to be enough to support you and your family without your needing to have another job
  • ", + "

    You can usually apply to extend a Turkish Businessperson visa if you\u2019re in the UK and all of the following are true:

    ", + "
  • your business is still going
  • ", + "
  • you\u2019re still able to pay your share of the costs of running the business (its liabilities)
  • ", + "
  • your share of the profits will be enough to support you and your dependants without you needing to have another job
  • " + ], + "id": "train-1102" + }, + { + "url": "https://www.gov.uk/turkish-business-person", + "scenario": "My friend is a Turkish national and has made a lot of investments in turkey. He is very diverse and plans to apply for a Turkish businessperson visa in order to get a chance to invest in the UK .", + "question": "Are these kinds of visas available?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply to extend your Turkish Businessperson visa if you already have permission to stay in the UK as a Turkish Businessperson.

    ", + "

    New applications for the Turkish Businessperson visa have closed. Only children under 21 (\u2018child dependants\u2019) can apply to join you in the UK on this visa.

    ", + "

    You can only extend your visa if you\u2019re already in the UK.\nYou\u2019ll need to meet the eligibility requirements to extend your visa.

    " + ], + "id": "train-1103" + }, + { + "url": "https://www.gov.uk/youth-mobility", + "scenario": "My friend James is 27 years old from New Zealand . He wishes to apply for a Youth mobility scheme visa to come to the UK and establish a business. He wants to be self-employed.", + "question": "Is he elligible ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You must have at least \u00a32,530 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    " + ] + ], + [ + "no", + [ + "
  • children under the age of 18 who live with you
  • ", + "
  • children you\u2019re financially responsible for
  • ", + "
  • already been in the UK under the scheme
  • " + ] + ] + ], + "evidences": [ + "

    You can apply for a Youth Mobility Scheme visa (T5) if you\u2019re aged 18 to 30 and you\u2019re from:

    ", + "
  • New Zealand
  • ", + "

    You must also be aged 18 to 30 on the date you apply for your visa.

    ", + "

    You cannot apply if you have:

    ", + "
  • children under the age of 18 who live with you
  • ", + "
  • children you\u2019re financially responsible for
  • ", + "
  • already been in the UK under the scheme
  • ", + "

    You must have at least \u00a32,530 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    " + ], + "id": "train-1104" + }, + { + "url": "https://www.gov.uk/youth-mobility", + "scenario": "Chloe is a Canadian national. She is in the UK under a youth and mobility visa. She is now 8 months pregnant. His boyfriend is a British national", + "question": "Will the baby be a British citizen?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you have a child while you\u2019re in the UK, they do not automatically become a British citizen.

    " + ], + "id": "train-1105" + }, + { + "url": "https://www.gov.uk/start-up-visa", + "scenario": "My friend Myra is from Guyana .She wishes to apply for a start up visa . She has very innovative Engineering skills and would like to implement them in the UK vehicle sector.Her Masters In Engineering was taught in English.", + "question": "Does she need to prove her level of English during visa application?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.

    ", + "

    You must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "

    You can prove your knowledge of English by:

    ", + "
  • having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD
  • ", + "

    You do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • Guyana
  • " + ], + "id": "train-1106" + }, + { + "url": "https://www.gov.uk/start-up-visa", + "scenario": "Patel is an Indian national and would like to apply for a start up visa from his country. He has all the needed supporting documents and fees. He wishes to get a quick decision after applications.", + "question": "How long does it take to get a decison after applying from abroad?", + "not_answerable": false, + "answers": [ + [ + "3 weeks", + [] + ] + ], + "evidences": [ + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:

    ", + "
  • 3 weeks, if you\u2019re outside the UK
  • " + ], + "id": "train-1107" + }, + { + "url": "https://www.gov.uk/minister-of-religion-visa", + "scenario": "My friend Mathew is a church minister from Canada. He wishes to come to the UK under Minister of Religion visa and take a pastoral duty for 3 years to a UK based church. Before applying he wants to know if there is a checklist on the required documents.", + "question": "Is there information on what documents to have?", + "not_answerable": false, + "answers": [ + [ + "your certificate of sponsorship reference number", + [] + ], + [ + "proof of your knowledge of english", + [] + ], + [ + "evidence that you have enough personal savings to support yourself in the uk", + [] + ], + [ + "a valid passport or other document that shows your identity and nationality", + [] + ], + [ + "expired passports or travel documents", + [ + "
  • expired passports or travel documents if you need them to show your travel history
  • " + ] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number (your employer will give you this)
  • ", + "
  • proof of your knowledge of English
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • a valid passport or other document that shows your identity and nationality - you need a blank page in your passport for your visa
  • ", + "
  • expired passports or travel documents if you need them to show your travel history
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • " + ], + "id": "train-1108" + }, + { + "url": "https://www.gov.uk/minister-of-religion-visa", + "scenario": "My friend is in the UK under a Minister of Religion visa . His visa is nearing the end and would like to renew it.He wishes to renew it so that he can continue working on the faith charity.", + "question": "How long can he stay if he renews?", + "not_answerable": false, + "answers": [ + [ + "up to 3 years, or the time given in your certificate of sponsorship plus 14 days, or the time required to take your total stay in the uk to a maximum of 6 years, whichever time is shorter", + [] + ] + ], + "evidences": [ + "

    You can come to the UK with a Minister of Religion visa (T2) for a maximum of up to 3 years and 1 month, or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    You can apply to extend your stay.

    ", + "

    You may be able to apply to extend your stay in the UK under a Minister of Religion visa (T2).

    ", + "

    You can extend a Minister of Religion visa (T2) for up to 3 years, or the time given in your certificate of sponsorship plus 14 days, or the time required to take your total stay in the UK to a maximum of 6 years, whichever time is shorter.

    " + ], + "id": "train-1109" + }, + { + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "scenario": "I am from abroad . I came to the UK under a parent child student visa. Due to the covid pandemic, life has become very hard. My child is 7 years old and needs good care.", + "question": "Can I be allowed to work?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    While you\u2019re in the UK on a Parent of a Child Student visa, you cannot:

    ", + "
  • do paid work
  • " + ], + "id": "train-1110" + }, + { + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "scenario": "My partner and I live abroad.We are planning to take our daughter to an independent school in the UK when she turns 5. We admire the UK National curriculum.", + "question": "Can i bring other young daughter through this visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can bring your other children with you if they also have or are applying for a Child Student visa.

    " + ] + ] + ], + "evidences": [ + "

    You can bring your other children with you if they also have or are applying for a Child Student visa.

    ", + "

    You cannot bring other family members with you on this visa. They may be able to apply to come to the UK on a short-term visit visa.

    " + ], + "id": "train-1111" + }, + { + "url": "https://www.gov.uk/government-authorised-exchange", + "scenario": "I am an overseas Engineering student and I would like to undertake a short work experience opportunities in Engineering companies in the UK . I am under the umbrella of Twin Training International. I want to apply for a Government Authorized exchange Visa.", + "question": "Can i stay for a year with this Visa in the UK?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ] + ] + ], + "evidences": [ + "

    You can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ], + "id": "train-1112" + }, + { + "url": "https://www.gov.uk/government-authorised-exchange", + "scenario": "I am an overseas medical researcher under a Government Authorized Exchange Program. I have won a research award. I would like to continue with my research work.", + "question": "Can i switch my visa to Global Talent visa within the UK?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can:

    ", + "
  • apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re in the government authorised exchange scheme for sponsored researchers
  • " + ], + "id": "train-1113" + }, + { + "url": "https://www.gov.uk/tier-1-entrepreneur", + "scenario": "I am a business director running a shoe company in the UK.I am currently under an entrepreneur visa. I have created job opportunities for 5 employees and a running capital of over \u00a3200,000 in the bank account. I would like to extend my visa .", + "question": "Do i qualify?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • registered as a director or as self-employed no more than 6 months after the date you were given permission to stay in the UK under a Tier 1 (Entrepreneur) visa
  • ", + "
  • can prove you\u2019ve been self-employed, a member of a partnership or working as a director of a business 3 months before you apply
  • " + ] + ] + ], + "evidences": [ + "

    You can still apply:

    ", + "
  • to extend your visa
  • ", + "

    You can apply to extend your visa if you:

    ", + "
  • registered as a director or as self-employed no more than 6 months after the date you were given permission to stay in the UK under a Tier 1 (Entrepreneur) visa
  • ", + "
  • can prove you\u2019ve been self-employed, a member of a partnership or working as a director of a business 3 months before you apply
  • ", + "
  • created at least 2 full time jobs that have existed for at least 12 months
  • ", + "
  • can continue to support yourself
  • ", + "

    You must have invested into 1 or more UK businesses either:

    ", + "
  • \u00a3200,000 in cash
  • " + ], + "id": "train-1114" + }, + { + "url": "https://www.gov.uk/tier-1-entrepreneur", + "scenario": "I am a business oriented person and I have compiled all the necessary documents to switch from graduate Entrepreneur visa to an Entrepreneur visa . I have a bank account of over \u00a3150,000 to start up my business.", + "question": "How much does it cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a31,277", + [] + ], + [ + "\u00a319.20", + [ + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.

    ", + "

    It costs \u00a31,277 to switch to this visa.

    " + ], + "id": "train-1115" + }, + { + "url": "https://www.gov.uk/religious-worker-visa", + "scenario": "I have received my religious worker Visa to work in a hospice Center in the UK. I am from Ghana. I would like to take some holidays within the year and visit my aging parents in Ghana.", + "question": "Can that be allowed or can i extend it ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    " + ] + ] + ], + "evidences": [ + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    " + ], + "id": "train-1116" + }, + { + "url": "https://www.gov.uk/religious-worker-visa", + "scenario": "I would like to apply for a Religious worker visa to work in a charity in the UK. I have a family and my children are at school age.", + "question": "Can i apply together with my family?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    Your partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    " + ] + ] + ], + "evidences": [ + "

    You can:

    ", + "
  • bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible
  • ", + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    " + ], + "id": "train-1117" + }, + { + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "scenario": "Mark is a musician from Brazil . He had visited the UK to perform several music concerts under a creative and sporting visa concession. His time on his concession is about to expire and he has still more work to do.", + "question": "Can he extend his stay?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply to extend your Temporary Worker - Creative and Sporting visa (T5).

    ", + "

    You cannot extend your stay if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.

    " + ], + "id": "train-1118" + }, + { + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "scenario": "Lisa is an elite pianist from China. Has been invited by her sponsor melody Orchestra to perform in England for musical concerts and have hands on job training.", + "question": "Can she apply for creative and sports visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "
  • make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity
  • ", + "
  • be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • " + ] + ] + ], + "evidences": [ + "

    You must apply for a Temporary Worker - Creative and Sporting visa (T5) if:

    ", + "
  • you\u2019ve been offered work in the UK as a sports person or creative worker
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    A creative worker is someone who works in the creative industry, for example an actor, dancer, musician or film crew member.

    ", + "

    You need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.

    ", + "

    You\u2019ll also need all of the following:

    ", + "
  • a certificate of sponsorship reference number
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    You need all of the following to be eligible for the creative category:

    ", + "
  • make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity
  • ", + "
  • certificate of sponsorship reference number
  • ", + "
  • be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)
  • ", + "

    You need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    " + ], + "id": "train-1119" + }, + { + "url": "https://www.gov.uk/dormant-company", + "scenario": "My friend Andrew is a self employed HGV driver. During the covid pandemic he was not working and hence made no income returns to HMRC. He had registered his company with the VAT.", + "question": "How many days does he have to deregister VAT ?", + "not_answerable": false, + "answers": [ + [ + "30 days", + [] + ] + ], + "evidences": [ + "

    If you do not intend to trade again you must deregister for VAT within 30 days of your company becoming dormant.

    " + ], + "id": "train-1120" + }, + { + "url": "https://www.gov.uk/dormant-company", + "scenario": "I am self-employed and own a car hire company. I did not make any profits and decided to stop trading. According to the company house my company is dormant.", + "question": "What should i do when my company qualifies as small as per the company house?", + "not_answerable": false, + "answers": [ + [ + "file \u2018dormant accounts\u2019 instead", + [] + ], + [ + "don\u2019t have to include an auditor\u2019s report with your accounts", + [] + ] + ], + "evidences": [ + "

    But if your company is dormant according to Companies House and also qualifies as \u2018small\u2019 you:

    ", + "
  • can file \u2018dormant accounts\u2019 instead
  • ", + "
  • don\u2019t have to include an auditor\u2019s report with your accounts
  • " + ], + "id": "train-1121" + }, + { + "url": "https://www.gov.uk/claim-child-benefit-behalf-someone-else", + "scenario": "My best friend has agoraphobia and is not able to get out in order to claim child benefit for her two sons. I have said that I am prepared to claim on her behalf.", + "question": "As I am not a relative, can I claim child benefit for my friend's kids?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for the right to deal with the Child Benefit of someone who can\u2019t manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.

    " + ], + "id": "train-1122" + }, + { + "url": "https://www.gov.uk/claim-child-benefit-behalf-someone-else", + "scenario": "My fifteen year old daughter is eight months pregnant with her first child. Whilst this is not idea, we are fully supportive of her. She is not good at dealing with paperwork, however.", + "question": "Can I claim child benefit on behalf of my underage daughter?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can claim Child Benefit for a child you\u2019re responsible for and their baby.

    " + ], + "id": "train-1123" + }, + { + "url": "https://www.gov.uk/register-birth", + "scenario": "we have recently gotten our first born child. we would like to get financial help in raising the child since we are tight financially.", + "question": "can i register to receive child benefits ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Once you\u2019ve registered the birth, you may be able to claim:

    ", + "
  • Child Benefit
  • " + ], + "id": "train-1124" + }, + { + "url": "https://www.gov.uk/register-birth", + "scenario": "i am a nurse that works in the maternity ward at a city hospital. we delivered a child from a single mother who unfortunately lost her life after the delivery.", + "question": "can a person who is not a parent register a birth ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If the parents cannot register the birth (for example, for medical reasons), certain other people can do it:

    ", + "
  • a member of the administrative staff at the hospital where the child was born
  • " + ], + "id": "train-1125" + }, + { + "url": "https://www.gov.uk/make-decisions-for-someone", + "scenario": "My sister and her husband are in the process of selling their house and have just learned that they have to go abroad for work for the next six months. They have asked me to handle the sale of their house", + "question": "Am I able to sell my sister's house for her whilst she is away?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Someone can choose you to make and carry out certain decisions on their behalf.

    ", + "

    They can ask you to do this:

    ", + "
  • now - for example, while they\u2019re on holiday
  • ", + "

    You can be appointed to make decisions about someone\u2019s money or property for a limited time - for example, while they\u2019re on holiday.

    ", + "

    They can appoint you with either:

    ", + "
  • an \u2018ordinary power of attorney\u2019 - you can only use this while they have mental capacity
  • " + ], + "id": "train-1126" + }, + { + "url": "https://www.gov.uk/dormant-company", + "scenario": "I operate a small business in the computer hardware sector. After a rough year for me and my family I had to stop trading and doing business for a while. I received notice from HMRC telling me that they will be treating my company as dormant. I am VAT registered and I do plan on resuming my business in a month or two.", + "question": "Do I have to deregister for VAT?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    However, if you plan to restart trading, you must send \u2018nil\u2019 (empty) VAT returns while your company is dormant.

    " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your company or association may be \u2018dormant\u2019 if it\u2019s not doing business (\u2018trading\u2019) and doesn\u2019t have any other income, for example investments.

    ", + "

    If you do not intend to trade again you must deregister for VAT within 30 days of your company becoming dormant.

    ", + "

    However, if you plan to restart trading, you must send \u2018nil\u2019 (empty) VAT returns while your company is dormant.

    " + ], + "id": "train-1127" + }, + { + "url": "https://www.gov.uk/dormant-company", + "scenario": "My company has not been trading or doing business for a little over 3 months now. We do plan to eventually resume trading but are mostly relying on our investments at the time as we figure out personal issues.", + "question": "Does my company count as dormant for Corporation Tax?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your company is usually dormant for Corporation Tax if it:

    ", + "
  • has stopped trading and has no other income, for example investments
  • ", + "

    Trading includes buying, selling, renting property, advertising, employing someone or getting interest. HMRC has detailed guidance on what counts as dormant for Corporation Tax.

    " + ], + "id": "train-1128" + }, + { + "url": "https://www.gov.uk/water-and-sewerage-rates-for-businesses", + "scenario": "I want to open a restaurant in England . I want to know how water bills are charged so that I can make decisions.", + "question": "How is water bill charged in England?", + "not_answerable": false, + "answers": [ + [ + "for the water you use, plus a set charge", + [ + "
  • for the water you use, plus a set charge (if you\u2019ve got a meter)
  • " + ] + ], + [ + "a set amount, usually based on the value of your property", + [] + ] + ], + "evidences": [ + "

    You\u2019ll be charged either:

    ", + "
  • for the water you use, plus a set charge (if you\u2019ve got a meter)
  • ", + "
  • a set amount, usually based on the value of your property
  • " + ], + "id": "train-1129" + }, + { + "url": "https://www.gov.uk/water-and-sewerage-rates-for-businesses", + "scenario": "I run a pub business inside London and I would like to choose a new water supplier. I would also like to know if I qualify for a large user tariff.", + "question": "Where can I find a new water provider?", + "not_answerable": false, + "answers": [ + [ + "with ofwat", + [] + ] + ], + "evidences": [ + "

    You may be able to choose your water and sewerage service provider depending on where your business is.

    ", + "

    In England and Wales you can check with Ofwat whether you can choose your own supplier.

    " + ], + "id": "train-1130" + }, + { + "url": "https://www.gov.uk/company-filing-software", + "scenario": "My business is VAT registered and I usually do own company tax returns. I would like a software which make my work easier filing returns.", + "question": "How can i file my returns online?", + "not_answerable": false, + "answers": [ + [ + "get a software package from a companies house (and hmrc) authorised provider", + [] + ], + [ + "develop your own software", + [] + ] + ], + "evidences": [ + "

    You can then either:

    ", + "
  • get a software package from a Companies House (and HMRC) authorised provider
  • ", + "
  • develop your own software - request a copy of the Companies House technical specifications by emailing xml@companieshouse.gov.uk
  • " + ], + "id": "train-1131" + }, + { + "url": "https://www.gov.uk/company-filing-software", + "scenario": "I am a VAT registered business director and I would like the best software which has all the features especially in filing annual accounts, tax account and returns.", + "question": "Is there a list of softwares i can select from?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The following is a list of software and the kinds of accounts you can use it for.

    ", + "Supplier | Product | Dormant | Micro Entity | Abridged | Small | Full" + ], + "id": "train-1132" + }, + { + "url": "https://www.gov.uk/claim-child-benefit-behalf-someone-else", + "scenario": "I want to help my niece. She is mentally disabled and has a young child. I would like to be her appointee and claim child benefit on her behalf.", + "question": "What will be my responsibilities if i became her appointee?", + "not_answerable": false, + "answers": [ + [ + "complete the claim form", + [] + ], + [ + "deal with any letters from the child benefit office", + [] + ], + [ + "report any changes that affect child benefit", + [] + ], + [ + "stop or restart payments where the person or their partner is affected by the high income child benefit charge", + [] + ] + ], + "evidences": [ + "

    As an appointee, you must do things like:

    ", + "
  • complete the claim form
  • ", + "
  • deal with any letters from the Child Benefit Office
  • ", + "
  • report any changes that affect Child Benefit
  • ", + "
  • stop or restart payments where the person or their partner is affected by the High Income Child Benefit Charge
  • " + ], + "id": "train-1133" + }, + { + "url": "https://www.gov.uk/claim-child-benefit-behalf-someone-else", + "scenario": "I want to use paid agents and authorize them to claim benefits on behalf of my grandchild and deal with high income tax charge.", + "question": "Which form should i fill to authorise?", + "not_answerable": false, + "answers": [ + [ + "form tc689", + [] + ], + [ + "form ch995", + [] + ] + ], + "evidences": [ + "

    The process is different if you act for a lot of clients or you\u2019re a paid agent.

    ", + "

    The claimant must fill in form TC689, or write a letter with the same information, and send it to the Tax Credit Office - the address is on the form.

    ", + "

    To authorise you to deal with High Income Child Benefit Tax Charge matters they also need to fill in form CH995.

    " + ], + "id": "train-1134" + }, + { + "url": "https://www.gov.uk/set-up-business-partnership", + "scenario": "my cousin and i love skateboards and are eager skateboarders. we would like to set up a business dealing in skateboards and items related to the skateboard culture.", + "question": "how do we set up a business partnership ?", + "not_answerable": false, + "answers": [ + [ + "choose a name", + [] + ], + [ + "choose a \u2018nominated partner\u2019", + [] + ], + [ + "register with hm revenue and customs (hmrc)", + [] + ] + ], + "evidences": [ + "

    When you set up a business partnership you need to:

    ", + "
  • choose a name
  • ", + "
  • choose a \u2018nominated partner\u2019
  • ", + "
  • register with HM Revenue and Customs (HMRC)
  • " + ], + "id": "train-1135" + }, + { + "url": "https://www.gov.uk/set-up-business-partnership", + "scenario": "we run a successful hair clip business along with my wife. we have been steadily growing and have recently reached an annual turnover of around \u00a380,000.", + "question": "do we have to register our business partnership for VAT ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must also register for VAT if your VAT taxable turnover is more than \u00a385,000. You can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.

    " + ], + "id": "train-1136" + }, + { + "url": "https://www.gov.uk/capital-gains-tax-businesses", + "scenario": "I have a small business that I am looking to wind down in the run up to my retirement. I have a number of assets i wish to dispose of.", + "question": "What type of asset i might need to pay Capital Gains Tax on?", + "not_answerable": false, + "answers": [ + [ + "land and buildings", + [] + ], + [ + "fixtures and fittings", + [] + ], + [ + "plant and machinery, for example a digger", + [] + ], + [ + "shares", + [] + ], + [ + "registered trademarks", + [] + ] + ], + "evidences": [ + "

    Business assets you may need to pay tax on include:

    ", + "
  • land and buildings
  • ", + "
  • fixtures and fittings
  • ", + "
  • plant and machinery, for example a digger
  • ", + "
  • shares
  • ", + "
  • registered trademarks
  • ", + "
  • your business\u2019s reputation
  • " + ], + "id": "train-1137" + }, + { + "url": "https://www.gov.uk/capital-gains-tax-businesses", + "scenario": "I am selling off two fields that I no longer need for my farming business. I understand that that I may be able to offset some of the costs against CGT.", + "question": "Can I offset stamp duty, improvement, costs of advertising and the salary of my employees?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can deduct certain costs of buying, selling or improving your asset from your gain.

    ", + "

    Costs you can deduct include:

    ", + "
  • fees, for example for valuing or advertising assets
  • ", + "
  • costs to improve assets (but not normal repairs)
  • ", + "
  • Stamp Duty Land Tax and VAT (unless you can reclaim the VAT)
  • " + ], + "id": "train-1138" + }, + { + "url": "https://www.gov.uk/prepare-file-annual-accounts-for-limited-company", + "scenario": "previously, we had been able to manage our paperwork including filing our returns without issue. as the company has grown this process has become more and more tedious", + "question": "can we employ a third party to file our returns ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can:

    ", + "
  • give your accountant or tax adviser your Companies House authentication code so they can file your accounts
  • ", + "
  • appoint an agent to file your Company Tax Return
  • " + ], + "id": "train-1139" + }, + { + "url": "https://www.gov.uk/prepare-file-annual-accounts-for-limited-company", + "scenario": "we had a scare in our company. our systems were hijacked and we were locked out of them and our backups were also affected by the hijack. as a result we will be late in filing our returns.", + "question": "can we have our filing deadline extended ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to extend your accounts filing deadline with Companies House if you cannot send your accounts because of an event outside your control - for example, if a fire destroyed company records before your filing deadline.

    " + ], + "id": "train-1140" + }, + { + "url": "https://www.gov.uk/making-child-maintenance-arrangement", + "scenario": "i separated from my partner because they were abusive towards my and our children. we have now separated and i have guardianship of the children but i do not wish to interact with them any more.", + "question": "how much does it cost to apply to the child maintanance service ?", + "not_answerable": false, + "answers": [ + [ + "you will not have to pay", + [] + ] + ], + "evidences": [ + "

    You will not have to pay this if you:

    ", + "
  • have experienced domestic abuse
  • " + ], + "id": "train-1141" + }, + { + "url": "https://www.gov.uk/making-child-maintenance-arrangement", + "scenario": "we have three children with my partner but have decided to go our separate ways since the relationship was not working.we have come to an agreement that i will look after the children and they will offer support.", + "question": "can we get help to come up with a child maintenance agreement ?", + "not_answerable": false, + "answers": [ + [ + "search for a local mediator", + [] + ], + [ + "read guidance", + [] + ] + ], + "evidences": [ + "

    You can search for a local mediator to help you reach agreement about an arrangement.

    ", + "

    You can read guidance on:

    ", + "
  • recording your agreement
  • ", + "

    You can search for a local mediator to help you work out child maintenance arrangements.

    ", + "

    The Child Maintenance Service is for parents who have not been able to make a private arrangement about how their child\u2019s living costs will be paid. The payments are a fixed amount on a schedule.

    " + ], + "id": "train-1142" + }, + { + "url": "https://www.gov.uk/correcting-a-death-registration", + "scenario": "My brother in law died two months ago and we have just noticed that the certificate that was issued misspells his middle name. Although this probably makes little difference to him we are worried that it might cause adminstrative problems in the future", + "question": "How can we amend my brother in law's death certificate?", + "not_answerable": false, + "answers": [ + [ + "fill in the application form to correct details on a death registration and send it to the register office", + [] + ] + ], + "evidences": [ + "

    Fill in the application form to correct details on a death registration and send it to the register office.

    ", + "

    You\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time of the death.

    " + ], + "id": "train-1143" + }, + { + "url": "https://www.gov.uk/correcting-a-death-registration", + "scenario": "My best friend died a few weeks ago and I dispute the cause of death that is given on her death certificate. I am not a doctor but I really believe that an error was made.", + "question": "Can I challenge the cause of death on my friend's death certificate?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    If you cannot send in proof, corrections cannot usually be made.

    " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Corrections to a death registration can only be made when the information is wrong (for example a mistake in spelling a person\u2019s name).

    ", + "

    You\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time of the death.

    ", + "

    Documents you can send in include a:

    ", + "
  • letter from a hospital or doctor
  • " + ], + "id": "train-1144" + }, + { + "url": "https://www.gov.uk/company-tax-returns", + "scenario": "I am a VAT registered business trader in the U.K and my accountant resigned would like to file my financial income tax returns.", + "question": "I want to know what does tax returns exactly involve?", + "not_answerable": false, + "answers": [ + [ + "profit or loss for corporation tax", + [] + ], + [ + "corporation tax bill", + [] + ] + ], + "evidences": [ + "

    When you file your tax return, you work out your:

    ", + "
  • profit or loss for Corporation Tax (this is different from the profit or loss shown in your annual accounts)
  • ", + "
  • Corporation Tax bill
  • " + ], + "id": "train-1145" + }, + { + "url": "https://www.gov.uk/company-tax-returns", + "scenario": "I run a Hotel business in the U.K.Since the start of the covid pandemic a lot of my employees were furloughed and there was a lot of workload due to few staffs. I didn't file my tax returns on time and I was late by 3 months.", + "question": "What is the penalty for 3 months late payment of tax returns?", + "not_answerable": false, + "answers": [ + [ + "another \u00a3100", + [] + ], + [ + "\u00a3100", + [] + ], + [ + "\u00a3500 each", + [ + "

    If your tax return is late 3 times in a row, the \u00a3100 penalties are increased to \u00a3500 each.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll have to pay penalties if you do not file your Company Tax Return by the deadline.

    ", + "Time after your deadline | Penalty", + "1 day | \u00a3100", + "3 months | Another \u00a3100", + "

    If your tax return is late 3 times in a row, the \u00a3100 penalties are increased to \u00a3500 each.

    " + ], + "id": "train-1146" + }, + { + "url": "https://www.gov.uk/wind-up-a-company-that-owes-you-money", + "scenario": "I have applied to wind up a local hardware company which owes me around \u00a32000. I had to pay quite substantial fees for court fees and for the petition deposit. As the case is progressing it appears that the company will be unable to repay these fees.", + "question": "Is there a chance for me to get the money spend on fees back despite this fact?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You might not get all or any of the money you\u2019re owed.

    ", + "

    You might be able to get the fees back if the company can afford to repay them.

    " + ], + "id": "train-1147" + }, + { + "url": "https://www.gov.uk/wind-up-a-company-that-owes-you-money", + "scenario": "I have a friend which works at a company which owes me money. The company owes me over \u00a31000. My friend has proof that they are unable to pay me this amount and since he is quitting anyway he does not mind if I apply to wind up the company.", + "question": "Am I eligible to wind up the company under these circumstances?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to the court to close or \u2018wind up\u2019 a company if it cannot pay its debts. This is also known as compulsory liquidation.

    ", + "

    To wind up a company you must:

    ", + "
  • be owed \u00a3750 or more
  • ", + "
  • be able to prove that the company cannot pay you
  • " + ], + "id": "train-1148" + }, + { + "url": "https://www.gov.uk/reclaim-vat", + "scenario": "I am a thirty five year old self employed computer repair person. I have recently purchased a new computer for use in my business, one of four that I own. I will also use it for personal use.", + "question": "As my computer will predominantly be for work use, can I reclaim ALL of the VAT on it?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can usually reclaim the VAT paid on goods and services purchased for use in your business.

    ", + "

    If a purchase is also for personal or private use, you can only reclaim the business proportion of the VAT.

    " + ], + "id": "train-1149" + }, + { + "url": "https://www.gov.uk/reclaim-vat", + "scenario": "I am thinking of starting up a taxi business and am trying to work out if it is financially viable. I would potentially have up to half a dozwn employers, both part time and full time.", + "question": "If I were to buy three or four cars for use in my business only, could I reclaim VAT on them?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to reclaim all the VAT on a new car if you use it only for business.

    ", + "

    The car must not be available for private use, and you must be able to show that it is not, for example it\u2019s specified in your employee\u2019s contract.

    ", + "

    You may also be able to claim all the VAT on a new car if it\u2019s mainly used:

    ", + "
  • as a taxi
  • " + ], + "id": "train-1150" + }, + { + "url": "https://www.gov.uk/correct-birth-registration", + "scenario": "I have been wrongly claimed as the father of a child. My name is on his birth certificate and i want it removed.", + "question": "What do i need to get my name removed?", + "not_answerable": false, + "answers": [ + [ + "a dna test record from an approved tester", + [] + ], + [ + "a court order", + [] + ], + [ + "evidence that confirms the name of the true biological father", + [] + ], + [ + "other evidence that confirms the recorded father could not have been the child\u2019s natural father", + [] + ] + ], + "evidences": [ + "

    You can apply to change who the recorded father is if you can prove that the man named on the certificate is not the natural father of the child. Examples of proof include:

    ", + "
  • a DNA test record from an approved tester
  • ", + "
  • a court order
  • ", + "
  • evidence that confirms the name of the true biological father
  • ", + "
  • other evidence that confirms the recorded father could not have been the child\u2019s natural father
  • " + ], + "id": "train-1151" + }, + { + "url": "https://www.gov.uk/correct-birth-registration", + "scenario": "I panicked when i was having my son as i had been unfaithful to my husband. i now want to put the correct father's name on the birth certificate.", + "question": "Who do i need to contact about this?", + "not_answerable": false, + "answers": [ + [ + "the register office where your child\u2019s birth was registered", + [] + ] + ], + "evidences": [ + "

    Contact the register office where your child\u2019s birth was registered to find out how to send your application, the cost and how to pay.

    ", + "

    Fill in the relevant application form and send it to the register office:

    ", + "
  • remove incorrect father\u2019s details from a birth registration
  • " + ], + "id": "train-1152" + }, + { + "url": "https://www.gov.uk/tell-dvla-about-bereavement", + "scenario": "Our family driver succumbed to injuries after a road accident. I want to report to DVLA but I can't access the \"Tell us once services \"", + "question": "If i write to DVLA manually what should i include in the letter?", + "not_answerable": false, + "answers": [ + [ + "their name, address and date of birth", + [] + ], + [ + "your relationship to the person who died", + [] + ], + [ + "the date they died", + [] + ] + ], + "evidences": [ + "

    Write to DVLA to tell them a driver has died. Include the person\u2019s driving licence with your letter, if you have it.

    ", + "

    Your letter must include:

    ", + "
  • your relationship to the person who died
  • ", + "
  • the date they died
  • ", + "
  • their name, address and date of birth
  • " + ], + "id": "train-1153" + }, + { + "url": "https://www.gov.uk/company-filing-software", + "scenario": "My software development company is in between projects right now and we thought it would be a good idea to develop our own filing software. This will enable us to speed up and make the filling process more streamlined and secure for our particular business.", + "question": "What technical specifications must our software follow in order to be legal?", + "not_answerable": false, + "answers": [ + [ + "the companies house technical specifications", + [] + ] + ], + "evidences": [ + "

    You can then either:

    ", + "
  • develop your own software - request a copy of the Companies House technical specifications by emailing xml@companieshouse.gov.uk
  • " + ], + "id": "train-1154" + }, + { + "url": "https://www.gov.uk/company-filing-software", + "scenario": "The filing process has always been a time consuming task for my business. Most of the times I do it myself by hand. Recently a friend recommended I switch to electronic filing to make the process easier. I have all types of accounts but am mostly looking for software that can take care of full type accounts.", + "question": "Will the software \"Taxfiler Accounts Production\" developed by \"Taxfiler\" be efficient for my needs?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The following is a list of software and the kinds of accounts you can use it for.

    ", + "Supplier | Product | Dormant | Micro Entity | Abridged | Small | Full", + "Taxfiler | Taxfiler Accounts Production | Yes | Yes | Yes | Yes | -" + ], + "id": "train-1155" + }, + { + "url": "https://www.gov.uk/parental-rights-responsibilities", + "scenario": "My friend Kate and her unmarried partner had a baby girl last year. They have now separated and Kate takes care of the baby. Her ex partner wants to be part of the baby care.", + "question": "Which ways can unmarried partner get parental responsibilities?", + "not_answerable": false, + "answers": [ + [ + "jointly registering the birth of the child with the mother (from 1 december 2003)", + [ + "
  • jointly registering the birth of the child with the mother (from 1 December 2003)
  • " + ] + ], + [ + "getting a parental responsibility agreement with the mother", + [] + ], + [ + "getting a parental responsibility order from a court", + [] + ] + ], + "evidences": [ + "

    An unmarried father can get parental responsibility for his child in 1 of 3 ways:

    ", + "
  • jointly registering the birth of the child with the mother (from 1 December 2003)
  • ", + "
  • getting a parental responsibility agreement with the mother
  • ", + "
  • getting a parental responsibility order from a court
  • " + ], + "id": "train-1156" + }, + { + "url": "https://www.gov.uk/parental-rights-responsibilities", + "scenario": "My wife and I have separated and she has since blocked me and no way I can access my children. I miss them and I want to be part of their lives.", + "question": "I want to apply for a court order. How much does it cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a3215", + [ + "

    You may be able to get help with court fees if you\u2019re on benefits or a low income.

    " + ] + ] + ], + "evidences": [ + "

    A court order costs \u00a3215.

    " + ], + "id": "train-1157" + }, + { + "url": "https://www.gov.uk/make-decisions-for-someone", + "scenario": "My uncle owns several properties across the UK.Recently he was diagnosed with dementia and appointed me with lasting power of attorney.", + "question": "As his attorney what are my obligations?", + "not_answerable": false, + "answers": [ + [ + "give them all the help they need to make each decision before deciding they do not have mental capacity to make that decision themselves", + [] + ], + [ + "make any decisions in their best interests", + [] + ], + [ + "make decisions that restrict their human and civil rights as little as you can", + [] + ] + ], + "evidences": [ + "

    As someone\u2019s attorney or deputy you must:

    ", + "
  • give them all the help they need to make each decision before deciding they do not have mental capacity to make that decision themselves
  • ", + "
  • make any decisions in their best interests
  • ", + "
  • make decisions that restrict their human and civil rights as little as you can
  • " + ], + "id": "train-1158" + }, + { + "url": "https://www.gov.uk/make-decisions-for-someone", + "scenario": "My friend Alice had a car accident last year and developed severe head injuries. She can't remember some things and would like to nominate a deputy to make decisions on her behalf.", + "question": "What some of human and civil rights the deputy can\u2019t make decision on?", + "not_answerable": false, + "answers": [ + [ + "voting", + [] + ], + [ + "relationships", + [] + ] + ], + "evidences": [ + "

    Your decisions must restrict the person\u2019s human and civil rights as little as possible. Citizens Advice has information about human and civil rights.

    ", + "

    You can never make decisions on someone\u2019s behalf about certain things, such as:

    ", + "
  • voting
  • ", + "
  • relationships - for example consenting to sex, getting married or getting divorced
  • " + ], + "id": "train-1159" + }, + { + "url": "https://www.gov.uk/water-and-sewerage-rates-for-businesses", + "scenario": "I run a fish and chip shop in Derby. I produce a lot of waste oil and food scraps. I understand this is covered by legislation.", + "question": "Does this count as effluent?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll also have to pay for any effluent (liquid waste) you produce. Effluent is water contaminated with things like:

    ", + "
  • fats, oils and grease
  • ", + "
  • food waste
  • " + ], + "id": "train-1160" + }, + { + "url": "https://www.gov.uk/water-and-sewerage-rates-for-businesses", + "scenario": "I run a laundry business and we use a lot of water. I am looking for a better deal as I am a heavy user of water.", + "question": "Can I select my own water provider?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    In England and Wales you can check with Ofwat whether you can choose your own supplier.

    ", + "

    In Scotland choose your supplier from the Water Commission\u2019s list of suppliers.

    " + ] + ], + [ + "no", + [ + "

    In Northern Ireland you can\u2019t choose your own supplier - water is supplied by Northern Ireland Water.

    " + ] + ] + ], + "evidences": [ + "

    Your business could be eligible for a large user tariff, meaning your water might be cheaper. This is because it often costs less to supply larger businesses.

    ", + "

    You may be able to choose your water and sewerage service provider depending on where your business is.

    ", + "

    In England and Wales you can check with Ofwat whether you can choose your own supplier.

    ", + "

    In Scotland choose your supplier from the Water Commission\u2019s list of suppliers.

    ", + "

    In Northern Ireland you can\u2019t choose your own supplier - water is supplied by Northern Ireland Water.

    " + ], + "id": "train-1161" + }, + { + "url": "https://www.gov.uk/correct-birth-registration", + "scenario": "I am a 21 year old transwoman and I was registered as a male at birth. This causes me a lot of distress and I would very much like to change my birth certificate to reflect my true identity.", + "question": "What steps do I have to take to reregister my birth?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1162" + }, + { + "url": "https://www.gov.uk/correct-birth-registration", + "scenario": "I registered the birth of my son last year and foolishly put the name of my ex on the birth certificate rather than that of his father. I deeply regret this now and want to make amends.", + "question": "Is it possible to change the father's name on my son's birth certificate?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can apply to change who the recorded father is if you can prove that the man named on the certificate is not the natural father of the child. Examples of proof include:

    " + ] + ] + ], + "evidences": [ + "

    You can apply to change who the recorded father is if you can prove that the man named on the certificate is not the natural father of the child. Examples of proof include:

    " + ], + "id": "train-1163" + }, + { + "url": "https://www.gov.uk/making-child-maintenance-arrangement", + "scenario": "I am the custodian of our two daughters after i underwent domestic abuse and our marriage broke. We had made a private arrangement with my ex-husband on how he will pay for childcare maintenance. It's 5 months now and has not paid any child maintenance.", + "question": "If i apply for the childcare mantainance services will i have to pay a fee?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you later decide to switch to using the Child Maintenance Service you may have to pay an application fee. You will not need to pay the fee if you\u2019ve experienced domestic abuse, you\u2019re under 19 years old or you live in Northern Ireland.

    ", + "

    You will not have to pay this if you:

    ", + "
  • have experienced domestic abuse
  • " + ], + "id": "train-1164" + }, + { + "url": "https://www.gov.uk/making-child-maintenance-arrangement", + "scenario": "I would like to apply for a child maintenance service. My children are 3 and 5 years old respectively and we all live in the UK. My ex-husband has declined to commit.My income is low and I am not working.", + "question": "Which documents should i provide?", + "not_answerable": false, + "answers": [ + [ + "details about the child you\u2019re applying for", + [] + ], + [ + "your national insurance number", + [] + ], + [ + "your bank account details", + [] + ] + ], + "evidences": [ + "
  • details about the child you\u2019re applying for - including the full names of their parents
  • ", + "
  • your National Insurance number
  • ", + "
  • your bank account details (tell the Child Maintenance Service if it\u2019s not safe to tell the other parent your name, if you\u2019ve changed it, or location)
  • " + ], + "id": "train-1165" + }, + { + "url": "https://www.gov.uk/register-birth", + "scenario": "My partner and I are French citizens living in the UK and have just had our first child. We would like our child to have dual citizenship if this is possible.", + "question": "When we register our baby's birth, do we have to mention our nationality?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    When registering the birth, you should know:

    ", + "
  • parents\u2019 names, surnames and address
  • ", + "
  • places and dates of parents\u2019 birth
  • " + ], + "id": "train-1166" + }, + { + "url": "https://www.gov.uk/register-birth", + "scenario": "My sister has recently had her baby and has to remain in hospital due to complications. She has no partner and will be raising the baby alone.", + "question": "Am I able to register my sister's baby even though I am not its parent?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • someone who was present at the birth
  • ", + "
  • someone who is responsible for the child
  • " + ] + ] + ], + "evidences": [ + "

    If the parents cannot register the birth (for example, for medical reasons), certain other people can do it:

    ", + "
  • someone who was present at the birth
  • ", + "
  • someone who is responsible for the child
  • " + ], + "id": "train-1167" + }, + { + "url": "https://www.gov.uk/business-relief-inheritance-tax", + "scenario": "I am the will executor of our inherited properties and buildings from our parents .I would like to claim 50 % business relief.", + "question": "Which forms should i fill?", + "not_answerable": false, + "answers": [ + [ + "form iht400", + [] + ], + [ + "schedule iht413", + [] + ] + ], + "evidences": [ + "

    You should fill in both:

    ", + "
  • form IHT400 (Inheritance Tax account)
  • ", + "
  • schedule IHT413 (Business or partnership interests and assets)
  • " + ], + "id": "train-1168" + }, + { + "url": "https://www.gov.uk/business-relief-inheritance-tax", + "scenario": "I inherited a big piece of land and several buildings through a will. I do commercial farming on land with different farm machinery. I would like to know more about business relief.", + "question": "What qualifies for 50% business relief?", + "not_answerable": false, + "answers": [ + [ + "shares controlling more than 50% of the voting rights in a listed company", + [] + ], + [ + "and, buildings or machinery owned by the deceased and used in a business they were a partner in or controlled", + [] + ], + [ + "land, buildings or machinery used in the business and held in a trust that it has the right to benefit from", + [] + ] + ], + "evidences": [ + "

    You can get 50% Business Relief on:

    ", + "
  • shares controlling more than 50% of the voting rights in a listed company
  • ", + "
  • land, buildings or machinery owned by the deceased and used in a business they were a partner in or controlled
  • ", + "
  • land, buildings or machinery used in the business and held in a trust that it has the right to benefit from
  • " + ], + "id": "train-1169" + }, + { + "url": "https://www.gov.uk/mandatory-reconsideration", + "scenario": "I applied for PIP three months ago on the grounds that I have a severe mental health condition that affects my ability to leave my home. I was told my application had been rejected because I did not have enough points.", + "question": "I want this to be reconsidered as I am sure the decision is wrong. What do I do?", + "not_answerable": false, + "answers": [ + [ + "contact the benefits office that gave you the decision.", + [] + ] + ], + "evidences": [ + "

    If you disagree with a decision about benefits, tax credits or child maintenance you can ask for the decision to be looked at again - this is called \u2018mandatory reconsideration\u2019.

    ", + "

    You can ask for mandatory reconsideration for benefits including:

    ", + "
  • Personal Independence Payment (PIP)
  • ", + "

    Contact the benefits office that gave you the decision. You can contact them:

    " + ], + "id": "train-1170" + }, + { + "url": "https://www.gov.uk/mandatory-reconsideration", + "scenario": "I applied for ESA on the grounds of a physical health problem and was rejected. My request for a mandatory reconsideration was rejected also. I do not know what I need to do now and I am desperate.", + "question": "How do I take my claim further now it has been rejected twice?", + "not_answerable": false, + "answers": [ + [ + "appeal to the social security and child support tribunal", + [] + ] + ], + "evidences": [ + "

    You can appeal to the Social Security and Child Support Tribunal if you think the decision in the mandatory reconsideration notice is wrong. The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.

    " + ], + "id": "train-1171" + }, + { + "url": "https://www.gov.uk/business-relief-inheritance-tax", + "scenario": "While looking into how to value the estate of my business I was informed that I can claim Business Relief as the executor of the estate. While the lady that was assisting me helped me out a lot and I am mostly aware of the process a few details slipped my mind.", + "question": "Which forms do I need to fill out in order to claim relief?", + "not_answerable": false, + "answers": [ + [ + "form iht400", + [] + ], + [ + "schedule iht413", + [] + ] + ], + "evidences": [ + "

    You should fill in both:

    ", + "
  • form IHT400 (Inheritance Tax account)
  • ", + "
  • schedule IHT413 (Business or partnership interests and assets)
  • " + ], + "id": "train-1172" + }, + { + "url": "https://www.gov.uk/business-relief-inheritance-tax", + "scenario": "My father recently passed away. In his will he left me his shares in a software company. After doing a bit of research on the company I found out it counts as an unlisted company.", + "question": "What percentage Business Relief can I claim on these shares?", + "not_answerable": false, + "answers": [ + [ + "100%", + [] + ] + ], + "evidences": [ + "

    You can get Business Relief of either 50% or 100% on some of an estate\u2019s business assets, which can be passed on:

    ", + "
  • as part of the will
  • ", + "

    You can claim relief on:

    ", + "
  • unlisted shares
  • ", + "

    You can get 100% Business Relief on:

    ", + "
  • shares in an unlisted company
  • " + ], + "id": "train-1173" + }, + { + "url": "https://www.gov.uk/reclaim-vat", + "scenario": "I bought a personal gaming computer for myself and requested an invoice to my business, so I can claim VAT on it. I will not be using this computer for work, it is purely for private use. Today when I brought this up with my accountant he let me know that I will not be able to claim VAT on this purchase.", + "question": "Am I eligible to reclaim VAT on this purchase?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can usually reclaim the VAT paid on goods and services purchased for use in your business.

    ", + "

    If a purchase is also for personal or private use, you can only reclaim the business proportion of the VAT.

    ", + "

    You cannot reclaim VAT for:

    ", + "
  • anything that\u2019s only for private use
  • " + ], + "id": "train-1174" + }, + { + "url": "https://www.gov.uk/reclaim-vat", + "scenario": "I own a fast food franchise, currently I only have one location. Recently I began planning on opening a new location after I saw a very well located vacant property for sale. The property is listed for \u00a3200,000 before VAT. Since it is going to be a business expansion expense I plan on reclaiming VAT on it.", + "question": "Do the normal VAT rules apply to this purchase?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can usually reclaim the VAT paid on goods and services purchased for use in your business.

    ", + "

    There are special rules for reclaiming VAT for:

    ", + "
  • land and buildings costing \u00a3250,000 or more before VAT
  • " + ], + "id": "train-1175" + }, + { + "url": "https://www.gov.uk/tell-dvla-about-bereavement", + "scenario": "I was recently widowed and am in possession of a Motability car which I used to drive my disabled husband around. I have been told that I am not to drive it now my husband is dead but I do not know what to do.", + "question": "What steps do I take now?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1176" + }, + { + "url": "https://www.gov.uk/tell-dvla-about-bereavement", + "scenario": "My father in law died recently and indicated before he died that he would like us to keep his car, which has been off road for some time due to his failing health. We have the log book and other paperwork", + "question": "How do we go about keeping the car and transferring it into our name?", + "not_answerable": false, + "answers": [ + [ + "fill in section 2 if you have a new style log book with multi-coloured numbered blocks on the front cover. fill in section 6 if you have the older style log book.", + [] + ], + [ + "tear off and keep the green \u2018new keeper\u2019 slip.", + [] + ], + [ + "write a letter explaining your relationship to the person who died, the date they died and who should be paid any vehicle tax refund.", + [] + ], + [ + "send the v5c with your letter to the dvla sensitive casework team.", + [] + ] + ], + "evidences": [ + "

    If you have the vehicle log book (V5C)

    ", + "
  • Fill in section 2 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 6 if you have the older style log book.
  • ", + "
  • Tear off and keep the green \u2018new keeper\u2019 slip.
  • ", + "
  • Write a letter explaining your relationship to the person who died, the date they died and who should be paid any vehicle tax refund.
  • ", + "
  • Send the V5C with your letter to the DVLA Sensitive Casework Team. Also include form V890 if you want to register the vehicle as off the road (SORN) instead of taxing it.
  • " + ], + "id": "train-1177" + }, + { + "url": "https://www.gov.uk/adoption-records", + "scenario": "I am thirty and was adopted as a toddler. I have always known that I was adopted and until now have had no interest in accessing my adoption records. Recently, however, I have begun to be interested in these and would like to access them.", + "question": "Where can I find my birth records?", + "not_answerable": false, + "answers": [ + [ + "from the general register office", + [ + "

    You know your birth details

    " + ] + ], + [ + "fill in an application for birth certificate information before adoption (biba) service", + [ + "

    You don\u2019t know your birth details

    " + ] + ] + ], + "evidences": [ + "

    You know your birth details

    ", + "

    You can order a copy of your original birth certificate from the General Register Office.

    ", + "

    For adoptions outside England or Wales you need to contact the General Register Office where you were adopted.

    ", + "

    You don\u2019t know your birth details

    ", + "

    You need to fill in an application for Birth certificate Information Before Adoption (BIBA) service if you don\u2019t know your birth details. Which application form you fill in depends on if you live:

    " + ], + "id": "train-1178" + }, + { + "url": "https://www.gov.uk/adoption-records", + "scenario": "I learned recently that I have a younger sister that I have never met, who was put up for adoption when she was a newborn and I was just under three years old. My birth mother apparently could not cope with another child at that time and thought it was for the best.", + "question": "I'd like to meet my sister. Where should I start looking?", + "not_answerable": false, + "answers": [ + [ + "add yourself to the adoption contact register at the general register office", + [ + "

    You need to be 18 or over.

    " + ] + ], + [ + "use an intermediary agency to help you trace a birth relative", + [ + "
  • a relative of yours (including a relative by adoption) was adopted before 30 December 2005
  • ", + "
  • you were adopted before 30 December 2005
  • " + ] + ] + ], + "evidences": [ + "

    You can add yourself to the Adoption Contact Register at the General Register Office to:

    ", + "
  • find a birth relative or an adopted person
  • ", + "

    You can add yourself to the register to try to find an adopted person by filling in form CR part 2. Read guidance notes on how to complete the form. You\u2019ll only be able to find people who have also added themselves to it.

    ", + "

    You can use an intermediary agency to help you trace a birth relative if you were adopted or you\u2019re related to someone who has been adopted. The fee for the service depends on the agency.

    ", + "
  • you were adopted before 30 December 2005
  • ", + "
  • a relative of yours (including a relative by adoption) was adopted before 30 December 2005
  • " + ], + "id": "train-1179" + }, + { + "url": "https://www.gov.uk/prepare-file-annual-accounts-for-limited-company", + "scenario": "I am a director of a private limited company and would like to file the first financial accounts with the company house.", + "question": "What is the given deadline to file accounts?", + "not_answerable": false, + "answers": [ + [ + "21 months after the date you registered with companies house", + [] + ] + ], + "evidences": [ + "

    After the end of its financial year, your private limited company must prepare:

    ", + "
  • full (\u2018statutory\u2019) annual accounts
  • ", + "Action | Deadline", + "File first accounts with Companies House | 21 months after the date you registered with Companies House" + ], + "id": "train-1180" + }, + { + "url": "https://www.gov.uk/prepare-file-annual-accounts-for-limited-company", + "scenario": "My company accountant tested positive for the corona virus and went into isolation because of this, I delayed filing of my company tax returns and I would wish to extend my filling deadline .", + "question": "What do i need inorder to apply online?", + "not_answerable": false, + "answers": [ + [ + "your company number", + [] + ], + [ + "information about why you need more time", + [] + ], + [ + "any documents you have that support your application", + [] + ] + ], + "evidences": [ + "

    To apply online you\u2019ll need:

    ", + "
  • your company number
  • ", + "
  • information about why you need more time
  • ", + "
  • any documents you have that support your application
  • " + ], + "id": "train-1181" + }, + { + "url": "https://www.gov.uk/company-tax-returns", + "scenario": "we are a hospitality company. over the past year because of reduced visitor numbers we have recorded financial losses and have had to let some staff go.", + "question": "do we have to file a return if we made a loss ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must still send a return if you make a loss or have no Corporation Tax to pay.

    " + ], + "id": "train-1182" + }, + { + "url": "https://www.gov.uk/company-tax-returns", + "scenario": "we have been very busy as a company, we had unprecedented orders and so have fallen behind in our paper work including filing our company tax returns.", + "question": "what are the penalties for filing tax returs late ?", + "not_answerable": false, + "answers": [ + [ + "\u00a3100", + [ + "1 day | \u00a3100" + ] + ], + [ + "another \u00a3100", + [ + "3 months | Another \u00a3100" + ] + ], + [ + "hm revenue and customs (hmrc) will estimate your corporation tax bill and add a penalty of 10% the unpaid tax", + [ + "6 months | HM Revenue and Customs (HMRC) will estimate your Corporation Tax bill and add a penalty of 10% the unpaid tax" + ] + ], + [ + "another 10% of any unpaid tax", + [ + "12 months | Another 10% of any unpaid tax" + ] + ], + [ + "\u00a3500 each", + [ + "

    If your tax return is late 3 times in a row, the \u00a3100 penalties are increased to \u00a3500 each.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll have to pay penalties if you do not file your Company Tax Return by the deadline.

    ", + "Time after your deadline | Penalty", + "1 day | \u00a3100", + "3 months | Another \u00a3100", + "6 months | HM Revenue and Customs (HMRC) will estimate your Corporation Tax bill and add a penalty of 10% the unpaid tax", + "12 months | Another 10% of any unpaid tax", + "

    If your tax return is late 3 times in a row, the \u00a3100 penalties are increased to \u00a3500 each.

    " + ], + "id": "train-1183" + }, + { + "url": "https://www.gov.uk/capital-gains-tax-businesses", + "scenario": "My father is in the real estate business and owns several house assets. He wants to sell one of his houses but would like to work out the gains.", + "question": "What are the costs he can deduct?", + "not_answerable": false, + "answers": [ + [ + "fees", + [] + ], + [ + "costs to improve assets", + [] + ], + [ + "stamp duty land tax and vat", + [] + ] + ], + "evidences": [ + "

    You can deduct certain costs of buying, selling or improving your asset from your gain.

    ", + "

    Costs you can deduct include:

    ", + "
  • fees, for example for valuing or advertising assets
  • ", + "
  • costs to improve assets (but not normal repairs)
  • ", + "
  • Stamp Duty Land Tax and VAT (unless you can reclaim the VAT)
  • " + ], + "id": "train-1184" + }, + { + "url": "https://www.gov.uk/capital-gains-tax-businesses", + "scenario": "My brother and I own a big family house and we would like to sell it so that we can share the money amongst ourselves. We inherited it through a will and it was our main home.", + "question": "If we sell it can we qualify for a private residential relief?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to reduce or delay paying tax on your gains if you\u2019re eligible for tax relief.

    ", + "

    You normally get Private Residence Relief when you sell or dispose of your main home, meaning you do not pay any Capital Gains Tax.

    " + ], + "id": "train-1185" + }, + { + "url": "https://www.gov.uk/correcting-a-death-registration", + "scenario": "I am a doctor. One of my patients recently died during an extremely busy shift (we had 5 times the usual number of patients due to COVID). I realized I missed a note about the patient's condition when filling out the death certificate.", + "question": "Can I change the death certificate to fix my mistake?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot change a death certificate once it\u2019s been issued, but you can apply to get a note added to the original entry in the death register.

    " + ], + "id": "train-1186" + }, + { + "url": "https://www.gov.uk/correcting-a-death-registration", + "scenario": "My husband recently died of covid-19. I have just received the death certificate and noticed that his name is misspelt on the certificate.", + "question": "What happen if I try to get my husband's name corrected on the death certificate?", + "not_answerable": false, + "answers": [ + [ + "you can then get an updated certificate issued that shows this note", + [] + ] + ], + "evidences": [ + "

    You can then get an updated certificate issued that shows this note.

    " + ], + "id": "train-1187" + }, + { + "url": "https://www.gov.uk/set-up-business-partnership", + "scenario": "My friend and I have decided to do a taxi business partnership, We are in the process of coming up with a brand name.", + "question": "What must a business name not do?", + "not_answerable": false, + "answers": [ + [ + "include \u2018limited\u2019, \u2018ltd\u2019, \u2018limited liability partnership, \u2018llp\u2019, \u2018public limited company\u2019 or \u2018plc\u2019", + [] + ], + [ + "be offensive", + [] + ], + [ + "be the same as an existing trade mark", + [] + ], + [ + "cannot contain a \u2018sensitive\u2019 word or expression, or suggest a connection with government or local authorities", + [] + ] + ], + "evidences": [ + "

    Business partnership names must not:

    ", + "
  • include \u2018limited\u2019, \u2018Ltd\u2019, \u2018limited liability partnership, \u2018LLP\u2019, \u2018public limited company\u2019 or \u2018plc\u2019
  • ", + "
  • be offensive
  • ", + "
  • be the same as an existing trade mark
  • ", + "

    Your name also cannot contain a \u2018sensitive\u2019 word or expression, or suggest a connection with government or local authorities, unless you get permission.

    " + ], + "id": "train-1188" + }, + { + "url": "https://www.gov.uk/set-up-business-partnership", + "scenario": "We started a transport company business with my business partner last year and we have witnessed a total turnover of \u00a390,000.", + "question": "Is that amount vatable and can we register for VAT?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must also register for VAT if your VAT taxable turnover is more than \u00a385,000. You can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.

    " + ], + "id": "train-1189" + }, + { + "url": "https://www.gov.uk/adoption-records", + "scenario": "my sister gave up her son for adoption twenty years ago. i'd like very much to get to know my nephew who is a young man now.", + "question": "can i find out where my nephew was adopted ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can add yourself to the Adoption Contact Register at the General Register Office to:

    ", + "
  • find a birth relative or an adopted person
  • " + ], + "id": "train-1190" + }, + { + "url": "https://www.gov.uk/adoption-records", + "scenario": "i come from a very happy and secure home. i know that i am adopted but i'm very satisfied with my adopted family.", + "question": "can i refuse to be contacted by my birth parents ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can add yourself to the Adoption Contact Register at the General Register Office to:

    ", + "
  • say you don\u2019t want to be contacted
  • ", + "

    Adopted people and birth relatives can use the Adoption Contact Register to say that they don\u2019t want to be contacted.

    " + ], + "id": "train-1191" + }, + { + "url": "https://www.gov.uk/parental-rights-responsibilities", + "scenario": "I'm Eric living in England. My wife has recently given birth to a baby boy. I don't understand my rights and this is all new to me.", + "question": "Do I qualify for parental responsibility?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    All mothers and most fathers have legal rights and responsibilities as a parent - known as \u2018parental responsibility\u2019.

    ", + "

    A mother automatically has parental responsibility for her child from birth.

    ", + "

    A father usually has parental responsibility if he\u2019s either:

    ", + "
  • married to the child\u2019s mother
  • " + ], + "id": "train-1192" + }, + { + "url": "https://www.gov.uk/parental-rights-responsibilities", + "scenario": "My daughter has given birth to a baby girl. However, she is a drug addict and cannot look after the baby and would like me to look after her.", + "question": "How do i apply for parental responsibility?", + "not_answerable": false, + "answers": [ + [ + "fill in a parental responsibility agreement", + [ + "

    If you\u2019re a father who wants parental responsibility and the mother agrees, fill in a parental responsibility agreement.

    " + ] + ], + [ + "take the agreement to your local family court", + [] + ], + [ + "apply for a court order", + [ + "

    If you want parental responsibility but cannot agree on arrangements with the mother, you can apply for a court order.

    " + ] + ] + ], + "evidences": [ + "

    If you\u2019re a father who wants parental responsibility and the mother agrees, fill in a parental responsibility agreement.

    ", + "

    There\u2019s a different agreement form for step parents.

    ", + "

    Take the agreement to your local family court where it can be signed and witnessed.

    ", + "

    If you want parental responsibility but cannot agree on arrangements with the mother, you can apply for a court order.

    " + ], + "id": "train-1193" + }, + { + "url": "https://www.gov.uk/mandatory-reconsideration", + "scenario": "i was in an abusive relationship that ended bitterly. i did not wish to interact with my partner any longer and applied for child maintenance from the state which was denied.", + "question": "can i challenge the decision of my application for child maintenance ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you think the office dealing with your claim has made an error or missed important evidence
  • ", + "
  • you disagree with the reasons for the decision
  • ", + "
  • you want to have the decision looked at again
  • " + ] + ] + ], + "evidences": [ + "

    If you disagree with a decision about benefits, tax credits or child maintenance you can ask for the decision to be looked at again - this is called \u2018mandatory reconsideration\u2019.

    ", + "

    You can do this if any of the following apply:

    ", + "
  • you think the office dealing with your claim has made an error or missed important evidence
  • ", + "
  • you disagree with the reasons for the decision
  • ", + "
  • you want to have the decision looked at again
  • ", + "

    You can ask for mandatory reconsideration for benefits including:

    ", + "
  • child maintenance (sometimes known as \u2018child support\u2019)
  • " + ], + "id": "train-1194" + }, + { + "url": "https://www.gov.uk/mandatory-reconsideration", + "scenario": "i got injured a while ago at work and applied for industrial injuries disablement benefit but the application was denied. it has been two months since i got the decision.", + "question": "how much time do i have to make a challenge to a benefit decision ?", + "not_answerable": false, + "answers": [ + [ + "within one month of the date on your decision letter", + [] + ] + ], + "evidences": [ + "

    You can ask for mandatory reconsideration after this but it must be for a good reason, for example if you\u2019ve been in hospital or had a bereavement. You must explain why your request is late.

    ", + "

    You need to ask for mandatory reconsideration within one month of the date on your decision letter. If you\u2019re writing, the letter or form must arrive by then.

    " + ], + "id": "train-1195" + }, + { + "url": "https://www.gov.uk/wind-up-a-company-that-owes-you-money", + "scenario": "We are electronic goods suppliers. We supplied electronic goods to one of our customers but did not pay. The bill has reached \u00a3500,000.I have tried all the means but has got no intentions of paying. I want to apply for a winding up petition.", + "question": "Which forms am i supposed to fill?", + "not_answerable": false, + "answers": [ + [ + "comp 1", + [] + ], + [ + "comp 2", + [] + ] + ], + "evidences": [ + "

    Fill in form Comp 1 and make 3 copies.

    ", + "

    You\u2019ll also need to fill in form Comp 2 confirming the details of your petition.

    " + ], + "id": "train-1196" + }, + { + "url": "https://www.gov.uk/wind-up-a-company-that-owes-you-money", + "scenario": "We are a vehicle spare parts dealer company and supplied spare parts to one of our clients. He runs a car dealership business in the U.K. He failed to pay his debt of \u00a350,000 . We have applied for a winding up petition to the courts and it has been granted.", + "question": "Can the court recover our debts?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You might not get all or any of the money you\u2019re owed.

    " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your application to the court is known as a \u2018winding-up petition\u2019. If you\u2019re successful:

    ", + "
  • the company collects money it\u2019s owed
  • ", + "

    You might not get all or any of the money you\u2019re owed.

    ", + "

    The court will put an official receiver in charge of the liquidation. They\u2019ll start the process of turning the company\u2019s assets into money that can be used to pay the company\u2019s debts.

    " + ], + "id": "train-1197" + }, + { + "url": "https://www.gov.uk/contaminated-land", + "scenario": "My husband and I recently purchased some land on which we intended to build. We had had it surveyed and apparently it is heavily contaminated. We are not sure what this might do to our building plans.", + "question": "How do we go forward now that we know that our land is contaminated?", + "not_answerable": false, + "answers": [ + [ + "contact your local council to check what you must do to make sure the land is suitable for your proposed development.", + [] + ], + [ + "deal with the contamination", + [] + ], + [ + "the council or agency will then decide who\u2019s responsible for dealing with it instead", + [] + ] + ], + "evidences": [ + "

    The council or agency will then decide who\u2019s responsible for dealing with it instead. This may be the landowner, or the person who uses the land.

    ", + "

    You\u2019ll have to deal with the contamination either:

    ", + "
  • before you get planning permission
  • ", + "
  • as part of the development
  • ", + "

    Contact your local council to check what you must do to make sure the land is suitable for your proposed development.

    " + ], + "id": "train-1198" + }, + { + "url": "https://www.gov.uk/contaminated-land", + "scenario": "I have recently leased a small patch of land with the intention of using it as an allotment. Having inspected it there appears to be a strange chemical smell to the soil. This makes me worry it might not be suitable for growing food.", + "question": "How do I find out for definite if there is contamination in my new land?", + "not_answerable": false, + "answers": [ + [ + "contact your local council", + [] + ] + ], + "evidences": [ + "

    Your local council or an environment agency will decide if your land is contaminated.

    ", + "

    Contact your local council if you believe your land is contaminated.

    " + ], + "id": "train-1199" + }, + { + "url": "https://www.gov.uk/represent-yourself-in-court", + "scenario": "I am due in court in two months on motoring offence charges. I intend to represent myself as I think that the case is fairly straightforward and I do not want to waste money on legal representation.", + "question": "Do I have to hire a representative at the court?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You have the right to speak for yourself in court without a solicitor or other legal professional.

    ", + "

    You may choose to do this because:

    ", + "
  • you think it\u2019s better to talk directly to the judge, jury or magistrates yourself
  • ", + "
  • you cannot afford to pay legal fees
  • " + ], + "id": "train-1200" + }, + { + "url": "https://www.gov.uk/represent-yourself-in-court", + "scenario": "My wife and I are involved in an acrimonious divorce and it has been recommended that I get legal representation. I cannot afford this, however, especially with the uncertainty of whether I will have to pay maintanance and if so how much.", + "question": "Can I represent myself?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You have the right to speak for yourself in court without a solicitor or other legal professional.

    ", + "

    You may choose to do this because:

    ", + "
  • you cannot afford to pay legal fees
  • " + ], + "id": "train-1201" + }, + { + "url": "https://www.gov.uk/business-asset-disposal-relief", + "scenario": "My friend has been operating his business for 10 years and wants to sell all of his business assets and relocate abroad . He qualifies for the asset disposal relief.", + "question": "How can he put a claim?", + "not_answerable": false, + "answers": [ + [ + "through your self assessment tax return", + [] + ], + [ + "by filling in section a of the business asset disposal relief helpsheet", + [] + ] + ], + "evidences": [ + "

    You can claim Business Asset Disposal Relief either:

    ", + "
  • through your Self Assessment tax return
  • ", + "
  • by filling in Section A of the Business Asset Disposal Relief helpsheet
  • " + ], + "id": "train-1202" + }, + { + "url": "https://www.gov.uk/business-asset-disposal-relief", + "scenario": "I want to sell the farm machinery I had let to our agricultural business farm for the last 2 years. I have already sold 3% of my partnership shares. I want to opt out of agricultural business.", + "question": "Will i be able to pay less capital tax gain?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may be able to pay less Capital Gains Tax when you sell (or \u2018dispose of\u2019) all or part of your business.

    ", + "

    Business Asset Disposal Relief means you\u2019ll pay tax at 10% on all gains on qualifying assets.

    ", + "

    To qualify, both of the following must apply:

    ", + "
  • you\u2019ve sold at least 5% of your part of a business partnership or your shares in a personal company
  • ", + "
  • you owned the assets but let your business partnership or personal company use them for at least one year up to the date you sold your business or shares - or the date the business closed
  • " + ], + "id": "train-1203" + }, + { + "url": "https://www.gov.uk/motorcycle-trainer-standards-check", + "scenario": "i took my motorcycle trainer standards check a few years ago and have been training people on how to ride motorcycles with great success. i was recenttly informed that i have been removed from the motorcycle trainer register.", + "question": "can i be removed from the motorcycle trainer register ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can be removed from the motorcycle trainer register if you keep missing your standards check.

    ", + "

    If you fail 3 times:

    " + ] + ] + ], + "evidences": [ + "

    You can be removed from the motorcycle trainer register if you keep missing your standards check.

    ", + "

    You have up to 2 more attempts to pass the standards check.

    ", + "

    If you fail 3 times:

    ", + "
  • you\u2019ll be removed from the motorcycle trainer register
  • " + ], + "id": "train-1204" + }, + { + "url": "https://www.gov.uk/scrapped-and-written-off-vehicles", + "scenario": "I have two old cars in my backyard which are of no use and I want them completely scrapped.I don't want to possess any parts .", + "question": "How long will it take to get a certificate of destruction after the cars have been scrapped?", + "not_answerable": false, + "answers": [ + [ + "within 7 days", + [ + "

    You will not get a certificate of destruction if the ATF decides to repair and sell your vehicle.

    " + ] + ] + ], + "evidences": [ + "

    The ATF will give you a \u2018certificate of destruction\u2019 within 7 days if you\u2019ve scrapped a:

    ", + "
  • car
  • " + ], + "id": "train-1205" + }, + { + "url": "https://www.gov.uk/scrapped-and-written-off-vehicles", + "scenario": "My friend John had a road accident and his car was completely damaged. Luckily he did not suffer any major bodily harm. His car was insured.", + "question": "What does he need to do to have the car scrapped?", + "not_answerable": false, + "answers": [ + [ + "apply to take the registration number off the vehicle if you want to keep it.", + [ + "
  • Apply to take the registration number off the vehicle if you want to keep it.
  • " + ] + ], + [ + "scrap your vehicle at an atf", + [] + ], + [ + "give the atf the vehicle log book (v5c), but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it", + [] + ], + [ + "tell dvla you\u2019ve taken your vehicle to an atf", + [] + ] + ], + "evidences": [ + "
  • Apply to take the registration number off the vehicle if you want to keep it.
  • ", + "
  • Scrap your vehicle at an ATF. This is usually free.
  • ", + "
  • Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.
  • ", + "
  • Tell DVLA you\u2019ve taken your vehicle to an ATF.
  • " + ], + "id": "train-1206" + }, + { + "url": "https://www.gov.uk/mot-tester-training-assessments", + "scenario": "i want to be a MOT tester since i am a pretty good mechanic. i took the MOT tester assesment and failed on my first try.", + "question": "how many time can i take the MOT tester assesment ?", + "not_answerable": false, + "answers": [ + [ + "there\u2019s no limit", + [] + ] + ], + "evidences": [ + "

    If you do not pass, there\u2019s no limit on how many times you can take the assessment during the same year.

    " + ], + "id": "train-1207" + }, + { + "url": "https://www.gov.uk/mot-tester-training-assessments", + "scenario": "i'm interested in being an MOT tester but i am not sure where to start when it comes to training. i'd like to get some materials to get me started.", + "question": "What are the organisations that provide MOT tester training courses?", + "not_answerable": false, + "answers": [ + [ + "abc awards", + [] + ], + [ + "city & guilds", + [] + ], + [ + "institute of the motor industry", + [] + ] + ], + "evidences": [ + "

    You can also book a training course through one of these providers:

    ", + "
  • ABC Awards
  • ", + "
  • City & Guilds
  • ", + "
  • Institute of the Motor Industry
  • " + ], + "id": "train-1208" + }, + { + "url": "https://www.gov.uk/national-minimum-wage-accommodation", + "scenario": "I am eighteen and a recent school leaver. I have been offered a job as a maid in a hotel which comes with a room supplied. The wage offered seems rather low, however, and does not equate to minimum wage by my calculations.", + "question": "Is it legal for me to be paid less than minimum wage just because I have a room with my job?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Accommodation provided by an employer can be taken into account when calculating the National Minimum Wage or National Living Wage.

    ", + "

    If an employer charges more than the offset rate, the difference is taken off the worker\u2019s pay which counts for the National Minimum Wage or National Living Wage.

    ", + "

    This means the higher the accommodation charge, the lower a worker\u2019s pay when calculating the minimum wage.

    ", + "

    If the accommodation charge is at or below the offset rate, it does not have an effect on the worker\u2019s pay.

    ", + "

    If the accommodation is free, the offset rate is added to the worker\u2019s pay.

    ", + "

    This effect of accommodation rates on the National Minimum Wage or National Living Wage depends on how much an employer charges for accommodation.

    ", + "

    If the accommodation is free, it still affects the minimum wage. There is an offset rate of \u00a38.36 per day for this.

    " + ], + "id": "train-1209" + }, + { + "url": "https://www.gov.uk/national-minimum-wage-accommodation", + "scenario": "I have recently een a job advertised at Buckingham Palace, which comes with an apartment for up to four people with the job. I am interested in this but am wondering if it is financially beneficial to me as I might lose money from the hourly wage.", + "question": "Could accepting a job with accommodation mean I get paid less?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If an employer charges more than the offset rate, the difference is taken off the worker\u2019s pay which counts for the National Minimum Wage or National Living Wage.

    " + ] + ] + ], + "evidences": [ + "

    Accommodation provided by an employer can be taken into account when calculating the National Minimum Wage or National Living Wage.

    ", + "

    If an employer charges more than the offset rate, the difference is taken off the worker\u2019s pay which counts for the National Minimum Wage or National Living Wage.

    ", + "

    This means the higher the accommodation charge, the lower a worker\u2019s pay when calculating the minimum wage.

    ", + "

    If the accommodation is free, the offset rate is added to the worker\u2019s pay.

    ", + "

    Accommodation costs count towards the National Minimum Wage or National Living Wage, even if the worker does not have to use the accommodation to do the job. If the accommodation is optional, it only counts as a cost if the worker uses it.

    " + ], + "id": "train-1210" + }, + { + "url": "https://www.gov.uk/register-childminder-agency-england", + "scenario": "I am sixty years old and recently retired. I tried to register as a childminder but my application was refused. I have a clean police record and a lot of experience with children. I feel I might be discriminated against because of my age", + "question": "I want to find out why my application was refused, what do I do?", + "not_answerable": false, + "answers": [ + [ + "ofsted will send you a letter called a \u2018notice of intention\u2019", + [] + ] + ], + "evidences": [ + "

    Ofsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.

    " + ], + "id": "train-1211" + }, + { + "url": "https://www.gov.uk/night-working-hours", + "scenario": "we have an orchard and the fruits are now in season. since they spoil easily we sometimes employ teenagers to sometimes work nights to pick the fruits.", + "question": "are teenagers allowed to work night shifts ?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    Staff aged 16 or 17 cannot work between midnight and 4am.

    " + ] + ] + ], + "evidences": [ + "

    The night period is 11pm to 6am, unless the worker and employer agree a different night period.

    ", + "

    Staff aged 16 or 17 cannot work between midnight and 4am.

    ", + "

    They usually cannot work between 10pm and 6am (this can be changed to not working between 11pm and 7am, by contract) but there are exceptions if they work in:

    ", + "
  • agriculture
  • " + ], + "id": "train-1212" + }, + { + "url": "https://www.gov.uk/night-working-hours", + "scenario": "i like my peace and enjoy night hours. i have approached my employer to assign me work in the night shift but before they assigned me the hours they required a health assesment.", + "question": "can an employer require a health assesment for night shift workers ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Employers must offer workers a free health assessment before they become a night worker. Workers do not have to accept.

    ", + "

    A repeat assessment must be offered regularly.

    ", + "

    Employers must keep confidential records of:

    ", + "
  • dates when assessments were offered (if a worker did not want one)
  • " + ], + "id": "train-1213" + }, + { + "url": "https://www.gov.uk/taking-goods-out-uk-temporarily", + "scenario": "I am attending a trade show in Germany. I am a retailer of antique weaponry and I need to take samples of my stock. i will be returning with them.", + "question": "How do I get an ATA Carnet?", + "not_answerable": false, + "answers": [ + [ + "online", + [] + ], + [ + "by post", + [] + ] + ], + "evidences": [ + "

    You can apply for an ATA Carnet:

    ", + "
  • online
  • ", + "
  • by post
  • " + ], + "id": "train-1214" + }, + { + "url": "https://www.gov.uk/taking-goods-out-uk-temporarily", + "scenario": "Good morning all. I am a member of the London Chamber of Commerce and Industry. I am told there is a discount on the ATA Carnet for members.", + "question": "How much do i need to pay for my ATA Carnet?", + "not_answerable": false, + "answers": [ + [ + "\u00a3325.96", + [] + ], + [ + "a security deposit", + [] + ] + ], + "evidences": [ + "

    It usually costs \u00a3325.96 and you\u2019ll need to pay a security deposit.

    " + ], + "id": "train-1215" + }, + { + "url": "https://www.gov.uk/access-to-elected-office-fund", + "scenario": "I am a disabled councillor candidate for the local council. I have heard that the Elected Office Fund is no longer operating.", + "question": "Is there an alternative source of funding available to me?", + "not_answerable": false, + "answers": [ + [ + "enable fund for elected office", + [] + ] + ], + "evidences": [ + "

    This fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.

    " + ], + "id": "train-1216" + }, + { + "url": "https://www.gov.uk/access-to-elected-office-fund", + "scenario": "Gandalf here. I am interested to know, before the fund closed, a few things about the fund to see if I am now being disadvantaged by the new scheme.", + "question": "What were the qualifying criteria under the fund?", + "not_answerable": false, + "answers": [ + [ + "you\u2019re eligible to stand for election", + [] + ], + [ + "you can prove your disability", + [] + ], + [ + "you can prove you\u2019re involved or interested in civic, community or relevant activities", + [] + ], + [ + "your application is supported by a member of your political party, or an independent referee if you do not have a political party", + [] + ] + ], + "evidences": [ + "

    You can apply to the Access to Elected Office Fund if:

    ", + "
  • you\u2019re eligible to stand for election
  • ", + "
  • you can prove your disability, for example with a letter from a doctor
  • ", + "
  • you can prove you\u2019re involved or interested in civic, community or relevant activities, for example volunteering or student politics
  • ", + "
  • your application is supported by a member of your political party, or an independent referee if you do not have a political party
  • " + ], + "id": "train-1217" + }, + { + "url": "https://www.gov.uk/change-vehicle-details-registration-certificate", + "scenario": "I am a Landrover owner and i recently swapped out the 2 1/4 petrol engine and installed a 3 litre diesel engine.", + "question": "Am I obliged to have my logbook updated?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must update the details on your registration certificate (V5C) to tell DVLA about:

    ", + "
  • most changes you make to your vehicle
  • ", + "

    You must update your V5C if you change any of the following:

    ", + "
  • engine
  • ", + "
  • cylinder capacity (cc)
  • ", + "
  • fuel type
  • " + ], + "id": "train-1218" + }, + { + "url": "https://www.gov.uk/change-vehicle-details-registration-certificate", + "scenario": "I have made modifications to my car including paint colour and i put in a new engine. I realise i need to tell Swansea of this.", + "question": "What do i need to submit to DVLA?", + "not_answerable": false, + "answers": [ + [ + "evidence or written confirmation if you make any of the following changes to your vehicle", + [] + ], + [ + "any necessary evidence", + [] + ], + [ + "your v5c", + [ + "

    For all other changes, send your V5C to DVLA, Swansea, SA99 1BA.

    " + ] + ] + ], + "evidences": [ + "

    You must update the details on your registration certificate (V5C) to tell DVLA about:

    ", + "
  • most changes you make to your vehicle
  • ", + "

    You must update your V5C if you change any of the following:

    ", + "
  • colour
  • ", + "
  • engine
  • ", + "

    You must give DVLA evidence or written confirmation if you make any of the following changes to your vehicle. Your V5C update will be rejected if you do not.

    ", + "

    You need to provide either:

    ", + "
  • a receipt for the replacement engine
  • ", + "
  • written evidence from the manufacturer
  • ", + "
  • an inspection report provided for insurance purposes
  • ", + "
  • written confirmation on headed paper from a garage (if the change took place before you bought the vehicle)
  • ", + "

    Send it to DVLA with any necessary evidence.

    ", + "

    Send your V5C to DVLA, Swansea, SA99 1DZ if you changed any of the following:

    ", + "
  • engine size (cc)
  • ", + "

    For all other changes, send your V5C to DVLA, Swansea, SA99 1BA.

    " + ], + "id": "train-1219" + }, + { + "url": "https://www.gov.uk/paye-online", + "scenario": "I am an employer and I have registered with HMRC payee online. I want to enquire about one of my new employee's student loan details and national insurance notices.", + "question": "Can i get this information on PAYE online service?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    As an employer, you need to use HM Revenue and Customs\u2019 (HMRC) PAYE Online service to:

    ", + "
  • access tax codes and notices about your employees
  • ", + "

    HMRC sends you information about your employees through PAYE Online. You can log in to view:

    ", + "
  • student loan notices (SL1 and SL2)
  • ", + "
  • National Insurance verification notices (NVR and NOT)
  • " + ], + "id": "train-1220" + }, + { + "url": "https://www.gov.uk/access-to-elected-office-fund", + "scenario": "My aunt is physically disabled.She would like to vie for a councillor post in the local government elections. She wants some funds to boost her campaign drive.", + "question": "What is the maximum election fund can she get?", + "not_answerable": false, + "answers": [ + [ + "between \u00a3250 and \u00a340,000", + [] + ] + ], + "evidences": [ + "

    You could get a grant of between \u00a3250 and \u00a340,000 if you\u2019re disabled and standing for election to, or selection as a candidate in, the:

    ", + "
  • English local government
  • ", + "

    You could get between \u00a3250 and \u00a340,000 in any calendar year (1 January to 31 December) to cover disability-related costs. For example:

    " + ], + "id": "train-1221" + }, + { + "url": "https://www.gov.uk/access-to-elected-office-fund", + "scenario": "My friend Jake is a very vocal person and physically impaired.He likes to care about other people's welfare, especially the vulnerable in society. A political party leader has approached him to vie for an elective post in the local council elections.He wants some funds to campaign.", + "question": "Who can apply to access elected office funds?", + "not_answerable": false, + "answers": [ + [ + "this fund is currently closed", + [] + ] + ], + "evidences": [ + "

    This fund is currently closed. Find out if you can get help with disability-related expenses from the \u2018EnAble Fund for Elected Office\u2019 instead.

    " + ], + "id": "train-1222" + }, + { + "url": "https://www.gov.uk/seat-belts-law", + "scenario": "I was parking at ASDA yesterday when a I saw a cop running towards me waving his hand, motioning me to stop. I was reversing back into a parking spot at the time I saw him. He told me that he noticed how I wasn't wearing a seatbelt. I told him that I had just taken it off when I began reversing into the parking spot. He told me that I still need to have it on and that he will issue me a warning.", + "question": "Do I have to wear a seatbelt while reversing?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You don\u2019t need to wear a seat belt if you\u2019re:

    ", + "
  • a driver who is reversing, or supervising a learner driver who is reversing
  • " + ], + "id": "train-1223" + }, + { + "url": "https://www.gov.uk/seat-belts-law", + "scenario": "Me and my 11 year old boy were visiting my parents for my mom's birthday. He was very excited to see his grandparents and insisted on sitting in the front. My family has always been pretty tall and my boy is 140 centimetres tall despite being only 11 years old. When we reached my parents' house the first thing my dad told me was that I forgot to check if my kid had his seatbelt on and that I put him in danger.", + "question": "How much could I be fined for my child not wearing a seatbelt?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a3500", + [] + ] + ], + "evidences": [ + "

    You must make sure that any children in the vehicle you\u2019re driving are:

    ", + "
  • wearing a seat belt if they\u2019re 12 or 13 years old, or younger and over 135cm tall
  • ", + "

    You can be fined up to \u00a3500 if a child under 14 isn\u2019t in the correct car seat or wearing a seat belt while you\u2019re driving.

    " + ], + "id": "train-1224" + }, + { + "url": "https://www.gov.uk/employer-preventing-discrimination", + "scenario": "I am a twenty five year old transwoman and I applying for my first job after completing a PhD program. I am a little nervous that people may not want to employ me once they find out that I am transgender.", + "question": "Will I be descriminated as a transwoman in the workplace?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must not ask candidates about \u2018protected characteristics\u2019 or whether they:

    ", + "

    You must not discriminate against your employees. This could be done by, for example:

    ", + "
  • selecting someone for redundancy because they have a protected characteristic
  • ", + "
  • firing someone for making an allegation of discrimination
  • ", + "

    An employee who thinks they\u2019ve been discriminated against may raise a grievance or take their case to an employment tribunal.

    ", + "

    The moment a worker tells their employer that they\u2019re having gender reassignment, they\u2019re protected from discrimination. Discrimination includes:

    ", + "
  • not enabling the worker to use facilities appropriate to their gender
  • " + ], + "id": "train-1225" + }, + { + "url": "https://www.gov.uk/employer-preventing-discrimination", + "scenario": "I have recently been promoted in my job to careers officer and as such will be interviewing people for prospective positions within the company. I am very keen to make sure I do not break any discrimination rules.", + "question": "What sort of things can I and can I not ask a prospective recruit?", + "not_answerable": false, + "answers": [ + [ + "are married, single or in a civil partnership", + [] + ], + [ + "have children or plan to have children", + [] + ] + ], + "evidences": [ + "

    You must not ask candidates about \u2018protected characteristics\u2019 or whether they:

    ", + "
  • are married, single or in a civil partnership
  • ", + "
  • have children or plan to have children
  • " + ], + "id": "train-1226" + }, + { + "url": "https://www.gov.uk/register-childminder-agency-england", + "scenario": "I have been babysitting for family and friends for a few years now. I really like working with kids and seeing their minds develop as I interact with them. I know there are certain registers that need to be joined before I am eligible to become a licensed childminder. I am interested in taking care of children of all ages.", + "question": "Which register do I need to apply to join?", + "not_answerable": false, + "answers": [ + [ + "the early years register", + [ + "
  • the Early Years Register to register childminders who look after children aged 5 and under
  • ", + "

    You must register with Ofsted if you want to set up a childminder agency in England.

    " + ] + ], + [ + "the compulsory part of the childcare register", + [ + "
  • the compulsory part of the Childcare Register to register childminders who look after children aged 5 to 7
  • ", + "

    You must register with Ofsted if you want to set up a childminder agency in England.

    " + ] + ], + [ + "both registers", + [ + "
  • both registers to register childminders who look after children of all ages
  • ", + "

    You must register with Ofsted if you want to set up a childminder agency in England.

    " + ] + ] + ], + "evidences": [ + "

    You must register with Ofsted if you want to set up a childminder agency in England.

    ", + "

    There are 2 registers. You must apply to join:

    ", + "
  • the Early Years Register to register childminders who look after children aged 5 and under
  • ", + "
  • the compulsory part of the Childcare Register to register childminders who look after children aged 5 to 7
  • ", + "
  • both registers to register childminders who look after children of all ages
  • " + ], + "id": "train-1227" + }, + { + "url": "https://www.gov.uk/register-childminder-agency-england", + "scenario": "I recently applied to form a childminder agency. Me and my friends have everything well thought. A few days ago I found out I am pregnant. Now I am scared I will not be able to proceed with the childminder agency. Me and the others talked it over and we wish to withdraw the application.", + "question": "Will I be refunded the fee associated with the application?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can withdraw your application up until you get a notice of intention to refuse your registration. Your fee won\u2019t be refunded.

    " + ], + "id": "train-1228" + }, + { + "url": "https://www.gov.uk/report-suspicious-emails-websites-phishing", + "scenario": "I have received an email from a Nigerian man, promising to pay me \u00a31,000,000 if i can help him sort out the will of his late brother. I wan't born yesterday.", + "question": "To whom do i report this suspicious email?", + "not_answerable": false, + "answers": [ + [ + "report@phishing.gov.uk.", + [] + ] + ], + "evidences": [ + "

    Report misleading websites, emails, phone numbers, phone calls or text messages you think may be suspicious.

    ", + "

    Forward the email to report@phishing.gov.uk.

    " + ], + "id": "train-1229" + }, + { + "url": "https://www.gov.uk/report-suspicious-emails-websites-phishing", + "scenario": "I am such a fool!! I had a call from what i thought was the tax office, saying I had a refund due. Unfortunately I gave them my bank account number.", + "question": "Where can I report this to HMRC to investigate?", + "not_answerable": false, + "answers": [ + [ + "the hmrc security team", + [] + ] + ], + "evidences": [ + "

    You can report something suspicious to HM Revenue and Customs\u2019s (HMRC) phishing team, for example:

    ", + "
  • phone calls asking for personal information or threatening a lawsuit (report a phone call)
  • ", + "

    Contact the HMRC security team if you think you\u2019ve given any personal information in reply to a suspicious email or text.

    ", + "

    Include brief details of what you disclosed (for example name, address, HMRC User ID, password) but do not give your personal details in the email.

    " + ], + "id": "train-1230" + }, + { + "url": "https://www.gov.uk/scrapped-and-written-off-vehicles", + "scenario": "I have an old car that has a faulty engine that caught fire, damaging it beyond repair. My car insurance company state that the fire is not covered by my policy, but if it were it would be a write-off.", + "question": "Do I scrap this car as a normal disposal or via the insurance write-off procedure?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    When your vehicle has reached the end of its usefulness, you must get it scrapped at an authorised treatment facility (ATF). These are sometimes known as a scrapyard or breaker\u2019s yard.

    " + ], + "id": "train-1231" + }, + { + "url": "https://www.gov.uk/scrapped-and-written-off-vehicles", + "scenario": "I am a second hand car dealer and bought a car recently that I discovered afterwards had been disposed of as a write-off.", + "question": "Is it legal to sell this written-off but repaired car?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "Category | Repairing the vehicle | Using the vehicle", + "C | Can be repaired, but it would cost more than the vehicle\u2019s worth | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "D | Can be repaired and would cost less than the vehicle\u2019s worth, but other costs (such as transporting your vehicle) take it over the vehicle\u2019s value | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "N | Can be repaired following non-structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "S | Can be repaired following structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition" + ] + ], + [ + "no", + [ + "Category | Repairing the vehicle | Using the vehicle", + "A | Cannot be repaired | Entire vehicle has to be crushed", + "B | Cannot be repaired | Body shell has to be crushed, but you can salvage other parts from it" + ] + ] + ], + "evidences": [ + "

    What you do next depends on which category your vehicle is in.

    ", + "Category | Repairing the vehicle | Using the vehicle", + "A | Cannot be repaired | Entire vehicle has to be crushed", + "B | Cannot be repaired | Body shell has to be crushed, but you can salvage other parts from it", + "C | Can be repaired, but it would cost more than the vehicle\u2019s worth | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "D | Can be repaired and would cost less than the vehicle\u2019s worth, but other costs (such as transporting your vehicle) take it over the vehicle\u2019s value | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "N | Can be repaired following non-structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition", + "S | Can be repaired following structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition" + ], + "id": "train-1232" + }, + { + "url": "https://www.gov.uk/recruitment-disabled-people", + "scenario": "My friend Mary is physically impaired and she is looking for a job. She gets a lot of mobility challenges especially when going for job interviews .A friend told her to contact Jobcentre plus.", + "question": "What help can she get from Jobcentre plus?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1233" + }, + { + "url": "https://www.gov.uk/recruitment-disabled-people", + "scenario": "We are a recruitment agency and we are performing interviews for our applicants. Some of them are disabled candidates and we want to make sure they are well handled.", + "question": "What are the reasonable adjustments we can make?", + "not_answerable": false, + "answers": [ + [ + "wheelchair users to have their interview on the ground floor", + [] + ], + [ + "candidates to complete a written test using a computer", + [] + ] + ], + "evidences": [ + "

    You can ask if a candidate needs an adjustment to the recruitment process to allow them to be considered for the job, or you can wait to be told.

    ", + "

    You must make adjustments if they\u2019re reasonable, for example allowing:

    ", + "
  • wheelchair users to have their interview on the ground floor
  • ", + "
  • candidates to complete a written test using a computer
  • " + ], + "id": "train-1234" + }, + { + "url": "https://www.gov.uk/change-vehicle-details-registration-certificate", + "scenario": "My car needed a modification on the engine to improve its service. I would like to report these changes to the DVLA.", + "question": "When reporting ,what details do i need to provide?", + "not_answerable": false, + "answers": [ + [ + "a receipt for the replacement engine", + [] + ], + [ + "written evidence from the manufacturer", + [] + ], + [ + "an inspection report provided for insurance purposes", + [] + ], + [ + "written confirmation on headed paper from a garage", + [ + "
  • written confirmation on headed paper from a garage (if the change took place before you bought the vehicle)
  • " + ] + ] + ], + "evidences": [ + "

    You must update your V5C if you change any of the following:

    ", + "
  • engine
  • ", + "

    Change of engine number or cylinder capacity (cc)

    ", + "

    You need to provide either:

    ", + "
  • a receipt for the replacement engine
  • ", + "
  • written evidence from the manufacturer
  • ", + "
  • an inspection report provided for insurance purposes
  • ", + "
  • written confirmation on headed paper from a garage (if the change took place before you bought the vehicle)
  • " + ], + "id": "train-1235" + }, + { + "url": "https://www.gov.uk/change-vehicle-details-registration-certificate", + "scenario": "My uncle wants to change the body size of his van to a camper van. He needs it to be more spacious and ready for a family holiday.", + "question": "Is there a link where he can find the documents needed to provide?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Check what evidence you need when you convert a van to a campervan or motor caravan.

    " + ], + "id": "train-1236" + }, + { + "url": "https://www.gov.uk/provide-driving-tests-for-your-employees", + "scenario": "we provide employment to people who are being rehabilitated after leaving prison. we'd like some of them to offer driving tests for other employees.", + "question": "can someone who has been convicted of a crime be a driving test examiner ?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • have had any convictions in the last 3 years
  • ", + "
  • have been disqualified from driving
  • ", + "
  • have any court proceedings pending against them
  • ", + "
  • have any penalty points on their licence
  • " + ] + ], + [ + "yes", + [ + "
  • have a full driving licence for the type of vehicle they\u2019re testing in
  • " + ] + ] + ], + "evidences": [ + "

    When deciding whether to give permission for someone to provide driving tests, the Driver and Vehicle Standards Agency (DVSA) looks at if they:

    ", + "
  • have a full driving licence for the type of vehicle they\u2019re testing in
  • ", + "
  • have had any convictions in the last 3 years
  • ", + "
  • have been disqualified from driving
  • ", + "
  • have any court proceedings pending against them
  • ", + "
  • have any penalty points on their licence
  • " + ], + "id": "train-1237" + }, + { + "url": "https://www.gov.uk/provide-driving-tests-for-your-employees", + "scenario": "we are a small community with limited staff in the emergency services. we would like to have experienced staff in one branch of emergency services provide driving tests to staff in another branch.", + "question": "can staff from different emergency services offer each other driving tests ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to DVSA for permission for your own staff to provide driving tests for your employees if you\u2019re a:

    ", + "
  • police service
  • ", + "
  • fire and rescue service
  • ", + "

    Your staff providing driving tests will be known as \u2018delegated driving examiners\u2019.

    ", + "

    Delegated driving examiners are allowed to provide theory and practical driving tests for drivers of:

    ", + "
  • emergency service vehicles
  • ", + "

    Delegated driving examiners working for lorry, bus and coach companies can test:

    ", + "
  • an employee
  • ", + "

    Delegated driving examiners working for police services and fire and rescue services can test:

    ", + "
  • an employee from the same type of service in a different area
  • ", + "

    The same delegated driving examiner can provide tests for both a police service and a fire and rescue service, but both must appoint them with DVSA.

    " + ], + "id": "train-1238" + }, + { + "url": "https://www.gov.uk/data-protection", + "scenario": "Good morning. I am employed in a company . they used biometrics for entry, CCTV and the like. I am concerned about how my data is stored.", + "question": "Who do I need to contact to see what they have on record about me?", + "not_answerable": false, + "answers": [ + [ + "their data protection officer (dpo)", + [] + ], + [ + "the company secretary", + [ + "

    If the organisation has no DPO, or you do not know who to write to, address your letter to the company secretary.

    " + ] + ] + ], + "evidences": [ + "

    Write to an organisation to ask for a copy of the information they hold about you.

    ", + "

    If it\u2019s a public organisation, write to their Data Protection Officer (DPO). Their details should be on the organisation\u2019s privacy notice.

    ", + "

    If the organisation has no DPO, or you do not know who to write to, address your letter to the company secretary.

    " + ], + "id": "train-1239" + }, + { + "url": "https://www.gov.uk/data-protection", + "scenario": "Good morning. I am not happy with the way some online retailers use my information. I just can't get rid of marketing spam, phone calls etc.", + "question": "How do I make a complaint about this?", + "not_answerable": false, + "answers": [ + [ + "contact the information commissioner\u2019s office (ico)", + [ + "

    If you\u2019re unhappy with their response or if you need any advice you should contact the Information Commissioner\u2019s Office (ICO).

    " + ] + ], + [ + "contact the information commissioner\u2019s office (ico)", + [ + "

    If you think your data has been misused or that the organisation holding it has not kept it secure, you should contact them and tell them.

    " + ] + ] + ], + "evidences": [ + "

    If you think your data has been misused or that the organisation holding it has not kept it secure, you should contact them and tell them.

    ", + "

    If you\u2019re unhappy with their response or if you need any advice you should contact the Information Commissioner\u2019s Office (ICO).

    ", + "

    The ICO can investigate your claim and take action against anyone who\u2019s misused personal data.

    " + ], + "id": "train-1240" + }, + { + "url": "https://www.gov.uk/specialist-tests-for-coaches-and-buses", + "scenario": "We own a group of bus companies in the U.K and we are booking for our vehicle annual tests .We would like our drivers to undertake the low emission test.", + "question": "Who can we contact to book the test?", + "not_answerable": false, + "answers": [ + [ + "an authorised testing facility or driver and vehicle standards agency (dvsa) test station", + [] + ] + ], + "evidences": [ + "

    Contact an authorised testing facility or Driver and Vehicle Standards Agency (DVSA) test station to book the test.

    " + ], + "id": "train-1241" + }, + { + "url": "https://www.gov.uk/specialist-tests-for-coaches-and-buses", + "scenario": "I own several 14 seater minibuses which have been in operation since 2010.Are hired for transporting tourists and school children. I want to ensure the seat belts meet all regulations.", + "question": "Does my vehicles have to be tested on seat belts installations?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Testing seat belts is usually part of obtaining a COIF on new vehicles.

    " + ] + ] + ], + "evidences": [ + "

    There are extra tests coaches and buses may need to take to:

    ", + "
  • meet seat belt safety rules
  • ", + "

    Manufacturers of some buses, coaches and minibuses must make sure their seat belts meet certain safety rules.

    ", + "

    If your vehicle has additional seat belts fitted beyond those required by law, it must be tested if:

    ", + "
  • it\u2019s a private passenger vehicle with more than 8 passenger seats and was first used on or after 1 October 2001
  • ", + "

    Testing seat belts is usually part of obtaining a COIF on new vehicles.

    " + ], + "id": "train-1242" + }, + { + "url": "https://www.gov.uk/recruitment-disabled-people", + "scenario": "I am the boss and owner of a small boutique and recently advertised a job. One of the applicants has a hidden disability, autism. I feel she is not suitable for the job but I am not sure if I am breaking the law by rejecting her.", + "question": "Is it illegal for me to reject a candidate with a hidden disability?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    If you reject a disabled candidate, it must be based on their performance at interview rather than having to make reasonable adjustments.

    " + ] + ] + ], + "evidences": [ + "

    The job specification (or \u2018person requirements\u2019) of a vacancy must not exclude disabled people from applying for a job.

    ", + "

    However, some jobs may have an essential requirement that cannot be met with a reasonable adjustment.

    ", + "

    If you reject a disabled candidate, it must be based on their performance at interview rather than having to make reasonable adjustments.

    " + ], + "id": "train-1243" + }, + { + "url": "https://www.gov.uk/recruitment-disabled-people", + "scenario": "I am a factory boss who is disabled myself and I am keen to encourage applications from other disabled people. I have several vacancies at the moment which I will be advertising.", + "question": "Is it acceptable to encourage applications specifically from disabled people?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Sign up as a disability confident committed employer. When you\u2019ve done this you can use the disability confident badge on adverts to show you encourage applications from disabled people.

    " + ], + "id": "train-1244" + }, + { + "url": "https://www.gov.uk/data-protection", + "scenario": "I live in a UK city and rent a flat there. I gave much personal information to my landlord during the application process.", + "question": "How can I find out what information the landlord has about me?", + "not_answerable": false, + "answers": [ + [ + "address your letter to the company secretary", + [ + "

    If the organisation has no DPO, or you do not know who to write to, address your letter to the company secretary.

    " + ] + ], + [ + "write to an organisation", + [] + ] + ], + "evidences": [ + "

    Write to an organisation to ask for a copy of the information they hold about you.

    ", + "

    If the organisation has no DPO, or you do not know who to write to, address your letter to the company secretary.

    " + ], + "id": "train-1245" + }, + { + "url": "https://www.gov.uk/data-protection", + "scenario": "I live in Wales and was fired from my job last week unjustly. I am going to take my ex-employer to employment tribunal. I believe they recorded inaccurate information about me. I do not have much money at the moment.", + "question": "Can I obtain the information about me held by my former employer for free?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you\u2019re asking for a large amount of information
  • ", + "
  • your request will take a lot of time and effort to process
  • " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Requests for information are usually free. However, organisations can charge an administrative cost in some circumstances, for example if:

    ", + "
  • you\u2019re asking for a large amount of information
  • ", + "
  • your request will take a lot of time and effort to process
  • " + ], + "id": "train-1246" + }, + { + "url": "https://www.gov.uk/becoming-a-speed-limiter-centre", + "scenario": "Our local council wants to open a sponsored speed limit center which will be good for ensuring efficient road use and safety.", + "question": "Who can qualify as sponsers?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1247" + }, + { + "url": "https://www.gov.uk/becoming-a-speed-limiter-centre", + "scenario": "A friend wants to set up their own independent speed limiter Centre.", + "question": "Where can they apply and send their forms to?", + "not_answerable": false, + "answers": [ + [ + "the driver and vehicle standards agency (dvsa)", + [] + ] + ], + "evidences": [ + "

    If you want to become a speed limiter centre, you\u2019ll need to get either:

    ", + "
  • approval from the Driver and Vehicle Standards Agency (DVSA) to become an independent centre
  • ", + "

    Fill in the application form and send it to DVSA.

    " + ], + "id": "train-1248" + }, + { + "url": "https://www.gov.uk/fixed-term-contracts", + "scenario": "During the lockdown I started working for a food delivery company. I had a convenient job offer (\u00a315 per hour) but I had a fixed term contract of 6 months, but since the lockdown has been extended I kept working and I'm still employed at the company: I've been working for 1 year and 2 months now.", + "question": "Do I have a full time contract now? Or is my fixed term contract extended?", + "not_answerable": false, + "answers": [ + [ + "end date has changed", + [] + ] + ], + "evidences": [ + "

    If an employee continues working past the end of a contract without it being formally renewed, there\u2019s an \u2018implied agreement\u2019 by the employer that the end date has changed.

    ", + "

    The employer still needs to give proper notice if they want to dismiss the worker.

    " + ], + "id": "train-1249" + }, + { + "url": "https://www.gov.uk/represent-yourself-in-court", + "scenario": "My wife filed for divorce last month. Yesterday I received the documentation regarding our case. Even before finishing the first page I realized she wants full custody of our children. After carefully reading through I was left a bit confused regarding who the document addresses as 'applicant' and 'respondent'..", + "question": "Am I the applicant under these circumstances?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019ll be referred to as the \u2018applicant\u2019 if you brought the case, for example you filed the divorce papers.

    ", + "

    You\u2019ll be known as the \u2018respondent\u2019 if you\u2019ve received divorce papers or a request for a separation, or a contact order or residence order for a child.

    " + ], + "id": "train-1250" + }, + { + "url": "https://www.gov.uk/represent-yourself-in-court", + "scenario": "I received a notice, notifying me that I am being sued for theft. Even after reading the documents provided I am still not entirely sure what they refer to. I am in a really rough financial situation and can not afford any type of legal assistance. I am aware I can defend myself in court but this seems really serious and I am terrified. Sadly at this point it might be my only option.", + "question": "Is there another option of legal defense I can look into?", + "not_answerable": false, + "answers": [ + [ + "check if you can get legal aid", + [] + ] + ], + "evidences": [ + "

    You may choose to do this because:

    ", + "
  • you cannot afford to pay legal fees
  • ", + "

    If you\u2019re considering representing yourself because you cannot afford legal costs, check if you can get legal aid instead.

    " + ], + "id": "train-1251" + }, + { + "url": "https://www.gov.uk/permission-to-supply-a-large-goods-trailer-for-use-on-the-road", + "scenario": "We are trailer manufacturing company and our trailers were manufactured after 29th July 2013. We have an evidence of approval from IVA .", + "question": "Do we need permission?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • is for carrying goods and weighs more than 1020kg when it\u2019s not carrying any goods or other items (known as \u2018unladen weight\u2019)
  • ", + "
  • is a semi-trailer
  • " + ] + ] + ], + "evidences": [ + "

    You must apply to the Driver and Vehicle Standards Agency (DVSA) for permission if you supply large goods trailers for use on the road.

    ", + "

    You need a letter of consent if your trailer:

    ", + "
  • is for carrying goods and weighs more than 1020kg when it\u2019s not carrying any goods or other items (known as \u2018unladen weight\u2019)
  • ", + "
  • is a semi-trailer
  • ", + "

    You need to get permission if you\u2019re a \u2018final supplier\u2019 of trailers. Final suppliers are:

    ", + "
  • trailer manufacturers
  • ", + "

    It\u2019s an offence to supply or use these trailers without getting permission first and you could be fined.

    " + ], + "id": "train-1252" + }, + { + "url": "https://www.gov.uk/permission-to-supply-a-large-goods-trailer-for-use-on-the-road", + "scenario": "We are trailer importers and our new trailers were not given permission to be in the roads and were not approved. We wish to make an application.", + "question": "Which forms can we use to apply?", + "not_answerable": false, + "answers": [ + [ + "tes1", + [] + ] + ], + "evidences": [ + "

    Apply using form TES1.

    " + ], + "id": "train-1253" + }, + { + "url": "https://www.gov.uk/permission-to-supply-a-large-goods-trailer-for-use-on-the-road", + "scenario": "we got a large lot of trailers on auction for a very good price. most of them are older trailers from the late nineties and the early 2000's but a few are from the mid 2010's.", + "question": "do i need to register my trailers ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "Trailers manufactured in a single stage | From 29 October 2012", + "Trailers manufactured in multiple stages | From 29 October 2013", + "Special purpose trailers | From 29 October 2014" + ] + ] + ], + "evidences": [ + "

    You must apply to the Driver and Vehicle Standards Agency (DVSA) for permission if you supply large goods trailers for use on the road.

    ", + "Type of trailer | When you need permission", + "Trailers manufactured in a single stage | From 29 October 2012", + "Trailers manufactured in multiple stages | From 29 October 2013", + "Special purpose trailers | From 29 October 2014", + "

    It\u2019s an offence to supply or use these trailers without getting permission first and you could be fined.

    ", + "

    If you\u2019re an operator using large goods trailers on the road supplied after the dates above, you do not need to get permission - it should already have been given.

    " + ], + "id": "train-1254" + }, + { + "url": "https://www.gov.uk/permission-to-supply-a-large-goods-trailer-for-use-on-the-road", + "scenario": "we run two businesses: trailer manufacturing and transportation of goods. we have a fleet of both registered and unregistered trailers.", + "question": "can we be fined if we do not register our trailers ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • is for carrying goods and weighs more than 1020kg when it\u2019s not carrying any goods or other items (known as \u2018unladen weight\u2019)
  • ", + "
  • is a semi-trailer
  • " + ] + ], + [ + "no", + [ + "

    You do not need a letter of consent if your trailer is listed in Schedule 2 of the Goods Vehicle (Plating and Testing) Regulations.

    " + ] + ] + ], + "evidences": [ + "

    You must apply to the Driver and Vehicle Standards Agency (DVSA) for permission if you supply large goods trailers for use on the road.

    ", + "

    You need a letter of consent if your trailer:

    ", + "
  • is for carrying goods and weighs more than 1020kg when it\u2019s not carrying any goods or other items (known as \u2018unladen weight\u2019)
  • ", + "
  • is a semi-trailer
  • ", + "

    You do not need a letter of consent if your trailer is listed in Schedule 2 of the Goods Vehicle (Plating and Testing) Regulations.

    ", + "

    You need to get permission if you\u2019re a \u2018final supplier\u2019 of trailers. Final suppliers are:

    ", + "
  • trailer manufacturers
  • ", + "

    It\u2019s an offence to supply or use these trailers without getting permission first and you could be fined.

    " + ], + "id": "train-1255" + }, + { + "url": "https://www.gov.uk/dla-disability-living-allowance-benefit", + "scenario": "I received a letter informing me that my DLA claim is ending. The letter also stated that I can now apply for Personal Independence Payments.", + "question": "How much time do I have to apply to the new scheme?", + "not_answerable": false, + "answers": [ + [ + "28 days", + [] + ] + ], + "evidences": [ + "

    If your DLA is ending, you\u2019ll get a letter inviting you to apply for Personal Independence Payment (PIP). If you do apply, you\u2019ll need to do it within 28 days.

    ", + "

    DLA will continue to be paid until at least 28 days after a decision is made about your PIP application.

    " + ], + "id": "train-1256" + }, + { + "url": "https://www.gov.uk/dla-disability-living-allowance-benefit", + "scenario": "After being in a car accident a few months back I lost the ability to walk. I was informed that I should apply for the Disability Living Allowance scheme to help my financial situation. I have been doing research on it and am not sure if the DLA is still the right thing for me to apply to.", + "question": "What scheme is replacing the DLA?", + "not_answerable": false, + "answers": [ + [ + "personal independence payment (pip)", + [] + ] + ], + "evidences": [ + "

    Disability Living Allowance (DLA) is being replaced by Personal Independence Payment (PIP) for disabled people.

    " + ], + "id": "train-1257" + }, + { + "url": "https://www.gov.uk/courts", + "scenario": "Luke a 20 years old neighbor has been charged with drugs related offences,rape and robbery . The hearing will happen at the magistrates court.", + "question": "Will the case stay at Magistrates\u2019 courts or be passed to the crown court?", + "not_answerable": false, + "answers": [ + [ + "the crown court", + [] + ] + ], + "evidences": [ + "

    It can also deal with some of the more serious offences, such as:

    ", + "
  • burglary
  • ", + "
  • drugs offences
  • ", + "

    Magistrates\u2019 courts always pass the most serious crimes to the Crown Court, for example:

    ", + "
  • rape
  • ", + "
  • robbery
  • ", + "

    A Crown Court deals with serious criminal cases, for example:

    " + ], + "id": "train-1258" + }, + { + "url": "https://www.gov.uk/courts", + "scenario": "My neighbor's 26years old son was charged with robbery with violence. He was taken into custody. His case will be heard at the crowns court.", + "question": "What are some of the sentences can a crown court give?", + "not_answerable": false, + "answers": [ + [ + "community sentences", + [] + ], + [ + "prison sentences - including life sentences", + [] + ] + ], + "evidences": [ + "
  • robbery
  • ", + "

    A Crown Court deals with serious criminal cases, for example:

    ", + "

    A Crown Court can give a range of sentences including:

    ", + "
  • community sentences
  • ", + "
  • prison sentences - including life sentences
  • " + ], + "id": "train-1259" + }, + { + "url": "https://www.gov.uk/seat-belts-law", + "scenario": "i have a dificult pregnancy and as a result my doctor has recommended that i do not wear a seatbelt when in a vehicle.", + "question": "do i have to wear a seatbelt while pregnant ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your doctor may say you don\u2019t have to wear a seat belt for a medical reason. They\u2019ll give you a \u2018Certificate of Exemption from Compulsory Seat Belt Wearing\u2019. You must:

    ", + "

    You must wear a seat belt if you\u2019re pregnant, unless your doctor says you don\u2019t have to for medical reasons.

    " + ], + "id": "train-1260" + }, + { + "url": "https://www.gov.uk/seat-belts-law", + "scenario": "i received a \u00a3500 fine because my eleven year old child was not in a car seat. the child was however wearing their seatbelt.", + "question": "can i receive a fine if my child is not in a car seat ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must make sure that any children in the vehicle you\u2019re driving are:

    ", + "
  • in the correct car seat for their height or weight until they reach 135 centimetres tall or their 12th birthday, whichever is first
  • ", + "

    You can be fined up to \u00a3500 if a child under 14 isn\u2019t in the correct car seat or wearing a seat belt while you\u2019re driving.

    " + ], + "id": "train-1261" + }, + { + "url": "https://www.gov.uk/provide-driving-tests-for-your-employees", + "scenario": "I am a 21 year old female and am applying to join the police force. I do not, however, have a driving licence of any sort and have never even taken lessons.", + "question": "Will I be taught to drive during my training?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1262" + }, + { + "url": "https://www.gov.uk/provide-driving-tests-for-your-employees", + "scenario": "I run a haulage company and we are thinking of recruiting some new staff. Whilst we would obvious prefer people who already have a HGV licence we would not rule out hiring inexperienced drivers", + "question": "would it be possible for us to train unqualified drivers ourselves?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • complete an initial training course
  • ", + "
  • reach an appropriate standard in the delegated driving examiner theory and practical tests
  • ", + "

    You must email the Driver and Vehicle Standards Agency (DVSA) to get permission to provide driving tests.

    " + ] + ] + ], + "evidences": [ + "

    You can apply to DVSA for permission for your own staff to provide driving tests for your employees if you\u2019re a:

    ", + "
  • bus or haulage operating licence holder
  • ", + "

    Your staff providing driving tests will be known as \u2018delegated driving examiners\u2019.

    ", + "

    Delegated driving examiners are allowed to provide theory and practical driving tests for drivers of:

    ", + "
  • lorries
  • ", + "

    Your employees must then:

    ", + "
  • complete an initial training course
  • ", + "
  • reach an appropriate standard in the delegated driving examiner theory and practical tests
  • ", + "

    You must email the Driver and Vehicle Standards Agency (DVSA) to get permission to provide driving tests.

    " + ], + "id": "train-1263" + }, + { + "url": "https://www.gov.uk/courts", + "scenario": "My fifteen year old son was recently arrested for shoplifting and the store owner is pressing charges. We have been unable to find out any further information as to what is likely to happen.", + "question": "Will my son be brought before a jury?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    A youth court is a special type of magistrates\u2019 court for people aged between 10 and 17.

    ", + "

    There is not a jury in a youth court.

    " + ], + "id": "train-1264" + }, + { + "url": "https://www.gov.uk/courts", + "scenario": "I was arrested for a minor assault (fight with a friend) recently and apparently will have to appear before a magistrate soon. I am really worried about this as I do not want to ruin my future.", + "question": "What is the possible prison sentence for me?", + "not_answerable": false, + "answers": [ + [ + "up to 6 months in prison", + [] + ] + ], + "evidences": [ + "

    The court can give punishments including:

    ", + "
  • up to 6 months in prison (or up to 12 months in total for more than one offence)
  • " + ], + "id": "train-1265" + }, + { + "url": "https://www.gov.uk/paye-online", + "scenario": "I am a small business owner and have just started my business. We are just about to hire our first employee and I am getting set up to pay the required income taxes. I initially registered as an employer with HMRC using a paper form.", + "question": "Can I access PAYE online?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Most new employers get a login when they register as an employer online. If you do not have a login because you registered in a different way you\u2019ll need to enrol for PAYE Online separately.

    ", + "

    You only need to enrol separately for HM Revenue and Customs\u2019 (HMRC) PAYE Online service if you did not get a login when you registered as an employer - this is usually because you did not register online.

    " + ], + "id": "train-1266" + }, + { + "url": "https://www.gov.uk/school-attendance-absence", + "scenario": "Me my husband and my 12 year old went on a holiday last month. Now that are back I was contacted by his school, letting me know that I can not take my kid on a holiday without their permission and that they might request that I be issued a fine for my actions. I did tell my son to let his home room teacher know that we will be gone.", + "question": "What are the possible punishment for this?", + "not_answerable": false, + "answers": [ + [ + "a parenting order", + [] + ], + [ + "an education supervision order", + [] + ], + [ + "a school attendance order", + [] + ], + [ + "a fine", + [] + ] + ], + "evidences": [ + "

    You have to get permission from the head teacher if you want to take your child out of school during term time.

    ", + "

    You can be fined for taking your child on holiday during term time without the school\u2019s permission.

    ", + "

    Local councils and schools can use various legal powers if your child is missing school without a good reason. They can give you:

    ", + "
  • a Parenting Order
  • ", + "
  • an Education Supervision Order
  • ", + "
  • a School Attendance Order
  • ", + "
  • a fine (sometimes known as a \u2018penalty notice\u2019)
  • " + ], + "id": "train-1267" + }, + { + "url": "https://www.gov.uk/school-attendance-absence", + "scenario": "Apparently my kid has been missing classes almost daily and I have somehow missed out on this fact. I dropped him off at school every morning, thinking that he attends all of his classes but apparently that is not the case. Today without any previous notice I received a parenting order informing me that I have to improve my child's school attendance and what I need to do.", + "question": "What should I do with a parenting order?", + "not_answerable": false, + "answers": [ + [ + "go to parenting classes", + [] + ], + [ + "do what the court says to improve your child\u2019s school attendance", + [] + ] + ], + "evidences": [ + "

    Local councils and schools can use various legal powers if your child is missing school without a good reason. They can give you:

    ", + "
  • a Parenting Order
  • ", + "

    This means you have to go to parenting classes. You\u2019ll also have to do what the court says to improve your child\u2019s school attendance.

    " + ], + "id": "train-1268" + }, + { + "url": "https://www.gov.uk/contaminated-land", + "scenario": "My father wants to buy land in the countryside to build a family home. He got a nice offer of land which was previously a landfill.", + "question": "Can this count as a contaminated land?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Land is legally defined as \u2018contaminated land\u2019 where substances are causing or could cause:

    ", + "
  • significant pollution of surface waters (for example lakes and rivers) or groundwater
  • ", + "

    Contaminated land may previously have been used as a:

    ", + "
  • landfill
  • " + ], + "id": "train-1269" + }, + { + "url": "https://www.gov.uk/contaminated-land", + "scenario": "My friend wanted to buy a piece of idle land in England but after inspection . He realized that the land was contaminated and reported to the council.", + "question": "What will the council do when they find out that a land is contaminated?", + "not_answerable": false, + "answers": [ + [ + "decide how the land should be dealt with", + [] + ], + [ + "ask the responsible person to deal with the contamination", + [] + ], + [ + "tell them how they should take care of it", + [] + ], + [ + "send a \u2018remediation notice\u2019", + [ + "

    If the person doesn\u2019t deal with the contamination, the council or agency will send a \u2018remediation notice\u2019, telling them when they must take care of it by.

    " + ] + ] + ], + "evidences": [ + "

    The council or agency will then decide who\u2019s responsible for dealing with it instead. This may be the landowner, or the person who uses the land.

    ", + "

    The council or agency will:

    ", + "
  • decide how the land should be dealt with
  • ", + "
  • ask the responsible person to deal with the contamination
  • ", + "
  • tell them how they should take care of it (clean it up or fence it off, for example)
  • ", + "

    If the person doesn\u2019t deal with the contamination, the council or agency will send a \u2018remediation notice\u2019, telling them when they must take care of it by.

    " + ], + "id": "train-1270" + }, + { + "url": "https://www.gov.uk/charged-crime", + "scenario": "my twelve year old daughter was recently caught shoplifting along with her friends and she is now in police custody.", + "question": "will my twelve year old daughter have to go to court ?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    If you\u2019re charged with a minor offence your case could be decided without going to court (\u2018single justice procedure\u2019). If you get a single justice procedure notice you must respond within 21 days.

    " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re charged with a minor offence your case could be decided without going to court (\u2018single justice procedure\u2019). If you get a single justice procedure notice you must respond within 21 days.

    ", + "

    If you\u2019re under 18, your first hearing will usually be at a youth court.

    ", + "

    If you\u2019re under 17, the police must arrange for you to be held in local authority accommodation, if possible, before you go to court.

    ", + "

    If you\u2019re aged 12 to 16, the police can decide to keep you at the police station if they think it will protect the public.

    " + ], + "id": "train-1271" + }, + { + "url": "https://www.gov.uk/charged-crime", + "scenario": "my husband was charged with a hit and run. he was denied bail because he did not stick to the terms of his previous bail.", + "question": "Is it likely my husband will get a bail?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019re unlikely to be given bail if:

    ", + "
  • you\u2019ve been given bail in the past and not stuck to the terms
  • ", + "

    You will probably be put on remand if:

    ", + "
  • you have been given bail before and not stuck to the terms
  • " + ], + "id": "train-1272" + }, + { + "url": "https://www.gov.uk/night-working-hours", + "scenario": "Good morning. i am working from 8pm to 2 am in. my job at a club. I am paid the minimum wage for this.", + "question": "Am i entitled to a higher rate of pay due to working in the night?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The National Minimum Wage applies to night workers but there is not a higher night working rate.

    " + ], + "id": "train-1273" + }, + { + "url": "https://www.gov.uk/night-working-hours", + "scenario": "I run an all night garage and I am told i need to have health assessments for my staff. Not a problem as I guess it's for the best.", + "question": "What form do these assessments take?", + "not_answerable": false, + "answers": [ + [ + "a questionnaire", + [] + ] + ], + "evidences": [ + "

    The assessment must be written by a qualified health professional. It can be a questionnaire.

    " + ], + "id": "train-1274" + }, + { + "url": "https://www.gov.uk/taxi-driver-licence", + "scenario": "I work as a taxi driver in London and my taxi driving license is about to expire. I can't stop working because it's my source of income.", + "question": "Whom can i contact inorder to renew my licence?", + "not_answerable": false, + "answers": [ + [ + "transport for london (tfl)", + [] + ] + ], + "evidences": [ + "

    You need to apply to Transport for London (TfL) to drive a taxi or private hire vehicle (PHV).

    ", + "

    TfL will send you a renewal form before your current taxi or PHV driver\u2019s licence expires.

    " + ], + "id": "train-1275" + }, + { + "url": "https://www.gov.uk/what-different-qualification-levels-mean", + "scenario": "I am a non UK national and I would like to apply for a Nursing job in the U.K. I am a registered healthcare professional and I want to compare my country's qualifications with the U.K. standards.", + "question": "Is there a link which i can follow?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [], + "id": "train-1276" + }, + { + "url": "https://www.gov.uk/becoming-a-speed-limiter-centre", + "scenario": "I am a franchised car dealer and service centre for a major motor manufacturer, who is recognised as a speed limiter sponsor by the DVSA. I wish to add speed limiter installation to the list of services offered by my on-site workshop.", + "question": "Can the vehicle manufacturer approve me for this directly, or do I need to apply to the DVSA?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Contact the sponsors of your vehicle dealership to ask them if you can become a sponsored speed limiter centre.

    ", + "

    You\u2019ll receive an authorisation letter from your sponsor if they approve you as a sponsored speed limiter centre.

    " + ], + "id": "train-1277" + }, + { + "url": "https://www.gov.uk/becoming-a-speed-limiter-centre", + "scenario": "I run an independent (non-franchised) vehicle service and maintenance centre, which also offers MOT Testing onsite. I am interested in offering speed limiter installation to some of my larger fleet customers.", + "question": "Are there other possible ways to become an independent speed limiter centre other than applying to the DVSA ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you want to become a speed limiter centre, you\u2019ll need to get either:

    ", + "
  • approval from the Driver and Vehicle Standards Agency (DVSA) to become an independent centre
  • ", + "
  • sponsored by a DVSA approved vehicle or speed limiter maker
  • " + ], + "id": "train-1278" + }, + { + "url": "https://www.gov.uk/business-asset-disposal-relief", + "scenario": "i have owned my business for one and a half years. i recently got an offer to sell some stake in the business which i am seriously considering.", + "question": "do i qualify for tax relief when i sell a part of my business ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may be able to pay less Capital Gains Tax when you sell (or \u2018dispose of\u2019) all or part of your business.

    ", + "

    To qualify for relief, both of the following must apply for at least 2 years up to the date you sell your business:

    ", + "
  • you\u2019re a sole trader or business partner
  • ", + "
  • you\u2019ve owned the business for at least 2 years
  • " + ], + "id": "train-1279" + }, + { + "url": "https://www.gov.uk/support-child-or-partners-student-finance-application", + "scenario": "My son wants to join a UK university and I want to help him apply for student finance. I need to submit my house income details.", + "question": "What does household income consists of?", + "not_answerable": false, + "answers": [ + [ + "you", + [] + ], + [ + "your partner", + [ + "
  • your partner, if you live with them (even if you were not living with them during the previous tax year)
  • " + ] + ], + [ + "income your child gets from their own savings, investments or property", + [] + ] + ], + "evidences": [ + "

    Your household income is the combined income of:

    ", + "
  • you
  • ", + "
  • your partner, if you live with them (even if you were not living with them during the previous tax year)
  • ", + "
  • income your child gets from their own savings, investments or property, for example dividends or rent
  • " + ], + "id": "train-1280" + }, + { + "url": "https://www.gov.uk/support-child-or-partners-student-finance-application", + "scenario": "My partner is doing her Bachelor in business administration. Previously my income would have meant that she would not be eligible for student finance but it is looking like my income for the current year will be over 20% less.", + "question": "Can I use the predicted figures on the application form?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "
  • If your income this tax year will be at least 15% less you can give your income details for the current tax year instead.
  • ", + "

    You can give your details for the current tax year if you think your household income will be at least 15% lower than the tax year you\u2019ve been asked to provide details for.

    ", + "

    You can apply for a current year income assessment if you think your household income this tax year will be at least 15% lower than the year you\u2019ve been asked to give details about.

    ", + "

    Your total estimated household income for the full current tax year must be at least 15% lower than for a previous tax year.

    " + ], + "id": "train-1281" + }, + { + "url": "https://www.gov.uk/what-to-do-if-your-vehicle-has-been-stolen", + "scenario": "I bought my first car only three weeks ago and made the mistake of lending it to an acquaintance. They are refusing to return it to me now and I am furious. I am wary of contacting the police, however, unless I really have to.", + "question": "What is the best recource for me in these circumstances?", + "not_answerable": false, + "answers": [ + [ + "tell the police and your insurance company straight away", + [] + ] + ], + "evidences": [ + "

    Tell the police and your insurance company straight away if your vehicle has been stolen.

    " + ], + "id": "train-1282" + }, + { + "url": "https://www.gov.uk/what-to-do-if-your-vehicle-has-been-stolen", + "scenario": "My car was stolen three months ago and I despair of ever having it returned to me. I had a personalised numberplate for which I paid a lot of money. I can get the car refunded through my insurance but I do not know if it covers my numberplate.", + "question": "Can I get a new numberplate through my insurer?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1283" + }, + { + "url": "https://www.gov.uk/employer-preventing-discrimination", + "scenario": "We are a job recruitment agency based in the U.K. and would like to undertake a recruitment drive for our clients next month.", + "question": "What are the questions you can ask a job applicant about their disability?", + "not_answerable": false, + "answers": [ + [ + "there are necessary requirements of the job that cannot be met with reasonable adjustments", + [] + ], + [ + "you\u2019re finding out if someone needs help to take part in a selection test or interview", + [] + ], + [ + "you\u2019re using \u2018positive action\u2019 to recruit a disabled person", + [] + ] + ], + "evidences": [ + "

    You must not ask candidates about \u2018protected characteristics\u2019 or whether they:

    ", + "
  • are married, single or in a civil partnership
  • ", + "
  • have children or plan to have children
  • ", + "

    You can only ask about health or disability if:

    ", + "
  • there are necessary requirements of the job that cannot be met with reasonable adjustments
  • ", + "
  • you\u2019re finding out if someone needs help to take part in a selection test or interview
  • ", + "
  • you\u2019re using \u2018positive action\u2019 to recruit a disabled person
  • ", + "

    You can only ask for someone\u2019s date of birth on an application form if they must be a certain age to do the job, for example selling alcohol.

    " + ], + "id": "train-1284" + }, + { + "url": "https://www.gov.uk/employer-preventing-discrimination", + "scenario": "My friend Morrison owns a pub and has employed most of his relatives and close family members. He finds it easy to trust his related employees.", + "question": "What are the things he must do to avoid discriminations?", + "not_answerable": false, + "answers": [ + [ + "avoid special treatment in terms of pay, promotion and working conditions", + [] + ], + [ + "make sure tax and national insurance contributions are done correctly", + [] + ] + ], + "evidences": [ + "

    If you hire members of your family you must:

    ", + "
  • avoid special treatment in terms of pay, promotion and working conditions
  • ", + "
  • make sure tax and National Insurance contributions are done correctly
  • " + ], + "id": "train-1285" + }, + { + "url": "https://www.gov.uk/maximum-weekly-working-hours", + "scenario": "i opted out of the 48 hour week because money was tight and i needed the extra money. now things have settled down and i'd like to spend more time with my family.", + "question": "how long notice to give if I opt back in to the 48 hour work week ?", + "not_answerable": false, + "answers": [ + [ + "7 days", + [] + ], + [ + "up to 3 months", + [ + "

    You must give your employer at least 7 days\u2019 notice. You may have to give more notice (up to 3 months) if you have a written opt-out agreement.

    " + ] + ] + ], + "evidences": [ + "

    You can cancel your opt-out agreement whenever you want - even if it\u2019s part of your employment contract.

    ", + "

    You must give your employer at least 7 days\u2019 notice. You may have to give more notice (up to 3 months) if you have a written opt-out agreement.

    " + ], + "id": "train-1286" + }, + { + "url": "https://www.gov.uk/maximum-weekly-working-hours", + "scenario": "the high season for certain kinds of fish we catch has come round and we are being asked to work more than 48 hours a week.", + "question": "can an employer force me to work for more than 48 hours a week ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    This means you can work more than 48 hours one week, as long as the average over 17 weeks is less than 48 hours a week.

    " + ] + ] + ], + "evidences": [ + "

    You can\u2019t work more than 48 hours a week on average - normally averaged over 17 weeks. This law is sometimes called the \u2018working time directive\u2019 or \u2018working time regulations\u2019.

    ", + "

    You can choose to work more by opting out of the 48-hour week.

    ", + "

    You may have to work more than 48 hours a week on average if you work in a job:

    ", + "
  • as a seafarer, sea-fisherman or worker on vessels on inland waterways
  • ", + "

    This means you can work more than 48 hours one week, as long as the average over 17 weeks is less than 48 hours a week.

    " + ], + "id": "train-1287" + }, + { + "url": "https://www.gov.uk/specialist-tests-for-coaches-and-buses", + "scenario": "I own a tour company that offers coach tours through the UK. These tours start in London and go to many sites across the UK, the itinerary is chosen by the customers. We own 30 coaches.", + "question": "What tests to I need to complete to drive my coaches in London?", + "not_answerable": false, + "answers": [ + [ + "a low emissions certificate test", + [ + "
  • was registered in the UK before 1 October 2006
  • ", + "
  • is fitted with a full filter to Low Emission Zone emissions standards
  • ", + "

    You don\u2019t need a Low Emission Certificate for a vehicle with a Euro 4, 5 or 6 engine.

    " + ] + ] + ], + "evidences": [ + "

    There are extra tests coaches and buses may need to take to:

    ", + "
  • qualify for free entrance to the London Low Emission Zone (LEZ) by getting a Low Emissions Certificate (LEC)
  • ", + "

    You can get your vehicle tested for a Low Emissions Certificate (LEC). This lets you drive in the Low Emission Zone (LEZ) without paying.

    ", + "

    Your vehicle can be tested for a Low Emissions Certificate if it:

    ", + "
  • was registered in the UK before 1 October 2006
  • ", + "
  • is fitted with a full filter to Low Emission Zone emissions standards
  • ", + "

    You don\u2019t need a Low Emission Certificate for a vehicle with a Euro 4, 5 or 6 engine.

    ", + "

    Book a Low Emissions Certificate test

    " + ], + "id": "train-1288" + }, + { + "url": "https://www.gov.uk/specialist-tests-for-coaches-and-buses", + "scenario": "I have purchased an old school bus to use as a private hire vehicle for large groups. To improve customer safety, I have had seatbelts installed on all 45 seats. The bus was first registered in 1999.", + "question": "Do the newly installed seatbelts require testing?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There are extra tests coaches and buses may need to take to:

    ", + "
  • meet seat belt safety rules
  • ", + "

    If your vehicle has additional seat belts fitted beyond those required by law, it must be tested if:

    ", + "
  • it\u2019s a private passenger vehicle with more than 8 passenger seats and was first used on or after 1 October 2001
  • ", + "

    Private passenger vehicles registered before 1 October 2001 are exempt.

    " + ], + "id": "train-1289" + }, + { + "url": "https://www.gov.uk/maximum-weekly-working-hours", + "scenario": "I work in a local grocery store and lately we have been understaffed. My boss is putting pressure on me to work up to sixty hours a week and I really do not want to do this but he will not listen.", + "question": "Is it legal for him to make me work these hours?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can\u2019t work more than 48 hours a week on average - normally averaged over 17 weeks. This law is sometimes called the \u2018working time directive\u2019 or \u2018working time regulations\u2019.

    ", + "

    You can choose to work more by opting out of the 48-hour week.

    ", + "

    You can choose to work more than 48 hours a week on average if you\u2019re over 18. This is called \u2018opting out\u2019.

    ", + "

    Your employer can ask you to opt out, but you can\u2019t be sacked or treated unfairly for refusing to do so.

    ", + "

    You can cancel your opt-out agreement whenever you want - even if it\u2019s part of your employment contract.

    " + ], + "id": "train-1290" + }, + { + "url": "https://www.gov.uk/maximum-weekly-working-hours", + "scenario": "I am a twenty five year old single mother and money is very tight for me. My mother is prepared to babysit whilst I work three part time jobs. I often end up working nearly sixty hours per week however", + "question": "How do I opt out of the 48 hour week?", + "not_answerable": false, + "answers": [ + [ + "sign an opt-out agreement", + [] + ] + ], + "evidences": [ + "

    If you work more than 48 hours on average, you can either:

    ", + "
  • sign an opt-out agreement
  • ", + "

    You can choose to work more than 48 hours a week on average if you\u2019re over 18. This is called \u2018opting out\u2019.

    " + ], + "id": "train-1291" + }, + { + "url": "https://www.gov.uk/bail-immigration-detainees", + "scenario": "My friend Jack is a paskistan national,has been held in immigration detention after being found working illegally in the U.K. He has no past criminal records or applied for any past immigration bail. I will offer him somewhere to stay.", + "question": "Can he apply for an immigration bail?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Your application is also more likely to succeed if you have at least one \u2018Financial Condition Supporter\u2019. This is a person who:

    ", + "

    You\u2019re more likely to get bail if you have a place to stay.

    " + ] + ], + [ + "no", + [ + "
  • have a criminal record, and there\u2019s a risk you might reoffend
  • ", + "
  • have broken bail conditions in the past
  • " + ] + ] + ], + "evidences": [ + "

    You can apply for immigration bail if the Home Office is holding you on immigration matters. This means you might be released from detention but you\u2019ll have to obey at least one condition.

    ", + "

    You can apply whether you\u2019re held in an immigration removal centre, a detention centre or a prison. You must be held on immigration matters.

    ", + "

    You\u2019re more likely to get bail if you have a place to stay.

    ", + "

    Your application is also more likely to succeed if you have at least one \u2018Financial Condition Supporter\u2019. This is a person who:

    ", + "

    You may find it harder to get bail if you:

    ", + "
  • have broken bail conditions in the past
  • ", + "
  • have a criminal record, and there\u2019s a risk you might reoffend
  • " + ], + "id": "train-1292" + }, + { + "url": "https://www.gov.uk/what-different-qualification-levels-mean", + "scenario": "I will be graduating with a bachelor's degree in Computer Science this Summer. While I was browsing for a job position for after university I saw that they require a Level 7 qualification.", + "question": "Do I meet the requirements for this job position?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Level 7 qualifications are:

    ", + "
  • integrated master\u2019s degree, for example master of engineering (MEng)
  • ", + "
  • level 7 award
  • ", + "
  • level 7 certificate
  • ", + "
  • level 7 diploma
  • ", + "
  • level 7 NVQ
  • ", + "
  • master\u2019s degree, for example master of arts (MA), master of science (MSc)
  • ", + "
  • postgraduate certificate
  • ", + "
  • postgraduate certificate in education (PGCE)
  • ", + "
  • postgraduate diploma
  • " + ], + "id": "train-1293" + }, + { + "url": "https://www.gov.uk/what-different-qualification-levels-mean", + "scenario": "I got the grades from my GCSEs yesterday. And for the most part I barely got Cs. A friend told me that such low grade does not even count as a Level 2 qualification, but instead as a Level 1 qualification.", + "question": "What level of qualification are my C graded GCSEs?", + "not_answerable": false, + "answers": [ + [ + "level 2", + [] + ] + ], + "evidences": [ + "

    Level 2 qualifications are:

    ", + "
  • GCSE - grades 9, 8, 7, 6, 5, 4 or grades A*, A, B, C
  • " + ], + "id": "train-1294" + }, + { + "url": "https://www.gov.uk/selling-your-business-your-responsibilities", + "scenario": "I have been running my software development company as a sole trader for about 5 years now. The business has greatly expanded over the years and I have turned my dream into reality. Since I have an idea for an entirely new product I plan on launching an entirely new company. A business friend of mine has expressed interested in buying my current venture along with all of its assets. The company has been VAT registered for a few years now.", + "question": "Do I have to cancel my VAT registration?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can use the online form to tell HM Revenue and Customs (HMRC) that you\u2019ve sold your business. It covers both Self Assessment and National Insurance.

    ", + "

    If you\u2019re registered for VAT, you may be able to transfer the VAT registration number to the new owner.

    " + ], + "id": "train-1295" + }, + { + "url": "https://www.gov.uk/selling-your-business-your-responsibilities", + "scenario": "I have been operating a small sticker printing business from a single location in my city. I am registered as a sole trader. Me and my 2 employees design, print, sell the stickers online and ship them through post. The past year has been really hard on the business and we have barely been able to turn any profit. I was approached by one of our competitors who is interested in buying the business off of me.", + "question": "Do I need to inform my employees who I am selling the business to?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    When you sell your business, you have legal responsibilities to staff you employ. You must also finalise your business\u2019 tax affairs.

    ", + "

    If you have anyone working for you, you must tell them:

    ", + "
  • when and why you\u2019re selling the business
  • ", + "
  • about redundancy terms or relocation packages, if necessary
  • " + ], + "id": "train-1296" + }, + { + "url": "https://www.gov.uk/dla-disability-living-allowance-benefit", + "scenario": "I am twenty five and have cerebal palsy. I have been on DLA since I was eighteen. I am able to work part time but would not be able to cope with full time work. I am worried that my DLA might end soon.", + "question": "What do I do if it ends?", + "not_answerable": false, + "answers": [ + [ + "apply for personal independence payment (pip)", + [] + ] + ], + "evidences": [ + "

    If you already get DLA, your claim might end. You\u2019ll get a letter telling you when this will happen and how you can apply for PIP.

    ", + "

    If you were born after 8 April 1948, your DLA will end. You\u2019ll get a letter telling you when that will happen. You\u2019ll continue to get DLA until that date.

    ", + "

    If your DLA is ending, you\u2019ll get a letter inviting you to apply for Personal Independence Payment (PIP). If you do apply, you\u2019ll need to do it within 28 days.

    ", + "

    DLA will continue to be paid until at least 28 days after a decision is made about your PIP application.

    ", + "

    If you\u2019re eligible for PIP, you\u2019ll start getting PIP payments as soon as your DLA payments end.

    " + ], + "id": "train-1297" + }, + { + "url": "https://www.gov.uk/dla-disability-living-allowance-benefit", + "scenario": "I am seventy years old and for the last three years have been having increasing problems with my mobility. I now use a walking stick to walk and cannot manage to walk any significant distance.", + "question": "Do my mobility problems entitle me to DLA?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Disability Living Allowance (DLA) is being replaced by Personal Independence Payment (PIP) for disabled people.

    ", + "

    You can only apply for DLA if you\u2019re under 16. You can apply for:

    ", + "
  • Attendance Allowance if you\u2019re State Pension age or older and do not get DLA
  • ", + "

    You can no longer apply for Disability Living Allowance (DLA) if you\u2019re 16 or over. You might be able to apply for Personal Independence Payment (PIP) instead.

    ", + "

    You might get the mobility component of DLA if, when using your normal aid, you:

    ", + "
  • cannot walk
  • ", + "
  • can only walk a short distance without severe discomfort
  • ", + "
  • could become very ill if you try to walk
  • " + ], + "id": "train-1298" + }, + { + "url": "https://www.gov.uk/check-university-award-degree", + "scenario": "My son has passed his A levels and would like to pursue a Bachelor of Music at Birmingham University and would like to know if they offer such a course.", + "question": "Where can he get information about the recognized higher learning instituitions?", + "not_answerable": false, + "answers": [ + [ + "the list of recognised bodies", + [] + ], + [ + "email the office for students - providerverification@officeforstudents.org.uk.", + [] + ], + [ + "speaking to your university or college", + [] + ] + ], + "evidences": [ + "

    Your degree will be officially recognised if it\u2019s either:

    ", + "
  • awarded by an institution on the list of recognised bodies
  • ", + "
  • on the list of recognised awards
  • ", + "

    If you\u2019re not sure who awards your degree after speaking to your university or college, who you contact depends on where you study in the UK.

    ", + "

    Email the Office for Students - providerverification@officeforstudents.org.uk.

    " + ], + "id": "train-1299" + }, + { + "url": "https://www.gov.uk/check-university-award-degree", + "scenario": "My friend is pursuing a master in Horticulture in the U.K. and would like to know the body which gives such awards.", + "question": "Which UK body gives Horticulture master awards to students?", + "not_answerable": false, + "answers": [ + [ + "royal horticultural society", + [] + ] + ], + "evidences": [ + "

    Certain bodies or institutions can award their own unique degrees. These are known as \u2018recognised awards\u2019.

    ", + "Master of Horticulture | Royal Horticultural Society" + ], + "id": "train-1300" + }, + { + "url": "https://www.gov.uk/what-to-do-if-your-vehicle-has-been-stolen", + "scenario": "My friend's car has been stolen and she wants to call the police. She can recall the place where the car was parked.", + "question": "What other information should she have before making a police call?", + "not_answerable": false, + "answers": [ + [ + "registration number", + [] + ], + [ + "make and model", + [] + ], + [ + "colour", + [] + ] + ], + "evidences": [ + "

    Tell the police and your insurance company straight away if your vehicle has been stolen.

    ", + "

    Make sure you have your vehicle\u2019s:

    ", + "
  • registration number
  • ", + "
  • make and model
  • ", + "
  • colour
  • " + ], + "id": "train-1301" + }, + { + "url": "https://www.gov.uk/what-to-do-if-your-vehicle-has-been-stolen", + "scenario": "My brother's car was stolen and he no longer owns it. He reported to the DVLA and he is concerned about the vehicle tax bill.", + "question": "Will he keep on paying vehicle tax bill?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your vehicle tax will be cancelled by DVLA once you tell them you no longer own your vehicle. If you pay by Direct Debit, the Direct Debit will be cancelled automatically.

    ", + "

    You must apply for a refund instead if your vehicle had a personalised registration number that you want to keep.

    ", + "

    You\u2019ll automatically get a refund cheque for any full months left on your vehicle tax. The refund is calculated from the date DVLA gets your information. The cheque is sent to the name and address on the vehicle log book.

    " + ], + "id": "train-1302" + }, + { + "url": "https://www.gov.uk/mot-tester-training-assessments", + "scenario": "My brother wants to be a qualified MOT tester for both group A and B vehicles.He wants to do MOT training and annual assessments.", + "question": "Are there course providers he can book a course with?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can also book a training course through one of these providers:

    ", + "
  • ABC Awards
  • ", + "
  • City & Guilds
  • ", + "
  • Institute of the Motor Industry
  • " + ], + "id": "train-1303" + }, + { + "url": "https://www.gov.uk/mot-tester-training-assessments", + "scenario": "I have done online MOT annual assessment test with the Institute of motor Industry which was only 30 multiple choice questions.", + "question": "What is the passmark for July 2021?", + "not_answerable": false, + "answers": [ + [ + "80%", + [] + ] + ], + "evidences": [ + "

    The pass mark for 1 May 2021 to 31 March 2022 is 80%.

    " + ], + "id": "train-1304" + }, + { + "url": "https://www.gov.uk/charged-crime", + "scenario": "I an eighteen and in a moment of madness committed an act of shoplifting and was caught. I was arrested and taken to the police station to be charged and now have to face a magistrate.", + "question": "Will I be given bail whilst I wait for my hearing?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you\u2019ve been convicted of a serious crime in the past
  • ", + "
  • you\u2019ve been given bail in the past and not stuck to the terms
  • ", + "
  • the police think you may not turn up for your hearing
  • ", + "
  • the police think you might commit a crime while you\u2019re on bail
  • " + ] + ] + ], + "evidences": [ + "

    You\u2019re unlikely to be given bail if:

    ", + "
  • you\u2019ve been convicted of a serious crime in the past
  • ", + "
  • you\u2019ve been given bail in the past and not stuck to the terms
  • ", + "
  • the police think you may not turn up for your hearing
  • ", + "
  • the police think you might commit a crime while you\u2019re on bail
  • ", + "

    You will probably be put on remand if:

    ", + "
  • you have been convicted of a serious crime in the past
  • ", + "
  • the police think you may not go to your court hearing
  • ", + "
  • the police think you may commit another crime while on bail
  • ", + "
  • you have been given bail before and not stuck to the terms
  • " + ], + "id": "train-1305" + }, + { + "url": "https://www.gov.uk/charged-crime", + "scenario": "My fifteen year old son was recently arrested and charged for criminal damage after he and his friends vandalised a phone booth. I am worried about the implications for his future.", + "question": "What are the special accomodation when a young person is convicted of a crime?", + "not_answerable": false, + "answers": [ + [ + "you will be taken to a secure centre for young people, not an adult prison", + [] + ], + [ + "your first hearing will usually be at a youth court.", + [] + ], + [ + "the police can decide to keep you at the police station", + [ + "

    If you\u2019re aged 12 to 16, the police can decide to keep you at the police station if they think it will protect the public.

    " + ] + ], + [ + "the police must arrange for you to be held in local authority accommodation", + [] + ] + ], + "evidences": [ + "

    If you\u2019re under 18, your first hearing will usually be at a youth court.

    ", + "

    If you\u2019re under 17, the police must arrange for you to be held in local authority accommodation, if possible, before you go to court.

    ", + "

    If you\u2019re aged 12 to 16, the police can decide to keep you at the police station if they think it will protect the public.

    ", + "

    If you are under 18 you will be taken to a secure centre for young people, not an adult prison.

    ", + "

    You will probably be put on remand if:

    ", + "
  • you have been charged with a serious crime, for example armed robbery
  • ", + "
  • the police think you may commit another crime while on bail
  • " + ], + "id": "train-1306" + }, + { + "url": "https://www.gov.uk/motorcycle-trainer-standards-check", + "scenario": "I am a registered motorcycle trainer and am three years into my registration. So far, I have not completed a standards check.", + "question": "How often do I need to complete a standards check?", + "not_answerable": false, + "answers": [ + [ + "each 4-year period", + [] + ] + ], + "evidences": [ + "

    You should take at least one standards check during each 4-year period that you\u2019re registered as a motorcycle trainer. You do not have to pay for the check.

    " + ], + "id": "train-1307" + }, + { + "url": "https://www.gov.uk/motorcycle-trainer-standards-check", + "scenario": "I currently do not have a motorcycle license, however I am considering taking the CBT. I want to choose an instructor and want to know what standards they have too meet.", + "question": "How are instructors graded during their assesments?", + "not_answerable": false, + "answers": [ + [ + "they\u2019ll follow guidance for carrying out the check and mark you on 17 areas of competence", + [] + ], + [ + "you\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to give a total score.", + [] + ] + ], + "evidences": [ + "

    The examiner will look for evidence that you meet the national standard for driver and rider training.

    ", + "

    They\u2019ll follow guidance for carrying out the check and mark you on 17 areas of competence that are grouped into 3 categories:

    ", + "
  • lesson planning
  • ", + "
  • risk management
  • ", + "
  • teaching and learning skills
  • ", + "

    The 17 areas of competence are listed in the motorcycle trainer standards check form, which the examiner will fill in during your check.

    ", + "

    You\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to give a total score.

    " + ], + "id": "train-1308" + }, + { + "url": "https://www.gov.uk/taxi-driver-licence", + "scenario": "I am thirty and want to have a career change. It has been suggested to me that I get a taxi licence and become a driver. I do not know what the legal procedure is though. I live in Birmingham", + "question": "In what way can I qualify as a taxi driver?", + "not_answerable": false, + "answers": [ + [ + "a medical examination", + [ + "
  • be able to work legally in the UK
  • ", + "
  • have held a full GB or Northern Ireland driving licence - or a full EU driving licence - for at least 12 months
  • ", + "
  • a medical examination
  • ", + "
  • a \u2018knowledge\u2019 test
  • ", + "
  • to take a driving test
  • " + ] + ], + [ + "be able to work legally in the uk", + [] + ], + [ + "have held a full gb or northern ireland driving licence - or a full eu driving licence - for at least 12 months", + [] + ], + [ + "a \u2018knowledge\u2019 test", + [] + ], + [ + "to take a driving test", + [] + ] + ], + "evidences": [ + "

    You need a licence to drive a taxi or private hire vehicle.

    ", + "

    There are different ways for you apply depending on whether you\u2019ll operate:

    ", + "
  • outside London
  • ", + "

    You must apply to your local council for a licence to drive a taxi or private hire vehicle (PHV).

    ", + "

    To apply you must:

    ", + "
  • be able to work legally in the UK
  • ", + "
  • have held a full GB or Northern Ireland driving licence - or a full EU driving licence - for at least 12 months
  • ", + "

    You may also need:

    ", + "
  • a medical examination
  • ", + "
  • a \u2018knowledge\u2019 test
  • ", + "
  • to take a driving test
  • " + ], + "id": "train-1309" + }, + { + "url": "https://www.gov.uk/taxi-driver-licence", + "scenario": "I am 25 and live in London. All of my life I have had the ambition of being a black cab driver and I already know a good deal about London's streets and landmarks.", + "question": "Is there a difference between a London driver's licence and an ordinary one?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You need a licence to drive a taxi or private hire vehicle.

    ", + "

    There are different ways for you apply depending on whether you\u2019ll operate:

    ", + "
  • outside London
  • ", + "
  • inside London
  • ", + "

    You must apply to your local council for a licence to drive a taxi or private hire vehicle (PHV).

    ", + "

    You need to apply to Transport for London (TfL) to drive a taxi or private hire vehicle (PHV).

    " + ], + "id": "train-1310" + }, + { + "url": "https://www.gov.uk/report-suspicious-emails-websites-phishing", + "scenario": "I am self employed and file a tax return as a sole trader. I have received a text message with a link in it purportedly from HMRC.", + "question": "How can I discover if this is genuine or a scam?", + "not_answerable": false, + "answers": [ + [ + "check hmrc\u2019s guidance on recognising scams", + [] + ], + [ + "search on gov.uk to find official government services and phone numbers", + [] + ] + ], + "evidences": [ + "

    Search on GOV.UK to find official government services and phone numbers, for example if you want to apply to the DVLA for a driving licence.

    ", + "

    Check HMRC\u2019s guidance on recognising scams if you\u2019re not sure.

    " + ], + "id": "train-1311" + }, + { + "url": "https://www.gov.uk/report-suspicious-emails-websites-phishing", + "scenario": "I am a UK citizen but keep receiving suspicious texts about my visa application in the UK. I believe them to be a scam.", + "question": "Can I report these to an authority?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Report misleading websites, emails, phone numbers, phone calls or text messages you think may be suspicious.

    ", + "

    This will report the message to your mobile phone provider.

    ", + "

    You can also report suspicious emails, letters or telephone calls to the police through Action Fraud.

    " + ], + "id": "train-1312" + }, + { + "url": "https://www.gov.uk/esdal-and-abnormal-loads", + "scenario": "I need to move a large pice of mining equipment from Derby to Yorkshire. It weighs about 60 tonnes and is quite wide.", + "question": "Does this constitute an abnormal load?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    An \u2018abnormal load\u2019 is a vehicle that has any of the following:

    ", + "
  • a weight of more than 44,000kg
  • ", + "
  • a width of more than 2.9 metres
  • " + ], + "id": "train-1313" + }, + { + "url": "https://www.gov.uk/esdal-and-abnormal-loads", + "scenario": "We have an abnormal load that we are shifting 8 miles from my yard to its work site. I am aware i need to get permissions.", + "question": "Whoi needs to be notified about this abnormal load?", + "not_answerable": false, + "answers": [ + [ + "the police", + [] + ], + [ + "highway authorities", + [] + ], + [ + "bridge and structure owners like network rail", + [] + ] + ], + "evidences": [ + "

    Depending on the load you\u2019re moving and your route, you may need to give advance warning to:

    ", + "
  • the police
  • ", + "
  • highway authorities
  • ", + "
  • bridge and structure owners like Network Rail
  • " + ], + "id": "train-1314" + }, + { + "url": "https://www.gov.uk/support-child-or-partners-student-finance-application", + "scenario": "Me my husband and our son live together. My son will be off to university next year and me and his father want to support his student loan application since we will not be able to afford to pay in full. My son has a small income he makes online, while me and his dad work in a law firm.", + "question": "Does the combined household income include the income of my son?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your household income is the combined income of:

    ", + "
  • you
  • ", + "
  • your partner, if you live with them (even if you were not living with them during the previous tax year)
  • ", + "
  • income your child gets from their own savings, investments or property, for example dividends or rent
  • " + ], + "id": "train-1315" + }, + { + "url": "https://www.gov.uk/support-child-or-partners-student-finance-application", + "scenario": "My and my wife helped our daughter apply for her student finance as she is about to be a first year student. She informed us a bit late on the matter and there are only 8 weeks until she begins her first semester.", + "question": "How long will it take for our application to be reviewed?", + "not_answerable": false, + "answers": [ + [ + "up to 2 weeks", + [ + "

    It can take up to 6 weeks to review your evidence.

    " + ] + ], + [ + "up to 6 weeks", + [ + "

    It can take up to 6 weeks to review your evidence.

    " + ] + ] + ], + "evidences": [ + "

    HM Revenue and Customs (HMRC) will check that the information you\u2019ve provided matches their records. This will usually take up to 2 weeks.

    ", + "

    It can take up to 6 weeks to review your evidence.

    " + ], + "id": "train-1316" + }, + { + "url": "https://www.gov.uk/national-minimum-wage-accommodation", + "scenario": "I am an employer at a hostel at St. Just Cornwall. My staff will earn the minimum wage and they can stay at the hosel for no charge.", + "question": "What can I reduce the daily pay by and still meet the minimum wage?", + "not_answerable": false, + "answers": [ + [ + "\u00a38.36", + [] + ] + ], + "evidences": [ + "Year | Daily accommodation offset rate | Weekly accommodation offset rate", + "April 2021 (current rate) | \u00a38.36 | \u00a358.52", + "

    If the accommodation is free, it still affects the minimum wage. There is an offset rate of \u00a38.36 per day for this.

    " + ], + "id": "train-1317" + }, + { + "url": "https://www.gov.uk/national-minimum-wage-accommodation", + "scenario": "I am an employee at a farm in Lincolnshire. My employer provides workers with accommodation at the farm. My hourly wage is \u00a35.08/hour (less than the National Minimum Wage).", + "question": "Could my wage of \u00a35.08/hour still be in compliance with the minimum wage?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Accommodation provided by an employer can be taken into account when calculating the National Minimum Wage or National Living Wage.

    ", + "

    This effect of accommodation rates on the National Minimum Wage or National Living Wage depends on how much an employer charges for accommodation.

    ", + "

    It\u2019s calculated by \u2018pay period\u2019, the intervals at which someone is being paid. This can be weekly, monthly or in irregular intervals like every 10 days.

    ", + "

    If the accommodation is free, it still affects the minimum wage. There is an offset rate of \u00a38.36 per day for this.

    " + ], + "id": "train-1318" + }, + { + "url": "https://www.gov.uk/selling-your-business-your-responsibilities", + "scenario": "I am a sole business trader and I have been affected by the covid pandemic due to low sales and lack of clients. I have decided to close the business.", + "question": "What are the things i should discuss with my staffs?", + "not_answerable": false, + "answers": [ + [ + "when and why you\u2019re selling the business", + [] + ], + [ + "about redundancy terms or relocation packages, if necessary", + [] + ] + ], + "evidences": [ + "

    When you sell your business, you have legal responsibilities to staff you employ. You must also finalise your business\u2019 tax affairs.

    ", + "

    If you have anyone working for you, you must tell them:

    ", + "
  • when and why you\u2019re selling the business
  • ", + "
  • about redundancy terms or relocation packages, if necessary
  • " + ], + "id": "train-1319" + }, + { + "url": "https://www.gov.uk/selling-your-business-your-responsibilities", + "scenario": "I have sold the whole of my business partnership and I have gained some money after the sale. I want to report the gains to the HMRC.", + "question": "What are the possible ways to reduce the amount i will be paying as capital gain tax?", + "not_answerable": false, + "answers": [ + [ + "claiming entrepreneurs\u2019 relief", + [] + ], + [ + "claim other reliefs", + [] + ] + ], + "evidences": [ + "

    If this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.

    " + ], + "id": "train-1320" + }, + { + "url": "https://www.gov.uk/taking-goods-out-uk-temporarily", + "scenario": "My friend Charlie is a computer engineer based in the UK and wants to take several laptops to India to do a computer training program for 3 months in a private academy.", + "question": "Does he need to take a ATA Carnet?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may need permission to temporarily move or export goods outside the UK, for example if you take sales samples to a trade show.

    ", + "

    If you\u2019re taking goods to another country temporarily for business reasons and you think you\u2019ll be over the duty free limit, you can usually get an ATA Carnet to avoid paying duty. This includes things like:

    ", + "
  • equipment you need for work like laptops, cameras or sound equipment
  • " + ], + "id": "train-1321" + }, + { + "url": "https://www.gov.uk/taking-goods-out-uk-temporarily", + "scenario": "My aunt lives in Canada and has a chronic mental illness and is under anti psychotic controlled drugs treatment. She wishes to travel to the UK for a family visit and carry her medicine.", + "question": "What does he need to show that she is on such drugs?", + "not_answerable": false, + "answers": [ + [ + "temporary licences", + [] + ] + ], + "evidences": [ + "

    Check if your goods are controlled and you need a licence.

    ", + "

    Temporary licences are available for some types of controlled goods, for example:

    ", + "
  • controlled drugs for personal use
  • " + ], + "id": "train-1322" + }, + { + "url": "https://www.gov.uk/esdal-and-abnormal-loads", + "scenario": "I am a British haulage company owner and I have been asked for the first time to transport an abormal load. I have to admit that I have no experience with this sort of thing but do not want to turn down a lucrative contract.", + "question": "What are the regulations I need to follow?", + "not_answerable": false, + "answers": [ + [ + "read the factsheet for notice requirements", + [] + ] + ], + "evidences": [ + "

    If you\u2019re responsible for transporting an abnormal load, you need to follow regulations for notifying the authorities.

    ", + "

    You can use Highways England\u2019s electronic service delivery for abnormal loads (ESDAL) to:

    ", + "
  • notify the police, highways and bridge authorities of your abnormal load movements around the road network
  • ", + "

    If you do not use ESDAL you must fill in an abnormal loads movement application form.

    ", + "

    Read the factsheet for notice requirements.

    " + ], + "id": "train-1323" + }, + { + "url": "https://www.gov.uk/esdal-and-abnormal-loads", + "scenario": "I run a mid sized fleet of lorries and next month have been contracted to take an abnormally large load over to the continent. I have been told that there is a lot of paperwork involved in this.", + "question": "What sort of things do I need to do to ensure that my transportation is legal?", + "not_answerable": false, + "answers": [ + [ + "notify the police, highways and bridge authorities", + [] + ], + [ + "register your trailer", + [] + ], + [ + "get an abnormal load trailer keeper\u2019s certificate", + [] + ] + ], + "evidences": [ + "

    If you\u2019re responsible for transporting an abnormal load, you need to follow regulations for notifying the authorities.

    ", + "

    Depending on the load you\u2019re moving and your route, you may need to give advance warning to:

    ", + "
  • the police
  • ", + "
  • highway authorities
  • ", + "
  • bridge and structure owners like Network Rail
  • ", + "

    You can use Highways England\u2019s electronic service delivery for abnormal loads (ESDAL) to:

    ", + "
  • notify the police, highways and bridge authorities of your abnormal load movements around the road network
  • ", + "

    If you do not use ESDAL you must fill in an abnormal loads movement application form.

    ", + "

    You must allow time to get the necessary clearances from the police, highway and bridge authorities. For example, a Special Order application must be completed 10 weeks before the scheduled date of the move.

    ", + "

    If you\u2019re taking an abnormal load outside the UK, you\u2019ll need to:

    ", + "
  • register your trailer
  • ", + "
  • get an abnormal load trailer keeper\u2019s certificate
  • " + ], + "id": "train-1324" + }, + { + "url": "https://www.gov.uk/school-attendance-absence", + "scenario": "most of our family lives abroad and they include our children's cousins. we'd like for our children to get to know their cousins but unfortunately their school terms clash. when our children are on holiday, their cousins are in school.", + "question": "can we take our children on holiday during the school term ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you make an application to the head teacher in advance (as a parent the child normally lives with)
  • ", + "
  • there are exceptional circumstances
  • ", + "

    You have to get permission from the head teacher if you want to take your child out of school during term time.

    " + ] + ] + ], + "evidences": [ + "

    You have to get permission from the head teacher if you want to take your child out of school during term time.

    ", + "

    You can only do this if:

    ", + "
  • you make an application to the head teacher in advance (as a parent the child normally lives with)
  • ", + "
  • there are exceptional circumstances
  • ", + "

    You can be fined for taking your child on holiday during term time without the school\u2019s permission.

    " + ], + "id": "train-1325" + }, + { + "url": "https://www.gov.uk/school-attendance-absence", + "scenario": "we recently lost our jobs and as a result our living standards have dropped. our children were being mercilessly teased by their schoolmates because of our situation so we decided to withdraw them from school and home school them. we have now received a fine from the local council because of their absenteeism.", + "question": "How much is the fine from local council for the parent?", + "not_answerable": false, + "answers": [ + [ + "\u00a360", + [ + "

    Your local council can give each parent a fine of \u00a360, which rises to \u00a3120 each if you do not pay within 21 days. If you do not pay the fine after 28 days you may be prosecuted for your child\u2019s absence from school.

    " + ] + ], + [ + "\u00a3120", + [ + "

    Your local council can give each parent a fine of \u00a360, which rises to \u00a3120 each if you do not pay within 21 days. If you do not pay the fine after 28 days you may be prosecuted for your child\u2019s absence from school.

    " + ] + ] + ], + "evidences": [ + "

    You must make sure your child gets a full-time education that meets their needs (for example if they have special educational needs). You can send your child to school or educate them yourself.

    ", + "

    Your local council can give each parent a fine of \u00a360, which rises to \u00a3120 each if you do not pay within 21 days. If you do not pay the fine after 28 days you may be prosecuted for your child\u2019s absence from school.

    " + ], + "id": "train-1326" + }, + { + "url": "https://www.gov.uk/check-university-award-degree", + "scenario": "I am looking to study. The institution i am looking at is in Scotland but is not listed. I am not sure if its", + "question": "Who can I contact to investigate further?", + "not_answerable": false, + "answers": [ + [ + "scottish government central enquiry unit", + [] + ] + ], + "evidences": [ + "

    Contact the Scottish Government central enquiry unit.

    " + ], + "id": "train-1327" + }, + { + "url": "https://www.gov.uk/invoicing-and-taking-payment-from-customers", + "scenario": "I am a sole business trader and I supply office stationeries to different clients in the UK. I have raised several invoices for the goods supplied.", + "question": "How many days should i give a customer to pay after i supply?", + "not_answerable": false, + "answers": [ + [ + "within 30 days of getting your invoice or the goods or service", + [] + ], + [ + "agree a payment date", + [ + "

    You can set your own payment terms, such as discounts for early payment and payment upfront.

    " + ] + ] + ], + "evidences": [ + "

    You can set your own payment terms, such as discounts for early payment and payment upfront.

    ", + "

    Unless you agree a payment date, the customer must pay you within 30 days of getting your invoice or the goods or service.

    " + ], + "id": "train-1328" + }, + { + "url": "https://www.gov.uk/invoicing-and-taking-payment-from-customers", + "scenario": "We would like to open an online fashion clothing store where customers will order goods online and pay promptly with a debit card.", + "question": "If we start trading, which authority regulates online traders?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1329" + }, + { + "url": "https://www.gov.uk/bail-immigration-detainees", + "scenario": "I have been detained as an illegal immigrant after my asylum application was rejected. I don't want to go back to Syria. I don't want to be locked up.", + "question": "What factors might help me get bail?", + "not_answerable": false, + "answers": [ + [ + "if you have a place to stay", + [] + ], + [ + "if you have at least one \u2018financial condition supporter\u2019", + [] + ] + ], + "evidences": [ + "

    You\u2019re more likely to get bail if you have a place to stay.

    ", + "

    Your application is also more likely to succeed if you have at least one \u2018Financial Condition Supporter\u2019. This is a person who:

    " + ], + "id": "train-1330" + }, + { + "url": "https://www.gov.uk/bail-immigration-detainees", + "scenario": "I am Walid from Iraq. I have been here illegally but I have been working and supporting my family and i have been granted bail while my case comes to court.", + "question": "What are the conditions i need to follow during the bail period?", + "not_answerable": false, + "answers": [ + [ + "report regularly to an immigration official", + [] + ], + [ + "attend an appointment or hearing", + [] + ], + [ + "be restricted on where you can live", + [] + ], + [ + "have an electronic monitoring tag", + [] + ], + [ + "have restrictions on the work or studies you can do", + [] + ] + ], + "evidences": [ + "

    If you\u2019re granted bail, there will be at least one condition you have to obey.

    ", + "

    You might have to:

    ", + "
  • report regularly to an immigration official
  • ", + "
  • attend an appointment or hearing
  • ", + "
  • be restricted on where you can live
  • ", + "
  • have an electronic monitoring tag
  • ", + "
  • have restrictions on the work or studies you can do
  • ", + "
  • obey any other condition decided by the person granting your bail
  • ", + "

    You or your financial condition supporter might have to promise to pay money if you break one of the other conditions of your bail. This is called a \u2018financial condition\u2019.

    " + ], + "id": "train-1331" + }, + { + "url": "https://www.gov.uk/preventing-air-pollution", + "scenario": "My husband and I have just bought a 1920s cottage in the countryside as a second property. It has open fireplaces, which we like but we are worried that we are polluting the environment.", + "question": "Is it legal to use our open fireplaces?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    Your local council can introduce extra controls on emissions if there are air quality problems in your area.

    " + ] + ] + ], + "evidences": [ + "

    Your local council can introduce extra controls on emissions if there are air quality problems in your area.

    ", + "

    Your council can also declare a smoke control area. This means you can only use authorised fuels, or exempted furnaces and boilers. Chimney smoke is not allowed, with only a few exceptions.

    " + ], + "id": "train-1332" + }, + { + "url": "https://www.gov.uk/preventing-air-pollution", + "scenario": "I live in a Victorian property and would like to install a furnace to save on heating costs. We are keen to be as environmentally friendly as possible however.", + "question": "What are the legal requirements around furnaces?", + "not_answerable": false, + "answers": [ + [ + "you need a permit for most generators, furnaces and boilers.", + [] + ], + [ + "your chimney must be high enough to prevent smoke, grit, dust, gases and fume emissions from damaging health or causing a nuisance.", + [] + ] + ], + "evidences": [ + "

    You need a permit for most generators, furnaces and boilers.

    ", + "

    The permit you need depends on the type and amount of fuel you\u2019re burning.

    ", + "

    Your chimney must be high enough to prevent smoke, grit, dust, gases and fume emissions from damaging health or causing a nuisance. Your local council can refuse your application if your chimney isn\u2019t high enough.

    " + ], + "id": "train-1333" + }, + { + "url": "https://www.gov.uk/invoicing-and-taking-payment-from-customers", + "scenario": "i run a small business that supplies home appliances on credit. i supplied a customer with a washing machine and dish washer two months ago but they are yet to pay me.", + "question": "Do I have to charge interest on late payments ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Unless you agree a payment date, the customer must pay you within 30 days of getting your invoice or the goods or service.

    ", + "

    You have the right to charge interest for late payment, but you can choose not to.

    " + ], + "id": "train-1334" + }, + { + "url": "https://www.gov.uk/invoicing-and-taking-payment-from-customers", + "scenario": "I have established a business that will sell hair salon equipment. I am working out my payment methods and ways of recording payments which include invoices.", + "question": "What details do i have to include on my invoices apart from basics like the amount?", + "not_answerable": false, + "answers": [ + [ + "a unique identification number", + [] + ], + [ + "your company name, address and contact information", + [] + ], + [ + "the company name and address of the customer you\u2019re invoicing", + [] + ], + [ + "a clear description of what you\u2019re charging for", + [] + ], + [ + "the date the goods or service were provided", + [] + ] + ], + "evidences": [ + "

    Your invoice must include:

    ", + "
  • a unique identification number
  • ", + "
  • your company name, address and contact information
  • ", + "
  • the company name and address of the customer you\u2019re invoicing
  • ", + "
  • a clear description of what you\u2019re charging for
  • ", + "
  • the date the goods or service were provided (supply date)
  • ", + "
  • the date of the invoice
  • ", + "
  • the amount(s) being charged
  • ", + "
  • VAT amount if applicable
  • ", + "
  • the total amount owed
  • " + ], + "id": "train-1335" + }, + { + "url": "https://www.gov.uk/preventing-air-pollution", + "scenario": "My friend owns a restaurant and his kitchen chimney produces a lot of dark smoke which is a nuisance to neighbors and the surroundings. He always says that he installed a low height chimney during construction.", + "question": "Is a high chimney installation a requirement during building construction?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    There are some exemptions if emissions won\u2019t damage health or cause a nuisance.

    " + ] + ] + ], + "evidences": [ + "

    There are some exemptions if emissions won\u2019t damage health or cause a nuisance.

    ", + "

    Your chimney must be high enough to prevent smoke, grit, dust, gases and fume emissions from damaging health or causing a nuisance. Your local council can refuse your application if your chimney isn\u2019t high enough.

    " + ], + "id": "train-1336" + }, + { + "url": "https://www.gov.uk/preventing-air-pollution", + "scenario": "I run a hotel business and our fireplace is always smoking and produces a dark smoke which causes a lot of nuisance and complaints from my customers. In one occasion an asthmatic patient nearly collapsed.", + "question": "Are there chimney restrictions put across by the local council?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your local council can introduce extra controls on emissions if there are air quality problems in your area.

    ", + "

    Your council can also declare a smoke control area. This means you can only use authorised fuels, or exempted furnaces and boilers. Chimney smoke is not allowed, with only a few exceptions.

    ", + "

    The darker the smoke, the more polluting it tends to be. Smoke darker than a specified shade of grey is officially classified as \u2018dark smoke\u2019.

    ", + "

    The Ringelmann chart is used to define dark smoke. The chart has 5 shades of grey with 0 being clear and 5 being black. Smoke is considered \u2018dark\u2019 if it is shade 2 or darker.

    ", + "

    You mustn\u2019t release dark smoke from your premises, including from:

    " + ], + "id": "train-1337" + }, + { + "url": "https://www.gov.uk/fixed-term-contracts", + "scenario": "I am on a two year fixed term contract for a project that my employer is undertaking. We are building a bridge. There are many permanent staff also in the company.", + "question": "Am I entitled to the same rights as permanent employees?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Employers must not treat workers on fixed-term contracts less favourably than permanent employees doing the same or largely the same job, unless the employer can show that there is a good business reason to do so.

    ", + "

    Employers must also ensure that fixed-term employees get:

    ", + "
  • the same pay and conditions as permanent staff
  • ", + "
  • the same or equivalent benefits package
  • ", + "

    Anyone who\u2019s worked continually for the same employer for 2 years or more has the same redundancy rights as a permanent employee.

    " + ], + "id": "train-1338" + }, + { + "url": "https://www.gov.uk/fixed-term-contracts", + "scenario": "I have been with the same employer for four years on one year fixed term contracts that are renewed arch yea. this year my employer does not want to renew.", + "question": "What are my rights in these circumstances?", + "not_answerable": false, + "answers": [ + [ + "the same redundancy rights as a permanent employee.", + [] + ], + [ + "not to be unfairly dismissed", + [] + ], + [ + "to a written statement of reasons for not renewing the contract", + [] + ], + [ + "statutory redundancy payments after 2 years\u2019 service if the reason for non-renewal is redundancy.", + [] + ] + ], + "evidences": [ + "

    Anyone who\u2019s worked continually for the same employer for 2 years or more has the same redundancy rights as a permanent employee.

    ", + "

    This is considered to be a dismissal, and if the employee has 2 years\u2019 service the employer needs to show that there\u2019s a \u2018fair\u2019 reason for not renewing the contract (eg, if they were planning to stop doing the work the contract was for).

    ", + "

    Workers have the right:

    ", + "
  • not to be unfairly dismissed after 2 years\u2019 service - for employees who were in employment before 6 April 2012, it\u2019s 1 year\u2019s service
  • ", + "
  • to a written statement of reasons for not renewing the contract - after 1 year\u2019s service
  • ", + "

    They may be entitled to statutory redundancy payments after 2 years\u2019 service if the reason for non-renewal is redundancy.

    ", + "

    Any employee on fixed-term contracts for 4 or more years will automatically become a permanent employee, unless the employer can show there is a good business reason not to do so.

    " + ], + "id": "train-1339" + }, + { + "url": "https://www.gov.uk/stay-in-home-during-separation-or-divorce", + "scenario": "My partner and I have separated but I am the one staying with the children in our registered family house . I want to apply for home rights so that I can continue staying there with my children.", + "question": "Where do i send the forms for notice to?", + "not_answerable": false, + "answers": [ + [ + "hm land registry\u2019s citizen centre", + [] + ] + ], + "evidences": [ + "

    Send it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.

    ", + "

    Send the form, along with an official copy of the court\u2019s continuation order, to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.

    " + ], + "id": "train-1340" + }, + { + "url": "https://www.gov.uk/stay-in-home-during-separation-or-divorce", + "scenario": "My friend has legally divorced her ex-husband and is the custodian of their only child. She was given a continuous court order to stay in their unregistered property.", + "question": "Which forms should she fill in?", + "not_answerable": false, + "answers": [ + [ + "application for the renewal of a registration of a \u2018class f land charge\u2019", + [ + "
  • application for the renewal of a registration of a \u2018Class F Land Charge\u2019 - if you have home rights
  • " + ] + ], + [ + "application for registration of a \u2018class f land charge\u2019", + [ + "
  • application for registration of a \u2018Class F Land Charge\u2019 - if you do not have home rights
  • " + ] + ] + ], + "evidences": [ + "

    Download and fill in the application for registration of a \u2018Class F Land Charge\u2019.

    ", + "
  • application for the renewal of a registration of a \u2018Class F Land Charge\u2019 - if you have home rights
  • ", + "
  • application for registration of a \u2018Class F Land Charge\u2019 - if you do not have home rights
  • " + ], + "id": "train-1341" + }, + { + "url": "https://www.gov.uk/dbs-check-applicant-criminal-record", + "scenario": "We are currently doing recruitment of new employees and want to do DBS checks on them before we make our final decision on their respective posts.", + "question": "How long does it take?", + "not_answerable": false, + "answers": [ + [ + "up to 14 days", + [ + "
  • a basic check, which shows unspent convictions and conditional cautions
  • " + ] + ], + [ + "around 8 weeks", + [ + "
  • a standard check, which shows spent and unspent convictions, cautions, reprimands and final warnings
  • ", + "
  • an enhanced check, which shows the same as a standard check plus any information held by local police that\u2019s considered relevant to the role
  • ", + "
  • an enhanced check with barred lists, which shows the same as an enhanced check plus whether the applicant is on the list of people barred from doing the role
  • " + ] + ], + [ + "longer", + [ + "
  • the details given for the check are incorrect
  • ", + "
  • several police forces need to be involved in the check
  • " + ] + ] + ], + "evidences": [ + "

    It usually takes around 8 weeks but it can take longer if:

    ", + "
  • the details given for the check are incorrect
  • ", + "
  • several police forces need to be involved in the check
  • ", + "

    A basic check takes up to 14 days.

    " + ], + "id": "train-1342" + }, + { + "url": "https://www.gov.uk/dbs-check-applicant-criminal-record", + "scenario": "I want to recruit an employee urgently to work in a care home.I want to know her DBS checks in the next 2 days.", + "question": "Which service can i use?", + "not_answerable": false, + "answers": [ + [ + "dbs adult first", + [ + "

    If you provide care services for adults (for example in a care home), you can use a service called DBS Adult First.

    " + ] + ] + ], + "evidences": [ + "

    You can request a Disclosure and Barring Service (DBS) check on behalf of an employee.

    ", + "

    If you provide care services for adults (for example in a care home), you can use a service called DBS Adult First.

    " + ], + "id": "train-1343" + }, + { + "url": "https://www.gov.uk/your-employment-contract-how-it-can-be-changed", + "scenario": "I want to transfer one of my employees to our sister company in France within the next 24 hours because his services are needed there urgently.", + "question": "Could this be reasonable use of the flexibility clause?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Flexibility clauses are terms in a contract that give employers the right to change some conditions of employment, for example relocation.

    ", + "

    Employers can only use flexibility clauses to make reasonable changes.

    ", + "

    Problems can arise if:

    ", + "
  • an employer tries to change a contract without agreement, or re-employs someone on new terms and conditions
  • " + ], + "id": "train-1344" + }, + { + "url": "https://www.gov.uk/your-employment-contract-how-it-can-be-changed", + "scenario": "I am planning to sell my company to a potential business investor. All the employees terms of contract will change.", + "question": "Do i need to make consultations with my employees?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Usually, the employer and employee both need to agree to any contract changes. But an employee can insist on a change if they have a legal right to it.

    ", + "

    You must get an employee\u2019s agreement if you want to make changes to their contract.

    ", + "

    You should:

    ", + "
  • consult or negotiate with employees or their representatives (for example from a trade union or staff association)
  • ", + "

    Employers must write to their staff to let them know about any changes to collective agreements with trade unions or staff associations.

    " + ], + "id": "train-1345" + }, + { + "url": "https://www.gov.uk/workplace-pensions-employers", + "scenario": "Good afternoon. I am setting up a company and on the list of things to do is to set up a pension scheme. I am clueless and need help.", + "question": "How much does an employer need to pay into a staff pension scheme?", + "not_answerable": false, + "answers": [ + [ + "at least 3% of your employee\u2019s \u2018qualifying earnings\u2019", + [] + ] + ], + "evidences": [ + "

    You must pay at least 3% of your employee\u2019s \u2018qualifying earnings\u2019 into your staff\u2019s pension scheme.

    " + ], + "id": "train-1346" + }, + { + "url": "https://www.gov.uk/workplace-pensions-employers", + "scenario": "Good morning. I have taken over the running of a staff pension scheme at my workplace. i am trying to ensure i have everything 100%", + "question": "What records do i need to keep as the scheme administrator?", + "not_answerable": false, + "answers": [ + [ + "the names and addresses of staff enrolled", + [] + ], + [ + "when contributions are paid in", + [] + ], + [ + "all requests to join or leave your pension scheme", + [] + ], + [ + "your pension scheme reference or registry number (psr)", + [] + ] + ], + "evidences": [ + "

    You must keep records of how you\u2019ve met your legal duties for maintaining your pension scheme, including:

    ", + "
  • the names and addresses of staff enrolled
  • ", + "
  • when contributions are paid in
  • ", + "
  • all requests to join or leave your pension scheme
  • ", + "
  • your pension scheme reference or registry number (PSR)
  • " + ], + "id": "train-1347" + }, + { + "url": "https://www.gov.uk/oil-storage-regulations-and-safety", + "scenario": "My uncle practices commercial farming and has an underground tank containing oil in his farm. He uses it for heating and on the farmhouse.", + "question": "Does he need to follow oil storage regulations?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You have to follow certain regulations if you have an oil storage container at your home, business or farm.

    ", + "

    You have to follow different regulations depending on whether you\u2019re storing oil:

    ", + "
  • for heat and power for agriculture, for example to fuel your tractor or run a grain dryer
  • ", + "
  • to heat your farmhouse
  • ", + "

    You do not have to follow oil storage regulations if your oil is:

    ", + "
  • on a farm and you use it for heat and power for agriculture or for your farmhouse
  • ", + "

    The regulations do not apply if your storage containers are:

    ", + "
  • underground
  • " + ], + "id": "train-1348" + }, + { + "url": "https://www.gov.uk/oil-storage-regulations-and-safety", + "scenario": "My friend is a business man and owns a single petrol filling station.During the assessment he was informed that the oil tank was leaking and need to have a bund.", + "question": "What regulations does he need to follow?", + "not_answerable": false, + "answers": [ + [ + "oil storage regulations", + [] + ] + ], + "evidences": [ + "

    You have to follow oil storage regulations if the container at your business can hold 201 litres or more of certain types of oil.

    ", + "

    You must follow the regulations for businesses if your oil container can hold 201 litres or more of:

    ", + "
  • petrol
  • ", + "

    You\u2019re responsible for any pollution caused by problems with your oil storage container. You need to know the regulations about oil storage containers, including where it\u2019s located and how it\u2019s protected.

    " + ], + "id": "train-1349" + }, + { + "url": "https://www.gov.uk/ask-for-a-visa-administrative-review", + "scenario": "I am Jake from Taiwan. I wanted to come to the UK to visit my sister but my visa was rejected and i got the notice last week.", + "question": "Can I apply for a review on this decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you do not have a right of appeal against the refusal
  • ", + "
  • you did not make an application as a short term student or a visitor (except if you applied as an S2 Healthcare Visitor)
  • " + ] + ] + ], + "evidences": [ + "

    You\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.

    ", + "

    You can only ask for an administrative review if all of the following apply:

    ", + "
  • you\u2019re outside the UK
  • ", + "
  • you applied outside the UK
  • ", + "
  • your application was refused on or after 6 April 2015
  • ", + "
  • you do not have a right of appeal against the refusal
  • ", + "
  • you did not make an application as a short term student or a visitor (except if you applied as an S2 Healthcare Visitor)
  • " + ], + "id": "train-1350" + }, + { + "url": "https://www.gov.uk/ask-for-a-visa-administrative-review", + "scenario": "I can't believe i have been refused a visa. I have been in the UK for sometime and this is a real blow to me. I want to get a review of this decision.", + "question": "How do I apply for a review?", + "not_answerable": false, + "answers": [ + [ + "your refusal letter will tell you how to apply", + [ + "

    If your application was refused, you must apply for an administrative review within 14 days of getting the decision.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.

    ", + "

    Your refusal letter will tell you how to apply. You may be able to apply online. It costs \u00a380.

    " + ], + "id": "train-1351" + }, + { + "url": "https://www.gov.uk/right-of-abode", + "scenario": "I was born and live in Canada, but my father is a British citizen. I currently do not have a British passport, but have a Canadian one. I want to move to the UK to work and live in January 2022.", + "question": "Can I apply to get a certificate of entitlement to live and work in the UK?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • one of your parents was born in the UK and a citizen of the United Kingdom and colonies when you were born or adopted
  • " + ] + ], + [ + "no", + [ + "

    You cannot get a certificate if you already have a British passport or a valid certificate of entitlement in another foreign passport.

    " + ] + ] + ], + "evidences": [ + "

    You have right of abode if all the following apply:

    ", + "
  • one of your parents was born in the UK and a citizen of the United Kingdom and colonies when you were born or adopted
  • ", + "
  • you were a Commonwealth citizen on 31 December 1982
  • ", + "
  • you did not stop being a Commonwealth citizen (even temporarily) at any point after 31 December 1982
  • ", + "

    You cannot get a certificate if you already have a British passport or a valid certificate of entitlement in another foreign passport.

    " + ], + "id": "train-1352" + }, + { + "url": "https://www.gov.uk/right-of-abode", + "scenario": "I was born in the UK and have a UK passport, however I have lived in China since I was 3 years old (45 years). I want to move to the UK as an adult as my business in China has failed and my family in China has passed away..", + "question": "Is my British passport sufficient to prove I have the right to abode in the UK?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Having right of abode means you\u2019re allowed to live or work in the UK without any immigration restrictions, which means:

    ", + "
  • you will not need a visa to come to the UK
  • ", + "
  • there\u2019s no limit on the length of time you can spend in the country
  • ", + "

    All British citizens automatically have right of abode in the UK.

    ", + "

    You can prove you have right of abode if you have a UK passport describing you as a British citizen or British subject with right of abode.

    " + ], + "id": "train-1353" + }, + { + "url": "https://www.gov.uk/early-retirement-pension", + "scenario": "I am 50 years old and a serving police officer. I have been in my job for nearly thirty years and I want to take early retirement, even though I am not at state pension age. I have a private pension through the police force.", + "question": "Can I take at least my private pension if I retire early?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re retiring early because of ill health
  • ", + "
  • you had the right under the scheme you joined before 6 April 2006 to take your pension before you\u2019re 55 \u2013 ask your pension provider if you\u2019re not sure
  • " + ] + ], + [ + "no", + [] + ] + ], + "evidences": [ + "

    When you can take money from your pension pot will depend on your pension scheme\u2019s rules, but it\u2019s usually after you\u2019re 55.

    ", + "

    You may be able to take money out before this age if either:

    ", + "
  • you\u2019re retiring early because of ill health
  • ", + "
  • you had the right under the scheme you joined before 6 April 2006 to take your pension before you\u2019re 55 \u2013 ask your pension provider if you\u2019re not sure
  • " + ], + "id": "train-1354" + }, + { + "url": "https://www.gov.uk/early-retirement-pension", + "scenario": "I am forty years old and a primary school teacher. I have recently been diagnosed with an aggressive type of cancer. I want to spend my remaining time with my family.", + "question": "Although I am not at state pension age, can I claim both my state and private pensions given my state of health?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re expected to live less than a year because of serious illness
  • ", + "
  • you do not have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • " + ] + ] + ], + "evidences": [ + "

    The earliest you can get your State Pension is when you reach your State Pension age. You\u2019ll have to wait to claim your State Pension if you retire before you reach that age.

    ", + "

    When you can take money from your pension pot will depend on your pension scheme\u2019s rules, but it\u2019s usually after you\u2019re 55.

    ", + "

    You may be able to take money out before this age if either:

    ", + "
  • you\u2019re retiring early because of ill health
  • ", + "

    You may be able to take your whole pension pot as a tax-free lump sum if all of the following apply to you:

    ", + "
  • you\u2019re expected to live less than a year because of serious illness
  • ", + "
  • you\u2019re under 75
  • ", + "
  • you do not have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • " + ], + "id": "train-1355" + }, + { + "url": "https://www.gov.uk/your-employment-contract-how-it-can-be-changed", + "scenario": "we came to an agreement with my employer on a wage they should pay for my services. to my surprise, the wage was much less than we agreed and to this end i have raised a claim against him for breach of contract.", + "question": "how much compensation can i get for breach of contract ?", + "not_answerable": false, + "answers": [ + [ + "up to a maximum of \u00a325,000", + [] + ] + ], + "evidences": [ + "

    If the tribunal agrees with the employee\u2019s claim, they may award compensation. This can only be for financial loss (for example, non-payment of wages) up to a maximum of \u00a325,000.

    " + ], + "id": "train-1356" + }, + { + "url": "https://www.gov.uk/your-employment-contract-how-it-can-be-changed", + "scenario": "i have been enjoying the work at my current workplace until recently. they told me that i have to start working on weekends when that was not previously the case. as a parent, weekends are when i spend time with my children.", + "question": "can an employer make me work on weekends ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Usually, the employer and employee both need to agree to any contract changes. But an employee can insist on a change if they have a legal right to it.

    ", + "

    You must get an employee\u2019s agreement if you want to make changes to their contract.

    " + ], + "id": "train-1357" + }, + { + "url": "https://www.gov.uk/council-housing-association-evictions", + "scenario": "I'm 48 and I lost my job due to the pandemic. I'm single and I can't afford the rent anymore. I'm delivering pizzas at the moment but it's just a part time job but I'm using those money to buy food and basic stuff.", + "question": "Will I be offered help before they try and evict me?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1358" + }, + { + "url": "https://www.gov.uk/council-housing-association-evictions", + "scenario": "I'm 25, I'm working at McDonald's (that is open 24/7) and I'm currently living in a shared house. The flat has four bedrooms and I'm renting one of them. While I was working my housemates organized a party during the night with loud music and, after the police came, the council want us out of the property.", + "question": "I want to go to the court and explain them that I wasn't involved in the party. What are the possible outcome at the court?", + "not_answerable": false, + "answers": [ + [ + "issue a possession order giving the council or housing association permission to evict you", + [] + ], + [ + "decide evicting you is not justified", + [] + ], + [ + "issue a suspended or postponed possession order giving you a final chance to avoid eviction", + [] + ] + ], + "evidences": [ + "

    The court can:

    ", + "
  • issue a possession order giving the council or housing association permission to evict you
  • ", + "
  • decide evicting you is not justified - eviction proceedings will then stop
  • ", + "
  • issue a suspended or postponed possession order giving you a final chance to avoid eviction
  • " + ], + "id": "train-1359" + }, + { + "url": "https://www.gov.uk/transit-visa", + "scenario": "I am travelling from Africa to the USA via Heathrow airport. My sister lives close to the airport and i would like to stay the night at her place before heading on.", + "question": "Will a visitor in transit visa cover me for this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • leaving the UK within 48 hours
  • ", + "
  • not working or studying while in the UK
  • ", + "

    Apply for a Visitor in Transit visa if you\u2019ll be going through UK border control but leaving the UK within 48 hours.

    " + ] + ] + ], + "evidences": [ + "

    You might need a visa to pass through the UK in transit (on your way to another country).

    ", + "

    Apply for a Visitor in Transit visa if you\u2019ll be going through UK border control but leaving the UK within 48 hours.

    ", + "

    You might need a Visitor in Transit visa if you\u2019re:

    ", + "
  • changing flights in the UK on your way to another country
  • ", + "
  • going through UK border control, for example to check in your luggage for a connecting flight
  • ", + "
  • leaving the UK within 48 hours
  • ", + "
  • not working or studying while in the UK
  • " + ], + "id": "train-1360" + }, + { + "url": "https://www.gov.uk/early-retirement-pension", + "scenario": "After my doctor's visit yesterday I was informed that I have a little under a year left to live. I am only 67 years old and while I am not in great health this came as somewhat of a shock to me.", + "question": "Am I eligible to receive my pension pot as a lump sum?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you do not have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • " + ] + ] + ], + "evidences": [ + "

    You might be able to get higher payments if you need to take your pension early because of a health condition. Check with your provider.

    ", + "

    You may be able to take your whole pension pot as a tax-free lump sum if all of the following apply to you:

    ", + "
  • you\u2019re expected to live less than a year because of serious illness
  • ", + "
  • you\u2019re under 75
  • ", + "
  • you do not have more than the lifetime allowance of \u00a31,073,100 in pension savings
  • " + ], + "id": "train-1361" + }, + { + "url": "https://www.gov.uk/early-retirement-pension", + "scenario": "I love my job as a car mechanic but my health is rapidly degrading and soon I will not be able to work anymore. I am still not at retirement age but will have to retire early because of my ill health. I am aware that I will probably not be able to receive pension before I reach the required age but I was told there are benefits that I might be entitled to.", + "question": "Where can I calculate the benefits I will be receiving?", + "not_answerable": false, + "answers": [ + [ + "use a benefits calculator", + [] + ] + ], + "evidences": [ + "

    If you retire early because of ill health you may be entitled to other benefits. Use a benefits calculator to check.

    " + ], + "id": "train-1362" + }, + { + "url": "https://www.gov.uk/organise-street-party", + "scenario": "I want to organise a street party to celebrate the removal of Boris Johnson as Prime Minister. I may be premature but i want to be organised.", + "question": "When do i need to let the council know?", + "not_answerable": false, + "answers": [ + [ + "4 to 12 weeks before it happens", + [] + ] + ], + "evidences": [ + "

    Tell your council about your event 4 to 12 weeks before it happens.

    " + ], + "id": "train-1363" + }, + { + "url": "https://www.gov.uk/organise-street-party", + "scenario": "We have organised a street party for our close. Everyone is bringing their own food and drink but I am worried about licensing", + "question": "Do I need to apply for an alcohol license?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    A licence isn\u2019t needed if you\u2019re going to provide alcohol for free at your event.

    " + ], + "id": "train-1364" + }, + { + "url": "https://www.gov.uk/organise-street-party", + "scenario": "we do not have much space in our home and we want to hold our son's 16th birthday out on the street in front of our house so that all his friends can be able to attend.", + "question": "can i hold a birthday party on the street in front of our home ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You\u2019ll need to get permission from your local council to close a road. Some local councils will lend you signs and cones, or you can hire or buy signs. The Street Party site gives advice on road closures.

    ", + "

    Street parties on quiet streets that don\u2019t affect the wider road network count as small events. If you\u2019re planning a small event for neighbours, apply to hold a street party through your local council.

    " + ] + ] + ], + "evidences": [ + "

    Street parties on quiet streets that don\u2019t affect the wider road network count as small events. If you\u2019re planning a small event for neighbours, apply to hold a street party through your local council.

    ", + "

    You\u2019ll need to get permission from your local council to close a road. Some local councils will lend you signs and cones, or you can hire or buy signs. The Street Party site gives advice on road closures.

    " + ], + "id": "train-1365" + }, + { + "url": "https://www.gov.uk/organise-street-party", + "scenario": "we plan to have a neighbourhood street party. we'd like to have food, drinks and hold a raffle for a bit of fun.", + "question": "do we need a license to serve food and drinks at our street party ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    A licence isn\u2019t needed if you\u2019re going to provide alcohol for free at your event.

    ", + "

    Food can be served and sold up to 11pm without a licence. If you want to serve or sell it after 11pm, contact your council.

    ", + "

    You don\u2019t need a licence to give alcoholic beverages away as prizes, like a bottle of champagne for a winning raffle ticket, but there are rules about what can be given away. Contact your council for more information.

    " + ], + "id": "train-1366" + }, + { + "url": "https://www.gov.uk/monitoring-work-workers-rights", + "scenario": "Good morning. Our employer has set up CCTV cameras in our office - EVERYWHERE! I feel like I'm being stalked. I don't like it.", + "question": "Where can I check that this surveillance is legal?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1367" + }, + { + "url": "https://www.gov.uk/monitoring-work-workers-rights", + "scenario": "I run a small company with about 10 staff. One I think is a long haired, hippy, dope head. I don't want to cause a scene but I don't like him.", + "question": "Can I only do a drug test on him?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Employers have to have consent if they want to test for drugs. Usually this is when they have a full contractual health and safety policy, which should be in the contract or staff handbook.

    ", + "

    Employers should:

    ", + "
  • not single out particular employees for testing unless this is justified by the nature of their jobs
  • " + ], + "id": "train-1368" + }, + { + "url": "https://www.gov.uk/right-of-abode", + "scenario": "I am a Jamaican citizen and married to a British husband and living in the UK . I have permission to stay in the UK. I would like to apply for a certificate of entitlement.", + "question": "How much does it cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a3372", + [] + ] + ], + "evidences": [ + "

    A certificate of entitlement costs \u00a3372 in the UK.

    " + ], + "id": "train-1369" + }, + { + "url": "https://www.gov.uk/right-of-abode", + "scenario": "I have applied for a certificate of entitlement outside the UK in Guyana for the rights to abode in the UK but it has been refused.", + "question": "Will my application fee be refunded?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    Your application fee will not be refunded if your application is refused because you do not qualify for right of abode or you do not send in enough evidence to support your claim.

    " + ] + ] + ], + "evidences": [ + "

    Your application fee will not be refunded if your application is refused because you do not qualify for right of abode or you do not send in enough evidence to support your claim.

    " + ], + "id": "train-1370" + }, + { + "url": "https://www.gov.uk/income-tax-reliefs", + "scenario": "I am a regular church goer and i have been asked to make my donations to the collection in an envelope and tick Gift Aid.", + "question": "Does this mean my donation is free of tax?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Charities and community amateur sports clubs (CASCs) can register with HM Revenue and Customs (HMRC) to be part of the Gift Aid scheme. When they\u2019re registered, they can claim back the tax you\u2019ve already paid on your donation.

    " + ] + ] + ], + "evidences": [ + "

    Tax relief applies to pension contributions, charity donations, maintenance payments and time spent working on a ship outside the UK.

    ", + "

    Donations to charity from individuals are tax free. You can get tax relief if you donate:

    ", + "
  • through Gift Aid
  • ", + "

    Charities and community amateur sports clubs (CASCs) can register with HM Revenue and Customs (HMRC) to be part of the Gift Aid scheme. When they\u2019re registered, they can claim back the tax you\u2019ve already paid on your donation.

    " + ], + "id": "train-1371" + }, + { + "url": "https://www.gov.uk/income-tax-reliefs", + "scenario": "My wife and I divorced a couple of years ago. I pay maintenance regularly as a contribution to brining up the children.", + "question": "Do maintenance payments qualify for tax relief?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • either of you were born before 6 April 1935
  • ", + "
  • you\u2019re paying maintenance under a court order after the relationship has ended
  • ", + "
  • the payments are for the maintenance of your ex-spouse or former civil partner (provided they aren\u2019t now remarried or in a new civil partnership) or for your children who are under 21
  • " + ] + ] + ], + "evidences": [ + "

    Maintenance Payments Relief reduces your Income Tax if you make maintenance payments to an ex-spouse or civil partner.

    ", + "

    You can get it if all of the following apply:

    ", + "
  • either of you were born before 6 April 1935
  • ", + "
  • you\u2019re paying maintenance under a court order after the relationship has ended
  • ", + "
  • the payments are for the maintenance of your ex-spouse or former civil partner (provided they aren\u2019t now remarried or in a new civil partnership) or for your children who are under 21
  • " + ], + "id": "train-1372" + }, + { + "url": "https://www.gov.uk/stay-in-home-during-separation-or-divorce", + "scenario": "i recently separated from my partner. i am afraid that they may throw me out of the house we once shared which will leave me at a loss since i have no where else to go.", + "question": "can my ex-partner throw me out of the house we shared ?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You may be able to continue living in the property for longer, for example during an ongoing dispute about who owns what, if a court has made a \u2018continuation order\u2019 allowing you to do this.

    " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your rights are different if you own the property jointly with your spouse or civil partner.

    ", + "

    You can usually only live in the property until the divorce, annulment or dissolution has been finalised and a court settlement agreed.

    ", + "

    You may be able to continue living in the property for longer, for example during an ongoing dispute about who owns what, if a court has made a \u2018continuation order\u2019 allowing you to do this.

    " + ], + "id": "train-1373" + }, + { + "url": "https://www.gov.uk/stay-in-home-during-separation-or-divorce", + "scenario": "we are separated from my long term partner and have since moved on. we decided to sell the house we once shared and split the proceeds of the sale equally.", + "question": "Can I stay in the house after the proceedings are finalised?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You may be able to continue living in the property for longer, for example during an ongoing dispute about who owns what, if a court has made a \u2018continuation order\u2019 allowing you to do this.

    ", + "

    You may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.

    " + ] + ], + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can usually only live in the property until the divorce, annulment or dissolution has been finalised and a court settlement agreed.

    ", + "

    You may be able to continue living in the property for longer, for example during an ongoing dispute about who owns what, if a court has made a \u2018continuation order\u2019 allowing you to do this.

    ", + "

    You may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.

    " + ], + "id": "train-1374" + }, + { + "url": "https://www.gov.uk/tax-overpayments-and-underpayments", + "scenario": "I have recently become eligible to start drawing from my pension, however I am still working part time at my current job. During the first month when I am both working and receiving pension payments I am afraid I did not pay enough tax.", + "question": "How can I find out for sure?", + "not_answerable": false, + "answers": [ + [ + "use the hmrc tax checker", + [] + ], + [ + "hmrc will send you a p800 or a simple assessment tax calculation", + [ + "

    If you have not paid the right amount at the end of the tax year, HMRC will send you a P800 or a Simple Assessment tax calculation.

    " + ] + ] + ], + "evidences": [ + "

    If you have not paid the right amount at the end of the tax year, HMRC will send you a P800 or a Simple Assessment tax calculation.

    ", + "
  • started receiving a pension at work
  • ", + "

    You may be able to use the HMRC tax checker to work out how much tax you should have paid.

    " + ], + "id": "train-1375" + }, + { + "url": "https://www.gov.uk/tax-overpayments-and-underpayments", + "scenario": "I have just finished university. While in university, I was working a part time job. This month, I quit my part time job and started a full time job - both of which will pay me this month. Since I did not use my complete tax allowance during my part time job, I am afraid I will overpay income tax. I do not have a P800.", + "question": "Can I get a refund for the overpaid tax?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you have not paid the right amount at the end of the tax year, HMRC will send you a P800 or a Simple Assessment tax calculation.

    ", + "

    Contact HMRC if you think you\u2019ve paid too much tax. If they agree, they\u2019ll send you a P800.

    " + ], + "id": "train-1376" + }, + { + "url": "https://www.gov.uk/get-a-passport-urgently", + "scenario": "I am a fifty year old married female and my twenty five year old daughter has just sprung the news on us that she is to be married in the US in five days. This is wonderful, but my husband's passport has expired.", + "question": "Is there any way of getting a renewed passport within five days?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can pay for a faster service if you need a passport within the next 3 weeks.

    ", + "

    You can apply for a faster service if you\u2019re in the UK and need to renew or replace a passport, or get a first child passport.

    ", + "

    There are 2 ways to apply for an urgent passport.

    ", + "

    You can use this service to renew an adult passport.

    ", + "

    You\u2019ll apply, pay and book an appointment online. The earliest you can get an appointment is 2 days from when you apply.

    " + ], + "id": "train-1377" + }, + { + "url": "https://www.gov.uk/self-employed-records", + "scenario": "My wife works from home and is self employed: she manages a huge Amazon shop.She nominated me has her business partner on her paperwork. I have a full time job but now she is asking me to keep records of her business I don't know what to do.", + "question": "I don't really want to put effort in it and I think this should be my wife's duty. Do I have to keep record's of my wife's business even if I don't any work for her?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must keep records of your business income and expenses for your tax return if you\u2019re self-employed as a:

    ", + "
  • sole trader
  • ", + "
  • partner in a business partnership
  • ", + "

    If you\u2019re the nominated partner in a partnership, you must also keep records for the partnership.

    " + ], + "id": "train-1378" + }, + { + "url": "https://www.gov.uk/self-employed-records", + "scenario": "I'm 35 and I've been a graphic designer all my life. I work from home and I'm self employed: I work as a freelance and I create graphics for company's websites. I usually keep records of my transactions on my computer.", + "question": "My son accidentally broke my PC while he was running around in my office and I lost my records for this year, what can I do to don't get a fine?", + "not_answerable": false, + "answers": [ + [ + "do your best to provide figures", + [] + ] + ], + "evidences": [ + "

    If you cannot replace your records, you must do your best to provide figures. Tell HMRC when you file your tax return if you\u2019re using:

    ", + "
  • estimated figures - your best guess when you cannot provide the actual figures
  • " + ], + "id": "train-1379" + }, + { + "url": "https://www.gov.uk/vat-cash-accounting-scheme", + "scenario": "I am an accountant and work in a supermarket store. I am looking for a scheme which can aid in calculating VAT efficiently.", + "question": "What is the eligibilty for one to use cash accounting scheme?", + "not_answerable": false, + "answers": [ + [ + "your business is registered for vat", + [] + ], + [ + "your estimated vat taxable turnover is \u00a31.35 million or less in the next 12 months", + [] + ] + ], + "evidences": [ + "

    You can use cash accounting if:

    ", + "
  • your business is registered for VAT
  • ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • ", + "

    You cannot use cash accounting if:

    ", + "
  • you use the VAT Flat Rate Scheme - instead, the Flat Rate Scheme has its own cash-based turnover method
  • ", + "
  • you\u2019re not up to date with your VAT Returns or payments
  • ", + "
  • you\u2019ve committed a VAT offence in the last 12 months, for example VAT evasion
  • " + ], + "id": "train-1380" + }, + { + "url": "https://www.gov.uk/vat-cash-accounting-scheme", + "scenario": "We have been using a VAT cash accounting scheme to calculate our VAT and tax returns. Our business has outgrown with turnover of \u00a31.7 million and we are no longer eligible for the scheme.", + "question": "When should we leave the scheme?", + "not_answerable": false, + "answers": [ + [ + "at the end of a vat accounting period", + [] + ] + ], + "evidences": [ + "

    You can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to use it. You should leave at the end of a VAT accounting period.

    " + ], + "id": "train-1381" + }, + { + "url": "https://www.gov.uk/monitoring-work-workers-rights", + "scenario": "I am eighteen and have just accepted a part time job working in a local grocery store. I am sometimes the only person in the store but have learned that my employee is watching my via a CCTV camera. This makes me feel very uncomfortable", + "question": "Is it legal for my employer to be spying on me like this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Employers must explain the amount of monitoring clearly in the staff handbook or contract. They should tell workers:

    ", + "
  • if they\u2019re being monitored
  • " + ] + ], + [ + "no", + [ + "

    Employers are not allowed to monitor workers everywhere (not in the toilet, for example). If they don\u2019t respect this they could be in breach of the Data Protection Act.

    " + ] + ] + ], + "evidences": [ + "

    Employers must explain the amount of monitoring clearly in the staff handbook or contract. They should tell workers:

    ", + "
  • if they\u2019re being monitored
  • ", + "

    Examples of monitoring could include:

    ", + "
  • CCTV in the building
  • ", + "

    Employers are not allowed to monitor workers everywhere (not in the toilet, for example). If they don\u2019t respect this they could be in breach of the Data Protection Act.

    " + ], + "id": "train-1382" + }, + { + "url": "https://www.gov.uk/monitoring-work-workers-rights", + "scenario": "I am the owner of a taxi firm and have half a dozen employees, doing both full time and part time jobs. I have reason to suspect that one of my younger employees might be taking drugs on the nights before his shifts, or even during the shifts themselves.", + "question": "What is my legal position in this situation? can I have my employee drug tested?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Employers have to have consent if they want to test for drugs. Usually this is when they have a full contractual health and safety policy, which should be in the contract or staff handbook.

    ", + "

    Employers should:

    ", + "
  • limit testing to employees that need to be tested
  • ", + "
  • ensure the tests are random
  • ", + "
  • not single out particular employees for testing unless this is justified by the nature of their jobs
  • ", + "

    Workers can\u2019t be made to take a drugs test but if they refuse when the employer has good grounds for testing, they may face disciplinary action.

    " + ], + "id": "train-1383" + }, + { + "url": "https://www.gov.uk/renew-adult-passport", + "scenario": "i'd like to apply for a new passport since i have some urgent business to attend to overseas in the next week or so.", + "question": "how long will it take me to get my new passport ?", + "not_answerable": false, + "answers": [ + [ + "allow up to 10 weeks", + [ + "

    You may be able to get a passport urgently if you need one sooner.

    " + ] + ] + ], + "evidences": [ + "

    Allow up to 10 weeks to get your passport. It takes longer to apply by post than online.

    " + ], + "id": "train-1384" + }, + { + "url": "https://www.gov.uk/hunting", + "scenario": "I live in a rural area and there are many rabbits on a patch of public land near to our property. We would be interested in shooting rabbits for food and have a licensed shotgun.", + "question": "Do we need permission to shoot rabbits on public land?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1385" + }, + { + "url": "https://www.gov.uk/hunting", + "scenario": "I am a farmer and a licensed shotgun owner. Recently I have been plagued by foxes which are disturbing some of my smaller animals. I would like to cull them on the grounds that they are affecting my livelihood.", + "question": "Can I legally shoot a fox on my own land?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • shoot the fox quickly after it\u2019s been found
  • ", + "
  • carry proof you own the land you\u2019re shooting on or written permission from the landowner
  • " + ] + ] + ], + "evidences": [ + "

    You can use up to 2 dogs to chase (\u2018flush\u2019 or \u2018stalk\u2019) foxes out of hiding if the fox is causing damage to your property or the environment.

    ", + "

    You must:

    ", + "
  • shoot the fox quickly after it\u2019s been found
  • ", + "
  • carry proof you own the land you\u2019re shooting on or written permission from the landowner
  • " + ], + "id": "train-1386" + }, + { + "url": "https://www.gov.uk/get-a-passport-urgently", + "scenario": "We are leaving on holiday in two weeks and, being a numpty, i have realised my passport has expired. This COVID thing has messed with my head.", + "question": "Can I get a passport within 2 weeks?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can pay for a faster service if you need a passport within the next 3 weeks.

    ", + "

    There are 2 ways to apply for an urgent passport.

    ", + "

    You can use this service to:

    ", + "
  • renew an adult or child passport
  • ", + "

    You can use 1 week Fast Track to:

    ", + "
  • renew an adult or child passport that has expired or that is about to expire
  • " + ], + "id": "train-1387" + }, + { + "url": "https://www.gov.uk/get-a-passport-urgently", + "scenario": "My husband is sick abroad and i am making plans to fly our next week. My passport needs to be renewed so i want to do 1 1 week Fast track application.", + "question": "Where can I get the forms from for this?", + "not_answerable": false, + "answers": [ + [ + "a post office", + [] + ] + ], + "evidences": [ + "

    What you need to do

    ", + "
  • Get a paper application form from a Post Office - you cannot apply online.
  • " + ], + "id": "train-1388" + }, + { + "url": "https://www.gov.uk/self-employed-records", + "scenario": "I am a UK VAT registered business trader and I keep all my business account records for each year after filing my income returns.", + "question": "How many years should i keep the records for 2020/2021 tax year?", + "not_answerable": false, + "answers": [ + [ + "at least 5 years", + [] + ] + ], + "evidences": [ + "

    You must keep your records for at least 5 years after the 31 January submission deadline of the relevant tax year. HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.

    " + ], + "id": "train-1389" + }, + { + "url": "https://www.gov.uk/self-employed-records", + "scenario": "I am a business owner and my accountant has completed filing accurate financial returns for this year. We need to focus on the next tax year.", + "question": "Why should we keep records of the year we have already submitted?", + "not_answerable": false, + "answers": [ + [ + "work out your profit or loss for your tax return", + [] + ], + [ + "show them to hm revenue and customs (hmrc) if asked", + [] + ] + ], + "evidences": [ + "

    You do not need to send your records in when you submit your tax return but you need to keep them so you can:

    ", + "
  • work out your profit or loss for your tax return
  • ", + "
  • show them to HM Revenue and Customs (HMRC) if asked
  • " + ], + "id": "train-1390" + }, + { + "url": "https://www.gov.uk/oil-storage-regulations-and-safety", + "scenario": "I own a farm which is ran like a business. It is not my personal home but instead me and a few employees take care of quite a large farm area and I sell the produce for profit. We operate a few tractors and since getting them refilled with fuel from the nearest gas station is inefficient I decided to install a 1000 litre diesel tank underground.", + "question": "Do I have to follow oil storage regulations for businesses?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must follow the regulations for businesses if your oil container can hold 201 litres or more of:

    ", + "
  • diesel
  • ", + "

    You do not have to follow oil storage regulations if your oil is:

    ", + "
  • on a farm and you use it for heat and power for agriculture or for your farmhouse
  • ", + "

    The regulations do not apply if your storage containers are:

    ", + "
  • underground
  • " + ], + "id": "train-1391" + }, + { + "url": "https://www.gov.uk/oil-storage-regulations-and-safety", + "scenario": "I want to install a large oil tank at my home. I own a large house around 50 kilometres out of town and plan on using it as a heating source as well as to fuel my personal vehicles more conveniently. The tank size I am currently looking at is around 5000 litres. I want it to be large enough so I don't have to worry about filling it up every other month", + "question": "Are there different regulations for storing oil at my home or for storing oil at a business?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.

    ", + "

    You must follow the regulations for businesses if your oil container can hold 201 litres or more of:

    ", + "
  • petrol
  • ", + "
  • diesel
  • ", + "
  • biofuels
  • " + ], + "id": "train-1392" + }, + { + "url": "https://www.gov.uk/council-housing-association-evictions", + "scenario": "My aunt lives in a Council house and she is in rent arrears. She lost her income during the covid pandemic and has a lot of other pending bills. She has received an written notice,", + "question": "What pre-action protocol must they follow before evicting her?", + "not_answerable": false, + "answers": [ + [ + "try to talk to you about the arrears as early as possible", + [] + ], + [ + "give you detailed information about the arrears", + [] + ], + [ + "offer help, if you need it, to make a housing benefit claim", + [] + ], + [ + "agree to delay taking you to court if you make a reasonable offer to pay off your rent arrears", + [] + ] + ], + "evidences": [ + "

    Your council or housing association must give you a written warning notice that they plan to evict you. The notice is normally either at least 4 weeks or 4 months, depending on the type of tenancy you have.

    ", + "

    If you\u2019re facing eviction over unpaid rent, before taking you to court the council or housing association must:

    ", + "
  • try to talk to you about the arrears as early as possible
  • ", + "
  • give you detailed information about the arrears
  • ", + "
  • offer help, if you need it, to make a housing benefit claim
  • ", + "
  • agree to delay taking you to court if you make a reasonable offer to pay off your rent arrears
  • ", + "

    These steps are known as the \u2018pre-action protocol\u2019.

    " + ], + "id": "train-1393" + }, + { + "url": "https://www.gov.uk/transit-visa", + "scenario": "I am an American citizen who will be travelling to Paris on business this summer. I will be obliged to stop for a short conference in London and will be flying into Heathrow airport", + "question": "Is it possible for me to get a visa for the UK for just a few hours?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:

    ", + "

    You must also provide evidence that your onward journey is booked or confirmed, such as:

    ", + "

    Your onward flight must be within 48 hours of your arrival in the UK.

    " + ] + ] + ], + "evidences": [ + "

    Apply for a Visitor in Transit visa if you\u2019ll be going through UK border control but leaving the UK within 48 hours.

    ", + "

    You need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:

    ", + "

    You must also provide evidence that your onward journey is booked or confirmed, such as:

    ", + "

    Your onward flight must be within 48 hours of your arrival in the UK.

    " + ], + "id": "train-1394" + }, + { + "url": "https://www.gov.uk/transit-visa", + "scenario": "I am an asylum seeker who has recently arrived from Syria with my family. I do not have permission to be in the UK but would not be safe if we returned to our home country.", + "question": "As we are awaiting refugee status, do we still need a transit visa?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You might need a visa to pass through the UK in transit (on your way to another country).

    ", + "

    You do not need a transit visa if you:

    ", + "
  • have a Home Office travel document, for example you\u2019re a refugee or stateless person
  • ", + "

    You do not need one if you have a valid:

    ", + "
  • Home Office travel document, for example you\u2019re a refugee or stateless person
  • " + ], + "id": "train-1395" + }, + { + "url": "https://www.gov.uk/marriage-allowance", + "scenario": "I am married, live in England and currently earn \u00a310,200 pa from my job, plus another \u00a33,200 from a private pension. My wife earns a little over \u00a326,000 pa, and pays income tax at the basic rate.", + "question": "If I claim marriage allowance, will my pension income be counted against my personal allowance when determining how much is transferred to my wife?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    To benefit as a couple, you (as the lower earner) must normally have an income below your Personal Allowance - this is usually \u00a312,570.

    ", + "

    You can benefit from Marriage Allowance if all the following apply:

    ", + "
  • you do not pay Income Tax or your income is below your Personal Allowance (usually \u00a312,570)
  • ", + "
  • your partner pays Income Tax at the basic rate, which usually means their income is between \u00a312,571 and \u00a350,270 before they receive Marriage Allowance
  • ", + "

    It will not affect your application for Marriage Allowance if you or your partner:

    ", + "
  • are currently receiving a pension
  • " + ], + "id": "train-1396" + }, + { + "url": "https://www.gov.uk/marriage-allowance", + "scenario": "My wife and I live in Wales and have claimed marriage allowance for the past six years, which has allowed some of my personal allowance to be transferred to her each year. However, she is now terminally ill and I am reluctantly being forced to consider what will happen on her death.", + "question": "Will my allowance revert to normal on her death, and will the amount that I have transferred already be counted against her estate?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If your partner dies after you\u2019ve transferred some of your Personal Allowance to them:

    ", + "
  • their estate will be treated as having the increased Personal Allowance
  • ", + "
  • your Personal Allowance will go back to the normal amount
  • " + ], + "id": "train-1397" + }, + { + "url": "https://www.gov.uk/hunting", + "scenario": "I have been watching a lot of TV on hunting and am really excited to try it myself. I do want to do it legally since I have no interest in breaking the law. I know about the hunting/ shooting seasons but I am not sure where they apply.", + "question": "Can I hunt bird outside of the hunting season?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can shoot certain species of game birds, quarry birds and waterfowl but only during the shooting season.

    ", + "

    You can\u2019t shoot birds in the closed season.

    " + ], + "id": "train-1398" + }, + { + "url": "https://www.gov.uk/hunting", + "scenario": "A couple of friends got me in hunting this season and I plan on giving it a try. They are both using firearms but since I practice archery as a sport I have a bow which I plan on using when I join them.", + "question": "Am I permitted to use my bow for hunting wildlife?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can\u2019t use:

    ", + "
  • bows or crossbows
  • " + ], + "id": "train-1399" + }, + { + "url": "https://www.gov.uk/tax-overpayments-and-underpayments", + "scenario": "I am currently unemployed and i am receiving a jobseekers allowance. the other day i got a P800 in the mail.", + "question": "Does the P800 come by mistake?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you have not paid the right amount at the end of the tax year, HMRC will send you a P800 or a Simple Assessment tax calculation.

    ", + "

    Your P800 or Simple Assessment will tell you how to get a refund or pay tax you owe.

    ", + "

    You might get a P800 if you:

    ", + "
  • received Employment and Support Allowance or Jobseeker\u2019s Allowance
  • " + ], + "id": "train-1400" + }, + { + "url": "https://www.gov.uk/income-tax-reliefs", + "scenario": "I run a grocery store and donate food and other basics to a homeless charity home. I am in the process of compiling my expenses for tax returns.", + "question": "Which ways can one get charity donation tax relief?", + "not_answerable": false, + "answers": [ + [ + "through gift aid", + [] + ], + [ + "straight from your wages or pension, through payroll giving", + [] + ] + ], + "evidences": [ + "

    Tax relief applies to pension contributions, charity donations, maintenance payments and time spent working on a ship outside the UK.

    ", + "

    Donations to charity from individuals are tax free. You can get tax relief if you donate:

    ", + "
  • through Gift Aid
  • ", + "
  • straight from your wages or pension, through Payroll Giving
  • " + ], + "id": "train-1401" + }, + { + "url": "https://www.gov.uk/income-tax-reliefs", + "scenario": "I am a sole business trader with a high running cost . I spend a lot of money paying employees bonuses, benefits, and training costs.", + "question": "Can i claim a tax relief?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    \u2018Tax relief\u2019 means that you either:

    ", + "
  • pay less tax to take account of money you\u2019ve spent on specific things, like business expenses if you\u2019re self-employed
  • ", + "

    It also applies to work or business expenses \u2013\u00a0you may be able to:

    ", + "
  • get tax relief on what you spend running your business if you\u2019re self-employed (a sole trader or partner in a partnership)
  • " + ], + "id": "train-1402" + }, + { + "url": "https://www.gov.uk/workplace-pensions-employers", + "scenario": "I am an employer and I have recruited new employees raging from 20 years and above. I would like to enroll them in a workplace pension scheme.", + "question": "What are the requirements to be eligible for enrollment?", + "not_answerable": false, + "answers": [ + [ + "aged between 22 and the state pension age", + [] + ], + [ + "earn at least \u00a310,000 a year", + [] + ], + [ + "normally work in the uk", + [] + ] + ], + "evidences": [ + "

    You must enrol and make an employer\u2019s contribution for all staff who:

    ", + "
  • are aged between 22 and the State Pension age
  • ", + "
  • earn at least \u00a310,000 a year
  • ", + "
  • normally work in the UK (this includes people who are based in the UK but travel abroad for work)
  • " + ], + "id": "train-1403" + }, + { + "url": "https://www.gov.uk/workplace-pensions-employers", + "scenario": "My employer deducts pension contributions from our salaries every month. Last month I checked my payslip and I found out that he didn't deduct and there were some errors which promised to rectify.", + "question": "What is the deadline of submitting contributions to the pension provider?", + "not_answerable": false, + "answers": [ + [ + "by the 22nd day (19th if you pay by cheque) of the next month.", + [] + ] + ], + "evidences": [ + "

    You must deduct contributions from your staff\u2019s pay each month. You\u2019ll need to pay these into your staff\u2019s pension scheme by the 22nd day (19th if you pay by cheque) of the next month.

    " + ], + "id": "train-1404" + }, + { + "url": "https://www.gov.uk/what-to-do-when-an-employee-dies", + "scenario": "I am a new business owner and just recently started hiring employees. A friend of mine has been operating his own business for a while now and yesterday an employee of his died on the job. He panicked and did not know who to call or what to do. I know I will immediately call the police.", + "question": "Who else do I need to contact in the event of an employee's death?", + "not_answerable": false, + "answers": [ + [ + "health and safety executive (hse)", + [] + ] + ], + "evidences": [ + "

    You must report a death in the workplace (except in Northern Ireland) to the:

    ", + "
  • police
  • ", + "
  • Health and Safety Executive (HSE)
  • " + ], + "id": "train-1405" + }, + { + "url": "https://www.gov.uk/what-to-do-when-an-employee-dies", + "scenario": "Around a week ago an employee of mine passed away. Everyone at the office was shook to hear the news and we still cant quite process it. I was not close with him so I do not feel comfortable reaching out to his family. I still have to send him his last paycheck but I am not sure how to format the Full Payment Submission.", + "question": "What category letter should I use in this case?", + "not_answerable": false, + "answers": [ + [ + "category letter x", + [] + ] + ], + "evidences": [ + "

    You must make all outstanding payments when an employee dies.

    ", + "

    Put the date they died into the \u2018Date of leaving\u2019 field in your next Full Payment Submission (FPS), and deduct tax using their existing tax code. Use category letter X so that you do not deduct National Insurance. Do not produce a P45.

    " + ], + "id": "train-1406" + }, + { + "url": "https://www.gov.uk/renew-adult-passport", + "scenario": "I was planning a vacation in two weeks. Today while I was filling out information in order to purchase my ticket I realized I could not find my passport. I am aware I will not be able to go on my vacation now.", + "question": "Is it cheaper to apply online or in physical form?", + "not_answerable": false, + "answers": [ + [ + "online", + [] + ] + ], + "evidences": [ + "

    Use this service to renew your passport online. It costs \u00a375.50.

    ", + "

    It costs \u00a385. You can pay by either:

    " + ], + "id": "train-1407" + }, + { + "url": "https://www.gov.uk/vat-building-new-home", + "scenario": "I have built a brand new home in Bradford. I was thinking about using it for a charity as i have not lived in it for 3 years. The materials set me back a lot of money.", + "question": "Would I be able to claim a VAT refund?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply for a VAT refund on building materials and services if you\u2019re:

    ", + "
  • building a property for a charity
  • ", + "

    The building work and materials have to qualify and you must apply to HM Revenue and Customs (HMRC) within 3 months of completing the work.

    " + ], + "id": "train-1408" + }, + { + "url": "https://www.gov.uk/vat-building-new-home", + "scenario": "I have applied for a VAT refund and included all original invoices and regulation certificates. We added a conversion to our cats protection charity home in 2019.", + "question": "How long will it take to get a response?", + "not_answerable": false, + "answers": [ + [ + "within 6 weeks", + [] + ] + ], + "evidences": [ + "

    HMRC will write to you about when you can expect your VAT refund if your claim is successful. They will usually write to you within 6 weeks.

    " + ], + "id": "train-1409" + }, + { + "url": "https://www.gov.uk/marriage-allowance", + "scenario": "I am about to get engaged to my partner and want to know what the tax implications will be once we actually get married.", + "question": "Can I share my tax free allowance with my partner?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    To benefit as a couple, you (as the lower earner) must normally have an income below your Personal Allowance - this is usually \u00a312,570.

    ", + "
  • you do not pay Income Tax or your income is below your Personal Allowance (usually \u00a312,570)
  • ", + "
  • your partner pays Income Tax at the basic rate, which usually means their income is between \u00a312,571 and \u00a350,270 before they receive Marriage Allowance
  • " + ] + ] + ], + "evidences": [ + "

    Marriage Allowance lets you transfer \u00a31,260 of your Personal Allowance to your husband, wife or civil partner.

    ", + "

    To benefit as a couple, you (as the lower earner) must normally have an income below your Personal Allowance - this is usually \u00a312,570.

    ", + "

    You can benefit from Marriage Allowance if all the following apply:

    ", + "
  • you\u2019re married or in a civil partnership
  • ", + "
  • you do not pay Income Tax or your income is below your Personal Allowance (usually \u00a312,570)
  • ", + "
  • your partner pays Income Tax at the basic rate, which usually means their income is between \u00a312,571 and \u00a350,270 before they receive Marriage Allowance
  • " + ], + "id": "train-1410" + }, + { + "url": "https://www.gov.uk/marriage-allowance", + "scenario": "My wife has just received a promotion at work and now earns significantly more than she used to. I need to work out what these changes will mean.", + "question": "How can we cancel sharing the marriage allowance?", + "not_answerable": false, + "answers": [ + [ + "online", + [] + ], + [ + "contact marriage allowance enquiries", + [] + ] + ], + "evidences": [ + "

    You can cancel Marriage Allowance online. You\u2019ll be asked to prove your identity using information HMRC holds about you.

    ", + "

    Contact Marriage Allowance enquiries to cancel or get help.

    " + ], + "id": "train-1411" + }, + { + "url": "https://www.gov.uk/vat-cash-accounting-scheme", + "scenario": "A fellow business owner and a close friend of mine told me about the VAT Cash Accounting Scheme. I was instantly interested since it seems like something that will benefit my business a lot. He mentioned that there is a VAT taxable turnover limit for people to be eligible. Last year my taxable turnover was a little over \u00a3250000.", + "question": "Am I eligible to apply for the scheme?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you use the VAT Flat Rate Scheme - instead, the Flat Rate Scheme has its own cash-based turnover method
  • ", + "
  • you\u2019re not up to date with your VAT Returns or payments
  • ", + "
  • you\u2019ve committed a VAT offence in the last 12 months, for example VAT evasion
  • ", + "
  • where the payment terms of a VAT invoice are 6 months or more
  • ", + "
  • where a VAT invoice is raised in advance
  • ", + "
  • buying or selling goods using lease purchase, hire purchase, conditional sale or credit sale
  • ", + "
  • importing goods into Northern Ireland from the EU
  • ", + "
  • moving goods outside a customs warehouse
  • " + ] + ], + [ + "yes", + [ + "
  • your business is registered for VAT
  • " + ] + ] + ], + "evidences": [ + "

    To join the scheme your VAT taxable turnover must be \u00a31.35 million or less.

    ", + "

    You can use cash accounting if:

    ", + "
  • your business is registered for VAT
  • ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • ", + "

    You cannot use cash accounting if:

    ", + "
  • you use the VAT Flat Rate Scheme - instead, the Flat Rate Scheme has its own cash-based turnover method
  • ", + "
  • you\u2019re not up to date with your VAT Returns or payments
  • ", + "
  • you\u2019ve committed a VAT offence in the last 12 months, for example VAT evasion
  • ", + "

    You cannot use it for the following transactions (you have to use standard VAT accounting instead):

    ", + "
  • where the payment terms of a VAT invoice are 6 months or more
  • ", + "
  • where a VAT invoice is raised in advance
  • ", + "
  • buying or selling goods using lease purchase, hire purchase, conditional sale or credit sale
  • ", + "
  • importing goods into Northern Ireland from the EU
  • ", + "
  • moving goods outside a customs warehouse
  • " + ], + "id": "train-1412" + }, + { + "url": "https://www.gov.uk/vat-cash-accounting-scheme", + "scenario": "I have been a part of the VAT Cash Accounting Scheme for over a year now. Since I was accepted into the scheme my VAT taxable turnover exceeded \u00a31.5 million. I know that is over the limit to be eligible for the scheme but I was already accepted and have been using it for a while.", + "question": "Do I need to withdraw from the scheme?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can use cash accounting if:

    ", + "
  • your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months
  • ", + "

    You must leave the scheme if your VAT taxable turnover is more than \u00a31.6 million

    " + ], + "id": "train-1413" + }, + { + "url": "https://www.gov.uk/income-tax-rates", + "scenario": "Good morning. I have some savings and portfolio of share I inherited from my father. I am trying to understand my tax situation.", + "question": "Are there tax free allowances for savings and interest?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    How much Income Tax you pay in each tax year depends on:

    ", + "
  • how much of your income is above your Personal Allowance
  • ", + "

    Some income is tax-free.

    ", + "

    You have tax-free allowances for:

    ", + "
  • savings interest
  • " + ], + "id": "train-1414" + }, + { + "url": "https://www.gov.uk/income-tax-rates", + "scenario": "I am a married blind man and have just received my self assessment form to complete. I am interested in saving as much money as i can.", + "question": "Can I apply Marriage allowance for blind married people like me?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You may be able to claim Marriage Allowance to reduce your partner\u2019s tax if your income is less than the standard Personal Allowance.

    " + ] + ] + ], + "evidences": [ + "

    You may be able to claim Marriage Allowance to reduce your partner\u2019s tax if your income is less than the standard Personal Allowance.

    ", + "

    Your Personal Allowance would have been smaller if your income was over \u00a3100,000, or bigger if you got Marriage Allowance or Blind Person\u2019s Allowance.

    " + ], + "id": "train-1415" + }, + { + "url": "https://www.gov.uk/vat-building-new-home", + "scenario": "we are putting up a shelter for abandoned and abused animals which will operate as a not for profit organization.", + "question": "can i apply for a VAT refund on building materials for an animal shelter ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for a VAT refund on building materials and services if you\u2019re:

    ", + "
  • building a property for a charity
  • ", + "

    You may get a VAT refund if the building is for one of the following purposes:

    ", + "
  • non-business - you can\u2019t charge a fee for the use of the building
  • ", + "
  • charitable, for example a hospice
  • " + ], + "id": "train-1416" + }, + { + "url": "https://www.gov.uk/vat-building-new-home", + "scenario": "we have acquired a three bedroom house from its previous owners who were living there until recently. we want to convert it to a five bedroom house to accomodate our family.", + "question": "can we apply for a VAT refund on a home conversion we want to carry out ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply for a VAT refund on building materials and services if you\u2019re:

    ", + "
  • converting a property into a home
  • ", + "

    The building work and materials have to qualify and you must apply to HM Revenue and Customs (HMRC) within 3 months of completing the work.

    ", + "

    The building being converted must usually be a non-residential building. Residential buildings qualify if they haven\u2019t been lived in for at least 10 years.

    ", + "

    You may get a VAT refund if the building is for one of the following purposes:

    ", + "
  • residential, for example a children\u2019s home
  • " + ], + "id": "train-1417" + }, + { + "url": "https://www.gov.uk/return-home-voluntarily", + "scenario": "I am 25 and an immigrant from Somalia. I have been in the UK for seven years. In this time I have qualified as a doctor and wish to return to my home country to help people there.", + "question": "Is there any sort of financial assistance I am eligible for to help me return to my home country?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • have already been given humanitarian protection, indefinite leave to remain or refugee status in the UK
  • ", + "
  • have a Frontier Worker permit
  • ", + "
  • have an S2 Healthcare Visitor visa
  • " + ] + ], + [ + "yes", + [ + "
  • you\u2019re in the UK illegally or have overstayed your visa or permission to stay
  • ", + "
  • you\u2019ve withdrawn, or want to withdraw, your application to stay in the UK
  • ", + "
  • you\u2019ve made a claim for asylum in the UK
  • ", + "
  • you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery
  • " + ] + ] + ], + "evidences": [ + "

    You can get help to return to your home country. This is known as \u2018voluntary return\u2019.

    ", + "

    You can usually apply for help to return home (\u2018voluntary return\u2019) if any of the following are true:

    ", + "
  • you\u2019re in the UK illegally or have overstayed your visa or permission to stay
  • ", + "
  • you\u2019ve withdrawn, or want to withdraw, your application to stay in the UK
  • ", + "
  • you\u2019ve made a claim for asylum in the UK
  • ", + "
  • you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery
  • ", + "

    You cannot apply for voluntary return if you:

    ", + "
  • have already been given humanitarian protection, indefinite leave to remain or refugee status in the UK
  • ", + "
  • have a Frontier Worker permit
  • ", + "
  • have an S2 Healthcare Visitor visa
  • ", + "

    The voluntary returns service can provide up to \u00a33,000 in financial support to help you after you leave the UK. If you are eligible, you will receive a single payment on a card before you leave the UK. You can only use the card in your home country.

    ", + "

    You can apply for financial support if any of the following are true:

    ", + "
  • you are returning to a \u2018developing country\u2019, as defined by the Organisation for Economic Co-operation and Development (OECD)
  • ", + "

    Contact the voluntary returns service if you\u2019re not sure whether or not you\u2019re eligible.

    " + ], + "id": "train-1418" + }, + { + "url": "https://www.gov.uk/challenge-council-tax-band", + "scenario": "I have been paying Council Tax on my house for over 7 years now. When I started my house was located in a semi-rural area, but then nearby city has been expanding rapidly and that is no longer the case. Around 3 months ago an ASDA supermarket was opened close to my house.", + "question": "Am I eligible to challenge my band under these circumstances?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019ve been paying Council Tax on your property for more than 6 months you can only challenge your band in specific circumstances. These include if:

    ", + "
  • your local area has changed - for example, a new supermarket has been built
  • " + ], + "id": "train-1419" + }, + { + "url": "https://www.gov.uk/challenge-council-tax-band", + "scenario": "Me and my son recently challenged my Council Tax band after he informed me that the property and its surroundings has changed enough for us to challenge the band. I let him help me with the process and now we are waiting no the results. He was not sure about some details surrounding the process.", + "question": "Do I stop paying the current Council Tax band while the challenge is in action?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must continue paying your Council Tax while the challenge is happening.

    " + ], + "id": "train-1420" + }, + { + "url": "https://www.gov.uk/transferring-your-pension", + "scenario": "For 15 years I lived and worked in Chile as a teacher. I have a pension scheme from that job and my subsequent career. I have spent the last 20 years working in the UK and I am thinking of retiring.", + "question": "Can I join my two pensions together here in the UK?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1421" + }, + { + "url": "https://www.gov.uk/transferring-your-pension", + "scenario": "I have had seven jobs throughout my working life of 25 years. Each one had a different pension scheme.", + "question": "Can I take the money from each scheme and invest them for my retirement?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • your existing pension scheme allows you to transfer some or all of your pension pot
  • ", + "
  • the scheme that you wish to transfer into will accept the transfer
  • " + ] + ] + ], + "evidences": [ + "

    You may want to move some or all of your pension fund (sometimes called a \u2018pension pot\u2019) if:

    ", + "
  • you have pensions from more than one employer and want to bring them together
  • ", + "

    You can transfer your UK pension pot to another registered UK pension scheme.

    ", + "
  • your existing pension scheme allows you to transfer some or all of your pension pot
  • ", + "
  • the scheme that you wish to transfer into will accept the transfer
  • " + ], + "id": "train-1422" + }, + { + "url": "https://www.gov.uk/dbs-check-applicant-criminal-record", + "scenario": "I am running a small business and recently had to fire my only employee after they were convicted of theft. I really need a new employee as fast as possible since my business can not operate smoothly without one. After the circumstances surrounding my last employee I want to run a criminal record check on any new potential employees.", + "question": "How long does it take to run a basic criminal record check?", + "not_answerable": false, + "answers": [ + [ + "up to 14 days", + [] + ] + ], + "evidences": [ + "

    A basic check takes up to 14 days.

    " + ], + "id": "train-1423" + }, + { + "url": "https://www.gov.uk/dbs-check-applicant-criminal-record", + "scenario": "After a major breach in our company and a large sum of money being stolen by one of our managers my boss insists that we run criminal record checks on everyone. This includes nearly 100 employees and I am worried it might become quite expensive and not worth running the check on every single employee. I suggested we only run the checks on people with high level of access such as managers but my boss insists we run them on everyone.", + "question": "How much does a basic check cost per employee?", + "not_answerable": false, + "answers": [ + [ + "\u00a323", + [] + ] + ], + "evidences": [ + "

    A basic check costs \u00a323. The responsible organisation may also charge an administration fee.

    " + ], + "id": "train-1424" + }, + { + "url": "https://www.gov.uk/prepare-for-flooding", + "scenario": "I own a detached house near the cherwell river. I have recently received a flood warning for our property. The river is likely to burst it's banks on Sunday and the property is at risk of flood damage.", + "question": "Where can I find sandbags for building flood defences?", + "not_answerable": false, + "answers": [ + [ + "contact your local council to find out", + [] + ] + ], + "evidences": [ + "

    Contact your local council to find out where to get sandbags. You can also get them from some DIY or building supplies shops.

    " + ], + "id": "train-1425" + }, + { + "url": "https://www.gov.uk/prepare-for-flooding", + "scenario": "I have just purchased a 17th century home on the Thames. The property does not have any flood defences. I am concerned about flooding caused by global warming.", + "question": "What can I do to protect my property against future flooding", + "not_answerable": false, + "answers": [ + [ + "personal flood plan", + [] + ], + [ + "get advice from the national flood forum about how to protect your property and how much this will cost", + [] + ], + [ + "find flood protection products and services at blue pages", + [] + ], + [ + "maintain river beds and banks", + [ + "

    If you own property next to a watercourse, for example a river, culvert, brook or mill stream, you must:

    " + ] + ], + [ + "not obstruct the water flow", + [ + "

    If you own property next to a watercourse, for example a river, culvert, brook or mill stream, you must:

    " + ] + ] + ], + "evidences": [ + "

    Plan how you\u2019ll respond to a flood. Use a template to make a:

    ", + "
  • personal flood plan
  • ", + "

    You can:

    ", + "
  • get advice from the National Flood Forum about how to protect your property and how much this will cost
  • ", + "
  • find flood protection products and services at Blue Pages
  • ", + "

    If you own property next to a watercourse, for example a river, culvert, brook or mill stream, you must:

    ", + "
  • maintain river beds and banks
  • ", + "
  • not obstruct the water flow
  • " + ], + "id": "train-1426" + }, + { + "url": "https://www.gov.uk/income-tax-rates", + "scenario": "My daughter is a full time social worker and earns a total income of \u00a340,000 per year. She gets a personal allowance of \u00a312,570.", + "question": "What is her tax rate for the year 2021-2022?", + "not_answerable": false, + "answers": [ + [ + "0%", + [ + "Personal Allowance | Up to \u00a312,570 | 0%" + ] + ], + [ + "20%", + [ + "Basic rate | \u00a312,571 to \u00a350,270 | 20%" + ] + ] + ], + "evidences": [ + "

    How much Income Tax you pay in each tax year depends on:

    ", + "
  • how much of your income is above your Personal Allowance
  • ", + "
  • how much of your income falls within each tax band
  • ", + "

    Some income is tax-free.

    ", + "

    The standard Personal Allowance is \u00a312,570, which is the amount of income you do not have to pay tax on.

    ", + "

    The table shows the tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570.

    ", + "Band | Taxable income | Tax rate", + "Personal Allowance | Up to \u00a312,570 | 0%", + "Basic rate | \u00a312,571 to \u00a350,270 | 20%" + ], + "id": "train-1427" + }, + { + "url": "https://www.gov.uk/income-tax-rates", + "scenario": "My uncle is a vehicle dealer and his financial income per year has now reached \u00a3126,000. He wants to apply for self assessment and do tax returns for the year 2021-2022.", + "question": "What is his personal allowance?", + "not_answerable": false, + "answers": [ + [ + "zero", + [] + ] + ], + "evidences": [ + "

    How much Income Tax you pay in each tax year depends on:

    ", + "
  • how much of your income is above your Personal Allowance
  • ", + "
  • how much of your income falls within each tax band
  • ", + "

    The standard Personal Allowance is \u00a312,570, which is the amount of income you do not have to pay tax on.

    ", + "

    You can also see the rates and bands without the Personal Allowance. You do not get a Personal Allowance on taxable income over \u00a3125,140.

    ", + "

    Your Personal Allowance goes down by \u00a31 for every \u00a32 that your adjusted net income is above \u00a3100,000. This means your allowance is zero if your income is \u00a3125,140 or above.

    " + ], + "id": "train-1428" + }, + { + "url": "https://www.gov.uk/life-in-the-uk-test", + "scenario": "i have a disability that makes it hard to get around. i have made a booking to take the life in the uk test at a local test centre.", + "question": "Are rules the same to those with disabilities who want to take the test ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can make special requests when you book your test, for example if you have a disability and need extra equipment or help accessing the centre.

    " + ], + "id": "train-1429" + }, + { + "url": "https://www.gov.uk/life-in-the-uk-test", + "scenario": "i have sat for my life in the uk test three times and have failed each one. in the last test i was only one point away from passing.", + "question": "how many times am i allowed to take the test ?", + "not_answerable": false, + "answers": [ + [ + "as many times as you need to", + [] + ] + ], + "evidences": [ + "

    You must wait 7 days before taking the test again, but you can take the test as many times as you need to. You need to book and pay again each time.

    " + ], + "id": "train-1430" + }, + { + "url": "https://www.gov.uk/transferring-your-pension", + "scenario": "I've gotten a very attractive offer from a pension scheme. it offers much better returns than my current one and I've started the switch. Something about the process does not seem right as the new scheme are being vague", + "question": "What should I do?", + "not_answerable": false, + "answers": [ + [ + "contact action fraud", + [] + ] + ], + "evidences": [ + "

    Contact Action Fraud if you\u2019re transferring a pension and are concerned about a scam.

    " + ], + "id": "train-1431" + }, + { + "url": "https://www.gov.uk/transferring-your-pension", + "scenario": "i'd like to transfer my pension scheme overseas as they seem to offer much better terms than those in the UK. the scheme is based in Australia.", + "question": "how much tax will i pay in tax when i transfer my pension scheme overseas ?", + "not_answerable": false, + "answers": [ + [ + "25%", + [ + "

    You do not have to pay tax if you live in the country your QROPS is based in. Otherwise you\u2019ll have to pay 25% tax.

    " + ] + ], + [ + "no", + [ + "

    You usually do not pay tax if you transfer to a QROPS provided by your employer. Check with the scheme to find out.

    ", + "

    You do not have to pay tax if you live in the country your QROPS is based in. Otherwise you\u2019ll have to pay 25% tax.

    " + ] + ], + [ + "at least 40%", + [ + "

    If it\u2019s not a QROPS, your UK pension scheme may refuse to make the transfer, or you\u2019ll have to pay at least 40% tax on the transfer.

    " + ] + ] + ], + "evidences": [ + "

    You may be able to transfer your UK pension savings to an overseas pension scheme.

    ", + "

    The overseas scheme you want to transfer your pension savings to must be a \u2018qualifying recognised overseas pension scheme\u2019 (QROPS). It\u2019s up to you to check this with the overseas scheme or your UK pension provider or adviser.

    ", + "

    If it\u2019s not a QROPS, your UK pension scheme may refuse to make the transfer, or you\u2019ll have to pay at least 40% tax on the transfer.

    ", + "

    Whether you pay tax depends on where the QROPS you transfer to is based. It\u2019s your responsibility to find out where this is.

    ", + "

    You usually do not pay tax if you transfer to a QROPS provided by your employer. Check with the scheme to find out.

    ", + "

    You do not have to pay tax if you live in the country your QROPS is based in. Otherwise you\u2019ll have to pay 25% tax.

    " + ], + "id": "train-1432" + }, + { + "url": "https://www.gov.uk/prepare-for-flooding", + "scenario": "I am a school headteacher and in June last year we witnessed a lot of floods due to heavy rainfalls which destroyed part of our buildings. We need to be prepared for future catastrophes.", + "question": "Is there a template of a flood plan i can follow to prepare?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Plan how you\u2019ll respond to a flood. Use a template to make a:

    ", + "
  • community or group flood plan - if you\u2019re responsible for an organisation such as a school, hospital, care home or community group
  • " + ], + "id": "train-1433" + }, + { + "url": "https://www.gov.uk/prepare-for-flooding", + "scenario": "My family owns a house in a high flood risk area near a river bank. There is a water surge increase due to heavy rainfall. Part of our garden has been completely destroyed.", + "question": "Where can we get a low cost home insurance?", + "not_answerable": false, + "answers": [ + [ + "through flood re", + [] + ], + [ + "the national flood forum", + [] + ], + [ + "a broker that specialises in properties that are difficult to insure", + [] + ] + ], + "evidences": [ + "

    You can:

    ", + "
  • find lower-cost home insurance through Flood Re if you\u2019re in a flood-risk area
  • ", + "
  • get insurance advice from the National Flood Forum
  • ", + "
  • find a broker that specialises in properties that are difficult to insure
  • " + ], + "id": "train-1434" + }, + { + "url": "https://www.gov.uk/life-in-the-uk-test", + "scenario": "My niece wants to take life in the UK test and has done enough preparations. She wants to apply for British citizenship.", + "question": "What does she need to have inorder to book for the exam?", + "not_answerable": false, + "answers": [ + [ + "email address", + [] + ], + [ + "debit or credit card", + [] + ], + [ + "an accepted form of id", + [] + ] + ], + "evidences": [ + "

    You need all of the following to book a test:

    ", + "
  • email address
  • ", + "
  • debit or credit card
  • ", + "
  • an accepted form of ID
  • ", + "

    You can use one of the following as ID to book the test:

    ", + "
  • valid passport
  • ", + "
  • valid travel document with a photo (you cannot use an emergency travel document)
  • ", + "
  • biometric residence permit
  • ", + "
  • biometric residence card
  • " + ], + "id": "train-1435" + }, + { + "url": "https://www.gov.uk/life-in-the-uk-test", + "scenario": "I want to sit the life in the UK test because I want to apply for British citizenship.I have done enough revision of the test.", + "question": "What is the required percentage for one to pass the exam?", + "not_answerable": false, + "answers": [ + [ + "75% or more", + [] + ] + ], + "evidences": [ + "

    You must score 75% or more to pass the test.

    " + ], + "id": "train-1436" + }, + { + "url": "https://www.gov.uk/ask-for-a-visa-administrative-review", + "scenario": "In February 2021, I applied for a UK S2 Healthcare visa from Seattle, USA. My visa application was rejected and I initiated the administrative review process. My partner has received a skilled worker visa, allowing me to apply for a family visa. I now want to withdraw my review request.", + "question": "How do I withdraw my request?", + "not_answerable": false, + "answers": [ + [ + "email the home office", + [] + ] + ], + "evidences": [ + "

    You can email the Home Office and ask for your request to be withdrawn.

    " + ], + "id": "train-1437" + }, + { + "url": "https://www.gov.uk/ask-for-a-visa-administrative-review", + "scenario": "I am a refugee coming to the UK on a refugee visa. When I arrived at UK boarder control, I was informed that my visa had been cancelled. I have nowhere to go and am not allowed to stay in the UK.", + "question": "Can I appeal the visa cancellation?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • there has been a change in your circumstances
  • ", + "
  • you gave false information
  • ", + "
  • you failed to include relevant facts
  • " + ] + ] + ], + "evidences": [ + "

    You\u2019ll be told in your decision letter if you can ask for the decision to cancel your visa to be reviewed. This is known as an \u2018administrative review\u2019.

    ", + "

    You can ask for the decision to be reviewed if your visa was cancelled for one or more of the following reasons:

    ", + "
  • there has been a change in your circumstances
  • ", + "
  • you gave false information
  • ", + "
  • you failed to include relevant facts
  • " + ], + "id": "train-1438" + }, + { + "url": "https://www.gov.uk/difficulties-paying-hmrc", + "scenario": "I am a partner in a small legal practice. As part of my role, I discuss taxes with our accountant. We recently had a client go bankrupt with a large bill outstanding, this case took 9 months to complete. This payment makes up 70% of our income for the year and we cannot pay our taxes without it.", + "question": "What are the options to delay tax payment until the late payment is resolved?", + "not_answerable": false, + "answers": [ + [ + "set up a time to pay arrangement with hmrc", + [] + ] + ], + "evidences": [ + "

    You must arrange to pay your tax bill with HM Revenue and Customs (HMRC) if you either:

    ", + "
  • know you cannot pay on time
  • ", + "

    If you pay a tax bill late you must pay interest on the amount you owe until it\u2019s paid off. You can avoid penalties by arranging a payment plan with HMRC before the tax is due \u2013 or by 1 April for Self Assessment.

    ", + "

    You might be able to set up a Time to Pay Arrangement with HMRC if you\u2019re unable to pay any other taxes in full. This lets you spread the cost of your tax bill by paying what you owe in instalments.

    ", + "

    If you cannot pay all your tax bill, you may be able to:

    ", + "
  • pay your bill in instalments by Direct Debit
  • ", + "
  • get more time to pay
  • ", + "

    HMRC may offer you extra time to pay if they think you genuinely cannot pay in full now but will be able to pay in the future.

    ", + "

    You can set up a plan to pay in instalments by Direct Debit on dates they agree with you.

    " + ], + "id": "train-1439" + }, + { + "url": "https://www.gov.uk/difficulties-paying-hmrc", + "scenario": "I work in the gig economy for the majority of my income. Due to COVID-19, I was extremely busy as a Deliveroo worker and made more money than expected. Because of this, my tax bill is higher than I expected and I cannot pay it all at one time.", + "question": "How much interest will I have to pay on delayed tax payments?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1440" + }, + { + "url": "https://www.gov.uk/difficulties-paying-hmrc", + "scenario": "I am a thirty year old small business owner with only one employee. Due to the pandemic my business is in ruins but I have still been sent a large tax bill which I do not feel is deserved and I cannot pay. I feel frantic.", + "question": "Where can I turn for help in this situation?", + "not_answerable": false, + "answers": [ + [ + "contact the hmrc coronavirus (covid-19) helpline", + [] + ] + ], + "evidences": [ + "

    Contact the HMRC coronavirus (COVID-19) helpline if you cannot pay any other tax bills because of coronavirus.

    " + ], + "id": "train-1441" + }, + { + "url": "https://www.gov.uk/difficulties-paying-hmrc", + "scenario": "I am self employed as a caterer and always do my own taxes. I was informed recently that I had made a mistake on my last self assessment form and owe quite a substantial amount of money to HMRC. I cannot pay at the present time.", + "question": "Is there anything I can do to delay the repayments I have to make?", + "not_answerable": false, + "answers": [ + [ + "arranging a payment plan with hmrc", + [ + "

    If you owe Self Assessment tax and your bill is less than \u00a330,000 you may be able to pay in monthly instalments.

    ", + "
  • you owe \u00a330,000 or less
  • ", + "
  • you do not have any other payment plans or debts with HMRC
  • ", + "
  • your tax returns are up to date
  • ", + "
  • it\u2019s less than 60 days after the payment deadline
  • " + ] + ] + ], + "evidences": [ + "

    If you owe Self Assessment tax and your bill is less than \u00a330,000 you may be able to pay in monthly instalments.

    ", + "

    You can set up a payment plan online to spread the cost of your latest Self Assessment bill if:

    ", + "
  • you owe \u00a330,000 or less
  • ", + "
  • you do not have any other payment plans or debts with HMRC
  • ", + "
  • your tax returns are up to date
  • ", + "
  • it\u2019s less than 60 days after the payment deadline
  • ", + "

    If you pay a tax bill late you must pay interest on the amount you owe until it\u2019s paid off. You can avoid penalties by arranging a payment plan with HMRC before the tax is due \u2013 or by 1 April for Self Assessment.

    " + ], + "id": "train-1442" + }, + { + "url": "https://www.gov.uk/return-home-voluntarily", + "scenario": "My name is Valentine. I was trafficked by a gang and held against my will in a seedy brothel and used as a sex slave.All I want is to return to my family in Albania.", + "question": "As i have no money or passport, can i get assistance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re in the UK illegally or have overstayed your visa or permission to stay
  • ", + "
  • you\u2019ve made a claim for asylum in the UK
  • ", + "
  • you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery
  • " + ] + ], + [ + "no", + [ + "
  • have already been given humanitarian protection, indefinite leave to remain or refugee status in the UK
  • " + ] + ] + ], + "evidences": [ + "

    You can get help to return to your home country. This is known as \u2018voluntary return\u2019.

    ", + "

    You may also be eligible to apply for financial support of up to \u00a33,000, which you can use to find somewhere to live, find a job or start a business in your home country.

    ", + "

    You can usually apply for help to return home (\u2018voluntary return\u2019) if any of the following are true:

    ", + "
  • you\u2019re in the UK illegally or have overstayed your visa or permission to stay
  • ", + "
  • you\u2019ve made a claim for asylum in the UK
  • ", + "
  • you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery
  • ", + "

    You cannot apply for voluntary return if you:

    ", + "
  • have already been given humanitarian protection, indefinite leave to remain or refugee status in the UK
  • ", + "

    The voluntary returns service can provide up to \u00a33,000 in financial support to help you after you leave the UK. If you are eligible, you will receive a single payment on a card before you leave the UK. You can only use the card in your home country.

    ", + "

    You can apply for financial support if any of the following are true:

    ", + "
  • you are returning to a \u2018developing country\u2019, as defined by the Organisation for Economic Co-operation and Development (OECD)
  • " + ], + "id": "train-1443" + }, + { + "url": "https://www.gov.uk/return-home-voluntarily", + "scenario": "My visa to stay in the UK expired and I panicked. I hid for a few months but i am tired of living like this and want to return to my home country.", + "question": "What methods of application are there?", + "not_answerable": false, + "answers": [ + [ + "apply online", + [] + ], + [ + "contact the voluntary returns service", + [ + "

    If you cannot apply online

    " + ] + ] + ], + "evidences": [ + "

    To apply online for help to return to your home country you\u2019ll need:

    ", + "

    Contact the voluntary returns service.

    " + ], + "id": "train-1444" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "scenario": "I am self-employed and have a business registered as a sole trader. I am new to the construction business and am finding it difficult to register for the Construction Industry Scheme.", + "question": "Can I apply for the scheme online as a sole trader?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).

    " + ] + ], + [ + "no", + [ + "

    If you do not have a UTR, register as a new business for Self Assessment and choose \u2018working as a subcontractor\u2019 when prompted. You\u2019ll be registered for Self Assessment and CIS at the same time.

    " + ] + ] + ], + "evidences": [ + "

    You should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:

    ", + "
  • self-employed
  • ", + "

    If you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).

    ", + "

    If you do not have a UTR, register as a new business for Self Assessment and choose \u2018working as a subcontractor\u2019 when prompted. You\u2019ll be registered for Self Assessment and CIS at the same time.

    " + ], + "id": "train-1445" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "scenario": "I have been operating as a sole trader in the construction business for a few years now. Recently I have been in talks with a few other traders in the same boat as me. We have began looking into forming a partnership and working together from here on out.", + "question": "Do we need to report the switch from sole traders to a partnership to the HM Revenue and Customs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:

    ", + "
  • self-employed
  • ", + "
  • a partner in a partnership or trust
  • ", + "

    Tell them if you:

    ", + "
  • change from a sole trader to a partnership
  • ", + "

    You\u2019ll usually need to register again for CIS - as you cannot transfer the registration from your old business structure.

    " + ], + "id": "train-1446" + }, + { + "url": "https://www.gov.uk/paye-settlement-agreements", + "scenario": "I am a small business owner with half a dozen staff, both part time and full time. My yearly turnover and expenses are generally pretty consistent throughout the year.", + "question": "What is the maximum amount I claim from the PAYE settlement agreements?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1447" + }, + { + "url": "https://www.gov.uk/paye-settlement-agreements", + "scenario": "I run into a lot of unexpected expenses due to the nature of my work and am not able to assess how many I am likely to get during the course of one year.", + "question": "Does the irregularity of my expenses preclude me from access to this scheme?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.

    ", + "

    Irregular benefits and expenses are things that are not paid at regular intervals over the course of a tax year, for example weekly or monthly. They\u2019re also things that employees do not have a contractual right to. Examples of irregular expenses and benefits include:

    " + ], + "id": "train-1448" + }, + { + "url": "https://www.gov.uk/charities-and-tax", + "scenario": "I lead a team that manages the property for a large UK religion that is registered as a charity. In one location, the land around our place of worship was larger than we needed, so we built two houses on the spare land. We have now sold these to private individuals.", + "question": "Do we need to pay tax on the profits gained from the house sales?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Charities do not pay tax on most types of income as long as they use the money for charitable purposes.

    ", + "

    Your charity may need to pay tax if you\u2019ve:

    ", + "
  • received income that does not qualify for tax relief
  • ", + "

    Charities pay tax on:

    ", + "
  • profits from developing land or property
  • " + ], + "id": "train-1449" + }, + { + "url": "https://www.gov.uk/charities-and-tax", + "scenario": "I am setting up a charity in my community to help care for those with long term debilitating illnesses. I want to start claiming gift aid on the donations made by individuals.", + "question": "What is the form for gift aid claims?", + "not_answerable": false, + "answers": [ + [ + "chr1", + [] + ] + ], + "evidences": [ + "

    You can claim back tax that\u2019s been deducted, for example on bank interest and donations (this is known as Gift Aid).

    ", + "

    You can claim back tax that\u2019s been deducted, for example on:

    ", + "
  • donations (this is known as Gift Aid)
  • ", + "

    If you receive income with tax deducted, for example donations you can claim Gift Aid on, you can claim it back:

    ", + "
  • by post, using form ChR1 - call the helpline to order it
  • " + ], + "id": "train-1450" + }, + { + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "scenario": "Me and my business partner had a falling apart and I sold my equity in the company to him. Now he claims I owe him around \u00a36000 for merchandise that has gone missing. I am certain I have not taken anything that belongs to the company and have only collected my personal belongings.", + "question": "Do I have to appear in court in order to defend and fight against the claim?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can defend the claim if either:

    ", + "
  • you do not think you owe the other person or business any money
  • ", + "

    You might have to give more information at a hearing. The court will tell you when and where the hearing will take place.

    " + ], + "id": "train-1451" + }, + { + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "scenario": "I was working with an advertising company to design a new website for them. There was an error in the calculation of my hourly rates which led to them signing me on and paying me more than what I should have been payed. Even though this was a mistake on their part when drafting up my contract I still agreed to pay back the difference and keep the actual amount I was supposed to be payed. They decided to file a claim requesting the entire sum of money back. Unfortunately I am out of the country at the moment and am having a hard time responding to and dealing with the claim.", + "question": "Am I able to request an extension on the time I was given to respond?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can respond by:

    ", + "
  • paying only what you think you owe
  • ", + "

    You can ask for another 14 days to respond if you\u2019re defending the claim or paying only what you think you owe.

    " + ], + "id": "train-1452" + }, + { + "url": "https://www.gov.uk/make-changes-to-your-limited-company", + "scenario": "I am the director of a web design company and I have just moved home, out of the city into the countryside. I am very busy with the move. ", + "question": "How long do I have to tell Companies House of my change?", + "not_answerable": false, + "answers": [ + [ + "14 days", + [] + ] + ], + "evidences": [ + "

    You must tell Companies House if you change your company\u2019s:

    ", + "
  • directors and company secretaries, including changes to their details
  • ", + "

    You must tell Companies House within 14 days if you make changes to:

    ", + "
  • your directors, or their personal details change, for example their address
  • ", + "

    You must tell Companies House about changes to your company\u2019s directors and secretaries, such as:

    ", + "
  • changes to personal details, for example residential addresses
  • " + ], + "id": "train-1453" + }, + { + "url": "https://www.gov.uk/make-changes-to-your-limited-company", + "scenario": "My Software company wants to change its share structure because the share holders are unhappy with their returns. ", + "question": "Would this requite a special resolution with an overwhelming majority to pass?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • change the number of shares the company has and their total value - this is your \u2018share capital\u2019 (the part of your company\u2019s money that comes from shares)
  • ", + "
  • change how your shares are distributed
  • ", + "
  • cancel any of your shares
  • ", + "
  • change (\u2018denominate\u2019) your shares into other currencies
  • " + ] + ] + ], + "evidences": [ + "

    You may need your company\u2019s agreement before you can make some changes.

    ", + "

    You usually need to get directors or entitled shareholders to vote (known as \u2018passing a resolution\u2019) on whether or not to make some changes.

    ", + "

    Things that usually need a resolution include:

    ", + "
  • changing your company\u2019s share structure
  • ", + "

    You may need a special resolution to change your company\u2019s share structure. This includes if you:

    ", + "
  • change the number of shares the company has and their total value - this is your \u2018share capital\u2019 (the part of your company\u2019s money that comes from shares)
  • ", + "
  • change how your shares are distributed
  • ", + "
  • cancel any of your shares
  • ", + "
  • change (\u2018denominate\u2019) your shares into other currencies
  • " + ], + "id": "train-1454" + }, + { + "url": "https://www.gov.uk/capital-allowances", + "scenario": "I own and manage a hairdressers and we are currently under performing.", + "question": "Is it possible to claim on interest payments for equipment I have bought?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You claim for the cost of things that are not business assets in a different way. This includes:

    ", + "
  • interest payments or finance costs for buying assets
  • " + ], + "id": "train-1455" + }, + { + "url": "https://www.gov.uk/capital-allowances", + "scenario": "I am an employee of an IT consulting firm. I drive 30 minutes to work every morning. I am aware that I can claim back some fuel costs.", + "question": "Can I also claim capitol allowances for cars?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re an employee you cannot claim capital allowances for cars, motorbikes and bicycles you use for work, but you may be able to claim for business mileage and fuel costs.

    " + ], + "id": "train-1456" + }, + { + "url": "https://www.gov.uk/entertainment-and-modelling-agencies", + "scenario": "I am a photographer for weddings and other events, recently I decided to look into working with an agency to help me find work. I signed a contract with the agency a little over a month ago and they are yet to make any of my information available to potential hirers. Since then I established my own website and find a steady flow of work through it.", + "question": "Am I able to request a refund from the agency based on my circumstances?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can charge fees as an entertainment and modelling agency for finding someone work.

    ", + "

    The fees you charge depend on if the person is:

    ", + "
  • a performer or worker
  • ", + "

    You can only charge upfront fees for listing the worker or performer\u2019s details in promotional publications or on websites to help them find work.

    ", + "

    If there is a fee for promoting a worker, you can only charge this 7 days after the start of the contract.

    ", + "

    This covers the following types of workers:

    ", + "
  • photographer
  • ", + "

    Work-seekers have the right to a refund if the promotional information isn\u2019t made available to potential hirers within 60 days of a fee being paid.

    " + ], + "id": "train-1457" + }, + { + "url": "https://www.gov.uk/entertainment-and-modelling-agencies", + "scenario": "I recently founded a company that would provide promotional assistance to entertainers and performance freelancers. We are currently mostly interested in working with people involved in film production as either sound designers, editors or makeup artists. We have began drafting up contracts for potential workers seeking our services.", + "question": "What information do we need to disclose in our legal agreements with the workers?", + "not_answerable": false, + "answers": [ + [ + "the work-finding services that you\u2019ll provide them", + [] + ], + [ + "any authority you have to act on behalf of them", + [] + ], + [ + "any authorisations to receive any money on behalf of them", + [] + ], + [ + "any fees or commissions you\u2019ll charge for finding work", + [] + ], + [ + "how your fee or commission will be paid", + [] + ] + ], + "evidences": [ + "

    Terms and conditions of your service and your fees must be agreed in writing (for example, in a contract) with the worker, performer or model.

    ", + "

    These must include details of:

    ", + "
  • the work-finding services that you\u2019ll provide them
  • ", + "
  • any authority you have to act on behalf of them
  • ", + "
  • any authorisations to receive any money on behalf of them
  • ", + "
  • any fees or commissions you\u2019ll charge for finding work
  • ", + "
  • how your fee or commission will be paid
  • ", + "
  • how any commissions or fees will be refunded
  • ", + "
  • the length of time the worker, performer or model needs to give to end the contract
  • ", + "
  • the length of time you need to give to end a worker, performer or models\u2019s contract
  • " + ], + "id": "train-1458" + }, + { + "url": "https://www.gov.uk/overseas-customers-export-opportunities", + "scenario": "I am selling specialised computer monitors and selling within UK. I heard there are some good opportunities outside of UK. Before I start looking for overseas customers", + "question": "Where can I get help?", + "not_answerable": false, + "answers": [ + [ + "great.gov.uk", + [ + "
  • make sure your business is ready to export
  • ", + "
  • show your products directly to overseas buyers through the \u2018find a buyer\u2019 service
  • ", + "
  • find overseas opportunities for your product or service
  • " + ] + ], + [ + "e-exporting programme", + [ + "
  • advice on developing a strategy from e-commerce and international trade experts
  • ", + "
  • special rates for some of the world\u2019s most popular online selling platforms
  • ", + "
  • regular updates on e-commerce trends and opportunities to hear from industry experts and network with other online traders
  • " + ] + ], + [ + "department for international trade (dit)", + [ + "
  • helping you prepare for a trade show or overseas market visit (sometimes grants are available - check with the event organiser)
  • ", + "
  • arranging introductions to potential overseas buyers, agents and distributors (there\u2019s a charge for this service)
  • " + ] + ], + [ + "defence and security organisation (dso)", + [ + "
  • presentations, product demonstrations and hosting delegations (including a bespoke hanger for exhibitions and demonstration centre for cyber security products)
  • ", + "
  • displaying your products on the DSO stand at exhibitions and trade shows
  • ", + "
  • booking military personnel to appear on your stand at an exhibition or trade show
  • ", + "
  • providing after sales training to customers
  • " + ] + ] + ], + "evidences": [ + "

    Use great.gov.uk to:

    ", + "
  • make sure your business is ready to export
  • ", + "
  • show your products directly to overseas buyers through the \u2018find a buyer\u2019 service
  • ", + "
  • find overseas opportunities for your product or service
  • ", + "

    And join the e-exporting programme to get:

    ", + "
  • advice on developing a strategy from e-commerce and international trade experts
  • ", + "
  • special rates for some of the world\u2019s most popular online selling platforms
  • ", + "
  • regular updates on e-commerce trends and opportunities to hear from industry experts and network with other online traders
  • ", + "

    The Department for International Trade (DIT) has a network of trade specialists who can also help you find overseas customers by:

    ", + "
  • helping you prepare for a trade show or overseas market visit (sometimes grants are available - check with the event organiser)
  • ", + "
  • arranging introductions to potential overseas buyers, agents and distributors (there\u2019s a charge for this service)
  • ", + "

    Contact the Defence and Security Organisation (DSO) for help with:

    ", + "
  • presentations, product demonstrations and hosting delegations (including a bespoke hanger for exhibitions and demonstration centre for cyber security products)
  • ", + "
  • displaying your products on the DSO stand at exhibitions and trade shows
  • ", + "
  • booking military personnel to appear on your stand at an exhibition or trade show
  • ", + "
  • providing after sales training to customers
  • " + ], + "id": "train-1459" + }, + { + "url": "https://www.gov.uk/overseas-customers-export-opportunities", + "scenario": "I am new to the export. I recently starting exporting PPE kit to European countries . I sense that there are plenty of opportunities outside of EU", + "question": "Where I get help from a specialist who can help me finding customers outside Europe ?", + "not_answerable": false, + "answers": [ + [ + "department for international trade (dit)", + [] + ] + ], + "evidences": [ + "

    The Department for International Trade (DIT) has a network of trade specialists who can also help you find overseas customers by:

    " + ], + "id": "train-1460" + }, + { + "url": "https://www.gov.uk/tax-buy-shares", + "scenario": "I would like to buy \u00a3800 of shares in an IT company. ", + "question": "If I am using a stock transfer form, will I need to pay stamp duty?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    When you buy shares, you usually pay a tax or duty of 0.5% on the transaction.

    ", + "

    If you buy:

    ", + "
  • shares using a stock transfer form, you\u2019ll pay Stamp Duty if the transaction is over \u00a31,000
  • " + ], + "id": "train-1461" + }, + { + "url": "https://www.gov.uk/tax-buy-shares", + "scenario": "I inherited some shares from my Father when he sadly passed away last year. I don't know much about them, but I would like to sell.", + "question": "do I need to pay capitol gains tax?", + "not_answerable": false, + "answers": [ + [ + "you may need to pay capital gains tax", + [] + ] + ], + "evidences": [ + "

    You may need to pay Capital Gains Tax when you sell your shares.

    " + ], + "id": "train-1462" + }, + { + "url": "https://www.gov.uk/eori", + "scenario": "My company in England develops and distributes fitness related supplements such as protein powders. We are planning an expansion into Europe by opening a permanent office in Germany. After looking into getting an EORI number myself I found out I am ineligible to apply for one.", + "question": "Are there options for a third party to apply for an EORI number on behalf of my business?", + "not_answerable": false, + "answers": [ + [ + "appoint someone to deal with customs on your behalf", + [] + ] + ], + "evidences": [ + "

    You may need an Economic Operators Registration and Identification number (EORI number) if you move goods:

    ", + "
  • between Great Britain (England, Scotland and Wales) or the Isle of Man and any other country (including the EU)
  • ", + "

    To get an EORI number, your business usually needs to have premises based in the country you want to import to or export from - this is called \u2018being established\u2019. Your premises will need to be either a:

    ", + "
  • permanent business establishment - premises where some of your customs-related activities are taking place and your HR and technical resources are permanently located
  • ", + "

    If you\u2019re not eligible to apply for an EORI number yourself, you\u2019ll need to appoint someone to deal with customs on your behalf. The person you appoint will need to get the EORI number instead of you.

    " + ], + "id": "train-1463" + }, + { + "url": "https://www.gov.uk/eori", + "scenario": "I am the director of a limited company. Me and my business associate from France are looking into opening a business together that will involve transporting computer hardware goods between the two countries. This is our first international business venture so we are new to the processes and regulations involved in transporting goods outside of our respective countries. I recently found out that I might need an EORI number based on our business structure.", + "question": "What documentation would I need to prepare in order to be able to apply?", + "not_answerable": false, + "answers": [ + [ + "unique taxpayer reference (utr)", + [ + "

    If you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.

    ", + "

    You may also need an EORI number starting with XI if you move goods to or from Northern Ireland.

    " + ] + ], + [ + "business start date and standard industrial classification (sic) code", + [ + "

    If you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.

    ", + "

    You may also need an EORI number starting with XI if you move goods to or from Northern Ireland.

    " + ] + ], + [ + "government gateway user id and password", + [ + "

    If you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.

    ", + "

    You may also need an EORI number starting with XI if you move goods to or from Northern Ireland.

    " + ] + ], + [ + "vat number and effective date of registration", + [ + "

    If you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.

    ", + "

    You may also need an EORI number starting with XI if you move goods to or from Northern Ireland.

    ", + "
  • VAT number and effective date of registration (if you\u2019re VAT registered) - these are on your VAT registration certificate
  • " + ] + ], + [ + "an enquiry form", + [ + "

    You may also need an EORI number starting with XI if you move goods to or from Northern Ireland.

    ", + "

    Once you have your GB EORI number then fill in an enquiry form, making sure you:

    " + ] + ] + ], + "evidences": [ + "

    Which type of EORI number you need and where you get it from depends on where you\u2019re moving goods to and from. You may need more than one.

    ", + "

    If you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.

    ", + "

    You may also need an EORI number starting with XI if you move goods to or from Northern Ireland.

    ", + "

    To apply for an Economic Operators Registration and Identification number (EORI number) you need your:

    ", + "
  • Unique Taxpayer Reference (UTR) - find your UTR if you do not know it
  • ", + "
  • business start date and Standard Industrial Classification (SIC) code - these are in the Companies House register
  • ", + "
  • Government Gateway user ID and password
  • ", + "
  • VAT number and effective date of registration (if you\u2019re VAT registered) - these are on your VAT registration certificate
  • ", + "

    Once you have your GB EORI number then fill in an enquiry form, making sure you:

    " + ], + "id": "train-1464" + }, + { + "url": "https://www.gov.uk/introduction-to-business-rates", + "scenario": "I recently started designing and printing out stickers, posters and other decorative pieces. Currently I am operating from a small room in my house dedicated to my business venture and sending out the products through post. This is the first time I am operating a business and all of the taxes and regulations are new to me.", + "question": "Do my circumstances demand from me to pay business rates?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ], + [ + "yes", + [ + "
  • your property is part business and part domestic, for example if you live above your shop
  • ", + "
  • you sell goods or services to people who visit your property
  • ", + "
  • you employ other people to work at your property
  • ", + "
  • you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s
  • " + ] + ] + ], + "evidences": [ + "

    You do not usually have to pay business rates for home-based businesses if you:

    ", + "
  • use a small part of your home for your business, for example if you use a bedroom as an office
  • ", + "
  • sell goods by post
  • ", + "

    You may need to pay business rates as well as Council Tax if:

    ", + "
  • your property is part business and part domestic, for example if you live above your shop
  • ", + "
  • you sell goods or services to people who visit your property
  • ", + "
  • you employ other people to work at your property
  • ", + "
  • you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s
  • " + ], + "id": "train-1465" + }, + { + "url": "https://www.gov.uk/introduction-to-business-rates", + "scenario": "My father left me the apartment across the hall from mine in his will. It has been over a year since it has been vacated and has mostly been used as storage space whenever I have needed it. I recently started offering it on websites such as Booking and AirBnB and it has been booked every night since.", + "question": "What number of days would I have to lend out the property for before I have to pay business rates?", + "not_answerable": false, + "answers": [ + [ + "70 days", + [ + "

    If your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:

    " + ] + ] + ], + "evidences": [ + "

    Business rates are charged on most non-domestic properties, like:

    ", + "
  • holiday rental homes or guest houses
  • ", + "

    If your property is in England and available to let for short periods that total 140 days or more per year, it will be rated as a self-catering property and valued for business rates.

    ", + "

    If your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:

    ", + "
  • available to let for short periods that total 140 days or more per year
  • ", + "
  • actually let for 70 days
  • ", + "

    There are different rules in Scotland.

    " + ], + "id": "train-1466" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "scenario": "I run a small family owned construction company specialising in groundworks. We are looking to expand, and as part of that take on some contractors so we can work on several sites at once.", + "question": "Do I need to register as a contractor with the Construction Industry Scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • builder
  • ", + "
  • labour agency
  • ", + "
  • gangmaster (or gang leader)
  • ", + "
  • property developer
  • " + ] + ], + [ + "no", + [ + "
  • paid for by a charity or trust
  • ", + "
  • paid for by a governing body or head teacher of a maintained school on behalf of the local education authority
  • ", + "
  • on the subcontractor\u2019s own property and worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption
  • ", + "
  • architecture and surveying
  • ", + "
  • scaffolding hire (with no labour)
  • ", + "
  • carpet fitting
  • ", + "
  • delivering materials
  • ", + "
  • work on construction sites that is clearly not construction, for example running a canteen or site facilities
  • " + ] + ] + ], + "evidences": [ + "

    You must register as a contractor with the Construction Industry Scheme (CIS) if:

    ", + "
  • you pay subcontractors to do construction work
  • ", + "

    The Construction Industry Scheme (CIS) covers most construction work to buildings, including site preparation, decorating and refurbishment.

    ", + "

    If your business is construction and you pay subcontractors for construction work, you\u2019re a \u2018mainstream\u2019 contractor. This applies if you\u2019re a:

    ", + "
  • builder
  • ", + "
  • labour agency
  • ", + "
  • gangmaster (or gang leader)
  • ", + "
  • property developer
  • ", + "

    CIS does not apply if your work is:

    ", + "
  • paid for by a charity or trust
  • ", + "
  • paid for by a governing body or head teacher of a maintained school on behalf of the local education authority
  • ", + "
  • on the subcontractor\u2019s own property and worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption
  • ", + "

    There are also certain jobs that are exempt from the scheme, including:

    ", + "
  • architecture and surveying
  • ", + "
  • scaffolding hire (with no labour)
  • ", + "
  • carpet fitting
  • ", + "
  • delivering materials
  • ", + "
  • work on construction sites that is clearly not construction, for example running a canteen or site facilities
  • " + ], + "id": "train-1467" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "scenario": "I am a site manager for the site of a large property developer. We want to install a temporary canteen staffed by contractors as there are large numbers of employed workers on site right now.", + "question": "Do we have to register as a contractor with the Construction Industry Scheme for the canteen?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must register as a contractor with the Construction Industry Scheme (CIS) if:

    ", + "
  • you pay subcontractors to do construction work
  • ", + "

    The Construction Industry Scheme (CIS) covers most construction work to buildings, including site preparation, decorating and refurbishment.

    ", + "

    If your business is construction and you pay subcontractors for construction work, you\u2019re a \u2018mainstream\u2019 contractor. This applies if you\u2019re a:

    ", + "
  • property developer
  • ", + "

    There are also certain jobs that are exempt from the scheme, including:

    ", + "
  • work on construction sites that is clearly not construction, for example running a canteen or site facilities
  • " + ], + "id": "train-1468" + }, + { + "url": "https://www.gov.uk/charities-and-tax", + "scenario": "I am on a permanent job and receive an income of more than \u00a360,000. I pay a tax of more than \u00a37000. I want to help a charity who use the money for a cancer research", + "question": "As I tax already deducted thru PAYE , Can the charity reclaim my tax money ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can claim back tax that\u2019s been deducted, for example on bank interest and donations (this is known as Gift Aid).

    ", + "

    You can claim back tax that\u2019s been deducted, for example on:

    ", + "
  • donations (this is known as Gift Aid)
  • ", + "

    If you receive income with tax deducted, for example donations you can claim Gift Aid on, you can claim it back:

    " + ], + "id": "train-1469" + }, + { + "url": "https://www.gov.uk/charities-and-tax", + "scenario": "We recently build a religious building and worshiped by many in my. neighbourhood. We been registered as an charity as well. People come for worship have donated money", + "question": "Do we have to pay tax on the donation money received from worshippers ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Charities do not pay tax on most types of income as long as they use the money for charitable purposes.

    ", + "

    As a charity you do not pay tax on most of your income and gains if you use it for charitable purposes - this is known as \u2018charitable expenditure\u2019.

    ", + "

    This includes tax:

    ", + "
  • on donations
  • " + ], + "id": "train-1470" + }, + { + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "scenario": "I buy and sell goods online and this forms the major part of my income. I want to protect myself against potential complaints on unsatisfactory services.", + "question": "Can I add terms on user's satisfaction to avoid such potential complaints?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There are different rules on what\u2019s fair for:

    ", + "
  • consumer contracts
  • ", + "

    You might not be able to enforce terms or notices if they try to avoid your responsibility in other ways, eg:

    ", + "
  • unsatisfactory services
  • " + ], + "id": "train-1471" + }, + { + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "scenario": "I recently bought a car online and it immediately broke down when I got it home. The vendor is refusing to interact with me because they claim in their terms that they will not be responsible to the car if it has left their store.", + "question": "Can I make a complaint?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019re legally responsible for certain situations, eg when goods you sell are faulty. You must not try to claim you\u2019re not responsible.

    ", + "

    You can\u2019t enforce unfair terms in a consumer contract, or unfair consumer notices (eg signs on a shop wall or in a car park).

    ", + "

    You can never enforce terms or notices that try to avoid your responsibility for:

    ", + "
  • faulty goods
  • ", + "

    Consumers can also take legal action themselves to challenge unfair terms or notices.

    " + ], + "id": "train-1472" + }, + { + "url": "https://www.gov.uk/protecting-company-from-compulsory-liquidation", + "scenario": "I run my own tanning salon which has been operational for five years. Partly due to Covid, we have run up a lot of debt and we feel we are unable to clear it. We feel that this is a little unfair as Covid was not our fault.", + "question": "Is there any help available to us given our problems are not really our fault?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1473" + }, + { + "url": "https://www.gov.uk/protecting-company-from-compulsory-liquidation", + "scenario": "We have run a small boutique for the past 12 years and recently it has been badly struggling. We cannot pay our debts and have been threatened with court proceedings. We really do not want to close a business we have worked hard to build up.", + "question": "What do we do about the threat of a court summons?", + "not_answerable": false, + "answers": [ + [ + "pay the debt", + [] + ], + [ + "reach an agreement with the creditor to pay the debt in the future", + [] + ], + [ + "put your company into administration", + [] + ], + [ + "apply to liquidate (\u2018wind up\u2019) your company yourself", + [] + ], + [ + "challenge the court judgment", + [] + ] + ], + "evidences": [ + "

    Your limited company can be liquidated (\u2018wound up\u2019) if it cannot pay its debts.

    ", + "

    The people or organisations your company owes money to (your \u2018creditors\u2019) can apply to the court to get their debts paid.

    ", + "

    They can do this by either:

    ", + "
  • getting a court judgment
  • ", + "

    To respond, you must do one of the following:

    ", + "
  • pay the debt
  • ", + "
  • reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement
  • ", + "
  • put your company into administration
  • ", + "
  • apply to liquidate (\u2018wind up\u2019) your company yourself
  • ", + "
  • challenge the court judgment
  • " + ], + "id": "train-1474" + }, + { + "url": "https://www.gov.uk/machine-game-duty", + "scenario": "I have 4 different arcade games machines in my pub and they all cost different amounts to play.", + "question": "do I have to pay different machine games duty depending on the cost to play?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may have to pay Machine Games Duty (MGD) if there are machines that give cash prizes on your premises. You pay duty on:

    ", + "
  • slot and fruit machines, and other gaming machines
  • ", + "

    You pay Machine Games Duty (MGD) on the total net takings from your machine games.

    ", + "

    If your machine has more than one type of game, you pay the rate for the highest rated game on all takings from the machine.

    " + ], + "id": "train-1475" + }, + { + "url": "https://www.gov.uk/introduction-to-business-rates", + "scenario": "I have just taken over the rent for a small shop in Birmingham for my business. It seems that the business rates due are ridiculously high.", + "question": "Is there any way of getting the property rateable value corrected?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can ask for your property\u2019s rateable value to be corrected if you think it\u2019s wrong.

    " + ], + "id": "train-1476" + }, + { + "url": "https://www.gov.uk/introduction-to-business-rates", + "scenario": "I am a farmer in Oxfordshire. The farm includes several stable blocks. I rent out some of the stable space to nearby horse owners.", + "question": "Do I need to pay business rates on the stables?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You usually need to pay business rates on your stables, unless you use your horses for farming.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.

    ", + "

    You usually need to pay business rates on your stables, unless you use your horses for farming.

    " + ], + "id": "train-1477" + }, + { + "url": "https://www.gov.uk/vat-businesses", + "scenario": "I have a VAT registered business and sell hand gloves. I got some samples from a company for my staffs and loyal customers to test the product so I can place a bulk order", + "question": "Do I have to pay VAT on the products that I received as samples ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    VAT is charged on things like:

    ", + "
  • business sales - for example when you sell goods and services
  • ", + "

    You don\u2019t have to pay VAT on things like free samples if they meet certain conditions.

    ", + "Supplies | Condition to meet so no VAT due", + "Free samples | Used for marketing purposes and provided in a quantity that lets potential customers test the product" + ], + "id": "train-1478" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "scenario": "My company rents out apartments and we are planning an expansion that will involve constructing a new building instead of buying singular apartments. We have subcontracted and employed the people needed for the job and as such registered as a Construction Industry Scheme contractor.", + "question": "How often would we need to file documentation regarding the scheme?", + "not_answerable": false, + "answers": [ + [ + "each month", + [] + ] + ], + "evidences": [ + "

    You must register as a contractor with the Construction Industry Scheme (CIS) if:

    ", + "
  • you pay subcontractors to do construction work
  • ", + "
  • You\u2019ll need to file monthly returns and keep full CIS records - you may get a penalty if you do not.
  • ", + "

    You must tell HM Revenue and Customs (HMRC) each month about payments you\u2019ve made to subcontractors through your monthly return.

    " + ], + "id": "train-1479" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "scenario": "My business partners and I developed a novelty tech accessory for laptops and computers. Business has been growing rapidly the past few years and we had begun to struggle keeping up with demand. This led to us deciding to open a larger factory designed specifically with producing our product in mind. In the past 10 months we have spent over \u00a34 million on construction for our mega factory.", + "question": "Do we have to register for the Construction Registry Scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must register as a contractor with the Construction Industry Scheme (CIS) if:

    ", + "
  • your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment
  • ", + "

    The Construction Industry Scheme (CIS) covers most construction work to buildings, including site preparation, decorating and refurbishment.

    ", + "

    You count as a \u2018deemed\u2019 contractor if your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment. This could apply to:

    ", + "

    You must monitor your construction spend if you are likely to become a deemed contractor.

    " + ], + "id": "train-1480" + }, + { + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "scenario": "I have applied for a lawful development certificate and I am unhappy with the decision made and now want to appeal it. The building is a listed building.", + "question": "What is the deadline for making my appeal?", + "not_answerable": false, + "answers": [ + [ + "6 months", + [] + ] + ], + "evidences": [ + "

    You can appeal against a lawful development certificate decision if either:

    ", + "
  • you disagree with it
  • ", + "

    There\u2019s normally no deadline. If you\u2019re appealing an application about a listed building lawful development certificate, you must appeal within 6 months of the decision.

    " + ], + "id": "train-1481" + }, + { + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "scenario": "My business partner applied for a lawful development certificate and I disagree with the decision that was made and want to appeal it.", + "question": "Can I appeal the decision on my business partner's behalf or do they have to appeal themselves?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can appeal against a lawful development certificate decision if either:

    ", + "
  • you disagree with it
  • ", + "

    Only the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.

    " + ], + "id": "train-1482" + }, + { + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "scenario": "I have a medium sized dairy farm in England and am starting to sell my own milk.", + "question": "can I sell my milk in imperial pints without reference to metric measurements on the packaging?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ], + [ + "yes", + [ + "
  • milk in returnable containers by pint
  • " + ] + ] + ], + "evidences": [ + "

    You must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.

    ", + "

    The only products you can sell in imperial measures are:

    ", + "
  • milk in returnable containers by pint
  • ", + "

    You can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.

    " + ], + "id": "train-1483" + }, + { + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "scenario": "I am the store manager at a super market, during the winter we sell solid fuel in bags. ", + "question": "If the fuel is in sealed bags are there any specified quantities that we must sell in by weight?", + "not_answerable": false, + "answers": [ + [ + "25kg", + [] + ], + [ + "50kg", + [] + ], + [ + "multiples of 50kg", + [] + ] + ], + "evidences": [ + "

    Some goods must be sold in fixed sizes known as \u2018specified quantities\u2019.

    ", + "

    You can sell sealed bags of solid fuel in any size you wish but if you\u2019re selling it loose, you can only sell it in quantities of:

    ", + "
  • 25kg
  • ", + "
  • 50kg
  • ", + "
  • multiples of 50kg
  • " + ], + "id": "train-1484" + }, + { + "url": "https://www.gov.uk/cartels-price-fixing", + "scenario": "I am in the process of expanding my coffee shop business into a number of new locations. I have noticed that the two main players appear to be engaged in anti competitive behaviour - i.e. they rarely operate from nearby locations, and when they do, I have noted that prices are higher than elsewhere in the country and also identical in both shops", + "question": "Who do I contact to report a cartel?", + "not_answerable": false, + "answers": [ + [ + "competition and markets authority (cma)", + [] + ] + ], + "evidences": [ + "

    You must follow the rules on all types of anti-competitive activity including:

    ", + "
  • price fixing, bid rigging and other ways of agreeing not to compete (sometimes called \u2018cartels\u2019)
  • ", + "

    You must avoid all types of anti-competitive activity in your business including:

    ", + "
  • agreeing not to compete with another business
  • ", + "

    You can report anti-competitive activity if you see it.

    ", + "

    If 2 or more businesses agree not to compete with each other in certain ways, it\u2019s called a \u2018cartel\u2019.

    ", + "

    Rules about cartels cover:

    ", + "
  • price fixing
  • ", + "
  • sharing markets or customers
  • ", + "

    You\u2019ll be breaking the law if you agree with another business:

    ", + "
  • to charge the same prices to your customers
  • ", + "

    You cannot agree with other businesses to share markets or customers. You\u2019ll be breaking competition law if you agree with another business:

    ", + "
  • not to compete with them for customers, for example in specific locations
  • ", + "

    A cartel is where two or more businesses agree not to compete with each other, for example by sharing a market or fixing prices.

    ", + "

    Contact the Competition and Markets Authority (CMA) cartels hotline if you:

    ", + "
  • know about a cartel
  • " + ], + "id": "train-1485" + }, + { + "url": "https://www.gov.uk/cartels-price-fixing", + "scenario": "I used to work in the head office for a major UK supermarket with a 30% market share. My role included setting prices for a number of products. We used to have regular meetings with our competitors to discuss offers and pricing, to make sure each shop had a number of low priced \"draw in\" products at any one time. I recently realized this is cartel.", + "question": "What penalty will I get?", + "not_answerable": false, + "answers": [ + [ + "fined up to 10% of its worldwide turnover and sued for damages", + [ + "

    Your business can be fined up to 10% of its worldwide turnover and sued for damages.

    " + ] + ], + [ + "fined or sent to prison for up to 5 years", + [ + "

    You can be fined or sent to prison for up to 5 years if you\u2019re found guilty of being involved in cartel activity.

    " + ] + ], + [ + "disqualified from being a director for up to 15 years", + [ + "

    Company directors can be disqualified from being a director for up to 15 years.

    " + ] + ], + [ + "treated with leniency", + [ + "
  • be treated with leniency if you report a cartel you\u2019ve been involved with
  • " + ] + ] + ], + "evidences": [ + "

    You must follow the rules on all types of anti-competitive activity including:

    ", + "
  • price fixing, bid rigging and other ways of agreeing not to compete (sometimes called \u2018cartels\u2019)
  • ", + "

    Your business can be fined up to 10% of its worldwide turnover and sued for damages.

    ", + "

    You can be fined or sent to prison for up to 5 years if you\u2019re found guilty of being involved in cartel activity.

    ", + "

    Company directors can be disqualified from being a director for up to 15 years.

    ", + "

    You must avoid all types of anti-competitive activity in your business including:

    ", + "
  • agreeing not to compete with another business
  • ", + "

    If 2 or more businesses agree not to compete with each other in certain ways, it\u2019s called a \u2018cartel\u2019.

    ", + "

    Rules about cartels cover:

    ", + "
  • price fixing
  • ", + "

    You must not discuss the prices you\u2019re going to charge your customers with your competitors.

    ", + "

    You\u2019ll be breaking the law if you agree with another business:

    ", + "
  • to offer discounts or increase your prices at the same time
  • ", + "

    A cartel is where two or more businesses agree not to compete with each other, for example by sharing a market or fixing prices.

    ", + "

    You may:

    ", + "
  • be treated with leniency if you report a cartel you\u2019ve been involved with
  • " + ], + "id": "train-1486" + }, + { + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "scenario": "I own a small business that services bicycles. I own an office building, and employ seven employees that work directly in this office. I want to carry out a fire risk assessment but I have no expertise.", + "question": "Can I appoint someone to help with the fire risk assessment?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019re responsible for fire safety in business or other non-domestic premises if you\u2019re:

    ", + "
  • the owner
  • ", + "

    As the responsible person you must:

    ", + "
  • carry out a fire risk assessment of the premises and review it regularly
  • ", + "

    Non-domestic premises are:

    ", + "
  • all workplaces and commercial premises
  • ", + "

    As the responsible person you must carry out and regularly review a fire risk assessment of the premises. This will identify what you need to do to prevent fire and keep people safe.

    ", + "

    If you do not have the expertise or time to do the fire risk assessment yourself you need to appoint a \u2018competent person\u2019 to help, for example a professional risk assessor.

    " + ], + "id": "train-1487" + }, + { + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "scenario": "I am a landlord of a commercial property that I own. I was recently issued an alterations notice from a visit from our local fire and rescue authority. I disagree with their assessment.", + "question": "How long do I have to appeal the notice?", + "not_answerable": false, + "answers": [ + [ + "21 days", + [] + ] + ], + "evidences": [ + "

    You could get an alterations notice if your premises have high safety risks or will have high safety risks if the use of the premises changes.

    ", + "

    You can appeal to your local magistrates\u2019 court within 21 days of receiving a notice.

    " + ], + "id": "train-1488" + }, + { + "url": "https://www.gov.uk/marketing-advertising-law", + "scenario": "I own a small independent company that makes artisan yogurts. When I was out shopping today I noticed that a certain German discount supermarket was advertising a new premium yogurt product. In the advert they have used all our brand colours, and the packaging, fonts, even the name is a very close resemblance to our brand.", + "question": "How long do I have to make a complaint about the advert?", + "not_answerable": false, + "answers": [ + [ + "3 months", + [] + ] + ], + "evidences": [ + "

    Anyone who thinks advertising rules have been broken can complain to the ASA within 3 months of the advert appearing.

    " + ], + "id": "train-1489" + }, + { + "url": "https://www.gov.uk/marketing-advertising-law", + "scenario": "My printery business still has a fax machine as certain business customers still communicate this way. We keep recieving unsolicited marketing fax messages.", + "question": "Is it legal to send unsolicited fax messages to companies?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    All marketing and advertising must be:

    ", + "
  • legal
  • ", + "

    You must check if customers want to be contacted by fax, phone, post or email, and give them the chance to object. You must be able to prove you\u2019ve done this.

    ", + "

    You\u2019re not allowed to send marketing faxes to individuals unless you\u2019ve received their prior permission, but you can send unsolicited faxes to companies.

    " + ], + "id": "train-1490" + }, + { + "url": "https://www.gov.uk/employer-reporting-expenses-benefits", + "scenario": "We are mid-sized IT company and have around 200 employees in total. As part of our benefits to the employees we provide a healthcare benefits for the employees. We provide them an annual plan", + "question": "About the healthcare benefits we provide to the employers. Do we have to record the evidences. If yes how long the records must be kept ?", + "not_answerable": false, + "answers": [ + [ + "3 years", + [] + ] + ], + "evidences": [ + "

    Examples of expenses and benefits include:

    ", + "
  • health insurance
  • ", + "

    You must keep a record of all expenses and benefits you provide to your employees.

    ", + "

    Records must be kept for 3 years from the end of the tax year they relate to.

    " + ], + "id": "train-1491" + }, + { + "url": "https://www.gov.uk/employer-reporting-expenses-benefits", + "scenario": "We are a small company with 10 employees. We provide car and mileage allowances for some of the employees. We are relatively a new company", + "question": "What are the information we have to submit HMRC about the expenses we provide to employees ?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1492" + }, + { + "url": "https://www.gov.uk/cartels-price-fixing", + "scenario": "I own a small independent sweet shop which has been operational for over five years. We have a reasonably good yearly turnover and many regular customers. Recently, another sweet store selling the same things opened two doors down from us. This has affected our profits significantly.", + "question": "Is it legal for another similar shop to have opened so close?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1493" + }, + { + "url": "https://www.gov.uk/cartels-price-fixing", + "scenario": "I am a take away owner and a rival take away has taken to consistently undercutting my prices and duplicating any special deals which we offer. This is affecting our turnover.", + "question": "Can I report this behaviour and have it stopped?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • it has more than a 40% market share
  • ", + "
  • it\u2019s not affected by normal competitive restraints
  • ", + "
  • charge low prices that do not cover your costs so you drive out competitors
  • " + ] + ] + ], + "evidences": [ + "

    You must follow the rules on all types of anti-competitive activity including:

    ", + "
  • abuse of a dominant market position
  • ", + "

    You can report anti-competitive activity if you think another business is breaking the law, or if you might have been involved yourself.

    ", + "

    You must avoid all types of anti-competitive activity in your business including:

    ", + "
  • abusing a dominant position
  • ", + "

    Your business might have a \u2018dominant position\u2019 in the market if:

    ", + "
  • it has more than a 40% market share
  • ", + "
  • it\u2019s not affected by normal competitive restraints
  • ", + "

    You might be abusing your dominant position if you\u2019re unfair to your customers or other businesses, for example you:

    ", + "
  • charge low prices that do not cover your costs so you drive out competitors
  • ", + "

    The way you report anti-competitive activity depends on the type of activity.

    ", + "

    Tell the CMA if you have concerns about anti-competitive activity. Email general.enquiries@cma.gov.uk with the following information:

    " + ], + "id": "train-1494" + }, + { + "url": "https://www.gov.uk/paye-settlement-agreements", + "scenario": "My clothing brand had quite the irregular year in terms of expenses. From sending employees abroad to attend fashion shows for research purposes, to organizing company wide social events. I applied for a PSA a few months ago thinking it would help me manage the expenses I needed to pay taxes on. I struggled with the process to an extend an recently found out that it would not achieve the desired results.", + "question": "What forms would I need to file to be able to cancel my PSA request?", + "not_answerable": false, + "answers": [ + [ + "the return slip section of the p626", + [] + ], + [ + "p11d", + [] + ], + [ + "psa1", + [] + ] + ], + "evidences": [ + "

    A PAYE Settlement Agreement (PSA) allows you to make one annual payment to cover all the tax and National Insurance due on minor, irregular or impracticable expenses or benefits for your employees.

    ", + "

    The expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.

    ", + "

    Irregular benefits and expenses are things that are not paid at regular intervals over the course of a tax year, for example weekly or monthly. They\u2019re also things that employees do not have a contractual right to. Examples of irregular expenses and benefits include:

    ", + "
  • the cost of attending overseas conferences
  • ", + "

    To change the items covered by your PAYE Settlement Agreement (PSA), send details of the changes to the office that issued it. HM Revenue and Customs (HMRC) will send you a revised P626 that you need to sign and return.

    ", + "

    To cancel your PSA, fill in the return slip section of the P626 and send it to HMRC.

    ", + "

    You need to report any outstanding tax and National Insurance Contributions (NICs) due on benefits and expenses using forms P11D and PSA1.

    " + ], + "id": "train-1495" + }, + { + "url": "https://www.gov.uk/paye-settlement-agreements", + "scenario": "My hardware store generated quite a decent amount of profit in the past year. That being said we sent out larger holiday bonuses to our employees and expanded the stores stock to feature more high-end models of specific products. I am interested in applying for a PSA but am a bit confused on exactly what it would cover.", + "question": "Will the PSA be able to cover the company bonuses that were payed out?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    A PAYE Settlement Agreement (PSA) allows you to make one annual payment to cover all the tax and National Insurance due on minor, irregular or impracticable expenses or benefits for your employees.

    ", + "

    The expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.

    ", + "

    You cannot include wages, high-value benefits like company cars, or cash payments such as:

    ", + "
  • bonuses
  • " + ], + "id": "train-1496" + }, + { + "url": "https://www.gov.uk/tax-buy-shares", + "scenario": "I am new to buying shares and my friend recently suggested to buy few shares online. The shares I am buying will cost me more than \u00a31000", + "question": "What tax do I need to pay on the shares I buy?", + "not_answerable": false, + "answers": [ + [ + "stamp duty reserve tax", + [ + "
  • shares electronically, you\u2019ll pay Stamp Duty Reserve Tax (SDRT)
  • ", + "
  • shares using a stock transfer form, you\u2019ll pay Stamp Duty if the transaction is over \u00a31,000
  • ", + "
  • existing shares in a company incorporated in the UK
  • ", + "
  • an option to buy shares
  • ", + "
  • an interest in shares, for example an interest in the money from selling them
  • ", + "
  • shares in a foreign company that has a share register in the UK
  • ", + "
  • rights arising from shares, for example rights you have when new shares are issued
  • ", + "

    You\u2019ll pay Stamp Duty Reserve Tax (SDRT) if you buy shares electronically through the \u2018CREST\u2019 system (a computerised register of shares and shareowners).

    ", + "

    You must also pay SDRT on \u2018off-market\u2019 transactions. This is when shares are transferred outside CREST.

    ", + "
  • you buy shares through a stock transfer form
  • ", + "
  • the transaction is over \u00a31,000
  • " + ] + ], + [ + "capital gains tax", + [ + "

    You may need to pay Capital Gains Tax when you sell your shares.

    " + ] + ] + ], + "evidences": [ + "

    If you buy:

    ", + "
  • shares electronically, you\u2019ll pay Stamp Duty Reserve Tax (SDRT)
  • ", + "
  • shares using a stock transfer form, you\u2019ll pay Stamp Duty if the transaction is over \u00a31,000
  • ", + "

    You pay tax when you buy:

    ", + "
  • existing shares in a company incorporated in the UK
  • ", + "
  • an option to buy shares
  • ", + "
  • an interest in shares, for example an interest in the money from selling them
  • ", + "
  • shares in a foreign company that has a share register in the UK
  • ", + "
  • rights arising from shares, for example rights you have when new shares are issued
  • ", + "

    You may need to pay Capital Gains Tax when you sell your shares.

    ", + "

    You\u2019ll pay Stamp Duty Reserve Tax (SDRT) if you buy shares electronically through the \u2018CREST\u2019 system (a computerised register of shares and shareowners).

    ", + "

    You must also pay SDRT on \u2018off-market\u2019 transactions. This is when shares are transferred outside CREST.

    ", + "

    You must pay Stamp Duty on your shares if:

    ", + "
  • you buy shares through a stock transfer form
  • ", + "
  • the transaction is over \u00a31,000
  • " + ], + "id": "train-1497" + }, + { + "url": "https://www.gov.uk/tax-buy-shares", + "scenario": "I hold 1000 shares of a construction company. As part of settling a loan from a bank I decided to transfer some of my shares to the bank and the bank agreed as well", + "question": "Are there any stamp duty I have to pay when I transfer my shares to the bank ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You pay Stamp Duty Reserve Tax (SDRT) or Stamp Duty at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.

    ", + "

    This is when the shares are transferred to a service operated by a third party (for example, a bank). The shares can then be traded free of Stamp Duty or SDRT.

    " + ] + ], + [ + "no", + [ + "

    Not all of these schemes work like this. Sometimes the higher rate is not charged and you pay Stamp Duty or SDRT in the normal way. Check the details of your scheme with your stockbroker.

    " + ] + ] + ], + "evidences": [ + "

    You pay Stamp Duty Reserve Tax (SDRT) or Stamp Duty at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.

    ", + "

    This is when the shares are transferred to a service operated by a third party (for example, a bank). The shares can then be traded free of Stamp Duty or SDRT.

    ", + "

    Not all of these schemes work like this. Sometimes the higher rate is not charged and you pay Stamp Duty or SDRT in the normal way. Check the details of your scheme with your stockbroker.

    " + ], + "id": "train-1498" + }, + { + "url": "https://www.gov.uk/entertainment-and-modelling-agencies", + "scenario": "I am representing the daughter of a colleague who is interested in pursing a career in modelling. I have already lined up some magazine work for her for which I will be paid an hourly rate.", + "question": "What can I charge for finding the job for my colleague's daughter?", + "not_answerable": false, + "answers": [ + [ + "including information about them in a publication or website", + [] + ], + [ + "providing a service to find the model work", + [] + ] + ], + "evidences": [ + "

    You can charge fees as an entertainment and modelling agency for finding someone work.

    ", + "

    The fees you charge depend on if the person is:

    ", + "
  • a model
  • ", + "

    However, after you\u2019ve found work for a model you can charge fees for:

    ", + "
  • including information about them in a publication or website
  • ", + "
  • providing a service to find the model work (these fees must have been agreed with the model before you started looking for work for them)
  • " + ], + "id": "train-1499" + }, + { + "url": "https://www.gov.uk/entertainment-and-modelling-agencies", + "scenario": "I work as a burlesque dancer on a freelance basis, ie my agent finds me work in various different venues. My income varies tremendously according to the availabity of work.", + "question": "Is it possible that my agent is taking a bigger fee than they should be?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The fees you charge depend on if the person is:

    ", + "
  • a performer or worker
  • ", + "

    Workers, performers and models need to agree to your terms and conditions before you can charge fees.

    ", + "

    Terms and conditions of your service and your fees must be agreed in writing (for example, in a contract) with the worker, performer or model.

    ", + "

    These must include details of:

    ", + "
  • any fees or commissions you\u2019ll charge for finding work
  • ", + "

    You can\u2019t charge fees or deduct money from an entertainment worker or performer\u2019s earnings until they agree to your terms and conditions.

    ", + "

    Other fees or commission for finding work normally come out of the worker or performer\u2019s earnings from the employment that you found.

    ", + "

    You can charge fees for the following performers:

    ", + "
  • dancers
  • ", + "

    You can charge fees for other services such as producing a photo or show reel. You have to put the terms and conditions for these in a separate document. You need to give this to the performer, model or entertainment worker before providing these services.

    " + ], + "id": "train-1500" + }, + { + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "scenario": "I own a house with a private garden . My garden fence is only 3 feet from a public road so for more privacy I decided to erect a 8 feet fence but the allowed height is only 6 feet", + "question": "I applied for a permission to have a 8 feet fence. My application was made 10 weeks before but no decision made. Can I appeal ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal against a lawful development certificate decision if either:

    ", + "
  • the decision was not made within 8 weeks (6 weeks for work to a listed building)
  • ", + "

    Only the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.

    " + ], + "id": "train-1501" + }, + { + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "scenario": "I have a semi detached house and my living room space was small so I decided to extent my living room. Driving way parking is close to the living room so I decided utilise that space. I applied for a lawful development certificate", + "question": "My application was rejected but I appealed the decision. what happens after I appeal ?", + "not_answerable": false, + "answers": [ + [ + "the planning inspectorate will check your appeal to make sure it\u2019s valid.", + [] + ], + [ + "the planning inspectorate will then consider your appeal", + [] + ], + [ + "you can apply for an \u2018award of costs\u2019", + [ + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    " + ] + ] + ], + "evidences": [ + "

    You can appeal against a lawful development certificate decision if either:

    ", + "
  • you disagree with it
  • ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    " + ], + "id": "train-1502" + }, + { + "url": "https://www.gov.uk/vat-businesses", + "scenario": "I am running a business which is selling toys for kids under 10. Recently I got a big stock of toys and sold most of them. I have few left over toys which I am planning to donate to a charity", + "question": "What evidence do I need to verify the charity I am giving the goods are eligible for zero or reduced rate of VAT ?", + "not_answerable": false, + "answers": [ + [ + "evidence that they\u2019re a charity", + [] + ], + [ + "a written declaration or \u2018certificate\u2019 confirming they meet the conditions for the particular vat relief", + [] + ], + [ + "their charity commission registration number", + [] + ], + [ + "a letter of recognition from hm revenue and customs (hmrc) if they\u2019re not registered with the charity commission for england and wales (for example if they\u2019re a scottish or northern irish charity)", + [ + "
  • a letter of recognition from HM Revenue and Customs (HMRC) if they\u2019re not registered with the Charity Commission for England and Wales (for example if they\u2019re a Scottish or Northern Irish charity)
  • " + ] + ] + ], + "evidences": [ + "

    As a VAT-registered business, you can sell certain goods and services to charities at the zero or reduced rate of VAT.

    ", + "

    It\u2019s your responsibility to check the charity is eligible, and to apply the correct rate.

    ", + "

    To make sure the charity is eligible, ask them for:

    ", + "
  • evidence that they\u2019re a charity
  • ", + "
  • a written declaration or \u2018certificate\u2019 confirming they meet the conditions for the particular VAT relief
  • ", + "

    The charity should give you either:

    ", + "
  • their Charity Commission registration number
  • ", + "
  • a letter of recognition from HM Revenue and Customs (HMRC) if they\u2019re not registered with the Charity Commission for England and Wales (for example if they\u2019re a Scottish or Northern Irish charity)
  • " + ], + "id": "train-1503" + }, + { + "url": "https://www.gov.uk/food-labelling-and-packaging", + "scenario": "I make jams, chutneys and curds to sell at a local farmer's market. I try to ensure that my products are correctly labelled but am sometimes worried that I am not including all the information I am legally obliged to.", + "question": "Where can I find details of what I have to include on the labels of my food?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1504" + }, + { + "url": "https://www.gov.uk/food-labelling-and-packaging", + "scenario": "Recently I purchased a jar of homemade rum butter from a local market. I was verbally assured that it would have no trace of nuts, even though there was no label to this effect. When my son ate some he had an allergic reaction and ended up in hospital. I am very angry about this", + "question": "Was the vendor/manufactuer breaking the law in not correctly labelling their product?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    To sell food and drink products, the label must be:

    ", + "
  • clear and easy to read
  • ", + "
  • permanent
  • ", + "
  • easy to understand
  • ", + "
  • easily visible
  • ", + "
  • not misleading
  • ", + "

    You must show certain basic information and list the ingredients. You might also have to show certain warnings.

    ", + "

    You must show the following information:

    ", + "
  • any necessary warnings
  • ", + "
  • a list of ingredients (if there is more than 1)
  • ", + "

    If your food or drink product has 2 or more ingredients (including any additives), you must list them all. Ingredients must be listed in order of weight, with the main ingredient first.

    ", + "

    You must highlight allergens on the label using a different font, style or background colour. You must also list them in the ingredients.

    ", + "

    The allergens you need to highlight and list are:

    ", + "
  • nuts
  • " + ], + "id": "train-1505" + }, + { + "url": "https://www.gov.uk/capital-allowances", + "scenario": "I am a dairy farmer and regulary buy machinery for my farm. The amount that I pay varies tremendously from season to season, however.", + "question": "What is the maximum amount can I claim on capital allowance?", + "not_answerable": false, + "answers": [ + [ + "1 million", + [] + ] + ], + "evidences": [ + "

    You can claim capital allowances when you buy assets that you keep to use in your business, for example:

    ", + "
  • machinery
  • ", + "

    In most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:

    ", + "

    Plant and machinery includes:

    ", + "
  • items that you keep to use in your business, including cars
  • ", + "
  • costs of demolishing plant and machinery
  • ", + "

    You can deduct the full value of an item that qualifies for annual investment allowance (AIA) from your profits before tax.

    ", + "

    The AIA amount has temporarily increased to \u00a31 million between 1 January 2019 and 31 December 2020.

    ", + "1 million | 1 January 2019 - 31 December 2020 | 1 January 2019 - 31 December 2020" + ], + "id": "train-1506" + }, + { + "url": "https://www.gov.uk/capital-allowances", + "scenario": "I use a car for my small home delivery business. The car is used exclusively for business purposes and not for private use.SI", + "question": "Is there a distinction between business and private use when it come to vehicle ownership?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can claim capital allowances when you buy assets that you keep to use in your business, for example:

    ", + "
  • business vehicles, for example cars, vans or lorries
  • ", + "

    You can claim capital allowances on cars you buy and use in your business. This means you can deduct part of the value from your profits before you pay tax.

    ", + "

    If you\u2019re a sole trader or partner and you also use your car outside your business, calculate how much you can claim based on the amount of business use.

    ", + "

    If your business provides a car for an employee or director you can claim capital allowances on the full cost. You may need to report it as a benefit if they use it personally.

    " + ], + "id": "train-1507" + }, + { + "url": "https://www.gov.uk/energy-performance-certificate-commercial-property", + "scenario": "I just recently purchased an art gallery in Norwich that will be frequently visited by the public. It does not already have an EPC, so I want to apply for one.", + "question": "For how long is an EPC valid?", + "not_answerable": false, + "answers": [ + [ + "10 years", + [] + ] + ], + "evidences": [ + "

    You must display an EPC by fixing it to your commercial building if all these apply:

    ", + "
  • the building is frequently visited by the public
  • ", + "

    The cost of an EPC will depend on the building being assessed. All EPCs are valid for 10 years.

    " + ], + "id": "train-1508" + }, + { + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "scenario": "I make homemade toffee and fudge to sell at a local market store. This is sold loose according to how much the customer wants.", + "question": "Could I be in trouble if I sold the goods in imperial units?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.

    ", + "

    You can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.

    " + ] + ], + [ + "yes", + [ + "

    You must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.

    " + ] + ] + ], + "evidences": [ + "

    You must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.

    ", + "

    You can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.

    ", + "

    You can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.

    " + ], + "id": "train-1509" + }, + { + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "scenario": "I am a big fan of British cheese and I am upset to find that I can no longer purchase it in Imperial units as I used to. It is not the same bought in kilos!", + "question": "Why can I no longer buy cheese or other goods in imperial units?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1510" + }, + { + "url": "https://www.gov.uk/food-labelling-and-packaging", + "scenario": "I am setting up a small business from home selling honey from Greece in the UK. The honey comes in ceramic pots and I have bought it as already packaged to sell. ", + "question": "do I still need a declaration of compliance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    There are special rules for using plastics, ceramics or cellophane for packaging. You must have written evidence that you\u2019ve kept to them.

    ", + "

    This is known as a \u2018declaration of compliance\u2019 and you can get it from your packaging supplier. You also have to get one if you buy food that\u2019s already packaged for sale in any of those materials.

    " + ], + "id": "train-1511" + }, + { + "url": "https://www.gov.uk/food-labelling-and-packaging", + "scenario": "As a sole trader, if I am selling a product that is very long lasting on my stall at the village fair, such as apple cider vinegar. ", + "question": "Can I safely drop the 'best before date' on the food packaging?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must show certain basic information and list the ingredients. You might also have to show certain warnings.

    ", + "

    You must show the following information:

    ", + "
  • a \u2018best before\u2019 or \u2018use by\u2019 date
  • " + ], + "id": "train-1512" + }, + { + "url": "https://www.gov.uk/liquidate-your-company", + "scenario": "My company operates a few food stands in a few cities. The last 12 months our profits plummeted and we are in debt of over \u00a35000. As it stands it would appear that I we are unable to maintain operation for long. I have a business partner and we both own 50% of the business. He believes we will be able to get back on our feet and turn a profit in the next 6 months.", + "question": "Can I apply to liquidate the company if I own only 50%?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can choose to liquidate your limited company (also called \u2018winding up\u2019 a company).

    ", + "

    There are 3 types of liquidation:

    ", + "
  • compulsory liquidation - your company cannot pay its debts and you apply to the courts to liquidate it
  • ", + "

    A director can propose a company stops trading and be liquidated (\u2018wound up\u2019) if:

    ", + "
  • the company cannot pay its debts (it\u2019s \u2018insolvent\u2019)
  • ", + "

    A director can ask a court to order the company to stop trading and be liquidated (\u2018wound up\u2019).

    ", + "

    You need to show the court that:

    ", + "
  • the company cannot pay its debts of \u00a3750 or more
  • " + ], + "id": "train-1513" + }, + { + "url": "https://www.gov.uk/liquidate-your-company", + "scenario": "A business I was working with filed for liquidation after a very unsuccessful year. It was an up and coming fashion brand which required materials for their clothing line. My company has been supplying them with the necessary materials. We had just finished an order for them a few days before they announced their liquidation. Half of the materials had been payed for before hand but the other half still awaits payment.", + "question": "Since they filed for liquidation who will be in charge or ensuring creditors like us get paid?", + "not_answerable": false, + "answers": [ + [ + "the liquidator", + [] + ] + ], + "evidences": [ + "

    When you liquidate a company, its assets are used to pay off its debts. Any money left goes to shareholders. You\u2019ll need a validation order to access your company bank account.

    ", + "

    There are 3 types of liquidation:

    ", + "
  • creditors\u2019 voluntary liquidation - your company cannot pay its debts and you involve your creditors when you liquidate it
  • ", + "

    The liquidator is an authorised insolvency practitioner or official receiver who runs the liquidation process.

    ", + "

    They will:

    ", + "
  • sell off the company\u2019s assets and use any money to pay creditors
  • ", + "

    In a creditors\u2019 voluntary liquidation, the liquidator acts in the interest of the creditors not the directors.

    " + ], + "id": "train-1514" + }, + { + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "scenario": "I run an Indian takeaway business. I have recently had a visit from the council hygiene inspector, and unfortunately the results came back lower than expected, with a score of 3 out of 5. I am planning to get re-tested after making improvements.", + "question": "Do I have to display the current rating to my customers?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If your business deals in food you must:

    ", + "
  • display your food hygiene rating (if you sell food direct to the public)
  • ", + "

    You can be inspected by your local council at any point in the food production and distribution process. All inspectors must follow the Food Law Code of Practice. Usually, you won\u2019t be told an inspection is going to happen.

    " + ], + "id": "train-1515" + }, + { + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "scenario": "I run a well regarded french restaurant in London. Unfortunately due to an undetected fault with one of our fridges, uncovered by our chef this morning, we think that some of the food sold yesterday might have been unsafe.", + "question": "How can I report this food incident?", + "not_answerable": false, + "answers": [ + [ + "submit a food safety incident report", + [] + ] + ], + "evidences": [ + "

    You must tell the Food Standards Agency (FSA) if you think any food your business:

    ", + "
  • has sold is unsafe
  • ", + "

    Submit a food safety incident report.

    " + ], + "id": "train-1516" + }, + { + "url": "https://www.gov.uk/employer-reporting-expenses-benefits", + "scenario": "I own a letting agency in Bristol. I want to provide my employees with a company car so that they can travel more easily to our properties.", + "question": "What details of this expense should be recorded?", + "not_answerable": false, + "answers": [ + [ + "the date and details of every expense or benefit you provide", + [] + ], + [ + "any information needed to work out the amounts you put on your end-of-year forms", + [] + ], + [ + "any payment your employee contributes to an expense or benefit", + [] + ] + ], + "evidences": [ + "

    Examples of expenses and benefits include:

    ", + "
  • company cars
  • ", + "

    You must keep a record of all expenses and benefits you provide to your employees.

    ", + "

    Your records need to show that you\u2019ve reported accurately and your end-of-year forms are correct.

    ", + "

    You\u2019ll need to keep a record of:

    ", + "
  • the date and details of every expense or benefit you provide
  • ", + "
  • any information needed to work out the amounts you put on your end-of-year forms
  • ", + "
  • any payment your employee contributes to an expense or benefit
  • " + ], + "id": "train-1517" + }, + { + "url": "https://www.gov.uk/employer-reporting-expenses-benefits", + "scenario": "I employee ten people in my bicycle repair shop in Salford. I pay a flat rate as part of their earnings to cover the cost of their uniforms and tools for work.", + "question": "Can my employees check their own expenses?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You don\u2019t have to report certain business expenses and benefits like:

    ", + "
  • uniform and tools for work
  • ", + "

    To qualify for an exemption, you must be either be:

    ", + "
  • paying a flat rate to your employee as part of their earnings - this must be either a benchmark rate or a special (\u2018bespoke\u2019) rate approved by HMRC
  • ", + "

    Your employees aren\u2019t allowed to check their own expenses, so someone else within your company needs to do this to make sure they\u2019re legitimate.

    " + ], + "id": "train-1518" + }, + { + "url": "https://www.gov.uk/protecting-company-from-compulsory-liquidation", + "scenario": "I own a fitness equipment company and recently we planned an expansion of business into branding our own water flasks. Unfortunately the venture was less then successful and my company is now in debt. The creditors of the business are thinking of filing for the wind up of the company. As of right now my paid up share capital is under \u00a3100,000", + "question": "Which court should I apply to in order to prevent my creditors from applying to wind up my company?", + "not_answerable": false, + "answers": [ + [ + "use the court finder to find a court", + [] + ] + ], + "evidences": [ + "

    Your limited company can be liquidated (\u2018wound up\u2019) if it cannot pay its debts.

    ", + "

    The people or organisations your company owes money to (your \u2018creditors\u2019) can apply to the court to get their debts paid.

    ", + "

    They can do this by either:

    ", + "
  • making an official request for payment - this is called a statutory demand
  • ", + "

    Your creditors can apply to wind up your company if you do not respond to the statutory demand within 21 days.

    ", + "

    You can apply to the court to stop (\u2018restrain\u2019) your creditors from applying to wind up your company. You must do this within 21 days of getting the statutory demand.

    ", + "

    Which court you apply to depends on how much money shareholders have paid into your company by buying shares (\u2018paid up share capital\u2019).

    ", + "

    Your paid up share capital is less than \u00a3120,000

    ", + "

    Use the court finder to find a court dealing with insolvency. You must use the court nearest your company\u2019s registered office.

    " + ], + "id": "train-1519" + }, + { + "url": "https://www.gov.uk/protecting-company-from-compulsory-liquidation", + "scenario": "My software retail business has suffered significant losses in the past 12 months and my creditors have applied to wind the business. I attended a hearing in court and the verdict stated that I am found unable to pay my debts.", + "question": "Am I still going to be able to access and use the company related bank accounts?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The people or organisations your company owes money to (your \u2018creditors\u2019) can apply to the court to get their debts paid.

    ", + "

    Your creditors can apply to the court to close down your company. They do this by making an application called a \u2018winding-up petition\u2019.

    ", + "

    If the court decides you cannot pay your debts

    ", + "

    When you get a winding-up order:

    ", + "
  • your company\u2019s bank account will usually be frozen
  • " + ], + "id": "train-1520" + }, + { + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "scenario": "I run a shoe business. I purchased a bulk order from a dealer because of the demand during a festive period. I have paid for the order in full but they claim that I have not paid in full", + "question": "The dealer has filed a court claim for the money. I want to counterclaim, is it possible ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get a letter or email if someone claims you owe them money. You must respond by the date on the email or letter you receive.

    ", + "
  • defending the claim (if you do not think you owe any money or you\u2019ve already paid)
  • ", + "

    You can defend the claim if either:

    ", + "
  • you do not think you owe the other person or business any money
  • ", + "

    You can also make a claim against them (\u2018counterclaim\u2019) if you think they owe you money. You might have to pay a court fee.

    " + ], + "id": "train-1521" + }, + { + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "scenario": "I run a door lock repair business. Due to the pandemic, there was not much work and borrowed some money from a small money lending firm and could not repay it and they have filed a court claim", + "question": "I am prepared to pay the money in instalments. Will the court accept me paying in instalments ?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    If the claimant does not accept your offer, the court will decide how you pay.

    " + ] + ], + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can respond by:

    ", + "
  • paying the full amount
  • ", + "

    If you cannot afford to pay the full amount at once

    ", + "

    You can offer to pay in instalments or by a certain date.

    ", + "

    If the claimant does not accept your offer, the court will decide how you pay.

    " + ], + "id": "train-1522" + }, + { + "url": "https://www.gov.uk/become-childminder-nanny", + "scenario": "I recently was made redundant from my job in a nursery. I want to set up my own business offering childminding services for children under 5 years old.", + "question": "Which register do I need to join?", + "not_answerable": false, + "answers": [ + [ + "the early years register", + [] + ] + ], + "evidences": [ + "

    If you want to be paid to look after children under 8, you might need to register with Ofsted or a childminder agency.

    ", + "

    Which register you join depends on:

    ", + "
  • the age of the children you\u2019re looking after
  • ", + "
  • if you\u2019re registering as a childminder or a nanny
  • ", + "

    If you\u2019re a childminder and you look after children from birth to 5 years old you must join the Early Years Register. This lets you look after children up to 31 August after their fifth birthday.

    " + ], + "id": "train-1523" + }, + { + "url": "https://www.gov.uk/become-childminder-nanny", + "scenario": "I am close friends with my neighbour. She has asked me if I would be a childminder for her children aged 4 and 7 for 1-2 hours a day during the week.", + "question": "Do I need to formally register as a childminder to do this?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you want to be paid to look after children under 8, you might need to register with Ofsted or a childminder agency.

    ", + "

    You must register as a childminder if all of the following apply:

    ", + "
  • the children are under the age of 8
  • ", + "

    You do not need to register if you\u2019re:

    ", + "
  • a family friend and if you look after the children less than 3 hours a day
  • " + ], + "id": "train-1524" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "scenario": "I am a self employed brick layer working regularly in my local area. ", + "question": "Will the Construction Industry Scheme save me money on my deduction?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:

    ", + "
  • self-employed
  • ", + "

    Under CIS, a contractor must deduct 20% from your payments and pass it to HM Revenue and Customs (HMRC).

    ", + "

    These deductions count as advance payments towards your tax and National Insurance bill.

    ", + "

    If you do not register for the scheme, contractors must deduct 30% from your payments instead.

    ", + "

    When a contractor pays you under CIS, they\u2019ll normally make deductions at the standard rate of 20%.

    ", + "

    Contractors will make deductions at a higher rate of 30% if:

    ", + "
  • you are not registered for CIS
  • " + ], + "id": "train-1525" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "scenario": "I work as a partner in a Trust and am using the construction industry scheme. I also have gross payments status. ", + "question": "If I am late with a tax return what are the possible outcomes?", + "not_answerable": false, + "answers": [ + [ + "hmrc will remove your gross payment status", + [ + "

    You must be on time with your tax returns and payments to keep your gross payment status.

    ", + "

    You could fail the review and HMRC will remove your gross payment status. You\u2019ll be allowed a small amount of late payments or returns.

    " + ] + ], + [ + "will not affect your gross payment status", + [ + "

    Contact HMRC if you have problems paying your tax on time. If HMRC give you more time to pay, this will not affect your gross payment status.

    " + ] + ] + ], + "evidences": [ + "

    If you have gross payment status, HM Revenue and Customs (HMRC) will review your business every year, to decide if you can keep your status.

    ", + "

    You must be on time with your tax returns and payments to keep your gross payment status.

    ", + "

    You could fail the review and HMRC will remove your gross payment status. You\u2019ll be allowed a small amount of late payments or returns.

    ", + "

    Contact HMRC if you have problems paying your tax on time. If HMRC give you more time to pay, this will not affect your gross payment status.

    " + ], + "id": "train-1526" + }, + { + "url": "https://www.gov.uk/become-childminder-nanny", + "scenario": "My daughter has three children, two of whom are under school age. She has asked me if I would be prepared to look after them whilst she is at her part time job.", + "question": "What steps do I need to take to become a paid carer for my grandchildren?", + "not_answerable": false, + "answers": [ + [ + "an enhanced criminal record check with barred lists from the disclosure and barring service (dbs)", + [] + ], + [ + "first aid training for the age group you will look after", + [] + ], + [ + "childcare training", + [] + ], + [ + "a health declaration booklet", + [] + ], + [ + "contact details for 2 references", + [] + ] + ], + "evidences": [ + "

    If you want to be paid to look after children under 8, you might need to register with Ofsted or a childminder agency.

    ", + "

    You will need:

    ", + "
  • an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check
  • ", + "
  • first aid training for the age group you will look after
  • ", + "
  • childcare training - speak to your local council
  • ", + "
  • a health declaration booklet
  • ", + "
  • contact details for 2 references
  • ", + "
  • a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years
  • " + ], + "id": "train-1527" + }, + { + "url": "https://www.gov.uk/become-childminder-nanny", + "scenario": "It has been my ambition to work with children for a long time and I would like to go abroad to work as a nanny, particularly for children under five. I submitted my application of registration but unfortunately got rejected.", + "question": "What actions can I task if my application is refused?", + "not_answerable": false, + "answers": [ + [ + "object to a decision", + [ + "

    You can object to a decision if you\u2019ve been sent a \u2018notice of intention\u2019.

    " + ] + ], + [ + "appeal to an independent tribunal", + [ + "

    If you disagree with Ofsted\u2019s final decision, you can appeal to an independent tribunal.

    " + ] + ] + ], + "evidences": [ + "

    You can object to a decision if you\u2019ve been sent a \u2018notice of intention\u2019.

    ", + "

    If you disagree with Ofsted\u2019s final decision, you can appeal to an independent tribunal.

    " + ], + "id": "train-1528" + }, + { + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "scenario": "Me and my partner employ various care workers through our Care Staff Agency. It is a small business with one office. ", + "question": "As we are both equal partners and employers who would be responsible for the fire safety.?", + "not_answerable": false, + "answers": [ + [ + "work together", + [] + ] + ], + "evidences": [ + "

    You\u2019re responsible for fire safety in business or other non-domestic premises if you\u2019re:

    ", + "
  • an employer
  • ", + "

    You\u2019re known as the \u2018responsible person\u2019. If there\u2019s more than one responsible person, you have to work together to meet your responsibilities.

    " + ], + "id": "train-1529" + }, + { + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "scenario": "I am extending my caf\u00e9, the building work will allow for more tables and hopefully more custom. ", + "question": "For a small extension, will fire safety have to be designed into the work the builder is doing?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    When building new premises or doing building work on existing premises, you must comply with building regulations. This includes designing fire safety into the proposed building or extension.

    " + ], + "id": "train-1530" + }, + { + "url": "https://www.gov.uk/liquidate-your-company", + "scenario": "I have a limited company and I am the director and running it for the last 8 years. I am from Spain and planning to move back to Spain and applied for a liquidation of my company", + "question": "While my application is in progress what happens to my funds in the bank ?", + "not_answerable": false, + "answers": [ + [ + "your company\u2019s bank account will be frozen", + [ + "

    Your company\u2019s bank account will be frozen when someone files a petition to wind up the company.

    " + ] + ], + [ + "its assets are used to pay off its debts. any money left goes to shareholders.", + [ + "

    When you liquidate a company, its assets are used to pay off its debts. Any money left goes to shareholders. You\u2019ll need a validation order to access your company bank account.

    " + ] + ] + ], + "evidences": [ + "

    When you liquidate a company, its assets are used to pay off its debts. Any money left goes to shareholders. You\u2019ll need a validation order to access your company bank account.

    ", + "

    Your company\u2019s bank account will be frozen when someone files a petition to wind up the company.

    " + ], + "id": "train-1531" + }, + { + "url": "https://www.gov.uk/liquidate-your-company", + "scenario": "I have a limited company and I am the director and because of the recent IR35 rules I have decided to take a permanent role and planning to apply for liquidation of my company . I have three shareholder in my limited company", + "question": "Do I have get share holder's permission to file a liquidation ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can choose to liquidate your limited company (also called \u2018winding up\u2019 a company).

    ", + "

    A director can propose a company stops trading and be liquidated (\u2018wound up\u2019) if:

    ", + "
  • enough shareholders agree
  • ", + "

    You must call a meeting of shareholders and ask them to vote.

    ", + "

    75% (by value of shares) of shareholders must agree to the winding-up to pass a \u2018winding-up resolution\u2019.

    " + ], + "id": "train-1532" + }, + { + "url": "https://www.gov.uk/marketing-advertising-law", + "scenario": "We have recently created a beauty product and been selling to the local supermarket stores. Recently we decided to market the product online we have started receiving orders and queries from customers. As part of this we have store some customer information", + "question": "Can we use their information to send them targeted advertisement?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You must check if customers want to be contacted by fax, phone, post or email, and give them the chance to object. You must be able to prove you\u2019ve done this.

    ", + "

    When you collect customer details, you must get their permission if you want to send them other offers or promotions.

    ", + "

    You\u2019re not allowed to send marketing faxes to individuals unless you\u2019ve received their prior permission, but you can send unsolicited faxes to companies.

    ", + "

    If you want to make automated calls - with pre-recorded phone messages - you must get the permission of the individual or business first.

    ", + "

    You\u2019re only allowed to send marketing emails to individual customers if they\u2019ve given you permission.

    ", + "

    You must tell visitors to your website how your site uses cookies, and ask if they want to accept them.

    " + ] + ] + ], + "evidences": [ + "

    You must check if customers want to be contacted by fax, phone, post or email, and give them the chance to object. You must be able to prove you\u2019ve done this.

    ", + "

    When you collect customer details, you must get their permission if you want to send them other offers or promotions.

    ", + "

    You\u2019re not allowed to send marketing faxes to individuals unless you\u2019ve received their prior permission, but you can send unsolicited faxes to companies.

    ", + "

    If you want to make automated calls - with pre-recorded phone messages - you must get the permission of the individual or business first.

    ", + "

    You\u2019re only allowed to send marketing emails to individual customers if they\u2019ve given you permission.

    ", + "

    You must tell visitors to your website how your site uses cookies, and ask if they want to accept them.

    " + ], + "id": "train-1533" + }, + { + "url": "https://www.gov.uk/marketing-advertising-law", + "scenario": "We have a store selling fitness products to the people. We have decided to expand out portfolio and decided to sell the product online and started preparing the images and videos of our product.", + "question": "Where can I looking for acceptable guidance for describing a product ?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1534" + }, + { + "url": "https://www.gov.uk/eori", + "scenario": "I run a haulage company that uses heavy goods vehicles to transport a variety of produce from England to France.", + "question": "What type of EORI number do I need?", + "not_answerable": false, + "answers": [ + [ + "an eori number that starts with gb", + [] + ] + ], + "evidences": [ + "

    You may need an Economic Operators Registration and Identification number (EORI number) if you move goods:

    ", + "
  • between Great Britain (England, Scotland and Wales) or the Isle of Man and any other country (including the EU)
  • ", + "

    Which type of EORI number you need and where you get it from depends on where you\u2019re moving goods to and from. You may need more than one.

    ", + "

    If you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.

    " + ], + "id": "train-1535" + }, + { + "url": "https://www.gov.uk/eori", + "scenario": "I run a small business making bicycles that is based in England. I want to start shipping our products to Northern Ireland.", + "question": "To get an XI EORI number, do I need to have a GB EORI number first?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may need an Economic Operators Registration and Identification number (EORI number) if you move goods:

    ", + "
  • between Great Britain and Northern Ireland
  • ", + "

    If you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.

    ", + "

    You may also need an EORI number starting with XI if you move goods to or from Northern Ireland.

    ", + "

    You must have an Economic Operators Registration and Identification number (EORI number) that starts with XI if you:

    ", + "
  • move goods into Northern Ireland from Great Britain (England, Scotland and Wales)
  • ", + "

    You must have applied for a GB EORI number before you can get an XI EORI number.

    " + ], + "id": "train-1536" + }, + { + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "scenario": "I am self employed as a carer and often drive my own car to the homes of those I support. ", + "question": "Can I use a flat rate for my vehicle mileage when I calculate it at the end of the year?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.

    " + ] + ], + [ + "yes", + [ + "

    You cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.

    " + ] + ] + ], + "evidences": [ + "

    Simplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.

    ", + "

    Simplified expenses can be used by:

    ", + "
  • sole traders
  • ", + "

    You can use flat rates for:

    ", + "
  • business costs for some vehicles
  • ", + "

    Calculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.

    ", + "

    You can use simplified expenses for:

    ", + "
  • cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)
  • ", + "

    You cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.

    " + ], + "id": "train-1537" + }, + { + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "scenario": "I am a sole trader and use a motorcycle to deliver my magazines. ", + "question": "Does the flat rate for simplified expenses change dependant on total mileage?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Simplified expenses can be used by:

    ", + "
  • sole traders
  • ", + "

    You can use flat rates for:

    ", + "
  • business costs for some vehicles
  • ", + "Vehicle | Flat rate per mile with simplified expenses", + "Motorcycles | 24p" + ], + "id": "train-1538" + }, + { + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "scenario": "I am self employed and travel a lot. I own a car and planning to apply for flat rate VAT", + "question": "How much money I can claim per mile ?", + "not_answerable": false, + "answers": [ + [ + "45p", + [ + "

    You cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.

    ", + "Cars and goods vehicles first 10,000 miles | 45p" + ] + ], + [ + "25p", + [ + "Vehicle | Flat rate per mile with simplified expenses", + "Cars and goods vehicles after 10,000 miles | 25p" + ] + ] + ], + "evidences": [ + "

    Simplified expenses can be used by:

    ", + "
  • sole traders
  • ", + "

    You can use flat rates for:

    ", + "
  • business costs for some vehicles
  • ", + "

    You cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.

    ", + "Vehicle | Flat rate per mile with simplified expenses", + "Cars and goods vehicles first 10,000 miles | 45p", + "Cars and goods vehicles after 10,000 miles | 25p" + ], + "id": "train-1539" + }, + { + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "scenario": "I am self employed and an Information. technology professional. I work from home a lot and pay excess telephone and internet charges", + "question": "Will I be able to claim telephone expenses through flat rate ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Simplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.

    ", + "

    Simplified expenses can be used by:

    ", + "
  • sole traders
  • ", + "

    You can use flat rates for:

    ", + "
  • working from home
  • ", + "

    Calculate your allowable expenses using a flat rate based on the hours you work from home each month.

    ", + "

    The flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.

    " + ], + "id": "train-1540" + }, + { + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "scenario": "I own a small corner shop convenience store in a pleasant suburb. I had a notice outside which read 'try the best lemonade you have ever had'.", + "question": "A customer has complained. who decides if the wording used is unfair?", + "not_answerable": false, + "answers": [ + [ + "the courts", + [] + ] + ], + "evidences": [ + "

    If a customer complains

    ", + "

    It\u2019s up to the courts to decide if a term in your contract or wording in your notices is unfair.

    " + ], + "id": "train-1541" + }, + { + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "scenario": "I have recently started working on a job as a landscape gardener and the work is taking longer than expected. As I have been very busy with family life, no time has been agreed as to how long it should take.", + "question": "does the customer have implied rights in this area?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.

    ", + "

    Your customers have implied rights when buying your goods or services.

    ", + "

    Implied rights mean services must be carried out:

    ", + "
  • within a reasonable time (if no specific time has been agreed)
  • " + ], + "id": "train-1542" + }, + { + "url": "https://www.gov.uk/make-changes-to-your-limited-company", + "scenario": "My company works with and promotes online personalities and influencers. We recently went public with hopes of growing our business at a faster rate. The venture has been very successful and we are looking to alter the amount of shares we offer and their value.", + "question": "What documents do we need to prepare in order to apply for the change?", + "not_answerable": false, + "answers": [ + [ + "a notice about the change you\u2019ve made", + [] + ], + [ + "a \u2018statement of capital\u2019", + [] + ] + ], + "evidences": [ + "

    You must tell Companies House if you change your company\u2019s:

    ", + "
  • share, for example issuing new shares or changing your share structure
  • ", + "

    You must tell Companies House about any changes to your company\u2019s share structure that you make outside your annual return.

    ", + "

    You may need a special resolution to change your company\u2019s share structure. This includes if you:

    ", + "
  • change the number of shares the company has and their total value - this is your \u2018share capital\u2019 (the part of your company\u2019s money that comes from shares)
  • ", + "
  • cancel any of your shares
  • ", + "

    You must tell Companies House within a month if you issue more shares in your company.

    ", + "

    You must include a notice about the change you\u2019ve made and a statement declaring:

    ", + "
  • the company\u2019s total number of shares
  • ", + "
  • the total value of those shares
  • ", + "
  • how many shares have been paid for or not paid for
  • ", + "

    This is sometimes known as a \u2018statement of capital\u2019.

    " + ], + "id": "train-1543" + }, + { + "url": "https://www.gov.uk/make-changes-to-your-limited-company", + "scenario": "I own a small business that operates in the heart of Liverpool at the moment. Recently the increase in rent prices has impacted our earnings. I am looking to reallocate the main office which is also where we store our company records. The new office space will remain in England as we are looking for places around Liverpool.", + "question": "How can I notify HMRC about my changes?", + "not_answerable": false, + "answers": [ + [ + "use the companies house online service", + [] + ], + [ + "download and fill in a change of address form", + [] + ] + ], + "evidences": [ + "

    You must tell Companies House if you change your company\u2019s:

    ", + "
  • address
  • ", + "

    You can either:

    ", + "
  • use the Companies House online service if it\u2019s available for the change you need to make
  • ", + "
  • download and fill in paper forms
  • ", + "

    You must tell Companies House if you want to change:

    ", + "
  • the address where you keep your records, and which records you\u2019ll keep there
  • ", + "

    You can use the Companies House online service.

    ", + "

    Download and fill in a change of address form. Send your completed form to the Companies House address on the form.

    " + ], + "id": "train-1544" + }, + { + "url": "https://www.gov.uk/overseas-customers-export-opportunities", + "scenario": "I sell home made soft toys online and would really like to expand my customer base. At the moment most of my trade is within the UK but I would like to expand my business to Europe and even beyond.", + "question": "I've heard there are some special deals negotiated by the government. Where can I find them?", + "not_answerable": false, + "answers": [ + [ + "e-exporting programme", + [] + ] + ], + "evidences": [ + "

    Get help selling online overseas and take advantage of special deals negotiated by the government.

    ", + "

    And join the e-exporting programme to get:

    " + ], + "id": "train-1545" + }, + { + "url": "https://www.gov.uk/overseas-customers-export-opportunities", + "scenario": "I run a jewellery store but have only ever traded instore. I know very little about the internet but I am told it might be a good way to expand my customer base. I have no idea how to go about this though.", + "question": "Can I get advise on trading on the internet?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Get help selling online overseas and take advantage of special deals negotiated by the government.

    ", + "

    And join the e-exporting programme to get:

    ", + "
  • advice on developing a strategy from e-commerce and international trade experts
  • ", + "
  • special rates for some of the world\u2019s most popular online selling platforms
  • ", + "
  • regular updates on e-commerce trends and opportunities to hear from industry experts and network with other online traders
  • " + ], + "id": "train-1546" + }, + { + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "scenario": "I run a take away with two full time employees. We sell a range of foods from sandwiches to all day breakfasts and fish suppers. We have quite a high food safety rating but feel it should be higher than it is.", + "question": "Can I ask for our food hygiene certificate to be reviewed with the possibility of increasing the rating?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1547" + }, + { + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "scenario": "I work in a burger joint and have done for the past three months. I am seriously concerned about the standards of food hygiene and I believe that my employer is sometimes selling out of date food.", + "question": "Would I be risking my job if I report my employer for this?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1548" + }, + { + "url": "https://www.gov.uk/paye-settlement-agreements", + "scenario": "I own a company providing holiday rentals to tourists along the Norfolk Coast, which currently has 83 employees. Due to the seasonal (and sometimes sporadic) nature of the business we are thinking of applying for a PSA to cover some of our employee benefits.", + "question": "What are the deadlines to apply for and then to settle a PSA agreement?", + "not_answerable": false, + "answers": [ + [ + "5 july following the first tax year", + [] + ] + ], + "evidences": [ + "

    A PAYE Settlement Agreement (PSA) allows you to make one annual payment to cover all the tax and National Insurance due on minor, irregular or impracticable expenses or benefits for your employees.

    ", + "

    The expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.

    ", + "

    Irregular benefits and expenses are things that are not paid at regular intervals over the course of a tax year, for example weekly or monthly. They\u2019re also things that employees do not have a contractual right to. Examples of irregular expenses and benefits include:

    ", + "

    The deadline for applying for a PAYE Settlement Agreement (PSA) is 5 July following the first tax year it applies to.

    " + ], + "id": "train-1549" + }, + { + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "scenario": "I manage a hardware store, which sells products primarily to consumers. I am considering starting a tool hire service as a side line, operating from the same premises and under the same owner.", + "question": "Does the doctrine of \"implied rights\" cover products which are hired out rather than sold?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Contracts for hiring, hire purchase and part exchange also have these implied rights.

    " + ], + "id": "train-1550" + }, + { + "url": "https://www.gov.uk/tax-buy-shares", + "scenario": "I live and work in the UK, and wish to purchase shares in a company incorporated in France. They do not appear to have a share office here in the UK.", + "question": "Will I have to pay tax and/or Stamp Duty on this purchase?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    When you buy shares, you usually pay a tax or duty of 0.5% on the transaction.

    ", + "

    You do not normally have to pay Stamp Duty or SDRT if you buy foreign shares outside the UK. But you may have to pay other taxes.

    " + ], + "id": "train-1551" + }, + { + "url": "https://www.gov.uk/cartels-price-fixing", + "scenario": "My company is one of the two largest vendors in our target market, having just over 50% share with our main rival having a little under 40%. Informal contact with representatives of this rival (via our mutual membership in a trade association) has produced an \"understanding\" whereby we don't approach each other's customers in certain sectors of the market.", + "question": "Does our informal arrangement constitute anti-competitive practice?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must follow the rules on all types of anti-competitive activity including:

    ", + "
  • price fixing, bid rigging and other ways of agreeing not to compete (sometimes called \u2018cartels\u2019)
  • ", + "

    You must avoid all types of anti-competitive activity in your business including:

    ", + "
  • agreeing not to compete with another business
  • ", + "

    Agreeing not to compete with another business (\u2018cartels\u2019)

    ", + "

    If 2 or more businesses agree not to compete with each other in certain ways, it\u2019s called a \u2018cartel\u2019.

    ", + "

    The rules on cartels apply to businesses of any size.

    ", + "

    Rules about cartels cover:

    ", + "
  • sharing markets or customers
  • ", + "

    An agreement does not have to be in writing for it to be illegal. You can break the law if you have an informal conversation (or \u2018gentleman\u2019s agreement\u2019) with another business, even if the agreement is not carried out.

    ", + "

    Market sharing

    ", + "

    You cannot agree with other businesses to share markets or customers. You\u2019ll be breaking competition law if you agree with another business:

    ", + "
  • not to approach each other\u2019s customers
  • " + ], + "id": "train-1552" + }, + { + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "scenario": "I own and manage a small dairy, which supplies products to large retailers as well as selling packaged products directly to the public. We use the metric system in-house, but many of our customers prefer our products to be sold in traditional Imperial units (pints, gallons etc).", + "question": "Is it still legal to display weights or volumes in Imperial Measurements on our packaging?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.

    ", + "

    The only products you can sell in imperial measures are:

    ", + "
  • milk in returnable containers by pint
  • " + ], + "id": "train-1553" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "scenario": "I am a 24 year old self-employed electrician based in Leeds, who carries out both installation and repair of household wiring. I have recently been offered sub-contracting work by a local housebuilding firm, who are registered with the CIS as contractors.", + "question": "What percentage of my fees will the contractor deduct if I do register with the CIS?", + "not_answerable": false, + "answers": [ + [ + "20%", + [] + ], + [ + "no", + [ + "

    If you do not want deductions made

    ", + "

    If you do not want deductions to be made in advance by contractors, you can apply for \u2018gross payment status\u2019. You can do this when you register for CIS.

    " + ] + ] + ], + "evidences": [ + "

    You should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:

    ", + "
  • self-employed
  • ", + "

    Under CIS, a contractor must deduct 20% from your payments and pass it to HM Revenue and Customs (HMRC).

    ", + "

    If you do not want deductions made

    ", + "

    If you do not want deductions to be made in advance by contractors, you can apply for \u2018gross payment status\u2019. You can do this when you register for CIS.

    ", + "

    When a contractor pays you under CIS, they\u2019ll normally make deductions at the standard rate of 20%.

    " + ], + "id": "train-1554" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "scenario": "I am the owner of a housebuilding and property development firm, which routinely employs tradesmen as subcontractors within their particular field of construction expertise. We are CIS registered as Contractors, and make deductions to subcontractor payments as required by the scheme.", + "question": "For how long am I legally required to keep records of my subcontractor payments and CIS deductions?", + "not_answerable": false, + "answers": [ + [ + "at least 3 years", + [] + ] + ], + "evidences": [ + "

    You must register as a contractor with the Construction Industry Scheme (CIS) if:

    ", + "
  • you pay subcontractors to do construction work
  • ", + "

    You may be a sole trader, in a partnership or own a limited company.

    ", + "
  • When you pay subcontractors, you\u2019ll usually need to make deductions from their payments and pay the money to HMRC. Deductions count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.
  • ", + "
  • You\u2019ll need to file monthly returns and keep full CIS records - you may get a penalty if you do not.
  • ", + "

    Under the Construction Industry Scheme (CIS), you must keep records of:

    ", + "
  • the gross amount of each payment invoiced by subcontractors, excluding VAT
  • ", + "
  • any deductions you\u2019ve made from subcontractor payments
  • ", + "

    Keep these details for at least 3 years after the end of the tax year they relate to. HM Revenue and Customs (HMRC) could ask to see your CIS records at any time.

    " + ], + "id": "train-1555" + }, + { + "url": "https://www.gov.uk/become-childminder-nanny", + "scenario": "I am 24 years old, divorced and live in England. I have an application in process to register as as childminder, have public liability insurance and have already passed my childcare training and full DBS Check.", + "question": "If my application is approved, can I prevent Ofsted from publishing my address?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Ofsted will publish your unique reference number (\u2018URN\u2019) and inspection reports online. If you\u2019re a childminder they will also publish your name and address - unless you tell them not to.

    " + ] + ] + ], + "evidences": [ + "

    Ofsted will publish your unique reference number (\u2018URN\u2019) and inspection reports online. If you\u2019re a childminder they will also publish your name and address - unless you tell them not to.

    " + ], + "id": "train-1556" + }, + { + "url": "https://www.gov.uk/introduction-to-business-rates", + "scenario": "I live in Wales, and also own a small cottage close to my residence. I let this property out to tourists during the \"summer\" months (May to September, 153 days in total), although due to the pandemic occupancy was very low (10 days!) over the previous financial year (2020).", + "question": "Am I expected to pay business rates on my rental property, given the very low occupancy?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.

    ", + "

    If your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:

    ", + "
  • available to let for short periods that total 140 days or more per year
  • ", + "
  • actually let for 70 days
  • " + ], + "id": "train-1557" + }, + { + "url": "https://www.gov.uk/eori", + "scenario": "I am the owner of a greengrocers with a head office and chain of stores in Great Britain. We import many of our tomatoes from Guernsey in the Channel Islands, where we have a registered office.", + "question": "Do we need an EORI number to move our produce through customs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may need an Economic Operators Registration and Identification number (EORI number) if you move goods:

    ", + "
  • between Great Britain and the Channel Islands
  • ", + "

    To get an EORI number, your business usually needs to have premises based in the country you want to import to or export from - this is called \u2018being established\u2019. Your premises will need to be either a:

    ", + "
  • registered office
  • ", + "
  • central headquarters
  • ", + "

    If you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.

    " + ], + "id": "train-1558" + }, + { + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "scenario": "I own and run a small bookshop, which has two other employees. The shop is currently being remodelled to add a small caf\u00e9 to the premises, and I have prepared a basic HACCP plan for the handling of the food and drink.", + "question": "Is it necessary for my employees to undergo formal, accredited training in food hygiene?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You usually have to write a plan based on the HACCP principles if you run a food business. This keeps your food safe from biological, chemical and physical safety hazards.

    ", + "

    Employers are responsible for staff hygiene training. It can be either a formal programme or informal training, such as on the job training or self study.

    " + ], + "id": "train-1559" + }, + { + "url": "https://www.gov.uk/employer-reporting-expenses-benefits", + "scenario": "I own a small construction business with 22 employees. We provide a number of benefits to our employees, including health insurance, travel expenses and an on-site creche. However, the loss of our finance director to COVID-19 has caused considerable delay to our filings with HMRC.", + "question": "What is the current deadline (and late payment penalty) for submission of the relevant P11D forms?", + "not_answerable": false, + "answers": [ + [ + "6 july following the end of the tax year", + [ + "Submit your P11D forms online to HMRC | 6 July following the end of the tax year" + ] + ] + ], + "evidences": [ + "

    If you\u2019re an employer and provide expenses or benefits to employees or directors, you might need to tell HM Revenue and Customs (HMRC) and pay tax and National Insurance on them.

    ", + "

    Examples of expenses and benefits include:

    ", + "
  • health insurance
  • ", + "
  • travel and entertainment expenses
  • ", + "
  • childcare
  • ", + "

    At the end of the tax year you\u2019ll usually need to submit a P11D form to HM Revenue and Customs (HMRC) for each employee you\u2019ve provided with expenses or benefits.

    ", + "Submit your P11D forms online to HMRC | 6 July following the end of the tax year" + ], + "id": "train-1560" + }, + { + "url": "https://www.gov.uk/charities-and-tax", + "scenario": "I am the chief executive of a small, Oxford-based charity in which provides volunteer hospice care for the elderly and terminally ill. We are registered with the Charity Commission and have a letter of recognition from HMRC. Almost all of our income is from donations; however, we also receive some bank interest on accumulated funds.", + "question": "Can we claim back the tax which the bank has deducted from our interest payments?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    As a charity you can get certain tax reliefs. To benefit you must be recognised by HM Revenue and Customs (HMRC).

    ", + "

    Charities do not pay tax on most types of income as long as they use the money for charitable purposes.

    ", + "

    You can claim back tax that\u2019s been deducted, for example on bank interest and donations (this is known as Gift Aid).

    ", + "

    As a charity you do not pay tax on most of your income and gains if you use it for charitable purposes - this is known as \u2018charitable expenditure\u2019.

    ", + "

    This includes tax:

    ", + "
  • on donations
  • ", + "
  • on rental or investment income, for example bank interest
  • ", + "

    To get tax relief you must be recognised by HM Revenue and Customs (HMRC).

    ", + "

    You can claim back tax that\u2019s been deducted, for example on:

    ", + "
  • donations (this is known as Gift Aid)
  • ", + "
  • bank interest
  • ", + "

    To get tax relief your charity must be:

    ", + "
  • based in the UK, EU, Iceland, Liechtenstein or Norway
  • ", + "
  • established for charitable purposes only
  • ", + "
  • registered with the Charity Commission or another regulator, if this applies to you
  • ", + "
  • run by \u2018fit and proper persons\u2019
  • ", + "
  • recognised by HM Revenue and Customs (HMRC)
  • " + ], + "id": "train-1561" + }, + { + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "scenario": "For the past 8 months I have been engaged in a dispute (via the industry regulator) with a private parking company over a charge which I have proof is incorrect. They have now resorted to filing a court claim for the amount.", + "question": "Can I make a counterclaim against them to cover the costs of defence, in addition to defending the claim itself?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1562" + }, + { + "url": "https://www.gov.uk/food-labelling-and-packaging", + "scenario": "I own and operate a small gift/souvenir shop based in a large country park which is open to the public. We wish to start selling home-produced preserves and organic honey to our customers.", + "question": "Do I need to list all ingredients with their weights and percentages on the food labels?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • highlighted by the labelling or a picture on a package, for example \u2018extra cheese\u2019
  • ", + "
  • mentioned in the name of the product, for example \u2018cheese and onion pasty\u2019
  • ", + "
  • normally connected with the name by the consumer, for example fruit in a summer pudding
  • " + ] + ], + [ + "no", + [ + "

    If you run a catering business, you sell food loose or package it for sale in your shop, you only need to show:

    " + ] + ] + ], + "evidences": [ + "

    You must show certain basic information and list the ingredients. You might also have to show certain warnings.

    ", + "

    If you run a catering business, you sell food loose or package it for sale in your shop, you only need to show:

    ", + "
  • the name of the food
  • ", + "
  • if any of the ingredients have been irradiated, or have come from genetically modified sources
  • ", + "
  • certain warnings
  • ", + "
  • any food additive you have added
  • ", + "
  • allergen information
  • ", + "

    You must show the following information:

    ", + "
  • a list of ingredients (if there is more than 1)
  • ", + "

    If your food or drink product has 2 or more ingredients (including any additives), you must list them all. Ingredients must be listed in order of weight, with the main ingredient first.

    ", + "

    You also have to show the percentage of an ingredient if it is:

    ", + "
  • highlighted by the labelling or a picture on a package, for example \u2018extra cheese\u2019
  • ", + "
  • mentioned in the name of the product, for example \u2018cheese and onion pasty\u2019
  • ", + "
  • normally connected with the name by the consumer, for example fruit in a summer pudding
  • " + ], + "id": "train-1563" + }, + { + "url": "https://www.gov.uk/capital-allowances", + "scenario": "I am the owner and a director of a limited company which designs bespoke headstones and other memorials for relatives of the deceased. We recently acquired a new zero-emission people carrier, which is used both by our sales representatives when visiting clients and also for the delivery of some of our smaller products.", + "question": "Can the cost of this vehicle be claimed against our Annual Investment Allowance?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot claim AIA on:

    ", + "
  • cars
  • " + ], + "id": "train-1564" + }, + { + "url": "https://www.gov.uk/vat-businesses", + "scenario": "I own and operate a hardware store in Southern England. We are VAT registered, and have a returns policy by which customers can return faulty goods within their guarantee period for an identical replacement.", + "question": "Is it necessary to issue a second VAT invoice for the replacement product?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can only charge VAT if your business is registered for VAT.

    ", + "

    VAT is charged on things like:

    ", + "
  • business sales - for example when you sell goods and services
  • ", + "

    VAT-registered businesses:

    ", + "
  • must charge VAT on their goods or services
  • ", + "

    If you exchange the goods for goods of the same value you don\u2019t need to issue a new VAT invoice.

    " + ], + "id": "train-1565" + }, + { + "url": "https://www.gov.uk/protecting-company-from-compulsory-liquidation", + "scenario": "I am the owner and managing director of a catering company, which is registered as a Limited Company. Following a drastic reduction in demand during the pandemic we have been unable to pay some of our suppliers, and they have now issued a Statutory Demand against us.", + "question": "How long do I have to respond to this demand, and prevent them obtaining a Winding Up Order against us?", + "not_answerable": false, + "answers": [ + [ + "21 days", + [] + ] + ], + "evidences": [ + "

    The people or organisations your company owes money to (your \u2018creditors\u2019) can apply to the court to get their debts paid.

    ", + "

    They can do this by either:

    ", + "
  • making an official request for payment - this is called a statutory demand
  • ", + "

    You have 21 days to respond to a statutory demand.

    ", + "

    Your creditors can apply to wind up your company if you do not respond to the statutory demand within 21 days.

    ", + "

    You can apply to the court to stop (\u2018restrain\u2019) your creditors from applying to wind up your company. You must do this within 21 days of getting the statutory demand.

    " + ], + "id": "train-1566" + }, + { + "url": "https://www.gov.uk/liquidate-your-company", + "scenario": "I am the 64 year old managing director of a publicly traded publishing company, which is currently solvent. With my retirement approaching I have decided to wind up the company via Members' Voluntary Liquidation, but I would like to do some smaller-scale publishing work in retirement.", + "question": "Can I re-use the company name (or variations of it) for my post-retirement activities?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1567" + }, + { + "url": "https://www.gov.uk/make-changes-to-your-limited-company", + "scenario": "I am the owner and a director of a publicly traded limited company. As an inducement to our staff, our board of directors today passed a resolution changing the structure of our workers' share option scheme. This did not involve the issuance of additional shares.", + "question": "How long do we have to notify Companies House of the change to our share structure?", + "not_answerable": false, + "answers": [ + [ + "21 days", + [ + "
  • change the number of shares the company has and their total value - this is your \u2018share capital\u2019 (the part of your company\u2019s money that comes from shares)
  • ", + "
  • change how your shares are distributed
  • ", + "
  • cancel any of your shares
  • ", + "
  • change (\u2018denominate\u2019) your shares into other currencies
  • " + ] + ] + ], + "evidences": [ + "

    You must tell Companies House if you change your company\u2019s:

    ", + "
  • share, for example issuing new shares or changing your share structure
  • ", + "

    You may need your company\u2019s agreement before you can make some changes.

    ", + "

    You must tell Companies House all other changes within 21 days.

    ", + "

    You must tell Companies House about any changes to your company\u2019s share structure that you make outside your annual return.

    ", + "

    You may need a special resolution to change your company\u2019s share structure. This includes if you:

    ", + "
  • change the number of shares the company has and their total value - this is your \u2018share capital\u2019 (the part of your company\u2019s money that comes from shares)
  • ", + "
  • change how your shares are distributed
  • ", + "
  • cancel any of your shares
  • ", + "
  • change (\u2018denominate\u2019) your shares into other currencies
  • ", + "

    You must report all other changes to your share structure within 21 days.

    " + ], + "id": "train-1568" + }, + { + "url": "https://www.gov.uk/marketing-advertising-law", + "scenario": "I own and operate a business providing software services to both individuals and companies. After a successful period of growth, we are considering expanding our marketing operations to include advertisments on television and radio.", + "question": "What codes of practice cover advertising in broadcast media such as these?", + "not_answerable": false, + "answers": [ + [ + "cap broadcast code", + [] + ] + ], + "evidences": [ + "

    As well as the regulations, there are 2 advertising codes of practice that you need to follow to help you advertise legally.

    ", + "

    There are 2 advertising codes of practice that describe how businesses should advertise.

    ", + "

    Broadcast media (for example TV, radio)

    ", + "

    You must follow the CAP broadcast code, which covers issues including taste, decency and product placement.

    " + ], + "id": "train-1569" + }, + { + "url": "https://www.gov.uk/energy-performance-certificate-commercial-property", + "scenario": "I own a building in central Manchester, in which I rent office space to several small start-up companies. I obtained an EPC on the completion of construction in 2014. During the recent pandemic-induced vacation of much of the occupied space I took the opportunity to have the air conditioning completely refurbished, which involved considerable re-organisation of the internal divisions too.", + "question": "Is my current EPC still valid, or do I need to be assessed for a new one?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "
  • listed or officially protected and the minimum energy performance requirements would unacceptably alter it
  • ", + "
  • used as a place of worship or for other religious activities
  • ", + "
  • a detached building with a total floor space under 50 square metres
  • " + ] + ] + ], + "evidences": [ + "

    You must have an EPC if:

    ", + "
  • there are changes to the number of parts used for separate occupation and these changes involve providing or extending fixed heating, air conditioning or mechanical ventilation systems
  • ", + "

    You don\u2019t need an Energy Performance Certificate (EPC) if you can demonstrate that the building is any of these:

    ", + "
  • listed or officially protected and the minimum energy performance requirements would unacceptably alter it
  • ", + "
  • a temporary building only going to be used for 2 years or less
  • ", + "
  • used as a place of worship or for other religious activities
  • ", + "
  • an industrial site, workshop or non-residential agricultural building that doesn\u2019t use much energy
  • ", + "
  • a detached building with a total floor space under 50 square metres
  • ", + "
  • due to be demolished by the seller or landlord and they have all the relevant planning and conservation consents
  • " + ], + "id": "train-1570" + }, + { + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "scenario": "I am the Facilities Manager for an office building in Basingstoke, whose owners rent office space out to business customers. We currently have seven different tenant companies occupying space on site.", + "question": "How frequently are we required to carry out fire drills for the building as a whole?", + "not_answerable": false, + "answers": [ + [ + "at least one fire drill per year", + [] + ] + ], + "evidences": [ + "

    You\u2019re responsible for fire safety in business or other non-domestic premises if you\u2019re:

    ", + "
  • anyone else with control of the premises, for example a facilities manager, building manager, managing agent or risk assessor
  • ", + "

    You\u2019re known as the \u2018responsible person\u2019. If there\u2019s more than one responsible person, you have to work together to meet your responsibilities.

    ", + "

    As the responsible person you must:

    ", + "
  • plan for an emergency
  • ", + "

    Non-domestic premises are:

    ", + "
  • all workplaces and commercial premises
  • ", + "

    For common or shared areas, the responsible person is the landlord, freeholder or managing agent.

    ", + "

    Your plan must show how you have:

    ", + "
  • training for all employees to know and use the escape routes
  • ", + "

    You should carry out at least one fire drill per year and record the results. You must keep the results as part of your fire safety and evacuation plan.

    " + ], + "id": "train-1571" + }, + { + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "scenario": "A neighbouring landowner recently had an application for a Lawful Development Certificate for the conversion of one of his outbuildings into a dwelling refused by the local council. I opposed this proposed change of use, and have now been notified by the council that the landowner intends to appeal their decision.", + "question": "Is there a means by which I can register my opposition to this appeal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal against a lawful development certificate decision if either:

    ", + "
  • you disagree with it
  • ", + "

    Only the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.

    ", + "

    Anyone can comment on a lawful development certificate appeal. Find the case on the appeals casework portal. The deadline for comments is 6 weeks after the start date of the appeal.

    ", + "

    Your local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. The local planning authority has to do this within 2 weeks of the appeal being validated by the Planning Inspectorate.

    " + ], + "id": "train-1572" + }, + { + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "scenario": "I am a self-employed web designer, operating primarily over the internet while based at home. I work around 160 hrs per month. My internet usage is charged at a single, fixed fee per month with unlimited data transfer.", + "question": "Can I use a flat rate to work out my internet connection expenses?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Simplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.

    ", + "

    Simplified expenses can be used by:

    ", + "
  • business partnerships that have no companies as partners
  • ", + "

    You can use flat rates for:

    ", + "
  • working from home
  • ", + "

    Calculate your allowable expenses using a flat rate based on the hours you work from home each month.

    ", + "Hours of business use per month | Flat rate per month", + "101 and more | \u00a326" + ], + "id": "train-1573" + }, + { + "url": "https://www.gov.uk/overseas-customers-export-opportunities", + "scenario": "I own a medium-sized electronic components business based in the UK and headquartered in Abingdon. We recently received regulatory approval for a new product, and are looking to export it via suitable local distributors.", + "question": "Can the DIT provide suitable expert(s) to advise us on finding the right distribution channels?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The Department for International Trade (DIT) has a network of trade specialists who can also help you find overseas customers by:

    ", + "
  • arranging introductions to potential overseas buyers, agents and distributors (there\u2019s a charge for this service)
  • " + ], + "id": "train-1574" + }, + { + "url": "https://www.gov.uk/entertainment-and-modelling-agencies", + "scenario": "I own and manage a talent agency for singers, musicians and other performing artists (comedians, etc.). As part of our service, we charge clients a small fee in advance to place promotional materials on appropriate websites and/or circulate them to potential entertainment venues. Any such material is shown to the client in advance for their approval.", + "question": "How much time must I allow for clients to object before I circulate their materials to potential bookers?", + "not_answerable": false, + "answers": [ + [ + "7 days", + [] + ] + ], + "evidences": [ + "

    You can charge fees as an entertainment and modelling agency for finding someone work.

    ", + "
  • a performer or worker
  • ", + "

    Workers, performers and models need to agree to your terms and conditions before you can charge fees.

    ", + "

    You can\u2019t charge fees or deduct money from an entertainment worker or performer\u2019s earnings until they agree to your terms and conditions.

    ", + "

    You can only charge upfront fees for listing the worker or performer\u2019s details in promotional publications or on websites to help them find work.

    ", + "

    You must give the worker or performer a chance to see any copies.

    ", + "

    You need to show the performer any promotional photographs, audio or video before its published. They then have 7 days to object to anything being used.

    ", + "

    You can\u2019t charge the performer until the 7 days is over or you\u2019ve dealt with any reasonable requirement from the performer, whichever is later.

    " + ], + "id": "train-1575" + }, + { + "url": "https://www.gov.uk/machine-game-duty", + "scenario": "I am the tenant of a public house in Northern Ireland, hold the neccessary licenses to sell alcohol and provide amusements and am VAT registered. The pub's owner has recently installed an old quiz machine, acquired from another pub which was being closed down.", + "question": "Do I need to pay Machine Games Duty, or is this a matter for the pub's owner?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You do not pay it on machines where the prize is less than the cost to play, or on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.

    " + ] + ], + [ + "yes", + [ + "

    There are different rules if you\u2019re the tenant of a pub. You\u2019re responsible for MGD, not the premises licence owner (usually the pub\u2019s owner). When you stop being the tenant, you need to cancel your registration.

    ", + "

    You are not responsible for MGD if you supply the machines, unless you also hold the licence or permit for the premises.

    " + ] + ] + ], + "evidences": [ + "

    You may have to pay Machine Games Duty (MGD) if there are machines that give cash prizes on your premises. You pay duty on:

    ", + "
  • quiz machines and other \u2018skill with prize\u2019 machines
  • ", + "

    You do not pay it on machines where the prize is less than the cost to play, or on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.

    ", + "

    Your takings from machine games will be exempt from VAT if you pay MGD.

    ", + "

    It\u2019s your responsibility if you hold any of the following licences:

    ", + "
  • prize gaming permit or amusement permit
  • ", + "
  • licence to sell alcohol in Northern Ireland
  • ", + "

    There are different rules if you\u2019re the tenant of a pub. You\u2019re responsible for MGD, not the premises licence owner (usually the pub\u2019s owner). When you stop being the tenant, you need to cancel your registration.

    ", + "

    You are not responsible for MGD if you supply the machines, unless you also hold the licence or permit for the premises.

    " + ], + "id": "train-1576" + }, + { + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "scenario": "My uncle is a sole business trader of a construction company. He is very busy and occupied such that he has no time to work out allowable expenses as he run his day to day business.", + "question": "Can he use simplified expenses to calculate his expenses?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Simplified expenses can be used by:

    ", + "
  • sole traders
  • ", + "

    You can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.

    " + ], + "id": "train-1577" + }, + { + "url": "https://www.gov.uk/make-changes-to-your-limited-company", + "scenario": "My uncle will like to change the business name and one of the company", + "question": "Is it important he reports the changes to HMRC?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must tell Companies House if you change your company\u2019s:

    ", + "
  • name
  • ", + "
  • directors and company secretaries, including changes to their details
  • ", + "

    You must tell Companies House about changes to your company\u2019s directors and secretaries, such as:

    ", + "
  • new appointments
  • ", + "
  • resignations
  • " + ], + "id": "train-1578" + }, + { + "url": "https://www.gov.uk/introduction-to-business-rates", + "scenario": "My sister has been working online from her house during the covid pandemic. She has now decided to keep on working from home till the end of next year.", + "question": "Does she qualify to pay business rates?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.

    ", + "

    You do not usually have to pay business rates for home-based businesses if you:

    ", + "
  • use a small part of your home for your business, for example if you use a bedroom as an office
  • " + ], + "id": "train-1579" + }, + { + "url": "https://www.gov.uk/tax-buy-shares", + "scenario": "I want to invest in stocks and shares inorder to build my financial independent future. I would like to be mindful of tax obligation. To grow my funds efficiently.", + "question": "Is there a way i can buy shares Tax free?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • buy shares in an \u2018open ended investment company\u2019 (OEIC) from the fund manager
  • " + ] + ] + ], + "evidences": [ + "

    You do not have to pay tax if you:

    ", + "
  • buy shares in an \u2018open ended investment company\u2019 (OEIC) from the fund manager
  • ", + "

    For shares under \u00a31,000, you will not need to pay anything.

    " + ], + "id": "train-1580" + }, + { + "url": "https://www.gov.uk/vat-businesses", + "scenario": "My friend John has been running a grocery shop but closed it during covid pandemic. He has now decided to relocate to Japan and close the business completely.His business was VAT registered .", + "question": "Does he need to cancel VAT registration and how soon should that happen?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1581" + }, + { + "url": "https://www.gov.uk/paye-settlement-agreements", + "scenario": "I run a restaurant and to motivate my staffs i give them small gifts vouchers ,pay their telephone bills , organise employee of the month award.", + "question": "Should i include all these expenses in PAYE settlement agreement?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.

    ", + "

    Examples of minor benefits and expenses include:

    ", + "
  • incentive awards, for example for long-service
  • ", + "
  • telephone bills
  • ", + "
  • small gifts and vouchers
  • ", + "

    If you apply after the start of the tax year, there are extra restrictions on what you can include.

    " + ], + "id": "train-1582" + }, + { + "url": "https://www.gov.uk/capital-allowances", + "scenario": "My sister has been running a taxi business for 10 years . Some of her Taxi cubs have been involved in road accidents with damaged engines and tyres. The cost of repair has been very high.", + "question": "How much capital allowances can she claim for?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1583" + }, + { + "url": "https://www.gov.uk/cartels-price-fixing", + "scenario": "My uncle owns a pub and unfortunately there are two adjacent pub owners who have conversed to set their prices very low to attract more customers. This price fixing strategy has caused a lot of distress to my uncle and he is on the verge of closing his pub.", + "question": "Can he report these two pub owners?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must follow the rules on all types of anti-competitive activity including:

    ", + "
  • price fixing, bid rigging and other ways of agreeing not to compete (sometimes called \u2018cartels\u2019)
  • ", + "

    You must avoid all types of anti-competitive activity in your business including:

    ", + "
  • agreeing not to compete with another business
  • ", + "

    If 2 or more businesses agree not to compete with each other in certain ways, it\u2019s called a \u2018cartel\u2019.

    ", + "

    Rules about cartels cover:

    ", + "
  • price fixing
  • ", + "

    You must not discuss the prices you\u2019re going to charge your customers with your competitors.

    ", + "

    You\u2019ll be breaking the law if you agree with another business:

    ", + "
  • to charge the same prices to your customers
  • ", + "

    You cannot share information with other businesses that might reduce competition between you, for example information about:

    ", + "
  • prices
  • ", + "

    You might be abusing your dominant position if you\u2019re unfair to your customers or other businesses, for example you:

    ", + "
  • charge low prices that do not cover your costs so you drive out competitors
  • ", + "

    A cartel is where two or more businesses agree not to compete with each other, for example by sharing a market or fixing prices.

    " + ], + "id": "train-1584" + }, + { + "url": "https://www.gov.uk/machine-game-duty", + "scenario": "My uncle owns a pub and has several fruit machines inside which entertains his customers and makes them gamble as they drink alcohol.", + "question": "Should he register and pay Machine Game duty?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you\u2019re responsible for MGD you\u2019ll need to register, send regular returns, pay duty and keep records.

    " + ] + ] + ], + "evidences": [ + "

    You may have to pay Machine Games Duty (MGD) if there are machines that give cash prizes on your premises. You pay duty on:

    ", + "
  • slot and fruit machines, and other gaming machines
  • ", + "

    If you\u2019re responsible for MGD you\u2019ll need to register, send regular returns, pay duty and keep records.

    ", + "

    If your premises does not have a licence, HM Revenue and Customs (HMRC) will ask someone else, usually the manager or owner, to register and pay the duty.

    " + ], + "id": "train-1585" + }, + { + "url": "https://www.gov.uk/liquidate-your-company", + "scenario": "My uncle owns a delivery company and has been diagnosed with a terminal bowel cancer. He does not wish to continue running it since it not viable It has no pending debts.", + "question": "Can he voluntarily liquidate the business?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Get shareholders\u2019 agreement

    ", + "

    You must call a meeting of shareholders and ask them to vote.

    ", + "

    75% (by value of shares) of shareholders must agree to the winding-up to pass a \u2018winding-up resolution\u2019.

    ", + "
  • make a \u2018Declaration of solvency\u2019 - English and Welsh companies
  • ", + "
  • ask the Accountant in Bankruptcy for form 4.25 (Scot) - Scottish companies
  • ", + "

    You\u2019ll need to review the company\u2019s assets and liabilities just before making the declaration.

    " + ] + ] + ], + "evidences": [ + "

    You can choose to liquidate your limited company (also called \u2018winding up\u2019 a company).

    ", + "

    There are 3 types of liquidation:

    ", + "
  • members\u2019 voluntary liquidation - your company can pay its debts but you want to close it
  • ", + "

    You must call a meeting of shareholders and ask them to vote.

    ", + "

    75% (by value of shares) of shareholders must agree to the winding-up to pass a \u2018winding-up resolution\u2019.

    ", + "

    You may choose members\u2019 voluntary liquidation if your company is \u2018solvent\u2019 (can pay its debts) and one of the following applies:

    ", + "
  • you do not want to run the business any more
  • ", + "

    To pass a resolution for members\u2019 voluntary liquidation, you must:

    ", + "
  • make a \u2018Declaration of solvency\u2019 - English and Welsh companies
  • ", + "
  • ask the Accountant in Bankruptcy for form 4.25 (Scot) - Scottish companies
  • ", + "

    You\u2019ll need to review the company\u2019s assets and liabilities just before making the declaration.

    " + ], + "id": "train-1586" + }, + { + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "scenario": "My uncle owns a pub and loves to ensure that he sells his customers with standard drinks as set by government guidelines . Using the right measuring bottles and glasses.", + "question": "Can he get penalised if he does not use specified quantities?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Some goods must be sold in fixed sizes known as \u2018specified quantities\u2019.

    ", + "

    Alcohol

    ", + "

    You can be fined or sent to prison if you break the rules.

    " + ], + "id": "train-1587" + }, + { + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "scenario": "I run a B&B and a kitchen which is operated by 3 employees inorder to ensure our business and customers safety, I need to have all my staffs trained on fire safety.", + "question": "Can they be trained on fire evacuation procedure?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    As the responsible person you must:

    ", + "
  • tell staff or their representatives about the risks you\u2019ve identified
  • ", + "
  • provide staff information, fire safety instruction and training
  • ", + "

    You need to train new staff when they start work and tell all employees about any new fire risks.

    " + ], + "id": "train-1588" + }, + { + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "scenario": "My aunt signed an agreement with white goods seller to buy a fridge at \u00a3700 . Which was to be paid in two instalments. When she cleared all the payments , the fridge seller changed his mind and demanded more money than the agreed one.", + "question": "Can my aunt file a claim in court for customer rights?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Your customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.

    ", + "

    Your business customers have implied rights unless the contract legally states otherwise in a way a court would decide is reasonable.

    " + ] + ] + ], + "evidences": [ + "

    Your customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.

    ", + "

    You might not be able to enforce terms or notices if they try to avoid your responsibility in other ways, eg:

    ", + "
  • not doing what was agreed
  • ", + "

    Consumers can also take legal action themselves to challenge unfair terms or notices.

    ", + "

    Your customers have implied rights when buying your goods or services.

    ", + "

    Your business customers have implied rights unless the contract legally states otherwise in a way a court would decide is reasonable.

    " + ], + "id": "train-1589" + }, + { + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "scenario": "My uncle owns a take away food kiosk his business has been hit hard by imposed covid restrictions. As the rules are being lifted he want to give the best quality service to his customers. He wants to re train his staff on food safety and hygiene.", + "question": "Is he allowed to do on job training of staffs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Employers are responsible for staff hygiene training. It can be either a formal programme or informal training, such as on the job training or self study.

    " + ], + "id": "train-1590" + }, + { + "url": "https://www.gov.uk/energy-performance-certificate-commercial-property", + "scenario": "As a landlord, I rent out a couple of flats to my tenants. About 5 years ago, I applied for an EPC certificate so as to maintain a minimum efficiency standard and avoid penalties.", + "question": "When should I display the EPC certificate?", + "not_answerable": false, + "answers": [ + [ + "the total useful floor area is over 500 square metres", + [] + ], + [ + "the building is frequently visited by the public", + [] + ], + [ + "an epc has already been produced for the building\u2019s sale, rental or construction", + [] + ] + ], + "evidences": [ + "

    You must have an EPC if:

    ", + "
  • you rent out or sell the premises
  • ", + "

    You must display an EPC by fixing it to your commercial building if all these apply:

    ", + "
  • the total useful floor area is over 500 square metres
  • ", + "
  • the building is frequently visited by the public
  • ", + "
  • an EPC has already been produced for the building\u2019s sale, rental or construction
  • " + ], + "id": "train-1591" + }, + { + "url": "https://www.gov.uk/eori", + "scenario": "My family owns a textile company in UK and want to ship our textile merchandise to France and we need to be mindful on shipping requiremets post Brexit.", + "question": "Do we need an EORI number to export or import goods between the EU to the UK ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • making a customs declaration - check if you\u2019re eligible to make a customs declaration
  • ", + "
  • making an entry summary declaration
  • ", + "
  • making an exit summary declaration
  • ", + "
  • making a temporary storage declaration
  • ", + "
  • making a customs declaration for temporary admission or re-export declaration where you have a guarantee
  • ", + "
  • acting as a carrier for transporting goods by sea, inland waterway or air
  • ", + "
  • acting as a carrier connected to the customs system and you want to get notifications regarding the lodging or amendment of entry summary declarations
  • " + ] + ] + ], + "evidences": [ + "

    You may need an Economic Operators Registration and Identification number (EORI number) if you move goods:

    ", + "
  • between Great Britain (England, Scotland and Wales) or the Isle of Man and any other country (including the EU)
  • ", + "

    To get an EORI number, your business usually needs to have premises based in the country you want to import to or export from - this is called \u2018being established\u2019. Your premises will need to be either a:

    ", + "

    You should still get an EORI number if you\u2019re:

    ", + "
  • making a customs declaration - check if you\u2019re eligible to make a customs declaration
  • ", + "
  • making an entry summary declaration
  • ", + "
  • making an exit summary declaration
  • ", + "
  • making a temporary storage declaration
  • ", + "
  • making a customs declaration for temporary admission or re-export declaration where you have a guarantee
  • ", + "
  • acting as a carrier for transporting goods by sea, inland waterway or air
  • ", + "
  • acting as a carrier connected to the customs system and you want to get notifications regarding the lodging or amendment of entry summary declarations
  • ", + "
  • established in a common transit country where the declaration is lodged instead of an entry summary declaration or is used as a pre-departure declaration
  • " + ], + "id": "train-1592" + }, + { + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "scenario": "My uncle wanted to build an extension of his sitting room towards the garden and had applied for a Lawful Development cerificate but it was refused after a close neighbour made a complaint.", + "question": "Can he make an appeal to overturn the decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    Do not appeal if you\u2019ve already been given an enforcement notice. You may have to pay additional costs if you do.

    " + ] + ] + ], + "evidences": [ + "

    You can appeal against a lawful development certificate decision if either:

    ", + "
  • you disagree with it
  • ", + "

    Do not appeal if you\u2019ve already been given an enforcement notice. You may have to pay additional costs if you do.

    ", + "

    Only the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.

    " + ], + "id": "train-1593" + }, + { + "url": "https://www.gov.uk/charities-and-tax", + "scenario": "My mother wants to open a charity shop to make money for cancer research foundation. She needs advise on tax returns and tax reliefs.", + "question": "Where can she seek help?", + "not_answerable": false, + "answers": [ + [ + "hm revenue and customs (hmrc)", + [] + ] + ], + "evidences": [ + "

    As a charity you can get certain tax reliefs. To benefit you must be recognised by HM Revenue and Customs (HMRC).

    ", + "

    To get tax relief you must be recognised by HM Revenue and Customs (HMRC).

    ", + "

    To get tax relief your charity must be:

    ", + "
  • registered with the Charity Commission or another regulator, if this applies to you
  • ", + "
  • recognised by HM Revenue and Customs (HMRC)
  • ", + "

    Register your charity\u2019s details using HMRC\u2019s online service.

    " + ], + "id": "train-1594" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "scenario": "My brother is thinking of becoming a self employed and would like to join a scheme for people who want to become self employed contractors", + "question": "Whom should he contact to make enquiries ?", + "not_answerable": false, + "answers": [ + [ + "hm revenue and customs", + [] + ] + ], + "evidences": [ + "

    When done, you\u2019ll get a letter from HM Revenue and Customs (HMRC) with the information you need to start working as a Construction Industry Scheme (CIS) contractor.

    ", + "

    You must tell HM Revenue and Customs (HMRC) if:

    ", + "
  • you\u2019re a multiple contractor and you take on another contractor\u2019s business - you must tell HMRC within 90 days
  • " + ], + "id": "train-1595" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "scenario": "My uncle runs a construction limited company as self employed and would like to register for construction industry scheme. He wants to be compliant.", + "question": "Can he register for CIS online?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).

    " + ] + ] + ], + "evidences": [ + "

    If you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).

    ", + "

    Fill in the online form for limited companies or the online form for partnerships.

    " + ], + "id": "train-1596" + }, + { + "url": "https://www.gov.uk/protecting-company-from-compulsory-liquidation", + "scenario": "My aunt has been running a stationery business and on her way home from work she got a serious accident which left her paralysed . Her business dream was shattered and decided to liquidate the business. She has several debts .", + "question": "Can she get creditors to liquidate her business?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Your creditors can apply to wind up your company if your assets are not worth enough to pay your debts.

    " + ] + ] + ], + "evidences": [ + "

    Your limited company can be liquidated (\u2018wound up\u2019) if it cannot pay its debts.

    ", + "

    The people or organisations your company owes money to (your \u2018creditors\u2019) can apply to the court to get their debts paid.

    ", + "

    Your creditors can apply to wind up your company if your assets are not worth enough to pay your debts.

    " + ], + "id": "train-1597" + }, + { + "url": "https://www.gov.uk/become-childminder-nanny", + "scenario": "My sister has taken a step further in her passion for caring for little children by training as a childminder. She would like to apply for a job as soon as she completes her course.", + "question": "Is it necessary for her to register as a childminder?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • the children are under the age of 8
  • ", + "
  • you look after them for more than 2 hours a day
  • ", + "
  • you look after them in your own home
  • ", + "

    You must register with Ofsted to look after children in your home.

    " + ] + ], + [ + "no", + [ + "
  • a nanny
  • ", + "
  • a tutor
  • ", + "
  • a babysitter and if you look after the children between 6pm and 2am
  • ", + "
  • a family friend and if you look after the children less than 3 hours a day
  • ", + "
  • are under 18
  • ", + "
  • are related to all of the children you look after
  • ", + "
  • do not have the legal right to work in the UK
  • ", + "
  • are barred from working with children
  • ", + "
  • have been disqualified
  • ", + "
  • have been refused registration in the past or had your registration cancelled - unless it was because you did not pay your annual fee
  • ", + "
  • are childminding in a home where a disqualified person lives or works
  • " + ] + ] + ], + "evidences": [ + "

    If you want to be paid to look after children under 8, you might need to register with Ofsted or a childminder agency.

    ", + "

    You must register as a childminder if all of the following apply:

    ", + "
  • the children are under the age of 8
  • ", + "
  • you look after them for more than 2 hours a day
  • ", + "
  • you look after them in your own home
  • ", + "
  • you get paid to look after them - including payment in kind
  • ", + "

    You do not need to register if you\u2019re:

    ", + "
  • a nanny
  • ", + "
  • a tutor
  • ", + "
  • a babysitter and if you look after the children between 6pm and 2am
  • ", + "
  • a family friend and if you look after the children less than 3 hours a day
  • ", + "

    You cannot register if you:

    ", + "
  • are under 18
  • ", + "
  • are related to all of the children you look after
  • ", + "
  • do not have the legal right to work in the UK
  • ", + "
  • are barred from working with children
  • ", + "
  • have been disqualified
  • ", + "
  • have been refused registration in the past or had your registration cancelled - unless it was because you did not pay your annual fee
  • ", + "
  • are childminding in a home where a disqualified person lives or works
  • ", + "

    If you\u2019re a childminder and you look after children from birth to 5 years old you must join the Early Years Register. This lets you look after children up to 31 August after their fifth birthday.

    ", + "

    You must register with Ofsted to look after children in your home.

    " + ], + "id": "train-1598" + }, + { + "url": "https://www.gov.uk/your-rights-after-crime", + "scenario": "My farther was murdered a few weeks ago whilst walking in the streets and I want to know how the investigation is going and if any progress has been made.", + "question": "What support can I get being closely effected by a crime?", + "not_answerable": false, + "answers": [ + [ + "get information quicker", + [] + ], + [ + "protection in court", + [ + "
  • protection in court if you need to give evidence
  • " + ] + ], + [ + "specialist help and advice", + [] + ], + [ + "a family liaison officer", + [ + "
  • a Family Liaison Officer - if you\u2019re a close relative of the victim
  • " + ] + ] + ], + "evidences": [ + "

    You may get extra support if you:

    ", + "
  • are a close relative of someone who died because of a crime - for example their partner, child or sibling
  • ", + "

    You\u2019re the victim of a serious crime if it was:

    ", + "
  • attempted murder
  • ", + "

    You\u2019re entitled to:

    ", + "
  • get information quicker - usually within 24 hours
  • ", + "
  • protection in court if you need to give evidence
  • ", + "
  • specialist help and advice
  • ", + "
  • a Family Liaison Officer - if you\u2019re a close relative of the victim
  • " + ], + "id": "train-1599" + }, + { + "url": "https://www.gov.uk/your-rights-after-crime", + "scenario": "I am the victim of a break in which occured last week whilst I was in my home I was robbed and threatened and I want to know my rights.", + "question": "When can I get notified with the investigation progress?", + "not_answerable": false, + "answers": [ + [ + "5 days", + [ + "
  • arrested or charged
  • ", + "
  • set free or released on bail
  • ", + "
  • given a caution, reprimand, final warning, or penalty notice
  • ", + "

    If the police or the CPS decide to drop the charge, they must tell you within 5 days. You can ask for a review if you disagree with their decision.

    " + ] + ] + ], + "evidences": [ + "

    You have the right to contact the police and be kept informed about the investigation if you\u2019re:

    ", + "
  • the victim of a crime
  • ", + "

    The police must give you updates on their investigation, and tell you within 5 days when a suspect is:

    ", + "
  • arrested or charged
  • ", + "
  • set free or released on bail
  • ", + "
  • given a caution, reprimand, final warning, or penalty notice
  • ", + "

    If the police or the CPS decide to drop the charge, they must tell you within 5 days. You can ask for a review if you disagree with their decision.

    " + ], + "id": "train-1600" + }, + { + "url": "https://www.gov.uk/theory-test", + "scenario": "I am in the process of moving to the UK from India.", + "question": "Do I need to take this theory test in order to drive in the UK?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1601" + }, + { + "url": "https://www.gov.uk/theory-test", + "scenario": "I took this test a few weeks ago. I did not pass because I have a reading difficulty, I want to retake the test and think I am entitiled to more help when taking it.", + "question": "What kind of support can I get when taking the theory test?", + "not_answerable": false, + "answers": [ + [ + "hear the test through headphones", + [] + ], + [ + "extra time to take the test", + [] + ], + [ + "someone to read what\u2019s on the screen and record your answers", + [] + ], + [ + "someone to reword the questions for you", + [] + ] + ], + "evidences": [ + "

    When you book your theory test you should say if you have a:

    ", + "
  • reading difficulty
  • ", + "

    You can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.

    ", + "

    You can get other support during your theory test if you send proof that you have reading difficulties.

    ", + "

    You can get:

    ", + "
  • extra time to take the test
  • ", + "
  • someone to read what\u2019s on the screen and record your answers
  • ", + "
  • someone to reword the questions for you
  • ", + "

    You can ask for more time to do the multiple choice questions part of the theory test.

    " + ], + "id": "train-1602" + }, + { + "url": "https://www.gov.uk/community-sentences", + "scenario": "My brother is 15 years old and lives in England. He was found guilty of assault and given a youth rehabilitation order by the court.", + "question": "How long will the rehabilitation order last?", + "not_answerable": false, + "answers": [ + [ + "3 years", + [] + ] + ], + "evidences": [ + "

    Community sentences can be given for crimes such as:

    ", + "
  • assault
  • ", + "

    There are 3 main community sentences a court can give you:

    ", + "
  • Youth Rehabilitation Order \u2013 when a court decides on different things that you have to do or must not do, which can last for up to 3 years
  • " + ], + "id": "train-1603" + }, + { + "url": "https://www.gov.uk/community-sentences", + "scenario": "My friend Andrew has been convicted of his first time crime of benefits fraud. The court has given him 200 hours of community service. He is employed full time from Monday to Friday.", + "question": "When can he do the community service?", + "not_answerable": false, + "answers": [ + [ + "outside your working hours", + [] + ] + ], + "evidences": [ + "

    Community sentences can be given for crimes such as:

    ", + "
  • benefit fraud
  • ", + "

    You may get a community sentence if:

    ", + "
  • it\u2019s the first time you have committed a crime
  • ", + "

    The Community Payback work will be arranged outside your working hours if you have a job, for example evenings or weekends.

    " + ], + "id": "train-1604" + }, + { + "url": "https://www.gov.uk/theory-test", + "scenario": "I have failed both parts of my theory driving test and i am under a lot of pressure to pass due to the nature of my job.", + "question": "How soon can i rebook the test?", + "not_answerable": false, + "answers": [ + [ + "3 working days away", + [] + ] + ], + "evidences": [ + "

    Rebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.

    " + ], + "id": "train-1605" + }, + { + "url": "https://www.gov.uk/theory-test", + "scenario": "I took the theory test this morning but unfortunately failed the multiple choices questions part of the test. I will retake my test in 3 days.", + "question": "Can I skip the hazard perception test because I've passed it last time?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must book and take the full test again, even if you passed one part this time.

    " + ], + "id": "train-1606" + }, + { + "url": "https://www.gov.uk/injunction-domestic-violence", + "scenario": "I am 30 years old and have a three year old son. My partner has been increasingly abusive towards me for many years and I have finally left him and am living in a refuge wih my son.", + "question": "Am I eligible for any help in my situation and if so what?", + "not_answerable": false, + "answers": [ + [ + "an \u2018injunction\u2019", + [] + ] + ], + "evidences": [ + "

    You can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:

    ", + "
  • protects you or your child from being harmed or threatened by the person who\u2019s abused you - this is called a \u2018non-molestation order\u2019
  • ", + "

    You can usually apply if you\u2019re a victim of domestic abuse and the person you want to be protected from (\u2018the respondent\u2019) is:

    ", + "
  • a family member
  • ", + "

    You can apply if you\u2019re a victim of domestic abuse and the respondent is your:

    ", + "
  • husband, wife or civil partner
  • ", + "
  • former husband, former wife or former civil partner
  • " + ], + "id": "train-1607" + }, + { + "url": "https://www.gov.uk/injunction-domestic-violence", + "scenario": "Having left my abusive partner I am struggling with being a single mother to my three year old son. My parents have been helping out but only on a temporary basis. I do not want my ex's family to know where we are", + "question": "Can my parents take custody of my son on a more long term basis?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1608" + }, + { + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "scenario": "I recently found out that the man who stabbed me and left me with a disability man be allowed on parole, this is very upsetting to me as I do not feel safe with them walking on the streets and am angry that their sentence may be made shorter.", + "question": "Can a victims statment stop parole or influence the judges decision in this case?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can make a \u2018victim personal statement\u2019 to be presented at the Parole Board hearing if you\u2019re a victim of the prisoner.

    ", + "

    You can use your statement to explain how the crime has affected you - from the time it was committed until now.

    ", + "

    This includes the effect the crime has had on you and your family:

    ", + "
  • physically
  • ", + "
  • emotionally
  • ", + "

    The panel can use your victim personal statement to help it:

    ", + "
  • decide what the prisoner can and cannot do (known as \u2018licence conditions\u2019) if they\u2019re released
  • ", + "

    Your victim personal statement is your opportunity to explain how a crime has affected you and your family - for example, physically, emotionally, financially or in any other way.

    " + ], + "id": "train-1609" + }, + { + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "scenario": "I ama prisoner in prison although I am suposed to be getting parole, I am aware that the victim has made a statement that might effect the outcome of my parole and I would like access to this to see if I can dispute it.", + "question": "Can I see the victims statment?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "
  • put you or your family at risk
  • ", + "
  • have a negative effect on you in some other way
  • ", + "

    Statements are only withheld from prisoners under exceptional circumstances.

    " + ] + ] + ], + "evidences": [ + "

    Prisoners usually have full access to all victim personal statements presented at their hearing.

    ", + "

    You\u2019ll need to make a good case that it will:

    ", + "
  • put you or your family at risk
  • ", + "
  • have a negative effect on you in some other way
  • ", + "

    Statements are only withheld from prisoners under exceptional circumstances.

    " + ], + "id": "train-1610" + }, + { + "url": "https://www.gov.uk/staying-in-touch-with-someone-in-prison", + "scenario": "My son is currently in prison and I want to make contact with him although I am worried that my phone calls will be listened to and my letters might be read by people that are not my son.", + "question": "Are phone calls and letters in prison private?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Most letters sent to and from prison are checked by prison staff.

    ", + "

    Prison staff can listen to and record most types of call. Some calls are not monitored, for example when a prisoner calls a legal adviser.

    " + ], + "id": "train-1611" + }, + { + "url": "https://www.gov.uk/staying-in-touch-with-someone-in-prison", + "scenario": "My cousin has recently been convicted and is now in prison although I can not afford to go and visit him because I am unemoloyed and only claim benifits. I think I am entitled to get extra money to visit the person in prison but I am not sure.", + "question": "Can I get financial help so I can go and see my cousin in prison.", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can normally visit partners and close family members in some prisons. There are restrictions because of coronavirus (COVID-19).

    ", + "

    You might be able to get help paying for a prison visit, for example travel costs, if you\u2019re receiving certain benefits.

    " + ], + "id": "train-1612" + }, + { + "url": "https://www.gov.uk/change-vehicle-tax-class", + "scenario": "I have a disability and I have recently bought a new vehicle. I am unsure about how much tax I should be paying.", + "question": "Do I have to pay for tax? How much will I pay if I have to?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You will not have to pay vehicle tax or will pay a lower rate if it\u2019s being used by:

    ", + "
  • a disabled person
  • " + ], + "id": "train-1613" + }, + { + "url": "https://www.gov.uk/change-vehicle-tax-class", + "scenario": "I am the new owner of a lorry that has had modifications to its engine. I am currently looking at the tax ramifications, and potentially need to change the tax class.", + "question": "What documents do I send to the DVLA?", + "not_answerable": false, + "answers": [ + [ + "the v5c vehicle registration certificate (log book) with any changes marked on it", + [] + ], + [ + "a cheque or postal order made payable to \u2018dvla, swansea\u2019 for any extra vehicle tax you have to pay", + [] + ], + [ + "a current mot certificate", + [ + "
  • a current MOT certificate (if your vehicle needs one)
  • " + ] + ], + [ + "written proof", + [] + ], + [ + "an insurance certificate or cover note", + [ + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • " + ] + ] + ], + "evidences": [ + "

    Send the form to DVLA with:

    ", + "
  • the V5C vehicle registration certificate (log book) with any changes marked on it
  • ", + "
  • a cheque or postal order made payable to \u2018DVLA, Swansea\u2019 for any extra vehicle tax you have to pay - damaged or altered cheques will not be accepted
  • ", + "
  • a current MOT certificate (if your vehicle needs one)
  • ", + "
  • written proof if you\u2019ve decreased engine size or changed fuel type, for example a new engine receipt or letter from the garage that made the change
  • ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • ", + "

    If you do not have the V5C, download and fill in a V62 form. Send it to DVLA with the \u00a325 fee.

    " + ], + "id": "train-1614" + }, + { + "url": "https://www.gov.uk/types-of-prison-sentence", + "scenario": "I have just turned 18 and I have been convicted for three crimes, theift, vandalism and bodily harm to others I think that my age might reduce my sentence but I am not sure.", + "question": "Does being a younger person reduce my collective sentences?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    People under 18 get different sentences to adults.

    " + ], + "id": "train-1615" + }, + { + "url": "https://www.gov.uk/types-of-prison-sentence", + "scenario": "I have been sentenced to life due to four seperate sentences, is it possible to shorten my sentence? For each crime alone I would not have life in prison although the combination of crimes makes life in prison more likley.", + "question": "Is there a way to shorten a life sentence?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1616" + }, + { + "url": "https://www.gov.uk/pass-plus", + "scenario": "I am a 21 year old female and it has been a few years since I passed my driving test. I am happy with being anle to drive although the amount of insurence I have to pay is very high.", + "question": "Is there a way I can get a discount on my insurance? How large is the discount I would get?", + "not_answerable": false, + "answers": [ + [ + "depends on the insurance company", + [ + "

    Once you\u2019ve completed Pass Plus you may be able to get a car insurance discount. You\u2019ll need your Pass Plus certificate.

    ", + "

    Check with insurers that you can still get a discount if you passed your practical driving test more than a year ago.

    " + ] + ], + [ + "no", + [ + "

    The amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.

    " + ] + ] + ], + "evidences": [ + "

    Once you\u2019ve completed Pass Plus you may be able to get a car insurance discount. You\u2019ll need your Pass Plus certificate.

    ", + "

    Check with insurers that you can still get a discount if you passed your practical driving test more than a year ago.

    ", + "

    The amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.

    " + ], + "id": "train-1617" + }, + { + "url": "https://www.gov.uk/pass-plus", + "scenario": "I live in the north west and am interested in taking this course to get a bit better at my driving although I am unsure about the fee\u2019s I will have to pay as I am currently only working part time I am unable to pay too much in fee\u2019s.", + "question": "How much do I need to pay in fee\u2019s for this course in the north west?", + "not_answerable": false, + "answers": [ + [ + "depend on where you live", + [] + ] + ], + "evidences": [ + "

    Pass Plus fees depend on where you live, the instructor or driving school and how long your training takes.

    ", + "

    Some local councils can offer discounts off the full Pass Plus training costs.

    ", + "

    Some local councils can offer discounts off the full Pass Plus training costs

    ", + "

    North-west

    " + ], + "id": "train-1618" + }, + { + "url": "https://www.gov.uk/types-of-prison-sentence", + "scenario": "I am 15 years old and could be convicted for a crime that I have committed. It is not considered to be a serious crime.", + "question": "How long can I expect the sentence to be?", + "not_answerable": false, + "answers": [ + [ + "between 4 months and 2 years", + [] + ] + ], + "evidences": [ + "

    People under 18 get different sentences to adults.

    ", + "

    A Detention and Training Order can be given to someone aged between 12 and 17.

    ", + "

    They last between 4 months and 2 years.

    " + ], + "id": "train-1619" + }, + { + "url": "https://www.gov.uk/types-of-prison-sentence", + "scenario": "I am a 28 year-old man who has committed a crime that I have been convicted for. I have now been convicted of a secondary crime, and have been told that the sentence will be concurrent.", + "question": "What does a concurrent sentence mean?", + "not_answerable": false, + "answers": [ + [ + "served at the same time", + [] + ] + ], + "evidences": [ + "

    If someone\u2019s convicted of committing more than one crime, they\u2019re usually given a sentence for each crime.

    ", + "

    Concurrent sentences are served at the same time.

    " + ], + "id": "train-1620" + }, + { + "url": "https://www.gov.uk/historic-vehicles", + "scenario": "I have a car that has just become 40 years old since the date it was registered. The car has had the entire subframe replaced last year.", + "question": "Is the vehicle eligible to exempt from MOT with the replacement of the subframe?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not need to get an MOT if:

    ", + "
  • the vehicle was built or first registered more than 40 years ago
  • ", + "
  • no \u2018substantial changes\u2019 have been made to the vehicle in the last 30 years, for example replacing the chassis, body, axles or engine to change the way the vehicle works
  • " + ], + "id": "train-1621" + }, + { + "url": "https://www.gov.uk/historic-vehicles", + "scenario": "My van was registered on the 1 January 1981. I do not know when the van was built, but I know it must have been built before this date.", + "question": "Will the van be eligible to be considered a historic vehicle in this case?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can apply to stop paying for vehicle tax from 1 April 2021 if your vehicle was built before 1 January 1981. You must tax your vehicle even if you do not have to pay.

    ", + "

    If you do not know when your vehicle was built, but it was first registered before 8 January 1981, you can still apply to stop paying vehicle tax.

    " + ] + ], + [ + "no", + [ + "
  • it\u2019s used for hire or reward (for example, it\u2019s used as a taxi for paying customers)
  • ", + "
  • it\u2019s used commercially for a trade or business
  • " + ] + ] + ], + "evidences": [ + "

    You can apply to stop paying for vehicle tax from 1 April 2021 if your vehicle was built before 1 January 1981. You must tax your vehicle even if you do not have to pay.

    ", + "

    If you do not know when your vehicle was built, but it was first registered before 8 January 1981, you can still apply to stop paying vehicle tax.

    ", + "

    Your vehicle will not be exempt from vehicle tax if:

    ", + "
  • it\u2019s used for hire or reward (for example, it\u2019s used as a taxi for paying customers)
  • ", + "
  • it\u2019s used commercially for a trade or business
  • ", + "

    You can apply for these vehicles to be made exempt:

    ", + "
  • vans
  • " + ], + "id": "train-1622" + }, + { + "url": "https://www.gov.uk/pass-plus", + "scenario": "I passed my test about six months ago and am insured to drive my parents' car (I am eighteen). I am very wary about the idea of motorway driving, however.", + "question": "Can this scheme help me work on my motorway driving skills?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Pass Plus is a practical training course that takes at least 6 hours and is for drivers to improve their skills and drive more safely.

    ", + "

    It can be taken at any time although it should be most useful to new drivers in the year after passing their test.

    ", + "

    Pass Plus training takes at least 6 hours. It has 6 modules, covering driving:

    ", + "
  • on motorways
  • " + ], + "id": "train-1623" + }, + { + "url": "https://www.gov.uk/pass-plus", + "scenario": "I have been able to drive for ten years and have a clean driving licence. There are times that I feel that my skills need refreshing, however. I am prepared to pay for a refresher course", + "question": "How much would it cost me to take this course?", + "not_answerable": false, + "answers": [ + [ + "depend on where you live", + [] + ] + ], + "evidences": [ + "

    Pass Plus fees depend on where you live, the instructor or driving school and how long your training takes.

    ", + "

    Some local councils can offer discounts off the full Pass Plus training costs.

    ", + "

    Some local councils can offer discounts off the full Pass Plus training costs

    " + ], + "id": "train-1624" + }, + { + "url": "https://www.gov.uk/getting-an-mot", + "scenario": "My car is over three years old and do not think I need an MOT. I drive to and from work daily and rely on the vehicle for everything.", + "question": "When is my MOT due?", + "not_answerable": false, + "answers": [ + [ + "the third anniversary of its registration", + [] + ], + [ + "the anniversary of its last mot", + [ + "
  • the anniversary of its last MOT, if it\u2019s over 3 years old
  • " + ] + ], + [ + "at one year old", + [ + "

    Some vehicles need to be tested at one year old - check the MOT fees table to see which.

    " + ] + ] + ], + "evidences": [ + "

    You must get an MOT for your vehicle by either:

    ", + "
  • the third anniversary of its registration
  • ", + "
  • the anniversary of its last MOT, if it\u2019s over 3 years old
  • ", + "

    Some vehicles need to be tested at one year old - check the MOT fees table to see which.

    " + ], + "id": "train-1625" + }, + { + "url": "https://www.gov.uk/getting-an-mot", + "scenario": "I have an old car and not much money and try and keep costs down. i have an MOT but it is dues to expire at the end of next month.", + "question": "Do I need to go to a registered testing centre or can my local backstreet garage do it and give me a certificate?", + "not_answerable": false, + "answers": [ + [ + "approved mot test centre", + [] + ] + ], + "evidences": [ + "

    You must use an approved MOT test centre to get your MOT.

    ", + "

    Only centres showing the blue sign with 3 white triangles can carry out your MOT.

    " + ], + "id": "train-1626" + }, + { + "url": "https://www.gov.uk/leaving-prison", + "scenario": "I have just left prison and I am now homless and have no money. I am also stuggling to get a job as no one hires people who have been in prison.", + "question": "What are the support available for people who have just left prison?", + "not_answerable": false, + "answers": [ + [ + "universal credit", + [] + ], + [ + "jobseeker\u2019s allowance", + [] + ], + [ + "help from your local council", + [] + ], + [ + "scottish welfare fund", + [ + "
  • Scottish Welfare Fund in Scotland
  • " + ] + ], + [ + "discretionary assistance fund", + [ + "
  • Discretionary Assistance Fund in Wales
  • " + ] + ] + ], + "evidences": [ + "

    A person leaving prison may get the following financial support:

    ", + "
  • Universal Credit
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • help from your local council
  • ", + "
  • Scottish Welfare Fund in Scotland
  • ", + "
  • Discretionary Assistance Fund in Wales
  • ", + "

    Prisons may also work with organisations in their local area, such as charities, to help prisoners prepare for their release. You can find out about these organisations in the prison information pages.

    " + ], + "id": "train-1627" + }, + { + "url": "https://www.gov.uk/leaving-prison", + "scenario": "I am due to being released soon snd I have a young child who is currently staying withmy parents although I am going to be staying with them after I leave prison.", + "question": "Can I see my child before leaving prison so they adjust to seeing me more.", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    A childcare resettlement licence lets a prisoner spend time with their child. They can only apply for this if they\u2019ll be the sole carer of a child when they finish their prison sentence.

    " + ] + ] + ], + "evidences": [ + "

    A childcare resettlement licence lets a prisoner spend time with their child. They can only apply for this if they\u2019ll be the sole carer of a child when they finish their prison sentence.

    ", + "

    All prisoners get help preparing for life when they leave prison. In the last 12 weeks of their sentence, they\u2019re given advice and support on:

    " + ], + "id": "train-1628" + }, + { + "url": "https://www.gov.uk/community-sentences", + "scenario": "I am a 17-year old man who has been arrested for damaging property. There has not yet been a decision over my conviction, but it seems likely. I currently have no criminal history.", + "question": "What can I expect to receive as punishment if I am convicted?", + "not_answerable": false, + "answers": [ + [ + "referral orders", + [] + ], + [ + "reparation orders", + [] + ], + [ + "youth rehabilitation order", + [] + ], + [ + "listen to their side of the story", + [] + ], + [ + "apologise to them", + [] + ] + ], + "evidences": [ + "

    You may get a community sentence if you\u2019re convicted of a crime by a court but are not sent to prison.

    ", + "

    You may have to do unpaid work in your local community, like removing graffiti. This is called Community Payback.

    ", + "

    Community sentences can be given for crimes such as:

    ", + "
  • damaging property
  • ", + "

    You may get a community sentence if:

    ", + "
  • it\u2019s the first time you have committed a crime
  • ", + "

    Community sentences for young people are different from those given to adults.

    ", + "

    There are 3 main community sentences a court can give you:

    ", + "
  • referral orders \u2013 when, with a panel of people from your local community and your youth justice workers, you are asked to agree a programme of work to address your behaviour
  • ", + "
  • reparation orders \u2013 when you make up for the harm caused by your crime, like repairing any damage to the victim\u2019s property
  • ", + "
  • Youth Rehabilitation Order \u2013 when a court decides on different things that you have to do or must not do, which can last for up to 3 years
  • ", + "

    You can also be given a discharge, when the court decides that the experience of being arrested and going to court is enough of a punishment.

    ", + "

    As part of your community sentence you may also have to speak to the victim and:

    ", + "
  • listen to their side of the story
  • ", + "
  • apologise to them, either in writing or, if the victim wants, face-to-face
  • " + ], + "id": "train-1629" + }, + { + "url": "https://www.gov.uk/community-sentences", + "scenario": "I have been convicted for assault and have been sentenced to community service for 60 hours. I am 27 years old and have been diagnosed with a mental health condition.", + "question": "How long can I work to complete the sentenced hours?", + "not_answerable": false, + "answers": [ + [ + "3 or 4 days each week", + [ + "

    You have to work 3 or 4 days each week if you\u2019re unemployed.

    " + ] + ], + [ + "outside your working hours", + [ + "

    The Community Payback work will be arranged outside your working hours if you have a job, for example evenings or weekends.

    " + ] + ] + ], + "evidences": [ + "

    You may get a community sentence if you\u2019re convicted of a crime by a court but are not sent to prison.

    ", + "

    You may have to do unpaid work in your local community, like removing graffiti. This is called Community Payback.

    ", + "

    Community sentences can be given for crimes such as:

    ", + "
  • assault
  • ", + "

    You may get a community sentence if:

    ", + "
  • you have a mental health condition that affects your behaviour
  • ", + "

    You have to work 3 or 4 days each week if you\u2019re unemployed.

    ", + "

    The Community Payback work will be arranged outside your working hours if you have a job, for example evenings or weekends.

    " + ], + "id": "train-1630" + }, + { + "url": "https://www.gov.uk/being-taken-to-employment-tribunal-by-employee", + "scenario": "I own a software development company. Recently we hired a female employee that quit after only a few short months. She stated that her reason for quitting was workspace discrimination. Around a month after her departure from the company I received a claim against the company regarding her being discriminated. After requesting more details it turned out that one of our employees had been harassing his female colleagues. That employee has since been fired.", + "question": "Are there other options to settle the claim out of court?", + "not_answerable": false, + "answers": [ + [ + "solve the problem without it going to a tribunal", + [] + ], + [ + "pay compensation to the claimant", + [] + ] + ], + "evidences": [ + "

    You can be taken to an employment tribunal by an employee or someone else (for example a job applicant or trade union) over various issues, including:

    ", + "
  • discrimination
  • ", + "

    You\u2019ll be contacted by the Advisory, Conciliation and Arbitration Service (Acas) if someone wants to make a claim against you. They\u2019ll offer to work with you and the claimant to try to solve the problem without it going to a tribunal - this is called \u2018conciliation\u2019.

    ", + "

    You can try to settle the case at any time by offering to pay compensation to the claimant (known as a \u2018settlement agreement\u2019).

    " + ], + "id": "train-1631" + }, + { + "url": "https://www.gov.uk/being-taken-to-employment-tribunal-by-employee", + "scenario": "An employee we fired from our marketing department launched a claim against the company stating that their pay was unreasonably low and unsatisfactory for the industry. The tribunal decided in their favor despite overwhelming evidence that the pay was above industry standards for the position of the employee.", + "question": "What reason should I give for requesting the tribunal to reconsider?", + "not_answerable": false, + "answers": [ + [ + "the tribunal made a mistake in the way it reached its decision", + [] + ] + ], + "evidences": [ + "

    You can ask the tribunal to reconsider the decision if you lose the case.

    ", + "

    You need to give good reasons, such as:

    ", + "
  • the tribunal made a mistake in the way it reached its decision
  • ", + "

    You can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.

    " + ], + "id": "train-1632" + }, + { + "url": "https://www.gov.uk/drink-drive-course", + "scenario": "I have been given 14 months ban for drink &driving offense and it will affect my work. I want to reduce the ban by taking a drink -driving rehabilitation course.", + "question": "How much does the course cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a3250", + [] + ] + ], + "evidences": [ + "

    You can be offered a rehabilitation course to reduce your driving ban if:

    ", + "
  • you\u2019re found guilty of a drink-drive offence
  • ", + "
  • your ban is for 12 months or more
  • ", + "

    You have to pay to take the course. It can cost up to \u00a3250.

    " + ], + "id": "train-1633" + }, + { + "url": "https://www.gov.uk/drink-drive-course", + "scenario": "My brother had booked his drink-driving course to reduce his driving ban. He now wants to change to another course provider.", + "question": "Will he pay to change?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your ban will be reduced if you complete the course within a certain time. The ban is usually reduced by a quarter.

    ", + "

    You can change to another course with a different provider at any point before you book. It\u2019s free to change your course.

    " + ], + "id": "train-1634" + }, + { + "url": "https://www.gov.uk/employment-tribunals", + "scenario": "I won an employment tribunal case against my employer. I was awarded compensation for the unfair dismissal of which I was a victim. The employer has not paid.", + "question": "What are the further actions I can take?", + "not_answerable": false, + "answers": [ + [ + "use the penalty enforcement form", + [] + ], + [ + "use the fast track scheme to send a high court enforcement officer - similar to a bailiff - to demand payment from the respondent", + [ + "

    Forcing them to pay if you\u2019re in England or Wales

    " + ] + ], + [ + "ask the local county court to send an enforcement officer to get the money from the respondent", + [ + "

    Forcing them to pay if you\u2019re in England or Wales

    " + ] + ], + [ + "write to the office that heard your case and ask for an \u2018extract of the judgment\u2019", + [ + "

    Forcing them to pay if you\u2019re in Scotland

    " + ] + ], + [ + "contact them to find out why", + [] + ] + ], + "evidences": [ + "

    If you win your case, the tribunal can order the losing party to do certain things depending on the type of case. Examples include:

    ", + "
  • paying you compensation
  • ", + "

    If the respondent does not pay

    ", + "

    If you do not get your payment, contact them to find out why.

    ", + "

    If they still do not pay you can ask to have them fined and named online by the government. You can also ask a court to force them to pay.

    ", + "

    Use the penalty enforcement form. Post it to the address on the form or email it to the Department for Business, Energy and Industrial Strategy.

    ", + "

    Forcing them to pay if you\u2019re in England or Wales

    ", + "

    You can use the Fast Track scheme to send a High Court Enforcement Officer - similar to a bailiff - to demand payment from the respondent.

    ", + "

    You can also ask the local county court to send an enforcement officer to get the money from the respondent. This costs \u00a344.

    ", + "

    Forcing them to pay if you\u2019re in Scotland

    ", + "

    Write to the office that heard your case and ask for an \u2018extract of the judgment\u2019. A sheriff officer can use this to force the respondent to pay.

    " + ], + "id": "train-1635" + }, + { + "url": "https://www.gov.uk/employment-tribunals", + "scenario": "I participated in an employment tribunal against my employer with a group of colleagues. I was not lead claimant, but I did pay for the tribunal fees.", + "question": "Am I able to get a refund on the tribunal fees?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can get a refund if you paid fees at an Employment Tribunal or Employment Appeals Tribunal between 29 July 2013 and 26 July 2017.

    " + ] + ] + ], + "evidences": [ + "

    You can get a refund if you paid fees at an Employment Tribunal or Employment Appeals Tribunal between 29 July 2013 and 26 July 2017.

    " + ], + "id": "train-1636" + }, + { + "url": "https://www.gov.uk/immigration-asylum-tribunal", + "scenario": "I came to the UK to seek asylum and have stayed here for several years although have just found out I am being threatened with being deported. I want to try and appeal this.", + "question": "How do I appeal my immigration decision?", + "not_answerable": false, + "answers": [ + [ + "online or by post or fax with form iaft-5", + [] + ] + ], + "evidences": [ + "

    You can appeal to the First-tier Tribunal (Immigration and Asylum Chamber) if the Home Office has decided to:

    ", + "
  • revoke your protection status
  • ", + "

    If you\u2019re appealing for yourself without a solicitor or immigration adviser

    ", + "

    Find out how to appeal from:

    ", + "
  • within the UK
  • ", + "

    If you\u2019re appealing for yourself without a solicitor or immigration adviser

    ", + "

    Apply online if you can - online appeals are quicker than post or fax appeals.

    ", + "What you\u2019re appealing | How you can appeal", + "A decision to revoke your protection status | Online or by post or fax with form IAFT-5" + ], + "id": "train-1637" + }, + { + "url": "https://www.gov.uk/immigration-asylum-tribunal", + "scenario": "I have recently had my appeal rejected and I am at a loss of what to do my family members are all in the uk and I wont be able to see them anymore.", + "question": "Is there anything I can do as my appeal has been rejected?", + "not_answerable": false, + "answers": [ + [ + "you can ask for permission to appeal to the upper tribunal", + [ + "

    You can ask for permission to appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you lose your case and you think there\u2019s a legal mistake with the tribunal\u2019s decision.

    ", + "
  • got the law wrong
  • ", + "
  • do not apply the correct law
  • ", + "
  • do not follow the correct procedures, which affected the decision
  • ", + "
  • had no evidence to support its decision
  • " + ] + ] + ], + "evidences": [ + "

    You can ask for permission to appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you lose your case and you think there\u2019s a legal mistake with the tribunal\u2019s decision.

    ", + "

    For example, you think the tribunal:

    ", + "
  • got the law wrong
  • ", + "
  • do not apply the correct law
  • ", + "
  • do not follow the correct procedures, which affected the decision
  • ", + "
  • had no evidence to support its decision
  • " + ], + "id": "train-1638" + }, + { + "url": "https://www.gov.uk/staying-in-touch-with-someone-in-prison", + "scenario": "My neighbour was jailed due to gun related case . His wife Karen cries everyday as she misses him. She is disabled and diabetic.", + "question": "Do they allow video calls in prison?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can make video calls to people in some prisons using your mobile phone or tablet.

    " + ], + "id": "train-1639" + }, + { + "url": "https://www.gov.uk/staying-in-touch-with-someone-in-prison", + "scenario": "My brother has been jailed and my father is very worried and would like to know which items are allowed in prison.", + "question": "Can he take a mobile phone to him?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    It\u2019s a criminal offence to send or give a prisoner:

    ", + "
  • a mobile phone
  • " + ], + "id": "train-1640" + }, + { + "url": "https://www.gov.uk/driving-medical-conditions", + "scenario": "I am 73 years old, and I have been recently diagnosed with a heart condition. My driving license has just expired and I am about to apply for a new one.", + "question": "Do I have to inform the DVLA about my heart condition?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must tell DVLA if you have a driving licence and:

    ", + "
  • you develop a \u2018notifiable\u2019 medical condition or disability
  • ", + "

    Notifiable conditions are anything that could affect your ability to drive safely. They can include:

    ", + "
  • heart conditions (including atrial fibrillation and pacemakers)
  • ", + "

    You must also tell DVLA about notifiable conditions if you:

    ", + "
  • renew your licence (if you\u2019re 70 or over)
  • " + ], + "id": "train-1641" + }, + { + "url": "https://www.gov.uk/driving-medical-conditions", + "scenario": "I passed my driver's licence. I failed to inform the DVLA about having epilepsy when I applied for for my licence. I have now been involved in an accident.", + "question": "What punishment could I face for failing to inform about having epilepsy?", + "not_answerable": false, + "answers": [ + [ + "fined up to \u00a31,000", + [] + ], + [ + "prosecuted", + [ + "

    You could be fined up to \u00a31,000 if you do not tell DVLA about a condition that might affect your ability to drive safely. You could also be prosecuted if you have an accident.

    " + ] + ] + ], + "evidences": [ + "

    Notifiable conditions are anything that could affect your ability to drive safely. They can include:

    ", + "
  • epilepsy
  • ", + "

    You could be fined up to \u00a31,000 if you do not tell DVLA about a condition that might affect your ability to drive safely. You could also be prosecuted if you have an accident.

    " + ], + "id": "train-1642" + }, + { + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "scenario": "I have been fined by the court for not paying my council bills. My income changed during the covid pandemic and I have no job .", + "question": "Can get the fine reviewed?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can ask the court to change the amount you\u2019ve been fined if:

    ", + "
  • your financial circumstances have changed
  • ", + "

    You can ask the court to change a fine if:

    ", + "
  • your financial circumstances have changed
  • " + ], + "id": "train-1643" + }, + { + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "scenario": "My friend Andrew was charged with domestic abuse and assault. After a court hearing it was decided that he was guilty . He wants the court decision to be reconsidered since it was not backed by facts .", + "question": "Can he appeal the decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal to the magistrates\u2019 court against your:

    ", + "
  • conviction and sentence, if you pleaded not guilty
  • ", + "

    If you think the decision was wrong, you can ask the court to reconsider a sentence or conviction. For example, if there was a serious mistake or the court did not follow the right steps.

    ", + "

    You can ask the court to reconsider your conviction, sentence or court order if you think the decision was wrong for a legal reason, for example if the court did not:

    ", + "
  • give proper reasons for its decision, or back up the decision with facts
  • " + ], + "id": "train-1644" + }, + { + "url": "https://www.gov.uk/change-vehicle-tax-class", + "scenario": "I manage a company with 200 cars that help disabled people commute from their home to office. We've registered our cars as business cars.", + "question": "How much tax do I need to pay?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You will not have to pay vehicle tax or will pay a lower rate if it\u2019s being used by:

    ", + "
  • an organisation providing transport for disabled people
  • " + ], + "id": "train-1645" + }, + { + "url": "https://www.gov.uk/change-vehicle-tax-class", + "scenario": "I have a mini bus bussiness which has undergone several changes, for example I now only collect children for school trips where as I used to collect disabled people.", + "question": "Do I need to pay more taxes due to the chamge of my bussiness?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you make changes to your vehicle it could affect:

    ", + "
  • how much vehicle tax you pay
  • ", + "

    Changes that affect your vehicle include:

    ", + "
  • what you use the vehicle for, for example using a minibus for profit
  • ", + "

    You will not have to pay vehicle tax or will pay a lower rate if it\u2019s being used by:

    ", + "
  • an organisation providing transport for disabled people
  • " + ], + "id": "train-1646" + }, + { + "url": "https://www.gov.uk/legal-aid", + "scenario": "I have been having a lot of issues with my husband. He slowly became more and more abusive over the last years. I have given him plenty of chances to show me that he can go back to his old self but that seems impossible at this point. I recently filed for a divorce but he refuses to sign the papers and his anger has only ramped up because of it. I make slightly above minimum wage and would not have any money to set a side to fight him in court.", + "question": "Could I be asked to pay some of the money towards the costs of my case?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You\u2019ll usually need to show that you cannot afford to pay for this help. You may have to pay some money towards the legal costs of your case or pay costs back later.

    ", + "

    You may have to pay some money towards the legal costs of your case.

    " + ] + ], + [ + "no", + [] + ] + ], + "evidences": [ + "

    Legal aid can help meet the costs of legal advice, family mediation and representation in a court or tribunal.

    ", + "

    You\u2019ll usually need to show that:

    ", + "
  • the problem is serious
  • ", + "
  • you cannot afford to pay for legal costs
  • ", + "

    You could for example get legal aid if:

    ", + "
  • you or your family are at risk of abuse or serious harm, for example domestic violence or forced marriage
  • ", + "

    You\u2019ll usually need to show that you cannot afford to pay for this help. You may have to pay some money towards the legal costs of your case or pay costs back later.

    ", + "

    You could get help with the costs of legal advice or getting someone to speak or negotiate for you.

    ", + "

    You may have to pay some money towards the legal costs of your case.

    ", + "

    You might be able to get legal aid for problems like:

    ", + "
  • protecting yourself or your child from abuse or harassment, for example domestic violence or forced marriage
  • ", + "

    You might be able to get legal aid if you have evidence that you or your children have been victims of domestic abuse or violence and you cannot afford to pay legal costs.

    ", + "

    You or your children must have been victims of either:

    ", + "
  • domestic abuse or violence
  • " + ], + "id": "train-1647" + }, + { + "url": "https://www.gov.uk/legal-aid", + "scenario": "My ex wife has filed a court claim stating that I am abusive to our kids which I have full custody of. Being a single dad has left my income a bit stretched and I am gonna have trouble keeping up with the financial side of my legal representation for this case. I applied for legal aid but was told I am ineligible.", + "question": "What alternatives are available to me?", + "not_answerable": false, + "answers": [ + [ + "the law centres network", + [] + ], + [ + "citizens advice", + [] + ], + [ + "advicenow", + [] + ] + ], + "evidences": [ + "

    If you cannot get legal aid, you may be able to get free advice from:

    ", + "
  • the Law Centres Network
  • ", + "
  • Citizens Advice
  • ", + "
  • AdviceNow
  • " + ], + "id": "train-1648" + }, + { + "url": "https://www.gov.uk/appeal-employment-appeal-tribunal", + "scenario": "I have recently been directly involved with a employememt tribunal case however I am not happy about the decision of the case and believe the case was swayed in the advantage of the employer.", + "question": "Who can I ask for help help with my appeal?", + "not_answerable": false, + "answers": [ + [ + "citizens advice and citizens advice scotland", + [] + ] + ], + "evidences": [ + "

    You can appeal to the Employment Appeal Tribunal (EAT) if you think a legal mistake was made in an employment tribunal case.

    ", + "

    For example, you could appeal if it:

    ", + "
  • was unfairly biased towards the other party
  • ", + "

    You can also get free legal advice from Citizens Advice and Citizens Advice Scotland.

    " + ], + "id": "train-1649" + }, + { + "url": "https://www.gov.uk/appeal-employment-appeal-tribunal", + "scenario": "I only recenty discovered that I can appeal to EAT although my court hearing was a long time ago.", + "question": "What is the deadline for appealing to EAT?", + "not_answerable": false, + "answers": [ + [ + "42 days", + [ + "
  • the decision was sent to you
  • ", + "
  • the reasons were sent to you (but only if the Employment Tribunal did not provide reasons at the hearing or you asked for the reasons within 14 days of the decision being sent to you)
  • ", + "

    Your appeal must arrive by 4pm on the final day.

    " + ] + ] + ], + "evidences": [ + "

    You must appeal within 42 days of the date that either:

    ", + "
  • the decision was sent to you
  • ", + "
  • the reasons were sent to you (but only if the Employment Tribunal did not provide reasons at the hearing or you asked for the reasons within 14 days of the decision being sent to you)
  • ", + "

    Your appeal must arrive by 4pm on the final day.

    " + ], + "id": "train-1650" + }, + { + "url": "https://www.gov.uk/injunction-domestic-violence", + "scenario": "My husband and I lived in a house together, which is owned by him. I am a victim of abuse and want to stop him living with me and my children.", + "question": "Is there a way to block him from occupying the home even though I don't own it?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:

    ", + "
  • decides who can live in the family home or enter the surrounding area - this is called an \u2018occupation order\u2019
  • ", + "

    You can apply for an occupation order if you\u2019re a victim of domestic abuse and meet the requirements. The order will say who can live in the family home or enter the surrounding area.

    ", + "

    You can apply if:

    ", + "
  • you do not own or rent the home but you\u2019re married or in a civil partnership with the owner and you\u2019re living in the home (known as \u2018matrimonial home rights\u2019)
  • " + ], + "id": "train-1651" + }, + { + "url": "https://www.gov.uk/injunction-domestic-violence", + "scenario": "We adopted our child from an adoption agency. He has become quite abusive to use as parents, and we want him to leave the house. We know about the existence of the injunctions.", + "question": "Are injunctions also applicable to adopted family members?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply if you have a child or grandchild and the respondent is the child\u2019s parent or person you share parental responsibility with.

    ", + "

    If your child (or grandchild) has been adopted, you can also apply to get an injunction against their:

    ", + "
  • adoptive parent
  • " + ], + "id": "train-1652" + }, + { + "url": "https://www.gov.uk/employment-tribunals", + "scenario": "My sister lost her job after a work colleague accused her wrongly of theft. After a thorough investigation they found out that my sister was innocent .", + "question": "Can she make a claim?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can make a claim to an employment tribunal if you think someone has treated you unlawfully, such as your employer, a potential employer or a trade union.

    ", + "

    Unlawful treatment can include:

    ", + "
  • unfair dismissal
  • " + ], + "id": "train-1653" + }, + { + "url": "https://www.gov.uk/employment-tribunals", + "scenario": "I have filed a case against my employer . He reduced my salary without notice citing that I did not report to work for 2 weeks. I have witnesses who want to testify in court .", + "question": "Can I ask my employer to pay the witness expenses?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Unlawful treatment can include:

    ", + "
  • unfair deductions from your pay
  • ", + "

    You can bring witnesses to the hearing if they can give evidence directly relevant to your case.

    ", + "

    You\u2019ll most likely be responsible for paying the witness\u2019s expenses.

    " + ], + "id": "train-1654" + }, + { + "url": "https://www.gov.uk/jury-service", + "scenario": "I am an employee of a company that has been summoned for jury service. I have difficulty hearing, and believe this would make it difficult to participate.", + "question": "Is poor hearing grounds to be excused from jury service?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If it\u2019s not possible for you to do jury service in the next 12 months, you can ask to be excused. You\u2019ll only be allowed to do this in exceptional circumstances, for example:

    ", + "
  • you have a serious illness or disability that prevents you from doing jury service
  • " + ], + "id": "train-1655" + }, + { + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "scenario": "My brother and I had issues with the documentation regarding the home my father left us in his will. We were able to reach a decision among ourselves shortly after we applied to the land registration tribunal.", + "question": "Is the hearing required if both of us agree with making a decision without a hearing?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may have to attend a hearing where you (or your legal representative) and the other parties will present your cases to a judge.

    ", + "

    The tribunal may make a decision without a hearing if all the people involved agree or if no one objects once given notice.

    ", + "

    The people involved can also ask the tribunal to make a decision without a hearing.

    " + ], + "id": "train-1656" + }, + { + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "scenario": "I had to appear in front of the land registration tribunal last month. The problem is I was never notified of when the hearing was scheduled for and the tribunal reached a decision, not in my favor, without my attendance.", + "question": "Which tribunal should I contact to request of the dismissal of this decision?", + "not_answerable": false, + "answers": [ + [ + "the upper tribunal", + [ + "

    You can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.

    " + ] + ], + [ + "the first-tier tribunal", + [ + "

    You can also ask the First-tier Tribunal to set aside their decision if you think there was a problem with the tribunal\u2019s procedure, for example you did not receive a notice of a hearing.

    " + ] + ] + ], + "evidences": [ + "

    You can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.

    ", + "

    You can also ask the First-tier Tribunal to set aside their decision if you think there was a problem with the tribunal\u2019s procedure, for example you did not receive a notice of a hearing.

    " + ], + "id": "train-1657" + }, + { + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "scenario": "My daughter lives in UK and she is 16 years old. She has good eyesight and would like to apply for a provisional driving license.", + "question": "How much does it cost?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1658" + }, + { + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "scenario": "My nephew is 22 years old and lives in UK. He has a manual driving license. He would like to offer driving lessons to my 19 years old son.", + "question": "Is this allowed?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car
  • ", + "
  • have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)
  • " + ] + ] + ], + "evidences": [ + "

    In England, you can practice driving with family or friends, but this is restricted to groups of no more than 6 people, or 2 households. Follow the rules for car sharing in the coronavirus (COVID-19) travel guidance.

    ", + "

    Anyone you practise your driving with (without paying them) must:

    ", + "
  • be over 21
  • ", + "
  • be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car
  • ", + "
  • have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)
  • " + ], + "id": "train-1659" + }, + { + "url": "https://www.gov.uk/vehicle-tax-rate-tables", + "scenario": "I own a new diesel car with 80g/km carbon emissions . I am also aware that it doesn't meet Real Driving Emissions 2.", + "question": "How much first vehicle tax rate should pay?", + "not_answerable": false, + "answers": [ + [ + "\u00a3140", + [] + ] + ], + "evidences": [ + "

    You need to pay tax when the vehicle is first registered, this covers the vehicle for 12 months.

    ", + "

    You\u2019ll pay a rate based on a vehicle\u2019s CO2 emissions the first time it\u2019s registered.

    ", + "

    You have to pay a higher rate for diesel cars that do not meet the Real Driving Emissions 2 (RDE2) standard for nitrogen oxide emissions. You can ask your car\u2019s manufacturer if your car meets the RDE2 standard.

    ", + "CO2 emissions | Diesel cars (TC49) that meet the RDE2 standard and petrol cars (TC48) | All other diesel cars (TC49) | Alternative fuel cars (TC59)", + "76 to 90g/km | \u00a3115 | \u00a3140 | \u00a3105" + ], + "id": "train-1660" + }, + { + "url": "https://www.gov.uk/vehicle-tax-rate-tables", + "scenario": "My mother has bought a new car at \u00a345000 in 2020. She has registered it and paid the needed vehicle tax rate.", + "question": "When will she have to pay the next vehicle tax?", + "not_answerable": false, + "answers": [ + [ + "every 6 or 12 months", + [] + ], + [ + "a year", + [ + "

    You have to pay an extra \u00a3335 a year if you have a car or motorhome with a \u2018list price\u2019 (the published price before any discounts) of more than \u00a340,000. You do not have to pay this if you have a zero emission vehicle.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll then pay vehicle tax every 6 or 12 months at a different rate.

    ", + "

    You have to pay an extra \u00a3335 a year if you have a car or motorhome with a \u2018list price\u2019 (the published price before any discounts) of more than \u00a340,000. You do not have to pay this if you have a zero emission vehicle.

    " + ], + "id": "train-1661" + }, + { + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "scenario": "My neighbor was attacked and raped by two gangsters at night in her house.she later identified them and were jailed. She just received news that they are on parole and soon will be released. She is worried.", + "question": "Can she ask someone else to make a victim personal statement to the parole board?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • cannot make a statement themselves - for example, because of mental incapacity or illness
  • " + ] + ] + ], + "evidences": [ + "

    You can make a victim personal statement if you\u2019re a close relative of a victim who:

    ", + "
  • cannot make a statement themselves - for example, because of mental incapacity or illness
  • " + ], + "id": "train-1662" + }, + { + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "scenario": "My Uncle lost his wife through a armed robbery. The culprits were jailed and are now on parole. He made a victim personal statement on what happened.", + "question": "Is he allowed to add more information during reading of his victim personal statement?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can make a \u2018victim personal statement\u2019 to be presented at the Parole Board hearing if you\u2019re a victim of the prisoner.

    ", + "

    You can make a victim personal statement if you\u2019re a close relative of a victim who:

    ", + "
  • has died
  • ", + "

    Close relatives include spouses and partners, parents, children, grandparents, grandchildren, siblings and dependants. Other family members, guardians and carers of victims may also be allowed to make a statement.

    ", + "

    You\u2019ll be asked to read out your victim personal statement (unless someone else is reading it for you).

    ", + "

    You will not be able to add anything to your written statement at the hearing and will not usually be asked questions.

    " + ], + "id": "train-1663" + }, + { + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "scenario": "I inherited a piece of land from my late father and would like to change his name to mine so that I can sell it.", + "question": "Can apply to the land chamber tribunal?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    If you want to change the title register or title plan, contact HM Land Registry directly.

    " + ] + ], + [ + "yes", + [ + "

    You need to apply to the Land Registration division of the Property Chamber (First-tier Tribunal) if you want to correct or cancel certain documents relating to registered land.

    ", + "

    Apply to the tribunal if you want to correct or cancel (sometimes known as \u2018set aside\u2019) certain documents relating to registered land. You can also object to someone else\u2019s application. These are known as \u2018rectification cases\u2019.

    " + ] + ] + ], + "evidences": [ + "

    You need to apply to the Land Registration division of the Property Chamber (First-tier Tribunal) if you want to correct or cancel certain documents relating to registered land.

    ", + "

    If you want to change the title register or title plan, contact HM Land Registry directly.

    ", + "

    Apply to the tribunal if you want to correct or cancel (sometimes known as \u2018set aside\u2019) certain documents relating to registered land. You can also object to someone else\u2019s application. These are known as \u2018rectification cases\u2019.

    " + ], + "id": "train-1664" + }, + { + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "scenario": "I have lost a land case to my neighbor who acquired it through fraud. I didn't receive timely court proceedings and I am saddened by the decision.", + "question": "Can i appeal the decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.

    " + ] + ] + ], + "evidences": [ + "

    You can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.

    " + ], + "id": "train-1665" + }, + { + "url": "https://www.gov.uk/administrative-appeals-tribunal", + "scenario": "I am about to see through my case, I am ex armed forces and got severley wounded whilst in combat a few years ago I was told I could get some compensation.", + "question": "How will the result of my case be decided?", + "not_answerable": false, + "answers": [ + [ + "a judge will make a decision", + [ + "
  • your appeal form
  • ", + "
  • the documents you\u2019ve provided
  • ", + "
  • the documents used by the lower tribunal or organisation that decided your case
  • " + ] + ], + [ + "attend a hearing", + [ + "

    In certain cases you may be asked to attend a hearing to present your case. You can also ask for a hearing when you apply - the judge will decide if it\u2019s necessary.

    " + ] + ], + [ + "get a time extension", + [ + "

    You may be able to get a time extension if you need more time to prepare - ask the judge.

    ", + "

    You must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.

    " + ] + ] + ], + "evidences": [ + "

    You might be able to appeal if your case was about:

    ", + "
  • war pensions and armed forces compensation
  • ", + "

    A judge will make a decision using:

    ", + "
  • your appeal form
  • ", + "
  • the documents you\u2019ve provided
  • ", + "
  • the documents used by the lower tribunal or organisation that decided your case
  • ", + "

    In certain cases you may be asked to attend a hearing to present your case. You can also ask for a hearing when you apply - the judge will decide if it\u2019s necessary.

    ", + "

    You may be able to get a time extension if you need more time to prepare - ask the judge.

    ", + "

    You must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.

    " + ], + "id": "train-1666" + }, + { + "url": "https://www.gov.uk/drink-drive-course", + "scenario": "I am a man in my early 20\u2019s and I have struggled with my relationship with alcohol I only recently got my drivers licence so I dont want to lose it.", + "question": "Can I take the course to get myself back on track again?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can be offered a rehabilitation course to reduce your driving ban if:

    ", + "
  • you\u2019re found guilty of a drink-drive offence
  • " + ], + "id": "train-1667" + }, + { + "url": "https://www.gov.uk/drink-drive-course", + "scenario": "I am a older woman in my 60\u2019s. I was recently found guilty driving after drinking. I am really interested in taking the course but I can not afford to pay the \u00a3250 fee to get the course.", + "question": "is there any way I can pay in installments?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1668" + }, + { + "url": "https://www.gov.uk/vehicle-insurance", + "scenario": "My friend asked me to drive his car back to London because he had been drinking. We were involved in an accident, and I found out my friend has no insurance.", + "question": "Will I be punished even though I am not the registered keeper?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must have motor insurance to drive your vehicle on UK roads.

    ", + "

    It does not matter who is driving the car - if you\u2019re the registered keeper, you could get penalised.

    ", + "

    The police could give you a fixed penalty of \u00a3300 and 6 penalty points if you\u2019re caught driving a vehicle you\u2019re not insured to drive.

    " + ], + "id": "train-1669" + }, + { + "url": "https://www.gov.uk/vehicle-insurance", + "scenario": "I live in Britain, and I have comprehensive insurance for my own car. I need to do some driving abroad when I go to Japan for business reasons.", + "question": "Will my insurance be sufficient to cover my drive in Japan?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You may need to carry a green card to prove you have the minimum insurance cover required by the country you\u2019re driving in.

    " + ] + ], + [ + "no", + [ + "

    You may also need additional insurance for your vehicle, trailer or caravan. Check the travel advice for the country you\u2019re going to.

    " + ] + ] + ], + "evidences": [ + "

    You may need to carry a green card to prove you have the minimum insurance cover required by the country you\u2019re driving in.

    ", + "

    You may also need additional insurance for your vehicle, trailer or caravan. Check the travel advice for the country you\u2019re going to.

    " + ], + "id": "train-1670" + }, + { + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "scenario": "I am an elderly man and I have a mobility scooter although I don\u2019t know if I am able to register it or not, I also have bad vision and will need help with viewing the computer when registering.", + "question": "Do I need to register my mobility scooter?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You must register class 3 invalid carriages.

    " + ] + ], + [ + "no", + [ + "

    You do not need to register a class 2 invalid carriage.

    " + ] + ] + ], + "evidences": [ + "

    You do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.

    ", + "

    You do not need to register a class 2 invalid carriage.

    ", + "

    You must register class 3 invalid carriages.

    " + ], + "id": "train-1671" + }, + { + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "scenario": "I need a mobility scooter for daily use however I have very bad vision and can not see very well, will this effect my ability to get a scooter to use. I can always get an updated vision test if needed.", + "question": "Can I still use my mobility scooter daily if I have problems with my vision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    There is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).

    " + ] + ] + ], + "evidences": [ + "

    There is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).

    " + ], + "id": "train-1672" + }, + { + "url": "https://www.gov.uk/leaving-prison", + "scenario": "My friend Martin has served 10 years in prison and is now paroled. He is set to be released from prison.", + "question": "Can he be given time to start looking for work?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    A resettlement day release lets a prisoner out during the day - for example to go on a training course to help them find work once they\u2019re released.

    ", + "

    All prisoners get help preparing for life when they leave prison. In the last 12 weeks of their sentence, they\u2019re given advice and support on:

    ", + "
  • getting a job
  • " + ], + "id": "train-1673" + }, + { + "url": "https://www.gov.uk/leaving-prison", + "scenario": "My Uncle is leaving prison after being paroled. He has no house or source of income. I am afraid he will go i to depression.", + "question": "Is he entittled for financial support?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    A person leaving prison may get the following financial support:

    ", + "
  • Universal Credit
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • help from your local council
  • ", + "
  • Scottish Welfare Fund in Scotland
  • ", + "
  • Discretionary Assistance Fund in Wales
  • " + ], + "id": "train-1674" + }, + { + "url": "https://www.gov.uk/transport-disabled", + "scenario": "I have a disablity and need to use a wheelchair however I need to get on a train to travel to see family, I am thinking about doing this a few times a year. I do not have a very large income and I want some money off my fee\u2019s.", + "question": "How much can I get money off transport as I am disabled?", + "not_answerable": false, + "answers": [ + [ + "a third", + [] + ] + ], + "evidences": [ + "

    If you\u2019re eligible you can get up to a third off rail tickets by applying for a disabled person\u2019s railcard. You must provide evidence of a relevant disability.

    " + ], + "id": "train-1675" + }, + { + "url": "https://www.gov.uk/transport-disabled", + "scenario": "I am blind and I use a guide dog to help me get around. I want to use the train soon to visit friends but I am unsure about taking my guide dog on the train. I am worried the train will be too crowded and am unsure about the rules around this.", + "question": "Can I take my guide dog on the train?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1676" + }, + { + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "scenario": "I am 13 years old. I suffer from a medical condition that affects my ability to walk. And I am looking for a mobility scooter to help me get around.", + "question": "What kind of mobility scooters can I use?", + "not_answerable": false, + "answers": [ + [ + "class 2 invalid carriages", + [] + ] + ], + "evidences": [ + "

    Mobility scooters and powered wheelchairs come in 2 categories:

    ", + "
  • \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph
  • ", + "
  • \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road
  • ", + "

    You must be 14 or over to drive a class 3 invalid carriage.

    ", + "

    You can only drive a mobility scooter or powered wheelchair if you:

    ", + "
  • have trouble walking because of an injury, physical disability or medical condition
  • " + ], + "id": "train-1677" + }, + { + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "scenario": "I am 27 years old and have been told I can use a mobility scooter due to my heart problem. I also have bad eyesight, but this has not been mentioned by anyone as being an issue.", + "question": "Are there any issues with having poor eyesight?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    There is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).

    " + ] + ] + ], + "evidences": [ + "

    There is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).

    ", + "

    You can only drive a mobility scooter or powered wheelchair if you:

    ", + "
  • have trouble walking because of an injury, physical disability or medical condition
  • " + ], + "id": "train-1678" + }, + { + "url": "https://www.gov.uk/transport-disabled", + "scenario": "I am disabled and use a wheelchair to move around. I needed to get on the bus and driver refused to help to get onto the bus.", + "question": "Are they any channel in which I can make a complain?", + "not_answerable": false, + "answers": [ + [ + "complain to the bus or coach service operator directly", + [ + "

    If you\u2019re unhappy with the help you get, complain to the bus or coach service operator directly.

    " + ] + ], + [ + "bus users uk for complaints", + [ + "

    If you cannot resolve the problem with the operator, contact:

    ", + "
  • Bus Users UK for complaints about services outside of London
  • " + ] + ], + [ + "london travelwatch", + [ + "
  • London TravelWatch for complaints about services in London
  • " + ] + ], + [ + "your local government ombudsman for complaints", + [ + "

    If you cannot resolve the problem with the operator, contact:

    ", + "
  • your local government ombudsman for complaints about bus passes
  • " + ] + ] + ], + "evidences": [ + "

    The law says bus and coach drivers must give reasonable assistance to disabled people, for example by helping them get on and off the bus or coach. This does not mean physically lifting passengers or heavy mobility equipment.

    ", + "

    If you\u2019re unhappy with the help you get, complain to the bus or coach service operator directly.

    ", + "

    If you cannot resolve the problem with the operator, contact:

    ", + "
  • Bus Users UK for complaints about services outside of London
  • ", + "
  • London TravelWatch for complaints about services in London
  • ", + "
  • your local government ombudsman for complaints about bus passes
  • " + ], + "id": "train-1679" + }, + { + "url": "https://www.gov.uk/transport-disabled", + "scenario": "I am seventy-years old and I have a broken. There may be some difficulties getting around the airport with the condition I am in. I am self-dependant, and I do not need a carer.", + "question": "What kind of support can I expect to get around the airport?", + "not_answerable": false, + "answers": [ + [ + "help at specific arrival points", + [] + ], + [ + "help to reach check-in", + [] + ], + [ + "help with registration at check-in", + [] + ], + [ + "help with moving through the airport if you need it, including to toilets", + [] + ], + [ + "help to board the plane", + [] + ] + ], + "evidences": [ + "

    If you have a sensory, physical or learning disability which affects your mobility when using transport, at airports in the UK and EU you have the right to:

    ", + "
  • help at specific arrival points, such as at terminal entrances, at transport interchanges and in car parks
  • ", + "
  • help to reach check-in
  • ", + "
  • help with registration at check-in
  • ", + "
  • help with moving through the airport if you need it, including to toilets
  • ", + "
  • help to board the plane
  • ", + "

    You\u2019ll also have the right to help because of your age or a temporary illness or injury - for example if you\u2019ve broken your leg and it\u2019s in a cast.

    ", + "

    You can travel with up to 2 items of mobility equipment free of charge if you\u2019re disabled. This will not count as part of your baggage allowance.

    " + ], + "id": "train-1680" + }, + { + "url": "https://www.gov.uk/rights-disabled-person", + "scenario": "I am a 26 years old disabled person who cannot walk. There is no ramp at my workplace for my wheelchair and i need to struggle up steps to get into the building.", + "question": "Does my employer have to provide me with safe access to my workplace?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    As a disabled person, you have rights to protect you from discrimination. These rights cover most areas including:

    ", + "
  • employment
  • ", + "

    An employer has to make \u2018reasonable adjustments\u2019 to avoid you being put at a disadvantage compared to non-disabled people in the workplace. For example, adjusting your working hours or providing you with a special piece of equipment to help you do the job.

    " + ], + "id": "train-1681" + }, + { + "url": "https://www.gov.uk/rights-disabled-person", + "scenario": "My son is 18 with motor-neurone disease. He is very intelligent but finds it hard to communicate. He loves computers and wants to study computer science at university.", + "question": "Are universities able to offer courses to the same standard as for non disabled people?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1682" + }, + { + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "scenario": "I am 18 years old, and want to start learning to drive. My father, who is 40 years old, has said that he is willing to teach me to drive.", + "question": "Is my father allowed to teach me or do I need to use an instructor?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car
  • ", + "
  • have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)
  • " + ] + ] + ], + "evidences": [ + "

    You can apply for a provisional driving licence when you\u2019re 15 years and 9 months old.

    ", + "

    Anyone you practise your driving with (without paying them) must:

    ", + "
  • be over 21
  • ", + "
  • be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car
  • ", + "
  • have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)
  • " + ], + "id": "train-1683" + }, + { + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "scenario": "I am 18 years old. I have been learning to drive for 8 months. My instructor keeps telling me that I need more lessons, but there seems to be no end in sight. I think I am ready to take it.", + "question": "Am I able to take the test now or do I need more lessons like my instructor says?", + "not_answerable": false, + "answers": [ + [ + "depend on how quickly you learn", + [] + ] + ], + "evidences": [ + "

    There\u2019s no minimum number of lessons you must have or hours you must practise driving.

    ", + "

    How many lessons you need will depend on how quickly you learn. You can download a form to record your progress with your instructor.

    " + ], + "id": "train-1684" + }, + { + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "scenario": "My 14 years old son sneaked out with my car and drove at a very high speed. He was pulled over by the police due to dangerous driving and with no driving license. My car was seized.", + "question": "How much fee will pay ?", + "not_answerable": false, + "answers": [ + [ + "up to \u00a3200 plus a storage fee of \u00a320 for every day or part day", + [] + ] + ], + "evidences": [ + "

    You can also have your vehicle seized if you\u2019re stopped on suspicion of driving without insurance and for some other offences.

    ", + "

    The police can seize a vehicle if they think it\u2019s being used in a way that causes alarm, harassment or distress, for example careless or inconsiderate driving.

    ", + "

    They can also seize a vehicle if they think it\u2019s:

    ", + "
  • being driven by someone who does not have a proper licence or insurance
  • ", + "
  • dangerously, illegally or obstructively parked
  • ", + "

    If your vehicle is seized there\u2019s a \u2018release fee\u2019 of up to \u00a3200 plus a storage fee of \u00a320 for every day or part day.

    " + ], + "id": "train-1685" + }, + { + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "scenario": "My sister passed her driving test in July 2019 . Last week she was pulled over because she was driving while using her mobile phone.", + "question": "Can she get banned from driving?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    You can be fined up to \u00a3200 and get penalty points on your licence if you get a fixed penalty notice - you may be disqualified from driving if you build up 12 points within 3 years.

    " + ] + ] + ], + "evidences": [ + "

    The police can give you a \u2018fixed penalty notice\u2019 for less serious traffic offences, including for:

    ", + "
  • using a mobile phone while driving
  • ", + "

    You can be fined up to \u00a3200 and get penalty points on your licence if you get a fixed penalty notice - you may be disqualified from driving if you build up 12 points within 3 years.

    " + ], + "id": "train-1686" + }, + { + "url": "https://www.gov.uk/jury-service", + "scenario": "My Aunt is self-employed and has received a jury service summon. This will cost her 10 working days out of work and loss of income. This will also lead to cost driving from home to the court.", + "question": "How much can she claim back?", + "not_answerable": false, + "answers": [ + [ + "\u00a364.95 a day", + [ + "
  • \u00a364.95 a day if you spend more than 4 hours at court
  • " + ] + ], + [ + "\u00a332.47", + [ + "
  • \u00a332.47 a day if you spend 4 hours or less at court
  • " + ] + ], + [ + "31.4p per mile", + [] + ], + [ + "\u00a35.71 per day", + [ + "Up to and including 10 hours a day | \u00a35.71 per day" + ] + ], + [ + "\u00a312.17 per day", + [ + "Over 10 hours a day | \u00a312.17 per day" + ] + ] + ], + "evidences": [ + "

    You will not be paid for doing jury service, but you can claim some money back if you lose earnings. You can also claim some expenses, for example travel.

    ", + "
  • if you\u2019re self-employed
  • ", + "

    You will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:

    ", + "
  • up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements
  • ", + "
  • \u00a35.71 for food and drink
  • ", + "
  • the cost of travel to and from court
  • ", + "

    For the first 10 days of jury service, you can claim up to:

    ", + "
  • \u00a364.95 a day if you spend more than 4 hours at court
  • ", + "
  • \u00a332.47 a day if you spend 4 hours or less at court
  • ", + "

    Travel and parking costs

    ", + "How you travel to court | The court will pay", + "Car | 31.4p per mile - check if the court will pay for parking", + "

    Food and drink

    ", + "Time spent each day | The court will pay up to", + "Up to and including 10 hours a day | \u00a35.71 per day", + "Over 10 hours a day | \u00a312.17 per day" + ], + "id": "train-1687" + }, + { + "url": "https://www.gov.uk/getting-an-mot", + "scenario": "I have recently recently bought a new car. The car has room for five people. I know that new cars are exempt from MOT.", + "question": "How long is this new car exempt from MOT?", + "not_answerable": false, + "answers": [ + [ + "3 years", + [] + ], + [ + "one year", + [ + "

    Some vehicles need to be tested at one year old - check the MOT fees table to see which.

    " + ] + ] + ], + "evidences": [ + "

    You must get an MOT for your vehicle by either:

    ", + "
  • the third anniversary of its registration
  • ", + "
  • the anniversary of its last MOT, if it\u2019s over 3 years old
  • ", + "

    Some vehicles need to be tested at one year old - check the MOT fees table to see which.

    ", + "

    You do not need to get an MOT for a vehicle until it reaches the age shown in the MOT fees table.

    " + ], + "id": "train-1688" + }, + { + "url": "https://www.gov.uk/getting-an-mot", + "scenario": "My car failed its MOT based on the side mirror being cracked. I have had this repaired at the mechanics. I am going to have the car retested, a day after the original MOT test. My mechanic wants me to pay for the retest.", + "question": "Do you need to pay for an MOT retest?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    In some cases your vehicle can have a partial retest for free or a reduced MOT fee.

    ", + "

    You will not have to pay again if you take it back to the same test centre before the end of the next working day for a partial retest on one or more of these items:

    ", + "
  • mirrors
  • " + ], + "id": "train-1689" + }, + { + "url": "https://www.gov.uk/legal-aid", + "scenario": "I am a 30 year old woman who doesn\u2019t work and I have recently escaped an abusive relationship although my ex partner keeps trying to contact me and is harrasing me so I would like to try and get a restraining order.", + "question": "Can I get legal aid as I do not work and am being threatened by my ex?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You\u2019ll usually have to give details and evidence of your income, benefits, savings and property, and those of your partner. If you\u2019re under 18, you may need to give information about your parents\u2019 or guardians\u2019 income.

    ", + "

    You may also have to provide evidence about your problem, for example in a divorce case by providing a court order or GP letter showing that you or your child have been a victim of abuse.

    " + ] + ] + ], + "evidences": [ + "

    Legal aid can help meet the costs of legal advice, family mediation and representation in a court or tribunal.

    ", + "

    You\u2019ll usually need to show that:

    ", + "
  • the problem is serious
  • ", + "
  • you cannot afford to pay for legal costs
  • ", + "

    You could for example get legal aid if:

    ", + "
  • you or your family are at risk of abuse or serious harm, for example domestic violence or forced marriage
  • ", + "

    Civil cases include things like debt, family or housing problems. To get legal aid, you usually need to show you cannot afford to pay for legal costs and your problem is serious.

    ", + "

    You\u2019ll usually have to give details and evidence of your income, benefits, savings and property, and those of your partner. If you\u2019re under 18, you may need to give information about your parents\u2019 or guardians\u2019 income.

    ", + "

    You may also have to provide evidence about your problem, for example in a divorce case by providing a court order or GP letter showing that you or your child have been a victim of abuse.

    " + ], + "id": "train-1690" + }, + { + "url": "https://www.gov.uk/legal-aid", + "scenario": "I am entitled to legal aid as I have a low income and am very young although I am finding it hard to find evidence for the situation I am in, my landlord is putting me at risk of homlessness but I am not sure what the best form of evidence is for this.", + "question": "What type of evidence do I need for legal aid?", + "not_answerable": false, + "answers": [ + [ + "benefits", + [] + ], + [ + "income, savings and spending", + [] + ], + [ + "national insurance numbers", + [] + ], + [ + "copies of evidence relating to your case", + [] + ] + ], + "evidences": [ + "

    You could for example get legal aid if:

    ", + "
  • you\u2019re at risk of homelessness or losing your home
  • ", + "

    You\u2019ll usually have to give details and evidence of your income, benefits, savings and property, and those of your partner. If you\u2019re under 18, you may need to give information about your parents\u2019 or guardians\u2019 income.

    ", + "

    You may also have to provide evidence about your problem, for example in a divorce case by providing a court order or GP letter showing that you or your child have been a victim of abuse.

    ", + "

    You\u2019ll need to give information about the following for both yourself and your partner:

    ", + "
  • benefits - including benefits statements
  • ", + "
  • income, savings and spending - including pay slips and bank statements
  • ", + "
  • National Insurance numbers
  • ", + "

    You\u2019ll also need copies of evidence relating to your case, eg:

    " + ], + "id": "train-1691" + }, + { + "url": "https://www.gov.uk/historic-vehicles", + "scenario": "I am an elderly man and I recently purchaced a historic vehicle from WW2, it was very expensive although I have not been told to pay tax on this vehicle. This vehicle no longer functions and is only for decorative purposes.", + "question": "Do I need to pay tax on my historic vehicle?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1692" + }, + { + "url": "https://www.gov.uk/historic-vehicles", + "scenario": "I am a bussiness owner and I have recently purchased 100 new taxis for my taxi company. Do I need to pay tax on these and how much tax do I need to pay.", + "question": "Do I need to pay tax for my taxi company taxis", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1693" + }, + { + "url": "https://www.gov.uk/litigation-friend", + "scenario": "My cousin has a severe mental illness and will not be able to represent themselves in court as they lack capacity. This is a family case and focuses on my cousins divorce. I am worried about my cousin.", + "question": "Can I be appointed a litigation friend to make decisions about the court case for my cousin?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • your interests do not conflict with theirs
  • ", + "
  • you can make decisions about the case in a fair and competent way
  • " + ] + ] + ], + "evidences": [ + "

    You can be appointed as litigation friend to make decisions about a court case for either:

    ", + "
  • an adult who lacks the mental capacity to manage their own court case either with or without a solicitor
  • ", + "

    The court case can be any of the following:

    ", + "
  • a family case
  • ", + "

    The court will check you\u2019re suitable by making sure:

    ", + "
  • your interests do not conflict with theirs
  • ", + "
  • you can make decisions about the case in a fair and competent way
  • " + ], + "id": "train-1694" + }, + { + "url": "https://www.gov.uk/litigation-friend", + "scenario": "My child is due to go to court soon as they are under 16 although I am not able to be their litigation friend as I am disabled and unwell, I am worried that no one will be there to fulfill this role in court.", + "question": "Who will be the litigation friend of my child if there's no one suitable?", + "not_answerable": false, + "answers": [ + [ + "official solicitor", + [] + ] + ], + "evidences": [ + "

    You can be appointed as litigation friend to make decisions about a court case for either:

    ", + "
  • a child
  • ", + "

    When there\u2019s no one suitable, willing and able to be a litigation friend, the court may ask the Official Solicitor to step in.

    ", + "

    The Official Solicitor will act as a litigation friend if:

    ", + "
  • nobody else is suitable and willing to be litigation friend
  • ", + "

    The court will appoint the Official Solicitor - if he agrees - at the relevant time.

    " + ], + "id": "train-1695" + }, + { + "url": "https://www.gov.uk/criminal-injuries-compensation-tribunal", + "scenario": "I got injured after a colleague assulted me during work. I ended up losing my work due to the injuries. I claimed for injury compensation but I was not happy with the CICA decision.", + "question": "How many days do i have to apply for an appeal?", + "not_answerable": false, + "answers": [ + [ + "90 days", + [] + ] + ], + "evidences": [ + "

    You can appeal to the First-tier Tribunal (Criminal Injuries Compensation) if you disagree with a decision by the Criminal Injuries Compensation Authority (CICA) on your claim for compensation.

    ", + "

    You have 90 days to appeal to the tribunal from the date of CICA\u2019s review decision. Explain why you\u2019re late if you miss the deadline, for example if you\u2019re waiting for medical reports.

    " + ], + "id": "train-1696" + }, + { + "url": "https://www.gov.uk/criminal-injuries-compensation-tribunal", + "scenario": "My mother made an appeal to challenge the CICA decision .She sustained body injuries after an acid attack on her way home.She doesn't want to meet the offender during the court hearing.", + "question": "Who are the people who attends the hearing?", + "not_answerable": false, + "answers": [ + [ + "2 or 3 tribunal judges or members", + [] + ], + [ + "a clerk", + [] + ], + [ + "a representative from cica", + [] + ], + [ + "any witnesses", + [] + ], + [ + "a police officer", + [ + "

    A police officer who knows about your case may also attend if they can help the tribunal.

    " + ] + ] + ], + "evidences": [ + "

    The hearing will be attended by:

    ", + "
  • 2 or 3 tribunal judges or members
  • ", + "
  • a clerk
  • ", + "
  • a representative from CICA
  • ", + "
  • any witnesses
  • ", + "

    A police officer who knows about your case may also attend if they can help the tribunal.

    ", + "

    Offenders do not usually attend tribunal hearings.

    " + ], + "id": "train-1697" + }, + { + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "scenario": "I got pulled over by the police not too long ago I am an older man in my 50\u2019s and I have had my drivers licence for a long time I was really tierd on my journey and the police asked me to do a breath test which I failed although I had not drank anything.", + "question": "Can I appeal the results of a breath test as I was not drinking.", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1698" + }, + { + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "scenario": "I am a 22 year old male and no longer have my vehicle because I got pulled over a few weeks ago by the police who suspected that I am not fully insured to drive, this is a big inconvenience as now I can\u2019t get to work.", + "question": "How can I get my car back if it has been seized?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1699" + }, + { + "url": "https://www.gov.uk/your-rights-after-crime", + "scenario": "My brother was killed after being beaten. I have reported this crime to the police, and I have been told it is going to court.", + "question": "What can I expect at the court?", + "not_answerable": false, + "answers": [ + [ + "a witness care officer who will support you", + [ + "

    If you\u2019re asked to give evidence, the police will pass your details to a Witness Care Officer who will support you before and during the trial.

    " + ] + ], + [ + "read your victim personal statement to them", + [ + "

    If the defendant is found guilty, you may be able to read your victim personal statement to them.

    " + ] + ] + ], + "evidences": [ + "

    If you\u2019re asked to give evidence, the police will pass your details to a Witness Care Officer who will support you before and during the trial.

    ", + "

    If the defendant is found guilty, you may be able to read your victim personal statement to them.

    " + ], + "id": "train-1700" + }, + { + "url": "https://www.gov.uk/your-rights-after-crime", + "scenario": "I was put in hospital after suffering domestic abuse. I have become anxious due to this. The crime was reported, and it is going to court.", + "question": "Is there any further support to help my anxiety?", + "not_answerable": false, + "answers": [ + [ + "get information quicker", + [] + ], + [ + "protection in court", + [ + "
  • protection in court if you need to give evidence
  • " + ] + ], + [ + "specialist help and advice", + [] + ], + [ + "a family liaison officer", + [ + "
  • a Family Liaison Officer - if you\u2019re a close relative of the victim
  • " + ] + ] + ], + "evidences": [ + "

    You may get extra support if you:

    ", + "
  • are the victim of a serious crime
  • ", + "
  • have been a victim of crime repeatedly - for example you\u2019re being targeted, harassed or stalked
  • ", + "

    You\u2019re the victim of a serious crime if it was:

    ", + "
  • domestic abuse
  • ", + "

    You\u2019re entitled to:

    ", + "
  • get information quicker - usually within 24 hours
  • ", + "
  • protection in court if you need to give evidence
  • ", + "
  • specialist help and advice
  • ", + "
  • a Family Liaison Officer - if you\u2019re a close relative of the victim
  • " + ], + "id": "train-1701" + }, + { + "url": "https://www.gov.uk/litigation-friend", + "scenario": "There is a child who is in social care. He has inherited money from a grand parent, however the parents who do not look after the child are trying to get hold of the money.", + "question": "Is the child able to get assistance to fight this in court.", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1702" + }, + { + "url": "https://www.gov.uk/litigation-friend", + "scenario": "A mentally handicapped lady was accidentally hit by a drunk driver. The matter was reported to the police and now the case is going to court. A friend of her is appointed as her litigation friend.", + "question": "What's the duty of her litigation friend?", + "not_answerable": false, + "answers": [ + [ + "make decisions in their best interests", + [] + ], + [ + "do everything you can to tell them what\u2019s happening in the case and find out their wishes and feelings", + [] + ], + [ + "talk to their solicitor about what\u2019s happening, get advice from them and give instructions to them in the other person\u2019s best interests", + [] + ], + [ + "pay any costs ordered by the court", + [] + ], + [ + "manage the account for them", + [ + "

    If you\u2019re the deputy of an adult awarded more than \u00a350,000 into a CFO account, you\u2019ll need to manage the account for them. The Court of Protection may agree that a deputy is not needed.

    " + ] + ] + ], + "evidences": [ + "

    You can be appointed as litigation friend to make decisions about a court case for either:

    ", + "
  • an adult who lacks the mental capacity to manage their own court case either with or without a solicitor
  • ", + "

    You must \u2018direct the proceedings\u2019 on behalf of the other person if you\u2019re their litigation friend. This means you\u2019ll:

    ", + "
  • make decisions in their best interests
  • ", + "
  • do everything you can to tell them what\u2019s happening in the case and find out their wishes and feelings
  • ", + "
  • talk to their solicitor about what\u2019s happening, get advice from them and give instructions to them in the other person\u2019s best interests
  • ", + "
  • pay any costs ordered by the court
  • ", + "

    If you\u2019re the deputy of an adult awarded more than \u00a350,000 into a CFO account, you\u2019ll need to manage the account for them. The Court of Protection may agree that a deputy is not needed.

    " + ], + "id": "train-1703" + }, + { + "url": "https://www.gov.uk/immigration-asylum-tribunal", + "scenario": "I moved to the UK seven years ago. I had the right of movement due to being from France, an EU member state. I have been told that I am going to lose have my status revoked. I currently live in the UK.", + "question": "Do I need to attend a hearing for my appeal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • at a hearing that you and your representative can attend
  • ", + "

    The tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend.

    " + ] + ], + [ + "no", + [ + "
  • just on the information in your appeal form and any documents supplied to the tribunal
  • " + ] + ] + ], + "evidences": [ + "

    You can appeal to the First-tier Tribunal (Immigration and Asylum Chamber) if the Home Office has decided to:

    ", + "
  • refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme
  • ", + "

    You can ask on your appeal form for a decision to be made either:

    ", + "
  • just on the information in your appeal form and any documents supplied to the tribunal
  • ", + "
  • at a hearing that you and your representative can attend
  • ", + "

    The tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend.

    " + ], + "id": "train-1704" + }, + { + "url": "https://www.gov.uk/immigration-asylum-tribunal", + "scenario": "I migrated to the UK from Japan to live with my husband. I have appealed against a decision to be deported and will have a hearing.", + "question": "Can I bring someone to support me at the hearing?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The hearing will normally be attended by:

    ", + "
  • your representative, if you have one
  • ", + "
  • an interpreter, if you\u2019ve asked for one
  • ", + "

    It can also normally be attended by:

    ", + "
  • your sponsor, if you have one
  • " + ], + "id": "train-1705" + }, + { + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "scenario": "I recently pleeded guilty for a crime I did not comit, I don\u2019t know what I can do about this. I am wondering if I can appeal as it is not fair to serve a sentence that I am not responsible for.", + "question": "can I appeal against my conviction?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can appeal to the magistrates\u2019 court against your:

    ", + "
  • sentence, if you pleaded guilty
  • ", + "

    If you pleaded guilty, you cannot ask the court to reconsider your conviction.

    ", + "

    If you pleaded guilty, you can only appeal against your sentence.

    " + ], + "id": "train-1706" + }, + { + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "scenario": "I have a court hearing as my sentence has been appealed, I have no idea what this means or what the process will be of my appeal.", + "question": "What happens after the hearing at the Crown Court?", + "not_answerable": false, + "answers": [ + [ + "your sentence will no longer apply", + [ + "

    If you win your appeal against your conviction, your sentence will no longer apply. You might be able to apply to get compensation.

    " + ] + ], + [ + "you might be able to apply to get compensation", + [ + "

    If you win your appeal against your conviction, your sentence will no longer apply. You might be able to apply to get compensation.

    " + ] + ], + [ + "it will be reduced", + [ + "

    If you win your appeal against your sentence, it will be reduced.

    " + ] + ], + [ + "you can get some of your legal costs paid back", + [ + "

    The court might decide you can get some of your legal costs paid back, for example your solicitor\u2019s fee.

    " + ] + ], + [ + "your original sentence or conviction might change", + [ + "

    If you lose your appeal

    " + ] + ] + ], + "evidences": [ + "

    If you win your appeal against your conviction, your sentence will no longer apply. You might be able to apply to get compensation.

    ", + "

    If you win your appeal against your sentence, it will be reduced.

    ", + "

    The court might decide you can get some of your legal costs paid back, for example your solicitor\u2019s fee.

    ", + "

    If you lose your appeal

    ", + "

    Your original sentence or conviction might change.

    " + ], + "id": "train-1707" + }, + { + "url": "https://www.gov.uk/vehicle-tax-rate-tables", + "scenario": "For my business I rent out cars although I am not sure about the amount of taxes I need to pay or if I need to pay taxes on these cars as it would be classed as a business expense. I registered the cars in January this year.", + "question": "How much tax do I need to pay on cars for a business?", + "not_answerable": false, + "answers": [ + [ + "\u00a393.50", + [ + "January (6 month licence) | June | 6 months | \u00a393.50 | \u00a352.80" + ] + ], + [ + "\u00a3170", + [ + "January (12 month licence) | December | 12 months | \u00a3170 | \u00a396" + ] + ] + ], + "evidences": [ + "

    You can get trade licences for between 6 and 12 months, depending on the month you apply.

    ", + "Month you apply | When the licence expires | How long it\u2019s valid for | Rate of duty for all vehicles | Rate of duty for bicycles and tricycles", + "January (6 month licence) | June | 6 months | \u00a393.50 | \u00a352.80", + "January (12 month licence) | December | 12 months | \u00a3170 | \u00a396" + ], + "id": "train-1708" + }, + { + "url": "https://www.gov.uk/vehicle-insurance", + "scenario": "I have recently moved country from Canada and have been using an uninsured car for the last month.", + "question": "Do I need to pay a charge for having an uninsured car? If so, how much will I possibly pay?", + "not_answerable": false, + "answers": [ + [ + "\u00a3100", + [] + ], + [ + "have your vehicle wheel-clamped, impounded or destroyed", + [] + ], + [ + "face a court prosecution, with a possible maximum fine of \u00a31,000", + [] + ] + ], + "evidences": [ + "

    You must have motor insurance to drive your vehicle on UK roads.

    ", + "

    You must have motor insurance for your vehicle if you use it on roads and in public places.

    ", + "

    If not, you could:

    ", + "
  • get a fixed penalty of \u00a3100
  • ", + "
  • have your vehicle wheel-clamped, impounded or destroyed
  • ", + "
  • face a court prosecution, with a possible maximum fine of \u00a31,000
  • " + ], + "id": "train-1709" + }, + { + "url": "https://www.gov.uk/vehicle-insurance", + "scenario": "I recently got into an accident and two people got badly hurt and broke their arms. I do not have much money so will not be able to pay for compensation. I do have insurence.", + "question": "Do I need to pay compensation for the people who got hurt?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1710" + }, + { + "url": "https://www.gov.uk/criminal-injuries-compensation-tribunal", + "scenario": "I was refused compensation within the last 90 days for a violent crime I suffered, which I think is unfair.", + "question": "How do I go about appealing this decision?", + "not_answerable": false, + "answers": [ + [ + "download and fill in the appeal form giving reasons why you disagree with the the criminal injuries compensation authority\u2019s (cica\u2019s) decision", + [] + ], + [ + "send the form, decision letter and documents to the address on the form", + [] + ] + ], + "evidences": [ + "

    Download and fill in the appeal form giving reasons why you disagree with the the Criminal Injuries Compensation Authority\u2019s (CICA\u2019s) decision.

    ", + "

    You must also provide:

    ", + "
  • the decision letter from CICA
  • ", + "
  • documents supporting your case, for example, medical records or evidence of loss of earnings
  • ", + "

    Send the form, decision letter and documents to the address on the form.

    " + ], + "id": "train-1711" + }, + { + "url": "https://www.gov.uk/criminal-injuries-compensation-tribunal", + "scenario": "I received compensation for being a victim of a violent crime. I am not happy about the amount I received.", + "question": "Am I able to appeal to receive a higher compensation?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal to the First-tier Tribunal (Criminal Injuries Compensation) if you disagree with a decision by the Criminal Injuries Compensation Authority (CICA) on your claim for compensation.

    ", + "

    The tribunal can:

    ", + "
  • increase or reduce your award
  • " + ], + "id": "train-1712" + }, + { + "url": "https://www.gov.uk/being-taken-to-employment-tribunal-by-employee", + "scenario": "I have recently been taken to court by my employee for discrimination although this is a misunderstanding as I have not discriminated them and I do not know what I can do.", + "question": "What is going to happen at the hearing?", + "not_answerable": false, + "answers": [ + [ + "you\u2019ll present the case to the tribunal", + [] + ], + [ + "you may be asked questions", + [ + "
  • the judge
  • ", + "
  • the claimant
  • ", + "
  • 2 other tribunal members (only in certain tribunals)
  • " + ] + ] + ], + "evidences": [ + "

    You\u2019ll present the case to the tribunal - someone else can do this for you, such as a lawyer, friend or family member. The claimant will present their case against you.

    ", + "

    You may be asked questions by:

    ", + "
  • the judge
  • ", + "
  • the claimant
  • ", + "
  • 2 other tribunal members (only in certain tribunals)
  • " + ], + "id": "train-1713" + }, + { + "url": "https://www.gov.uk/being-taken-to-employment-tribunal-by-employee", + "scenario": "I have recently lost a case to my employee about pay. I am happy to pay back the money I am owed them although am not happy to pay compensation and am not sure if this will be enforced by the courts.", + "question": "Will I need to pay compensation to my employee?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • paying compensation if you cannot give the claimant their job back
  • ", + "

    You can be taken to court and forced to pay. You can also be fined and named online by the government if you do not pay.

    " + ] + ] + ], + "evidences": [ + "

    You can be taken to an employment tribunal by an employee or someone else (for example a job applicant or trade union) over various issues, including:

    ", + "
  • pay
  • ", + "

    You may have to pay compensation or reinstate the claimant if you lose the case.

    ", + "

    If you lose, the tribunal can order you to do certain things depending on the type of case. Examples include:

    ", + "
  • paying compensation if you cannot give the claimant their job back
  • ", + "

    You can be taken to court and forced to pay. You can also be fined and named online by the government if you do not pay.

    " + ], + "id": "train-1714" + }, + { + "url": "https://www.gov.uk/administrative-appeals-tribunal", + "scenario": "My ex-husband is failing to pay his child support obligations as ordered by the lower court.He has neglected his role and I would like the court to enforce.", + "question": "Can i apply to the administrative appeal chamber?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may be able to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you think there was a legal mistake with a decision made against you by certain lower tribunals and organisations.

    " + ], + "id": "train-1715" + }, + { + "url": "https://www.gov.uk/administrative-appeals-tribunal", + "scenario": "I have been hospitalised after suffering a cardiac arrest and i had a court hearing at the administrative appeal chamber on my war pension case.", + "question": "Can i ask for extension?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to get a time extension if you need more time to prepare - ask the judge.

    ", + "

    You must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.

    " + ], + "id": "train-1716" + }, + { + "url": "https://www.gov.uk/appeal-employment-appeal-tribunal", + "scenario": "I have received the decision to a employment tribunal. The decision was sent to me late, despite the decision being made 47 days ago.", + "question": "Will I still be able to request an appeal knowing that the fault was not with me?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must appeal within 42 days of the date that either:

    ", + "
  • the decision was sent to you
  • " + ], + "id": "train-1717" + }, + { + "url": "https://www.gov.uk/appeal-employment-appeal-tribunal", + "scenario": "I have lost my employment tribunal case for unfair dismissal. I am considering going for an appeal if it is worth the time.", + "question": "What are the available resources to know if an appeal is worthwhile?", + "not_answerable": false, + "answers": [ + [ + "employment appeal tribunal rules 1993 (as amended)", + [] + ], + [ + "employment tribunals act 1996", + [] + ], + [ + "a practice direction that provides more detailed guidance", + [] + ], + [ + "decisions made in other eat cases", + [] + ] + ], + "evidences": [ + "

    Read the rules the Employment Appeal Tribunal (EAT) must follow and its decisions on previous cases.

    ", + "

    EAT must follow the rules and process in the:

    ", + "
  • Employment Appeal Tribunal Rules 1993 (as amended)
  • ", + "
  • Employment Tribunals Act 1996
  • ", + "

    EAT has also issued a practice direction that provides more detailed guidance.

    ", + "

    You can search for decisions made in other EAT cases.

    " + ], + "id": "train-1718" + }, + { + "url": "https://www.gov.uk/rights-disabled-person", + "scenario": "My Uncle is scheduled for a police interview tomorrow and he is deaf . His inability places him at a disadvantage since he can't articulate and hear well .", + "question": "Will uncle be helped at the police station?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    The police should arrange for an interpreter to be present with you. The police can interview you without an interpreter if a delay would result in harm to people, property or evidence.

    " + ] + ] + ], + "evidences": [ + "

    As a disabled person, you have rights to protect you from discrimination. These rights cover most areas including:

    ", + "
  • dealing with the police
  • ", + "

    Deaf, hearing-impaired or speech difficulties

    ", + "

    The police should arrange for an interpreter to be present with you. The police can interview you without an interpreter if a delay would result in harm to people, property or evidence.

    " + ], + "id": "train-1719" + }, + { + "url": "https://www.gov.uk/rights-disabled-person", + "scenario": "My workplace has a policy of allowing employees to park in an allocated parking area. I am physically disabled and always have difficulties .I need to park close to my office . I find this policy unfair.", + "question": "Can my employer do some adjustments to the policy?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1720" + }, + { + "url": "https://www.gov.uk/driving-medical-conditions", + "scenario": "I was recently diagnosed with type 2 diabetes and have been given medication to manage the condition. I have a driving licence but have not driven for two years, am thinking of buying a car and doing so again though.", + "question": "Is it safe and legal for me to drive whilst on diabetes medication?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1721" + }, + { + "url": "https://www.gov.uk/driving-medical-conditions", + "scenario": "I suffer from diabetic retinopathy and although I passed a medical driving test last year my eyesight has declined by a considerable amount during the last 12 months and I am unsure if I would pass now.", + "question": "Can I wait until my next renewal and then notify DVLA?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must tell DVLA if you have a driving licence and:

    ", + "
  • a condition or disability has got worse since you got your licence
  • ", + "

    Notifiable conditions are anything that could affect your ability to drive safely. They can include:

    ", + "
  • diabetes or taking insulin
  • ", + "

    You must surrender your licence to DVLA if any of the following are true:

    ", + "
  • your medical condition affects your ability to drive safely and lasts for 3 months or more
  • " + ], + "id": "train-1722" + }, + { + "url": "https://www.gov.uk/change-vehicle-tax-class", + "scenario": "I own and drive a delivery van, which I have just had converted to run on LPG rather than its original diesel fuel. This should result in a reduced annual vehicle tax rate. The current vehicle taxation is not due to run out for another 6 months.", + "question": "Which form do I need to use to notify the DVLA of this change?", + "not_answerable": false, + "answers": [ + [ + "the v5c vehicle registration certificate (log book) with any changes marked on it", + [] + ], + [ + "a cheque or postal order made payable to \u2018dvla, swansea\u2019 for any extra vehicle tax you have to pay", + [] + ], + [ + "a current mot certificate", + [ + "
  • a current MOT certificate (if your vehicle needs one)
  • " + ] + ], + [ + "written proof", + [] + ], + [ + "an insurance certificate or cover note", + [ + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • " + ] + ] + ], + "evidences": [ + "

    Send the form to DVLA with:

    ", + "
  • the V5C vehicle registration certificate (log book) with any changes marked on it
  • ", + "
  • a cheque or postal order made payable to \u2018DVLA, Swansea\u2019 for any extra vehicle tax you have to pay - damaged or altered cheques will not be accepted
  • ", + "
  • a current MOT certificate (if your vehicle needs one)
  • ", + "
  • written proof if you\u2019ve decreased engine size or changed fuel type, for example a new engine receipt or letter from the garage that made the change
  • ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • ", + "

    If you do not have the V5C, download and fill in a V62 form. Send it to DVLA with the \u00a325 fee.

    " + ], + "id": "train-1723" + }, + { + "url": "https://www.gov.uk/change-vehicle-tax-class", + "scenario": "I have just acquired a used car and have specially adapted it to transport my disabled partner, for whom I am the principal carer. This will require a change to the taxation class shown on the current V5, into the lower-rated or exempt disabled class. The vehicle's taxation is about to expire, and I need to calculate the new amount I will need to pay.", + "question": "From what date does the new, lower tax rate apply?", + "not_answerable": false, + "answers": [ + [ + "the first day of the next month", + [] + ] + ], + "evidences": [ + "

    If the tax rate decreases

    ", + "

    You pay the decreased rate from the first day of the next month.

    " + ], + "id": "train-1724" + }, + { + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "scenario": "I am 72 years old, and last year I was advised by my GP to surrender my driving license due to my steadily declining eyesight (specifically, progressive night-blindness). I have since acquired a Class 3 invalid carriage (scooter) due to having problems walking.", + "question": "Does my failing eyesight effect my entitlement to drive the scooter?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "

    There is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).

    " + ] + ] + ], + "evidences": [ + "

    There is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).

    " + ], + "id": "train-1725" + }, + { + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "scenario": "I live in England and have lost the use of my legs due to a serious accident at work. I have a powered wheelchair and would like to use this to visit my physiotherapist at the local medical centre, which has limited car parking spaces.", + "question": "Am I allowed to park my wheelchair on the pavement, or does it need to go on the road?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    All normal parking restrictions apply to mobility scooters and powered wheelchairs.

    ", + "

    Your vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.

    " + ], + "id": "train-1726" + }, + { + "url": "https://www.gov.uk/driving-medical-conditions", + "scenario": "I am 48, live in England and hold a full driving license. I have recently been diagnosed with mild angina by my GP, but this is asymptomatic unless I am exercising vigorously.", + "question": "Do I need to tell the DVLA about my angina?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must tell DVLA if you have a driving licence and:

    ", + "
  • you develop a \u2018notifiable\u2019 medical condition or disability
  • ", + "

    Notifiable conditions are anything that could affect your ability to drive safely. They can include:

    ", + "
  • heart conditions (including atrial fibrillation and pacemakers)
  • " + ], + "id": "train-1727" + }, + { + "url": "https://www.gov.uk/driving-medical-conditions", + "scenario": "I am 61, hold a full driving license, live in Wales and yesterday notified the DVLA that I have been fitted with a pacemaker. I would like to keep driving my car while awaiting their verdict.", + "question": "How long should it take the DVLA to assess my situation?", + "not_answerable": false, + "answers": [ + [ + "within 6 weeks", + [] + ], + [ + "take longer", + [ + "

    You\u2019ll usually get a decision within 6 weeks. You\u2019ll get a letter from DVLA if it\u2019s going to take longer.

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll usually get a decision within 6 weeks. You\u2019ll get a letter from DVLA if it\u2019s going to take longer.

    " + ], + "id": "train-1728" + }, + { + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "scenario": "I just turned 17, live in Northern Ireland and have obtained my Provisional Driving Licence. I am scheduled to start a course of driving lessons with an ADI qualified instructor next week.", + "question": "Are there any speed restrictions which apply to the car when I am driving it?", + "not_answerable": false, + "answers": [ + [ + "45 miles per hour", + [] + ] + ], + "evidences": [ + "

    In Northern Ireland the speed limit is 45 miles per hour when you\u2019re learning to drive a car.

    " + ], + "id": "train-1729" + }, + { + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "scenario": "I am 43, live in England and have a 17 year old daughter who wishes to learn to drive. I have been driving for nearly 25 years myself, and have a car which should be easily manageable by a learner.", + "question": "Is it permissible for her to practice in our family car, as long as I am present to supervise her and have arranged suitable insurance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    It\u2019s illegal for your friend or family member to use a mobile phone while supervising you.

    " + ] + ] + ], + "evidences": [ + "

    In England, you can practice driving with family or friends, but this is restricted to groups of no more than 6 people, or 2 households. Follow the rules for car sharing in the coronavirus (COVID-19) travel guidance.

    ", + "

    Anyone you practise your driving with (without paying them) must:

    ", + "
  • be over 21
  • ", + "
  • be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car
  • ", + "
  • have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)
  • ", + "

    It\u2019s illegal for your friend or family member to use a mobile phone while supervising you.

    ", + "

    If you\u2019re practising in someone else\u2019s car, you need to make sure their insurance policy covers you as a learner driver.

    ", + "

    Some insurance companies require the person supervising you to be over 25 years old.

    " + ], + "id": "train-1730" + }, + { + "url": "https://www.gov.uk/vehicle-insurance", + "scenario": "I live in Southern England, and own, drive and insure a motor car. The nature of my job requires me to make periodic business trips to the mainland of Europe.", + "question": "If I take my car to France, will my UK insurance provide the basic third-part cover required by French Law?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    All UK vehicle insurance provides the minimum third party cover to drive in:

    ", + "
  • the EU (including Ireland)
  • " + ], + "id": "train-1731" + }, + { + "url": "https://www.gov.uk/vehicle-insurance", + "scenario": "I live in Scotland and am a licensed motor trader by profession. In addition to my own vehicle I typically have 3-5 other vehicles which are awaiting buyers in my possession at any given time, and I register these as \"in trade\" with the DVLA.", + "question": "Am I required by law to insure these vehicles that I own only for trading purposes?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If a vehicle is between registered keepers or registered as \u2018in trade\u2019 with the Driver and Vehicle Licensing Agency (DVLA), it is excluded from continuous insurance enforcement.

    " + ], + "id": "train-1732" + }, + { + "url": "https://www.gov.uk/rights-disabled-person", + "scenario": "I am 22, and have somewhat restricted mobility due to a degenerative condition which affects my leg muscles. I have recently completed physical rehab and have now begun looking for work.", + "question": "What questions a prospective employer is allowed to ask me about my disability?", + "not_answerable": false, + "answers": [ + [ + "if you can carry out a task that is an essential part of the work", + [] + ], + [ + "if you can take part in an interview", + [] + ], + [ + "if the interviewers need to make reasonable adjustments for you in a selection process", + [] + ], + [ + "if they want to increase the number of disabled people they employ", + [] + ], + [ + "if they need to know for the purposes of national security checks", + [] + ] + ], + "evidences": [ + "

    You can only be asked about your health or disability:

    ", + "
  • to help decide if you can carry out a task that is an essential part of the work
  • ", + "
  • to help find out if you can take part in an interview
  • ", + "
  • to help decide if the interviewers need to make reasonable adjustments for you in a selection process
  • ", + "
  • to help monitoring
  • ", + "
  • if they want to increase the number of disabled people they employ
  • ", + "
  • if they need to know for the purposes of national security checks
  • " + ], + "id": "train-1733" + }, + { + "url": "https://www.gov.uk/rights-disabled-person", + "scenario": "I am 11 and have just moved to a new area with my parents, who are looking for a new secondary school for me to join in Year 7. I have mild dyslexia, but have not been classified as SEND up to this point.", + "question": "Does the provision of specialist teachers fall under the school's \"reasonable adjustments\" duty?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    An education provider has a duty to make \u2018reasonable adjustments\u2019 to make sure disabled students are not discriminated against. These changes could include providing extra support and aids (like specialist teachers or equipment).

    " + ], + "id": "train-1734" + }, + { + "url": "https://www.gov.uk/pass-plus", + "scenario": "I am 21 and live in London. I passed my driving test and received my license 3 months ago. I own a car, and am now shopping around for car insurance.", + "question": "Can taking the Pass Plus course get me a discount on my car insurance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    The amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.

    " + ] + ] + ], + "evidences": [ + "

    Once you\u2019ve completed Pass Plus you may be able to get a car insurance discount. You\u2019ll need your Pass Plus certificate.

    ", + "

    Check with insurers that you can still get a discount if you passed your practical driving test more than a year ago.

    ", + "

    The amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.

    " + ], + "id": "train-1735" + }, + { + "url": "https://www.gov.uk/pass-plus", + "scenario": "I am 22, and have held a full driving license for 4 years now. However, my actual driving experience is still quite limited, as I have been studying on a University campus in a large city for most of this period. I am interested in taking Pass Plus to gain more experience of motorway and rural road driving.", + "question": "What qualifications does an instructor need to teach me the Pass Plus course?", + "not_answerable": false, + "answers": [ + [ + "approved driving instructor (adi)", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need a Pass Plus registered approved driving instructor (ADI) to teach you.

    ", + "

    You need to book Pass Plus with an approved driving instructor (ADI) who is registered with Pass Plus.

    " + ], + "id": "train-1736" + }, + { + "url": "https://www.gov.uk/getting-an-mot", + "scenario": "I live in England, and own and operate an outdoor pursuits centre. Part of our work involves taking parties of schoolchildren on excursions, and to that end we acquired a new 12-seater minibus three years ago. This is now due for its first MOT.", + "question": "What is the maximum fee that our local test centre can charge us for carrying out our vehicle's MOT?", + "not_answerable": false, + "answers": [ + [ + "\u00a357.30", + [] + ] + ], + "evidences": [ + "

    There\u2019s a maximum amount MOT test stations can charge. This depends on the type of vehicle.

    ", + "

    The maximum fee for a car is \u00a354.85 and \u00a329.65 for a standard motorcycle.

    ", + "

    You do not pay VAT on the fee.

    ", + "Private passenger vehicles and ambulances (9 to 12 passenger seats) | 4 | 1 | \u00a357.30" + ], + "id": "train-1737" + }, + { + "url": "https://www.gov.uk/getting-an-mot", + "scenario": "I own a 2017-registered VW Passat, whose MOT certificate and road tax both expire at the end of next week. I took it to be tested this morning, and it unfortunately failed due to a single \"major\" fault. To make matters worse, the garage at which it was tested isn't able to carry out the necessary repair work before the date of MOT expiry.", + "question": "Can I legally drive the car to another garage for immediate repair?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you can take your vehicle away, it must still meet the minimum standards of roadworthiness at all times.

    ", + "

    In both cases, your vehicle still needs to meet the minimum standards of roadworthiness at all times or you can be fined.

    " + ] + ] + ], + "evidences": [ + "

    Your vehicle will fail if the test result lists \u2018dangerous\u2019 or \u2018major\u2019 problems with your vehicle. You might not be allowed to drive until you fix the problems.

    ", + "

    You can take your vehicle away if:

    ", + "
  • your current MOT certificate is still valid
  • ", + "

    If you can take your vehicle away, it must still meet the minimum standards of roadworthiness at all times.

    ", + "

    You can take your vehicle away if your MOT certificate is still valid.

    ", + "

    In both cases, your vehicle still needs to meet the minimum standards of roadworthiness at all times or you can be fined.

    " + ], + "id": "train-1738" + }, + { + "url": "https://www.gov.uk/historic-vehicles", + "scenario": "I am the proud owner of a 1981 DMC DeLorean sports car which, thanks to its stainless steel body, has not needed substantial modification at any point in its lifetime. This will soon pass it's 40th birthday.", + "question": "Do I need to make an application to get MOT exempt status for my car?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The date your vehicle was built or first registered affects whether you need to:

    ", + "
  • get an MOT
  • ", + "

    You do not need to get an MOT if:

    ", + "
  • the vehicle was built or first registered more than 40 years ago
  • ", + "
  • no \u2018substantial changes\u2019 have been made to the vehicle in the last 30 years, for example replacing the chassis, body, axles or engine to change the way the vehicle works
  • ", + "

    You do not have to apply to stop getting an MOT for your vehicle each year. However, you must still keep it in a roadworthy condition.

    " + ], + "id": "train-1739" + }, + { + "url": "https://www.gov.uk/historic-vehicles", + "scenario": "I live in Northern Ireland, and am the owner of one of the few surviving Triumph T140 TSX motorbikes, manufacturered and first registered in 1982.", + "question": "Do I need to produce an Insurance Certificate when the time comes to apply for a vehicle tax exemption for my motorbike?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You need to take:

    ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • " + ], + "id": "train-1740" + }, + { + "url": "https://www.gov.uk/transport-disabled", + "scenario": "I am 78, partially disabled and have a part-time carer employed to help me with daily tasks. I would like to visit my eldest daughter in Belgium, which will require me to take a car ferry to Antwerp.", + "question": "How much notice do I need to give the ferry company that I may need assistance?", + "not_answerable": false, + "answers": [ + [ + "at least 48 hours before departure", + [] + ] + ], + "evidences": [ + "

    If you need to make specific arrangements for your journey (for example if you have certain accommodation or seating requirements), you should tell the cruise line, ferry service, travel agent or tour operator at least 48 hours before departure.

    ", + "

    Tell the cruise line or ferry service at least 48 hours before departure if you need help getting on and off the ship.

    " + ], + "id": "train-1741" + }, + { + "url": "https://www.gov.uk/transport-disabled", + "scenario": "I am 42 and partially sighted, which requires me to be accompanied by my guide dog Bella when out in public. I wish to visit London, and will be arriving by train.", + "question": "If I hail a taxi at the station, is the driver obliged to allow my guide dog to accompany me in the car?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you travel with an assistance dog they must be allowed into the taxi or minicab with you, unless the driver has an exemption certificate. This can be issued if they\u2019ve got a medical condition made worse by contact with dogs.

    " + ] + ] + ], + "evidences": [ + "

    If you travel with an assistance dog they must be allowed into the taxi or minicab with you, unless the driver has an exemption certificate. This can be issued if they\u2019ve got a medical condition made worse by contact with dogs.

    " + ], + "id": "train-1742" + }, + { + "url": "https://www.gov.uk/injunction-domestic-violence", + "scenario": "I am 34, married, have two children with my husband and currently live in a house which he owns. Six months ago he became violently abusive to both my elder child and myself, and has since fled. He is now threatening to return.", + "question": "Can I get an Occupation Order which will prevent my husband from entering the family home?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:

    ", + "
  • decides who can live in the family home or enter the surrounding area - this is called an \u2018occupation order\u2019
  • ", + "

    You can apply for an occupation order if you\u2019re a victim of domestic abuse and meet the requirements. The order will say who can live in the family home or enter the surrounding area.

    ", + "

    You can apply if:

    ", + "
  • you do not own or rent the home but you\u2019re married or in a civil partnership with the owner and you\u2019re living in the home (known as \u2018matrimonial home rights\u2019)
  • " + ], + "id": "train-1743" + }, + { + "url": "https://www.gov.uk/injunction-domestic-violence", + "scenario": "I am 15, live in Wales and for two years was sexually abused by my uncle, a former police officer. He has been arrested and is currently on bail awaiting a charging decision from the CPS. I am afraid that he will try and contact me.", + "question": "Can I apply for a non-molestation order against my uncle, despite my not being a legal adult yet?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you\u2019re under 16 you need permission from the High Court to apply.

    " + ] + ] + ], + "evidences": [ + "

    You can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:

    ", + "
  • protects you or your child from being harmed or threatened by the person who\u2019s abused you - this is called a \u2018non-molestation order\u2019
  • ", + "

    If you\u2019re under 16 you\u2019ll need permission to apply from the High Court.

    ", + "

    You can usually apply if you\u2019re a victim of domestic abuse and the person you want to be protected from (\u2018the respondent\u2019) is:

    ", + "
  • a family member
  • ", + "

    If you\u2019re under 16 you need permission from the High Court to apply.

    ", + "

    You can apply if the respondent is a close family member, for example a parent, brother, sister, aunt or uncle.

    " + ], + "id": "train-1744" + }, + { + "url": "https://www.gov.uk/theory-test", + "scenario": "I am 18 years old and currently learning to drive. I have applied for and received my Provisional License and I am preparing to take my car drivers' theory test.", + "question": "What is the current pass mark for the theory test for cars?", + "not_answerable": false, + "answers": [ + [ + "43", + [ + "Multiple-choice questions | 43 | 50" + ] + ], + [ + "44", + [ + "Hazard perception | 44 | 75" + ] + ] + ], + "evidences": [ + "

    You\u2019ll get the result at the test centre after taking the theory test. You must pass both parts to pass the test.

    ", + " | Pass mark | Points available", + "Multiple-choice questions | 43 | 50", + "Hazard perception | 44 | 75" + ], + "id": "train-1745" + }, + { + "url": "https://www.gov.uk/theory-test", + "scenario": "I am learning to drive, have my provisional license and have booked my theory test for car drivers at a driving test centre here in Scotland. I have quite serious seasonal allergies, which can be exacerbated by face coverings.", + "question": "Will I have to wear a face covering while taking my theory test?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • " + ] + ] + ], + "evidences": [ + "

    You must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:

    ", + "
  • you have a physical or mental illness, impairment or disability
  • ", + "
  • wearing it would cause you severe distress
  • " + ], + "id": "train-1746" + }, + { + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "scenario": "I live in Southern England and own and a drive a motor car. I am also an amateur musician who tours local public houses and music clubs, which requires a lot of driving at night in areas which have a high incidence of drink-driving.", + "question": "Can the police make me do an American-style \"sobriety test\" (in addition to a breath test) if they randomly stop me and suspect that I have been drinking?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you fail a breath test you cannot drive your car until you\u2019re sober. You can ask someone else to collect your car for you.

    " + ] + ] + ], + "evidences": [ + "

    If you fail a breath test you cannot drive your car until you\u2019re sober. You can ask someone else to collect your car for you.

    " + ], + "id": "train-1747" + }, + { + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "scenario": "I own, insure and drive a motor car, and recently I was stopped by police officers at a roadblock. I was able to produce my driving license on request but not the vehicle's MOT or motor insurance certificates, and was told to take those to a police station asap.", + "question": "How long do I have to take these documents to a police station?", + "not_answerable": false, + "answers": [ + [ + "7 days", + [] + ] + ], + "evidences": [ + "

    If you do not have these documents with you, you have 7 days to take them to a police station. You\u2019re breaking the law if you do not show the requested documents within 7 days.

    " + ], + "id": "train-1748" + }, + { + "url": "https://www.gov.uk/motorcycle-test", + "scenario": "I have been practicing for my motorcycle driving test for the past month and a half. I finally feel ready and have booked my test for next week. I plan on using an Automatic motorcycle, that I have been training on.", + "question": "Will I be able to drive a motorcycle with a manual transmission if I pass my test under these circumstances?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you pass your tests on a motorcycle with automatic or semi-automatic transmission, you\u2019ll only get a licence for those types of motorcycle.

    " + ], + "id": "train-1749" + }, + { + "url": "https://www.gov.uk/motorcycle-test", + "scenario": "I was scheduled to have my motorcycle driving test yesterday but a few hours before the appointed time I received a call that due to the worsening weather it will have to be rescheduled. They provided me with a new date that will not work with my schedule.", + "question": "Can I change the date of my test?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can change the date you\u2019re given if it\u2019s not suitable.

    " + ], + "id": "train-1750" + }, + { + "url": "https://www.gov.uk/setting-up-an-approved-tachograph-centre", + "scenario": "I was finally eligible to receive a Tachograph workshop smart card last year. Since the end of March is approaching I can see that it is about to expire soon.", + "question": "Do I need to take any steps to renew my Tachograph workshop smart card?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    DVLA sends a renewal list to DVSA 2 months before a card\u2019s expiry. This is then checked and returned to DVLA with details of technicians whose cards can be renewed.

    " + ], + "id": "train-1751" + }, + { + "url": "https://www.gov.uk/setting-up-an-approved-tachograph-centre", + "scenario": "Me and some work friends received our Tachograph workshop smart cards around a month ago. We haven't had many opportunities to use them since we mostly use company cards to calibrate instead, but we are excited to have them non the less. One of my friends mentioned that the cards can hold over 100 calibration details, which I am pretty sure is not true.", + "question": "How many calibration details can the Tachograph workshop smart card hold?", + "not_answerable": false, + "answers": [ + [ + "88", + [] + ] + ], + "evidences": [ + "

    Workshop cards can hold:

    ", + "
  • details of 88 calibrations
  • " + ], + "id": "train-1752" + }, + { + "url": "https://www.gov.uk/employing-an-apprentice", + "scenario": "I began my career as a woodworking apprentice around 25 years ago. While I do realize that this field is slowly dying out I am still interested in passing it down to interested young minds. As such I am looking into starting an apprenticeship program at my woodcutting shop. Figuring out all of the paperwork and details around the process has left me with some questions.", + "question": "What is the minimum amount of time an apprenticeship can last?", + "not_answerable": false, + "answers": [ + [ + "a year", + [] + ] + ], + "evidences": [ + "

    Apprenticeships must last for at least a year. They can last up to 5 years depending on the level the apprentice is studying.

    ", + "

    Apprentices must work towards an approved apprenticeship. Their training must last at least 12 months.

    " + ], + "id": "train-1753" + }, + { + "url": "https://www.gov.uk/employing-an-apprentice", + "scenario": "I recently got hired as an apprentice as a mechanic shop. I thought I had landed myself a sweet gig, earning some money whilst doing something I have a lot of passion for. It was either this or a waiter position at a local restaurant. I chose to earn a bit less money but enjoy my time more. The monetary compensation is still quite important to me however, since I want to buy myself a car before I start college, after my gap year. I fell sick last week and my employer says that I will not receive sick pay despite the fact that I have shown all necessary proof.", + "question": "Do I have the right to sick pay as an apprentice?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must offer apprentices the same conditions as other employees working at similar grades or in similar roles. This includes:

    ", + "
  • sick pay
  • " + ], + "id": "train-1754" + }, + { + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "scenario": "I have always been passionate about motorcycles and have personally been driving mine for over 8 years now. A friend of mine recently pointed out the DVSA enhanced rider scheme trainer program which got me intrigued immediately. I have already began the application process and am doing as much research as possible on everything I might need.", + "question": "Is the theory test portion just a multiple-choice quiz?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There are 2 parts to the test - multiple-choice questions and hazard perception. You have to pass both parts.

    ", + "

    Multiple-choice questions

    ", + "

    Hazard perception

    " + ], + "id": "train-1755" + }, + { + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "scenario": "This is my first year working as an enhanced rider trainer. I recently remembered that I will be subjected to a standards check in the next few months. The problem is my personal life has been a mess which has impacted both the amount of work I am capable of doing as well as its quality.", + "question": "Is there a chance that I can continue as a trainer if I fail the standards check twice?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must take a standards check to make sure you can continue to be a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer. DVSA will contact you to arrange this.

    ", + "

    You must take a standards check within the first year of qualifying as a DVSA enhanced rider scheme trainer. DVSA will contact you to arrange this.

    ", + "

    If you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as a trainer.

    ", + "

    If this happens and you want to continue as a trainer, you\u2019ll need to:

    ", + "
  • have an up to date recognised advanced rider qualification
  • ", + "
  • pass another theory test
  • ", + "
  • take additional training at an approved enhanced rider scheme trainer centre and provide proof of the development you\u2019ve taken
  • " + ], + "id": "train-1756" + }, + { + "url": "https://www.gov.uk/1619-bursary-fund", + "scenario": "I recently turned 19 and will be continuing on the last year of my software engineering course. I started the course 2 years ago after a friend's work in the field inspired me to follow in his footsteps.", + "question": "Am I eligible for the 16 to 19 Bursary under these conditions?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You could get a bursary to help with education-related costs if you\u2019re aged 16 to 19 and:

    ", + "
  • on a training course, including unpaid work experience
  • ", + "

    You could also get a bursary if you either:

    ", + "
  • are continuing on a course you started aged 16 to 18 (known as being a \u201919+ continuer\u2019)
  • " + ], + "id": "train-1757" + }, + { + "url": "https://www.gov.uk/1619-bursary-fund", + "scenario": "I have been looking into the 16 to 19 Bursary fund since my financial situation at 17 has been getting progressively worse over the last few months. I realized that I am ineligible to receive money under the bursary for students in vulnerable groups. In my current situation I would only need certain aspects of my day-to-day life covered such as transport and some of my food.", + "question": "Who decides how my discretionary bursary will be payed out to me if I was to be accepted to receive one?", + "not_answerable": false, + "answers": [ + [ + "your education or training provider", + [] + ] + ], + "evidences": [ + "

    You could get a discretionary bursary if you need financial help but do not qualify for a bursary for students in vulnerable groups. Your education or training provider decides how much you get and what it\u2019s used for.

    ", + "

    Your provider will decide how you get your bursary. You might get:

    " + ], + "id": "train-1758" + }, + { + "url": "https://www.gov.uk/driving-disqualifications", + "scenario": "I recently moved to the UK from Germany with my wife. We have not bought a car yet but are thinking of doing so. We decided to look into how our existing driving licenses might speed up the process of getting permission to drive in the UK.", + "question": "Can we use our existing licenses to take the driving test?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019ve got a licence from an EU country

    ", + "

    Do not apply for a provisional licence - you can use your EU driving licence to take the test instead.

    " + ], + "id": "train-1759" + }, + { + "url": "https://www.gov.uk/driving-disqualifications", + "scenario": "Around 6 months ago I was in a very dark place emotionally. I let life get to me and was drinking excessively believing that self destruction is the only way for me. This thinking led me to drink and drive and in term get my license suspended for 18 months. A lot has changed since then, I have met some amazing people and am slowly piecing my life back together.", + "question": "Is there a way for me to reduce the time of my driving disqualification?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.

    " + ], + "id": "train-1760" + }, + { + "url": "https://www.gov.uk/psv-operator-licences", + "scenario": "I have been operating a private service vehicle business in Liverpool for around 5 years now. I am interested in expanding our operations to London. I have all necessary documentation and have people lined up for the necessary jobs - as drivers and vehicle maintenance men.", + "question": "Do I need additional documentation to operate in London or is the process the same as in Liverpool?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You need a public service vehicle (PSV) operator\u2019s licence to:

    ", + "
  • operate a smaller vehicle carrying passengers and charging separate fares for the journey
  • ", + "

    You\u2019ll need a London Service Permit to run a private bus or coach service in London.

    " + ], + "id": "train-1761" + }, + { + "url": "https://www.gov.uk/psv-operator-licences", + "scenario": "I applied for a PSV operator license 2 months ago. Yesterday I received a letter informing me that I have been refused the license. I am certain my documentation was correct and the decision they made is wrong.", + "question": "Which government entity do I need to contact to appeal the decision?", + "not_answerable": false, + "answers": [ + [ + "upper tribunal, administrative appeals chamber", + [] + ] + ], + "evidences": [ + "

    You can appeal if your application for a PSV operator licence is refused.

    ", + "

    You\u2019ll need to send a written notice of appeal to the Upper Tribunal, Administrative Appeals Chamber. There is no fee.

    " + ], + "id": "train-1762" + }, + { + "url": "https://www.gov.uk/driving-test", + "scenario": "I am scheduled to take my car driving test early next week. The last time I drove with my instructor was a little over a week ago and I am getting anxious about driving for a long time under the pressure of the test.", + "question": "How long will I have to drive on my test?", + "not_answerable": false, + "answers": [ + [ + "40 minutes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll drive for around 40 minutes.

    ", + "

    You\u2019ll drive for around 70 minutes if you\u2019re taking an extended driving test because you\u2019ve been banned from driving.

    " + ], + "id": "train-1763" + }, + { + "url": "https://www.gov.uk/driving-test", + "scenario": "I was scheduled to take my car driving test yesterday but a few hours before I ran a high fever which rendered me incapable of ever leaving my house. I called to cancel my test and will ask for a new date when I feel better.", + "question": "Will I have to pay to book the test again?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • you, for example, if you feel unwell while taking your test
  • " + ], + "id": "train-1764" + }, + { + "url": "https://www.gov.uk/adi-part-3-test", + "scenario": "Me and my son are driving to my approved driving instructor test. He opened the website to check whether I had remembered the time of my appointment correctly and noticed that our car might not be suitable for the test.", + "question": "Will I get my money back if my test is cancelled based on me not bringing a suitable vehicle?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:

    ", + "
  • your car, for example, if it breaks down during the test or does not meet the rules to be used
  • " + ], + "id": "train-1765" + }, + { + "url": "https://www.gov.uk/adi-part-3-test", + "scenario": "I had my approved drivers instructor part 3 test yesterday. The person conducting the test was an old colleague of mine from a job we both got into right after college. We never really liked each other nor did we get along too well. I guess he saw himself in a position of power and decided to make my test a living hell before breaking the law and failing me on purpose. I recorded everything on my phone and have evidence against him.", + "question": "Where should I appeal my ADI part 3 test under these circumstances?", + "not_answerable": false, + "answers": [ + [ + "driver and vehicle and standards agency", + [] + ] + ], + "evidences": [ + "

    If you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)

    " + ], + "id": "train-1766" + }, + { + "url": "https://www.gov.uk/motorcycle-theory-test", + "scenario": "Since I was a kid I have always dreamed of driving a motorcycle. I will be turning 16 soon and my friends at school are telling me I will be able to finally start learning how to drive a motorcycle. After that its only time before I pass my theory and driving tests and begin driving my own motorcycle!", + "question": "Can I take the theory test for riding a motorcycle at 16 years old?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can take the theory test from your:

    ", + "
  • 17th birthday onwards if you\u2019re learning to ride a motorcycle
  • " + ], + "id": "train-1767" + }, + { + "url": "https://www.gov.uk/motorcycle-theory-test", + "scenario": "I recently took a motorcycle theory test. I was so nervous and excited that I don't remember whether I passed my multiple-choice quiz or not. I remember my score was 45 but I must have zoned out when they were telling me the passing mark.", + "question": "Have I passed my multiple choice quiz?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "Multiple-choice questions | 43 | 50" + ], + "id": "train-1768" + }, + { + "url": "https://www.gov.uk/run-local-bus-service", + "scenario": "I have been running a local bus service as a sole driver for the past year. The experience was great and I love my job. However my health has started to rapidly deteriorate over the past few weeks and I wont be able to keep providing the service.", + "question": "Will I be charged a fee to cancel the local bus service I am providing?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There\u2019s no fee for a cancellation.

    " + ], + "id": "train-1769" + }, + { + "url": "https://www.gov.uk/run-local-bus-service", + "scenario": "I am interested in starting a local bus service. I have selected routs which appear to have many potential passengers but no direct lines of transportation. Me and my partners all hold PSV licenses and have formed a company which will execute this service. We have already informed the local authority in England.", + "question": "Can we begin operation 30 days from now if we have not informed the traffic commissioner yet?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must tell the local authority in England or the local council in Scotland that you\u2019re starting a bus service. You must do this 28 days before you apply to the traffic commissioner.

    ", + "

    Apply to the traffic commissioner at least 42 days before your service starts - or 56 days before if your service is in Wales.

    ", + "

    This notice period begins on the day when the traffic commissioner accepts your application.

    " + ], + "id": "train-1770" + }, + { + "url": "https://www.gov.uk/drivers-hours", + "scenario": "The truck I bought for my company has a maximum permissible weight of 3 tons. However, in combination with its second trailer that goes up to 5 tons. I usually never use the second trailer but I might have to for a large delivery next week.", + "question": "Does this truck combination follow the GB domestic rules?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    GB domestic rules apply if both the following are true:

    ", + "
  • the maximum permissible weight of your vehicle or vehicle combination is under 3.5 tonnes
  • ", + "
  • your vehicle is exempt from EU rules when driven in the UK
  • " + ], + "id": "train-1771" + }, + { + "url": "https://www.gov.uk/drivers-hours", + "scenario": "I took a new route driving a passenger bus across the EU, from France to Germany. The towns I will be connecting are 10 hours apart and I am expected to drive the distance without rest twice a week. Once on Monday and once on Thursday.", + "question": "Does this follow the EU regulations for drivers' hours?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The main EU rules on driving hours are that you must not drive more than:

    ", + "
  • 9 hours in a day - this can be extended to 10 hours twice a week
  • ", + "

    The main points of EU rules on breaks and rest are that you must take:

    ", + "
  • a break or breaks totalling at least 45 minutes after no more than 4 hours 30 minutes driving
  • " + ], + "id": "train-1772" + }, + { + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "scenario": "I am interested in becoming a DAS motorcycle instructor. I have been looking into the requirements and I believe I meet almost all of them. I have booked my assessment and will be attending next Monday at 8:30. However I will have to pick up my kids from school at around 2pm.", + "question": "Will the assessment last the whole day?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The direct access scheme (DAS) instructor assessment lasts for half a day. You can book a:

    " + ], + "id": "train-1773" + }, + { + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "scenario": "I will be attending my DAS motorcycle instructor assessment tomorrow. I am aware that its split up into 3 Sessions with the third one being the on-road assessment one, which is the one I am the most excited and most anxious about. I have always struggled with roundabouts, especially with the new ones they set up in my area.", + "question": "Could the assessor request a lesson on roundabouts?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The assessor will select the lessons from:

    ", + "
  • negotiating roundabouts
  • " + ], + "id": "train-1774" + }, + { + "url": "https://www.gov.uk/advanced-learner-loan", + "scenario": "I successfully applied for an advanced learner loan for a high level software course I was interested in taking. I believe this course is going to jump start my career as a software engineer but in all of the chaos with the applications I missed a few details regarding the loan.", + "question": "Do I have to start repaying the loan as soon as I am done with the course?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).

    " + ], + "id": "train-1775" + }, + { + "url": "https://www.gov.uk/advanced-learner-loan", + "scenario": "I am currently studying mechanical engineering in South-West England. I am an European student who was eligible to receive a student finance loan for my bachelor's degree.", + "question": "Am I eligible to get money from the Bursary fund under these circumstances?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot apply if you\u2019re:

    ", + "
  • getting student finance for higher education
  • " + ], + "id": "train-1776" + }, + { + "url": "https://www.gov.uk/driving-abroad", + "scenario": "Me and my wife are planning a trip to Germany next month. We both have photocard driving licenses issued in the UK. We will be staying for a little over 5 weeks and will most definitely be renting a car to get around easier. We haven't been on a trip outside of the UK together yet so we are excited to explore other cultures.", + "question": "Do I need additional documentation to drive in Germany?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:

    ", + "
  • which country you\u2019re visiting
  • ", + "
  • how long you\u2019re staying
  • ", + "

    You do not need an IDP to drive in the EU, Switzerland, Norway, Iceland or Liechtenstein if you have a photocard driving licence issued in the UK.

    ", + "Germany | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the German Embassy." + ], + "id": "train-1777" + }, + { + "url": "https://www.gov.uk/driving-abroad", + "scenario": "Me, my wife and my son are planning a road trip across he EU this summer. Since a lot of driving will be involved and my son just got his license at 17 we are probably gonna let him drive on some less populated roads. I am aware that some countries require an international driving permit and me and my wife will be getting ours soon.", + "question": "Is my son eligible to purchase an international driving permit?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    They cost \u00a35.50 and you must:

    ", + "
  • be 18 or over
  • " + ], + "id": "train-1778" + }, + { + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "scenario": "I am interested in acquiring a category G driving license. I got my category B license over 5 years ago now but since my dad's health is worsening I might need to help him more with the his construction business which will be easier if I got a category G license.", + "question": "Do I have to bring my current driver's license to the category G driving test?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must bring either:

    ", + "
  • a valid, signed photocard driving licence from the UK or an EU country
  • " + ], + "id": "train-1779" + }, + { + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "scenario": "I am 19 years old and am in the process of getting my category G driving license. I plan on following in my father's footsteps in the construction business and am looking forward to working side by side with him. He says he will be able to provide me with a test vehicle for my driving test. His employer is apparently giving him a 10 ton, steam powered road roller for a week so I can practice on it and take the test with it.", + "question": "Can I use this vehicle to take my category G driving test?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    All test vehicles have to meet certain rules, depending on their category.

    ", + "

    If you\u2019re between 17 and 20, these must be small road rollers with metal or hard rollers. They cannot:

    ", + "
  • be steam powered
  • ", + "
  • weigh more than 11,690kg
  • ", + "
  • be made for carrying loads
  • " + ], + "id": "train-1780" + }, + { + "url": "https://www.gov.uk/doctoral-loan", + "scenario": "I got accepted into my chosen University studying to become a Pediatrician. I applied for a Doctoral Loan 4 months ago and recently got the notice that I have been accepted for that as well. In the whole process of the loan application I realized I missed some details.", + "question": "Do I have to start repaying my loan as soon as I graduate?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).

    " + ], + "id": "train-1781" + }, + { + "url": "https://www.gov.uk/doctoral-loan", + "scenario": "I received a letter around a week ago informing me that I have been approved for my Doctoral loan. I was relieved to know that I will be more financially secure since I will be moving quite far from home to complete my postgraduate course. There are still details I am a bit uncertain about.", + "question": "Will the loan be payed directly to me?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The loan is paid directly to you. You can use it for your course fees and living costs.

    " + ], + "id": "train-1782" + }, + { + "url": "https://www.gov.uk/boatmasters-licence", + "scenario": "I have a certificate from the SCTW stating that I am fully qualified to operate a water vessel. I have spoken to a few of my boatmaster friends and the opinion is that this document should be enough for me to become a boastmaster. Without the need for a separate boatmastes' license.", + "question": "Can I use my STCW certificate of competancy as an alternative to the boatmastes' license?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Some certificates can be used instead of a boatmasters\u2019 licence, including STCW certificates of competency and certificates awarded by the Royal Yachting Association.

    " + ], + "id": "train-1783" + }, + { + "url": "https://www.gov.uk/boatmasters-licence", + "scenario": "I will need to revalidate my boatmasters' license since I moved from the west to the east coast. I have gathered all of the necessary documentation and will be applying for the process next week.", + "question": "Do I have to worry about local regulations being different than what I am used to?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You should also:

    ", + "
  • check for local regulations, such as byelaws that you may need to know
  • " + ], + "id": "train-1784" + }, + { + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "scenario": "I have taken the DVSA's assessed CBT motorcycle instructor assessment twice this year already. And both times my assessment I was told I had failed. I am almost certain the assessor has something personal against me and is failing me on purpose. I wont give up though and will definitely pass next time that I have the chance.", + "question": "How long do I have to wait before being able to take the assessment again?", + "not_answerable": false, + "answers": [ + [ + "1 year", + [] + ] + ], + "evidences": [ + "

    You cannot apply to retake the assessment if you fail it twice within a 12-month period. You\u2019ll have to wait until 1 year after the date of the second assessment before applying again.

    " + ], + "id": "train-1785" + }, + { + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "scenario": "I have my assessed CBT test tomorrow but I am a bit worried about it now after my daughter raised concerns over my eyesight. I was aware that there will be an eye exam, and was fairly confident in my vision. Until last night when my daughter jokingly decided to make me look at an eye chart and I got almost everything wrong.", + "question": "Will I be able to continue with the assessment if I fail the eye exam?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019ll have to pass an eyesight test before the assessment starts. You\u2019ll have to read a number plate from a distance of:

    ", + "

    The rest of the assessment will not go ahead if you fail the eyesight test.

    " + ], + "id": "train-1786" + }, + { + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "scenario": "I have sent in an appeal for a decision made my the Traffic Penalty Tribunal regarding my parking violation. The officer that issues the ticked didn't take into the consideration my disability parking note and simply assumed I parked illegally.", + "question": "If my appeal is successful do I have to pay anything?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If your appeal is successful the PCN will be cancelled and you won\u2019t have to pay anything.

    " + ], + "id": "train-1787" + }, + { + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "scenario": "My house sitter notified me today that my appeal regarding a penalty charge notice for running a red light has been unsuccessful. I am on vacation out of the country for the entire month and wont be able to pay it until after I get back.", + "question": "Will I have to pay more when I come back from vacation?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll have 28 days to pay the penalty charge notice (PCN) if your appeal is refused.

    ", + "

    You\u2019ll get a \u2018charge certificate\u2019 and you\u2019ll have to pay 50% more within 14 days.

    " + ], + "id": "train-1788" + }, + { + "url": "https://www.gov.uk/become-an-mot-station", + "scenario": "I recently got my AE status but have not been able to use it much on a professional front. A friend of mine proposed to me the idea of opening a MOT testing station, which I instantly jumped on. I saw that the application form for people without the AE status is VT01.", + "question": "What form do I need to fill out since I have my AE status already?", + "not_answerable": false, + "answers": [ + [ + "vt01", + [] + ] + ], + "evidences": [ + "

    Send form VT01 to the Driver and Vehicle Standards Agency (DVSA). The address is on the form.

    ", + "

    Use the same form if you already have AE status and want to open a test station.

    " + ], + "id": "train-1789" + }, + { + "url": "https://www.gov.uk/become-an-mot-station", + "scenario": "I was finally able to acquire all of the equipment I will need to operate my MOT test station. The last tool I needed arrived today and it appears to be an older model than what I ordered. The company said they will send me the correct one and that I can keep the current one. I had ordered a category A decelerometer but received a class B instead.", + "question": "Can I still conduct tests on all classes of vehicles with the older model?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    These need to met the minimum IT specification.

    ", + "

    Different classes of vehicle need different specialist test equipment.

    ", + "

    You\u2019ll need to use approved equipment for:

    ", + "
  • decelerometers
  • ", + "

    There are 3 categories of decelerometers:

    ", + "
  • category A are approved for all classes of vehicle
  • ", + "
  • category B are approved for class 3, 4, 5 and 7 vehicles
  • " + ], + "id": "train-1790" + }, + { + "url": "https://www.gov.uk/learner-support", + "scenario": "I applied for learner support with University College London and got approved around a week ago. With how unstable my financial situation is I am really hoping there is a way for me to receive money which I will not have to pay back.", + "question": "Could I be payed money directly which I will not be expected to pay back?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The money could be:

    ", + "
  • a direct payment to you - which you don\u2019t have to pay back
  • " + ], + "id": "train-1791" + }, + { + "url": "https://www.gov.uk/learner-support", + "scenario": "My financial situation at home as been getting worse over the course of the summer break and after my parents' divorce. Thankfully I got approved for a student loan with Student Finance England which gave me hope that I might be able to complete my higher education. I recently found out about Learner Support and since I really need all the help I could get I would love to apply.", + "question": "Am I eligible to receive Learner Support?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can\u2019t claim if you\u2019re:

    ", + "
  • getting student finance for higher education
  • ", + "
  • on a Community Learning course
  • " + ], + "id": "train-1792" + }, + { + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "scenario": "I am interested in setting up an approved training body, to teach people how to operate motorcycle vehicles. I am concerned that my theft conviction from 6 years ago might interrupt the process.", + "question": "Is the DVSA going to be alarmed by my conviction?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You must be a \u2018fit and proper\u2019 person to run the ATB.

    ", + "

    When deciding if you\u2019re a \u2018fit and proper\u2019 person, DVSA will look at if you have:

    ", + "
  • had any convictions in the last 4 years
  • " + ], + "id": "train-1793" + }, + { + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "scenario": "I am interested in becoming an approved training body for motorcycles. I finally got motivated to follow my dream after the company I was working for went bankrupt. The only problem is I only have enough savings to last me 3 months.", + "question": "How long will it take for my application to be processed?", + "not_answerable": false, + "answers": [ + [ + "up to 8 weeks", + [] + ] + ], + "evidences": [ + "

    It takes up to 8 weeks to process an application. This includes the time to inspect the site to be used for the off-road elements of compulsory basic training.

    " + ], + "id": "train-1794" + }, + { + "url": "https://www.gov.uk/adult-dependants-grant", + "scenario": "I am a Master's student at University College London, studying Software Engineering. Since I am not able to afford to pay for my education I took out a Postgraduate loan. On the other hand my father's health is deteriorating fast and I am the only one available to take care of him however I can. He can not work and is reliant on me for most things, including financials.", + "question": "Am I eligible to apply for an Adult Dependants\u2019 Grant under these circumstances?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.

    ", + "

    You cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.

    " + ], + "id": "train-1795" + }, + { + "url": "https://www.gov.uk/adult-dependants-grant", + "scenario": "I am taking care of my aging mother. She has little to no income of her own and relies on me for help. I was scraping buy during the summer but have since applied for an Adult Dependants\u2019 Grant. I am worried the first semester is going to make it impossible for me to afford everything I need if I do not receive the grand money.", + "question": "When will I receive the first instalment from the grand payment?", + "not_answerable": false, + "answers": [ + [ + "at the start of each term", + [] + ] + ], + "evidences": [ + "

    The money is paid in 3 instalments (one at the start of each term) directly into your bank account.

    " + ], + "id": "train-1796" + }, + { + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "scenario": "I am a business trader and sells white goods among other electrical appliances. My business has a annual turnover of \u00a380000. I sell all my products online.I want an effective waste disposal scheme. I don't have a physical stores.", + "question": "Can i join the distributors takeback scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can use the Distributor Takeback Scheme (DTS) instead of providing a takeback service, if either of the following apply:

    ", + "
  • your business sells less than \u00a3100,000 of electrical and electronic equipment (EEE) per year
  • ", + "
  • you only sell online
  • " + ], + "id": "train-1797" + }, + { + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "scenario": "My friend John sells electronics / electrical equipment in his retail shop. He has not provided his customers with a free waste take back service.He does not have a physical take back store or joined any electrical waste scheme.", + "question": "Can he be penalised ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must provide a way for your customers to dispose of their old household electrical and electronic equipment when you sell them a new version of the same item.

    ", + "

    The waste electrical and electronic equipment (WEEE) regulations apply regardless of how you sell the products, whether direct or by internet, mail order or telephone.

    ", + "

    You must either:

    ", + "
  • provide a free, in store, take back service to your customers
  • ", + "
  • set up an alternative, free take back service
  • ", + "

    If you do not have your own take back service, you must join the Distributor Takeback Scheme (DTS).

    ", + "

    You can be prosecuted if you do not comply with the regulations.

    ", + "

    If you fail to comply with the waste electrical and electronic equipment (WEEE) regulations, you can be prosecuted and fined up to \u00a35,000 at a magistrates\u2019 court, or get an unlimited fine from a Crown Court.

    ", + "

    You may sometimes get warning letters and formal cautions before a prosecution.

    " + ], + "id": "train-1798" + }, + { + "url": "https://www.gov.uk/buy-sell-your-home", + "scenario": "I am a property owner and would like to sell my house to a potential buyer. He has shown interest in buying the house but has asked me if I possess an energy performance certificate.", + "question": "Where can i get it?", + "not_answerable": false, + "answers": [ + [ + "find an accredited assessor", + [] + ] + ], + "evidences": [ + "

    There are several steps you\u2019ll need to follow:

    ", + "
  • sellers must provide an Energy Performance Certificate for the property
  • ", + "

    Energy Performance Certificates (EPCs) are needed whenever a property is:

    ", + "
  • sold
  • ", + "

    You must order an EPC for potential buyers and tenants before you market your property to sell or rent.

    ", + "

    You\u2019ll need to find an accredited assessor if you\u2019re selling or renting out your home in:

    ", + "

    They\u2019ll assess your property and produce the certificate.

    " + ], + "id": "train-1799" + }, + { + "url": "https://www.gov.uk/buy-sell-your-home", + "scenario": "I am selling a house and my potential buyer has agreed to all the terms of payments . I wish to come up with a legal contract in order to transfer house ownership.", + "question": "Which important details should i include on the legal contract?", + "not_answerable": false, + "answers": [ + [ + "the sale price", + [] + ], + [ + "the property boundaries", + [] + ], + [ + "which fixtures and fittings (like carpets and kitchen units) are included", + [] + ], + [ + "any legal restrictions or rights", + [] + ], + [ + "any planning restrictions", + [] + ] + ], + "evidences": [ + "

    The contract contains details about:

    ", + "
  • the sale price
  • ", + "
  • the property boundaries
  • ", + "
  • which fixtures and fittings (like carpets and kitchen units) are included
  • ", + "
  • any legal restrictions or rights, like public footpaths or rules about using the property
  • ", + "
  • any planning restrictions
  • ", + "
  • services to the property, like drainage and gas
  • ", + "
  • when the sale will complete
  • " + ], + "id": "train-1800" + }, + { + "url": "https://www.gov.uk/appeal-hedgerow-notice", + "scenario": "Mary is a livestock farmer. She is surrounded by high hanging hedge which is covered by the hedgerow regulations. It is blocking the road and making her homestead look very bushy. Her request to cut it down has been rejected by the local council. She has been served with a retention notice.", + "question": "How soon can she make an appeal ?", + "not_answerable": false, + "answers": [ + [ + "within 28 days", + [] + ] + ], + "evidences": [ + "

    You can appeal a decision if they\u2019ve sent you either:

    ", + "
  • a retention notice, saying you cannot remove a hedgerow
  • ", + "

    You must appeal within 28 days of the date on the council\u2019s notice.

    " + ], + "id": "train-1801" + }, + { + "url": "https://www.gov.uk/appeal-hedgerow-notice", + "scenario": "John has received a hedgerow replacement notice from the local council. He had cut off the hedgerow which had surrounded his farm .He wants to appeal the decision through email.", + "question": "Where can he get the council email address?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1802" + }, + { + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "scenario": "I wanted to put some shutters on the front of my shop but the council turned me down. I think this is unfair and it puts by business at risk.", + "question": "I am within my rights to appeal this decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your local planning authority makes decisions on applications about minor commercial developments, for example ground floor alterations like shop fronts and security shutters.

    ", + "

    You can appeal a minor commercial development decision if you disagree with it.

    ", + "

    Only the person who made the application can appeal.

    " + ], + "id": "train-1803" + }, + { + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "scenario": "I made an appeal over a decision on the minor development of my property. It's clearly ludicrous that it's gone this far.", + "question": "What is the next step as I'm not beaten yet?", + "not_answerable": false, + "answers": [ + [ + "you can appeal a minor commercial development decision", + [] + ] + ], + "evidences": [ + "

    You can appeal a minor commercial development decision if you disagree with it.

    " + ], + "id": "train-1804" + }, + { + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "scenario": "My employer has become insolvent. Due to this, I have been made redundant by my employer. I was employed for 10 years by this company.", + "question": "What amount of redundancy pay can I receive?", + "not_answerable": false, + "answers": [ + [ + "half a week\u2019s pay for each full year", + [ + "
  • half a week\u2019s pay for each full year you were employed and under 22 years old
  • ", + "

    Redundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    " + ] + ], + [ + "one week\u2019s pay for each full year", + [ + "
  • one week\u2019s pay for each full year you were employed and between 22 and 40 years old
  • ", + "

    Redundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    " + ] + ], + [ + "one and half week\u2019s pay for each full year", + [ + "
  • one and half week\u2019s pay for each full year you were employed and 41 or older
  • ", + "

    Redundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    " + ] + ] + ], + "evidences": [ + "

    Your employer is insolvent if it cannot pay its debts.

    ", + "

    They might:

    ", + "
  • make you redundant
  • ", + "

    Depending on your situation, you can apply to the government for:

    ", + "
  • a redundancy payment
  • ", + "

    You have different rights depending on whether your employer:

    ", + "
  • makes you redundant (dismisses you)
  • ", + "

    You\u2019re made redundant if you\u2019re dismissed from your job.

    ", + "

    You can apply to the government for:

    ", + "
  • a redundancy payment
  • ", + "

    What money you\u2019re entitled to depends on:

    ", + "
  • how long you were employed
  • ", + "

    You\u2019re normally entitled to redundancy pay if you:

    ", + "
  • have been made redundant
  • ", + "
  • were an employee
  • ", + "
  • were continuously employed by the insolvent business for 2 years or more
  • ", + "

    You\u2019ll get:

    ", + "
  • half a week\u2019s pay for each full year you were employed and under 22 years old
  • ", + "
  • one week\u2019s pay for each full year you were employed and between 22 and 40 years old
  • ", + "
  • one and half week\u2019s pay for each full year you were employed and 41 or older
  • ", + "

    Redundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    " + ], + "id": "train-1805" + }, + { + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "scenario": "My employer has become insolvent. They have failed to pay my last month's wages before making me redundant. It has been two weeks since I was made redundant. I am a British citizen.", + "question": "Am I able to apply for money I am owed?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your employer is insolvent if it cannot pay its debts.

    ", + "

    They might:

    ", + "
  • make you redundant
  • ", + "

    Depending on your situation, you can apply to the government for:

    ", + "
  • outstanding payments like unpaid wages, overtime and commission
  • ", + "

    You have different rights depending on whether your employer:

    ", + "

    You\u2019re made redundant if you\u2019re dismissed from your job.

    ", + "

    You can apply to the government for:

    ", + "
  • outstanding payments like unpaid wages, overtime and commission
  • ", + "

    You can apply for unpaid wages and other money you\u2019re owed by your employer, for example bonuses, overtime and commission.

    ", + "

    You\u2019re eligible to apply if:

    ", + "
  • you were an employee
  • ", + "
  • you\u2019re a UK or EEA national (or a foreign national with permission to work in the UK)
  • ", + "

    You can apply as soon as you\u2019ve been made redundant. The person dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) will give you a \u2018CN\u2019 (case reference) number. You cannot claim without the CN number.

    " + ], + "id": "train-1806" + }, + { + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "scenario": "My company has run bankrupt and I have been made redundant without any formal notice after working as a full time employee for 10 years . I have lost my job and benefits.", + "question": "Can i apply to the government for a redundancy payment?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You\u2019ll still be eligible to claim for redundancy pay and other money you\u2019re owed if you\u2019re made redundant at a later date.

    ", + "
  • you were an employee
  • ", + "
  • you\u2019re a UK or EEA national (or a foreign national with permission to work in the UK)
  • " + ] + ] + ], + "evidences": [ + "

    They might:

    ", + "
  • ask you to keep working
  • ", + "

    Depending on your situation, you can apply to the government for:

    ", + "
  • a redundancy payment
  • ", + "

    You have different rights depending on whether your employer:

    ", + "
  • asks you to keep working
  • ", + "

    You might be asked to continue working for your employer after they become insolvent.

    ", + "

    You\u2019ll still be eligible to claim for redundancy pay and other money you\u2019re owed if you\u2019re made redundant at a later date.

    ", + "

    You\u2019re eligible to apply if:

    ", + "
  • you were an employee
  • ", + "
  • you\u2019re a UK or EEA national (or a foreign national with permission to work in the UK)
  • " + ], + "id": "train-1807" + }, + { + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "scenario": "My brother is 40 years old . His employer has become insolvent and has been laid off from work.He has been working for the company for the last 15 years as a full time employee. He has lost his job and wants to apply for redundancy pay.", + "question": "How much can he get?", + "not_answerable": false, + "answers": [ + [ + "one week\u2019s pay for each full year", + [ + "

    Redundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    " + ] + ] + ], + "evidences": [ + "

    They might:

    ", + "
  • make you redundant
  • ", + "

    Depending on your situation, you can apply to the government for:

    ", + "
  • a redundancy payment
  • ", + "

    You have different rights depending on whether your employer:

    ", + "
  • makes you redundant (dismisses you)
  • ", + "

    You\u2019re made redundant if you\u2019re dismissed from your job.

    ", + "

    What money you\u2019re entitled to depends on:

    ", + "
  • how long you were employed
  • ", + "
  • your age
  • ", + "

    You\u2019re normally entitled to redundancy pay if you:

    ", + "
  • have been made redundant
  • ", + "
  • were an employee
  • ", + "
  • were continuously employed by the insolvent business for 2 years or more
  • ", + "

    You\u2019ll get:

    ", + "
  • one week\u2019s pay for each full year you were employed and between 22 and 40 years old
  • ", + "

    Redundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).

    " + ], + "id": "train-1808" + }, + { + "url": "https://www.gov.uk/appeal-enforcement-notice", + "scenario": "My father has received an enforcement letter from the local authority because he built a new extension of his kitchen without planning permission. The land is his property.", + "question": "Can he appeal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your local planning authority may send you an enforcement notice if you\u2019ve built or changed something without planning permission.

    ", + "

    You can appeal against an enforcement notice if you own, rent or lawfully occupy the property or land it applies to.

    " + ], + "id": "train-1809" + }, + { + "url": "https://www.gov.uk/appeal-enforcement-notice", + "scenario": "I made an appeal after receiving an enforcement letter . This was because of changing my residential property into a bed and breakfast facility. My appeal decision was disagreed upon and I suspect that the planning officer made a mistake.", + "question": "Can i challenge this negative appeal decision ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    " + ], + "id": "train-1810" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have inherited a piece of land from my late grandmother.It was unregistered and I would like to register it for the first time and use my name.", + "question": "What are the documents I would need to submit with my application?", + "not_answerable": false, + "answers": [ + [ + "a completed \u2018whole of registered title assent\u2019 form", + [ + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • " + ] + ], + [ + "a completed \u2018transfer of whole of registered title\u2019 form", + [ + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • " + ] + ], + [ + "a \u2018proof of identity\u2019 form", + [ + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • " + ] + ], + [ + "a \u2018disclosable interests\u2019 form", + [ + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • " + ] + ], + [ + "a land transaction return certificate", + [ + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • " + ] + ] + ], + "evidences": [ + "

    Include the same forms as for registering for the first time and include either:

    ", + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • ", + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • ", + "

    You may also need to send:

    ", + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • ", + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • ", + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • ", + "
  • a certified copy of the lease, if you\u2019re applying to register leasehold land or property
  • " + ], + "id": "train-1811" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have applied to the land registry for the change of my name after I got married.I have accumulated all the needed documents as proof of name change.", + "question": "Do i need to attach a copy of marriage certificate?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Use application form AP1 if you have any of the following documents:

    " + ] + ] + ], + "evidences": [ + "

    Use application form AP1 if you have any of the following documents:

    ", + "
  • an official or certified copy of a certificate showing the name change, such as a marriage or civil partnership certificate
  • " + ], + "id": "train-1812" + }, + { + "url": "https://www.gov.uk/deposit-protection-schemes-and-landlords", + "scenario": "I paid a deposit of \u00a31,000 at the start of my tenancy. It has come to my attention that the landlord has not protected my deposit. I want to take this to a county court.", + "question": "What kind of recompense can I expect for this court action?", + "not_answerable": false, + "answers": [ + [ + "do not have to leave the property when the tenancy ends", + [] + ], + [ + "up to 3 times their original deposit", + [] + ] + ], + "evidences": [ + "

    Your tenants can apply to a county court if you do not use a tenancy deposit protection (TDP) scheme when you have to. They can do this at any time during the tenancy.

    ", + "

    The court may also order you to repay your tenants up to 3 times their original deposit within 14 days of making the order.

    ", + "

    The court may also decide that your tenants do not have to leave the property when the tenancy ends if you did not use a TDP scheme when you should have.

    " + ], + "id": "train-1813" + }, + { + "url": "https://www.gov.uk/deposit-protection-schemes-and-landlords", + "scenario": "I have just taken on my first tenant. I have just received a deposit of \u00a3800, and I am now writing up information to send to the tenant. I am not sure what I need to send.", + "question": "Is there a list of details I must send to the tenant?", + "not_answerable": false, + "answers": [ + [ + "the address of the rented property", + [] + ], + [ + "how much deposit they\u2019ve paid", + [] + ], + [ + "how the deposit is protected", + [] + ], + [ + "the name and contact details of the tenancy deposit protection (tdp) scheme and its dispute resolution service", + [] + ], + [ + "your (or your letting agency\u2019s) name and contact details", + [] + ] + ], + "evidences": [ + "

    Within 30 days of getting their deposit, you must tell your tenants:

    ", + "
  • the address of the rented property
  • ", + "
  • how much deposit they\u2019ve paid
  • ", + "
  • how the deposit is protected
  • ", + "
  • the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service
  • ", + "
  • your (or your letting agency\u2019s) name and contact details
  • ", + "
  • the name and contact details of any third party who paid the deposit
  • ", + "
  • why you would keep some or all of the deposit - for example, because your tenants damaged the property and you need to fix it
  • ", + "
  • how to apply to get the deposit back at the end of the tenancy
  • ", + "
  • what to do if they cannot get hold of you at the end of the tenancy
  • ", + "
  • what to do if there\u2019s a dispute over the amount of deposit to be returned at the end of the tenancy
  • " + ], + "id": "train-1814" + }, + { + "url": "https://www.gov.uk/register-a-boat", + "scenario": "I own a canal boat. I am currently planning to use my boat on the Royal Military Canal, between West Hythe Dam and Kent. I do not have a registration at this time.", + "question": "Do I need to register my boat for this use?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.

    ", + "

    A boat is:

    ", + "
  • any vessel with or without a motor, for example a sailing boat, river boat, canal boat or houseboat
  • ", + "

    Register or license your boat with the navigation authority responsible for the waterway you want to use.

    ", + "

    You do not need to register a boat for use between West Hythe Dam in Shorncliffe, Kent and Iden Lock in Cliffe End, East Sussex.

    " + ], + "id": "train-1815" + }, + { + "url": "https://www.gov.uk/register-a-boat", + "scenario": "I am the owner of a boat. My boat has been registered, and has an up-to-date licence. An enforcement officer has fined me for not displaying this registration and licence.", + "question": "Can I get this fine removed as I do hold an up-to-date licence and registration?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    An enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:

    ", + "
  • your licence or registration is not displayed
  • ", + "

    You may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.

    " + ], + "id": "train-1816" + }, + { + "url": "https://www.gov.uk/appeal-high-hedges-decision", + "scenario": "I had an application to remove a high hedge that is on my land rejected. I want to appeal this decision, which was made two months ago.", + "question": "Am I still able to appeal against this decision?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can appeal against a high hedge remedial notice or the council\u2019s decision not to issue one if you either:

    ", + "
  • complained to the council about the hedge
  • ", + "

    You must appeal within 28 days of:

    ", + "
  • your council\u2019s decision either to take no action, or to change an existing remedial notice (withdraw, waive or relax)
  • " + ], + "id": "train-1817" + }, + { + "url": "https://www.gov.uk/appeal-high-hedges-decision", + "scenario": "I have appealed against a rejection for my application to have a high hedge on my land. ", + "question": "Will I site inspection be needed for the appeal process?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your appeal will be decided based on the information you send and a site visit. Your case officer will write to you if they require additional information.

    " + ], + "id": "train-1818" + }, + { + "url": "https://www.gov.uk/council-tax", + "scenario": "My brother works full time. He has lived with his wife for 10 years together in their rented flat and has been paying full council tax bills. Currently have divorced and don't live together anymore.", + "question": "Does he pay the full council tax bill now that he lives alone?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    A full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.

    ", + "

    You\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:

    ", + "
  • you live on your own
  • " + ], + "id": "train-1819" + }, + { + "url": "https://www.gov.uk/council-tax", + "scenario": "My Aunt is mentally disabled after she was diagnosed with dementia . She lives in my father's flat but is under full attendance care.", + "question": "Can she count as an adult when paying council tax bill?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    These people are not counted as adults for Council Tax:

    ", + "
  • people with a severe mental impairment
  • ", + "

    People who are severely mentally impaired are not included when working out Council Tax.

    " + ], + "id": "train-1820" + }, + { + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "scenario": "I want to cut down a tree with a tree preservation order in my garden. After the survey it has seen to cause a crack in my house walls. The local council has not been helpful to me as they told me it is a preserved tree.", + "question": "Can i appeal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your council makes decisions about work on trees protected by preservation orders.

    ", + "

    You can appeal if you applied to cut down or carry out work on a protected tree and:

    ", + "
  • you disagree with the decision
  • " + ], + "id": "train-1821" + }, + { + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "scenario": "My father has made an appeal after the local council refused to give permission to cut a preserved tree which has overhanging branches blocking the road.", + "question": "How long will it take to get a decision after the appeal?", + "not_answerable": false, + "answers": [ + [ + "27 weeks", + [] + ] + ], + "evidences": [ + "

    You\u2019ll normally get a decision within 27 weeks.

    " + ], + "id": "train-1822" + }, + { + "url": "https://www.gov.uk/appeal-high-hedges-decision", + "scenario": "Hello Jeff here. I am in a dispute with my neighbour over the boundary hedge - MY HEDGE! This cretin has take it to the council and I they have found against me.", + "question": "To whom can I appeal this decision?", + "not_answerable": false, + "answers": [ + [ + "the planning inspectorate", + [] + ] + ], + "evidences": [ + "

    You can appeal against a high hedge remedial notice or the council\u2019s decision not to issue one if you either:

    ", + "
  • own, rent or occupy the land that the hedge is on
  • ", + "

    Email these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.

    " + ], + "id": "train-1823" + }, + { + "url": "https://www.gov.uk/appeal-high-hedges-decision", + "scenario": "I am in a long running dispute over my beautiful hedge. I have appealed against the council decision but have been rejected again.", + "question": "What are my options to continue this fight for British Justice?", + "not_answerable": false, + "answers": [ + [ + "challenge the decision in the high court", + [] + ] + ], + "evidences": [ + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    " + ], + "id": "train-1824" + }, + { + "url": "https://www.gov.uk/buy-sell-your-home", + "scenario": "I am in the process of selling a home for \u00a3300,000. I am selling this property through an estate agent. I have found out that the estate agent has not informed me of all buyer offers.", + "question": "How can I complain about this?", + "not_answerable": false, + "answers": [ + [ + "complain to the estate agent", + [] + ], + [ + "the property ombudsman", + [ + "

    You must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:

    " + ] + ], + [ + "property redress scheme", + [ + "

    You must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:

    " + ] + ] + ], + "evidences": [ + "

    Estate agents are also legally obliged to pass on any other offers for the property right up to when contracts are exchanged.

    ", + "

    You must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:

    ", + "
  • The Property Ombudsman
  • ", + "
  • Property Redress Scheme
  • " + ], + "id": "train-1825" + }, + { + "url": "https://www.gov.uk/buy-sell-your-home", + "scenario": "I want to sell my home. The house is believed to be worth \u00a3450,000. The property was bought on the 30th September 2013. It is my main home.", + "question": "How much tax will I pay for selling this house?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • you have not let part of it out or used part of it for business only
  • ", + "
  • the grounds, including the buildings, are smaller than 5,000 square metres (just over an acre)
  • " + ] + ], + [ + "some", + [ + "

    If you do not meet all these criteria you may have to pay some Capital Gains Tax.

    " + ] + ] + ], + "evidences": [ + "

    You may need to pay:

    ", + "
  • Capital Gains Tax when you sell a home
  • ", + "

    You do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:

    ", + "
  • you\u2019ve lived in it as your main home for all the time you\u2019ve owned it
  • ", + "
  • you have not let part of it out or used part of it for business only
  • ", + "
  • the grounds, including the buildings, are smaller than 5,000 square metres (just over an acre)
  • ", + "

    If you do not meet all these criteria you may have to pay some Capital Gains Tax.

    " + ], + "id": "train-1826" + }, + { + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "scenario": "I am planning to rent out my home on a short-term basis. I am uncertain as to whether I will need to use it again in the future, and so I want the option to be able to terminate my tenant's rent at any time.", + "question": "Is there an agreement that can be made with the tenant for this purpose?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If there\u2019s a break clause in the tenancy agreement, you can give your tenants notice after this. However, you do not have a guaranteed right to possession during the first 6 months of the tenancy.

    " + ] + ] + ], + "evidences": [ + "

    If you want your tenants to leave, you must give them notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.

    ", + "

    If there\u2019s a break clause in the tenancy agreement, you can give your tenants notice after this. However, you do not have a guaranteed right to possession during the first 6 months of the tenancy.

    " + ], + "id": "train-1827" + }, + { + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "scenario": "I am a landlord who has a tenant that signed a two-year contract. The tenant has died. He had no will nor executor. This has left me confused about what to do with the property.", + "question": "Do I automatically come back into possession of the property?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The tenancy is transferred temporarily to the Public Trustee if a tenant dies:

    ", + "
  • without a will
  • ", + "

    You cannot take back a property automatically even if the tenancy was due to end.

    " + ], + "id": "train-1828" + }, + { + "url": "https://www.gov.uk/check-tenant-right-to-rent-documents", + "scenario": "I have a house I am looking to rent out. I don't really want to formalise things but i am told it's best to do so.", + "question": "What do I have to do as a landlord to see if someone if suitable as a tenant?", + "not_answerable": false, + "answers": [ + [ + "check which adults will use your property as their main home (your \u2018tenants\u2019)", + [] + ], + [ + "ask them for original documents that prove they can live in the uk", + [] + ], + [ + "check their documents to see if they have the right to rent your property", + [] + ], + [ + "check that each tenant\u2019s documents are genuine and belong to them, with the tenant present", + [] + ], + [ + "make and keep copies of the documents and record the date you made the check", + [] + ] + ], + "evidences": [ + "
  • Check which adults will use your property as their main home (your \u2018tenants\u2019).
  • ", + "
  • Ask them for original documents that prove they can live in the UK.
  • ", + "
  • Check their documents to see if they have the right to rent your property.
  • ", + "
  • Check that each tenant\u2019s documents are genuine and belong to them, with the tenant present.
  • ", + "
  • Make and keep copies of the documents and record the date you made the check.
  • " + ], + "id": "train-1829" + }, + { + "url": "https://www.gov.uk/check-tenant-right-to-rent-documents", + "scenario": "These checks are really laborious and a waste of time. I can get good money renting to those under the radar.", + "question": "What's can happen to me if I don't follow the guidelines and do proper checks?", + "not_answerable": false, + "answers": [ + [ + "get an unlimited fine", + [] + ], + [ + "be sent to prison", + [] + ] + ], + "evidences": [ + "

    You can get an unlimited fine or be sent to prison for renting your property to someone who is not allowed to stay in England.

    " + ], + "id": "train-1830" + }, + { + "url": "https://www.gov.uk/stamp-duty-land-tax", + "scenario": "I have inherited a property from my late grandfather. He left me the property through a will. I am the will executor and would like to know about stamp duty land tax.", + "question": "Do l qualify for an SDLT exception?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You may be eligible for Stamp Duty Land Tax (SDLT) reliefs if you\u2019re buying your first home and in certain other situations. These reliefs can reduce the amount of tax you pay.

    ", + "
  • no money or other payment changes hands for a land or property transfer
  • ", + "
  • property is left to you in a will
  • ", + "
  • property is transferred because of divorce or dissolution of a civil partnership
  • ", + "
  • you buy a freehold property for less than \u00a340,000
  • ", + "
  • you buy a new or assigned lease of 7 years or more, as long as the premium is less than \u00a340,000 and the annual rent is less than \u00a31,000
  • ", + "
  • you buy a new or assigned lease of less than 7 years, as long as the amount you pay is less than the residential or non-residential SDLT threshold
  • ", + "
  • you use alternative property financial arrangements, for example to comply with Sharia law
  • " + ] + ] + ], + "evidences": [ + "

    You may be eligible for Stamp Duty Land Tax (SDLT) reliefs if you\u2019re buying your first home and in certain other situations. These reliefs can reduce the amount of tax you pay.

    ", + "

    You do not have to pay SDLT or file a return if:

    ", + "
  • no money or other payment changes hands for a land or property transfer
  • ", + "
  • property is left to you in a will
  • ", + "
  • property is transferred because of divorce or dissolution of a civil partnership
  • ", + "
  • you buy a freehold property for less than \u00a340,000
  • ", + "
  • you buy a new or assigned lease of 7 years or more, as long as the premium is less than \u00a340,000 and the annual rent is less than \u00a31,000
  • ", + "
  • you buy a new or assigned lease of less than 7 years, as long as the amount you pay is less than the residential or non-residential SDLT threshold
  • ", + "
  • you use alternative property financial arrangements, for example to comply with Sharia law
  • " + ], + "id": "train-1831" + }, + { + "url": "https://www.gov.uk/leasehold-property", + "scenario": "My landlord has decided to sell his freeholding. I am the leaseholder of the property. I want to buy this property but and I have not been offered the opportunity to buy the freehold.", + "question": "What can I do about it?", + "not_answerable": false, + "answers": [ + [ + "right of first refusal", + [] + ] + ], + "evidences": [ + "

    Landlords who want to sell the freehold of a building containing flats usually have to offer the leaseholders the first chance to buy it. This is known as your right of first refusal.

    " + ], + "id": "train-1832" + }, + { + "url": "https://www.gov.uk/leasehold-property", + "scenario": "I have a new landlord, who has just bought the freehold to the property I lease. He has decided to increase the ground rent, even though the lease agreement stipulates this cannot be done. He has refused to listen to my complaints, and so I want to take this to a tribunal.", + "question": "Is the issue I have eligible to be used in a tribunal case?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply to a tribunal if you\u2019re in a dispute with your landlord, for example:

    ", + "
  • varying a lease
  • " + ], + "id": "train-1833" + }, + { + "url": "https://www.gov.uk/council-tax", + "scenario": "I own three houses. Two of these houses, situated in England, are now empty, and will remain so for the next six months.", + "question": "Are there any Council Tax reductions that I can get for these two properties?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    You can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).

    " + ] + ] + ], + "evidences": [ + "

    You\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.

    ", + "

    You may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.

    ", + "

    You may pay less Council Tax for a property you own or rent that\u2019s not your main home.

    ", + "

    Councils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.

    ", + "

    You\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.

    ", + "

    You can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).

    " + ], + "id": "train-1834" + }, + { + "url": "https://www.gov.uk/council-tax", + "scenario": "I am a university student. The course I am undertaking is three years long and is full time (40 hours per week). I am living alone in a flat. I have just received an council tax bill.", + "question": "Do I have to pay council tax?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.

    ", + "

    These people are not counted as adults for Council Tax:

    ", + "
  • full-time college and university students
  • ", + "

    Households where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.

    ", + "

    To count as a full-time student, your course must:

    ", + "
  • last at least 1 year
  • ", + "
  • involve at least 21 hours study per week
  • " + ], + "id": "train-1835" + }, + { + "url": "https://www.gov.uk/check-tenant-right-to-rent-documents", + "scenario": "I have done a follow up check up on my tenant who is non EU and found out that he had a limited leave visa and his permission to stay in the UK ended last month. He has no intention of extending his visa citing financial difficulties. He is now living illegally.", + "question": "What should I do?", + "not_answerable": false, + "answers": [ + [ + "tell the home office", + [] + ] + ], + "evidences": [ + "

    You must tell the Home Office if you find out that your tenant can no longer legally rent property in England after doing a follow-up check.

    " + ], + "id": "train-1836" + }, + { + "url": "https://www.gov.uk/check-tenant-right-to-rent-documents", + "scenario": "I am a landlord and a potential tenant has approached me with the intention of renting my house. He is from China and is in possession of a valid tourist visa expiring in 5 months. I want to know if he has the rights to rent in the UK.", + "question": "Do I need to run a follow-up check some time in the future? If so, when should that happen?", + "not_answerable": false, + "answers": [ + [ + "the end of your tenant\u2019s permission to stay in the uk", + [] + ] + ], + "evidences": [ + "

    You must do a follow-up check to make sure your tenant can still rent property in the UK if there\u2019s a time limit on their permission to stay.

    ", + "

    You can get a fine if you do not do a follow-up check and your tenant\u2019s permission to stay ends.

    ", + "

    Do the follow-up check just before the date that\u2019s the later of:

    ", + "
  • the end of your tenant\u2019s permission to stay in the UK
  • " + ], + "id": "train-1837" + }, + { + "url": "https://www.gov.uk/renting-out-a-property", + "scenario": "I am renting a property. My landlord has decided to do work on the property that makes half of the rooms unusable. I feel as if I am not getting my money's worth.", + "question": "Is there any discount I am eligible to get on my rent for this period?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If the repairs are very disruptive, your tenants may be able to claim a reduction on their rent known as a \u2018rent abatement\u2019. This will depend on how much of the property is unusable.

    " + ], + "id": "train-1838" + }, + { + "url": "https://www.gov.uk/renting-out-a-property", + "scenario": "I am a landlord who rents out rooms to two tenants, who are not related. I am considering renting out another room. There will be at least three separate people renting rooms in this property.", + "question": "Will I need a licence for a HMO in these circumnstances?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • toilet, bathroom or kitchen facilities are shared
  • ", + "

    An HMO must have a licence if it is occupied by 5 or more people. A council can also include other types of HMOs for licensing.

    " + ] + ] + ], + "evidences": [ + "

    If you let your property to several tenants who are not members of the same family, it may be a \u2018House in Multiple Occupation\u2019 (HMO).

    ", + "

    Your property is an HMO if both of the following apply:

    ", + "
  • at least 3 tenants live there, forming more than one household
  • ", + "
  • toilet, bathroom or kitchen facilities are shared
  • ", + "

    An HMO must have a licence if it is occupied by 5 or more people. A council can also include other types of HMOs for licensing.

    " + ], + "id": "train-1839" + }, + { + "url": "https://www.gov.uk/leasehold-property", + "scenario": "I am a leaseholder and own a house. Would like to gather more information on my responsibilities and rights as a leaseholder.", + "question": "What are the general rights of a leaseholder?", + "not_answerable": false, + "answers": [ + [ + "get information about service charges or insurance", + [] + ], + [ + "know the landlord\u2019s (freeholder\u2019s) name and address", + [] + ], + [ + "be consulted about certain maintenance and running costs", + [] + ], + [ + "challenge certain charges under some circumstances", + [] + ] + ], + "evidences": [ + "

    You have the right to:

    ", + "
  • get information about service charges or insurance
  • ", + "
  • know the landlord\u2019s (freeholder\u2019s) name and address
  • ", + "
  • be consulted about certain maintenance and running costs
  • ", + "
  • challenge certain charges under some circumstances
  • " + ], + "id": "train-1840" + }, + { + "url": "https://www.gov.uk/leasehold-property", + "scenario": "My mother is a leaseholder and is very concerned about knowing if the house has insurance. She has witnessed a lot of people losing lives due to fire outbreaks and loss of property.", + "question": "Can she ask the landlord for the insurance policy summary?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your landlord will usually be responsible for insurance of the building (not the contents) - this will be part of your service charge.

    ", + "

    You have a right to:

    ", + "
  • ask for a summary of the insurance policy
  • " + ], + "id": "train-1841" + }, + { + "url": "https://www.gov.uk/get-information-about-property-and-land", + "scenario": "Our family inherited a piece of land from our grandmother. We want to search for index map and confirm if it is registered and whose name is it registered with. We have tried to search using the land address but can't be identified.", + "question": "What are other ways we can search the index map?", + "not_answerable": false, + "answers": [ + [ + "the title register", + [] + ], + [ + "the title summary", + [] + ], + [ + "the title plan", + [] + ] + ], + "evidences": [ + "

    Search the register by address or location.

    ", + "

    The title register has details about the property or land (in a PDF). It includes:

    ", + "

    The title summary (viewable online) includes:

    ", + "

    The title plan is a map showing:

    " + ], + "id": "train-1842" + }, + { + "url": "https://www.gov.uk/get-information-about-property-and-land", + "scenario": "My neighbour and I have a land dispute and we are scheduled for court hearing next week. I lost the original deed copies through a fire outbreak . I possess only the copies.", + "question": "Where can i get the official copies of the title register?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1843" + }, + { + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "scenario": "I have tried to make alterations to the shop front. My application to the planning committee was rejected. Five weeks have past, and after being informed that this should have been accepted, we are considering appealing the decision.", + "question": "Are we still able to appeal this decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    The deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.

    " + ] + ] + ], + "evidences": [ + "

    You can appeal a minor commercial development decision if you disagree with it.

    ", + "

    You must appeal within 12 weeks of the date on the decision notice from your local planning authority.

    ", + "

    The deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.

    " + ], + "id": "train-1844" + }, + { + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "scenario": "We wanted to add new security shutters over the front door of our warehouse. The planning for this was rejected. We have now appealed this decision, but are unclear as to the process.", + "question": "What are the next steps for this appeal process?", + "not_answerable": false, + "answers": [ + [ + "the planning inspectorate will check your appeal to make sure it\u2019s valid", + [] + ], + [ + "they\u2019ll tell you what happens next and how long your appeal may take", + [] + ], + [ + "the planning inspectorate will then consider your appeal", + [] + ] + ], + "evidences": [ + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    " + ], + "id": "train-1845" + }, + { + "url": "https://www.gov.uk/register-a-boat", + "scenario": "My brother wants to buy a canoe boat to spend his summer holiday rowing along the river Thames. He wants to register so that he can use it.", + "question": "Will he need to insure it ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    You may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.

    " + ] + ] + ], + "evidences": [ + "

    You usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.

    ", + "

    A boat is:

    ", + "
  • any \u2018open boat\u2019 such as canoe, paddle board, rowing boat or dinghy
  • ", + "

    To get a boat registration you may need:

    ", + "
  • insurance
  • ", + "

    You may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.

    " + ], + "id": "train-1846" + }, + { + "url": "https://www.gov.uk/register-a-boat", + "scenario": "My friend Mark owns a canoe boat along the river Severn. It is not registered nor licensed . He sometimes rows it to different waterways during summer.", + "question": "Can he be penalised?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    You may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.

    " + ] + ] + ], + "evidences": [ + "

    You may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.

    ", + "

    An enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:

    ", + "
  • it\u2019s not licensed or registered
  • ", + "

    You may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.

    " + ], + "id": "train-1847" + }, + { + "url": "https://www.gov.uk/joint-property-ownership", + "scenario": "My friend Ann and I have joint property ownership. Ann has been diagnosed with schizophrenia and can't sign legal documents but she has a deputy. I want to sell the property.", + "question": "Can I appoint her deputy to represent her during property selling process?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must apply to the Court of Protection if all of the following apply:

    ", + "
  • you\u2019re one of 2 or more owners of property or land
  • ", + "
  • one of the owners has lost \u2018mental capacity\u2019
  • ", + "
  • you want to sell the property or land
  • ", + "

    This means that:

    ", + "
  • the owner who\u2019s lost mental capacity cannot sign legally binding documents and needs help to make decisions
  • ", + "

    You\u2019ll have to appoint someone to act on behalf of the owner who\u2019s lost mental capacity even if:

    " + ], + "id": "train-1848" + }, + { + "url": "https://www.gov.uk/joint-property-ownership", + "scenario": "My brother and his partner are tenants in common. They are now officially married and would like to have full rights to the property. They want to change the property ownership from tenants in common to joint tenants.", + "question": "Can that be possible?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You need the agreement of all the other joint owners to change from being tenants in common to joint tenants.

    " + ] + ] + ], + "evidences": [ + "

    You can change from being either:

    ", + "
  • tenants in common to joint tenants, for example if you get married and want to have equal rights to the whole property
  • ", + "

    You need the agreement of all the other joint owners to change from being tenants in common to joint tenants.

    " + ], + "id": "train-1849" + }, + { + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "scenario": "I bought my council house on the 19 June 2020, using the Right to buy. It is the 28th July 2021, and I am now now looking to sell my property. I tried to discuss it with the landlord, but we could not come to a decision over the price.", + "question": "What can I do to get a suitable market price for me to sell the property?", + "not_answerable": false, + "answers": [ + [ + "a district valuer will say how much your home is worth and set the price", + [] + ] + ], + "evidences": [ + "

    If you sell your home within 10 years of buying it through Right to Buy, you must first offer it to either:

    ", + "
  • your old landlord
  • ", + "

    The property should be sold at the full market price agreed between you and the landlord.

    ", + "

    If you cannot agree, a district valuer will say how much your home is worth and set the price. You will not have to pay for their valuation.

    " + ], + "id": "train-1850" + }, + { + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "scenario": "I currently live in a council house. I am now looking to buy this property, having heard about there being discounts available. I live in London. The house will cost \u00a3180,000", + "question": "What kind of discount could I receive for buying the property?", + "not_answerable": false, + "answers": [ + [ + "35% discount", + [ + "

    You get a 35% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.

    " + ] + ], + [ + "the discount goes up 1% for every extra year you\u2019ve been a public sector tenant", + [ + "

    After 5 years, the discount goes up 1% for every extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).

    " + ] + ] + ], + "evidences": [ + "

    You can get a discount on the market value of your home when you buy it if you qualify for Right to Buy.

    ", + "

    You get a 35% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.

    ", + "

    After 5 years, the discount goes up 1% for every extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).

    " + ], + "id": "train-1851" + }, + { + "url": "https://www.gov.uk/renting-out-a-property", + "scenario": "I am a new property owner. I have built three houses for rental purposes. I want to familiarize myself with landlord responsibilities and how well I can handle my potential tenants especially during the coronavirus period.", + "question": "Where can i get this information?", + "not_answerable": false, + "answers": [ + [ + "coronavirus and renting guidance for tenants and landlords", + [] + ] + ], + "evidences": [ + "

    Your responsibilities as a landlord have not changed because of coronavirus. However, you should follow the government\u2019s coronavirus advice.

    ", + "

    Read the coronavirus and renting guidance for tenants and landlords.

    " + ], + "id": "train-1852" + }, + { + "url": "https://www.gov.uk/renting-out-a-property", + "scenario": "I have done repairs to my property and it has cost me a lot of money .I want to increase the monthly rent by a small margin.", + "question": "How can I increase the rent?", + "not_answerable": false, + "answers": [ + [ + "stick to this", + [ + "

    If a fixed-term tenancy agreement says how the rent can be increased, you must stick to this.

    " + ] + ], + [ + "agree a rent increase with your tenants and produce a written record of the agreement that you both sign", + [ + "

    For a periodic tenancy, you can:

    " + ] + ], + [ + "use a \u2018landlord\u2019s notice proposing a new rent\u2019 form, giving your tenant at least a month\u2019s notice", + [ + "

    For a periodic tenancy, you can:

    " + ] + ] + ], + "evidences": [ + "

    You may have the right to increase the rent after carrying out repairs and improvements, depending on the tenancy agreement.

    ", + "

    If a fixed-term tenancy agreement says how the rent can be increased, you must stick to this.

    ", + "

    For a periodic tenancy, you can:

    ", + "
  • agree a rent increase with your tenants and produce a written record of the agreement that you both sign
  • ", + "
  • use a \u2018Landlord\u2019s notice proposing a new rent\u2019 form, giving your tenant at least a month\u2019s notice
  • " + ], + "id": "train-1853" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have just bought a new property. I have found that this property has never been registered. I am now looking into registering the property.", + "question": "How do I register the property?", + "not_answerable": false, + "answers": [ + [ + "search the register to make sure your property is not already registered", + [] + ], + [ + "apply for a search from the land charges department to search against all previous owners since 1925", + [] + ], + [ + "fill in an application for first registration", + [] + ], + [ + "prepare a scale plan showing where the land is outlined", + [ + "
  • Prepare a scale plan showing where the land is outlined, if it\u2019s not shown in the deeds.
  • " + ] + ], + [ + "find the forms you need depending on your circumstances and fill out 2 copies of the list of documents form", + [] + ] + ], + "evidences": [ + "

    You must register all land or property with HM Land Registry if you\u2019ve:

    ", + "
  • bought it
  • ", + "

    Land or property must be registered for the first time if it\u2019s unregistered when you take ownership of it or mortgage it.

    ", + "
  • Search the register to make sure your property is not already registered.
  • ", + "
  • Apply for a search from the Land Charges Department to search against all previous owners since 1925. They will send you the results.
  • ", + "
  • Fill in an application for first registration.
  • ", + "
  • Prepare a scale plan showing where the land is outlined, if it\u2019s not shown in the deeds.
  • ", + "
  • Find the forms you need depending on your circumstances and fill out 2 copies of the list of documents form.
  • ", + "
  • Find out the correct registration fee - this depends on the value of your property.
  • ", + "
  • Send your documents, forms and fee to HM Land Registry.
  • " + ], + "id": "train-1854" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I am the owner of a property in England. I have recently change my surname at the registry office. I am looking to update my details on the registration.", + "question": "How do I apply to change my details on the registration?", + "not_answerable": false, + "answers": [ + [ + "use application form ap1", + [ + "
  • an official or certified copy of a certificate showing the name change, such as a marriage or civil partnership certificate
  • ", + "
  • a copy of a deed poll
  • ", + "
  • a statement of truth
  • ", + "
  • a statutory declaration sworn before someone able to take oaths
  • " + ] + ], + [ + "send additional proof", + [ + "

    You must also send additional proof if you\u2019re not sending a certificate or using a conveyancer (for example a solicitor). When you send from AP1, include both:

    " + ] + ] + ], + "evidences": [ + "

    Use application form AP1 if you have any of the following documents:

    ", + "
  • an official or certified copy of a certificate showing the name change, such as a marriage or civil partnership certificate
  • ", + "
  • a copy of a deed poll
  • ", + "
  • a statement of truth
  • ", + "
  • a statutory declaration sworn before someone able to take oaths
  • ", + "

    You must also send additional proof if you\u2019re not sending a certificate or using a conveyancer (for example a solicitor). When you send from AP1, include both:

    " + ], + "id": "train-1855" + }, + { + "url": "https://www.gov.uk/right-to-acquire-buying-housing-association-home", + "scenario": "I live in a house owned by a housing association. This house is located in Newcastle. I want to buy my home, and heard you can get discounts.", + "question": "What discount would I receive for buying my home?", + "not_answerable": false, + "answers": [ + [ + "between \u00a39,000 and \u00a316,000", + [ + "

    The amount of discount you\u2019ll get depends on where you live in the UK.

    ", + "

    Your discount might be reduced if you\u2019ve used Right to Acquire or Right to Buy in the past.

    " + ] + ] + ], + "evidences": [ + "

    Right to Acquire allows most housing association tenants to buy their home at a discount. You apply using the Right to Acquire application form.

    ", + "

    You can apply to buy your housing association home if you\u2019ve had a public sector landlord for 3 years. These landlords include:

    ", + "
  • housing associations
  • ", + "

    You can get a discount of between \u00a39,000 and \u00a316,000 on the price of your property.

    ", + "

    The amount of discount you\u2019ll get depends on where you live in the UK.

    ", + "

    Your discount might be reduced if you\u2019ve used Right to Acquire or Right to Buy in the past.

    " + ], + "id": "train-1856" + }, + { + "url": "https://www.gov.uk/right-to-acquire-buying-housing-association-home", + "scenario": "I have bought my home from a housing association. Six months have now past, and I have decided to sell my home. House prices have risen, and I can now sell it for \u00a3190,000.", + "question": "How much discount would I have to repay if I sell it at this time?", + "not_answerable": false, + "answers": [ + [ + "all of the discount", + [] + ] + ], + "evidences": [ + "

    If you sell your home within 5 years of buying it, you\u2019ll have to pay back some or all of the discount you got.

    ", + "

    If you sell within the first year, you\u2019ll have to pay back all of the discount. On top of this, the amount you pay back depends on the value of your home when you sell it. So, if you got a 10% discount, you\u2019ll have to pay back 10% of the selling price.

    " + ], + "id": "train-1857" + }, + { + "url": "https://www.gov.uk/appeal-hedgerow-notice", + "scenario": "I own land which has hedgerows surrounding it. I have received a retention notice stating that I cannot remove any of the hedgerows. I cannot access the land without removing any hedgerows, so I want to appeal this decision.", + "question": "What documents will I need to make an appeal?", + "not_answerable": false, + "answers": [ + [ + "a copy of your original application", + [] + ], + [ + "the reason for your appeal", + [] + ], + [ + "a copy of the local planning authority\u2019s decision notice", + [] + ], + [ + "any other documents that directly support your appeal", + [] + ] + ], + "evidences": [ + "

    You can appeal a decision if they\u2019ve sent you either:

    ", + "
  • a retention notice, saying you cannot remove a hedgerow
  • ", + "

    You also need:

    ", + "
  • a copy of your original application
  • ", + "
  • the reason for your appeal
  • ", + "
  • a copy of the local planning authority\u2019s decision notice
  • ", + "
  • any other documents that directly support your appeal
  • " + ], + "id": "train-1858" + }, + { + "url": "https://www.gov.uk/appeal-hedgerow-notice", + "scenario": "I appealed a decision against a replacement notice. I have been told to replace the hedgerow that I took out near my property. The roots were causing damage to the foundations. My appeal failed. I disagree with this decision.", + "question": "Can I go any further with this appeal process?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.

    " + ], + "id": "train-1859" + }, + { + "url": "https://www.gov.uk/joint-property-ownership", + "scenario": "Me and my friend own a property as common tenants. We want to change this ownership to joint tenants.", + "question": "What other documents do we need to supply to carry out this change?", + "not_answerable": false, + "answers": [ + [ + "an original or certified copy of the new or updated trust deed signed by all the owners", + [] + ], + [ + "a certified copy of a transfer showing that all owners with individual shares of the property have transferred these to all the beneficial joint tenants", + [] + ], + [ + "a certificate from your conveyancer confirming that all owners with shares of the property have signed a new trust deed", + [] + ], + [ + "a statutory declaration prepared by your conveyancer", + [] + ], + [ + "a \u2018statement of truth\u2019", + [] + ] + ], + "evidences": [ + "

    You must include one of the following:

    ", + "
  • an original or certified copy of the new or updated trust deed signed by all the owners
  • ", + "
  • a certified copy of a transfer showing that all owners with individual shares of the property have transferred these to all the beneficial joint tenants
  • ", + "
  • a certificate from your conveyancer confirming that all owners with shares of the property have signed a new trust deed
  • ", + "

    You must also include either:

    ", + "
  • a statutory declaration prepared by your conveyancer
  • ", + "
  • a \u2018statement of truth\u2019 - either one you\u2019ve prepared yourself or using form ST5
  • " + ], + "id": "train-1860" + }, + { + "url": "https://www.gov.uk/joint-property-ownership", + "scenario": "I am one of two tenants owning a property as joint tenants. I want to sell the property, but the other tenant has lost the mental capacity to make a decision.", + "question": "Do I have to appoint someone to represent the other tenant?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re already acting on behalf of an owner as a \u2018deputy\u2019
  • ", + "
  • the Official Solicitor is a \u2018litigation friend\u2019 for an owner
  • " + ] + ], + [ + "no", + [ + "

    You may not need to apply if you\u2019ve got a registered power of attorney.

    " + ] + ] + ], + "evidences": [ + "

    You must apply to the Court of Protection if all of the following apply:

    ", + "
  • you\u2019re one of 2 or more owners of property or land
  • ", + "
  • one of the owners has lost \u2018mental capacity\u2019
  • ", + "
  • you want to sell the property or land
  • ", + "

    This means that:

    ", + "
  • you\u2019ll have to apply to appoint someone to take the place of the owner who\u2019s lost capacity so the sale can go ahead
  • ", + "

    You\u2019ll have to appoint someone to act on behalf of the owner who\u2019s lost mental capacity even if:

    ", + "
  • you\u2019re already acting on behalf of an owner as a \u2018deputy\u2019
  • ", + "
  • the Official Solicitor is a \u2018litigation friend\u2019 for an owner
  • ", + "

    You may not need to apply if you\u2019ve got a registered power of attorney.

    " + ], + "id": "train-1861" + }, + { + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "scenario": "My tenant had assured short hold tenancy agreement which was supposed to end by January 2022. He has unfortunately succumbed by Lung cancer. He had no will or known relatives or friends. I want my property back.", + "question": "How can i repossess my property immediately now that he is no more?", + "not_answerable": false, + "answers": [ + [ + "post or deliver a letter to the tenant\u2019s last known address saying you\u2019re giving written notice", + [] + ], + [ + "email a copy of your notice and a completed nl1 form to the public trustee", + [] + ], + [ + "pay an application fee to the public trustee to register the notice", + [] + ] + ], + "evidences": [ + "

    The tenancy is transferred temporarily to the Public Trustee if a tenant dies:

    ", + "
  • without a will
  • ", + "

    You cannot take back a property automatically even if the tenancy was due to end.

    ", + "

    You must:

    ", + "
  • post or deliver a letter to the tenant\u2019s last known address saying you\u2019re giving written notice
  • ", + "
  • email a copy of your notice and a completed NL1 form to the Public Trustee
  • ", + "
  • pay an application fee to the Public Trustee to register the notice
  • ", + "

    Give notice

    ", + "

    Address the written notice to: \u201cThe Personal Representative of [full name of the tenant who died] of [last known address for the tenant who died]\u201d.

    ", + "

    Email the notice and NL1 form to the Public Trustee

    ", + "

    Order a NL1 application form to register a notice from OyezStore or from Shaws. The form costs no more than \u00a38.26.

    ", + "

    You\u2019ll get it by post. Email a copy of the notice and a scan of your completed NL1 form to osptcontrolunit@ospt.gov.uk.

    ", + "

    Pay the application fee

    ", + "

    It costs \u00a340 to register the notice. You can only pay by Bacs. Transfer the fee to the following account:

    " + ], + "id": "train-1862" + }, + { + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "scenario": "I am a landlord and the cost of the property repairs and maintenance has increased. Would like to make a slight increase in the monthly rent.", + "question": "Should i inform my tenant about this change?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The tenancy agreement should include:

    ", + "
  • the rental price and how it\u2019s paid
  • ", + "

    You must get the agreement of your tenants if you want to make changes to the terms of their tenancy agreement.

    " + ], + "id": "train-1863" + }, + { + "url": "https://www.gov.uk/stamp-duty-land-tax", + "scenario": "I am going to be purchasing a new home, which is in England. The house is valued at \u00a3450,0000. I am looking up the taxes I will need to pay on the purchase.", + "question": "What is the current threshold for Stamp Duty Land tax?", + "not_answerable": false, + "answers": [ + [ + "\u00a3500,000", + [ + "

    The current SDLT threshold for residential properties is \u00a3500,000. This changes on 1 July 2021.

    ", + "

    Rates from 8 July 2020 to 30 June 2021

    " + ] + ], + [ + "\u00a3250,000", + [ + "

    Property purchases from 1 July 2021 to 30 September 2021

    ", + "

    Rates from 1 July 2021 to 30 September 2021

    " + ] + ], + [ + "\u00a3125,000", + [ + "

    Property purchases from 1 October 2021

    ", + "

    Rates from 1 October 2021

    " + ] + ], + [ + "\u00a3300,000", + [ + "

    If you\u2019re buying your first home

    ", + "

    You can claim a discount (relief) if you buy your first home before 8 July 2020 or from 1 July 2021. This means you\u2019ll pay:

    " + ] + ] + ], + "evidences": [ + "

    The current SDLT threshold for residential properties is \u00a3500,000. This changes on 1 July 2021.

    ", + "

    Property purchases from 1 July 2021 to 30 September 2021

    ", + "

    The SDLT thresholds will be:

    ", + "
  • \u00a3250,000 for residential properties
  • ", + "

    Property purchases from 1 October 2021

    ", + "

    The SDLT thresholds will be:

    ", + "
  • \u00a3125,000 for residential properties
  • ", + "

    Rates from 8 July 2020 to 30 June 2021

    ", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3500,000 | Zero", + "

    Rates from 1 July 2021 to 30 September 2021

    ", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3250,000 | Zero", + "

    Rates from 1 October 2021

    ", + "Property or lease premium or transfer value | SDLT rate", + "Up to \u00a3125,000 | Zero", + "

    If you\u2019re buying your first home

    ", + "

    You can claim a discount (relief) if you buy your first home before 8 July 2020 or from 1 July 2021. This means you\u2019ll pay:

    ", + "
  • no SDLT up to \u00a3300,000
  • " + ], + "id": "train-1864" + }, + { + "url": "https://www.gov.uk/stamp-duty-land-tax", + "scenario": "I have been gifted a property, which is worth \u00a3500,000. I am concerned about having to pay Stamp Duty on this property.", + "question": "Will I need to pay stamp duty for a gifted property?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1865" + }, + { + "url": "https://www.gov.uk/right-to-acquire-buying-housing-association-home", + "scenario": "My uncle works in the British army and has lived in the armed forces accommodation for 4 years together with his wife. They have made it their main home and they would like to see if can have rights to acquire.", + "question": "Can they qualify?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • built or bought by a housing association after 31 March 1997 (and funded through a social housing grant provided by the Housing Corporation or local council)
  • ", + "
  • transferred from a local council to a housing association after 31 March 1997
  • ", + "

    Your landlord must be registered with the Regulator of Social Housing.

    ", + "
  • a self-contained property
  • " + ] + ], + [ + "no", + [ + "
  • you\u2019re being made bankrupt
  • ", + "
  • a court has ordered you to leave your home
  • ", + "
  • you\u2019re a council tenant \u2013 you may be able to use Right to Buy instead
  • ", + "
  • you have \u2018Preserved Right to Buy\u2019
  • " + ] + ] + ], + "evidences": [ + "

    You can apply to buy your housing association home if you\u2019ve had a public sector landlord for 3 years. These landlords include:

    ", + "
  • the armed services
  • ", + "

    Your property must either have been:

    ", + "
  • built or bought by a housing association after 31 March 1997 (and funded through a social housing grant provided by the Housing Corporation or local council)
  • ", + "
  • transferred from a local council to a housing association after 31 March 1997
  • ", + "

    Your landlord must be registered with the Regulator of Social Housing.

    ", + "

    The home you want to buy must also be:

    ", + "
  • a self-contained property
  • ", + "
  • your only or main home
  • ", + "

    You can make a joint application with:

    ", + "
  • someone who shares your tenancy
  • ", + "
  • up to 3 family members who\u2019ve lived with you for the past 12 months (even if they don\u2019t share your tenancy)
  • ", + "

    You can\u2019t use Right to Acquire if:

    ", + "
  • you\u2019re being made bankrupt
  • ", + "
  • a court has ordered you to leave your home
  • ", + "
  • you\u2019re a council tenant \u2013 you may be able to use Right to Buy instead
  • ", + "
  • you have \u2018Preserved Right to Buy\u2019
  • " + ], + "id": "train-1866" + }, + { + "url": "https://www.gov.uk/right-to-acquire-buying-housing-association-home", + "scenario": "My sister is a nurse and works in the NHS. She earns a salary of \u00a335000 per year and has been living in the NHS trust houses for over 3 years. She would like to apply for the rights to acquire a house but would like to know.", + "question": "Which things can make one not qualify ?", + "not_answerable": false, + "answers": [ + [ + "you\u2019re being made bankrupt", + [] + ], + [ + "a court has ordered you to leave your home", + [] + ], + [ + "you\u2019re a council tenant \u2013 you may be able to use right to buy instead", + [] + ], + [ + "you have \u2018preserved right to buy\u2019", + [] + ] + ], + "evidences": [ + "

    You can\u2019t use Right to Acquire if:

    ", + "
  • you\u2019re being made bankrupt
  • ", + "
  • a court has ordered you to leave your home
  • ", + "
  • you\u2019re a council tenant \u2013 you may be able to use Right to Buy instead
  • ", + "
  • you have \u2018Preserved Right to Buy\u2019
  • " + ], + "id": "train-1867" + }, + { + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "scenario": "I own some land that has an old tree. This tree is protected by a preservation order. The roots of this tree are damaging the foundations of my house. My application to cut it down was rejected 20 days ago.", + "question": "Am I still able to appeal against this decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • before the date the tree replacement notice comes into effect
  • " + ] + ] + ], + "evidences": [ + "

    You can appeal if you applied to cut down or carry out work on a protected tree and:

    ", + "
  • you disagree with the decision
  • ", + "

    You must appeal:

    ", + "
  • within 28 days of the date on the council\u2019s decision notice
  • ", + "
  • before the date the tree replacement notice comes into effect
  • " + ], + "id": "train-1868" + }, + { + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "scenario": "My application to trim a protected tree's branches was rejected. I have now appealed this decision, but I do not know what this decision will be based on.", + "question": "What will the appeal decision be decided upon?", + "not_answerable": false, + "answers": [ + [ + "the information you send", + [] + ], + [ + "a site visit", + [] + ], + [ + "your council\u2019s documents", + [] + ] + ], + "evidences": [ + "

    Their decision about your appeal will be based on:

    ", + "
  • the information you send
  • ", + "
  • a site visit
  • ", + "
  • your council\u2019s documents, for example the tree preservation order
  • " + ], + "id": "train-1869" + }, + { + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "scenario": "I own a business that sells electronic attachments to mobiles. We make sales of \u00a370,000 per year. We also only sell online. We are looking at joining the Distributor Takeback scheme.", + "question": "Will we be eligible to join this scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can use the Distributor Takeback Scheme (DTS) instead of providing a takeback service, if either of the following apply:

    ", + "
  • your business sells less than \u00a3100,000 of electrical and electronic equipment (EEE) per year
  • ", + "
  • you only sell online
  • " + ], + "id": "train-1870" + }, + { + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "scenario": "My company sells appliances and electronic kitchen equipment. We have been reported for failing to provide customer's with a way to dispose of these electronics.", + "question": "what kind of punishment could we face if we are prosecuted?", + "not_answerable": false, + "answers": [ + [ + "fined up to \u00a35,000 at a magistrates\u2019 court", + [] + ], + [ + "an unlimited fine from a crown court", + [] + ] + ], + "evidences": [ + "

    If you fail to comply with the waste electrical and electronic equipment (WEEE) regulations, you can be prosecuted and fined up to \u00a35,000 at a magistrates\u2019 court, or get an unlimited fine from a Crown Court.

    " + ], + "id": "train-1871" + }, + { + "url": "https://www.gov.uk/appeal-enforcement-notice", + "scenario": "I am a contractor. I was recently hired to build a new tree house and have received an enforcement notice to remove it. It says it is oversized and required planning permission.", + "question": "Can I proceed to appeal this decision?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your local planning authority may send you an enforcement notice if you\u2019ve built or changed something without planning permission.

    ", + "

    You can appeal against an enforcement notice if you own, rent or lawfully occupy the property or land it applies to.

    " + ], + "id": "train-1872" + }, + { + "url": "https://www.gov.uk/right-of-way-open-access-land", + "scenario": "I live near an open fields that has been left unattended for several years. Most of my neighbors use it to walk their dogs and running . My brother wants to learn how to drive and since I am a fully insured driver I have accepted to teach him how to drive. The open field is accessible .", + "question": "Can we use the field for car driving test?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Access land includes mountains, moors, heaths and downs that are privately owned. It also includes common land registered with the local council and some land around the England Coast Path.

    ", + "

    You can use access land for walking, running, watching wildlife and climbing.

    ", + "

    There are certain activities you cannot usually do on open access land, including:

    ", + "
  • driving a vehicle (except mobility scooters and powered wheelchairs)
  • " + ], + "id": "train-1873" + }, + { + "url": "https://www.gov.uk/right-of-way-open-access-land", + "scenario": "I am a landowner with a very expansive land adjacent to new housing . The public are walking over it and parking on the field as well as hosting parties.They have disregarded the post signs I have elected. I have now given up.", + "question": "Can i provide the public permission to use the land ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If neither of these apply, you may still be able to access private land if:

    ", + "
  • the landowner has given permission (\u2018permissive access\u2019)
  • ", + "

    But you can use access land for horse-riding and cycling if:

    ", + "
  • the landowner allows it
  • ", + "

    You may be able to access private land if the landowner has agreed to let people use it, for example for walking, cycling or horse riding (sometimes known as giving \u2018permissive access\u2019). Look for signs.

    " + ], + "id": "train-1874" + }, + { + "url": "https://www.gov.uk/deposit-protection-schemes-and-landlords", + "scenario": "I have been living in my property 3 years and now i am moving out. One of the doors was broken by myself when i was moving furniture. I paid \u00a3600 deposit.", + "question": "Can the landlord take money to replace the door from the deposit scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Within 30 days of getting their deposit, you must tell your tenants:

    ", + "
  • why you would keep some or all of the deposit - for example, because your tenants damaged the property and you need to fix it
  • " + ], + "id": "train-1875" + }, + { + "url": "https://www.gov.uk/deposit-protection-schemes-and-landlords", + "scenario": "When i moved into the property I gave the landlord a deposit but never received info on where this was kept. He didn't use the tenancy deposit scheme.", + "question": "Who can i go to regarding resolving this?", + "not_answerable": false, + "answers": [ + [ + "a county court", + [] + ] + ], + "evidences": [ + "

    You must place your tenants\u2019 deposit in a tenancy deposit protection (TDP) scheme if you rent out your home on an assured shorthold tenancy that started after 6 April 2007.

    ", + "

    Your tenants can apply to a county court if you do not use a tenancy deposit protection (TDP) scheme when you have to. They can do this at any time during the tenancy.

    " + ], + "id": "train-1876" + }, + { + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "scenario": "My brother was in the British army, he lived in the armed forces accommodation for 4 years.His wife too was a member of the armed forces.", + "question": "Can they use the time lived there for the discount?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Right to Buy allows most council tenants to buy their council home at a discount. Use the eligibility checker on the Own Your Home website to find out if you can apply.

    ", + "

    You can apply to buy your council home if:

    ", + "
  • you\u2019ve had a public sector landlord (for example, a council, housing association or NHS trust) for 3 years - it does not have to be 3 years in a row
  • ", + "

    You can make a joint application with:

    ", + "
  • up to 3 family members who\u2019ve lived with you for the past 12 months (even if they do not share your tenancy)
  • ", + "

    You can get a discount on the market value of your home when you buy it if you qualify for Right to Buy.

    ", + "

    The discount is based on:

    ", + "
  • how long you\u2019ve been a tenant with a public sector landlord
  • ", + "

    If you\u2019re buying with someone else, you count the years of whoever\u2019s been a public sector tenant the longest.

    ", + "

    You get a 35% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.

    ", + "

    You get a 50% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.

    " + ], + "id": "train-1877" + }, + { + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "scenario": "My Aunt lives in a self-contained council house . She has lived there with her young family for 5 years. She made an application to buy the house but her efforts were stopped by the council citing that it's ideal accommodation to house the elderly.", + "question": "Can she make an appeal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal to a tribunal if you\u2019re stopped from buying your home because it\u2019s suitable for housing elderly people.

    " + ], + "id": "train-1878" + }, + { + "url": "https://www.gov.uk/right-of-way-open-access-land", + "scenario": "I recently bought a building that comes with a substantial piece of land. It had been deserted for over ten years and people have been using the land to camp on, often making a mess.", + "question": "Do I have the legal right to turf people off my land if they have been using it freely for some long?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Access land includes mountains, moors, heaths and downs that are privately owned. It also includes common land registered with the local council and some land around the England Coast Path.

    ", + "

    There are certain activities you cannot usually do on open access land, including:

    ", + "
  • camping
  • " + ], + "id": "train-1879" + }, + { + "url": "https://www.gov.uk/right-of-way-open-access-land", + "scenario": "I am a keen rambler and have been using the same lanes and paths for years. Lately a homeowner has put up a barrier across a favourite path of mine which I know is public access. I have tried to talk to them but they refuse to remove it.", + "question": "What can I do about the fact that I am being illegally prevented from using a public path?", + "not_answerable": false, + "answers": [ + [ + "contact the local council to report a problem", + [] + ] + ], + "evidences": [ + "

    You can walk on all public rights of way.

    ", + "

    Contact the local council to report a problem, for example obstructions, poor maintenance or a misleading sign.

    " + ], + "id": "train-1880" + }, + { + "url": "https://www.gov.uk/changing-passport-information", + "scenario": "I am getting married. My surname will be changing to my husband's surname. I want to apply for a new passport before the ceremony.", + "question": "Will I be able to apply for a new passport before the wedding day?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.

    " + ] + ] + ], + "evidences": [ + "

    You can get a new passport in your new name either before or after the ceremony.

    ", + "

    You can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.

    " + ], + "id": "train-1881" + }, + { + "url": "https://www.gov.uk/changing-passport-information", + "scenario": "I was in a bad car accident that required surgery. My face is unrecognisable from the picture on my passport.", + "question": "Will I need to apply for a new passport?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:

    ", + "
  • your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)
  • " + ], + "id": "train-1882" + }, + { + "url": "https://www.gov.uk/hand-luggage-restrictions", + "scenario": "I am a mother who is taking a baby on a plane when we leave from the UK. I want to take frozen baby milk on holiday.", + "question": "Am I allowed to take this in the on-board luggage?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can carry breast milk in hand luggage even if you\u2019re not travelling with a baby. You cannot carry frozen breast milk in hand luggage.

    ", + " | Allowed in hand luggage | Allowed in hold luggage", + "Frozen breast milk | No | Yes" + ], + "id": "train-1883" + }, + { + "url": "https://www.gov.uk/hand-luggage-restrictions", + "scenario": "I am going on a performance to Spain from the UK. I am going to be taking my cello with me.", + "question": "Can I take it in my hand luggage?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Contact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.

    " + ] + ] + ], + "evidences": [ + "

    Contact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.

    " + ], + "id": "train-1884" + }, + { + "url": "https://www.gov.uk/intracompany-transfer-worker-visa", + "scenario": "I am applying for an intra-company visa outside the UK. My employer has transferred me to work in our UK branch office.", + "question": "How long does it take to get a decision after applying?", + "not_answerable": false, + "answers": [ + [ + "3 weeks", + [] + ], + [ + "get a faster decision", + [ + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    " + ] + ] + ], + "evidences": [ + "

    Once you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.

    ", + "

    If you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.

    " + ], + "id": "train-1885" + }, + { + "url": "https://www.gov.uk/intracompany-transfer-worker-visa", + "scenario": "My work colleague has been transferred to the UK branch office from Chile . He will be working as the branch manger for the next 5 years. He wants to make an application for an Intra-company visa.", + "question": "How much money for support should he have upon arriving in the UK?", + "not_answerable": false, + "answers": [ + [ + "\u00a31,270", + [] + ], + [ + "no", + [ + "
  • you\u2019ve been in the UK with a valid visa for 12 months or more
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • " + ] + ] + ], + "evidences": [ + "

    When you apply for an Intra-company visa, you\u2019ll need to have enough money to:

    ", + "
  • support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself when you arrive in the UK.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for 12 months or more
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • " + ], + "id": "train-1886" + }, + { + "url": "https://www.gov.uk/youth-mobility", + "scenario": "Mark is 27 years and lives in Taiwan. He has a degree in Mechanical Engineering. He wants to explore job opportunities in the UK. He is in the process of considering visa options so he can qualify.", + "question": "What is the age limit for one to apply Youth mobility scheme visa?", + "not_answerable": false, + "answers": [ + [ + "18 to 30", + [] + ] + ], + "evidences": [ + "

    You can apply for a Youth Mobility Scheme visa (T5) if you:

    ", + "
  • are aged 18 to 30
  • ", + "

    You can apply for a Youth Mobility Scheme visa (T5) if you\u2019re aged 18 to 30 and you\u2019re from:

    ", + "

    You must also be aged 18 to 30 on the date you apply for your visa.

    ", + "

    You can also apply if you\u2019re 18 to 30 and a:

    " + ], + "id": "train-1887" + }, + { + "url": "https://www.gov.uk/youth-mobility", + "scenario": "Ann is 25 years and lives in Australia. She wants to work in the UK and is in the process of compiling supporting documents to finalize her Youth Mobility visa application.", + "question": "How much amount of cash should Ann have in her bank account inorder to qualify for this visa?", + "not_answerable": false, + "answers": [ + [ + "\u00a32,530", + [] + ] + ], + "evidences": [ + "

    You can apply for a Youth Mobility Scheme visa (T5) if you:

    ", + "
  • have \u00a32,530 in savings
  • ", + "

    You must have at least \u00a32,530 in your bank account to show you can support yourself in the UK.

    " + ], + "id": "train-1888" + }, + { + "url": "https://www.gov.uk/hand-luggage-restrictions", + "scenario": "My husband is a frequent smoker and we will be travelling from Spain to the UK on a flight.He wants to carry his lighter.", + "question": "Where can he put his lighter?", + "not_answerable": false, + "answers": [ + [ + "a resealable plastic bag (like the ones used for liquids), which you must keep on you throughout the flight", + [] + ] + ], + "evidences": [ + "

    You can only carry 1 lighter on board. You should put it inside a resealable plastic bag (like the ones used for liquids), which you must keep on you throughout the flight. You cannot:

    " + ], + "id": "train-1889" + }, + { + "url": "https://www.gov.uk/hand-luggage-restrictions", + "scenario": "My Aunt lives in the UK and is physically disabled and would like to take a flight to Germany .She uses a wheelchair and would like to know more about motility aids.", + "question": "Which Motility aids are allowed in the cabin?", + "not_answerable": false, + "answers": [ + [ + "pushchairs", + [ + "

    Pushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.

    " + ] + ], + [ + "walking aids", + [ + "

    Pushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.

    " + ] + ], + [ + "wheelchairs", + [ + "

    Pushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.

    " + ] + ], + [ + "battery-powered wheelchairs", + [ + "

    For battery-powered wheelchairs or mobility aids check with your airline first.

    " + ] + ], + [ + "mobility aids", + [ + "

    For battery-powered wheelchairs or mobility aids check with your airline first.

    " + ] + ] + ], + "evidences": [ + "

    Pushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.

    ", + "

    For battery-powered wheelchairs or mobility aids check with your airline first.

    " + ], + "id": "train-1890" + }, + { + "url": "https://www.gov.uk/minister-of-religion-visa", + "scenario": "My friend John is in the UK on a Minister of Religion visa . He works as a church minister as a voluntary unpaid worker but wants to take a second job. He needs some information.", + "question": "What are the specified areas he can look for a second Job?", + "not_answerable": false, + "answers": [ + [ + "the same profession as your main job", + [ + "

    You can take a second job on this visa if you\u2019re working up to 20 hours a week in either:

    " + ] + ], + [ + "a profession on the skilled worker shortage occupation list", + [ + "

    You can take a second job on this visa if you\u2019re working up to 20 hours a week in either:

    " + ] + ], + [ + "unpaid voluntary work", + [] + ] + ], + "evidences": [ + "

    You can take a second job on this visa if you\u2019re working up to 20 hours a week in either:

    ", + "
  • the same profession as your main job
  • ", + "
  • a profession on the Skilled Worker shortage occupation list
  • ", + "

    You can also do unpaid voluntary work.

    " + ], + "id": "train-1891" + }, + { + "url": "https://www.gov.uk/minister-of-religion-visa", + "scenario": "My friend Marcus is in the process of compiling supporting documents to apply for a Minister of Religion visa. He renewed his passport last year 2020.", + "question": "Which documents can he use to show his past travel history?", + "not_answerable": false, + "answers": [ + [ + "a valid passport", + [] + ], + [ + "expired passports", + [] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a valid passport or other document that shows your identity and nationality - you need a blank page in your passport for your visa
  • ", + "
  • expired passports or travel documents if you need them to show your travel history
  • " + ], + "id": "train-1892" + }, + { + "url": "https://www.gov.uk/vat-retail-schemes", + "scenario": "My family runs a chain of supermarket stores and in most cases we file our taxes late due to improper Tax calculations and record keeping. We need a system which can calculate the VAT applied for goods at the time of sale.", + "question": "Which scheme identifies and records the VAT at the time of sale?", + "not_answerable": false, + "answers": [ + [ + "point of sale scheme", + [ + "

    You can use this scheme if you can identify the VAT rate for goods sold at the time of sale, eg you have an electronic till that does this for you.

    " + ] + ], + [ + "apportionment scheme", + [ + "

    You can only use this scheme if you buy goods for resale.

    ", + "

    Your turnover, excluding VAT, can\u2019t be more than \u00a31 million a year.

    " + ] + ] + ], + "evidences": [ + "

    VAT retail schemes can make calculating your VAT simpler. Instead of calculating the VAT for each sale you make, you do it once with each VAT return.

    ", + "

    There are 3 standard VAT retail schemes:

    ", + "
  • Point of Sale Scheme - you identify and record the VAT at the time of sale
  • ", + "
  • Apportionment Scheme - you buy goods for resale
  • ", + "

    You can use this scheme if you can identify the VAT rate for goods sold at the time of sale, eg you have an electronic till that does this for you.

    ", + "

    You can only use this scheme if you buy goods for resale.

    ", + "

    Your turnover, excluding VAT, can\u2019t be more than \u00a31 million a year.

    " + ], + "id": "train-1893" + }, + { + "url": "https://www.gov.uk/vat-retail-schemes", + "scenario": "I am a business owner and I have been using the VAT retail scheme to calculate VAT on goods sold. My business has grown and the turnover has exceeded \u00a3140 million.", + "question": "What am i supposed to do?", + "not_answerable": false, + "answers": [ + [ + "leave the scheme immediately", + [] + ] + ], + "evidences": [ + "

    You can leave a scheme at the end of any VAT period. If your turnover rises above \u00a3130 million you\u2019ll have to leave the scheme immediately.

    " + ], + "id": "train-1894" + }, + { + "url": "https://www.gov.uk/seasonal-worker-visa", + "scenario": "My Uncle lives in Romania and has received a job offer as a farm worker from a UK employer. He is in the process of applying for a seasonal work visa.", + "question": "If granted, how long will the visa last?", + "not_answerable": false, + "answers": [ + [ + "up to 6 months", + [] + ] + ], + "evidences": [ + "

    You can stay in the UK for up to 6 months.

    " + ], + "id": "train-1895" + }, + { + "url": "https://www.gov.uk/seasonal-worker-visa", + "scenario": "My seasonal work visa has been granted . I would like to work as a farm manager in the UK . I would also like to know what else I can do while in the UK.", + "question": "Whatelse can i do in the UK on a seasonal worker visa?", + "not_answerable": false, + "answers": [ + [ + "study", + [ + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • " + ] + ] + ], + "evidences": [ + "

    You can:

    ", + "
  • work in the job described in your certificate of sponsorship
  • ", + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • " + ], + "id": "train-1896" + }, + { + "url": "https://www.gov.uk/collective-group-passports", + "scenario": "Our school youth club is planning a trip to visit one of the EU countries for sightseeing and adventure. We want to apply for a collective group passport. We want to appoint a group leader.", + "question": "What is the recommended age to be a group leader?", + "not_answerable": false, + "answers": [ + [ + "21 or over", + [] + ] + ], + "evidences": [ + "

    The group leader and deputy leader must:

    ", + "
  • be aged 21 or over
  • " + ], + "id": "train-1897" + }, + { + "url": "https://www.gov.uk/collective-group-passports", + "scenario": "Our school orchestra band is planning a trip to Italy during the summer holiday. We wish to visit different historical sites and museums. We want to apply for a collective passport.", + "question": "How long does it take to get approved?", + "not_answerable": false, + "answers": [ + [ + "6 weeks", + [] + ] + ], + "evidences": [ + "

    It takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.

    ", + "

    It takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.

    " + ], + "id": "train-1898" + }, + { + "url": "https://www.gov.uk/uk-visa-sponsorship-employers", + "scenario": "I am employer who holds a licence for UK visa sponsorship. We have had a B rating once, and we are wondering whether we can get an A rating again.", + "question": "In what way do we go about getting an A rating?", + "not_answerable": false, + "answers": [ + [ + "follow an \u2018action plan\u2019 provided by uk visas and immigration (ukvi)", + [] + ], + [ + "pay \u00a31,476 for an action plan.", + [] + ], + [ + "pay the fee within 10 working days of the date ukvi tells you about the downgrade", + [] + ] + ], + "evidences": [ + "

    You need to follow an \u2018action plan\u2019 provided by UK Visas and Immigration (UKVI) to upgrade your licence.

    ", + "

    You have to pay \u00a31,476 for an action plan.

    ", + "

    You must pay the fee within 10 working days of the date UKVI tells you about the downgrade. If you do not, you\u2019ll lose your licence.

    " + ], + "id": "train-1899" + }, + { + "url": "https://www.gov.uk/uk-visa-sponsorship-employers", + "scenario": "I am an employer who is looking at applying for a licence to UK visa sponsorship. We are looking at what is required for a licence holder.", + "question": "What will happen if I failed to report the visa problems of my sponsored workers?", + "not_answerable": false, + "answers": [ + [ + "your licence may be downgraded, suspended or withdrawn", + [] + ] + ], + "evidences": [ + "

    You must:

    ", + "
  • tell UK Visas and Immigration (UKVI) if your sponsored workers are not complying with the conditions of their visa
  • ", + "

    Your licence may be downgraded, suspended or withdrawn if you do not meet them.

    ", + "

    You must have HR systems in place that let you:

    ", + "
  • report to UKVI if there is a problem, for example if your employee stops coming to work
  • " + ], + "id": "train-1900" + }, + { + "url": "https://www.gov.uk/uk-border-control", + "scenario": "I am travelling to the UK with my child. My child and I have different surnames. I have heard that I may need to prove my relationship with my child.", + "question": "What documents will I need to provide?", + "not_answerable": false, + "answers": [ + [ + "a birth or adoption certificate", + [] + ], + [ + "divorce or marriage certificates", + [ + "
  • divorce or marriage certificates if you\u2019re the parent but have a different surname from the child
  • " + ] + ], + [ + "a letter from the child\u2019s parent", + [ + "
  • a letter from the child\u2019s parent giving permission for the child to travel with you and providing contact details, if you\u2019re not the parent
  • " + ] + ] + ], + "evidences": [ + "

    You may be asked at the border to prove the relationship between yourself and any children travelling with you, if you do not seem to be the parent, for example if you have a different surname.

    ", + "

    You can prove this with:

    ", + "
  • a birth or adoption certificate showing your relationship with the child
  • ", + "
  • divorce or marriage certificates if you\u2019re the parent but have a different surname from the child
  • ", + "
  • a letter from the child\u2019s parent giving permission for the child to travel with you and providing contact details, if you\u2019re not the parent
  • " + ], + "id": "train-1901" + }, + { + "url": "https://www.gov.uk/uk-border-control", + "scenario": "I am travelling to the UK from India. I want to bring over \u20ac12,000 in cash and some products that I plan to sell in my business.", + "question": "Will I need to declare these items at customs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    What you can bring with you depends on where you\u2019re travelling from. You must declare to customs:

    ", + "
  • goods that you plan to sell
  • ", + "
  • more than \u20ac10,000 (or its equivalent) in cash, if you\u2019re coming from outside the EU
  • " + ], + "id": "train-1902" + }, + { + "url": "https://www.gov.uk/uk-family-visa", + "scenario": "I am a 32 year old who is planning to come to the UK on a family visa, along with my 10 year old son and 34 year old spouse. We have a combined income of \u00a320,000", + "question": "Is our income enough for us to be allowed to the UK on a family visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You might not need to prove you have extra money if your children are citizens of the EU, Iceland, Liechtenstein, Norway or Switzerland and they do not have pre-settled status or are not permanently settled in the UK. Check the guidance in appendix FM 1.7: financial requirement for more information.

    " + ] + ], + [ + "no", + [ + "
  • are not British or Irish citizens
  • ", + "
  • do not have pre-settled status
  • ", + "
  • are not permanently settled in the UK
  • " + ] + ] + ], + "evidences": [ + "

    You and your partner must have a combined income of at least \u00a318,600 a year if:

    ", + "
  • you\u2019re applying as a partner
  • ", + "

    You must prove you have extra money if you have children who:

    ", + "
  • are not British or Irish citizens
  • ", + "
  • do not have pre-settled status
  • ", + "
  • are not permanently settled in the UK
  • ", + "

    You might not need to prove you have extra money if your children are citizens of the EU, Iceland, Liechtenstein, Norway or Switzerland and they do not have pre-settled status or are not permanently settled in the UK. Check the guidance in appendix FM 1.7: financial requirement for more information.

    ", + "

    If you need to prove extra money for your children, you\u2019ll need to earn an extra:

    ", + "
  • \u00a33,800 for your first child
  • " + ], + "id": "train-1903" + }, + { + "url": "https://www.gov.uk/uk-family-visa", + "scenario": "My family and i have made an application for a visa to the UK. I have managed to collate all our documents and we all speak English as our first language. We are planning on staying in the UK for 32 days and i feel our income of \u00a354,000 per annum allows for this.", + "question": "Would we need to renew our visa during our stay?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You need a family visa to live with a family member in the UK for more than 6 months.

    " + ], + "id": "train-1904" + }, + { + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "scenario": "I am French former professional footballer, and I am completing a Sports Science doctoral degree at a UK University and have a student visa. I have been offered the job as coach of a local league football team.", + "question": "Can I switch to the Creative and Sporting visa?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can switch to a Temporary Worker - Creative and Sporting visa (T5) if you\u2019re in the UK on a Standard Visitor visa and your sponsor gave you a certificate of sponsorship for this visa before you came to the UK.

    " + ], + "id": "train-1905" + }, + { + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "scenario": "I am a stage manager from Chile and have a Temporary Worker - Creative and Sporting visa (T5). I work at a London theatre. I wish for my wife, who is still in Chile, to join me in the UK.", + "question": "Can my wife come to live with me whilst I am working in the UK under my current visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "
  • \u00a3285 for your partner
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • " + ] + ] + ], + "evidences": [ + "

    Your partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.

    ", + "

    A dependant partner or child is any of the following:

    ", + "
  • your husband, wife, civil partner or unmarried partner
  • ", + "

    You must be able to prove that either:

    ", + "
  • you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK
  • ", + "
  • you\u2019ve been living together in a relationship for at least 2 years when you apply
  • ", + "

    Your partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.

    ", + "

    You - or your partner or child - will need:

    ", + "
  • \u00a3285 for your partner
  • ", + "

    You - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when they apply, unless either:

    ", + "
  • your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship
  • " + ], + "id": "train-1906" + }, + { + "url": "https://www.gov.uk/religious-worker-visa", + "scenario": "I am a worker who has been offered a religious role in the UK. I have received a certificate of sponsorship for my religious worker visa application. I have \u00a315,000.", + "question": "Will this amount of savings be sufficient for my application?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    " + ], + "id": "train-1907" + }, + { + "url": "https://www.gov.uk/apply-first-adult-passport", + "scenario": "I have just turned 16 years old, so I am old enough to get an adult's passport. I currently have a British child's passport with three years left on it.", + "question": "Do I need to get an adult's passport now?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can use your child passport until it expires, even if you\u2019re over 18.

    " + ], + "id": "train-1908" + }, + { + "url": "https://www.gov.uk/apply-first-adult-passport", + "scenario": "I have turned 18 years old, and my child's passport has just expired. I am a British national who is looking to get an adult's passport. I would like to apply using a paper form.", + "question": "What are the costs involved with this application?", + "not_answerable": false, + "answers": [ + [ + "\u00a385", + [] + ] + ], + "evidences": [ + "

    It costs \u00a385. The booklet that comes with the form explains how to pay.

    " + ], + "id": "train-1909" + }, + { + "url": "https://www.gov.uk/skilled-worker-visa", + "scenario": "I am a doctor from the US who will be getting a job in the UK. The job will be in accounting, and I will receive a salary of \u00a350,000 per year.", + "question": "Will I be eligible for a Skilled Worker visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • work for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK
  • ", + "
  • do a job that\u2019s on the list of eligible occupations
  • ", + "
  • your job is eligible for this visa
  • ", + "
  • you\u2019ll be working for a UK employer that\u2019s been approved by the Home Office
  • ", + "

    You must have a job offer from an approved UK employer before you apply for a Skilled Worker visa. Approved employers are also known as sponsors, because they are sponsoring you to come to or stay in the UK.

    " + ] + ] + ], + "evidences": [ + "

    A Skilled Worker visa allows you to come to or stay in the UK to do an eligible job with an approved employer.

    ", + "

    To qualify for a Skilled Worker visa, you must:

    ", + "
  • work for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK
  • ", + "
  • do a job that\u2019s on the list of eligible occupations
  • ", + "
  • be paid a minimum salary - how much depends on the type of work you do
  • ", + "

    You must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.

    ", + "

    You must meet all of the following requirements to be eligible for a Skilled Worker visa:

    ", + "
  • your job is eligible for this visa
  • ", + "
  • you\u2019ll be working for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • you\u2019ll be paid at least the minimum salary for the type of work you\u2019ll be doing
  • ", + "

    The minimum salary for the type of work you\u2019ll be doing is whichever is the highest out of the following 3 options:

    ", + "
  • \u00a325,600 per year
  • ", + "

    You\u2019ll usually need to be paid at least \u00a325,600 per year or \u00a310.10 per hour, whichever is higher. If the \u2018going rate\u2019 for your job is higher than both of these, you\u2019ll usually need to be paid at least the going rate.

    ", + "

    You must have a job offer from an approved UK employer before you apply for a Skilled Worker visa. Approved employers are also known as sponsors, because they are sponsoring you to come to or stay in the UK.

    ", + "

    You\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.

    ", + "

    You must prove you can read, write, speak and understand English to at least level B1 on the Common European Framework of Reference for Languages (CEFR) scale.

    ", + "

    You do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • USA
  • " + ], + "id": "train-1910" + }, + { + "url": "https://www.gov.uk/skilled-worker-visa", + "scenario": "I have been offered a job as a surgeon in the UK and I am planning to move from China. I am eligible for a Skilled Worker visa but it's not on the shortage occupation list. I do not know the cost.", + "question": "How much does it cost to apply for the visa?", + "not_answerable": false, + "answers": [ + [ + "\u00a3610 per person", + [ + "

    If you\u2019re applying from outside the UK, the standard fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3610 per person
  • " + ] + ], + [ + "\u00a31,220 per person", + [ + "

    If you\u2019re applying from outside the UK, the standard fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • more than 3 years - \u00a31,220 per person
  • " + ] + ], + [ + "\u00a3704 per person", + [ + "

    If you\u2019re applying from inside the UK to extend, switch or update your visa, the standard fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3704 per person
  • " + ] + ], + [ + "\u00a31,408 per person", + [ + "

    If you\u2019re applying from inside the UK to extend, switch or update your visa, the standard fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • more than 3 years - \u00a31,408 per person
  • " + ] + ] + ], + "evidences": [ + "

    When you apply for a Skilled Worker visa, you\u2019ll need to have enough money to:

    ", + "
  • pay the application fee - the standard fee ranges from \u00a3610 to \u00a31,408 depending on your circumstances
  • ", + "

    If you\u2019re applying from outside the UK, the standard fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3610 per person
  • ", + "
  • more than 3 years - \u00a31,220 per person
  • ", + "

    If you\u2019re applying from inside the UK to extend, switch or update your visa, the standard fee depends on whether you\u2019ll be in the UK for:

    ", + "
  • up to 3 years - \u00a3704 per person
  • ", + "
  • more than 3 years - \u00a31,408 per person
  • " + ], + "id": "train-1911" + }, + { + "url": "https://www.gov.uk/intracompany-transfer-worker-visa", + "scenario": "I am a German citizen and I work for Microsoft. I have been offered the opportunity to relocate permanently to the UK but I am not sure what steps to take.", + "question": "Do I need an intra company visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    An Intra-company visa allows you to come to or stay in the UK to do an eligible job at your employer\u2019s UK branch.

    ", + "

    Otherwise you need a visa to work in the UK.

    ", + "

    With an Intra-company visa you can:

    ", + "
  • work for your sponsor in the job described in your certificate of sponsorship
  • " + ], + "id": "train-1912" + }, + { + "url": "https://www.gov.uk/intracompany-transfer-worker-visa", + "scenario": "I am a 25 year old Australian who has been working in the UK for Starbucks for six months, having previously worked for the same company in Australia three or more years ago.", + "question": "Is it too late for me to apply for an intra company visa as there was a gap between my working for this company in the two countries?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1913" + }, + { + "url": "https://www.gov.uk/minister-of-religion-visa", + "scenario": "I am a minister from the US who has been offered a position in the UK. I am fluent in English. I have enough \u00a38,000 in savings to support myself during my time in the UK.", + "question": "Will I be eligible for a Minister of Religion visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you\u2019ve been offered a job within a faith community (for example as a minister of religion, missionary, or member of a religious order) in the UK
  • ", + "
  • you meet the other eligibility requirements
  • ", + "
  • have a certificate of sponsorship for your job
  • ", + "
  • show you can travel and your travel history over the last 5 years
  • ", + "
  • have tuberculosis test results if you\u2019re from a listed country
  • ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    " + ] + ] + ], + "evidences": [ + "

    You can apply for a Minister of Religion visa (T2) if:

    ", + "
  • you\u2019ve been offered a job within a faith community (for example as a minister of religion, missionary, or member of a religious order) in the UK
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    You need to be employed by a licensed sponsor to apply to live in the UK.

    ", + "

    You need to:

    ", + "
  • have a certificate of sponsorship for your job
  • ", + "
  • prove your knowledge of English
  • ", + "
  • have personal savings so you can support yourself when you arrive in the UK
  • ", + "
  • show you can travel and your travel history over the last 5 years
  • ", + "
  • have tuberculosis test results if you\u2019re from a listed country
  • ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You may need to prove your knowledge of the English language when you apply.

    ", + "

    You will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:

    ", + "
  • USA
  • " + ], + "id": "train-1914" + }, + { + "url": "https://www.gov.uk/uk-visa-sponsorship-employers", + "scenario": "We are a UK recruitment agency and we are currently recruiting employees from In and outside the UK. We provide licenses of sponsorship to the qualified employees.", + "question": "Where can we find groups that do not need a licence of sponsorship?", + "not_answerable": false, + "answers": [ + [ + "irish citizens", + [] + ], + [ + "those with settled or pre-settled status under the eu settlement scheme", + [] + ], + [ + "those with indefinite leave to remain in the uk", + [] + ] + ], + "evidences": [ + "

    You will not need a licence to sponsor certain groups, for example:

    ", + "
  • Irish citizens
  • ", + "
  • those with settled or pre-settled status under the EU Settlement Scheme
  • ", + "
  • those with indefinite leave to remain in the UK
  • " + ], + "id": "train-1915" + }, + { + "url": "https://www.gov.uk/uk-visa-sponsorship-employers", + "scenario": "I am a UK licensed employer . Covid pandemic has affected my business in the last 18 months and I have made a lot of losses. I can't sustain or retain my employees whom I had sponsored for their work visa.", + "question": "In the current situation, what are the business changes should i report to the UKVI?", + "not_answerable": false, + "answers": [ + [ + "stop trading or become insolvent", + [] + ] + ], + "evidences": [ + "

    You must report any significant changes in your own circumstances within 20 working days, for example if you:

    ", + "
  • stop trading or become insolvent
  • " + ], + "id": "train-1916" + }, + { + "url": "https://www.gov.uk/start-up-visa", + "scenario": "I have what I consider to be a fantastic idea for a start up and would like to move to the UK (from France) in order to give this a try. I am pretty sure that my idea has never been tried before.", + "question": "Assuming that I get permission for the start up visa, how long can I stay in the UK for before my business is a success?", + "not_answerable": false, + "answers": [ + [ + "2 years", + [] + ] + ], + "evidences": [ + "

    You can stay for 2 years if you either:

    ", + "
  • come to the UK on a Start-up visa
  • " + ], + "id": "train-1917" + }, + { + "url": "https://www.gov.uk/start-up-visa", + "scenario": "My partner, myself and my son have been in the UK for eighteen months whilst my partner works as a contractor here on a seasonal worker visa. I have recently had what I believe is an innovative business idea which we can fund for ourselves. We are very keen on this idea and think it could work very well.", + "question": "We want to switch our visa status to that of start up visa but do not know if this is possible in our situation. Is it?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You might be able to apply to change (\u2018switch\u2019) to a Start-up visa if you\u2019re already in the UK on a different type of visa.

    ", + "

    You can apply to switch to this visa if you meet the eligibility requirements.

    ", + "

    You cannot switch to this visa if you have one of the following:

    ", + "
  • a seasonal worker visa
  • " + ], + "id": "train-1918" + }, + { + "url": "https://www.gov.uk/vat-record-keeping", + "scenario": "I started a business 5 months ago and sell lots of products, I have sold over \u00a390,000 worth of products.", + "question": "Do I have to store my VAT digitally?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "
  • your business uses the VAT GIANT service, for example if you\u2019re a government department or an NHS Trust
  • ", + "
  • you apply for an exemption
  • " + ] + ] + ], + "evidences": [ + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    If your taxable turnover is more than \u00a385,000, you must keep a digital record of anything that\u2019s needed for your VAT Return.

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019 by keeping some records digitally, unless:

    ", + "
  • your business uses the VAT GIANT service, for example if you\u2019re a government department or an NHS Trust
  • ", + "
  • you apply for an exemption
  • " + ], + "id": "train-1919" + }, + { + "url": "https://www.gov.uk/vat-record-keeping", + "scenario": "I currently own multiple businesses but have yet to make money from any of my businesses, I do not sell a lot of product.", + "question": "How do I store my VAT", + "not_answerable": false, + "answers": [ + [ + "\u2018making tax digital for vat\u2019", + [ + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    If your taxable turnover is more than \u00a385,000, you must keep a digital record of anything that\u2019s needed for your VAT Return.

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019 by keeping some records digitally, unless:

    ", + "

    You can choose to sign up to Making Tax Digital for VAT if your business earns less than \u00a385,000.

    ", + "

    You must sign up for \u2018Making Tax Digital for VAT\u2019 if your taxable turnover is more than \u00a385,000, so you can:

    " + ] + ], + [ + "on paper", + [] + ], + [ + "electronically", + [] + ], + [ + "as part of a software program", + [] + ] + ], + "evidences": [ + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    You can keep VAT records on paper, electronically or as part of a software program (such as book-keeping software). Records must be accurate, complete and readable.

    ", + "

    If your taxable turnover is more than \u00a385,000, you must keep a digital record of anything that\u2019s needed for your VAT Return.

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.

    ", + "

    VAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019 by keeping some records digitally, unless:

    ", + "

    You can choose to sign up to Making Tax Digital for VAT if your business earns less than \u00a385,000.

    ", + "

    You must sign up for \u2018Making Tax Digital for VAT\u2019 if your taxable turnover is more than \u00a385,000, so you can:

    " + ], + "id": "train-1920" + }, + { + "url": "https://www.gov.uk/skilled-worker-visa", + "scenario": "I am a Greek citizen and am working in a skilled occupation. I have been offered work in a similar occupation in the UK, which would be starting in three months from now.", + "question": "would I be eligible to get a skilled worker's visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • work for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK
  • ", + "
  • do a job that\u2019s on the list of eligible occupations
  • ", + "
  • be paid a minimum salary - how much depends on the type of work you do
  • ", + "

    You must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.

    " + ] + ] + ], + "evidences": [ + "

    To qualify for a Skilled Worker visa, you must:

    ", + "
  • work for a UK employer that\u2019s been approved by the Home Office
  • ", + "
  • have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK
  • ", + "
  • do a job that\u2019s on the list of eligible occupations
  • ", + "
  • be paid a minimum salary - how much depends on the type of work you do
  • ", + "

    You must have a confirmed job offer before you apply for your visa.

    ", + "

    You must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.

    " + ], + "id": "train-1921" + }, + { + "url": "https://www.gov.uk/skilled-worker-visa", + "scenario": "I have recently been told that I have been grated a skilled worker's visa because of my high level of skills in woodwork and carpentry. I feel completely bewildered by the paperwork and documents required of me, however, and am feeling inclined to cancel the whole thing.", + "question": "where can I some help with the paperwork required here?", + "not_answerable": false, + "answers": [ + [ + "home office checker tool", + [] + ] + ], + "evidences": [ + "

    If you\u2019ve read the guidance and you\u2019re not sure if you\u2019re eligible, you can use a Home Office checker tool. You\u2019ll be asked to confirm that you meet all of the eligibility requirements.

    " + ], + "id": "train-1922" + }, + { + "url": "https://www.gov.uk/family-permit", + "scenario": "I am a single EEU citizen who has been living here with my father for the last five years. My father recently died and I am now worried about my immigration status as I have no other relatives here and do not have residency myself.", + "question": "what can I do about it?", + "not_answerable": false, + "answers": [ + [ + "apply for an eu settlement scheme family permit", + [] + ] + ], + "evidences": [ + "

    You may be able to apply for an EU Settlement Scheme family permit if you previously had a right to reside in the UK either:

    ", + "
  • as the family member of an EU, EEA, Swiss citizen
  • ", + "

    You can apply if you lived continuously in the UK as their family member for at least one year immediately before their death.

    " + ], + "id": "train-1923" + }, + { + "url": "https://www.gov.uk/government-authorised-exchange", + "scenario": "My friend Lucy is a nurse by profession, she lives and works in Jamaica. She has been selected to come to the UK and work for a period of 5 months in a UK hospital under the authorized Jamaica Nursing Exchange. She is considering staying at the hospital after the completion of this exchange program.", + "question": "Is she allowed to do so?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot:

    ", + "
  • take a permanent job
  • " + ], + "id": "train-1924" + }, + { + "url": "https://www.gov.uk/uk-border-control", + "scenario": "I am travelling to the UK from a non EU country.I am an Investor and would like to meet my UK clients and discuss business ventures.", + "question": "How much much money should i declare?", + "not_answerable": false, + "answers": [ + [ + "\u20ac10,000 (or its equivalent)", + [] + ] + ], + "evidences": [ + "

    What you can bring with you depends on where you\u2019re travelling from. You must declare to customs:

    ", + "
  • more than \u20ac10,000 (or its equivalent) in cash, if you\u2019re coming from outside the EU
  • " + ], + "id": "train-1925" + }, + { + "url": "https://www.gov.uk/uk-border-control", + "scenario": "I am travelling to the UK from United States with my 5 years old niece. She had gone to visit her grandmother and had a short stay.", + "question": "What do i expect to be asked at the border ?", + "not_answerable": false, + "answers": [ + [ + "to prove the relationship between yourself and any children travelling with you", + [ + "

    You may be asked at the border to prove the relationship between yourself and any children travelling with you, if you do not seem to be the parent, for example if you have a different surname.

    " + ] + ] + ], + "evidences": [ + "

    You may be asked at the border to prove the relationship between yourself and any children travelling with you, if you do not seem to be the parent, for example if you have a different surname.

    " + ], + "id": "train-1926" + }, + { + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "scenario": "My friend Blanca is looking for an unpaid voluntary job in a homeless charity in the UK. She plans to apply for a charity work visa. She wants to know the visa limitations.", + "question": "What are the other requirements of jobs she can\u2019t do with charity work visa in the UK?", + "not_answerable": false, + "answers": [ + [ + "take a permanent job", + [] + ], + [ + "get public funds", + [] + ] + ], + "evidences": [ + "

    You cannot:

    ", + "
  • receive any payment for work
  • ", + "
  • take a permanent job
  • ", + "
  • get public funds
  • " + ], + "id": "train-1927" + }, + { + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "scenario": "Dina wants to invite her family to the UK. She is in possession of a Charity work visa.", + "question": "Who fits as a dependant child?", + "not_answerable": false, + "answers": [ + [ + "your child under 18 - including if they were born in the uk during your stay", + [] + ], + [ + "your child over 18", + [ + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • " + ] + ], + [ + "child is 16 or over", + [ + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • " + ] + ] + ], + "evidences": [ + "

    A dependant partner or child is any of the following:

    ", + "
  • your child under 18 - including if they were born in the UK during your stay
  • ", + "
  • your child over 18 if they\u2019re currently in the UK as your dependant
  • ", + "

    If your child is 16 or over

    ", + "

    They must:

    ", + "
  • live with you (unless they\u2019re in full-time education at boarding school, college or university)
  • ", + "
  • not be married, in a civil partnership or have any children
  • ", + "
  • be financially supported by you
  • " + ], + "id": "train-1928" + }, + { + "url": "https://www.gov.uk/healthcare-immigration-application", + "scenario": "I am a Bangladeshi national who is currently applying for indefinite leave to remain in the UK as part of a family reunion scheme. I have no dependants and will be living with my brother in Slough initially.", + "question": "Is it possible to use the NHS without paying the IHS?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll be able to use the NHS without paying the surcharge or getting a reference number if:

    ", + "
  • you\u2019re applying for indefinite leave to enter or remain
  • " + ], + "id": "train-1929" + }, + { + "url": "https://www.gov.uk/healthcare-immigration-application", + "scenario": "I am a 21 year old Spanish national who is applying for a 3-year student visa to study for a degree at a UK University. I've calculated that I will have to pay the sum of \u00a31410 for IHS surcharges in addition to my visa processing fee, which seems rather a lot to have to pay in one go.", + "question": "Do I have to pay the surcharge before I can complete my visa application?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you apply for a visa online, you pay the surcharge as part of the application.

    ", + "

    If you apply for a visa by post, you must pay the surcharge online before you send your application. You\u2019ll need to include your IHS reference number on the application form.

    ", + "

    Your visa or immigration application will be turned down if you do not pay the full amount in this time.

    " + ], + "id": "train-1930" + }, + { + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "scenario": "I have a child that is 10 years old and a student. I have enough money to support my child and myself in the UK. I would like to move to the UK.", + "question": "Will I be able to get a child student visa?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can only apply for a Parent of a Child Student visa if your child has or is applying for a Child Student visa. Or if they currently have a Tier 4 (Child) visa.

    " + ], + "id": "train-1931" + }, + { + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "scenario": "My child, who is 9 years old, is eligible for a child student visa. I am about to apply for the parent of a child student visa to stay with my child for a year in the UK.", + "question": "What documents are needed to apply for this visa?", + "not_answerable": false, + "answers": [ + [ + "a certified translation of any documents", + [ + "
  • a certified translation of any documents that are not in English or Welsh
  • " + ] + ], + [ + "your tuberculosis (tb) test results", + [ + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test
  • " + ] + ], + [ + "evidence that you have a permanent home outside the uk", + [] + ], + [ + "proof that you have enough money to support yourself and your child", + [ + "
  • proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa
  • " + ] + ], + [ + "a current passport or other valid travel document", + [] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel document
  • ", + "
  • proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa
  • ", + "
  • evidence that you have a permanent home outside the UK
  • ", + "

    Depending on your circumstances, you might also need to provide:

    ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test
  • ", + "
  • a certified translation of any documents that are not in English or Welsh
  • " + ], + "id": "train-1932" + }, + { + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "scenario": "My friend Mark is a music artist from Malta and has been invited to the UK to do a paid performance for 1 week. He also wants to take that opportunity and visit his Aunt who lives in London.", + "question": "How long does Permitted Paid Engagement visa last?", + "not_answerable": false, + "answers": [ + [ + "1 month", + [] + ] + ], + "evidences": [ + "

    You can stay in the UK for up to 1 month.

    ", + "

    You must show that:

    ", + "
  • you\u2019re visiting the UK for no more than 1 month
  • " + ], + "id": "train-1933" + }, + { + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "scenario": "Charlie lives outside the UK and wants to come to the UK to attend a science conference. He is one of the event's guest speakers. He wants to apply for a permitted paid Engagements visa.", + "question": "How much does it cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a395", + [] + ] + ], + "evidences": [ + "

    A Permitted Paid Engagement visa costs \u00a395.

    " + ], + "id": "train-1934" + }, + { + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "scenario": "I am a person who is looking to work at a charity in the UK with an annual income of \u00a323,000. I am looking at my eligibility for the Charity Worker visa. I have a certificate of sponsorship and \u00a35,000 in savings.", + "question": "Am I eligible for the Charity Worker visa?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply for a Temporary Worker - Charity Worker visa (T5) if:

    ", + "
  • you want to do unpaid voluntary work for a charity
  • ", + "

    You cannot:

    ", + "
  • receive any payment for work
  • " + ], + "id": "train-1935" + }, + { + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "scenario": "I have a Charity Worker visa and currently live in the UK. I am looking to extend my stay from the original six months.", + "question": "For how long can I extend my visa?", + "not_answerable": false, + "answers": [ + [ + "up to a maximum of 12 months", + [ + "

    You can apply to take your stay in the UK up to a maximum of 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ] + ], + [ + "the time on your certificate of sponsorship plus 14 days", + [ + "

    You can apply to take your stay in the UK up to a maximum of 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ] + ] + ], + "evidences": [ + "

    You can apply to extend your Temporary Worker - Charity Worker visa (T5).

    ", + "

    You can apply to take your stay in the UK up to a maximum of 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ], + "id": "train-1936" + }, + { + "url": "https://www.gov.uk/changing-passport-information", + "scenario": "I have just completed transitioning from male to female. My appearance has also changed a significant amount in the eight years since my passport picture was last taken.", + "question": "Do I have to have a new passport picture taken?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:

    ", + "
  • your gender
  • ", + "
  • your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)
  • " + ], + "id": "train-1937" + }, + { + "url": "https://www.gov.uk/changing-passport-information", + "scenario": "I am a thirty year old woman and I am due to be married next year. I will be changing my name when I do. We will go on honeymoon the day after the wedding. The reservation was made under my new name.", + "question": "Can I change the name on my passport after I go?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can get a new passport in your new name either before or after the ceremony.

    ", + "

    The name on your passport must match the one you use when you book your travel.

    ", + "

    Get a new passport after the ceremony

    ", + "

    Send your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.

    " + ], + "id": "train-1938" + }, + { + "url": "https://www.gov.uk/collective-group-passports", + "scenario": "My friends and I have just finished our A Levels and want to go to Europe for a few days to unwind. Some of us have personal passports but most do not. At least five of us would need a collective passport", + "question": "Is five too many people to travel on one collective passport?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The passport is not for families but for groups such as:

    ", + "
  • schools and sixth form colleges
  • ", + "

    You can have between 5 and 50 children on a group passport. If there are more than 50 in the group, you can split the group and apply for 2 or more passports.

    " + ], + "id": "train-1939" + }, + { + "url": "https://www.gov.uk/collective-group-passports", + "scenario": "Some colleagues and I have a collective passport and had intended to go to Prague for the weekend soon. Now one of our members has dropped out.", + "question": "Is it necessary to amend the passport now that one member is not coming with us anymore?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Check your passport when it arrives for mistakes. Children cannot travel if they\u2019re not on the passport.

    " + ], + "id": "train-1940" + }, + { + "url": "https://www.gov.uk/uk-family-visa", + "scenario": "My 71 year old father is coming to live with me for 6 months in the UK. He does not speak English very well. I heard that a test is needed to be done.", + "question": "Will my father need to prove he can speak English?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may need to prove your knowledge of the English language when you apply.

    ", + "

    You do not need to prove your knowledge of English or take a test if one of the following is true:

    ", + "
  • you\u2019re over 65
  • " + ], + "id": "train-1941" + }, + { + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "scenario": "I am a 37 year old planning on visiting the UK for 6 weeks. I have \u00a310,000 in savings and a valid passport.", + "question": "Am I eligible for a Permitted Paid Engagement visa?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can stay in the UK for up to 1 month.

    ", + "

    You must show that:

    ", + "
  • you\u2019re 18 or over
  • ", + "
  • you\u2019re visiting the UK for no more than 1 month
  • ", + "
  • you\u2019re able to support yourself during your trip (or have funding from someone else to support you)
  • ", + "
  • you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)
  • " + ], + "id": "train-1942" + }, + { + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "scenario": "i've been invited to the UK for 3 weeks. I'm 33 and my younger brother would love to join me. he's never been to the UK before and it would be lovely for him.", + "question": "Can I bring my brother along with my application?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot:

    ", + "
  • bring family members (\u2018dependants\u2019) with you on your application - they must apply separately
  • " + ], + "id": "train-1943" + }, + { + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "scenario": "I am a US citizen and my nine year old son has been offered a place at an Independent school in the UK. I am willing to spend a year in th UK with him. We are financially solvent.", + "question": "My child has a visa already but I need a parent of child visa. Am I eligible?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • be the only parent accompanying your child in the UK
  • ", + "
  • maintain your main home outside the UK
  • ", + "

    To be eligible for a Parent of a Child Student visa you must be the only parent accompanying your child in the UK. The child\u2019s other parent must live abroad, and cannot apply to join you in the UK.

    " + ] + ] + ], + "evidences": [ + "

    You can only apply for a Parent of a Child Student visa if your child has or is applying for a Child Student visa. Or if they currently have a Tier 4 (Child) visa.

    ", + "

    Your child must be aged between 4 and 11 when you apply, and be attending an independent school in the UK.

    ", + "

    You must also:

    ", + "
  • be the only parent accompanying your child in the UK
  • ", + "
  • have enough money to support yourself and your child in the UK
  • ", + "
  • maintain your main home outside the UK
  • ", + "
  • plan to leave the UK when your visa expires
  • ", + "

    To be eligible for a Parent of a Child Student visa you must be the only parent accompanying your child in the UK. The child\u2019s other parent must live abroad, and cannot apply to join you in the UK.

    " + ], + "id": "train-1944" + }, + { + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "scenario": "My daughter and I will be spending two years in the UK starting next year. We have all the documents to apply for our visas but we want to know if there will be any hurdles to overcome", + "question": "Are there hidden fees associated with the application process?", + "not_answerable": false, + "answers": [ + [ + "\u00a3516", + [ + "

    A Parent of a Child Student visa costs \u00a3516.

    " + ] + ], + [ + "\u00a3624 per year", + [ + "

    You\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3624 per year.

    " + ] + ] + ], + "evidences": [ + "

    When you apply for a Parent of a Child Student visa, you must:

    ", + "
  • pay the application fee
  • ", + "
  • pay the healthcare surcharge for each year of your stay
  • ", + "
  • prove that you have enough money to support yourself and your child while you\u2019re in the UK
  • ", + "

    A Parent of a Child Student visa costs \u00a3516.

    ", + "

    You\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3624 per year.

    " + ], + "id": "train-1945" + }, + { + "url": "https://www.gov.uk/vat-retail-schemes", + "scenario": "I have just bought a new item of clothing and think I have been overcharged by the business. I need to find out how VAT is calculated.", + "question": "How much VAT should I have been charged?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1946" + }, + { + "url": "https://www.gov.uk/government-authorised-exchange", + "scenario": "I am applying for an authorised exchange visa. I am looking to do some training in the UK, which is provided by my employer. I have been provided with a certificate of sponsorship, but I have heard I need to have savings.", + "question": "What amount of savings do I need to move to the UK for this visa?", + "not_answerable": false, + "answers": [ + [ + "\u00a31,270", + [ + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    " + ] + ], + [ + "no", + [ + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • " + ] + ] + ], + "evidences": [ + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    ", + "

    You\u2019ll usually need to show proof of this when you apply, unless either:

    ", + "
  • you\u2019ve been in the UK with a valid visa for at least 12 months
  • ", + "
  • your employer can cover your costs during your first month in the UK, up to \u00a31,270
  • " + ], + "id": "train-1947" + }, + { + "url": "https://www.gov.uk/government-authorised-exchange", + "scenario": "I want to move to the UK to do some work experience. I have a certificate of sponsorship and \u00a315,000 in savings. I am looking to apply for the authorised exchange visa", + "question": "What length of time would I be able to work in the UK?", + "not_answerable": false, + "answers": [ + [ + "12 months", + [ + "

    You can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    You can also stay for the length of time on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ] + ], + [ + "the length of time on your certificate of sponsorship plus 14 days", + [ + "

    You can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    You can also stay for the length of time on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ] + ] + ], + "evidences": [ + "

    You can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    ", + "

    You can apply to stay in the UK for up to a maximum of:

    ", + "
  • 12 months, if you\u2019re doing work experience
  • ", + "

    You can also stay for the length of time on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ], + "id": "train-1948" + }, + { + "url": "https://www.gov.uk/youth-mobility", + "scenario": "I am eighteen and live in the EU. I have recently left school and want to spend a year living and hopefully working in the UK. I have some savings but I do not have enough to support myself for a year. I am not sure what kind of work I would like to undertake.", + "question": "Are there restrictions on what I could do in the UK in my circumstances and if so what are they?", + "not_answerable": false, + "answers": [ + [ + "work in most jobs", + [] + ], + [ + "be self-employed and set up a company", + [ + "
  • be self-employed and set up a company - as long as your premises are rented, your equipment is not worth more than \u00a35,000 and you do not have any employees
  • " + ] + ] + ], + "evidences": [ + "

    You can:

    ", + "
  • work in most jobs
  • ", + "
  • be self-employed and set up a company - as long as your premises are rented, your equipment is not worth more than \u00a35,000 and you do not have any employees
  • " + ], + "id": "train-1949" + }, + { + "url": "https://www.gov.uk/youth-mobility", + "scenario": "I am 30 and currently live in the UK with a Youth Mobility Scheme visa. I will be turning to 31 in the next month and I am wondering if I will have to leave the country. My visa won't expire until next year.", + "question": "Do I need to leave the country before I turning to 31?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you turn 31 while you\u2019re in the UK, you can stay for as long as your visa is valid.

    " + ], + "id": "train-1950" + }, + { + "url": "https://www.gov.uk/start-up-visa", + "scenario": "I am 26 and planning on applying for a start-up visa for my new business in the UK. I speak fluent English. I have a valid passport but all the pages are full.", + "question": "Can I use my current passport for my application?", + "not_answerable": false, + "answers": [ + [ + "no", + [ + "
  • from outside the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it
  • " + ] + ] + ], + "evidences": [ + "

    You\u2019ll need a blank page in your passport for your visa if you\u2019re:

    ", + "
  • from outside the EU, Switzerland, Norway, Iceland or Liechtenstein
  • ", + "
  • from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it
  • " + ], + "id": "train-1951" + }, + { + "url": "https://www.gov.uk/start-up-visa", + "scenario": "I'm a 32 year old Australian looking to apply for a start-up visa in the UK. I have \u00a33500 in my account and it has been there for 26 consecutive days.", + "question": "Can i apply for my visa yet?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You need to have had at least \u00a31270 in your bank account for 28 consecutive days before you apply, or if you\u2019ve been in the UK for less than a year and applying to switch to this visa.

    " + ], + "id": "train-1952" + }, + { + "url": "https://www.gov.uk/apply-first-adult-passport", + "scenario": "I am seventeen and a half and am planning on travelling to Europe with school friends shortly after I turn eighteen. I have never held an adult passport, however, and my passport photo is very out of date.", + "question": "What's the procedure for getting an adult passport online?", + "not_answerable": false, + "answers": [ + [ + "start your application", + [] + ], + [ + "ask someone to confirm your identity", + [] + ], + [ + "send your documents", + [] + ], + [ + "attend an interview", + [ + "

    After you apply, you may be asked to attend an interview.

    " + ] + ] + ], + "evidences": [ + "

    Start your application

    ", + "

    Apply and pay for your passport online.

    ", + "

    Ask someone to confirm your identity

    ", + "

    After you\u2019ve paid and submitted your application, you\u2019ll need to ask someone to confirm your identity.

    ", + "

    Send your documents

    ", + "

    After the person you asked has confirmed your identity, you\u2019ll receive an email explaining what documents you need to send and where to send them.

    ", + "

    After you apply, you may be asked to attend an interview.

    " + ], + "id": "train-1953" + }, + { + "url": "https://www.gov.uk/apply-first-adult-passport", + "scenario": "I am in the process, at the age of twenty one, of getting my first adult passport, not having needed one prior to now. As I am in a new location in the UK, however, I do not know how to find somone to verify my identity", + "question": "What sort of people can countersign my application?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1954" + }, + { + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "scenario": "I am a musician, who is well known for his game music. I am looking to move to the UK to work for a video game's company. I have \u00a312,000 in savings, and I will be earning \u00a340,000 for the five months of work.", + "question": "Will I be eligible for a Creative and Sporting visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you meet the other eligibility requirements
  • ", + "

    You need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.

    ", + "

    The work you do in the UK must relate to the work of your sponsor organisation.

    ", + "
  • certificate of sponsorship reference number
  • ", + "
  • be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)
  • ", + "

    You need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.

    " + ] + ] + ], + "evidences": [ + "

    You must apply for a Temporary Worker - Creative and Sporting visa (T5) if:

    ", + "
  • you\u2019ve been offered work in the UK as a sports person or creative worker
  • ", + "
  • you meet the other eligibility requirements
  • ", + "

    A creative worker is someone who works in the creative industry, for example an actor, dancer, musician or film crew member.

    ", + "

    You need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.

    ", + "

    The work you do in the UK must relate to the work of your sponsor organisation.

    ", + "

    You need all of the following to be eligible for the creative category:

    ", + "
  • make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity
  • ", + "
  • certificate of sponsorship reference number
  • ", + "
  • be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)
  • ", + "
  • enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)
  • ", + "

    You need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.

    ", + "

    You must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.

    ", + "

    You will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.

    " + ], + "id": "train-1955" + }, + { + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "scenario": "I currently hold a Creative and Sporting visa. I live in the UK and work as an actor for a film company. Filming has been extended by two months due to delays.", + "question": "For how long can I extend my visa?", + "not_answerable": false, + "answers": [ + [ + "up to 12 months", + [ + "

    You can extend your visa for whichever is the shortest of:

    " + ] + ], + [ + "the time on your certificate of sponsorship plus 14 days", + [ + "

    You can extend your visa for whichever is the shortest of:

    " + ] + ], + [ + "the time needed to extend your stay to the maximum of 24 months", + [ + "

    You can extend your visa for whichever is the shortest of:

    " + ] + ] + ], + "evidences": [ + "

    You can extend your visa for whichever is the shortest of:

    ", + "
  • up to 12 months
  • ", + "
  • the time on your certificate of sponsorship plus 14 days
  • ", + "
  • the time needed to extend your stay to the maximum of 24 months
  • " + ], + "id": "train-1956" + }, + { + "url": "https://www.gov.uk/vat-record-keeping", + "scenario": "I own and manage a chain of garages, offering both fuel and car maintenance and repair services. We have been VAT registered for just over four years, and have now signed up for Making Tax Digital. We are in the process of making the necessary adjustments to our VAT record keeping.", + "question": "How do we go about linking our accounts software to the HMRC system, so that our digital records can be uploaded?", + "not_answerable": false, + "answers": [ + [ + "using formulas to link cells in spreadsheets", + [] + ], + [ + "emailing records", + [] + ], + [ + "putting records on a portable device to give to your agent", + [] + ], + [ + "importing and exporting xml and csv files", + [] + ], + [ + "downloading and uploading files", + [] + ] + ], + "evidences": [ + "

    If you use more than one software package to keep records and submit returns, you need to link them.

    ", + "

    Some ways you can link your software include:

    ", + "
  • using formulas to link cells in spreadsheets
  • ", + "
  • emailing records
  • ", + "
  • putting records on a portable device to give to your agent
  • ", + "
  • importing and exporting XML and CSV files
  • ", + "
  • downloading and uploading files
  • " + ], + "id": "train-1957" + }, + { + "url": "https://www.gov.uk/vat-record-keeping", + "scenario": "I am the finance director of a medium-sized software consulting firm based in Oxford, UK. Because of our diverse client base (medical, healthcare, retail etc) we have to charge a variety of different VAT rates on our services, and the intangible nature of our product can make it difficult to precisely determine the timing of their supply.", + "question": "Is the tax point (time of supply) for VAT on consulting services just the date of the invoice?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "VAT invoice issued | Date of invoice" + ] + ], + [ + "no", + [ + "VAT invoice issued 15 days or more after the date of supply | Date the supply took place", + "Payment or invoice issued in advance of supply | Date of payment or invoice (whichever is earlier)", + "

    If you use the VAT Cash Accounting Scheme, the tax point is always the date the payment is received.

    " + ] + ] + ], + "evidences": [ + "

    The tax point (or \u2018time of supply\u2019) for a transaction is the date the transaction takes place for VAT purposes.

    ", + "Situation | Tax point", + "VAT invoice issued | Date of invoice", + "VAT invoice issued 15 days or more after the date of supply | Date the supply took place", + "Payment or invoice issued in advance of supply | Date of payment or invoice (whichever is earlier)", + "

    The date of supply is:

    ", + "
  • for services - the date the work is finished
  • ", + "

    If you use the VAT Cash Accounting Scheme, the tax point is always the date the payment is received.

    " + ], + "id": "train-1958" + }, + { + "url": "https://www.gov.uk/family-permit", + "scenario": "I am an EU National living in France. I married my British husband and lived together in France since March 2019. I am planning to apply for a family permit to live together in the UK.", + "question": "What is the deadline of applying for an EEA family permit?", + "not_answerable": false, + "answers": [ + [ + "30 june 2021", + [] + ] + ], + "evidences": [ + "

    The EEA family permit is ending on 30 June 2021. You will not be able to apply for one or use it to travel to the UK after then, even if the expiry date on it is later. To come to the UK after 30 June 2021, you might be able to apply for an EU Settlement Scheme family permit.

    " + ], + "id": "train-1959" + }, + { + "url": "https://www.gov.uk/family-permit", + "scenario": "I was granted a pre settled status in the UK under the European settlement scheme in 2020. I would like to undertake further studies, work and settle in the UK permanently.", + "question": "How long can the pre settled status last?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1960" + }, + { + "url": "https://www.gov.uk/healthcare-immigration-application", + "scenario": "I am travelling to UK using a visitor visa. I want to have healthcare included with this visa that I have applied for.", + "question": "Do I need to pay for healthcare on top of the visa?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not need to pay if you\u2019re applying for a visitor visa or to remain in the UK permanently.

    ", + "

    You do not need to pay the surcharge or get an IHS reference number if you\u2019re applying for a:

    ", + "
  • visitor visa
  • " + ], + "id": "train-1961" + }, + { + "url": "https://www.gov.uk/healthcare-immigration-application", + "scenario": "I am migrating to the UK for 5 months. I am looking to add UK healthcare to my visa, but I do not know the costs.", + "question": "What costs should I expect to pay for adding healthcare?", + "not_answerable": false, + "answers": [ + [ + "half of the yearly amount", + [ + "
  • \u00a3470 per year for a student or Youth Mobility Scheme visa, for example \u00a3940 for a 2-year visa
  • ", + "
  • \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application
  • ", + "
  • \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa
  • " + ] + ] + ], + "evidences": [ + "

    You\u2019ll have to pay:

    ", + "
  • \u00a3470 per year for a student or Youth Mobility Scheme visa, for example \u00a3940 for a 2-year visa
  • ", + "
  • \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application
  • ", + "
  • \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa
  • ", + "

    You\u2019ll pay half of the yearly amount if your application includes part of a year that is less than 6 months.

    " + ], + "id": "train-1962" + }, + { + "url": "https://www.gov.uk/seasonal-worker-visa", + "scenario": "I have a temporary job offer in the UK. I appear to be eligible for the Seasonal Worker Visa. I am now looking to apply for this visa.", + "question": "What documents do I need to provide to apply?", + "not_answerable": false, + "answers": [ + [ + "your certificate of sponsorship reference number", + [] + ], + [ + "a valid passport or other document that shows your identity and nationality", + [] + ], + [ + "evidence that you have enough personal savings to support yourself in the uk", + [ + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your sponsor can support you)
  • " + ] + ], + [ + "a certified translation of any documents that are not in english or welsh, apart from your passport.", + [] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your sponsor will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your sponsor can support you)
  • ", + "

    You must also provide a certified translation of any documents that are not in English or Welsh, apart from your passport.

    " + ], + "id": "train-1963" + }, + { + "url": "https://www.gov.uk/apply-first-adult-passport", + "scenario": "Marcus is a 30 years old British citizen who wants to travel abroad with a UK passport . He wishes to spend over 5 years but doesn't want his passport to expire while abroad.", + "question": "How long does it last?", + "not_answerable": false, + "answers": [ + [ + "10 years", + [] + ] + ], + "evidences": [ + "

    An adult passport is valid for 10 years.

    " + ], + "id": "train-1964" + }, + { + "url": "https://www.gov.uk/apply-first-adult-passport", + "scenario": "Nathan is 20 years British national . He wants to go for a holiday with a UK passport in United states. He wants to apply online and pay the fee.", + "question": "Can it he apply online?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re in the UK, you can either:

    ", + "
  • apply online - it costs \u00a375.50
  • ", + "

    Apply and pay for your passport online.

    " + ], + "id": "train-1965" + }, + { + "url": "https://www.gov.uk/collective-group-passports", + "scenario": "My son is a British national aged 16 years old.He is a member of a local youth orchestra group and are planning a trip to Spain for sightseeing and some adventures for 14 days.", + "question": "Can he use a school photo for group passport application?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • a school photo - as long as it does not have \u2018proof\u2019 written across it
  • " + ] + ] + ], + "evidences": [ + "

    Each application must include:

    ", + "
  • a collective passport photo identity card for each child
  • ", + "

    You can use:

    ", + "
  • a school photo - as long as it does not have \u2018proof\u2019 written across it
  • " + ], + "id": "train-1966" + }, + { + "url": "https://www.gov.uk/collective-group-passports", + "scenario": "I am the leader of our scout group. I am a British national aged 24 years and live in the UK. We are planning for a trip to France for summer break and would like to apply for a collective passport. Our members are aged between 14 - 17 years.", + "question": "How much does it cost to apply for a collective passport?", + "not_answerable": false, + "answers": [ + [ + "\u00a339", + [] + ] + ], + "evidences": [ + "

    A collective passport costs \u00a339.

    ", + "
  • Send the paper copy with the \u00a339 fee and supporting documents to Collective Passport Applications.
  • ", + "

    Include a cheque for \u00a339, payable to \u2018Her Majesty\u2019s Passport Office\u2019, or pay by credit or debit card using the card payment form - use capital letters to fill in the form.

    " + ], + "id": "train-1967" + }, + { + "url": "https://www.gov.uk/hand-luggage-restrictions", + "scenario": "Jane has a 9 Months old baby and is traveling by flight to Spain for a family visit. She wants to know which liquids are allowed in the hand luggage.", + "question": "Can unfozen milk be put in the hand luggage bag?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Individual containers of breast milk must hold no more than 2,000ml. Each container will need to be screened at the security point. Airport staff might need to open the containers to screen the liquids.

    ", + "Breast milk | Yes, in containers up to 2,000ml | Yes" + ] + ] + ], + "evidences": [ + "

    You can carry breast milk in hand luggage even if you\u2019re not travelling with a baby. You cannot carry frozen breast milk in hand luggage.

    ", + "

    Individual containers of breast milk must hold no more than 2,000ml. Each container will need to be screened at the security point. Airport staff might need to open the containers to screen the liquids.

    ", + "Breast milk | Yes, in containers up to 2,000ml | Yes" + ], + "id": "train-1968" + }, + { + "url": "https://www.gov.uk/hand-luggage-restrictions", + "scenario": "My friend Mark is a German national and an IT specialist. He wishes to spend a few weeks in England. He works online and wants to carry his laptop and tablet devices .", + "question": "Can he put them in his hand luggage bag?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can only take certain electronic devices and electrical items on flights to the UK.

    ", + "Laptop | Yes | Yes", + "Tablet devices | Yes | Yes" + ], + "id": "train-1969" + }, + { + "url": "https://www.gov.uk/vat-record-keeping", + "scenario": "My UK business is VAT registered and I want to ensure that I capture all the VAT records. I want to know all the documents I should keep for VAT purposes.", + "question": "What records should I keep?", + "not_answerable": false, + "answers": [ + [ + "copies of all invoices you issue", + [] + ], + [ + "all invoices you receive", + [] + ], + [ + "self-billing agreements", + [] + ], + [ + "name, address and vat number of any self-billing suppliers", + [] + ], + [ + "debit or credit notes", + [] + ] + ], + "evidences": [ + "

    Records you must keep include:

    ", + "
  • copies of all invoices you issue
  • ", + "
  • all invoices you receive (originals or electronic copies)
  • ", + "
  • self-billing agreements - this is where the customer prepares the invoice
  • ", + "
  • name, address and VAT number of any self-billing suppliers
  • ", + "
  • debit or credit notes
  • ", + "
  • import and export records
  • ", + "
  • records of items you cannot reclaim VAT on - for example business entertainment
  • ", + "
  • records of any goods you give away or take from stock for your private use
  • ", + "
  • records of all the zero-rated, reduced or VAT exempt items you buy or sell
  • ", + "
  • a VAT account
  • ", + "

    You must also keep general business records such as bank statements, cash books, cheque stubs, paying-in slips and till rolls.

    ", + "

    If you use the Cash Accounting Scheme you must use these records to match them against your payment records and receipts.

    ", + "

    If you supply digital services in the EU and use VAT MOSS, you must keep additional records.

    ", + "

    HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.

    " + ], + "id": "train-1970" + }, + { + "url": "https://www.gov.uk/vat-record-keeping", + "scenario": "My business is UK VAT registered and I follow the rules for making TAX digital for VAT. I usually keep records of zero-rated goods", + "question": "Do we need to issue an invoices for zero rated sales?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not need to issue a VAT invoice if:

    ", + "
  • your invoice is only for exempt or zero-rated sales within the UK
  • " + ], + "id": "train-1971" + }, + { + "url": "https://www.gov.uk/changing-passport-information", + "scenario": "I applied for my newborn baby's UK passport but her name is slightly misspelt and I want it corrected .", + "question": "Can i apply for the error correction?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can:

    ", + "
  • change the spelling of your name slightly - for example, Jane to Jayne
  • ", + "
  • change the order of your forenames
  • ", + "
  • remove middle names
  • " + ], + "id": "train-1972" + }, + { + "url": "https://www.gov.uk/changing-passport-information", + "scenario": "My husband and I are getting married. We are planning to have our marriage ceremony soon and would like to change my surname to match his. We also want to travel before the ceremony.", + "question": "Can I apply for the new passport?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.

    ", + "

    Your old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.

    " + ], + "id": "train-1973" + }, + { + "url": "https://www.gov.uk/uk-border-control", + "scenario": "I am a British national in Pakistan and travelling to the UK under a health and care worker visa. I have been double vaccinated against covid 19 virus. I would like to know the Covid rules and restrictions in England because Pakistan is currently on the red list.", + "question": "What's the rule in England?", + "not_answerable": false, + "answers": [ + [ + "you must quarantine in a hotel and take 2 covid-19 tests", + [] + ] + ], + "evidences": [ + "

    If you\u2019re travelling to England, what you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:

    ", + "
  • red list - you must quarantine in a hotel and take 2 COVID-19 tests
  • ", + "

    You cannot currently enter the UK if you\u2019ve been in or through a country on the red list unless you\u2019re British, Irish or you have the right to live in the UK.

    ", + "

    You must follow these rules even if you have been vaccinated.

    " + ], + "id": "train-1974" + }, + { + "url": "https://www.gov.uk/uk-border-control", + "scenario": "My niece will be coming to the UK under a student visa this month from the United States. She has been double vaccinated and It will be her first time to travel during the covid pandemic.", + "question": "What documents should be shown at the Heathrow Airport?", + "not_answerable": false, + "answers": [ + [ + "your passport or identity card", + [] + ], + [ + "your proof of a negative coronavirus (covid-19) test", + [] + ], + [ + "your passenger locator form", + [] + ] + ], + "evidences": [ + "

    You\u2019ll need to show:

    ", + "
  • your passport or identity card
  • ", + "
  • your proof of a negative coronavirus (COVID-19) test
  • ", + "
  • your passenger locator form
  • " + ], + "id": "train-1975" + }, + { + "url": "https://www.gov.uk/vat-retail-schemes", + "scenario": "My family owns a supermarket store which handles a big number of customers. We need a VAT retail scheme which can make work easier by identifying the VAT rate at the time of sale.", + "question": "How should I calculate the VAT?", + "not_answerable": false, + "answers": [ + [ + "add up all the sales for each vat rate for the vat return period.", + [] + ], + [ + "for 20% rated goods, divide the sales by 6. for 5% rated goods, divide the sales by 21.", + [] + ] + ], + "evidences": [ + "

    How to calculate your VAT

    ", + "
  • Add up all the sales for each VAT rate for the VAT return period.
  • ", + "
  • For 20% rated goods, divide the sales by 6. For 5% rated goods, divide the sales by 21.
  • " + ], + "id": "train-1976" + }, + { + "url": "https://www.gov.uk/vat-retail-schemes", + "scenario": "My father is a business trader and owns a corner store . He plans to use the Point of sale scheme in his business in order to make work easier for him to calculate VAT. He wants to gather more information on how it works.", + "question": "Can he get an example of a workout on how POS scheme calculates VAT?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1977" + }, + { + "url": "https://www.gov.uk/healthcare-immigration-application", + "scenario": "My friend Lisa is a doctor by profession from the United States.She is eligible for a heath and care work visa. She wants to compile documents and pay all the needed fees.", + "question": "Doe she need to pay for a healthcare surcharge ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You might need to pay a healthcare surcharge (called the \u2018immigration health surcharge\u2019 or IHS) as part of your immigration application.

    ", + "

    Whether you need to pay depends on the immigration status you\u2019re applying for.

    ", + "

    You\u2019ll be able to use the NHS without paying the surcharge or getting a reference number if:

    ", + "
  • you\u2019re a health and care worker who is eligible for a Health and Care Worker visa (or you\u2019re their dependant)
  • " + ], + "id": "train-1978" + }, + { + "url": "https://www.gov.uk/healthcare-immigration-application", + "scenario": "I am in the process of applying for my skilled work visa UK . I want to work as a teacher in a UK school.It is indicated that I should pay a health surcharge so that I can access medical treatment while in the UK.", + "question": "How much is the health surcharge fee?", + "not_answerable": false, + "answers": [ + [ + "\u00a3470 per year", + [ + "
  • \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application
  • " + ] + ], + [ + "\u00a3624 per year", + [ + "
  • \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa
  • " + ] + ] + ], + "evidences": [ + "

    You\u2019ll have to pay:

    ", + "
  • \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application
  • ", + "
  • \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa
  • " + ], + "id": "train-1979" + }, + { + "url": "https://www.gov.uk/registered-traveller", + "scenario": "I am a UK registered traveller from Botswana and I have 30 days left on my membership. I want to add my son to my Registered traveller membership .", + "question": "Is it possible?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • be 17 or under
  • ", + "
  • have an eligible passport
  • ", + "
  • have a visa or entry clearance, if they\u2019re not applying as a visitor
  • " + ] + ] + ], + "evidences": [ + "

    You can apply to add your children to your Registered Traveller membership if you have 29 days or more left on it.

    ", + "

    Your child must:

    ", + "
  • be 17 or under
  • ", + "
  • have an eligible passport
  • ", + "
  • have a visa or entry clearance, if they\u2019re not applying as a visitor
  • " + ], + "id": "train-1980" + }, + { + "url": "https://www.gov.uk/registered-traveller", + "scenario": "I am in France and I possess a registered traveller membership. I would like to travel to the UK faster via train.", + "question": "Which are the Eurostar terminals use Registered travellers services?", + "not_answerable": false, + "answers": [ + [ + "brussels", + [] + ], + [ + "lille", + [] + ], + [ + "paris", + [] + ] + ], + "evidences": [ + "

    You can use the service at the following Eurostar terminals:

    ", + "
  • Brussels
  • ", + "
  • Lille
  • ", + "
  • Paris
  • " + ], + "id": "train-1981" + }, + { + "url": "https://www.gov.uk/lay-offs-short-timeworking", + "scenario": "I am 25 and have only been in my retail job for five months. I have just been told that there is not enough work for all of the employees and so I am being put on short time. I am unhappy about this as I can't pay my rent now.", + "question": "Is it legal for my employer to have done this?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your employer can ask you to stay at home or take unpaid leave if there\u2019s not enough work for you.

    " + ], + "id": "train-1982" + }, + { + "url": "https://www.gov.uk/lay-offs-short-timeworking", + "scenario": "I have been in my job for over a decade and was always previously satisfied with my working conditions and employer. Recently I have been put on short hours though and this is making me angry. I am thinking of quitting my job.", + "question": "What are my rights if I resign over this issue?", + "not_answerable": false, + "answers": [ + [ + "get redundancy pay", + [] + ] + ], + "evidences": [ + "

    You must resign to get redundancy pay. The timing is crucial - you have 3 weeks to hand in your notice, starting from:

    " + ], + "id": "train-1983" + }, + { + "url": "https://www.gov.uk/bfpo", + "scenario": "I'd like to send a present for my son who is serving in Germany. I Have the BFPO number. I know some items are restricted but I'd love to send him a bottle of scotch.", + "question": "What will happen if I send restricted items to my son?", + "not_answerable": false, + "answers": [ + [ + "your whole parcel may be delayed or returned to you", + [] + ] + ], + "evidences": [ + "

    If you send these items, your whole parcel may be delayed or returned to you.

    " + ], + "id": "train-1984" + }, + { + "url": "https://www.gov.uk/bfpo", + "scenario": "I'd like to send a message to my nephew who is in Germany. I have heard the INtouch service is no longer available.", + "question": "What is the replacement to the INtouch service please?", + "not_answerable": false, + "answers": [ + [ + "enduring families free mail service (effms)", + [] + ] + ], + "evidences": [ + "

    You can send letters using the enduring families free mail service (EFFMS).

    " + ], + "id": "train-1985" + }, + { + "url": "https://www.gov.uk/industrial-action-strikes", + "scenario": "I am a 21 year old factory worker and have been in my job for four months. My supervisor is wanting to call a strike for better pay. My co workers are going to strike but I am afraid that I will be sacked if I join as I've been there so short a time.", + "question": "Are there any potential penalities likely to be taken against me if I participate in industrial action?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You could be dismissed for taking part in industrial action if:

    ", + "
  • the union hasn\u2019t held a properly organised ballot
  • ", + "
  • the union hasn\u2019t given the employer the correct notice for balloting members or taking action
  • ", + "
  • the union hasn\u2019t called its members to take action because they think the dispute is settled or action is called by someone who doesn\u2019t have the authority to do so
  • ", + "
  • it\u2019s in support of workers taking action against another employer (otherwise known as \u2018sympathy\u2019 or \u2018secondary\u2019 action)
  • ", + "
  • it\u2019s in support of only employing union members (otherwise known as a \u2018closed shop\u2019)
  • ", + "
  • it breaks any other parts of industrial action law
  • " + ] + ] + ], + "evidences": [ + "

    If you take industrial action, you\u2019ll probably have broken (be \u2018in breach of\u2019) your employment contract and your employer:

    ", + "
  • is unlikely to pay for the work you didn\u2019t do when you took industrial action
  • ", + "
  • can sue you for breaking your contract (this doesn\u2019t happen often)
  • ", + "

    You can\u2019t be dismissed for industrial action if:

    ", + "
  • it\u2019s called as a result of a properly organised ballot
  • ", + "
  • it\u2019s about a trade dispute between workers and their employer (eg about your terms and conditions)
  • ", + "
  • a detailed notice about the industrial action (which is legally required) has been given to the employer at least 7 days before it begins
  • ", + "

    You could be dismissed for taking part in industrial action if:

    ", + "
  • the union hasn\u2019t held a properly organised ballot
  • ", + "
  • the union hasn\u2019t given the employer the correct notice for balloting members or taking action
  • ", + "
  • the union hasn\u2019t called its members to take action because they think the dispute is settled or action is called by someone who doesn\u2019t have the authority to do so
  • ", + "
  • it\u2019s in support of workers taking action against another employer (otherwise known as \u2018sympathy\u2019 or \u2018secondary\u2019 action)
  • ", + "
  • it\u2019s in support of only employing union members (otherwise known as a \u2018closed shop\u2019)
  • ", + "
  • it breaks any other parts of industrial action law
  • ", + "

    If you take part in industrial action that breaks the regulations and you\u2019re dismissed, you can\u2019t usually claim unfair dismissal if all employees taking part are dismissed as well.

    " + ], + "id": "train-1986" + }, + { + "url": "https://www.gov.uk/industrial-action-strikes", + "scenario": "I run a small business and have been badly hit by Covid. As a result I have had to cut the hours that most of my employees work. Some of them are now threatening industrial action to have their full time hours restored.", + "question": "What are my rights as an employer given that I simply cannot afford to pay full time wages anymore?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1987" + }, + { + "url": "https://www.gov.uk/registered-traveller", + "scenario": "I've visited the UK 5 times already this year from Australia and hate waiting around at the airport to be seen by border control. I used to use the Registered Traveller service but can't anymore.", + "question": "Is there another way to speed up my entry into the UK?", + "not_answerable": false, + "answers": [ + [ + "epassport gates", + [] + ] + ], + "evidences": [ + "

    You can no longer use the Registered Traveller service if you\u2019re from Australia, Canada, Japan, New Zealand, Singapore, South Korea or the United States. You may be able to use the ePassport gates instead.

    " + ], + "id": "train-1988" + }, + { + "url": "https://www.gov.uk/registered-traveller", + "scenario": "Myself and my Husband are Registered Travellers from North America. We have visited the UK many times before and have just applied for our visas. I had a baby last year.", + "question": "Is it possible to add children onto our Registered Travellers membership?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You can apply to add your children to your Registered Traveller membership if you have 29 days or more left on it.

    ", + "
  • have an eligible passport
  • ", + "
  • have a visa or entry clearance, if they\u2019re not applying as a visitor
  • " + ] + ] + ], + "evidences": [ + "

    You can apply to add your children to your Registered Traveller membership if you have 29 days or more left on it.

    ", + "

    Your child must:

    ", + "
  • be 17 or under
  • ", + "
  • have an eligible passport
  • ", + "
  • have a visa or entry clearance, if they\u2019re not applying as a visitor
  • " + ], + "id": "train-1989" + }, + { + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "scenario": "I fled from my home country of Somalia earlier this year and have applied for indefinite permission to remain on Humanitarian grounds but my request has been refused and I am distraught", + "question": "What can I do? I really do not want to return to Somalia.", + "not_answerable": false, + "answers": [ + [ + "stay in the uk for 3 more years", + [] + ] + ], + "evidences": [ + "

    If you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.

    " + ], + "id": "train-1990" + }, + { + "url": "https://www.gov.uk/new-state-pension", + "scenario": "I am one month away from reaching state pension age. I have received an invitation letter to claim my state pension. I do not know when I will get paid.", + "question": "What is the payment schedule for State Pension?", + "not_answerable": false, + "answers": [ + [ + "your first payment will be within 5 weeks of reaching state pension age", + [] + ], + [ + "every 4 weeks", + [] + ] + ], + "evidences": [ + "

    The new State Pension is usually paid every 4 weeks into an account of your choice. You\u2019re paid in arrears (for the last 4 weeks, not the coming 4 weeks).

    ", + "

    Your first payment will be within 5 weeks of reaching State Pension age. You\u2019ll get a full payment every 4 weeks after that.

    " + ], + "id": "train-1991" + }, + { + "url": "https://www.gov.uk/new-state-pension", + "scenario": "I am a man who was born on the 20th June 1958. I have been paying national insurance contributions, and I have the maximum qualifying years.", + "question": "What amount of pension will I receive?", + "not_answerable": false, + "answers": [ + [ + "\u00a3179.60 per week", + [] + ], + [ + "the amount can be higher", + [ + "
  • you have over a certain amount of Additional State Pension
  • ", + "
  • you defer (delay) taking your State Pension
  • " + ] + ] + ], + "evidences": [ + "

    The full new State Pension is \u00a3179.60 per week.

    ", + "

    The actual amount you get depends on your National Insurance record.

    ", + "

    The only reasons the amount can be higher are if:

    ", + "
  • you have over a certain amount of Additional State Pension
  • ", + "
  • you defer (delay) taking your State Pension
  • " + ], + "id": "train-1992" + }, + { + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "scenario": "I am looking to apply for settlement in the UK. I have Turkish nationality, and I moved to the UK with the Turkish Worker visa. I appear to meet all the eligibility specifications, so I am ready to apply.", + "question": "What are the costs involved with an application for settlement?", + "not_answerable": false, + "answers": [ + [ + "\u00a32,389", + [] + ], + [ + "\u00a319.20 to have your biometric information (fingerprints and a photo) taken", + [] + ] + ], + "evidences": [ + "

    The application fee is \u00a32,389.

    ", + "

    You also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.

    " + ], + "id": "train-1993" + }, + { + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "scenario": "I have lived in the UK with my husband for six years, who has a Turkish Businessperson visa. I have met the language and English knowledge requirements. I am dependant on my husband. I want to apply for indefinite stay with my husband.", + "question": "Will I be able to apply for indefinite leave to remain?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • have met the knowledge of language and Life in the UK test
  • " + ] + ] + ], + "evidences": [ + "

    You can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:

    ", + "
  • Turkish Businessperson visa
  • ", + "

    Your family members (\u2018dependants\u2019) can also apply for settlement.

    ", + "

    Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:

    ", + "
  • your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 5 years before applying to settle)
  • ", + "

    If your partner is applying for indefinite leave to remain, they must:

    ", + "
  • have been granted leave as your dependant
  • ", + "
  • have lived in the UK with you for a continuous period of 5 years
  • ", + "
  • have met the knowledge of language and Life in the UK test
  • " + ], + "id": "train-1994" + }, + { + "url": "https://www.gov.uk/understanding-your-pay", + "scenario": "I have recently started a part time job with variable hours and the potential for some full time work. I do not know if I am eligible to pay tax on my earnings or not or if so whether it will be deducted automatically", + "question": "If my weekly pay exceeds the limit for not paying tax, will tax be deducted at source?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-1995" + }, + { + "url": "https://www.gov.uk/understanding-your-pay", + "scenario": "I have recently resigned from my full time job at a local boutique. I was told I had nine days of holiday pay due to me and I would have that added to my final pay packet. I feel that I have been underpaid, but I am not totally confident of that.", + "question": "Who should I talk to to find out if I have been cheated without having to confront my employer?", + "not_answerable": false, + "answers": [ + [ + "acas (advisory, conciliation and arbitration service), citizens advice or your trade union representative", + [] + ] + ], + "evidences": [ + "

    You can get help to calculate a week\u2019s pay from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.

    ", + "

    Speak to your employer first to try to sort out the problem informally.

    ", + "

    If this does not work, talk to Acas (Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.

    ", + "

    You have the right to go to an Employment Tribunal to get your money.

    " + ], + "id": "train-1996" + }, + { + "url": "https://www.gov.uk/redundancy-your-rights", + "scenario": "I have been working as a manager in a fast food restaurant for the past eighteen months. I have an exemplary employment record and yet I have just been informed that I have been made redundant with very little notice.", + "question": "I want to protest this. What can I do?", + "not_answerable": false, + "answers": [ + [ + "write to your employer explaining the reasons", + [] + ], + [ + "make a claim to an employment tribunal", + [] + ] + ], + "evidences": [ + "

    You can appeal if you feel that you\u2019ve been unfairly selected. Write to your employer explaining the reasons.

    ", + "

    You may be able to make a claim to an employment tribunal for unfair dismissal.

    " + ], + "id": "train-1997" + }, + { + "url": "https://www.gov.uk/redundancy-your-rights", + "scenario": "I have been employed by the same company for thirty years and am now in my fifties. I have been informed that the company wants to find people who are prepared to accept voluntary redundancy but I know very little about this process.", + "question": "What is in it for me if I go for voluntary redundancy?", + "not_answerable": false, + "answers": [ + [ + "an early retirement package", + [] + ] + ], + "evidences": [ + "

    However, an early retirement package (for certain age groups) could be one element of a voluntary redundancy offer open to all employees.

    " + ], + "id": "train-1998" + }, + { + "url": "https://www.gov.uk/redundancy-your-rights", + "scenario": "I am 30 years old and have been working full time in a food processing company for 5 years. I would like to claim for a statutory redundancy pay.", + "question": "How much can i claim?", + "not_answerable": false, + "answers": [ + [ + "one week\u2019s pay for each full year", + [] + ] + ], + "evidences": [ + "

    You\u2019ll normally be entitled to statutory redundancy pay if you\u2019re an employee and you\u2019ve been working for your current employer for 2 years or more.

    ", + "

    You\u2019ll get:

    ", + "
  • one week\u2019s pay for each full year you were 22 or older, but under 41
  • ", + "

    Your weekly pay is the average you earned per week over the 12 weeks before the day you got your redundancy notice.

    ", + "

    If you were paid less than usual because you were \u2018on furlough\u2019 because of coronavirus, your redundancy pay is based on what you would have earned normally.

    ", + "

    If you were made redundant on or after 6 April 2021, your weekly pay is capped at \u00a3544 and the maximum statutory redundancy pay you can get is \u00a316,320. If you were made redundant before 6 April 2021, these amounts will be lower.

    " + ], + "id": "train-1999" + }, + { + "url": "https://www.gov.uk/redundancy-your-rights", + "scenario": "My friend John has been working full time in a transport company for over 20 years and his employer wants to give him a statutory redundancy notice period.", + "question": "What is the duration of his statutory redundancy notice period?", + "not_answerable": false, + "answers": [ + [ + "12 weeks", + [] + ] + ], + "evidences": [ + "

    You must be given a notice period before your employment ends.

    ", + "

    The statutory redundancy notice periods are:

    ", + "
  • 12 weeks\u2019 notice if employed for 12 years or more
  • " + ], + "id": "train-2000" + }, + { + "url": "https://www.gov.uk/financial-assistance-mobilised-service", + "scenario": "I am a reservist in the army reserves. I have applied for financial assistance, but I have just been declined. Two days have past, and I would like to appeal this decision.", + "question": "When can I make an appeal?", + "not_answerable": false, + "answers": [ + [ + "within 5 days of you getting the decision letter", + [] + ] + ], + "evidences": [ + "

    You can appeal to the Reserve Forces Appeal Tribunals (RFAT) if your claim for financial assistance has been turned down.

    ", + "

    The tribunal must receive your appeal within 5 days of you getting the decision letter or your application will be rejected.

    " + ], + "id": "train-2001" + }, + { + "url": "https://www.gov.uk/financial-assistance-mobilised-service", + "scenario": "I am an army reservist. I have just appealed a decision that refused me financial assistance. I have heard nothing back about my appeal.", + "question": "What information will I receive if my appeal will be heard?", + "not_answerable": false, + "answers": [ + [ + "a case name", + [] + ], + [ + "a case number", + [] + ], + [ + "an address for sending any further letters and documents to the tribunal", + [] + ], + [ + "a hearing date", + [] + ] + ], + "evidences": [ + "

    You\u2019ll be told straight away when your appeal has been received.

    ", + "

    You\u2019ll also be given:

    ", + "
  • a case name
  • ", + "
  • a case number
  • ", + "
  • an address for sending any further letters and documents to the tribunal
  • ", + "
  • a hearing date
  • " + ], + "id": "train-2002" + }, + { + "url": "https://www.gov.uk/appeal-first-tier-asylum-support-tribunal", + "scenario": "I have an appeal going ahead and i am wondering about it. English is not my first language and I am scared.", + "question": "Can I get some support with my English at the oral hearing?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll present your case to the judge - someone else can do this for you, for example a lawyer, friend or family member. The Home Office will present the case against you.

    ", + "

    The tribunal will provide you with an interpreter if you\u2019ve asked for one. They can translate what happens during the tribunal but they cannot represent you or give you legal advice.

    " + ], + "id": "train-2003" + }, + { + "url": "https://www.gov.uk/contact-jobcentre-plus", + "scenario": "I am 30 and have just been made unemployed from the job I had had for the past eight years. This is my first time needing to apply for benefits and I do not have any idea what I should do.", + "question": "How can I contact Jobcentre Plus to apply for JSA?", + "not_answerable": false, + "answers": [ + [ + "write to your nearest office", + [] + ], + [ + "call jobcentre plus", + [] + ], + [ + "claim jobseeker\u2019s allowance online", + [] + ] + ], + "evidences": [ + "

    You can contact Jobcentre Plus about:

    ", + "
  • new benefit claims
  • ", + "

    You can write to your nearest office by using their address from the local office search. Their address will also be on any letters you\u2019ve been sent.

    ", + "

    Call Jobcentre Plus to claim \u2018new style\u2019 Jobseeker\u2019s Allowance (JSA).

    ", + "

    You can also claim Jobseeker\u2019s Allowance online.

    " + ], + "id": "train-2004" + }, + { + "url": "https://www.gov.uk/contact-jobcentre-plus", + "scenario": "I am 34 and recently tried to claim Universal Credit for myself and my daughter, for the first time. I felt that the advisor who I dealt with was both dismissive and rude and felt humiliated by the whole experience.", + "question": "How can I complain about this advisor?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-2005" + }, + { + "url": "https://www.gov.uk/contact-jobcentre-plus", + "scenario": "My sister wants to make enquiries at Jobcentre plus about her maternity allowance claims which she receives less last month.", + "question": "Where can she get jobcentre telephone number?", + "not_answerable": false, + "answers": [ + [ + "local office search", + [] + ] + ], + "evidences": [ + "

    If you want to contact your nearest office, you can find their details using the local office search.

    " + ], + "id": "train-2006" + }, + { + "url": "https://www.gov.uk/additional-state-pension", + "scenario": "I am about to reach state pension age in one months time. I will reach state pension age on the 20th September 2021. I have been looking at the additional state pension.", + "question": "Will I be eligible for the additional state pension?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.

    " + ], + "id": "train-2007" + }, + { + "url": "https://www.gov.uk/additional-state-pension", + "scenario": "My husband died on the 30th of July 2021. He was born on the 4th October 1945. He was eligible and was receiving an additional state pension.", + "question": "Will I be able to claim any of this state pension as inheritance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    If you reached State Pension age before 6 April 2010

    " + ] + ], + [ + "no", + [ + "

    You cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.

    ", + "

    If you reached State Pension age on or after 6 April 2016

    ", + "
  • your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016
  • ", + "
  • you started your marriage or civil partnership on or after 6 April 2016
  • " + ] + ] + ], + "evidences": [ + "

    If your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.

    ", + "

    You cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.

    ", + "

    If you reached State Pension age before 6 April 2010

    ", + "

    This does not apply if you\u2019re a woman who was married to:

    ", + "
  • a man
  • ", + "
  • a woman who legally changed their gender from male to female during your marriage
  • ", + "

    If you reached State Pension age on or after 6 April 2016

    ", + "

    You cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:

    ", + "
  • your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016
  • ", + "
  • you started your marriage or civil partnership on or after 6 April 2016
  • " + ], + "id": "train-2008" + }, + { + "url": "https://www.gov.uk/understanding-your-pay", + "scenario": "I am a part-time employee who is getting paid \u00a312 per hour. I have found out that a full-time employee, who is doing exactly the same job, is getting \u00a315 per hour.", + "question": "Should I be getting paid a lower hourly rate than the full-time employee?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If you\u2019re a part-time worker, you must get at least the same hourly pay rate as a full-time worker doing a similar job.

    " + ], + "id": "train-2009" + }, + { + "url": "https://www.gov.uk/understanding-your-pay", + "scenario": "I am full-time employee who is due a bonus for productivity. My contract stipulates that if I make \u00a3100,000 of sales in a month, I should receive a 1% of the value over this amount. I have made \u00a3250,000 worth of sales, so I am due a bonus of \u00a32,500. My employer has refused to pay this.", + "question": "What can I do to complain about this?", + "not_answerable": false, + "answers": [ + [ + "speak to your employer to see if there\u2019s been a misunderstanding", + [] + ], + [ + "ask them set out in writing how they\u2019ve calculated your pay", + [] + ], + [ + "keep copies of any letters and notes of any meetings", + [] + ], + [ + "get advice from acas (advisory, conciliation and arbitration service), citizens advice or your trade union representative.", + [] + ] + ], + "evidences": [ + "

    If you do not get a bonus or commission you\u2019re owed and you think there\u2019s been a mistake:

    ", + "
  • speak to your employer to see if there\u2019s been a misunderstanding
  • ", + "
  • ask them set out in writing how they\u2019ve calculated your pay
  • ", + "
  • keep copies of any letters and notes of any meetings
  • ", + "

    You can get advice from Acas (Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.

    " + ], + "id": "train-2010" + }, + { + "url": "https://www.gov.uk/lay-offs-short-timeworking", + "scenario": "I have been on lay-off for eight weeks in a row. I have been working for current employer for 10 years, and I am considering redundancy.", + "question": "Can I apply for redundancy now?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You could apply for redundancy and claim redundancy pay if you\u2019ve been laid off without pay or put on short-time and receive less than half a week\u2019s pay for:

    ", + "
  • 4 or more weeks in a row
  • " + ], + "id": "train-2011" + }, + { + "url": "https://www.gov.uk/lay-offs-short-timeworking", + "scenario": "I am an employee who is paid \u00a350 per day. I have been told that I am going to be laid-off by my employer, who I have been working for for 5 years.", + "question": "What amount of pay am I guaranteed during my lay-off?", + "not_answerable": false, + "answers": [ + [ + "\u00a330 a day for 5 days in any 3-month period", + [] + ] + ], + "evidences": [ + "

    You\u2019re entitled to guarantee pay during lay off or short-time working. The maximum you can get is \u00a330 a day for 5 days in any 3-month period - so a maximum of \u00a3150.

    " + ], + "id": "train-2012" + }, + { + "url": "https://www.gov.uk/workplace-pensions", + "scenario": "My brother is a full time employee and pays income tax. Has also invested in both workplace and personal pension schemes.", + "question": "Can he qualify for a government tax relief?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The government will usually add money to your workplace pension in the form of tax relief if both of the following apply:

    ", + "
  • you pay Income Tax
  • ", + "
  • you pay into a personal pension or workplace pension
  • " + ], + "id": "train-2013" + }, + { + "url": "https://www.gov.uk/workplace-pensions", + "scenario": "My daughter is 25 years old and working full time in the UK . She is earning a salary of \u00a316,000 per year.", + "question": "Can she be automatically enrolled to the workplace pension scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:

    ", + "
  • you\u2019re classed as a \u2018worker\u2019
  • ", + "
  • you\u2019re aged between 22 and State Pension age
  • ", + "
  • you earn at least \u00a310,000 per year
  • ", + "
  • you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)
  • " + ], + "id": "train-2014" + }, + { + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "scenario": "I have been told by employer that I will be having a disciplinary hearing. They have not provided me with the reason for this, nor provided me with it in writing.", + "question": "Should my employer be giving me these details in writing?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your employer should not take any disciplinary action before meeting with you first and discussing the problem.

    ", + "

    At the hearing your employer should:

    ", + "
  • explain the complaint against you
  • " + ], + "id": "train-2015" + }, + { + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "scenario": "I have been told that I am going to be suspended due to a colleague's accusation. I have been told that I am not allowed to speak to my colleagues at work, but this will hinder my defence.", + "question": "Will I be able to appeal against this decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re suspended, you might be told not to talk to other employees, customers and/or suppliers. If this means you cannot defend yourself properly at a disciplinary hearing, you could make an appeal.

    " + ], + "id": "train-2016" + }, + { + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "scenario": "I have been living in the UK for six years as a refugee. I want to apply for settlement. I previously served a six year jail sentence for theft in my previous country.", + "question": "Will I be eligible for settlement?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply after 5 years in the UK as either:

    ", + "
  • a refugee
  • ", + "

    Your settlement application may be refused if you\u2019ve got a criminal record or been in prison - read why applications are refused.

    " + ], + "id": "train-2017" + }, + { + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "scenario": "I am 16 years of age. I moved to the UK with Humanitarian Protection status. I have received a decision on my asylum claim. In my previous country, I was married to a woman.", + "question": "Will my wife be able to join me in the UK?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your partner or child may be able to join or stay with you in the UK if:

    ", + "
  • you were part of a family before you were forced to leave your country
  • ", + "

    Your partner or child cannot join you if:

    ", + "
  • you\u2019re under 18
  • ", + "

    Your partner is someone you\u2019re in a genuine relationship with. You must be able to prove one of the following:

    ", + "
  • you\u2019re married
  • " + ], + "id": "train-2018" + }, + { + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "scenario": "I am a Turkish Business Person holding a visa to reside in the UK. I want my children and their carer, who is a family employee, to join me in the UK.", + "question": "Can my children and their long term carer enter the UK and become a resident?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:

    ", + "
  • Turkish Businessperson visa
  • ", + "

    Your family members (\u2018dependants\u2019) can also apply for settlement.

    ", + "

    Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:

    ", + "
  • your child under 21 or in limited circumstances over 21 (including children born in the UK)
  • " + ], + "id": "train-2019" + }, + { + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "scenario": "I hold a Turkish Business Person visa. I have lived in the UK for 10 years. My estranged husband in Turkey has suffered an accident that has left him requiring 24 hour a day care. I am responsible for his care as his only relative.", + "question": "Can my husband join me in the UK and be granted permanent leave to remain?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:

    ", + "
  • Turkish Businessperson visa
  • ", + "

    Your family members (\u2018dependants\u2019) can also apply for settlement.

    ", + "

    Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:

    ", + "
  • your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 5 years before applying to settle)
  • ", + "

    If your partner is applying for indefinite leave to remain, they must:

    ", + "
  • have lived in the UK with you for a continuous period of 5 years
  • " + ], + "id": "train-2020" + }, + { + "url": "https://www.gov.uk/join-trade-union", + "scenario": "My work colleagues and I belong to a trade union and we have work related issues which we need them tacked like low wages, unpaid leave days.", + "question": "Can a trade union do collective bargaining with the employer?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    When an employer and a union agree to negotiate on pay, terms and conditions, this agreement is called \u2018recognition\u2019 of the union. The negotiations are called \u2018collective bargaining\u2019.

    " + ], + "id": "train-2021" + }, + { + "url": "https://www.gov.uk/join-trade-union", + "scenario": "I am a trade union member. I have been working in my company for more than 10 years. I have been paying union subscriptions. I have a problem at work which I need to be addressed.", + "question": "I need to to know, what are the things do trade union deal with on behalf of its members?", + "not_answerable": false, + "answers": [ + [ + "negotiating agreements with employers on pay and conditions", + [] + ], + [ + "discussing big changes like large scale redundancy", + [] + ], + [ + "discussing members\u2019 concerns with employers", + [] + ], + [ + "going with members to disciplinary and grievance meetings", + [] + ] + ], + "evidences": [ + "

    A trade union is an organisation with members who are usually workers or employees. It looks after their interests at work by doing things like:

    ", + "
  • negotiating agreements with employers on pay and conditions
  • ", + "
  • discussing big changes like large scale redundancy
  • ", + "
  • discussing members\u2019 concerns with employers
  • ", + "
  • going with members to disciplinary and grievance meetings
  • " + ], + "id": "train-2022" + }, + { + "url": "https://www.gov.uk/bfpo", + "scenario": "My estranged brother is serving in the army and I'd very much like to get in touch with him to see if we can reconcile but I do not know where he is serving.", + "question": "How can I contact my brother?", + "not_answerable": false, + "answers": [ + [ + "use the british forces post office (bfpo)", + [] + ] + ], + "evidences": [ + "

    You can use the British Forces Post Office (BFPO) if you\u2019re sending mail to:

    ", + "
  • serving armed forces personnel and their families
  • " + ], + "id": "train-2023" + }, + { + "url": "https://www.gov.uk/bfpo", + "scenario": "My son is serving in the Royal Navy at the moment and I'd like to send him a parcel of his favourite food and drinks but have been told there are limits on what service people can receive.", + "question": "Am I allowed to send these to my son?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot send some items with British Forces Post Office mail, including:

    ", + "
  • alcoholic beverages
  • " + ], + "id": "train-2024" + }, + { + "url": "https://www.gov.uk/additional-state-pension", + "scenario": "I am a woman and I was born on exactly April 6th 1951. I have no idea if this means that I should be eligible for the additional state pension or not, given the circumstances.", + "question": "Have I missed out on an additional payment by a day?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.

    ", + "

    If you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.

    " + ], + "id": "train-2025" + }, + { + "url": "https://www.gov.uk/additional-state-pension", + "scenario": "I am 65 and female. I receive the basic state pension. My ex husband and I divorced ten years ago and I have recently learned that before his death he received the additional state pension but did not inform me of this fact. He is fifteen years older than me.", + "question": "Do I have any claim on my ex's state pension, given I did not know he was getting the additional amount?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.

    " + ], + "id": "train-2026" + }, + { + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "scenario": "I am in the UK on a Turkish worker Visa. I want to settle here permanently. I am planning to apply for indefinite leave to remain.", + "question": "In what cases will my application be refused?", + "not_answerable": false, + "answers": [ + [ + "got a criminal record in the uk or another country", + [] + ], + [ + "provided false or incomplete information to the home office", + [] + ], + [ + "broken uk immigration law", + [] + ] + ], + "evidences": [ + "

    Your application might be refused if, for example, you\u2019ve:

    ", + "
  • got a criminal record in the UK or another country
  • ", + "
  • provided false or incomplete information to the Home Office
  • ", + "
  • broken UK immigration law
  • " + ], + "id": "train-2027" + }, + { + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "scenario": "My friend is applying for indefinite leave to remain for his partner. He is in possession of a Turkish worker visa and he is a business man in the UK.", + "question": "What are the conditions should his partner meet in order to qualify for indefinite leave to remain?", + "not_answerable": false, + "answers": [ + [ + "you\u2019ve been in a genuine relationship with for 5 years before applying to settle", + [] + ], + [ + "have been granted leave as your dependant", + [] + ], + [ + "have lived in the uk with you for a continuous period of 5 years", + [] + ], + [ + "have met the knowledge of language and life in the uk test", + [] + ] + ], + "evidences": [ + "

    You can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:

    ", + "
  • Turkish Worker visa
  • ", + "

    Your family members (\u2018dependants\u2019) can also apply for settlement.

    ", + "

    Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:

    ", + "
  • your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 5 years before applying to settle)
  • ", + "

    If your partner is applying for indefinite leave to remain, they must:

    ", + "
  • have been granted leave as your dependant
  • ", + "
  • have lived in the UK with you for a continuous period of 5 years
  • ", + "
  • have met the knowledge of language and Life in the UK test
  • " + ], + "id": "train-2028" + }, + { + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "scenario": "My grandfather served in the British Army in 2007 and got serious injuries and lost his right leg. He was given compensation but he is not happy.", + "question": "He wants to appeal to the tribunal. Where can he get appeal forms from?", + "not_answerable": false, + "answers": [ + [ + "the veterans uk helpline", + [] + ] + ], + "evidences": [ + "

    Contact the Veterans UK helpline and ask for an appeal form to take your case to the tribunal. Fill it in and send it back to Veterans UK.

    " + ], + "id": "train-2029" + }, + { + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "scenario": "My mother has appealed against the war pension compensation she received as a widow. It was wrongly calculated and wants to get a tribunal hearing. She would like to know also,", + "question": "Who will present at the tribunal penal?", + "not_answerable": false, + "answers": [ + [ + "a judge", + [] + ], + [ + "a medical member", + [] + ], + [ + "a service member", + [] + ] + ], + "evidences": [ + "

    The tribunal is made up of:

    ", + "
  • a judge
  • ", + "
  • a medical member
  • ", + "
  • a service member
  • " + ], + "id": "train-2030" + }, + { + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "scenario": "I applied for an Armed Forces Compensation about 3 months ago. I received a letter last week informing me that I have been declined due to insufficient information. I do have some additional documents I can submit regarding my case which I was told not to submit the first time around since I apparently I already had enough proof.", + "question": "Can I directly appeal to the case tribunal?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Write a letter to Veterans UK and ask them to reconsider their decision. Explain why you think the decision is wrong and give any information not included in your original claim.

    " + ], + "id": "train-2031" + }, + { + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "scenario": "Last month I was declined my War Pension application. I was informed via a letter regarding the decision. Since the letter included little to no factual backing of their decision I decided to appeal to the tribunal but once again I reached a dead end. I do not know why my application was declined and don't seem to be able to reach anyone who can give me that information.", + "question": "Can I ask for permission to appeal to the Upper Tribunal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can ask the tribunal for permission to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you lose your appeal.

    ", + "

    You can only appeal if you think the decision was wrong for a legal reason, including if the tribunal did not:

    ", + "
  • give proper reasons for its decision, or back up the decision with facts
  • " + ], + "id": "train-2032" + }, + { + "url": "https://www.gov.uk/financial-assistance-mobilised-service", + "scenario": "I work as a reservist in a private company and immediately I was called out some of my benefits were stopped such as accommodation and education fees for my dependent children. I would like to appeal.", + "question": "Who can I ask for legal advice?", + "not_answerable": false, + "answers": [ + [ + "your legal representative", + [] + ], + [ + "a lawyer", + [] + ] + ], + "evidences": [ + "

    Contact RFAT or your legal representative if you have any questions about appealing. RFAT cannot give you legal advice.

    ", + "

    You can find legal advice, including from a lawyer.

    " + ], + "id": "train-2033" + }, + { + "url": "https://www.gov.uk/financial-assistance-mobilised-service", + "scenario": "I am an employer who had employed two army reservists and they were called out. I have incurred losses in undertaking new advertisements and replacements. I had also committed a lot of money in training and uniforms. My claim for financial assistance has been turned down.", + "question": "If i appeal when i can get a tribunal decision after an hearing?", + "not_answerable": false, + "answers": [ + [ + "at the end of the hearing", + [] + ], + [ + "within 1 month", + [ + "

    If a decision\u2019s not made at the hearing, you\u2019ll get a letter telling you the decision within 1 month. This is known as a \u2018reserved\u2019 decision.

    " + ] + ] + ], + "evidences": [ + "

    You may get a decision at the end of the hearing. You\u2019ll also get a written copy sent to you.

    ", + "

    If a decision\u2019s not made at the hearing, you\u2019ll get a letter telling you the decision within 1 month. This is known as a \u2018reserved\u2019 decision.

    " + ], + "id": "train-2034" + }, + { + "url": "https://www.gov.uk/bfpo", + "scenario": "My uncle is in Afghanistan serving in the British Army. I would like to send him a 10 kg parcel via parcelforce.", + "question": "How much does it cost to send the parcel?", + "not_answerable": false, + "answers": [ + [ + "\u00a313.45", + [] + ] + ], + "evidences": [ + "

    The cost of using British Forces Post Office (BFPO) depends on the size and weight of the letter or parcel you\u2019re sending.

    ", + "

    There are certain size and weight restrictions depending on which service you choose and where you\u2019re sending your parcel.

    ", + "Maximum weight | Cost", + "10kg | \u00a313.45" + ], + "id": "train-2035" + }, + { + "url": "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa", + "scenario": "I moved to the UK three years ago on an innovator visa. The limited company that I started with \u00a3100,000 of investment has grown to \u00a3500,000 per year. I am looking to apply for indefinite leave to remain, and I am considering the endorsements required.", + "question": "Will this satisfy the endorsement requirments?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • registered with Companies House, and you\u2019re either the director or a member
  • ", + "
  • currently trading, and be able to continue for at least the next 12 months
  • ", + "
  • doubled the number of customers in the last 3 years - and this number is higher than the average for similar businesses
  • ", + "
  • applied for intellectual property protection in the UK
  • ", + "
  • made \u00a31 million revenue in the last full year covered by accounts
  • ", + "
  • made \u00a3500,000 revenue in the last full year covered by accounts, with \u00a3100,000 of this from exporting overseas
  • ", + "
  • created the equivalent of 10 full-time jobs that have existed for 12 months
  • ", + "
  • created the equivalent of 5 full-time jobs that have existed for 12 months, with an average salary of \u00a325,000 a year
  • " + ] + ] + ], + "evidences": [ + "

    You must be actively managing and developing the business.

    ", + "

    Your business must be:

    ", + "
  • registered with Companies House, and you\u2019re either the director or a member
  • ", + "
  • currently trading, and be able to continue for at least the next 12 months
  • ", + "

    Your business must have done 2 of the following:

    ", + "
  • had \u00a350,000 of investment, which you\u2019ve spent on developing the business
  • ", + "
  • doubled the number of customers in the last 3 years - and this number is higher than the average for similar businesses
  • ", + "
  • applied for intellectual property protection in the UK
  • ", + "
  • made \u00a31 million revenue in the last full year covered by accounts
  • ", + "
  • made \u00a3500,000 revenue in the last full year covered by accounts, with \u00a3100,000 of this from exporting overseas
  • ", + "
  • created the equivalent of 10 full-time jobs that have existed for 12 months
  • ", + "
  • created the equivalent of 5 full-time jobs that have existed for 12 months, with an average salary of \u00a325,000 a year
  • " + ], + "id": "train-2036" + }, + { + "url": "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa", + "scenario": "I have stayed in the UK for five years with an innovator visa. I have received the endorsement required. I am now 24 years old, and I am looking to apply for indefinite leave to remain.", + "question": "Are there any other things I need to do for my application?", + "not_answerable": false, + "answers": [ + [ + "pass the life in the uk test", + [] + ], + [ + "spent no more than 180 days outside the uk in any 12 months", + [] + ] + ], + "evidences": [ + "

    You must have:

    ", + "
  • lived in the UK for 3 years using an Innovator visa - you cannot include time spent in the UK using any other visa
  • ", + "
  • a new endorsement that shows you\u2019ve met the requirements for growing your business
  • ", + "

    If you\u2019re 18 to 64 you must pass the Life in the UK Test.

    ", + "

    You must have spent no more than 180 days outside the UK in any 12 months.

    " + ], + "id": "train-2037" + }, + { + "url": "https://www.gov.uk/understanding-your-pay", + "scenario": "My name is Johnny. I am sixteen and just started my first job. It's all very new to me. I am looking forward to my first pay day.", + "question": "What should be on my payslip?", + "not_answerable": false, + "answers": [ + [ + "your earnings before and after any deductions", + [] + ], + [ + "the amount of any deductions that may change each time you\u2019re paid", + [] + ], + [ + "the number of hours you worked", + [ + "
  • the number of hours you worked, if your pay varies depending on time worked
  • " + ] + ] + ], + "evidences": [ + "

    If you\u2019re an employee or \u2018worker\u2019 (not a contractor or freelancer), you have the right to a payslip, which shows:

    ", + "
  • your earnings before and after any deductions
  • ", + "
  • the amount of any deductions that may change each time you\u2019re paid, for example tax and National Insurance
  • ", + "
  • the number of hours you worked, if your pay varies depending on time worked
  • " + ], + "id": "train-2038" + }, + { + "url": "https://www.gov.uk/registered-traveller", + "scenario": "I am 22 years old. I am travelling to the UK for the fifth time in 24 months for a visit. I have been approved for a UK visa. I hold an Argentinian passport.", + "question": "Will I be eligible for the Registered Traveller membership?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    To apply for Registered Traveller membership, you must be 18 or older and have an eligible passport.

    ", + "

    You must also either:

    ", + "
  • have a UK visa or entry clearance
  • ", + "
  • have visited the UK at least 4 times in the last 24 months
  • ", + "

    Argentina, Belize, Brazil, Chile, Costa Rica, El Salvador, Guatemala, Honduras, Nicaragua, Panama, Paraguay, Trinidad and Tobago, Uruguay.

    " + ], + "id": "train-2039" + }, + { + "url": "https://www.gov.uk/registered-traveller", + "scenario": "I travel to the UK ten times per year. I currently hold a Registered Traveller membership, which is about to expire. I am looking to extend this for another year.", + "question": "What are the costs of extending the membership?", + "not_answerable": false, + "answers": [ + [ + "\u00a350", + [] + ] + ], + "evidences": [ + "

    It costs \u00a350 to renew your Registered Traveller membership for another year.

    " + ], + "id": "train-2040" + }, + { + "url": "https://www.gov.uk/financial-assistance-mobilised-service", + "scenario": "I am a consultant surgeon employed by the NHS, with a small private practice. I am also an armed forces reservist, and last year was called up for a three month tour of duty overseas with the DMS. I applied for the maximum \u00a3822 a day support, but this was declined on the grounds that income from my private practice could not be satisfactorily established.", + "question": "If I appeal to the RFAT, what documentation do I need to provide?", + "not_answerable": false, + "answers": [ + [ + "a copy of the decision you\u2019re appealing", + [] + ], + [ + "all documents that were part of your original application", + [] + ], + [ + "any relevant documents that were not part of your original application and the reasons why they were not included", + [] + ], + [ + "a letter called a \u2018notice of appeal\u2019", + [] + ] + ], + "evidences": [ + "

    Write a letter called a \u2018notice of appeal\u2019 to the Secretary of Tribunals.

    ", + "

    You\u2019ll need to include:

    ", + "
  • a copy of the decision you\u2019re appealing
  • ", + "
  • all documents that were part of your original application
  • ", + "
  • any relevant documents that were not part of your original application and the reasons why they were not included
  • " + ], + "id": "train-2041" + }, + { + "url": "https://www.gov.uk/financial-assistance-mobilised-service", + "scenario": "I am a self-employed painter and decorator, one of three members of an LLP along with my brother and nephew. I am also an army reservist, and two years ago was called up for a six month tour of duty overseas. This imposed considerable costs on my business, requiring the training of an apprentice which I unsuccessfully claimed for financial assistance with.", + "question": "Can I appeal further if they decide against my appeal?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ], + [ + "yes", + [ + "
  • new evidence becomes available
  • ", + "
  • the Secretary of Tribunals made a mistake in the proceedings
  • ", + "
  • someone had the right to attend the hearing but could not, and had a valid reason for doing so
  • ", + "
  • something else has gone wrong that\u2019s made the process or decision unfair (known as a review \u2018in the interests of justice\u2019)
  • " + ] + ] + ], + "evidences": [ + "

    You cannot appeal if you lose the case.

    ", + "

    In exceptional circumstances, you may be able to ask for the tribunal to review its decision, for example if:

    ", + "
  • new evidence becomes available
  • ", + "
  • the Secretary of Tribunals made a mistake in the proceedings
  • ", + "
  • someone had the right to attend the hearing but could not, and had a valid reason for doing so
  • ", + "
  • something else has gone wrong that\u2019s made the process or decision unfair (known as a review \u2018in the interests of justice\u2019)
  • " + ], + "id": "train-2042" + }, + { + "url": "https://www.gov.uk/additional-state-pension", + "scenario": "Hello chief! I retired in 2015 after a lifetime on the railways. Part of my service might have been contracted out.", + "question": "Does being contracted out affect the additional state pension?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ], + [ + "no", + [ + "

    While you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.

    " + ] + ] + ], + "evidences": [ + "

    While you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.

    " + ], + "id": "train-2043" + }, + { + "url": "https://www.gov.uk/additional-state-pension", + "scenario": "My husband died on 14 July 2021 when he was 73 years old. He received the SERPS. Now that I am a widow I need some help.", + "question": "Am I entitled to receive my husbands benefits? If so, how much can I inherit?", + "not_answerable": false, + "answers": [ + [ + "90%", + [] + ] + ], + "evidences": [ + "

    If your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.

    ", + "

    The maximum you can inherit depends on when your spouse or civil partner died.

    ", + "

    If they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.

    ", + "Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit", + "6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90%" + ], + "id": "train-2044" + }, + { + "url": "https://www.gov.uk/industrial-action-strikes", + "scenario": "I am employer. Some of my employees have decided to go on strike about working hours. They have setup a picket that is blocking me, and some of my other employees, from entering the office.", + "question": "Are they allowed to block me from entering my work premises?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    A picket line is where workers and union reps (\u2018picketers\u2019 or \u2018pickets\u2019) stand outside a workplace to tell other people why they are striking. Pickets may also ask people not to:

    ", + "
  • do some of their usual work
  • ", + "
  • go into work
  • ", + "

    Pickets must not prevent people from going to work or doing their usual work if they want to do so.

    ", + "

    It\u2019s a criminal offence for pickets to:

    ", + "
  • block people or vehicles trying to get into the workplace which is on strike (called \u2018causing an obstruction\u2019 by police)
  • " + ], + "id": "train-2045" + }, + { + "url": "https://www.gov.uk/industrial-action-strikes", + "scenario": "I have joined a strike with my other employees. This strike came as a result of a properly organised ballet. The strike is about low wages being paid by our employer. I have just received notice for my dismissal from my employer.", + "question": "Can my employer dismiss me for this strike action?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can\u2019t be dismissed for industrial action if:

    ", + "
  • it\u2019s called as a result of a properly organised ballot
  • " + ], + "id": "train-2046" + }, + { + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "scenario": "I was discharged from the army after ten years of service on the grounds of mental health problems. I was awarded a small sum on discharge but was told I am not eligible for a pension.", + "question": "Can I appeal this decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal to the First-tier Tribunal (War Pensions and Armed Forces Compensation Chamber) if you disagree with a decision about your war pension or compensation.

    " + ], + "id": "train-2047" + }, + { + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "scenario": "I am a Nepalese citizen who spent twenty years as a Ghurka with the British army. On my retirement I received a small pension but no lump sum. I feel that as a UK soldier I would have received a small payment on retirement.", + "question": "Can I claim a lump sum retrospectively?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-2048" + }, + { + "url": "https://www.gov.uk/immigration-removal-centre", + "scenario": "I am looking to visit my brother, who has been put in an immigration removal centre. This immigration removal centre is in Lincolnshire, but I do not know the address.", + "question": "What is the address to the Lincolnshire immigration removal centre?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-2049" + }, + { + "url": "https://www.gov.uk/immigration-removal-centre", + "scenario": "I am going to be visiting my cousin, who has been put into an immigration removal centre in Brook House, Gatwick. I have been told that I need to bring identity. ", + "question": "I don't have my passport or a driving licence. Can I bring my employer's ID to verify my identity?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ], + [ + "yes", + [ + "
  • birth or marriage certificate
  • ", + "
  • rail or bus pass with photo
  • ", + "
  • young person\u2019s proof of age card
  • ", + "
  • trade union membership card
  • ", + "
  • older person\u2019s bus pass
  • ", + "
  • benefits book
  • ", + "
  • application registration card (ARC)
  • " + ] + ] + ], + "evidences": [ + "

    Or you can bring 2 of the following:

    ", + "
  • birth or marriage certificate
  • ", + "
  • rail or bus pass with photo
  • ", + "
  • employer\u2019s ID or student card with photo
  • ", + "
  • young person\u2019s proof of age card
  • ", + "
  • trade union membership card
  • ", + "
  • older person\u2019s bus pass
  • ", + "
  • benefits book
  • ", + "
  • application registration card (ARC)
  • " + ], + "id": "train-2050" + }, + { + "url": "https://www.gov.uk/industrial-action-strikes", + "scenario": "I belong to a trade union and we have tabled our grievances since last years. The majority of workers seem to be in their comfort zones but the minorities are suffering especially those in low grades.", + "question": "When can a trade union call for an industrial action?", + "not_answerable": false, + "answers": [ + [ + "if a majority of its members involved support it in a properly organised postal vote", + [] + ] + ], + "evidences": [ + "

    Industrial action happens when trade union members are in a dispute with their employers that can\u2019t be solved through negotiations.

    ", + "

    A trade union can only call for industrial action if a majority of its members involved support it in a properly organised postal vote - called a \u2018ballot\u2019.

    " + ], + "id": "train-2051" + }, + { + "url": "https://www.gov.uk/industrial-action-strikes", + "scenario": "We are in dispute with our employer due to poor working conditions and lack of promotions.Employees who are union members have agreed to do mass picketing and block the main public highway and bring the traffic to a halt.", + "question": "Can the police stop us?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    Police have special powers to stop a mass picket if they think there\u2019s a danger of:

    ", + "
  • serious public disorder (like a riot)
  • ", + "
  • serious damage to property
  • " + ] + ] + ], + "evidences": [ + "

    Police have special powers to stop a mass picket if they think there\u2019s a danger of:

    ", + "
  • serious public disorder (like a riot)
  • ", + "
  • serious damage to property
  • " + ], + "id": "train-2052" + }, + { + "url": "https://www.gov.uk/immigration-removal-centre", + "scenario": "I am a Syrian citizen who has relocated to the UK. I have just learned that some close relatives have arrived and are being held in an immigration holding centre and would like to visit them but do not know which one it is.", + "question": "How do I locate my relatives?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-2053" + }, + { + "url": "https://www.gov.uk/immigration-removal-centre", + "scenario": "I have been told that my brother in law is being held in a short term holding centre in Bedfordshire.", + "question": "When can I visit them?", + "not_answerable": false, + "answers": [ + [ + "2pm to 5pm and 6pm to 9pm each day", + [] + ] + ], + "evidences": [ + "

    Visiting hours are 2pm to 5pm and 6pm to 9pm each day.

    " + ], + "id": "train-2054" + }, + { + "url": "https://www.gov.uk/join-trade-union", + "scenario": "I am an employee at a school. I am a teacher who is looking to join a union, but I do not know whether they have any costs.", + "question": "Will I have to pay to become part of a trade union?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your union will charge a union membership fee (\u2018membership sub\u2019) to finance the work of the union. This can be the same amount for all employees or based on how much you\u2019re paid.

    " + ], + "id": "train-2055" + }, + { + "url": "https://www.gov.uk/join-trade-union", + "scenario": "I have joined a trade union. My employer has told me that they will offer me a bonus if I were to leave this union.", + "question": "Is my employer allowed to do this?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your employer is not allowed to:

    ", + "
  • offer you a benefit to leave a trade union
  • " + ], + "id": "train-2056" + }, + { + "url": "https://www.gov.uk/dismissal", + "scenario": "I have been working part time in a local general store. I have been there for three years. I was recently dismissed as the owner wanted to give my job to a young relative of theirs. I was told I was not eligible for notice as I was only part time.", + "question": "I feel that this is grossly unfair. Can I make an official complaint?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.

    ", + "

    You must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:

    ", + "
  • on or after 6 April 2012 - the qualifying period is normally 2 years
  • ", + "
  • before 6 April 2012 - the qualifying period is normally 1 year
  • " + ], + "id": "train-2057" + }, + { + "url": "https://www.gov.uk/dismissal", + "scenario": "I am a PA and for the last two years have been receiving treatment for skin cancer. This has involved a lot of time off work, which I do not feel is my fault. I have just received a notice of dismissal on the grounds of 'constant absenteeism'", + "question": "As I clearly am not responsible for the state of my health, can I take legal action against my employer?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you have a disability (which may include long-term illness), your employer has a legal duty to support disability in the workplace.

    ", + "

    Situations when your dismissal is likely to be unfair include if you:

    ", + "
  • asked for flexible working
  • ", + "

    If you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.

    ", + "

    You must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:

    ", + "
  • on or after 6 April 2012 - the qualifying period is normally 2 years
  • " + ], + "id": "train-2058" + }, + { + "url": "https://www.gov.uk/dismissal", + "scenario": "My friend has been forced to leave his work due to unfair treatment by his employer. The employer suddenly changed his day shifts to night shifts without informing him and promoting other work colleagues and demoting him.", + "question": "Can my friend sue his employer for a constructive dismissal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • on or after 6 April 2012 - the qualifying period is normally 2 years
  • " + ] + ] + ], + "evidences": [ + "

    Constructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.

    ", + "

    The reasons you leave your job must be serious, for example, they:

    ", + "
  • force you to accept unreasonable changes to how you work - for example, tell you to work night shifts when your contract is only for day work
  • ", + "

    If you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.

    ", + "

    You must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:

    ", + "
  • on or after 6 April 2012 - the qualifying period is normally 2 years
  • " + ], + "id": "train-2059" + }, + { + "url": "https://www.gov.uk/dismissal", + "scenario": "My brother has been working for 5 years in a transport company.He was involved in a fight with a fellow work colleague and was given a summary dismissal.", + "question": "Is the employer justified to give him a dismissal without a notice?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.

    " + ] + ], + [ + "no", + [ + "

    There are some situations where you can be dismissed immediately - for example, for violence.

    " + ] + ] + ], + "evidences": [ + "

    Dismissal is when your employer ends your employment - they do not always have to give you notice.

    ", + "

    You must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.

    ", + "

    There are some situations where you can be dismissed immediately - for example, for violence.

    " + ], + "id": "train-2060" + }, + { + "url": "https://www.gov.uk/contact-jobcentre-plus", + "scenario": "I have been made redundant by my employer. I have been looking for work, and now I want to make a claim at the Job Centre.", + "question": "What number do I call to make a claim?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-2061" + }, + { + "url": "https://www.gov.uk/contact-jobcentre-plus", + "scenario": "I have been claiming benefits from Job Seekers Allowance whilst I looked for a job. I have no got a new job, and I am seeing whether I need to inform the Job Centre.", + "question": "How do I inform the Jobcentre about my new job?", + "not_answerable": false, + "answers": [ + [ + "call the appropriate number for your benefit", + [] + ] + ], + "evidences": [ + "

    Call the appropriate number for your benefit to:

    ", + "
  • tell the Department for Work and Pensions (DWP) about a change in your circumstances, for example if you start working or your income changes
  • " + ], + "id": "train-2062" + }, + { + "url": "https://www.gov.uk/lay-offs-short-timeworking", + "scenario": "I have been laid off for almost 4 weeks now by my employer citing low business season.I have been getting less than a half of my weekly wages. My family is struggling financially. I want to claim for a redundancy pay.", + "question": "When is the right time to write to the employer and claim redundancy pay?", + "not_answerable": false, + "answers": [ + [ + "4 or more weeks in a row", + [] + ], + [ + "6 or more weeks in a 13-week period", + [] + ] + ], + "evidences": [ + "

    You could apply for redundancy and claim redundancy pay if you\u2019ve been laid off without pay or put on short-time and receive less than half a week\u2019s pay for:

    ", + "
  • 4 or more weeks in a row
  • ", + "
  • 6 or more weeks in a 13-week period
  • " + ], + "id": "train-2063" + }, + { + "url": "https://www.gov.uk/lay-offs-short-timeworking", + "scenario": "My friend Lisa has been laid off from work by her employer. She is struggling to make ends meet and would like to claim benefits.", + "question": "What are the benefits she can claim?", + "not_answerable": false, + "answers": [ + [ + "guarantee pay", + [ + "
  • have been employed continuously for 1 month (includes part-time workers)
  • ", + "
  • reasonably make sure you\u2019re available for work
  • ", + "
  • not refuse any reasonable alternative work (including work not in your contract)
  • ", + "
  • not have been laid off because of industrial action
  • " + ] + ], + [ + "redundancy pay", + [ + "

    You could apply for redundancy and claim redundancy pay if you\u2019ve been laid off without pay or put on short-time and receive less than half a week\u2019s pay for:

    ", + "
  • 4 or more weeks in a row
  • ", + "
  • 6 or more weeks in a 13-week period
  • " + ] + ], + [ + "universal credit", + [] + ], + [ + "\u2018new style\u2019 jobseeker\u2019s allowance", + [] + ] + ], + "evidences": [ + "

    You\u2019re entitled to guarantee pay during lay off or short-time working. The maximum you can get is \u00a330 a day for 5 days in any 3-month period - so a maximum of \u00a3150.

    ", + "

    You must:

    ", + "
  • have been employed continuously for 1 month (includes part-time workers)
  • ", + "
  • reasonably make sure you\u2019re available for work
  • ", + "
  • not refuse any reasonable alternative work (including work not in your contract)
  • ", + "
  • not have been laid off because of industrial action
  • ", + "

    You could apply for redundancy and claim redundancy pay if you\u2019ve been laid off without pay or put on short-time and receive less than half a week\u2019s pay for:

    ", + "
  • 4 or more weeks in a row
  • ", + "
  • 6 or more weeks in a 13-week period
  • ", + "

    You might be able to get Universal Credit or \u2018new style\u2019 Jobseeker\u2019s Allowance (or both) while you\u2019re laid off or on short-time.

    " + ], + "id": "train-2064" + }, + { + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "scenario": "A friend of mine got refugee status in the UK and has his refugee residence card. He is worried about applying for a full citizenship or any type of settlement scheme since he and his family are not financially stable in the UK yet.", + "question": "Will he have to pay any fees to apply for settlement under these circumstances?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There\u2019s no fee for applying for settlement as a refugee or person who\u2019s been given humanitarian protection.

    " + ], + "id": "train-2065" + }, + { + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "scenario": "A friend of mine and his family want to apply for settlement as refugees. We have been friends for about 2 years now and his family has been living in the UK for the past 7 or so years.", + "question": "Are they eligible to apply for settlement as refugees?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    You may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.

    " + ] + ] + ], + "evidences": [ + "

    You can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) if you\u2019ve got a residence card as a:

    ", + "
  • refugee
  • ", + "

    You may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.

    ", + "

    You can apply after 5 years in the UK as either:

    ", + "
  • a refugee
  • " + ], + "id": "train-2066" + }, + { + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "scenario": "My friend has been having personal issues which have affected his work. His employer has warned him several times. He also fought with a colleague at workplace. Has been called for a hearing and the employer promised to take action.", + "question": "Can one of these actions involve dismissal from work?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-2067" + }, + { + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "scenario": "My work colleague shared a classified company data with our business competitor. Our employer has called for a disciplinary hearing.", + "question": "What will the employer be expected to do during the hearing?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-2068" + }, + { + "url": "https://www.gov.uk/redundancy-your-rights", + "scenario": "My employer is going to be making people redundant due to financial issues. I have heard that I may be one of the people chosen for redundancy. I have worked five years for my employer.", + "question": "What length of notice will I be given?", + "not_answerable": false, + "answers": [ + [ + "one week\u2019s notice for each year", + [] + ] + ], + "evidences": [ + "

    You must be given a notice period before your employment ends.

    ", + "

    The statutory redundancy notice periods are:

    ", + "
  • one week\u2019s notice for each year if employed between 2 and 12 years
  • " + ], + "id": "train-2069" + }, + { + "url": "https://www.gov.uk/redundancy-your-rights", + "scenario": "I have been told that I am going to be made redundant due to the closure of my department. I have worked for my employer for 10 years.", + "question": "What amount of redundancy pay should I receive?", + "not_answerable": false, + "answers": [ + [ + "half a week\u2019s pay for each full year", + [ + "
  • half a week\u2019s pay for each full year you were under 22
  • " + ] + ], + [ + "one week\u2019s pay for each full year", + [ + "
  • one week\u2019s pay for each full year you were 22 or older, but under 41
  • " + ] + ], + [ + "one and half week\u2019s pay for each full year", + [ + "
  • one and half week\u2019s pay for each full year you were 41 or older
  • " + ] + ] + ], + "evidences": [ + "

    You\u2019ll normally be entitled to statutory redundancy pay if you\u2019re an employee and you\u2019ve been working for your current employer for 2 years or more.

    ", + "

    You\u2019ll get:

    ", + "
  • half a week\u2019s pay for each full year you were under 22
  • ", + "
  • one week\u2019s pay for each full year you were 22 or older, but under 41
  • ", + "
  • one and half week\u2019s pay for each full year you were 41 or older
  • ", + "

    Your weekly pay is the average you earned per week over the 12 weeks before the day you got your redundancy notice.

    ", + "

    If you were paid less than usual because you were \u2018on furlough\u2019 because of coronavirus, your redundancy pay is based on what you would have earned normally.

    ", + "

    If you were made redundant on or after 6 April 2021, your weekly pay is capped at \u00a3544 and the maximum statutory redundancy pay you can get is \u00a316,320. If you were made redundant before 6 April 2021, these amounts will be lower.

    " + ], + "id": "train-2070" + }, + { + "url": "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa", + "scenario": "I am 25 and have been in the UK for four years on an innovator visa. I am an American citizen. I am single and have no children. I would very much like to remain in the UK.", + "question": "Is it possible for me to get indefinite leave to remain?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • a new endorsement that shows you\u2019ve met the requirements for growing your business
  • ", + "

    If you\u2019re 18 to 64 you must pass the Life in the UK Test.

    ", + "

    You must have spent no more than 180 days outside the UK in any 12 months.

    " + ] + ] + ], + "evidences": [ + "

    You may be eligible for indefinite leave to remain if you have an Innovator visa.

    ", + "

    You must have:

    ", + "
  • lived in the UK for 3 years using an Innovator visa - you cannot include time spent in the UK using any other visa
  • ", + "
  • a new endorsement that shows you\u2019ve met the requirements for growing your business
  • ", + "

    If you\u2019re 18 to 64 you must pass the Life in the UK Test.

    ", + "

    You must have spent no more than 180 days outside the UK in any 12 months.

    " + ], + "id": "train-2071" + }, + { + "url": "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa", + "scenario": "I am hoping to get indefinite leave to remain in the UK due to the fact that I am temporarily here on an innovator's visa. I am a scientist and my immediate supervisor at my employment is offering to endorse my application.", + "question": "Will my supervisor's endorsement make any difference to my chance of success?", + "not_answerable": true, + "answers": [], + "evidences": [], + "id": "train-2072" + }, + { + "url": "https://www.gov.uk/immigration-removal-centre", + "scenario": "A family friend Martin has been detained at ColnBrook Middlesex. He was claiming asylum and we would like to visit him.", + "question": "What are the visiting hours?", + "not_answerable": false, + "answers": [ + [ + "2pm to 9pm each day", + [] + ] + ], + "evidences": [ + "

    Visiting hours are 2pm to 9pm each day.

    " + ], + "id": "train-2073" + }, + { + "url": "https://www.gov.uk/immigration-removal-centre", + "scenario": "I am a solicitor representing a client who has been detained at Yarl wood and is waiting for deportation to Jamaica. I would like to get in touch with him.", + "question": "What should i bring with me during the visit?", + "not_answerable": false, + "answers": [ + [ + "photo id", + [] + ], + [ + "utility bill showing your name and address", + [] + ] + ], + "evidences": [ + "

    You must bring the following:

    ", + "
  • photo ID (passport or driving licence)
  • ", + "
  • utility bill showing your name and address
  • " + ], + "id": "train-2074" + }, + { + "url": "https://www.gov.uk/join-trade-union", + "scenario": "I have just started my first job in a factory and have heard talk amongst the other workers about the unions they belong to and the rights that they have due to these unions.", + "question": "Who should I talk to to see if I'm eligible for joining the union?", + "not_answerable": false, + "answers": [ + [ + "the union rep", + [] + ] + ], + "evidences": [ + "

    The union rep will tell you if you\u2019re eligible to join and give you a membership form to fill in.

    " + ], + "id": "train-2075" + }, + { + "url": "https://www.gov.uk/join-trade-union", + "scenario": "I am a primary school teacher and have been in my job for two years. I am aware that there are a number of teaching unions and so far I have resisted joining any as I am not sure which I should join.", + "question": "How do I decide which union is best for me?", + "not_answerable": false, + "answers": [ + [ + "ask the trade union representative", + [] + ] + ], + "evidences": [ + "

    If there\u2019s a union at work, you can ask the trade union representative (\u2018rep\u2019) about joining. Their contact details may be in your company handbook, intranet site or on the union noticeboard.

    ", + "

    The union rep will tell you if you\u2019re eligible to join and give you a membership form to fill in.

    " + ], + "id": "train-2076" + }, + { + "url": "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa", + "scenario": "I would like to apply for an indefinite leave to remain from an innovator visa. I run a software company in the UK and reach out to more international clientele.", + "question": "How much does the application cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a32,389 for each person applying", + [] + ], + [ + "\u00a319.20 per person to have your biometric information (fingerprints and a photo) taken", + [] + ] + ], + "evidences": [ + "

    It costs \u00a32,389 for each person applying. You can include your partner and children on the same application form, if they\u2019re eligible.

    ", + "

    You also need to pay \u00a319.20 per person to have your biometric information (fingerprints and a photo) taken.

    " + ], + "id": "train-2077" + }, + { + "url": "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa", + "scenario": "I live in the UK on an innovator visa. I run a transport company and I would like to hire 5 drivers with Full UK driving licenses.", + "question": "Which group of people should i hire?", + "not_answerable": false, + "answers": [ + [ + "a british citizen", + [] + ], + [ + "an eea citizen who was living in the uk and working for you by 31 december 2020", + [] + ], + [ + "a commonwealth citizen with a uk ancestry visa", + [] + ], + [ + "someone with indefinite leave to remain or settled status", + [] + ] + ], + "evidences": [ + "

    The jobs you\u2019ve created must be for \u2018settled workers\u2019. A settled worker is someone who was one of the following when they started working for you:

    ", + "
  • a British citizen
  • ", + "
  • an EEA citizen who was living in the UK and working for you by 31 December 2020
  • ", + "
  • a Commonwealth citizen with a UK Ancestry visa
  • ", + "
  • someone with indefinite leave to remain or settled status
  • " + ], + "id": "train-2078" + }, + { + "url": "https://www.gov.uk/appeal-first-tier-asylum-support-tribunal", + "scenario": "My family and I arrived here from Syria a year ago and have been in receipt of asylum support since shortly after we arrived. It has just been inexplicably cut off, however, and we have not been told why.", + "question": "How do we find out why our support was stopped and how do we challenge it?", + "not_answerable": false, + "answers": [ + [ + "download and fill in a \u2018notice of appeal\u2019 form", + [] + ], + [ + "post, email or fax the notice of appeal form to hm courts and tribunals service", + [] + ] + ], + "evidences": [ + "

    You can appeal to the First-tier Tribunal (Asylum Support) if:

    ", + "
  • you were claiming asylum support and it\u2019s been stopped
  • ", + "

    Download and fill in a \u2018notice of appeal\u2019 form. You must include:

    ", + "

    Post, email or fax the notice of appeal form to HM Courts and Tribunals Service. The contact details are on the form.

    " + ], + "id": "train-2079" + }, + { + "url": "https://www.gov.uk/appeal-first-tier-asylum-support-tribunal", + "scenario": "I am a 21 year old single Algerian male who is claiming asylum on the grounds of persecution. I applied for some support whilst I get myself established here but just received a letter saying I've been declined.", + "question": "What is the first step in the appeals process?", + "not_answerable": false, + "answers": [ + [ + "download and fill in a \u2018notice of appeal\u2019 form", + [] + ] + ], + "evidences": [ + "

    Download and fill in a \u2018notice of appeal\u2019 form. You must include:

    " + ], + "id": "train-2080" + }, + { + "url": "https://www.gov.uk/workplace-pensions", + "scenario": "I am 23 years old. I have just got a new job that will have a salary of \u00a318,000 per year. I do not want to pay into a pension at this time.", + "question": "Does my employer need to automatically enrol me onto a pension?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "
  • you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)
  • " + ] + ] + ], + "evidences": [ + "

    Your employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:

    ", + "
  • you\u2019re classed as a \u2018worker\u2019
  • ", + "
  • you\u2019re aged between 22 and State Pension age
  • ", + "
  • you earn at least \u00a310,000 per year
  • ", + "
  • you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)
  • " + ], + "id": "train-2081" + }, + { + "url": "https://www.gov.uk/workplace-pensions", + "scenario": "I worked for my employer for one year before leaving for a new job. I was making contributions to a workplace pension during my time in employment. I want to take these contributions out.", + "question": "Will I be able to get a refund on the pension contributions I made?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you were in a defined benefit pension scheme for less than 2 years, you might be able to either:

    ", + "
  • get a refund on what you contributed
  • " + ], + "id": "train-2082" + }, + { + "url": "https://www.gov.uk/new-state-pension", + "scenario": "I'm an elderly gentleman and I have recently received a letter saying that I would soon be able to receive my state pension. Some of my friends already receive this but they get paid on different days. My National Insurance number ends in 43.", + "question": "When will i receive my pension payments?", + "not_answerable": false, + "answers": [ + [ + "wednesday", + [] + ] + ], + "evidences": [ + "

    The day your pension is paid depends on your National Insurance number.

    ", + "Last 2 digits of your National Insurance number | Payment day of the week", + "40 to 59 | Wednesday" + ], + "id": "train-2083" + }, + { + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "scenario": "I am 35 and work as a builder. I was (falsely) accused of bullying an apprentice and have been suspended from work. I feel that this is very unfair as I am innocent! I am worried about my rights whilst suspended", + "question": "Will I still continue to receive my pay and other benefits whilst I am suspended from work?", + "not_answerable": false, + "answers": [ + [ + "yes", + [ + "

    When a disciplinary issue is being looked into you might be suspended from work. This does not happen very often. If it does it should normally be with pay and you should be told why you\u2019re being suspended.

    ", + "

    If your employment contract does not say your employer can do this, your employer may still be able to suspend you, but with pay. To show that it\u2019s not a punishment the suspension will normally be on full pay.

    " + ] + ], + [ + "no", + [ + "

    You can be suspended without pay if your employment contract says your employer can do this, but they must be acting reasonably.

    " + ] + ] + ], + "evidences": [ + "

    When a disciplinary issue is being looked into you might be suspended from work. This does not happen very often. If it does it should normally be with pay and you should be told why you\u2019re being suspended.

    ", + "

    You can be suspended without pay if your employment contract says your employer can do this, but they must be acting reasonably.

    ", + "

    If your employment contract does not say your employer can do this, your employer may still be able to suspend you, but with pay. To show that it\u2019s not a punishment the suspension will normally be on full pay.

    " + ], + "id": "train-2084" + }, + { + "url": "https://www.gov.uk/dismissal", + "scenario": "I am an employee who works for a storage company. I have been diagnosed with a heart condition that stops me from doing heavy lifting. My employer has dismissed me on the basis that I cannot do my job.", + "question": "Will this be considered as an unfair dismissal?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can be dismissed if you have a persistent or long-term illness that makes it impossible for you to do your job.

    " + ], + "id": "train-2085" + }, + { + "url": "https://www.gov.uk/dismissal", + "scenario": "I am an employee who has been forced out of their job. My employer demoted me from my position to let his son take over the role. My wages and my duties were reduced.", + "question": "Will this be considered constructive dismissal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Constructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.

    ", + "

    The reasons you leave your job must be serious, for example, they:

    ", + "
  • do not pay you or suddenly demote you for no reason
  • " + ], + "id": "train-2086" + }, + { + "url": "https://www.gov.uk/workplace-pensions", + "scenario": "I have just started a job which I enjoy but do not intend to keep for life. I have been told that I am being enrolled in a work place pension scheme even though I did not ask to be and do not really want to be", + "question": "Am I obliged to have a pension with this job even though I did not intend to?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can leave (called \u2018opting out\u2019) if you want to.

    " + ], + "id": "train-2087" + }, + { + "url": "https://www.gov.uk/workplace-pensions", + "scenario": "I am nearly fifty and in my twenties spent eight years as a teacher before quitting to pursue another career. I was recently told I might have some pension due to me that I could cash in.", + "question": "How can I find out if I am owed any pension?", + "not_answerable": false, + "answers": [ + [ + "pension tracing service", + [] + ] + ], + "evidences": [ + "

    The Pension Tracing Service could help you find pensions you\u2019ve paid into but lost track of.

    " + ], + "id": "train-2088" + }, + { + "url": "https://www.gov.uk/appeal-first-tier-asylum-support-tribunal", + "scenario": "I have sought asylum in the UK, and decided to apply for asylum support. I have been refused this support, but I do not agree with this decision.", + "question": "What information should I provide when appealing this decision?", + "not_answerable": false, + "answers": [ + [ + "why you\u2019re appealing", + [] + ], + [ + "a copy of the decision you\u2019re appealing against", + [] + ], + [ + "any documents that help support your appeal", + [] + ], + [ + "why your appeal is late", + [ + "
  • why your appeal is late (if it is)
  • " + ] + ], + [ + "whether you\u2019d like a \u2018paper\u2019 or \u2018oral\u2019 hearing", + [] + ] + ], + "evidences": [ + "

    Download and fill in a \u2018notice of appeal\u2019 form. You must include:

    ", + "
  • why you\u2019re appealing (your \u2018grounds of appeal\u2019)
  • ", + "
  • a copy of the decision you\u2019re appealing against
  • ", + "
  • any documents that help support your appeal
  • ", + "
  • why your appeal is late (if it is)
  • ", + "
  • whether you\u2019d like a \u2018paper\u2019 or \u2018oral\u2019 hearing
  • " + ], + "id": "train-2089" + }, + { + "url": "https://www.gov.uk/appeal-first-tier-asylum-support-tribunal", + "scenario": "I have sought asylum in the UK, and claimed asylum support. This has now been stopped due to financial circumstances. I want to see whether this is worth appealing.", + "question": "What legislation can I look at to see if appealing is worth the time?", + "not_answerable": false, + "answers": [ + [ + "immigration and asylum act 1999", + [] + ], + [ + "nationality, immigration and asylum act 2002", + [] + ], + [ + "tribunal procedure (first-tier tribunal) (social entitlement chamber) rules 2008 and amendments to the tribunal procedure (first-tier tribunal) (social entitlement chamber) rules 2008", + [] + ], + [ + "section 95, immigration and asylum 1999", + [] + ], + [ + "asylum support regulations 2000", + [] + ] + ], + "evidences": [ + "

    The tribunal will make a decision based on:

    ", + "
  • Immigration and Asylum Act 1999
  • ", + "
  • Nationality, Immigration and Asylum Act 2002
  • ", + "

    The tribunal must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008 and Amendments to the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.

    ", + "

    The tribunal will make a decision based on:

    ", + "
  • section 95, Immigration and Asylum 1999
  • ", + "
  • Asylum Support Regulations 2000
  • " + ], + "id": "train-2090" + }, + { + "url": "https://www.gov.uk/new-state-pension", + "scenario": "My sister is employed and earns \u00a3250 a week and contributes to the national insurance. She would like to know more about the new state pension.", + "question": "How can one know has a qualifying year?", + "not_answerable": false, + "answers": [ + [ + "you were working and paid national insurance contributions", + [] + ], + [ + "you were getting national insurance credits for example if you were unemployed, ill or a parent or carer", + [] + ], + [ + "you were paying voluntary national insurance contributions", + [] + ] + ], + "evidences": [ + "

    This means for 10 years at least one or more of the following applied to you:

    ", + "
  • you were working and paid National Insurance contributions
  • ", + "
  • you were getting National Insurance credits for example if you were unemployed, ill or a parent or carer
  • ", + "
  • you were paying voluntary National Insurance contributions
  • " + ], + "id": "train-2091" + }, + { + "url": "https://www.gov.uk/new-state-pension", + "scenario": "My mother has been working for more than 30 years in the UK and contributing to the National insurance . She has reached a new state pension age.", + "question": "How many qualifying years of national insurance record does she need to show In order to be eligible for a new state pension age?", + "not_answerable": false, + "answers": [ + [ + "10", + [] + ] + ], + "evidences": [ + "

    You\u2019ll usually need at least 10 qualifying years on your National Insurance record to get any State Pension. They do not have to be 10 qualifying years in a row.

    ", + "

    This means for 10 years at least one or more of the following applied to you:

    " + ], + "id": "train-2092" + }, + { + "url": "https://www.gov.uk/driver-cpc-training", + "scenario": "I am a 52 year old living in Bradford and I am qualified to drive lorries in my home country Belize, with a code 95 entitlement on my licence.", + "question": "How can I be eligible to drive lorries in the UK?", + "not_answerable": false, + "answers": [ + [ + "complete your periodic training in england, scotland or wales", + [] + ], + [ + "exchange your driver\u2019s licence for a gb licence", + [] + ] + ], + "evidences": [ + "

    You can be fined up to \u00a31,000 for driving professionally without Driver CPC.

    ", + "

    It\u2019s illegal to drive professionally if you have not done your training by your deadline.

    ", + "

    If you have a licence from another country, there are 2 ways to get a Great Britain (GB) Driver Certificate of Professional Competence (CPC) card. You should either:

    ", + "
  • complete your periodic training in England, Scotland or Wales
  • ", + "
  • exchange your driver\u2019s licence for a GB licence - you must have a code 95 entitlement on your non-GB licence to do this
  • ", + "

    If you have a code 95 entitlement on your licence, you can get a GB Driver CPC card by exchanging your licence for a GB licence.

    " + ], + "id": "train-2093" + }, + { + "url": "https://www.gov.uk/challenge-election-result", + "scenario": "When I visited the election booth to vote in the UK parliament election, the mediators were destroying certain peoples polling cards before they could be accepted and denying entry, it seemed to only to be people from certain addresses but I'm not sure what can be done about it. The result was returned to the Clerk of the Crown 2 days ago.", + "question": "when can I challenge the election results due to this?", + "not_answerable": false, + "answers": [ + [ + "within 21 days", + [] + ] + ], + "evidences": [ + "

    You must usually apply within 21 days of when:

    ", + "
  • the result of the UK Parliament election was returned to the Clerk of the Crown in Chancery
  • " + ], + "id": "train-2094" + }, + { + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "scenario": "I own a home and energy bills are always high. When I hired a engineer to assess why my energy bills are high. He mentioned the problem is because of insulation. I can't afford to replace the insulation. These energy improvements have been recommended in my Green Deal assessment.", + "question": "Can I get a loan to replace the insulation ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can only get a finance plan for improvements recommended in your Green Deal assessment.

    " + ], + "id": "train-2095" + }, + { + "url": "https://www.gov.uk/challenge-election-result", + "scenario": "I disagree with the current results from the election and myself and many other feel the votes were unfair, we wanted to petition to see if the votes can be recounted however it seems like an expensive process. I have no savings in my bank account at this time.", + "question": "What are the options so the petitioners are not out of pocket?", + "not_answerable": false, + "answers": [ + [ + "get help with court fees", + [] + ], + [ + "pay cash or give the names of up to 4 people (\u2018sureties\u2019) who will guarantee to pay", + [] + ] + ], + "evidences": [ + "

    You can sometimes get help with court fees if you have little or no savings, are on certain benefits or have a low income.

    ", + "

    You can pay cash or give the names of up to 4 people (\u2018sureties\u2019) who will guarantee to pay. You must do this within 3 working days of handing in the petition.

    " + ], + "id": "train-2096" + }, + { + "url": "https://www.gov.uk/applying-for-probate", + "scenario": "Our father died recently without leaving a will. My siblings and I do not trust our step-mother to act as estate administrator and we would prefer it if one of his children could handle this instead. My father and step-mother were married at the time of his death.", + "question": "Can children stop a step-parent from handling their deceased parent's probate affairs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You cannot apply if you\u2019re the partner of the person but were not their spouse or civil partner when they died. You\u2019re not automatically entitled to any of their estate, unless you\u2019re able to make changes to the inheritance.

    " + ], + "id": "train-2097" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "I decided to start freelancing and working for myself and made freelancing my main job, taxes are not automatically deducted from my income. I have an income of \u00a319,000 for this tax year.", + "question": "How do I pay taxes on my income?", + "not_answerable": false, + "answers": [ + [ + "send a tax return", + [] + ] + ], + "evidences": [ + "

    You must send a tax return if, in the last tax year (6 April to 5 April), you were:

    ", + "
  • self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)
  • " + ], + "id": "train-2098" + }, + { + "url": "https://www.gov.uk/pay-paye-penalty", + "scenario": "I own and operate a small business with 30 employees, whom we compensate via the PAYE system. After missing a filing deadline earlier this year, we have received a penalty notice from HMRC. I want to pay via Direct Debit.", + "question": "If we choose to pay the penalty with Direct Debit, how much time should be allow for the debit to be processed?", + "not_answerable": false, + "answers": [ + [ + "3 working days", + [] + ] + ], + "evidences": [ + "

    3 working days

    ", + "
  • Direct Debit (if you\u2019ve set up one for HMRC before)
  • " + ], + "id": "train-2099" + }, + { + "url": "https://www.gov.uk/support-military-bereaved-children", + "scenario": "I am a widow and my late husband died during a war while serving in the British army in 1991. I receive war pension benefits. My daughter is attending for a full time Bachelor in Pharmacy at Bristol University. My daughter is 17 years old.", + "question": "Can my daughter qualify for the scholarship?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for help with the costs of further and higher education if all of the following are true:

    ", + "
  • you\u2019re 16 or over and in full-time education
  • " + ], + "id": "train-2100" + }, + { + "url": "https://www.gov.uk/dispose-hazardous-waste", + "scenario": "My company regularly produces hazardous waste, we follow detailed procedures on getting rid of this waste but recently ive been asked to provide records of this, i don't understand what records are needed. The documents I have are missing some information.", + "question": "What kind of documents and recording is required when disposing of hazardous waste for my business?", + "not_answerable": false, + "answers": [ + [ + "consignment notes", + [] + ], + [ + "consignee returns", + [] + ], + [ + "any related documents", + [] + ], + [ + "a record of any missing information", + [] + ] + ], + "evidences": [ + "

    You must keep your copies of:

    ", + "
  • consignment notes
  • ", + "
  • consignee returns \u2013 you\u2019ll get these from businesses that receive your waste (consignees)
  • ", + "
  • any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads
  • ", + "

    If these documents are not accurate or complete, you must keep a record of any missing information.

    " + ], + "id": "train-2101" + }, + { + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "scenario": "I am 43, and have been employed by a company in Maidenhead, England for the last six years. I married my current wife 4 years ago, and she had a daughter from her previous relationship who lived with us until she tragically died of leukaemia 3 days ago. I gave in my notice the day after my child's death.", + "question": "If I wish to take Parental Bereavement Leave, how much notice do I have to give my employer?", + "not_answerable": false, + "answers": [ + [ + "before the time they would normally start work on the first day of the period they want to take off work.", + [] + ] + ], + "evidences": [ + "

    0 to 8 weeks after the child\u2019s death or stillbirth

    ", + "

    An employee must give you notice before the time they would normally start work on the first day of the period they want to take off work.

    " + ], + "id": "train-2102" + }, + { + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "scenario": "I own and run a SME employing just over 50 people. One of my long-term employees has given notice that she intends to claim both statutory maternity leave and statutory maternity pay, but so far has not provided proof of pregnancy. I have not received proof for 14 weeks.", + "question": "Do I have to grant her SMP and SML requests if she doesn't provide this evidence by her SML start date?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The employee should give you proof within 21 days of the SMP start date. You can agree to accept it later if you want. You do not have to pay SMP if you have not received proof of the due date 13 weeks after the SMP start date.

    " + ], + "id": "train-2103" + }, + { + "url": "https://www.gov.uk/tax-tribunal", + "scenario": "I am a UK taxpayer and I believe my income tax has been miscalculated by HMRC. They have sent me a letter telling me I owe them \u00a35000. I want to appeal this decision. This is not considered to be a basic case.", + "question": "When will I receive the tribunal decision?", + "not_answerable": false, + "answers": [ + [ + "within 1 month", + [] + ] + ], + "evidences": [ + "

    You\u2019ll usually get the tribunal\u2019s decision:

    ", + "
  • in writing within 1 month, if you\u2019ve had a \u2018basic\u2019 case - you\u2019ll sometimes get a decision on the day
  • " + ], + "id": "train-2104" + }, + { + "url": "https://www.gov.uk/tax-sell-property", + "scenario": "I have just sold my house for more than I bought it for 5 years ago. I want know the amount of capital gains tax I am supposed to pay HMRC. The house had been bought to let out to tenants.", + "question": "Do I have to pay capital gains tax?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:

    ", + "
  • buy-to-let properties
  • " + ], + "id": "train-2105" + }, + { + "url": "https://www.gov.uk/claim-employment-allowance", + "scenario": "From 2020 to 2021 i was a care worker but also director of the company. Our Class 1 National Insurance liabilities for all combined Payrolls were \u00a390,000. The care work I do is entirely private.", + "question": "Can I main a claim for Employment allowance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.

    " + ], + "id": "train-2106" + }, + { + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "scenario": "Due to my own foolishness, my debts have mounted up and are now beyond my control. I need to some help sorting it out. I am unable to pay my debts due to having no money and no assets to sell.", + "question": "Is it possible to go into some kind of arrangement with my creditors and get them off my back?", + "not_answerable": false, + "answers": [ + [ + "apply for a debt relief order or bankruptcy order", + [] + ] + ], + "evidences": [ + "

    You can apply for a Debt Relief Order or Bankruptcy Order if you cannot pay your debts because you do not have enough money or assets you can sell.

    " + ], + "id": "train-2107" + }, + { + "url": "https://www.gov.uk/travel-grants-students-england", + "scenario": "I am a medical student currently studying at an English university and living nearby. The next year of my course will involve a placement in Germany for 3 months out of the 12. I will be spend three quarters of the academic year in Germany.", + "question": "Can I claim travel expenses for the overseas placement?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.

    " + ], + "id": "train-2108" + }, + { + "url": "https://www.gov.uk/religious-worker-visa", + "scenario": "I have received my religious worker Visa to work in a hospice Center in the UK. I am from Ghana. I would like to take some holidays within the year and visit my aging parents in Ghana. My employer has provided me with a multiple entry certificate of sponsorship.", + "question": "Can that be allowed or can i extend it ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.

    " + ], + "id": "train-2109" + }, + { + "url": "https://www.gov.uk/tax-foreign-income", + "scenario": "I am British and I work for an American company called Amazon Mechanical Turk. My earnings are paid in Amazon vouchers which can only be redeemed on the US Amazon site. My earnings will be taxed in the US, whilst my main job is taxed in the UK.", + "question": "Am I obligated to pay tax on my Turk earnings as a foreign source of income, given that it is my only form of income?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may be able to claim tax relief if you\u2019re taxed in more than one country.

    " + ], + "id": "train-2110" + }, + { + "url": "https://www.gov.uk/pay-paye-tax", + "scenario": "I would like to submit PAYE bill by cheque through the post. Would like to gather all the needed information so that i can submit before deadline. I do not have the original payment slip.", + "question": "What should i include?", + "not_answerable": false, + "answers": [ + [ + "a replacement payment slip", + [] + ], + [ + "your 13-character accounts office reference number on the back of the cheque", + [] + ], + [ + "include the payslip for the correct period.", + [] + ] + ], + "evidences": [ + "

    Write your 13-character Accounts Office reference number on the back of the cheque. You can find this number on the letter HMRC sent you when you first registered as an employer.

    ", + "

    Include the payslip for the correct period. If you do not have this, you can either:

    ", + "
  • ask HMRC to send you a payment booklet
  • ", + "
  • print off a replacement payment slip
  • " + ], + "id": "train-2111" + }, + { + "url": "https://www.gov.uk/government-authorised-exchange", + "scenario": "I am an overseas Engineering student and I would like to undertake a short work experience opportunities in Engineering companies in the UK . I am under the umbrella of Twin Training International. I want to apply for a Government Authorized exchange Visa. My certificate of sponsorship still has two years left.", + "question": "Can i stay for a year with this Visa in the UK?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ], + "id": "train-2112" + }, + { + "url": "https://www.gov.uk/holiday-entitlement-rights", + "scenario": "I have just given in my notice to leave my job. The notice period is one month. After prorating the annual leave over the 6 months that I will have worked this year, I have found that I have taken two too many days of annual leave. The worker has taken 3 days more annual leave than they should have done.", + "question": "What happens in this situation?", + "not_answerable": false, + "answers": [ + [ + "their employer must not take money from their final pay", + [] + ] + ], + "evidences": [ + "

    If a worker has taken more leave than they\u2019re entitled to, their employer must not take money from their final pay unless it\u2019s been agreed beforehand in writing. The rules in this situation should be outlined in the employment contract, company handbook or intranet.

    " + ], + "id": "train-2113" + }, + { + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "scenario": "I am a UK resident that is self employed. I have been working in Germany for the past year. I will be paying from my German bank account.", + "question": "Which account number shall I pay my national insurance bill to?", + "not_answerable": false, + "answers": [ + [ + "gb49barc20204830944793", + [] + ] + ], + "evidences": [ + "Non-UK | GB49BARC20204830944793 | BARCGB22" + ], + "id": "train-2114" + }, + { + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "scenario": "I worked for the National Coal Board for thirty years and have now retired. I have a wife and two grown up children and am claiming a state pension. I have qualified to receive the fuel allowance through the NCFS.", + "question": "Does my employment history entitle me to any sort of fuel payment?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You need to qualify to get the fuel allowance through the National Concessionary Fuel Scheme (NCFS), and you can only get the cash allowance if you\u2019re already getting fuel through the scheme.

    " + ], + "id": "train-2115" + }, + { + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "scenario": "I am a Chinese National. As i was in the process of applying for a Permitted paid engagement visa online. Immediately after submission I got an email that the UK conference has been cancelled due to one of the event organizer has tested positive of covid 19. the application has not yet been processed.", + "question": "Can i cancel the application and get a refund?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.

    " + ], + "id": "train-2116" + }, + { + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "scenario": "My employee has recently been bereaved of a daughter. I know I need to pay bereavement pay, but this is difficult given the financial situation of the business. I am unable to afford these bereavement payments at this time.", + "question": "What are the financial help with bereavement pay?", + "not_answerable": false, + "answers": [ + [ + "apply for an advance", + [] + ] + ], + "evidences": [ + "

    For financial help with statutory pay, you can:

    ", + "
  • apply for an advance if you cannot afford payments
  • " + ], + "id": "train-2117" + }, + { + "url": "https://www.gov.uk/tax-employee-share-schemes", + "scenario": "I am a long term, full time employee of a major retailer and have some shares through their save as you earn scheme. These shares have consistently increased in value and it has been recommended that I transfer them to an ISA. My ISA provider has agreed to allow this transfer.", + "question": "Can I transfer them to an ISA?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your ISA provider must agree to the transfer.

    " + ], + "id": "train-2118" + }, + { + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "scenario": "I am a woman who was born on the 3rd April 1952. I am looking at the rates of national insurance I should be paying. I will be paying Class 2 national insurance.", + "question": "What rates should I be paying?", + "not_answerable": false, + "answers": [ + [ + "\u00a33.05 a week", + [] + ] + ], + "evidences": [ + "

    The rates for the 2021 to 2022 tax year are:

    ", + "
  • \u00a33.05 a week for Class 2
  • " + ], + "id": "train-2119" + }, + { + "url": "https://www.gov.uk/disability-living-allowance-children", + "scenario": "My 9 year old daughter has recently been diagnosed with AML (leukemia), and is likely to require very intensive care over the next few months. We are both UK citizens and have lived in the UK for all of her life. My 9 year old daughter is expected to have AML for at least another year.", + "question": "Can I claim Disability Living Allowance to offset the costs of her care and transportation costs?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    They must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.

    " + ], + "id": "train-2120" + }, + { + "url": "https://www.gov.uk/social-work-bursaries", + "scenario": "I am a trainee social worker. I am currently studying an approved undergraduate social work degree, which is not employment based. I do not receive funding from my employer. I do not have the higher education social work qualification.", + "question": "Will I be eligible for a social work bursary?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Social work bursaries are available to eligible social work students who:

    ", + "
  • don\u2019t already have a higher education social work qualification
  • " + ], + "id": "train-2121" + }, + { + "url": "https://www.gov.uk/bullying-at-school", + "scenario": "I been watching my son for a couple of weeks now and he is not happy about something. I had a word with him and he mentioned that he is undergoing repeated harassment at the school. This bullying has also been happening outside of school.", + "question": "Who do I report first about a bullying at school ?", + "not_answerable": false, + "answers": [ + [ + "someone you trust", + [] + ] + ], + "evidences": [ + "

    You should report bullying to your school in the first place - or someone you trust if it happens outside school, for example in a club or online.

    " + ], + "id": "train-2122" + }, + { + "url": "https://www.gov.uk/register-a-boat", + "scenario": "I am a keen sea angler and own a 12-metre open boat, based in Falmouth, Cornwall. In addition to fishing I also use the boat to conduct tours of the local coastline for interested tourists. The boat will be purely used for tours on the rivers.", + "question": "Which category should be boat be registered under on the UK Ship Register?", + "not_answerable": false, + "answers": [ + [ + "part 1", + [] + ] + ], + "evidences": [ + "

    You can use Part 1 of the register if you have either:

    ", + "
  • a commercial boat, unless you plan to use it for fishing
  • " + ], + "id": "train-2123" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "My employer has missed paying the self assessment tax return on time because the accountant resigned . He has managed to file the returns late by 3 months. The tax return was filed on the 28th April.", + "question": "How much penalty Will he pay after the delay?", + "not_answerable": false, + "answers": [ + [ + "\u00a3100", + [] + ] + ], + "evidences": [ + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    " + ], + "id": "train-2124" + }, + { + "url": "https://www.gov.uk/uk-visa-sponsorship-employers", + "scenario": "We run a small UK company and wish to employ from outside the UK. We would like to sponsor a worker for more than 5 years . We would like to pay an immigration skill surcharge. This will be the first 12 months of the employee being in the UK.", + "question": "How much does it cost for one employee?", + "not_answerable": false, + "answers": [ + [ + "\u00a3364", + [] + ] + ], + "evidences": [ + "First 12 months | \u00a3364 | \u00a31,000" + ], + "id": "train-2125" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "I reside in England. I am self-employed, and I am required to submit tax returns. Due to some difficulties, I will not be able to submit my tax return on time this year. The tax return will not be submitted for another three months.", + "question": "What kind of fine will I face for this late submission?", + "not_answerable": false, + "answers": [ + [ + "pay more", + [] + ] + ], + "evidences": [ + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    " + ], + "id": "train-2126" + }, + { + "url": "https://www.gov.uk/tax-sell-property", + "scenario": "I want to sell my property. The purchase price of this property was \u00a3150,000. The price I want to sell it at would be \u00a3250,000. This property has been rented out and is not my home.", + "question": "Would the difference of \u00a3100,000 be the amount that will be liable to capital gains tax?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:

    " + ], + "id": "train-2127" + }, + { + "url": "https://www.gov.uk/power-of-attorney", + "scenario": "Because I have a family history of dementia, I would like to make a lasting power of attorney naming my daughter as my attorney, should I become mentally incapacitated. I'm 57 years old and live in England. I know that it's quite expensive to create a power of attorney and I'm currently on income support so may struggle to afford it. My earnings are only \u00a310,000 per year at this time.", + "question": "Can you get financial assistance with the cost of making a lasting power of attorney?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for a reduction if you earn less than \u00a312,000. You might also be able to apply for an exemption if you\u2019re on certain benefits, such as Income Support.

    " + ], + "id": "train-2128" + }, + { + "url": "https://www.gov.uk/budgeting-help-benefits", + "scenario": "I am moving to a new home provided by council. I am already on housing benefits and income support benefits. I am planning to buy some white goods but have no money. I am currently receiving income support.", + "question": "As I am already on benefits , will I be eligible for Budgeting Loans ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    To get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:

    ", + "
  • Income Support
  • " + ], + "id": "train-2129" + }, + { + "url": "https://www.gov.uk/council-tax", + "scenario": "I am the owner-occupier of a house in Birmingham, where I live with my wife. My wife became a paraplegic as a result of a traffic accident three years ago, and this has required us to extend our house to provide extra storage space for her mobility aids. The property is my wife's main home.", + "question": "If the extension moves our house into a higher council tax band, can I claim a discount on the basis of my wife's disability?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.

    " + ], + "id": "train-2130" + }, + { + "url": "https://www.gov.uk/planning-permissions-for-farms", + "scenario": "Our parents in law will be visiting us in Uk during summer time from canada and our house is small. My partner and i have come up with an idea of putting a caravan in our garden to accomodate them. My farm is 16 hectares in size.", + "question": "Is this a permitted development?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Permitted development means that if your farm is 5 hectares or more, you have the right to:

    " + ], + "id": "train-2131" + }, + { + "url": "https://www.gov.uk/pay-class-1a-national-insurance", + "scenario": "I own and operate a small business in Scotland, with almost 50 employees. We run payroll on a monthly basis, via the PAYE system. Various benefits are given to employees, including phones and company cars. I will not be paying by post.", + "question": "When is the deadline for paying the preceding year's Class 1A contributions on these benefits?", + "not_answerable": false, + "answers": [ + [ + "22 july", + [] + ] + ], + "evidences": [ + "

    You need to pay contributions on work benefits by 22 July each year for the previous tax year. You\u2019ll need to pay by 19 July if paying by post.

    " + ], + "id": "train-2132" + }, + { + "url": "https://www.gov.uk/travel-grants-students-england", + "scenario": "Hi I am Mandy. I am studying French Business at Manchester University. I am due to spend a year on a placement in France. My permanent home is based in London", + "question": "What assistance can I received to help with my stay in France?", + "not_answerable": false, + "answers": [ + [ + "help with essential expenses, medical insurance and travel visas", + [] + ] + ], + "evidences": [ + "

    Your permanent home address must be in England.

    ", + "
  • help with essential expenses, medical insurance and travel visas
  • " + ], + "id": "train-2133" + }, + { + "url": "https://www.gov.uk/paye-for-employers", + "scenario": "I am an employer who is just about to setup payroll. I am expecting to pay out \u00a31,200 per month. I am currently unsure as to when payments to HMRC are made. I only employ 5 staff and I am considered a small employer.", + "question": "When do I have to make payments to HMRC?", + "not_answerable": false, + "answers": [ + [ + "quarterly", + [] + ] + ], + "evidences": [ + "

    If you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.

    " + ], + "id": "train-2134" + }, + { + "url": "https://www.gov.uk/defend-your-intellectual-property", + "scenario": "My Brother is a Music artist and just discovered that a certain local radio station is using his Music without his awareness. After contacting them they said that are open for a discussion out of court. We have been unable to reach an agreement.", + "question": "Can he use a mediator?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can use a mediator if you can\u2019t come to an agreement over an intellectual property (IP) dispute.

    " + ], + "id": "train-2135" + }, + { + "url": "https://www.gov.uk/derecognise-a-union", + "scenario": "I am the owner of a high street retailing business which has fallen on hard times in the wake of the pandemic. At our peak we had over 150 employees, who were represented by a trade union whom we voluntarily recognised six years ago. Now our headcount has fallen below 20, and the remaining workers include a union shop steward who is being unreasonably obstructive of our attempts to turn the company around. I have had only 17 employees for the last year.", + "question": "Given the shrunken state of the business, is it now possible to get the union derecognised?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    As an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:

    ", + "
  • you\u2019ve employed less than 21 people for a continuous 13-week period
  • " + ], + "id": "train-2136" + }, + { + "url": "https://www.gov.uk/pay-paye-penalty", + "scenario": "I own and operate a small business with 30 employees, whom we compensate via the PAYE system. After missing a filing deadline earlier this year, we have received a penalty notice from HMRC. I am planning to pay by direct debit.", + "question": "If we choose to pay the penalty with Direct Debit, how much time should be allow for the debit to be processed?", + "not_answerable": false, + "answers": [ + [ + "5 working days", + [] + ] + ], + "evidences": [ + "

    5 working days

    ", + "
  • Direct Debit (if you have not set up one for HMRC before)
  • " + ], + "id": "train-2137" + }, + { + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "scenario": "Due to my own foolishness, my debts have mounted up and are now beyond my control. I need to some help sorting it out. I am unable to pay off my debts due to having no money.", + "question": "Is it possible to go into some kind of arrangement with my creditors and get them off my back?", + "not_answerable": false, + "answers": [ + [ + "be made bankrupt", + [] + ] + ], + "evidences": [ + "

    If you cannot pay off your debts, you can be made bankrupt.

    " + ], + "id": "train-2138" + }, + { + "url": "https://www.gov.uk/repossession", + "scenario": "I live in England . I have an unpaid mortgage due to the change of my income. I was hospitalized the whole of last year due to long terms covid Complications and lost my job.The lender has taken repossession action against me. I currently only have an income for \u00a35,000 per year.", + "question": "Can i get a legal aid?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re on a low income you may be able to get legal aid.

    " + ], + "id": "train-2139" + }, + { + "url": "https://www.gov.uk/blind-persons-allowance", + "scenario": "I am 41, registered blind with my local council and live in England in a home which I share with my wife, who works part-time to provide for us. I have a certificate for my blindness.", + "question": "Can I claim Blind Person's Allowance, and then transfer it to my wife so that she can claim it against her taxes?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can claim Blind Person\u2019s Allowance if both of the following apply:

    ", + "
  • you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)
  • " + ], + "id": "train-2140" + }, + { + "url": "https://www.gov.uk/pay-paye-tax", + "scenario": "I own and operate a small publishing company based in Herefordshire, with 34 current employees. Our finance director sadly died recently as a result of the pandemic, and I am currently trying to sort out our monthly payroll and dealings with HMRC myself. I plan to be paying by cheque.", + "question": "What is the deadline for paying our PAYE bill for the current tax month?", + "not_answerable": false, + "answers": [ + [ + "the 19th of the month", + [] + ] + ], + "evidences": [ + "

    If you pay by cheque through the post the deadline is the 19th of the month.

    " + ], + "id": "train-2141" + }, + { + "url": "https://www.gov.uk/social-work-bursaries", + "scenario": "I am currently employed part-time as a care assistant and am also studying for a first degree in social work via a non-residential part-time course offered by my local university. My household income is around \u00a316,000 pa, but my employer does not directly contribute to the cost of my training. The course is approved.", + "question": "Am I likely to be eligible for a social work bursary?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Social work bursaries are available to eligible social work students who:

    ", + "
  • are studying an approved undergraduate or postgraduate course in social work
  • " + ], + "id": "train-2142" + }, + { + "url": "https://www.gov.uk/derecognise-a-union", + "scenario": "I am an employer and due to the reduced work force the number of employees represented by the union has reduced to 10. The union is recognized entity by CAC since 2017. I have only employed 20 people for the past 14 weeks.", + "question": "Can i give notice to CAC to deregister it?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    As an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:

    ", + "
  • you\u2019ve employed less than 21 people for a continuous 13-week period
  • " + ], + "id": "train-2143" + }, + { + "url": "https://www.gov.uk/upper-tribunal-immigration-asylum", + "scenario": "I applied for an asylum. The application was rejected. I thought it was asylum tribunal mistake and appealed the decision but now I realised it was my mistake. My hearing is going to take place in four days.", + "question": "I want to withdraw my appeal. Who do I contact to withdraw my appeal ?", + "not_answerable": false, + "answers": [ + [ + "the hearing centre where your appeal is scheduled", + [] + ] + ], + "evidences": [ + "

    If your hearing is less than 7 days away, contact the hearing centre where your appeal is scheduled.

    " + ], + "id": "train-2144" + }, + { + "url": "https://www.gov.uk/national-curriculum", + "scenario": "I am a parent of two school-age children, the eldest of which is about to begin Key Stage 3. I am devoutly religious and have moral objections to aspects of the religious and the sexual education modules taught therein. These parts of the subject are not compulsory.", + "question": "Can I withdraw my child from lessons I find morally offensive?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Some parts of sex and relationship education are compulsory - these are part of the national curriculum for science. Parents can withdraw their children from all other parts of sex and relationship education if they want.

    " + ], + "id": "train-2145" + }, + { + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "scenario": "I am a 41 year old from Chester and I have a CBT course arranged which unfortunately I can not attend. I have given 3 weeks notice for the course.", + "question": "Can I reschedule the course for another date?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.

    " + ], + "id": "train-2146" + }, + { + "url": "https://www.gov.uk/bankruptcy", + "scenario": "I have applied for bankruptcy. I have \u00a370,000 worth of debt. I have a house that is worth \u00a3150,000, which is completely paid off. My equity in the house is \u00a320,000.", + "question": "What will happen to my home in these circumstances?", + "not_answerable": false, + "answers": [ + [ + "your home might be sold", + [] + ] + ], + "evidences": [ + "

    You might have to give up:

    ", + "
  • legal ownership of the property if your equity is \u00a31,000 or more
  • ", + "

    Your home might be sold depending on your equity - your share after any secured debts (like a mortgage) have been paid.

    " + ], + "id": "train-2147" + }, + { + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "scenario": "My wife is pregnant. I am an employee who currently earns \u00a3550 per week. I have been working for this employer for five years. I want to take time off to look after my new child when it is born. I have given the correct notice to my employer.", + "question": "Am I eligible for statutory paternity pay?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Employees must also:

    ", + "
  • give you the correct notice
  • " + ], + "id": "train-2148" + }, + { + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "scenario": "I am the HR manager of a small biotechnology company in Wales, which is currently looking for an onsite cleaner. We would like to offer an opportunity to a local unemployed person, and are considering running a work trial to determine suitability. We are looking for the trial to be 35 days long.", + "question": "Are there limits to how long such a trial can be run, and if so what are they?", + "not_answerable": false, + "answers": [ + [ + "longer than 30 days", + [] + ] + ], + "evidences": [ + "

    The work trial can be longer than 30 days if the jobseeker needs more time to adjust to being back at work. This needs to be agreed before the work trial starts.

    " + ], + "id": "train-2149" + }, + { + "url": "https://www.gov.uk/doctoral-loan", + "scenario": "I live in England and I am doing a 3 year Ph.D in Computer Science. I heard of Doctoral Loans but didn't apply in the first year and planning to apply from second year. I started the course on 10 Aug 2020. I am currently 19 years of age.", + "question": "How much loan I can get each year ?", + "not_answerable": false, + "answers": [ + [ + "\u00a311,222", + [] + ] + ], + "evidences": [ + "

    You must be under 60 on the first day of the first academic year of your course.

    ", + "
  • \u00a311,222 each year if your course started between 1 August 2020 and 31 July 2021
  • " + ], + "id": "train-2150" + }, + { + "url": "https://www.gov.uk/school-discipline-exclusions", + "scenario": "I have a fourteen year old son who has recently gone off the rails and got into a good deal of trouble at school. After the last incident he was excluded for 10 days. He seems indifferent but I am very worried about his future, as no alternative education appears to have been arranged for him. The exclusion means that my child will miss his year 9 tests.", + "question": "What can I do about my child's exclusion?", + "not_answerable": false, + "answers": [ + [ + "overturn the exclusion", + [] + ] + ], + "evidences": [ + "

    You can ask the school\u2019s governing body to overturn the exclusion if either:

    ", + "
  • the exclusion means they\u2019ll miss a public exam or national curriculum test
  • " + ], + "id": "train-2151" + }, + { + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "scenario": "My parents moved to the united kingdom from a country once ruled by the united kingdom, I plan to stay and work in the united kingdom. My parents moved to the UK from Fiji in 1970.", + "question": "Am I eligable to apply to work and live in the united kingdom under the Windrush Scheme?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to apply for a document to prove you can live and work in the UK if one of the following is true:

    ", + "
  • your parents came to the UK from a Commonwealth country before 1973
  • " + ], + "id": "train-2152" + }, + { + "url": "https://www.gov.uk/challenge-election-result", + "scenario": "My friend Ann was contesting in a local government elections as a councillor .She was not satisfied with the way the elections were run and filed an election petition due to rigging. She is worried there is a slight chance of her losing the case.", + "question": "Will she have to pay more or less if she loses the case?", + "not_answerable": false, + "answers": [ + [ + "pay more", + [] + ] + ], + "evidences": [ + "

    You might have to pay more if you lose the case or you decide to stop it.

    " + ], + "id": "train-2153" + }, + { + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "scenario": "I was born and raised in Australia. I have changed my gender and got a certificate in Australia. I have moved to UK three years back. I am currently 29 years old.", + "question": "I would like to know whether I am eligible to apply for Gender Recognition Certificate in UK ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must be 18 or over.

    " + ], + "id": "train-2154" + }, + { + "url": "https://www.gov.uk/fishing-vessel-licence-under-10-metres", + "scenario": "I live in Essex, England and own a small (7m) vintage fishing smack (unpowered sail boat). I would like to take this out into the Thames Estuary and North Sea to fish for mackerel and plaice. I have never done this before and only plan on doing it from time to time for leisure, as a pleasurable activity.", + "question": "Do I need a Category A fishing vessel license?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You don\u2019t need a licence for your vessel if any of the following apply:

    ", + "
  • you only use your vessel to fish for pleasure
  • " + ], + "id": "train-2155" + }, + { + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "scenario": "My father passed away 3 years ago after a long service of 30 years with the UK Merchant Navy, as a remembrance gift for my mother i wanted to give her a gift of a veteran seafarers badge that would have been bestowed on him as an honour. I think he would really appreciate the acknowledgement. My mom receives a War Widow's pension. I have access to the documents since I helped her get it.", + "question": "Am I able to order on my dads behalf a Merchant Navy Seafarers badge now that my father has passed away?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.

    " + ], + "id": "train-2156" + }, + { + "url": "https://www.gov.uk/challenge-election-result", + "scenario": "When I visited the election booth to vote in the UK parliament election, the mediators were destroying certain peoples polling cards before they could be accepted and denying entry, it seemed to only to be people from certain addresses but I'm not sure what can be done about it.", + "question": "When will I be able to apply to challenge the election result since I believe it has been corrupt?", + "not_answerable": false, + "answers": [ + [ + "after 21 days", + [] + ] + ], + "evidences": [ + "

    A judge might let you apply after 21 days if:

    ", + "
  • you think there have been corrupt or illegal practices, for example bribery
  • " + ], + "id": "train-2157" + }, + { + "url": "https://www.gov.uk/employment-support-allowance", + "scenario": "I am unable to work due to a mental health condition. I have had this condition for several years and it is gradually worsening. I do not see any sign of respite. I am only 35 years old so I do not meet the age requirement for State Pension.", + "question": "Are people with mental health problems eligible for ESA if the condition prevents them from working?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.

    " + ], + "id": "train-2158" + }, + { + "url": "https://www.gov.uk/vehicle-recalls-and-faults", + "scenario": "I have come into possession of a new car. The electronic handbrake keeps releasing on its own. I have had to leave it on the flat. This is a major fault. I have contacted the manufacturer of the vehicle multiple times but they are handling the case extremely poorly. They are slow to respond and refuse to admit that there is a major fault with the vehicle.", + "question": "Who should I turn to since the manufacturer is not assisting me properly?", + "not_answerable": false, + "answers": [ + [ + "report it to the manufacturer immediately", + [] + ], + [ + "tell the driver and vehicle standards agency (dvsa)", + [] + ] + ], + "evidences": [ + "

    You can report a serious safety defects with your vehicle or accessory if it could cause injury.

    ", + "

    If you find a serious defect that affects the safety of your vehicle, one of its parts, or an accessory, report it to the manufacturer immediately.

    ", + "

    Tell the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with how the manufacturer is dealing with your report.

    ", + "

    A serious safety defect is something:

    ", + "
  • about the way the vehicle is designed or made that\u2019s likely to cause injury or death
  • ", + "
  • that happens suddenly and without warning
  • " + ], + "id": "train-2159" + }, + { + "url": "https://www.gov.uk/rest-breaks-work", + "scenario": "I have been working in a pharmacy shop without breaks due to the flow of customers. I have raised my complaint to my senior boss but has not taken it seriously but ignored me. I feel strained and under pressure. I have tried on multiple occasions to resolve the issue with my higher-ups but to no avail.", + "question": "Can i make a claim to the employment tribunal?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.

    " + ], + "id": "train-2160" + }, + { + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "scenario": "I am looking to practice how to drive a category G road roller which as far as I know operates very similarly to a car and has 2 front seats. I hold a licence for an approved driving instructor, and I am thirty-two years old. I know I am able to begin learning, and I have started to look for an instructor. I do not know where to start.", + "question": "What type of license can I use to operate this vehicle which operates similarly to a car and has 2 front seats?", + "not_answerable": false, + "answers": [ + [ + "approved driving instructor (adi)", + [] + ] + ], + "evidences": [ + "

    You might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.

    " + ], + "id": "train-2161" + }, + { + "url": "https://www.gov.uk/register-a-boat", + "scenario": "I am a keen sea angler and own a 12-metre open boat, based in Falmouth, Cornwall. I mainly use the boat to catch fish which I later sell on the local market. Additionally, I also use the boat to conduct tours of the local coastline for interested tourists.", + "question": "Which category should my boat be registered under on the UK Ship Register?", + "not_answerable": false, + "answers": [ + [ + "part 2", + [] + ] + ], + "evidences": [ + "

    Use Part 2 of the register if you\u2019re using your boat to catch and sell fish.

    " + ], + "id": "train-2162" + }, + { + "url": "https://www.gov.uk/adoption-pay-leave", + "scenario": "I am not a British citizen but I have lived in the UK for the last 10 years and have an Indefinite Leave to Remain permit. I am on permanent employment and plan to adopt a child from Malaysia. I am going to request a Statutory Adoption Leave from my employer.", + "question": "What documents will I need to submit as proof to my employer in order to get payed during my leave?", + "not_answerable": false, + "answers": [ + [ + "proof of adoption", + [] + ] + ], + "evidences": [ + "

    You must give your employer proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless they request it.

    " + ], + "id": "train-2163" + }, + { + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "scenario": "We are an IT company and recently we have developed interest in Artificial Intelligence. There is a patent registered on Machine learning that we are interested in buying and seller is happy to sell it.", + "question": "Is it possible to buy a patent when someone is selling it and has agreed to sign all necessary documents and keep a record of the transfer of the patent?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.

    " + ], + "id": "train-2164" + }, + { + "url": "https://www.gov.uk/international-agreement-worker-visa", + "scenario": "My single friend wants to apply for an international agreements work visa. He has been posted to work in the Indian Embassy. He has compiled several evidence documents. He was notified by a government employee that a standard tuberculosis test has to be taken in his country.", + "question": "What documents are needed other than his passport?", + "not_answerable": false, + "answers": [ + [ + "your certificate of sponsorship reference number", + [] + ], + [ + "evidence that you have enough personal savings to support yourself in the uk", + [] + ], + [ + "your tuberculosis test results", + [] + ], + [ + "a valid atas certificate", + [ + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • " + ] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • " + ], + "id": "train-2165" + }, + { + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "scenario": "We have been married for 20 years and have four kids. Recently we decided to end our relationship. We decided to keep two kids each but are having issues on dividing up the assets", + "question": "We couldn't come to an agreement on dividing up the assets even after attending a meeting about mediation. Can we go to court and get them to decide?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).

    " + ], + "id": "train-2166" + }, + { + "url": "https://www.gov.uk/scottish-income-tax", + "scenario": "I am a Scottish resident who has just started their first job. This job started in March 2021, so I will not pay any tax for the remainder of this tax year. I was informed that I will be paying taxes at the starter rate.", + "question": "What rate of tax will I be paying in the 2021/22 tax year?", + "not_answerable": false, + "answers": [ + [ + "19%", + [] + ] + ], + "evidences": [ + "Starter rate | \u00a312,571 to \u00a314,667 | 19%" + ], + "id": "train-2167" + }, + { + "url": "https://www.gov.uk/tax-employee-share-schemes", + "scenario": "I am a full time employee. I would like to invest in save as you earn(SAYE) in a shares related scheme.I am aiming to do a monthly contribution of \u00a3400 for the next 5 years. I would prefer to transfer all the savings to an individual savings account(ISA).", + "question": "Do i need to pay capital gain tax if I transfer the shares within 30 days of the scheme ending?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You\u2019ll not pay Capital Gains Tax if you transfer the shares:

    ", + "
  • to an Individual Savings Account (ISA) within 90 days of the scheme ending
  • " + ], + "id": "train-2168" + }, + { + "url": "https://www.gov.uk/dismiss-staff", + "scenario": "We would like to dismiss two of our employees without notice due to gross misconduct.We want them to leave immediately for the best interest of our company.", + "question": "Do we have to pay them if their contracts state that they can be suspended without pay at any point and without notice?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Tribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.

    " + ], + "id": "train-2169" + }, + { + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "scenario": "I am a woman who was born on the 3rd April 1952. I am looking at the rates of national insurance I should be paying. I was last told that I fall under the category of Class 3.", + "question": "What rates should I be paying?", + "not_answerable": false, + "answers": [ + [ + "\u00a315.40 a week", + [] + ] + ], + "evidences": [ + "

    The rates for the 2021 to 2022 tax year are:

    ", + "
  • \u00a315.40 a week for Class 3
  • " + ], + "id": "train-2170" + }, + { + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "scenario": "I have just joined the VAT annual accounting scheme. I am sorting out the payment schedule for my business for cashflow purposes. I am currently looking to sort out the final payment.", + "question": "When is the final payment due for this scheme?", + "not_answerable": false, + "answers": [ + [ + "within 2 months of month 12", + [] + ] + ], + "evidences": [ + "Final payment | Within 2 months of month 12" + ], + "id": "train-2171" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have just purchased my first home, a 1960s two-bedroomed detached house in a village in Northern Ireland which I bought with a mortgage from a building society. I paid Stamp Duty on the property shortly after buying it. Despite its age this house does not appear to be registered with the land registry.", + "question": "If I want to register the property myself, what documentation will I need to provide?", + "not_answerable": false, + "answers": [ + [ + "a completed \u2018whole of registered title assent\u2019 form", + [] + ], + [ + "a \u2018transfer of whole of registered title\u2019 form.", + [] + ], + [ + "a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer", + [] + ], + [ + "a land transaction return certificate", + [] + ], + [ + "a completed \u2018transfer of whole of registered title\u2019 form", + [] + ] + ], + "evidences": [ + "

    Include the same forms as for registering for the first time and a \u2018transfer of whole of registered title\u2019 form.

    ", + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • ", + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • ", + "

    You may also need to send:

    ", + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • ", + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • ", + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • ", + "
  • a certified copy of the lease, if you\u2019re applying to register leasehold land or property
  • " + ], + "id": "train-2172" + }, + { + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "scenario": "I don't have an accountant. I am a full time worker and it's towards the end of the financial year. I have paying in slips and the paper statements. I would like to pay for self assessment tax bill to the HMRC.", + "question": "Can I pay through the bank by cash?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can only pay at your branch by cash or cheque if you both:

    ", + "
  • still get paper statements from HM Revenue and Customs (HMRC)
  • " + ], + "id": "train-2173" + }, + { + "url": "https://www.gov.uk/dismiss-staff", + "scenario": "I am an employer looking to dismiss an employee due to health reasons. The employee has a heart condition and is unable to do the lifting required for the job. I am concerned about an unfair dismissal claim. I have tried to work it out with the employee for several months but no reasonable adjustments an be made to the workplace for them to be able to do the job.", + "question": "Under the circumstance that no adjustments can be made what steps can I take?", + "not_answerable": false, + "answers": [ + [ + "dismiss them", + [] + ] + ], + "evidences": [ + "

    If the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.

    " + ], + "id": "train-2174" + }, + { + "url": "https://www.gov.uk/volunteering", + "scenario": "My sister is a widow and on benefits. She got a volunteer job offer. She will be reimbursed out of pocket expenses for travels and meals. Despite this she will still meet the conditions of her benefits.", + "question": "Will this affect her benefits?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can volunteer and claim benefits if:

    ", + "
  • you continue to meet the conditions of the benefit you get
  • " + ], + "id": "train-2175" + }, + { + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "scenario": "I got offered a seafarer position from one of my Dad's friends. I recently turned 17 and the offer seems like a nice way to spend the summer and gain some experience. He mentioned that I will mostly be working during the day but may sometimes have to fulfill nightly duties. I was assured my safety and health will be kept as a number one priority.", + "question": "Do I meet the age requirements for the position considering I have been promised that my safety and health will not be compromised?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Exceptions can be allowed for:

    ", + "
  • where the seafarer\u2019s duties require it, as long as their health and safety is not affected
  • " + ], + "id": "train-2176" + }, + { + "url": "https://www.gov.uk/dismiss-staff", + "scenario": "We have been having an employee in our company who has been diagnosed with breast cancer. She has been put on long term chemotherapy treatment. She shows no signs of recovery. And there are no adjustments to her work place that can be made for her to be able to work.", + "question": "Is it fair for us to dismiss her from work?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.

    " + ], + "id": "train-2177" + }, + { + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "scenario": "I married my wife 10 years ago. I now want to legally change my gender and I am applying for a Gender Recognition Certificate. My wife says she does not want to remain married after the change.", + "question": "Will will be given a document stating that my wife does not want to remain married to me?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.

    " + ], + "id": "train-2178" + }, + { + "url": "https://www.gov.uk/traffic-commissioner", + "scenario": "I am the operator of a HGV. I have been told that I have broken the terms of my license by the Traffic Commissioner. The license has been revoked. I am not happy about the decision. I received the notice 2 weeks ago.", + "question": "What do I need to do in order to appeal this decision?", + "not_answerable": false, + "answers": [ + [ + "you can appeal to the upper tribunal against a traffic commissioner decision (form ut12)", + [] + ] + ], + "evidences": [ + "

    You must send the form to the tribunal within 1 month of the traffic commissioner\u2019s written decision. The address is on the form.

    ", + "

    You can appeal to the Upper Tribunal against a traffic commissioner decision (form UT12).

    " + ], + "id": "train-2179" + }, + { + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "scenario": "I have previously received a quote for cavity wall insulation for a tenancy i own, the prices are extortionate and i want to do it to improve energy bills and quality for the tenants but it is so expensive i am unsure i can afford it. The changes were recommended in my Green Deal assessment but I was not told much further information.", + "question": "What are fundings available to assist in paying for energy saving improvements to a tenancy?", + "not_answerable": false, + "answers": [ + [ + "get a green deal finance plan", + [] + ], + [ + "pay in advance", + [] + ], + [ + "use other schemes", + [] + ] + ], + "evidences": [ + "

    You may be able to get a loan through the Green Deal, but you\u2019ll have to pay this back.

    ", + "

    Any household with an electricity meter (including prepayment meters) in England, Scotland or Wales can use the scheme.

    ", + "

    Both the landlord and the tenant must agree to the improvements if the building is rented.

    ", + "

    You can use the Green Deal for a range of different energy saving measures including:

    ", + "
  • insulating your loft or walls
  • ", + "

    You can pay in advance, get a Green Deal finance plan, or use other schemes to fund the work. You can also combine ways to pay.

    ", + "

    Finance plans are offered by approved Green Deal providers.

    ", + "

    You can only get a finance plan for improvements recommended in your Green Deal assessment.

    " + ], + "id": "train-2180" + }, + { + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "scenario": "My partner and i have separated after 20 years of marriage but we can\u2019t agree on how to split up our shared properties and assets. Efforts to make a binding agreement have been futile. I have police reports documenting domestic abuse throughout our marriage.", + "question": "Can I directly apply for the court to make a decision?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).

    " + ], + "id": "train-2181" + }, + { + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "scenario": "I lost my original copies of my trademark registration documents. I would like to make a request to get uncertified copies of the same. The document is just a few pages and a standard A4 format.", + "question": "How much will it cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a35", + [] + ] + ], + "evidences": [ + "

    Uncertified copies usually cost \u00a35 - large documents may cost more.

    " + ], + "id": "train-2182" + }, + { + "url": "https://www.gov.uk/get-declaration-presumed-death", + "scenario": "My 76 year old father from Kent has been missing for 5 years now, my sister still thinks there is hope but I do not.", + "question": "Can I get a death certificate for him if my sister sees the advert and challenges the claim?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Your claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.

    " + ], + "id": "train-2183" + }, + { + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "scenario": "I have filled in the forms and am ready for my assessment. I have studied the CBT course and read all the publication thoroughly. I have a license from from Bulgaria which qualifies as an EU license.", + "question": "What other documents do I need to bring to my assessment?", + "not_answerable": false, + "answers": [ + [ + "your valid driving licence", + [] + ], + [ + "your cbt1 card if you have one", + [] + ], + [ + "confirmation of your great britain (gb) driver number", + [] + ], + [ + "a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kw", + [] + ] + ], + "evidences": [ + "

    You need to bring:

    ", + "
  • your valid driving licence
  • ", + "
  • your CBT1 card if you have one
  • ", + "

    If you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.

    ", + "
  • a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kW
  • " + ], + "id": "train-2184" + }, + { + "url": "https://www.gov.uk/make-will", + "scenario": "I have written a will with the help of a solicitor six years ago and have had a lot of changes in my assets since. I am planning to make some major changes to all aspects of my will.", + "question": "Should I amend the old will or work on writing a new one?", + "not_answerable": false, + "answers": [ + [ + "make a new will", + [] + ] + ], + "evidences": [ + "

    For major changes you should make a new will.

    " + ], + "id": "train-2185" + }, + { + "url": "https://www.gov.uk/bankruptcy", + "scenario": "I am in the process of being declared bankrupt after having run up debts on credit and store cards which I simply cannot repay. The level of my debt is over thirty thousand pounds. I own quite a lot of good jewelry and an expensive car which I am convinced are worth more than any reasonable replacement.", + "question": "Will I have to surrender my car and jewellery when my bankruptcy is completed?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You might have to give these items up if they\u2019re worth more than a reasonable replacement.

    " + ], + "id": "train-2186" + }, + { + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "scenario": "My partner and I live abroad. We are planning to take our daughter to an independent school in the UK when she turns 5. We admire the UK National curriculum. We also have another daughter which is applying for a Child Student visa.", + "question": "Can we bring our other young daughter through the visa of the first child?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can bring your other children with you if they also have or are applying for a Child Student visa.

    " + ], + "id": "train-2187" + }, + { + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "scenario": "I lost my original copies of my trademark registration documents. I would like to request for copies to be sent to me by email. I do not need them to be certified.", + "question": "How much will it cost for uncertified copies to be emailed to me?", + "not_answerable": false, + "answers": [ + [ + "\u00a35 set fee and \u00a31.20 per page", + [] + ] + ], + "evidences": [ + "

    Uncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.

    " + ], + "id": "train-2188" + }, + { + "url": "https://www.gov.uk/schools-admissions", + "scenario": "My uncle has a 14 year old step son who moved to England from India last month. He has been looking for a special grammar school for him to join. He is fairly confident he will be able to pass an entrance exam for such a school.", + "question": "Will children who are able to pass an entrance exam for a grammar school be given priority?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Admission criteria are different for each school. They may give priority to children:

    ", + "
  • who pass an entrance exam (for selective schools, for example grammar schools)
  • " + ], + "id": "train-2189" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "I have started investing my income into a business i started in my free time, I still work at another job but also have income coming from my business.", + "question": "How do I pay taxes for my business income considering I am registered as a \"sole trader\" and my business income is around \u00a35,000?", + "not_answerable": false, + "answers": [ + [ + "send a tax return", + [] + ] + ], + "evidences": [ + "

    You must send a tax return if, in the last tax year (6 April to 5 April), you were:

    ", + "
  • self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)
  • " + ], + "id": "train-2190" + }, + { + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "scenario": "I lost my original copies of my trademark registration documents. I would like to make a request to get copies of the same. I would like for the copies to be certified.", + "question": "How much will it cost?", + "not_answerable": false, + "answers": [ + [ + "\u00a320 each", + [] + ] + ], + "evidences": [ + "

    Certified copies cost \u00a320 each.

    " + ], + "id": "train-2191" + }, + { + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "scenario": "I am a UK business trader and have been running my business at a loss since the covid restrictions were imposed. My business is on the verge of collapsing and I have made most of my employees redundant. Creditors have been making endless calls. I have never applied for any breathing space. I do not have a debt relief order nor an individual voluntary arrangement. There was an interim order issued on the business but it is not active anymore. The company is in good financial standing and is not going bankrupt.", + "question": "Can i apply and get a breathing space?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must:

    ", + "
  • not have a debt relief order (DRO), an individual voluntary arrangement (IVA), an interim order, or be an undischarged bankrupt at the time you apply
  • " + ], + "id": "train-2192" + }, + { + "url": "https://www.gov.uk/flexible-working", + "scenario": "I own and operate a vehicle hire firm, based in London. One of my best sales reps, who has been with us for nearly a decade, has made a request to work flexible hours following a change to his family circumstances. I spoke to him and he said he can maintain his current work times for another 5 months or so before I give him a decision.", + "question": "Am I limited to give him a response in 3 months or can I take longer?", + "not_answerable": false, + "answers": [ + [ + "longer", + [] + ] + ], + "evidences": [ + "

    They should usually make a decision within 3 months of the request (or longer if agreed with the employee).

    " + ], + "id": "train-2193" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "I reside in England. I am self-employed, and I am required to submit tax returns. Due to some difficulties, I will not be able to submit my tax return on time this year. My filing will be delayed by up to 2 months since I am in the hospital.", + "question": "What kind of fine will I face for this late submission?", + "not_answerable": false, + "answers": [ + [ + "\u00a3100", + [] + ] + ], + "evidences": [ + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    " + ], + "id": "train-2194" + }, + { + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "scenario": "I have just joined the VAT annual accounting scheme. I am sorting out the payment schedule for my business for cashflow purposes.", + "question": "When are the monthly payment deadlines for this scheme?", + "not_answerable": false, + "answers": [ + [ + "due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12", + [] + ] + ], + "evidences": [ + "Monthly | Due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12" + ], + "id": "train-2195" + }, + { + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "scenario": "I married my wife 10 years ago. I now want to legally change my gender and I am applying for a Gender Recognition Certificate.", + "question": "Will my marriage's legal status change if both me and my wife agree to remain married despite the change?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You and your spouse must fill in a statutory declaration saying you both agree to stay married.

    " + ], + "id": "train-2196" + }, + { + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "scenario": "My partner and I are full time employees earning more than \u00a3 250 per week and have been matched with a child from Sudan. We are planning to take an adoption leave. We are both new at our jobs and have only worked there for the past 20 weeks.", + "question": "When should we give notice to our employers?", + "not_answerable": false, + "answers": [ + [ + "within 28 days of the sunday in their 26th week", + [] + ] + ], + "evidences": [ + "

    If they\u2019ve worked for you for less than 26 weeks, they can tell you within 28 days of the Sunday in their 26th week instead.

    " + ], + "id": "train-2197" + }, + { + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "scenario": "I am an employer. I have recently granted my employee statutory paternity leave and pay. I have never done this before, and I am unsure as to the requirements.", + "question": "What records should I keep of the situation considering they is adopting a child?", + "not_answerable": false, + "answers": [ + [ + "the date statutory paternity pay started", + [] + ], + [ + "the paternity payments you\u2019ve made", + [] + ], + [ + "the payments you\u2019ve reclaimed", + [] + ], + [ + "any weeks you did not pay and why", + [] + ], + [ + "a letter from the adoption agency or a matching certificate", + [] + ] + ], + "evidences": [ + "

    You must keep records for HM Revenue and Customs (HMRC), including:

    ", + "
  • the date Statutory Paternity Pay started
  • ", + "
  • the paternity payments you\u2019ve made (including dates)
  • ", + "
  • the payments you\u2019ve reclaimed
  • ", + "
  • any weeks you did not pay and why
  • ", + "
  • if adopting, a letter from the adoption agency or a matching certificate
  • " + ], + "id": "train-2198" + }, + { + "url": "https://www.gov.uk/party-walls-building-works", + "scenario": "My three bedroom house shares a garden wall with our next door neighbour. During a recent storm, the wall partially fell down. The wall was poorly maintained on his side even after I requested that he repairs his side numerous times.", + "question": "Who has to pay for the wall repairs in a situation like this?", + "not_answerable": false, + "answers": [ + [ + "your neighbour may have to meet a share of the cost", + [] + ] + ], + "evidences": [ + "

    Your neighbour may have to meet a share of the cost if the work needs to be done because of defects or lack of repair. They will also need to pay if they ask for additional works to be done that will benefit them.

    " + ], + "id": "train-2199" + }, + { + "url": "https://www.gov.uk/international-agreement-worker-visa", + "scenario": "My single friend wants to apply for an international agreements work visa. He has been posted to work in the Indian Embassy. He has compiled several evidence documents .", + "question": "What documents are needed other than his passport considering his employer informed him he will be researching very sensitive material?", + "not_answerable": false, + "answers": [ + [ + "your certificate of sponsorship reference number", + [] + ], + [ + "evidence that you have enough personal savings to support yourself in the uk", + [] + ], + [ + "your tuberculosis test results", + [ + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • " + ] + ], + [ + "a valid atas certificate", + [] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your employer will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • proof of your relationship with your partner or children if they\u2019re applying with you
  • ", + "
  • your tuberculosis test results if you\u2019re from a country where you have to take the test
  • ", + "
  • a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher
  • " + ], + "id": "train-2200" + }, + { + "url": "https://www.gov.uk/scottish-income-tax", + "scenario": "I live in Scotland and am a full time employee I earn \u00a350,000 per year. I would like to pay self assessment tax returns . I want pay for 2020-2021 tax year. I heard from a friend that I am on a basic rate", + "question": "What will be my tax rate?", + "not_answerable": false, + "answers": [ + [ + "20%", + [] + ] + ], + "evidences": [ + "Basic rate | \u00a314,668 to \u00a325,296 | 20%" + ], + "id": "train-2201" + }, + { + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "scenario": "I live near an trainline. The noise at first was fine, but there seems to be a train that goes by at midnight that makes a ridiculously loud noise. The noise levels have started to affect my health resulting in high blood pressure and high sugar level", + "question": "Who can I contact about this issue?", + "not_answerable": false, + "answers": [ + [ + "your local council", + [] + ] + ], + "evidences": [ + "

    If you think that noise levels are affecting your health contact your local council who will investigate on your behalf.

    " + ], + "id": "train-2202" + }, + { + "url": "https://www.gov.uk/self-assessment-tax-returns", + "scenario": "My employer has missed paying the self assessment tax return on time because the accountant resigned . He has managed to file the returns late by 3 months but paid the tax bill very late.", + "question": "How much penalty Will he pay after the delay?", + "not_answerable": false, + "answers": [ + [ + "pay more", + [] + ] + ], + "evidences": [ + "

    You\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.

    " + ], + "id": "train-2203" + }, + { + "url": "https://www.gov.uk/tier-1-entrepreneur", + "scenario": "I am a business oriented person and I have compiled all the necessary documents to switch from graduate Entrepreneur visa to an Entrepreneur visa . I have a bank account of over \u00a3150,000 to start up my business.", + "question": "How much does it cost to take my biometric information ?", + "not_answerable": false, + "answers": [ + [ + "\u00a319.20", + [] + ] + ], + "evidences": [ + "

    You\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.

    " + ], + "id": "train-2204" + }, + { + "url": "https://www.gov.uk/get-declaration-presumed-death", + "scenario": "We live in England. My brother has not been seen since an earthquake whilst he was on holiday abroad two years ago. He has an estate in the UK I would like to administer for his children. We think he may have died because of the earthquake", + "question": "Is it possible for me to declare my brother dead even though he's only been missing two years?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:

    ", + "
  • less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster
  • " + ], + "id": "train-2205" + }, + { + "url": "https://www.gov.uk/rest-breaks-work", + "scenario": "I am 17 years old, and currently work as an apprentice carpenter in a local joinery. My contract stipulates a 30-hour minimum work week, with payment by the hour rather than by finished work.", + "question": "What right to take rest breaks do I have as an under-18 and work 6 hours a day ?", + "not_answerable": false, + "answers": [ + [ + "a 30 minute rest break", + [] + ], + [ + "daily rest of 12 hours", + [] + ], + [ + "weekly rest of 48 hours", + [] + ] + ], + "evidences": [ + "

    Workers have the right to one uninterrupted 20 minute rest break during their working day, if they work more than 6 hours a day. This could be a tea or lunch break.

    ", + "

    Young workers (above school leaving age and under 18) are usually entitled to:

    ", + "
  • a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)
  • ", + "
  • daily rest of 12 hours
  • ", + "
  • weekly rest of 48 hours
  • " + ], + "id": "train-2206" + }, + { + "url": "https://www.gov.uk/paying-inheritance-tax", + "scenario": "My father was a highly successful businessman, with property including a large country house and several holiday homes. Sadly he died 2 months ago. I was named as a beneficiary in his will and now I need to pay the inheritance tax.", + "question": "Is interest payable if I agree to pay it in installments and do I have to pay interest on the first instalment ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:

    " + ], + "id": "train-2207" + }, + { + "url": "https://www.gov.uk/paye-for-employers", + "scenario": "I own and manage a very small biotechnology startup company, which currently has only four employees. Owing to our small size I run our monthly payroll myself, and file the necessary reports with HMRC. I pay approximately \u00a31300 per month", + "question": "As we are so small, is it possible to make reports and payments at wider intervals than monthly?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.

    " + ], + "id": "train-2208" + }, + { + "url": "https://www.gov.uk/repossession", + "scenario": "My partner and I have been awarded an eviction notice from the courts due to non payment of mortgage. As we have never defaulted before we feel that this is unfair and we want to challenge the court's decision. We feel the judge has made a legal mistake on the verdict", + "question": "Now that the order has been granted is there any way of having it overturned?", + "not_answerable": false, + "answers": [ + [ + "appeal", + [] + ] + ], + "evidences": [ + "

    If you think the judge made mistakes about the law or the facts of your case in the original hearing, you may be able to appeal.

    " + ], + "id": "train-2209" + }, + { + "url": "https://www.gov.uk/unclaimed-estates-bona-vacantia", + "scenario": "My grandfather died 3 months ago and he did not leave a will. His house is currently empty and bank accounts are untouched. Also he doesn't have a spouse or a child to claim the estate", + "question": "How much of his estate can I claim?", + "not_answerable": false, + "answers": [ + [ + "a share", + [] + ] + ], + "evidences": [ + "

    You need to know if you\u2019re entitled before making a claim on an estate. The general rules are:

    ", + "
  • if there\u2019s no spouse or child, anyone descended from a grandparent of the person is entitled to a share in the estate
  • " + ], + "id": "train-2210" + }, + { + "url": "https://www.gov.uk/turkish-business-person", + "scenario": "My friend Ramon is in the UK under a Turkish businessperson visa.He operates a viable barbershop business. He has not broken any immigration laws, he has enough money to support himself and his family.He wants more time in the UK to continue running his business. By the way, Ramon has enough funds to support and run his business", + "question": "Can he apply to extend his visa ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can usually apply to extend a Turkish Businessperson visa if you\u2019re in the UK and all of the following are true:

    ", + "
  • you\u2019re still able to pay your share of the costs of running the business (its liabilities)
  • " + ], + "id": "train-2211" + }, + { + "url": "https://www.gov.uk/make-will", + "scenario": "I have written a will with a help of a solicitor before six years and I have lot of changes in my assets and I am planning to make some changes to my will", + "question": "Can I make changes to my will once I have signed and witnessed ? Are there any avenues to change the will ?", + "not_answerable": false, + "answers": [ + [ + "making an official alteration called a codicil", + [] + ] + ], + "evidences": [ + "

    You cannot amend your will after it\u2019s been signed and witnessed. The only way you can change a will is by making an official alteration called a codicil.

    " + ], + "id": "train-2212" + }, + { + "url": "https://www.gov.uk/repossession", + "scenario": "Good morning. things have not gone well. We have fallen behind on our mortgage payments and we have received notice that the house will be repossessed. We have not taken any advise or help fro anyone till now", + "question": "Where can I get some impartial advise on the repossession notice?", + "not_answerable": false, + "answers": [ + [ + "under the housing possession court duty scheme", + [] + ] + ], + "evidences": [ + "

    If you have not got help before, you can get last-minute legal help under the Housing Possession Court Duty scheme.

    " + ], + "id": "train-2213" + }, + { + "url": "https://www.gov.uk/apply-statutory-will", + "scenario": "I am 23 with 2 children and my father recently developed dementia, he was about to add me to the will before being diagnosed but never did. He can't make a will because of the illness he have.", + "question": "Can I add myself to my fathers will?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.

    " + ], + "id": "train-2214" + }, + { + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "scenario": "I was born on the 19th January 1934. I am separated and pay maintenance payments to my wife on a voluntary basis (i.e. not ordered to as part of any settlement). I am looking at applying for the maintenance payment relief.", + "question": "Would I be eligible for this relief?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot claim a tax reduction for any voluntary payments you make.

    " + ], + "id": "train-2215" + }, + { + "url": "https://www.gov.uk/holiday-entitlement-rights", + "scenario": "I am an employee at a biotechnology startup in Epsom, England. I draw an annual salary of \u00a344,000, am paid monthly and at present have accrued over 20 days of holiday entitlement. I hope to take 10 days (two working weeks) of these in a single block.", + "question": "Should I use the general rule about the amount of notice that I have to give before taking leave, or does the different notice period stipulated in my contract apply instead?", + "not_answerable": false, + "answers": [ + [ + "what\u2019s in the contract", + [] + ] + ], + "evidences": [ + "

    If the contract says something different about the notice a worker or employer should give, what\u2019s in the contract will apply.

    " + ], + "id": "train-2216" + }, + { + "url": "https://www.gov.uk/minister-of-religion-visa", + "scenario": "My friend Mathew is a church minister from Canada. He wishes to come to the UK under Minister of Religion visa and take a pastoral duty for 3 years to a UK based church. He has recently had a new passport issued and is wondering how he can meet the requirement to show his travel history over the past five years.", + "question": "What documents does he need to have to demonstrate this?", + "not_answerable": false, + "answers": [ + [ + "your certificate of sponsorship reference number", + [] + ], + [ + "proof of your knowledge of english", + [] + ], + [ + "evidence that you have enough personal savings to support yourself in the uk", + [] + ], + [ + "a valid passport or other document that shows your identity and nationality", + [] + ], + [ + "expired passports or travel documents", + [] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number (your employer will give you this)
  • ", + "
  • proof of your knowledge of English
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)
  • ", + "
  • a valid passport or other document that shows your identity and nationality - you need a blank page in your passport for your visa
  • ", + "
  • expired passports or travel documents if you need them to show your travel history
  • ", + "
  • your tuberculosis test results if you\u2019re from a listed country
  • " + ], + "id": "train-2217" + }, + { + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "scenario": "I am 42 and live and work in England. Three years ago I was sentenced to be bound over the keep the peace with no specific \"end date\", after getting into a fight with a neighbour over a parking dispute. I am now looking for a new job.", + "question": "Is my conviction regarded as \"spent\" yet?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    They become spent either:

    ", + "
  • 2 years after you got one, if there\u2019s no end date
  • " + ], + "id": "train-2218" + }, + { + "url": "https://www.gov.uk/setting-up-an-approved-tachograph-centre", + "scenario": "I am considering applying to setup an approved Tachograph centre. We are looking to recruit the correct people for the role, which will include road testing of vehicles as well as performing tachograph installation and maintenance.", + "question": "What are the requirement for the employees of an ATC?", + "not_answerable": false, + "answers": [ + [ + "you can only employ \u2018nominated technicians\u2019 to carry out work at an approved tachograph centre (atc). they must be skilled technicians with experience working on tachographs.", + [] + ], + [ + "they must also have a driving licence for the relevant categories of vehicles they\u2019re testing", + [] + ], + [ + "they\u2019ll also need to hold a \u2018certificate of competence\u2019 for each class of tachograph (digital, analogue or both) that they want to work on.", + [] + ] + ], + "evidences": [ + "

    You can only employ \u2018nominated technicians\u2019 to carry out work at an Approved Tachograph Centre (ATC). They must be skilled technicians with experience working on tachographs.

    ", + "

    If they need to road test vehicles, they must also have a driving licence for the relevant categories of vehicles they\u2019re testing.

    ", + "

    They\u2019ll also need to hold a \u2018certificate of competence\u2019 for each class of tachograph (digital, analogue or both) that they want to work on.

    ", + "

    They\u2019ll get this only after they\u2019ve successfully completed a DVSA-approved training course. You\u2019ll find details in the ATC manual.

    " + ], + "id": "train-2219" + }, + { + "url": "https://www.gov.uk/buy-sell-your-home", + "scenario": "I own a four-bedroomed family home on the outskirts of Nuneaton, England, which I am now about to sell. This has been the main residence of myself and my partner and children for the past 18 years, and has a total footprint of just under 400 square meters if the garden is included. No part of the house has ever been let out, or used solely for business purposes.", + "question": "Will I need to pay Capital Gains Tax on the sale of this house?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:

    ", + "
  • you have not let part of it out or used part of it for business only
  • " + ], + "id": "train-2220" + }, + { + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "scenario": "My employee is adopting a child from Spain. They had been employed for 36 weeks at the time they informed me about the adoption and gave all of the relevant information. Their pay averaged \u00a3304 per week over the 8 weeks prior to notification, and they are now requesting statutory adoption pay.", + "question": "Is this employee eligible for statutory adoption pay?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Employees must:

    ", + "
  • be on your payroll and earn at least \u00a3120 a week in an 8-week period - the \u2018relevant period\u2019
  • " + ], + "id": "train-2221" + }, + { + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "scenario": "I purchased my current family home in Norwich, England from the local council 9 years ago under the right-to-buy scheme. With my children having now grown up and left home my partner and I are now looking to sell the house and retire to something a little smaller. I offered to sell the house back to the local council three months ago, but they have indicated that they do not wish to purchase it.", + "question": "Can I now sell my home to whomever I like on the open market?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can sell your home to anyone if the landlord does not agree to buy it within 8 weeks.

    " + ], + "id": "train-2222" + }, + { + "url": "https://www.gov.uk/reduced-earnings-allowance", + "scenario": "I am currently getting Reduced Earnings Allowance due to having problems finding regular work. I will soon turn 66, which is the state pension age for my cohort, and am wondering what will happen to my benefits when I do.", + "question": "Will I still be eligible for Reduced Earnings Allowance ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    Reduced Earnings Allowance will be replaced by another benefit called Retirement Allowance if both the following apply:

    ", + "
  • you reach State Pension age
  • " + ], + "id": "train-2223" + }, + { + "url": "https://www.gov.uk/child-trust-funds", + "scenario": "My son Richard was born 6 months ago, and has tragically been diagnosed with a progressive neural disease which may retard his mental development as he gets older. I'm thinking about saving something in a Child Trust Fund each month to help pay for his care as an adult, but am worried that he won't be mentally able to use this when it matures.", + "question": "Can I apply for the right to manage this CTF money for him after he turns 18?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If your child lacks the mental capacity to manage their account when it matures

    " + ], + "id": "train-2224" + }, + { + "url": "https://www.gov.uk/employee-tax-codes", + "scenario": "I have just been appointed finance director for a consulting firm based in the City of London, and my duties will of course include our supervising our payroll. After the disruption caused to HMRC by the pandemic, I am concerned that I may not receive my employees' new tax codes for the next financial year in time. All of the affected employees appear to have codes ending in 'M1'.", + "question": "If I don't receive notification of new employee tax codes from HMRC by the end of March, is it OK to carry forward the existing codes into the next financial year?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If your employee\u2019s tax code ends with \u2018M1\u2019 or \u2018W1\u2019 (\u2018month 1\u2019 or \u2018week 1\u2019), don\u2019t carry this part of the code into the new tax year.

    " + ], + "id": "train-2225" + }, + { + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "scenario": "I am a 36 year old from Salford and 4 years ago I was a DAS instructor, but my registration for this expired six months ago.", + "question": "Can I instantly renew it or do I need to do any additional training?", + "not_answerable": false, + "answers": [ + [ + "you can re-register using the same form. you will not have to go through the qualifying process again.", + [] + ] + ], + "evidences": [ + "

    If your registration expired in the last 12 months

    ", + "

    You can re-register using the same form. You will not have to go through the qualifying process again.

    " + ], + "id": "train-2226" + }, + { + "url": "https://www.gov.uk/keeping-your-pay-tax-records", + "scenario": "I run my own business. I have submitted my tax return for the tax year ending 5th April 2020. This was submitted on the 7th January 2021, well before the 31st January 2021 deadline.", + "question": "For how long do I have to keep my records for this tax year?", + "not_answerable": false, + "answers": [ + [ + "at least 22 months after the end of the tax year the tax return is for.", + [] + ] + ], + "evidences": [ + "

    Tax returns sent on or before the deadline

    ", + "

    You should keep your records for at least 22 months after the end of the tax year the tax return is for.

    " + ], + "id": "train-2227" + }, + { + "url": "https://www.gov.uk/statutory-demands", + "scenario": "I have a business, and am still owed \u00a317,000 by a limited company in the UK for a machine which I supplied to them over 8 years ago. They have recently gone into administration due to lack of funds and have stated that they will not be paying me.", + "question": "If I issue a statutory demand for payment will it assist my case in receiving some of the money owed to me?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.

    " + ], + "id": "train-2228" + }, + { + "url": "https://www.gov.uk/become-deputy", + "scenario": "My Uncle appointed me as his deputy to run his businesses this is after he suffered an heart attack which left him mentally ill and paralysed. I have been running the business to his satisfaction.", + "question": "Will my power as his deputy be valid after he dies, providing that no one manages to get a court order overturning it?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.

    " + ], + "id": "train-2229" + }, + { + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "scenario": "I received a fixed penalty notice for obstruction. However, when I parked my car I was on the same side of the road as everyone else. When I returned the cars were now parking on the other side. The PCN is now due. I tried making a formal challenge but this was rejected", + "question": "Can I now appeal this PCN (and the rejection of my challenge to it) to another authority?", + "not_answerable": false, + "answers": [ + [ + "you may be able to appeal to an independent tribunal", + [] + ] + ], + "evidences": [ + "

    You then have 28 days to appeal after you get a \u2018notice of rejection\u2019 to say your formal challenge has failed.

    ", + "

    You may be able to appeal to an independent tribunal against a penalty charge notice (PCN) if you think it\u2019s wrong.

    " + ], + "id": "train-2230" + }, + { + "url": "https://www.gov.uk/squatting-law", + "scenario": "I own a property in the countryside and I have been abroad for over a year. Upon my return I found out that it had been occupied by squatters without my permission. I want them to leave my property, and to pay for the damage that they have caused while occupying it.", + "question": "Can i apply for an interim possession order?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot use an IPO if:

    ", + "
  • you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession
  • " + ], + "id": "train-2231" + }, + { + "url": "https://www.gov.uk/tax-tribunal", + "scenario": "I am a UK taxpayer and I believe my income tax has been miscalculated by HMRC. They sent me a letter telling me I owe them \u00a35000, a decision which I subsequently appealed against to the tax tribunal. The tribunal granted me a 'standard' hearing, which concluded yesterday.", + "question": "When will I receive the tribunal decision?", + "not_answerable": false, + "answers": [ + [ + "within 2 months", + [] + ] + ], + "evidences": [ + "

    You\u2019ll usually get the tribunal\u2019s decision:

    ", + "
  • in writing within 2 months, if you\u2019ve had a \u2018standard\u2019 or \u2018complex\u2019 hearing
  • " + ], + "id": "train-2232" + }, + { + "url": "https://www.gov.uk/scottish-income-tax", + "scenario": "I live in Scotland and am a full time employee I earn \u00a350,000 per year. I would like to pay self assessment tax returns . I want pay for 2020-2021 tax year.", + "question": "what is the tax rate on my 50,000 pound per year salary ?", + "not_answerable": false, + "answers": [ + [ + "41%", + [] + ] + ], + "evidences": [ + "Higher rate | \u00a343,663 to \u00a3150,000 | 41%" + ], + "id": "train-2233" + }, + { + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "scenario": "I have a semi detached house and my living room space was small so I decided to extent my living room. Driving way parking is close to the living room so I decided utilise that space. I applied for a lawful development certificate. I have lost money due to a person involved in the process missing a deadline.", + "question": "My application was rejected but I appealed the decision. what happens after I appeal ?", + "not_answerable": false, + "answers": [ + [ + "the planning inspectorate will check your appeal to make sure it\u2019s valid.", + [] + ], + [ + "the planning inspectorate will then consider your appeal", + [] + ], + [ + "you can apply for an \u2018award of costs\u2019", + [] + ] + ], + "evidences": [ + "

    You can appeal against a lawful development certificate decision if either:

    ", + "
  • you disagree with it
  • ", + "

    The Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.

    ", + "

    The Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.

    ", + "

    You can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.

    " + ], + "id": "train-2234" + }, + { + "url": "https://www.gov.uk/vat-businesses", + "scenario": "I am running a business which is selling toys for kids under 10. Recently I got a big stock of toys and sold most of them. I have few left over toys which I am planning to donate to a charity. The charity is not registered with the Charity Commission for England and Wales.", + "question": "What evidence do I need to verify the charity I am giving the goods are eligible for zero or reduced rate of VAT ?", + "not_answerable": false, + "answers": [ + [ + "evidence that they\u2019re a charity", + [] + ], + [ + "a written declaration or \u2018certificate\u2019 confirming they meet the conditions for the particular vat relief", + [] + ], + [ + "their charity commission registration number", + [] + ], + [ + "a letter of recognition from hm revenue and customs (hmrc) if they\u2019re not registered with the charity commission for england and wales (for example if they\u2019re a scottish or northern irish charity)", + [] + ] + ], + "evidences": [ + "

    As a VAT-registered business, you can sell certain goods and services to charities at the zero or reduced rate of VAT.

    ", + "

    It\u2019s your responsibility to check the charity is eligible, and to apply the correct rate.

    ", + "

    To make sure the charity is eligible, ask them for:

    ", + "
  • evidence that they\u2019re a charity
  • ", + "
  • a written declaration or \u2018certificate\u2019 confirming they meet the conditions for the particular VAT relief
  • ", + "

    The charity should give you either:

    ", + "
  • their Charity Commission registration number
  • ", + "
  • a letter of recognition from HM Revenue and Customs (HMRC) if they\u2019re not registered with the Charity Commission for England and Wales (for example if they\u2019re a Scottish or Northern Irish charity)
  • " + ], + "id": "train-2235" + }, + { + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "scenario": "I make homemade toffee and fudge to sell at a local market store. This is sold loose according to how much the customer wants. I use pounds to measure weight of my fudge.", + "question": "Could I be in trouble if I sold the goods in imperial units?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.

    " + ], + "id": "train-2236" + }, + { + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "scenario": "I run a door lock repair business. Due to the pandemic, there was not much work and borrowed some money from a small money lending firm and could not repay it and they have filed a court claim. The claimant has not accepted my offer of instalment payments.", + "question": "I am prepared to pay the money in instalments. Will the court accept me paying in instalments ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    If the claimant does not accept your offer, the court will decide how you pay.

    " + ], + "id": "train-2237" + }, + { + "url": "https://www.gov.uk/become-childminder-nanny", + "scenario": "It has been my ambition to work with children for a long time and I would like to go abroad to work as a nanny, particularly for children under five. I submitted my application of registration but unfortunately got rejected. I do not agree with this decision.", + "question": "What actions can I task if my application is refused?", + "not_answerable": false, + "answers": [ + [ + "appeal to an independent tribunal", + [] + ] + ], + "evidences": [ + "

    If you disagree with Ofsted\u2019s final decision, you can appeal to an independent tribunal.

    " + ], + "id": "train-2238" + }, + { + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "scenario": "I am self employed as a carer and often drive my own car to the homes of those I support. I have not yet claimed any of the expenses for my business profits.", + "question": "Can I use a flat rate for my vehicle mileage when I calculate it at the end of the year?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.

    " + ], + "id": "train-2239" + }, + { + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "scenario": "I have a medium sized dairy farm in England and am starting to sell my own milk. The milk will be packaged in glass bottles which the customers can later return.", + "question": "Can I sell my milk in imperial pints without reference to metric measurements on the returnable glass bottles?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The only products you can sell in imperial measures are:

    ", + "
  • milk in returnable containers by pint
  • " + ], + "id": "train-2240" + }, + { + "url": "https://www.gov.uk/become-childminder-nanny", + "scenario": "It has been my ambition to work with children for a long time and I would like to go abroad to work as a nanny, particularly for children under five. I submitted my application of registration but unfortunately got rejected.", + "question": "What actions can I take if the decision I was sent also included a 'notice of intention' ?", + "not_answerable": false, + "answers": [ + [ + "object to a decision", + [] + ] + ], + "evidences": [ + "

    You can object to a decision if you\u2019ve been sent a \u2018notice of intention\u2019.

    " + ], + "id": "train-2241" + }, + { + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "scenario": "I am self employed as a carer and often drive my own car to the homes of those I support. I have claimed capital allowance on this vecihle.", + "question": "Can I use a simplified expenses rate for my vehicle mileage when I calculate it at the end of the year?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.

    " + ], + "id": "train-2242" + }, + { + "url": "https://www.gov.uk/introduction-to-business-rates", + "scenario": "I am a farmer in Oxfordshire. The farm includes several stable blocks, in which I rent out some of the space to nearby horse owners, who own them for recreational use.", + "question": "Do I need to pay business rates on the stables?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You usually need to pay business rates on your stables, unless you use your horses for farming.

    " + ], + "id": "train-2243" + }, + { + "url": "https://www.gov.uk/cartels-price-fixing", + "scenario": "I used to work in the head office for a major UK supermarket with a 30% market share. My role included setting prices for a number of products. We used to have regular meetings with our competitors to discuss offers and pricing, to make sure each shop had a number of low priced \"draw in\" products at any one time. I recently realized this is cartel.", + "question": "What penalty could I get if I'm ever prosecuted over my involvement in this cartel activity?", + "not_answerable": false, + "answers": [ + [ + "fined or sent to prison for up to 5 years", + [] + ] + ], + "evidences": [ + "

    You can be fined or sent to prison for up to 5 years if you\u2019re found guilty of being involved in cartel activity.

    " + ], + "id": "train-2244" + }, + { + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "scenario": "i am self employed and have a business with a UTR that is registered as a sole trader. i would like to enter the construction business but i'm finding it difficult to register for the constructin industry scheme.", + "question": "Can I apply for the scheme online as a sole trader?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).

    " + ], + "id": "train-2245" + }, + { + "url": "https://www.gov.uk/cartels-price-fixing", + "scenario": "I used to work in the head office for a major UK supermarket with a 30% market share. My role included setting prices for a number of products. We used to have regular meetings with our competitors to discuss offers and pricing, to make sure each shop had a number of low priced \"draw in\" products at any one time. I recently realized this is cartel.", + "question": "what would be my penalty as a director ?", + "not_answerable": false, + "answers": [ + [ + "disqualified from being a director for up to 15 years", + [] + ] + ], + "evidences": [ + "

    Company directors can be disqualified from being a director for up to 15 years.

    " + ], + "id": "train-2246" + }, + { + "url": "https://www.gov.uk/cartels-price-fixing", + "scenario": "I used to work in the head office for a major UK supermarket with a 30% market share. My role included setting prices for a number of products. We used to have regular meetings with our competitors to discuss offers and pricing, to make sure each shop had a number of low priced \"draw in\" products at any one time. I recently realized this is cartel.", + "question": "what penalty will i get if i report a cartel that i may have been involved with ?", + "not_answerable": false, + "answers": [ + [ + "treated with leniency", + [] + ] + ], + "evidences": [ + "

    You may:

    ", + "
  • be treated with leniency if you report a cartel you\u2019ve been involved with
  • " + ], + "id": "train-2247" + }, + { + "url": "https://www.gov.uk/liquidate-your-company", + "scenario": "i am the owner and director of a limited company that has been active for 8 years. i am from spain and would like to move back there and so have began the process of liquidating the company. there are also some funds attached to the company in its bank account.", + "question": "While my application is in progress what happens to my funds in the bank ?", + "not_answerable": false, + "answers": [ + [ + "your company\u2019s bank account will be frozen", + [] + ] + ], + "evidences": [ + "

    Your company\u2019s bank account will be frozen when someone files a petition to wind up the company.

    " + ], + "id": "train-2248" + }, + { + "url": "https://www.gov.uk/vehicle-tax-rate-tables", + "scenario": "My mother bought a new car at a list price of \u00a345000 in 2020. She has registered it and paid the needed vehicle tax rate.", + "question": "When will she have to pay the next vehicle tax?", + "not_answerable": false, + "answers": [ + [ + "a year", + [] + ] + ], + "evidences": [ + "

    You have to pay an extra \u00a3335 a year if you have a car or motorhome with a \u2018list price\u2019 (the published price before any discounts) of more than \u00a340,000. You do not have to pay this if you have a zero emission vehicle.

    " + ], + "id": "train-2249" + }, + { + "url": "https://www.gov.uk/your-rights-after-crime", + "scenario": "My sister was put in a hospital after suffering severe domestic abuse. I have become extremely anxious due to this. The crime was reported, and it is going to court.", + "question": "Is there any further support to help my anxiety?", + "not_answerable": false, + "answers": [ + [ + "get information quicker", + [] + ], + [ + "protection in court", + [ + "
  • protection in court if you need to give evidence
  • " + ] + ], + [ + "specialist help and advice", + [] + ], + [ + "a family liaison officer", + [] + ] + ], + "evidences": [ + "

    You may get extra support if you:

    ", + "
  • are the victim of a serious crime
  • ", + "
  • have been a victim of crime repeatedly - for example you\u2019re being targeted, harassed or stalked
  • ", + "

    You\u2019re the victim of a serious crime if it was:

    ", + "
  • domestic abuse
  • ", + "

    You\u2019re entitled to:

    ", + "
  • get information quicker - usually within 24 hours
  • ", + "
  • protection in court if you need to give evidence
  • ", + "
  • specialist help and advice
  • ", + "
  • a Family Liaison Officer - if you\u2019re a close relative of the victim
  • " + ], + "id": "train-2250" + }, + { + "url": "https://www.gov.uk/your-rights-after-crime", + "scenario": "My brother was severely beaten and is still in the hospital. I have reported this crime to the police, and I have been told it is going to court. My brother was able to compose a personal statement.", + "question": "What can I use my brother's personal statement for in court?", + "not_answerable": false, + "answers": [ + [ + "a witness care officer who will support you", + [ + "

    If you\u2019re asked to give evidence, the police will pass your details to a Witness Care Officer who will support you before and during the trial.

    " + ] + ], + [ + "read your victim personal statement to them", + [] + ] + ], + "evidences": [ + "

    If you\u2019re asked to give evidence, the police will pass your details to a Witness Care Officer who will support you before and during the trial.

    ", + "

    If the defendant is found guilty, you may be able to read your victim personal statement to them.

    " + ], + "id": "train-2251" + }, + { + "url": "https://www.gov.uk/immigration-asylum-tribunal", + "scenario": "I moved to the UK seven years ago. I had the right of movement due to being from France, an EU member state. I have been told that I am going to lose have my status revoked. I currently live in the UK. I have submitted an appeal form outlining the information I would like the tribunal to make their decision on.", + "question": "Do I need to attend a hearing for my appeal?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can ask on your appeal form for a decision to be made either:

    ", + "
  • just on the information in your appeal form and any documents supplied to the tribunal
  • " + ], + "id": "train-2252" + }, + { + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "scenario": "I have lost a land case to my neighbor who acquired it through fraud. I didn't receive timely court proceedings and I am saddened by the decision.", + "question": "Can i appeal the decision considering it is not satisfactory to me?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.

    " + ], + "id": "train-2253" + }, + { + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "scenario": "My neighbor was attacked and raped by two gangsters at night in her house.she later identified them and were jailed. She just received news that they are on parole and soon will be released. She is extremely distressed about the situation and would like to do everything to keep them in jail. Unfortunately her mental state might not allow her to fight her case on her own.", + "question": "Can she ask someone else to make a victim personal statement to the parole board?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can make a victim personal statement if you\u2019re a close relative of a victim who:

    ", + "
  • cannot make a statement themselves - for example, because of mental incapacity or illness
  • " + ], + "id": "train-2254" + }, + { + "url": "https://www.gov.uk/jury-service", + "scenario": "My Aunt is self-employed and has received a jury service summon. This will cost her 10 working days out of work and loss of income. This will also lead to cost driving from home to the court. She was informed she will need to attend court for a maximum of 3 hours each day.", + "question": "How much can she claim back daily?", + "not_answerable": false, + "answers": [ + [ + "\u00a332.47", + [] + ] + ], + "evidences": [ + "

    For the first 10 days of jury service, you can claim up to:

    ", + "
  • \u00a332.47 a day if you spend 4 hours or less at court
  • " + ], + "id": "train-2255" + }, + { + "url": "https://www.gov.uk/community-sentences", + "scenario": "I have been convicted for assault and have been sentenced to community service for 60 hours. I am 27 years old and have a full time job at a grocery store.", + "question": "When will I be able to complete my community service hours?", + "not_answerable": false, + "answers": [ + [ + "outside your working hours", + [] + ] + ], + "evidences": [ + "

    The Community Payback work will be arranged outside your working hours if you have a job, for example evenings or weekends.

    " + ], + "id": "train-2256" + }, + { + "url": "https://www.gov.uk/employment-tribunals", + "scenario": "I participated in an employment tribunal against my employer with a group of colleagues back in October of 2016. I was not lead claimant, but I did pay for the tribunal fees.", + "question": "Am I able to get a refund on the tribunal fees?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can get a refund if you paid fees at an Employment Tribunal or Employment Appeals Tribunal between 29 July 2013 and 26 July 2017.

    " + ], + "id": "train-2257" + }, + { + "url": "https://www.gov.uk/getting-an-mot", + "scenario": "My car is over three years old and do not think I need an MOT. I drive to and from work daily and rely on the vehicle for everything.", + "question": "When must I get a new MOT test done on my car?", + "not_answerable": false, + "answers": [ + [ + "the anniversary of its last mot", + [] + ] + ], + "evidences": [ + "

    You must get an MOT for your vehicle by either:

    ", + "
  • the anniversary of its last MOT, if it\u2019s over 3 years old
  • " + ], + "id": "train-2258" + }, + { + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "scenario": "My sister passed her driving test in July 2019 . Last week she was pulled over because she was driving while using her mobile phone. This is here first ever traffic violation and her license has not been deducted any points before.", + "question": "Can she get banned from driving?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can be fined up to \u00a3200 and get penalty points on your licence if you get a fixed penalty notice - you may be disqualified from driving if you build up 12 points within 3 years.

    " + ], + "id": "train-2259" + }, + { + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "scenario": "I had to appear in front of the land registration tribunal last month. The problem is I was never notified of when the hearing was scheduled for and the tribunal reached a decision, not in my favor, without my attendance.", + "question": "Which tribunal should I contact to request of the dismissal of this decision, since I am sure the tribunal's procedure was problematic?", + "not_answerable": false, + "answers": [ + [ + "the first-tier tribunal", + [] + ] + ], + "evidences": [ + "

    You can also ask the First-tier Tribunal to set aside their decision if you think there was a problem with the tribunal\u2019s procedure, for example you did not receive a notice of a hearing.

    " + ], + "id": "train-2260" + }, + { + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "scenario": "I had to appear in front of the land registration tribunal last month. The problem is I was never notified of when the hearing was scheduled for and the tribunal reached a decision, not in my favor, without my attendance. I am not happy that the verdict was given in my absence", + "question": "Which tribunal should I contact to request of the dismissal of this decision?", + "not_answerable": false, + "answers": [ + [ + "the upper tribunal", + [] + ] + ], + "evidences": [ + "

    You can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.

    " + ], + "id": "train-2261" + }, + { + "url": "https://www.gov.uk/driving-medical-conditions", + "scenario": "I passed my driver's licence. I failed to inform the DVLA about having epilepsy when I applied for for my licence. I have now been involved in an accident.", + "question": "What punishment could I face for failing to inform about having epilepsy and met with an accident ?", + "not_answerable": false, + "answers": [ + [ + "prosecuted", + [] + ] + ], + "evidences": [ + "

    You could be fined up to \u00a31,000 if you do not tell DVLA about a condition that might affect your ability to drive safely. You could also be prosecuted if you have an accident.

    " + ], + "id": "train-2262" + }, + { + "url": "https://www.gov.uk/change-vehicle-tax-class", + "scenario": "I am the new owner of a lorry that has had modifications to its engine. I am currently looking at the tax ramifications, and potentially need to change the tax class. I live in Northern Ireland", + "question": "What documents do I send to the DVLA?", + "not_answerable": false, + "answers": [ + [ + "the v5c vehicle registration certificate (log book) with any changes marked on it", + [] + ], + [ + "a cheque or postal order made payable to \u2018dvla, swansea\u2019 for any extra vehicle tax you have to pay", + [] + ], + [ + "a current mot certificate", + [ + "
  • a current MOT certificate (if your vehicle needs one)
  • " + ] + ], + [ + "written proof", + [] + ], + [ + "an insurance certificate or cover note", + [] + ] + ], + "evidences": [ + "

    Send the form to DVLA with:

    ", + "
  • the V5C vehicle registration certificate (log book) with any changes marked on it
  • ", + "
  • a cheque or postal order made payable to \u2018DVLA, Swansea\u2019 for any extra vehicle tax you have to pay - damaged or altered cheques will not be accepted
  • ", + "
  • a current MOT certificate (if your vehicle needs one)
  • ", + "
  • written proof if you\u2019ve decreased engine size or changed fuel type, for example a new engine receipt or letter from the garage that made the change
  • ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • ", + "

    If you do not have the V5C, download and fill in a V62 form. Send it to DVLA with the \u00a325 fee.

    " + ], + "id": "train-2263" + }, + { + "url": "https://www.gov.uk/leaving-prison", + "scenario": "I have just left prison and I am now homeless and have no money. I am also stuggling to get a job as no one hires people who have been in prison. I am in UK Citizen and live in Wales", + "question": "What are the support available for people who have just left prison?", + "not_answerable": false, + "answers": [ + [ + "universal credit", + [] + ], + [ + "jobseeker\u2019s allowance", + [] + ], + [ + "help from your local council", + [] + ], + [ + "scottish welfare fund", + [ + "
  • Scottish Welfare Fund in Scotland
  • " + ] + ], + [ + "discretionary assistance fund", + [] + ] + ], + "evidences": [ + "

    A person leaving prison may get the following financial support:

    ", + "
  • Universal Credit
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • help from your local council
  • ", + "
  • Scottish Welfare Fund in Scotland
  • ", + "
  • Discretionary Assistance Fund in Wales
  • ", + "

    Prisons may also work with organisations in their local area, such as charities, to help prisoners prepare for their release. You can find out about these organisations in the prison information pages.

    " + ], + "id": "train-2264" + }, + { + "url": "https://www.gov.uk/employment-tribunals", + "scenario": "I won an employment tribunal case against my employer. I was awarded compensation for the unfair dismissal of which I was a victim. The employer has not paid. I live in England at the moment", + "question": "What are the further actions I can take?", + "not_answerable": false, + "answers": [ + [ + "ask the local county court to send an enforcement officer to get the money from the respondent", + [] + ] + ], + "evidences": [ + "

    Forcing them to pay if you\u2019re in England or Wales

    ", + "

    You can also ask the local county court to send an enforcement officer to get the money from the respondent. This costs \u00a344.

    " + ], + "id": "train-2265" + }, + { + "url": "https://www.gov.uk/community-sentences", + "scenario": "I have been convicted for assault and have been sentenced to community service for 60 hours. I am 27 years old and have been diagnosed with a mental health condition. I am currently unemployed", + "question": "How long can I work to complete the sentenced hours?", + "not_answerable": false, + "answers": [ + [ + "3 or 4 days each week", + [] + ] + ], + "evidences": [ + "

    You have to work 3 or 4 days each week if you\u2019re unemployed.

    " + ], + "id": "train-2266" + }, + { + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "scenario": "I have a court hearing as my sentence has been appealed, I have no idea what this means or what the process will be of my appeal.", + "question": "What happens after the hearing at the Crown Court if I win the appeal ?", + "not_answerable": false, + "answers": [ + [ + "it will be reduced", + [] + ] + ], + "evidences": [ + "

    If you win your appeal against your sentence, it will be reduced.

    " + ], + "id": "train-2267" + }, + { + "url": "https://www.gov.uk/criminal-injuries-compensation-tribunal", + "scenario": "My mother made an appeal to challenge the CICA decision .She sustained body injuries after an acid attack on her way home.She doesn't want to meet the offender during the court hearing but the police officer who handles our case can be of real help to the tribunal", + "question": "Who are the people who attends the hearing?", + "not_answerable": false, + "answers": [ + [ + "2 or 3 tribunal judges or members", + [] + ], + [ + "a clerk", + [] + ], + [ + "a representative from cica", + [] + ], + [ + "any witnesses", + [] + ], + [ + "a police officer", + [] + ] + ], + "evidences": [ + "

    The hearing will be attended by:

    ", + "
  • 2 or 3 tribunal judges or members
  • ", + "
  • a clerk
  • ", + "
  • a representative from CICA
  • ", + "
  • any witnesses
  • ", + "

    A police officer who knows about your case may also attend if they can help the tribunal.

    ", + "

    Offenders do not usually attend tribunal hearings.

    " + ], + "id": "train-2268" + }, + { + "url": "https://www.gov.uk/transport-disabled", + "scenario": "I am disabled and use a wheelchair to move around. I needed to get on the bus and driver refused to help to get onto the bus. I told the bus driver that I am unhappy with his response", + "question": "Are they any channel in which I can make a complain?", + "not_answerable": false, + "answers": [ + [ + "complain to the bus or coach service operator directly", + [] + ] + ], + "evidences": [ + "

    If you\u2019re unhappy with the help you get, complain to the bus or coach service operator directly.

    " + ], + "id": "train-2269" + }, + { + "url": "https://www.gov.uk/pass-plus", + "scenario": "I am a 21 year old female and it has been a few years since I passed my driving test. I am happy with being anle to drive although the amount of insurence I have to pay is very high. I have passed Pass Plus as well", + "question": "Is there a way I can get a discount on my insurance? Is it sure that I will get discounts for passing Pass Plus ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.

    " + ], + "id": "train-2270" + }, + { + "url": "https://www.gov.uk/transport-disabled", + "scenario": "I am disabled and use a wheelchair to move around. I needed to get on the bus and driver refused to help to get onto the bus. I complained this to the bus operator and they cannot resolve my problem. They run regular services in London", + "question": "Are they any channel in which I can make a complain?", + "not_answerable": false, + "answers": [ + [ + "london travelwatch", + [] + ] + ], + "evidences": [ + "

    If you cannot resolve the problem with the operator, contact:

    ", + "
  • London TravelWatch for complaints about services in London
  • " + ], + "id": "train-2271" + }, + { + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "scenario": "I am an elderly man and I have a mobility scooter although I don\u2019t know if I am able to register it or not, I also have bad vision and will need help with viewing the computer when registering.", + "question": "Do I need to register my mobility scooter which is classed as class 2 invalid carriage ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You do not need to register a class 2 invalid carriage.

    " + ], + "id": "train-2272" + }, + { + "url": "https://www.gov.uk/your-rights-after-crime", + "scenario": "My farther was murdered a few weeks ago whilst walking in the streets and I want to know how the investigation is going and if any progress has been made. I have some lead from a neighbour and want to submit the evidence", + "question": "What support can I get being closely effected by a crime?", + "not_answerable": false, + "answers": [ + [ + "get information quicker", + [] + ], + [ + "protection in court", + [] + ], + [ + "specialist help and advice", + [] + ], + [ + "a family liaison officer", + [ + "
  • a Family Liaison Officer - if you\u2019re a close relative of the victim
  • " + ] + ] + ], + "evidences": [ + "

    You may get extra support if you:

    ", + "
  • are a close relative of someone who died because of a crime - for example their partner, child or sibling
  • ", + "

    You\u2019re the victim of a serious crime if it was:

    ", + "
  • attempted murder
  • ", + "

    You\u2019re entitled to:

    ", + "
  • get information quicker - usually within 24 hours
  • ", + "
  • protection in court if you need to give evidence
  • ", + "
  • specialist help and advice
  • ", + "
  • a Family Liaison Officer - if you\u2019re a close relative of the victim
  • " + ], + "id": "train-2273" + }, + { + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "scenario": "I have a court hearing as my sentence has been appealed, I have no idea what this means or what the process will be of my appeal. I have paid a solicitor fee of \u00a3100", + "question": "What happens after the hearing at the Crown Court and can I get my solicitor fee and makes decision on that ?", + "not_answerable": false, + "answers": [ + [ + "you can get some of your legal costs paid back", + [] + ] + ], + "evidences": [ + "

    The court might decide you can get some of your legal costs paid back, for example your solicitor\u2019s fee.

    " + ], + "id": "train-2274" + }, + { + "url": "https://www.gov.uk/litigation-friend", + "scenario": "A mentally handicapped person was involved in a drunk driving incident and the case has been taken to a court after being reported to the police. A CFO account worth more than \u00a350000 has been awarded to the victim and therefore a close friend has been appointed as a litigation friend.", + "question": "What's the duty of her litigation friend?", + "not_answerable": false, + "answers": [ + [ + "make decisions in their best interests", + [] + ], + [ + "do everything you can to tell them what\u2019s happening in the case and find out their wishes and feelings", + [] + ], + [ + "talk to their solicitor about what\u2019s happening, get advice from them and give instructions to them in the other person\u2019s best interests", + [] + ], + [ + "pay any costs ordered by the court", + [] + ], + [ + "manage the account for them", + [] + ] + ], + "evidences": [ + "

    You can be appointed as litigation friend to make decisions about a court case for either:

    ", + "
  • an adult who lacks the mental capacity to manage their own court case either with or without a solicitor
  • ", + "

    You must \u2018direct the proceedings\u2019 on behalf of the other person if you\u2019re their litigation friend. This means you\u2019ll:

    ", + "
  • make decisions in their best interests
  • ", + "
  • do everything you can to tell them what\u2019s happening in the case and find out their wishes and feelings
  • ", + "
  • talk to their solicitor about what\u2019s happening, get advice from them and give instructions to them in the other person\u2019s best interests
  • ", + "
  • pay any costs ordered by the court
  • ", + "

    If you\u2019re the deputy of an adult awarded more than \u00a350,000 into a CFO account, you\u2019ll need to manage the account for them. The Court of Protection may agree that a deputy is not needed.

    " + ], + "id": "train-2275" + }, + { + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "scenario": "I am an elderly man and I have a mobility scooter, which the supplier told me counts as a \"class 3 invalid carriage\". I don\u2019t know if I am able to register it or not, I also have bad vision and will need help with viewing the computer when registering.", + "question": "Do I need to register my mobility scooter?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must register class 3 invalid carriages.

    " + ], + "id": "train-2276" + }, + { + "url": "https://www.gov.uk/your-rights-after-crime", + "scenario": "My farther was murdered a few weeks ago whilst walking in the streets and I want to know how the investigation is going and if any progress has been made.", + "question": "Who will be assigned to support me and keep me informed of progress in the case?", + "not_answerable": false, + "answers": [ + [ + "get information quicker", + [] + ], + [ + "protection in court", + [ + "
  • protection in court if you need to give evidence
  • " + ] + ], + [ + "specialist help and advice", + [] + ], + [ + "a family liaison officer", + [] + ] + ], + "evidences": [ + "

    You may get extra support if you:

    ", + "
  • are a close relative of someone who died because of a crime - for example their partner, child or sibling
  • ", + "

    You\u2019re the victim of a serious crime if it was:

    ", + "
  • attempted murder
  • ", + "

    You\u2019re entitled to:

    ", + "
  • get information quicker - usually within 24 hours
  • ", + "
  • protection in court if you need to give evidence
  • ", + "
  • specialist help and advice
  • ", + "
  • a Family Liaison Officer - if you\u2019re a close relative of the victim
  • " + ], + "id": "train-2277" + }, + { + "url": "https://www.gov.uk/leaving-prison", + "scenario": "I have just left The Big Hoose (HMP Barlinnie in Glasgow, Scotland) and I am now homeless and have no money. I am also struggling to get a job as no one hires people who have been in prison.", + "question": "What are the support available for people who have just left prison?", + "not_answerable": false, + "answers": [ + [ + "universal credit", + [] + ], + [ + "jobseeker\u2019s allowance", + [] + ], + [ + "help from your local council", + [] + ], + [ + "scottish welfare fund", + [] + ], + [ + "discretionary assistance fund", + [ + "
  • Discretionary Assistance Fund in Wales
  • " + ] + ] + ], + "evidences": [ + "

    A person leaving prison may get the following financial support:

    ", + "
  • Universal Credit
  • ", + "
  • Jobseeker\u2019s Allowance
  • ", + "
  • help from your local council
  • ", + "
  • Scottish Welfare Fund in Scotland
  • ", + "
  • Discretionary Assistance Fund in Wales
  • ", + "

    Prisons may also work with organisations in their local area, such as charities, to help prisoners prepare for their release. You can find out about these organisations in the prison information pages.

    " + ], + "id": "train-2278" + }, + { + "url": "https://www.gov.uk/employment-tribunals", + "scenario": "I won an employment tribunal case against my employer in Mallaig, Scotland. I was awarded compensation for unfair dismissal, which I was a victim of. The employer has not paid.", + "question": "What are the further actions I can take?", + "not_answerable": false, + "answers": [ + [ + "write to the office that heard your case and ask for an \u2018extract of the judgment\u2019", + [] + ] + ], + "evidences": [ + "

    Forcing them to pay if you\u2019re in Scotland

    ", + "

    Write to the office that heard your case and ask for an \u2018extract of the judgment\u2019. A sheriff officer can use this to force the respondent to pay.

    " + ], + "id": "train-2279" + }, + { + "url": "https://www.gov.uk/rights-disabled-person", + "scenario": "My Uncle is scheduled for a police interview tomorrow and he is deaf . His inability places him at a disadvantage since he can't articulate and hear well .", + "question": "Do the police have to provide an interpreter when they interview my uncle, even if there is a delay in obtaining one?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The police should arrange for an interpreter to be present with you. The police can interview you without an interpreter if a delay would result in harm to people, property or evidence.

    " + ], + "id": "train-2280" + }, + { + "url": "https://www.gov.uk/jury-service", + "scenario": "My Aunt is self-employed and has received a jury service summons. This will cost her 10 full (8-hour) working days out of work with corresponding loss of income, and also the cost of driving from home to the court.", + "question": "How much can she claim back?", + "not_answerable": false, + "answers": [ + [ + "\u00a364.95 a day", + [] + ] + ], + "evidences": [ + "

    For the first 10 days of jury service, you can claim up to:

    ", + "
  • \u00a364.95 a day if you spend more than 4 hours at court
  • " + ], + "id": "train-2281" + }, + { + "url": "https://www.gov.uk/jury-service", + "scenario": "My Aunt is self-employed and has received a jury service summon. This will cost her 10 working days out of work and loss of income. This will also lead to cost driving from home to the court.", + "question": "How much can she claim back for food and drink if she spends 11 hours a day in court?", + "not_answerable": false, + "answers": [ + [ + "\u00a312.17 per day", + [] + ] + ], + "evidences": [ + "Over 10 hours a day | \u00a312.17 per day" + ], + "id": "train-2282" + }, + { + "url": "https://www.gov.uk/employment-tribunals", + "scenario": "I won an employment tribunal case against my employer in Swansea, Wales. I was awarded compensation for the unfair dismissal of which I was a victim. The employer has not paid.", + "question": "What are the further actions I can take?", + "not_answerable": false, + "answers": [ + [ + "use the fast track scheme to send a high court enforcement officer - similar to a bailiff - to demand payment from the respondent", + [] + ] + ], + "evidences": [ + "

    Forcing them to pay if you\u2019re in England or Wales

    ", + "

    You can use the Fast Track scheme to send a High Court Enforcement Officer - similar to a bailiff - to demand payment from the respondent.

    " + ], + "id": "train-2283" + }, + { + "url": "https://www.gov.uk/leaving-prison", + "scenario": "I am due to be released from prison soon and I have a young child who is currently staying with my parents. Although we are going to be staying with them after I leave prison, I will be my child's sole carer.", + "question": "Can I apply to see my child before leaving prison, so they can adjust to seeing me?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    A childcare resettlement licence lets a prisoner spend time with their child. They can only apply for this if they\u2019ll be the sole carer of a child when they finish their prison sentence.

    " + ], + "id": "train-2284" + }, + { + "url": "https://www.gov.uk/council-tax", + "scenario": "I own three houses. Two of these houses, situated in England, are now empty, and will remain so for the next six months. They will continue to be empty for at least three years due to personal circumstances.", + "question": "Are there any Council Tax reductions that I can get for these two properties?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).

    " + ], + "id": "train-2285" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have inherited a piece of land from my late grandmother.It was unregistered and I would like to register it for the first time and use my name. My grandmother was the sole registered owner of the property.", + "question": "What are the documents I would need to submit with my application?", + "not_answerable": false, + "answers": [ + [ + "a completed \u2018whole of registered title assent\u2019 form", + [] + ], + [ + "a completed \u2018transfer of whole of registered title\u2019 form", + [ + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • " + ] + ], + [ + "a \u2018proof of identity\u2019 form", + [ + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • " + ] + ], + [ + "a \u2018disclosable interests\u2019 form", + [ + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • " + ] + ], + [ + "a land transaction return certificate", + [ + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • " + ] + ] + ], + "evidences": [ + "

    Include the same forms as for registering for the first time and include either:

    ", + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • ", + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • ", + "

    You may also need to send:

    ", + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • ", + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • ", + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • ", + "
  • a certified copy of the lease, if you\u2019re applying to register leasehold land or property
  • " + ], + "id": "train-2286" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have just bought a new property. I have found that this property has never been registered. I am now looking into registering the property. This is not shown in the deeds.", + "question": "How do I register the property?", + "not_answerable": false, + "answers": [ + [ + "search the register to make sure your property is not already registered", + [] + ], + [ + "apply for a search from the land charges department to search against all previous owners since 1925", + [] + ], + [ + "fill in an application for first registration", + [] + ], + [ + "prepare a scale plan showing where the land is outlined", + [] + ], + [ + "find the forms you need depending on your circumstances and fill out 2 copies of the list of documents form", + [] + ] + ], + "evidences": [ + "

    You must register all land or property with HM Land Registry if you\u2019ve:

    ", + "
  • bought it
  • ", + "

    Land or property must be registered for the first time if it\u2019s unregistered when you take ownership of it or mortgage it.

    ", + "
  • Search the register to make sure your property is not already registered.
  • ", + "
  • Apply for a search from the Land Charges Department to search against all previous owners since 1925. They will send you the results.
  • ", + "
  • Fill in an application for first registration.
  • ", + "
  • Prepare a scale plan showing where the land is outlined, if it\u2019s not shown in the deeds.
  • ", + "
  • Find the forms you need depending on your circumstances and fill out 2 copies of the list of documents form.
  • ", + "
  • Find out the correct registration fee - this depends on the value of your property.
  • ", + "
  • Send your documents, forms and fee to HM Land Registry.
  • " + ], + "id": "train-2287" + }, + { + "url": "https://www.gov.uk/register-a-boat", + "scenario": "My friend Mark owns a canoe boat along the river Severn. It is not registered nor licensed . He sometimes rows it to different waterways during summer.", + "question": "Can he be penalised for non-registration if he is a member of British Canoeing?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.

    " + ], + "id": "train-2288" + }, + { + "url": "https://www.gov.uk/renting-out-a-property", + "scenario": "I have done repairs to my property and it has cost me a lot of money. I want to increase the monthly rent by a small margin. This is a periodic tenancy.", + "question": "How can I increase the rent?", + "not_answerable": false, + "answers": [ + [ + "use a \u2018landlord\u2019s notice proposing a new rent\u2019 form, giving your tenant at least a month\u2019s notice", + [] + ] + ], + "evidences": [ + "

    For a periodic tenancy, you can:

    ", + "
  • use a \u2018Landlord\u2019s notice proposing a new rent\u2019 form, giving your tenant at least a month\u2019s notice
  • " + ], + "id": "train-2289" + }, + { + "url": "https://www.gov.uk/register-a-boat", + "scenario": "My brother wants to buy a canoe boat to spend his summer holiday rowing along the river Thames. He wants to register so that he can use it. My brother is a current member of British Canoeing.", + "question": "Will he need to insure it ?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.

    " + ], + "id": "train-2290" + }, + { + "url": "https://www.gov.uk/renting-out-a-property", + "scenario": "I have done repairs to my property and it has cost me a lot of money .I want to increase the monthly rent by a small margin. My tenant has a periodic tenancy for the property.", + "question": "How can I increase the rent?", + "not_answerable": false, + "answers": [ + [ + "agree a rent increase with your tenants and produce a written record of the agreement that you both sign", + [] + ] + ], + "evidences": [ + "

    For a periodic tenancy, you can:

    ", + "
  • agree a rent increase with your tenants and produce a written record of the agreement that you both sign
  • " + ], + "id": "train-2291" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have inherited a piece of land from my late grandmother.It was unregistered and I would like to register it for the first time and use my name. I have paid stamp duty for the inherited land.", + "question": "What are the documents I would need to submit with my application?", + "not_answerable": false, + "answers": [ + [ + "a completed \u2018whole of registered title assent\u2019 form", + [ + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • " + ] + ], + [ + "a completed \u2018transfer of whole of registered title\u2019 form", + [ + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • " + ] + ], + [ + "a \u2018proof of identity\u2019 form", + [ + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • " + ] + ], + [ + "a \u2018disclosable interests\u2019 form", + [ + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • " + ] + ], + [ + "a land transaction return certificate", + [] + ] + ], + "evidences": [ + "

    Include the same forms as for registering for the first time and include either:

    ", + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • ", + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • ", + "

    You may also need to send:

    ", + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • ", + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • ", + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • ", + "
  • a certified copy of the lease, if you\u2019re applying to register leasehold land or property
  • " + ], + "id": "train-2292" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have inherited a piece of land from my late grandmother.It was unregistered and I would like to register it for the first time and use my name. There are few unregistered interests on the property as well", + "question": "What are the documents I would need to submit with my application?", + "not_answerable": false, + "answers": [ + [ + "a completed \u2018whole of registered title assent\u2019 form", + [ + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • " + ] + ], + [ + "a completed \u2018transfer of whole of registered title\u2019 form", + [ + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • " + ] + ], + [ + "a \u2018proof of identity\u2019 form", + [ + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • " + ] + ], + [ + "a \u2018disclosable interests\u2019 form", + [] + ], + [ + "a land transaction return certificate", + [ + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • " + ] + ] + ], + "evidences": [ + "

    Include the same forms as for registering for the first time and include either:

    ", + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • ", + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • ", + "

    You may also need to send:

    ", + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • ", + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • ", + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • ", + "
  • a certified copy of the lease, if you\u2019re applying to register leasehold land or property
  • " + ], + "id": "train-2293" + }, + { + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "scenario": "I have tried to make alterations to the shop front. My application to the planning committee was rejected. Five weeks have past, and after being informed that this should have been accepted, we are considering appealing the decision. I have received an enforcement notice 30 days ago", + "question": "Are we still able to appeal this decision?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    The deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.

    " + ], + "id": "train-2294" + }, + { + "url": "https://www.gov.uk/buy-sell-your-home", + "scenario": "I am in the process of selling a home for \u00a3300,000. I am selling this property through an estate agent. I have found out that the estate agent has not informed me of all buyer offers. I have already complained to the estate agent about this issue, and they have failed to respond.", + "question": "How can I complain about this?", + "not_answerable": false, + "answers": [ + [ + "property redress scheme", + [] + ] + ], + "evidences": [ + "

    You must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:

    ", + "
  • Property Redress Scheme
  • " + ], + "id": "train-2295" + }, + { + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "scenario": "I am planning to rent out my home on a short-term basis. I am uncertain as to whether I will need to use it again in the future, and so I want the option to be able to terminate my tenant's rent at any time. The prospective tenant has agreed to have this put in the contract.", + "question": "Is there an agreement that can be made with the tenant for this purpose?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If there\u2019s a break clause in the tenancy agreement, you can give your tenants notice after this. However, you do not have a guaranteed right to possession during the first 6 months of the tenancy.

    " + ], + "id": "train-2296" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have inherited a share in a piece of land from my late grandmother, who owned it jointly with my now-widowed grandfather. It was unregistered and I would like to register it for the first time and use my name, with my grandfather's agreement.", + "question": "What form does my grandfather need to complete to authorise this registration?", + "not_answerable": false, + "answers": [ + [ + "a completed \u2018whole of registered title assent\u2019 form", + [ + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • " + ] + ], + [ + "a completed \u2018transfer of whole of registered title\u2019 form", + [] + ], + [ + "a \u2018proof of identity\u2019 form", + [ + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • " + ] + ], + [ + "a \u2018disclosable interests\u2019 form", + [ + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • " + ] + ], + [ + "a land transaction return certificate", + [ + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • " + ] + ] + ], + "evidences": [ + "

    Include the same forms as for registering for the first time and include either:

    ", + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • ", + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • ", + "

    You may also need to send:

    ", + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • ", + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • ", + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • ", + "
  • a certified copy of the lease, if you\u2019re applying to register leasehold land or property
  • " + ], + "id": "train-2297" + }, + { + "url": "https://www.gov.uk/joint-property-ownership", + "scenario": "My brother and his partner are tenants in common. They are now officially married and would like to have full rights to the property. They want to change the property ownership from tenants in common to joint tenants. The property is currently owned by two persons", + "question": "Can that be possible?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You need the agreement of all the other joint owners to change from being tenants in common to joint tenants.

    " + ], + "id": "train-2298" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I am the owner of a property in England. I have recently change my surname at the registry office. I am looking to update my details on the registration. I am not sending a certificate nor using a conveyancer.", + "question": "How do I apply to change my details on the registration?", + "not_answerable": false, + "answers": [ + [ + "use application form ap1", + [ + "
  • an official or certified copy of a certificate showing the name change, such as a marriage or civil partnership certificate
  • ", + "
  • a copy of a deed poll
  • ", + "
  • a statement of truth
  • ", + "
  • a statutory declaration sworn before someone able to take oaths
  • " + ] + ], + [ + "send additional proof", + [] + ] + ], + "evidences": [ + "

    Use application form AP1 if you have any of the following documents:

    ", + "
  • an official or certified copy of a certificate showing the name change, such as a marriage or civil partnership certificate
  • ", + "
  • a copy of a deed poll
  • ", + "
  • a statement of truth
  • ", + "
  • a statutory declaration sworn before someone able to take oaths
  • ", + "

    You must also send additional proof if you\u2019re not sending a certificate or using a conveyancer (for example a solicitor). When you send from AP1, include both:

    " + ], + "id": "train-2299" + }, + { + "url": "https://www.gov.uk/renting-out-a-property", + "scenario": "I have made repairs to my rental property, and it has cost me a lot of money. I want to increase the monthly rent for my fixed-term tenant by a small margin, as is specifically allowed by our agreement.", + "question": "How can I increase the rent?", + "not_answerable": false, + "answers": [ + [ + "stick to this", + [] + ] + ], + "evidences": [ + "

    If a fixed-term tenancy agreement says how the rent can be increased, you must stick to this.

    " + ], + "id": "train-2300" + }, + { + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "scenario": "I own some land that has an old tree. This tree is protected by a preservation order. The roots of this tree are damaging the foundations of my house. My application to cut it down was rejected 20 days ago.", + "question": "Am I still able to appeal against this decision, if there are 5 days until the tree replacement notice comes into effect?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You must appeal:

    ", + "
  • before the date the tree replacement notice comes into effect
  • " + ], + "id": "train-2301" + }, + { + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "scenario": "I have inherited a piece of land from my late grandmother.It was unregistered and I would like to register it for the first time and use my name.", + "question": "What are the documents I would need to submit with my application, considering the fact that I am not a legal professional of any sort?", + "not_answerable": false, + "answers": [ + [ + "a completed \u2018whole of registered title assent\u2019 form", + [ + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • " + ] + ], + [ + "a completed \u2018transfer of whole of registered title\u2019 form", + [ + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • " + ] + ], + [ + "a \u2018proof of identity\u2019 form", + [] + ], + [ + "a \u2018disclosable interests\u2019 form", + [ + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • " + ] + ], + [ + "a land transaction return certificate", + [ + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • " + ] + ] + ], + "evidences": [ + "

    Include the same forms as for registering for the first time and include either:

    ", + "
  • a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will
  • ", + "
  • a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share
  • ", + "

    You may also need to send:

    ", + "
  • a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer
  • ", + "
  • a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry
  • ", + "
  • a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)
  • ", + "
  • a certified copy of the lease, if you\u2019re applying to register leasehold land or property
  • " + ], + "id": "train-2302" + }, + { + "url": "https://www.gov.uk/buy-sell-your-home", + "scenario": "I am in the process of selling a home for \u00a3300,000. I am selling this property through an estate agent. I have found out that the estate agent has not informed me of all buyer offers.", + "question": "Who else can I complain to about this if the estate agent rejects my initial complaint?", + "not_answerable": false, + "answers": [ + [ + "the property ombudsman", + [] + ] + ], + "evidences": [ + "

    You must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:

    ", + "
  • The Property Ombudsman
  • " + ], + "id": "train-2303" + }, + { + "url": "https://www.gov.uk/joint-property-ownership", + "scenario": "I am one of two tenants owning a property as joint tenants. I want to sell the property, but the other tenant has lost the mental capacity to make a decision, and the lasting power of attorney which they had registered beforehand has been activated, with myself as the attorney.", + "question": "Do I have to appoint someone to represent the other tenant?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You may not need to apply if you\u2019ve got a registered power of attorney.

    " + ], + "id": "train-2304" + }, + { + "url": "https://www.gov.uk/pass-plus", + "scenario": "I am 21 and live in London. I passed my driving test and received my license 3 months ago. I own a car, and am now shopping around for car insurance. My insurer offers the Pass Plus discounts.", + "question": "Can taking the Pass Plus course get me a discount on my car insurance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    The amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.

    " + ], + "id": "train-2305" + }, + { + "url": "https://www.gov.uk/transport-disabled", + "scenario": "I am 42 and partially sighted, which requires me to be accompanied by my guide dog Bella when out in public. I wish to visit London, and will be arriving by train. The taxi driver that I have hailed does not have an exemption certificate.", + "question": "If I hail a taxi at the station, is the driver obliged to allow my guide dog to accompany me in the car?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you travel with an assistance dog they must be allowed into the taxi or minicab with you, unless the driver has an exemption certificate. This can be issued if they\u2019ve got a medical condition made worse by contact with dogs.

    " + ], + "id": "train-2306" + }, + { + "url": "https://www.gov.uk/minister-of-religion-visa", + "scenario": "My friend John is in the UK on a Minister of Religion visa . He works as a church minister as a voluntary unpaid worker but wants to take a second job. He needs some information. I will be working 15 hours per week in another ministerial role.", + "question": "What are the specified areas he can look for a second Job?", + "not_answerable": false, + "answers": [ + [ + "the same profession as your main job", + [] + ], + [ + "a profession on the skilled worker shortage occupation list", + [ + "

    You can take a second job on this visa if you\u2019re working up to 20 hours a week in either:

    " + ] + ], + [ + "unpaid voluntary work", + [] + ] + ], + "evidences": [ + "

    You can take a second job on this visa if you\u2019re working up to 20 hours a week in either:

    ", + "
  • the same profession as your main job
  • ", + "
  • a profession on the Skilled Worker shortage occupation list
  • ", + "

    You can also do unpaid voluntary work.

    " + ], + "id": "train-2307" + }, + { + "url": "https://www.gov.uk/uk-family-visa", + "scenario": "I am a 32 year old who is planning to come to the UK on a family visa, along with my 10 year old son and 34 year old spouse. We have a combined income of \u00a320,000. My son is a citizen of Iceland, and does not have settled status in the UK.", + "question": "Is our income enough for us to be allowed to the UK on a family visa?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You might not need to prove you have extra money if your children are citizens of the EU, Iceland, Liechtenstein, Norway or Switzerland and they do not have pre-settled status or are not permanently settled in the UK. Check the guidance in appendix FM 1.7: financial requirement for more information.

    " + ], + "id": "train-2308" + }, + { + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "scenario": "My child, who is 9 years old, is eligible for a child student visa. I am about to apply for the parent of a child student visa to stay with my child for a year in the UK. I am from Cambodia that supposedly requires a tuberculosis test.", + "question": "What documents are needed to apply for this visa?", + "not_answerable": false, + "answers": [ + [ + "a certified translation of any documents", + [ + "
  • a certified translation of any documents that are not in English or Welsh
  • " + ] + ], + [ + "your tuberculosis (tb) test results", + [] + ], + [ + "evidence that you have a permanent home outside the uk", + [] + ], + [ + "proof that you have enough money to support yourself and your child", + [ + "
  • proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa
  • " + ] + ], + [ + "a current passport or other valid travel document", + [] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel document
  • ", + "
  • proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa
  • ", + "
  • evidence that you have a permanent home outside the UK
  • ", + "

    Depending on your circumstances, you might also need to provide:

    ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test
  • ", + "
  • a certified translation of any documents that are not in English or Welsh
  • " + ], + "id": "train-2309" + }, + { + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "scenario": "I have a Charity Worker visa and currently live in the UK. I am looking to extend my stay from the original six months. My certificate of sponsor will last for 2 years.", + "question": "For how long can I extend my visa?", + "not_answerable": false, + "answers": [ + [ + "up to a maximum of 12 months", + [] + ] + ], + "evidences": [ + "

    You can apply to take your stay in the UK up to a maximum of 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ], + "id": "train-2310" + }, + { + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "scenario": "I have a Charity Worker visa and currently live in the UK. I am looking to extend my stay from the original six months. My certificate of sponsorship expires in 5 months time.", + "question": "For how long can I extend my visa?", + "not_answerable": false, + "answers": [ + [ + "the time on your certificate of sponsorship plus 14 days", + [] + ] + ], + "evidences": [ + "

    You can apply to take your stay in the UK up to a maximum of 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.

    " + ], + "id": "train-2311" + }, + { + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "scenario": "I currently hold a Creative and Sporting visa. I live in the UK and work as an actor for a film company. Filming has been extended by two months due to delays. My certificate of sponsorship will last for two years.", + "question": "For how long can I extend my visa?", + "not_answerable": false, + "answers": [ + [ + "the time needed to extend your stay to the maximum of 24 months", + [] + ] + ], + "evidences": [ + "

    You can extend your visa for whichever is the shortest of:

    ", + "
  • the time needed to extend your stay to the maximum of 24 months
  • " + ], + "id": "train-2312" + }, + { + "url": "https://www.gov.uk/seasonal-worker-visa", + "scenario": "I have a temporary job offer in the UK. I appear to be eligible for the Seasonal Worker Visa. I am now looking to apply for this visa. My certificate of sponsorship does not show that they will support me.", + "question": "What documents do I need to provide to apply?", + "not_answerable": false, + "answers": [ + [ + "your certificate of sponsorship reference number", + [] + ], + [ + "a valid passport or other document that shows your identity and nationality", + [] + ], + [ + "evidence that you have enough personal savings to support yourself in the uk", + [] + ], + [ + "a certified translation of any documents that are not in english or welsh, apart from your passport.", + [] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • your certificate of sponsorship reference number - your sponsor will give you this
  • ", + "
  • a valid passport or other document that shows your identity and nationality
  • ", + "
  • evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your sponsor can support you)
  • ", + "

    You must also provide a certified translation of any documents that are not in English or Welsh, apart from your passport.

    " + ], + "id": "train-2313" + }, + { + "url": "https://www.gov.uk/collective-group-passports", + "scenario": "My son is a British national aged 16 years old.He is a member of a local youth orchestra group and are planning a trip to Spain for sightseeing and some adventures for 14 days. I have a clean school photo that does not have any text or marks on it.", + "question": "Can he use a school photo for group passport application?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can use:

    ", + "
  • a school photo - as long as it does not have \u2018proof\u2019 written across it
  • " + ], + "id": "train-2314" + }, + { + "url": "https://www.gov.uk/healthcare-immigration-application", + "scenario": "I am in the process of applying for my skilled work visa UK . I want to work as a teacher in a UK school.It is indicated that I should pay a health surcharge so that I can access medical treatment while in the UK. I am 17 years old at the time of my application.", + "question": "How much is the health surcharge fee?", + "not_answerable": false, + "answers": [ + [ + "\u00a3470 per year", + [] + ] + ], + "evidences": [ + "

    You\u2019ll have to pay:

    ", + "
  • \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application
  • " + ], + "id": "train-2315" + }, + { + "url": "https://www.gov.uk/additional-state-pension", + "scenario": "My husband died on the 30th of July 2021. He was born on the 4th October 1945. He was eligible and was receiving an additional state pension. He reached state pension age on the 4th October 2005", + "question": "Will I be able to claim any of this state pension as inheritance?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you reached State Pension age before 6 April 2010

    " + ], + "id": "train-2316" + }, + { + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "scenario": "A friend of mine and his family want to apply for settlement as refugees. We have been friends for about 2 years now and his family has been living in the UK for the past 7 or so years. The family of my friend is dependant on him and already live in the UK.", + "question": "Are they eligible to apply for settlement as refugees?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.

    " + ], + "id": "train-2317" + }, + { + "url": "https://www.gov.uk/redundancy-your-rights", + "scenario": "I have been told that I am going to be made redundant due to the closure of my department. I have worked for my employer for 10 years. I was 23 years of age when I started working for my employer.", + "question": "What amount of redundancy pay should I receive?", + "not_answerable": false, + "answers": [ + [ + "one week\u2019s pay for each full year", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get:

    ", + "
  • one week\u2019s pay for each full year you were 22 or older, but under 41
  • " + ], + "id": "train-2318" + }, + { + "url": "https://www.gov.uk/workplace-pensions", + "scenario": "I am 23 years old. I have just got a new job that will have a salary of \u00a318,000 per year. I do not want to pay into a pension at this time. I have spent my entire life working in the UK.", + "question": "Does my employer need to automatically enrol me onto a pension?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Your employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:

    ", + "
  • you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)
  • " + ], + "id": "train-2319" + }, + { + "url": "https://www.gov.uk/change-vehicle-tax-class", + "scenario": "I own and drive a delivery van, which I have just had converted to run on LPG rather than its original diesel fuel. This should result in a reduced annual vehicle tax rate. The current vehicle taxation is not due to run out for another 6 months. My car needs and has a current MOT certificate.", + "question": "Which documents do I need to send together with the form to notify the DVLA of this change?", + "not_answerable": false, + "answers": [ + [ + "the v5c vehicle registration certificate (log book) with any changes marked on it", + [] + ], + [ + "a cheque or postal order made payable to \u2018dvla, swansea\u2019 for any extra vehicle tax you have to pay", + [] + ], + [ + "a current mot certificate", + [] + ], + [ + "written proof", + [] + ], + [ + "an insurance certificate or cover note", + [ + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • " + ] + ] + ], + "evidences": [ + "

    Send the form to DVLA with:

    ", + "
  • the V5C vehicle registration certificate (log book) with any changes marked on it
  • ", + "
  • a cheque or postal order made payable to \u2018DVLA, Swansea\u2019 for any extra vehicle tax you have to pay - damaged or altered cheques will not be accepted
  • ", + "
  • a current MOT certificate (if your vehicle needs one)
  • ", + "
  • written proof if you\u2019ve decreased engine size or changed fuel type, for example a new engine receipt or letter from the garage that made the change
  • ", + "
  • an insurance certificate or cover note (only in Northern Ireland)
  • ", + "

    If you do not have the V5C, download and fill in a V62 form. Send it to DVLA with the \u00a325 fee.

    " + ], + "id": "train-2320" + }, + { + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "scenario": "I am 72 years old, and last year I was advised by my GP to surrender my driving license due to my steadily declining eyesight (specifically, progressive night-blindness). I have since acquired a Class 3 invalid carriage (scooter) due to having problems walking. I am still more than capable of reading a car's license plate number from 15 meters away in a well lit environment.", + "question": "Does my failing eyesight effect my entitlement to drive the scooter?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    There is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).

    " + ], + "id": "train-2321" + }, + { + "url": "https://www.gov.uk/driving-medical-conditions", + "scenario": "I am 61, hold a full driving license, live in Wales and yesterday notified the DVLA that I have been fitted with a pacemaker. I would like to keep driving my car while awaiting their verdict.", + "question": "I was told that I might receive a letter from the DVLA, what will that usually inform me of regarding the time their verdict will take?", + "not_answerable": false, + "answers": [ + [ + "take longer", + [] + ] + ], + "evidences": [ + "

    You\u2019ll usually get a decision within 6 weeks. You\u2019ll get a letter from DVLA if it\u2019s going to take longer.

    " + ], + "id": "train-2322" + }, + { + "url": "https://www.gov.uk/seasonal-worker-visa", + "scenario": "I have been granted my seasonal work visa. I would like to work as a farm manager in the UK. Furthermore, I would also like to fill out my free time with other productive activities permitted under my visa.", + "question": "Whatelse can i do in the UK on a seasonal worker visa?", + "not_answerable": false, + "answers": [ + [ + "study", + [] + ] + ], + "evidences": [ + "

    You can:

    ", + "
  • study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)
  • " + ], + "id": "train-2323" + }, + { + "url": "https://www.gov.uk/uk-border-control", + "scenario": "I am travelling to the UK with my child. My child and I have different surnames. I have heard that I may need to prove my relationship with my child, but the surnames of me and my child are different.", + "question": "What documents will I need to provide?", + "not_answerable": false, + "answers": [ + [ + "a birth or adoption certificate", + [] + ], + [ + "divorce or marriage certificates", + [] + ], + [ + "a letter from the child\u2019s parent", + [ + "
  • a letter from the child\u2019s parent giving permission for the child to travel with you and providing contact details, if you\u2019re not the parent
  • " + ] + ] + ], + "evidences": [ + "

    You may be asked at the border to prove the relationship between yourself and any children travelling with you, if you do not seem to be the parent, for example if you have a different surname.

    ", + "

    You can prove this with:

    ", + "
  • a birth or adoption certificate showing your relationship with the child
  • ", + "
  • divorce or marriage certificates if you\u2019re the parent but have a different surname from the child
  • ", + "
  • a letter from the child\u2019s parent giving permission for the child to travel with you and providing contact details, if you\u2019re not the parent
  • " + ], + "id": "train-2324" + }, + { + "url": "https://www.gov.uk/uk-border-control", + "scenario": "I am travelling to the UK from United States with my 5 years old niece. She had gone to visit her grandmother and had a short stay. Me and my niece have different surnames so there will be no mistake that I am not her parent.", + "question": "What do i expect to be asked at the border ?", + "not_answerable": false, + "answers": [ + [ + "to prove the relationship between yourself and any children travelling with you", + [] + ] + ], + "evidences": [ + "

    You may be asked at the border to prove the relationship between yourself and any children travelling with you, if you do not seem to be the parent, for example if you have a different surname.

    " + ], + "id": "train-2325" + }, + { + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "scenario": "I have lived in the UK with my husband for six years, who has a Turkish Businessperson visa. I have met the language and English knowledge requirements as well as the Life in the UK test. I am dependent on my husband. I want to apply for indefinite stay with my husband.", + "question": "Will I be able to apply for indefinite leave to remain?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If your partner is applying for indefinite leave to remain, they must:

    ", + "
  • have met the knowledge of language and Life in the UK test
  • " + ], + "id": "train-2326" + }, + { + "url": "https://www.gov.uk/financial-assistance-mobilised-service", + "scenario": "I am an employer who had employed two army reservists and they were called out. I have incurred losses in undertaking new advertisements and replacements. I had also committed a lot of money in training and uniforms. I attended a hearing regarding this issue but a decision was not reached at the end of it.", + "question": "How long will I have to wait to get a decision regarding the issue considering one was not reached during the hearing?", + "not_answerable": false, + "answers": [ + [ + "within 1 month", + [] + ] + ], + "evidences": [ + "

    If a decision\u2019s not made at the hearing, you\u2019ll get a letter telling you the decision within 1 month. This is known as a \u2018reserved\u2019 decision.

    " + ], + "id": "train-2327" + }, + { + "url": "https://www.gov.uk/additional-state-pension", + "scenario": "I retired in 2015 after a lifetime on the railways. Part of my service was contracted out which means I was a member of the contracted-out workplace pension.", + "question": "Does being contracted out affect the additional state pension?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    While you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.

    " + ], + "id": "train-2328" + }, + { + "url": "https://www.gov.uk/redundancy-your-rights", + "scenario": "I have been told that I am going to be made redundant due to the closure of my department. I have worked for my employer for 3 years when I was 18 to 21 years old.", + "question": "What amount of redundancy pay should I receive?", + "not_answerable": false, + "answers": [ + [ + "half a week\u2019s pay for each full year", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get:

    ", + "
  • half a week\u2019s pay for each full year you were under 22
  • " + ], + "id": "train-2329" + }, + { + "url": "https://www.gov.uk/redundancy-your-rights", + "scenario": "I have been told that I am going to be made redundant due to the closure of my department. I have worked for my employer for 10 years. I began working for them when I was 42 years old.", + "question": "What amount of redundancy pay should I receive?", + "not_answerable": false, + "answers": [ + [ + "one and half week\u2019s pay for each full year", + [] + ] + ], + "evidences": [ + "

    You\u2019ll get:

    ", + "
  • one and half week\u2019s pay for each full year you were 41 or older
  • " + ], + "id": "train-2330" + }, + { + "url": "https://www.gov.uk/injunction-domestic-violence", + "scenario": "I am 15, live in Wales and for two years was sexually abused by my uncle, a former police officer. He has been arrested and is currently on bail awaiting a charging decision from the CPS. I am afraid that he will try and contact me.", + "question": "Can I apply for a non-molestation order against my uncle, despite my not being a legal adult yet and I have got the permission from the High Court ?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    If you\u2019re under 16 you need permission from the High Court to apply.

    " + ], + "id": "train-2331" + }, + { + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "scenario": "I am 35 and work as a builder. I was (falsely) accused of bullying an apprentice and have been suspended from work. I feel that this is very unfair as I am innocent! I am worried about my rights whilst suspended. Also my contract says that I won't paid on suspension", + "question": "Will I still continue to receive my pay and other benefits whilst I am suspended from work?", + "not_answerable": false, + "answers": [ + [ + "no", + [] + ] + ], + "evidences": [ + "

    You can be suspended without pay if your employment contract says your employer can do this, but they must be acting reasonably.

    " + ], + "id": "train-2332" + }, + { + "url": "https://www.gov.uk/changing-passport-information", + "scenario": "I am getting married 11 weeks from now. My surname will be changing to my husband's surname, and I want to apply for a new passport well before the ceremony to ensure that I receive it in time for the honeymoon.", + "question": "Will I be able to apply for a new passport before the wedding day?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    You can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.

    " + ], + "id": "train-2333" + }, + { + "url": "https://www.gov.uk/hand-luggage-restrictions", + "scenario": "I am going on a performance to Spain from the UK. I am going to be taking my cello with me.", + "question": "Do I need to contact the airline beforehand if I want to fly with such a large instrument?", + "not_answerable": false, + "answers": [ + [ + "yes", + [] + ] + ], + "evidences": [ + "

    Contact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.

    " + ], + "id": "train-2334" + }, + { + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "scenario": "I am a citizen and resident of Poland and my child, who is 9 years old, is eligible for a Child Student Visa. I am about to apply for a Parent of a Child Student Visa to stay with my child for a year in the UK, but am worried that some of my Polish-language supporting documentation may not be acceptable.", + "question": "What documents are needed to apply for this visa?", + "not_answerable": false, + "answers": [ + [ + "a certified translation of any documents", + [] + ], + [ + "your tuberculosis (tb) test results", + [ + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test
  • " + ] + ], + [ + "evidence that you have a permanent home outside the uk", + [] + ], + [ + "proof that you have enough money to support yourself and your child", + [ + "
  • proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa
  • " + ] + ], + [ + "a current passport or other valid travel document", + [] + ] + ], + "evidences": [ + "

    When you apply you\u2019ll need to provide:

    ", + "
  • a current passport or other valid travel document
  • ", + "
  • proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa
  • ", + "
  • evidence that you have a permanent home outside the UK
  • ", + "

    Depending on your circumstances, you might also need to provide:

    ", + "
  • your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test
  • ", + "
  • a certified translation of any documents that are not in English or Welsh
  • " + ], + "id": "train-2335" + }, + { + "url": "https://www.gov.uk/understanding-your-pay", + "scenario": "My name is Johnny. I am sixteen and just started my first job. I have been told that I can take home good money, depending on how many hours of work I have done. I am really looking forward to my first pay day!", + "question": "What should be on my payslip?", + "not_answerable": false, + "answers": [ + [ + "your earnings before and after any deductions", + [] + ], + [ + "the amount of any deductions that may change each time you\u2019re paid", + [] + ], + [ + "the number of hours you worked", + [] + ] + ], + "evidences": [ + "

    If you\u2019re an employee or \u2018worker\u2019 (not a contractor or freelancer), you have the right to a payslip, which shows:

    ", + "
  • your earnings before and after any deductions
  • ", + "
  • the amount of any deductions that may change each time you\u2019re paid, for example tax and National Insurance
  • ", + "
  • the number of hours you worked, if your pay varies depending on time worked
  • " + ], + "id": "train-2336" + }, + { + "url": "https://www.gov.uk/uk-border-control", + "scenario": "i am travelling to the uk with my child. though we have different surnames, i am their biological parent and we are still together with their other biological parent. i have heard that i may need to prove my relationship with my child.", + "question": "What documents will I need to provide?", + "not_answerable": false, + "answers": [ + [ + "a birth or adoption certificate", + [] + ], + [ + "divorce or marriage certificates", + [ + "
  • divorce or marriage certificates if you\u2019re the parent but have a different surname from the child
  • " + ] + ], + [ + "a letter from the child\u2019s parent", + [] + ] + ], + "evidences": [ + "

    You may be asked at the border to prove the relationship between yourself and any children travelling with you, if you do not seem to be the parent, for example if you have a different surname.

    ", + "

    You can prove this with:

    ", + "
  • a birth or adoption certificate showing your relationship with the child
  • ", + "
  • divorce or marriage certificates if you\u2019re the parent but have a different surname from the child
  • ", + "
  • a letter from the child\u2019s parent giving permission for the child to travel with you and providing contact details, if you\u2019re not the parent
  • " + ], + "id": "train-2337" + } +] \ No newline at end of file diff --git a/examples/conditionalqa_train_processed.json b/examples/conditionalqa_train_processed.json new file mode 100644 index 0000000..72a6334 --- /dev/null +++ b/examples/conditionalqa_train_processed.json @@ -0,0 +1,12072 @@ +[ + { + "id": "train-0", + "question": "Scenario: My father, who was a widower and the owner of several large properties in Wales, died recently and apparently intestate. My paternal uncle is applying for probate, but I believe that I have a stronger claim.\n\nQuestion: Do I have a greater right to probate in respect of my late father's estate?\n\nDocument - Applying for probate:\n## Overview\n\nApplying for the legal right to deal with someone\u2019s property, money and possessions (their \u2018estate\u2019) when they die is called \u2018applying for probate\u2019.\n\nYou\u2019ll get a document that allows you to start dealing with the estate. If the person left a will you\u2019ll get either:\n\n- a \u2018grant of probate\u2019\n\n- \u2018letters of administration with will annexed\u2019 (if the will does not name an executor or the named executor is unable to apply)\n\nIf the person did not leave a will, you\u2019ll get \u2018letters of administration\u2019.\n\nThis guide and the service are also available in Welsh (Cymraeg).\n\nThe process is different in Scotland and different in Northern Ireland.\n\nBecause of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process.\n\n## When probate is not needed\n\nYou may not need probate if the person who died:\n\n- had jointly owned land, property, shares or money - these will automatically pass to the surviving owners\n\n- only had savings or premium bonds\n\nContact each asset holder (for example a bank or mortgage company) to find out if you\u2019ll need probate to get access to their assets. Every organisation has its own rules.\n\n## Who can apply\n\nOnly certain people can apply for probate to deal with the estate of someone who died. It depends on whether the person who died left a will.\n\nA will states what should happen to a person\u2019s property and belongings (\u2018estate\u2019) after they die. It\u2019s usually valid if it\u2019s been signed by the person who made it and 2 witnesses.\n\n## If there\u2019s a will\n\nYou can apply for probate if you\u2019re named in the will, or in an update to the will (a \u2018codicil\u2019), as an \u2018executor\u2019.\n\nYou\u2019ll need the original will and any updates to apply for probate. These must be original documents, not photocopies.\n\nIf you do not want to apply for probate, fill in a form to give up executor rights.\n\nFind out what to do if you\u2019re an executor.\n\n## If the person did not leave a will\n\nThe \u2018administrator\u2019 deals with the estate.\n\nYou can apply to become the estate\u2019s administrator if you are 18 or over and you are the most \u2018entitled\u2019 inheritor of the deceased\u2019s estate. This is usually the deceased\u2019s closest living relative.\n\nRelatives are the most entitled inheritors in the following order:\n\n- husband, wife or civil partner (including if they were separated)\n\n- children (including legally adopted children but not step-children)\n\n- grandchildren\n\n- great-grandchildren\n\n- parents\n\n- brothers and sisters\n\n- nieces and nephews\n\n- half-brothers and half-sisters\n\n- half-nieces and half-nephews (the children of the half-brothers and half-sisters of the deceased)\n\n- grandparents\n\n- aunts and uncles\n\n- cousins\n\n- half-aunts and half-uncles (the half-brothers and half-sisters of the deceased\u2019s parent)\n\n- half-cousins (the children of the half-brothers and half-sisters of the deceased\u2019s parent)\n\nTo apply, follow the same steps as applying for probate.\n\nYou\u2019ll receive \u2018letters of administration\u2019 to prove you have the legal right to deal with the estate.\n\nYou cannot apply if you\u2019re the partner of the person but were not their spouse or civil partner when they died. You\u2019re not automatically entitled to any of their estate, unless you\u2019re able to make changes to the inheritance.\n\n## If you do not want to apply\n\nIf you\u2019re the most entitled inheritor and you do not want to apply to be the administrator, you can either:\n\n- appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and get the attorney to send this in with the probate application\n\n- nominate up to 2 people to be the next most entitled inheritor - fill in an \u2018intestate\u2019 form and send it to HMCTS Probate\n\n## Work out who inherits\n\nThe law decides who inherits the estate if there\u2019s no will. Work out who will inherit.\n\nYou\u2019ll need this information to report the estate\u2019s value and find out if there\u2019s Inheritance Tax to pay.\n\nInheritance laws may be different if you live in an EU country.\n\n## Stopping a probate application\n\nIf there\u2019s a dispute, you can challenge an application for probate (\u2018enter a caveat\u2019), before it\u2019s granted.\n\nFind out how to stop a probate application.\n\n## If you\u2019re an executor\n\nAn executor is someone named in a will as responsible for sorting out the estate of the person who\u2019s died.\n\nThe person who died will normally have told you if you\u2019re an executor. You\u2019ll need the original will to apply for probate.\n\n## Find the original will\n\nThe person who died should have told all the executors where to find the original will and any updates, for example:\n\n- at their house\n\n- with a probate practitioner, such as a solicitor\n\n- at the Newcastle District Probate Registry - you\u2019ll need the death certificate and evidence you\u2019re the executor\n\nGet help from a probate practitioner or Citizens Advice if you cannot understand a will or codicil.\n\nIf you cannot find the original will, you\u2019ll need to fill in a lost will form.\n\nIf there\u2019s more than one will, only the most recent will is valid. Do not destroy any copies of earlier wills until you\u2019ve received probate.\n\nAn executor only receives assets if they\u2019re also named as a beneficiary.\n\n## If there\u2019s more than one executor\n\nIf more than one person is named as an executor, you must all agree who makes the application for probate.\n\nUp to 4 executors can be named on the application.\n\nIf only one executor is named on the application they\u2019ll need to prove that they tried to contact all executors named in the will before they applied.\n\nIf you\u2019re having problems finding the other executors, you can contact the Probate Call Centre.\n\nThe Probate Call Centre cannot help with disagreements between executors. You\u2019ll need to find another way to reach an agreement - this could mean getting legal advice.\n\n## If you do not want to or cannot be an executor\n\nThe will may name a replacement executor for someone who becomes \u2018unwilling or unable\u2019 to deal with the estate.\n\nIf no executors are willing or able to apply for probate, fill in a form to give up executor rights and send it to HMCTS Probate.\n\n## You do not want to be an executor\n\nYou can do one of the following:\n\n- completely give up your right to apply for probate (\u2018renunciation\u2019) - fill in a form to give up executor rights and send it with the probate application form\n\n- reserve your right to apply for probate later if another executor cannot deal with the estate (holding \u2018power reserved\u2019)\n\n- appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and send it with the probate application\n\n## When an executor is unable to apply for probate\n\nA replacement executor should apply for probate if the executor is unable to, for example because:\n\n- they\u2019ve died\n\n- they do not have \u2018mental capacity\u2019 - get a doctor to fill in a mental capacity form and send it with the probate application\n\n## Apply for probate\n\nYou can apply for probate yourself online or by post, or pay a probate practitioner (such as a solicitor) to do it for you.\n\nBecause of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process. It\u2019s taking longer to process paper applications than online applications.\n\nThis guide and the service are also available in Welsh (Cymraeg).\n\n## Before you apply\n\n- Check if you need probate.\n\n- Check if you can apply for probate.\n\n- You must estimate and report the estate\u2019s value before you apply for probate.\n\n- You must find out whether you need to pay Inheritance Tax. If you do have to pay it, send the appropriate forms to HMRC and wait 20 working days before applying for probate.\n\n- You must have the original will if you\u2019re the executor (you do not need it if you\u2019re an administrator). You must also have the original death certificate or an interim death certificate from the coroner.\n\n## If you need to pay Inheritance Tax\n\nYou normally have to pay at least some of the tax before you\u2019ll get probate. You can claim the tax back from the estate, if you pay it out of your own bank account.\n\n## Probate application fees\n\nYou may have to pay a fee to apply for probate. Whether you need to pay depends on the value of the estate.\n\nIf the value of the estate is over \u00a35,000, the application fee is \u00a3215. You may be able to get help to pay the probate fee and other court fees if you have a low income or are on certain benefits.\n\nThere\u2019s no fee if the estate is \u00a35,000 or less.\n\nExtra copies of the probate cost \u00a31.50 each. This means you can send them to different organisations at the same time.\n\n## If the will has been changed or damaged\n\nYou must include a cover letter if the will or any additions have changed in any way since you\u2019ve had them. This includes them being damaged or separated for photocopying.\n\nThe letter should explain what\u2019s been changed and why.\n\n## Get help and advice\n\nIf you\u2019ve not yet applied and have a question about applying for probate, contact the Courts and Tribunals Service Centre:\n\n## If you\u2019re a probate practitioner\n\nYou should apply for probate for your client using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\n## Apply for probate online\n\nYou can use this service if you\u2019re the executor or administrator and you:\n\n- have the original will and any additions to it (\u2018codicils\u2019) if you\u2019re the executor (you do not need these if you\u2019re an administrator)\n\n- have the original death certificate or an interim death certificate from the coroner\n\n- have already reported the estate\u2019s value\n\n- have submitted tax forms to HMRC and waited 20 working days, if you need to pay Inheritance Tax\n\nThe person who died must have lived in England or Wales most of the time.\n\nThe probate registry will keep the original will and any additions to it. If you make a copy of these for your records, do not remove any staples or bindings from them.\n\nApply for probate\n\nReturn to an existing probate application.\n\n## Apply for probate by post\n\nThe form you need to fill in depends on whether the person left a will or not.\n\nFill in application form PA1P if there is a will.\n\nFill in application form PA1A if there is not a will.\n\nBecause of COVID-19, it\u2019s taking longer to process paper applications than online applications. Use the online service to apply for probate if you can.\n\nYou need to pay before you send the form.\n\nYou can pay by either:\n\n- calling the Courts and Tribunals Service Centre to pay by credit or debit card - you\u2019ll be given a reference number to send with your documents\n\n- sending a cheque payable to \u2018HM Courts and Tribunals Service\u2019 with your documents\n\nSend your completed form to HMCTS Probate with the following documents:\n\n- the original will and any additions to it (\u2018codicils\u2019)\n\n- the death certificate or an interim death certificate from the coroner\n\nUse a signed-for or tracked postal service that will deliver to PO boxes to send your documents.\n\nThe death certificate will be returned to you but the will and any additions to it will not be. If you make a copy of the will and any of its additions for your own records, do not remove any staples or bindings from them.\n\n## After you've applied\n\nYou\u2019ll usually get the grant of probate or letters of administration within 8 weeks of sending in your original documents. If you ordered copies of these documents for use outside the UK, these will take longer to arrive.\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications.\n\nYou should not make any financial plans or put property on the market until you have received the grant of probate or letters of administration.\n\nIf there\u2019s anything wrong with the grant of probate (or letters of administration), return it to the district probate registry listed on the grant or letters.\n\nSend a copy to organisations that hold the assets of the person who died, for example their bank.\n\nOnce you have probate you can start dealing with the estate.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/applying-for-probate", + "answerable": true, + "scenario": "My father, who was a widower and the owner of several large properties in Wales, died recently and apparently intestate. My paternal uncle is applying for probate, but I believe that I have a stronger claim.", + "original_question": "Do I have a greater right to probate in respect of my late father's estate?" + }, + { + "id": "train-1", + "question": "Scenario: I was born and raised in Australia. I have changed my gender and got a certificate in Australia. I have moved to UK three years back\n\nQuestion: I would like to know whether I am eligible to apply for Gender Recognition Certificate in UK ?\n\nDocument - Apply for a Gender Recognition Certificate:\n## Overview\n\nApply to the Gender Recognition Panel for a Gender Recognition Certificate if you want your acquired gender to be legally recognised in the UK.\n\nThere are 3 different ways (\u2018routes\u2019) to get a certificate - which one you use depends on your situation.\n\nRead the full guidance before you apply.\n\n## Standard route\n\nApply by the standard route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria (discomfort with your birth gender) - this is also called gender identity disorder, gender incongruence or transsexualism\n\n- you\u2019ve lived in your acquired gender for at least 2 years\n\n- you intend to live in your acquired gender for the rest of your life\n\n## Alternative route\n\nApply by the alternative route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria or had surgery to change your sexual characteristics\n\n- you live in England, Wales, Northern Ireland or Scotland most of the time\n\n- you intend to live in your acquired gender for the rest of your life\n\n- you\u2019re in (or have been in) a protected marriage or protected civil partnership before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\n- you\u2019ve lived in your acquired gender for at least 6 years before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\nA marriage or civil partnership is protected if it\u2019s one of the following:\n\n- registered under the law of England, Wales or Northern Ireland\n\n- a marriage solemnised in Scotland\n\n- a civil partnership registered in Scotland\n\n- a marriage registered under the law of a country or territory outside the UK\n\n- a marriage on UK consular premises or in an armed forces base, if you elected England, Wales, Northern Ireland or Scotland as the relevant part of the UK\n\n## Overseas route\n\nApply by the overseas route if your acquired gender has been legally accepted in an \u2018approved country or territory\u2019 and you have documents to prove it.\n\nYou must be 18 or over.\n\n## Help you can get\n\nYou can get information, advice and support from a number of voluntary organisations - you can find a list on page 21 of the full guidance.\n\nYou can also contact Citizens Advice or find a legal adviser.\n\n## If you're married or in a civil partnership\n\n## If you\u2019re married\n\nYou can stay married if you apply for a Gender Recognition Certificate.\n\nYou and your spouse must fill in a statutory declaration saying you both agree to stay married.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.\n\nIf your marriage is registered in England, Wales or Northern Ireland and you have an interim certificate, you\u2019ll only get a full certificate once you end your marriage.\n\nIf your marriage was registered in Scotland, you can use an interim certificate to apply to the sheriff court for a full certificate. You do not need to end your marriage first.\n\nContact the administrative team at the Gender Recognition Panel if either you or your spouse change your mind about staying married during the application process.\n\n## If you\u2019re in a civil partnership\n\nYou can stay in your civil partnership if it was registered in England, Wales or Northern Ireland.\n\nYour partner must fill in a statutory declaration saying they agree to stay in a civil partnership with you. Contact the Gender Recognition Panel for help with filling in the declaration.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if your partner does not fill in a statutory declaration.\n\n## Civil partnerships registered in Scotland\n\nIf your civil partnership was registered in Scotland, you must end it or convert your civil partnership to marriage.\n\nIf you decide to convert your civil partnership into a marriage you must do it before you apply to the Gender Recognition Panel.\n\nIf you\u2019re still in a civil partnership when you apply to the Gender Recognition Panel, you\u2019ll get an \u2018interim certificate\u2019. You must end the civil partnership before you can get a full certificate.\n\n## How to apply\n\nDownload and fill in the right form for your application.\n\n| | Form | Guidance |\n\n| Standard route | Form T450 | Leaflet T451 |\n\n| Alternative route | Form T464 | Leaflet T465 |\n\n| Overseas route | Form T453 | Leaflet T454 |\n\nSend the completed form with your fee and any supporting documents relevant to your application.\n\n## Fees\n\nIt costs \u00a35 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\n## Get help with your application\n\nContact the administrative team at the Gender Recognition Panel for advice on the application process.\n\n## Documents you must provide\n\nYou must send certain documents when you apply, depending on which application route you use and whether you\u2019ve ever been married or in a civil partnership.\n\nYou might need to send original documents - you\u2019ll get them back after the Gender Recognition Panel has looked at your application. You will not get any statutory declarations back.\n\nFor all application routes, you must download and fill in the relevant statutory declaration for:\n\n- single people\n\n- married people or civil partners\n\n## If you\u2019ve ever been married or in a civil partnership\n\nFor all application routes you must provide the following (if relevant):\n\n- an original or certified copy of your marriage or civil partnership certificate\n\n- a copy of the decree ending your marriage or proof that any previous civil partnership has been dissolved\n\n- a copy of your spouse\u2019s death certificate\n\nIf you want to stay married, your spouse must fill in a statutory declaration for a spouse.\n\n## Standard or alternative route\n\nFor all application routes you must send:\n\n- an original or certified copy of your birth certificate\n\n- copies of any official documents that show your birth name has changed to your current name\n\n- proof you\u2019ve lived in your acquired gender for the required time\n\n- any required medical reports\n\nYou need to have lived in your acquired gender for 2 years if applying through the standard route.\n\nIf you\u2019re applying through the alternative route you need to have lived in your acquired gender for 6 years before 10 December 2014, or 16 December 2014 if you\u2019re in Scotland.\n\n## Proof you\u2019ve lived in your acquired gender\n\nThis proof must cover the required time that you\u2019ve lived in your acquired gender. It could include copies of your:\n\n- passport\n\n- driving licence\n\n- payslips or benefit documents\n\n- utility bills or other documents of an official nature\n\nAll documents should be in your acquired name and gender. The earliest document must be dated before the beginning of the required time.\n\n## Medical reports\n\nFor the standard and alternative application routes you must send a report that includes details of any treatment you\u2019ve had to change your sexual characteristics, for example hormone treatment or surgery.\n\nThe report must be an original copy from a qualified medical professional, for example a:\n\n- doctor registered with the General Medical Council (GMC)\n\n- psychologist registered with the Health and Care Professions Council\n\nYou can ask your GP or surgeon to fill in a report for you if you do not have one already.\n\nIf you have not had any treatment or surgery yet, you must send a report that includes details of any planned treatment or surgery.\n\nIf you are applying by the standard route you must also send a report with details of your gender dysphoria diagnosis.\n\nRead the list of gender dysphoria specialists to find out who can write this report for you. You can send a report from a registered medical professional not on this list if they can prove they work in gender dysphoria.\n\n## Overseas route\n\nIf you\u2019re applying using the overseas route, you must prove that your gender has been legally recognised in an \u2018approved country or territory\u2019. Send original or certified copies of the following (if you have them):\n\n- your new birth certificate and old birth certificate\n\n- an amended birth certificate that shows the change of gender\n\n- a court order authorising your change of gender\n\n- a document that\u2019s equivalent to a Gender Recognition Certificate\n\n- an entry in a legal register that proves your acquired gender has been recognised\n\n## What happens next\n\nYour application will be assessed by the Gender Recognition Panel - you\u2019ll be contacted if they need more proof or information.\n\nContact the administrative team at the Gender Recognition Panel to find out about your application\u2019s progress.\n\n## If you get a full certificate\n\nYou\u2019ll be sent information on:\n\n- how to get a new birth certificate, marriage certificate or civil partnership where appropriate\n\n- who you must tell about your gender change\n\nYour pension and benefits may be affected.\n\n## If you\u2019re given an interim certificate\n\nYou\u2019ll be sent information on:\n\n- how to annul or dissolve your marriage or civil partnership\n\n- how long you have to convert your civil partnership to a marriage, if applicable\n\n## If your application is turned down\n\nYou\u2019ll be told why your application was rejected.\n\nYou may be able to appeal the decision if you think it\u2019s wrong on a point of law.\n\nWhere you appeal depends on whether you live in:\n\n- England and Wales - appeal to the High Court Family Division\n\n- Scotland - appeal to the Court of Session in Edinburgh\n\n- Northern Ireland - appeal to the High Court\n\nYou\u2019ll be told in your decision letter how to appeal or apply again.\n\n## Legislation\n\nThe Gender Recognition Panel must apply the law in the Gender Recognition Act 2004 and the following amendments:\n\n- Schedule 5, Section 12 of the Marriage (Same Sex Couples) Act 2013\n\n- Part 4 of the Marriage and Civil Partnership (Scotland) Act 2014", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "answerable": true, + "scenario": "I was born and raised in Australia. I have changed my gender and got a certificate in Australia. I have moved to UK three years back", + "original_question": "I would like to know whether I am eligible to apply for Gender Recognition Certificate in UK ?" + }, + { + "id": "train-3", + "question": "Scenario: My wife and I are both UK Citizens, and have been resident for the whole of our lives. At the time of our marriage three years ago, she was pregnant with what I believed to be our daughter; however, subsequent DNA testing has revealed that I am not the girl's father.\n\nQuestion: Can I have the marriage voided on in the light of this evidence?\n\nDocument - Annul a marriage:\n## When you can annul a marriage\n\nAnnulment (sometimes known as \u2018nullity\u2019) is a different way of ending a marriage.\n\nYou or your spouse must have either:\n\n- lived in England or Wales for at least a year\n\n- had a permanent home in England or Wales for at least 6 months\n\nUnlike divorce, you can apply for annulment in the first year of your marriage or any time after. However, if you apply years after the wedding, you might be asked to explain the delay.\n\nYou\u2019ll need to show that the marriage:\n\n- was never legally valid (\u2018void\u2019)\n\n- was legally valid, but meets one of the reasons that makes it \u2018voidable\u2019\n\n## Your marriage is not legally valid - \u2018void\u2019 marriages\n\nYou can annul a marriage if it was not legally valid in the first place, for example:\n\n- you\u2019re closely related to the person you married\n\n- one or both of you were under 16\n\n- one of you was already married or in a civil partnership\n\nIf a marriage was never legally valid, the law says that it never existed.\n\nHowever, you may need legal paperwork (a \u2018decree of nullity\u2019) to prove this - for example if you want to get married again.\n\n## Your marriage is \u2018voidable\u2019\n\nYou can annul a marriage for a number of reasons, such as:\n\n- it was not consummated - you have not had sexual intercourse with the person you married since the wedding (does not apply for same sex couples)\n\n- you did not properly consent to the marriage - for example you were forced into it\n\n- the other person had a sexually transmitted disease (STD) when you got married\n\n- your spouse was pregnant by someone else when you got married\n\n- one spouse is in the process of transitioning to a different gender\n\nAs with divorce, your marriage legally exists until you annul it using one of these reasons.\n\nThe rules on ending a civil partnership are slightly different, but the court forms are the same.\n\n## Apply for an annulment\n\nYou can apply to have your marriage annulled as soon as you get married. Unlike divorce, you do not have to wait for a year.\n\nTo annul a marriage, fill in a \u2018nullity petition\u2019.\n\nRead the supporting notes before you start.\n\nSend 2 copies of the form to your nearest divorce court, and keep your own copy.\n\nFiling a nullity petition form costs \u00a3550.\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\n## Apply for a decree nisi\n\nThe other person must respond to your nullity petition within 8 days, saying whether they agree the marriage should be annulled.\n\nIf they agree, you can apply for a \u2018decree nisi\u2019. This will confirm that the court does not see any reason why the marriage cannot be annulled.\n\nTo get a decree nisi, fill in the application for decree nisi or conditional order.\n\n## Statement in support of annulment\n\nYou must also fill in a statement confirming that what you said in your nullity petition is true.\n\nUse one of the forms below, depending on whether your marriage is \u2018void\u2019 or \u2018voidable\u2019:\n\n- statement in support of annulment - void marriage\n\n- statement in support of annulment - voidable marriage\n\nSee when you can annul a marriage for the difference between \u2018void\u2019 and \u2018voidable\u2019 marriages.\n\nThe marriage will not be ended yet, you still need to apply for a \u2018decree absolute\u2019.\n\n## Apply for a decree absolute\n\nYou can apply for a decree absolute 6 weeks after you get the decree nisi.\n\nIn these cases, it\u2019s also called a \u2018decree of nullity\u2019. This is the final legal document which says that the marriage has been annulled.\n\nTo apply for a decree of nullity, fill in the notice of application for decree nisi to be made absolute.\n\nThe decree absolute fee is included in the annulment cost.\n\n## When you return your forms\n\nThe court will check if there are any reasons that the marriage cannot be annulled. In most cases, you do not need to go to court for this.\n\nIf the court is happy, it will send you the decree of nullity. This will confirm that you\u2019re no longer married.\n\nIf your marriage was never legally valid (void), the decree will confirm that you were never legally married.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/how-to-annul-marriage", + "answerable": true, + "scenario": "My wife and I are both UK Citizens, and have been resident for the whole of our lives. At the time of our marriage three years ago, she was pregnant with what I believed to be our daughter; however, subsequent DNA testing has revealed that I am not the girl's father.", + "original_question": "Can I have the marriage voided on in the light of this evidence?" + }, + { + "id": "train-4", + "question": "Scenario: My partner has just had our second child and she wants to go back to work immediately, I will not be taking time off either.\n\nQuestion: Would we still receive any sort of benefit if we are both working full time?\n\nDocument - Shared Parental Leave and Pay:\n## How it works\n\nYou and your partner may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if you\u2019re:\n\n- having a baby\n\n- using a surrogate to have a baby\n\n- adopting a child\n\nYou can share up to 50 weeks of leave and up to 37 weeks of pay between you.\n\nYou need to share the pay and leave in the first year after your child is born or placed with your family.\n\nYou can use SPL to take leave in blocks separated by periods of work, or take it all in one go. You can also choose to be off work together or to stagger the leave and pay.\n\nTo get SPL and ShPP, you and your partner need to:\n\n- meet the eligibility criteria - there\u2019s different criteria for birth parents and criteria for adoptive parents or parents using a surrogate\n\n- give notice to your employers\n\n## Eligibility for birth parents\n\nTo be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both parents must:\n\n- share responsibility for the child at birth\n\n- meet work and pay criteria - these are different depending on which parent wants to use the shared parental leave and pay\n\nYou\u2019re not eligible if you started sharing responsibility for the child after it was born.\n\nThe eligibility criteria are different if you\u2019re adoptive parents or parents using a surrogate.\n\nYou can check if you can get SPL and ShPP. You\u2019ll need to know:\n\n- your child\u2019s due date or birth date\n\n- your and your partner\u2019s employment status and earnings\n\n- if you and your partner can get Statutory Maternity Pay or Statutory Paternity Pay\n\n## If both parents want to share the SPL and ShPP\n\nTo be eligible for SPL and ShPP, you and your partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until you start your SPL\n\nTo be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.\n\nTo be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.\n\n## If the mother\u2019s partner wants to take the SPL and ShPP\n\nFor the mother\u2019s partner to take SPL and ShPP, both the mother and the mother\u2019s partner must meet some eligibility requirements.\n\nThe mother must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total across any 13 of the 66 weeks\n\nThe mother\u2019s partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, the partner must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the partner is a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, the partner must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## If the mother wants to take the SPL and ShPP\n\nFor the mother to take SPL and ShPP, both the mother\u2019s partner and the mother must meet some eligibility criteria.\n\nThe mother\u2019s partner must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)\n\nThe mother must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, the mother must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the mother is a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, the mother must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## Eligibility for adopters or parents using a surrogate\n\nTo be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both adoptive parents or both parents using a surrogate must:\n\n- share responsibility for the child on the child\u2019s due date or birth date if you\u2019re using a surrogate, or the date they\u2019re placed with you if you\u2019re adopting\n\n- meet the work and earnings criteria - these are different depending on which one of you wants to use the shared parental leave and pay\n\nThe eligibility criteria are different if you\u2019re birth parents.\n\nYou can check if you can get SPL and ShPP. You\u2019ll need to know:\n\n- your child\u2019s due date or birth date if you\u2019re using a surrogate, or the match date if you\u2019re adopting\n\n- your and your partner\u2019s employment status and earnings\n\n- if you and your partner can get Statutory Adoption Pay or Statutory Paternity Pay\n\n## If both parents want to share the SPL and ShPP\n\nTo be eligible for SPL and ShPP, you and your partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family\n\n- stay with the same employer until you start your SPL\n\nTo be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.\n\nTo be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.\n\n## If only one of the parents wants to take the SPL and ShPP\n\nBoth parents must meet some eligibility criteria.\n\nThe parent who wants to take the leave and pay must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, they must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If they are a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, they must earn on average at least \u00a3120 each a week.\n\nThe other parent must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the child was placed with you (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)\n\nIf either parent earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## What you'll get\n\nIf you\u2019re eligible and you or your partner end maternity or adoption leave and pay (or Maternity Allowance) early, then you can:\n\n- take the rest of the 52 weeks of maternity or adoption leave as Shared Parental Leave (SPL)\n\n- take the rest of the 39 weeks of maternity or adoption pay (or Maternity Allowance) as Statutory Shared Parental Pay (ShPP)\n\nYou can check when you and your partner can take your leave and how much statutory pay you\u2019ll get using the Shared Parental Leave and Pay planning tool.\n\n## How much pay you\u2019ll get\n\nShPP is paid at the rate of \u00a3151.97 a week or 90% of your average weekly earnings, whichever is lower.\n\nThis is the same as Statutory Maternity Pay (SMP) except that during the first 6 weeks SMP is paid at 90% of whatever you earn (with no maximum).\n\n## When you can start\n\nYou can only start Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) once the child has been born or placed for adoption.\n\nYou can check when you and your partner can start your leave using the Shared Parental Leave and Pay planning tool.\n\n## For SPL to start\n\nThe mother (or the person getting adoption leave) must either:\n\n- return to work, which ends any maternity or adoption leave\n\n- give their employer \u2018binding notice\u2019 of the date when they plan to end their leave (you cannot normally change the date you give in binding notice)\n\nYou can start SPL while your partner is still on maternity or adoption leave as long as they\u2019ve given binding notice to end it.\n\nYou can give binding notice and say when you plan to take your SPL at the same time.\n\nA mother cannot return to work before the end of the compulsory 2 weeks of maternity leave following the birth (4 weeks if they work in a factory). If you\u2019re adopting, the person claiming adoption pay must take at least 2 weeks of adoption leave.\n\n## If the mother or adopter does not get maternity or adoption leave\n\nThe mother or adopter must end any maternity pay, adoption pay or Maternity Allowance so that they or their partner can get SPL.\n\n## For ShPP to start\n\nThe mother (or the person getting adoption pay) must give their employer binding notice of the date when they plan to end any maternity or adoption pay.\n\nIf they get Maternity Allowance, they must give notice to Jobcentre Plus instead.\n\nThey cannot restart maternity pay, Maternity Allowance or adoption pay once it\u2019s ended.\n\nYou can start ShPP while your partner is still on maternity pay, adoption pay or Maternity Allowance as long as they\u2019ve given binding notice to end it.\n\nYou can give binding notice and say when you plan to take your ShPP at the same time.\n\n## Change the decision to end maternity or adoption leave\n\nThe mother or adopter may be able to change their decision to end maternity or adoption leave early. They must let their employer know.\n\nThey can only change the decision if both:\n\n- the planned end date has not passed\n\n- they have not already returned to work\n\nOne of the following must also apply:\n\n- you find out during the 8-week notice period that neither of you is eligible for SPL or ShPP\n\n- the mother or adopter\u2019s partner has died\n\n- the mother tells their employer less than 6 weeks after the birth (and they gave their employer notice before the birth)\n\n## Booking blocks of leave\n\nYou can book up to 3 separate blocks of Shared Parental Leave (SPL) instead of taking it all in one go, even if you are not sharing the leave with your partner.\n\nIf your partner is also eligible for SPL, you can take up to 3 blocks of leave each. You can take leave at different times or both at the same time.\n\nYou must tell your employer about your plans for leave when you apply for SPL. You can change these plans later but you must give your employer at least 8 weeks\u2019 notice before you want to begin a block of leave.\n\nYou can check when you and your partner can take your leave using the Shared Parental Leave and Pay planning tool.\n\n## Splitting blocks of leave\n\nIf your employer agrees, you can split blocks into shorter periods of at least a week.\n\n## Shared Parental Leave in touch (SPLIT) days\n\nYou and your partner can each work up to 20 days while you\u2019re taking SPL. These are called \u2018Shared Parental Leave in touch\u2019 (or SPLIT) days.\n\nThese days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days available to those on maternity or adoption leave.\n\nKIT and SPLIT days are optional - both you and your employer must agree to them.\n\n## Applying for leave and pay\n\nTo get Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) you must:\n\n- follow the rules for starting SPL and ShPP\n\n- give your employer at least 8 weeks\u2019 written notice of your leave dates\n\nIf the mother (or person taking adoption leave) plans to take SPL or ShPP, they must apply to their employer.\n\nIf the partner plans to take SPL or ShPP, both the partner and the mother (or person taking adoption leave) must apply to their employers.\n\nYou can use Shared Parental Leave forms and templates created by Acas to:\n\n- give your employer notice that you plan to take SPL and ShPP\n\n- give your employer notice of when the mother or adopter is going to end their maternity or adoption leave, and when they\u2019ll stop getting maternity or adoption pay\n\n- book your leave dates\n\nIf your employer has their own forms you can use those instead.\n\nYou can change your mind later about how much SPL or ShPP you plan to take and when you want to take it. You must give notice of any changes at least 8 weeks before the start of any leave.\n\nYou might not get SPL or ShPP if you do not include all the required information.\n\n## Giving more information\n\nYour employer can ask you for more information within 14 days of you applying for SPL or ShPP. They can ask for:\n\n- a copy of the birth certificate\n\n- a declaration of the place and date of birth (if the birth has not been registered yet)\n\n- the name and address of your partner\u2019s employer or a declaration that your partner has no employer\n\nIf you\u2019re adopting, your employer can ask for the:\n\n- name and address of the adoption agency\n\n- date you were matched with the child\n\n- date the child will start to live with you\n\n- name and address of your partner\u2019s employer or a declaration that your partner has no employer\n\nYou must give this information within 14 days of being asked for it.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/shared-parental-leave-and-pay", + "answerable": true, + "scenario": "My partner has just had our second child and she wants to go back to work immediately, I will not be taking time off either.", + "original_question": "Would we still receive any sort of benefit if we are both working full time?" + }, + { + "id": "train-9", + "question": "Scenario: I lost my husband in 2007 who was in Armed forces and participated in Afghanistan war in 2001 and had a severe injury and died because of the injury in 2007\n\nQuestion: I was assessed and was told that I am eligible to get War Widow(er) Pension but want to know whether I have to pay tax on it ?\n\nDocument - War Widow(er) Pension:\n## Overview\n\nYou may be entitled to War Widow\u2019s or Widower\u2019s Pension if your wife, husband or civil partner died as a result of their service in Her Majesty\u2019s (HM) Armed Forces or during a time of war.\n\nThey must have served before 6 April 2005, but you may be eligible if they died of an illness or injury later.\n\n## Eligibility\n\nOne of the following must apply. Your husband, wife or civil partner:\n\n- died as result of their service in HM Armed Forces before 6 April 2005\n\n- was a civil defence volunteer or a civilian and their death was a result of the 1939 to 1945 war\n\n- was a merchant seaman, a member of the naval auxiliary services, or a coastguard and their death was a result of an injury or disease they got during a war or because they were a prisoner of war\n\n- died as a result of their service as a member of the Polish Forces under British command during the 1939 to 1945 war, or in the Polish Resettlement Forces\n\n- was getting a War Pensions Constant Attendance Allowance at the time of their death, or would have been had they not been in hospital\n\n- was getting a War Disablement Pension at the 80% rate or higher and was getting Unemployability Supplement\n\nYou may be entitled to a pension if you lived with a partner as husband and wife or as civil partners.\n\n## Illness, injury and death on or after 6 April 2005\n\nIf your partner was injured, developed an illness or died as a result of service on or after 6 April 2005, you can claim through the Armed Forces Compensation Scheme.\n\n## What you'll get\n\nWar Widow\u2019s or Widower\u2019s Pension is paid at different rates depending on your age and circumstances.\n\nYou do not pay tax on it.\n\nAll benefits, pensions and allowances are paid into an account, for example your bank account.\n\n## How to claim\n\nTo claim War Widow\u2019s or Widower\u2019s Pension you can either:\n\n- download a claim form\n\n- phone the Veterans UK helpline and ask for a claim form\n\nSend the completed form to:\n\n## How to appeal\n\nIf you disagree with a decision about your claim you can appeal to an independent Pensions Appeal Tribunal.\n\nBefore you appeal you should:\n\n- ask Veterans UK for more information about how the decision was reached\n\n- ask for the decision to be reconsidered if there are some facts Veterans UK may not have known when they made their decision\n\nIf you\u2019re still unhappy with the outcome contact Veterans UK to let them know that you want to appeal.\n\n## Further information\n\n## Changes in your circumstances\n\nYou\u2019ll continue to get your pension if you marry, form a civil partnership or start living with a partner on or after 1 April 2015.\n\nIf this happened before 1 April 2015, you\u2019ll still get a pension if both:\n\n- your late spouse or civil partner left service before 31 March 1973\n\n- your new relationship started on or after 6 April 2005\n\nOtherwise, your pension would have been stopped.\n\n## If your pension stopped\n\nYou can claim your pension again if:\n\n- you become widowed again\n\n- you divorce or separate\n\n- your civil partner dies\n\n- your civil partnership ends\n\n- you stop living with the person as their partner\n\nMake sure you tell Veterans UK of any changes in your circumstances so you get the right amount of pension.\n\n## Funeral expenses\n\nVeterans UK may be able to pay a grant of up to \u00a32,200 towards a veteran\u2019s funeral if any of the following apply:\n\n- death was due to service before 6 April 2005\n\n- War Pensions Constant Attendance Allowance was being paid or would have been paid if the war pensioner had not been in hospital when they died\n\n- Unemployability Supplement was being paid at the time of death and the War Disablement Pension was assessed at 80% or more\n\nThe payment can be made to the veteran\u2019s widow or widower, next of kin or person paying for the funeral.\n\nYou must make a claim within 3 months of the funeral.\n\n## How to apply\n\nDownload the claim form. Send the completed form to:", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/war-widow-pension", + "answerable": true, + "scenario": "I lost my husband in 2007 who was in Armed forces and participated in Afghanistan war in 2001 and had a severe injury and died because of the injury in 2007", + "original_question": "I was assessed and was told that I am eligible to get War Widow(er) Pension but want to know whether I have to pay tax on it ?" + }, + { + "id": "train-12", + "question": "Scenario: My aunt is disabled and owns a big home which needs light and heating system repairs. She is afraid of the house getting moulds and needs urgent repair .\n\nQuestion: Is she allowed to seek disabled facility support?\n\nDocument - Disabled Facilities Grants:\n## Overview\n\nYou could get a grant from your council if you\u2019re disabled and need to make changes to your home, for example to:\n\n- widen doors and install ramps\n\n- improve access to rooms and facilities - eg stairlifts or a downstairs bathroom\n\n- provide a heating system suitable for your needs\n\n- adapt heating or lighting controls to make them easier to use\n\nA Disabled Facilities Grant won\u2019t affect any benefits you get.\n\n## What you'll get\n\nHow much you get depends on your:\n\n- household income\n\n- household savings over \u00a36,000\n\n| Country | Grant |\n\n| England | Up to \u00a330,000 |\n\n| Wales | Up to \u00a336,000 |\n\n| Northern Ireland | Up to \u00a325,000 |\n\n| Scotland | Disabled Facilities Grants are not available - find out about support for equipment and adaptations |\n\nDepending on your income, you may need to pay towards the cost of the work to the property.\n\nDisabled children under 18 can get a grant without their parents\u2019 income being taken into account. Contact your local council for more information.\n\nYou might not get any grant if you start work on your property before the council approves your application.\n\n## How you\u2019ll be paid\n\nYou\u2019ll be paid either:\n\n- in instalments - as the work progresses\n\n- in full - when the work is finished\n\nThe council may pay the contractor directly or give you a cheque to pass on to them. They\u2019ll agree this with you when they approve your application.\n\n## When you\u2019ll be paid\n\nYou\u2019ll be paid either:\n\n- when the council is happy with the finished work\n\n- when you give the council the invoice, demand or receipt for payment from the contractor\n\nNormally, if you (or a relative) does the work the council will only accept invoices for materials or services you\u2019ve bought.\n\n## Eligibility\n\nYou or someone living in your property must be disabled. Either you or the person you\u2019re applying for must:\n\n- own the property or be a tenant\n\n- intend to live in the property during the grant period (which is currently 5 years)\n\nYou can also apply for a grant if you\u2019re a landlord and have a disabled tenant.\n\nThe council needs to be happy that the work is:\n\n- necessary and appropriate to meet the disabled person\u2019s needs\n\n- reasonable and can be done - depending on the age and condition of the property\n\nYou might not get any grant if you start work on your property before the council approves your application.\n\n## Planning and building regulations approval\n\nYou need to apply separately for any planning permission or building regulations approval.\n\nThe council may ask you to employ a qualified architect or surveyor to plan and oversee the work. If you get a grant, you can use it towards the cost of their fees.\n\n## How to apply\n\nApply through your local council.\n\nThe council may send an occupational therapist round to see you. They\u2019ll check your circumstances and see what changes you need.\n\n## Appeals\n\nYou can appeal to your council if you\u2019re unhappy with their decision.\n\nIf you appeal and you\u2019re still not happy, you can complain to the Local Government Ombudsman.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/disabled-facilities-grants", + "answerable": true, + "scenario": "My aunt is disabled and owns a big home which needs light and heating system repairs. She is afraid of the house getting moulds and needs urgent repair .", + "original_question": "Is she allowed to seek disabled facility support?" + }, + { + "id": "train-14", + "question": "Scenario: I entered into a civil marriage with my ex partner in June 2020 and since then has been abusing me and inserting coercive controls over my life till i have lost my job and got depression. I want to see divorce and take back control of my life.\n\nQuestion: Can i use unreasonable behaviour as the ground to dissolve the partnership ?\n\nDocument - End a civil partnership:\n## Check you can end your civil partnership\n\nYou can apply to end (\u2018dissolve\u2019) your civil partnership if you\u2019ve been in the partnership for over a year.\n\nIf you do not want to end the civil partnership, you can get a legal separation so you can live apart. You can apply for separation during the first year of your civil partnership.\n\nEnding your civil partnership is different in Scotland and Northern Ireland.\n\n## How to end your civil partnership\n\nYou must send paperwork to a court to ask for permission to end your civil partnership.\n\nSeparate from the paperwork, you and your ex-partner may need to work out:\n\n- arrangements for looking after any children\n\n- child maintenance payments for any children\n\nYou also need to divide your money and property. There\u2019s a deadline if you want to make this legally binding.\n\nYou can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your civil partnership.\n\n## Get help agreeing on issues\n\nYou can use a mediator. Check if you can get legal aid to help pay for mediation.\n\nYou can also get advice on making agreements from:\n\n- Citizens Advice\n\n- Advicenow\n\n## Grounds for ending a civil partnership\n\nWhen you apply to end your civil partnership (\u2018dissolution\u2019), you\u2019ll need to prove your relationship has broken down and cannot be saved.\n\nYou\u2019ll need to give one or more of the following 4 reasons (also known as \u2018facts\u2019).\n\n## Unreasonable behaviour\n\nYour civil partner has behaved in a way that means you cannot reasonably be expected to live with them.\n\nThis could include:\n\n- physical or mental cruelty\n\n- verbal or physical abuse\n\n- being irresponsible with money\n\n- being sexually unfaithful\n\n## Desertion\n\nYour civil partner has intentionally left you for at least 2 years.\n\nYou can still claim desertion if you have lived together for up to a total of 6 months in this period. This will not count towards the 2 years.\n\n## You\u2019ve been separated for at least 2 years\n\nYou can apply to end your civil partnership if you\u2019ve been separated for at least 2 years before applying and you both agree to end the civil partnership.\n\nYour civil partner must agree in writing to end the civil partnership.\n\nIt may be possible for you to show that you\u2019ve been separated while living in the same home as your civil partner as long as you\u2019re not living together as a couple (for example you sleep and eat apart).\n\n## You\u2019ve been separated for at least 5 years\n\nYou can apply to end your civil partnership if you\u2019ve been separated for at least 5 years, even if your civil partner disagrees.\n\n## How to apply\n\nTo end a civil partnership, you first need to fill in a dissolution application.\n\nYou must include your:\n\n- full name and address\n\n- civil partner\u2019s full name and address\n\n- civil partnership certificate - send the original certificate or get a copy from a register office\n\nInclude the names and dates of birth of any children (no matter how old they are).\n\nYou must try to find your civil partner\u2019s current address if you do not know it. The court will need it to send them a copy of the dissolution application.\n\n## Pay the court fee\n\nYou will have to pay a \u00a3550 court fee to file the dissolution application.\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\n## By phone with a debit or credit card\n\nThe court calls you to take your payment. Include a letter with your petition to request the call and give them your phone number.\n\n## By post with a cheque\n\nMake out the cheque to \u2018HM Courts and Tribunals Service\u2019 and send it with your application.\n\n## Send the forms\n\nOnce you have filled in the forms:\n\n- send 3 copies to the court\n\n- keep copies for yourself\n\n- include your cheque, or your letter asking to pay by phone\n\n## Where to send the forms\n\nSend the forms to your nearest court dealing with civil partnership dissolution.\n\n## Apply for a conditional order\n\nYou can get a conditional order if your partner agrees to end the civil partnership.\n\nA conditional order is a document that says the court does not see any reason why you cannot end the civil partnership. It is the first of 2 stages to getting the civil partnership dissolved -\u00ad the second stage is getting a final order.\n\nIf your partner does not agree to end the civil partnership, you can still apply for a conditional order. You\u2019ll have to go to a hearing at the court to discuss the case, where a judge will decide whether to grant you the conditional order.\n\nYou must wait at least 7 days after your civil partner has received their copy of the dissolution application.\n\n## Fill in the application form\n\nTo apply for a conditional order, fill in the application for a conditional order.\n\nIf your partner is defending the case, fill in section B of the form, saying you want a \u2018case management hearing\u2019 before the judge.\n\nYou also need to fill in a statement confirming that what you said in your dissolution application is true.\n\nThere are 4 statement forms - use the one that covers the reason you\u2019ve given for ending the civil partnership:\n\n- unreasonable behaviour statement\n\n- desertion statement\n\n- 2 years\u2019 separation statement\n\n- 5 years\u2019 separation statement\n\nThe forms will need to show your civil partner:\n\n- has received the dissolution application\n\n- agrees to the dissolution if you\u2019re using the fact that you\u2019ve been living apart for 2 years as your reason\n\n- agrees with any arrangement proposed for children\n\nAttach your civil partner\u2019s response to the dissolution application, and send it to the court. Keep your own copy.\n\nYou\u2019ll still be civil partners at this stage, the \u2018final order\u2019 actually ends your civil partnership.\n\n## Apply for a final order\n\nThe final order is the legal document that ends your civil partnership.\n\nYou have to wait 6 weeks after the date of the conditional order to apply for a final order.\n\nIf your civil partner applied for a conditional order, you have to wait 3 months and 6 weeks after the date of the conditional order.\n\nApply within 12 months of getting the conditional order - otherwise you will have to explain the delay to the court.\n\nIf you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a final order.\n\nTo apply for a final order, fill in the application for a conditional order to be made final.\n\nReturn the form to the court. This will usually be the same court that dealt with your conditional order.\n\n## Getting the final order\n\nThe court will check that there are no reasons why the civil partnership cannot be ended. You must provide all details the court asks for within the time limits.\n\nIf the court is happy with all the information, it will send you and your civil partner a final order.\n\nOnce you get your final order, your civil partnership has ended and you can marry or enter into another civil partnership.\n\nYou must keep your final order safe - you will need to show it if you enter into another civil partnership or to prove your status.\n\n## If your partner lacks mental capacity\n\nYou can apply to end your civil partnership if your partner \u2018lacks mental capacity\u2019 and cannot agree to end the civil partnership or take part in the process.\n\nYour partner will need someone to make decisions for them during the process. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.\n\n## Your partner does not have a litigation friend\n\nIf there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.\n\nThe Official Solicitor may agree to act as your partner\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).\n\n## How to apply\n\n- Check there\u2019s nobody else suitable or willing to act as your civil partner\u2019s litigation friend.\n\n- Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your civil partner may be able to get legal aid.\n\n- Give the details of your civil partner\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.\n\n## After you apply\n\nIf the Official Solicitor agrees to act as litigation friend for your civil partner, you\u2019ll be able to end your civil partnership.\n\n## Contact the Official Solicitor\u2019s staff\n\nEmail or call the private family law team if you have an enquiry.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/end-civil-partnership", + "answerable": true, + "scenario": "I entered into a civil marriage with my ex partner in June 2020 and since then has been abusing me and inserting coercive controls over my life till i have lost my job and got depression. I want to see divorce and take back control of my life.", + "original_question": "Can i use unreasonable behaviour as the ground to dissolve the partnership ?" + }, + { + "id": "train-16", + "question": "Scenario: My 4 year old son has been diagnosed with scoliosis, a spinal disorder which will leave him severely restricted mobility. The school which had previously offered him a place in Reception this September is now claiming that they can no longer accept him.\n\nQuestion: Can the school rescind their offer in this manner?\n\nDocument - Help if you have a disabled child:\n## Overview\n\nYour local council can provide help if you have a disabled child, including:\n\n- short break services\n\n- holiday play schemes\n\n- care at home\n\n- some aids and adaptations\n\n- financial help, eg money towards travel costs for hospital visits\n\nYour council has a duty to provide these services under the Children Act 1989. Some are free of charge - the council might ask you to contribute towards others.\n\nIf you think your child may qualify, contact the social services team at your local council.\n\nA social worker will then talk to you about the needs of your family, including:\n\n- health\n\n- social care\n\n- education\n\nThis is called a \u2018needs assessment\u2019 - the social worker will give you advice on what to do next.\n\nYou can also ask your council about local support groups for carers and families with disabled children.\n\n## Help with costs\n\nIf your child qualifies for services from your local council, you\u2019ll also have the option of getting direct payments.\n\nThese are paid directly to you so you can arrange services you need. They\u2019re an alternative to social care services provided by your local council.\n\nYou may also be eligible for extra Child Tax Credit for each disabled child you\u2019re responsible for or Disability Living Allowance for children.\n\n## Childcare\n\nYour local council\u2019s Family Information Service can give you details about childcare in your local area.\n\nYou can also ask them about other specialist services that your child may need because of their disability.\n\n## Help with childcare costs\n\nAll 3 and 4 year olds are entitled to 15 hours of free education for 38 weeks of the year - read the information on childcare and tax credits for more details.\n\nSome 2-year-olds (even if they have an education, health and care plan or get Disability Living Allowance) are also entitled to the 15 hours of free education.\n\nYou can also get direct payments from your local council to help pay for childcare.\n\nIf you\u2019re on the Early Support Programme and have a Family File, show this to your childcare provider.\n\nIf you\u2019re working, you may be able to get up to \u00a34,000 a year to help pay for childcare for a disabled child through Tax-Free Childcare.\n\n## Education\n\nUnder the Equality Act 2010, it\u2019s against the law for schools and other education providers to discriminate against disabled children.\n\nExamples of discrimination include:\n\n- a school refusing to admit a disabled child just because of their disability\n\n- stopping a disabled pupil going outside at break time because it takes them longer to get there\n\nContact the Equality Advisory Support Service if you think your child has been discriminated against because of their disability.\n\n## Making \u2018reasonable adjustments\u2019\n\nSchools have to make \u2018reasonable adjustments\u2019 for disabled children. These can include:\n\n- changes to physical features, eg adding a ramp\n\n- changes to how learners are assessed\n\n- providing extra support and aids, eg specialist teachers or equipment\n\n## Special educational needs\n\nSome children may have special educational needs because their disabilities affect their ability to learn.\n\nYou can ask your council to carry out an education, health and care (EHC) needs assessment for your child. They may get an EHC plan, which will explain the extra support they need.\n\nThe council must make sure your child gets this support.\n\nAsk to see a school\u2019s policy on special educational needs so you know what support they can offer.\n\nFind your local support service if you need impartial advice about special educational needs.\n\n## Motability scheme\n\nThe Motability Scheme can help you lease a car if your child is aged 3 or over and is entitled to either the:\n\n- higher rate of the mobility component of Disability Living Allowance\n\n- enhanced mobility component of Personal Independence Payment\n\nMore information about the scheme is on the Motability website.\n\nYou can also contact:\n\n## Home adaptations\n\nIf your home needs to be adapted to meet your child\u2019s needs, you may be able to get a Disabled Facilities Grant to help with the costs.\n\nUsually, an occupational therapist will talk to you to work out what adaptations would be best for your child.\n\nA Disabled Facilities Grant will not affect any benefits that you\u2019re getting.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/help-for-disabled-child", + "answerable": true, + "scenario": "My 4 year old son has been diagnosed with scoliosis, a spinal disorder which will leave him severely restricted mobility. The school which had previously offered him a place in Reception this September is now claiming that they can no longer accept him.", + "original_question": "Can the school rescind their offer in this manner?" + }, + { + "id": "train-19", + "question": "Scenario: I was injured when I served in armed forces. As a result I was disabled and had difficulties in performing day to day activities\n\nQuestion: I applied for a lump sum compensation but my claim was rejected. Can I appeal the decision ?\n\nDocument - Claim if you were injured while serving in the armed forces:\n## Overview\n\nYou can claim compensation if you were injured or got an illness while serving in the armed forces (including the reserve forces).\n\nCompensation may include:\n\n- a lump sum\n\n- regular payments\n\n## What you can claim for\n\nYou can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.\n\nYou can also claim:\n\n- if you were injured during a service-related activity, eg a training exercise\n\n- for conditions you had before service if you feel your service made them worse\n\n## If you\u2019re a victim of crime while serving abroad\n\nFind out if you qualify for the Criminal Injuries Compensation (Overseas) scheme if you were the victim of a violent crime while serving abroad.\n\n## What you'll get\n\nThe compensation you get depends on either:\n\n- when you were injured\n\n- when the circumstances happened that caused your illness\n\nWhat you get might be reduced if you\u2019re getting compensation from another scheme.\n\n## If your injury or illness is due to service after 5 April 2005\n\nIf your claim is successful, you\u2019ll get a tax-free lump sum payment between \u00a31,236 and \u00a3650,000. The amount you get will depend on how severe your injury is.\n\n## If you have a more serious illness or injury\n\nYou may also receive a tax-free monthly payment for life when you\u2019re discharged - sometimes known as a Guaranteed Income Payment (GIP).\n\nThe GIP is based on your salary, age and how severe your injury is.\n\nIf your GIP payment level is 50% of your salary or more, you can also claim an Armed Forces Independence Payment (AFIP).\n\n## If your injury or illness is due to service before 6 April 2005\n\nIf your claim is successful, you\u2019ll be awarded either:\n\n- a pension - if your disability is assessed at 20% or more\n\n- a lump sum - if your disability is assessed at less than 20%\n\nThe amount you get will depend on how severe your injury is.\n\nYou might also be able to get other allowances if you\u2019re having problems getting around or finding a job.\n\n## Eligibility\n\nThe rules for qualifying are different depending on when you were injured.\n\n## If your injury or illness is due to service after 5 April 2005\n\nClaim under the Armed Forces Compensation Scheme (AFCS).\n\nTo qualify you must be:\n\n- a current or former member of the armed forces\n\n- applying no later than 7 years after the injury or illness, unless you\u2019re claiming for an illness that started later (sometimes known as a \u2018late onset illness\u2019)\n\n## If your injury or illness is due to service before 6 April 2005\n\nClaim under the War Pension Scheme (WPS).\n\nThere are no time limits for claiming under the WPS but you must be no longer serving in the armed forces.\n\n## How to claim\n\nFill in the claim form and send it to the address on the form.\n\nIt\u2019s the same claim form for the Armed Forces Compensation Scheme (AFCS) and War Pension Scheme (WPS).\n\nYou can ask the Veterans Welfare Service (VWS) for help with making your claim.\n\nYou may be contacted for more evidence in support of your claim.\n\nYou may be able to apply for a \u2018fast payment\u2019 of \u00a360,000 if you were seriously injured during service after 8 May 2011.\n\n## If you disagree with the decision on your claim\n\nYou can write to Veterans UK to ask them reconsider their decision.\n\nYou can also appeal to an independent tribunal within 12 months.\n\n## Additional payments\n\nYou can apply for a Personal Independence Payment (PIP) while your compensation claim is being dealt with.\n\nYou might also be able to get:\n\n- other allowances if your injury or illness is due to service before 6 April 2005\n\n- an Armed Forces Independence Payment (AFIP) if you were seriously injured on or after 6 April 2005\n\n## Armed Forces Independence Payment (AFIP)\n\nOnce you\u2019ve had the result of your compensation claim, you might be able to claim AFIP if you\u2019ve been seriously injured.\n\nAFIP is \u00a3151.40 per week. It\u2019s tax free and is paid every 4 weeks into your bank account.\n\n## Eligibility\n\nYou\u2019re eligible if both of the following apply:\n\n- you were injured on or after 6 April 2005\n\n- you\u2019re given a Guaranteed Income Payment (GIP) of 50% or more\n\nYou\u2019ll get the payment as long as you\u2019re entitled to this level of GIP. You won\u2019t be reassessed in the future.\n\nIf you\u2019re not eligible for AFIP, you can get a PIP if you have a long-term health condition or disability.\n\n## How to claim\n\nContact Veterans UK for a claim form. There\u2019s no deadline.\n\n## Claiming other benefits with AFIP\n\nIf you get AFIP you might be eligible for other benefits, eg Child Tax Credit.\n\nAFIP is not counted as income when working out your what other benefits you can claim.\n\nYour household is exempt from the benefit cap if you or your partner are getting AFIP.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "answerable": true, + "scenario": "I was injured when I served in armed forces. As a result I was disabled and had difficulties in performing day to day activities", + "original_question": "I applied for a lump sum compensation but my claim was rejected. Can I appeal the decision ?" + }, + { + "id": "train-20", + "question": "Scenario: I recently got a new job, and have worked there for two months. My wife is due to have a baby in 20 weeks.\n\nQuestion: Will I qualify for paternity leave even though I have only worked for my employer for two months?\n\nDocument - Paternity pay and leave:\n## Overview\n\nWhen you take time off because your partner\u2019s having a baby, adopting a child or having a baby through a surrogacy arrangement you might be eligible for:\n\n- 1 or 2 weeks\u2019 paid Paternity Leave\n\n- Paternity Pay\n\n- Shared Parental Leave and Pay\n\nYou may not get both leave and pay, and there are rules on how to claim and when your leave can start.\n\n## Employment rights when on leave\n\nYour employment rights are protected while on paternity leave. This includes your right to:\n\n- pay rises\n\n- build up (accrue) holiday\n\n- return to work\n\nYou can get time off to accompany your partner (or the surrogate mother) to 2 antenatal appointments.\n\nIf you\u2019re adopting a child, you can get time off to attend 2 adoption appointments after you\u2019ve been matched with a child.\n\n## Leave\n\n## Paternity leave\n\nYou can choose to take either 1 or 2 weeks. You get the same amount of leave if your partner has a multiple birth (such as twins).\n\nYou must take your leave in one go. A week is the same amount of days that you normally work in a week - for example, a week is 2 days if you only work on Mondays and Tuesdays.\n\n## Start and end dates\n\nLeave cannot start before the birth. It must end within 56 days of the birth (or due date if the baby is early).\n\nYou must give your employer 28 days\u2019 notice if you want to change your start date.\n\nYou do not have to give a precise date when you want to take leave (for example 1 February). Instead you can give a general time, such as the day of the birth or 1 week after the birth.\n\nThe rules are different if you adopt.\n\n## Shared Parental Leave\n\nYou may also be eligible for Shared Parental Leave (SPL). You cannot take Paternity Leave after you take SPL.\n\n## Leave for antenatal appointments\n\nYou can take unpaid leave to accompany a pregnant woman to 2 antenatal appointments if you\u2019re:\n\n- the baby\u2019s father\n\n- the expectant mother\u2019s spouse or civil partner\n\n- in a long-term relationship with the expectant mother\n\n- the intended parent (if you\u2019re having a baby through a surrogacy arrangement)\n\nYou can take up to 6 and a half hours per appointment. Your employer can choose to give you longer.\n\nYou can apply for leave immediately if you\u2019re a permanent employee. You\u2019ll need to have been doing a job for 12 weeks before you qualify if you\u2019re an agency worker.\n\n## Pay\n\nThe statutory weekly rate of Paternity Pay is \u00a3151.97, or 90% of your average weekly earnings (whichever is lower).\n\nAny money you get is paid in the same way as your wages, for example monthly or weekly. Tax and National Insurance will be deducted.\n\n## Start and end dates\n\nThe money is usually paid while you\u2019re on leave. Your employer must confirm the start and end dates for your Paternity Pay when you claim it.\n\nTo change the start date you must give your employer 28 days\u2019 notice.\n\nYou could get more pay if your employer has a company paternity scheme - they cannot offer you less than the statutory amounts.\n\n## Eligibility\n\nYou must be taking time off to look after the child and be one of the following:\n\n- the father\n\n- the husband or partner of the mother (or adopter) - this includes same-sex partners\n\n- the child\u2019s adopter\n\n- the intended parent (if you\u2019re having a baby through a surrogacy arrangement)\n\nThere are extra conditions you need to meet to qualify for leave and pay.\n\nYou cannot get Paternity Pay and Leave if you\u2019ve taken paid time off to attend adoption appointments.\n\n## Paternity Leave\n\nYou must:\n\n- be an employee\n\n- give the correct notice\n\n- have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019\n\nThe \u2018qualifying week\u2019 is the 15th week before the baby is due. This is different if you adopt.\n\n## Paternity Pay\n\nYou must:\n\n- be employed by your employer up to the date of birth\n\n- earn at least \u00a3120 a week (before tax)\n\n- give the correct notice\n\n- have been continuously employed by your employer for at least 26 weeks up to any day in the \u2018qualifying week\u2019\n\nThe \u2018qualifying week\u2019 is the 15th week before the baby is due. This is different if you adopt.\n\nIf you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.\n\n## If you lose your baby\n\nYou can still get Paternity Leave or Pay if your baby is:\n\n- stillborn from 24 weeks of pregnancy\n\n- born alive at any point during the pregnancy\n\n## If you\u2019re not eligible\n\nYour employer must tell you within 28 days if you do not qualify and why using form SPP1.\n\n## How to claim\n\nClaim Paternity Leave and Pay through your employer. You do not need to give proof of the pregnancy or birth.\n\nThe rules and forms are different if you adopt.\n\n## Paternity Leave\n\nAt least 15 weeks before the baby is due, tell your employer:\n\n- the due date\n\n- when you want your leave to start, for example the day of the birth or the week after the birth\n\n- if you want 1 or 2 weeks\u2019 leave\n\nYour employer can ask for this in writing. You can ask for Paternity Pay at the same time, if you use form SC3 (or your employer\u2019s own version).\n\nUse the paternity planner to find out when you need to claim Paternity Leave by.\n\n## Paternity Pay\n\nAt least 15 weeks before the baby is due, give your employer form SC3 (or their own version).\n\n## Adoption and surrogacy\n\n## Eligibility\n\nYou must have been continuously employed by your employer for at least 26 weeks by the \u2018matching week\u2019. For adoption this is either:\n\n- the end of the week you\u2019re matched with the child (UK adoptions)\n\n- the date the child enters the UK or when you want your pay to start (overseas adoptions)\n\nYou must also meet the other eligibility conditions for paternity leave or pay.\n\n## Start and end dates - Paternity Leave\n\nYour period of Paternity Leave can start:\n\n- on the date of placement\n\n- an agreed number of days after the date of placement\n\n- on the date the child arrives in the UK or an agreed number of days after this (overseas adoptions only)\n\n- the day the child\u2019s born or the day after if you\u2019re working that day (surrogate parents)\n\nLeave must be taken within 56 days of the date of placement or the child\u2019s arrival in the UK (overseas adoptions).\n\nYou must give your employer 28 days\u2019 notice if you want to change your start date.\n\n## How to claim - Paternity Leave or Pay\n\nYou must use form SC4 (or your employer\u2019s own version) for:\n\n- leave - within 7 days of your co-adopter or partner being matched with a child\n\n- pay - 28 days before you want your pay to start\n\nFor overseas adoptions the form and notice period is different. The process is explained on form SC5.\n\n## Proof of adoption\n\nYou must give your employer proof of adoption to qualify for Paternity Pay. Proof is not needed for Paternity Leave unless your employer asks for it.\n\nProof can be a letter from your adoption agency or the matching certificate.\n\nYou\u2019ll need to provide this information within 28 days.\n\n## Surrogacy arrangements\n\nTo be eligible for Paternity Pay and Leave if you use a surrogate to have a baby, you must:\n\n- be in a couple\n\n- be responsible for the child (with your partner)\n\n- have worked for your employer continuously for at least 26 weeks by the end of the \u2018qualifying week\u2019 (the 15th week before the baby is due)\n\nAt least 15 weeks before the due date, tell your employer when the baby is due and when you want to start your leave - they may ask for this in writing.\n\nYour employer may ask for a written statement to confirm you intend to apply for a parental order in the 6 months after the child\u2019s birth. You must sign this in the presence of a legal professional.\n\nYou cannot get Paternity Leave if you take Shared Parental Leave.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/paternity-pay-leave", + "answerable": true, + "scenario": "I recently got a new job, and have worked there for two months. My wife is due to have a baby in 20 weeks.", + "original_question": "Will I qualify for paternity leave even though I have only worked for my employer for two months?" + }, + { + "id": "train-21", + "question": "Scenario: I am 24 and have lived in the UK for 2 years. Previously I lived in Texas. I have just discovered my husband is actually my cousin! Therefore I want to have my marriage annuled.\n\nQuestion: Can I file an annual petition?\n\nDocument - Annul a marriage:\n## When you can annul a marriage\n\nAnnulment (sometimes known as \u2018nullity\u2019) is a different way of ending a marriage.\n\nYou or your spouse must have either:\n\n- lived in England or Wales for at least a year\n\n- had a permanent home in England or Wales for at least 6 months\n\nUnlike divorce, you can apply for annulment in the first year of your marriage or any time after. However, if you apply years after the wedding, you might be asked to explain the delay.\n\nYou\u2019ll need to show that the marriage:\n\n- was never legally valid (\u2018void\u2019)\n\n- was legally valid, but meets one of the reasons that makes it \u2018voidable\u2019\n\n## Your marriage is not legally valid - \u2018void\u2019 marriages\n\nYou can annul a marriage if it was not legally valid in the first place, for example:\n\n- you\u2019re closely related to the person you married\n\n- one or both of you were under 16\n\n- one of you was already married or in a civil partnership\n\nIf a marriage was never legally valid, the law says that it never existed.\n\nHowever, you may need legal paperwork (a \u2018decree of nullity\u2019) to prove this - for example if you want to get married again.\n\n## Your marriage is \u2018voidable\u2019\n\nYou can annul a marriage for a number of reasons, such as:\n\n- it was not consummated - you have not had sexual intercourse with the person you married since the wedding (does not apply for same sex couples)\n\n- you did not properly consent to the marriage - for example you were forced into it\n\n- the other person had a sexually transmitted disease (STD) when you got married\n\n- your spouse was pregnant by someone else when you got married\n\n- one spouse is in the process of transitioning to a different gender\n\nAs with divorce, your marriage legally exists until you annul it using one of these reasons.\n\nThe rules on ending a civil partnership are slightly different, but the court forms are the same.\n\n## Apply for an annulment\n\nYou can apply to have your marriage annulled as soon as you get married. Unlike divorce, you do not have to wait for a year.\n\nTo annul a marriage, fill in a \u2018nullity petition\u2019.\n\nRead the supporting notes before you start.\n\nSend 2 copies of the form to your nearest divorce court, and keep your own copy.\n\nFiling a nullity petition form costs \u00a3550.\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\n## Apply for a decree nisi\n\nThe other person must respond to your nullity petition within 8 days, saying whether they agree the marriage should be annulled.\n\nIf they agree, you can apply for a \u2018decree nisi\u2019. This will confirm that the court does not see any reason why the marriage cannot be annulled.\n\nTo get a decree nisi, fill in the application for decree nisi or conditional order.\n\n## Statement in support of annulment\n\nYou must also fill in a statement confirming that what you said in your nullity petition is true.\n\nUse one of the forms below, depending on whether your marriage is \u2018void\u2019 or \u2018voidable\u2019:\n\n- statement in support of annulment - void marriage\n\n- statement in support of annulment - voidable marriage\n\nSee when you can annul a marriage for the difference between \u2018void\u2019 and \u2018voidable\u2019 marriages.\n\nThe marriage will not be ended yet, you still need to apply for a \u2018decree absolute\u2019.\n\n## Apply for a decree absolute\n\nYou can apply for a decree absolute 6 weeks after you get the decree nisi.\n\nIn these cases, it\u2019s also called a \u2018decree of nullity\u2019. This is the final legal document which says that the marriage has been annulled.\n\nTo apply for a decree of nullity, fill in the notice of application for decree nisi to be made absolute.\n\nThe decree absolute fee is included in the annulment cost.\n\n## When you return your forms\n\nThe court will check if there are any reasons that the marriage cannot be annulled. In most cases, you do not need to go to court for this.\n\nIf the court is happy, it will send you the decree of nullity. This will confirm that you\u2019re no longer married.\n\nIf your marriage was never legally valid (void), the decree will confirm that you were never legally married.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/how-to-annul-marriage", + "answerable": true, + "scenario": "I am 24 and have lived in the UK for 2 years. Previously I lived in Texas. I have just discovered my husband is actually my cousin! Therefore I want to have my marriage annuled.", + "original_question": "Can I file an annual petition?" + }, + { + "id": "train-22", + "question": "Scenario: I have been trapped in a bad marriage for 1 year with a very abusive husband who has no remorse. I would like to annul the marriage.\n\nQuestion: Can I get an annulment?\n\nDocument - Annul a marriage:\n## When you can annul a marriage\n\nAnnulment (sometimes known as \u2018nullity\u2019) is a different way of ending a marriage.\n\nYou or your spouse must have either:\n\n- lived in England or Wales for at least a year\n\n- had a permanent home in England or Wales for at least 6 months\n\nUnlike divorce, you can apply for annulment in the first year of your marriage or any time after. However, if you apply years after the wedding, you might be asked to explain the delay.\n\nYou\u2019ll need to show that the marriage:\n\n- was never legally valid (\u2018void\u2019)\n\n- was legally valid, but meets one of the reasons that makes it \u2018voidable\u2019\n\n## Your marriage is not legally valid - \u2018void\u2019 marriages\n\nYou can annul a marriage if it was not legally valid in the first place, for example:\n\n- you\u2019re closely related to the person you married\n\n- one or both of you were under 16\n\n- one of you was already married or in a civil partnership\n\nIf a marriage was never legally valid, the law says that it never existed.\n\nHowever, you may need legal paperwork (a \u2018decree of nullity\u2019) to prove this - for example if you want to get married again.\n\n## Your marriage is \u2018voidable\u2019\n\nYou can annul a marriage for a number of reasons, such as:\n\n- it was not consummated - you have not had sexual intercourse with the person you married since the wedding (does not apply for same sex couples)\n\n- you did not properly consent to the marriage - for example you were forced into it\n\n- the other person had a sexually transmitted disease (STD) when you got married\n\n- your spouse was pregnant by someone else when you got married\n\n- one spouse is in the process of transitioning to a different gender\n\nAs with divorce, your marriage legally exists until you annul it using one of these reasons.\n\nThe rules on ending a civil partnership are slightly different, but the court forms are the same.\n\n## Apply for an annulment\n\nYou can apply to have your marriage annulled as soon as you get married. Unlike divorce, you do not have to wait for a year.\n\nTo annul a marriage, fill in a \u2018nullity petition\u2019.\n\nRead the supporting notes before you start.\n\nSend 2 copies of the form to your nearest divorce court, and keep your own copy.\n\nFiling a nullity petition form costs \u00a3550.\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\n## Apply for a decree nisi\n\nThe other person must respond to your nullity petition within 8 days, saying whether they agree the marriage should be annulled.\n\nIf they agree, you can apply for a \u2018decree nisi\u2019. This will confirm that the court does not see any reason why the marriage cannot be annulled.\n\nTo get a decree nisi, fill in the application for decree nisi or conditional order.\n\n## Statement in support of annulment\n\nYou must also fill in a statement confirming that what you said in your nullity petition is true.\n\nUse one of the forms below, depending on whether your marriage is \u2018void\u2019 or \u2018voidable\u2019:\n\n- statement in support of annulment - void marriage\n\n- statement in support of annulment - voidable marriage\n\nSee when you can annul a marriage for the difference between \u2018void\u2019 and \u2018voidable\u2019 marriages.\n\nThe marriage will not be ended yet, you still need to apply for a \u2018decree absolute\u2019.\n\n## Apply for a decree absolute\n\nYou can apply for a decree absolute 6 weeks after you get the decree nisi.\n\nIn these cases, it\u2019s also called a \u2018decree of nullity\u2019. This is the final legal document which says that the marriage has been annulled.\n\nTo apply for a decree of nullity, fill in the notice of application for decree nisi to be made absolute.\n\nThe decree absolute fee is included in the annulment cost.\n\n## When you return your forms\n\nThe court will check if there are any reasons that the marriage cannot be annulled. In most cases, you do not need to go to court for this.\n\nIf the court is happy, it will send you the decree of nullity. This will confirm that you\u2019re no longer married.\n\nIf your marriage was never legally valid (void), the decree will confirm that you were never legally married.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/how-to-annul-marriage", + "answerable": true, + "scenario": "I have been trapped in a bad marriage for 1 year with a very abusive husband who has no remorse. I would like to annul the marriage.", + "original_question": "Can I get an annulment?" + }, + { + "id": "train-23", + "question": "Scenario: Our father died recently without leaving a will. My siblings and I do not trust our step-mother to act as estate administrator and we would prefer it if one of his children could handle this instead.\n\nQuestion: Can children stop a step-parent from handling their deceased parent's probate affairs?\n\nDocument - Applying for probate:\n## Overview\n\nApplying for the legal right to deal with someone\u2019s property, money and possessions (their \u2018estate\u2019) when they die is called \u2018applying for probate\u2019.\n\nYou\u2019ll get a document that allows you to start dealing with the estate. If the person left a will you\u2019ll get either:\n\n- a \u2018grant of probate\u2019\n\n- \u2018letters of administration with will annexed\u2019 (if the will does not name an executor or the named executor is unable to apply)\n\nIf the person did not leave a will, you\u2019ll get \u2018letters of administration\u2019.\n\nThis guide and the service are also available in Welsh (Cymraeg).\n\nThe process is different in Scotland and different in Northern Ireland.\n\nBecause of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process.\n\n## When probate is not needed\n\nYou may not need probate if the person who died:\n\n- had jointly owned land, property, shares or money - these will automatically pass to the surviving owners\n\n- only had savings or premium bonds\n\nContact each asset holder (for example a bank or mortgage company) to find out if you\u2019ll need probate to get access to their assets. Every organisation has its own rules.\n\n## Who can apply\n\nOnly certain people can apply for probate to deal with the estate of someone who died. It depends on whether the person who died left a will.\n\nA will states what should happen to a person\u2019s property and belongings (\u2018estate\u2019) after they die. It\u2019s usually valid if it\u2019s been signed by the person who made it and 2 witnesses.\n\n## If there\u2019s a will\n\nYou can apply for probate if you\u2019re named in the will, or in an update to the will (a \u2018codicil\u2019), as an \u2018executor\u2019.\n\nYou\u2019ll need the original will and any updates to apply for probate. These must be original documents, not photocopies.\n\nIf you do not want to apply for probate, fill in a form to give up executor rights.\n\nFind out what to do if you\u2019re an executor.\n\n## If the person did not leave a will\n\nThe \u2018administrator\u2019 deals with the estate.\n\nYou can apply to become the estate\u2019s administrator if you are 18 or over and you are the most \u2018entitled\u2019 inheritor of the deceased\u2019s estate. This is usually the deceased\u2019s closest living relative.\n\nRelatives are the most entitled inheritors in the following order:\n\n- husband, wife or civil partner (including if they were separated)\n\n- children (including legally adopted children but not step-children)\n\n- grandchildren\n\n- great-grandchildren\n\n- parents\n\n- brothers and sisters\n\n- nieces and nephews\n\n- half-brothers and half-sisters\n\n- half-nieces and half-nephews (the children of the half-brothers and half-sisters of the deceased)\n\n- grandparents\n\n- aunts and uncles\n\n- cousins\n\n- half-aunts and half-uncles (the half-brothers and half-sisters of the deceased\u2019s parent)\n\n- half-cousins (the children of the half-brothers and half-sisters of the deceased\u2019s parent)\n\nTo apply, follow the same steps as applying for probate.\n\nYou\u2019ll receive \u2018letters of administration\u2019 to prove you have the legal right to deal with the estate.\n\nYou cannot apply if you\u2019re the partner of the person but were not their spouse or civil partner when they died. You\u2019re not automatically entitled to any of their estate, unless you\u2019re able to make changes to the inheritance.\n\n## If you do not want to apply\n\nIf you\u2019re the most entitled inheritor and you do not want to apply to be the administrator, you can either:\n\n- appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and get the attorney to send this in with the probate application\n\n- nominate up to 2 people to be the next most entitled inheritor - fill in an \u2018intestate\u2019 form and send it to HMCTS Probate\n\n## Work out who inherits\n\nThe law decides who inherits the estate if there\u2019s no will. Work out who will inherit.\n\nYou\u2019ll need this information to report the estate\u2019s value and find out if there\u2019s Inheritance Tax to pay.\n\nInheritance laws may be different if you live in an EU country.\n\n## Stopping a probate application\n\nIf there\u2019s a dispute, you can challenge an application for probate (\u2018enter a caveat\u2019), before it\u2019s granted.\n\nFind out how to stop a probate application.\n\n## If you\u2019re an executor\n\nAn executor is someone named in a will as responsible for sorting out the estate of the person who\u2019s died.\n\nThe person who died will normally have told you if you\u2019re an executor. You\u2019ll need the original will to apply for probate.\n\n## Find the original will\n\nThe person who died should have told all the executors where to find the original will and any updates, for example:\n\n- at their house\n\n- with a probate practitioner, such as a solicitor\n\n- at the Newcastle District Probate Registry - you\u2019ll need the death certificate and evidence you\u2019re the executor\n\nGet help from a probate practitioner or Citizens Advice if you cannot understand a will or codicil.\n\nIf you cannot find the original will, you\u2019ll need to fill in a lost will form.\n\nIf there\u2019s more than one will, only the most recent will is valid. Do not destroy any copies of earlier wills until you\u2019ve received probate.\n\nAn executor only receives assets if they\u2019re also named as a beneficiary.\n\n## If there\u2019s more than one executor\n\nIf more than one person is named as an executor, you must all agree who makes the application for probate.\n\nUp to 4 executors can be named on the application.\n\nIf only one executor is named on the application they\u2019ll need to prove that they tried to contact all executors named in the will before they applied.\n\nIf you\u2019re having problems finding the other executors, you can contact the Probate Call Centre.\n\nThe Probate Call Centre cannot help with disagreements between executors. You\u2019ll need to find another way to reach an agreement - this could mean getting legal advice.\n\n## If you do not want to or cannot be an executor\n\nThe will may name a replacement executor for someone who becomes \u2018unwilling or unable\u2019 to deal with the estate.\n\nIf no executors are willing or able to apply for probate, fill in a form to give up executor rights and send it to HMCTS Probate.\n\n## You do not want to be an executor\n\nYou can do one of the following:\n\n- completely give up your right to apply for probate (\u2018renunciation\u2019) - fill in a form to give up executor rights and send it with the probate application form\n\n- reserve your right to apply for probate later if another executor cannot deal with the estate (holding \u2018power reserved\u2019)\n\n- appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and send it with the probate application\n\n## When an executor is unable to apply for probate\n\nA replacement executor should apply for probate if the executor is unable to, for example because:\n\n- they\u2019ve died\n\n- they do not have \u2018mental capacity\u2019 - get a doctor to fill in a mental capacity form and send it with the probate application\n\n## Apply for probate\n\nYou can apply for probate yourself online or by post, or pay a probate practitioner (such as a solicitor) to do it for you.\n\nBecause of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process. It\u2019s taking longer to process paper applications than online applications.\n\nThis guide and the service are also available in Welsh (Cymraeg).\n\n## Before you apply\n\n- Check if you need probate.\n\n- Check if you can apply for probate.\n\n- You must estimate and report the estate\u2019s value before you apply for probate.\n\n- You must find out whether you need to pay Inheritance Tax. If you do have to pay it, send the appropriate forms to HMRC and wait 20 working days before applying for probate.\n\n- You must have the original will if you\u2019re the executor (you do not need it if you\u2019re an administrator). You must also have the original death certificate or an interim death certificate from the coroner.\n\n## If you need to pay Inheritance Tax\n\nYou normally have to pay at least some of the tax before you\u2019ll get probate. You can claim the tax back from the estate, if you pay it out of your own bank account.\n\n## Probate application fees\n\nYou may have to pay a fee to apply for probate. Whether you need to pay depends on the value of the estate.\n\nIf the value of the estate is over \u00a35,000, the application fee is \u00a3215. You may be able to get help to pay the probate fee and other court fees if you have a low income or are on certain benefits.\n\nThere\u2019s no fee if the estate is \u00a35,000 or less.\n\nExtra copies of the probate cost \u00a31.50 each. This means you can send them to different organisations at the same time.\n\n## If the will has been changed or damaged\n\nYou must include a cover letter if the will or any additions have changed in any way since you\u2019ve had them. This includes them being damaged or separated for photocopying.\n\nThe letter should explain what\u2019s been changed and why.\n\n## Get help and advice\n\nIf you\u2019ve not yet applied and have a question about applying for probate, contact the Courts and Tribunals Service Centre:\n\n## If you\u2019re a probate practitioner\n\nYou should apply for probate for your client using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\n## Apply for probate online\n\nYou can use this service if you\u2019re the executor or administrator and you:\n\n- have the original will and any additions to it (\u2018codicils\u2019) if you\u2019re the executor (you do not need these if you\u2019re an administrator)\n\n- have the original death certificate or an interim death certificate from the coroner\n\n- have already reported the estate\u2019s value\n\n- have submitted tax forms to HMRC and waited 20 working days, if you need to pay Inheritance Tax\n\nThe person who died must have lived in England or Wales most of the time.\n\nThe probate registry will keep the original will and any additions to it. If you make a copy of these for your records, do not remove any staples or bindings from them.\n\nApply for probate\n\nReturn to an existing probate application.\n\n## Apply for probate by post\n\nThe form you need to fill in depends on whether the person left a will or not.\n\nFill in application form PA1P if there is a will.\n\nFill in application form PA1A if there is not a will.\n\nBecause of COVID-19, it\u2019s taking longer to process paper applications than online applications. Use the online service to apply for probate if you can.\n\nYou need to pay before you send the form.\n\nYou can pay by either:\n\n- calling the Courts and Tribunals Service Centre to pay by credit or debit card - you\u2019ll be given a reference number to send with your documents\n\n- sending a cheque payable to \u2018HM Courts and Tribunals Service\u2019 with your documents\n\nSend your completed form to HMCTS Probate with the following documents:\n\n- the original will and any additions to it (\u2018codicils\u2019)\n\n- the death certificate or an interim death certificate from the coroner\n\nUse a signed-for or tracked postal service that will deliver to PO boxes to send your documents.\n\nThe death certificate will be returned to you but the will and any additions to it will not be. If you make a copy of the will and any of its additions for your own records, do not remove any staples or bindings from them.\n\n## After you've applied\n\nYou\u2019ll usually get the grant of probate or letters of administration within 8 weeks of sending in your original documents. If you ordered copies of these documents for use outside the UK, these will take longer to arrive.\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications.\n\nYou should not make any financial plans or put property on the market until you have received the grant of probate or letters of administration.\n\nIf there\u2019s anything wrong with the grant of probate (or letters of administration), return it to the district probate registry listed on the grant or letters.\n\nSend a copy to organisations that hold the assets of the person who died, for example their bank.\n\nOnce you have probate you can start dealing with the estate.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/applying-for-probate", + "answerable": true, + "scenario": "Our father died recently without leaving a will. My siblings and I do not trust our step-mother to act as estate administrator and we would prefer it if one of his children could handle this instead.", + "original_question": "Can children stop a step-parent from handling their deceased parent's probate affairs?" + }, + { + "id": "train-26", + "question": "Scenario: My father was a highly successful businessman, with property including a large country house and several holiday homes. Sadly he died 2 months ago. I was named as a beneficiary in his will and now I need to pay the inheritance tax.\n\nQuestion: Is interest payable if I agree to pay it in installments?\n\nDocument - Pay your Inheritance Tax bill:\n## Overview\n\nYou must pay Inheritance Tax by the end of the sixth month after the person died.\n\nThere are different due dates if you\u2019re making payments on a trust.\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay by the due date.\n\n## How to pay\n\nYou\u2019ll need to get a payment reference number before you can pay your Inheritance Tax bill.\n\n## Pay from your own bank account\n\nYou can pay from your own bank account or a joint account with the deceased:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\nYou currently cannot pay Inheritance Tax by cheque because of coronavirus (COVID-19).\n\nYou can claim the money back from the deceased\u2019s estate or the beneficiaries once you get a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\n## Pay from accounts owned by the deceased\n\nYou can pay using the deceased\u2019s:\n\n- bank accounts - including National Savings and Investments (NS&I) accounts\n\n- government stock\n\n## If you do not know how much to pay\n\nYou can make payments before you know the exact amount of Inheritance Tax owed by the deceased person\u2019s estate. These are known as \u2018payments on account\u2019.\n\n## Check your payment has been received\n\nHMRC do not send receipts for each payment you make. They\u2019ll write to tell you when you\u2019ve paid all the Inheritance Tax and interest you owe.\n\nIf you\u2019ve paid through your own bank or building society, check your statement to confirm the payment has left your account.\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nAsk your bank if your cheque to HMRC has been cashed. If it has not been cashed, you should cancel the cheque and pay HMRC a different way.\n\n## Get a payment reference number\n\nYou\u2019ll need to get an Inheritance Tax reference number from HM Revenue and Customs (HMRC) at least 3 weeks before you make a payment.\n\nYou can apply for one:\n\n- online (unless you need it for a trust)\n\n- by post - using form IHT422, Application for an Inheritance Tax reference (the address you need is on the form)\n\nDo not use the 15-digit number from the online Inheritance Tax service to report an estate\u2019s value.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay by Faster Payments (online or telephone banking), CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001136 | HMRC Inheritance Tax |\n\nYou\u2019ll need to use your Inheritance Tax payment reference number as the payment reference.\n\n## How long it takes\n\nPayments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB66BARC20114763495590 | BARCGB22 | HMRC Inheritance Tax |\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay at a branch by cash or cheque.\n\nPlease complete one of your bank\u2019s paying in slips with the following HMRC bank account details:\n\nSort code 25 61 21\nAccount number 63495590\nAccount name HM Revenue & Customs Inheritance Tax\n\nSome branches might be closed at the moment because of coronavirus (COVID-19).\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite the name of the deceased and your Inheritance Tax payment reference number on the back of the cheque. You\u2019ll find the reference number on the letter HMRC sent you.\n\nHMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.\n\n## By cheque through the post\n\nYou currently cannot pay Inheritance Tax by post because of coronavirus (COVID-19). You can still pay:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\n## From the deceased's bank account\n\nYou can ask banks, building societies or National Savings & Investments (NS&I) to pay some or all of the Inheritance Tax due from the deceased person\u2019s accounts to HM Revenue and Customs (HMRC). This is called the \u2018Direct Payment Scheme\u2019.\n\n- Ask the bank, building society or NS&I to make you a \u2018personal representative\u2019 - each one will do this in a different way. You can do this before you apply for a \u2018grant of representation\u2019 (known as \u2018probate\u2019). This is known as confirmation in Scotland.\n\n- Get your Inheritance Tax payment reference number.\n\n- Fill in form IHT423 and send it to the bank, building society or NS&I. Send a separate form for each account you want to pay HMRC from.\n\n- Send Inheritance Tax Account form IHT 400, Probate Summary form IHT421, (Confirmation form C1 in Scotland) and any supplementary pages or supporting documents to HMRC.\n\nWhen the bank, building society or NS&I has made the payment, HMRC will stamp and return Probate Summary form IHT421 (Confirmation form C1 in Scotland) so you know the Inheritance Tax has been paid.\n\n## Using British government stock\n\nWrite to Computershare Investor Services, who run the British government stock scheme.\n\nTell them you want to pay Inheritance Tax and how much of the stock you want to use. Enclose a copy of the death certificate and the stock reference number (if you have it).\n\nAt the same time, send HMRC:\n\n- a letter saying how much tax you want to be paid out of the stock\n\n- Inheritance Tax Account form IHT400 - you\u2019ll need to put your Inheritance Tax payment reference number on the form\n\n- Probate Summary form IHT421 (Confirmation form C1 in Scotland)\n\nHMRC will contact Computershare and ask for the money to be transferred. This could take up to 4 weeks.\n\nDo not pay this way if you need to get probate (known as \u2018confirmation\u2019 in Scotland) quickly. (Probate is the right to deal with the deceased person\u2019s property, money and possessions.)\n\n## After the money has been transferred\n\n## In England, Wales or Northern Ireland\n\nHMRC will send your IHT421 form to the Probate Registry so they can send a grant of representation to you (if you\u2019re handling probate yourself) or to your solicitor.\n\n## In Scotland\n\nHMRC will return your C1 Confirmation form to you so you can apply for confirmation.\n\nIf the amount transferred is not enough to cover the Inheritance Tax you owe, HMRC will write to tell you how much to pay and how to pay it.\n\n## By transferring national heritage property\n\nIn very exceptional cases you may be able to make Inheritance Tax payments by transferring national heritage property to the Crown.\n\nNational heritage property may include:\n\n- buildings or land of historic, architectural, scenic or scientific interest\n\n- artworks, books and manuscripts or scientific collections of historic, scenic or scientific interest\n\nOffers to make Inheritance Tax payments by transferring national heritage property to the Crown are dealt with on an individual basis.\n\nContact the HMRC Heritage team for information on making an offer.\n\n## If your offer is accepted\n\nEven if your offer\u2019s accepted, you must first pay all of the Inheritance Tax you owe through other means and have a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\nOnce your property has been transferred HM Revenue and Customs (HMRC) will repay the Inheritance Tax you\u2019ve paid.\n\n## In yearly instalments\n\nYou can pay your Inheritance Tax on things that may take time to sell in equal annual instalments over 10 years.\n\nYou must say on Inheritance Tax Account form IHT400 if you want to pay in instalments.\n\nYou\u2019ll usually have to pay interest on your instalments. Use the calculator to work out the interest you\u2019ll need to pay.\n\nYou must pay the tax in full when you\u2019ve sold the deceased\u2019s assets, such as their house or shares.\n\n## When you must pay\n\nThe first instalment is due at the end of the sixth month after the death (for example if they died on 12 January, you\u2019d have to pay by 31 July). This is known as the \u2018due date\u2019. Payments are then due every year on that date.\n\n## Paying early\n\nYou can pay off the full tax and interest at any time. Write to HM Revenue and Customs (HMRC) Trusts and Estates asking for a final assessment (you do not have to include payment).\n\n## What you pay interest on\n\nYou will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:\n\n- the full outstanding tax balance\n\n- the instalment itself, from the date it\u2019s due to the date of payment (if it\u2019s paid late)\n\n## What you can pay in instalments\n\n## Houses\n\nYou can pay 10% and the interest each year if you decide to keep the house to live in.\n\n## Shares and securities\n\nYou can pay in instalments if the shares or securities allowed the deceased to control more than 50% of a company.\n\n## Unlisted shares and securities\n\nYou can pay in instalments for \u2018unlisted\u2019 shares or securities (ones not traded on a recognised stock exchange) if they\u2019re worth more than \u00a320,000 and either of these apply:\n\n- they represent 10% of the total value of the shares in the company, at the price they were first sold at (known as the \u2018nominal\u2019 value or \u2018face value\u2019)\n\n- they represent 10% of the total value of ordinary shares held in the company, at the price they were first sold at\n\nYou can find the face value of a share and whether it\u2019s an ordinary share on the share certificate.\n\nYou can also pay in instalments if either of these apply:\n\n- at least 20% of the total Inheritance Tax the estate owes is on assets that qualify for payment by instalments\n\n- paying Inheritance Tax on them in one lump sum will cause financial difficulties\n\n## Business run for profit\n\nYou can pay in instalments on the net value of a business, but not its assets.\n\n## Agricultural land and property\n\nThis is rare because most agricultural land and property is exempt from Inheritance Tax.\n\n## Gifts\n\nYou can pay in instalments if there is still Inheritance Tax to pay and you were given:\n\n- buildings\n\n- shares or securities\n\n- part or all of a business\n\nIf the gift was an unlisted share or security, it must still have been unlisted at the time of the death.\n\n## Trusts\n\n- Get your Inheritance Tax payment reference number at least 3 weeks before you want to make a payment by filling in Form IHT122.\n\n- Send Inheritance Tax Account form IHT100 to HM Revenue and Customs (HMRC).\n\n- Pay the Inheritance Tax, either through a bank or building society or by cheque through the post.\n\n## Payment deadlines\n\n## Transfers\n\nYou must pay Inheritance Tax on transfers into a trust or out of a trust (known as \u2018exit charges\u2019) no later than 6 months after the end of the month the transfer was made.\n\n## 10-year anniversary charge\n\nThe 10-year anniversary charge can be paid up to 6 months after the 10th anniversary of the date the trust was set up.\n\n## Pay early to avoid paying interest\n\nYou can make early Inheritance Tax payments before you know the exact amount the estate owes (this is known as a \u2018payment on account\u2019).\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay all the tax the estate owes by the due date. If you will not know how much Inheritance Tax the estate owes by the time the payment is due, a payment on account can help you avoid some of the interest.\n\n## If you overpay\n\nIf you pay more money than the final bill says the estate owes, HMRC will refund the excess after you\u2019ve been given probate (confirmation in Scotland). Probate is the right to deal with the deceased person\u2019s property, money and possessions.\n\nHMRC will also pay interest on the amount you\u2019ve overpaid.\n\nTo receive the refund, you\u2019ll need to write to HMRC.\n\nPut \u2018Repayment - further details\u2019 at the top of the letter.\n\nInclude the name, number and sort code of the bank account you want the refund to go to.\n\nThe letter must be signed by the same people who signed forms IHT400 and IHT100 if:\n\n- you\u2019re applying without the help of a solicitor or agent\n\n- the refund is being paid into a different bank account to the one nominated in IHT400 or IHT100\n\nIf you\u2019re an agent acting on behalf of the estate and you\u2019re not asking for the refund to be paid into a different bank account, only put your signature on the letter.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paying-inheritance-tax", + "answerable": true, + "scenario": "My father was a highly successful businessman, with property including a large country house and several holiday homes. Sadly he died 2 months ago. I was named as a beneficiary in his will and now I need to pay the inheritance tax.", + "original_question": "Is interest payable if I agree to pay it in installments?" + }, + { + "id": "train-27", + "question": "Scenario: I remarried last year, in January 2020, and I have been running my large estate alone. I want my partner to help me run my estate business and include him on my will.\n\nQuestion: Will I be allowed to include him in my will?\n\nDocument - Making a will:\n## Overview\n\nYour will lets you decide what happens to your money, property and possessions after your death.\n\nIf you make a will you can also make sure you do not pay more Inheritance Tax than you need to.\n\nYou can write your will yourself, but you should get advice if your will is not straightforward.\n\nYou need to get your will formally witnessed and signed to make it legally valid.\n\nIf you want to update your will, you need to make an official alteration (called a \u2018codicil\u2019) or make a new will.\n\nIf you die without a will, the law decides who gets what.\n\n## Write your will\n\nYour will should set out:\n\n- who you want to benefit from your will\n\n- who should look after any children under 18\n\n- who is going to sort out your estate and carry out your wishes after your death (your executor)\n\n- what happens if the people you want to benefit die before you\n\nYou can also include a charity in your will.\n\n## When you need legal advice\n\nYou can get advice from a professional if your will is not straightforward, for example:\n\n- you share a property with someone who is not your husband, wife or civil partner\n\n- you want to leave money or property to a dependant who cannot care for themselves\n\n- you have several family members who may make a claim on your will, such as a second spouse or children from another marriage\n\n- your permanent home is outside the UK\n\n- you have property overseas\n\n- you have a business\n\n## Keep your will safe\n\nYou can keep your will at your home or store it with:\n\n- your solicitor\n\n- your bank\n\n- a company that offers the storage of wills - you can search online\n\n- the London Probate Service\n\nRead full guidance on storing your will with the Probate\nService.\n\nYou should tell your executor (the person you\u2019ve chosen to carry out your will), a close friend or relative where your will is.\n\n## Make sure your will is legal\n\nFor your will to be legally valid, you must:\n\n- be 18 or over\n\n- make it voluntarily\n\n- be of sound mind\n\n- make it in writing\n\n- sign it in the presence of 2 witnesses who are both over 18\n\n- have it signed by your 2 witnesses, in your presence\n\nSigning can be witnessed both in person and remotely (for example by video conferencing). In both cases:\n\n- you must have a clear view of the person and the act of signing\n\n- the will maker (or person authorised to sign on their behalf) and witnesses must sign the same document\n\nYou can only sign remotely in England or Wales.\n\nIf you make any changes to your will you must follow the same signing and witnessing process.\n\nYou cannot leave your witnesses (or their married partners) anything in your will.\n\n## Update your will\n\nYou should review your will every 5 years and after any major change in your life, for example:\n\n- getting separated or divorced\n\n- getting married (this cancels any will you made before)\n\n- having a child\n\n- moving house\n\n- if the executor named in the will dies\n\n## Making changes to your will\n\nYou cannot amend your will after it\u2019s been signed and witnessed. The only way you can change a will is by making an official alteration called a codicil.\n\nYou must sign a codicil and get it witnessed in the same way as witnessing a will.\n\nThere\u2019s no limit on how many codicils you can add to a will.\n\n## Making a new will\n\nFor major changes you should make a new will.\n\nYour new will should explain that it revokes (officially cancels) all previous wills and codicils. You should destroy your old will by burning it or tearing it up.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/make-will", + "answerable": true, + "scenario": "I remarried last year, in January 2020, and I have been running my large estate alone. I want my partner to help me run my estate business and include him on my will.", + "original_question": "Will I be allowed to include him in my will?" + }, + { + "id": "train-28", + "question": "Scenario: My late uncle left a house for me according to his will.He had a sole ownership of the property .It is in a nice high end area and i would like to sell it.\n\nQuestion: Do i need to apply for a probate before i put it on sale?\n\nDocument - Applying for probate:\n## Overview\n\nApplying for the legal right to deal with someone\u2019s property, money and possessions (their \u2018estate\u2019) when they die is called \u2018applying for probate\u2019.\n\nYou\u2019ll get a document that allows you to start dealing with the estate. If the person left a will you\u2019ll get either:\n\n- a \u2018grant of probate\u2019\n\n- \u2018letters of administration with will annexed\u2019 (if the will does not name an executor or the named executor is unable to apply)\n\nIf the person did not leave a will, you\u2019ll get \u2018letters of administration\u2019.\n\nThis guide and the service are also available in Welsh (Cymraeg).\n\nThe process is different in Scotland and different in Northern Ireland.\n\nBecause of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process.\n\n## When probate is not needed\n\nYou may not need probate if the person who died:\n\n- had jointly owned land, property, shares or money - these will automatically pass to the surviving owners\n\n- only had savings or premium bonds\n\nContact each asset holder (for example a bank or mortgage company) to find out if you\u2019ll need probate to get access to their assets. Every organisation has its own rules.\n\n## Who can apply\n\nOnly certain people can apply for probate to deal with the estate of someone who died. It depends on whether the person who died left a will.\n\nA will states what should happen to a person\u2019s property and belongings (\u2018estate\u2019) after they die. It\u2019s usually valid if it\u2019s been signed by the person who made it and 2 witnesses.\n\n## If there\u2019s a will\n\nYou can apply for probate if you\u2019re named in the will, or in an update to the will (a \u2018codicil\u2019), as an \u2018executor\u2019.\n\nYou\u2019ll need the original will and any updates to apply for probate. These must be original documents, not photocopies.\n\nIf you do not want to apply for probate, fill in a form to give up executor rights.\n\nFind out what to do if you\u2019re an executor.\n\n## If the person did not leave a will\n\nThe \u2018administrator\u2019 deals with the estate.\n\nYou can apply to become the estate\u2019s administrator if you are 18 or over and you are the most \u2018entitled\u2019 inheritor of the deceased\u2019s estate. This is usually the deceased\u2019s closest living relative.\n\nRelatives are the most entitled inheritors in the following order:\n\n- husband, wife or civil partner (including if they were separated)\n\n- children (including legally adopted children but not step-children)\n\n- grandchildren\n\n- great-grandchildren\n\n- parents\n\n- brothers and sisters\n\n- nieces and nephews\n\n- half-brothers and half-sisters\n\n- half-nieces and half-nephews (the children of the half-brothers and half-sisters of the deceased)\n\n- grandparents\n\n- aunts and uncles\n\n- cousins\n\n- half-aunts and half-uncles (the half-brothers and half-sisters of the deceased\u2019s parent)\n\n- half-cousins (the children of the half-brothers and half-sisters of the deceased\u2019s parent)\n\nTo apply, follow the same steps as applying for probate.\n\nYou\u2019ll receive \u2018letters of administration\u2019 to prove you have the legal right to deal with the estate.\n\nYou cannot apply if you\u2019re the partner of the person but were not their spouse or civil partner when they died. You\u2019re not automatically entitled to any of their estate, unless you\u2019re able to make changes to the inheritance.\n\n## If you do not want to apply\n\nIf you\u2019re the most entitled inheritor and you do not want to apply to be the administrator, you can either:\n\n- appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and get the attorney to send this in with the probate application\n\n- nominate up to 2 people to be the next most entitled inheritor - fill in an \u2018intestate\u2019 form and send it to HMCTS Probate\n\n## Work out who inherits\n\nThe law decides who inherits the estate if there\u2019s no will. Work out who will inherit.\n\nYou\u2019ll need this information to report the estate\u2019s value and find out if there\u2019s Inheritance Tax to pay.\n\nInheritance laws may be different if you live in an EU country.\n\n## Stopping a probate application\n\nIf there\u2019s a dispute, you can challenge an application for probate (\u2018enter a caveat\u2019), before it\u2019s granted.\n\nFind out how to stop a probate application.\n\n## If you\u2019re an executor\n\nAn executor is someone named in a will as responsible for sorting out the estate of the person who\u2019s died.\n\nThe person who died will normally have told you if you\u2019re an executor. You\u2019ll need the original will to apply for probate.\n\n## Find the original will\n\nThe person who died should have told all the executors where to find the original will and any updates, for example:\n\n- at their house\n\n- with a probate practitioner, such as a solicitor\n\n- at the Newcastle District Probate Registry - you\u2019ll need the death certificate and evidence you\u2019re the executor\n\nGet help from a probate practitioner or Citizens Advice if you cannot understand a will or codicil.\n\nIf you cannot find the original will, you\u2019ll need to fill in a lost will form.\n\nIf there\u2019s more than one will, only the most recent will is valid. Do not destroy any copies of earlier wills until you\u2019ve received probate.\n\nAn executor only receives assets if they\u2019re also named as a beneficiary.\n\n## If there\u2019s more than one executor\n\nIf more than one person is named as an executor, you must all agree who makes the application for probate.\n\nUp to 4 executors can be named on the application.\n\nIf only one executor is named on the application they\u2019ll need to prove that they tried to contact all executors named in the will before they applied.\n\nIf you\u2019re having problems finding the other executors, you can contact the Probate Call Centre.\n\nThe Probate Call Centre cannot help with disagreements between executors. You\u2019ll need to find another way to reach an agreement - this could mean getting legal advice.\n\n## If you do not want to or cannot be an executor\n\nThe will may name a replacement executor for someone who becomes \u2018unwilling or unable\u2019 to deal with the estate.\n\nIf no executors are willing or able to apply for probate, fill in a form to give up executor rights and send it to HMCTS Probate.\n\n## You do not want to be an executor\n\nYou can do one of the following:\n\n- completely give up your right to apply for probate (\u2018renunciation\u2019) - fill in a form to give up executor rights and send it with the probate application form\n\n- reserve your right to apply for probate later if another executor cannot deal with the estate (holding \u2018power reserved\u2019)\n\n- appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and send it with the probate application\n\n## When an executor is unable to apply for probate\n\nA replacement executor should apply for probate if the executor is unable to, for example because:\n\n- they\u2019ve died\n\n- they do not have \u2018mental capacity\u2019 - get a doctor to fill in a mental capacity form and send it with the probate application\n\n## Apply for probate\n\nYou can apply for probate yourself online or by post, or pay a probate practitioner (such as a solicitor) to do it for you.\n\nBecause of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process. It\u2019s taking longer to process paper applications than online applications.\n\nThis guide and the service are also available in Welsh (Cymraeg).\n\n## Before you apply\n\n- Check if you need probate.\n\n- Check if you can apply for probate.\n\n- You must estimate and report the estate\u2019s value before you apply for probate.\n\n- You must find out whether you need to pay Inheritance Tax. If you do have to pay it, send the appropriate forms to HMRC and wait 20 working days before applying for probate.\n\n- You must have the original will if you\u2019re the executor (you do not need it if you\u2019re an administrator). You must also have the original death certificate or an interim death certificate from the coroner.\n\n## If you need to pay Inheritance Tax\n\nYou normally have to pay at least some of the tax before you\u2019ll get probate. You can claim the tax back from the estate, if you pay it out of your own bank account.\n\n## Probate application fees\n\nYou may have to pay a fee to apply for probate. Whether you need to pay depends on the value of the estate.\n\nIf the value of the estate is over \u00a35,000, the application fee is \u00a3215. You may be able to get help to pay the probate fee and other court fees if you have a low income or are on certain benefits.\n\nThere\u2019s no fee if the estate is \u00a35,000 or less.\n\nExtra copies of the probate cost \u00a31.50 each. This means you can send them to different organisations at the same time.\n\n## If the will has been changed or damaged\n\nYou must include a cover letter if the will or any additions have changed in any way since you\u2019ve had them. This includes them being damaged or separated for photocopying.\n\nThe letter should explain what\u2019s been changed and why.\n\n## Get help and advice\n\nIf you\u2019ve not yet applied and have a question about applying for probate, contact the Courts and Tribunals Service Centre:\n\n## If you\u2019re a probate practitioner\n\nYou should apply for probate for your client using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\n## Apply for probate online\n\nYou can use this service if you\u2019re the executor or administrator and you:\n\n- have the original will and any additions to it (\u2018codicils\u2019) if you\u2019re the executor (you do not need these if you\u2019re an administrator)\n\n- have the original death certificate or an interim death certificate from the coroner\n\n- have already reported the estate\u2019s value\n\n- have submitted tax forms to HMRC and waited 20 working days, if you need to pay Inheritance Tax\n\nThe person who died must have lived in England or Wales most of the time.\n\nThe probate registry will keep the original will and any additions to it. If you make a copy of these for your records, do not remove any staples or bindings from them.\n\nApply for probate\n\nReturn to an existing probate application.\n\n## Apply for probate by post\n\nThe form you need to fill in depends on whether the person left a will or not.\n\nFill in application form PA1P if there is a will.\n\nFill in application form PA1A if there is not a will.\n\nBecause of COVID-19, it\u2019s taking longer to process paper applications than online applications. Use the online service to apply for probate if you can.\n\nYou need to pay before you send the form.\n\nYou can pay by either:\n\n- calling the Courts and Tribunals Service Centre to pay by credit or debit card - you\u2019ll be given a reference number to send with your documents\n\n- sending a cheque payable to \u2018HM Courts and Tribunals Service\u2019 with your documents\n\nSend your completed form to HMCTS Probate with the following documents:\n\n- the original will and any additions to it (\u2018codicils\u2019)\n\n- the death certificate or an interim death certificate from the coroner\n\nUse a signed-for or tracked postal service that will deliver to PO boxes to send your documents.\n\nThe death certificate will be returned to you but the will and any additions to it will not be. If you make a copy of the will and any of its additions for your own records, do not remove any staples or bindings from them.\n\n## After you've applied\n\nYou\u2019ll usually get the grant of probate or letters of administration within 8 weeks of sending in your original documents. If you ordered copies of these documents for use outside the UK, these will take longer to arrive.\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications.\n\nYou should not make any financial plans or put property on the market until you have received the grant of probate or letters of administration.\n\nIf there\u2019s anything wrong with the grant of probate (or letters of administration), return it to the district probate registry listed on the grant or letters.\n\nSend a copy to organisations that hold the assets of the person who died, for example their bank.\n\nOnce you have probate you can start dealing with the estate.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/applying-for-probate", + "answerable": true, + "scenario": "My late uncle left a house for me according to his will.He had a sole ownership of the property .It is in a nice high end area and i would like to sell it.", + "original_question": "Do i need to apply for a probate before i put it on sale?" + }, + { + "id": "train-29", + "question": "Scenario: I set up a car-washing business with a friend ten years ago. The business has expanded and is doing well. My friend has been missing for six months, and I have no contact with him.\n\nQuestion: Can I apply to manage my missing business partner's finances in order to continue to run our business?\n\nDocument - Manage a missing person's finances and property:\n## Overview\n\nYou can apply to be a guardian and manage the finances or property of someone who:\n\n- is missing\n\n- is in prison abroad and cannot communicate\n\n- has been taken hostage or kidnapped\n\nThe person must be missing from home and their usual activities.\n\nOne of the following must also apply:\n\n- you do not know where they are\n\n- they cannot contact you to let you know their decisions\n\nYou must apply to the High Court for a guardianship order.\n\nYou can apply when the person has been missing for the previous 90 days. You can apply earlier if it\u2019s urgent, for example the person\u2019s house is being repossessed.\n\nThe Office of the Public Guardian will supervise you while you are acting as a guardian. You\u2019ll need to keep records of the activities you carry out and decisions you make.\n\nYou must send reports to the Office of the Public Guardian when they ask you for them. They will tell you when it\u2019s time to send your report.\n\nThe Office of the Public Guardian might visit you.\n\n## Who can apply\n\nYou can apply if you\u2019re the missing person\u2019s:\n\n- husband, wife or civil partner\n\n- parent\n\n- child\n\n- brother or sister\n\n- guardian already and you\u2019re renewing the order\n\nYou can also apply if you can give the court evidence that you have a \u2018sufficient interest\u2019 in the person\u2019s finances or property. This might be, for example, because:\n\n- you have been in a relationship for a long time with the person and you live with them\n\n- the person is your business partner and you need to continue to run the business\n\n- you are the person\u2019s step-parent, step-sibling or step-child\n\nThe longer you\u2019ve known the person and the better you know them, the easier it will be for you to convince the court that you have \u2018sufficient interest\u2019.\n\nYou must be over 18 to apply.\n\n## Apply to be a guardian\n\nYou can make a claim yourself or use a legal representative.\n\n## Fill in the form\n\nDownload and fill in a part 8 claim form.\n\nInclude:\n\n- your name and address (under \u2018claimant\u2019)\n\n- the missing person\u2019s name (under \u2018defendant\u2019)\n\n- your relationship to the missing person\n\n- the last known address of the person\n\n- when the person went missing\n\n- how long the person has been missing\n\nIf you\u2019re applying with other people, complete one form with everyone\u2019s details in it.\n\nYou\u2019ll need to write a witness statement to help the court decide if you\u2019re a suitable guardian.\n\n## Witness statement\n\nConfirm that the missing person normally lives in England or Wales.\n\nIf you\u2019re not the person\u2019s husband, wife, civil partner, parent, child, brother or sister, explain why you\u2019re interested in the person\u2019s property or financial affairs.\n\nIf it\u2019s less than 90 days since the person went missing, explain you need the guardianship order urgently, for example, because the person is going to lose their house.\n\nIn the statement, include:\n\n- the person\u2019s usual day-to-day activities and when they stopped doing them\n\n- evidence that the person has been missing for at least the last 90 days\n\n- information about the property and finances of the person\n\n- what you know about their disappearance and where they might be\n\n- details of any police investigation or report\n\n- the names and addresses of the missing person\u2019s family, if they have any\n\n- the proposed news advert\n\n- whether you\u2019ve been convicted of a criminal offence\n\n- whether you\u2019ve been refused credit\n\n- whether you\u2019ve ever been bankrupt\n\n- whether you\u2019ve run a company that became insolvent or went bankrupt\n\n- confirmation that you believe the facts in the document are true and accurate (a \u2018truth statement\u2019)\n\n## Send the form to the High Court\n\nApply to one of the following:\n\n- the Chancery Division of the High Court - if there are complicated issues with a property or trust\n\n- the Family Division of the High Court - if it\u2019s likely that family disagreements and issues will happen\n\n- Your local High Court District Registry\n\nThe High Court can transfer your hearing from one division to another. This will not change what you have to pay.\n\nSend one identical copy for each person you need to tell, plus a copy for the court.\n\n- the form and witness statement\n\n- any documents you have as supporting evidence, for example police reports\n\n- a cheque for the court fee, made payable to \u2018HM Courts and Tribunals Service\u2019\n\nFind your local High Court District Registry.\n\nAfter you apply you\u2019ll need to advertise your claim in a newspaper. The High Court will ask you to go to a hearing.\n\n## How much it costs\n\nYou must pay either:\n\n- a \u00a3528 application fee if you apply to the Chancery Division of the High Court\n\n- a \u00a3245 application fee if you apply to the Family Division of the High Court\n\nSend a cheque for HM Courts and Tribunals with your application.\n\nYou might also have to pay a security bond.\n\nOnce you\u2019re appointed as a guardian you must pay:\n\n- a \u00a3200 set up fee\n\n- a \u00a3320 supervision fee every year of your guardianship\n\nThe Office of the Public Guardian will tell you how and when to pay your set up and supervision fees.\n\nIf you want to get the money back for the fees from the missing person\u2019s account, ask the court to give you permission in the guardianship order.\n\n## Pay the security bond\n\nYou might have to pay a security bond before you can use the guardianship order. The High Court will tell you if you need to pay a bond.\n\nIf the guardianship order gives you permission, either:\n\n- pay the bond from the person\u2019s funds\n\n- pay the bond yourself then pay yourself back once you have access to the person\u2019s finances\n\nYou cannot start acting for the person until you\u2019ve paid the security bond.\n\n## Get help with your fees\n\nYou might also be able to get help paying court fees.\n\n## After you've applied\n\nThe court will send copies of your form back to you, with \u2018acknowledgement of service\u2019 forms and a case number. It will keep a copy of the form. The High Court will let you know the hearing date.\n\nThe hearing will take place at least 8 weeks after the High Court sends you the claim forms back.\n\nWhen you have a hearing date from the court, you need to tell other people that you\u2019ve applied before the hearing, in case they object. You must also advertise your claim in a newspaper.\n\n## Tell the person\u2019s family that you\u2019ve applied to be their guardian\n\nYou\u2019ll need to tell the missing person\u2019s:\n\n- husband, wife or civil partner\n\n- parents, brothers and sisters\n\n- children\n\nSend:\n\n- a copy of the claim form\n\n- the acknowledgement of service form that the court has sent you\n\n- copies of the supporting evidence you sent with your application\n\n- a letter telling them the date of the first hearing\n\n## Advertise your claim in the news\n\nYou must advertise your claim within 14 days from the day you get a date for the first court hearing. The advert must appear in a print or online newspaper that covers the missing person\u2019s last known usual address.\n\n## How to write the advert\n\nYou can use this template for the advert. Add your own information where there are square brackets.\n\nIn the High Court of Justice [Family or Chancery] Division\n\nCase number [ ]\n\nIn the matter of an application made under the Guardianship (Missing Persons) Act 2017 for a guardianship order in respect of [insert missing person name].\n\nA claim has been issued in the High Court of Justice, [Family or Chancery] Division, case no. [case number], by [your name] for an order that [your name] be appointed guardian in respect of [missing person] (\u201cthe missing person\u201d), whose last usual place of residence was [missing person\u2019s address].\n\nThe date and venue for the first hearing of the claim application is [date] at [court address]. Any spouse, civil partner, parent, child or sibling of the missing person is entitled to intervene in the matter. Any other person having an interest may apply to the court for permission to intervene in the matter.\n\nIf you wish to give notice of intention to intervene or to apply to the court for permission to intervene, you should do so at [court address] as soon as possible, and no later than 14 days before the date of the first hearing, and serve a copy of that notice or application on the claimant at the address given below. Delay may harm your prospects of obtaining permission to intervene if you are not entitled to intervene, and, in any event, may be taken into account on any question relating to costs.\n\n[your name]\n[Name and address of your legal representative, if you have one]\n[Your address, if you do not have a legal representative]\n\n## Tell the court about the advert\n\nAt least 7 days before the first court hearing, send evidence to the High Court that you advertised the claim. Include the case number the court has sent you. Evidence could be:\n\n- a copy of the printed page\n\n- a working link to a website\n\n- confirmation from the news organisation\n\n## At the hearing\n\nBring any supporting documents you have to the hearing.\n\nAt the hearing, the judge might consider:\n\n- your relationship with the missing person\n\n- the missing person\u2019s opinion of you (for example, if there is evidence in writing from before they disappeared)\n\n- whether you have the right skills and knowledge to be a guardian\n\n- any conflict of interest between you and the missing person\n\nYou might be:\n\n- asked for more information\n\n- told there has to be another hearing\n\nThe court will tell you how to get a court order if someone\u2019s refusing to give you information you need.\n\nThere might be several hearings before the High Court makes a decision. It depends on how complicated the case is.\n\n## If the High Court approves your claim\n\nThe judge might tell you at the hearing that you have been successful, or there could be a short wait before you find out. It depends on how complicated your case is and how much the missing person owns.\n\nOnce the High Court has given you a guardianship order, they will send you several copies of it and a copy to the Office of the Public Guardian.\n\nThe Office of the Public Guardian will register your guardianship and supervise you. You might have to pay a security bond. The High Court will tell you if you do.\n\n## When you\u2019re appointed as a guardian\n\nThe guardianship order will tell you when you can start to make decisions for the person and what kinds of decision you can make.\n\nThe order will also say how long you are guardian for.\n\nContact the High Court if there are mistakes on the order.\n\nYou\u2019ll need apply again to make a decision on anything that\u2019s not covered by the order.\n\n## Let people know you\u2019re a guardian\n\nThe court might give you the right to find out where the person has bank or building society accounts, if you do not know already. You\u2019ll need to write to banks and building societies to find out.\n\nIf the order mentions people or organisations, tell them that you\u2019re the guardian.\n\nSome examples are:\n\n- Department for Work and Pensions\n\n- banks or building societies\n\n- life assurance companies\n\n- the payer of any private pensions\n\n- the solicitor who holds the person\u2019s will or property deeds\n\n- utility providers\n\n- the company where the person has a mortgage\n\nSend:\n\n- the guardianship order\n\n- proof of your name and address\n\n- proof of the name and address of the person you are guardian for\n\nProof of name and address could be a driving licence or utility bill. Check with the organisation:\n\n- what proof of name and address they accept\n\n- whether they\u2019ll accept a photocopy of the guardianship order or only the original\n\nAsk organisations to return your guardianship order when you send it out or you may run out of copies.\n\n## Pay bills and cancel payments\n\nOnce you have access to the person\u2019s accounts and know where their income comes from and their assets, you can make a full list of what\u2019s in their estate so you know what you\u2019re responsible for. If the guardianship order gives you permission, pay any outstanding bills and cancel any payments if they no longer apply.\n\n## Make decisions\n\nThe Office of the Public Guardian will supervise you while you act as a guardian. You\u2019ll need to keep a record of the decisions you make.\n\nThe kinds of decision the guardianship order might let you make include:\n\n- making an investment for the person\n\n- selling some of the person\u2019s assets\n\n- cancelling direct debits\n\nAny decisions you make for someone must be right for them (\u2018in their best interests\u2019).\n\n## Making decisions in someone\u2019s best interests\n\nTake into account:\n\n- what they would have decided if they could\n\n- their feelings and wishes\n\n- their values and beliefs, including moral, political and religious views\n\n- the views of other people who have an interest in the missing person\u2019s property\n\nDo not make assumptions based on their age, gender, ethnic background, sexuality or health.\n\nIt can help to:\n\n- write down what the person has told you is important to them\n\n- look at other things they wrote down or recorded (such as household budgets or home videos)\n\n- speak to friends, family or colleagues who know them well\n\nYou\u2019ll need to send a report to the Office for the Public Guardian explaining what decisions you took.\n\n## Difficult decisions and disagreements\n\nConsult the person\u2019s family and friends. Including everyone in a meeting can help you reach agreement.\n\nIf you cannot agree you can get advice about how to reach agreement from the Office of the Public Guardian.\n\nYou must apply again to the High Court to make a decision not covered by the guardianship order.\n\n## Keeping records, giving gifts and claiming expenses\n\nYou must keep financial records and accounts. Follow the rules for gifts and expenses. You must also record the transactions in your guardianship report.\n\n## Keeping records\n\nKeep a record if you:\n\n- make an investment for the person\n\n- sell the person\u2019s home, car or other valuables\n\n- use the person\u2019s money to buy someone a gift\n\n- ask someone for advice and any disagreements\n\n- close an account\n\n- pay a bill\n\nYou must keep copies of:\n\n- bank statements and receipts\n\n- invoices\n\n- contracts for services or tradespeople\n\n- letters and emails about your activities as a guardian\n\nThe Office of the Public Guardian might ask you to send these in when it reviews your guardian report.\n\n## Giving gifts\n\nYour guardianship order will say if you can buy gifts or give gifts of money on behalf of the person, including donations to charities. It will also say if there\u2019s a limit on what you can spend.\n\nYou must be sure the person can afford the gift.\n\n## Expenses\n\nCheck your guardianship order to find out whether or not you can claim expenses. You can only claim expenses if the order gives you permission and for things you must do to carry out your role as a guardian, for example:\n\n- hiring a professional to do things like fill in the person\u2019s tax return\n\n- travel costs\n\n- stationery\n\n- postage\n\n- phone calls\n\nYou can be ordered to repay the person\u2019s money if you misuse it or make decisions to benefit yourself.\n\nKeep your receipts and invoice the person for your expenses.\n\n## Complete your report\n\nYou must write a report for the Office of the Public Guardian each year explaining the decisions you\u2019ve made as a guardian.\n\nIt must include:\n\n- the reasons for your decisions and why they were in the person\u2019s best interests\n\n- who you spoke to and what they said was in the person\u2019s best interests\n\n- the opening and closing balances and bank statements\n\n- payments and transfers in and out of their accounts\n\n- details of the person\u2019s assets\n\n- any assets you bought or sold\n\nThe Office of the Public Guardian will tell you when to send your report and how to send it.\n\nIf you do not send the report, the Office of the Public Guardian might:\n\n- increase the amount of supervision you get\n\n- ask the court to replace you with a different guardian\n\n## Make a decision that's not covered by the order\n\nYou must apply to the High Court if you need to change your guardianship, for example to make decisions not covered by the original order.\n\n## How to apply\n\nApply to the High Court to change the guardianship order.\n\nDownload and fill in form N244.\n\nInclude your case number and select that you are the \u2018claimant\u2019.\n\n## When the guardianship ends\n\nYour guardianship ends automatically if one of the following things happens:\n\n- your guardianship order expires\n\n- the person dies\n\n- someone makes a declaration of presumed death\n\n- you die\n\n## If the person returns or you decide to step down\n\nYou\u2019ll need to apply to the High Court to end (\u2018revoke\u2019) the guardianship order.\n\nDownload and fill in form N244.\n\nInclude your case number and select that you are the \u2018claimant\u2019.\n\nExplain in the details section that you want to revoke the guardianship because the missing person has returned or you\u2019ve decided to step down.\n\n## Renew your guardianship\n\nThe guardianship order will make you a guardian for a maximum of 4 years.\n\nYou can apply for another guardianship order when it expires. The process is the same as applying for guardianship.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/manage-missing-persons-finances", + "answerable": true, + "scenario": "I set up a car-washing business with a friend ten years ago. The business has expanded and is doing well. My friend has been missing for six months, and I have no contact with him.", + "original_question": "Can I apply to manage my missing business partner's finances in order to continue to run our business?" + }, + { + "id": "train-33", + "question": "Scenario: Me and my husband are both secondary school teachers. We are looking to adopt our first child this year however we will need time off during school days.\n\nQuestion: Can we take both paid time off during school hours?\n\nDocument - Adoption pay and leave:\n## Overview\n\nWhen you take time off to adopt a child or have a child through a surrogacy arrangement you might be eligible for:\n\n- Statutory Adoption Leave\n\n- Statutory Adoption Pay\n\nThere are rules on when and how to claim your paid leave and if you want to change your dates.\n\nYou may also be eligible to take Shared Parental Leave and Pay.\n\n## Your employment rights when on leave\n\nYour employment rights are protected while on Statutory Adoption Leave. This includes your right to:\n\n- pay rises\n\n- build up (accrue) holiday\n\n- return to work\n\n## Leave\n\nStatutory Adoption Leave is 52 weeks. It\u2019s made up of:\n\n- 26 weeks of Ordinary Adoption Leave\n\n- 26 weeks of Additional Adoption Leave\n\nOnly 1 person in a couple can take adoption leave. The other partner could get paternity leave instead.\n\nIf you get adoption leave, you can also get paid time off work to attend 5 adoption appointments after you\u2019ve been matched with a child.\n\nUse the planner to work out the dates for your adoption leave.\n\n## Start date\n\nAdoption leave can start:\n\n- up to 14 days before the date the child starts living with you (UK adoptions)\n\n- when the child arrives in the UK or within 28 days of this date (overseas adoptions)\n\n- the day the child\u2019s born or the day after (if you\u2019ve used a surrogate to have a child)\n\n## Change your dates\n\nYou must tell your employer within 28 days if the date of placement (or UK arrival date for overseas adoptions) changes.\n\nYou must give your employer at least 8 weeks\u2019 notice if you want to change your return to work date.\n\n## Pay\n\nStatutory Adoption Pay is paid for up to 39 weeks. The weekly amount is:\n\n- 90% of your average weekly earnings for the first 6 weeks\n\n- \u00a3151.97 or 90% of your average weekly earnings (whichever is lower) for the next 33 weeks\n\nIt\u2019s paid in the same way as your wages (for example monthly or weekly). Tax and National Insurance will be deducted.\n\n## Extra pay\n\nYou may get more pay if your employer has a company adoption pay scheme. Your employer cannot offer you less than the statutory amount.\n\n## Start date\n\nStatutory Adoption Pay starts when you take your adoption leave.\n\n## Problems and disputes\n\nIf you disagree with the amount of Statutory Adoption Pay you get or your employer cannot pay it, for example because they\u2019re insolvent, contact the Statutory Payment Disputes Team.\n\n## Eligibility\n\nThere are different eligibility rules for leave and pay.\n\n## Adoption leave\n\nTo get Statutory Adoption Leave, you must:\n\n- be an employee\n\n- give the correct notice\n\n- give proof of the adoption or surrogacy, if your employer asks you for it\n\n## Leave if you\u2019re adopting a child from overseas\n\nYou must also sign form SC6 if you\u2019re adopting from overseas with a partner. This confirms you\u2019re not taking paternity leave or pay.\n\n## Adoption pay\n\nTo get Statutory Adoption Pay, you must:\n\n- have been continuously employed by your employer for at least 26 weeks by the week you were matched with a child\n\n- earn on average at least \u00a3120 a week (before tax)\n\n- give the correct notice\n\n- give proof of the adoption or surrogacy\n\nIf you usually earn an average of \u00a3120 or more a week, and you only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible.\n\n## Pay if you\u2019re adopting a child from overseas\n\nThe requirements are the same if you\u2019re adopting from overseas, except you must have been continuously employed by your employer for at least 26 weeks when you start getting adoption pay.\n\nYou must also sign form SC6 if you\u2019re adopting from overseas with a partner. This confirms you\u2019re not taking paternity leave or pay.\n\n## Pay if you\u2019re in a surrogacy arrangement\n\nThe requirements are the same if you\u2019re in a surrogacy arrangement, except you must have been continuously employed by your employer for at least 26 weeks by the 15th week before the baby\u2019s due.\n\nYou must also:\n\n- intend to apply for a parental order\n\n- expect the order to be granted (for example because you do not have any convictions involving children, and the birth mother or father agree to the arrangement)\n\nIf you\u2019re genetically related to the child (the egg or sperm donor), you can choose to get paternity leave and pay instead. You cannot get both.\n\n## You\u2019re fostering for adoption\n\nIf you\u2019re eligible for adoption pay and leave, you\u2019ll receive them from when the child comes to live with you.\n\n## Exceptions\n\nYou do not qualify for Statutory Adoption Leave or Pay if you:\n\n- arrange a private adoption\n\n- become a special guardian or kinship carer\n\n- adopt a stepchild\n\n- adopt a family member\n\n## If you\u2019re not eligible\n\nYour employer must give you form SAP1 explaining why you cannot get Statutory Adoption Pay.\n\nYou may get support from your local council instead, if you\u2019re adopting a child.\n\n## How to claim\n\nThe rules are slightly different if you\u2019re adopting from overseas or you\u2019re having a child through a surrogacy arrangement.\n\n## Statutory Adoption Leave\n\nWithin 7 days of being matched with a child you must tell your employer:\n\n- how much leave you want\n\n- your leave start date\n\n- the \u2018date of placement\u2019 - the date the child is placed with you\n\nYour employer can ask for this in writing and for proof of the adoption.\n\nYour employer must confirm your leave start and end dates within 28 days.\n\nUse the planner to work out when you must claim your adoption leave.\n\n## Statutory Adoption Pay\n\nTell your employer you want to stop work to adopt a child and when you want your Statutory Adoption Pay to start. You must give them at least 28 days\u2019 notice. They can ask for this in writing and for proof of the adoption.\n\nYour employer must confirm within 28 days how much Statutory Adoption Pay you\u2019ll get and when it will start and stop.\n\nIf they decide you\u2019re not eligible, they must give you form SAP1 within 7 days of making their decision and explain why.\n\n## Proof of adoption\n\nYou must give your employer proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless they request it.\n\nThe proof must show:\n\n- your name and address and that of the agency\n\n- the match date - for example the matching certificate\n\n- the date of placement - for example a letter from the agency\n\n- the relevant UK authority\u2019s \u2018official notification\u2019 confirming you\u2019re allowed to adopt (overseas adoptions only)\n\n- the date the child arrived in the UK - for example a plane ticket (overseas adoptions only)\n\n## Overseas adoptions\n\nTell your employer the date of your \u2018official notification\u2019 and when you expect the child to arrive in the UK. You must usually do this within 28 days of getting the notification.\n\nYou can only take longer if you\u2019ve worked for your employer for less than 26 weeks. Tell them within 28 days of the Sunday in your 26th week.\n\nYou must also tell them:\n\n- the actual date the child arrives in the UK - within 28 days of this date\n\n- how much leave you want and your start date - giving your employer 28 days\u2019 notice\n\n## Surrogacy arrangements\n\nIf you use a surrogate to have a baby, tell your employer the due date and when you want to start your leave at least 15 weeks before the expected week of birth. They may ask for this in writing.\n\nYour employer may also ask for a written statement (\u2018statutory declaration\u2019) to confirm you\u2019ve applied or will apply for a parental order in the 6 months after the child\u2019s birth. You must sign this in the presence of a legal professional.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/adoption-pay-leave", + "answerable": true, + "scenario": "Me and my husband are both secondary school teachers. We are looking to adopt our first child this year however we will need time off during school days.", + "original_question": "Can we take both paid time off during school hours?" + }, + { + "id": "train-34", + "question": "Scenario: My 9 year old daughter has recently been diagnosed with AML (leukemia), and is likely to require very intensive care over the next few months. We are both UK citizens and have lived in the UK for all of her life.\n\nQuestion: Can I claim Disability Living Allowance to offset the costs of her care and transportation costs?\n\nDocument - Disability Living Allowance (DLA) for children:\n## Overview\n\nDisability Living Allowance (DLA) for children may help with the extra costs of looking after a child who:\n\n- is under 16\n\n- has difficulties walking or needs much more looking after than a child of the same age who does not have a disability\n\nThey will need to meet all the eligibility requirements.\n\nThe DLA rate is between \u00a323.70 and \u00a3152.15 a week and depends on the level of help the child needs.\n\n## DLA rates for children\n\nDisability Living Allowance (DLA) for children is a tax-free benefit made up of 2 components (parts). The child might qualify for one or both components.\n\n## Care component\n\n| Care component | Weekly rate |\n\n| Lowest | \u00a323.70 |\n\n| Middle | \u00a360.00 |\n\n| Highest | \u00a389.60 |\n\n## Mobility component\n\n| Mobility component | Weekly rate |\n\n| Lower | \u00a323.70 |\n\n| Higher | \u00a362.55 |\n\n## How DLA for children is paid\n\nDLA is usually paid every 4 weeks on a Tuesday.\n\nIf your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Extra help\n\nYou might qualify for Carer\u2019s Allowance if you spend at least 35 hours a week caring for a child who gets the middle or highest care rate of DLA.\n\n## Eligibility\n\nUsually, to qualify for Disability Living Allowance (DLA) for children the child must:\n\n- be under 16 - anyone over 16 must apply for Personal Independence Payment (PIP)\n\n- need extra looking after or have walking dif\ufb01culties\n\n- be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces\n\n- have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old\n\n- be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands\n\n- not be subject to immigration control\n\nThe process is different in Northern Ireland.\n\nThere are some exceptions to these conditions if the child is living in or coming from an EEA country or Switzerland.\n\nYou can claim DLA for children if you\u2019re in or out of work.\n\n## Children under 3\n\nA child under 6 months must have lived in Great Britain for at least 13 weeks.\n\nA child aged between 6 months and 3 years must have lived in Great Britain for at least 26 of the last 156 weeks.\n\nThe rules on residence do not normally apply if a child is terminally ill.\n\n## The child\u2019s disability or health condition\n\nThe child\u2019s disability or health condition must mean at least one of the following apply:\n\n- they need much more looking after than a child of the same age who does not have a disability\n\n- they have difficulty getting about\n\nThey must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.\n\n## Care component\n\nThe rate the child gets depends on the level of looking after they need, for example:\n\n- lowest rate - help for some of the day\n\n- middle rate - frequent help or constant supervision during the day, supervision at night or someone to help while they\u2019re on dialysis\n\n- highest rate - help or supervision throughout both day and night, or they\u2019re terminally ill\n\n## Mobility component\n\nThe rate the child gets depends on the level of help they need getting about, for example:\n\n- lowest rate - they can walk but need help and or supervision when outdoors\n\n- highest rate - they cannot walk, can only walk a short distance without severe discomfort, could become very ill if they try to walk or they\u2019re blind or severely sight impaired\n\nThere are also age limits to receiving the mobility component:\n\n- lowest rate - the child must be 5 years or over\n\n- highest rate - the child must be 3 years or over\n\nIf your child is under these ages and you claim DLA for them, you should be sent a claim pack 6 months before they turn 3 and 6 months before they turn 5. You can then apply for the mobility component if you think they\u2019re eligible for it.\n\nIf you have not received any claim packs and you think your child may be entitled to the mobility component, contact the Disability Service Centre.\n\n## Change of circumstances\n\nContact the Disability Service Centre as soon as the child\u2019s circumstances change. This can affect how much they get, for example if their disability gets worse or they go abroad for medical treatment.\n\nTheir DLA will not usually be affected if they go:\n\n- into a local authority care home for less than 28 days\n\n- into a hospital\n\n- abroad for less than 13 weeks\n\n- abroad for less than 26 weeks to get medical treatment for a condition which began before they left\n\n## How to claim\n\nTo claim DLA for a child you need to be their parent or look after them as if you\u2019re their parent. This includes step-parents, guardians, grandparents, foster-parents or older brothers or sisters.\n\nTo apply you can either:\n\n- print off and fill in the DLA claim form\n\n- phone the Disability Living Allowance helpline and ask for a printed form\n\nThe process is different in Northern Ireland.\n\n## Alternative formats\n\nCall the Disability Living Allowance helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## When you\u2019ll be paid\n\nDLA can be paid from the start of your claim. It cannot be backdated. Your claim will start on the date the form is received or the date you call the enquiry line (if you return the claim pack within 6 weeks).\n\nYou\u2019ll usually get a decision letter about 8 weeks (40 working days) after your form is received. The letter will tell you when you\u2019ll get your first payment.\n\n## If the child is terminally ill\n\nThere are special rules if the child is not expected to live more than 6 months, so they can get DLA more quickly.\n\nPhone the Disability Living Allowance helpline to start your claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to the Department for Work and Pensions (DWP).\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## When your child turns 16\n\nYour child will need to apply for Personal Independence Payment (PIP) when they turn 16.\n\n## When they apply for PIP\n\nYour child will get a letter inviting them to apply for PIP. The letter will be sent:\n\n- shortly after their 16th birthday\n\n- when they leave hospital, if they were in hospital on their 16th birthday\n\n- about 20 weeks before their DLA award ends, if they were awarded DLA under the rules for people who are terminally ill\n\nYour child\u2019s DLA payments will stop unless they apply for PIP by the date given in the letter.\n\nIf they apply by the date given in the letter, they\u2019ll continue to receive DLA until their claim is assessed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/disability-living-allowance-children", + "answerable": true, + "scenario": "My 9 year old daughter has recently been diagnosed with AML (leukemia), and is likely to require very intensive care over the next few months. We are both UK citizens and have lived in the UK for all of her life.", + "original_question": "Can I claim Disability Living Allowance to offset the costs of her care and transportation costs?" + }, + { + "id": "train-38", + "question": "Scenario: I served with the Royal Engineers during the war in Afghanistan from 2012-13, and now believe I have recently begun to experience traumatic flashbacks.\n\nQuestion: Can I claim for Post-Traumatic Stress, given the lateness of the onset of this?\n\nDocument - Claim if you were injured while serving in the armed forces:\n## Overview\n\nYou can claim compensation if you were injured or got an illness while serving in the armed forces (including the reserve forces).\n\nCompensation may include:\n\n- a lump sum\n\n- regular payments\n\n## What you can claim for\n\nYou can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.\n\nYou can also claim:\n\n- if you were injured during a service-related activity, eg a training exercise\n\n- for conditions you had before service if you feel your service made them worse\n\n## If you\u2019re a victim of crime while serving abroad\n\nFind out if you qualify for the Criminal Injuries Compensation (Overseas) scheme if you were the victim of a violent crime while serving abroad.\n\n## What you'll get\n\nThe compensation you get depends on either:\n\n- when you were injured\n\n- when the circumstances happened that caused your illness\n\nWhat you get might be reduced if you\u2019re getting compensation from another scheme.\n\n## If your injury or illness is due to service after 5 April 2005\n\nIf your claim is successful, you\u2019ll get a tax-free lump sum payment between \u00a31,236 and \u00a3650,000. The amount you get will depend on how severe your injury is.\n\n## If you have a more serious illness or injury\n\nYou may also receive a tax-free monthly payment for life when you\u2019re discharged - sometimes known as a Guaranteed Income Payment (GIP).\n\nThe GIP is based on your salary, age and how severe your injury is.\n\nIf your GIP payment level is 50% of your salary or more, you can also claim an Armed Forces Independence Payment (AFIP).\n\n## If your injury or illness is due to service before 6 April 2005\n\nIf your claim is successful, you\u2019ll be awarded either:\n\n- a pension - if your disability is assessed at 20% or more\n\n- a lump sum - if your disability is assessed at less than 20%\n\nThe amount you get will depend on how severe your injury is.\n\nYou might also be able to get other allowances if you\u2019re having problems getting around or finding a job.\n\n## Eligibility\n\nThe rules for qualifying are different depending on when you were injured.\n\n## If your injury or illness is due to service after 5 April 2005\n\nClaim under the Armed Forces Compensation Scheme (AFCS).\n\nTo qualify you must be:\n\n- a current or former member of the armed forces\n\n- applying no later than 7 years after the injury or illness, unless you\u2019re claiming for an illness that started later (sometimes known as a \u2018late onset illness\u2019)\n\n## If your injury or illness is due to service before 6 April 2005\n\nClaim under the War Pension Scheme (WPS).\n\nThere are no time limits for claiming under the WPS but you must be no longer serving in the armed forces.\n\n## How to claim\n\nFill in the claim form and send it to the address on the form.\n\nIt\u2019s the same claim form for the Armed Forces Compensation Scheme (AFCS) and War Pension Scheme (WPS).\n\nYou can ask the Veterans Welfare Service (VWS) for help with making your claim.\n\nYou may be contacted for more evidence in support of your claim.\n\nYou may be able to apply for a \u2018fast payment\u2019 of \u00a360,000 if you were seriously injured during service after 8 May 2011.\n\n## If you disagree with the decision on your claim\n\nYou can write to Veterans UK to ask them reconsider their decision.\n\nYou can also appeal to an independent tribunal within 12 months.\n\n## Additional payments\n\nYou can apply for a Personal Independence Payment (PIP) while your compensation claim is being dealt with.\n\nYou might also be able to get:\n\n- other allowances if your injury or illness is due to service before 6 April 2005\n\n- an Armed Forces Independence Payment (AFIP) if you were seriously injured on or after 6 April 2005\n\n## Armed Forces Independence Payment (AFIP)\n\nOnce you\u2019ve had the result of your compensation claim, you might be able to claim AFIP if you\u2019ve been seriously injured.\n\nAFIP is \u00a3151.40 per week. It\u2019s tax free and is paid every 4 weeks into your bank account.\n\n## Eligibility\n\nYou\u2019re eligible if both of the following apply:\n\n- you were injured on or after 6 April 2005\n\n- you\u2019re given a Guaranteed Income Payment (GIP) of 50% or more\n\nYou\u2019ll get the payment as long as you\u2019re entitled to this level of GIP. You won\u2019t be reassessed in the future.\n\nIf you\u2019re not eligible for AFIP, you can get a PIP if you have a long-term health condition or disability.\n\n## How to claim\n\nContact Veterans UK for a claim form. There\u2019s no deadline.\n\n## Claiming other benefits with AFIP\n\nIf you get AFIP you might be eligible for other benefits, eg Child Tax Credit.\n\nAFIP is not counted as income when working out your what other benefits you can claim.\n\nYour household is exempt from the benefit cap if you or your partner are getting AFIP.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "answerable": true, + "scenario": "I served with the Royal Engineers during the war in Afghanistan from 2012-13, and now believe I have recently begun to experience traumatic flashbacks.", + "original_question": "Can I claim for Post-Traumatic Stress, given the lateness of the onset of this?" + }, + { + "id": "train-42", + "question": "Scenario: I am 28, and have a 30 year old brother who has recently developed paranoid schizophrenia, resulting in him being sectioned under the Mental Health Act. I have a UK bank account.\n\nQuestion: Can I be appointed to handle my brother's existing tax credit claims?\n\nDocument - Claiming and dealing with tax credits for someone else:\n## Overview\n\nYou can get permission to deal with someone else\u2019s tax credits. The type of permission you need depends on what you want to do.\n\nYou can:\n\n- contact HM Revenue and Customs (HMRC) about someone else\u2019s claim - as an authorised intermediary\n\n- take responsibility for someone else\u2019s tax credit claim when they cannot manage their own affairs - as an appointee\n\n- claim tax credits for both your child and their baby\n\n## Authorisation\n\nYou must be authorised to talk to HM Revenue and Customs (HMRC) about someone else\u2019s tax credits. If you\u2019re not, every time you call that person must first confirm their identity and say they\u2019re happy for you to act for them.\n\n## Get authorised\n\nSend form TC689 to HMRC. This must be signed by the person (or persons if it\u2019s a joint claim) you\u2019re representing.\n\nThe authorisation lasts 12 months unless a different end date is put on the form. It usually takes 2 days to get authorised from when your form is received but can take longer if you send a letter instead of form TC689. Usually, you will not get a letter confirming your authorisation.\n\nMore than one person can be authorised but each one must send a TC689 form.\n\nTax credits will not be paid into your account unless you\u2019re the appointee.\n\n## If you act for a lot of clients\n\nWrite to HMRC to register as an \u2018intermediary organisation\u2019 if you work in the voluntary sector and act for many people.\n\nYou can get urgent authorisation online if you\u2019re an intermediary organisation and you have a completed TC689.\n\nUse form 64-8 to get authorisation if you\u2019re a paid agent. You can then use the Agent Priority Line to contact HMRC.\n\n## Cancel an authorisation\n\nAn authorisation can be cancelled by writing to HMRC.\n\n## Appointees\n\nYou can apply for the right to deal with the tax credits of someone who cannot manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.\n\nThis is called becoming an \u2018appointee\u2019.\n\nYou\u2019re not an appointee if you just help someone complete their claim form.\n\n## Applying to become a tax credit appointee\n\nYou must be over 18 and have a bank account. You do not have to be a relative.\n\nIf you have a tax credit claim form, complete the appointee section explaining why the person cannot complete and sign their form. Then send the form to HM Revenue and Customs (HMRC). They may contact you for more information before deciding whether to make you an appointee or not.\n\nIf you do not have a claim form, contact HMRC.\n\n## Your responsibilities\n\nYou must:\n\n- sign the tax credit claim form\n\n- renew the tax credits claim\n\n- report any changes which affect how much money the person gets\n\n- tell HMRC if you\u2019re no longer the appointee\n\nAny tax credits the person gets are paid directly into your bank account. If you make a false or misleading statement you may be charged a penalty.\n\nThe claimant is responsible for paying back overpayments. Their tax credits may be reduced or you may be asked to make a direct payment on their behalf.\n\n## Stop being an appointee\n\nWrite to HMRC within 1 month of when you want to stop being the appointee.\n\n## Claim on behalf of your child\n\n## Your child is under 16\n\nIf your child has a baby, you can make the claim for both of them if they live with you. The money will be paid to you.\n\n## Your child is over 16\n\nYour child can make the claim themselves if they\u2019re over 16 and have a baby.\n\nYou can make the claim for them if both the following apply:\n\n- your child and their baby live with you\n\n- your child is in approved education or training\n\nYou must stop claiming tax credits for your child if they start claiming tax credits for themselves. Phone HM Revenue and Customs (HMRC) to stop claiming tax credits.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/getting-help-with-your-tax-credits-claim", + "answerable": true, + "scenario": "I am 28, and have a 30 year old brother who has recently developed paranoid schizophrenia, resulting in him being sectioned under the Mental Health Act. I have a UK bank account.", + "original_question": "Can I be appointed to handle my brother's existing tax credit claims?" + }, + { + "id": "train-43", + "question": "Scenario: I am having a baby with my partner in 3 months and we both work full-time. I would like to share my parental leave with my partner when the baby is born. I will have parental responsibility for the new baby.\n\nQuestion: Can I take shared parental leave at the same time as my partner?\n\nDocument - Shared Parental Leave and Pay:\n## How it works\n\nYou and your partner may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if you\u2019re:\n\n- having a baby\n\n- using a surrogate to have a baby\n\n- adopting a child\n\nYou can share up to 50 weeks of leave and up to 37 weeks of pay between you.\n\nYou need to share the pay and leave in the first year after your child is born or placed with your family.\n\nYou can use SPL to take leave in blocks separated by periods of work, or take it all in one go. You can also choose to be off work together or to stagger the leave and pay.\n\nTo get SPL and ShPP, you and your partner need to:\n\n- meet the eligibility criteria - there\u2019s different criteria for birth parents and criteria for adoptive parents or parents using a surrogate\n\n- give notice to your employers\n\n## Eligibility for birth parents\n\nTo be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both parents must:\n\n- share responsibility for the child at birth\n\n- meet work and pay criteria - these are different depending on which parent wants to use the shared parental leave and pay\n\nYou\u2019re not eligible if you started sharing responsibility for the child after it was born.\n\nThe eligibility criteria are different if you\u2019re adoptive parents or parents using a surrogate.\n\nYou can check if you can get SPL and ShPP. You\u2019ll need to know:\n\n- your child\u2019s due date or birth date\n\n- your and your partner\u2019s employment status and earnings\n\n- if you and your partner can get Statutory Maternity Pay or Statutory Paternity Pay\n\n## If both parents want to share the SPL and ShPP\n\nTo be eligible for SPL and ShPP, you and your partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until you start your SPL\n\nTo be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.\n\nTo be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.\n\n## If the mother\u2019s partner wants to take the SPL and ShPP\n\nFor the mother\u2019s partner to take SPL and ShPP, both the mother and the mother\u2019s partner must meet some eligibility requirements.\n\nThe mother must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total across any 13 of the 66 weeks\n\nThe mother\u2019s partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, the partner must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the partner is a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, the partner must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## If the mother wants to take the SPL and ShPP\n\nFor the mother to take SPL and ShPP, both the mother\u2019s partner and the mother must meet some eligibility criteria.\n\nThe mother\u2019s partner must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)\n\nThe mother must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, the mother must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the mother is a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, the mother must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## Eligibility for adopters or parents using a surrogate\n\nTo be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both adoptive parents or both parents using a surrogate must:\n\n- share responsibility for the child on the child\u2019s due date or birth date if you\u2019re using a surrogate, or the date they\u2019re placed with you if you\u2019re adopting\n\n- meet the work and earnings criteria - these are different depending on which one of you wants to use the shared parental leave and pay\n\nThe eligibility criteria are different if you\u2019re birth parents.\n\nYou can check if you can get SPL and ShPP. You\u2019ll need to know:\n\n- your child\u2019s due date or birth date if you\u2019re using a surrogate, or the match date if you\u2019re adopting\n\n- your and your partner\u2019s employment status and earnings\n\n- if you and your partner can get Statutory Adoption Pay or Statutory Paternity Pay\n\n## If both parents want to share the SPL and ShPP\n\nTo be eligible for SPL and ShPP, you and your partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family\n\n- stay with the same employer until you start your SPL\n\nTo be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.\n\nTo be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.\n\n## If only one of the parents wants to take the SPL and ShPP\n\nBoth parents must meet some eligibility criteria.\n\nThe parent who wants to take the leave and pay must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, they must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If they are a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, they must earn on average at least \u00a3120 each a week.\n\nThe other parent must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the child was placed with you (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)\n\nIf either parent earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## What you'll get\n\nIf you\u2019re eligible and you or your partner end maternity or adoption leave and pay (or Maternity Allowance) early, then you can:\n\n- take the rest of the 52 weeks of maternity or adoption leave as Shared Parental Leave (SPL)\n\n- take the rest of the 39 weeks of maternity or adoption pay (or Maternity Allowance) as Statutory Shared Parental Pay (ShPP)\n\nYou can check when you and your partner can take your leave and how much statutory pay you\u2019ll get using the Shared Parental Leave and Pay planning tool.\n\n## How much pay you\u2019ll get\n\nShPP is paid at the rate of \u00a3151.97 a week or 90% of your average weekly earnings, whichever is lower.\n\nThis is the same as Statutory Maternity Pay (SMP) except that during the first 6 weeks SMP is paid at 90% of whatever you earn (with no maximum).\n\n## When you can start\n\nYou can only start Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) once the child has been born or placed for adoption.\n\nYou can check when you and your partner can start your leave using the Shared Parental Leave and Pay planning tool.\n\n## For SPL to start\n\nThe mother (or the person getting adoption leave) must either:\n\n- return to work, which ends any maternity or adoption leave\n\n- give their employer \u2018binding notice\u2019 of the date when they plan to end their leave (you cannot normally change the date you give in binding notice)\n\nYou can start SPL while your partner is still on maternity or adoption leave as long as they\u2019ve given binding notice to end it.\n\nYou can give binding notice and say when you plan to take your SPL at the same time.\n\nA mother cannot return to work before the end of the compulsory 2 weeks of maternity leave following the birth (4 weeks if they work in a factory). If you\u2019re adopting, the person claiming adoption pay must take at least 2 weeks of adoption leave.\n\n## If the mother or adopter does not get maternity or adoption leave\n\nThe mother or adopter must end any maternity pay, adoption pay or Maternity Allowance so that they or their partner can get SPL.\n\n## For ShPP to start\n\nThe mother (or the person getting adoption pay) must give their employer binding notice of the date when they plan to end any maternity or adoption pay.\n\nIf they get Maternity Allowance, they must give notice to Jobcentre Plus instead.\n\nThey cannot restart maternity pay, Maternity Allowance or adoption pay once it\u2019s ended.\n\nYou can start ShPP while your partner is still on maternity pay, adoption pay or Maternity Allowance as long as they\u2019ve given binding notice to end it.\n\nYou can give binding notice and say when you plan to take your ShPP at the same time.\n\n## Change the decision to end maternity or adoption leave\n\nThe mother or adopter may be able to change their decision to end maternity or adoption leave early. They must let their employer know.\n\nThey can only change the decision if both:\n\n- the planned end date has not passed\n\n- they have not already returned to work\n\nOne of the following must also apply:\n\n- you find out during the 8-week notice period that neither of you is eligible for SPL or ShPP\n\n- the mother or adopter\u2019s partner has died\n\n- the mother tells their employer less than 6 weeks after the birth (and they gave their employer notice before the birth)\n\n## Booking blocks of leave\n\nYou can book up to 3 separate blocks of Shared Parental Leave (SPL) instead of taking it all in one go, even if you are not sharing the leave with your partner.\n\nIf your partner is also eligible for SPL, you can take up to 3 blocks of leave each. You can take leave at different times or both at the same time.\n\nYou must tell your employer about your plans for leave when you apply for SPL. You can change these plans later but you must give your employer at least 8 weeks\u2019 notice before you want to begin a block of leave.\n\nYou can check when you and your partner can take your leave using the Shared Parental Leave and Pay planning tool.\n\n## Splitting blocks of leave\n\nIf your employer agrees, you can split blocks into shorter periods of at least a week.\n\n## Shared Parental Leave in touch (SPLIT) days\n\nYou and your partner can each work up to 20 days while you\u2019re taking SPL. These are called \u2018Shared Parental Leave in touch\u2019 (or SPLIT) days.\n\nThese days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days available to those on maternity or adoption leave.\n\nKIT and SPLIT days are optional - both you and your employer must agree to them.\n\n## Applying for leave and pay\n\nTo get Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) you must:\n\n- follow the rules for starting SPL and ShPP\n\n- give your employer at least 8 weeks\u2019 written notice of your leave dates\n\nIf the mother (or person taking adoption leave) plans to take SPL or ShPP, they must apply to their employer.\n\nIf the partner plans to take SPL or ShPP, both the partner and the mother (or person taking adoption leave) must apply to their employers.\n\nYou can use Shared Parental Leave forms and templates created by Acas to:\n\n- give your employer notice that you plan to take SPL and ShPP\n\n- give your employer notice of when the mother or adopter is going to end their maternity or adoption leave, and when they\u2019ll stop getting maternity or adoption pay\n\n- book your leave dates\n\nIf your employer has their own forms you can use those instead.\n\nYou can change your mind later about how much SPL or ShPP you plan to take and when you want to take it. You must give notice of any changes at least 8 weeks before the start of any leave.\n\nYou might not get SPL or ShPP if you do not include all the required information.\n\n## Giving more information\n\nYour employer can ask you for more information within 14 days of you applying for SPL or ShPP. They can ask for:\n\n- a copy of the birth certificate\n\n- a declaration of the place and date of birth (if the birth has not been registered yet)\n\n- the name and address of your partner\u2019s employer or a declaration that your partner has no employer\n\nIf you\u2019re adopting, your employer can ask for the:\n\n- name and address of the adoption agency\n\n- date you were matched with the child\n\n- date the child will start to live with you\n\n- name and address of your partner\u2019s employer or a declaration that your partner has no employer\n\nYou must give this information within 14 days of being asked for it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/shared-parental-leave-and-pay", + "answerable": true, + "scenario": "I am having a baby with my partner in 3 months and we both work full-time. I would like to share my parental leave with my partner when the baby is born. I will have parental responsibility for the new baby.", + "original_question": "Can I take shared parental leave at the same time as my partner?" + }, + { + "id": "train-44", + "question": "Scenario: I am 52 and live in England, and five years ago my father disappeared whilst on a holiday abroad. His civil partner had him declared legally dead two years later. I have, however, uncovered evidence that he may still be alive, and wish to have the certificate of presumed death revoked.\n\nQuestion: Do I need to send a copy of my claim to my father's civil partner?\n\nDocument - Change or cancel a presumption of death certificate:\n## Overview\n\nYou can make a claim to cancel (\u2018revoke\u2019) or change (\u2018vary\u2019) the details of a declaration of presumed death from the High Court if you can prove the missing person:\n\n- is still alive\n\n- died at a time earlier or later than the time of death in the original declaration\n\nYou can also make a claim if you can prove there are other circumstances that mean the declaration of presumed death should be cancelled or changed.\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Fees\n\nIt costs \u00a3480 to change or cancel a declaration of presumed death. Read the fees leaflet to find out when you might not have to pay.\n\n## Make a claim for a declaration of presumed death\n\nYou can make a claim yourself or use a legal representative.\n\n- Make your claim.\n\n- Advertise your claim in a newspaper.\n\n- Attend a hearing.\n\n## Make a claim\n\nDownload and fill in claim form N208.\n\nYou\u2019re known as the \u2018claimant\u2019 if you\u2019re making the claim.\n\nRead the guidance on filling in form N208. Include all the information asked for in \u2018claim for variation order\u2019 in your application.\n\nSend the claim to a court that can hear High Court cases.\n\nYou should include:\n\n- N208 form - one copy for each person named in the form plus a copy for the court\n\n- the claim fee of \u00a3480 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019\n\nThe court will stamp your form with an issue date and keep one copy of your N208 form. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.\n\n## Send copies of your claim to other people\n\nSend a copy of form N208 with an acknowledgment of service form within 7 days of the issue date the court has put on the form to:\n\n- the person who made the original claim\n\n- the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive, send it to the missing person\u2019s nearest relative\n\n- any other person or organisation who might have an interest, eg an insurance company\n\nYou must advertise your claim in a newspaper within 7 days.\n\n## Advertise your claim in a newspaper\n\nYou must advertise your claim in a newspaper local to the missing person\u2019s last known address.\n\nPlace the advert within 7 days of the issue date stamped on the claim form.\n\n## Use standard text for the advert\n\nUse the following text. You\u2019ll need to delete some words and replace others in the square brackets with the right details.\n\n## Standard text\n\n\u201cIn the High Court of Justice [Chancery] [Family] Division\n\nCase number [insert case number]\n\nIn the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].\n\nA claim has been issued in the High Court of Justice, for a variation of a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.\n\nIf you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.\n\n(If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d\n\nYou\u2019re known as the \u2018claimant\u2019 if you\u2019re making the claim.\n\n## Send a copy to the court\n\nSend the court a copy of the newspaper page showing the advertisement. It must arrive at least 5 days before your court hearing.\n\n## Attend a hearing\n\nYou\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.\n\nBring any relevant documents.\n\nYour claim may be challenged by someone who\u2019s received a copy of the claim form or seen the advert.\n\nAt the hearing you might:\n\n- be asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need\n\n- be told there has to be another hearing - there may be several hearings before a decision is made\n\nIf the court agrees with your application, you\u2019ll get the order changed or cancelled at the hearing or by letter later.\n\n## Get a certificate of presumed death\n\nApply to the General Register Office for a certificate of presumed death.\n\nYou can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.\n\nYou can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.\n\nThe certificate can be used like a normal death certificate, eg to deal with a missing person\u2019s estate.\n\nIt costs \u00a39.25.\n\nThe certificate will state when the missing person is presumed to have died.\n\nCall the General Register Office to get a certificate.\n\n## Appeal a decision\n\nCall or write to the Civil Appeals Office to appeal against the High Court\u2019s decision.\n\n## Make a complaint\n\nUse the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.\n\nYou cannot complain about the decision.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/change-cancel-presumption-death-certificate", + "answerable": true, + "scenario": "I am 52 and live in England, and five years ago my father disappeared whilst on a holiday abroad. His civil partner had him declared legally dead two years later. I have, however, uncovered evidence that he may still be alive, and wish to have the certificate of presumed death revoked.", + "original_question": "Do I need to send a copy of my claim to my father's civil partner?" + }, + { + "id": "train-45", + "question": "Scenario: I am a living person who wants to make a will so that I can leave a bequest to a charity and also leave some of my possessions to my dependants.\n\nQuestion: I want to make a will, do I need legal advice?\n\nDocument - Making a will:\n## Overview\n\nYour will lets you decide what happens to your money, property and possessions after your death.\n\nIf you make a will you can also make sure you do not pay more Inheritance Tax than you need to.\n\nYou can write your will yourself, but you should get advice if your will is not straightforward.\n\nYou need to get your will formally witnessed and signed to make it legally valid.\n\nIf you want to update your will, you need to make an official alteration (called a \u2018codicil\u2019) or make a new will.\n\nIf you die without a will, the law decides who gets what.\n\n## Write your will\n\nYour will should set out:\n\n- who you want to benefit from your will\n\n- who should look after any children under 18\n\n- who is going to sort out your estate and carry out your wishes after your death (your executor)\n\n- what happens if the people you want to benefit die before you\n\nYou can also include a charity in your will.\n\n## When you need legal advice\n\nYou can get advice from a professional if your will is not straightforward, for example:\n\n- you share a property with someone who is not your husband, wife or civil partner\n\n- you want to leave money or property to a dependant who cannot care for themselves\n\n- you have several family members who may make a claim on your will, such as a second spouse or children from another marriage\n\n- your permanent home is outside the UK\n\n- you have property overseas\n\n- you have a business\n\n## Keep your will safe\n\nYou can keep your will at your home or store it with:\n\n- your solicitor\n\n- your bank\n\n- a company that offers the storage of wills - you can search online\n\n- the London Probate Service\n\nRead full guidance on storing your will with the Probate\nService.\n\nYou should tell your executor (the person you\u2019ve chosen to carry out your will), a close friend or relative where your will is.\n\n## Make sure your will is legal\n\nFor your will to be legally valid, you must:\n\n- be 18 or over\n\n- make it voluntarily\n\n- be of sound mind\n\n- make it in writing\n\n- sign it in the presence of 2 witnesses who are both over 18\n\n- have it signed by your 2 witnesses, in your presence\n\nSigning can be witnessed both in person and remotely (for example by video conferencing). In both cases:\n\n- you must have a clear view of the person and the act of signing\n\n- the will maker (or person authorised to sign on their behalf) and witnesses must sign the same document\n\nYou can only sign remotely in England or Wales.\n\nIf you make any changes to your will you must follow the same signing and witnessing process.\n\nYou cannot leave your witnesses (or their married partners) anything in your will.\n\n## Update your will\n\nYou should review your will every 5 years and after any major change in your life, for example:\n\n- getting separated or divorced\n\n- getting married (this cancels any will you made before)\n\n- having a child\n\n- moving house\n\n- if the executor named in the will dies\n\n## Making changes to your will\n\nYou cannot amend your will after it\u2019s been signed and witnessed. The only way you can change a will is by making an official alteration called a codicil.\n\nYou must sign a codicil and get it witnessed in the same way as witnessing a will.\n\nThere\u2019s no limit on how many codicils you can add to a will.\n\n## Making a new will\n\nFor major changes you should make a new will.\n\nYour new will should explain that it revokes (officially cancels) all previous wills and codicils. You should destroy your old will by burning it or tearing it up.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/make-will", + "answerable": true, + "scenario": "I am a living person who wants to make a will so that I can leave a bequest to a charity and also leave some of my possessions to my dependants.", + "original_question": "I want to make a will, do I need legal advice?" + }, + { + "id": "train-46", + "question": "Scenario: I am disabled and recently rented a property but does not have the required ramp access. Also I intend to live here for at least three years\n\nQuestion: Can I apply for Disabled Facilities Grants given I am planning to live for 3 years ?\n\nDocument - Disabled Facilities Grants:\n## Overview\n\nYou could get a grant from your council if you\u2019re disabled and need to make changes to your home, for example to:\n\n- widen doors and install ramps\n\n- improve access to rooms and facilities - eg stairlifts or a downstairs bathroom\n\n- provide a heating system suitable for your needs\n\n- adapt heating or lighting controls to make them easier to use\n\nA Disabled Facilities Grant won\u2019t affect any benefits you get.\n\n## What you'll get\n\nHow much you get depends on your:\n\n- household income\n\n- household savings over \u00a36,000\n\n| Country | Grant |\n\n| England | Up to \u00a330,000 |\n\n| Wales | Up to \u00a336,000 |\n\n| Northern Ireland | Up to \u00a325,000 |\n\n| Scotland | Disabled Facilities Grants are not available - find out about support for equipment and adaptations |\n\nDepending on your income, you may need to pay towards the cost of the work to the property.\n\nDisabled children under 18 can get a grant without their parents\u2019 income being taken into account. Contact your local council for more information.\n\nYou might not get any grant if you start work on your property before the council approves your application.\n\n## How you\u2019ll be paid\n\nYou\u2019ll be paid either:\n\n- in instalments - as the work progresses\n\n- in full - when the work is finished\n\nThe council may pay the contractor directly or give you a cheque to pass on to them. They\u2019ll agree this with you when they approve your application.\n\n## When you\u2019ll be paid\n\nYou\u2019ll be paid either:\n\n- when the council is happy with the finished work\n\n- when you give the council the invoice, demand or receipt for payment from the contractor\n\nNormally, if you (or a relative) does the work the council will only accept invoices for materials or services you\u2019ve bought.\n\n## Eligibility\n\nYou or someone living in your property must be disabled. Either you or the person you\u2019re applying for must:\n\n- own the property or be a tenant\n\n- intend to live in the property during the grant period (which is currently 5 years)\n\nYou can also apply for a grant if you\u2019re a landlord and have a disabled tenant.\n\nThe council needs to be happy that the work is:\n\n- necessary and appropriate to meet the disabled person\u2019s needs\n\n- reasonable and can be done - depending on the age and condition of the property\n\nYou might not get any grant if you start work on your property before the council approves your application.\n\n## Planning and building regulations approval\n\nYou need to apply separately for any planning permission or building regulations approval.\n\nThe council may ask you to employ a qualified architect or surveyor to plan and oversee the work. If you get a grant, you can use it towards the cost of their fees.\n\n## How to apply\n\nApply through your local council.\n\nThe council may send an occupational therapist round to see you. They\u2019ll check your circumstances and see what changes you need.\n\n## Appeals\n\nYou can appeal to your council if you\u2019re unhappy with their decision.\n\nIf you appeal and you\u2019re still not happy, you can complain to the Local Government Ombudsman.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/disabled-facilities-grants", + "answerable": true, + "scenario": "I am disabled and recently rented a property but does not have the required ramp access. Also I intend to live here for at least three years", + "original_question": "Can I apply for Disabled Facilities Grants given I am planning to live for 3 years ?" + }, + { + "id": "train-49", + "question": "Scenario: My father died recently, leaving his \u00a3400,000 home to me in his will. He also gave gifts of approximately \u00a3250,000 total value to myself and my two siblings over the preceding three years.\n\nQuestion: Will I/we have to pay inheritance tax on either the property or the gifts?\n\nDocument - Inheritance Tax:\n## Overview\n\nInheritance Tax is a tax on the estate (the property, money and possessions) of someone who\u2019s died.\n\nThere\u2019s normally no Inheritance Tax to pay if either:\n\n- the value of your estate is below the \u00a3325,000 threshold\n\n- you leave everything above the \u00a3325,000 threshold to your spouse, civil partner, a charity or a community amateur sports club\n\nIf the estate\u2019s value is below the threshold you\u2019ll still need to report it to HMRC.\n\nIf you give away your home to your children (including adopted, foster or stepchildren) or grandchildren your threshold can increase to \u00a3500,000.\n\nIf you\u2019re married or in a civil partnership and your estate is worth less than your threshold, any unused threshold can be added to your partner\u2019s threshold when you die. This means their threshold can be as much as \u00a31 million.\n\n## Inheritance Tax rates\n\nThe standard Inheritance Tax rate is 40%. It\u2019s only charged on the part of your estate that\u2019s above the threshold.\n\nThe estate can pay Inheritance Tax at a reduced rate of 36% on some assets if you leave 10% or more of the \u2018net value\u2019 to charity in your will.\n\n## Reliefs and exemptions\n\nSome gifts you give while you\u2019re alive may be taxed after your death. Depending on when you gave the gift, \u2018taper relief\u2019 might mean the Inheritance Tax charged on the gift is less than 40%.\n\nOther reliefs, such as Business Relief, allow some assets to be passed on free of Inheritance Tax or with a reduced bill.\n\nContact the Inheritance Tax and probate helpline about Agricultural Relief if your estate includes a farm or woodland.\n\n## Who pays the tax to HMRC\n\nFunds from your estate are used to pay Inheritance Tax to HM Revenue and Customs (HMRC). This is done by the person dealing with the estate (called the \u2018executor\u2019, if there\u2019s a will).\n\nYour beneficiaries (the people who inherit your estate) do not normally pay tax on things they inherit. They may have related taxes to pay, for example if they get rental income from a house left to them in a will.\n\nPeople you give gifts to might have to pay Inheritance Tax, but only if you give away more than \u00a3325,000 and die within 7 years.\n\n## Passing on a home\n\nYou can pass a home to your husband, wife or civil partner when you die. There\u2019s no Inheritance Tax to pay if you do this.\n\nIf you leave the home to another person in your will, it counts towards the value of the estate.\n\nIf you own your home (or a share in it) your tax-free threshold can increase to \u00a3500,000 if:\n\n- you leave it to your children (including adopted, foster or stepchildren) or grandchildren\n\n- your estate is worth less than \u00a32 million\n\n## Giving away a home before you die\n\nThere\u2019s normally no Inheritance Tax to pay if you move out and live for another 7 years.\n\nIf you want to continue living in your property after giving it away, you\u2019ll need to:\n\n- pay rent to the new owner at the going rate (for similar local rental properties)\n\n- pay your share of the bills\n\n- live there for at least 7 years\n\nYou do not have to pay rent to the new owners if both the following apply:\n\n- you only give away part of your property\n\n- the new owners also live at the property\n\n## If you die within 7 years\n\nIf you die within 7 years of giving away all or part of your property, your home will be treated as a gift and the 7 year rule applies.\n\nCall the Inheritance Tax and probate helpline if you have questions about giving away a home. They cannot give you advice on how to pay less tax.\n\n## Gifts\n\nThere\u2019s usually no Inheritance Tax to pay on small gifts you make out of your normal income, such as Christmas or birthday presents. These are known as \u2018exempted gifts\u2019.\n\nThere\u2019s also no Inheritance Tax to pay on gifts between spouses or civil partners. You can give them as much as you like during your lifetime, as long as they live in the UK permanently.\n\nOther gifts count towards the value of your estate.\n\nPeople you give gifts to will be charged Inheritance Tax if you give away more than \u00a3325,000 in the 7 years before your death.\n\n## What counts as a gift\n\nA gift can be:\n\n- anything that has a value, such as money, property, possessions\n\n- a loss in value when something\u2019s transferred, for example if you sell your house to your child for less than it\u2019s worth, the difference in value counts as a gift\n\nCall the Inheritance Tax and probate helpline if you\u2019re not sure.\n\n## Exempted gifts\n\nYou can give away \u00a33,000 worth of gifts each tax year (6 April to 5 April) without them being added to the value of your estate. This is known as your \u2018annual exemption\u2019.\n\nYou can carry any unused annual exemption forward to the next year - but only for one year.\n\nEach tax year, you can also give away:\n\n- wedding or civil ceremony gifts of up to \u00a31,000 per person (\u00a32,500 for a grandchild or great-grandchild, \u00a35,000 for a child)\n\n- normal gifts out of your income, for example Christmas or birthday presents - you must be able to maintain your standard of living after making the gift\n\n- payments to help with another person\u2019s living costs, such as an elderly relative or a child under 18\n\n- gifts to charities and political parties\n\nYou can use more than one of these exemptions on the same person - for example, you could give your grandchild gifts for her birthday and wedding in the same tax year.\n\n## Small gifts up to \u00a3250\n\nYou can give as many gifts of up to \u00a3250 per person as you want during the tax year as long as you have not used another exemption on the same person.\n\n## The 7 year rule\n\nIf there\u2019s Inheritance Tax to pay, it\u2019s charged at 40% on gifts given in the 3 years before you die.\n\nGifts made 3 to 7 years before your death are taxed on a sliding scale known as \u2018taper relief\u2019.\n\n| Years between gift and death | Tax paid |\n\n| less than 3 | 40% |\n\n| 3 to 4 | 32% |\n\n| 4 to 5 | 24% |\n\n| 5 to 6 | 16% |\n\n| 6 to 7 | 8% |\n\n| 7 or more | 0% |\n\nGifts are not counted towards the value of your estate after 7 years.\n\n## When someone living outside the UK dies\n\nIf your permanent home (\u2018domicile\u2019) is abroad, Inheritance Tax is only paid on your UK assets, for example property or bank accounts you have in the UK.\n\nIt\u2019s not paid on \u2018excluded assets\u2019 like:\n\n- foreign currency accounts with a bank or the Post Office\n\n- overseas pensions\n\n- holdings in authorised unit trusts and open-ended investment companies\n\nThere are different rules if you have assets in a trust or government gilts, or you\u2019re a member of visiting armed forces.\n\nContact the Inheritance Tax and probate helpline if you\u2019re not sure whether your assets are excluded.\n\n## When you will not count as living abroad\n\nHMRC will treat you as being domiciled in the UK if you either:\n\n- lived in the UK for 15 of the last 20 years\n\n- had your permanent home in the UK at any time in the last 3 years of your life\n\n## Double-taxation treaties\n\nYour executor might be able to reclaim tax through a double-taxation treaty if Inheritance Tax is charged on the same assets by the UK and the country where you lived.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/inheritance-tax", + "answerable": true, + "scenario": "My father died recently, leaving his \u00a3400,000 home to me in his will. He also gave gifts of approximately \u00a3250,000 total value to myself and my two siblings over the preceding three years.", + "original_question": "Will I/we have to pay inheritance tax on either the property or the gifts?" + }, + { + "id": "train-50", + "question": "Scenario: My late husband used to work at British coal coorperation and died last year Feburary due to a long term illness. I am now a windower and would like to apply for NCFS because he qualified before he met his unfortunate death.\n\nQuestion: Am i eligible for this National consessionary fuel scheme?\n\nDocument - National Concessionary Fuel Scheme:\n## Overview\n\nYou could get free solid fuel or a cash allowance for fuel if you\u2019re an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC).\n\nYou need to qualify to get the fuel allowance through the National Concessionary Fuel Scheme (NCFS), and you can only get the cash allowance if you\u2019re already getting fuel through the scheme.\n\nYou might be eligible for the allowance if you\u2019re the widow or widower of an ex-employee, if the employee qualified for the NCFS.\n\n## What you'll get\n\n## Solid fuel\n\nIf you qualify for the allowance you\u2019ll get a delivery of solid fuel every 4 or 5 weeks, depending on where you live.\n\nYou might be able to change to \u2018cash in lieu\u2019 (or a cash allowance) if you already get fuel through the scheme and your circumstances have not changed.\n\nYou will need to return a Certificate of Continued Entitlement each year to keep your allowance.\n\n## How you\u2019re paid\n\nThe cash allowance is paid every 3 months into your bank or building society account.\n\n## Eligibility\n\nContact the National Concessionary Fuel Office (NCFO) to check if you\u2019re eligible.\n\nYou might be eligible for the National Concessionary Fuel Scheme (NCFS) if you\u2019re:\n\n- an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC)\n\n- a widow or widower of an ex-employee who would have been eligible\n\n## Change of circumstances\n\nYour allowance might be affected if your circumstances change, including:\n\n- who owns or rents your property changes\n\n- you change your heating arrangements\n\n- you remarry, marry or move in with a partner (widows, widowers and dependents only)\n\n- who lives in your home changes (family or lodgers moving in)\n\n- you take up employment or self-employment\n\nYou need to inform the NCFO of any changes in circumstances as your allowance can change. If your allowance goes down, any overpayments must be repaid in full.\n\n## How to claim\n\nContact the National Concessionary Fuel Office (NCFO) to apply.\n\n## Applying on behalf of someone else\n\nYou can apply for the fuel allowance on behalf of someone else if they\u2019re unable to.\n\nYou\u2019ll need to get authorisation by having one of:\n\n- a letter from the Department of Work and Pensions (DWP) stating that you are authorised to act on their behalf\n\n- a photocopy of your Power of Attorney\n\n- a letter signed by the person you are applying for stating that you are looking after their affairs\n\nIf payments are paid into a different account from the person getting the allowance, you need:\n\n- a photocopy of your Power of Attorney\n\n- a letter from DWP stating that you are looking after their financial affairs\n\n- a form from the NFCO signed by the person you are applying for\n\nYou need to contact the NFCO for the form or \u2018mandate\u2019.\n\n## Changing your delivery\n\nContact CPL Distribution on 0345 521 5214 to change your fuel delivery date and/or the amount of fuel you want delivered.\n\nFind out about call charges.\n\nContact the NCFO to change the type of fuel you get. You can only get 1 type of fuel delivered at a time. Get advice about the types of fuel to use from the Solid Fuel Association.\n\nYou cannot sell or give away unused fuel. If you change your type of solid fuel appliance you must refuse deliveries and left over fuel must be collected by the distributor.\n\n## Switching from fuel to cash allowance\n\nContact NCFO with your bank or building society account details to switch from fuel to cash. You can switch back to solid fuel but only after 12 months.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "answerable": true, + "scenario": "My late husband used to work at British coal coorperation and died last year Feburary due to a long term illness. I am now a windower and would like to apply for NCFS because he qualified before he met his unfortunate death.", + "original_question": "Am i eligible for this National consessionary fuel scheme?" + }, + { + "id": "train-51", + "question": "Scenario: I worked for the National Coal Board for thirty years and have now retired. I have a wife and two grown up children and am claiming a state pension.\n\nQuestion: Does my employment history entitle me to any sort of fuel payment?\n\nDocument - National Concessionary Fuel Scheme:\n## Overview\n\nYou could get free solid fuel or a cash allowance for fuel if you\u2019re an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC).\n\nYou need to qualify to get the fuel allowance through the National Concessionary Fuel Scheme (NCFS), and you can only get the cash allowance if you\u2019re already getting fuel through the scheme.\n\nYou might be eligible for the allowance if you\u2019re the widow or widower of an ex-employee, if the employee qualified for the NCFS.\n\n## What you'll get\n\n## Solid fuel\n\nIf you qualify for the allowance you\u2019ll get a delivery of solid fuel every 4 or 5 weeks, depending on where you live.\n\nYou might be able to change to \u2018cash in lieu\u2019 (or a cash allowance) if you already get fuel through the scheme and your circumstances have not changed.\n\nYou will need to return a Certificate of Continued Entitlement each year to keep your allowance.\n\n## How you\u2019re paid\n\nThe cash allowance is paid every 3 months into your bank or building society account.\n\n## Eligibility\n\nContact the National Concessionary Fuel Office (NCFO) to check if you\u2019re eligible.\n\nYou might be eligible for the National Concessionary Fuel Scheme (NCFS) if you\u2019re:\n\n- an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC)\n\n- a widow or widower of an ex-employee who would have been eligible\n\n## Change of circumstances\n\nYour allowance might be affected if your circumstances change, including:\n\n- who owns or rents your property changes\n\n- you change your heating arrangements\n\n- you remarry, marry or move in with a partner (widows, widowers and dependents only)\n\n- who lives in your home changes (family or lodgers moving in)\n\n- you take up employment or self-employment\n\nYou need to inform the NCFO of any changes in circumstances as your allowance can change. If your allowance goes down, any overpayments must be repaid in full.\n\n## How to claim\n\nContact the National Concessionary Fuel Office (NCFO) to apply.\n\n## Applying on behalf of someone else\n\nYou can apply for the fuel allowance on behalf of someone else if they\u2019re unable to.\n\nYou\u2019ll need to get authorisation by having one of:\n\n- a letter from the Department of Work and Pensions (DWP) stating that you are authorised to act on their behalf\n\n- a photocopy of your Power of Attorney\n\n- a letter signed by the person you are applying for stating that you are looking after their affairs\n\nIf payments are paid into a different account from the person getting the allowance, you need:\n\n- a photocopy of your Power of Attorney\n\n- a letter from DWP stating that you are looking after their financial affairs\n\n- a form from the NFCO signed by the person you are applying for\n\nYou need to contact the NFCO for the form or \u2018mandate\u2019.\n\n## Changing your delivery\n\nContact CPL Distribution on 0345 521 5214 to change your fuel delivery date and/or the amount of fuel you want delivered.\n\nFind out about call charges.\n\nContact the NCFO to change the type of fuel you get. You can only get 1 type of fuel delivered at a time. Get advice about the types of fuel to use from the Solid Fuel Association.\n\nYou cannot sell or give away unused fuel. If you change your type of solid fuel appliance you must refuse deliveries and left over fuel must be collected by the distributor.\n\n## Switching from fuel to cash allowance\n\nContact NCFO with your bank or building society account details to switch from fuel to cash. You can switch back to solid fuel but only after 12 months.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "answerable": true, + "scenario": "I worked for the National Coal Board for thirty years and have now retired. I have a wife and two grown up children and am claiming a state pension.", + "original_question": "Does my employment history entitle me to any sort of fuel payment?" + }, + { + "id": "train-54", + "question": "Scenario: My father sadly passed away last month. He was getting fuel through the National Concessionary Fuel Scheme. My mother is still alive and I need to find out for her whether she is now eligible for the allowance.\n\nQuestion: Is my mother eligible for the allowance after my dad's death?\n\nDocument - National Concessionary Fuel Scheme:\n## Overview\n\nYou could get free solid fuel or a cash allowance for fuel if you\u2019re an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC).\n\nYou need to qualify to get the fuel allowance through the National Concessionary Fuel Scheme (NCFS), and you can only get the cash allowance if you\u2019re already getting fuel through the scheme.\n\nYou might be eligible for the allowance if you\u2019re the widow or widower of an ex-employee, if the employee qualified for the NCFS.\n\n## What you'll get\n\n## Solid fuel\n\nIf you qualify for the allowance you\u2019ll get a delivery of solid fuel every 4 or 5 weeks, depending on where you live.\n\nYou might be able to change to \u2018cash in lieu\u2019 (or a cash allowance) if you already get fuel through the scheme and your circumstances have not changed.\n\nYou will need to return a Certificate of Continued Entitlement each year to keep your allowance.\n\n## How you\u2019re paid\n\nThe cash allowance is paid every 3 months into your bank or building society account.\n\n## Eligibility\n\nContact the National Concessionary Fuel Office (NCFO) to check if you\u2019re eligible.\n\nYou might be eligible for the National Concessionary Fuel Scheme (NCFS) if you\u2019re:\n\n- an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC)\n\n- a widow or widower of an ex-employee who would have been eligible\n\n## Change of circumstances\n\nYour allowance might be affected if your circumstances change, including:\n\n- who owns or rents your property changes\n\n- you change your heating arrangements\n\n- you remarry, marry or move in with a partner (widows, widowers and dependents only)\n\n- who lives in your home changes (family or lodgers moving in)\n\n- you take up employment or self-employment\n\nYou need to inform the NCFO of any changes in circumstances as your allowance can change. If your allowance goes down, any overpayments must be repaid in full.\n\n## How to claim\n\nContact the National Concessionary Fuel Office (NCFO) to apply.\n\n## Applying on behalf of someone else\n\nYou can apply for the fuel allowance on behalf of someone else if they\u2019re unable to.\n\nYou\u2019ll need to get authorisation by having one of:\n\n- a letter from the Department of Work and Pensions (DWP) stating that you are authorised to act on their behalf\n\n- a photocopy of your Power of Attorney\n\n- a letter signed by the person you are applying for stating that you are looking after their affairs\n\nIf payments are paid into a different account from the person getting the allowance, you need:\n\n- a photocopy of your Power of Attorney\n\n- a letter from DWP stating that you are looking after their financial affairs\n\n- a form from the NFCO signed by the person you are applying for\n\nYou need to contact the NFCO for the form or \u2018mandate\u2019.\n\n## Changing your delivery\n\nContact CPL Distribution on 0345 521 5214 to change your fuel delivery date and/or the amount of fuel you want delivered.\n\nFind out about call charges.\n\nContact the NCFO to change the type of fuel you get. You can only get 1 type of fuel delivered at a time. Get advice about the types of fuel to use from the Solid Fuel Association.\n\nYou cannot sell or give away unused fuel. If you change your type of solid fuel appliance you must refuse deliveries and left over fuel must be collected by the distributor.\n\n## Switching from fuel to cash allowance\n\nContact NCFO with your bank or building society account details to switch from fuel to cash. You can switch back to solid fuel but only after 12 months.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "answerable": true, + "scenario": "My father sadly passed away last month. He was getting fuel through the National Concessionary Fuel Scheme. My mother is still alive and I need to find out for her whether she is now eligible for the allowance.", + "original_question": "Is my mother eligible for the allowance after my dad's death?" + }, + { + "id": "train-56", + "question": "Scenario: My husband died last year January and i inherited our family home of \u00a3300,000. I am a sole custodian and no children.\n\nQuestion: Will I be required to pay inheritance tax?\n\nDocument - Inheritance Tax:\n## Overview\n\nInheritance Tax is a tax on the estate (the property, money and possessions) of someone who\u2019s died.\n\nThere\u2019s normally no Inheritance Tax to pay if either:\n\n- the value of your estate is below the \u00a3325,000 threshold\n\n- you leave everything above the \u00a3325,000 threshold to your spouse, civil partner, a charity or a community amateur sports club\n\nIf the estate\u2019s value is below the threshold you\u2019ll still need to report it to HMRC.\n\nIf you give away your home to your children (including adopted, foster or stepchildren) or grandchildren your threshold can increase to \u00a3500,000.\n\nIf you\u2019re married or in a civil partnership and your estate is worth less than your threshold, any unused threshold can be added to your partner\u2019s threshold when you die. This means their threshold can be as much as \u00a31 million.\n\n## Inheritance Tax rates\n\nThe standard Inheritance Tax rate is 40%. It\u2019s only charged on the part of your estate that\u2019s above the threshold.\n\nThe estate can pay Inheritance Tax at a reduced rate of 36% on some assets if you leave 10% or more of the \u2018net value\u2019 to charity in your will.\n\n## Reliefs and exemptions\n\nSome gifts you give while you\u2019re alive may be taxed after your death. Depending on when you gave the gift, \u2018taper relief\u2019 might mean the Inheritance Tax charged on the gift is less than 40%.\n\nOther reliefs, such as Business Relief, allow some assets to be passed on free of Inheritance Tax or with a reduced bill.\n\nContact the Inheritance Tax and probate helpline about Agricultural Relief if your estate includes a farm or woodland.\n\n## Who pays the tax to HMRC\n\nFunds from your estate are used to pay Inheritance Tax to HM Revenue and Customs (HMRC). This is done by the person dealing with the estate (called the \u2018executor\u2019, if there\u2019s a will).\n\nYour beneficiaries (the people who inherit your estate) do not normally pay tax on things they inherit. They may have related taxes to pay, for example if they get rental income from a house left to them in a will.\n\nPeople you give gifts to might have to pay Inheritance Tax, but only if you give away more than \u00a3325,000 and die within 7 years.\n\n## Passing on a home\n\nYou can pass a home to your husband, wife or civil partner when you die. There\u2019s no Inheritance Tax to pay if you do this.\n\nIf you leave the home to another person in your will, it counts towards the value of the estate.\n\nIf you own your home (or a share in it) your tax-free threshold can increase to \u00a3500,000 if:\n\n- you leave it to your children (including adopted, foster or stepchildren) or grandchildren\n\n- your estate is worth less than \u00a32 million\n\n## Giving away a home before you die\n\nThere\u2019s normally no Inheritance Tax to pay if you move out and live for another 7 years.\n\nIf you want to continue living in your property after giving it away, you\u2019ll need to:\n\n- pay rent to the new owner at the going rate (for similar local rental properties)\n\n- pay your share of the bills\n\n- live there for at least 7 years\n\nYou do not have to pay rent to the new owners if both the following apply:\n\n- you only give away part of your property\n\n- the new owners also live at the property\n\n## If you die within 7 years\n\nIf you die within 7 years of giving away all or part of your property, your home will be treated as a gift and the 7 year rule applies.\n\nCall the Inheritance Tax and probate helpline if you have questions about giving away a home. They cannot give you advice on how to pay less tax.\n\n## Gifts\n\nThere\u2019s usually no Inheritance Tax to pay on small gifts you make out of your normal income, such as Christmas or birthday presents. These are known as \u2018exempted gifts\u2019.\n\nThere\u2019s also no Inheritance Tax to pay on gifts between spouses or civil partners. You can give them as much as you like during your lifetime, as long as they live in the UK permanently.\n\nOther gifts count towards the value of your estate.\n\nPeople you give gifts to will be charged Inheritance Tax if you give away more than \u00a3325,000 in the 7 years before your death.\n\n## What counts as a gift\n\nA gift can be:\n\n- anything that has a value, such as money, property, possessions\n\n- a loss in value when something\u2019s transferred, for example if you sell your house to your child for less than it\u2019s worth, the difference in value counts as a gift\n\nCall the Inheritance Tax and probate helpline if you\u2019re not sure.\n\n## Exempted gifts\n\nYou can give away \u00a33,000 worth of gifts each tax year (6 April to 5 April) without them being added to the value of your estate. This is known as your \u2018annual exemption\u2019.\n\nYou can carry any unused annual exemption forward to the next year - but only for one year.\n\nEach tax year, you can also give away:\n\n- wedding or civil ceremony gifts of up to \u00a31,000 per person (\u00a32,500 for a grandchild or great-grandchild, \u00a35,000 for a child)\n\n- normal gifts out of your income, for example Christmas or birthday presents - you must be able to maintain your standard of living after making the gift\n\n- payments to help with another person\u2019s living costs, such as an elderly relative or a child under 18\n\n- gifts to charities and political parties\n\nYou can use more than one of these exemptions on the same person - for example, you could give your grandchild gifts for her birthday and wedding in the same tax year.\n\n## Small gifts up to \u00a3250\n\nYou can give as many gifts of up to \u00a3250 per person as you want during the tax year as long as you have not used another exemption on the same person.\n\n## The 7 year rule\n\nIf there\u2019s Inheritance Tax to pay, it\u2019s charged at 40% on gifts given in the 3 years before you die.\n\nGifts made 3 to 7 years before your death are taxed on a sliding scale known as \u2018taper relief\u2019.\n\n| Years between gift and death | Tax paid |\n\n| less than 3 | 40% |\n\n| 3 to 4 | 32% |\n\n| 4 to 5 | 24% |\n\n| 5 to 6 | 16% |\n\n| 6 to 7 | 8% |\n\n| 7 or more | 0% |\n\nGifts are not counted towards the value of your estate after 7 years.\n\n## When someone living outside the UK dies\n\nIf your permanent home (\u2018domicile\u2019) is abroad, Inheritance Tax is only paid on your UK assets, for example property or bank accounts you have in the UK.\n\nIt\u2019s not paid on \u2018excluded assets\u2019 like:\n\n- foreign currency accounts with a bank or the Post Office\n\n- overseas pensions\n\n- holdings in authorised unit trusts and open-ended investment companies\n\nThere are different rules if you have assets in a trust or government gilts, or you\u2019re a member of visiting armed forces.\n\nContact the Inheritance Tax and probate helpline if you\u2019re not sure whether your assets are excluded.\n\n## When you will not count as living abroad\n\nHMRC will treat you as being domiciled in the UK if you either:\n\n- lived in the UK for 15 of the last 20 years\n\n- had your permanent home in the UK at any time in the last 3 years of your life\n\n## Double-taxation treaties\n\nYour executor might be able to reclaim tax through a double-taxation treaty if Inheritance Tax is charged on the same assets by the UK and the country where you lived.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/inheritance-tax", + "answerable": true, + "scenario": "My husband died last year January and i inherited our family home of \u00a3300,000. I am a sole custodian and no children.", + "original_question": "Will I be required to pay inheritance tax?" + }, + { + "id": "train-60", + "question": "Scenario: My aunt has been a widow for a year now after her husband died during an ambush in iraq. He left her with 3 young children aged below 10years. She want to claim for a war widow pension.\n\nQuestion: Can she claim for a War Widow Pension?\n\nDocument - War Widow(er) Pension:\n## Overview\n\nYou may be entitled to War Widow\u2019s or Widower\u2019s Pension if your wife, husband or civil partner died as a result of their service in Her Majesty\u2019s (HM) Armed Forces or during a time of war.\n\nThey must have served before 6 April 2005, but you may be eligible if they died of an illness or injury later.\n\n## Eligibility\n\nOne of the following must apply. Your husband, wife or civil partner:\n\n- died as result of their service in HM Armed Forces before 6 April 2005\n\n- was a civil defence volunteer or a civilian and their death was a result of the 1939 to 1945 war\n\n- was a merchant seaman, a member of the naval auxiliary services, or a coastguard and their death was a result of an injury or disease they got during a war or because they were a prisoner of war\n\n- died as a result of their service as a member of the Polish Forces under British command during the 1939 to 1945 war, or in the Polish Resettlement Forces\n\n- was getting a War Pensions Constant Attendance Allowance at the time of their death, or would have been had they not been in hospital\n\n- was getting a War Disablement Pension at the 80% rate or higher and was getting Unemployability Supplement\n\nYou may be entitled to a pension if you lived with a partner as husband and wife or as civil partners.\n\n## Illness, injury and death on or after 6 April 2005\n\nIf your partner was injured, developed an illness or died as a result of service on or after 6 April 2005, you can claim through the Armed Forces Compensation Scheme.\n\n## What you'll get\n\nWar Widow\u2019s or Widower\u2019s Pension is paid at different rates depending on your age and circumstances.\n\nYou do not pay tax on it.\n\nAll benefits, pensions and allowances are paid into an account, for example your bank account.\n\n## How to claim\n\nTo claim War Widow\u2019s or Widower\u2019s Pension you can either:\n\n- download a claim form\n\n- phone the Veterans UK helpline and ask for a claim form\n\nSend the completed form to:\n\n## How to appeal\n\nIf you disagree with a decision about your claim you can appeal to an independent Pensions Appeal Tribunal.\n\nBefore you appeal you should:\n\n- ask Veterans UK for more information about how the decision was reached\n\n- ask for the decision to be reconsidered if there are some facts Veterans UK may not have known when they made their decision\n\nIf you\u2019re still unhappy with the outcome contact Veterans UK to let them know that you want to appeal.\n\n## Further information\n\n## Changes in your circumstances\n\nYou\u2019ll continue to get your pension if you marry, form a civil partnership or start living with a partner on or after 1 April 2015.\n\nIf this happened before 1 April 2015, you\u2019ll still get a pension if both:\n\n- your late spouse or civil partner left service before 31 March 1973\n\n- your new relationship started on or after 6 April 2005\n\nOtherwise, your pension would have been stopped.\n\n## If your pension stopped\n\nYou can claim your pension again if:\n\n- you become widowed again\n\n- you divorce or separate\n\n- your civil partner dies\n\n- your civil partnership ends\n\n- you stop living with the person as their partner\n\nMake sure you tell Veterans UK of any changes in your circumstances so you get the right amount of pension.\n\n## Funeral expenses\n\nVeterans UK may be able to pay a grant of up to \u00a32,200 towards a veteran\u2019s funeral if any of the following apply:\n\n- death was due to service before 6 April 2005\n\n- War Pensions Constant Attendance Allowance was being paid or would have been paid if the war pensioner had not been in hospital when they died\n\n- Unemployability Supplement was being paid at the time of death and the War Disablement Pension was assessed at 80% or more\n\nThe payment can be made to the veteran\u2019s widow or widower, next of kin or person paying for the funeral.\n\nYou must make a claim within 3 months of the funeral.\n\n## How to apply\n\nDownload the claim form. Send the completed form to:", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/war-widow-pension", + "answerable": true, + "scenario": "My aunt has been a widow for a year now after her husband died during an ambush in iraq. He left her with 3 young children aged below 10years. She want to claim for a war widow pension.", + "original_question": "Can she claim for a War Widow Pension?" + }, + { + "id": "train-64", + "question": "Scenario: I was injured while serving 10 years ago. The severity of my illness has increased to the point where I am now no longer able to work.\n\nQuestion: Can I still claim compensation?\n\nDocument - Claim if you were injured while serving in the armed forces:\n## Overview\n\nYou can claim compensation if you were injured or got an illness while serving in the armed forces (including the reserve forces).\n\nCompensation may include:\n\n- a lump sum\n\n- regular payments\n\n## What you can claim for\n\nYou can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.\n\nYou can also claim:\n\n- if you were injured during a service-related activity, eg a training exercise\n\n- for conditions you had before service if you feel your service made them worse\n\n## If you\u2019re a victim of crime while serving abroad\n\nFind out if you qualify for the Criminal Injuries Compensation (Overseas) scheme if you were the victim of a violent crime while serving abroad.\n\n## What you'll get\n\nThe compensation you get depends on either:\n\n- when you were injured\n\n- when the circumstances happened that caused your illness\n\nWhat you get might be reduced if you\u2019re getting compensation from another scheme.\n\n## If your injury or illness is due to service after 5 April 2005\n\nIf your claim is successful, you\u2019ll get a tax-free lump sum payment between \u00a31,236 and \u00a3650,000. The amount you get will depend on how severe your injury is.\n\n## If you have a more serious illness or injury\n\nYou may also receive a tax-free monthly payment for life when you\u2019re discharged - sometimes known as a Guaranteed Income Payment (GIP).\n\nThe GIP is based on your salary, age and how severe your injury is.\n\nIf your GIP payment level is 50% of your salary or more, you can also claim an Armed Forces Independence Payment (AFIP).\n\n## If your injury or illness is due to service before 6 April 2005\n\nIf your claim is successful, you\u2019ll be awarded either:\n\n- a pension - if your disability is assessed at 20% or more\n\n- a lump sum - if your disability is assessed at less than 20%\n\nThe amount you get will depend on how severe your injury is.\n\nYou might also be able to get other allowances if you\u2019re having problems getting around or finding a job.\n\n## Eligibility\n\nThe rules for qualifying are different depending on when you were injured.\n\n## If your injury or illness is due to service after 5 April 2005\n\nClaim under the Armed Forces Compensation Scheme (AFCS).\n\nTo qualify you must be:\n\n- a current or former member of the armed forces\n\n- applying no later than 7 years after the injury or illness, unless you\u2019re claiming for an illness that started later (sometimes known as a \u2018late onset illness\u2019)\n\n## If your injury or illness is due to service before 6 April 2005\n\nClaim under the War Pension Scheme (WPS).\n\nThere are no time limits for claiming under the WPS but you must be no longer serving in the armed forces.\n\n## How to claim\n\nFill in the claim form and send it to the address on the form.\n\nIt\u2019s the same claim form for the Armed Forces Compensation Scheme (AFCS) and War Pension Scheme (WPS).\n\nYou can ask the Veterans Welfare Service (VWS) for help with making your claim.\n\nYou may be contacted for more evidence in support of your claim.\n\nYou may be able to apply for a \u2018fast payment\u2019 of \u00a360,000 if you were seriously injured during service after 8 May 2011.\n\n## If you disagree with the decision on your claim\n\nYou can write to Veterans UK to ask them reconsider their decision.\n\nYou can also appeal to an independent tribunal within 12 months.\n\n## Additional payments\n\nYou can apply for a Personal Independence Payment (PIP) while your compensation claim is being dealt with.\n\nYou might also be able to get:\n\n- other allowances if your injury or illness is due to service before 6 April 2005\n\n- an Armed Forces Independence Payment (AFIP) if you were seriously injured on or after 6 April 2005\n\n## Armed Forces Independence Payment (AFIP)\n\nOnce you\u2019ve had the result of your compensation claim, you might be able to claim AFIP if you\u2019ve been seriously injured.\n\nAFIP is \u00a3151.40 per week. It\u2019s tax free and is paid every 4 weeks into your bank account.\n\n## Eligibility\n\nYou\u2019re eligible if both of the following apply:\n\n- you were injured on or after 6 April 2005\n\n- you\u2019re given a Guaranteed Income Payment (GIP) of 50% or more\n\nYou\u2019ll get the payment as long as you\u2019re entitled to this level of GIP. You won\u2019t be reassessed in the future.\n\nIf you\u2019re not eligible for AFIP, you can get a PIP if you have a long-term health condition or disability.\n\n## How to claim\n\nContact Veterans UK for a claim form. There\u2019s no deadline.\n\n## Claiming other benefits with AFIP\n\nIf you get AFIP you might be eligible for other benefits, eg Child Tax Credit.\n\nAFIP is not counted as income when working out your what other benefits you can claim.\n\nYour household is exempt from the benefit cap if you or your partner are getting AFIP.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "answerable": true, + "scenario": "I was injured while serving 10 years ago. The severity of my illness has increased to the point where I am now no longer able to work.", + "original_question": "Can I still claim compensation?" + }, + { + "id": "train-65", + "question": "Scenario: I am 68, live in Scotland and have been diagnosed with terminal cancer. I am of sound mind and wish to make my will, but am concerned about the safety of the witnessing procedure as I am currently immunocompromised due to the side effects of my chemotherapy.\n\nQuestion: Can my will signing be witnessed remotely via videoconferencing?\n\nDocument - Making a will:\n## Overview\n\nYour will lets you decide what happens to your money, property and possessions after your death.\n\nIf you make a will you can also make sure you do not pay more Inheritance Tax than you need to.\n\nYou can write your will yourself, but you should get advice if your will is not straightforward.\n\nYou need to get your will formally witnessed and signed to make it legally valid.\n\nIf you want to update your will, you need to make an official alteration (called a \u2018codicil\u2019) or make a new will.\n\nIf you die without a will, the law decides who gets what.\n\n## Write your will\n\nYour will should set out:\n\n- who you want to benefit from your will\n\n- who should look after any children under 18\n\n- who is going to sort out your estate and carry out your wishes after your death (your executor)\n\n- what happens if the people you want to benefit die before you\n\nYou can also include a charity in your will.\n\n## When you need legal advice\n\nYou can get advice from a professional if your will is not straightforward, for example:\n\n- you share a property with someone who is not your husband, wife or civil partner\n\n- you want to leave money or property to a dependant who cannot care for themselves\n\n- you have several family members who may make a claim on your will, such as a second spouse or children from another marriage\n\n- your permanent home is outside the UK\n\n- you have property overseas\n\n- you have a business\n\n## Keep your will safe\n\nYou can keep your will at your home or store it with:\n\n- your solicitor\n\n- your bank\n\n- a company that offers the storage of wills - you can search online\n\n- the London Probate Service\n\nRead full guidance on storing your will with the Probate\nService.\n\nYou should tell your executor (the person you\u2019ve chosen to carry out your will), a close friend or relative where your will is.\n\n## Make sure your will is legal\n\nFor your will to be legally valid, you must:\n\n- be 18 or over\n\n- make it voluntarily\n\n- be of sound mind\n\n- make it in writing\n\n- sign it in the presence of 2 witnesses who are both over 18\n\n- have it signed by your 2 witnesses, in your presence\n\nSigning can be witnessed both in person and remotely (for example by video conferencing). In both cases:\n\n- you must have a clear view of the person and the act of signing\n\n- the will maker (or person authorised to sign on their behalf) and witnesses must sign the same document\n\nYou can only sign remotely in England or Wales.\n\nIf you make any changes to your will you must follow the same signing and witnessing process.\n\nYou cannot leave your witnesses (or their married partners) anything in your will.\n\n## Update your will\n\nYou should review your will every 5 years and after any major change in your life, for example:\n\n- getting separated or divorced\n\n- getting married (this cancels any will you made before)\n\n- having a child\n\n- moving house\n\n- if the executor named in the will dies\n\n## Making changes to your will\n\nYou cannot amend your will after it\u2019s been signed and witnessed. The only way you can change a will is by making an official alteration called a codicil.\n\nYou must sign a codicil and get it witnessed in the same way as witnessing a will.\n\nThere\u2019s no limit on how many codicils you can add to a will.\n\n## Making a new will\n\nFor major changes you should make a new will.\n\nYour new will should explain that it revokes (officially cancels) all previous wills and codicils. You should destroy your old will by burning it or tearing it up.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/make-will", + "answerable": true, + "scenario": "I am 68, live in Scotland and have been diagnosed with terminal cancer. I am of sound mind and wish to make my will, but am concerned about the safety of the witnessing procedure as I am currently immunocompromised due to the side effects of my chemotherapy.", + "original_question": "Can my will signing be witnessed remotely via videoconferencing?" + }, + { + "id": "train-66", + "question": "Scenario: I spent ten years in the army and suffered injuries to my right leg which meant that I was not able to serve any longer.\n\nQuestion: Can i claim compensation for the injury I suffred during my service?\n\nDocument - Claim if you were injured while serving in the armed forces:\n## Overview\n\nYou can claim compensation if you were injured or got an illness while serving in the armed forces (including the reserve forces).\n\nCompensation may include:\n\n- a lump sum\n\n- regular payments\n\n## What you can claim for\n\nYou can claim compensation for any injury or illness that happened as a result of your service, including physical and mental conditions.\n\nYou can also claim:\n\n- if you were injured during a service-related activity, eg a training exercise\n\n- for conditions you had before service if you feel your service made them worse\n\n## If you\u2019re a victim of crime while serving abroad\n\nFind out if you qualify for the Criminal Injuries Compensation (Overseas) scheme if you were the victim of a violent crime while serving abroad.\n\n## What you'll get\n\nThe compensation you get depends on either:\n\n- when you were injured\n\n- when the circumstances happened that caused your illness\n\nWhat you get might be reduced if you\u2019re getting compensation from another scheme.\n\n## If your injury or illness is due to service after 5 April 2005\n\nIf your claim is successful, you\u2019ll get a tax-free lump sum payment between \u00a31,236 and \u00a3650,000. The amount you get will depend on how severe your injury is.\n\n## If you have a more serious illness or injury\n\nYou may also receive a tax-free monthly payment for life when you\u2019re discharged - sometimes known as a Guaranteed Income Payment (GIP).\n\nThe GIP is based on your salary, age and how severe your injury is.\n\nIf your GIP payment level is 50% of your salary or more, you can also claim an Armed Forces Independence Payment (AFIP).\n\n## If your injury or illness is due to service before 6 April 2005\n\nIf your claim is successful, you\u2019ll be awarded either:\n\n- a pension - if your disability is assessed at 20% or more\n\n- a lump sum - if your disability is assessed at less than 20%\n\nThe amount you get will depend on how severe your injury is.\n\nYou might also be able to get other allowances if you\u2019re having problems getting around or finding a job.\n\n## Eligibility\n\nThe rules for qualifying are different depending on when you were injured.\n\n## If your injury or illness is due to service after 5 April 2005\n\nClaim under the Armed Forces Compensation Scheme (AFCS).\n\nTo qualify you must be:\n\n- a current or former member of the armed forces\n\n- applying no later than 7 years after the injury or illness, unless you\u2019re claiming for an illness that started later (sometimes known as a \u2018late onset illness\u2019)\n\n## If your injury or illness is due to service before 6 April 2005\n\nClaim under the War Pension Scheme (WPS).\n\nThere are no time limits for claiming under the WPS but you must be no longer serving in the armed forces.\n\n## How to claim\n\nFill in the claim form and send it to the address on the form.\n\nIt\u2019s the same claim form for the Armed Forces Compensation Scheme (AFCS) and War Pension Scheme (WPS).\n\nYou can ask the Veterans Welfare Service (VWS) for help with making your claim.\n\nYou may be contacted for more evidence in support of your claim.\n\nYou may be able to apply for a \u2018fast payment\u2019 of \u00a360,000 if you were seriously injured during service after 8 May 2011.\n\n## If you disagree with the decision on your claim\n\nYou can write to Veterans UK to ask them reconsider their decision.\n\nYou can also appeal to an independent tribunal within 12 months.\n\n## Additional payments\n\nYou can apply for a Personal Independence Payment (PIP) while your compensation claim is being dealt with.\n\nYou might also be able to get:\n\n- other allowances if your injury or illness is due to service before 6 April 2005\n\n- an Armed Forces Independence Payment (AFIP) if you were seriously injured on or after 6 April 2005\n\n## Armed Forces Independence Payment (AFIP)\n\nOnce you\u2019ve had the result of your compensation claim, you might be able to claim AFIP if you\u2019ve been seriously injured.\n\nAFIP is \u00a3151.40 per week. It\u2019s tax free and is paid every 4 weeks into your bank account.\n\n## Eligibility\n\nYou\u2019re eligible if both of the following apply:\n\n- you were injured on or after 6 April 2005\n\n- you\u2019re given a Guaranteed Income Payment (GIP) of 50% or more\n\nYou\u2019ll get the payment as long as you\u2019re entitled to this level of GIP. You won\u2019t be reassessed in the future.\n\nIf you\u2019re not eligible for AFIP, you can get a PIP if you have a long-term health condition or disability.\n\n## How to claim\n\nContact Veterans UK for a claim form. There\u2019s no deadline.\n\n## Claiming other benefits with AFIP\n\nIf you get AFIP you might be eligible for other benefits, eg Child Tax Credit.\n\nAFIP is not counted as income when working out your what other benefits you can claim.\n\nYour household is exempt from the benefit cap if you or your partner are getting AFIP.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-for-injury-received-while-serving", + "answerable": true, + "scenario": "I spent ten years in the army and suffered injuries to my right leg which meant that I was not able to serve any longer.", + "original_question": "Can i claim compensation for the injury I suffred during my service?" + }, + { + "id": "train-67", + "question": "Scenario: My civil partner went missing just over 7 years ago. We are both British but he disappeared in Canada where we were living at the time; I came home to live in Wales 18 months ago.\n\nQuestion: Can I make a claim for a declaration of presumed death even though the missing person went missing abroad and was not living in England or Wales at the time?\n\nDocument - Get a declaration of presumed death:\n## Overview\n\nYou can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:\n\n- 7 years or more\n\n- less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster\n\nA missing person is not automatically presumed dead.\n\nYou must make a claim for a declaration of presumed death if you want to do certain things, for example deal with their estate.\n\n## Who can make a claim\n\nYou can make a claim if you\u2019re the missing person\u2019s:\n\n- spouse or civil partner\n\n- parent\n\n- child\n\n- sibling\n\nIf none of these apply, you\u2019ll need to prove to the court that you have enough of a connection to the missing person (\u2018sufficient interest\u2019), for example you\u2019re a distant relative and you have a birth certificate to prove it.\n\n## What else must be true to make a claim\n\nTo make a claim one or more of the following must also apply:\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you treat England or Wales as your permanent home (\u2018domicile\u2019) on the date you make the claim\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you\u2019ve been living in England or Wales for the whole year before the date you make the claim\n\n- the missing person treated England or Wales as their permanent home (\u2018domicile\u2019) on the date they were last known to be alive\n\n- the missing person was living in England or Wales for the whole year before the date they were last known to be alive\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Fees\n\nIt costs \u00a3528 to get a declaration of presumed death. You may be able to get help paying court fees.\n\n## Make a claim for a declaration of presumed death\n\nYou can make a claim yourself or use a legal representative.\n\n- Make your claim.\n\n- Advertise your claim in a newspaper.\n\n- Attend a hearing.\n\n## Make your claim\n\nDownload and fill in a claim form (N208) with details about:\n\n- yourself - known as the \u2018claimant\u2019\n\n- the missing person - known as the \u2018defendant\u2019\n\n- your claim\n\nInclude relevant information about your claim in the section \u2018details of your claim\u2019.\n\nSend the following to a court that can hear High Court cases.\n\n- form N208 - 1 copy for each person named in the form plus a copy for the court\n\n- any supporting evidence, for example statements from witnesses, police reports\n\n- the claim fee of \u00a3528 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019\n\nThe court will stamp your form with an issue date and keep one copy. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.\n\n## Send copies of your claim to other people\n\nSend a copy of form N208 and an acknowledgement of service form within 7 days of the issue date on the form to:\n\n- the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive send it to the missing person\u2019s nearest relative\n\n- any other person or organisation who might have an interest, for example an insurance company\n\nYou must advertise your application in a newspaper within 7 days.\n\n## Advertise your claim in a newspaper\n\nYou must advertise your application in a newspaper local to the missing person\u2019s last known address.\n\nPlace the advert within 7 days of the issue date stamped on the claim form.\n\n## Use standard text for the advert\n\nUse the following text and make sure you:\n\n- put your case number after the words case number\n\n- replace or delete as appropriate the words in square brackets with the relevant details\n\n## Standard text\n\n\u201cIn the High Court of Justice [Chancery] [Family] Division\n\nCase number.\n\nIn the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].\n\nA claim has been issued in the High Court of Justice, for a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.\n\nIf you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.\n\n(If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d\n\n## Send a copy to the court\n\nSend the court a copy of the newspaper page showing the advertisement so it arrives at least 5 days before your court hearing.\n\n## Attend a hearing\n\nYou\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.\n\nBring any relevant documents.\n\nYour claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.\n\nAt the hearing you might be:\n\n- asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need\n\n- told there has to be another hearing - there may be several hearings before a decision is made\n\nIf the court agrees with your application, you\u2019ll get a declaration of presumed death at the hearing or later by letter.\n\n## Get a certificate of presumed death\n\nApply to the General Register Office for a certificate of presumed death.\n\nYou can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.\n\nYou can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.\n\nThe certificate can be used like a normal death certificate, for example to deal with a missing person\u2019s estate.\n\nIt costs \u00a311.\n\n## Appeal a decision\n\nContact the Civil Appeals Office to appeal against the High Court\u2019s decision.\n\n## Make a complaint\n\nUse the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/get-declaration-presumed-death", + "answerable": true, + "scenario": "My civil partner went missing just over 7 years ago. We are both British but he disappeared in Canada where we were living at the time; I came home to live in Wales 18 months ago.", + "original_question": "Can I make a claim for a declaration of presumed death even though the missing person went missing abroad and was not living in England or Wales at the time?" + }, + { + "id": "train-70", + "question": "Scenario: Following my father's death four months ago I applied for and was granted probate. I have now received a Payment Reference Number from the Inland Revenue, and am ready to settle the inheritance tax bill for his estate.\n\nQuestion: As I have probate, is it possible to pay the bill using funds from my late father's bank account?\n\nDocument - Pay your Inheritance Tax bill:\n## Overview\n\nYou must pay Inheritance Tax by the end of the sixth month after the person died.\n\nThere are different due dates if you\u2019re making payments on a trust.\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay by the due date.\n\n## How to pay\n\nYou\u2019ll need to get a payment reference number before you can pay your Inheritance Tax bill.\n\n## Pay from your own bank account\n\nYou can pay from your own bank account or a joint account with the deceased:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\nYou currently cannot pay Inheritance Tax by cheque because of coronavirus (COVID-19).\n\nYou can claim the money back from the deceased\u2019s estate or the beneficiaries once you get a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\n## Pay from accounts owned by the deceased\n\nYou can pay using the deceased\u2019s:\n\n- bank accounts - including National Savings and Investments (NS&I) accounts\n\n- government stock\n\n## If you do not know how much to pay\n\nYou can make payments before you know the exact amount of Inheritance Tax owed by the deceased person\u2019s estate. These are known as \u2018payments on account\u2019.\n\n## Check your payment has been received\n\nHMRC do not send receipts for each payment you make. They\u2019ll write to tell you when you\u2019ve paid all the Inheritance Tax and interest you owe.\n\nIf you\u2019ve paid through your own bank or building society, check your statement to confirm the payment has left your account.\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nAsk your bank if your cheque to HMRC has been cashed. If it has not been cashed, you should cancel the cheque and pay HMRC a different way.\n\n## Get a payment reference number\n\nYou\u2019ll need to get an Inheritance Tax reference number from HM Revenue and Customs (HMRC) at least 3 weeks before you make a payment.\n\nYou can apply for one:\n\n- online (unless you need it for a trust)\n\n- by post - using form IHT422, Application for an Inheritance Tax reference (the address you need is on the form)\n\nDo not use the 15-digit number from the online Inheritance Tax service to report an estate\u2019s value.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay by Faster Payments (online or telephone banking), CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001136 | HMRC Inheritance Tax |\n\nYou\u2019ll need to use your Inheritance Tax payment reference number as the payment reference.\n\n## How long it takes\n\nPayments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB66BARC20114763495590 | BARCGB22 | HMRC Inheritance Tax |\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay at a branch by cash or cheque.\n\nPlease complete one of your bank\u2019s paying in slips with the following HMRC bank account details:\n\nSort code 25 61 21\nAccount number 63495590\nAccount name HM Revenue & Customs Inheritance Tax\n\nSome branches might be closed at the moment because of coronavirus (COVID-19).\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite the name of the deceased and your Inheritance Tax payment reference number on the back of the cheque. You\u2019ll find the reference number on the letter HMRC sent you.\n\nHMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.\n\n## By cheque through the post\n\nYou currently cannot pay Inheritance Tax by post because of coronavirus (COVID-19). You can still pay:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\n## From the deceased's bank account\n\nYou can ask banks, building societies or National Savings & Investments (NS&I) to pay some or all of the Inheritance Tax due from the deceased person\u2019s accounts to HM Revenue and Customs (HMRC). This is called the \u2018Direct Payment Scheme\u2019.\n\n- Ask the bank, building society or NS&I to make you a \u2018personal representative\u2019 - each one will do this in a different way. You can do this before you apply for a \u2018grant of representation\u2019 (known as \u2018probate\u2019). This is known as confirmation in Scotland.\n\n- Get your Inheritance Tax payment reference number.\n\n- Fill in form IHT423 and send it to the bank, building society or NS&I. Send a separate form for each account you want to pay HMRC from.\n\n- Send Inheritance Tax Account form IHT 400, Probate Summary form IHT421, (Confirmation form C1 in Scotland) and any supplementary pages or supporting documents to HMRC.\n\nWhen the bank, building society or NS&I has made the payment, HMRC will stamp and return Probate Summary form IHT421 (Confirmation form C1 in Scotland) so you know the Inheritance Tax has been paid.\n\n## Using British government stock\n\nWrite to Computershare Investor Services, who run the British government stock scheme.\n\nTell them you want to pay Inheritance Tax and how much of the stock you want to use. Enclose a copy of the death certificate and the stock reference number (if you have it).\n\nAt the same time, send HMRC:\n\n- a letter saying how much tax you want to be paid out of the stock\n\n- Inheritance Tax Account form IHT400 - you\u2019ll need to put your Inheritance Tax payment reference number on the form\n\n- Probate Summary form IHT421 (Confirmation form C1 in Scotland)\n\nHMRC will contact Computershare and ask for the money to be transferred. This could take up to 4 weeks.\n\nDo not pay this way if you need to get probate (known as \u2018confirmation\u2019 in Scotland) quickly. (Probate is the right to deal with the deceased person\u2019s property, money and possessions.)\n\n## After the money has been transferred\n\n## In England, Wales or Northern Ireland\n\nHMRC will send your IHT421 form to the Probate Registry so they can send a grant of representation to you (if you\u2019re handling probate yourself) or to your solicitor.\n\n## In Scotland\n\nHMRC will return your C1 Confirmation form to you so you can apply for confirmation.\n\nIf the amount transferred is not enough to cover the Inheritance Tax you owe, HMRC will write to tell you how much to pay and how to pay it.\n\n## By transferring national heritage property\n\nIn very exceptional cases you may be able to make Inheritance Tax payments by transferring national heritage property to the Crown.\n\nNational heritage property may include:\n\n- buildings or land of historic, architectural, scenic or scientific interest\n\n- artworks, books and manuscripts or scientific collections of historic, scenic or scientific interest\n\nOffers to make Inheritance Tax payments by transferring national heritage property to the Crown are dealt with on an individual basis.\n\nContact the HMRC Heritage team for information on making an offer.\n\n## If your offer is accepted\n\nEven if your offer\u2019s accepted, you must first pay all of the Inheritance Tax you owe through other means and have a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\nOnce your property has been transferred HM Revenue and Customs (HMRC) will repay the Inheritance Tax you\u2019ve paid.\n\n## In yearly instalments\n\nYou can pay your Inheritance Tax on things that may take time to sell in equal annual instalments over 10 years.\n\nYou must say on Inheritance Tax Account form IHT400 if you want to pay in instalments.\n\nYou\u2019ll usually have to pay interest on your instalments. Use the calculator to work out the interest you\u2019ll need to pay.\n\nYou must pay the tax in full when you\u2019ve sold the deceased\u2019s assets, such as their house or shares.\n\n## When you must pay\n\nThe first instalment is due at the end of the sixth month after the death (for example if they died on 12 January, you\u2019d have to pay by 31 July). This is known as the \u2018due date\u2019. Payments are then due every year on that date.\n\n## Paying early\n\nYou can pay off the full tax and interest at any time. Write to HM Revenue and Customs (HMRC) Trusts and Estates asking for a final assessment (you do not have to include payment).\n\n## What you pay interest on\n\nYou will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:\n\n- the full outstanding tax balance\n\n- the instalment itself, from the date it\u2019s due to the date of payment (if it\u2019s paid late)\n\n## What you can pay in instalments\n\n## Houses\n\nYou can pay 10% and the interest each year if you decide to keep the house to live in.\n\n## Shares and securities\n\nYou can pay in instalments if the shares or securities allowed the deceased to control more than 50% of a company.\n\n## Unlisted shares and securities\n\nYou can pay in instalments for \u2018unlisted\u2019 shares or securities (ones not traded on a recognised stock exchange) if they\u2019re worth more than \u00a320,000 and either of these apply:\n\n- they represent 10% of the total value of the shares in the company, at the price they were first sold at (known as the \u2018nominal\u2019 value or \u2018face value\u2019)\n\n- they represent 10% of the total value of ordinary shares held in the company, at the price they were first sold at\n\nYou can find the face value of a share and whether it\u2019s an ordinary share on the share certificate.\n\nYou can also pay in instalments if either of these apply:\n\n- at least 20% of the total Inheritance Tax the estate owes is on assets that qualify for payment by instalments\n\n- paying Inheritance Tax on them in one lump sum will cause financial difficulties\n\n## Business run for profit\n\nYou can pay in instalments on the net value of a business, but not its assets.\n\n## Agricultural land and property\n\nThis is rare because most agricultural land and property is exempt from Inheritance Tax.\n\n## Gifts\n\nYou can pay in instalments if there is still Inheritance Tax to pay and you were given:\n\n- buildings\n\n- shares or securities\n\n- part or all of a business\n\nIf the gift was an unlisted share or security, it must still have been unlisted at the time of the death.\n\n## Trusts\n\n- Get your Inheritance Tax payment reference number at least 3 weeks before you want to make a payment by filling in Form IHT122.\n\n- Send Inheritance Tax Account form IHT100 to HM Revenue and Customs (HMRC).\n\n- Pay the Inheritance Tax, either through a bank or building society or by cheque through the post.\n\n## Payment deadlines\n\n## Transfers\n\nYou must pay Inheritance Tax on transfers into a trust or out of a trust (known as \u2018exit charges\u2019) no later than 6 months after the end of the month the transfer was made.\n\n## 10-year anniversary charge\n\nThe 10-year anniversary charge can be paid up to 6 months after the 10th anniversary of the date the trust was set up.\n\n## Pay early to avoid paying interest\n\nYou can make early Inheritance Tax payments before you know the exact amount the estate owes (this is known as a \u2018payment on account\u2019).\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay all the tax the estate owes by the due date. If you will not know how much Inheritance Tax the estate owes by the time the payment is due, a payment on account can help you avoid some of the interest.\n\n## If you overpay\n\nIf you pay more money than the final bill says the estate owes, HMRC will refund the excess after you\u2019ve been given probate (confirmation in Scotland). Probate is the right to deal with the deceased person\u2019s property, money and possessions.\n\nHMRC will also pay interest on the amount you\u2019ve overpaid.\n\nTo receive the refund, you\u2019ll need to write to HMRC.\n\nPut \u2018Repayment - further details\u2019 at the top of the letter.\n\nInclude the name, number and sort code of the bank account you want the refund to go to.\n\nThe letter must be signed by the same people who signed forms IHT400 and IHT100 if:\n\n- you\u2019re applying without the help of a solicitor or agent\n\n- the refund is being paid into a different bank account to the one nominated in IHT400 or IHT100\n\nIf you\u2019re an agent acting on behalf of the estate and you\u2019re not asking for the refund to be paid into a different bank account, only put your signature on the letter.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paying-inheritance-tax", + "answerable": true, + "scenario": "Following my father's death four months ago I applied for and was granted probate. I have now received a Payment Reference Number from the Inland Revenue, and am ready to settle the inheritance tax bill for his estate.", + "original_question": "As I have probate, is it possible to pay the bill using funds from my late father's bank account?" + }, + { + "id": "train-71", + "question": "Scenario: I am 30 weeks pregnant and i can\u2019t keep up with my work as i used to be. I want to apply for maternity allowance.\n\nQuestion: Am i eligible and will it affect any other benefits i am getting?\n\nDocument - Maternity Allowance:\n## Overview\n\nMaternity Allowance is usually paid to you if you do not qualify for Statutory Maternity Pay.\n\nThe amount you can get depends on your eligibility.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can claim Maternity Allowance as soon as you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.\n\nAny money you get can affect your other benefits.\n\n## What you'll get\n\nThe amount you can get depends on your eligibility.\n\nYou could get either:\n\n- \u00a3151.97 a week or 90% of your average weekly earnings (whichever is less) for 39 weeks\n\n- \u00a327 a week for 39 weeks\n\n- \u00a327 a week for 14 weeks\n\nMaternity Allowance is paid every 2 or 4 weeks.\n\nYou can claim Maternity Allowance once you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.\n\nUse the maternity entitlement calculator to work out how much you could get.\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are usually paid straight into your bank, building society or credit union account.\n\n## Impact on other benefits\n\nMaternity Allowance will not affect your tax credits but it will affect how much you get for:\n\n- Council Tax Reduction\n\n- Housing Benefit\n\n- Employment and Support Allowance (ESA)\n\n- Income Support\n\n- Jobseeker\u2019s Allowance (JSA) - this will stop if you get Maternity Allowance\n\n- bereavement benefits\n\n- Carer\u2019s Allowance\n\n- Universal Credit\n\n## The benefit cap\n\nThe benefit cap limits the total amount of benefit you can get. It applies to most people aged 16 or over who have not reached State Pension age.\n\nSome individual benefits are not affected, but it may affect the total amount of benefit you get.\n\n## Eligibility\n\nYou can use the maternity entitlement calculator to check your eligibility.\n\n## Maternity Allowance for 39 weeks\n\nYou might get Maternity Allowance for 39 weeks if one of the following applies:\n\n- you\u2019re employed, but cannot get Statutory Maternity Pay\n\n- you\u2019re self-employed\n\n- you\u2019ve recently stopped working\n\nIn the 66 weeks before your baby\u2019s due, you must also have been:\n\n- employed or self-employed for at least 26 weeks\n\n- earning (or classed as earning) \u00a330 a week or more in at least 13 weeks - the weeks do not have to be together\n\nYou may still qualify if you\u2019ve recently stopped working. It does not matter if you had different jobs or periods of unemployment.\n\nIf you usually earn \u00a330 or more a week and only earned less in some weeks because you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, you may still be eligible. You must give details in your claim form.\n\n## If you\u2019re self-employed\n\nTo get the full amount of Maternity Allowance, you must have paid Class 2 National Insurance for at least 13 of the 66 weeks before your baby\u2019s due.\n\nThe Department for Work and Pensions (DWP) will check if you\u2019ve paid enough when you make your claim. They\u2019ll write to you if you have not.\n\nIf you have not paid enough Class 2 National Insurance to get the full rate (\u00a3151.97 a week), you\u2019ll get \u00a327 a week for 39 weeks. You still need to meet all the other eligibility criteria to get this amount.\n\nYou may be able to get the full rate by making early National Insurance payments. HM Revenue and Customs (HMRC) will send you a letter to tell you how.\n\nYou\u2019ll need to pay using the reference number in the letter to get the full rate, even if you\u2019ve recently made a payment through Self Assessment.\n\n## Maternity Allowance for 14 weeks\n\nYou might get Maternity Allowance for 14 weeks if for at least 26 weeks in the 66 weeks before your baby is due:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re not employed or self-employed\n\n- you take part in the business of your self-employed spouse or civil partner\n\n- the work you do is for the business and unpaid\n\n- your spouse or civil partner is registered as self-employed with HMRC and should pay Class 2 National Insurance\n\n- your spouse or civil partner is working as self-employed person\n\n- you\u2019re not eligible for Statutory Maternity Pay or the higher amount of Maternity Allowance (for the same pregnancy)\n\n## If you lose the baby\n\nYou may still qualify if the baby is either:\n\n- stillborn from the start of the 24th week of pregnancy\n\n- born alive at any point during the pregnancy\n\n## Change of circumstances\n\nReport any changes to your circumstances to your local Jobcentre Plus as they can affect how much you get. For example, if you go back to work.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## How to claim\n\nYou\u2019ll need a Maternity Allowance (MA1) claim form. You can either:\n\n- print it and fill it in\n\n- fill it in online and print it\n\n- order a form if you cannot print it\n\nThe form has notes to help you fill it in.\n\nSend it to the address on the form.\n\nIf you\u2019ve arranged to pay your Self Assessment tax and National Insurance bill in instalments because of coronavirus (COVID-19), your application might be rejected. Contact HMRC before applying for Maternity Allowance.\n\nAlternative formats\n\nCall Jobcentre Plus to ask for alternative formats, such as braille, large print or audio CD.\n\n## What to send with your claim form\n\nYou can claim Maternity Allowance once you\u2019ve been pregnant for 26 weeks. Payments can start 11 weeks before your baby is due.\n\nYou need to provide:\n\n- proof of your income, such as original payslips or a Certificate of Small Earnings Exemption (if applicable for the 2014 to 2015 tax year)\n\n- proof of the baby\u2019s due date, such as a letter from the doctor or midwife or your MATB1 certificate\n\n- your SMP1 form - only if you were refused Statutory Maternity Pay by your employer\n\nIf your proof of income includes times you were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, mention this in the \u2018additional information\u2019 section of your form. Include the dates that you were on the scheme and how much (as a percentage) of your normal pay you were actually paid.\n\nYou may need to give more information about your partner\u2019s self-employed business and what you do if you\u2019re applying for Maternity Allowance for 14 weeks.\n\n## When you\u2019ll hear about your claim\n\nYou should get a decision on your claim within 20 working days.\n\nIf you\u2019re eligible, a form will be sent to you confirming your entitlement and asking you to confirm your last day of employment before leave.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/maternity-allowance", + "answerable": true, + "scenario": "I am 30 weeks pregnant and i can\u2019t keep up with my work as i used to be. I want to apply for maternity allowance.", + "original_question": "Am i eligible and will it affect any other benefits i am getting?" + }, + { + "id": "train-72", + "question": "Scenario: I am undertaking a pre registered pharmacist course for academic year 2022-2022 and i want educational support to care to my 6 years old child who has autism\n\nQuestion: Do i repay it back in the future if I claim this benefit now?\n\nDocument - Childcare Grant:\n## Overview\n\nYou may be eligible for help with your childcare costs if you:\n\n- are a full-time higher education student\n\n- have children under 15, or under 17 if they have special educational needs\n\nThe grant:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\nYou must be eligible for student finance to apply for a Childcare Grant.\n\n## What you'll get\n\nThe amount you\u2019ll get depends on:\n\n- your household income\n\n- the number of children who are dependent on you\n\n## 2021 to 2022 academic year\n\nYou can get 85% of your childcare costs or a fixed maximum amount, whichever is less.\n\nThe maximum you can get is:\n\n- up to \u00a3179.62 a week for 1 child\n\n- up to \u00a3307.95 a week for 2 or more children\n\nYou have to pay for any remaining costs.\n\n## 2020 to 2021 academic year\n\nYou can get 85% of your childcare costs or a fixed maximum amount, whichever is less.\n\nThe maximum you can get is:\n\n- up to \u00a3174.22 a week for 1 child\n\n- up to \u00a3298.69 a week for 2 or more children\n\nYou have to pay for any remaining costs.\n\n## How you\u2019re paid\n\nYour grant will be paid into a Childcare Grant Payment Service (CCGPS) account. You\u2019ll get an email telling you how to set one up.\n\nYour childcare provider will send requests for payment to the CCGPS, which you can approve through your account. Your provider will be paid directly from the money in your account.\n\nAny money that\u2019s left over at the end of the academic year will be returned to Student Finance England.\n\nIncome-related, unemployment and housing benefits are not affected by a Childcare Grant.\n\n## Eligibility\n\nTo qualify for a Childcare Grant all the following must apply:\n\n- you\u2019re a full-time student\n\n- your child must be under 15, or under 17 if they have special educational needs\n\n- you get undergraduate student finance based on your household income, or are eligible to\n\n- you\u2019re not getting a Postgraduate Loan\n\n- you\u2019re a permanent resident in England\n\n- the children in your grant application are financially dependent on you\n\n- your childcare provider is on the Ofsted Early Years Register or General Childcare Register - check with your provider\n\n- if your child is cared for at home, the carer cannot be a relative and must be registered with an appropriate body - check with Student Finance England\n\n- neither you or your partner are claiming Tax-Free Childcare, the childcare element of working Tax Credit or Universal Credit\n\n- neither you or your partner receive help with childcare costs from the National Health Service (NHS)\n\nChildcare Grant isn\u2019t the same as 15 or 30 hours free childcare. You can\u2019t use it to pay for those hours.\n\n## How to apply\n\nTo apply for a Childcare Grant follow these steps:\n\n- Apply online as part of your main student finance application.\n\n- Send in evidence. You\u2019ll be told what evidence you need to provide when you apply.\n\n- You\u2019ll be sent a letter telling you how much Childcare Grant you\u2019ll get.\n\n- Create an online account with the Childcare Grant Payment Service (CCGPS). You\u2019ll get an email telling you how to set one up. Your grant will be paid into this account.\n\nUse the paper form instead if you:\n\n- have already applied for student finance but didn\u2019t apply for a childcare grant at the same time\n\n- want to apply for another child\n\nYou can download the form from the student finance form finder.\n\nUse your online account to send the form to Student Finance England, or send it by post.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/childcare-grant", + "answerable": true, + "scenario": "I am undertaking a pre registered pharmacist course for academic year 2022-2022 and i want educational support to care to my 6 years old child who has autism", + "original_question": "Do i repay it back in the future if I claim this benefit now?" + }, + { + "id": "train-74", + "question": "Scenario: We been married for 3 years and been blessed with a baby girl a week back. We thinking to avail Shared Parental Leave and Pay\n\nQuestion: Given our baby already born , are we eligible for Shared Parental Leave and Pay ?\n\nDocument - Shared Parental Leave and Pay:\n## How it works\n\nYou and your partner may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if you\u2019re:\n\n- having a baby\n\n- using a surrogate to have a baby\n\n- adopting a child\n\nYou can share up to 50 weeks of leave and up to 37 weeks of pay between you.\n\nYou need to share the pay and leave in the first year after your child is born or placed with your family.\n\nYou can use SPL to take leave in blocks separated by periods of work, or take it all in one go. You can also choose to be off work together or to stagger the leave and pay.\n\nTo get SPL and ShPP, you and your partner need to:\n\n- meet the eligibility criteria - there\u2019s different criteria for birth parents and criteria for adoptive parents or parents using a surrogate\n\n- give notice to your employers\n\n## Eligibility for birth parents\n\nTo be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both parents must:\n\n- share responsibility for the child at birth\n\n- meet work and pay criteria - these are different depending on which parent wants to use the shared parental leave and pay\n\nYou\u2019re not eligible if you started sharing responsibility for the child after it was born.\n\nThe eligibility criteria are different if you\u2019re adoptive parents or parents using a surrogate.\n\nYou can check if you can get SPL and ShPP. You\u2019ll need to know:\n\n- your child\u2019s due date or birth date\n\n- your and your partner\u2019s employment status and earnings\n\n- if you and your partner can get Statutory Maternity Pay or Statutory Paternity Pay\n\n## If both parents want to share the SPL and ShPP\n\nTo be eligible for SPL and ShPP, you and your partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until you start your SPL\n\nTo be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.\n\nTo be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.\n\n## If the mother\u2019s partner wants to take the SPL and ShPP\n\nFor the mother\u2019s partner to take SPL and ShPP, both the mother and the mother\u2019s partner must meet some eligibility requirements.\n\nThe mother must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total across any 13 of the 66 weeks\n\nThe mother\u2019s partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, the partner must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the partner is a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, the partner must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## If the mother wants to take the SPL and ShPP\n\nFor the mother to take SPL and ShPP, both the mother\u2019s partner and the mother must meet some eligibility criteria.\n\nThe mother\u2019s partner must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the baby\u2019s due (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)\n\nThe mother must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the 15th week before the due date\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, the mother must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If the mother is a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, the mother must earn on average at least \u00a3120 a week. If either person earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## Eligibility for adopters or parents using a surrogate\n\nTo be eligible for Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP), both adoptive parents or both parents using a surrogate must:\n\n- share responsibility for the child on the child\u2019s due date or birth date if you\u2019re using a surrogate, or the date they\u2019re placed with you if you\u2019re adopting\n\n- meet the work and earnings criteria - these are different depending on which one of you wants to use the shared parental leave and pay\n\nThe eligibility criteria are different if you\u2019re birth parents.\n\nYou can check if you can get SPL and ShPP. You\u2019ll need to know:\n\n- your child\u2019s due date or birth date if you\u2019re using a surrogate, or the match date if you\u2019re adopting\n\n- your and your partner\u2019s employment status and earnings\n\n- if you and your partner can get Statutory Adoption Pay or Statutory Paternity Pay\n\n## If both parents want to share the SPL and ShPP\n\nTo be eligible for SPL and ShPP, you and your partner must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family\n\n- stay with the same employer until you start your SPL\n\nTo be eligible for SPL, you must be \u2018employees\u2019 (not \u2018workers\u2019) - check your employment status. If either of you is a \u2018worker\u2019, you might be able to share ShPP but not SPL.\n\nTo be eligible for ShPP, you must each earn on average at least \u00a3120 a week. If you usually earn an average of \u00a3120 or more a week each, and you only earned less in some weeks because you were on furlough under the Coronavirus Job Retention Scheme (CJRS), you may still be eligible.\n\n## If only one of the parents wants to take the SPL and ShPP\n\nBoth parents must meet some eligibility criteria.\n\nThe parent who wants to take the leave and pay must:\n\n- have been employed continuously by the same employer for at least 26 weeks by the end of the week your child was placed with your family\n\n- stay with the same employer until they start their SPL\n\nTo be eligible for SPL, they must be an \u2018employee\u2019 (not a \u2018worker\u2019) - check their employment status. If they are a \u2018worker\u2019, they might be able to get ShPP but not SPL.\n\nTo be eligible for ShPP, they must earn on average at least \u00a3120 each a week.\n\nThe other parent must:\n\n- have been working for at least 26 weeks out of the 66 weeks before the week the child was placed with you (the 26 weeks do not need to be in a row)\n\n- have earned at least \u00a3390 in total in 13 of the 66 weeks (add up the highest paying weeks, they do not need to be in a row)\n\nIf either parent earned less than the amount needed because they were on furlough under the Coronavirus Job Retention Scheme, they may still be eligible.\n\n## What you'll get\n\nIf you\u2019re eligible and you or your partner end maternity or adoption leave and pay (or Maternity Allowance) early, then you can:\n\n- take the rest of the 52 weeks of maternity or adoption leave as Shared Parental Leave (SPL)\n\n- take the rest of the 39 weeks of maternity or adoption pay (or Maternity Allowance) as Statutory Shared Parental Pay (ShPP)\n\nYou can check when you and your partner can take your leave and how much statutory pay you\u2019ll get using the Shared Parental Leave and Pay planning tool.\n\n## How much pay you\u2019ll get\n\nShPP is paid at the rate of \u00a3151.97 a week or 90% of your average weekly earnings, whichever is lower.\n\nThis is the same as Statutory Maternity Pay (SMP) except that during the first 6 weeks SMP is paid at 90% of whatever you earn (with no maximum).\n\n## When you can start\n\nYou can only start Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) once the child has been born or placed for adoption.\n\nYou can check when you and your partner can start your leave using the Shared Parental Leave and Pay planning tool.\n\n## For SPL to start\n\nThe mother (or the person getting adoption leave) must either:\n\n- return to work, which ends any maternity or adoption leave\n\n- give their employer \u2018binding notice\u2019 of the date when they plan to end their leave (you cannot normally change the date you give in binding notice)\n\nYou can start SPL while your partner is still on maternity or adoption leave as long as they\u2019ve given binding notice to end it.\n\nYou can give binding notice and say when you plan to take your SPL at the same time.\n\nA mother cannot return to work before the end of the compulsory 2 weeks of maternity leave following the birth (4 weeks if they work in a factory). If you\u2019re adopting, the person claiming adoption pay must take at least 2 weeks of adoption leave.\n\n## If the mother or adopter does not get maternity or adoption leave\n\nThe mother or adopter must end any maternity pay, adoption pay or Maternity Allowance so that they or their partner can get SPL.\n\n## For ShPP to start\n\nThe mother (or the person getting adoption pay) must give their employer binding notice of the date when they plan to end any maternity or adoption pay.\n\nIf they get Maternity Allowance, they must give notice to Jobcentre Plus instead.\n\nThey cannot restart maternity pay, Maternity Allowance or adoption pay once it\u2019s ended.\n\nYou can start ShPP while your partner is still on maternity pay, adoption pay or Maternity Allowance as long as they\u2019ve given binding notice to end it.\n\nYou can give binding notice and say when you plan to take your ShPP at the same time.\n\n## Change the decision to end maternity or adoption leave\n\nThe mother or adopter may be able to change their decision to end maternity or adoption leave early. They must let their employer know.\n\nThey can only change the decision if both:\n\n- the planned end date has not passed\n\n- they have not already returned to work\n\nOne of the following must also apply:\n\n- you find out during the 8-week notice period that neither of you is eligible for SPL or ShPP\n\n- the mother or adopter\u2019s partner has died\n\n- the mother tells their employer less than 6 weeks after the birth (and they gave their employer notice before the birth)\n\n## Booking blocks of leave\n\nYou can book up to 3 separate blocks of Shared Parental Leave (SPL) instead of taking it all in one go, even if you are not sharing the leave with your partner.\n\nIf your partner is also eligible for SPL, you can take up to 3 blocks of leave each. You can take leave at different times or both at the same time.\n\nYou must tell your employer about your plans for leave when you apply for SPL. You can change these plans later but you must give your employer at least 8 weeks\u2019 notice before you want to begin a block of leave.\n\nYou can check when you and your partner can take your leave using the Shared Parental Leave and Pay planning tool.\n\n## Splitting blocks of leave\n\nIf your employer agrees, you can split blocks into shorter periods of at least a week.\n\n## Shared Parental Leave in touch (SPLIT) days\n\nYou and your partner can each work up to 20 days while you\u2019re taking SPL. These are called \u2018Shared Parental Leave in touch\u2019 (or SPLIT) days.\n\nThese days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days available to those on maternity or adoption leave.\n\nKIT and SPLIT days are optional - both you and your employer must agree to them.\n\n## Applying for leave and pay\n\nTo get Shared Parental Leave (SPL) or Shared Parental Pay (ShPP) you must:\n\n- follow the rules for starting SPL and ShPP\n\n- give your employer at least 8 weeks\u2019 written notice of your leave dates\n\nIf the mother (or person taking adoption leave) plans to take SPL or ShPP, they must apply to their employer.\n\nIf the partner plans to take SPL or ShPP, both the partner and the mother (or person taking adoption leave) must apply to their employers.\n\nYou can use Shared Parental Leave forms and templates created by Acas to:\n\n- give your employer notice that you plan to take SPL and ShPP\n\n- give your employer notice of when the mother or adopter is going to end their maternity or adoption leave, and when they\u2019ll stop getting maternity or adoption pay\n\n- book your leave dates\n\nIf your employer has their own forms you can use those instead.\n\nYou can change your mind later about how much SPL or ShPP you plan to take and when you want to take it. You must give notice of any changes at least 8 weeks before the start of any leave.\n\nYou might not get SPL or ShPP if you do not include all the required information.\n\n## Giving more information\n\nYour employer can ask you for more information within 14 days of you applying for SPL or ShPP. They can ask for:\n\n- a copy of the birth certificate\n\n- a declaration of the place and date of birth (if the birth has not been registered yet)\n\n- the name and address of your partner\u2019s employer or a declaration that your partner has no employer\n\nIf you\u2019re adopting, your employer can ask for the:\n\n- name and address of the adoption agency\n\n- date you were matched with the child\n\n- date the child will start to live with you\n\n- name and address of your partner\u2019s employer or a declaration that your partner has no employer\n\nYou must give this information within 14 days of being asked for it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/shared-parental-leave-and-pay", + "answerable": true, + "scenario": "We been married for 3 years and been blessed with a baby girl a week back. We thinking to avail Shared Parental Leave and Pay", + "original_question": "Given our baby already born , are we eligible for Shared Parental Leave and Pay ?" + }, + { + "id": "train-77", + "question": "Scenario: I have just enrolled onto a 6 month full time training course but I will still be working part time on top of attending education.\n\nQuestion: Will I still be eligible for a help with childcare costs?\n\nDocument - Childcare Grant:\n## Overview\n\nYou may be eligible for help with your childcare costs if you:\n\n- are a full-time higher education student\n\n- have children under 15, or under 17 if they have special educational needs\n\nThe grant:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\nYou must be eligible for student finance to apply for a Childcare Grant.\n\n## What you'll get\n\nThe amount you\u2019ll get depends on:\n\n- your household income\n\n- the number of children who are dependent on you\n\n## 2021 to 2022 academic year\n\nYou can get 85% of your childcare costs or a fixed maximum amount, whichever is less.\n\nThe maximum you can get is:\n\n- up to \u00a3179.62 a week for 1 child\n\n- up to \u00a3307.95 a week for 2 or more children\n\nYou have to pay for any remaining costs.\n\n## 2020 to 2021 academic year\n\nYou can get 85% of your childcare costs or a fixed maximum amount, whichever is less.\n\nThe maximum you can get is:\n\n- up to \u00a3174.22 a week for 1 child\n\n- up to \u00a3298.69 a week for 2 or more children\n\nYou have to pay for any remaining costs.\n\n## How you\u2019re paid\n\nYour grant will be paid into a Childcare Grant Payment Service (CCGPS) account. You\u2019ll get an email telling you how to set one up.\n\nYour childcare provider will send requests for payment to the CCGPS, which you can approve through your account. Your provider will be paid directly from the money in your account.\n\nAny money that\u2019s left over at the end of the academic year will be returned to Student Finance England.\n\nIncome-related, unemployment and housing benefits are not affected by a Childcare Grant.\n\n## Eligibility\n\nTo qualify for a Childcare Grant all the following must apply:\n\n- you\u2019re a full-time student\n\n- your child must be under 15, or under 17 if they have special educational needs\n\n- you get undergraduate student finance based on your household income, or are eligible to\n\n- you\u2019re not getting a Postgraduate Loan\n\n- you\u2019re a permanent resident in England\n\n- the children in your grant application are financially dependent on you\n\n- your childcare provider is on the Ofsted Early Years Register or General Childcare Register - check with your provider\n\n- if your child is cared for at home, the carer cannot be a relative and must be registered with an appropriate body - check with Student Finance England\n\n- neither you or your partner are claiming Tax-Free Childcare, the childcare element of working Tax Credit or Universal Credit\n\n- neither you or your partner receive help with childcare costs from the National Health Service (NHS)\n\nChildcare Grant isn\u2019t the same as 15 or 30 hours free childcare. You can\u2019t use it to pay for those hours.\n\n## How to apply\n\nTo apply for a Childcare Grant follow these steps:\n\n- Apply online as part of your main student finance application.\n\n- Send in evidence. You\u2019ll be told what evidence you need to provide when you apply.\n\n- You\u2019ll be sent a letter telling you how much Childcare Grant you\u2019ll get.\n\n- Create an online account with the Childcare Grant Payment Service (CCGPS). You\u2019ll get an email telling you how to set one up. Your grant will be paid into this account.\n\nUse the paper form instead if you:\n\n- have already applied for student finance but didn\u2019t apply for a childcare grant at the same time\n\n- want to apply for another child\n\nYou can download the form from the student finance form finder.\n\nUse your online account to send the form to Student Finance England, or send it by post.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/childcare-grant", + "answerable": true, + "scenario": "I have just enrolled onto a 6 month full time training course but I will still be working part time on top of attending education.", + "original_question": "Will I still be eligible for a help with childcare costs?" + }, + { + "id": "train-78", + "question": "Scenario: My wife and I currently live in accomodation which I own, and she has recently become paraplegic as the result of a traffic accident. We have savings of around \u00a35,000 and live in England.\n\nQuestion: Can we apply for a Disabled Facilities Grant to help cover the cost of adapting our home?\n\nDocument - Disabled Facilities Grants:\n## Overview\n\nYou could get a grant from your council if you\u2019re disabled and need to make changes to your home, for example to:\n\n- widen doors and install ramps\n\n- improve access to rooms and facilities - eg stairlifts or a downstairs bathroom\n\n- provide a heating system suitable for your needs\n\n- adapt heating or lighting controls to make them easier to use\n\nA Disabled Facilities Grant won\u2019t affect any benefits you get.\n\n## What you'll get\n\nHow much you get depends on your:\n\n- household income\n\n- household savings over \u00a36,000\n\n| Country | Grant |\n\n| England | Up to \u00a330,000 |\n\n| Wales | Up to \u00a336,000 |\n\n| Northern Ireland | Up to \u00a325,000 |\n\n| Scotland | Disabled Facilities Grants are not available - find out about support for equipment and adaptations |\n\nDepending on your income, you may need to pay towards the cost of the work to the property.\n\nDisabled children under 18 can get a grant without their parents\u2019 income being taken into account. Contact your local council for more information.\n\nYou might not get any grant if you start work on your property before the council approves your application.\n\n## How you\u2019ll be paid\n\nYou\u2019ll be paid either:\n\n- in instalments - as the work progresses\n\n- in full - when the work is finished\n\nThe council may pay the contractor directly or give you a cheque to pass on to them. They\u2019ll agree this with you when they approve your application.\n\n## When you\u2019ll be paid\n\nYou\u2019ll be paid either:\n\n- when the council is happy with the finished work\n\n- when you give the council the invoice, demand or receipt for payment from the contractor\n\nNormally, if you (or a relative) does the work the council will only accept invoices for materials or services you\u2019ve bought.\n\n## Eligibility\n\nYou or someone living in your property must be disabled. Either you or the person you\u2019re applying for must:\n\n- own the property or be a tenant\n\n- intend to live in the property during the grant period (which is currently 5 years)\n\nYou can also apply for a grant if you\u2019re a landlord and have a disabled tenant.\n\nThe council needs to be happy that the work is:\n\n- necessary and appropriate to meet the disabled person\u2019s needs\n\n- reasonable and can be done - depending on the age and condition of the property\n\nYou might not get any grant if you start work on your property before the council approves your application.\n\n## Planning and building regulations approval\n\nYou need to apply separately for any planning permission or building regulations approval.\n\nThe council may ask you to employ a qualified architect or surveyor to plan and oversee the work. If you get a grant, you can use it towards the cost of their fees.\n\n## How to apply\n\nApply through your local council.\n\nThe council may send an occupational therapist round to see you. They\u2019ll check your circumstances and see what changes you need.\n\n## Appeals\n\nYou can appeal to your council if you\u2019re unhappy with their decision.\n\nIf you appeal and you\u2019re still not happy, you can complain to the Local Government Ombudsman.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/disabled-facilities-grants", + "answerable": true, + "scenario": "My wife and I currently live in accomodation which I own, and she has recently become paraplegic as the result of a traffic accident. We have savings of around \u00a35,000 and live in England.", + "original_question": "Can we apply for a Disabled Facilities Grant to help cover the cost of adapting our home?" + }, + { + "id": "train-81", + "question": "Scenario: I am the step-father to a 14 year old who was born in the UK but now has difficulty walking after a car accident in France.\n\nQuestion: Can I claim for disability living allowance on their behalf despite not being a biological parent?\n\nDocument - Disability Living Allowance (DLA) for children:\n## Overview\n\nDisability Living Allowance (DLA) for children may help with the extra costs of looking after a child who:\n\n- is under 16\n\n- has difficulties walking or needs much more looking after than a child of the same age who does not have a disability\n\nThey will need to meet all the eligibility requirements.\n\nThe DLA rate is between \u00a323.70 and \u00a3152.15 a week and depends on the level of help the child needs.\n\n## DLA rates for children\n\nDisability Living Allowance (DLA) for children is a tax-free benefit made up of 2 components (parts). The child might qualify for one or both components.\n\n## Care component\n\n| Care component | Weekly rate |\n\n| Lowest | \u00a323.70 |\n\n| Middle | \u00a360.00 |\n\n| Highest | \u00a389.60 |\n\n## Mobility component\n\n| Mobility component | Weekly rate |\n\n| Lower | \u00a323.70 |\n\n| Higher | \u00a362.55 |\n\n## How DLA for children is paid\n\nDLA is usually paid every 4 weeks on a Tuesday.\n\nIf your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Extra help\n\nYou might qualify for Carer\u2019s Allowance if you spend at least 35 hours a week caring for a child who gets the middle or highest care rate of DLA.\n\n## Eligibility\n\nUsually, to qualify for Disability Living Allowance (DLA) for children the child must:\n\n- be under 16 - anyone over 16 must apply for Personal Independence Payment (PIP)\n\n- need extra looking after or have walking dif\ufb01culties\n\n- be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces\n\n- have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old\n\n- be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands\n\n- not be subject to immigration control\n\nThe process is different in Northern Ireland.\n\nThere are some exceptions to these conditions if the child is living in or coming from an EEA country or Switzerland.\n\nYou can claim DLA for children if you\u2019re in or out of work.\n\n## Children under 3\n\nA child under 6 months must have lived in Great Britain for at least 13 weeks.\n\nA child aged between 6 months and 3 years must have lived in Great Britain for at least 26 of the last 156 weeks.\n\nThe rules on residence do not normally apply if a child is terminally ill.\n\n## The child\u2019s disability or health condition\n\nThe child\u2019s disability or health condition must mean at least one of the following apply:\n\n- they need much more looking after than a child of the same age who does not have a disability\n\n- they have difficulty getting about\n\nThey must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.\n\n## Care component\n\nThe rate the child gets depends on the level of looking after they need, for example:\n\n- lowest rate - help for some of the day\n\n- middle rate - frequent help or constant supervision during the day, supervision at night or someone to help while they\u2019re on dialysis\n\n- highest rate - help or supervision throughout both day and night, or they\u2019re terminally ill\n\n## Mobility component\n\nThe rate the child gets depends on the level of help they need getting about, for example:\n\n- lowest rate - they can walk but need help and or supervision when outdoors\n\n- highest rate - they cannot walk, can only walk a short distance without severe discomfort, could become very ill if they try to walk or they\u2019re blind or severely sight impaired\n\nThere are also age limits to receiving the mobility component:\n\n- lowest rate - the child must be 5 years or over\n\n- highest rate - the child must be 3 years or over\n\nIf your child is under these ages and you claim DLA for them, you should be sent a claim pack 6 months before they turn 3 and 6 months before they turn 5. You can then apply for the mobility component if you think they\u2019re eligible for it.\n\nIf you have not received any claim packs and you think your child may be entitled to the mobility component, contact the Disability Service Centre.\n\n## Change of circumstances\n\nContact the Disability Service Centre as soon as the child\u2019s circumstances change. This can affect how much they get, for example if their disability gets worse or they go abroad for medical treatment.\n\nTheir DLA will not usually be affected if they go:\n\n- into a local authority care home for less than 28 days\n\n- into a hospital\n\n- abroad for less than 13 weeks\n\n- abroad for less than 26 weeks to get medical treatment for a condition which began before they left\n\n## How to claim\n\nTo claim DLA for a child you need to be their parent or look after them as if you\u2019re their parent. This includes step-parents, guardians, grandparents, foster-parents or older brothers or sisters.\n\nTo apply you can either:\n\n- print off and fill in the DLA claim form\n\n- phone the Disability Living Allowance helpline and ask for a printed form\n\nThe process is different in Northern Ireland.\n\n## Alternative formats\n\nCall the Disability Living Allowance helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## When you\u2019ll be paid\n\nDLA can be paid from the start of your claim. It cannot be backdated. Your claim will start on the date the form is received or the date you call the enquiry line (if you return the claim pack within 6 weeks).\n\nYou\u2019ll usually get a decision letter about 8 weeks (40 working days) after your form is received. The letter will tell you when you\u2019ll get your first payment.\n\n## If the child is terminally ill\n\nThere are special rules if the child is not expected to live more than 6 months, so they can get DLA more quickly.\n\nPhone the Disability Living Allowance helpline to start your claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to the Department for Work and Pensions (DWP).\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## When your child turns 16\n\nYour child will need to apply for Personal Independence Payment (PIP) when they turn 16.\n\n## When they apply for PIP\n\nYour child will get a letter inviting them to apply for PIP. The letter will be sent:\n\n- shortly after their 16th birthday\n\n- when they leave hospital, if they were in hospital on their 16th birthday\n\n- about 20 weeks before their DLA award ends, if they were awarded DLA under the rules for people who are terminally ill\n\nYour child\u2019s DLA payments will stop unless they apply for PIP by the date given in the letter.\n\nIf they apply by the date given in the letter, they\u2019ll continue to receive DLA until their claim is assessed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/disability-living-allowance-children", + "answerable": true, + "scenario": "I am the step-father to a 14 year old who was born in the UK but now has difficulty walking after a car accident in France.", + "original_question": "Can I claim for disability living allowance on their behalf despite not being a biological parent?" + }, + { + "id": "train-82", + "question": "Scenario: My grandfather has appointed me as his financial affair attorney and i have been running his businesses efficiently . He has been diagnosed with a terminal illness and has few day to live.\n\nQuestion: Will a power of attorney still be valid after my grandfather dies?\n\nDocument - Lasting power of attorney: acting as an attorney:\n## Overview\n\nYou can make decisions on someone\u2019s behalf if they appoint you using a lasting power of attorney (LPA).\n\nYou can contact GOV.UK to request this guide in another format, for example large print or braille.\n\nThe person who appoints you is called the \u2018donor\u2019. You\u2019re their \u2018attorney\u2019.\n\nYou don\u2019t need any legal experience to act as someone\u2019s attorney.\n\nThe types of decisions you make depend on whether you\u2019re a:\n\n- property and financial affairs attorney\n\n- health and welfare attorney\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Making decisions\n\nCheck what you need to do before you\u2019re allowed to start making decisions.\n\nAfter you start you must:\n\n- follow any instructions the donor included in the LPA\n\n- consider any preferences the donor included in the LPA\n\n- help the donor make their own decisions as much as they can\n\n- make any decisions in the donor\u2019s best interests\n\n- respect their human and civil rights\n\nYou must make the decisions yourself - you can\u2019t ask someone to make them for you.\n\nYou can get help making difficult decisions. Your decisions can be checked.\n\n## If you\u2019re not the only attorney\n\nCheck the LPA. It will tell you whether you must make decisions:\n\n- \u2018jointly\u2019 - this means all the attorneys must agree\n\n- \u2018jointly and severally\u2019 - this means you can make decisions together or on your own\n\nThe LPA may tell you to make some decisions \u2018jointly\u2019 and others \u2018jointly and severally\u2019.\n\nFind out what to do if you make decisions jointly with someone who stops acting as an attorney.\n\n## Property and financial affairs attorneys\n\nAs a property and financial affairs attorney, you make (or help the donor make) decisions about things like:\n\n- money, tax and bills\n\n- bank and building society accounts\n\n- property and investments\n\n- pensions and benefits\n\nYou can use the donor\u2019s money to look after their home and buy anything they need day to day (for example, food).\n\nDiscuss decisions that affect the donor\u2019s living arrangements, medical care or daily routine with their health and welfare attorney, if they have one.\n\n## Looking after money and property\n\nYou must keep the donor\u2019s finances separate from your own, unless you\u2019ve already got something in both of your names like a joint bank account or you own a home together.\n\n## Managing bank accounts\n\nBefore you can manage the donor\u2019s account, you must show the bank the original registered lasting power of attorney (LPA) or a copy of it signed on every page by the donor, a solicitor or notary.\n\nYou\u2019ll also need to give proof of:\n\n- your name\n\n- your address\n\n- the donor\u2019s name or address if they\u2019re not the same as on the bank account\n\nThe bank might ask for additional types of proof.\n\n## Spending money on gifts or donations\n\nUnless the LPA states otherwise, you can spend money on:\n\n- gifts to a donor\u2019s friend, family member or acquaintance on occasions when you would normally give gifts (such as birthdays or anniversaries)\n\n- donations to a charity that the donor wouldn\u2019t object to, for example a charity they\u2019ve donated to before\n\nYou must apply to the Court of Protection for any other type of gift or donation, even if the donor has given them before. These include:\n\n- paying someone\u2019s school or university fees\n\n- letting someone live in the donor\u2019s property without paying market rent (anything they pay below market rent counts as a gift)\n\n- interest-free loans\n\nYou must check that the donor can afford the gift or donation, even if they\u2019ve spent money on these types of things before. For example, you can\u2019t donate their money if that would mean they couldn\u2019t afford their care costs.\n\nRead the guidance for more information on giving gifts or donations.\n\n## Buying and selling property\n\nYou\u2019ll need to get legal advice if:\n\n- the sale is below the market value\n\n- you want to buy the property yourself\n\n- you\u2019re giving it to someone else\n\n## Making a will\n\nYou can apply for a statutory will if the donor needs to make a will but can\u2019t do it themselves.\n\nYou can\u2019t change a donor\u2019s will.\n\nYou can be ordered to repay the donor\u2019s money if you misuse it or make decisions to benefit yourself.\n\n## Health and welfare attorneys\n\nAs a health and welfare attorney, you make (or help the donor make) decisions about things like:\n\n- daily routine, for example washing, dressing and eating\n\n- medical care\n\n- where the donor lives\n\nYou might need to spend the donor\u2019s money on things that maintain or improve their quality of life. This can include:\n\n- new clothes or hairdressing\n\n- decorating their home or room in a care home\n\n- paying for extra support so the donor can go out more, for example to visit friends or relatives or to go on holiday\n\nYou must ask for money from the person in charge of the donor\u2019s funds.\n\n## Refusing or consenting to treatment\n\nCheck the lasting power of attorney (LPA) for instructions about refusing or consenting to treatment.\n\nYou\u2019ll need to:\n\n- show the LPA to care staff\n\n- sign medical consent forms\n\n- make decisions in the donor\u2019s best interests\n\nYou can\u2019t always make decisions about the donor\u2019s medical treatment, for example if the donor\u2019s made a living will or has been sectioned.\n\n## Living wills (\u2018advance decisions\u2019)\n\nThis is a legal statement from the donor about which medical treatments they don\u2019t want. You\u2019ll need to give this to care staff along with the LPA.\n\nNHS Choices has information about advance decisions.\n\n## Apply for a one-off decision\n\nYou may need to apply for a one-off decision from the Court of Protection to make a decision about a medical treatment if:\n\n- the living will and LPA give different instructions\n\n- the medical staff or the donor\u2019s friends and family disagree about whether the treatment should be given\n\n## Start acting as an attorney\n\nYou must have a registered lasting power of attorney (LPA) before you can start acting as an attorney.\n\nThe LPA is registered when the Office of the Public Guardian (OPG) has stamped it with \u2018VALIDATED-OPG\u2019.\n\nYou can prepare before you start by talking to the donor so you\u2019re ready to make decisions in their best interests. For example, ask about their plans for their money or how they want to be cared for if they become seriously ill.\n\n## Starting as a property and financial affairs attorney\n\nThe LPA may give you permission to make decisions while the donor still has the mental capacity to make their own financial decisions.\n\nIf it doesn\u2019t, you can only start making decisions when they don\u2019t have mental capacity.\n\n## Starting as a health and welfare attorney\n\nYou can only make decisions when the donor doesn\u2019t have mental capacity to make them.\n\nYou must tell people involved in the donor\u2019s care when you start. This includes the donor\u2019s:\n\n- friends and family\n\n- doctor and other healthcare staff\n\n- care workers, social worker and other social care staff\n\nStaff may want to see proof of your identity and either the original LPA or a certified copy.\n\n## Taking over as a replacement attorney\n\nReplacement attorneys are listed in the LPA.\n\nYou\u2019ll be able to start helping a donor make decisions as soon as the attorney you\u2019re replacing stops acting. Check the LPA to see if there are other attorneys you might need to make decisions with.\n\n## Records and expenses\n\nKeep a record of:\n\n- important decisions you make and when, for example selling the donor\u2019s home or agreeing to medical treatment\n\n- the donor\u2019s assets, income and how you spend their money - if you\u2019re their finance and property affairs attorney\n\nInclude details of who you asked for advice and any disagreements.\n\nDon\u2019t include small, everyday decisions.\n\n## Expenses\n\nYou can only claim expenses for things you must do to carry out your role as an attorney, for example:\n\n- hiring a professional to do things like fill in the donor\u2019s tax return\n\n- travel costs\n\n- stationery\n\n- postage\n\n- phone calls\n\nYou can be ordered to repay the donor\u2019s money if you misuse it or make decisions to benefit yourself.\n\nKeep your receipts and invoice the donor for your expenses. The money is paid by whoever\u2019s in charge of the donor\u2019s funds.\n\n## Checks and visits\n\nThe Office of the Public Guardian and Court of Protection can check your decisions. They may:\n\n- arrange a visit with you and the donor together, or the donor alone\n\n- contact other people such as the donor\u2019s family, bank or care workers\n\nThey can investigate and stop you acting as an attorney if, for example:\n\n- you\u2019ve done something the lasting power of attorney (LPA) says you can\u2019t\n\n- you haven\u2019t done something the LPA has instructed you to do\n\n- you haven\u2019t been acting in the donor\u2019s best interests\n\n- you misuse the donor\u2019s money or make decisions to benefit yourself\n\n- you do something that goes against their human or civil rights\n\n- the donor isn\u2019t being treated well\n\n- the donor made the LPA under pressure or they were tricked into it\n\n## Stop acting as an attorney\n\nThe lasting power of attorney (LPA) ends when the donor dies.\n\nTell the Office of the Public Guardian (OPG) and send them:\n\n- a copy of the death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n## Stopping before the donor dies\n\nYou can choose to stop acting as an attorney - sometimes called \u2018disclaiming\u2019 an attorneyship.\n\nThere are also some cases in which the law requires you to stop acting as an attorney.\n\nAny replacement attorneys listed in the LPA will take over if you stop.\n\nIf there are no replacements, there may be other ways to help the donor make decisions.\n\n## If you choose to stop\n\nFill in and send a notification form to:\n\n- the donor - if the LPA hasn\u2019t been registered\n\n- the donor and OPG (at the address on the form) - if the LPA is registered\n\n- any other attorneys appointed on the LPA\n\n## When you have to stop\n\nYou must stop acting as an attorney if:\n\n- the donor takes you off their LPA - sometimes called \u2018revoking\u2019 an attorney\n\n- you lose mental capacity and can\u2019t make decisions any more\n\n- you\u2019re a property and financial affairs attorney and you become bankrupt or subject to a debt relief order\n\n- you\u2019re married to or in a civil partnership with the donor and you get a divorce or an annulment (unless the LPA says you can keep acting as an attorney)\n\n- you\u2019re a joint attorney and another attorney stops acting, unless the LPA says you can carry on making decisions", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/lasting-power-attorney-duties", + "answerable": true, + "scenario": "My grandfather has appointed me as his financial affair attorney and i have been running his businesses efficiently . He has been diagnosed with a terminal illness and has few day to live.", + "original_question": "Will a power of attorney still be valid after my grandfather dies?" + }, + { + "id": "train-84", + "question": "Scenario: I married my wife 10 years ago. I now want to legally change my gender and I am applying for a Gender Recognition Certificate.\n\nQuestion: Will my marriage's legal status change?\n\nDocument - Apply for a Gender Recognition Certificate:\n## Overview\n\nApply to the Gender Recognition Panel for a Gender Recognition Certificate if you want your acquired gender to be legally recognised in the UK.\n\nThere are 3 different ways (\u2018routes\u2019) to get a certificate - which one you use depends on your situation.\n\nRead the full guidance before you apply.\n\n## Standard route\n\nApply by the standard route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria (discomfort with your birth gender) - this is also called gender identity disorder, gender incongruence or transsexualism\n\n- you\u2019ve lived in your acquired gender for at least 2 years\n\n- you intend to live in your acquired gender for the rest of your life\n\n## Alternative route\n\nApply by the alternative route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria or had surgery to change your sexual characteristics\n\n- you live in England, Wales, Northern Ireland or Scotland most of the time\n\n- you intend to live in your acquired gender for the rest of your life\n\n- you\u2019re in (or have been in) a protected marriage or protected civil partnership before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\n- you\u2019ve lived in your acquired gender for at least 6 years before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\nA marriage or civil partnership is protected if it\u2019s one of the following:\n\n- registered under the law of England, Wales or Northern Ireland\n\n- a marriage solemnised in Scotland\n\n- a civil partnership registered in Scotland\n\n- a marriage registered under the law of a country or territory outside the UK\n\n- a marriage on UK consular premises or in an armed forces base, if you elected England, Wales, Northern Ireland or Scotland as the relevant part of the UK\n\n## Overseas route\n\nApply by the overseas route if your acquired gender has been legally accepted in an \u2018approved country or territory\u2019 and you have documents to prove it.\n\nYou must be 18 or over.\n\n## Help you can get\n\nYou can get information, advice and support from a number of voluntary organisations - you can find a list on page 21 of the full guidance.\n\nYou can also contact Citizens Advice or find a legal adviser.\n\n## If you're married or in a civil partnership\n\n## If you\u2019re married\n\nYou can stay married if you apply for a Gender Recognition Certificate.\n\nYou and your spouse must fill in a statutory declaration saying you both agree to stay married.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.\n\nIf your marriage is registered in England, Wales or Northern Ireland and you have an interim certificate, you\u2019ll only get a full certificate once you end your marriage.\n\nIf your marriage was registered in Scotland, you can use an interim certificate to apply to the sheriff court for a full certificate. You do not need to end your marriage first.\n\nContact the administrative team at the Gender Recognition Panel if either you or your spouse change your mind about staying married during the application process.\n\n## If you\u2019re in a civil partnership\n\nYou can stay in your civil partnership if it was registered in England, Wales or Northern Ireland.\n\nYour partner must fill in a statutory declaration saying they agree to stay in a civil partnership with you. Contact the Gender Recognition Panel for help with filling in the declaration.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if your partner does not fill in a statutory declaration.\n\n## Civil partnerships registered in Scotland\n\nIf your civil partnership was registered in Scotland, you must end it or convert your civil partnership to marriage.\n\nIf you decide to convert your civil partnership into a marriage you must do it before you apply to the Gender Recognition Panel.\n\nIf you\u2019re still in a civil partnership when you apply to the Gender Recognition Panel, you\u2019ll get an \u2018interim certificate\u2019. You must end the civil partnership before you can get a full certificate.\n\n## How to apply\n\nDownload and fill in the right form for your application.\n\n| | Form | Guidance |\n\n| Standard route | Form T450 | Leaflet T451 |\n\n| Alternative route | Form T464 | Leaflet T465 |\n\n| Overseas route | Form T453 | Leaflet T454 |\n\nSend the completed form with your fee and any supporting documents relevant to your application.\n\n## Fees\n\nIt costs \u00a35 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\n## Get help with your application\n\nContact the administrative team at the Gender Recognition Panel for advice on the application process.\n\n## Documents you must provide\n\nYou must send certain documents when you apply, depending on which application route you use and whether you\u2019ve ever been married or in a civil partnership.\n\nYou might need to send original documents - you\u2019ll get them back after the Gender Recognition Panel has looked at your application. You will not get any statutory declarations back.\n\nFor all application routes, you must download and fill in the relevant statutory declaration for:\n\n- single people\n\n- married people or civil partners\n\n## If you\u2019ve ever been married or in a civil partnership\n\nFor all application routes you must provide the following (if relevant):\n\n- an original or certified copy of your marriage or civil partnership certificate\n\n- a copy of the decree ending your marriage or proof that any previous civil partnership has been dissolved\n\n- a copy of your spouse\u2019s death certificate\n\nIf you want to stay married, your spouse must fill in a statutory declaration for a spouse.\n\n## Standard or alternative route\n\nFor all application routes you must send:\n\n- an original or certified copy of your birth certificate\n\n- copies of any official documents that show your birth name has changed to your current name\n\n- proof you\u2019ve lived in your acquired gender for the required time\n\n- any required medical reports\n\nYou need to have lived in your acquired gender for 2 years if applying through the standard route.\n\nIf you\u2019re applying through the alternative route you need to have lived in your acquired gender for 6 years before 10 December 2014, or 16 December 2014 if you\u2019re in Scotland.\n\n## Proof you\u2019ve lived in your acquired gender\n\nThis proof must cover the required time that you\u2019ve lived in your acquired gender. It could include copies of your:\n\n- passport\n\n- driving licence\n\n- payslips or benefit documents\n\n- utility bills or other documents of an official nature\n\nAll documents should be in your acquired name and gender. The earliest document must be dated before the beginning of the required time.\n\n## Medical reports\n\nFor the standard and alternative application routes you must send a report that includes details of any treatment you\u2019ve had to change your sexual characteristics, for example hormone treatment or surgery.\n\nThe report must be an original copy from a qualified medical professional, for example a:\n\n- doctor registered with the General Medical Council (GMC)\n\n- psychologist registered with the Health and Care Professions Council\n\nYou can ask your GP or surgeon to fill in a report for you if you do not have one already.\n\nIf you have not had any treatment or surgery yet, you must send a report that includes details of any planned treatment or surgery.\n\nIf you are applying by the standard route you must also send a report with details of your gender dysphoria diagnosis.\n\nRead the list of gender dysphoria specialists to find out who can write this report for you. You can send a report from a registered medical professional not on this list if they can prove they work in gender dysphoria.\n\n## Overseas route\n\nIf you\u2019re applying using the overseas route, you must prove that your gender has been legally recognised in an \u2018approved country or territory\u2019. Send original or certified copies of the following (if you have them):\n\n- your new birth certificate and old birth certificate\n\n- an amended birth certificate that shows the change of gender\n\n- a court order authorising your change of gender\n\n- a document that\u2019s equivalent to a Gender Recognition Certificate\n\n- an entry in a legal register that proves your acquired gender has been recognised\n\n## What happens next\n\nYour application will be assessed by the Gender Recognition Panel - you\u2019ll be contacted if they need more proof or information.\n\nContact the administrative team at the Gender Recognition Panel to find out about your application\u2019s progress.\n\n## If you get a full certificate\n\nYou\u2019ll be sent information on:\n\n- how to get a new birth certificate, marriage certificate or civil partnership where appropriate\n\n- who you must tell about your gender change\n\nYour pension and benefits may be affected.\n\n## If you\u2019re given an interim certificate\n\nYou\u2019ll be sent information on:\n\n- how to annul or dissolve your marriage or civil partnership\n\n- how long you have to convert your civil partnership to a marriage, if applicable\n\n## If your application is turned down\n\nYou\u2019ll be told why your application was rejected.\n\nYou may be able to appeal the decision if you think it\u2019s wrong on a point of law.\n\nWhere you appeal depends on whether you live in:\n\n- England and Wales - appeal to the High Court Family Division\n\n- Scotland - appeal to the Court of Session in Edinburgh\n\n- Northern Ireland - appeal to the High Court\n\nYou\u2019ll be told in your decision letter how to appeal or apply again.\n\n## Legislation\n\nThe Gender Recognition Panel must apply the law in the Gender Recognition Act 2004 and the following amendments:\n\n- Schedule 5, Section 12 of the Marriage (Same Sex Couples) Act 2013\n\n- Part 4 of the Marriage and Civil Partnership (Scotland) Act 2014", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "answerable": true, + "scenario": "I married my wife 10 years ago. I now want to legally change my gender and I am applying for a Gender Recognition Certificate.", + "original_question": "Will my marriage's legal status change?" + }, + { + "id": "train-86", + "question": "Scenario: My 76 year old father from Kent has been missing for 5 years now, my sister still thinks there is hope but I do not.\n\nQuestion: Can I get a death certificate for him although my sister does not want too?\n\nDocument - Get a declaration of presumed death:\n## Overview\n\nYou can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:\n\n- 7 years or more\n\n- less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster\n\nA missing person is not automatically presumed dead.\n\nYou must make a claim for a declaration of presumed death if you want to do certain things, for example deal with their estate.\n\n## Who can make a claim\n\nYou can make a claim if you\u2019re the missing person\u2019s:\n\n- spouse or civil partner\n\n- parent\n\n- child\n\n- sibling\n\nIf none of these apply, you\u2019ll need to prove to the court that you have enough of a connection to the missing person (\u2018sufficient interest\u2019), for example you\u2019re a distant relative and you have a birth certificate to prove it.\n\n## What else must be true to make a claim\n\nTo make a claim one or more of the following must also apply:\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you treat England or Wales as your permanent home (\u2018domicile\u2019) on the date you make the claim\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you\u2019ve been living in England or Wales for the whole year before the date you make the claim\n\n- the missing person treated England or Wales as their permanent home (\u2018domicile\u2019) on the date they were last known to be alive\n\n- the missing person was living in England or Wales for the whole year before the date they were last known to be alive\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Fees\n\nIt costs \u00a3528 to get a declaration of presumed death. You may be able to get help paying court fees.\n\n## Make a claim for a declaration of presumed death\n\nYou can make a claim yourself or use a legal representative.\n\n- Make your claim.\n\n- Advertise your claim in a newspaper.\n\n- Attend a hearing.\n\n## Make your claim\n\nDownload and fill in a claim form (N208) with details about:\n\n- yourself - known as the \u2018claimant\u2019\n\n- the missing person - known as the \u2018defendant\u2019\n\n- your claim\n\nInclude relevant information about your claim in the section \u2018details of your claim\u2019.\n\nSend the following to a court that can hear High Court cases.\n\n- form N208 - 1 copy for each person named in the form plus a copy for the court\n\n- any supporting evidence, for example statements from witnesses, police reports\n\n- the claim fee of \u00a3528 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019\n\nThe court will stamp your form with an issue date and keep one copy. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.\n\n## Send copies of your claim to other people\n\nSend a copy of form N208 and an acknowledgement of service form within 7 days of the issue date on the form to:\n\n- the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive send it to the missing person\u2019s nearest relative\n\n- any other person or organisation who might have an interest, for example an insurance company\n\nYou must advertise your application in a newspaper within 7 days.\n\n## Advertise your claim in a newspaper\n\nYou must advertise your application in a newspaper local to the missing person\u2019s last known address.\n\nPlace the advert within 7 days of the issue date stamped on the claim form.\n\n## Use standard text for the advert\n\nUse the following text and make sure you:\n\n- put your case number after the words case number\n\n- replace or delete as appropriate the words in square brackets with the relevant details\n\n## Standard text\n\n\u201cIn the High Court of Justice [Chancery] [Family] Division\n\nCase number.\n\nIn the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].\n\nA claim has been issued in the High Court of Justice, for a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.\n\nIf you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.\n\n(If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d\n\n## Send a copy to the court\n\nSend the court a copy of the newspaper page showing the advertisement so it arrives at least 5 days before your court hearing.\n\n## Attend a hearing\n\nYou\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.\n\nBring any relevant documents.\n\nYour claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.\n\nAt the hearing you might be:\n\n- asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need\n\n- told there has to be another hearing - there may be several hearings before a decision is made\n\nIf the court agrees with your application, you\u2019ll get a declaration of presumed death at the hearing or later by letter.\n\n## Get a certificate of presumed death\n\nApply to the General Register Office for a certificate of presumed death.\n\nYou can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.\n\nYou can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.\n\nThe certificate can be used like a normal death certificate, for example to deal with a missing person\u2019s estate.\n\nIt costs \u00a311.\n\n## Appeal a decision\n\nContact the Civil Appeals Office to appeal against the High Court\u2019s decision.\n\n## Make a complaint\n\nUse the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/get-declaration-presumed-death", + "answerable": true, + "scenario": "My 76 year old father from Kent has been missing for 5 years now, my sister still thinks there is hope but I do not.", + "original_question": "Can I get a death certificate for him although my sister does not want too?" + }, + { + "id": "train-87", + "question": "Scenario: My husband worked on the nuclear submarines in the 1990s. He later got cancer, and sadly died last week. It is thought that the cancer was caused by exposure to nuclear radiation during his service.\n\nQuestion: Can I get a grant to help with the costs of his funeral?\n\nDocument - War Widow(er) Pension:\n## Overview\n\nYou may be entitled to War Widow\u2019s or Widower\u2019s Pension if your wife, husband or civil partner died as a result of their service in Her Majesty\u2019s (HM) Armed Forces or during a time of war.\n\nThey must have served before 6 April 2005, but you may be eligible if they died of an illness or injury later.\n\n## Eligibility\n\nOne of the following must apply. Your husband, wife or civil partner:\n\n- died as result of their service in HM Armed Forces before 6 April 2005\n\n- was a civil defence volunteer or a civilian and their death was a result of the 1939 to 1945 war\n\n- was a merchant seaman, a member of the naval auxiliary services, or a coastguard and their death was a result of an injury or disease they got during a war or because they were a prisoner of war\n\n- died as a result of their service as a member of the Polish Forces under British command during the 1939 to 1945 war, or in the Polish Resettlement Forces\n\n- was getting a War Pensions Constant Attendance Allowance at the time of their death, or would have been had they not been in hospital\n\n- was getting a War Disablement Pension at the 80% rate or higher and was getting Unemployability Supplement\n\nYou may be entitled to a pension if you lived with a partner as husband and wife or as civil partners.\n\n## Illness, injury and death on or after 6 April 2005\n\nIf your partner was injured, developed an illness or died as a result of service on or after 6 April 2005, you can claim through the Armed Forces Compensation Scheme.\n\n## What you'll get\n\nWar Widow\u2019s or Widower\u2019s Pension is paid at different rates depending on your age and circumstances.\n\nYou do not pay tax on it.\n\nAll benefits, pensions and allowances are paid into an account, for example your bank account.\n\n## How to claim\n\nTo claim War Widow\u2019s or Widower\u2019s Pension you can either:\n\n- download a claim form\n\n- phone the Veterans UK helpline and ask for a claim form\n\nSend the completed form to:\n\n## How to appeal\n\nIf you disagree with a decision about your claim you can appeal to an independent Pensions Appeal Tribunal.\n\nBefore you appeal you should:\n\n- ask Veterans UK for more information about how the decision was reached\n\n- ask for the decision to be reconsidered if there are some facts Veterans UK may not have known when they made their decision\n\nIf you\u2019re still unhappy with the outcome contact Veterans UK to let them know that you want to appeal.\n\n## Further information\n\n## Changes in your circumstances\n\nYou\u2019ll continue to get your pension if you marry, form a civil partnership or start living with a partner on or after 1 April 2015.\n\nIf this happened before 1 April 2015, you\u2019ll still get a pension if both:\n\n- your late spouse or civil partner left service before 31 March 1973\n\n- your new relationship started on or after 6 April 2005\n\nOtherwise, your pension would have been stopped.\n\n## If your pension stopped\n\nYou can claim your pension again if:\n\n- you become widowed again\n\n- you divorce or separate\n\n- your civil partner dies\n\n- your civil partnership ends\n\n- you stop living with the person as their partner\n\nMake sure you tell Veterans UK of any changes in your circumstances so you get the right amount of pension.\n\n## Funeral expenses\n\nVeterans UK may be able to pay a grant of up to \u00a32,200 towards a veteran\u2019s funeral if any of the following apply:\n\n- death was due to service before 6 April 2005\n\n- War Pensions Constant Attendance Allowance was being paid or would have been paid if the war pensioner had not been in hospital when they died\n\n- Unemployability Supplement was being paid at the time of death and the War Disablement Pension was assessed at 80% or more\n\nThe payment can be made to the veteran\u2019s widow or widower, next of kin or person paying for the funeral.\n\nYou must make a claim within 3 months of the funeral.\n\n## How to apply\n\nDownload the claim form. Send the completed form to:", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/war-widow-pension", + "answerable": true, + "scenario": "My husband worked on the nuclear submarines in the 1990s. He later got cancer, and sadly died last week. It is thought that the cancer was caused by exposure to nuclear radiation during his service.", + "original_question": "Can I get a grant to help with the costs of his funeral?" + }, + { + "id": "train-91", + "question": "Scenario: I became a deputy for my elderly mother in August 2018; she currently has advanced Alzheimer's. Over the last couple of years I believe I have been over-charged deputyship fees. I will remain a depty for mum until her death. I live in Lincolnshire, she also lives in the same county in a residential care home.\n\nQuestion: Can I apply for a deputyship fee refund?\n\nDocument - Claim a deputyship fee refund:\n## Overview\n\nYou might be eligible for a refund if you were overcharged deputyship fees by the Office of the Public Guardian (OPG) for England and Wales.\n\nThe refunds are only for deputyship assessments and annual supervisions which took place between 1 April 2008 and 31 March 2015.\n\nThis page is also available in Welsh (Cymraeg).\n\nTo find out if you\u2019re owed any money and how much you\u2019ll get, you\u2019ll need to make a claim to the OPG.\n\nIf you\u2019re a deputy acting under a current court order, you do not need to apply for a refund. Any overcharged fees will be refunded automatically.\n\nThe deadline for refund claims is 4 October 2022.\n\n## What you\u2019ll get\n\nHow much you get will depend on:\n\n- how much you paid and at what rate\n\n- how long you paid for\n\n- whether you have unpaid fees\n\nMost refunds will be less than \u00a3200. You\u2019ll also get 0.5% interest.\n\n## Who can claim\n\nYou can make a claim if you:\n\n- had a deputy previously\n\n- are acting on behalf of someone who had a deputy and has died\n\nThe deputyship must have been active between 1 April 2008 and 31 March 2015.\n\nIf you\u2019re still acting as a deputy, you do not need to apply. Any overcharged fees will be refunded automatically.\n\n## If you had a deputy previously\n\nIf you had a deputy but you now make your own decisions, you can apply for a refund.\n\nYou can also ask your property and financial affairs attorney to make a claim on your behalf.\n\n## If you\u2019re acting on behalf of someone who has died\n\nIf the person who used to have a deputy (the \u2018client\u2019) has died, the executor of the will must claim the refund.\n\nIf there is no executor, an administrator of the estate can apply.\n\nIf there is no estate administrator, a family member can apply.\n\n## What you do with the refund\n\nAny refund received should be divided between the beneficiaries of the client\u2019s estate.\n\nIf the client\u2019s estate has already been settled, you can get help from Citizens Advice or a solicitor to make sure you comply with the law.\n\n## What you'll need to claim\n\nTo claim, you\u2019ll need details of the person who had a deputy (the \u2018client\u2019). This includes their:\n\n- name\n\n- date of birth\n\n- address when the deputyship ended\n\n- date of death (if relevant)\n\nYou\u2019ll also need to provide details of the bank account you\u2019d like the refund to be paid in to (if you do not want to be refunded by cheque).\n\n## Documents you\u2019ll need to provide\n\nYou\u2019ll need to send proof of your:\n\n- name\n\n- address\n\n- right to apply (if you\u2019re not the client)\n\nYou can send scanned and photocopied documents.\n\nYou can also send original documents. They will be returned to you by post.\n\nYou need to send a different piece of evidence for each type of proof.\n\n## Proof of your name\n\nThis can be:\n\n- current signed passport (copy of the page showing your name and photograph)\n\n- original birth or adoption certificate\n\n- current UK or EEA photocard driver\u2019s licence (not provisional licence)\n\n- full old-style driving licence\n\n- EEA member state identity card or national identity photo card\n\n- benefit book or original notification letter from the benefits agency\n\n## Proof of your address\n\nThis can be:\n\n- utility bill (not a mobile phone bill) from the last 12 months\n\n- current council tax bill\n\n- bank, building society or credit union statement or passbook dated within the last 3 months\n\n- original mortgage statement issued for the last full year\n\n- council or housing association or rent card or tenancy agreement for the current year\n\n## Proof of your right to apply\n\nInclude a copy of:\n\n- grant of probate (executors)\n\n- letters of administration (administrators)\n\n- death certificate (family members)\n\nIf you\u2019re a property and financial affairs attorney, you\u2019ll need to provide the lasting power of attorney reference number.\n\n## How to claim\n\nYou will need to complete a form and send it with your evidence.\n\n## Claim by email\n\nSend the form and evidence as email attachments to:\n\nDeputyshipFeeRefunds@justice.gov.uk\n\nYou\u2019ll need to attach scanned copies or clear photographs of original documents. The email size limit is 10MB but you can send more than one email.\n\nWrite \u2018Deputyship fee refund application\u2019 as the email subject.\n\n## Claim by post\n\nPost the form and your evidence to:\n\n## Claim by phone\n\nIf you cannot claim by email or fill in the form yourself, contact the helpline. You\u2019ll still need to send evidence.\n\n## After you've claimed\n\nYou\u2019ll be told by email or letter:\n\n- when your application has been received\n\n- if any information is missing\n\n- whether your claim is successful\n\n- the refund amount and when it\u2019ll be paid\n\n- the reasons for any rejection\n\n## When you\u2019ll get the refund\n\nIt can take up to 10 weeks to get a decision and a further 2 weeks to receive the refund.\n\n## If your claim is rejected\n\nYou can appeal by contacting the Refunds Helpline.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/deputyship-refund", + "answerable": true, + "scenario": "I became a deputy for my elderly mother in August 2018; she currently has advanced Alzheimer's. Over the last couple of years I believe I have been over-charged deputyship fees. I will remain a depty for mum until her death. I live in Lincolnshire, she also lives in the same county in a residential care home.", + "original_question": "Can I apply for a deputyship fee refund?" + }, + { + "id": "train-93", + "question": "Scenario: My aunt has appointed me as her next of kin to oversee her finances after suffering from stroke. I want to apply as her tax relief appointee to act on her behalf.\n\nQuestion: Will I be automatically authorised to undertake this role and help her claim tax relief?\n\nDocument - Claiming and dealing with tax credits for someone else:\n## Overview\n\nYou can get permission to deal with someone else\u2019s tax credits. The type of permission you need depends on what you want to do.\n\nYou can:\n\n- contact HM Revenue and Customs (HMRC) about someone else\u2019s claim - as an authorised intermediary\n\n- take responsibility for someone else\u2019s tax credit claim when they cannot manage their own affairs - as an appointee\n\n- claim tax credits for both your child and their baby\n\n## Authorisation\n\nYou must be authorised to talk to HM Revenue and Customs (HMRC) about someone else\u2019s tax credits. If you\u2019re not, every time you call that person must first confirm their identity and say they\u2019re happy for you to act for them.\n\n## Get authorised\n\nSend form TC689 to HMRC. This must be signed by the person (or persons if it\u2019s a joint claim) you\u2019re representing.\n\nThe authorisation lasts 12 months unless a different end date is put on the form. It usually takes 2 days to get authorised from when your form is received but can take longer if you send a letter instead of form TC689. Usually, you will not get a letter confirming your authorisation.\n\nMore than one person can be authorised but each one must send a TC689 form.\n\nTax credits will not be paid into your account unless you\u2019re the appointee.\n\n## If you act for a lot of clients\n\nWrite to HMRC to register as an \u2018intermediary organisation\u2019 if you work in the voluntary sector and act for many people.\n\nYou can get urgent authorisation online if you\u2019re an intermediary organisation and you have a completed TC689.\n\nUse form 64-8 to get authorisation if you\u2019re a paid agent. You can then use the Agent Priority Line to contact HMRC.\n\n## Cancel an authorisation\n\nAn authorisation can be cancelled by writing to HMRC.\n\n## Appointees\n\nYou can apply for the right to deal with the tax credits of someone who cannot manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.\n\nThis is called becoming an \u2018appointee\u2019.\n\nYou\u2019re not an appointee if you just help someone complete their claim form.\n\n## Applying to become a tax credit appointee\n\nYou must be over 18 and have a bank account. You do not have to be a relative.\n\nIf you have a tax credit claim form, complete the appointee section explaining why the person cannot complete and sign their form. Then send the form to HM Revenue and Customs (HMRC). They may contact you for more information before deciding whether to make you an appointee or not.\n\nIf you do not have a claim form, contact HMRC.\n\n## Your responsibilities\n\nYou must:\n\n- sign the tax credit claim form\n\n- renew the tax credits claim\n\n- report any changes which affect how much money the person gets\n\n- tell HMRC if you\u2019re no longer the appointee\n\nAny tax credits the person gets are paid directly into your bank account. If you make a false or misleading statement you may be charged a penalty.\n\nThe claimant is responsible for paying back overpayments. Their tax credits may be reduced or you may be asked to make a direct payment on their behalf.\n\n## Stop being an appointee\n\nWrite to HMRC within 1 month of when you want to stop being the appointee.\n\n## Claim on behalf of your child\n\n## Your child is under 16\n\nIf your child has a baby, you can make the claim for both of them if they live with you. The money will be paid to you.\n\n## Your child is over 16\n\nYour child can make the claim themselves if they\u2019re over 16 and have a baby.\n\nYou can make the claim for them if both the following apply:\n\n- your child and their baby live with you\n\n- your child is in approved education or training\n\nYou must stop claiming tax credits for your child if they start claiming tax credits for themselves. Phone HM Revenue and Customs (HMRC) to stop claiming tax credits.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/getting-help-with-your-tax-credits-claim", + "answerable": true, + "scenario": "My aunt has appointed me as her next of kin to oversee her finances after suffering from stroke. I want to apply as her tax relief appointee to act on her behalf.", + "original_question": "Will I be automatically authorised to undertake this role and help her claim tax relief?" + }, + { + "id": "train-94", + "question": "Scenario: My son is currently 13. He had a serious accident when he was younger and as a result of this struggles to walk and sometimes has to use a wheelchair to get around.\n\nQuestion: My child needs a lot of extra support at the moment, will I qualify for the maximum DLA payment?\n\nDocument - Disability Living Allowance (DLA) for children:\n## Overview\n\nDisability Living Allowance (DLA) for children may help with the extra costs of looking after a child who:\n\n- is under 16\n\n- has difficulties walking or needs much more looking after than a child of the same age who does not have a disability\n\nThey will need to meet all the eligibility requirements.\n\nThe DLA rate is between \u00a323.70 and \u00a3152.15 a week and depends on the level of help the child needs.\n\n## DLA rates for children\n\nDisability Living Allowance (DLA) for children is a tax-free benefit made up of 2 components (parts). The child might qualify for one or both components.\n\n## Care component\n\n| Care component | Weekly rate |\n\n| Lowest | \u00a323.70 |\n\n| Middle | \u00a360.00 |\n\n| Highest | \u00a389.60 |\n\n## Mobility component\n\n| Mobility component | Weekly rate |\n\n| Lower | \u00a323.70 |\n\n| Higher | \u00a362.55 |\n\n## How DLA for children is paid\n\nDLA is usually paid every 4 weeks on a Tuesday.\n\nIf your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Extra help\n\nYou might qualify for Carer\u2019s Allowance if you spend at least 35 hours a week caring for a child who gets the middle or highest care rate of DLA.\n\n## Eligibility\n\nUsually, to qualify for Disability Living Allowance (DLA) for children the child must:\n\n- be under 16 - anyone over 16 must apply for Personal Independence Payment (PIP)\n\n- need extra looking after or have walking dif\ufb01culties\n\n- be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces\n\n- have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old\n\n- be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands\n\n- not be subject to immigration control\n\nThe process is different in Northern Ireland.\n\nThere are some exceptions to these conditions if the child is living in or coming from an EEA country or Switzerland.\n\nYou can claim DLA for children if you\u2019re in or out of work.\n\n## Children under 3\n\nA child under 6 months must have lived in Great Britain for at least 13 weeks.\n\nA child aged between 6 months and 3 years must have lived in Great Britain for at least 26 of the last 156 weeks.\n\nThe rules on residence do not normally apply if a child is terminally ill.\n\n## The child\u2019s disability or health condition\n\nThe child\u2019s disability or health condition must mean at least one of the following apply:\n\n- they need much more looking after than a child of the same age who does not have a disability\n\n- they have difficulty getting about\n\nThey must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.\n\n## Care component\n\nThe rate the child gets depends on the level of looking after they need, for example:\n\n- lowest rate - help for some of the day\n\n- middle rate - frequent help or constant supervision during the day, supervision at night or someone to help while they\u2019re on dialysis\n\n- highest rate - help or supervision throughout both day and night, or they\u2019re terminally ill\n\n## Mobility component\n\nThe rate the child gets depends on the level of help they need getting about, for example:\n\n- lowest rate - they can walk but need help and or supervision when outdoors\n\n- highest rate - they cannot walk, can only walk a short distance without severe discomfort, could become very ill if they try to walk or they\u2019re blind or severely sight impaired\n\nThere are also age limits to receiving the mobility component:\n\n- lowest rate - the child must be 5 years or over\n\n- highest rate - the child must be 3 years or over\n\nIf your child is under these ages and you claim DLA for them, you should be sent a claim pack 6 months before they turn 3 and 6 months before they turn 5. You can then apply for the mobility component if you think they\u2019re eligible for it.\n\nIf you have not received any claim packs and you think your child may be entitled to the mobility component, contact the Disability Service Centre.\n\n## Change of circumstances\n\nContact the Disability Service Centre as soon as the child\u2019s circumstances change. This can affect how much they get, for example if their disability gets worse or they go abroad for medical treatment.\n\nTheir DLA will not usually be affected if they go:\n\n- into a local authority care home for less than 28 days\n\n- into a hospital\n\n- abroad for less than 13 weeks\n\n- abroad for less than 26 weeks to get medical treatment for a condition which began before they left\n\n## How to claim\n\nTo claim DLA for a child you need to be their parent or look after them as if you\u2019re their parent. This includes step-parents, guardians, grandparents, foster-parents or older brothers or sisters.\n\nTo apply you can either:\n\n- print off and fill in the DLA claim form\n\n- phone the Disability Living Allowance helpline and ask for a printed form\n\nThe process is different in Northern Ireland.\n\n## Alternative formats\n\nCall the Disability Living Allowance helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## When you\u2019ll be paid\n\nDLA can be paid from the start of your claim. It cannot be backdated. Your claim will start on the date the form is received or the date you call the enquiry line (if you return the claim pack within 6 weeks).\n\nYou\u2019ll usually get a decision letter about 8 weeks (40 working days) after your form is received. The letter will tell you when you\u2019ll get your first payment.\n\n## If the child is terminally ill\n\nThere are special rules if the child is not expected to live more than 6 months, so they can get DLA more quickly.\n\nPhone the Disability Living Allowance helpline to start your claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to the Department for Work and Pensions (DWP).\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## When your child turns 16\n\nYour child will need to apply for Personal Independence Payment (PIP) when they turn 16.\n\n## When they apply for PIP\n\nYour child will get a letter inviting them to apply for PIP. The letter will be sent:\n\n- shortly after their 16th birthday\n\n- when they leave hospital, if they were in hospital on their 16th birthday\n\n- about 20 weeks before their DLA award ends, if they were awarded DLA under the rules for people who are terminally ill\n\nYour child\u2019s DLA payments will stop unless they apply for PIP by the date given in the letter.\n\nIf they apply by the date given in the letter, they\u2019ll continue to receive DLA until their claim is assessed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/disability-living-allowance-children", + "answerable": true, + "scenario": "My son is currently 13. He had a serious accident when he was younger and as a result of this struggles to walk and sometimes has to use a wheelchair to get around.", + "original_question": "My child needs a lot of extra support at the moment, will I qualify for the maximum DLA payment?" + }, + { + "id": "train-95", + "question": "Scenario: I am 24, live in England with my partner and 5 year old son, and am currently studying for a degree at University. I get undergraduate student finance, and my partner works full time.\n\nQuestion: Can I apply for a grant to cover the cost of childcare for my son whilst I attend my course?\n\nDocument - Childcare Grant:\n## Overview\n\nYou may be eligible for help with your childcare costs if you:\n\n- are a full-time higher education student\n\n- have children under 15, or under 17 if they have special educational needs\n\nThe grant:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\nYou must be eligible for student finance to apply for a Childcare Grant.\n\n## What you'll get\n\nThe amount you\u2019ll get depends on:\n\n- your household income\n\n- the number of children who are dependent on you\n\n## 2021 to 2022 academic year\n\nYou can get 85% of your childcare costs or a fixed maximum amount, whichever is less.\n\nThe maximum you can get is:\n\n- up to \u00a3179.62 a week for 1 child\n\n- up to \u00a3307.95 a week for 2 or more children\n\nYou have to pay for any remaining costs.\n\n## 2020 to 2021 academic year\n\nYou can get 85% of your childcare costs or a fixed maximum amount, whichever is less.\n\nThe maximum you can get is:\n\n- up to \u00a3174.22 a week for 1 child\n\n- up to \u00a3298.69 a week for 2 or more children\n\nYou have to pay for any remaining costs.\n\n## How you\u2019re paid\n\nYour grant will be paid into a Childcare Grant Payment Service (CCGPS) account. You\u2019ll get an email telling you how to set one up.\n\nYour childcare provider will send requests for payment to the CCGPS, which you can approve through your account. Your provider will be paid directly from the money in your account.\n\nAny money that\u2019s left over at the end of the academic year will be returned to Student Finance England.\n\nIncome-related, unemployment and housing benefits are not affected by a Childcare Grant.\n\n## Eligibility\n\nTo qualify for a Childcare Grant all the following must apply:\n\n- you\u2019re a full-time student\n\n- your child must be under 15, or under 17 if they have special educational needs\n\n- you get undergraduate student finance based on your household income, or are eligible to\n\n- you\u2019re not getting a Postgraduate Loan\n\n- you\u2019re a permanent resident in England\n\n- the children in your grant application are financially dependent on you\n\n- your childcare provider is on the Ofsted Early Years Register or General Childcare Register - check with your provider\n\n- if your child is cared for at home, the carer cannot be a relative and must be registered with an appropriate body - check with Student Finance England\n\n- neither you or your partner are claiming Tax-Free Childcare, the childcare element of working Tax Credit or Universal Credit\n\n- neither you or your partner receive help with childcare costs from the National Health Service (NHS)\n\nChildcare Grant isn\u2019t the same as 15 or 30 hours free childcare. You can\u2019t use it to pay for those hours.\n\n## How to apply\n\nTo apply for a Childcare Grant follow these steps:\n\n- Apply online as part of your main student finance application.\n\n- Send in evidence. You\u2019ll be told what evidence you need to provide when you apply.\n\n- You\u2019ll be sent a letter telling you how much Childcare Grant you\u2019ll get.\n\n- Create an online account with the Childcare Grant Payment Service (CCGPS). You\u2019ll get an email telling you how to set one up. Your grant will be paid into this account.\n\nUse the paper form instead if you:\n\n- have already applied for student finance but didn\u2019t apply for a childcare grant at the same time\n\n- want to apply for another child\n\nYou can download the form from the student finance form finder.\n\nUse your online account to send the form to Student Finance England, or send it by post.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/childcare-grant", + "answerable": true, + "scenario": "I am 24, live in England with my partner and 5 year old son, and am currently studying for a degree at University. I get undergraduate student finance, and my partner works full time.", + "original_question": "Can I apply for a grant to cover the cost of childcare for my son whilst I attend my course?" + }, + { + "id": "train-96", + "question": "Scenario: My husband and I are both retired and on a low income, so we get pension credit. However, we had some savings so we also get savings credit.\n\nQuestion: Are we eligible for the warm home discount even though we receive savings credit?\n\nDocument - Warm Home Discount Scheme:\n## Overview\n\nYou could get \u00a3140 off your electricity bill for winter 2021 to 2022 under the Warm Home Discount Scheme. The scheme opens on 18 October 2021.\n\nThe money is not paid to you - it\u2019s a one-off discount on your electricity bill, between October and March.\n\nYou may be able to get the discount on your gas bill instead if your supplier provides you with both gas and electricity. Contact your supplier to find out.\n\nThe discount will not affect your Cold Weather Payment or Winter Fuel Payment.\n\n## Eligibility\n\nThere are 2 ways to qualify for the Warm Home Discount Scheme:\n\n- you get the Guarantee Credit element of Pension Credit - known as the \u2018core group\u2019\n\n- you\u2019re on a low income and meet your energy supplier\u2019s criteria for the scheme - known as the \u2018broader group\u2019\n\nHow you apply for the Warm Home Discount Scheme depends on how you qualify for the discount.\n\n## Pre-pay or pay-as-you-go meters\n\nYou can still qualify for the discount if you use a pre-pay or pay-as-you-go electricity meter.\n\nYour electricity supplier can tell you how you\u2019ll get the discount if you\u2019re eligible, for example a voucher you can use to top up your meter.\n\n## Park (mobile) homes\n\nYou apply a different way if you live in a park home.\n\nPark home applications for winter 2021 to 2022 will open in autumn 2021.\n\nFill in the Park Homes Warm Home Discount contact form to be told when the scheme reopens.\n\nContact Charis Grants for more information about the scheme.\n\n## If you get the Guarantee Credit element of Pension Credit\n\nYou qualify for the discount if on 4 July 2021 all of the following apply:\n\n- your energy supplier is part of the scheme\n\n- your name (or your partner\u2019s) is on the bill\n\n- you or your partner are getting the Guarantee Credit element of Pension Credit (even if you get Savings Credit as well)\n\nThis is known as being in the \u2018core group\u2019.\n\n## How to apply\n\nYou\u2019ll receive a letter between October and December 2021 telling you how to get the discount if you qualify.\n\nYour letter will say if you need to call a helpline by 28 February 2022 to confirm your details.\n\nYour electricity supplier will apply the discount to your bill by 31 March 2022.\n\n## If you do not get a letter\n\nContact the Warm Home Discount helpline if you do not get the letter by 31 December and you think you\u2019re eligible for the \u2018core group\u2019.\n\nDo not contact the Warm Home Discount helpline if you\u2019re not eligible for the \u2018core group\u2019.\n\nCheck if you\u2019re eligible to apply another way.\n\n## If you\u2019re on a low income\n\nYou may be able to apply directly to your electricity supplier for help if you do not get the Guarantee Credit element of Pension Credit but:\n\n- your energy supplier is part of the scheme\n\n- you\u2019re on a low income\n\n- you get certain means-tested benefits\n\nThis is known as being in the \u2018broader group\u2019.\n\nTo get the discount you\u2019ll need to stay with your supplier until it\u2019s paid.\n\n## How to apply\n\nYour electricity supplier decides who can get the discount.\n\nThe number of discounts suppliers can give is limited. Check with your supplier as early as possible to see if you\u2019re eligible and how to apply.\n\nCheck with them even if you were eligible for a discount last year.\n\nYour electricity supplier will apply the discount to your bill by 31 March 2022.\n\n## Energy suppliers\n\nThe following suppliers were part of the scheme in winter 2020 to 2021:\n\n- Affect Energy \u2013 see Octopus Energy\n\n- Atlantic \u2013 see SSE\n\n- Avro Energy\n\n- Boost\n\n- Bristol Energy - only if you\u2019re eligible for the \u2018core group\u2019\n\n- British Gas\n\n- British Gas Evolve (formerly British Gas X)\n\n- Bulb Energy\n\n- Co-op Energy - see Octopus Energy\n\n- E (Gas and Electricity)\n\n- E.ON\n\n- Ecotricity - only if you\u2019re eligible for the \u2018core group\u2019\n\n- EDF Energy\n\n- Green Energy UK (GEUK) - only if you\u2019re eligible for the \u2018core group\u2019\n\n- Green Network Energy\n\n- Green Star Energy - see Shell Energy\n\n- iSupply Energy - see EDF Energy\n\n- London Power \u2013 see Octopus Energy\n\n- Lumo - see OVO\n\n- M&S Energy \u2013 see Octopus Energy\n\n- npower\n\n- nPower Select - see E.ON Next\n\n- Octopus Energy\n\n- OVO\n\n- Powershop\n\n- Pure Planet\n\n- Qwest Energy - see Octopus Energy\n\n- Roar Power - see Octopus Energy\n\n- Sainsbury\u2019s Energy\n\n- Scottish Hydro \u2013 see SSE\n\n- ScottishPower\n\n- Shell Energy\n\n- So Energy\n\n- Southern Electric \u2013 see SSE\n\n- Spark\n\n- SSE\n\n- Swalec \u2013 see SSE\n\n- Symbio Energy\n\n- Tonik Energy - see ScottishPower\n\n- Utilita\n\n- Utility Point - only if you\u2019re eligible for the core group\n\n- Utility Warehouse", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/the-warm-home-discount-scheme", + "answerable": true, + "scenario": "My husband and I are both retired and on a low income, so we get pension credit. However, we had some savings so we also get savings credit.", + "original_question": "Are we eligible for the warm home discount even though we receive savings credit?" + }, + { + "id": "train-100", + "question": "Scenario: My brother has not been seen since an earthquake whilst he was on holiday abroad two years ago. He has an estate in the UK I would like to administer for his children.\n\nQuestion: Is it possible for me to declare my brother dead even though he's only been missing two years?\n\nDocument - Get a declaration of presumed death:\n## Overview\n\nYou can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:\n\n- 7 years or more\n\n- less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster\n\nA missing person is not automatically presumed dead.\n\nYou must make a claim for a declaration of presumed death if you want to do certain things, for example deal with their estate.\n\n## Who can make a claim\n\nYou can make a claim if you\u2019re the missing person\u2019s:\n\n- spouse or civil partner\n\n- parent\n\n- child\n\n- sibling\n\nIf none of these apply, you\u2019ll need to prove to the court that you have enough of a connection to the missing person (\u2018sufficient interest\u2019), for example you\u2019re a distant relative and you have a birth certificate to prove it.\n\n## What else must be true to make a claim\n\nTo make a claim one or more of the following must also apply:\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you treat England or Wales as your permanent home (\u2018domicile\u2019) on the date you make the claim\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you\u2019ve been living in England or Wales for the whole year before the date you make the claim\n\n- the missing person treated England or Wales as their permanent home (\u2018domicile\u2019) on the date they were last known to be alive\n\n- the missing person was living in England or Wales for the whole year before the date they were last known to be alive\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Fees\n\nIt costs \u00a3528 to get a declaration of presumed death. You may be able to get help paying court fees.\n\n## Make a claim for a declaration of presumed death\n\nYou can make a claim yourself or use a legal representative.\n\n- Make your claim.\n\n- Advertise your claim in a newspaper.\n\n- Attend a hearing.\n\n## Make your claim\n\nDownload and fill in a claim form (N208) with details about:\n\n- yourself - known as the \u2018claimant\u2019\n\n- the missing person - known as the \u2018defendant\u2019\n\n- your claim\n\nInclude relevant information about your claim in the section \u2018details of your claim\u2019.\n\nSend the following to a court that can hear High Court cases.\n\n- form N208 - 1 copy for each person named in the form plus a copy for the court\n\n- any supporting evidence, for example statements from witnesses, police reports\n\n- the claim fee of \u00a3528 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019\n\nThe court will stamp your form with an issue date and keep one copy. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.\n\n## Send copies of your claim to other people\n\nSend a copy of form N208 and an acknowledgement of service form within 7 days of the issue date on the form to:\n\n- the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive send it to the missing person\u2019s nearest relative\n\n- any other person or organisation who might have an interest, for example an insurance company\n\nYou must advertise your application in a newspaper within 7 days.\n\n## Advertise your claim in a newspaper\n\nYou must advertise your application in a newspaper local to the missing person\u2019s last known address.\n\nPlace the advert within 7 days of the issue date stamped on the claim form.\n\n## Use standard text for the advert\n\nUse the following text and make sure you:\n\n- put your case number after the words case number\n\n- replace or delete as appropriate the words in square brackets with the relevant details\n\n## Standard text\n\n\u201cIn the High Court of Justice [Chancery] [Family] Division\n\nCase number.\n\nIn the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].\n\nA claim has been issued in the High Court of Justice, for a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.\n\nIf you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.\n\n(If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d\n\n## Send a copy to the court\n\nSend the court a copy of the newspaper page showing the advertisement so it arrives at least 5 days before your court hearing.\n\n## Attend a hearing\n\nYou\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.\n\nBring any relevant documents.\n\nYour claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.\n\nAt the hearing you might be:\n\n- asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need\n\n- told there has to be another hearing - there may be several hearings before a decision is made\n\nIf the court agrees with your application, you\u2019ll get a declaration of presumed death at the hearing or later by letter.\n\n## Get a certificate of presumed death\n\nApply to the General Register Office for a certificate of presumed death.\n\nYou can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.\n\nYou can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.\n\nThe certificate can be used like a normal death certificate, for example to deal with a missing person\u2019s estate.\n\nIt costs \u00a311.\n\n## Appeal a decision\n\nContact the Civil Appeals Office to appeal against the High Court\u2019s decision.\n\n## Make a complaint\n\nUse the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/get-declaration-presumed-death", + "answerable": true, + "scenario": "My brother has not been seen since an earthquake whilst he was on holiday abroad two years ago. He has an estate in the UK I would like to administer for his children.", + "original_question": "Is it possible for me to declare my brother dead even though he's only been missing two years?" + }, + { + "id": "train-101", + "question": "Scenario: My dad has bipolar disorder and I have to care for him. This usually takes around 25 hours per week. I have just been on a 6 week holiday where someone else stepped in and did the caring for me.\n\nQuestion: Am I still eligible for the Carers Credit whilst on holiday?\n\nDocument - Carer's Credit:\n## Overview\n\nYou could get Carer\u2019s Credit if you\u2019re caring for someone for at least 20 hours a week.\n\nCarer\u2019s Credit is a National Insurance credit that helps with gaps in your National Insurance record. Your State Pension is based on your National Insurance record.\n\nYour income, savings or investments will not affect eligibility for Carer\u2019s Credit.\n\n## What you'll get\n\nIf you\u2019re eligible for Carer\u2019s Credit, you can get credits to help fill gaps in your National Insurance record.\n\nThis means you can take on caring responsibilities without affecting your ability to qualify for the State Pension.\n\n## Eligibility\n\nTo get Carer\u2019s Credit you must be:\n\n- aged 16 or over\n\n- under State Pension age\n\n- looking after one or more people for at least 20 hours a week\n\nThe person you\u2019re looking after must get one of the following:\n\n- Disability Living Allowance care component at the middle or highest rate\n\n- Attendance Allowance\n\n- Constant Attendance Allowance\n\n- Personal Independence Payment - daily living component, at the standard or enhanced rate\n\n- Armed Forces Independence Payment\n\nIf the person you\u2019re caring for does not get one of these benefits, you may still be able to get Carer\u2019s Credit. When you apply, fill in the \u2018Care Certificate\u2019 part of the application form and get a health or social care professional to sign it.\n\nCarers who do not qualify for Carer\u2019s Allowance may qualify for Carer\u2019s Credit.\n\n## Breaks in caring and eligibility\n\nYou can still get Carer\u2019s Credit even if you have breaks from caring (up to 12 weeks in a row).\n\nFor example, you\u2019ll still get Carer\u2019s Credit for 12 weeks if:\n\n- you take a short holiday\n\n- someone you look after goes into hospital\n\n- you go into hospital\n\nKeep the Carer\u2019s Allowance Unit updated if you have a break in caring of more than 12 weeks in a row.\n\n## How to claim\n\n## Before you start\n\nYou do not need to apply for Carer\u2019s Credit if you:\n\n- get Carer\u2019s Allowance - you\u2019ll automatically get credits\n\n- get Child Benefit for a child under the age of 12 - you\u2019ll automatically get credits\n\n- are a foster carer - you can apply for National Insurance credits instead\n\n## Apply using a form\n\nDownload the Carer\u2019s Credit claim form.\n\nThe form includes a Care Certificate - ask a health or social care professional to sign it for you.\n\nYou can also get the form by calling the Carer\u2019s Allowance Unit.\n\n## Alternative formats\n\nCall the Carer\u2019s Allowance Unit to ask for alternative formats, such as braille, large print or audio CD.\n\n## Where to send your form\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/carers-credit", + "answerable": true, + "scenario": "My dad has bipolar disorder and I have to care for him. This usually takes around 25 hours per week. I have just been on a 6 week holiday where someone else stepped in and did the caring for me.", + "original_question": "Am I still eligible for the Carers Credit whilst on holiday?" + }, + { + "id": "train-102", + "question": "Scenario: My grandmother own a big property worthy over \u00a31million and her healthy has deteroriated and lost memory. She is now in a nursing home and i am afraid that some of my family members are posing a real threat to change her will . I feel very worried and i want to protect her interests despite her condition.\n\nQuestion: Can i seek a court protection order without informing my other family members?\n\nDocument - Apply for a one-off decision from the Court of Protection:\n## Overview\n\nApply to the Court of Protection if both of the following apply:\n\n- you\u2019re concerned about the personal welfare or property and financial affairs of someone who\u2019s lost mental capacity\n\n- you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home\n\nYou can only apply to the court if there\u2019s a major disagreement about a serious decision which cannot be agreed any other way. There are general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\nCheck if someone has an attorney or deputy acting for them before you apply.\n\n## If there\u2019s an immediate risk to the person\n\nApply for an emergency or urgent court order if you think there\u2019s an immediate risk to the person, for example they need emergency medical treatment they cannot consent to.\n\n## If the person needs long-term help\n\nYou may have to apply to become a deputy if the person needs long-term help with decisions about personal welfare or property and financial affairs.\n\n## How to apply\n\nDownload and fill in:\n\n- an application form (COP1) - send the original and 2 copies\n\n- an assessment of capacity form (COP3) - get the person\u2019s doctor or other medical professional to fill in the relevant parts, and send the original and a copy\n\nYou may also need to download and fill in:\n\n- supporting information for property and financial affairs decisions (COP1A) - include any other relevant details by sending a completed witness form (COP24) with your application\n\n- supporting information for personal welfare applications (COP1B) - send the original and a copy\n\nYou must pay \u00a3365 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nSend a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms.\n\nRead the application form guidance notes (COP1) if you need help.\n\n## What happens next\n\nYou must tell:\n\n- the person you\u2019re applying to get a one-off decision for\n\n- people connected to the application\n\nTell them after you apply.\n\n## Tell other people you've applied\n\nThe Court of Protection will send you a copy of your application forms - they\u2019ll be stamped with an issue date.\n\nYou\u2019ll also get a letter from the court telling you what to do next.\n\nYou must tell (\u2018serve\u2019) certain people about the application within 14 days of the issue date.\n\n## Tell the person you\u2019re applying to get a one-off decision for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to get a one-off decision about their personal welfare or property and financial affairs\n\n- that their ability to make decisions is being questioned\n\n- what the one-off decision would mean for them\n\n- where to get advice if they want to discuss the application\n\nYou must give the person:\n\n- a completed form COP 14 - use the guidance notes to fill it in yourself\n\n- an acknowledgment form (COP5), so they can confirm they\u2019ve been told\n\n- any other documents related to your application\n\nThe person can get advice and assistance from the Court of Protection.\n\n## Tell people connected to the application\n\nYou must tell people named on your application that it\u2019s been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post\n\n- by fax or email\n\n- in person\n\n## Confirm you\u2019ve told people (\u2018served notice\u2019)\n\nYou must confirm you\u2019ve told people within 7 days of sending the forms. Download and fill in both:\n\n- form (COP20A) for the person you\u2019re applying to get a one-off decision for\n\n- form (COP20B) for other people named in the application\n\nThese forms are sometimes called \u2018certificates of service\u2019.\n\nYou must send both forms to the Court of Protection at the same time.\n\n## What happens next\n\nYou\u2019ll hear from the Court of Protection after you\u2019ve \u2018served notice\u2019 (told other people you\u2019ve applied).\n\nThe court will tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to make a decision, and when and where it\u2019ll take place\n\n## If there\u2019s a hearing\n\nYou must attend the hearing. You\u2019ll get a letter with a hearing date (\u2018notice\u2019) if the court decides to have a hearing.\n\nYou must tell the person you\u2019re getting a decision for about the hearing:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nFill in the notice about proceedings (COP14) and give it to the person you\u2019re getting a decision for. Use the guidance notes if you need help.\n\nThe person can contact the Court of Protection for advice and assistance - you must explain this to them.\n\nSend a certificate of service (COP20A) to the Court of Protection within 7 days of when you told the person.\n\nYou must pay \u00a3500 if the court makes a final decision at the hearing.\n\n## Get a decision\n\nIf there\u2019s a hearing, you\u2019ll get a decision at it or afterwards by post.\n\nYou\u2019ll get a decision by post if there is not a hearing.\n\n## Challenge a decision\n\nYou can apply to the court for the decision to be reconsidered if it was made without a hearing - use form (COP9).\n\nYou must apply within 21 days of the date the decision was made.\n\n## Appeal a decision\n\nYou must ask for permission to appeal if there was a hearing. Download and fill in the appellants\u2019 notice (COP35).\n\nYou must pay \u00a3230. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "answerable": true, + "scenario": "My grandmother own a big property worthy over \u00a31million and her healthy has deteroriated and lost memory. She is now in a nursing home and i am afraid that some of my family members are posing a real threat to change her will . I feel very worried and i want to protect her interests despite her condition.", + "original_question": "Can i seek a court protection order without informing my other family members?" + }, + { + "id": "train-103", + "question": "Scenario: My niece is 19 years old and has a 2 year old baby. She wants to join Bath university for her pharmacy degree but needs support with her baby.\n\nQuestion: Can she qualify for Care to Learn?\n\nDocument - Care to Learn:\n## Overview\n\nThe Care to Learn scheme can help with childcare costs while you study.\n\nYou must be aged under 20 at the start of your course.\n\nThe scheme is available for publicly-funded courses in England. This includes courses in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a3160 per child per week if you live outside London\n\n- \u00a3175 per child per week if you live in London\n\n## What it covers\n\nCare to Learn can help with the cost of:\n\n- your childcare, including deposit and registration fees\n\n- a childcare taster session for up to 5 days\n\n- keeping your childcare place over the summer holidays\n\n- taking your child to their childcare provider\n\n## Payments\n\nChildcare payments go directly to your childcare provider.\n\nBefore they can be paid:\n\n- your childcare provider needs to confirm your child\u2019s attendance\n\n- your school or college needs to confirm that you\u2019re attending your course\n\nTravel payments go direct to your school or college - they\u2019ll either pay you or arrange travel for you.\n\n## When payments stop\n\nPayments end when:\n\n- you stop attending your course\n\n- you reach the end of your course\n\n- your child stops attending childcare\n\n## Eligibility\n\nYou can get Care to Learn if all of the following apply to you:\n\n- you\u2019re a parent under 20 at the start of your course\n\n- you\u2019re the main carer for your child\n\n- you live in England\n\n- you\u2019re either a British citizen or have a legal right to live and study in England\n\n- your course qualifies\n\n- your childcare provider qualifies\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Your course\n\nCare to Learn is only available for publicly-funded courses in England. This includes courses that take place in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n- other colleges and learning providers, including Foundation Learning\n\n- your community at Children\u2019s Centres\n\nYour learning provider can tell you if your course is eligible.\n\n## Your childcare provider\n\nTo qualify, your childcare provider must be registered with Ofsted.\n\nThey can be a:\n\n- childminder\n\n- preschool playgroup\n\n- day nursery\n\n- out of school club\n\n## Who cannot get Care to Learn\n\nYou\u2019re not eligible if:\n\n- you\u2019re an apprentice who gets a salary\n\n- you\u2019re doing a higher education course at university\n\n## Apply for Care to Learn\n\nYou must choose your learning provider and childcare provider before you apply.\n\nYou need to make a new application for each year you study.\n\nYour childcare provider is paid from the beginning of your course if you apply either:\n\n- before your course starts\n\n- within 28 days of starting your course\n\nIf you apply after that, your childcare provider will only be paid from the beginning of the week that your application was received.\n\nApply online for Care to Learn.\n\n## After you've applied\n\nYou must give your learning provider either:\n\n- a copy of the child\u2019s birth certificate\n\n- a letter confirming receipt of Child Benefit for that child\n\n## If you qualify\n\nYou\u2019ll get a letter and a payment plan telling you what financial help you can get.\n\nYour childcare provider will only be paid after you\u2019ve provided this.\n\nYour childcare provider will also get the payment plan to let them know when they\u2019ll be paid.\n\nIf you\u2019re eligible for travel costs, your learning provider will be told about payments for this.\n\n## If your circumstances change\n\nYou must report changes to your:\n\n- personal details\n\n- childcare provider\n\n- hours of childcare\n\n- travel costs\n\n- learning provider\n\nYou can do this by updating your online application.\n\n## Benefits\n\nClaiming Care to Learn will not affect your family\u2019s benefits or allowances.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/care-to-learn", + "answerable": true, + "scenario": "My niece is 19 years old and has a 2 year old baby. She wants to join Bath university for her pharmacy degree but needs support with her baby.", + "original_question": "Can she qualify for Care to Learn?" + }, + { + "id": "train-106", + "question": "Scenario: We are a couple aged 60 and 62, living in England. We own our home outright with no mortgage and would like to gift it to our son and his wife. We will still live there and will pay all the bills connected to the property. My son and his wife would move into annexe.\n\nQuestion: Would we have to pay rent to our son in addition to paying the bills?\n\nDocument - Inheritance Tax:\n## Overview\n\nInheritance Tax is a tax on the estate (the property, money and possessions) of someone who\u2019s died.\n\nThere\u2019s normally no Inheritance Tax to pay if either:\n\n- the value of your estate is below the \u00a3325,000 threshold\n\n- you leave everything above the \u00a3325,000 threshold to your spouse, civil partner, a charity or a community amateur sports club\n\nIf the estate\u2019s value is below the threshold you\u2019ll still need to report it to HMRC.\n\nIf you give away your home to your children (including adopted, foster or stepchildren) or grandchildren your threshold can increase to \u00a3500,000.\n\nIf you\u2019re married or in a civil partnership and your estate is worth less than your threshold, any unused threshold can be added to your partner\u2019s threshold when you die. This means their threshold can be as much as \u00a31 million.\n\n## Inheritance Tax rates\n\nThe standard Inheritance Tax rate is 40%. It\u2019s only charged on the part of your estate that\u2019s above the threshold.\n\nThe estate can pay Inheritance Tax at a reduced rate of 36% on some assets if you leave 10% or more of the \u2018net value\u2019 to charity in your will.\n\n## Reliefs and exemptions\n\nSome gifts you give while you\u2019re alive may be taxed after your death. Depending on when you gave the gift, \u2018taper relief\u2019 might mean the Inheritance Tax charged on the gift is less than 40%.\n\nOther reliefs, such as Business Relief, allow some assets to be passed on free of Inheritance Tax or with a reduced bill.\n\nContact the Inheritance Tax and probate helpline about Agricultural Relief if your estate includes a farm or woodland.\n\n## Who pays the tax to HMRC\n\nFunds from your estate are used to pay Inheritance Tax to HM Revenue and Customs (HMRC). This is done by the person dealing with the estate (called the \u2018executor\u2019, if there\u2019s a will).\n\nYour beneficiaries (the people who inherit your estate) do not normally pay tax on things they inherit. They may have related taxes to pay, for example if they get rental income from a house left to them in a will.\n\nPeople you give gifts to might have to pay Inheritance Tax, but only if you give away more than \u00a3325,000 and die within 7 years.\n\n## Passing on a home\n\nYou can pass a home to your husband, wife or civil partner when you die. There\u2019s no Inheritance Tax to pay if you do this.\n\nIf you leave the home to another person in your will, it counts towards the value of the estate.\n\nIf you own your home (or a share in it) your tax-free threshold can increase to \u00a3500,000 if:\n\n- you leave it to your children (including adopted, foster or stepchildren) or grandchildren\n\n- your estate is worth less than \u00a32 million\n\n## Giving away a home before you die\n\nThere\u2019s normally no Inheritance Tax to pay if you move out and live for another 7 years.\n\nIf you want to continue living in your property after giving it away, you\u2019ll need to:\n\n- pay rent to the new owner at the going rate (for similar local rental properties)\n\n- pay your share of the bills\n\n- live there for at least 7 years\n\nYou do not have to pay rent to the new owners if both the following apply:\n\n- you only give away part of your property\n\n- the new owners also live at the property\n\n## If you die within 7 years\n\nIf you die within 7 years of giving away all or part of your property, your home will be treated as a gift and the 7 year rule applies.\n\nCall the Inheritance Tax and probate helpline if you have questions about giving away a home. They cannot give you advice on how to pay less tax.\n\n## Gifts\n\nThere\u2019s usually no Inheritance Tax to pay on small gifts you make out of your normal income, such as Christmas or birthday presents. These are known as \u2018exempted gifts\u2019.\n\nThere\u2019s also no Inheritance Tax to pay on gifts between spouses or civil partners. You can give them as much as you like during your lifetime, as long as they live in the UK permanently.\n\nOther gifts count towards the value of your estate.\n\nPeople you give gifts to will be charged Inheritance Tax if you give away more than \u00a3325,000 in the 7 years before your death.\n\n## What counts as a gift\n\nA gift can be:\n\n- anything that has a value, such as money, property, possessions\n\n- a loss in value when something\u2019s transferred, for example if you sell your house to your child for less than it\u2019s worth, the difference in value counts as a gift\n\nCall the Inheritance Tax and probate helpline if you\u2019re not sure.\n\n## Exempted gifts\n\nYou can give away \u00a33,000 worth of gifts each tax year (6 April to 5 April) without them being added to the value of your estate. This is known as your \u2018annual exemption\u2019.\n\nYou can carry any unused annual exemption forward to the next year - but only for one year.\n\nEach tax year, you can also give away:\n\n- wedding or civil ceremony gifts of up to \u00a31,000 per person (\u00a32,500 for a grandchild or great-grandchild, \u00a35,000 for a child)\n\n- normal gifts out of your income, for example Christmas or birthday presents - you must be able to maintain your standard of living after making the gift\n\n- payments to help with another person\u2019s living costs, such as an elderly relative or a child under 18\n\n- gifts to charities and political parties\n\nYou can use more than one of these exemptions on the same person - for example, you could give your grandchild gifts for her birthday and wedding in the same tax year.\n\n## Small gifts up to \u00a3250\n\nYou can give as many gifts of up to \u00a3250 per person as you want during the tax year as long as you have not used another exemption on the same person.\n\n## The 7 year rule\n\nIf there\u2019s Inheritance Tax to pay, it\u2019s charged at 40% on gifts given in the 3 years before you die.\n\nGifts made 3 to 7 years before your death are taxed on a sliding scale known as \u2018taper relief\u2019.\n\n| Years between gift and death | Tax paid |\n\n| less than 3 | 40% |\n\n| 3 to 4 | 32% |\n\n| 4 to 5 | 24% |\n\n| 5 to 6 | 16% |\n\n| 6 to 7 | 8% |\n\n| 7 or more | 0% |\n\nGifts are not counted towards the value of your estate after 7 years.\n\n## When someone living outside the UK dies\n\nIf your permanent home (\u2018domicile\u2019) is abroad, Inheritance Tax is only paid on your UK assets, for example property or bank accounts you have in the UK.\n\nIt\u2019s not paid on \u2018excluded assets\u2019 like:\n\n- foreign currency accounts with a bank or the Post Office\n\n- overseas pensions\n\n- holdings in authorised unit trusts and open-ended investment companies\n\nThere are different rules if you have assets in a trust or government gilts, or you\u2019re a member of visiting armed forces.\n\nContact the Inheritance Tax and probate helpline if you\u2019re not sure whether your assets are excluded.\n\n## When you will not count as living abroad\n\nHMRC will treat you as being domiciled in the UK if you either:\n\n- lived in the UK for 15 of the last 20 years\n\n- had your permanent home in the UK at any time in the last 3 years of your life\n\n## Double-taxation treaties\n\nYour executor might be able to reclaim tax through a double-taxation treaty if Inheritance Tax is charged on the same assets by the UK and the country where you lived.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/inheritance-tax", + "answerable": true, + "scenario": "We are a couple aged 60 and 62, living in England. We own our home outright with no mortgage and would like to gift it to our son and his wife. We will still live there and will pay all the bills connected to the property. My son and his wife would move into annexe.", + "original_question": "Would we have to pay rent to our son in addition to paying the bills?" + }, + { + "id": "train-107", + "question": "Scenario: I was getting income support until last month. I have got a full time now and will be joining next week. Also, I want some money to cover my house costs. Previously I was claiming support for mortgage interest.\n\nQuestion: As I am moving to a full time role, will I be eligible to apply for Mortgage Interest Run On?\n\nDocument - Mortgage Interest Run On:\n## Overview\n\nMortgage Interest Run On is extra money you can get towards your housing costs if certain other benefits are stopping because you\u2019re:\n\n- returning to work full-time\n\n- working more hours\n\n- earning more money\n\nYou can get this help for 4 weeks.\n\n## What you'll get\n\nIf you\u2019re eligible and were getting Support for Mortgage Interest before your work situation changed, you\u2019ll usually continue to get the same amount as you were getting before your benefits stopped.\n\nPayments for your mortgage or loan interest will be paid direct to you instead of to your lender.\n\n## Eligibility\n\nYou can claim Mortgage Interest Run On if you\u2019ve stopped getting income-based Jobseeker\u2019s Allowance, Income Support or income-related Employment and Support Allowance because you\u2019re:\n\n- returning to work full-time\n\n- working more hours\n\n- earning more money\n\nAll of the following must also apply:\n\n- you\u2019ve been claiming the benefit continuously for at least 26 weeks\n\n- you expect the work (or more money) to last for 5 weeks or more\n\n- you were entitled to help with your\u00a0housing costs\u00a0before your work started and you\u2019ll still have these costs when you start work\n\n## How to claim\n\nYou don\u2019t need to apply - you should get Mortgage Interest Run On automatically. You just need to let your Jobcentre Plus office know as soon as you\u2019re starting work.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/mortgage-interest-run-on", + "answerable": true, + "scenario": "I was getting income support until last month. I have got a full time now and will be joining next week. Also, I want some money to cover my house costs. Previously I was claiming support for mortgage interest.", + "original_question": "As I am moving to a full time role, will I be eligible to apply for Mortgage Interest Run On?" + }, + { + "id": "train-109", + "question": "Scenario: My mother was detained in a psychiatric hospital for treatment after sectioning one month ago. I feel she is well enough now and I want her to be discharged.\n\nQuestion: Can I apply for her discharge as her nearest relative?\n\nDocument - Apply to the Mental Health Tribunal:\n## Overview\n\nYou can apply to the First-tier Tribunal (Mental Health) if you\u2019re admitted (\u2018detained\u2019) as a patient in a psychiatric hospital (\u2018sectioned\u2019) and want to be discharged.\n\nYou can apply on a patient\u2019s behalf if you\u2019re their:\n\n- legal representative\n\n- \u2018nearest relative\u2019\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nYou can also apply to the tribunal if you want to change:\n\n- a community treatment order\n\n- the conditions placed on your \u2018conditional discharge\u2019 from hospital\n\nThe tribunal deals with cases in England. There are different rules in Wales and rules in Scotland.\n\n## When to apply\n\nWhen you apply depends on how you were admitted - ask your doctor or lawyer (if you have one) if you\u2019re unsure.\n\nThere are deadlines for the first time you apply - you must apply within:\n\n- 14 days if you\u2019ve been admitted for assessment (\u2018section 2\u2019)\n\n- 6 months if you\u2019ve been admitted for treatment (\u2018section 3\u2019)\n\nGet legal advice if you\u2019re a \u2018restricted patient\u2019, for example you\u2019ve received an order from the Crown Court or been transferred from prison- the deadlines depend on your situation.\n\n## If you miss the deadline\n\nYou cannot apply to be discharged if you miss the deadline but you may be able to apply again later, for example after a year if you\u2019ve been admitted for treatment (\u2018section 3\u2019).\n\nThe tribunal will automatically look at your case again after a certain period of time. This is sometimes known as a \u2018referral\u2019. The period of time depends on your case, for example:\n\n- if it\u2019s been 3 years since the tribunal gave you a hearing\n\n- you\u2019ve not had a hearing in the first 6 months of your detention\n\n## Help you can get\n\nYou can get free legal help if you\u2019re a patient. It does not cost you anything as it\u2019s paid for by legal aid.\n\nFind a legal advisor near you or ask the tribunal to find one for you when you apply.\n\nYou can also get advice from:\n\n- Carers Direct\n\n- the charity Mind\n\n- the charity Rethink\n\n## Apply to the tribunal\n\nDownload and fill in an application to the First-tier Tribunal (Mental Health). You must include:\n\n- what you\u2019re applying for, for example discharge if you\u2019ve been admitted for assessment or treatment\n\n- the patient\u2019s first name, surname and date of birth\n\n- full details of the care coordinator and hospital\n\n- the date of the section or order\n\n- contact details for the \u2018nearest relative\u2019 (if there is one)\n\n- your lawyer\u2019s details (if you have one)\n\n- whether you need an interpreter\n\n## Send the form\n\nPost or email the form to HM Courts and Tribunals Service. The contact details are on the form.\n\nContact the tribunal by phone or email if you have any questions about completing the form. The helpline and email address cannot give you legal advice.\n\n## After you apply\n\nYou\u2019ll be told when the tribunal has received your application. You\u2019ll get information on your rights to legal representation if you did not include a lawyer\u2019s details in your application.\n\nYour \u2018nearest relative\u2019 will usually be told the date of the hearing - they can attend unless you object. Nearer the time of the hearing you\u2019ll be given copies of reports so that you can check that the information\u2019s correct and work out any questions you want to ask.\n\nThe date of the hearing depends on your situation. You\u2019ll usually get a hearing within:\n\n- 7 days of applying if you\u2019ve been admitted for assessment\n\n- 2 months if you\u2019ve been admitted for treatment\n\n- 4 months if you\u2019ve received an order from the Crown Court or been transferred from prison (known as a \u2018restricted patient\u2019)\n\n## Evidence from the tribunal doctor\n\nYou can ask for a pre-hearing examination with the tribunal doctor if you want one.\n\nIf you\u2019ve been admitted for assessment, do this in writing when you send your application to the tribunal.\n\nIf you\u2019ve been admitted for treatment or you\u2019re a restricted patient, you must do this at least 2 weeks before the hearing.\n\nWrite to:\n\nBecause of coronavirus (COVID-19), your pre-hearing examination may take place by video.\n\nThe tribunal will also ask the hospital for reports from:\n\n- your doctor\n\n- the social work and nursing teams responsible for your care\n\n- the Secretary of State for Justice if you\u2019re a restricted patient (and your social supervisor if you\u2019re living in the community on conditional discharge)\n\n## If you do not want to continue with your application\n\nWrite to the tribunal as soon as possible if you do not want to continue with your application. The tribunal will decide whether to accept your withdrawal.\n\nYou cannot withdraw your case if it was automatically referred to the tribunal, but you do not have to go to the hearing if you do not want to.\n\n## What happens at the hearing\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. The tribunal will contact you and tell you how the hearing will take place.\n\nYou do not have to attend the hearing if you do not want to. You can bring a legal representative and a relative to the hearing if you do go - your representative can arrange for witnesses or experts to attend.\n\nHearings are usually held in private and attended by:\n\n- a judicial panel, made up of a judge, a doctor and a specialist lay member (for example a mental health social worker)\n\n- the patient\n\n- their hospital doctor, ward nurse and social worker\n\n- your legal representative, if you have one\n\nThe doctor, nurse and social worker will give evidence. You can also give evidence, and ask questions.\n\nThe tribunal will also look at:\n\n- your pre-hearing examination from the tribunal doctor, if you had one\n\n- an independent psychiatric report, if your legal representative asked for one\n\nIf you\u2019re a \u2018restricted patient\u2019 and have committed a serious offence against a person, they or their family can ask (or make \u2018representations\u2019) for certain conditions if the tribunal thinks you\u2019re ready for discharge.\n\n## Claim expenses\n\nYou may be able to claim expenses for going to the hearing. This includes money for:\n\n- travel costs\n\n- loss of earnings\n\n- food and drink, if you\u2019re away for more than 5 hours\n\nRead the guidance on claiming expenses.\n\n## The tribunal's decision\n\nThe tribunal usually decides at the end of the hearing on whether you should be discharged - you\u2019ll get the decision on the day, and you\u2019ll usually get full written reasons with 7 days of the hearing.\n\nThe tribunal can:\n\n- order your release (on the same day or at a future date)\n\n- recommend that you\u2019re transferred to a different hospital\n\n- recommend that your doctor considers you for treatment in the community\n\n- recommend that you\u2019re allowed to leave the hospital for periods of time, to see if you\u2019re ready for life in the community\n\nThe tribunal cannot change your treatment, for example medication.\n\n## Appeal\n\nIf you lose your case, you can ask the tribunal:\n\n- to cancel the decision - you must do this within 28 days of getting the written decision\n\n- for permission to appeal to a higher tribunal (the \u2018Upper Tribunal\u2019)\n\n## Ask the tribunal to cancel the decision\n\nYou\u2019ll be told how to get a decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process, for example you were not told about the hearing so did not go.\n\nIf the tribunal cancels the decision, you may be able to get a new hearing.\n\nContact Citizens Advice if you need help.\n\n## Appeal to the Upper Tribunal\n\nYou can ask for permission to appeal to the Upper Tribunal if you think there was a legal mistake, for example if they:\n\n- did not apply the correct law or wrongly interpreted the law\n\n- did not follow the correct procedures\n\n- had no evidence or not enough evidence to support its decision\n\nFill in the application for permission to appeal - the address is on the form.\n\nAnother judge will look to see if there\u2019s a legal problem with your case and if it needs to be heard again.\n\n## Complain\n\nYou cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.\n\n## Legislation\n\nThe tribunal will make a decision based on:\n\n- Mental Health Act 1983 (as amended by the Mental Health Act 2007)\n\n- Mental Health Act 2007\n\n- Human Rights Act 1998 if the case is about human rights\n\nThe tribunal must follow the Tribunal Procedure (First-Tier Tribunal) (Health, Education And Social Care Chamber) Rules 2008.\n\nDoctors\u2019 statements and reports must be written in line with the practice directions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/mental-health-tribunal", + "answerable": true, + "scenario": "My mother was detained in a psychiatric hospital for treatment after sectioning one month ago. I feel she is well enough now and I want her to be discharged.", + "original_question": "Can I apply for her discharge as her nearest relative?" + }, + { + "id": "train-111", + "question": "Scenario: My mother was diagnosed with dementia four years ago, and is currently being cared for in a nursing home. Her former partner, who has a conviction for domestic violence against her, is now requesting to see her \"to make amends\".\n\nQuestion: Given the considerable distress this prospect has caused my mother, can I get an order preventing such visits?\n\nDocument - Apply for a one-off decision from the Court of Protection:\n## Overview\n\nApply to the Court of Protection if both of the following apply:\n\n- you\u2019re concerned about the personal welfare or property and financial affairs of someone who\u2019s lost mental capacity\n\n- you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home\n\nYou can only apply to the court if there\u2019s a major disagreement about a serious decision which cannot be agreed any other way. There are general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\nCheck if someone has an attorney or deputy acting for them before you apply.\n\n## If there\u2019s an immediate risk to the person\n\nApply for an emergency or urgent court order if you think there\u2019s an immediate risk to the person, for example they need emergency medical treatment they cannot consent to.\n\n## If the person needs long-term help\n\nYou may have to apply to become a deputy if the person needs long-term help with decisions about personal welfare or property and financial affairs.\n\n## How to apply\n\nDownload and fill in:\n\n- an application form (COP1) - send the original and 2 copies\n\n- an assessment of capacity form (COP3) - get the person\u2019s doctor or other medical professional to fill in the relevant parts, and send the original and a copy\n\nYou may also need to download and fill in:\n\n- supporting information for property and financial affairs decisions (COP1A) - include any other relevant details by sending a completed witness form (COP24) with your application\n\n- supporting information for personal welfare applications (COP1B) - send the original and a copy\n\nYou must pay \u00a3365 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nSend a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms.\n\nRead the application form guidance notes (COP1) if you need help.\n\n## What happens next\n\nYou must tell:\n\n- the person you\u2019re applying to get a one-off decision for\n\n- people connected to the application\n\nTell them after you apply.\n\n## Tell other people you've applied\n\nThe Court of Protection will send you a copy of your application forms - they\u2019ll be stamped with an issue date.\n\nYou\u2019ll also get a letter from the court telling you what to do next.\n\nYou must tell (\u2018serve\u2019) certain people about the application within 14 days of the issue date.\n\n## Tell the person you\u2019re applying to get a one-off decision for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to get a one-off decision about their personal welfare or property and financial affairs\n\n- that their ability to make decisions is being questioned\n\n- what the one-off decision would mean for them\n\n- where to get advice if they want to discuss the application\n\nYou must give the person:\n\n- a completed form COP 14 - use the guidance notes to fill it in yourself\n\n- an acknowledgment form (COP5), so they can confirm they\u2019ve been told\n\n- any other documents related to your application\n\nThe person can get advice and assistance from the Court of Protection.\n\n## Tell people connected to the application\n\nYou must tell people named on your application that it\u2019s been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post\n\n- by fax or email\n\n- in person\n\n## Confirm you\u2019ve told people (\u2018served notice\u2019)\n\nYou must confirm you\u2019ve told people within 7 days of sending the forms. Download and fill in both:\n\n- form (COP20A) for the person you\u2019re applying to get a one-off decision for\n\n- form (COP20B) for other people named in the application\n\nThese forms are sometimes called \u2018certificates of service\u2019.\n\nYou must send both forms to the Court of Protection at the same time.\n\n## What happens next\n\nYou\u2019ll hear from the Court of Protection after you\u2019ve \u2018served notice\u2019 (told other people you\u2019ve applied).\n\nThe court will tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to make a decision, and when and where it\u2019ll take place\n\n## If there\u2019s a hearing\n\nYou must attend the hearing. You\u2019ll get a letter with a hearing date (\u2018notice\u2019) if the court decides to have a hearing.\n\nYou must tell the person you\u2019re getting a decision for about the hearing:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nFill in the notice about proceedings (COP14) and give it to the person you\u2019re getting a decision for. Use the guidance notes if you need help.\n\nThe person can contact the Court of Protection for advice and assistance - you must explain this to them.\n\nSend a certificate of service (COP20A) to the Court of Protection within 7 days of when you told the person.\n\nYou must pay \u00a3500 if the court makes a final decision at the hearing.\n\n## Get a decision\n\nIf there\u2019s a hearing, you\u2019ll get a decision at it or afterwards by post.\n\nYou\u2019ll get a decision by post if there is not a hearing.\n\n## Challenge a decision\n\nYou can apply to the court for the decision to be reconsidered if it was made without a hearing - use form (COP9).\n\nYou must apply within 21 days of the date the decision was made.\n\n## Appeal a decision\n\nYou must ask for permission to appeal if there was a hearing. Download and fill in the appellants\u2019 notice (COP35).\n\nYou must pay \u00a3230. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "answerable": true, + "scenario": "My mother was diagnosed with dementia four years ago, and is currently being cared for in a nursing home. Her former partner, who has a conviction for domestic violence against her, is now requesting to see her \"to make amends\".", + "original_question": "Given the considerable distress this prospect has caused my mother, can I get an order preventing such visits?" + }, + { + "id": "train-113", + "question": "Scenario: I'm 54, and 6 months ago I was diagnosed with mesothelioma as a result of asbestos exposure when employed between 2001 and 2005. I've looked into making a civil claim against my former employer, but the company appears to no longer exist and their (former) insurers are also untraceable.\n\nQuestion: Am I still entitled to compensation from the state even if I cannot trace my former employer?\n\nDocument - Diffuse mesothelioma payments:\n## Overview\n\nYou may be able to get a payment if you\u2019ve been diagnosed with the asbestos-related disease, diffuse mesothelioma.\n\nThere are 2 types of payment you can claim for:\n\n- diffuse mesothelioma payments (the \u20182008 scheme\u2019)\n\n- the Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYou can claim DMPS if you cannot find the employer responsible for your contact with asbestos, or their insurer.\n\n## What you'll get\n\n## The 2008 scheme\n\nYou\u2019ll get one payment.\n\nThe amount you\u2019ll get depends on how old you were when your disease was diagnosed. For example, if you were 60 when your disease was diagnosed, and you qualify, you\u2019ll get a payment of \u00a344,312.\n\n## Rates\n\n| Age when diagnosed | Payment |\n\n| 37 and under | \u00a394,296 |\n\n| 38 | \u00a392,463 |\n\n| 39 | \u00a390,633 |\n\n| 40 | \u00a388,804 |\n\n| 41 | \u00a386,971 |\n\n| 42 | \u00a385,140 |\n\n| 43 | \u00a384,227 |\n\n| 44 | \u00a383,306 |\n\n| 45 | \u00a382,394 |\n\n| 46 | \u00a381,477 |\n\n| 47 | \u00a380,562 |\n\n| 48 | \u00a378,003 |\n\n| 49 | \u00a375,440 |\n\n| 50 | \u00a372,873 |\n\n| 51 | \u00a370,312 |\n\n| 52 | \u00a367,742 |\n\n| 53 | \u00a365,913 |\n\n| 54 | \u00a364,085 |\n\n| 55 | \u00a362,258 |\n\n| 56 | \u00a360,418 |\n\n| 57 | \u00a358,587 |\n\n| 58 | \u00a353,829 |\n\n| 59 | \u00a349,066 |\n\n| 60 | \u00a344,312 |\n\n| 61 | \u00a339,550 |\n\n| 62 | \u00a334,790 |\n\n| 63 | \u00a331,859 |\n\n| 64 | \u00a328,926 |\n\n| 65 | \u00a326,001 |\n\n| 66 | \u00a323,071 |\n\n| 67 | \u00a320,142 |\n\n| 68 | \u00a319,545 |\n\n| 69 | \u00a318,946 |\n\n| 70 | \u00a318,357 |\n\n| 71 | \u00a317,761 |\n\n| 72 | \u00a317,169 |\n\n| 73 | \u00a316,662 |\n\n| 74 | \u00a316,146 |\n\n| 75 | \u00a315,652 |\n\n| 76 | \u00a315,155 |\n\n| 77 and over | \u00a314,651 |\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYour payment will depend on the details of your claim. Read about payment amounts on the DMPS website.\n\n## Eligibility\n\n## The 2008 scheme\n\nYou can claim a one-off payment if you:\n\n- are not entitled to a payment under the 1979 Pneumoconiosis Act\n\n- have not been given a payment for the disease from an employer, a civil claim or elsewhere\n\n- are not entitled to compensation from a Ministry of Defence scheme\n\nYou must have been exposed to asbestos in the United Kingdom.\n\nExamples of exposure include:\n\n- you came into contact with asbestos from a relative, for instance by washing their clothes\n\n- you were exposed to asbestos in the environment, for instance you lived near a factory using asbestos\n\n- you were exposed to asbestos while self-employed\n\n- your exposure cannot be specified but it occurred in the United Kingdom\n\nYou must claim within 12 months of diagnosis.\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYou may be able to claim if all of the following apply:\n\n- you were diagnosed with diffuse mesothelioma on or after 25 July 2012\n\n- your mesothelioma was caused by exposure to asbestos when working in the UK\n\n- you cannot trace the employer that exposed you to asbestos, or their insurers\n\n- you have not made a civil claim against any employer or insurer\n\n- you have not received damages or a specified payment for mesothelioma and you\u2019re not eligible to a specified payment\n\nYou may also be able to claim if you were the dependant of a sufferer who has died.\n\nYou can claim for DMPS even if you have already claimed from the 2008 scheme or under the 1979 Pneumoconiosis Act. If you\u2019ve already got a payment from the 2008 scheme or the Pneumoconiosis Act, it will be deducted from the amount you get from DMPS.\n\nYou may still be able to claim from the 2008 scheme even if you are unsuccessful in your DMPS claim.\n\nClaims through the DMPS scheme must be made within 3 years of diagnosis.\n\n## Payments for dependants\n\n## The 2008 scheme\n\nYou may be able to claim if you were the dependant of a sufferer who has died. You must claim within 12 months of their death.\n\nContact Barrow Industrial Injuries Disablement Benefit (IIDB) Centre to find out if you\u2019re eligible.\n\n## Rates\n\nIf you qualify, you\u2019ll get one payment. The amount will depend on how old the person with mesothelioma was when they died. For example, if they were 60 when they died, and you qualify, you\u2019ll get a payment of \u00a319,182.\n\n| Age of death | Payment |\n\n| 37 and under | \u00a349,073 |\n\n| 38 | \u00a348,018 |\n\n| 39 | \u00a346,965 |\n\n| 40 | \u00a345,913 |\n\n| 41 | \u00a344,860 |\n\n| 42 | \u00a343,808 |\n\n| 43 | \u00a342,800 |\n\n| 44 | \u00a341,784 |\n\n| 45 | \u00a340,783 |\n\n| 46 | \u00a339,777 |\n\n| 47 | \u00a338,772 |\n\n| 48 | \u00a337,536 |\n\n| 49 | \u00a336,297 |\n\n| 50 | \u00a335,063 |\n\n| 51 | \u00a333,831 |\n\n| 52 | \u00a332,596 |\n\n| 53 | \u00a331,583 |\n\n| 54 | \u00a330,580 |\n\n| 55 | \u00a329,573 |\n\n| 56 | \u00a328,559 |\n\n| 57 | \u00a327,555 |\n\n| 58 | \u00a324,768 |\n\n| 59 | \u00a321,971 |\n\n| 60 | \u00a319,182 |\n\n| 61 | \u00a316,389 |\n\n| 62 | \u00a313,593 |\n\n| 63 | \u00a312,795 |\n\n| 64 | \u00a312,003 |\n\n| 65 | \u00a311,191 |\n\n| 66 | \u00a310,392 |\n\n| 67 and over | \u00a38,124 |\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYour payment will depend on the details of your claim. Read about payment amounts on the DMPS website.\n\n## How to claim\n\n## The 2008 scheme\n\nFill in a mesothelioma payment claim form and provide medical evidence.\n\nContact Barrow Industrial Injuries Disablement Benefit (IIDB) Centre if you cannot print out a form and you need one sent to you.\n\n## Alternative formats\n\nContact the Barrow IIDB Centre to ask for alternative formats, such as braille, large print or audio CD.\n\nYou must claim within 12 months of diagnosis. If you\u2019re a dependant claiming for a sufferer who is now deceased, you must claim within 12 months from the date of their death.\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYou can apply online at the DMPS website.\n\nYou\u2019ll need:\n\n- your National Insurance number\n\n- your full employment history, with evidence - for example, P60s\n\n- evidence of unsuccessful attempts to trace your employer or insurers\n\n- the date of your diagnosis\n\n- evidence of diagnosis\n\n- details of any previous claims\n\n- a witness statement\n\nContact TopMark for more information on the DMPS and how to apply.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for a mandatory review.\n\nIf you\u2019re unhappy with the outcome of the mandatory review, you can appeal to to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.\n\nAppeal to the tribunal within one month of getting the mandatory review decision. If you submit your appeal after a month you\u2019ll have to explain why you did not do it earlier.\n\nDownload and fill in form SSCS6a and send it to the address on the form.\n\nYou\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.\n\nAfter you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts. The judge will then make a decision.\n\nIt usually takes around 6 months for your appeal to be heard by the tribunal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/diffuse-mesothelioma-payment", + "answerable": true, + "scenario": "I'm 54, and 6 months ago I was diagnosed with mesothelioma as a result of asbestos exposure when employed between 2001 and 2005. I've looked into making a civil claim against my former employer, but the company appears to no longer exist and their (former) insurers are also untraceable.", + "original_question": "Am I still entitled to compensation from the state even if I cannot trace my former employer?" + }, + { + "id": "train-114", + "question": "Scenario: I am doing a part-time carer job for about 22 hours a week and I also get a property and a share income of \u00a320000 per annum\n\nQuestion: Will I be eligible for Carer's Credit ?\n\nDocument - Carer's Credit:\n## Overview\n\nYou could get Carer\u2019s Credit if you\u2019re caring for someone for at least 20 hours a week.\n\nCarer\u2019s Credit is a National Insurance credit that helps with gaps in your National Insurance record. Your State Pension is based on your National Insurance record.\n\nYour income, savings or investments will not affect eligibility for Carer\u2019s Credit.\n\n## What you'll get\n\nIf you\u2019re eligible for Carer\u2019s Credit, you can get credits to help fill gaps in your National Insurance record.\n\nThis means you can take on caring responsibilities without affecting your ability to qualify for the State Pension.\n\n## Eligibility\n\nTo get Carer\u2019s Credit you must be:\n\n- aged 16 or over\n\n- under State Pension age\n\n- looking after one or more people for at least 20 hours a week\n\nThe person you\u2019re looking after must get one of the following:\n\n- Disability Living Allowance care component at the middle or highest rate\n\n- Attendance Allowance\n\n- Constant Attendance Allowance\n\n- Personal Independence Payment - daily living component, at the standard or enhanced rate\n\n- Armed Forces Independence Payment\n\nIf the person you\u2019re caring for does not get one of these benefits, you may still be able to get Carer\u2019s Credit. When you apply, fill in the \u2018Care Certificate\u2019 part of the application form and get a health or social care professional to sign it.\n\nCarers who do not qualify for Carer\u2019s Allowance may qualify for Carer\u2019s Credit.\n\n## Breaks in caring and eligibility\n\nYou can still get Carer\u2019s Credit even if you have breaks from caring (up to 12 weeks in a row).\n\nFor example, you\u2019ll still get Carer\u2019s Credit for 12 weeks if:\n\n- you take a short holiday\n\n- someone you look after goes into hospital\n\n- you go into hospital\n\nKeep the Carer\u2019s Allowance Unit updated if you have a break in caring of more than 12 weeks in a row.\n\n## How to claim\n\n## Before you start\n\nYou do not need to apply for Carer\u2019s Credit if you:\n\n- get Carer\u2019s Allowance - you\u2019ll automatically get credits\n\n- get Child Benefit for a child under the age of 12 - you\u2019ll automatically get credits\n\n- are a foster carer - you can apply for National Insurance credits instead\n\n## Apply using a form\n\nDownload the Carer\u2019s Credit claim form.\n\nThe form includes a Care Certificate - ask a health or social care professional to sign it for you.\n\nYou can also get the form by calling the Carer\u2019s Allowance Unit.\n\n## Alternative formats\n\nCall the Carer\u2019s Allowance Unit to ask for alternative formats, such as braille, large print or audio CD.\n\n## Where to send your form\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/carers-credit", + "answerable": true, + "scenario": "I am doing a part-time carer job for about 22 hours a week and I also get a property and a share income of \u00a320000 per annum", + "original_question": "Will I be eligible for Carer's Credit ?" + }, + { + "id": "train-115", + "question": "Scenario: I have a degenerative cognitive disorder and have been told that it will decline to the point where I can not make decisions for myself.\n\nQuestion: Can I appoint my daughter as my attorney even if she does not want to be?\n\nDocument - Make, register or end a lasting power of attorney:\n## Overview\n\nA lasting power of attorney (LPA) is a legal document that lets you (the \u2018donor\u2019) appoint one or more people (known as \u2018attorneys\u2019) to help you make decisions or to make decisions on your behalf.\n\nThis gives you more control over what happens to you if you have an accident or an illness and cannot make your own decisions (you \u2018lack mental capacity\u2019).\n\nYou must be 18 or over and have mental capacity (the ability to make your own decisions) when you make your LPA.\n\nYou do not need to live in the UK or be a British citizen.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere are 2 types of LPA:\n\n- health and welfare\n\n- property and financial affairs\n\nYou can choose to make one type or both.\n\nThere\u2019s a different process in Scotland and Northern Ireland.\n\n## How to make a lasting power of attorney\n\n- Choose your attorney (you can have more than one).\n\n- Fill in the forms to appoint them as an attorney.\n\n- Register your LPA with the Office of the Public Guardian (this can take up to 10 weeks).\n\nIt costs \u00a382 to register an LPA unless you get a reduction or exemption.\n\nYou can cancel your LPA if you no longer need it or want to make a new one.\n\n## Health and welfare lasting power of attorney\n\nUse this LPA to give an attorney the power to make decisions about things like:\n\n- your daily routine, for example washing, dressing, eating\n\n- medical care\n\n- moving into a care home\n\n- life-sustaining treatment\n\nIt can only be used when you\u2019re unable to make your own decisions.\n\n## Property and financial affairs lasting power of attorney\n\nUse this LPA to give an attorney the power to make decisions about money and property for you, for example:\n\n- managing a bank or building society account\n\n- paying bills\n\n- collecting benefits or a pension\n\n- selling your home\n\nIt can be used as soon as it\u2019s registered, with your permission.\n\n## Help deciding if you should make a lasting power of attorney\n\nContact the Office of the Public Guardian if you need help.\n\n## Choose your attorney\n\nYou can choose one or more people to be your attorney. If you appoint more than one, you must decide whether they\u2019ll make decisions separately or together.\n\n## Who can be your attorney\n\nYour attorney needs to be 18 or over. They could be:\n\n- a relative\n\n- a friend\n\n- a professional, for example a solicitor\n\n- your husband, wife or partner\n\nYou must appoint someone who has the mental capacity to make their own decisions.\n\nYour attorney does not need to live in the UK or be a British citizen.\n\nWhen choosing an attorney, think about:\n\n- how well they look after their own affairs, for example their finances\n\n- how well you know them\n\n- if you trust them to make decisions in your best interests\n\n- how happy they will be to make decisions for you\n\nRead about an attorney\u2019s responsibilities to help you with your decision.\n\nYou cannot choose someone who is subject to a Debt Relief Order or is bankrupt if you\u2019re making a lasting power of attorney (LPA) for property and financial affairs.\n\n## If there\u2019s more than one attorney\n\nIf you\u2019re appointing more than one person, you must decide if they\u2019ll make decisions:\n\n- separately or together - sometimes called \u2018jointly and severally\u2019 - which means attorneys can make decisions on their own or with other attorneys\n\n- together - sometimes called \u2018jointly\u2019 - which means all the attorneys have to agree on the decision\n\nYou can also choose to let them make some decisions \u2018jointly\u2019, and others \u2018jointly and severally\u2019.\n\nAttorneys who are appointed jointly must all agree or they cannot make the decision.\n\n## Replacement attorneys\n\nWhen you make your LPA you can nominate other people to replace your attorney or attorneys if at some point they cannot act on your behalf anymore.\n\n## Make a lasting power of attorney\n\nYou can make a lasting power of attorney (LPA) online or using paper forms.\n\nEither way, you need to get other people to sign the forms, including the attorneys and witnesses.\n\nYou can get someone else to use the online service or fill in the paper forms for you, for example a family member, friend or solicitor.\n\nYou must register your LPA or your attorney will not be able to make decisions for you.\n\nIt might take longer to make and register an LPA because of coronavirus (COVID-19). It will be quicker if you make it and pay online.\n\n## Make an LPA online\n\nCreate an account to start your LPA.\n\nYou can:\n\n- get help and guidance at each step\n\n- save your forms and complete them later\n\n- review your answers and fix any mistakes\n\nYou need to print out the forms and sign them when you\u2019ve finished.\n\n## Sign in to your account\n\nSign in to continue making your LPA.\n\n## Use the paper forms\n\nDownload the forms and print them out.\n\n## Signing the forms\n\nYou need to sign the forms before you send them off. They also need to be signed by:\n\n- the attorneys\n\n- witnesses\n\n- a \u2018certificate provider\u2019, who confirms you\u2019re making the LPA by choice and you understand what you\u2019re doing\n\nEveryone must sign the same original document. They cannot sign copies or use digital signatures.\n\n## Who can be a witness or certificate provider\n\nWitnesses and certificate providers must be 18 or over.\n\nAttorneys can witness each other sign, but they cannot:\n\n- witness you sign\n\n- sign as the certificate provider\n\nYou cannot be a witness if you\u2019re the person appointing an attorney.\n\n## Get help\n\nAsk the Office of the Public Guardian about help you can get if you:\n\n- do not have a computer or printer\n\n- want to use the online service but need some help\n\n## Register a lasting power of attorney\n\nWhen you\u2019ve made your lasting power of attorney (LPA), you need to register it with the Office of the Public Guardian (OPG).\n\nIt takes up to 15 weeks to register an LPA if there are no mistakes in the application.\n\nYou can apply to register your LPA yourself if you\u2019re able to make your own decisions.\n\nYour attorney can also register it for you. You\u2019ll be told if they do and you can object to the registration.\n\n## Notify people\n\nBefore you register, send a form to notify people (LP3) to all the \u2018people to notify\u2019 (also called \u2018people to be told\u2019) you listed in the LPA.\n\nThey\u2019ll have 3 weeks to raise any concerns with OPG.\n\nIf you\u2019re using the online service to make an LPA, it will create and fill in the LP3 forms for you.\n\n## How to register\n\nApply to register as soon as you\u2019ve sent forms to notify people.\n\nTo register, you need to sign your completed LPA form and send it to OPG.\n\nIf you create your LPA form using the online service, you will need to print it out to do this.\n\nThe address is also on the form. Make sure you include the original LPA form and the fee.\n\nYou can send a certified copy if you do not have the original form. Write a covering letter to explain why you do not have the original.\n\n## If you made your LPA with an older paper form\n\nYou can register by filling in form LP2 if you made your LPA:\n\n- on forms LPA114 or LPA117 before 1 January 2016\n\n- on forms LP PA or LP PW before 1 April 2011\n\nOtherwise you\u2019ll need to make a new LPA.\n\n## How much it costs\n\nIt costs \u00a382 to register each LPA unless you get a reduction or exemption.\n\nThis means it costs \u00a3164 to register both a property and financial affairs LPA and a health and welfare LPA.\n\nYou can pay by:\n\n- credit or debit card\n\n- cheque\n\nMake your cheque payable to \u2018Office of the Public Guardian\u2019 and write your name on the back. Send it to OPG with your forms.\n\n## If you make a mistake on your form\n\nDepending on the type of mistake, OPG may let you correct it and apply again within 3 months for \u00a341.\n\n## Get a reduction or exemption\n\nYou can apply for a reduction if you earn less than \u00a312,000. You might also be able to apply for an exemption if you\u2019re on certain benefits, such as Income Support.\n\nDownload and fill in the application form. The form has more information about eligibility.\n\n## Certify a copy of a lasting power of attorney\n\nYou can confirm that a copy of your lasting power of attorney (LPA) is genuine by \u2018certifying\u2019 it if you\u2019re still able to make your own decisions.\n\nYou or your attorney can use a certified copy to register your LPA if you do not have the original form.\n\nYour attorney can also use the certified copy to prove they have permission to make decisions on your behalf, for example to manage your bank account.\n\n## How to certify a copy\n\nWrite the following text on the bottom of every page of the copy:\n\n\u201cI certify this is a true and complete copy of the corresponding page of the original lasting power of attorney.\u201d\n\nOn the final page of the copy, you must also write:\n\n\u201cI certify this is a true and complete copy of the lasting power of attorney.\u201d\n\nYou need to sign and date every page.\n\n## Other ways to certify a copy\n\nCopies of your LPA can also be certified by:\n\n- a solicitor\n\n- a person authorised to carry out notarial activities\n\n## Change your lasting power of attorney\n\nYou can ask the Office of the Public Guardian (OPG) to change your lasting power of attorney (LPA) if it\u2019s been registered and you still have mental capacity to make decisions.\n\n## If you want to remove one of your attorneys\n\nYou will need to send OPG a written statement called a \u2018partial deed of revocation\u2019.\n\nIf you want to add another attorney you need to end your LPA and make a new one.\n\nUse the following wording. Replace the words in the square brackets with the relevant details.\n\nPartial deed of revocation\n\n\u201cThis partial deed of revocation is made by [donor\u2019s name] of [donor\u2019s address].\n\n1: I granted a lasting power of attorney for property and financial affairs/health and welfare [delete as appropriate] on [date donor signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).\n\n2: I hereby revoke [attorney\u2019s name that you are revoking] ONLY from the lasting power of attorney and the authority granted to him/her.\n\nSigned and delivered as a deed [donor\u2019s signature]\nDate signed [date] \nWitnessed by [signature of witness] \nFull name of witness [name of witness] \nAddress of witness [address of witness]\u201d\n\n## Where to send a partial deed of revocation\n\nSend the partial deed of revocation to the Office of the Public Guardian (OPG) with the original LPA document. You must also tell your attorney or attorneys that you\u2019re ending your LPA.\n\n## If your attorney\u2019s details change\n\nYou must write to OPG if one of your attorneys has changed their:\n\n- name - by marriage or deed poll\n\n- address\n\nYou need to provide supporting documents, such as the original marriage certificate, with their new name and address.\n\nDo not make changes to your LPA document itself, as it might become invalid. You must contact OPG to make changes to your LPA.\n\n## If one of your attorneys dies\n\nYou must tell OPG and send them:\n\n- a copy of their death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n- a return address where your documents can be sent back to\n\n## End your lasting power of attorney\n\nYou can end your lasting power of attorney (LPA) yourself - if you have mental capacity to make that decision.\n\nYou need to send the Office of the Public Guardian (OPG) both:\n\n- the original LPA\n\n- a written statement called a \u2018deed of revocation\u2019\n\nUse the following wording for the deed of revocation. Replace the words in the square brackets with the relevant details.\n\nDeed of revocation\n\n\u201cThis deed of revocation is made by [your name] of [your address].\n\n1: I granted a lasting power of attorney for property and financial affairs/health and welfare (delete as appropriate) on [date you signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).\n\n2: I revoke the lasting power of attorney and the authority granted by it.\n\nSigned and delivered as a deed [your signature]\nDate signed [date]\nWitnessed by [signature of witness]\nFull name of witness [name of witness]\nAddress of witness [address of witness]\u201d\n\nYou must be able to make your own decisions when you end your LPA.\n\nYou can also complain if you have concerns about your attorney, for example if they\u2019re not carrying out their responsibilities properly.\n\n## Other ways a lasting power of attorney can end\n\nYour LPA may end if your attorney:\n\n- loses the ability to make decisions - \u2018loses mental capacity\u2019\n\n- divorces you or ends your civil partnership if they\u2019re your husband, wife or partner\n\n- becomes bankrupt or they\u2019re subject to a Debt Relief Order (DRO) - if they\u2019re a property and financial affairs attorney\n\n- is removed by the Court of Protection\n\n- dies\n\n## If your only attorney dies\n\nYour LPA will end if your attorney dies and you have no replacement attorneys. You must tell OPG and send them:\n\n- a copy of their death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n- a return address where your documents can be sent back to\n\nYour LPA can continue if:\n\n- there are other attorneys who can act \u2018jointly and severally\u2019 - but not if they are only allowed to act \u2018jointly\u2019\n\n- there are replacement attorneys\n\n## If you die\n\nYour LPA will end automatically when you die. Your affairs will be looked after by your executors or personal representatives from that point, not your attorney.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/power-of-attorney", + "answerable": true, + "scenario": "I have a degenerative cognitive disorder and have been told that it will decline to the point where I can not make decisions for myself.", + "original_question": "Can I appoint my daughter as my attorney even if she does not want to be?" + }, + { + "id": "train-116", + "question": "Scenario: I just moved to my new home and I need help to buy good furniture and white goods. I have spent a lot of money in setting up the home and I need a financial boost.\n\nQuestion: Am I eligible for a Budgeting Loan?\n\nDocument - Budgeting Loans:\n## How they work\n\nA Budgeting Loan can help pay for:\n\n- furniture or household items (for example, washing machines or other \u2018white goods\u2019)\n\n- clothes or footwear\n\n- rent in advance\n\n- costs linked to moving house\n\n- maintenance, improvements or security for your home\n\n- travelling costs within the UK\n\n- costs linked to getting a new job\n\n- maternity costs\n\n- funeral costs\n\n- repaying hire purchase loans\n\n- repaying loans taken for the above items\n\nCrisis Loans are not available any more.\n\nYou may be eligible for a Budgeting Loan if you\u2019ve been on certain benefits for 6 months.\n\nYou only have to pay back the amount you borrow, and repayments are taken automatically from your benefits.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Check if you're eligible\n\nTo get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\nIf you moved from Universal Credit to Pension Credit, any time spent claiming Universal Credit will count towards the 6 months.\n\nYou cannot get a Budgeting Loan if:\n\n- you are currently claiming Universal Credit - apply for a Budgeting Advance instead\n\n- you\u2019re involved in industrial action (for example, a strike, walkout or lockout)\n\n- you owe more than \u00a31,500 in total for Crisis Loans and Budgeting Loans\n\nIf you live in Northern Ireland, go to Budgeting Loans in Northern Ireland.\n\n## What you could get\n\nThe lowest amount you can borrow is \u00a3100. You could get up to:\n\n- \u00a3348 if you\u2019re single\n\n- \u00a3464 if you have a partner\n\n- \u00a3812 if you or your partner claim Child Benefit\n\nHow much you could get depends on whether you:\n\n- can pay the loan back\n\n- have savings of more than \u00a31,000 (\u00a32,000 if you or your partner are 63 or over)\n\n- are paying back an existing Budgeting Loan or Crisis Loan\n\n## Paying back the loan\n\nA Budgeting Loan is interest free so you only pay back what you borrow.\n\nThe repayments will be taken automatically from your benefits. The amount you repay is based on your income - including any benefits you receive - and what you can afford.\n\nAfter you apply for a Budgeting Loan, you\u2019ll get an email, text or letter telling you if you\u2019ve been offered a loan. This explains how much your weekly repayments will be if you accept the loan.\n\nYou normally have to repay the loan within 2 years (104 weeks). If you stop getting benefits, you\u2019ll need to arrange another way to repay.\n\n## Apply\n\nCheck you\u2019re eligible before you apply.\n\nIf you get Universal Credit you cannot get a Budgeting Loan. You\u2019ll need to apply for a Budgeting Advance\u00a0instead.\n\nYou can apply online or using the paper form. It\u2019s quicker to apply online.\n\n## Apply online\n\nWhen you apply online, you can choose to get a decision on your loan by either:\n\n- email\n\n- text message\n\n- letter\n\nIt\u2019s quicker to get the decision by email or text message and accept it online.\n\nThere\u2019s a different way to apply for a Budgeting Loan in Northern Ireland.\n\nApply online\n\n## Apply using the paper form\n\nYou will need to fill in form SF500. You can:\n\n- download and print the form\n\n- phone the Social Fund Enquiry Line and ask for a form to be posted to you - allow 7 days for the form to arrive\n\nReturn your completed form by post.\n\n## After you apply\n\nAfter you apply you will be given a decision on your application. You need to accept the decision before you get your money.\n\n## If you apply online\n\nYou\u2019ll find out if you\u2019ve been offered a loan within:\n\n- 7 days if you get the decision by text or email\n\n- 21 days if you get the decision by letter\n\n## If you apply by post\n\nYou\u2019ll get a letter telling you if you\u2019ve been offered a loan within 21 days.\n\n## Accepting the loan\n\nHow you accept the loan depends on how you applied.\n\n## Accept online\n\nYou can accept the loan offer online by following the instructions in the text or email.\n\n## Accept by post\n\nYou can accept by signing page 4 of the acceptance letter and returning it in the pre-paid envelope provided. Make sure the reply slip is folded so that the return address is fully visible in the envelope window.\n\nReturn it to the address on the letter. Do not send it to your local Jobcentre Plus office as this may delay getting your loan.\n\n## Getting your money\n\nYou\u2019ll get your money within:\n\n- 7 days of accepting the loan offer online\n\n- 21 days of your loan offer acceptance being received by post\n\nThe money will be paid into your bank, building society or credit union account.\n\nYou\u2019ll get a text message confirming this has been done.\n\n## Questions about your application\n\nCall the Social Fund Enquiry Line if you have a question about the progress of your application.\n\nYou should wait:\n\n- 14 days before phoning if you applied online\n\n- 21 days before phoning if you applied by post\n\nYour application may not have been processed before then.\n\n## Other help you can get\n\nYou may be able to get other kinds of support, including:\n\n- help from your local council and Jobcentre Plus\n\n- the Discretionary Assistance Fund in Wales\n\n- a Crisis Grant or Community Care Grant in Scotland\n\n- Discretionary Support or a Short-term Benefit Advance in Northern Ireland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/budgeting-help-benefits", + "answerable": true, + "scenario": "I just moved to my new home and I need help to buy good furniture and white goods. I have spent a lot of money in setting up the home and I need a financial boost.", + "original_question": "Am I eligible for a Budgeting Loan?" + }, + { + "id": "train-117", + "question": "Scenario: I am 19 years old and have just started a degree course at University for a Higher National Diploma. I have Asperger\n\nQuestion: Does my disability entitle me to claim DSA?\n\nDocument - Help if you're a student with a learning difficulty, health problem or disability:\n## Disabled Students' Allowance\n\nDisabled Students\u2019 Allowance (DSA) is support to cover the study-related costs you have because of a mental health problem, long term illness or any other disability.\n\nThis can be on its own or in addition to any student finance you get.\n\nThe type of support and how much you get depends on your individual needs - not your household income.\n\nYou do not need to pay back DSA.\n\n## What you\u2019ll get\n\n## 2021 to 2022 academic year\n\nUndergraduate and postgraduate students can get up to \u00a325,000 a year for support.\n\n## 2020 to 2021 academic year\n\n| | Specialist equipment allowance | Non-medical helper allowance | General allowance |\n\n| Full-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a323,258 a year | Up to \u00a31,954 a year |\n\n| Part-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a317,443 a year | Up to \u00a31,465 a year |\n\nPostgraduates can get support of up to \u00a320,580 a year.\n\nThese figures are the maximum amounts - most students get less.\n\n## What DSA can pay for\n\nYou can get help with the costs of:\n\n- specialist equipment, for example a computer if you need one because of your disability\n\n- non-medical helpers, for example a British Sign Language (BSL) interpreter or specialist note taker\n\n- extra travel to attend your course or placement because of your disability\n\n- other disability-related study support, for example having to print additional copies of documents for proof-reading\n\nDSA does not cover disability-related costs you\u2019d have if you were not attending a course, or costs that any student might have.\n\n## Buying a new computer\n\nYou may get a new computer if you\u2019re assessed as needing one because:\n\n- you do not already have one\n\n- your current one does not meet your study needs\n\nWhen buying a new computer, you\u2019ll need to pay the first \u00a3200.\n\nThe DSA team will send you more information about this after your needs assessment.\n\n## Your \u2018needs assessment\u2019\n\nOnce your eligibility for DSA is confirmed, Student Finance England may ask you to contact an assessment centre to work out what help you need.\n\nThis is known as a needs assessment. Do not book this until Student Finance England asks you to.\n\nThe assessment is paid for through any DSA entitlement you may have.\n\nAfter the assessment, you\u2019ll get a report listing equipment and other support you can get for your course.\n\nDo not buy any equipment until you\u2019ve been assessed - you will not be reimbursed for it.\n\n## How DSA is paid\n\nMoney is paid either into your bank account or directly to the organisation providing the service or equipment.\n\nYou\u2019ll find out how your support will be paid to you after your needs assessment.\n\n## Eligibility\n\nYou can apply for Disabled Students\u2019 Allowance (DSA) if you live in England and have a disability that affects your ability to study, such as a:\n\n- specific learning difficulty, for example dyslexia or ADHD\n\n- mental health condition, for example anxiety or depression\n\n- physical disability, for example if you have to use crutches, a wheelchair or a special keyboard\n\n- sensory disability, for example if you\u2019re visually impaired, deaf or have a hearing impairment\n\n- long-term health condition, for example cancer, chronic heart disease or HIV\n\nYou must also:\n\n- be an undergraduate or postgraduate student (including Open University or distance learning)\n\n- qualify for student finance from Student Finance England\n\n- be studying on a course that lasts at least a year\n\n## Who is not eligible\n\nYou cannot get DSA from Student Finance England if you\u2019re:\n\n- an EU student who is eligible for fee support only\n\n- eligible for NHS Disabled Students\u2019 Allowances (this is a separate scheme)\n\n- getting equivalent support from another funding source, like from your university or a social work bursary\n\n## Proving you\u2019re eligible\n\nYou will not automatically get DSA - you need proof of your eligibility.\n\n| Condition | Proof |\n\n| Disabilities or long-term health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB) |\n\n| Mental health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB) |\n\n| Specific learning difficulty such as dyslexia | A copy of a \u2018diagnostic assessment\u2019 from a practitioner psychologist or suitably qualified specialist teacher |\n\nYou could get extra help to pay for a new diagnostic assessment.\n\n## Where to send letters or reports from a doctor\n\nYou can send proof of a health condition or learning disability to Student Finance England through your online account - if you have one. You can also send your proof by email or post.\n\n## Your course\n\nYour course must be in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- a Postgraduate Certificate of Education (PGCE)\n\n- a postgraduate course\n\n- Initial Teacher Training\n\nCheck with your university or college that your course is recognised.\n\n## Part-time course intensity\n\n## 2020 to 2021 academic year\n\nFor part-time students, your course intensity can affect how much DSA you get.\n\n\u2018Course intensity\u2019 means how long your course takes to complete each year compared to an equivalent full-time course. You can check course intensity with your university or college.\n\nThe rules are different depending on your course.\n\n## Part-time undergraduate courses\n\nYour course cannot be more than 4 times longer than the equivalent full-time course. Your course must last at least a year.\n\n## Part-time postgraduate master\u2019s courses\n\nIf you\u2019re applying for a Postgraduate Loan for a part-time master\u2019s degree, the course must not last more than twice as long as the full-time equivalent.\n\n## How to apply\n\nHow you apply for Disabled Students\u2019 Allowance (DSA) depends on whether you\u2019re studying full-time or part-time.\n\n## Full-time students\n\n## If you\u2019ve already applied for student finance\n\nSign in to your student finance account to start your DSA application.\n\nThe application for DSA should be on your \u2018to-do list\u2019 if you chose DSA in your application for other support. If it is not, select \u2018change your circumstances\u2019 to apply.\n\nIf you do not have an online account because you applied for student finance by post, fill in a student finance form (form DSA1).\n\n## If you have not applied for student finance\n\nYou can apply for DSA when you apply for student finance online.\n\nIf you do not need student finance, you can fill in a student finance form (form DSA1) to apply just for DSA.\n\nYou cannot apply for student finance online once you\u2019ve applied for DSA.\n\n## Part-time students\n\nFill in a student finance form (form DSA1) to apply for DSA.\n\n## If you\u2019re already getting DSA\n\nFill in a student finance form (form DSA1) to claim back your expenses.\n\n## How long it takes\n\nYou\u2019ll get confirmation of whether your application is successful within 6 weeks.\n\nIt can take up to 14 weeks to get your DSA support in place as this is done separately.\n\n## Further information\n\nContact the disability adviser at your university or college if you need advice about financial help.\n\n## If your circumstances change\n\nContact Student Finance England if your circumstances change as this may affect what you\u2019re entitled to. For example, if your condition gets worse you may be able to get extra help.\n\n## Appeals\n\nYou can ask for an explanation or to have your case reviewed if your application is turned down. Contact Student Finance England for more details.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/disabled-students-allowance-dsa", + "answerable": true, + "scenario": "I am 19 years old and have just started a degree course at University for a Higher National Diploma. I have Asperger", + "original_question": "Does my disability entitle me to claim DSA?" + }, + { + "id": "train-118", + "question": "Scenario: I am 6 months pregnant with my first child and I need money to cater for my health and prepare for my baby arrival.\n\nQuestion: Am I allowed to apply for any form of maternity allowances?\n\nDocument - Sure Start Maternity Grant:\n## Overview\n\nYou could get a one-off payment of \u00a3500 to help towards the costs of having a child. This is known as a Sure Start Maternity Grant.\n\nIf you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.\n\nYou usually qualify for the grant if both of the following apply:\n\n- you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already\n\n- you or your partner already get certain benefits\n\nYou must claim the grant within 11 weeks of the baby\u2019s due date or within 6 months after the baby\u2019s birth.\n\nYou do not have to pay the grant back and it will not affect your other benefits or tax credits.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## What you'll get\n\nA Sure Start Maternity Grant is \u00a3500 and you do not have to pay it back.\n\nYou may not get a grant if you already have children.\n\n## If you already have children under 16\n\nYou can only get a grant if at least one of the following applies:\n\n- you\u2019re expecting a multiple birth (such as twins)\n\n- the child you\u2019re caring for is someone else\u2019s\n\n- you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK\n\n| Children under 16 | Grant if you have twins | Grant if you have triplets |\n\n| You have 1 or more (and none of them are from multiple births) | \u00a3500 | \u00a31,000 |\n\n| You\u2019ve already had twins | \u00a30 | \u00a3500 |\n\n| You\u2019ve already had triplets | \u00a30 | \u00a30 |\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Eligibility\n\nUsually, to qualify for a Sure Start Maternity Grant there must be no other children in your family. You or your partner must also get one of these benefits:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Child Tax Credit\n\n- Working Tax Credit that includes a disability or severe disability element\n\n- Universal Credit\n\nYou may also qualify if you\u2019re getting a Support for Mortgage Interest loan.\n\nIf you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.\n\n## If you already have children under 16\n\nYou may still be able to get a grant if any of the following apply:\n\n- you\u2019re expecting a multiple birth (such as twins)\n\n- the child you\u2019re caring for is someone else\u2019s (but not your partner\u2019s) and the child was over 12 months old when the arrangement started\n\n- you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK\n\nYou must claim by the deadline.\n\n## If you\u2019re not giving birth\n\nYou may also be able to get a grant if you\u2019re adopting or becoming a surrogate parent.\n\nThe baby must be less than 1 year old on the date you claim. You must be receiving one of the benefits above and one of the following must also apply:\n\n- you\u2019ve become responsible for the baby and you\u2019re not the mother\n\n- the baby has been placed with you for adoption\n\n- you\u2019ve got permission to adopt a baby from abroad\n\n- you\u2019ve got a parental order for a surrogate birth\n\n- you\u2019ve been appointed as guardian\n\n- you\u2019ve an adoption or a residence order\n\n## How to claim\n\nYou can claim from 11 weeks before the week your baby is due. The latest you can claim is 6 months after your baby is born.\n\nIf you\u2019re becoming responsible for a child, you must claim within 6 months of this happening.\n\n## Claim by post\n\n- Print out and fill in the Sure Start Maternity Grant (SF100) claim form.\n\n- Get a health professional such as a doctor or midwife to fill in the statement on page 10 of the form. You can send your form without this statement if necessary to meet the deadline. If you do this, you\u2019ll be contacted about arranging the statement at a later date.\n\n- Post the form to \u2018Freepost DWP SSMG\u2019 - you do not need a postcode or a stamp.\n\nThere\u2019s a different form and postal address if you live in Northern Ireland.\n\nYou\u2019ll get a letter telling you if your claim was successful.\n\nIf you get Universal Credit, you will not get a decision on your claim until after your next payment.\n\n## Get help with your claim\n\nCall the Sure Start Maternity Grant helpline.\n\nYou can also contact Jobcentre Plus.\n\n## Alternative formats\n\nCall the Sure Start Maternity Grant helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/sure-start-maternity-grant", + "answerable": true, + "scenario": "I am 6 months pregnant with my first child and I need money to cater for my health and prepare for my baby arrival.", + "original_question": "Am I allowed to apply for any form of maternity allowances?" + }, + { + "id": "train-120", + "question": "Scenario: I am in receipt of Universal Credit for a chronic health condition. I receive PIP but only on the lower level of the daily living component.\n\nQuestion: Can my partner be registered as my carer given that I do not qualify for higher level PIP?\n\nDocument - Carer's Allowance:\n## How it works\n\nYou could get \u00a367.60 a week if you care for someone at least 35 hours a week and they get certain benefits.\n\nYou do not have to be related to, or live with, the person you care for.\n\nYou do not get paid extra if you care for more than one person.\n\nIf someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.\n\nCarer\u2019s Allowance can affect the other benefits that you and the person you care for get. You have to pay tax on it if your income is over the Personal Allowance.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Claiming Carer\u2019s Allowance if you\u2019re affected by coronavirus (COVID-19)\n\nYou can claim Carer\u2019s Allowance if you provide care remotely during the coronavirus outbreak. This includes giving emotional support over the phone or online.\n\n## How you\u2019re paid\n\nYou can choose to be paid weekly in advance or every 4 weeks.\n\nIt will be paid into an account, for example your bank account.\n\n## What else you can get\n\nFor each week you get Carer\u2019s Allowance you\u2019ll automatically get National Insurance credits.\n\nYou may also be able to apply for:\n\n- support from your local council\n\n- a Council Tax Reduction\n\n- Universal Credit if you\u2019re on a low income or out of work\n\n- Pension Credit if you\u2019re over working age\n\n- grants and bursaries to help pay for courses and training\n\n- Income Support (if you get the severe disability premium and you\u2019re on a low income)\n\n- income-based Employment and Support Allowance (if you get the severe disability premium and you cannot work)\n\nIf you live in Scotland and get Carer\u2019s Allowance, you may also get Carer\u2019s Allowance Supplement.\n\n## Get help and advice\n\nYou can get more help and advice from:\n\n- Carers UK\n\n- Carers Trust\n\n- Citizens Advice\n\n- NHS: Carers Direct helpline\n\n## Eligibility\n\nYou may be eligible for Carer\u2019s Allowance if you, the person you care for and the type of care you provide meets certain criteria.\n\n## The person you care for\n\nThe person you care for must already get one of these benefits:\n\n- Personal Independence Payment - daily living component\n\n- Disability Living Allowance - the middle or highest care rate\n\n- Attendance Allowance\n\n- Constant Attendance Allowance at or above the normal maximum rate with an Industrial Injuries Disablement Benefit\n\n- Constant Attendance Allowance at the basic (full day) rate with a War Disablement Pension\n\n- Armed Forces Independence Payment\n\nIf someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.\n\n## The type of care you provide\n\nYou need to spend at least 35 hours a week caring for someone. This can include:\n\n- helping with washing and cooking\n\n- taking the person you care for to a doctor\u2019s appointment\n\n- helping with household tasks, like managing bills and shopping\n\nIf you or the person you care for are affected by coronavirus, you can still claim Carer\u2019s Allowance if you provide care remotely. This includes giving emotional support over the phone or online.\n\n## Your eligibility\n\nAll of the following must apply:\n\n- you\u2019re 16 or over\n\n- you spend at least 35 hours a week caring for someone\n\n- you\u2019ve been in England, Scotland or Wales for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)\n\n- you normally live in England, Scotland or Wales, or you live abroad as a member of the armed forces (you might still be eligible if you\u2019re moving to or already living in an EEA country or Switzerland)\n\n- you\u2019re not in full-time education\n\n- you\u2019re not studying for 21 hours a week or more\n\n- you\u2019re not subject to immigration control\n\n- your earnings are \u00a3128 or less a week after tax, National Insurance and expenses\n\nIf your earnings are sometimes more than \u00a3128 a week you might still be eligible for Carer\u2019s Allowance. Your average earnings may be calculated to work out if you\u2019re eligible.\n\n## Calculating your earnings\n\nYour earnings are any income from employment and self-employment after tax, National Insurance and expenses.\n\nExpenses can include:\n\n- 50% of your pension contributions\n\n- equipment you need to do your job, for example specialist clothing\n\n- travel costs between different workplaces that are not paid for by your employer, for example fuel or train fares\n\n- business costs if you\u2019re self-employed, for example a computer you only use for work\n\nIf you pay a carer to look after the disabled person or your children while you work, you can treat care costs that are less than or equal to 50% of your earnings as an expense. The carer must not be your spouse, partner, parent, child or sibling.\n\nPayments that do not count as earnings include:\n\n- money received from an occupational or private pension\n\n- contributions towards your living or accommodation costs from someone you live with (they cannot be a tenant or boarder)\n\n- the first \u00a320 a week and 50% of the rest of any income you make from someone boarding in your home\n\n- a loan or advance payment from your employer\n\n## If you get State Pension\n\nYou cannot get the full amount of both Carer\u2019s Allowance and your State Pension at the same time.\n\nIf your pension is \u00a367.60 a week or more, you will not get a Carer\u2019s Allowance payment.\n\nIf your pension is less than \u00a367.60 a week, you\u2019ll get a Carer\u2019s Allowance payment to make up the difference.\n\n## If you get Pension Credit\n\nIf your State Pension is more than \u00a367.60 a week, you will not get a Carer\u2019s Allowance payment but your Pension Credit payments will increase instead.\n\n## If you\u2019re not eligible\n\nYou might be eligible for Carer\u2019s Credit if you\u2019re not eligible for Carer\u2019s Allowance.\n\n## Effect on other benefits\n\nCarer\u2019s Allowance can affect the other benefits that both you and the person you care for get.\n\n## Effect on the benefits of the person you care for\n\nWhen you claim Carer\u2019s Allowance, the person you care for will stop getting:\n\n- a severe disability premium paid with their benefits\n\n- an extra amount for severe disability paid with Pension Credit, if they get one\n\nThey might also stop getting reduced Council Tax. Contact their local council to find out if this affects them.\n\n## Effect on your benefits\n\nWhen you claim Carer\u2019s Allowance your other benefit payments may change, but your total benefit payments will usually either go up or stay the same.\n\nCarer\u2019s Allowance does not count towards the benefit cap.\n\nIf you get Working Tax Credit or Child Tax Credit, you must contact HM Revenue and Customs (HMRC) to tell them about your Carer\u2019s Allowance claim.\n\nIf you get Pension Credit, your payments will increase if you\u2019re eligible for Carer\u2019s Allowance.\n\nIf you delay claiming your State Pension, this could increase the State Pension payments you get when you decide to claim it. You cannot build up extra State Pension during any period you get Carer\u2019s Allowance.\n\nUse a benefits calculator to work out how your other benefits will be affected.\n\n## Make a claim\n\nBefore you apply make sure you have your:\n\n- National Insurance number (if you have a partner you\u2019ll need theirs too)\n\n- bank or building society details (unless you get your State Pension)\n\n- employment details and latest payslip if you\u2019re working\n\n- P45 if you\u2019ve recently finished work\n\n- course details if you\u2019re studying\n\n- details of any expenses, for example pension contributions or the cost of caring for your children or the disabled person while you\u2019re at work\n\nYou also need details of the person you care for. You need their:\n\n- date of birth and address\n\n- National Insurance number if they\u2019re 16 or over\n\n- Disability Living Allowance reference if they\u2019re under 16\n\nYou can backdate your claim by up to 3 months.\n\nApply now\n\n## Other ways to apply\n\nIf you cannot apply online, you can apply by post. The address to send your application to is at the end of the form.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Report a change in circumstances\n\nYou must report changes in your circumstances if you\u2019re claiming or have applied for Carer\u2019s Allowance.\n\nChanges can include:\n\n- starting a job\n\n- starting or ending full-time education\n\n- changes to your income\n\n- stopping being a carer\n\n- the person you care for no longer getting their disability benefit\n\n- someone else who cares for the same person claiming Carer\u2019s Allowance instead of you\n\n- someone else who cares for the same person claims the carer\u2019s element of Universal Credit\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nYou must tell the Department for Work and Pensions if the person you\u2019re caring for dies.\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## If you temporarily stop providing care for someone\n\nYou can still get Carer\u2019s Allowance if you temporarily stop providing care. This means any period when you spend less than 35 hours a week caring for the other person.\n\nThe person you care for must still receive their disability benefit.\n\nYou must tell DWP if you temporarily stop providing care and:\n\n- you or the person you care for will be in hospital, a nursing home, or respite care for more than 12 weeks\n\n- you stop caring for more than 28 days for any other reason\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## If you\u2019re working\n\nYou can work and get Carer\u2019s Allowance, as long as you spend at least 35 hours in your caring role.\n\nYou can get support for you or the person you care for from your employer, local councils and other organisations.\n\n## Time off for an emergency\n\nYou can ask your employer for time off to deal with an emergency involving someone else who depends on you for care. How much time off you get depends on your situation.\n\nIf you do not qualify for time off, your employer may allow you \u2018compassionate leave\u2019 for emergency situations.\n\n## Flexible working\n\nIf you need to work more flexibly, for example work part-time or work from home, you can request flexible working.\n\nYou do not have to tell your employer about your caring role or give another reason why you need to work more flexibly.\n\n## Respite care or \u2018short break\u2019 care\n\nIf you need someone to help look after the person you care for while you\u2019re at work, you can apply for respite care (also known as \u2018short break\u2019 care).\n\nRespite care options include:\n\n- getting a paid carer or a volunteer to sit with the person you look after for a few hours\n\n- a regular place in a day care centre for the person you care for\n\nYour local council may pay for respite care but you and the person you care for will need an assessment before you can apply.\n\nContact your local authority for information about local support.\n\n## Advice on starting work\n\nIf you need help starting or returning to work, contact your local Jobcentre Plus for help on how to combine work with your caring responsibilities.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/carers-allowance", + "answerable": true, + "scenario": "I am in receipt of Universal Credit for a chronic health condition. I receive PIP but only on the lower level of the daily living component.", + "original_question": "Can my partner be registered as my carer given that I do not qualify for higher level PIP?" + }, + { + "id": "train-121", + "question": "Scenario: I am 52, and the appointed Personal Welfare deputy of my 75 year old father, who has dementia. He also has a Panel Deputy, appointed by the court, to handle his financial affairs. My father's current will divides his estate equally between myself and two siblings; however, my younger brother was recently convicted of an extremely serious criminal offense which would very likely have caused my father to disinherit him.\n\nQuestion: Can I apply to change my father's will, or is this a matter for the deputy handling his financial affairs?\n\nDocument - Make a statutory will on behalf of someone else:\n## Overview\n\nApply to the Court of Protection if you want to make (or change) a will on behalf of someone who cannot do it themselves.\n\nThis may be because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\nYou can apply when the person is not able to understand:\n\n- what making or changing a will means\n\n- how much money they have or what property they own\n\n- how making or changing a will might affect the people they know (either those mentioned in the will or those left out)\n\nSomeone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.\n\n## How to apply\n\n- Download, fill in and return the forms with details of the proposed will and supporting documents.\n\n- Tell other people that you\u2019ve applied.\n\n- Attend a hearing if the Court of Protection decides to hold one.\n\n- Sign the will, have it witnessed and send it to the Court of Protection to have it \u2018sealed\u2019.\n\n## Emergency applications\n\nYou can apply to the Court of Protection for an emergency decision on a statutory will if the person you\u2019re applying for only has a short time to live.\n\n## Get legal advice\n\nYou can get legal advice from:\n\n- a solicitor - you\u2019ll have to pay for this\n\n- organisations which give advice for free, for example Citizens Advice Bureau\n\n## How to apply\n\nDownload and fill in the following forms to apply to make a will on behalf of someone, or to make changes to their existing will:\n\n- application form (COP1)\n\n- witness statement (COP24)\n\n- information form (COP1C)\n\nYou\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.\n\nDownload and fill in assessment of capacity form (COP3) - you\u2019ll need to get the person\u2019s doctor or other medical professional to fill in the relevant parts.\n\nSend the completed forms, your supporting documents and payment to the Court of Protection.\n\n## Supporting documents\n\nYou\u2019ll need to include the following information and documents:\n\n- a copy of the person\u2019s current will and any amendments (\u2018codicils\u2019)\n\n- a copy of the proposed new will or codicil\n\n- a copy of any deputyship order\n\n- details of the people who have agreed to deal with the will after the person\u2019s death (\u2018executors\u2019)\n\n- a copy of any registered lasting power of attorney or registered enduring power of attorney\n\n- the person\u2019s family tree\n\n- reasons the person might be expected to provide for people named in the will (\u2018beneficiaries\u2019)\n\n- the person\u2019s address and details about where they\u2019re living, for example care home, hospital\n\nYou must also provide:\n\n- details of the person\u2019s estate and assets\n\n- accounts showing their estimated income and outgoings\n\n- details of any inheritance tax payable in the event of the person\u2019s death\n\n## Acting in the other person\u2019s best interest\n\nDecisions taken on someone\u2019s behalf must always be in their best interest. You must consider:\n\n- what they would do if they were able to make a will themselves\n\n- their beliefs and personal values\n\n- how they\u2019ve acted and made decisions for themselves in the past\n\nRead the Court of Protection practice direction (9E) for more information and an example of a statutory will.\n\n## Fees\n\nAn application for a statutory will costs \u00a3365.\n\nYou may also have to pay:\n\n- \u00a3485 if the court decides to hold a hearing (including telephone hearings)\n\n- solicitor\u2019s fees if a solicitor is appointed by the Official Solicitor to act as the person\u2019s litigation friend\n\n- Counsel\u2019s fees (if there are any)\n\n## How to pay\n\nSend a cheque for \u00a3365 made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms and supporting documents.\n\nYou\u2019ll be told when you need to pay any additional costs, for example for court hearings.\n\nYou may be able to claim back any fees you pay from the estate of the person you\u2019re applying for.\n\n## Exemptions and refunds\n\nYou may not have to pay an application or hearing fee, depending on the circumstances of the person you\u2019re applying for, for example they:\n\n- have low (or no) income\n\n- are on certain types of benefit\n\nDownload and fill in the application for a fee remission form and send it the Court of Protection with your application forms. The form contains guidance about exemptions.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving your application.\n\n## After you apply\n\nThe Court of Protection will send you a letter to confirm that your application has been received.\n\nYou\u2019ll also get a stamped copy of your application form and a \u2018directions order\u2019 from the court telling you what to do next.\n\n## The Official Solicitor\n\nThe directions order might tell you to write to the Official Solicitor to tell them about your application. The Official Solicitor makes sure that people who cannot make decisions for themselves have someone to represent them in court cases.\n\n## Tell people named in your application\n\nYour directions order will say who you must tell (\u2018serve\u2019) about your application. This could include the person who the application is about and:\n\n- anyone named in an existing will who would be affected financially, for example they are not a beneficiary in the new will\n\n- anyone who would be expected to benefit if the person were to die without a will (\u2018intestate\u2019), for example family members\n\n- any other people named on your application\n\n- the Official Solicitor\n\nYou must serve both of the following documents within 14 days of the application being issued:\n\n- notice that an application form has been issued (COP15)\n\n- acknowledgment of service form (COP5) so they can confirm they\u2019ve been told about the application and register any objection\n\nYou can serve them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\nYou\u2019ll be given time to reach a decision with the people you\u2019ve served. The Court of Protection may hold a hearing if you cannot.\n\n## Getting a decision\n\nThe Court of Protection will tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you have to provide more information, for example further medical reports\n\n- there\u2019ll be a hearing to get more information\n\n## Court hearings\n\nThe Court of Protection will hold a hearing, or hearings, if you have not been able to reach a decision with the people you\u2019ve served.\n\nYou can also get a solicitor to represent you during the hearing.\n\nRead the guidance on what to expect from a Court of Protection hearing.\n\nYou\u2019ll have to pay a hearing fee after the court makes their final decision.\n\n## Appeal a decision\n\nYou can ask for a decision that was made without a hearing to be reconsidered any time within 21 days of the decision being made.\n\nTo appeal a decision made at a court hearing download and fill in the Appellants Notice Form COP 35.\n\nYou must pay \u00a3320. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nSend the form to the Court of Protection with a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 within 21 days of the date the decision was made.\n\n## Finalising the will\n\nYou\u2019ll be sent a court order confirming that your application has been accepted with a letter telling you what to do next.\n\n## Sign the will\n\nYou must sign 2 copies of the will. Both copies should be signed in your name and in the name of the person the will has been made for. You must also get 2 witnesses (aged 18 or over) to sign them.\n\nThe witnesses must:\n\n- be with you when you sign the will\n\n- sign the will straight after you\n\nSend the 2 signed copies of the statutory will to the Court of Protection.\n\nThe 2 copies will be given the court\u2019s official seal and sent back to you.\n\n## When the person dies\n\nThe statutory will can be handled (\u2018executed\u2019) in the normal way, as if the person had made the will themselves.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-statutory-will", + "answerable": true, + "scenario": "I am 52, and the appointed Personal Welfare deputy of my 75 year old father, who has dementia. He also has a Panel Deputy, appointed by the court, to handle his financial affairs. My father's current will divides his estate equally between myself and two siblings; however, my younger brother was recently convicted of an extremely serious criminal offense which would very likely have caused my father to disinherit him.", + "original_question": "Can I apply to change my father's will, or is this a matter for the deputy handling his financial affairs?" + }, + { + "id": "train-122", + "question": "Scenario: I am a landlord and i took a loan to repair my entire home and my tenants are not paying their rents promptly due to covid pandemic . I am now financially struggling.\n\nQuestion: Can i get financial help to cushion my mortgage interest?\n\nDocument - Support for Mortgage Interest (SMI):\n## Overview\n\nIf you\u2019re a homeowner, you might be able to get help towards interest payments on:\n\n- your mortgage\n\n- loans you\u2019ve taken out for certain repairs and improvements to your home\n\nThis help is called Support for Mortgage Interest (SMI).\n\nThis guide is also available in Welsh (Cymraeg).\n\nIt\u2019s paid as a loan, which you\u2019ll need to repay with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).\n\nYou usually need to be getting, or treated as getting, a qualifying benefit to get SMI.\n\nThere\u2019s no guarantee that you\u2019ll get SMI for a mortgage or loan you take out.\n\n## What you cannot use SMI for\n\nSMI cannot help you pay:\n\n- the amount you borrowed - only the interest on your mortgage\n\n- anything towards insurance policies you have\n\n- missed mortgage payments (arrears)\n\n## What you'll get\n\nIf you qualify for Support for Mortgage Interest (SMI), you\u2019ll usually get help paying the interest on up to \u00a3200,000 of your loan or mortgage.\n\nHowever, you can only get up to \u00a3100,000 if either:\n\n- you\u2019re getting Pension Credit\n\n- you started claiming another qualifying benefit before January 2009 and you were below State Pension age at that time\n\nIf you\u2019re already getting SMI and move to Pension Credit within 12 weeks of stopping your other benefits, you\u2019ll still get help with interest on up to \u00a3200,000.\n\nThe interest rate used to calculate the amount of SMI you\u2019ll get is currently 2.09%.\n\n## What you\u2019ll pay back\n\nSMI is paid as a loan. You\u2019ll need to repay the money you get with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).\n\nThe interest added to the loan can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%.\n\nIf you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.\n\n## How SMI is paid\n\nSMI is normally paid direct to your lender.\n\nPayments can start either:\n\n- from the date you start getting Pension Credit\n\n- after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income\n\n- after you\u2019ve claimed any other qualifying benefit for 39 weeks in a row\n\n## Eligibility\n\nTo be eligible for a Support for Mortgage Interest (SMI) loan, you usually need to be getting one of the following qualifying benefits:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance (JSA)\n\n- income-related Employment and Support Allowance (ESA)\n\n- Universal Credit\n\n- Pension Credit\n\nContact the relevant office to check if you\u2019re eligible for SMI.\n\nYou can start getting the loan:\n\n- from the date you start getting Pension Credit\n\n- after you\u2019ve claimed Income Support, income-based JSA or income-based ESA for 39 weeks in a row\n\n- after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income\n\n## If you receive Universal Credit\n\nYou cannot get SMI if you get any of the following income:\n\n- earnings from your job if you\u2019re employed or self-employed\n\n- a tax refund\n\n- Statutory Sick Pay\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Shared Parental Pay\n\nTo start getting SMI (or get it again if your SMI stopped), you\u2019ll need to stop getting this income and then get Universal Credit for 9 months in a row.\n\n## If your income is too high to get a qualifying benefit\n\nYou might still be able to get SMI if you apply for one of the qualifying benefits but cannot get it because your income is too high. You\u2019ll then be treated as getting the benefit you applied for.\n\nYou will not be treated as getting Universal Credit if you cannot get it because your income is too high.\n\n## How to apply\n\nWhen you apply for a qualifying benefit, you\u2019ll be asked extra questions about your housing costs to find out if you\u2019re eligible for Support for Mortgage Interest (SMI). You might also be sent a form asking for more detailed information.\n\nIf you qualify for SMI, you\u2019ll be offered a loan.\n\nIf you turn down the offer at first, you can still accept it at any time as long as you\u2019re eligible for SMI. The payments to your lender will be backdated to when you were first entitled to the loan. Contact the office that pays your benefit.\n\n## If you already get a qualifying benefit\n\nContact the office that pays your benefit to find out if you could get an SMI loan.\n\nThe payments to your lender will be backdated to when you were first entitled to the loan.\n\nIf you get or have applied for Income Support, income-based JSA or income-related ESA, contact Jobcentre Plus.\n\nIf you get or have applied for Pension Credit, contact the Pension Service.\n\nIf you get or have applied for Universal Credit, contact the Universal Credit helpline.\n\n## Repaying your loan\n\nYou\u2019ll need to repay your SMI loan with interest if you sell or transfer ownership of your home.\n\nThe interest you pay can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%. You\u2019ll be told if this is going to change.\n\n## Selling your home\n\nYou will not be asked to sell your home in order to repay your SMI loan.\n\nIf you sell your home, you\u2019ll repay the SMI loan from what\u2019s left after you pay:\n\n- your mortgage\n\n- any home improvement loans\n\n- any other loans secured against your home\n\nIf you do not have enough left to pay off all of the SMI loan, you will have to pay back what you can. The rest of the loan will be written off.\n\n## If you\u2019re buying a new home\n\nYou may be able to transfer the loan to your new home. Contact DWP Loan Management as soon as you know you intend to move, and before you complete your sale.\n\nYou\u2019ll need to give DWP Loan Management your solicitor\u2019s contact details. They will work with your solicitor to arrange for the loan to be moved to your new home.\n\nThe office paying your qualifying benefit will also check you\u2019re still eligible.\n\n## Voluntary repayments\n\nIf you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.\n\n## How to repay\n\nContact DWP Loan Repayment to ask for a \u2018settlement letter\u2019 - this will tell you how much you need to pay.\n\nYou can pay by telephone or online banking using the bank account details in your settlement letter.\n\n## Get other financial help with your housing costs\n\nYou can still get financial help with your housing costs if your Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance is going to stop because you are about to:\n\n- return to work full-time\n\n- work more hours\n\n- earn more money\n\n## Help and support\n\nYou can get free information about housing support from:\n\n- Citizens Advice\n\n- Money Advice Service\n\n- Shelter", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/support-for-mortgage-interest", + "answerable": true, + "scenario": "I am a landlord and i took a loan to repair my entire home and my tenants are not paying their rents promptly due to covid pandemic . I am now financially struggling.", + "original_question": "Can i get financial help to cushion my mortgage interest?" + }, + { + "id": "train-124", + "question": "Scenario: I was given an estate by my father which is estimated to be around \u00a3500,000. He has died six months back and now I am liable to pay Inheritance Tax\n\nQuestion: Can I make the payment from deceased father's account ?\n\nDocument - Pay your Inheritance Tax bill:\n## Overview\n\nYou must pay Inheritance Tax by the end of the sixth month after the person died.\n\nThere are different due dates if you\u2019re making payments on a trust.\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay by the due date.\n\n## How to pay\n\nYou\u2019ll need to get a payment reference number before you can pay your Inheritance Tax bill.\n\n## Pay from your own bank account\n\nYou can pay from your own bank account or a joint account with the deceased:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\nYou currently cannot pay Inheritance Tax by cheque because of coronavirus (COVID-19).\n\nYou can claim the money back from the deceased\u2019s estate or the beneficiaries once you get a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\n## Pay from accounts owned by the deceased\n\nYou can pay using the deceased\u2019s:\n\n- bank accounts - including National Savings and Investments (NS&I) accounts\n\n- government stock\n\n## If you do not know how much to pay\n\nYou can make payments before you know the exact amount of Inheritance Tax owed by the deceased person\u2019s estate. These are known as \u2018payments on account\u2019.\n\n## Check your payment has been received\n\nHMRC do not send receipts for each payment you make. They\u2019ll write to tell you when you\u2019ve paid all the Inheritance Tax and interest you owe.\n\nIf you\u2019ve paid through your own bank or building society, check your statement to confirm the payment has left your account.\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nAsk your bank if your cheque to HMRC has been cashed. If it has not been cashed, you should cancel the cheque and pay HMRC a different way.\n\n## Get a payment reference number\n\nYou\u2019ll need to get an Inheritance Tax reference number from HM Revenue and Customs (HMRC) at least 3 weeks before you make a payment.\n\nYou can apply for one:\n\n- online (unless you need it for a trust)\n\n- by post - using form IHT422, Application for an Inheritance Tax reference (the address you need is on the form)\n\nDo not use the 15-digit number from the online Inheritance Tax service to report an estate\u2019s value.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay by Faster Payments (online or telephone banking), CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001136 | HMRC Inheritance Tax |\n\nYou\u2019ll need to use your Inheritance Tax payment reference number as the payment reference.\n\n## How long it takes\n\nPayments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB66BARC20114763495590 | BARCGB22 | HMRC Inheritance Tax |\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay at a branch by cash or cheque.\n\nPlease complete one of your bank\u2019s paying in slips with the following HMRC bank account details:\n\nSort code 25 61 21\nAccount number 63495590\nAccount name HM Revenue & Customs Inheritance Tax\n\nSome branches might be closed at the moment because of coronavirus (COVID-19).\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite the name of the deceased and your Inheritance Tax payment reference number on the back of the cheque. You\u2019ll find the reference number on the letter HMRC sent you.\n\nHMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.\n\n## By cheque through the post\n\nYou currently cannot pay Inheritance Tax by post because of coronavirus (COVID-19). You can still pay:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\n## From the deceased's bank account\n\nYou can ask banks, building societies or National Savings & Investments (NS&I) to pay some or all of the Inheritance Tax due from the deceased person\u2019s accounts to HM Revenue and Customs (HMRC). This is called the \u2018Direct Payment Scheme\u2019.\n\n- Ask the bank, building society or NS&I to make you a \u2018personal representative\u2019 - each one will do this in a different way. You can do this before you apply for a \u2018grant of representation\u2019 (known as \u2018probate\u2019). This is known as confirmation in Scotland.\n\n- Get your Inheritance Tax payment reference number.\n\n- Fill in form IHT423 and send it to the bank, building society or NS&I. Send a separate form for each account you want to pay HMRC from.\n\n- Send Inheritance Tax Account form IHT 400, Probate Summary form IHT421, (Confirmation form C1 in Scotland) and any supplementary pages or supporting documents to HMRC.\n\nWhen the bank, building society or NS&I has made the payment, HMRC will stamp and return Probate Summary form IHT421 (Confirmation form C1 in Scotland) so you know the Inheritance Tax has been paid.\n\n## Using British government stock\n\nWrite to Computershare Investor Services, who run the British government stock scheme.\n\nTell them you want to pay Inheritance Tax and how much of the stock you want to use. Enclose a copy of the death certificate and the stock reference number (if you have it).\n\nAt the same time, send HMRC:\n\n- a letter saying how much tax you want to be paid out of the stock\n\n- Inheritance Tax Account form IHT400 - you\u2019ll need to put your Inheritance Tax payment reference number on the form\n\n- Probate Summary form IHT421 (Confirmation form C1 in Scotland)\n\nHMRC will contact Computershare and ask for the money to be transferred. This could take up to 4 weeks.\n\nDo not pay this way if you need to get probate (known as \u2018confirmation\u2019 in Scotland) quickly. (Probate is the right to deal with the deceased person\u2019s property, money and possessions.)\n\n## After the money has been transferred\n\n## In England, Wales or Northern Ireland\n\nHMRC will send your IHT421 form to the Probate Registry so they can send a grant of representation to you (if you\u2019re handling probate yourself) or to your solicitor.\n\n## In Scotland\n\nHMRC will return your C1 Confirmation form to you so you can apply for confirmation.\n\nIf the amount transferred is not enough to cover the Inheritance Tax you owe, HMRC will write to tell you how much to pay and how to pay it.\n\n## By transferring national heritage property\n\nIn very exceptional cases you may be able to make Inheritance Tax payments by transferring national heritage property to the Crown.\n\nNational heritage property may include:\n\n- buildings or land of historic, architectural, scenic or scientific interest\n\n- artworks, books and manuscripts or scientific collections of historic, scenic or scientific interest\n\nOffers to make Inheritance Tax payments by transferring national heritage property to the Crown are dealt with on an individual basis.\n\nContact the HMRC Heritage team for information on making an offer.\n\n## If your offer is accepted\n\nEven if your offer\u2019s accepted, you must first pay all of the Inheritance Tax you owe through other means and have a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\nOnce your property has been transferred HM Revenue and Customs (HMRC) will repay the Inheritance Tax you\u2019ve paid.\n\n## In yearly instalments\n\nYou can pay your Inheritance Tax on things that may take time to sell in equal annual instalments over 10 years.\n\nYou must say on Inheritance Tax Account form IHT400 if you want to pay in instalments.\n\nYou\u2019ll usually have to pay interest on your instalments. Use the calculator to work out the interest you\u2019ll need to pay.\n\nYou must pay the tax in full when you\u2019ve sold the deceased\u2019s assets, such as their house or shares.\n\n## When you must pay\n\nThe first instalment is due at the end of the sixth month after the death (for example if they died on 12 January, you\u2019d have to pay by 31 July). This is known as the \u2018due date\u2019. Payments are then due every year on that date.\n\n## Paying early\n\nYou can pay off the full tax and interest at any time. Write to HM Revenue and Customs (HMRC) Trusts and Estates asking for a final assessment (you do not have to include payment).\n\n## What you pay interest on\n\nYou will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:\n\n- the full outstanding tax balance\n\n- the instalment itself, from the date it\u2019s due to the date of payment (if it\u2019s paid late)\n\n## What you can pay in instalments\n\n## Houses\n\nYou can pay 10% and the interest each year if you decide to keep the house to live in.\n\n## Shares and securities\n\nYou can pay in instalments if the shares or securities allowed the deceased to control more than 50% of a company.\n\n## Unlisted shares and securities\n\nYou can pay in instalments for \u2018unlisted\u2019 shares or securities (ones not traded on a recognised stock exchange) if they\u2019re worth more than \u00a320,000 and either of these apply:\n\n- they represent 10% of the total value of the shares in the company, at the price they were first sold at (known as the \u2018nominal\u2019 value or \u2018face value\u2019)\n\n- they represent 10% of the total value of ordinary shares held in the company, at the price they were first sold at\n\nYou can find the face value of a share and whether it\u2019s an ordinary share on the share certificate.\n\nYou can also pay in instalments if either of these apply:\n\n- at least 20% of the total Inheritance Tax the estate owes is on assets that qualify for payment by instalments\n\n- paying Inheritance Tax on them in one lump sum will cause financial difficulties\n\n## Business run for profit\n\nYou can pay in instalments on the net value of a business, but not its assets.\n\n## Agricultural land and property\n\nThis is rare because most agricultural land and property is exempt from Inheritance Tax.\n\n## Gifts\n\nYou can pay in instalments if there is still Inheritance Tax to pay and you were given:\n\n- buildings\n\n- shares or securities\n\n- part or all of a business\n\nIf the gift was an unlisted share or security, it must still have been unlisted at the time of the death.\n\n## Trusts\n\n- Get your Inheritance Tax payment reference number at least 3 weeks before you want to make a payment by filling in Form IHT122.\n\n- Send Inheritance Tax Account form IHT100 to HM Revenue and Customs (HMRC).\n\n- Pay the Inheritance Tax, either through a bank or building society or by cheque through the post.\n\n## Payment deadlines\n\n## Transfers\n\nYou must pay Inheritance Tax on transfers into a trust or out of a trust (known as \u2018exit charges\u2019) no later than 6 months after the end of the month the transfer was made.\n\n## 10-year anniversary charge\n\nThe 10-year anniversary charge can be paid up to 6 months after the 10th anniversary of the date the trust was set up.\n\n## Pay early to avoid paying interest\n\nYou can make early Inheritance Tax payments before you know the exact amount the estate owes (this is known as a \u2018payment on account\u2019).\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay all the tax the estate owes by the due date. If you will not know how much Inheritance Tax the estate owes by the time the payment is due, a payment on account can help you avoid some of the interest.\n\n## If you overpay\n\nIf you pay more money than the final bill says the estate owes, HMRC will refund the excess after you\u2019ve been given probate (confirmation in Scotland). Probate is the right to deal with the deceased person\u2019s property, money and possessions.\n\nHMRC will also pay interest on the amount you\u2019ve overpaid.\n\nTo receive the refund, you\u2019ll need to write to HMRC.\n\nPut \u2018Repayment - further details\u2019 at the top of the letter.\n\nInclude the name, number and sort code of the bank account you want the refund to go to.\n\nThe letter must be signed by the same people who signed forms IHT400 and IHT100 if:\n\n- you\u2019re applying without the help of a solicitor or agent\n\n- the refund is being paid into a different bank account to the one nominated in IHT400 or IHT100\n\nIf you\u2019re an agent acting on behalf of the estate and you\u2019re not asking for the refund to be paid into a different bank account, only put your signature on the letter.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paying-inheritance-tax", + "answerable": true, + "scenario": "I was given an estate by my father which is estimated to be around \u00a3500,000. He has died six months back and now I am liable to pay Inheritance Tax", + "original_question": "Can I make the payment from deceased father's account ?" + }, + { + "id": "train-125", + "question": "Scenario: My kid is 10 years old and got a chance to act in a TV show and promised a salary of \u00a310,000 for six months and my kid is interested in taking as a part-time work\n\nQuestion: Do I have to ask the salary to be paid thru PAYE ?\n\nDocument - Child employment:\n## Minimum ages children can work\n\n## Part-time work\n\nThe youngest age a child can work part-time is 13, except children involved in areas like:\n\n- television\n\n- theatre\n\n- modelling\n\nChildren working in these areas will need a performance licence.\n\n## Full-time work\n\nChildren can only start full-time work once they\u2019ve reached the minimum school leaving age - they can then work up to a maximum of 40 hours a week.\n\nOnce someone reaches 16, you may need to pay them through PAYE.\n\nOnce someone reaches 18, adult employment rights and rules then apply.\n\nIn England, a young person must be in part-time education or training until they\u2019re 18.\n\n## Paying children and young people\n\n## Children under 16\n\nSchool-aged children are not entitled to the National Minimum Wage.\n\nChildren under 16 do not pay National Insurance, so you only need to include them on your payroll if their total income is over their Personal Allowance.\n\n## Once someone reaches 16\n\nYoung workers aged 16 to 17 are entitled to at least \u00a34.62 per hour.\n\nIf you\u2019re a registered employer, you\u2019ll need to record and report their pay as part of running payroll. If they earn more than \u00a3120 a week, you\u2019ll also need to do other regular PAYE tasks like making deductions.\n\nBefore their next payday, collect information from them for PAYE. If they started work for you in the previous tax year, put their start date as 5 April in your payroll software. Record their pay for the current tax year only.\n\nIf you pay any employee over \u00a3120 a week you must be registered as an employer and operate PAYE.\n\n## Performance licences and supervision for children\n\nA child may need a licence if they\u2019re under school leaving age and taking part in:\n\n- films, plays, concerts or other public performances that the audience pays to see, or that take place on licensed premises\n\n- any sporting events or modelling assignments where the child is paid\n\nThe person in charge of running the event must apply to the child\u2019s local council for a child performance licence. Ask the council if you\u2019re not sure you need one.\n\n## Supervision for the child\n\nIf the child will not be with their parent, school teacher or home tutor, they must be supervised by a chaperone approved by the council. Chaperones can apply for approval from the council.\n\nThe normal rules for paying children and restrictions on employment apply to children in performances.\n\n## Restrictions on child employment\n\nThere are several restrictions on when and where children are allowed to work.\n\nChildren are not allowed to work:\n\n- without an employment permit issued by the education department of the local council, if this is required by local bylaws\n\n- in places like a factory or industrial site\n\n- during school hours\n\n- before 7am or after 7pm\n\n- for more than one hour before school (unless local bylaws allow it)\n\n- for more than 4 hours without taking a break of at least 1 hour\n\n- in any work that may be harmful to their health, well-being or education\n\n- without having a 2-week break from any work during the school holidays in each calendar year\n\nThere are also special rules which only apply during term times and school holiday times.\n\n## Term time rules\n\nDuring term time children can only work a maximum of 12 hours a week. This includes:\n\n- a maximum of 2 hours on school days and Sundays\n\n- a maximum of 5 hours on Saturdays for 13 to 14-year-olds, or 8 hours for 15 to 16-year-olds\n\n## School holiday rules\n\nDuring school holidays 13 to 14-year-olds are only allowed to work a maximum of 25 hours a week. This includes:\n\n- a maximum of 5 hours on weekdays and Saturdays\n\n- a maximum of 2 hours on Sunday\n\nDuring school holidays 15 to 16-year-olds can only work a maximum of 35 hours a week. This includes:\n\n- a maximum of 8 hours on weekdays and Saturdays\n\n- a maximum of 2 hours on Sunday\n\n## Local rules on the types of work children can do\n\nLocal bylaws list the jobs that children cannot do. If a job is on this list, a child under the minimum school leaving age cannot do this work.\n\nLocal bylaws may also have other restrictions on working hours, conditions of work and the type of employment.\n\nContact your local council\u2019s education department or education welfare service for more information.\n\n## Local council rules for child employment permits\n\nMost local councils say that businesses intending to employ school-aged children must apply for a child employment permit before they can be employed.\n\nIf a child is working without a child employment permit, there\u2019s a risk that the employer will not be insured against accidents involving the child.\n\nChildren do not need a work permit for work experience arranged by their school.\n\nEmployers should contact their local council\u2019s education department or education welfare service to find out if a child employment permit is needed.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/child-employment", + "answerable": true, + "scenario": "My kid is 10 years old and got a chance to act in a TV show and promised a salary of \u00a310,000 for six months and my kid is interested in taking as a part-time work", + "original_question": "Do I have to ask the salary to be paid thru PAYE ?" + }, + { + "id": "train-127", + "question": "Scenario: We got married abroad in Ghana and we were blessed with a baby boy. My work is unstable and my british husband went back to UK without making child mantainance agreements. He has since neglected us and i would like him to pay up for child mantainance.\n\nQuestion: Is there a court order which can obtained to make my husband pay child mantainance?\n\nDocument - Child maintenance if a parent lives abroad:\n## Overview\n\nYou cannot make a new application to the Child Maintenance Service if the child and the parent with the main day-to-day care live abroad.\n\nThere are circumstances where the service can help if the paying parent lives abroad.\n\nYou can make a child maintenance arrangement yourself - if one or both parents live abroad.\n\n## Enforcing a child maintenance decision\n\nYou can ask a court for help if the other parent does not pay any child maintenance they owe you. This is known as taking \u2018enforcement action\u2019.\n\nYou cannot enforce an arrangement you\u2019ve made yourself - you need to make it legally binding first.\n\nYou can also ask the court to change an existing child maintenance decision or make a new one.\n\nHow you enforce, change or make a decision depends on:\n\n- where the other parent lives\n\n- where your original decision was made\n\nThe UK has a Reciprocal Enforcement of Maintenance Orders (REMO) agreement with a number of other countries. Courts in \u2018REMO countries\u2019 can enforce child maintenance decisions made by UK courts.\n\n## Child maintenance decisions made in Scotland or Northern Ireland\n\nThe process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.\n\n## If the decision was made in Scotland\n\nContact the Scottish government for advice.\n\n## If the decision was made in Northern Ireland\n\nContact the Northern Ireland Central Authority for advice.\n\n## If the other parent lives abroad\n\nHow you get a decision recognised or enforced depends on whether the other parent lives in a Reciprocal Enforcement of Maintenance Orders (REMO) country. Check the list of REMO countries.\n\nIf the other parent does not live in a REMO country, get legal advice from a solicitor to find out if you can enforce the decision.\n\nIf the other parent does live in a REMO country, contact your nearest Maintenance Enforcement Business Centre (MEBC). They\u2019ll send you an application form.\n\nComplete the form and send it back to your MEBC with any supporting documents. Your documents will be translated if needed. You do not have to pay for this.\n\nTell the MEBC if you do not want the other parent to see certain information about you, such as your address.\n\nThe process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.\n\n## Maintenance Enforcement Business Centres\n\n## Greater London\n\n## England\n\n## Wales\n\n## What happens next\n\nThe MEBC will send your completed form and any supporting documents to the REMO Unit.\n\nThe REMO Unit will send your documents to the body responsible for REMO in the relevant country within a month of receiving them. Your documents will then be sent on to the court in that country.\n\nThe process may change from 1 January 2021. The Maintenance Enforcement Business Centre or REMO Unit might tell you to fill in another form so your application can continue after that date. You\u2019ll be told if you need to do this.\n\nIt can take several months for the court to decide if your maintenance decision should be enforced.\n\n## If you live abroad\n\nYou can still enforce a child maintenance decision if the other parent lives in the UK but you live in another country.\n\nCheck if you live in a country which can enforce a child maintenance decision made in the UK. This is called a Reciprocal Enforcement of Maintenance Orders (REMO) country.\n\nIf you live in a REMO country, ask the court where you live to enforce the decision.\n\nIf you do not live in a REMO country, you might still be able to enforce a decision. Get legal advice from a solicitor in the country where you live or in the UK.\n\n## If the other parent works abroad for a British organisation\n\nYou might be able to make a new child maintenance claim instead of enforcing an existing one if the other parent is working abroad for certain British organisations, for example:\n\n- as a civil servant\n\n- for Her Majesty\u2019s Diplomatic Service\n\n- as a member of the Armed Forces\n\n- for a company based and registered in the UK\n\n- for the NHS\n\n- for a local authority\n\n## How to claim\n\nContact Child Maintenance Options to make a new arrangement.\n\nThey\u2019ll talk through the process with you and explain how to apply to the Child Maintenance Service.\n\nThere are different contact details if you live in Northern Ireland.\n\nYou must pay:\n\n- \u00a320 to apply - you do not have to pay this if you\u2019re under 19, a victim of domestic violence or in Northern Ireland\n\n- additional fees for paying and collecting child maintenance if you use the Collect and Pay service\n\nIf you\u2019ve already made a claim, contact the service that deals with your case for advice.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad", + "answerable": true, + "scenario": "We got married abroad in Ghana and we were blessed with a baby boy. My work is unstable and my british husband went back to UK without making child mantainance agreements. He has since neglected us and i would like him to pay up for child mantainance.", + "original_question": "Is there a court order which can obtained to make my husband pay child mantainance?" + }, + { + "id": "train-129", + "question": "Scenario: I own a home with a mortgage with my wife. 4 months ago my hours reduced to just 10 hours per week due to coronavirus and I had to start claiming Income Support and Support for Mortgage Interest. Now my hours have increased to 40 per week again.\n\nQuestion: Can I claim Mortgage Interest Run On?\n\nDocument - Mortgage Interest Run On:\n## Overview\n\nMortgage Interest Run On is extra money you can get towards your housing costs if certain other benefits are stopping because you\u2019re:\n\n- returning to work full-time\n\n- working more hours\n\n- earning more money\n\nYou can get this help for 4 weeks.\n\n## What you'll get\n\nIf you\u2019re eligible and were getting Support for Mortgage Interest before your work situation changed, you\u2019ll usually continue to get the same amount as you were getting before your benefits stopped.\n\nPayments for your mortgage or loan interest will be paid direct to you instead of to your lender.\n\n## Eligibility\n\nYou can claim Mortgage Interest Run On if you\u2019ve stopped getting income-based Jobseeker\u2019s Allowance, Income Support or income-related Employment and Support Allowance because you\u2019re:\n\n- returning to work full-time\n\n- working more hours\n\n- earning more money\n\nAll of the following must also apply:\n\n- you\u2019ve been claiming the benefit continuously for at least 26 weeks\n\n- you expect the work (or more money) to last for 5 weeks or more\n\n- you were entitled to help with your\u00a0housing costs\u00a0before your work started and you\u2019ll still have these costs when you start work\n\n## How to claim\n\nYou don\u2019t need to apply - you should get Mortgage Interest Run On automatically. You just need to let your Jobcentre Plus office know as soon as you\u2019re starting work.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/mortgage-interest-run-on", + "answerable": true, + "scenario": "I own a home with a mortgage with my wife. 4 months ago my hours reduced to just 10 hours per week due to coronavirus and I had to start claiming Income Support and Support for Mortgage Interest. Now my hours have increased to 40 per week again.", + "original_question": "Can I claim Mortgage Interest Run On?" + }, + { + "id": "train-130", + "question": "Scenario: My kid is 16 years old and have a long term physical disability that affects his ability to get about. I was told that my kid might be eligible for Personal Independence Payment. We have lived in England since he was born.\n\nQuestion: Is my kid eligible for Personal Independence Payment?\n\nDocument - Personal Independence Payment (PIP):\n## Overview\n\nPersonal Independence Payment (PIP) can help you with some of the extra costs if you have a long term physical or mental health condition or disability.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThe amount you get depends on how your condition affects you, not the condition itself. You\u2019ll be assessed by a health professional to work out the level of help you can get.\n\nYour carer could get Carer\u2019s Allowance if you have substantial caring needs.\n\n## If you get Disability Living Allowance (DLA)\n\nDisability Living Allowance (DLA) is being replaced by PIP for most adults. You\u2019ll keep getting DLA if:\n\n- you\u2019re under 16\n\n- you were born on or before 8 April 1948\n\nIf you were born after 8 April 1948, the Department for Work and Pensions (DWP) will invite you to apply for PIP. You do not need to do anything until DWP writes to you about your DLA unless your circumstances change.\n\n## Help with PIP\n\nYou can contact a local support organisation or Citizens Advice to get help understanding PIP.\n\n## Eligibility\n\nYou can get Personal Independence Payment (PIP) whether you\u2019re working or not.\n\nYou must be aged 16 or over and usually have not reached State Pension age to claim.\n\nYou must also have a physical or mental health condition or disability where you:\n\n- have had difficulties with daily living or getting around (or both) for 3 months\n\n- expect these difficulties to continue for at least 9 months\n\nYou usually need to have lived in England, Scotland or Wales for at least 2 of the last 3 years, and be in one of these countries when you apply. If you\u2019ve recently returned from living in an EEA country, you might be able to get PIP sooner.\n\nFind out about PIP if you live in Northern Ireland.\n\nThere are different rules if you\u2019re terminally ill and a healthcare professional has said you might have less than 6 months to live.\n\nYou cannot get PIP and Armed Forces Independence Payment at the same time.\n\n## Daily living difficulties\n\nYou may get the daily living part of PIP if you need help more than half of the time with things like:\n\n- preparing or eating food\n\n- washing, bathing and using the toilet\n\n- dressing and undressing\n\n- reading and communicating\n\n- managing your medicines or treatments\n\n- making decisions about money\n\n- engaging with other people\n\n## Mobility difficulties\n\nYou may get the mobility part of PIP if you need help going out or moving around.\n\n## How you\u2019re assessed\n\nYou\u2019ll be assessed by an independent healthcare professional to work out the level of help you need.\n\n## If you\u2019ve reached State Pension age\n\nYou can get PIP if you:\n\n- were already getting PIP before you reached State Pension age and your condition has not changed\n\n- have been claiming Disability Living Allowance (DLA) and you\u2019ve had a letter inviting you to apply for PIP\n\nYou may get PIP if you previously got it and you were still entitled to it within the last year.\n\nIf you cannot get PIP, you can apply for Attendance Allowance instead.\n\n## Living abroad\n\nYou might still be able to get PIP if you:\n\n- live in an EU or EEA country or Switzerland - you can only get help with daily living needs\n\n- are a member or family member of the Armed Forces\n\n## If you\u2019re not a British citizen\n\nYou must:\n\n- normally live in or show that you intend to settle in the UK, Ireland, the Isle of Man or the Channel Islands\n\n- not be subject to immigration control (unless you\u2019re a sponsored immigrant)\n\nYou might still be able to get PIP if you are a refugee or have humanitarian protection status.\n\n## What you\u2019ll get\n\nPersonal Independence Payment (PIP) is made up of 2 parts - a daily living part and a mobility part. Whether you get one or both of these and how much you\u2019ll get depends on how severely your condition affects you.\n\nYou\u2019ll need an assessment to work out how much you\u2019ll get. Your rate will be regularly reviewed to make sure you\u2019re getting the right support.\n\nPIP is tax free. The amount you get is not affected by your income or savings.\n\nYou need to tell DWP straight away if there\u2019s a change in your personal circumstances or how your condition affects you.\n\n## Daily living part\n\nThe weekly rate for the daily living part of PIP is either \u00a360.00 or \u00a389.60.\n\n## Mobility part\n\nThe weekly rate for the mobility part of PIP is either \u00a323.70 or \u00a362.55.\n\n## Terminal illness\n\nYou\u2019ll get the higher daily living part if you\u2019re not expected to live more than 6 months. The rate of the mobility part depends on your needs.\n\n## How other benefits affect your PIP\n\nThe daily living part of your PIP will be reduced if you get any of the following benefits:\n\n- Constant Attendance Allowance\n\n- War Pensioners\u2019 Mobility Supplement\n\n## How you\u2019re paid\n\nPIP is usually paid every 4 weeks.\n\nYour decision letter will tell you:\n\n- the date of your first payment\n\n- what day of the week you\u2019ll usually be paid\n\nIf your payment date is on a bank holiday, you\u2019ll usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Other help\n\nYou or your carer might also qualify for other financial help, for example Carer\u2019s Allowance, or help with housing or transport costs.\n\nIf you get PIP and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.\n\n## How to claim\n\nCall the Department for Work and Pensions (DWP) to make a new Personal Independence Payment (PIP) claim.\n\nThere is a different way to claim if you\u2019re terminally ill.\n\nFind out how to claim if you live in Northern Ireland.\n\n## Claim by telephone or textphone\n\nBefore you call, you\u2019ll need:\n\n- your contact details, for example telephone number\n\n- your date of birth\n\n- your National Insurance number - this is on letters about tax, pensions and benefits\n\n- your bank or building society account number and sort code\n\n- your doctor or health worker\u2019s name, address and telephone number\n\n- dates and addresses for any time you\u2019ve spent in a care home or hospital\n\n- dates for any time you spent abroad for more than 4 weeks at a time, and the countries you visited\n\nIf you need someone to help you, ask DWP to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\n## Claim by post\n\nYou can get a form to send information by post (although this can delay the decision on your claim). Write a letter to ask for the form.\n\n## What happens next\n\n- You\u2019ll be sent a \u2018How your disability affects you\u2019 form. Call the PIP enquiry line if you need it in an alternative format such as braille, large print or audio CD.\n\n- Fill in the form using the notes that come with it to help you. You can also read Citizens Advice\u2019s help on filling in the form.\n\n- Return the form to DWP - the address is on the form. You have 1 month to return the form. DWP will start processing your claim when they receive your form. Contact the PIP enquiry line if you need more time.\n\n- If more information is needed, an independent health professional will send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call. You\u2019ll be asked questions about your ability to carry out activities and how your condition affects your daily life. You can read Citizens Advice\u2019s help on preparing for an assessment.\n\n- You\u2019ll get a letter that tells you whether you\u2019ll get PIP. If you do, you\u2019ll be told how much you\u2019ll get, when you\u2019ll be paid and the date your PIP will be reviewed so that you continue to get the right support.\n\nBecause of coronavirus (COVID-19), you\u2019ll only be invited to attend an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.\n\nYou cannot apply using any Disability Living Allowance (DLA) forms you may have.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## If your PIP claim is reviewed\n\nThe letter you got when your Personal Independence Payment (PIP) was approved will tell you when your claim will end and if it will be reviewed.\n\nIf your claim is going to be reviewed, the letter will tell you when you\u2019ll be contacted about the review.\n\n## How PIP reviews work\n\nYou will continue to get PIP while your claim is being reviewed.\n\n- You\u2019ll get a letter asking you to fill in a form called \u2018Award review - how your disability affects you\u2019.\n\n- Fill in the form using the notes that come with it.\n\n- Send the form and any supporting information you have not shared with the Department for Work and Pensions (DWP) before - the form explains what to include and where to send it. You\u2019ll need to return it within 1 month. Contact the PIP enquiry line if you need more time.\n\n- DWP will review your form. If they need more information, an independent health professional might phone you to ask some questions or send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call.\n\n- You\u2019ll get a letter that tells you what will happen with your PIP. If your needs have changed, your PIP might be increased, reduced or stopped.\n\nBecause of coronavirus (COVID-19), you\u2019ll only be invited to an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Change of circumstances\n\nYou must contact the Personal Independence Payment (PIP) enquiry line if:\n\n- your personal details change, for example your name, address or doctor\n\n- the help you need or your condition changes\n\n- your condition has worsened and you\u2019re not expected to live more than 6 months\n\n- you go into hospital or a care home\n\n- you go abroad\n\n- you\u2019re imprisoned or held in detention\n\n- your immigration status changes, if you\u2019re not a British citizen\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## How to report a change of circumstances\n\nContact the PIP enquiry line to report a change of circumstances.\n\nIf you need someone to help you, ask the Department for Work and Pensions (DWP) to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## Claiming PIP if you're terminally ill\n\nYou can get Personal Independence Payment (PIP) more quickly if you\u2019re terminally ill.\n\nYou can claim PIP if:\n\n- your doctor or a healthcare professional has said you might have less than 6 months to live\n\n- you are aged 16 or over and usually have not reached State Pension age\n\n## How to claim\n\nYou can claim for yourself or someone else can do it for you.\n\nCall DWP to start your PIP claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to DWP.\n\nYou will not need to go to a face-to-face consultation.\n\nIf you need someone to help you, ask DWP to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\nYou may be able to get other benefits if you\u2019re terminally ill.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pip", + "answerable": true, + "scenario": "My kid is 16 years old and have a long term physical disability that affects his ability to get about. I was told that my kid might be eligible for Personal Independence Payment. We have lived in England since he was born.", + "original_question": "Is my kid eligible for Personal Independence Payment?" + }, + { + "id": "train-132", + "question": "Scenario: My partner and I have a combined income of just over fifty thousand pounds and feel that it is unfair that we should be penalised for being just over the threshold\n\nQuestion: Do we have to pay the High Income Child Benefit Tax Charge?\n\nDocument - High Income Child Benefit Tax Charge:\n## Overview\n\nYou may have to pay a tax charge, known as the \u2018High Income Child Benefit Charge\u2019, if you have an individual income over \u00a350,000 and either:\n\n- you or your partner get Child Benefit\n\n- someone else gets Child Benefit for a child living with you and they contribute at least an equal amount towards the child\u2019s upkeep\n\nIt does not matter if the child living with you is not your own child.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## What counts as income\n\nTo work out if your income is over the threshold, you\u2019ll need to work out your \u2018adjusted net income\u2019.\n\nYour adjusted net income is your total taxable income before any personal allowances and less things like Gift Aid.\n\nUse the Child Benefit tax calculator to get an estimate of your adjusted net income.\n\n## Who pays the tax charge\n\nIf your individual income is over \u00a350,000 and so is your partner\u2019s, then whoever has the higher income is responsible for paying the tax charge.\n\n\u2018Partner\u2019 means someone you\u2019re not permanently separated from who you\u2019re married to, in a civil partnership with or living with as if you were.\n\n## If your income is over the threshold\n\nYou can choose to either:\n\n- get Child Benefit payments, and pay any tax charge at the end of each tax year\n\n- not get Child Benefit payments, and not pay the tax charge\n\n## If you choose to not get Child Benefit\n\nYou can still fill in the Child Benefit claim form. You need to state on the form that you do not want to get payments.\n\nYou need to fill in the claim form if you want to:\n\n- get National Insurance credits, which count towards your State Pension\n\n- ensure your child gets their National Insurance number automatically before they\u2019re 16 - otherwise they need to apply for one themselves\n\n## Already getting Child Benefit\n\nYou can choose to either:\n\n- stop getting Child Benefit - sometimes known as \u2018opting out\u2019\n\n- carry on getting Child Benefit and pay any tax charge at the end of each tax year\n\n## Pay the tax charge\n\nTo pay the tax charge, you must:\n\n- register for Self Assessment\n\n- fill in a Self Assessment tax return each tax year and pay what you owe\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you need to pay the tax charge.\n\nYou can get a penalty if you do not register for Self Assessment or do not declare child benefit on your Self Assessment tax return.\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now\n\n## If you cannot get information from your partner or ex-partner\n\nYou can write to HM Revenue and Customs (HMRC) to ask whether your partner or ex-partner gets Child Benefit or has a higher adjusted net income than you. HMRC will reply \u2018yes\u2019 or \u2018no\u2019 - they will not give you any financial information.\n\nYou can only ask for this information if you and your partner either live together, or separated within the tax year you want information for.\n\n## Write to HMRC\n\nYou need to tell HMRC the tax year you\u2019re asking about, as well as your:\n\n- name, address, date of birth and National Insurance number\n\n- Unique Taxpayer Reference, if you have one\n\n- adjusted net income\n\n- partner or ex-partner\u2019s name\n\nIf you can, include your partner or ex-partner\u2019s:\n\n- address\n\n- date of birth\n\n- National Insurance number, if you know it\n\n- Unique Taxpayer Reference, if they have one\n\nSend your letter to:\n\n## Stop your Child Benefit\n\nTo stop your Child Benefit you can either:\n\n- fill in an online form\n\n- contact the Child Benefit Office by phone or post\n\nYou need a Government Gateway user ID and password to fill in the online form. If you do not have a user ID, you can create one when you fill in the form.\n\nYou cannot use the online form if you\u2019re an appointee or authorised agent.\n\nYou cannot stop your Child Benefit if you\u2019re using it to pay back an overpayment (or to pay back certain other benefits from another country).\n\n## Responsibilities after your Child Benefit stops\n\nYou must pay any tax charge owed for each tax year up to the date your Child Benefit stops.\n\nUse the Child Benefit tax calculator to get an estimate of how much you may owe each tax year.\n\nEven after your payments stop, you must report any changes in your family life that affect your entitlement to Child Benefit.\n\n## Restart your Child Benefit\n\nYou can restart your Child Benefit if:\n\n- you\u2019ve previously stopped it because of the tax charge\n\n- you still qualify for Child Benefit\n\nTo restart your Child Benefit, either:\n\n- fill in an online form\n\n- contact the Child Benefit Office\n\nYou need a Government Gateway user ID and password to fill in the online form. If you do not have a user ID, you can create one when you fill in the form.\n\nYou cannot use the online form if you\u2019re an appointee or authorised agent.\n\nPayments usually start again the Monday after your request is received. The Child Benefit Office will write telling you how much backdated Child Benefit you\u2019ll get (if any).\n\n## Responsibilities after your Child Benefit restarts\n\nYou (or your partner) will have to pay any tax charge on the benefit received from the restart date if your income is over \u00a350,000.\n\nUse the Child Benefit tax calculator to get an estimate of your income and tax deductions to see if you may be affected by the tax charge.\n\nYou must report any changes to your family life that affect your Child Benefit.\n\n## If your circumstances change\n\n## Your income changes\n\nYou will not have to pay the tax charge if your income for the whole of a tax year is less than \u00a350,000.\n\nYou can choose to stop or restart your Child Benefit at any time. Use the Child Benefit tax calculator to get an estimate of your income changes to see if they may affect the tax charge.\n\n## You have a new child\n\nClaiming Child Benefit helps you qualify for:\n\n- National Insurance credits, which protect your right to the State Pension\n\n- other benefits like Guardian\u2019s Allowance\n\nChild Benefit proves you (or your partner) support another child. You may pay less child maintenance for children not living with you.\n\nYou can make a new claim or just protect your entitlement to the above by:\n\n- sending a Child Benefit claim form\n\n- ticking the option to \u2018not have the benefit paid\u2019\n\n## A partner moves in or out\n\nYour situation may change if your income is more than \u00a350,000 and you move in or split up with someone who\u2019s getting Child Benefit.\n\nYou\u2019ll have to pay the tax charge if your income is more than \u00a350,000 and higher than your new partner\u2019s income. Your partner pays it if their income is higher.\n\nThe tax charge applies from the date you move in together to either the date you permanently separate or the Child Benefit stops - for example because the child is too old to qualify for it.\n\nShort periods apart do not count as separation, for example a hospital stay or working away from home.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/child-benefit-tax-charge", + "answerable": true, + "scenario": "My partner and I have a combined income of just over fifty thousand pounds and feel that it is unfair that we should be penalised for being just over the threshold", + "original_question": "Do we have to pay the High Income Child Benefit Tax Charge?" + }, + { + "id": "train-134", + "question": "Scenario: I am unable to work due to a mental health condition. I have had this condition for several years and it is gradually worsening. I do not see any sign of respite.\n\nQuestion: Are people with mental health problems eligible for ESA?\n\nDocument - Employment and Support Allowance (ESA):\n## Overview\n\nYou can apply for Employment and Support Allowance (ESA) if you have a disability or health condition that affects how much you can work.\n\nYou may also be able to get ESA if you were unable to work while self-isolating or \u2018shielding\u2019 because of coronavirus (COVID-19).\n\nESA gives you:\n\n- money to help with living costs if you\u2019re unable to work\n\n- support to get back into work if you\u2019re able to\n\nYou can apply if you\u2019re employed, self-employed or unemployed.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Eligibility\n\nYou can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.\n\nYou also need to have both:\n\n- worked as an employee or have been self-employed\n\n- paid enough National Insurance contributions, usually in the last 2 to 3 years - National Insurance credits also count\n\nCheck your National Insurance record for gaps.\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. Universal Credit can help with, for example, your housing and childcare costs.\n\nYou cannot get \u2018new style\u2019 ESA if you:\n\n- claim Jobseeker\u2019s Allowance\n\n- claim Statutory Sick Pay\n\n## If your Statutory Sick Pay (SSP) is due to end\n\nYou can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends. You\u2019ll start getting \u2018new style\u2019 ESA as soon as your SSP ends.\n\n## If you\u2019re working\n\nYou can apply whether you\u2019re in or out of work. There are conditions to working while claiming ESA.\n\n## If you\u2019ve been affected by coronavirus (COVID-19)\n\nYou can apply for \u2018new style\u2019 ESA if you\u2019re unable to claim Statutory Sick Pay and one of the following applies:\n\n- you or your child might have COVID-19 or you\u2019re recovering from it\n\n- you or your child are self-isolating because you came into contact with someone who might have COVID-19\n\n- you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery\n\n- you were advised to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nIf you\u2019re claiming ESA because of COVID-19, you\u2019ll need to give evidence to support your claim.\n\n## Proof if you\u2019re self-isolating because of COVID-19\n\nIf you or your child are self-isolating and you cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019ve been off work for 7 or more days. You do not have to go to your doctor or a hospital.\n\nIf you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.\n\nIf you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.\n\n## Proof if you were advised to shield because of COVID-19\n\nYour doctor or health authority should have sent you a letter advising you or your child to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19.\n\nThe letter will have included the period to shield for. It is proof of your eligibility for ESA for days away from work in that period.\n\nYou may have more than one letter covering more than one shielding period.\n\nContact your doctor if you do not have a letter but think you should have one.\n\n## What you'll get\n\nHow much you get will depend on what stage your application is at, as well as things like your age and whether you\u2019re able to get back into work.\n\nIf you get \u2018new style\u2019 ESA you\u2019ll earn Class 1 National Insurance credits, which can help towards your State Pension and some benefits in the future.\n\n## What might affect how much you get paid\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nNeither your or your partner\u2019s savings or income will affect how much \u2018new style\u2019 ESA you\u2019re paid. But a private pension worth more than \u00a385 per week may affect how much you can get.\n\nIf you get income-related ESA, your household income and savings worth \u00a36,000 or more may affect how much you can get.\n\n## While your claim is being assessed\n\nYou\u2019ll normally get the \u2018assessment rate\u2019 for 13 weeks while your claim is being assessed.\n\nThis will be:\n\n- up to \u00a359.20 a week if you\u2019re aged under 25\n\n- up to \u00a374.70 a week if you\u2019re aged 25 or over\n\nIf it takes longer than 13 weeks to assess your claim, you\u2019ll continue getting the \u2018assessment rate\u2019 until you get a decision or until your ESA is due to end. Your ESA will be backdated if you\u2019re owed any money after 13 weeks.\n\n## After you\u2019re assessed\n\nYou\u2019ll be placed into one of 2 groups if you\u2019re entitled to ESA. If you\u2019re able to get back into work in the future, you\u2019ll be put into the work-related activity group. Otherwise, you\u2019ll be put into the support group.\n\nYou\u2019ll get:\n\n- up to \u00a374.70 a week if you\u2019re in the work-related activity group\n\n- up to \u00a3114.10 a week if you\u2019re in the support group\n\n## If you\u2019re in the support group\n\nIf you\u2019re in the support group and on income-related ESA, you\u2019re also entitled to the enhanced disability premium.\n\nYou may also qualify for the severe disability premium.\n\nFind out how to apply for a disability premium.\n\n## How you\u2019re paid\n\nYou\u2019ll get paid ESA every 2 weeks.\n\nAll benefits are paid into your bank, building society or credit union account.\n\n## Other benefits you can claim\n\nUniversal Credit can help with, for example, your housing and childcare costs. You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA.\n\nUse a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment (PIP) if you have a long-term health condition or disability.\n\nThe benefit cap may affect the total amount of benefit you can get. The cap will not affect you if you\u2019re in the support group.\n\n## If you\u2019re moving to Universal Credit from income-related ESA\n\nIf your income-related ESA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of ESA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.\n\nThe Department for Work and Pensions (DWP) will write to you telling you how this works.\n\nYou do not need to pay this money back, and it will not affect the amount of Universal Credit you get.\n\n## Budgeting Loan\n\nYou can apply for a Budgeting Loan if you\u2019ve been on income-related ESA for at least 6 months.\n\n## Advice on money and debt\n\nYou can get help and advice from your Jobcentre Plus work coach or:\n\n- Citizens Advice\n\n- Money Advice Service\n\n- National Debtline\n\n- Shelter\n\n- Turn2us\n\n## Working while you claim\n\nYou can usually work while you are claiming ESA if both of the following apply:\n\n- you work less than 16 hours a week\n\n- you do not earn more than \u00a3143 a week\n\nTell Jobcentre Plus about your work when you make a claim.\n\nSend this form to Jobcentre Plus if you\u2019re already claiming ESA and you want to start work.\n\n## When you can work 16 hours or more a week\n\nYou can work more than 16 hours a week if the work is either voluntary or \u2018supported permitted work\u2019.\n\n## Supported permitted work\n\nThe work must be either:\n\n- supervised by someone from a local council or voluntary organisation who arranges work for disabled people\n\n- part of a treatment programme under medical supervision\n\nYou can still earn no more than \u00a3143 a week.\n\n## How to claim\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. \nCheck if you\u2019re eligible for Universal Credit.\n\nThere\u2019s a different way to apply in Northern Ireland.\n\n## What you need to apply\n\nYou\u2019ll need:\n\n- your National Insurance number\n\n- your bank or building society account number and sort code (you can use a friend or family member\u2019s account if you do not have one)\n\n- your doctor\u2019s name, address and telephone number\n\n- details of your income if you\u2019re working\n\n- the date your Statutory Sick Pay (SSP) ends if you\u2019re claiming it\n\nYou cannot get \u2018new style\u2019 ESA if you\u2019re getting Statutory Sick Pay (SSP) from an employer. You can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends.\n\nIf you\u2019re applying because of COVID-19, you\u2019ll also need:\n\n- an \u2018isolation note\u2019 if you\u2019re unable to work because of COVID-19\n\n- your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19\n\n- a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a letter from your doctor or a health authority advising you or your child to shield (take extra precautions to reduce contact with others) because you\u2019re at very high risk of severe illness from COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nOnce you\u2019ve applied, you\u2019ll be contacted by phone and told when to give the evidence and where to send it.\n\nApply now\n\n## When you can apply by phone\n\nCall the Universal Credit helpline if:\n\n- you cannot make an application online\n\n- you\u2019re an appointee for someone\n\n## After you apply\n\nThe Department for Work and Pensions (DWP) will contact you within 10 working days of applying.\n\n## If you\u2019re eligible\n\nDWP will contact you within 10 working days to schedule an appointment that you must attend. It will normally be over the phone with a work coach from your local Jobcentre Plus office.\n\nYour work coach will explain what you need to do to get \u2018new style\u2019 ESA. They will create an agreement with you called a \u2018Claimant Commitment\u2019.\n\nYou must agree to your Claimant Commitment before you can get \u2018new style\u2019 ESA.\n\nAt the appointment, you\u2019ll be asked to:\n\n- explain how your illness or disability affects your ability to work\n\n- provide medical evidence\n\n- agree to tell your local Jobcentre Plus if your circumstances change\n\n## If you\u2019re not eligible\n\nDWP will send you a letter within 10 working days of applying to explain why you\u2019re not eligible for ESA.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## Reapplying for ESA\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nYou may be able to reapply after your \u2018new style\u2019 ESA ends. You may qualify again depending on:\n\n- what National Insurance contributions you paid in the last 2 full tax years before the tax year you\u2019re claiming in\n\n- whether you\u2019re placed in the support group because you developed a new condition or your health deteriorated\n\n## Your ESA claim\n\nAfter you\u2019ve made your claim, you\u2019ll be told if you need to have a \u2018Work Capability Assessment\u2019 and what group you\u2019ll be put in.\n\n## Work Capability Assessment\n\nA Work Capability Assessment is used to find out if your illness or disability affects how much you can work.\n\nYou might not need one, for example if you\u2019re in hospital or you have a terminal illness.\n\nIf you need a Work Capability Assessment you\u2019ll get a letter telling you to fill in the \u2018Capability for work questionnaire\u2019 and send it to the Health Assessment Advisory Service. The address is on the form. The questionnaire is different in Northern Ireland.\n\nYou\u2019ll be told what happens next, for example if you need an appointment to understand your health condition better.\n\nIf you\u2019re claiming both Universal Credit and \u2018new style\u2019 ESA, you\u2019ll only have one Work Capability Assessment.\n\nYou can ask for your assessment to be recorded. If you would like this, tell the Health Assessment Advisory Service using the contact details in your appointment invite letter.\n\n## How the assessment happens\n\nAssessments can be in person, by video call or on the phone. You\u2019ll be told how your assessment will take place.\n\nIf you\u2019re asked to attend in person you\u2019ll be told how to do this safely because of coronavirus (COVID-19). You can bring one adult from your household with you.\n\nIf your assessment is by phone or video call, you can have someone else with you, for example a friend or support worker. You can ask the assessor to call them if they\u2019re not with you when the assessment starts.\n\nYou\u2019ll stay on the \u2018assessment rate\u2019 until a decision can be made on your Work Capability Assessment.\n\n## After your claim is assessed\n\nIf you\u2019re entitled to ESA you\u2019ll be placed in one of 2 groups:\n\n- a work-related activity group (you cannot work now, but can prepare to work in the future, for example by writing a CV)\n\n- a support group (you cannot work now and you\u2019re not expected to prepare for work in the future)\n\n## If you\u2019re in the work-related activity group\n\nYou must attend regular interviews with a work coach. They can help you improve your skills or write a CV to help you get back into work.\n\n## If you\u2019re in the support group\n\nYou\u2019re usually in this group if your illness or disability severely limits what you can do. You do not have to go to interviews. You can tell your work coach if you\u2019d like to take part in work-related activities.\n\n## How long you\u2019ll get ESA for\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\n\u2018New style\u2019 and contribution-based ESA last for 365 days if you\u2019re in the work-related activity group.\n\nThere\u2019s no time limit if you\u2019re in the support group, or if you\u2019re getting income-related ESA.\n\nTo keep getting ESA you must report any change in your circumstances. You may also need to send fit notes regularly.\n\n## If you get a sanction\n\nYour ESA can be reduced if you do not attend interviews or do work-related activity as agreed with your work coach in your \u2018Claimant Commitment\u2019. This reduction can continue for up to 4 weeks after you restart work-related activities.\n\nYou\u2019ll get a letter to say you may be sanctioned. Tell your work coach if you have a good reason for not doing what was agreed in your Claimant Commitment.\n\nYou\u2019ll get another letter if the decision is made to give you a sanction. Your benefit will only be affected once a decision has been made.\n\nYou should contact your local council immediately if you claim Housing Benefit or Council Tax Reduction. They\u2019ll tell you what to do to continue getting support.\n\nIf you get a sanction you can:\n\n- ask for the decision to be looked at again\n\n- ask for a hardship payment\n\nYou will not get a sanction if you\u2019re in the support group.\n\n## Hardship payments\n\nIf you get income-related ESA, you may be able to get a hardship payment if your benefit has been reduced because of a sanction or a penalty due to suspected benefit fraud.\n\nA hardship payment is a reduced amount of your ESA. You do not have to pay it back.\n\nYou can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your family. You must be 18 or over.\n\nSpeak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.\n\n## Report a change of circumstances\n\nYou need to report changes to your circumstances so you keep getting the right amount of Employment and Support Allowance (ESA).\n\nYour claim might be stopped or reduced if you do not report a change straight away.\n\nA change of circumstance can include:\n\n- starting or stopping work, education, training or an apprenticeship\n\n- moving house\n\n- changing your name\n\n- people moving into or out of the place you live (for example your partner or a child)\n\n- changes to the benefits you or anyone else in your house gets\n\n- changes to your pension, savings, investments or property\n\n- changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)\n\n- changing your doctor\n\n- any changes to your medical condition or disability\n\n- going into hospital or a care home or sheltered accommodation\n\n- going abroad for any length of time\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nCall Jobcentre Plus if you\u2019re not sure whether you need to report a change.\n\nYou may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information.\n\n## If you\u2019ve been paid too much\n\nIf you give wrong or incomplete information or do not report a change straight away, you might be paid too much. If you are, you might have to\u00a0pay some of the money back.\n\n## How to report\n\nYou can report a change of circumstances by:\n\n- calling Jobcentre Plus\n\n- writing to the Jobcentre Plus office that pays your ESA - the address is on the letters you get about your ESA\n\nIf you get Universal Credit at the same time as \u2018new style\u2019 ESA, you must also report the changes of circumstances in your Universal Credit account.\n\n## British Sign Language (BSL) video relay service\n\nWatch a video to check you can use the service\n\nGo to the video relay service\n\nMonday to Friday, 8am to 6pm.\n\nIf you\u2019re in Northern Ireland contact the ESA Centre.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employment-support-allowance", + "answerable": true, + "scenario": "I am unable to work due to a mental health condition. I have had this condition for several years and it is gradually worsening. I do not see any sign of respite.", + "original_question": "Are people with mental health problems eligible for ESA?" + }, + { + "id": "train-135", + "question": "Scenario: I have recently moved to a different country with my three year old son. My ex remains in the UK.\n\nQuestion: Does the fact that I live abroad mean that I can't claim Child Maintenance?\n\nDocument - Child maintenance if a parent lives abroad:\n## Overview\n\nYou cannot make a new application to the Child Maintenance Service if the child and the parent with the main day-to-day care live abroad.\n\nThere are circumstances where the service can help if the paying parent lives abroad.\n\nYou can make a child maintenance arrangement yourself - if one or both parents live abroad.\n\n## Enforcing a child maintenance decision\n\nYou can ask a court for help if the other parent does not pay any child maintenance they owe you. This is known as taking \u2018enforcement action\u2019.\n\nYou cannot enforce an arrangement you\u2019ve made yourself - you need to make it legally binding first.\n\nYou can also ask the court to change an existing child maintenance decision or make a new one.\n\nHow you enforce, change or make a decision depends on:\n\n- where the other parent lives\n\n- where your original decision was made\n\nThe UK has a Reciprocal Enforcement of Maintenance Orders (REMO) agreement with a number of other countries. Courts in \u2018REMO countries\u2019 can enforce child maintenance decisions made by UK courts.\n\n## Child maintenance decisions made in Scotland or Northern Ireland\n\nThe process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.\n\n## If the decision was made in Scotland\n\nContact the Scottish government for advice.\n\n## If the decision was made in Northern Ireland\n\nContact the Northern Ireland Central Authority for advice.\n\n## If the other parent lives abroad\n\nHow you get a decision recognised or enforced depends on whether the other parent lives in a Reciprocal Enforcement of Maintenance Orders (REMO) country. Check the list of REMO countries.\n\nIf the other parent does not live in a REMO country, get legal advice from a solicitor to find out if you can enforce the decision.\n\nIf the other parent does live in a REMO country, contact your nearest Maintenance Enforcement Business Centre (MEBC). They\u2019ll send you an application form.\n\nComplete the form and send it back to your MEBC with any supporting documents. Your documents will be translated if needed. You do not have to pay for this.\n\nTell the MEBC if you do not want the other parent to see certain information about you, such as your address.\n\nThe process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.\n\n## Maintenance Enforcement Business Centres\n\n## Greater London\n\n## England\n\n## Wales\n\n## What happens next\n\nThe MEBC will send your completed form and any supporting documents to the REMO Unit.\n\nThe REMO Unit will send your documents to the body responsible for REMO in the relevant country within a month of receiving them. Your documents will then be sent on to the court in that country.\n\nThe process may change from 1 January 2021. The Maintenance Enforcement Business Centre or REMO Unit might tell you to fill in another form so your application can continue after that date. You\u2019ll be told if you need to do this.\n\nIt can take several months for the court to decide if your maintenance decision should be enforced.\n\n## If you live abroad\n\nYou can still enforce a child maintenance decision if the other parent lives in the UK but you live in another country.\n\nCheck if you live in a country which can enforce a child maintenance decision made in the UK. This is called a Reciprocal Enforcement of Maintenance Orders (REMO) country.\n\nIf you live in a REMO country, ask the court where you live to enforce the decision.\n\nIf you do not live in a REMO country, you might still be able to enforce a decision. Get legal advice from a solicitor in the country where you live or in the UK.\n\n## If the other parent works abroad for a British organisation\n\nYou might be able to make a new child maintenance claim instead of enforcing an existing one if the other parent is working abroad for certain British organisations, for example:\n\n- as a civil servant\n\n- for Her Majesty\u2019s Diplomatic Service\n\n- as a member of the Armed Forces\n\n- for a company based and registered in the UK\n\n- for the NHS\n\n- for a local authority\n\n## How to claim\n\nContact Child Maintenance Options to make a new arrangement.\n\nThey\u2019ll talk through the process with you and explain how to apply to the Child Maintenance Service.\n\nThere are different contact details if you live in Northern Ireland.\n\nYou must pay:\n\n- \u00a320 to apply - you do not have to pay this if you\u2019re under 19, a victim of domestic violence or in Northern Ireland\n\n- additional fees for paying and collecting child maintenance if you use the Collect and Pay service\n\nIf you\u2019ve already made a claim, contact the service that deals with your case for advice.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad", + "answerable": true, + "scenario": "I have recently moved to a different country with my three year old son. My ex remains in the UK.", + "original_question": "Does the fact that I live abroad mean that I can't claim Child Maintenance?" + }, + { + "id": "train-136", + "question": "Scenario: I have recently split up with my husband and we are currently going through divorce proceedings after 10 years of marriage.\n\nQuestion: I want to ensure that our joint finances currently will be split evenly without having to go through court proceedings. Is there a way to make legally binding contract to avoid this?\n\nDocument - Money and property when you divorce or separate:\n## Getting a financial agreement\n\nWhen you divorce or end a civil partnership you and your ex-partner need to agree how to separate your finances.\n\nThis includes deciding how you\u2019re going to divide:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nYou might get things like:\n\n- a share of your your partner\u2019s pension - including State Pension or private pension plans\n\n- regular maintenance payments to help with children or living expenses\n\nYou can usually avoid going to court hearings if you agree how to split your money and property.\n\nThe rules are different if you were not married or in a civil partnership. You\u2019ll still have to agree on child maintenance payments for any children.\n\nWhat you can do is different in Scotland and Northern Ireland.\n\n## Making an agreement legally binding\n\nIf you and your ex-partner agree on how to divide money and property, you need to apply for a consent order to make it legally binding.\n\n## Get help agreeing\n\nYou can use a mediator or get other help to resolve issues out of court.\n\n## Get the court to decide\n\nIf you cannot agree on everything, you can ask a court to make a financial order.\n\n## If you agree\n\nIt\u2019s usually more straightforward and less expensive if you agree how to divide your money and property. Get help agreeing.\n\n## Making your agreement legally binding\n\nTo make your agreement legally binding you need to draft a consent order and ask a court to approve it.\n\nIf your agreement is not legally binding, a court cannot enforce it if there are any issues later.\n\nA consent order is a legal document that confirms your agreement. It explains how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\nYou can get legal advice or ask a solicitor to draft a consent order for you.\n\n## When to apply for a consent order\n\nYou can ask the court to approve your consent order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended. This may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to ask the court for approval\n\nYou and your ex-partner have to:\n\n- draft a consent order\n\n- sign the draft consent order - you also need 2 photocopies of the signed original\n\n- fill in a statement of information form\n\nOne of you also needs to fill in a notice of an application for a financial order.\n\nIf you\u2019re ending a civil partnership or legally separating, send the signed forms and copies with the \u00a350 fee to the court dealing with your paperwork. Keep your own copies.\n\nIf you\u2019re divorcing, send the signed forms and copies with the \u00a350 fee to:\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\nThere\u2019s usually no court hearing. A judge will approve your consent order to make it legally binding if they think it\u2019s fair.\n\nIf they do not think it\u2019s fair, they can ask you to change it.\n\n## How much it costs\n\nThe court fee is \u00a350.\n\nSolicitor fees vary depending on their experience and location. They usually charge per hour.\n\n## Get help agreeing\n\nA mediator can help you and your ex-partner agree on how to split money and property, without taking sides.\n\nMediation is not relationship counselling. It can help you agree on how you\u2019ll divide your assets, including:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nMediation can be quicker and cheaper than asking a court to decide for you.\n\nYou need to attend a mediation information assessment meeting (MIAM) before you start mediation.\n\nFind a local mediator.\n\nThe mediator can decide mediation is not right for you (for example, if there\u2019s been domestic abuse and you need to go to court instead).\n\n## How much it costs\n\nA MIAM is usually about \u00a330. If you need more mediation sessions they cost more and fees vary depending on where you live.\n\nCheck if you can get legal aid for mediation.\n\n## Making your agreement legally binding\n\nAt the end of mediation you\u2019ll get a document showing what you agreed. This agreement is not legally binding.\n\nIf you want a legally binding agreement you need to draft a consent order and get a court to approve it. The consent order can be based on what you agreed in mediation.\n\n## If you need more help agreeing\n\nYou can:\n\n- ask a legal adviser about other ways to resolve issues out of court (such as family arbitration or collaborative law)\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- work out your finances with a divorce and separation calculator\n\n## If you do not agree on everything\n\nYou can ask a court to decide on anything you have not agreed on.\n\n## Get the court to decide\n\nIf you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).\n\nThis means the court will decide how assets will be split. Getting the court to decide usually takes longer and is more expensive than if you and your ex-partner agree.\n\nYou must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).\n\nA financial order will describe how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\n## When to apply for a financial order\n\nYou can ask a court to make a financial order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended but it may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to apply\n\nYou need to apply for a financial order.\n\nSend 2 copies of the form to the court dealing with paperwork in your area to divorce or end your civil partnership. Keep a copy for yourself.\n\nYou can hire a solicitor to help you apply for a financial order from the court.\n\n## After you apply\n\nThere are three stages:\n\n- the first appointment - a short hearing with the judge to discuss your application\n\n- financial dispute resolution (FDR) appointment - to help you agree without needing a final hearing (you might need more than one appointment)\n\n- final hearing - if you\u2019re not able to agree, this is when a judge will decide how you must separate your finances\n\nThe court will send you and your ex-partner details when the first appointment will be. This is usually 12 to 14 weeks after you apply.\n\n## Before the first appointment\n\nYou and your ex-partner need to fill in a financial statement for a financial order (Form E) to show a breakdown of your property and debts. This includes giving an estimate of your future living costs.\n\nYou\u2019ll also need to collect documents about your finances, for example:\n\n- rental or mortgage agreements\n\n- pension documents\n\n- loan agreements\n\n- proof of your salary income, for example P60 or recent pay slips\n\n- details of personal belongings worth more than \u00a3500, for example a car or house contents\n\n## How long it takes\n\nIt depends on:\n\n- how many financial dispute resolution appointments you need\n\n- if you need a final hearing\n\nThere can be several months between the appointments.\n\n## How the court decides\n\nIf you cannot agree, a judge will decide how assets will be split. They\u2019ll base their decision on how long you\u2019ve been married or in a civil partnership, as well as your:\n\n- age\n\n- ability to earn\n\n- property and money\n\n- living expenses\n\n- standard of living\n\n- financial needs and responsibilities\n\n- role in looking after the family, for example if you were the main earner or caring for the family or home\n\n- disability or health condition, if you have any\n\nThe judge will decide on the fairest way to divide the assets if there\u2019s enough to meet everyone\u2019s needs. They will make arrangements for any children first - especially their housing arrangements and child maintenance. The reason for the divorce or dissolution is not taken into account.\n\nThe judge will usually try to arrange a \u2018clean break\u2019, so everything is shared out, and you no longer have any financial ties to one another.\n\n## How much it costs\n\nThe court fee is \u00a3255.\n\nSolicitor fees vary depending on their experience and where you live. They usually charge by the hour. How much you pay in total depends on how many financial dispute resolution appointments you need and if there will be a final hearing.\n\nYou can get legal aid to help with court costs in certain situations, for example if you\u2019re separating from an abusive partner.\n\n## Further help and advice\n\nYou can:\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- find out more about how to apply for a financial order\n\n## Maintenance payments\n\nThe court sometimes tells the person with the higher income to make regular maintenance payments to help with the other person\u2019s living costs.\n\nThis is called a \u2018maintenance order\u2019.\n\nA maintenance payment can be set for:\n\n- a limited period of time\n\n- until one of you dies, marries or enters into a new civil partnership\n\nThe payment can also be changed if one of you loses your job or gets much better paid work.\n\n## Child maintenance\n\nThe court can also decide on child maintenance, but this is often arranged by the Child Maintenance Service.\n\nRead more about making arrangements to look after children when you divorce or separate.\n\n## Tax when transferring assets\n\nYou do not usually have to pay Capital Gains Tax if you give, or otherwise \u2018dispose of\u2019, assets to your husband, wife or civil partner before you finalise the divorce or civil partnership.\n\nAssets include shares, certain personal possessions and property. You usually do not have to pay tax if you transfer or sell your main home.\n\n## If you transfer an asset when you\u2019re separated\n\nIf you lived together at any point in the tax year that you transferred the asset, the normal rules for spouses and civil partners apply.\n\nOtherwise you may have to pay Capital Gains Tax. You\u2019ll need to get a valuation of the asset on the date of transfer, and use it to work out the gain or loss.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you transfer an asset after you\u2019ve divorced or dissolved your civil partnership\n\nYou may have to pay Capital Gains Tax on assets you transfer after your relationship has legally ended.\n\nThe rules for working out your gain or loss are complex. Contact HM Revenue and Customs (HMRC) or get professional tax help, such as an accountant or tax adviser. You\u2019ll need to tell them the date of:\n\n- the decree absolute or dissolution\n\n- any court order, if assets were transferred this way\n\n- any other contract showing the transfer of assets", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "answerable": true, + "scenario": "I have recently split up with my husband and we are currently going through divorce proceedings after 10 years of marriage.", + "original_question": "I want to ensure that our joint finances currently will be split evenly without having to go through court proceedings. Is there a way to make legally binding contract to avoid this?" + }, + { + "id": "train-137", + "question": "Scenario: We have two children, aged 11 and 15. My husband has recently started a new job that pays \u00a352,000 per year. I need to see if we can still get child benefit.\n\nQuestion: Can the tax on income from child benefit be waived if I earn over \u00a350,000?\n\nDocument - Claim Child Benefit:\n## How it works\n\nYou get Child Benefit if you\u2019re responsible for bringing up a child who is:\n\n- under 16\n\n- under 20 if they stay in approved education or training\n\nOnly one person can get Child Benefit for a child.\n\nIt\u2019s paid every 4 weeks and there\u2019s no limit to how many children you can claim for.\n\nThis guide is also available in Welsh (Cymraeg).\n\nBy claiming Child Benefit:\n\n- you can get National Insurance credits which count towards your State Pension\n\n- your child will automatically get a National Insurance number when they\u2019re 16 years old\n\nIf you choose not to get Child Benefit payments, you should still fill in and send off the claim form.\n\n## If you or your partner earn over \u00a350,000\n\nYou may have to pay back some of your Child Benefit in tax if your (or your partner\u2019s) individual income is over \u00a350,000.\n\n## If your circumstances change\n\nYou must report any change of circumstances to the Child Benefit Office.\n\n## What you'll get\n\nThere are 2 Child Benefit rates.\n\n| Who the allowance is for | Rate (weekly) |\n\n| Eldest or only child | \u00a321.15 |\n\n| Additional children | \u00a314 per child |\n\nYou must contact the Child Benefit Office if you\u2019re paid too much or too little.\n\nThe benefit cap may affect the total amount of benefits you get, including Child Benefit.\n\n## How and when Child Benefit is paid\n\nChild Benefit is usually paid every 4 weeks on a Monday or Tuesday.\n\nYou can have the money paid weekly if you\u2019re a single parent or getting certain other benefits, such as Income Support.\n\nYou can get the money paid into any account, apart from a Nationwide cashbuilder account (sort code 070030) in someone else\u2019s name.\n\nYou can only get the money paid into one account.\n\n## Child Benefit and your State Pension\n\nIf your child is under 12 and you\u2019re not working or do not earn enough to pay National Insurance contributions, Child Benefit can give you National Insurance credits.\n\nThese credits count towards your State Pension, so you do not have gaps in your National Insurance record.\n\n## If families split up\n\nIf a family splits up, you get \u00a321.15 a week for the eldest child.\n\nIf you have 2 children and one stays with you and the other stays with your ex-partner, you\u2019ll both get \u00a321.15 a week for each child.\n\nIf you both claim for the same child, only one of you will get Child Benefit for them.\n\nIf you have other children who are entitled to Child Benefit, you\u2019ll get \u00a314 for each child.\n\n## If families join together\n\nIf 2 families join together, the eldest child in the new family qualifies for the \u00a321.15 rate and any other children who are eligible will get the \u00a314 rate.\n\n## If you or your partner earn over \u00a350,000\n\nYou can get Child Benefit if your (or your partner\u2019s) individual income is over \u00a350,000, but you may be taxed on the benefit. This is known as the High Income Child Benefit Tax Charge.\n\nIf your partner\u2019s income is also over \u00a350,000 but yours is higher, you\u2019re responsible for paying the tax charge. You need to fill in a Self Assessment tax return each tax year and pay what you owe.\n\nUse the Child Benefit tax calculator to estimate how much tax you may have to pay.\n\nOnce you earn \u00a360,000 you lose all of your benefit through tax.\n\n## Eligibility\n\nOnly one person can get Child Benefit for a child.\n\nYou normally qualify for Child Benefit if you\u2019re responsible for a child under 16 (or under 20 if they stay in approved education or training) and you live in the UK.\n\nYou\u2019ll usually be responsible for a child if you live with them or you\u2019re paying at least the same amount as Child Benefit (or the equivalent in kind) towards looking after them, for example on food, clothes or pocket money.\n\nEligibility rules are different if your child:\n\n- goes into hospital or care\n\n- lives with someone else\n\nChild Benefit continues for 20 weeks if 16 or 17 year olds leave education or training and register with the armed services or a government-sponsored careers service.\n\n## Fostering a child\n\nYou\u2019ll get Child Benefit if you foster a child, as long as the local council is not paying anything towards their accommodation or maintenance.\n\n## Adopting a child\n\nYou can apply for Child Benefit as soon as any child you\u2019re adopting comes to live with you - you do not have to wait until the adoption process is complete.\n\nYou might be able to get Child Benefit for a period before the adoption - contact the Child Benefit Office to find out.\n\n## Looking after someone else\u2019s child\n\nYou may be able to get Child Benefit if you\u2019ve got an informal arrangement to look after a friend or relative\u2019s child.\n\nYou might not qualify if your local council is paying towards the child\u2019s accommodation or maintenance - contact the Child Benefit Office to find out.\n\nTwo people cannot get Child Benefit for the same child - if you want to make a claim, you must agree it with the person who\u2019s currently claiming. HMRC will decide who receives the Child Benefit if you cannot agree.\n\nYou may also be entitled to Guardian\u2019s Allowance if you\u2019re responsible for a child who has lost one or both of their parents.\n\n## Living abroad\n\nYou may be able to get Child Benefit if you go to live in certain countries or if you\u2019re a Crown servant.\n\n## If you\u2019ve moved to the UK\n\nYou may be able to get Child Benefit if you have moved to the UK and you have a \u2018right to reside\u2019.\n\n## If your child starts work or gets benefits in their own right\n\nYou\u2019ll stop receiving Child Benefit immediately if your child:\n\n- starts paid work for 24 hours or more a week and is no longer in approved education or training\n\n- starts an apprenticeship in England\n\n- starts getting certain benefits in their own right, such as Income Support, Employment and Support Allowance or tax credits\n\n## If you or your partner earn over \u00a350,000\n\nYou\u2019ll still be eligible for Child Benefit even if you choose to stop receiving it. You can always change your mind and restart your payments.\n\nContact the Child Benefit Office if you\u2019re not sure about your eligibility.\n\n## How to claim\n\nYou can claim Child Benefit as soon as you\u2019ve registered the birth of your child, or they come to live with you.\n\nIf you\u2019re not able to register the birth of your child because of coronavirus (COVID-19), you can still make a claim to receive Child Benefit.\n\n## How long it takes\n\nIt can take 6 to 12 weeks to process a new Child Benefit claim (or longer if you\u2019re new to the UK). Child Benefit can be backdated for up to 3 months.\n\n## Deciding who should claim\n\nOnly one person can get Child Benefit for a child, so you need to decide whether it\u2019s better for you or the other parent to claim. The person who claims will get National Insurance credits towards their state pension if they are not working or earn less than \u00a3184 per week.\n\n## Make a claim for the first time\n\nFill in Child Benefit claim form CH2 and send it to the Child Benefit Office. The address is on the form.\n\nIf your child is adopted, send their original adoption certificate with the form. You can order a new adoption certificate if you\u2019ve lost the original.\n\nIf you do not have the certificate you need, send your claim form now and send the certificate once you\u2019ve got it.\n\n## If your child\u2019s birth was registered outside the UK\n\nWhen you send your claim form, include your child\u2019s:\n\n- original birth certificate\n\n- passport or travel document used to enter the UK\n\nIf you\u2019ve lost the original you can order a new birth certificate.\n\n## Add a child to an existing claim\n\nCall the child benefit helpline if:\n\n- your child is under 6 months old and lives with you\n\n- your child was born in the UK and their birth was registered in England, Scotland or Wales more than 24 hours ago\n\n- you\u2019re a UK, EEA or Swiss national and you\u2019ve lived in the UK since the start of your claim\n\nWhen you call, you\u2019ll need your:\n\n- National Insurance number\n\n- child\u2019s birth certificate\n\n## If you do not meet the criteria to add a child by phone\n\nYou\u2019ll need to make a new claim by post. Fill in Child Benefit form CH2 and send it to the Child Benefit Office. The address is on the form.\n\nIf you\u2019re claiming for more than 2 children, also include the \u2018additional children\u2019 form.\n\n## Claiming Child Benefit for someone else\n\nYou may be able to manage someone else\u2019s Child Benefit claim.\n\n## Make a change to your claim\n\nYou must report any change of circumstances to the Child Benefit Office. These include changes to your:\n\n- family life, for example getting married\n\n- child\u2019s life, for example leaving education or training\n\n## Change who gets Child Benefit\n\nContact the Child Benefit Office if you want someone else to claim Child Benefit, for example, your spouse or partner.\n\nAfter you\u2019ve done this, tell the other person to make a new claim.\n\n## Stop or restart payments\n\nYou can choose to stop or restart your payments at any time, for example because you or your partner earn over \u00a350,000 a year. It does not affect your eligibility.\n\n## Get help with your claim\n\nContact the Child Benefit Office if you have any questions.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Make a complaint\n\nYou can complain to the Child Benefit Office if you\u2019re unhappy with the way you\u2019ve been treated.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/child-benefit", + "answerable": true, + "scenario": "We have two children, aged 11 and 15. My husband has recently started a new job that pays \u00a352,000 per year. I need to see if we can still get child benefit.", + "original_question": "Can the tax on income from child benefit be waived if I earn over \u00a350,000?" + }, + { + "id": "train-140", + "question": "Scenario: I granted my sister lasting power of attorney five years ago, in case of an accident that would render me incapable of making my own decisions. So far, I am in good health. My sister married a new husband last year.\n\nQuestion: Do I need to update this record now that my sister has changed her name through marriage?\n\nDocument - Make, register or end a lasting power of attorney:\n## Overview\n\nA lasting power of attorney (LPA) is a legal document that lets you (the \u2018donor\u2019) appoint one or more people (known as \u2018attorneys\u2019) to help you make decisions or to make decisions on your behalf.\n\nThis gives you more control over what happens to you if you have an accident or an illness and cannot make your own decisions (you \u2018lack mental capacity\u2019).\n\nYou must be 18 or over and have mental capacity (the ability to make your own decisions) when you make your LPA.\n\nYou do not need to live in the UK or be a British citizen.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere are 2 types of LPA:\n\n- health and welfare\n\n- property and financial affairs\n\nYou can choose to make one type or both.\n\nThere\u2019s a different process in Scotland and Northern Ireland.\n\n## How to make a lasting power of attorney\n\n- Choose your attorney (you can have more than one).\n\n- Fill in the forms to appoint them as an attorney.\n\n- Register your LPA with the Office of the Public Guardian (this can take up to 10 weeks).\n\nIt costs \u00a382 to register an LPA unless you get a reduction or exemption.\n\nYou can cancel your LPA if you no longer need it or want to make a new one.\n\n## Health and welfare lasting power of attorney\n\nUse this LPA to give an attorney the power to make decisions about things like:\n\n- your daily routine, for example washing, dressing, eating\n\n- medical care\n\n- moving into a care home\n\n- life-sustaining treatment\n\nIt can only be used when you\u2019re unable to make your own decisions.\n\n## Property and financial affairs lasting power of attorney\n\nUse this LPA to give an attorney the power to make decisions about money and property for you, for example:\n\n- managing a bank or building society account\n\n- paying bills\n\n- collecting benefits or a pension\n\n- selling your home\n\nIt can be used as soon as it\u2019s registered, with your permission.\n\n## Help deciding if you should make a lasting power of attorney\n\nContact the Office of the Public Guardian if you need help.\n\n## Choose your attorney\n\nYou can choose one or more people to be your attorney. If you appoint more than one, you must decide whether they\u2019ll make decisions separately or together.\n\n## Who can be your attorney\n\nYour attorney needs to be 18 or over. They could be:\n\n- a relative\n\n- a friend\n\n- a professional, for example a solicitor\n\n- your husband, wife or partner\n\nYou must appoint someone who has the mental capacity to make their own decisions.\n\nYour attorney does not need to live in the UK or be a British citizen.\n\nWhen choosing an attorney, think about:\n\n- how well they look after their own affairs, for example their finances\n\n- how well you know them\n\n- if you trust them to make decisions in your best interests\n\n- how happy they will be to make decisions for you\n\nRead about an attorney\u2019s responsibilities to help you with your decision.\n\nYou cannot choose someone who is subject to a Debt Relief Order or is bankrupt if you\u2019re making a lasting power of attorney (LPA) for property and financial affairs.\n\n## If there\u2019s more than one attorney\n\nIf you\u2019re appointing more than one person, you must decide if they\u2019ll make decisions:\n\n- separately or together - sometimes called \u2018jointly and severally\u2019 - which means attorneys can make decisions on their own or with other attorneys\n\n- together - sometimes called \u2018jointly\u2019 - which means all the attorneys have to agree on the decision\n\nYou can also choose to let them make some decisions \u2018jointly\u2019, and others \u2018jointly and severally\u2019.\n\nAttorneys who are appointed jointly must all agree or they cannot make the decision.\n\n## Replacement attorneys\n\nWhen you make your LPA you can nominate other people to replace your attorney or attorneys if at some point they cannot act on your behalf anymore.\n\n## Make a lasting power of attorney\n\nYou can make a lasting power of attorney (LPA) online or using paper forms.\n\nEither way, you need to get other people to sign the forms, including the attorneys and witnesses.\n\nYou can get someone else to use the online service or fill in the paper forms for you, for example a family member, friend or solicitor.\n\nYou must register your LPA or your attorney will not be able to make decisions for you.\n\nIt might take longer to make and register an LPA because of coronavirus (COVID-19). It will be quicker if you make it and pay online.\n\n## Make an LPA online\n\nCreate an account to start your LPA.\n\nYou can:\n\n- get help and guidance at each step\n\n- save your forms and complete them later\n\n- review your answers and fix any mistakes\n\nYou need to print out the forms and sign them when you\u2019ve finished.\n\n## Sign in to your account\n\nSign in to continue making your LPA.\n\n## Use the paper forms\n\nDownload the forms and print them out.\n\n## Signing the forms\n\nYou need to sign the forms before you send them off. They also need to be signed by:\n\n- the attorneys\n\n- witnesses\n\n- a \u2018certificate provider\u2019, who confirms you\u2019re making the LPA by choice and you understand what you\u2019re doing\n\nEveryone must sign the same original document. They cannot sign copies or use digital signatures.\n\n## Who can be a witness or certificate provider\n\nWitnesses and certificate providers must be 18 or over.\n\nAttorneys can witness each other sign, but they cannot:\n\n- witness you sign\n\n- sign as the certificate provider\n\nYou cannot be a witness if you\u2019re the person appointing an attorney.\n\n## Get help\n\nAsk the Office of the Public Guardian about help you can get if you:\n\n- do not have a computer or printer\n\n- want to use the online service but need some help\n\n## Register a lasting power of attorney\n\nWhen you\u2019ve made your lasting power of attorney (LPA), you need to register it with the Office of the Public Guardian (OPG).\n\nIt takes up to 15 weeks to register an LPA if there are no mistakes in the application.\n\nYou can apply to register your LPA yourself if you\u2019re able to make your own decisions.\n\nYour attorney can also register it for you. You\u2019ll be told if they do and you can object to the registration.\n\n## Notify people\n\nBefore you register, send a form to notify people (LP3) to all the \u2018people to notify\u2019 (also called \u2018people to be told\u2019) you listed in the LPA.\n\nThey\u2019ll have 3 weeks to raise any concerns with OPG.\n\nIf you\u2019re using the online service to make an LPA, it will create and fill in the LP3 forms for you.\n\n## How to register\n\nApply to register as soon as you\u2019ve sent forms to notify people.\n\nTo register, you need to sign your completed LPA form and send it to OPG.\n\nIf you create your LPA form using the online service, you will need to print it out to do this.\n\nThe address is also on the form. Make sure you include the original LPA form and the fee.\n\nYou can send a certified copy if you do not have the original form. Write a covering letter to explain why you do not have the original.\n\n## If you made your LPA with an older paper form\n\nYou can register by filling in form LP2 if you made your LPA:\n\n- on forms LPA114 or LPA117 before 1 January 2016\n\n- on forms LP PA or LP PW before 1 April 2011\n\nOtherwise you\u2019ll need to make a new LPA.\n\n## How much it costs\n\nIt costs \u00a382 to register each LPA unless you get a reduction or exemption.\n\nThis means it costs \u00a3164 to register both a property and financial affairs LPA and a health and welfare LPA.\n\nYou can pay by:\n\n- credit or debit card\n\n- cheque\n\nMake your cheque payable to \u2018Office of the Public Guardian\u2019 and write your name on the back. Send it to OPG with your forms.\n\n## If you make a mistake on your form\n\nDepending on the type of mistake, OPG may let you correct it and apply again within 3 months for \u00a341.\n\n## Get a reduction or exemption\n\nYou can apply for a reduction if you earn less than \u00a312,000. You might also be able to apply for an exemption if you\u2019re on certain benefits, such as Income Support.\n\nDownload and fill in the application form. The form has more information about eligibility.\n\n## Certify a copy of a lasting power of attorney\n\nYou can confirm that a copy of your lasting power of attorney (LPA) is genuine by \u2018certifying\u2019 it if you\u2019re still able to make your own decisions.\n\nYou or your attorney can use a certified copy to register your LPA if you do not have the original form.\n\nYour attorney can also use the certified copy to prove they have permission to make decisions on your behalf, for example to manage your bank account.\n\n## How to certify a copy\n\nWrite the following text on the bottom of every page of the copy:\n\n\u201cI certify this is a true and complete copy of the corresponding page of the original lasting power of attorney.\u201d\n\nOn the final page of the copy, you must also write:\n\n\u201cI certify this is a true and complete copy of the lasting power of attorney.\u201d\n\nYou need to sign and date every page.\n\n## Other ways to certify a copy\n\nCopies of your LPA can also be certified by:\n\n- a solicitor\n\n- a person authorised to carry out notarial activities\n\n## Change your lasting power of attorney\n\nYou can ask the Office of the Public Guardian (OPG) to change your lasting power of attorney (LPA) if it\u2019s been registered and you still have mental capacity to make decisions.\n\n## If you want to remove one of your attorneys\n\nYou will need to send OPG a written statement called a \u2018partial deed of revocation\u2019.\n\nIf you want to add another attorney you need to end your LPA and make a new one.\n\nUse the following wording. Replace the words in the square brackets with the relevant details.\n\nPartial deed of revocation\n\n\u201cThis partial deed of revocation is made by [donor\u2019s name] of [donor\u2019s address].\n\n1: I granted a lasting power of attorney for property and financial affairs/health and welfare [delete as appropriate] on [date donor signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).\n\n2: I hereby revoke [attorney\u2019s name that you are revoking] ONLY from the lasting power of attorney and the authority granted to him/her.\n\nSigned and delivered as a deed [donor\u2019s signature]\nDate signed [date] \nWitnessed by [signature of witness] \nFull name of witness [name of witness] \nAddress of witness [address of witness]\u201d\n\n## Where to send a partial deed of revocation\n\nSend the partial deed of revocation to the Office of the Public Guardian (OPG) with the original LPA document. You must also tell your attorney or attorneys that you\u2019re ending your LPA.\n\n## If your attorney\u2019s details change\n\nYou must write to OPG if one of your attorneys has changed their:\n\n- name - by marriage or deed poll\n\n- address\n\nYou need to provide supporting documents, such as the original marriage certificate, with their new name and address.\n\nDo not make changes to your LPA document itself, as it might become invalid. You must contact OPG to make changes to your LPA.\n\n## If one of your attorneys dies\n\nYou must tell OPG and send them:\n\n- a copy of their death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n- a return address where your documents can be sent back to\n\n## End your lasting power of attorney\n\nYou can end your lasting power of attorney (LPA) yourself - if you have mental capacity to make that decision.\n\nYou need to send the Office of the Public Guardian (OPG) both:\n\n- the original LPA\n\n- a written statement called a \u2018deed of revocation\u2019\n\nUse the following wording for the deed of revocation. Replace the words in the square brackets with the relevant details.\n\nDeed of revocation\n\n\u201cThis deed of revocation is made by [your name] of [your address].\n\n1: I granted a lasting power of attorney for property and financial affairs/health and welfare (delete as appropriate) on [date you signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).\n\n2: I revoke the lasting power of attorney and the authority granted by it.\n\nSigned and delivered as a deed [your signature]\nDate signed [date]\nWitnessed by [signature of witness]\nFull name of witness [name of witness]\nAddress of witness [address of witness]\u201d\n\nYou must be able to make your own decisions when you end your LPA.\n\nYou can also complain if you have concerns about your attorney, for example if they\u2019re not carrying out their responsibilities properly.\n\n## Other ways a lasting power of attorney can end\n\nYour LPA may end if your attorney:\n\n- loses the ability to make decisions - \u2018loses mental capacity\u2019\n\n- divorces you or ends your civil partnership if they\u2019re your husband, wife or partner\n\n- becomes bankrupt or they\u2019re subject to a Debt Relief Order (DRO) - if they\u2019re a property and financial affairs attorney\n\n- is removed by the Court of Protection\n\n- dies\n\n## If your only attorney dies\n\nYour LPA will end if your attorney dies and you have no replacement attorneys. You must tell OPG and send them:\n\n- a copy of their death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n- a return address where your documents can be sent back to\n\nYour LPA can continue if:\n\n- there are other attorneys who can act \u2018jointly and severally\u2019 - but not if they are only allowed to act \u2018jointly\u2019\n\n- there are replacement attorneys\n\n## If you die\n\nYour LPA will end automatically when you die. Your affairs will be looked after by your executors or personal representatives from that point, not your attorney.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/power-of-attorney", + "answerable": true, + "scenario": "I granted my sister lasting power of attorney five years ago, in case of an accident that would render me incapable of making my own decisions. So far, I am in good health. My sister married a new husband last year.", + "original_question": "Do I need to update this record now that my sister has changed her name through marriage?" + }, + { + "id": "train-146", + "question": "Scenario: My Uncle appointed me as his deputy to run his businesses this is after he suffered an heart attack which left him mentally ill and paralysed. I have been running the business to his satisfaction.\n\nQuestion: Will my power as his deputy be valid after he dies?\n\nDocument - Deputies: make decisions for someone who lacks capacity:\n## Overview\n\nYou can apply to become someone\u2019s deputy if they \u2018lack mental capacity\u2019. This means they cannot make a decision for themselves at the time it needs to be made. They may still be able to make decisions for themselves at certain times.\n\nPeople may lack mental capacity because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\n- they have severe learning disabilities\n\nAs a deputy, you\u2019ll be authorised by the Court of Protection to make decisions on their behalf.\n\n## Types of deputy\n\nThere are 2 types of deputy.\n\n## Property and financial affairs deputy\n\nYou\u2019ll do things like pay the person\u2019s bills or organise their pension.\n\n## Personal welfare deputy\n\nYou\u2019ll make decisions about medical treatment and how someone is looked after.\n\nYou cannot become someone\u2019s personal welfare deputy if they\u2019re under 16. Get legal advice if you think the court needs to make a decision about their care.\n\nThe court will usually only appoint a personal welfare deputy if:\n\n- there\u2019s doubt whether decisions will be made in someone\u2019s best interests, for example because the family disagree about care\n\n- someone needs to be appointed to make decisions about a specific issue over time, for example where someone will live\n\nRead the full guidance about when you need to make a personal welfare application.\n\n## Becoming a deputy\n\nYou can apply to be just one type of deputy or both. If you\u2019re appointed, you\u2019ll get a court order saying what you can and cannot do.\n\nWhen you become a deputy, you must send an annual report to the Office of the Public Guardian (OPG) each year explaining the decisions you\u2019ve made.\n\n## How to apply\n\nCheck you meet the requirements to be a deputy.\n\nSend the application forms to the Court of Protection and pay the application fee.\n\nYou do not need to be a deputy if you\u2019re just looking after someone\u2019s benefits. Apply to become an appointee instead.\n\n## Checks on your application\n\nThe Court of Protection will check:\n\n- whether the person needs a deputy or some other kind of help\n\n- there are no objections to your appointment\n\nIf you\u2019re appointed, the Office of the Public Guardian will help you carry out your responsibilities.\n\nYou\u2019ll continue to be a deputy until your court order is changed, cancelled or expires.\n\n## Other ways to make decisions for someone\n\nIf you want to make a single important decision, you can apply to the Court of Protection for a one-off order.\n\nIf the person already has a lasting power of attorney (LPA) or enduring power of attorney (EPA), they do not usually need a deputy. Check if they have an LPA or EPA before you apply.\n\n## Who can apply to be a deputy\n\nYou can apply to be a deputy if you\u2019re 18 or over. Deputies are usually close relatives or friends of the person who needs help making decisions.\n\nIf you want to become a property and affairs deputy, you need to have the skills to make financial decisions for someone else.\n\nThe court can appoint 2 or more deputies for the same person.\n\n## When there\u2019s more than one deputy\n\nWhen you apply, tell the court how you\u2019ll make decisions if you\u2019re not the only deputy. It will be either:\n\n- together (\u2018joint deputyship\u2019), which means all the deputies have to agree on the decision\n\n- separately or together (\u2018jointly and severally\u2019), which means deputies can make decisions on their own or with other deputies\n\n## Other types of deputy\n\nSome people are paid to act as deputies, for example accountants, solicitors or representatives of the local authority.\n\nThe Court of Protection can appoint a specialist deputy (called a \u2018panel deputy\u2019) from a list of approved law firms and charities if no one else is available.\n\n## Responsibilities\n\nAs a deputy, you\u2019re responsible for helping someone make decisions or making decisions on their behalf.\n\nYou must consider someone\u2019s level of mental capacity every time you make a decision for them - you cannot assume it\u2019s the same at all times and for all kinds of things.\n\nYou\u2019ll get a court order from the Court of Protection which says what you can and cannot do. There are also general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\n## Guidance for all deputies\n\nWhen you\u2019re making a decision, you must:\n\n- make sure it\u2019s in the other person\u2019s best interests\n\n- consider what they\u2019ve done in the past\n\n- apply a high standard of care - this might mean involving other people, for example getting advice from relatives and professionals like doctors\n\n- do everything you can to help the other person understand the decision, for example explain what\u2019s going to happen with the help of pictures or sign language\n\n- add the decisions to your annual report\n\nYou must not:\n\n- restrain the person, unless it\u2019s to stop them coming to harm\n\n- stop life-sustaining medical treatment\n\n- take advantage of the person\u2019s situation, for example abuse them or profit from a decision you\u2019ve taken on their behalf\n\n- make a will for the person, or change their existing will\n\n- make gifts unless the court order says you can\n\n- hold any money or property in your own name on the person\u2019s behalf\n\n## Property and affairs deputies\n\nYou must make sure:\n\n- your own property and money is separate from the other person\u2019s\n\n- you keep records of the finances you manage on their behalf in your annual report\n\nYou may need to manage a Court Funds Office account on the other person\u2019s behalf.\n\nYou could be fined or sent to prison for up to 5 years (or both) if you mistreat or neglect the person on purpose.\n\n## Apply to be a deputy\n\nYou need to download and fill in all of the following:\n\n- an application form (COP1) - you\u2019ll need to send the original form plus a copy when you apply\n\n- an assessment of capacity form (COP3)\n\n- a deputy\u2019s declaration (COP4)\n\nYou also need to download and fill in:\n\n- a supporting information form (COP1A) if you\u2019re applying to be a property and affairs deputy\n\n- a supporting information form (COP1B) if you\u2019re applying to be a personal welfare deputy\n\nYou must name at least 3 people in your application who know the person you\u2019re applying to be deputy for. For example, their relatives, a social worker or doctor.\n\nThe court may not accept your application if you do not send the \u2018assessment of capacity\u2019 (COP3) form.\n\nIf you cannot get an assessment, you must download and fill in a witness statement (COP24) to explain why you think the person you\u2019re applying about lacks capacity.\n\nYou should keep a copy of every form you fill in.\n\n## Where to send your forms\n\nSend the forms, including 2 copies of the application form (COP1), to the Court of Protection with a cheque for the application fee.\n\n## Tell people named in your application\n\nThe court will aim to send you a stamped copy of your application within a week of receiving it. This means your application is being considered (it has been \u2018issued\u2019). You\u2019ll be sent a letter explaining what to do next.\n\nWithin 14 days of the application being issued, you must tell (sometimes called \u2018serving\u2019) the following people:\n\n- the person you\u2019re applying to be a deputy for\n\n- at least 3 people named in your application as having an interest, for example the person\u2019s relatives, social worker or doctor\n\nIf you cannot tell 3 people you should send in a witness statement (COP24).\n\n## Tell the person you\u2019re applying to be a deputy for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to be their deputy\n\n- that their ability to make decisions is being questioned\n\n- what having a deputy would mean for them\n\n- where to get advice if they want to discuss the application\n\nDuring the visit give them:\n\n- a completed proceedings notification form (COP14) - use the guidance notes to fill this in yourself\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\n## Tell people connected to your application\n\nYou must tell 3 people named on your application that it has been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\n## Confirming that you\u2019ve told people (\u2018served notice\u2019)\n\nWithin 7 days of serving the documents, you must download and fill in the relevant forms (sometimes called \u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the person you\u2019re applying to be deputy for (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## Fees\n\nYou must pay:\n\n- a fee to apply to be a deputy\n\n- a supervision fee every year after you\u2019ve been appointed\n\nYou may also have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy.\n\n## When you apply\n\nYou must pay a \u00a3365 application fee. Send this with your application form.\n\nYou need to pay the application fee twice if you\u2019re applying to become both types of deputy.\n\nYou\u2019ll also need to pay \u00a3485 if the court decides your case needs a hearing. The court will tell you when you need to pay this.\n\nMake all cheques payable to \u2018HM Courts and Tribunals Service\u2019.\n\n## Security bonds for property and affairs deputies\n\nYou may have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy. This is a type of insurance that protects the finances of the person you\u2019re a deputy for.\n\nYou do not have to set up a bond if either:\n\n- you\u2019re representing a local authority\n\n- the court decides it\u2019s not necessary, for example if the person\u2019s estate has a low value\n\nIf you need to set one up, you\u2019ll get a letter from the court telling you this. The letter will explain what to do next.\n\nYou set up the bond with a security bond provider. The amount you pay depends on:\n\n- the value of the estate of the person you\u2019re a deputy for\n\n- how much of their estate you control\n\nYou can pay it either:\n\n- using the person\u2019s money\n\n- yourself - you can get the money back from the person\u2019s estate once you have access to it\n\nYou may be prosecuted if you misuse the person\u2019s money.\n\n## After you\u2019ve been appointed\n\nYou must pay an annual supervision fee depending on what level of supervision your deputyship needs. You\u2019ll pay:\n\n- \u00a3320 for general supervision\n\n- \u00a335 for minimal supervision - this applies to some property and affairs deputies managing less than \u00a321,000\n\nYour annual supervision fee is due on 31 March for the previous year.\n\nYou\u2019ll also need to pay a \u00a3100 assessment fee if you\u2019re a new deputy.\n\nThe Office of the Public Guardian will tell you how and when to pay your assessment and supervision fees.\n\nYou may be able to claim a refund of your fees in certain situations.\n\n## Getting help with your application fee\n\nYou may not have to pay an application fee depending on:\n\n- what type of deputy you\u2019re applying to be\n\n- how much money you or the person you\u2019re applying to be deputy for has\n\n| Type of deputy | Whose finances will be assessed |\n\n| Property and financial affairs | Theirs |\n\n| Personal welfare | Yours |\n\nThe guidance has information about getting help with your fees.\n\nYou can claim back the fee from the funds of the person you want to be a deputy for if you\u2019re applying to be a property and affairs deputy.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving the application.\n\n## Getting help with your supervision fees\n\nYou can apply for an exemption or reduction of the fee if the person you\u2019re a deputy for gets certain benefits or has an income below \u00a312,000. Read the guidance that comes with the form and apply if the person meets the requirements. The address is on the form.\n\nIf the person you\u2019re deputy for dies, you pay the supervision fee for the part of the year when you acted as deputy. For example, you\u2019ll have to pay \u00a317.50 if your minimal supervision deputyship comes to an end after 6 months.\n\n## After you've applied\n\nThere\u2019s a 14-day wait after you tell the other people involved that you applied, in case they object.\n\nThe Court of Protection will then review your application and tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you need to set up a security bond before you can be appointed\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to get more information, for example if someone objected\n\nThere\u2019s usually no hearing if you applied to be a property and financial affairs deputy.\n\nRead guidance on how coronavirus (COVID-19) might affect your hearing and what you should bring.\n\n## Tell the person you want to be a deputy for about the hearing\n\nYou\u2019ll get a notice with the date of the hearing if the court decides to hold one. You must visit the person you want to be deputy for and tell them about it:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nGive them a completed notice about proceedings (COP14). Use the guidance notes to fill it in.\n\nYou must explain that they can contact Court of Protection staff for advice and assistance.\n\nWhen you\u2019ve told them, send a certificate of service (COP20A) to the Court of Protection within 7 days.\n\nYou\u2019ll have to pay a fee if the court makes a final decision at the hearing.\n\nThe guidance explains what to expect from a Court of Protection hearing.\n\n## When you're appointed\n\nYou\u2019ll be sent a \u2018court order\u2019 telling you what you can and cannot do as a deputy. When you have this, you can start acting on the person\u2019s behalf.\n\nYou\u2019ll be sent the court order:\n\n- as soon as you\u2019re appointed - if you\u2019re a personal welfare deputy\n\n- after you set up a security bond - if you\u2019re a property and affairs deputy and have been asked to do this by the court\n\nYou\u2019ll need a separate court order before you can:\n\n- sell a property that\u2019s jointly owned if you\u2019re a property and affairs deputy\n\n- make a one-off decision on anything else that\u2019s not covered by the court order\n\nCheck the court order. If there are any mistakes, download and fill in form COP9 with the details and send it to the court within 21 days of receiving the court order. There is no fee.\n\n## Tell people and organisations you\u2019re a deputy\n\nYou\u2019ll get official copies of the court order to send to banks and building societies, for example. These prove you\u2019re acting on behalf of the other person. When you send out an official copy, ask for it to be returned.\n\nOrder extra copies of the court order by writing to the Court of Protection. They cost \u00a35 each.\n\n## Start managing a bank account\n\nBefore you can manage an account, you must show the bank:\n\n- the original court order, or an official copy of it\n\n- proof of your name, for example your passport or driving licence\n\n- proof of your address, for example a gas, electricity or council tax bill, or letter from a government department\n\n- proof of the name or address of the person you\u2019re applying to be deputy for - if they\u2019re not the same as on the bank account\n\n## Court Funds Office accounts\n\nIf the person you\u2019re deputy for has money in a Court Funds Office account, you\u2019ll be sent information about how to access it.\n\nYou can also apply to open an account with the Court Funds Office if you\u2019re a property and affairs deputy and it\u2019s in the person\u2019s best interests.\n\n## Record your decisions and transactions\n\nYou can start your annual report to record your decisions and transactions, such as paying bills.\n\n## Supervision, support and visits\n\nAs a deputy, you\u2019ll be supervised by the Office of the Public Guardian (OPG). They\u2019re authorised to contact you or visit you to check you\u2019re being an effective deputy. They can also give you advice and support.\n\n## How you\u2019ll be supervised\n\nNew deputies get a \u2018general\u2019 level of supervision for their first year.\n\nAfter that, if you\u2019re a property and affairs deputy you\u2019ll move to \u2018minimal\u2019 supervision if both:\n\n- you\u2019re managing less than \u00a321,000\n\n- you no longer need a general level of supervision\n\nYou\u2019ll pay a lower fee and have to write a shorter annual report than deputies with general supervision.\n\n## Supervision visits\n\nYou may be visited by a Court of Protection visitor to check if you:\n\n- understand your duties\n\n- have the right level of support from OPG\n\n- are carrying out your duties properly\n\n- are being investigated because of a complaint\n\nThe visitor will call you to arrange the visit and explain why they\u2019re visiting.\n\n## Contact OPG\n\nTell OPG if you\u2019re planning to make an important decision, for example you want to sell the property of the person you\u2019re deputy for so they can move into a care home.\n\n## Accounts, gifts and expenses\n\nYou must keep accounts and follow the rules for gifts and expenses if you\u2019re acting as deputy for someone else. You must also record the transactions in your annual report.\n\n## Accounts\n\nAs a property and affairs deputy, you must keep copies of:\n\n- bank statements\n\n- contracts for services or tradespeople\n\n- receipts\n\n- letters and emails about your activities as a deputy\n\n## Gifts\n\nYour court order will say if you can buy gifts or give gifts of money on behalf of the other person, including donations to charities. It will also say if there\u2019s an annual limit on how much money you can use for gifts.\n\nGifts must be reasonable. You need to make sure any gifts do not reduce the level of care the person you\u2019re deputy for can afford.\n\nYou must apply to the Court of Protection if you want to make a one-off large gift for Inheritance Tax purposes, for example.\n\n## Expenses\n\nYou can claim expenses for things you must do to carry out your role as deputy, for example phone calls, postage and travel costs. You cannot claim:\n\n- travel costs for social visits\n\n- for the time spent carrying out your duties (unless you\u2019re a professional deputy, for example a solicitor)\n\nYou may be asked to give a detailed report of what you spent. You\u2019ll have to pay the money back if the Office of the Public Guardian finds your expenses are unreasonable. They may ask the court to stop you being a deputy if they think you\u2019ve been dishonest.\n\n## Complete your deputy report\n\nYou must write a report each year explaining the decisions you\u2019ve made as a deputy. You might be asked to do this more often if the Office of the Public Guardian (OPG) needs additional information.\n\nYou may also need to write a final report if you stop being a deputy.\n\nIf you\u2019re a public authority or professional deputy using the service for the first time, you need to contact your case manager to register first. If you\u2019re a deputy for a friend or family member, you can create an account online.\n\nStart now\n\nOr you can download and fill in a paper annual report form. The address you need to send it to is on the form.\n\n## What to include\n\nYour report must include:\n\n- the reasons for your decisions and why they were in the best interests of the person you\u2019re deputy for\n\n- who you spoke to and why what they said was in the person\u2019s best interests\n\n- the finances of the person if you\u2019re their property and financial deputy\n\nThe OPG will tell you when it\u2019s time to send it.\n\nIf you do not send the report the OPG might:\n\n- increase your level of supervision\n\n- ask the court to replace you with a different deputy\n\n## Change your deputyship or make a one-off decision\n\nYou must apply to the Court of Protection if you have to:\n\n- renew your deputyship\n\n- change your deputyship, for example make decisions that are not in the original order\n\n- make a one-off decision on something not covered by your court order\n\n## How to apply\n\nDownload and fill in both:\n\n- an application form (COP 1)\n\n- a witness statement form (COP24) with a copy of the current order appointing you as a deputy attached\n\nYour witness statement should include:\n\n- the total annual income of the person you\u2019re a deputy for including pensions\n\n- a summary of their assets, for example bank balances, savings, investments\n\n- details of property they own\n\n- the annual cost of their care and other regular items of major expenditure\n\n- the value of the security bond set by the court\n\n- a description of the circumstances that have led to the application being made\n\nSend the Court of Protection:\n\n- the completed forms\n\n- a cheque for the application fee - \u00a3365 - payable to \u2018HM Courts and Tribunals Service\u2019\n\nYou can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nIf you need help with changing your deputyship, call the Court of Protection.\n\n## What happens next\n\nYou may have to notify other people about the change to the court order if the court tells you to.\n\nThey can object or ask the court to reconsider any proposed changes they do not agree with. They can do this:\n\n- before the court order is issued\n\n- up to 21 days after the court order is issued\n\n## End your deputyship\n\nIf you no longer want or need to be a deputy, download and fill in the application notice (COP1) and send it to the Court of Protection.\n\nIf the person has recovered mental capacity, download and fill in form COP 9. Send it to the Court of Protection with any supporting evidence, for example a doctor\u2019s letter.\n\nYou cannot stop being a deputy until you\u2019ve got the relevant court order.\n\n## If the person you\u2019re deputy for dies\n\nContact the Office of the Public Guardian (OPG) and the Court of Protection to tell them that the person has died.\n\nYou\u2019ll also have to send evidence to OPG that the person has died, for example a death certificate. Check the full list of evidence that OPG accepts.\n\nYour security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.\n\nContact the Court Funds Office if the person you were deputy for had an account with them.\n\nRead more about how to be a deputy.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-deputy", + "answerable": true, + "scenario": "My Uncle appointed me as his deputy to run his businesses this is after he suffered an heart attack which left him mentally ill and paralysed. I have been running the business to his satisfaction.", + "original_question": "Will my power as his deputy be valid after he dies?" + }, + { + "id": "train-147", + "question": "Scenario: I am currently getting Reduced Earnings Allowance and really not an a regular work and will be soon turn 66\n\nQuestion: Will I still be eligible for Reduced Earnings Allowance ?\n\nDocument - Reduced Earnings Allowance:\n## Overview\n\nIf you cannot earn as much as you used to because of an accident or disease caused by your work, you could get up to \u00a373.16 per week Reduced Earnings Allowance.\n\nYou can only get it for accidents that happened, or diseases that started, before 1 October 1990.\n\nYou may also be able to get Industrial Injuries Disablement Benefit (IIDB).\n\n## Effect on other benefits\n\nReduced Earnings Allowance could affect any income-related benefits that you or your partner get.\n\nContact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre for details.\n\n## What you'll get\n\nYou could get up to \u00a373.16 per week.\n\nWhat you get depends on how much you earn in your regular employment.\n\nAsk the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre about how much you can get.\n\nReduced Earnings Allowance will be replaced by another benefit called Retirement Allowance if both the following apply:\n\n- you reach State Pension age\n\n- you\u2019re not in regular employment\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Eligibility\n\nYou could get Reduced Earnings Allowance if you have an illness or disability caused by a work-related accident or disease that happened before 1 October 1990.\n\nYou must also meet all of the following criteria:\n\n- your level of disability is assessed to be at least 1%\n\n- you cannot return to your regular occupation\n\n- you cannot do other work with the same level of earnings as your regular occupation\n\n## Going abroad\n\nIf you leave the UK to live abroad permanently, you may not be able to get Reduced Earnings Allowance.\n\nCheck if you can get benefits if you move to the EU, European Economic Area (EEA) or Switzerland.\n\nFor temporary visits to countries outside the EEA, you can usually claim for the first 3 months of your stay.\n\nThis can be longer in special circumstances - check with the International Pensions Centre to see if you qualify.\n\n## Your circumstances change\n\nTell the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre straight away if your circumstances change, for example:\n\n- you stop or start work\n\n- you change your occupation\n\n- your earnings change\n\n## How to claim\n\nYou\u2019ll need to fill in and post a claim form.\n\nContact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre to get a form.\n\nThe form comes with notes that will:\n\n- help you fill it in\n\n- tell you where to send it\n\nClaim straight away or you might lose benefit.\n\n## Contact the Barnsley IIDB centre\n\n## Alternative formats\n\nCall to ask for alternative formats, such as braille, large print or audio CD.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/reduced-earnings-allowance", + "answerable": true, + "scenario": "I am currently getting Reduced Earnings Allowance and really not an a regular work and will be soon turn 66", + "original_question": "Will I still be eligible for Reduced Earnings Allowance ?" + }, + { + "id": "train-149", + "question": "Scenario: My 21 year old sister from Surrey keeps visiting my father who has dementia in the care home he is located in and is manipulating him for money.\n\nQuestion: Is it possible to stop her from visiting him?\n\nDocument - Apply for a one-off decision from the Court of Protection:\n## Overview\n\nApply to the Court of Protection if both of the following apply:\n\n- you\u2019re concerned about the personal welfare or property and financial affairs of someone who\u2019s lost mental capacity\n\n- you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home\n\nYou can only apply to the court if there\u2019s a major disagreement about a serious decision which cannot be agreed any other way. There are general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\nCheck if someone has an attorney or deputy acting for them before you apply.\n\n## If there\u2019s an immediate risk to the person\n\nApply for an emergency or urgent court order if you think there\u2019s an immediate risk to the person, for example they need emergency medical treatment they cannot consent to.\n\n## If the person needs long-term help\n\nYou may have to apply to become a deputy if the person needs long-term help with decisions about personal welfare or property and financial affairs.\n\n## How to apply\n\nDownload and fill in:\n\n- an application form (COP1) - send the original and 2 copies\n\n- an assessment of capacity form (COP3) - get the person\u2019s doctor or other medical professional to fill in the relevant parts, and send the original and a copy\n\nYou may also need to download and fill in:\n\n- supporting information for property and financial affairs decisions (COP1A) - include any other relevant details by sending a completed witness form (COP24) with your application\n\n- supporting information for personal welfare applications (COP1B) - send the original and a copy\n\nYou must pay \u00a3365 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nSend a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms.\n\nRead the application form guidance notes (COP1) if you need help.\n\n## What happens next\n\nYou must tell:\n\n- the person you\u2019re applying to get a one-off decision for\n\n- people connected to the application\n\nTell them after you apply.\n\n## Tell other people you've applied\n\nThe Court of Protection will send you a copy of your application forms - they\u2019ll be stamped with an issue date.\n\nYou\u2019ll also get a letter from the court telling you what to do next.\n\nYou must tell (\u2018serve\u2019) certain people about the application within 14 days of the issue date.\n\n## Tell the person you\u2019re applying to get a one-off decision for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to get a one-off decision about their personal welfare or property and financial affairs\n\n- that their ability to make decisions is being questioned\n\n- what the one-off decision would mean for them\n\n- where to get advice if they want to discuss the application\n\nYou must give the person:\n\n- a completed form COP 14 - use the guidance notes to fill it in yourself\n\n- an acknowledgment form (COP5), so they can confirm they\u2019ve been told\n\n- any other documents related to your application\n\nThe person can get advice and assistance from the Court of Protection.\n\n## Tell people connected to the application\n\nYou must tell people named on your application that it\u2019s been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post\n\n- by fax or email\n\n- in person\n\n## Confirm you\u2019ve told people (\u2018served notice\u2019)\n\nYou must confirm you\u2019ve told people within 7 days of sending the forms. Download and fill in both:\n\n- form (COP20A) for the person you\u2019re applying to get a one-off decision for\n\n- form (COP20B) for other people named in the application\n\nThese forms are sometimes called \u2018certificates of service\u2019.\n\nYou must send both forms to the Court of Protection at the same time.\n\n## What happens next\n\nYou\u2019ll hear from the Court of Protection after you\u2019ve \u2018served notice\u2019 (told other people you\u2019ve applied).\n\nThe court will tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to make a decision, and when and where it\u2019ll take place\n\n## If there\u2019s a hearing\n\nYou must attend the hearing. You\u2019ll get a letter with a hearing date (\u2018notice\u2019) if the court decides to have a hearing.\n\nYou must tell the person you\u2019re getting a decision for about the hearing:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nFill in the notice about proceedings (COP14) and give it to the person you\u2019re getting a decision for. Use the guidance notes if you need help.\n\nThe person can contact the Court of Protection for advice and assistance - you must explain this to them.\n\nSend a certificate of service (COP20A) to the Court of Protection within 7 days of when you told the person.\n\nYou must pay \u00a3500 if the court makes a final decision at the hearing.\n\n## Get a decision\n\nIf there\u2019s a hearing, you\u2019ll get a decision at it or afterwards by post.\n\nYou\u2019ll get a decision by post if there is not a hearing.\n\n## Challenge a decision\n\nYou can apply to the court for the decision to be reconsidered if it was made without a hearing - use form (COP9).\n\nYou must apply within 21 days of the date the decision was made.\n\n## Appeal a decision\n\nYou must ask for permission to appeal if there was a hearing. Download and fill in the appellants\u2019 notice (COP35).\n\nYou must pay \u00a3230. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "answerable": true, + "scenario": "My 21 year old sister from Surrey keeps visiting my father who has dementia in the care home he is located in and is manipulating him for money.", + "original_question": "Is it possible to stop her from visiting him?" + }, + { + "id": "train-150", + "question": "Scenario: I am a freelance graphic designer. I recently contracted COVID-19 and I am now recovering with it. It rendered me bedridden and I couldn't work.\n\nQuestion: Now that I am taking freelance work again, can I still claim Employment and Support Allowance?\n\nDocument - Employment and Support Allowance (ESA):\n## Overview\n\nYou can apply for Employment and Support Allowance (ESA) if you have a disability or health condition that affects how much you can work.\n\nYou may also be able to get ESA if you were unable to work while self-isolating or \u2018shielding\u2019 because of coronavirus (COVID-19).\n\nESA gives you:\n\n- money to help with living costs if you\u2019re unable to work\n\n- support to get back into work if you\u2019re able to\n\nYou can apply if you\u2019re employed, self-employed or unemployed.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Eligibility\n\nYou can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.\n\nYou also need to have both:\n\n- worked as an employee or have been self-employed\n\n- paid enough National Insurance contributions, usually in the last 2 to 3 years - National Insurance credits also count\n\nCheck your National Insurance record for gaps.\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. Universal Credit can help with, for example, your housing and childcare costs.\n\nYou cannot get \u2018new style\u2019 ESA if you:\n\n- claim Jobseeker\u2019s Allowance\n\n- claim Statutory Sick Pay\n\n## If your Statutory Sick Pay (SSP) is due to end\n\nYou can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends. You\u2019ll start getting \u2018new style\u2019 ESA as soon as your SSP ends.\n\n## If you\u2019re working\n\nYou can apply whether you\u2019re in or out of work. There are conditions to working while claiming ESA.\n\n## If you\u2019ve been affected by coronavirus (COVID-19)\n\nYou can apply for \u2018new style\u2019 ESA if you\u2019re unable to claim Statutory Sick Pay and one of the following applies:\n\n- you or your child might have COVID-19 or you\u2019re recovering from it\n\n- you or your child are self-isolating because you came into contact with someone who might have COVID-19\n\n- you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery\n\n- you were advised to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nIf you\u2019re claiming ESA because of COVID-19, you\u2019ll need to give evidence to support your claim.\n\n## Proof if you\u2019re self-isolating because of COVID-19\n\nIf you or your child are self-isolating and you cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019ve been off work for 7 or more days. You do not have to go to your doctor or a hospital.\n\nIf you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.\n\nIf you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.\n\n## Proof if you were advised to shield because of COVID-19\n\nYour doctor or health authority should have sent you a letter advising you or your child to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19.\n\nThe letter will have included the period to shield for. It is proof of your eligibility for ESA for days away from work in that period.\n\nYou may have more than one letter covering more than one shielding period.\n\nContact your doctor if you do not have a letter but think you should have one.\n\n## What you'll get\n\nHow much you get will depend on what stage your application is at, as well as things like your age and whether you\u2019re able to get back into work.\n\nIf you get \u2018new style\u2019 ESA you\u2019ll earn Class 1 National Insurance credits, which can help towards your State Pension and some benefits in the future.\n\n## What might affect how much you get paid\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nNeither your or your partner\u2019s savings or income will affect how much \u2018new style\u2019 ESA you\u2019re paid. But a private pension worth more than \u00a385 per week may affect how much you can get.\n\nIf you get income-related ESA, your household income and savings worth \u00a36,000 or more may affect how much you can get.\n\n## While your claim is being assessed\n\nYou\u2019ll normally get the \u2018assessment rate\u2019 for 13 weeks while your claim is being assessed.\n\nThis will be:\n\n- up to \u00a359.20 a week if you\u2019re aged under 25\n\n- up to \u00a374.70 a week if you\u2019re aged 25 or over\n\nIf it takes longer than 13 weeks to assess your claim, you\u2019ll continue getting the \u2018assessment rate\u2019 until you get a decision or until your ESA is due to end. Your ESA will be backdated if you\u2019re owed any money after 13 weeks.\n\n## After you\u2019re assessed\n\nYou\u2019ll be placed into one of 2 groups if you\u2019re entitled to ESA. If you\u2019re able to get back into work in the future, you\u2019ll be put into the work-related activity group. Otherwise, you\u2019ll be put into the support group.\n\nYou\u2019ll get:\n\n- up to \u00a374.70 a week if you\u2019re in the work-related activity group\n\n- up to \u00a3114.10 a week if you\u2019re in the support group\n\n## If you\u2019re in the support group\n\nIf you\u2019re in the support group and on income-related ESA, you\u2019re also entitled to the enhanced disability premium.\n\nYou may also qualify for the severe disability premium.\n\nFind out how to apply for a disability premium.\n\n## How you\u2019re paid\n\nYou\u2019ll get paid ESA every 2 weeks.\n\nAll benefits are paid into your bank, building society or credit union account.\n\n## Other benefits you can claim\n\nUniversal Credit can help with, for example, your housing and childcare costs. You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA.\n\nUse a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment (PIP) if you have a long-term health condition or disability.\n\nThe benefit cap may affect the total amount of benefit you can get. The cap will not affect you if you\u2019re in the support group.\n\n## If you\u2019re moving to Universal Credit from income-related ESA\n\nIf your income-related ESA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of ESA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.\n\nThe Department for Work and Pensions (DWP) will write to you telling you how this works.\n\nYou do not need to pay this money back, and it will not affect the amount of Universal Credit you get.\n\n## Budgeting Loan\n\nYou can apply for a Budgeting Loan if you\u2019ve been on income-related ESA for at least 6 months.\n\n## Advice on money and debt\n\nYou can get help and advice from your Jobcentre Plus work coach or:\n\n- Citizens Advice\n\n- Money Advice Service\n\n- National Debtline\n\n- Shelter\n\n- Turn2us\n\n## Working while you claim\n\nYou can usually work while you are claiming ESA if both of the following apply:\n\n- you work less than 16 hours a week\n\n- you do not earn more than \u00a3143 a week\n\nTell Jobcentre Plus about your work when you make a claim.\n\nSend this form to Jobcentre Plus if you\u2019re already claiming ESA and you want to start work.\n\n## When you can work 16 hours or more a week\n\nYou can work more than 16 hours a week if the work is either voluntary or \u2018supported permitted work\u2019.\n\n## Supported permitted work\n\nThe work must be either:\n\n- supervised by someone from a local council or voluntary organisation who arranges work for disabled people\n\n- part of a treatment programme under medical supervision\n\nYou can still earn no more than \u00a3143 a week.\n\n## How to claim\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. \nCheck if you\u2019re eligible for Universal Credit.\n\nThere\u2019s a different way to apply in Northern Ireland.\n\n## What you need to apply\n\nYou\u2019ll need:\n\n- your National Insurance number\n\n- your bank or building society account number and sort code (you can use a friend or family member\u2019s account if you do not have one)\n\n- your doctor\u2019s name, address and telephone number\n\n- details of your income if you\u2019re working\n\n- the date your Statutory Sick Pay (SSP) ends if you\u2019re claiming it\n\nYou cannot get \u2018new style\u2019 ESA if you\u2019re getting Statutory Sick Pay (SSP) from an employer. You can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends.\n\nIf you\u2019re applying because of COVID-19, you\u2019ll also need:\n\n- an \u2018isolation note\u2019 if you\u2019re unable to work because of COVID-19\n\n- your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19\n\n- a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a letter from your doctor or a health authority advising you or your child to shield (take extra precautions to reduce contact with others) because you\u2019re at very high risk of severe illness from COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nOnce you\u2019ve applied, you\u2019ll be contacted by phone and told when to give the evidence and where to send it.\n\nApply now\n\n## When you can apply by phone\n\nCall the Universal Credit helpline if:\n\n- you cannot make an application online\n\n- you\u2019re an appointee for someone\n\n## After you apply\n\nThe Department for Work and Pensions (DWP) will contact you within 10 working days of applying.\n\n## If you\u2019re eligible\n\nDWP will contact you within 10 working days to schedule an appointment that you must attend. It will normally be over the phone with a work coach from your local Jobcentre Plus office.\n\nYour work coach will explain what you need to do to get \u2018new style\u2019 ESA. They will create an agreement with you called a \u2018Claimant Commitment\u2019.\n\nYou must agree to your Claimant Commitment before you can get \u2018new style\u2019 ESA.\n\nAt the appointment, you\u2019ll be asked to:\n\n- explain how your illness or disability affects your ability to work\n\n- provide medical evidence\n\n- agree to tell your local Jobcentre Plus if your circumstances change\n\n## If you\u2019re not eligible\n\nDWP will send you a letter within 10 working days of applying to explain why you\u2019re not eligible for ESA.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## Reapplying for ESA\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nYou may be able to reapply after your \u2018new style\u2019 ESA ends. You may qualify again depending on:\n\n- what National Insurance contributions you paid in the last 2 full tax years before the tax year you\u2019re claiming in\n\n- whether you\u2019re placed in the support group because you developed a new condition or your health deteriorated\n\n## Your ESA claim\n\nAfter you\u2019ve made your claim, you\u2019ll be told if you need to have a \u2018Work Capability Assessment\u2019 and what group you\u2019ll be put in.\n\n## Work Capability Assessment\n\nA Work Capability Assessment is used to find out if your illness or disability affects how much you can work.\n\nYou might not need one, for example if you\u2019re in hospital or you have a terminal illness.\n\nIf you need a Work Capability Assessment you\u2019ll get a letter telling you to fill in the \u2018Capability for work questionnaire\u2019 and send it to the Health Assessment Advisory Service. The address is on the form. The questionnaire is different in Northern Ireland.\n\nYou\u2019ll be told what happens next, for example if you need an appointment to understand your health condition better.\n\nIf you\u2019re claiming both Universal Credit and \u2018new style\u2019 ESA, you\u2019ll only have one Work Capability Assessment.\n\nYou can ask for your assessment to be recorded. If you would like this, tell the Health Assessment Advisory Service using the contact details in your appointment invite letter.\n\n## How the assessment happens\n\nAssessments can be in person, by video call or on the phone. You\u2019ll be told how your assessment will take place.\n\nIf you\u2019re asked to attend in person you\u2019ll be told how to do this safely because of coronavirus (COVID-19). You can bring one adult from your household with you.\n\nIf your assessment is by phone or video call, you can have someone else with you, for example a friend or support worker. You can ask the assessor to call them if they\u2019re not with you when the assessment starts.\n\nYou\u2019ll stay on the \u2018assessment rate\u2019 until a decision can be made on your Work Capability Assessment.\n\n## After your claim is assessed\n\nIf you\u2019re entitled to ESA you\u2019ll be placed in one of 2 groups:\n\n- a work-related activity group (you cannot work now, but can prepare to work in the future, for example by writing a CV)\n\n- a support group (you cannot work now and you\u2019re not expected to prepare for work in the future)\n\n## If you\u2019re in the work-related activity group\n\nYou must attend regular interviews with a work coach. They can help you improve your skills or write a CV to help you get back into work.\n\n## If you\u2019re in the support group\n\nYou\u2019re usually in this group if your illness or disability severely limits what you can do. You do not have to go to interviews. You can tell your work coach if you\u2019d like to take part in work-related activities.\n\n## How long you\u2019ll get ESA for\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\n\u2018New style\u2019 and contribution-based ESA last for 365 days if you\u2019re in the work-related activity group.\n\nThere\u2019s no time limit if you\u2019re in the support group, or if you\u2019re getting income-related ESA.\n\nTo keep getting ESA you must report any change in your circumstances. You may also need to send fit notes regularly.\n\n## If you get a sanction\n\nYour ESA can be reduced if you do not attend interviews or do work-related activity as agreed with your work coach in your \u2018Claimant Commitment\u2019. This reduction can continue for up to 4 weeks after you restart work-related activities.\n\nYou\u2019ll get a letter to say you may be sanctioned. Tell your work coach if you have a good reason for not doing what was agreed in your Claimant Commitment.\n\nYou\u2019ll get another letter if the decision is made to give you a sanction. Your benefit will only be affected once a decision has been made.\n\nYou should contact your local council immediately if you claim Housing Benefit or Council Tax Reduction. They\u2019ll tell you what to do to continue getting support.\n\nIf you get a sanction you can:\n\n- ask for the decision to be looked at again\n\n- ask for a hardship payment\n\nYou will not get a sanction if you\u2019re in the support group.\n\n## Hardship payments\n\nIf you get income-related ESA, you may be able to get a hardship payment if your benefit has been reduced because of a sanction or a penalty due to suspected benefit fraud.\n\nA hardship payment is a reduced amount of your ESA. You do not have to pay it back.\n\nYou can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your family. You must be 18 or over.\n\nSpeak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.\n\n## Report a change of circumstances\n\nYou need to report changes to your circumstances so you keep getting the right amount of Employment and Support Allowance (ESA).\n\nYour claim might be stopped or reduced if you do not report a change straight away.\n\nA change of circumstance can include:\n\n- starting or stopping work, education, training or an apprenticeship\n\n- moving house\n\n- changing your name\n\n- people moving into or out of the place you live (for example your partner or a child)\n\n- changes to the benefits you or anyone else in your house gets\n\n- changes to your pension, savings, investments or property\n\n- changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)\n\n- changing your doctor\n\n- any changes to your medical condition or disability\n\n- going into hospital or a care home or sheltered accommodation\n\n- going abroad for any length of time\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nCall Jobcentre Plus if you\u2019re not sure whether you need to report a change.\n\nYou may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information.\n\n## If you\u2019ve been paid too much\n\nIf you give wrong or incomplete information or do not report a change straight away, you might be paid too much. If you are, you might have to\u00a0pay some of the money back.\n\n## How to report\n\nYou can report a change of circumstances by:\n\n- calling Jobcentre Plus\n\n- writing to the Jobcentre Plus office that pays your ESA - the address is on the letters you get about your ESA\n\nIf you get Universal Credit at the same time as \u2018new style\u2019 ESA, you must also report the changes of circumstances in your Universal Credit account.\n\n## British Sign Language (BSL) video relay service\n\nWatch a video to check you can use the service\n\nGo to the video relay service\n\nMonday to Friday, 8am to 6pm.\n\nIf you\u2019re in Northern Ireland contact the ESA Centre.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employment-support-allowance", + "answerable": true, + "scenario": "I am a freelance graphic designer. I recently contracted COVID-19 and I am now recovering with it. It rendered me bedridden and I couldn't work.", + "original_question": "Now that I am taking freelance work again, can I still claim Employment and Support Allowance?" + }, + { + "id": "train-151", + "question": "Scenario: My grandmother has a large estate. She is currently suffering from dementia, but has indicated that she would like me to manage her estate upon her death. Some of my family members want to use her condition to deprive her of her assets. I don't think she has made a will.\n\nQuestion: Can I make a will on her behalf?\n\nDocument - Make a statutory will on behalf of someone else:\n## Overview\n\nApply to the Court of Protection if you want to make (or change) a will on behalf of someone who cannot do it themselves.\n\nThis may be because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\nYou can apply when the person is not able to understand:\n\n- what making or changing a will means\n\n- how much money they have or what property they own\n\n- how making or changing a will might affect the people they know (either those mentioned in the will or those left out)\n\nSomeone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.\n\n## How to apply\n\n- Download, fill in and return the forms with details of the proposed will and supporting documents.\n\n- Tell other people that you\u2019ve applied.\n\n- Attend a hearing if the Court of Protection decides to hold one.\n\n- Sign the will, have it witnessed and send it to the Court of Protection to have it \u2018sealed\u2019.\n\n## Emergency applications\n\nYou can apply to the Court of Protection for an emergency decision on a statutory will if the person you\u2019re applying for only has a short time to live.\n\n## Get legal advice\n\nYou can get legal advice from:\n\n- a solicitor - you\u2019ll have to pay for this\n\n- organisations which give advice for free, for example Citizens Advice Bureau\n\n## How to apply\n\nDownload and fill in the following forms to apply to make a will on behalf of someone, or to make changes to their existing will:\n\n- application form (COP1)\n\n- witness statement (COP24)\n\n- information form (COP1C)\n\nYou\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.\n\nDownload and fill in assessment of capacity form (COP3) - you\u2019ll need to get the person\u2019s doctor or other medical professional to fill in the relevant parts.\n\nSend the completed forms, your supporting documents and payment to the Court of Protection.\n\n## Supporting documents\n\nYou\u2019ll need to include the following information and documents:\n\n- a copy of the person\u2019s current will and any amendments (\u2018codicils\u2019)\n\n- a copy of the proposed new will or codicil\n\n- a copy of any deputyship order\n\n- details of the people who have agreed to deal with the will after the person\u2019s death (\u2018executors\u2019)\n\n- a copy of any registered lasting power of attorney or registered enduring power of attorney\n\n- the person\u2019s family tree\n\n- reasons the person might be expected to provide for people named in the will (\u2018beneficiaries\u2019)\n\n- the person\u2019s address and details about where they\u2019re living, for example care home, hospital\n\nYou must also provide:\n\n- details of the person\u2019s estate and assets\n\n- accounts showing their estimated income and outgoings\n\n- details of any inheritance tax payable in the event of the person\u2019s death\n\n## Acting in the other person\u2019s best interest\n\nDecisions taken on someone\u2019s behalf must always be in their best interest. You must consider:\n\n- what they would do if they were able to make a will themselves\n\n- their beliefs and personal values\n\n- how they\u2019ve acted and made decisions for themselves in the past\n\nRead the Court of Protection practice direction (9E) for more information and an example of a statutory will.\n\n## Fees\n\nAn application for a statutory will costs \u00a3365.\n\nYou may also have to pay:\n\n- \u00a3485 if the court decides to hold a hearing (including telephone hearings)\n\n- solicitor\u2019s fees if a solicitor is appointed by the Official Solicitor to act as the person\u2019s litigation friend\n\n- Counsel\u2019s fees (if there are any)\n\n## How to pay\n\nSend a cheque for \u00a3365 made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms and supporting documents.\n\nYou\u2019ll be told when you need to pay any additional costs, for example for court hearings.\n\nYou may be able to claim back any fees you pay from the estate of the person you\u2019re applying for.\n\n## Exemptions and refunds\n\nYou may not have to pay an application or hearing fee, depending on the circumstances of the person you\u2019re applying for, for example they:\n\n- have low (or no) income\n\n- are on certain types of benefit\n\nDownload and fill in the application for a fee remission form and send it the Court of Protection with your application forms. The form contains guidance about exemptions.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving your application.\n\n## After you apply\n\nThe Court of Protection will send you a letter to confirm that your application has been received.\n\nYou\u2019ll also get a stamped copy of your application form and a \u2018directions order\u2019 from the court telling you what to do next.\n\n## The Official Solicitor\n\nThe directions order might tell you to write to the Official Solicitor to tell them about your application. The Official Solicitor makes sure that people who cannot make decisions for themselves have someone to represent them in court cases.\n\n## Tell people named in your application\n\nYour directions order will say who you must tell (\u2018serve\u2019) about your application. This could include the person who the application is about and:\n\n- anyone named in an existing will who would be affected financially, for example they are not a beneficiary in the new will\n\n- anyone who would be expected to benefit if the person were to die without a will (\u2018intestate\u2019), for example family members\n\n- any other people named on your application\n\n- the Official Solicitor\n\nYou must serve both of the following documents within 14 days of the application being issued:\n\n- notice that an application form has been issued (COP15)\n\n- acknowledgment of service form (COP5) so they can confirm they\u2019ve been told about the application and register any objection\n\nYou can serve them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\nYou\u2019ll be given time to reach a decision with the people you\u2019ve served. The Court of Protection may hold a hearing if you cannot.\n\n## Getting a decision\n\nThe Court of Protection will tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you have to provide more information, for example further medical reports\n\n- there\u2019ll be a hearing to get more information\n\n## Court hearings\n\nThe Court of Protection will hold a hearing, or hearings, if you have not been able to reach a decision with the people you\u2019ve served.\n\nYou can also get a solicitor to represent you during the hearing.\n\nRead the guidance on what to expect from a Court of Protection hearing.\n\nYou\u2019ll have to pay a hearing fee after the court makes their final decision.\n\n## Appeal a decision\n\nYou can ask for a decision that was made without a hearing to be reconsidered any time within 21 days of the decision being made.\n\nTo appeal a decision made at a court hearing download and fill in the Appellants Notice Form COP 35.\n\nYou must pay \u00a3320. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nSend the form to the Court of Protection with a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 within 21 days of the date the decision was made.\n\n## Finalising the will\n\nYou\u2019ll be sent a court order confirming that your application has been accepted with a letter telling you what to do next.\n\n## Sign the will\n\nYou must sign 2 copies of the will. Both copies should be signed in your name and in the name of the person the will has been made for. You must also get 2 witnesses (aged 18 or over) to sign them.\n\nThe witnesses must:\n\n- be with you when you sign the will\n\n- sign the will straight after you\n\nSend the 2 signed copies of the statutory will to the Court of Protection.\n\nThe 2 copies will be given the court\u2019s official seal and sent back to you.\n\n## When the person dies\n\nThe statutory will can be handled (\u2018executed\u2019) in the normal way, as if the person had made the will themselves.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-statutory-will", + "answerable": true, + "scenario": "My grandmother has a large estate. She is currently suffering from dementia, but has indicated that she would like me to manage her estate upon her death. Some of my family members want to use her condition to deprive her of her assets. I don't think she has made a will.", + "original_question": "Can I make a will on her behalf?" + }, + { + "id": "train-153", + "question": "Scenario: My 33 year old sister has recently had an accident in work causing her to be partially blind, she is due a large pay-out next year but is no longer able to work.\n\nQuestion: Can she claim blind persons allowance with a large amount of savings?\n\nDocument - Blind Person's Allowance:\n## Overview\n\nBlind Person\u2019s Allowance is an extra amount of tax-free allowance.\n\nIt means you can earn more before you start paying Income Tax.\n\n## What you'll get\n\nBlind Person\u2019s Allowance is added to your yearly Personal Allowance - the amount of money you can earn before you start paying Income Tax.\n\n| Tax year | Blind Person\u2019s Allowance |\n\n| 2021 to 2022 | \u00a32,520 |\n\n| 2020 to 2021 | \u00a32,500 |\n\nIf you and your spouse or civil partner are both eligible, you\u2019ll each get an allowance.\n\nYou can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or earn enough to use all of your allowance.\n\n## Previous tax years\n\nHM Revenue and Customs (HMRC) publishes tables with tax rates that include Blind Person\u2019s Allowance for current and past tax years.\n\n## Eligibility\n\n## England and Wales\n\nYou can claim Blind Person\u2019s Allowance if both of the following apply:\n\n- you\u2019re registered with your local council as blind or severely sight impaired\n\n- you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)\n\n## Scotland and Northern Ireland\n\nYou can claim Blind Person\u2019s Allowance if both of the following apply:\n\n- you cannot do work for which eyesight is essential\n\n- you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)\n\n## How to claim\n\nContact HM Revenue and Customs (HMRC) to claim.\n\n## Transfer your allowance\n\nYou can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or cannot use all of it.\n\nYou can do this:\n\n- if you\u2019re married or in a civil partnership\n\n- if you\u2019re living with your spouse or civil partner\n\n- whether or not your spouse or civil partner is blind\n\nYou can still transfer your allowance if you\u2019re unable to live with your spouse or civil partner because of:\n\n- illness or old age, for example where your spouse or partner is in residential care\n\n- working away from home\n\n- an armed forces posting\n\n- being in prison\n\n- training or education\n\n## How to transfer your allowance\n\nTo transfer your allowance to a spouse or civil partner, use form 575 or call HM Revenue and Customs (HMRC).\n\nYou\u2019ll also get the option to transfer any Married Couple\u2019s Allowance.\n\nIf you\u2019re making a claim to get tax back on savings and investment interest using form R40 you can also ask for a copy of form 575 by ticking the appropriate box.\n\n## Get the form in another format\n\nContact HM Revenue and Customs (HMRC) if you need the form in a different format, for example Braille.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/blind-persons-allowance", + "answerable": true, + "scenario": "My 33 year old sister has recently had an accident in work causing her to be partially blind, she is due a large pay-out next year but is no longer able to work.", + "original_question": "Can she claim blind persons allowance with a large amount of savings?" + }, + { + "id": "train-155", + "question": "Scenario: My son Richard was born 6 months ago and I'm thinking about saving something every month so I can help him with the deposit of his first house, in about 20/25 years. I've just been promoted to Team Manager I think that I'll deposit every month the extra income that I've got with this promotion.\n\nQuestion: Can I decide when and how my child is going to receive his money? I'm worried that he is going to waste them if he get them as soon as he turns 18.\n\nDocument - Child Trust Fund:\n## Overview\n\nA Child Trust Fund (CTF) is a long-term tax-free savings account for children.\n\nYou cannot apply for a new Child Trust Fund because the scheme is now closed. You can apply for a Junior ISA instead.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## If you already have a Child Trust Fund\n\nYou can continue to add up to \u00a39,000 a year to your CTF account. The money belongs to the child and they can only take it out when they\u2019re 18. They can take control of the account when they\u2019re 16.\n\nThere\u2019s no tax to pay on the CTF income or any profit it makes. It will not affect any benefits or tax credits you receive.\n\n## Managing the account\n\nIf you\u2019re the main contact for the Child Trust Fund (CTF) account you\u2019re called the \u2018registered contact\u2019. You have certain responsibilities until the child turns 18, or until the child takes control of their own account.\n\n## Your responsibilities as the registered contact\n\nYou\u2019re the only person who can:\n\n- tell the account provider how to invest the fund and run the account\n\n- change the address and other personal details\n\n- change the type of account, for example from cash to stocks and shares\n\n- move the account to another provider\n\nContact your CTF provider to do this.\n\n## Moving to a different account\n\nYou can transfer a CTF account to a Junior ISA. Contact a Junior ISA provider to do this.\n\n## Records you need to keep\n\nKeep the following paperwork:\n\n- your child\u2019s Unique Reference Number (you\u2019ll find this on your annual CTF statement)\n\n- the account statements\n\n- details of the account type and the provider\n\n## Change a registered contact\n\nYou can change the registered contact to someone with parental responsibility for the child, like a parent, step-parent or legal guardian if both parties agree to this.\n\nYour CTF provider can tell you how to change the registered contact of a CTF account.\n\n## When your child is 16 or 18\n\nOnce your child turns 16, they can either:\n\n- take over the account by contacting the CTF provider\n\n- leave you in charge of the account\n\nWhen the child turns 18, they take over the account and can take out the money.\n\n## If your child lacks the mental capacity to manage their account when it matures\n\nYou, or a close friend or relative, need to apply to the Court of Protection (COP) for a financial deputyship order so you can manage your child\u2019s account when they turn 18. Once the account matures, the money can either be taken out or transferred into an ISA.\n\nIn Scotland, applications need to be made to the Office of the Public Guardian in Scotland.\n\nIn Northern Ireland, applications need to be made to the Office of Care and Protection.\n\n## Add money to the account\n\nAnyone can pay money into a Child Trust Fund (CTF) account.\n\nYou cannot apply for a new Child Trust Fund because the scheme is now closed. You can apply for a Junior ISA instead.\n\n## How much you can add\n\nYou can put up to \u00a39,000 a year into the account - the year starts on the child\u2019s birthday and ends the day before their next birthday.\n\nIf you do not use the \u00a39,000 limit, you cannot carry any unused amount over to the following year.\n\n## How to pay money in\n\nFor stakeholder accounts you can add money by:\n\n- cheque\n\n- standing order\n\n- direct debit\n\nFor savings or share accounts, check with your provider.\n\n## Government payments\n\nPayments made by the government do not count towards the \u00a39,000, apart from \npayments made by a local council to a child in care.\n\n## Find a Child Trust Fund\n\nYou can find out where a Child Trust Fund (CTF) is held if you do not know the provider.\n\nFill in the form online to ask HM Revenue and Customs (HMRC) where the account was originally opened.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you fill in the online form.\n\nIf you\u2019re a parent looking for your child\u2019s trust fund, you\u2019ll need either:\n\n- the child\u2019s Unique Reference Number (you\u2019ll find this on your annual CTF statement)\n\n- their National Insurance number\n\nIf you\u2019re looking for your own trust fund, you\u2019ll need your National Insurance number.\n\nHMRC will send you details of the CTF provider by post within 3 weeks of receiving your request.\n\nHMRC will contact you for more information if you\u2019ve adopted the child or a court has given you parental responsibility for them.\n\n## Applying by post\n\nYou can also contact HMRC by post to find out where a CTF is held.\n\nIf you\u2019re a parent looking for your child\u2019s trust fund, you\u2019ll need to include your full name and address and all of the following:\n\n- child\u2019s full name and address\n\n- child\u2019s date of birth\n\n- child\u2019s National Insurance number or Unique Reference Number if known\n\nIf you\u2019re looking for your own trust fund, you\u2019ll need to include all of the following:\n\n- your full name and address\n\n- your date of birth\n\n- your National Insurance number or Unique Reference Number if known\n\n## Accounts for children in care\n\nSome children looked after by local authorities have a Child Trust Fund (CTF) account set up on their behalf. The Share Foundation acts as the registered contact for these accounts.\n\n## How the account is managed\n\nThe Share Foundation manages the CTF account for the child and will:\n\n- write to the child when they take control of the account\n\n- change the type of CTF account and provider if necessary and write to the child to explain why the change was made\n\n- send account statements to the child\n\nThey\u2019ll manage the account until:\n\n- the child turns 18\n\n- the child turns 16 and decides to manage the account themselves\n\n- someone takes parental responsibility for the child, for example through adoption\n\n## Take over the management of an account\n\nContact the Share Foundation if you\u2019re taking parental responsibility for a child and want to manage their CTF account.\n\nYou\u2019ll need to provide evidence of parental responsibility, for example an adoption certificate.\n\nYou\u2019ll get a letter confirming that you can take over responsibility for the account. Show this to the CTF provider who can update the account to say you\u2019re the registered contact.\n\n## When a child in care turns 16\n\nThe Share Foundation will write to the child about 2 months before their 16th birthday, telling them how to become the registered contact for the account.\n\nIf they choose to take control of the account, they can:\n\n- start managing it when they turn 16\n\n- withdraw money when they turn 18\n\n## If your child is terminally ill or dies\n\nIf your child is terminally ill you can take money out of their Child Trust Fund (CTF) account. If they die, the money passes to whoever inherits their estate (property and possessions).\n\n## If your child is terminally ill\n\n\u2018Terminally ill\u2019 means they have a disease or illness that\u2019s going to get worse and are not likely to live more than 6 months. Only the registered contact can take money out of the account.\n\n## What you need to do\n\nFill in the terminal illness early access form to let HM Revenue and Customs (HMRC) know that:\n\n- your child is terminally ill\n\n- you want to take the money out of the account\n\nYou\u2019ll need to provide evidence that your child is terminally ill.\n\n## If your child dies\n\nThe money in the account will be paid to the person who inherits the child\u2019s estate. This is often one of the child\u2019s parents, but if your child was married, it could be their husband or wife.\n\nIf you get Child Benefit for a child who has died this can still carry on for a short time.\n\n## What you need to do\n\nTell the CTF account provider. They\u2019ll usually need proof, for example the death certificate.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/child-trust-funds", + "answerable": true, + "scenario": "My son Richard was born 6 months ago and I'm thinking about saving something every month so I can help him with the deposit of his first house, in about 20/25 years. I've just been promoted to Team Manager I think that I'll deposit every month the extra income that I've got with this promotion.", + "original_question": "Can I decide when and how my child is going to receive his money? I'm worried that he is going to waste them if he get them as soon as he turns 18." + }, + { + "id": "train-158", + "question": "Scenario: I live in Scotland, and currently care for my physically disabled partner for approximately 30 hrs per week. My partner receives Disability Living Allowance at the higher rate and I work part time, earning approximately \u00a3500pcm.\n\nQuestion: Can I claim Carer's Allowance to help with my partner's care?\n\nDocument - Carer's Allowance:\n## How it works\n\nYou could get \u00a367.60 a week if you care for someone at least 35 hours a week and they get certain benefits.\n\nYou do not have to be related to, or live with, the person you care for.\n\nYou do not get paid extra if you care for more than one person.\n\nIf someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.\n\nCarer\u2019s Allowance can affect the other benefits that you and the person you care for get. You have to pay tax on it if your income is over the Personal Allowance.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Claiming Carer\u2019s Allowance if you\u2019re affected by coronavirus (COVID-19)\n\nYou can claim Carer\u2019s Allowance if you provide care remotely during the coronavirus outbreak. This includes giving emotional support over the phone or online.\n\n## How you\u2019re paid\n\nYou can choose to be paid weekly in advance or every 4 weeks.\n\nIt will be paid into an account, for example your bank account.\n\n## What else you can get\n\nFor each week you get Carer\u2019s Allowance you\u2019ll automatically get National Insurance credits.\n\nYou may also be able to apply for:\n\n- support from your local council\n\n- a Council Tax Reduction\n\n- Universal Credit if you\u2019re on a low income or out of work\n\n- Pension Credit if you\u2019re over working age\n\n- grants and bursaries to help pay for courses and training\n\n- Income Support (if you get the severe disability premium and you\u2019re on a low income)\n\n- income-based Employment and Support Allowance (if you get the severe disability premium and you cannot work)\n\nIf you live in Scotland and get Carer\u2019s Allowance, you may also get Carer\u2019s Allowance Supplement.\n\n## Get help and advice\n\nYou can get more help and advice from:\n\n- Carers UK\n\n- Carers Trust\n\n- Citizens Advice\n\n- NHS: Carers Direct helpline\n\n## Eligibility\n\nYou may be eligible for Carer\u2019s Allowance if you, the person you care for and the type of care you provide meets certain criteria.\n\n## The person you care for\n\nThe person you care for must already get one of these benefits:\n\n- Personal Independence Payment - daily living component\n\n- Disability Living Allowance - the middle or highest care rate\n\n- Attendance Allowance\n\n- Constant Attendance Allowance at or above the normal maximum rate with an Industrial Injuries Disablement Benefit\n\n- Constant Attendance Allowance at the basic (full day) rate with a War Disablement Pension\n\n- Armed Forces Independence Payment\n\nIf someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.\n\n## The type of care you provide\n\nYou need to spend at least 35 hours a week caring for someone. This can include:\n\n- helping with washing and cooking\n\n- taking the person you care for to a doctor\u2019s appointment\n\n- helping with household tasks, like managing bills and shopping\n\nIf you or the person you care for are affected by coronavirus, you can still claim Carer\u2019s Allowance if you provide care remotely. This includes giving emotional support over the phone or online.\n\n## Your eligibility\n\nAll of the following must apply:\n\n- you\u2019re 16 or over\n\n- you spend at least 35 hours a week caring for someone\n\n- you\u2019ve been in England, Scotland or Wales for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)\n\n- you normally live in England, Scotland or Wales, or you live abroad as a member of the armed forces (you might still be eligible if you\u2019re moving to or already living in an EEA country or Switzerland)\n\n- you\u2019re not in full-time education\n\n- you\u2019re not studying for 21 hours a week or more\n\n- you\u2019re not subject to immigration control\n\n- your earnings are \u00a3128 or less a week after tax, National Insurance and expenses\n\nIf your earnings are sometimes more than \u00a3128 a week you might still be eligible for Carer\u2019s Allowance. Your average earnings may be calculated to work out if you\u2019re eligible.\n\n## Calculating your earnings\n\nYour earnings are any income from employment and self-employment after tax, National Insurance and expenses.\n\nExpenses can include:\n\n- 50% of your pension contributions\n\n- equipment you need to do your job, for example specialist clothing\n\n- travel costs between different workplaces that are not paid for by your employer, for example fuel or train fares\n\n- business costs if you\u2019re self-employed, for example a computer you only use for work\n\nIf you pay a carer to look after the disabled person or your children while you work, you can treat care costs that are less than or equal to 50% of your earnings as an expense. The carer must not be your spouse, partner, parent, child or sibling.\n\nPayments that do not count as earnings include:\n\n- money received from an occupational or private pension\n\n- contributions towards your living or accommodation costs from someone you live with (they cannot be a tenant or boarder)\n\n- the first \u00a320 a week and 50% of the rest of any income you make from someone boarding in your home\n\n- a loan or advance payment from your employer\n\n## If you get State Pension\n\nYou cannot get the full amount of both Carer\u2019s Allowance and your State Pension at the same time.\n\nIf your pension is \u00a367.60 a week or more, you will not get a Carer\u2019s Allowance payment.\n\nIf your pension is less than \u00a367.60 a week, you\u2019ll get a Carer\u2019s Allowance payment to make up the difference.\n\n## If you get Pension Credit\n\nIf your State Pension is more than \u00a367.60 a week, you will not get a Carer\u2019s Allowance payment but your Pension Credit payments will increase instead.\n\n## If you\u2019re not eligible\n\nYou might be eligible for Carer\u2019s Credit if you\u2019re not eligible for Carer\u2019s Allowance.\n\n## Effect on other benefits\n\nCarer\u2019s Allowance can affect the other benefits that both you and the person you care for get.\n\n## Effect on the benefits of the person you care for\n\nWhen you claim Carer\u2019s Allowance, the person you care for will stop getting:\n\n- a severe disability premium paid with their benefits\n\n- an extra amount for severe disability paid with Pension Credit, if they get one\n\nThey might also stop getting reduced Council Tax. Contact their local council to find out if this affects them.\n\n## Effect on your benefits\n\nWhen you claim Carer\u2019s Allowance your other benefit payments may change, but your total benefit payments will usually either go up or stay the same.\n\nCarer\u2019s Allowance does not count towards the benefit cap.\n\nIf you get Working Tax Credit or Child Tax Credit, you must contact HM Revenue and Customs (HMRC) to tell them about your Carer\u2019s Allowance claim.\n\nIf you get Pension Credit, your payments will increase if you\u2019re eligible for Carer\u2019s Allowance.\n\nIf you delay claiming your State Pension, this could increase the State Pension payments you get when you decide to claim it. You cannot build up extra State Pension during any period you get Carer\u2019s Allowance.\n\nUse a benefits calculator to work out how your other benefits will be affected.\n\n## Make a claim\n\nBefore you apply make sure you have your:\n\n- National Insurance number (if you have a partner you\u2019ll need theirs too)\n\n- bank or building society details (unless you get your State Pension)\n\n- employment details and latest payslip if you\u2019re working\n\n- P45 if you\u2019ve recently finished work\n\n- course details if you\u2019re studying\n\n- details of any expenses, for example pension contributions or the cost of caring for your children or the disabled person while you\u2019re at work\n\nYou also need details of the person you care for. You need their:\n\n- date of birth and address\n\n- National Insurance number if they\u2019re 16 or over\n\n- Disability Living Allowance reference if they\u2019re under 16\n\nYou can backdate your claim by up to 3 months.\n\nApply now\n\n## Other ways to apply\n\nIf you cannot apply online, you can apply by post. The address to send your application to is at the end of the form.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Report a change in circumstances\n\nYou must report changes in your circumstances if you\u2019re claiming or have applied for Carer\u2019s Allowance.\n\nChanges can include:\n\n- starting a job\n\n- starting or ending full-time education\n\n- changes to your income\n\n- stopping being a carer\n\n- the person you care for no longer getting their disability benefit\n\n- someone else who cares for the same person claiming Carer\u2019s Allowance instead of you\n\n- someone else who cares for the same person claims the carer\u2019s element of Universal Credit\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nYou must tell the Department for Work and Pensions if the person you\u2019re caring for dies.\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## If you temporarily stop providing care for someone\n\nYou can still get Carer\u2019s Allowance if you temporarily stop providing care. This means any period when you spend less than 35 hours a week caring for the other person.\n\nThe person you care for must still receive their disability benefit.\n\nYou must tell DWP if you temporarily stop providing care and:\n\n- you or the person you care for will be in hospital, a nursing home, or respite care for more than 12 weeks\n\n- you stop caring for more than 28 days for any other reason\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## If you\u2019re working\n\nYou can work and get Carer\u2019s Allowance, as long as you spend at least 35 hours in your caring role.\n\nYou can get support for you or the person you care for from your employer, local councils and other organisations.\n\n## Time off for an emergency\n\nYou can ask your employer for time off to deal with an emergency involving someone else who depends on you for care. How much time off you get depends on your situation.\n\nIf you do not qualify for time off, your employer may allow you \u2018compassionate leave\u2019 for emergency situations.\n\n## Flexible working\n\nIf you need to work more flexibly, for example work part-time or work from home, you can request flexible working.\n\nYou do not have to tell your employer about your caring role or give another reason why you need to work more flexibly.\n\n## Respite care or \u2018short break\u2019 care\n\nIf you need someone to help look after the person you care for while you\u2019re at work, you can apply for respite care (also known as \u2018short break\u2019 care).\n\nRespite care options include:\n\n- getting a paid carer or a volunteer to sit with the person you look after for a few hours\n\n- a regular place in a day care centre for the person you care for\n\nYour local council may pay for respite care but you and the person you care for will need an assessment before you can apply.\n\nContact your local authority for information about local support.\n\n## Advice on starting work\n\nIf you need help starting or returning to work, contact your local Jobcentre Plus for help on how to combine work with your caring responsibilities.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/carers-allowance", + "answerable": true, + "scenario": "I live in Scotland, and currently care for my physically disabled partner for approximately 30 hrs per week. My partner receives Disability Living Allowance at the higher rate and I work part time, earning approximately \u00a3500pcm.", + "original_question": "Can I claim Carer's Allowance to help with my partner's care?" + }, + { + "id": "train-162", + "question": "Scenario: My uncle was diagnosed with stage 4 mesothelioma after getting asbestos exposure during his work period. His employers have been very irresponsible to support him. He is undergoing a very difficult moment and his lungs are failing. He needs care and support.\n\nQuestion: Can he claim DMPS and can he be compensated for the health damages?\n\nDocument - Diffuse mesothelioma payments:\n## Overview\n\nYou may be able to get a payment if you\u2019ve been diagnosed with the asbestos-related disease, diffuse mesothelioma.\n\nThere are 2 types of payment you can claim for:\n\n- diffuse mesothelioma payments (the \u20182008 scheme\u2019)\n\n- the Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYou can claim DMPS if you cannot find the employer responsible for your contact with asbestos, or their insurer.\n\n## What you'll get\n\n## The 2008 scheme\n\nYou\u2019ll get one payment.\n\nThe amount you\u2019ll get depends on how old you were when your disease was diagnosed. For example, if you were 60 when your disease was diagnosed, and you qualify, you\u2019ll get a payment of \u00a344,312.\n\n## Rates\n\n| Age when diagnosed | Payment |\n\n| 37 and under | \u00a394,296 |\n\n| 38 | \u00a392,463 |\n\n| 39 | \u00a390,633 |\n\n| 40 | \u00a388,804 |\n\n| 41 | \u00a386,971 |\n\n| 42 | \u00a385,140 |\n\n| 43 | \u00a384,227 |\n\n| 44 | \u00a383,306 |\n\n| 45 | \u00a382,394 |\n\n| 46 | \u00a381,477 |\n\n| 47 | \u00a380,562 |\n\n| 48 | \u00a378,003 |\n\n| 49 | \u00a375,440 |\n\n| 50 | \u00a372,873 |\n\n| 51 | \u00a370,312 |\n\n| 52 | \u00a367,742 |\n\n| 53 | \u00a365,913 |\n\n| 54 | \u00a364,085 |\n\n| 55 | \u00a362,258 |\n\n| 56 | \u00a360,418 |\n\n| 57 | \u00a358,587 |\n\n| 58 | \u00a353,829 |\n\n| 59 | \u00a349,066 |\n\n| 60 | \u00a344,312 |\n\n| 61 | \u00a339,550 |\n\n| 62 | \u00a334,790 |\n\n| 63 | \u00a331,859 |\n\n| 64 | \u00a328,926 |\n\n| 65 | \u00a326,001 |\n\n| 66 | \u00a323,071 |\n\n| 67 | \u00a320,142 |\n\n| 68 | \u00a319,545 |\n\n| 69 | \u00a318,946 |\n\n| 70 | \u00a318,357 |\n\n| 71 | \u00a317,761 |\n\n| 72 | \u00a317,169 |\n\n| 73 | \u00a316,662 |\n\n| 74 | \u00a316,146 |\n\n| 75 | \u00a315,652 |\n\n| 76 | \u00a315,155 |\n\n| 77 and over | \u00a314,651 |\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYour payment will depend on the details of your claim. Read about payment amounts on the DMPS website.\n\n## Eligibility\n\n## The 2008 scheme\n\nYou can claim a one-off payment if you:\n\n- are not entitled to a payment under the 1979 Pneumoconiosis Act\n\n- have not been given a payment for the disease from an employer, a civil claim or elsewhere\n\n- are not entitled to compensation from a Ministry of Defence scheme\n\nYou must have been exposed to asbestos in the United Kingdom.\n\nExamples of exposure include:\n\n- you came into contact with asbestos from a relative, for instance by washing their clothes\n\n- you were exposed to asbestos in the environment, for instance you lived near a factory using asbestos\n\n- you were exposed to asbestos while self-employed\n\n- your exposure cannot be specified but it occurred in the United Kingdom\n\nYou must claim within 12 months of diagnosis.\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYou may be able to claim if all of the following apply:\n\n- you were diagnosed with diffuse mesothelioma on or after 25 July 2012\n\n- your mesothelioma was caused by exposure to asbestos when working in the UK\n\n- you cannot trace the employer that exposed you to asbestos, or their insurers\n\n- you have not made a civil claim against any employer or insurer\n\n- you have not received damages or a specified payment for mesothelioma and you\u2019re not eligible to a specified payment\n\nYou may also be able to claim if you were the dependant of a sufferer who has died.\n\nYou can claim for DMPS even if you have already claimed from the 2008 scheme or under the 1979 Pneumoconiosis Act. If you\u2019ve already got a payment from the 2008 scheme or the Pneumoconiosis Act, it will be deducted from the amount you get from DMPS.\n\nYou may still be able to claim from the 2008 scheme even if you are unsuccessful in your DMPS claim.\n\nClaims through the DMPS scheme must be made within 3 years of diagnosis.\n\n## Payments for dependants\n\n## The 2008 scheme\n\nYou may be able to claim if you were the dependant of a sufferer who has died. You must claim within 12 months of their death.\n\nContact Barrow Industrial Injuries Disablement Benefit (IIDB) Centre to find out if you\u2019re eligible.\n\n## Rates\n\nIf you qualify, you\u2019ll get one payment. The amount will depend on how old the person with mesothelioma was when they died. For example, if they were 60 when they died, and you qualify, you\u2019ll get a payment of \u00a319,182.\n\n| Age of death | Payment |\n\n| 37 and under | \u00a349,073 |\n\n| 38 | \u00a348,018 |\n\n| 39 | \u00a346,965 |\n\n| 40 | \u00a345,913 |\n\n| 41 | \u00a344,860 |\n\n| 42 | \u00a343,808 |\n\n| 43 | \u00a342,800 |\n\n| 44 | \u00a341,784 |\n\n| 45 | \u00a340,783 |\n\n| 46 | \u00a339,777 |\n\n| 47 | \u00a338,772 |\n\n| 48 | \u00a337,536 |\n\n| 49 | \u00a336,297 |\n\n| 50 | \u00a335,063 |\n\n| 51 | \u00a333,831 |\n\n| 52 | \u00a332,596 |\n\n| 53 | \u00a331,583 |\n\n| 54 | \u00a330,580 |\n\n| 55 | \u00a329,573 |\n\n| 56 | \u00a328,559 |\n\n| 57 | \u00a327,555 |\n\n| 58 | \u00a324,768 |\n\n| 59 | \u00a321,971 |\n\n| 60 | \u00a319,182 |\n\n| 61 | \u00a316,389 |\n\n| 62 | \u00a313,593 |\n\n| 63 | \u00a312,795 |\n\n| 64 | \u00a312,003 |\n\n| 65 | \u00a311,191 |\n\n| 66 | \u00a310,392 |\n\n| 67 and over | \u00a38,124 |\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYour payment will depend on the details of your claim. Read about payment amounts on the DMPS website.\n\n## How to claim\n\n## The 2008 scheme\n\nFill in a mesothelioma payment claim form and provide medical evidence.\n\nContact Barrow Industrial Injuries Disablement Benefit (IIDB) Centre if you cannot print out a form and you need one sent to you.\n\n## Alternative formats\n\nContact the Barrow IIDB Centre to ask for alternative formats, such as braille, large print or audio CD.\n\nYou must claim within 12 months of diagnosis. If you\u2019re a dependant claiming for a sufferer who is now deceased, you must claim within 12 months from the date of their death.\n\n## Diffuse Mesothelioma Payment Scheme (DMPS)\n\nYou can apply online at the DMPS website.\n\nYou\u2019ll need:\n\n- your National Insurance number\n\n- your full employment history, with evidence - for example, P60s\n\n- evidence of unsuccessful attempts to trace your employer or insurers\n\n- the date of your diagnosis\n\n- evidence of diagnosis\n\n- details of any previous claims\n\n- a witness statement\n\nContact TopMark for more information on the DMPS and how to apply.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for a mandatory review.\n\nIf you\u2019re unhappy with the outcome of the mandatory review, you can appeal to to the Social Security and Child Support Tribunal. The tribunal is impartial and independent of government.\n\nAppeal to the tribunal within one month of getting the mandatory review decision. If you submit your appeal after a month you\u2019ll have to explain why you did not do it earlier.\n\nDownload and fill in form SSCS6a and send it to the address on the form.\n\nYou\u2019ll need to choose whether you want to go to the tribunal hearing to explain your case. If you do not attend, your appeal will be decided on your appeal form and any supporting evidence.\n\nAfter you submit your appeal, you can provide evidence. Your appeal and the evidence will be discussed at a hearing by a judge and one or two experts. The judge will then make a decision.\n\nIt usually takes around 6 months for your appeal to be heard by the tribunal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/diffuse-mesothelioma-payment", + "answerable": true, + "scenario": "My uncle was diagnosed with stage 4 mesothelioma after getting asbestos exposure during his work period. His employers have been very irresponsible to support him. He is undergoing a very difficult moment and his lungs are failing. He needs care and support.", + "original_question": "Can he claim DMPS and can he be compensated for the health damages?" + }, + { + "id": "train-164", + "question": "Scenario: I live in England and I gave birth to twins three weeks ago. Since we already have two children aged 2 and 4 and are receiving universal credit, it was a shock to discover that twins were on the way; we're struggling now with the initial costs of double the amount of nappies etc.\n\nQuestion: Am I eligible for a Sure Start maternity grant?\n\nDocument - Sure Start Maternity Grant:\n## Overview\n\nYou could get a one-off payment of \u00a3500 to help towards the costs of having a child. This is known as a Sure Start Maternity Grant.\n\nIf you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.\n\nYou usually qualify for the grant if both of the following apply:\n\n- you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already\n\n- you or your partner already get certain benefits\n\nYou must claim the grant within 11 weeks of the baby\u2019s due date or within 6 months after the baby\u2019s birth.\n\nYou do not have to pay the grant back and it will not affect your other benefits or tax credits.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## What you'll get\n\nA Sure Start Maternity Grant is \u00a3500 and you do not have to pay it back.\n\nYou may not get a grant if you already have children.\n\n## If you already have children under 16\n\nYou can only get a grant if at least one of the following applies:\n\n- you\u2019re expecting a multiple birth (such as twins)\n\n- the child you\u2019re caring for is someone else\u2019s\n\n- you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK\n\n| Children under 16 | Grant if you have twins | Grant if you have triplets |\n\n| You have 1 or more (and none of them are from multiple births) | \u00a3500 | \u00a31,000 |\n\n| You\u2019ve already had twins | \u00a30 | \u00a3500 |\n\n| You\u2019ve already had triplets | \u00a30 | \u00a30 |\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Eligibility\n\nUsually, to qualify for a Sure Start Maternity Grant there must be no other children in your family. You or your partner must also get one of these benefits:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Child Tax Credit\n\n- Working Tax Credit that includes a disability or severe disability element\n\n- Universal Credit\n\nYou may also qualify if you\u2019re getting a Support for Mortgage Interest loan.\n\nIf you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.\n\n## If you already have children under 16\n\nYou may still be able to get a grant if any of the following apply:\n\n- you\u2019re expecting a multiple birth (such as twins)\n\n- the child you\u2019re caring for is someone else\u2019s (but not your partner\u2019s) and the child was over 12 months old when the arrangement started\n\n- you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK\n\nYou must claim by the deadline.\n\n## If you\u2019re not giving birth\n\nYou may also be able to get a grant if you\u2019re adopting or becoming a surrogate parent.\n\nThe baby must be less than 1 year old on the date you claim. You must be receiving one of the benefits above and one of the following must also apply:\n\n- you\u2019ve become responsible for the baby and you\u2019re not the mother\n\n- the baby has been placed with you for adoption\n\n- you\u2019ve got permission to adopt a baby from abroad\n\n- you\u2019ve got a parental order for a surrogate birth\n\n- you\u2019ve been appointed as guardian\n\n- you\u2019ve an adoption or a residence order\n\n## How to claim\n\nYou can claim from 11 weeks before the week your baby is due. The latest you can claim is 6 months after your baby is born.\n\nIf you\u2019re becoming responsible for a child, you must claim within 6 months of this happening.\n\n## Claim by post\n\n- Print out and fill in the Sure Start Maternity Grant (SF100) claim form.\n\n- Get a health professional such as a doctor or midwife to fill in the statement on page 10 of the form. You can send your form without this statement if necessary to meet the deadline. If you do this, you\u2019ll be contacted about arranging the statement at a later date.\n\n- Post the form to \u2018Freepost DWP SSMG\u2019 - you do not need a postcode or a stamp.\n\nThere\u2019s a different form and postal address if you live in Northern Ireland.\n\nYou\u2019ll get a letter telling you if your claim was successful.\n\nIf you get Universal Credit, you will not get a decision on your claim until after your next payment.\n\n## Get help with your claim\n\nCall the Sure Start Maternity Grant helpline.\n\nYou can also contact Jobcentre Plus.\n\n## Alternative formats\n\nCall the Sure Start Maternity Grant helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/sure-start-maternity-grant", + "answerable": true, + "scenario": "I live in England and I gave birth to twins three weeks ago. Since we already have two children aged 2 and 4 and are receiving universal credit, it was a shock to discover that twins were on the way; we're struggling now with the initial costs of double the amount of nappies etc.", + "original_question": "Am I eligible for a Sure Start maternity grant?" + }, + { + "id": "train-165", + "question": "Scenario: Because I have a family history of dementia, I would like to make a lasting power of attorney naming my daughter as my attorney, should I become mentally incapacitated. I'm 57 years old and live in England. I know that it's quite expensive to create a power of attorney and I'm currently on income support so may struggle to afford it.\n\nQuestion: Can you get financial assistance with the cost of making a lasting power of attorney?\n\nDocument - Make, register or end a lasting power of attorney:\n## Overview\n\nA lasting power of attorney (LPA) is a legal document that lets you (the \u2018donor\u2019) appoint one or more people (known as \u2018attorneys\u2019) to help you make decisions or to make decisions on your behalf.\n\nThis gives you more control over what happens to you if you have an accident or an illness and cannot make your own decisions (you \u2018lack mental capacity\u2019).\n\nYou must be 18 or over and have mental capacity (the ability to make your own decisions) when you make your LPA.\n\nYou do not need to live in the UK or be a British citizen.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere are 2 types of LPA:\n\n- health and welfare\n\n- property and financial affairs\n\nYou can choose to make one type or both.\n\nThere\u2019s a different process in Scotland and Northern Ireland.\n\n## How to make a lasting power of attorney\n\n- Choose your attorney (you can have more than one).\n\n- Fill in the forms to appoint them as an attorney.\n\n- Register your LPA with the Office of the Public Guardian (this can take up to 10 weeks).\n\nIt costs \u00a382 to register an LPA unless you get a reduction or exemption.\n\nYou can cancel your LPA if you no longer need it or want to make a new one.\n\n## Health and welfare lasting power of attorney\n\nUse this LPA to give an attorney the power to make decisions about things like:\n\n- your daily routine, for example washing, dressing, eating\n\n- medical care\n\n- moving into a care home\n\n- life-sustaining treatment\n\nIt can only be used when you\u2019re unable to make your own decisions.\n\n## Property and financial affairs lasting power of attorney\n\nUse this LPA to give an attorney the power to make decisions about money and property for you, for example:\n\n- managing a bank or building society account\n\n- paying bills\n\n- collecting benefits or a pension\n\n- selling your home\n\nIt can be used as soon as it\u2019s registered, with your permission.\n\n## Help deciding if you should make a lasting power of attorney\n\nContact the Office of the Public Guardian if you need help.\n\n## Choose your attorney\n\nYou can choose one or more people to be your attorney. If you appoint more than one, you must decide whether they\u2019ll make decisions separately or together.\n\n## Who can be your attorney\n\nYour attorney needs to be 18 or over. They could be:\n\n- a relative\n\n- a friend\n\n- a professional, for example a solicitor\n\n- your husband, wife or partner\n\nYou must appoint someone who has the mental capacity to make their own decisions.\n\nYour attorney does not need to live in the UK or be a British citizen.\n\nWhen choosing an attorney, think about:\n\n- how well they look after their own affairs, for example their finances\n\n- how well you know them\n\n- if you trust them to make decisions in your best interests\n\n- how happy they will be to make decisions for you\n\nRead about an attorney\u2019s responsibilities to help you with your decision.\n\nYou cannot choose someone who is subject to a Debt Relief Order or is bankrupt if you\u2019re making a lasting power of attorney (LPA) for property and financial affairs.\n\n## If there\u2019s more than one attorney\n\nIf you\u2019re appointing more than one person, you must decide if they\u2019ll make decisions:\n\n- separately or together - sometimes called \u2018jointly and severally\u2019 - which means attorneys can make decisions on their own or with other attorneys\n\n- together - sometimes called \u2018jointly\u2019 - which means all the attorneys have to agree on the decision\n\nYou can also choose to let them make some decisions \u2018jointly\u2019, and others \u2018jointly and severally\u2019.\n\nAttorneys who are appointed jointly must all agree or they cannot make the decision.\n\n## Replacement attorneys\n\nWhen you make your LPA you can nominate other people to replace your attorney or attorneys if at some point they cannot act on your behalf anymore.\n\n## Make a lasting power of attorney\n\nYou can make a lasting power of attorney (LPA) online or using paper forms.\n\nEither way, you need to get other people to sign the forms, including the attorneys and witnesses.\n\nYou can get someone else to use the online service or fill in the paper forms for you, for example a family member, friend or solicitor.\n\nYou must register your LPA or your attorney will not be able to make decisions for you.\n\nIt might take longer to make and register an LPA because of coronavirus (COVID-19). It will be quicker if you make it and pay online.\n\n## Make an LPA online\n\nCreate an account to start your LPA.\n\nYou can:\n\n- get help and guidance at each step\n\n- save your forms and complete them later\n\n- review your answers and fix any mistakes\n\nYou need to print out the forms and sign them when you\u2019ve finished.\n\n## Sign in to your account\n\nSign in to continue making your LPA.\n\n## Use the paper forms\n\nDownload the forms and print them out.\n\n## Signing the forms\n\nYou need to sign the forms before you send them off. They also need to be signed by:\n\n- the attorneys\n\n- witnesses\n\n- a \u2018certificate provider\u2019, who confirms you\u2019re making the LPA by choice and you understand what you\u2019re doing\n\nEveryone must sign the same original document. They cannot sign copies or use digital signatures.\n\n## Who can be a witness or certificate provider\n\nWitnesses and certificate providers must be 18 or over.\n\nAttorneys can witness each other sign, but they cannot:\n\n- witness you sign\n\n- sign as the certificate provider\n\nYou cannot be a witness if you\u2019re the person appointing an attorney.\n\n## Get help\n\nAsk the Office of the Public Guardian about help you can get if you:\n\n- do not have a computer or printer\n\n- want to use the online service but need some help\n\n## Register a lasting power of attorney\n\nWhen you\u2019ve made your lasting power of attorney (LPA), you need to register it with the Office of the Public Guardian (OPG).\n\nIt takes up to 15 weeks to register an LPA if there are no mistakes in the application.\n\nYou can apply to register your LPA yourself if you\u2019re able to make your own decisions.\n\nYour attorney can also register it for you. You\u2019ll be told if they do and you can object to the registration.\n\n## Notify people\n\nBefore you register, send a form to notify people (LP3) to all the \u2018people to notify\u2019 (also called \u2018people to be told\u2019) you listed in the LPA.\n\nThey\u2019ll have 3 weeks to raise any concerns with OPG.\n\nIf you\u2019re using the online service to make an LPA, it will create and fill in the LP3 forms for you.\n\n## How to register\n\nApply to register as soon as you\u2019ve sent forms to notify people.\n\nTo register, you need to sign your completed LPA form and send it to OPG.\n\nIf you create your LPA form using the online service, you will need to print it out to do this.\n\nThe address is also on the form. Make sure you include the original LPA form and the fee.\n\nYou can send a certified copy if you do not have the original form. Write a covering letter to explain why you do not have the original.\n\n## If you made your LPA with an older paper form\n\nYou can register by filling in form LP2 if you made your LPA:\n\n- on forms LPA114 or LPA117 before 1 January 2016\n\n- on forms LP PA or LP PW before 1 April 2011\n\nOtherwise you\u2019ll need to make a new LPA.\n\n## How much it costs\n\nIt costs \u00a382 to register each LPA unless you get a reduction or exemption.\n\nThis means it costs \u00a3164 to register both a property and financial affairs LPA and a health and welfare LPA.\n\nYou can pay by:\n\n- credit or debit card\n\n- cheque\n\nMake your cheque payable to \u2018Office of the Public Guardian\u2019 and write your name on the back. Send it to OPG with your forms.\n\n## If you make a mistake on your form\n\nDepending on the type of mistake, OPG may let you correct it and apply again within 3 months for \u00a341.\n\n## Get a reduction or exemption\n\nYou can apply for a reduction if you earn less than \u00a312,000. You might also be able to apply for an exemption if you\u2019re on certain benefits, such as Income Support.\n\nDownload and fill in the application form. The form has more information about eligibility.\n\n## Certify a copy of a lasting power of attorney\n\nYou can confirm that a copy of your lasting power of attorney (LPA) is genuine by \u2018certifying\u2019 it if you\u2019re still able to make your own decisions.\n\nYou or your attorney can use a certified copy to register your LPA if you do not have the original form.\n\nYour attorney can also use the certified copy to prove they have permission to make decisions on your behalf, for example to manage your bank account.\n\n## How to certify a copy\n\nWrite the following text on the bottom of every page of the copy:\n\n\u201cI certify this is a true and complete copy of the corresponding page of the original lasting power of attorney.\u201d\n\nOn the final page of the copy, you must also write:\n\n\u201cI certify this is a true and complete copy of the lasting power of attorney.\u201d\n\nYou need to sign and date every page.\n\n## Other ways to certify a copy\n\nCopies of your LPA can also be certified by:\n\n- a solicitor\n\n- a person authorised to carry out notarial activities\n\n## Change your lasting power of attorney\n\nYou can ask the Office of the Public Guardian (OPG) to change your lasting power of attorney (LPA) if it\u2019s been registered and you still have mental capacity to make decisions.\n\n## If you want to remove one of your attorneys\n\nYou will need to send OPG a written statement called a \u2018partial deed of revocation\u2019.\n\nIf you want to add another attorney you need to end your LPA and make a new one.\n\nUse the following wording. Replace the words in the square brackets with the relevant details.\n\nPartial deed of revocation\n\n\u201cThis partial deed of revocation is made by [donor\u2019s name] of [donor\u2019s address].\n\n1: I granted a lasting power of attorney for property and financial affairs/health and welfare [delete as appropriate] on [date donor signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).\n\n2: I hereby revoke [attorney\u2019s name that you are revoking] ONLY from the lasting power of attorney and the authority granted to him/her.\n\nSigned and delivered as a deed [donor\u2019s signature]\nDate signed [date] \nWitnessed by [signature of witness] \nFull name of witness [name of witness] \nAddress of witness [address of witness]\u201d\n\n## Where to send a partial deed of revocation\n\nSend the partial deed of revocation to the Office of the Public Guardian (OPG) with the original LPA document. You must also tell your attorney or attorneys that you\u2019re ending your LPA.\n\n## If your attorney\u2019s details change\n\nYou must write to OPG if one of your attorneys has changed their:\n\n- name - by marriage or deed poll\n\n- address\n\nYou need to provide supporting documents, such as the original marriage certificate, with their new name and address.\n\nDo not make changes to your LPA document itself, as it might become invalid. You must contact OPG to make changes to your LPA.\n\n## If one of your attorneys dies\n\nYou must tell OPG and send them:\n\n- a copy of their death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n- a return address where your documents can be sent back to\n\n## End your lasting power of attorney\n\nYou can end your lasting power of attorney (LPA) yourself - if you have mental capacity to make that decision.\n\nYou need to send the Office of the Public Guardian (OPG) both:\n\n- the original LPA\n\n- a written statement called a \u2018deed of revocation\u2019\n\nUse the following wording for the deed of revocation. Replace the words in the square brackets with the relevant details.\n\nDeed of revocation\n\n\u201cThis deed of revocation is made by [your name] of [your address].\n\n1: I granted a lasting power of attorney for property and financial affairs/health and welfare (delete as appropriate) on [date you signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).\n\n2: I revoke the lasting power of attorney and the authority granted by it.\n\nSigned and delivered as a deed [your signature]\nDate signed [date]\nWitnessed by [signature of witness]\nFull name of witness [name of witness]\nAddress of witness [address of witness]\u201d\n\nYou must be able to make your own decisions when you end your LPA.\n\nYou can also complain if you have concerns about your attorney, for example if they\u2019re not carrying out their responsibilities properly.\n\n## Other ways a lasting power of attorney can end\n\nYour LPA may end if your attorney:\n\n- loses the ability to make decisions - \u2018loses mental capacity\u2019\n\n- divorces you or ends your civil partnership if they\u2019re your husband, wife or partner\n\n- becomes bankrupt or they\u2019re subject to a Debt Relief Order (DRO) - if they\u2019re a property and financial affairs attorney\n\n- is removed by the Court of Protection\n\n- dies\n\n## If your only attorney dies\n\nYour LPA will end if your attorney dies and you have no replacement attorneys. You must tell OPG and send them:\n\n- a copy of their death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n- a return address where your documents can be sent back to\n\nYour LPA can continue if:\n\n- there are other attorneys who can act \u2018jointly and severally\u2019 - but not if they are only allowed to act \u2018jointly\u2019\n\n- there are replacement attorneys\n\n## If you die\n\nYour LPA will end automatically when you die. Your affairs will be looked after by your executors or personal representatives from that point, not your attorney.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/power-of-attorney", + "answerable": true, + "scenario": "Because I have a family history of dementia, I would like to make a lasting power of attorney naming my daughter as my attorney, should I become mentally incapacitated. I'm 57 years old and live in England. I know that it's quite expensive to create a power of attorney and I'm currently on income support so may struggle to afford it.", + "original_question": "Can you get financial assistance with the cost of making a lasting power of attorney?" + }, + { + "id": "train-167", + "question": "Scenario: My Aunt Dina lost her mental capacity after undergoing trauma through domestic abuse and loss of her child. She has been diagnosed with terminal Cancer of cervix. In her mind she is not sick and its hard get her consent to treatment. She is currently in a mental health institution but wants to get out.\n\nQuestion: Will the tribunal assess her health before making a decision?\n\nDocument - Apply to the Mental Health Tribunal:\n## Overview\n\nYou can apply to the First-tier Tribunal (Mental Health) if you\u2019re admitted (\u2018detained\u2019) as a patient in a psychiatric hospital (\u2018sectioned\u2019) and want to be discharged.\n\nYou can apply on a patient\u2019s behalf if you\u2019re their:\n\n- legal representative\n\n- \u2018nearest relative\u2019\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nYou can also apply to the tribunal if you want to change:\n\n- a community treatment order\n\n- the conditions placed on your \u2018conditional discharge\u2019 from hospital\n\nThe tribunal deals with cases in England. There are different rules in Wales and rules in Scotland.\n\n## When to apply\n\nWhen you apply depends on how you were admitted - ask your doctor or lawyer (if you have one) if you\u2019re unsure.\n\nThere are deadlines for the first time you apply - you must apply within:\n\n- 14 days if you\u2019ve been admitted for assessment (\u2018section 2\u2019)\n\n- 6 months if you\u2019ve been admitted for treatment (\u2018section 3\u2019)\n\nGet legal advice if you\u2019re a \u2018restricted patient\u2019, for example you\u2019ve received an order from the Crown Court or been transferred from prison- the deadlines depend on your situation.\n\n## If you miss the deadline\n\nYou cannot apply to be discharged if you miss the deadline but you may be able to apply again later, for example after a year if you\u2019ve been admitted for treatment (\u2018section 3\u2019).\n\nThe tribunal will automatically look at your case again after a certain period of time. This is sometimes known as a \u2018referral\u2019. The period of time depends on your case, for example:\n\n- if it\u2019s been 3 years since the tribunal gave you a hearing\n\n- you\u2019ve not had a hearing in the first 6 months of your detention\n\n## Help you can get\n\nYou can get free legal help if you\u2019re a patient. It does not cost you anything as it\u2019s paid for by legal aid.\n\nFind a legal advisor near you or ask the tribunal to find one for you when you apply.\n\nYou can also get advice from:\n\n- Carers Direct\n\n- the charity Mind\n\n- the charity Rethink\n\n## Apply to the tribunal\n\nDownload and fill in an application to the First-tier Tribunal (Mental Health). You must include:\n\n- what you\u2019re applying for, for example discharge if you\u2019ve been admitted for assessment or treatment\n\n- the patient\u2019s first name, surname and date of birth\n\n- full details of the care coordinator and hospital\n\n- the date of the section or order\n\n- contact details for the \u2018nearest relative\u2019 (if there is one)\n\n- your lawyer\u2019s details (if you have one)\n\n- whether you need an interpreter\n\n## Send the form\n\nPost or email the form to HM Courts and Tribunals Service. The contact details are on the form.\n\nContact the tribunal by phone or email if you have any questions about completing the form. The helpline and email address cannot give you legal advice.\n\n## After you apply\n\nYou\u2019ll be told when the tribunal has received your application. You\u2019ll get information on your rights to legal representation if you did not include a lawyer\u2019s details in your application.\n\nYour \u2018nearest relative\u2019 will usually be told the date of the hearing - they can attend unless you object. Nearer the time of the hearing you\u2019ll be given copies of reports so that you can check that the information\u2019s correct and work out any questions you want to ask.\n\nThe date of the hearing depends on your situation. You\u2019ll usually get a hearing within:\n\n- 7 days of applying if you\u2019ve been admitted for assessment\n\n- 2 months if you\u2019ve been admitted for treatment\n\n- 4 months if you\u2019ve received an order from the Crown Court or been transferred from prison (known as a \u2018restricted patient\u2019)\n\n## Evidence from the tribunal doctor\n\nYou can ask for a pre-hearing examination with the tribunal doctor if you want one.\n\nIf you\u2019ve been admitted for assessment, do this in writing when you send your application to the tribunal.\n\nIf you\u2019ve been admitted for treatment or you\u2019re a restricted patient, you must do this at least 2 weeks before the hearing.\n\nWrite to:\n\nBecause of coronavirus (COVID-19), your pre-hearing examination may take place by video.\n\nThe tribunal will also ask the hospital for reports from:\n\n- your doctor\n\n- the social work and nursing teams responsible for your care\n\n- the Secretary of State for Justice if you\u2019re a restricted patient (and your social supervisor if you\u2019re living in the community on conditional discharge)\n\n## If you do not want to continue with your application\n\nWrite to the tribunal as soon as possible if you do not want to continue with your application. The tribunal will decide whether to accept your withdrawal.\n\nYou cannot withdraw your case if it was automatically referred to the tribunal, but you do not have to go to the hearing if you do not want to.\n\n## What happens at the hearing\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. The tribunal will contact you and tell you how the hearing will take place.\n\nYou do not have to attend the hearing if you do not want to. You can bring a legal representative and a relative to the hearing if you do go - your representative can arrange for witnesses or experts to attend.\n\nHearings are usually held in private and attended by:\n\n- a judicial panel, made up of a judge, a doctor and a specialist lay member (for example a mental health social worker)\n\n- the patient\n\n- their hospital doctor, ward nurse and social worker\n\n- your legal representative, if you have one\n\nThe doctor, nurse and social worker will give evidence. You can also give evidence, and ask questions.\n\nThe tribunal will also look at:\n\n- your pre-hearing examination from the tribunal doctor, if you had one\n\n- an independent psychiatric report, if your legal representative asked for one\n\nIf you\u2019re a \u2018restricted patient\u2019 and have committed a serious offence against a person, they or their family can ask (or make \u2018representations\u2019) for certain conditions if the tribunal thinks you\u2019re ready for discharge.\n\n## Claim expenses\n\nYou may be able to claim expenses for going to the hearing. This includes money for:\n\n- travel costs\n\n- loss of earnings\n\n- food and drink, if you\u2019re away for more than 5 hours\n\nRead the guidance on claiming expenses.\n\n## The tribunal's decision\n\nThe tribunal usually decides at the end of the hearing on whether you should be discharged - you\u2019ll get the decision on the day, and you\u2019ll usually get full written reasons with 7 days of the hearing.\n\nThe tribunal can:\n\n- order your release (on the same day or at a future date)\n\n- recommend that you\u2019re transferred to a different hospital\n\n- recommend that your doctor considers you for treatment in the community\n\n- recommend that you\u2019re allowed to leave the hospital for periods of time, to see if you\u2019re ready for life in the community\n\nThe tribunal cannot change your treatment, for example medication.\n\n## Appeal\n\nIf you lose your case, you can ask the tribunal:\n\n- to cancel the decision - you must do this within 28 days of getting the written decision\n\n- for permission to appeal to a higher tribunal (the \u2018Upper Tribunal\u2019)\n\n## Ask the tribunal to cancel the decision\n\nYou\u2019ll be told how to get a decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process, for example you were not told about the hearing so did not go.\n\nIf the tribunal cancels the decision, you may be able to get a new hearing.\n\nContact Citizens Advice if you need help.\n\n## Appeal to the Upper Tribunal\n\nYou can ask for permission to appeal to the Upper Tribunal if you think there was a legal mistake, for example if they:\n\n- did not apply the correct law or wrongly interpreted the law\n\n- did not follow the correct procedures\n\n- had no evidence or not enough evidence to support its decision\n\nFill in the application for permission to appeal - the address is on the form.\n\nAnother judge will look to see if there\u2019s a legal problem with your case and if it needs to be heard again.\n\n## Complain\n\nYou cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.\n\n## Legislation\n\nThe tribunal will make a decision based on:\n\n- Mental Health Act 1983 (as amended by the Mental Health Act 2007)\n\n- Mental Health Act 2007\n\n- Human Rights Act 1998 if the case is about human rights\n\nThe tribunal must follow the Tribunal Procedure (First-Tier Tribunal) (Health, Education And Social Care Chamber) Rules 2008.\n\nDoctors\u2019 statements and reports must be written in line with the practice directions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/mental-health-tribunal", + "answerable": true, + "scenario": "My Aunt Dina lost her mental capacity after undergoing trauma through domestic abuse and loss of her child. She has been diagnosed with terminal Cancer of cervix. In her mind she is not sick and its hard get her consent to treatment. She is currently in a mental health institution but wants to get out.", + "original_question": "Will the tribunal assess her health before making a decision?" + }, + { + "id": "train-169", + "question": "Scenario: I am 41, registered blind with my local council and live in England in a home which I share with my wife, who works part-time to provide for us.\n\nQuestion: Can I claim Blind Person's Allowance, and then transfer it to my wife so that she can claim it against her taxes?\n\nDocument - Blind Person's Allowance:\n## Overview\n\nBlind Person\u2019s Allowance is an extra amount of tax-free allowance.\n\nIt means you can earn more before you start paying Income Tax.\n\n## What you'll get\n\nBlind Person\u2019s Allowance is added to your yearly Personal Allowance - the amount of money you can earn before you start paying Income Tax.\n\n| Tax year | Blind Person\u2019s Allowance |\n\n| 2021 to 2022 | \u00a32,520 |\n\n| 2020 to 2021 | \u00a32,500 |\n\nIf you and your spouse or civil partner are both eligible, you\u2019ll each get an allowance.\n\nYou can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or earn enough to use all of your allowance.\n\n## Previous tax years\n\nHM Revenue and Customs (HMRC) publishes tables with tax rates that include Blind Person\u2019s Allowance for current and past tax years.\n\n## Eligibility\n\n## England and Wales\n\nYou can claim Blind Person\u2019s Allowance if both of the following apply:\n\n- you\u2019re registered with your local council as blind or severely sight impaired\n\n- you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)\n\n## Scotland and Northern Ireland\n\nYou can claim Blind Person\u2019s Allowance if both of the following apply:\n\n- you cannot do work for which eyesight is essential\n\n- you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)\n\n## How to claim\n\nContact HM Revenue and Customs (HMRC) to claim.\n\n## Transfer your allowance\n\nYou can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or cannot use all of it.\n\nYou can do this:\n\n- if you\u2019re married or in a civil partnership\n\n- if you\u2019re living with your spouse or civil partner\n\n- whether or not your spouse or civil partner is blind\n\nYou can still transfer your allowance if you\u2019re unable to live with your spouse or civil partner because of:\n\n- illness or old age, for example where your spouse or partner is in residential care\n\n- working away from home\n\n- an armed forces posting\n\n- being in prison\n\n- training or education\n\n## How to transfer your allowance\n\nTo transfer your allowance to a spouse or civil partner, use form 575 or call HM Revenue and Customs (HMRC).\n\nYou\u2019ll also get the option to transfer any Married Couple\u2019s Allowance.\n\nIf you\u2019re making a claim to get tax back on savings and investment interest using form R40 you can also ask for a copy of form 575 by ticking the appropriate box.\n\n## Get the form in another format\n\nContact HM Revenue and Customs (HMRC) if you need the form in a different format, for example Braille.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/blind-persons-allowance", + "answerable": true, + "scenario": "I am 41, registered blind with my local council and live in England in a home which I share with my wife, who works part-time to provide for us.", + "original_question": "Can I claim Blind Person's Allowance, and then transfer it to my wife so that she can claim it against her taxes?" + }, + { + "id": "train-171", + "question": "Scenario: We have been married for 20 years and have four kids. Recently we decided to end our relationship. We decided to keep two kids each but are having issues on dividing up the assets\n\nQuestion: We couldn't come to an agreement on dividing up the assets. Can we go to court and get them to decide?\n\nDocument - Money and property when you divorce or separate:\n## Getting a financial agreement\n\nWhen you divorce or end a civil partnership you and your ex-partner need to agree how to separate your finances.\n\nThis includes deciding how you\u2019re going to divide:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nYou might get things like:\n\n- a share of your your partner\u2019s pension - including State Pension or private pension plans\n\n- regular maintenance payments to help with children or living expenses\n\nYou can usually avoid going to court hearings if you agree how to split your money and property.\n\nThe rules are different if you were not married or in a civil partnership. You\u2019ll still have to agree on child maintenance payments for any children.\n\nWhat you can do is different in Scotland and Northern Ireland.\n\n## Making an agreement legally binding\n\nIf you and your ex-partner agree on how to divide money and property, you need to apply for a consent order to make it legally binding.\n\n## Get help agreeing\n\nYou can use a mediator or get other help to resolve issues out of court.\n\n## Get the court to decide\n\nIf you cannot agree on everything, you can ask a court to make a financial order.\n\n## If you agree\n\nIt\u2019s usually more straightforward and less expensive if you agree how to divide your money and property. Get help agreeing.\n\n## Making your agreement legally binding\n\nTo make your agreement legally binding you need to draft a consent order and ask a court to approve it.\n\nIf your agreement is not legally binding, a court cannot enforce it if there are any issues later.\n\nA consent order is a legal document that confirms your agreement. It explains how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\nYou can get legal advice or ask a solicitor to draft a consent order for you.\n\n## When to apply for a consent order\n\nYou can ask the court to approve your consent order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended. This may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to ask the court for approval\n\nYou and your ex-partner have to:\n\n- draft a consent order\n\n- sign the draft consent order - you also need 2 photocopies of the signed original\n\n- fill in a statement of information form\n\nOne of you also needs to fill in a notice of an application for a financial order.\n\nIf you\u2019re ending a civil partnership or legally separating, send the signed forms and copies with the \u00a350 fee to the court dealing with your paperwork. Keep your own copies.\n\nIf you\u2019re divorcing, send the signed forms and copies with the \u00a350 fee to:\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\nThere\u2019s usually no court hearing. A judge will approve your consent order to make it legally binding if they think it\u2019s fair.\n\nIf they do not think it\u2019s fair, they can ask you to change it.\n\n## How much it costs\n\nThe court fee is \u00a350.\n\nSolicitor fees vary depending on their experience and location. They usually charge per hour.\n\n## Get help agreeing\n\nA mediator can help you and your ex-partner agree on how to split money and property, without taking sides.\n\nMediation is not relationship counselling. It can help you agree on how you\u2019ll divide your assets, including:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nMediation can be quicker and cheaper than asking a court to decide for you.\n\nYou need to attend a mediation information assessment meeting (MIAM) before you start mediation.\n\nFind a local mediator.\n\nThe mediator can decide mediation is not right for you (for example, if there\u2019s been domestic abuse and you need to go to court instead).\n\n## How much it costs\n\nA MIAM is usually about \u00a330. If you need more mediation sessions they cost more and fees vary depending on where you live.\n\nCheck if you can get legal aid for mediation.\n\n## Making your agreement legally binding\n\nAt the end of mediation you\u2019ll get a document showing what you agreed. This agreement is not legally binding.\n\nIf you want a legally binding agreement you need to draft a consent order and get a court to approve it. The consent order can be based on what you agreed in mediation.\n\n## If you need more help agreeing\n\nYou can:\n\n- ask a legal adviser about other ways to resolve issues out of court (such as family arbitration or collaborative law)\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- work out your finances with a divorce and separation calculator\n\n## If you do not agree on everything\n\nYou can ask a court to decide on anything you have not agreed on.\n\n## Get the court to decide\n\nIf you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).\n\nThis means the court will decide how assets will be split. Getting the court to decide usually takes longer and is more expensive than if you and your ex-partner agree.\n\nYou must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).\n\nA financial order will describe how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\n## When to apply for a financial order\n\nYou can ask a court to make a financial order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended but it may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to apply\n\nYou need to apply for a financial order.\n\nSend 2 copies of the form to the court dealing with paperwork in your area to divorce or end your civil partnership. Keep a copy for yourself.\n\nYou can hire a solicitor to help you apply for a financial order from the court.\n\n## After you apply\n\nThere are three stages:\n\n- the first appointment - a short hearing with the judge to discuss your application\n\n- financial dispute resolution (FDR) appointment - to help you agree without needing a final hearing (you might need more than one appointment)\n\n- final hearing - if you\u2019re not able to agree, this is when a judge will decide how you must separate your finances\n\nThe court will send you and your ex-partner details when the first appointment will be. This is usually 12 to 14 weeks after you apply.\n\n## Before the first appointment\n\nYou and your ex-partner need to fill in a financial statement for a financial order (Form E) to show a breakdown of your property and debts. This includes giving an estimate of your future living costs.\n\nYou\u2019ll also need to collect documents about your finances, for example:\n\n- rental or mortgage agreements\n\n- pension documents\n\n- loan agreements\n\n- proof of your salary income, for example P60 or recent pay slips\n\n- details of personal belongings worth more than \u00a3500, for example a car or house contents\n\n## How long it takes\n\nIt depends on:\n\n- how many financial dispute resolution appointments you need\n\n- if you need a final hearing\n\nThere can be several months between the appointments.\n\n## How the court decides\n\nIf you cannot agree, a judge will decide how assets will be split. They\u2019ll base their decision on how long you\u2019ve been married or in a civil partnership, as well as your:\n\n- age\n\n- ability to earn\n\n- property and money\n\n- living expenses\n\n- standard of living\n\n- financial needs and responsibilities\n\n- role in looking after the family, for example if you were the main earner or caring for the family or home\n\n- disability or health condition, if you have any\n\nThe judge will decide on the fairest way to divide the assets if there\u2019s enough to meet everyone\u2019s needs. They will make arrangements for any children first - especially their housing arrangements and child maintenance. The reason for the divorce or dissolution is not taken into account.\n\nThe judge will usually try to arrange a \u2018clean break\u2019, so everything is shared out, and you no longer have any financial ties to one another.\n\n## How much it costs\n\nThe court fee is \u00a3255.\n\nSolicitor fees vary depending on their experience and where you live. They usually charge by the hour. How much you pay in total depends on how many financial dispute resolution appointments you need and if there will be a final hearing.\n\nYou can get legal aid to help with court costs in certain situations, for example if you\u2019re separating from an abusive partner.\n\n## Further help and advice\n\nYou can:\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- find out more about how to apply for a financial order\n\n## Maintenance payments\n\nThe court sometimes tells the person with the higher income to make regular maintenance payments to help with the other person\u2019s living costs.\n\nThis is called a \u2018maintenance order\u2019.\n\nA maintenance payment can be set for:\n\n- a limited period of time\n\n- until one of you dies, marries or enters into a new civil partnership\n\nThe payment can also be changed if one of you loses your job or gets much better paid work.\n\n## Child maintenance\n\nThe court can also decide on child maintenance, but this is often arranged by the Child Maintenance Service.\n\nRead more about making arrangements to look after children when you divorce or separate.\n\n## Tax when transferring assets\n\nYou do not usually have to pay Capital Gains Tax if you give, or otherwise \u2018dispose of\u2019, assets to your husband, wife or civil partner before you finalise the divorce or civil partnership.\n\nAssets include shares, certain personal possessions and property. You usually do not have to pay tax if you transfer or sell your main home.\n\n## If you transfer an asset when you\u2019re separated\n\nIf you lived together at any point in the tax year that you transferred the asset, the normal rules for spouses and civil partners apply.\n\nOtherwise you may have to pay Capital Gains Tax. You\u2019ll need to get a valuation of the asset on the date of transfer, and use it to work out the gain or loss.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you transfer an asset after you\u2019ve divorced or dissolved your civil partnership\n\nYou may have to pay Capital Gains Tax on assets you transfer after your relationship has legally ended.\n\nThe rules for working out your gain or loss are complex. Contact HM Revenue and Customs (HMRC) or get professional tax help, such as an accountant or tax adviser. You\u2019ll need to tell them the date of:\n\n- the decree absolute or dissolution\n\n- any court order, if assets were transferred this way\n\n- any other contract showing the transfer of assets", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "answerable": true, + "scenario": "We have been married for 20 years and have four kids. Recently we decided to end our relationship. We decided to keep two kids each but are having issues on dividing up the assets", + "original_question": "We couldn't come to an agreement on dividing up the assets. Can we go to court and get them to decide?" + }, + { + "id": "train-173", + "question": "Scenario: I am a 34 year old from Newcastle. My 36 year old civil partner of 2 years has been cheating on me for at least 3 months.\n\nQuestion: Is it possible for me to end the civil partnership under these grounds?\n\nDocument - End a civil partnership:\n## Check you can end your civil partnership\n\nYou can apply to end (\u2018dissolve\u2019) your civil partnership if you\u2019ve been in the partnership for over a year.\n\nIf you do not want to end the civil partnership, you can get a legal separation so you can live apart. You can apply for separation during the first year of your civil partnership.\n\nEnding your civil partnership is different in Scotland and Northern Ireland.\n\n## How to end your civil partnership\n\nYou must send paperwork to a court to ask for permission to end your civil partnership.\n\nSeparate from the paperwork, you and your ex-partner may need to work out:\n\n- arrangements for looking after any children\n\n- child maintenance payments for any children\n\nYou also need to divide your money and property. There\u2019s a deadline if you want to make this legally binding.\n\nYou can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your civil partnership.\n\n## Get help agreeing on issues\n\nYou can use a mediator. Check if you can get legal aid to help pay for mediation.\n\nYou can also get advice on making agreements from:\n\n- Citizens Advice\n\n- Advicenow\n\n## Grounds for ending a civil partnership\n\nWhen you apply to end your civil partnership (\u2018dissolution\u2019), you\u2019ll need to prove your relationship has broken down and cannot be saved.\n\nYou\u2019ll need to give one or more of the following 4 reasons (also known as \u2018facts\u2019).\n\n## Unreasonable behaviour\n\nYour civil partner has behaved in a way that means you cannot reasonably be expected to live with them.\n\nThis could include:\n\n- physical or mental cruelty\n\n- verbal or physical abuse\n\n- being irresponsible with money\n\n- being sexually unfaithful\n\n## Desertion\n\nYour civil partner has intentionally left you for at least 2 years.\n\nYou can still claim desertion if you have lived together for up to a total of 6 months in this period. This will not count towards the 2 years.\n\n## You\u2019ve been separated for at least 2 years\n\nYou can apply to end your civil partnership if you\u2019ve been separated for at least 2 years before applying and you both agree to end the civil partnership.\n\nYour civil partner must agree in writing to end the civil partnership.\n\nIt may be possible for you to show that you\u2019ve been separated while living in the same home as your civil partner as long as you\u2019re not living together as a couple (for example you sleep and eat apart).\n\n## You\u2019ve been separated for at least 5 years\n\nYou can apply to end your civil partnership if you\u2019ve been separated for at least 5 years, even if your civil partner disagrees.\n\n## How to apply\n\nTo end a civil partnership, you first need to fill in a dissolution application.\n\nYou must include your:\n\n- full name and address\n\n- civil partner\u2019s full name and address\n\n- civil partnership certificate - send the original certificate or get a copy from a register office\n\nInclude the names and dates of birth of any children (no matter how old they are).\n\nYou must try to find your civil partner\u2019s current address if you do not know it. The court will need it to send them a copy of the dissolution application.\n\n## Pay the court fee\n\nYou will have to pay a \u00a3550 court fee to file the dissolution application.\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\n## By phone with a debit or credit card\n\nThe court calls you to take your payment. Include a letter with your petition to request the call and give them your phone number.\n\n## By post with a cheque\n\nMake out the cheque to \u2018HM Courts and Tribunals Service\u2019 and send it with your application.\n\n## Send the forms\n\nOnce you have filled in the forms:\n\n- send 3 copies to the court\n\n- keep copies for yourself\n\n- include your cheque, or your letter asking to pay by phone\n\n## Where to send the forms\n\nSend the forms to your nearest court dealing with civil partnership dissolution.\n\n## Apply for a conditional order\n\nYou can get a conditional order if your partner agrees to end the civil partnership.\n\nA conditional order is a document that says the court does not see any reason why you cannot end the civil partnership. It is the first of 2 stages to getting the civil partnership dissolved -\u00ad the second stage is getting a final order.\n\nIf your partner does not agree to end the civil partnership, you can still apply for a conditional order. You\u2019ll have to go to a hearing at the court to discuss the case, where a judge will decide whether to grant you the conditional order.\n\nYou must wait at least 7 days after your civil partner has received their copy of the dissolution application.\n\n## Fill in the application form\n\nTo apply for a conditional order, fill in the application for a conditional order.\n\nIf your partner is defending the case, fill in section B of the form, saying you want a \u2018case management hearing\u2019 before the judge.\n\nYou also need to fill in a statement confirming that what you said in your dissolution application is true.\n\nThere are 4 statement forms - use the one that covers the reason you\u2019ve given for ending the civil partnership:\n\n- unreasonable behaviour statement\n\n- desertion statement\n\n- 2 years\u2019 separation statement\n\n- 5 years\u2019 separation statement\n\nThe forms will need to show your civil partner:\n\n- has received the dissolution application\n\n- agrees to the dissolution if you\u2019re using the fact that you\u2019ve been living apart for 2 years as your reason\n\n- agrees with any arrangement proposed for children\n\nAttach your civil partner\u2019s response to the dissolution application, and send it to the court. Keep your own copy.\n\nYou\u2019ll still be civil partners at this stage, the \u2018final order\u2019 actually ends your civil partnership.\n\n## Apply for a final order\n\nThe final order is the legal document that ends your civil partnership.\n\nYou have to wait 6 weeks after the date of the conditional order to apply for a final order.\n\nIf your civil partner applied for a conditional order, you have to wait 3 months and 6 weeks after the date of the conditional order.\n\nApply within 12 months of getting the conditional order - otherwise you will have to explain the delay to the court.\n\nIf you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a final order.\n\nTo apply for a final order, fill in the application for a conditional order to be made final.\n\nReturn the form to the court. This will usually be the same court that dealt with your conditional order.\n\n## Getting the final order\n\nThe court will check that there are no reasons why the civil partnership cannot be ended. You must provide all details the court asks for within the time limits.\n\nIf the court is happy with all the information, it will send you and your civil partner a final order.\n\nOnce you get your final order, your civil partnership has ended and you can marry or enter into another civil partnership.\n\nYou must keep your final order safe - you will need to show it if you enter into another civil partnership or to prove your status.\n\n## If your partner lacks mental capacity\n\nYou can apply to end your civil partnership if your partner \u2018lacks mental capacity\u2019 and cannot agree to end the civil partnership or take part in the process.\n\nYour partner will need someone to make decisions for them during the process. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.\n\n## Your partner does not have a litigation friend\n\nIf there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.\n\nThe Official Solicitor may agree to act as your partner\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).\n\n## How to apply\n\n- Check there\u2019s nobody else suitable or willing to act as your civil partner\u2019s litigation friend.\n\n- Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your civil partner may be able to get legal aid.\n\n- Give the details of your civil partner\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.\n\n## After you apply\n\nIf the Official Solicitor agrees to act as litigation friend for your civil partner, you\u2019ll be able to end your civil partnership.\n\n## Contact the Official Solicitor\u2019s staff\n\nEmail or call the private family law team if you have an enquiry.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/end-civil-partnership", + "answerable": true, + "scenario": "I am a 34 year old from Newcastle. My 36 year old civil partner of 2 years has been cheating on me for at least 3 months.", + "original_question": "Is it possible for me to end the civil partnership under these grounds?" + }, + { + "id": "train-174", + "question": "Scenario: I am 54 and am applying to be a Personal Welfare Deputy for my 74 year old father, who has been diagnosed with dementia. My father has quite complex financial affairs, and I am concerned that I will be unable to deal with these myself.\n\nQuestion: Can the Court of Protection appoint someone qualified to deal with my father's finances if I am unable to find someone myself?\n\nDocument - Deputies: make decisions for someone who lacks capacity:\n## Overview\n\nYou can apply to become someone\u2019s deputy if they \u2018lack mental capacity\u2019. This means they cannot make a decision for themselves at the time it needs to be made. They may still be able to make decisions for themselves at certain times.\n\nPeople may lack mental capacity because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\n- they have severe learning disabilities\n\nAs a deputy, you\u2019ll be authorised by the Court of Protection to make decisions on their behalf.\n\n## Types of deputy\n\nThere are 2 types of deputy.\n\n## Property and financial affairs deputy\n\nYou\u2019ll do things like pay the person\u2019s bills or organise their pension.\n\n## Personal welfare deputy\n\nYou\u2019ll make decisions about medical treatment and how someone is looked after.\n\nYou cannot become someone\u2019s personal welfare deputy if they\u2019re under 16. Get legal advice if you think the court needs to make a decision about their care.\n\nThe court will usually only appoint a personal welfare deputy if:\n\n- there\u2019s doubt whether decisions will be made in someone\u2019s best interests, for example because the family disagree about care\n\n- someone needs to be appointed to make decisions about a specific issue over time, for example where someone will live\n\nRead the full guidance about when you need to make a personal welfare application.\n\n## Becoming a deputy\n\nYou can apply to be just one type of deputy or both. If you\u2019re appointed, you\u2019ll get a court order saying what you can and cannot do.\n\nWhen you become a deputy, you must send an annual report to the Office of the Public Guardian (OPG) each year explaining the decisions you\u2019ve made.\n\n## How to apply\n\nCheck you meet the requirements to be a deputy.\n\nSend the application forms to the Court of Protection and pay the application fee.\n\nYou do not need to be a deputy if you\u2019re just looking after someone\u2019s benefits. Apply to become an appointee instead.\n\n## Checks on your application\n\nThe Court of Protection will check:\n\n- whether the person needs a deputy or some other kind of help\n\n- there are no objections to your appointment\n\nIf you\u2019re appointed, the Office of the Public Guardian will help you carry out your responsibilities.\n\nYou\u2019ll continue to be a deputy until your court order is changed, cancelled or expires.\n\n## Other ways to make decisions for someone\n\nIf you want to make a single important decision, you can apply to the Court of Protection for a one-off order.\n\nIf the person already has a lasting power of attorney (LPA) or enduring power of attorney (EPA), they do not usually need a deputy. Check if they have an LPA or EPA before you apply.\n\n## Who can apply to be a deputy\n\nYou can apply to be a deputy if you\u2019re 18 or over. Deputies are usually close relatives or friends of the person who needs help making decisions.\n\nIf you want to become a property and affairs deputy, you need to have the skills to make financial decisions for someone else.\n\nThe court can appoint 2 or more deputies for the same person.\n\n## When there\u2019s more than one deputy\n\nWhen you apply, tell the court how you\u2019ll make decisions if you\u2019re not the only deputy. It will be either:\n\n- together (\u2018joint deputyship\u2019), which means all the deputies have to agree on the decision\n\n- separately or together (\u2018jointly and severally\u2019), which means deputies can make decisions on their own or with other deputies\n\n## Other types of deputy\n\nSome people are paid to act as deputies, for example accountants, solicitors or representatives of the local authority.\n\nThe Court of Protection can appoint a specialist deputy (called a \u2018panel deputy\u2019) from a list of approved law firms and charities if no one else is available.\n\n## Responsibilities\n\nAs a deputy, you\u2019re responsible for helping someone make decisions or making decisions on their behalf.\n\nYou must consider someone\u2019s level of mental capacity every time you make a decision for them - you cannot assume it\u2019s the same at all times and for all kinds of things.\n\nYou\u2019ll get a court order from the Court of Protection which says what you can and cannot do. There are also general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\n## Guidance for all deputies\n\nWhen you\u2019re making a decision, you must:\n\n- make sure it\u2019s in the other person\u2019s best interests\n\n- consider what they\u2019ve done in the past\n\n- apply a high standard of care - this might mean involving other people, for example getting advice from relatives and professionals like doctors\n\n- do everything you can to help the other person understand the decision, for example explain what\u2019s going to happen with the help of pictures or sign language\n\n- add the decisions to your annual report\n\nYou must not:\n\n- restrain the person, unless it\u2019s to stop them coming to harm\n\n- stop life-sustaining medical treatment\n\n- take advantage of the person\u2019s situation, for example abuse them or profit from a decision you\u2019ve taken on their behalf\n\n- make a will for the person, or change their existing will\n\n- make gifts unless the court order says you can\n\n- hold any money or property in your own name on the person\u2019s behalf\n\n## Property and affairs deputies\n\nYou must make sure:\n\n- your own property and money is separate from the other person\u2019s\n\n- you keep records of the finances you manage on their behalf in your annual report\n\nYou may need to manage a Court Funds Office account on the other person\u2019s behalf.\n\nYou could be fined or sent to prison for up to 5 years (or both) if you mistreat or neglect the person on purpose.\n\n## Apply to be a deputy\n\nYou need to download and fill in all of the following:\n\n- an application form (COP1) - you\u2019ll need to send the original form plus a copy when you apply\n\n- an assessment of capacity form (COP3)\n\n- a deputy\u2019s declaration (COP4)\n\nYou also need to download and fill in:\n\n- a supporting information form (COP1A) if you\u2019re applying to be a property and affairs deputy\n\n- a supporting information form (COP1B) if you\u2019re applying to be a personal welfare deputy\n\nYou must name at least 3 people in your application who know the person you\u2019re applying to be deputy for. For example, their relatives, a social worker or doctor.\n\nThe court may not accept your application if you do not send the \u2018assessment of capacity\u2019 (COP3) form.\n\nIf you cannot get an assessment, you must download and fill in a witness statement (COP24) to explain why you think the person you\u2019re applying about lacks capacity.\n\nYou should keep a copy of every form you fill in.\n\n## Where to send your forms\n\nSend the forms, including 2 copies of the application form (COP1), to the Court of Protection with a cheque for the application fee.\n\n## Tell people named in your application\n\nThe court will aim to send you a stamped copy of your application within a week of receiving it. This means your application is being considered (it has been \u2018issued\u2019). You\u2019ll be sent a letter explaining what to do next.\n\nWithin 14 days of the application being issued, you must tell (sometimes called \u2018serving\u2019) the following people:\n\n- the person you\u2019re applying to be a deputy for\n\n- at least 3 people named in your application as having an interest, for example the person\u2019s relatives, social worker or doctor\n\nIf you cannot tell 3 people you should send in a witness statement (COP24).\n\n## Tell the person you\u2019re applying to be a deputy for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to be their deputy\n\n- that their ability to make decisions is being questioned\n\n- what having a deputy would mean for them\n\n- where to get advice if they want to discuss the application\n\nDuring the visit give them:\n\n- a completed proceedings notification form (COP14) - use the guidance notes to fill this in yourself\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\n## Tell people connected to your application\n\nYou must tell 3 people named on your application that it has been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\n## Confirming that you\u2019ve told people (\u2018served notice\u2019)\n\nWithin 7 days of serving the documents, you must download and fill in the relevant forms (sometimes called \u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the person you\u2019re applying to be deputy for (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## Fees\n\nYou must pay:\n\n- a fee to apply to be a deputy\n\n- a supervision fee every year after you\u2019ve been appointed\n\nYou may also have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy.\n\n## When you apply\n\nYou must pay a \u00a3365 application fee. Send this with your application form.\n\nYou need to pay the application fee twice if you\u2019re applying to become both types of deputy.\n\nYou\u2019ll also need to pay \u00a3485 if the court decides your case needs a hearing. The court will tell you when you need to pay this.\n\nMake all cheques payable to \u2018HM Courts and Tribunals Service\u2019.\n\n## Security bonds for property and affairs deputies\n\nYou may have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy. This is a type of insurance that protects the finances of the person you\u2019re a deputy for.\n\nYou do not have to set up a bond if either:\n\n- you\u2019re representing a local authority\n\n- the court decides it\u2019s not necessary, for example if the person\u2019s estate has a low value\n\nIf you need to set one up, you\u2019ll get a letter from the court telling you this. The letter will explain what to do next.\n\nYou set up the bond with a security bond provider. The amount you pay depends on:\n\n- the value of the estate of the person you\u2019re a deputy for\n\n- how much of their estate you control\n\nYou can pay it either:\n\n- using the person\u2019s money\n\n- yourself - you can get the money back from the person\u2019s estate once you have access to it\n\nYou may be prosecuted if you misuse the person\u2019s money.\n\n## After you\u2019ve been appointed\n\nYou must pay an annual supervision fee depending on what level of supervision your deputyship needs. You\u2019ll pay:\n\n- \u00a3320 for general supervision\n\n- \u00a335 for minimal supervision - this applies to some property and affairs deputies managing less than \u00a321,000\n\nYour annual supervision fee is due on 31 March for the previous year.\n\nYou\u2019ll also need to pay a \u00a3100 assessment fee if you\u2019re a new deputy.\n\nThe Office of the Public Guardian will tell you how and when to pay your assessment and supervision fees.\n\nYou may be able to claim a refund of your fees in certain situations.\n\n## Getting help with your application fee\n\nYou may not have to pay an application fee depending on:\n\n- what type of deputy you\u2019re applying to be\n\n- how much money you or the person you\u2019re applying to be deputy for has\n\n| Type of deputy | Whose finances will be assessed |\n\n| Property and financial affairs | Theirs |\n\n| Personal welfare | Yours |\n\nThe guidance has information about getting help with your fees.\n\nYou can claim back the fee from the funds of the person you want to be a deputy for if you\u2019re applying to be a property and affairs deputy.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving the application.\n\n## Getting help with your supervision fees\n\nYou can apply for an exemption or reduction of the fee if the person you\u2019re a deputy for gets certain benefits or has an income below \u00a312,000. Read the guidance that comes with the form and apply if the person meets the requirements. The address is on the form.\n\nIf the person you\u2019re deputy for dies, you pay the supervision fee for the part of the year when you acted as deputy. For example, you\u2019ll have to pay \u00a317.50 if your minimal supervision deputyship comes to an end after 6 months.\n\n## After you've applied\n\nThere\u2019s a 14-day wait after you tell the other people involved that you applied, in case they object.\n\nThe Court of Protection will then review your application and tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you need to set up a security bond before you can be appointed\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to get more information, for example if someone objected\n\nThere\u2019s usually no hearing if you applied to be a property and financial affairs deputy.\n\nRead guidance on how coronavirus (COVID-19) might affect your hearing and what you should bring.\n\n## Tell the person you want to be a deputy for about the hearing\n\nYou\u2019ll get a notice with the date of the hearing if the court decides to hold one. You must visit the person you want to be deputy for and tell them about it:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nGive them a completed notice about proceedings (COP14). Use the guidance notes to fill it in.\n\nYou must explain that they can contact Court of Protection staff for advice and assistance.\n\nWhen you\u2019ve told them, send a certificate of service (COP20A) to the Court of Protection within 7 days.\n\nYou\u2019ll have to pay a fee if the court makes a final decision at the hearing.\n\nThe guidance explains what to expect from a Court of Protection hearing.\n\n## When you're appointed\n\nYou\u2019ll be sent a \u2018court order\u2019 telling you what you can and cannot do as a deputy. When you have this, you can start acting on the person\u2019s behalf.\n\nYou\u2019ll be sent the court order:\n\n- as soon as you\u2019re appointed - if you\u2019re a personal welfare deputy\n\n- after you set up a security bond - if you\u2019re a property and affairs deputy and have been asked to do this by the court\n\nYou\u2019ll need a separate court order before you can:\n\n- sell a property that\u2019s jointly owned if you\u2019re a property and affairs deputy\n\n- make a one-off decision on anything else that\u2019s not covered by the court order\n\nCheck the court order. If there are any mistakes, download and fill in form COP9 with the details and send it to the court within 21 days of receiving the court order. There is no fee.\n\n## Tell people and organisations you\u2019re a deputy\n\nYou\u2019ll get official copies of the court order to send to banks and building societies, for example. These prove you\u2019re acting on behalf of the other person. When you send out an official copy, ask for it to be returned.\n\nOrder extra copies of the court order by writing to the Court of Protection. They cost \u00a35 each.\n\n## Start managing a bank account\n\nBefore you can manage an account, you must show the bank:\n\n- the original court order, or an official copy of it\n\n- proof of your name, for example your passport or driving licence\n\n- proof of your address, for example a gas, electricity or council tax bill, or letter from a government department\n\n- proof of the name or address of the person you\u2019re applying to be deputy for - if they\u2019re not the same as on the bank account\n\n## Court Funds Office accounts\n\nIf the person you\u2019re deputy for has money in a Court Funds Office account, you\u2019ll be sent information about how to access it.\n\nYou can also apply to open an account with the Court Funds Office if you\u2019re a property and affairs deputy and it\u2019s in the person\u2019s best interests.\n\n## Record your decisions and transactions\n\nYou can start your annual report to record your decisions and transactions, such as paying bills.\n\n## Supervision, support and visits\n\nAs a deputy, you\u2019ll be supervised by the Office of the Public Guardian (OPG). They\u2019re authorised to contact you or visit you to check you\u2019re being an effective deputy. They can also give you advice and support.\n\n## How you\u2019ll be supervised\n\nNew deputies get a \u2018general\u2019 level of supervision for their first year.\n\nAfter that, if you\u2019re a property and affairs deputy you\u2019ll move to \u2018minimal\u2019 supervision if both:\n\n- you\u2019re managing less than \u00a321,000\n\n- you no longer need a general level of supervision\n\nYou\u2019ll pay a lower fee and have to write a shorter annual report than deputies with general supervision.\n\n## Supervision visits\n\nYou may be visited by a Court of Protection visitor to check if you:\n\n- understand your duties\n\n- have the right level of support from OPG\n\n- are carrying out your duties properly\n\n- are being investigated because of a complaint\n\nThe visitor will call you to arrange the visit and explain why they\u2019re visiting.\n\n## Contact OPG\n\nTell OPG if you\u2019re planning to make an important decision, for example you want to sell the property of the person you\u2019re deputy for so they can move into a care home.\n\n## Accounts, gifts and expenses\n\nYou must keep accounts and follow the rules for gifts and expenses if you\u2019re acting as deputy for someone else. You must also record the transactions in your annual report.\n\n## Accounts\n\nAs a property and affairs deputy, you must keep copies of:\n\n- bank statements\n\n- contracts for services or tradespeople\n\n- receipts\n\n- letters and emails about your activities as a deputy\n\n## Gifts\n\nYour court order will say if you can buy gifts or give gifts of money on behalf of the other person, including donations to charities. It will also say if there\u2019s an annual limit on how much money you can use for gifts.\n\nGifts must be reasonable. You need to make sure any gifts do not reduce the level of care the person you\u2019re deputy for can afford.\n\nYou must apply to the Court of Protection if you want to make a one-off large gift for Inheritance Tax purposes, for example.\n\n## Expenses\n\nYou can claim expenses for things you must do to carry out your role as deputy, for example phone calls, postage and travel costs. You cannot claim:\n\n- travel costs for social visits\n\n- for the time spent carrying out your duties (unless you\u2019re a professional deputy, for example a solicitor)\n\nYou may be asked to give a detailed report of what you spent. You\u2019ll have to pay the money back if the Office of the Public Guardian finds your expenses are unreasonable. They may ask the court to stop you being a deputy if they think you\u2019ve been dishonest.\n\n## Complete your deputy report\n\nYou must write a report each year explaining the decisions you\u2019ve made as a deputy. You might be asked to do this more often if the Office of the Public Guardian (OPG) needs additional information.\n\nYou may also need to write a final report if you stop being a deputy.\n\nIf you\u2019re a public authority or professional deputy using the service for the first time, you need to contact your case manager to register first. If you\u2019re a deputy for a friend or family member, you can create an account online.\n\nStart now\n\nOr you can download and fill in a paper annual report form. The address you need to send it to is on the form.\n\n## What to include\n\nYour report must include:\n\n- the reasons for your decisions and why they were in the best interests of the person you\u2019re deputy for\n\n- who you spoke to and why what they said was in the person\u2019s best interests\n\n- the finances of the person if you\u2019re their property and financial deputy\n\nThe OPG will tell you when it\u2019s time to send it.\n\nIf you do not send the report the OPG might:\n\n- increase your level of supervision\n\n- ask the court to replace you with a different deputy\n\n## Change your deputyship or make a one-off decision\n\nYou must apply to the Court of Protection if you have to:\n\n- renew your deputyship\n\n- change your deputyship, for example make decisions that are not in the original order\n\n- make a one-off decision on something not covered by your court order\n\n## How to apply\n\nDownload and fill in both:\n\n- an application form (COP 1)\n\n- a witness statement form (COP24) with a copy of the current order appointing you as a deputy attached\n\nYour witness statement should include:\n\n- the total annual income of the person you\u2019re a deputy for including pensions\n\n- a summary of their assets, for example bank balances, savings, investments\n\n- details of property they own\n\n- the annual cost of their care and other regular items of major expenditure\n\n- the value of the security bond set by the court\n\n- a description of the circumstances that have led to the application being made\n\nSend the Court of Protection:\n\n- the completed forms\n\n- a cheque for the application fee - \u00a3365 - payable to \u2018HM Courts and Tribunals Service\u2019\n\nYou can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nIf you need help with changing your deputyship, call the Court of Protection.\n\n## What happens next\n\nYou may have to notify other people about the change to the court order if the court tells you to.\n\nThey can object or ask the court to reconsider any proposed changes they do not agree with. They can do this:\n\n- before the court order is issued\n\n- up to 21 days after the court order is issued\n\n## End your deputyship\n\nIf you no longer want or need to be a deputy, download and fill in the application notice (COP1) and send it to the Court of Protection.\n\nIf the person has recovered mental capacity, download and fill in form COP 9. Send it to the Court of Protection with any supporting evidence, for example a doctor\u2019s letter.\n\nYou cannot stop being a deputy until you\u2019ve got the relevant court order.\n\n## If the person you\u2019re deputy for dies\n\nContact the Office of the Public Guardian (OPG) and the Court of Protection to tell them that the person has died.\n\nYou\u2019ll also have to send evidence to OPG that the person has died, for example a death certificate. Check the full list of evidence that OPG accepts.\n\nYour security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.\n\nContact the Court Funds Office if the person you were deputy for had an account with them.\n\nRead more about how to be a deputy.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-deputy", + "answerable": true, + "scenario": "I am 54 and am applying to be a Personal Welfare Deputy for my 74 year old father, who has been diagnosed with dementia. My father has quite complex financial affairs, and I am concerned that I will be unable to deal with these myself.", + "original_question": "Can the Court of Protection appoint someone qualified to deal with my father's finances if I am unable to find someone myself?" + }, + { + "id": "train-175", + "question": "Scenario: I am in receipt of pension credit and not Universal Credit and would like to get a budgeting loan for some household appliances as my fridge and washer have both broken.\n\nQuestion: I already owe \u00a31600 in budgeting loans, can I borrow any more?\n\nDocument - Budgeting Loans:\n## How they work\n\nA Budgeting Loan can help pay for:\n\n- furniture or household items (for example, washing machines or other \u2018white goods\u2019)\n\n- clothes or footwear\n\n- rent in advance\n\n- costs linked to moving house\n\n- maintenance, improvements or security for your home\n\n- travelling costs within the UK\n\n- costs linked to getting a new job\n\n- maternity costs\n\n- funeral costs\n\n- repaying hire purchase loans\n\n- repaying loans taken for the above items\n\nCrisis Loans are not available any more.\n\nYou may be eligible for a Budgeting Loan if you\u2019ve been on certain benefits for 6 months.\n\nYou only have to pay back the amount you borrow, and repayments are taken automatically from your benefits.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Check if you're eligible\n\nTo get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\nIf you moved from Universal Credit to Pension Credit, any time spent claiming Universal Credit will count towards the 6 months.\n\nYou cannot get a Budgeting Loan if:\n\n- you are currently claiming Universal Credit - apply for a Budgeting Advance instead\n\n- you\u2019re involved in industrial action (for example, a strike, walkout or lockout)\n\n- you owe more than \u00a31,500 in total for Crisis Loans and Budgeting Loans\n\nIf you live in Northern Ireland, go to Budgeting Loans in Northern Ireland.\n\n## What you could get\n\nThe lowest amount you can borrow is \u00a3100. You could get up to:\n\n- \u00a3348 if you\u2019re single\n\n- \u00a3464 if you have a partner\n\n- \u00a3812 if you or your partner claim Child Benefit\n\nHow much you could get depends on whether you:\n\n- can pay the loan back\n\n- have savings of more than \u00a31,000 (\u00a32,000 if you or your partner are 63 or over)\n\n- are paying back an existing Budgeting Loan or Crisis Loan\n\n## Paying back the loan\n\nA Budgeting Loan is interest free so you only pay back what you borrow.\n\nThe repayments will be taken automatically from your benefits. The amount you repay is based on your income - including any benefits you receive - and what you can afford.\n\nAfter you apply for a Budgeting Loan, you\u2019ll get an email, text or letter telling you if you\u2019ve been offered a loan. This explains how much your weekly repayments will be if you accept the loan.\n\nYou normally have to repay the loan within 2 years (104 weeks). If you stop getting benefits, you\u2019ll need to arrange another way to repay.\n\n## Apply\n\nCheck you\u2019re eligible before you apply.\n\nIf you get Universal Credit you cannot get a Budgeting Loan. You\u2019ll need to apply for a Budgeting Advance\u00a0instead.\n\nYou can apply online or using the paper form. It\u2019s quicker to apply online.\n\n## Apply online\n\nWhen you apply online, you can choose to get a decision on your loan by either:\n\n- email\n\n- text message\n\n- letter\n\nIt\u2019s quicker to get the decision by email or text message and accept it online.\n\nThere\u2019s a different way to apply for a Budgeting Loan in Northern Ireland.\n\nApply online\n\n## Apply using the paper form\n\nYou will need to fill in form SF500. You can:\n\n- download and print the form\n\n- phone the Social Fund Enquiry Line and ask for a form to be posted to you - allow 7 days for the form to arrive\n\nReturn your completed form by post.\n\n## After you apply\n\nAfter you apply you will be given a decision on your application. You need to accept the decision before you get your money.\n\n## If you apply online\n\nYou\u2019ll find out if you\u2019ve been offered a loan within:\n\n- 7 days if you get the decision by text or email\n\n- 21 days if you get the decision by letter\n\n## If you apply by post\n\nYou\u2019ll get a letter telling you if you\u2019ve been offered a loan within 21 days.\n\n## Accepting the loan\n\nHow you accept the loan depends on how you applied.\n\n## Accept online\n\nYou can accept the loan offer online by following the instructions in the text or email.\n\n## Accept by post\n\nYou can accept by signing page 4 of the acceptance letter and returning it in the pre-paid envelope provided. Make sure the reply slip is folded so that the return address is fully visible in the envelope window.\n\nReturn it to the address on the letter. Do not send it to your local Jobcentre Plus office as this may delay getting your loan.\n\n## Getting your money\n\nYou\u2019ll get your money within:\n\n- 7 days of accepting the loan offer online\n\n- 21 days of your loan offer acceptance being received by post\n\nThe money will be paid into your bank, building society or credit union account.\n\nYou\u2019ll get a text message confirming this has been done.\n\n## Questions about your application\n\nCall the Social Fund Enquiry Line if you have a question about the progress of your application.\n\nYou should wait:\n\n- 14 days before phoning if you applied online\n\n- 21 days before phoning if you applied by post\n\nYour application may not have been processed before then.\n\n## Other help you can get\n\nYou may be able to get other kinds of support, including:\n\n- help from your local council and Jobcentre Plus\n\n- the Discretionary Assistance Fund in Wales\n\n- a Crisis Grant or Community Care Grant in Scotland\n\n- Discretionary Support or a Short-term Benefit Advance in Northern Ireland", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/budgeting-help-benefits", + "answerable": true, + "scenario": "I am in receipt of pension credit and not Universal Credit and would like to get a budgeting loan for some household appliances as my fridge and washer have both broken.", + "original_question": "I already owe \u00a31600 in budgeting loans, can I borrow any more?" + }, + { + "id": "train-176", + "question": "Scenario: I'm 19, live in London and have a daughter who is almost 2 years old. I recently began attending a course at my local sixth form college, which I believe is publicly funded.\n\nQuestion: Can I claim help with my childminding costs under the Care to Learn scheme?\n\nDocument - Care to Learn:\n## Overview\n\nThe Care to Learn scheme can help with childcare costs while you study.\n\nYou must be aged under 20 at the start of your course.\n\nThe scheme is available for publicly-funded courses in England. This includes courses in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a3160 per child per week if you live outside London\n\n- \u00a3175 per child per week if you live in London\n\n## What it covers\n\nCare to Learn can help with the cost of:\n\n- your childcare, including deposit and registration fees\n\n- a childcare taster session for up to 5 days\n\n- keeping your childcare place over the summer holidays\n\n- taking your child to their childcare provider\n\n## Payments\n\nChildcare payments go directly to your childcare provider.\n\nBefore they can be paid:\n\n- your childcare provider needs to confirm your child\u2019s attendance\n\n- your school or college needs to confirm that you\u2019re attending your course\n\nTravel payments go direct to your school or college - they\u2019ll either pay you or arrange travel for you.\n\n## When payments stop\n\nPayments end when:\n\n- you stop attending your course\n\n- you reach the end of your course\n\n- your child stops attending childcare\n\n## Eligibility\n\nYou can get Care to Learn if all of the following apply to you:\n\n- you\u2019re a parent under 20 at the start of your course\n\n- you\u2019re the main carer for your child\n\n- you live in England\n\n- you\u2019re either a British citizen or have a legal right to live and study in England\n\n- your course qualifies\n\n- your childcare provider qualifies\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Your course\n\nCare to Learn is only available for publicly-funded courses in England. This includes courses that take place in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n- other colleges and learning providers, including Foundation Learning\n\n- your community at Children\u2019s Centres\n\nYour learning provider can tell you if your course is eligible.\n\n## Your childcare provider\n\nTo qualify, your childcare provider must be registered with Ofsted.\n\nThey can be a:\n\n- childminder\n\n- preschool playgroup\n\n- day nursery\n\n- out of school club\n\n## Who cannot get Care to Learn\n\nYou\u2019re not eligible if:\n\n- you\u2019re an apprentice who gets a salary\n\n- you\u2019re doing a higher education course at university\n\n## Apply for Care to Learn\n\nYou must choose your learning provider and childcare provider before you apply.\n\nYou need to make a new application for each year you study.\n\nYour childcare provider is paid from the beginning of your course if you apply either:\n\n- before your course starts\n\n- within 28 days of starting your course\n\nIf you apply after that, your childcare provider will only be paid from the beginning of the week that your application was received.\n\nApply online for Care to Learn.\n\n## After you've applied\n\nYou must give your learning provider either:\n\n- a copy of the child\u2019s birth certificate\n\n- a letter confirming receipt of Child Benefit for that child\n\n## If you qualify\n\nYou\u2019ll get a letter and a payment plan telling you what financial help you can get.\n\nYour childcare provider will only be paid after you\u2019ve provided this.\n\nYour childcare provider will also get the payment plan to let them know when they\u2019ll be paid.\n\nIf you\u2019re eligible for travel costs, your learning provider will be told about payments for this.\n\n## If your circumstances change\n\nYou must report changes to your:\n\n- personal details\n\n- childcare provider\n\n- hours of childcare\n\n- travel costs\n\n- learning provider\n\nYou can do this by updating your online application.\n\n## Benefits\n\nClaiming Care to Learn will not affect your family\u2019s benefits or allowances.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/care-to-learn", + "answerable": true, + "scenario": "I'm 19, live in London and have a daughter who is almost 2 years old. I recently began attending a course at my local sixth form college, which I believe is publicly funded.", + "original_question": "Can I claim help with my childminding costs under the Care to Learn scheme?" + }, + { + "id": "train-177", + "question": "Scenario: My ex-husband is defaulting on our child maintenance agreement. I am the parent with primary care of our daughter and he is currently in Germany with the army.\n\nQuestion: Can an absent parent in the army be made to pay child maintenance while the are abroad?\n\nDocument - Child maintenance if a parent lives abroad:\n## Overview\n\nYou cannot make a new application to the Child Maintenance Service if the child and the parent with the main day-to-day care live abroad.\n\nThere are circumstances where the service can help if the paying parent lives abroad.\n\nYou can make a child maintenance arrangement yourself - if one or both parents live abroad.\n\n## Enforcing a child maintenance decision\n\nYou can ask a court for help if the other parent does not pay any child maintenance they owe you. This is known as taking \u2018enforcement action\u2019.\n\nYou cannot enforce an arrangement you\u2019ve made yourself - you need to make it legally binding first.\n\nYou can also ask the court to change an existing child maintenance decision or make a new one.\n\nHow you enforce, change or make a decision depends on:\n\n- where the other parent lives\n\n- where your original decision was made\n\nThe UK has a Reciprocal Enforcement of Maintenance Orders (REMO) agreement with a number of other countries. Courts in \u2018REMO countries\u2019 can enforce child maintenance decisions made by UK courts.\n\n## Child maintenance decisions made in Scotland or Northern Ireland\n\nThe process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.\n\n## If the decision was made in Scotland\n\nContact the Scottish government for advice.\n\n## If the decision was made in Northern Ireland\n\nContact the Northern Ireland Central Authority for advice.\n\n## If the other parent lives abroad\n\nHow you get a decision recognised or enforced depends on whether the other parent lives in a Reciprocal Enforcement of Maintenance Orders (REMO) country. Check the list of REMO countries.\n\nIf the other parent does not live in a REMO country, get legal advice from a solicitor to find out if you can enforce the decision.\n\nIf the other parent does live in a REMO country, contact your nearest Maintenance Enforcement Business Centre (MEBC). They\u2019ll send you an application form.\n\nComplete the form and send it back to your MEBC with any supporting documents. Your documents will be translated if needed. You do not have to pay for this.\n\nTell the MEBC if you do not want the other parent to see certain information about you, such as your address.\n\nThe process is different if you want to enforce a child maintenance decision that was originally made in Scotland or Northern Ireland.\n\n## Maintenance Enforcement Business Centres\n\n## Greater London\n\n## England\n\n## Wales\n\n## What happens next\n\nThe MEBC will send your completed form and any supporting documents to the REMO Unit.\n\nThe REMO Unit will send your documents to the body responsible for REMO in the relevant country within a month of receiving them. Your documents will then be sent on to the court in that country.\n\nThe process may change from 1 January 2021. The Maintenance Enforcement Business Centre or REMO Unit might tell you to fill in another form so your application can continue after that date. You\u2019ll be told if you need to do this.\n\nIt can take several months for the court to decide if your maintenance decision should be enforced.\n\n## If you live abroad\n\nYou can still enforce a child maintenance decision if the other parent lives in the UK but you live in another country.\n\nCheck if you live in a country which can enforce a child maintenance decision made in the UK. This is called a Reciprocal Enforcement of Maintenance Orders (REMO) country.\n\nIf you live in a REMO country, ask the court where you live to enforce the decision.\n\nIf you do not live in a REMO country, you might still be able to enforce a decision. Get legal advice from a solicitor in the country where you live or in the UK.\n\n## If the other parent works abroad for a British organisation\n\nYou might be able to make a new child maintenance claim instead of enforcing an existing one if the other parent is working abroad for certain British organisations, for example:\n\n- as a civil servant\n\n- for Her Majesty\u2019s Diplomatic Service\n\n- as a member of the Armed Forces\n\n- for a company based and registered in the UK\n\n- for the NHS\n\n- for a local authority\n\n## How to claim\n\nContact Child Maintenance Options to make a new arrangement.\n\nThey\u2019ll talk through the process with you and explain how to apply to the Child Maintenance Service.\n\nThere are different contact details if you live in Northern Ireland.\n\nYou must pay:\n\n- \u00a320 to apply - you do not have to pay this if you\u2019re under 19, a victim of domestic violence or in Northern Ireland\n\n- additional fees for paying and collecting child maintenance if you use the Collect and Pay service\n\nIf you\u2019ve already made a claim, contact the service that deals with your case for advice.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/child-maintenance-if-one-parent-lives-abroad", + "answerable": true, + "scenario": "My ex-husband is defaulting on our child maintenance agreement. I am the parent with primary care of our daughter and he is currently in Germany with the army.", + "original_question": "Can an absent parent in the army be made to pay child maintenance while the are abroad?" + }, + { + "id": "train-181", + "question": "Scenario: I have two children and I am currently due to start a degree course in social work this coming Autumn.\n\nQuestion: Can I make a claim given that I will be studying and no longer working?\n\nDocument - Parents' Learning Allowance:\n## Overview\n\nYou may be eligible for help with your learning costs if you\u2019re a full-time student with children. This is called Parents\u2019 Learning Allowance.\n\nHow much you get depends on your household income.\n\nThe allowance:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\n- will not affect your benefits or tax credit\n\n## What you'll get\n\nDepending on your household income, in the 2021 to 2022 academic year you could get between \u00a350 and \u00a31,821 a year.\n\nIt\u2019s usually paid in 3 instalments direct to your bank account, one at the start of each term.\n\nParents\u2019 Learning Allowance is paid on top of your other student finance and does not have to be paid back.\n\n## 2020 to 2021 academic year\n\nFull-time students could get up to \u00a31,766 a year.\n\n## Eligibility\n\nIf you\u2019re a student from England with dependent children you may qualify if you\u2019re taking:\n\n- a full-time undergraduate course\n\n- an Initial Teacher Training (ITT) course\n\nYou do not need to be paying for childcare to qualify.\n\n## How to apply\n\nYou can apply for the Parents\u2019 Learning Allowance when you apply for student finance.\n\n## After you apply\n\nAfter you apply you\u2019ll get a letter telling you how much you can get.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/parents-learning-allowance", + "answerable": true, + "scenario": "I have two children and I am currently due to start a degree course in social work this coming Autumn.", + "original_question": "Can I make a claim given that I will be studying and no longer working?" + }, + { + "id": "train-182", + "question": "Scenario: My brother has 2 kids and my brother lost his partner in a accident and my brother also suffering from dementia and can't make decision on his own\n\nQuestion: My brother's partners brother want to be my brother's deputy . Is this possible ?\n\nDocument - Deputies: make decisions for someone who lacks capacity:\n## Overview\n\nYou can apply to become someone\u2019s deputy if they \u2018lack mental capacity\u2019. This means they cannot make a decision for themselves at the time it needs to be made. They may still be able to make decisions for themselves at certain times.\n\nPeople may lack mental capacity because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\n- they have severe learning disabilities\n\nAs a deputy, you\u2019ll be authorised by the Court of Protection to make decisions on their behalf.\n\n## Types of deputy\n\nThere are 2 types of deputy.\n\n## Property and financial affairs deputy\n\nYou\u2019ll do things like pay the person\u2019s bills or organise their pension.\n\n## Personal welfare deputy\n\nYou\u2019ll make decisions about medical treatment and how someone is looked after.\n\nYou cannot become someone\u2019s personal welfare deputy if they\u2019re under 16. Get legal advice if you think the court needs to make a decision about their care.\n\nThe court will usually only appoint a personal welfare deputy if:\n\n- there\u2019s doubt whether decisions will be made in someone\u2019s best interests, for example because the family disagree about care\n\n- someone needs to be appointed to make decisions about a specific issue over time, for example where someone will live\n\nRead the full guidance about when you need to make a personal welfare application.\n\n## Becoming a deputy\n\nYou can apply to be just one type of deputy or both. If you\u2019re appointed, you\u2019ll get a court order saying what you can and cannot do.\n\nWhen you become a deputy, you must send an annual report to the Office of the Public Guardian (OPG) each year explaining the decisions you\u2019ve made.\n\n## How to apply\n\nCheck you meet the requirements to be a deputy.\n\nSend the application forms to the Court of Protection and pay the application fee.\n\nYou do not need to be a deputy if you\u2019re just looking after someone\u2019s benefits. Apply to become an appointee instead.\n\n## Checks on your application\n\nThe Court of Protection will check:\n\n- whether the person needs a deputy or some other kind of help\n\n- there are no objections to your appointment\n\nIf you\u2019re appointed, the Office of the Public Guardian will help you carry out your responsibilities.\n\nYou\u2019ll continue to be a deputy until your court order is changed, cancelled or expires.\n\n## Other ways to make decisions for someone\n\nIf you want to make a single important decision, you can apply to the Court of Protection for a one-off order.\n\nIf the person already has a lasting power of attorney (LPA) or enduring power of attorney (EPA), they do not usually need a deputy. Check if they have an LPA or EPA before you apply.\n\n## Who can apply to be a deputy\n\nYou can apply to be a deputy if you\u2019re 18 or over. Deputies are usually close relatives or friends of the person who needs help making decisions.\n\nIf you want to become a property and affairs deputy, you need to have the skills to make financial decisions for someone else.\n\nThe court can appoint 2 or more deputies for the same person.\n\n## When there\u2019s more than one deputy\n\nWhen you apply, tell the court how you\u2019ll make decisions if you\u2019re not the only deputy. It will be either:\n\n- together (\u2018joint deputyship\u2019), which means all the deputies have to agree on the decision\n\n- separately or together (\u2018jointly and severally\u2019), which means deputies can make decisions on their own or with other deputies\n\n## Other types of deputy\n\nSome people are paid to act as deputies, for example accountants, solicitors or representatives of the local authority.\n\nThe Court of Protection can appoint a specialist deputy (called a \u2018panel deputy\u2019) from a list of approved law firms and charities if no one else is available.\n\n## Responsibilities\n\nAs a deputy, you\u2019re responsible for helping someone make decisions or making decisions on their behalf.\n\nYou must consider someone\u2019s level of mental capacity every time you make a decision for them - you cannot assume it\u2019s the same at all times and for all kinds of things.\n\nYou\u2019ll get a court order from the Court of Protection which says what you can and cannot do. There are also general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\n## Guidance for all deputies\n\nWhen you\u2019re making a decision, you must:\n\n- make sure it\u2019s in the other person\u2019s best interests\n\n- consider what they\u2019ve done in the past\n\n- apply a high standard of care - this might mean involving other people, for example getting advice from relatives and professionals like doctors\n\n- do everything you can to help the other person understand the decision, for example explain what\u2019s going to happen with the help of pictures or sign language\n\n- add the decisions to your annual report\n\nYou must not:\n\n- restrain the person, unless it\u2019s to stop them coming to harm\n\n- stop life-sustaining medical treatment\n\n- take advantage of the person\u2019s situation, for example abuse them or profit from a decision you\u2019ve taken on their behalf\n\n- make a will for the person, or change their existing will\n\n- make gifts unless the court order says you can\n\n- hold any money or property in your own name on the person\u2019s behalf\n\n## Property and affairs deputies\n\nYou must make sure:\n\n- your own property and money is separate from the other person\u2019s\n\n- you keep records of the finances you manage on their behalf in your annual report\n\nYou may need to manage a Court Funds Office account on the other person\u2019s behalf.\n\nYou could be fined or sent to prison for up to 5 years (or both) if you mistreat or neglect the person on purpose.\n\n## Apply to be a deputy\n\nYou need to download and fill in all of the following:\n\n- an application form (COP1) - you\u2019ll need to send the original form plus a copy when you apply\n\n- an assessment of capacity form (COP3)\n\n- a deputy\u2019s declaration (COP4)\n\nYou also need to download and fill in:\n\n- a supporting information form (COP1A) if you\u2019re applying to be a property and affairs deputy\n\n- a supporting information form (COP1B) if you\u2019re applying to be a personal welfare deputy\n\nYou must name at least 3 people in your application who know the person you\u2019re applying to be deputy for. For example, their relatives, a social worker or doctor.\n\nThe court may not accept your application if you do not send the \u2018assessment of capacity\u2019 (COP3) form.\n\nIf you cannot get an assessment, you must download and fill in a witness statement (COP24) to explain why you think the person you\u2019re applying about lacks capacity.\n\nYou should keep a copy of every form you fill in.\n\n## Where to send your forms\n\nSend the forms, including 2 copies of the application form (COP1), to the Court of Protection with a cheque for the application fee.\n\n## Tell people named in your application\n\nThe court will aim to send you a stamped copy of your application within a week of receiving it. This means your application is being considered (it has been \u2018issued\u2019). You\u2019ll be sent a letter explaining what to do next.\n\nWithin 14 days of the application being issued, you must tell (sometimes called \u2018serving\u2019) the following people:\n\n- the person you\u2019re applying to be a deputy for\n\n- at least 3 people named in your application as having an interest, for example the person\u2019s relatives, social worker or doctor\n\nIf you cannot tell 3 people you should send in a witness statement (COP24).\n\n## Tell the person you\u2019re applying to be a deputy for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to be their deputy\n\n- that their ability to make decisions is being questioned\n\n- what having a deputy would mean for them\n\n- where to get advice if they want to discuss the application\n\nDuring the visit give them:\n\n- a completed proceedings notification form (COP14) - use the guidance notes to fill this in yourself\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\n## Tell people connected to your application\n\nYou must tell 3 people named on your application that it has been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\n## Confirming that you\u2019ve told people (\u2018served notice\u2019)\n\nWithin 7 days of serving the documents, you must download and fill in the relevant forms (sometimes called \u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the person you\u2019re applying to be deputy for (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## Fees\n\nYou must pay:\n\n- a fee to apply to be a deputy\n\n- a supervision fee every year after you\u2019ve been appointed\n\nYou may also have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy.\n\n## When you apply\n\nYou must pay a \u00a3365 application fee. Send this with your application form.\n\nYou need to pay the application fee twice if you\u2019re applying to become both types of deputy.\n\nYou\u2019ll also need to pay \u00a3485 if the court decides your case needs a hearing. The court will tell you when you need to pay this.\n\nMake all cheques payable to \u2018HM Courts and Tribunals Service\u2019.\n\n## Security bonds for property and affairs deputies\n\nYou may have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy. This is a type of insurance that protects the finances of the person you\u2019re a deputy for.\n\nYou do not have to set up a bond if either:\n\n- you\u2019re representing a local authority\n\n- the court decides it\u2019s not necessary, for example if the person\u2019s estate has a low value\n\nIf you need to set one up, you\u2019ll get a letter from the court telling you this. The letter will explain what to do next.\n\nYou set up the bond with a security bond provider. The amount you pay depends on:\n\n- the value of the estate of the person you\u2019re a deputy for\n\n- how much of their estate you control\n\nYou can pay it either:\n\n- using the person\u2019s money\n\n- yourself - you can get the money back from the person\u2019s estate once you have access to it\n\nYou may be prosecuted if you misuse the person\u2019s money.\n\n## After you\u2019ve been appointed\n\nYou must pay an annual supervision fee depending on what level of supervision your deputyship needs. You\u2019ll pay:\n\n- \u00a3320 for general supervision\n\n- \u00a335 for minimal supervision - this applies to some property and affairs deputies managing less than \u00a321,000\n\nYour annual supervision fee is due on 31 March for the previous year.\n\nYou\u2019ll also need to pay a \u00a3100 assessment fee if you\u2019re a new deputy.\n\nThe Office of the Public Guardian will tell you how and when to pay your assessment and supervision fees.\n\nYou may be able to claim a refund of your fees in certain situations.\n\n## Getting help with your application fee\n\nYou may not have to pay an application fee depending on:\n\n- what type of deputy you\u2019re applying to be\n\n- how much money you or the person you\u2019re applying to be deputy for has\n\n| Type of deputy | Whose finances will be assessed |\n\n| Property and financial affairs | Theirs |\n\n| Personal welfare | Yours |\n\nThe guidance has information about getting help with your fees.\n\nYou can claim back the fee from the funds of the person you want to be a deputy for if you\u2019re applying to be a property and affairs deputy.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving the application.\n\n## Getting help with your supervision fees\n\nYou can apply for an exemption or reduction of the fee if the person you\u2019re a deputy for gets certain benefits or has an income below \u00a312,000. Read the guidance that comes with the form and apply if the person meets the requirements. The address is on the form.\n\nIf the person you\u2019re deputy for dies, you pay the supervision fee for the part of the year when you acted as deputy. For example, you\u2019ll have to pay \u00a317.50 if your minimal supervision deputyship comes to an end after 6 months.\n\n## After you've applied\n\nThere\u2019s a 14-day wait after you tell the other people involved that you applied, in case they object.\n\nThe Court of Protection will then review your application and tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you need to set up a security bond before you can be appointed\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to get more information, for example if someone objected\n\nThere\u2019s usually no hearing if you applied to be a property and financial affairs deputy.\n\nRead guidance on how coronavirus (COVID-19) might affect your hearing and what you should bring.\n\n## Tell the person you want to be a deputy for about the hearing\n\nYou\u2019ll get a notice with the date of the hearing if the court decides to hold one. You must visit the person you want to be deputy for and tell them about it:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nGive them a completed notice about proceedings (COP14). Use the guidance notes to fill it in.\n\nYou must explain that they can contact Court of Protection staff for advice and assistance.\n\nWhen you\u2019ve told them, send a certificate of service (COP20A) to the Court of Protection within 7 days.\n\nYou\u2019ll have to pay a fee if the court makes a final decision at the hearing.\n\nThe guidance explains what to expect from a Court of Protection hearing.\n\n## When you're appointed\n\nYou\u2019ll be sent a \u2018court order\u2019 telling you what you can and cannot do as a deputy. When you have this, you can start acting on the person\u2019s behalf.\n\nYou\u2019ll be sent the court order:\n\n- as soon as you\u2019re appointed - if you\u2019re a personal welfare deputy\n\n- after you set up a security bond - if you\u2019re a property and affairs deputy and have been asked to do this by the court\n\nYou\u2019ll need a separate court order before you can:\n\n- sell a property that\u2019s jointly owned if you\u2019re a property and affairs deputy\n\n- make a one-off decision on anything else that\u2019s not covered by the court order\n\nCheck the court order. If there are any mistakes, download and fill in form COP9 with the details and send it to the court within 21 days of receiving the court order. There is no fee.\n\n## Tell people and organisations you\u2019re a deputy\n\nYou\u2019ll get official copies of the court order to send to banks and building societies, for example. These prove you\u2019re acting on behalf of the other person. When you send out an official copy, ask for it to be returned.\n\nOrder extra copies of the court order by writing to the Court of Protection. They cost \u00a35 each.\n\n## Start managing a bank account\n\nBefore you can manage an account, you must show the bank:\n\n- the original court order, or an official copy of it\n\n- proof of your name, for example your passport or driving licence\n\n- proof of your address, for example a gas, electricity or council tax bill, or letter from a government department\n\n- proof of the name or address of the person you\u2019re applying to be deputy for - if they\u2019re not the same as on the bank account\n\n## Court Funds Office accounts\n\nIf the person you\u2019re deputy for has money in a Court Funds Office account, you\u2019ll be sent information about how to access it.\n\nYou can also apply to open an account with the Court Funds Office if you\u2019re a property and affairs deputy and it\u2019s in the person\u2019s best interests.\n\n## Record your decisions and transactions\n\nYou can start your annual report to record your decisions and transactions, such as paying bills.\n\n## Supervision, support and visits\n\nAs a deputy, you\u2019ll be supervised by the Office of the Public Guardian (OPG). They\u2019re authorised to contact you or visit you to check you\u2019re being an effective deputy. They can also give you advice and support.\n\n## How you\u2019ll be supervised\n\nNew deputies get a \u2018general\u2019 level of supervision for their first year.\n\nAfter that, if you\u2019re a property and affairs deputy you\u2019ll move to \u2018minimal\u2019 supervision if both:\n\n- you\u2019re managing less than \u00a321,000\n\n- you no longer need a general level of supervision\n\nYou\u2019ll pay a lower fee and have to write a shorter annual report than deputies with general supervision.\n\n## Supervision visits\n\nYou may be visited by a Court of Protection visitor to check if you:\n\n- understand your duties\n\n- have the right level of support from OPG\n\n- are carrying out your duties properly\n\n- are being investigated because of a complaint\n\nThe visitor will call you to arrange the visit and explain why they\u2019re visiting.\n\n## Contact OPG\n\nTell OPG if you\u2019re planning to make an important decision, for example you want to sell the property of the person you\u2019re deputy for so they can move into a care home.\n\n## Accounts, gifts and expenses\n\nYou must keep accounts and follow the rules for gifts and expenses if you\u2019re acting as deputy for someone else. You must also record the transactions in your annual report.\n\n## Accounts\n\nAs a property and affairs deputy, you must keep copies of:\n\n- bank statements\n\n- contracts for services or tradespeople\n\n- receipts\n\n- letters and emails about your activities as a deputy\n\n## Gifts\n\nYour court order will say if you can buy gifts or give gifts of money on behalf of the other person, including donations to charities. It will also say if there\u2019s an annual limit on how much money you can use for gifts.\n\nGifts must be reasonable. You need to make sure any gifts do not reduce the level of care the person you\u2019re deputy for can afford.\n\nYou must apply to the Court of Protection if you want to make a one-off large gift for Inheritance Tax purposes, for example.\n\n## Expenses\n\nYou can claim expenses for things you must do to carry out your role as deputy, for example phone calls, postage and travel costs. You cannot claim:\n\n- travel costs for social visits\n\n- for the time spent carrying out your duties (unless you\u2019re a professional deputy, for example a solicitor)\n\nYou may be asked to give a detailed report of what you spent. You\u2019ll have to pay the money back if the Office of the Public Guardian finds your expenses are unreasonable. They may ask the court to stop you being a deputy if they think you\u2019ve been dishonest.\n\n## Complete your deputy report\n\nYou must write a report each year explaining the decisions you\u2019ve made as a deputy. You might be asked to do this more often if the Office of the Public Guardian (OPG) needs additional information.\n\nYou may also need to write a final report if you stop being a deputy.\n\nIf you\u2019re a public authority or professional deputy using the service for the first time, you need to contact your case manager to register first. If you\u2019re a deputy for a friend or family member, you can create an account online.\n\nStart now\n\nOr you can download and fill in a paper annual report form. The address you need to send it to is on the form.\n\n## What to include\n\nYour report must include:\n\n- the reasons for your decisions and why they were in the best interests of the person you\u2019re deputy for\n\n- who you spoke to and why what they said was in the person\u2019s best interests\n\n- the finances of the person if you\u2019re their property and financial deputy\n\nThe OPG will tell you when it\u2019s time to send it.\n\nIf you do not send the report the OPG might:\n\n- increase your level of supervision\n\n- ask the court to replace you with a different deputy\n\n## Change your deputyship or make a one-off decision\n\nYou must apply to the Court of Protection if you have to:\n\n- renew your deputyship\n\n- change your deputyship, for example make decisions that are not in the original order\n\n- make a one-off decision on something not covered by your court order\n\n## How to apply\n\nDownload and fill in both:\n\n- an application form (COP 1)\n\n- a witness statement form (COP24) with a copy of the current order appointing you as a deputy attached\n\nYour witness statement should include:\n\n- the total annual income of the person you\u2019re a deputy for including pensions\n\n- a summary of their assets, for example bank balances, savings, investments\n\n- details of property they own\n\n- the annual cost of their care and other regular items of major expenditure\n\n- the value of the security bond set by the court\n\n- a description of the circumstances that have led to the application being made\n\nSend the Court of Protection:\n\n- the completed forms\n\n- a cheque for the application fee - \u00a3365 - payable to \u2018HM Courts and Tribunals Service\u2019\n\nYou can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nIf you need help with changing your deputyship, call the Court of Protection.\n\n## What happens next\n\nYou may have to notify other people about the change to the court order if the court tells you to.\n\nThey can object or ask the court to reconsider any proposed changes they do not agree with. They can do this:\n\n- before the court order is issued\n\n- up to 21 days after the court order is issued\n\n## End your deputyship\n\nIf you no longer want or need to be a deputy, download and fill in the application notice (COP1) and send it to the Court of Protection.\n\nIf the person has recovered mental capacity, download and fill in form COP 9. Send it to the Court of Protection with any supporting evidence, for example a doctor\u2019s letter.\n\nYou cannot stop being a deputy until you\u2019ve got the relevant court order.\n\n## If the person you\u2019re deputy for dies\n\nContact the Office of the Public Guardian (OPG) and the Court of Protection to tell them that the person has died.\n\nYou\u2019ll also have to send evidence to OPG that the person has died, for example a death certificate. Check the full list of evidence that OPG accepts.\n\nYour security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.\n\nContact the Court Funds Office if the person you were deputy for had an account with them.\n\nRead more about how to be a deputy.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-deputy", + "answerable": true, + "scenario": "My brother has 2 kids and my brother lost his partner in a accident and my brother also suffering from dementia and can't make decision on his own", + "original_question": "My brother's partners brother want to be my brother's deputy . Is this possible ?" + }, + { + "id": "train-183", + "question": "Scenario: I suffer from agoraphobia which severely affects my dad to day life. I have not left my home in over two years and rely on someone else to shop for me\n\nQuestion: As my illness is mental not physical, am I still eligible for PIP?\n\nDocument - Personal Independence Payment (PIP):\n## Overview\n\nPersonal Independence Payment (PIP) can help you with some of the extra costs if you have a long term physical or mental health condition or disability.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThe amount you get depends on how your condition affects you, not the condition itself. You\u2019ll be assessed by a health professional to work out the level of help you can get.\n\nYour carer could get Carer\u2019s Allowance if you have substantial caring needs.\n\n## If you get Disability Living Allowance (DLA)\n\nDisability Living Allowance (DLA) is being replaced by PIP for most adults. You\u2019ll keep getting DLA if:\n\n- you\u2019re under 16\n\n- you were born on or before 8 April 1948\n\nIf you were born after 8 April 1948, the Department for Work and Pensions (DWP) will invite you to apply for PIP. You do not need to do anything until DWP writes to you about your DLA unless your circumstances change.\n\n## Help with PIP\n\nYou can contact a local support organisation or Citizens Advice to get help understanding PIP.\n\n## Eligibility\n\nYou can get Personal Independence Payment (PIP) whether you\u2019re working or not.\n\nYou must be aged 16 or over and usually have not reached State Pension age to claim.\n\nYou must also have a physical or mental health condition or disability where you:\n\n- have had difficulties with daily living or getting around (or both) for 3 months\n\n- expect these difficulties to continue for at least 9 months\n\nYou usually need to have lived in England, Scotland or Wales for at least 2 of the last 3 years, and be in one of these countries when you apply. If you\u2019ve recently returned from living in an EEA country, you might be able to get PIP sooner.\n\nFind out about PIP if you live in Northern Ireland.\n\nThere are different rules if you\u2019re terminally ill and a healthcare professional has said you might have less than 6 months to live.\n\nYou cannot get PIP and Armed Forces Independence Payment at the same time.\n\n## Daily living difficulties\n\nYou may get the daily living part of PIP if you need help more than half of the time with things like:\n\n- preparing or eating food\n\n- washing, bathing and using the toilet\n\n- dressing and undressing\n\n- reading and communicating\n\n- managing your medicines or treatments\n\n- making decisions about money\n\n- engaging with other people\n\n## Mobility difficulties\n\nYou may get the mobility part of PIP if you need help going out or moving around.\n\n## How you\u2019re assessed\n\nYou\u2019ll be assessed by an independent healthcare professional to work out the level of help you need.\n\n## If you\u2019ve reached State Pension age\n\nYou can get PIP if you:\n\n- were already getting PIP before you reached State Pension age and your condition has not changed\n\n- have been claiming Disability Living Allowance (DLA) and you\u2019ve had a letter inviting you to apply for PIP\n\nYou may get PIP if you previously got it and you were still entitled to it within the last year.\n\nIf you cannot get PIP, you can apply for Attendance Allowance instead.\n\n## Living abroad\n\nYou might still be able to get PIP if you:\n\n- live in an EU or EEA country or Switzerland - you can only get help with daily living needs\n\n- are a member or family member of the Armed Forces\n\n## If you\u2019re not a British citizen\n\nYou must:\n\n- normally live in or show that you intend to settle in the UK, Ireland, the Isle of Man or the Channel Islands\n\n- not be subject to immigration control (unless you\u2019re a sponsored immigrant)\n\nYou might still be able to get PIP if you are a refugee or have humanitarian protection status.\n\n## What you\u2019ll get\n\nPersonal Independence Payment (PIP) is made up of 2 parts - a daily living part and a mobility part. Whether you get one or both of these and how much you\u2019ll get depends on how severely your condition affects you.\n\nYou\u2019ll need an assessment to work out how much you\u2019ll get. Your rate will be regularly reviewed to make sure you\u2019re getting the right support.\n\nPIP is tax free. The amount you get is not affected by your income or savings.\n\nYou need to tell DWP straight away if there\u2019s a change in your personal circumstances or how your condition affects you.\n\n## Daily living part\n\nThe weekly rate for the daily living part of PIP is either \u00a360.00 or \u00a389.60.\n\n## Mobility part\n\nThe weekly rate for the mobility part of PIP is either \u00a323.70 or \u00a362.55.\n\n## Terminal illness\n\nYou\u2019ll get the higher daily living part if you\u2019re not expected to live more than 6 months. The rate of the mobility part depends on your needs.\n\n## How other benefits affect your PIP\n\nThe daily living part of your PIP will be reduced if you get any of the following benefits:\n\n- Constant Attendance Allowance\n\n- War Pensioners\u2019 Mobility Supplement\n\n## How you\u2019re paid\n\nPIP is usually paid every 4 weeks.\n\nYour decision letter will tell you:\n\n- the date of your first payment\n\n- what day of the week you\u2019ll usually be paid\n\nIf your payment date is on a bank holiday, you\u2019ll usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Other help\n\nYou or your carer might also qualify for other financial help, for example Carer\u2019s Allowance, or help with housing or transport costs.\n\nIf you get PIP and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.\n\n## How to claim\n\nCall the Department for Work and Pensions (DWP) to make a new Personal Independence Payment (PIP) claim.\n\nThere is a different way to claim if you\u2019re terminally ill.\n\nFind out how to claim if you live in Northern Ireland.\n\n## Claim by telephone or textphone\n\nBefore you call, you\u2019ll need:\n\n- your contact details, for example telephone number\n\n- your date of birth\n\n- your National Insurance number - this is on letters about tax, pensions and benefits\n\n- your bank or building society account number and sort code\n\n- your doctor or health worker\u2019s name, address and telephone number\n\n- dates and addresses for any time you\u2019ve spent in a care home or hospital\n\n- dates for any time you spent abroad for more than 4 weeks at a time, and the countries you visited\n\nIf you need someone to help you, ask DWP to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\n## Claim by post\n\nYou can get a form to send information by post (although this can delay the decision on your claim). Write a letter to ask for the form.\n\n## What happens next\n\n- You\u2019ll be sent a \u2018How your disability affects you\u2019 form. Call the PIP enquiry line if you need it in an alternative format such as braille, large print or audio CD.\n\n- Fill in the form using the notes that come with it to help you. You can also read Citizens Advice\u2019s help on filling in the form.\n\n- Return the form to DWP - the address is on the form. You have 1 month to return the form. DWP will start processing your claim when they receive your form. Contact the PIP enquiry line if you need more time.\n\n- If more information is needed, an independent health professional will send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call. You\u2019ll be asked questions about your ability to carry out activities and how your condition affects your daily life. You can read Citizens Advice\u2019s help on preparing for an assessment.\n\n- You\u2019ll get a letter that tells you whether you\u2019ll get PIP. If you do, you\u2019ll be told how much you\u2019ll get, when you\u2019ll be paid and the date your PIP will be reviewed so that you continue to get the right support.\n\nBecause of coronavirus (COVID-19), you\u2019ll only be invited to attend an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.\n\nYou cannot apply using any Disability Living Allowance (DLA) forms you may have.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## If your PIP claim is reviewed\n\nThe letter you got when your Personal Independence Payment (PIP) was approved will tell you when your claim will end and if it will be reviewed.\n\nIf your claim is going to be reviewed, the letter will tell you when you\u2019ll be contacted about the review.\n\n## How PIP reviews work\n\nYou will continue to get PIP while your claim is being reviewed.\n\n- You\u2019ll get a letter asking you to fill in a form called \u2018Award review - how your disability affects you\u2019.\n\n- Fill in the form using the notes that come with it.\n\n- Send the form and any supporting information you have not shared with the Department for Work and Pensions (DWP) before - the form explains what to include and where to send it. You\u2019ll need to return it within 1 month. Contact the PIP enquiry line if you need more time.\n\n- DWP will review your form. If they need more information, an independent health professional might phone you to ask some questions or send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call.\n\n- You\u2019ll get a letter that tells you what will happen with your PIP. If your needs have changed, your PIP might be increased, reduced or stopped.\n\nBecause of coronavirus (COVID-19), you\u2019ll only be invited to an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Change of circumstances\n\nYou must contact the Personal Independence Payment (PIP) enquiry line if:\n\n- your personal details change, for example your name, address or doctor\n\n- the help you need or your condition changes\n\n- your condition has worsened and you\u2019re not expected to live more than 6 months\n\n- you go into hospital or a care home\n\n- you go abroad\n\n- you\u2019re imprisoned or held in detention\n\n- your immigration status changes, if you\u2019re not a British citizen\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## How to report a change of circumstances\n\nContact the PIP enquiry line to report a change of circumstances.\n\nIf you need someone to help you, ask the Department for Work and Pensions (DWP) to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## Claiming PIP if you're terminally ill\n\nYou can get Personal Independence Payment (PIP) more quickly if you\u2019re terminally ill.\n\nYou can claim PIP if:\n\n- your doctor or a healthcare professional has said you might have less than 6 months to live\n\n- you are aged 16 or over and usually have not reached State Pension age\n\n## How to claim\n\nYou can claim for yourself or someone else can do it for you.\n\nCall DWP to start your PIP claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to DWP.\n\nYou will not need to go to a face-to-face consultation.\n\nIf you need someone to help you, ask DWP to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\nYou may be able to get other benefits if you\u2019re terminally ill.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pip", + "answerable": true, + "scenario": "I suffer from agoraphobia which severely affects my dad to day life. I have not left my home in over two years and rely on someone else to shop for me", + "original_question": "As my illness is mental not physical, am I still eligible for PIP?" + }, + { + "id": "train-186", + "question": "Scenario: My partner earn less than \u00a350,000. I am employed and on a payroll and earn less than \u00a350000 but receiving a dividend\n\nQuestion: My pay and dividend when added together will be more than \u00a350,000. Will I be eligible to apply for child benefit ?\n\nDocument - Claim Child Benefit:\n## How it works\n\nYou get Child Benefit if you\u2019re responsible for bringing up a child who is:\n\n- under 16\n\n- under 20 if they stay in approved education or training\n\nOnly one person can get Child Benefit for a child.\n\nIt\u2019s paid every 4 weeks and there\u2019s no limit to how many children you can claim for.\n\nThis guide is also available in Welsh (Cymraeg).\n\nBy claiming Child Benefit:\n\n- you can get National Insurance credits which count towards your State Pension\n\n- your child will automatically get a National Insurance number when they\u2019re 16 years old\n\nIf you choose not to get Child Benefit payments, you should still fill in and send off the claim form.\n\n## If you or your partner earn over \u00a350,000\n\nYou may have to pay back some of your Child Benefit in tax if your (or your partner\u2019s) individual income is over \u00a350,000.\n\n## If your circumstances change\n\nYou must report any change of circumstances to the Child Benefit Office.\n\n## What you'll get\n\nThere are 2 Child Benefit rates.\n\n| Who the allowance is for | Rate (weekly) |\n\n| Eldest or only child | \u00a321.15 |\n\n| Additional children | \u00a314 per child |\n\nYou must contact the Child Benefit Office if you\u2019re paid too much or too little.\n\nThe benefit cap may affect the total amount of benefits you get, including Child Benefit.\n\n## How and when Child Benefit is paid\n\nChild Benefit is usually paid every 4 weeks on a Monday or Tuesday.\n\nYou can have the money paid weekly if you\u2019re a single parent or getting certain other benefits, such as Income Support.\n\nYou can get the money paid into any account, apart from a Nationwide cashbuilder account (sort code 070030) in someone else\u2019s name.\n\nYou can only get the money paid into one account.\n\n## Child Benefit and your State Pension\n\nIf your child is under 12 and you\u2019re not working or do not earn enough to pay National Insurance contributions, Child Benefit can give you National Insurance credits.\n\nThese credits count towards your State Pension, so you do not have gaps in your National Insurance record.\n\n## If families split up\n\nIf a family splits up, you get \u00a321.15 a week for the eldest child.\n\nIf you have 2 children and one stays with you and the other stays with your ex-partner, you\u2019ll both get \u00a321.15 a week for each child.\n\nIf you both claim for the same child, only one of you will get Child Benefit for them.\n\nIf you have other children who are entitled to Child Benefit, you\u2019ll get \u00a314 for each child.\n\n## If families join together\n\nIf 2 families join together, the eldest child in the new family qualifies for the \u00a321.15 rate and any other children who are eligible will get the \u00a314 rate.\n\n## If you or your partner earn over \u00a350,000\n\nYou can get Child Benefit if your (or your partner\u2019s) individual income is over \u00a350,000, but you may be taxed on the benefit. This is known as the High Income Child Benefit Tax Charge.\n\nIf your partner\u2019s income is also over \u00a350,000 but yours is higher, you\u2019re responsible for paying the tax charge. You need to fill in a Self Assessment tax return each tax year and pay what you owe.\n\nUse the Child Benefit tax calculator to estimate how much tax you may have to pay.\n\nOnce you earn \u00a360,000 you lose all of your benefit through tax.\n\n## Eligibility\n\nOnly one person can get Child Benefit for a child.\n\nYou normally qualify for Child Benefit if you\u2019re responsible for a child under 16 (or under 20 if they stay in approved education or training) and you live in the UK.\n\nYou\u2019ll usually be responsible for a child if you live with them or you\u2019re paying at least the same amount as Child Benefit (or the equivalent in kind) towards looking after them, for example on food, clothes or pocket money.\n\nEligibility rules are different if your child:\n\n- goes into hospital or care\n\n- lives with someone else\n\nChild Benefit continues for 20 weeks if 16 or 17 year olds leave education or training and register with the armed services or a government-sponsored careers service.\n\n## Fostering a child\n\nYou\u2019ll get Child Benefit if you foster a child, as long as the local council is not paying anything towards their accommodation or maintenance.\n\n## Adopting a child\n\nYou can apply for Child Benefit as soon as any child you\u2019re adopting comes to live with you - you do not have to wait until the adoption process is complete.\n\nYou might be able to get Child Benefit for a period before the adoption - contact the Child Benefit Office to find out.\n\n## Looking after someone else\u2019s child\n\nYou may be able to get Child Benefit if you\u2019ve got an informal arrangement to look after a friend or relative\u2019s child.\n\nYou might not qualify if your local council is paying towards the child\u2019s accommodation or maintenance - contact the Child Benefit Office to find out.\n\nTwo people cannot get Child Benefit for the same child - if you want to make a claim, you must agree it with the person who\u2019s currently claiming. HMRC will decide who receives the Child Benefit if you cannot agree.\n\nYou may also be entitled to Guardian\u2019s Allowance if you\u2019re responsible for a child who has lost one or both of their parents.\n\n## Living abroad\n\nYou may be able to get Child Benefit if you go to live in certain countries or if you\u2019re a Crown servant.\n\n## If you\u2019ve moved to the UK\n\nYou may be able to get Child Benefit if you have moved to the UK and you have a \u2018right to reside\u2019.\n\n## If your child starts work or gets benefits in their own right\n\nYou\u2019ll stop receiving Child Benefit immediately if your child:\n\n- starts paid work for 24 hours or more a week and is no longer in approved education or training\n\n- starts an apprenticeship in England\n\n- starts getting certain benefits in their own right, such as Income Support, Employment and Support Allowance or tax credits\n\n## If you or your partner earn over \u00a350,000\n\nYou\u2019ll still be eligible for Child Benefit even if you choose to stop receiving it. You can always change your mind and restart your payments.\n\nContact the Child Benefit Office if you\u2019re not sure about your eligibility.\n\n## How to claim\n\nYou can claim Child Benefit as soon as you\u2019ve registered the birth of your child, or they come to live with you.\n\nIf you\u2019re not able to register the birth of your child because of coronavirus (COVID-19), you can still make a claim to receive Child Benefit.\n\n## How long it takes\n\nIt can take 6 to 12 weeks to process a new Child Benefit claim (or longer if you\u2019re new to the UK). Child Benefit can be backdated for up to 3 months.\n\n## Deciding who should claim\n\nOnly one person can get Child Benefit for a child, so you need to decide whether it\u2019s better for you or the other parent to claim. The person who claims will get National Insurance credits towards their state pension if they are not working or earn less than \u00a3184 per week.\n\n## Make a claim for the first time\n\nFill in Child Benefit claim form CH2 and send it to the Child Benefit Office. The address is on the form.\n\nIf your child is adopted, send their original adoption certificate with the form. You can order a new adoption certificate if you\u2019ve lost the original.\n\nIf you do not have the certificate you need, send your claim form now and send the certificate once you\u2019ve got it.\n\n## If your child\u2019s birth was registered outside the UK\n\nWhen you send your claim form, include your child\u2019s:\n\n- original birth certificate\n\n- passport or travel document used to enter the UK\n\nIf you\u2019ve lost the original you can order a new birth certificate.\n\n## Add a child to an existing claim\n\nCall the child benefit helpline if:\n\n- your child is under 6 months old and lives with you\n\n- your child was born in the UK and their birth was registered in England, Scotland or Wales more than 24 hours ago\n\n- you\u2019re a UK, EEA or Swiss national and you\u2019ve lived in the UK since the start of your claim\n\nWhen you call, you\u2019ll need your:\n\n- National Insurance number\n\n- child\u2019s birth certificate\n\n## If you do not meet the criteria to add a child by phone\n\nYou\u2019ll need to make a new claim by post. Fill in Child Benefit form CH2 and send it to the Child Benefit Office. The address is on the form.\n\nIf you\u2019re claiming for more than 2 children, also include the \u2018additional children\u2019 form.\n\n## Claiming Child Benefit for someone else\n\nYou may be able to manage someone else\u2019s Child Benefit claim.\n\n## Make a change to your claim\n\nYou must report any change of circumstances to the Child Benefit Office. These include changes to your:\n\n- family life, for example getting married\n\n- child\u2019s life, for example leaving education or training\n\n## Change who gets Child Benefit\n\nContact the Child Benefit Office if you want someone else to claim Child Benefit, for example, your spouse or partner.\n\nAfter you\u2019ve done this, tell the other person to make a new claim.\n\n## Stop or restart payments\n\nYou can choose to stop or restart your payments at any time, for example because you or your partner earn over \u00a350,000 a year. It does not affect your eligibility.\n\n## Get help with your claim\n\nContact the Child Benefit Office if you have any questions.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Make a complaint\n\nYou can complain to the Child Benefit Office if you\u2019re unhappy with the way you\u2019ve been treated.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/child-benefit", + "answerable": true, + "scenario": "My partner earn less than \u00a350,000. I am employed and on a payroll and earn less than \u00a350000 but receiving a dividend", + "original_question": "My pay and dividend when added together will be more than \u00a350,000. Will I be eligible to apply for child benefit ?" + }, + { + "id": "train-187", + "question": "Scenario: I am 38, and for the last 18 months have had to take time away from employment to care for my husband, who was badly injured whilst serving in the Army and receives Armed Forces Independence Payment. I receive Carer's Credit, but recently took a break of 30 days, during which caring duties were carried out by my sister-in-law.\n\nQuestion: Will my Carer's Credit cover this break period as well as my full-time caring?\n\nDocument - Carer's Credit:\n## Overview\n\nYou could get Carer\u2019s Credit if you\u2019re caring for someone for at least 20 hours a week.\n\nCarer\u2019s Credit is a National Insurance credit that helps with gaps in your National Insurance record. Your State Pension is based on your National Insurance record.\n\nYour income, savings or investments will not affect eligibility for Carer\u2019s Credit.\n\n## What you'll get\n\nIf you\u2019re eligible for Carer\u2019s Credit, you can get credits to help fill gaps in your National Insurance record.\n\nThis means you can take on caring responsibilities without affecting your ability to qualify for the State Pension.\n\n## Eligibility\n\nTo get Carer\u2019s Credit you must be:\n\n- aged 16 or over\n\n- under State Pension age\n\n- looking after one or more people for at least 20 hours a week\n\nThe person you\u2019re looking after must get one of the following:\n\n- Disability Living Allowance care component at the middle or highest rate\n\n- Attendance Allowance\n\n- Constant Attendance Allowance\n\n- Personal Independence Payment - daily living component, at the standard or enhanced rate\n\n- Armed Forces Independence Payment\n\nIf the person you\u2019re caring for does not get one of these benefits, you may still be able to get Carer\u2019s Credit. When you apply, fill in the \u2018Care Certificate\u2019 part of the application form and get a health or social care professional to sign it.\n\nCarers who do not qualify for Carer\u2019s Allowance may qualify for Carer\u2019s Credit.\n\n## Breaks in caring and eligibility\n\nYou can still get Carer\u2019s Credit even if you have breaks from caring (up to 12 weeks in a row).\n\nFor example, you\u2019ll still get Carer\u2019s Credit for 12 weeks if:\n\n- you take a short holiday\n\n- someone you look after goes into hospital\n\n- you go into hospital\n\nKeep the Carer\u2019s Allowance Unit updated if you have a break in caring of more than 12 weeks in a row.\n\n## How to claim\n\n## Before you start\n\nYou do not need to apply for Carer\u2019s Credit if you:\n\n- get Carer\u2019s Allowance - you\u2019ll automatically get credits\n\n- get Child Benefit for a child under the age of 12 - you\u2019ll automatically get credits\n\n- are a foster carer - you can apply for National Insurance credits instead\n\n## Apply using a form\n\nDownload the Carer\u2019s Credit claim form.\n\nThe form includes a Care Certificate - ask a health or social care professional to sign it for you.\n\nYou can also get the form by calling the Carer\u2019s Allowance Unit.\n\n## Alternative formats\n\nCall the Carer\u2019s Allowance Unit to ask for alternative formats, such as braille, large print or audio CD.\n\n## Where to send your form\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/carers-credit", + "answerable": true, + "scenario": "I am 38, and for the last 18 months have had to take time away from employment to care for my husband, who was badly injured whilst serving in the Army and receives Armed Forces Independence Payment. I receive Carer's Credit, but recently took a break of 30 days, during which caring duties were carried out by my sister-in-law.", + "original_question": "Will my Carer's Credit cover this break period as well as my full-time caring?" + }, + { + "id": "train-188", + "question": "Scenario: I am 34, live in Scotland and am currently studying for a law degree as a mature student, with funding through student finance (via SAAS). I have a 7 year old son and 4 year old daughter\n\nQuestion: Can I claim the Parents' Learning Allowance?\n\nDocument - Parents' Learning Allowance:\n## Overview\n\nYou may be eligible for help with your learning costs if you\u2019re a full-time student with children. This is called Parents\u2019 Learning Allowance.\n\nHow much you get depends on your household income.\n\nThe allowance:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\n- will not affect your benefits or tax credit\n\n## What you'll get\n\nDepending on your household income, in the 2021 to 2022 academic year you could get between \u00a350 and \u00a31,821 a year.\n\nIt\u2019s usually paid in 3 instalments direct to your bank account, one at the start of each term.\n\nParents\u2019 Learning Allowance is paid on top of your other student finance and does not have to be paid back.\n\n## 2020 to 2021 academic year\n\nFull-time students could get up to \u00a31,766 a year.\n\n## Eligibility\n\nIf you\u2019re a student from England with dependent children you may qualify if you\u2019re taking:\n\n- a full-time undergraduate course\n\n- an Initial Teacher Training (ITT) course\n\nYou do not need to be paying for childcare to qualify.\n\n## How to apply\n\nYou can apply for the Parents\u2019 Learning Allowance when you apply for student finance.\n\n## After you apply\n\nAfter you apply you\u2019ll get a letter telling you how much you can get.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/parents-learning-allowance", + "answerable": true, + "scenario": "I am 34, live in Scotland and am currently studying for a law degree as a mature student, with funding through student finance (via SAAS). I have a 7 year old son and 4 year old daughter", + "original_question": "Can I claim the Parents' Learning Allowance?" + }, + { + "id": "train-190", + "question": "Scenario: I have been classed as vulnerable during the pandemic and this has meant I have had to self-isolate for the past 14 months and I have been unable to work during this time.\n\nQuestion: Will I be able to claim the full amount of Employment and Support Allowance?\n\nDocument - Employment and Support Allowance (ESA):\n## Overview\n\nYou can apply for Employment and Support Allowance (ESA) if you have a disability or health condition that affects how much you can work.\n\nYou may also be able to get ESA if you were unable to work while self-isolating or \u2018shielding\u2019 because of coronavirus (COVID-19).\n\nESA gives you:\n\n- money to help with living costs if you\u2019re unable to work\n\n- support to get back into work if you\u2019re able to\n\nYou can apply if you\u2019re employed, self-employed or unemployed.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Eligibility\n\nYou can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.\n\nYou also need to have both:\n\n- worked as an employee or have been self-employed\n\n- paid enough National Insurance contributions, usually in the last 2 to 3 years - National Insurance credits also count\n\nCheck your National Insurance record for gaps.\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. Universal Credit can help with, for example, your housing and childcare costs.\n\nYou cannot get \u2018new style\u2019 ESA if you:\n\n- claim Jobseeker\u2019s Allowance\n\n- claim Statutory Sick Pay\n\n## If your Statutory Sick Pay (SSP) is due to end\n\nYou can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends. You\u2019ll start getting \u2018new style\u2019 ESA as soon as your SSP ends.\n\n## If you\u2019re working\n\nYou can apply whether you\u2019re in or out of work. There are conditions to working while claiming ESA.\n\n## If you\u2019ve been affected by coronavirus (COVID-19)\n\nYou can apply for \u2018new style\u2019 ESA if you\u2019re unable to claim Statutory Sick Pay and one of the following applies:\n\n- you or your child might have COVID-19 or you\u2019re recovering from it\n\n- you or your child are self-isolating because you came into contact with someone who might have COVID-19\n\n- you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery\n\n- you were advised to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nIf you\u2019re claiming ESA because of COVID-19, you\u2019ll need to give evidence to support your claim.\n\n## Proof if you\u2019re self-isolating because of COVID-19\n\nIf you or your child are self-isolating and you cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019ve been off work for 7 or more days. You do not have to go to your doctor or a hospital.\n\nIf you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.\n\nIf you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.\n\n## Proof if you were advised to shield because of COVID-19\n\nYour doctor or health authority should have sent you a letter advising you or your child to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19.\n\nThe letter will have included the period to shield for. It is proof of your eligibility for ESA for days away from work in that period.\n\nYou may have more than one letter covering more than one shielding period.\n\nContact your doctor if you do not have a letter but think you should have one.\n\n## What you'll get\n\nHow much you get will depend on what stage your application is at, as well as things like your age and whether you\u2019re able to get back into work.\n\nIf you get \u2018new style\u2019 ESA you\u2019ll earn Class 1 National Insurance credits, which can help towards your State Pension and some benefits in the future.\n\n## What might affect how much you get paid\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nNeither your or your partner\u2019s savings or income will affect how much \u2018new style\u2019 ESA you\u2019re paid. But a private pension worth more than \u00a385 per week may affect how much you can get.\n\nIf you get income-related ESA, your household income and savings worth \u00a36,000 or more may affect how much you can get.\n\n## While your claim is being assessed\n\nYou\u2019ll normally get the \u2018assessment rate\u2019 for 13 weeks while your claim is being assessed.\n\nThis will be:\n\n- up to \u00a359.20 a week if you\u2019re aged under 25\n\n- up to \u00a374.70 a week if you\u2019re aged 25 or over\n\nIf it takes longer than 13 weeks to assess your claim, you\u2019ll continue getting the \u2018assessment rate\u2019 until you get a decision or until your ESA is due to end. Your ESA will be backdated if you\u2019re owed any money after 13 weeks.\n\n## After you\u2019re assessed\n\nYou\u2019ll be placed into one of 2 groups if you\u2019re entitled to ESA. If you\u2019re able to get back into work in the future, you\u2019ll be put into the work-related activity group. Otherwise, you\u2019ll be put into the support group.\n\nYou\u2019ll get:\n\n- up to \u00a374.70 a week if you\u2019re in the work-related activity group\n\n- up to \u00a3114.10 a week if you\u2019re in the support group\n\n## If you\u2019re in the support group\n\nIf you\u2019re in the support group and on income-related ESA, you\u2019re also entitled to the enhanced disability premium.\n\nYou may also qualify for the severe disability premium.\n\nFind out how to apply for a disability premium.\n\n## How you\u2019re paid\n\nYou\u2019ll get paid ESA every 2 weeks.\n\nAll benefits are paid into your bank, building society or credit union account.\n\n## Other benefits you can claim\n\nUniversal Credit can help with, for example, your housing and childcare costs. You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA.\n\nUse a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment (PIP) if you have a long-term health condition or disability.\n\nThe benefit cap may affect the total amount of benefit you can get. The cap will not affect you if you\u2019re in the support group.\n\n## If you\u2019re moving to Universal Credit from income-related ESA\n\nIf your income-related ESA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of ESA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.\n\nThe Department for Work and Pensions (DWP) will write to you telling you how this works.\n\nYou do not need to pay this money back, and it will not affect the amount of Universal Credit you get.\n\n## Budgeting Loan\n\nYou can apply for a Budgeting Loan if you\u2019ve been on income-related ESA for at least 6 months.\n\n## Advice on money and debt\n\nYou can get help and advice from your Jobcentre Plus work coach or:\n\n- Citizens Advice\n\n- Money Advice Service\n\n- National Debtline\n\n- Shelter\n\n- Turn2us\n\n## Working while you claim\n\nYou can usually work while you are claiming ESA if both of the following apply:\n\n- you work less than 16 hours a week\n\n- you do not earn more than \u00a3143 a week\n\nTell Jobcentre Plus about your work when you make a claim.\n\nSend this form to Jobcentre Plus if you\u2019re already claiming ESA and you want to start work.\n\n## When you can work 16 hours or more a week\n\nYou can work more than 16 hours a week if the work is either voluntary or \u2018supported permitted work\u2019.\n\n## Supported permitted work\n\nThe work must be either:\n\n- supervised by someone from a local council or voluntary organisation who arranges work for disabled people\n\n- part of a treatment programme under medical supervision\n\nYou can still earn no more than \u00a3143 a week.\n\n## How to claim\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. \nCheck if you\u2019re eligible for Universal Credit.\n\nThere\u2019s a different way to apply in Northern Ireland.\n\n## What you need to apply\n\nYou\u2019ll need:\n\n- your National Insurance number\n\n- your bank or building society account number and sort code (you can use a friend or family member\u2019s account if you do not have one)\n\n- your doctor\u2019s name, address and telephone number\n\n- details of your income if you\u2019re working\n\n- the date your Statutory Sick Pay (SSP) ends if you\u2019re claiming it\n\nYou cannot get \u2018new style\u2019 ESA if you\u2019re getting Statutory Sick Pay (SSP) from an employer. You can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends.\n\nIf you\u2019re applying because of COVID-19, you\u2019ll also need:\n\n- an \u2018isolation note\u2019 if you\u2019re unable to work because of COVID-19\n\n- your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19\n\n- a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a letter from your doctor or a health authority advising you or your child to shield (take extra precautions to reduce contact with others) because you\u2019re at very high risk of severe illness from COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nOnce you\u2019ve applied, you\u2019ll be contacted by phone and told when to give the evidence and where to send it.\n\nApply now\n\n## When you can apply by phone\n\nCall the Universal Credit helpline if:\n\n- you cannot make an application online\n\n- you\u2019re an appointee for someone\n\n## After you apply\n\nThe Department for Work and Pensions (DWP) will contact you within 10 working days of applying.\n\n## If you\u2019re eligible\n\nDWP will contact you within 10 working days to schedule an appointment that you must attend. It will normally be over the phone with a work coach from your local Jobcentre Plus office.\n\nYour work coach will explain what you need to do to get \u2018new style\u2019 ESA. They will create an agreement with you called a \u2018Claimant Commitment\u2019.\n\nYou must agree to your Claimant Commitment before you can get \u2018new style\u2019 ESA.\n\nAt the appointment, you\u2019ll be asked to:\n\n- explain how your illness or disability affects your ability to work\n\n- provide medical evidence\n\n- agree to tell your local Jobcentre Plus if your circumstances change\n\n## If you\u2019re not eligible\n\nDWP will send you a letter within 10 working days of applying to explain why you\u2019re not eligible for ESA.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## Reapplying for ESA\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nYou may be able to reapply after your \u2018new style\u2019 ESA ends. You may qualify again depending on:\n\n- what National Insurance contributions you paid in the last 2 full tax years before the tax year you\u2019re claiming in\n\n- whether you\u2019re placed in the support group because you developed a new condition or your health deteriorated\n\n## Your ESA claim\n\nAfter you\u2019ve made your claim, you\u2019ll be told if you need to have a \u2018Work Capability Assessment\u2019 and what group you\u2019ll be put in.\n\n## Work Capability Assessment\n\nA Work Capability Assessment is used to find out if your illness or disability affects how much you can work.\n\nYou might not need one, for example if you\u2019re in hospital or you have a terminal illness.\n\nIf you need a Work Capability Assessment you\u2019ll get a letter telling you to fill in the \u2018Capability for work questionnaire\u2019 and send it to the Health Assessment Advisory Service. The address is on the form. The questionnaire is different in Northern Ireland.\n\nYou\u2019ll be told what happens next, for example if you need an appointment to understand your health condition better.\n\nIf you\u2019re claiming both Universal Credit and \u2018new style\u2019 ESA, you\u2019ll only have one Work Capability Assessment.\n\nYou can ask for your assessment to be recorded. If you would like this, tell the Health Assessment Advisory Service using the contact details in your appointment invite letter.\n\n## How the assessment happens\n\nAssessments can be in person, by video call or on the phone. You\u2019ll be told how your assessment will take place.\n\nIf you\u2019re asked to attend in person you\u2019ll be told how to do this safely because of coronavirus (COVID-19). You can bring one adult from your household with you.\n\nIf your assessment is by phone or video call, you can have someone else with you, for example a friend or support worker. You can ask the assessor to call them if they\u2019re not with you when the assessment starts.\n\nYou\u2019ll stay on the \u2018assessment rate\u2019 until a decision can be made on your Work Capability Assessment.\n\n## After your claim is assessed\n\nIf you\u2019re entitled to ESA you\u2019ll be placed in one of 2 groups:\n\n- a work-related activity group (you cannot work now, but can prepare to work in the future, for example by writing a CV)\n\n- a support group (you cannot work now and you\u2019re not expected to prepare for work in the future)\n\n## If you\u2019re in the work-related activity group\n\nYou must attend regular interviews with a work coach. They can help you improve your skills or write a CV to help you get back into work.\n\n## If you\u2019re in the support group\n\nYou\u2019re usually in this group if your illness or disability severely limits what you can do. You do not have to go to interviews. You can tell your work coach if you\u2019d like to take part in work-related activities.\n\n## How long you\u2019ll get ESA for\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\n\u2018New style\u2019 and contribution-based ESA last for 365 days if you\u2019re in the work-related activity group.\n\nThere\u2019s no time limit if you\u2019re in the support group, or if you\u2019re getting income-related ESA.\n\nTo keep getting ESA you must report any change in your circumstances. You may also need to send fit notes regularly.\n\n## If you get a sanction\n\nYour ESA can be reduced if you do not attend interviews or do work-related activity as agreed with your work coach in your \u2018Claimant Commitment\u2019. This reduction can continue for up to 4 weeks after you restart work-related activities.\n\nYou\u2019ll get a letter to say you may be sanctioned. Tell your work coach if you have a good reason for not doing what was agreed in your Claimant Commitment.\n\nYou\u2019ll get another letter if the decision is made to give you a sanction. Your benefit will only be affected once a decision has been made.\n\nYou should contact your local council immediately if you claim Housing Benefit or Council Tax Reduction. They\u2019ll tell you what to do to continue getting support.\n\nIf you get a sanction you can:\n\n- ask for the decision to be looked at again\n\n- ask for a hardship payment\n\nYou will not get a sanction if you\u2019re in the support group.\n\n## Hardship payments\n\nIf you get income-related ESA, you may be able to get a hardship payment if your benefit has been reduced because of a sanction or a penalty due to suspected benefit fraud.\n\nA hardship payment is a reduced amount of your ESA. You do not have to pay it back.\n\nYou can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your family. You must be 18 or over.\n\nSpeak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.\n\n## Report a change of circumstances\n\nYou need to report changes to your circumstances so you keep getting the right amount of Employment and Support Allowance (ESA).\n\nYour claim might be stopped or reduced if you do not report a change straight away.\n\nA change of circumstance can include:\n\n- starting or stopping work, education, training or an apprenticeship\n\n- moving house\n\n- changing your name\n\n- people moving into or out of the place you live (for example your partner or a child)\n\n- changes to the benefits you or anyone else in your house gets\n\n- changes to your pension, savings, investments or property\n\n- changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)\n\n- changing your doctor\n\n- any changes to your medical condition or disability\n\n- going into hospital or a care home or sheltered accommodation\n\n- going abroad for any length of time\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nCall Jobcentre Plus if you\u2019re not sure whether you need to report a change.\n\nYou may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information.\n\n## If you\u2019ve been paid too much\n\nIf you give wrong or incomplete information or do not report a change straight away, you might be paid too much. If you are, you might have to\u00a0pay some of the money back.\n\n## How to report\n\nYou can report a change of circumstances by:\n\n- calling Jobcentre Plus\n\n- writing to the Jobcentre Plus office that pays your ESA - the address is on the letters you get about your ESA\n\nIf you get Universal Credit at the same time as \u2018new style\u2019 ESA, you must also report the changes of circumstances in your Universal Credit account.\n\n## British Sign Language (BSL) video relay service\n\nWatch a video to check you can use the service\n\nGo to the video relay service\n\nMonday to Friday, 8am to 6pm.\n\nIf you\u2019re in Northern Ireland contact the ESA Centre.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employment-support-allowance", + "answerable": true, + "scenario": "I have been classed as vulnerable during the pandemic and this has meant I have had to self-isolate for the past 14 months and I have been unable to work during this time.", + "original_question": "Will I be able to claim the full amount of Employment and Support Allowance?" + }, + { + "id": "train-191", + "question": "Scenario: I'm 56, and have worked in construction since leaving school in the early 1980s. I have now been diagnosed with mesothelioma, which I believe to be the result of improper asbestos exposure in my first job in 1983-85. This has seriously reduced my ability to work.\n\nQuestion: Can I claim Reduced Earnings Allowance?\n\nDocument - Reduced Earnings Allowance:\n## Overview\n\nIf you cannot earn as much as you used to because of an accident or disease caused by your work, you could get up to \u00a373.16 per week Reduced Earnings Allowance.\n\nYou can only get it for accidents that happened, or diseases that started, before 1 October 1990.\n\nYou may also be able to get Industrial Injuries Disablement Benefit (IIDB).\n\n## Effect on other benefits\n\nReduced Earnings Allowance could affect any income-related benefits that you or your partner get.\n\nContact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre for details.\n\n## What you'll get\n\nYou could get up to \u00a373.16 per week.\n\nWhat you get depends on how much you earn in your regular employment.\n\nAsk the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre about how much you can get.\n\nReduced Earnings Allowance will be replaced by another benefit called Retirement Allowance if both the following apply:\n\n- you reach State Pension age\n\n- you\u2019re not in regular employment\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Eligibility\n\nYou could get Reduced Earnings Allowance if you have an illness or disability caused by a work-related accident or disease that happened before 1 October 1990.\n\nYou must also meet all of the following criteria:\n\n- your level of disability is assessed to be at least 1%\n\n- you cannot return to your regular occupation\n\n- you cannot do other work with the same level of earnings as your regular occupation\n\n## Going abroad\n\nIf you leave the UK to live abroad permanently, you may not be able to get Reduced Earnings Allowance.\n\nCheck if you can get benefits if you move to the EU, European Economic Area (EEA) or Switzerland.\n\nFor temporary visits to countries outside the EEA, you can usually claim for the first 3 months of your stay.\n\nThis can be longer in special circumstances - check with the International Pensions Centre to see if you qualify.\n\n## Your circumstances change\n\nTell the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre straight away if your circumstances change, for example:\n\n- you stop or start work\n\n- you change your occupation\n\n- your earnings change\n\n## How to claim\n\nYou\u2019ll need to fill in and post a claim form.\n\nContact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre to get a form.\n\nThe form comes with notes that will:\n\n- help you fill it in\n\n- tell you where to send it\n\nClaim straight away or you might lose benefit.\n\n## Contact the Barnsley IIDB centre\n\n## Alternative formats\n\nCall to ask for alternative formats, such as braille, large print or audio CD.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/reduced-earnings-allowance", + "answerable": true, + "scenario": "I'm 56, and have worked in construction since leaving school in the early 1980s. I have now been diagnosed with mesothelioma, which I believe to be the result of improper asbestos exposure in my first job in 1983-85. This has seriously reduced my ability to work.", + "original_question": "Can I claim Reduced Earnings Allowance?" + }, + { + "id": "train-192", + "question": "Scenario: I am 53, a UK Citizen and have lived in the UK my whole adult life. I was diagnosed with Huntington's Disease just over 14 years ago, the progression of which has steadily reduced my motor skills to the point where I am already claiming PIP at the lower daily rate. My doctor now believes that I am entering the terminal phase of the illness, and have only a few months to live.\n\nQuestion: Am I now eligible for the higher daily rate of PIP?\n\nDocument - Personal Independence Payment (PIP):\n## Overview\n\nPersonal Independence Payment (PIP) can help you with some of the extra costs if you have a long term physical or mental health condition or disability.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThe amount you get depends on how your condition affects you, not the condition itself. You\u2019ll be assessed by a health professional to work out the level of help you can get.\n\nYour carer could get Carer\u2019s Allowance if you have substantial caring needs.\n\n## If you get Disability Living Allowance (DLA)\n\nDisability Living Allowance (DLA) is being replaced by PIP for most adults. You\u2019ll keep getting DLA if:\n\n- you\u2019re under 16\n\n- you were born on or before 8 April 1948\n\nIf you were born after 8 April 1948, the Department for Work and Pensions (DWP) will invite you to apply for PIP. You do not need to do anything until DWP writes to you about your DLA unless your circumstances change.\n\n## Help with PIP\n\nYou can contact a local support organisation or Citizens Advice to get help understanding PIP.\n\n## Eligibility\n\nYou can get Personal Independence Payment (PIP) whether you\u2019re working or not.\n\nYou must be aged 16 or over and usually have not reached State Pension age to claim.\n\nYou must also have a physical or mental health condition or disability where you:\n\n- have had difficulties with daily living or getting around (or both) for 3 months\n\n- expect these difficulties to continue for at least 9 months\n\nYou usually need to have lived in England, Scotland or Wales for at least 2 of the last 3 years, and be in one of these countries when you apply. If you\u2019ve recently returned from living in an EEA country, you might be able to get PIP sooner.\n\nFind out about PIP if you live in Northern Ireland.\n\nThere are different rules if you\u2019re terminally ill and a healthcare professional has said you might have less than 6 months to live.\n\nYou cannot get PIP and Armed Forces Independence Payment at the same time.\n\n## Daily living difficulties\n\nYou may get the daily living part of PIP if you need help more than half of the time with things like:\n\n- preparing or eating food\n\n- washing, bathing and using the toilet\n\n- dressing and undressing\n\n- reading and communicating\n\n- managing your medicines or treatments\n\n- making decisions about money\n\n- engaging with other people\n\n## Mobility difficulties\n\nYou may get the mobility part of PIP if you need help going out or moving around.\n\n## How you\u2019re assessed\n\nYou\u2019ll be assessed by an independent healthcare professional to work out the level of help you need.\n\n## If you\u2019ve reached State Pension age\n\nYou can get PIP if you:\n\n- were already getting PIP before you reached State Pension age and your condition has not changed\n\n- have been claiming Disability Living Allowance (DLA) and you\u2019ve had a letter inviting you to apply for PIP\n\nYou may get PIP if you previously got it and you were still entitled to it within the last year.\n\nIf you cannot get PIP, you can apply for Attendance Allowance instead.\n\n## Living abroad\n\nYou might still be able to get PIP if you:\n\n- live in an EU or EEA country or Switzerland - you can only get help with daily living needs\n\n- are a member or family member of the Armed Forces\n\n## If you\u2019re not a British citizen\n\nYou must:\n\n- normally live in or show that you intend to settle in the UK, Ireland, the Isle of Man or the Channel Islands\n\n- not be subject to immigration control (unless you\u2019re a sponsored immigrant)\n\nYou might still be able to get PIP if you are a refugee or have humanitarian protection status.\n\n## What you\u2019ll get\n\nPersonal Independence Payment (PIP) is made up of 2 parts - a daily living part and a mobility part. Whether you get one or both of these and how much you\u2019ll get depends on how severely your condition affects you.\n\nYou\u2019ll need an assessment to work out how much you\u2019ll get. Your rate will be regularly reviewed to make sure you\u2019re getting the right support.\n\nPIP is tax free. The amount you get is not affected by your income or savings.\n\nYou need to tell DWP straight away if there\u2019s a change in your personal circumstances or how your condition affects you.\n\n## Daily living part\n\nThe weekly rate for the daily living part of PIP is either \u00a360.00 or \u00a389.60.\n\n## Mobility part\n\nThe weekly rate for the mobility part of PIP is either \u00a323.70 or \u00a362.55.\n\n## Terminal illness\n\nYou\u2019ll get the higher daily living part if you\u2019re not expected to live more than 6 months. The rate of the mobility part depends on your needs.\n\n## How other benefits affect your PIP\n\nThe daily living part of your PIP will be reduced if you get any of the following benefits:\n\n- Constant Attendance Allowance\n\n- War Pensioners\u2019 Mobility Supplement\n\n## How you\u2019re paid\n\nPIP is usually paid every 4 weeks.\n\nYour decision letter will tell you:\n\n- the date of your first payment\n\n- what day of the week you\u2019ll usually be paid\n\nIf your payment date is on a bank holiday, you\u2019ll usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Other help\n\nYou or your carer might also qualify for other financial help, for example Carer\u2019s Allowance, or help with housing or transport costs.\n\nIf you get PIP and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.\n\n## How to claim\n\nCall the Department for Work and Pensions (DWP) to make a new Personal Independence Payment (PIP) claim.\n\nThere is a different way to claim if you\u2019re terminally ill.\n\nFind out how to claim if you live in Northern Ireland.\n\n## Claim by telephone or textphone\n\nBefore you call, you\u2019ll need:\n\n- your contact details, for example telephone number\n\n- your date of birth\n\n- your National Insurance number - this is on letters about tax, pensions and benefits\n\n- your bank or building society account number and sort code\n\n- your doctor or health worker\u2019s name, address and telephone number\n\n- dates and addresses for any time you\u2019ve spent in a care home or hospital\n\n- dates for any time you spent abroad for more than 4 weeks at a time, and the countries you visited\n\nIf you need someone to help you, ask DWP to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\n## Claim by post\n\nYou can get a form to send information by post (although this can delay the decision on your claim). Write a letter to ask for the form.\n\n## What happens next\n\n- You\u2019ll be sent a \u2018How your disability affects you\u2019 form. Call the PIP enquiry line if you need it in an alternative format such as braille, large print or audio CD.\n\n- Fill in the form using the notes that come with it to help you. You can also read Citizens Advice\u2019s help on filling in the form.\n\n- Return the form to DWP - the address is on the form. You have 1 month to return the form. DWP will start processing your claim when they receive your form. Contact the PIP enquiry line if you need more time.\n\n- If more information is needed, an independent health professional will send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call. You\u2019ll be asked questions about your ability to carry out activities and how your condition affects your daily life. You can read Citizens Advice\u2019s help on preparing for an assessment.\n\n- You\u2019ll get a letter that tells you whether you\u2019ll get PIP. If you do, you\u2019ll be told how much you\u2019ll get, when you\u2019ll be paid and the date your PIP will be reviewed so that you continue to get the right support.\n\nBecause of coronavirus (COVID-19), you\u2019ll only be invited to attend an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.\n\nYou cannot apply using any Disability Living Allowance (DLA) forms you may have.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## If your PIP claim is reviewed\n\nThe letter you got when your Personal Independence Payment (PIP) was approved will tell you when your claim will end and if it will be reviewed.\n\nIf your claim is going to be reviewed, the letter will tell you when you\u2019ll be contacted about the review.\n\n## How PIP reviews work\n\nYou will continue to get PIP while your claim is being reviewed.\n\n- You\u2019ll get a letter asking you to fill in a form called \u2018Award review - how your disability affects you\u2019.\n\n- Fill in the form using the notes that come with it.\n\n- Send the form and any supporting information you have not shared with the Department for Work and Pensions (DWP) before - the form explains what to include and where to send it. You\u2019ll need to return it within 1 month. Contact the PIP enquiry line if you need more time.\n\n- DWP will review your form. If they need more information, an independent health professional might phone you to ask some questions or send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call.\n\n- You\u2019ll get a letter that tells you what will happen with your PIP. If your needs have changed, your PIP might be increased, reduced or stopped.\n\nBecause of coronavirus (COVID-19), you\u2019ll only be invited to an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Change of circumstances\n\nYou must contact the Personal Independence Payment (PIP) enquiry line if:\n\n- your personal details change, for example your name, address or doctor\n\n- the help you need or your condition changes\n\n- your condition has worsened and you\u2019re not expected to live more than 6 months\n\n- you go into hospital or a care home\n\n- you go abroad\n\n- you\u2019re imprisoned or held in detention\n\n- your immigration status changes, if you\u2019re not a British citizen\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## How to report a change of circumstances\n\nContact the PIP enquiry line to report a change of circumstances.\n\nIf you need someone to help you, ask the Department for Work and Pensions (DWP) to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## Claiming PIP if you're terminally ill\n\nYou can get Personal Independence Payment (PIP) more quickly if you\u2019re terminally ill.\n\nYou can claim PIP if:\n\n- your doctor or a healthcare professional has said you might have less than 6 months to live\n\n- you are aged 16 or over and usually have not reached State Pension age\n\n## How to claim\n\nYou can claim for yourself or someone else can do it for you.\n\nCall DWP to start your PIP claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to DWP.\n\nYou will not need to go to a face-to-face consultation.\n\nIf you need someone to help you, ask DWP to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\nYou may be able to get other benefits if you\u2019re terminally ill.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pip", + "answerable": true, + "scenario": "I am 53, a UK Citizen and have lived in the UK my whole adult life. I was diagnosed with Huntington's Disease just over 14 years ago, the progression of which has steadily reduced my motor skills to the point where I am already claiming PIP at the lower daily rate. My doctor now believes that I am entering the terminal phase of the illness, and have only a few months to live.", + "original_question": "Am I now eligible for the higher daily rate of PIP?" + }, + { + "id": "train-194", + "question": "Scenario: My partner and i have separated after 20 years of marriage but we can\u2019t agree on how to split up our shared properties and assets.Efforts to make a binding agreement have been futile.\n\nQuestion: Can i apply for a court financial order?\n\nDocument - Money and property when you divorce or separate:\n## Getting a financial agreement\n\nWhen you divorce or end a civil partnership you and your ex-partner need to agree how to separate your finances.\n\nThis includes deciding how you\u2019re going to divide:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nYou might get things like:\n\n- a share of your your partner\u2019s pension - including State Pension or private pension plans\n\n- regular maintenance payments to help with children or living expenses\n\nYou can usually avoid going to court hearings if you agree how to split your money and property.\n\nThe rules are different if you were not married or in a civil partnership. You\u2019ll still have to agree on child maintenance payments for any children.\n\nWhat you can do is different in Scotland and Northern Ireland.\n\n## Making an agreement legally binding\n\nIf you and your ex-partner agree on how to divide money and property, you need to apply for a consent order to make it legally binding.\n\n## Get help agreeing\n\nYou can use a mediator or get other help to resolve issues out of court.\n\n## Get the court to decide\n\nIf you cannot agree on everything, you can ask a court to make a financial order.\n\n## If you agree\n\nIt\u2019s usually more straightforward and less expensive if you agree how to divide your money and property. Get help agreeing.\n\n## Making your agreement legally binding\n\nTo make your agreement legally binding you need to draft a consent order and ask a court to approve it.\n\nIf your agreement is not legally binding, a court cannot enforce it if there are any issues later.\n\nA consent order is a legal document that confirms your agreement. It explains how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\nYou can get legal advice or ask a solicitor to draft a consent order for you.\n\n## When to apply for a consent order\n\nYou can ask the court to approve your consent order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended. This may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to ask the court for approval\n\nYou and your ex-partner have to:\n\n- draft a consent order\n\n- sign the draft consent order - you also need 2 photocopies of the signed original\n\n- fill in a statement of information form\n\nOne of you also needs to fill in a notice of an application for a financial order.\n\nIf you\u2019re ending a civil partnership or legally separating, send the signed forms and copies with the \u00a350 fee to the court dealing with your paperwork. Keep your own copies.\n\nIf you\u2019re divorcing, send the signed forms and copies with the \u00a350 fee to:\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\nThere\u2019s usually no court hearing. A judge will approve your consent order to make it legally binding if they think it\u2019s fair.\n\nIf they do not think it\u2019s fair, they can ask you to change it.\n\n## How much it costs\n\nThe court fee is \u00a350.\n\nSolicitor fees vary depending on their experience and location. They usually charge per hour.\n\n## Get help agreeing\n\nA mediator can help you and your ex-partner agree on how to split money and property, without taking sides.\n\nMediation is not relationship counselling. It can help you agree on how you\u2019ll divide your assets, including:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nMediation can be quicker and cheaper than asking a court to decide for you.\n\nYou need to attend a mediation information assessment meeting (MIAM) before you start mediation.\n\nFind a local mediator.\n\nThe mediator can decide mediation is not right for you (for example, if there\u2019s been domestic abuse and you need to go to court instead).\n\n## How much it costs\n\nA MIAM is usually about \u00a330. If you need more mediation sessions they cost more and fees vary depending on where you live.\n\nCheck if you can get legal aid for mediation.\n\n## Making your agreement legally binding\n\nAt the end of mediation you\u2019ll get a document showing what you agreed. This agreement is not legally binding.\n\nIf you want a legally binding agreement you need to draft a consent order and get a court to approve it. The consent order can be based on what you agreed in mediation.\n\n## If you need more help agreeing\n\nYou can:\n\n- ask a legal adviser about other ways to resolve issues out of court (such as family arbitration or collaborative law)\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- work out your finances with a divorce and separation calculator\n\n## If you do not agree on everything\n\nYou can ask a court to decide on anything you have not agreed on.\n\n## Get the court to decide\n\nIf you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).\n\nThis means the court will decide how assets will be split. Getting the court to decide usually takes longer and is more expensive than if you and your ex-partner agree.\n\nYou must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).\n\nA financial order will describe how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\n## When to apply for a financial order\n\nYou can ask a court to make a financial order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended but it may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to apply\n\nYou need to apply for a financial order.\n\nSend 2 copies of the form to the court dealing with paperwork in your area to divorce or end your civil partnership. Keep a copy for yourself.\n\nYou can hire a solicitor to help you apply for a financial order from the court.\n\n## After you apply\n\nThere are three stages:\n\n- the first appointment - a short hearing with the judge to discuss your application\n\n- financial dispute resolution (FDR) appointment - to help you agree without needing a final hearing (you might need more than one appointment)\n\n- final hearing - if you\u2019re not able to agree, this is when a judge will decide how you must separate your finances\n\nThe court will send you and your ex-partner details when the first appointment will be. This is usually 12 to 14 weeks after you apply.\n\n## Before the first appointment\n\nYou and your ex-partner need to fill in a financial statement for a financial order (Form E) to show a breakdown of your property and debts. This includes giving an estimate of your future living costs.\n\nYou\u2019ll also need to collect documents about your finances, for example:\n\n- rental or mortgage agreements\n\n- pension documents\n\n- loan agreements\n\n- proof of your salary income, for example P60 or recent pay slips\n\n- details of personal belongings worth more than \u00a3500, for example a car or house contents\n\n## How long it takes\n\nIt depends on:\n\n- how many financial dispute resolution appointments you need\n\n- if you need a final hearing\n\nThere can be several months between the appointments.\n\n## How the court decides\n\nIf you cannot agree, a judge will decide how assets will be split. They\u2019ll base their decision on how long you\u2019ve been married or in a civil partnership, as well as your:\n\n- age\n\n- ability to earn\n\n- property and money\n\n- living expenses\n\n- standard of living\n\n- financial needs and responsibilities\n\n- role in looking after the family, for example if you were the main earner or caring for the family or home\n\n- disability or health condition, if you have any\n\nThe judge will decide on the fairest way to divide the assets if there\u2019s enough to meet everyone\u2019s needs. They will make arrangements for any children first - especially their housing arrangements and child maintenance. The reason for the divorce or dissolution is not taken into account.\n\nThe judge will usually try to arrange a \u2018clean break\u2019, so everything is shared out, and you no longer have any financial ties to one another.\n\n## How much it costs\n\nThe court fee is \u00a3255.\n\nSolicitor fees vary depending on their experience and where you live. They usually charge by the hour. How much you pay in total depends on how many financial dispute resolution appointments you need and if there will be a final hearing.\n\nYou can get legal aid to help with court costs in certain situations, for example if you\u2019re separating from an abusive partner.\n\n## Further help and advice\n\nYou can:\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- find out more about how to apply for a financial order\n\n## Maintenance payments\n\nThe court sometimes tells the person with the higher income to make regular maintenance payments to help with the other person\u2019s living costs.\n\nThis is called a \u2018maintenance order\u2019.\n\nA maintenance payment can be set for:\n\n- a limited period of time\n\n- until one of you dies, marries or enters into a new civil partnership\n\nThe payment can also be changed if one of you loses your job or gets much better paid work.\n\n## Child maintenance\n\nThe court can also decide on child maintenance, but this is often arranged by the Child Maintenance Service.\n\nRead more about making arrangements to look after children when you divorce or separate.\n\n## Tax when transferring assets\n\nYou do not usually have to pay Capital Gains Tax if you give, or otherwise \u2018dispose of\u2019, assets to your husband, wife or civil partner before you finalise the divorce or civil partnership.\n\nAssets include shares, certain personal possessions and property. You usually do not have to pay tax if you transfer or sell your main home.\n\n## If you transfer an asset when you\u2019re separated\n\nIf you lived together at any point in the tax year that you transferred the asset, the normal rules for spouses and civil partners apply.\n\nOtherwise you may have to pay Capital Gains Tax. You\u2019ll need to get a valuation of the asset on the date of transfer, and use it to work out the gain or loss.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you transfer an asset after you\u2019ve divorced or dissolved your civil partnership\n\nYou may have to pay Capital Gains Tax on assets you transfer after your relationship has legally ended.\n\nThe rules for working out your gain or loss are complex. Contact HM Revenue and Customs (HMRC) or get professional tax help, such as an accountant or tax adviser. You\u2019ll need to tell them the date of:\n\n- the decree absolute or dissolution\n\n- any court order, if assets were transferred this way\n\n- any other contract showing the transfer of assets", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "answerable": true, + "scenario": "My partner and i have separated after 20 years of marriage but we can\u2019t agree on how to split up our shared properties and assets.Efforts to make a binding agreement have been futile.", + "original_question": "Can i apply for a court financial order?" + }, + { + "id": "train-195", + "question": "Scenario: I have started a new job and this now takes my Individual Income over \u00a350,000. I live with my partner and her son who is 12.\n\nQuestion: If I want to keep claiming child benefit, will I have to register for income tax Self Assessment?\n\nDocument - High Income Child Benefit Tax Charge:\n## Overview\n\nYou may have to pay a tax charge, known as the \u2018High Income Child Benefit Charge\u2019, if you have an individual income over \u00a350,000 and either:\n\n- you or your partner get Child Benefit\n\n- someone else gets Child Benefit for a child living with you and they contribute at least an equal amount towards the child\u2019s upkeep\n\nIt does not matter if the child living with you is not your own child.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## What counts as income\n\nTo work out if your income is over the threshold, you\u2019ll need to work out your \u2018adjusted net income\u2019.\n\nYour adjusted net income is your total taxable income before any personal allowances and less things like Gift Aid.\n\nUse the Child Benefit tax calculator to get an estimate of your adjusted net income.\n\n## Who pays the tax charge\n\nIf your individual income is over \u00a350,000 and so is your partner\u2019s, then whoever has the higher income is responsible for paying the tax charge.\n\n\u2018Partner\u2019 means someone you\u2019re not permanently separated from who you\u2019re married to, in a civil partnership with or living with as if you were.\n\n## If your income is over the threshold\n\nYou can choose to either:\n\n- get Child Benefit payments, and pay any tax charge at the end of each tax year\n\n- not get Child Benefit payments, and not pay the tax charge\n\n## If you choose to not get Child Benefit\n\nYou can still fill in the Child Benefit claim form. You need to state on the form that you do not want to get payments.\n\nYou need to fill in the claim form if you want to:\n\n- get National Insurance credits, which count towards your State Pension\n\n- ensure your child gets their National Insurance number automatically before they\u2019re 16 - otherwise they need to apply for one themselves\n\n## Already getting Child Benefit\n\nYou can choose to either:\n\n- stop getting Child Benefit - sometimes known as \u2018opting out\u2019\n\n- carry on getting Child Benefit and pay any tax charge at the end of each tax year\n\n## Pay the tax charge\n\nTo pay the tax charge, you must:\n\n- register for Self Assessment\n\n- fill in a Self Assessment tax return each tax year and pay what you owe\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you need to pay the tax charge.\n\nYou can get a penalty if you do not register for Self Assessment or do not declare child benefit on your Self Assessment tax return.\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now\n\n## If you cannot get information from your partner or ex-partner\n\nYou can write to HM Revenue and Customs (HMRC) to ask whether your partner or ex-partner gets Child Benefit or has a higher adjusted net income than you. HMRC will reply \u2018yes\u2019 or \u2018no\u2019 - they will not give you any financial information.\n\nYou can only ask for this information if you and your partner either live together, or separated within the tax year you want information for.\n\n## Write to HMRC\n\nYou need to tell HMRC the tax year you\u2019re asking about, as well as your:\n\n- name, address, date of birth and National Insurance number\n\n- Unique Taxpayer Reference, if you have one\n\n- adjusted net income\n\n- partner or ex-partner\u2019s name\n\nIf you can, include your partner or ex-partner\u2019s:\n\n- address\n\n- date of birth\n\n- National Insurance number, if you know it\n\n- Unique Taxpayer Reference, if they have one\n\nSend your letter to:\n\n## Stop your Child Benefit\n\nTo stop your Child Benefit you can either:\n\n- fill in an online form\n\n- contact the Child Benefit Office by phone or post\n\nYou need a Government Gateway user ID and password to fill in the online form. If you do not have a user ID, you can create one when you fill in the form.\n\nYou cannot use the online form if you\u2019re an appointee or authorised agent.\n\nYou cannot stop your Child Benefit if you\u2019re using it to pay back an overpayment (or to pay back certain other benefits from another country).\n\n## Responsibilities after your Child Benefit stops\n\nYou must pay any tax charge owed for each tax year up to the date your Child Benefit stops.\n\nUse the Child Benefit tax calculator to get an estimate of how much you may owe each tax year.\n\nEven after your payments stop, you must report any changes in your family life that affect your entitlement to Child Benefit.\n\n## Restart your Child Benefit\n\nYou can restart your Child Benefit if:\n\n- you\u2019ve previously stopped it because of the tax charge\n\n- you still qualify for Child Benefit\n\nTo restart your Child Benefit, either:\n\n- fill in an online form\n\n- contact the Child Benefit Office\n\nYou need a Government Gateway user ID and password to fill in the online form. If you do not have a user ID, you can create one when you fill in the form.\n\nYou cannot use the online form if you\u2019re an appointee or authorised agent.\n\nPayments usually start again the Monday after your request is received. The Child Benefit Office will write telling you how much backdated Child Benefit you\u2019ll get (if any).\n\n## Responsibilities after your Child Benefit restarts\n\nYou (or your partner) will have to pay any tax charge on the benefit received from the restart date if your income is over \u00a350,000.\n\nUse the Child Benefit tax calculator to get an estimate of your income and tax deductions to see if you may be affected by the tax charge.\n\nYou must report any changes to your family life that affect your Child Benefit.\n\n## If your circumstances change\n\n## Your income changes\n\nYou will not have to pay the tax charge if your income for the whole of a tax year is less than \u00a350,000.\n\nYou can choose to stop or restart your Child Benefit at any time. Use the Child Benefit tax calculator to get an estimate of your income changes to see if they may affect the tax charge.\n\n## You have a new child\n\nClaiming Child Benefit helps you qualify for:\n\n- National Insurance credits, which protect your right to the State Pension\n\n- other benefits like Guardian\u2019s Allowance\n\nChild Benefit proves you (or your partner) support another child. You may pay less child maintenance for children not living with you.\n\nYou can make a new claim or just protect your entitlement to the above by:\n\n- sending a Child Benefit claim form\n\n- ticking the option to \u2018not have the benefit paid\u2019\n\n## A partner moves in or out\n\nYour situation may change if your income is more than \u00a350,000 and you move in or split up with someone who\u2019s getting Child Benefit.\n\nYou\u2019ll have to pay the tax charge if your income is more than \u00a350,000 and higher than your new partner\u2019s income. Your partner pays it if their income is higher.\n\nThe tax charge applies from the date you move in together to either the date you permanently separate or the Child Benefit stops - for example because the child is too old to qualify for it.\n\nShort periods apart do not count as separation, for example a hospital stay or working away from home.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/child-benefit-tax-charge", + "answerable": true, + "scenario": "I have started a new job and this now takes my Individual Income over \u00a350,000. I live with my partner and her son who is 12.", + "original_question": "If I want to keep claiming child benefit, will I have to register for income tax Self Assessment?" + }, + { + "id": "train-197", + "question": "Scenario: I lost my job due to testing positive for corona virus which was followed by severe covid symptoms and i had to self isolate for more than 4 months. This has reduced my income and i need support .\n\nQuestion: Do i need doctors evidence to qualify for statutory sick pay?\n\nDocument - Employment and Support Allowance (ESA):\n## Overview\n\nYou can apply for Employment and Support Allowance (ESA) if you have a disability or health condition that affects how much you can work.\n\nYou may also be able to get ESA if you were unable to work while self-isolating or \u2018shielding\u2019 because of coronavirus (COVID-19).\n\nESA gives you:\n\n- money to help with living costs if you\u2019re unable to work\n\n- support to get back into work if you\u2019re able to\n\nYou can apply if you\u2019re employed, self-employed or unemployed.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Eligibility\n\nYou can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.\n\nYou also need to have both:\n\n- worked as an employee or have been self-employed\n\n- paid enough National Insurance contributions, usually in the last 2 to 3 years - National Insurance credits also count\n\nCheck your National Insurance record for gaps.\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. Universal Credit can help with, for example, your housing and childcare costs.\n\nYou cannot get \u2018new style\u2019 ESA if you:\n\n- claim Jobseeker\u2019s Allowance\n\n- claim Statutory Sick Pay\n\n## If your Statutory Sick Pay (SSP) is due to end\n\nYou can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends. You\u2019ll start getting \u2018new style\u2019 ESA as soon as your SSP ends.\n\n## If you\u2019re working\n\nYou can apply whether you\u2019re in or out of work. There are conditions to working while claiming ESA.\n\n## If you\u2019ve been affected by coronavirus (COVID-19)\n\nYou can apply for \u2018new style\u2019 ESA if you\u2019re unable to claim Statutory Sick Pay and one of the following applies:\n\n- you or your child might have COVID-19 or you\u2019re recovering from it\n\n- you or your child are self-isolating because you came into contact with someone who might have COVID-19\n\n- you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery\n\n- you were advised to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nIf you\u2019re claiming ESA because of COVID-19, you\u2019ll need to give evidence to support your claim.\n\n## Proof if you\u2019re self-isolating because of COVID-19\n\nIf you or your child are self-isolating and you cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019ve been off work for 7 or more days. You do not have to go to your doctor or a hospital.\n\nIf you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.\n\nIf you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.\n\n## Proof if you were advised to shield because of COVID-19\n\nYour doctor or health authority should have sent you a letter advising you or your child to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19.\n\nThe letter will have included the period to shield for. It is proof of your eligibility for ESA for days away from work in that period.\n\nYou may have more than one letter covering more than one shielding period.\n\nContact your doctor if you do not have a letter but think you should have one.\n\n## What you'll get\n\nHow much you get will depend on what stage your application is at, as well as things like your age and whether you\u2019re able to get back into work.\n\nIf you get \u2018new style\u2019 ESA you\u2019ll earn Class 1 National Insurance credits, which can help towards your State Pension and some benefits in the future.\n\n## What might affect how much you get paid\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nNeither your or your partner\u2019s savings or income will affect how much \u2018new style\u2019 ESA you\u2019re paid. But a private pension worth more than \u00a385 per week may affect how much you can get.\n\nIf you get income-related ESA, your household income and savings worth \u00a36,000 or more may affect how much you can get.\n\n## While your claim is being assessed\n\nYou\u2019ll normally get the \u2018assessment rate\u2019 for 13 weeks while your claim is being assessed.\n\nThis will be:\n\n- up to \u00a359.20 a week if you\u2019re aged under 25\n\n- up to \u00a374.70 a week if you\u2019re aged 25 or over\n\nIf it takes longer than 13 weeks to assess your claim, you\u2019ll continue getting the \u2018assessment rate\u2019 until you get a decision or until your ESA is due to end. Your ESA will be backdated if you\u2019re owed any money after 13 weeks.\n\n## After you\u2019re assessed\n\nYou\u2019ll be placed into one of 2 groups if you\u2019re entitled to ESA. If you\u2019re able to get back into work in the future, you\u2019ll be put into the work-related activity group. Otherwise, you\u2019ll be put into the support group.\n\nYou\u2019ll get:\n\n- up to \u00a374.70 a week if you\u2019re in the work-related activity group\n\n- up to \u00a3114.10 a week if you\u2019re in the support group\n\n## If you\u2019re in the support group\n\nIf you\u2019re in the support group and on income-related ESA, you\u2019re also entitled to the enhanced disability premium.\n\nYou may also qualify for the severe disability premium.\n\nFind out how to apply for a disability premium.\n\n## How you\u2019re paid\n\nYou\u2019ll get paid ESA every 2 weeks.\n\nAll benefits are paid into your bank, building society or credit union account.\n\n## Other benefits you can claim\n\nUniversal Credit can help with, for example, your housing and childcare costs. You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA.\n\nUse a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment (PIP) if you have a long-term health condition or disability.\n\nThe benefit cap may affect the total amount of benefit you can get. The cap will not affect you if you\u2019re in the support group.\n\n## If you\u2019re moving to Universal Credit from income-related ESA\n\nIf your income-related ESA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of ESA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.\n\nThe Department for Work and Pensions (DWP) will write to you telling you how this works.\n\nYou do not need to pay this money back, and it will not affect the amount of Universal Credit you get.\n\n## Budgeting Loan\n\nYou can apply for a Budgeting Loan if you\u2019ve been on income-related ESA for at least 6 months.\n\n## Advice on money and debt\n\nYou can get help and advice from your Jobcentre Plus work coach or:\n\n- Citizens Advice\n\n- Money Advice Service\n\n- National Debtline\n\n- Shelter\n\n- Turn2us\n\n## Working while you claim\n\nYou can usually work while you are claiming ESA if both of the following apply:\n\n- you work less than 16 hours a week\n\n- you do not earn more than \u00a3143 a week\n\nTell Jobcentre Plus about your work when you make a claim.\n\nSend this form to Jobcentre Plus if you\u2019re already claiming ESA and you want to start work.\n\n## When you can work 16 hours or more a week\n\nYou can work more than 16 hours a week if the work is either voluntary or \u2018supported permitted work\u2019.\n\n## Supported permitted work\n\nThe work must be either:\n\n- supervised by someone from a local council or voluntary organisation who arranges work for disabled people\n\n- part of a treatment programme under medical supervision\n\nYou can still earn no more than \u00a3143 a week.\n\n## How to claim\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. \nCheck if you\u2019re eligible for Universal Credit.\n\nThere\u2019s a different way to apply in Northern Ireland.\n\n## What you need to apply\n\nYou\u2019ll need:\n\n- your National Insurance number\n\n- your bank or building society account number and sort code (you can use a friend or family member\u2019s account if you do not have one)\n\n- your doctor\u2019s name, address and telephone number\n\n- details of your income if you\u2019re working\n\n- the date your Statutory Sick Pay (SSP) ends if you\u2019re claiming it\n\nYou cannot get \u2018new style\u2019 ESA if you\u2019re getting Statutory Sick Pay (SSP) from an employer. You can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends.\n\nIf you\u2019re applying because of COVID-19, you\u2019ll also need:\n\n- an \u2018isolation note\u2019 if you\u2019re unable to work because of COVID-19\n\n- your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19\n\n- a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a letter from your doctor or a health authority advising you or your child to shield (take extra precautions to reduce contact with others) because you\u2019re at very high risk of severe illness from COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nOnce you\u2019ve applied, you\u2019ll be contacted by phone and told when to give the evidence and where to send it.\n\nApply now\n\n## When you can apply by phone\n\nCall the Universal Credit helpline if:\n\n- you cannot make an application online\n\n- you\u2019re an appointee for someone\n\n## After you apply\n\nThe Department for Work and Pensions (DWP) will contact you within 10 working days of applying.\n\n## If you\u2019re eligible\n\nDWP will contact you within 10 working days to schedule an appointment that you must attend. It will normally be over the phone with a work coach from your local Jobcentre Plus office.\n\nYour work coach will explain what you need to do to get \u2018new style\u2019 ESA. They will create an agreement with you called a \u2018Claimant Commitment\u2019.\n\nYou must agree to your Claimant Commitment before you can get \u2018new style\u2019 ESA.\n\nAt the appointment, you\u2019ll be asked to:\n\n- explain how your illness or disability affects your ability to work\n\n- provide medical evidence\n\n- agree to tell your local Jobcentre Plus if your circumstances change\n\n## If you\u2019re not eligible\n\nDWP will send you a letter within 10 working days of applying to explain why you\u2019re not eligible for ESA.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## Reapplying for ESA\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nYou may be able to reapply after your \u2018new style\u2019 ESA ends. You may qualify again depending on:\n\n- what National Insurance contributions you paid in the last 2 full tax years before the tax year you\u2019re claiming in\n\n- whether you\u2019re placed in the support group because you developed a new condition or your health deteriorated\n\n## Your ESA claim\n\nAfter you\u2019ve made your claim, you\u2019ll be told if you need to have a \u2018Work Capability Assessment\u2019 and what group you\u2019ll be put in.\n\n## Work Capability Assessment\n\nA Work Capability Assessment is used to find out if your illness or disability affects how much you can work.\n\nYou might not need one, for example if you\u2019re in hospital or you have a terminal illness.\n\nIf you need a Work Capability Assessment you\u2019ll get a letter telling you to fill in the \u2018Capability for work questionnaire\u2019 and send it to the Health Assessment Advisory Service. The address is on the form. The questionnaire is different in Northern Ireland.\n\nYou\u2019ll be told what happens next, for example if you need an appointment to understand your health condition better.\n\nIf you\u2019re claiming both Universal Credit and \u2018new style\u2019 ESA, you\u2019ll only have one Work Capability Assessment.\n\nYou can ask for your assessment to be recorded. If you would like this, tell the Health Assessment Advisory Service using the contact details in your appointment invite letter.\n\n## How the assessment happens\n\nAssessments can be in person, by video call or on the phone. You\u2019ll be told how your assessment will take place.\n\nIf you\u2019re asked to attend in person you\u2019ll be told how to do this safely because of coronavirus (COVID-19). You can bring one adult from your household with you.\n\nIf your assessment is by phone or video call, you can have someone else with you, for example a friend or support worker. You can ask the assessor to call them if they\u2019re not with you when the assessment starts.\n\nYou\u2019ll stay on the \u2018assessment rate\u2019 until a decision can be made on your Work Capability Assessment.\n\n## After your claim is assessed\n\nIf you\u2019re entitled to ESA you\u2019ll be placed in one of 2 groups:\n\n- a work-related activity group (you cannot work now, but can prepare to work in the future, for example by writing a CV)\n\n- a support group (you cannot work now and you\u2019re not expected to prepare for work in the future)\n\n## If you\u2019re in the work-related activity group\n\nYou must attend regular interviews with a work coach. They can help you improve your skills or write a CV to help you get back into work.\n\n## If you\u2019re in the support group\n\nYou\u2019re usually in this group if your illness or disability severely limits what you can do. You do not have to go to interviews. You can tell your work coach if you\u2019d like to take part in work-related activities.\n\n## How long you\u2019ll get ESA for\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\n\u2018New style\u2019 and contribution-based ESA last for 365 days if you\u2019re in the work-related activity group.\n\nThere\u2019s no time limit if you\u2019re in the support group, or if you\u2019re getting income-related ESA.\n\nTo keep getting ESA you must report any change in your circumstances. You may also need to send fit notes regularly.\n\n## If you get a sanction\n\nYour ESA can be reduced if you do not attend interviews or do work-related activity as agreed with your work coach in your \u2018Claimant Commitment\u2019. This reduction can continue for up to 4 weeks after you restart work-related activities.\n\nYou\u2019ll get a letter to say you may be sanctioned. Tell your work coach if you have a good reason for not doing what was agreed in your Claimant Commitment.\n\nYou\u2019ll get another letter if the decision is made to give you a sanction. Your benefit will only be affected once a decision has been made.\n\nYou should contact your local council immediately if you claim Housing Benefit or Council Tax Reduction. They\u2019ll tell you what to do to continue getting support.\n\nIf you get a sanction you can:\n\n- ask for the decision to be looked at again\n\n- ask for a hardship payment\n\nYou will not get a sanction if you\u2019re in the support group.\n\n## Hardship payments\n\nIf you get income-related ESA, you may be able to get a hardship payment if your benefit has been reduced because of a sanction or a penalty due to suspected benefit fraud.\n\nA hardship payment is a reduced amount of your ESA. You do not have to pay it back.\n\nYou can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your family. You must be 18 or over.\n\nSpeak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.\n\n## Report a change of circumstances\n\nYou need to report changes to your circumstances so you keep getting the right amount of Employment and Support Allowance (ESA).\n\nYour claim might be stopped or reduced if you do not report a change straight away.\n\nA change of circumstance can include:\n\n- starting or stopping work, education, training or an apprenticeship\n\n- moving house\n\n- changing your name\n\n- people moving into or out of the place you live (for example your partner or a child)\n\n- changes to the benefits you or anyone else in your house gets\n\n- changes to your pension, savings, investments or property\n\n- changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)\n\n- changing your doctor\n\n- any changes to your medical condition or disability\n\n- going into hospital or a care home or sheltered accommodation\n\n- going abroad for any length of time\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nCall Jobcentre Plus if you\u2019re not sure whether you need to report a change.\n\nYou may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information.\n\n## If you\u2019ve been paid too much\n\nIf you give wrong or incomplete information or do not report a change straight away, you might be paid too much. If you are, you might have to\u00a0pay some of the money back.\n\n## How to report\n\nYou can report a change of circumstances by:\n\n- calling Jobcentre Plus\n\n- writing to the Jobcentre Plus office that pays your ESA - the address is on the letters you get about your ESA\n\nIf you get Universal Credit at the same time as \u2018new style\u2019 ESA, you must also report the changes of circumstances in your Universal Credit account.\n\n## British Sign Language (BSL) video relay service\n\nWatch a video to check you can use the service\n\nGo to the video relay service\n\nMonday to Friday, 8am to 6pm.\n\nIf you\u2019re in Northern Ireland contact the ESA Centre.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employment-support-allowance", + "answerable": true, + "scenario": "I lost my job due to testing positive for corona virus which was followed by severe covid symptoms and i had to self isolate for more than 4 months. This has reduced my income and i need support .", + "original_question": "Do i need doctors evidence to qualify for statutory sick pay?" + }, + { + "id": "train-198", + "question": "Scenario: I am currently the main carer for my Grandfather. I live with him at the moment and care for him 24/7, 7 days a week.\n\nQuestion: I also am in receipt of Universal Credit. Will applying for Carer\u2019s Allowance affect my Universal Credit payments?\n\nDocument - Carer's Allowance:\n## How it works\n\nYou could get \u00a367.60 a week if you care for someone at least 35 hours a week and they get certain benefits.\n\nYou do not have to be related to, or live with, the person you care for.\n\nYou do not get paid extra if you care for more than one person.\n\nIf someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.\n\nCarer\u2019s Allowance can affect the other benefits that you and the person you care for get. You have to pay tax on it if your income is over the Personal Allowance.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Claiming Carer\u2019s Allowance if you\u2019re affected by coronavirus (COVID-19)\n\nYou can claim Carer\u2019s Allowance if you provide care remotely during the coronavirus outbreak. This includes giving emotional support over the phone or online.\n\n## How you\u2019re paid\n\nYou can choose to be paid weekly in advance or every 4 weeks.\n\nIt will be paid into an account, for example your bank account.\n\n## What else you can get\n\nFor each week you get Carer\u2019s Allowance you\u2019ll automatically get National Insurance credits.\n\nYou may also be able to apply for:\n\n- support from your local council\n\n- a Council Tax Reduction\n\n- Universal Credit if you\u2019re on a low income or out of work\n\n- Pension Credit if you\u2019re over working age\n\n- grants and bursaries to help pay for courses and training\n\n- Income Support (if you get the severe disability premium and you\u2019re on a low income)\n\n- income-based Employment and Support Allowance (if you get the severe disability premium and you cannot work)\n\nIf you live in Scotland and get Carer\u2019s Allowance, you may also get Carer\u2019s Allowance Supplement.\n\n## Get help and advice\n\nYou can get more help and advice from:\n\n- Carers UK\n\n- Carers Trust\n\n- Citizens Advice\n\n- NHS: Carers Direct helpline\n\n## Eligibility\n\nYou may be eligible for Carer\u2019s Allowance if you, the person you care for and the type of care you provide meets certain criteria.\n\n## The person you care for\n\nThe person you care for must already get one of these benefits:\n\n- Personal Independence Payment - daily living component\n\n- Disability Living Allowance - the middle or highest care rate\n\n- Attendance Allowance\n\n- Constant Attendance Allowance at or above the normal maximum rate with an Industrial Injuries Disablement Benefit\n\n- Constant Attendance Allowance at the basic (full day) rate with a War Disablement Pension\n\n- Armed Forces Independence Payment\n\nIf someone else also cares for the same person as you, only one of you can claim Carer\u2019s Allowance.\n\n## The type of care you provide\n\nYou need to spend at least 35 hours a week caring for someone. This can include:\n\n- helping with washing and cooking\n\n- taking the person you care for to a doctor\u2019s appointment\n\n- helping with household tasks, like managing bills and shopping\n\nIf you or the person you care for are affected by coronavirus, you can still claim Carer\u2019s Allowance if you provide care remotely. This includes giving emotional support over the phone or online.\n\n## Your eligibility\n\nAll of the following must apply:\n\n- you\u2019re 16 or over\n\n- you spend at least 35 hours a week caring for someone\n\n- you\u2019ve been in England, Scotland or Wales for at least 2 of the last 3 years (this does not apply if you\u2019re a refugee or have humanitarian protection status)\n\n- you normally live in England, Scotland or Wales, or you live abroad as a member of the armed forces (you might still be eligible if you\u2019re moving to or already living in an EEA country or Switzerland)\n\n- you\u2019re not in full-time education\n\n- you\u2019re not studying for 21 hours a week or more\n\n- you\u2019re not subject to immigration control\n\n- your earnings are \u00a3128 or less a week after tax, National Insurance and expenses\n\nIf your earnings are sometimes more than \u00a3128 a week you might still be eligible for Carer\u2019s Allowance. Your average earnings may be calculated to work out if you\u2019re eligible.\n\n## Calculating your earnings\n\nYour earnings are any income from employment and self-employment after tax, National Insurance and expenses.\n\nExpenses can include:\n\n- 50% of your pension contributions\n\n- equipment you need to do your job, for example specialist clothing\n\n- travel costs between different workplaces that are not paid for by your employer, for example fuel or train fares\n\n- business costs if you\u2019re self-employed, for example a computer you only use for work\n\nIf you pay a carer to look after the disabled person or your children while you work, you can treat care costs that are less than or equal to 50% of your earnings as an expense. The carer must not be your spouse, partner, parent, child or sibling.\n\nPayments that do not count as earnings include:\n\n- money received from an occupational or private pension\n\n- contributions towards your living or accommodation costs from someone you live with (they cannot be a tenant or boarder)\n\n- the first \u00a320 a week and 50% of the rest of any income you make from someone boarding in your home\n\n- a loan or advance payment from your employer\n\n## If you get State Pension\n\nYou cannot get the full amount of both Carer\u2019s Allowance and your State Pension at the same time.\n\nIf your pension is \u00a367.60 a week or more, you will not get a Carer\u2019s Allowance payment.\n\nIf your pension is less than \u00a367.60 a week, you\u2019ll get a Carer\u2019s Allowance payment to make up the difference.\n\n## If you get Pension Credit\n\nIf your State Pension is more than \u00a367.60 a week, you will not get a Carer\u2019s Allowance payment but your Pension Credit payments will increase instead.\n\n## If you\u2019re not eligible\n\nYou might be eligible for Carer\u2019s Credit if you\u2019re not eligible for Carer\u2019s Allowance.\n\n## Effect on other benefits\n\nCarer\u2019s Allowance can affect the other benefits that both you and the person you care for get.\n\n## Effect on the benefits of the person you care for\n\nWhen you claim Carer\u2019s Allowance, the person you care for will stop getting:\n\n- a severe disability premium paid with their benefits\n\n- an extra amount for severe disability paid with Pension Credit, if they get one\n\nThey might also stop getting reduced Council Tax. Contact their local council to find out if this affects them.\n\n## Effect on your benefits\n\nWhen you claim Carer\u2019s Allowance your other benefit payments may change, but your total benefit payments will usually either go up or stay the same.\n\nCarer\u2019s Allowance does not count towards the benefit cap.\n\nIf you get Working Tax Credit or Child Tax Credit, you must contact HM Revenue and Customs (HMRC) to tell them about your Carer\u2019s Allowance claim.\n\nIf you get Pension Credit, your payments will increase if you\u2019re eligible for Carer\u2019s Allowance.\n\nIf you delay claiming your State Pension, this could increase the State Pension payments you get when you decide to claim it. You cannot build up extra State Pension during any period you get Carer\u2019s Allowance.\n\nUse a benefits calculator to work out how your other benefits will be affected.\n\n## Make a claim\n\nBefore you apply make sure you have your:\n\n- National Insurance number (if you have a partner you\u2019ll need theirs too)\n\n- bank or building society details (unless you get your State Pension)\n\n- employment details and latest payslip if you\u2019re working\n\n- P45 if you\u2019ve recently finished work\n\n- course details if you\u2019re studying\n\n- details of any expenses, for example pension contributions or the cost of caring for your children or the disabled person while you\u2019re at work\n\nYou also need details of the person you care for. You need their:\n\n- date of birth and address\n\n- National Insurance number if they\u2019re 16 or over\n\n- Disability Living Allowance reference if they\u2019re under 16\n\nYou can backdate your claim by up to 3 months.\n\nApply now\n\n## Other ways to apply\n\nIf you cannot apply online, you can apply by post. The address to send your application to is at the end of the form.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Report a change in circumstances\n\nYou must report changes in your circumstances if you\u2019re claiming or have applied for Carer\u2019s Allowance.\n\nChanges can include:\n\n- starting a job\n\n- starting or ending full-time education\n\n- changes to your income\n\n- stopping being a carer\n\n- the person you care for no longer getting their disability benefit\n\n- someone else who cares for the same person claiming Carer\u2019s Allowance instead of you\n\n- someone else who cares for the same person claims the carer\u2019s element of Universal Credit\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nYou must tell the Department for Work and Pensions if the person you\u2019re caring for dies.\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## If you temporarily stop providing care for someone\n\nYou can still get Carer\u2019s Allowance if you temporarily stop providing care. This means any period when you spend less than 35 hours a week caring for the other person.\n\nThe person you care for must still receive their disability benefit.\n\nYou must tell DWP if you temporarily stop providing care and:\n\n- you or the person you care for will be in hospital, a nursing home, or respite care for more than 12 weeks\n\n- you stop caring for more than 28 days for any other reason\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## If you\u2019re working\n\nYou can work and get Carer\u2019s Allowance, as long as you spend at least 35 hours in your caring role.\n\nYou can get support for you or the person you care for from your employer, local councils and other organisations.\n\n## Time off for an emergency\n\nYou can ask your employer for time off to deal with an emergency involving someone else who depends on you for care. How much time off you get depends on your situation.\n\nIf you do not qualify for time off, your employer may allow you \u2018compassionate leave\u2019 for emergency situations.\n\n## Flexible working\n\nIf you need to work more flexibly, for example work part-time or work from home, you can request flexible working.\n\nYou do not have to tell your employer about your caring role or give another reason why you need to work more flexibly.\n\n## Respite care or \u2018short break\u2019 care\n\nIf you need someone to help look after the person you care for while you\u2019re at work, you can apply for respite care (also known as \u2018short break\u2019 care).\n\nRespite care options include:\n\n- getting a paid carer or a volunteer to sit with the person you look after for a few hours\n\n- a regular place in a day care centre for the person you care for\n\nYour local council may pay for respite care but you and the person you care for will need an assessment before you can apply.\n\nContact your local authority for information about local support.\n\n## Advice on starting work\n\nIf you need help starting or returning to work, contact your local Jobcentre Plus for help on how to combine work with your caring responsibilities.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/carers-allowance", + "answerable": true, + "scenario": "I am currently the main carer for my Grandfather. I live with him at the moment and care for him 24/7, 7 days a week.", + "original_question": "I also am in receipt of Universal Credit. Will applying for Carer\u2019s Allowance affect my Universal Credit payments?" + }, + { + "id": "train-202", + "question": "Scenario: I am a home owner and receiving income support benefits. I recently had a major heating issues with my boiler and had to replace it which I couldn't afford. I took out a loan to pay for it.\n\nQuestion: Am I eligible for getting Support for Mortgage Interest?\n\nDocument - Support for Mortgage Interest (SMI):\n## Overview\n\nIf you\u2019re a homeowner, you might be able to get help towards interest payments on:\n\n- your mortgage\n\n- loans you\u2019ve taken out for certain repairs and improvements to your home\n\nThis help is called Support for Mortgage Interest (SMI).\n\nThis guide is also available in Welsh (Cymraeg).\n\nIt\u2019s paid as a loan, which you\u2019ll need to repay with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).\n\nYou usually need to be getting, or treated as getting, a qualifying benefit to get SMI.\n\nThere\u2019s no guarantee that you\u2019ll get SMI for a mortgage or loan you take out.\n\n## What you cannot use SMI for\n\nSMI cannot help you pay:\n\n- the amount you borrowed - only the interest on your mortgage\n\n- anything towards insurance policies you have\n\n- missed mortgage payments (arrears)\n\n## What you'll get\n\nIf you qualify for Support for Mortgage Interest (SMI), you\u2019ll usually get help paying the interest on up to \u00a3200,000 of your loan or mortgage.\n\nHowever, you can only get up to \u00a3100,000 if either:\n\n- you\u2019re getting Pension Credit\n\n- you started claiming another qualifying benefit before January 2009 and you were below State Pension age at that time\n\nIf you\u2019re already getting SMI and move to Pension Credit within 12 weeks of stopping your other benefits, you\u2019ll still get help with interest on up to \u00a3200,000.\n\nThe interest rate used to calculate the amount of SMI you\u2019ll get is currently 2.09%.\n\n## What you\u2019ll pay back\n\nSMI is paid as a loan. You\u2019ll need to repay the money you get with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).\n\nThe interest added to the loan can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%.\n\nIf you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.\n\n## How SMI is paid\n\nSMI is normally paid direct to your lender.\n\nPayments can start either:\n\n- from the date you start getting Pension Credit\n\n- after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income\n\n- after you\u2019ve claimed any other qualifying benefit for 39 weeks in a row\n\n## Eligibility\n\nTo be eligible for a Support for Mortgage Interest (SMI) loan, you usually need to be getting one of the following qualifying benefits:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance (JSA)\n\n- income-related Employment and Support Allowance (ESA)\n\n- Universal Credit\n\n- Pension Credit\n\nContact the relevant office to check if you\u2019re eligible for SMI.\n\nYou can start getting the loan:\n\n- from the date you start getting Pension Credit\n\n- after you\u2019ve claimed Income Support, income-based JSA or income-based ESA for 39 weeks in a row\n\n- after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income\n\n## If you receive Universal Credit\n\nYou cannot get SMI if you get any of the following income:\n\n- earnings from your job if you\u2019re employed or self-employed\n\n- a tax refund\n\n- Statutory Sick Pay\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Shared Parental Pay\n\nTo start getting SMI (or get it again if your SMI stopped), you\u2019ll need to stop getting this income and then get Universal Credit for 9 months in a row.\n\n## If your income is too high to get a qualifying benefit\n\nYou might still be able to get SMI if you apply for one of the qualifying benefits but cannot get it because your income is too high. You\u2019ll then be treated as getting the benefit you applied for.\n\nYou will not be treated as getting Universal Credit if you cannot get it because your income is too high.\n\n## How to apply\n\nWhen you apply for a qualifying benefit, you\u2019ll be asked extra questions about your housing costs to find out if you\u2019re eligible for Support for Mortgage Interest (SMI). You might also be sent a form asking for more detailed information.\n\nIf you qualify for SMI, you\u2019ll be offered a loan.\n\nIf you turn down the offer at first, you can still accept it at any time as long as you\u2019re eligible for SMI. The payments to your lender will be backdated to when you were first entitled to the loan. Contact the office that pays your benefit.\n\n## If you already get a qualifying benefit\n\nContact the office that pays your benefit to find out if you could get an SMI loan.\n\nThe payments to your lender will be backdated to when you were first entitled to the loan.\n\nIf you get or have applied for Income Support, income-based JSA or income-related ESA, contact Jobcentre Plus.\n\nIf you get or have applied for Pension Credit, contact the Pension Service.\n\nIf you get or have applied for Universal Credit, contact the Universal Credit helpline.\n\n## Repaying your loan\n\nYou\u2019ll need to repay your SMI loan with interest if you sell or transfer ownership of your home.\n\nThe interest you pay can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%. You\u2019ll be told if this is going to change.\n\n## Selling your home\n\nYou will not be asked to sell your home in order to repay your SMI loan.\n\nIf you sell your home, you\u2019ll repay the SMI loan from what\u2019s left after you pay:\n\n- your mortgage\n\n- any home improvement loans\n\n- any other loans secured against your home\n\nIf you do not have enough left to pay off all of the SMI loan, you will have to pay back what you can. The rest of the loan will be written off.\n\n## If you\u2019re buying a new home\n\nYou may be able to transfer the loan to your new home. Contact DWP Loan Management as soon as you know you intend to move, and before you complete your sale.\n\nYou\u2019ll need to give DWP Loan Management your solicitor\u2019s contact details. They will work with your solicitor to arrange for the loan to be moved to your new home.\n\nThe office paying your qualifying benefit will also check you\u2019re still eligible.\n\n## Voluntary repayments\n\nIf you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.\n\n## How to repay\n\nContact DWP Loan Repayment to ask for a \u2018settlement letter\u2019 - this will tell you how much you need to pay.\n\nYou can pay by telephone or online banking using the bank account details in your settlement letter.\n\n## Get other financial help with your housing costs\n\nYou can still get financial help with your housing costs if your Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance is going to stop because you are about to:\n\n- return to work full-time\n\n- work more hours\n\n- earn more money\n\n## Help and support\n\nYou can get free information about housing support from:\n\n- Citizens Advice\n\n- Money Advice Service\n\n- Shelter", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/support-for-mortgage-interest", + "answerable": true, + "scenario": "I am a home owner and receiving income support benefits. I recently had a major heating issues with my boiler and had to replace it which I couldn't afford. I took out a loan to pay for it.", + "original_question": "Am I eligible for getting Support for Mortgage Interest?" + }, + { + "id": "train-203", + "question": "Scenario: I live in Wales and am currently expecting my first child. I live with my partner, who is on a low income and is claiming Universal Credit, as am I.\n\nQuestion: Can I get the Sure Start Maternity Grant?\n\nDocument - Sure Start Maternity Grant:\n## Overview\n\nYou could get a one-off payment of \u00a3500 to help towards the costs of having a child. This is known as a Sure Start Maternity Grant.\n\nIf you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.\n\nYou usually qualify for the grant if both of the following apply:\n\n- you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already\n\n- you or your partner already get certain benefits\n\nYou must claim the grant within 11 weeks of the baby\u2019s due date or within 6 months after the baby\u2019s birth.\n\nYou do not have to pay the grant back and it will not affect your other benefits or tax credits.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## What you'll get\n\nA Sure Start Maternity Grant is \u00a3500 and you do not have to pay it back.\n\nYou may not get a grant if you already have children.\n\n## If you already have children under 16\n\nYou can only get a grant if at least one of the following applies:\n\n- you\u2019re expecting a multiple birth (such as twins)\n\n- the child you\u2019re caring for is someone else\u2019s\n\n- you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK\n\n| Children under 16 | Grant if you have twins | Grant if you have triplets |\n\n| You have 1 or more (and none of them are from multiple births) | \u00a3500 | \u00a31,000 |\n\n| You\u2019ve already had twins | \u00a30 | \u00a3500 |\n\n| You\u2019ve already had triplets | \u00a30 | \u00a30 |\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Eligibility\n\nUsually, to qualify for a Sure Start Maternity Grant there must be no other children in your family. You or your partner must also get one of these benefits:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Child Tax Credit\n\n- Working Tax Credit that includes a disability or severe disability element\n\n- Universal Credit\n\nYou may also qualify if you\u2019re getting a Support for Mortgage Interest loan.\n\nIf you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.\n\n## If you already have children under 16\n\nYou may still be able to get a grant if any of the following apply:\n\n- you\u2019re expecting a multiple birth (such as twins)\n\n- the child you\u2019re caring for is someone else\u2019s (but not your partner\u2019s) and the child was over 12 months old when the arrangement started\n\n- you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK\n\nYou must claim by the deadline.\n\n## If you\u2019re not giving birth\n\nYou may also be able to get a grant if you\u2019re adopting or becoming a surrogate parent.\n\nThe baby must be less than 1 year old on the date you claim. You must be receiving one of the benefits above and one of the following must also apply:\n\n- you\u2019ve become responsible for the baby and you\u2019re not the mother\n\n- the baby has been placed with you for adoption\n\n- you\u2019ve got permission to adopt a baby from abroad\n\n- you\u2019ve got a parental order for a surrogate birth\n\n- you\u2019ve been appointed as guardian\n\n- you\u2019ve an adoption or a residence order\n\n## How to claim\n\nYou can claim from 11 weeks before the week your baby is due. The latest you can claim is 6 months after your baby is born.\n\nIf you\u2019re becoming responsible for a child, you must claim within 6 months of this happening.\n\n## Claim by post\n\n- Print out and fill in the Sure Start Maternity Grant (SF100) claim form.\n\n- Get a health professional such as a doctor or midwife to fill in the statement on page 10 of the form. You can send your form without this statement if necessary to meet the deadline. If you do this, you\u2019ll be contacted about arranging the statement at a later date.\n\n- Post the form to \u2018Freepost DWP SSMG\u2019 - you do not need a postcode or a stamp.\n\nThere\u2019s a different form and postal address if you live in Northern Ireland.\n\nYou\u2019ll get a letter telling you if your claim was successful.\n\nIf you get Universal Credit, you will not get a decision on your claim until after your next payment.\n\n## Get help with your claim\n\nCall the Sure Start Maternity Grant helpline.\n\nYou can also contact Jobcentre Plus.\n\n## Alternative formats\n\nCall the Sure Start Maternity Grant helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/sure-start-maternity-grant", + "answerable": true, + "scenario": "I live in Wales and am currently expecting my first child. I live with my partner, who is on a low income and is claiming Universal Credit, as am I.", + "original_question": "Can I get the Sure Start Maternity Grant?" + }, + { + "id": "train-205", + "question": "Scenario: My sister has been for 10 years undergone domestic Abuse through her abusive husband. During covid pandemic the husband kicked her away from their shared accomodation. She is current in the refuge and want to divorce her abusive husband.\n\nQuestion: Does my sister has a valid ground for divorce?\n\nDocument - Get a divorce:\n## Check you can get a divorce\n\nYou can get divorced in England or Wales if all of the following are true:\n\n- you\u2019ve been married for over a year\n\n- your relationship has permanently broken down\n\n- your marriage is legally recognised in the UK (including same-sex marriage)\n\n- the UK is your permanent home, or the permanent home of your husband or wife\n\nIf you do not want a divorce, you can get a legal separation so you can live apart without ending the marriage. You might also be able to annul the marriage. You can apply for separation or annulment during your first year of marriage.\n\nThis guide is also available in Welsh (Cymraeg).\n\nGetting a divorce is different in Scotland and Northern Ireland.\n\n## Grounds for divorce\n\nWhen you apply for a divorce you\u2019ll need to prove that your marriage has broken down and cannot be saved. You\u2019ll need to give one or more of the following 5 reasons (also known as \u2018facts\u2019).\n\n## Adultery\n\nYour husband or wife had sexual intercourse with someone else of the opposite sex (committed adultery).\n\nYou cannot give adultery as a reason if you lived together as a couple for more than 6 months after you found out about it.\n\n## Unreasonable behaviour\n\nYour husband or wife has behaved in such a way that you cannot reasonably be expected to live with them.\n\nThis could include:\n\n- physical violence\n\n- verbal abuse, such as insults or threats\n\n- drunkenness or drug-taking\n\n- refusing to pay towards shared living expenses\n\n## Desertion\n\nYour husband or wife has left you for at least 2 years before you apply for divorce.\n\nYou can still claim desertion if you have lived together for up to a total of 6 months in this period, but that will not count towards the 2 years.\n\n## You\u2019ve been separated for at least 2 years\n\nYou can apply for a divorce if you\u2019ve been separated for at least 2 years before applying for divorce and you both agree to it.\n\nYour husband or wife must agree in writing.\n\nIt may be possible for you to show that you\u2019ve been separated while living in the same home as your wife or husband as long as you\u2019re not living together as a couple (for example you sleep and eat apart).\n\n## You\u2019ve been separated for at least 5 years\n\nYou can apply for a divorce if you\u2019ve been separated for at least 5 years before applying, even if your husband or wife disagrees.\n\n## Before you apply\n\nBefore you send in your application, you and your husband or wife can choose to work out:\n\n- arrangements for looking after any children\n\n- child maintenance payments for any children\n\nYou can also divide your money and property. There\u2019s a deadline if you want to make this legally binding.\n\nYou can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your marriage.\n\n## Get help agreeing on issues\n\nYou can use a mediator. Check if you can get legal aid to help pay for mediation.\n\nYou can also get advice on making agreements from:\n\n- organisations near you\n\n- Citizens Advice\n\n## If you\u2019re married to more than one person\n\nContact your regional divorce centre if you\u2019re married to more than one person (polygamy).\n\n## How to apply\n\nTo apply for a divorce you\u2019ll need:\n\n- your husband or wife\u2019s full name and address\n\n- your original marriage certificate or a certified copy (and a certified translation if it\u2019s not in English)\n\n- proof of your name change if you\u2019ve changed it since you got married - for example your marriage certificate or a deed poll\n\nYou must try to find your husband or wife\u2019s current address if you do not know it. The court will need it to send them a copy of the divorce petition.\n\nIf you name the person your husband or wife committed adultery with, they\u2019ll get copies of the paperwork.\n\n## Fee\n\nYou must pay a \u00a3550 fee to apply for a divorce. The way you pay depends on how you apply. Your fee will not be refunded after you are sent the notice that your application has been issued.\n\nYou may be able to get help with fees if you get benefits or are on a low income.\n\n## Apply online\n\nYou can apply for a divorce online.\n\nYou\u2019ll need a debit or credit card to apply online.\n\n## Apply by post or in Welsh\n\nFill in a divorce application form D8 (\u2018divorce petition\u2019) to start a divorce.\n\nYou can get help filling in the form at a Citizens Advice office.\n\nSend 3 copies of the form to your nearest divorce centre. They\u2019ll send one copy to your husband or wife.\n\nYou need to send 4 copies if you named someone your husband or wife committed adultery with.\n\nKeep your own copy of the forms.\n\n## How to pay\n\nYou can either pay by:\n\n- debit or credit card - the divorce centre will call you to take payment\n\n- cheque - made payable to \u2018HM Courts and Tribunals Service\u2019\n\n## What happens after you apply\n\nYour application will be checked. If it\u2019s correct, you\u2019ll be sent:\n\n- a notice that your application has been issued (sent out)\n\n- a copy of your application stamped by the divorce centre\n\n- a case number\n\nThis may take up to 10 days if you applied online or 1 month if you applied by post.\n\nThe court will send your husband or wife the divorce application and an \u2018acknowledgement of service\u2019 form. Your husband or wife will need to respond to your divorce application.\n\nIf you named someone your husband or wife committed adultery with, they\u2019ll also be sent a copy of the application and be asked to respond.\n\n## Your husband or wife responds\n\nThe acknowledgement of service form asks your husband or wife if they:\n\n- agree with the divorce\n\n- intend to try to prevent the divorce (defend it)\n\n- object to paying the costs (if you\u2019ve claimed them)\n\nYour husband or wife must respond within 8 days.\n\n## If they agree with the divorce\n\nYou can continue with the divorce by applying for a decree nisi.\n\n## If they defend the divorce\n\nYour husband or wife will have to complete an \u2018answer to divorce\u2019 form to say why they disagree with the divorce. They must do this within 28 days of getting the divorce application.\n\nIf they do not submit an \u2018answer to divorce\u2019 form, you can continue the divorce by applying for a decree nisi.\n\nIf they do submit an answer to divorce in time, you may have to go to court to discuss the case.\n\n## Apply for decree nisi\n\nYou can apply for a decree nisi if your husband or wife does not defend your divorce petition.\n\nA decree nisi is a document that says that the court does not see any reason why you cannot divorce.\n\nIf your husband or wife does not agree to the divorce, you can still apply for a decree nisi. However, you\u2019ll have to go to a court hearing to discuss the case, where a judge will decide whether to grant you a decree nisi.\n\nIf you already have a hearing date, the court will contact you and tell you how the hearing will take place.\n\n## How to apply\n\nTo get a decree nisi, read the guidance and then fill in the application for a decree nisi.\n\nYou must also fill in a statement confirming that what you said in your divorce petition is true.\n\nThere are 5 statement forms - use the one that covers the reason you\u2019ve given for your divorce:\n\n- adultery statement\n\n- unreasonable behaviour statement\n\n- desertion statement\n\n- 2 years\u2019 separation statement\n\n- 5 years\u2019 separation statement\n\nAttach a copy of your husband\u2019s or wife\u2019s response to the divorce petition.\n\n## Getting a decree nisi\n\nIf the judge agrees, the court will send you and your husband or wife a certificate. This may take several weeks.\n\nThe certificate will tell you the time and date you\u2019ll be granted a decree nisi.\n\nYou\u2019ll still be married after the decree nisi has been granted. You\u2019ll have to wait 43 days (6 weeks and 1 day) before you can apply for a \u2018decree absolute\u2019 to actually end the marriage.\n\n## Your application is rejected\n\nYou may be sent a \u2018notice of refusal of judge\u2019s certificate\u2019 form, saying why you cannot divorce.\n\nThe form will tell you what to do next. The judge may want more information in writing, or you may have to go to a court hearing.\n\nYou can get legal advice if there\u2019s going to be a court hearing.\n\n## Apply for a decree absolute\n\nThe decree absolute is the legal document that ends your marriage.\n\nYou need to wait at least 43 days (6 weeks and 1 day) after the date of the decree nisi before you can apply for a decree absolute.\n\nApply within 12 months of getting the decree nisi - otherwise you will have to explain the delay to the court.\n\n## How to apply\n\nTo apply for a decree absolute, fill in the notice of application for decree nisi to be made absolute form.\n\nIf you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a decree absolute.\n\n## Getting the decree absolute\n\nThe court will check that:\n\n- time limits have been met\n\n- there are no other reasons not to grant the divorce\n\nThe court will then send you both a decree absolute.\n\nYou\u2019ll get your decree absolute within:\n\n- 24 hours (Monday to Friday) if you applied online\n\n- 10 days if you applied by post\n\nIf a solicitor is acting for you, the decree absolute will be sent to them. You\u2019ll need to ask them for a copy.\n\nOnce you get the decree absolute, you are divorced, no longer married and free to marry again if you wish.\n\nKeep the decree absolute safe - you will need to show it if you remarry or to prove your marital status.\n\nIf you lose your decree absolute, you can apply to the court for a copy.\n\n## If you do not apply for the decree absolute\n\nYour husband or wife can apply for the decree absolute if you do not. They\u2019ll have to wait an extra 3 months to do this, on top of the standard 43 days.\n\n## If your husband or wife lacks mental capacity\n\nYou can apply for a divorce if your husband or wife \u2018lacks mental capacity\u2019 and cannot agree to a divorce or take part in the divorce case.\n\nYour husband or wife will need someone to make decisions for them during the divorce. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.\n\n## Your husband or wife does not have a litigation friend\n\nIf there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.\n\nThe Official Solicitor may agree to act as your husband or wife\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).\n\n## How to apply\n\n- Check there\u2019s nobody else suitable or willing to act as your husband or wife\u2019s litigation friend.\n\n- Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your husband or wife may be able to get legal aid.\n\n- Give the details of your husband or wife\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.\n\nIf the Official Solicitor agrees to act as litigation friend for your husband or wife, you\u2019ll be able to file for divorce.\n\n## Contact the Official Solicitor\u2019s staff\n\nEmail or call the private family law team if you have an enquiry about divorcing someone who lacks mental capacity. They cannot answer general questions about divorce.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/divorce", + "answerable": true, + "scenario": "My sister has been for 10 years undergone domestic Abuse through her abusive husband. During covid pandemic the husband kicked her away from their shared accomodation. She is current in the refuge and want to divorce her abusive husband.", + "original_question": "Does my sister has a valid ground for divorce?" + }, + { + "id": "train-206", + "question": "Scenario: My partner and I have tried to conceive naturally for two years without success and are now contemplating alternative methods to enable us to become parents.\n\nQuestion: If I have a child via a surrogate, is it possible they could refuse to surrender it?\n\nDocument - Surrogacy: legal rights of parents and surrogates:\n## Overview\n\nSurrogacy is legal in the UK, but if you make a surrogacy agreement it cannot be enforced by the law.\n\n## The legal parents at birth\n\nIf you use a surrogate, they will be the child\u2019s legal parent at birth.\n\nIf the surrogate is married or in a civil partnership, their spouse or civil partner will be the child\u2019s second parent at birth, unless they did not give their permission.\n\nLegal parenthood can be transferred by parental order or adoption after the child is born.\n\nIf there is disagreement about who the child\u2019s legal parents should be, the courts will make a decision based on the best interests of the child.\n\n## Surrogacy agreements\n\nThe intended parents and surrogate can record how they want the arrangement to work in a surrogacy agreement.\n\nSurrogacy agreements are not enforceable by UK law, even if you have a signed document with your surrogate and have paid their expenses.\n\nYou cannot pay a surrogate in the UK, except for their reasonable expenses.\n\n## Donor\u2019s rights\n\nIf you use donated sperm or eggs with your surrogate, read about the rights of your donor.\n\nRead more about surrogacy and the legal process.\n\n## Become the child\u2019s legal parent\n\nYou must apply for a parental order or adoption if you want to become the legal parent of the child.\n\n## Parental orders\n\nYou can apply for a parental order with a partner or on your own.\n\n## Apply with a partner\n\nOne of you must be genetically related to the child - in other words, be the egg or sperm donor.\n\nYou must be one of the following:\n\n- married\n\n- civil partners\n\n- living as partners\n\nYou must also:\n\n- have the child living with you\n\n- reside permanently in either the UK, Channel Islands or Isle of Man\n\nYou must apply within 6 months of the child\u2019s birth.\n\n## Apply as an individual\n\nYou must be genetically related to the child - in other words, be the egg or sperm donor.\n\nYou must also:\n\n- have the child living with you\n\n- reside permanently in either the UK, Channel Islands or Isle of Man\n\nYou can apply for a child of any age if you apply before 4 July 2019. From 4 July 2019 you must apply within 6 months of the child\u2019s birth.\n\n## How to apply in England or Wales\n\nYou must fill in a \u2018C51 application form for a parental order\u2019 and take or send it to a family court.\n\nYou do not have to use your local family court, but you\u2019ll need to explain why if you do not.\n\nYou\u2019ll need to provide the child\u2019s full birth certificate and will also be charged a court fee of \u00a3215.\n\nThe court will then set a date for the hearing and issue you with a \u2018C52 acknowledgement form\u2019 that you must give to the child\u2019s legal parent, in other words, your surrogate.\n\nThe surrogate and anyone else who\u2019s a parent of the child must agree to the parental order by filling in form A101A.\n\n## How to apply in Scotland or Northern Ireland\n\nThe process is different if you live in Scotland or Northern Ireland.\n\nIn Scotland, contact the Court of Session or Sheriff Court.\n\nIn Northern Ireland, contact the Courts and Tribunals Service.\n\n## Adoption\n\nIf neither you or your partner are related to the child, adoption is the only way you can become the child\u2019s legal parent.\n\n## Children born outside the UK\n\nIf your surrogate gives birth abroad, you can only apply for a parental order if you and your partner are living in the UK.\n\nIf the child is not a UK or EU national, they will need a visa to enter the UK during this process.\n\nUsing a surrogate abroad can be complicated because different countries have different rules. You may want to get legal advice or contact The Human Fertilisation and Embryology Authority for more information.\n\nYou can also read about returning to the UK with your child.\n\n## Pay and leave\n\nYou and your partner may be eligible for adoption pay and leave and paternity pay and leave if you use a surrogate.\n\nIf you\u2019re not eligible for paid leave, you may be able to take parental leave or annual leave.\n\n## Surrogates\n\nEvery pregnant employee has the right to 52 weeks\u2019 maternity leave and to return to their job after this.\n\nWhat a surrogate does after the child is born does not affect their right to maternity leave.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/legal-rights-when-using-surrogates-and-donors", + "answerable": true, + "scenario": "My partner and I have tried to conceive naturally for two years without success and are now contemplating alternative methods to enable us to become parents.", + "original_question": "If I have a child via a surrogate, is it possible they could refuse to surrender it?" + }, + { + "id": "train-207", + "question": "Scenario: I'm a 51 year old from York. I inherited my 73 year old fathers estate 6 months ago after he passed and I have payed too much on my inheritance tax bill.\n\nQuestion: Can I claim the overpayment back?\n\nDocument - Pay your Inheritance Tax bill:\n## Overview\n\nYou must pay Inheritance Tax by the end of the sixth month after the person died.\n\nThere are different due dates if you\u2019re making payments on a trust.\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay by the due date.\n\n## How to pay\n\nYou\u2019ll need to get a payment reference number before you can pay your Inheritance Tax bill.\n\n## Pay from your own bank account\n\nYou can pay from your own bank account or a joint account with the deceased:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\nYou currently cannot pay Inheritance Tax by cheque because of coronavirus (COVID-19).\n\nYou can claim the money back from the deceased\u2019s estate or the beneficiaries once you get a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\n## Pay from accounts owned by the deceased\n\nYou can pay using the deceased\u2019s:\n\n- bank accounts - including National Savings and Investments (NS&I) accounts\n\n- government stock\n\n## If you do not know how much to pay\n\nYou can make payments before you know the exact amount of Inheritance Tax owed by the deceased person\u2019s estate. These are known as \u2018payments on account\u2019.\n\n## Check your payment has been received\n\nHMRC do not send receipts for each payment you make. They\u2019ll write to tell you when you\u2019ve paid all the Inheritance Tax and interest you owe.\n\nIf you\u2019ve paid through your own bank or building society, check your statement to confirm the payment has left your account.\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nAsk your bank if your cheque to HMRC has been cashed. If it has not been cashed, you should cancel the cheque and pay HMRC a different way.\n\n## Get a payment reference number\n\nYou\u2019ll need to get an Inheritance Tax reference number from HM Revenue and Customs (HMRC) at least 3 weeks before you make a payment.\n\nYou can apply for one:\n\n- online (unless you need it for a trust)\n\n- by post - using form IHT422, Application for an Inheritance Tax reference (the address you need is on the form)\n\nDo not use the 15-digit number from the online Inheritance Tax service to report an estate\u2019s value.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay by Faster Payments (online or telephone banking), CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001136 | HMRC Inheritance Tax |\n\nYou\u2019ll need to use your Inheritance Tax payment reference number as the payment reference.\n\n## How long it takes\n\nPayments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB66BARC20114763495590 | BARCGB22 | HMRC Inheritance Tax |\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay at a branch by cash or cheque.\n\nPlease complete one of your bank\u2019s paying in slips with the following HMRC bank account details:\n\nSort code 25 61 21\nAccount number 63495590\nAccount name HM Revenue & Customs Inheritance Tax\n\nSome branches might be closed at the moment because of coronavirus (COVID-19).\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite the name of the deceased and your Inheritance Tax payment reference number on the back of the cheque. You\u2019ll find the reference number on the letter HMRC sent you.\n\nHMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.\n\n## By cheque through the post\n\nYou currently cannot pay Inheritance Tax by post because of coronavirus (COVID-19). You can still pay:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\n## From the deceased's bank account\n\nYou can ask banks, building societies or National Savings & Investments (NS&I) to pay some or all of the Inheritance Tax due from the deceased person\u2019s accounts to HM Revenue and Customs (HMRC). This is called the \u2018Direct Payment Scheme\u2019.\n\n- Ask the bank, building society or NS&I to make you a \u2018personal representative\u2019 - each one will do this in a different way. You can do this before you apply for a \u2018grant of representation\u2019 (known as \u2018probate\u2019). This is known as confirmation in Scotland.\n\n- Get your Inheritance Tax payment reference number.\n\n- Fill in form IHT423 and send it to the bank, building society or NS&I. Send a separate form for each account you want to pay HMRC from.\n\n- Send Inheritance Tax Account form IHT 400, Probate Summary form IHT421, (Confirmation form C1 in Scotland) and any supplementary pages or supporting documents to HMRC.\n\nWhen the bank, building society or NS&I has made the payment, HMRC will stamp and return Probate Summary form IHT421 (Confirmation form C1 in Scotland) so you know the Inheritance Tax has been paid.\n\n## Using British government stock\n\nWrite to Computershare Investor Services, who run the British government stock scheme.\n\nTell them you want to pay Inheritance Tax and how much of the stock you want to use. Enclose a copy of the death certificate and the stock reference number (if you have it).\n\nAt the same time, send HMRC:\n\n- a letter saying how much tax you want to be paid out of the stock\n\n- Inheritance Tax Account form IHT400 - you\u2019ll need to put your Inheritance Tax payment reference number on the form\n\n- Probate Summary form IHT421 (Confirmation form C1 in Scotland)\n\nHMRC will contact Computershare and ask for the money to be transferred. This could take up to 4 weeks.\n\nDo not pay this way if you need to get probate (known as \u2018confirmation\u2019 in Scotland) quickly. (Probate is the right to deal with the deceased person\u2019s property, money and possessions.)\n\n## After the money has been transferred\n\n## In England, Wales or Northern Ireland\n\nHMRC will send your IHT421 form to the Probate Registry so they can send a grant of representation to you (if you\u2019re handling probate yourself) or to your solicitor.\n\n## In Scotland\n\nHMRC will return your C1 Confirmation form to you so you can apply for confirmation.\n\nIf the amount transferred is not enough to cover the Inheritance Tax you owe, HMRC will write to tell you how much to pay and how to pay it.\n\n## By transferring national heritage property\n\nIn very exceptional cases you may be able to make Inheritance Tax payments by transferring national heritage property to the Crown.\n\nNational heritage property may include:\n\n- buildings or land of historic, architectural, scenic or scientific interest\n\n- artworks, books and manuscripts or scientific collections of historic, scenic or scientific interest\n\nOffers to make Inheritance Tax payments by transferring national heritage property to the Crown are dealt with on an individual basis.\n\nContact the HMRC Heritage team for information on making an offer.\n\n## If your offer is accepted\n\nEven if your offer\u2019s accepted, you must first pay all of the Inheritance Tax you owe through other means and have a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\nOnce your property has been transferred HM Revenue and Customs (HMRC) will repay the Inheritance Tax you\u2019ve paid.\n\n## In yearly instalments\n\nYou can pay your Inheritance Tax on things that may take time to sell in equal annual instalments over 10 years.\n\nYou must say on Inheritance Tax Account form IHT400 if you want to pay in instalments.\n\nYou\u2019ll usually have to pay interest on your instalments. Use the calculator to work out the interest you\u2019ll need to pay.\n\nYou must pay the tax in full when you\u2019ve sold the deceased\u2019s assets, such as their house or shares.\n\n## When you must pay\n\nThe first instalment is due at the end of the sixth month after the death (for example if they died on 12 January, you\u2019d have to pay by 31 July). This is known as the \u2018due date\u2019. Payments are then due every year on that date.\n\n## Paying early\n\nYou can pay off the full tax and interest at any time. Write to HM Revenue and Customs (HMRC) Trusts and Estates asking for a final assessment (you do not have to include payment).\n\n## What you pay interest on\n\nYou will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:\n\n- the full outstanding tax balance\n\n- the instalment itself, from the date it\u2019s due to the date of payment (if it\u2019s paid late)\n\n## What you can pay in instalments\n\n## Houses\n\nYou can pay 10% and the interest each year if you decide to keep the house to live in.\n\n## Shares and securities\n\nYou can pay in instalments if the shares or securities allowed the deceased to control more than 50% of a company.\n\n## Unlisted shares and securities\n\nYou can pay in instalments for \u2018unlisted\u2019 shares or securities (ones not traded on a recognised stock exchange) if they\u2019re worth more than \u00a320,000 and either of these apply:\n\n- they represent 10% of the total value of the shares in the company, at the price they were first sold at (known as the \u2018nominal\u2019 value or \u2018face value\u2019)\n\n- they represent 10% of the total value of ordinary shares held in the company, at the price they were first sold at\n\nYou can find the face value of a share and whether it\u2019s an ordinary share on the share certificate.\n\nYou can also pay in instalments if either of these apply:\n\n- at least 20% of the total Inheritance Tax the estate owes is on assets that qualify for payment by instalments\n\n- paying Inheritance Tax on them in one lump sum will cause financial difficulties\n\n## Business run for profit\n\nYou can pay in instalments on the net value of a business, but not its assets.\n\n## Agricultural land and property\n\nThis is rare because most agricultural land and property is exempt from Inheritance Tax.\n\n## Gifts\n\nYou can pay in instalments if there is still Inheritance Tax to pay and you were given:\n\n- buildings\n\n- shares or securities\n\n- part or all of a business\n\nIf the gift was an unlisted share or security, it must still have been unlisted at the time of the death.\n\n## Trusts\n\n- Get your Inheritance Tax payment reference number at least 3 weeks before you want to make a payment by filling in Form IHT122.\n\n- Send Inheritance Tax Account form IHT100 to HM Revenue and Customs (HMRC).\n\n- Pay the Inheritance Tax, either through a bank or building society or by cheque through the post.\n\n## Payment deadlines\n\n## Transfers\n\nYou must pay Inheritance Tax on transfers into a trust or out of a trust (known as \u2018exit charges\u2019) no later than 6 months after the end of the month the transfer was made.\n\n## 10-year anniversary charge\n\nThe 10-year anniversary charge can be paid up to 6 months after the 10th anniversary of the date the trust was set up.\n\n## Pay early to avoid paying interest\n\nYou can make early Inheritance Tax payments before you know the exact amount the estate owes (this is known as a \u2018payment on account\u2019).\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay all the tax the estate owes by the due date. If you will not know how much Inheritance Tax the estate owes by the time the payment is due, a payment on account can help you avoid some of the interest.\n\n## If you overpay\n\nIf you pay more money than the final bill says the estate owes, HMRC will refund the excess after you\u2019ve been given probate (confirmation in Scotland). Probate is the right to deal with the deceased person\u2019s property, money and possessions.\n\nHMRC will also pay interest on the amount you\u2019ve overpaid.\n\nTo receive the refund, you\u2019ll need to write to HMRC.\n\nPut \u2018Repayment - further details\u2019 at the top of the letter.\n\nInclude the name, number and sort code of the bank account you want the refund to go to.\n\nThe letter must be signed by the same people who signed forms IHT400 and IHT100 if:\n\n- you\u2019re applying without the help of a solicitor or agent\n\n- the refund is being paid into a different bank account to the one nominated in IHT400 or IHT100\n\nIf you\u2019re an agent acting on behalf of the estate and you\u2019re not asking for the refund to be paid into a different bank account, only put your signature on the letter.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paying-inheritance-tax", + "answerable": true, + "scenario": "I'm a 51 year old from York. I inherited my 73 year old fathers estate 6 months ago after he passed and I have payed too much on my inheritance tax bill.", + "original_question": "Can I claim the overpayment back?" + }, + { + "id": "train-210", + "question": "Scenario: I live in England and am the closest living relative to my brother, who was sectioned under the Mental Health Act almost six months ago. I believe his admission has not been adequately reviewed during this period and wish to apply to the tribunal for his release.\n\nQuestion: Can I request that my brother be re-examined by the tribunal doctor in advance of any hearing?\n\nDocument - Apply to the Mental Health Tribunal:\n## Overview\n\nYou can apply to the First-tier Tribunal (Mental Health) if you\u2019re admitted (\u2018detained\u2019) as a patient in a psychiatric hospital (\u2018sectioned\u2019) and want to be discharged.\n\nYou can apply on a patient\u2019s behalf if you\u2019re their:\n\n- legal representative\n\n- \u2018nearest relative\u2019\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nYou can also apply to the tribunal if you want to change:\n\n- a community treatment order\n\n- the conditions placed on your \u2018conditional discharge\u2019 from hospital\n\nThe tribunal deals with cases in England. There are different rules in Wales and rules in Scotland.\n\n## When to apply\n\nWhen you apply depends on how you were admitted - ask your doctor or lawyer (if you have one) if you\u2019re unsure.\n\nThere are deadlines for the first time you apply - you must apply within:\n\n- 14 days if you\u2019ve been admitted for assessment (\u2018section 2\u2019)\n\n- 6 months if you\u2019ve been admitted for treatment (\u2018section 3\u2019)\n\nGet legal advice if you\u2019re a \u2018restricted patient\u2019, for example you\u2019ve received an order from the Crown Court or been transferred from prison- the deadlines depend on your situation.\n\n## If you miss the deadline\n\nYou cannot apply to be discharged if you miss the deadline but you may be able to apply again later, for example after a year if you\u2019ve been admitted for treatment (\u2018section 3\u2019).\n\nThe tribunal will automatically look at your case again after a certain period of time. This is sometimes known as a \u2018referral\u2019. The period of time depends on your case, for example:\n\n- if it\u2019s been 3 years since the tribunal gave you a hearing\n\n- you\u2019ve not had a hearing in the first 6 months of your detention\n\n## Help you can get\n\nYou can get free legal help if you\u2019re a patient. It does not cost you anything as it\u2019s paid for by legal aid.\n\nFind a legal advisor near you or ask the tribunal to find one for you when you apply.\n\nYou can also get advice from:\n\n- Carers Direct\n\n- the charity Mind\n\n- the charity Rethink\n\n## Apply to the tribunal\n\nDownload and fill in an application to the First-tier Tribunal (Mental Health). You must include:\n\n- what you\u2019re applying for, for example discharge if you\u2019ve been admitted for assessment or treatment\n\n- the patient\u2019s first name, surname and date of birth\n\n- full details of the care coordinator and hospital\n\n- the date of the section or order\n\n- contact details for the \u2018nearest relative\u2019 (if there is one)\n\n- your lawyer\u2019s details (if you have one)\n\n- whether you need an interpreter\n\n## Send the form\n\nPost or email the form to HM Courts and Tribunals Service. The contact details are on the form.\n\nContact the tribunal by phone or email if you have any questions about completing the form. The helpline and email address cannot give you legal advice.\n\n## After you apply\n\nYou\u2019ll be told when the tribunal has received your application. You\u2019ll get information on your rights to legal representation if you did not include a lawyer\u2019s details in your application.\n\nYour \u2018nearest relative\u2019 will usually be told the date of the hearing - they can attend unless you object. Nearer the time of the hearing you\u2019ll be given copies of reports so that you can check that the information\u2019s correct and work out any questions you want to ask.\n\nThe date of the hearing depends on your situation. You\u2019ll usually get a hearing within:\n\n- 7 days of applying if you\u2019ve been admitted for assessment\n\n- 2 months if you\u2019ve been admitted for treatment\n\n- 4 months if you\u2019ve received an order from the Crown Court or been transferred from prison (known as a \u2018restricted patient\u2019)\n\n## Evidence from the tribunal doctor\n\nYou can ask for a pre-hearing examination with the tribunal doctor if you want one.\n\nIf you\u2019ve been admitted for assessment, do this in writing when you send your application to the tribunal.\n\nIf you\u2019ve been admitted for treatment or you\u2019re a restricted patient, you must do this at least 2 weeks before the hearing.\n\nWrite to:\n\nBecause of coronavirus (COVID-19), your pre-hearing examination may take place by video.\n\nThe tribunal will also ask the hospital for reports from:\n\n- your doctor\n\n- the social work and nursing teams responsible for your care\n\n- the Secretary of State for Justice if you\u2019re a restricted patient (and your social supervisor if you\u2019re living in the community on conditional discharge)\n\n## If you do not want to continue with your application\n\nWrite to the tribunal as soon as possible if you do not want to continue with your application. The tribunal will decide whether to accept your withdrawal.\n\nYou cannot withdraw your case if it was automatically referred to the tribunal, but you do not have to go to the hearing if you do not want to.\n\n## What happens at the hearing\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. The tribunal will contact you and tell you how the hearing will take place.\n\nYou do not have to attend the hearing if you do not want to. You can bring a legal representative and a relative to the hearing if you do go - your representative can arrange for witnesses or experts to attend.\n\nHearings are usually held in private and attended by:\n\n- a judicial panel, made up of a judge, a doctor and a specialist lay member (for example a mental health social worker)\n\n- the patient\n\n- their hospital doctor, ward nurse and social worker\n\n- your legal representative, if you have one\n\nThe doctor, nurse and social worker will give evidence. You can also give evidence, and ask questions.\n\nThe tribunal will also look at:\n\n- your pre-hearing examination from the tribunal doctor, if you had one\n\n- an independent psychiatric report, if your legal representative asked for one\n\nIf you\u2019re a \u2018restricted patient\u2019 and have committed a serious offence against a person, they or their family can ask (or make \u2018representations\u2019) for certain conditions if the tribunal thinks you\u2019re ready for discharge.\n\n## Claim expenses\n\nYou may be able to claim expenses for going to the hearing. This includes money for:\n\n- travel costs\n\n- loss of earnings\n\n- food and drink, if you\u2019re away for more than 5 hours\n\nRead the guidance on claiming expenses.\n\n## The tribunal's decision\n\nThe tribunal usually decides at the end of the hearing on whether you should be discharged - you\u2019ll get the decision on the day, and you\u2019ll usually get full written reasons with 7 days of the hearing.\n\nThe tribunal can:\n\n- order your release (on the same day or at a future date)\n\n- recommend that you\u2019re transferred to a different hospital\n\n- recommend that your doctor considers you for treatment in the community\n\n- recommend that you\u2019re allowed to leave the hospital for periods of time, to see if you\u2019re ready for life in the community\n\nThe tribunal cannot change your treatment, for example medication.\n\n## Appeal\n\nIf you lose your case, you can ask the tribunal:\n\n- to cancel the decision - you must do this within 28 days of getting the written decision\n\n- for permission to appeal to a higher tribunal (the \u2018Upper Tribunal\u2019)\n\n## Ask the tribunal to cancel the decision\n\nYou\u2019ll be told how to get a decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process, for example you were not told about the hearing so did not go.\n\nIf the tribunal cancels the decision, you may be able to get a new hearing.\n\nContact Citizens Advice if you need help.\n\n## Appeal to the Upper Tribunal\n\nYou can ask for permission to appeal to the Upper Tribunal if you think there was a legal mistake, for example if they:\n\n- did not apply the correct law or wrongly interpreted the law\n\n- did not follow the correct procedures\n\n- had no evidence or not enough evidence to support its decision\n\nFill in the application for permission to appeal - the address is on the form.\n\nAnother judge will look to see if there\u2019s a legal problem with your case and if it needs to be heard again.\n\n## Complain\n\nYou cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.\n\n## Legislation\n\nThe tribunal will make a decision based on:\n\n- Mental Health Act 1983 (as amended by the Mental Health Act 2007)\n\n- Mental Health Act 2007\n\n- Human Rights Act 1998 if the case is about human rights\n\nThe tribunal must follow the Tribunal Procedure (First-Tier Tribunal) (Health, Education And Social Care Chamber) Rules 2008.\n\nDoctors\u2019 statements and reports must be written in line with the practice directions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/mental-health-tribunal", + "answerable": true, + "scenario": "I live in England and am the closest living relative to my brother, who was sectioned under the Mental Health Act almost six months ago. I believe his admission has not been adequately reviewed during this period and wish to apply to the tribunal for his release.", + "original_question": "Can I request that my brother be re-examined by the tribunal doctor in advance of any hearing?" + }, + { + "id": "train-211", + "question": "Scenario: My Grandfather has been suffering with a serious illness for the past 6 months. He has been sectioned on more than one occasion and taken into hospital. I do not believe he has the mental capacity to look after his own finances anymore.\n\nQuestion: I have tried to speak to him and get him to agree for me to be his deputy, however he is refusing. Can I still apply for a one-off decision?\n\nDocument - Apply for a one-off decision from the Court of Protection:\n## Overview\n\nApply to the Court of Protection if both of the following apply:\n\n- you\u2019re concerned about the personal welfare or property and financial affairs of someone who\u2019s lost mental capacity\n\n- you want to get a one-off decision, for example to stop someone visiting a person who\u2019s lost mental capacity in a nursing home\n\nYou can only apply to the court if there\u2019s a major disagreement about a serious decision which cannot be agreed any other way. There are general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\nCheck if someone has an attorney or deputy acting for them before you apply.\n\n## If there\u2019s an immediate risk to the person\n\nApply for an emergency or urgent court order if you think there\u2019s an immediate risk to the person, for example they need emergency medical treatment they cannot consent to.\n\n## If the person needs long-term help\n\nYou may have to apply to become a deputy if the person needs long-term help with decisions about personal welfare or property and financial affairs.\n\n## How to apply\n\nDownload and fill in:\n\n- an application form (COP1) - send the original and 2 copies\n\n- an assessment of capacity form (COP3) - get the person\u2019s doctor or other medical professional to fill in the relevant parts, and send the original and a copy\n\nYou may also need to download and fill in:\n\n- supporting information for property and financial affairs decisions (COP1A) - include any other relevant details by sending a completed witness form (COP24) with your application\n\n- supporting information for personal welfare applications (COP1B) - send the original and a copy\n\nYou must pay \u00a3365 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nSend a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms.\n\nRead the application form guidance notes (COP1) if you need help.\n\n## What happens next\n\nYou must tell:\n\n- the person you\u2019re applying to get a one-off decision for\n\n- people connected to the application\n\nTell them after you apply.\n\n## Tell other people you've applied\n\nThe Court of Protection will send you a copy of your application forms - they\u2019ll be stamped with an issue date.\n\nYou\u2019ll also get a letter from the court telling you what to do next.\n\nYou must tell (\u2018serve\u2019) certain people about the application within 14 days of the issue date.\n\n## Tell the person you\u2019re applying to get a one-off decision for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to get a one-off decision about their personal welfare or property and financial affairs\n\n- that their ability to make decisions is being questioned\n\n- what the one-off decision would mean for them\n\n- where to get advice if they want to discuss the application\n\nYou must give the person:\n\n- a completed form COP 14 - use the guidance notes to fill it in yourself\n\n- an acknowledgment form (COP5), so they can confirm they\u2019ve been told\n\n- any other documents related to your application\n\nThe person can get advice and assistance from the Court of Protection.\n\n## Tell people connected to the application\n\nYou must tell people named on your application that it\u2019s been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post\n\n- by fax or email\n\n- in person\n\n## Confirm you\u2019ve told people (\u2018served notice\u2019)\n\nYou must confirm you\u2019ve told people within 7 days of sending the forms. Download and fill in both:\n\n- form (COP20A) for the person you\u2019re applying to get a one-off decision for\n\n- form (COP20B) for other people named in the application\n\nThese forms are sometimes called \u2018certificates of service\u2019.\n\nYou must send both forms to the Court of Protection at the same time.\n\n## What happens next\n\nYou\u2019ll hear from the Court of Protection after you\u2019ve \u2018served notice\u2019 (told other people you\u2019ve applied).\n\nThe court will tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to make a decision, and when and where it\u2019ll take place\n\n## If there\u2019s a hearing\n\nYou must attend the hearing. You\u2019ll get a letter with a hearing date (\u2018notice\u2019) if the court decides to have a hearing.\n\nYou must tell the person you\u2019re getting a decision for about the hearing:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nFill in the notice about proceedings (COP14) and give it to the person you\u2019re getting a decision for. Use the guidance notes if you need help.\n\nThe person can contact the Court of Protection for advice and assistance - you must explain this to them.\n\nSend a certificate of service (COP20A) to the Court of Protection within 7 days of when you told the person.\n\nYou must pay \u00a3500 if the court makes a final decision at the hearing.\n\n## Get a decision\n\nIf there\u2019s a hearing, you\u2019ll get a decision at it or afterwards by post.\n\nYou\u2019ll get a decision by post if there is not a hearing.\n\n## Challenge a decision\n\nYou can apply to the court for the decision to be reconsidered if it was made without a hearing - use form (COP9).\n\nYou must apply within 21 days of the date the decision was made.\n\n## Appeal a decision\n\nYou must ask for permission to appeal if there was a hearing. Download and fill in the appellants\u2019 notice (COP35).\n\nYou must pay \u00a3230. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/oneoff-decision-personal-welfare", + "answerable": true, + "scenario": "My Grandfather has been suffering with a serious illness for the past 6 months. He has been sectioned on more than one occasion and taken into hospital. I do not believe he has the mental capacity to look after his own finances anymore.", + "original_question": "I have tried to speak to him and get him to agree for me to be his deputy, however he is refusing. Can I still apply for a one-off decision?" + }, + { + "id": "train-212", + "question": "Scenario: I live in England with my two young children by my wife in our former family home; however, my wife moved out 3 years ago and I have applied for divorce on the grounds of desertion. Despite giving the court what I believed to be her current address, she has not responded over a month later.\n\nQuestion: Can I still go ahead and apply for a degree nisi?\n\nDocument - Get a divorce:\n## Check you can get a divorce\n\nYou can get divorced in England or Wales if all of the following are true:\n\n- you\u2019ve been married for over a year\n\n- your relationship has permanently broken down\n\n- your marriage is legally recognised in the UK (including same-sex marriage)\n\n- the UK is your permanent home, or the permanent home of your husband or wife\n\nIf you do not want a divorce, you can get a legal separation so you can live apart without ending the marriage. You might also be able to annul the marriage. You can apply for separation or annulment during your first year of marriage.\n\nThis guide is also available in Welsh (Cymraeg).\n\nGetting a divorce is different in Scotland and Northern Ireland.\n\n## Grounds for divorce\n\nWhen you apply for a divorce you\u2019ll need to prove that your marriage has broken down and cannot be saved. You\u2019ll need to give one or more of the following 5 reasons (also known as \u2018facts\u2019).\n\n## Adultery\n\nYour husband or wife had sexual intercourse with someone else of the opposite sex (committed adultery).\n\nYou cannot give adultery as a reason if you lived together as a couple for more than 6 months after you found out about it.\n\n## Unreasonable behaviour\n\nYour husband or wife has behaved in such a way that you cannot reasonably be expected to live with them.\n\nThis could include:\n\n- physical violence\n\n- verbal abuse, such as insults or threats\n\n- drunkenness or drug-taking\n\n- refusing to pay towards shared living expenses\n\n## Desertion\n\nYour husband or wife has left you for at least 2 years before you apply for divorce.\n\nYou can still claim desertion if you have lived together for up to a total of 6 months in this period, but that will not count towards the 2 years.\n\n## You\u2019ve been separated for at least 2 years\n\nYou can apply for a divorce if you\u2019ve been separated for at least 2 years before applying for divorce and you both agree to it.\n\nYour husband or wife must agree in writing.\n\nIt may be possible for you to show that you\u2019ve been separated while living in the same home as your wife or husband as long as you\u2019re not living together as a couple (for example you sleep and eat apart).\n\n## You\u2019ve been separated for at least 5 years\n\nYou can apply for a divorce if you\u2019ve been separated for at least 5 years before applying, even if your husband or wife disagrees.\n\n## Before you apply\n\nBefore you send in your application, you and your husband or wife can choose to work out:\n\n- arrangements for looking after any children\n\n- child maintenance payments for any children\n\nYou can also divide your money and property. There\u2019s a deadline if you want to make this legally binding.\n\nYou can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your marriage.\n\n## Get help agreeing on issues\n\nYou can use a mediator. Check if you can get legal aid to help pay for mediation.\n\nYou can also get advice on making agreements from:\n\n- organisations near you\n\n- Citizens Advice\n\n## If you\u2019re married to more than one person\n\nContact your regional divorce centre if you\u2019re married to more than one person (polygamy).\n\n## How to apply\n\nTo apply for a divorce you\u2019ll need:\n\n- your husband or wife\u2019s full name and address\n\n- your original marriage certificate or a certified copy (and a certified translation if it\u2019s not in English)\n\n- proof of your name change if you\u2019ve changed it since you got married - for example your marriage certificate or a deed poll\n\nYou must try to find your husband or wife\u2019s current address if you do not know it. The court will need it to send them a copy of the divorce petition.\n\nIf you name the person your husband or wife committed adultery with, they\u2019ll get copies of the paperwork.\n\n## Fee\n\nYou must pay a \u00a3550 fee to apply for a divorce. The way you pay depends on how you apply. Your fee will not be refunded after you are sent the notice that your application has been issued.\n\nYou may be able to get help with fees if you get benefits or are on a low income.\n\n## Apply online\n\nYou can apply for a divorce online.\n\nYou\u2019ll need a debit or credit card to apply online.\n\n## Apply by post or in Welsh\n\nFill in a divorce application form D8 (\u2018divorce petition\u2019) to start a divorce.\n\nYou can get help filling in the form at a Citizens Advice office.\n\nSend 3 copies of the form to your nearest divorce centre. They\u2019ll send one copy to your husband or wife.\n\nYou need to send 4 copies if you named someone your husband or wife committed adultery with.\n\nKeep your own copy of the forms.\n\n## How to pay\n\nYou can either pay by:\n\n- debit or credit card - the divorce centre will call you to take payment\n\n- cheque - made payable to \u2018HM Courts and Tribunals Service\u2019\n\n## What happens after you apply\n\nYour application will be checked. If it\u2019s correct, you\u2019ll be sent:\n\n- a notice that your application has been issued (sent out)\n\n- a copy of your application stamped by the divorce centre\n\n- a case number\n\nThis may take up to 10 days if you applied online or 1 month if you applied by post.\n\nThe court will send your husband or wife the divorce application and an \u2018acknowledgement of service\u2019 form. Your husband or wife will need to respond to your divorce application.\n\nIf you named someone your husband or wife committed adultery with, they\u2019ll also be sent a copy of the application and be asked to respond.\n\n## Your husband or wife responds\n\nThe acknowledgement of service form asks your husband or wife if they:\n\n- agree with the divorce\n\n- intend to try to prevent the divorce (defend it)\n\n- object to paying the costs (if you\u2019ve claimed them)\n\nYour husband or wife must respond within 8 days.\n\n## If they agree with the divorce\n\nYou can continue with the divorce by applying for a decree nisi.\n\n## If they defend the divorce\n\nYour husband or wife will have to complete an \u2018answer to divorce\u2019 form to say why they disagree with the divorce. They must do this within 28 days of getting the divorce application.\n\nIf they do not submit an \u2018answer to divorce\u2019 form, you can continue the divorce by applying for a decree nisi.\n\nIf they do submit an answer to divorce in time, you may have to go to court to discuss the case.\n\n## Apply for decree nisi\n\nYou can apply for a decree nisi if your husband or wife does not defend your divorce petition.\n\nA decree nisi is a document that says that the court does not see any reason why you cannot divorce.\n\nIf your husband or wife does not agree to the divorce, you can still apply for a decree nisi. However, you\u2019ll have to go to a court hearing to discuss the case, where a judge will decide whether to grant you a decree nisi.\n\nIf you already have a hearing date, the court will contact you and tell you how the hearing will take place.\n\n## How to apply\n\nTo get a decree nisi, read the guidance and then fill in the application for a decree nisi.\n\nYou must also fill in a statement confirming that what you said in your divorce petition is true.\n\nThere are 5 statement forms - use the one that covers the reason you\u2019ve given for your divorce:\n\n- adultery statement\n\n- unreasonable behaviour statement\n\n- desertion statement\n\n- 2 years\u2019 separation statement\n\n- 5 years\u2019 separation statement\n\nAttach a copy of your husband\u2019s or wife\u2019s response to the divorce petition.\n\n## Getting a decree nisi\n\nIf the judge agrees, the court will send you and your husband or wife a certificate. This may take several weeks.\n\nThe certificate will tell you the time and date you\u2019ll be granted a decree nisi.\n\nYou\u2019ll still be married after the decree nisi has been granted. You\u2019ll have to wait 43 days (6 weeks and 1 day) before you can apply for a \u2018decree absolute\u2019 to actually end the marriage.\n\n## Your application is rejected\n\nYou may be sent a \u2018notice of refusal of judge\u2019s certificate\u2019 form, saying why you cannot divorce.\n\nThe form will tell you what to do next. The judge may want more information in writing, or you may have to go to a court hearing.\n\nYou can get legal advice if there\u2019s going to be a court hearing.\n\n## Apply for a decree absolute\n\nThe decree absolute is the legal document that ends your marriage.\n\nYou need to wait at least 43 days (6 weeks and 1 day) after the date of the decree nisi before you can apply for a decree absolute.\n\nApply within 12 months of getting the decree nisi - otherwise you will have to explain the delay to the court.\n\n## How to apply\n\nTo apply for a decree absolute, fill in the notice of application for decree nisi to be made absolute form.\n\nIf you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a decree absolute.\n\n## Getting the decree absolute\n\nThe court will check that:\n\n- time limits have been met\n\n- there are no other reasons not to grant the divorce\n\nThe court will then send you both a decree absolute.\n\nYou\u2019ll get your decree absolute within:\n\n- 24 hours (Monday to Friday) if you applied online\n\n- 10 days if you applied by post\n\nIf a solicitor is acting for you, the decree absolute will be sent to them. You\u2019ll need to ask them for a copy.\n\nOnce you get the decree absolute, you are divorced, no longer married and free to marry again if you wish.\n\nKeep the decree absolute safe - you will need to show it if you remarry or to prove your marital status.\n\nIf you lose your decree absolute, you can apply to the court for a copy.\n\n## If you do not apply for the decree absolute\n\nYour husband or wife can apply for the decree absolute if you do not. They\u2019ll have to wait an extra 3 months to do this, on top of the standard 43 days.\n\n## If your husband or wife lacks mental capacity\n\nYou can apply for a divorce if your husband or wife \u2018lacks mental capacity\u2019 and cannot agree to a divorce or take part in the divorce case.\n\nYour husband or wife will need someone to make decisions for them during the divorce. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.\n\n## Your husband or wife does not have a litigation friend\n\nIf there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.\n\nThe Official Solicitor may agree to act as your husband or wife\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).\n\n## How to apply\n\n- Check there\u2019s nobody else suitable or willing to act as your husband or wife\u2019s litigation friend.\n\n- Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your husband or wife may be able to get legal aid.\n\n- Give the details of your husband or wife\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.\n\nIf the Official Solicitor agrees to act as litigation friend for your husband or wife, you\u2019ll be able to file for divorce.\n\n## Contact the Official Solicitor\u2019s staff\n\nEmail or call the private family law team if you have an enquiry about divorcing someone who lacks mental capacity. They cannot answer general questions about divorce.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/divorce", + "answerable": true, + "scenario": "I live in England with my two young children by my wife in our former family home; however, my wife moved out 3 years ago and I have applied for divorce on the grounds of desertion. Despite giving the court what I believed to be her current address, she has not responded over a month later.", + "original_question": "Can I still go ahead and apply for a degree nisi?" + }, + { + "id": "train-213", + "question": "Scenario: My cousin was admitted in a psychiatric hospital for a mental health issue. He mentioned that has recovered and want discharged. I applied to Mental Health Tribunal on behalf of him for the discharge.\n\nQuestion: He feels that he want to stay in psychiatric hospital for some more time for additional support. Can I withdraw my application ?\n\nDocument - Apply to the Mental Health Tribunal:\n## Overview\n\nYou can apply to the First-tier Tribunal (Mental Health) if you\u2019re admitted (\u2018detained\u2019) as a patient in a psychiatric hospital (\u2018sectioned\u2019) and want to be discharged.\n\nYou can apply on a patient\u2019s behalf if you\u2019re their:\n\n- legal representative\n\n- \u2018nearest relative\u2019\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nYou can also apply to the tribunal if you want to change:\n\n- a community treatment order\n\n- the conditions placed on your \u2018conditional discharge\u2019 from hospital\n\nThe tribunal deals with cases in England. There are different rules in Wales and rules in Scotland.\n\n## When to apply\n\nWhen you apply depends on how you were admitted - ask your doctor or lawyer (if you have one) if you\u2019re unsure.\n\nThere are deadlines for the first time you apply - you must apply within:\n\n- 14 days if you\u2019ve been admitted for assessment (\u2018section 2\u2019)\n\n- 6 months if you\u2019ve been admitted for treatment (\u2018section 3\u2019)\n\nGet legal advice if you\u2019re a \u2018restricted patient\u2019, for example you\u2019ve received an order from the Crown Court or been transferred from prison- the deadlines depend on your situation.\n\n## If you miss the deadline\n\nYou cannot apply to be discharged if you miss the deadline but you may be able to apply again later, for example after a year if you\u2019ve been admitted for treatment (\u2018section 3\u2019).\n\nThe tribunal will automatically look at your case again after a certain period of time. This is sometimes known as a \u2018referral\u2019. The period of time depends on your case, for example:\n\n- if it\u2019s been 3 years since the tribunal gave you a hearing\n\n- you\u2019ve not had a hearing in the first 6 months of your detention\n\n## Help you can get\n\nYou can get free legal help if you\u2019re a patient. It does not cost you anything as it\u2019s paid for by legal aid.\n\nFind a legal advisor near you or ask the tribunal to find one for you when you apply.\n\nYou can also get advice from:\n\n- Carers Direct\n\n- the charity Mind\n\n- the charity Rethink\n\n## Apply to the tribunal\n\nDownload and fill in an application to the First-tier Tribunal (Mental Health). You must include:\n\n- what you\u2019re applying for, for example discharge if you\u2019ve been admitted for assessment or treatment\n\n- the patient\u2019s first name, surname and date of birth\n\n- full details of the care coordinator and hospital\n\n- the date of the section or order\n\n- contact details for the \u2018nearest relative\u2019 (if there is one)\n\n- your lawyer\u2019s details (if you have one)\n\n- whether you need an interpreter\n\n## Send the form\n\nPost or email the form to HM Courts and Tribunals Service. The contact details are on the form.\n\nContact the tribunal by phone or email if you have any questions about completing the form. The helpline and email address cannot give you legal advice.\n\n## After you apply\n\nYou\u2019ll be told when the tribunal has received your application. You\u2019ll get information on your rights to legal representation if you did not include a lawyer\u2019s details in your application.\n\nYour \u2018nearest relative\u2019 will usually be told the date of the hearing - they can attend unless you object. Nearer the time of the hearing you\u2019ll be given copies of reports so that you can check that the information\u2019s correct and work out any questions you want to ask.\n\nThe date of the hearing depends on your situation. You\u2019ll usually get a hearing within:\n\n- 7 days of applying if you\u2019ve been admitted for assessment\n\n- 2 months if you\u2019ve been admitted for treatment\n\n- 4 months if you\u2019ve received an order from the Crown Court or been transferred from prison (known as a \u2018restricted patient\u2019)\n\n## Evidence from the tribunal doctor\n\nYou can ask for a pre-hearing examination with the tribunal doctor if you want one.\n\nIf you\u2019ve been admitted for assessment, do this in writing when you send your application to the tribunal.\n\nIf you\u2019ve been admitted for treatment or you\u2019re a restricted patient, you must do this at least 2 weeks before the hearing.\n\nWrite to:\n\nBecause of coronavirus (COVID-19), your pre-hearing examination may take place by video.\n\nThe tribunal will also ask the hospital for reports from:\n\n- your doctor\n\n- the social work and nursing teams responsible for your care\n\n- the Secretary of State for Justice if you\u2019re a restricted patient (and your social supervisor if you\u2019re living in the community on conditional discharge)\n\n## If you do not want to continue with your application\n\nWrite to the tribunal as soon as possible if you do not want to continue with your application. The tribunal will decide whether to accept your withdrawal.\n\nYou cannot withdraw your case if it was automatically referred to the tribunal, but you do not have to go to the hearing if you do not want to.\n\n## What happens at the hearing\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. The tribunal will contact you and tell you how the hearing will take place.\n\nYou do not have to attend the hearing if you do not want to. You can bring a legal representative and a relative to the hearing if you do go - your representative can arrange for witnesses or experts to attend.\n\nHearings are usually held in private and attended by:\n\n- a judicial panel, made up of a judge, a doctor and a specialist lay member (for example a mental health social worker)\n\n- the patient\n\n- their hospital doctor, ward nurse and social worker\n\n- your legal representative, if you have one\n\nThe doctor, nurse and social worker will give evidence. You can also give evidence, and ask questions.\n\nThe tribunal will also look at:\n\n- your pre-hearing examination from the tribunal doctor, if you had one\n\n- an independent psychiatric report, if your legal representative asked for one\n\nIf you\u2019re a \u2018restricted patient\u2019 and have committed a serious offence against a person, they or their family can ask (or make \u2018representations\u2019) for certain conditions if the tribunal thinks you\u2019re ready for discharge.\n\n## Claim expenses\n\nYou may be able to claim expenses for going to the hearing. This includes money for:\n\n- travel costs\n\n- loss of earnings\n\n- food and drink, if you\u2019re away for more than 5 hours\n\nRead the guidance on claiming expenses.\n\n## The tribunal's decision\n\nThe tribunal usually decides at the end of the hearing on whether you should be discharged - you\u2019ll get the decision on the day, and you\u2019ll usually get full written reasons with 7 days of the hearing.\n\nThe tribunal can:\n\n- order your release (on the same day or at a future date)\n\n- recommend that you\u2019re transferred to a different hospital\n\n- recommend that your doctor considers you for treatment in the community\n\n- recommend that you\u2019re allowed to leave the hospital for periods of time, to see if you\u2019re ready for life in the community\n\nThe tribunal cannot change your treatment, for example medication.\n\n## Appeal\n\nIf you lose your case, you can ask the tribunal:\n\n- to cancel the decision - you must do this within 28 days of getting the written decision\n\n- for permission to appeal to a higher tribunal (the \u2018Upper Tribunal\u2019)\n\n## Ask the tribunal to cancel the decision\n\nYou\u2019ll be told how to get a decision \u2018set aside\u2019 (cancelled) if you think there\u2019s been a mistake in the process, for example you were not told about the hearing so did not go.\n\nIf the tribunal cancels the decision, you may be able to get a new hearing.\n\nContact Citizens Advice if you need help.\n\n## Appeal to the Upper Tribunal\n\nYou can ask for permission to appeal to the Upper Tribunal if you think there was a legal mistake, for example if they:\n\n- did not apply the correct law or wrongly interpreted the law\n\n- did not follow the correct procedures\n\n- had no evidence or not enough evidence to support its decision\n\nFill in the application for permission to appeal - the address is on the form.\n\nAnother judge will look to see if there\u2019s a legal problem with your case and if it needs to be heard again.\n\n## Complain\n\nYou cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.\n\n## Legislation\n\nThe tribunal will make a decision based on:\n\n- Mental Health Act 1983 (as amended by the Mental Health Act 2007)\n\n- Mental Health Act 2007\n\n- Human Rights Act 1998 if the case is about human rights\n\nThe tribunal must follow the Tribunal Procedure (First-Tier Tribunal) (Health, Education And Social Care Chamber) Rules 2008.\n\nDoctors\u2019 statements and reports must be written in line with the practice directions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/mental-health-tribunal", + "answerable": true, + "scenario": "My cousin was admitted in a psychiatric hospital for a mental health issue. He mentioned that has recovered and want discharged. I applied to Mental Health Tribunal on behalf of him for the discharge.", + "original_question": "He feels that he want to stay in psychiatric hospital for some more time for additional support. Can I withdraw my application ?" + }, + { + "id": "train-214", + "question": "Scenario: I am moving to a new home provided by council. I am already on housing benefits and income support benefits. I am planning to buy some white goods but have no money\n\nQuestion: As I am already on benefits , will I be eligible for Budgeting Loans ?\n\nDocument - Budgeting Loans:\n## How they work\n\nA Budgeting Loan can help pay for:\n\n- furniture or household items (for example, washing machines or other \u2018white goods\u2019)\n\n- clothes or footwear\n\n- rent in advance\n\n- costs linked to moving house\n\n- maintenance, improvements or security for your home\n\n- travelling costs within the UK\n\n- costs linked to getting a new job\n\n- maternity costs\n\n- funeral costs\n\n- repaying hire purchase loans\n\n- repaying loans taken for the above items\n\nCrisis Loans are not available any more.\n\nYou may be eligible for a Budgeting Loan if you\u2019ve been on certain benefits for 6 months.\n\nYou only have to pay back the amount you borrow, and repayments are taken automatically from your benefits.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Check if you're eligible\n\nTo get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\nIf you moved from Universal Credit to Pension Credit, any time spent claiming Universal Credit will count towards the 6 months.\n\nYou cannot get a Budgeting Loan if:\n\n- you are currently claiming Universal Credit - apply for a Budgeting Advance instead\n\n- you\u2019re involved in industrial action (for example, a strike, walkout or lockout)\n\n- you owe more than \u00a31,500 in total for Crisis Loans and Budgeting Loans\n\nIf you live in Northern Ireland, go to Budgeting Loans in Northern Ireland.\n\n## What you could get\n\nThe lowest amount you can borrow is \u00a3100. You could get up to:\n\n- \u00a3348 if you\u2019re single\n\n- \u00a3464 if you have a partner\n\n- \u00a3812 if you or your partner claim Child Benefit\n\nHow much you could get depends on whether you:\n\n- can pay the loan back\n\n- have savings of more than \u00a31,000 (\u00a32,000 if you or your partner are 63 or over)\n\n- are paying back an existing Budgeting Loan or Crisis Loan\n\n## Paying back the loan\n\nA Budgeting Loan is interest free so you only pay back what you borrow.\n\nThe repayments will be taken automatically from your benefits. The amount you repay is based on your income - including any benefits you receive - and what you can afford.\n\nAfter you apply for a Budgeting Loan, you\u2019ll get an email, text or letter telling you if you\u2019ve been offered a loan. This explains how much your weekly repayments will be if you accept the loan.\n\nYou normally have to repay the loan within 2 years (104 weeks). If you stop getting benefits, you\u2019ll need to arrange another way to repay.\n\n## Apply\n\nCheck you\u2019re eligible before you apply.\n\nIf you get Universal Credit you cannot get a Budgeting Loan. You\u2019ll need to apply for a Budgeting Advance\u00a0instead.\n\nYou can apply online or using the paper form. It\u2019s quicker to apply online.\n\n## Apply online\n\nWhen you apply online, you can choose to get a decision on your loan by either:\n\n- email\n\n- text message\n\n- letter\n\nIt\u2019s quicker to get the decision by email or text message and accept it online.\n\nThere\u2019s a different way to apply for a Budgeting Loan in Northern Ireland.\n\nApply online\n\n## Apply using the paper form\n\nYou will need to fill in form SF500. You can:\n\n- download and print the form\n\n- phone the Social Fund Enquiry Line and ask for a form to be posted to you - allow 7 days for the form to arrive\n\nReturn your completed form by post.\n\n## After you apply\n\nAfter you apply you will be given a decision on your application. You need to accept the decision before you get your money.\n\n## If you apply online\n\nYou\u2019ll find out if you\u2019ve been offered a loan within:\n\n- 7 days if you get the decision by text or email\n\n- 21 days if you get the decision by letter\n\n## If you apply by post\n\nYou\u2019ll get a letter telling you if you\u2019ve been offered a loan within 21 days.\n\n## Accepting the loan\n\nHow you accept the loan depends on how you applied.\n\n## Accept online\n\nYou can accept the loan offer online by following the instructions in the text or email.\n\n## Accept by post\n\nYou can accept by signing page 4 of the acceptance letter and returning it in the pre-paid envelope provided. Make sure the reply slip is folded so that the return address is fully visible in the envelope window.\n\nReturn it to the address on the letter. Do not send it to your local Jobcentre Plus office as this may delay getting your loan.\n\n## Getting your money\n\nYou\u2019ll get your money within:\n\n- 7 days of accepting the loan offer online\n\n- 21 days of your loan offer acceptance being received by post\n\nThe money will be paid into your bank, building society or credit union account.\n\nYou\u2019ll get a text message confirming this has been done.\n\n## Questions about your application\n\nCall the Social Fund Enquiry Line if you have a question about the progress of your application.\n\nYou should wait:\n\n- 14 days before phoning if you applied online\n\n- 21 days before phoning if you applied by post\n\nYour application may not have been processed before then.\n\n## Other help you can get\n\nYou may be able to get other kinds of support, including:\n\n- help from your local council and Jobcentre Plus\n\n- the Discretionary Assistance Fund in Wales\n\n- a Crisis Grant or Community Care Grant in Scotland\n\n- Discretionary Support or a Short-term Benefit Advance in Northern Ireland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/budgeting-help-benefits", + "answerable": true, + "scenario": "I am moving to a new home provided by council. I am already on housing benefits and income support benefits. I am planning to buy some white goods but have no money", + "original_question": "As I am already on benefits , will I be eligible for Budgeting Loans ?" + }, + { + "id": "train-216", + "question": "Scenario: I came to UK on a study visa and brought my family with me. I am 19 and have a 6 months old baby. I was assessed and told that I am eligible for Care to Learn scheme\n\nQuestion: Can I use the money for travel expenses?\n\nDocument - Care to Learn:\n## Overview\n\nThe Care to Learn scheme can help with childcare costs while you study.\n\nYou must be aged under 20 at the start of your course.\n\nThe scheme is available for publicly-funded courses in England. This includes courses in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a3160 per child per week if you live outside London\n\n- \u00a3175 per child per week if you live in London\n\n## What it covers\n\nCare to Learn can help with the cost of:\n\n- your childcare, including deposit and registration fees\n\n- a childcare taster session for up to 5 days\n\n- keeping your childcare place over the summer holidays\n\n- taking your child to their childcare provider\n\n## Payments\n\nChildcare payments go directly to your childcare provider.\n\nBefore they can be paid:\n\n- your childcare provider needs to confirm your child\u2019s attendance\n\n- your school or college needs to confirm that you\u2019re attending your course\n\nTravel payments go direct to your school or college - they\u2019ll either pay you or arrange travel for you.\n\n## When payments stop\n\nPayments end when:\n\n- you stop attending your course\n\n- you reach the end of your course\n\n- your child stops attending childcare\n\n## Eligibility\n\nYou can get Care to Learn if all of the following apply to you:\n\n- you\u2019re a parent under 20 at the start of your course\n\n- you\u2019re the main carer for your child\n\n- you live in England\n\n- you\u2019re either a British citizen or have a legal right to live and study in England\n\n- your course qualifies\n\n- your childcare provider qualifies\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Your course\n\nCare to Learn is only available for publicly-funded courses in England. This includes courses that take place in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n- other colleges and learning providers, including Foundation Learning\n\n- your community at Children\u2019s Centres\n\nYour learning provider can tell you if your course is eligible.\n\n## Your childcare provider\n\nTo qualify, your childcare provider must be registered with Ofsted.\n\nThey can be a:\n\n- childminder\n\n- preschool playgroup\n\n- day nursery\n\n- out of school club\n\n## Who cannot get Care to Learn\n\nYou\u2019re not eligible if:\n\n- you\u2019re an apprentice who gets a salary\n\n- you\u2019re doing a higher education course at university\n\n## Apply for Care to Learn\n\nYou must choose your learning provider and childcare provider before you apply.\n\nYou need to make a new application for each year you study.\n\nYour childcare provider is paid from the beginning of your course if you apply either:\n\n- before your course starts\n\n- within 28 days of starting your course\n\nIf you apply after that, your childcare provider will only be paid from the beginning of the week that your application was received.\n\nApply online for Care to Learn.\n\n## After you've applied\n\nYou must give your learning provider either:\n\n- a copy of the child\u2019s birth certificate\n\n- a letter confirming receipt of Child Benefit for that child\n\n## If you qualify\n\nYou\u2019ll get a letter and a payment plan telling you what financial help you can get.\n\nYour childcare provider will only be paid after you\u2019ve provided this.\n\nYour childcare provider will also get the payment plan to let them know when they\u2019ll be paid.\n\nIf you\u2019re eligible for travel costs, your learning provider will be told about payments for this.\n\n## If your circumstances change\n\nYou must report changes to your:\n\n- personal details\n\n- childcare provider\n\n- hours of childcare\n\n- travel costs\n\n- learning provider\n\nYou can do this by updating your online application.\n\n## Benefits\n\nClaiming Care to Learn will not affect your family\u2019s benefits or allowances.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/care-to-learn", + "answerable": true, + "scenario": "I came to UK on a study visa and brought my family with me. I am 19 and have a 6 months old baby. I was assessed and told that I am eligible for Care to Learn scheme", + "original_question": "Can I use the money for travel expenses?" + }, + { + "id": "train-217", + "question": "Scenario: I am 45 and a carer of a 80 years old disabled woman. I spend 25 hours per week caring for her. I want to maintain my National insurance record because I don't want it affect my future state pension like it happened to my sister.\n\nQuestion: Can I claim Carers Credit?\n\nDocument - Carer's Credit:\n## Overview\n\nYou could get Carer\u2019s Credit if you\u2019re caring for someone for at least 20 hours a week.\n\nCarer\u2019s Credit is a National Insurance credit that helps with gaps in your National Insurance record. Your State Pension is based on your National Insurance record.\n\nYour income, savings or investments will not affect eligibility for Carer\u2019s Credit.\n\n## What you'll get\n\nIf you\u2019re eligible for Carer\u2019s Credit, you can get credits to help fill gaps in your National Insurance record.\n\nThis means you can take on caring responsibilities without affecting your ability to qualify for the State Pension.\n\n## Eligibility\n\nTo get Carer\u2019s Credit you must be:\n\n- aged 16 or over\n\n- under State Pension age\n\n- looking after one or more people for at least 20 hours a week\n\nThe person you\u2019re looking after must get one of the following:\n\n- Disability Living Allowance care component at the middle or highest rate\n\n- Attendance Allowance\n\n- Constant Attendance Allowance\n\n- Personal Independence Payment - daily living component, at the standard or enhanced rate\n\n- Armed Forces Independence Payment\n\nIf the person you\u2019re caring for does not get one of these benefits, you may still be able to get Carer\u2019s Credit. When you apply, fill in the \u2018Care Certificate\u2019 part of the application form and get a health or social care professional to sign it.\n\nCarers who do not qualify for Carer\u2019s Allowance may qualify for Carer\u2019s Credit.\n\n## Breaks in caring and eligibility\n\nYou can still get Carer\u2019s Credit even if you have breaks from caring (up to 12 weeks in a row).\n\nFor example, you\u2019ll still get Carer\u2019s Credit for 12 weeks if:\n\n- you take a short holiday\n\n- someone you look after goes into hospital\n\n- you go into hospital\n\nKeep the Carer\u2019s Allowance Unit updated if you have a break in caring of more than 12 weeks in a row.\n\n## How to claim\n\n## Before you start\n\nYou do not need to apply for Carer\u2019s Credit if you:\n\n- get Carer\u2019s Allowance - you\u2019ll automatically get credits\n\n- get Child Benefit for a child under the age of 12 - you\u2019ll automatically get credits\n\n- are a foster carer - you can apply for National Insurance credits instead\n\n## Apply using a form\n\nDownload the Carer\u2019s Credit claim form.\n\nThe form includes a Care Certificate - ask a health or social care professional to sign it for you.\n\nYou can also get the form by calling the Carer\u2019s Allowance Unit.\n\n## Alternative formats\n\nCall the Carer\u2019s Allowance Unit to ask for alternative formats, such as braille, large print or audio CD.\n\n## Where to send your form\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/carers-credit", + "answerable": true, + "scenario": "I am 45 and a carer of a 80 years old disabled woman. I spend 25 hours per week caring for her. I want to maintain my National insurance record because I don't want it affect my future state pension like it happened to my sister.", + "original_question": "Can I claim Carers Credit?" + }, + { + "id": "train-218", + "question": "Scenario: I am a deputy for my 80 year old father who has Alzheimer's disease and currently resides in residential care in England. Before the deputyship began, but in my opinion while he was already suffering from dementia, he changed his will to leave a substantial amount of money to a former family friend. I do not think he was in his right state of mind when doing this and my family and I all agree that we do not think the will represents his true wishes.\n\nQuestion: As his deputy, can I change the will again to better reflect what we feel are my father's true wishes?\n\nDocument - Deputies: make decisions for someone who lacks capacity:\n## Overview\n\nYou can apply to become someone\u2019s deputy if they \u2018lack mental capacity\u2019. This means they cannot make a decision for themselves at the time it needs to be made. They may still be able to make decisions for themselves at certain times.\n\nPeople may lack mental capacity because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\n- they have severe learning disabilities\n\nAs a deputy, you\u2019ll be authorised by the Court of Protection to make decisions on their behalf.\n\n## Types of deputy\n\nThere are 2 types of deputy.\n\n## Property and financial affairs deputy\n\nYou\u2019ll do things like pay the person\u2019s bills or organise their pension.\n\n## Personal welfare deputy\n\nYou\u2019ll make decisions about medical treatment and how someone is looked after.\n\nYou cannot become someone\u2019s personal welfare deputy if they\u2019re under 16. Get legal advice if you think the court needs to make a decision about their care.\n\nThe court will usually only appoint a personal welfare deputy if:\n\n- there\u2019s doubt whether decisions will be made in someone\u2019s best interests, for example because the family disagree about care\n\n- someone needs to be appointed to make decisions about a specific issue over time, for example where someone will live\n\nRead the full guidance about when you need to make a personal welfare application.\n\n## Becoming a deputy\n\nYou can apply to be just one type of deputy or both. If you\u2019re appointed, you\u2019ll get a court order saying what you can and cannot do.\n\nWhen you become a deputy, you must send an annual report to the Office of the Public Guardian (OPG) each year explaining the decisions you\u2019ve made.\n\n## How to apply\n\nCheck you meet the requirements to be a deputy.\n\nSend the application forms to the Court of Protection and pay the application fee.\n\nYou do not need to be a deputy if you\u2019re just looking after someone\u2019s benefits. Apply to become an appointee instead.\n\n## Checks on your application\n\nThe Court of Protection will check:\n\n- whether the person needs a deputy or some other kind of help\n\n- there are no objections to your appointment\n\nIf you\u2019re appointed, the Office of the Public Guardian will help you carry out your responsibilities.\n\nYou\u2019ll continue to be a deputy until your court order is changed, cancelled or expires.\n\n## Other ways to make decisions for someone\n\nIf you want to make a single important decision, you can apply to the Court of Protection for a one-off order.\n\nIf the person already has a lasting power of attorney (LPA) or enduring power of attorney (EPA), they do not usually need a deputy. Check if they have an LPA or EPA before you apply.\n\n## Who can apply to be a deputy\n\nYou can apply to be a deputy if you\u2019re 18 or over. Deputies are usually close relatives or friends of the person who needs help making decisions.\n\nIf you want to become a property and affairs deputy, you need to have the skills to make financial decisions for someone else.\n\nThe court can appoint 2 or more deputies for the same person.\n\n## When there\u2019s more than one deputy\n\nWhen you apply, tell the court how you\u2019ll make decisions if you\u2019re not the only deputy. It will be either:\n\n- together (\u2018joint deputyship\u2019), which means all the deputies have to agree on the decision\n\n- separately or together (\u2018jointly and severally\u2019), which means deputies can make decisions on their own or with other deputies\n\n## Other types of deputy\n\nSome people are paid to act as deputies, for example accountants, solicitors or representatives of the local authority.\n\nThe Court of Protection can appoint a specialist deputy (called a \u2018panel deputy\u2019) from a list of approved law firms and charities if no one else is available.\n\n## Responsibilities\n\nAs a deputy, you\u2019re responsible for helping someone make decisions or making decisions on their behalf.\n\nYou must consider someone\u2019s level of mental capacity every time you make a decision for them - you cannot assume it\u2019s the same at all times and for all kinds of things.\n\nYou\u2019ll get a court order from the Court of Protection which says what you can and cannot do. There are also general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\n## Guidance for all deputies\n\nWhen you\u2019re making a decision, you must:\n\n- make sure it\u2019s in the other person\u2019s best interests\n\n- consider what they\u2019ve done in the past\n\n- apply a high standard of care - this might mean involving other people, for example getting advice from relatives and professionals like doctors\n\n- do everything you can to help the other person understand the decision, for example explain what\u2019s going to happen with the help of pictures or sign language\n\n- add the decisions to your annual report\n\nYou must not:\n\n- restrain the person, unless it\u2019s to stop them coming to harm\n\n- stop life-sustaining medical treatment\n\n- take advantage of the person\u2019s situation, for example abuse them or profit from a decision you\u2019ve taken on their behalf\n\n- make a will for the person, or change their existing will\n\n- make gifts unless the court order says you can\n\n- hold any money or property in your own name on the person\u2019s behalf\n\n## Property and affairs deputies\n\nYou must make sure:\n\n- your own property and money is separate from the other person\u2019s\n\n- you keep records of the finances you manage on their behalf in your annual report\n\nYou may need to manage a Court Funds Office account on the other person\u2019s behalf.\n\nYou could be fined or sent to prison for up to 5 years (or both) if you mistreat or neglect the person on purpose.\n\n## Apply to be a deputy\n\nYou need to download and fill in all of the following:\n\n- an application form (COP1) - you\u2019ll need to send the original form plus a copy when you apply\n\n- an assessment of capacity form (COP3)\n\n- a deputy\u2019s declaration (COP4)\n\nYou also need to download and fill in:\n\n- a supporting information form (COP1A) if you\u2019re applying to be a property and affairs deputy\n\n- a supporting information form (COP1B) if you\u2019re applying to be a personal welfare deputy\n\nYou must name at least 3 people in your application who know the person you\u2019re applying to be deputy for. For example, their relatives, a social worker or doctor.\n\nThe court may not accept your application if you do not send the \u2018assessment of capacity\u2019 (COP3) form.\n\nIf you cannot get an assessment, you must download and fill in a witness statement (COP24) to explain why you think the person you\u2019re applying about lacks capacity.\n\nYou should keep a copy of every form you fill in.\n\n## Where to send your forms\n\nSend the forms, including 2 copies of the application form (COP1), to the Court of Protection with a cheque for the application fee.\n\n## Tell people named in your application\n\nThe court will aim to send you a stamped copy of your application within a week of receiving it. This means your application is being considered (it has been \u2018issued\u2019). You\u2019ll be sent a letter explaining what to do next.\n\nWithin 14 days of the application being issued, you must tell (sometimes called \u2018serving\u2019) the following people:\n\n- the person you\u2019re applying to be a deputy for\n\n- at least 3 people named in your application as having an interest, for example the person\u2019s relatives, social worker or doctor\n\nIf you cannot tell 3 people you should send in a witness statement (COP24).\n\n## Tell the person you\u2019re applying to be a deputy for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to be their deputy\n\n- that their ability to make decisions is being questioned\n\n- what having a deputy would mean for them\n\n- where to get advice if they want to discuss the application\n\nDuring the visit give them:\n\n- a completed proceedings notification form (COP14) - use the guidance notes to fill this in yourself\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\n## Tell people connected to your application\n\nYou must tell 3 people named on your application that it has been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\n## Confirming that you\u2019ve told people (\u2018served notice\u2019)\n\nWithin 7 days of serving the documents, you must download and fill in the relevant forms (sometimes called \u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the person you\u2019re applying to be deputy for (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## Fees\n\nYou must pay:\n\n- a fee to apply to be a deputy\n\n- a supervision fee every year after you\u2019ve been appointed\n\nYou may also have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy.\n\n## When you apply\n\nYou must pay a \u00a3365 application fee. Send this with your application form.\n\nYou need to pay the application fee twice if you\u2019re applying to become both types of deputy.\n\nYou\u2019ll also need to pay \u00a3485 if the court decides your case needs a hearing. The court will tell you when you need to pay this.\n\nMake all cheques payable to \u2018HM Courts and Tribunals Service\u2019.\n\n## Security bonds for property and affairs deputies\n\nYou may have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy. This is a type of insurance that protects the finances of the person you\u2019re a deputy for.\n\nYou do not have to set up a bond if either:\n\n- you\u2019re representing a local authority\n\n- the court decides it\u2019s not necessary, for example if the person\u2019s estate has a low value\n\nIf you need to set one up, you\u2019ll get a letter from the court telling you this. The letter will explain what to do next.\n\nYou set up the bond with a security bond provider. The amount you pay depends on:\n\n- the value of the estate of the person you\u2019re a deputy for\n\n- how much of their estate you control\n\nYou can pay it either:\n\n- using the person\u2019s money\n\n- yourself - you can get the money back from the person\u2019s estate once you have access to it\n\nYou may be prosecuted if you misuse the person\u2019s money.\n\n## After you\u2019ve been appointed\n\nYou must pay an annual supervision fee depending on what level of supervision your deputyship needs. You\u2019ll pay:\n\n- \u00a3320 for general supervision\n\n- \u00a335 for minimal supervision - this applies to some property and affairs deputies managing less than \u00a321,000\n\nYour annual supervision fee is due on 31 March for the previous year.\n\nYou\u2019ll also need to pay a \u00a3100 assessment fee if you\u2019re a new deputy.\n\nThe Office of the Public Guardian will tell you how and when to pay your assessment and supervision fees.\n\nYou may be able to claim a refund of your fees in certain situations.\n\n## Getting help with your application fee\n\nYou may not have to pay an application fee depending on:\n\n- what type of deputy you\u2019re applying to be\n\n- how much money you or the person you\u2019re applying to be deputy for has\n\n| Type of deputy | Whose finances will be assessed |\n\n| Property and financial affairs | Theirs |\n\n| Personal welfare | Yours |\n\nThe guidance has information about getting help with your fees.\n\nYou can claim back the fee from the funds of the person you want to be a deputy for if you\u2019re applying to be a property and affairs deputy.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving the application.\n\n## Getting help with your supervision fees\n\nYou can apply for an exemption or reduction of the fee if the person you\u2019re a deputy for gets certain benefits or has an income below \u00a312,000. Read the guidance that comes with the form and apply if the person meets the requirements. The address is on the form.\n\nIf the person you\u2019re deputy for dies, you pay the supervision fee for the part of the year when you acted as deputy. For example, you\u2019ll have to pay \u00a317.50 if your minimal supervision deputyship comes to an end after 6 months.\n\n## After you've applied\n\nThere\u2019s a 14-day wait after you tell the other people involved that you applied, in case they object.\n\nThe Court of Protection will then review your application and tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you need to set up a security bond before you can be appointed\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to get more information, for example if someone objected\n\nThere\u2019s usually no hearing if you applied to be a property and financial affairs deputy.\n\nRead guidance on how coronavirus (COVID-19) might affect your hearing and what you should bring.\n\n## Tell the person you want to be a deputy for about the hearing\n\nYou\u2019ll get a notice with the date of the hearing if the court decides to hold one. You must visit the person you want to be deputy for and tell them about it:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nGive them a completed notice about proceedings (COP14). Use the guidance notes to fill it in.\n\nYou must explain that they can contact Court of Protection staff for advice and assistance.\n\nWhen you\u2019ve told them, send a certificate of service (COP20A) to the Court of Protection within 7 days.\n\nYou\u2019ll have to pay a fee if the court makes a final decision at the hearing.\n\nThe guidance explains what to expect from a Court of Protection hearing.\n\n## When you're appointed\n\nYou\u2019ll be sent a \u2018court order\u2019 telling you what you can and cannot do as a deputy. When you have this, you can start acting on the person\u2019s behalf.\n\nYou\u2019ll be sent the court order:\n\n- as soon as you\u2019re appointed - if you\u2019re a personal welfare deputy\n\n- after you set up a security bond - if you\u2019re a property and affairs deputy and have been asked to do this by the court\n\nYou\u2019ll need a separate court order before you can:\n\n- sell a property that\u2019s jointly owned if you\u2019re a property and affairs deputy\n\n- make a one-off decision on anything else that\u2019s not covered by the court order\n\nCheck the court order. If there are any mistakes, download and fill in form COP9 with the details and send it to the court within 21 days of receiving the court order. There is no fee.\n\n## Tell people and organisations you\u2019re a deputy\n\nYou\u2019ll get official copies of the court order to send to banks and building societies, for example. These prove you\u2019re acting on behalf of the other person. When you send out an official copy, ask for it to be returned.\n\nOrder extra copies of the court order by writing to the Court of Protection. They cost \u00a35 each.\n\n## Start managing a bank account\n\nBefore you can manage an account, you must show the bank:\n\n- the original court order, or an official copy of it\n\n- proof of your name, for example your passport or driving licence\n\n- proof of your address, for example a gas, electricity or council tax bill, or letter from a government department\n\n- proof of the name or address of the person you\u2019re applying to be deputy for - if they\u2019re not the same as on the bank account\n\n## Court Funds Office accounts\n\nIf the person you\u2019re deputy for has money in a Court Funds Office account, you\u2019ll be sent information about how to access it.\n\nYou can also apply to open an account with the Court Funds Office if you\u2019re a property and affairs deputy and it\u2019s in the person\u2019s best interests.\n\n## Record your decisions and transactions\n\nYou can start your annual report to record your decisions and transactions, such as paying bills.\n\n## Supervision, support and visits\n\nAs a deputy, you\u2019ll be supervised by the Office of the Public Guardian (OPG). They\u2019re authorised to contact you or visit you to check you\u2019re being an effective deputy. They can also give you advice and support.\n\n## How you\u2019ll be supervised\n\nNew deputies get a \u2018general\u2019 level of supervision for their first year.\n\nAfter that, if you\u2019re a property and affairs deputy you\u2019ll move to \u2018minimal\u2019 supervision if both:\n\n- you\u2019re managing less than \u00a321,000\n\n- you no longer need a general level of supervision\n\nYou\u2019ll pay a lower fee and have to write a shorter annual report than deputies with general supervision.\n\n## Supervision visits\n\nYou may be visited by a Court of Protection visitor to check if you:\n\n- understand your duties\n\n- have the right level of support from OPG\n\n- are carrying out your duties properly\n\n- are being investigated because of a complaint\n\nThe visitor will call you to arrange the visit and explain why they\u2019re visiting.\n\n## Contact OPG\n\nTell OPG if you\u2019re planning to make an important decision, for example you want to sell the property of the person you\u2019re deputy for so they can move into a care home.\n\n## Accounts, gifts and expenses\n\nYou must keep accounts and follow the rules for gifts and expenses if you\u2019re acting as deputy for someone else. You must also record the transactions in your annual report.\n\n## Accounts\n\nAs a property and affairs deputy, you must keep copies of:\n\n- bank statements\n\n- contracts for services or tradespeople\n\n- receipts\n\n- letters and emails about your activities as a deputy\n\n## Gifts\n\nYour court order will say if you can buy gifts or give gifts of money on behalf of the other person, including donations to charities. It will also say if there\u2019s an annual limit on how much money you can use for gifts.\n\nGifts must be reasonable. You need to make sure any gifts do not reduce the level of care the person you\u2019re deputy for can afford.\n\nYou must apply to the Court of Protection if you want to make a one-off large gift for Inheritance Tax purposes, for example.\n\n## Expenses\n\nYou can claim expenses for things you must do to carry out your role as deputy, for example phone calls, postage and travel costs. You cannot claim:\n\n- travel costs for social visits\n\n- for the time spent carrying out your duties (unless you\u2019re a professional deputy, for example a solicitor)\n\nYou may be asked to give a detailed report of what you spent. You\u2019ll have to pay the money back if the Office of the Public Guardian finds your expenses are unreasonable. They may ask the court to stop you being a deputy if they think you\u2019ve been dishonest.\n\n## Complete your deputy report\n\nYou must write a report each year explaining the decisions you\u2019ve made as a deputy. You might be asked to do this more often if the Office of the Public Guardian (OPG) needs additional information.\n\nYou may also need to write a final report if you stop being a deputy.\n\nIf you\u2019re a public authority or professional deputy using the service for the first time, you need to contact your case manager to register first. If you\u2019re a deputy for a friend or family member, you can create an account online.\n\nStart now\n\nOr you can download and fill in a paper annual report form. The address you need to send it to is on the form.\n\n## What to include\n\nYour report must include:\n\n- the reasons for your decisions and why they were in the best interests of the person you\u2019re deputy for\n\n- who you spoke to and why what they said was in the person\u2019s best interests\n\n- the finances of the person if you\u2019re their property and financial deputy\n\nThe OPG will tell you when it\u2019s time to send it.\n\nIf you do not send the report the OPG might:\n\n- increase your level of supervision\n\n- ask the court to replace you with a different deputy\n\n## Change your deputyship or make a one-off decision\n\nYou must apply to the Court of Protection if you have to:\n\n- renew your deputyship\n\n- change your deputyship, for example make decisions that are not in the original order\n\n- make a one-off decision on something not covered by your court order\n\n## How to apply\n\nDownload and fill in both:\n\n- an application form (COP 1)\n\n- a witness statement form (COP24) with a copy of the current order appointing you as a deputy attached\n\nYour witness statement should include:\n\n- the total annual income of the person you\u2019re a deputy for including pensions\n\n- a summary of their assets, for example bank balances, savings, investments\n\n- details of property they own\n\n- the annual cost of their care and other regular items of major expenditure\n\n- the value of the security bond set by the court\n\n- a description of the circumstances that have led to the application being made\n\nSend the Court of Protection:\n\n- the completed forms\n\n- a cheque for the application fee - \u00a3365 - payable to \u2018HM Courts and Tribunals Service\u2019\n\nYou can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nIf you need help with changing your deputyship, call the Court of Protection.\n\n## What happens next\n\nYou may have to notify other people about the change to the court order if the court tells you to.\n\nThey can object or ask the court to reconsider any proposed changes they do not agree with. They can do this:\n\n- before the court order is issued\n\n- up to 21 days after the court order is issued\n\n## End your deputyship\n\nIf you no longer want or need to be a deputy, download and fill in the application notice (COP1) and send it to the Court of Protection.\n\nIf the person has recovered mental capacity, download and fill in form COP 9. Send it to the Court of Protection with any supporting evidence, for example a doctor\u2019s letter.\n\nYou cannot stop being a deputy until you\u2019ve got the relevant court order.\n\n## If the person you\u2019re deputy for dies\n\nContact the Office of the Public Guardian (OPG) and the Court of Protection to tell them that the person has died.\n\nYou\u2019ll also have to send evidence to OPG that the person has died, for example a death certificate. Check the full list of evidence that OPG accepts.\n\nYour security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.\n\nContact the Court Funds Office if the person you were deputy for had an account with them.\n\nRead more about how to be a deputy.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/become-deputy", + "answerable": true, + "scenario": "I am a deputy for my 80 year old father who has Alzheimer's disease and currently resides in residential care in England. Before the deputyship began, but in my opinion while he was already suffering from dementia, he changed his will to leave a substantial amount of money to a former family friend. I do not think he was in his right state of mind when doing this and my family and I all agree that we do not think the will represents his true wishes.", + "original_question": "As his deputy, can I change the will again to better reflect what we feel are my father's true wishes?" + }, + { + "id": "train-219", + "question": "Scenario: My wife and I have recently had our first child. She plans to give up work and be a full-time Mum for the first few years at least, while I stay in work. We're concerned about the impact my wife not working might have on her pension entitlement.\n\nQuestion: Would it be better for my wife to claim child benefit instead of me?\n\nDocument - Claim Child Benefit:\n## How it works\n\nYou get Child Benefit if you\u2019re responsible for bringing up a child who is:\n\n- under 16\n\n- under 20 if they stay in approved education or training\n\nOnly one person can get Child Benefit for a child.\n\nIt\u2019s paid every 4 weeks and there\u2019s no limit to how many children you can claim for.\n\nThis guide is also available in Welsh (Cymraeg).\n\nBy claiming Child Benefit:\n\n- you can get National Insurance credits which count towards your State Pension\n\n- your child will automatically get a National Insurance number when they\u2019re 16 years old\n\nIf you choose not to get Child Benefit payments, you should still fill in and send off the claim form.\n\n## If you or your partner earn over \u00a350,000\n\nYou may have to pay back some of your Child Benefit in tax if your (or your partner\u2019s) individual income is over \u00a350,000.\n\n## If your circumstances change\n\nYou must report any change of circumstances to the Child Benefit Office.\n\n## What you'll get\n\nThere are 2 Child Benefit rates.\n\n| Who the allowance is for | Rate (weekly) |\n\n| Eldest or only child | \u00a321.15 |\n\n| Additional children | \u00a314 per child |\n\nYou must contact the Child Benefit Office if you\u2019re paid too much or too little.\n\nThe benefit cap may affect the total amount of benefits you get, including Child Benefit.\n\n## How and when Child Benefit is paid\n\nChild Benefit is usually paid every 4 weeks on a Monday or Tuesday.\n\nYou can have the money paid weekly if you\u2019re a single parent or getting certain other benefits, such as Income Support.\n\nYou can get the money paid into any account, apart from a Nationwide cashbuilder account (sort code 070030) in someone else\u2019s name.\n\nYou can only get the money paid into one account.\n\n## Child Benefit and your State Pension\n\nIf your child is under 12 and you\u2019re not working or do not earn enough to pay National Insurance contributions, Child Benefit can give you National Insurance credits.\n\nThese credits count towards your State Pension, so you do not have gaps in your National Insurance record.\n\n## If families split up\n\nIf a family splits up, you get \u00a321.15 a week for the eldest child.\n\nIf you have 2 children and one stays with you and the other stays with your ex-partner, you\u2019ll both get \u00a321.15 a week for each child.\n\nIf you both claim for the same child, only one of you will get Child Benefit for them.\n\nIf you have other children who are entitled to Child Benefit, you\u2019ll get \u00a314 for each child.\n\n## If families join together\n\nIf 2 families join together, the eldest child in the new family qualifies for the \u00a321.15 rate and any other children who are eligible will get the \u00a314 rate.\n\n## If you or your partner earn over \u00a350,000\n\nYou can get Child Benefit if your (or your partner\u2019s) individual income is over \u00a350,000, but you may be taxed on the benefit. This is known as the High Income Child Benefit Tax Charge.\n\nIf your partner\u2019s income is also over \u00a350,000 but yours is higher, you\u2019re responsible for paying the tax charge. You need to fill in a Self Assessment tax return each tax year and pay what you owe.\n\nUse the Child Benefit tax calculator to estimate how much tax you may have to pay.\n\nOnce you earn \u00a360,000 you lose all of your benefit through tax.\n\n## Eligibility\n\nOnly one person can get Child Benefit for a child.\n\nYou normally qualify for Child Benefit if you\u2019re responsible for a child under 16 (or under 20 if they stay in approved education or training) and you live in the UK.\n\nYou\u2019ll usually be responsible for a child if you live with them or you\u2019re paying at least the same amount as Child Benefit (or the equivalent in kind) towards looking after them, for example on food, clothes or pocket money.\n\nEligibility rules are different if your child:\n\n- goes into hospital or care\n\n- lives with someone else\n\nChild Benefit continues for 20 weeks if 16 or 17 year olds leave education or training and register with the armed services or a government-sponsored careers service.\n\n## Fostering a child\n\nYou\u2019ll get Child Benefit if you foster a child, as long as the local council is not paying anything towards their accommodation or maintenance.\n\n## Adopting a child\n\nYou can apply for Child Benefit as soon as any child you\u2019re adopting comes to live with you - you do not have to wait until the adoption process is complete.\n\nYou might be able to get Child Benefit for a period before the adoption - contact the Child Benefit Office to find out.\n\n## Looking after someone else\u2019s child\n\nYou may be able to get Child Benefit if you\u2019ve got an informal arrangement to look after a friend or relative\u2019s child.\n\nYou might not qualify if your local council is paying towards the child\u2019s accommodation or maintenance - contact the Child Benefit Office to find out.\n\nTwo people cannot get Child Benefit for the same child - if you want to make a claim, you must agree it with the person who\u2019s currently claiming. HMRC will decide who receives the Child Benefit if you cannot agree.\n\nYou may also be entitled to Guardian\u2019s Allowance if you\u2019re responsible for a child who has lost one or both of their parents.\n\n## Living abroad\n\nYou may be able to get Child Benefit if you go to live in certain countries or if you\u2019re a Crown servant.\n\n## If you\u2019ve moved to the UK\n\nYou may be able to get Child Benefit if you have moved to the UK and you have a \u2018right to reside\u2019.\n\n## If your child starts work or gets benefits in their own right\n\nYou\u2019ll stop receiving Child Benefit immediately if your child:\n\n- starts paid work for 24 hours or more a week and is no longer in approved education or training\n\n- starts an apprenticeship in England\n\n- starts getting certain benefits in their own right, such as Income Support, Employment and Support Allowance or tax credits\n\n## If you or your partner earn over \u00a350,000\n\nYou\u2019ll still be eligible for Child Benefit even if you choose to stop receiving it. You can always change your mind and restart your payments.\n\nContact the Child Benefit Office if you\u2019re not sure about your eligibility.\n\n## How to claim\n\nYou can claim Child Benefit as soon as you\u2019ve registered the birth of your child, or they come to live with you.\n\nIf you\u2019re not able to register the birth of your child because of coronavirus (COVID-19), you can still make a claim to receive Child Benefit.\n\n## How long it takes\n\nIt can take 6 to 12 weeks to process a new Child Benefit claim (or longer if you\u2019re new to the UK). Child Benefit can be backdated for up to 3 months.\n\n## Deciding who should claim\n\nOnly one person can get Child Benefit for a child, so you need to decide whether it\u2019s better for you or the other parent to claim. The person who claims will get National Insurance credits towards their state pension if they are not working or earn less than \u00a3184 per week.\n\n## Make a claim for the first time\n\nFill in Child Benefit claim form CH2 and send it to the Child Benefit Office. The address is on the form.\n\nIf your child is adopted, send their original adoption certificate with the form. You can order a new adoption certificate if you\u2019ve lost the original.\n\nIf you do not have the certificate you need, send your claim form now and send the certificate once you\u2019ve got it.\n\n## If your child\u2019s birth was registered outside the UK\n\nWhen you send your claim form, include your child\u2019s:\n\n- original birth certificate\n\n- passport or travel document used to enter the UK\n\nIf you\u2019ve lost the original you can order a new birth certificate.\n\n## Add a child to an existing claim\n\nCall the child benefit helpline if:\n\n- your child is under 6 months old and lives with you\n\n- your child was born in the UK and their birth was registered in England, Scotland or Wales more than 24 hours ago\n\n- you\u2019re a UK, EEA or Swiss national and you\u2019ve lived in the UK since the start of your claim\n\nWhen you call, you\u2019ll need your:\n\n- National Insurance number\n\n- child\u2019s birth certificate\n\n## If you do not meet the criteria to add a child by phone\n\nYou\u2019ll need to make a new claim by post. Fill in Child Benefit form CH2 and send it to the Child Benefit Office. The address is on the form.\n\nIf you\u2019re claiming for more than 2 children, also include the \u2018additional children\u2019 form.\n\n## Claiming Child Benefit for someone else\n\nYou may be able to manage someone else\u2019s Child Benefit claim.\n\n## Make a change to your claim\n\nYou must report any change of circumstances to the Child Benefit Office. These include changes to your:\n\n- family life, for example getting married\n\n- child\u2019s life, for example leaving education or training\n\n## Change who gets Child Benefit\n\nContact the Child Benefit Office if you want someone else to claim Child Benefit, for example, your spouse or partner.\n\nAfter you\u2019ve done this, tell the other person to make a new claim.\n\n## Stop or restart payments\n\nYou can choose to stop or restart your payments at any time, for example because you or your partner earn over \u00a350,000 a year. It does not affect your eligibility.\n\n## Get help with your claim\n\nContact the Child Benefit Office if you have any questions.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Make a complaint\n\nYou can complain to the Child Benefit Office if you\u2019re unhappy with the way you\u2019ve been treated.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/child-benefit", + "answerable": true, + "scenario": "My wife and I have recently had our first child. She plans to give up work and be a full-time Mum for the first few years at least, while I stay in work. We're concerned about the impact my wife not working might have on her pension entitlement.", + "original_question": "Would it be better for my wife to claim child benefit instead of me?" + }, + { + "id": "train-220", + "question": "Scenario: I am a 37 year old English male living in Scotland, I have just filed for divorce and my wife is claiming half of my savings although we agreed upon nothing during marriage.\n\nQuestion: Do the rules change for me because I live in Scotland although I am English?\n\nDocument - Money and property when you divorce or separate:\n## Getting a financial agreement\n\nWhen you divorce or end a civil partnership you and your ex-partner need to agree how to separate your finances.\n\nThis includes deciding how you\u2019re going to divide:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nYou might get things like:\n\n- a share of your your partner\u2019s pension - including State Pension or private pension plans\n\n- regular maintenance payments to help with children or living expenses\n\nYou can usually avoid going to court hearings if you agree how to split your money and property.\n\nThe rules are different if you were not married or in a civil partnership. You\u2019ll still have to agree on child maintenance payments for any children.\n\nWhat you can do is different in Scotland and Northern Ireland.\n\n## Making an agreement legally binding\n\nIf you and your ex-partner agree on how to divide money and property, you need to apply for a consent order to make it legally binding.\n\n## Get help agreeing\n\nYou can use a mediator or get other help to resolve issues out of court.\n\n## Get the court to decide\n\nIf you cannot agree on everything, you can ask a court to make a financial order.\n\n## If you agree\n\nIt\u2019s usually more straightforward and less expensive if you agree how to divide your money and property. Get help agreeing.\n\n## Making your agreement legally binding\n\nTo make your agreement legally binding you need to draft a consent order and ask a court to approve it.\n\nIf your agreement is not legally binding, a court cannot enforce it if there are any issues later.\n\nA consent order is a legal document that confirms your agreement. It explains how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\nYou can get legal advice or ask a solicitor to draft a consent order for you.\n\n## When to apply for a consent order\n\nYou can ask the court to approve your consent order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended. This may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to ask the court for approval\n\nYou and your ex-partner have to:\n\n- draft a consent order\n\n- sign the draft consent order - you also need 2 photocopies of the signed original\n\n- fill in a statement of information form\n\nOne of you also needs to fill in a notice of an application for a financial order.\n\nIf you\u2019re ending a civil partnership or legally separating, send the signed forms and copies with the \u00a350 fee to the court dealing with your paperwork. Keep your own copies.\n\nIf you\u2019re divorcing, send the signed forms and copies with the \u00a350 fee to:\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\nThere\u2019s usually no court hearing. A judge will approve your consent order to make it legally binding if they think it\u2019s fair.\n\nIf they do not think it\u2019s fair, they can ask you to change it.\n\n## How much it costs\n\nThe court fee is \u00a350.\n\nSolicitor fees vary depending on their experience and location. They usually charge per hour.\n\n## Get help agreeing\n\nA mediator can help you and your ex-partner agree on how to split money and property, without taking sides.\n\nMediation is not relationship counselling. It can help you agree on how you\u2019ll divide your assets, including:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nMediation can be quicker and cheaper than asking a court to decide for you.\n\nYou need to attend a mediation information assessment meeting (MIAM) before you start mediation.\n\nFind a local mediator.\n\nThe mediator can decide mediation is not right for you (for example, if there\u2019s been domestic abuse and you need to go to court instead).\n\n## How much it costs\n\nA MIAM is usually about \u00a330. If you need more mediation sessions they cost more and fees vary depending on where you live.\n\nCheck if you can get legal aid for mediation.\n\n## Making your agreement legally binding\n\nAt the end of mediation you\u2019ll get a document showing what you agreed. This agreement is not legally binding.\n\nIf you want a legally binding agreement you need to draft a consent order and get a court to approve it. The consent order can be based on what you agreed in mediation.\n\n## If you need more help agreeing\n\nYou can:\n\n- ask a legal adviser about other ways to resolve issues out of court (such as family arbitration or collaborative law)\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- work out your finances with a divorce and separation calculator\n\n## If you do not agree on everything\n\nYou can ask a court to decide on anything you have not agreed on.\n\n## Get the court to decide\n\nIf you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).\n\nThis means the court will decide how assets will be split. Getting the court to decide usually takes longer and is more expensive than if you and your ex-partner agree.\n\nYou must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).\n\nA financial order will describe how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\n## When to apply for a financial order\n\nYou can ask a court to make a financial order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended but it may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to apply\n\nYou need to apply for a financial order.\n\nSend 2 copies of the form to the court dealing with paperwork in your area to divorce or end your civil partnership. Keep a copy for yourself.\n\nYou can hire a solicitor to help you apply for a financial order from the court.\n\n## After you apply\n\nThere are three stages:\n\n- the first appointment - a short hearing with the judge to discuss your application\n\n- financial dispute resolution (FDR) appointment - to help you agree without needing a final hearing (you might need more than one appointment)\n\n- final hearing - if you\u2019re not able to agree, this is when a judge will decide how you must separate your finances\n\nThe court will send you and your ex-partner details when the first appointment will be. This is usually 12 to 14 weeks after you apply.\n\n## Before the first appointment\n\nYou and your ex-partner need to fill in a financial statement for a financial order (Form E) to show a breakdown of your property and debts. This includes giving an estimate of your future living costs.\n\nYou\u2019ll also need to collect documents about your finances, for example:\n\n- rental or mortgage agreements\n\n- pension documents\n\n- loan agreements\n\n- proof of your salary income, for example P60 or recent pay slips\n\n- details of personal belongings worth more than \u00a3500, for example a car or house contents\n\n## How long it takes\n\nIt depends on:\n\n- how many financial dispute resolution appointments you need\n\n- if you need a final hearing\n\nThere can be several months between the appointments.\n\n## How the court decides\n\nIf you cannot agree, a judge will decide how assets will be split. They\u2019ll base their decision on how long you\u2019ve been married or in a civil partnership, as well as your:\n\n- age\n\n- ability to earn\n\n- property and money\n\n- living expenses\n\n- standard of living\n\n- financial needs and responsibilities\n\n- role in looking after the family, for example if you were the main earner or caring for the family or home\n\n- disability or health condition, if you have any\n\nThe judge will decide on the fairest way to divide the assets if there\u2019s enough to meet everyone\u2019s needs. They will make arrangements for any children first - especially their housing arrangements and child maintenance. The reason for the divorce or dissolution is not taken into account.\n\nThe judge will usually try to arrange a \u2018clean break\u2019, so everything is shared out, and you no longer have any financial ties to one another.\n\n## How much it costs\n\nThe court fee is \u00a3255.\n\nSolicitor fees vary depending on their experience and where you live. They usually charge by the hour. How much you pay in total depends on how many financial dispute resolution appointments you need and if there will be a final hearing.\n\nYou can get legal aid to help with court costs in certain situations, for example if you\u2019re separating from an abusive partner.\n\n## Further help and advice\n\nYou can:\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- find out more about how to apply for a financial order\n\n## Maintenance payments\n\nThe court sometimes tells the person with the higher income to make regular maintenance payments to help with the other person\u2019s living costs.\n\nThis is called a \u2018maintenance order\u2019.\n\nA maintenance payment can be set for:\n\n- a limited period of time\n\n- until one of you dies, marries or enters into a new civil partnership\n\nThe payment can also be changed if one of you loses your job or gets much better paid work.\n\n## Child maintenance\n\nThe court can also decide on child maintenance, but this is often arranged by the Child Maintenance Service.\n\nRead more about making arrangements to look after children when you divorce or separate.\n\n## Tax when transferring assets\n\nYou do not usually have to pay Capital Gains Tax if you give, or otherwise \u2018dispose of\u2019, assets to your husband, wife or civil partner before you finalise the divorce or civil partnership.\n\nAssets include shares, certain personal possessions and property. You usually do not have to pay tax if you transfer or sell your main home.\n\n## If you transfer an asset when you\u2019re separated\n\nIf you lived together at any point in the tax year that you transferred the asset, the normal rules for spouses and civil partners apply.\n\nOtherwise you may have to pay Capital Gains Tax. You\u2019ll need to get a valuation of the asset on the date of transfer, and use it to work out the gain or loss.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you transfer an asset after you\u2019ve divorced or dissolved your civil partnership\n\nYou may have to pay Capital Gains Tax on assets you transfer after your relationship has legally ended.\n\nThe rules for working out your gain or loss are complex. Contact HM Revenue and Customs (HMRC) or get professional tax help, such as an accountant or tax adviser. You\u2019ll need to tell them the date of:\n\n- the decree absolute or dissolution\n\n- any court order, if assets were transferred this way\n\n- any other contract showing the transfer of assets", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "answerable": true, + "scenario": "I am a 37 year old English male living in Scotland, I have just filed for divorce and my wife is claiming half of my savings although we agreed upon nothing during marriage.", + "original_question": "Do the rules change for me because I live in Scotland although I am English?" + }, + { + "id": "train-221", + "question": "Scenario: I am 25 and a single parent. I have a six year old son. I am very keen to get back into education so I can get a better job.\n\nQuestion: Am I eligible for help with childcare whilst I study?\n\nDocument - Care to Learn:\n## Overview\n\nThe Care to Learn scheme can help with childcare costs while you study.\n\nYou must be aged under 20 at the start of your course.\n\nThe scheme is available for publicly-funded courses in England. This includes courses in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a3160 per child per week if you live outside London\n\n- \u00a3175 per child per week if you live in London\n\n## What it covers\n\nCare to Learn can help with the cost of:\n\n- your childcare, including deposit and registration fees\n\n- a childcare taster session for up to 5 days\n\n- keeping your childcare place over the summer holidays\n\n- taking your child to their childcare provider\n\n## Payments\n\nChildcare payments go directly to your childcare provider.\n\nBefore they can be paid:\n\n- your childcare provider needs to confirm your child\u2019s attendance\n\n- your school or college needs to confirm that you\u2019re attending your course\n\nTravel payments go direct to your school or college - they\u2019ll either pay you or arrange travel for you.\n\n## When payments stop\n\nPayments end when:\n\n- you stop attending your course\n\n- you reach the end of your course\n\n- your child stops attending childcare\n\n## Eligibility\n\nYou can get Care to Learn if all of the following apply to you:\n\n- you\u2019re a parent under 20 at the start of your course\n\n- you\u2019re the main carer for your child\n\n- you live in England\n\n- you\u2019re either a British citizen or have a legal right to live and study in England\n\n- your course qualifies\n\n- your childcare provider qualifies\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Your course\n\nCare to Learn is only available for publicly-funded courses in England. This includes courses that take place in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n- other colleges and learning providers, including Foundation Learning\n\n- your community at Children\u2019s Centres\n\nYour learning provider can tell you if your course is eligible.\n\n## Your childcare provider\n\nTo qualify, your childcare provider must be registered with Ofsted.\n\nThey can be a:\n\n- childminder\n\n- preschool playgroup\n\n- day nursery\n\n- out of school club\n\n## Who cannot get Care to Learn\n\nYou\u2019re not eligible if:\n\n- you\u2019re an apprentice who gets a salary\n\n- you\u2019re doing a higher education course at university\n\n## Apply for Care to Learn\n\nYou must choose your learning provider and childcare provider before you apply.\n\nYou need to make a new application for each year you study.\n\nYour childcare provider is paid from the beginning of your course if you apply either:\n\n- before your course starts\n\n- within 28 days of starting your course\n\nIf you apply after that, your childcare provider will only be paid from the beginning of the week that your application was received.\n\nApply online for Care to Learn.\n\n## After you've applied\n\nYou must give your learning provider either:\n\n- a copy of the child\u2019s birth certificate\n\n- a letter confirming receipt of Child Benefit for that child\n\n## If you qualify\n\nYou\u2019ll get a letter and a payment plan telling you what financial help you can get.\n\nYour childcare provider will only be paid after you\u2019ve provided this.\n\nYour childcare provider will also get the payment plan to let them know when they\u2019ll be paid.\n\nIf you\u2019re eligible for travel costs, your learning provider will be told about payments for this.\n\n## If your circumstances change\n\nYou must report changes to your:\n\n- personal details\n\n- childcare provider\n\n- hours of childcare\n\n- travel costs\n\n- learning provider\n\nYou can do this by updating your online application.\n\n## Benefits\n\nClaiming Care to Learn will not affect your family\u2019s benefits or allowances.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/care-to-learn", + "answerable": true, + "scenario": "I am 25 and a single parent. I have a six year old son. I am very keen to get back into education so I can get a better job.", + "original_question": "Am I eligible for help with childcare whilst I study?" + }, + { + "id": "train-222", + "question": "Scenario: I am 26 and I have a 2 year old daughter. I want to apply to a sixth-form college in order to receive the qualifications I didn't achieve in school, but I would struggle to pay for childcare.\n\nQuestion: Am I eligible to apply for Care to Learn?\n\nDocument - Care to Learn:\n## Overview\n\nThe Care to Learn scheme can help with childcare costs while you study.\n\nYou must be aged under 20 at the start of your course.\n\nThe scheme is available for publicly-funded courses in England. This includes courses in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a3160 per child per week if you live outside London\n\n- \u00a3175 per child per week if you live in London\n\n## What it covers\n\nCare to Learn can help with the cost of:\n\n- your childcare, including deposit and registration fees\n\n- a childcare taster session for up to 5 days\n\n- keeping your childcare place over the summer holidays\n\n- taking your child to their childcare provider\n\n## Payments\n\nChildcare payments go directly to your childcare provider.\n\nBefore they can be paid:\n\n- your childcare provider needs to confirm your child\u2019s attendance\n\n- your school or college needs to confirm that you\u2019re attending your course\n\nTravel payments go direct to your school or college - they\u2019ll either pay you or arrange travel for you.\n\n## When payments stop\n\nPayments end when:\n\n- you stop attending your course\n\n- you reach the end of your course\n\n- your child stops attending childcare\n\n## Eligibility\n\nYou can get Care to Learn if all of the following apply to you:\n\n- you\u2019re a parent under 20 at the start of your course\n\n- you\u2019re the main carer for your child\n\n- you live in England\n\n- you\u2019re either a British citizen or have a legal right to live and study in England\n\n- your course qualifies\n\n- your childcare provider qualifies\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Your course\n\nCare to Learn is only available for publicly-funded courses in England. This includes courses that take place in:\n\n- schools\n\n- sixth-forms in schools\n\n- sixth-form colleges\n\n- other colleges and learning providers, including Foundation Learning\n\n- your community at Children\u2019s Centres\n\nYour learning provider can tell you if your course is eligible.\n\n## Your childcare provider\n\nTo qualify, your childcare provider must be registered with Ofsted.\n\nThey can be a:\n\n- childminder\n\n- preschool playgroup\n\n- day nursery\n\n- out of school club\n\n## Who cannot get Care to Learn\n\nYou\u2019re not eligible if:\n\n- you\u2019re an apprentice who gets a salary\n\n- you\u2019re doing a higher education course at university\n\n## Apply for Care to Learn\n\nYou must choose your learning provider and childcare provider before you apply.\n\nYou need to make a new application for each year you study.\n\nYour childcare provider is paid from the beginning of your course if you apply either:\n\n- before your course starts\n\n- within 28 days of starting your course\n\nIf you apply after that, your childcare provider will only be paid from the beginning of the week that your application was received.\n\nApply online for Care to Learn.\n\n## After you've applied\n\nYou must give your learning provider either:\n\n- a copy of the child\u2019s birth certificate\n\n- a letter confirming receipt of Child Benefit for that child\n\n## If you qualify\n\nYou\u2019ll get a letter and a payment plan telling you what financial help you can get.\n\nYour childcare provider will only be paid after you\u2019ve provided this.\n\nYour childcare provider will also get the payment plan to let them know when they\u2019ll be paid.\n\nIf you\u2019re eligible for travel costs, your learning provider will be told about payments for this.\n\n## If your circumstances change\n\nYou must report changes to your:\n\n- personal details\n\n- childcare provider\n\n- hours of childcare\n\n- travel costs\n\n- learning provider\n\nYou can do this by updating your online application.\n\n## Benefits\n\nClaiming Care to Learn will not affect your family\u2019s benefits or allowances.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/care-to-learn", + "answerable": true, + "scenario": "I am 26 and I have a 2 year old daughter. I want to apply to a sixth-form college in order to receive the qualifications I didn't achieve in school, but I would struggle to pay for childcare.", + "original_question": "Am I eligible to apply for Care to Learn?" + }, + { + "id": "train-225", + "question": "Scenario: I am 23 with 2 children and my father recently developed dementia, he was about to add me to the will before being diagnosed but never did.\n\nQuestion: Can I add myself to my fathers will?\n\nDocument - Make a statutory will on behalf of someone else:\n## Overview\n\nApply to the Court of Protection if you want to make (or change) a will on behalf of someone who cannot do it themselves.\n\nThis may be because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\nYou can apply when the person is not able to understand:\n\n- what making or changing a will means\n\n- how much money they have or what property they own\n\n- how making or changing a will might affect the people they know (either those mentioned in the will or those left out)\n\nSomeone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.\n\n## How to apply\n\n- Download, fill in and return the forms with details of the proposed will and supporting documents.\n\n- Tell other people that you\u2019ve applied.\n\n- Attend a hearing if the Court of Protection decides to hold one.\n\n- Sign the will, have it witnessed and send it to the Court of Protection to have it \u2018sealed\u2019.\n\n## Emergency applications\n\nYou can apply to the Court of Protection for an emergency decision on a statutory will if the person you\u2019re applying for only has a short time to live.\n\n## Get legal advice\n\nYou can get legal advice from:\n\n- a solicitor - you\u2019ll have to pay for this\n\n- organisations which give advice for free, for example Citizens Advice Bureau\n\n## How to apply\n\nDownload and fill in the following forms to apply to make a will on behalf of someone, or to make changes to their existing will:\n\n- application form (COP1)\n\n- witness statement (COP24)\n\n- information form (COP1C)\n\nYou\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.\n\nDownload and fill in assessment of capacity form (COP3) - you\u2019ll need to get the person\u2019s doctor or other medical professional to fill in the relevant parts.\n\nSend the completed forms, your supporting documents and payment to the Court of Protection.\n\n## Supporting documents\n\nYou\u2019ll need to include the following information and documents:\n\n- a copy of the person\u2019s current will and any amendments (\u2018codicils\u2019)\n\n- a copy of the proposed new will or codicil\n\n- a copy of any deputyship order\n\n- details of the people who have agreed to deal with the will after the person\u2019s death (\u2018executors\u2019)\n\n- a copy of any registered lasting power of attorney or registered enduring power of attorney\n\n- the person\u2019s family tree\n\n- reasons the person might be expected to provide for people named in the will (\u2018beneficiaries\u2019)\n\n- the person\u2019s address and details about where they\u2019re living, for example care home, hospital\n\nYou must also provide:\n\n- details of the person\u2019s estate and assets\n\n- accounts showing their estimated income and outgoings\n\n- details of any inheritance tax payable in the event of the person\u2019s death\n\n## Acting in the other person\u2019s best interest\n\nDecisions taken on someone\u2019s behalf must always be in their best interest. You must consider:\n\n- what they would do if they were able to make a will themselves\n\n- their beliefs and personal values\n\n- how they\u2019ve acted and made decisions for themselves in the past\n\nRead the Court of Protection practice direction (9E) for more information and an example of a statutory will.\n\n## Fees\n\nAn application for a statutory will costs \u00a3365.\n\nYou may also have to pay:\n\n- \u00a3485 if the court decides to hold a hearing (including telephone hearings)\n\n- solicitor\u2019s fees if a solicitor is appointed by the Official Solicitor to act as the person\u2019s litigation friend\n\n- Counsel\u2019s fees (if there are any)\n\n## How to pay\n\nSend a cheque for \u00a3365 made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms and supporting documents.\n\nYou\u2019ll be told when you need to pay any additional costs, for example for court hearings.\n\nYou may be able to claim back any fees you pay from the estate of the person you\u2019re applying for.\n\n## Exemptions and refunds\n\nYou may not have to pay an application or hearing fee, depending on the circumstances of the person you\u2019re applying for, for example they:\n\n- have low (or no) income\n\n- are on certain types of benefit\n\nDownload and fill in the application for a fee remission form and send it the Court of Protection with your application forms. The form contains guidance about exemptions.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving your application.\n\n## After you apply\n\nThe Court of Protection will send you a letter to confirm that your application has been received.\n\nYou\u2019ll also get a stamped copy of your application form and a \u2018directions order\u2019 from the court telling you what to do next.\n\n## The Official Solicitor\n\nThe directions order might tell you to write to the Official Solicitor to tell them about your application. The Official Solicitor makes sure that people who cannot make decisions for themselves have someone to represent them in court cases.\n\n## Tell people named in your application\n\nYour directions order will say who you must tell (\u2018serve\u2019) about your application. This could include the person who the application is about and:\n\n- anyone named in an existing will who would be affected financially, for example they are not a beneficiary in the new will\n\n- anyone who would be expected to benefit if the person were to die without a will (\u2018intestate\u2019), for example family members\n\n- any other people named on your application\n\n- the Official Solicitor\n\nYou must serve both of the following documents within 14 days of the application being issued:\n\n- notice that an application form has been issued (COP15)\n\n- acknowledgment of service form (COP5) so they can confirm they\u2019ve been told about the application and register any objection\n\nYou can serve them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\nYou\u2019ll be given time to reach a decision with the people you\u2019ve served. The Court of Protection may hold a hearing if you cannot.\n\n## Getting a decision\n\nThe Court of Protection will tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you have to provide more information, for example further medical reports\n\n- there\u2019ll be a hearing to get more information\n\n## Court hearings\n\nThe Court of Protection will hold a hearing, or hearings, if you have not been able to reach a decision with the people you\u2019ve served.\n\nYou can also get a solicitor to represent you during the hearing.\n\nRead the guidance on what to expect from a Court of Protection hearing.\n\nYou\u2019ll have to pay a hearing fee after the court makes their final decision.\n\n## Appeal a decision\n\nYou can ask for a decision that was made without a hearing to be reconsidered any time within 21 days of the decision being made.\n\nTo appeal a decision made at a court hearing download and fill in the Appellants Notice Form COP 35.\n\nYou must pay \u00a3320. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nSend the form to the Court of Protection with a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 within 21 days of the date the decision was made.\n\n## Finalising the will\n\nYou\u2019ll be sent a court order confirming that your application has been accepted with a letter telling you what to do next.\n\n## Sign the will\n\nYou must sign 2 copies of the will. Both copies should be signed in your name and in the name of the person the will has been made for. You must also get 2 witnesses (aged 18 or over) to sign them.\n\nThe witnesses must:\n\n- be with you when you sign the will\n\n- sign the will straight after you\n\nSend the 2 signed copies of the statutory will to the Court of Protection.\n\nThe 2 copies will be given the court\u2019s official seal and sent back to you.\n\n## When the person dies\n\nThe statutory will can be handled (\u2018executed\u2019) in the normal way, as if the person had made the will themselves.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-statutory-will", + "answerable": true, + "scenario": "I am 23 with 2 children and my father recently developed dementia, he was about to add me to the will before being diagnosed but never did.", + "original_question": "Can I add myself to my fathers will?" + }, + { + "id": "train-226", + "question": "Scenario: My 15 year old son has recently taken on a part time job as a kitchen assistant, which he loves. We are due to be going on holiday during the school summer holidays as a family, but he has been offered an increase in hours to cover staff absences over the summer holiday period. He will be working three hours a day, Monday to Friday, no weeks off during the school break.\n\nQuestion: Is my 15 year old allowed to work in a part time job right through the school holiday period?\n\nDocument - Child employment:\n## Minimum ages children can work\n\n## Part-time work\n\nThe youngest age a child can work part-time is 13, except children involved in areas like:\n\n- television\n\n- theatre\n\n- modelling\n\nChildren working in these areas will need a performance licence.\n\n## Full-time work\n\nChildren can only start full-time work once they\u2019ve reached the minimum school leaving age - they can then work up to a maximum of 40 hours a week.\n\nOnce someone reaches 16, you may need to pay them through PAYE.\n\nOnce someone reaches 18, adult employment rights and rules then apply.\n\nIn England, a young person must be in part-time education or training until they\u2019re 18.\n\n## Paying children and young people\n\n## Children under 16\n\nSchool-aged children are not entitled to the National Minimum Wage.\n\nChildren under 16 do not pay National Insurance, so you only need to include them on your payroll if their total income is over their Personal Allowance.\n\n## Once someone reaches 16\n\nYoung workers aged 16 to 17 are entitled to at least \u00a34.62 per hour.\n\nIf you\u2019re a registered employer, you\u2019ll need to record and report their pay as part of running payroll. If they earn more than \u00a3120 a week, you\u2019ll also need to do other regular PAYE tasks like making deductions.\n\nBefore their next payday, collect information from them for PAYE. If they started work for you in the previous tax year, put their start date as 5 April in your payroll software. Record their pay for the current tax year only.\n\nIf you pay any employee over \u00a3120 a week you must be registered as an employer and operate PAYE.\n\n## Performance licences and supervision for children\n\nA child may need a licence if they\u2019re under school leaving age and taking part in:\n\n- films, plays, concerts or other public performances that the audience pays to see, or that take place on licensed premises\n\n- any sporting events or modelling assignments where the child is paid\n\nThe person in charge of running the event must apply to the child\u2019s local council for a child performance licence. Ask the council if you\u2019re not sure you need one.\n\n## Supervision for the child\n\nIf the child will not be with their parent, school teacher or home tutor, they must be supervised by a chaperone approved by the council. Chaperones can apply for approval from the council.\n\nThe normal rules for paying children and restrictions on employment apply to children in performances.\n\n## Restrictions on child employment\n\nThere are several restrictions on when and where children are allowed to work.\n\nChildren are not allowed to work:\n\n- without an employment permit issued by the education department of the local council, if this is required by local bylaws\n\n- in places like a factory or industrial site\n\n- during school hours\n\n- before 7am or after 7pm\n\n- for more than one hour before school (unless local bylaws allow it)\n\n- for more than 4 hours without taking a break of at least 1 hour\n\n- in any work that may be harmful to their health, well-being or education\n\n- without having a 2-week break from any work during the school holidays in each calendar year\n\nThere are also special rules which only apply during term times and school holiday times.\n\n## Term time rules\n\nDuring term time children can only work a maximum of 12 hours a week. This includes:\n\n- a maximum of 2 hours on school days and Sundays\n\n- a maximum of 5 hours on Saturdays for 13 to 14-year-olds, or 8 hours for 15 to 16-year-olds\n\n## School holiday rules\n\nDuring school holidays 13 to 14-year-olds are only allowed to work a maximum of 25 hours a week. This includes:\n\n- a maximum of 5 hours on weekdays and Saturdays\n\n- a maximum of 2 hours on Sunday\n\nDuring school holidays 15 to 16-year-olds can only work a maximum of 35 hours a week. This includes:\n\n- a maximum of 8 hours on weekdays and Saturdays\n\n- a maximum of 2 hours on Sunday\n\n## Local rules on the types of work children can do\n\nLocal bylaws list the jobs that children cannot do. If a job is on this list, a child under the minimum school leaving age cannot do this work.\n\nLocal bylaws may also have other restrictions on working hours, conditions of work and the type of employment.\n\nContact your local council\u2019s education department or education welfare service for more information.\n\n## Local council rules for child employment permits\n\nMost local councils say that businesses intending to employ school-aged children must apply for a child employment permit before they can be employed.\n\nIf a child is working without a child employment permit, there\u2019s a risk that the employer will not be insured against accidents involving the child.\n\nChildren do not need a work permit for work experience arranged by their school.\n\nEmployers should contact their local council\u2019s education department or education welfare service to find out if a child employment permit is needed.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/child-employment", + "answerable": true, + "scenario": "My 15 year old son has recently taken on a part time job as a kitchen assistant, which he loves. We are due to be going on holiday during the school summer holidays as a family, but he has been offered an increase in hours to cover staff absences over the summer holiday period. He will be working three hours a day, Monday to Friday, no weeks off during the school break.", + "original_question": "Is my 15 year old allowed to work in a part time job right through the school holiday period?" + }, + { + "id": "train-227", + "question": "Scenario: Me and my partner have decided we want to live apart after a breakdown in our marriage of 2 years. We feel it would be best to live in two different places and we both live in the UK.\n\nQuestion: We do not want to be divorced, can we apply for legal separation instead?\n\nDocument - Get a divorce:\n## Check you can get a divorce\n\nYou can get divorced in England or Wales if all of the following are true:\n\n- you\u2019ve been married for over a year\n\n- your relationship has permanently broken down\n\n- your marriage is legally recognised in the UK (including same-sex marriage)\n\n- the UK is your permanent home, or the permanent home of your husband or wife\n\nIf you do not want a divorce, you can get a legal separation so you can live apart without ending the marriage. You might also be able to annul the marriage. You can apply for separation or annulment during your first year of marriage.\n\nThis guide is also available in Welsh (Cymraeg).\n\nGetting a divorce is different in Scotland and Northern Ireland.\n\n## Grounds for divorce\n\nWhen you apply for a divorce you\u2019ll need to prove that your marriage has broken down and cannot be saved. You\u2019ll need to give one or more of the following 5 reasons (also known as \u2018facts\u2019).\n\n## Adultery\n\nYour husband or wife had sexual intercourse with someone else of the opposite sex (committed adultery).\n\nYou cannot give adultery as a reason if you lived together as a couple for more than 6 months after you found out about it.\n\n## Unreasonable behaviour\n\nYour husband or wife has behaved in such a way that you cannot reasonably be expected to live with them.\n\nThis could include:\n\n- physical violence\n\n- verbal abuse, such as insults or threats\n\n- drunkenness or drug-taking\n\n- refusing to pay towards shared living expenses\n\n## Desertion\n\nYour husband or wife has left you for at least 2 years before you apply for divorce.\n\nYou can still claim desertion if you have lived together for up to a total of 6 months in this period, but that will not count towards the 2 years.\n\n## You\u2019ve been separated for at least 2 years\n\nYou can apply for a divorce if you\u2019ve been separated for at least 2 years before applying for divorce and you both agree to it.\n\nYour husband or wife must agree in writing.\n\nIt may be possible for you to show that you\u2019ve been separated while living in the same home as your wife or husband as long as you\u2019re not living together as a couple (for example you sleep and eat apart).\n\n## You\u2019ve been separated for at least 5 years\n\nYou can apply for a divorce if you\u2019ve been separated for at least 5 years before applying, even if your husband or wife disagrees.\n\n## Before you apply\n\nBefore you send in your application, you and your husband or wife can choose to work out:\n\n- arrangements for looking after any children\n\n- child maintenance payments for any children\n\nYou can also divide your money and property. There\u2019s a deadline if you want to make this legally binding.\n\nYou can usually avoid going to court hearings if you agree about children, money and property and the reasons for ending your marriage.\n\n## Get help agreeing on issues\n\nYou can use a mediator. Check if you can get legal aid to help pay for mediation.\n\nYou can also get advice on making agreements from:\n\n- organisations near you\n\n- Citizens Advice\n\n## If you\u2019re married to more than one person\n\nContact your regional divorce centre if you\u2019re married to more than one person (polygamy).\n\n## How to apply\n\nTo apply for a divorce you\u2019ll need:\n\n- your husband or wife\u2019s full name and address\n\n- your original marriage certificate or a certified copy (and a certified translation if it\u2019s not in English)\n\n- proof of your name change if you\u2019ve changed it since you got married - for example your marriage certificate or a deed poll\n\nYou must try to find your husband or wife\u2019s current address if you do not know it. The court will need it to send them a copy of the divorce petition.\n\nIf you name the person your husband or wife committed adultery with, they\u2019ll get copies of the paperwork.\n\n## Fee\n\nYou must pay a \u00a3550 fee to apply for a divorce. The way you pay depends on how you apply. Your fee will not be refunded after you are sent the notice that your application has been issued.\n\nYou may be able to get help with fees if you get benefits or are on a low income.\n\n## Apply online\n\nYou can apply for a divorce online.\n\nYou\u2019ll need a debit or credit card to apply online.\n\n## Apply by post or in Welsh\n\nFill in a divorce application form D8 (\u2018divorce petition\u2019) to start a divorce.\n\nYou can get help filling in the form at a Citizens Advice office.\n\nSend 3 copies of the form to your nearest divorce centre. They\u2019ll send one copy to your husband or wife.\n\nYou need to send 4 copies if you named someone your husband or wife committed adultery with.\n\nKeep your own copy of the forms.\n\n## How to pay\n\nYou can either pay by:\n\n- debit or credit card - the divorce centre will call you to take payment\n\n- cheque - made payable to \u2018HM Courts and Tribunals Service\u2019\n\n## What happens after you apply\n\nYour application will be checked. If it\u2019s correct, you\u2019ll be sent:\n\n- a notice that your application has been issued (sent out)\n\n- a copy of your application stamped by the divorce centre\n\n- a case number\n\nThis may take up to 10 days if you applied online or 1 month if you applied by post.\n\nThe court will send your husband or wife the divorce application and an \u2018acknowledgement of service\u2019 form. Your husband or wife will need to respond to your divorce application.\n\nIf you named someone your husband or wife committed adultery with, they\u2019ll also be sent a copy of the application and be asked to respond.\n\n## Your husband or wife responds\n\nThe acknowledgement of service form asks your husband or wife if they:\n\n- agree with the divorce\n\n- intend to try to prevent the divorce (defend it)\n\n- object to paying the costs (if you\u2019ve claimed them)\n\nYour husband or wife must respond within 8 days.\n\n## If they agree with the divorce\n\nYou can continue with the divorce by applying for a decree nisi.\n\n## If they defend the divorce\n\nYour husband or wife will have to complete an \u2018answer to divorce\u2019 form to say why they disagree with the divorce. They must do this within 28 days of getting the divorce application.\n\nIf they do not submit an \u2018answer to divorce\u2019 form, you can continue the divorce by applying for a decree nisi.\n\nIf they do submit an answer to divorce in time, you may have to go to court to discuss the case.\n\n## Apply for decree nisi\n\nYou can apply for a decree nisi if your husband or wife does not defend your divorce petition.\n\nA decree nisi is a document that says that the court does not see any reason why you cannot divorce.\n\nIf your husband or wife does not agree to the divorce, you can still apply for a decree nisi. However, you\u2019ll have to go to a court hearing to discuss the case, where a judge will decide whether to grant you a decree nisi.\n\nIf you already have a hearing date, the court will contact you and tell you how the hearing will take place.\n\n## How to apply\n\nTo get a decree nisi, read the guidance and then fill in the application for a decree nisi.\n\nYou must also fill in a statement confirming that what you said in your divorce petition is true.\n\nThere are 5 statement forms - use the one that covers the reason you\u2019ve given for your divorce:\n\n- adultery statement\n\n- unreasonable behaviour statement\n\n- desertion statement\n\n- 2 years\u2019 separation statement\n\n- 5 years\u2019 separation statement\n\nAttach a copy of your husband\u2019s or wife\u2019s response to the divorce petition.\n\n## Getting a decree nisi\n\nIf the judge agrees, the court will send you and your husband or wife a certificate. This may take several weeks.\n\nThe certificate will tell you the time and date you\u2019ll be granted a decree nisi.\n\nYou\u2019ll still be married after the decree nisi has been granted. You\u2019ll have to wait 43 days (6 weeks and 1 day) before you can apply for a \u2018decree absolute\u2019 to actually end the marriage.\n\n## Your application is rejected\n\nYou may be sent a \u2018notice of refusal of judge\u2019s certificate\u2019 form, saying why you cannot divorce.\n\nThe form will tell you what to do next. The judge may want more information in writing, or you may have to go to a court hearing.\n\nYou can get legal advice if there\u2019s going to be a court hearing.\n\n## Apply for a decree absolute\n\nThe decree absolute is the legal document that ends your marriage.\n\nYou need to wait at least 43 days (6 weeks and 1 day) after the date of the decree nisi before you can apply for a decree absolute.\n\nApply within 12 months of getting the decree nisi - otherwise you will have to explain the delay to the court.\n\n## How to apply\n\nTo apply for a decree absolute, fill in the notice of application for decree nisi to be made absolute form.\n\nIf you want a legally binding arrangement for dividing money and property you must apply to the court for this before you apply for a decree absolute.\n\n## Getting the decree absolute\n\nThe court will check that:\n\n- time limits have been met\n\n- there are no other reasons not to grant the divorce\n\nThe court will then send you both a decree absolute.\n\nYou\u2019ll get your decree absolute within:\n\n- 24 hours (Monday to Friday) if you applied online\n\n- 10 days if you applied by post\n\nIf a solicitor is acting for you, the decree absolute will be sent to them. You\u2019ll need to ask them for a copy.\n\nOnce you get the decree absolute, you are divorced, no longer married and free to marry again if you wish.\n\nKeep the decree absolute safe - you will need to show it if you remarry or to prove your marital status.\n\nIf you lose your decree absolute, you can apply to the court for a copy.\n\n## If you do not apply for the decree absolute\n\nYour husband or wife can apply for the decree absolute if you do not. They\u2019ll have to wait an extra 3 months to do this, on top of the standard 43 days.\n\n## If your husband or wife lacks mental capacity\n\nYou can apply for a divorce if your husband or wife \u2018lacks mental capacity\u2019 and cannot agree to a divorce or take part in the divorce case.\n\nYour husband or wife will need someone to make decisions for them during the divorce. The person who acts on their behalf is called a \u2018litigation friend\u2019. It can be a family member, close friend or someone else who can represent them.\n\n## Your husband or wife does not have a litigation friend\n\nIf there\u2019s no one suitable and willing to be their litigation friend, you can apply to the court to appoint a litigation friend.\n\nThe Official Solicitor may agree to act as your husband or wife\u2019s litigation friend when there\u2019s no one else to do this (\u2018litigation friend of last resort\u2019).\n\n## How to apply\n\n- Check there\u2019s nobody else suitable or willing to act as your husband or wife\u2019s litigation friend.\n\n- Check that there\u2019s money available for any costs the Official Solicitor has to pay. Your husband or wife may be able to get legal aid.\n\n- Give the details of your husband or wife\u2019s doctor or other medical professional to the court so it can ask for a certificate of capacity.\n\nIf the Official Solicitor agrees to act as litigation friend for your husband or wife, you\u2019ll be able to file for divorce.\n\n## Contact the Official Solicitor\u2019s staff\n\nEmail or call the private family law team if you have an enquiry about divorcing someone who lacks mental capacity. They cannot answer general questions about divorce.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/divorce", + "answerable": true, + "scenario": "Me and my partner have decided we want to live apart after a breakdown in our marriage of 2 years. We feel it would be best to live in two different places and we both live in the UK.", + "original_question": "We do not want to be divorced, can we apply for legal separation instead?" + }, + { + "id": "train-229", + "question": "Scenario: My sister has joined university but has been diagnised with bipolar and she needs support for her individual needs as she continues with her studies . She is on prescription medicine and needs some extra income to take care of her health.\n\nQuestion: Is she eligible for disability support as she continues with her studies?\n\nDocument - Help if you're a student with a learning difficulty, health problem or disability:\n## Disabled Students' Allowance\n\nDisabled Students\u2019 Allowance (DSA) is support to cover the study-related costs you have because of a mental health problem, long term illness or any other disability.\n\nThis can be on its own or in addition to any student finance you get.\n\nThe type of support and how much you get depends on your individual needs - not your household income.\n\nYou do not need to pay back DSA.\n\n## What you\u2019ll get\n\n## 2021 to 2022 academic year\n\nUndergraduate and postgraduate students can get up to \u00a325,000 a year for support.\n\n## 2020 to 2021 academic year\n\n| | Specialist equipment allowance | Non-medical helper allowance | General allowance |\n\n| Full-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a323,258 a year | Up to \u00a31,954 a year |\n\n| Part-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a317,443 a year | Up to \u00a31,465 a year |\n\nPostgraduates can get support of up to \u00a320,580 a year.\n\nThese figures are the maximum amounts - most students get less.\n\n## What DSA can pay for\n\nYou can get help with the costs of:\n\n- specialist equipment, for example a computer if you need one because of your disability\n\n- non-medical helpers, for example a British Sign Language (BSL) interpreter or specialist note taker\n\n- extra travel to attend your course or placement because of your disability\n\n- other disability-related study support, for example having to print additional copies of documents for proof-reading\n\nDSA does not cover disability-related costs you\u2019d have if you were not attending a course, or costs that any student might have.\n\n## Buying a new computer\n\nYou may get a new computer if you\u2019re assessed as needing one because:\n\n- you do not already have one\n\n- your current one does not meet your study needs\n\nWhen buying a new computer, you\u2019ll need to pay the first \u00a3200.\n\nThe DSA team will send you more information about this after your needs assessment.\n\n## Your \u2018needs assessment\u2019\n\nOnce your eligibility for DSA is confirmed, Student Finance England may ask you to contact an assessment centre to work out what help you need.\n\nThis is known as a needs assessment. Do not book this until Student Finance England asks you to.\n\nThe assessment is paid for through any DSA entitlement you may have.\n\nAfter the assessment, you\u2019ll get a report listing equipment and other support you can get for your course.\n\nDo not buy any equipment until you\u2019ve been assessed - you will not be reimbursed for it.\n\n## How DSA is paid\n\nMoney is paid either into your bank account or directly to the organisation providing the service or equipment.\n\nYou\u2019ll find out how your support will be paid to you after your needs assessment.\n\n## Eligibility\n\nYou can apply for Disabled Students\u2019 Allowance (DSA) if you live in England and have a disability that affects your ability to study, such as a:\n\n- specific learning difficulty, for example dyslexia or ADHD\n\n- mental health condition, for example anxiety or depression\n\n- physical disability, for example if you have to use crutches, a wheelchair or a special keyboard\n\n- sensory disability, for example if you\u2019re visually impaired, deaf or have a hearing impairment\n\n- long-term health condition, for example cancer, chronic heart disease or HIV\n\nYou must also:\n\n- be an undergraduate or postgraduate student (including Open University or distance learning)\n\n- qualify for student finance from Student Finance England\n\n- be studying on a course that lasts at least a year\n\n## Who is not eligible\n\nYou cannot get DSA from Student Finance England if you\u2019re:\n\n- an EU student who is eligible for fee support only\n\n- eligible for NHS Disabled Students\u2019 Allowances (this is a separate scheme)\n\n- getting equivalent support from another funding source, like from your university or a social work bursary\n\n## Proving you\u2019re eligible\n\nYou will not automatically get DSA - you need proof of your eligibility.\n\n| Condition | Proof |\n\n| Disabilities or long-term health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB) |\n\n| Mental health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB) |\n\n| Specific learning difficulty such as dyslexia | A copy of a \u2018diagnostic assessment\u2019 from a practitioner psychologist or suitably qualified specialist teacher |\n\nYou could get extra help to pay for a new diagnostic assessment.\n\n## Where to send letters or reports from a doctor\n\nYou can send proof of a health condition or learning disability to Student Finance England through your online account - if you have one. You can also send your proof by email or post.\n\n## Your course\n\nYour course must be in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- a Postgraduate Certificate of Education (PGCE)\n\n- a postgraduate course\n\n- Initial Teacher Training\n\nCheck with your university or college that your course is recognised.\n\n## Part-time course intensity\n\n## 2020 to 2021 academic year\n\nFor part-time students, your course intensity can affect how much DSA you get.\n\n\u2018Course intensity\u2019 means how long your course takes to complete each year compared to an equivalent full-time course. You can check course intensity with your university or college.\n\nThe rules are different depending on your course.\n\n## Part-time undergraduate courses\n\nYour course cannot be more than 4 times longer than the equivalent full-time course. Your course must last at least a year.\n\n## Part-time postgraduate master\u2019s courses\n\nIf you\u2019re applying for a Postgraduate Loan for a part-time master\u2019s degree, the course must not last more than twice as long as the full-time equivalent.\n\n## How to apply\n\nHow you apply for Disabled Students\u2019 Allowance (DSA) depends on whether you\u2019re studying full-time or part-time.\n\n## Full-time students\n\n## If you\u2019ve already applied for student finance\n\nSign in to your student finance account to start your DSA application.\n\nThe application for DSA should be on your \u2018to-do list\u2019 if you chose DSA in your application for other support. If it is not, select \u2018change your circumstances\u2019 to apply.\n\nIf you do not have an online account because you applied for student finance by post, fill in a student finance form (form DSA1).\n\n## If you have not applied for student finance\n\nYou can apply for DSA when you apply for student finance online.\n\nIf you do not need student finance, you can fill in a student finance form (form DSA1) to apply just for DSA.\n\nYou cannot apply for student finance online once you\u2019ve applied for DSA.\n\n## Part-time students\n\nFill in a student finance form (form DSA1) to apply for DSA.\n\n## If you\u2019re already getting DSA\n\nFill in a student finance form (form DSA1) to claim back your expenses.\n\n## How long it takes\n\nYou\u2019ll get confirmation of whether your application is successful within 6 weeks.\n\nIt can take up to 14 weeks to get your DSA support in place as this is done separately.\n\n## Further information\n\nContact the disability adviser at your university or college if you need advice about financial help.\n\n## If your circumstances change\n\nContact Student Finance England if your circumstances change as this may affect what you\u2019re entitled to. For example, if your condition gets worse you may be able to get extra help.\n\n## Appeals\n\nYou can ask for an explanation or to have your case reviewed if your application is turned down. Contact Student Finance England for more details.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/disabled-students-allowance-dsa", + "answerable": true, + "scenario": "My sister has joined university but has been diagnised with bipolar and she needs support for her individual needs as she continues with her studies . She is on prescription medicine and needs some extra income to take care of her health.", + "original_question": "Is she eligible for disability support as she continues with her studies?" + }, + { + "id": "train-230", + "question": "Scenario: My baby son was born three weeks ago and money is tight. I have one other child who is ten years of age.\n\nQuestion: Will my first born child affect whether I am eligible for a Sure Start Maternity grant?\n\nDocument - Sure Start Maternity Grant:\n## Overview\n\nYou could get a one-off payment of \u00a3500 to help towards the costs of having a child. This is known as a Sure Start Maternity Grant.\n\nIf you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.\n\nYou usually qualify for the grant if both of the following apply:\n\n- you\u2019re expecting your first child, or you\u2019re expecting a multiple birth (such as twins) and have children already\n\n- you or your partner already get certain benefits\n\nYou must claim the grant within 11 weeks of the baby\u2019s due date or within 6 months after the baby\u2019s birth.\n\nYou do not have to pay the grant back and it will not affect your other benefits or tax credits.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## What you'll get\n\nA Sure Start Maternity Grant is \u00a3500 and you do not have to pay it back.\n\nYou may not get a grant if you already have children.\n\n## If you already have children under 16\n\nYou can only get a grant if at least one of the following applies:\n\n- you\u2019re expecting a multiple birth (such as twins)\n\n- the child you\u2019re caring for is someone else\u2019s\n\n- you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK\n\n| Children under 16 | Grant if you have twins | Grant if you have triplets |\n\n| You have 1 or more (and none of them are from multiple births) | \u00a3500 | \u00a31,000 |\n\n| You\u2019ve already had twins | \u00a30 | \u00a3500 |\n\n| You\u2019ve already had triplets | \u00a30 | \u00a30 |\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Eligibility\n\nUsually, to qualify for a Sure Start Maternity Grant there must be no other children in your family. You or your partner must also get one of these benefits:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Child Tax Credit\n\n- Working Tax Credit that includes a disability or severe disability element\n\n- Universal Credit\n\nYou may also qualify if you\u2019re getting a Support for Mortgage Interest loan.\n\nIf you live in Scotland you cannot get a Sure Start Maternity Grant. You can apply for a Pregnancy and Baby Payment instead.\n\n## If you already have children under 16\n\nYou may still be able to get a grant if any of the following apply:\n\n- you\u2019re expecting a multiple birth (such as twins)\n\n- the child you\u2019re caring for is someone else\u2019s (but not your partner\u2019s) and the child was over 12 months old when the arrangement started\n\n- you\u2019ve been granted refugee status or humanitarian protection and you have a child or children from before you arrived in the UK\n\nYou must claim by the deadline.\n\n## If you\u2019re not giving birth\n\nYou may also be able to get a grant if you\u2019re adopting or becoming a surrogate parent.\n\nThe baby must be less than 1 year old on the date you claim. You must be receiving one of the benefits above and one of the following must also apply:\n\n- you\u2019ve become responsible for the baby and you\u2019re not the mother\n\n- the baby has been placed with you for adoption\n\n- you\u2019ve got permission to adopt a baby from abroad\n\n- you\u2019ve got a parental order for a surrogate birth\n\n- you\u2019ve been appointed as guardian\n\n- you\u2019ve an adoption or a residence order\n\n## How to claim\n\nYou can claim from 11 weeks before the week your baby is due. The latest you can claim is 6 months after your baby is born.\n\nIf you\u2019re becoming responsible for a child, you must claim within 6 months of this happening.\n\n## Claim by post\n\n- Print out and fill in the Sure Start Maternity Grant (SF100) claim form.\n\n- Get a health professional such as a doctor or midwife to fill in the statement on page 10 of the form. You can send your form without this statement if necessary to meet the deadline. If you do this, you\u2019ll be contacted about arranging the statement at a later date.\n\n- Post the form to \u2018Freepost DWP SSMG\u2019 - you do not need a postcode or a stamp.\n\nThere\u2019s a different form and postal address if you live in Northern Ireland.\n\nYou\u2019ll get a letter telling you if your claim was successful.\n\nIf you get Universal Credit, you will not get a decision on your claim until after your next payment.\n\n## Get help with your claim\n\nCall the Sure Start Maternity Grant helpline.\n\nYou can also contact Jobcentre Plus.\n\n## Alternative formats\n\nCall the Sure Start Maternity Grant helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/sure-start-maternity-grant", + "answerable": true, + "scenario": "My baby son was born three weeks ago and money is tight. I have one other child who is ten years of age.", + "original_question": "Will my first born child affect whether I am eligible for a Sure Start Maternity grant?" + }, + { + "id": "train-231", + "question": "Scenario: In the last month I have been signed off worked by my GP. He said that I should not be working with my current on-going long term mental health condition. This will severely impact my income.\n\nQuestion: I could be off work for years as it is a quite serious mental health condition I have. Can I claim PIP to help cover my bills?\n\nDocument - Personal Independence Payment (PIP):\n## Overview\n\nPersonal Independence Payment (PIP) can help you with some of the extra costs if you have a long term physical or mental health condition or disability.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThe amount you get depends on how your condition affects you, not the condition itself. You\u2019ll be assessed by a health professional to work out the level of help you can get.\n\nYour carer could get Carer\u2019s Allowance if you have substantial caring needs.\n\n## If you get Disability Living Allowance (DLA)\n\nDisability Living Allowance (DLA) is being replaced by PIP for most adults. You\u2019ll keep getting DLA if:\n\n- you\u2019re under 16\n\n- you were born on or before 8 April 1948\n\nIf you were born after 8 April 1948, the Department for Work and Pensions (DWP) will invite you to apply for PIP. You do not need to do anything until DWP writes to you about your DLA unless your circumstances change.\n\n## Help with PIP\n\nYou can contact a local support organisation or Citizens Advice to get help understanding PIP.\n\n## Eligibility\n\nYou can get Personal Independence Payment (PIP) whether you\u2019re working or not.\n\nYou must be aged 16 or over and usually have not reached State Pension age to claim.\n\nYou must also have a physical or mental health condition or disability where you:\n\n- have had difficulties with daily living or getting around (or both) for 3 months\n\n- expect these difficulties to continue for at least 9 months\n\nYou usually need to have lived in England, Scotland or Wales for at least 2 of the last 3 years, and be in one of these countries when you apply. If you\u2019ve recently returned from living in an EEA country, you might be able to get PIP sooner.\n\nFind out about PIP if you live in Northern Ireland.\n\nThere are different rules if you\u2019re terminally ill and a healthcare professional has said you might have less than 6 months to live.\n\nYou cannot get PIP and Armed Forces Independence Payment at the same time.\n\n## Daily living difficulties\n\nYou may get the daily living part of PIP if you need help more than half of the time with things like:\n\n- preparing or eating food\n\n- washing, bathing and using the toilet\n\n- dressing and undressing\n\n- reading and communicating\n\n- managing your medicines or treatments\n\n- making decisions about money\n\n- engaging with other people\n\n## Mobility difficulties\n\nYou may get the mobility part of PIP if you need help going out or moving around.\n\n## How you\u2019re assessed\n\nYou\u2019ll be assessed by an independent healthcare professional to work out the level of help you need.\n\n## If you\u2019ve reached State Pension age\n\nYou can get PIP if you:\n\n- were already getting PIP before you reached State Pension age and your condition has not changed\n\n- have been claiming Disability Living Allowance (DLA) and you\u2019ve had a letter inviting you to apply for PIP\n\nYou may get PIP if you previously got it and you were still entitled to it within the last year.\n\nIf you cannot get PIP, you can apply for Attendance Allowance instead.\n\n## Living abroad\n\nYou might still be able to get PIP if you:\n\n- live in an EU or EEA country or Switzerland - you can only get help with daily living needs\n\n- are a member or family member of the Armed Forces\n\n## If you\u2019re not a British citizen\n\nYou must:\n\n- normally live in or show that you intend to settle in the UK, Ireland, the Isle of Man or the Channel Islands\n\n- not be subject to immigration control (unless you\u2019re a sponsored immigrant)\n\nYou might still be able to get PIP if you are a refugee or have humanitarian protection status.\n\n## What you\u2019ll get\n\nPersonal Independence Payment (PIP) is made up of 2 parts - a daily living part and a mobility part. Whether you get one or both of these and how much you\u2019ll get depends on how severely your condition affects you.\n\nYou\u2019ll need an assessment to work out how much you\u2019ll get. Your rate will be regularly reviewed to make sure you\u2019re getting the right support.\n\nPIP is tax free. The amount you get is not affected by your income or savings.\n\nYou need to tell DWP straight away if there\u2019s a change in your personal circumstances or how your condition affects you.\n\n## Daily living part\n\nThe weekly rate for the daily living part of PIP is either \u00a360.00 or \u00a389.60.\n\n## Mobility part\n\nThe weekly rate for the mobility part of PIP is either \u00a323.70 or \u00a362.55.\n\n## Terminal illness\n\nYou\u2019ll get the higher daily living part if you\u2019re not expected to live more than 6 months. The rate of the mobility part depends on your needs.\n\n## How other benefits affect your PIP\n\nThe daily living part of your PIP will be reduced if you get any of the following benefits:\n\n- Constant Attendance Allowance\n\n- War Pensioners\u2019 Mobility Supplement\n\n## How you\u2019re paid\n\nPIP is usually paid every 4 weeks.\n\nYour decision letter will tell you:\n\n- the date of your first payment\n\n- what day of the week you\u2019ll usually be paid\n\nIf your payment date is on a bank holiday, you\u2019ll usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Other help\n\nYou or your carer might also qualify for other financial help, for example Carer\u2019s Allowance, or help with housing or transport costs.\n\nIf you get PIP and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.\n\n## How to claim\n\nCall the Department for Work and Pensions (DWP) to make a new Personal Independence Payment (PIP) claim.\n\nThere is a different way to claim if you\u2019re terminally ill.\n\nFind out how to claim if you live in Northern Ireland.\n\n## Claim by telephone or textphone\n\nBefore you call, you\u2019ll need:\n\n- your contact details, for example telephone number\n\n- your date of birth\n\n- your National Insurance number - this is on letters about tax, pensions and benefits\n\n- your bank or building society account number and sort code\n\n- your doctor or health worker\u2019s name, address and telephone number\n\n- dates and addresses for any time you\u2019ve spent in a care home or hospital\n\n- dates for any time you spent abroad for more than 4 weeks at a time, and the countries you visited\n\nIf you need someone to help you, ask DWP to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\n## Claim by post\n\nYou can get a form to send information by post (although this can delay the decision on your claim). Write a letter to ask for the form.\n\n## What happens next\n\n- You\u2019ll be sent a \u2018How your disability affects you\u2019 form. Call the PIP enquiry line if you need it in an alternative format such as braille, large print or audio CD.\n\n- Fill in the form using the notes that come with it to help you. You can also read Citizens Advice\u2019s help on filling in the form.\n\n- Return the form to DWP - the address is on the form. You have 1 month to return the form. DWP will start processing your claim when they receive your form. Contact the PIP enquiry line if you need more time.\n\n- If more information is needed, an independent health professional will send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call. You\u2019ll be asked questions about your ability to carry out activities and how your condition affects your daily life. You can read Citizens Advice\u2019s help on preparing for an assessment.\n\n- You\u2019ll get a letter that tells you whether you\u2019ll get PIP. If you do, you\u2019ll be told how much you\u2019ll get, when you\u2019ll be paid and the date your PIP will be reviewed so that you continue to get the right support.\n\nBecause of coronavirus (COVID-19), you\u2019ll only be invited to attend an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.\n\nYou cannot apply using any Disability Living Allowance (DLA) forms you may have.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## If your PIP claim is reviewed\n\nThe letter you got when your Personal Independence Payment (PIP) was approved will tell you when your claim will end and if it will be reviewed.\n\nIf your claim is going to be reviewed, the letter will tell you when you\u2019ll be contacted about the review.\n\n## How PIP reviews work\n\nYou will continue to get PIP while your claim is being reviewed.\n\n- You\u2019ll get a letter asking you to fill in a form called \u2018Award review - how your disability affects you\u2019.\n\n- Fill in the form using the notes that come with it.\n\n- Send the form and any supporting information you have not shared with the Department for Work and Pensions (DWP) before - the form explains what to include and where to send it. You\u2019ll need to return it within 1 month. Contact the PIP enquiry line if you need more time.\n\n- DWP will review your form. If they need more information, an independent health professional might phone you to ask some questions or send a letter inviting you to an assessment. Assessments can be in person, over the phone or by video call.\n\n- You\u2019ll get a letter that tells you what will happen with your PIP. If your needs have changed, your PIP might be increased, reduced or stopped.\n\nBecause of coronavirus (COVID-19), you\u2019ll only be invited to an assessment in person if more information is needed and you cannot do an assessment by phone or video call. Your invitation letter will explain how to attend your appointment safely.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## Change of circumstances\n\nYou must contact the Personal Independence Payment (PIP) enquiry line if:\n\n- your personal details change, for example your name, address or doctor\n\n- the help you need or your condition changes\n\n- your condition has worsened and you\u2019re not expected to live more than 6 months\n\n- you go into hospital or a care home\n\n- you go abroad\n\n- you\u2019re imprisoned or held in detention\n\n- your immigration status changes, if you\u2019re not a British citizen\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## How to report a change of circumstances\n\nContact the PIP enquiry line to report a change of circumstances.\n\nIf you need someone to help you, ask the Department for Work and Pensions (DWP) to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## Claiming PIP if you're terminally ill\n\nYou can get Personal Independence Payment (PIP) more quickly if you\u2019re terminally ill.\n\nYou can claim PIP if:\n\n- your doctor or a healthcare professional has said you might have less than 6 months to live\n\n- you are aged 16 or over and usually have not reached State Pension age\n\n## How to claim\n\nYou can claim for yourself or someone else can do it for you.\n\nCall DWP to start your PIP claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to DWP.\n\nYou will not need to go to a face-to-face consultation.\n\nIf you need someone to help you, ask DWP to add them to your call when you:\n\n- phone\n\n- use Relay UK\n\n- use the video relay service\n\nYou cannot do this if you use textphone.\n\nIf you cannot use any of these, someone else can call on your behalf, but you\u2019ll need to be with them when they call.\n\nYou may be able to get other benefits if you\u2019re terminally ill.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pip", + "answerable": true, + "scenario": "In the last month I have been signed off worked by my GP. He said that I should not be working with my current on-going long term mental health condition. This will severely impact my income.", + "original_question": "I could be off work for years as it is a quite serious mental health condition I have. Can I claim PIP to help cover my bills?" + }, + { + "id": "train-232", + "question": "Scenario: I am a 26 year old from Wales and my sister has asked me to be her surrogate but she has a history of drug abuse and mental incapacity.\n\nQuestion: Will I be deemed as the child's legal parent if I go through with surrogacy?\n\nDocument - Surrogacy: legal rights of parents and surrogates:\n## Overview\n\nSurrogacy is legal in the UK, but if you make a surrogacy agreement it cannot be enforced by the law.\n\n## The legal parents at birth\n\nIf you use a surrogate, they will be the child\u2019s legal parent at birth.\n\nIf the surrogate is married or in a civil partnership, their spouse or civil partner will be the child\u2019s second parent at birth, unless they did not give their permission.\n\nLegal parenthood can be transferred by parental order or adoption after the child is born.\n\nIf there is disagreement about who the child\u2019s legal parents should be, the courts will make a decision based on the best interests of the child.\n\n## Surrogacy agreements\n\nThe intended parents and surrogate can record how they want the arrangement to work in a surrogacy agreement.\n\nSurrogacy agreements are not enforceable by UK law, even if you have a signed document with your surrogate and have paid their expenses.\n\nYou cannot pay a surrogate in the UK, except for their reasonable expenses.\n\n## Donor\u2019s rights\n\nIf you use donated sperm or eggs with your surrogate, read about the rights of your donor.\n\nRead more about surrogacy and the legal process.\n\n## Become the child\u2019s legal parent\n\nYou must apply for a parental order or adoption if you want to become the legal parent of the child.\n\n## Parental orders\n\nYou can apply for a parental order with a partner or on your own.\n\n## Apply with a partner\n\nOne of you must be genetically related to the child - in other words, be the egg or sperm donor.\n\nYou must be one of the following:\n\n- married\n\n- civil partners\n\n- living as partners\n\nYou must also:\n\n- have the child living with you\n\n- reside permanently in either the UK, Channel Islands or Isle of Man\n\nYou must apply within 6 months of the child\u2019s birth.\n\n## Apply as an individual\n\nYou must be genetically related to the child - in other words, be the egg or sperm donor.\n\nYou must also:\n\n- have the child living with you\n\n- reside permanently in either the UK, Channel Islands or Isle of Man\n\nYou can apply for a child of any age if you apply before 4 July 2019. From 4 July 2019 you must apply within 6 months of the child\u2019s birth.\n\n## How to apply in England or Wales\n\nYou must fill in a \u2018C51 application form for a parental order\u2019 and take or send it to a family court.\n\nYou do not have to use your local family court, but you\u2019ll need to explain why if you do not.\n\nYou\u2019ll need to provide the child\u2019s full birth certificate and will also be charged a court fee of \u00a3215.\n\nThe court will then set a date for the hearing and issue you with a \u2018C52 acknowledgement form\u2019 that you must give to the child\u2019s legal parent, in other words, your surrogate.\n\nThe surrogate and anyone else who\u2019s a parent of the child must agree to the parental order by filling in form A101A.\n\n## How to apply in Scotland or Northern Ireland\n\nThe process is different if you live in Scotland or Northern Ireland.\n\nIn Scotland, contact the Court of Session or Sheriff Court.\n\nIn Northern Ireland, contact the Courts and Tribunals Service.\n\n## Adoption\n\nIf neither you or your partner are related to the child, adoption is the only way you can become the child\u2019s legal parent.\n\n## Children born outside the UK\n\nIf your surrogate gives birth abroad, you can only apply for a parental order if you and your partner are living in the UK.\n\nIf the child is not a UK or EU national, they will need a visa to enter the UK during this process.\n\nUsing a surrogate abroad can be complicated because different countries have different rules. You may want to get legal advice or contact The Human Fertilisation and Embryology Authority for more information.\n\nYou can also read about returning to the UK with your child.\n\n## Pay and leave\n\nYou and your partner may be eligible for adoption pay and leave and paternity pay and leave if you use a surrogate.\n\nIf you\u2019re not eligible for paid leave, you may be able to take parental leave or annual leave.\n\n## Surrogates\n\nEvery pregnant employee has the right to 52 weeks\u2019 maternity leave and to return to their job after this.\n\nWhat a surrogate does after the child is born does not affect their right to maternity leave.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/legal-rights-when-using-surrogates-and-donors", + "answerable": true, + "scenario": "I am a 26 year old from Wales and my sister has asked me to be her surrogate but she has a history of drug abuse and mental incapacity.", + "original_question": "Will I be deemed as the child's legal parent if I go through with surrogacy?" + }, + { + "id": "train-234", + "question": "Scenario: I became unemployed six months ago and am currently receiving Universal Credit. I own my current home but have a repayment mortgage with an outstanding balance of around \u00a332,000, with monthly repayments in the region of \u00a3230 (variable).\n\nQuestion: Will SMI cover the full cost of my monthly repayments?\n\nDocument - Support for Mortgage Interest (SMI):\n## Overview\n\nIf you\u2019re a homeowner, you might be able to get help towards interest payments on:\n\n- your mortgage\n\n- loans you\u2019ve taken out for certain repairs and improvements to your home\n\nThis help is called Support for Mortgage Interest (SMI).\n\nThis guide is also available in Welsh (Cymraeg).\n\nIt\u2019s paid as a loan, which you\u2019ll need to repay with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).\n\nYou usually need to be getting, or treated as getting, a qualifying benefit to get SMI.\n\nThere\u2019s no guarantee that you\u2019ll get SMI for a mortgage or loan you take out.\n\n## What you cannot use SMI for\n\nSMI cannot help you pay:\n\n- the amount you borrowed - only the interest on your mortgage\n\n- anything towards insurance policies you have\n\n- missed mortgage payments (arrears)\n\n## What you'll get\n\nIf you qualify for Support for Mortgage Interest (SMI), you\u2019ll usually get help paying the interest on up to \u00a3200,000 of your loan or mortgage.\n\nHowever, you can only get up to \u00a3100,000 if either:\n\n- you\u2019re getting Pension Credit\n\n- you started claiming another qualifying benefit before January 2009 and you were below State Pension age at that time\n\nIf you\u2019re already getting SMI and move to Pension Credit within 12 weeks of stopping your other benefits, you\u2019ll still get help with interest on up to \u00a3200,000.\n\nThe interest rate used to calculate the amount of SMI you\u2019ll get is currently 2.09%.\n\n## What you\u2019ll pay back\n\nSMI is paid as a loan. You\u2019ll need to repay the money you get with interest when you sell or transfer ownership of your home (unless you\u2019re moving the loan to another property).\n\nThe interest added to the loan can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%.\n\nIf you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.\n\n## How SMI is paid\n\nSMI is normally paid direct to your lender.\n\nPayments can start either:\n\n- from the date you start getting Pension Credit\n\n- after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income\n\n- after you\u2019ve claimed any other qualifying benefit for 39 weeks in a row\n\n## Eligibility\n\nTo be eligible for a Support for Mortgage Interest (SMI) loan, you usually need to be getting one of the following qualifying benefits:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance (JSA)\n\n- income-related Employment and Support Allowance (ESA)\n\n- Universal Credit\n\n- Pension Credit\n\nContact the relevant office to check if you\u2019re eligible for SMI.\n\nYou can start getting the loan:\n\n- from the date you start getting Pension Credit\n\n- after you\u2019ve claimed Income Support, income-based JSA or income-based ESA for 39 weeks in a row\n\n- after you\u2019ve received Universal Credit for 9 months in a row, as long as you\u2019re not getting certain income\n\n## If you receive Universal Credit\n\nYou cannot get SMI if you get any of the following income:\n\n- earnings from your job if you\u2019re employed or self-employed\n\n- a tax refund\n\n- Statutory Sick Pay\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Shared Parental Pay\n\nTo start getting SMI (or get it again if your SMI stopped), you\u2019ll need to stop getting this income and then get Universal Credit for 9 months in a row.\n\n## If your income is too high to get a qualifying benefit\n\nYou might still be able to get SMI if you apply for one of the qualifying benefits but cannot get it because your income is too high. You\u2019ll then be treated as getting the benefit you applied for.\n\nYou will not be treated as getting Universal Credit if you cannot get it because your income is too high.\n\n## How to apply\n\nWhen you apply for a qualifying benefit, you\u2019ll be asked extra questions about your housing costs to find out if you\u2019re eligible for Support for Mortgage Interest (SMI). You might also be sent a form asking for more detailed information.\n\nIf you qualify for SMI, you\u2019ll be offered a loan.\n\nIf you turn down the offer at first, you can still accept it at any time as long as you\u2019re eligible for SMI. The payments to your lender will be backdated to when you were first entitled to the loan. Contact the office that pays your benefit.\n\n## If you already get a qualifying benefit\n\nContact the office that pays your benefit to find out if you could get an SMI loan.\n\nThe payments to your lender will be backdated to when you were first entitled to the loan.\n\nIf you get or have applied for Income Support, income-based JSA or income-related ESA, contact Jobcentre Plus.\n\nIf you get or have applied for Pension Credit, contact the Pension Service.\n\nIf you get or have applied for Universal Credit, contact the Universal Credit helpline.\n\n## Repaying your loan\n\nYou\u2019ll need to repay your SMI loan with interest if you sell or transfer ownership of your home.\n\nThe interest you pay can go up or down, but the rate will not change more than twice a year. The current rate is 0.3%. You\u2019ll be told if this is going to change.\n\n## Selling your home\n\nYou will not be asked to sell your home in order to repay your SMI loan.\n\nIf you sell your home, you\u2019ll repay the SMI loan from what\u2019s left after you pay:\n\n- your mortgage\n\n- any home improvement loans\n\n- any other loans secured against your home\n\nIf you do not have enough left to pay off all of the SMI loan, you will have to pay back what you can. The rest of the loan will be written off.\n\n## If you\u2019re buying a new home\n\nYou may be able to transfer the loan to your new home. Contact DWP Loan Management as soon as you know you intend to move, and before you complete your sale.\n\nYou\u2019ll need to give DWP Loan Management your solicitor\u2019s contact details. They will work with your solicitor to arrange for the loan to be moved to your new home.\n\nThe office paying your qualifying benefit will also check you\u2019re still eligible.\n\n## Voluntary repayments\n\nIf you want to pay the loan back more quickly, you can also make voluntary repayments. The minimum voluntary repayment is \u00a3100 or the outstanding balance if it\u2019s less than \u00a3100.\n\n## How to repay\n\nContact DWP Loan Repayment to ask for a \u2018settlement letter\u2019 - this will tell you how much you need to pay.\n\nYou can pay by telephone or online banking using the bank account details in your settlement letter.\n\n## Get other financial help with your housing costs\n\nYou can still get financial help with your housing costs if your Income Support, income-based Jobseeker\u2019s Allowance or income-related Employment and Support Allowance is going to stop because you are about to:\n\n- return to work full-time\n\n- work more hours\n\n- earn more money\n\n## Help and support\n\nYou can get free information about housing support from:\n\n- Citizens Advice\n\n- Money Advice Service\n\n- Shelter", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/support-for-mortgage-interest", + "answerable": true, + "scenario": "I became unemployed six months ago and am currently receiving Universal Credit. I own my current home but have a repayment mortgage with an outstanding balance of around \u00a332,000, with monthly repayments in the region of \u00a3230 (variable).", + "original_question": "Will SMI cover the full cost of my monthly repayments?" + }, + { + "id": "train-235", + "question": "Scenario: I am a UK Bachelor of Engineering student and doing engineering in computer science but unfortunately due to my disability I have to use a special keyboard for my course work\n\nQuestion: Will I be eligible to apply for Disabled Students\u2019 Allowance ?\n\nDocument - Help if you're a student with a learning difficulty, health problem or disability:\n## Disabled Students' Allowance\n\nDisabled Students\u2019 Allowance (DSA) is support to cover the study-related costs you have because of a mental health problem, long term illness or any other disability.\n\nThis can be on its own or in addition to any student finance you get.\n\nThe type of support and how much you get depends on your individual needs - not your household income.\n\nYou do not need to pay back DSA.\n\n## What you\u2019ll get\n\n## 2021 to 2022 academic year\n\nUndergraduate and postgraduate students can get up to \u00a325,000 a year for support.\n\n## 2020 to 2021 academic year\n\n| | Specialist equipment allowance | Non-medical helper allowance | General allowance |\n\n| Full-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a323,258 a year | Up to \u00a31,954 a year |\n\n| Part-time undergraduate students | Up to \u00a35,849 for the whole course | Up to \u00a317,443 a year | Up to \u00a31,465 a year |\n\nPostgraduates can get support of up to \u00a320,580 a year.\n\nThese figures are the maximum amounts - most students get less.\n\n## What DSA can pay for\n\nYou can get help with the costs of:\n\n- specialist equipment, for example a computer if you need one because of your disability\n\n- non-medical helpers, for example a British Sign Language (BSL) interpreter or specialist note taker\n\n- extra travel to attend your course or placement because of your disability\n\n- other disability-related study support, for example having to print additional copies of documents for proof-reading\n\nDSA does not cover disability-related costs you\u2019d have if you were not attending a course, or costs that any student might have.\n\n## Buying a new computer\n\nYou may get a new computer if you\u2019re assessed as needing one because:\n\n- you do not already have one\n\n- your current one does not meet your study needs\n\nWhen buying a new computer, you\u2019ll need to pay the first \u00a3200.\n\nThe DSA team will send you more information about this after your needs assessment.\n\n## Your \u2018needs assessment\u2019\n\nOnce your eligibility for DSA is confirmed, Student Finance England may ask you to contact an assessment centre to work out what help you need.\n\nThis is known as a needs assessment. Do not book this until Student Finance England asks you to.\n\nThe assessment is paid for through any DSA entitlement you may have.\n\nAfter the assessment, you\u2019ll get a report listing equipment and other support you can get for your course.\n\nDo not buy any equipment until you\u2019ve been assessed - you will not be reimbursed for it.\n\n## How DSA is paid\n\nMoney is paid either into your bank account or directly to the organisation providing the service or equipment.\n\nYou\u2019ll find out how your support will be paid to you after your needs assessment.\n\n## Eligibility\n\nYou can apply for Disabled Students\u2019 Allowance (DSA) if you live in England and have a disability that affects your ability to study, such as a:\n\n- specific learning difficulty, for example dyslexia or ADHD\n\n- mental health condition, for example anxiety or depression\n\n- physical disability, for example if you have to use crutches, a wheelchair or a special keyboard\n\n- sensory disability, for example if you\u2019re visually impaired, deaf or have a hearing impairment\n\n- long-term health condition, for example cancer, chronic heart disease or HIV\n\nYou must also:\n\n- be an undergraduate or postgraduate student (including Open University or distance learning)\n\n- qualify for student finance from Student Finance England\n\n- be studying on a course that lasts at least a year\n\n## Who is not eligible\n\nYou cannot get DSA from Student Finance England if you\u2019re:\n\n- an EU student who is eligible for fee support only\n\n- eligible for NHS Disabled Students\u2019 Allowances (this is a separate scheme)\n\n- getting equivalent support from another funding source, like from your university or a social work bursary\n\n## Proving you\u2019re eligible\n\nYou will not automatically get DSA - you need proof of your eligibility.\n\n| Condition | Proof |\n\n| Disabilities or long-term health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB) |\n\n| Mental health condition | A copy of a report or letter from your doctor or consultant - you can also fill in the disability evidence form (PDF, 65KB) |\n\n| Specific learning difficulty such as dyslexia | A copy of a \u2018diagnostic assessment\u2019 from a practitioner psychologist or suitably qualified specialist teacher |\n\nYou could get extra help to pay for a new diagnostic assessment.\n\n## Where to send letters or reports from a doctor\n\nYou can send proof of a health condition or learning disability to Student Finance England through your online account - if you have one. You can also send your proof by email or post.\n\n## Your course\n\nYour course must be in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- a Postgraduate Certificate of Education (PGCE)\n\n- a postgraduate course\n\n- Initial Teacher Training\n\nCheck with your university or college that your course is recognised.\n\n## Part-time course intensity\n\n## 2020 to 2021 academic year\n\nFor part-time students, your course intensity can affect how much DSA you get.\n\n\u2018Course intensity\u2019 means how long your course takes to complete each year compared to an equivalent full-time course. You can check course intensity with your university or college.\n\nThe rules are different depending on your course.\n\n## Part-time undergraduate courses\n\nYour course cannot be more than 4 times longer than the equivalent full-time course. Your course must last at least a year.\n\n## Part-time postgraduate master\u2019s courses\n\nIf you\u2019re applying for a Postgraduate Loan for a part-time master\u2019s degree, the course must not last more than twice as long as the full-time equivalent.\n\n## How to apply\n\nHow you apply for Disabled Students\u2019 Allowance (DSA) depends on whether you\u2019re studying full-time or part-time.\n\n## Full-time students\n\n## If you\u2019ve already applied for student finance\n\nSign in to your student finance account to start your DSA application.\n\nThe application for DSA should be on your \u2018to-do list\u2019 if you chose DSA in your application for other support. If it is not, select \u2018change your circumstances\u2019 to apply.\n\nIf you do not have an online account because you applied for student finance by post, fill in a student finance form (form DSA1).\n\n## If you have not applied for student finance\n\nYou can apply for DSA when you apply for student finance online.\n\nIf you do not need student finance, you can fill in a student finance form (form DSA1) to apply just for DSA.\n\nYou cannot apply for student finance online once you\u2019ve applied for DSA.\n\n## Part-time students\n\nFill in a student finance form (form DSA1) to apply for DSA.\n\n## If you\u2019re already getting DSA\n\nFill in a student finance form (form DSA1) to claim back your expenses.\n\n## How long it takes\n\nYou\u2019ll get confirmation of whether your application is successful within 6 weeks.\n\nIt can take up to 14 weeks to get your DSA support in place as this is done separately.\n\n## Further information\n\nContact the disability adviser at your university or college if you need advice about financial help.\n\n## If your circumstances change\n\nContact Student Finance England if your circumstances change as this may affect what you\u2019re entitled to. For example, if your condition gets worse you may be able to get extra help.\n\n## Appeals\n\nYou can ask for an explanation or to have your case reviewed if your application is turned down. Contact Student Finance England for more details.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/disabled-students-allowance-dsa", + "answerable": true, + "scenario": "I am a UK Bachelor of Engineering student and doing engineering in computer science but unfortunately due to my disability I have to use a special keyboard for my course work", + "original_question": "Will I be eligible to apply for Disabled Students\u2019 Allowance ?" + }, + { + "id": "train-237", + "question": "Scenario: I recently accepted a position as an agricultural worker at a farm in Wales. This is my first position in this field so I am still learning and am under supervision at work. I was told that I am a Grade 1 worker. There was a hailstorm yesterday which cut off work early. And the forecasts state the weather will remain quite bad for the next couple of weeks.\n\nQuestion: Am I entitled to monetary compensation despite the bad weather?\n\nDocument - Agricultural workers' rights:\n## Overview\n\nAgricultural workers in Wales, and those employed in England before 1 October 2013, are normally entitled to:\n\n- minimum rates of pay which may be higher than the National Minimum Wage\n\n- paid holiday\n\n- Agricultural Sick Pay\n\n- pay even if bad weather stops work\n\n- night work pay\n\n- on-call allowance\n\n- 30-minute rest breaks, if they are 18 or over and work more than 5.5 hours a day\n\nThere are different employment rights for agricultural workers employed in England from 1 October 2013.\n\nThere are also different rules for agricultural workers\u2019 rights in Scotland and Northern Ireland.\n\n## Terms and conditions\n\n## England\n\nAgricultural workers in England employed before 1 October 2013 still have the terms and conditions set out in the Agricultural Wages (England and Wales) Order 2012.\n\n## Wales\n\nBefore starting work, employers must give agricultural workers in Wales an Agricultural Wage Order. This sets out many of the terms and conditions of employment. But, employers must still give agricultural workers a written statement of employment particulars.\n\nThis sets out many of the terms and conditions of employment. However, agricultural workers must still be given a written statement of employment particulars by their employer.\n\n## Trainees\n\nTrainees have different rights, for example they do not get paid holidays.\n\n## Help and advice\n\nIf you were employed in England before 1 October 2013, you can contact the Acas helpline or use the Acas Helpline Online to get further advice.\n\nYou can also make a complaint to the Rural Payments agency.\n\nFor queries about wages and rights in Wales after 1 October 2013 contact the Agriculture: Sustainable Development Division.\n\n## What counts as an agricultural worker\n\nAn agricultural worker is someone who works in:\n\n- farming and rearing animals\n\n- growing produce including non-edible crops like bulbs, plants and flowers\n\n- forestry, market gardens and nurseries\n\n- maintaining meadow or pasture land, woodlands and reed beds\n\nThis list does not include everything. If you\u2019re not sure if a job counts as work in agriculture, call the Acas helpline.\n\n## Pay and overtime\n\nAgricultural workers in England must be paid at least the National Minimum Wage. Workers employed before the rules changed on 1 October 2013 still have the right to the Agricultural Minimum Wage if it says so in their contract.\n\nAgricultural workers in Wales must be paid at least the Agricultural Minimum Wage, or the National Minimum Wage if that\u2019s higher. The Agricultural Minimum Wage depends on the worker\u2019s job grade and category.\n\n## Agricultural Minimum Wage\n\n## Grades 1 to 6\n\nIf a worker\u2019s contract says they should work 39 hours a week (not including overtime) they must be paid the weekly rate, otherwise they must be paid the hourly rate.\n\n| | Weekly pay | Hourly pay | Hourly overtime |\n\n| Grade 1 (compulsory school age) | n/a | \u00a33.11 | \u00a34.67 |\n\n| Grade 1 (above compulsory school age) | \u00a3242.19 | \u00a36.21 | \u00a39.32 |\n\n| Grade 2 | \u00a3271.44 | \u00a36.96 | \u00a310.44 |\n\n| Grade 3 | \u00a3298.74 | \u00a37.66 | \u00a311.49 |\n\n| Grade 4 | \u00a3320.19 | \u00a38.21 | \u00a312.32 |\n\n| Grade 5 | \u00a3339.30 | \u00a38.70 | \u00a313.05 |\n\n| Grade 6 | \u00a3366.60 | \u00a39.40 | \u00a314.10 |\n\n## Full-time and part-time flexible workers\n\nFlexible workers must be paid at least the weekly rate if they are full-time, or at least the hourly rate if they are part-time.\n\n| | Hourly pay | Weekly pay | Hourly overtime |\n\n| Grade 1 - 6 days per week | \u00a36.64 | \u00a3258.96 | \u00a39.32 |\n\n| Grade 1 - 4-5 days per week | \u00a36.52 | \u00a3254.28 | \u00a39.32 |\n\n| Grade 2 - 6 days per week | \u00a37.45 | \u00a3290.55 | \u00a310.44 |\n\n| Grade 2 - 4-5 days per week | \u00a37.31 | \u00a3285.09 | \u00a310.44 |\n\n| Grade 3 - 6 days per week | \u00a38.20 | \u00a3319.80 | \u00a311.49 |\n\n| Grade 3 - 4-5 days per week | \u00a38.04 | \u00a3313.56 | \u00a311.49 |\n\n| Grade 4 - 6 days per week | \u00a38.78 | \u00a3342.42 | \u00a312.32 |\n\n| Grade 4 - 4-5 days per week | \u00a38.62 | \u00a3336.18 | \u00a312.32 |\n\n| Grade 5 - 6 days per week | \u00a39.31 | \u00a3363.09 | \u00a313.05 |\n\n| Grade 5 - 4-5 days per week | \u00a39.14 | \u00a3356.46 | \u00a313.05 |\n\n| Grade 6 - 6 days per week | \u00a310.06 | \u00a3392.34 | \u00a314.10 |\n\n| Grade 6 - 4-5 days per week | \u00a39.87 | \u00a3384.93 | \u00a314.10 |\n\n## Apprentices\n\nFor years 3 and above, apprentices must receive at least the rate for Grade 2 workers.\n\n| | Weekly pay | Hourly pay | Hourly overtime |\n\n| Year 1 - any age | \u00a3139.23 | \u00a33.57 | \u00a35.36 |\n\n| Year 2 - age 16 to 17 | \u00a3145.08 | \u00a33.72 | \u00a35.52 |\n\n| Year 2 - age 18 to 20 | \u00a3196.17 | \u00a35.03 | \u00a37.47 |\n\n| Year 2 - age 21 and over | \u00a3246.09 | \u00a36.31 | \u00a39.29 |\n\n## Trainees\n\nA trainee does not have to be paid for:\n\n- the hours they\u2019re being trained\n\n- holidays\n\nThey should be paid for any work done as part of a separate contract.\n\n## Training courses\n\nIf an employed worker is on a training course, they should be paid at least their normal wage - including for the time spent travelling to and from the training.\n\n## Overtime\n\nOvertime must be paid if a person works:\n\n- more than 39 basic hours in a week\n\n- more than 8 hours in a day\n\n- any hours over the normal working hours in the employment contract\n\n- on a public or bank holiday\n\n- on a Sunday - if the contract started before 1 October 2006\n\n## Piece work\n\nEven if they are paid for completing a task, for example for each box of fruit packed, a worker must be paid the Agricultural Minimum Wage according to the hours they work.\n\n## Night work\n\nA worker who works at any time between 7pm and 6am must be paid \u00a31.36 per hour more than their basic pay rate.\n\n## Dog allowance\n\nIf a worker keeps a dog for their job, they must get \u00a37.63 a week for each dog.\n\n## Tied accommodation\n\nIf a worker gets a house or \u2018self-contained accommodation\u2019 as part of their job they can be paid \u00a31.50 less than their normal weekly pay. They may automatically get an agricultural tenancy.\n\nIf the accommodation is not a house - for example, a caravan - they can be paid \u00a34.82 less each day they stay there.\n\nAccommodation must be safe, warm, secure - and have toilet and washing facilities and fresh drinking water.\n\n## On-call allowance\n\nThe on-call allowance for a worker is 2 hours\u2019 overtime pay for their grade, and is paid if they are not at work but have an arrangement with their employer:\n\n- to be contactable by an agreed method\n\n- to be able to reach their workplace within an agreed time\n\nIf they are called into work, they must be paid overtime for the hours they work, or for 2 hours - whichever is the higher.\n\n## Sick pay\n\nAgricultural workers are entitled to sick pay, meaning they\u2019ll get at least the Agricultural Minimum Wage when they\u2019re off.\n\n## Grades and categories\n\nThe minimum wage and other rights and entitlements for agricultural workers depends on their grade and category.\n\n## Grades\n\nAn agricultural worker\u2019s grade is based on their skills and responsibilities.\n\n## Grade 1 - initial grade\n\nA grade 1 worker is usually supervised and works on simple tasks like harvesting or packing.\n\nThey have the right to be trained to become a grade 2 worker once they\u2019ve worked for the same employer continuously for 30 weeks.\n\n## Grade 2 - standard worker\n\nSomeone is a grade 2 worker if they have one of the following:\n\n- a vocational qualification of at least NVQ at level 2\n\n- a certificate of competence for the agricultural sector they work in\n\nSomeone is also a grade 2 worker if they:\n\n- work mainly unsupervised\n\n- work with animals\n\n- use powered machinery\n\n- drive a tractor\n\n## Grade 3 - lead worker\n\nIf someone has worked in agriculture for at least 2 of the past 5 years, they\u2019re a grade 3 worker if they have either:\n\n- a National Certificate in agriculture or horticulture\n\n- 4 certificates of competence or non-accredited competencies, for the agricultural sector they work in\n\nSomeone is also a grade 3 worker if\n\n- they manage a team - but not discipline team members\n\n- their employer views them as a grade 3 team leader and they\u2019ve completed a one month (maximum) trial period\n\n## Grade 4 - craft grade\n\nSomeone is a grade 4 worker if they have:\n\n- an NVQ level 3 vocational qualification\n\n- 8 certificates of competence for the agricultural sector they work in\n\nThey should also have:\n\n- worked for the same employer continuously for 12 months since getting this qualification\n\n- worked in agriculture for at least 2 of the past 5 years\n\nThere are other qualifications for grade 4 - you can get more help and advice.\n\n## Grade 5 - supervisory grade\n\nA grade 5 worker is responsible for either:\n\n- supervising work on a farm on a daily basis\n\n- instructing, supervising and disciplining staff\n\n## Grade 6 - farm management grade\n\nA grade 6 worker has either:\n\n- management responsibility for a farm - or part of a farm if it\u2019s run as a separate business\n\n- responsibility for employing, disciplining and dismissing staff\n\n## Categories\n\nAn agricultural worker\u2019s category depends on their duties, responsibilities and/or qualifications.\n\n## Flexible workers\n\nFlexible workers must have a written \u2018flexible working agreement\u2019.\n\nA full-time flexible worker works:\n\n- a 39 basic hour week - the hours can vary over different days\n\n- set working hours and working days, which cannot be changed unless agreed with the employer\n\n- on a Sunday when needed\n\nA part-time flexible worker works:\n\n- less than 39 basic hours a week - the hours can vary over different days\n\n- set working hours and working days, which cannot be changed unless agreed with the employer\n\n## Trainee\n\nA trainee is someone who is:\n\n- on work experience as part of a Business, Innovation and Skills-approved training scheme\n\n- on work experience in agriculture as part of the Diploma in Environmental and Land-Based Studies for 14 to 19-year-olds\n\n- taking part in the second phase of the European Leonardo da Vinci Programme\n\n## Apprentice\n\nRights for apprentices are different.\n\n## Agricultural tenancies\n\nIf an agricultural worker gets a self-contained home as part of their job they may automatically have an \u2018assured agricultural occupancy\u2019. This will not happen if they had a written notice at the start of the tenancy saying that it was an assured shorthold tenancy instead.\n\n## How it starts\n\nAn assured agricultural occupancy starts when the worker has been employed in agriculture (by any employer) for 91 weeks of the last 104, including paid holiday and sick leave, and:\n\n- the tenant works 35 hours or more a week\n\n- the accommodation is owned by the farmer, or arranged by them\n\n## Who can get one\n\nThe tenant must be a serving farm worker or a:\n\n- farm manager or family worker\n\n- retired farm worker\n\n- farm worker forced to give up work\n\n- former farm worker who has taken other employment\n\n- deceased farm worker\u2019s widow, widower or family member of a worker and were living with the worker when they died\n\nThey have to have been working for the farmer who provides or arranges the accommodation.\n\nYou can get more detailed information on who can get an assured agricultural occupancy in \u2018agricultural lettings\u2019.\n\n## Rent increases\n\nThe rent can go up at any time if the worker agrees - if they do not, then it can only go up yearly, unless a different interval is stated in the tenancy agreement. The farmer must tell the worker in writing before putting the rent up.\n\n## The employment ends\n\nIf the worker loses their job or retires, they can stay in the accommodation. The farmer can ask them to start paying rent - or a higher rent than before. If the farmer and worker cannot agree on a rent, they can go to a rent assessment committee.\n\nIf the farmer wants the property back, they can apply to the courts, although they may have to provide the tenant with suitable alternative accommodation. If nothing suitable is available, the tenant may be entitled to re-housing by the council.\n\n## The farmer wants to end the tenancy\n\nThe farmer may want the property back for a new worker, or to end the tenancy because the worker is:\n\n- not paying the rent\n\n- breaking terms of the tenancy agreement\n\n- damaging the property or its contents\n\n- being a nuisance to neighbours\n\nIf the worker does not leave willingly, the farmer will have to go to court, and the court will decide whether the worker has to go. If the worker is still a serving farm worker, the farmer may have to provide alternative accommodation.\n\n## If a tenant dies\n\nThe tenancy will automatically pass to their husband or wife. If they did not have a husband or wife, it can pass to another family member if they lived there for the 2 years before the worker\u2019s death.\n\n## Gangmasters\n\nAn individual or business that provides workers for agricultural work is called a \u2018gangmaster\u2019.\n\nGangmasters must be licensed if they provide workers for:\n\n- agriculture\n\n- horticulture\n\n- dairy farming\n\n- food and drink processing or packaging\n\n- forestry\n\n- gathering shellfish (anybody who uses supplied workers to gather shellfish also needs to be licensed)\n\nThere are some jobs in these industries that do not need a gangmaster licence.\n\nYou can check if a gangmaster is licensed.\n\n## Changes to employment terms and conditions\n\nFrom 1 October 2013, the terms and conditions changed for agricultural and horticultural workers in England who begin new jobs. This includes workers supplied by a gangmaster.\n\n## Employment started on or after 1 October 2013\n\nWorkers must receive at least:\n\n- the National Minimum Wage\n\n- other statutory minimum terms of employment\n\n## Employment started before 1 October 2013\n\nWorkers, including those supplied by a gangmaster, are still entitled to the terms and conditions of their contract.\n\nFor example, this might mean workers are entitled to overtime rates, agricultural sick pay and dog allowance. Where accommodation is provided in a contract, workers can continue living in that accommodation.\n\nThese entitlements and any other terms and conditions already agreed will continue to apply unless the contract is changed by mutual agreement or it finishes.\n\nWorkers must always be paid at least the appropriate National Minimum Wage. A worker\u2019s rate must be raised if it ever falls below the minimum.\n\n## Enforcement of workers\u2019 rights\n\nWorkers should contact the Acas helpline if they\u2019re concerned that they\u2019re not working under the right terms and conditions.\n\n## Wales\n\nThere is no change in terms and conditions for workers in Wales after 1 October 2013.\n\nWorkers should contact the Agriculture: Sustainable Development Division if they\u2019re concerned they\u2019re not working under the correct terms and conditions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/agricultural-workers-rights", + "answerable": true, + "scenario": "I recently accepted a position as an agricultural worker at a farm in Wales. This is my first position in this field so I am still learning and am under supervision at work. I was told that I am a Grade 1 worker. There was a hailstorm yesterday which cut off work early. And the forecasts state the weather will remain quite bad for the next couple of weeks.", + "original_question": "Am I entitled to monetary compensation despite the bad weather?" + }, + { + "id": "train-239", + "question": "Scenario: I am the owner of a passenger ferry company. We encourage older applicants for all our ships' senior crew, and recently had one for the position of Master where the applicant had a Certificate of Service rather than the modern Certificate of Competency.\n\nQuestion: Is the Certificate of Service still an acceptable qualification for employing a Deck Officer such as this?\n\nDocument - Hiring crew for ships and yachts:\n## Overview\n\nWhen you\u2019re hiring crew for a ship or yacht, you must:\n\n- check crew members\u2019 discharge books to make sure they have the qualifications and certificates of competency for their jobs\n\n- check that all crew members have the necessary medical certificates for the work they\u2019ll be doing\n\n- make sure everyone has the necessary travel documents\n\n- check that all crew can speak the ship\u2019s common working language\n\n- draw up a crew agreement\n\n- send a full crew list to the owner of the ship or yacht\n\nYou must make sure all crew members know the ship\u2019s safety and emergency procedures before the start of your journey.\n\n## Checking crew qualifications\n\nYou must check crew members\u2019 discharge books to make sure everyone has the necessary qualifications and experience.\n\nCrew members doing specialist jobs or working on particular types of craft may need special training.\n\n## Officers\n\nOfficers in your crew must have the necessary certificates of competency (CoCs).\n\nCheck that officers\u2019 CoCs are valid on the Maritime and Coastguard Agency (MCA) website.\n\nOfficers may need special training if working on tankers, high-speed craft or passenger ships.\n\n## Merchant navy ratings\n\nMake sure that all crew have the correct rating for the work they\u2019ll be doing. Watch ratings need a CoC if they\u2019re performing navigation or engine room duties.\n\n## Crew on large yachts (24 metres long or over)\n\nYou must make sure your crew have a MCA Yacht Rating Certificate or other MCA recognised qualification, for example:\n\n- an able seaman (AB) certificate issued under the International Labour Organisation (ILO) AB Convention\n\n- a UK efficient deck hand (EDH) certificate\n\n- a navigational or engine room watch rating certificate issued under Standards of Training, Certification and Watchkeeping (STCW)\n\n## Certificates of competency\n\nYou must follow international regulations from Standards in Training Certification and Watchkeeping for Seafarers (STCW) if you have a commercial vessel going to sea.\n\nSome crew members need a certificate of competency (CoC) or certificate of equivalent competency (CEC) to carry out certain duties.\n\nFor seafarers\u2019 CoCs to remain valid on certain types of ship they\u2019ll need to meet new training standards in line with STCW regulations (\u20182010 Manila Amendments\u2019).\n\n## Deck officers\n\nMasters and other deck department officers need a CoC if they\u2019re performing:\n\n- bridge watch-keeping duties\n\n- navigational duties\n\nCoCs for deck officers are restricted depending on:\n\n- the size of the ship or yacht\n\n- the area of sea where it will operate\n\nDownload an application for a CoC for:\n\n- masters, chief mates and deck officers in the merchant navy\n\n- masters, chief mates and deck officers on yachts\n\nYou can use a Certificate of Service instead, if you have one. These were issued until 1998.\n\n## Engineer officers\n\nEngineer officers on a ship or yacht with a power output of 750 kilowatts or more need a CoC. There are different CoCs for engineer officers, depending on:\n\n- the power output of the ship or yacht\n\n- the area of sea where it will be operating\n\nDownload an application for a CoC for:\n\n- a merchant navy engineering officer\n\n- a yacht engineering officer\n\n## Revalidating CoCs\n\nDeck and engineering officers must revalidate their certificate every 5 years. They do this by showing they\u2019ve completed either:\n\n- 12 months\u2019 sea service in the last 5 years\n\n- 3 months\u2019 sea service in the last 6 months\n\n- 2.5 years in a relevant job - contact the MCA for advice\n\nUse form MSF 4258 if someone you want to hire can\u2019t revalidate their CoC because they don\u2019t meet the requirements.\n\n## Watch ratings\n\nWatch ratings on merchant ships need a CoC if they\u2019re performing navigation or engine room duties.\n\n## Radio operators\n\nRadio operators need CoCs if they handle distress and safety radio-communications. All radio personnel serving on UK-registered ships must have either:\n\n- a Restricted Operator\u2019s Certificate (ROC)\n\n- a General Operator\u2019s Certificate (GOC)\n\n## Other crew\n\nShips\u2019 cooks and security officers may also need a CoC.\n\n## More information\n\nTo find out more about the certification structure and examination and training requirements, read:\n\n- MSN 1856 (M+F) for merchant navy deck officers\n\n- MSN 1857 (M+F) for merchant navy engineer officers\n\nContact the Maritime and Coastguard Agency (MCA) to find out which members of your crew need a CoC.\n\n## Certificate of equivalent competency (CEC)\n\nA CEC allows officers holding Standards of Training Certification and Watchkeeping (STCW) certificates issued by some non-UK countries to work as officers on UK-registered merchant ships.\n\nTo get a CEC, your crew member must complete the CEC application form. As part of the application process they may be asked to prove their:\n\n- standards of competency\n\n- ability to use the English language (this may include an oral exam)\n\n- knowledge of UK law relating to their job\n\nRead more about CECs or download part 19 of the MCA\u2019s training and certification guidance for more information.\n\n## Crew agreements\n\nA crew agreement is an employment contract between a ship or yacht\u2019s owners and its crew.\n\nAll crew agreements must have:\n\n- a cover with details of the ship and its owners\n\n- an up-to-date crew list with names, dates of birth and addresses\n\n- a list of anyone on board who is under 18 or exempt from a crew agreement\n\n- contractual clauses for each crew member\n\nA crew agreement can last up to 12 months. After this period, a new agreement must be drawn up.\n\n## What goes in a contractual clause\n\nClauses must include:\n\n- the name of the crew member\n\n- a description of the journey(s) that the agreement relates to\n\n- the crew member\u2019s job description\n\n- details of their pay, hours and leave\n\n- details of required notice and how the crew agreement can be terminated\n\nThe Maritime and Coastguard Agency (MCA) gives guidance on drawing up crew agreements for merchant ships and yachts:\n\n- download MGN 148 \u2018Approval of crew agreements: merchant ships\n\n- download MGN 149 \u2018Approval of crew agreements: yachts\n\nContact MCA for advice on drawing up a crew agreement.\n\n## What to do once you\u2019ve drawn up a crew agreement\n\n- Get every crew member to sign the agreement when they join the ship and at the end of the journey.\n\n- File the agreement with the shipping registry in the ship\u2019s \u2018flag state\u2019 (the country where it\u2019s registered).\n\n- Display a copy on board the vessel.\n\n- Send a copy (with the official log book, if a merchant ship) to a superintendent or proper officer within 3 days of its expiry.\n\n## Who signs a crew agreement\n\nMost of the people on board a ship or yacht must sign the crew agreement. However, certain personnel will have separate employment contracts and won\u2019t have to sign, like:\n\n- captains\n\n- bodyguards\n\n- nannies\n\n- entertainment staff\n\n## Travel documents\n\nAll crew members must have either:\n\n- a valid passport\n\n- a Seafarers Identity Document (SID) containing a photograph, signature (or fingerprints) and a description of the holder, including their nationality\n\nThe standard seafarer\u2019s identity document for British citizens is the British seaman\u2019s card.\n\n## Crew lists\n\nThe master or skipper of a UK-registered ship must provide the ship\u2019s owner with a copy of an up-to-date crew list at the start of each journey. They must also tell the owner if there are any changes of crew during the journey.\n\nIf a ship is lost at sea, the crew list will be used to find out who is missing. The ship\u2019s owner should hand the crew list in to a local Maritime and Coastguard Agency (MCA) Marine Office or post it to:", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/hiring-crew", + "answerable": true, + "scenario": "I am the owner of a passenger ferry company. We encourage older applicants for all our ships' senior crew, and recently had one for the position of Master where the applicant had a Certificate of Service rather than the modern Certificate of Competency.", + "original_question": "Is the Certificate of Service still an acceptable qualification for employing a Deck Officer such as this?" + }, + { + "id": "train-243", + "question": "Scenario: I got offered a seafarer position from one of my Dad's friends. I recently turned 17 and the offer seems like a nice way to spend the summer and gain some experience. He mentioned that I will mostly be working during the day but may sometimes have to fulfill nightly duties.\n\nQuestion: Do I meet the age requirements for the position?\n\nDocument - Seafarer working and living rights:\n## Overview\n\nAll seafarers have working and living rights that include:\n\n- employment contracts\n\n- accommodation\n\n- food and medical care\n\nA seafarer is anyone who works on board a seagoing ship, including:\n\n- master and crew\n\n- self-employed contractors\n\n- shopkeepers and hairdressers\n\n- entertainers\n\nA seagoing ship is any vessel:\n\n- on an international voyage or from a foreign port\n\n- on a domestic journey from the UK coast\n\n- more than 500 gross tonnes\n\nThe Maritime Labour Convention (MLC) 2006 came into force on 7 August 2014. It replaced all existing laws on seafarers\u2019 rights.\n\n## Working conditions\n\nThere are minimum requirements seafarers must meet to work at sea.\n\n## Minimum age\n\nThe minimum age for seafarers is 16, although this is 18 if the work involves any:\n\n- night work\n\n- hazardous tasks\n\n## Hazardous tasks\n\nManual tasks on a ship can be hazardous if not done properly, like:\n\n- lifting\n\n- hauling\n\n- mooring\n\n- towing\n\nEmployers of seafarers must ensure their staff:\n\n- know how to operate any equipment correctly\n\n- are aware of safety procedures\n\n- have access to protective personal equipment if needed\n\n## Medical certification for seafarers\n\nAnyone in charge of a ship must have an ENG1 seafarer medical certificate.\n\n## Certificates of competency\n\nSome seafarers will need a certificate of competency before they can carry out certain duties.\n\n## Conditions of employment\n\nSeafarers\u2019 employment contracts are covered by the Maritime Labour Convention (MLC) 2006.\n\n## Working time regulations\n\nAll seafarers on seagoing ships are entitled to:\n\n- a minimum of 10 hours\u2019 rest in any 24 hour period\n\n- 77 hours rest in any 7 day period\n\n- at least 4 weeks\u2019 paid annual leave\n\nRead the Merchant Shipping Regulations 2002 for more information.\n\n## The 'human element'\n\nThe term \u2018human element\u2019 covers anything to do with the interaction between a human and any system aboard ship, and is of high importance in maritime safety and security.\n\nFactors which affect the human element include:\n\n- recruitment and selection policies and methods\n\n- crew competence, training and experience\n\n- conditions of service, motivation and morale\n\n- design, construction and ergonomics\n\n- standards of build and certification\n\n- maintenance\n\n- stress and fatigue\n\n- security\n\n- living and working conditions\n\n- manning levels and hours of work\n\n- management policies\n\n- safety management systems\n\n- operational systems\n\n- organisational and safety culture\n\n- culture of continuous improvement and workforce engagement\n\nFor more information read \u2018The human element: a guide to human behaviour in the shipping industry\u2019.\n\n## Safe working practices\n\nAll UK ships must carry copies of the \u2018Code of Safe Working Practices for Merchant Seamen\u2019, unless it\u2019s a fishing boat or pleasure vessel.\n\n## Safe manning of ships\n\nEmployers must ensure their ships have enough properly trained and certificated officers so that it can operate safely at all times.\n\nThere must also be sufficient food on board for the number of seafarers serving.\n\nRead more in \u2018Merchant Shipping Notice 1868 (M) UK requirements for safe manning and watchkeeping\u2019.\n\n## Noise and vibration\n\nA seafarer\u2019s employer must carry out risk assessments to identify who\u2019s at risk from noise or vibration in their work and what can be done to reduce or remove these risks.\n\n## Protective personal equipment (PPE)\n\nA seafarer\u2019s employer must give them suitable protective equipment if they\u2019re performing dangerous tasks.\n\nYou can find further information in the code of safe working practices for merchant seafarers.\n\n## Living conditions\n\nSeafarers\u2019 living conditions are covered by Maritime Labour Convention (MLC) rules on crew accommodation.\n\n## Food and catering\n\nSeafarers\u2019 food and catering conditions are covered by MSN 1845 under MLC rules.\n\n## Health and safety\n\nEmployers of seafarers must follow health and safety rules and provide:\n\n- safe working places and environment\n\n- safe machinery and equipment\n\n- health and safety training, instruction, supervision and information\n\n- a health and safety policy\n\n- protective clothing and equipment where necessary\n\n- information for workers about the findings of their risk assessment\n\n- information on what qualifications any temporary workers must have\n\n- information about their activities and staff to the company\n\n## Risk assessments\n\nAny vessel seafarers work onboard must have had a risk assessment carried out by their employer or the ship owner.\n\n## New or expectant mothers\n\nWhere women of childbearing age are employed as seafarers, a risk assessment must take place of any potential hazard likely to affect a new or expectant mother.\n\nIt does not matter if they are pregnant at the time of the assessment or not.\n\nIf a risk is found that cannot be removed, a new or expectant mother working as a seafarer can be suspended on full pay providing they have either:\n\n- told their employer they\u2019re pregnant\n\n- given birth in the last 6 months\n\n- are breastfeeding\n\nFor more information on health and safety rules for new and expectant mothers, contact the Seafarer Safety and Health Branch of the Maritime and Coastguard Authority (MCA).\n\n## Additional dangers\n\nSeafarers may face additional dangers when living onboard ships.\n\n## Petrol generators\n\nShips that use petrol generators must have a risk assessment carried out to make sure they provide:\n\n- sufficient power for accommodation and lighting\n\n- adequate ventilation\n\n- adequate alarms - for example, carbon monoxide alarms\n\n## Fumigating cargo spaces\n\nIf pesticides are on board a ship, employers must make sure:\n\n- adequate breathing aids are provided for seafarers checking fumigated cargo bulks\n\n- the ship\u2019s destination port is told 24 hours in advance of receiving this cargo\n\n- properly trained personnel check the relevant cargo bulks at port\n\n## Illegal drugs\n\nThe unauthorised presence of drugs on board a ship can have serious legal implications for seafarers and employers, potentially resulting in:\n\n- heavy fines\n\n- detention of a ship\n\n- imprisonment\n\n- the death penalty\n\n## Potentially dangerous cargo\n\nIf seafarers deal with certain toxic cargo or equipment on board ships, their employer must follow a number of specific requirements.\n\nYou can find further information on specialist ships in section 4 of the Code of Safe Working Practices for Merchant Seamen.\n\n## Health and medical care\n\nEmployers must protect their seafarers\u2019 health by:\n\n- providing immunisations for certain infectious diseases\n\n- making sure hygiene measures are effective and minimise the risks of infection\n\n- making arrangements for infection control\n\n- having the right medical supplies\n\n- knowing the routes and destinations of their ships\n\nUntil the UK made the Maritime Labour Convention (MLA) law, seafarers\u2019 health and safety regulations were covered by the Merchant Shipping Act 1995\n\n## Maritime Labour Convention\n\nThe Maritime Labour Convention (MLC) came into force for the UK on 7 August 2014. It sets out the minimum working and living rights for seafarers.\n\n## Exemptions\n\nThe MLC does not cover seafarers serving on the following boats:\n\n- ships navigating inland or sheltered waters subject to port regulations\n\n- fishing vessels\n\n- warships and naval auxiliaries\n\n- traditional ships, such as dhows\n\n## Minimum requirements\n\nThe MLC sets out minimum standards for seafarers to work on a ship, including:\n\n- minimum age\n\n- medical certification\n\n- training and qualifications\n\n## Age\n\nThe minimum age for seafarers will be 16. Night workers have to be 18 or over.\n\nExceptions can be allowed for:\n\n- training purposes\n\n- where the seafarer\u2019s duties require it, as long as their health and safety is not affected\n\n## Medical certification\n\nAll seafarers must have the right medical certificate to work at sea before they can work on ships.\n\n## Training and qualifications\n\nUnder the MLC, seafarers will need to:\n\n- be trained and qualified to perform onboard duties\n\n- receive personal safety training\n\n- for training to conform to International Maritime Organisation standards\n\nFind out more about seafarer training and qualifications.\n\n## Conditions of employment\n\nUnder the MLC, seafarers have minimum working rights covering:\n\n- employment agreements\n\n- wages\n\n- hours of rest\n\n- entitlement to leave\n\n- repatriation\n\n- compensation for a ship\u2019s loss or foundering\n\n- manning levels\n\n- career and skills development\n\n- employment opportunities\n\n## Employment contracts\n\nThe convention makes sure contracts between seafarers and shipowner provide fair living and working conditions.\n\nContracts should be in English and include:\n\n- shipowner\u2019s name and address\n\n- seafarer\u2019s name, date and place of birth\n\n- place and date where agreement signed\n\n- conditions for the termination of agreement\n\n- health and social security protection benefits provided by shipowner\n\n- seafarer\u2019s right to repatriation\n\nSeafarers must also be:\n\n- allowed to read and consider contracts before signing them\n\n- given a record of their employment\n\n- given their own copy of their contract (the shipowner should also have a copy)\n\n## Wages\n\nUnder the MLC, seafarers\u2019 wages must be:\n\n- paid regularly - for example, monthly\n\n- include monthly statements of accounts\n\n- allow seafarers to transfer part or all of their wages\n\n- keep currency conversion charges to reasonable limits\n\n## Hours of rest\n\nHours of rest must be at least:\n\n- 10 hours in any 24 hour period\n\n- 77 hours in any 7 day period\n\nCrew exercises, such as lifeboat drills, must cause minimal disruption to rest periods. Seafarers called out in a rest period are entitled to a rest period to make up for it.\n\nYou can read Merchant Shipping Notice (MSN) 1848 (M) Amendment 3 MLC survey and certification of UK ships.\n\n## Holiday pay\n\nUnder the MLC, seafarers are entitled to paid leave calculated at 2.5 days per calendar month of employment.\n\nRead more about holiday pay for seafarers in the Merchant Shipping Regulations 2002.\n\n## Repatriation\n\nThis gives seafarers the right to be returned to their home country:\n\n- when their employment contract ends or is cancelled\n\n- when they\u2019re no longer able to carry out their duties\n\n- in the event of shipwreck\n\n- if their ship is bound for a war zone they have not agreed to go to\n\nShipowners cannot request advance payment for repatriation from seafarers. If a shipowner does not make repatriation arrangements, seafarers on UK ships can be repatriated by the MCA.\n\n## Accommodation and recreational facilities\n\nThe Maritime and Labour Convention (MLC) ensures seafarers have access to decent accommodation and recreational facilities when living on ships.\n\n## Medical care\n\nThese cover seafarers\u2019 rights to:\n\n- decent on board health protection facilities, including essential dental care\n\n- the right to visit qualified medical personnel while in port\n\n- access to a qualified medical doctor on ships carrying more than 100 people on international voyages lasting more than 3 days\n\n- where there is no doctor on board, there must be designated and able seafarer(s) to provide first aid and medical care\n\n## Shipowner\u2019s liabilities\n\nUnder the MLC, if a seafarer suffers accident or disability because of their work the shipowner must provide where necessary:\n\n- assistance and medical care\n\n- repatriation\n\n- burial or cremation, if they die\n\nThe shipowner must have financial cover in case they are liable for compensation for long-term disability or illness.\n\nA shipowner is not liable when an injury is not related to a seafarer\u2019s duties, when it\u2019s caused by wilful misconduct or when a seafarer intentionally hides an illness or disability.\n\n## Health and safety protection\n\nUnder the MLC, seafarers\u2019 work environments on ships must:\n\n- have regular risk assessments of workplace hazards - for example, from machinery\n\n- take steps to prevent work accidents\n\n- have a system for reporting accidents and occupational diseases\n\n## Enforcement\n\nUnder the MLC, the MCA can withdraw a ship\u2019s maritime labour certificate if seafarer living and working conditions are breached.\n\n## Complaints\n\nSeafarers can complain if the MLC has not been followed. On board a ship seafarers can complain to a manager. On shore seafarers can complain to an MCA surveyor.\n\nRead MSN 1849 On-board complaints procedure and Marine Guidance Note (MGN) 487 Onshore complaints procedure.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "answerable": true, + "scenario": "I got offered a seafarer position from one of my Dad's friends. I recently turned 17 and the offer seems like a nice way to spend the summer and gain some experience. He mentioned that I will mostly be working during the day but may sometimes have to fulfill nightly duties.", + "original_question": "Do I meet the age requirements for the position?" + }, + { + "id": "train-244", + "question": "Scenario: I recently joined a new seafarers crew. The hours have been long and at first I thought it was because we had some trouble on board. I usually get 10 hours of rest per day at least but have often been called back on deck during my rest period.\n\nQuestion: Should I receive an extended rest period to make up for them calling me back to work during my scheduled one?\n\nDocument - Seafarer working and living rights:\n## Overview\n\nAll seafarers have working and living rights that include:\n\n- employment contracts\n\n- accommodation\n\n- food and medical care\n\nA seafarer is anyone who works on board a seagoing ship, including:\n\n- master and crew\n\n- self-employed contractors\n\n- shopkeepers and hairdressers\n\n- entertainers\n\nA seagoing ship is any vessel:\n\n- on an international voyage or from a foreign port\n\n- on a domestic journey from the UK coast\n\n- more than 500 gross tonnes\n\nThe Maritime Labour Convention (MLC) 2006 came into force on 7 August 2014. It replaced all existing laws on seafarers\u2019 rights.\n\n## Working conditions\n\nThere are minimum requirements seafarers must meet to work at sea.\n\n## Minimum age\n\nThe minimum age for seafarers is 16, although this is 18 if the work involves any:\n\n- night work\n\n- hazardous tasks\n\n## Hazardous tasks\n\nManual tasks on a ship can be hazardous if not done properly, like:\n\n- lifting\n\n- hauling\n\n- mooring\n\n- towing\n\nEmployers of seafarers must ensure their staff:\n\n- know how to operate any equipment correctly\n\n- are aware of safety procedures\n\n- have access to protective personal equipment if needed\n\n## Medical certification for seafarers\n\nAnyone in charge of a ship must have an ENG1 seafarer medical certificate.\n\n## Certificates of competency\n\nSome seafarers will need a certificate of competency before they can carry out certain duties.\n\n## Conditions of employment\n\nSeafarers\u2019 employment contracts are covered by the Maritime Labour Convention (MLC) 2006.\n\n## Working time regulations\n\nAll seafarers on seagoing ships are entitled to:\n\n- a minimum of 10 hours\u2019 rest in any 24 hour period\n\n- 77 hours rest in any 7 day period\n\n- at least 4 weeks\u2019 paid annual leave\n\nRead the Merchant Shipping Regulations 2002 for more information.\n\n## The 'human element'\n\nThe term \u2018human element\u2019 covers anything to do with the interaction between a human and any system aboard ship, and is of high importance in maritime safety and security.\n\nFactors which affect the human element include:\n\n- recruitment and selection policies and methods\n\n- crew competence, training and experience\n\n- conditions of service, motivation and morale\n\n- design, construction and ergonomics\n\n- standards of build and certification\n\n- maintenance\n\n- stress and fatigue\n\n- security\n\n- living and working conditions\n\n- manning levels and hours of work\n\n- management policies\n\n- safety management systems\n\n- operational systems\n\n- organisational and safety culture\n\n- culture of continuous improvement and workforce engagement\n\nFor more information read \u2018The human element: a guide to human behaviour in the shipping industry\u2019.\n\n## Safe working practices\n\nAll UK ships must carry copies of the \u2018Code of Safe Working Practices for Merchant Seamen\u2019, unless it\u2019s a fishing boat or pleasure vessel.\n\n## Safe manning of ships\n\nEmployers must ensure their ships have enough properly trained and certificated officers so that it can operate safely at all times.\n\nThere must also be sufficient food on board for the number of seafarers serving.\n\nRead more in \u2018Merchant Shipping Notice 1868 (M) UK requirements for safe manning and watchkeeping\u2019.\n\n## Noise and vibration\n\nA seafarer\u2019s employer must carry out risk assessments to identify who\u2019s at risk from noise or vibration in their work and what can be done to reduce or remove these risks.\n\n## Protective personal equipment (PPE)\n\nA seafarer\u2019s employer must give them suitable protective equipment if they\u2019re performing dangerous tasks.\n\nYou can find further information in the code of safe working practices for merchant seafarers.\n\n## Living conditions\n\nSeafarers\u2019 living conditions are covered by Maritime Labour Convention (MLC) rules on crew accommodation.\n\n## Food and catering\n\nSeafarers\u2019 food and catering conditions are covered by MSN 1845 under MLC rules.\n\n## Health and safety\n\nEmployers of seafarers must follow health and safety rules and provide:\n\n- safe working places and environment\n\n- safe machinery and equipment\n\n- health and safety training, instruction, supervision and information\n\n- a health and safety policy\n\n- protective clothing and equipment where necessary\n\n- information for workers about the findings of their risk assessment\n\n- information on what qualifications any temporary workers must have\n\n- information about their activities and staff to the company\n\n## Risk assessments\n\nAny vessel seafarers work onboard must have had a risk assessment carried out by their employer or the ship owner.\n\n## New or expectant mothers\n\nWhere women of childbearing age are employed as seafarers, a risk assessment must take place of any potential hazard likely to affect a new or expectant mother.\n\nIt does not matter if they are pregnant at the time of the assessment or not.\n\nIf a risk is found that cannot be removed, a new or expectant mother working as a seafarer can be suspended on full pay providing they have either:\n\n- told their employer they\u2019re pregnant\n\n- given birth in the last 6 months\n\n- are breastfeeding\n\nFor more information on health and safety rules for new and expectant mothers, contact the Seafarer Safety and Health Branch of the Maritime and Coastguard Authority (MCA).\n\n## Additional dangers\n\nSeafarers may face additional dangers when living onboard ships.\n\n## Petrol generators\n\nShips that use petrol generators must have a risk assessment carried out to make sure they provide:\n\n- sufficient power for accommodation and lighting\n\n- adequate ventilation\n\n- adequate alarms - for example, carbon monoxide alarms\n\n## Fumigating cargo spaces\n\nIf pesticides are on board a ship, employers must make sure:\n\n- adequate breathing aids are provided for seafarers checking fumigated cargo bulks\n\n- the ship\u2019s destination port is told 24 hours in advance of receiving this cargo\n\n- properly trained personnel check the relevant cargo bulks at port\n\n## Illegal drugs\n\nThe unauthorised presence of drugs on board a ship can have serious legal implications for seafarers and employers, potentially resulting in:\n\n- heavy fines\n\n- detention of a ship\n\n- imprisonment\n\n- the death penalty\n\n## Potentially dangerous cargo\n\nIf seafarers deal with certain toxic cargo or equipment on board ships, their employer must follow a number of specific requirements.\n\nYou can find further information on specialist ships in section 4 of the Code of Safe Working Practices for Merchant Seamen.\n\n## Health and medical care\n\nEmployers must protect their seafarers\u2019 health by:\n\n- providing immunisations for certain infectious diseases\n\n- making sure hygiene measures are effective and minimise the risks of infection\n\n- making arrangements for infection control\n\n- having the right medical supplies\n\n- knowing the routes and destinations of their ships\n\nUntil the UK made the Maritime Labour Convention (MLA) law, seafarers\u2019 health and safety regulations were covered by the Merchant Shipping Act 1995\n\n## Maritime Labour Convention\n\nThe Maritime Labour Convention (MLC) came into force for the UK on 7 August 2014. It sets out the minimum working and living rights for seafarers.\n\n## Exemptions\n\nThe MLC does not cover seafarers serving on the following boats:\n\n- ships navigating inland or sheltered waters subject to port regulations\n\n- fishing vessels\n\n- warships and naval auxiliaries\n\n- traditional ships, such as dhows\n\n## Minimum requirements\n\nThe MLC sets out minimum standards for seafarers to work on a ship, including:\n\n- minimum age\n\n- medical certification\n\n- training and qualifications\n\n## Age\n\nThe minimum age for seafarers will be 16. Night workers have to be 18 or over.\n\nExceptions can be allowed for:\n\n- training purposes\n\n- where the seafarer\u2019s duties require it, as long as their health and safety is not affected\n\n## Medical certification\n\nAll seafarers must have the right medical certificate to work at sea before they can work on ships.\n\n## Training and qualifications\n\nUnder the MLC, seafarers will need to:\n\n- be trained and qualified to perform onboard duties\n\n- receive personal safety training\n\n- for training to conform to International Maritime Organisation standards\n\nFind out more about seafarer training and qualifications.\n\n## Conditions of employment\n\nUnder the MLC, seafarers have minimum working rights covering:\n\n- employment agreements\n\n- wages\n\n- hours of rest\n\n- entitlement to leave\n\n- repatriation\n\n- compensation for a ship\u2019s loss or foundering\n\n- manning levels\n\n- career and skills development\n\n- employment opportunities\n\n## Employment contracts\n\nThe convention makes sure contracts between seafarers and shipowner provide fair living and working conditions.\n\nContracts should be in English and include:\n\n- shipowner\u2019s name and address\n\n- seafarer\u2019s name, date and place of birth\n\n- place and date where agreement signed\n\n- conditions for the termination of agreement\n\n- health and social security protection benefits provided by shipowner\n\n- seafarer\u2019s right to repatriation\n\nSeafarers must also be:\n\n- allowed to read and consider contracts before signing them\n\n- given a record of their employment\n\n- given their own copy of their contract (the shipowner should also have a copy)\n\n## Wages\n\nUnder the MLC, seafarers\u2019 wages must be:\n\n- paid regularly - for example, monthly\n\n- include monthly statements of accounts\n\n- allow seafarers to transfer part or all of their wages\n\n- keep currency conversion charges to reasonable limits\n\n## Hours of rest\n\nHours of rest must be at least:\n\n- 10 hours in any 24 hour period\n\n- 77 hours in any 7 day period\n\nCrew exercises, such as lifeboat drills, must cause minimal disruption to rest periods. Seafarers called out in a rest period are entitled to a rest period to make up for it.\n\nYou can read Merchant Shipping Notice (MSN) 1848 (M) Amendment 3 MLC survey and certification of UK ships.\n\n## Holiday pay\n\nUnder the MLC, seafarers are entitled to paid leave calculated at 2.5 days per calendar month of employment.\n\nRead more about holiday pay for seafarers in the Merchant Shipping Regulations 2002.\n\n## Repatriation\n\nThis gives seafarers the right to be returned to their home country:\n\n- when their employment contract ends or is cancelled\n\n- when they\u2019re no longer able to carry out their duties\n\n- in the event of shipwreck\n\n- if their ship is bound for a war zone they have not agreed to go to\n\nShipowners cannot request advance payment for repatriation from seafarers. If a shipowner does not make repatriation arrangements, seafarers on UK ships can be repatriated by the MCA.\n\n## Accommodation and recreational facilities\n\nThe Maritime and Labour Convention (MLC) ensures seafarers have access to decent accommodation and recreational facilities when living on ships.\n\n## Medical care\n\nThese cover seafarers\u2019 rights to:\n\n- decent on board health protection facilities, including essential dental care\n\n- the right to visit qualified medical personnel while in port\n\n- access to a qualified medical doctor on ships carrying more than 100 people on international voyages lasting more than 3 days\n\n- where there is no doctor on board, there must be designated and able seafarer(s) to provide first aid and medical care\n\n## Shipowner\u2019s liabilities\n\nUnder the MLC, if a seafarer suffers accident or disability because of their work the shipowner must provide where necessary:\n\n- assistance and medical care\n\n- repatriation\n\n- burial or cremation, if they die\n\nThe shipowner must have financial cover in case they are liable for compensation for long-term disability or illness.\n\nA shipowner is not liable when an injury is not related to a seafarer\u2019s duties, when it\u2019s caused by wilful misconduct or when a seafarer intentionally hides an illness or disability.\n\n## Health and safety protection\n\nUnder the MLC, seafarers\u2019 work environments on ships must:\n\n- have regular risk assessments of workplace hazards - for example, from machinery\n\n- take steps to prevent work accidents\n\n- have a system for reporting accidents and occupational diseases\n\n## Enforcement\n\nUnder the MLC, the MCA can withdraw a ship\u2019s maritime labour certificate if seafarer living and working conditions are breached.\n\n## Complaints\n\nSeafarers can complain if the MLC has not been followed. On board a ship seafarers can complain to a manager. On shore seafarers can complain to an MCA surveyor.\n\nRead MSN 1849 On-board complaints procedure and Marine Guidance Note (MGN) 487 Onshore complaints procedure.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "answerable": true, + "scenario": "I recently joined a new seafarers crew. The hours have been long and at first I thought it was because we had some trouble on board. I usually get 10 hours of rest per day at least but have often been called back on deck during my rest period.", + "original_question": "Should I receive an extended rest period to make up for them calling me back to work during my scheduled one?" + }, + { + "id": "train-246", + "question": "Scenario: My cat recently fell sick and was barely moving. I took her to the vet and they prescribed medicine for me to mix with her food. I accidently touched one of the pills with a wet hand and after an hour or two the fingers I used to touch the medicine became numb. I went to the doctor myself and they assured me it would pass on its own in a day or two. That was 3 days ago and my fingers feel fine now. I am still interested in filling a report regarding my reaction to the cat medicine, unfortunately I will not be able to do online anytime soon.\n\nQuestion: Am I able to file a report through post instead?\n\nDocument - Report a suspected problem with an animal medicine or microchip:\n## Overview\n\nYou can report an unexpected reaction to an animal medicine or microchip to the Veterinary Medicines Directorate (VMD). You can also report if an animal medicine has not worked.\n\nHow you report the reaction depends on whether:\n\n- an animal has reacted to animal medicine or to a microchip\n\n- a human has reacted to animal medicine\n\nVMD will use the information you provide to help make sure that animal medicines and microchips are used safely and effectively.\n\n## Report an animal's reaction to animal medicine\n\nYou can report when a medicine may not have worked, or could have made your animal unwell.\n\nYou\u2019ll be asked for details of:\n\n- the medicine, including batch number and marketing authorisation number if known\n\n- the animal that was affected, for example the species, breed and age\n\n- when and how the medicine was first given to the animal\n\n- the symptoms\n\nSend your report\n\n## If you cannot report online\n\nDownload and fill in the form for reporting reactions in animals. Send it to the address on the form.\n\n## Report an animal's reaction to a microchip\n\nYou can report suspected incidents with animal microchips including:\n\n- a reaction to the chip being implanted, such as injury, infection or prolonged bleeding\n\n- if a chip\u2019s moved from where it was implanted or has come out\n\n- a chip that does not read properly\n\nYou\u2019ll need the microchip number to make a report.\n\nSend your report\n\nContact VMD if you cannot report the incident online.\n\n## Report a person's reaction to animal medicine\n\nYou can report a suspected reaction you or someone else has had to an animal medicine while using it on an animal, for example a skin allergy.\n\nYou\u2019ll be asked for details of:\n\n- the medicine, including the batch number and marketing authorisation number (if you know it)\n\n- the people affected - and how and when they came into contact with the medicine\n\n- the symptoms\n\nSend your report\n\n## If you cannot report online\n\nDownload and fill in the form for reporting reactions in humans. Send it to the address on the form.\n\n## Contact VMD\n\nContact the Veterinary Medicines Directorate (VMD) Pharmacovigilance Team if you have any questions about reporting reactions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "answerable": true, + "scenario": "My cat recently fell sick and was barely moving. I took her to the vet and they prescribed medicine for me to mix with her food. I accidently touched one of the pills with a wet hand and after an hour or two the fingers I used to touch the medicine became numb. I went to the doctor myself and they assured me it would pass on its own in a day or two. That was 3 days ago and my fingers feel fine now. I am still interested in filling a report regarding my reaction to the cat medicine, unfortunately I will not be able to do online anytime soon.", + "original_question": "Am I able to file a report through post instead?" + }, + { + "id": "train-251", + "question": "Scenario: I live without a spleen, and therefore I am classed as clinically vulnerable to COVID-19. I live in Devon, and would still like to volunteer with my local community aid group.\n\nQuestion: Can I volunteer outside of my home, despite being at high-risk for COVID-19?\n\nDocument - Volunteering during coronavirus (COVID-19):\n## Overview\n\nYou can volunteer during coronavirus (COVID-19) with an organisation or group. You can also help people in your local area by doing things like picking up shopping or medicines.\n\nYou may be able to volunteer:\n\n- from home\n\n- from outside your home\n\n- in a workplace\n\nA new COVID-19 variant is spreading in some parts of England. Check what you can and cannot do if you\u2019re in an area where the new variant is spreading.\n\nThis guidance is for volunteers in England. There\u2019s different guidance on:\n\n- volunteering in Scotland\n\n- volunteering in Wales\n\n- volunteering in Northern Ireland\n\nIf you run an organisation or group, or manage volunteers, find out how to involve volunteers safely.\n\n## Where you can volunteer\n\nYou should volunteer from home where possible.\n\nFollow guidance on volunteering with other people if you have to volunteer outside your home. Do not leave home if:\n\n- you\u2019ve been told to self-isolate by NHS Test and Trace\n\n- you\u2019re self-isolating for any other reason\n\nIf you\u2019re volunteering in a workplace, it should follow guidance on working safely during COVID-19.\n\n## If you\u2019re at high risk from COVID-19\n\nYou can volunteer outside your home, if you\u2019re at high risk from COVID-19 (clinically extremely vulnerable), but you should take extra steps to protect yourself. For example, reduce:\n\n- your social interactions\n\n- the time you spend in places where you cannot social distance\n\n## If you have COVID-19 symptoms\n\nDo not volunteer outside your home if you have COVID-19 symptoms or if you\u2019ve tested positive for COVID-19.\n\nYou must self-isolate from the date you started having symptoms or from the day you tested positive and for the next 10 full days - whichever is the latest.\n\nIf you\u2019re self-isolating your volunteer organisation should not ask you to leave home.\n\n## If you need to travel as a volunteer\n\nFind out how to travel safely if you\u2019re volunteering in England.\n\nCheck COVID-19 guidance in Scotland, Wales or Northern Ireland before you travel, if you need to volunteer in one of these countries.\n\nBefore volunteering abroad:\n\n- check if the country you\u2019re going to is accepting volunteers - read foreign travel advice to find out where you can go\n\n- read the guidance on travelling abroad during COVID-19\n\n- check if your volunteering role means you\u2019re exempt from travel restrictions\n\n- check the rules you must follow when you return to England\n\n## Ways to volunteer\n\nYou can volunteer during coronavirus (COVID-19) with an organisation or group, for example a charity, the NHS or a local volunteer-run group.\n\nFind out about volunteering with a charity or voluntary organisation.\n\nCheck if your local council has volunteering opportunities.\n\nYou should choose your volunteering activity based on your risk of getting seriously ill with COVID-19.\n\n## Volunteer with the NHS\n\nIf you want to help the NHS as a general volunteer, apply for the NHS volunteer responder scheme. You\u2019ll need to check if the scheme is recruiting in your area.\n\nTo volunteer in a hospital, including if you\u2019re a doctor or nurse, contact your local hospital trust.\n\nIf you want to give blood, read the guidance about donating blood during COVID-19.\n\nYou can also sign up to the NHS COVID-19 vaccine registry if you want to take part in a COVID-19 vaccine research study.\n\n## Help people in your local area\n\nYou can help others by doing activities like picking up shopping and offering support on the phone. This includes:\n\n- family, friends and neighbours who are at high risk from COVID-19 or who prefer not to go out\n\n- people who are feeling lonely or isolated\n\n- staff and volunteers in key worker roles\n\nYou can also join a mutual aid group. A mutual aid group is a local volunteer-run initiative where people come together to help each other.\n\n## Protect those you help\n\nIf you\u2019re worried about someone\u2019s health, contact the NHS or check NHS COVID-19 advice online.\n\nIf you\u2019re helping someone who\u2019s staying at home, you should follow social distancing guidelines if you do have to go indoors.\n\nIt may not always be possible to follow social distancing guidelines, for example if you\u2019re providing personal care to someone. You should consider whether the activity is essential and follow working safely guidance.\n\n## If you\u2019re helping someone who\u2019s not a friend or family member\n\nYou should show identification when you call at their home.\n\nYou should not:\n\n- ask for their credit or debit card numbers, or other financial information\n\n- take their address and phone number, unless you need it to do a task\n\n- pressure them into giving you any unnecessary information\n\nYou can find out how to help others safely on the British Red Cross website.\n\nContact the police if you think someone you\u2019re helping is being abused or neglected. Phone 999 in an emergency or 101 if the person is not in immediate danger.\n\n## Volunteering with other people\n\nWhen you volunteer, you can meet in groups of any size from different households, both indoors or outdoors. However, meeting in smaller groups can reduce the risk of coronavirus (COVID-19) spreading.\n\nYou can also meet in groups for activities like volunteer recruitment and training. This does not include meeting in groups for social activities.\n\nThe organisation or group of volunteers running the activities should follow guidance on working safely during COVID-19.\n\nAs a volunteer, you should:\n\n- follow social distancing guidelines\n\n- wash your hands regularly and for 20 seconds\n\n- wear a face covering indoors\n\n- make sure indoor spaces are well ventilated with fresh air\n\nIn some volunteering roles, it may not be possible for you to follow social distancing guidelines. For example, driving a vehicle with others in it. You should consider whether the activity is essential before doing it and follow the guidance on working safely during COVID-19.\n\n## Volunteering in a support group\n\nYou can volunteer in a support group. Support groups should provide mutual aid, therapy or another form of support.\n\nThere cannot be more than 30 people in the support group itself. Children under 5 are not included in this limit. There\u2019s no limit to the number of volunteers.\n\nFor example, 5 volunteers could support up to 30 people in a group session, to make a group of 35 in total.\n\nFormal support groups must not be run from private homes.\n\n## Testing and vaccination\n\nFind out how to get tested for coronavirus (COVID-19).\n\nIf you volunteer in an essential role and have COVID-19 symptoms, you\u2019ll be prioritised for a test.\n\n## Who can get a vaccine\n\nYou can get vaccinated if you\u2019re a volunteer in an eligible group. This includes volunteers in frontline health and social care roles.\n\nIf you qualify for a vaccine because of your age or a clinical condition, you\u2019ll be vaccinated at the same time as other people in your area.\n\nThe NHS will let you know when you can get a vaccine and how to get it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/coronavirus-volunteering", + "answerable": true, + "scenario": "I live without a spleen, and therefore I am classed as clinically vulnerable to COVID-19. I live in Devon, and would still like to volunteer with my local community aid group.", + "original_question": "Can I volunteer outside of my home, despite being at high-risk for COVID-19?" + }, + { + "id": "train-255", + "question": "Scenario: My son and I live in Bristol. I am in the process of applying for secondary schools for him. He has been offered a place at our second choice.\n\nQuestion: Can I still add his name to a waiting list of another school?\n\nDocument - School admissions:\n## Choosing schools\n\nIf you live in England contact your local council to find:\n\n- state-funded schools in your area\n\n- admission criteria for the schools you\u2019re interested in\n\nThe process is different if you live in Scotland, Wales or Northern Ireland.\n\nYou can also contact your local council to apply for places at state schools in other areas. You can search online to find schools in England.\n\n## Private schools or home schooling\n\nIf you\u2019re looking for a place at a private school (also called \u2018independent schools\u2019), contact the school directly.\n\nYou can also choose to teach your child at home, known as home schooling.\n\n## Children with special educational needs (SEN)\n\nIf your child has SEN, their Education, Health and Care (EHC) plan will name a school for them. The school must give your child a place.\n\nYou can ask your local council to carry out an assessment if you think your child needs additional support with their educational, health and social needs.\n\n## Find out about a primary or secondary school\n\nYou can find out more by:\n\n- visiting the school - most schools have open days\n\n- reading the school\u2019s most recent Ofsted reports\n\n- checking school performance tables\n\n- talking to other parents about what they think of the school\n\n## What schools must publish on their website\n\nSchools\u2019 websites must include:\n\n- admission arrangements, including how to apply\n\n- details of the curriculum\n\n- behaviour policy\n\n- links to Ofsted reports\n\n- links to performance data\n\n- the school\u2019s latest key stage 2 and 4 attainment and progress measures\n\n- their policies for children with special educational needs and disabilities\n\n- the amount of money they get for taking underprivileged children (the \u2018pupil premium\u2019), what they do with it and the effect it\u2019s had\n\nYou can also get advice about choosing state-funded schools from your local council.\n\n## Admission criteria\n\nAll schools have admission criteria to decide which children get places. The school or local council usually set these.\n\nAdmission criteria are different for each school. They may give priority to children:\n\n- who live close to the school\n\n- who have a brother or sister at the school already\n\n- from a particular religion (for faith schools)\n\n- who pass an entrance exam (for selective schools, for example grammar schools)\n\n- who went to a particular primary school (a \u2018feeder school\u2019)\n\n- who are eligible for the pupil premium or the service pupil premium\n\n- whose parent has worked at the school for 2 years or more\n\nYour local council can give you information about schools\u2019 criteria and how to apply.\n\n## Children in care\n\nAll state-funded schools must give top priority to admitting children who:\n\n- are in care or being looked after\n\n- have been in care\n\n## Complain about unfair admission arrangements\n\nContact the Schools Adjudicator if you think a school has unlawful or unfair admission arrangements.\n\nYou need to complain by 15 May of the year before you\u2019re applying for a place. For example, to complain about admission arrangements for September 2021 the deadline is 15 May 2020.\n\n## School starting age\n\nMost children start school full-time in the September after their fourth birthday. This means they\u2019ll turn 5 during their first school year.\n\nFor example, if your child\u2019s fourth birthday is between 1 September 2021 and 31 August 2022 they will usually start school in September 2022.\n\n## If you want your child to start later\n\nIf you do not think your child is ready to start school at the usual time, they can start later - as long as they\u2019re in full-time education by the time they reach \u2018compulsory school age\u2019.\n\nThey can start:\n\n- part time\n\n- part-way through the year\n\n- in the next school year, in the September after they turn 5\n\nYou\u2019ll still need to apply for a school place at the same time as everyone else. You request your child\u2019s later start when you apply.\n\n## If your child starts in the September after they turn 5\n\nYour child will go into year 1. Contact the local council or school if you want your child to start in reception instead. They do not have to agree.\n\n## Compulsory school age\n\nYour child must start full-time education once they reach compulsory school age. This is on 31 December, 31 March or 31 August following their fifth birthday - whichever comes first. If your child\u2019s fifth birthday is on one of those dates then they reach compulsory school age on that date.\n\nFor example, if your child reaches compulsory school age on 31 March, they must start full-time education at the beginning of the next term (summer term that year).\n\nChildren must stay in full-time education until they reach school leaving age.\n\nAll 3 to 4-year-olds in England are entitled to free early education before they start school full time.\n\n## How to apply\n\nFollow your local council\u2019s application process to:\n\n- apply for a primary school place\n\n- apply for a secondary school place\n\nYou must still apply for a place, even if the school is linked to your child\u2019s current nursery, infant or primary school.\n\nApply directly for:\n\n- a 6th form place at a school or college\n\n- a place at a private school\n\n## Moving to another area\n\nYou apply through your local council even if you\u2019re applying for schools in another council area or you\u2019ve just moved to England.\n\nIf you\u2019re applying from another country, contact the local council in the area where you\u2019re going to live.\n\nYou may need to:\n\n- supply proof of your new address, for example a mortgage or rental agreement or deeds for the property\n\n- prove that you\u2019ll live in the area before the start of the next school term\n\n## Completing the application\n\nWhen you fill in the form (online or on paper) you\u2019ll be asked to list the schools you\u2019re applying for in order of preference.\n\nListing only one school will not increase your chances of getting a place there.\n\nTo get a copy of the application form on paper, contact your local council.\n\n## When to apply\n\nApplications open on different days in each local council area. Find out from your local council when applications open for primary or secondary schools.\n\n## Applying for a primary school place\n\nYou must apply for a primary school place a year before your child can start school.\n\nApplications open in September and close on 15 January. Your child will be 3 or have just turned 4 when you apply.\n\nYou\u2019ll need to apply then even if you want your child to start part-way through the year.\n\n## Applying for a secondary school place\n\nThe deadline for applying is 31 October.\n\nYour child is less likely to be offered a place at their chosen schools if you miss the deadline for applications.\n\n## When you\u2019ll find out\n\nCouncils will send offers of school places for:\n\n- primary schools on 16 April\n\n- secondary schools on 1 March\n\nIf either date falls on a weekend or a bank holiday, offers are sent the next working day.\n\nYou must accept the offer by the deadline given in the offer letter. Otherwise it may be withdrawn and the place given to someone else.\n\nThe local council must provide a place at another school, if your child is not offered a place at any of the schools you\u2019ve applied for. This is usually your nearest school with places still available.\n\n## Applying after the start of the school year\n\nContact your local council to find out about applying for a school place once the school year has started (known as in-year applications). They can tell you which schools still have places and how to apply.\n\nOnce your child has been offered a place, they will usually start school at the beginning of the following term.\n\n## School waiting lists\n\nIf your child does not have a place, contact your local council for schools with places.\n\nYou can also put your child\u2019s name down on a waiting list. The \u2018admission authority\u2019 for the school (usually the school itself or the council) must keep a waiting list open for at least the first term of each school year.\n\nContact the school or your local council if you want your child\u2019s name added to a waiting list.\n\nYou can add your child\u2019s name to a waiting list even if they have been offered a place at another school.\n\nIf your child is on a waiting list and the school offers you a place, the admission authority will send you a formal offer. You can still accept the offer even if your child has already started at another school.\n\n## Appealing a school's decision\n\nYou\u2019ll be sent a letter with the decision about your child\u2019s school. If your child is refused a place, you can appeal against the decision. The letter will tell you how.\n\nYou must appeal against each rejection separately. You can only appeal once against each rejection.\n\n## Preparing your appeal\n\nThe admission authority for the school must allow you at least 20 school days to appeal from when they send the decision letter.\n\nThe admission authority will set a deadline for submitting information and evidence to support your appeal. If you submit anything after the deadline, it might not be considered and may result in delays to your hearing.\n\nCoram Children\u2019s Legal Centre may be able to give you advice about appeals.\n\n## When the hearing will be\n\nThe admission authority must give you at least 10 school days\u2019 notice of the hearing.\n\nAppeals must be heard within 40 school days of the deadline for making an appeal.\n\n## What happens at the appeal hearing\n\nThere\u2019s a panel of 3 or more people at the appeal hearing. The panel must be independent and must follow the school admission appeals code.\n\n- The admission authority will explain why they turned down your application.\n\n- You\u2019ll be able to give your own reasons why your child should be admitted.\n\n- The appeals panel must decide if the school\u2019s admission criteria were properly followed and comply with the school admissions code.\n\n- If the criteria were not properly followed or do not comply with the school admissions code your appeal must be upheld.\n\n- If your reasons for your child to be admitted outweigh the school\u2019s reasons for not admitting any more children at all, your appeal will be upheld.\n\n- You will usually be sent the decision within 5 school days.\n\nYou can read more about school admission appeals.\n\n## Appeals for infant classes\n\nYou need to go through the same process if you\u2019re appealing a decision about an infant class. In reception, year 1 and year 2, the class size is limited to 30. Your application can be turned down if all the classes already have 30 children.\n\nYour appeal could be successful if:\n\n- giving your child a place will not increase the class size above the limit\n\n- the admission arrangements have not been properly followed\n\n- the admission criteria do not comply with the school admissions code\n\n## Complain about the appeals process\n\nYou can complain about the way the appeal was carried out, but you can not complain about the decision itself.\n\n## Maintained schools\n\nComplain to the Local Government Ombudsman.\n\nFill in the online complaint form.\n\n## If a maintained school becomes an academy\n\nIf you complain about an appeal concerning a maintained school that then converts to academy status, the Local Government Ombudsman will investigate it and pass any actions to the Education and Skills Funding Agency (ESFA).\n\n## Other schools\n\nComplain to ESFA about an appeal made to:\n\n- free schools\n\n- academies, including university technical colleges and studio schools\n\nFill in the online complaint form.\n\nUsing the online form is the quickest way to make a complaint. If you need a paper form instead, contact:\n\nYou should get a decision on your complaint within 9 weeks (45 working days). You\u2019ll be told if it\u2019ll take longer.\n\nYou\u2019ll get a letter explaining the reasons for the decision.\n\nIf ESFA decides something went wrong with the appeals panel, it may:\n\n- ask the school to hold a new appeal hearing with a different panel\n\n- recommend the school reviews its appeals process\n\n## Complain about another school matter\n\nIf you have a complaint about a school that is not related to the appeals process, contact the Department for Education.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/schools-admissions", + "answerable": true, + "scenario": "My son and I live in Bristol. I am in the process of applying for secondary schools for him. He has been offered a place at our second choice.", + "original_question": "Can I still add his name to a waiting list of another school?" + }, + { + "id": "train-258", + "question": "Scenario: I live in Essex, England and own a small (7m) vintage fishing smack (unpowered sail boat). I would like to take this out into the Thames Estuary and North Sea to fish for mackerel and plaice.\n\nQuestion: Do I need a Category A fishing vessel license?\n\nDocument - Get a fishing vessel licence: vessels 10 metres or under:\n## Overview\n\nYou need a Category A (10 metres or under) fishing vessel licence if you want to catch and sell sea fish, unless you\u2019re exempt.\n\nCheck the licence you need if your vessel is longer than 10 metres.\n\nFollow these steps to get a Category A (10 metres or under) fishing vessel licence:\n\n- Register your vessel - you must do this before you can get a licence.\n\n- Get a licence entitlement - you\u2019ll need this to get a licence.\n\n- Apply for your licence.\n\nYou must carry your licence on board your vessel at all times.\n\n## Exemptions\n\nYou don\u2019t need a licence for your vessel if any of the following apply:\n\n- it doesn\u2019t have an engine\n\n- it\u2019ll only be used to fish for common eels, salmon or migratory trout\n\n- you fish only within 12 nautical miles of Jersey, Guernsey or the Isle of Man, but you\u2019ll need a licence from the relevant authority\n\n- you only use your vessel to fish for pleasure\n\n## Register your vessel\n\nYou must register your vessel on the UK Ship Registry to get a fishing vessel licence, unless your vessel is registered in the Channel Islands or the Isle of Man.\n\nTo get on the register:\n\n- arrange an inspection by a Maritime and Coastguard Agency (MCA) inspector or surveyor\n\n- fill in application form MSF4740 and send it to the address on the form\n\nYou can choose simple or full registration. Full registration lets you take out a marine mortgage against your vessel.\n\n## Registration fees\n\nSimple registration is \u00a3111 and full registration is \u00a3131.\n\n## Documents you need\n\nYou must include the following documents:\n\n- Declaration of Eligibility (MSF 4728)\n\n- original ownership documents - bill of sale, invoice or builder\u2019s certificate\n\n- Seafish Construction Certificate if your vessel was built after July 2007, or Seafish Inspection Report if your vessel was built before 2007\n\n- Safety Certificate issued by MCA (MSF 1606)\n\n- the vessel\u2019s radio call sign, if you have one\n\n- deletion certificate if the vessel was previously registered on another register\n\n- a copy of the Certificate of Incorporation if the owner is a limited company\n\nYour evidence of ownership must cover the last 3 years if you\u2019re applying for full registration.\n\n## Get a licence entitlement\n\nYou can get an entitlement by:\n\n- buying the entitlement from a vessel that has sunk, been scrapped or is no longer being used for fishing\n\n- buying a vessel with a licence\n\nYou need to make sure the entitlement is suitable for:\n\n- a vessel which is 10 metres or under (Category A)\n\n- the tonnage of your vessel and the size of the engine (kilowattage)\n\nYou can combine 2 or more entitlements if 1 is not enough to cover your vessel. You can also split an entitlement if you don\u2019t need it all.\n\n## Register an entitlement bought without a vessel\n\nGet form AFL7 from your local MMO office.\n\nRead the instructions for filling in form AFL7.\n\nFill in sections A and B of the form and send it to your local MMO office.\n\nMMO will check the previous owner has agreed to the transfer and return the form to you.\n\n## Entitlements bought with a vessel\n\nThe seller will transfer the entitlement into your name as part of the sale. MMO will send you form AFL7.\n\nUse form AFL7 to convert your entitlement into a licence.\n\n## Apply for your licence\n\nFill in application form AFL2 to apply for a Category A (10 metres or under) licence and send it to your local MMO office with your:\n\n- certificate of registry for the vessel\n\n- form AFL7 showing you as the entitlement holder\n\nSend the original documents, not copies.\n\nA licence is valid for 2 years, starting on 1 July and ending 2 years later on 30 June.\n\nYour licence will be renewed automatically.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/fishing-vessel-licence-under-10-metres", + "answerable": true, + "scenario": "I live in Essex, England and own a small (7m) vintage fishing smack (unpowered sail boat). I would like to take this out into the Thames Estuary and North Sea to fish for mackerel and plaice.", + "original_question": "Do I need a Category A fishing vessel license?" + }, + { + "id": "train-260", + "question": "Scenario: I have had my veterans badge for over 5 years now, or at least I though so. I recently realized that I had misplaced it and am currently looking to replace it.\n\nQuestion: Do I have to pay for the replacement?\n\nDocument - Apply for a veterans badge or a medal:\n## Apply for a veterans badge\n\nYou can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.\n\n## Eligibility\n\nYou can apply if you were in the:\n\n- army\n\n- Royal Navy\n\n- Royal Marines\n\n- Royal Air Force (RAF)\n\n- volunteer or regular reserves\n\nYou cannot apply if you:\n\n- served in the armed forces of another country\n\n- served alongside the UK armed forces, for example in the Canadian Navy or Royal Australian Air Force\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get either:\n\n- a War Widow\u2019s or Widower\u2019s Pension\n\n- compensation under the Survivors Guaranteed Income Payment (SGIP)\n\n## How to apply\n\nDownload and fill in the application for an armed forces veterans badge.\n\nYou can also call the enquiries line to get a paper application form sent to you.\n\nYou\u2019ll need to give as much information on the form as possible, such as:\n\n- the force you served in, for example the army or Royal Navy\n\n- service number\n\n- period of service\n\nPost the form to the Ministry of Defence (MOD) Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your veterans badge within 6 to 8 weeks of applying.\n\nYou can also apply for a medal if you\u2019re eligible.\n\nIf you lose your badge, you can apply for a replacement.\n\n## Get help\n\nIf you need to contact MOD about your veterans badge application, you can phone, fax or send an email to dbs-modmo-vetsbadge@mod.gov.uk.\n\nYou cannot apply for a veterans badge by email.\n\n## Apply for a medal\n\nYou can apply for a medal if you served in the armed forces and are eligible.\n\nFind out the types of medal the Ministry of Defence (MOD) issues.\n\nYou can only apply for World War 1 medals if the original was returned.\n\n## Eligibility\n\nYou can apply if you were awarded a medal for service in any of the following:\n\n- the army\n\n- the Royal Navy\n\n- the Royal Marines\n\n- the Royal Air Force (RAF)\n\n- the Home Guard\n\n- the reserve forces\n\nYou must meet the eligibility requirements for the medal you\u2019re applying for.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply on behalf of a veteran if you have lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules for the official next of kin are:\n\n- the person\u2019s spouse or civil partner has the first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the parent is entitled to apply\n\n- if there\u2019s no spouse, child or parent, the eldest grandchild is entitled to apply\n\n## How to apply\n\nDownload and fill in the medal application form.\n\nApply through your unit if you\u2019re still serving in the armed forces.\n\nIf you\u2019re applying on behalf of someone else, you must include a copy of either your lasting power of attorney or a death certificate.\n\nPost the form, along with any supporting documents, to the MOD Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your medal within 12 weeks of sending the application form.\n\nYou can apply for a replacement medal if the original\u2019s been stolen or accidentally destroyed, for example in a fire.\n\n## Get help\n\nIf you need to contact MOD about your medal application, email dbs-medals@mod.gov.uk.\n\n## Replace a badge or medal\n\nYou can get the first replacement veterans badge for free.\n\nYou may be able to get a replacement medal - it depends how it was lost. You\u2019ll have to pay for the replacement medal plus a fee.\n\n## Replace a veterans badge\n\nFollow the instructions for applying for a veterans badge - you can use the same form.\n\nYou\u2019ll usually get your replacement veterans badge within 6 to 8 weeks of applying.\n\nYou do not have to pay a fee if it\u2019s the first veterans badge you\u2019re replacing.\n\n## Replace a medal\n\nYou can only get a replacement medal from the Ministry of Defence (MOD) if it was stolen or destroyed, for example in a fire or flood. The medal must have been awarded for service after World War 1.\n\nYou\u2019ll need to show proof by providing a copy of either a:\n\n- police crime report\n\n- successful insurance claim listing the individual items\n\nYou can also buy replacement medals from a licensed medal dealer.\n\n## How to apply\n\nDownload and fill in the medal application form to ask for a replacement medal. Post the form to the MOD Medal Office, along with:\n\n- a letter explaining how the medal was stolen or destroyed\n\n- a copy of the police report or insurance claim\n\nThe address is on the form.\n\nContact your unit\u2019s human resources (HR) department if you\u2019re currently serving in the armed forces.\n\n## After you\u2019ve applied\n\nYou\u2019ll get a letter from the Medal Office - usually within 10 working days of when your application\u2019s received.\n\nYou\u2019ll be told how much the replacement will cost and how to pay if your application\u2019s successful. The cost depends on the type of medal. It includes an administration fee.\n\nYou\u2019ll get the replacement within 4 weeks from the Medal Office getting your payment.\n\n## Apply for a UK merchant seafarers veterans badge\n\nYou can apply for a UK merchant seafarers veterans badge if you:\n\n- were a Merchant Navy seafarer or fisherman\n\n- served in a vessel used to support the UK Armed Forces\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.\n\n## How to apply\n\nYou can apply for a badge through the Merchant Navy Association.\n\n## Members of the Royal Fleet Auxiliary\n\nIf you\u2019re a member of the Royal Fleet Auxiliary, apply for the armed forces veterans badge.\n\n## Apply for a UK merchant navy medal\n\nYou can apply for a UK merchant navy medal if you were a member of the merchant navy and you:\n\n- served in a vessel used to support the UK armed forces\n\n- meet the eligibility requirements for the medal you\u2019re applying for\n\n## How to apply\n\nComplete the application form and send it to the address on the form. You\u2019ll also need to send your seaman\u2019s discharge book.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply for someone else if either:\n\n- they\u2019ve died\n\n- you have lasting power of attorney\n\nYou must include a copy of the death certificate or your lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules are:\n\n- the person\u2019s spouse or civil partner has first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the eldest grandchild is entitled to apply\n\n## After you\u2019ve applied\n\nYou\u2019ll get a decision within 30 working days of your application being received.\n\n## Get help\n\nEmail seafarers_registry@mcga.gov.uk if you need help with your application.\n\n## Replace a lost or stolen medal\n\nYou\u2019ll need to complete the application form if your medal is lost or has been stolen.\n\n## If you want to appeal or complain\n\nYou can write to or email the Ministry of Defence (MOD) Medal Office if you want to:\n\n- appeal a decision\n\n- complain about how you\u2019ve been treated\n\nYou should include any new evidence you have if you make an appeal.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "answerable": true, + "scenario": "I have had my veterans badge for over 5 years now, or at least I though so. I recently realized that I had misplaced it and am currently looking to replace it.", + "original_question": "Do I have to pay for the replacement?" + }, + { + "id": "train-261", + "question": "Scenario: I came to UK from Malaysia in 1972 and settled here but don't have any document prove that I can live and work in UK\n\nQuestion: Am I eligible to apply for Windrush Scheme ?\n\nDocument - Windrush Scheme: get a document showing your right to be in the UK:\n## Overview\n\nIf you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.\n\nYou may be able to apply for a document to prove you can live and work in the UK if one of the following is true:\n\n- you came to the UK from a Commonwealth country before 1973\n\n- your parents came to the UK from a Commonwealth country before 1973\n\n- you came to the UK from any country before 31 December 1988 and are now settled here\n\nIt\u2019s free to apply.\n\nYou might also be entitled to apply for citizenship for free if you\u2019re a Commonwealth citizen who settled in the UK before 1 January 1973, or you\u2019re the child of someone who did.\n\n## If you suffered losses because you did not have documents\n\nIf you are eligible for this scheme, you might also be able to apply for compensation. The compensation scheme is for losses that happened because you could not show that you had a right to live in the UK.\n\n\u2018Losses\u2019 can be things like not being able to work, find a place to live or get health treatment. They can also include immigration action, like detention or removal from the UK.\n\n## You arrived before 1973 from a Commonwealth country\n\nYou may be able to apply for a document to prove you can live and work in Britain if both of the following apply:\n\n- you\u2019re a Commonwealth citizen\n\n- you were settled in the UK before 1 January 1973\n\nWhat you\u2019re entitled to depends on whether you:\n\n- have been living in the UK continuously\n\n- left the UK for more than 2 years and came back\n\n- are outside the UK\n\n## If you\u2019ve been living in the UK continuously\n\nIf you\u2019ve lived in the UK continuously, or have the right of abode, you can apply for one of the following:\n\n- British citizenship\n\n- evidence you have the right of abode\n\n- a document confirming you have indefinite leave to remain\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019ve left the UK for more than 2 years and come back\n\nIf you\u2019ve been away from the UK for more than 2 years at some point and are now lawfully in the UK, you might be entitled to indefinite leave to remain.\n\nIf you already have indefinite leave to remain you might be able to apply for either:\n\n- a document to prove you have this\n\n- British citizenship\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019re outside the UK\n\nIf you\u2019ve left the UK and have lost your indefinite leave to remain, you might be entitled to:\n\n- a Returning Resident visa\n\n- a 10 year multiple entry visa\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## You're the child of a Commonwealth citizen who arrived before 1973\n\nYou can apply for British citizenship or a document confirming you have indefinite leave to remain.\n\nIf you do not have indefinite leave to remain but are here lawfully, you can apply for it through the scheme.\n\nTo apply, one of your parents must be a Commonwealth citizen and either:\n\n- was settled in the UK before 1 January 1973\n\n- had the right of abode\n\nOne of the following must also be true:\n\n- you were born in the UK\n\n- you came to live in the UK before turning 18\n\nYou must have lived continuously in the UK since arriving (or being born) here.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## You arrived before 1989\n\nYou can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.\n\nYou can be of any nationality.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## How to apply\n\nWhen you apply, the Home Office will work with other government departments to find records of you living in the UK.\n\nNone of your information will be shared with immigration enforcement teams.\n\n## If you\u2019re in the UK\n\nApply using the Windrush Scheme application form (UK).\n\nPost it to the address on the form with your supporting documents.\n\nThe Windrush helpline can post a paper form to you.\n\n## If you\u2019re outside the UK\n\nYou must apply using an online form.\n\n## Fee\n\nIt\u2019s free to apply.\n\n## What happens next\n\nThe Windrush taskforce will get in touch with you if they have any questions about your application, or if they need more information.\n\n## Give your fingerprints and photo\n\nYou\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) once you\u2019ve sent in your form. You will not have to pay anything to do this.\n\n## Commonwealth countries\n\nYou may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.\n\nYou may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:\n\n- Anguilla\n\n- Antigua and Barbuda\n\n- Australia\n\n- The Bahamas\n\n- Bangladesh\n\n- Barbados\n\n- Belize\n\n- Bermuda\n\n- Botswana\n\n- British Antarctic Territory\n\n- British Indian Ocean Territory\n\n- Brunei\n\n- Canada\n\n- Cayman Islands\n\n- Cyprus (excluding the Sovereign base area)\n\n- Dominica\n\n- Falkland Islands\n\n- Fiji\n\n- The Gambia\n\n- Ghana\n\n- Gibraltar\n\n- Grenada\n\n- Guyana\n\n- Hong Kong\n\n- India\n\n- Jamaica\n\n- Kenya\n\n- Kiribati\n\n- Lesotho\n\n- Malawi\n\n- Malaysia\n\n- Maldives\n\n- Malta\n\n- Mauritius\n\n- Monserrat\n\n- Namibia\n\n- Nauru\n\n- New Zealand\n\n- Nigeria\n\n- Pakistan\n\n- Papua New Guinea\n\n- Pitcairn, Henderson, Ducie and Oeno Islands\n\n- Saint Helena, Ascension and Tristan da Cunha\n\n- Saint Lucia\n\n- Samoa\n\n- Seychelles\n\n- Sierra Leone\n\n- Singapore\n\n- Solomon Islands\n\n- South Africa\n\n- South Georgia and the South Sandwich Islands\n\n- Sri Lanka\n\n- St Kitts and Nevis\n\n- St Vincent and The Grenadines\n\n- Swaziland\n\n- Tanzania\n\n- Tonga\n\n- Trinidad and Tobago\n\n- Turks and Caicos Islands\n\n- Tuvalu\n\n- Uganda\n\n- Vanuatu\n\n- Virgin Islands\n\n- Zambia\n\n- Zimbabwe\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## Windrush helpline\n\nThe Windrush helpline can:\n\n- help you make a claim\n\n- give extra support to those who need it - for example, elderly or vulnerable claimants\n\n- post a form to you\n\nIf you are outside the UK, email the helpline and request a call back.\n\nOutside of the helpline opening hours, you can leave a message to ask for your call to be returned at a convenient time.\n\nYou can also sign up for email updates about the scheme.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "answerable": true, + "scenario": "I came to UK from Malaysia in 1972 and settled here but don't have any document prove that I can live and work in UK", + "original_question": "Am I eligible to apply for Windrush Scheme ?" + }, + { + "id": "train-262", + "question": "Scenario: I came to UK in 1970 from Sri Lanka when there was war crisis in Sri Lanka. Though I am settled here I don't have proper documents till now that I have rights to work and live in UK\n\nQuestion: I was denied a place to live in UK because of the lack of documents. Is there way to claim compensation on denial of rights ?\n\nDocument - Windrush Scheme: get a document showing your right to be in the UK:\n## Overview\n\nIf you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.\n\nYou may be able to apply for a document to prove you can live and work in the UK if one of the following is true:\n\n- you came to the UK from a Commonwealth country before 1973\n\n- your parents came to the UK from a Commonwealth country before 1973\n\n- you came to the UK from any country before 31 December 1988 and are now settled here\n\nIt\u2019s free to apply.\n\nYou might also be entitled to apply for citizenship for free if you\u2019re a Commonwealth citizen who settled in the UK before 1 January 1973, or you\u2019re the child of someone who did.\n\n## If you suffered losses because you did not have documents\n\nIf you are eligible for this scheme, you might also be able to apply for compensation. The compensation scheme is for losses that happened because you could not show that you had a right to live in the UK.\n\n\u2018Losses\u2019 can be things like not being able to work, find a place to live or get health treatment. They can also include immigration action, like detention or removal from the UK.\n\n## You arrived before 1973 from a Commonwealth country\n\nYou may be able to apply for a document to prove you can live and work in Britain if both of the following apply:\n\n- you\u2019re a Commonwealth citizen\n\n- you were settled in the UK before 1 January 1973\n\nWhat you\u2019re entitled to depends on whether you:\n\n- have been living in the UK continuously\n\n- left the UK for more than 2 years and came back\n\n- are outside the UK\n\n## If you\u2019ve been living in the UK continuously\n\nIf you\u2019ve lived in the UK continuously, or have the right of abode, you can apply for one of the following:\n\n- British citizenship\n\n- evidence you have the right of abode\n\n- a document confirming you have indefinite leave to remain\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019ve left the UK for more than 2 years and come back\n\nIf you\u2019ve been away from the UK for more than 2 years at some point and are now lawfully in the UK, you might be entitled to indefinite leave to remain.\n\nIf you already have indefinite leave to remain you might be able to apply for either:\n\n- a document to prove you have this\n\n- British citizenship\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019re outside the UK\n\nIf you\u2019ve left the UK and have lost your indefinite leave to remain, you might be entitled to:\n\n- a Returning Resident visa\n\n- a 10 year multiple entry visa\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## You're the child of a Commonwealth citizen who arrived before 1973\n\nYou can apply for British citizenship or a document confirming you have indefinite leave to remain.\n\nIf you do not have indefinite leave to remain but are here lawfully, you can apply for it through the scheme.\n\nTo apply, one of your parents must be a Commonwealth citizen and either:\n\n- was settled in the UK before 1 January 1973\n\n- had the right of abode\n\nOne of the following must also be true:\n\n- you were born in the UK\n\n- you came to live in the UK before turning 18\n\nYou must have lived continuously in the UK since arriving (or being born) here.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## You arrived before 1989\n\nYou can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.\n\nYou can be of any nationality.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## How to apply\n\nWhen you apply, the Home Office will work with other government departments to find records of you living in the UK.\n\nNone of your information will be shared with immigration enforcement teams.\n\n## If you\u2019re in the UK\n\nApply using the Windrush Scheme application form (UK).\n\nPost it to the address on the form with your supporting documents.\n\nThe Windrush helpline can post a paper form to you.\n\n## If you\u2019re outside the UK\n\nYou must apply using an online form.\n\n## Fee\n\nIt\u2019s free to apply.\n\n## What happens next\n\nThe Windrush taskforce will get in touch with you if they have any questions about your application, or if they need more information.\n\n## Give your fingerprints and photo\n\nYou\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) once you\u2019ve sent in your form. You will not have to pay anything to do this.\n\n## Commonwealth countries\n\nYou may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.\n\nYou may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:\n\n- Anguilla\n\n- Antigua and Barbuda\n\n- Australia\n\n- The Bahamas\n\n- Bangladesh\n\n- Barbados\n\n- Belize\n\n- Bermuda\n\n- Botswana\n\n- British Antarctic Territory\n\n- British Indian Ocean Territory\n\n- Brunei\n\n- Canada\n\n- Cayman Islands\n\n- Cyprus (excluding the Sovereign base area)\n\n- Dominica\n\n- Falkland Islands\n\n- Fiji\n\n- The Gambia\n\n- Ghana\n\n- Gibraltar\n\n- Grenada\n\n- Guyana\n\n- Hong Kong\n\n- India\n\n- Jamaica\n\n- Kenya\n\n- Kiribati\n\n- Lesotho\n\n- Malawi\n\n- Malaysia\n\n- Maldives\n\n- Malta\n\n- Mauritius\n\n- Monserrat\n\n- Namibia\n\n- Nauru\n\n- New Zealand\n\n- Nigeria\n\n- Pakistan\n\n- Papua New Guinea\n\n- Pitcairn, Henderson, Ducie and Oeno Islands\n\n- Saint Helena, Ascension and Tristan da Cunha\n\n- Saint Lucia\n\n- Samoa\n\n- Seychelles\n\n- Sierra Leone\n\n- Singapore\n\n- Solomon Islands\n\n- South Africa\n\n- South Georgia and the South Sandwich Islands\n\n- Sri Lanka\n\n- St Kitts and Nevis\n\n- St Vincent and The Grenadines\n\n- Swaziland\n\n- Tanzania\n\n- Tonga\n\n- Trinidad and Tobago\n\n- Turks and Caicos Islands\n\n- Tuvalu\n\n- Uganda\n\n- Vanuatu\n\n- Virgin Islands\n\n- Zambia\n\n- Zimbabwe\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## Windrush helpline\n\nThe Windrush helpline can:\n\n- help you make a claim\n\n- give extra support to those who need it - for example, elderly or vulnerable claimants\n\n- post a form to you\n\nIf you are outside the UK, email the helpline and request a call back.\n\nOutside of the helpline opening hours, you can leave a message to ask for your call to be returned at a convenient time.\n\nYou can also sign up for email updates about the scheme.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "answerable": true, + "scenario": "I came to UK in 1970 from Sri Lanka when there was war crisis in Sri Lanka. Though I am settled here I don't have proper documents till now that I have rights to work and live in UK", + "original_question": "I was denied a place to live in UK because of the lack of documents. Is there way to claim compensation on denial of rights ?" + }, + { + "id": "train-263", + "question": "Scenario: I am a veterinarian, and offer a microchip implantation service for my clients' dogs and cats and occasionally livestock. Recently I've had two cases where dogs have suffered what appeared to be an autoimmune reaction to the chip.\n\nQuestion: Do I need the microchip number(s) to make a report of this to DEFRA?\n\nDocument - Report a suspected problem with an animal medicine or microchip:\n## Overview\n\nYou can report an unexpected reaction to an animal medicine or microchip to the Veterinary Medicines Directorate (VMD). You can also report if an animal medicine has not worked.\n\nHow you report the reaction depends on whether:\n\n- an animal has reacted to animal medicine or to a microchip\n\n- a human has reacted to animal medicine\n\nVMD will use the information you provide to help make sure that animal medicines and microchips are used safely and effectively.\n\n## Report an animal's reaction to animal medicine\n\nYou can report when a medicine may not have worked, or could have made your animal unwell.\n\nYou\u2019ll be asked for details of:\n\n- the medicine, including batch number and marketing authorisation number if known\n\n- the animal that was affected, for example the species, breed and age\n\n- when and how the medicine was first given to the animal\n\n- the symptoms\n\nSend your report\n\n## If you cannot report online\n\nDownload and fill in the form for reporting reactions in animals. Send it to the address on the form.\n\n## Report an animal's reaction to a microchip\n\nYou can report suspected incidents with animal microchips including:\n\n- a reaction to the chip being implanted, such as injury, infection or prolonged bleeding\n\n- if a chip\u2019s moved from where it was implanted or has come out\n\n- a chip that does not read properly\n\nYou\u2019ll need the microchip number to make a report.\n\nSend your report\n\nContact VMD if you cannot report the incident online.\n\n## Report a person's reaction to animal medicine\n\nYou can report a suspected reaction you or someone else has had to an animal medicine while using it on an animal, for example a skin allergy.\n\nYou\u2019ll be asked for details of:\n\n- the medicine, including the batch number and marketing authorisation number (if you know it)\n\n- the people affected - and how and when they came into contact with the medicine\n\n- the symptoms\n\nSend your report\n\n## If you cannot report online\n\nDownload and fill in the form for reporting reactions in humans. Send it to the address on the form.\n\n## Contact VMD\n\nContact the Veterinary Medicines Directorate (VMD) Pharmacovigilance Team if you have any questions about reporting reactions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "answerable": true, + "scenario": "I am a veterinarian, and offer a microchip implantation service for my clients' dogs and cats and occasionally livestock. Recently I've had two cases where dogs have suffered what appeared to be an autoimmune reaction to the chip.", + "original_question": "Do I need the microchip number(s) to make a report of this to DEFRA?" + }, + { + "id": "train-264", + "question": "Scenario: I am a dog owner, and recently one of my dogs got into a fight with another dog and sustained quite serious bite wounds. On my vet's advice I bathed these with Chlorhexidine solution to prevent sepsis; however, this appeared to cause an allergic reaction in myself, resulting in a irritating skin rash.\n\nQuestion: Can I report this problem to DEFRA?\n\nDocument - Report a suspected problem with an animal medicine or microchip:\n## Overview\n\nYou can report an unexpected reaction to an animal medicine or microchip to the Veterinary Medicines Directorate (VMD). You can also report if an animal medicine has not worked.\n\nHow you report the reaction depends on whether:\n\n- an animal has reacted to animal medicine or to a microchip\n\n- a human has reacted to animal medicine\n\nVMD will use the information you provide to help make sure that animal medicines and microchips are used safely and effectively.\n\n## Report an animal's reaction to animal medicine\n\nYou can report when a medicine may not have worked, or could have made your animal unwell.\n\nYou\u2019ll be asked for details of:\n\n- the medicine, including batch number and marketing authorisation number if known\n\n- the animal that was affected, for example the species, breed and age\n\n- when and how the medicine was first given to the animal\n\n- the symptoms\n\nSend your report\n\n## If you cannot report online\n\nDownload and fill in the form for reporting reactions in animals. Send it to the address on the form.\n\n## Report an animal's reaction to a microchip\n\nYou can report suspected incidents with animal microchips including:\n\n- a reaction to the chip being implanted, such as injury, infection or prolonged bleeding\n\n- if a chip\u2019s moved from where it was implanted or has come out\n\n- a chip that does not read properly\n\nYou\u2019ll need the microchip number to make a report.\n\nSend your report\n\nContact VMD if you cannot report the incident online.\n\n## Report a person's reaction to animal medicine\n\nYou can report a suspected reaction you or someone else has had to an animal medicine while using it on an animal, for example a skin allergy.\n\nYou\u2019ll be asked for details of:\n\n- the medicine, including the batch number and marketing authorisation number (if you know it)\n\n- the people affected - and how and when they came into contact with the medicine\n\n- the symptoms\n\nSend your report\n\n## If you cannot report online\n\nDownload and fill in the form for reporting reactions in humans. Send it to the address on the form.\n\n## Contact VMD\n\nContact the Veterinary Medicines Directorate (VMD) Pharmacovigilance Team if you have any questions about reporting reactions.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "answerable": true, + "scenario": "I am a dog owner, and recently one of my dogs got into a fight with another dog and sustained quite serious bite wounds. On my vet's advice I bathed these with Chlorhexidine solution to prevent sepsis; however, this appeared to cause an allergic reaction in myself, resulting in a irritating skin rash.", + "original_question": "Can I report this problem to DEFRA?" + }, + { + "id": "train-265", + "question": "Scenario: I am a refugee from Sri Lanka and have a child. I moved to UK only 2 months back and yet to get a job but I have just start looking for a job\n\nQuestion: Are I eligible to claim Child Tax Credit ?\n\nDocument - Tax credits if you leave or move to the UK:\n## Your family lives abroad\n\nIf your partner is outside the UK and you do not have children, check the Working Tax Credit guidance for information on whether you can continue to claim.\n\n## You have a child who lives abroad\n\nIf you already get Working Tax Credit and want to add Child Tax Credit to your claim, check if you\u2019re eligible.\n\nIf you already get Child Tax Credit, you may be able to make a claim for an additional child if:\n\n- you are working in the UK\n\n- the child is living in the EEA or Switzerland\n\n- you are supporting the child\n\nYou must also be one of the following:\n\n- an EEA or Swiss citizen who has settled or pre-settled status under the EU Settlement Scheme\n\n- an EEA or Swiss citizen who had a right to reside in the UK on 31 December 2020\n\n- a family member of an EEA or Swiss citizen (who has settled or pre-settled status under the EU Settlement Scheme or had a right to reside in the UK on 31 December 2020) and you are residing in the UK\n\n- a person with dual nationality, one of which is nationality of an EEA country or Switzerland\n\n- covered by any of the other conditions in the Withdrawal Agreement with the EEA and Switzerland\n\nYou usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.\n\nYou must let HMRC know within a month if your partner or child join you in the UK. This is because your tax credits payments may change.\n\n## Your partner gets benefits in an EEA country or Switzerland\n\nIf you\u2019ve got children and your partner gets benefits paid by an EEA country or Switzerland, this may affect your tax credits. You must tell HMRC if you or your partner are paid benefits by an EEA country or Switzerland.\n\nSome benefits are counted as income, for example benefits paid because of unemployment.\n\n## Going abroad\n\nYour tax credits will stop if you expect to be away for one year or more.\n\nYou may still qualify for tax credits if you go abroad for a short period, for example on holiday or for medical treatment.\n\n| Reason for leaving | How long you can get tax credits for |\n\n| Medical treatment for yourself, your partner or your child | Up to 12 weeks |\n\n| Death of your partner, a child or close relative of either you or your partner | Up to 12 weeks |\n\n| Any other reason, for example holidays or business | Up to 8 weeks |\n\nIf your trip is going to last longer than 8 or 12 weeks, contact HM Revenue and Customs (HMRC) within a month. Your tax credits will end unless:\n\n- you get UK benefits or State Pension and you live in another European country with a child\n\n- you work and pay National Insurance contributions in the UK, but your family lives in another European country\n\n## You live outside the UK\n\nYou may continue to get tax credits if you\u2019re a Crown servant posted overseas or you live abroad with your child and get UK benefits or the State Pension.\n\n## You\u2019re a Crown servant posted overseas\n\nYou may continue to get tax credits, just as if you were living in the UK. HM Revenue and Customs (HMRC) will treat you as being in the UK if any of the following applies:\n\n- you are, or were just before you were posted abroad, \u2018ordinarily resident\u2019 in the UK\n\n- you\u2019ve had a series of postings abroad, with no breaks in between - and you are or were \u2018ordinarily resident\u2019 in the UK immediately before the first of those postings\n\n- you were in the UK just before you were posted abroad and the reason you were in the UK was connected to your posting - this can apply to a single posting or to a series of postings\n\n## Ordinarily resident\n\nOrdinarily resident means you normally live in the UK, and plan to stay here for the time being. When HMRC decides if you\u2019re ordinarily resident in the UK they\u2019ll look at things like:\n\n- where your settled home is\n\n- where your close family live\n\n- why you came to the UK\n\n- if you plan to leave the UK permanently in the next 2 or 3 years\n\n## Your partner\u2019s a Crown servant posted overseas\n\nYou may continue to get tax credits if your partner\u2019s a Crown servant posted outside the UK and you:\n\n- live with your partner while they work abroad\n\n- live in the UK while your partner works abroad\n\nYou do not need to be ordinarily resident in the UK during the time you\u2019re with your Crown servant partner overseas.\n\n## You have a child - and get UK benefits or State Pension\n\nIf none of the sections above apply to you, you may continue to get Child Tax Credit (or add it to an existing Working Tax Credit claim) if you and your child live in a European Union (EU) member state and you get State Pension or one of the following benefits:\n\n- Incapacity Benefit\n\n- State Pension\n\n- Widow\u2019s Benefit\n\n- Bereavement Benefit\n\n- Industrial Injuries Disablement Benefit\n\n- contribution-based Employment and Support Allowance\n\n- Severe Disablement Allowance\n\nYou will not be able to get Child Tax Credit if you do not live in an EU member state, unless you (or your partner) are a Crown servant posted abroad.\n\n## Moving to the UK\n\nYou must have been living in the UK for 3 months before you were eligible to claim Child Tax Credit if you moved to the UK on or after 1 July 2014 and do not have a job. This does not apply if you:\n\n- are a family member of someone who works or is self-employed\n\n- are a refugee\n\n- have been granted discretionary leave to enter or stay in the UK and you can get benefits\n\n- have been given leave to stay as a displaced person and you can get benefits\n\n- have been given to leave to stay and have applied for settlement as a victim of domestic violence\n\n- have been granted humanitarian protection\n\n- were made redundant in the UK (or your family member was) and you\u2019re looking for a job or in training\n\n- were working in the UK before but temporarily cannot work because of your health or an accident\n\n- have been abroad for less than a year but usually live in the UK and were claiming Child Tax Credits before moving\n\n- have been abroad for less than a year but usually live in the UK and were in the UK for at least 3 months before moving\n\n- paid Class 1 or Class 2 National Insurance contributions while you were working abroad, and paid these in the 3 month period before returning to the UK\n\n## Cross-border workers\n\nYou may continue to get tax credits if you regularly travel from:\n\n- another country to work in the UK\n\n- the UK to work in another country\n\n## Working Tax Credit\n\nYou may continue to get Working Tax Credit if you live in:\n\n- an EEA country (including Switzerland) and work in the UK\n\n- the UK and work in an EEA country (including Switzerland)\n\n## Child Tax Credit\n\nYou and your partner - if you have one - may continue to get Child Tax Credit for your children if:\n\n- you work in the UK\n\n- you pay National Insurance as a worker here\n\n- your child lives in an EEA country or in Switzerland\n\n- your child is living with your partner or someone else and they depend on you to support them\n\nYou usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.\n\n## Childcare costs\n\nYou can usually claim help for your childcare costs through the childcare element of Working Tax Credit.\n\nTo qualify your children must either:\n\n- be in registered or approved childcare in the UK\n\n- be in childcare approved by a Ministry of Defence accreditation scheme abroad - if you\u2019re a Crown servant posted abroad\n\n## Immigration control\n\nYou usually cannot get tax credits if you\u2019re \u2018subject to immigration control\u2019, although there are some exceptions. You\u2019ll still need to meet the other qualifying rules, for example work the right number of hours.\n\nWhen you arrived in the UK your passport may have been stamped. The stamp shows the conditions of your stay in the UK, for example \u2018no recourse to public funds\u2019. Public funds include tax credits and most benefits.\n\n## Exceptions\n\nYou may continue to get tax credits if:\n\n- your partner lives in the UK and is not subject to immigration control\n\n- one of the examples below applies to you or your partner\n\n## You have permission to stay in the UK because someone else supports you\n\nYou may continue to get tax credits if someone else is responsible for your maintenance while you\u2019re in the UK. This means they pay for your upkeep and provide you with somewhere to live. This person is often called your \u2018sponsor\u2019, and could be a friend, employer or relative.\n\nAll of the following must apply:\n\n- your sponsor has given the Home Office a written statement saying that they\u2019re sponsoring you\n\n- your sponsor has permission to stay in the UK\n\n- you\u2019ve been living permanently in the UK for at least 5 years, either since you came into the UK or since you started being sponsored (whichever date is later)\n\nYou may also continue to get tax credits if you\u2019ve been living in the UK for fewer than 5 years, but:\n\n- your sponsor has died\n\n- all your sponsors - if you had more than one - have died\n\n## You\u2019re from Albania, Morocco, San Marino or Tunisia\n\nYou cannot get Working Tax Credit.\n\nYou may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:\n\n- retired\n\n- pregnant or looking after children\n\n- sick or disabled or your partner has died\n\n## You\u2019re from Turkey\n\nTo continue to get Working Tax Credit you need to be lawfully present in the UK and a Turkish national.\n\nYou may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:\n\n- retired\n\n- pregnant or looking after children\n\n- sick or disabled or your partner has died\n\n## You\u2019re from North Macedonia\n\nYou may continue to get Working Tax Credit if you\u2019re a national of North Macedonia. You\u2019ll need to be lawfully present in the UK.\n\nYou cannot normally get Child Tax Credit. However, you may continue to if you\u2019ve been getting payments for your children through Income Support or income-based Jobseeker\u2019s Allowance.\n\n## You claimed asylum before 5 February 2006\n\nYou may continue to get Child Tax Credit if you received financial support for your children through Income Support or income-based Jobseeker\u2019s Allowance.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-credits-if-moving-country-or-travelling", + "answerable": true, + "scenario": "I am a refugee from Sri Lanka and have a child. I moved to UK only 2 months back and yet to get a job but I have just start looking for a job", + "original_question": "Are I eligible to claim Child Tax Credit ?" + }, + { + "id": "train-270", + "question": "Scenario: I work part-time as a bookkeeper, and in my spare time I volunteer for a local charity which runs a day care centre. This involves collecting old people in my car and taking them to and from the centre, with my travel expenses covered on a fixed rate per-mile basis. Recently I changed from a petrol vehicle to an electric one, resulting in much lower running costs.\n\nQuestion: If my travel expenses have been overpaid as a result of this change, is the overpayment taxable?\n\nDocument - Volunteer opportunities, rights and expenses:\n## Find volunteer opportunities\n\nYou can find volunteering opportunities on the:\n\n- Do-it website\n\n- Volunteering Matters website for young, older and disabled volunteers\n\n- National Association for Voluntary and Community Action website\n\n- local Volunteer Centre website\n\n- Reach Volunteering website for volunteers with specific skills - like accountancy, marketing, law, management, mentoring or IT\n\n- Volunteering Wales website\n\n- Volunteer Scotland website\n\nFind out about volunteering during coronavirus (COVID-19).\n\n## Volunteers' rights\n\nYou do not have a contract of employment as a volunteer, so you do not have the same rights as an employee or worker.\n\nYou will usually be given a volunteer agreement that explains:\n\n- the level of supervision and support you\u2019ll get\n\n- what training you\u2019ll get\n\n- whether you\u2019re covered under the organisation\u2019s employer or public liability insurance\n\n- health and safety issues\n\n- any expenses the organisation will cover\n\nThe volunteer agreement is not compulsory, but sets out what you can expect from the organisation you\u2019re volunteering for. It does not form a contract between you and the organisation.\n\nThe National Council for Voluntary Organisations (NCVO) has information on volunteers\u2019 legal status.\n\n## When you can volunteer\n\n## Age limits\n\nThere\u2019s no upper age limit on volunteering, but anyone over 70 will need to follow public health advice on volunteering during coronavirus (COVID-19).\n\nSome organisations\u2019 insurance policies do not cover you if you\u2019re under 16 or over a certain age.\n\nYou cannot work for a profit-making organisation if you\u2019re under 14, even if you\u2019re not paid.\n\nYour local council might have extra rules about the work you can do as a young person.\n\n## Volunteering and benefits\n\nYou can volunteer and claim benefits if:\n\n- the only money you get from volunteering is to cover expenses, like travel costs\n\n- you continue to meet the conditions of the benefit you get\n\n## Criminal records\n\nIf you have a criminal record you can still volunteer in most roles, depending on your offences. You might need a Disclosure and Barring Service check if you want to volunteer with children or vulnerable adults.\n\n## Pay and expenses\n\nYou are not paid for your time as a volunteer, but you may get money to cover expenses. This is usually limited to food, drink, travel or any equipment you need to buy.\n\nYou may need to pay tax on your driving expenses if you get back more than you spent.\n\nYou might be classed as an employee or worker rather than a volunteer if you get any other payment, reward or benefit in kind. This includes any promise of a contract or paid work in the future.\n\nYou get certain employment rights if you\u2019re classed as an employee or worker, like getting the minimum wage.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/volunteering", + "answerable": true, + "scenario": "I work part-time as a bookkeeper, and in my spare time I volunteer for a local charity which runs a day care centre. This involves collecting old people in my car and taking them to and from the centre, with my travel expenses covered on a fixed rate per-mile basis. Recently I changed from a petrol vehicle to an electric one, resulting in much lower running costs.", + "original_question": "If my travel expenses have been overpaid as a result of this change, is the overpayment taxable?" + }, + { + "id": "train-271", + "question": "Scenario: I am 15 years old and wish to volunteer for a local charity. At the age of 13 I received a caution from the police for writing graffiti on a bus shelter, which will show up on any DBS Check run on me until I'm 16.\n\nQuestion: Can I still do volunteer work, or do I need to wait for the caution to expire?\n\nDocument - Volunteer opportunities, rights and expenses:\n## Find volunteer opportunities\n\nYou can find volunteering opportunities on the:\n\n- Do-it website\n\n- Volunteering Matters website for young, older and disabled volunteers\n\n- National Association for Voluntary and Community Action website\n\n- local Volunteer Centre website\n\n- Reach Volunteering website for volunteers with specific skills - like accountancy, marketing, law, management, mentoring or IT\n\n- Volunteering Wales website\n\n- Volunteer Scotland website\n\nFind out about volunteering during coronavirus (COVID-19).\n\n## Volunteers' rights\n\nYou do not have a contract of employment as a volunteer, so you do not have the same rights as an employee or worker.\n\nYou will usually be given a volunteer agreement that explains:\n\n- the level of supervision and support you\u2019ll get\n\n- what training you\u2019ll get\n\n- whether you\u2019re covered under the organisation\u2019s employer or public liability insurance\n\n- health and safety issues\n\n- any expenses the organisation will cover\n\nThe volunteer agreement is not compulsory, but sets out what you can expect from the organisation you\u2019re volunteering for. It does not form a contract between you and the organisation.\n\nThe National Council for Voluntary Organisations (NCVO) has information on volunteers\u2019 legal status.\n\n## When you can volunteer\n\n## Age limits\n\nThere\u2019s no upper age limit on volunteering, but anyone over 70 will need to follow public health advice on volunteering during coronavirus (COVID-19).\n\nSome organisations\u2019 insurance policies do not cover you if you\u2019re under 16 or over a certain age.\n\nYou cannot work for a profit-making organisation if you\u2019re under 14, even if you\u2019re not paid.\n\nYour local council might have extra rules about the work you can do as a young person.\n\n## Volunteering and benefits\n\nYou can volunteer and claim benefits if:\n\n- the only money you get from volunteering is to cover expenses, like travel costs\n\n- you continue to meet the conditions of the benefit you get\n\n## Criminal records\n\nIf you have a criminal record you can still volunteer in most roles, depending on your offences. You might need a Disclosure and Barring Service check if you want to volunteer with children or vulnerable adults.\n\n## Pay and expenses\n\nYou are not paid for your time as a volunteer, but you may get money to cover expenses. This is usually limited to food, drink, travel or any equipment you need to buy.\n\nYou may need to pay tax on your driving expenses if you get back more than you spent.\n\nYou might be classed as an employee or worker rather than a volunteer if you get any other payment, reward or benefit in kind. This includes any promise of a contract or paid work in the future.\n\nYou get certain employment rights if you\u2019re classed as an employee or worker, like getting the minimum wage.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/volunteering", + "answerable": true, + "scenario": "I am 15 years old and wish to volunteer for a local charity. At the age of 13 I received a caution from the police for writing graffiti on a bus shelter, which will show up on any DBS Check run on me until I'm 16.", + "original_question": "Can I still do volunteer work, or do I need to wait for the caution to expire?" + }, + { + "id": "train-272", + "question": "Scenario: I have started a new Youtube channel about movie reviews. I am planning to use some of songs from a movie. The songs are copyrighted\n\nQuestion: Will it be enough if I get a permission from a person who acquired the rights ?\n\nDocument - Using somebody else's intellectual property:\n## Overview\n\nYou can usually get permission to use someone else\u2019s intellectual property (IP) by buying the rights from them or getting their permission to use it.\n\nUsing someone\u2019s trade mark, patent, copyright or design without their permission is known as \u2018IP infringement\u2019 and could lead to a fine, prison or both.\n\nRead about IP crime and enforcement for more information on the penalties.\n\n## Trade marks\n\nTo use an existing trade mark you should contact the current owner.\n\nFind the owner of a registered trade mark by searching the trade marks database.\n\n## Licensing\n\nA licence is a formal agreement to use someone else\u2019s trade mark. You and the owner must agree the terms of the licence, for example the cost or how long it will last.\n\nWhen you\u2019ve agreed a licence to use the trade mark, fill in the form to record a licensee and post it. The address is on the form.\n\nPost an application to remove or amend the record of a licence when the licensing agreement ends or if you need to change it.\n\nThe owner must sign any form you send, or you must send proof of the agreement with your application.\n\nEach application costs \u00a350.\n\n## Buying\n\nYou must tell IPO if you become the new owner of a trade mark, for example by buying it or as the result of a company merger.\n\nIn some cases the owner may only sell you one part of a trade mark, for example they may not sell the right to register derivative marks. This is known as a \u2018partial assignment\u2019.\n\nUse either:\n\n- \u2018Application to record a change of ownership\u2019 form\n\n- \u2018Application to record a partial assignment of goods and/or services\u2019 form\n\nEach application costs \u00a350.\n\nFill in the form and post it. The address is on the form.\n\n## Coexistence agreements\n\nYou may be able to use an identical trade mark (for example company name, logo) as someone else by making a coexistence agreement.\n\nThis means you agree that both of you can continue to use the trade mark.\n\n## Patents\n\nContact the owner of the patent to see if they\u2019ll:\n\n- license it to you\n\n- sell it to you\n\nSearch the patent databases to find the current owner.\n\n## Licensing\n\nAny licence arrangement, including cost, is made directly between you and the patent owner.\n\nYou can ask Intellectual Property Office (IPO) for help to resolve patent disputes if you can\u2019t reach an agreement.\n\nIPO can\u2019t decide the exact terms of the licence (for example the price) but can decide:\n\n- what can and can\u2019t be part of a licence\n\n- if the patent owner must grant you a licence (known as a \u2018compulsory licence under a patent\u2019)\n\n## Licence of right\n\nA patent with \u2018licence of right\u2019, means that the patent owners will give anyone a licence to use it.\n\nYou must still agree with the owner on the terms of the licence before you can use the patent.\n\nYou can ask IPO for help if you can\u2019t reach agreement.\n\n## Registering your licence\n\nRegister a licence agreement (or changes to an existing licence, for example cancellation) by filling in Patents form 21. Send it to the address on the form.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Buying a patent\n\nWhen someone sells you a patent they must transfer ownership to you.\n\nYou need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.\n\nA solicitor can help you draw up this document.\n\nFill in Patents form 21 and return it to the address on the form. Include a copy of your assignment.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Copyright\n\nYou can\u2019t copy or use copyright material without permission. For example, you can\u2019t buy a painting and then use copies of it for a book cover, or buy a CD and use a track from it in a film.\n\nTo use something protected by copyright you must either:\n\n- agree a licence with the owner to use it\n\n- buy or acquire the copyright\n\n- confirm that your intended use falls within the exceptions to copyright\n\n## Finding a copyright owner\n\nA person can give permission if they are:\n\n- the person who made it (the creator), or their family or heirs\n\n- the creator\u2019s employer, if it was created it as part of the creator\u2019s job\n\n- a person who bought, acquired or licensed the rights\n\n- an organisation representing the copyright owner\n\nYou may be able to find out who owns copyright from Writers, Artists and their copyright holders (WATCH).\n\nIf you can\u2019t find out who the copyright owner is check if you need a licence to use the work.\n\n## Licensing\n\nYou must agree the terms of an agreement with the current owner to use all or part of copyright works.\n\nThe licence agreement may allow you to use it for one or more specified purposes and may apply only for a limited time or in specific places.\n\n## Exclusive use\n\nYou\u2019ll be the only person able to use something for the duration of the agreement.\n\nThis includes the copyright owner, who won\u2019t be able to use it themselves while the agreement is in place.\n\n## Limited use\n\nYou\u2019ll only be given permission to use something for one or more specific reasons, for example publishing a photograph in one edition of a magazine or using a song as the theme for one series of a TV show.\n\nYou need to agree another licence if you want to use the material for something else.\n\n## Creative Commons licence\n\nSome copyright owners release work under a Creative Commons licence.\n\nYou must check what kind of use the licence allows.\n\n## Buying copyright\n\nWhen you buy copyright the person you\u2019re buying from transfers the copyright to you.\n\nOnce you own the copyright to something you can use it for anything you like, without the creator\u2019s express permission, as long as you respect their moral rights.\n\nYou must have a written agreement, signed by the copyright owner, stating that they have transferred ownership of the copyright to you.\n\n## Moral rights\n\nThe creator may still have certain rights regarding how their work is used even if you\u2019ve bought the copyright.\n\nAuthors, playwrights, composers, artists and film directors have the moral right:\n\n- to be recognised as the creator of the work when copies are made available to the public\n\n- to object to the work being altered in a way that has negative effect on their reputation\n\n- to not have someone else\u2019s work falsely attributed to them\n\nPerformers, such as actors or dancers, have the moral right:\n\n- to be recognised as the performer of the piece\n\n- to object to the performance being altered in a way that is damaging to their reputation\n\nThe creator or performer of a piece of work to which you own the copyright must tell you if they want to exercise these rights.\n\nThey can choose whether or not to use their moral rights.\n\nMoral rights can\u2019t be sold or transferred in the same way as copyright. They last for as long as the piece of work is covered by copyright.\n\n## Performers\u2019 rights\n\nPerformers, for example in films or broadcasts, may still have \u2018economic rights\u2019 to some copyright material, even if you\u2019ve bought the copyright.\n\nFor example, if you\u2019ve bought the copyright to a filmed recording of a play you may still have to pay the actors if you broadcast it.\n\n## Permitted use of copyright works\n\nYou may not need permission if you\u2019re using a copyright work for the following reasons:\n\n- non-commercial research and private study\n\n- criticism, review and reporting current events\n\n- teaching in educational establishments\n\n- helping disabled people\n\n- recording for use at a later date\n\nYou may not need permission if you only want to use a \u2018less than a substantial\u2019 part of a copyright protected work. This is decided on a case by case basis.\n\nGenerally something won\u2019t be less than a substantial part if it could be seen as an important part of the work, for example a frame from a film or the conclusions of a report.\n\nGet legal advice from an intellectual property professional before using copyrighted material, if you\u2019re in any doubt.\n\nRead the guidance on exceptions to copyright for detailed information.\n\n## Designs\n\nTo use a registered design you must contact the current owner and either agree a licence to use the design or buy it from them.\n\nThe licence between you and the design\u2019s owner will tell you:\n\n- what you can do with the design\n\n- how long your licence will last\n\n- what you have to pay - if anything\n\nYou can do anything with a design that you\u2019ve bought.\n\nFill in and send form DF12A to register a licence or transfer ownership of the design - the address is on the form.\n\nThere\u2019s no fee.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "answerable": true, + "scenario": "I have started a new Youtube channel about movie reviews. I am planning to use some of songs from a movie. The songs are copyrighted", + "original_question": "Will it be enough if I get a permission from a person who acquired the rights ?" + }, + { + "id": "train-273", + "question": "Scenario: We run a software company. We have recently merged with another software company. There is a trade mark registered on the merged company and we are the new owner of the trade mark\n\nQuestion: Do we have to inform IPO about the change of owner ?\n\nDocument - Using somebody else's intellectual property:\n## Overview\n\nYou can usually get permission to use someone else\u2019s intellectual property (IP) by buying the rights from them or getting their permission to use it.\n\nUsing someone\u2019s trade mark, patent, copyright or design without their permission is known as \u2018IP infringement\u2019 and could lead to a fine, prison or both.\n\nRead about IP crime and enforcement for more information on the penalties.\n\n## Trade marks\n\nTo use an existing trade mark you should contact the current owner.\n\nFind the owner of a registered trade mark by searching the trade marks database.\n\n## Licensing\n\nA licence is a formal agreement to use someone else\u2019s trade mark. You and the owner must agree the terms of the licence, for example the cost or how long it will last.\n\nWhen you\u2019ve agreed a licence to use the trade mark, fill in the form to record a licensee and post it. The address is on the form.\n\nPost an application to remove or amend the record of a licence when the licensing agreement ends or if you need to change it.\n\nThe owner must sign any form you send, or you must send proof of the agreement with your application.\n\nEach application costs \u00a350.\n\n## Buying\n\nYou must tell IPO if you become the new owner of a trade mark, for example by buying it or as the result of a company merger.\n\nIn some cases the owner may only sell you one part of a trade mark, for example they may not sell the right to register derivative marks. This is known as a \u2018partial assignment\u2019.\n\nUse either:\n\n- \u2018Application to record a change of ownership\u2019 form\n\n- \u2018Application to record a partial assignment of goods and/or services\u2019 form\n\nEach application costs \u00a350.\n\nFill in the form and post it. The address is on the form.\n\n## Coexistence agreements\n\nYou may be able to use an identical trade mark (for example company name, logo) as someone else by making a coexistence agreement.\n\nThis means you agree that both of you can continue to use the trade mark.\n\n## Patents\n\nContact the owner of the patent to see if they\u2019ll:\n\n- license it to you\n\n- sell it to you\n\nSearch the patent databases to find the current owner.\n\n## Licensing\n\nAny licence arrangement, including cost, is made directly between you and the patent owner.\n\nYou can ask Intellectual Property Office (IPO) for help to resolve patent disputes if you can\u2019t reach an agreement.\n\nIPO can\u2019t decide the exact terms of the licence (for example the price) but can decide:\n\n- what can and can\u2019t be part of a licence\n\n- if the patent owner must grant you a licence (known as a \u2018compulsory licence under a patent\u2019)\n\n## Licence of right\n\nA patent with \u2018licence of right\u2019, means that the patent owners will give anyone a licence to use it.\n\nYou must still agree with the owner on the terms of the licence before you can use the patent.\n\nYou can ask IPO for help if you can\u2019t reach agreement.\n\n## Registering your licence\n\nRegister a licence agreement (or changes to an existing licence, for example cancellation) by filling in Patents form 21. Send it to the address on the form.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Buying a patent\n\nWhen someone sells you a patent they must transfer ownership to you.\n\nYou need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.\n\nA solicitor can help you draw up this document.\n\nFill in Patents form 21 and return it to the address on the form. Include a copy of your assignment.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Copyright\n\nYou can\u2019t copy or use copyright material without permission. For example, you can\u2019t buy a painting and then use copies of it for a book cover, or buy a CD and use a track from it in a film.\n\nTo use something protected by copyright you must either:\n\n- agree a licence with the owner to use it\n\n- buy or acquire the copyright\n\n- confirm that your intended use falls within the exceptions to copyright\n\n## Finding a copyright owner\n\nA person can give permission if they are:\n\n- the person who made it (the creator), or their family or heirs\n\n- the creator\u2019s employer, if it was created it as part of the creator\u2019s job\n\n- a person who bought, acquired or licensed the rights\n\n- an organisation representing the copyright owner\n\nYou may be able to find out who owns copyright from Writers, Artists and their copyright holders (WATCH).\n\nIf you can\u2019t find out who the copyright owner is check if you need a licence to use the work.\n\n## Licensing\n\nYou must agree the terms of an agreement with the current owner to use all or part of copyright works.\n\nThe licence agreement may allow you to use it for one or more specified purposes and may apply only for a limited time or in specific places.\n\n## Exclusive use\n\nYou\u2019ll be the only person able to use something for the duration of the agreement.\n\nThis includes the copyright owner, who won\u2019t be able to use it themselves while the agreement is in place.\n\n## Limited use\n\nYou\u2019ll only be given permission to use something for one or more specific reasons, for example publishing a photograph in one edition of a magazine or using a song as the theme for one series of a TV show.\n\nYou need to agree another licence if you want to use the material for something else.\n\n## Creative Commons licence\n\nSome copyright owners release work under a Creative Commons licence.\n\nYou must check what kind of use the licence allows.\n\n## Buying copyright\n\nWhen you buy copyright the person you\u2019re buying from transfers the copyright to you.\n\nOnce you own the copyright to something you can use it for anything you like, without the creator\u2019s express permission, as long as you respect their moral rights.\n\nYou must have a written agreement, signed by the copyright owner, stating that they have transferred ownership of the copyright to you.\n\n## Moral rights\n\nThe creator may still have certain rights regarding how their work is used even if you\u2019ve bought the copyright.\n\nAuthors, playwrights, composers, artists and film directors have the moral right:\n\n- to be recognised as the creator of the work when copies are made available to the public\n\n- to object to the work being altered in a way that has negative effect on their reputation\n\n- to not have someone else\u2019s work falsely attributed to them\n\nPerformers, such as actors or dancers, have the moral right:\n\n- to be recognised as the performer of the piece\n\n- to object to the performance being altered in a way that is damaging to their reputation\n\nThe creator or performer of a piece of work to which you own the copyright must tell you if they want to exercise these rights.\n\nThey can choose whether or not to use their moral rights.\n\nMoral rights can\u2019t be sold or transferred in the same way as copyright. They last for as long as the piece of work is covered by copyright.\n\n## Performers\u2019 rights\n\nPerformers, for example in films or broadcasts, may still have \u2018economic rights\u2019 to some copyright material, even if you\u2019ve bought the copyright.\n\nFor example, if you\u2019ve bought the copyright to a filmed recording of a play you may still have to pay the actors if you broadcast it.\n\n## Permitted use of copyright works\n\nYou may not need permission if you\u2019re using a copyright work for the following reasons:\n\n- non-commercial research and private study\n\n- criticism, review and reporting current events\n\n- teaching in educational establishments\n\n- helping disabled people\n\n- recording for use at a later date\n\nYou may not need permission if you only want to use a \u2018less than a substantial\u2019 part of a copyright protected work. This is decided on a case by case basis.\n\nGenerally something won\u2019t be less than a substantial part if it could be seen as an important part of the work, for example a frame from a film or the conclusions of a report.\n\nGet legal advice from an intellectual property professional before using copyrighted material, if you\u2019re in any doubt.\n\nRead the guidance on exceptions to copyright for detailed information.\n\n## Designs\n\nTo use a registered design you must contact the current owner and either agree a licence to use the design or buy it from them.\n\nThe licence between you and the design\u2019s owner will tell you:\n\n- what you can do with the design\n\n- how long your licence will last\n\n- what you have to pay - if anything\n\nYou can do anything with a design that you\u2019ve bought.\n\nFill in and send form DF12A to register a licence or transfer ownership of the design - the address is on the form.\n\nThere\u2019s no fee.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "answerable": true, + "scenario": "We run a software company. We have recently merged with another software company. There is a trade mark registered on the merged company and we are the new owner of the trade mark", + "original_question": "Do we have to inform IPO about the change of owner ?" + }, + { + "id": "train-276", + "question": "Scenario: I'm 25 years old and I would like to work on a cruise ship as a casino dealer. I have Type 2 Diabetes, I'm under repeat prescription and I'm also following a strict diet.\n\nQuestion: Can they refuse my request to get my prescription and follow my diet while I am around the world on the ship\n\nDocument - Seafarer working and living rights:\n## Overview\n\nAll seafarers have working and living rights that include:\n\n- employment contracts\n\n- accommodation\n\n- food and medical care\n\nA seafarer is anyone who works on board a seagoing ship, including:\n\n- master and crew\n\n- self-employed contractors\n\n- shopkeepers and hairdressers\n\n- entertainers\n\nA seagoing ship is any vessel:\n\n- on an international voyage or from a foreign port\n\n- on a domestic journey from the UK coast\n\n- more than 500 gross tonnes\n\nThe Maritime Labour Convention (MLC) 2006 came into force on 7 August 2014. It replaced all existing laws on seafarers\u2019 rights.\n\n## Working conditions\n\nThere are minimum requirements seafarers must meet to work at sea.\n\n## Minimum age\n\nThe minimum age for seafarers is 16, although this is 18 if the work involves any:\n\n- night work\n\n- hazardous tasks\n\n## Hazardous tasks\n\nManual tasks on a ship can be hazardous if not done properly, like:\n\n- lifting\n\n- hauling\n\n- mooring\n\n- towing\n\nEmployers of seafarers must ensure their staff:\n\n- know how to operate any equipment correctly\n\n- are aware of safety procedures\n\n- have access to protective personal equipment if needed\n\n## Medical certification for seafarers\n\nAnyone in charge of a ship must have an ENG1 seafarer medical certificate.\n\n## Certificates of competency\n\nSome seafarers will need a certificate of competency before they can carry out certain duties.\n\n## Conditions of employment\n\nSeafarers\u2019 employment contracts are covered by the Maritime Labour Convention (MLC) 2006.\n\n## Working time regulations\n\nAll seafarers on seagoing ships are entitled to:\n\n- a minimum of 10 hours\u2019 rest in any 24 hour period\n\n- 77 hours rest in any 7 day period\n\n- at least 4 weeks\u2019 paid annual leave\n\nRead the Merchant Shipping Regulations 2002 for more information.\n\n## The 'human element'\n\nThe term \u2018human element\u2019 covers anything to do with the interaction between a human and any system aboard ship, and is of high importance in maritime safety and security.\n\nFactors which affect the human element include:\n\n- recruitment and selection policies and methods\n\n- crew competence, training and experience\n\n- conditions of service, motivation and morale\n\n- design, construction and ergonomics\n\n- standards of build and certification\n\n- maintenance\n\n- stress and fatigue\n\n- security\n\n- living and working conditions\n\n- manning levels and hours of work\n\n- management policies\n\n- safety management systems\n\n- operational systems\n\n- organisational and safety culture\n\n- culture of continuous improvement and workforce engagement\n\nFor more information read \u2018The human element: a guide to human behaviour in the shipping industry\u2019.\n\n## Safe working practices\n\nAll UK ships must carry copies of the \u2018Code of Safe Working Practices for Merchant Seamen\u2019, unless it\u2019s a fishing boat or pleasure vessel.\n\n## Safe manning of ships\n\nEmployers must ensure their ships have enough properly trained and certificated officers so that it can operate safely at all times.\n\nThere must also be sufficient food on board for the number of seafarers serving.\n\nRead more in \u2018Merchant Shipping Notice 1868 (M) UK requirements for safe manning and watchkeeping\u2019.\n\n## Noise and vibration\n\nA seafarer\u2019s employer must carry out risk assessments to identify who\u2019s at risk from noise or vibration in their work and what can be done to reduce or remove these risks.\n\n## Protective personal equipment (PPE)\n\nA seafarer\u2019s employer must give them suitable protective equipment if they\u2019re performing dangerous tasks.\n\nYou can find further information in the code of safe working practices for merchant seafarers.\n\n## Living conditions\n\nSeafarers\u2019 living conditions are covered by Maritime Labour Convention (MLC) rules on crew accommodation.\n\n## Food and catering\n\nSeafarers\u2019 food and catering conditions are covered by MSN 1845 under MLC rules.\n\n## Health and safety\n\nEmployers of seafarers must follow health and safety rules and provide:\n\n- safe working places and environment\n\n- safe machinery and equipment\n\n- health and safety training, instruction, supervision and information\n\n- a health and safety policy\n\n- protective clothing and equipment where necessary\n\n- information for workers about the findings of their risk assessment\n\n- information on what qualifications any temporary workers must have\n\n- information about their activities and staff to the company\n\n## Risk assessments\n\nAny vessel seafarers work onboard must have had a risk assessment carried out by their employer or the ship owner.\n\n## New or expectant mothers\n\nWhere women of childbearing age are employed as seafarers, a risk assessment must take place of any potential hazard likely to affect a new or expectant mother.\n\nIt does not matter if they are pregnant at the time of the assessment or not.\n\nIf a risk is found that cannot be removed, a new or expectant mother working as a seafarer can be suspended on full pay providing they have either:\n\n- told their employer they\u2019re pregnant\n\n- given birth in the last 6 months\n\n- are breastfeeding\n\nFor more information on health and safety rules for new and expectant mothers, contact the Seafarer Safety and Health Branch of the Maritime and Coastguard Authority (MCA).\n\n## Additional dangers\n\nSeafarers may face additional dangers when living onboard ships.\n\n## Petrol generators\n\nShips that use petrol generators must have a risk assessment carried out to make sure they provide:\n\n- sufficient power for accommodation and lighting\n\n- adequate ventilation\n\n- adequate alarms - for example, carbon monoxide alarms\n\n## Fumigating cargo spaces\n\nIf pesticides are on board a ship, employers must make sure:\n\n- adequate breathing aids are provided for seafarers checking fumigated cargo bulks\n\n- the ship\u2019s destination port is told 24 hours in advance of receiving this cargo\n\n- properly trained personnel check the relevant cargo bulks at port\n\n## Illegal drugs\n\nThe unauthorised presence of drugs on board a ship can have serious legal implications for seafarers and employers, potentially resulting in:\n\n- heavy fines\n\n- detention of a ship\n\n- imprisonment\n\n- the death penalty\n\n## Potentially dangerous cargo\n\nIf seafarers deal with certain toxic cargo or equipment on board ships, their employer must follow a number of specific requirements.\n\nYou can find further information on specialist ships in section 4 of the Code of Safe Working Practices for Merchant Seamen.\n\n## Health and medical care\n\nEmployers must protect their seafarers\u2019 health by:\n\n- providing immunisations for certain infectious diseases\n\n- making sure hygiene measures are effective and minimise the risks of infection\n\n- making arrangements for infection control\n\n- having the right medical supplies\n\n- knowing the routes and destinations of their ships\n\nUntil the UK made the Maritime Labour Convention (MLA) law, seafarers\u2019 health and safety regulations were covered by the Merchant Shipping Act 1995\n\n## Maritime Labour Convention\n\nThe Maritime Labour Convention (MLC) came into force for the UK on 7 August 2014. It sets out the minimum working and living rights for seafarers.\n\n## Exemptions\n\nThe MLC does not cover seafarers serving on the following boats:\n\n- ships navigating inland or sheltered waters subject to port regulations\n\n- fishing vessels\n\n- warships and naval auxiliaries\n\n- traditional ships, such as dhows\n\n## Minimum requirements\n\nThe MLC sets out minimum standards for seafarers to work on a ship, including:\n\n- minimum age\n\n- medical certification\n\n- training and qualifications\n\n## Age\n\nThe minimum age for seafarers will be 16. Night workers have to be 18 or over.\n\nExceptions can be allowed for:\n\n- training purposes\n\n- where the seafarer\u2019s duties require it, as long as their health and safety is not affected\n\n## Medical certification\n\nAll seafarers must have the right medical certificate to work at sea before they can work on ships.\n\n## Training and qualifications\n\nUnder the MLC, seafarers will need to:\n\n- be trained and qualified to perform onboard duties\n\n- receive personal safety training\n\n- for training to conform to International Maritime Organisation standards\n\nFind out more about seafarer training and qualifications.\n\n## Conditions of employment\n\nUnder the MLC, seafarers have minimum working rights covering:\n\n- employment agreements\n\n- wages\n\n- hours of rest\n\n- entitlement to leave\n\n- repatriation\n\n- compensation for a ship\u2019s loss or foundering\n\n- manning levels\n\n- career and skills development\n\n- employment opportunities\n\n## Employment contracts\n\nThe convention makes sure contracts between seafarers and shipowner provide fair living and working conditions.\n\nContracts should be in English and include:\n\n- shipowner\u2019s name and address\n\n- seafarer\u2019s name, date and place of birth\n\n- place and date where agreement signed\n\n- conditions for the termination of agreement\n\n- health and social security protection benefits provided by shipowner\n\n- seafarer\u2019s right to repatriation\n\nSeafarers must also be:\n\n- allowed to read and consider contracts before signing them\n\n- given a record of their employment\n\n- given their own copy of their contract (the shipowner should also have a copy)\n\n## Wages\n\nUnder the MLC, seafarers\u2019 wages must be:\n\n- paid regularly - for example, monthly\n\n- include monthly statements of accounts\n\n- allow seafarers to transfer part or all of their wages\n\n- keep currency conversion charges to reasonable limits\n\n## Hours of rest\n\nHours of rest must be at least:\n\n- 10 hours in any 24 hour period\n\n- 77 hours in any 7 day period\n\nCrew exercises, such as lifeboat drills, must cause minimal disruption to rest periods. Seafarers called out in a rest period are entitled to a rest period to make up for it.\n\nYou can read Merchant Shipping Notice (MSN) 1848 (M) Amendment 3 MLC survey and certification of UK ships.\n\n## Holiday pay\n\nUnder the MLC, seafarers are entitled to paid leave calculated at 2.5 days per calendar month of employment.\n\nRead more about holiday pay for seafarers in the Merchant Shipping Regulations 2002.\n\n## Repatriation\n\nThis gives seafarers the right to be returned to their home country:\n\n- when their employment contract ends or is cancelled\n\n- when they\u2019re no longer able to carry out their duties\n\n- in the event of shipwreck\n\n- if their ship is bound for a war zone they have not agreed to go to\n\nShipowners cannot request advance payment for repatriation from seafarers. If a shipowner does not make repatriation arrangements, seafarers on UK ships can be repatriated by the MCA.\n\n## Accommodation and recreational facilities\n\nThe Maritime and Labour Convention (MLC) ensures seafarers have access to decent accommodation and recreational facilities when living on ships.\n\n## Medical care\n\nThese cover seafarers\u2019 rights to:\n\n- decent on board health protection facilities, including essential dental care\n\n- the right to visit qualified medical personnel while in port\n\n- access to a qualified medical doctor on ships carrying more than 100 people on international voyages lasting more than 3 days\n\n- where there is no doctor on board, there must be designated and able seafarer(s) to provide first aid and medical care\n\n## Shipowner\u2019s liabilities\n\nUnder the MLC, if a seafarer suffers accident or disability because of their work the shipowner must provide where necessary:\n\n- assistance and medical care\n\n- repatriation\n\n- burial or cremation, if they die\n\nThe shipowner must have financial cover in case they are liable for compensation for long-term disability or illness.\n\nA shipowner is not liable when an injury is not related to a seafarer\u2019s duties, when it\u2019s caused by wilful misconduct or when a seafarer intentionally hides an illness or disability.\n\n## Health and safety protection\n\nUnder the MLC, seafarers\u2019 work environments on ships must:\n\n- have regular risk assessments of workplace hazards - for example, from machinery\n\n- take steps to prevent work accidents\n\n- have a system for reporting accidents and occupational diseases\n\n## Enforcement\n\nUnder the MLC, the MCA can withdraw a ship\u2019s maritime labour certificate if seafarer living and working conditions are breached.\n\n## Complaints\n\nSeafarers can complain if the MLC has not been followed. On board a ship seafarers can complain to a manager. On shore seafarers can complain to an MCA surveyor.\n\nRead MSN 1849 On-board complaints procedure and Marine Guidance Note (MGN) 487 Onshore complaints procedure.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "answerable": true, + "scenario": "I'm 25 years old and I would like to work on a cruise ship as a casino dealer. I have Type 2 Diabetes, I'm under repeat prescription and I'm also following a strict diet.", + "original_question": "Can they refuse my request to get my prescription and follow my diet while I am around the world on the ship" + }, + { + "id": "train-279", + "question": "Scenario: I own a poultry farm in Telford, and I am consistently getting rid of the non-animal waste involved in maintenance and upkeep.\n\nQuestion: Do I have to pay tax as well as our normal landfill fees?\n\nDocument - Environmental taxes, reliefs and schemes for businesses:\n## Overview\n\nEnvironmental taxes encourage your business to operate in a more environmentally friendly way. There are taxes and schemes for different types and size of business.\n\nYou may get reliefs or be exempt from some taxes, for example if:\n\n- you use a lot of energy because of the nature of your business\n\n- you\u2019re a small business that does not use much energy\n\n- you buy energy-efficient technology for your business\n\nYou can pay less tax by applying for schemes to help you demonstrate that you\u2019re operating more efficiently and producing waste that\u2019s less damaging.\n\n## Climate Change Levy\n\nClimate Change Levy (CCL) is paid at either the:\n\n- main rates\n\n- carbon price support (CPS) rates\n\n## Main rates\n\nYou pay CCL at the main rate on:\n\n- electricity\n\n- gas\n\n- solid fuels - like coal, lignite, coke and petroleum coke\n\nThe CCL main rates are listed on your business\u2019s energy bill.\n\nThere\u2019s more detailed information on Climate Change Levy rates and allowances.\n\n## Who it applies to\n\nYou pay the main rates of CCL if your business is in one of the following sectors:\n\n- industrial\n\n- commercial\n\n- agricultural\n\n- public services\n\nYou do not pay the main rate of CCL on certain supplies, for example if you\u2019re a:\n\n- business that uses small amounts of energy\n\n- domestic energy user\n\n- charity engaged in non-commercial activities\n\n## Fuels that are exempt\n\nElectricity, gas and solid fuel are normally exempt from the main rates of CCL if any of the following apply:\n\n- they will not be used in the UK\n\n- they\u2019re supplied to or from certain combined heat and power (CHP) schemes registered under the CHP quality assurance (CHPQA) programme\n\n- the electricity was generated from renewable sources before 1 August 2015\n\n- they\u2019re used to produce electricity in a generating station which has a capacity of 2MW or greater\n\n- they will not be used as fuel\n\n- they\u2019re used in certain forms of transport\n\nThere are other exemptions and reliefs.\n\n## Pay a reduced rate\n\nYou can get a reduction on the main rates of CCL if you\u2019re an energy intensive business and have entered into a climate change agreement (CCA) with the Environment Agency.\n\nEnergy intensive businesses can get a 90% reduction for electricity and a 65% reduction for gas, liquefied petroleum gas (LPG), coal and other solid fuel.\n\nCheck if your business is eligible. Your industry trade association can also give advice.\n\n## Carbon price support rates\n\nThe CPS rates of CCL encourage industry to use low carbon technology for producing electricity.\n\nYou pay CPS rates for:\n\n- gas\n\n- LPG\n\n- coal and other solid fossil fuels\n\n## Who pays CPS rates\n\nThe CPS rates of CCL are paid by owners of electricity generating stations and operators of combined heat and power (CHP) stations.\n\nCertain suppliers do not have to pay CPS rates. These include small generators, stand-by generators and generating stations in Northern Ireland.\n\n## CRC Energy Efficiency Scheme\n\nThe CRC Energy Efficiency Scheme (formerly known as the \u2018Carbon Reduction Commitment\u2019) covers large, non-energy-intensive organisations, for example:\n\n- supermarkets\n\n- hotels\n\n- water companies\n\n- banks\n\n- local authorities, including state-funded schools\n\n- all central government departments\n\n## How it works\n\nYou should already be registered if your business qualifies for the CRC Energy Efficiency Scheme. You must now:\n\n- monitor and report your CO2 emissions from gas and electricity use\n\n- buy enough allowances to cover your annual emissions and surrender them at the end of the year\n\n## If you need more help\n\nThere\u2019s more detailed guidance on the scheme if you\u2019re in England or Wales.\n\n## Emissions trading\n\nThe EU Emissions Trading System (EU ETS) affects businesses from energy-intensive sectors - like the energy industry and certain manufacturers.\n\nIt lets you buy and sell greenhouse gas emission allowances to reduce your organisation\u2019s environmental impact.\n\nLarge organisations not covered by the EU ETS are covered by another scheme called the CRC Energy Efficiency Scheme.\n\n## How it works\n\nIf your business is covered by the EU ETS you must meet targets by:\n\n- cutting your business emissions\n\n- trading emissions allowances\n\nYou\u2019ll need to open an EU Registry account so you can trade allowances. You can then trade allowances by:\n\n- trading directly with other businesses\n\n- buying or selling from intermediaries, for example banks and specialist traders\n\n- using the services of a broker\n\n- joining one of the several exchanges that list carbon allowance products\n\n- bidding at UK government or other EU member state auctions\n\n## Calculate your greenhouse gas emissions\n\nWork out your greenhouse gas emissions by multiplying the amount of energy you use by the (emissions they produce). You need to do this for each type of energy you use.\n\nTo do this, you need to know:\n\n- how much non-renewable energy you\u2019ve used - this information can be found on your gas, electricity and water bills, invoices and receipts\n\n- the greenhouse gases produced by each type of energy (the \u2018emission factor\u2019) - these are updated every year\n\nYou can calculate your carbon emissions online.\n\n## Capital allowances on energy-efficient items\n\nYou can claim capital allowances when you buy energy efficient, or low or zero-carbon technology for your business. This reduces the amount of tax you pay.\n\n## Landfill Tax\n\nYou pay tax on top of your normal landfill fees if your business gets rid of waste using landfill sites.\n\nIf you get rid of waste at sites not authorised for landfill, you\u2019ll be charged Landfill Tax. You may also have to pay a penalty or be taken to court.\n\n## Landfill operators - what you must do\n\nYou need to:\n\n- get a permit\n\n- register within 30 days of setting up - if you do not you can be fined\n\n## What to pay\n\nThe tax is charged by weight. There are 2 rates. You pay the lower rate on \u2018inactive waste\u2019 - for example rocks or soil.\n\n| Rate | Amount you pay |\n\n| Lower rate | \u00a33.10 per tonne |\n\n| Standard rate | \u00a396.70 per tonne |\n\n## Loss on Ignition (LOI) testing regime\n\nIf your landfill site accepts waste fines, you may need to carry out a loss on ignition test to help determine the rate of tax to pay.\n\n## Exemptions\n\nYou do not have to pay Landfill Tax on:\n\n- dredging activities\n\n- quarrying and mining\n\n- pet cemeteries\n\n- inactive waste used for filling quarries\n\nYou can get tax credits if you send waste from landfill to be recycled, incinerated or reused.\n\n## Aggregates Levy\n\nThis is a tax on sand, gravel and rock that\u2019s either been:\n\n- dug from the ground\n\n- dredged from the sea in UK waters\n\n- imported\n\n## What you need to do\n\nYou must register with HM Revenue and Customs (HMRC) if your business exploits aggregate in the UK, for example if you\u2019re a quarry operator.\n\nEvery quarter, you must tell HMRC how much aggregate you\u2019ve produced or sold.\n\n## How much you pay\n\nYou pay tax of \u00a32 per tonne of sand, gravel or rock. You pay less on smaller amounts, for example \u00a31 on half a tonne. You still pay tax if you import the materials.\n\n## Reliefs\n\nYou can get tax relief if you export aggregates or use them in some industrial or agricultural processes. If you do not use the material as aggregate it may be eligible for relief.\n\n## Exemptions\n\nCertain materials are excluded from the tax, for example soil, vegetable or other organic matter.\n\n## If you need more help\n\nThere\u2019s more detailed guidance on Aggregates Levy or you can contact the helpline.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/green-taxes-and-reliefs", + "answerable": true, + "scenario": "I own a poultry farm in Telford, and I am consistently getting rid of the non-animal waste involved in maintenance and upkeep.", + "original_question": "Do I have to pay tax as well as our normal landfill fees?" + }, + { + "id": "train-280", + "question": "Scenario: My parents moved to France in 1990, before I was born. I grow up in France and I have British passport. My 18th birthday is next month and I would like to vote during the next elections because I'm thinking about moving to my grandparents house next year.\n\nQuestion: Can I receive my paperwork at my grandparents house even if I never lived there?\n\nDocument - Types of election, referendums, and who can vote:\n## General election\n\nGeneral elections (elections to the UK Parliament) usually take place every 5 years.\n\nTo vote in a general election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish or qualifying Commonwealth citizen\n\n- be resident at an address in the UK (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)\n\n- not be legally excluded from voting\n\nThere are 650 Members of Parliament (MPs) in the UK Parliament.\n\nMPs are elected using the First Past the Post system. You vote once for a candidate in your constituency and the candidate with the most votes becomes your MP.\n\nYou can find your local MP.\n\nRead more about general elections on The Electoral Commission website.\n\n## Local government\n\nLocal government elections take place at least every 4 years. Not all local government elections take place at the same time.\n\nYour local government will do one of the following:\n\n- elect all the local councillors every 4 years\n\n- elect half the local councillors every 2 years\n\n- elect one third of the local councillors every year for 3 years and hold no elections in the 4th year\n\nTo vote in a local government election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019) (16 or over in Scotland)\n\n- be registered at an address in the area you want to vote in\n\n- not be legally excluded from voting\n\nYou must also be one of the following:\n\n- a British citizen\n\n- an Irish or EU citizen\n\n- a qualifying Commonwealth citizen\n\n- a citizen of another country living in Scotland or Wales who has permission to enter or stay in the UK, or who does not need permission\n\nLocal government councillors in England and Wales are elected using the First Past the Post system. You vote for one candidate in your local area and the candidate with the most votes wins.\n\nIn Scotland and Northern Ireland, councillors are elected using the Single Transferable Vote system. You rank the candidates in order of preference.\n\n## When you can vote in more than one local election\n\nIf you live in 2 different local authority areas (for example because you\u2019re a student), you may be able to vote in both areas.\n\nYou must register to vote in both areas. The local Electoral Registration Offices will check each application and tell you if you can register in both areas.\n\nRead more about local government elections on The Electoral Commission website.\n\n## Scottish Parliament\n\nThere are 129 Members of the Scottish Parliament (MSPs).\n\nTo vote in Scottish Parliament elections you must:\n\n- be registered to vote at an address in Scotland\n\n- be 16 or over on the day of the election (\u2018polling day\u2019)\n\n- not be legally excluded from voting\n\nYou must also be one of the following:\n\n- a British citizen\n\n- an Irish citizen\n\n- a citizen of another country living in Scotland who has permission to enter or stay in the UK, or who does not need permission\n\nMSPs are elected using the Additional Member system. You vote once for your constituency MSP and once for an MSP to represent the wider region.\n\nRead more about the Scottish Parliament elections on The Electoral Commission website.\n\n## Northern Ireland Assembly\n\nThere are 90 Members of the Legislative Assembly (MLAs) in the Northern Ireland Assembly.\n\nTo vote in Northern Ireland Assembly elections you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be registered at an address in the area you want to vote in\n\n- not be legally excluded from voting\n\nMLAs are elected by the Single Transferable Vote system.\n\nRead more about the Northern Ireland Assembly elections on The Electoral Commission website.\n\n## Welsh Parliament\n\nThere are 60 Members of the Senedd Cymru: Welsh Parliament (MSs).\n\nTo vote in Welsh Parliament elections you must:\n\n- be registered to vote\n\n- be 16 or over on the day of the election (\u2018polling day\u2019)\n\n- live in Wales\n\n- not be legally excluded from voting\n\nMSs are elected using the Additional Member system. You vote once for your constituency MS and once for an MS to represent the wider region.\n\nRead more about the Welsh Parliament on The Electoral Commission website.\n\n## Local mayors, Mayor of London and London Assembly\n\n## Elected local mayors\n\nIn some areas of England voters elect a mayor.\n\nCheck if your mayor is elected on your local council website.\n\nMayors are elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, then your second choice is counted.\n\nTo vote for a local mayor, you must be eligible to vote in local elections.\n\n## Mayor of London and London Assembly\n\nThe Mayor of London makes decisions on behalf of the people of London. The 25 London Assembly Members make sure the Mayor\u2019s decisions are in the interests of the public.\n\nTo vote in the London Mayor and London Assembly elections you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be resident at an address in Greater London\n\n- not be legally excluded from voting\n\nThe Mayor of London is elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.\n\nLondon Assembly members are elected using the Additional Member system. You vote once for your constituency member and once for a London-wide representative.\n\nThere are 14 constituency members and 11 London-wide members.\n\nRead more about the Mayor of London and London Assembly elections on The Electoral Commission website.\n\n## Police and Crime Commissioner\n\nThere are 41 Police and Crime Commissioners (PCCs) in England and Wales who are elected to make sure the police are run properly. There is no elected PCC for London.\n\nTo vote in a PCC election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be resident at an address in England or Wales (excluding London)\n\n- not be legally excluded from voting\n\nPCCs are elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.\n\nRead more about Police and Crime Commissioner elections on The Electoral Commission website.\n\n## Referendums\n\nA referendum is a vote on a single issue.\n\nEach referendum has different rules on who can vote in it.\n\nTo vote in a referendum you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the referendum (\u2018polling day\u2019)\n\n- be a British, Irish or Commonwealth citizen\n\n- be resident at an address in the UK or Gibraltar (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)\n\n- not be legally excluded from voting\n\nYou make one choice between 2 options. Votes are counted for the whole of the UK, not by constituency.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/elections-in-the-uk", + "answerable": true, + "scenario": "My parents moved to France in 1990, before I was born. I grow up in France and I have British passport. My 18th birthday is next month and I would like to vote during the next elections because I'm thinking about moving to my grandparents house next year.", + "original_question": "Can I receive my paperwork at my grandparents house even if I never lived there?" + }, + { + "id": "train-281", + "question": "Scenario: I live in London and I'm not happy about how the council is managing the rubbish collection around my area. I think that the Mayor of London should do something about this, I'm more than happy to vote for another one at the next elections. I'm a German national.\n\nQuestion: Can I vote in the next mayoral election?\n\nDocument - Types of election, referendums, and who can vote:\n## General election\n\nGeneral elections (elections to the UK Parliament) usually take place every 5 years.\n\nTo vote in a general election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish or qualifying Commonwealth citizen\n\n- be resident at an address in the UK (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)\n\n- not be legally excluded from voting\n\nThere are 650 Members of Parliament (MPs) in the UK Parliament.\n\nMPs are elected using the First Past the Post system. You vote once for a candidate in your constituency and the candidate with the most votes becomes your MP.\n\nYou can find your local MP.\n\nRead more about general elections on The Electoral Commission website.\n\n## Local government\n\nLocal government elections take place at least every 4 years. Not all local government elections take place at the same time.\n\nYour local government will do one of the following:\n\n- elect all the local councillors every 4 years\n\n- elect half the local councillors every 2 years\n\n- elect one third of the local councillors every year for 3 years and hold no elections in the 4th year\n\nTo vote in a local government election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019) (16 or over in Scotland)\n\n- be registered at an address in the area you want to vote in\n\n- not be legally excluded from voting\n\nYou must also be one of the following:\n\n- a British citizen\n\n- an Irish or EU citizen\n\n- a qualifying Commonwealth citizen\n\n- a citizen of another country living in Scotland or Wales who has permission to enter or stay in the UK, or who does not need permission\n\nLocal government councillors in England and Wales are elected using the First Past the Post system. You vote for one candidate in your local area and the candidate with the most votes wins.\n\nIn Scotland and Northern Ireland, councillors are elected using the Single Transferable Vote system. You rank the candidates in order of preference.\n\n## When you can vote in more than one local election\n\nIf you live in 2 different local authority areas (for example because you\u2019re a student), you may be able to vote in both areas.\n\nYou must register to vote in both areas. The local Electoral Registration Offices will check each application and tell you if you can register in both areas.\n\nRead more about local government elections on The Electoral Commission website.\n\n## Scottish Parliament\n\nThere are 129 Members of the Scottish Parliament (MSPs).\n\nTo vote in Scottish Parliament elections you must:\n\n- be registered to vote at an address in Scotland\n\n- be 16 or over on the day of the election (\u2018polling day\u2019)\n\n- not be legally excluded from voting\n\nYou must also be one of the following:\n\n- a British citizen\n\n- an Irish citizen\n\n- a citizen of another country living in Scotland who has permission to enter or stay in the UK, or who does not need permission\n\nMSPs are elected using the Additional Member system. You vote once for your constituency MSP and once for an MSP to represent the wider region.\n\nRead more about the Scottish Parliament elections on The Electoral Commission website.\n\n## Northern Ireland Assembly\n\nThere are 90 Members of the Legislative Assembly (MLAs) in the Northern Ireland Assembly.\n\nTo vote in Northern Ireland Assembly elections you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be registered at an address in the area you want to vote in\n\n- not be legally excluded from voting\n\nMLAs are elected by the Single Transferable Vote system.\n\nRead more about the Northern Ireland Assembly elections on The Electoral Commission website.\n\n## Welsh Parliament\n\nThere are 60 Members of the Senedd Cymru: Welsh Parliament (MSs).\n\nTo vote in Welsh Parliament elections you must:\n\n- be registered to vote\n\n- be 16 or over on the day of the election (\u2018polling day\u2019)\n\n- live in Wales\n\n- not be legally excluded from voting\n\nMSs are elected using the Additional Member system. You vote once for your constituency MS and once for an MS to represent the wider region.\n\nRead more about the Welsh Parliament on The Electoral Commission website.\n\n## Local mayors, Mayor of London and London Assembly\n\n## Elected local mayors\n\nIn some areas of England voters elect a mayor.\n\nCheck if your mayor is elected on your local council website.\n\nMayors are elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, then your second choice is counted.\n\nTo vote for a local mayor, you must be eligible to vote in local elections.\n\n## Mayor of London and London Assembly\n\nThe Mayor of London makes decisions on behalf of the people of London. The 25 London Assembly Members make sure the Mayor\u2019s decisions are in the interests of the public.\n\nTo vote in the London Mayor and London Assembly elections you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be resident at an address in Greater London\n\n- not be legally excluded from voting\n\nThe Mayor of London is elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.\n\nLondon Assembly members are elected using the Additional Member system. You vote once for your constituency member and once for a London-wide representative.\n\nThere are 14 constituency members and 11 London-wide members.\n\nRead more about the Mayor of London and London Assembly elections on The Electoral Commission website.\n\n## Police and Crime Commissioner\n\nThere are 41 Police and Crime Commissioners (PCCs) in England and Wales who are elected to make sure the police are run properly. There is no elected PCC for London.\n\nTo vote in a PCC election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be resident at an address in England or Wales (excluding London)\n\n- not be legally excluded from voting\n\nPCCs are elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.\n\nRead more about Police and Crime Commissioner elections on The Electoral Commission website.\n\n## Referendums\n\nA referendum is a vote on a single issue.\n\nEach referendum has different rules on who can vote in it.\n\nTo vote in a referendum you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the referendum (\u2018polling day\u2019)\n\n- be a British, Irish or Commonwealth citizen\n\n- be resident at an address in the UK or Gibraltar (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)\n\n- not be legally excluded from voting\n\nYou make one choice between 2 options. Votes are counted for the whole of the UK, not by constituency.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/elections-in-the-uk", + "answerable": true, + "scenario": "I live in London and I'm not happy about how the council is managing the rubbish collection around my area. I think that the Mayor of London should do something about this, I'm more than happy to vote for another one at the next elections. I'm a German national.", + "original_question": "Can I vote in the next mayoral election?" + }, + { + "id": "train-286", + "question": "Scenario: I am a single parent with two children under the age of ten. I work full time but only earn minimum wage. I do not get any sort of support from the father of my children. I do not have any family members who can help me with childcare. I have no savings and indeed am in a small amount of debt.\n\nQuestion: Am I entitled to tax credits?\n\nDocument - How to claim tax credits:\n## How to claim\n\nTax credits have been replaced by Universal Credit.\n\nYou can only make a claim for Child Tax Credit or Working Tax Credit if you already get tax credits. You\u2019ll need to update your existing tax credit claim by\u00a0reporting a change in your circumstances online or by phone.\n\nIf you cannot apply for tax credits, you can apply for Universal Credit instead.\n\nYou might be able to apply for Pension Credit if you and your partner are State Pension age or over.\n\n## When to claim\n\nApply as soon as you know you\u2019re eligible so you get all the money you\u2019re entitled to.\n\nYou can claim tax credits at any time of year.\n\n## If you know your income will go down\n\nApply straight away if you know your income will drop to a level that means you\u2019ll be eligible for tax credits.\n\nFor example, you could make a claim now if you found out your income is going to drop in 6 months\u2019 time.\n\nThe income levels for Working Tax Credit and Child Tax Credit are different.\n\nUsually, tax credits are backdated by up to 31 days from the start of your claim.\n\n## Joint claims\n\nYou can apply for tax credits as a single person, or as a couple (known as a \u2018joint claim\u2019) if you\u2019re both 16 or over and living in the UK.\n\nUsually, you must make a joint claim if:\n\n- you\u2019re married or in a civil partnership (and not permanently or legally separated)\n\n- you live with your partner as though you\u2019re married or in a civil partnership\n\n- you\u2019re temporarily living away from one another, for example looking after a relative or working away from home\n\n- your partner is working abroad for the government\n\nYou might also need to make a joint claim if you and your partner are not married or in a civil partnership, but:\n\n- sometimes live in the same house\n\n- have a joint financial agreement\n\n- have dependent children\n\n## Exceptions\n\nYou do not always make a joint claim because you have a partner. For example, make a single claim if:\n\n- you live in the UK but your partner lives abroad (unless your partner works for the government)\n\n- you both live abroad, you\u2019re from the EEA or Switzerland and you work in the UK but your partner does not\n\n## If you\u2019re not sure\n\nCall HM Revenue and Customs to find out if you should make a joint claim.\n\nYou must pay back any tax credits you\u2019re not entitled to if you do not make the right sort of application.\n\n## Backdate a claim\n\nWhen you make a claim, your tax credits are usually backdated automatically by up to 31 days. You do not have to do anything.\n\n## If you\u2019re claiming other benefits\n\nYou have to ask for your tax credits to be backdated if you get:\n\n- Income Support\n\n- Jobseeker\u2019s Allowance (income-based)\n\n- Employment and Support Allowance (income-related)\n\n- Pension Credit\n\nYou might not get the full backdated claim if you stopped getting one of these benefits in the last 31 days and you\u2019re claiming both Child Tax Credit and Working Tax Credit.\n\n## Backdating by more than 31 days\n\nTax credit claims can sometimes be backdated by more than 31 days if you:\n\n- apply within a month of getting refugee status\n\n- apply within 31 days of qualifying for certain sickness or disability benefits, such as Disability Living Allowance or Personal Independence Payment\n\nDo not apply to backdate these claims until you\u2019ve been given a decision on your refugee status or disability benefits.\n\nYou should still apply for other tax credits if you already qualify for them, for example if you have children.\n\n## How to backdate a claim\n\nIf you\u2019re claiming over the phone, call HM Revenue and Customs to ask them to backdate your claim.\n\nIf you\u2019re using claim form, include a page confirming:\n\n- your name, address and National Insurance number\n\n- the date you started work\n\n- the date you started getting one of the benefits listed, if you\u2019re not in work\n\n- the date you got a decision on your refugee status or disability benefits - if you\u2019re applying to backdate by more than 31 days\n\n## What counts as income\n\nUsually, what you\u2019re entitled to is based on your income for the last tax year (6 April 2020 to 5 April 2021).\n\nIncome includes:\n\n- money from employment before tax and National Insurance, including if you cannot work but you\u2019re still getting paid (\u2018on furlough\u2019) - check your P60s, P45s or payslips\n\n- earnings if you\u2019re self-employed before tax and National Insurance, including grants from the Self-Employment Income Support Scheme - check your Self Assessment tax return\n\n- money from some coronavirus (COVID-19) payments\n\n- benefits from your employer (check your P11D)\n\n- certain state benefits\n\n- money from a pension - including your State Pension\n\n- interest on savings\n\n- your partner\u2019s income - if you make a joint claim\n\n- UK company dividends\n\n- profit from a property you own or rent out in the UK\n\n- earnings from the Rent a Room Scheme above \u00a37,500 (or \u00a33,750 if you\u2019re a joint owner)\n\n- payment above \u00a330,000 because your job ended\n\nHM Revenue and Customs (HMRC) has detailed guidance if you need help working out your income.\n\n## Benefits\n\nIncome includes money from UK state benefits (or their foreign equivalents) except income-based Jobseeker\u2019s Allowance (JSA) or \u2018tax-free\u2019 benefits. Tax-free benefits include:\n\n- Child Benefit\n\n- Housing Benefit\n\n- Attendance Allowance\n\n- Disability Living Allowance\n\n- Personal Independence Payment\n\n- the foreign equivalents of UK tax-free benefits\n\nTo support your claim, keep records of your income, bills, payslips, benefits, tax credits, childcare and child\u2019s education for the current tax year and at least 2 years before that.\n\n## Work out your hours\n\nPut the number of hours you work in a normal week on your claim form.\n\nAdd all your hours together if you have more than one job.\n\nIf you\u2019ve just started work put the hours you expect to work.\n\n| Type of work | How to work out your hours |\n\n| Employed | Include overtime, but not unpaid breaks |\n\n| Self-employed | Include all the time you spend on your business (once you\u2019ve set it up) |\n\n| Seasonal | Put the hours you\u2019re working at the moment |\n\n| Regular term-time | Put the hours you work during term time |\n\n| Agency | Decide your normal hours with your employer |\n\n| On-call | Only count the hours you\u2019re called to work |\n\n| On standby | Do not count the time when you\u2019re not paid |", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/claim-tax-credits", + "answerable": true, + "scenario": "I am a single parent with two children under the age of ten. I work full time but only earn minimum wage. I do not get any sort of support from the father of my children. I do not have any family members who can help me with childcare. I have no savings and indeed am in a small amount of debt.", + "original_question": "Am I entitled to tax credits?" + }, + { + "id": "train-287", + "question": "Scenario: I am a married parent of three children. I work part time and my husband has a low paying full time job. I have recently learned that we might have been eligible for tax credits for the past two or three years but we did not know this.\n\nQuestion: Can we put in a backdated claim for tax credits and if so how do we go about it?\n\nDocument - How to claim tax credits:\n## How to claim\n\nTax credits have been replaced by Universal Credit.\n\nYou can only make a claim for Child Tax Credit or Working Tax Credit if you already get tax credits. You\u2019ll need to update your existing tax credit claim by\u00a0reporting a change in your circumstances online or by phone.\n\nIf you cannot apply for tax credits, you can apply for Universal Credit instead.\n\nYou might be able to apply for Pension Credit if you and your partner are State Pension age or over.\n\n## When to claim\n\nApply as soon as you know you\u2019re eligible so you get all the money you\u2019re entitled to.\n\nYou can claim tax credits at any time of year.\n\n## If you know your income will go down\n\nApply straight away if you know your income will drop to a level that means you\u2019ll be eligible for tax credits.\n\nFor example, you could make a claim now if you found out your income is going to drop in 6 months\u2019 time.\n\nThe income levels for Working Tax Credit and Child Tax Credit are different.\n\nUsually, tax credits are backdated by up to 31 days from the start of your claim.\n\n## Joint claims\n\nYou can apply for tax credits as a single person, or as a couple (known as a \u2018joint claim\u2019) if you\u2019re both 16 or over and living in the UK.\n\nUsually, you must make a joint claim if:\n\n- you\u2019re married or in a civil partnership (and not permanently or legally separated)\n\n- you live with your partner as though you\u2019re married or in a civil partnership\n\n- you\u2019re temporarily living away from one another, for example looking after a relative or working away from home\n\n- your partner is working abroad for the government\n\nYou might also need to make a joint claim if you and your partner are not married or in a civil partnership, but:\n\n- sometimes live in the same house\n\n- have a joint financial agreement\n\n- have dependent children\n\n## Exceptions\n\nYou do not always make a joint claim because you have a partner. For example, make a single claim if:\n\n- you live in the UK but your partner lives abroad (unless your partner works for the government)\n\n- you both live abroad, you\u2019re from the EEA or Switzerland and you work in the UK but your partner does not\n\n## If you\u2019re not sure\n\nCall HM Revenue and Customs to find out if you should make a joint claim.\n\nYou must pay back any tax credits you\u2019re not entitled to if you do not make the right sort of application.\n\n## Backdate a claim\n\nWhen you make a claim, your tax credits are usually backdated automatically by up to 31 days. You do not have to do anything.\n\n## If you\u2019re claiming other benefits\n\nYou have to ask for your tax credits to be backdated if you get:\n\n- Income Support\n\n- Jobseeker\u2019s Allowance (income-based)\n\n- Employment and Support Allowance (income-related)\n\n- Pension Credit\n\nYou might not get the full backdated claim if you stopped getting one of these benefits in the last 31 days and you\u2019re claiming both Child Tax Credit and Working Tax Credit.\n\n## Backdating by more than 31 days\n\nTax credit claims can sometimes be backdated by more than 31 days if you:\n\n- apply within a month of getting refugee status\n\n- apply within 31 days of qualifying for certain sickness or disability benefits, such as Disability Living Allowance or Personal Independence Payment\n\nDo not apply to backdate these claims until you\u2019ve been given a decision on your refugee status or disability benefits.\n\nYou should still apply for other tax credits if you already qualify for them, for example if you have children.\n\n## How to backdate a claim\n\nIf you\u2019re claiming over the phone, call HM Revenue and Customs to ask them to backdate your claim.\n\nIf you\u2019re using claim form, include a page confirming:\n\n- your name, address and National Insurance number\n\n- the date you started work\n\n- the date you started getting one of the benefits listed, if you\u2019re not in work\n\n- the date you got a decision on your refugee status or disability benefits - if you\u2019re applying to backdate by more than 31 days\n\n## What counts as income\n\nUsually, what you\u2019re entitled to is based on your income for the last tax year (6 April 2020 to 5 April 2021).\n\nIncome includes:\n\n- money from employment before tax and National Insurance, including if you cannot work but you\u2019re still getting paid (\u2018on furlough\u2019) - check your P60s, P45s or payslips\n\n- earnings if you\u2019re self-employed before tax and National Insurance, including grants from the Self-Employment Income Support Scheme - check your Self Assessment tax return\n\n- money from some coronavirus (COVID-19) payments\n\n- benefits from your employer (check your P11D)\n\n- certain state benefits\n\n- money from a pension - including your State Pension\n\n- interest on savings\n\n- your partner\u2019s income - if you make a joint claim\n\n- UK company dividends\n\n- profit from a property you own or rent out in the UK\n\n- earnings from the Rent a Room Scheme above \u00a37,500 (or \u00a33,750 if you\u2019re a joint owner)\n\n- payment above \u00a330,000 because your job ended\n\nHM Revenue and Customs (HMRC) has detailed guidance if you need help working out your income.\n\n## Benefits\n\nIncome includes money from UK state benefits (or their foreign equivalents) except income-based Jobseeker\u2019s Allowance (JSA) or \u2018tax-free\u2019 benefits. Tax-free benefits include:\n\n- Child Benefit\n\n- Housing Benefit\n\n- Attendance Allowance\n\n- Disability Living Allowance\n\n- Personal Independence Payment\n\n- the foreign equivalents of UK tax-free benefits\n\nTo support your claim, keep records of your income, bills, payslips, benefits, tax credits, childcare and child\u2019s education for the current tax year and at least 2 years before that.\n\n## Work out your hours\n\nPut the number of hours you work in a normal week on your claim form.\n\nAdd all your hours together if you have more than one job.\n\nIf you\u2019ve just started work put the hours you expect to work.\n\n| Type of work | How to work out your hours |\n\n| Employed | Include overtime, but not unpaid breaks |\n\n| Self-employed | Include all the time you spend on your business (once you\u2019ve set it up) |\n\n| Seasonal | Put the hours you\u2019re working at the moment |\n\n| Regular term-time | Put the hours you work during term time |\n\n| Agency | Decide your normal hours with your employer |\n\n| On-call | Only count the hours you\u2019re called to work |\n\n| On standby | Do not count the time when you\u2019re not paid |", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/claim-tax-credits", + "answerable": true, + "scenario": "I am a married parent of three children. I work part time and my husband has a low paying full time job. I have recently learned that we might have been eligible for tax credits for the past two or three years but we did not know this.", + "original_question": "Can we put in a backdated claim for tax credits and if so how do we go about it?" + }, + { + "id": "train-290", + "question": "Scenario: We are a IT company and recently we are investing on the Artificial Intelligence. There is a patent registered on Machine learning that we are interested in buying and seller is happy to sell it.\n\nQuestion: Is it possible to buy a patent when someone sells it ?\n\nDocument - Using somebody else's intellectual property:\n## Overview\n\nYou can usually get permission to use someone else\u2019s intellectual property (IP) by buying the rights from them or getting their permission to use it.\n\nUsing someone\u2019s trade mark, patent, copyright or design without their permission is known as \u2018IP infringement\u2019 and could lead to a fine, prison or both.\n\nRead about IP crime and enforcement for more information on the penalties.\n\n## Trade marks\n\nTo use an existing trade mark you should contact the current owner.\n\nFind the owner of a registered trade mark by searching the trade marks database.\n\n## Licensing\n\nA licence is a formal agreement to use someone else\u2019s trade mark. You and the owner must agree the terms of the licence, for example the cost or how long it will last.\n\nWhen you\u2019ve agreed a licence to use the trade mark, fill in the form to record a licensee and post it. The address is on the form.\n\nPost an application to remove or amend the record of a licence when the licensing agreement ends or if you need to change it.\n\nThe owner must sign any form you send, or you must send proof of the agreement with your application.\n\nEach application costs \u00a350.\n\n## Buying\n\nYou must tell IPO if you become the new owner of a trade mark, for example by buying it or as the result of a company merger.\n\nIn some cases the owner may only sell you one part of a trade mark, for example they may not sell the right to register derivative marks. This is known as a \u2018partial assignment\u2019.\n\nUse either:\n\n- \u2018Application to record a change of ownership\u2019 form\n\n- \u2018Application to record a partial assignment of goods and/or services\u2019 form\n\nEach application costs \u00a350.\n\nFill in the form and post it. The address is on the form.\n\n## Coexistence agreements\n\nYou may be able to use an identical trade mark (for example company name, logo) as someone else by making a coexistence agreement.\n\nThis means you agree that both of you can continue to use the trade mark.\n\n## Patents\n\nContact the owner of the patent to see if they\u2019ll:\n\n- license it to you\n\n- sell it to you\n\nSearch the patent databases to find the current owner.\n\n## Licensing\n\nAny licence arrangement, including cost, is made directly between you and the patent owner.\n\nYou can ask Intellectual Property Office (IPO) for help to resolve patent disputes if you can\u2019t reach an agreement.\n\nIPO can\u2019t decide the exact terms of the licence (for example the price) but can decide:\n\n- what can and can\u2019t be part of a licence\n\n- if the patent owner must grant you a licence (known as a \u2018compulsory licence under a patent\u2019)\n\n## Licence of right\n\nA patent with \u2018licence of right\u2019, means that the patent owners will give anyone a licence to use it.\n\nYou must still agree with the owner on the terms of the licence before you can use the patent.\n\nYou can ask IPO for help if you can\u2019t reach agreement.\n\n## Registering your licence\n\nRegister a licence agreement (or changes to an existing licence, for example cancellation) by filling in Patents form 21. Send it to the address on the form.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Buying a patent\n\nWhen someone sells you a patent they must transfer ownership to you.\n\nYou need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.\n\nA solicitor can help you draw up this document.\n\nFill in Patents form 21 and return it to the address on the form. Include a copy of your assignment.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Copyright\n\nYou can\u2019t copy or use copyright material without permission. For example, you can\u2019t buy a painting and then use copies of it for a book cover, or buy a CD and use a track from it in a film.\n\nTo use something protected by copyright you must either:\n\n- agree a licence with the owner to use it\n\n- buy or acquire the copyright\n\n- confirm that your intended use falls within the exceptions to copyright\n\n## Finding a copyright owner\n\nA person can give permission if they are:\n\n- the person who made it (the creator), or their family or heirs\n\n- the creator\u2019s employer, if it was created it as part of the creator\u2019s job\n\n- a person who bought, acquired or licensed the rights\n\n- an organisation representing the copyright owner\n\nYou may be able to find out who owns copyright from Writers, Artists and their copyright holders (WATCH).\n\nIf you can\u2019t find out who the copyright owner is check if you need a licence to use the work.\n\n## Licensing\n\nYou must agree the terms of an agreement with the current owner to use all or part of copyright works.\n\nThe licence agreement may allow you to use it for one or more specified purposes and may apply only for a limited time or in specific places.\n\n## Exclusive use\n\nYou\u2019ll be the only person able to use something for the duration of the agreement.\n\nThis includes the copyright owner, who won\u2019t be able to use it themselves while the agreement is in place.\n\n## Limited use\n\nYou\u2019ll only be given permission to use something for one or more specific reasons, for example publishing a photograph in one edition of a magazine or using a song as the theme for one series of a TV show.\n\nYou need to agree another licence if you want to use the material for something else.\n\n## Creative Commons licence\n\nSome copyright owners release work under a Creative Commons licence.\n\nYou must check what kind of use the licence allows.\n\n## Buying copyright\n\nWhen you buy copyright the person you\u2019re buying from transfers the copyright to you.\n\nOnce you own the copyright to something you can use it for anything you like, without the creator\u2019s express permission, as long as you respect their moral rights.\n\nYou must have a written agreement, signed by the copyright owner, stating that they have transferred ownership of the copyright to you.\n\n## Moral rights\n\nThe creator may still have certain rights regarding how their work is used even if you\u2019ve bought the copyright.\n\nAuthors, playwrights, composers, artists and film directors have the moral right:\n\n- to be recognised as the creator of the work when copies are made available to the public\n\n- to object to the work being altered in a way that has negative effect on their reputation\n\n- to not have someone else\u2019s work falsely attributed to them\n\nPerformers, such as actors or dancers, have the moral right:\n\n- to be recognised as the performer of the piece\n\n- to object to the performance being altered in a way that is damaging to their reputation\n\nThe creator or performer of a piece of work to which you own the copyright must tell you if they want to exercise these rights.\n\nThey can choose whether or not to use their moral rights.\n\nMoral rights can\u2019t be sold or transferred in the same way as copyright. They last for as long as the piece of work is covered by copyright.\n\n## Performers\u2019 rights\n\nPerformers, for example in films or broadcasts, may still have \u2018economic rights\u2019 to some copyright material, even if you\u2019ve bought the copyright.\n\nFor example, if you\u2019ve bought the copyright to a filmed recording of a play you may still have to pay the actors if you broadcast it.\n\n## Permitted use of copyright works\n\nYou may not need permission if you\u2019re using a copyright work for the following reasons:\n\n- non-commercial research and private study\n\n- criticism, review and reporting current events\n\n- teaching in educational establishments\n\n- helping disabled people\n\n- recording for use at a later date\n\nYou may not need permission if you only want to use a \u2018less than a substantial\u2019 part of a copyright protected work. This is decided on a case by case basis.\n\nGenerally something won\u2019t be less than a substantial part if it could be seen as an important part of the work, for example a frame from a film or the conclusions of a report.\n\nGet legal advice from an intellectual property professional before using copyrighted material, if you\u2019re in any doubt.\n\nRead the guidance on exceptions to copyright for detailed information.\n\n## Designs\n\nTo use a registered design you must contact the current owner and either agree a licence to use the design or buy it from them.\n\nThe licence between you and the design\u2019s owner will tell you:\n\n- what you can do with the design\n\n- how long your licence will last\n\n- what you have to pay - if anything\n\nYou can do anything with a design that you\u2019ve bought.\n\nFill in and send form DF12A to register a licence or transfer ownership of the design - the address is on the form.\n\nThere\u2019s no fee.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "answerable": true, + "scenario": "We are a IT company and recently we are investing on the Artificial Intelligence. There is a patent registered on Machine learning that we are interested in buying and seller is happy to sell it.", + "original_question": "Is it possible to buy a patent when someone sells it ?" + }, + { + "id": "train-291", + "question": "Scenario: We as an organisation are planning to buy a copyright of a design work. This work was created by a person who works for a company. The person created the design work as part of his job\n\nQuestion: Can the creator's employer can give us permission to use?\n\nDocument - Using somebody else's intellectual property:\n## Overview\n\nYou can usually get permission to use someone else\u2019s intellectual property (IP) by buying the rights from them or getting their permission to use it.\n\nUsing someone\u2019s trade mark, patent, copyright or design without their permission is known as \u2018IP infringement\u2019 and could lead to a fine, prison or both.\n\nRead about IP crime and enforcement for more information on the penalties.\n\n## Trade marks\n\nTo use an existing trade mark you should contact the current owner.\n\nFind the owner of a registered trade mark by searching the trade marks database.\n\n## Licensing\n\nA licence is a formal agreement to use someone else\u2019s trade mark. You and the owner must agree the terms of the licence, for example the cost or how long it will last.\n\nWhen you\u2019ve agreed a licence to use the trade mark, fill in the form to record a licensee and post it. The address is on the form.\n\nPost an application to remove or amend the record of a licence when the licensing agreement ends or if you need to change it.\n\nThe owner must sign any form you send, or you must send proof of the agreement with your application.\n\nEach application costs \u00a350.\n\n## Buying\n\nYou must tell IPO if you become the new owner of a trade mark, for example by buying it or as the result of a company merger.\n\nIn some cases the owner may only sell you one part of a trade mark, for example they may not sell the right to register derivative marks. This is known as a \u2018partial assignment\u2019.\n\nUse either:\n\n- \u2018Application to record a change of ownership\u2019 form\n\n- \u2018Application to record a partial assignment of goods and/or services\u2019 form\n\nEach application costs \u00a350.\n\nFill in the form and post it. The address is on the form.\n\n## Coexistence agreements\n\nYou may be able to use an identical trade mark (for example company name, logo) as someone else by making a coexistence agreement.\n\nThis means you agree that both of you can continue to use the trade mark.\n\n## Patents\n\nContact the owner of the patent to see if they\u2019ll:\n\n- license it to you\n\n- sell it to you\n\nSearch the patent databases to find the current owner.\n\n## Licensing\n\nAny licence arrangement, including cost, is made directly between you and the patent owner.\n\nYou can ask Intellectual Property Office (IPO) for help to resolve patent disputes if you can\u2019t reach an agreement.\n\nIPO can\u2019t decide the exact terms of the licence (for example the price) but can decide:\n\n- what can and can\u2019t be part of a licence\n\n- if the patent owner must grant you a licence (known as a \u2018compulsory licence under a patent\u2019)\n\n## Licence of right\n\nA patent with \u2018licence of right\u2019, means that the patent owners will give anyone a licence to use it.\n\nYou must still agree with the owner on the terms of the licence before you can use the patent.\n\nYou can ask IPO for help if you can\u2019t reach agreement.\n\n## Registering your licence\n\nRegister a licence agreement (or changes to an existing licence, for example cancellation) by filling in Patents form 21. Send it to the address on the form.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Buying a patent\n\nWhen someone sells you a patent they must transfer ownership to you.\n\nYou need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.\n\nA solicitor can help you draw up this document.\n\nFill in Patents form 21 and return it to the address on the form. Include a copy of your assignment.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Copyright\n\nYou can\u2019t copy or use copyright material without permission. For example, you can\u2019t buy a painting and then use copies of it for a book cover, or buy a CD and use a track from it in a film.\n\nTo use something protected by copyright you must either:\n\n- agree a licence with the owner to use it\n\n- buy or acquire the copyright\n\n- confirm that your intended use falls within the exceptions to copyright\n\n## Finding a copyright owner\n\nA person can give permission if they are:\n\n- the person who made it (the creator), or their family or heirs\n\n- the creator\u2019s employer, if it was created it as part of the creator\u2019s job\n\n- a person who bought, acquired or licensed the rights\n\n- an organisation representing the copyright owner\n\nYou may be able to find out who owns copyright from Writers, Artists and their copyright holders (WATCH).\n\nIf you can\u2019t find out who the copyright owner is check if you need a licence to use the work.\n\n## Licensing\n\nYou must agree the terms of an agreement with the current owner to use all or part of copyright works.\n\nThe licence agreement may allow you to use it for one or more specified purposes and may apply only for a limited time or in specific places.\n\n## Exclusive use\n\nYou\u2019ll be the only person able to use something for the duration of the agreement.\n\nThis includes the copyright owner, who won\u2019t be able to use it themselves while the agreement is in place.\n\n## Limited use\n\nYou\u2019ll only be given permission to use something for one or more specific reasons, for example publishing a photograph in one edition of a magazine or using a song as the theme for one series of a TV show.\n\nYou need to agree another licence if you want to use the material for something else.\n\n## Creative Commons licence\n\nSome copyright owners release work under a Creative Commons licence.\n\nYou must check what kind of use the licence allows.\n\n## Buying copyright\n\nWhen you buy copyright the person you\u2019re buying from transfers the copyright to you.\n\nOnce you own the copyright to something you can use it for anything you like, without the creator\u2019s express permission, as long as you respect their moral rights.\n\nYou must have a written agreement, signed by the copyright owner, stating that they have transferred ownership of the copyright to you.\n\n## Moral rights\n\nThe creator may still have certain rights regarding how their work is used even if you\u2019ve bought the copyright.\n\nAuthors, playwrights, composers, artists and film directors have the moral right:\n\n- to be recognised as the creator of the work when copies are made available to the public\n\n- to object to the work being altered in a way that has negative effect on their reputation\n\n- to not have someone else\u2019s work falsely attributed to them\n\nPerformers, such as actors or dancers, have the moral right:\n\n- to be recognised as the performer of the piece\n\n- to object to the performance being altered in a way that is damaging to their reputation\n\nThe creator or performer of a piece of work to which you own the copyright must tell you if they want to exercise these rights.\n\nThey can choose whether or not to use their moral rights.\n\nMoral rights can\u2019t be sold or transferred in the same way as copyright. They last for as long as the piece of work is covered by copyright.\n\n## Performers\u2019 rights\n\nPerformers, for example in films or broadcasts, may still have \u2018economic rights\u2019 to some copyright material, even if you\u2019ve bought the copyright.\n\nFor example, if you\u2019ve bought the copyright to a filmed recording of a play you may still have to pay the actors if you broadcast it.\n\n## Permitted use of copyright works\n\nYou may not need permission if you\u2019re using a copyright work for the following reasons:\n\n- non-commercial research and private study\n\n- criticism, review and reporting current events\n\n- teaching in educational establishments\n\n- helping disabled people\n\n- recording for use at a later date\n\nYou may not need permission if you only want to use a \u2018less than a substantial\u2019 part of a copyright protected work. This is decided on a case by case basis.\n\nGenerally something won\u2019t be less than a substantial part if it could be seen as an important part of the work, for example a frame from a film or the conclusions of a report.\n\nGet legal advice from an intellectual property professional before using copyrighted material, if you\u2019re in any doubt.\n\nRead the guidance on exceptions to copyright for detailed information.\n\n## Designs\n\nTo use a registered design you must contact the current owner and either agree a licence to use the design or buy it from them.\n\nThe licence between you and the design\u2019s owner will tell you:\n\n- what you can do with the design\n\n- how long your licence will last\n\n- what you have to pay - if anything\n\nYou can do anything with a design that you\u2019ve bought.\n\nFill in and send form DF12A to register a licence or transfer ownership of the design - the address is on the form.\n\nThere\u2019s no fee.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "answerable": true, + "scenario": "We as an organisation are planning to buy a copyright of a design work. This work was created by a person who works for a company. The person created the design work as part of his job", + "original_question": "Can the creator's employer can give us permission to use?" + }, + { + "id": "train-292", + "question": "Scenario: I am only seventeen but will be eighteen by the time of the next election (both general and local) and would like to be able to vote for the first time but I do not know how to go about this.\n\nQuestion: Will I be automatically added to the electoral roll when I turn eighteen?\n\nDocument - How to vote:\n## Overview\n\nYou need to be registered to vote before you can vote in UK elections or referendums.\n\nIf you\u2019re eligible, you can vote in person on the day of the election at a named polling station. You can also apply for a postal or proxy vote instead.\n\nFind out about voting safely during coronavirus (COVID-19).\n\n## Ways of voting\n\nYou can vote:\n\n- in person at a polling station\n\n- by post\n\n- by asking someone else to vote for you (voting by proxy)\n\nYou cannot vote online in any elections.\n\n## Eligibility to vote\n\nYou can vote when you\u2019re:\n\n- 18 years old in England and Northern Ireland\n\n- 16 years old in Scottish Parliament and local elections (and other elections when you\u2019re 18)\n\n- 16 years old in Welsh Parliament elections (and other elections when you\u2019re 18)\n\n## Elections you can vote in\n\nDifferent elections have different rules on who can vote.\n\n## Voting and coronavirus (COVID-19)\n\nElections and referendums are going ahead during coronavirus (COVID-19), though you may see changes to some processes. You can still vote in person at a polling station.\n\nIf you\u2019re self-isolating, clinically extremely vulnerable, or do not want to go to the polling station, you can vote by post or vote by proxy.\n\nYou may also be able to get an emergency proxy vote at short notice if you need to self-isolate shortly before or on election day.\n\n## At the polling station\n\nBecause of COVID-19, there will be safety measures in place at polling stations to help you vote safely (for example, a one-way system or restrictions on the number of people allowed in).\n\nIf you choose to vote in person, make sure you:\n\n- wear a face covering (unless you\u2019re exempt)\n\n- bring your own pen or pencil (there will be clean pencils available at the polling station if you forget to bring your own)\n\n- use the hand sanitiser provided when entering and leaving the polling station\n\n- keep to social distancing guidelines\n\n## If you have COVID-19 symptoms or have been asked to self-isolate\n\nDo not visit the polling station. Apply for an emergency proxy vote instead. Your proxy can also apply if they develop symptoms.\n\nYou can apply until 5pm on election day. There are different forms to:\n\n- apply for an emergency proxy vote in England\n\n- apply for an emergency proxy vote in Scotland\n\n- apply for an emergency proxy vote in Wales\n\n## Voting in person\n\nYou vote in person at a polling station (usually in a public building, such as a school or local hall).\n\n## Your poll card\n\nYou\u2019ll be sent a poll card just before an election telling you when to vote and at which polling station. You can only vote at the polling station location on your card.\n\nIf you have not received a poll card but think you should, contact your local Electoral Registration Office.\n\nYou can still vote if you\u2019ve lost your card.\n\n## When you can vote\n\nPolling stations will be open from 7am to 10pm on the day of an election (\u2018polling day\u2019).\n\n## When you get to the polling station\n\nGive your name and address to the staff inside the polling station when you arrive.\n\nYou\u2019ll be given a ballot paper containing a list of the people, parties or options you can vote for.\n\n## ID you need to bring\n\nIf you live in England, Wales or Scotland you do not need to bring any identification to vote.\n\nYou will need to show photo ID to vote in Northern Ireland (your passport, driving licence, Electoral Identity Card or certain kinds of Translink Smartpass).\n\nYou do not have to take your poll card with you.\n\n## Filling in your ballot paper\n\nFollow the instructions on the notices in the polling booth and on the top of the ballot paper to vote.\n\n## Voting if you have a disability\n\nIf you have a disability, your local Electoral Registration Office can tell you about:\n\n- physical access, for example wheelchair ramps and disabled parking spaces\n\n- low-level polling booths\n\n- equipment for voters with a visual impairment\n\nEvery polling station must provide at least one large print display version of the ballot paper and a special tactile voting device (TVD) to help people with sight loss.\n\n## Voting by post\n\nYou must apply for a postal vote if you want to vote by post, for example if:\n\n- you\u2019re away from home\n\n- you\u2019re abroad and want to vote in England, Scotland or Wales\n\nYou do not need to give a reason unless you\u2019re voting in Northern Ireland.\n\n## Apply for a postal vote\n\nYou can apply to vote by post for one of the following:\n\n- a single election on a specific date\n\n- a specific period if you want to vote in England, Scotland or Wales\n\n- permanently\n\nArrange to vote by proxy if there are under 2 weeks until election day and you have not made arrangements.\n\nThere\u2019s a different form to apply to vote by post in Northern Ireland.\n\n## Change where your postal vote card is sent\n\nMake a new application for a postal vote if you move house or you\u2019ll be away from home when the postal vote is sent out.\n\nThere\u2019s a different form for Northern Ireland.\n\n## Completing and returning your postal vote\n\nWhen voting by post, you should:\n\n- mark your vote on your ballot paper in secret\n\n- fill in the postal voting statement\n\n- put the ballot and statement in the envelope provided\n\n- seal the envelope yourself\n\nPost your ballot back as quickly as possible to make sure it\u2019s counted.\n\n## If you\u2019re too late to post your ballot paper\n\nTake it to your local polling station by 10pm on election day, or Electoral Registration Office before they close.\n\nIn Northern Ireland, take it to your local Area Electoral Office before they close.\n\n## Replace a lost or damaged ballot paper\n\nYour ballot paper needs to clearly display your details and voting choice. If it has been damaged you need to get another one.\n\nYou can either:\n\n- ask your local Electoral Registration Office to post a replacement\n\n- collect a replacement from your local Electoral Registration Office up to 5pm on election day (or the day before in Northern Ireland)\n\nYou cannot vote at a polling station if you registered to vote by post but your ballot paper was lost or damaged.\n\n## Voting by proxy\n\nIf you\u2019re unable to vote in person you can ask someone to vote on your behalf. This is called a proxy vote.\n\nYou can only apply for a proxy vote under certain circumstances, including:\n\n- being away on polling day\n\n- having a medical issue or disability\n\n- not being able to vote in person because of work or military service\n\nYour proxy should be someone you trust to vote on your behalf. You\u2019ll need to tell them which candidate (or referendum outcome) you want to vote for.\n\n## How to apply for a proxy vote\n\nApply for a proxy vote using a paper form. You need to send it to your local Electoral Registration Office.\n\nUsually, you need to apply for a proxy vote at least 6 working days before election day if you want to vote in England, Scotland or Wales.\n\nThere\u2019s a different form to apply to vote by proxy in Northern Ireland. Apply at least 14 working days before election day.\n\n## Apply for an emergency proxy vote\n\nIf the proxy vote deadline has passed you may be able to apply for an emergency proxy vote if you both:\n\n- cannot vote in person because of your employment or a disability\n\n- became aware of this reason after the proxy deadline\n\nYou can apply until 5pm on the day of the election. Fill in a paper form to:\n\n- apply to vote by emergency proxy based on your employment\n\n- apply to vote by emergency proxy based on your disability\n\nAn \u2018appropriate person\u2019 (for example your employer or a doctor) must sign the application form. Send it to your local Electoral Registration Office.\n\nYou can also apply for an emergency proxy vote if you or your proxy need to self-isolate because of COVID-19.\n\n## How long your proxy vote is for\n\nYou can apply to vote by proxy:\n\n- for a single election on a specific date\n\n- for a specific period if you want to vote in England, Scotland or Wales\n\n- permanently\n\n## Who can act as a proxy\n\nYou can ask anyone to act as your proxy - as long as they:\n\n- are registered to vote\n\n- are allowed to vote in the type of election taking place\n\n- can vote in the polling station stated on your poll card\n\nIf they cannot get to your polling station, they will need to contact your local Electoral Registration Office to arrange to cast their proxy vote by post.\n\n## Change or cancel your proxy vote\n\nTo change who acts as your proxy or to start voting in person, contact your local Electoral Registration Office.\n\nIf you want to vote by post instead, complete a postal vote application.\n\n## Voting from abroad\n\nHow you vote when you\u2019re abroad depends on:\n\n- whether you\u2019ll be abroad temporarily or living abroad\n\n- where you want to vote\n\n## If you\u2019ll be abroad temporarily\n\nYou can vote by post or proxy if you\u2019ll be abroad temporarily on election day, for example on holiday or a work trip.\n\n## Voting in England, Scotland or Wales\n\nYou can arrange:\n\n- to vote by post\n\n- for someone else to vote for you (vote by proxy)\n\nIf you\u2019re abroad on election day you need to make arrangements in advance. Apply to vote by proxy if the election is less than 2 weeks away and you have not made arrangements yet.\n\nYour postal ballot will be sent to the address you\u2019ve chosen no earlier than 16 days before the election. You need to return your ballot before 10pm on polling day.\n\n## Voting in Northern Ireland\n\nThere\u2019s a different process to apply to vote by post or proxy if you live in Northern Ireland and will be abroad temporarily on election day.\n\nIf you will not have time to receive and return your postal ballot in Northern Ireland before going abroad you\u2019ll need to vote by proxy. You cannot apply to have your postal vote sent outside the UK.\n\n## If you\u2019re moving or living abroad\n\nYou can only vote in UK Parliament elections. You may be able to vote in referendums. Each referendum has different rules on who can vote in it.\n\nYou need to register as an overseas voter.\n\nYou can vote by post or proxy, if you\u2019re eligible. You\u2019ll be asked to make this choice when you register.\n\nYou\u2019ll then need to apply by filling in and posting one of the following:\n\n- the paper form to apply for a postal vote\n\n- the paper form to apply for a proxy vote\n\nYou can also ask for the form to be emailed or posted to you when you register online.\n\nIf you\u2019re registered in Northern Ireland, you cannot vote by post from abroad.\n\n## Get help voting\n\nYou can contact your Electoral Register Office to find out when postal votes might be sent. This could help you decide whether to vote by proxy or by post.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/how-to-vote", + "answerable": true, + "scenario": "I am only seventeen but will be eighteen by the time of the next election (both general and local) and would like to be able to vote for the first time but I do not know how to go about this.", + "original_question": "Will I be automatically added to the electoral roll when I turn eighteen?" + }, + { + "id": "train-294", + "question": "Scenario: I previously ordered a veterans badge due to having served 23 years in the armed forces. I did get one but ive somehow managed to misplace it and would very much like to replace it but I am not sure who to contact about organising it all.\n\nQuestion: Am I able to order a replacement veterans badge?\n\nDocument - Apply for a veterans badge or a medal:\n## Apply for a veterans badge\n\nYou can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.\n\n## Eligibility\n\nYou can apply if you were in the:\n\n- army\n\n- Royal Navy\n\n- Royal Marines\n\n- Royal Air Force (RAF)\n\n- volunteer or regular reserves\n\nYou cannot apply if you:\n\n- served in the armed forces of another country\n\n- served alongside the UK armed forces, for example in the Canadian Navy or Royal Australian Air Force\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get either:\n\n- a War Widow\u2019s or Widower\u2019s Pension\n\n- compensation under the Survivors Guaranteed Income Payment (SGIP)\n\n## How to apply\n\nDownload and fill in the application for an armed forces veterans badge.\n\nYou can also call the enquiries line to get a paper application form sent to you.\n\nYou\u2019ll need to give as much information on the form as possible, such as:\n\n- the force you served in, for example the army or Royal Navy\n\n- service number\n\n- period of service\n\nPost the form to the Ministry of Defence (MOD) Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your veterans badge within 6 to 8 weeks of applying.\n\nYou can also apply for a medal if you\u2019re eligible.\n\nIf you lose your badge, you can apply for a replacement.\n\n## Get help\n\nIf you need to contact MOD about your veterans badge application, you can phone, fax or send an email to dbs-modmo-vetsbadge@mod.gov.uk.\n\nYou cannot apply for a veterans badge by email.\n\n## Apply for a medal\n\nYou can apply for a medal if you served in the armed forces and are eligible.\n\nFind out the types of medal the Ministry of Defence (MOD) issues.\n\nYou can only apply for World War 1 medals if the original was returned.\n\n## Eligibility\n\nYou can apply if you were awarded a medal for service in any of the following:\n\n- the army\n\n- the Royal Navy\n\n- the Royal Marines\n\n- the Royal Air Force (RAF)\n\n- the Home Guard\n\n- the reserve forces\n\nYou must meet the eligibility requirements for the medal you\u2019re applying for.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply on behalf of a veteran if you have lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules for the official next of kin are:\n\n- the person\u2019s spouse or civil partner has the first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the parent is entitled to apply\n\n- if there\u2019s no spouse, child or parent, the eldest grandchild is entitled to apply\n\n## How to apply\n\nDownload and fill in the medal application form.\n\nApply through your unit if you\u2019re still serving in the armed forces.\n\nIf you\u2019re applying on behalf of someone else, you must include a copy of either your lasting power of attorney or a death certificate.\n\nPost the form, along with any supporting documents, to the MOD Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your medal within 12 weeks of sending the application form.\n\nYou can apply for a replacement medal if the original\u2019s been stolen or accidentally destroyed, for example in a fire.\n\n## Get help\n\nIf you need to contact MOD about your medal application, email dbs-medals@mod.gov.uk.\n\n## Replace a badge or medal\n\nYou can get the first replacement veterans badge for free.\n\nYou may be able to get a replacement medal - it depends how it was lost. You\u2019ll have to pay for the replacement medal plus a fee.\n\n## Replace a veterans badge\n\nFollow the instructions for applying for a veterans badge - you can use the same form.\n\nYou\u2019ll usually get your replacement veterans badge within 6 to 8 weeks of applying.\n\nYou do not have to pay a fee if it\u2019s the first veterans badge you\u2019re replacing.\n\n## Replace a medal\n\nYou can only get a replacement medal from the Ministry of Defence (MOD) if it was stolen or destroyed, for example in a fire or flood. The medal must have been awarded for service after World War 1.\n\nYou\u2019ll need to show proof by providing a copy of either a:\n\n- police crime report\n\n- successful insurance claim listing the individual items\n\nYou can also buy replacement medals from a licensed medal dealer.\n\n## How to apply\n\nDownload and fill in the medal application form to ask for a replacement medal. Post the form to the MOD Medal Office, along with:\n\n- a letter explaining how the medal was stolen or destroyed\n\n- a copy of the police report or insurance claim\n\nThe address is on the form.\n\nContact your unit\u2019s human resources (HR) department if you\u2019re currently serving in the armed forces.\n\n## After you\u2019ve applied\n\nYou\u2019ll get a letter from the Medal Office - usually within 10 working days of when your application\u2019s received.\n\nYou\u2019ll be told how much the replacement will cost and how to pay if your application\u2019s successful. The cost depends on the type of medal. It includes an administration fee.\n\nYou\u2019ll get the replacement within 4 weeks from the Medal Office getting your payment.\n\n## Apply for a UK merchant seafarers veterans badge\n\nYou can apply for a UK merchant seafarers veterans badge if you:\n\n- were a Merchant Navy seafarer or fisherman\n\n- served in a vessel used to support the UK Armed Forces\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.\n\n## How to apply\n\nYou can apply for a badge through the Merchant Navy Association.\n\n## Members of the Royal Fleet Auxiliary\n\nIf you\u2019re a member of the Royal Fleet Auxiliary, apply for the armed forces veterans badge.\n\n## Apply for a UK merchant navy medal\n\nYou can apply for a UK merchant navy medal if you were a member of the merchant navy and you:\n\n- served in a vessel used to support the UK armed forces\n\n- meet the eligibility requirements for the medal you\u2019re applying for\n\n## How to apply\n\nComplete the application form and send it to the address on the form. You\u2019ll also need to send your seaman\u2019s discharge book.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply for someone else if either:\n\n- they\u2019ve died\n\n- you have lasting power of attorney\n\nYou must include a copy of the death certificate or your lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules are:\n\n- the person\u2019s spouse or civil partner has first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the eldest grandchild is entitled to apply\n\n## After you\u2019ve applied\n\nYou\u2019ll get a decision within 30 working days of your application being received.\n\n## Get help\n\nEmail seafarers_registry@mcga.gov.uk if you need help with your application.\n\n## Replace a lost or stolen medal\n\nYou\u2019ll need to complete the application form if your medal is lost or has been stolen.\n\n## If you want to appeal or complain\n\nYou can write to or email the Ministry of Defence (MOD) Medal Office if you want to:\n\n- appeal a decision\n\n- complain about how you\u2019ve been treated\n\nYou should include any new evidence you have if you make an appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "answerable": true, + "scenario": "I previously ordered a veterans badge due to having served 23 years in the armed forces. I did get one but ive somehow managed to misplace it and would very much like to replace it but I am not sure who to contact about organising it all.", + "original_question": "Am I able to order a replacement veterans badge?" + }, + { + "id": "train-295", + "question": "Scenario: My father passed away 3 years ago after a long service of 30 years with the UK Merchant Navy, as a remembrance gift for my mother i wanted to give her a gift of a veteran seafarers badge that would have been bestowed on him as an honour. I think he would really appreciate the acknowledgement\n\nQuestion: Am I able to order on my dads behalf a Merchant Navy Seafarers badge now that my father has passed away?\n\nDocument - Apply for a veterans badge or a medal:\n## Apply for a veterans badge\n\nYou can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.\n\n## Eligibility\n\nYou can apply if you were in the:\n\n- army\n\n- Royal Navy\n\n- Royal Marines\n\n- Royal Air Force (RAF)\n\n- volunteer or regular reserves\n\nYou cannot apply if you:\n\n- served in the armed forces of another country\n\n- served alongside the UK armed forces, for example in the Canadian Navy or Royal Australian Air Force\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get either:\n\n- a War Widow\u2019s or Widower\u2019s Pension\n\n- compensation under the Survivors Guaranteed Income Payment (SGIP)\n\n## How to apply\n\nDownload and fill in the application for an armed forces veterans badge.\n\nYou can also call the enquiries line to get a paper application form sent to you.\n\nYou\u2019ll need to give as much information on the form as possible, such as:\n\n- the force you served in, for example the army or Royal Navy\n\n- service number\n\n- period of service\n\nPost the form to the Ministry of Defence (MOD) Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your veterans badge within 6 to 8 weeks of applying.\n\nYou can also apply for a medal if you\u2019re eligible.\n\nIf you lose your badge, you can apply for a replacement.\n\n## Get help\n\nIf you need to contact MOD about your veterans badge application, you can phone, fax or send an email to dbs-modmo-vetsbadge@mod.gov.uk.\n\nYou cannot apply for a veterans badge by email.\n\n## Apply for a medal\n\nYou can apply for a medal if you served in the armed forces and are eligible.\n\nFind out the types of medal the Ministry of Defence (MOD) issues.\n\nYou can only apply for World War 1 medals if the original was returned.\n\n## Eligibility\n\nYou can apply if you were awarded a medal for service in any of the following:\n\n- the army\n\n- the Royal Navy\n\n- the Royal Marines\n\n- the Royal Air Force (RAF)\n\n- the Home Guard\n\n- the reserve forces\n\nYou must meet the eligibility requirements for the medal you\u2019re applying for.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply on behalf of a veteran if you have lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules for the official next of kin are:\n\n- the person\u2019s spouse or civil partner has the first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the parent is entitled to apply\n\n- if there\u2019s no spouse, child or parent, the eldest grandchild is entitled to apply\n\n## How to apply\n\nDownload and fill in the medal application form.\n\nApply through your unit if you\u2019re still serving in the armed forces.\n\nIf you\u2019re applying on behalf of someone else, you must include a copy of either your lasting power of attorney or a death certificate.\n\nPost the form, along with any supporting documents, to the MOD Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your medal within 12 weeks of sending the application form.\n\nYou can apply for a replacement medal if the original\u2019s been stolen or accidentally destroyed, for example in a fire.\n\n## Get help\n\nIf you need to contact MOD about your medal application, email dbs-medals@mod.gov.uk.\n\n## Replace a badge or medal\n\nYou can get the first replacement veterans badge for free.\n\nYou may be able to get a replacement medal - it depends how it was lost. You\u2019ll have to pay for the replacement medal plus a fee.\n\n## Replace a veterans badge\n\nFollow the instructions for applying for a veterans badge - you can use the same form.\n\nYou\u2019ll usually get your replacement veterans badge within 6 to 8 weeks of applying.\n\nYou do not have to pay a fee if it\u2019s the first veterans badge you\u2019re replacing.\n\n## Replace a medal\n\nYou can only get a replacement medal from the Ministry of Defence (MOD) if it was stolen or destroyed, for example in a fire or flood. The medal must have been awarded for service after World War 1.\n\nYou\u2019ll need to show proof by providing a copy of either a:\n\n- police crime report\n\n- successful insurance claim listing the individual items\n\nYou can also buy replacement medals from a licensed medal dealer.\n\n## How to apply\n\nDownload and fill in the medal application form to ask for a replacement medal. Post the form to the MOD Medal Office, along with:\n\n- a letter explaining how the medal was stolen or destroyed\n\n- a copy of the police report or insurance claim\n\nThe address is on the form.\n\nContact your unit\u2019s human resources (HR) department if you\u2019re currently serving in the armed forces.\n\n## After you\u2019ve applied\n\nYou\u2019ll get a letter from the Medal Office - usually within 10 working days of when your application\u2019s received.\n\nYou\u2019ll be told how much the replacement will cost and how to pay if your application\u2019s successful. The cost depends on the type of medal. It includes an administration fee.\n\nYou\u2019ll get the replacement within 4 weeks from the Medal Office getting your payment.\n\n## Apply for a UK merchant seafarers veterans badge\n\nYou can apply for a UK merchant seafarers veterans badge if you:\n\n- were a Merchant Navy seafarer or fisherman\n\n- served in a vessel used to support the UK Armed Forces\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.\n\n## How to apply\n\nYou can apply for a badge through the Merchant Navy Association.\n\n## Members of the Royal Fleet Auxiliary\n\nIf you\u2019re a member of the Royal Fleet Auxiliary, apply for the armed forces veterans badge.\n\n## Apply for a UK merchant navy medal\n\nYou can apply for a UK merchant navy medal if you were a member of the merchant navy and you:\n\n- served in a vessel used to support the UK armed forces\n\n- meet the eligibility requirements for the medal you\u2019re applying for\n\n## How to apply\n\nComplete the application form and send it to the address on the form. You\u2019ll also need to send your seaman\u2019s discharge book.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply for someone else if either:\n\n- they\u2019ve died\n\n- you have lasting power of attorney\n\nYou must include a copy of the death certificate or your lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules are:\n\n- the person\u2019s spouse or civil partner has first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the eldest grandchild is entitled to apply\n\n## After you\u2019ve applied\n\nYou\u2019ll get a decision within 30 working days of your application being received.\n\n## Get help\n\nEmail seafarers_registry@mcga.gov.uk if you need help with your application.\n\n## Replace a lost or stolen medal\n\nYou\u2019ll need to complete the application form if your medal is lost or has been stolen.\n\n## If you want to appeal or complain\n\nYou can write to or email the Ministry of Defence (MOD) Medal Office if you want to:\n\n- appeal a decision\n\n- complain about how you\u2019ve been treated\n\nYou should include any new evidence you have if you make an appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "answerable": true, + "scenario": "My father passed away 3 years ago after a long service of 30 years with the UK Merchant Navy, as a remembrance gift for my mother i wanted to give her a gift of a veteran seafarers badge that would have been bestowed on him as an honour. I think he would really appreciate the acknowledgement", + "original_question": "Am I able to order on my dads behalf a Merchant Navy Seafarers badge now that my father has passed away?" + }, + { + "id": "train-296", + "question": "Scenario: I am from Syria and came to UK 7 years back. I have applied for Asylum and provided all the required legal documents. I currently don't have any money\n\nQuestion: Can I get some financial help while I was waiting for the decision on my application ?\n\nDocument - Appeal a decision by the immigration and asylum tribunal:\n## Overview\n\nYou can appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you think there\u2019s a legal mistake with a decision made by the First-tier Tribunal (Immigration and Asylum Chamber).\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou can get legal advice (including from a solicitor), or help from a regulated immigration adviser.\n\nYou can also contact Citizens Advice.\n\nYou may be able to get legal aid.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYou may be able to get asylum support, for example housing and money, while you\u2019re waiting to find out if you\u2019ll be given asylum.\n\nContact the tribunal if you have any questions about your appeal. The tribunal can not give you legal advice.\n\n## How to appeal\n\nYou must be able to make a case for why the decision was legally wrong. For example, if the tribunal:\n\n- did not apply the correct law or wrongly interpreted the law\n\n- did not follow the correct procedures\n\n- had no evidence or not enough evidence to support its decision\n\n## Ask for permission to appeal\n\nYou must ask the First-tier Tribunal (Immigration and Asylum Chamber) for permission to appeal to the Upper Tribunal.\n\nYou\u2019ll be given the form to ask permission from the First-tier Tribunal (Immigration and Asylum Chamber) when you get your decision. Send it with a copy of the decision to the address on the form.\n\n## Deadlines for asking the First-tier Tribunal for permission to appeal\n\nYou must ask for permission to appeal within a certain period of time of getting your decision. When you must appeal by depends on whether you\u2019re inside or outside the UK.\n\n| | When you must appeal by |\n\n| You\u2019re inside the UK | 14 days after the date on the written reasons for the decisions |\n\n| You\u2019re outside the UK | 28 days after the date on the written reasons for the decisions |\n\n## Fees\n\nThere is no fee to appeal to the tribunal.\n\n## If you\u2019re refused permission to appeal\n\nYou can apply to the Upper Tribunal for permission to appeal if the First-tier Tribunal refuses, or only gives your permission to appeal on limited grounds.\n\nDownload and fill in the Upper Tribunal permission request form and send it with the appropriate documents to the address on the form.\n\nYou must also say whether you want a hearing or not.\n\nIf your case was heard at either the Yarl\u2019s Wood or the Harmondsworth hearing centre as a Detained Immigration Appeal, send your application to the Harmondsworth hearing centre.\n\n## Deadlines for asking the Upper Tribunal for permission to appeal\n\nHow long you have depends on where you are and how you received your refusal letter from the First-tier Tribunal.\n\n| | When you must appeal by |\n\n| You\u2019re inside the UK | 14 days after the date on the decision |\n\n| You\u2019re outside the UK | 1 month after the date on the decision |\n\n## Documents you must send with your application\n\nInclude copies of the following documents with your form:\n\n- the decision by the First-tier Tribunal\n\n- the \u2018notice of refusal of permission to appeal\u2019 by the First-tier Tribunal or the \u2018refusal to admit the application for permission\u2019\n\n- a statement clearly setting out your reasons for why you think the First-tier Tribunal made a mistake\n\n- any other relevant documents that you sent to the First-tier Tribunal\n\nYou also need to include any written evidence that shows why you think the First-tier Tribunal made a legal mistake.\n\nIf your application is late, you must explain in writing why it is late. The tribunal will then decide if it can review your application.\n\n## Ask for a hearing\n\nYou can ask on your application for a decision to be made either:\n\n- just on the information in your application\n\n- at a hearing that you or your representative can go to\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend if you\u2019re in the UK.\n\nIf they do not hold a hearing, a judge will decide your case based on your application.\n\n## Withdrawing your appeal\n\nOnly you or your representative can withdraw your appeal. Contact the tribunal in writing if you want to withdraw your appeal - include your appeal number. The tribunal will decide whether to give you permission to withdraw, or if the hearing will go ahead.\n\nIf your hearing is less than 7 days away, contact the hearing centre where your appeal is scheduled.\n\n## If you have a hearing\n\nYou or your representative will be told when and where your hearing will take place. You can check the daily courts lists on the day of your hearing to find out if anything has changed.\n\nYou may need to attend a pre-hearing first, where the tribunal will check that you\u2019re ready for the full hearing to take place.\n\nBring copies of all the documents that you gave to the tribunal.\n\nYou can bring a friend to represent you - ask the judge at the beginning of the hearing if this is the case.\n\n## Special requirements\n\nWrite to the Customer Enquiry Unit at least 2 weeks before your hearing if you need any special help, for example wheelchair access.\n\n## Private hearings or hearings by video\n\nHearings are usually carried out in public. If you have an important need (for example you think you\u2019ll be put in danger if you go to the hearing), you can ask:\n\n- for your name not to appear on any tribunal documents or court lists\n\n- for the tribunal to be private and not open to the public\n\n- to attend the hearing by video link\n\n## Asking for a male or female judge\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\nMake your request as soon as possible when your apply, and no later than 7 days before the hearing.\n\n## If you cannot attend the hearing\n\nYou must attend the hearing yourself if you\u2019re in the UK. You can also bring a solicitor or regulated immigration adviser with you.\n\nIf you\u2019re not in the UK, you can ask a solicitor, regulated immigration adviser or the person who supported your application (your \u2018sponsor\u2019) to attend the hearing in your place.\n\nYou can only be represented at the hearing by a solicitor or regulated immigration adviser, your sponsor can not act on your behalf.\n\nYour sponsor can not represent you at the hearing, they can only be:\n\n- told the tribunal\u2019s decision\n\n- given information over the phone\n\nYou must write to the tribunal to tell them if your sponsor will be attending the hearing in your place. Include the case reference number of your appeal.\n\n## Children at the hearing\n\nYou can not take children into the hearing room with you. If you need to bring them to the tribunal, you\u2019ll need to bring someone to look after them.\n\n## If your appeal can not be resolved at the hearing\n\nIf your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be \u2018adjourned\u2019 and rescheduled for another day.\n\nYour hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it can not be resolved on the day, for example because more evidence is needed.\n\nThe tribunal will arrange another hearing with the same people present.\n\n## The tribunal's decision\n\nYou\u2019ll normally get your decision in writing in 28 days.\n\n## If you win your appeal\n\nIf the Upper Tribunal decides that a mistake was made it can:\n\n- overrule the decision and make its own judgement\n\n- order the First-tier Tribunal to hear the case again\n\nThe Home Office can appeal the decision of the tribunal.\n\n## If you lose your appeal\n\nYou may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.\n\nGet legal help or advice if you\u2019re not sure about this.\n\n## Ask for permission\n\nYou must write to the upper tribunal and ask for permission before you appeal. How long you have to do this depends on where you are and how you received your decision.\n\n| | Refusal letter by post | Refusal by email or delivered personally |\n\n| You\u2019re inside the UK | 12 working days | 10 working days |\n\n| You\u2019re outside the UK | 38 days | 10 days |\n\nOnce you have permission, you should appeal to the relevant higher court:\n\n- The Court of Appeal in England and Wales\n\n- The Court of Session in Scotland\n\n- The Court of Appeal in Northern Ireland\n\nYou must do this within:\n\n- 28 days of being given permission (England and Wales)\n\n- 42 days of being given permission (Scotland)\n\n- 21 days of being given permission (Northern Ireland)\n\nYou may have to pay court fees and the other party\u2019s costs.\n\n## If you\u2019re refused permission\n\nYou can ask the relevant higher court for permission.\n\nYou must do this within:\n\n- 28 days of being refused permission (England and Wales)\n\n- 42 days of being refused permission (Scotland)\n\n- 21 days of being refused permission (Northern Ireland)\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Legislation\n\nThe Upper Tribunal (Immigration and Asylum Chamber) must follow the rules and process in the The Tribunal Procedure (Upper Tribunal) Rules 2008.\n\nThe tribunal has issued additional guidance on certain issues:\n\n- practice statements\n\n- practice directions\n\nThe tribunal will make a decision based on legislation, including the:\n\n- Immigration Act 1971\n\n- Nationality, Immigration and Asylum Act 2002\n\n- Immigration, Asylum and Nationality Act 2006\n\n- Tribunals, Courts and Enforcement Act 2007\n\n- UK Borders Act 2007\n\n- Borders, Citizenship and Immigration Act 2009\n\n- Immigration Rules\n\n- Immigration (European Economic Area) Regulations 2006\n\n## Previous decisions\n\nYou can search for decisions made in other cases.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/upper-tribunal-immigration-asylum", + "answerable": true, + "scenario": "I am from Syria and came to UK 7 years back. I have applied for Asylum and provided all the required legal documents. I currently don't have any money", + "original_question": "Can I get some financial help while I was waiting for the decision on my application ?" + }, + { + "id": "train-299", + "question": "Scenario: I live in Scotland and for work reasons I have to move to Northern Ireland for 3 months. The elections are due in a month and I want to vote bu post from Northern Ireland\n\nQuestion: Can I vote by post if I don't have any special reason?\n\nDocument - How to vote:\n## Overview\n\nYou need to be registered to vote before you can vote in UK elections or referendums.\n\nIf you\u2019re eligible, you can vote in person on the day of the election at a named polling station. You can also apply for a postal or proxy vote instead.\n\nFind out about voting safely during coronavirus (COVID-19).\n\n## Ways of voting\n\nYou can vote:\n\n- in person at a polling station\n\n- by post\n\n- by asking someone else to vote for you (voting by proxy)\n\nYou cannot vote online in any elections.\n\n## Eligibility to vote\n\nYou can vote when you\u2019re:\n\n- 18 years old in England and Northern Ireland\n\n- 16 years old in Scottish Parliament and local elections (and other elections when you\u2019re 18)\n\n- 16 years old in Welsh Parliament elections (and other elections when you\u2019re 18)\n\n## Elections you can vote in\n\nDifferent elections have different rules on who can vote.\n\n## Voting and coronavirus (COVID-19)\n\nElections and referendums are going ahead during coronavirus (COVID-19), though you may see changes to some processes. You can still vote in person at a polling station.\n\nIf you\u2019re self-isolating, clinically extremely vulnerable, or do not want to go to the polling station, you can vote by post or vote by proxy.\n\nYou may also be able to get an emergency proxy vote at short notice if you need to self-isolate shortly before or on election day.\n\n## At the polling station\n\nBecause of COVID-19, there will be safety measures in place at polling stations to help you vote safely (for example, a one-way system or restrictions on the number of people allowed in).\n\nIf you choose to vote in person, make sure you:\n\n- wear a face covering (unless you\u2019re exempt)\n\n- bring your own pen or pencil (there will be clean pencils available at the polling station if you forget to bring your own)\n\n- use the hand sanitiser provided when entering and leaving the polling station\n\n- keep to social distancing guidelines\n\n## If you have COVID-19 symptoms or have been asked to self-isolate\n\nDo not visit the polling station. Apply for an emergency proxy vote instead. Your proxy can also apply if they develop symptoms.\n\nYou can apply until 5pm on election day. There are different forms to:\n\n- apply for an emergency proxy vote in England\n\n- apply for an emergency proxy vote in Scotland\n\n- apply for an emergency proxy vote in Wales\n\n## Voting in person\n\nYou vote in person at a polling station (usually in a public building, such as a school or local hall).\n\n## Your poll card\n\nYou\u2019ll be sent a poll card just before an election telling you when to vote and at which polling station. You can only vote at the polling station location on your card.\n\nIf you have not received a poll card but think you should, contact your local Electoral Registration Office.\n\nYou can still vote if you\u2019ve lost your card.\n\n## When you can vote\n\nPolling stations will be open from 7am to 10pm on the day of an election (\u2018polling day\u2019).\n\n## When you get to the polling station\n\nGive your name and address to the staff inside the polling station when you arrive.\n\nYou\u2019ll be given a ballot paper containing a list of the people, parties or options you can vote for.\n\n## ID you need to bring\n\nIf you live in England, Wales or Scotland you do not need to bring any identification to vote.\n\nYou will need to show photo ID to vote in Northern Ireland (your passport, driving licence, Electoral Identity Card or certain kinds of Translink Smartpass).\n\nYou do not have to take your poll card with you.\n\n## Filling in your ballot paper\n\nFollow the instructions on the notices in the polling booth and on the top of the ballot paper to vote.\n\n## Voting if you have a disability\n\nIf you have a disability, your local Electoral Registration Office can tell you about:\n\n- physical access, for example wheelchair ramps and disabled parking spaces\n\n- low-level polling booths\n\n- equipment for voters with a visual impairment\n\nEvery polling station must provide at least one large print display version of the ballot paper and a special tactile voting device (TVD) to help people with sight loss.\n\n## Voting by post\n\nYou must apply for a postal vote if you want to vote by post, for example if:\n\n- you\u2019re away from home\n\n- you\u2019re abroad and want to vote in England, Scotland or Wales\n\nYou do not need to give a reason unless you\u2019re voting in Northern Ireland.\n\n## Apply for a postal vote\n\nYou can apply to vote by post for one of the following:\n\n- a single election on a specific date\n\n- a specific period if you want to vote in England, Scotland or Wales\n\n- permanently\n\nArrange to vote by proxy if there are under 2 weeks until election day and you have not made arrangements.\n\nThere\u2019s a different form to apply to vote by post in Northern Ireland.\n\n## Change where your postal vote card is sent\n\nMake a new application for a postal vote if you move house or you\u2019ll be away from home when the postal vote is sent out.\n\nThere\u2019s a different form for Northern Ireland.\n\n## Completing and returning your postal vote\n\nWhen voting by post, you should:\n\n- mark your vote on your ballot paper in secret\n\n- fill in the postal voting statement\n\n- put the ballot and statement in the envelope provided\n\n- seal the envelope yourself\n\nPost your ballot back as quickly as possible to make sure it\u2019s counted.\n\n## If you\u2019re too late to post your ballot paper\n\nTake it to your local polling station by 10pm on election day, or Electoral Registration Office before they close.\n\nIn Northern Ireland, take it to your local Area Electoral Office before they close.\n\n## Replace a lost or damaged ballot paper\n\nYour ballot paper needs to clearly display your details and voting choice. If it has been damaged you need to get another one.\n\nYou can either:\n\n- ask your local Electoral Registration Office to post a replacement\n\n- collect a replacement from your local Electoral Registration Office up to 5pm on election day (or the day before in Northern Ireland)\n\nYou cannot vote at a polling station if you registered to vote by post but your ballot paper was lost or damaged.\n\n## Voting by proxy\n\nIf you\u2019re unable to vote in person you can ask someone to vote on your behalf. This is called a proxy vote.\n\nYou can only apply for a proxy vote under certain circumstances, including:\n\n- being away on polling day\n\n- having a medical issue or disability\n\n- not being able to vote in person because of work or military service\n\nYour proxy should be someone you trust to vote on your behalf. You\u2019ll need to tell them which candidate (or referendum outcome) you want to vote for.\n\n## How to apply for a proxy vote\n\nApply for a proxy vote using a paper form. You need to send it to your local Electoral Registration Office.\n\nUsually, you need to apply for a proxy vote at least 6 working days before election day if you want to vote in England, Scotland or Wales.\n\nThere\u2019s a different form to apply to vote by proxy in Northern Ireland. Apply at least 14 working days before election day.\n\n## Apply for an emergency proxy vote\n\nIf the proxy vote deadline has passed you may be able to apply for an emergency proxy vote if you both:\n\n- cannot vote in person because of your employment or a disability\n\n- became aware of this reason after the proxy deadline\n\nYou can apply until 5pm on the day of the election. Fill in a paper form to:\n\n- apply to vote by emergency proxy based on your employment\n\n- apply to vote by emergency proxy based on your disability\n\nAn \u2018appropriate person\u2019 (for example your employer or a doctor) must sign the application form. Send it to your local Electoral Registration Office.\n\nYou can also apply for an emergency proxy vote if you or your proxy need to self-isolate because of COVID-19.\n\n## How long your proxy vote is for\n\nYou can apply to vote by proxy:\n\n- for a single election on a specific date\n\n- for a specific period if you want to vote in England, Scotland or Wales\n\n- permanently\n\n## Who can act as a proxy\n\nYou can ask anyone to act as your proxy - as long as they:\n\n- are registered to vote\n\n- are allowed to vote in the type of election taking place\n\n- can vote in the polling station stated on your poll card\n\nIf they cannot get to your polling station, they will need to contact your local Electoral Registration Office to arrange to cast their proxy vote by post.\n\n## Change or cancel your proxy vote\n\nTo change who acts as your proxy or to start voting in person, contact your local Electoral Registration Office.\n\nIf you want to vote by post instead, complete a postal vote application.\n\n## Voting from abroad\n\nHow you vote when you\u2019re abroad depends on:\n\n- whether you\u2019ll be abroad temporarily or living abroad\n\n- where you want to vote\n\n## If you\u2019ll be abroad temporarily\n\nYou can vote by post or proxy if you\u2019ll be abroad temporarily on election day, for example on holiday or a work trip.\n\n## Voting in England, Scotland or Wales\n\nYou can arrange:\n\n- to vote by post\n\n- for someone else to vote for you (vote by proxy)\n\nIf you\u2019re abroad on election day you need to make arrangements in advance. Apply to vote by proxy if the election is less than 2 weeks away and you have not made arrangements yet.\n\nYour postal ballot will be sent to the address you\u2019ve chosen no earlier than 16 days before the election. You need to return your ballot before 10pm on polling day.\n\n## Voting in Northern Ireland\n\nThere\u2019s a different process to apply to vote by post or proxy if you live in Northern Ireland and will be abroad temporarily on election day.\n\nIf you will not have time to receive and return your postal ballot in Northern Ireland before going abroad you\u2019ll need to vote by proxy. You cannot apply to have your postal vote sent outside the UK.\n\n## If you\u2019re moving or living abroad\n\nYou can only vote in UK Parliament elections. You may be able to vote in referendums. Each referendum has different rules on who can vote in it.\n\nYou need to register as an overseas voter.\n\nYou can vote by post or proxy, if you\u2019re eligible. You\u2019ll be asked to make this choice when you register.\n\nYou\u2019ll then need to apply by filling in and posting one of the following:\n\n- the paper form to apply for a postal vote\n\n- the paper form to apply for a proxy vote\n\nYou can also ask for the form to be emailed or posted to you when you register online.\n\nIf you\u2019re registered in Northern Ireland, you cannot vote by post from abroad.\n\n## Get help voting\n\nYou can contact your Electoral Register Office to find out when postal votes might be sent. This could help you decide whether to vote by proxy or by post.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/how-to-vote", + "answerable": true, + "scenario": "I live in Scotland and for work reasons I have to move to Northern Ireland for 3 months. The elections are due in a month and I want to vote bu post from Northern Ireland", + "original_question": "Can I vote by post if I don't have any special reason?" + }, + { + "id": "train-300", + "question": "Scenario: I have started a contracting business about 2 months ago, one of our recent projects involves us getting rid of materials with asbestos which will be my first time disposing of it. I know it can be harmful but i really am not sure if it can be dumped as normal.\n\nQuestion: Is asbestos classed as non-hazardous waste?\n\nDocument - Hazardous waste:\n## Overview\n\nYou must make sure hazardous waste produced or handled by your business in England causes no harm or damage.\n\nYou have responsibilities known as your \u2018duty of care\u2019. You must also meet extra requirements depending on whether you\u2019re a waste:\n\n- producer or holder (you produce or store waste)\n\n- carrier (you collect and transport waste)\n\n- consignee (you receive waste, such as for recycling or disposal)\n\nCheck what you need to do in Northern Ireland, Scotland and Wales.\n\nThere are different requirements for exporting waste.\n\n## Check if your waste is hazardous\n\nWaste is generally considered hazardous if it (or the material or substances it contains) are harmful to humans or the environment. Examples of hazardous waste include:\n\n- asbestos\n\n- chemicals, such as brake fluid or print toner\n\n- batteries\n\n- solvents\n\n- pesticides\n\n- oils (except edible ones), such as car oil\n\n- equipment containing ozone depleting substances, like fridges\n\n- hazardous waste containers\n\nClassify your waste to find out if it is hazardous.\n\n## Producers and holders\n\nYou must follow these steps in England if your business:\n\n- produces hazardous waste\n\n- holds or stores hazardous waste\n\n- has hazardous waste removed from its premises\n\n- Classify your waste to check if it\u2019s hazardous.\n\n- Separate and store hazardous waste safely.\n\n- Use authorised businesses to collect, recycle or dispose of your hazardous waste \u2013\u00a0check that waste carriers are registered and waste sites have environmental permits.\n\n- Fill in the parts of the consignment note that apply to you \u2013 keep one copy and give 2 copies to the carrier collecting your waste.\n\n- Keep records (known as a \u2018register\u2019) for 3 years at the premises that produced or stored the waste.\n\n## Records you must keep\n\nYou must keep your copies of:\n\n- consignment notes\n\n- consignee returns \u2013 you\u2019ll get these from businesses that receive your waste (consignees)\n\n- any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads\n\nIf these documents are not accurate or complete, you must keep a record of any missing information.\n\n## Extra requirements\n\nYou must meet extra requirements in these situations.\n\n## Your waste is rejected\n\nYou must follow the guidance on rejected loads if your hazardous waste is rejected by the destination site you sent it to.\n\n## You transport your own waste\n\nYou must meet the requirements for carriers if you transport any hazardous waste from your own or another business.\n\n## You receive, treat or dispose of waste\n\nYou must meet the requirements for consignees if you:\n\n- receive hazardous waste \u2013\u00a0this includes deliveries of waste from your own business\n\n- treat or dispose of hazardous waste on your business premises \u2013\u00a0this includes your own waste\n\n## Carriers\n\nYou must follow these steps if your business collects and transports hazardous waste in England (for example you\u2019re a waste carrier, or you move your own waste).\n\n- Register as a waste carrier.\n\n- Check parts A and B of the consignment note and the waste before you accept it \u2013\u00a0make sure the waste is classified correctly.\n\n- Separate waste correctly when you load it for transportation.\n\n- Fill in the part of the consignment note that applies to you.\n\n- Leave one copy of the consignment note with the waste producer or holder and keep 2 copies \u2013\u00a0these must stay with the waste until it reaches its destination.\n\n- Take the waste to the destination on the consignment note \u2013\u00a0it must be an authorised waste site.\n\n- Keep records (known as a \u2018register\u2019) for one year.\n\nYou must keep records at your head office.\n\n## Records you must keep\n\nYou must keep copies of:\n\n- consignment notes\n\n- any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads\n\nIf these documents are not accurate or complete, you must keep a record of any missing information.\n\n## You\u2019re a waste dealer or broker\n\nAsk the waste producer or holder for copies of their records. You must keep these for 3 years. Check what other registration requirements and responsibilities you may need to meet.\n\n## Your waste delivery is rejected\n\nYou must follow the guidance on rejected loads if a consignee rejects the hazardous waste you\u2019re transporting.\n\n## Consignees\n\nYou must follow these steps if you receive, treat or dispose of hazardous waste at premises in England.\n\n- Get an environmental permit or register an exemption for your premises.\n\n- Check the consignment note and waste before you accept it \u2013 make sure it\u2019s classified correctly.\n\n- Reject the waste if the consignment note is missing, incorrect or incomplete.\n\n- Fill in part E of the consignment note for any hazardous waste you accept or reject \u2013 keep one copy and hand one copy back to the carrier.\n\n- Send consignee returns to the Environment Agency, and the waste producer or holder, to report on any hazardous waste you accept or reject.\n\n- Keep records (known as a \u2018register\u2019).\n\nYou must keep records at the site where the hazardous waste was stored, treated or disposed.\n\n## Records you must keep\n\nYou must keep:\n\n- consignment notes\n\n- any related documents, for example \u2018carrier schedules\u2019 (list of carriers when there is more than one), records of rejected loads\n\n- a site inventory that records where waste was stored, treated or disposed of at your waste site \u2013\u00a0keep this in a secure, marked area that\u2019s accessible in emergencies\n\n## Site inventories for tipped waste\n\n\u2018Tipped waste\u2019 (permanent waste storage, for example landfill) includes:\n\n| Type of storage | Disposal code (from the Waste Framework Directive) |\n\n| Deposit into or onto land, for example landfill | D1 |\n\n| Land treatment | D2 |\n\n| Deep injection | D3 |\n\n| Surface impoundment | D4 |\n\n| Specially engineered landfill | D5 |\n\n| Release into a water body except seas or oceans | D6 |\n\n| Permanent storage | D12 |\n\nYour site inventory must be a site plan that shows where hazardous waste is stored at your waste site together with its:\n\n- consignment note code \u2013 get this from the consignee return if there\u2019s no consignment note\n\n- waste description including the waste classification code, its chemical components and hazardous properties\n\nUse either a grid or contour lines to divide up your site plan.\n\n## Site inventories for all other waste operations\n\nThese requirements are for all waste operations other than tipped waste, including:\n\n- disposal by other methods\n\n- treatment\n\n- recovery\n\n- incineration\n\nYour site inventory can be a site plan or table showing the location of waste at your site together with:\n\n- its consignment note code \u2013 get this from the consignee return if there\u2019s no consignment note\n\n- information cross-referencing each incoming or outgoing waste (waste transfer activities only)\n\nYou must also keep records for each delivery of hazardous waste you accept at your site \u2013 include:\n\n- its weight in kilograms\n\n- its waste description including the waste classification code, its chemical components and hazardous properties\n\n- the name, address and postcode of the waste holder or producer it came from\n\n- the disposal or recovery method you applied to the waste\n\n## How long you must keep records\n\nThe type of waste site you have determines how long you keep records.\n\n| | Type of record | How long you must keep it |\n\n| Landfill site (disposal codes D1 to D6 and D12) | All records | As long as you have a permit |\n\n| Other waste site with a permit | Consignment notes | 5 years |\n\n| Other waste site with a permit | Site inventory and all other records | As long as you have a permit |\n\n| Waste sites with an exemption | All records | 3 years |\n\nYou must send your records to the Environment Agency if you give up or lose your permit.\n\n## Consignment notes\n\nYou must use consignment notes to move hazardous waste.\n\nA consignment note must stay with hazardous waste until it reaches its final destination.\n\n## Fill in a consignment note\n\nRead the consignment notes guidance.\n\n- Download a consignment note form.\n\n- Fill in the parts that apply to you.\n\n- Use a continuation sheet if you need more space.\n\nThe part that applies to you depends on your role in the waste process.\n\n| Your role | Part you must complete |\n\n| Producer | A and B |\n\n| Holder (stores waste) | A and B |\n\n| Carrier (collects and transports waste) | C |\n\n| Consignor (hands the waste to the carrier) | D |\n\n| Consignee (receives waste for recycling or disposal) | E |\n\n## You\u2019re the waste producer or holder\n\nYou\u2019ll need to know both the:\n\n- Standard Industrial Classification (SIC) code (2007) \u2013 this describes the business activity that produced the waste\n\n- waste classification code, also referred to as LoW (List of Waste) or EWC (European Waste Catalogue) code \u2013 this describes the waste\n\n## Get consignment notes another way\n\nYou can also:\n\n- use a note from your waste contractor or write your own \u2013 it must include the information on the form\n\n- buy consignment notices from the Environment Agency \u2013 these have 3 colour-coded copies\n\n## Consignee returns\n\nConsignee returns are reports on any hazardous waste received, treated or disposed of by a business (the \u2018consignee\u2019).\n\n## You\u2019re a waste producer or holder\n\nYou should get consignee returns every quarter from the consignee dealing with your hazardous waste.\n\nAsk for consignee returns in writing if you do not get them \u2013 you need them to keep records.\n\nYou should contact the Environment Agency and stop using a waste business if they do not provide consignee returns.\n\n## You\u2019re a consignee\n\nYou must send consignee returns every quarter to the:\n\n- Environment Agency\n\n- the waste producer or holder\n\nYou must send separate consignee returns to the Environment Agency and the waste producer or holder. You cannot send copies of the same document to both.\n\nRead the consignee returns guidance for help with filling in your consignee returns.\n\n## Send consignee returns to the Environment Agency\n\n- Fill in the consignee returns spreadsheet.\n\n- Send the spreadsheet to the Environment Agency - either email it to hazwastereturn@environment-agency.gov.uk or upload it online (in Wales email it to waleshazreturns@cyfoethnaturiolcymru.gov.uk).\n\nRead the consignee returns guidance for other ways you can send your returns.\n\n## Deadlines\n\n| Reporting period | Deadline |\n\n| January to March | 30 April |\n\n| April to June | 31 July |\n\n| July to September | 31 October |\n\n| October to December | 31 January |\n\n## Fees\n\nFees are per consignment of waste and depend on whether the consignment formed part of a multiple collection (if it came from multiple locations) or not. The fees are:\n\n- single consignment - \u00a310 (electronic returns) or \u00a319 (paper returns)\n\n- multiple collection - \u00a35 (electronic returns) or \u00a310 (paper returns)\n\n## Contact the Environment Agency\n\nContact the Environment Agency if you have any questions about hazardous waste.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/dispose-hazardous-waste", + "answerable": true, + "scenario": "I have started a contracting business about 2 months ago, one of our recent projects involves us getting rid of materials with asbestos which will be my first time disposing of it. I know it can be harmful but i really am not sure if it can be dumped as normal.", + "original_question": "Is asbestos classed as non-hazardous waste?" + }, + { + "id": "train-302", + "question": "Scenario: We own a butchery shop and we use our house sometimes to clean the meat. While cleaning there are lot wastes that have to be disposed\n\nQuestion: As the wastes are generated from home. Does these wastes considered as business waste ?\n\nDocument - Dispose of business or commercial waste:\n## Your responsibilities\n\nYou must:\n\n- keep waste to a minimum by doing everything you reasonably can to prevent, reuse, recycle or recover waste (in that order) - get help to do this\n\n- sort and store waste safely and securely\n\n- complete a waste transfer note for each load of waste that leaves your premises\n\n- check if your waste carrier is registered to dispose of waste\n\n- not allow the waste carrier to dispose of your waste illegally (and report them to Crimestoppers if they do)\n\nYou have extra responsibilities if you\u2019re dealing with hazardous waste.\n\n## What counts as business waste\n\nAny waste that comes from a commercial activity is business waste. If you use part of your home to run your business then any waste from that part is business waste.\n\nBusiness waste also includes any waste that comes from:\n\n- construction\n\n- demolition\n\n- industry\n\n- agriculture\n\nCheck what you need to do in Northern Ireland, Scotland and Wales.\n\n## Disposing of your own waste\n\nYou must register as a waste carrier if you want to dispose of your own waste regularly. Apply to register in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nDepending on what you\u2019re doing, you may also need to apply for a waste permit.\n\n## Moving waste between countries\n\nYou cannot move waste between countries for disposal, for example to send it to landfill. You can usually only import or export waste to recover it, such as using waste to produce energy.\n\nRead the guide on waste imports and exports.\n\n## Sorting and storing waste\n\nYou must store waste safely and securely. To do this:\n\n- store waste in a secure place\n\n- use suitable containers that will stop waste escaping\n\n- label containers clearly with the type of waste they contain\n\n- use covers to stop waste blowing away\n\n- use waterproof covers if rain could cause contaminated run-off or prevent the waste from being reused\n\nYou have extra responsibilities if you\u2019re storing hazardous waste.\n\nStore different types of waste separately, so that:\n\n- they do not contaminate each other\n\n- they can be reused more easily\n\n- you can complete the waste transfer note correctly\n\n## Waste transfer notes\n\nFor each load of non-hazardous waste you move off your premises, you need a waste transfer note or a document with the same information, such as an invoice.\n\nRegister online to:\n\n- fill in a waste transfer note for a single load of waste\n\n- create a season ticket for a series of loads\n\nOr download a waste transfer note to fill in and sign on paper.\n\nYour business and the business taking your waste both need to:\n\n- Fill in the sections of the waste transfer note that apply to you.\n\n- Sign it.\n\n- Keep a copy for 2 years.\n\n- Show it to an enforcement officer from your local council or the Environment Agency if asked.\n\nYou must include enough information to help the business taking your waste to handle and dispose of it safely.\n\n## Contacts\n\nContact the organisation in your region if you have any questions about business and commercial waste.\n\n## England\n\n## Scotland\n\n## Wales\n\n## Northern Ireland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "answerable": true, + "scenario": "We own a butchery shop and we use our house sometimes to clean the meat. While cleaning there are lot wastes that have to be disposed", + "original_question": "As the wastes are generated from home. Does these wastes considered as business waste ?" + }, + { + "id": "train-303", + "question": "Scenario: We own a water bottle business. As part of our business there are lot of plastics that are to be re-cycled. We cannot recycle everything in UK because of the huge loads of plastics\n\nQuestion: Can we export our plastics outside of UK for disposing ?\n\nDocument - Dispose of business or commercial waste:\n## Your responsibilities\n\nYou must:\n\n- keep waste to a minimum by doing everything you reasonably can to prevent, reuse, recycle or recover waste (in that order) - get help to do this\n\n- sort and store waste safely and securely\n\n- complete a waste transfer note for each load of waste that leaves your premises\n\n- check if your waste carrier is registered to dispose of waste\n\n- not allow the waste carrier to dispose of your waste illegally (and report them to Crimestoppers if they do)\n\nYou have extra responsibilities if you\u2019re dealing with hazardous waste.\n\n## What counts as business waste\n\nAny waste that comes from a commercial activity is business waste. If you use part of your home to run your business then any waste from that part is business waste.\n\nBusiness waste also includes any waste that comes from:\n\n- construction\n\n- demolition\n\n- industry\n\n- agriculture\n\nCheck what you need to do in Northern Ireland, Scotland and Wales.\n\n## Disposing of your own waste\n\nYou must register as a waste carrier if you want to dispose of your own waste regularly. Apply to register in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nDepending on what you\u2019re doing, you may also need to apply for a waste permit.\n\n## Moving waste between countries\n\nYou cannot move waste between countries for disposal, for example to send it to landfill. You can usually only import or export waste to recover it, such as using waste to produce energy.\n\nRead the guide on waste imports and exports.\n\n## Sorting and storing waste\n\nYou must store waste safely and securely. To do this:\n\n- store waste in a secure place\n\n- use suitable containers that will stop waste escaping\n\n- label containers clearly with the type of waste they contain\n\n- use covers to stop waste blowing away\n\n- use waterproof covers if rain could cause contaminated run-off or prevent the waste from being reused\n\nYou have extra responsibilities if you\u2019re storing hazardous waste.\n\nStore different types of waste separately, so that:\n\n- they do not contaminate each other\n\n- they can be reused more easily\n\n- you can complete the waste transfer note correctly\n\n## Waste transfer notes\n\nFor each load of non-hazardous waste you move off your premises, you need a waste transfer note or a document with the same information, such as an invoice.\n\nRegister online to:\n\n- fill in a waste transfer note for a single load of waste\n\n- create a season ticket for a series of loads\n\nOr download a waste transfer note to fill in and sign on paper.\n\nYour business and the business taking your waste both need to:\n\n- Fill in the sections of the waste transfer note that apply to you.\n\n- Sign it.\n\n- Keep a copy for 2 years.\n\n- Show it to an enforcement officer from your local council or the Environment Agency if asked.\n\nYou must include enough information to help the business taking your waste to handle and dispose of it safely.\n\n## Contacts\n\nContact the organisation in your region if you have any questions about business and commercial waste.\n\n## England\n\n## Scotland\n\n## Wales\n\n## Northern Ireland", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "answerable": true, + "scenario": "We own a water bottle business. As part of our business there are lot of plastics that are to be re-cycled. We cannot recycle everything in UK because of the huge loads of plastics", + "original_question": "Can we export our plastics outside of UK for disposing ?" + }, + { + "id": "train-304", + "question": "Scenario: I am in my early thirties and with the coronavirus going around I have quite a lot of free time since I am working from home. I want to help people in my local area who are at risk, feeling isolated or otherwise prefer not to go out.\n\nQuestion: Are there certain groups I can join to provide better aid to those who need it?\n\nDocument - Volunteering during coronavirus (COVID-19):\n## Overview\n\nYou can volunteer during coronavirus (COVID-19) with an organisation or group. You can also help people in your local area by doing things like picking up shopping or medicines.\n\nYou may be able to volunteer:\n\n- from home\n\n- from outside your home\n\n- in a workplace\n\nA new COVID-19 variant is spreading in some parts of England. Check what you can and cannot do if you\u2019re in an area where the new variant is spreading.\n\nThis guidance is for volunteers in England. There\u2019s different guidance on:\n\n- volunteering in Scotland\n\n- volunteering in Wales\n\n- volunteering in Northern Ireland\n\nIf you run an organisation or group, or manage volunteers, find out how to involve volunteers safely.\n\n## Where you can volunteer\n\nYou should volunteer from home where possible.\n\nFollow guidance on volunteering with other people if you have to volunteer outside your home. Do not leave home if:\n\n- you\u2019ve been told to self-isolate by NHS Test and Trace\n\n- you\u2019re self-isolating for any other reason\n\nIf you\u2019re volunteering in a workplace, it should follow guidance on working safely during COVID-19.\n\n## If you\u2019re at high risk from COVID-19\n\nYou can volunteer outside your home, if you\u2019re at high risk from COVID-19 (clinically extremely vulnerable), but you should take extra steps to protect yourself. For example, reduce:\n\n- your social interactions\n\n- the time you spend in places where you cannot social distance\n\n## If you have COVID-19 symptoms\n\nDo not volunteer outside your home if you have COVID-19 symptoms or if you\u2019ve tested positive for COVID-19.\n\nYou must self-isolate from the date you started having symptoms or from the day you tested positive and for the next 10 full days - whichever is the latest.\n\nIf you\u2019re self-isolating your volunteer organisation should not ask you to leave home.\n\n## If you need to travel as a volunteer\n\nFind out how to travel safely if you\u2019re volunteering in England.\n\nCheck COVID-19 guidance in Scotland, Wales or Northern Ireland before you travel, if you need to volunteer in one of these countries.\n\nBefore volunteering abroad:\n\n- check if the country you\u2019re going to is accepting volunteers - read foreign travel advice to find out where you can go\n\n- read the guidance on travelling abroad during COVID-19\n\n- check if your volunteering role means you\u2019re exempt from travel restrictions\n\n- check the rules you must follow when you return to England\n\n## Ways to volunteer\n\nYou can volunteer during coronavirus (COVID-19) with an organisation or group, for example a charity, the NHS or a local volunteer-run group.\n\nFind out about volunteering with a charity or voluntary organisation.\n\nCheck if your local council has volunteering opportunities.\n\nYou should choose your volunteering activity based on your risk of getting seriously ill with COVID-19.\n\n## Volunteer with the NHS\n\nIf you want to help the NHS as a general volunteer, apply for the NHS volunteer responder scheme. You\u2019ll need to check if the scheme is recruiting in your area.\n\nTo volunteer in a hospital, including if you\u2019re a doctor or nurse, contact your local hospital trust.\n\nIf you want to give blood, read the guidance about donating blood during COVID-19.\n\nYou can also sign up to the NHS COVID-19 vaccine registry if you want to take part in a COVID-19 vaccine research study.\n\n## Help people in your local area\n\nYou can help others by doing activities like picking up shopping and offering support on the phone. This includes:\n\n- family, friends and neighbours who are at high risk from COVID-19 or who prefer not to go out\n\n- people who are feeling lonely or isolated\n\n- staff and volunteers in key worker roles\n\nYou can also join a mutual aid group. A mutual aid group is a local volunteer-run initiative where people come together to help each other.\n\n## Protect those you help\n\nIf you\u2019re worried about someone\u2019s health, contact the NHS or check NHS COVID-19 advice online.\n\nIf you\u2019re helping someone who\u2019s staying at home, you should follow social distancing guidelines if you do have to go indoors.\n\nIt may not always be possible to follow social distancing guidelines, for example if you\u2019re providing personal care to someone. You should consider whether the activity is essential and follow working safely guidance.\n\n## If you\u2019re helping someone who\u2019s not a friend or family member\n\nYou should show identification when you call at their home.\n\nYou should not:\n\n- ask for their credit or debit card numbers, or other financial information\n\n- take their address and phone number, unless you need it to do a task\n\n- pressure them into giving you any unnecessary information\n\nYou can find out how to help others safely on the British Red Cross website.\n\nContact the police if you think someone you\u2019re helping is being abused or neglected. Phone 999 in an emergency or 101 if the person is not in immediate danger.\n\n## Volunteering with other people\n\nWhen you volunteer, you can meet in groups of any size from different households, both indoors or outdoors. However, meeting in smaller groups can reduce the risk of coronavirus (COVID-19) spreading.\n\nYou can also meet in groups for activities like volunteer recruitment and training. This does not include meeting in groups for social activities.\n\nThe organisation or group of volunteers running the activities should follow guidance on working safely during COVID-19.\n\nAs a volunteer, you should:\n\n- follow social distancing guidelines\n\n- wash your hands regularly and for 20 seconds\n\n- wear a face covering indoors\n\n- make sure indoor spaces are well ventilated with fresh air\n\nIn some volunteering roles, it may not be possible for you to follow social distancing guidelines. For example, driving a vehicle with others in it. You should consider whether the activity is essential before doing it and follow the guidance on working safely during COVID-19.\n\n## Volunteering in a support group\n\nYou can volunteer in a support group. Support groups should provide mutual aid, therapy or another form of support.\n\nThere cannot be more than 30 people in the support group itself. Children under 5 are not included in this limit. There\u2019s no limit to the number of volunteers.\n\nFor example, 5 volunteers could support up to 30 people in a group session, to make a group of 35 in total.\n\nFormal support groups must not be run from private homes.\n\n## Testing and vaccination\n\nFind out how to get tested for coronavirus (COVID-19).\n\nIf you volunteer in an essential role and have COVID-19 symptoms, you\u2019ll be prioritised for a test.\n\n## Who can get a vaccine\n\nYou can get vaccinated if you\u2019re a volunteer in an eligible group. This includes volunteers in frontline health and social care roles.\n\nIf you qualify for a vaccine because of your age or a clinical condition, you\u2019ll be vaccinated at the same time as other people in your area.\n\nThe NHS will let you know when you can get a vaccine and how to get it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/coronavirus-volunteering", + "answerable": true, + "scenario": "I am in my early thirties and with the coronavirus going around I have quite a lot of free time since I am working from home. I want to help people in my local area who are at risk, feeling isolated or otherwise prefer not to go out.", + "original_question": "Are there certain groups I can join to provide better aid to those who need it?" + }, + { + "id": "train-305", + "question": "Scenario: I have been volunteering with a support group in my local area for a few weeks now. A couple of days ago I started feeling a bit under the weather and decided to get tested for COVID-19, the results came back positive. I will be self-isolating for the next 10 days.\n\nQuestion: Will I still be asked to keep contributing to my volunteer group?\n\nDocument - Volunteering during coronavirus (COVID-19):\n## Overview\n\nYou can volunteer during coronavirus (COVID-19) with an organisation or group. You can also help people in your local area by doing things like picking up shopping or medicines.\n\nYou may be able to volunteer:\n\n- from home\n\n- from outside your home\n\n- in a workplace\n\nA new COVID-19 variant is spreading in some parts of England. Check what you can and cannot do if you\u2019re in an area where the new variant is spreading.\n\nThis guidance is for volunteers in England. There\u2019s different guidance on:\n\n- volunteering in Scotland\n\n- volunteering in Wales\n\n- volunteering in Northern Ireland\n\nIf you run an organisation or group, or manage volunteers, find out how to involve volunteers safely.\n\n## Where you can volunteer\n\nYou should volunteer from home where possible.\n\nFollow guidance on volunteering with other people if you have to volunteer outside your home. Do not leave home if:\n\n- you\u2019ve been told to self-isolate by NHS Test and Trace\n\n- you\u2019re self-isolating for any other reason\n\nIf you\u2019re volunteering in a workplace, it should follow guidance on working safely during COVID-19.\n\n## If you\u2019re at high risk from COVID-19\n\nYou can volunteer outside your home, if you\u2019re at high risk from COVID-19 (clinically extremely vulnerable), but you should take extra steps to protect yourself. For example, reduce:\n\n- your social interactions\n\n- the time you spend in places where you cannot social distance\n\n## If you have COVID-19 symptoms\n\nDo not volunteer outside your home if you have COVID-19 symptoms or if you\u2019ve tested positive for COVID-19.\n\nYou must self-isolate from the date you started having symptoms or from the day you tested positive and for the next 10 full days - whichever is the latest.\n\nIf you\u2019re self-isolating your volunteer organisation should not ask you to leave home.\n\n## If you need to travel as a volunteer\n\nFind out how to travel safely if you\u2019re volunteering in England.\n\nCheck COVID-19 guidance in Scotland, Wales or Northern Ireland before you travel, if you need to volunteer in one of these countries.\n\nBefore volunteering abroad:\n\n- check if the country you\u2019re going to is accepting volunteers - read foreign travel advice to find out where you can go\n\n- read the guidance on travelling abroad during COVID-19\n\n- check if your volunteering role means you\u2019re exempt from travel restrictions\n\n- check the rules you must follow when you return to England\n\n## Ways to volunteer\n\nYou can volunteer during coronavirus (COVID-19) with an organisation or group, for example a charity, the NHS or a local volunteer-run group.\n\nFind out about volunteering with a charity or voluntary organisation.\n\nCheck if your local council has volunteering opportunities.\n\nYou should choose your volunteering activity based on your risk of getting seriously ill with COVID-19.\n\n## Volunteer with the NHS\n\nIf you want to help the NHS as a general volunteer, apply for the NHS volunteer responder scheme. You\u2019ll need to check if the scheme is recruiting in your area.\n\nTo volunteer in a hospital, including if you\u2019re a doctor or nurse, contact your local hospital trust.\n\nIf you want to give blood, read the guidance about donating blood during COVID-19.\n\nYou can also sign up to the NHS COVID-19 vaccine registry if you want to take part in a COVID-19 vaccine research study.\n\n## Help people in your local area\n\nYou can help others by doing activities like picking up shopping and offering support on the phone. This includes:\n\n- family, friends and neighbours who are at high risk from COVID-19 or who prefer not to go out\n\n- people who are feeling lonely or isolated\n\n- staff and volunteers in key worker roles\n\nYou can also join a mutual aid group. A mutual aid group is a local volunteer-run initiative where people come together to help each other.\n\n## Protect those you help\n\nIf you\u2019re worried about someone\u2019s health, contact the NHS or check NHS COVID-19 advice online.\n\nIf you\u2019re helping someone who\u2019s staying at home, you should follow social distancing guidelines if you do have to go indoors.\n\nIt may not always be possible to follow social distancing guidelines, for example if you\u2019re providing personal care to someone. You should consider whether the activity is essential and follow working safely guidance.\n\n## If you\u2019re helping someone who\u2019s not a friend or family member\n\nYou should show identification when you call at their home.\n\nYou should not:\n\n- ask for their credit or debit card numbers, or other financial information\n\n- take their address and phone number, unless you need it to do a task\n\n- pressure them into giving you any unnecessary information\n\nYou can find out how to help others safely on the British Red Cross website.\n\nContact the police if you think someone you\u2019re helping is being abused or neglected. Phone 999 in an emergency or 101 if the person is not in immediate danger.\n\n## Volunteering with other people\n\nWhen you volunteer, you can meet in groups of any size from different households, both indoors or outdoors. However, meeting in smaller groups can reduce the risk of coronavirus (COVID-19) spreading.\n\nYou can also meet in groups for activities like volunteer recruitment and training. This does not include meeting in groups for social activities.\n\nThe organisation or group of volunteers running the activities should follow guidance on working safely during COVID-19.\n\nAs a volunteer, you should:\n\n- follow social distancing guidelines\n\n- wash your hands regularly and for 20 seconds\n\n- wear a face covering indoors\n\n- make sure indoor spaces are well ventilated with fresh air\n\nIn some volunteering roles, it may not be possible for you to follow social distancing guidelines. For example, driving a vehicle with others in it. You should consider whether the activity is essential before doing it and follow the guidance on working safely during COVID-19.\n\n## Volunteering in a support group\n\nYou can volunteer in a support group. Support groups should provide mutual aid, therapy or another form of support.\n\nThere cannot be more than 30 people in the support group itself. Children under 5 are not included in this limit. There\u2019s no limit to the number of volunteers.\n\nFor example, 5 volunteers could support up to 30 people in a group session, to make a group of 35 in total.\n\nFormal support groups must not be run from private homes.\n\n## Testing and vaccination\n\nFind out how to get tested for coronavirus (COVID-19).\n\nIf you volunteer in an essential role and have COVID-19 symptoms, you\u2019ll be prioritised for a test.\n\n## Who can get a vaccine\n\nYou can get vaccinated if you\u2019re a volunteer in an eligible group. This includes volunteers in frontline health and social care roles.\n\nIf you qualify for a vaccine because of your age or a clinical condition, you\u2019ll be vaccinated at the same time as other people in your area.\n\nThe NHS will let you know when you can get a vaccine and how to get it.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/coronavirus-volunteering", + "answerable": true, + "scenario": "I have been volunteering with a support group in my local area for a few weeks now. A couple of days ago I started feeling a bit under the weather and decided to get tested for COVID-19, the results came back positive. I will be self-isolating for the next 10 days.", + "original_question": "Will I still be asked to keep contributing to my volunteer group?" + }, + { + "id": "train-310", + "question": "Scenario: My company does construction, we are currently building a new office building in the center of Liverpool. We were told we will be supplied with all necessities regarding waste sorting, storing and disposal. Today we got to see the bins we are going to be using and some of are quite old and have no lids.\n\nQuestion: Do the bins with no lids meet the criteria for safely sorting waste?\n\nDocument - Dispose of business or commercial waste:\n## Your responsibilities\n\nYou must:\n\n- keep waste to a minimum by doing everything you reasonably can to prevent, reuse, recycle or recover waste (in that order) - get help to do this\n\n- sort and store waste safely and securely\n\n- complete a waste transfer note for each load of waste that leaves your premises\n\n- check if your waste carrier is registered to dispose of waste\n\n- not allow the waste carrier to dispose of your waste illegally (and report them to Crimestoppers if they do)\n\nYou have extra responsibilities if you\u2019re dealing with hazardous waste.\n\n## What counts as business waste\n\nAny waste that comes from a commercial activity is business waste. If you use part of your home to run your business then any waste from that part is business waste.\n\nBusiness waste also includes any waste that comes from:\n\n- construction\n\n- demolition\n\n- industry\n\n- agriculture\n\nCheck what you need to do in Northern Ireland, Scotland and Wales.\n\n## Disposing of your own waste\n\nYou must register as a waste carrier if you want to dispose of your own waste regularly. Apply to register in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nDepending on what you\u2019re doing, you may also need to apply for a waste permit.\n\n## Moving waste between countries\n\nYou cannot move waste between countries for disposal, for example to send it to landfill. You can usually only import or export waste to recover it, such as using waste to produce energy.\n\nRead the guide on waste imports and exports.\n\n## Sorting and storing waste\n\nYou must store waste safely and securely. To do this:\n\n- store waste in a secure place\n\n- use suitable containers that will stop waste escaping\n\n- label containers clearly with the type of waste they contain\n\n- use covers to stop waste blowing away\n\n- use waterproof covers if rain could cause contaminated run-off or prevent the waste from being reused\n\nYou have extra responsibilities if you\u2019re storing hazardous waste.\n\nStore different types of waste separately, so that:\n\n- they do not contaminate each other\n\n- they can be reused more easily\n\n- you can complete the waste transfer note correctly\n\n## Waste transfer notes\n\nFor each load of non-hazardous waste you move off your premises, you need a waste transfer note or a document with the same information, such as an invoice.\n\nRegister online to:\n\n- fill in a waste transfer note for a single load of waste\n\n- create a season ticket for a series of loads\n\nOr download a waste transfer note to fill in and sign on paper.\n\nYour business and the business taking your waste both need to:\n\n- Fill in the sections of the waste transfer note that apply to you.\n\n- Sign it.\n\n- Keep a copy for 2 years.\n\n- Show it to an enforcement officer from your local council or the Environment Agency if asked.\n\nYou must include enough information to help the business taking your waste to handle and dispose of it safely.\n\n## Contacts\n\nContact the organisation in your region if you have any questions about business and commercial waste.\n\n## England\n\n## Scotland\n\n## Wales\n\n## Northern Ireland", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "answerable": true, + "scenario": "My company does construction, we are currently building a new office building in the center of Liverpool. We were told we will be supplied with all necessities regarding waste sorting, storing and disposal. Today we got to see the bins we are going to be using and some of are quite old and have no lids.", + "original_question": "Do the bins with no lids meet the criteria for safely sorting waste?" + }, + { + "id": "train-311", + "question": "Scenario: I use my garage to manufacture custom mini computers for my online store. I often end up throwing away chips, cables and boards. I have been running this business for around a month now. Yesterday my neighbour told me I should take better care of my waste and that if I didn't he would contact authorities to report improper disposal of business waste.\n\nQuestion: Does the waste I produce in my garage count as business waste?\n\nDocument - Dispose of business or commercial waste:\n## Your responsibilities\n\nYou must:\n\n- keep waste to a minimum by doing everything you reasonably can to prevent, reuse, recycle or recover waste (in that order) - get help to do this\n\n- sort and store waste safely and securely\n\n- complete a waste transfer note for each load of waste that leaves your premises\n\n- check if your waste carrier is registered to dispose of waste\n\n- not allow the waste carrier to dispose of your waste illegally (and report them to Crimestoppers if they do)\n\nYou have extra responsibilities if you\u2019re dealing with hazardous waste.\n\n## What counts as business waste\n\nAny waste that comes from a commercial activity is business waste. If you use part of your home to run your business then any waste from that part is business waste.\n\nBusiness waste also includes any waste that comes from:\n\n- construction\n\n- demolition\n\n- industry\n\n- agriculture\n\nCheck what you need to do in Northern Ireland, Scotland and Wales.\n\n## Disposing of your own waste\n\nYou must register as a waste carrier if you want to dispose of your own waste regularly. Apply to register in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nDepending on what you\u2019re doing, you may also need to apply for a waste permit.\n\n## Moving waste between countries\n\nYou cannot move waste between countries for disposal, for example to send it to landfill. You can usually only import or export waste to recover it, such as using waste to produce energy.\n\nRead the guide on waste imports and exports.\n\n## Sorting and storing waste\n\nYou must store waste safely and securely. To do this:\n\n- store waste in a secure place\n\n- use suitable containers that will stop waste escaping\n\n- label containers clearly with the type of waste they contain\n\n- use covers to stop waste blowing away\n\n- use waterproof covers if rain could cause contaminated run-off or prevent the waste from being reused\n\nYou have extra responsibilities if you\u2019re storing hazardous waste.\n\nStore different types of waste separately, so that:\n\n- they do not contaminate each other\n\n- they can be reused more easily\n\n- you can complete the waste transfer note correctly\n\n## Waste transfer notes\n\nFor each load of non-hazardous waste you move off your premises, you need a waste transfer note or a document with the same information, such as an invoice.\n\nRegister online to:\n\n- fill in a waste transfer note for a single load of waste\n\n- create a season ticket for a series of loads\n\nOr download a waste transfer note to fill in and sign on paper.\n\nYour business and the business taking your waste both need to:\n\n- Fill in the sections of the waste transfer note that apply to you.\n\n- Sign it.\n\n- Keep a copy for 2 years.\n\n- Show it to an enforcement officer from your local council or the Environment Agency if asked.\n\nYou must include enough information to help the business taking your waste to handle and dispose of it safely.\n\n## Contacts\n\nContact the organisation in your region if you have any questions about business and commercial waste.\n\n## England\n\n## Scotland\n\n## Wales\n\n## Northern Ireland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "answerable": true, + "scenario": "I use my garage to manufacture custom mini computers for my online store. I often end up throwing away chips, cables and boards. I have been running this business for around a month now. Yesterday my neighbour told me I should take better care of my waste and that if I didn't he would contact authorities to report improper disposal of business waste.", + "original_question": "Does the waste I produce in my garage count as business waste?" + }, + { + "id": "train-312", + "question": "Scenario: My partner and are on a low income and are looking to claim tax credits to top up our income. As a leaving present from my previous employer, I received some shares in the company.\n\nQuestion: Do dividends from these shares count towards our income when assessing our claim for tax credits?\n\nDocument - How to claim tax credits:\n## How to claim\n\nTax credits have been replaced by Universal Credit.\n\nYou can only make a claim for Child Tax Credit or Working Tax Credit if you already get tax credits. You\u2019ll need to update your existing tax credit claim by\u00a0reporting a change in your circumstances online or by phone.\n\nIf you cannot apply for tax credits, you can apply for Universal Credit instead.\n\nYou might be able to apply for Pension Credit if you and your partner are State Pension age or over.\n\n## When to claim\n\nApply as soon as you know you\u2019re eligible so you get all the money you\u2019re entitled to.\n\nYou can claim tax credits at any time of year.\n\n## If you know your income will go down\n\nApply straight away if you know your income will drop to a level that means you\u2019ll be eligible for tax credits.\n\nFor example, you could make a claim now if you found out your income is going to drop in 6 months\u2019 time.\n\nThe income levels for Working Tax Credit and Child Tax Credit are different.\n\nUsually, tax credits are backdated by up to 31 days from the start of your claim.\n\n## Joint claims\n\nYou can apply for tax credits as a single person, or as a couple (known as a \u2018joint claim\u2019) if you\u2019re both 16 or over and living in the UK.\n\nUsually, you must make a joint claim if:\n\n- you\u2019re married or in a civil partnership (and not permanently or legally separated)\n\n- you live with your partner as though you\u2019re married or in a civil partnership\n\n- you\u2019re temporarily living away from one another, for example looking after a relative or working away from home\n\n- your partner is working abroad for the government\n\nYou might also need to make a joint claim if you and your partner are not married or in a civil partnership, but:\n\n- sometimes live in the same house\n\n- have a joint financial agreement\n\n- have dependent children\n\n## Exceptions\n\nYou do not always make a joint claim because you have a partner. For example, make a single claim if:\n\n- you live in the UK but your partner lives abroad (unless your partner works for the government)\n\n- you both live abroad, you\u2019re from the EEA or Switzerland and you work in the UK but your partner does not\n\n## If you\u2019re not sure\n\nCall HM Revenue and Customs to find out if you should make a joint claim.\n\nYou must pay back any tax credits you\u2019re not entitled to if you do not make the right sort of application.\n\n## Backdate a claim\n\nWhen you make a claim, your tax credits are usually backdated automatically by up to 31 days. You do not have to do anything.\n\n## If you\u2019re claiming other benefits\n\nYou have to ask for your tax credits to be backdated if you get:\n\n- Income Support\n\n- Jobseeker\u2019s Allowance (income-based)\n\n- Employment and Support Allowance (income-related)\n\n- Pension Credit\n\nYou might not get the full backdated claim if you stopped getting one of these benefits in the last 31 days and you\u2019re claiming both Child Tax Credit and Working Tax Credit.\n\n## Backdating by more than 31 days\n\nTax credit claims can sometimes be backdated by more than 31 days if you:\n\n- apply within a month of getting refugee status\n\n- apply within 31 days of qualifying for certain sickness or disability benefits, such as Disability Living Allowance or Personal Independence Payment\n\nDo not apply to backdate these claims until you\u2019ve been given a decision on your refugee status or disability benefits.\n\nYou should still apply for other tax credits if you already qualify for them, for example if you have children.\n\n## How to backdate a claim\n\nIf you\u2019re claiming over the phone, call HM Revenue and Customs to ask them to backdate your claim.\n\nIf you\u2019re using claim form, include a page confirming:\n\n- your name, address and National Insurance number\n\n- the date you started work\n\n- the date you started getting one of the benefits listed, if you\u2019re not in work\n\n- the date you got a decision on your refugee status or disability benefits - if you\u2019re applying to backdate by more than 31 days\n\n## What counts as income\n\nUsually, what you\u2019re entitled to is based on your income for the last tax year (6 April 2020 to 5 April 2021).\n\nIncome includes:\n\n- money from employment before tax and National Insurance, including if you cannot work but you\u2019re still getting paid (\u2018on furlough\u2019) - check your P60s, P45s or payslips\n\n- earnings if you\u2019re self-employed before tax and National Insurance, including grants from the Self-Employment Income Support Scheme - check your Self Assessment tax return\n\n- money from some coronavirus (COVID-19) payments\n\n- benefits from your employer (check your P11D)\n\n- certain state benefits\n\n- money from a pension - including your State Pension\n\n- interest on savings\n\n- your partner\u2019s income - if you make a joint claim\n\n- UK company dividends\n\n- profit from a property you own or rent out in the UK\n\n- earnings from the Rent a Room Scheme above \u00a37,500 (or \u00a33,750 if you\u2019re a joint owner)\n\n- payment above \u00a330,000 because your job ended\n\nHM Revenue and Customs (HMRC) has detailed guidance if you need help working out your income.\n\n## Benefits\n\nIncome includes money from UK state benefits (or their foreign equivalents) except income-based Jobseeker\u2019s Allowance (JSA) or \u2018tax-free\u2019 benefits. Tax-free benefits include:\n\n- Child Benefit\n\n- Housing Benefit\n\n- Attendance Allowance\n\n- Disability Living Allowance\n\n- Personal Independence Payment\n\n- the foreign equivalents of UK tax-free benefits\n\nTo support your claim, keep records of your income, bills, payslips, benefits, tax credits, childcare and child\u2019s education for the current tax year and at least 2 years before that.\n\n## Work out your hours\n\nPut the number of hours you work in a normal week on your claim form.\n\nAdd all your hours together if you have more than one job.\n\nIf you\u2019ve just started work put the hours you expect to work.\n\n| Type of work | How to work out your hours |\n\n| Employed | Include overtime, but not unpaid breaks |\n\n| Self-employed | Include all the time you spend on your business (once you\u2019ve set it up) |\n\n| Seasonal | Put the hours you\u2019re working at the moment |\n\n| Regular term-time | Put the hours you work during term time |\n\n| Agency | Decide your normal hours with your employer |\n\n| On-call | Only count the hours you\u2019re called to work |\n\n| On standby | Do not count the time when you\u2019re not paid |", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-tax-credits", + "answerable": true, + "scenario": "My partner and are on a low income and are looking to claim tax credits to top up our income. As a leaving present from my previous employer, I received some shares in the company.", + "original_question": "Do dividends from these shares count towards our income when assessing our claim for tax credits?" + }, + { + "id": "train-313", + "question": "Scenario: I recently fulfilled my dream of setting up a charity aimed at providing hot food for homeless people. We are producing a lot of food each day using both cash donations and food donations from supermarkets\n\nQuestion: Can we get a tax break due to the nature of our business?\n\nDocument - Set up a charity:\n## Set up a charity\n\nThere are 6 steps to setting up a charity.\n\n- Find trustees for your charity - you usually need at least 3.\n\n- Make sure the charity has \u2018charitable purposes for the public benefit\u2019.\n\n- Choose a name for your charity.\n\n- Choose a structure for your charity.\n\n- Create a \u2018governing document\u2019.\n\n- Register as a charity if your annual income is over \u00a35,000 or if you set up a charitable incorporated organisation (CIO).\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Tax relief\n\nTo get tax relief your charity needs to be recognised by HM Revenue and Customs (HMRC).\n\n## Charitable purposes\n\nYour charity must have \u2018charitable purposes\u2019 that help the public (known as being \u2018for public benefit\u2019).\n\nCharitable purposes include things that contribute to:\n\n- relieving poverty\n\n- education\n\n- religion\n\n- health\n\n- saving lives\n\n- citizenship or community development\n\n- the arts\n\n- amateur sport\n\n- human rights\n\n- religious or racial harmony\n\n- the protection of the environment\n\n- animal welfare\n\n- the efficiency of the armed forces, police, fire or ambulance services\n\nRead guidance on writing your charitable purposes.\n\nYou should also read about public benefit to decide if your charity\u2019s aims are suitable.\n\nYou can\u2019t set up a charity to help one specific person.\n\n## Name your charity\n\nYour charity name must not:\n\n- be similar to the name of an existing charity (unless you can prove you need to use it)\n\n- use words you don\u2019t have permission to use, for example a trade mark\n\n- use offensive words or acronyms\n\n- be misleading, for example suggest your charity does something it doesn\u2019t\n\nSearch the charities register to check the names of registered charities. Unregistered charities won\u2019t appear in the register.\n\n## Additional names\n\nYou can use:\n\n- abbreviations, for example National Society for the Prevention of Cruelty to Children is known as NSPCC\n\n- alternative names, for example Comic Relief is a working name for Charity Projects\n\nYou must list any alternative or working names your charity uses when you apply to register.\n\n## Non-English names\n\nYou must include a translation of any non-English words in your charity\u2019s name when you register.\n\n## Using \u2018charity\u2019 in a name\n\nYou can use the words \u2018charity\u2019, \u2018charities\u2019 or \u2018charitable\u2019 in your charity\u2019s name but you need approval from the Charity Commission if you use them when you register a company name with Companies House.\n\n## Structures\n\nYou must choose a structure for your charity, which will affect things like:\n\n- who runs the charity\n\n- how the charity is run\n\n- what the charity can do, for example employ people or own property\n\nThere are 4 common charity structures.\n\n## Charitable company\n\nYour charitable companies will have to be limited by guarantees rather than shares when you register. Select \u2018private company limited by guarantee\u2019 on the form.\n\nTrustees have limited or no liability for a charitable company\u2019s debts or liabilities.\n\n## Apply online\n\nYou can apply online to register a charitable company with Companies House.\n\n## Apply by post\n\nFill in the form to register a charitable company with Companies House by post.\n\nIt costs \u00a340.\n\nYou may also need:\n\n- continuation sheets if you need extra space to write\n\n- a Welsh version of the form\n\n## Charitable incorporated organisation (CIO)\n\nA CIO is an incorporated structure designed for charities. You create a CIO by registering with the Charity Commission. You don\u2019t need to register with Companies House.\n\nTrustees have limited or no liability for CIO debts or liabilities.\n\n## Charitable trust\n\nA \u2018charitable trust\u2019 is a way for a group of people (\u2018trustees\u2019) to manage assets such as money, investments, land or buildings.\n\n## Unincorporated charitable association\n\nAn \u2018unincorporated charitable association\u2019 is a simple way for a group of volunteers to run a charity for a common purpose.\n\nUnincorporated charitable associations can\u2019t employ staff or own premises.\n\n## Governing document\n\nYou must create a \u2018governing document\u2019 (or \u2018rulebook\u2019) for your charity that explains how your charity is run.\n\nYour governing document lets trustees and other interested parties find out:\n\n- your charity\u2019s purpose\n\n- who runs it and how they run it\n\n- how trustees will be appointed\n\n- rules about trustees\u2019 expenses\n\n- rules about payments to trustees\n\n- how to close the charity\n\nWhat type of governing document you need depends on your charity structure.\n\nRead guidance on writing your governing document, including example templates.\n\nYou can create your governing document using your own templates but it may mean registration takes longer.\n\nThe trustees must meet to sign the governing document. You\u2019ll need an independent witness if you\u2019re setting up a charitable trust.\n\n## Register your charity\n\nYou must apply to register your charity if:\n\n- its income is at least \u00a35,000 per year or it\u2019s a charitable incorporated organisation (CIO)\n\n- it\u2019s based in England or Wales (the rules are different in Scotland and Northern Ireland\n\n## Supporting documents\n\nWhen you apply you\u2019ll be asked:\n\n- about your charity\u2019s charitable purposes\n\n- how you run your charity for public benefit\n\n- for proof that your charity\u2019s annual income is above \u00a35,000, unless you\u2019re a CIO\n\nYou\u2019ll also need to give your charity\u2019s:\n\n- name\n\n- bank or building society details\n\n- most recent accounts\n\n- contact details, including a postal address\n\n- trustees\u2019 names, dates of birth and contact details\n\n- a copy of your charity\u2019s governing document (in PDF format)\n\n## Proof of income\n\nProof of income, if needed, can be any one of:\n\n- your charity\u2019s latest \u2018published\u2019 annual accounts (in PDF format) - they must have been approved as proof of income by an independent examiner or auditor\n\n- a recent bank statement (as a scanned image)\n\n- a formal offer of funding from a recognised funding body (as a scanned image)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/setting-up-charity", + "answerable": true, + "scenario": "I recently fulfilled my dream of setting up a charity aimed at providing hot food for homeless people. We are producing a lot of food each day using both cash donations and food donations from supermarkets", + "original_question": "Can we get a tax break due to the nature of our business?" + }, + { + "id": "train-314", + "question": "Scenario: My father left me his farm land in his will. The is quite empty but in overall good shape and I would like to build a new house on it. That way I will have the property that is already there which will continue to be used for farming purposes while I develop a new home for my family. I am from the North-West part of England.\n\nQuestion: Do I need a planning permission and can I apply online?\n\nDocument - Planning permission for farms:\n## When you need it\n\nFarms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.\n\nYou need planning permission if:\n\n- you want to change how you use your land or buildings from farming to something else\n\n- you want to build a house on the land\n\nYou will also usually need planning permission if you are applying for a grant to fund a project that needs a building or other development.\n\n## When you don\u2019t need it\n\nYou don\u2019t need planning permission:\n\n- for farming operations\n\n- to use buildings already on your land for farming purposes\n\n- to change the inside of a building, or make small alterations to the outside - eg installing an alarm box\n\n- if there are permitted development rights\n\nBefore starting work on the project, always check with:\n\n- your local planning authority in England and Wales\n\n- your local planning authority in Scotland\n\n- you local area planning office in Northern Ireland\n\nIf you don\u2019t get planning permission when you need it you may have to stop work on the development or demolish it.\n\n## Apply for planning permission\n\nIn England and Wales, you can apply online at the Planning Portal.\n\nIn Scotland you can apply online at ePlanning Scotland.\n\nIn Northern Ireland, you apply for planning permission to your local area planning office.\n\n## Permitted development\n\nPermitted development means that if your farm is 5 hectares or more, you have the right to:\n\n- erect, extend or alter a building\n\n- carry out excavations and engineering operations needed for agricultural purposes - though you may still require approval for certain details of the development.\n\nThe types of permitted development include:\n\n- temporary uses of land\n\n- agricultural buildings below a certain size\n\n- forestry buildings\n\n- caravan sites and related buildings in some circumstances\n\nCheck with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.\n\nThe Agricultural Document Library (ADLib) has policy planning guidance on permitted development and farms.\n\n## Appeals\n\nThe way you appeal and the deadlines for appealing are different depending on which country you\u2019re in. See the relevant planning guide for more information:\n\n- England and Wales\n\n- Scotland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/planning-permissions-for-farms", + "answerable": true, + "scenario": "My father left me his farm land in his will. The is quite empty but in overall good shape and I would like to build a new house on it. That way I will have the property that is already there which will continue to be used for farming purposes while I develop a new home for my family. I am from the North-West part of England.", + "original_question": "Do I need a planning permission and can I apply online?" + }, + { + "id": "train-315", + "question": "Scenario: I am planning a major change in how I operate my farming land. It will consist of demolishing several buildings currently used for farming. The new construction will be used as a living space and will include a large gym area, which may later on be made available to the public.\n\nQuestion: Do I need to apply for planning permission?\n\nDocument - Planning permission for farms:\n## When you need it\n\nFarms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.\n\nYou need planning permission if:\n\n- you want to change how you use your land or buildings from farming to something else\n\n- you want to build a house on the land\n\nYou will also usually need planning permission if you are applying for a grant to fund a project that needs a building or other development.\n\n## When you don\u2019t need it\n\nYou don\u2019t need planning permission:\n\n- for farming operations\n\n- to use buildings already on your land for farming purposes\n\n- to change the inside of a building, or make small alterations to the outside - eg installing an alarm box\n\n- if there are permitted development rights\n\nBefore starting work on the project, always check with:\n\n- your local planning authority in England and Wales\n\n- your local planning authority in Scotland\n\n- you local area planning office in Northern Ireland\n\nIf you don\u2019t get planning permission when you need it you may have to stop work on the development or demolish it.\n\n## Apply for planning permission\n\nIn England and Wales, you can apply online at the Planning Portal.\n\nIn Scotland you can apply online at ePlanning Scotland.\n\nIn Northern Ireland, you apply for planning permission to your local area planning office.\n\n## Permitted development\n\nPermitted development means that if your farm is 5 hectares or more, you have the right to:\n\n- erect, extend or alter a building\n\n- carry out excavations and engineering operations needed for agricultural purposes - though you may still require approval for certain details of the development.\n\nThe types of permitted development include:\n\n- temporary uses of land\n\n- agricultural buildings below a certain size\n\n- forestry buildings\n\n- caravan sites and related buildings in some circumstances\n\nCheck with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.\n\nThe Agricultural Document Library (ADLib) has policy planning guidance on permitted development and farms.\n\n## Appeals\n\nThe way you appeal and the deadlines for appealing are different depending on which country you\u2019re in. See the relevant planning guide for more information:\n\n- England and Wales\n\n- Scotland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/planning-permissions-for-farms", + "answerable": true, + "scenario": "I am planning a major change in how I operate my farming land. It will consist of demolishing several buildings currently used for farming. The new construction will be used as a living space and will include a large gym area, which may later on be made available to the public.", + "original_question": "Do I need to apply for planning permission?" + }, + { + "id": "train-319", + "question": "Scenario: We have filed a patent on Artificial intelligence and noticed someone using it to market their product. We found the person using it and want to resolve the issue quickly\n\nQuestion: Can we make a deal with the other party without going to court ?\n\nDocument - Defend your intellectual property:\n## Overview\n\nIt\u2019s your responsibility to defend your intellectual property (IP) and to take action if someone\u2019s used it without permission (known as \u2018infringement\u2019).\n\nExamples of IP infringement include when someone:\n\n- uses, sells or imports your patented product or process\n\n- uses all or some of your work under copyright without your permission\n\n- makes, offers or sells your registered design for commercial gain\n\n- uses a trade mark that\u2019s identical or similar to one you\u2019ve registered\n\nYou can take the following steps.\n\n- Get the other party to stop using your IP or come to an agreement with them, for example license your IP.\n\n- Use mediation or another type of dispute resolution.\n\n- Take legal action if you can\u2019t resolve the dispute by other means.\n\nYou may want to get help from an IP professional, such as a solicitor. The Intellectual Property Office (IPO) can also help.\n\n## Report IP crime\n\nIt can be a criminal offence to copy or use copyright material and registered trade marks and designs without permission.\n\nReport suspected IP crime to Trading Standards by contacting Citizens Advice.\n\nYou can also report it anonymously through:\n\n- Crimestoppers\n\n- Action Fraud\n\n## Get help and advice\n\nAn intellectual property (IP) professional can give you legal advice on a dispute, or act on your behalf.\n\nFind an IP professional through organisations including:\n\n- The Chartered Institute of Patent Attorneys\n\n- The Chartered Institute of Trade Mark Attorneys\n\n- The Law Society (England and Wales)\n\n- The Law Society of Scotland\n\n- The Law Society of Northern Ireland\n\n## Contact the Intellectual Property Office (IPO)\n\nYou can contact IPO for:\n\n- an opinion on whether your patent or supplementary protection certificate is being infringed - it costs \u00a3200\n\n- to start legal proceedings over some types of IP dispute (this does not include copyright infringement)\n\n- general advice on IP\n\n## Come to an agreement\n\nIf someone is using your IP without your permission you can contact them and ask them to stop.\n\nYou can be sued for making unjustified threats. You may want to seek legal advice before contacting the other party.\n\n## Make a deal\n\nYou can offer to make a deal with the other party, which is usually cheaper and quicker than going to court.\n\nRead the guidance on how to license, sell, mortgage and market your:\n\n- copyright\n\n- patent\n\n- design\n\n- trade mark\n\nYou can also come to a coexistence agreement with someone who has a similar trade mark.\n\n## Use a mediator\n\nYou can use a mediator if you can\u2019t come to an agreement over an intellectual property (IP) dispute.\n\nMediation can be used in most IP disputes. This includes disputes about:\n\n- trade marks\n\n- copyright\n\n- designs\n\n- patents\n\nMediation is a way of resolving disputes without going to court. It\u2019s cheaper and quicker than taking legal action and the outcome is usually beneficial to all parties.\n\nMediators provide an independent view on a dispute. They can\u2019t make a decision for you, but they can help to find a solution that both parties accept.\n\nDiscussions with a mediator are confidential and can\u2019t be used in court later if the dispute isn\u2019t resolved.\n\n## IPO mediation service\n\nThe Intellectual Property Office (IPO) has its own mediation service.\n\nWhat you will pay for mediation depends on the type and length of mediation session.\n\nRead guidance on IPO\u2019s mediation service, including information on fees.\n\n## Other mediators you can use\n\nYou can also use the:\n\n- Civil Mediation Council (England and Wales)\n\n- Scottish Mediation Network\n\n- Northern Ireland Mediation\n\n## Take legal action\n\nYou can file legal proceedings either through the Intellectual Property Office (IPO) or through the courts.\n\nSome types of proceedings can only be filed through one or the other. For example, copyright infringement claims can only be filed through the courts.\n\nA court will expect you to have tried to resolve your dispute - possibly using mediation - before starting legal proceedings.\n\nYou can pay an Intellectual Property Professional to help you.\n\n## File through IPO\n\nContact IPO for more information on filing through them.\n\n## File through the courts in England and Wales\n\nThe court you go to depends on the nature, complexity and value of your claim.\n\n## Claims below \u00a310,000\n\nUse the Intellectual Property Enterprise Court (IPEC) small claims track if your claim is for less than \u00a310,000 and for infringement of one of the following:\n\n- copyright\n\n- passing off\n\n- trade marks\n\n- breach of confidence\n\n- unregistered design rights\n\nYou don\u2019t need a lawyer to use the IPEC small claims track.\n\n## Claims up to \u00a3500,000\n\nYou can take a case for any IP right to the Intellectual Property Enterprise Court (IPEC) if you do not wish to claim more than:\n\n- \u00a350,000 for legal costs\n\n- \u00a3500,000 for damages\n\n## If you\u2019re claiming more than \u00a3500,000 in damages\n\nUse the Chancery Division of the High Court of England and Wales - there are no limits to legal costs or damages you can claim.\n\n## File through the courts in Scotland\n\nUse the Court of Session if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.\n\n## File through the courts in Northern Ireland\n\nYou can use the Chancery Division of the High Court of Northern Ireland if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/defend-your-intellectual-property", + "answerable": true, + "scenario": "We have filed a patent on Artificial intelligence and noticed someone using it to market their product. We found the person using it and want to resolve the issue quickly", + "original_question": "Can we make a deal with the other party without going to court ?" + }, + { + "id": "train-321", + "question": "Scenario: I am the owner of a medical devices company, which hopes to patent a revolutionary new testing device in the near future. There will also be a novel medical approach required to make use of this device.\n\nQuestion: Can we patent the medical procedure as well as the medical device?\n\nDocument - Patenting your invention:\n## What you can patent\n\nYou can use a patent to protect your invention. It gives you the right to take legal action against anyone who makes, uses, sells or imports it without your permission.\n\nTo be granted a patent, your invention must be all of the following:\n\n- something that can be made or used\n\n- new\n\n- inventive - not just a simple modification to something that already exists\n\nPatents are expensive and difficult to get. Before you apply, check if a patent is right for your business.\n\n## What you cannot patent\n\nYou cannot patent certain types of invention, including:\n\n- literary, dramatic, musical or artistic works\n\n- a way of doing business, playing a game or thinking\n\n- a method of medical treatment or diagnosis\n\n- a discovery, scientific theory or mathematical method\n\n- the way information is presented\n\n- some computer programs or mobile apps\n\n- \u2018essentially biological\u2019 processes like crossing-breeding plants, and plant or animal varieties\n\n## Before you apply\n\nPatents are the most difficult form of protection to get. Check if a patent is right for your business before you apply for one.\n\nYou should only apply for a patent if:\n\n- your invention is new - check for similar ones by searching published patents, the internet and trade publications\n\n- you have the time and money for the application process\n\nThe application process is:\n\n- complicated - only 1 in 20 applicants get a patent without professional help\n\n- expensive - with professional help, applications typically cost \u00a34,000\n\n- long - it usually takes 5 years\n\nIf you get a patent, you\u2019ll also have to pay to renew it each year and the costs of legal action if you need to defend it.\n\n## Other ways to protect your intellectual property\n\nOther types of protection might be more appropriate for your business. For example, you can use:\n\n- trade marks - if you can create a brand and be first to market\n\n- design rights - if how your product looks (rather than how it works) is important and innovative\n\n- non-disclosure agreements to keep it secret before launch - this can provide enough protection if your product is likely to sell for only a short time\n\n## Getting help\n\nYou can get a professional to help you decide whether a patent is right for your business.\n\nYou may be able to get free advice by:\n\n- speaking to a patent attorney or other professional advisor - many offer basic advice for free\n\n- attending an intellectual property (IP) clinic\n\n- going to the British Library Business and IP Centre in London\n\nThis advice will be confidential.\n\nDo not talk to other people without a non-disclosure agreement, or you may not be able to patent your invention. You can get help with this from a patent attorney or solicitor.\n\n## If you decide to apply\n\nWhen you\u2019ve checked that a patent is right for your business, you should find a patent attorney or advisor. They will:\n\n- help you prepare your application correctly - you cannot add in additional information later\n\n- give you the best chance of being granted a patent\n\n- try to make your patent as commercially valuable as possible\n\nYou may be approached by companies offering to promote your invention for a fee. Get independent legal or financial advice before you agree to anything.\n\n## Applying for a patent\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process. Applications typically cost \u00a34,000 and the process usually takes 5 years. There are 8 steps if you apply for patent protection in the UK through the Intellectual Property Office (IPO).\n\n- Search for similar patents to make sure your invention is new.\n\n- Prepare your patent application.\n\n- File your patent application and request a search from IPO.\n\n- Receive your search report (usually within 6 months) and decide whether you want to continue with your application.\n\n- Your application will be published 18 months after you file it.\n\n- Ask for a \u2018substantive examination\u2019 within 6 months of publication.\n\n- Respond to comments from IPO\u2019s \u2018substantive examination\u2019. The examination may take place several years after you file your application.\n\n- Your application will be granted or refused.\n\nYou can commercially benefit from your patent once it has been granted, for example license, sell or mortgage your patent.\n\nDo not make your invention public before you apply. You may not be able to patent it if you do.\n\n## Other ways to get a UK patent\n\nYou can also file a UK patent application through the:\n\n- European Patent Office (EPO)\n\n- World Intellectual Property Organization (WIPO)\n\n## Prepare your application\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nA patent application is made up of 4 parts that need to meet specific criteria.\n\nYou must include:\n\n- a description of your invention that allows others to see how it works and how it could be made\n\n- legal statements that set out the technical features of your invention that are to be protected (known as \u2018claims\u2019)\n\n- a summary of all the important technical aspects of your invention (known as the \u2018abstract\u2019)\n\nYou should also include any drawings you need to illustrate your description.\n\nThe fees are higher if your description has more than 35 pages or you include more than 25 claims.\n\nRead the patent application fact sheets for instructions on how to produce each part of your application.\n\nYou have to submit your description and any drawings with your application form.\n\nYou can file your claims and abstract once your patent is pending, but it\u2019s best if you submit all the parts together.\n\n## Academic papers\n\nYou can send academic papers as part of your patent application, to help describe your invention.\n\nYou still need to send a description, drawings and claims.\n\n## \u2018Statement of inventorship\u2019\n\nYou need to complete a statement of inventorship if:\n\n- you\u2019re not the inventor\n\n- there\u2019s more than one inventor and they\u2019re not listed as applicants\n\n- you\u2019re applying on behalf of a company\n\nThe statement provides the Intellectual Property Office (IPO) with more information about who the inventor is and why you have the right to apply for the patent.\n\nSubmit your \u2018statement of inventorship\u2019 online when you apply for a patent, or do it later by filing documents for a pending UK patent.\n\nAlternatively, download the \u2018statement of inventorship\u2019 form and send it with your application.\n\n## Apply for a patent\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nYou can file a UK patent application with the Intellectual Property Office (IPO). Read the patent application fact sheets for instructions on how to produce each part of your application.\n\nYou can apply either:\n\n- online\n\n- by post\n\nYou can request and pay for your search and examination at this point or later in the process.\n\n## Fees\n\n| Stage | Apply online | Apply by post |\n\n| Application (if you pay when you apply) | \u00a360 | \u00a390 |\n\n| Application (if you pay later) | \u00a375 | \u00a3112.50 |\n\n| Search | \u00a3150 (plus \u00a320 for each claim over 25 claims) | \u00a3180 (plus \u00a320 for each claim over 25 claims) |\n\n| Substantive examination | \u00a3100 (plus \u00a310 for each page of description over 35 pages) | \u00a3130 (plus \u00a310 for each page of description over 35 pages) |\n\nIf you get a patent, you\u2019ll also have to pay to renew it to keep it in force.\n\n## Get your patent granted more quickly\n\nYou can get your application processed more quickly if you file your search and examination requests at the same time as you apply.\n\nThis costs the same as applying separately and means they\u2019ll be processed at the same time.\n\nYou may also be able to get a \u2018fast grant\u2019 if, for example:\n\n- your invention has some sort of environmental benefit (green channel)\n\n- you\u2019ve already submitted a patent application for your invention at another patent office (Patent Prosecution Highway)\n\nRead the patents fast grant guidance.\n\n## Request your search and examination\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nAs part of the application process, you must pay for a patent search and a \u2018substantive examination\u2019.\n\nYou can request the search either when you apply or later in the process.\n\nYou must request your search within 12 months of your filing or priority date.\n\nYou must request your examination within 6 months of publication.\n\n## Patent search\n\nThe Intellectual Property Office (IPO) carries out a search to check whether your invention is new and inventive.\n\nYou have to request and pay for your search within 12 months of your filing date or priority date.\n\nYou\u2019ll be sent the results and told if any part of your application is not right.\n\nRead the search report factsheet.\n\nSearch reports can take up to 6 months.\n\n## Publication\n\nYour application will be published 18 months from your filing or priority date, provided it\u2019s complete and passes the search.\n\nThe open part of your application, which includes your address, will be publicly available in the:\n\n- online patents journal on the IPO website\n\n- IPO records\n\n## \u2018Substantive examination\u2019\n\nThe examination checks whether your invention is new and inventive enough. It also checks that your description and claims match and are good enough to patent.\n\nThe examination will show if your application meets the legal requirements. You\u2019ll be told what you need to do if it does not.\n\nYou must request an examination of your patent application within 6 months of publication.\n\nExaminations can take place several years after you file your application.\n\n## How to apply\n\nYou can apply online or by post for both the search and examination.\n\n## Apply online\n\nYou can request your search and examination either:\n\n- with your initial application\n\n- later in the process\n\nYou must request your search within 12 months of your filing or priority date and examination within 6 months of publication.\n\n## Apply by post\n\nDownload the forms:\n\n- search request form\n\n- examination request form\n\nFill in and post the forms. The address is on the forms.\n\n## After you apply\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nYou\u2019ll be sent a receipt with your application number and filing date (the date your application is received).\n\nYou\u2019ll be told what to do next and when.\n\nAfter you\u2019ve applied you can mark your invention as \u2018patent pending\u2019 or \u2018patent applied for\u2019. You can either add the patent number and say that you applied for it in the UK, or use a web address instead if the patent number is online.\n\nIf you use a web address, make sure the patent number and the product it relates to are clearly displayed on your website.\n\nIf your patent is granted:\n\n- your application will be published in its final form\n\n- you\u2019ll be sent a certificate\n\nYou\u2019ll be responsible for renewing and defending your patent.\n\n## File more documents once your patent is pending\n\nYou may need to file more forms and documents once you have a patent pending (for example a form to request a search, or a document with your claims).\n\nYou must send your claims, abstract, application fee and search fee within 12 months of your filing date.\n\n## If your application includes a \u2018priority date\u2019 from an earlier application\n\nYou must send your claims, abstract, application fee and search fee within whichever of the following is later:\n\n- 12 months of the date when you filed your previous application (the priority date)\n\n- 2 months of your current filing date\n\n## Withdraw your application\n\nYou can withdraw your application for any reason, for example to stop it becoming public.\n\nTo stop your invention entering the public domain you must withdraw your application before it\u2019s published.\n\nYou can ask for a withdrawal up to the day before the deadline given in your search report.\n\n## Withdraw by email\n\nEmail withdraw@ipo.gov.uk with your patent application number in the subject line.\n\nClearly state that you want to withdraw in the body of the email.\n\nState why you have the authority to withdraw the application, for example that you\u2019re the applicant or their agent.\n\n## Withdraw by post\n\nYou can also withdraw by post - mark your request as urgent if there\u2019s less than 3 weeks until publication.\n\n## Make a new application with a priority date\n\nYou can withdraw your application and reapply if you want to change it for any reason, for example if you\u2019ve developed your invention since you first applied or have new information.\n\nYou can use the filing date of your earlier application (known as the priority date) if your new application is made within 12 months.\n\n## Terminated applications\n\nYour application will be terminated if you do not submit the right documents, forms and payment when asked to.\n\nYou may be able to reopen your application if you apply within 12 months of termination.\n\nYou need to be able to show:\n\n- why you failed to meet the requirements\n\n- that the failure was not intentional\n\n- when you became able to meet the requirements\n\nIt costs \u00a3150 to apply - this is not refundable.\n\n## Reopen your application\n\nDownload the reinstatement request form.\n\nSend the form, your fee and any supporting evidence to IPO.\n\nIf your request is granted, you must meet the requirements within 2 months.\n\nYou can ask for an ex parte hearing if you\u2019re turned down, where you can put your case to a senior official.\n\n## International patents\n\nA patent only protects your invention in the country where the patent is registered.\n\nFor protection overseas, you can:\n\n- file a single application under the Patent Cooperation Treaty (PCT) for protection in more than 140 countries\n\n- file a single application with the European Patent Office (EPO) for protection in more than 30 countries in Europe\n\n- apply separately to the patent office of each country where you want a patent\n\nRead the guidance on filing a patent abroad for basic information on filing for international protection.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/patent-your-invention", + "answerable": true, + "scenario": "I am the owner of a medical devices company, which hopes to patent a revolutionary new testing device in the near future. There will also be a novel medical approach required to make use of this device.", + "original_question": "Can we patent the medical procedure as well as the medical device?" + }, + { + "id": "train-322", + "question": "Scenario: I use to live in a country part of the commonwealth and moved to the united kingdom and I'm planning to work in the united kingdom.\n\nQuestion: Do I need to apply to work in the united kingdom?\n\nDocument - Windrush Scheme: get a document showing your right to be in the UK:\n## Overview\n\nIf you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.\n\nYou may be able to apply for a document to prove you can live and work in the UK if one of the following is true:\n\n- you came to the UK from a Commonwealth country before 1973\n\n- your parents came to the UK from a Commonwealth country before 1973\n\n- you came to the UK from any country before 31 December 1988 and are now settled here\n\nIt\u2019s free to apply.\n\nYou might also be entitled to apply for citizenship for free if you\u2019re a Commonwealth citizen who settled in the UK before 1 January 1973, or you\u2019re the child of someone who did.\n\n## If you suffered losses because you did not have documents\n\nIf you are eligible for this scheme, you might also be able to apply for compensation. The compensation scheme is for losses that happened because you could not show that you had a right to live in the UK.\n\n\u2018Losses\u2019 can be things like not being able to work, find a place to live or get health treatment. They can also include immigration action, like detention or removal from the UK.\n\n## You arrived before 1973 from a Commonwealth country\n\nYou may be able to apply for a document to prove you can live and work in Britain if both of the following apply:\n\n- you\u2019re a Commonwealth citizen\n\n- you were settled in the UK before 1 January 1973\n\nWhat you\u2019re entitled to depends on whether you:\n\n- have been living in the UK continuously\n\n- left the UK for more than 2 years and came back\n\n- are outside the UK\n\n## If you\u2019ve been living in the UK continuously\n\nIf you\u2019ve lived in the UK continuously, or have the right of abode, you can apply for one of the following:\n\n- British citizenship\n\n- evidence you have the right of abode\n\n- a document confirming you have indefinite leave to remain\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019ve left the UK for more than 2 years and come back\n\nIf you\u2019ve been away from the UK for more than 2 years at some point and are now lawfully in the UK, you might be entitled to indefinite leave to remain.\n\nIf you already have indefinite leave to remain you might be able to apply for either:\n\n- a document to prove you have this\n\n- British citizenship\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019re outside the UK\n\nIf you\u2019ve left the UK and have lost your indefinite leave to remain, you might be entitled to:\n\n- a Returning Resident visa\n\n- a 10 year multiple entry visa\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## You're the child of a Commonwealth citizen who arrived before 1973\n\nYou can apply for British citizenship or a document confirming you have indefinite leave to remain.\n\nIf you do not have indefinite leave to remain but are here lawfully, you can apply for it through the scheme.\n\nTo apply, one of your parents must be a Commonwealth citizen and either:\n\n- was settled in the UK before 1 January 1973\n\n- had the right of abode\n\nOne of the following must also be true:\n\n- you were born in the UK\n\n- you came to live in the UK before turning 18\n\nYou must have lived continuously in the UK since arriving (or being born) here.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## You arrived before 1989\n\nYou can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.\n\nYou can be of any nationality.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## How to apply\n\nWhen you apply, the Home Office will work with other government departments to find records of you living in the UK.\n\nNone of your information will be shared with immigration enforcement teams.\n\n## If you\u2019re in the UK\n\nApply using the Windrush Scheme application form (UK).\n\nPost it to the address on the form with your supporting documents.\n\nThe Windrush helpline can post a paper form to you.\n\n## If you\u2019re outside the UK\n\nYou must apply using an online form.\n\n## Fee\n\nIt\u2019s free to apply.\n\n## What happens next\n\nThe Windrush taskforce will get in touch with you if they have any questions about your application, or if they need more information.\n\n## Give your fingerprints and photo\n\nYou\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) once you\u2019ve sent in your form. You will not have to pay anything to do this.\n\n## Commonwealth countries\n\nYou may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.\n\nYou may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:\n\n- Anguilla\n\n- Antigua and Barbuda\n\n- Australia\n\n- The Bahamas\n\n- Bangladesh\n\n- Barbados\n\n- Belize\n\n- Bermuda\n\n- Botswana\n\n- British Antarctic Territory\n\n- British Indian Ocean Territory\n\n- Brunei\n\n- Canada\n\n- Cayman Islands\n\n- Cyprus (excluding the Sovereign base area)\n\n- Dominica\n\n- Falkland Islands\n\n- Fiji\n\n- The Gambia\n\n- Ghana\n\n- Gibraltar\n\n- Grenada\n\n- Guyana\n\n- Hong Kong\n\n- India\n\n- Jamaica\n\n- Kenya\n\n- Kiribati\n\n- Lesotho\n\n- Malawi\n\n- Malaysia\n\n- Maldives\n\n- Malta\n\n- Mauritius\n\n- Monserrat\n\n- Namibia\n\n- Nauru\n\n- New Zealand\n\n- Nigeria\n\n- Pakistan\n\n- Papua New Guinea\n\n- Pitcairn, Henderson, Ducie and Oeno Islands\n\n- Saint Helena, Ascension and Tristan da Cunha\n\n- Saint Lucia\n\n- Samoa\n\n- Seychelles\n\n- Sierra Leone\n\n- Singapore\n\n- Solomon Islands\n\n- South Africa\n\n- South Georgia and the South Sandwich Islands\n\n- Sri Lanka\n\n- St Kitts and Nevis\n\n- St Vincent and The Grenadines\n\n- Swaziland\n\n- Tanzania\n\n- Tonga\n\n- Trinidad and Tobago\n\n- Turks and Caicos Islands\n\n- Tuvalu\n\n- Uganda\n\n- Vanuatu\n\n- Virgin Islands\n\n- Zambia\n\n- Zimbabwe\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## Windrush helpline\n\nThe Windrush helpline can:\n\n- help you make a claim\n\n- give extra support to those who need it - for example, elderly or vulnerable claimants\n\n- post a form to you\n\nIf you are outside the UK, email the helpline and request a call back.\n\nOutside of the helpline opening hours, you can leave a message to ask for your call to be returned at a convenient time.\n\nYou can also sign up for email updates about the scheme.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "answerable": true, + "scenario": "I use to live in a country part of the commonwealth and moved to the united kingdom and I'm planning to work in the united kingdom.", + "original_question": "Do I need to apply to work in the united kingdom?" + }, + { + "id": "train-323", + "question": "Scenario: My parents moved to the united kingdom from a country once ruled by the united kingdom, I plan to stay and work in the united kingdom.\n\nQuestion: Am I eligable to apply to work and live in the united kingdom under the Windrush Scheme?\n\nDocument - Windrush Scheme: get a document showing your right to be in the UK:\n## Overview\n\nIf you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.\n\nYou may be able to apply for a document to prove you can live and work in the UK if one of the following is true:\n\n- you came to the UK from a Commonwealth country before 1973\n\n- your parents came to the UK from a Commonwealth country before 1973\n\n- you came to the UK from any country before 31 December 1988 and are now settled here\n\nIt\u2019s free to apply.\n\nYou might also be entitled to apply for citizenship for free if you\u2019re a Commonwealth citizen who settled in the UK before 1 January 1973, or you\u2019re the child of someone who did.\n\n## If you suffered losses because you did not have documents\n\nIf you are eligible for this scheme, you might also be able to apply for compensation. The compensation scheme is for losses that happened because you could not show that you had a right to live in the UK.\n\n\u2018Losses\u2019 can be things like not being able to work, find a place to live or get health treatment. They can also include immigration action, like detention or removal from the UK.\n\n## You arrived before 1973 from a Commonwealth country\n\nYou may be able to apply for a document to prove you can live and work in Britain if both of the following apply:\n\n- you\u2019re a Commonwealth citizen\n\n- you were settled in the UK before 1 January 1973\n\nWhat you\u2019re entitled to depends on whether you:\n\n- have been living in the UK continuously\n\n- left the UK for more than 2 years and came back\n\n- are outside the UK\n\n## If you\u2019ve been living in the UK continuously\n\nIf you\u2019ve lived in the UK continuously, or have the right of abode, you can apply for one of the following:\n\n- British citizenship\n\n- evidence you have the right of abode\n\n- a document confirming you have indefinite leave to remain\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019ve left the UK for more than 2 years and come back\n\nIf you\u2019ve been away from the UK for more than 2 years at some point and are now lawfully in the UK, you might be entitled to indefinite leave to remain.\n\nIf you already have indefinite leave to remain you might be able to apply for either:\n\n- a document to prove you have this\n\n- British citizenship\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019re outside the UK\n\nIf you\u2019ve left the UK and have lost your indefinite leave to remain, you might be entitled to:\n\n- a Returning Resident visa\n\n- a 10 year multiple entry visa\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## You're the child of a Commonwealth citizen who arrived before 1973\n\nYou can apply for British citizenship or a document confirming you have indefinite leave to remain.\n\nIf you do not have indefinite leave to remain but are here lawfully, you can apply for it through the scheme.\n\nTo apply, one of your parents must be a Commonwealth citizen and either:\n\n- was settled in the UK before 1 January 1973\n\n- had the right of abode\n\nOne of the following must also be true:\n\n- you were born in the UK\n\n- you came to live in the UK before turning 18\n\nYou must have lived continuously in the UK since arriving (or being born) here.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## You arrived before 1989\n\nYou can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.\n\nYou can be of any nationality.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## How to apply\n\nWhen you apply, the Home Office will work with other government departments to find records of you living in the UK.\n\nNone of your information will be shared with immigration enforcement teams.\n\n## If you\u2019re in the UK\n\nApply using the Windrush Scheme application form (UK).\n\nPost it to the address on the form with your supporting documents.\n\nThe Windrush helpline can post a paper form to you.\n\n## If you\u2019re outside the UK\n\nYou must apply using an online form.\n\n## Fee\n\nIt\u2019s free to apply.\n\n## What happens next\n\nThe Windrush taskforce will get in touch with you if they have any questions about your application, or if they need more information.\n\n## Give your fingerprints and photo\n\nYou\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) once you\u2019ve sent in your form. You will not have to pay anything to do this.\n\n## Commonwealth countries\n\nYou may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.\n\nYou may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:\n\n- Anguilla\n\n- Antigua and Barbuda\n\n- Australia\n\n- The Bahamas\n\n- Bangladesh\n\n- Barbados\n\n- Belize\n\n- Bermuda\n\n- Botswana\n\n- British Antarctic Territory\n\n- British Indian Ocean Territory\n\n- Brunei\n\n- Canada\n\n- Cayman Islands\n\n- Cyprus (excluding the Sovereign base area)\n\n- Dominica\n\n- Falkland Islands\n\n- Fiji\n\n- The Gambia\n\n- Ghana\n\n- Gibraltar\n\n- Grenada\n\n- Guyana\n\n- Hong Kong\n\n- India\n\n- Jamaica\n\n- Kenya\n\n- Kiribati\n\n- Lesotho\n\n- Malawi\n\n- Malaysia\n\n- Maldives\n\n- Malta\n\n- Mauritius\n\n- Monserrat\n\n- Namibia\n\n- Nauru\n\n- New Zealand\n\n- Nigeria\n\n- Pakistan\n\n- Papua New Guinea\n\n- Pitcairn, Henderson, Ducie and Oeno Islands\n\n- Saint Helena, Ascension and Tristan da Cunha\n\n- Saint Lucia\n\n- Samoa\n\n- Seychelles\n\n- Sierra Leone\n\n- Singapore\n\n- Solomon Islands\n\n- South Africa\n\n- South Georgia and the South Sandwich Islands\n\n- Sri Lanka\n\n- St Kitts and Nevis\n\n- St Vincent and The Grenadines\n\n- Swaziland\n\n- Tanzania\n\n- Tonga\n\n- Trinidad and Tobago\n\n- Turks and Caicos Islands\n\n- Tuvalu\n\n- Uganda\n\n- Vanuatu\n\n- Virgin Islands\n\n- Zambia\n\n- Zimbabwe\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## Windrush helpline\n\nThe Windrush helpline can:\n\n- help you make a claim\n\n- give extra support to those who need it - for example, elderly or vulnerable claimants\n\n- post a form to you\n\nIf you are outside the UK, email the helpline and request a call back.\n\nOutside of the helpline opening hours, you can leave a message to ask for your call to be returned at a convenient time.\n\nYou can also sign up for email updates about the scheme.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "answerable": true, + "scenario": "My parents moved to the united kingdom from a country once ruled by the united kingdom, I plan to stay and work in the united kingdom.", + "original_question": "Am I eligable to apply to work and live in the united kingdom under the Windrush Scheme?" + }, + { + "id": "train-324", + "question": "Scenario: I have just moved to a new area with my partner and our seven year old daughter. Our daughter has Asperger's syndrome and we are concerned as to how she will be able to fit into a new school. Our doctor is prepared to write a letter confirming the diagnosis\n\nQuestion: As my daughter has a non physical disability, will we get more leverage when it comes to selecting a school in our new area?\n\nDocument - School admissions:\n## Choosing schools\n\nIf you live in England contact your local council to find:\n\n- state-funded schools in your area\n\n- admission criteria for the schools you\u2019re interested in\n\nThe process is different if you live in Scotland, Wales or Northern Ireland.\n\nYou can also contact your local council to apply for places at state schools in other areas. You can search online to find schools in England.\n\n## Private schools or home schooling\n\nIf you\u2019re looking for a place at a private school (also called \u2018independent schools\u2019), contact the school directly.\n\nYou can also choose to teach your child at home, known as home schooling.\n\n## Children with special educational needs (SEN)\n\nIf your child has SEN, their Education, Health and Care (EHC) plan will name a school for them. The school must give your child a place.\n\nYou can ask your local council to carry out an assessment if you think your child needs additional support with their educational, health and social needs.\n\n## Find out about a primary or secondary school\n\nYou can find out more by:\n\n- visiting the school - most schools have open days\n\n- reading the school\u2019s most recent Ofsted reports\n\n- checking school performance tables\n\n- talking to other parents about what they think of the school\n\n## What schools must publish on their website\n\nSchools\u2019 websites must include:\n\n- admission arrangements, including how to apply\n\n- details of the curriculum\n\n- behaviour policy\n\n- links to Ofsted reports\n\n- links to performance data\n\n- the school\u2019s latest key stage 2 and 4 attainment and progress measures\n\n- their policies for children with special educational needs and disabilities\n\n- the amount of money they get for taking underprivileged children (the \u2018pupil premium\u2019), what they do with it and the effect it\u2019s had\n\nYou can also get advice about choosing state-funded schools from your local council.\n\n## Admission criteria\n\nAll schools have admission criteria to decide which children get places. The school or local council usually set these.\n\nAdmission criteria are different for each school. They may give priority to children:\n\n- who live close to the school\n\n- who have a brother or sister at the school already\n\n- from a particular religion (for faith schools)\n\n- who pass an entrance exam (for selective schools, for example grammar schools)\n\n- who went to a particular primary school (a \u2018feeder school\u2019)\n\n- who are eligible for the pupil premium or the service pupil premium\n\n- whose parent has worked at the school for 2 years or more\n\nYour local council can give you information about schools\u2019 criteria and how to apply.\n\n## Children in care\n\nAll state-funded schools must give top priority to admitting children who:\n\n- are in care or being looked after\n\n- have been in care\n\n## Complain about unfair admission arrangements\n\nContact the Schools Adjudicator if you think a school has unlawful or unfair admission arrangements.\n\nYou need to complain by 15 May of the year before you\u2019re applying for a place. For example, to complain about admission arrangements for September 2021 the deadline is 15 May 2020.\n\n## School starting age\n\nMost children start school full-time in the September after their fourth birthday. This means they\u2019ll turn 5 during their first school year.\n\nFor example, if your child\u2019s fourth birthday is between 1 September 2021 and 31 August 2022 they will usually start school in September 2022.\n\n## If you want your child to start later\n\nIf you do not think your child is ready to start school at the usual time, they can start later - as long as they\u2019re in full-time education by the time they reach \u2018compulsory school age\u2019.\n\nThey can start:\n\n- part time\n\n- part-way through the year\n\n- in the next school year, in the September after they turn 5\n\nYou\u2019ll still need to apply for a school place at the same time as everyone else. You request your child\u2019s later start when you apply.\n\n## If your child starts in the September after they turn 5\n\nYour child will go into year 1. Contact the local council or school if you want your child to start in reception instead. They do not have to agree.\n\n## Compulsory school age\n\nYour child must start full-time education once they reach compulsory school age. This is on 31 December, 31 March or 31 August following their fifth birthday - whichever comes first. If your child\u2019s fifth birthday is on one of those dates then they reach compulsory school age on that date.\n\nFor example, if your child reaches compulsory school age on 31 March, they must start full-time education at the beginning of the next term (summer term that year).\n\nChildren must stay in full-time education until they reach school leaving age.\n\nAll 3 to 4-year-olds in England are entitled to free early education before they start school full time.\n\n## How to apply\n\nFollow your local council\u2019s application process to:\n\n- apply for a primary school place\n\n- apply for a secondary school place\n\nYou must still apply for a place, even if the school is linked to your child\u2019s current nursery, infant or primary school.\n\nApply directly for:\n\n- a 6th form place at a school or college\n\n- a place at a private school\n\n## Moving to another area\n\nYou apply through your local council even if you\u2019re applying for schools in another council area or you\u2019ve just moved to England.\n\nIf you\u2019re applying from another country, contact the local council in the area where you\u2019re going to live.\n\nYou may need to:\n\n- supply proof of your new address, for example a mortgage or rental agreement or deeds for the property\n\n- prove that you\u2019ll live in the area before the start of the next school term\n\n## Completing the application\n\nWhen you fill in the form (online or on paper) you\u2019ll be asked to list the schools you\u2019re applying for in order of preference.\n\nListing only one school will not increase your chances of getting a place there.\n\nTo get a copy of the application form on paper, contact your local council.\n\n## When to apply\n\nApplications open on different days in each local council area. Find out from your local council when applications open for primary or secondary schools.\n\n## Applying for a primary school place\n\nYou must apply for a primary school place a year before your child can start school.\n\nApplications open in September and close on 15 January. Your child will be 3 or have just turned 4 when you apply.\n\nYou\u2019ll need to apply then even if you want your child to start part-way through the year.\n\n## Applying for a secondary school place\n\nThe deadline for applying is 31 October.\n\nYour child is less likely to be offered a place at their chosen schools if you miss the deadline for applications.\n\n## When you\u2019ll find out\n\nCouncils will send offers of school places for:\n\n- primary schools on 16 April\n\n- secondary schools on 1 March\n\nIf either date falls on a weekend or a bank holiday, offers are sent the next working day.\n\nYou must accept the offer by the deadline given in the offer letter. Otherwise it may be withdrawn and the place given to someone else.\n\nThe local council must provide a place at another school, if your child is not offered a place at any of the schools you\u2019ve applied for. This is usually your nearest school with places still available.\n\n## Applying after the start of the school year\n\nContact your local council to find out about applying for a school place once the school year has started (known as in-year applications). They can tell you which schools still have places and how to apply.\n\nOnce your child has been offered a place, they will usually start school at the beginning of the following term.\n\n## School waiting lists\n\nIf your child does not have a place, contact your local council for schools with places.\n\nYou can also put your child\u2019s name down on a waiting list. The \u2018admission authority\u2019 for the school (usually the school itself or the council) must keep a waiting list open for at least the first term of each school year.\n\nContact the school or your local council if you want your child\u2019s name added to a waiting list.\n\nYou can add your child\u2019s name to a waiting list even if they have been offered a place at another school.\n\nIf your child is on a waiting list and the school offers you a place, the admission authority will send you a formal offer. You can still accept the offer even if your child has already started at another school.\n\n## Appealing a school's decision\n\nYou\u2019ll be sent a letter with the decision about your child\u2019s school. If your child is refused a place, you can appeal against the decision. The letter will tell you how.\n\nYou must appeal against each rejection separately. You can only appeal once against each rejection.\n\n## Preparing your appeal\n\nThe admission authority for the school must allow you at least 20 school days to appeal from when they send the decision letter.\n\nThe admission authority will set a deadline for submitting information and evidence to support your appeal. If you submit anything after the deadline, it might not be considered and may result in delays to your hearing.\n\nCoram Children\u2019s Legal Centre may be able to give you advice about appeals.\n\n## When the hearing will be\n\nThe admission authority must give you at least 10 school days\u2019 notice of the hearing.\n\nAppeals must be heard within 40 school days of the deadline for making an appeal.\n\n## What happens at the appeal hearing\n\nThere\u2019s a panel of 3 or more people at the appeal hearing. The panel must be independent and must follow the school admission appeals code.\n\n- The admission authority will explain why they turned down your application.\n\n- You\u2019ll be able to give your own reasons why your child should be admitted.\n\n- The appeals panel must decide if the school\u2019s admission criteria were properly followed and comply with the school admissions code.\n\n- If the criteria were not properly followed or do not comply with the school admissions code your appeal must be upheld.\n\n- If your reasons for your child to be admitted outweigh the school\u2019s reasons for not admitting any more children at all, your appeal will be upheld.\n\n- You will usually be sent the decision within 5 school days.\n\nYou can read more about school admission appeals.\n\n## Appeals for infant classes\n\nYou need to go through the same process if you\u2019re appealing a decision about an infant class. In reception, year 1 and year 2, the class size is limited to 30. Your application can be turned down if all the classes already have 30 children.\n\nYour appeal could be successful if:\n\n- giving your child a place will not increase the class size above the limit\n\n- the admission arrangements have not been properly followed\n\n- the admission criteria do not comply with the school admissions code\n\n## Complain about the appeals process\n\nYou can complain about the way the appeal was carried out, but you can not complain about the decision itself.\n\n## Maintained schools\n\nComplain to the Local Government Ombudsman.\n\nFill in the online complaint form.\n\n## If a maintained school becomes an academy\n\nIf you complain about an appeal concerning a maintained school that then converts to academy status, the Local Government Ombudsman will investigate it and pass any actions to the Education and Skills Funding Agency (ESFA).\n\n## Other schools\n\nComplain to ESFA about an appeal made to:\n\n- free schools\n\n- academies, including university technical colleges and studio schools\n\nFill in the online complaint form.\n\nUsing the online form is the quickest way to make a complaint. If you need a paper form instead, contact:\n\nYou should get a decision on your complaint within 9 weeks (45 working days). You\u2019ll be told if it\u2019ll take longer.\n\nYou\u2019ll get a letter explaining the reasons for the decision.\n\nIf ESFA decides something went wrong with the appeals panel, it may:\n\n- ask the school to hold a new appeal hearing with a different panel\n\n- recommend the school reviews its appeals process\n\n## Complain about another school matter\n\nIf you have a complaint about a school that is not related to the appeals process, contact the Department for Education.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/schools-admissions", + "answerable": true, + "scenario": "I have just moved to a new area with my partner and our seven year old daughter. Our daughter has Asperger's syndrome and we are concerned as to how she will be able to fit into a new school. Our doctor is prepared to write a letter confirming the diagnosis", + "original_question": "As my daughter has a non physical disability, will we get more leverage when it comes to selecting a school in our new area?" + }, + { + "id": "train-325", + "question": "Scenario: We run a charity for helping disabled people. We have a building for all management activities. Recently we have to renovate the building and got a quote from a construction company\n\nQuestion: Do we have to pay VAT on the construction services we receive ?\n\nDocument - VAT for charities:\n## Overview\n\nAs a charity you do not pay VAT when you buy some goods and services.\n\nCommunity amateur sports clubs (CASCs) do not qualify for the same VAT reliefs as charities.\n\n## How to get VAT relief\n\nYou must prove to the person who\u2019s selling the goods or services to you that you\u2019re eligible for relief. You do not need to be registered for VAT.\n\n## When you must register for VAT\n\nYou must register for VAT if your charity\u2019s VAT taxable turnover (the total value of everything you sell that isn\u2019t exempt from VAT) is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example if you want to reclaim VAT on your supplies.\n\n## Get help with VAT\n\nContact HM Revenue and Customs (HMRC) if you have questions about VAT for your charity.\n\n## What qualifies for VAT relief\n\nCharities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.\n\n## What qualifies for the reduced rate\n\nYour charity pays 5% VAT on fuel and power if they\u2019re for:\n\n- residential accommodation (for example, a children\u2019s home or care home for the elderly)\n\n- charitable non-business activities (for example, free daycare for disabled people)\n\n- small-scale use (up to 1,000 kilowatt hours of electricity a month or a delivery of 2,300 litres of gas oil)\n\nIf less than 60% of the fuel and power is for something that qualifies, you\u2019ll pay the reduced rate of VAT on the qualifying part and the standard rate (20%) on the rest.\n\nQualifying fuel and power includes gases, electricity, oils and solid fuels (such as coal). It does not include vehicle fuel.\n\n## What qualifies for the zero rate\n\nFind out about the conditions you must meet so that your charity pays no VAT (the zero rate) when you buy:\n\n- advertising and items for collecting donations\n\n- aids for disabled people\n\n- construction services\n\n- drugs and chemicals\n\n- equipment for making \u2018talking\u2019 books and newspapers\n\n- lifeboats and associated equipment, including fuel\n\n- medicine or ingredients for medicine\n\n- resuscitation training models\n\n- medical, veterinary and scientific equipment\n\n- ambulances\n\n- goods for disabled people\n\n- motor vehicles designed or adapted for a disability\n\n- rescue equipment\n\n## VAT-free goods from outside the UK\n\nCharities do not pay VAT on goods imported from outside the UK as long as they\u2019re benefiting people in need by providing:\n\n- basic necessities\n\n- equipment and office materials to help run your organisation for the benefit of people in need\n\n- goods to be used or sold at charity events\n\nYou can check which goods you can claim VAT relief for, as well as how to claim.\n\n## How to claim VAT relief\n\nTo get VAT relief you must give your supplier:\n\n- evidence that you\u2019re a charity\n\n- a written declaration or \u2018certificate\u2019 confirming that you\u2019re eligible for the relief\n\n## Evidence of charitable status\n\nThis can be either your:\n\n- Charity Commission registration number\n\n- letter of recognition from HM Revenue and Customs (HMRC)\n\nScottish and Northern Irish charities must provide their letter of recognition from HMRC.\n\n## Written declaration\n\nYou must give your supplier an eligibility declaration or certificate when they sell you goods or services at zero rate VAT. There are examples of declarations and certificates for different goods.\n\nIf you\u2019re buying building or construction services at zero VAT, the certificate must follow a set format.\n\nThe written declaration or certificate should be separate from the order form or invoice for the goods or services your charity is buying.\n\n## Charities and VAT registration\n\nAs a charity, you must register for VAT with HM Revenue and Customs (HMRC) if your VAT taxable turnover is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example to reclaim VAT on your supplies.\n\nIf you\u2019re registered for VAT you must send a return every 3 months.\n\n## Work out your taxable turnover\n\nTo work out your VAT taxable turnover add up the total value of everything you sell in a 12-month period that is not:\n\n- exempt from VAT\n\n- outside the scope of VAT\n\nCheck what VAT rate applies to your charity\u2019s activities.\n\n## Exempt from VAT\n\nYou cannot charge VAT on exempt goods and services (such as the provision of welfare services). You cannot normally reclaim VAT on any goods and services purchased in relation to an exempt business activity.\n\nYou cannot register for VAT if all your business activities are exempt from VAT.\n\n## Outside the scope of VAT\n\nIncome from non-business activities is \u2018outside the scope\u2019 of VAT (you cannot charge or reclaim VAT on them). This includes:\n\n- donations where nothing is given in return\n\n- grant funding given to support your charitable activities where nothing is given in return\n\n- activities where your organisation does not make a charge\n\nRead more about what counts as a business activity.\n\n## Charging VAT\n\nOnce you\u2019ve registered you must charge VAT at the correct rate on everything you supply.\n\n## Reclaiming VAT\n\nIf you\u2019re registered you may be able to reclaim VAT when you file your VAT Return.\n\nYou can reclaim the VAT you were charged on goods and services relating to your taxable business activities.\n\n## Exports outside the UK\n\nIf you supply goods outside the UK free of charge (for example as aid), you can treat this as a zero-rate business activity (0% VAT) so you can reclaim the VAT on any associated costs.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-charities", + "answerable": true, + "scenario": "We run a charity for helping disabled people. We have a building for all management activities. Recently we have to renovate the building and got a quote from a construction company", + "original_question": "Do we have to pay VAT on the construction services we receive ?" + }, + { + "id": "train-326", + "question": "Scenario: We are charity to help homeless people. We sell children's toys to raise funds for the charity. We have not registered for VAT and our VAT taxable turnover is \u00a390,000\n\nQuestion: Do we have to register for VAT ?\n\nDocument - VAT for charities:\n## Overview\n\nAs a charity you do not pay VAT when you buy some goods and services.\n\nCommunity amateur sports clubs (CASCs) do not qualify for the same VAT reliefs as charities.\n\n## How to get VAT relief\n\nYou must prove to the person who\u2019s selling the goods or services to you that you\u2019re eligible for relief. You do not need to be registered for VAT.\n\n## When you must register for VAT\n\nYou must register for VAT if your charity\u2019s VAT taxable turnover (the total value of everything you sell that isn\u2019t exempt from VAT) is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example if you want to reclaim VAT on your supplies.\n\n## Get help with VAT\n\nContact HM Revenue and Customs (HMRC) if you have questions about VAT for your charity.\n\n## What qualifies for VAT relief\n\nCharities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.\n\n## What qualifies for the reduced rate\n\nYour charity pays 5% VAT on fuel and power if they\u2019re for:\n\n- residential accommodation (for example, a children\u2019s home or care home for the elderly)\n\n- charitable non-business activities (for example, free daycare for disabled people)\n\n- small-scale use (up to 1,000 kilowatt hours of electricity a month or a delivery of 2,300 litres of gas oil)\n\nIf less than 60% of the fuel and power is for something that qualifies, you\u2019ll pay the reduced rate of VAT on the qualifying part and the standard rate (20%) on the rest.\n\nQualifying fuel and power includes gases, electricity, oils and solid fuels (such as coal). It does not include vehicle fuel.\n\n## What qualifies for the zero rate\n\nFind out about the conditions you must meet so that your charity pays no VAT (the zero rate) when you buy:\n\n- advertising and items for collecting donations\n\n- aids for disabled people\n\n- construction services\n\n- drugs and chemicals\n\n- equipment for making \u2018talking\u2019 books and newspapers\n\n- lifeboats and associated equipment, including fuel\n\n- medicine or ingredients for medicine\n\n- resuscitation training models\n\n- medical, veterinary and scientific equipment\n\n- ambulances\n\n- goods for disabled people\n\n- motor vehicles designed or adapted for a disability\n\n- rescue equipment\n\n## VAT-free goods from outside the UK\n\nCharities do not pay VAT on goods imported from outside the UK as long as they\u2019re benefiting people in need by providing:\n\n- basic necessities\n\n- equipment and office materials to help run your organisation for the benefit of people in need\n\n- goods to be used or sold at charity events\n\nYou can check which goods you can claim VAT relief for, as well as how to claim.\n\n## How to claim VAT relief\n\nTo get VAT relief you must give your supplier:\n\n- evidence that you\u2019re a charity\n\n- a written declaration or \u2018certificate\u2019 confirming that you\u2019re eligible for the relief\n\n## Evidence of charitable status\n\nThis can be either your:\n\n- Charity Commission registration number\n\n- letter of recognition from HM Revenue and Customs (HMRC)\n\nScottish and Northern Irish charities must provide their letter of recognition from HMRC.\n\n## Written declaration\n\nYou must give your supplier an eligibility declaration or certificate when they sell you goods or services at zero rate VAT. There are examples of declarations and certificates for different goods.\n\nIf you\u2019re buying building or construction services at zero VAT, the certificate must follow a set format.\n\nThe written declaration or certificate should be separate from the order form or invoice for the goods or services your charity is buying.\n\n## Charities and VAT registration\n\nAs a charity, you must register for VAT with HM Revenue and Customs (HMRC) if your VAT taxable turnover is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example to reclaim VAT on your supplies.\n\nIf you\u2019re registered for VAT you must send a return every 3 months.\n\n## Work out your taxable turnover\n\nTo work out your VAT taxable turnover add up the total value of everything you sell in a 12-month period that is not:\n\n- exempt from VAT\n\n- outside the scope of VAT\n\nCheck what VAT rate applies to your charity\u2019s activities.\n\n## Exempt from VAT\n\nYou cannot charge VAT on exempt goods and services (such as the provision of welfare services). You cannot normally reclaim VAT on any goods and services purchased in relation to an exempt business activity.\n\nYou cannot register for VAT if all your business activities are exempt from VAT.\n\n## Outside the scope of VAT\n\nIncome from non-business activities is \u2018outside the scope\u2019 of VAT (you cannot charge or reclaim VAT on them). This includes:\n\n- donations where nothing is given in return\n\n- grant funding given to support your charitable activities where nothing is given in return\n\n- activities where your organisation does not make a charge\n\nRead more about what counts as a business activity.\n\n## Charging VAT\n\nOnce you\u2019ve registered you must charge VAT at the correct rate on everything you supply.\n\n## Reclaiming VAT\n\nIf you\u2019re registered you may be able to reclaim VAT when you file your VAT Return.\n\nYou can reclaim the VAT you were charged on goods and services relating to your taxable business activities.\n\n## Exports outside the UK\n\nIf you supply goods outside the UK free of charge (for example as aid), you can treat this as a zero-rate business activity (0% VAT) so you can reclaim the VAT on any associated costs.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vat-charities", + "answerable": true, + "scenario": "We are charity to help homeless people. We sell children's toys to raise funds for the charity. We have not registered for VAT and our VAT taxable turnover is \u00a390,000", + "original_question": "Do we have to register for VAT ?" + }, + { + "id": "train-327", + "question": "Scenario: My 15 year old daughter has been excluded from her school in England due to a bullying incident. She maintains she was innocent and she is actually a good student. She is worried about missing so many days of school and wants to go to the town's library to do some research for a project they were set before her exclusion.\n\nQuestion: Is she allowed to go to the library during her exclusion?\n\nDocument - School discipline and exclusions:\n## Discipline\n\n## School behaviour policy\n\nEvery school has a behaviour policy, which lists the rules of conduct for pupils before and after school as well as during the school day.\n\nThe policy should also say what the school does to prevent bullying.\n\nYou can ask the school for a copy of the policy document.\n\n## Punishments\n\nSchools can punish pupils if they behave badly.\n\nExamples of punishments (sometimes called \u2018sanctions\u2019) include:\n\n- a telling-off\n\n- a letter home\n\n- removal from a class or group\n\n- confiscating something inappropriate for school , eg mobile phone or MP3 player\n\n- detention\n\n## Detention\n\nSchools don\u2019t have to give parents notice of after-school detentions or tell them why a detention has been given.\n\n## Physical contact\n\nSchool staff can use reasonable force to control and restrain pupils. This could include leading a pupil by the arm into a classroom.\n\n## Complaining about a punishment\n\nIf you disagree with the way your child\u2019s been punished, first talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.\n\n## Exclusions\n\nHeadteachers can exclude your child if they misbehave in or outside school.\n\n## What happens when your child is excluded\n\nYour child\u2019s school will let you know about an exclusion as soon as possible. They\u2019ll follow up with a letter telling you how long your child is excluded for and why.\n\nYou should also be told how to challenge the exclusion, if you want to.\n\nExclusions can start on the same day but the school shouldn\u2019t make you collect your child straight away.\n\n## Risk of prosecution if child is found in public place\n\nFor the first 5 school days of an exclusion, it\u2019s your responsibility to make sure your child isn\u2019t in a public place during normal school hours unless there is a good reason.\n\nYou might be prosecuted if your child is found in a public place when they\u2019re not supposed to be.\n\nChild Law Advice has more information on what happens when a child is excluded.\n\n## Types of exclusion\n\nThere are 2 kinds of exclusion - fixed period (suspended) and permanent (expelled).\n\n## Fixed period exclusion\n\nA fixed period exclusion is where your child is temporarily removed from school. They can only be removed for up to 45 school days in one school year, even if they\u2019ve changed school.\n\nIf a child has been excluded for a fixed period, schools should set and mark work for the first 5 school days.\n\nIf the exclusion is longer than 5 school days, the school must arrange suitable full-time education from the sixth school day, eg at a pupil referral unit.\n\n## Permanent exclusion\n\nPermanent exclusion means your child is expelled. Your local council must arrange full-time education from the sixth school day.\n\n## Alternative education and exclusion\n\nThe school or local council must tell you about any alternative education they arrange. It\u2019s your responsibility to make sure your child attends.\n\n## Making a complaint\n\nIf alternative education isn\u2019t arranged within 5 days, or you\u2019re not happy with the education, you can complain to:\n\n- the school, for fixed period exclusions\n\n- the local council, for permanent exclusions\n\nIf you\u2019re not happy with the response, you can complain to the Department for Education (DfE).\n\nYou\u2019ll need to show that you followed the school or council\u2019s complaints procedure.\n\n## Challenging exclusion\n\nYou\u2019ll get a letter from the school telling you what to do if you disagree with the exclusion.\n\nYou can ask the school\u2019s governing body to overturn the exclusion if either:\n\n- your child has been excluded for more than 5 days\n\n- the exclusion means they\u2019ll miss a public exam or national curriculum test\n\nIf the exclusion is for 5 days or fewer, you can still ask the governors to hear your views but they can\u2019t overturn the headteacher\u2019s decision.\n\n## Challenging permanent exclusion\n\nYou\u2019ll be invited to a review meeting with the school\u2019s governors if your child has been permanently excluded. This will happen within 15 school days.\n\nIf the governors don\u2019t overturn the exclusion, you can ask for an independent review by your local council (or academy trust if the school\u2019s an academy). The governors must tell you how to do this.\n\nIf your child is still excluded you can ask the Local Government Ombudsman (or the Education Funding Agency if the school\u2019s an academy or free school) to look at whether your case was handled properly. They can\u2019t overturn the exclusion.\n\n## Discrimination and other complaints\n\nYou can make a claim to a court or a tribunal if you think your child\u2019s been discriminated against. You need to do this within 6 months of the exclusion.\n\nContact the Equality Advisory Support Service for help and advice.\n\nFor more general complaints (eg if you don\u2019t want to challenge the exclusion but you\u2019re not happy with the way the school handled it), follow the normal school complaints process.\n\n## Searches\n\n## Searches without your child\u2019s consent\n\nThe school doesn\u2019t need your child\u2019s consent to search them if they think your child has prohibited items, including:\n\n- weapons, eg knives\n\n- alcohol\n\n- illegal drugs\n\n- stolen goods\n\n- tobacco products, eg cigarettes\n\n- pornographic images (of any kind, eg tabloid topless pictures and \u2018lads\u2019 mags\u2019 as well as extreme adult material)\n\n- fireworks\n\n- anything that has been, or is likely to be, used to cause injury or commit an offence\n\n- anything banned in the school rules\n\nThese things can be confiscated.\n\n## Legal requirements of a search\n\nThere should normally be 2 members of staff present during the search - the person doing the search and the search witness. Searches should normally be done by someone the same sex as your child.\n\nThe search witness must also be the same sex as your child if possible. Your child must not be asked to remove clothes, other than outer clothing like a coat.\n\nIf there\u2019s a risk of serious harm to a person if the search is not conducted immediately, a child may be searched by a person of the opposite sex and without another member of staff present.\n\n## Metal detectors\n\nSchools can make pupils go through a metal detector - they don\u2019t have to suspect that your child has a weapon. If your child refuses to go through the metal detector, they can be stopped from coming into school.\n\n## Complaining about a search\n\nIf you\u2019re unhappy with a search on your child at school, talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/school-discipline-exclusions", + "answerable": true, + "scenario": "My 15 year old daughter has been excluded from her school in England due to a bullying incident. She maintains she was innocent and she is actually a good student. She is worried about missing so many days of school and wants to go to the town's library to do some research for a project they were set before her exclusion.", + "original_question": "Is she allowed to go to the library during her exclusion?" + }, + { + "id": "train-328", + "question": "Scenario: All secondary schools in our English county have recently installed metal detectors in a highly controversial move. My 14 year old son is heavily into civil liberties and objects to being required to walk through it.\n\nQuestion: Can my son refuse to go through his school's metal detector?\n\nDocument - School discipline and exclusions:\n## Discipline\n\n## School behaviour policy\n\nEvery school has a behaviour policy, which lists the rules of conduct for pupils before and after school as well as during the school day.\n\nThe policy should also say what the school does to prevent bullying.\n\nYou can ask the school for a copy of the policy document.\n\n## Punishments\n\nSchools can punish pupils if they behave badly.\n\nExamples of punishments (sometimes called \u2018sanctions\u2019) include:\n\n- a telling-off\n\n- a letter home\n\n- removal from a class or group\n\n- confiscating something inappropriate for school , eg mobile phone or MP3 player\n\n- detention\n\n## Detention\n\nSchools don\u2019t have to give parents notice of after-school detentions or tell them why a detention has been given.\n\n## Physical contact\n\nSchool staff can use reasonable force to control and restrain pupils. This could include leading a pupil by the arm into a classroom.\n\n## Complaining about a punishment\n\nIf you disagree with the way your child\u2019s been punished, first talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.\n\n## Exclusions\n\nHeadteachers can exclude your child if they misbehave in or outside school.\n\n## What happens when your child is excluded\n\nYour child\u2019s school will let you know about an exclusion as soon as possible. They\u2019ll follow up with a letter telling you how long your child is excluded for and why.\n\nYou should also be told how to challenge the exclusion, if you want to.\n\nExclusions can start on the same day but the school shouldn\u2019t make you collect your child straight away.\n\n## Risk of prosecution if child is found in public place\n\nFor the first 5 school days of an exclusion, it\u2019s your responsibility to make sure your child isn\u2019t in a public place during normal school hours unless there is a good reason.\n\nYou might be prosecuted if your child is found in a public place when they\u2019re not supposed to be.\n\nChild Law Advice has more information on what happens when a child is excluded.\n\n## Types of exclusion\n\nThere are 2 kinds of exclusion - fixed period (suspended) and permanent (expelled).\n\n## Fixed period exclusion\n\nA fixed period exclusion is where your child is temporarily removed from school. They can only be removed for up to 45 school days in one school year, even if they\u2019ve changed school.\n\nIf a child has been excluded for a fixed period, schools should set and mark work for the first 5 school days.\n\nIf the exclusion is longer than 5 school days, the school must arrange suitable full-time education from the sixth school day, eg at a pupil referral unit.\n\n## Permanent exclusion\n\nPermanent exclusion means your child is expelled. Your local council must arrange full-time education from the sixth school day.\n\n## Alternative education and exclusion\n\nThe school or local council must tell you about any alternative education they arrange. It\u2019s your responsibility to make sure your child attends.\n\n## Making a complaint\n\nIf alternative education isn\u2019t arranged within 5 days, or you\u2019re not happy with the education, you can complain to:\n\n- the school, for fixed period exclusions\n\n- the local council, for permanent exclusions\n\nIf you\u2019re not happy with the response, you can complain to the Department for Education (DfE).\n\nYou\u2019ll need to show that you followed the school or council\u2019s complaints procedure.\n\n## Challenging exclusion\n\nYou\u2019ll get a letter from the school telling you what to do if you disagree with the exclusion.\n\nYou can ask the school\u2019s governing body to overturn the exclusion if either:\n\n- your child has been excluded for more than 5 days\n\n- the exclusion means they\u2019ll miss a public exam or national curriculum test\n\nIf the exclusion is for 5 days or fewer, you can still ask the governors to hear your views but they can\u2019t overturn the headteacher\u2019s decision.\n\n## Challenging permanent exclusion\n\nYou\u2019ll be invited to a review meeting with the school\u2019s governors if your child has been permanently excluded. This will happen within 15 school days.\n\nIf the governors don\u2019t overturn the exclusion, you can ask for an independent review by your local council (or academy trust if the school\u2019s an academy). The governors must tell you how to do this.\n\nIf your child is still excluded you can ask the Local Government Ombudsman (or the Education Funding Agency if the school\u2019s an academy or free school) to look at whether your case was handled properly. They can\u2019t overturn the exclusion.\n\n## Discrimination and other complaints\n\nYou can make a claim to a court or a tribunal if you think your child\u2019s been discriminated against. You need to do this within 6 months of the exclusion.\n\nContact the Equality Advisory Support Service for help and advice.\n\nFor more general complaints (eg if you don\u2019t want to challenge the exclusion but you\u2019re not happy with the way the school handled it), follow the normal school complaints process.\n\n## Searches\n\n## Searches without your child\u2019s consent\n\nThe school doesn\u2019t need your child\u2019s consent to search them if they think your child has prohibited items, including:\n\n- weapons, eg knives\n\n- alcohol\n\n- illegal drugs\n\n- stolen goods\n\n- tobacco products, eg cigarettes\n\n- pornographic images (of any kind, eg tabloid topless pictures and \u2018lads\u2019 mags\u2019 as well as extreme adult material)\n\n- fireworks\n\n- anything that has been, or is likely to be, used to cause injury or commit an offence\n\n- anything banned in the school rules\n\nThese things can be confiscated.\n\n## Legal requirements of a search\n\nThere should normally be 2 members of staff present during the search - the person doing the search and the search witness. Searches should normally be done by someone the same sex as your child.\n\nThe search witness must also be the same sex as your child if possible. Your child must not be asked to remove clothes, other than outer clothing like a coat.\n\nIf there\u2019s a risk of serious harm to a person if the search is not conducted immediately, a child may be searched by a person of the opposite sex and without another member of staff present.\n\n## Metal detectors\n\nSchools can make pupils go through a metal detector - they don\u2019t have to suspect that your child has a weapon. If your child refuses to go through the metal detector, they can be stopped from coming into school.\n\n## Complaining about a search\n\nIf you\u2019re unhappy with a search on your child at school, talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/school-discipline-exclusions", + "answerable": true, + "scenario": "All secondary schools in our English county have recently installed metal detectors in a highly controversial move. My 14 year old son is heavily into civil liberties and objects to being required to walk through it.", + "original_question": "Can my son refuse to go through his school's metal detector?" + }, + { + "id": "train-329", + "question": "Scenario: I live in southern England and am the parent of two children, the eldest of whom is a pupil at a private school. After he experienced a bullying incident we discovered that the school has no formal anti-bullying policy in place.\n\nQuestion: Is it legal for them not to have such a policy?\n\nDocument - Bullying at school:\n## The law\n\nSome forms of bullying are illegal and should be reported to the police. These include:\n\n- violence or assault\n\n- theft\n\n- repeated harassment or intimidation, for example name calling, threats and abusive phone calls, emails or text messages\n\n- hate crimes\n\nCall 999 if you or someone else is in immediate danger.\n\n## Schools and the law\n\nBy law, all state (not private) schools must have a behaviour policy in place that includes measures to prevent all forms of bullying among pupils.\n\nThis policy is decided by the school. All teachers, pupils and parents must be told what it is.\n\n## Anti-discrimination law\n\nSchools must also follow anti-discrimination law. This means staff must act to prevent discrimination, harassment and victimisation within the school. This applies to all schools in England and Wales, and most schools in Scotland.\n\nNorthern Ireland has different anti-discrimination law.\n\n## Reporting bullying\n\nYou should report bullying to your school in the first place - or someone you trust if it happens outside school, for example in a club or online.\n\nTell the police if the bullying involves a crime.\n\n## Schools - reporting bullying\n\nSchool staff will deal with bullying in different ways, depending on how serious the bullying is.\n\nThey might deal with it in school, for example by disciplining bullies, or they might report it to the police or social services.\n\nAny discipline must take account of special educational needs or disabilities that the pupils involved may have.\n\nYou can complain about a school if you think it hasn\u2019t dealt with your concerns.\n\n## Police - reporting bullying\n\nAnyone can make a complaint to the police about bullying but it\u2019s usually a good idea to speak to your school first.\n\nIf you\u2019re reporting cyberbullying, keep a record of the date and time of the calls, emails or texts - don\u2019t delete any messages you receive.\n\nCall 999 if you or someone else is in immediate danger.\n\n## Where to get help and advice\n\nThere are lots of organisations that provide support and advice if you\u2019re worried about bullying:\n\n- Anti-Bullying Alliance\n\n- Bullying UK\n\n- Childline\n\n- The Diana Award\n\n- Internet Matters\n\n- Kidscape\n\n- The UK Safer Internet Centre\n\n- UK Council for Child Internet Safety (UKCCIS)\n\n## Bullying outside school\n\nHead teachers have the legal power to make sure pupils behave outside of school premises (state schools only).\n\nThis includes bullying that happens anywhere off the school premises, for example on public transport or in a town centre.\n\nSchool staff can also choose to report bullying to the police or local council.\n\n## Bullying - a definition\n\nThere is no legal definition of bullying.\n\nHowever, it\u2019s usually defined as behaviour that is:\n\n- repeated\n\n- intended to hurt someone either physically or emotionally\n\n- often aimed at certain groups, for example because of race, religion, gender or sexual orientation\n\nIt takes many forms and can include:\n\n- physical assault\n\n- teasing\n\n- making threats\n\n- name calling\n\n- cyberbullying - bullying via mobile phone or online (for example email, social networks and instant messenger)\n\nYour school should have its own policy to stop bullying.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/bullying-at-school", + "answerable": true, + "scenario": "I live in southern England and am the parent of two children, the eldest of whom is a pupil at a private school. After he experienced a bullying incident we discovered that the school has no formal anti-bullying policy in place.", + "original_question": "Is it legal for them not to have such a policy?" + }, + { + "id": "train-330", + "question": "Scenario: I am a parent of two young children and am also a governor at my younger child's state school. There have been some incidents of cyberbullying between pupils recently; however, as they didn't take place on school premises the headteacher claims that he lacks the power to intervene.\n\nQuestion: The headteacher says they do not have powers to deal with bullying that occurs outside the school itself. Is it true?\n\nDocument - Bullying at school:\n## The law\n\nSome forms of bullying are illegal and should be reported to the police. These include:\n\n- violence or assault\n\n- theft\n\n- repeated harassment or intimidation, for example name calling, threats and abusive phone calls, emails or text messages\n\n- hate crimes\n\nCall 999 if you or someone else is in immediate danger.\n\n## Schools and the law\n\nBy law, all state (not private) schools must have a behaviour policy in place that includes measures to prevent all forms of bullying among pupils.\n\nThis policy is decided by the school. All teachers, pupils and parents must be told what it is.\n\n## Anti-discrimination law\n\nSchools must also follow anti-discrimination law. This means staff must act to prevent discrimination, harassment and victimisation within the school. This applies to all schools in England and Wales, and most schools in Scotland.\n\nNorthern Ireland has different anti-discrimination law.\n\n## Reporting bullying\n\nYou should report bullying to your school in the first place - or someone you trust if it happens outside school, for example in a club or online.\n\nTell the police if the bullying involves a crime.\n\n## Schools - reporting bullying\n\nSchool staff will deal with bullying in different ways, depending on how serious the bullying is.\n\nThey might deal with it in school, for example by disciplining bullies, or they might report it to the police or social services.\n\nAny discipline must take account of special educational needs or disabilities that the pupils involved may have.\n\nYou can complain about a school if you think it hasn\u2019t dealt with your concerns.\n\n## Police - reporting bullying\n\nAnyone can make a complaint to the police about bullying but it\u2019s usually a good idea to speak to your school first.\n\nIf you\u2019re reporting cyberbullying, keep a record of the date and time of the calls, emails or texts - don\u2019t delete any messages you receive.\n\nCall 999 if you or someone else is in immediate danger.\n\n## Where to get help and advice\n\nThere are lots of organisations that provide support and advice if you\u2019re worried about bullying:\n\n- Anti-Bullying Alliance\n\n- Bullying UK\n\n- Childline\n\n- The Diana Award\n\n- Internet Matters\n\n- Kidscape\n\n- The UK Safer Internet Centre\n\n- UK Council for Child Internet Safety (UKCCIS)\n\n## Bullying outside school\n\nHead teachers have the legal power to make sure pupils behave outside of school premises (state schools only).\n\nThis includes bullying that happens anywhere off the school premises, for example on public transport or in a town centre.\n\nSchool staff can also choose to report bullying to the police or local council.\n\n## Bullying - a definition\n\nThere is no legal definition of bullying.\n\nHowever, it\u2019s usually defined as behaviour that is:\n\n- repeated\n\n- intended to hurt someone either physically or emotionally\n\n- often aimed at certain groups, for example because of race, religion, gender or sexual orientation\n\nIt takes many forms and can include:\n\n- physical assault\n\n- teasing\n\n- making threats\n\n- name calling\n\n- cyberbullying - bullying via mobile phone or online (for example email, social networks and instant messenger)\n\nYour school should have its own policy to stop bullying.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/bullying-at-school", + "answerable": true, + "scenario": "I am a parent of two young children and am also a governor at my younger child's state school. There have been some incidents of cyberbullying between pupils recently; however, as they didn't take place on school premises the headteacher claims that he lacks the power to intervene.", + "original_question": "The headteacher says they do not have powers to deal with bullying that occurs outside the school itself. Is it true?" + }, + { + "id": "train-332", + "question": "Scenario: I am doing a research on a Machine learning technology. I heard a patent already filed on the research I am doing. I want to use the patent details in my final project.\n\nQuestion: Can I get a photocopy of the details?\n\nDocument - Get copies of patent, trade mark or design registration documents:\n## Overview\n\nYou can get copies of documents if you need to prove who owns or has applied for a UK patent, trade mark or design registration.\n\nThere are 2 types of copy \u2013 certified and uncertified.\n\n## Certified copy\n\nThis is an official document, also called a Certificate of the Registrar.\n\nYou need a certified copy to:\n\n- register a piece of intellectual property (IP) outside the UK\n\n- prove legal ownership of intellectual property, such as in a court case\n\n## Uncertified copy\n\nAn uncertified copy is a photocopy or digital copy of the details on the register. You can use this for research or personal use.\n\n## Request patent documents\n\nUse patents form 23 to apply for either a certified or uncertified copy of a patent.\n\nYou must send a separate form for each certified copy you need, but you can make multiple requests on one form.\n\nFill in the form and post it. The address is on the form.\n\nYou can request uncertified copies of patent documents online.\n\n## How much they cost\n\nCertified copies cost \u00a320 each.\n\nUncertified copies cost \u00a35.\n\nUncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.\n\n## Request trade marks documents\n\nUse form TM31R to get a certified copy of a trade mark.\n\nCertified copies cost \u00a320 each.\n\nFill in the form and post it. The address is on the form.\n\n## Uncertified copies\n\nSend an email to Intellectual Property Office (IPO) sales including:\n\n- the trade mark number\n\n- your telephone number\n\n- the address you want the photocopy sent to\n\nUncertified copies usually cost \u00a35 - large documents may cost more.\n\nUncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.\n\nAfter you email, you\u2019ll get a quote and instructions on how you pay.\n\n## Request design registration documents\n\nUse form DF23 to request a certified copy of a design registration or application.\n\nYou should use one form for each certified copy you\u2019re requesting.\n\nCertified copies cost \u00a330 each.\n\nFill in the form and post it. The address is on the form.\n\n## Uncertified copies\n\nSend an email to Intellectual Property Office (IPO) sales including:\n\n- the design number\n\n- your telephone number\n\n- the address you want the photocopy sent to\n\nUncertified copies usually cost \u00a35 - large documents may cost more.\n\nUncertified copies by email cost a \u00a35 set fee and \u00a31.20 per page.\n\nAfter you email, you\u2019ll get a quote and instructions on how you pay.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/get-copies-of-intellectual-property-documents", + "answerable": true, + "scenario": "I am doing a research on a Machine learning technology. I heard a patent already filed on the research I am doing. I want to use the patent details in my final project.", + "original_question": "Can I get a photocopy of the details?" + }, + { + "id": "train-334", + "question": "Scenario: My Partner has job as a servant to the crown, which requires her to work abroad.\n\nQuestion: Will my tax credits stop?\n\nDocument - Tax credits if you leave or move to the UK:\n## Your family lives abroad\n\nIf your partner is outside the UK and you do not have children, check the Working Tax Credit guidance for information on whether you can continue to claim.\n\n## You have a child who lives abroad\n\nIf you already get Working Tax Credit and want to add Child Tax Credit to your claim, check if you\u2019re eligible.\n\nIf you already get Child Tax Credit, you may be able to make a claim for an additional child if:\n\n- you are working in the UK\n\n- the child is living in the EEA or Switzerland\n\n- you are supporting the child\n\nYou must also be one of the following:\n\n- an EEA or Swiss citizen who has settled or pre-settled status under the EU Settlement Scheme\n\n- an EEA or Swiss citizen who had a right to reside in the UK on 31 December 2020\n\n- a family member of an EEA or Swiss citizen (who has settled or pre-settled status under the EU Settlement Scheme or had a right to reside in the UK on 31 December 2020) and you are residing in the UK\n\n- a person with dual nationality, one of which is nationality of an EEA country or Switzerland\n\n- covered by any of the other conditions in the Withdrawal Agreement with the EEA and Switzerland\n\nYou usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.\n\nYou must let HMRC know within a month if your partner or child join you in the UK. This is because your tax credits payments may change.\n\n## Your partner gets benefits in an EEA country or Switzerland\n\nIf you\u2019ve got children and your partner gets benefits paid by an EEA country or Switzerland, this may affect your tax credits. You must tell HMRC if you or your partner are paid benefits by an EEA country or Switzerland.\n\nSome benefits are counted as income, for example benefits paid because of unemployment.\n\n## Going abroad\n\nYour tax credits will stop if you expect to be away for one year or more.\n\nYou may still qualify for tax credits if you go abroad for a short period, for example on holiday or for medical treatment.\n\n| Reason for leaving | How long you can get tax credits for |\n\n| Medical treatment for yourself, your partner or your child | Up to 12 weeks |\n\n| Death of your partner, a child or close relative of either you or your partner | Up to 12 weeks |\n\n| Any other reason, for example holidays or business | Up to 8 weeks |\n\nIf your trip is going to last longer than 8 or 12 weeks, contact HM Revenue and Customs (HMRC) within a month. Your tax credits will end unless:\n\n- you get UK benefits or State Pension and you live in another European country with a child\n\n- you work and pay National Insurance contributions in the UK, but your family lives in another European country\n\n## You live outside the UK\n\nYou may continue to get tax credits if you\u2019re a Crown servant posted overseas or you live abroad with your child and get UK benefits or the State Pension.\n\n## You\u2019re a Crown servant posted overseas\n\nYou may continue to get tax credits, just as if you were living in the UK. HM Revenue and Customs (HMRC) will treat you as being in the UK if any of the following applies:\n\n- you are, or were just before you were posted abroad, \u2018ordinarily resident\u2019 in the UK\n\n- you\u2019ve had a series of postings abroad, with no breaks in between - and you are or were \u2018ordinarily resident\u2019 in the UK immediately before the first of those postings\n\n- you were in the UK just before you were posted abroad and the reason you were in the UK was connected to your posting - this can apply to a single posting or to a series of postings\n\n## Ordinarily resident\n\nOrdinarily resident means you normally live in the UK, and plan to stay here for the time being. When HMRC decides if you\u2019re ordinarily resident in the UK they\u2019ll look at things like:\n\n- where your settled home is\n\n- where your close family live\n\n- why you came to the UK\n\n- if you plan to leave the UK permanently in the next 2 or 3 years\n\n## Your partner\u2019s a Crown servant posted overseas\n\nYou may continue to get tax credits if your partner\u2019s a Crown servant posted outside the UK and you:\n\n- live with your partner while they work abroad\n\n- live in the UK while your partner works abroad\n\nYou do not need to be ordinarily resident in the UK during the time you\u2019re with your Crown servant partner overseas.\n\n## You have a child - and get UK benefits or State Pension\n\nIf none of the sections above apply to you, you may continue to get Child Tax Credit (or add it to an existing Working Tax Credit claim) if you and your child live in a European Union (EU) member state and you get State Pension or one of the following benefits:\n\n- Incapacity Benefit\n\n- State Pension\n\n- Widow\u2019s Benefit\n\n- Bereavement Benefit\n\n- Industrial Injuries Disablement Benefit\n\n- contribution-based Employment and Support Allowance\n\n- Severe Disablement Allowance\n\nYou will not be able to get Child Tax Credit if you do not live in an EU member state, unless you (or your partner) are a Crown servant posted abroad.\n\n## Moving to the UK\n\nYou must have been living in the UK for 3 months before you were eligible to claim Child Tax Credit if you moved to the UK on or after 1 July 2014 and do not have a job. This does not apply if you:\n\n- are a family member of someone who works or is self-employed\n\n- are a refugee\n\n- have been granted discretionary leave to enter or stay in the UK and you can get benefits\n\n- have been given leave to stay as a displaced person and you can get benefits\n\n- have been given to leave to stay and have applied for settlement as a victim of domestic violence\n\n- have been granted humanitarian protection\n\n- were made redundant in the UK (or your family member was) and you\u2019re looking for a job or in training\n\n- were working in the UK before but temporarily cannot work because of your health or an accident\n\n- have been abroad for less than a year but usually live in the UK and were claiming Child Tax Credits before moving\n\n- have been abroad for less than a year but usually live in the UK and were in the UK for at least 3 months before moving\n\n- paid Class 1 or Class 2 National Insurance contributions while you were working abroad, and paid these in the 3 month period before returning to the UK\n\n## Cross-border workers\n\nYou may continue to get tax credits if you regularly travel from:\n\n- another country to work in the UK\n\n- the UK to work in another country\n\n## Working Tax Credit\n\nYou may continue to get Working Tax Credit if you live in:\n\n- an EEA country (including Switzerland) and work in the UK\n\n- the UK and work in an EEA country (including Switzerland)\n\n## Child Tax Credit\n\nYou and your partner - if you have one - may continue to get Child Tax Credit for your children if:\n\n- you work in the UK\n\n- you pay National Insurance as a worker here\n\n- your child lives in an EEA country or in Switzerland\n\n- your child is living with your partner or someone else and they depend on you to support them\n\nYou usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.\n\n## Childcare costs\n\nYou can usually claim help for your childcare costs through the childcare element of Working Tax Credit.\n\nTo qualify your children must either:\n\n- be in registered or approved childcare in the UK\n\n- be in childcare approved by a Ministry of Defence accreditation scheme abroad - if you\u2019re a Crown servant posted abroad\n\n## Immigration control\n\nYou usually cannot get tax credits if you\u2019re \u2018subject to immigration control\u2019, although there are some exceptions. You\u2019ll still need to meet the other qualifying rules, for example work the right number of hours.\n\nWhen you arrived in the UK your passport may have been stamped. The stamp shows the conditions of your stay in the UK, for example \u2018no recourse to public funds\u2019. Public funds include tax credits and most benefits.\n\n## Exceptions\n\nYou may continue to get tax credits if:\n\n- your partner lives in the UK and is not subject to immigration control\n\n- one of the examples below applies to you or your partner\n\n## You have permission to stay in the UK because someone else supports you\n\nYou may continue to get tax credits if someone else is responsible for your maintenance while you\u2019re in the UK. This means they pay for your upkeep and provide you with somewhere to live. This person is often called your \u2018sponsor\u2019, and could be a friend, employer or relative.\n\nAll of the following must apply:\n\n- your sponsor has given the Home Office a written statement saying that they\u2019re sponsoring you\n\n- your sponsor has permission to stay in the UK\n\n- you\u2019ve been living permanently in the UK for at least 5 years, either since you came into the UK or since you started being sponsored (whichever date is later)\n\nYou may also continue to get tax credits if you\u2019ve been living in the UK for fewer than 5 years, but:\n\n- your sponsor has died\n\n- all your sponsors - if you had more than one - have died\n\n## You\u2019re from Albania, Morocco, San Marino or Tunisia\n\nYou cannot get Working Tax Credit.\n\nYou may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:\n\n- retired\n\n- pregnant or looking after children\n\n- sick or disabled or your partner has died\n\n## You\u2019re from Turkey\n\nTo continue to get Working Tax Credit you need to be lawfully present in the UK and a Turkish national.\n\nYou may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:\n\n- retired\n\n- pregnant or looking after children\n\n- sick or disabled or your partner has died\n\n## You\u2019re from North Macedonia\n\nYou may continue to get Working Tax Credit if you\u2019re a national of North Macedonia. You\u2019ll need to be lawfully present in the UK.\n\nYou cannot normally get Child Tax Credit. However, you may continue to if you\u2019ve been getting payments for your children through Income Support or income-based Jobseeker\u2019s Allowance.\n\n## You claimed asylum before 5 February 2006\n\nYou may continue to get Child Tax Credit if you received financial support for your children through Income Support or income-based Jobseeker\u2019s Allowance.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-credits-if-moving-country-or-travelling", + "answerable": true, + "scenario": "My Partner has job as a servant to the crown, which requires her to work abroad.", + "original_question": "Will my tax credits stop?" + }, + { + "id": "train-335", + "question": "Scenario: I own a home and energy bills are always high. When I hired a engineer to assess why my energy bills are high. He mentioned the problem is because of insulation. I can't afford to replace the insulation\n\nQuestion: Can I get a loan to replace the insulation ?\n\nDocument - Green Deal: energy saving for your home:\n## Overview\n\nThe Green Deal helps you make energy-saving improvements to your home and to find the best way to pay for them.\n\nThe improvements that could save you the most energy depend on your home, but typical examples include:\n\n- insulation, such as solid wall, cavity wall or loft insulation\n\n- heating\n\n- draught-proofing\n\n- double glazing\n\n- renewable energy generation, such as solar panels or heat pumps\n\n## If you need help paying for home improvements\n\nYou may be able to get a loan through the Green Deal, but you\u2019ll have to pay this back.\n\n## Find out if your home will benefit\n\nThere are various ways to check if your property could benefit from energy-saving improvements:\n\n- use the Energy Efficiency Calculator to find out how you can reduce your energy bills\n\n- check which home energy grants you might be able to apply for\n\n- talk to a Green Deal assessor or provider\n\nThe Green Deal may be right for you if you think your property could benefit from energy-saving improvements.\n\nYou can also talk to Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland\n\nFind out about call charges\n\nThe Green Deal is not available in Northern Ireland.\n\n## Green Deal mark\n\nAll Green Deal organisations must be authorised. Look for the quality mark, which is a green house with a tick on the roof.\n\nYou can also check if a Green Deal company is genuine.\n\n## Improvements and benefits to your home\n\nAny household with an electricity meter (including prepayment meters) in England, Scotland or Wales can use the scheme.\n\nBoth the landlord and the tenant must agree to the improvements if the building is rented.\n\n## Eligible improvements\n\nYou can use the Green Deal for a range of different energy saving measures including:\n\n- replacing windows and doors\n\n- installing secondary glazing\n\n- using energy efficient lighting\n\n- insulating your loft or walls\n\n- adding draught proofing\n\n- upgrading your heating\n\n- generating renewable energy from sources such as wind or solar power\n\nBut only if your Green Deal assessment recommends them.\n\n## Get an assessment\n\nYou must get your property assessed to use the Green Deal. Contact a Green Deal assessor or ask a Green Deal provider to find an assessor for you.\n\nYou may have to pay for an assessment. The assessor must tell you the fee in advance.\n\n## What to expect from an assessment\n\nA Green Deal assessor will visit your home, talk to you about your property and your energy use and help you decide if you could benefit from Green Deal improvements.\n\n## When you book\n\nYou may be asked if:\n\n- you own or rent the property\n\n- your home is a listed building, in a conservation area, built before 1900 or constructed in a non-traditional way\n\n- there are access issues, such as access to your loft\n\n- you can provide bills showing your recent energy use\n\n## When the assessor visits\n\nYou may be asked:\n\n- how many people live in your home\n\n- what type of heating and appliances you use\n\n- how often you use your heating\n\n- what energy-saving measures are already installed\n\n## After the visit\n\nYou\u2019ll get a document, called a Green Deal advice report, that contains:\n\n- an Energy Performance Certificate (EPC) that rates your home for energy efficiency\n\n- an occupancy assessment that measures how much energy you and other occupiers are using\n\n- improvements your assessor recommends\n\n- an estimate of the money you could save on your annual energy bills\n\n- a statement on whether the improvements will pay for themselves through reduced energy costs\n\nA Green Deal advice report is valid for 10 years, or until you make changes or energy saving improvements to the property, for example you build an extension or change the windows.\n\nThe actual savings will depend on how much energy you use and the future cost of energy.\n\n## What to do next\n\nYou decide:\n\n- if you want to get the work done\n\n- how you want to pay\n\n## Getting the work done\n\nHow you decide to get the work done will affect your options for how you pay for the work.\n\nAfter you get a Green Deal advice report, you can:\n\n- ask a Green Deal provider to arrange installation and pay for the work yourself\n\n- ask a Green Deal provider to arrange installation and a Green Deal finance plan to pay for the work\n\n- get your own installers to fit the improvements and pay for them yourself\n\n- pay for the work in more than one way, like using a Green Deal finance plan or money of your own\n\nSome companies provide all the services for a Green Deal package - assessment, finance and installation. You can choose to use a different company for each service.\n\n## Get a quote\n\nGive a provider or installer your Green Deal advice report.\n\nProviders will give you a quote and arrange the installers for you. Installers will quote to do the work themselves. A quote from a provider will include the repayment terms if you\u2019re paying with a finance plan.\n\nYou can get more than one quote and you can choose which improvements you want.\n\nYou can ask the provider or installer if you or your property qualify to combine the Green Deal with these other schemes:\n\n- Affordable Warmth Obligation - help from your energy company to improve your home if you\u2019re on certain benefits or a low income, or for certain hard-to-treat properties\n\n- Feed-in Tariffs - payments from your energy provider if you generate your own electricity (such as through solar panels or a wind turbine)\n\n- Renewable Heat Incentive (RHI) - payments for generation and use of renewable energy to heat buildings\n\n- any scheme run by your Local Authority - contact your Local Authority for information\n\n## Agree the work\n\nPick the provider or installer you want to do the work.\n\nThe provider will write you a contract called a Green Deal finance plan if you choose to pay with Green Deal finance. The plan will contain:\n\n- an outline of the work that will be done\n\n- any financial help you can get from other schemes\n\n- the repayments and interest rate\n\n- information on other incentives you can access, such as Feed-in Tarrifs\n\n- information on warranties and guarantees\n\nYour Green Deal repayments will be automatically added to your electricity bill if you have chosen to take Green Deal finance.\n\n## Complaints\n\nYou can complain about your Green Deal.\n\n## How to pay\n\nYou can pay in advance, get a Green Deal finance plan, or use other schemes to fund the work. You can also combine ways to pay.\n\n## Getting a Green Deal finance plan\n\nFinance plans are offered by approved Green Deal providers.\n\nGive your Green Deal assessment to providers you want to get a quote from.\n\nYour provider will find an installer for you.\n\nYou can only get a finance plan for improvements recommended in your Green Deal assessment.\n\nEach provider must tell you:\n\n- how much you\u2019ll pay back\n\n- how long you\u2019ll pay for\n\n## What you can borrow and how much you\u2019ll pay\n\nYou can get finance for an amount based on what you\u2019ll be expected to save on your energy bills.\n\nThe annual repayments on the loan should not be more than the savings you might make on your energy bills.\n\nThere\u2019s no set interest rate. Your interest rate will be determined by the amount of your finance plan. Check with your provider for rates and fees.\n\nThe interest rate is fixed for the full term of the plan so your repayments will be fixed.\n\n## How you pay\n\nYou pay back the loan through a charge added to your electricity bill. If you have a prepayment meter, a small amount will be taken from the meter each day.\n\nThis is because the Green Deal stays with the property. If you move, you no longer benefit from the improvements and therefore stop paying for them.\n\nYou can pay off your Green Deal early, but you might be charged a fee - check with your provider.\n\n## Moving into a property with a Green Deal\n\nIf you move into a property with a Green Deal, the landlord or seller must show you a copy of the Energy Performance Certificate (EPC). This will explain what improvements have been made and how much you\u2019ll need to repay.\n\nThe person who pays the electricity bill pays the money back.\n\nYou can change electricity supplier if the new supplier is participating in the Green Deal.\n\n## Get more information\n\nContact the Green Deal provider if you have specific questions about the improvements, warranties or repayments.\n\nYou can get general information from Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland.\n\nFind out about call charges", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "answerable": true, + "scenario": "I own a home and energy bills are always high. When I hired a engineer to assess why my energy bills are high. He mentioned the problem is because of insulation. I can't afford to replace the insulation", + "original_question": "Can I get a loan to replace the insulation ?" + }, + { + "id": "train-338", + "question": "Scenario: My business does construction work on multiple sites across the UK. We often utilize landfill to throw away rocks, cement and other similar materials.\n\nQuestion: Do we have to pay the Standard rate under the Landfill Tax?\n\nDocument - Environmental taxes, reliefs and schemes for businesses:\n## Overview\n\nEnvironmental taxes encourage your business to operate in a more environmentally friendly way. There are taxes and schemes for different types and size of business.\n\nYou may get reliefs or be exempt from some taxes, for example if:\n\n- you use a lot of energy because of the nature of your business\n\n- you\u2019re a small business that does not use much energy\n\n- you buy energy-efficient technology for your business\n\nYou can pay less tax by applying for schemes to help you demonstrate that you\u2019re operating more efficiently and producing waste that\u2019s less damaging.\n\n## Climate Change Levy\n\nClimate Change Levy (CCL) is paid at either the:\n\n- main rates\n\n- carbon price support (CPS) rates\n\n## Main rates\n\nYou pay CCL at the main rate on:\n\n- electricity\n\n- gas\n\n- solid fuels - like coal, lignite, coke and petroleum coke\n\nThe CCL main rates are listed on your business\u2019s energy bill.\n\nThere\u2019s more detailed information on Climate Change Levy rates and allowances.\n\n## Who it applies to\n\nYou pay the main rates of CCL if your business is in one of the following sectors:\n\n- industrial\n\n- commercial\n\n- agricultural\n\n- public services\n\nYou do not pay the main rate of CCL on certain supplies, for example if you\u2019re a:\n\n- business that uses small amounts of energy\n\n- domestic energy user\n\n- charity engaged in non-commercial activities\n\n## Fuels that are exempt\n\nElectricity, gas and solid fuel are normally exempt from the main rates of CCL if any of the following apply:\n\n- they will not be used in the UK\n\n- they\u2019re supplied to or from certain combined heat and power (CHP) schemes registered under the CHP quality assurance (CHPQA) programme\n\n- the electricity was generated from renewable sources before 1 August 2015\n\n- they\u2019re used to produce electricity in a generating station which has a capacity of 2MW or greater\n\n- they will not be used as fuel\n\n- they\u2019re used in certain forms of transport\n\nThere are other exemptions and reliefs.\n\n## Pay a reduced rate\n\nYou can get a reduction on the main rates of CCL if you\u2019re an energy intensive business and have entered into a climate change agreement (CCA) with the Environment Agency.\n\nEnergy intensive businesses can get a 90% reduction for electricity and a 65% reduction for gas, liquefied petroleum gas (LPG), coal and other solid fuel.\n\nCheck if your business is eligible. Your industry trade association can also give advice.\n\n## Carbon price support rates\n\nThe CPS rates of CCL encourage industry to use low carbon technology for producing electricity.\n\nYou pay CPS rates for:\n\n- gas\n\n- LPG\n\n- coal and other solid fossil fuels\n\n## Who pays CPS rates\n\nThe CPS rates of CCL are paid by owners of electricity generating stations and operators of combined heat and power (CHP) stations.\n\nCertain suppliers do not have to pay CPS rates. These include small generators, stand-by generators and generating stations in Northern Ireland.\n\n## CRC Energy Efficiency Scheme\n\nThe CRC Energy Efficiency Scheme (formerly known as the \u2018Carbon Reduction Commitment\u2019) covers large, non-energy-intensive organisations, for example:\n\n- supermarkets\n\n- hotels\n\n- water companies\n\n- banks\n\n- local authorities, including state-funded schools\n\n- all central government departments\n\n## How it works\n\nYou should already be registered if your business qualifies for the CRC Energy Efficiency Scheme. You must now:\n\n- monitor and report your CO2 emissions from gas and electricity use\n\n- buy enough allowances to cover your annual emissions and surrender them at the end of the year\n\n## If you need more help\n\nThere\u2019s more detailed guidance on the scheme if you\u2019re in England or Wales.\n\n## Emissions trading\n\nThe EU Emissions Trading System (EU ETS) affects businesses from energy-intensive sectors - like the energy industry and certain manufacturers.\n\nIt lets you buy and sell greenhouse gas emission allowances to reduce your organisation\u2019s environmental impact.\n\nLarge organisations not covered by the EU ETS are covered by another scheme called the CRC Energy Efficiency Scheme.\n\n## How it works\n\nIf your business is covered by the EU ETS you must meet targets by:\n\n- cutting your business emissions\n\n- trading emissions allowances\n\nYou\u2019ll need to open an EU Registry account so you can trade allowances. You can then trade allowances by:\n\n- trading directly with other businesses\n\n- buying or selling from intermediaries, for example banks and specialist traders\n\n- using the services of a broker\n\n- joining one of the several exchanges that list carbon allowance products\n\n- bidding at UK government or other EU member state auctions\n\n## Calculate your greenhouse gas emissions\n\nWork out your greenhouse gas emissions by multiplying the amount of energy you use by the (emissions they produce). You need to do this for each type of energy you use.\n\nTo do this, you need to know:\n\n- how much non-renewable energy you\u2019ve used - this information can be found on your gas, electricity and water bills, invoices and receipts\n\n- the greenhouse gases produced by each type of energy (the \u2018emission factor\u2019) - these are updated every year\n\nYou can calculate your carbon emissions online.\n\n## Capital allowances on energy-efficient items\n\nYou can claim capital allowances when you buy energy efficient, or low or zero-carbon technology for your business. This reduces the amount of tax you pay.\n\n## Landfill Tax\n\nYou pay tax on top of your normal landfill fees if your business gets rid of waste using landfill sites.\n\nIf you get rid of waste at sites not authorised for landfill, you\u2019ll be charged Landfill Tax. You may also have to pay a penalty or be taken to court.\n\n## Landfill operators - what you must do\n\nYou need to:\n\n- get a permit\n\n- register within 30 days of setting up - if you do not you can be fined\n\n## What to pay\n\nThe tax is charged by weight. There are 2 rates. You pay the lower rate on \u2018inactive waste\u2019 - for example rocks or soil.\n\n| Rate | Amount you pay |\n\n| Lower rate | \u00a33.10 per tonne |\n\n| Standard rate | \u00a396.70 per tonne |\n\n## Loss on Ignition (LOI) testing regime\n\nIf your landfill site accepts waste fines, you may need to carry out a loss on ignition test to help determine the rate of tax to pay.\n\n## Exemptions\n\nYou do not have to pay Landfill Tax on:\n\n- dredging activities\n\n- quarrying and mining\n\n- pet cemeteries\n\n- inactive waste used for filling quarries\n\nYou can get tax credits if you send waste from landfill to be recycled, incinerated or reused.\n\n## Aggregates Levy\n\nThis is a tax on sand, gravel and rock that\u2019s either been:\n\n- dug from the ground\n\n- dredged from the sea in UK waters\n\n- imported\n\n## What you need to do\n\nYou must register with HM Revenue and Customs (HMRC) if your business exploits aggregate in the UK, for example if you\u2019re a quarry operator.\n\nEvery quarter, you must tell HMRC how much aggregate you\u2019ve produced or sold.\n\n## How much you pay\n\nYou pay tax of \u00a32 per tonne of sand, gravel or rock. You pay less on smaller amounts, for example \u00a31 on half a tonne. You still pay tax if you import the materials.\n\n## Reliefs\n\nYou can get tax relief if you export aggregates or use them in some industrial or agricultural processes. If you do not use the material as aggregate it may be eligible for relief.\n\n## Exemptions\n\nCertain materials are excluded from the tax, for example soil, vegetable or other organic matter.\n\n## If you need more help\n\nThere\u2019s more detailed guidance on Aggregates Levy or you can contact the helpline.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/green-taxes-and-reliefs", + "answerable": true, + "scenario": "My business does construction work on multiple sites across the UK. We often utilize landfill to throw away rocks, cement and other similar materials.", + "original_question": "Do we have to pay the Standard rate under the Landfill Tax?" + }, + { + "id": "train-340", + "question": "Scenario: I own a property and was approached by my local religious community registered as a charity to use my property for religious gathering. Now I am thinking to donate the property to charity\n\nQuestion: Do I have to pay tax on the property I donate to charity ?\n\nDocument - Tax relief when you donate to a charity:\n## Overview\n\nDonations by individuals to charity or to community amateur sports clubs (CASCs) are tax free. This is called tax relief.\n\nThe tax goes to you or the charity. How this works depends on whether you donate:\n\n- through Gift Aid\n\n- straight from your wages or pension through a Payroll Giving scheme\n\n- land, property or shares\n\n- in your will\n\nThis also applies to sole traders and partnerships. There are different rules for limited companies.\n\nIf you want to donate to a sports club, check if it\u2019s registered as a community amateur sports club (CASC). You cannot donate to a CASC through Payroll Giving.\n\n## Keeping records\n\nYou\u2019ll need to keep a record of your donations if you want to take them off your total taxable income.\n\n## Gift Aid\n\nDonating through Gift Aid means charities and community amateur sports clubs (CASCs) can claim an extra 25p for every \u00a31 you give. It will not cost you any extra.\n\nCharities can claim Gift Aid on most donations, but some payments do not qualify.\n\n## What you need to do\n\nYou need to make a Gift Aid declaration for the charity to claim. You usually do this by filling in a form - contact the charity if you have not got one.\n\nYou must give a declaration to each charity you want to donate to through Gift Aid.\n\nYou can include all donations from the last 4 years. Tell the charity about any tax years where you did not pay enough tax.\n\n## Paying enough tax to qualify for Gift Aid\n\nYour donations will qualify as long as they\u2019re not more than 4 times what you have paid in tax in that tax year (6 April to 5 April).\n\nThe tax could have been paid on income or capital gains.\n\nYou must tell the charities you support if you stop paying enough tax.\n\n## Higher rate taxpayers\n\nIf you pay tax above the basic rate, you can claim the difference between the rate you pay and basic rate on your donation. It\u2019s the same if you live in Scotland. Do this either:\n\n- through your Self Assessment tax return\n\n- by asking HM Revenue and Customs (HMRC) to amend your tax code\n\nWith Payroll Giving, you do not pay the difference between the higher and basic rate of tax on your donation.\n\n## Getting tax relief sooner\n\nIn your Self Assessment tax return, you normally only report things from the previous tax year.\n\nBut for Gift Aid, you can also claim tax relief on donations you make in the current tax year (up to the date you send your return) if you either:\n\n- want tax relief sooner\n\n- will not pay higher rate tax in current year, but you did in the previous year\n\nYou cannot do this if:\n\n- you miss the deadline\n (31 January if you file online)\n\n- your donations do not qualify for Gift Aid - your donations from both tax years together must not be more than 4 times what you paid in tax in the previous year\n\nIf you do not have to send a tax return, contact HMRC and ask for a P810 form. You\u2019ll need to submit it by 31 January after the end of the previous tax year.\n\n## Donating straight from your wages or pension\n\nIf your employer, company or personal pension provider runs a Payroll Giving scheme, you can donate straight from your wages or pension. This happens before tax is deducted from your income.\n\nAsk your employer or pension provider if they run a Payroll Giving scheme.\n\nYou cannot donate to a community amateur sports club (CASC) through Payroll Giving.\n\nThe tax relief you get depends on the rate of tax you pay. To donate \u00a31, you pay:\n\n- 80p if you\u2019re a basic rate taxpayer\n\n- 60p if you\u2019re a higher rate taxpayer\n\n- 55p if you\u2019re an additional rate taxpayer\n\nThe tax relief you get is different if you live in Scotland. To donate \u00a31, you pay:\n\n- 81p if you\u2019re a starter rate taxpayer\n\n- 80p if you\u2019re a basic rate taxpayer\n\n- 79p if you\u2019re a intermediate rate taxpayer\n\n- 59p if you\u2019re a higher rate taxpayer\n\n- 54p if you\u2019re a top rate taxpayer\n\n## Donating land, property or shares\n\nYou do not have to pay tax on land, property or shares you donate to charity. This includes selling them for less than their market value.\n\nYou get tax relief on both:\n\n- Income Tax\n\n- Capital Gains Tax\n\nYou cannot get Income Tax relief on donations to community amateur sports clubs (CASCs).\n\nYou must keep records of the donation to show that you\u2019ve made the gift or sale and that the charity has accepted it.\n\n## Income Tax relief\n\nYou can pay less Income Tax by deducting the value of your donation from your total taxable income. Do this for the tax year (6 April to 5 April) in which you made the gift or sale to charity.\n\n## How to claim\n\nIf you complete a Self Assessment tax return, add the amount you\u2019re claiming in the \u2018Charitable giving\u2019 section of the form. This will reduce your Self Assessment bill.\n\nIf you do not complete a tax return, write to HM Revenue and Customs (HMRC) with details of the gift or sale and your tax relief amount. You\u2019ll either get a refund, or your tax code will be changed so you pay less Income Tax for that tax year.\n\n## Capital Gains Tax relief\n\nYou do not have to pay Capital Gains Tax on land, property or shares you give to charity.\n\nYou may have to pay if you sell them for more than they cost you but less than their market value. Work out your gain using the amount the charity actually pays you, rather than the value of the asset.\n\n## Selling land, property or shares on behalf of a charity\n\nWhen you offer a gift of land, property or shares, the charity may ask you to sell the gift on its behalf.\n\nYou can do this and still claim tax relief for the donation, but you must keep records of the gift and the charity\u2019s request. Without them, you might have to pay Capital Gains Tax.\n\n## Leaving gifts to charity in your will\n\nYour will says what will happen to your money, property and possessions after you die.\n\nYour donation will either:\n\n- be taken off the value of your estate before Inheritance Tax is calculated\n\n- reduce your Inheritance Tax rate, if 10% or more of your estate is left to charity\n\nYou can donate:\n\n- a fixed amount\n\n- an item\n\n- what\u2019s left after other gifts have been given out\n\n## Writing your will\n\nFind out how to write or update your will, including how to make sure it\u2019s legal.\n\nInclude the charity\u2019s full name - check with them or search the charity register in England and Wales, Scotland or Northern Ireland.\n\n## Keeping records\n\nYou need to keep records of donations if you want to claim tax back on them.\n\n## Gift Aid donations\n\nKeep records if you:\n\n- pay higher rate tax\n\n- claim tax credits\n\n- get a higher Personal Allowance because of your age\n\n- get Married Couple\u2019s Allowance\n\nIf you\u2019re claiming tax back through your Self Assessment tax return or by asking HM Revenue & Customs (HMRC) to amend your tax code keep records showing the date, the amount and which charities you\u2019ve donated to.\n\n## Land, buildings and shares\n\nFor donations of land, property or shares you need to keep:\n\n- legal documents showing the sale or transfer to charity\n\n- any documents from a charity asking you to sell land or shares on its behalf\n\nYou normally have to keep your records for at least 22 months from the end of the tax year they\u2019re for.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/donating-to-charity", + "answerable": true, + "scenario": "I own a property and was approached by my local religious community registered as a charity to use my property for religious gathering. Now I am thinking to donate the property to charity", + "original_question": "Do I have to pay tax on the property I donate to charity ?" + }, + { + "id": "train-343", + "question": "Scenario: Due to the current pandemic my local vehicle service garage is closed, therefore it is very difficult for me to service my vehicles at regular times.\n\nQuestion: Can the required service times on my farm vehicles be extended?\n\nDocument - Health and safety using farm vehicles and machinery:\n## Overview\n\nIf you own or manage a farm, you\u2019re responsible for ensuring the health and safety of your workers and anyone who\u2019s affected by what they do.\n\nYou must:\n\n- carry out a assessment of any risks related to your farm\n\n- have a plan to manage these risks and protect people from harm\n\n- plan and set standards to be sure that your health and safety practices work\n\n- check how you\u2019re doing through regular inspections and monitoring\n\nYou must make sure that all farming vehicles and equipment are:\n\n- safe to use\n\n- appropriate for the jobs they are used for\n\n- their safety risks are reduced as much as possible\n\n## Health and safety assessments\n\nThe Health and Safety Executive (HSE) has produced guidance to help farmers conduct health and safety assessments of their farms.\n\nThe \u2018Farmwise\u2019 guide also provides information and guidance on health and safety for farm vehicles and machinery.\n\n## Buying vehicles and equipment\n\n## CE Mark\n\nMost new machines, vehicles or pieces of farming equipment you buy must be \u2018CE\u2019 marked. This mark means that it has been built to meet minimum legal safety requirements.\n\nMost new machines or pieces of equipment should also have:\n\n- a \u2018declaration of conformity\u2019 to show that it meets EU standards\n\n- a manual\n\n- information on noise levels\n\n## Second-hand equipment and vehicles\n\nBefore using second hand machinery, you should:\n\n- make sure that it complies with the Provision and Use of Work Equipment Regulations 1998\n\n- get the operator\u2019s manual or suitable instructions for use\n\n- replace or repair any missing or damaged safety guards before use\n\n## Maintaining vehicles and equipment\n\nYou must make sure that all your equipment is properly maintained and in good working order. You\u2019ll need to perform regular maintenance checks on all of your vehicles and machinery.\n\nYou can find useful equipment maintenance checklists on the British Agricultural and Garden Machinery Association website.\n\nThe Department for Transport also provides guidance on performing health checks on farm vehicles.\n\nYou can find information on the safe use of agricultural machinery on the Health and Safety Executive website.\n\n## Noise levels\n\nHigh levels of noise can damage hearing. By law, you must assess the level of noise in areas where people work for you. You must take action where noise exceeds certain levels.\n\nIf you have noisy machinery or equipment, you should consider:\n\n- providing hearing protection for operators\n\n- using barriers or screens to block sound\n\n- using materials to absorb sound\n\n- limiting the time spent in noisy environments\n\nRead information from the Health and Safety Executive (HSE) on noise levels at work.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "answerable": true, + "scenario": "Due to the current pandemic my local vehicle service garage is closed, therefore it is very difficult for me to service my vehicles at regular times.", + "original_question": "Can the required service times on my farm vehicles be extended?" + }, + { + "id": "train-347", + "question": "Scenario: My father just passed away and he left me a farm that previously grew vegetables. I would like to turn it into a vinery.\n\nQuestion: Do I need planning permission?\n\nDocument - Planning permission for farms:\n## When you need it\n\nFarms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.\n\nYou need planning permission if:\n\n- you want to change how you use your land or buildings from farming to something else\n\n- you want to build a house on the land\n\nYou will also usually need planning permission if you are applying for a grant to fund a project that needs a building or other development.\n\n## When you don\u2019t need it\n\nYou don\u2019t need planning permission:\n\n- for farming operations\n\n- to use buildings already on your land for farming purposes\n\n- to change the inside of a building, or make small alterations to the outside - eg installing an alarm box\n\n- if there are permitted development rights\n\nBefore starting work on the project, always check with:\n\n- your local planning authority in England and Wales\n\n- your local planning authority in Scotland\n\n- you local area planning office in Northern Ireland\n\nIf you don\u2019t get planning permission when you need it you may have to stop work on the development or demolish it.\n\n## Apply for planning permission\n\nIn England and Wales, you can apply online at the Planning Portal.\n\nIn Scotland you can apply online at ePlanning Scotland.\n\nIn Northern Ireland, you apply for planning permission to your local area planning office.\n\n## Permitted development\n\nPermitted development means that if your farm is 5 hectares or more, you have the right to:\n\n- erect, extend or alter a building\n\n- carry out excavations and engineering operations needed for agricultural purposes - though you may still require approval for certain details of the development.\n\nThe types of permitted development include:\n\n- temporary uses of land\n\n- agricultural buildings below a certain size\n\n- forestry buildings\n\n- caravan sites and related buildings in some circumstances\n\nCheck with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.\n\nThe Agricultural Document Library (ADLib) has policy planning guidance on permitted development and farms.\n\n## Appeals\n\nThe way you appeal and the deadlines for appealing are different depending on which country you\u2019re in. See the relevant planning guide for more information:\n\n- England and Wales\n\n- Scotland", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/planning-permissions-for-farms", + "answerable": true, + "scenario": "My father just passed away and he left me a farm that previously grew vegetables. I would like to turn it into a vinery.", + "original_question": "Do I need planning permission?" + }, + { + "id": "train-348", + "question": "Scenario: The farm he lived on was built quite a long time ago. Now that I am married and have children, I need to do an expansion in the main building.\n\nQuestion: Do I need to apply for a construction permit even if I am not going to change my activity?\n\nDocument - Planning permission for farms:\n## When you need it\n\nFarms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.\n\nYou need planning permission if:\n\n- you want to change how you use your land or buildings from farming to something else\n\n- you want to build a house on the land\n\nYou will also usually need planning permission if you are applying for a grant to fund a project that needs a building or other development.\n\n## When you don\u2019t need it\n\nYou don\u2019t need planning permission:\n\n- for farming operations\n\n- to use buildings already on your land for farming purposes\n\n- to change the inside of a building, or make small alterations to the outside - eg installing an alarm box\n\n- if there are permitted development rights\n\nBefore starting work on the project, always check with:\n\n- your local planning authority in England and Wales\n\n- your local planning authority in Scotland\n\n- you local area planning office in Northern Ireland\n\nIf you don\u2019t get planning permission when you need it you may have to stop work on the development or demolish it.\n\n## Apply for planning permission\n\nIn England and Wales, you can apply online at the Planning Portal.\n\nIn Scotland you can apply online at ePlanning Scotland.\n\nIn Northern Ireland, you apply for planning permission to your local area planning office.\n\n## Permitted development\n\nPermitted development means that if your farm is 5 hectares or more, you have the right to:\n\n- erect, extend or alter a building\n\n- carry out excavations and engineering operations needed for agricultural purposes - though you may still require approval for certain details of the development.\n\nThe types of permitted development include:\n\n- temporary uses of land\n\n- agricultural buildings below a certain size\n\n- forestry buildings\n\n- caravan sites and related buildings in some circumstances\n\nCheck with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.\n\nThe Agricultural Document Library (ADLib) has policy planning guidance on permitted development and farms.\n\n## Appeals\n\nThe way you appeal and the deadlines for appealing are different depending on which country you\u2019re in. See the relevant planning guide for more information:\n\n- England and Wales\n\n- Scotland", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/planning-permissions-for-farms", + "answerable": true, + "scenario": "The farm he lived on was built quite a long time ago. Now that I am married and have children, I need to do an expansion in the main building.", + "original_question": "Do I need to apply for a construction permit even if I am not going to change my activity?" + }, + { + "id": "train-349", + "question": "Scenario: We are a Information technology company recently invented a cyber security product. This is a new invention and does not exist anywhere.\n\nQuestion: Can we patent this invention ?\n\nDocument - Patenting your invention:\n## What you can patent\n\nYou can use a patent to protect your invention. It gives you the right to take legal action against anyone who makes, uses, sells or imports it without your permission.\n\nTo be granted a patent, your invention must be all of the following:\n\n- something that can be made or used\n\n- new\n\n- inventive - not just a simple modification to something that already exists\n\nPatents are expensive and difficult to get. Before you apply, check if a patent is right for your business.\n\n## What you cannot patent\n\nYou cannot patent certain types of invention, including:\n\n- literary, dramatic, musical or artistic works\n\n- a way of doing business, playing a game or thinking\n\n- a method of medical treatment or diagnosis\n\n- a discovery, scientific theory or mathematical method\n\n- the way information is presented\n\n- some computer programs or mobile apps\n\n- \u2018essentially biological\u2019 processes like crossing-breeding plants, and plant or animal varieties\n\n## Before you apply\n\nPatents are the most difficult form of protection to get. Check if a patent is right for your business before you apply for one.\n\nYou should only apply for a patent if:\n\n- your invention is new - check for similar ones by searching published patents, the internet and trade publications\n\n- you have the time and money for the application process\n\nThe application process is:\n\n- complicated - only 1 in 20 applicants get a patent without professional help\n\n- expensive - with professional help, applications typically cost \u00a34,000\n\n- long - it usually takes 5 years\n\nIf you get a patent, you\u2019ll also have to pay to renew it each year and the costs of legal action if you need to defend it.\n\n## Other ways to protect your intellectual property\n\nOther types of protection might be more appropriate for your business. For example, you can use:\n\n- trade marks - if you can create a brand and be first to market\n\n- design rights - if how your product looks (rather than how it works) is important and innovative\n\n- non-disclosure agreements to keep it secret before launch - this can provide enough protection if your product is likely to sell for only a short time\n\n## Getting help\n\nYou can get a professional to help you decide whether a patent is right for your business.\n\nYou may be able to get free advice by:\n\n- speaking to a patent attorney or other professional advisor - many offer basic advice for free\n\n- attending an intellectual property (IP) clinic\n\n- going to the British Library Business and IP Centre in London\n\nThis advice will be confidential.\n\nDo not talk to other people without a non-disclosure agreement, or you may not be able to patent your invention. You can get help with this from a patent attorney or solicitor.\n\n## If you decide to apply\n\nWhen you\u2019ve checked that a patent is right for your business, you should find a patent attorney or advisor. They will:\n\n- help you prepare your application correctly - you cannot add in additional information later\n\n- give you the best chance of being granted a patent\n\n- try to make your patent as commercially valuable as possible\n\nYou may be approached by companies offering to promote your invention for a fee. Get independent legal or financial advice before you agree to anything.\n\n## Applying for a patent\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process. Applications typically cost \u00a34,000 and the process usually takes 5 years. There are 8 steps if you apply for patent protection in the UK through the Intellectual Property Office (IPO).\n\n- Search for similar patents to make sure your invention is new.\n\n- Prepare your patent application.\n\n- File your patent application and request a search from IPO.\n\n- Receive your search report (usually within 6 months) and decide whether you want to continue with your application.\n\n- Your application will be published 18 months after you file it.\n\n- Ask for a \u2018substantive examination\u2019 within 6 months of publication.\n\n- Respond to comments from IPO\u2019s \u2018substantive examination\u2019. The examination may take place several years after you file your application.\n\n- Your application will be granted or refused.\n\nYou can commercially benefit from your patent once it has been granted, for example license, sell or mortgage your patent.\n\nDo not make your invention public before you apply. You may not be able to patent it if you do.\n\n## Other ways to get a UK patent\n\nYou can also file a UK patent application through the:\n\n- European Patent Office (EPO)\n\n- World Intellectual Property Organization (WIPO)\n\n## Prepare your application\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nA patent application is made up of 4 parts that need to meet specific criteria.\n\nYou must include:\n\n- a description of your invention that allows others to see how it works and how it could be made\n\n- legal statements that set out the technical features of your invention that are to be protected (known as \u2018claims\u2019)\n\n- a summary of all the important technical aspects of your invention (known as the \u2018abstract\u2019)\n\nYou should also include any drawings you need to illustrate your description.\n\nThe fees are higher if your description has more than 35 pages or you include more than 25 claims.\n\nRead the patent application fact sheets for instructions on how to produce each part of your application.\n\nYou have to submit your description and any drawings with your application form.\n\nYou can file your claims and abstract once your patent is pending, but it\u2019s best if you submit all the parts together.\n\n## Academic papers\n\nYou can send academic papers as part of your patent application, to help describe your invention.\n\nYou still need to send a description, drawings and claims.\n\n## \u2018Statement of inventorship\u2019\n\nYou need to complete a statement of inventorship if:\n\n- you\u2019re not the inventor\n\n- there\u2019s more than one inventor and they\u2019re not listed as applicants\n\n- you\u2019re applying on behalf of a company\n\nThe statement provides the Intellectual Property Office (IPO) with more information about who the inventor is and why you have the right to apply for the patent.\n\nSubmit your \u2018statement of inventorship\u2019 online when you apply for a patent, or do it later by filing documents for a pending UK patent.\n\nAlternatively, download the \u2018statement of inventorship\u2019 form and send it with your application.\n\n## Apply for a patent\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nYou can file a UK patent application with the Intellectual Property Office (IPO). Read the patent application fact sheets for instructions on how to produce each part of your application.\n\nYou can apply either:\n\n- online\n\n- by post\n\nYou can request and pay for your search and examination at this point or later in the process.\n\n## Fees\n\n| Stage | Apply online | Apply by post |\n\n| Application (if you pay when you apply) | \u00a360 | \u00a390 |\n\n| Application (if you pay later) | \u00a375 | \u00a3112.50 |\n\n| Search | \u00a3150 (plus \u00a320 for each claim over 25 claims) | \u00a3180 (plus \u00a320 for each claim over 25 claims) |\n\n| Substantive examination | \u00a3100 (plus \u00a310 for each page of description over 35 pages) | \u00a3130 (plus \u00a310 for each page of description over 35 pages) |\n\nIf you get a patent, you\u2019ll also have to pay to renew it to keep it in force.\n\n## Get your patent granted more quickly\n\nYou can get your application processed more quickly if you file your search and examination requests at the same time as you apply.\n\nThis costs the same as applying separately and means they\u2019ll be processed at the same time.\n\nYou may also be able to get a \u2018fast grant\u2019 if, for example:\n\n- your invention has some sort of environmental benefit (green channel)\n\n- you\u2019ve already submitted a patent application for your invention at another patent office (Patent Prosecution Highway)\n\nRead the patents fast grant guidance.\n\n## Request your search and examination\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nAs part of the application process, you must pay for a patent search and a \u2018substantive examination\u2019.\n\nYou can request the search either when you apply or later in the process.\n\nYou must request your search within 12 months of your filing or priority date.\n\nYou must request your examination within 6 months of publication.\n\n## Patent search\n\nThe Intellectual Property Office (IPO) carries out a search to check whether your invention is new and inventive.\n\nYou have to request and pay for your search within 12 months of your filing date or priority date.\n\nYou\u2019ll be sent the results and told if any part of your application is not right.\n\nRead the search report factsheet.\n\nSearch reports can take up to 6 months.\n\n## Publication\n\nYour application will be published 18 months from your filing or priority date, provided it\u2019s complete and passes the search.\n\nThe open part of your application, which includes your address, will be publicly available in the:\n\n- online patents journal on the IPO website\n\n- IPO records\n\n## \u2018Substantive examination\u2019\n\nThe examination checks whether your invention is new and inventive enough. It also checks that your description and claims match and are good enough to patent.\n\nThe examination will show if your application meets the legal requirements. You\u2019ll be told what you need to do if it does not.\n\nYou must request an examination of your patent application within 6 months of publication.\n\nExaminations can take place several years after you file your application.\n\n## How to apply\n\nYou can apply online or by post for both the search and examination.\n\n## Apply online\n\nYou can request your search and examination either:\n\n- with your initial application\n\n- later in the process\n\nYou must request your search within 12 months of your filing or priority date and examination within 6 months of publication.\n\n## Apply by post\n\nDownload the forms:\n\n- search request form\n\n- examination request form\n\nFill in and post the forms. The address is on the forms.\n\n## After you apply\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nYou\u2019ll be sent a receipt with your application number and filing date (the date your application is received).\n\nYou\u2019ll be told what to do next and when.\n\nAfter you\u2019ve applied you can mark your invention as \u2018patent pending\u2019 or \u2018patent applied for\u2019. You can either add the patent number and say that you applied for it in the UK, or use a web address instead if the patent number is online.\n\nIf you use a web address, make sure the patent number and the product it relates to are clearly displayed on your website.\n\nIf your patent is granted:\n\n- your application will be published in its final form\n\n- you\u2019ll be sent a certificate\n\nYou\u2019ll be responsible for renewing and defending your patent.\n\n## File more documents once your patent is pending\n\nYou may need to file more forms and documents once you have a patent pending (for example a form to request a search, or a document with your claims).\n\nYou must send your claims, abstract, application fee and search fee within 12 months of your filing date.\n\n## If your application includes a \u2018priority date\u2019 from an earlier application\n\nYou must send your claims, abstract, application fee and search fee within whichever of the following is later:\n\n- 12 months of the date when you filed your previous application (the priority date)\n\n- 2 months of your current filing date\n\n## Withdraw your application\n\nYou can withdraw your application for any reason, for example to stop it becoming public.\n\nTo stop your invention entering the public domain you must withdraw your application before it\u2019s published.\n\nYou can ask for a withdrawal up to the day before the deadline given in your search report.\n\n## Withdraw by email\n\nEmail withdraw@ipo.gov.uk with your patent application number in the subject line.\n\nClearly state that you want to withdraw in the body of the email.\n\nState why you have the authority to withdraw the application, for example that you\u2019re the applicant or their agent.\n\n## Withdraw by post\n\nYou can also withdraw by post - mark your request as urgent if there\u2019s less than 3 weeks until publication.\n\n## Make a new application with a priority date\n\nYou can withdraw your application and reapply if you want to change it for any reason, for example if you\u2019ve developed your invention since you first applied or have new information.\n\nYou can use the filing date of your earlier application (known as the priority date) if your new application is made within 12 months.\n\n## Terminated applications\n\nYour application will be terminated if you do not submit the right documents, forms and payment when asked to.\n\nYou may be able to reopen your application if you apply within 12 months of termination.\n\nYou need to be able to show:\n\n- why you failed to meet the requirements\n\n- that the failure was not intentional\n\n- when you became able to meet the requirements\n\nIt costs \u00a3150 to apply - this is not refundable.\n\n## Reopen your application\n\nDownload the reinstatement request form.\n\nSend the form, your fee and any supporting evidence to IPO.\n\nIf your request is granted, you must meet the requirements within 2 months.\n\nYou can ask for an ex parte hearing if you\u2019re turned down, where you can put your case to a senior official.\n\n## International patents\n\nA patent only protects your invention in the country where the patent is registered.\n\nFor protection overseas, you can:\n\n- file a single application under the Patent Cooperation Treaty (PCT) for protection in more than 140 countries\n\n- file a single application with the European Patent Office (EPO) for protection in more than 30 countries in Europe\n\n- apply separately to the patent office of each country where you want a patent\n\nRead the guidance on filing a patent abroad for basic information on filing for international protection.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/patent-your-invention", + "answerable": true, + "scenario": "We are a Information technology company recently invented a cyber security product. This is a new invention and does not exist anywhere.", + "original_question": "Can we patent this invention ?" + }, + { + "id": "train-350", + "question": "Scenario: We are a electronic products development company. We recently invented a new cutting edge audio device. We have rolled out the product for some of our loyal customers\n\nQuestion: Does our audio device eligible to be patented ?\n\nDocument - Patenting your invention:\n## What you can patent\n\nYou can use a patent to protect your invention. It gives you the right to take legal action against anyone who makes, uses, sells or imports it without your permission.\n\nTo be granted a patent, your invention must be all of the following:\n\n- something that can be made or used\n\n- new\n\n- inventive - not just a simple modification to something that already exists\n\nPatents are expensive and difficult to get. Before you apply, check if a patent is right for your business.\n\n## What you cannot patent\n\nYou cannot patent certain types of invention, including:\n\n- literary, dramatic, musical or artistic works\n\n- a way of doing business, playing a game or thinking\n\n- a method of medical treatment or diagnosis\n\n- a discovery, scientific theory or mathematical method\n\n- the way information is presented\n\n- some computer programs or mobile apps\n\n- \u2018essentially biological\u2019 processes like crossing-breeding plants, and plant or animal varieties\n\n## Before you apply\n\nPatents are the most difficult form of protection to get. Check if a patent is right for your business before you apply for one.\n\nYou should only apply for a patent if:\n\n- your invention is new - check for similar ones by searching published patents, the internet and trade publications\n\n- you have the time and money for the application process\n\nThe application process is:\n\n- complicated - only 1 in 20 applicants get a patent without professional help\n\n- expensive - with professional help, applications typically cost \u00a34,000\n\n- long - it usually takes 5 years\n\nIf you get a patent, you\u2019ll also have to pay to renew it each year and the costs of legal action if you need to defend it.\n\n## Other ways to protect your intellectual property\n\nOther types of protection might be more appropriate for your business. For example, you can use:\n\n- trade marks - if you can create a brand and be first to market\n\n- design rights - if how your product looks (rather than how it works) is important and innovative\n\n- non-disclosure agreements to keep it secret before launch - this can provide enough protection if your product is likely to sell for only a short time\n\n## Getting help\n\nYou can get a professional to help you decide whether a patent is right for your business.\n\nYou may be able to get free advice by:\n\n- speaking to a patent attorney or other professional advisor - many offer basic advice for free\n\n- attending an intellectual property (IP) clinic\n\n- going to the British Library Business and IP Centre in London\n\nThis advice will be confidential.\n\nDo not talk to other people without a non-disclosure agreement, or you may not be able to patent your invention. You can get help with this from a patent attorney or solicitor.\n\n## If you decide to apply\n\nWhen you\u2019ve checked that a patent is right for your business, you should find a patent attorney or advisor. They will:\n\n- help you prepare your application correctly - you cannot add in additional information later\n\n- give you the best chance of being granted a patent\n\n- try to make your patent as commercially valuable as possible\n\nYou may be approached by companies offering to promote your invention for a fee. Get independent legal or financial advice before you agree to anything.\n\n## Applying for a patent\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process. Applications typically cost \u00a34,000 and the process usually takes 5 years. There are 8 steps if you apply for patent protection in the UK through the Intellectual Property Office (IPO).\n\n- Search for similar patents to make sure your invention is new.\n\n- Prepare your patent application.\n\n- File your patent application and request a search from IPO.\n\n- Receive your search report (usually within 6 months) and decide whether you want to continue with your application.\n\n- Your application will be published 18 months after you file it.\n\n- Ask for a \u2018substantive examination\u2019 within 6 months of publication.\n\n- Respond to comments from IPO\u2019s \u2018substantive examination\u2019. The examination may take place several years after you file your application.\n\n- Your application will be granted or refused.\n\nYou can commercially benefit from your patent once it has been granted, for example license, sell or mortgage your patent.\n\nDo not make your invention public before you apply. You may not be able to patent it if you do.\n\n## Other ways to get a UK patent\n\nYou can also file a UK patent application through the:\n\n- European Patent Office (EPO)\n\n- World Intellectual Property Organization (WIPO)\n\n## Prepare your application\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nA patent application is made up of 4 parts that need to meet specific criteria.\n\nYou must include:\n\n- a description of your invention that allows others to see how it works and how it could be made\n\n- legal statements that set out the technical features of your invention that are to be protected (known as \u2018claims\u2019)\n\n- a summary of all the important technical aspects of your invention (known as the \u2018abstract\u2019)\n\nYou should also include any drawings you need to illustrate your description.\n\nThe fees are higher if your description has more than 35 pages or you include more than 25 claims.\n\nRead the patent application fact sheets for instructions on how to produce each part of your application.\n\nYou have to submit your description and any drawings with your application form.\n\nYou can file your claims and abstract once your patent is pending, but it\u2019s best if you submit all the parts together.\n\n## Academic papers\n\nYou can send academic papers as part of your patent application, to help describe your invention.\n\nYou still need to send a description, drawings and claims.\n\n## \u2018Statement of inventorship\u2019\n\nYou need to complete a statement of inventorship if:\n\n- you\u2019re not the inventor\n\n- there\u2019s more than one inventor and they\u2019re not listed as applicants\n\n- you\u2019re applying on behalf of a company\n\nThe statement provides the Intellectual Property Office (IPO) with more information about who the inventor is and why you have the right to apply for the patent.\n\nSubmit your \u2018statement of inventorship\u2019 online when you apply for a patent, or do it later by filing documents for a pending UK patent.\n\nAlternatively, download the \u2018statement of inventorship\u2019 form and send it with your application.\n\n## Apply for a patent\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nYou can file a UK patent application with the Intellectual Property Office (IPO). Read the patent application fact sheets for instructions on how to produce each part of your application.\n\nYou can apply either:\n\n- online\n\n- by post\n\nYou can request and pay for your search and examination at this point or later in the process.\n\n## Fees\n\n| Stage | Apply online | Apply by post |\n\n| Application (if you pay when you apply) | \u00a360 | \u00a390 |\n\n| Application (if you pay later) | \u00a375 | \u00a3112.50 |\n\n| Search | \u00a3150 (plus \u00a320 for each claim over 25 claims) | \u00a3180 (plus \u00a320 for each claim over 25 claims) |\n\n| Substantive examination | \u00a3100 (plus \u00a310 for each page of description over 35 pages) | \u00a3130 (plus \u00a310 for each page of description over 35 pages) |\n\nIf you get a patent, you\u2019ll also have to pay to renew it to keep it in force.\n\n## Get your patent granted more quickly\n\nYou can get your application processed more quickly if you file your search and examination requests at the same time as you apply.\n\nThis costs the same as applying separately and means they\u2019ll be processed at the same time.\n\nYou may also be able to get a \u2018fast grant\u2019 if, for example:\n\n- your invention has some sort of environmental benefit (green channel)\n\n- you\u2019ve already submitted a patent application for your invention at another patent office (Patent Prosecution Highway)\n\nRead the patents fast grant guidance.\n\n## Request your search and examination\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nAs part of the application process, you must pay for a patent search and a \u2018substantive examination\u2019.\n\nYou can request the search either when you apply or later in the process.\n\nYou must request your search within 12 months of your filing or priority date.\n\nYou must request your examination within 6 months of publication.\n\n## Patent search\n\nThe Intellectual Property Office (IPO) carries out a search to check whether your invention is new and inventive.\n\nYou have to request and pay for your search within 12 months of your filing date or priority date.\n\nYou\u2019ll be sent the results and told if any part of your application is not right.\n\nRead the search report factsheet.\n\nSearch reports can take up to 6 months.\n\n## Publication\n\nYour application will be published 18 months from your filing or priority date, provided it\u2019s complete and passes the search.\n\nThe open part of your application, which includes your address, will be publicly available in the:\n\n- online patents journal on the IPO website\n\n- IPO records\n\n## \u2018Substantive examination\u2019\n\nThe examination checks whether your invention is new and inventive enough. It also checks that your description and claims match and are good enough to patent.\n\nThe examination will show if your application meets the legal requirements. You\u2019ll be told what you need to do if it does not.\n\nYou must request an examination of your patent application within 6 months of publication.\n\nExaminations can take place several years after you file your application.\n\n## How to apply\n\nYou can apply online or by post for both the search and examination.\n\n## Apply online\n\nYou can request your search and examination either:\n\n- with your initial application\n\n- later in the process\n\nYou must request your search within 12 months of your filing or priority date and examination within 6 months of publication.\n\n## Apply by post\n\nDownload the forms:\n\n- search request form\n\n- examination request form\n\nFill in and post the forms. The address is on the forms.\n\n## After you apply\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nYou\u2019ll be sent a receipt with your application number and filing date (the date your application is received).\n\nYou\u2019ll be told what to do next and when.\n\nAfter you\u2019ve applied you can mark your invention as \u2018patent pending\u2019 or \u2018patent applied for\u2019. You can either add the patent number and say that you applied for it in the UK, or use a web address instead if the patent number is online.\n\nIf you use a web address, make sure the patent number and the product it relates to are clearly displayed on your website.\n\nIf your patent is granted:\n\n- your application will be published in its final form\n\n- you\u2019ll be sent a certificate\n\nYou\u2019ll be responsible for renewing and defending your patent.\n\n## File more documents once your patent is pending\n\nYou may need to file more forms and documents once you have a patent pending (for example a form to request a search, or a document with your claims).\n\nYou must send your claims, abstract, application fee and search fee within 12 months of your filing date.\n\n## If your application includes a \u2018priority date\u2019 from an earlier application\n\nYou must send your claims, abstract, application fee and search fee within whichever of the following is later:\n\n- 12 months of the date when you filed your previous application (the priority date)\n\n- 2 months of your current filing date\n\n## Withdraw your application\n\nYou can withdraw your application for any reason, for example to stop it becoming public.\n\nTo stop your invention entering the public domain you must withdraw your application before it\u2019s published.\n\nYou can ask for a withdrawal up to the day before the deadline given in your search report.\n\n## Withdraw by email\n\nEmail withdraw@ipo.gov.uk with your patent application number in the subject line.\n\nClearly state that you want to withdraw in the body of the email.\n\nState why you have the authority to withdraw the application, for example that you\u2019re the applicant or their agent.\n\n## Withdraw by post\n\nYou can also withdraw by post - mark your request as urgent if there\u2019s less than 3 weeks until publication.\n\n## Make a new application with a priority date\n\nYou can withdraw your application and reapply if you want to change it for any reason, for example if you\u2019ve developed your invention since you first applied or have new information.\n\nYou can use the filing date of your earlier application (known as the priority date) if your new application is made within 12 months.\n\n## Terminated applications\n\nYour application will be terminated if you do not submit the right documents, forms and payment when asked to.\n\nYou may be able to reopen your application if you apply within 12 months of termination.\n\nYou need to be able to show:\n\n- why you failed to meet the requirements\n\n- that the failure was not intentional\n\n- when you became able to meet the requirements\n\nIt costs \u00a3150 to apply - this is not refundable.\n\n## Reopen your application\n\nDownload the reinstatement request form.\n\nSend the form, your fee and any supporting evidence to IPO.\n\nIf your request is granted, you must meet the requirements within 2 months.\n\nYou can ask for an ex parte hearing if you\u2019re turned down, where you can put your case to a senior official.\n\n## International patents\n\nA patent only protects your invention in the country where the patent is registered.\n\nFor protection overseas, you can:\n\n- file a single application under the Patent Cooperation Treaty (PCT) for protection in more than 140 countries\n\n- file a single application with the European Patent Office (EPO) for protection in more than 30 countries in Europe\n\n- apply separately to the patent office of each country where you want a patent\n\nRead the guidance on filing a patent abroad for basic information on filing for international protection.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/patent-your-invention", + "answerable": true, + "scenario": "We are a electronic products development company. We recently invented a new cutting edge audio device. We have rolled out the product for some of our loyal customers", + "original_question": "Does our audio device eligible to be patented ?" + }, + { + "id": "train-353", + "question": "Scenario: I am a parent of two school-age children, the eldest of which is about to begin Key Stage 3. I am devoutly religious and have moral objections to aspects of the religious and the sexual education modules taught therein.\n\nQuestion: Can I withdraw my child from lessons I find morally offensive?\n\nDocument - The national curriculum:\n## Overview\n\nThe \u2018basic\u2019 school curriculum includes the \u2018national curriculum\u2019, as well as religious education and sex education.\n\nThe national curriculum is a set of subjects and standards used by primary and secondary schools so children learn the same things. It covers what subjects are taught and the standards children should reach in each subject.\n\nOther types of school like academies and private schools do not have to follow the national curriculum. Academies must teach a broad and balanced curriculum including English, maths and science. They must also teach religious education.\n\n## Key stages\n\nThe national curriculum is organised into blocks of years called \u2018key stages\u2019 (KS). At the end of each key stage, the teacher will formally assess your child\u2019s performance.\n\n| Child\u2019s age | Year | Key stage | Assessment |\n\n| 3 to 4 | | Early years | |\n\n| 4 to 5 | Reception | Early years | Teacher assessments (there\u2019s also an optional assessment at the start of the year) |\n\n| 5 to 6 | Year 1 | KS1 | Phonics screening check |\n\n| 6 to 7 | Year 2 | KS1 | National tests and teacher assessments in English, maths and science |\n\n| 7 to 8 | Year 3 | KS2 | |\n\n| 8 to 9 | Year 4 | KS2 | |\n\n| 9 to 10 | Year 5 | KS2 | |\n\n| 10 to 11 | Year 6 | KS2 | National tests and teacher assessments in English and maths, and teacher assessments in science |\n\n| 11 to 12 | Year 7 | KS3 | |\n\n| 12 to 13 | Year 8 | KS3 | |\n\n| 13 to 14 | Year 9 | KS3 | |\n\n| 14 to 15 | Year 10 | KS4 | Some children take GCSEs |\n\n| 15 to 16 | Year 11 | KS4 | Most children take GCSEs or other national |\n\n## Assessments\n\nBy the end of each summer term the school must write a report on your child\u2019s progress and talk it through with you.\n\n## Key stage 1 and 2\n\nCompulsory national curriculum subjects at primary school are:\n\n- English\n\n- maths\n\n- science\n\n- design and technology\n\n- history\n\n- geography\n\n- art and design\n\n- music\n\n- physical education (PE), including swimming\n\n- computing\n\n- ancient and modern foreign languages (at key stage 2)\n\nSchools must provide religious education (RE) but parents can ask for their children to be taken out of the whole lesson or part of it.\n\nSchools often also teach:\n\n- personal, social and health education (PSHE)\n\n- citizenship\n\n- modern foreign languages (at key stage 1)\n\n## Tests and assessments\n\n## Year 1 phonics screening check\n\nThe check will take place in June when your child will read 40 words out loud to a teacher. You\u2019ll find out how your child did, and their teacher will assess whether he or she needs extra help with reading. If your child does not do well enough in the check they\u2019ll have to do it again in Year 2.\n\n## Key stage 1\n\nKey stage 1 tests cover:\n\n- English reading\n\n- English grammar, punctuation and spelling\n\n- maths\n\nYour child will take the tests in May. You can ask the school for the test results.\n\nYou\u2019ll be sent the results of your child\u2019s teacher assessments automatically.\n\n## Key stage 2\n\nYour child will take national tests in May when they reach the end of key stage 2. These test your child\u2019s skills in:\n\n- English reading\n\n- English grammar, punctuation and spelling\n\n- maths\n\nThe tests last less than 4 hours. You\u2019ll get the results in July.\n\nThe school will send you the results of your child\u2019s tests and teacher assessments.\n\n## Key stage 3 and 4\n\n## Key stage 3\n\nCompulsory national curriculum subjects are:\n\n- English\n\n- maths\n\n- science\n\n- history\n\n- geography\n\n- modern foreign languages\n\n- design and technology\n\n- art and design\n\n- music\n\n- physical education\n\n- citizenship\n\n- computing\n\nSchools must provide religious education (RE) and sex education from key stage 3 but parents can ask for their children to be taken out of the whole lesson or part of it.\n\n## Key stage 4\n\nDuring key stage 4 most pupils work towards national qualifications - usually GCSEs.\n\nThe compulsory national curriculum subjects are the \u2018core\u2019 and \u2018foundation\u2019 subjects.\n\nCore subjects are:\n\n- English\n\n- maths\n\n- science\n\nFoundation subjects are:\n\n- computing\n\n- physical education\n\n- citizenship\n\nSchools must also offer at least one subject from each of these areas:\n\n- arts\n\n- design and technology\n\n- humanities\n\n- modern foreign languages\n\nThey must also provide religious education (RE) and sex education at key stage 4.\n\n## English Baccalaureate (EBacc)\n\nThe EBacc is a way to measure how many pupils in a school choose to take a GCSE in these core subjects:\n\n- English language and literature\n\n- maths\n\n- the sciences\n\n- history or geography\n\n- a language\n\nFind out more about the EBacc.\n\n## Other compulsory subjects\n\nChildren must also study:\n\n- sex and relationships education (year 7 onwards)\n\n- religious education (RE)\n\nThey may not have to take exams in these subjects.\n\n## Sex and relationship education\n\nSex and relationship education (SRE) is compulsory from age 11 onwards. It involves teaching children about reproduction, sexuality and sexual health. It does not promote early sexual activity or any particular sexual orientation.\n\nSome parts of sex and relationship education are compulsory - these are part of the national curriculum for science. Parents can withdraw their children from all other parts of sex and relationship education if they want.\n\nAll schools must have a written policy on sex education, which they must make available to parents for free.\n\n## Religious education\n\nSchools have to teach RE but parents can withdraw their children for all or part of the lessons. Pupils can choose to withdraw themselves once they\u2019re 18.\n\nLocal councils are responsible for deciding the RE syllabus, but faith schools and academies can set their own.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/national-curriculum", + "answerable": true, + "scenario": "I am a parent of two school-age children, the eldest of which is about to begin Key Stage 3. I am devoutly religious and have moral objections to aspects of the religious and the sexual education modules taught therein.", + "original_question": "Can I withdraw my child from lessons I find morally offensive?" + }, + { + "id": "train-354", + "question": "Scenario: I am the headteacher and a governor of an Academy, which has just been converted from an old-style Comprehensive under local council control. I am currently devising a considerably revised Lesson Plan.\n\nQuestion: Can we set our own syllabus for Religious Education?\n\nDocument - The national curriculum:\n## Overview\n\nThe \u2018basic\u2019 school curriculum includes the \u2018national curriculum\u2019, as well as religious education and sex education.\n\nThe national curriculum is a set of subjects and standards used by primary and secondary schools so children learn the same things. It covers what subjects are taught and the standards children should reach in each subject.\n\nOther types of school like academies and private schools do not have to follow the national curriculum. Academies must teach a broad and balanced curriculum including English, maths and science. They must also teach religious education.\n\n## Key stages\n\nThe national curriculum is organised into blocks of years called \u2018key stages\u2019 (KS). At the end of each key stage, the teacher will formally assess your child\u2019s performance.\n\n| Child\u2019s age | Year | Key stage | Assessment |\n\n| 3 to 4 | | Early years | |\n\n| 4 to 5 | Reception | Early years | Teacher assessments (there\u2019s also an optional assessment at the start of the year) |\n\n| 5 to 6 | Year 1 | KS1 | Phonics screening check |\n\n| 6 to 7 | Year 2 | KS1 | National tests and teacher assessments in English, maths and science |\n\n| 7 to 8 | Year 3 | KS2 | |\n\n| 8 to 9 | Year 4 | KS2 | |\n\n| 9 to 10 | Year 5 | KS2 | |\n\n| 10 to 11 | Year 6 | KS2 | National tests and teacher assessments in English and maths, and teacher assessments in science |\n\n| 11 to 12 | Year 7 | KS3 | |\n\n| 12 to 13 | Year 8 | KS3 | |\n\n| 13 to 14 | Year 9 | KS3 | |\n\n| 14 to 15 | Year 10 | KS4 | Some children take GCSEs |\n\n| 15 to 16 | Year 11 | KS4 | Most children take GCSEs or other national |\n\n## Assessments\n\nBy the end of each summer term the school must write a report on your child\u2019s progress and talk it through with you.\n\n## Key stage 1 and 2\n\nCompulsory national curriculum subjects at primary school are:\n\n- English\n\n- maths\n\n- science\n\n- design and technology\n\n- history\n\n- geography\n\n- art and design\n\n- music\n\n- physical education (PE), including swimming\n\n- computing\n\n- ancient and modern foreign languages (at key stage 2)\n\nSchools must provide religious education (RE) but parents can ask for their children to be taken out of the whole lesson or part of it.\n\nSchools often also teach:\n\n- personal, social and health education (PSHE)\n\n- citizenship\n\n- modern foreign languages (at key stage 1)\n\n## Tests and assessments\n\n## Year 1 phonics screening check\n\nThe check will take place in June when your child will read 40 words out loud to a teacher. You\u2019ll find out how your child did, and their teacher will assess whether he or she needs extra help with reading. If your child does not do well enough in the check they\u2019ll have to do it again in Year 2.\n\n## Key stage 1\n\nKey stage 1 tests cover:\n\n- English reading\n\n- English grammar, punctuation and spelling\n\n- maths\n\nYour child will take the tests in May. You can ask the school for the test results.\n\nYou\u2019ll be sent the results of your child\u2019s teacher assessments automatically.\n\n## Key stage 2\n\nYour child will take national tests in May when they reach the end of key stage 2. These test your child\u2019s skills in:\n\n- English reading\n\n- English grammar, punctuation and spelling\n\n- maths\n\nThe tests last less than 4 hours. You\u2019ll get the results in July.\n\nThe school will send you the results of your child\u2019s tests and teacher assessments.\n\n## Key stage 3 and 4\n\n## Key stage 3\n\nCompulsory national curriculum subjects are:\n\n- English\n\n- maths\n\n- science\n\n- history\n\n- geography\n\n- modern foreign languages\n\n- design and technology\n\n- art and design\n\n- music\n\n- physical education\n\n- citizenship\n\n- computing\n\nSchools must provide religious education (RE) and sex education from key stage 3 but parents can ask for their children to be taken out of the whole lesson or part of it.\n\n## Key stage 4\n\nDuring key stage 4 most pupils work towards national qualifications - usually GCSEs.\n\nThe compulsory national curriculum subjects are the \u2018core\u2019 and \u2018foundation\u2019 subjects.\n\nCore subjects are:\n\n- English\n\n- maths\n\n- science\n\nFoundation subjects are:\n\n- computing\n\n- physical education\n\n- citizenship\n\nSchools must also offer at least one subject from each of these areas:\n\n- arts\n\n- design and technology\n\n- humanities\n\n- modern foreign languages\n\nThey must also provide religious education (RE) and sex education at key stage 4.\n\n## English Baccalaureate (EBacc)\n\nThe EBacc is a way to measure how many pupils in a school choose to take a GCSE in these core subjects:\n\n- English language and literature\n\n- maths\n\n- the sciences\n\n- history or geography\n\n- a language\n\nFind out more about the EBacc.\n\n## Other compulsory subjects\n\nChildren must also study:\n\n- sex and relationships education (year 7 onwards)\n\n- religious education (RE)\n\nThey may not have to take exams in these subjects.\n\n## Sex and relationship education\n\nSex and relationship education (SRE) is compulsory from age 11 onwards. It involves teaching children about reproduction, sexuality and sexual health. It does not promote early sexual activity or any particular sexual orientation.\n\nSome parts of sex and relationship education are compulsory - these are part of the national curriculum for science. Parents can withdraw their children from all other parts of sex and relationship education if they want.\n\nAll schools must have a written policy on sex education, which they must make available to parents for free.\n\n## Religious education\n\nSchools have to teach RE but parents can withdraw their children for all or part of the lessons. Pupils can choose to withdraw themselves once they\u2019re 18.\n\nLocal councils are responsible for deciding the RE syllabus, but faith schools and academies can set their own.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-curriculum", + "answerable": true, + "scenario": "I am the headteacher and a governor of an Academy, which has just been converted from an old-style Comprehensive under local council control. I am currently devising a considerably revised Lesson Plan.", + "original_question": "Can we set our own syllabus for Religious Education?" + }, + { + "id": "train-356", + "question": "Scenario: My boss has a fishing vessel. He does it as a hobby. During his summer holidays he likes to take his friends for a sea Fishing and have fun.\n\nQuestion: Does he need a fishing licence for his vessel?\n\nDocument - Get a fishing vessel licence: vessels 10 metres or under:\n## Overview\n\nYou need a Category A (10 metres or under) fishing vessel licence if you want to catch and sell sea fish, unless you\u2019re exempt.\n\nCheck the licence you need if your vessel is longer than 10 metres.\n\nFollow these steps to get a Category A (10 metres or under) fishing vessel licence:\n\n- Register your vessel - you must do this before you can get a licence.\n\n- Get a licence entitlement - you\u2019ll need this to get a licence.\n\n- Apply for your licence.\n\nYou must carry your licence on board your vessel at all times.\n\n## Exemptions\n\nYou don\u2019t need a licence for your vessel if any of the following apply:\n\n- it doesn\u2019t have an engine\n\n- it\u2019ll only be used to fish for common eels, salmon or migratory trout\n\n- you fish only within 12 nautical miles of Jersey, Guernsey or the Isle of Man, but you\u2019ll need a licence from the relevant authority\n\n- you only use your vessel to fish for pleasure\n\n## Register your vessel\n\nYou must register your vessel on the UK Ship Registry to get a fishing vessel licence, unless your vessel is registered in the Channel Islands or the Isle of Man.\n\nTo get on the register:\n\n- arrange an inspection by a Maritime and Coastguard Agency (MCA) inspector or surveyor\n\n- fill in application form MSF4740 and send it to the address on the form\n\nYou can choose simple or full registration. Full registration lets you take out a marine mortgage against your vessel.\n\n## Registration fees\n\nSimple registration is \u00a3111 and full registration is \u00a3131.\n\n## Documents you need\n\nYou must include the following documents:\n\n- Declaration of Eligibility (MSF 4728)\n\n- original ownership documents - bill of sale, invoice or builder\u2019s certificate\n\n- Seafish Construction Certificate if your vessel was built after July 2007, or Seafish Inspection Report if your vessel was built before 2007\n\n- Safety Certificate issued by MCA (MSF 1606)\n\n- the vessel\u2019s radio call sign, if you have one\n\n- deletion certificate if the vessel was previously registered on another register\n\n- a copy of the Certificate of Incorporation if the owner is a limited company\n\nYour evidence of ownership must cover the last 3 years if you\u2019re applying for full registration.\n\n## Get a licence entitlement\n\nYou can get an entitlement by:\n\n- buying the entitlement from a vessel that has sunk, been scrapped or is no longer being used for fishing\n\n- buying a vessel with a licence\n\nYou need to make sure the entitlement is suitable for:\n\n- a vessel which is 10 metres or under (Category A)\n\n- the tonnage of your vessel and the size of the engine (kilowattage)\n\nYou can combine 2 or more entitlements if 1 is not enough to cover your vessel. You can also split an entitlement if you don\u2019t need it all.\n\n## Register an entitlement bought without a vessel\n\nGet form AFL7 from your local MMO office.\n\nRead the instructions for filling in form AFL7.\n\nFill in sections A and B of the form and send it to your local MMO office.\n\nMMO will check the previous owner has agreed to the transfer and return the form to you.\n\n## Entitlements bought with a vessel\n\nThe seller will transfer the entitlement into your name as part of the sale. MMO will send you form AFL7.\n\nUse form AFL7 to convert your entitlement into a licence.\n\n## Apply for your licence\n\nFill in application form AFL2 to apply for a Category A (10 metres or under) licence and send it to your local MMO office with your:\n\n- certificate of registry for the vessel\n\n- form AFL7 showing you as the entitlement holder\n\nSend the original documents, not copies.\n\nA licence is valid for 2 years, starting on 1 July and ending 2 years later on 30 June.\n\nYour licence will be renewed automatically.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/fishing-vessel-licence-under-10-metres", + "answerable": true, + "scenario": "My boss has a fishing vessel. He does it as a hobby. During his summer holidays he likes to take his friends for a sea Fishing and have fun.", + "original_question": "Does he need a fishing licence for his vessel?" + }, + { + "id": "train-357", + "question": "Scenario: My father owns a fishing vessel and always likes undertakes commercial deep sea fishing trips.My mother has been very worried due rising water tides in the British Channel and of a possible sea accidents.\n\nQuestion: Are fishing vessels covered under maritime labour convention?\n\nDocument - Seafarer working and living rights:\n## Overview\n\nAll seafarers have working and living rights that include:\n\n- employment contracts\n\n- accommodation\n\n- food and medical care\n\nA seafarer is anyone who works on board a seagoing ship, including:\n\n- master and crew\n\n- self-employed contractors\n\n- shopkeepers and hairdressers\n\n- entertainers\n\nA seagoing ship is any vessel:\n\n- on an international voyage or from a foreign port\n\n- on a domestic journey from the UK coast\n\n- more than 500 gross tonnes\n\nThe Maritime Labour Convention (MLC) 2006 came into force on 7 August 2014. It replaced all existing laws on seafarers\u2019 rights.\n\n## Working conditions\n\nThere are minimum requirements seafarers must meet to work at sea.\n\n## Minimum age\n\nThe minimum age for seafarers is 16, although this is 18 if the work involves any:\n\n- night work\n\n- hazardous tasks\n\n## Hazardous tasks\n\nManual tasks on a ship can be hazardous if not done properly, like:\n\n- lifting\n\n- hauling\n\n- mooring\n\n- towing\n\nEmployers of seafarers must ensure their staff:\n\n- know how to operate any equipment correctly\n\n- are aware of safety procedures\n\n- have access to protective personal equipment if needed\n\n## Medical certification for seafarers\n\nAnyone in charge of a ship must have an ENG1 seafarer medical certificate.\n\n## Certificates of competency\n\nSome seafarers will need a certificate of competency before they can carry out certain duties.\n\n## Conditions of employment\n\nSeafarers\u2019 employment contracts are covered by the Maritime Labour Convention (MLC) 2006.\n\n## Working time regulations\n\nAll seafarers on seagoing ships are entitled to:\n\n- a minimum of 10 hours\u2019 rest in any 24 hour period\n\n- 77 hours rest in any 7 day period\n\n- at least 4 weeks\u2019 paid annual leave\n\nRead the Merchant Shipping Regulations 2002 for more information.\n\n## The 'human element'\n\nThe term \u2018human element\u2019 covers anything to do with the interaction between a human and any system aboard ship, and is of high importance in maritime safety and security.\n\nFactors which affect the human element include:\n\n- recruitment and selection policies and methods\n\n- crew competence, training and experience\n\n- conditions of service, motivation and morale\n\n- design, construction and ergonomics\n\n- standards of build and certification\n\n- maintenance\n\n- stress and fatigue\n\n- security\n\n- living and working conditions\n\n- manning levels and hours of work\n\n- management policies\n\n- safety management systems\n\n- operational systems\n\n- organisational and safety culture\n\n- culture of continuous improvement and workforce engagement\n\nFor more information read \u2018The human element: a guide to human behaviour in the shipping industry\u2019.\n\n## Safe working practices\n\nAll UK ships must carry copies of the \u2018Code of Safe Working Practices for Merchant Seamen\u2019, unless it\u2019s a fishing boat or pleasure vessel.\n\n## Safe manning of ships\n\nEmployers must ensure their ships have enough properly trained and certificated officers so that it can operate safely at all times.\n\nThere must also be sufficient food on board for the number of seafarers serving.\n\nRead more in \u2018Merchant Shipping Notice 1868 (M) UK requirements for safe manning and watchkeeping\u2019.\n\n## Noise and vibration\n\nA seafarer\u2019s employer must carry out risk assessments to identify who\u2019s at risk from noise or vibration in their work and what can be done to reduce or remove these risks.\n\n## Protective personal equipment (PPE)\n\nA seafarer\u2019s employer must give them suitable protective equipment if they\u2019re performing dangerous tasks.\n\nYou can find further information in the code of safe working practices for merchant seafarers.\n\n## Living conditions\n\nSeafarers\u2019 living conditions are covered by Maritime Labour Convention (MLC) rules on crew accommodation.\n\n## Food and catering\n\nSeafarers\u2019 food and catering conditions are covered by MSN 1845 under MLC rules.\n\n## Health and safety\n\nEmployers of seafarers must follow health and safety rules and provide:\n\n- safe working places and environment\n\n- safe machinery and equipment\n\n- health and safety training, instruction, supervision and information\n\n- a health and safety policy\n\n- protective clothing and equipment where necessary\n\n- information for workers about the findings of their risk assessment\n\n- information on what qualifications any temporary workers must have\n\n- information about their activities and staff to the company\n\n## Risk assessments\n\nAny vessel seafarers work onboard must have had a risk assessment carried out by their employer or the ship owner.\n\n## New or expectant mothers\n\nWhere women of childbearing age are employed as seafarers, a risk assessment must take place of any potential hazard likely to affect a new or expectant mother.\n\nIt does not matter if they are pregnant at the time of the assessment or not.\n\nIf a risk is found that cannot be removed, a new or expectant mother working as a seafarer can be suspended on full pay providing they have either:\n\n- told their employer they\u2019re pregnant\n\n- given birth in the last 6 months\n\n- are breastfeeding\n\nFor more information on health and safety rules for new and expectant mothers, contact the Seafarer Safety and Health Branch of the Maritime and Coastguard Authority (MCA).\n\n## Additional dangers\n\nSeafarers may face additional dangers when living onboard ships.\n\n## Petrol generators\n\nShips that use petrol generators must have a risk assessment carried out to make sure they provide:\n\n- sufficient power for accommodation and lighting\n\n- adequate ventilation\n\n- adequate alarms - for example, carbon monoxide alarms\n\n## Fumigating cargo spaces\n\nIf pesticides are on board a ship, employers must make sure:\n\n- adequate breathing aids are provided for seafarers checking fumigated cargo bulks\n\n- the ship\u2019s destination port is told 24 hours in advance of receiving this cargo\n\n- properly trained personnel check the relevant cargo bulks at port\n\n## Illegal drugs\n\nThe unauthorised presence of drugs on board a ship can have serious legal implications for seafarers and employers, potentially resulting in:\n\n- heavy fines\n\n- detention of a ship\n\n- imprisonment\n\n- the death penalty\n\n## Potentially dangerous cargo\n\nIf seafarers deal with certain toxic cargo or equipment on board ships, their employer must follow a number of specific requirements.\n\nYou can find further information on specialist ships in section 4 of the Code of Safe Working Practices for Merchant Seamen.\n\n## Health and medical care\n\nEmployers must protect their seafarers\u2019 health by:\n\n- providing immunisations for certain infectious diseases\n\n- making sure hygiene measures are effective and minimise the risks of infection\n\n- making arrangements for infection control\n\n- having the right medical supplies\n\n- knowing the routes and destinations of their ships\n\nUntil the UK made the Maritime Labour Convention (MLA) law, seafarers\u2019 health and safety regulations were covered by the Merchant Shipping Act 1995\n\n## Maritime Labour Convention\n\nThe Maritime Labour Convention (MLC) came into force for the UK on 7 August 2014. It sets out the minimum working and living rights for seafarers.\n\n## Exemptions\n\nThe MLC does not cover seafarers serving on the following boats:\n\n- ships navigating inland or sheltered waters subject to port regulations\n\n- fishing vessels\n\n- warships and naval auxiliaries\n\n- traditional ships, such as dhows\n\n## Minimum requirements\n\nThe MLC sets out minimum standards for seafarers to work on a ship, including:\n\n- minimum age\n\n- medical certification\n\n- training and qualifications\n\n## Age\n\nThe minimum age for seafarers will be 16. Night workers have to be 18 or over.\n\nExceptions can be allowed for:\n\n- training purposes\n\n- where the seafarer\u2019s duties require it, as long as their health and safety is not affected\n\n## Medical certification\n\nAll seafarers must have the right medical certificate to work at sea before they can work on ships.\n\n## Training and qualifications\n\nUnder the MLC, seafarers will need to:\n\n- be trained and qualified to perform onboard duties\n\n- receive personal safety training\n\n- for training to conform to International Maritime Organisation standards\n\nFind out more about seafarer training and qualifications.\n\n## Conditions of employment\n\nUnder the MLC, seafarers have minimum working rights covering:\n\n- employment agreements\n\n- wages\n\n- hours of rest\n\n- entitlement to leave\n\n- repatriation\n\n- compensation for a ship\u2019s loss or foundering\n\n- manning levels\n\n- career and skills development\n\n- employment opportunities\n\n## Employment contracts\n\nThe convention makes sure contracts between seafarers and shipowner provide fair living and working conditions.\n\nContracts should be in English and include:\n\n- shipowner\u2019s name and address\n\n- seafarer\u2019s name, date and place of birth\n\n- place and date where agreement signed\n\n- conditions for the termination of agreement\n\n- health and social security protection benefits provided by shipowner\n\n- seafarer\u2019s right to repatriation\n\nSeafarers must also be:\n\n- allowed to read and consider contracts before signing them\n\n- given a record of their employment\n\n- given their own copy of their contract (the shipowner should also have a copy)\n\n## Wages\n\nUnder the MLC, seafarers\u2019 wages must be:\n\n- paid regularly - for example, monthly\n\n- include monthly statements of accounts\n\n- allow seafarers to transfer part or all of their wages\n\n- keep currency conversion charges to reasonable limits\n\n## Hours of rest\n\nHours of rest must be at least:\n\n- 10 hours in any 24 hour period\n\n- 77 hours in any 7 day period\n\nCrew exercises, such as lifeboat drills, must cause minimal disruption to rest periods. Seafarers called out in a rest period are entitled to a rest period to make up for it.\n\nYou can read Merchant Shipping Notice (MSN) 1848 (M) Amendment 3 MLC survey and certification of UK ships.\n\n## Holiday pay\n\nUnder the MLC, seafarers are entitled to paid leave calculated at 2.5 days per calendar month of employment.\n\nRead more about holiday pay for seafarers in the Merchant Shipping Regulations 2002.\n\n## Repatriation\n\nThis gives seafarers the right to be returned to their home country:\n\n- when their employment contract ends or is cancelled\n\n- when they\u2019re no longer able to carry out their duties\n\n- in the event of shipwreck\n\n- if their ship is bound for a war zone they have not agreed to go to\n\nShipowners cannot request advance payment for repatriation from seafarers. If a shipowner does not make repatriation arrangements, seafarers on UK ships can be repatriated by the MCA.\n\n## Accommodation and recreational facilities\n\nThe Maritime and Labour Convention (MLC) ensures seafarers have access to decent accommodation and recreational facilities when living on ships.\n\n## Medical care\n\nThese cover seafarers\u2019 rights to:\n\n- decent on board health protection facilities, including essential dental care\n\n- the right to visit qualified medical personnel while in port\n\n- access to a qualified medical doctor on ships carrying more than 100 people on international voyages lasting more than 3 days\n\n- where there is no doctor on board, there must be designated and able seafarer(s) to provide first aid and medical care\n\n## Shipowner\u2019s liabilities\n\nUnder the MLC, if a seafarer suffers accident or disability because of their work the shipowner must provide where necessary:\n\n- assistance and medical care\n\n- repatriation\n\n- burial or cremation, if they die\n\nThe shipowner must have financial cover in case they are liable for compensation for long-term disability or illness.\n\nA shipowner is not liable when an injury is not related to a seafarer\u2019s duties, when it\u2019s caused by wilful misconduct or when a seafarer intentionally hides an illness or disability.\n\n## Health and safety protection\n\nUnder the MLC, seafarers\u2019 work environments on ships must:\n\n- have regular risk assessments of workplace hazards - for example, from machinery\n\n- take steps to prevent work accidents\n\n- have a system for reporting accidents and occupational diseases\n\n## Enforcement\n\nUnder the MLC, the MCA can withdraw a ship\u2019s maritime labour certificate if seafarer living and working conditions are breached.\n\n## Complaints\n\nSeafarers can complain if the MLC has not been followed. On board a ship seafarers can complain to a manager. On shore seafarers can complain to an MCA surveyor.\n\nRead MSN 1849 On-board complaints procedure and Marine Guidance Note (MGN) 487 Onshore complaints procedure.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "answerable": true, + "scenario": "My father owns a fishing vessel and always likes undertakes commercial deep sea fishing trips.My mother has been very worried due rising water tides in the British Channel and of a possible sea accidents.", + "original_question": "Are fishing vessels covered under maritime labour convention?" + }, + { + "id": "train-358", + "question": "Scenario: My elder brother works as a seafairer in a UK Oil tanker operating in Strait of Hormuz. I have missed him so much and i would like to invite him for my December wedding.I am sure he will be very happy to attend.\n\nQuestion: Are seafearers entittled for a holiday leave ?\n\nDocument - Seafarer working and living rights:\n## Overview\n\nAll seafarers have working and living rights that include:\n\n- employment contracts\n\n- accommodation\n\n- food and medical care\n\nA seafarer is anyone who works on board a seagoing ship, including:\n\n- master and crew\n\n- self-employed contractors\n\n- shopkeepers and hairdressers\n\n- entertainers\n\nA seagoing ship is any vessel:\n\n- on an international voyage or from a foreign port\n\n- on a domestic journey from the UK coast\n\n- more than 500 gross tonnes\n\nThe Maritime Labour Convention (MLC) 2006 came into force on 7 August 2014. It replaced all existing laws on seafarers\u2019 rights.\n\n## Working conditions\n\nThere are minimum requirements seafarers must meet to work at sea.\n\n## Minimum age\n\nThe minimum age for seafarers is 16, although this is 18 if the work involves any:\n\n- night work\n\n- hazardous tasks\n\n## Hazardous tasks\n\nManual tasks on a ship can be hazardous if not done properly, like:\n\n- lifting\n\n- hauling\n\n- mooring\n\n- towing\n\nEmployers of seafarers must ensure their staff:\n\n- know how to operate any equipment correctly\n\n- are aware of safety procedures\n\n- have access to protective personal equipment if needed\n\n## Medical certification for seafarers\n\nAnyone in charge of a ship must have an ENG1 seafarer medical certificate.\n\n## Certificates of competency\n\nSome seafarers will need a certificate of competency before they can carry out certain duties.\n\n## Conditions of employment\n\nSeafarers\u2019 employment contracts are covered by the Maritime Labour Convention (MLC) 2006.\n\n## Working time regulations\n\nAll seafarers on seagoing ships are entitled to:\n\n- a minimum of 10 hours\u2019 rest in any 24 hour period\n\n- 77 hours rest in any 7 day period\n\n- at least 4 weeks\u2019 paid annual leave\n\nRead the Merchant Shipping Regulations 2002 for more information.\n\n## The 'human element'\n\nThe term \u2018human element\u2019 covers anything to do with the interaction between a human and any system aboard ship, and is of high importance in maritime safety and security.\n\nFactors which affect the human element include:\n\n- recruitment and selection policies and methods\n\n- crew competence, training and experience\n\n- conditions of service, motivation and morale\n\n- design, construction and ergonomics\n\n- standards of build and certification\n\n- maintenance\n\n- stress and fatigue\n\n- security\n\n- living and working conditions\n\n- manning levels and hours of work\n\n- management policies\n\n- safety management systems\n\n- operational systems\n\n- organisational and safety culture\n\n- culture of continuous improvement and workforce engagement\n\nFor more information read \u2018The human element: a guide to human behaviour in the shipping industry\u2019.\n\n## Safe working practices\n\nAll UK ships must carry copies of the \u2018Code of Safe Working Practices for Merchant Seamen\u2019, unless it\u2019s a fishing boat or pleasure vessel.\n\n## Safe manning of ships\n\nEmployers must ensure their ships have enough properly trained and certificated officers so that it can operate safely at all times.\n\nThere must also be sufficient food on board for the number of seafarers serving.\n\nRead more in \u2018Merchant Shipping Notice 1868 (M) UK requirements for safe manning and watchkeeping\u2019.\n\n## Noise and vibration\n\nA seafarer\u2019s employer must carry out risk assessments to identify who\u2019s at risk from noise or vibration in their work and what can be done to reduce or remove these risks.\n\n## Protective personal equipment (PPE)\n\nA seafarer\u2019s employer must give them suitable protective equipment if they\u2019re performing dangerous tasks.\n\nYou can find further information in the code of safe working practices for merchant seafarers.\n\n## Living conditions\n\nSeafarers\u2019 living conditions are covered by Maritime Labour Convention (MLC) rules on crew accommodation.\n\n## Food and catering\n\nSeafarers\u2019 food and catering conditions are covered by MSN 1845 under MLC rules.\n\n## Health and safety\n\nEmployers of seafarers must follow health and safety rules and provide:\n\n- safe working places and environment\n\n- safe machinery and equipment\n\n- health and safety training, instruction, supervision and information\n\n- a health and safety policy\n\n- protective clothing and equipment where necessary\n\n- information for workers about the findings of their risk assessment\n\n- information on what qualifications any temporary workers must have\n\n- information about their activities and staff to the company\n\n## Risk assessments\n\nAny vessel seafarers work onboard must have had a risk assessment carried out by their employer or the ship owner.\n\n## New or expectant mothers\n\nWhere women of childbearing age are employed as seafarers, a risk assessment must take place of any potential hazard likely to affect a new or expectant mother.\n\nIt does not matter if they are pregnant at the time of the assessment or not.\n\nIf a risk is found that cannot be removed, a new or expectant mother working as a seafarer can be suspended on full pay providing they have either:\n\n- told their employer they\u2019re pregnant\n\n- given birth in the last 6 months\n\n- are breastfeeding\n\nFor more information on health and safety rules for new and expectant mothers, contact the Seafarer Safety and Health Branch of the Maritime and Coastguard Authority (MCA).\n\n## Additional dangers\n\nSeafarers may face additional dangers when living onboard ships.\n\n## Petrol generators\n\nShips that use petrol generators must have a risk assessment carried out to make sure they provide:\n\n- sufficient power for accommodation and lighting\n\n- adequate ventilation\n\n- adequate alarms - for example, carbon monoxide alarms\n\n## Fumigating cargo spaces\n\nIf pesticides are on board a ship, employers must make sure:\n\n- adequate breathing aids are provided for seafarers checking fumigated cargo bulks\n\n- the ship\u2019s destination port is told 24 hours in advance of receiving this cargo\n\n- properly trained personnel check the relevant cargo bulks at port\n\n## Illegal drugs\n\nThe unauthorised presence of drugs on board a ship can have serious legal implications for seafarers and employers, potentially resulting in:\n\n- heavy fines\n\n- detention of a ship\n\n- imprisonment\n\n- the death penalty\n\n## Potentially dangerous cargo\n\nIf seafarers deal with certain toxic cargo or equipment on board ships, their employer must follow a number of specific requirements.\n\nYou can find further information on specialist ships in section 4 of the Code of Safe Working Practices for Merchant Seamen.\n\n## Health and medical care\n\nEmployers must protect their seafarers\u2019 health by:\n\n- providing immunisations for certain infectious diseases\n\n- making sure hygiene measures are effective and minimise the risks of infection\n\n- making arrangements for infection control\n\n- having the right medical supplies\n\n- knowing the routes and destinations of their ships\n\nUntil the UK made the Maritime Labour Convention (MLA) law, seafarers\u2019 health and safety regulations were covered by the Merchant Shipping Act 1995\n\n## Maritime Labour Convention\n\nThe Maritime Labour Convention (MLC) came into force for the UK on 7 August 2014. It sets out the minimum working and living rights for seafarers.\n\n## Exemptions\n\nThe MLC does not cover seafarers serving on the following boats:\n\n- ships navigating inland or sheltered waters subject to port regulations\n\n- fishing vessels\n\n- warships and naval auxiliaries\n\n- traditional ships, such as dhows\n\n## Minimum requirements\n\nThe MLC sets out minimum standards for seafarers to work on a ship, including:\n\n- minimum age\n\n- medical certification\n\n- training and qualifications\n\n## Age\n\nThe minimum age for seafarers will be 16. Night workers have to be 18 or over.\n\nExceptions can be allowed for:\n\n- training purposes\n\n- where the seafarer\u2019s duties require it, as long as their health and safety is not affected\n\n## Medical certification\n\nAll seafarers must have the right medical certificate to work at sea before they can work on ships.\n\n## Training and qualifications\n\nUnder the MLC, seafarers will need to:\n\n- be trained and qualified to perform onboard duties\n\n- receive personal safety training\n\n- for training to conform to International Maritime Organisation standards\n\nFind out more about seafarer training and qualifications.\n\n## Conditions of employment\n\nUnder the MLC, seafarers have minimum working rights covering:\n\n- employment agreements\n\n- wages\n\n- hours of rest\n\n- entitlement to leave\n\n- repatriation\n\n- compensation for a ship\u2019s loss or foundering\n\n- manning levels\n\n- career and skills development\n\n- employment opportunities\n\n## Employment contracts\n\nThe convention makes sure contracts between seafarers and shipowner provide fair living and working conditions.\n\nContracts should be in English and include:\n\n- shipowner\u2019s name and address\n\n- seafarer\u2019s name, date and place of birth\n\n- place and date where agreement signed\n\n- conditions for the termination of agreement\n\n- health and social security protection benefits provided by shipowner\n\n- seafarer\u2019s right to repatriation\n\nSeafarers must also be:\n\n- allowed to read and consider contracts before signing them\n\n- given a record of their employment\n\n- given their own copy of their contract (the shipowner should also have a copy)\n\n## Wages\n\nUnder the MLC, seafarers\u2019 wages must be:\n\n- paid regularly - for example, monthly\n\n- include monthly statements of accounts\n\n- allow seafarers to transfer part or all of their wages\n\n- keep currency conversion charges to reasonable limits\n\n## Hours of rest\n\nHours of rest must be at least:\n\n- 10 hours in any 24 hour period\n\n- 77 hours in any 7 day period\n\nCrew exercises, such as lifeboat drills, must cause minimal disruption to rest periods. Seafarers called out in a rest period are entitled to a rest period to make up for it.\n\nYou can read Merchant Shipping Notice (MSN) 1848 (M) Amendment 3 MLC survey and certification of UK ships.\n\n## Holiday pay\n\nUnder the MLC, seafarers are entitled to paid leave calculated at 2.5 days per calendar month of employment.\n\nRead more about holiday pay for seafarers in the Merchant Shipping Regulations 2002.\n\n## Repatriation\n\nThis gives seafarers the right to be returned to their home country:\n\n- when their employment contract ends or is cancelled\n\n- when they\u2019re no longer able to carry out their duties\n\n- in the event of shipwreck\n\n- if their ship is bound for a war zone they have not agreed to go to\n\nShipowners cannot request advance payment for repatriation from seafarers. If a shipowner does not make repatriation arrangements, seafarers on UK ships can be repatriated by the MCA.\n\n## Accommodation and recreational facilities\n\nThe Maritime and Labour Convention (MLC) ensures seafarers have access to decent accommodation and recreational facilities when living on ships.\n\n## Medical care\n\nThese cover seafarers\u2019 rights to:\n\n- decent on board health protection facilities, including essential dental care\n\n- the right to visit qualified medical personnel while in port\n\n- access to a qualified medical doctor on ships carrying more than 100 people on international voyages lasting more than 3 days\n\n- where there is no doctor on board, there must be designated and able seafarer(s) to provide first aid and medical care\n\n## Shipowner\u2019s liabilities\n\nUnder the MLC, if a seafarer suffers accident or disability because of their work the shipowner must provide where necessary:\n\n- assistance and medical care\n\n- repatriation\n\n- burial or cremation, if they die\n\nThe shipowner must have financial cover in case they are liable for compensation for long-term disability or illness.\n\nA shipowner is not liable when an injury is not related to a seafarer\u2019s duties, when it\u2019s caused by wilful misconduct or when a seafarer intentionally hides an illness or disability.\n\n## Health and safety protection\n\nUnder the MLC, seafarers\u2019 work environments on ships must:\n\n- have regular risk assessments of workplace hazards - for example, from machinery\n\n- take steps to prevent work accidents\n\n- have a system for reporting accidents and occupational diseases\n\n## Enforcement\n\nUnder the MLC, the MCA can withdraw a ship\u2019s maritime labour certificate if seafarer living and working conditions are breached.\n\n## Complaints\n\nSeafarers can complain if the MLC has not been followed. On board a ship seafarers can complain to a manager. On shore seafarers can complain to an MCA surveyor.\n\nRead MSN 1849 On-board complaints procedure and Marine Guidance Note (MGN) 487 Onshore complaints procedure.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "answerable": true, + "scenario": "My elder brother works as a seafairer in a UK Oil tanker operating in Strait of Hormuz. I have missed him so much and i would like to invite him for my December wedding.I am sure he will be very happy to attend.", + "original_question": "Are seafearers entittled for a holiday leave ?" + }, + { + "id": "train-360", + "question": "Scenario: My Brother is a Music artist and just discovered that a certain local radio station is using his Music without his awareness.After contacting them they said that are open for a discussion out of court.\n\nQuestion: Can he use a mediator?\n\nDocument - Defend your intellectual property:\n## Overview\n\nIt\u2019s your responsibility to defend your intellectual property (IP) and to take action if someone\u2019s used it without permission (known as \u2018infringement\u2019).\n\nExamples of IP infringement include when someone:\n\n- uses, sells or imports your patented product or process\n\n- uses all or some of your work under copyright without your permission\n\n- makes, offers or sells your registered design for commercial gain\n\n- uses a trade mark that\u2019s identical or similar to one you\u2019ve registered\n\nYou can take the following steps.\n\n- Get the other party to stop using your IP or come to an agreement with them, for example license your IP.\n\n- Use mediation or another type of dispute resolution.\n\n- Take legal action if you can\u2019t resolve the dispute by other means.\n\nYou may want to get help from an IP professional, such as a solicitor. The Intellectual Property Office (IPO) can also help.\n\n## Report IP crime\n\nIt can be a criminal offence to copy or use copyright material and registered trade marks and designs without permission.\n\nReport suspected IP crime to Trading Standards by contacting Citizens Advice.\n\nYou can also report it anonymously through:\n\n- Crimestoppers\n\n- Action Fraud\n\n## Get help and advice\n\nAn intellectual property (IP) professional can give you legal advice on a dispute, or act on your behalf.\n\nFind an IP professional through organisations including:\n\n- The Chartered Institute of Patent Attorneys\n\n- The Chartered Institute of Trade Mark Attorneys\n\n- The Law Society (England and Wales)\n\n- The Law Society of Scotland\n\n- The Law Society of Northern Ireland\n\n## Contact the Intellectual Property Office (IPO)\n\nYou can contact IPO for:\n\n- an opinion on whether your patent or supplementary protection certificate is being infringed - it costs \u00a3200\n\n- to start legal proceedings over some types of IP dispute (this does not include copyright infringement)\n\n- general advice on IP\n\n## Come to an agreement\n\nIf someone is using your IP without your permission you can contact them and ask them to stop.\n\nYou can be sued for making unjustified threats. You may want to seek legal advice before contacting the other party.\n\n## Make a deal\n\nYou can offer to make a deal with the other party, which is usually cheaper and quicker than going to court.\n\nRead the guidance on how to license, sell, mortgage and market your:\n\n- copyright\n\n- patent\n\n- design\n\n- trade mark\n\nYou can also come to a coexistence agreement with someone who has a similar trade mark.\n\n## Use a mediator\n\nYou can use a mediator if you can\u2019t come to an agreement over an intellectual property (IP) dispute.\n\nMediation can be used in most IP disputes. This includes disputes about:\n\n- trade marks\n\n- copyright\n\n- designs\n\n- patents\n\nMediation is a way of resolving disputes without going to court. It\u2019s cheaper and quicker than taking legal action and the outcome is usually beneficial to all parties.\n\nMediators provide an independent view on a dispute. They can\u2019t make a decision for you, but they can help to find a solution that both parties accept.\n\nDiscussions with a mediator are confidential and can\u2019t be used in court later if the dispute isn\u2019t resolved.\n\n## IPO mediation service\n\nThe Intellectual Property Office (IPO) has its own mediation service.\n\nWhat you will pay for mediation depends on the type and length of mediation session.\n\nRead guidance on IPO\u2019s mediation service, including information on fees.\n\n## Other mediators you can use\n\nYou can also use the:\n\n- Civil Mediation Council (England and Wales)\n\n- Scottish Mediation Network\n\n- Northern Ireland Mediation\n\n## Take legal action\n\nYou can file legal proceedings either through the Intellectual Property Office (IPO) or through the courts.\n\nSome types of proceedings can only be filed through one or the other. For example, copyright infringement claims can only be filed through the courts.\n\nA court will expect you to have tried to resolve your dispute - possibly using mediation - before starting legal proceedings.\n\nYou can pay an Intellectual Property Professional to help you.\n\n## File through IPO\n\nContact IPO for more information on filing through them.\n\n## File through the courts in England and Wales\n\nThe court you go to depends on the nature, complexity and value of your claim.\n\n## Claims below \u00a310,000\n\nUse the Intellectual Property Enterprise Court (IPEC) small claims track if your claim is for less than \u00a310,000 and for infringement of one of the following:\n\n- copyright\n\n- passing off\n\n- trade marks\n\n- breach of confidence\n\n- unregistered design rights\n\nYou don\u2019t need a lawyer to use the IPEC small claims track.\n\n## Claims up to \u00a3500,000\n\nYou can take a case for any IP right to the Intellectual Property Enterprise Court (IPEC) if you do not wish to claim more than:\n\n- \u00a350,000 for legal costs\n\n- \u00a3500,000 for damages\n\n## If you\u2019re claiming more than \u00a3500,000 in damages\n\nUse the Chancery Division of the High Court of England and Wales - there are no limits to legal costs or damages you can claim.\n\n## File through the courts in Scotland\n\nUse the Court of Session if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.\n\n## File through the courts in Northern Ireland\n\nYou can use the Chancery Division of the High Court of Northern Ireland if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/defend-your-intellectual-property", + "answerable": true, + "scenario": "My Brother is a Music artist and just discovered that a certain local radio station is using his Music without his awareness.After contacting them they said that are open for a discussion out of court.", + "original_question": "Can he use a mediator?" + }, + { + "id": "train-365", + "question": "Scenario: I own a commercial shipping company with 400 gross tonnage which operates from Europe to canada via the North Atlantic route . I am very worried because 3 employees have contracted covid and i want to send a message .\n\nQuestion: Can i call the the MSI office for a distress call?\n\nDocument - Maritime safety: weather and navigation:\n## Maritime Safety Information broadcasts\n\nHM Coastguard regularly broadcasts Maritime Safety Information (MSI) by radio. MSI includes:\n\n- information on wind strength and direction\n\n- warnings of restricted visibility\n\n- updates on sea conditions\n\n- navigational guidance and warnings\n\nMSI broadcasts may be interrupted or delayed due to search and rescue operations.\n\nYou must check MSI and other weather and tide information to avoid collisions and accidents at sea. You must also make sure that you understand any navigational guidance or warnings that are broadcast to your ship.\n\n## How to receive MSI\n\nMSI is broadcast:\n\n- by NAVTEX (Navigational telex) out to 270 miles\n\n- on VHF out to 30 miles\n\n- on MF out to 150 miles\n\nRead the Maritime and Coastguard Agency (MCA) guide to maritime safety information, which includes information on broadcast frequencies.\n\n## Weather and tide information\n\n## Weather information at sea\n\nFind information about conditions at sea from The Met Office provides useful information about conditions at sea, including:\n\n- a shipping forecast and gale warnings\n\n- marine observations which give information on wave height, visibility and sea temperature\n\n## Longer-term weather outlooks\n\nYou can get an extended outlook with information up to 5 days in advance on the 518 NAVTEX service.\n\n## Information about tides\n\nThe UK Hydrographic Office provide information on tides through the Admiralty Easy Tide Service.\n\n## Navigational guidance and warnings\n\nYou can get navigational information by radio from:\n\n- navigational warnings, broadcast on either NAVTEX or Inmarsat SafetyNET\n\n- NAVAREA (I) warnings, broadcast through EGC SafetyNET\n\n- UK coastal navigational warnings broadcast on VHF and MF on selected aerials at 4-hourly intervals\n\nRead more about maritime safety broadcast times and medical advice calls.\n\nIn-force navigational warnings are shown on the UK Hydrographic Office (UKHO) website.\n\n## Reporting navigational hazards\n\nYou may get warnings about:\n\n- damaged or broken lights, fog signals, buoys and navigational aids that affect main shipping lanes\n\n- wrecks, reefs, rocks and shoals that might be a danger to main shipping lanes\n\n- drifting hazards, such as derelict ships, mines, ice\n\n- unexpected changes or closures of established routes\n\n- cable or pipe laying, naval exercises or underwater operations that might be a danger for shipping lanes\n\n- problems with radio navigation, radio or satellite maritime safety information services\n\n- areas to avoid where search and rescue and anti-pollution activities are happening\n\nContact the United Kingdom Hydrographic Office (UKHO) Radio navigational warning helpline if you\u2019ve spotted any of these hazards or want to ask about them.\n\nYou\u2019ll have to contribute toward the cost of broadcasting any necessary warnings if you\u2019re responsible for causing a navigational hazard.\n\n## Navigating safely\n\nSafe navigation is particularly important in adverse weather and sea conditions.\n\nRead more about keeping a safe navigational watch on merchant ships.\n\n## Navigation lights, shapes and sound signals\n\nYour ship must comply with the requirements for navigation lights and other equipment in the \u2018Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations\u2019.\n\n## Restricted visibility\n\nRead information on navigating in restricted visibility.\n\n## High-speed craft\n\nRead information on controlling high-speed craft in adverse sea conditions.\n\n## Navigating in the Dover Strait\n\nThe Dover Strait is one of the busiest shipping lanes in the world. The Dover Strait Traffic Separation Scheme (TSS) exists to help ships crossing the Dover Strait to navigate safely and avoid collisions.\n\nRead information about the TSS and guidance for ships in the Dover Strait.\n\n## The Dover Strait and Channel Navigation Information Service (CNIS)\n\nThe Dover CNIS provides a 24-hour radio and radar service for all shipping in the Dover Strait.\n\nDover CNIS broadcasts information in the Dover TSS area every 60 minutes (30 minutes if visibility drops below 2 miles). You can find these on VHF radio channel 11.\n\nDover CNIS broadcasts information on:\n\n- weather and sea conditions\n\n- navigational hazards, like hampered vessels\n\n- misplaced or defective navigational aids\n\n- deep draught bulk carriers and tankers\n\n- vessels under tow\n\n- surveying vessels\n\n- unorthodox crossings, such as cross-channel swims\n\nInformation is also broadcast about any ship that appears to be breaking the \nInternational Regulations for the Prevention of Collisions at Sea to warn other ships of a potential hazard.\n\nShips using the TSS are automatically tracked by radar. This information can be used in a prosecution if any ship breaks the law.\n\n## Voyage data recorders\n\nA voyage data recorder (VDR), often known as the ship\u2019s \u2018black box\u2019, collects and stores information over the course of a ship\u2019s journey, including:\n\n- the ship\u2019s position\n\n- audio from the ship\u2019s bridge\n\n- the ship\u2019s speed and heading\n\n- depth under the keel\n\n- VHF radio communications\n\nAll VDRs must be tested after installation and then inspected every year.\n\nFind out more about the requirements for voyage data recorders.\n\n## The Global Maritime Distress and Safety System\n\nThe Global Maritime Distress and Safety System (GMDSS) is a maritime communications system used for:\n\n- emergency and distress messages\n\n- vessel-to-vessel routine communications\n\n- vessel-to-shore routine communications\n\nIf you own commercial ships with over 300 gross tonnage, or certain smaller craft, fit them with GMDSS equipment.\n\nMost offshore yacht races also now insist that competing yachts are GMDSS-equipped.\n\nRead the Merchant Shipping (Radio Installations) Regulations for more information on who has to fit GMDSS.\n\n## Digital Selective Calling (DSC) for pleasure craft\n\nIt\u2019s voluntary for small leisure craft to have GMDSS, but HM Coastguard strongly recommends that pleasure craft install GMDSS with DSC.\n\nDSC is a tone-signalling system with the ability to include other information like:\n\n- a vessel\u2019s identification number\n\n- the purpose of the call\n\n- your position\n\n- the channel you want to speak on\n\n## Register 406 MHz beacons\n\nA 406 megahertz (MHz) beacon can send a distress signal via satellites to alert search and rescue authorities to your location. There are 3 types:\n\n- Emergency Position Indicating Radio Beacons (EPIRBs) for ships and boats\n\n- Emergency Locator Transmitters (ELTs) for aircraft\n\n- Personal Locator Beacons (PLBs) for personal use\n\nYou must register your 406 MHz beacon with the coastguard and keep your registration up to date.\n\nIf your beacon is activated and a distress signal received, the search and rescue authorities will contact you using the information on the register.\n\nYou must provide an emergency contact who will be called if you\u2019re unreachable.\n\nNotify the coastguard of changes to your beacon or your vessel - this will help to locate you in an emergency.\n\n## Register or update a registration\n\nYou can register or update a registration online.\n\nRegistration and updates are free.\n\nContact the UK Beacon Registry for help with registering.\n\n## Navigation equipment for small commercial vessels\n\nSmall commercial ships should keep a listening watch on VHF channel 16 for any coastguard announcements.\n\nYou should fit VHF DSC (Digital Selective Calling) if your ship needs a fixed VHF channel to receive these broadcasts.\n\nAll new vessels and all those replacing VHF radios must have VHF DSC installed.\n\n## Radio installation\n\nYou must mount any radio aerials as high as you can to get the best possible reception. If your main aerial is fitted to a mast, you should also provide an emergency aerial.\n\nContact the Maritime and Coastguard Agency (MCA) if you\u2019re not sure of the VHF coverage in the area where you\u2019ll be operating.\n\nYou must make sure that you\u2019re able to charge the batteries that charge the ships\u2019 radio equipment and that they\u2019re protected from flooding.\n\nYour fixed radio installation should be marked with:\n\n- the ship\u2019s call sign\n\n- codes for the use of the radio\n\n- Maritime Mobile Service Identity (MMSI) number (where applicable)\n\nYou should also have a card giving information on radio distress, urgency and safety procedures in full view of the radio operating position.\n\n## Navigation lights, shapes and sound signals\n\nYour ship must meet the requirements of the Merchant Shipping (Distress Signals and Prevention of Collisions) Regulations.\n\nSmall vessels may be exempt from certain requirements, for example if:\n\n- you only operate between sunrise and sunset or in favourable weather, in which case you do not have to carry navigation lights\n\n- your vessel is less than 12 metres in length, in which case you do not have to carry sound signalling equipment\n\nRead the rules in section 17 of MGN 280 on navigation lights, shapes and sound signals for small commercial vessels. Rules for other navigational equipment are detailed in section 18.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/maritime-safety-weather-and-navigation", + "answerable": true, + "scenario": "I own a commercial shipping company with 400 gross tonnage which operates from Europe to canada via the North Atlantic route . I am very worried because 3 employees have contracted covid and i want to send a message .", + "original_question": "Can i call the the MSI office for a distress call?" + }, + { + "id": "train-367", + "question": "Scenario: My father is a land owner and wants to develop his vast land and build a permanent family house. He has accumulated all the materials necessary to build.\n\nQuestion: Does he need planning permission to build?\n\nDocument - Planning permission for farms:\n## When you need it\n\nFarms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.\n\nYou need planning permission if:\n\n- you want to change how you use your land or buildings from farming to something else\n\n- you want to build a house on the land\n\nYou will also usually need planning permission if you are applying for a grant to fund a project that needs a building or other development.\n\n## When you don\u2019t need it\n\nYou don\u2019t need planning permission:\n\n- for farming operations\n\n- to use buildings already on your land for farming purposes\n\n- to change the inside of a building, or make small alterations to the outside - eg installing an alarm box\n\n- if there are permitted development rights\n\nBefore starting work on the project, always check with:\n\n- your local planning authority in England and Wales\n\n- your local planning authority in Scotland\n\n- you local area planning office in Northern Ireland\n\nIf you don\u2019t get planning permission when you need it you may have to stop work on the development or demolish it.\n\n## Apply for planning permission\n\nIn England and Wales, you can apply online at the Planning Portal.\n\nIn Scotland you can apply online at ePlanning Scotland.\n\nIn Northern Ireland, you apply for planning permission to your local area planning office.\n\n## Permitted development\n\nPermitted development means that if your farm is 5 hectares or more, you have the right to:\n\n- erect, extend or alter a building\n\n- carry out excavations and engineering operations needed for agricultural purposes - though you may still require approval for certain details of the development.\n\nThe types of permitted development include:\n\n- temporary uses of land\n\n- agricultural buildings below a certain size\n\n- forestry buildings\n\n- caravan sites and related buildings in some circumstances\n\nCheck with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.\n\nThe Agricultural Document Library (ADLib) has policy planning guidance on permitted development and farms.\n\n## Appeals\n\nThe way you appeal and the deadlines for appealing are different depending on which country you\u2019re in. See the relevant planning guide for more information:\n\n- England and Wales\n\n- Scotland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/planning-permissions-for-farms", + "answerable": true, + "scenario": "My father is a land owner and wants to develop his vast land and build a permanent family house. He has accumulated all the materials necessary to build.", + "original_question": "Does he need planning permission to build?" + }, + { + "id": "train-368", + "question": "Scenario: Our parents in law will be visiting us in Uk during summer time from canada and our house is small. My partner and i have come up with an idea of putting a caravan in our garden to accomodate them.\n\nQuestion: Is this a permitted development?\n\nDocument - Planning permission for farms:\n## When you need it\n\nFarms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.\n\nYou need planning permission if:\n\n- you want to change how you use your land or buildings from farming to something else\n\n- you want to build a house on the land\n\nYou will also usually need planning permission if you are applying for a grant to fund a project that needs a building or other development.\n\n## When you don\u2019t need it\n\nYou don\u2019t need planning permission:\n\n- for farming operations\n\n- to use buildings already on your land for farming purposes\n\n- to change the inside of a building, or make small alterations to the outside - eg installing an alarm box\n\n- if there are permitted development rights\n\nBefore starting work on the project, always check with:\n\n- your local planning authority in England and Wales\n\n- your local planning authority in Scotland\n\n- you local area planning office in Northern Ireland\n\nIf you don\u2019t get planning permission when you need it you may have to stop work on the development or demolish it.\n\n## Apply for planning permission\n\nIn England and Wales, you can apply online at the Planning Portal.\n\nIn Scotland you can apply online at ePlanning Scotland.\n\nIn Northern Ireland, you apply for planning permission to your local area planning office.\n\n## Permitted development\n\nPermitted development means that if your farm is 5 hectares or more, you have the right to:\n\n- erect, extend or alter a building\n\n- carry out excavations and engineering operations needed for agricultural purposes - though you may still require approval for certain details of the development.\n\nThe types of permitted development include:\n\n- temporary uses of land\n\n- agricultural buildings below a certain size\n\n- forestry buildings\n\n- caravan sites and related buildings in some circumstances\n\nCheck with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.\n\nThe Agricultural Document Library (ADLib) has policy planning guidance on permitted development and farms.\n\n## Appeals\n\nThe way you appeal and the deadlines for appealing are different depending on which country you\u2019re in. See the relevant planning guide for more information:\n\n- England and Wales\n\n- Scotland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/planning-permissions-for-farms", + "answerable": true, + "scenario": "Our parents in law will be visiting us in Uk during summer time from canada and our house is small. My partner and i have come up with an idea of putting a caravan in our garden to accomodate them.", + "original_question": "Is this a permitted development?" + }, + { + "id": "train-369", + "question": "Scenario: Both of my parents arrived and settled in UK in 1970 from Kenya. I have been born here and have lived here for 30 years continuously. I would like to apply for British Citizenship .\n\nQuestion: Will i be eligible for the windrush settlement scheme?\n\nDocument - Windrush Scheme: get a document showing your right to be in the UK:\n## Overview\n\nIf you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.\n\nYou may be able to apply for a document to prove you can live and work in the UK if one of the following is true:\n\n- you came to the UK from a Commonwealth country before 1973\n\n- your parents came to the UK from a Commonwealth country before 1973\n\n- you came to the UK from any country before 31 December 1988 and are now settled here\n\nIt\u2019s free to apply.\n\nYou might also be entitled to apply for citizenship for free if you\u2019re a Commonwealth citizen who settled in the UK before 1 January 1973, or you\u2019re the child of someone who did.\n\n## If you suffered losses because you did not have documents\n\nIf you are eligible for this scheme, you might also be able to apply for compensation. The compensation scheme is for losses that happened because you could not show that you had a right to live in the UK.\n\n\u2018Losses\u2019 can be things like not being able to work, find a place to live or get health treatment. They can also include immigration action, like detention or removal from the UK.\n\n## You arrived before 1973 from a Commonwealth country\n\nYou may be able to apply for a document to prove you can live and work in Britain if both of the following apply:\n\n- you\u2019re a Commonwealth citizen\n\n- you were settled in the UK before 1 January 1973\n\nWhat you\u2019re entitled to depends on whether you:\n\n- have been living in the UK continuously\n\n- left the UK for more than 2 years and came back\n\n- are outside the UK\n\n## If you\u2019ve been living in the UK continuously\n\nIf you\u2019ve lived in the UK continuously, or have the right of abode, you can apply for one of the following:\n\n- British citizenship\n\n- evidence you have the right of abode\n\n- a document confirming you have indefinite leave to remain\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019ve left the UK for more than 2 years and come back\n\nIf you\u2019ve been away from the UK for more than 2 years at some point and are now lawfully in the UK, you might be entitled to indefinite leave to remain.\n\nIf you already have indefinite leave to remain you might be able to apply for either:\n\n- a document to prove you have this\n\n- British citizenship\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019re outside the UK\n\nIf you\u2019ve left the UK and have lost your indefinite leave to remain, you might be entitled to:\n\n- a Returning Resident visa\n\n- a 10 year multiple entry visa\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## You're the child of a Commonwealth citizen who arrived before 1973\n\nYou can apply for British citizenship or a document confirming you have indefinite leave to remain.\n\nIf you do not have indefinite leave to remain but are here lawfully, you can apply for it through the scheme.\n\nTo apply, one of your parents must be a Commonwealth citizen and either:\n\n- was settled in the UK before 1 January 1973\n\n- had the right of abode\n\nOne of the following must also be true:\n\n- you were born in the UK\n\n- you came to live in the UK before turning 18\n\nYou must have lived continuously in the UK since arriving (or being born) here.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## You arrived before 1989\n\nYou can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.\n\nYou can be of any nationality.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## How to apply\n\nWhen you apply, the Home Office will work with other government departments to find records of you living in the UK.\n\nNone of your information will be shared with immigration enforcement teams.\n\n## If you\u2019re in the UK\n\nApply using the Windrush Scheme application form (UK).\n\nPost it to the address on the form with your supporting documents.\n\nThe Windrush helpline can post a paper form to you.\n\n## If you\u2019re outside the UK\n\nYou must apply using an online form.\n\n## Fee\n\nIt\u2019s free to apply.\n\n## What happens next\n\nThe Windrush taskforce will get in touch with you if they have any questions about your application, or if they need more information.\n\n## Give your fingerprints and photo\n\nYou\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) once you\u2019ve sent in your form. You will not have to pay anything to do this.\n\n## Commonwealth countries\n\nYou may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.\n\nYou may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:\n\n- Anguilla\n\n- Antigua and Barbuda\n\n- Australia\n\n- The Bahamas\n\n- Bangladesh\n\n- Barbados\n\n- Belize\n\n- Bermuda\n\n- Botswana\n\n- British Antarctic Territory\n\n- British Indian Ocean Territory\n\n- Brunei\n\n- Canada\n\n- Cayman Islands\n\n- Cyprus (excluding the Sovereign base area)\n\n- Dominica\n\n- Falkland Islands\n\n- Fiji\n\n- The Gambia\n\n- Ghana\n\n- Gibraltar\n\n- Grenada\n\n- Guyana\n\n- Hong Kong\n\n- India\n\n- Jamaica\n\n- Kenya\n\n- Kiribati\n\n- Lesotho\n\n- Malawi\n\n- Malaysia\n\n- Maldives\n\n- Malta\n\n- Mauritius\n\n- Monserrat\n\n- Namibia\n\n- Nauru\n\n- New Zealand\n\n- Nigeria\n\n- Pakistan\n\n- Papua New Guinea\n\n- Pitcairn, Henderson, Ducie and Oeno Islands\n\n- Saint Helena, Ascension and Tristan da Cunha\n\n- Saint Lucia\n\n- Samoa\n\n- Seychelles\n\n- Sierra Leone\n\n- Singapore\n\n- Solomon Islands\n\n- South Africa\n\n- South Georgia and the South Sandwich Islands\n\n- Sri Lanka\n\n- St Kitts and Nevis\n\n- St Vincent and The Grenadines\n\n- Swaziland\n\n- Tanzania\n\n- Tonga\n\n- Trinidad and Tobago\n\n- Turks and Caicos Islands\n\n- Tuvalu\n\n- Uganda\n\n- Vanuatu\n\n- Virgin Islands\n\n- Zambia\n\n- Zimbabwe\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## Windrush helpline\n\nThe Windrush helpline can:\n\n- help you make a claim\n\n- give extra support to those who need it - for example, elderly or vulnerable claimants\n\n- post a form to you\n\nIf you are outside the UK, email the helpline and request a call back.\n\nOutside of the helpline opening hours, you can leave a message to ask for your call to be returned at a convenient time.\n\nYou can also sign up for email updates about the scheme.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "answerable": true, + "scenario": "Both of my parents arrived and settled in UK in 1970 from Kenya. I have been born here and have lived here for 30 years continuously. I would like to apply for British Citizenship .", + "original_question": "Will i be eligible for the windrush settlement scheme?" + }, + { + "id": "train-371", + "question": "Scenario: My uncle has a 14 year old step son who moved to England from India last month.He has been looking for a special grammar school for him to join.\n\nQuestion: Will he be required to do and pass an entrance exam in order for him to qualify?\n\nDocument - School admissions:\n## Choosing schools\n\nIf you live in England contact your local council to find:\n\n- state-funded schools in your area\n\n- admission criteria for the schools you\u2019re interested in\n\nThe process is different if you live in Scotland, Wales or Northern Ireland.\n\nYou can also contact your local council to apply for places at state schools in other areas. You can search online to find schools in England.\n\n## Private schools or home schooling\n\nIf you\u2019re looking for a place at a private school (also called \u2018independent schools\u2019), contact the school directly.\n\nYou can also choose to teach your child at home, known as home schooling.\n\n## Children with special educational needs (SEN)\n\nIf your child has SEN, their Education, Health and Care (EHC) plan will name a school for them. The school must give your child a place.\n\nYou can ask your local council to carry out an assessment if you think your child needs additional support with their educational, health and social needs.\n\n## Find out about a primary or secondary school\n\nYou can find out more by:\n\n- visiting the school - most schools have open days\n\n- reading the school\u2019s most recent Ofsted reports\n\n- checking school performance tables\n\n- talking to other parents about what they think of the school\n\n## What schools must publish on their website\n\nSchools\u2019 websites must include:\n\n- admission arrangements, including how to apply\n\n- details of the curriculum\n\n- behaviour policy\n\n- links to Ofsted reports\n\n- links to performance data\n\n- the school\u2019s latest key stage 2 and 4 attainment and progress measures\n\n- their policies for children with special educational needs and disabilities\n\n- the amount of money they get for taking underprivileged children (the \u2018pupil premium\u2019), what they do with it and the effect it\u2019s had\n\nYou can also get advice about choosing state-funded schools from your local council.\n\n## Admission criteria\n\nAll schools have admission criteria to decide which children get places. The school or local council usually set these.\n\nAdmission criteria are different for each school. They may give priority to children:\n\n- who live close to the school\n\n- who have a brother or sister at the school already\n\n- from a particular religion (for faith schools)\n\n- who pass an entrance exam (for selective schools, for example grammar schools)\n\n- who went to a particular primary school (a \u2018feeder school\u2019)\n\n- who are eligible for the pupil premium or the service pupil premium\n\n- whose parent has worked at the school for 2 years or more\n\nYour local council can give you information about schools\u2019 criteria and how to apply.\n\n## Children in care\n\nAll state-funded schools must give top priority to admitting children who:\n\n- are in care or being looked after\n\n- have been in care\n\n## Complain about unfair admission arrangements\n\nContact the Schools Adjudicator if you think a school has unlawful or unfair admission arrangements.\n\nYou need to complain by 15 May of the year before you\u2019re applying for a place. For example, to complain about admission arrangements for September 2021 the deadline is 15 May 2020.\n\n## School starting age\n\nMost children start school full-time in the September after their fourth birthday. This means they\u2019ll turn 5 during their first school year.\n\nFor example, if your child\u2019s fourth birthday is between 1 September 2021 and 31 August 2022 they will usually start school in September 2022.\n\n## If you want your child to start later\n\nIf you do not think your child is ready to start school at the usual time, they can start later - as long as they\u2019re in full-time education by the time they reach \u2018compulsory school age\u2019.\n\nThey can start:\n\n- part time\n\n- part-way through the year\n\n- in the next school year, in the September after they turn 5\n\nYou\u2019ll still need to apply for a school place at the same time as everyone else. You request your child\u2019s later start when you apply.\n\n## If your child starts in the September after they turn 5\n\nYour child will go into year 1. Contact the local council or school if you want your child to start in reception instead. They do not have to agree.\n\n## Compulsory school age\n\nYour child must start full-time education once they reach compulsory school age. This is on 31 December, 31 March or 31 August following their fifth birthday - whichever comes first. If your child\u2019s fifth birthday is on one of those dates then they reach compulsory school age on that date.\n\nFor example, if your child reaches compulsory school age on 31 March, they must start full-time education at the beginning of the next term (summer term that year).\n\nChildren must stay in full-time education until they reach school leaving age.\n\nAll 3 to 4-year-olds in England are entitled to free early education before they start school full time.\n\n## How to apply\n\nFollow your local council\u2019s application process to:\n\n- apply for a primary school place\n\n- apply for a secondary school place\n\nYou must still apply for a place, even if the school is linked to your child\u2019s current nursery, infant or primary school.\n\nApply directly for:\n\n- a 6th form place at a school or college\n\n- a place at a private school\n\n## Moving to another area\n\nYou apply through your local council even if you\u2019re applying for schools in another council area or you\u2019ve just moved to England.\n\nIf you\u2019re applying from another country, contact the local council in the area where you\u2019re going to live.\n\nYou may need to:\n\n- supply proof of your new address, for example a mortgage or rental agreement or deeds for the property\n\n- prove that you\u2019ll live in the area before the start of the next school term\n\n## Completing the application\n\nWhen you fill in the form (online or on paper) you\u2019ll be asked to list the schools you\u2019re applying for in order of preference.\n\nListing only one school will not increase your chances of getting a place there.\n\nTo get a copy of the application form on paper, contact your local council.\n\n## When to apply\n\nApplications open on different days in each local council area. Find out from your local council when applications open for primary or secondary schools.\n\n## Applying for a primary school place\n\nYou must apply for a primary school place a year before your child can start school.\n\nApplications open in September and close on 15 January. Your child will be 3 or have just turned 4 when you apply.\n\nYou\u2019ll need to apply then even if you want your child to start part-way through the year.\n\n## Applying for a secondary school place\n\nThe deadline for applying is 31 October.\n\nYour child is less likely to be offered a place at their chosen schools if you miss the deadline for applications.\n\n## When you\u2019ll find out\n\nCouncils will send offers of school places for:\n\n- primary schools on 16 April\n\n- secondary schools on 1 March\n\nIf either date falls on a weekend or a bank holiday, offers are sent the next working day.\n\nYou must accept the offer by the deadline given in the offer letter. Otherwise it may be withdrawn and the place given to someone else.\n\nThe local council must provide a place at another school, if your child is not offered a place at any of the schools you\u2019ve applied for. This is usually your nearest school with places still available.\n\n## Applying after the start of the school year\n\nContact your local council to find out about applying for a school place once the school year has started (known as in-year applications). They can tell you which schools still have places and how to apply.\n\nOnce your child has been offered a place, they will usually start school at the beginning of the following term.\n\n## School waiting lists\n\nIf your child does not have a place, contact your local council for schools with places.\n\nYou can also put your child\u2019s name down on a waiting list. The \u2018admission authority\u2019 for the school (usually the school itself or the council) must keep a waiting list open for at least the first term of each school year.\n\nContact the school or your local council if you want your child\u2019s name added to a waiting list.\n\nYou can add your child\u2019s name to a waiting list even if they have been offered a place at another school.\n\nIf your child is on a waiting list and the school offers you a place, the admission authority will send you a formal offer. You can still accept the offer even if your child has already started at another school.\n\n## Appealing a school's decision\n\nYou\u2019ll be sent a letter with the decision about your child\u2019s school. If your child is refused a place, you can appeal against the decision. The letter will tell you how.\n\nYou must appeal against each rejection separately. You can only appeal once against each rejection.\n\n## Preparing your appeal\n\nThe admission authority for the school must allow you at least 20 school days to appeal from when they send the decision letter.\n\nThe admission authority will set a deadline for submitting information and evidence to support your appeal. If you submit anything after the deadline, it might not be considered and may result in delays to your hearing.\n\nCoram Children\u2019s Legal Centre may be able to give you advice about appeals.\n\n## When the hearing will be\n\nThe admission authority must give you at least 10 school days\u2019 notice of the hearing.\n\nAppeals must be heard within 40 school days of the deadline for making an appeal.\n\n## What happens at the appeal hearing\n\nThere\u2019s a panel of 3 or more people at the appeal hearing. The panel must be independent and must follow the school admission appeals code.\n\n- The admission authority will explain why they turned down your application.\n\n- You\u2019ll be able to give your own reasons why your child should be admitted.\n\n- The appeals panel must decide if the school\u2019s admission criteria were properly followed and comply with the school admissions code.\n\n- If the criteria were not properly followed or do not comply with the school admissions code your appeal must be upheld.\n\n- If your reasons for your child to be admitted outweigh the school\u2019s reasons for not admitting any more children at all, your appeal will be upheld.\n\n- You will usually be sent the decision within 5 school days.\n\nYou can read more about school admission appeals.\n\n## Appeals for infant classes\n\nYou need to go through the same process if you\u2019re appealing a decision about an infant class. In reception, year 1 and year 2, the class size is limited to 30. Your application can be turned down if all the classes already have 30 children.\n\nYour appeal could be successful if:\n\n- giving your child a place will not increase the class size above the limit\n\n- the admission arrangements have not been properly followed\n\n- the admission criteria do not comply with the school admissions code\n\n## Complain about the appeals process\n\nYou can complain about the way the appeal was carried out, but you can not complain about the decision itself.\n\n## Maintained schools\n\nComplain to the Local Government Ombudsman.\n\nFill in the online complaint form.\n\n## If a maintained school becomes an academy\n\nIf you complain about an appeal concerning a maintained school that then converts to academy status, the Local Government Ombudsman will investigate it and pass any actions to the Education and Skills Funding Agency (ESFA).\n\n## Other schools\n\nComplain to ESFA about an appeal made to:\n\n- free schools\n\n- academies, including university technical colleges and studio schools\n\nFill in the online complaint form.\n\nUsing the online form is the quickest way to make a complaint. If you need a paper form instead, contact:\n\nYou should get a decision on your complaint within 9 weeks (45 working days). You\u2019ll be told if it\u2019ll take longer.\n\nYou\u2019ll get a letter explaining the reasons for the decision.\n\nIf ESFA decides something went wrong with the appeals panel, it may:\n\n- ask the school to hold a new appeal hearing with a different panel\n\n- recommend the school reviews its appeals process\n\n## Complain about another school matter\n\nIf you have a complaint about a school that is not related to the appeals process, contact the Department for Education.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/schools-admissions", + "answerable": true, + "scenario": "My uncle has a 14 year old step son who moved to England from India last month.He has been looking for a special grammar school for him to join.", + "original_question": "Will he be required to do and pass an entrance exam in order for him to qualify?" + }, + { + "id": "train-374", + "question": "Scenario: I am 20 years and would like to do a voluntary work in a live in charity in London. It hosts several vulnerable and destitute women.\n\nQuestion: Do I have to be vaccinated before I can start the work?\n\nDocument - Volunteering during coronavirus (COVID-19):\n## Overview\n\nYou can volunteer during coronavirus (COVID-19) with an organisation or group. You can also help people in your local area by doing things like picking up shopping or medicines.\n\nYou may be able to volunteer:\n\n- from home\n\n- from outside your home\n\n- in a workplace\n\nA new COVID-19 variant is spreading in some parts of England. Check what you can and cannot do if you\u2019re in an area where the new variant is spreading.\n\nThis guidance is for volunteers in England. There\u2019s different guidance on:\n\n- volunteering in Scotland\n\n- volunteering in Wales\n\n- volunteering in Northern Ireland\n\nIf you run an organisation or group, or manage volunteers, find out how to involve volunteers safely.\n\n## Where you can volunteer\n\nYou should volunteer from home where possible.\n\nFollow guidance on volunteering with other people if you have to volunteer outside your home. Do not leave home if:\n\n- you\u2019ve been told to self-isolate by NHS Test and Trace\n\n- you\u2019re self-isolating for any other reason\n\nIf you\u2019re volunteering in a workplace, it should follow guidance on working safely during COVID-19.\n\n## If you\u2019re at high risk from COVID-19\n\nYou can volunteer outside your home, if you\u2019re at high risk from COVID-19 (clinically extremely vulnerable), but you should take extra steps to protect yourself. For example, reduce:\n\n- your social interactions\n\n- the time you spend in places where you cannot social distance\n\n## If you have COVID-19 symptoms\n\nDo not volunteer outside your home if you have COVID-19 symptoms or if you\u2019ve tested positive for COVID-19.\n\nYou must self-isolate from the date you started having symptoms or from the day you tested positive and for the next 10 full days - whichever is the latest.\n\nIf you\u2019re self-isolating your volunteer organisation should not ask you to leave home.\n\n## If you need to travel as a volunteer\n\nFind out how to travel safely if you\u2019re volunteering in England.\n\nCheck COVID-19 guidance in Scotland, Wales or Northern Ireland before you travel, if you need to volunteer in one of these countries.\n\nBefore volunteering abroad:\n\n- check if the country you\u2019re going to is accepting volunteers - read foreign travel advice to find out where you can go\n\n- read the guidance on travelling abroad during COVID-19\n\n- check if your volunteering role means you\u2019re exempt from travel restrictions\n\n- check the rules you must follow when you return to England\n\n## Ways to volunteer\n\nYou can volunteer during coronavirus (COVID-19) with an organisation or group, for example a charity, the NHS or a local volunteer-run group.\n\nFind out about volunteering with a charity or voluntary organisation.\n\nCheck if your local council has volunteering opportunities.\n\nYou should choose your volunteering activity based on your risk of getting seriously ill with COVID-19.\n\n## Volunteer with the NHS\n\nIf you want to help the NHS as a general volunteer, apply for the NHS volunteer responder scheme. You\u2019ll need to check if the scheme is recruiting in your area.\n\nTo volunteer in a hospital, including if you\u2019re a doctor or nurse, contact your local hospital trust.\n\nIf you want to give blood, read the guidance about donating blood during COVID-19.\n\nYou can also sign up to the NHS COVID-19 vaccine registry if you want to take part in a COVID-19 vaccine research study.\n\n## Help people in your local area\n\nYou can help others by doing activities like picking up shopping and offering support on the phone. This includes:\n\n- family, friends and neighbours who are at high risk from COVID-19 or who prefer not to go out\n\n- people who are feeling lonely or isolated\n\n- staff and volunteers in key worker roles\n\nYou can also join a mutual aid group. A mutual aid group is a local volunteer-run initiative where people come together to help each other.\n\n## Protect those you help\n\nIf you\u2019re worried about someone\u2019s health, contact the NHS or check NHS COVID-19 advice online.\n\nIf you\u2019re helping someone who\u2019s staying at home, you should follow social distancing guidelines if you do have to go indoors.\n\nIt may not always be possible to follow social distancing guidelines, for example if you\u2019re providing personal care to someone. You should consider whether the activity is essential and follow working safely guidance.\n\n## If you\u2019re helping someone who\u2019s not a friend or family member\n\nYou should show identification when you call at their home.\n\nYou should not:\n\n- ask for their credit or debit card numbers, or other financial information\n\n- take their address and phone number, unless you need it to do a task\n\n- pressure them into giving you any unnecessary information\n\nYou can find out how to help others safely on the British Red Cross website.\n\nContact the police if you think someone you\u2019re helping is being abused or neglected. Phone 999 in an emergency or 101 if the person is not in immediate danger.\n\n## Volunteering with other people\n\nWhen you volunteer, you can meet in groups of any size from different households, both indoors or outdoors. However, meeting in smaller groups can reduce the risk of coronavirus (COVID-19) spreading.\n\nYou can also meet in groups for activities like volunteer recruitment and training. This does not include meeting in groups for social activities.\n\nThe organisation or group of volunteers running the activities should follow guidance on working safely during COVID-19.\n\nAs a volunteer, you should:\n\n- follow social distancing guidelines\n\n- wash your hands regularly and for 20 seconds\n\n- wear a face covering indoors\n\n- make sure indoor spaces are well ventilated with fresh air\n\nIn some volunteering roles, it may not be possible for you to follow social distancing guidelines. For example, driving a vehicle with others in it. You should consider whether the activity is essential before doing it and follow the guidance on working safely during COVID-19.\n\n## Volunteering in a support group\n\nYou can volunteer in a support group. Support groups should provide mutual aid, therapy or another form of support.\n\nThere cannot be more than 30 people in the support group itself. Children under 5 are not included in this limit. There\u2019s no limit to the number of volunteers.\n\nFor example, 5 volunteers could support up to 30 people in a group session, to make a group of 35 in total.\n\nFormal support groups must not be run from private homes.\n\n## Testing and vaccination\n\nFind out how to get tested for coronavirus (COVID-19).\n\nIf you volunteer in an essential role and have COVID-19 symptoms, you\u2019ll be prioritised for a test.\n\n## Who can get a vaccine\n\nYou can get vaccinated if you\u2019re a volunteer in an eligible group. This includes volunteers in frontline health and social care roles.\n\nIf you qualify for a vaccine because of your age or a clinical condition, you\u2019ll be vaccinated at the same time as other people in your area.\n\nThe NHS will let you know when you can get a vaccine and how to get it.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/coronavirus-volunteering", + "answerable": true, + "scenario": "I am 20 years and would like to do a voluntary work in a live in charity in London. It hosts several vulnerable and destitute women.", + "original_question": "Do I have to be vaccinated before I can start the work?" + }, + { + "id": "train-375", + "question": "Scenario: My sister is a widow and on benefits. She got a volunteer job offer. She will be reimbursed out of pocket expenses for travels and meals.\n\nQuestion: Will this affect her benefits?\n\nDocument - Volunteer opportunities, rights and expenses:\n## Find volunteer opportunities\n\nYou can find volunteering opportunities on the:\n\n- Do-it website\n\n- Volunteering Matters website for young, older and disabled volunteers\n\n- National Association for Voluntary and Community Action website\n\n- local Volunteer Centre website\n\n- Reach Volunteering website for volunteers with specific skills - like accountancy, marketing, law, management, mentoring or IT\n\n- Volunteering Wales website\n\n- Volunteer Scotland website\n\nFind out about volunteering during coronavirus (COVID-19).\n\n## Volunteers' rights\n\nYou do not have a contract of employment as a volunteer, so you do not have the same rights as an employee or worker.\n\nYou will usually be given a volunteer agreement that explains:\n\n- the level of supervision and support you\u2019ll get\n\n- what training you\u2019ll get\n\n- whether you\u2019re covered under the organisation\u2019s employer or public liability insurance\n\n- health and safety issues\n\n- any expenses the organisation will cover\n\nThe volunteer agreement is not compulsory, but sets out what you can expect from the organisation you\u2019re volunteering for. It does not form a contract between you and the organisation.\n\nThe National Council for Voluntary Organisations (NCVO) has information on volunteers\u2019 legal status.\n\n## When you can volunteer\n\n## Age limits\n\nThere\u2019s no upper age limit on volunteering, but anyone over 70 will need to follow public health advice on volunteering during coronavirus (COVID-19).\n\nSome organisations\u2019 insurance policies do not cover you if you\u2019re under 16 or over a certain age.\n\nYou cannot work for a profit-making organisation if you\u2019re under 14, even if you\u2019re not paid.\n\nYour local council might have extra rules about the work you can do as a young person.\n\n## Volunteering and benefits\n\nYou can volunteer and claim benefits if:\n\n- the only money you get from volunteering is to cover expenses, like travel costs\n\n- you continue to meet the conditions of the benefit you get\n\n## Criminal records\n\nIf you have a criminal record you can still volunteer in most roles, depending on your offences. You might need a Disclosure and Barring Service check if you want to volunteer with children or vulnerable adults.\n\n## Pay and expenses\n\nYou are not paid for your time as a volunteer, but you may get money to cover expenses. This is usually limited to food, drink, travel or any equipment you need to buy.\n\nYou may need to pay tax on your driving expenses if you get back more than you spent.\n\nYou might be classed as an employee or worker rather than a volunteer if you get any other payment, reward or benefit in kind. This includes any promise of a contract or paid work in the future.\n\nYou get certain employment rights if you\u2019re classed as an employee or worker, like getting the minimum wage.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/volunteering", + "answerable": true, + "scenario": "My sister is a widow and on benefits. She got a volunteer job offer. She will be reimbursed out of pocket expenses for travels and meals.", + "original_question": "Will this affect her benefits?" + }, + { + "id": "train-377", + "question": "Scenario: I am currently 20 weeks pregnant and i have been working more than 25 hours per week. My doctor has made recommendations that i should take a maternity leave and have some bed rest, This will automatically affect my wages.\n\nQuestion: Can i still apply for a working tax credit?\n\nDocument - How to claim tax credits:\n## How to claim\n\nTax credits have been replaced by Universal Credit.\n\nYou can only make a claim for Child Tax Credit or Working Tax Credit if you already get tax credits. You\u2019ll need to update your existing tax credit claim by\u00a0reporting a change in your circumstances online or by phone.\n\nIf you cannot apply for tax credits, you can apply for Universal Credit instead.\n\nYou might be able to apply for Pension Credit if you and your partner are State Pension age or over.\n\n## When to claim\n\nApply as soon as you know you\u2019re eligible so you get all the money you\u2019re entitled to.\n\nYou can claim tax credits at any time of year.\n\n## If you know your income will go down\n\nApply straight away if you know your income will drop to a level that means you\u2019ll be eligible for tax credits.\n\nFor example, you could make a claim now if you found out your income is going to drop in 6 months\u2019 time.\n\nThe income levels for Working Tax Credit and Child Tax Credit are different.\n\nUsually, tax credits are backdated by up to 31 days from the start of your claim.\n\n## Joint claims\n\nYou can apply for tax credits as a single person, or as a couple (known as a \u2018joint claim\u2019) if you\u2019re both 16 or over and living in the UK.\n\nUsually, you must make a joint claim if:\n\n- you\u2019re married or in a civil partnership (and not permanently or legally separated)\n\n- you live with your partner as though you\u2019re married or in a civil partnership\n\n- you\u2019re temporarily living away from one another, for example looking after a relative or working away from home\n\n- your partner is working abroad for the government\n\nYou might also need to make a joint claim if you and your partner are not married or in a civil partnership, but:\n\n- sometimes live in the same house\n\n- have a joint financial agreement\n\n- have dependent children\n\n## Exceptions\n\nYou do not always make a joint claim because you have a partner. For example, make a single claim if:\n\n- you live in the UK but your partner lives abroad (unless your partner works for the government)\n\n- you both live abroad, you\u2019re from the EEA or Switzerland and you work in the UK but your partner does not\n\n## If you\u2019re not sure\n\nCall HM Revenue and Customs to find out if you should make a joint claim.\n\nYou must pay back any tax credits you\u2019re not entitled to if you do not make the right sort of application.\n\n## Backdate a claim\n\nWhen you make a claim, your tax credits are usually backdated automatically by up to 31 days. You do not have to do anything.\n\n## If you\u2019re claiming other benefits\n\nYou have to ask for your tax credits to be backdated if you get:\n\n- Income Support\n\n- Jobseeker\u2019s Allowance (income-based)\n\n- Employment and Support Allowance (income-related)\n\n- Pension Credit\n\nYou might not get the full backdated claim if you stopped getting one of these benefits in the last 31 days and you\u2019re claiming both Child Tax Credit and Working Tax Credit.\n\n## Backdating by more than 31 days\n\nTax credit claims can sometimes be backdated by more than 31 days if you:\n\n- apply within a month of getting refugee status\n\n- apply within 31 days of qualifying for certain sickness or disability benefits, such as Disability Living Allowance or Personal Independence Payment\n\nDo not apply to backdate these claims until you\u2019ve been given a decision on your refugee status or disability benefits.\n\nYou should still apply for other tax credits if you already qualify for them, for example if you have children.\n\n## How to backdate a claim\n\nIf you\u2019re claiming over the phone, call HM Revenue and Customs to ask them to backdate your claim.\n\nIf you\u2019re using claim form, include a page confirming:\n\n- your name, address and National Insurance number\n\n- the date you started work\n\n- the date you started getting one of the benefits listed, if you\u2019re not in work\n\n- the date you got a decision on your refugee status or disability benefits - if you\u2019re applying to backdate by more than 31 days\n\n## What counts as income\n\nUsually, what you\u2019re entitled to is based on your income for the last tax year (6 April 2020 to 5 April 2021).\n\nIncome includes:\n\n- money from employment before tax and National Insurance, including if you cannot work but you\u2019re still getting paid (\u2018on furlough\u2019) - check your P60s, P45s or payslips\n\n- earnings if you\u2019re self-employed before tax and National Insurance, including grants from the Self-Employment Income Support Scheme - check your Self Assessment tax return\n\n- money from some coronavirus (COVID-19) payments\n\n- benefits from your employer (check your P11D)\n\n- certain state benefits\n\n- money from a pension - including your State Pension\n\n- interest on savings\n\n- your partner\u2019s income - if you make a joint claim\n\n- UK company dividends\n\n- profit from a property you own or rent out in the UK\n\n- earnings from the Rent a Room Scheme above \u00a37,500 (or \u00a33,750 if you\u2019re a joint owner)\n\n- payment above \u00a330,000 because your job ended\n\nHM Revenue and Customs (HMRC) has detailed guidance if you need help working out your income.\n\n## Benefits\n\nIncome includes money from UK state benefits (or their foreign equivalents) except income-based Jobseeker\u2019s Allowance (JSA) or \u2018tax-free\u2019 benefits. Tax-free benefits include:\n\n- Child Benefit\n\n- Housing Benefit\n\n- Attendance Allowance\n\n- Disability Living Allowance\n\n- Personal Independence Payment\n\n- the foreign equivalents of UK tax-free benefits\n\nTo support your claim, keep records of your income, bills, payslips, benefits, tax credits, childcare and child\u2019s education for the current tax year and at least 2 years before that.\n\n## Work out your hours\n\nPut the number of hours you work in a normal week on your claim form.\n\nAdd all your hours together if you have more than one job.\n\nIf you\u2019ve just started work put the hours you expect to work.\n\n| Type of work | How to work out your hours |\n\n| Employed | Include overtime, but not unpaid breaks |\n\n| Self-employed | Include all the time you spend on your business (once you\u2019ve set it up) |\n\n| Seasonal | Put the hours you\u2019re working at the moment |\n\n| Regular term-time | Put the hours you work during term time |\n\n| Agency | Decide your normal hours with your employer |\n\n| On-call | Only count the hours you\u2019re called to work |\n\n| On standby | Do not count the time when you\u2019re not paid |", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/claim-tax-credits", + "answerable": true, + "scenario": "I am currently 20 weeks pregnant and i have been working more than 25 hours per week. My doctor has made recommendations that i should take a maternity leave and have some bed rest, This will automatically affect my wages.", + "original_question": "Can i still apply for a working tax credit?" + }, + { + "id": "train-380", + "question": "Scenario: My local golf team members opened a golf club since 2016. We have been getting income from our membership subscription fees and members pub etc.Our trading income is \u00a320,000 a year .\n\nQuestion: Can we get excempted from paying taxes?\n\nDocument - Running a community amateur sports club (CASC):\n## Overview\n\nAs a community amateur sports club (CASC) you must tell HM Revenue and Customs (HMRC) about:\n\n- any tax you need to pay\n\n- changes within your organisation\n\nThe rules for CASCs changed on 1 April 2015. Check whether you need to make changes to meet the new rules.\n\n## When you need to pay tax\n\nYou don\u2019t pay tax on some income as long as you:\n\n- are registered as a CASC with HMRC\n\n- use it to promote participation in and provide facilities for eligible sports\n\nYou may need to pay tax if:\n\n- your club uses money for other (non-qualifying) purposes\n\n- your trading or property rental income is more than the threshold for relief\n\n## Register for VAT\n\nYour CASC must register for VAT if your taxable turnover is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.\n\nTaxable turnover includes everything you sell that\u2019s not exempt from VAT. Income from sporting activities and fundraising events is exempt.\n\n## Changes to your CASC\n\nYou must report changes to your club\u2019s:\n\n- contact details\n\n- bank details\n\n- management\n\nYou can close a CASC but can\u2019t remove it from the register (this is called \u2018deregistration\u2019).\n\nIf you change the way you run your CASC you must still meet the rules on eligibility. If you don\u2019t, HM Revenue and Customs (HMRC) can cancel your registration.\n\n## Get help and advice\n\nYou can get help and advice on CASCs and charities from HMRC\u2019s charities helpline.\n\nAdvice and support is also available from cascinfo.co.uk.\n\n## Paying tax\n\nCommunity amateur sports clubs (CASCs) need to pay Corporation Tax on any income or capital gains that don\u2019t qualify for tax relief.\n\nIf your CASC needs to pay tax you must:\n\n- file a Company Tax Return\n\n- include form CT600E if you\u2019re claiming relief on any income or gains\n\nIf you have no tax to pay you only need to complete a tax return if HM Revenue and Customs (HMRC) asks you to.\n\nLimited companies must also send annual accounts to Companies House.\n\nYou may have to pay a fine if you don\u2019t complete a tax return when you need to or you file your tax return late.\n\n## Reporting changes\n\nUse form ChV1 to report changes to your community amateur sports club (CASC).\n\nAllow at least 30 days for HMRC to register your changes.\n\n## Changes you have to report\n\nYou must tell HM Revenue and Customs (HMRC) about changes to your:\n\n- organisation\u2019s contact details\n\n- authorised officials or responsible persons\n\n- nominees\u2019 details, including their bank or building society account changes\n\n- bank or building society account details\n\nYou can also use the form to tell HMRC about any other changes, for example changes to your constitution.\n\nYou must report any changes that would affect your club\u2019s eligibility to be a CASC.\n\n## Closing or deregistering a CASC\n\nOnly HM Revenue and Customs (HMRC) can deregister your CASC.\n\nIf your club\u2019s members vote and agree to close your CASC, you must:\n\n- let HMRC know\n\n- follow the rules in your governing document\n\nHMRC will tell you if you have to complete a Company Tax Return.\n\n## Disposing of assets\n\nThere are rules about what you do with your assets (for example, land or money) when you close a CASC.\n\nAny remaining assets must only be used for:\n\n- related community sport (as decided by your sport\u2019s governing body)\n\n- another registered CASC\n\n- a charity\n\nYour CASC would otherwise have to pay Corporation Tax.\n\n## If your club is removed from the register\n\nHMRC can cancel your CASC registration by writing to the club secretary if it decides your club is no longer eligible. This can be backdated.\n\nIf HMRC deregisters your CASC you:\n\n- will no longer get tax exemptions as of the deregistration date\n\n- may have to pay Corporation Tax on any assets taken out of the club", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/running-community-amateur-sports-club", + "answerable": true, + "scenario": "My local golf team members opened a golf club since 2016. We have been getting income from our membership subscription fees and members pub etc.Our trading income is \u00a320,000 a year .", + "original_question": "Can we get excempted from paying taxes?" + }, + { + "id": "train-383", + "question": "Scenario: My nephew is in Year 7 and has been permanently excluded from his school after several warning of indiscipline. I don\u2019t want him to drop out of school completely because he is still young.\n\nQuestion: Can i seek help from the local council?\n\nDocument - School discipline and exclusions:\n## Discipline\n\n## School behaviour policy\n\nEvery school has a behaviour policy, which lists the rules of conduct for pupils before and after school as well as during the school day.\n\nThe policy should also say what the school does to prevent bullying.\n\nYou can ask the school for a copy of the policy document.\n\n## Punishments\n\nSchools can punish pupils if they behave badly.\n\nExamples of punishments (sometimes called \u2018sanctions\u2019) include:\n\n- a telling-off\n\n- a letter home\n\n- removal from a class or group\n\n- confiscating something inappropriate for school , eg mobile phone or MP3 player\n\n- detention\n\n## Detention\n\nSchools don\u2019t have to give parents notice of after-school detentions or tell them why a detention has been given.\n\n## Physical contact\n\nSchool staff can use reasonable force to control and restrain pupils. This could include leading a pupil by the arm into a classroom.\n\n## Complaining about a punishment\n\nIf you disagree with the way your child\u2019s been punished, first talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.\n\n## Exclusions\n\nHeadteachers can exclude your child if they misbehave in or outside school.\n\n## What happens when your child is excluded\n\nYour child\u2019s school will let you know about an exclusion as soon as possible. They\u2019ll follow up with a letter telling you how long your child is excluded for and why.\n\nYou should also be told how to challenge the exclusion, if you want to.\n\nExclusions can start on the same day but the school shouldn\u2019t make you collect your child straight away.\n\n## Risk of prosecution if child is found in public place\n\nFor the first 5 school days of an exclusion, it\u2019s your responsibility to make sure your child isn\u2019t in a public place during normal school hours unless there is a good reason.\n\nYou might be prosecuted if your child is found in a public place when they\u2019re not supposed to be.\n\nChild Law Advice has more information on what happens when a child is excluded.\n\n## Types of exclusion\n\nThere are 2 kinds of exclusion - fixed period (suspended) and permanent (expelled).\n\n## Fixed period exclusion\n\nA fixed period exclusion is where your child is temporarily removed from school. They can only be removed for up to 45 school days in one school year, even if they\u2019ve changed school.\n\nIf a child has been excluded for a fixed period, schools should set and mark work for the first 5 school days.\n\nIf the exclusion is longer than 5 school days, the school must arrange suitable full-time education from the sixth school day, eg at a pupil referral unit.\n\n## Permanent exclusion\n\nPermanent exclusion means your child is expelled. Your local council must arrange full-time education from the sixth school day.\n\n## Alternative education and exclusion\n\nThe school or local council must tell you about any alternative education they arrange. It\u2019s your responsibility to make sure your child attends.\n\n## Making a complaint\n\nIf alternative education isn\u2019t arranged within 5 days, or you\u2019re not happy with the education, you can complain to:\n\n- the school, for fixed period exclusions\n\n- the local council, for permanent exclusions\n\nIf you\u2019re not happy with the response, you can complain to the Department for Education (DfE).\n\nYou\u2019ll need to show that you followed the school or council\u2019s complaints procedure.\n\n## Challenging exclusion\n\nYou\u2019ll get a letter from the school telling you what to do if you disagree with the exclusion.\n\nYou can ask the school\u2019s governing body to overturn the exclusion if either:\n\n- your child has been excluded for more than 5 days\n\n- the exclusion means they\u2019ll miss a public exam or national curriculum test\n\nIf the exclusion is for 5 days or fewer, you can still ask the governors to hear your views but they can\u2019t overturn the headteacher\u2019s decision.\n\n## Challenging permanent exclusion\n\nYou\u2019ll be invited to a review meeting with the school\u2019s governors if your child has been permanently excluded. This will happen within 15 school days.\n\nIf the governors don\u2019t overturn the exclusion, you can ask for an independent review by your local council (or academy trust if the school\u2019s an academy). The governors must tell you how to do this.\n\nIf your child is still excluded you can ask the Local Government Ombudsman (or the Education Funding Agency if the school\u2019s an academy or free school) to look at whether your case was handled properly. They can\u2019t overturn the exclusion.\n\n## Discrimination and other complaints\n\nYou can make a claim to a court or a tribunal if you think your child\u2019s been discriminated against. You need to do this within 6 months of the exclusion.\n\nContact the Equality Advisory Support Service for help and advice.\n\nFor more general complaints (eg if you don\u2019t want to challenge the exclusion but you\u2019re not happy with the way the school handled it), follow the normal school complaints process.\n\n## Searches\n\n## Searches without your child\u2019s consent\n\nThe school doesn\u2019t need your child\u2019s consent to search them if they think your child has prohibited items, including:\n\n- weapons, eg knives\n\n- alcohol\n\n- illegal drugs\n\n- stolen goods\n\n- tobacco products, eg cigarettes\n\n- pornographic images (of any kind, eg tabloid topless pictures and \u2018lads\u2019 mags\u2019 as well as extreme adult material)\n\n- fireworks\n\n- anything that has been, or is likely to be, used to cause injury or commit an offence\n\n- anything banned in the school rules\n\nThese things can be confiscated.\n\n## Legal requirements of a search\n\nThere should normally be 2 members of staff present during the search - the person doing the search and the search witness. Searches should normally be done by someone the same sex as your child.\n\nThe search witness must also be the same sex as your child if possible. Your child must not be asked to remove clothes, other than outer clothing like a coat.\n\nIf there\u2019s a risk of serious harm to a person if the search is not conducted immediately, a child may be searched by a person of the opposite sex and without another member of staff present.\n\n## Metal detectors\n\nSchools can make pupils go through a metal detector - they don\u2019t have to suspect that your child has a weapon. If your child refuses to go through the metal detector, they can be stopped from coming into school.\n\n## Complaining about a search\n\nIf you\u2019re unhappy with a search on your child at school, talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/school-discipline-exclusions", + "answerable": true, + "scenario": "My nephew is in Year 7 and has been permanently excluded from his school after several warning of indiscipline. I don\u2019t want him to drop out of school completely because he is still young.", + "original_question": "Can i seek help from the local council?" + }, + { + "id": "train-384", + "question": "Scenario: My neighbour\u2019s son came home from school with a swollen face and a strained arm. He disclosed that he has been bullied in school by his classmate. No action was taken by the headteacher after reporting.\n\nQuestion: Can school not have a bullying policy?\n\nDocument - School discipline and exclusions:\n## Discipline\n\n## School behaviour policy\n\nEvery school has a behaviour policy, which lists the rules of conduct for pupils before and after school as well as during the school day.\n\nThe policy should also say what the school does to prevent bullying.\n\nYou can ask the school for a copy of the policy document.\n\n## Punishments\n\nSchools can punish pupils if they behave badly.\n\nExamples of punishments (sometimes called \u2018sanctions\u2019) include:\n\n- a telling-off\n\n- a letter home\n\n- removal from a class or group\n\n- confiscating something inappropriate for school , eg mobile phone or MP3 player\n\n- detention\n\n## Detention\n\nSchools don\u2019t have to give parents notice of after-school detentions or tell them why a detention has been given.\n\n## Physical contact\n\nSchool staff can use reasonable force to control and restrain pupils. This could include leading a pupil by the arm into a classroom.\n\n## Complaining about a punishment\n\nIf you disagree with the way your child\u2019s been punished, first talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.\n\n## Exclusions\n\nHeadteachers can exclude your child if they misbehave in or outside school.\n\n## What happens when your child is excluded\n\nYour child\u2019s school will let you know about an exclusion as soon as possible. They\u2019ll follow up with a letter telling you how long your child is excluded for and why.\n\nYou should also be told how to challenge the exclusion, if you want to.\n\nExclusions can start on the same day but the school shouldn\u2019t make you collect your child straight away.\n\n## Risk of prosecution if child is found in public place\n\nFor the first 5 school days of an exclusion, it\u2019s your responsibility to make sure your child isn\u2019t in a public place during normal school hours unless there is a good reason.\n\nYou might be prosecuted if your child is found in a public place when they\u2019re not supposed to be.\n\nChild Law Advice has more information on what happens when a child is excluded.\n\n## Types of exclusion\n\nThere are 2 kinds of exclusion - fixed period (suspended) and permanent (expelled).\n\n## Fixed period exclusion\n\nA fixed period exclusion is where your child is temporarily removed from school. They can only be removed for up to 45 school days in one school year, even if they\u2019ve changed school.\n\nIf a child has been excluded for a fixed period, schools should set and mark work for the first 5 school days.\n\nIf the exclusion is longer than 5 school days, the school must arrange suitable full-time education from the sixth school day, eg at a pupil referral unit.\n\n## Permanent exclusion\n\nPermanent exclusion means your child is expelled. Your local council must arrange full-time education from the sixth school day.\n\n## Alternative education and exclusion\n\nThe school or local council must tell you about any alternative education they arrange. It\u2019s your responsibility to make sure your child attends.\n\n## Making a complaint\n\nIf alternative education isn\u2019t arranged within 5 days, or you\u2019re not happy with the education, you can complain to:\n\n- the school, for fixed period exclusions\n\n- the local council, for permanent exclusions\n\nIf you\u2019re not happy with the response, you can complain to the Department for Education (DfE).\n\nYou\u2019ll need to show that you followed the school or council\u2019s complaints procedure.\n\n## Challenging exclusion\n\nYou\u2019ll get a letter from the school telling you what to do if you disagree with the exclusion.\n\nYou can ask the school\u2019s governing body to overturn the exclusion if either:\n\n- your child has been excluded for more than 5 days\n\n- the exclusion means they\u2019ll miss a public exam or national curriculum test\n\nIf the exclusion is for 5 days or fewer, you can still ask the governors to hear your views but they can\u2019t overturn the headteacher\u2019s decision.\n\n## Challenging permanent exclusion\n\nYou\u2019ll be invited to a review meeting with the school\u2019s governors if your child has been permanently excluded. This will happen within 15 school days.\n\nIf the governors don\u2019t overturn the exclusion, you can ask for an independent review by your local council (or academy trust if the school\u2019s an academy). The governors must tell you how to do this.\n\nIf your child is still excluded you can ask the Local Government Ombudsman (or the Education Funding Agency if the school\u2019s an academy or free school) to look at whether your case was handled properly. They can\u2019t overturn the exclusion.\n\n## Discrimination and other complaints\n\nYou can make a claim to a court or a tribunal if you think your child\u2019s been discriminated against. You need to do this within 6 months of the exclusion.\n\nContact the Equality Advisory Support Service for help and advice.\n\nFor more general complaints (eg if you don\u2019t want to challenge the exclusion but you\u2019re not happy with the way the school handled it), follow the normal school complaints process.\n\n## Searches\n\n## Searches without your child\u2019s consent\n\nThe school doesn\u2019t need your child\u2019s consent to search them if they think your child has prohibited items, including:\n\n- weapons, eg knives\n\n- alcohol\n\n- illegal drugs\n\n- stolen goods\n\n- tobacco products, eg cigarettes\n\n- pornographic images (of any kind, eg tabloid topless pictures and \u2018lads\u2019 mags\u2019 as well as extreme adult material)\n\n- fireworks\n\n- anything that has been, or is likely to be, used to cause injury or commit an offence\n\n- anything banned in the school rules\n\nThese things can be confiscated.\n\n## Legal requirements of a search\n\nThere should normally be 2 members of staff present during the search - the person doing the search and the search witness. Searches should normally be done by someone the same sex as your child.\n\nThe search witness must also be the same sex as your child if possible. Your child must not be asked to remove clothes, other than outer clothing like a coat.\n\nIf there\u2019s a risk of serious harm to a person if the search is not conducted immediately, a child may be searched by a person of the opposite sex and without another member of staff present.\n\n## Metal detectors\n\nSchools can make pupils go through a metal detector - they don\u2019t have to suspect that your child has a weapon. If your child refuses to go through the metal detector, they can be stopped from coming into school.\n\n## Complaining about a search\n\nIf you\u2019re unhappy with a search on your child at school, talk to the headteacher. If you\u2019re not satisfied, ask for a copy of the complaints procedure.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/school-discipline-exclusions", + "answerable": true, + "scenario": "My neighbour\u2019s son came home from school with a swollen face and a strained arm. He disclosed that he has been bullied in school by his classmate. No action was taken by the headteacher after reporting.", + "original_question": "Can school not have a bullying policy?" + }, + { + "id": "train-385", + "question": "Scenario: One of our staff has invented a very unique energy saving product during his work in our company which is eco friendly.Our employer is very excited and would like to patent it.\n\nQuestion: Can he get a fast grant?\n\nDocument - Patenting your invention:\n## What you can patent\n\nYou can use a patent to protect your invention. It gives you the right to take legal action against anyone who makes, uses, sells or imports it without your permission.\n\nTo be granted a patent, your invention must be all of the following:\n\n- something that can be made or used\n\n- new\n\n- inventive - not just a simple modification to something that already exists\n\nPatents are expensive and difficult to get. Before you apply, check if a patent is right for your business.\n\n## What you cannot patent\n\nYou cannot patent certain types of invention, including:\n\n- literary, dramatic, musical or artistic works\n\n- a way of doing business, playing a game or thinking\n\n- a method of medical treatment or diagnosis\n\n- a discovery, scientific theory or mathematical method\n\n- the way information is presented\n\n- some computer programs or mobile apps\n\n- \u2018essentially biological\u2019 processes like crossing-breeding plants, and plant or animal varieties\n\n## Before you apply\n\nPatents are the most difficult form of protection to get. Check if a patent is right for your business before you apply for one.\n\nYou should only apply for a patent if:\n\n- your invention is new - check for similar ones by searching published patents, the internet and trade publications\n\n- you have the time and money for the application process\n\nThe application process is:\n\n- complicated - only 1 in 20 applicants get a patent without professional help\n\n- expensive - with professional help, applications typically cost \u00a34,000\n\n- long - it usually takes 5 years\n\nIf you get a patent, you\u2019ll also have to pay to renew it each year and the costs of legal action if you need to defend it.\n\n## Other ways to protect your intellectual property\n\nOther types of protection might be more appropriate for your business. For example, you can use:\n\n- trade marks - if you can create a brand and be first to market\n\n- design rights - if how your product looks (rather than how it works) is important and innovative\n\n- non-disclosure agreements to keep it secret before launch - this can provide enough protection if your product is likely to sell for only a short time\n\n## Getting help\n\nYou can get a professional to help you decide whether a patent is right for your business.\n\nYou may be able to get free advice by:\n\n- speaking to a patent attorney or other professional advisor - many offer basic advice for free\n\n- attending an intellectual property (IP) clinic\n\n- going to the British Library Business and IP Centre in London\n\nThis advice will be confidential.\n\nDo not talk to other people without a non-disclosure agreement, or you may not be able to patent your invention. You can get help with this from a patent attorney or solicitor.\n\n## If you decide to apply\n\nWhen you\u2019ve checked that a patent is right for your business, you should find a patent attorney or advisor. They will:\n\n- help you prepare your application correctly - you cannot add in additional information later\n\n- give you the best chance of being granted a patent\n\n- try to make your patent as commercially valuable as possible\n\nYou may be approached by companies offering to promote your invention for a fee. Get independent legal or financial advice before you agree to anything.\n\n## Applying for a patent\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process. Applications typically cost \u00a34,000 and the process usually takes 5 years. There are 8 steps if you apply for patent protection in the UK through the Intellectual Property Office (IPO).\n\n- Search for similar patents to make sure your invention is new.\n\n- Prepare your patent application.\n\n- File your patent application and request a search from IPO.\n\n- Receive your search report (usually within 6 months) and decide whether you want to continue with your application.\n\n- Your application will be published 18 months after you file it.\n\n- Ask for a \u2018substantive examination\u2019 within 6 months of publication.\n\n- Respond to comments from IPO\u2019s \u2018substantive examination\u2019. The examination may take place several years after you file your application.\n\n- Your application will be granted or refused.\n\nYou can commercially benefit from your patent once it has been granted, for example license, sell or mortgage your patent.\n\nDo not make your invention public before you apply. You may not be able to patent it if you do.\n\n## Other ways to get a UK patent\n\nYou can also file a UK patent application through the:\n\n- European Patent Office (EPO)\n\n- World Intellectual Property Organization (WIPO)\n\n## Prepare your application\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nA patent application is made up of 4 parts that need to meet specific criteria.\n\nYou must include:\n\n- a description of your invention that allows others to see how it works and how it could be made\n\n- legal statements that set out the technical features of your invention that are to be protected (known as \u2018claims\u2019)\n\n- a summary of all the important technical aspects of your invention (known as the \u2018abstract\u2019)\n\nYou should also include any drawings you need to illustrate your description.\n\nThe fees are higher if your description has more than 35 pages or you include more than 25 claims.\n\nRead the patent application fact sheets for instructions on how to produce each part of your application.\n\nYou have to submit your description and any drawings with your application form.\n\nYou can file your claims and abstract once your patent is pending, but it\u2019s best if you submit all the parts together.\n\n## Academic papers\n\nYou can send academic papers as part of your patent application, to help describe your invention.\n\nYou still need to send a description, drawings and claims.\n\n## \u2018Statement of inventorship\u2019\n\nYou need to complete a statement of inventorship if:\n\n- you\u2019re not the inventor\n\n- there\u2019s more than one inventor and they\u2019re not listed as applicants\n\n- you\u2019re applying on behalf of a company\n\nThe statement provides the Intellectual Property Office (IPO) with more information about who the inventor is and why you have the right to apply for the patent.\n\nSubmit your \u2018statement of inventorship\u2019 online when you apply for a patent, or do it later by filing documents for a pending UK patent.\n\nAlternatively, download the \u2018statement of inventorship\u2019 form and send it with your application.\n\n## Apply for a patent\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nYou can file a UK patent application with the Intellectual Property Office (IPO). Read the patent application fact sheets for instructions on how to produce each part of your application.\n\nYou can apply either:\n\n- online\n\n- by post\n\nYou can request and pay for your search and examination at this point or later in the process.\n\n## Fees\n\n| Stage | Apply online | Apply by post |\n\n| Application (if you pay when you apply) | \u00a360 | \u00a390 |\n\n| Application (if you pay later) | \u00a375 | \u00a3112.50 |\n\n| Search | \u00a3150 (plus \u00a320 for each claim over 25 claims) | \u00a3180 (plus \u00a320 for each claim over 25 claims) |\n\n| Substantive examination | \u00a3100 (plus \u00a310 for each page of description over 35 pages) | \u00a3130 (plus \u00a310 for each page of description over 35 pages) |\n\nIf you get a patent, you\u2019ll also have to pay to renew it to keep it in force.\n\n## Get your patent granted more quickly\n\nYou can get your application processed more quickly if you file your search and examination requests at the same time as you apply.\n\nThis costs the same as applying separately and means they\u2019ll be processed at the same time.\n\nYou may also be able to get a \u2018fast grant\u2019 if, for example:\n\n- your invention has some sort of environmental benefit (green channel)\n\n- you\u2019ve already submitted a patent application for your invention at another patent office (Patent Prosecution Highway)\n\nRead the patents fast grant guidance.\n\n## Request your search and examination\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nAs part of the application process, you must pay for a patent search and a \u2018substantive examination\u2019.\n\nYou can request the search either when you apply or later in the process.\n\nYou must request your search within 12 months of your filing or priority date.\n\nYou must request your examination within 6 months of publication.\n\n## Patent search\n\nThe Intellectual Property Office (IPO) carries out a search to check whether your invention is new and inventive.\n\nYou have to request and pay for your search within 12 months of your filing date or priority date.\n\nYou\u2019ll be sent the results and told if any part of your application is not right.\n\nRead the search report factsheet.\n\nSearch reports can take up to 6 months.\n\n## Publication\n\nYour application will be published 18 months from your filing or priority date, provided it\u2019s complete and passes the search.\n\nThe open part of your application, which includes your address, will be publicly available in the:\n\n- online patents journal on the IPO website\n\n- IPO records\n\n## \u2018Substantive examination\u2019\n\nThe examination checks whether your invention is new and inventive enough. It also checks that your description and claims match and are good enough to patent.\n\nThe examination will show if your application meets the legal requirements. You\u2019ll be told what you need to do if it does not.\n\nYou must request an examination of your patent application within 6 months of publication.\n\nExaminations can take place several years after you file your application.\n\n## How to apply\n\nYou can apply online or by post for both the search and examination.\n\n## Apply online\n\nYou can request your search and examination either:\n\n- with your initial application\n\n- later in the process\n\nYou must request your search within 12 months of your filing or priority date and examination within 6 months of publication.\n\n## Apply by post\n\nDownload the forms:\n\n- search request form\n\n- examination request form\n\nFill in and post the forms. The address is on the forms.\n\n## After you apply\n\nIf you work with a patent attorney or advisor, they\u2019ll help you through the application process.\n\nYou\u2019ll be sent a receipt with your application number and filing date (the date your application is received).\n\nYou\u2019ll be told what to do next and when.\n\nAfter you\u2019ve applied you can mark your invention as \u2018patent pending\u2019 or \u2018patent applied for\u2019. You can either add the patent number and say that you applied for it in the UK, or use a web address instead if the patent number is online.\n\nIf you use a web address, make sure the patent number and the product it relates to are clearly displayed on your website.\n\nIf your patent is granted:\n\n- your application will be published in its final form\n\n- you\u2019ll be sent a certificate\n\nYou\u2019ll be responsible for renewing and defending your patent.\n\n## File more documents once your patent is pending\n\nYou may need to file more forms and documents once you have a patent pending (for example a form to request a search, or a document with your claims).\n\nYou must send your claims, abstract, application fee and search fee within 12 months of your filing date.\n\n## If your application includes a \u2018priority date\u2019 from an earlier application\n\nYou must send your claims, abstract, application fee and search fee within whichever of the following is later:\n\n- 12 months of the date when you filed your previous application (the priority date)\n\n- 2 months of your current filing date\n\n## Withdraw your application\n\nYou can withdraw your application for any reason, for example to stop it becoming public.\n\nTo stop your invention entering the public domain you must withdraw your application before it\u2019s published.\n\nYou can ask for a withdrawal up to the day before the deadline given in your search report.\n\n## Withdraw by email\n\nEmail withdraw@ipo.gov.uk with your patent application number in the subject line.\n\nClearly state that you want to withdraw in the body of the email.\n\nState why you have the authority to withdraw the application, for example that you\u2019re the applicant or their agent.\n\n## Withdraw by post\n\nYou can also withdraw by post - mark your request as urgent if there\u2019s less than 3 weeks until publication.\n\n## Make a new application with a priority date\n\nYou can withdraw your application and reapply if you want to change it for any reason, for example if you\u2019ve developed your invention since you first applied or have new information.\n\nYou can use the filing date of your earlier application (known as the priority date) if your new application is made within 12 months.\n\n## Terminated applications\n\nYour application will be terminated if you do not submit the right documents, forms and payment when asked to.\n\nYou may be able to reopen your application if you apply within 12 months of termination.\n\nYou need to be able to show:\n\n- why you failed to meet the requirements\n\n- that the failure was not intentional\n\n- when you became able to meet the requirements\n\nIt costs \u00a3150 to apply - this is not refundable.\n\n## Reopen your application\n\nDownload the reinstatement request form.\n\nSend the form, your fee and any supporting evidence to IPO.\n\nIf your request is granted, you must meet the requirements within 2 months.\n\nYou can ask for an ex parte hearing if you\u2019re turned down, where you can put your case to a senior official.\n\n## International patents\n\nA patent only protects your invention in the country where the patent is registered.\n\nFor protection overseas, you can:\n\n- file a single application under the Patent Cooperation Treaty (PCT) for protection in more than 140 countries\n\n- file a single application with the European Patent Office (EPO) for protection in more than 30 countries in Europe\n\n- apply separately to the patent office of each country where you want a patent\n\nRead the guidance on filing a patent abroad for basic information on filing for international protection.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/patent-your-invention", + "answerable": true, + "scenario": "One of our staff has invented a very unique energy saving product during his work in our company which is eco friendly.Our employer is very excited and would like to patent it.", + "original_question": "Can he get a fast grant?" + }, + { + "id": "train-387", + "question": "Scenario: y neighbour bought a farm tractor last year and it had a CE Marking affixed which he told me that it denotes that the machine meets the required safety standards.\n\nQuestion: I found a very similar tractor that is much cheaper to buy but it doesn't have a CE marking. Can I still use it?\n\nDocument - Health and safety using farm vehicles and machinery:\n## Overview\n\nIf you own or manage a farm, you\u2019re responsible for ensuring the health and safety of your workers and anyone who\u2019s affected by what they do.\n\nYou must:\n\n- carry out a assessment of any risks related to your farm\n\n- have a plan to manage these risks and protect people from harm\n\n- plan and set standards to be sure that your health and safety practices work\n\n- check how you\u2019re doing through regular inspections and monitoring\n\nYou must make sure that all farming vehicles and equipment are:\n\n- safe to use\n\n- appropriate for the jobs they are used for\n\n- their safety risks are reduced as much as possible\n\n## Health and safety assessments\n\nThe Health and Safety Executive (HSE) has produced guidance to help farmers conduct health and safety assessments of their farms.\n\nThe \u2018Farmwise\u2019 guide also provides information and guidance on health and safety for farm vehicles and machinery.\n\n## Buying vehicles and equipment\n\n## CE Mark\n\nMost new machines, vehicles or pieces of farming equipment you buy must be \u2018CE\u2019 marked. This mark means that it has been built to meet minimum legal safety requirements.\n\nMost new machines or pieces of equipment should also have:\n\n- a \u2018declaration of conformity\u2019 to show that it meets EU standards\n\n- a manual\n\n- information on noise levels\n\n## Second-hand equipment and vehicles\n\nBefore using second hand machinery, you should:\n\n- make sure that it complies with the Provision and Use of Work Equipment Regulations 1998\n\n- get the operator\u2019s manual or suitable instructions for use\n\n- replace or repair any missing or damaged safety guards before use\n\n## Maintaining vehicles and equipment\n\nYou must make sure that all your equipment is properly maintained and in good working order. You\u2019ll need to perform regular maintenance checks on all of your vehicles and machinery.\n\nYou can find useful equipment maintenance checklists on the British Agricultural and Garden Machinery Association website.\n\nThe Department for Transport also provides guidance on performing health checks on farm vehicles.\n\nYou can find information on the safe use of agricultural machinery on the Health and Safety Executive website.\n\n## Noise levels\n\nHigh levels of noise can damage hearing. By law, you must assess the level of noise in areas where people work for you. You must take action where noise exceeds certain levels.\n\nIf you have noisy machinery or equipment, you should consider:\n\n- providing hearing protection for operators\n\n- using barriers or screens to block sound\n\n- using materials to absorb sound\n\n- limiting the time spent in noisy environments\n\nRead information from the Health and Safety Executive (HSE) on noise levels at work.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "answerable": true, + "scenario": "y neighbour bought a farm tractor last year and it had a CE Marking affixed which he told me that it denotes that the machine meets the required safety standards.", + "original_question": "I found a very similar tractor that is much cheaper to buy but it doesn't have a CE marking. Can I still use it?" + }, + { + "id": "train-388", + "question": "Scenario: My mother owns a combine harvester machine and uses it to harvest her farm produce. It works very early in the morning or in the evening. My neighbours have been complaining of noise nuisance.\n\nQuestion: Are there any regulations on noise levels at work?\n\nDocument - Health and safety using farm vehicles and machinery:\n## Overview\n\nIf you own or manage a farm, you\u2019re responsible for ensuring the health and safety of your workers and anyone who\u2019s affected by what they do.\n\nYou must:\n\n- carry out a assessment of any risks related to your farm\n\n- have a plan to manage these risks and protect people from harm\n\n- plan and set standards to be sure that your health and safety practices work\n\n- check how you\u2019re doing through regular inspections and monitoring\n\nYou must make sure that all farming vehicles and equipment are:\n\n- safe to use\n\n- appropriate for the jobs they are used for\n\n- their safety risks are reduced as much as possible\n\n## Health and safety assessments\n\nThe Health and Safety Executive (HSE) has produced guidance to help farmers conduct health and safety assessments of their farms.\n\nThe \u2018Farmwise\u2019 guide also provides information and guidance on health and safety for farm vehicles and machinery.\n\n## Buying vehicles and equipment\n\n## CE Mark\n\nMost new machines, vehicles or pieces of farming equipment you buy must be \u2018CE\u2019 marked. This mark means that it has been built to meet minimum legal safety requirements.\n\nMost new machines or pieces of equipment should also have:\n\n- a \u2018declaration of conformity\u2019 to show that it meets EU standards\n\n- a manual\n\n- information on noise levels\n\n## Second-hand equipment and vehicles\n\nBefore using second hand machinery, you should:\n\n- make sure that it complies with the Provision and Use of Work Equipment Regulations 1998\n\n- get the operator\u2019s manual or suitable instructions for use\n\n- replace or repair any missing or damaged safety guards before use\n\n## Maintaining vehicles and equipment\n\nYou must make sure that all your equipment is properly maintained and in good working order. You\u2019ll need to perform regular maintenance checks on all of your vehicles and machinery.\n\nYou can find useful equipment maintenance checklists on the British Agricultural and Garden Machinery Association website.\n\nThe Department for Transport also provides guidance on performing health checks on farm vehicles.\n\nYou can find information on the safe use of agricultural machinery on the Health and Safety Executive website.\n\n## Noise levels\n\nHigh levels of noise can damage hearing. By law, you must assess the level of noise in areas where people work for you. You must take action where noise exceeds certain levels.\n\nIf you have noisy machinery or equipment, you should consider:\n\n- providing hearing protection for operators\n\n- using barriers or screens to block sound\n\n- using materials to absorb sound\n\n- limiting the time spent in noisy environments\n\nRead information from the Health and Safety Executive (HSE) on noise levels at work.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/health-and-safety-for-farm-vehicles", + "answerable": true, + "scenario": "My mother owns a combine harvester machine and uses it to harvest her farm produce. It works very early in the morning or in the evening. My neighbours have been complaining of noise nuisance.", + "original_question": "Are there any regulations on noise levels at work?" + }, + { + "id": "train-390", + "question": "Scenario: My brother is employed full time in a farm in Wales and operates a combine harvester but got an accident which left him with a broken leg. He has been told to have a bed rest by the doctor. Has now been off duty for 6 days .\n\nQuestion: Can he claim sick pay?\n\nDocument - Agricultural workers' rights:\n## Overview\n\nAgricultural workers in Wales, and those employed in England before 1 October 2013, are normally entitled to:\n\n- minimum rates of pay which may be higher than the National Minimum Wage\n\n- paid holiday\n\n- Agricultural Sick Pay\n\n- pay even if bad weather stops work\n\n- night work pay\n\n- on-call allowance\n\n- 30-minute rest breaks, if they are 18 or over and work more than 5.5 hours a day\n\nThere are different employment rights for agricultural workers employed in England from 1 October 2013.\n\nThere are also different rules for agricultural workers\u2019 rights in Scotland and Northern Ireland.\n\n## Terms and conditions\n\n## England\n\nAgricultural workers in England employed before 1 October 2013 still have the terms and conditions set out in the Agricultural Wages (England and Wales) Order 2012.\n\n## Wales\n\nBefore starting work, employers must give agricultural workers in Wales an Agricultural Wage Order. This sets out many of the terms and conditions of employment. But, employers must still give agricultural workers a written statement of employment particulars.\n\nThis sets out many of the terms and conditions of employment. However, agricultural workers must still be given a written statement of employment particulars by their employer.\n\n## Trainees\n\nTrainees have different rights, for example they do not get paid holidays.\n\n## Help and advice\n\nIf you were employed in England before 1 October 2013, you can contact the Acas helpline or use the Acas Helpline Online to get further advice.\n\nYou can also make a complaint to the Rural Payments agency.\n\nFor queries about wages and rights in Wales after 1 October 2013 contact the Agriculture: Sustainable Development Division.\n\n## What counts as an agricultural worker\n\nAn agricultural worker is someone who works in:\n\n- farming and rearing animals\n\n- growing produce including non-edible crops like bulbs, plants and flowers\n\n- forestry, market gardens and nurseries\n\n- maintaining meadow or pasture land, woodlands and reed beds\n\nThis list does not include everything. If you\u2019re not sure if a job counts as work in agriculture, call the Acas helpline.\n\n## Pay and overtime\n\nAgricultural workers in England must be paid at least the National Minimum Wage. Workers employed before the rules changed on 1 October 2013 still have the right to the Agricultural Minimum Wage if it says so in their contract.\n\nAgricultural workers in Wales must be paid at least the Agricultural Minimum Wage, or the National Minimum Wage if that\u2019s higher. The Agricultural Minimum Wage depends on the worker\u2019s job grade and category.\n\n## Agricultural Minimum Wage\n\n## Grades 1 to 6\n\nIf a worker\u2019s contract says they should work 39 hours a week (not including overtime) they must be paid the weekly rate, otherwise they must be paid the hourly rate.\n\n| | Weekly pay | Hourly pay | Hourly overtime |\n\n| Grade 1 (compulsory school age) | n/a | \u00a33.11 | \u00a34.67 |\n\n| Grade 1 (above compulsory school age) | \u00a3242.19 | \u00a36.21 | \u00a39.32 |\n\n| Grade 2 | \u00a3271.44 | \u00a36.96 | \u00a310.44 |\n\n| Grade 3 | \u00a3298.74 | \u00a37.66 | \u00a311.49 |\n\n| Grade 4 | \u00a3320.19 | \u00a38.21 | \u00a312.32 |\n\n| Grade 5 | \u00a3339.30 | \u00a38.70 | \u00a313.05 |\n\n| Grade 6 | \u00a3366.60 | \u00a39.40 | \u00a314.10 |\n\n## Full-time and part-time flexible workers\n\nFlexible workers must be paid at least the weekly rate if they are full-time, or at least the hourly rate if they are part-time.\n\n| | Hourly pay | Weekly pay | Hourly overtime |\n\n| Grade 1 - 6 days per week | \u00a36.64 | \u00a3258.96 | \u00a39.32 |\n\n| Grade 1 - 4-5 days per week | \u00a36.52 | \u00a3254.28 | \u00a39.32 |\n\n| Grade 2 - 6 days per week | \u00a37.45 | \u00a3290.55 | \u00a310.44 |\n\n| Grade 2 - 4-5 days per week | \u00a37.31 | \u00a3285.09 | \u00a310.44 |\n\n| Grade 3 - 6 days per week | \u00a38.20 | \u00a3319.80 | \u00a311.49 |\n\n| Grade 3 - 4-5 days per week | \u00a38.04 | \u00a3313.56 | \u00a311.49 |\n\n| Grade 4 - 6 days per week | \u00a38.78 | \u00a3342.42 | \u00a312.32 |\n\n| Grade 4 - 4-5 days per week | \u00a38.62 | \u00a3336.18 | \u00a312.32 |\n\n| Grade 5 - 6 days per week | \u00a39.31 | \u00a3363.09 | \u00a313.05 |\n\n| Grade 5 - 4-5 days per week | \u00a39.14 | \u00a3356.46 | \u00a313.05 |\n\n| Grade 6 - 6 days per week | \u00a310.06 | \u00a3392.34 | \u00a314.10 |\n\n| Grade 6 - 4-5 days per week | \u00a39.87 | \u00a3384.93 | \u00a314.10 |\n\n## Apprentices\n\nFor years 3 and above, apprentices must receive at least the rate for Grade 2 workers.\n\n| | Weekly pay | Hourly pay | Hourly overtime |\n\n| Year 1 - any age | \u00a3139.23 | \u00a33.57 | \u00a35.36 |\n\n| Year 2 - age 16 to 17 | \u00a3145.08 | \u00a33.72 | \u00a35.52 |\n\n| Year 2 - age 18 to 20 | \u00a3196.17 | \u00a35.03 | \u00a37.47 |\n\n| Year 2 - age 21 and over | \u00a3246.09 | \u00a36.31 | \u00a39.29 |\n\n## Trainees\n\nA trainee does not have to be paid for:\n\n- the hours they\u2019re being trained\n\n- holidays\n\nThey should be paid for any work done as part of a separate contract.\n\n## Training courses\n\nIf an employed worker is on a training course, they should be paid at least their normal wage - including for the time spent travelling to and from the training.\n\n## Overtime\n\nOvertime must be paid if a person works:\n\n- more than 39 basic hours in a week\n\n- more than 8 hours in a day\n\n- any hours over the normal working hours in the employment contract\n\n- on a public or bank holiday\n\n- on a Sunday - if the contract started before 1 October 2006\n\n## Piece work\n\nEven if they are paid for completing a task, for example for each box of fruit packed, a worker must be paid the Agricultural Minimum Wage according to the hours they work.\n\n## Night work\n\nA worker who works at any time between 7pm and 6am must be paid \u00a31.36 per hour more than their basic pay rate.\n\n## Dog allowance\n\nIf a worker keeps a dog for their job, they must get \u00a37.63 a week for each dog.\n\n## Tied accommodation\n\nIf a worker gets a house or \u2018self-contained accommodation\u2019 as part of their job they can be paid \u00a31.50 less than their normal weekly pay. They may automatically get an agricultural tenancy.\n\nIf the accommodation is not a house - for example, a caravan - they can be paid \u00a34.82 less each day they stay there.\n\nAccommodation must be safe, warm, secure - and have toilet and washing facilities and fresh drinking water.\n\n## On-call allowance\n\nThe on-call allowance for a worker is 2 hours\u2019 overtime pay for their grade, and is paid if they are not at work but have an arrangement with their employer:\n\n- to be contactable by an agreed method\n\n- to be able to reach their workplace within an agreed time\n\nIf they are called into work, they must be paid overtime for the hours they work, or for 2 hours - whichever is the higher.\n\n## Sick pay\n\nAgricultural workers are entitled to sick pay, meaning they\u2019ll get at least the Agricultural Minimum Wage when they\u2019re off.\n\n## Grades and categories\n\nThe minimum wage and other rights and entitlements for agricultural workers depends on their grade and category.\n\n## Grades\n\nAn agricultural worker\u2019s grade is based on their skills and responsibilities.\n\n## Grade 1 - initial grade\n\nA grade 1 worker is usually supervised and works on simple tasks like harvesting or packing.\n\nThey have the right to be trained to become a grade 2 worker once they\u2019ve worked for the same employer continuously for 30 weeks.\n\n## Grade 2 - standard worker\n\nSomeone is a grade 2 worker if they have one of the following:\n\n- a vocational qualification of at least NVQ at level 2\n\n- a certificate of competence for the agricultural sector they work in\n\nSomeone is also a grade 2 worker if they:\n\n- work mainly unsupervised\n\n- work with animals\n\n- use powered machinery\n\n- drive a tractor\n\n## Grade 3 - lead worker\n\nIf someone has worked in agriculture for at least 2 of the past 5 years, they\u2019re a grade 3 worker if they have either:\n\n- a National Certificate in agriculture or horticulture\n\n- 4 certificates of competence or non-accredited competencies, for the agricultural sector they work in\n\nSomeone is also a grade 3 worker if\n\n- they manage a team - but not discipline team members\n\n- their employer views them as a grade 3 team leader and they\u2019ve completed a one month (maximum) trial period\n\n## Grade 4 - craft grade\n\nSomeone is a grade 4 worker if they have:\n\n- an NVQ level 3 vocational qualification\n\n- 8 certificates of competence for the agricultural sector they work in\n\nThey should also have:\n\n- worked for the same employer continuously for 12 months since getting this qualification\n\n- worked in agriculture for at least 2 of the past 5 years\n\nThere are other qualifications for grade 4 - you can get more help and advice.\n\n## Grade 5 - supervisory grade\n\nA grade 5 worker is responsible for either:\n\n- supervising work on a farm on a daily basis\n\n- instructing, supervising and disciplining staff\n\n## Grade 6 - farm management grade\n\nA grade 6 worker has either:\n\n- management responsibility for a farm - or part of a farm if it\u2019s run as a separate business\n\n- responsibility for employing, disciplining and dismissing staff\n\n## Categories\n\nAn agricultural worker\u2019s category depends on their duties, responsibilities and/or qualifications.\n\n## Flexible workers\n\nFlexible workers must have a written \u2018flexible working agreement\u2019.\n\nA full-time flexible worker works:\n\n- a 39 basic hour week - the hours can vary over different days\n\n- set working hours and working days, which cannot be changed unless agreed with the employer\n\n- on a Sunday when needed\n\nA part-time flexible worker works:\n\n- less than 39 basic hours a week - the hours can vary over different days\n\n- set working hours and working days, which cannot be changed unless agreed with the employer\n\n## Trainee\n\nA trainee is someone who is:\n\n- on work experience as part of a Business, Innovation and Skills-approved training scheme\n\n- on work experience in agriculture as part of the Diploma in Environmental and Land-Based Studies for 14 to 19-year-olds\n\n- taking part in the second phase of the European Leonardo da Vinci Programme\n\n## Apprentice\n\nRights for apprentices are different.\n\n## Agricultural tenancies\n\nIf an agricultural worker gets a self-contained home as part of their job they may automatically have an \u2018assured agricultural occupancy\u2019. This will not happen if they had a written notice at the start of the tenancy saying that it was an assured shorthold tenancy instead.\n\n## How it starts\n\nAn assured agricultural occupancy starts when the worker has been employed in agriculture (by any employer) for 91 weeks of the last 104, including paid holiday and sick leave, and:\n\n- the tenant works 35 hours or more a week\n\n- the accommodation is owned by the farmer, or arranged by them\n\n## Who can get one\n\nThe tenant must be a serving farm worker or a:\n\n- farm manager or family worker\n\n- retired farm worker\n\n- farm worker forced to give up work\n\n- former farm worker who has taken other employment\n\n- deceased farm worker\u2019s widow, widower or family member of a worker and were living with the worker when they died\n\nThey have to have been working for the farmer who provides or arranges the accommodation.\n\nYou can get more detailed information on who can get an assured agricultural occupancy in \u2018agricultural lettings\u2019.\n\n## Rent increases\n\nThe rent can go up at any time if the worker agrees - if they do not, then it can only go up yearly, unless a different interval is stated in the tenancy agreement. The farmer must tell the worker in writing before putting the rent up.\n\n## The employment ends\n\nIf the worker loses their job or retires, they can stay in the accommodation. The farmer can ask them to start paying rent - or a higher rent than before. If the farmer and worker cannot agree on a rent, they can go to a rent assessment committee.\n\nIf the farmer wants the property back, they can apply to the courts, although they may have to provide the tenant with suitable alternative accommodation. If nothing suitable is available, the tenant may be entitled to re-housing by the council.\n\n## The farmer wants to end the tenancy\n\nThe farmer may want the property back for a new worker, or to end the tenancy because the worker is:\n\n- not paying the rent\n\n- breaking terms of the tenancy agreement\n\n- damaging the property or its contents\n\n- being a nuisance to neighbours\n\nIf the worker does not leave willingly, the farmer will have to go to court, and the court will decide whether the worker has to go. If the worker is still a serving farm worker, the farmer may have to provide alternative accommodation.\n\n## If a tenant dies\n\nThe tenancy will automatically pass to their husband or wife. If they did not have a husband or wife, it can pass to another family member if they lived there for the 2 years before the worker\u2019s death.\n\n## Gangmasters\n\nAn individual or business that provides workers for agricultural work is called a \u2018gangmaster\u2019.\n\nGangmasters must be licensed if they provide workers for:\n\n- agriculture\n\n- horticulture\n\n- dairy farming\n\n- food and drink processing or packaging\n\n- forestry\n\n- gathering shellfish (anybody who uses supplied workers to gather shellfish also needs to be licensed)\n\nThere are some jobs in these industries that do not need a gangmaster licence.\n\nYou can check if a gangmaster is licensed.\n\n## Changes to employment terms and conditions\n\nFrom 1 October 2013, the terms and conditions changed for agricultural and horticultural workers in England who begin new jobs. This includes workers supplied by a gangmaster.\n\n## Employment started on or after 1 October 2013\n\nWorkers must receive at least:\n\n- the National Minimum Wage\n\n- other statutory minimum terms of employment\n\n## Employment started before 1 October 2013\n\nWorkers, including those supplied by a gangmaster, are still entitled to the terms and conditions of their contract.\n\nFor example, this might mean workers are entitled to overtime rates, agricultural sick pay and dog allowance. Where accommodation is provided in a contract, workers can continue living in that accommodation.\n\nThese entitlements and any other terms and conditions already agreed will continue to apply unless the contract is changed by mutual agreement or it finishes.\n\nWorkers must always be paid at least the appropriate National Minimum Wage. A worker\u2019s rate must be raised if it ever falls below the minimum.\n\n## Enforcement of workers\u2019 rights\n\nWorkers should contact the Acas helpline if they\u2019re concerned that they\u2019re not working under the right terms and conditions.\n\n## Wales\n\nThere is no change in terms and conditions for workers in Wales after 1 October 2013.\n\nWorkers should contact the Agriculture: Sustainable Development Division if they\u2019re concerned they\u2019re not working under the correct terms and conditions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/agricultural-workers-rights", + "answerable": true, + "scenario": "My brother is employed full time in a farm in Wales and operates a combine harvester but got an accident which left him with a broken leg. He has been told to have a bed rest by the doctor. Has now been off duty for 6 days .", + "original_question": "Can he claim sick pay?" + }, + { + "id": "train-392", + "question": "Scenario: I own a shoe manufacturing company and my business friend owns a patent of a running shoes design.I would like to buy and own the patent to expand my business .\n\nQuestion: Do i need a solicitor to make this agreement?\n\nDocument - Using somebody else's intellectual property:\n## Overview\n\nYou can usually get permission to use someone else\u2019s intellectual property (IP) by buying the rights from them or getting their permission to use it.\n\nUsing someone\u2019s trade mark, patent, copyright or design without their permission is known as \u2018IP infringement\u2019 and could lead to a fine, prison or both.\n\nRead about IP crime and enforcement for more information on the penalties.\n\n## Trade marks\n\nTo use an existing trade mark you should contact the current owner.\n\nFind the owner of a registered trade mark by searching the trade marks database.\n\n## Licensing\n\nA licence is a formal agreement to use someone else\u2019s trade mark. You and the owner must agree the terms of the licence, for example the cost or how long it will last.\n\nWhen you\u2019ve agreed a licence to use the trade mark, fill in the form to record a licensee and post it. The address is on the form.\n\nPost an application to remove or amend the record of a licence when the licensing agreement ends or if you need to change it.\n\nThe owner must sign any form you send, or you must send proof of the agreement with your application.\n\nEach application costs \u00a350.\n\n## Buying\n\nYou must tell IPO if you become the new owner of a trade mark, for example by buying it or as the result of a company merger.\n\nIn some cases the owner may only sell you one part of a trade mark, for example they may not sell the right to register derivative marks. This is known as a \u2018partial assignment\u2019.\n\nUse either:\n\n- \u2018Application to record a change of ownership\u2019 form\n\n- \u2018Application to record a partial assignment of goods and/or services\u2019 form\n\nEach application costs \u00a350.\n\nFill in the form and post it. The address is on the form.\n\n## Coexistence agreements\n\nYou may be able to use an identical trade mark (for example company name, logo) as someone else by making a coexistence agreement.\n\nThis means you agree that both of you can continue to use the trade mark.\n\n## Patents\n\nContact the owner of the patent to see if they\u2019ll:\n\n- license it to you\n\n- sell it to you\n\nSearch the patent databases to find the current owner.\n\n## Licensing\n\nAny licence arrangement, including cost, is made directly between you and the patent owner.\n\nYou can ask Intellectual Property Office (IPO) for help to resolve patent disputes if you can\u2019t reach an agreement.\n\nIPO can\u2019t decide the exact terms of the licence (for example the price) but can decide:\n\n- what can and can\u2019t be part of a licence\n\n- if the patent owner must grant you a licence (known as a \u2018compulsory licence under a patent\u2019)\n\n## Licence of right\n\nA patent with \u2018licence of right\u2019, means that the patent owners will give anyone a licence to use it.\n\nYou must still agree with the owner on the terms of the licence before you can use the patent.\n\nYou can ask IPO for help if you can\u2019t reach agreement.\n\n## Registering your licence\n\nRegister a licence agreement (or changes to an existing licence, for example cancellation) by filling in Patents form 21. Send it to the address on the form.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Buying a patent\n\nWhen someone sells you a patent they must transfer ownership to you.\n\nYou need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.\n\nA solicitor can help you draw up this document.\n\nFill in Patents form 21 and return it to the address on the form. Include a copy of your assignment.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Copyright\n\nYou can\u2019t copy or use copyright material without permission. For example, you can\u2019t buy a painting and then use copies of it for a book cover, or buy a CD and use a track from it in a film.\n\nTo use something protected by copyright you must either:\n\n- agree a licence with the owner to use it\n\n- buy or acquire the copyright\n\n- confirm that your intended use falls within the exceptions to copyright\n\n## Finding a copyright owner\n\nA person can give permission if they are:\n\n- the person who made it (the creator), or their family or heirs\n\n- the creator\u2019s employer, if it was created it as part of the creator\u2019s job\n\n- a person who bought, acquired or licensed the rights\n\n- an organisation representing the copyright owner\n\nYou may be able to find out who owns copyright from Writers, Artists and their copyright holders (WATCH).\n\nIf you can\u2019t find out who the copyright owner is check if you need a licence to use the work.\n\n## Licensing\n\nYou must agree the terms of an agreement with the current owner to use all or part of copyright works.\n\nThe licence agreement may allow you to use it for one or more specified purposes and may apply only for a limited time or in specific places.\n\n## Exclusive use\n\nYou\u2019ll be the only person able to use something for the duration of the agreement.\n\nThis includes the copyright owner, who won\u2019t be able to use it themselves while the agreement is in place.\n\n## Limited use\n\nYou\u2019ll only be given permission to use something for one or more specific reasons, for example publishing a photograph in one edition of a magazine or using a song as the theme for one series of a TV show.\n\nYou need to agree another licence if you want to use the material for something else.\n\n## Creative Commons licence\n\nSome copyright owners release work under a Creative Commons licence.\n\nYou must check what kind of use the licence allows.\n\n## Buying copyright\n\nWhen you buy copyright the person you\u2019re buying from transfers the copyright to you.\n\nOnce you own the copyright to something you can use it for anything you like, without the creator\u2019s express permission, as long as you respect their moral rights.\n\nYou must have a written agreement, signed by the copyright owner, stating that they have transferred ownership of the copyright to you.\n\n## Moral rights\n\nThe creator may still have certain rights regarding how their work is used even if you\u2019ve bought the copyright.\n\nAuthors, playwrights, composers, artists and film directors have the moral right:\n\n- to be recognised as the creator of the work when copies are made available to the public\n\n- to object to the work being altered in a way that has negative effect on their reputation\n\n- to not have someone else\u2019s work falsely attributed to them\n\nPerformers, such as actors or dancers, have the moral right:\n\n- to be recognised as the performer of the piece\n\n- to object to the performance being altered in a way that is damaging to their reputation\n\nThe creator or performer of a piece of work to which you own the copyright must tell you if they want to exercise these rights.\n\nThey can choose whether or not to use their moral rights.\n\nMoral rights can\u2019t be sold or transferred in the same way as copyright. They last for as long as the piece of work is covered by copyright.\n\n## Performers\u2019 rights\n\nPerformers, for example in films or broadcasts, may still have \u2018economic rights\u2019 to some copyright material, even if you\u2019ve bought the copyright.\n\nFor example, if you\u2019ve bought the copyright to a filmed recording of a play you may still have to pay the actors if you broadcast it.\n\n## Permitted use of copyright works\n\nYou may not need permission if you\u2019re using a copyright work for the following reasons:\n\n- non-commercial research and private study\n\n- criticism, review and reporting current events\n\n- teaching in educational establishments\n\n- helping disabled people\n\n- recording for use at a later date\n\nYou may not need permission if you only want to use a \u2018less than a substantial\u2019 part of a copyright protected work. This is decided on a case by case basis.\n\nGenerally something won\u2019t be less than a substantial part if it could be seen as an important part of the work, for example a frame from a film or the conclusions of a report.\n\nGet legal advice from an intellectual property professional before using copyrighted material, if you\u2019re in any doubt.\n\nRead the guidance on exceptions to copyright for detailed information.\n\n## Designs\n\nTo use a registered design you must contact the current owner and either agree a licence to use the design or buy it from them.\n\nThe licence between you and the design\u2019s owner will tell you:\n\n- what you can do with the design\n\n- how long your licence will last\n\n- what you have to pay - if anything\n\nYou can do anything with a design that you\u2019ve bought.\n\nFill in and send form DF12A to register a licence or transfer ownership of the design - the address is on the form.\n\nThere\u2019s no fee.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "answerable": true, + "scenario": "I own a shoe manufacturing company and my business friend owns a patent of a running shoes design.I would like to buy and own the patent to expand my business .", + "original_question": "Do i need a solicitor to make this agreement?" + }, + { + "id": "train-393", + "question": "Scenario: I have just turned 18 years and this is my first time to vote. I applied for a postal vote and spoiled the ballot paper.\n\nQuestion: Will i be able to get another chance to vote in person at the polling station?\n\nDocument - How to vote:\n## Overview\n\nYou need to be registered to vote before you can vote in UK elections or referendums.\n\nIf you\u2019re eligible, you can vote in person on the day of the election at a named polling station. You can also apply for a postal or proxy vote instead.\n\nFind out about voting safely during coronavirus (COVID-19).\n\n## Ways of voting\n\nYou can vote:\n\n- in person at a polling station\n\n- by post\n\n- by asking someone else to vote for you (voting by proxy)\n\nYou cannot vote online in any elections.\n\n## Eligibility to vote\n\nYou can vote when you\u2019re:\n\n- 18 years old in England and Northern Ireland\n\n- 16 years old in Scottish Parliament and local elections (and other elections when you\u2019re 18)\n\n- 16 years old in Welsh Parliament elections (and other elections when you\u2019re 18)\n\n## Elections you can vote in\n\nDifferent elections have different rules on who can vote.\n\n## Voting and coronavirus (COVID-19)\n\nElections and referendums are going ahead during coronavirus (COVID-19), though you may see changes to some processes. You can still vote in person at a polling station.\n\nIf you\u2019re self-isolating, clinically extremely vulnerable, or do not want to go to the polling station, you can vote by post or vote by proxy.\n\nYou may also be able to get an emergency proxy vote at short notice if you need to self-isolate shortly before or on election day.\n\n## At the polling station\n\nBecause of COVID-19, there will be safety measures in place at polling stations to help you vote safely (for example, a one-way system or restrictions on the number of people allowed in).\n\nIf you choose to vote in person, make sure you:\n\n- wear a face covering (unless you\u2019re exempt)\n\n- bring your own pen or pencil (there will be clean pencils available at the polling station if you forget to bring your own)\n\n- use the hand sanitiser provided when entering and leaving the polling station\n\n- keep to social distancing guidelines\n\n## If you have COVID-19 symptoms or have been asked to self-isolate\n\nDo not visit the polling station. Apply for an emergency proxy vote instead. Your proxy can also apply if they develop symptoms.\n\nYou can apply until 5pm on election day. There are different forms to:\n\n- apply for an emergency proxy vote in England\n\n- apply for an emergency proxy vote in Scotland\n\n- apply for an emergency proxy vote in Wales\n\n## Voting in person\n\nYou vote in person at a polling station (usually in a public building, such as a school or local hall).\n\n## Your poll card\n\nYou\u2019ll be sent a poll card just before an election telling you when to vote and at which polling station. You can only vote at the polling station location on your card.\n\nIf you have not received a poll card but think you should, contact your local Electoral Registration Office.\n\nYou can still vote if you\u2019ve lost your card.\n\n## When you can vote\n\nPolling stations will be open from 7am to 10pm on the day of an election (\u2018polling day\u2019).\n\n## When you get to the polling station\n\nGive your name and address to the staff inside the polling station when you arrive.\n\nYou\u2019ll be given a ballot paper containing a list of the people, parties or options you can vote for.\n\n## ID you need to bring\n\nIf you live in England, Wales or Scotland you do not need to bring any identification to vote.\n\nYou will need to show photo ID to vote in Northern Ireland (your passport, driving licence, Electoral Identity Card or certain kinds of Translink Smartpass).\n\nYou do not have to take your poll card with you.\n\n## Filling in your ballot paper\n\nFollow the instructions on the notices in the polling booth and on the top of the ballot paper to vote.\n\n## Voting if you have a disability\n\nIf you have a disability, your local Electoral Registration Office can tell you about:\n\n- physical access, for example wheelchair ramps and disabled parking spaces\n\n- low-level polling booths\n\n- equipment for voters with a visual impairment\n\nEvery polling station must provide at least one large print display version of the ballot paper and a special tactile voting device (TVD) to help people with sight loss.\n\n## Voting by post\n\nYou must apply for a postal vote if you want to vote by post, for example if:\n\n- you\u2019re away from home\n\n- you\u2019re abroad and want to vote in England, Scotland or Wales\n\nYou do not need to give a reason unless you\u2019re voting in Northern Ireland.\n\n## Apply for a postal vote\n\nYou can apply to vote by post for one of the following:\n\n- a single election on a specific date\n\n- a specific period if you want to vote in England, Scotland or Wales\n\n- permanently\n\nArrange to vote by proxy if there are under 2 weeks until election day and you have not made arrangements.\n\nThere\u2019s a different form to apply to vote by post in Northern Ireland.\n\n## Change where your postal vote card is sent\n\nMake a new application for a postal vote if you move house or you\u2019ll be away from home when the postal vote is sent out.\n\nThere\u2019s a different form for Northern Ireland.\n\n## Completing and returning your postal vote\n\nWhen voting by post, you should:\n\n- mark your vote on your ballot paper in secret\n\n- fill in the postal voting statement\n\n- put the ballot and statement in the envelope provided\n\n- seal the envelope yourself\n\nPost your ballot back as quickly as possible to make sure it\u2019s counted.\n\n## If you\u2019re too late to post your ballot paper\n\nTake it to your local polling station by 10pm on election day, or Electoral Registration Office before they close.\n\nIn Northern Ireland, take it to your local Area Electoral Office before they close.\n\n## Replace a lost or damaged ballot paper\n\nYour ballot paper needs to clearly display your details and voting choice. If it has been damaged you need to get another one.\n\nYou can either:\n\n- ask your local Electoral Registration Office to post a replacement\n\n- collect a replacement from your local Electoral Registration Office up to 5pm on election day (or the day before in Northern Ireland)\n\nYou cannot vote at a polling station if you registered to vote by post but your ballot paper was lost or damaged.\n\n## Voting by proxy\n\nIf you\u2019re unable to vote in person you can ask someone to vote on your behalf. This is called a proxy vote.\n\nYou can only apply for a proxy vote under certain circumstances, including:\n\n- being away on polling day\n\n- having a medical issue or disability\n\n- not being able to vote in person because of work or military service\n\nYour proxy should be someone you trust to vote on your behalf. You\u2019ll need to tell them which candidate (or referendum outcome) you want to vote for.\n\n## How to apply for a proxy vote\n\nApply for a proxy vote using a paper form. You need to send it to your local Electoral Registration Office.\n\nUsually, you need to apply for a proxy vote at least 6 working days before election day if you want to vote in England, Scotland or Wales.\n\nThere\u2019s a different form to apply to vote by proxy in Northern Ireland. Apply at least 14 working days before election day.\n\n## Apply for an emergency proxy vote\n\nIf the proxy vote deadline has passed you may be able to apply for an emergency proxy vote if you both:\n\n- cannot vote in person because of your employment or a disability\n\n- became aware of this reason after the proxy deadline\n\nYou can apply until 5pm on the day of the election. Fill in a paper form to:\n\n- apply to vote by emergency proxy based on your employment\n\n- apply to vote by emergency proxy based on your disability\n\nAn \u2018appropriate person\u2019 (for example your employer or a doctor) must sign the application form. Send it to your local Electoral Registration Office.\n\nYou can also apply for an emergency proxy vote if you or your proxy need to self-isolate because of COVID-19.\n\n## How long your proxy vote is for\n\nYou can apply to vote by proxy:\n\n- for a single election on a specific date\n\n- for a specific period if you want to vote in England, Scotland or Wales\n\n- permanently\n\n## Who can act as a proxy\n\nYou can ask anyone to act as your proxy - as long as they:\n\n- are registered to vote\n\n- are allowed to vote in the type of election taking place\n\n- can vote in the polling station stated on your poll card\n\nIf they cannot get to your polling station, they will need to contact your local Electoral Registration Office to arrange to cast their proxy vote by post.\n\n## Change or cancel your proxy vote\n\nTo change who acts as your proxy or to start voting in person, contact your local Electoral Registration Office.\n\nIf you want to vote by post instead, complete a postal vote application.\n\n## Voting from abroad\n\nHow you vote when you\u2019re abroad depends on:\n\n- whether you\u2019ll be abroad temporarily or living abroad\n\n- where you want to vote\n\n## If you\u2019ll be abroad temporarily\n\nYou can vote by post or proxy if you\u2019ll be abroad temporarily on election day, for example on holiday or a work trip.\n\n## Voting in England, Scotland or Wales\n\nYou can arrange:\n\n- to vote by post\n\n- for someone else to vote for you (vote by proxy)\n\nIf you\u2019re abroad on election day you need to make arrangements in advance. Apply to vote by proxy if the election is less than 2 weeks away and you have not made arrangements yet.\n\nYour postal ballot will be sent to the address you\u2019ve chosen no earlier than 16 days before the election. You need to return your ballot before 10pm on polling day.\n\n## Voting in Northern Ireland\n\nThere\u2019s a different process to apply to vote by post or proxy if you live in Northern Ireland and will be abroad temporarily on election day.\n\nIf you will not have time to receive and return your postal ballot in Northern Ireland before going abroad you\u2019ll need to vote by proxy. You cannot apply to have your postal vote sent outside the UK.\n\n## If you\u2019re moving or living abroad\n\nYou can only vote in UK Parliament elections. You may be able to vote in referendums. Each referendum has different rules on who can vote in it.\n\nYou need to register as an overseas voter.\n\nYou can vote by post or proxy, if you\u2019re eligible. You\u2019ll be asked to make this choice when you register.\n\nYou\u2019ll then need to apply by filling in and posting one of the following:\n\n- the paper form to apply for a postal vote\n\n- the paper form to apply for a proxy vote\n\nYou can also ask for the form to be emailed or posted to you when you register online.\n\nIf you\u2019re registered in Northern Ireland, you cannot vote by post from abroad.\n\n## Get help voting\n\nYou can contact your Electoral Register Office to find out when postal votes might be sent. This could help you decide whether to vote by proxy or by post.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/how-to-vote", + "answerable": true, + "scenario": "I have just turned 18 years and this is my first time to vote. I applied for a postal vote and spoiled the ballot paper.", + "original_question": "Will i be able to get another chance to vote in person at the polling station?" + }, + { + "id": "train-395", + "question": "Scenario: Yesterday we had our North East somerset MP Elections and i was one of the candidates. I and my team witnessed alot election fraud,destruction of ballot papers,vote buying,ballot stuffing and misrecording of votes etc I have a tangible evidence and i would like to file an election petition. .\n\nQuestion: Can i challenge the election results within the coming 10days?\n\nDocument - Challenge an election result:\n## When you can make a challenge\n\nYou may be able to challenge the result of an election if you think it was not run properly, for example the votes were not counted correctly or a candidate broke the law.\n\nYou can challenge a UK Parliament election if either of the following apply:\n\n- you had the right to vote in it\n\n- you were a candidate\n\nYou can challenge a local government election if either:\n\n- you\u2019re part of a group of at least 4 people who had the right to vote in the election\n\n- you were a candidate\n\n## The deadline\n\nYou must usually apply within 21 days of when:\n\n- the result of the UK Parliament election was returned to the Clerk of the Crown in Chancery\n\n- the local government election was held\n\nA judge might let you apply after 21 days if:\n\n- you think there have been corrupt or illegal practices, for example bribery\n\n- your complaint is about election expenses, for example you think the winner spent more than they were allowed\n\n## How to make a challenge\n\nTo challenge an election you must apply to the Election Petitions Office. This is called issuing an election petition.\n\nYou\u2019ll need to send:\n\n- an election petition\n\n- an application to pay \u2018security for costs\u2019\n\nThe Election Petitions Office will stamp the petition before you send (\u2018serve\u2019) it to the people you\u2019re complaining about (\u2018the respondents\u2019). You can then apply to set a date for a hearing.\n\n## What to include in the petition\n\nYour petition must say:\n\n- why you\u2019re allowed to challenge the election result\n\n- the date and result of the election\n\n- the reason you\u2019re challenging the result, for example you think the votes were counted incorrectly\n\n- what you would like to happen, for example a recount\n\nFor a UK Parliament election, you must also give the date the result was given to the Clerk of the Crown in Chancery. The person who oversaw the election (the \u2018returning officer\u2019) can tell you this.\n\nYou can use a template to help you write the petition.\n\nYou must sign the petition. You cannot ask a solicitor to sign it for you. If you\u2019re part of a group, you must all sign.\n\n## Application for \u2018security for costs\u2019\n\nYou\u2019ll need to make an application to pay \u2018security for costs\u2019. This covers the cost of going to court.\n\nFill in form N244 (the \u2018application notice\u2019) and send it with your petition.\n\n## Send your challenge\n\nSend your petition and your application to pay \u2018security for costs\u2019 to the Election Petitions Office, along with your fees. The fees are:\n\n- \u00a3528 to issue a petition\n\n- \u00a3100 to apply for \u2018security for costs\u2019\n\nMake your cheque or postal order payable to \u2018HM Courts and Tribunals Service\u2019.\n\nThe Election Petitions Office must receive your petition by the last day you\u2019re allowed to apply.\n\nYou can also hand in your petition in person. The Election Petitions Office is open on weekdays from 9:30am to 4:30pm.\n\nOn the last day you\u2019re allowed to apply, you can apply any time before midnight. Put your petition in the letterbox outside room E110 if the office is closed.\n\nCall the Royal Courts of Justice if you need to get access to the letterbox.\n\nYou must make a statement (\u2018swear an affidavit\u2019) the next working day in front of a solicitor or a notary public. Your statement must confirm the day and time when you put the petition in the letterbox.\n\n## Pay 'security for costs'\n\nAfter you apply, the Election Petitions Office will tell you how much to pay for \u2018security for costs\u2019. The maximum is:\n\n- \u00a35,000 for a UK Parliament election\n\n- \u00a32,500 for a local government election\n\n- \u00a31,500 for a parish council election\n\nYou can sometimes get help with court fees if you have little or no savings, are on certain benefits or have a low income.\n\nYou can pay cash or give the names of up to 4 people (\u2018sureties\u2019) who will guarantee to pay. You must do this within 3 working days of handing in the petition.\n\nYou\u2019ll usually get the \u2018security for costs\u2019 back if you win the case.\n\nYou might have to pay more if you lose the case or you decide to stop it.\n\n## Serve your election petition\n\nYou should only contact the people you\u2019re complaining about (\u2018the respondents\u2019) once the Elections Petitions Office has stamped your petition. You must give (\u2018serve\u2019) them the petition within 5 working days of paying the \u2018security for costs\u2019.\n\nThe person who won the election must be one of the respondents, even if you do not think they\u2019ve done anything wrong.\n\n## What you must send\n\nSend each respondent copies of:\n\n- a letter (\u2018notice of presentation\u2019) from your solicitor if you have one\n\n- the petition you sent to the Election Petitions Office\n\n- the letter from the Election Petitions Office showing the amount of \u2018security for costs\u2019 and how you\u2019re paying (cash or guarantees)\n\n- promises (\u2018affidavits\u2019) from the people who guarantee to pay (\u2018sureties\u2019) if relevant\n\nYou must also send copies to the Director of Public Prosecutions.\n\nYou can send your documents:\n\n- in person\n\n- by first class post\n\n- through a solicitor\n\nThe court will consider documents to be served 2 days after they were posted if that\u2019s a working day, or the next working day if it is not.\n\n## What happens at the hearing and trial\n\nContact the Election Petitions Office to set the date for the hearing. You should do this within 28 days of your petition being stamped.\n\nIf you do not apply to set a date for the hearing, the respondents will have 28 days to apply themselves. They can also make other requests, for example to cancel (\u2018set aside\u2019) your petition.\n\nA judge will set a date for the hearing if you and the respondents do not apply to set one.\n\n## At the hearing and trial\n\nAt the hearing a judge can appoint a commissioner to manage your complaint. The commissioner will look at the evidence, for example by checking the voting slips.\n\nIf the commissioner thinks there should be a trial, it will normally be at a court in the constituency where you\u2019re challenging the result.\n\nAt the trial you and the respondents will each present your cases to the commissioner. Both sides can call witnesses to give evidence.\n\nIt usually takes several weeks to get a judgment. You\u2019ll be called to a meeting with the commissioner to hear the decision.\n\nYou cannot appeal the decision.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/challenge-election-result", + "answerable": true, + "scenario": "Yesterday we had our North East somerset MP Elections and i was one of the candidates. I and my team witnessed alot election fraud,destruction of ballot papers,vote buying,ballot stuffing and misrecording of votes etc I have a tangible evidence and i would like to file an election petition. .", + "original_question": "Can i challenge the election results within the coming 10days?" + }, + { + "id": "train-397", + "question": "Scenario: I arrived in UK illegaly via a small boat in kent. I ran away from my country Syria after facing persecution due to my political affliations. My asylum seeking on the first tribunal has been turned down. I can\u2019t go back to my country due to my situation. I will be killed. I want to appeal to the upper tribunal for a hearing .\n\nQuestion: Can i get a free legal aid since i have no money?\n\nDocument - Appeal a decision by the immigration and asylum tribunal:\n## Overview\n\nYou can appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you think there\u2019s a legal mistake with a decision made by the First-tier Tribunal (Immigration and Asylum Chamber).\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou can get legal advice (including from a solicitor), or help from a regulated immigration adviser.\n\nYou can also contact Citizens Advice.\n\nYou may be able to get legal aid.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYou may be able to get asylum support, for example housing and money, while you\u2019re waiting to find out if you\u2019ll be given asylum.\n\nContact the tribunal if you have any questions about your appeal. The tribunal can not give you legal advice.\n\n## How to appeal\n\nYou must be able to make a case for why the decision was legally wrong. For example, if the tribunal:\n\n- did not apply the correct law or wrongly interpreted the law\n\n- did not follow the correct procedures\n\n- had no evidence or not enough evidence to support its decision\n\n## Ask for permission to appeal\n\nYou must ask the First-tier Tribunal (Immigration and Asylum Chamber) for permission to appeal to the Upper Tribunal.\n\nYou\u2019ll be given the form to ask permission from the First-tier Tribunal (Immigration and Asylum Chamber) when you get your decision. Send it with a copy of the decision to the address on the form.\n\n## Deadlines for asking the First-tier Tribunal for permission to appeal\n\nYou must ask for permission to appeal within a certain period of time of getting your decision. When you must appeal by depends on whether you\u2019re inside or outside the UK.\n\n| | When you must appeal by |\n\n| You\u2019re inside the UK | 14 days after the date on the written reasons for the decisions |\n\n| You\u2019re outside the UK | 28 days after the date on the written reasons for the decisions |\n\n## Fees\n\nThere is no fee to appeal to the tribunal.\n\n## If you\u2019re refused permission to appeal\n\nYou can apply to the Upper Tribunal for permission to appeal if the First-tier Tribunal refuses, or only gives your permission to appeal on limited grounds.\n\nDownload and fill in the Upper Tribunal permission request form and send it with the appropriate documents to the address on the form.\n\nYou must also say whether you want a hearing or not.\n\nIf your case was heard at either the Yarl\u2019s Wood or the Harmondsworth hearing centre as a Detained Immigration Appeal, send your application to the Harmondsworth hearing centre.\n\n## Deadlines for asking the Upper Tribunal for permission to appeal\n\nHow long you have depends on where you are and how you received your refusal letter from the First-tier Tribunal.\n\n| | When you must appeal by |\n\n| You\u2019re inside the UK | 14 days after the date on the decision |\n\n| You\u2019re outside the UK | 1 month after the date on the decision |\n\n## Documents you must send with your application\n\nInclude copies of the following documents with your form:\n\n- the decision by the First-tier Tribunal\n\n- the \u2018notice of refusal of permission to appeal\u2019 by the First-tier Tribunal or the \u2018refusal to admit the application for permission\u2019\n\n- a statement clearly setting out your reasons for why you think the First-tier Tribunal made a mistake\n\n- any other relevant documents that you sent to the First-tier Tribunal\n\nYou also need to include any written evidence that shows why you think the First-tier Tribunal made a legal mistake.\n\nIf your application is late, you must explain in writing why it is late. The tribunal will then decide if it can review your application.\n\n## Ask for a hearing\n\nYou can ask on your application for a decision to be made either:\n\n- just on the information in your application\n\n- at a hearing that you or your representative can go to\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend if you\u2019re in the UK.\n\nIf they do not hold a hearing, a judge will decide your case based on your application.\n\n## Withdrawing your appeal\n\nOnly you or your representative can withdraw your appeal. Contact the tribunal in writing if you want to withdraw your appeal - include your appeal number. The tribunal will decide whether to give you permission to withdraw, or if the hearing will go ahead.\n\nIf your hearing is less than 7 days away, contact the hearing centre where your appeal is scheduled.\n\n## If you have a hearing\n\nYou or your representative will be told when and where your hearing will take place. You can check the daily courts lists on the day of your hearing to find out if anything has changed.\n\nYou may need to attend a pre-hearing first, where the tribunal will check that you\u2019re ready for the full hearing to take place.\n\nBring copies of all the documents that you gave to the tribunal.\n\nYou can bring a friend to represent you - ask the judge at the beginning of the hearing if this is the case.\n\n## Special requirements\n\nWrite to the Customer Enquiry Unit at least 2 weeks before your hearing if you need any special help, for example wheelchair access.\n\n## Private hearings or hearings by video\n\nHearings are usually carried out in public. If you have an important need (for example you think you\u2019ll be put in danger if you go to the hearing), you can ask:\n\n- for your name not to appear on any tribunal documents or court lists\n\n- for the tribunal to be private and not open to the public\n\n- to attend the hearing by video link\n\n## Asking for a male or female judge\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\nMake your request as soon as possible when your apply, and no later than 7 days before the hearing.\n\n## If you cannot attend the hearing\n\nYou must attend the hearing yourself if you\u2019re in the UK. You can also bring a solicitor or regulated immigration adviser with you.\n\nIf you\u2019re not in the UK, you can ask a solicitor, regulated immigration adviser or the person who supported your application (your \u2018sponsor\u2019) to attend the hearing in your place.\n\nYou can only be represented at the hearing by a solicitor or regulated immigration adviser, your sponsor can not act on your behalf.\n\nYour sponsor can not represent you at the hearing, they can only be:\n\n- told the tribunal\u2019s decision\n\n- given information over the phone\n\nYou must write to the tribunal to tell them if your sponsor will be attending the hearing in your place. Include the case reference number of your appeal.\n\n## Children at the hearing\n\nYou can not take children into the hearing room with you. If you need to bring them to the tribunal, you\u2019ll need to bring someone to look after them.\n\n## If your appeal can not be resolved at the hearing\n\nIf your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be \u2018adjourned\u2019 and rescheduled for another day.\n\nYour hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it can not be resolved on the day, for example because more evidence is needed.\n\nThe tribunal will arrange another hearing with the same people present.\n\n## The tribunal's decision\n\nYou\u2019ll normally get your decision in writing in 28 days.\n\n## If you win your appeal\n\nIf the Upper Tribunal decides that a mistake was made it can:\n\n- overrule the decision and make its own judgement\n\n- order the First-tier Tribunal to hear the case again\n\nThe Home Office can appeal the decision of the tribunal.\n\n## If you lose your appeal\n\nYou may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.\n\nGet legal help or advice if you\u2019re not sure about this.\n\n## Ask for permission\n\nYou must write to the upper tribunal and ask for permission before you appeal. How long you have to do this depends on where you are and how you received your decision.\n\n| | Refusal letter by post | Refusal by email or delivered personally |\n\n| You\u2019re inside the UK | 12 working days | 10 working days |\n\n| You\u2019re outside the UK | 38 days | 10 days |\n\nOnce you have permission, you should appeal to the relevant higher court:\n\n- The Court of Appeal in England and Wales\n\n- The Court of Session in Scotland\n\n- The Court of Appeal in Northern Ireland\n\nYou must do this within:\n\n- 28 days of being given permission (England and Wales)\n\n- 42 days of being given permission (Scotland)\n\n- 21 days of being given permission (Northern Ireland)\n\nYou may have to pay court fees and the other party\u2019s costs.\n\n## If you\u2019re refused permission\n\nYou can ask the relevant higher court for permission.\n\nYou must do this within:\n\n- 28 days of being refused permission (England and Wales)\n\n- 42 days of being refused permission (Scotland)\n\n- 21 days of being refused permission (Northern Ireland)\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Legislation\n\nThe Upper Tribunal (Immigration and Asylum Chamber) must follow the rules and process in the The Tribunal Procedure (Upper Tribunal) Rules 2008.\n\nThe tribunal has issued additional guidance on certain issues:\n\n- practice statements\n\n- practice directions\n\nThe tribunal will make a decision based on legislation, including the:\n\n- Immigration Act 1971\n\n- Nationality, Immigration and Asylum Act 2002\n\n- Immigration, Asylum and Nationality Act 2006\n\n- Tribunals, Courts and Enforcement Act 2007\n\n- UK Borders Act 2007\n\n- Borders, Citizenship and Immigration Act 2009\n\n- Immigration Rules\n\n- Immigration (European Economic Area) Regulations 2006\n\n## Previous decisions\n\nYou can search for decisions made in other cases.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/upper-tribunal-immigration-asylum", + "answerable": true, + "scenario": "I arrived in UK illegaly via a small boat in kent. I ran away from my country Syria after facing persecution due to my political affliations. My asylum seeking on the first tribunal has been turned down. I can\u2019t go back to my country due to my situation. I will be killed. I want to appeal to the upper tribunal for a hearing .", + "original_question": "Can i get a free legal aid since i have no money?" + }, + { + "id": "train-398", + "question": "Scenario: My Uncle sought asylum after arriving legally in UK in 2015.His first tier tribunal application was refused. He made an appeal to the upper tribunal but he is very demoralised due to how the long process has affected his health and welfare. He has decided to withdraw the appeal and go back voluntarily to his county in Kenya.\n\nQuestion: Can he apply for the withdrawal of the appeal?\n\nDocument - Appeal a decision by the immigration and asylum tribunal:\n## Overview\n\nYou can appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you think there\u2019s a legal mistake with a decision made by the First-tier Tribunal (Immigration and Asylum Chamber).\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou can get legal advice (including from a solicitor), or help from a regulated immigration adviser.\n\nYou can also contact Citizens Advice.\n\nYou may be able to get legal aid.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYou may be able to get asylum support, for example housing and money, while you\u2019re waiting to find out if you\u2019ll be given asylum.\n\nContact the tribunal if you have any questions about your appeal. The tribunal can not give you legal advice.\n\n## How to appeal\n\nYou must be able to make a case for why the decision was legally wrong. For example, if the tribunal:\n\n- did not apply the correct law or wrongly interpreted the law\n\n- did not follow the correct procedures\n\n- had no evidence or not enough evidence to support its decision\n\n## Ask for permission to appeal\n\nYou must ask the First-tier Tribunal (Immigration and Asylum Chamber) for permission to appeal to the Upper Tribunal.\n\nYou\u2019ll be given the form to ask permission from the First-tier Tribunal (Immigration and Asylum Chamber) when you get your decision. Send it with a copy of the decision to the address on the form.\n\n## Deadlines for asking the First-tier Tribunal for permission to appeal\n\nYou must ask for permission to appeal within a certain period of time of getting your decision. When you must appeal by depends on whether you\u2019re inside or outside the UK.\n\n| | When you must appeal by |\n\n| You\u2019re inside the UK | 14 days after the date on the written reasons for the decisions |\n\n| You\u2019re outside the UK | 28 days after the date on the written reasons for the decisions |\n\n## Fees\n\nThere is no fee to appeal to the tribunal.\n\n## If you\u2019re refused permission to appeal\n\nYou can apply to the Upper Tribunal for permission to appeal if the First-tier Tribunal refuses, or only gives your permission to appeal on limited grounds.\n\nDownload and fill in the Upper Tribunal permission request form and send it with the appropriate documents to the address on the form.\n\nYou must also say whether you want a hearing or not.\n\nIf your case was heard at either the Yarl\u2019s Wood or the Harmondsworth hearing centre as a Detained Immigration Appeal, send your application to the Harmondsworth hearing centre.\n\n## Deadlines for asking the Upper Tribunal for permission to appeal\n\nHow long you have depends on where you are and how you received your refusal letter from the First-tier Tribunal.\n\n| | When you must appeal by |\n\n| You\u2019re inside the UK | 14 days after the date on the decision |\n\n| You\u2019re outside the UK | 1 month after the date on the decision |\n\n## Documents you must send with your application\n\nInclude copies of the following documents with your form:\n\n- the decision by the First-tier Tribunal\n\n- the \u2018notice of refusal of permission to appeal\u2019 by the First-tier Tribunal or the \u2018refusal to admit the application for permission\u2019\n\n- a statement clearly setting out your reasons for why you think the First-tier Tribunal made a mistake\n\n- any other relevant documents that you sent to the First-tier Tribunal\n\nYou also need to include any written evidence that shows why you think the First-tier Tribunal made a legal mistake.\n\nIf your application is late, you must explain in writing why it is late. The tribunal will then decide if it can review your application.\n\n## Ask for a hearing\n\nYou can ask on your application for a decision to be made either:\n\n- just on the information in your application\n\n- at a hearing that you or your representative can go to\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend if you\u2019re in the UK.\n\nIf they do not hold a hearing, a judge will decide your case based on your application.\n\n## Withdrawing your appeal\n\nOnly you or your representative can withdraw your appeal. Contact the tribunal in writing if you want to withdraw your appeal - include your appeal number. The tribunal will decide whether to give you permission to withdraw, or if the hearing will go ahead.\n\nIf your hearing is less than 7 days away, contact the hearing centre where your appeal is scheduled.\n\n## If you have a hearing\n\nYou or your representative will be told when and where your hearing will take place. You can check the daily courts lists on the day of your hearing to find out if anything has changed.\n\nYou may need to attend a pre-hearing first, where the tribunal will check that you\u2019re ready for the full hearing to take place.\n\nBring copies of all the documents that you gave to the tribunal.\n\nYou can bring a friend to represent you - ask the judge at the beginning of the hearing if this is the case.\n\n## Special requirements\n\nWrite to the Customer Enquiry Unit at least 2 weeks before your hearing if you need any special help, for example wheelchair access.\n\n## Private hearings or hearings by video\n\nHearings are usually carried out in public. If you have an important need (for example you think you\u2019ll be put in danger if you go to the hearing), you can ask:\n\n- for your name not to appear on any tribunal documents or court lists\n\n- for the tribunal to be private and not open to the public\n\n- to attend the hearing by video link\n\n## Asking for a male or female judge\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\nMake your request as soon as possible when your apply, and no later than 7 days before the hearing.\n\n## If you cannot attend the hearing\n\nYou must attend the hearing yourself if you\u2019re in the UK. You can also bring a solicitor or regulated immigration adviser with you.\n\nIf you\u2019re not in the UK, you can ask a solicitor, regulated immigration adviser or the person who supported your application (your \u2018sponsor\u2019) to attend the hearing in your place.\n\nYou can only be represented at the hearing by a solicitor or regulated immigration adviser, your sponsor can not act on your behalf.\n\nYour sponsor can not represent you at the hearing, they can only be:\n\n- told the tribunal\u2019s decision\n\n- given information over the phone\n\nYou must write to the tribunal to tell them if your sponsor will be attending the hearing in your place. Include the case reference number of your appeal.\n\n## Children at the hearing\n\nYou can not take children into the hearing room with you. If you need to bring them to the tribunal, you\u2019ll need to bring someone to look after them.\n\n## If your appeal can not be resolved at the hearing\n\nIf your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be \u2018adjourned\u2019 and rescheduled for another day.\n\nYour hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it can not be resolved on the day, for example because more evidence is needed.\n\nThe tribunal will arrange another hearing with the same people present.\n\n## The tribunal's decision\n\nYou\u2019ll normally get your decision in writing in 28 days.\n\n## If you win your appeal\n\nIf the Upper Tribunal decides that a mistake was made it can:\n\n- overrule the decision and make its own judgement\n\n- order the First-tier Tribunal to hear the case again\n\nThe Home Office can appeal the decision of the tribunal.\n\n## If you lose your appeal\n\nYou may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.\n\nGet legal help or advice if you\u2019re not sure about this.\n\n## Ask for permission\n\nYou must write to the upper tribunal and ask for permission before you appeal. How long you have to do this depends on where you are and how you received your decision.\n\n| | Refusal letter by post | Refusal by email or delivered personally |\n\n| You\u2019re inside the UK | 12 working days | 10 working days |\n\n| You\u2019re outside the UK | 38 days | 10 days |\n\nOnce you have permission, you should appeal to the relevant higher court:\n\n- The Court of Appeal in England and Wales\n\n- The Court of Session in Scotland\n\n- The Court of Appeal in Northern Ireland\n\nYou must do this within:\n\n- 28 days of being given permission (England and Wales)\n\n- 42 days of being given permission (Scotland)\n\n- 21 days of being given permission (Northern Ireland)\n\nYou may have to pay court fees and the other party\u2019s costs.\n\n## If you\u2019re refused permission\n\nYou can ask the relevant higher court for permission.\n\nYou must do this within:\n\n- 28 days of being refused permission (England and Wales)\n\n- 42 days of being refused permission (Scotland)\n\n- 21 days of being refused permission (Northern Ireland)\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Legislation\n\nThe Upper Tribunal (Immigration and Asylum Chamber) must follow the rules and process in the The Tribunal Procedure (Upper Tribunal) Rules 2008.\n\nThe tribunal has issued additional guidance on certain issues:\n\n- practice statements\n\n- practice directions\n\nThe tribunal will make a decision based on legislation, including the:\n\n- Immigration Act 1971\n\n- Nationality, Immigration and Asylum Act 2002\n\n- Immigration, Asylum and Nationality Act 2006\n\n- Tribunals, Courts and Enforcement Act 2007\n\n- UK Borders Act 2007\n\n- Borders, Citizenship and Immigration Act 2009\n\n- Immigration Rules\n\n- Immigration (European Economic Area) Regulations 2006\n\n## Previous decisions\n\nYou can search for decisions made in other cases.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/upper-tribunal-immigration-asylum", + "answerable": true, + "scenario": "My Uncle sought asylum after arriving legally in UK in 2015.His first tier tribunal application was refused. He made an appeal to the upper tribunal but he is very demoralised due to how the long process has affected his health and welfare. He has decided to withdraw the appeal and go back voluntarily to his county in Kenya.", + "original_question": "Can he apply for the withdrawal of the appeal?" + }, + { + "id": "train-401", + "question": "Scenario: My late husband served in the Brtitish Army since 1990. He died 2004 after a bomb was thrown to his bunker during a war in iraq.\n\nQuestion: Can i apply for a veterans badge?\n\nDocument - Apply for a veterans badge or a medal:\n## Apply for a veterans badge\n\nYou can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.\n\n## Eligibility\n\nYou can apply if you were in the:\n\n- army\n\n- Royal Navy\n\n- Royal Marines\n\n- Royal Air Force (RAF)\n\n- volunteer or regular reserves\n\nYou cannot apply if you:\n\n- served in the armed forces of another country\n\n- served alongside the UK armed forces, for example in the Canadian Navy or Royal Australian Air Force\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get either:\n\n- a War Widow\u2019s or Widower\u2019s Pension\n\n- compensation under the Survivors Guaranteed Income Payment (SGIP)\n\n## How to apply\n\nDownload and fill in the application for an armed forces veterans badge.\n\nYou can also call the enquiries line to get a paper application form sent to you.\n\nYou\u2019ll need to give as much information on the form as possible, such as:\n\n- the force you served in, for example the army or Royal Navy\n\n- service number\n\n- period of service\n\nPost the form to the Ministry of Defence (MOD) Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your veterans badge within 6 to 8 weeks of applying.\n\nYou can also apply for a medal if you\u2019re eligible.\n\nIf you lose your badge, you can apply for a replacement.\n\n## Get help\n\nIf you need to contact MOD about your veterans badge application, you can phone, fax or send an email to dbs-modmo-vetsbadge@mod.gov.uk.\n\nYou cannot apply for a veterans badge by email.\n\n## Apply for a medal\n\nYou can apply for a medal if you served in the armed forces and are eligible.\n\nFind out the types of medal the Ministry of Defence (MOD) issues.\n\nYou can only apply for World War 1 medals if the original was returned.\n\n## Eligibility\n\nYou can apply if you were awarded a medal for service in any of the following:\n\n- the army\n\n- the Royal Navy\n\n- the Royal Marines\n\n- the Royal Air Force (RAF)\n\n- the Home Guard\n\n- the reserve forces\n\nYou must meet the eligibility requirements for the medal you\u2019re applying for.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply on behalf of a veteran if you have lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules for the official next of kin are:\n\n- the person\u2019s spouse or civil partner has the first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the parent is entitled to apply\n\n- if there\u2019s no spouse, child or parent, the eldest grandchild is entitled to apply\n\n## How to apply\n\nDownload and fill in the medal application form.\n\nApply through your unit if you\u2019re still serving in the armed forces.\n\nIf you\u2019re applying on behalf of someone else, you must include a copy of either your lasting power of attorney or a death certificate.\n\nPost the form, along with any supporting documents, to the MOD Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your medal within 12 weeks of sending the application form.\n\nYou can apply for a replacement medal if the original\u2019s been stolen or accidentally destroyed, for example in a fire.\n\n## Get help\n\nIf you need to contact MOD about your medal application, email dbs-medals@mod.gov.uk.\n\n## Replace a badge or medal\n\nYou can get the first replacement veterans badge for free.\n\nYou may be able to get a replacement medal - it depends how it was lost. You\u2019ll have to pay for the replacement medal plus a fee.\n\n## Replace a veterans badge\n\nFollow the instructions for applying for a veterans badge - you can use the same form.\n\nYou\u2019ll usually get your replacement veterans badge within 6 to 8 weeks of applying.\n\nYou do not have to pay a fee if it\u2019s the first veterans badge you\u2019re replacing.\n\n## Replace a medal\n\nYou can only get a replacement medal from the Ministry of Defence (MOD) if it was stolen or destroyed, for example in a fire or flood. The medal must have been awarded for service after World War 1.\n\nYou\u2019ll need to show proof by providing a copy of either a:\n\n- police crime report\n\n- successful insurance claim listing the individual items\n\nYou can also buy replacement medals from a licensed medal dealer.\n\n## How to apply\n\nDownload and fill in the medal application form to ask for a replacement medal. Post the form to the MOD Medal Office, along with:\n\n- a letter explaining how the medal was stolen or destroyed\n\n- a copy of the police report or insurance claim\n\nThe address is on the form.\n\nContact your unit\u2019s human resources (HR) department if you\u2019re currently serving in the armed forces.\n\n## After you\u2019ve applied\n\nYou\u2019ll get a letter from the Medal Office - usually within 10 working days of when your application\u2019s received.\n\nYou\u2019ll be told how much the replacement will cost and how to pay if your application\u2019s successful. The cost depends on the type of medal. It includes an administration fee.\n\nYou\u2019ll get the replacement within 4 weeks from the Medal Office getting your payment.\n\n## Apply for a UK merchant seafarers veterans badge\n\nYou can apply for a UK merchant seafarers veterans badge if you:\n\n- were a Merchant Navy seafarer or fisherman\n\n- served in a vessel used to support the UK Armed Forces\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.\n\n## How to apply\n\nYou can apply for a badge through the Merchant Navy Association.\n\n## Members of the Royal Fleet Auxiliary\n\nIf you\u2019re a member of the Royal Fleet Auxiliary, apply for the armed forces veterans badge.\n\n## Apply for a UK merchant navy medal\n\nYou can apply for a UK merchant navy medal if you were a member of the merchant navy and you:\n\n- served in a vessel used to support the UK armed forces\n\n- meet the eligibility requirements for the medal you\u2019re applying for\n\n## How to apply\n\nComplete the application form and send it to the address on the form. You\u2019ll also need to send your seaman\u2019s discharge book.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply for someone else if either:\n\n- they\u2019ve died\n\n- you have lasting power of attorney\n\nYou must include a copy of the death certificate or your lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules are:\n\n- the person\u2019s spouse or civil partner has first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the eldest grandchild is entitled to apply\n\n## After you\u2019ve applied\n\nYou\u2019ll get a decision within 30 working days of your application being received.\n\n## Get help\n\nEmail seafarers_registry@mcga.gov.uk if you need help with your application.\n\n## Replace a lost or stolen medal\n\nYou\u2019ll need to complete the application form if your medal is lost or has been stolen.\n\n## If you want to appeal or complain\n\nYou can write to or email the Ministry of Defence (MOD) Medal Office if you want to:\n\n- appeal a decision\n\n- complain about how you\u2019ve been treated\n\nYou should include any new evidence you have if you make an appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "answerable": true, + "scenario": "My late husband served in the Brtitish Army since 1990. He died 2004 after a bomb was thrown to his bunker during a war in iraq.", + "original_question": "Can i apply for a veterans badge?" + }, + { + "id": "train-402", + "question": "Scenario: My Grandfather served in the British Army and would like to apply for a Veteran\u2019s badge.He lives alone and is disabled.\n\nQuestion: Can he apply via email?\n\nDocument - Apply for a veterans badge or a medal:\n## Apply for a veterans badge\n\nYou can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.\n\n## Eligibility\n\nYou can apply if you were in the:\n\n- army\n\n- Royal Navy\n\n- Royal Marines\n\n- Royal Air Force (RAF)\n\n- volunteer or regular reserves\n\nYou cannot apply if you:\n\n- served in the armed forces of another country\n\n- served alongside the UK armed forces, for example in the Canadian Navy or Royal Australian Air Force\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get either:\n\n- a War Widow\u2019s or Widower\u2019s Pension\n\n- compensation under the Survivors Guaranteed Income Payment (SGIP)\n\n## How to apply\n\nDownload and fill in the application for an armed forces veterans badge.\n\nYou can also call the enquiries line to get a paper application form sent to you.\n\nYou\u2019ll need to give as much information on the form as possible, such as:\n\n- the force you served in, for example the army or Royal Navy\n\n- service number\n\n- period of service\n\nPost the form to the Ministry of Defence (MOD) Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your veterans badge within 6 to 8 weeks of applying.\n\nYou can also apply for a medal if you\u2019re eligible.\n\nIf you lose your badge, you can apply for a replacement.\n\n## Get help\n\nIf you need to contact MOD about your veterans badge application, you can phone, fax or send an email to dbs-modmo-vetsbadge@mod.gov.uk.\n\nYou cannot apply for a veterans badge by email.\n\n## Apply for a medal\n\nYou can apply for a medal if you served in the armed forces and are eligible.\n\nFind out the types of medal the Ministry of Defence (MOD) issues.\n\nYou can only apply for World War 1 medals if the original was returned.\n\n## Eligibility\n\nYou can apply if you were awarded a medal for service in any of the following:\n\n- the army\n\n- the Royal Navy\n\n- the Royal Marines\n\n- the Royal Air Force (RAF)\n\n- the Home Guard\n\n- the reserve forces\n\nYou must meet the eligibility requirements for the medal you\u2019re applying for.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply on behalf of a veteran if you have lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules for the official next of kin are:\n\n- the person\u2019s spouse or civil partner has the first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the parent is entitled to apply\n\n- if there\u2019s no spouse, child or parent, the eldest grandchild is entitled to apply\n\n## How to apply\n\nDownload and fill in the medal application form.\n\nApply through your unit if you\u2019re still serving in the armed forces.\n\nIf you\u2019re applying on behalf of someone else, you must include a copy of either your lasting power of attorney or a death certificate.\n\nPost the form, along with any supporting documents, to the MOD Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your medal within 12 weeks of sending the application form.\n\nYou can apply for a replacement medal if the original\u2019s been stolen or accidentally destroyed, for example in a fire.\n\n## Get help\n\nIf you need to contact MOD about your medal application, email dbs-medals@mod.gov.uk.\n\n## Replace a badge or medal\n\nYou can get the first replacement veterans badge for free.\n\nYou may be able to get a replacement medal - it depends how it was lost. You\u2019ll have to pay for the replacement medal plus a fee.\n\n## Replace a veterans badge\n\nFollow the instructions for applying for a veterans badge - you can use the same form.\n\nYou\u2019ll usually get your replacement veterans badge within 6 to 8 weeks of applying.\n\nYou do not have to pay a fee if it\u2019s the first veterans badge you\u2019re replacing.\n\n## Replace a medal\n\nYou can only get a replacement medal from the Ministry of Defence (MOD) if it was stolen or destroyed, for example in a fire or flood. The medal must have been awarded for service after World War 1.\n\nYou\u2019ll need to show proof by providing a copy of either a:\n\n- police crime report\n\n- successful insurance claim listing the individual items\n\nYou can also buy replacement medals from a licensed medal dealer.\n\n## How to apply\n\nDownload and fill in the medal application form to ask for a replacement medal. Post the form to the MOD Medal Office, along with:\n\n- a letter explaining how the medal was stolen or destroyed\n\n- a copy of the police report or insurance claim\n\nThe address is on the form.\n\nContact your unit\u2019s human resources (HR) department if you\u2019re currently serving in the armed forces.\n\n## After you\u2019ve applied\n\nYou\u2019ll get a letter from the Medal Office - usually within 10 working days of when your application\u2019s received.\n\nYou\u2019ll be told how much the replacement will cost and how to pay if your application\u2019s successful. The cost depends on the type of medal. It includes an administration fee.\n\nYou\u2019ll get the replacement within 4 weeks from the Medal Office getting your payment.\n\n## Apply for a UK merchant seafarers veterans badge\n\nYou can apply for a UK merchant seafarers veterans badge if you:\n\n- were a Merchant Navy seafarer or fisherman\n\n- served in a vessel used to support the UK Armed Forces\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.\n\n## How to apply\n\nYou can apply for a badge through the Merchant Navy Association.\n\n## Members of the Royal Fleet Auxiliary\n\nIf you\u2019re a member of the Royal Fleet Auxiliary, apply for the armed forces veterans badge.\n\n## Apply for a UK merchant navy medal\n\nYou can apply for a UK merchant navy medal if you were a member of the merchant navy and you:\n\n- served in a vessel used to support the UK armed forces\n\n- meet the eligibility requirements for the medal you\u2019re applying for\n\n## How to apply\n\nComplete the application form and send it to the address on the form. You\u2019ll also need to send your seaman\u2019s discharge book.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply for someone else if either:\n\n- they\u2019ve died\n\n- you have lasting power of attorney\n\nYou must include a copy of the death certificate or your lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules are:\n\n- the person\u2019s spouse or civil partner has first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the eldest grandchild is entitled to apply\n\n## After you\u2019ve applied\n\nYou\u2019ll get a decision within 30 working days of your application being received.\n\n## Get help\n\nEmail seafarers_registry@mcga.gov.uk if you need help with your application.\n\n## Replace a lost or stolen medal\n\nYou\u2019ll need to complete the application form if your medal is lost or has been stolen.\n\n## If you want to appeal or complain\n\nYou can write to or email the Ministry of Defence (MOD) Medal Office if you want to:\n\n- appeal a decision\n\n- complain about how you\u2019ve been treated\n\nYou should include any new evidence you have if you make an appeal.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "answerable": true, + "scenario": "My Grandfather served in the British Army and would like to apply for a Veteran\u2019s badge.He lives alone and is disabled.", + "original_question": "Can he apply via email?" + }, + { + "id": "train-406", + "question": "Scenario: My veterinarian prescribed a drug to my pet last year to kill fleas. However, it doesn't seem to have worked.\n\nQuestion: Can I report this?\n\nDocument - Report a suspected problem with an animal medicine or microchip:\n## Overview\n\nYou can report an unexpected reaction to an animal medicine or microchip to the Veterinary Medicines Directorate (VMD). You can also report if an animal medicine has not worked.\n\nHow you report the reaction depends on whether:\n\n- an animal has reacted to animal medicine or to a microchip\n\n- a human has reacted to animal medicine\n\nVMD will use the information you provide to help make sure that animal medicines and microchips are used safely and effectively.\n\n## Report an animal's reaction to animal medicine\n\nYou can report when a medicine may not have worked, or could have made your animal unwell.\n\nYou\u2019ll be asked for details of:\n\n- the medicine, including batch number and marketing authorisation number if known\n\n- the animal that was affected, for example the species, breed and age\n\n- when and how the medicine was first given to the animal\n\n- the symptoms\n\nSend your report\n\n## If you cannot report online\n\nDownload and fill in the form for reporting reactions in animals. Send it to the address on the form.\n\n## Report an animal's reaction to a microchip\n\nYou can report suspected incidents with animal microchips including:\n\n- a reaction to the chip being implanted, such as injury, infection or prolonged bleeding\n\n- if a chip\u2019s moved from where it was implanted or has come out\n\n- a chip that does not read properly\n\nYou\u2019ll need the microchip number to make a report.\n\nSend your report\n\nContact VMD if you cannot report the incident online.\n\n## Report a person's reaction to animal medicine\n\nYou can report a suspected reaction you or someone else has had to an animal medicine while using it on an animal, for example a skin allergy.\n\nYou\u2019ll be asked for details of:\n\n- the medicine, including the batch number and marketing authorisation number (if you know it)\n\n- the people affected - and how and when they came into contact with the medicine\n\n- the symptoms\n\nSend your report\n\n## If you cannot report online\n\nDownload and fill in the form for reporting reactions in humans. Send it to the address on the form.\n\n## Contact VMD\n\nContact the Veterinary Medicines Directorate (VMD) Pharmacovigilance Team if you have any questions about reporting reactions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/report-veterinary-medicine-problem", + "answerable": true, + "scenario": "My veterinarian prescribed a drug to my pet last year to kill fleas. However, it doesn't seem to have worked.", + "original_question": "Can I report this?" + }, + { + "id": "train-407", + "question": "Scenario: I am moving to my newly built house but during my previous visit to the house I found lots of construction waste lying around. The contracted builder did not make a good waste disposal. I would like the construction wastes disposed correctly. I have searched online and got hold of a nearby waste carrier.\n\nQuestion: Can I look up if the waste carrier is qualified to dispose of waste?\n\nDocument - Dispose of business or commercial waste:\n## Your responsibilities\n\nYou must:\n\n- keep waste to a minimum by doing everything you reasonably can to prevent, reuse, recycle or recover waste (in that order) - get help to do this\n\n- sort and store waste safely and securely\n\n- complete a waste transfer note for each load of waste that leaves your premises\n\n- check if your waste carrier is registered to dispose of waste\n\n- not allow the waste carrier to dispose of your waste illegally (and report them to Crimestoppers if they do)\n\nYou have extra responsibilities if you\u2019re dealing with hazardous waste.\n\n## What counts as business waste\n\nAny waste that comes from a commercial activity is business waste. If you use part of your home to run your business then any waste from that part is business waste.\n\nBusiness waste also includes any waste that comes from:\n\n- construction\n\n- demolition\n\n- industry\n\n- agriculture\n\nCheck what you need to do in Northern Ireland, Scotland and Wales.\n\n## Disposing of your own waste\n\nYou must register as a waste carrier if you want to dispose of your own waste regularly. Apply to register in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nDepending on what you\u2019re doing, you may also need to apply for a waste permit.\n\n## Moving waste between countries\n\nYou cannot move waste between countries for disposal, for example to send it to landfill. You can usually only import or export waste to recover it, such as using waste to produce energy.\n\nRead the guide on waste imports and exports.\n\n## Sorting and storing waste\n\nYou must store waste safely and securely. To do this:\n\n- store waste in a secure place\n\n- use suitable containers that will stop waste escaping\n\n- label containers clearly with the type of waste they contain\n\n- use covers to stop waste blowing away\n\n- use waterproof covers if rain could cause contaminated run-off or prevent the waste from being reused\n\nYou have extra responsibilities if you\u2019re storing hazardous waste.\n\nStore different types of waste separately, so that:\n\n- they do not contaminate each other\n\n- they can be reused more easily\n\n- you can complete the waste transfer note correctly\n\n## Waste transfer notes\n\nFor each load of non-hazardous waste you move off your premises, you need a waste transfer note or a document with the same information, such as an invoice.\n\nRegister online to:\n\n- fill in a waste transfer note for a single load of waste\n\n- create a season ticket for a series of loads\n\nOr download a waste transfer note to fill in and sign on paper.\n\nYour business and the business taking your waste both need to:\n\n- Fill in the sections of the waste transfer note that apply to you.\n\n- Sign it.\n\n- Keep a copy for 2 years.\n\n- Show it to an enforcement officer from your local council or the Environment Agency if asked.\n\nYou must include enough information to help the business taking your waste to handle and dispose of it safely.\n\n## Contacts\n\nContact the organisation in your region if you have any questions about business and commercial waste.\n\n## England\n\n## Scotland\n\n## Wales\n\n## Northern Ireland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/managing-your-waste-an-overview", + "answerable": true, + "scenario": "I am moving to my newly built house but during my previous visit to the house I found lots of construction waste lying around. The contracted builder did not make a good waste disposal. I would like the construction wastes disposed correctly. I have searched online and got hold of a nearby waste carrier.", + "original_question": "Can I look up if the waste carrier is qualified to dispose of waste?" + }, + { + "id": "train-409", + "question": "Scenario: After surviving a covid pandemic , i have secured my dream job as a Chef de Partie in a Cruise ship.Being very a very motivated professional with excellent food knowledge.\n\nQuestion: Can I get exempt from a certificate of competency?\n\nDocument - Hiring crew for ships and yachts:\n## Overview\n\nWhen you\u2019re hiring crew for a ship or yacht, you must:\n\n- check crew members\u2019 discharge books to make sure they have the qualifications and certificates of competency for their jobs\n\n- check that all crew members have the necessary medical certificates for the work they\u2019ll be doing\n\n- make sure everyone has the necessary travel documents\n\n- check that all crew can speak the ship\u2019s common working language\n\n- draw up a crew agreement\n\n- send a full crew list to the owner of the ship or yacht\n\nYou must make sure all crew members know the ship\u2019s safety and emergency procedures before the start of your journey.\n\n## Checking crew qualifications\n\nYou must check crew members\u2019 discharge books to make sure everyone has the necessary qualifications and experience.\n\nCrew members doing specialist jobs or working on particular types of craft may need special training.\n\n## Officers\n\nOfficers in your crew must have the necessary certificates of competency (CoCs).\n\nCheck that officers\u2019 CoCs are valid on the Maritime and Coastguard Agency (MCA) website.\n\nOfficers may need special training if working on tankers, high-speed craft or passenger ships.\n\n## Merchant navy ratings\n\nMake sure that all crew have the correct rating for the work they\u2019ll be doing. Watch ratings need a CoC if they\u2019re performing navigation or engine room duties.\n\n## Crew on large yachts (24 metres long or over)\n\nYou must make sure your crew have a MCA Yacht Rating Certificate or other MCA recognised qualification, for example:\n\n- an able seaman (AB) certificate issued under the International Labour Organisation (ILO) AB Convention\n\n- a UK efficient deck hand (EDH) certificate\n\n- a navigational or engine room watch rating certificate issued under Standards of Training, Certification and Watchkeeping (STCW)\n\n## Certificates of competency\n\nYou must follow international regulations from Standards in Training Certification and Watchkeeping for Seafarers (STCW) if you have a commercial vessel going to sea.\n\nSome crew members need a certificate of competency (CoC) or certificate of equivalent competency (CEC) to carry out certain duties.\n\nFor seafarers\u2019 CoCs to remain valid on certain types of ship they\u2019ll need to meet new training standards in line with STCW regulations (\u20182010 Manila Amendments\u2019).\n\n## Deck officers\n\nMasters and other deck department officers need a CoC if they\u2019re performing:\n\n- bridge watch-keeping duties\n\n- navigational duties\n\nCoCs for deck officers are restricted depending on:\n\n- the size of the ship or yacht\n\n- the area of sea where it will operate\n\nDownload an application for a CoC for:\n\n- masters, chief mates and deck officers in the merchant navy\n\n- masters, chief mates and deck officers on yachts\n\nYou can use a Certificate of Service instead, if you have one. These were issued until 1998.\n\n## Engineer officers\n\nEngineer officers on a ship or yacht with a power output of 750 kilowatts or more need a CoC. There are different CoCs for engineer officers, depending on:\n\n- the power output of the ship or yacht\n\n- the area of sea where it will be operating\n\nDownload an application for a CoC for:\n\n- a merchant navy engineering officer\n\n- a yacht engineering officer\n\n## Revalidating CoCs\n\nDeck and engineering officers must revalidate their certificate every 5 years. They do this by showing they\u2019ve completed either:\n\n- 12 months\u2019 sea service in the last 5 years\n\n- 3 months\u2019 sea service in the last 6 months\n\n- 2.5 years in a relevant job - contact the MCA for advice\n\nUse form MSF 4258 if someone you want to hire can\u2019t revalidate their CoC because they don\u2019t meet the requirements.\n\n## Watch ratings\n\nWatch ratings on merchant ships need a CoC if they\u2019re performing navigation or engine room duties.\n\n## Radio operators\n\nRadio operators need CoCs if they handle distress and safety radio-communications. All radio personnel serving on UK-registered ships must have either:\n\n- a Restricted Operator\u2019s Certificate (ROC)\n\n- a General Operator\u2019s Certificate (GOC)\n\n## Other crew\n\nShips\u2019 cooks and security officers may also need a CoC.\n\n## More information\n\nTo find out more about the certification structure and examination and training requirements, read:\n\n- MSN 1856 (M+F) for merchant navy deck officers\n\n- MSN 1857 (M+F) for merchant navy engineer officers\n\nContact the Maritime and Coastguard Agency (MCA) to find out which members of your crew need a CoC.\n\n## Certificate of equivalent competency (CEC)\n\nA CEC allows officers holding Standards of Training Certification and Watchkeeping (STCW) certificates issued by some non-UK countries to work as officers on UK-registered merchant ships.\n\nTo get a CEC, your crew member must complete the CEC application form. As part of the application process they may be asked to prove their:\n\n- standards of competency\n\n- ability to use the English language (this may include an oral exam)\n\n- knowledge of UK law relating to their job\n\nRead more about CECs or download part 19 of the MCA\u2019s training and certification guidance for more information.\n\n## Crew agreements\n\nA crew agreement is an employment contract between a ship or yacht\u2019s owners and its crew.\n\nAll crew agreements must have:\n\n- a cover with details of the ship and its owners\n\n- an up-to-date crew list with names, dates of birth and addresses\n\n- a list of anyone on board who is under 18 or exempt from a crew agreement\n\n- contractual clauses for each crew member\n\nA crew agreement can last up to 12 months. After this period, a new agreement must be drawn up.\n\n## What goes in a contractual clause\n\nClauses must include:\n\n- the name of the crew member\n\n- a description of the journey(s) that the agreement relates to\n\n- the crew member\u2019s job description\n\n- details of their pay, hours and leave\n\n- details of required notice and how the crew agreement can be terminated\n\nThe Maritime and Coastguard Agency (MCA) gives guidance on drawing up crew agreements for merchant ships and yachts:\n\n- download MGN 148 \u2018Approval of crew agreements: merchant ships\n\n- download MGN 149 \u2018Approval of crew agreements: yachts\n\nContact MCA for advice on drawing up a crew agreement.\n\n## What to do once you\u2019ve drawn up a crew agreement\n\n- Get every crew member to sign the agreement when they join the ship and at the end of the journey.\n\n- File the agreement with the shipping registry in the ship\u2019s \u2018flag state\u2019 (the country where it\u2019s registered).\n\n- Display a copy on board the vessel.\n\n- Send a copy (with the official log book, if a merchant ship) to a superintendent or proper officer within 3 days of its expiry.\n\n## Who signs a crew agreement\n\nMost of the people on board a ship or yacht must sign the crew agreement. However, certain personnel will have separate employment contracts and won\u2019t have to sign, like:\n\n- captains\n\n- bodyguards\n\n- nannies\n\n- entertainment staff\n\n## Travel documents\n\nAll crew members must have either:\n\n- a valid passport\n\n- a Seafarers Identity Document (SID) containing a photograph, signature (or fingerprints) and a description of the holder, including their nationality\n\nThe standard seafarer\u2019s identity document for British citizens is the British seaman\u2019s card.\n\n## Crew lists\n\nThe master or skipper of a UK-registered ship must provide the ship\u2019s owner with a copy of an up-to-date crew list at the start of each journey. They must also tell the owner if there are any changes of crew during the journey.\n\nIf a ship is lost at sea, the crew list will be used to find out who is missing. The ship\u2019s owner should hand the crew list in to a local Maritime and Coastguard Agency (MCA) Marine Office or post it to:", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/hiring-crew", + "answerable": true, + "scenario": "After surviving a covid pandemic , i have secured my dream job as a Chef de Partie in a Cruise ship.Being very a very motivated professional with excellent food knowledge.", + "original_question": "Can I get exempt from a certificate of competency?" + }, + { + "id": "train-411", + "question": "Scenario: My church owns a small charity shop which is UK VAT registered. We donate clothes and shoes to less privileged children in Africa. Last month we shipped bales of clothes and shoes and incured alot of expenses\n\nQuestion: Can our charity claim VAT out of these supplies costs?\n\nDocument - VAT for charities:\n## Overview\n\nAs a charity you do not pay VAT when you buy some goods and services.\n\nCommunity amateur sports clubs (CASCs) do not qualify for the same VAT reliefs as charities.\n\n## How to get VAT relief\n\nYou must prove to the person who\u2019s selling the goods or services to you that you\u2019re eligible for relief. You do not need to be registered for VAT.\n\n## When you must register for VAT\n\nYou must register for VAT if your charity\u2019s VAT taxable turnover (the total value of everything you sell that isn\u2019t exempt from VAT) is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example if you want to reclaim VAT on your supplies.\n\n## Get help with VAT\n\nContact HM Revenue and Customs (HMRC) if you have questions about VAT for your charity.\n\n## What qualifies for VAT relief\n\nCharities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.\n\n## What qualifies for the reduced rate\n\nYour charity pays 5% VAT on fuel and power if they\u2019re for:\n\n- residential accommodation (for example, a children\u2019s home or care home for the elderly)\n\n- charitable non-business activities (for example, free daycare for disabled people)\n\n- small-scale use (up to 1,000 kilowatt hours of electricity a month or a delivery of 2,300 litres of gas oil)\n\nIf less than 60% of the fuel and power is for something that qualifies, you\u2019ll pay the reduced rate of VAT on the qualifying part and the standard rate (20%) on the rest.\n\nQualifying fuel and power includes gases, electricity, oils and solid fuels (such as coal). It does not include vehicle fuel.\n\n## What qualifies for the zero rate\n\nFind out about the conditions you must meet so that your charity pays no VAT (the zero rate) when you buy:\n\n- advertising and items for collecting donations\n\n- aids for disabled people\n\n- construction services\n\n- drugs and chemicals\n\n- equipment for making \u2018talking\u2019 books and newspapers\n\n- lifeboats and associated equipment, including fuel\n\n- medicine or ingredients for medicine\n\n- resuscitation training models\n\n- medical, veterinary and scientific equipment\n\n- ambulances\n\n- goods for disabled people\n\n- motor vehicles designed or adapted for a disability\n\n- rescue equipment\n\n## VAT-free goods from outside the UK\n\nCharities do not pay VAT on goods imported from outside the UK as long as they\u2019re benefiting people in need by providing:\n\n- basic necessities\n\n- equipment and office materials to help run your organisation for the benefit of people in need\n\n- goods to be used or sold at charity events\n\nYou can check which goods you can claim VAT relief for, as well as how to claim.\n\n## How to claim VAT relief\n\nTo get VAT relief you must give your supplier:\n\n- evidence that you\u2019re a charity\n\n- a written declaration or \u2018certificate\u2019 confirming that you\u2019re eligible for the relief\n\n## Evidence of charitable status\n\nThis can be either your:\n\n- Charity Commission registration number\n\n- letter of recognition from HM Revenue and Customs (HMRC)\n\nScottish and Northern Irish charities must provide their letter of recognition from HMRC.\n\n## Written declaration\n\nYou must give your supplier an eligibility declaration or certificate when they sell you goods or services at zero rate VAT. There are examples of declarations and certificates for different goods.\n\nIf you\u2019re buying building or construction services at zero VAT, the certificate must follow a set format.\n\nThe written declaration or certificate should be separate from the order form or invoice for the goods or services your charity is buying.\n\n## Charities and VAT registration\n\nAs a charity, you must register for VAT with HM Revenue and Customs (HMRC) if your VAT taxable turnover is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example to reclaim VAT on your supplies.\n\nIf you\u2019re registered for VAT you must send a return every 3 months.\n\n## Work out your taxable turnover\n\nTo work out your VAT taxable turnover add up the total value of everything you sell in a 12-month period that is not:\n\n- exempt from VAT\n\n- outside the scope of VAT\n\nCheck what VAT rate applies to your charity\u2019s activities.\n\n## Exempt from VAT\n\nYou cannot charge VAT on exempt goods and services (such as the provision of welfare services). You cannot normally reclaim VAT on any goods and services purchased in relation to an exempt business activity.\n\nYou cannot register for VAT if all your business activities are exempt from VAT.\n\n## Outside the scope of VAT\n\nIncome from non-business activities is \u2018outside the scope\u2019 of VAT (you cannot charge or reclaim VAT on them). This includes:\n\n- donations where nothing is given in return\n\n- grant funding given to support your charitable activities where nothing is given in return\n\n- activities where your organisation does not make a charge\n\nRead more about what counts as a business activity.\n\n## Charging VAT\n\nOnce you\u2019ve registered you must charge VAT at the correct rate on everything you supply.\n\n## Reclaiming VAT\n\nIf you\u2019re registered you may be able to reclaim VAT when you file your VAT Return.\n\nYou can reclaim the VAT you were charged on goods and services relating to your taxable business activities.\n\n## Exports outside the UK\n\nIf you supply goods outside the UK free of charge (for example as aid), you can treat this as a zero-rate business activity (0% VAT) so you can reclaim the VAT on any associated costs.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vat-charities", + "answerable": true, + "scenario": "My church owns a small charity shop which is UK VAT registered. We donate clothes and shoes to less privileged children in Africa. Last month we shipped bales of clothes and shoes and incured alot of expenses", + "original_question": "Can our charity claim VAT out of these supplies costs?" + }, + { + "id": "train-412", + "question": "Scenario: My Aunt is a breast cancer survivor and has been running a charity shop to aid in breast awareness funds.Her turnovers the last 3 years has reached \u00a380000 per year but she has realised a turnover drop this year to \u00a370000 and she is not hopeful of a future increase.\n\nQuestion: Does she need to apply for voluntary VAT registration?\n\nDocument - VAT for charities:\n## Overview\n\nAs a charity you do not pay VAT when you buy some goods and services.\n\nCommunity amateur sports clubs (CASCs) do not qualify for the same VAT reliefs as charities.\n\n## How to get VAT relief\n\nYou must prove to the person who\u2019s selling the goods or services to you that you\u2019re eligible for relief. You do not need to be registered for VAT.\n\n## When you must register for VAT\n\nYou must register for VAT if your charity\u2019s VAT taxable turnover (the total value of everything you sell that isn\u2019t exempt from VAT) is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example if you want to reclaim VAT on your supplies.\n\n## Get help with VAT\n\nContact HM Revenue and Customs (HMRC) if you have questions about VAT for your charity.\n\n## What qualifies for VAT relief\n\nCharities pay VAT on all standard-rated goods and services they buy from VAT-registered businesses. They pay VAT at a reduced rate (5%) or the \u2018zero rate\u2019 on some goods and services.\n\n## What qualifies for the reduced rate\n\nYour charity pays 5% VAT on fuel and power if they\u2019re for:\n\n- residential accommodation (for example, a children\u2019s home or care home for the elderly)\n\n- charitable non-business activities (for example, free daycare for disabled people)\n\n- small-scale use (up to 1,000 kilowatt hours of electricity a month or a delivery of 2,300 litres of gas oil)\n\nIf less than 60% of the fuel and power is for something that qualifies, you\u2019ll pay the reduced rate of VAT on the qualifying part and the standard rate (20%) on the rest.\n\nQualifying fuel and power includes gases, electricity, oils and solid fuels (such as coal). It does not include vehicle fuel.\n\n## What qualifies for the zero rate\n\nFind out about the conditions you must meet so that your charity pays no VAT (the zero rate) when you buy:\n\n- advertising and items for collecting donations\n\n- aids for disabled people\n\n- construction services\n\n- drugs and chemicals\n\n- equipment for making \u2018talking\u2019 books and newspapers\n\n- lifeboats and associated equipment, including fuel\n\n- medicine or ingredients for medicine\n\n- resuscitation training models\n\n- medical, veterinary and scientific equipment\n\n- ambulances\n\n- goods for disabled people\n\n- motor vehicles designed or adapted for a disability\n\n- rescue equipment\n\n## VAT-free goods from outside the UK\n\nCharities do not pay VAT on goods imported from outside the UK as long as they\u2019re benefiting people in need by providing:\n\n- basic necessities\n\n- equipment and office materials to help run your organisation for the benefit of people in need\n\n- goods to be used or sold at charity events\n\nYou can check which goods you can claim VAT relief for, as well as how to claim.\n\n## How to claim VAT relief\n\nTo get VAT relief you must give your supplier:\n\n- evidence that you\u2019re a charity\n\n- a written declaration or \u2018certificate\u2019 confirming that you\u2019re eligible for the relief\n\n## Evidence of charitable status\n\nThis can be either your:\n\n- Charity Commission registration number\n\n- letter of recognition from HM Revenue and Customs (HMRC)\n\nScottish and Northern Irish charities must provide their letter of recognition from HMRC.\n\n## Written declaration\n\nYou must give your supplier an eligibility declaration or certificate when they sell you goods or services at zero rate VAT. There are examples of declarations and certificates for different goods.\n\nIf you\u2019re buying building or construction services at zero VAT, the certificate must follow a set format.\n\nThe written declaration or certificate should be separate from the order form or invoice for the goods or services your charity is buying.\n\n## Charities and VAT registration\n\nAs a charity, you must register for VAT with HM Revenue and Customs (HMRC) if your VAT taxable turnover is more than \u00a385,000.\n\nYou can choose to register if it\u2019s below this, for example to reclaim VAT on your supplies.\n\nIf you\u2019re registered for VAT you must send a return every 3 months.\n\n## Work out your taxable turnover\n\nTo work out your VAT taxable turnover add up the total value of everything you sell in a 12-month period that is not:\n\n- exempt from VAT\n\n- outside the scope of VAT\n\nCheck what VAT rate applies to your charity\u2019s activities.\n\n## Exempt from VAT\n\nYou cannot charge VAT on exempt goods and services (such as the provision of welfare services). You cannot normally reclaim VAT on any goods and services purchased in relation to an exempt business activity.\n\nYou cannot register for VAT if all your business activities are exempt from VAT.\n\n## Outside the scope of VAT\n\nIncome from non-business activities is \u2018outside the scope\u2019 of VAT (you cannot charge or reclaim VAT on them). This includes:\n\n- donations where nothing is given in return\n\n- grant funding given to support your charitable activities where nothing is given in return\n\n- activities where your organisation does not make a charge\n\nRead more about what counts as a business activity.\n\n## Charging VAT\n\nOnce you\u2019ve registered you must charge VAT at the correct rate on everything you supply.\n\n## Reclaiming VAT\n\nIf you\u2019re registered you may be able to reclaim VAT when you file your VAT Return.\n\nYou can reclaim the VAT you were charged on goods and services relating to your taxable business activities.\n\n## Exports outside the UK\n\nIf you supply goods outside the UK free of charge (for example as aid), you can treat this as a zero-rate business activity (0% VAT) so you can reclaim the VAT on any associated costs.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-charities", + "answerable": true, + "scenario": "My Aunt is a breast cancer survivor and has been running a charity shop to aid in breast awareness funds.Her turnovers the last 3 years has reached \u00a380000 per year but she has realised a turnover drop this year to \u00a370000 and she is not hopeful of a future increase.", + "original_question": "Does she need to apply for voluntary VAT registration?" + }, + { + "id": "train-413", + "question": "Scenario: My grandfather is a homeowner and his heating system needed replacement.His finances were low during covid pandemic and applied for home improvement voucher to get it fixed.He was given a grant worthy \u00a35000\n\nQuestion: Will he make the repayment all at once?\n\nDocument - Green Deal: energy saving for your home:\n## Overview\n\nThe Green Deal helps you make energy-saving improvements to your home and to find the best way to pay for them.\n\nThe improvements that could save you the most energy depend on your home, but typical examples include:\n\n- insulation, such as solid wall, cavity wall or loft insulation\n\n- heating\n\n- draught-proofing\n\n- double glazing\n\n- renewable energy generation, such as solar panels or heat pumps\n\n## If you need help paying for home improvements\n\nYou may be able to get a loan through the Green Deal, but you\u2019ll have to pay this back.\n\n## Find out if your home will benefit\n\nThere are various ways to check if your property could benefit from energy-saving improvements:\n\n- use the Energy Efficiency Calculator to find out how you can reduce your energy bills\n\n- check which home energy grants you might be able to apply for\n\n- talk to a Green Deal assessor or provider\n\nThe Green Deal may be right for you if you think your property could benefit from energy-saving improvements.\n\nYou can also talk to Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland\n\nFind out about call charges\n\nThe Green Deal is not available in Northern Ireland.\n\n## Green Deal mark\n\nAll Green Deal organisations must be authorised. Look for the quality mark, which is a green house with a tick on the roof.\n\nYou can also check if a Green Deal company is genuine.\n\n## Improvements and benefits to your home\n\nAny household with an electricity meter (including prepayment meters) in England, Scotland or Wales can use the scheme.\n\nBoth the landlord and the tenant must agree to the improvements if the building is rented.\n\n## Eligible improvements\n\nYou can use the Green Deal for a range of different energy saving measures including:\n\n- replacing windows and doors\n\n- installing secondary glazing\n\n- using energy efficient lighting\n\n- insulating your loft or walls\n\n- adding draught proofing\n\n- upgrading your heating\n\n- generating renewable energy from sources such as wind or solar power\n\nBut only if your Green Deal assessment recommends them.\n\n## Get an assessment\n\nYou must get your property assessed to use the Green Deal. Contact a Green Deal assessor or ask a Green Deal provider to find an assessor for you.\n\nYou may have to pay for an assessment. The assessor must tell you the fee in advance.\n\n## What to expect from an assessment\n\nA Green Deal assessor will visit your home, talk to you about your property and your energy use and help you decide if you could benefit from Green Deal improvements.\n\n## When you book\n\nYou may be asked if:\n\n- you own or rent the property\n\n- your home is a listed building, in a conservation area, built before 1900 or constructed in a non-traditional way\n\n- there are access issues, such as access to your loft\n\n- you can provide bills showing your recent energy use\n\n## When the assessor visits\n\nYou may be asked:\n\n- how many people live in your home\n\n- what type of heating and appliances you use\n\n- how often you use your heating\n\n- what energy-saving measures are already installed\n\n## After the visit\n\nYou\u2019ll get a document, called a Green Deal advice report, that contains:\n\n- an Energy Performance Certificate (EPC) that rates your home for energy efficiency\n\n- an occupancy assessment that measures how much energy you and other occupiers are using\n\n- improvements your assessor recommends\n\n- an estimate of the money you could save on your annual energy bills\n\n- a statement on whether the improvements will pay for themselves through reduced energy costs\n\nA Green Deal advice report is valid for 10 years, or until you make changes or energy saving improvements to the property, for example you build an extension or change the windows.\n\nThe actual savings will depend on how much energy you use and the future cost of energy.\n\n## What to do next\n\nYou decide:\n\n- if you want to get the work done\n\n- how you want to pay\n\n## Getting the work done\n\nHow you decide to get the work done will affect your options for how you pay for the work.\n\nAfter you get a Green Deal advice report, you can:\n\n- ask a Green Deal provider to arrange installation and pay for the work yourself\n\n- ask a Green Deal provider to arrange installation and a Green Deal finance plan to pay for the work\n\n- get your own installers to fit the improvements and pay for them yourself\n\n- pay for the work in more than one way, like using a Green Deal finance plan or money of your own\n\nSome companies provide all the services for a Green Deal package - assessment, finance and installation. You can choose to use a different company for each service.\n\n## Get a quote\n\nGive a provider or installer your Green Deal advice report.\n\nProviders will give you a quote and arrange the installers for you. Installers will quote to do the work themselves. A quote from a provider will include the repayment terms if you\u2019re paying with a finance plan.\n\nYou can get more than one quote and you can choose which improvements you want.\n\nYou can ask the provider or installer if you or your property qualify to combine the Green Deal with these other schemes:\n\n- Affordable Warmth Obligation - help from your energy company to improve your home if you\u2019re on certain benefits or a low income, or for certain hard-to-treat properties\n\n- Feed-in Tariffs - payments from your energy provider if you generate your own electricity (such as through solar panels or a wind turbine)\n\n- Renewable Heat Incentive (RHI) - payments for generation and use of renewable energy to heat buildings\n\n- any scheme run by your Local Authority - contact your Local Authority for information\n\n## Agree the work\n\nPick the provider or installer you want to do the work.\n\nThe provider will write you a contract called a Green Deal finance plan if you choose to pay with Green Deal finance. The plan will contain:\n\n- an outline of the work that will be done\n\n- any financial help you can get from other schemes\n\n- the repayments and interest rate\n\n- information on other incentives you can access, such as Feed-in Tarrifs\n\n- information on warranties and guarantees\n\nYour Green Deal repayments will be automatically added to your electricity bill if you have chosen to take Green Deal finance.\n\n## Complaints\n\nYou can complain about your Green Deal.\n\n## How to pay\n\nYou can pay in advance, get a Green Deal finance plan, or use other schemes to fund the work. You can also combine ways to pay.\n\n## Getting a Green Deal finance plan\n\nFinance plans are offered by approved Green Deal providers.\n\nGive your Green Deal assessment to providers you want to get a quote from.\n\nYour provider will find an installer for you.\n\nYou can only get a finance plan for improvements recommended in your Green Deal assessment.\n\nEach provider must tell you:\n\n- how much you\u2019ll pay back\n\n- how long you\u2019ll pay for\n\n## What you can borrow and how much you\u2019ll pay\n\nYou can get finance for an amount based on what you\u2019ll be expected to save on your energy bills.\n\nThe annual repayments on the loan should not be more than the savings you might make on your energy bills.\n\nThere\u2019s no set interest rate. Your interest rate will be determined by the amount of your finance plan. Check with your provider for rates and fees.\n\nThe interest rate is fixed for the full term of the plan so your repayments will be fixed.\n\n## How you pay\n\nYou pay back the loan through a charge added to your electricity bill. If you have a prepayment meter, a small amount will be taken from the meter each day.\n\nThis is because the Green Deal stays with the property. If you move, you no longer benefit from the improvements and therefore stop paying for them.\n\nYou can pay off your Green Deal early, but you might be charged a fee - check with your provider.\n\n## Moving into a property with a Green Deal\n\nIf you move into a property with a Green Deal, the landlord or seller must show you a copy of the Energy Performance Certificate (EPC). This will explain what improvements have been made and how much you\u2019ll need to repay.\n\nThe person who pays the electricity bill pays the money back.\n\nYou can change electricity supplier if the new supplier is participating in the Green Deal.\n\n## Get more information\n\nContact the Green Deal provider if you have specific questions about the improvements, warranties or repayments.\n\nYou can get general information from Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland.\n\nFind out about call charges", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "answerable": true, + "scenario": "My grandfather is a homeowner and his heating system needed replacement.His finances were low during covid pandemic and applied for home improvement voucher to get it fixed.He was given a grant worthy \u00a35000", + "original_question": "Will he make the repayment all at once?" + }, + { + "id": "train-414", + "question": "Scenario: My partner and i have decided to buy a property. Fortunately we have found a perfect house going at \u00a3520000.It has a green deal and the seller has informed has that it still has an outstanding amount to be paid . Before completing the property payment .\n\nQuestion: Will the seller to clear the green deal outstanding bill for us?\n\nDocument - Green Deal: energy saving for your home:\n## Overview\n\nThe Green Deal helps you make energy-saving improvements to your home and to find the best way to pay for them.\n\nThe improvements that could save you the most energy depend on your home, but typical examples include:\n\n- insulation, such as solid wall, cavity wall or loft insulation\n\n- heating\n\n- draught-proofing\n\n- double glazing\n\n- renewable energy generation, such as solar panels or heat pumps\n\n## If you need help paying for home improvements\n\nYou may be able to get a loan through the Green Deal, but you\u2019ll have to pay this back.\n\n## Find out if your home will benefit\n\nThere are various ways to check if your property could benefit from energy-saving improvements:\n\n- use the Energy Efficiency Calculator to find out how you can reduce your energy bills\n\n- check which home energy grants you might be able to apply for\n\n- talk to a Green Deal assessor or provider\n\nThe Green Deal may be right for you if you think your property could benefit from energy-saving improvements.\n\nYou can also talk to Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland\n\nFind out about call charges\n\nThe Green Deal is not available in Northern Ireland.\n\n## Green Deal mark\n\nAll Green Deal organisations must be authorised. Look for the quality mark, which is a green house with a tick on the roof.\n\nYou can also check if a Green Deal company is genuine.\n\n## Improvements and benefits to your home\n\nAny household with an electricity meter (including prepayment meters) in England, Scotland or Wales can use the scheme.\n\nBoth the landlord and the tenant must agree to the improvements if the building is rented.\n\n## Eligible improvements\n\nYou can use the Green Deal for a range of different energy saving measures including:\n\n- replacing windows and doors\n\n- installing secondary glazing\n\n- using energy efficient lighting\n\n- insulating your loft or walls\n\n- adding draught proofing\n\n- upgrading your heating\n\n- generating renewable energy from sources such as wind or solar power\n\nBut only if your Green Deal assessment recommends them.\n\n## Get an assessment\n\nYou must get your property assessed to use the Green Deal. Contact a Green Deal assessor or ask a Green Deal provider to find an assessor for you.\n\nYou may have to pay for an assessment. The assessor must tell you the fee in advance.\n\n## What to expect from an assessment\n\nA Green Deal assessor will visit your home, talk to you about your property and your energy use and help you decide if you could benefit from Green Deal improvements.\n\n## When you book\n\nYou may be asked if:\n\n- you own or rent the property\n\n- your home is a listed building, in a conservation area, built before 1900 or constructed in a non-traditional way\n\n- there are access issues, such as access to your loft\n\n- you can provide bills showing your recent energy use\n\n## When the assessor visits\n\nYou may be asked:\n\n- how many people live in your home\n\n- what type of heating and appliances you use\n\n- how often you use your heating\n\n- what energy-saving measures are already installed\n\n## After the visit\n\nYou\u2019ll get a document, called a Green Deal advice report, that contains:\n\n- an Energy Performance Certificate (EPC) that rates your home for energy efficiency\n\n- an occupancy assessment that measures how much energy you and other occupiers are using\n\n- improvements your assessor recommends\n\n- an estimate of the money you could save on your annual energy bills\n\n- a statement on whether the improvements will pay for themselves through reduced energy costs\n\nA Green Deal advice report is valid for 10 years, or until you make changes or energy saving improvements to the property, for example you build an extension or change the windows.\n\nThe actual savings will depend on how much energy you use and the future cost of energy.\n\n## What to do next\n\nYou decide:\n\n- if you want to get the work done\n\n- how you want to pay\n\n## Getting the work done\n\nHow you decide to get the work done will affect your options for how you pay for the work.\n\nAfter you get a Green Deal advice report, you can:\n\n- ask a Green Deal provider to arrange installation and pay for the work yourself\n\n- ask a Green Deal provider to arrange installation and a Green Deal finance plan to pay for the work\n\n- get your own installers to fit the improvements and pay for them yourself\n\n- pay for the work in more than one way, like using a Green Deal finance plan or money of your own\n\nSome companies provide all the services for a Green Deal package - assessment, finance and installation. You can choose to use a different company for each service.\n\n## Get a quote\n\nGive a provider or installer your Green Deal advice report.\n\nProviders will give you a quote and arrange the installers for you. Installers will quote to do the work themselves. A quote from a provider will include the repayment terms if you\u2019re paying with a finance plan.\n\nYou can get more than one quote and you can choose which improvements you want.\n\nYou can ask the provider or installer if you or your property qualify to combine the Green Deal with these other schemes:\n\n- Affordable Warmth Obligation - help from your energy company to improve your home if you\u2019re on certain benefits or a low income, or for certain hard-to-treat properties\n\n- Feed-in Tariffs - payments from your energy provider if you generate your own electricity (such as through solar panels or a wind turbine)\n\n- Renewable Heat Incentive (RHI) - payments for generation and use of renewable energy to heat buildings\n\n- any scheme run by your Local Authority - contact your Local Authority for information\n\n## Agree the work\n\nPick the provider or installer you want to do the work.\n\nThe provider will write you a contract called a Green Deal finance plan if you choose to pay with Green Deal finance. The plan will contain:\n\n- an outline of the work that will be done\n\n- any financial help you can get from other schemes\n\n- the repayments and interest rate\n\n- information on other incentives you can access, such as Feed-in Tarrifs\n\n- information on warranties and guarantees\n\nYour Green Deal repayments will be automatically added to your electricity bill if you have chosen to take Green Deal finance.\n\n## Complaints\n\nYou can complain about your Green Deal.\n\n## How to pay\n\nYou can pay in advance, get a Green Deal finance plan, or use other schemes to fund the work. You can also combine ways to pay.\n\n## Getting a Green Deal finance plan\n\nFinance plans are offered by approved Green Deal providers.\n\nGive your Green Deal assessment to providers you want to get a quote from.\n\nYour provider will find an installer for you.\n\nYou can only get a finance plan for improvements recommended in your Green Deal assessment.\n\nEach provider must tell you:\n\n- how much you\u2019ll pay back\n\n- how long you\u2019ll pay for\n\n## What you can borrow and how much you\u2019ll pay\n\nYou can get finance for an amount based on what you\u2019ll be expected to save on your energy bills.\n\nThe annual repayments on the loan should not be more than the savings you might make on your energy bills.\n\nThere\u2019s no set interest rate. Your interest rate will be determined by the amount of your finance plan. Check with your provider for rates and fees.\n\nThe interest rate is fixed for the full term of the plan so your repayments will be fixed.\n\n## How you pay\n\nYou pay back the loan through a charge added to your electricity bill. If you have a prepayment meter, a small amount will be taken from the meter each day.\n\nThis is because the Green Deal stays with the property. If you move, you no longer benefit from the improvements and therefore stop paying for them.\n\nYou can pay off your Green Deal early, but you might be charged a fee - check with your provider.\n\n## Moving into a property with a Green Deal\n\nIf you move into a property with a Green Deal, the landlord or seller must show you a copy of the Energy Performance Certificate (EPC). This will explain what improvements have been made and how much you\u2019ll need to repay.\n\nThe person who pays the electricity bill pays the money back.\n\nYou can change electricity supplier if the new supplier is participating in the Green Deal.\n\n## Get more information\n\nContact the Green Deal provider if you have specific questions about the improvements, warranties or repayments.\n\nYou can get general information from Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland.\n\nFind out about call charges", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "answerable": true, + "scenario": "My partner and i have decided to buy a property. Fortunately we have found a perfect house going at \u00a3520000.It has a green deal and the seller has informed has that it still has an outstanding amount to be paid . Before completing the property payment .", + "original_question": "Will the seller to clear the green deal outstanding bill for us?" + }, + { + "id": "train-416", + "question": "Scenario: I have inherited two houses from my parents through a will.I am childless and no known relatives. I have decided to donate one house as a gift to a charity who have requested me to sell it on their behalf.\n\nQuestion: Will i be able to claim tax relief of this donation if I lost records of the gift?\n\nDocument - Tax relief when you donate to a charity:\n## Overview\n\nDonations by individuals to charity or to community amateur sports clubs (CASCs) are tax free. This is called tax relief.\n\nThe tax goes to you or the charity. How this works depends on whether you donate:\n\n- through Gift Aid\n\n- straight from your wages or pension through a Payroll Giving scheme\n\n- land, property or shares\n\n- in your will\n\nThis also applies to sole traders and partnerships. There are different rules for limited companies.\n\nIf you want to donate to a sports club, check if it\u2019s registered as a community amateur sports club (CASC). You cannot donate to a CASC through Payroll Giving.\n\n## Keeping records\n\nYou\u2019ll need to keep a record of your donations if you want to take them off your total taxable income.\n\n## Gift Aid\n\nDonating through Gift Aid means charities and community amateur sports clubs (CASCs) can claim an extra 25p for every \u00a31 you give. It will not cost you any extra.\n\nCharities can claim Gift Aid on most donations, but some payments do not qualify.\n\n## What you need to do\n\nYou need to make a Gift Aid declaration for the charity to claim. You usually do this by filling in a form - contact the charity if you have not got one.\n\nYou must give a declaration to each charity you want to donate to through Gift Aid.\n\nYou can include all donations from the last 4 years. Tell the charity about any tax years where you did not pay enough tax.\n\n## Paying enough tax to qualify for Gift Aid\n\nYour donations will qualify as long as they\u2019re not more than 4 times what you have paid in tax in that tax year (6 April to 5 April).\n\nThe tax could have been paid on income or capital gains.\n\nYou must tell the charities you support if you stop paying enough tax.\n\n## Higher rate taxpayers\n\nIf you pay tax above the basic rate, you can claim the difference between the rate you pay and basic rate on your donation. It\u2019s the same if you live in Scotland. Do this either:\n\n- through your Self Assessment tax return\n\n- by asking HM Revenue and Customs (HMRC) to amend your tax code\n\nWith Payroll Giving, you do not pay the difference between the higher and basic rate of tax on your donation.\n\n## Getting tax relief sooner\n\nIn your Self Assessment tax return, you normally only report things from the previous tax year.\n\nBut for Gift Aid, you can also claim tax relief on donations you make in the current tax year (up to the date you send your return) if you either:\n\n- want tax relief sooner\n\n- will not pay higher rate tax in current year, but you did in the previous year\n\nYou cannot do this if:\n\n- you miss the deadline\n (31 January if you file online)\n\n- your donations do not qualify for Gift Aid - your donations from both tax years together must not be more than 4 times what you paid in tax in the previous year\n\nIf you do not have to send a tax return, contact HMRC and ask for a P810 form. You\u2019ll need to submit it by 31 January after the end of the previous tax year.\n\n## Donating straight from your wages or pension\n\nIf your employer, company or personal pension provider runs a Payroll Giving scheme, you can donate straight from your wages or pension. This happens before tax is deducted from your income.\n\nAsk your employer or pension provider if they run a Payroll Giving scheme.\n\nYou cannot donate to a community amateur sports club (CASC) through Payroll Giving.\n\nThe tax relief you get depends on the rate of tax you pay. To donate \u00a31, you pay:\n\n- 80p if you\u2019re a basic rate taxpayer\n\n- 60p if you\u2019re a higher rate taxpayer\n\n- 55p if you\u2019re an additional rate taxpayer\n\nThe tax relief you get is different if you live in Scotland. To donate \u00a31, you pay:\n\n- 81p if you\u2019re a starter rate taxpayer\n\n- 80p if you\u2019re a basic rate taxpayer\n\n- 79p if you\u2019re a intermediate rate taxpayer\n\n- 59p if you\u2019re a higher rate taxpayer\n\n- 54p if you\u2019re a top rate taxpayer\n\n## Donating land, property or shares\n\nYou do not have to pay tax on land, property or shares you donate to charity. This includes selling them for less than their market value.\n\nYou get tax relief on both:\n\n- Income Tax\n\n- Capital Gains Tax\n\nYou cannot get Income Tax relief on donations to community amateur sports clubs (CASCs).\n\nYou must keep records of the donation to show that you\u2019ve made the gift or sale and that the charity has accepted it.\n\n## Income Tax relief\n\nYou can pay less Income Tax by deducting the value of your donation from your total taxable income. Do this for the tax year (6 April to 5 April) in which you made the gift or sale to charity.\n\n## How to claim\n\nIf you complete a Self Assessment tax return, add the amount you\u2019re claiming in the \u2018Charitable giving\u2019 section of the form. This will reduce your Self Assessment bill.\n\nIf you do not complete a tax return, write to HM Revenue and Customs (HMRC) with details of the gift or sale and your tax relief amount. You\u2019ll either get a refund, or your tax code will be changed so you pay less Income Tax for that tax year.\n\n## Capital Gains Tax relief\n\nYou do not have to pay Capital Gains Tax on land, property or shares you give to charity.\n\nYou may have to pay if you sell them for more than they cost you but less than their market value. Work out your gain using the amount the charity actually pays you, rather than the value of the asset.\n\n## Selling land, property or shares on behalf of a charity\n\nWhen you offer a gift of land, property or shares, the charity may ask you to sell the gift on its behalf.\n\nYou can do this and still claim tax relief for the donation, but you must keep records of the gift and the charity\u2019s request. Without them, you might have to pay Capital Gains Tax.\n\n## Leaving gifts to charity in your will\n\nYour will says what will happen to your money, property and possessions after you die.\n\nYour donation will either:\n\n- be taken off the value of your estate before Inheritance Tax is calculated\n\n- reduce your Inheritance Tax rate, if 10% or more of your estate is left to charity\n\nYou can donate:\n\n- a fixed amount\n\n- an item\n\n- what\u2019s left after other gifts have been given out\n\n## Writing your will\n\nFind out how to write or update your will, including how to make sure it\u2019s legal.\n\nInclude the charity\u2019s full name - check with them or search the charity register in England and Wales, Scotland or Northern Ireland.\n\n## Keeping records\n\nYou need to keep records of donations if you want to claim tax back on them.\n\n## Gift Aid donations\n\nKeep records if you:\n\n- pay higher rate tax\n\n- claim tax credits\n\n- get a higher Personal Allowance because of your age\n\n- get Married Couple\u2019s Allowance\n\nIf you\u2019re claiming tax back through your Self Assessment tax return or by asking HM Revenue & Customs (HMRC) to amend your tax code keep records showing the date, the amount and which charities you\u2019ve donated to.\n\n## Land, buildings and shares\n\nFor donations of land, property or shares you need to keep:\n\n- legal documents showing the sale or transfer to charity\n\n- any documents from a charity asking you to sell land or shares on its behalf\n\nYou normally have to keep your records for at least 22 months from the end of the tax year they\u2019re for.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/donating-to-charity", + "answerable": true, + "scenario": "I have inherited two houses from my parents through a will.I am childless and no known relatives. I have decided to donate one house as a gift to a charity who have requested me to sell it on their behalf.", + "original_question": "Will i be able to claim tax relief of this donation if I lost records of the gift?" + }, + { + "id": "train-417", + "question": "Scenario: My Aunt is a widow and recieves widows benefits. Due to her work efficiency her UK employer has requested her to go and work in their other office in France for the next 2 years. She has a 2 children who are on childtax credit.\n\nQuestion: Will her tax credits and childtax credits be affected if she moves to france?\n\nDocument - Tax credits if you leave or move to the UK:\n## Your family lives abroad\n\nIf your partner is outside the UK and you do not have children, check the Working Tax Credit guidance for information on whether you can continue to claim.\n\n## You have a child who lives abroad\n\nIf you already get Working Tax Credit and want to add Child Tax Credit to your claim, check if you\u2019re eligible.\n\nIf you already get Child Tax Credit, you may be able to make a claim for an additional child if:\n\n- you are working in the UK\n\n- the child is living in the EEA or Switzerland\n\n- you are supporting the child\n\nYou must also be one of the following:\n\n- an EEA or Swiss citizen who has settled or pre-settled status under the EU Settlement Scheme\n\n- an EEA or Swiss citizen who had a right to reside in the UK on 31 December 2020\n\n- a family member of an EEA or Swiss citizen (who has settled or pre-settled status under the EU Settlement Scheme or had a right to reside in the UK on 31 December 2020) and you are residing in the UK\n\n- a person with dual nationality, one of which is nationality of an EEA country or Switzerland\n\n- covered by any of the other conditions in the Withdrawal Agreement with the EEA and Switzerland\n\nYou usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.\n\nYou must let HMRC know within a month if your partner or child join you in the UK. This is because your tax credits payments may change.\n\n## Your partner gets benefits in an EEA country or Switzerland\n\nIf you\u2019ve got children and your partner gets benefits paid by an EEA country or Switzerland, this may affect your tax credits. You must tell HMRC if you or your partner are paid benefits by an EEA country or Switzerland.\n\nSome benefits are counted as income, for example benefits paid because of unemployment.\n\n## Going abroad\n\nYour tax credits will stop if you expect to be away for one year or more.\n\nYou may still qualify for tax credits if you go abroad for a short period, for example on holiday or for medical treatment.\n\n| Reason for leaving | How long you can get tax credits for |\n\n| Medical treatment for yourself, your partner or your child | Up to 12 weeks |\n\n| Death of your partner, a child or close relative of either you or your partner | Up to 12 weeks |\n\n| Any other reason, for example holidays or business | Up to 8 weeks |\n\nIf your trip is going to last longer than 8 or 12 weeks, contact HM Revenue and Customs (HMRC) within a month. Your tax credits will end unless:\n\n- you get UK benefits or State Pension and you live in another European country with a child\n\n- you work and pay National Insurance contributions in the UK, but your family lives in another European country\n\n## You live outside the UK\n\nYou may continue to get tax credits if you\u2019re a Crown servant posted overseas or you live abroad with your child and get UK benefits or the State Pension.\n\n## You\u2019re a Crown servant posted overseas\n\nYou may continue to get tax credits, just as if you were living in the UK. HM Revenue and Customs (HMRC) will treat you as being in the UK if any of the following applies:\n\n- you are, or were just before you were posted abroad, \u2018ordinarily resident\u2019 in the UK\n\n- you\u2019ve had a series of postings abroad, with no breaks in between - and you are or were \u2018ordinarily resident\u2019 in the UK immediately before the first of those postings\n\n- you were in the UK just before you were posted abroad and the reason you were in the UK was connected to your posting - this can apply to a single posting or to a series of postings\n\n## Ordinarily resident\n\nOrdinarily resident means you normally live in the UK, and plan to stay here for the time being. When HMRC decides if you\u2019re ordinarily resident in the UK they\u2019ll look at things like:\n\n- where your settled home is\n\n- where your close family live\n\n- why you came to the UK\n\n- if you plan to leave the UK permanently in the next 2 or 3 years\n\n## Your partner\u2019s a Crown servant posted overseas\n\nYou may continue to get tax credits if your partner\u2019s a Crown servant posted outside the UK and you:\n\n- live with your partner while they work abroad\n\n- live in the UK while your partner works abroad\n\nYou do not need to be ordinarily resident in the UK during the time you\u2019re with your Crown servant partner overseas.\n\n## You have a child - and get UK benefits or State Pension\n\nIf none of the sections above apply to you, you may continue to get Child Tax Credit (or add it to an existing Working Tax Credit claim) if you and your child live in a European Union (EU) member state and you get State Pension or one of the following benefits:\n\n- Incapacity Benefit\n\n- State Pension\n\n- Widow\u2019s Benefit\n\n- Bereavement Benefit\n\n- Industrial Injuries Disablement Benefit\n\n- contribution-based Employment and Support Allowance\n\n- Severe Disablement Allowance\n\nYou will not be able to get Child Tax Credit if you do not live in an EU member state, unless you (or your partner) are a Crown servant posted abroad.\n\n## Moving to the UK\n\nYou must have been living in the UK for 3 months before you were eligible to claim Child Tax Credit if you moved to the UK on or after 1 July 2014 and do not have a job. This does not apply if you:\n\n- are a family member of someone who works or is self-employed\n\n- are a refugee\n\n- have been granted discretionary leave to enter or stay in the UK and you can get benefits\n\n- have been given leave to stay as a displaced person and you can get benefits\n\n- have been given to leave to stay and have applied for settlement as a victim of domestic violence\n\n- have been granted humanitarian protection\n\n- were made redundant in the UK (or your family member was) and you\u2019re looking for a job or in training\n\n- were working in the UK before but temporarily cannot work because of your health or an accident\n\n- have been abroad for less than a year but usually live in the UK and were claiming Child Tax Credits before moving\n\n- have been abroad for less than a year but usually live in the UK and were in the UK for at least 3 months before moving\n\n- paid Class 1 or Class 2 National Insurance contributions while you were working abroad, and paid these in the 3 month period before returning to the UK\n\n## Cross-border workers\n\nYou may continue to get tax credits if you regularly travel from:\n\n- another country to work in the UK\n\n- the UK to work in another country\n\n## Working Tax Credit\n\nYou may continue to get Working Tax Credit if you live in:\n\n- an EEA country (including Switzerland) and work in the UK\n\n- the UK and work in an EEA country (including Switzerland)\n\n## Child Tax Credit\n\nYou and your partner - if you have one - may continue to get Child Tax Credit for your children if:\n\n- you work in the UK\n\n- you pay National Insurance as a worker here\n\n- your child lives in an EEA country or in Switzerland\n\n- your child is living with your partner or someone else and they depend on you to support them\n\nYou usually cannot claim for a child who lives outside the EEA or Switzerland. There\u2019s an exception if your partner is a Crown servant posted abroad.\n\n## Childcare costs\n\nYou can usually claim help for your childcare costs through the childcare element of Working Tax Credit.\n\nTo qualify your children must either:\n\n- be in registered or approved childcare in the UK\n\n- be in childcare approved by a Ministry of Defence accreditation scheme abroad - if you\u2019re a Crown servant posted abroad\n\n## Immigration control\n\nYou usually cannot get tax credits if you\u2019re \u2018subject to immigration control\u2019, although there are some exceptions. You\u2019ll still need to meet the other qualifying rules, for example work the right number of hours.\n\nWhen you arrived in the UK your passport may have been stamped. The stamp shows the conditions of your stay in the UK, for example \u2018no recourse to public funds\u2019. Public funds include tax credits and most benefits.\n\n## Exceptions\n\nYou may continue to get tax credits if:\n\n- your partner lives in the UK and is not subject to immigration control\n\n- one of the examples below applies to you or your partner\n\n## You have permission to stay in the UK because someone else supports you\n\nYou may continue to get tax credits if someone else is responsible for your maintenance while you\u2019re in the UK. This means they pay for your upkeep and provide you with somewhere to live. This person is often called your \u2018sponsor\u2019, and could be a friend, employer or relative.\n\nAll of the following must apply:\n\n- your sponsor has given the Home Office a written statement saying that they\u2019re sponsoring you\n\n- your sponsor has permission to stay in the UK\n\n- you\u2019ve been living permanently in the UK for at least 5 years, either since you came into the UK or since you started being sponsored (whichever date is later)\n\nYou may also continue to get tax credits if you\u2019ve been living in the UK for fewer than 5 years, but:\n\n- your sponsor has died\n\n- all your sponsors - if you had more than one - have died\n\n## You\u2019re from Albania, Morocco, San Marino or Tunisia\n\nYou cannot get Working Tax Credit.\n\nYou may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:\n\n- retired\n\n- pregnant or looking after children\n\n- sick or disabled or your partner has died\n\n## You\u2019re from Turkey\n\nTo continue to get Working Tax Credit you need to be lawfully present in the UK and a Turkish national.\n\nYou may continue to get Child Tax Credit if you\u2019re either working in the UK or you\u2019re not working because you\u2019re:\n\n- retired\n\n- pregnant or looking after children\n\n- sick or disabled or your partner has died\n\n## You\u2019re from North Macedonia\n\nYou may continue to get Working Tax Credit if you\u2019re a national of North Macedonia. You\u2019ll need to be lawfully present in the UK.\n\nYou cannot normally get Child Tax Credit. However, you may continue to if you\u2019ve been getting payments for your children through Income Support or income-based Jobseeker\u2019s Allowance.\n\n## You claimed asylum before 5 February 2006\n\nYou may continue to get Child Tax Credit if you received financial support for your children through Income Support or income-based Jobseeker\u2019s Allowance.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-credits-if-moving-country-or-travelling", + "answerable": true, + "scenario": "My Aunt is a widow and recieves widows benefits. Due to her work efficiency her UK employer has requested her to go and work in their other office in France for the next 2 years. She has a 2 children who are on childtax credit.", + "original_question": "Will her tax credits and childtax credits be affected if she moves to france?" + }, + { + "id": "train-420", + "question": "Scenario: I am 19 years old student.I registered my vote in wiltshire Council. I have now moved to Birmingham city Council after Joining my University. I would like to vote in the coming local elections.\n\nQuestion: Can I choose whether to vote in Birmingham city Council or in wiltshire Council?\n\nDocument - Types of election, referendums, and who can vote:\n## General election\n\nGeneral elections (elections to the UK Parliament) usually take place every 5 years.\n\nTo vote in a general election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish or qualifying Commonwealth citizen\n\n- be resident at an address in the UK (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)\n\n- not be legally excluded from voting\n\nThere are 650 Members of Parliament (MPs) in the UK Parliament.\n\nMPs are elected using the First Past the Post system. You vote once for a candidate in your constituency and the candidate with the most votes becomes your MP.\n\nYou can find your local MP.\n\nRead more about general elections on The Electoral Commission website.\n\n## Local government\n\nLocal government elections take place at least every 4 years. Not all local government elections take place at the same time.\n\nYour local government will do one of the following:\n\n- elect all the local councillors every 4 years\n\n- elect half the local councillors every 2 years\n\n- elect one third of the local councillors every year for 3 years and hold no elections in the 4th year\n\nTo vote in a local government election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019) (16 or over in Scotland)\n\n- be registered at an address in the area you want to vote in\n\n- not be legally excluded from voting\n\nYou must also be one of the following:\n\n- a British citizen\n\n- an Irish or EU citizen\n\n- a qualifying Commonwealth citizen\n\n- a citizen of another country living in Scotland or Wales who has permission to enter or stay in the UK, or who does not need permission\n\nLocal government councillors in England and Wales are elected using the First Past the Post system. You vote for one candidate in your local area and the candidate with the most votes wins.\n\nIn Scotland and Northern Ireland, councillors are elected using the Single Transferable Vote system. You rank the candidates in order of preference.\n\n## When you can vote in more than one local election\n\nIf you live in 2 different local authority areas (for example because you\u2019re a student), you may be able to vote in both areas.\n\nYou must register to vote in both areas. The local Electoral Registration Offices will check each application and tell you if you can register in both areas.\n\nRead more about local government elections on The Electoral Commission website.\n\n## Scottish Parliament\n\nThere are 129 Members of the Scottish Parliament (MSPs).\n\nTo vote in Scottish Parliament elections you must:\n\n- be registered to vote at an address in Scotland\n\n- be 16 or over on the day of the election (\u2018polling day\u2019)\n\n- not be legally excluded from voting\n\nYou must also be one of the following:\n\n- a British citizen\n\n- an Irish citizen\n\n- a citizen of another country living in Scotland who has permission to enter or stay in the UK, or who does not need permission\n\nMSPs are elected using the Additional Member system. You vote once for your constituency MSP and once for an MSP to represent the wider region.\n\nRead more about the Scottish Parliament elections on The Electoral Commission website.\n\n## Northern Ireland Assembly\n\nThere are 90 Members of the Legislative Assembly (MLAs) in the Northern Ireland Assembly.\n\nTo vote in Northern Ireland Assembly elections you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be registered at an address in the area you want to vote in\n\n- not be legally excluded from voting\n\nMLAs are elected by the Single Transferable Vote system.\n\nRead more about the Northern Ireland Assembly elections on The Electoral Commission website.\n\n## Welsh Parliament\n\nThere are 60 Members of the Senedd Cymru: Welsh Parliament (MSs).\n\nTo vote in Welsh Parliament elections you must:\n\n- be registered to vote\n\n- be 16 or over on the day of the election (\u2018polling day\u2019)\n\n- live in Wales\n\n- not be legally excluded from voting\n\nMSs are elected using the Additional Member system. You vote once for your constituency MS and once for an MS to represent the wider region.\n\nRead more about the Welsh Parliament on The Electoral Commission website.\n\n## Local mayors, Mayor of London and London Assembly\n\n## Elected local mayors\n\nIn some areas of England voters elect a mayor.\n\nCheck if your mayor is elected on your local council website.\n\nMayors are elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, then your second choice is counted.\n\nTo vote for a local mayor, you must be eligible to vote in local elections.\n\n## Mayor of London and London Assembly\n\nThe Mayor of London makes decisions on behalf of the people of London. The 25 London Assembly Members make sure the Mayor\u2019s decisions are in the interests of the public.\n\nTo vote in the London Mayor and London Assembly elections you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be resident at an address in Greater London\n\n- not be legally excluded from voting\n\nThe Mayor of London is elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.\n\nLondon Assembly members are elected using the Additional Member system. You vote once for your constituency member and once for a London-wide representative.\n\nThere are 14 constituency members and 11 London-wide members.\n\nRead more about the Mayor of London and London Assembly elections on The Electoral Commission website.\n\n## Police and Crime Commissioner\n\nThere are 41 Police and Crime Commissioners (PCCs) in England and Wales who are elected to make sure the police are run properly. There is no elected PCC for London.\n\nTo vote in a PCC election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be resident at an address in England or Wales (excluding London)\n\n- not be legally excluded from voting\n\nPCCs are elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.\n\nRead more about Police and Crime Commissioner elections on The Electoral Commission website.\n\n## Referendums\n\nA referendum is a vote on a single issue.\n\nEach referendum has different rules on who can vote in it.\n\nTo vote in a referendum you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the referendum (\u2018polling day\u2019)\n\n- be a British, Irish or Commonwealth citizen\n\n- be resident at an address in the UK or Gibraltar (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)\n\n- not be legally excluded from voting\n\nYou make one choice between 2 options. Votes are counted for the whole of the UK, not by constituency.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/elections-in-the-uk", + "answerable": true, + "scenario": "I am 19 years old student.I registered my vote in wiltshire Council. I have now moved to Birmingham city Council after Joining my University. I would like to vote in the coming local elections.", + "original_question": "Can I choose whether to vote in Birmingham city Council or in wiltshire Council?" + }, + { + "id": "train-421", + "question": "Scenario: I am a 30 years old UK resident. I would like to vote in the coming local government elections . I pay council tax every month.\n\nQuestion: Am i registered as a voter automatically?\n\nDocument - Types of election, referendums, and who can vote:\n## General election\n\nGeneral elections (elections to the UK Parliament) usually take place every 5 years.\n\nTo vote in a general election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish or qualifying Commonwealth citizen\n\n- be resident at an address in the UK (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)\n\n- not be legally excluded from voting\n\nThere are 650 Members of Parliament (MPs) in the UK Parliament.\n\nMPs are elected using the First Past the Post system. You vote once for a candidate in your constituency and the candidate with the most votes becomes your MP.\n\nYou can find your local MP.\n\nRead more about general elections on The Electoral Commission website.\n\n## Local government\n\nLocal government elections take place at least every 4 years. Not all local government elections take place at the same time.\n\nYour local government will do one of the following:\n\n- elect all the local councillors every 4 years\n\n- elect half the local councillors every 2 years\n\n- elect one third of the local councillors every year for 3 years and hold no elections in the 4th year\n\nTo vote in a local government election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019) (16 or over in Scotland)\n\n- be registered at an address in the area you want to vote in\n\n- not be legally excluded from voting\n\nYou must also be one of the following:\n\n- a British citizen\n\n- an Irish or EU citizen\n\n- a qualifying Commonwealth citizen\n\n- a citizen of another country living in Scotland or Wales who has permission to enter or stay in the UK, or who does not need permission\n\nLocal government councillors in England and Wales are elected using the First Past the Post system. You vote for one candidate in your local area and the candidate with the most votes wins.\n\nIn Scotland and Northern Ireland, councillors are elected using the Single Transferable Vote system. You rank the candidates in order of preference.\n\n## When you can vote in more than one local election\n\nIf you live in 2 different local authority areas (for example because you\u2019re a student), you may be able to vote in both areas.\n\nYou must register to vote in both areas. The local Electoral Registration Offices will check each application and tell you if you can register in both areas.\n\nRead more about local government elections on The Electoral Commission website.\n\n## Scottish Parliament\n\nThere are 129 Members of the Scottish Parliament (MSPs).\n\nTo vote in Scottish Parliament elections you must:\n\n- be registered to vote at an address in Scotland\n\n- be 16 or over on the day of the election (\u2018polling day\u2019)\n\n- not be legally excluded from voting\n\nYou must also be one of the following:\n\n- a British citizen\n\n- an Irish citizen\n\n- a citizen of another country living in Scotland who has permission to enter or stay in the UK, or who does not need permission\n\nMSPs are elected using the Additional Member system. You vote once for your constituency MSP and once for an MSP to represent the wider region.\n\nRead more about the Scottish Parliament elections on The Electoral Commission website.\n\n## Northern Ireland Assembly\n\nThere are 90 Members of the Legislative Assembly (MLAs) in the Northern Ireland Assembly.\n\nTo vote in Northern Ireland Assembly elections you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be registered at an address in the area you want to vote in\n\n- not be legally excluded from voting\n\nMLAs are elected by the Single Transferable Vote system.\n\nRead more about the Northern Ireland Assembly elections on The Electoral Commission website.\n\n## Welsh Parliament\n\nThere are 60 Members of the Senedd Cymru: Welsh Parliament (MSs).\n\nTo vote in Welsh Parliament elections you must:\n\n- be registered to vote\n\n- be 16 or over on the day of the election (\u2018polling day\u2019)\n\n- live in Wales\n\n- not be legally excluded from voting\n\nMSs are elected using the Additional Member system. You vote once for your constituency MS and once for an MS to represent the wider region.\n\nRead more about the Welsh Parliament on The Electoral Commission website.\n\n## Local mayors, Mayor of London and London Assembly\n\n## Elected local mayors\n\nIn some areas of England voters elect a mayor.\n\nCheck if your mayor is elected on your local council website.\n\nMayors are elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, then your second choice is counted.\n\nTo vote for a local mayor, you must be eligible to vote in local elections.\n\n## Mayor of London and London Assembly\n\nThe Mayor of London makes decisions on behalf of the people of London. The 25 London Assembly Members make sure the Mayor\u2019s decisions are in the interests of the public.\n\nTo vote in the London Mayor and London Assembly elections you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be resident at an address in Greater London\n\n- not be legally excluded from voting\n\nThe Mayor of London is elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.\n\nLondon Assembly members are elected using the Additional Member system. You vote once for your constituency member and once for a London-wide representative.\n\nThere are 14 constituency members and 11 London-wide members.\n\nRead more about the Mayor of London and London Assembly elections on The Electoral Commission website.\n\n## Police and Crime Commissioner\n\nThere are 41 Police and Crime Commissioners (PCCs) in England and Wales who are elected to make sure the police are run properly. There is no elected PCC for London.\n\nTo vote in a PCC election you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the election (\u2018polling day\u2019)\n\n- be a British, Irish, qualifying Commonwealth or EU citizen\n\n- be resident at an address in England or Wales (excluding London)\n\n- not be legally excluded from voting\n\nPCCs are elected using the Supplementary Vote system. You make a first and second choice when you vote.\n\nIf no candidate gets more than 50% of the first choice votes, all except the top 2 candidates are eliminated. If your first choice candidate is eliminated, and your second choice is for one of the top 2, your second choice is counted.\n\nRead more about Police and Crime Commissioner elections on The Electoral Commission website.\n\n## Referendums\n\nA referendum is a vote on a single issue.\n\nEach referendum has different rules on who can vote in it.\n\nTo vote in a referendum you must:\n\n- be registered to vote\n\n- be 18 or over on the day of the referendum (\u2018polling day\u2019)\n\n- be a British, Irish or Commonwealth citizen\n\n- be resident at an address in the UK or Gibraltar (or a British citizen living abroad who has been registered to vote in the UK in the last 15 years)\n\n- not be legally excluded from voting\n\nYou make one choice between 2 options. Votes are counted for the whole of the UK, not by constituency.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/elections-in-the-uk", + "answerable": true, + "scenario": "I am a 30 years old UK resident. I would like to vote in the coming local government elections . I pay council tax every month.", + "original_question": "Am i registered as a voter automatically?" + }, + { + "id": "train-422", + "question": "Scenario: My son is a 20 year old. He has a driving licence, and currently drives a 1500kg non-tracked tractor. I am considering purchasing a tracked tractor, which weighs 4000kg. I want my son to learn how to drive this.\n\nQuestion: Will my son be lawfully able to drive this vehicle?\n\nDocument - Learning to drive a tractor or specialist vehicle:\n## Driving licence requirements\n\nIf you pass a regular car driving test (category B) you\u2019ll get entitlement to drive:\n\n- agricultural tractors (category F)\n\n- mowing machines or pedestrian-controlled vehicles (category K)\n\nFor all other categories you need the correct full licence to drive the tractor or special vehicle on the road.\n\nTo get this you first need to get the right provisional driving licence entitlement and then pass a tractor or specialist vehicle driving test.\n\n## Exemptions\n\nYou do not need a licence to drive or operate:\n\n- a tractor or specialist vehicle off the public road (there are age limits)\n\n- pedestrian-controlled mowing machines (you must be at least 16)\n\n- electric bikes\n\n- mobility scooters or powered wheelchairs\n\nYou do need a driving licence to drive quad bikes on the road.\n\n## Road rollers and tracked vehicles\n\nYou need a full category B car licence with provisional entitlement for categories G and H to drive:\n\n- road rollers (category G)\n\n- tracked vehicles (category H)\n\nFind out how to add higher categories to your driving licence.\n\n## Age limits\n\n| | Category | Minimum age |\n\n| Agricultural tractors | F | 16/17* |\n\n| Road rollers | G | 21** |\n\n| Tracked vehicles | H | 17/21*** |\n\n| Mowing machine or pedestrian-controlled vehicle | K | 16 |\n\n*If you\u2019re 16 you can only drive tractors less than 2.45 metres wide and tow trailers less than 2.45 metres wide with 2 wheels, or 4 wheels close-coupled (close together).\n\n**If you\u2019re between 17 and 20 these must be small road road-rollers with metal or hard rollers. They cannot be steam powered, weigh more than 11,960kg or be made for carrying loads.\n\n***If you\u2019re between 17 and 20 the Maximum Authorised Mass (MAM) of the vehicle cannot be more than 3,500kg. (Maximum Authorised Mass is the maximum weight of a vehicle including the maximum load that can be carried safely while used on the road.)\n\n## Practising driving a tractor or specialist vehicle\n\nYou can get a provisional licence for a tractor or specialist vehicle at 16, but you cannot practise driving them on the road until you\u2019re 17.\n\nThe only exception is when you\u2019re driving to or from your practical driving test.\n\nYou must be accompanied by a qualified driver if the vehicle was made with a passenger seat. Removing a seat is not allowed.\n\n## Other rules for practising\n\nYou need to display L plates (L or D plates in Wales) when you\u2019re practising driving a tractor or specialist vehicle on public roads.\n\nYour vehicle must also be properly insured and roadworthy.\n\n## Finding an instructor\n\nYou might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.\n\nYour instructor may have to walk alongside you calling out advice if your vehicle does not have space for 2 people on board.\n\n## Driving tests for tractors and specialist vehicles\n\nThe type of driving test you have to do depends on the type of vehicle.\n\n## Category F, G, H or K vehicles\n\nThe examiner will give you instructions at the side of the road and watch how you:\n\n- drive as you go around left and right circuits\n\n- turn round using forward and reverse gears\n\nFor very slow vehicles, like pedestrian-controlled vehicles, your examiner may walk near you where they can watch your driving.\n\nYou\u2019ll also have an eyesight test and at the end of the category F, G, H or K test, you\u2019ll be asked 5 questions on the Highway Code and other motoring matters. You\u2019ll then be asked to identify 6 different traffic signs.\n\n## Category H tests\n\nIn category H driving tests you need to drive the vehicle backwards and turn it around, using its tracks, so it\u2019s facing the opposite direction.\n\nYour examiner will tell you how you should make this manoeuvre.\n\n## Documents you need to bring to your test\n\nYou must bring either:\n\n- a valid, signed photocard driving licence from the UK or an EU country\n\n- an old-style valid, signed UK paper driving licence along with a valid passport\n\n## Cancelled tests\n\nYou might be able to apply for a refund of out-of-pocket expenses if the Driver and Vehicle Standards Agency (DVSA) cancels your test at short notice.\n\n## Rules for test vehicles\n\nAll test vehicles have to meet certain rules, depending on their category.\n\n## Category B1 - quadricycles and light 4-wheeled vehicles\n\nYou can only take a test on a category B1 vehicle if you\u2019re registered as disabled.\n\nThe vehicle must:\n\n- weigh no more than 550kg unladen\n\n- be able to drive at 37mph\n\n## Category F - tractors\n\nCategory F includes tractors with 2 or more axles, built for off-road agriculture or forestry work.\n\n## Category G - road rollers\n\nIf you\u2019re between 17 and 20, these must be small road rollers with metal or hard rollers. They cannot:\n\n- be steam powered\n\n- weigh more than 11,690kg\n\n- be made for carrying loads\n\n## Category H - tracked vehicles\n\nCategory H vehicles must have adequate all-round visibility to let the driver carry out manoeuvres and deal with junctions safely.\n\nAny vehicle needing a second person to help with observation, such as a military vehicle, cannot be used for a category H test.\n\n## Category K - mowing machines or pedestrian-controlled vehicles\n\nA mowing machine is a specialist ride-on grass-cutting vehicle with permanent cutting equipment. You must be 16 to use this type of vehicle.\n\nA pedestrian-controlled vehicle is where the operator walks with but doesn\u2019t ride on the vehicle. You do not need a licence to operate one.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "answerable": true, + "scenario": "My son is a 20 year old. He has a driving licence, and currently drives a 1500kg non-tracked tractor. I am considering purchasing a tracked tractor, which weighs 4000kg. I want my son to learn how to drive this.", + "original_question": "Will my son be lawfully able to drive this vehicle?" + }, + { + "id": "train-424", + "question": "Scenario: My son is 16 years and lives in England . He possesses a provisional tractor and specialist vehicle license and would like him to operate our combine harvester since I have an arm injury .\n\nQuestion: Is he allowed to drive it via public road to my farm?\n\nDocument - Learning to drive a tractor or specialist vehicle:\n## Driving licence requirements\n\nIf you pass a regular car driving test (category B) you\u2019ll get entitlement to drive:\n\n- agricultural tractors (category F)\n\n- mowing machines or pedestrian-controlled vehicles (category K)\n\nFor all other categories you need the correct full licence to drive the tractor or special vehicle on the road.\n\nTo get this you first need to get the right provisional driving licence entitlement and then pass a tractor or specialist vehicle driving test.\n\n## Exemptions\n\nYou do not need a licence to drive or operate:\n\n- a tractor or specialist vehicle off the public road (there are age limits)\n\n- pedestrian-controlled mowing machines (you must be at least 16)\n\n- electric bikes\n\n- mobility scooters or powered wheelchairs\n\nYou do need a driving licence to drive quad bikes on the road.\n\n## Road rollers and tracked vehicles\n\nYou need a full category B car licence with provisional entitlement for categories G and H to drive:\n\n- road rollers (category G)\n\n- tracked vehicles (category H)\n\nFind out how to add higher categories to your driving licence.\n\n## Age limits\n\n| | Category | Minimum age |\n\n| Agricultural tractors | F | 16/17* |\n\n| Road rollers | G | 21** |\n\n| Tracked vehicles | H | 17/21*** |\n\n| Mowing machine or pedestrian-controlled vehicle | K | 16 |\n\n*If you\u2019re 16 you can only drive tractors less than 2.45 metres wide and tow trailers less than 2.45 metres wide with 2 wheels, or 4 wheels close-coupled (close together).\n\n**If you\u2019re between 17 and 20 these must be small road road-rollers with metal or hard rollers. They cannot be steam powered, weigh more than 11,960kg or be made for carrying loads.\n\n***If you\u2019re between 17 and 20 the Maximum Authorised Mass (MAM) of the vehicle cannot be more than 3,500kg. (Maximum Authorised Mass is the maximum weight of a vehicle including the maximum load that can be carried safely while used on the road.)\n\n## Practising driving a tractor or specialist vehicle\n\nYou can get a provisional licence for a tractor or specialist vehicle at 16, but you cannot practise driving them on the road until you\u2019re 17.\n\nThe only exception is when you\u2019re driving to or from your practical driving test.\n\nYou must be accompanied by a qualified driver if the vehicle was made with a passenger seat. Removing a seat is not allowed.\n\n## Other rules for practising\n\nYou need to display L plates (L or D plates in Wales) when you\u2019re practising driving a tractor or specialist vehicle on public roads.\n\nYour vehicle must also be properly insured and roadworthy.\n\n## Finding an instructor\n\nYou might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.\n\nYour instructor may have to walk alongside you calling out advice if your vehicle does not have space for 2 people on board.\n\n## Driving tests for tractors and specialist vehicles\n\nThe type of driving test you have to do depends on the type of vehicle.\n\n## Category F, G, H or K vehicles\n\nThe examiner will give you instructions at the side of the road and watch how you:\n\n- drive as you go around left and right circuits\n\n- turn round using forward and reverse gears\n\nFor very slow vehicles, like pedestrian-controlled vehicles, your examiner may walk near you where they can watch your driving.\n\nYou\u2019ll also have an eyesight test and at the end of the category F, G, H or K test, you\u2019ll be asked 5 questions on the Highway Code and other motoring matters. You\u2019ll then be asked to identify 6 different traffic signs.\n\n## Category H tests\n\nIn category H driving tests you need to drive the vehicle backwards and turn it around, using its tracks, so it\u2019s facing the opposite direction.\n\nYour examiner will tell you how you should make this manoeuvre.\n\n## Documents you need to bring to your test\n\nYou must bring either:\n\n- a valid, signed photocard driving licence from the UK or an EU country\n\n- an old-style valid, signed UK paper driving licence along with a valid passport\n\n## Cancelled tests\n\nYou might be able to apply for a refund of out-of-pocket expenses if the Driver and Vehicle Standards Agency (DVSA) cancels your test at short notice.\n\n## Rules for test vehicles\n\nAll test vehicles have to meet certain rules, depending on their category.\n\n## Category B1 - quadricycles and light 4-wheeled vehicles\n\nYou can only take a test on a category B1 vehicle if you\u2019re registered as disabled.\n\nThe vehicle must:\n\n- weigh no more than 550kg unladen\n\n- be able to drive at 37mph\n\n## Category F - tractors\n\nCategory F includes tractors with 2 or more axles, built for off-road agriculture or forestry work.\n\n## Category G - road rollers\n\nIf you\u2019re between 17 and 20, these must be small road rollers with metal or hard rollers. They cannot:\n\n- be steam powered\n\n- weigh more than 11,690kg\n\n- be made for carrying loads\n\n## Category H - tracked vehicles\n\nCategory H vehicles must have adequate all-round visibility to let the driver carry out manoeuvres and deal with junctions safely.\n\nAny vehicle needing a second person to help with observation, such as a military vehicle, cannot be used for a category H test.\n\n## Category K - mowing machines or pedestrian-controlled vehicles\n\nA mowing machine is a specialist ride-on grass-cutting vehicle with permanent cutting equipment. You must be 16 to use this type of vehicle.\n\nA pedestrian-controlled vehicle is where the operator walks with but doesn\u2019t ride on the vehicle. You do not need a licence to operate one.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "answerable": true, + "scenario": "My son is 16 years and lives in England . He possesses a provisional tractor and specialist vehicle license and would like him to operate our combine harvester since I have an arm injury .", + "original_question": "Is he allowed to drive it via public road to my farm?" + }, + { + "id": "train-425", + "question": "Scenario: I am 17 years old and have passed my car driving test category B. would like to help my father to spread manure on his farm with a Muck spreader. The farm is next to our home.\n\nQuestion: Do i qualify?\n\nDocument - Learning to drive a tractor or specialist vehicle:\n## Driving licence requirements\n\nIf you pass a regular car driving test (category B) you\u2019ll get entitlement to drive:\n\n- agricultural tractors (category F)\n\n- mowing machines or pedestrian-controlled vehicles (category K)\n\nFor all other categories you need the correct full licence to drive the tractor or special vehicle on the road.\n\nTo get this you first need to get the right provisional driving licence entitlement and then pass a tractor or specialist vehicle driving test.\n\n## Exemptions\n\nYou do not need a licence to drive or operate:\n\n- a tractor or specialist vehicle off the public road (there are age limits)\n\n- pedestrian-controlled mowing machines (you must be at least 16)\n\n- electric bikes\n\n- mobility scooters or powered wheelchairs\n\nYou do need a driving licence to drive quad bikes on the road.\n\n## Road rollers and tracked vehicles\n\nYou need a full category B car licence with provisional entitlement for categories G and H to drive:\n\n- road rollers (category G)\n\n- tracked vehicles (category H)\n\nFind out how to add higher categories to your driving licence.\n\n## Age limits\n\n| | Category | Minimum age |\n\n| Agricultural tractors | F | 16/17* |\n\n| Road rollers | G | 21** |\n\n| Tracked vehicles | H | 17/21*** |\n\n| Mowing machine or pedestrian-controlled vehicle | K | 16 |\n\n*If you\u2019re 16 you can only drive tractors less than 2.45 metres wide and tow trailers less than 2.45 metres wide with 2 wheels, or 4 wheels close-coupled (close together).\n\n**If you\u2019re between 17 and 20 these must be small road road-rollers with metal or hard rollers. They cannot be steam powered, weigh more than 11,960kg or be made for carrying loads.\n\n***If you\u2019re between 17 and 20 the Maximum Authorised Mass (MAM) of the vehicle cannot be more than 3,500kg. (Maximum Authorised Mass is the maximum weight of a vehicle including the maximum load that can be carried safely while used on the road.)\n\n## Practising driving a tractor or specialist vehicle\n\nYou can get a provisional licence for a tractor or specialist vehicle at 16, but you cannot practise driving them on the road until you\u2019re 17.\n\nThe only exception is when you\u2019re driving to or from your practical driving test.\n\nYou must be accompanied by a qualified driver if the vehicle was made with a passenger seat. Removing a seat is not allowed.\n\n## Other rules for practising\n\nYou need to display L plates (L or D plates in Wales) when you\u2019re practising driving a tractor or specialist vehicle on public roads.\n\nYour vehicle must also be properly insured and roadworthy.\n\n## Finding an instructor\n\nYou might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.\n\nYour instructor may have to walk alongside you calling out advice if your vehicle does not have space for 2 people on board.\n\n## Driving tests for tractors and specialist vehicles\n\nThe type of driving test you have to do depends on the type of vehicle.\n\n## Category F, G, H or K vehicles\n\nThe examiner will give you instructions at the side of the road and watch how you:\n\n- drive as you go around left and right circuits\n\n- turn round using forward and reverse gears\n\nFor very slow vehicles, like pedestrian-controlled vehicles, your examiner may walk near you where they can watch your driving.\n\nYou\u2019ll also have an eyesight test and at the end of the category F, G, H or K test, you\u2019ll be asked 5 questions on the Highway Code and other motoring matters. You\u2019ll then be asked to identify 6 different traffic signs.\n\n## Category H tests\n\nIn category H driving tests you need to drive the vehicle backwards and turn it around, using its tracks, so it\u2019s facing the opposite direction.\n\nYour examiner will tell you how you should make this manoeuvre.\n\n## Documents you need to bring to your test\n\nYou must bring either:\n\n- a valid, signed photocard driving licence from the UK or an EU country\n\n- an old-style valid, signed UK paper driving licence along with a valid passport\n\n## Cancelled tests\n\nYou might be able to apply for a refund of out-of-pocket expenses if the Driver and Vehicle Standards Agency (DVSA) cancels your test at short notice.\n\n## Rules for test vehicles\n\nAll test vehicles have to meet certain rules, depending on their category.\n\n## Category B1 - quadricycles and light 4-wheeled vehicles\n\nYou can only take a test on a category B1 vehicle if you\u2019re registered as disabled.\n\nThe vehicle must:\n\n- weigh no more than 550kg unladen\n\n- be able to drive at 37mph\n\n## Category F - tractors\n\nCategory F includes tractors with 2 or more axles, built for off-road agriculture or forestry work.\n\n## Category G - road rollers\n\nIf you\u2019re between 17 and 20, these must be small road rollers with metal or hard rollers. They cannot:\n\n- be steam powered\n\n- weigh more than 11,690kg\n\n- be made for carrying loads\n\n## Category H - tracked vehicles\n\nCategory H vehicles must have adequate all-round visibility to let the driver carry out manoeuvres and deal with junctions safely.\n\nAny vehicle needing a second person to help with observation, such as a military vehicle, cannot be used for a category H test.\n\n## Category K - mowing machines or pedestrian-controlled vehicles\n\nA mowing machine is a specialist ride-on grass-cutting vehicle with permanent cutting equipment. You must be 16 to use this type of vehicle.\n\nA pedestrian-controlled vehicle is where the operator walks with but doesn\u2019t ride on the vehicle. You do not need a licence to operate one.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "answerable": true, + "scenario": "I am 17 years old and have passed my car driving test category B. would like to help my father to spread manure on his farm with a Muck spreader. The farm is next to our home.", + "original_question": "Do i qualify?" + }, + { + "id": "train-427", + "question": "Scenario: I am planning for a drive trip to Switzerland this summer. I hold a photocard driving licence issued in the UK but don't have an international driving permit.\n\nQuestion: Do I need international driving permit to drive in Switzerland ?\n\nDocument - Driving abroad:\n## Driving abroad on holiday\n\nYou need to take your Great Britain or Northern Ireland driving licence with you to drive abroad. Check yours is still valid and renew your driving licence online if it\u2019s expired or about to expire. You\u2019ll need to apply to renew your licence at least a week before you travel.\n\nIf you\u2019re taking your own vehicle, you also need to take your log book (V5C) and your insurance certificate.\n\nIf you\u2019re taking a vehicle abroad that you\u2019ve hired or leased in the UK, you\u2019ll need a VE103 certificate.\n\n## Check if you need an international driving permit (IDP)\n\nYou might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.\n\nYou can get IDPs over the counter at the Post Office. You might need one for each country you\u2019re visiting.\n\nDo not apply for an IDP if you\u2019re moving abroad. You\u2019ll need to either exchange your UK licence or apply for a new one in the country you\u2019re moving to.\n\n## Check the overseas driving rules\n\nMake sure you follow overseas driving rules, including local speed limits and drink driving laws. You may be breaking the law and get a fine if you do not.\n\nDepending on the country you\u2019re visiting you may need:\n\n- extra equipment - for example, you need a reflective jacket and a warning triangle in many countries\n\n- emission stickers (permits) in some European cities - you may need to buy these weeks before you go abroad\n\n- headlight converter stickers\n\n- a GB sticker\n\nIf you\u2019re hiring a car, it\u2019s your responsibility to check you have the equipment you need.\n\nCheck what you need to do if you\u2019re driving in the EU.\n\nCheck the travel advice for all countries.\n\n## Check your insurance if you\u2019re taking your own vehicle\n\nYour UK vehicle insurance gives you a minimum of third party cover to drive your vehicle in EU countries. Check with your insurer if your policy covers extra things like theft or damage.\n\nYou need to carry a physical copy of a \u2018green card\u2019 for your vehicle if you\u2019re driving in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nIn other countries, you may need additional insurance and a green card to show you\u2019re covered. Check the travel advice for the country you\u2019re driving in.\n\n## Towing your trailer or caravan abroad\n\nCheck if you need to register your trailer before you can take it abroad.\n\nWhen driving in the EU (including Ireland), Andorra, Iceland, Liechtenstein, Norway, Serbia and Switzerland, you need to carry a separate green card for both:\n\n- the vehicle you\u2019re driving\n\n- the trailer or caravan you\u2019re towing\n\nIn other countries, you may need additional insurance and a green card for each trailer or caravan you tow. Check what you need to bring with your insurer before you travel.\n\n## Hiring a car abroad\n\nYour hire company may ask to see your driving licence information when you pick up the car. You can share this by getting a licence \u2018check code\u2019. You can do this up to 21 days before your trip.\n\nIf you\u2019re hiring a car, insurance is included. Check what you\u2019re covered for with the hire company.\n\n## Check if you need an international driving permit (IDP)\n\nYou may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:\n\n- which country you\u2019re visiting\n\n- how long you\u2019re staying\n\nYou need to have a valid Great Britain (GB) or Northern Ireland driving licence to get an IDP.\n\n## Driving in Europe\n\nYou do not need an IDP to drive in the EU, Switzerland, Norway, Iceland or Liechtenstein if you have a photocard driving licence issued in the UK.\n\nYou might need an IDP to drive in some EU countries and Norway if you have either:\n\n- a paper driving licence\n\n- a licence issued in Gibraltar, Guernsey, Jersey or the Isle of Man\n\nCheck with the embassy of the country you will be driving in.\n\n## Check which IDP you need\n\nCheck the table to find out if you need an IDP. There are 3 types of IDP:\n\n- 1926\n\n- 1949\n\n- 1968\n\nThe IDP you need depends on what country you\u2019re visiting.\n\nIf you\u2019re travelling through more than one country, you might need more than one type of IDP.\n\nIf the country you\u2019re visiting is not included in the table, check with the embassy of the country you\u2019re travelling to.\n\nIf you\u2019re hiring a car, check with your car hire company.\n\nIf you already have an IDP, make sure it\u2019s still valid in the country you\u2019re visiting.\n\n| Country or territory | Type of IDP | More information |\n\n| Albania | 1968 | |\n\n| Algeria | 1949 | |\n\n| Andorra | 1949 | |\n\n| Argentina | 1949 | |\n\n| Armenia | 1968 | |\n\n| Australia | 1949 | |\n\n| Austria | None | You do not need an IDP to drive here. |\n\n| Azerbaijan | 1968 | |\n\n| Bahamas | 1968 | IDP needed for stays longer than 90 days. |\n\n| Bahrain | 1968 | IDP needed for car hire, and for stays longer than 90 days. You must get your permit certified by local authorities when you arrive. |\n\n| Bangladesh | 1949 | |\n\n| Barbados | 1949 | |\n\n| Belarus | 1968 | |\n\n| Belgium | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Belgian Embassy. |\n\n| Benin | 1949 | |\n\n| Bosnia and Herzegovina | 1968 | |\n\n| Botswana | 1949 | IDP needed for car hire. |\n\n| Brazil | 1968 | You need to get a certified translation of your IDP from the British consulate. |\n\n| Bulgaria | None | You do not need an IDP to drive here. |\n\n| Burkina Faso | 1949 | |\n\n| Cambodia | 1949 | |\n\n| Canada | 1949 | |\n\n| Cape Verde | 1968 | |\n\n| Central African Republic | 1968 | |\n\n| Chile | 1949 | |\n\n| Congo | 1949 | |\n\n| Cote d\u2019Ivoire (Ivory Coast) | 1968 | |\n\n| Croatia | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Croatian Embassy. |\n\n| Cuba | 1968 | |\n\n| Cyprus | None | You do not need an IDP to drive here for visits up to 30 days. For visits longer than 30 days you will need a 1949 IDP. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1949 IDP for any length of visit. Check with the High Commission of Cyprus. |\n\n| Czech Republic | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Czech Republic Embassy. |\n\n| Democratic Republic of Congo | 1968 | |\n\n| Denmark | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Dominican Republic | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ecuador | 1949 | |\n\n| Egypt | 1949 | |\n\n| Estonia | None | You do not need an IDP to drive here for up to 90 days in any 180-day period. If you hold a paper driving licence you may need a 1968 IDP. Check with the Estonian Embassy. |\n\n| Eswatini (previously Swaziland) | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Fiji | 1949 | |\n\n| Finland | None | You do not need an IDP to drive here. |\n\n| France | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the French Embassy. |\n\n| French Polynesia | 1968 | |\n\n| Georgia | 1968 | IDP needed for stays longer than 90 days. |\n\n| Germany | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the German Embassy. |\n\n| Ghana | 1949 | |\n\n| Greece | None | You do not need an IDP to drive here. |\n\n| Guam | 1949 | IDP needed for stays longer than 30 days. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Guatemala | 1949 | |\n\n| Guyana | 1968 | |\n\n| Haiti | 1949 | IDP needed for stays longer than 90 days. |\n\n| Hungary | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Hungarian Embassy. |\n\n| Iceland | None | You do not need an IDP to drive here for periods up to 30 days. |\n\n| India | 1949 | |\n\n| Iran | 1968 | |\n\n| Iraq | 1968 | |\n\n| Ireland | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Israel | 1968 | |\n\n| Italy | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Italian Embassy. |\n\n| Jamaica | 1949 | |\n\n| Japan | 1949 | |\n\n| Jordan | 1949 | |\n\n| Kazakhstan | 1968 | |\n\n| Kenya | 1968 | IDP needed for stays longer than 90 days. |\n\n| Kuwait | 1968 | |\n\n| Kyrgyzstan | 1968 | |\n\n| Laos | 1949 | |\n\n| Latvia | None | You do not need an IDP to drive here. |\n\n| Lebanon | 1949 | |\n\n| Lesotho | 1949 | |\n\n| Liberia | 1968 | |\n\n| Libya | 1949 | |\n\n| Liechtenstein | None | You do not need an IDP to drive here. |\n\n| Lithuania | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Luxembourg | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Macao (Macau) | 1949 | |\n\n| Madagascar | 1949 | |\n\n| Malawi | 1949 | IDP needed for stays longer than 90 days. |\n\n| Malaysia (Sabah) | 1949 | |\n\n| Mali | 1949 | |\n\n| Malta | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from Guernsey or the Isle of Man, you may need a 1949 IDP. Check with the Malta High Commission. |\n\n| Mexico | 1926 | |\n\n| Moldova | 1968 | |\n\n| Monaco | 1968 | |\n\n| Mongolia | 1968 | |\n\n| Montenegro | 1968 | |\n\n| Morocco | 1968 | |\n\n| Myanmar (previously Burma) | 1968 | |\n\n| Namibia | 1949 | IDP needed for car hire. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Netherlands | None | You do not need an IDP to drive here. |\n\n| New Zealand | 1949 | |\n\n| Niger | 1968 | |\n\n| Nigeria | 1968 | |\n\n| North Macedonia | 1968 | |\n\n| Norway | None | You do not need an IDP to drive here for periods up to 90 days. If you hold a paper driving licence you may need a 1968 IDP. Check with the Norwegian Embassy. |\n\n| Pakistan | 1968 | |\n\n| Papua New Guinea | 1949 | IDP needed for stays longer than 30 days. |\n\n| Paraguay | 1949 | |\n\n| Peru | 1968 | |\n\n| Philippines | 1968 | IDP needed for car hire, and for stays longer than 90 days. |\n\n| Poland | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Portugal | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Qatar | 1968 | |\n\n| Romania | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Romanian Embassy. |\n\n| Russian Federation | 1968 | |\n\n| Rwanda | 1949 | |\n\n| San Marino | 1968 | |\n\n| Saudi Arabia | 1968 | IDP needed for car hire. |\n\n| Senegal | 1968 | |\n\n| Serbia | 1968 | |\n\n| Seychelles | 1968 | |\n\n| Sierra Leone | 1949 | |\n\n| Singapore | 1949 | IDP needed for car hire, and for stays longer than 30 days. |\n\n| Slovakia | None | You do not need an IDP to drive here for periods up to 6 months. For visits longer than 6 months you\u2019ll need a 1968 IDP. |\n\n| Slovenia | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Somalia | 1926 | |\n\n| South Africa | 1968 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| South Korea | 1949 | |\n\n| Spain (including Balearic and Canary Isles) | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Sri Lanka | 1949 | As well as the IDP, you must get a Sri Lankan recognition permit from the Automobile Association of Ceylon (AAC) in Colombo. |\n\n| St. Lucia | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| St. Vincent | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| Sweden | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Switzerland | None | You do not need an IDP to drive here. |\n\n| Syria | 1949 | |\n\n| Tajikistan | 1968 | |\n\n| Taiwan | 1949 | IDP needed for stays longer than 30 days. |\n\n| Thailand | 1949 | |\n\n| Togo | 1949 | |\n\n| Trinidad & Tobago | 1949 | IDP needed for stays longer than 90 days. |\n\n| Tunisia | 1968 | |\n\n| Turkey | 1968 | |\n\n| Turkmenistan | 1968 | |\n\n| Uganda | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ukraine | 1968 | |\n\n| United Arab Emirates | 1968 | |\n\n| United States | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Uruguay | 1968 | |\n\n| Uzbekistan | 1968 | |\n\n| Vatican City | 1949 | |\n\n| Venezuela | 1949 | |\n\n| Vietnam | 1968 | |\n\n| Zimbabwe | 1968 | |\n\n## Get an international driving permit (IDP)\n\nYou can get an IDP over the counter at the Post Office.\n\nThey cost \u00a35.50 and you must:\n\n- live in Great Britain or Northern Ireland\n\n- have a full UK driving licence\n\n- be 18 or over\n\nCheck if you need an IDP first.\n\nA 1926 or 1949 permit lasts for 12 months. A 1968 permit lasts for 3 years or until your UK driving licence expires, whichever comes first.\n\n## Driving if you move abroad\n\nYou need to get a local driving licence if you move abroad. Check with the driving licence authorities there to find out how to apply.\n\nIn some countries you can exchange your UK licence without taking another driving test.\n\nIf you move to an EU country, check the rules for exchanging your licence in the EU.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/driving-abroad", + "answerable": true, + "scenario": "I am planning for a drive trip to Switzerland this summer. I hold a photocard driving licence issued in the UK but don't have an international driving permit.", + "original_question": "Do I need international driving permit to drive in Switzerland ?" + }, + { + "id": "train-428", + "question": "Scenario: I own a vehicle which I have made modifications to. I have changed all of the major components to the car, but have maintained their original specifications and weights.\n\nQuestion: Will I need to change the vehicle's registration number?\n\nDocument - Vehicle registration:\n## Overview\n\nYou have to register a car or any other vehicle as soon as you\u2019ve:\n\n- bought it\n\n- built it\n\n- rebuilt or altered it\n\n- imported it\n\nYou do this by filling in forms and sending them to DVLA. The forms you have to send depend on your circumstances.\n\nDVLA may need to inspect your vehicle to:\n\n- make sure the vehicle exists, has been assembled into a complete vehicle and the log book (V5C) is in your name\n\n- update their records because of changes you\u2019ve made to the vehicle\n\nThey will send you a letter if they need to do this. You will not have to pay a fee.\n\nUse the different registration schemes for the motor trade if you\u2019re a vehicle manufacturer, importer or VAT-registered trader.\n\n## New and used vehicles\n\n## New vehicles\n\nThe dealer will usually register a brand new vehicle for you. If they do, you\u2019ll get a V5C registration certificate (log book). It will take longer than usual to get this because of coronavirus (COVID-19).\n\nIf the dealer will not do it, you can register the vehicle yourself.\n\nIf your vehicle is a new heavy goods vehicle (HGV), you also need to record the details of your HGV with the Driver and Vehicle Standards Agency (DVSA).\n\n## Used vehicles\n\nYou need to tax a used vehicle before you can use it on the road.\n\nThe way a used vehicle is registered to you depends on whether it has a V5C registration certificate (log book).\n\n## Vehicle has a registration certificate (V5C)\n\nThe seller can register the vehicle to you online or by post.\n\nThe seller must follow a different process if you\u2019re buying a vehicle to take abroad including the Channel Islands (Jersey and Guernsey), Isle of Man or Ireland. They must give you the full log book (V5C) and not send it to DVLA.\n\n## Register online\n\nThe seller will need to:\n\n- register the vehicle to you online\n\n- fill in the green \u2018new keeper\u2019 slip and give it to you\n\n- destroy the V5C\n\nDVLA will update the vehicle record immediately and they will aim to send out a new V5C to you within 3 to 5 days.\n\n## Register by post\n\nIf you cannot register the vehicle online, you can register it by post. The seller will need to:\n\n- complete section 2 if they have a new style log book (with multi-coloured numbered blocks on the front cover) or section 6 if they have the older style log book\n\n- sign the declaration in section 8 if they have the older style log book (you must sign the declaration too)\n\n- fill in the new keeper slip and give it to you\n\n- send the V5C to DVLA\n\nDVLA aims to send out a new V5C to you as soon as possible, usually 4 weeks after getting the old V5C from the seller. This may take longer because of coronavirus.\n\nIf you do not get it within 4 weeks:\n\n- complete form V62 - \u2018Application for a vehicle registration certificate\u2019\n\n- send it to DVLA with the new keeper slip given to you by the seller - if you do not send in the new keeper slip, you\u2019ll have to pay a fee\n\nDownload form V62 or get it from any Post Office branch.\n\nContact DVLA if you do not receive anything 6 weeks after sending in form V62.\n\n## Vehicle does not have a registration certificate\n\nDVLA advises that you should not buy a vehicle that does not have a registration certificate (V5C).\n\nRegister the vehicle in your name by using form V62 \u2018Application for a vehicle registration certificate\u2019. You\u2019ll have to pay a fee. See the section above for how to get form V62.\n\nContact DVLA if you do not receive anything 6 weeks after sending in form V62.\n\n## Checking your new registration certificate\n\nWhen you receive your registration certificate, it\u2019s your responsibility to check all the details are correct. If anything is incorrect, make the changes on the certificate and send it back to DVLA.\n\nYou\u2019ll get the replacement certificate within 4 weeks.\n\n## New registrations\n\nYour vehicle may not have been registered before with DVLA if it\u2019s:\n\n- brand new\n\n- a kit car\n\n- imported\n\n- been rebuilt or radically altered\n\n- an old or classic vehicle\n\nIf you buy a brand new vehicle, the dealer will usually arrange for it to be registered. Otherwise, you need to follow the process below.\n\n## Making an application\n\n## Fill in form V55/4 or V55/5\n\nFor any type of newly registered vehicle, you must fill in either a:\n\n- V55/4 form to register a new vehicle, including new imported vehicles and newly-built (kit) cars\n\n- V55/5 form to register a used vehicle, including rebuilt vehicles, used imported vehicles and older vehicles that have never been registered\n\n## Provide copies of identity documents\n\nSend in a photocopy of your photocard driving licence with your application form to prove your identity.\n\nIf you cannot do this, you must send in photocopies of one document that proves your name and another document that proves your address.\n\nDocuments you can use to confirm your name include:\n\n- passport\n\n- marriage certificate\n\n- decree nisi or absolute\n\n- birth certificate\n\n- current UK paper driving licence (not a paper counterpart)\n\nDocuments you can use to confirm your address include:\n\n- recent utility bill (within the last 3 months) - for example gas, electricity, water, landline\n\n- recent bank or building society statement (within the last 3 months)\n\n- medical card\n\n- council tax bill for current year\n\nYou can fill in form V959 - \u2018Notification of name and address check\u2019 instead of these documents to prove your identity if you\u2019re a current DVLA trade plate holder.\n\n## Supporting documents needed for all vehicles\n\nAs well as documents to prove your identity, you must also send:\n\n- payment for the vehicle tax\n\n- the new registration fee of \u00a355, if you have to pay it\n\n- a current MOT certificate, if the vehicle is over 3 years old (over 4 years old in Northern Ireland)\n\n- a certificate of newness (or declaration of newness for imported vehicles), if the vehicle is new\n\n- proof of vehicle approval if the vehicle is under 10 years old (unless it\u2019s exempt from vehicle approval)\n\n- any documents you have relating to the vehicle, for example build plans if it\u2019s a kit car\n\n- an insurance certificate or cover note (if you\u2019re registering the vehicle to an address in Northern Ireland)\n\n## Supporting documents needed for some vehicles\n\nYou may have to send extra forms and documents if your vehicle is:\n\n- imported\n\n- kit-built, rebuilt, kit-converted or radically altered\n\n- an old vehicle\n\n- a reconstructed classic vehicle\n\n## After you\u2019ve applied\n\nDVLA might need to inspect your vehicle. If your application is approved, DVLA will send you a V5C registration certificate (sometimes called a log book).\n\nBecause of coronavirus (COVID-19) it\u2019s taking longer than usual to get a new registration certificate.\n\nYour V5C shows:\n\n- the vehicle\u2019s registration number\n\n- the vehicle keeper\u2019s name and address\n\n- other information about the vehicle (the make, vehicle identification number (VIN) and number of previous keepers)\n\nDVLA will also return your identity documents.\n\nYou\u2019ll need to provide a prepaid self-addressed, special delivery envelope if you want the documents returned by special delivery.\n\nDVLA cannot guarantee the return of the documents by a specific date.\n\n## New registrations fee\n\nYou\u2019ll have to pay a fee of \u00a355 if you\u2019re registering and taxing a vehicle for the first time with DVLA.\n\nYou can pay by cheque or postal order. You cannot send cash. Damaged or altered cheques will not be accepted.\n\nYou do not have to pay for some vehicles, including:\n\n- those first registered and licensed in the disabled exempt taxation class\n\n- historic vehicles previously registered with the old local authorities (late conversions)\n\n- vehicles previously registered in the United Kingdom\n\n- imported vehicles previously registered under the personal export scheme and new means of transport scheme\n\n- visiting forces vehicles\n\n- vehicles registered under the direct export scheme\n\n- vehicles registered for off-road use only\n\n- crown exempt vehicles\n\n## Rebuilt vehicles\n\nYour vehicle must meet the road vehicles regulations if you use it on the road.\n\n## How to register\n\nYou must follow all the instructions for registering a new vehicle.\n\nYou must include the following with your application:\n\n- form V627/1 - \u2018Built up vehicle inspection report\u2019\n\n- evidence of type approval, if necessary\n\n- the vehicle registration certificate for the original vehicle\n\n- official receipts for any parts used\n\n- photographs of the vehicle\n\nContact DVLA if you\u2019re not sure about what you need to provide.\n\nSend your application to:\n\n## Vehicle type approval\n\nYou\u2019ll have to get type approval if your vehicle does not qualify to keep its original registration number.\n\n## Keep a vehicle\u2019s original registration number\n\nA rebuilt vehicle can keep its original registration number if you can prove you\u2019ve used:\n\n- the original unmodified chassis or bodyshell (car or light van)\n\n- a new chassis or monocoque bodyshell of the same specification as the original (car or light van)\n\n- the original unmodified frame (motorbike)\n\n- a new frame of the same specification as the original (motorbike)\n\nYou must also have 2 other major components from the original vehicle from the following lists.\n\nFor cars or light vans:\n\n- suspension (front and back)\n\n- steering assembly\n\n- axles (both)\n\n- transmission\n\n- engine\n\nFor motorbikes:\n\n- forks\n\n- wheels\n\n- engine\n\n- gear box\n\n## Get a Q registration number\n\nDVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for keeping the original registration number.\n\nYour vehicle must pass the relevant type approval test to get a Q registration number.\n\nVehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.\n\n## Kit-built vehicles\n\nYour vehicle must meet the road vehicles regulations if you use it on the road.\n\nA kit-built vehicle is one where all the parts are supplied new by the manufacturer.\n\n## How to register\n\nYou must follow all the instructions for registering a new vehicle.\n\nYou must include the following with your application:\n\n- form V627/1 - \u2018Built up vehicle inspection report\u2019\n\n- evidence of type approval \u2013 see \u2018Vehicle type approval\u2019 below\n\n- official receipts for the vehicle and any parts used\n\n- build plans\n\n- evidence that any \u2018reconditioned\u2019 part is to an \u2018as new\u2019 standard\n\nContact DVLA if you\u2019re not sure about what you need to provide.\n\nSend your application to:\n\n## Vehicle type approval\n\nAll kit-built vehicles have to get type approval.\n\n## Get a current registration number\n\nYou can register a kit-built car, motorcycle or tricycle with a current registration number if you can prove it\u2019s all made from new parts supplied by the manufacturer.\n\nYou can also get a current registration number for a kit-built car, motorbike or tricycle built with one reconditioned part if:\n\n- you can show that the part has been reconditioned to an \u2018as new\u2019 standard, in line with the manufacturer\u2019s guidelines\n\n- the part is not the chassis, monocoque bodyshell or frame\n\n## Get a Q registration number\n\nDVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for getting a current registration number.\n\nYour vehicle must pass the relevant type approval test to get a Q registration number.\n\n## Kit-converted vehicles\n\nYour vehicle must meet the road vehicles regulations if you use it on the road.\n\nA kit-converted vehicle has had:\n\n- a kit of new parts added to an existing vehicle, or\n\n- old parts added to a new kit\n\nThe general appearance of the vehicle will change because of the kit.\n\n## How to register\n\nYou must follow all the instructions for registering a new vehicle.\n\nYou\u2019ll need to include the following with your application:\n\n- form V627/1 - \u2018Built up vehicle inspection report\u2019\n\n- the vehicle registration certificate for the original vehicle\n\n- evidence of type approval, if necessary \u2013 see \u2018Vehicle type approval\u2019 below\n\n- official receipts for any parts used\n\n- build plans\n\n- photographs of the vehicle\n\nContact DVLA if you\u2019re not sure about what you need to provide.\n\nSend your application to:\n\n## Keep a vehicle\u2019s original registration number\n\nYou can apply to keep a kit converted vehicle\u2019s original registration number if you can prove you\u2019ve used 2 original major parts along with the original unmodified:\n\n- chassis (car or light van)\n\n- monocoque bodyshell (car or light van)\n\n- frame (motorbike)\n\n## Get an age-related registration number\n\nYou can apply for an age-related number if you can prove you\u2019ve used 2 original major parts along with:\n\n- a new monocoque bodyshell, chassis or frame from a specialist kit manufacturer\n\n- an altered chassis, monocoque bodyshell or frame from the original vehicle\n\nThe registration number will be based on the age of the original vehicle.\n\nYour vehicle must pass the relevant type approval test to get an age-related registration number.\n\n## Get a Q registration number\n\nDVLA will give your vehicle a \u2018Q\u2019 prefix registration number if you do not meet the conditions for getting an original or age-related registration number.\n\nYour vehicle must pass the relevant type approval test to get a Q registration number.\n\nVehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.\n\n## Radically altered vehicles\n\nYour vehicle must comply with the road vehicles regulations if you use it on the road.\n\nRadically altered vehicles are vehicles that have been altered from their original specification, but are not kit conversions.\n\n## How to register\n\nYou must follow all the instructions for registering a new vehicle.\n\nYou\u2019ll need to include the following with your application:\n\n- form V627/1 - \u2018Built up vehicle inspection report\u2019\n\n- evidence of type approval, if necessary\n\n- the vehicle registration certificate\n\n- official receipts for any parts used\n\n- photographs of the vehicle\n\nContact DVLA if you\u2019re not sure about what you need to provide.\n\nSend your application to:\n\n## Get a vehicle registration number\n\nDVLA uses a points system to decide what registration number to give a radically altered vehicle.\n\n## Keep the original registration number\n\nYour vehicle must have 8 or more points from the table below if you want to keep the original registration number. 5 of these points must come from having the original or new and unmodified chassis, monocoque bodyshell or frame.\n\n| Part | Points |\n\n| Chassis, monocoque bodyshell (body and chassis as one unit) or frame - original or new and unmodified (direct from manufacturer) | 5 |\n\n| Suspension (front and back) - original | 2 |\n\n| Axles (both) - original | 2 |\n\n| Transmission - original | 2 |\n\n| Steering assembly - original | 2 |\n\n| Engine - original | 1 |\n\n## Get a \u2018Q\u2019 registration number\n\nYou will not be able to keep your vehicle\u2019s original registration number if one of the following applies:\n\n- it has fewer than 8 points\n\n- it has a second-hand or altered chassis, monocoque bodyshell or frame\n\n- there\u2019s evidence that 2 vehicles have been welded together to form one (ie \u2018cut and shut\u2019)\n\nYour vehicle must pass the relevant type approval test to get a \u2018Q\u2019 prefix registration number.\n\nVehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.\n\n## Old vehicles\n\nYour vehicle must meet the road vehicles regulations if you use it on the road.\n\nIf you have a classic vehicle that has not been taxed since 1983, it might not be registered with DVLA.\n\nIf this is the case and you want to register it, follow all the instructions for registering a vehicle for the first time.\n\n## Get your vehicle\u2019s original registration number\n\nYou may be able to register an old vehicle under its original registration number if either:\n\n- it\u2019s never been registered at DVLA\n\n- it has an age-related registration number\n\nTo do this, you\u2019ll have to:\n\n- follow the instructions for new registrations\n\n- fill in form V765 - \u2018Application to register a vehicle under its original registration number\u2019\n\n- get form V765 endorsed by a vehicle owners\u2019 club\n\n- provide a recent photo of the vehicle and documentary evidence that links it to the original number, for example the original log book\n\nSend the forms to \u2018K and R\u2019 at DVLA.\n\nK and R\nDVLA\nSA99 1ZZ\n\n## After you\u2019ve applied\n\nDVLA will issue a V5C registration certificate and give you either:\n\n- the original registration number - if this happens, you will not be allowed to transfer it or put it onto retention at a later date\n\n- another number appropriate to the age of the vehicle - if this is a non-suffix or prefix number, it will also be non-transferable\n\n## Northern Ireland\n\nSend a completed V62 form and the RF60 form if you want to register a historic vehicle in Northern Ireland.\n\nDVLA will register the vehicle and issue a new V5C to the registered keeper. You should receive this within 4 weeks.\n\n## Reconstructed classic vehicles\n\nYour vehicle must comply with the road vehicles regulations if you use it on the road.\n\n## How to register\n\nYou must follow all the instructions for registering a new vehicle.\n\nYou must include the following with your application:\n\n- written report from the appropriate vehicle owners\u2019 club\n\n- form V627/1 - \u2018Built up vehicle inspection report\u2019\n\n- evidence of type approval, if necessary\n\n- official receipts for any parts used\n\n## Get an age-related registration number\n\nDVLA can only recognise your vehicle as a reconstructed classic vehicle if it meets certain criteria. It must be:\n\n- built from genuine period components from more than one vehicle, all over 25 years old and of the same specification as the original vehicle\n\n- a true reflection of the marque\n\nThe appropriate vehicle owners\u2019 club for the vehicle type (\u2018marque\u2019) must inspect the vehicle and confirm in writing that it:\n\n- has been inspected\n\n- is a true reflection of the marque\n\n- is comprised of genuine period components all over 25 years old\n\nThey must also give manufacture dates for the major components.\n\nDVLA will assign an age-related registration number to the vehicle based on the youngest component used.\n\n## New or replica parts\n\nYour vehicle will not get an age-related registration number if it includes new or replica parts. DVLA will give your vehicle a \u2018Q\u2019 prefix registration number. Your vehicle must pass the relevant type approval test to get a \u2018Q\u2019 prefix registration number.\n\nVehicles with a Certificate of Destruction (CoD) must never reappear as complete vehicles or be presented for registration, though some components may be recycled. You cannot keep the original registration or vehicle identification number.\n\n## Vehicle identification number\n\nAll vehicles registered in the UK must have a unique, stamped-in vehicle identification number (VIN) and registration number.\n\n## Find your VIN\n\nThe VIN is usually stamped into the chassis of the vehicle. It may be lost if you rebuild or modify your vehicle.\n\n## When you may need a new VIN or registration\n\nIf you have a kit car, rebuild, or radically altered vehicle, DVLA will usually have to assess it.\n\nYou may be able to keep its original registration number if you can prove the vehicle\u2019s original VIN. If you cannot, you\u2019ll have to apply for a replacement identity number.\n\nDVLA will give you an authorisation letter to get the vehicle stamped with the new VIN if your vehicle passes its assessment.\n\nYou then need to register the vehicle - you can only do this when DVLA receives confirmation it\u2019s been stamped with the correct VIN.\n\n## 'Q' registration numbers\n\nDVLA issues \u2018Q\u2019 registration numbers to vehicles whose age or identity is in doubt.\n\nIf this happens, any original vehicle registration number will become invalid and you must not display it again.\n\nTo get a \u2018Q\u2019 registration number, your vehicle has to pass a type approval process.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vehicle-registration", + "answerable": true, + "scenario": "I own a vehicle which I have made modifications to. I have changed all of the major components to the car, but have maintained their original specifications and weights.", + "original_question": "Will I need to change the vehicle's registration number?" + }, + { + "id": "train-430", + "question": "Scenario: My uncle shipped a left hand drive car from Canada.He has registered and paid all the vehicle taxes.He wishes to use it in the UK.\n\nQuestion: Does he need to apply for certificate of mutual recognition?\n\nDocument - Importing vehicles into the UK:\n## How to import a vehicle\n\nYou must complete certain steps as soon as you bring a vehicle into the UK permanently.\n\nYou can pay an importer or shipping company to do them for you.\n\n- Tell HM Revenue and Customs (HMRC) within 14 days that the vehicle has arrived in the UK.\n\n- Pay VAT and duty if HMRC tells you to.\n\n- Get vehicle approval to show your vehicle meets safety and environmental standards.\n\n- Register and tax the vehicle with DVLA - they\u2019ll give you a registration number so you can get number plates made up.\n\nYou must also insure your vehicle before you drive it on UK roads.\n\nYou can be prosecuted if you use your vehicle on a public road before you complete these steps, unless you\u2019re driving it to a pre-booked MOT or vehicle approval test.\n\nCommercial importers of new vehicles that use a secure registration scheme do not have to follow these steps.\n\n## Importing a damaged or modified vehicle\n\nIf your vehicle has been damaged or modified in another country, DVLA may:\n\n- give your vehicle a Q registration number\n\n- put a marker on your vehicle log book (V5C) - to show that your vehicle has been altered or assembled using different parts\n\n## Bringing your vehicle in or out of Northern Ireland\n\nIf you are a UK resident you can move your vehicle freely between Great Britain and Northern Ireland if all of the following apply:\n\n- it\u2019s registered in either country\n\n- you\u2019re not moving it to sell it, or for any other commercial purpose (for example, using the car as a taxi or hiring it to someone)\n\n- the car is for your own or your household\u2019s personal use\n\nFind out what to do if someone else is bringing your vehicle to Northern Ireland.\n\nTell DVLA about the change of address.\n\n## Visiting the UK with a vehicle\n\nFollow the rules for temporary imports instead if both of the following apply:\n\n- you do not usually live in the UK\n\n- you\u2019re bringing a vehicle to the UK for less than 6 months\n\n## Telling HMRC\n\nYou have 14 days to tell HM Revenue and Customs (HMRC) after you bring a vehicle into the UK permanently. You cannot register the vehicle until you\u2019ve done this.\n\nHow you tell HMRC will depend on:\n\n- if you\u2019re importing it to Great Britain (England, Scotland and Wales) or to Northern Ireland\n\n- where you\u2019re importing it from\n\nYou may be fined if you\u2019re late telling HMRC.\n\nIf your vehicle has an engine of 48cc or less (7.2kw or less if it\u2019s electric), you can register it without telling HMRC first.\n\n## If you import a vehicle to England, Scotland or Wales\n\nHow you tell HMRC depends on whether you\u2019re VAT-registered.\n\n## If you\u2019re a VAT-registered company\n\nYou need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.\n\nYou may be able to delay making an import declaration for 6 months if you import a vehicle from the EU. This is called a delayed declaration.\n\nYou must tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you\u2019re a non-VAT registered company or private individual\n\nYou need to make an import declaration using form C384. Send the completed form to HMRC by email.\n\nCurrently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).\n\nYou can also get an agent such as a freight forwarder to make the declaration for you.\n\nYou might qualify for relief from VAT and duty if you\u2019re:\n\n- moving to Great Britain (England, Scotland or Wales) (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief\n\n- returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief\n\nContact the VAT helpline for a form if you\u2019re unable to use online services.\n\n## If you import a vehicle to Northern Ireland from the EU\n\nTell HMRC by using the Notification of Vehicle Arrivals (NOVA) service.\n\nYou can use a spreadsheet if you\u2019re a VAT-registered business and you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you import a vehicle to Northern Ireland from outside the EU\n\nHow you tell HMRC depends on whether you\u2019re VAT-registered.\n\n## If you\u2019re a VAT-registered company\n\nYou need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.\n\nYou must then tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you\u2019re a non-VAT registered company or private individual\n\nYou need to make an import declaration using form C384. Send the completed form to HMRC by email.\n\nCurrently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).\n\nYou can also get an agent such as a freight forwarder to make the declaration for you.\n\nYou might qualify for relief from VAT and duty if you\u2019re:\n\n- moving to Northern Ireland (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief\n\n- returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief\n\nContact the VAT helpline for a form if you\u2019re unable to use online services.\n\n## After you tell HMRC\n\nHMRC will tell you:\n\n- if you have to pay VAT and duty\n\n- when your NOVA application has been processed - you cannot register your vehicle with DVLA until it is\n\nIf you\u2019re a non-VAT registered company or private individual, HMRC will make a NOVA application for you.\n\n## Paying VAT and duty\n\nHM Revenue and Customs (HMRC) will tell you if you have to pay VAT or duty after you tell them you imported a vehicle.\n\nVAT is charged on the total cost of the vehicle, plus any:\n\n- accessories you bought with it\n\n- delivery and extra charges\n\n- duty\n\nDuty is charged on vehicles imported to:\n\n- England, Wales and Scotland from outside the UK\n\n- Northern Ireland from outside the UK or EU\n\nHMRC will tell you how much you have to pay.\n\nThe rates you\u2019re charged depend on the type of vehicle and where you imported it from. You can call the helpline to check rates.\n\nHow you pay depends on where you\u2019re importing the vehicle from.\n\n## If you imported the vehicle to England, Scotland or Wales from outside the UK\n\n| Why you imported it | What and how you pay |\n\n| You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief |\n\n| You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief |\n\n| You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import |\n\n| Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) |\n\n| Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return |\n\nYou must pay any VAT and duty before you can release the vehicle from customs or register it.\n\n## If you imported the vehicle to Northern Ireland from the EU\n\nVAT is usually only charged on vehicles that are new. A vehicle is new if either:\n\n- it\u2019s been driven less than 6,000km (about 3,728 miles)\n\n- it\u2019s been in use for no more than 6 months\n\nIf you\u2019re VAT registered, you need to account for any VAT you\u2019ve paid on your next VAT return.\n\nIf you\u2019re not registered for VAT or you\u2019re a private individual, you need to pay HMRC directly before you can register your vehicle.\n\n## Paying HMRC directly\n\nUse online or telephone banking to pay HMRC by Faster Payments, CHAPS or Bacs.\n\n| Sort code | Account number | Account name |\n\n| 08 32 00 | 12000903 | HMRC Indirect Miscellaneous |\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB20 BARC 2005 1730 3364 91 | BARCGB22 | HMRC Indirect Miscellaneous |\n\nUse your 13-character NOVA notification reference number when you pay. You can find it on the:\n\n- email HMRC sent you if you used the NOVA service\n\n- payment notice HMRC sent you\n\nDo not put any spaces between the characters in your reference number.\n\nRead more about paying VAT on a car you\u2019ve imported.\n\n## Reclaiming VAT\n\nIf you have to declare VAT to HMRC, you can reclaim any VAT you paid in the EU. Send the Certificate of VAT you get from HMRC to the person who sold you the vehicle.\n\n## If you imported the vehicle to Northern Ireland from outside the UK and EU\n\n| Why you imported it | What and how you pay |\n\n| You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief |\n\n| You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief |\n\n| You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import |\n\n| Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) |\n\n| Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return |\n\n## Getting vehicle approval\n\nGet vehicle approval to show that your imported vehicle meets environmental and safety regulations. You\u2019ll need proof of approval to register the vehicle.\n\nYou might not need approval for a vehicle that was first registered or manufactured more than 10 years ago - check the exemptions.\n\n## If the vehicle\u2019s not registered in the EU\n\nTo get approval for a vehicle that\u2019s not registered in the EU, apply for either:\n\n- Individual Vehicle Approval (IVA)\n\n- Motorcycle Single Vehicle Approval (MSVA) if it\u2019s a 2, 3 or smaller 4-wheeled vehicle\n\n## If the vehicle\u2019s registered in the EU\n\nGet a European Certificate of Conformity from the manufacturer to show you have approval for an EU-registered vehicle.\n\nYou also have to get a certificate of Mutual Recognition if it\u2019s a left hand drive vehicle.\n\n## Getting a certificate of Mutual Recognition\n\nUse the application form for your:\n\n- motorcycle\n\n- car\n\n- van or light goods vehicle\n\n- motorhome\n\nApply for IVA instead for a lorry or goods vehicle over 3,500kg.\n\nThere\u2019s a \u00a3100 fee. Send your application to the address on the form. Attach receipts to prove you\u2019ve made any required alterations, for example fitting a speedometer to display miles per hour.\n\n## Get help with Mutual Recognition\n\nContact the Vehicle Certification Agency (VCA) if you\u2019re unsure whether your vehicle qualifies for Mutual Recognition.\n\n## Registering an imported vehicle\n\nYou must register any vehicle you bring into the UK permanently. You cannot register before you do all of the following:\n\n- tell HM Revenue and Customs (HMRC) you imported the vehicle and get confirmation that your NOVA application is processed\n\n- pay VAT and duty if HMRC tells you to\n\n- get proof of vehicle approval\n\nYou also tax the vehicle when you register it with DVLA - there\u2019s a \u00a355 fee.\n\n## How to register\n\nFollow the instructions for registering a vehicle to fill in your forms and send supporting documents.\n\nYou must also send extra supporting documents for an imported vehicle.\n\nDVLA might ask to inspect the vehicle.\n\n## Extra supporting documents for imported vehicles\n\nYou must send the following original documents:\n\n- proof of vehicle approval\n\n- form V267 (sometimes called the \u2018declaration of newness\u2019) if you\u2019re registering a new vehicle\n\n- evidence showing the date the vehicle was collected, for example the invoice from the supplier\n\n- the original foreign registration certificate to show when the vehicle was manufactured (you will not get this back)\n\nIf you do not have the original foreign registration certificate, DVLA might accept other proof of the manufacture date, for example a letter from the manufacturer or a vehicle enthusiast club.\n\nDo not send photocopies or faxed copies.\n\n## How long it takes\n\nBecause of coronavirus (COVID-19) it will take longer than usual for your registration certificate (V5C) to arrive.\n\nYou need the V5C to get number plates made up.\n\n## Temporary imports\n\nYou can usually use a vehicle with foreign number plates without registering or taxing it in the UK if all of the following apply:\n\n- you\u2019re visiting and do not plan to live here\n\n- the vehicle is registered and taxed in its home country\n\n- you only use the vehicle for up to 6 months in total - this can be a single visit, or several shorter visits over 12 months\n\nYou will need to register your vehicle if you want to move it between Great Britain (England, Scotland and Wales) and Northern Ireland.\n\nIf you become a resident or stay for longer than 6 months you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you bring a vehicle to England, Scotland or Wales\n\nYou do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:\n\n- it\u2019s for your own private use\n\n- you\u2019re not a UK resident\n\n- you do not sell, lend or hire it within the UK\n\n- you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer\n\nClaim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.\n\n## Using foreign number plates for longer than 6 months\n\nYou might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:\n\n- you normally live outside the UK\n\n- you\u2019re in the UK for a set period as a student or worker\n\n- you claim relief from VAT and duty\n\nHM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.\n\nIf you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you do not qualify for relief\n\nIf HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.\n\n## If you bring a vehicle to Northern Ireland from the EU\n\nYou will not have to pay VAT or duty if you bring your own vehicle from the EU.\n\nCall the imports and exports helpline if you have questions about bringing a vehicle from the EU for less than 6 months.\n\n## If you bring a vehicle to Northern Ireland from outside the EU\n\nYou do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:\n\n- it\u2019s for your own private use\n\n- you\u2019re not a UK resident\n\n- you do not sell, lend or hire it within the UK\n\n- you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer\n\nClaim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.\n\n## Using foreign number plates for longer than 6 months\n\nYou might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:\n\n- you normally live outside the UK\n\n- you\u2019re in the UK for a set period as a student or worker\n\n- you claim relief from VAT and duty\n\nHM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.\n\nIf you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you do not qualify for relief\n\nIf HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.\n\n## If you\u2019re stopped by the police\n\nYou must show police that you can use the vehicle in the UK without taxing and registering it here, for example proof:\n\n- of the time you\u2019ve been in the UK (such as a ferry ticket)\n\n- that your vehicle\u2019s eligible for relief from VAT and duty (such as a customs relief form)\n\n## When you need Q number plates\n\nYou must get temporary Q number plates from DVLA if you visit the UK for up to 6 months and either:\n\n- your number plates display numbers or letters that are not identifiable in the UK, for example Arabic script\n\n- your vehicle is not registered in its home country\n\nContact DVLA if you have to get temporary Q number plates.\n\n## Before you get Q number plates\n\nYou must claim relief from VAT and duty before you can get temporary Q number plates.\n\nTo claim relief, fill in form C110 after the car arrives in the UK and send it to the NTAS team to have it stamped.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/importing-vehicles-into-the-uk", + "answerable": true, + "scenario": "My uncle shipped a left hand drive car from Canada.He has registered and paid all the vehicle taxes.He wishes to use it in the UK.", + "original_question": "Does he need to apply for certificate of mutual recognition?" + }, + { + "id": "train-431", + "question": "Scenario: I am an experienced rider having passed my test 15 years ago. I also obtained an advanced riding qualification from a motorcycle club. I have a caution for violent behaviour from when I was a teenager.\n\nQuestion: Will the historic caution for violence 20 years ago be a bar from passing on my riding skills officially as a DAS instructor?\n\nDocument - Become a direct access scheme (DAS) motorcycle instructor:\n## Overview\n\nYou can apply to the Driver and Vehicle Standards Agency (DVSA) to become a direct access scheme (DAS) certified instructor.\n\nAll provisional licence holders training on a motorbike over 125cc and 11kW power output must be trained by a qualified DAS instructor.\n\n## Rules for becoming a DAS instructor\n\nTo become a DAS certified instructor you must have a driving licence from either:\n\n- Great Britain or Northern Ireland\n\n- the EU or EEA - but you must register it\n first\n\nYou must also:\n\n- be 21 or over\n\n- have had a full category A2 or A motorcycle licence for at least 3 years\n\n- have passed the 2-day assessment to become a DVSA assessed compulsory basic training (CBT) instructor\n\nYou\u2019ll have to take a 2-day assessment at a DVSA training and development centre.\n\n## When you qualify\n\nWhen you pass you\u2019ll be able to give DAS training.\n\n## How to book your assessment\n\nThe direct access scheme (DAS) instructor assessment lasts for half a day. You can book a:\n\n- morning assessment, which starts at 8:30am\n\n- afternoon assessment, which starts at 1pm\n\nFill in the application form to book your assessment and send it to the address on the form. There\u2019s no charge for the assessment.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.\n\nYour application will be valid for 6 months.\n\n## If you cannot go to your assessment\n\nTell DVSA by email if you cannot attend your assessment.\n\nYou must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.\n\n## Preparing for the assessment\n\nStudy the training guidance before you take the assessment.\n\nSign up for email alerts to be told when the guidance is updated.\n\n## Other preparation\n\nYou should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Learning to Ride\n\n- Riding - the Essential Skills\n\n- Theory Test for Motorcyclists\n\nYou can buy them from most high street and online book shops.\n\n## What to bring to your assessment\n\nYou need to bring:\n\n- your valid driving licence\n\n- your CBT1 card\n\n- your joining instructions\n\n- a fully taxed and roadworthy motorcycle with a power output of at least 20kW\n\n- a full-face safety helmet\n\nIf you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.\n\nYour assessment will be cancelled if you do not bring these.\n\nYou\u2019re allowed to bring relevant training aids and preparation material with you.\n\n## What the assessment involves\n\nThere are 3 main sessions in the direct access scheme (DAS) instructor assessment. You\u2019ll get a full explanation before the assessment starts.\n\n## Session 1 - theory\n\nThis session lasts around 15 minutes. The Driver and Vehicle Standards Agency (DVSA) assessor will play the role of a rider who:\n\n- has done their compulsory basic training (CBT) on a 125cc motorcycle\n\n- is new to riding larger and more powerful motorcycles\n\nYou have to show and tell them the main differences between large motorcycles and the smaller motorcycles used for CBT. You\u2019ll do this alongside the motorcycle.\n\n## Session 2 - on-site handling assessment\n\nIn this session of the assessment you\u2019ll be given the scenario of a rider who has:\n\n- already taken CBT\n\n- difficulties in the basic control of a large motorcycle when riding it on private land\n\nYou have to:\n\n- decide how to overcome the difficulties\n\n- give instruction to develop the rider\u2019s basic skills off-road\n\nThe scenario will include 2 of the following riding skills requiring attention:\n\n- moving off and stopping the bike\n\n- controlled braking\n\n- gear-changing\n\n- slow riding skills\n\n- slow controlled turning (similar to the \u2018figure of 8\u2019 exercise on CBT)\n\n## Session 3 - on-road assessments\n\nThis session of the assessment will last for around 1 hour 30 minutes. The assessor will play the part of a trainee.\n\nYou\u2019ll have to give 3 on-road lessons during this session.\n\nThe assessor will select the lessons from:\n\n- positioning in normal riding and dealing with bends\n\n- negotiating left and right turns at junctions\n\n- dealing with different types of crossroads\n\n- dealing with town centre riding\n\n- negotiating roundabouts\n\n- dealing with dual carriageways\n\n- dealing with other traffic safely when following behind and overtaking other vehicles\n\n- moving off from all positions\n\n- riding in areas with a national speed limit\n\n- joining and leaving dual carriageways and following behind other traffic\n\n- dealing with overtaking, meeting, filtering and leaving enough clearance to stationary vehicles\n\n- moving off, the emergency stop exercise, u-turn exercises (pushing and riding) and taking the motorcycle on and off the stand\n\n## During the on-road assessments\n\nDuring the ride you\u2019ll be expected to:\n\n- give any instruction you feel necessary\n\n- correct any riding faults that may occur\n\nYou can ask the trainee to pull up so that you can give face-to-face instruction or guidance.\n\n## Your assessment result\n\nYou\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.\n\nIt\u2019s your responsibility to tell your approved training body your result.\n\n## Passing the assessment\n\nIf you pass, fill in Form 4 to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a direct access scheme (DAS) certified instructor.\n\nYou\u2019ll have to give details of any motoring or non-motoring offences you\u2019ve got within the last 4 years on your application form. These will be taken into account when DVSA assesses your suitability to be authorised.\n\nYou are not allowed to conduct DAS courses until you\u2019ve got your registration certificate.\n\n## Failing the assessment\n\nYou\u2019ll be sent another DAS assessment application form if you do not pass so you can book again if you want to.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "answerable": true, + "scenario": "I am an experienced rider having passed my test 15 years ago. I also obtained an advanced riding qualification from a motorcycle club. I have a caution for violent behaviour from when I was a teenager.", + "original_question": "Will the historic caution for violence 20 years ago be a bar from passing on my riding skills officially as a DAS instructor?" + }, + { + "id": "train-433", + "question": "Scenario: I am a 31 year old from London and I have a motorcycle practical test booked for in a few weeks time but I have lost my theory test certificate.\n\nQuestion: Can I get a new certificate?\n\nDocument - Motorcycle and moped tests:\n## Booking your tests\n\nAfter you\u2019ve passed your theory test you\u2019ll also need to pass:\n\n- an off-road riding test (known as the \u2018module 1 test\u2019)\n\n- an on-road riding test (known as the \u2018module 2 test\u2019)\n\nNormally, you can book the riding tests separately or at the same time, but you must pass the module 1 test before you take the module 2 test. There\u2019s a different fee for each module.\n\n## Motorcycle and moped tests and coronavirus (COVID-19)\n\nWear a face covering at the start and end of the test (when you\u2019ll be talking to the examiner). If you cannot wear a face covering, you must tell DVSA when booking your appointment.\n\nYou can cancel your test appointment and get a refund if you cannot or do not want to attend because of COVID-19. Your instructor will need to cancel your test for you if they booked it.\n\n## What you need to do to pass the tests\n\nTo pass the riding tests you must be able to:\n\n- ride safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you ride\n\nThe national standard for riding mopeds and motorcycles tells you everything that you must be able to do to pass the tests.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your tests.\n\n## What to take to your tests\n\nYou must take:\n\n- your UK photocard driving licence\n\n- your theory test pass certificate\n\n- a moped or motorbike\n\n- your compulsory basic training (CBT) certificate - unless you\u2019re taking the test to upgrade your full motorcycle licence\n\n- your module 1 test pass certificate - if you\u2019re taking your module 2 test\n\n- a face covering, unless you have a good reason not to wear one\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Clothing\n\nYou must wear:\n\n- a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban)\n\n- motorcycle boots or other sturdy footwear that supports and protects your ankles\n\n- textile or leather motorcycle trousers or heavy denim trousers\n\n- a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath\n\n- motorcycle gloves\n\n## Wearing a face covering\n\nYou must bring and wear a face covering at the start and end of the test when you\u2019ll be talking to the examiner, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nIf you cannot wear a face covering at the start and end of the test, you or your instructor must tell DVSA when booking.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nYou should rearrange your test if you do not get the new licence in enough time. You must do this at least 3 working days before your test date or you\u2019ll have to pay again.\n\n## If you have a paper licence\n\nYou must bring a valid passport and your paper licence if you do not have a photocard driving licence.\n\n## If you have a licence from Northern Ireland\n\nYou must bring the photocard and paper counterpart if you have a licence from Northern Ireland.\n\n## If you\u2019ve lost your theory test certificate\n\nContact DVSA with your:\n\n- name\n\n- address\n\n- date of birth\n\n- driving licence number\n\nYou\u2019ll be sent a letter that you can take to your test instead of your pass certificate.\n\n## Motorcycles and mopeds you can use for the tests\n\nThe motorcycle or moped you use for your tests must:\n\n- be a solo machine - you can only use a sidecar if you have certain disabilities\n\n- have a speedometer measuring speed in miles per hour (mph)\n\n- display L plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- be insured, taxed and roadworthy and have no engine warning lights showing\n\nRead the list of A2 and A motorcycles that can be used for riding tests.\n\n## Subcategories of motorcycles and mopeds\n\nThere are 4 subcategories of mopeds and motorcycles.\n\nIn both modules of the test, you must use:\n\n- the same subcategory as the licence you\u2019re applying for\n\n- a vehicle with the same type of transmission (manual, automatic or semi-automatic)\n\n| | Moped, tricycle or quad bike | Light motorcycle | Standard motorcycle | Unrestricted motorcycle |\n\n| Licence category | AM | A1 | A2 | A |\n\n| Minimum age of rider | 16 | 17 | 19 | 24 (direct access) or 21 (progressive access) |\n\n| Engine capacity | Up to 50cc | 120 to 125cc | At least 395cc | At least 595cc |\n\n| Maximum speed | Up to 28mph | 55mph or above | - | - |\n\n| Engine power | Up to 4kW | Up to 11kW | 20 to 35kW | At least 50kW |\n\n| Motorcycle weight (without rider) | - | - | - | At least 175kg |\n\n| Power to weight ratio | - | Up to 0.1kW/kg | Up to 0.2 kW/kg | - |\n\n## Automatic and semi-automatic motorcycles\n\nIf you pass your tests on a motorcycle with automatic or semi-automatic transmission, you\u2019ll only get a licence for those types of motorcycle.\n\n## Engines with restricted power\n\nYou can restrict the engine power of a motorcycle so that it fits within subcategory A2 (20 to 35kW). You cannot restrict it below half its original power.\n\nThis means that if the unrestricted power of the motorcycle is 60kW, you cannot restrict it any lower than 30kW. A motorcycle\u2019s unrestricted power must not be more than 70kW.\n\nYou must bring proof if you\u2019ve restricted a motorcycle to subcategory A2 - if you do not your test will be cancelled.\n\nThe proof must:\n\n- be on headed paper\n\n- be from a main dealer, official importer or recognised specialist\n\n- show the motorcycle\u2019s number plate (registration number)\n\nYou cannot use a dyno test certificate as proof of the restriction.\n\n## Motorcycles with variable power modes\n\nIf you use a switchable engine control unit (ECU) or variable power device, your motorcycle cannot have:\n\n- interchangeable carburettor heads\n\n- an exhaust manifold restrictor\n\n- a hidden ECU - it must be clear what power mode the motorcycle is in\n\n## Electric motorcycles\n\nYou can use an electric motorcycle or moped if it both:\n\n- has the same engine power as the petrol version\n\n- can keep that power for at least 30 minutes\n\nThis is known as the \u2018continuous power rating\u2019 - you can check this with the manufacturer.\n\n## If you have a disability\n\nYou can use a motorcycle with a sidecar for your tests if you have certain disabilities. You cannot have a passenger in the sidecar during the tests.\n\nYour licence will only let you ride motorcycles with sidecars.\n\nYou might be able to use a different vehicle if you\u2019re disabled - contact the Driver and Vehicle Standards Agency (DVSA) before you book your test.\n\n## Module 1 off-road test: what happens\n\nYou\u2019ll take the module 1 test in an off-road motorcycle manoeuvring area.\n\nThe test normally takes about 20 minutes and includes:\n\n- wheeling the moped or motorcycle and using the stand\n\n- riding a slalom and figure of 8\n\n- a slow ride\n\n- a U-turn\n\n- cornering and a controlled stop\n\n- cornering and an emergency stop\n\n- cornering and hazard avoidance\n\nFor the hazard avoidance and emergency stop exercises you must ride at a minimum speed of:\n\n- 19 mph on a moped\n\n- 31 mph on a motorcycle\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 1 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 1 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 5 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate - you need to take this to the module 2 test\n\nIf you\u2019re upgrading your licence through \u2018progressive access\u2019, you must pass module 2 within 6 months. You have to pass module 1 again if you do not.\n\n## If you do not pass\n\nYou\u2019ll have to book another module 1 test and pay again. You have to choose a date at least 3 working days away.\n\nIf you\u2019ve already booked the module 2 test you might need to change the date, since you must pass module 1 before you can take module 2.\n\nYou\u2019ll lose your fee if you do not give 3 full days\u2019 notice to cancel your module 2 test. Sundays and public holidays do not count as working days.\n\n## Module 2 on-road test: what happens\n\nYou must pass module 1 before you can take the module 2 test.\n\nYou can book both modules at the same time, but if you do not pass module 1 you must wait 3 working days before you can retake it.\n\nThe module 2 test normally takes about 40 minutes and includes:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- road riding\n\n- independent riding\n\nYou must bring your module 1 pass certificate to the module 2 test, plus all the documents you had to bring to the module 1 test.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nYou\u2019ll fail your riding test if you fail the eyesight check.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.\n\n## Road riding\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways. You\u2019ll be asked to carry out:\n\n- normal stops\n\n- an angle start (pulling out from behind a parked vehicle)\n\n- a hill start (where possible)\n\nThe examiner will give you directions using a radio. They\u2019ll normally follow you on a motorcycle.\n\nDriving test routes are not published, so you can not check them before your test.\n\n## Independent riding\n\nYou\u2019ll have about 10 minutes of independent riding. This is designed to assess your ability to ride safely while making your own decisions.\n\nYou can ask the examiner to repeat the directions if you forget them - you will not fail the test if you go off the route. You can not use sat nav.\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 2 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 2 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 10 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nYou can start riding without L plates straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nYou have to book another module 2 test and pay again. You have to choose a date at least 10 working days away.\n\n## If your test is cancelled or there\u2019s bad weather\n\nYour riding test can be cancelled or stopped because of bad weather, problems with your vehicle, or for other reasons.\n\n## Bad weather\n\nRiding tests are not carried out in dangerous weather conditions, for example when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is in your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your vehicle\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example if you feel unwell while taking your test\n\n- your vehicle, for example if it breaks down during the test or does not meet the rules\n\n## Your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your tests you should say if you have a:\n\n- disability\n\n- learning difficulty\n\n- health condition\n\nYou\u2019ll still have to ride to the same standard to pass, but the examiner can make adjustments for your situation.\n\nIf your health condition or disability means you cannot wear a face covering to your test, you or your instructor must tell DVSA when booking.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour motorcycle instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge.\n\n## You have reading difficulties\n\nYou\u2019ll do an eyesight check at the start of the module 2 test. The examiner will ask you to read the number plate on a parked vehicle.\n\nYou can write down what you see if you have reading difficulties.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent riding part of the module 2 test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.\n\nYou might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.\n\n## You\u2019re pregnant\n\nYou can take the tests at any stage of your pregnancy. However, you must be able and willing to:\n\n- do an emergency stop\n\n- manually handle and wheel the motorcycle\n\n- do the cornering and hazard avoidance exercise", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/motorcycle-test", + "answerable": true, + "scenario": "I am a 31 year old from London and I have a motorcycle practical test booked for in a few weeks time but I have lost my theory test certificate.", + "original_question": "Can I get a new certificate?" + }, + { + "id": "train-434", + "question": "Scenario: I am a 42 year old from Kent and I have a motorcycle test next week but I only have an electric motorcycle.\n\nQuestion: Can this be used to the test?\n\nDocument - Motorcycle and moped tests:\n## Booking your tests\n\nAfter you\u2019ve passed your theory test you\u2019ll also need to pass:\n\n- an off-road riding test (known as the \u2018module 1 test\u2019)\n\n- an on-road riding test (known as the \u2018module 2 test\u2019)\n\nNormally, you can book the riding tests separately or at the same time, but you must pass the module 1 test before you take the module 2 test. There\u2019s a different fee for each module.\n\n## Motorcycle and moped tests and coronavirus (COVID-19)\n\nWear a face covering at the start and end of the test (when you\u2019ll be talking to the examiner). If you cannot wear a face covering, you must tell DVSA when booking your appointment.\n\nYou can cancel your test appointment and get a refund if you cannot or do not want to attend because of COVID-19. Your instructor will need to cancel your test for you if they booked it.\n\n## What you need to do to pass the tests\n\nTo pass the riding tests you must be able to:\n\n- ride safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you ride\n\nThe national standard for riding mopeds and motorcycles tells you everything that you must be able to do to pass the tests.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your tests.\n\n## What to take to your tests\n\nYou must take:\n\n- your UK photocard driving licence\n\n- your theory test pass certificate\n\n- a moped or motorbike\n\n- your compulsory basic training (CBT) certificate - unless you\u2019re taking the test to upgrade your full motorcycle licence\n\n- your module 1 test pass certificate - if you\u2019re taking your module 2 test\n\n- a face covering, unless you have a good reason not to wear one\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Clothing\n\nYou must wear:\n\n- a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban)\n\n- motorcycle boots or other sturdy footwear that supports and protects your ankles\n\n- textile or leather motorcycle trousers or heavy denim trousers\n\n- a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath\n\n- motorcycle gloves\n\n## Wearing a face covering\n\nYou must bring and wear a face covering at the start and end of the test when you\u2019ll be talking to the examiner, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nIf you cannot wear a face covering at the start and end of the test, you or your instructor must tell DVSA when booking.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nYou should rearrange your test if you do not get the new licence in enough time. You must do this at least 3 working days before your test date or you\u2019ll have to pay again.\n\n## If you have a paper licence\n\nYou must bring a valid passport and your paper licence if you do not have a photocard driving licence.\n\n## If you have a licence from Northern Ireland\n\nYou must bring the photocard and paper counterpart if you have a licence from Northern Ireland.\n\n## If you\u2019ve lost your theory test certificate\n\nContact DVSA with your:\n\n- name\n\n- address\n\n- date of birth\n\n- driving licence number\n\nYou\u2019ll be sent a letter that you can take to your test instead of your pass certificate.\n\n## Motorcycles and mopeds you can use for the tests\n\nThe motorcycle or moped you use for your tests must:\n\n- be a solo machine - you can only use a sidecar if you have certain disabilities\n\n- have a speedometer measuring speed in miles per hour (mph)\n\n- display L plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- be insured, taxed and roadworthy and have no engine warning lights showing\n\nRead the list of A2 and A motorcycles that can be used for riding tests.\n\n## Subcategories of motorcycles and mopeds\n\nThere are 4 subcategories of mopeds and motorcycles.\n\nIn both modules of the test, you must use:\n\n- the same subcategory as the licence you\u2019re applying for\n\n- a vehicle with the same type of transmission (manual, automatic or semi-automatic)\n\n| | Moped, tricycle or quad bike | Light motorcycle | Standard motorcycle | Unrestricted motorcycle |\n\n| Licence category | AM | A1 | A2 | A |\n\n| Minimum age of rider | 16 | 17 | 19 | 24 (direct access) or 21 (progressive access) |\n\n| Engine capacity | Up to 50cc | 120 to 125cc | At least 395cc | At least 595cc |\n\n| Maximum speed | Up to 28mph | 55mph or above | - | - |\n\n| Engine power | Up to 4kW | Up to 11kW | 20 to 35kW | At least 50kW |\n\n| Motorcycle weight (without rider) | - | - | - | At least 175kg |\n\n| Power to weight ratio | - | Up to 0.1kW/kg | Up to 0.2 kW/kg | - |\n\n## Automatic and semi-automatic motorcycles\n\nIf you pass your tests on a motorcycle with automatic or semi-automatic transmission, you\u2019ll only get a licence for those types of motorcycle.\n\n## Engines with restricted power\n\nYou can restrict the engine power of a motorcycle so that it fits within subcategory A2 (20 to 35kW). You cannot restrict it below half its original power.\n\nThis means that if the unrestricted power of the motorcycle is 60kW, you cannot restrict it any lower than 30kW. A motorcycle\u2019s unrestricted power must not be more than 70kW.\n\nYou must bring proof if you\u2019ve restricted a motorcycle to subcategory A2 - if you do not your test will be cancelled.\n\nThe proof must:\n\n- be on headed paper\n\n- be from a main dealer, official importer or recognised specialist\n\n- show the motorcycle\u2019s number plate (registration number)\n\nYou cannot use a dyno test certificate as proof of the restriction.\n\n## Motorcycles with variable power modes\n\nIf you use a switchable engine control unit (ECU) or variable power device, your motorcycle cannot have:\n\n- interchangeable carburettor heads\n\n- an exhaust manifold restrictor\n\n- a hidden ECU - it must be clear what power mode the motorcycle is in\n\n## Electric motorcycles\n\nYou can use an electric motorcycle or moped if it both:\n\n- has the same engine power as the petrol version\n\n- can keep that power for at least 30 minutes\n\nThis is known as the \u2018continuous power rating\u2019 - you can check this with the manufacturer.\n\n## If you have a disability\n\nYou can use a motorcycle with a sidecar for your tests if you have certain disabilities. You cannot have a passenger in the sidecar during the tests.\n\nYour licence will only let you ride motorcycles with sidecars.\n\nYou might be able to use a different vehicle if you\u2019re disabled - contact the Driver and Vehicle Standards Agency (DVSA) before you book your test.\n\n## Module 1 off-road test: what happens\n\nYou\u2019ll take the module 1 test in an off-road motorcycle manoeuvring area.\n\nThe test normally takes about 20 minutes and includes:\n\n- wheeling the moped or motorcycle and using the stand\n\n- riding a slalom and figure of 8\n\n- a slow ride\n\n- a U-turn\n\n- cornering and a controlled stop\n\n- cornering and an emergency stop\n\n- cornering and hazard avoidance\n\nFor the hazard avoidance and emergency stop exercises you must ride at a minimum speed of:\n\n- 19 mph on a moped\n\n- 31 mph on a motorcycle\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 1 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 1 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 5 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate - you need to take this to the module 2 test\n\nIf you\u2019re upgrading your licence through \u2018progressive access\u2019, you must pass module 2 within 6 months. You have to pass module 1 again if you do not.\n\n## If you do not pass\n\nYou\u2019ll have to book another module 1 test and pay again. You have to choose a date at least 3 working days away.\n\nIf you\u2019ve already booked the module 2 test you might need to change the date, since you must pass module 1 before you can take module 2.\n\nYou\u2019ll lose your fee if you do not give 3 full days\u2019 notice to cancel your module 2 test. Sundays and public holidays do not count as working days.\n\n## Module 2 on-road test: what happens\n\nYou must pass module 1 before you can take the module 2 test.\n\nYou can book both modules at the same time, but if you do not pass module 1 you must wait 3 working days before you can retake it.\n\nThe module 2 test normally takes about 40 minutes and includes:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- road riding\n\n- independent riding\n\nYou must bring your module 1 pass certificate to the module 2 test, plus all the documents you had to bring to the module 1 test.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nYou\u2019ll fail your riding test if you fail the eyesight check.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.\n\n## Road riding\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways. You\u2019ll be asked to carry out:\n\n- normal stops\n\n- an angle start (pulling out from behind a parked vehicle)\n\n- a hill start (where possible)\n\nThe examiner will give you directions using a radio. They\u2019ll normally follow you on a motorcycle.\n\nDriving test routes are not published, so you can not check them before your test.\n\n## Independent riding\n\nYou\u2019ll have about 10 minutes of independent riding. This is designed to assess your ability to ride safely while making your own decisions.\n\nYou can ask the examiner to repeat the directions if you forget them - you will not fail the test if you go off the route. You can not use sat nav.\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 2 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 2 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 10 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nYou can start riding without L plates straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nYou have to book another module 2 test and pay again. You have to choose a date at least 10 working days away.\n\n## If your test is cancelled or there\u2019s bad weather\n\nYour riding test can be cancelled or stopped because of bad weather, problems with your vehicle, or for other reasons.\n\n## Bad weather\n\nRiding tests are not carried out in dangerous weather conditions, for example when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is in your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your vehicle\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example if you feel unwell while taking your test\n\n- your vehicle, for example if it breaks down during the test or does not meet the rules\n\n## Your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your tests you should say if you have a:\n\n- disability\n\n- learning difficulty\n\n- health condition\n\nYou\u2019ll still have to ride to the same standard to pass, but the examiner can make adjustments for your situation.\n\nIf your health condition or disability means you cannot wear a face covering to your test, you or your instructor must tell DVSA when booking.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour motorcycle instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge.\n\n## You have reading difficulties\n\nYou\u2019ll do an eyesight check at the start of the module 2 test. The examiner will ask you to read the number plate on a parked vehicle.\n\nYou can write down what you see if you have reading difficulties.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent riding part of the module 2 test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.\n\nYou might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.\n\n## You\u2019re pregnant\n\nYou can take the tests at any stage of your pregnancy. However, you must be able and willing to:\n\n- do an emergency stop\n\n- manually handle and wheel the motorcycle\n\n- do the cornering and hazard avoidance exercise", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/motorcycle-test", + "answerable": true, + "scenario": "I am a 42 year old from Kent and I have a motorcycle test next week but I only have an electric motorcycle.", + "original_question": "Can this be used to the test?" + }, + { + "id": "train-438", + "question": "Scenario: We are a local education authority in England. We operate a bus service to pick some of the students and not for public service\n\nQuestion: Do we have to register to run as a local bus service ?\n\nDocument - Run a local bus service:\n## Overview\n\nA local bus service uses public service vehicles (PSVs) to carry passengers who pay separate fares over short distances.\n\nThe route can be any length, as long as passengers can get off within 15 miles (measured in a straight line) of where they got on.\n\nYou must usually register with the local authority and the local traffic commissioner if you\u2019re operating a local service outside London - there are some exceptions.\n\nYou need a London Service Permit to run a service in London.\n\n## Who can register\n\nYou can register a local bus service if you:\n\n- hold a valid PSV operator\u2019s licence\n\n- hold a community bus permit\n\n- are a local education authority and want to provide a local service using a school bus belonging to you\n\nTaxi or private hire vehicle owners can also register by getting a special PSV operator\u2019s licence.\n\n## Before you register\n\nBefore registering a local bus service you should consider if:\n\n- your route is suitable\n\n- you have the right sort of vehicles\n\n- you can keep to the timetable given the traffic conditions on route\n\n- you have enough drivers to cover absences though sicknesses, holidays, etc\n\n- you have replacement vehicles if other vehicles are off-road\n\n- there are any traffic regulation conditions \u2013 contact your local traffic area office\n\n- a Quality Partnership or Quality Contract Scheme exists - contact your local transport authority\n\nYou must run the service just as you have registered it, even if staff members are ill or a vehicle is off the road. There are penalties if you do not.\n\n## How to register\n\nYou must tell the local authority in England or the local council in Scotland that you\u2019re starting a bus service. You must do this 28 days before you apply to the traffic commissioner.\n\nApply to the traffic commissioner at least 42 days before your service starts - or 56 days before if your service is in Wales.\n\nThis notice period begins on the day when the traffic commissioner accepts your application.\n\nHolders of a \u2018Section 22\u2019 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.\n\nIf you want to start the service sooner you must complete a supplementary form. The traffic commissioner decides whether or not to agree to this.\n\nIf you\u2019re planning a service in Strathclyde, you must also give notice to the Strathclyde Partnership for Transport 28 days before you apply to the traffic commissioner.\n\n## Fees\n\nIt costs:\n\n- \u00a360 to register a local bus service\n\n- \u00a313 to register a community bus service\n\n## Apply online\n\nYou can register through the electronic bus service registration (EBSR) system. Telephone the Driver and Vehicle Standards Agency (DVSA) helpline for information on how to do this.\n\n## Apply by post\n\nPrint off and fill in the application form for the type of service you want to run:\n\n- PSV350 - application to register a bus service (England, Wales and Scotland)\n\n- Application to register a local bus service with a flexible route\n\n- PSV350A - supplementary form: application to start, change or cancel a registered bus service with less than 56 days\u2019 notice (England, Wales and Scotland)\n\n## Where to send the form\n\nSend the form and fees to:\n\n- Central Licensing Office - for England and Wales (except London)\n\n- Office of the Traffic Commissioner \u2013 for Scotland\n\n## Other people you must tell\n\nYou must also send copies to:\n\n- all councils your route passes through - for example the county council, shire council, unitary authority\n\n- the relevant Passenger Transport Executive if there is one\n\n## Getting help\n\nRead the following guides for more information on:\n\n- local bus service registration: guide for operators (England, Scotland and Wales)\n\n- the registration of flexibly routed local bus services: guide for operators\n\n## Change or cancel a bus service\n\nApply to the local authority and the traffic commissioner if you want to:\n\n- change a timetable, route or other detail of your service\n\n- cancel the service\n\nYou must tell the local authority in England or the local council in Scotland that you\u2019re changing or cancelling a bus service. You must do this 28 days before you apply to the traffic commissioner.\n\nApply to the traffic commissioner at least 42 days before your service changes or stops - or 56 days before if your service is in Wales.\n\nHolders of a section 22 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.\n\nIf you want to make the changes or cancel the service sooner, you must fill in a supplementary form (England, Scotland or Wales). The traffic commissioner decides whether or not to agree to this.\n\n## Fees\n\nIt costs:\n\n- \u00a360 to change a local bus service\n\n- \u00a313 to change a community bus service\n\nThere\u2019s no fee for a cancellation.\n\n## Application and supplementary forms\n\nPrint off and fill in the application and supplementary forms to:\n\n- change or cancel a registered bus service (England, Scotland or Wales)\n\n- change or cancel a registered bus service with less than 56 days notice (England, Scotland or Wales)\n\n## Exemptions\n\nYou do not have to register a bus service if all of the following apply:\n\n- someone other than you or your agent is responsible for arranging the journey and bringing the passengers together\n\n- the journey is not advertised in advance to the general public\n\n- all passengers travel together to or from the same place - for example a school or factory\n\n- passengers pay the same fare no matter how far they travel\n\n## School or college bus services\n\nIf you operate a bus service provided by a local education authority in England or Wales, you may not have to register it.\n\nYou do not need to register a service if the only passengers who pay fares are either:\n\n- studying at a school or college\n\n- supervising pupils or students\n\n- teachers or assistants working at the school or college\n\nIf other people can also use the service, it must be registered.\n\n## Other exemptions\n\nYou do not need to register:\n\n- a replacement bus service (for example when a train service is temporarily cancelled and a bus is used instead) provided under an agreement with the Secretary of State, the Scottish Ministers or the National Assembly for Wales\n\n- excursions or tours - unless they operate once a week or more for at least 6 weeks in a row\n\nAn excursion or tour is where passengers travel together on a journey, with or without breaks, from one or more places to one or more places and back.\n\n## Traffic regulation conditions\n\nThe local council can ask the traffic commissioner to impose conditions on your licence. The traffic commissioner will decide if conditions are needed to:\n\n- prevent dangers to other road users\n\n- reduce traffic congestion\n\n- limit environmental pollution\n\nThe conditions could affect:\n\n- your bus routes\n\n- where you can stop\n\n- when you can stop and for how long\n\n- where you can turn or reverse\n\n- the number of vehicles, their type or their frequency\n\nIn some cases the conditions will start straight away.\n\nYou\u2019ll be told if conditions have been imposed and they\u2019ll be added to your licence.\n\n## You cannot meet the conditions\n\nYou must change the registration within 28 days if you cannot run your service under the conditions. You will not have to pay a fee if you change the registration because of these conditions. You must meet the conditions until the change of registration takes effect.\n\n## You disagree with the conditions\n\nYou can ask for a public inquiry within 28 days if you disagree with the traffic commissioner\u2019s decision.\n\nIt\u2019s against the law to disobey traffic regulation conditions.\n\n## Penalties for poor service\n\nOnce you have registered your service you must run it:\n\n- at the times you\u2019ve said it would run\n\n- along the route you\u2019ve registered\n\n## Penalties\n\nIf you do not run a reliable or punctual service the traffic commissioner can stop you from running the service - or even running any services at all.\n\nThe traffic commissioner can also fine you. The size of the fine is based on the number of vehicles you\u2019re licensed to use.\n\nIf you provide the local bus service in England and Wales, you may also have to:\n\n- spend money on providing or improving local services or facilities\n\n- compensate passengers\n\nYou can appeal to the Upper Tribunal if you disagree with the traffic commissioner\u2019s decision.\n\nRead more about the standards for local bus services and how traffic commissioners expect you to operate.\n\n## Register a bus service in London\n\nTo run a bus service in London you must have a London Service Permit. Permits last for 5 years and you must normally apply at least 3 months before starting the service.\n\nYou can apply for a shorter period of notice if Transport for London (TfL) agrees.\n\n## Concessionary fares\n\nYou may be eligible to take part in a concessionary fare scheme. This reimburses you for carrying passengers who get discounted travel, such as:\n\n- older people\n\n- disabled people\n\n- children\n\nContact your local council for more information on taking part.\n\nSome councils offer a voluntary membership scheme for operators. Others have a compulsory scheme.\n\n## Find out more\n\nFind out more about concessionary fare schemes for:\n\n- England\n\n- Scotland\n\n- Wales\n\n## Grants for local bus services\n\nYou might qualify for the Bus Service Operator\u2019s Grant (in England or Scotland) or the Regional Transport Services Grant (in Wales) if you provide a service where:\n\n- at least half the seats are available to and regularly used by the general public\n\n- stops on the route are in places that people are likely to use reasonably often - fixed bus stops or otherwise\n\n- single journey fares are reasonably priced\n\n- fares can be paid conveniently\n\n- the bus does not have signs or any other indication that it\u2019s not available to the general public\n\n- information about the service, its route and timetable is accessible to the general public\n\n- advance bookings of flexible services do not deter people who want to make a single journey\n\nThere are slightly different conditions if your bus service is intended for transporting pupils, people with disabilities or elderly people.\n\nRead more about the Bus Service Operator\u2019s Grant (England and Scotland).\n\n## How to apply\n\nContact the helpline for your area.\n\n## England\n\n## Scotland\n\n## Wales\n\nThe grant is administered through the Regional Transport Consortia:", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/run-local-bus-service", + "answerable": true, + "scenario": "We are a local education authority in England. We operate a bus service to pick some of the students and not for public service", + "original_question": "Do we have to register to run as a local bus service ?" + }, + { + "id": "train-439", + "question": "Scenario: I have got my provisional driving licence for learning motorcycle. I have recently bought a motorcycle which has a valid V5C, properly taxed, motor insurance and has a valid MOT\n\nQuestion: Can I use my vehicle to learn ?\n\nDocument - Riding a motorcycle, moped or motor tricycle:\n## Overview\n\nThere are different rules if you held a motorcycle or moped licence before 19 January 2013.\n\nTo ride on public roads you first need to get a provisional licence and then complete compulsory basic training (CBT) to get a certificate.\n\nYou must pass both parts of your practical test within 2 years of taking the theory test. If you do not, you\u2019ll have to start the process again.\n\n## Motorcycles\n\nThere are different categories of motorbike - you\u2019ll need to get the right entitlement on your licence and be old enough to do so.\n\n## Mopeds\n\nThe way moped entitlements are shown on your licence have changed, but you still need to be 16 to ride one.\n\nThe rules are different if you already have a car driving licence.\n\n## Motor tricycles\n\nProvisional category B car licences and provisional category A licences now only cover you to ride motor tricycles if you have a physical disability. Driving tests for 3-wheeled vehicles are only available for physically disabled drivers.\n\nIf you\u2019re not physically disabled and want to ride a motor tricycle you\u2019ll now need to get the right provisional entitlement and pass CBT.\n\nYou can drive a motor tricycle of any power rating if both of the following are true:\n\n- you\u2019re over 21\n\n- you have a full car driving licence\n\nYou\u2019ll need a full category A1 motorbike licence to ride motor tricycles up to power output 15 Kilowatts (kW), and a full category A motorbike licence to ride trikes with a power output more than 15 kW.\n\nOnce you\u2019ve done your CBT you have 2 years to pass your theory and motorcycle tests or you\u2019ll have to do CBT again.\n\n## If you have a full EU driving licence\n\nBefore you can take a CBT course you must either:\n\n- exchange your licence for a Great Britain (GB) licence\n\n- register your licence with DVLA\n\nIf you register your EU driving licence, you\u2019ll have to exchange it for a GB licence after you\u2019ve passed your theory and practical test.\n\n## Learning to ride\n\nYou need to have the right provisional driving licence when you\u2019re learning to ride.\n\nIf you\u2019re using your own vehicle you\u2019ll need to make sure it:\n\n- has a valid V5C registration certificate (log book)\n\n- is taxed\n\n- has an MOT (if needed)\n\nYou\u2019ll also need adequate motor insurance.\n\n## Official Driver and Vehicle Standards Agency (DVSA) guides\n\nYou can buy the official DVSA guide to learning to ride and the DVSA guide to riding - the essential skills.\n\n## Taking the full motorcycle tests\n\nAll riders have to pass the theory test before taking the motorcycle practical test.\n\n## Enhanced rider scheme\n\nOnce you\u2019ve passed your motorcycle test you can take the enhanced rider scheme. It checks your riding skills and provides training to help you improve. You can get discounts on motorbike insurance if you successfully complete the scheme.\n\n## More information\n\nRead DVLA\u2019s routes to your motorcycle licence flowchart for step-by-step instructions on how to get a moped or motorbike licence.\n\n## Licences issued before 19 January 2013\n\nIf you held a motorcycle or moped licence before 19 January 2013 then you\u2019ll keep your existing entitlements and can still ride the same kind of bikes as you did before.\n\nHowever, if you get a new licence your entitlements may be shown differently.\n\nYou\u2019ll have to follow the new rules if you want to get higher entitlements - eg ride a larger motorbike.\n\n## Mopeds\n\n## Changes to moped categories\n\nIf you\u2019re already licensed to ride a moped your driving licence will show as category P.\n\nThe new rules will not affect you, but any new licences issued to you will show categories AM and Q, as well as category P. This means you will also be allowed to ride 2 or 3-wheeled mopeds with a top speed of 50 km/h.\n\n## Car driving test passed before 1 February 2001\n\nYou do not need to take compulsory basic training (CBT) to ride a moped if you passed your car driving test before 1 February 2001. You\u2019ll still need to complete CBT to ride a motorbike, however.\n\n## Car driving test passed on or after 1 February 2001\n\nYou need to take CBT to ride a moped if you passed your car driving test on or after 1 February 2001.\n\nHowever, you will not need to take further theory and practical tests or take CBT again.\n\n## Motorcycles\n\nIf you\u2019re already licensed to ride a motorcycle, your licence should show category A. This will be the same if you renew or replace your licence after 19 January 2013.\n\n## Motor tricycles\n\nIf you hold category B1 entitlement (trikes and quads), when you renew or replace your licence after 19 January 2013 it will show categories B1 and A. The A entitlement will be limited to tricycles and you will not be able to ride motorbikes you were not previously allowed to.\n\nProvisional licences now only cover you to ride motor tricycles if you have a physical disability. Driving tests for 3-wheeled vehicles are only available for physically disabled drivers.\n\nNon-disabled drivers who want to ride motor tricycles need to pass CBT and the theory and practical tests on a 2-wheeled motorbike.\n\n## Bike categories, ages and licence requirements\n\n| | Licence category | Requirements for licence | Minimum age |\n\n| Mopeds with speed range of 25 km/h to 45 km/h | AM | Compulsory basic training (CBT), theory test, practical test on all powered 2-wheeled moped | 16 |\n\n| Small 3-wheelers (up to 50 cc and below 4 kW) | AM | CBT, theory test, practical test | 16 |\n\n| Light quadricycles (weighing under 350 kg, top speed 45 km/h) | AM | CBT, theory test, practical test | 16 |\n\n| Same as AM plus 2 or 3-wheeled mopeds with top speed of 25 km/h | Q | Granted with AM | 16 |\n\n| Light motorcycle up to 11 kW (and a power-to-weight ratio not more than 0.1 kW per kg) and 125 cc | A1 | CBT, theory test, practical test | 17 |\n\n| Motor tricycles with a power output not more than 15 kW | A1 | CBT, theory test, practical test | 17 |\n\n| Standard motorcycle up to 35 kW (and a power-to-weight ratio not more than 0.2 kW per kg), bike must not be derived from vehicle more than twice its power | A2 | Direct access route - theory and practicalProgressive access route - 2 years experience on A1 motorbike and a further practical test | 19 |\n\n| Unrestricted motorcycles in size/power, with or without a sidecar, and motor tricycles with power output over 15 kW | A | Direct access route - CBT theory and practical (you must be at least 24)Progressive access route - held an A2 licence for a minimum of 2 years - practical test (21 or over) | 24 (direct) or 21 (progressive access) |\n\nYou do not need to take the theory or motorcycle tests to apply for a provisional licence.\n\nRead about the rules for the motorcycle theory test and practical riding test.\n\n## Safety equipment\n\n## Helmet\n\nYou must wear a safety helmet when riding a motorcycle on the road. All helmets sold in the UK must comply with at least 1 of these:\n\n- British Standard BS 6658:1985 and carry the BSI (British Standards Institution) Kitemark\n\n- UNECE Regulation 22.05\n\n- any standard accepted by a member of the European Economic Area which offers a level of safety and protection equivalent to BS 6658:1985 and carry a mark equivalent to the BSI Kitemark\n\nYou must wear glasses or contact lenses when you ride if you need them to read a number plate at the prescribed distance.\n\n## Visors and goggles\n\nYour visors or goggles must comply with either:\n\n- a British Standard and displays a BSI Kitemark\n\n- a European standard which offers a level of safety and protection at least equivalent to the British Standard and carries a mark equivalent to the BSI Kitemark (ECE 22-05)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/ride-motorcycle-moped", + "answerable": true, + "scenario": "I have got my provisional driving licence for learning motorcycle. I have recently bought a motorcycle which has a valid V5C, properly taxed, motor insurance and has a valid MOT", + "original_question": "Can I use my vehicle to learn ?" + }, + { + "id": "train-441", + "question": "Scenario: I want to drive a 50cc moped. I have been told that I do not need a CBT if I have a driving licence. I passed my driving test on the 3rd January 2001.\n\nQuestion: Do I need to do a CBT to ride a moped?\n\nDocument - Riding a motorcycle, moped or motor tricycle:\n## Overview\n\nThere are different rules if you held a motorcycle or moped licence before 19 January 2013.\n\nTo ride on public roads you first need to get a provisional licence and then complete compulsory basic training (CBT) to get a certificate.\n\nYou must pass both parts of your practical test within 2 years of taking the theory test. If you do not, you\u2019ll have to start the process again.\n\n## Motorcycles\n\nThere are different categories of motorbike - you\u2019ll need to get the right entitlement on your licence and be old enough to do so.\n\n## Mopeds\n\nThe way moped entitlements are shown on your licence have changed, but you still need to be 16 to ride one.\n\nThe rules are different if you already have a car driving licence.\n\n## Motor tricycles\n\nProvisional category B car licences and provisional category A licences now only cover you to ride motor tricycles if you have a physical disability. Driving tests for 3-wheeled vehicles are only available for physically disabled drivers.\n\nIf you\u2019re not physically disabled and want to ride a motor tricycle you\u2019ll now need to get the right provisional entitlement and pass CBT.\n\nYou can drive a motor tricycle of any power rating if both of the following are true:\n\n- you\u2019re over 21\n\n- you have a full car driving licence\n\nYou\u2019ll need a full category A1 motorbike licence to ride motor tricycles up to power output 15 Kilowatts (kW), and a full category A motorbike licence to ride trikes with a power output more than 15 kW.\n\nOnce you\u2019ve done your CBT you have 2 years to pass your theory and motorcycle tests or you\u2019ll have to do CBT again.\n\n## If you have a full EU driving licence\n\nBefore you can take a CBT course you must either:\n\n- exchange your licence for a Great Britain (GB) licence\n\n- register your licence with DVLA\n\nIf you register your EU driving licence, you\u2019ll have to exchange it for a GB licence after you\u2019ve passed your theory and practical test.\n\n## Learning to ride\n\nYou need to have the right provisional driving licence when you\u2019re learning to ride.\n\nIf you\u2019re using your own vehicle you\u2019ll need to make sure it:\n\n- has a valid V5C registration certificate (log book)\n\n- is taxed\n\n- has an MOT (if needed)\n\nYou\u2019ll also need adequate motor insurance.\n\n## Official Driver and Vehicle Standards Agency (DVSA) guides\n\nYou can buy the official DVSA guide to learning to ride and the DVSA guide to riding - the essential skills.\n\n## Taking the full motorcycle tests\n\nAll riders have to pass the theory test before taking the motorcycle practical test.\n\n## Enhanced rider scheme\n\nOnce you\u2019ve passed your motorcycle test you can take the enhanced rider scheme. It checks your riding skills and provides training to help you improve. You can get discounts on motorbike insurance if you successfully complete the scheme.\n\n## More information\n\nRead DVLA\u2019s routes to your motorcycle licence flowchart for step-by-step instructions on how to get a moped or motorbike licence.\n\n## Licences issued before 19 January 2013\n\nIf you held a motorcycle or moped licence before 19 January 2013 then you\u2019ll keep your existing entitlements and can still ride the same kind of bikes as you did before.\n\nHowever, if you get a new licence your entitlements may be shown differently.\n\nYou\u2019ll have to follow the new rules if you want to get higher entitlements - eg ride a larger motorbike.\n\n## Mopeds\n\n## Changes to moped categories\n\nIf you\u2019re already licensed to ride a moped your driving licence will show as category P.\n\nThe new rules will not affect you, but any new licences issued to you will show categories AM and Q, as well as category P. This means you will also be allowed to ride 2 or 3-wheeled mopeds with a top speed of 50 km/h.\n\n## Car driving test passed before 1 February 2001\n\nYou do not need to take compulsory basic training (CBT) to ride a moped if you passed your car driving test before 1 February 2001. You\u2019ll still need to complete CBT to ride a motorbike, however.\n\n## Car driving test passed on or after 1 February 2001\n\nYou need to take CBT to ride a moped if you passed your car driving test on or after 1 February 2001.\n\nHowever, you will not need to take further theory and practical tests or take CBT again.\n\n## Motorcycles\n\nIf you\u2019re already licensed to ride a motorcycle, your licence should show category A. This will be the same if you renew or replace your licence after 19 January 2013.\n\n## Motor tricycles\n\nIf you hold category B1 entitlement (trikes and quads), when you renew or replace your licence after 19 January 2013 it will show categories B1 and A. The A entitlement will be limited to tricycles and you will not be able to ride motorbikes you were not previously allowed to.\n\nProvisional licences now only cover you to ride motor tricycles if you have a physical disability. Driving tests for 3-wheeled vehicles are only available for physically disabled drivers.\n\nNon-disabled drivers who want to ride motor tricycles need to pass CBT and the theory and practical tests on a 2-wheeled motorbike.\n\n## Bike categories, ages and licence requirements\n\n| | Licence category | Requirements for licence | Minimum age |\n\n| Mopeds with speed range of 25 km/h to 45 km/h | AM | Compulsory basic training (CBT), theory test, practical test on all powered 2-wheeled moped | 16 |\n\n| Small 3-wheelers (up to 50 cc and below 4 kW) | AM | CBT, theory test, practical test | 16 |\n\n| Light quadricycles (weighing under 350 kg, top speed 45 km/h) | AM | CBT, theory test, practical test | 16 |\n\n| Same as AM plus 2 or 3-wheeled mopeds with top speed of 25 km/h | Q | Granted with AM | 16 |\n\n| Light motorcycle up to 11 kW (and a power-to-weight ratio not more than 0.1 kW per kg) and 125 cc | A1 | CBT, theory test, practical test | 17 |\n\n| Motor tricycles with a power output not more than 15 kW | A1 | CBT, theory test, practical test | 17 |\n\n| Standard motorcycle up to 35 kW (and a power-to-weight ratio not more than 0.2 kW per kg), bike must not be derived from vehicle more than twice its power | A2 | Direct access route - theory and practicalProgressive access route - 2 years experience on A1 motorbike and a further practical test | 19 |\n\n| Unrestricted motorcycles in size/power, with or without a sidecar, and motor tricycles with power output over 15 kW | A | Direct access route - CBT theory and practical (you must be at least 24)Progressive access route - held an A2 licence for a minimum of 2 years - practical test (21 or over) | 24 (direct) or 21 (progressive access) |\n\nYou do not need to take the theory or motorcycle tests to apply for a provisional licence.\n\nRead about the rules for the motorcycle theory test and practical riding test.\n\n## Safety equipment\n\n## Helmet\n\nYou must wear a safety helmet when riding a motorcycle on the road. All helmets sold in the UK must comply with at least 1 of these:\n\n- British Standard BS 6658:1985 and carry the BSI (British Standards Institution) Kitemark\n\n- UNECE Regulation 22.05\n\n- any standard accepted by a member of the European Economic Area which offers a level of safety and protection equivalent to BS 6658:1985 and carry a mark equivalent to the BSI Kitemark\n\nYou must wear glasses or contact lenses when you ride if you need them to read a number plate at the prescribed distance.\n\n## Visors and goggles\n\nYour visors or goggles must comply with either:\n\n- a British Standard and displays a BSI Kitemark\n\n- a European standard which offers a level of safety and protection at least equivalent to the British Standard and carries a mark equivalent to the BSI Kitemark (ECE 22-05)", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/ride-motorcycle-moped", + "answerable": true, + "scenario": "I want to drive a 50cc moped. I have been told that I do not need a CBT if I have a driving licence. I passed my driving test on the 3rd January 2001.", + "original_question": "Do I need to do a CBT to ride a moped?" + }, + { + "id": "train-444", + "question": "Scenario: I am planning to get a made up number plates from a supplier. I was told that I have to show a document that I am allowed to use the registration number\n\nQuestion: Can I use my V5C to show that I am allowed to use the registration number ?\n\nDocument - Displaying number plates:\n## Overview\n\nNumber plates (also known as licence plates) must show your registration number correctly. You cannot rearrange letters or numbers, or alter them so that they\u2019re hard to read.\n\nYou could be fined up to \u00a31,000 and your vehicle will fail its MOT test if you drive with incorrectly displayed number plates.\n\nThe current vehicle registration number format was introduced in 2001. It consists of:\n\n- 2 letters (these refer to the region in the country where your vehicle was first registered)\n\n- 2 numbers (these tell you when it was issued)\n\n- 3 letters chosen at random\n\nYou can get theft-resistant number plates - these make it harder for someone to remove them from your vehicle quickly and reuse them. Ask your local car dealer or registered number plate supplier for more information.\n\nYou can also get personalised number plates.\n\n## Rules for number plates\n\nThe number plates on your vehicle must:\n\n- be made from a reflective material\n\n- display black characters on a white background (front plate)\n\n- display black characters on a yellow background (rear plate)\n\n- not have a background pattern\n\nCharacters on a number plate can be 3D.\n\n## If you ride a motorbike or motor tricycle\n\nMotorcycles and motor tricycles registered on or after 1 September 2001 must only display a number plate at the rear of the vehicle.\n\nIf you ride a motorbike or motor tricycle registered before 1 September 2001 you can also display a number plate at the front, but you do not have to.\n\nMotorcycle and motor tricycle number plate numbers should be on 2 lines.\n\n## Towing a trailer\n\nYour trailer must display the same number plate as the vehicle you\u2019re towing it with. If you\u2019re towing more than one trailer, the number plate must be fixed to the trailer at the back.\n\n## Taking commercial or heavy trailers abroad\n\nIf your trailer needs to be registered to go abroad, you need to fix the trailer registration plate to the back, as well as the towing vehicle\u2019s number plate.\n\nFix the trailer registration plate as far away as possible from the towing vehicle\u2019s number plate.\n\nIf you cannot fix the trailer registration plate on the back of your trailer, fix it to both sides instead. Make sure they\u2019re clearly visible.\n\n## Letter spacing, size and style\n\nThe characters on a number plate need to be a certain height and size.\n\nRead leaflet INF104: vehicle registration numbers and number plates - height and size measurement, for more information.\n\nIf you have a trailer, read leaflet INF291: trailer registration numbers and number plates.\n\n## Getting number plates made up\n\nYou can only get a number plate made up from a registered number plate supplier.\n\nThe supplier will need to see original documents that:\n\n- prove your name and address\n\n- show you\u2019re allowed to use the registration number\n\n## Identity documents\n\nYou can use the following to confirm your name and address:\n\n- driving licence\n\n- utility, Council Tax or rates bill from the last 6 months\n\n- bank or building society statement from the last 6 months\n\n- national identity card\n\nThe following will confirm your name only:\n\n- passport - does not have to be issued in the UK\n\n- bank or building society debit or credit card\n\n- police warrant card\n\n- armed forces identity card\n\n## Proving you can use the registration number\n\nYou must bring one of the following to show you\u2019re allowed to display the registration number:\n\n- vehicle registration certificate (V5C or V5CNI)\n\n- green \u2018new keeper\u2019 slip from the V5C or V5CNI\n\n- certificate of entitlement (V750 or V750NI) to the number\n\n- retention document (V778)\n\n- a renewal reminder for vehicle tax or SORN (V11 or V11NI)\n\n- temporary registration certificate (V379 or V379NI)\n\n- a number plate authorisation certificate (V948) with an official stamp from the Driver and Vehicle Licensing Agency (DVLA)\n\n- an electronic number plate authorisation certificate (eV948 or eV948/2)\n\n- a letter of authorisation from a fleet operator (including lease or hire company) quoting the document reference number from the registration certificate\n\n- if your fleet is in the new V5C on demand scheme (also called \u2018V5C suppression\u2019), a PDF of the vehicle\u2019s details from the view vehicle record service\n\n- UK trailer registration certificate (VTRC)\n\n## Flags, symbols and identifiers\n\nYou can display one of the following flags with identifying letters on the left-hand side of the number plate:\n\n- Union flag (also known as the Union Jack)\n\n- Cross of St George\n\n- Cross of St Andrew - also known as the Saltire\n\n- Red Dragon of Wales\n\nThe letters, or national identifiers, you can have are:\n\n- GREAT BRITAIN, Great Britain or GB\n\n- UNITED KINGDOM, United Kingdom or UK\n\n- CYMRU, Cymru, CYM or Cym\n\n- ENGLAND, England, ENG, Eng\n\n- SCOTLAND, Scotland, SCO or Sco\n\n- WALES or Wales\n\nThe flag must be above the identifier. You cannot have the flag or letters on the number plate margin, and neither can be more than 50 millimetres wide.\n\n## Travelling in Europe\n\nIf your number plate includes the GB identifier with the Union flag (also known as the Union Jack), you do not need a GB sticker. But you will need to display a GB sticker clearly on the rear of your vehicle if your number plate has any of the following:\n\n- a Euro symbol\n\n- a national flag of England, Scotland or Wales\n\n- numbers and letters only - no flag or identifier\n\nIf you\u2019re in Spain, Cyprus or Malta, you must display a GB sticker no matter what is on your number plate.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/displaying-number-plates", + "answerable": true, + "scenario": "I am planning to get a made up number plates from a supplier. I was told that I have to show a document that I am allowed to use the registration number", + "original_question": "Can I use my V5C to show that I am allowed to use the registration number ?" + }, + { + "id": "train-445", + "question": "Scenario: I am importing a modified vehicle from abroad. I am new to buying importing vehicles. I know DVLA will give a Q registration number.\n\nQuestion: Will V5C have a modified marker ?\n\nDocument - Importing vehicles into the UK:\n## How to import a vehicle\n\nYou must complete certain steps as soon as you bring a vehicle into the UK permanently.\n\nYou can pay an importer or shipping company to do them for you.\n\n- Tell HM Revenue and Customs (HMRC) within 14 days that the vehicle has arrived in the UK.\n\n- Pay VAT and duty if HMRC tells you to.\n\n- Get vehicle approval to show your vehicle meets safety and environmental standards.\n\n- Register and tax the vehicle with DVLA - they\u2019ll give you a registration number so you can get number plates made up.\n\nYou must also insure your vehicle before you drive it on UK roads.\n\nYou can be prosecuted if you use your vehicle on a public road before you complete these steps, unless you\u2019re driving it to a pre-booked MOT or vehicle approval test.\n\nCommercial importers of new vehicles that use a secure registration scheme do not have to follow these steps.\n\n## Importing a damaged or modified vehicle\n\nIf your vehicle has been damaged or modified in another country, DVLA may:\n\n- give your vehicle a Q registration number\n\n- put a marker on your vehicle log book (V5C) - to show that your vehicle has been altered or assembled using different parts\n\n## Bringing your vehicle in or out of Northern Ireland\n\nIf you are a UK resident you can move your vehicle freely between Great Britain and Northern Ireland if all of the following apply:\n\n- it\u2019s registered in either country\n\n- you\u2019re not moving it to sell it, or for any other commercial purpose (for example, using the car as a taxi or hiring it to someone)\n\n- the car is for your own or your household\u2019s personal use\n\nFind out what to do if someone else is bringing your vehicle to Northern Ireland.\n\nTell DVLA about the change of address.\n\n## Visiting the UK with a vehicle\n\nFollow the rules for temporary imports instead if both of the following apply:\n\n- you do not usually live in the UK\n\n- you\u2019re bringing a vehicle to the UK for less than 6 months\n\n## Telling HMRC\n\nYou have 14 days to tell HM Revenue and Customs (HMRC) after you bring a vehicle into the UK permanently. You cannot register the vehicle until you\u2019ve done this.\n\nHow you tell HMRC will depend on:\n\n- if you\u2019re importing it to Great Britain (England, Scotland and Wales) or to Northern Ireland\n\n- where you\u2019re importing it from\n\nYou may be fined if you\u2019re late telling HMRC.\n\nIf your vehicle has an engine of 48cc or less (7.2kw or less if it\u2019s electric), you can register it without telling HMRC first.\n\n## If you import a vehicle to England, Scotland or Wales\n\nHow you tell HMRC depends on whether you\u2019re VAT-registered.\n\n## If you\u2019re a VAT-registered company\n\nYou need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.\n\nYou may be able to delay making an import declaration for 6 months if you import a vehicle from the EU. This is called a delayed declaration.\n\nYou must tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you\u2019re a non-VAT registered company or private individual\n\nYou need to make an import declaration using form C384. Send the completed form to HMRC by email.\n\nCurrently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).\n\nYou can also get an agent such as a freight forwarder to make the declaration for you.\n\nYou might qualify for relief from VAT and duty if you\u2019re:\n\n- moving to Great Britain (England, Scotland or Wales) (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief\n\n- returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief\n\nContact the VAT helpline for a form if you\u2019re unable to use online services.\n\n## If you import a vehicle to Northern Ireland from the EU\n\nTell HMRC by using the Notification of Vehicle Arrivals (NOVA) service.\n\nYou can use a spreadsheet if you\u2019re a VAT-registered business and you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you import a vehicle to Northern Ireland from outside the EU\n\nHow you tell HMRC depends on whether you\u2019re VAT-registered.\n\n## If you\u2019re a VAT-registered company\n\nYou need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.\n\nYou must then tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you\u2019re a non-VAT registered company or private individual\n\nYou need to make an import declaration using form C384. Send the completed form to HMRC by email.\n\nCurrently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).\n\nYou can also get an agent such as a freight forwarder to make the declaration for you.\n\nYou might qualify for relief from VAT and duty if you\u2019re:\n\n- moving to Northern Ireland (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief\n\n- returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief\n\nContact the VAT helpline for a form if you\u2019re unable to use online services.\n\n## After you tell HMRC\n\nHMRC will tell you:\n\n- if you have to pay VAT and duty\n\n- when your NOVA application has been processed - you cannot register your vehicle with DVLA until it is\n\nIf you\u2019re a non-VAT registered company or private individual, HMRC will make a NOVA application for you.\n\n## Paying VAT and duty\n\nHM Revenue and Customs (HMRC) will tell you if you have to pay VAT or duty after you tell them you imported a vehicle.\n\nVAT is charged on the total cost of the vehicle, plus any:\n\n- accessories you bought with it\n\n- delivery and extra charges\n\n- duty\n\nDuty is charged on vehicles imported to:\n\n- England, Wales and Scotland from outside the UK\n\n- Northern Ireland from outside the UK or EU\n\nHMRC will tell you how much you have to pay.\n\nThe rates you\u2019re charged depend on the type of vehicle and where you imported it from. You can call the helpline to check rates.\n\nHow you pay depends on where you\u2019re importing the vehicle from.\n\n## If you imported the vehicle to England, Scotland or Wales from outside the UK\n\n| Why you imported it | What and how you pay |\n\n| You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief |\n\n| You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief |\n\n| You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import |\n\n| Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) |\n\n| Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return |\n\nYou must pay any VAT and duty before you can release the vehicle from customs or register it.\n\n## If you imported the vehicle to Northern Ireland from the EU\n\nVAT is usually only charged on vehicles that are new. A vehicle is new if either:\n\n- it\u2019s been driven less than 6,000km (about 3,728 miles)\n\n- it\u2019s been in use for no more than 6 months\n\nIf you\u2019re VAT registered, you need to account for any VAT you\u2019ve paid on your next VAT return.\n\nIf you\u2019re not registered for VAT or you\u2019re a private individual, you need to pay HMRC directly before you can register your vehicle.\n\n## Paying HMRC directly\n\nUse online or telephone banking to pay HMRC by Faster Payments, CHAPS or Bacs.\n\n| Sort code | Account number | Account name |\n\n| 08 32 00 | 12000903 | HMRC Indirect Miscellaneous |\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB20 BARC 2005 1730 3364 91 | BARCGB22 | HMRC Indirect Miscellaneous |\n\nUse your 13-character NOVA notification reference number when you pay. You can find it on the:\n\n- email HMRC sent you if you used the NOVA service\n\n- payment notice HMRC sent you\n\nDo not put any spaces between the characters in your reference number.\n\nRead more about paying VAT on a car you\u2019ve imported.\n\n## Reclaiming VAT\n\nIf you have to declare VAT to HMRC, you can reclaim any VAT you paid in the EU. Send the Certificate of VAT you get from HMRC to the person who sold you the vehicle.\n\n## If you imported the vehicle to Northern Ireland from outside the UK and EU\n\n| Why you imported it | What and how you pay |\n\n| You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief |\n\n| You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief |\n\n| You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import |\n\n| Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) |\n\n| Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return |\n\n## Getting vehicle approval\n\nGet vehicle approval to show that your imported vehicle meets environmental and safety regulations. You\u2019ll need proof of approval to register the vehicle.\n\nYou might not need approval for a vehicle that was first registered or manufactured more than 10 years ago - check the exemptions.\n\n## If the vehicle\u2019s not registered in the EU\n\nTo get approval for a vehicle that\u2019s not registered in the EU, apply for either:\n\n- Individual Vehicle Approval (IVA)\n\n- Motorcycle Single Vehicle Approval (MSVA) if it\u2019s a 2, 3 or smaller 4-wheeled vehicle\n\n## If the vehicle\u2019s registered in the EU\n\nGet a European Certificate of Conformity from the manufacturer to show you have approval for an EU-registered vehicle.\n\nYou also have to get a certificate of Mutual Recognition if it\u2019s a left hand drive vehicle.\n\n## Getting a certificate of Mutual Recognition\n\nUse the application form for your:\n\n- motorcycle\n\n- car\n\n- van or light goods vehicle\n\n- motorhome\n\nApply for IVA instead for a lorry or goods vehicle over 3,500kg.\n\nThere\u2019s a \u00a3100 fee. Send your application to the address on the form. Attach receipts to prove you\u2019ve made any required alterations, for example fitting a speedometer to display miles per hour.\n\n## Get help with Mutual Recognition\n\nContact the Vehicle Certification Agency (VCA) if you\u2019re unsure whether your vehicle qualifies for Mutual Recognition.\n\n## Registering an imported vehicle\n\nYou must register any vehicle you bring into the UK permanently. You cannot register before you do all of the following:\n\n- tell HM Revenue and Customs (HMRC) you imported the vehicle and get confirmation that your NOVA application is processed\n\n- pay VAT and duty if HMRC tells you to\n\n- get proof of vehicle approval\n\nYou also tax the vehicle when you register it with DVLA - there\u2019s a \u00a355 fee.\n\n## How to register\n\nFollow the instructions for registering a vehicle to fill in your forms and send supporting documents.\n\nYou must also send extra supporting documents for an imported vehicle.\n\nDVLA might ask to inspect the vehicle.\n\n## Extra supporting documents for imported vehicles\n\nYou must send the following original documents:\n\n- proof of vehicle approval\n\n- form V267 (sometimes called the \u2018declaration of newness\u2019) if you\u2019re registering a new vehicle\n\n- evidence showing the date the vehicle was collected, for example the invoice from the supplier\n\n- the original foreign registration certificate to show when the vehicle was manufactured (you will not get this back)\n\nIf you do not have the original foreign registration certificate, DVLA might accept other proof of the manufacture date, for example a letter from the manufacturer or a vehicle enthusiast club.\n\nDo not send photocopies or faxed copies.\n\n## How long it takes\n\nBecause of coronavirus (COVID-19) it will take longer than usual for your registration certificate (V5C) to arrive.\n\nYou need the V5C to get number plates made up.\n\n## Temporary imports\n\nYou can usually use a vehicle with foreign number plates without registering or taxing it in the UK if all of the following apply:\n\n- you\u2019re visiting and do not plan to live here\n\n- the vehicle is registered and taxed in its home country\n\n- you only use the vehicle for up to 6 months in total - this can be a single visit, or several shorter visits over 12 months\n\nYou will need to register your vehicle if you want to move it between Great Britain (England, Scotland and Wales) and Northern Ireland.\n\nIf you become a resident or stay for longer than 6 months you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you bring a vehicle to England, Scotland or Wales\n\nYou do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:\n\n- it\u2019s for your own private use\n\n- you\u2019re not a UK resident\n\n- you do not sell, lend or hire it within the UK\n\n- you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer\n\nClaim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.\n\n## Using foreign number plates for longer than 6 months\n\nYou might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:\n\n- you normally live outside the UK\n\n- you\u2019re in the UK for a set period as a student or worker\n\n- you claim relief from VAT and duty\n\nHM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.\n\nIf you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you do not qualify for relief\n\nIf HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.\n\n## If you bring a vehicle to Northern Ireland from the EU\n\nYou will not have to pay VAT or duty if you bring your own vehicle from the EU.\n\nCall the imports and exports helpline if you have questions about bringing a vehicle from the EU for less than 6 months.\n\n## If you bring a vehicle to Northern Ireland from outside the EU\n\nYou do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:\n\n- it\u2019s for your own private use\n\n- you\u2019re not a UK resident\n\n- you do not sell, lend or hire it within the UK\n\n- you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer\n\nClaim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.\n\n## Using foreign number plates for longer than 6 months\n\nYou might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:\n\n- you normally live outside the UK\n\n- you\u2019re in the UK for a set period as a student or worker\n\n- you claim relief from VAT and duty\n\nHM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.\n\nIf you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you do not qualify for relief\n\nIf HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.\n\n## If you\u2019re stopped by the police\n\nYou must show police that you can use the vehicle in the UK without taxing and registering it here, for example proof:\n\n- of the time you\u2019ve been in the UK (such as a ferry ticket)\n\n- that your vehicle\u2019s eligible for relief from VAT and duty (such as a customs relief form)\n\n## When you need Q number plates\n\nYou must get temporary Q number plates from DVLA if you visit the UK for up to 6 months and either:\n\n- your number plates display numbers or letters that are not identifiable in the UK, for example Arabic script\n\n- your vehicle is not registered in its home country\n\nContact DVLA if you have to get temporary Q number plates.\n\n## Before you get Q number plates\n\nYou must claim relief from VAT and duty before you can get temporary Q number plates.\n\nTo claim relief, fill in form C110 after the car arrives in the UK and send it to the NTAS team to have it stamped.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/importing-vehicles-into-the-uk", + "answerable": true, + "scenario": "I am importing a modified vehicle from abroad. I am new to buying importing vehicles. I know DVLA will give a Q registration number.", + "original_question": "Will V5C have a modified marker ?" + }, + { + "id": "train-446", + "question": "Scenario: I have a Northern Ireland registered vehicle and lived in NI but moved to UK to live here permanently. I am considering to move my vehicle from NI to UK\n\nQuestion: Can I move my vehicle freely to UK without any paper work ?\n\nDocument - Importing vehicles into the UK:\n## How to import a vehicle\n\nYou must complete certain steps as soon as you bring a vehicle into the UK permanently.\n\nYou can pay an importer or shipping company to do them for you.\n\n- Tell HM Revenue and Customs (HMRC) within 14 days that the vehicle has arrived in the UK.\n\n- Pay VAT and duty if HMRC tells you to.\n\n- Get vehicle approval to show your vehicle meets safety and environmental standards.\n\n- Register and tax the vehicle with DVLA - they\u2019ll give you a registration number so you can get number plates made up.\n\nYou must also insure your vehicle before you drive it on UK roads.\n\nYou can be prosecuted if you use your vehicle on a public road before you complete these steps, unless you\u2019re driving it to a pre-booked MOT or vehicle approval test.\n\nCommercial importers of new vehicles that use a secure registration scheme do not have to follow these steps.\n\n## Importing a damaged or modified vehicle\n\nIf your vehicle has been damaged or modified in another country, DVLA may:\n\n- give your vehicle a Q registration number\n\n- put a marker on your vehicle log book (V5C) - to show that your vehicle has been altered or assembled using different parts\n\n## Bringing your vehicle in or out of Northern Ireland\n\nIf you are a UK resident you can move your vehicle freely between Great Britain and Northern Ireland if all of the following apply:\n\n- it\u2019s registered in either country\n\n- you\u2019re not moving it to sell it, or for any other commercial purpose (for example, using the car as a taxi or hiring it to someone)\n\n- the car is for your own or your household\u2019s personal use\n\nFind out what to do if someone else is bringing your vehicle to Northern Ireland.\n\nTell DVLA about the change of address.\n\n## Visiting the UK with a vehicle\n\nFollow the rules for temporary imports instead if both of the following apply:\n\n- you do not usually live in the UK\n\n- you\u2019re bringing a vehicle to the UK for less than 6 months\n\n## Telling HMRC\n\nYou have 14 days to tell HM Revenue and Customs (HMRC) after you bring a vehicle into the UK permanently. You cannot register the vehicle until you\u2019ve done this.\n\nHow you tell HMRC will depend on:\n\n- if you\u2019re importing it to Great Britain (England, Scotland and Wales) or to Northern Ireland\n\n- where you\u2019re importing it from\n\nYou may be fined if you\u2019re late telling HMRC.\n\nIf your vehicle has an engine of 48cc or less (7.2kw or less if it\u2019s electric), you can register it without telling HMRC first.\n\n## If you import a vehicle to England, Scotland or Wales\n\nHow you tell HMRC depends on whether you\u2019re VAT-registered.\n\n## If you\u2019re a VAT-registered company\n\nYou need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.\n\nYou may be able to delay making an import declaration for 6 months if you import a vehicle from the EU. This is called a delayed declaration.\n\nYou must tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you\u2019re a non-VAT registered company or private individual\n\nYou need to make an import declaration using form C384. Send the completed form to HMRC by email.\n\nCurrently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).\n\nYou can also get an agent such as a freight forwarder to make the declaration for you.\n\nYou might qualify for relief from VAT and duty if you\u2019re:\n\n- moving to Great Britain (England, Scotland or Wales) (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief\n\n- returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief\n\nContact the VAT helpline for a form if you\u2019re unable to use online services.\n\n## If you import a vehicle to Northern Ireland from the EU\n\nTell HMRC by using the Notification of Vehicle Arrivals (NOVA) service.\n\nYou can use a spreadsheet if you\u2019re a VAT-registered business and you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you import a vehicle to Northern Ireland from outside the EU\n\nHow you tell HMRC depends on whether you\u2019re VAT-registered.\n\n## If you\u2019re a VAT-registered company\n\nYou need to make an import declaration. You can use either the Customs Handling of Import and Export Freight (CHIEF) system or the Customs Declaration Service (CDS) system. You can also get an agent such as a freight forwarder to do this for you.\n\nYou must then tell HMRC about the imported vehicle by using the NOVA service within 14 days. You can use a spreadsheet if you need to use NOVA for lots of vehicles.\n\nIf you\u2019re unable to use the NOVA online service, ask the Imports and exports helpline for a VAT NOVA1 form.\n\n## If you\u2019re a non-VAT registered company or private individual\n\nYou need to make an import declaration using form C384. Send the completed form to HMRC by email.\n\nCurrently you cannot send an import declaration to HMRC by post because of coronavirus (COVID-19).\n\nYou can also get an agent such as a freight forwarder to make the declaration for you.\n\nYou might qualify for relief from VAT and duty if you\u2019re:\n\n- moving to Northern Ireland (sometimes known as \u2018transfer of residence\u2019 or TOR) - if you qualify, apply for transfer of residence relief\n\n- returning an exported vehicle to the UK - if you qualify, declare the vehicle to claim relief\n\nContact the VAT helpline for a form if you\u2019re unable to use online services.\n\n## After you tell HMRC\n\nHMRC will tell you:\n\n- if you have to pay VAT and duty\n\n- when your NOVA application has been processed - you cannot register your vehicle with DVLA until it is\n\nIf you\u2019re a non-VAT registered company or private individual, HMRC will make a NOVA application for you.\n\n## Paying VAT and duty\n\nHM Revenue and Customs (HMRC) will tell you if you have to pay VAT or duty after you tell them you imported a vehicle.\n\nVAT is charged on the total cost of the vehicle, plus any:\n\n- accessories you bought with it\n\n- delivery and extra charges\n\n- duty\n\nDuty is charged on vehicles imported to:\n\n- England, Wales and Scotland from outside the UK\n\n- Northern Ireland from outside the UK or EU\n\nHMRC will tell you how much you have to pay.\n\nThe rates you\u2019re charged depend on the type of vehicle and where you imported it from. You can call the helpline to check rates.\n\nHow you pay depends on where you\u2019re importing the vehicle from.\n\n## If you imported the vehicle to England, Scotland or Wales from outside the UK\n\n| Why you imported it | What and how you pay |\n\n| You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief |\n\n| You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief |\n\n| You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import |\n\n| Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) |\n\n| Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return |\n\nYou must pay any VAT and duty before you can release the vehicle from customs or register it.\n\n## If you imported the vehicle to Northern Ireland from the EU\n\nVAT is usually only charged on vehicles that are new. A vehicle is new if either:\n\n- it\u2019s been driven less than 6,000km (about 3,728 miles)\n\n- it\u2019s been in use for no more than 6 months\n\nIf you\u2019re VAT registered, you need to account for any VAT you\u2019ve paid on your next VAT return.\n\nIf you\u2019re not registered for VAT or you\u2019re a private individual, you need to pay HMRC directly before you can register your vehicle.\n\n## Paying HMRC directly\n\nUse online or telephone banking to pay HMRC by Faster Payments, CHAPS or Bacs.\n\n| Sort code | Account number | Account name |\n\n| 08 32 00 | 12000903 | HMRC Indirect Miscellaneous |\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB20 BARC 2005 1730 3364 91 | BARCGB22 | HMRC Indirect Miscellaneous |\n\nUse your 13-character NOVA notification reference number when you pay. You can find it on the:\n\n- email HMRC sent you if you used the NOVA service\n\n- payment notice HMRC sent you\n\nDo not put any spaces between the characters in your reference number.\n\nRead more about paying VAT on a car you\u2019ve imported.\n\n## Reclaiming VAT\n\nIf you have to declare VAT to HMRC, you can reclaim any VAT you paid in the EU. Send the Certificate of VAT you get from HMRC to the person who sold you the vehicle.\n\n## If you imported the vehicle to Northern Ireland from outside the UK and EU\n\n| Why you imported it | What and how you pay |\n\n| You\u2019re moving to the UK with your vehicle | No VAT or duty if you qualify for relief |\n\n| You\u2019re returning an exported vehicle to the UK | No VAT or duty if you qualify for relief |\n\n| You\u2019re visiting the UK or the EU with your vehicle | No VAT or duty if it qualifies as a temporary import |\n\n| Any other reason - if you\u2019re not VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) |\n\n| Any other reason - if you\u2019re VAT-registered | VAT and duty - pay HMRC at the UK border (your shipping company may do this for you) and claim the VAT on your next VAT Return |\n\n## Getting vehicle approval\n\nGet vehicle approval to show that your imported vehicle meets environmental and safety regulations. You\u2019ll need proof of approval to register the vehicle.\n\nYou might not need approval for a vehicle that was first registered or manufactured more than 10 years ago - check the exemptions.\n\n## If the vehicle\u2019s not registered in the EU\n\nTo get approval for a vehicle that\u2019s not registered in the EU, apply for either:\n\n- Individual Vehicle Approval (IVA)\n\n- Motorcycle Single Vehicle Approval (MSVA) if it\u2019s a 2, 3 or smaller 4-wheeled vehicle\n\n## If the vehicle\u2019s registered in the EU\n\nGet a European Certificate of Conformity from the manufacturer to show you have approval for an EU-registered vehicle.\n\nYou also have to get a certificate of Mutual Recognition if it\u2019s a left hand drive vehicle.\n\n## Getting a certificate of Mutual Recognition\n\nUse the application form for your:\n\n- motorcycle\n\n- car\n\n- van or light goods vehicle\n\n- motorhome\n\nApply for IVA instead for a lorry or goods vehicle over 3,500kg.\n\nThere\u2019s a \u00a3100 fee. Send your application to the address on the form. Attach receipts to prove you\u2019ve made any required alterations, for example fitting a speedometer to display miles per hour.\n\n## Get help with Mutual Recognition\n\nContact the Vehicle Certification Agency (VCA) if you\u2019re unsure whether your vehicle qualifies for Mutual Recognition.\n\n## Registering an imported vehicle\n\nYou must register any vehicle you bring into the UK permanently. You cannot register before you do all of the following:\n\n- tell HM Revenue and Customs (HMRC) you imported the vehicle and get confirmation that your NOVA application is processed\n\n- pay VAT and duty if HMRC tells you to\n\n- get proof of vehicle approval\n\nYou also tax the vehicle when you register it with DVLA - there\u2019s a \u00a355 fee.\n\n## How to register\n\nFollow the instructions for registering a vehicle to fill in your forms and send supporting documents.\n\nYou must also send extra supporting documents for an imported vehicle.\n\nDVLA might ask to inspect the vehicle.\n\n## Extra supporting documents for imported vehicles\n\nYou must send the following original documents:\n\n- proof of vehicle approval\n\n- form V267 (sometimes called the \u2018declaration of newness\u2019) if you\u2019re registering a new vehicle\n\n- evidence showing the date the vehicle was collected, for example the invoice from the supplier\n\n- the original foreign registration certificate to show when the vehicle was manufactured (you will not get this back)\n\nIf you do not have the original foreign registration certificate, DVLA might accept other proof of the manufacture date, for example a letter from the manufacturer or a vehicle enthusiast club.\n\nDo not send photocopies or faxed copies.\n\n## How long it takes\n\nBecause of coronavirus (COVID-19) it will take longer than usual for your registration certificate (V5C) to arrive.\n\nYou need the V5C to get number plates made up.\n\n## Temporary imports\n\nYou can usually use a vehicle with foreign number plates without registering or taxing it in the UK if all of the following apply:\n\n- you\u2019re visiting and do not plan to live here\n\n- the vehicle is registered and taxed in its home country\n\n- you only use the vehicle for up to 6 months in total - this can be a single visit, or several shorter visits over 12 months\n\nYou will need to register your vehicle if you want to move it between Great Britain (England, Scotland and Wales) and Northern Ireland.\n\nIf you become a resident or stay for longer than 6 months you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you bring a vehicle to England, Scotland or Wales\n\nYou do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:\n\n- it\u2019s for your own private use\n\n- you\u2019re not a UK resident\n\n- you do not sell, lend or hire it within the UK\n\n- you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer\n\nClaim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.\n\n## Using foreign number plates for longer than 6 months\n\nYou might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:\n\n- you normally live outside the UK\n\n- you\u2019re in the UK for a set period as a student or worker\n\n- you claim relief from VAT and duty\n\nHM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.\n\nIf you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you do not qualify for relief\n\nIf HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.\n\n## If you bring a vehicle to Northern Ireland from the EU\n\nYou will not have to pay VAT or duty if you bring your own vehicle from the EU.\n\nCall the imports and exports helpline if you have questions about bringing a vehicle from the EU for less than 6 months.\n\n## If you bring a vehicle to Northern Ireland from outside the EU\n\nYou do not pay VAT or duty on a vehicle if you temporarily import it and all of the following apply:\n\n- it\u2019s for your own private use\n\n- you\u2019re not a UK resident\n\n- you do not sell, lend or hire it within the UK\n\n- you re-export it from the UK within 6 months - or longer if you\u2019re eligible to use foreign number plates for longer\n\nClaim relief by filling in form C110 and taking your vehicle through the \u2018nothing to declare\u2019 channel when you arrive in the UK.\n\n## Using foreign number plates for longer than 6 months\n\nYou might be able to use a vehicle with foreign number plates for longer than 6 months if all of the following apply:\n\n- you normally live outside the UK\n\n- you\u2019re in the UK for a set period as a student or worker\n\n- you claim relief from VAT and duty\n\nHM Revenue and Customs (HMRC) will give you a customs relief form when you claim relief \u2013 show it to police if you\u2019re stopped when driving the vehicle.\n\nIf you stay after your customs relief expires you must register and tax your vehicle in the UK \u2013 follow the steps for importing a vehicle.\n\n## If you do not qualify for relief\n\nIf HMRC says your vehicle must be registered and taxed in the UK, contact the imports and exports helpline.\n\n## If you\u2019re stopped by the police\n\nYou must show police that you can use the vehicle in the UK without taxing and registering it here, for example proof:\n\n- of the time you\u2019ve been in the UK (such as a ferry ticket)\n\n- that your vehicle\u2019s eligible for relief from VAT and duty (such as a customs relief form)\n\n## When you need Q number plates\n\nYou must get temporary Q number plates from DVLA if you visit the UK for up to 6 months and either:\n\n- your number plates display numbers or letters that are not identifiable in the UK, for example Arabic script\n\n- your vehicle is not registered in its home country\n\nContact DVLA if you have to get temporary Q number plates.\n\n## Before you get Q number plates\n\nYou must claim relief from VAT and duty before you can get temporary Q number plates.\n\nTo claim relief, fill in form C110 after the car arrives in the UK and send it to the NTAS team to have it stamped.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/importing-vehicles-into-the-uk", + "answerable": true, + "scenario": "I have a Northern Ireland registered vehicle and lived in NI but moved to UK to live here permanently. I am considering to move my vehicle from NI to UK", + "original_question": "Can I move my vehicle freely to UK without any paper work ?" + }, + { + "id": "train-447", + "question": "Scenario: I am 20, live in rural England and am currently studying full-time to be a plumber, via an ESFA-funded course at my nearest FE college. This involves a 12-mile commute by bus, 4 days a week, which is proving to be expensive.\n\nQuestion: Can I claim Learner Support to cover the cost of my travel?\n\nDocument - Learner Support:\n## Overview\n\nIf you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.\n\nYou apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare - if you qualify\n\n## What you'll get\n\nYour learning provider (for example, a college) decides how much you get. It depends on their scheme and your circumstances.\n\n## How the money is paid\n\nThe money could be:\n\n- a direct payment to you - which you don\u2019t have to pay back\n\n- a loan - which you have to pay back\n\n- paid to someone else, for example a landlord\n\nYour learning provider decides how the money is paid to you. It depends on their scheme and what the money is for.\n\nCheck with the student support staff at your college or the National Careers Service about other funding you could get.\n\n## Eligibility\n\nTo get Learner Support you must be:\n\n- 19 or over\n\n- studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)\n\nYou must be 20 or over to get help with childcare costs. If you\u2019re 19, apply for Care to Learn instead.\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Care to Learn\n\n- Disability Living Allowance\n\n## Who can\u2019t apply\n\nYou can\u2019t claim if you\u2019re:\n\n- getting student finance for higher education\n\n- on a Community Learning course\n\n## How to claim\n\nApply directly to your learning provider (for example, a college) - they each have their own application process.\n\nSpeak to your student support services to:\n\n- get help applying\n\n- find out what\u2019s available\n\n## Appeal a decision\n\nIf you\u2019re not happy with the decision about your Learner Support, contact your learning provider to appeal it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/learner-support", + "answerable": true, + "scenario": "I am 20, live in rural England and am currently studying full-time to be a plumber, via an ESFA-funded course at my nearest FE college. This involves a 12-mile commute by bus, 4 days a week, which is proving to be expensive.", + "original_question": "Can I claim Learner Support to cover the cost of my travel?" + }, + { + "id": "train-448", + "question": "Scenario: I am 19, and about to start a course at my local technical college. I've applied to them for learner support to cover the costs of some equipment that I will need for the practical sections of the syllabus.\n\nQuestion: Can I decide how the support funds will be paid to me, if my application is successful?\n\nDocument - Learner Support:\n## Overview\n\nIf you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.\n\nYou apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare - if you qualify\n\n## What you'll get\n\nYour learning provider (for example, a college) decides how much you get. It depends on their scheme and your circumstances.\n\n## How the money is paid\n\nThe money could be:\n\n- a direct payment to you - which you don\u2019t have to pay back\n\n- a loan - which you have to pay back\n\n- paid to someone else, for example a landlord\n\nYour learning provider decides how the money is paid to you. It depends on their scheme and what the money is for.\n\nCheck with the student support staff at your college or the National Careers Service about other funding you could get.\n\n## Eligibility\n\nTo get Learner Support you must be:\n\n- 19 or over\n\n- studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)\n\nYou must be 20 or over to get help with childcare costs. If you\u2019re 19, apply for Care to Learn instead.\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Care to Learn\n\n- Disability Living Allowance\n\n## Who can\u2019t apply\n\nYou can\u2019t claim if you\u2019re:\n\n- getting student finance for higher education\n\n- on a Community Learning course\n\n## How to claim\n\nApply directly to your learning provider (for example, a college) - they each have their own application process.\n\nSpeak to your student support services to:\n\n- get help applying\n\n- find out what\u2019s available\n\n## Appeal a decision\n\nIf you\u2019re not happy with the decision about your Learner Support, contact your learning provider to appeal it.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/learner-support", + "answerable": true, + "scenario": "I am 19, and about to start a course at my local technical college. I've applied to them for learner support to cover the costs of some equipment that I will need for the practical sections of the syllabus.", + "original_question": "Can I decide how the support funds will be paid to me, if my application is successful?" + }, + { + "id": "train-449", + "question": "Scenario: I aim to driving a lorry for non-commercial reasons, but I am only going to stand in every so often. It is not my main job. The distance I will be travelling is going to be 120 miles with a load.\n\nQuestion: Do I need a licence with these conditions?\n\nDocument - Become a qualified lorry or bus driver:\n## Getting qualified\n\nTo become a lorry, bus or coach driver you need to:\n\n- have a full car licence\n\n- be over 18 - but there are some exceptions\n\n- get a professional driving qualification called the Driver Certificate of Professional Competence (CPC)\n\n## Who needs the full Driver CPC\n\nYou must have the full Driver CPC if you drive a lorry, bus or coach as the main part of your job.\n\nYou usually need to pass 4 tests to get it, unless you have \u2018acquired rights\u2019 because of your existing driving experience.\n\n## Who does not need the full Driver CPC\n\nYou do not need the full Driver CPC if you:\n\n- do not want to drive for a living, for example you want to drive for a hobby or carry passengers or goods non-commercially for personal use\n\n- drive in certain other situations, such as taking your vehicle for a pre-booked annual test (MOT)\n\nYou still need to pass the part 1 (theory) and part 3 (driving ability) tests of the qualification.\n\n## How to get and keep the full Driver CPC\n\n- Apply for a provisional lorry or bus licence.\n\n- Pass the 4 tests that make up Driver CPC to qualify.\n\n- Take 35 hours of periodic training every 5 years to stay qualified.\n\nYou need to renew your bus or lorry licence every 5 years, and every year when you reach 65.\n\n## If you\u2019re taking an NVT course\n\nIf you\u2019re taking an approved National Vocational Training (NVT) course you can drive professionally for up to 12 months without taking the Driver CPC part 2 and part 4 tests.\n\n## Applying for a provisional lorry or bus licence\n\nThe category of provisional licence you need depends on the type of vehicle you want to drive.\n\n## How to apply\n\nTo apply, order forms D2 and D4 from DVLA.\n\nThe D4 form has to be filled in by a doctor. This could be either:\n\n- your GP - but an optician might need to fill in the section about your eyesight\n\n- a private firm specialising in drivers\u2019 medical exams\n\nYour doctor, optician or a private firm can charge you.\n\nYou can only apply for a provisional trailer (+E) licence when you\u2019ve got the full licence for the vehicle you\u2019ll be driving.\n\n## Order the forms online\n\nOrder now\n\n## Send the forms\n\nSend both forms and your photocard driving licence to DVLA. There\u2019s no application fee.\n\nYou only need to include a passport-style colour photo and original identity documents if you have a paper driving licence.\n\n## How long it takes\n\nYou should get your driving licence within 3 weeks of DVLA getting your application. It can take longer if your health or personal details need to be checked.\n\nYou automatically lose your lorry or bus licence if you lose your car licence.\n\n## When you do not need the full Driver CPC\n\nYou do not need the full Driver Certificate of Professional Competence (CPC) qualification if you\u2019re using the vehicle for:\n\n- non-commercial carriage of passengers or goods\n\n- carrying material or equipment you use for your job, as long as driving is less than 30% of your rolling monthly working time\n\n- driving lessons for anyone who wants to get a driving licence or a Driver CPC\n\n- driving to or from pre-booked appointments at official vehicle testing centres\n\n- driving within 62 miles (100 kilometres) of your base - but the vehicle cannot be carrying passengers or goods, and driving a lorry, bus or coach cannot be your main job\n\n- maintaining public order - and the vehicle is being used or controlled by a local authority\n\n- rescue missions or in states of emergency\n\n- driving for an agriculture, horticulture, forestry, farming or fisheries business, as long as driving is less than 30% of your rolling monthly working time\n\nYou also do not need the full Driver CPC if the vehicle is:\n\n- limited to a top speed of 28mph\n\n- being used or controlled by the armed forces, police, fire and rescue service, emergency ambulance service, prison service or people running a prison or young offender institution\n\nYou can read detailed examples of Driver CPC exemptions.\n\nIf you are not sure if you need the Driver CPC, you should seek legal advice.\n\n## What you need to do\n\nIf you want to become a lorry, bus or coach driver in these situations you need to:\n\n- Apply for a provisional lorry or bus licence.\n\n- Pass the part 1 (theory) and part 3 (driving ability) tests.\n\nYou need to renew your bus or lorry licence every 5 years when you reach 45 and every year when you reach 65.\n\n## Driver CPC part 1 test: theory\n\nYou can book the part 1 theory test of the Driver Certificate of Professional Competence (CPC) as soon as you\u2019ve got your provisional licence.\n\nThe test is made up of 2 parts - multiple choice and hazard perception. You have to book both parts separately, but you can take them on the same day.\n\nIt does not matter which one you take first but you need to pass both within 2 years of each other to get your theory test certificate.\n\n## What to take to your test\n\nYou must bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring the right documents.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must stay at home (self-isolate) if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## How the test works\n\n## Multiple-choice questions part\n\nYou can take a practice test to find out how the test works.\n\nThe multiple-choice questions part lasts for 1 hour and 55 minutes, and the pass mark is 85 out of 100 questions.\n\n## Hazard perception part\n\nWatch a video about how the hazard perception part works.\n\nYou\u2019ll watch 19 videos, and there are 20 developing hazards to spot.\n\nThe pass mark is 67 out of 100. You cannot review your answers.\n\n## Your test result\n\nYou\u2019ll be given a letter at the test centre with the results for the part of the theory test you\u2019ve just taken.\n\nWhen you\u2019ve passed both parts, your theory test certificate will be posted to you. You need this when you book your Driver CPC part 3 driving test.\n\nYour theory test certificate is valid for 2 years from when you passed the first part of the test.\n\nYou need to pass the Driver CPC part 3 driving test within 2 years, otherwise you\u2019ll have to pass the part 1 theory test again.\n\n## If you fail the theory tests\n\nYou\u2019ll get a results letter with feedback telling you why you\u2019ve failed.\n\nYou can book another theory test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if the DVSA cancels your test at short notice.\n\n## Driver CPC part 2 test: case studies\n\nYou can book the part 2 case studies test of the Driver Certificate of Professional Competence (CPC) as soon as you\u2019ve got your provisional licence. You do not need to have passed the Driver CPC part 1 theory test.\n\n## What to take to your test\n\nYou must bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring the right documents.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must stay at home (self-isolate) if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## How the test works\n\nThe test is made up of 7 case studies you work through on a computer. The case studies are short stories based on situations that you\u2019re likely to come across in your working life.\n\nYou\u2019ll be asked between 6 and 8 multiple-choice questions on each case study.\n\nThe test lasts for 1 hour and 15 minutes, and the pass mark is 40 out of 50.\n\n## Your test result\n\nYou\u2019ll get a letter with the results at the test centre.\n\nYou need the test pass reference number when you book your Driver CPC part 4 practical demonstration test.\n\nThe pass letter is valid for 2 years.\n\nYou need to pass the Driver CPC part 4 practical demonstration test within 2 years, otherwise you\u2019ll have to pass the part 2 case studies test again.\n\n## If you fail the test\n\nYou\u2019ll get a result letter with feedback telling you why you\u2019ve failed.\n\nYou can book another case studies test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## Driver CPC part 3 test: driving ability\n\nYou must have passed the Driver Certificate of Professional Competence (CPC) part 1 theory test before you can book the Driver CPC part 3 test.\n\n## What to take to your test\n\nYou must bring a lorry or a bus or coach that meets the rules.\n\nYou must bring a face covering, unless you have a good reason not to wear one.\n\nYou must also bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring these.\n\n## Wearing a face covering\n\nYou must wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nYour test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.\n\n## When you must not go to your test\n\nYou must not come for your driving test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## How the test works\n\nYour practical test will last about 1 hour and 30 minutes and includes:\n\n- vehicle safety questions\n\n- practical road driving\n\n- off-road exercises\n\n## Vehicle safety questions\n\nDuring your test you\u2019ll be asked vehicle safety questions on either:\n\n- lorries, buses and coaches\n\n- lorries, buses and coaches towing trailers\n\n## Practical road driving\n\nDuring your practical road driving, the examiner will see how you:\n\n- use the vehicle controls\n\n- move away at an angle, uphill and downhill\n\n- do a controlled stop\n\n- use the mirrors\n\n- give appropriate signals\n\n- show awareness and anticipation of other road users\u2019 intentions\n\n- manage your progress and control your vehicle speed\n\n- deal with hazards\n\n- select a safe place to stop\n\nThere will also be 10 minutes of independent driving, designed to test your ability to drive safely while making independent decisions.\n\n## Off-road exercises\n\nThe off-road exercises will include:\n\n- an \u2018S\u2019 shaped reverse into a bay\n\n- showing the uncoupling and recoupling procedure if you\u2019re taking a test with a trailer\n\n## During the test\n\nYou can carry on if you make a mistake during your driving test.\n\nIf you make a mistake which means you\u2019ve failed, your driving examiner will direct you back to the driving test centre. The test will end early.\n\n## Test result\n\nAfter you\u2019ve taken the practical test your examiner will tell you if you\u2019ve passed and explain how you did.\n\nYou\u2019ll pass your test if you make:\n\n- 15 or fewer driving faults\n\n- no serious or dangerous faults\n\nIf you fail, you can book another driving test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## Driver CPC part 4 test: practical demonstration\n\nYou must have passed the Driver Certificate of Professional Competence (CPC) part 2 test before you can book the Driver CPC part 4 test.\n\n## Book your test\n\nYou can either:\n\n- arrange a test with your trainer\n\n- book a test yourself\n\n## What to take to your test\n\nYou must bring a lorry or a bus or coach that meets the rules.\n\nYou must bring a face covering, unless you have a good reason not to wear one.\n\nYou must also bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring these.\n\n## When you must not go to your test\n\nYou must not go to your driving test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Wearing a face covering\n\nYou must wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nYour test will be cancelled if you go to your test without a face covering and you did not say that you could not wear one when you booked it.\n\n## How the test works\n\nYou\u2019re tested on being able to:\n\n- load the vehicle following safety rules and to keep it secure\n\n- stop trafficking in illegal immigrants\n\n- assess emergency situations\n\n- reduce physical risks to yourself or others\n\n- do a walkaround vehicle safety check\n\nThe test is made up of 5 topics from the Driver CPC syllabus. You can score up to 20 points for each topic.\n\nTo pass you have to score at least 15 out of 20 in each topic area and have an overall score of at least 80 out of 100.\n\n## Test result\n\nAt the end of your test the examiner will tell you if you\u2019ve passed.\n\nIf you fail, you can book another driving test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## After you\u2019ve qualified\n\nAfter you\u2019ve passed all 4 of the Driver Certificate of Professional Competence (CPC) tests, you\u2019ll be sent a Driver CPC card. This is sometimes called a \u2018driver qualification card\u2019 or \u2018DQC\u2019.\n\nYou must carry your Driver CPC card while driving a lorry, bus or coach professionally. If you drive a heavy goods vehicle (HGV) outside the UK, check what documents you need to carry.\n\nYou can get a \u00a350 fixed penalty for driving professionally without your Driver CPC card.\n\n## Getting your Driver CPC card\n\nThe card will be sent to the address on your driving licence. You need to change this address first if it\u2019s wrong.\n\nThe photograph and signature on your photocard licence will be used on your Driver CPC card.\n\n## Waiting for your card\n\nYou can drive professionally if you\u2019ve passed all the tests and you\u2019re waiting for your Driver CPC card to arrive.\n\n## If your card does not arrive\n\nYou should get your Driver CPC card within 20 days of passing the final test. Contact the Driver and Vehicle Standards Agency (DVSA) if you do not receive it.\n\nYou have to pay \u00a325 if:\n\n- you take longer than 3 months to tell DVSA it has not arrived\n\n- it\u2019s sent to an old address because you have not updated your licence\n\n## Replace your card\n\nYou must replace your Driver CPC card if it\u2019s lost or stolen.\n\nThe Driver CPC card does not have your address on it, so you do not have to get a new one if your address changes.\n\n## Staying qualified\n\nEvery 5 years you must:\n\n- take 35 hours of Driver CPC training to keep driving professionally\n\n- renew your lorry or bus driving licence\n\nIf you\u2019re 65 or over you must renew your lorry or bus driving licence every year.\n\n## Fees\n\n## Provisional licence\n\n| | Cost |\n\n| Application for a provisional lorry or bus licence | No charge |\n\n## Test costs\n\n| | Weekday | Evening, weekend and bank holiday |\n\n| Driver CPC part 1 - theory - (multiple-choice) | \u00a326 | \u00a326 |\n\n| Driver CPC part 1 - theory - (hazard perception) | \u00a311 | \u00a311 |\n\n| Driver CPC part 2 - case studies | \u00a323 | \u00a323 |\n\n| Driver CPC part 3 - driving ability | \u00a3115 | \u00a3141 |\n\n| Driver CPC part 4 - practical demonstration | \u00a355 | \u00a363 |\n\nThese are the prices to book your tests using the official service. Unofficial websites may charge more.\n\n## Driver CPC card costs\n\n| | Cost |\n\n| Driver CPC card (non-UK driving licences only) | \u00a325 |\n\n| Replacement for lost, stolen or damaged card | \u00a325 |\n\n## NVT concession fees\n\n| | Cost |\n\n| National Vocational Training (NVT) concession card | \u00a325 |", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-lorry-bus-driver", + "answerable": true, + "scenario": "I aim to driving a lorry for non-commercial reasons, but I am only going to stand in every so often. It is not my main job. The distance I will be travelling is going to be 120 miles with a load.", + "original_question": "Do I need a licence with these conditions?" + }, + { + "id": "train-452", + "question": "Scenario: We are driving through France and Spain for a holiday. We have been told that you do not need to have a GB sticker when you have a flag on the number plate. Our licence plate has the flag of the Red Dragon of Wales.\n\nQuestion: Is this sufficient for travelling through France and Spain?\n\nDocument - Displaying number plates:\n## Overview\n\nNumber plates (also known as licence plates) must show your registration number correctly. You cannot rearrange letters or numbers, or alter them so that they\u2019re hard to read.\n\nYou could be fined up to \u00a31,000 and your vehicle will fail its MOT test if you drive with incorrectly displayed number plates.\n\nThe current vehicle registration number format was introduced in 2001. It consists of:\n\n- 2 letters (these refer to the region in the country where your vehicle was first registered)\n\n- 2 numbers (these tell you when it was issued)\n\n- 3 letters chosen at random\n\nYou can get theft-resistant number plates - these make it harder for someone to remove them from your vehicle quickly and reuse them. Ask your local car dealer or registered number plate supplier for more information.\n\nYou can also get personalised number plates.\n\n## Rules for number plates\n\nThe number plates on your vehicle must:\n\n- be made from a reflective material\n\n- display black characters on a white background (front plate)\n\n- display black characters on a yellow background (rear plate)\n\n- not have a background pattern\n\nCharacters on a number plate can be 3D.\n\n## If you ride a motorbike or motor tricycle\n\nMotorcycles and motor tricycles registered on or after 1 September 2001 must only display a number plate at the rear of the vehicle.\n\nIf you ride a motorbike or motor tricycle registered before 1 September 2001 you can also display a number plate at the front, but you do not have to.\n\nMotorcycle and motor tricycle number plate numbers should be on 2 lines.\n\n## Towing a trailer\n\nYour trailer must display the same number plate as the vehicle you\u2019re towing it with. If you\u2019re towing more than one trailer, the number plate must be fixed to the trailer at the back.\n\n## Taking commercial or heavy trailers abroad\n\nIf your trailer needs to be registered to go abroad, you need to fix the trailer registration plate to the back, as well as the towing vehicle\u2019s number plate.\n\nFix the trailer registration plate as far away as possible from the towing vehicle\u2019s number plate.\n\nIf you cannot fix the trailer registration plate on the back of your trailer, fix it to both sides instead. Make sure they\u2019re clearly visible.\n\n## Letter spacing, size and style\n\nThe characters on a number plate need to be a certain height and size.\n\nRead leaflet INF104: vehicle registration numbers and number plates - height and size measurement, for more information.\n\nIf you have a trailer, read leaflet INF291: trailer registration numbers and number plates.\n\n## Getting number plates made up\n\nYou can only get a number plate made up from a registered number plate supplier.\n\nThe supplier will need to see original documents that:\n\n- prove your name and address\n\n- show you\u2019re allowed to use the registration number\n\n## Identity documents\n\nYou can use the following to confirm your name and address:\n\n- driving licence\n\n- utility, Council Tax or rates bill from the last 6 months\n\n- bank or building society statement from the last 6 months\n\n- national identity card\n\nThe following will confirm your name only:\n\n- passport - does not have to be issued in the UK\n\n- bank or building society debit or credit card\n\n- police warrant card\n\n- armed forces identity card\n\n## Proving you can use the registration number\n\nYou must bring one of the following to show you\u2019re allowed to display the registration number:\n\n- vehicle registration certificate (V5C or V5CNI)\n\n- green \u2018new keeper\u2019 slip from the V5C or V5CNI\n\n- certificate of entitlement (V750 or V750NI) to the number\n\n- retention document (V778)\n\n- a renewal reminder for vehicle tax or SORN (V11 or V11NI)\n\n- temporary registration certificate (V379 or V379NI)\n\n- a number plate authorisation certificate (V948) with an official stamp from the Driver and Vehicle Licensing Agency (DVLA)\n\n- an electronic number plate authorisation certificate (eV948 or eV948/2)\n\n- a letter of authorisation from a fleet operator (including lease or hire company) quoting the document reference number from the registration certificate\n\n- if your fleet is in the new V5C on demand scheme (also called \u2018V5C suppression\u2019), a PDF of the vehicle\u2019s details from the view vehicle record service\n\n- UK trailer registration certificate (VTRC)\n\n## Flags, symbols and identifiers\n\nYou can display one of the following flags with identifying letters on the left-hand side of the number plate:\n\n- Union flag (also known as the Union Jack)\n\n- Cross of St George\n\n- Cross of St Andrew - also known as the Saltire\n\n- Red Dragon of Wales\n\nThe letters, or national identifiers, you can have are:\n\n- GREAT BRITAIN, Great Britain or GB\n\n- UNITED KINGDOM, United Kingdom or UK\n\n- CYMRU, Cymru, CYM or Cym\n\n- ENGLAND, England, ENG, Eng\n\n- SCOTLAND, Scotland, SCO or Sco\n\n- WALES or Wales\n\nThe flag must be above the identifier. You cannot have the flag or letters on the number plate margin, and neither can be more than 50 millimetres wide.\n\n## Travelling in Europe\n\nIf your number plate includes the GB identifier with the Union flag (also known as the Union Jack), you do not need a GB sticker. But you will need to display a GB sticker clearly on the rear of your vehicle if your number plate has any of the following:\n\n- a Euro symbol\n\n- a national flag of England, Scotland or Wales\n\n- numbers and letters only - no flag or identifier\n\nIf you\u2019re in Spain, Cyprus or Malta, you must display a GB sticker no matter what is on your number plate.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/displaying-number-plates", + "answerable": true, + "scenario": "We are driving through France and Spain for a holiday. We have been told that you do not need to have a GB sticker when you have a flag on the number plate. Our licence plate has the flag of the Red Dragon of Wales.", + "original_question": "Is this sufficient for travelling through France and Spain?" + }, + { + "id": "train-455", + "question": "Scenario: I am a professional lorry driver and I have worked as a goods vehicle operator for 10 years. Recently I applied for HGV driver job vacancy and the recruitment agency demanded that I produce my Driver CPC.\n\nQuestion: Is Driver CPC a mandatory when hiring professional lorry drivers?\n\nDocument - Being a goods vehicle operator:\n## Overview\n\nYou need a goods vehicle operator\u2019s licence if your business uses goods vehicles above a certain weight.\n\nThe rules are different if you\u2019re in Northern Ireland.\n\nYou need a licence to carry goods in a lorry, van or other vehicle with either:\n\n- a gross plated weight (the maximum weight that the vehicle can have at any one time) of over 3,500 kilograms (kg)\n\n- an unladen weight of more than 1,525 kg (where there is no plated weight)\n\nThere are 3 different types of licence - what you need depends on the work you do.\n\nYou must also make sure that any drivers you use or employ have the correct licence and training. All vehicles that you use should be correctly taxed and kept safe and in good condition at all times.\n\nSome goods vehicles do not need an operator\u2019s licence - read more about the exemptions.\n\n## Motor vehicles and trailers\n\nYou\u2019ll need a goods vehicle operator\u2019s licence for a motor vehicle and trailer combination if:\n\n- the motor vehicle and the trailer(s) are plated and the total of their gross plated weights is more than 3,500 kg\n\n- the total unladen weight of the vehicle and trailer combination is more than 1,525 kg\n\nYou do not need an operator\u2019s licence if your trailer\u2019s unladen weight is less than 1,020 kg and you only carry your own goods.\n\n## Carrying goods for hire or reward\n\nYou\u2019ll need a standard licence if you\u2019re carrying other people\u2019s goods for hire or reward (such as working as a courier or freight transport business) and the vehicle and trailer combination exceeds the weight limits above for a single vehicle.\n\n## Types of licence\n\nThere are 3 different types of operator\u2019s licence for goods vehicles. The licence you need depends on where you transport goods to and from, and who you do it for.\n\n## Standard national licence\n\nThis licence means you can carry:\n\n- your own goods in the UK and internationally\n\n- other people\u2019s goods in the UK\n\nYou can also take loaded trailers to or from ports within the UK as part of an international journey, as long as your vehicles do not leave the country.\n\n## Standard international licence\n\nThis licence means you can carry your own goods, and other people\u2019s goods, both in the UK and on international journeys.\n\nAfter you get a standard international licence, you can also request the issue of a UK Licence for the Community. A UK Licence for the Community allows:\n\n- trips between all EU member countries\n\n- transit traffic through EU member countries\n\n- cabotage (a journey entirely within one EU country)\n\n## Restricted licence\n\nThis licence allows you to carry your own goods, but not other people\u2019s goods.\n\nYour licence will continue to be valid as long as you pay your continuation fee every 5 years and operate within the terms of your licence. You\u2019ll be contacted every 5 years to make sure that your licence shows the correct information.\n\nContact the Driver and Vehicle Standards Agency (DVSA) if you have any questions about vehicle licences.\n\n## Transport outside the EU\n\nContact the DVSA International Road Haulage Permits Office for help with applications for transport outside certain EU countries.\n\n## Apply for a licence\n\nThe goods vehicle operator licensing scheme is administered by the Driver and Vehicle Standards Agency (DVSA) on behalf of the traffic commissioners.\n\nThe rules and fees are different if you\u2019re in Northern Ireland.\n\n## How to apply for a licence\n\nYou can apply for a goods vehicle operator\u2019s licence online.\n\nYou\u2019ll also need to:\n\n- advertise your application for a licence\n\n- advertise your proposed operating centre(s)\n\n- designate a transport manager if you\u2019re applying for a standard licence\n\n- provide information about your financial situation\n\n- draw up a maintenance contract with a garage or agent to do safety inspections and repair vehicles if you do not do this yourself\n\nYou\u2019ll have to pay a fee to apply for a licence.\n\nYou\u2019ll usually get a decision on your application within:\n\n- 7 weeks if you apply online\n\n- 9 weeks if you apply by post\n\n## Apply for an interim licence\n\nIf you need a licence urgently, you can apply for an interim licence until you get your full licence.\n\nThe traffic commissioner will only consider issuing an interim licence on receipt of a complete application for an operator\u2019s licence.\n\n## What the traffic commissioners do\n\nThere are 8 traffic areas in Great Britain with a traffic commissioner responsible for each area. You\u2019ll need to hold a goods vehicle operator\u2019s licence for each traffic area where you have an operating centre.\n\nTraffic commissioners are responsible in their area for:\n\n- licensing operators of Heavy Goods Vehicles (HGVs)\n\n- granting vocational licences\n\n- taking action against drivers of HGVs\n\nWhen necessary, they also hold public inquiries to consider:\n\n- the environmental suitability of HGV operating centres\n\n- applications for new licences\n\n- disciplinary action against operators who have broken the conditions of their licences\n\n## Fees for goods vehicle licences\n\nWhen applying for a goods vehicle operator\u2019s licence, you\u2019ll have to pay:\n\n- a one-off fee payable on application\n\n- a fee for the issue of a licence\n\n- a fee for the issue of an interim licence (if applicable)\n\nYou\u2019ll then have to pay a continuation fee every 5 years to keep your licence active.\n\n| Action | Fee |\n\n| Application for a licence | \u00a3257 |\n\n| Issue of a licence | \u00a3401 |\n\n| Continuation of a licence after 5 years | \u00a3401 |\n\n| Issue of an interim licence | \u00a368 |\n\n| Major change to a licence | \u00a3257 |\n\n## How to pay\n\nYou can pay your fees:\n\n- online when you apply for a vehicle operator licence\n\n- by phone - call the DVSA Helpline on 0300 123 9000 to pay for the interim, issuing and continuation fees (find out about call charges)\n\n- by post - cheques should be made payable to \u2018DVSA\u2019 and sent to the following address\n\n## Operating centres\n\nYour operating centre is where your vehicles are normally kept when not in use. When you apply for an operator\u2019s licence, you\u2019ll be asked to give the address of your proposed centre(s) and information about the numbers of trailers and vehicles you will keep there.\n\nYou\u2019ll need to show that your operating centre:\n\n- is large enough\n\n- has safe access\n\n- is in an environmentally acceptable location\n\nIf you do not own the operating centre, you must show that you\u2019re allowed to use it.\n\n## Advertising your application for a goods vehicle operator\u2019s licence\n\nYou must advertise your application for a licence in a local newspaper and supply details of your proposed operating centre. This advertisement must appear at least once in the period from 21 days before to 21 days after you make your application, to give people the chance to object.\n\nYour application may be refused if you do not advertise the centre properly.\n\n## Objecting to an application for a goods vehicle operator licence\n\nLocal councils, planning authorities, police, trade associations, trade unions and other bodies may object to your application for a licence.\n\nObjections may be made on the grounds of:\n\n- your fitness to operate\n\n- your financial arrangements\n\n- your professional competence\n\n- the environmental impact of the operating centre\n\n- the general suitability of the centre\n\nYour operating centre will need to meet certain conditions and not interfere with any local amenities. Certain things will be taken into account, like:\n\n- its effect on the surrounding environment\n\n- planning permissions or applications relating to the centre or the land near it\n\n- the number, type and size of vehicles using the centre\n\n- where and how vehicles will park\n\n- how often and for what purpose the centre will be used\n\n## Maintaining your vehicles\n\nYou must keep your vehicles safe and in good condition at all times. You\u2019ll have to keep records of all safety inspections and maintenance that you or your maintenance contractor do for a minimum of 15 months.\n\n## Carrying out your own inspections and maintenance\n\nIf you carry out your own safety inspections and maintenance, you must keep records that include:\n\n- vehicle details\n\n- a list of all items to be inspected\n\n- when and by whom the inspection is carried out\n\n- the result of the inspection\n\n- details of any work carried out\n\n- a declaration that any defects have been properly fixed\n\n## Walkaround checks\n\nYou must make sure your drivers carry out a \u2018walkaround check\u2019 before driving a vehicle for the first time each day.\n\n## Using a maintenance provider\n\nIf you do not do this work yourself, you must provide the traffic commissioner with a copy of a contract with a maintenance provider. You\u2019re still responsible for the condition of your vehicles and trailers, even if they are maintained for you by someone else.\n\nRead the guidance to find out how to keep your vehicle in a roadworthy condition.\n\nThere are also specific roadworthiness checks for recovery vehicles and for horse boxes and trailers.\n\n## Employing or using drivers\n\nIf you employ or give work to drivers, you must check that they have the correct licence and training to drive goods vehicles.\n\nProfessional lorry drivers need to hold a Driver Certificate of Professional Competence (Driver CPC).\n\nIf you employ or give work to foreign drivers, you should make sure they understand the rules for driving in the UK. The Highways Agency has produced guides for foreign HGV drivers in 6 languages.\n\n## Make changes to your licence\n\nYou can make changes to your goods vehicle operator\u2019s licence once you have it, for example add more vehicles to it.\n\nYou can update your licence online.\n\nYou must apply by post if you want to transfer your operating centre to another operator. Download and fill in form GV72 - the address is on the form.\n\n## Order a replacement licence\n\nWrite to the Office of the Traffic Commissioner if you need to replace your licence.\n\n## What happens if you break the terms of your licence\n\nThe Driver and Vehicle Standards Agency carries out regular roadside vehicle checks and checks on operating centres. They then submit information to the independent traffic commissioners.\n\nYour vehicle may be prohibited or immobilised if a DVSA roadside check finds that:\n\n- it\u2019s been overloaded\n\n- it\u2019s unroadworthy\n\n- it breaks the rules on the transport of dangerous goods\n\n- a driver has broken drivers\u2019 hours regulations\n\nYour licence could be taken away, suspended or restricted by the traffic commissioner if you:\n\n- break any of the terms or conditions of your licence\n\n- do not meet health and safety conditions\n\n- are convicted of certain offences\n\n- are made bankrupt or (if the licence holder is a company) that company goes into liquidation, administration or receivership\n\n- use a place not listed on the licence as an operating centre\n\n- are given a prohibition notice by DVSA following an inspection\n\nThe traffic commissioner may decide to call you to a public inquiry to consider if any action against your licence is necessary.\n\n## Exemptions\n\nYou do not need a goods vehicle operator\u2019s licence if your vehicle:\n\n- was first used before 1977, has an unladen weight of 1,525 kilograms or less and a maximum gross plated weight over 3,500 kilograms\n\n- is using public roads for less than 6 miles a week whilst moving between private premises belonging to the same person as the vehicle (if the vehicle\u2019s used for excavation or demolition it does not matter who it belongs to)\n\n- is being used on trade plates\n\n- is a passenger carrying vehicle\n\n## Categories of vehicles that are exempt\n\nSeveral types of vehicle do not need an operator\u2019s licence, including:\n\n- military vehicles\n\n- snow ploughs and gritters\n\n- emergency service vehicles (including those used by gas, electricity, water and telephone companies)\n\n- hearses\n\n- recovery vehicles (only if they\u2019re used exclusively for that purpose)\n\n- tractors and agricultural vehicles used in certain circumstances\n\nRead the guidance to find out more about the vehicle operator licensing system.\n\n## Categories of vehicles that are not exempt\n\nThese types of vehicles are never exempt:\n\n- mobile exhibition vehicles\n\n- catering vehicles\n\n- mobile shops\n\n- mobile medical screening vehicles\n\n- vehicles with fixed equipment carrying goods not strictly for use in connection with that equipment, or towing a trailer that\u2019s carrying goods", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/being-a-goods-vehicle-operator", + "answerable": true, + "scenario": "I am a professional lorry driver and I have worked as a goods vehicle operator for 10 years. Recently I applied for HGV driver job vacancy and the recruitment agency demanded that I produce my Driver CPC.", + "original_question": "Is Driver CPC a mandatory when hiring professional lorry drivers?" + }, + { + "id": "train-459", + "question": "Scenario: My brother has a car driving license and wishes to participate in extreme racing motor sports. He wants to take a motorcycle test next month.\n\nQuestion: Does he need to take motorcycle theory test ?\n\nDocument - Theory test: motorcycles and mopeds:\n## Booking your test\n\nYou need to have a provisional motorcycle licence to book your theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You have to pass both parts to pass the test.\n\n## When you can take the theory test\n\nYou can take the theory test from your:\n\n- 16th birthday onwards if you\u2019re learning to ride a moped (no more than 50cc)\n\n- 17th birthday onwards if you\u2019re learning to ride a motorcycle\n\nYou can take the theory test before or after you\u2019ve taken compulsory basic training (CBT).\n\n## Who needs to take the theory test\n\nYou usually need to have passed a motorcycle theory test before you take the motorcycle test.\n\nFind out which motorcycles you can ride and which tests you need to take.\n\nYou do not need to take the theory test if you passed a moped test after 1 July 1996 and want to either:\n\n- take the motorcycle test on a category A1 small motorcycle\n\n- upgrade your motorcycle licence under the \u2018progressive access\u2019 (also known as \u2018staged access\u2019) rules\n\n## If you have a car licence\n\nYou have to pass a motorcycle theory test before taking the motorcycle test.\n\n## If your licence is not from Great Britain\n\nFind out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.\n\n## Change or check your test details\n\nYou can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.\n\n## Theory test revision and practice\n\nYou can use books and software to revise for the theory test and take practice tests.\n\n## Multiple-choice questions\n\nThe questions in the theory test are based on 3 books:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Riding - the essential skills\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them from most high street and online book shops.\n\n## Take a practice test\n\nTake a practice theory test to check how much you\u2019ve learnt.\n\nThe practice questions are not used in the real test, but they\u2019re based on the same topics as the test.\n\n## Hazard perception part\n\nBuy the official guide to hazard perception for your PC or Mac to learn hazard perception skills and then test them.\n\nYou can buy it from most high street and online book shops.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 57 minutes to answer 50 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\nSome questions are given as a case study. The case study will:\n\n- show a short story that 5 questions will be based on\n\n- be about a real life situation you could come across when driving\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou get the result at the test centre after taking the theory test. You need to pass both parts to pass the test.\n\n| Test part | Pass mark | Points available |\n\n| Multiple-choice questions | 43 | 50 |\n\n| Hazard perception | 44 | 75 |\n\n## If you pass\n\nYou\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your motorcycle test.\n\nYour pass certificate number lasts for 2 years. You need to pass both modules of the motorcycle test in that time, otherwise you\u2019ll have to pass the theory test again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou have to book and take the full test again, even if you passed one part this time.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have a reading difficulty, disability or health condition\n\nWhen you book your theory test you should say if you have a:\n\n- reading difficulty\n\n- disability\n\n- health condition\n\n## You have reading difficulties\n\nYou can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.\n\nYou can listen to the questions and possible answers as many times as you need to.\n\n## Other types of support\n\nYou can get other support during your theory test if you send proof that you have reading difficulties.\n\nThis can be an email, letter or report from:\n\n- a teacher or other educational professional\n\n- a doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association\n\nYou can get:\n\n- extra time to take the test\n\n- someone to read what\u2019s on the screen and record your answers\n\n- someone to reword the questions for you\n\nThe Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.\n\nIf DVSA agrees that you need extra support, they will send you an email with:\n\n- a reference number (you will need this when you book your test)\n\n- instructions on how to book your test\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple choice questions part of the theory test.\n\n## Reading what\u2019s on the screen and recording your answers\n\nA member of staff at the test centre can read out the instructions and questions on the screen.\n\nThey can also record your answers to the multiple-choice questions.\n\nThis can be done by either:\n\n- listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen\n\n- the member of staff sitting near you in the test room\n\n## Rewording the questions for you\n\nYou can ask for a member of staff to reword the theory test questions to make them easier for you to understand.\n\nThe person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.\n\nYou still need to answer each question yourself.\n\n## You\u2019re deaf or have a hearing impairment\n\nYou can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.\n\nA BSL video appears on the screen next to the questions and answers.\n\n## Take a BSL interpreter\n\nYou can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.\n\n## Hearing loop and lip speakers\n\nYou can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).\n\nTo use either service you\u2019ll need to contact DVSA before your test.\n\n## Other disabilities or health conditions\n\nContact DVSA to discuss any other disability or health condition before you book your test.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/motorcycle-theory-test", + "answerable": true, + "scenario": "My brother has a car driving license and wishes to participate in extreme racing motor sports. He wants to take a motorcycle test next month.", + "original_question": "Does he need to take motorcycle theory test ?" + }, + { + "id": "train-461", + "question": "Scenario: My friend Dina was disqualified for drink-driving.She was given 13 months driving ban. She is an HGV driver and relies from that job.\n\nQuestion: Can she apply for a course to reduce the ban?\n\nDocument - Driving disqualifications:\n## Overview\n\nYou can be banned (disqualified) from driving if you are either:\n\n- convicted of a driving offence\n\n- get 12 or more penalty points (endorsements) within 3 years\n\nYou\u2019ll get a summons in the post that tells you when you must go to court.\n\nSome disqualification rules are different in Northern Ireland.\n\n## How long a driving ban will last\n\nThe court will decide how long the disqualification will last, based on how serious they think the offence is.\n\nYou can be banned from driving if you already have 12 or more penalty points on your licence. Your ban can last:\n\n- 6 months, if you get 12 or more penalty points within 3 years\n\n- 12 months, if you get a second disqualification within 3 years\n\n- 2 years, if you get a third disqualification within 3 years\n\n## Disqualified for 56 days or more\n\nIf you\u2019re disqualified for 56 days or more you must apply for a new licence before driving again.\n\nYou might also have to retake your driving test or take an extended driving test before getting your full licence. The court will tell you if you have to do this.\n\n## Disqualified for less than 56 days\n\nView your driving licence record online to check the disqualification. You cannot drive until it has ended.\n\nYou do not need to apply for a new licence before you can drive again.\n\n## Disqualification outside Great Britain\n\nYou cannot drive in Northern Ireland and the Isle of Man if you\u2019ve been banned from driving on your Great Britain driving licence.\n\nThis is called \u2018mutual recognition of disqualification\u2019. Disqualified drivers from Northern Ireland and the Isle of Man are also banned from driving in Great Britain.\n\n## Check when your disqualification ends\n\nYou can find the date your driving ban ends:\n\n- online\n\n- on the reminder form D27 that DVLA sends you 56 days before your disqualification ends\n\n- on the D27PH letter issued 90 days before certain drink-related disqualifications end\n\n- by contacting DVLA (if you\u2019re in Northern Ireland, contact DVA)\n\n## Apply to reduce your disqualification period\n\nYou can ask the court to reduce your disqualification period after you\u2019ve been banned from driving for:\n\n- 2 years - if the disqualification was for fewer than 4 years\n\n- half the disqualification period - if it was for at least 4 but under 10 years\n\n- 5 years - if the disqualification was for 10 years or more\n\nYou must have a good reason for asking for the disqualification to be reduced. For example, if you think the court made a legal mistake or there were reasons you committed the driving offence that the court did not take into account.\n\nWrite to the court that disqualified you with the date of offence, date of conviction and any other supporting information.\n\nThe court will tell DVLA if it decides to reduce your disqualification period. If it does, you\u2019ll need to apply for a new licence.\n\nIf the court refuses your request you have to wait 3 months before you can ask again.\n\n## If your disqualification is reduced\n\n## Car or motorbike licences\n\nApply for a new licence by sending DVLA a completed form D1 \u2018Application for a driving licence\u2019, available from the DVLA form ordering service or most Post Offices. You must pay a fee.\n\n## Lorry or bus licences\n\nApply for a new licence by sending DVLA a completed form D2 \u2018Application for a lorry/bus licence\u2019, available from the DVLA form ordering service. You must pay a fee.\n\n## Northern Ireland\n\nApply to the DVA to renew your licence.\n\n## If you need to retake your test\n\nIf the court told you that you must take another driving test before driving again, you\u2019ll have to apply for a new provisional licence.\n\nYou can drive as soon as your ban is over and you\u2019ve passed the tests you need to take.\n\n## How to get a new licence\n\n- DVLA will send you a reminder 56 days before your disqualification ends - use this to apply for a new provisional driving licence. If you did not get a reminder, order an application form instead. Order form D1 for a car and motorbike licence or form D2 for a lorry and bus licence.\n\n- Book and take a theory and practical test (or compulsory basic training and motorcycle practical test if you ride a motorcycle). Book and take an extended practical test if the court told you to take one. The extended practical test lasts at least 60 minutes and has higher fees.\n\n- When you\u2019ve passed the practical test, ask the examiner to arrange for your new licence to be sent to you - you can legally drive as soon as you\u2019ve passed the practical test.\n\nIf you want to drive a large vehicle (category C) or a bus (category D) the local traffic commissioner must agree - DVLA will ask them when you apply for your new full licence.\n\nThere\u2019s a different process in Northern Ireland.\n\n## If you\u2019ve got a licence from an EU country\n\nDo not apply for a provisional licence - you can use your EU driving licence to take the test instead.\n\nFollow the usual rules for learning to drive until you retake your test and pass.\n\n## Changes to your name and address while disqualified\n\nTell DVLA if you change your name or address while disqualified.\n\nWrite with details of your old and new address, name if changed, your driving licence number (if known) and date of birth.\n\nThere\u2019s a different process in Northern Ireland.\n\n## Disqualification for drink-driving\n\nYou can be disqualified if you\u2019re found guilty of drink-driving. Depending on your offence, you can also be fined or sent to prison.\n\nYou\u2019ll need to apply for a new licence after your disqualification ends.\n\nIf you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.\n\n## High risk offenders\n\nIf you\u2019re a \u2018high risk offender\u2019, you will not get your new licence until you can prove you\u2019re fit to drive again. You\u2019ll need to pass a medical examination with one of DVLA\u2019s appointed doctors.\n\nYou\u2019re a high risk offender if you:\n\n- were convicted of 2 drink driving offences within 10 years\n\n- were driving with an alcohol reading of at least 87.5 microgrammes of alcohol per 100 millilitres (ml) of breath, 200 milligrammes (mg) of alcohol per 100 ml of blood, or 267.5 mg of alcohol per 100 ml of urine\n\n- refused to give the police a sample of breath, blood or urine to test for alcohol\n\n- refused to allow a sample of your blood to be tested for alcohol (for example if it was taken when you were unconscious)\n\nYou\u2019ll get a D27PH renewal form 90 days before your disqualification ends. You must fill in the form and send it to DVLA to reapply for your licence.\n\n## Medical examination with a DVLA doctor\n\nOnce DVLA receive your application for a new licence, they\u2019ll send you the doctors details so you can make an appointment.\n\nYou have to pay for your examination.\n\nDuring the examination, you\u2019ll:\n\n- complete a questionnaire about your medical history and use of alcohol\n\n- take part in a physical examination\n\n- have your blood tested\n\nThe process is different in Northern Ireland.\n\n## Disqualification for drug driving\n\nYou can be disqualified from driving for at least 1 year if you\u2019re found guilty of drug driving. Depending on your offence, you can also be fined or sent to prison.\n\nYou must apply for a new licence before you can drive again.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-disqualifications", + "answerable": true, + "scenario": "My friend Dina was disqualified for drink-driving.She was given 13 months driving ban. She is an HGV driver and relies from that job.", + "original_question": "Can she apply for a course to reduce the ban?" + }, + { + "id": "train-462", + "question": "Scenario: I am a 57 year old from York and I have just sat my motorcycle instructor course, I have failed the course.\n\nQuestion: Is there a time limit on when I can re-sit the course?\n\nDocument - Become a DVSA assessed CBT motorcycle instructor:\n## Overview\n\nYou can apply to the Driver and Vehicle Standards Agency (DVSA) to become a DVSA assessed compulsory basic training (CBT) motorcycle instructor.\n\nCBT is a training course that most learner motorcycle and moped riders must take before riding on the road.\n\n## Rules for becoming a CBT instructor\n\nTo become a DVSA assessed CBT motorcycle instructor you must have a driving licence from either:\n\n- Great Britain or Northern Ireland\n\n- the EU or EEA - but you must register it\n first\n\nYou must also:\n\n- be 21 or older\n\n- have had a full category A2 or A motorcycle licence for at least 3 years\n\nYou\u2019ll have to take a 2-day assessment at a DVSA training and development centre.\n\n## When you qualify\n\nWhen you pass you must work for a motorcycle approved training body (ATB) to be able to:\n\n- provide the CBT course to learner riders\n\n- train up to 10 instructors at the ATB to also deliver CBT courses (this is known as \u2018down-training\u2019)\n\n- apply to become a direct access scheme instructor\n\n## How to book your assessment\n\nFill in the application form to book an assessment and send it to the address on the form. There\u2019s no charge for the assessment.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.\n\n## If you cannot go to your assessment\n\nTell DVSA by email if you cannot attend your assessment.\n\nYou must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.\n\nYour approved training body cannot tell DVSA without giving your signature.\n\nYour application will become invalid and will count as an unsuccessful attempt if you do not tell DVSA in enough time.\n\nYou\u2019re only allowed 2 unsuccessful attempts before you have to wait a year before applying to take another assessment.\n\n## Preparing for the assessment\n\nStudy the compulsory basic training (CBT) syllabus before you take the assessment.\n\n## Other preparation\n\nYou should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Learning to Ride\n\n- Riding - the Essential Skills\n\n- Theory Test for Motorcyclists\n\nYou can buy them from most high street and online book shops.\n\n## What to bring to your assessment\n\nYou need to bring:\n\n- your valid driving licence\n\n- your CBT1 card if you have one\n\n- a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kW\n\nIf you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.\n\nYour assessment will be cancelled if you do not bring these.\n\nYou\u2019re allowed to bring a pen and any notes or training aids to help you.\n\n## What the assessment involves\n\nThe compulsory basic training (CBT) instructor assessment assesses your ability to:\n\n- train learner motorcyclists in the requirements of CBT\n\n- train and guide other instructors within an approved training body\n\nThere will usually be 2 other instructors taking the assessment at the same time as you.\n\nThe DVSA assessor will play the role of a novice rider throughout the assessment.\n\nYou\u2019ll be asked to deliver lessons based on the topics being assessed. One or both of the other instructors will act as your supervisor. You\u2019ll then swap the roles of the instructor and supervisor.\n\n## Eyesight test\n\nYou\u2019ll have to pass an eyesight test before the assessment starts. You\u2019ll have to read a number plate from a distance of:\n\n- 26.5 metres for vehicles with a new-style number plate\n\n- 27.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nThe rest of the assessment will not go ahead if you fail the eyesight test.\n\n## Session 1\n\nThis session focuses on element A of the CBT syllabus - introduction to CBT.\n\nThe DVSA assessor will give you an overview of the assessment.\n\nYou\u2019ll then deliver a lesson on the modules within element A of the CBT syllabus. You\u2019re allowed to use notes and training aids. The other candidates will watch your instruction and decide whether it\u2019s valid and achieves the objective.\n\n## Session 2\n\nThis session focuses on element B of the CBT syllabus - practical on-site training.\n\nYou\u2019ll be introduced to the motorcycle that will be used on-site. You should familiarise yourself with it so you can give a controls lesson or basic machine check lesson.\n\nThe \u2018novice rider\u2019 will act on the instruction you give. The other candidates will watch the instruction you give and decide whether it\u2019s a valid lesson and achieves the objective.\n\n## Sessions 3 and 4\n\nThese sessions focus on element C of the CBT syllabus - practical on-site riding.\n\nYou\u2019ll instruct the \u2018novice rider\u2019. The other candidates give a debrief at the end of each lesson.\n\nThe roles will be changed several times so you can prove your ability as an instructor and supervisor.\n\n## Session 5\n\nThis session focuses on element D of the CBT syllabus - practical on-road training.\n\nYou\u2019ll give a lesson made up of 3 modules from element D. The other candidates will supervise you, and then the roles will be swapped.\n\n## Sessions 6 and 7\n\nThese sessions focus on element E of the CBT syllabus - practical on-road riding.\n\nYou\u2019ll ride a motorcycle and follow the \u2018novice rider\u2019 on the road. You\u2019ll have to:\n\n- give instructions\n\n- correct any faults that they make\n\n- direct them over a route on public roads using radio equipment\n\nYou\u2019ll need to use your own motorcycle for sessions 6 and 7.\n\n## Your assessment result\n\nYou\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.\n\n## Passing the assessment\n\nYou\u2019ll be sent more information about how to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a DVSA assessed instructor.\n\nUntil you\u2019ve got your registration certificate you are not allowed to:\n\n- conduct compulsory basic training (CBT) courses\n\n- train any instructors on behalf of your approved training body (ATB)\n\n## Failing the assessment\n\nYou cannot apply to retake the assessment if you fail it twice within a 12-month period. You\u2019ll have to wait until 1 year after the date of the second assessment before applying again.\n\n## Failing if you\u2019re a down-trained instructor\n\nYou can continue to give CBT training if you\u2019re a down-trained instructor, but you\u2019ll have to have a standards check at your ATB in the near future.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "answerable": true, + "scenario": "I am a 57 year old from York and I have just sat my motorcycle instructor course, I have failed the course.", + "original_question": "Is there a time limit on when I can re-sit the course?" + }, + { + "id": "train-463", + "question": "Scenario: I am a 41 year old from Chester and I have a CBT course arranged which unfortunately I can not attend.\n\nQuestion: Can I reschedule the course for another date?\n\nDocument - Become a DVSA assessed CBT motorcycle instructor:\n## Overview\n\nYou can apply to the Driver and Vehicle Standards Agency (DVSA) to become a DVSA assessed compulsory basic training (CBT) motorcycle instructor.\n\nCBT is a training course that most learner motorcycle and moped riders must take before riding on the road.\n\n## Rules for becoming a CBT instructor\n\nTo become a DVSA assessed CBT motorcycle instructor you must have a driving licence from either:\n\n- Great Britain or Northern Ireland\n\n- the EU or EEA - but you must register it\n first\n\nYou must also:\n\n- be 21 or older\n\n- have had a full category A2 or A motorcycle licence for at least 3 years\n\nYou\u2019ll have to take a 2-day assessment at a DVSA training and development centre.\n\n## When you qualify\n\nWhen you pass you must work for a motorcycle approved training body (ATB) to be able to:\n\n- provide the CBT course to learner riders\n\n- train up to 10 instructors at the ATB to also deliver CBT courses (this is known as \u2018down-training\u2019)\n\n- apply to become a direct access scheme instructor\n\n## How to book your assessment\n\nFill in the application form to book an assessment and send it to the address on the form. There\u2019s no charge for the assessment.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.\n\n## If you cannot go to your assessment\n\nTell DVSA by email if you cannot attend your assessment.\n\nYou must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.\n\nYour approved training body cannot tell DVSA without giving your signature.\n\nYour application will become invalid and will count as an unsuccessful attempt if you do not tell DVSA in enough time.\n\nYou\u2019re only allowed 2 unsuccessful attempts before you have to wait a year before applying to take another assessment.\n\n## Preparing for the assessment\n\nStudy the compulsory basic training (CBT) syllabus before you take the assessment.\n\n## Other preparation\n\nYou should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Learning to Ride\n\n- Riding - the Essential Skills\n\n- Theory Test for Motorcyclists\n\nYou can buy them from most high street and online book shops.\n\n## What to bring to your assessment\n\nYou need to bring:\n\n- your valid driving licence\n\n- your CBT1 card if you have one\n\n- a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kW\n\nIf you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.\n\nYour assessment will be cancelled if you do not bring these.\n\nYou\u2019re allowed to bring a pen and any notes or training aids to help you.\n\n## What the assessment involves\n\nThe compulsory basic training (CBT) instructor assessment assesses your ability to:\n\n- train learner motorcyclists in the requirements of CBT\n\n- train and guide other instructors within an approved training body\n\nThere will usually be 2 other instructors taking the assessment at the same time as you.\n\nThe DVSA assessor will play the role of a novice rider throughout the assessment.\n\nYou\u2019ll be asked to deliver lessons based on the topics being assessed. One or both of the other instructors will act as your supervisor. You\u2019ll then swap the roles of the instructor and supervisor.\n\n## Eyesight test\n\nYou\u2019ll have to pass an eyesight test before the assessment starts. You\u2019ll have to read a number plate from a distance of:\n\n- 26.5 metres for vehicles with a new-style number plate\n\n- 27.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nThe rest of the assessment will not go ahead if you fail the eyesight test.\n\n## Session 1\n\nThis session focuses on element A of the CBT syllabus - introduction to CBT.\n\nThe DVSA assessor will give you an overview of the assessment.\n\nYou\u2019ll then deliver a lesson on the modules within element A of the CBT syllabus. You\u2019re allowed to use notes and training aids. The other candidates will watch your instruction and decide whether it\u2019s valid and achieves the objective.\n\n## Session 2\n\nThis session focuses on element B of the CBT syllabus - practical on-site training.\n\nYou\u2019ll be introduced to the motorcycle that will be used on-site. You should familiarise yourself with it so you can give a controls lesson or basic machine check lesson.\n\nThe \u2018novice rider\u2019 will act on the instruction you give. The other candidates will watch the instruction you give and decide whether it\u2019s a valid lesson and achieves the objective.\n\n## Sessions 3 and 4\n\nThese sessions focus on element C of the CBT syllabus - practical on-site riding.\n\nYou\u2019ll instruct the \u2018novice rider\u2019. The other candidates give a debrief at the end of each lesson.\n\nThe roles will be changed several times so you can prove your ability as an instructor and supervisor.\n\n## Session 5\n\nThis session focuses on element D of the CBT syllabus - practical on-road training.\n\nYou\u2019ll give a lesson made up of 3 modules from element D. The other candidates will supervise you, and then the roles will be swapped.\n\n## Sessions 6 and 7\n\nThese sessions focus on element E of the CBT syllabus - practical on-road riding.\n\nYou\u2019ll ride a motorcycle and follow the \u2018novice rider\u2019 on the road. You\u2019ll have to:\n\n- give instructions\n\n- correct any faults that they make\n\n- direct them over a route on public roads using radio equipment\n\nYou\u2019ll need to use your own motorcycle for sessions 6 and 7.\n\n## Your assessment result\n\nYou\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.\n\n## Passing the assessment\n\nYou\u2019ll be sent more information about how to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a DVSA assessed instructor.\n\nUntil you\u2019ve got your registration certificate you are not allowed to:\n\n- conduct compulsory basic training (CBT) courses\n\n- train any instructors on behalf of your approved training body (ATB)\n\n## Failing the assessment\n\nYou cannot apply to retake the assessment if you fail it twice within a 12-month period. You\u2019ll have to wait until 1 year after the date of the second assessment before applying again.\n\n## Failing if you\u2019re a down-trained instructor\n\nYou can continue to give CBT training if you\u2019re a down-trained instructor, but you\u2019ll have to have a standards check at your ATB in the near future.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "answerable": true, + "scenario": "I am a 41 year old from Chester and I have a CBT course arranged which unfortunately I can not attend.", + "original_question": "Can I reschedule the course for another date?" + }, + { + "id": "train-465", + "question": "Scenario: I am looking at buying a new boat. The boat I am looking to buy is a canal boat that will be used to travel up and down the canals. I have been told that I may need a Boatmasters' licence.\n\nQuestion: Will the canal boat require a Boatmasters' licence?\n\nDocument - Boatmasters' licence:\n## Check if you need a licence\n\nYou must have a boatmasters\u2019 licence if you\u2019re the master of certain vessels on:\n\n- inland waters in categories A to D, such as canals, rivers, lakes and some estuaries\n\n- \u2018limited\u2019 coastal area operations - no more than 5 miles from the land and 15 miles from where your vessel sets off or arrives\n\nYou may be prosecuted and fined for not having the right boatmasters\u2019 licence.\n\nFind out what types and class of vessels can operate on UK inland waters.\n\n## When you do not need a licence\n\nYou do not need a boatmasters\u2019 licence if you\u2019re in charge of:\n\n- a pleasure vessel, including hire boats used as pleasure vessels\n\n- fishing vessels\n\n## Using alternative certificates\n\nSome certificates can be used instead of a boatmasters\u2019 licence, including STCW certificates of competency and certificates awarded by the Royal Yachting Association.\n\nIf you have an alternative certificate, you must:\n\n- check if you need a paper endorsement or a boat handling test - read sections 3 and 4 of the boatmasters\u2019 qualifications and hours of work notice\n\n- download and fill in the application form and send it to your nearest marine office\n\n- pay the right fees\n\n## Before you apply\n\nRead the boatmasters\u2019 qualifications and hours of work notice to find out:\n\n- which vessels you need a boatmasters\u2019 licence for\n\n- what kinds of boatmasters\u2019 licence you can apply for\n\n- what you need to apply for a boatmasters\u2019 licence\n\n- what you need to revalidate a boatmasters\u2019 licence\n\n- alternative qualifications you can have instead of a boatmasters\u2019 licence\n\n- information on local knowledge requirements\n\nYou should also:\n\n- keep records of relevant work and training for your licence application\n\n- check for local regulations, such as byelaws that you may need to know\n\n- check that you have safety training from an approved training provider\n\n## How to apply\n\nYou\u2019ll need to:\n\n- read the boatmasters\u2019 qualifications and hours of work notice\n\n- download the application form for a boatmasters\u2019 licence\n\n- pay the right fees\n\n## Replacing your licence\n\nDownload the application form for a replacement boatmasters\u2019 licence.\n\nReplacing your licence costs \u00a323.\n\n## Renewing your licence\n\nYour boatmasters\u2019 licence usually lasts 5 years.\n\nRenewing your licence costs \u00a331.\n\nDownload the boatmasters\u2019 licence renewal application form. Send it to the address on the form.\n\n## Upgrading your licence\n\nDownload the form to upgrade your licence, or add another area to your licence.\n\nThe fee for upgrading your licence can vary.\n\n## Exemptions under the 2006 Boatmasters' Regulations\n\nYou need to apply for a \u2018Tier 2 Level 2\u2019 licence before your exemption expires if you want to keep working. This will cover all the areas described on your exemption certificate.\n\nYou may be prosecuted and fined for not having the right boatmasters\u2019 licence when your exemption expires.\n\n## How to apply\n\nIf you have an exemption certificate and want to continue working, you must:\n\n- check if you can apply for a Tier 2 boatmasters\u2019 licence by reading section 22 of the boatmasters\u2019 qualifications and hours of work notice\n\n- download and fill in the application form and send it to your nearest marine office\n\n- pay the right fees", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/boatmasters-licence", + "answerable": true, + "scenario": "I am looking at buying a new boat. The boat I am looking to buy is a canal boat that will be used to travel up and down the canals. I have been told that I may need a Boatmasters' licence.", + "original_question": "Will the canal boat require a Boatmasters' licence?" + }, + { + "id": "train-466", + "question": "Scenario: I am a 25 year old from Leeds and I have been disqualified from driving for drink driving although I was not under the influence at the time.\n\nQuestion: Is it possible to appeal the disqualification?\n\nDocument - Driving disqualifications:\n## Overview\n\nYou can be banned (disqualified) from driving if you are either:\n\n- convicted of a driving offence\n\n- get 12 or more penalty points (endorsements) within 3 years\n\nYou\u2019ll get a summons in the post that tells you when you must go to court.\n\nSome disqualification rules are different in Northern Ireland.\n\n## How long a driving ban will last\n\nThe court will decide how long the disqualification will last, based on how serious they think the offence is.\n\nYou can be banned from driving if you already have 12 or more penalty points on your licence. Your ban can last:\n\n- 6 months, if you get 12 or more penalty points within 3 years\n\n- 12 months, if you get a second disqualification within 3 years\n\n- 2 years, if you get a third disqualification within 3 years\n\n## Disqualified for 56 days or more\n\nIf you\u2019re disqualified for 56 days or more you must apply for a new licence before driving again.\n\nYou might also have to retake your driving test or take an extended driving test before getting your full licence. The court will tell you if you have to do this.\n\n## Disqualified for less than 56 days\n\nView your driving licence record online to check the disqualification. You cannot drive until it has ended.\n\nYou do not need to apply for a new licence before you can drive again.\n\n## Disqualification outside Great Britain\n\nYou cannot drive in Northern Ireland and the Isle of Man if you\u2019ve been banned from driving on your Great Britain driving licence.\n\nThis is called \u2018mutual recognition of disqualification\u2019. Disqualified drivers from Northern Ireland and the Isle of Man are also banned from driving in Great Britain.\n\n## Check when your disqualification ends\n\nYou can find the date your driving ban ends:\n\n- online\n\n- on the reminder form D27 that DVLA sends you 56 days before your disqualification ends\n\n- on the D27PH letter issued 90 days before certain drink-related disqualifications end\n\n- by contacting DVLA (if you\u2019re in Northern Ireland, contact DVA)\n\n## Apply to reduce your disqualification period\n\nYou can ask the court to reduce your disqualification period after you\u2019ve been banned from driving for:\n\n- 2 years - if the disqualification was for fewer than 4 years\n\n- half the disqualification period - if it was for at least 4 but under 10 years\n\n- 5 years - if the disqualification was for 10 years or more\n\nYou must have a good reason for asking for the disqualification to be reduced. For example, if you think the court made a legal mistake or there were reasons you committed the driving offence that the court did not take into account.\n\nWrite to the court that disqualified you with the date of offence, date of conviction and any other supporting information.\n\nThe court will tell DVLA if it decides to reduce your disqualification period. If it does, you\u2019ll need to apply for a new licence.\n\nIf the court refuses your request you have to wait 3 months before you can ask again.\n\n## If your disqualification is reduced\n\n## Car or motorbike licences\n\nApply for a new licence by sending DVLA a completed form D1 \u2018Application for a driving licence\u2019, available from the DVLA form ordering service or most Post Offices. You must pay a fee.\n\n## Lorry or bus licences\n\nApply for a new licence by sending DVLA a completed form D2 \u2018Application for a lorry/bus licence\u2019, available from the DVLA form ordering service. You must pay a fee.\n\n## Northern Ireland\n\nApply to the DVA to renew your licence.\n\n## If you need to retake your test\n\nIf the court told you that you must take another driving test before driving again, you\u2019ll have to apply for a new provisional licence.\n\nYou can drive as soon as your ban is over and you\u2019ve passed the tests you need to take.\n\n## How to get a new licence\n\n- DVLA will send you a reminder 56 days before your disqualification ends - use this to apply for a new provisional driving licence. If you did not get a reminder, order an application form instead. Order form D1 for a car and motorbike licence or form D2 for a lorry and bus licence.\n\n- Book and take a theory and practical test (or compulsory basic training and motorcycle practical test if you ride a motorcycle). Book and take an extended practical test if the court told you to take one. The extended practical test lasts at least 60 minutes and has higher fees.\n\n- When you\u2019ve passed the practical test, ask the examiner to arrange for your new licence to be sent to you - you can legally drive as soon as you\u2019ve passed the practical test.\n\nIf you want to drive a large vehicle (category C) or a bus (category D) the local traffic commissioner must agree - DVLA will ask them when you apply for your new full licence.\n\nThere\u2019s a different process in Northern Ireland.\n\n## If you\u2019ve got a licence from an EU country\n\nDo not apply for a provisional licence - you can use your EU driving licence to take the test instead.\n\nFollow the usual rules for learning to drive until you retake your test and pass.\n\n## Changes to your name and address while disqualified\n\nTell DVLA if you change your name or address while disqualified.\n\nWrite with details of your old and new address, name if changed, your driving licence number (if known) and date of birth.\n\nThere\u2019s a different process in Northern Ireland.\n\n## Disqualification for drink-driving\n\nYou can be disqualified if you\u2019re found guilty of drink-driving. Depending on your offence, you can also be fined or sent to prison.\n\nYou\u2019ll need to apply for a new licence after your disqualification ends.\n\nIf you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.\n\n## High risk offenders\n\nIf you\u2019re a \u2018high risk offender\u2019, you will not get your new licence until you can prove you\u2019re fit to drive again. You\u2019ll need to pass a medical examination with one of DVLA\u2019s appointed doctors.\n\nYou\u2019re a high risk offender if you:\n\n- were convicted of 2 drink driving offences within 10 years\n\n- were driving with an alcohol reading of at least 87.5 microgrammes of alcohol per 100 millilitres (ml) of breath, 200 milligrammes (mg) of alcohol per 100 ml of blood, or 267.5 mg of alcohol per 100 ml of urine\n\n- refused to give the police a sample of breath, blood or urine to test for alcohol\n\n- refused to allow a sample of your blood to be tested for alcohol (for example if it was taken when you were unconscious)\n\nYou\u2019ll get a D27PH renewal form 90 days before your disqualification ends. You must fill in the form and send it to DVLA to reapply for your licence.\n\n## Medical examination with a DVLA doctor\n\nOnce DVLA receive your application for a new licence, they\u2019ll send you the doctors details so you can make an appointment.\n\nYou have to pay for your examination.\n\nDuring the examination, you\u2019ll:\n\n- complete a questionnaire about your medical history and use of alcohol\n\n- take part in a physical examination\n\n- have your blood tested\n\nThe process is different in Northern Ireland.\n\n## Disqualification for drug driving\n\nYou can be disqualified from driving for at least 1 year if you\u2019re found guilty of drug driving. Depending on your offence, you can also be fined or sent to prison.\n\nYou must apply for a new licence before you can drive again.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-disqualifications", + "answerable": true, + "scenario": "I am a 25 year old from Leeds and I have been disqualified from driving for drink driving although I was not under the influence at the time.", + "original_question": "Is it possible to appeal the disqualification?" + }, + { + "id": "train-468", + "question": "Scenario: I have passed my theory test. I have been training for my practical driving test. I used driving instructor's vehicle previously but recently started practising on my own vehicle\n\nQuestion: Can I use my own car for driving test if it meets all the rules ?\n\nDocument - Driving test: cars:\n## Booking your test\n\nYou can book your driving test when you\u2019ve passed your theory test.\n\nYou do not need to pass another theory test if you\u2019re upgrading an automatic car licence to a manual licence.\n\nTo pass the driving test you must be able to:\n\n- drive safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you drive\n\nThe national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your test.\n\n## Change or check your test details\n\nYou can change the date of your test after you\u2019ve booked.\n\nYou can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.\n\n## Rebook your test\n\nRebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.\n\n## What to take to your test\n\nYou must take:\n\n- your UK driving licence\n\n- your theory test pass certificate, if you have it\n\n- a face covering, unless you have a good reason not to wear one\n\n- a car - most people use their driving instructor\u2019s, but you can use your own car if it meets the rules\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Wearing a face covering\n\nYou must bring and wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYour test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nBecause of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get the new licence in enough time.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence.\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## If you\u2019ve lost your theory test certificate\n\nYou do not need to get a replacement theory test certificate. Your driving examiner will check that you\u2019ve passed your theory test before your driving test starts.\n\n## What happens during the test\n\nThere are 5 parts to the driving test:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- general driving ability\n\n- reversing your vehicle\n\n- independent driving\n\nThe test is the same for both manual and automatic cars.\n\n## How long the test lasts\n\nYou\u2019ll drive for around 40 minutes.\n\nYou\u2019ll drive for around 70 minutes if you\u2019re taking an extended driving test because you\u2019ve been banned from driving.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.\n\nYou\u2019ll fail your driving test if you fail the eyesight check. The test will end.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions.\n\nYou\u2019ll be asked the:\n\n- \u2018tell me\u2019 question at the start of your test, before you start driving\n\n- \u2018show me\u2019 question while you\u2019re driving\n\n## Your general driving ability\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways.\n\nThe examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.\n\n## Pulling over at the side of the road\n\nYou\u2019ll be asked to pull over and pull away during your test, including:\n\n- normal stops at the side of the road\n\n- pulling out from behind a parked vehicle\n\n- a hill start\n\nYou might also be asked to carry out an emergency stop.\n\n## Reversing your vehicle\n\nThe examiner will ask you to do one of the following exercises:\n\n- parallel park at the side of the road\n\n- park in a parking bay - either by driving in and reversing out, or reversing in and driving out (the examiner will tell you which you have to do)\n\n- pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic\n\n## Independent driving\n\nYou\u2019ll have to drive for about 20 minutes by following either:\n\n- directions from a sat nav\n\n- traffic signs\n\nThe examiner will tell you which you have to follow.\n\nThey\u2019ll set the sat nav up for you. You cannot use your own sat nav.\n\n## If you cannot see traffic signs\n\nIf you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.\n\n## Going off the route\n\nThe examiner will not give you a fault for taking a wrong turning.\n\nThey\u2019ll help you get back on the route if you do.\n\n## If you make mistakes during your test\n\nYou can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.\n\nYour driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.\n\n## Other people at your test\n\nYour driving examiner\u2019s supervisor might sit in on your test to watch your examiner\u2019s performance. If you refuse, your test can be cancelled and you\u2019ll have to book another test and pay again.\n\n## Driving test faults and your result\n\nThere are 3 types of faults you can make:\n\n- a dangerous fault - this involves actual danger to you, the examiner, the public or property\n\n- a serious fault - something potentially dangerous\n\n- a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault\n\n## Pass mark\n\nYou\u2019ll pass your driving test if you make:\n\n- no more than 15 driving faults (sometimes called \u2018minors\u2019)\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nApply for your full driving licence within 2 years of passing your test if you do not want to get your licence automatically.\n\n## When you can start driving\n\nYou can start driving straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nThe examiner will tell you what faults you made.\n\nYou have to book another test and pay again. You have to choose a date at least 10 working days away.\n\n## Appeal your driving test\n\nYou can appeal your driving test if you can prove that your driving examiner did not follow the law.\n\nRead the guidance on appealing your driving test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint you may be able to appeal to a court instead.\n\n## Appeal your driving test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your driving test in England and Wales\n\n- 21 days of your driving test in Scotland\n\nCheck if you can appeal.\n\n## If your test is cancelled or there's bad weather\n\nYour driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is suspended due to coronavirus (COVID-19)\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou need to have passed a theory test in the last 2 years to take your driving test. Your theory test certificate will not be extended.\n\n## Bad weather\n\nDriving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your car\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your car, for example, if it breaks down during the test or does not meet the rules to be used\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your driving test you should say if you have a:\n\n- disability\n\n- health condition\n\n- learning difficulty\n\n- reason not to wear a face covering\n\nYou\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.\n\n## You have a disability\n\nYou\u2019ll have time with the examiner once you start the test to talk about:\n\n- your disability\n\n- any adaptations fitted to your car\n\nThey might also agree for you to have more time for instructions and directions during your test.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour driving instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.\n\n## You\u2019re pregnant\n\nYou can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.\n\n## You have reading difficulties\n\nWhen you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent driving part of the test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of directions from a sat nav.\n\n## Using your own car for your test\n\nYou can take your driving test in your own car rather than your driving instructor\u2019s if it meets certain rules.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Rules about the car\n\nYour car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19, you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Things that must be fitted\n\nThe car must have:\n\n- an extra interior rear-view mirror for the examiner\n\n- L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)\n\n## Dashcams and other cameras\n\nYou can use a camera fitted for insurance purposes, as long as it:\n\n- faces outside of the car and does not film the inside\n\n- does not record audio from inside the car\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Manual and automatic cars\n\nYou can take the test in a:\n\n- manual car - these have 3 pedals\n\n- automatic or semi-automatic car - these have 2 pedals\n\nIf you take your test in a semi-automatic car you\u2019ll only be able to drive automatic and semi-automatic cars once you\u2019ve passed your test.\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Cars you cannot use\n\nSome cars cannot be used in the test because they do not give the examiner all-round vision.\n\nYou cannot use any of the following:\n\n- BMW Mini convertible\n\n- Ford KA convertible\n\n- Toyota iQ\n\n- VW Beetle convertible\n\nCheck with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:\n\n- convertible car\n\n- panel van\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\nYou must bring the proof that it\u2019s safe with you when you take your test.\n\n| | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-test", + "answerable": true, + "scenario": "I have passed my theory test. I have been training for my practical driving test. I used driving instructor's vehicle previously but recently started practising on my own vehicle", + "original_question": "Can I use my own car for driving test if it meets all the rules ?" + }, + { + "id": "train-469", + "question": "Scenario: I have passed both theory and practical driving tests for automatic driving license. I have been driving for the last 8 years and considering to upgrade to manual driving.\n\nQuestion: Do I have to re-take the theory test ?\n\nDocument - Driving test: cars:\n## Booking your test\n\nYou can book your driving test when you\u2019ve passed your theory test.\n\nYou do not need to pass another theory test if you\u2019re upgrading an automatic car licence to a manual licence.\n\nTo pass the driving test you must be able to:\n\n- drive safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you drive\n\nThe national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your test.\n\n## Change or check your test details\n\nYou can change the date of your test after you\u2019ve booked.\n\nYou can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.\n\n## Rebook your test\n\nRebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.\n\n## What to take to your test\n\nYou must take:\n\n- your UK driving licence\n\n- your theory test pass certificate, if you have it\n\n- a face covering, unless you have a good reason not to wear one\n\n- a car - most people use their driving instructor\u2019s, but you can use your own car if it meets the rules\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Wearing a face covering\n\nYou must bring and wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYour test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nBecause of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get the new licence in enough time.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence.\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## If you\u2019ve lost your theory test certificate\n\nYou do not need to get a replacement theory test certificate. Your driving examiner will check that you\u2019ve passed your theory test before your driving test starts.\n\n## What happens during the test\n\nThere are 5 parts to the driving test:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- general driving ability\n\n- reversing your vehicle\n\n- independent driving\n\nThe test is the same for both manual and automatic cars.\n\n## How long the test lasts\n\nYou\u2019ll drive for around 40 minutes.\n\nYou\u2019ll drive for around 70 minutes if you\u2019re taking an extended driving test because you\u2019ve been banned from driving.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.\n\nYou\u2019ll fail your driving test if you fail the eyesight check. The test will end.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions.\n\nYou\u2019ll be asked the:\n\n- \u2018tell me\u2019 question at the start of your test, before you start driving\n\n- \u2018show me\u2019 question while you\u2019re driving\n\n## Your general driving ability\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways.\n\nThe examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.\n\n## Pulling over at the side of the road\n\nYou\u2019ll be asked to pull over and pull away during your test, including:\n\n- normal stops at the side of the road\n\n- pulling out from behind a parked vehicle\n\n- a hill start\n\nYou might also be asked to carry out an emergency stop.\n\n## Reversing your vehicle\n\nThe examiner will ask you to do one of the following exercises:\n\n- parallel park at the side of the road\n\n- park in a parking bay - either by driving in and reversing out, or reversing in and driving out (the examiner will tell you which you have to do)\n\n- pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic\n\n## Independent driving\n\nYou\u2019ll have to drive for about 20 minutes by following either:\n\n- directions from a sat nav\n\n- traffic signs\n\nThe examiner will tell you which you have to follow.\n\nThey\u2019ll set the sat nav up for you. You cannot use your own sat nav.\n\n## If you cannot see traffic signs\n\nIf you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.\n\n## Going off the route\n\nThe examiner will not give you a fault for taking a wrong turning.\n\nThey\u2019ll help you get back on the route if you do.\n\n## If you make mistakes during your test\n\nYou can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.\n\nYour driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.\n\n## Other people at your test\n\nYour driving examiner\u2019s supervisor might sit in on your test to watch your examiner\u2019s performance. If you refuse, your test can be cancelled and you\u2019ll have to book another test and pay again.\n\n## Driving test faults and your result\n\nThere are 3 types of faults you can make:\n\n- a dangerous fault - this involves actual danger to you, the examiner, the public or property\n\n- a serious fault - something potentially dangerous\n\n- a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault\n\n## Pass mark\n\nYou\u2019ll pass your driving test if you make:\n\n- no more than 15 driving faults (sometimes called \u2018minors\u2019)\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nApply for your full driving licence within 2 years of passing your test if you do not want to get your licence automatically.\n\n## When you can start driving\n\nYou can start driving straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nThe examiner will tell you what faults you made.\n\nYou have to book another test and pay again. You have to choose a date at least 10 working days away.\n\n## Appeal your driving test\n\nYou can appeal your driving test if you can prove that your driving examiner did not follow the law.\n\nRead the guidance on appealing your driving test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint you may be able to appeal to a court instead.\n\n## Appeal your driving test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your driving test in England and Wales\n\n- 21 days of your driving test in Scotland\n\nCheck if you can appeal.\n\n## If your test is cancelled or there's bad weather\n\nYour driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is suspended due to coronavirus (COVID-19)\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou need to have passed a theory test in the last 2 years to take your driving test. Your theory test certificate will not be extended.\n\n## Bad weather\n\nDriving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your car\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your car, for example, if it breaks down during the test or does not meet the rules to be used\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your driving test you should say if you have a:\n\n- disability\n\n- health condition\n\n- learning difficulty\n\n- reason not to wear a face covering\n\nYou\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.\n\n## You have a disability\n\nYou\u2019ll have time with the examiner once you start the test to talk about:\n\n- your disability\n\n- any adaptations fitted to your car\n\nThey might also agree for you to have more time for instructions and directions during your test.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour driving instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.\n\n## You\u2019re pregnant\n\nYou can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.\n\n## You have reading difficulties\n\nWhen you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent driving part of the test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of directions from a sat nav.\n\n## Using your own car for your test\n\nYou can take your driving test in your own car rather than your driving instructor\u2019s if it meets certain rules.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Rules about the car\n\nYour car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19, you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Things that must be fitted\n\nThe car must have:\n\n- an extra interior rear-view mirror for the examiner\n\n- L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)\n\n## Dashcams and other cameras\n\nYou can use a camera fitted for insurance purposes, as long as it:\n\n- faces outside of the car and does not film the inside\n\n- does not record audio from inside the car\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Manual and automatic cars\n\nYou can take the test in a:\n\n- manual car - these have 3 pedals\n\n- automatic or semi-automatic car - these have 2 pedals\n\nIf you take your test in a semi-automatic car you\u2019ll only be able to drive automatic and semi-automatic cars once you\u2019ve passed your test.\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Cars you cannot use\n\nSome cars cannot be used in the test because they do not give the examiner all-round vision.\n\nYou cannot use any of the following:\n\n- BMW Mini convertible\n\n- Ford KA convertible\n\n- Toyota iQ\n\n- VW Beetle convertible\n\nCheck with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:\n\n- convertible car\n\n- panel van\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\nYou must bring the proof that it\u2019s safe with you when you take your test.\n\n| | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/driving-test", + "answerable": true, + "scenario": "I have passed both theory and practical driving tests for automatic driving license. I have been driving for the last 8 years and considering to upgrade to manual driving.", + "original_question": "Do I have to re-take the theory test ?" + }, + { + "id": "train-470", + "question": "Scenario: I have just bought a new car and it has defective seat beats with broken latches.The airbag is deploying prematurely it almost caused an accident.\n\nQuestion: Can i report these defects?\n\nDocument - Vehicle recalls and faults:\n## Overview\n\nYou need to get your vehicle, vehicle parts and accessories fixed or replaced by the manufacturer if they find a serious problem with them.\n\nThis includes:\n\n- cars\n\n- motorcycles, quadricycles and tricycles\n\n- caravans and horse boxes\n\n- child car seats\n\n- seat belts and harnesses\n\n- tyres\n\n- components and parts\n\n- agricultural equipment\n\n- lorries, buses, coaches and minibuses\n\nYou can report a serious safety defects with your vehicle or accessory if it could cause injury.\n\n## Recalled vehicles, parts and accessories\n\nIf your vehicle is recalled for a safety reason, you\u2019ll usually be sent a letter by the manufacturer telling you:\n\n- why it\u2019s being recalled\n\n- what you need to do next\n\n- who you should contact\n\nYou will not usually have to pay for any repairs or parts under a safety recall.\n\n## Other ways of finding out about recalls\n\nYou will not get a letter if the manufacturer does not have your contact details, for example for car child seats.\n\nYou can check if a vehicle model, part or accessory has been recalled for a safety reason.\n\n## What you need to do\n\nYou\u2019re legally responsible for making sure that your vehicle is:\n\n- kept in a safe condition\n\n- safe to drive whenever you drive it\n\nIf you do not get your vehicle inspected and fixed, you could:\n\n- affect any insurance claim you make\n\n- put yourself and others at serious risk\n\nYou can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle in a dangerous condition.\n\n## Report a serious safety defect\n\nIf you find a serious defect that affects the safety of your vehicle, one of its parts, or an accessory, report it to the manufacturer immediately.\n\nTell the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with how the manufacturer is dealing with your report.\n\nDVSA will:\n\n- investigate the issue with the manufacturer\n\n- tell you what action is being taken\n\nThe vehicle, part or accessory can be recalled if it\u2019s found to be a serious safety issue.\n\n## How to report a serious safety defect\n\nTo report the defect you\u2019ll need to give details of what happened and:\n\n- the vehicle registration (number plate)\n\n- the make and model of the vehicle\n\n- the year the vehicle was made\n\n- the current mileage\n\n- the engine type (for example, petrol)\n\n- the gearbox type (manual or automatic)\n\n- any photos showing the defect (if you have them)\n\nIf you do not have all of the vehicle details, you can get some vehicle information from DVLA.\n\nReport a defect\n\n## What counts as a serious safety defect\n\nA serious safety defect is something:\n\n- about the way the vehicle is designed or made that\u2019s likely to cause injury or death\n\n- that happens suddenly and without warning\n\n## What does not count as a serious safety defect\n\nThings are not classed as a serious safety defect if:\n\n- they can be found during routine maintenance and servicing\n\n- you\u2019re warned about them by warning lights, noticeable changes in handling and unusual noises\n\n- they\u2019re caused by you misusing the vehicle, for example overloading your vehicle causing a tyre failure\n\n## Faults with vehicles, parts and accessories\n\nFaults in the way vehicles, vehicle parts and accessories are designed or made have to be registered with the Driver and Vehicle Standards Agency (DVSA) if they:\n\n- mean it could become unsafe in the future if it\u2019s not fixed\n\n- could mean that the vehicle, part or accessory no longer meets the legal standard\n\nOther types of general faults are not registered with DVSA.\n\n## How you\u2019ll be told about faults\n\nIf you own something affected, you might be sent a letter by the manufacturer telling you:\n\n- what the fault is\n\n- what you need to do next\n\n- who you should contact\n\nYou usually do not have to pay to get the fault fixed.\n\n## Other ways of finding out about faults\n\nYou can contact the manufacturer or dealer of your vehicle, part or accessory to check for any registered faults.\n\n## What you need to do\n\nYou do not have to do anything about the fault if you do not want to. However, not getting it fixed could mean that:\n\n- it becomes unsafe in the future\n\n- your vehicle fails its next MOT", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vehicle-recalls-and-faults", + "answerable": true, + "scenario": "I have just bought a new car and it has defective seat beats with broken latches.The airbag is deploying prematurely it almost caused an accident.", + "original_question": "Can i report these defects?" + }, + { + "id": "train-471", + "question": "Scenario: I have received a recall letter from my car manufacturer . The letter cites that the car has a defective fuel system which needs to be repaired.\n\nQuestion: Do i need to pay for the repairs?\n\nDocument - Vehicle recalls and faults:\n## Overview\n\nYou need to get your vehicle, vehicle parts and accessories fixed or replaced by the manufacturer if they find a serious problem with them.\n\nThis includes:\n\n- cars\n\n- motorcycles, quadricycles and tricycles\n\n- caravans and horse boxes\n\n- child car seats\n\n- seat belts and harnesses\n\n- tyres\n\n- components and parts\n\n- agricultural equipment\n\n- lorries, buses, coaches and minibuses\n\nYou can report a serious safety defects with your vehicle or accessory if it could cause injury.\n\n## Recalled vehicles, parts and accessories\n\nIf your vehicle is recalled for a safety reason, you\u2019ll usually be sent a letter by the manufacturer telling you:\n\n- why it\u2019s being recalled\n\n- what you need to do next\n\n- who you should contact\n\nYou will not usually have to pay for any repairs or parts under a safety recall.\n\n## Other ways of finding out about recalls\n\nYou will not get a letter if the manufacturer does not have your contact details, for example for car child seats.\n\nYou can check if a vehicle model, part or accessory has been recalled for a safety reason.\n\n## What you need to do\n\nYou\u2019re legally responsible for making sure that your vehicle is:\n\n- kept in a safe condition\n\n- safe to drive whenever you drive it\n\nIf you do not get your vehicle inspected and fixed, you could:\n\n- affect any insurance claim you make\n\n- put yourself and others at serious risk\n\nYou can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle in a dangerous condition.\n\n## Report a serious safety defect\n\nIf you find a serious defect that affects the safety of your vehicle, one of its parts, or an accessory, report it to the manufacturer immediately.\n\nTell the Driver and Vehicle Standards Agency (DVSA) if you\u2019re not happy with how the manufacturer is dealing with your report.\n\nDVSA will:\n\n- investigate the issue with the manufacturer\n\n- tell you what action is being taken\n\nThe vehicle, part or accessory can be recalled if it\u2019s found to be a serious safety issue.\n\n## How to report a serious safety defect\n\nTo report the defect you\u2019ll need to give details of what happened and:\n\n- the vehicle registration (number plate)\n\n- the make and model of the vehicle\n\n- the year the vehicle was made\n\n- the current mileage\n\n- the engine type (for example, petrol)\n\n- the gearbox type (manual or automatic)\n\n- any photos showing the defect (if you have them)\n\nIf you do not have all of the vehicle details, you can get some vehicle information from DVLA.\n\nReport a defect\n\n## What counts as a serious safety defect\n\nA serious safety defect is something:\n\n- about the way the vehicle is designed or made that\u2019s likely to cause injury or death\n\n- that happens suddenly and without warning\n\n## What does not count as a serious safety defect\n\nThings are not classed as a serious safety defect if:\n\n- they can be found during routine maintenance and servicing\n\n- you\u2019re warned about them by warning lights, noticeable changes in handling and unusual noises\n\n- they\u2019re caused by you misusing the vehicle, for example overloading your vehicle causing a tyre failure\n\n## Faults with vehicles, parts and accessories\n\nFaults in the way vehicles, vehicle parts and accessories are designed or made have to be registered with the Driver and Vehicle Standards Agency (DVSA) if they:\n\n- mean it could become unsafe in the future if it\u2019s not fixed\n\n- could mean that the vehicle, part or accessory no longer meets the legal standard\n\nOther types of general faults are not registered with DVSA.\n\n## How you\u2019ll be told about faults\n\nIf you own something affected, you might be sent a letter by the manufacturer telling you:\n\n- what the fault is\n\n- what you need to do next\n\n- who you should contact\n\nYou usually do not have to pay to get the fault fixed.\n\n## Other ways of finding out about faults\n\nYou can contact the manufacturer or dealer of your vehicle, part or accessory to check for any registered faults.\n\n## What you need to do\n\nYou do not have to do anything about the fault if you do not want to. However, not getting it fixed could mean that:\n\n- it becomes unsafe in the future\n\n- your vehicle fails its next MOT", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vehicle-recalls-and-faults", + "answerable": true, + "scenario": "I have received a recall letter from my car manufacturer . The letter cites that the car has a defective fuel system which needs to be repaired.", + "original_question": "Do i need to pay for the repairs?" + }, + { + "id": "train-472", + "question": "Scenario: I have passed all four of the Driver Certificate of Professional Competence (CPC) tests. I have received the Driver CPC card as well\n\nQuestion: Do I have to carry Driver CPC card while driving a lorry ?\n\nDocument - Become a qualified lorry or bus driver:\n## Getting qualified\n\nTo become a lorry, bus or coach driver you need to:\n\n- have a full car licence\n\n- be over 18 - but there are some exceptions\n\n- get a professional driving qualification called the Driver Certificate of Professional Competence (CPC)\n\n## Who needs the full Driver CPC\n\nYou must have the full Driver CPC if you drive a lorry, bus or coach as the main part of your job.\n\nYou usually need to pass 4 tests to get it, unless you have \u2018acquired rights\u2019 because of your existing driving experience.\n\n## Who does not need the full Driver CPC\n\nYou do not need the full Driver CPC if you:\n\n- do not want to drive for a living, for example you want to drive for a hobby or carry passengers or goods non-commercially for personal use\n\n- drive in certain other situations, such as taking your vehicle for a pre-booked annual test (MOT)\n\nYou still need to pass the part 1 (theory) and part 3 (driving ability) tests of the qualification.\n\n## How to get and keep the full Driver CPC\n\n- Apply for a provisional lorry or bus licence.\n\n- Pass the 4 tests that make up Driver CPC to qualify.\n\n- Take 35 hours of periodic training every 5 years to stay qualified.\n\nYou need to renew your bus or lorry licence every 5 years, and every year when you reach 65.\n\n## If you\u2019re taking an NVT course\n\nIf you\u2019re taking an approved National Vocational Training (NVT) course you can drive professionally for up to 12 months without taking the Driver CPC part 2 and part 4 tests.\n\n## Applying for a provisional lorry or bus licence\n\nThe category of provisional licence you need depends on the type of vehicle you want to drive.\n\n## How to apply\n\nTo apply, order forms D2 and D4 from DVLA.\n\nThe D4 form has to be filled in by a doctor. This could be either:\n\n- your GP - but an optician might need to fill in the section about your eyesight\n\n- a private firm specialising in drivers\u2019 medical exams\n\nYour doctor, optician or a private firm can charge you.\n\nYou can only apply for a provisional trailer (+E) licence when you\u2019ve got the full licence for the vehicle you\u2019ll be driving.\n\n## Order the forms online\n\nOrder now\n\n## Send the forms\n\nSend both forms and your photocard driving licence to DVLA. There\u2019s no application fee.\n\nYou only need to include a passport-style colour photo and original identity documents if you have a paper driving licence.\n\n## How long it takes\n\nYou should get your driving licence within 3 weeks of DVLA getting your application. It can take longer if your health or personal details need to be checked.\n\nYou automatically lose your lorry or bus licence if you lose your car licence.\n\n## When you do not need the full Driver CPC\n\nYou do not need the full Driver Certificate of Professional Competence (CPC) qualification if you\u2019re using the vehicle for:\n\n- non-commercial carriage of passengers or goods\n\n- carrying material or equipment you use for your job, as long as driving is less than 30% of your rolling monthly working time\n\n- driving lessons for anyone who wants to get a driving licence or a Driver CPC\n\n- driving to or from pre-booked appointments at official vehicle testing centres\n\n- driving within 62 miles (100 kilometres) of your base - but the vehicle cannot be carrying passengers or goods, and driving a lorry, bus or coach cannot be your main job\n\n- maintaining public order - and the vehicle is being used or controlled by a local authority\n\n- rescue missions or in states of emergency\n\n- driving for an agriculture, horticulture, forestry, farming or fisheries business, as long as driving is less than 30% of your rolling monthly working time\n\nYou also do not need the full Driver CPC if the vehicle is:\n\n- limited to a top speed of 28mph\n\n- being used or controlled by the armed forces, police, fire and rescue service, emergency ambulance service, prison service or people running a prison or young offender institution\n\nYou can read detailed examples of Driver CPC exemptions.\n\nIf you are not sure if you need the Driver CPC, you should seek legal advice.\n\n## What you need to do\n\nIf you want to become a lorry, bus or coach driver in these situations you need to:\n\n- Apply for a provisional lorry or bus licence.\n\n- Pass the part 1 (theory) and part 3 (driving ability) tests.\n\nYou need to renew your bus or lorry licence every 5 years when you reach 45 and every year when you reach 65.\n\n## Driver CPC part 1 test: theory\n\nYou can book the part 1 theory test of the Driver Certificate of Professional Competence (CPC) as soon as you\u2019ve got your provisional licence.\n\nThe test is made up of 2 parts - multiple choice and hazard perception. You have to book both parts separately, but you can take them on the same day.\n\nIt does not matter which one you take first but you need to pass both within 2 years of each other to get your theory test certificate.\n\n## What to take to your test\n\nYou must bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring the right documents.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must stay at home (self-isolate) if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## How the test works\n\n## Multiple-choice questions part\n\nYou can take a practice test to find out how the test works.\n\nThe multiple-choice questions part lasts for 1 hour and 55 minutes, and the pass mark is 85 out of 100 questions.\n\n## Hazard perception part\n\nWatch a video about how the hazard perception part works.\n\nYou\u2019ll watch 19 videos, and there are 20 developing hazards to spot.\n\nThe pass mark is 67 out of 100. You cannot review your answers.\n\n## Your test result\n\nYou\u2019ll be given a letter at the test centre with the results for the part of the theory test you\u2019ve just taken.\n\nWhen you\u2019ve passed both parts, your theory test certificate will be posted to you. You need this when you book your Driver CPC part 3 driving test.\n\nYour theory test certificate is valid for 2 years from when you passed the first part of the test.\n\nYou need to pass the Driver CPC part 3 driving test within 2 years, otherwise you\u2019ll have to pass the part 1 theory test again.\n\n## If you fail the theory tests\n\nYou\u2019ll get a results letter with feedback telling you why you\u2019ve failed.\n\nYou can book another theory test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if the DVSA cancels your test at short notice.\n\n## Driver CPC part 2 test: case studies\n\nYou can book the part 2 case studies test of the Driver Certificate of Professional Competence (CPC) as soon as you\u2019ve got your provisional licence. You do not need to have passed the Driver CPC part 1 theory test.\n\n## What to take to your test\n\nYou must bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring the right documents.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must stay at home (self-isolate) if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## How the test works\n\nThe test is made up of 7 case studies you work through on a computer. The case studies are short stories based on situations that you\u2019re likely to come across in your working life.\n\nYou\u2019ll be asked between 6 and 8 multiple-choice questions on each case study.\n\nThe test lasts for 1 hour and 15 minutes, and the pass mark is 40 out of 50.\n\n## Your test result\n\nYou\u2019ll get a letter with the results at the test centre.\n\nYou need the test pass reference number when you book your Driver CPC part 4 practical demonstration test.\n\nThe pass letter is valid for 2 years.\n\nYou need to pass the Driver CPC part 4 practical demonstration test within 2 years, otherwise you\u2019ll have to pass the part 2 case studies test again.\n\n## If you fail the test\n\nYou\u2019ll get a result letter with feedback telling you why you\u2019ve failed.\n\nYou can book another case studies test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## Driver CPC part 3 test: driving ability\n\nYou must have passed the Driver Certificate of Professional Competence (CPC) part 1 theory test before you can book the Driver CPC part 3 test.\n\n## What to take to your test\n\nYou must bring a lorry or a bus or coach that meets the rules.\n\nYou must bring a face covering, unless you have a good reason not to wear one.\n\nYou must also bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring these.\n\n## Wearing a face covering\n\nYou must wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nYour test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.\n\n## When you must not go to your test\n\nYou must not come for your driving test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## How the test works\n\nYour practical test will last about 1 hour and 30 minutes and includes:\n\n- vehicle safety questions\n\n- practical road driving\n\n- off-road exercises\n\n## Vehicle safety questions\n\nDuring your test you\u2019ll be asked vehicle safety questions on either:\n\n- lorries, buses and coaches\n\n- lorries, buses and coaches towing trailers\n\n## Practical road driving\n\nDuring your practical road driving, the examiner will see how you:\n\n- use the vehicle controls\n\n- move away at an angle, uphill and downhill\n\n- do a controlled stop\n\n- use the mirrors\n\n- give appropriate signals\n\n- show awareness and anticipation of other road users\u2019 intentions\n\n- manage your progress and control your vehicle speed\n\n- deal with hazards\n\n- select a safe place to stop\n\nThere will also be 10 minutes of independent driving, designed to test your ability to drive safely while making independent decisions.\n\n## Off-road exercises\n\nThe off-road exercises will include:\n\n- an \u2018S\u2019 shaped reverse into a bay\n\n- showing the uncoupling and recoupling procedure if you\u2019re taking a test with a trailer\n\n## During the test\n\nYou can carry on if you make a mistake during your driving test.\n\nIf you make a mistake which means you\u2019ve failed, your driving examiner will direct you back to the driving test centre. The test will end early.\n\n## Test result\n\nAfter you\u2019ve taken the practical test your examiner will tell you if you\u2019ve passed and explain how you did.\n\nYou\u2019ll pass your test if you make:\n\n- 15 or fewer driving faults\n\n- no serious or dangerous faults\n\nIf you fail, you can book another driving test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## Driver CPC part 4 test: practical demonstration\n\nYou must have passed the Driver Certificate of Professional Competence (CPC) part 2 test before you can book the Driver CPC part 4 test.\n\n## Book your test\n\nYou can either:\n\n- arrange a test with your trainer\n\n- book a test yourself\n\n## What to take to your test\n\nYou must bring a lorry or a bus or coach that meets the rules.\n\nYou must bring a face covering, unless you have a good reason not to wear one.\n\nYou must also bring one of the following:\n\n- a Great Britain photocard driving licence\n\n- a Northern Ireland photocard driving licence and paper counterpart\n\n- an EU photocard driving licence (and paper counterpart, if you have one)\n\nIf you do not have a photocard driving licence, bring your paper licence and a valid passport.\n\nYour test will be cancelled and you\u2019ll lose your fee if you do not bring these.\n\n## When you must not go to your test\n\nYou must not go to your driving test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Wearing a face covering\n\nYou must wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nYour test will be cancelled if you go to your test without a face covering and you did not say that you could not wear one when you booked it.\n\n## How the test works\n\nYou\u2019re tested on being able to:\n\n- load the vehicle following safety rules and to keep it secure\n\n- stop trafficking in illegal immigrants\n\n- assess emergency situations\n\n- reduce physical risks to yourself or others\n\n- do a walkaround vehicle safety check\n\nThe test is made up of 5 topics from the Driver CPC syllabus. You can score up to 20 points for each topic.\n\nTo pass you have to score at least 15 out of 20 in each topic area and have an overall score of at least 80 out of 100.\n\n## Test result\n\nAt the end of your test the examiner will tell you if you\u2019ve passed.\n\nIf you fail, you can book another driving test straight away, but you cannot take it for another 3 clear working days.\n\n## Cancelled tests\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## After you\u2019ve qualified\n\nAfter you\u2019ve passed all 4 of the Driver Certificate of Professional Competence (CPC) tests, you\u2019ll be sent a Driver CPC card. This is sometimes called a \u2018driver qualification card\u2019 or \u2018DQC\u2019.\n\nYou must carry your Driver CPC card while driving a lorry, bus or coach professionally. If you drive a heavy goods vehicle (HGV) outside the UK, check what documents you need to carry.\n\nYou can get a \u00a350 fixed penalty for driving professionally without your Driver CPC card.\n\n## Getting your Driver CPC card\n\nThe card will be sent to the address on your driving licence. You need to change this address first if it\u2019s wrong.\n\nThe photograph and signature on your photocard licence will be used on your Driver CPC card.\n\n## Waiting for your card\n\nYou can drive professionally if you\u2019ve passed all the tests and you\u2019re waiting for your Driver CPC card to arrive.\n\n## If your card does not arrive\n\nYou should get your Driver CPC card within 20 days of passing the final test. Contact the Driver and Vehicle Standards Agency (DVSA) if you do not receive it.\n\nYou have to pay \u00a325 if:\n\n- you take longer than 3 months to tell DVSA it has not arrived\n\n- it\u2019s sent to an old address because you have not updated your licence\n\n## Replace your card\n\nYou must replace your Driver CPC card if it\u2019s lost or stolen.\n\nThe Driver CPC card does not have your address on it, so you do not have to get a new one if your address changes.\n\n## Staying qualified\n\nEvery 5 years you must:\n\n- take 35 hours of Driver CPC training to keep driving professionally\n\n- renew your lorry or bus driving licence\n\nIf you\u2019re 65 or over you must renew your lorry or bus driving licence every year.\n\n## Fees\n\n## Provisional licence\n\n| | Cost |\n\n| Application for a provisional lorry or bus licence | No charge |\n\n## Test costs\n\n| | Weekday | Evening, weekend and bank holiday |\n\n| Driver CPC part 1 - theory - (multiple-choice) | \u00a326 | \u00a326 |\n\n| Driver CPC part 1 - theory - (hazard perception) | \u00a311 | \u00a311 |\n\n| Driver CPC part 2 - case studies | \u00a323 | \u00a323 |\n\n| Driver CPC part 3 - driving ability | \u00a3115 | \u00a3141 |\n\n| Driver CPC part 4 - practical demonstration | \u00a355 | \u00a363 |\n\nThese are the prices to book your tests using the official service. Unofficial websites may charge more.\n\n## Driver CPC card costs\n\n| | Cost |\n\n| Driver CPC card (non-UK driving licences only) | \u00a325 |\n\n| Replacement for lost, stolen or damaged card | \u00a325 |\n\n## NVT concession fees\n\n| | Cost |\n\n| National Vocational Training (NVT) concession card | \u00a325 |", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-lorry-bus-driver", + "answerable": true, + "scenario": "I have passed all four of the Driver Certificate of Professional Competence (CPC) tests. I have received the Driver CPC card as well", + "original_question": "Do I have to carry Driver CPC card while driving a lorry ?" + }, + { + "id": "train-475", + "question": "Scenario: I have signed up for my ADI part 3 test. My test was supposed to take place four days ago, but I was told it was cancelled due to bad weather. I received a letter saying my test will be in five days time at 9:00am, but I cannot make that time.\n\nQuestion: Can I rebook my test for another time?\n\nDocument - Approved driving instructor (ADI) part 3 test:\n## Booking your test\n\nYou can book your approved driving instructor (ADI) part 3 test when you\u2019ve passed your ADI part 2 test.\n\nIt\u2019s the last of 3 tests you have to pass to qualify as an ADI. It\u2019s a test of your ability to teach pupils.\n\nYour driving examiner will call you a few days before your test to agree:\n\n- the start time with you\n\n- where you want the test to start from (either the driving test centre or somewhere within 5 minutes of the driving test centre)\n\nThe ADI part 3 test works differently in Northern Ireland.\n\nThe national standard for driver and rider training tells you everything you must be able to do to pass the test.\n\nYou can find driving instructor training if you need help to prepare for the test.\n\n## What to take to your test\n\nYou must bring:\n\n- your UK driving licence\n\n- a face covering, unless it\u2019s not safe for you to wear one\n\n- a suitable car\n\n- a pupil\n\nYou should also bring a log of the training you\u2019ve been doing to qualify as an approved driving instructor (ADI).\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Reasons why you must not go to your test\n\nDo not go to your driving test if you or your pupil:\n\n- have coronavirus (COVID-19) symptoms, or someone you live with has symptoms\n\n- have been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- are self-isolating because you recently entered the UK\n\nChange your test appointment or cancel your test for free if you\u2019re not able to go.\n\n## Wearing a face covering\n\nYou and your pupil must each bring and wear a face covering for your test, unless it\u2019s not safe for you to do so. For example, because:\n\n- you have a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you cannot wear a face covering when you book your test. Otherwise, your test will be cancelled if you arrive without one.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence, or your trainee driving instructor licence (if you have one).\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## Rules for the car you use\n\nWhen you take your test, your car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- be a saloon, hatchback or estate car in good working condition - you cannot use a convertible\n\n- have full-size rear seats\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19 you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying any unnecessary items away from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Vehicle fittings and features\n\nThe car must have:\n\n- L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear if your pupil is a learner\n\n- working rear seat belts\n\n## Dashcams and other cameras\n\nYou can use a camera fitted for insurance purposes, as long as it:\n\n- faces outside of the car and does not film the inside\n\n- does not record audio from inside the car\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Manual and automatic cars\n\nIf you have a manual licence, you can take the test in either a manual or automatic car. You\u2019ll be able to train people in both types of car when you\u2019ve qualified.\n\nIf you have an automatic licence, you must take the test in an automatic car. You\u2019ll only be able to train people in an automatic car when you\u2019ve qualified.\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\nYou must bring the proof that it\u2019s safe with you when you take your test.\n\n| Model | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and 0N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.\n\n## What happens during the test\n\nA Driver and Vehicle Standards Agency (DVSA) examiner will watch you give a client-centred driving lesson lasting about 45 minutes to one of your pupils.\n\nYour pupil must drive for at least 40 minutes of the lesson.\n\nAt the start of the lesson, discuss the goals for the lesson and risk management with your pupil. Because of coronavirus (COVID-19), this should take no more than 3 minutes.\n\nAt the end of the lesson, give your pupil no more than 3 minutes to reflect on their performance.\n\nThe examiner will look for evidence that you meet the national standard for driver and rider training.\n\n## Your pupil\n\nYour pupil can be a:\n\n- partly trained learner\n\n- fully trained learner\n\n- full licence holder\n\nYour pupil cannot be:\n\n- a learner who has just started learning to drive\n\n- an approved driving instructor (ADI) or someone else who is preparing to take the ADI part 3 test\n\n## What you\u2019ll be marked on\n\nYou\u2019ll be marked on 17 areas of competence that are grouped into 3 categories:\n\n- lesson planning\n\n- risk management\n\n- teaching and learning strategies\n\nThe 17 areas of competence are listed in the ADI part 3 test report form, which the examiner will fill in at the end of your test.\n\nYou\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to work out if you\u2019ve passed the test, and what your grade will be.\n\n## Your test result\n\nAfter you give the lesson, the examiner will discuss your performance and give you your result.\n\nYou\u2019ll get your grade, along with your completed approved driving instructor (ADI) part 3 test report form.\n\n| Total score | Grade | Description |\n\n| 0-30 | Fail | Your performance is unsatisfactory, and you will not join the ADI register |\n\n| 31-42 | Grade B | You\u2019ll be allowed to join the ADI register |\n\n| 43-51 | Grade A | You have shown a high standard of instruction and you\u2019ll be allowed to join the ADI register |\n\nYou\u2019ll automatically fail if:\n\n- you get a score of 7 or less in the \u2018risk management\u2019 category\n\n- the examiner stops the lesson because you\u2019ve put yourself or someone else in danger\n\n## If you pass\n\nYou can apply for your first ADI badge if you pass the ADI part 3 test.\n\nYou must apply within 12 months of passing the test, or you\u2019ll have to pass all 3 qualifying tests again.\n\n## If you do not pass\n\nYou can take the test again if you fail the first or second attempt. You must book the next attempt within 2 years of passing your ADI part 1 test.\n\nIf you chose the extra training option (option 2) when you applied for your trainee licence, you must do 5 hours of extra training before you retake the test.\n\n## Failing the third attempt\n\nYou have to retake and pass the ADI part 1 test and ADI part 2 test again if you fail the ADI part 3 test at your third attempt.\n\nYou must wait 2 years from when you originally passed the ADI part 1 test before you can take it again.\n\n## Appeal your ADI part 3 test\n\nYou can appeal your test if you can prove that your examiner did not follow the law.\n\nRead the guidance on appealing your test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint you may be able to appeal to a court instead.\n\n## Appeal your test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your test in England and Wales\n\n- 21 days of your test in Scotland\n\nCheck if you can appeal.\n\n## If your test is cancelled or there's bad weather\n\nYour approved driving instructor (ADI) part 3 test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is suspended due to coronavirus (COVID-19)\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou need to have passed a theory test in the last 2 years to take this test. Your theory test certificate will not be extended.\n\n## Bad weather\n\nTests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your car\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your car, for example, if it breaks down during the test or does not meet the rules to be used\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/adi-part-3-test", + "answerable": true, + "scenario": "I have signed up for my ADI part 3 test. My test was supposed to take place four days ago, but I was told it was cancelled due to bad weather. I received a letter saying my test will be in five days time at 9:00am, but I cannot make that time.", + "original_question": "Can I rebook my test for another time?" + }, + { + "id": "train-476", + "question": "Scenario: I am 20 years old student with a 2 years old daughter. I am pursuing higher education and receiving student finance and care to learn benefits.\n\nQuestion: Can i qualify for learner support?\n\nDocument - Learner Support:\n## Overview\n\nIf you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.\n\nYou apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare - if you qualify\n\n## What you'll get\n\nYour learning provider (for example, a college) decides how much you get. It depends on their scheme and your circumstances.\n\n## How the money is paid\n\nThe money could be:\n\n- a direct payment to you - which you don\u2019t have to pay back\n\n- a loan - which you have to pay back\n\n- paid to someone else, for example a landlord\n\nYour learning provider decides how the money is paid to you. It depends on their scheme and what the money is for.\n\nCheck with the student support staff at your college or the National Careers Service about other funding you could get.\n\n## Eligibility\n\nTo get Learner Support you must be:\n\n- 19 or over\n\n- studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)\n\nYou must be 20 or over to get help with childcare costs. If you\u2019re 19, apply for Care to Learn instead.\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Care to Learn\n\n- Disability Living Allowance\n\n## Who can\u2019t apply\n\nYou can\u2019t claim if you\u2019re:\n\n- getting student finance for higher education\n\n- on a Community Learning course\n\n## How to claim\n\nApply directly to your learning provider (for example, a college) - they each have their own application process.\n\nSpeak to your student support services to:\n\n- get help applying\n\n- find out what\u2019s available\n\n## Appeal a decision\n\nIf you\u2019re not happy with the decision about your Learner Support, contact your learning provider to appeal it.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/learner-support", + "answerable": true, + "scenario": "I am 20 years old student with a 2 years old daughter. I am pursuing higher education and receiving student finance and care to learn benefits.", + "original_question": "Can i qualify for learner support?" + }, + { + "id": "train-477", + "question": "Scenario: My nephew is 19 years old . He will be joining university this September but he is experiencing a lot of financial issues due to his parents' divorce. He needs help to pursue his dream course.\n\nQuestion: Can he apply for learners support?\n\nDocument - Learner Support:\n## Overview\n\nIf you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.\n\nYou apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare - if you qualify\n\n## What you'll get\n\nYour learning provider (for example, a college) decides how much you get. It depends on their scheme and your circumstances.\n\n## How the money is paid\n\nThe money could be:\n\n- a direct payment to you - which you don\u2019t have to pay back\n\n- a loan - which you have to pay back\n\n- paid to someone else, for example a landlord\n\nYour learning provider decides how the money is paid to you. It depends on their scheme and what the money is for.\n\nCheck with the student support staff at your college or the National Careers Service about other funding you could get.\n\n## Eligibility\n\nTo get Learner Support you must be:\n\n- 19 or over\n\n- studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)\n\nYou must be 20 or over to get help with childcare costs. If you\u2019re 19, apply for Care to Learn instead.\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Care to Learn\n\n- Disability Living Allowance\n\n## Who can\u2019t apply\n\nYou can\u2019t claim if you\u2019re:\n\n- getting student finance for higher education\n\n- on a Community Learning course\n\n## How to claim\n\nApply directly to your learning provider (for example, a college) - they each have their own application process.\n\nSpeak to your student support services to:\n\n- get help applying\n\n- find out what\u2019s available\n\n## Appeal a decision\n\nIf you\u2019re not happy with the decision about your Learner Support, contact your learning provider to appeal it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/learner-support", + "answerable": true, + "scenario": "My nephew is 19 years old . He will be joining university this September but he is experiencing a lot of financial issues due to his parents' divorce. He needs help to pursue his dream course.", + "original_question": "Can he apply for learners support?" + }, + { + "id": "train-480", + "question": "Scenario: I have taken a student out for a driving lesson, but I have forgotten to renew my trainee licence. I have charged for the lesson, but I have been told this was wrong.\n\nQuestion: Can I charge students for driving lessons even when my licence is expired?\n\nDocument - Get a trainee driving instructor licence:\n## Overview\n\nYou can apply for a trainee driving instructor licence after you pass the approved driving instructor (ADI) part 2 test.\n\nA trainee licence:\n\n- helps you get experience instructing pupils to drive so you can prepare for the ADI part 3 test\n\n- lasts for 6 months\n\nYou can charge for lessons to cover the cost of things like your insurance and vehicle costs.\n\n## Who can apply\n\nYou can apply for a trainee licence if you:\n\n- have passed your ADI part 1 test in the last 2 years\n\n- have passed the ADI part 2 test\n\n- have had at least 40 hours of training from a qualified ADI in providing \ndriving instruction (at least 10 of which were done in a car), recorded on the ADI 21T declaration form\n\n- are eligible to take the ADI part 3 test\n\n## Being refused a trainee licence\n\nYou can appeal to the General Regulatory Chamber if you\u2019re refused a trainee licence.\n\nThe rules and process for getting a trainee licence are different in Northern Ireland.\n\n## Options when you apply for a trainee licence\n\nYou have 2 options to choose from when you apply for a trainee licence. You must either:\n\n- be supervised for 20% of all lessons you give while you have your trainee licence\n\n- do at least 20 hours of extra training while you have your trainee licence\n\nYou can only choose one option and you cannot change to the other after you\u2019ve made your decision.\n\nTalk to your sponsoring approved driving instructor (ADI) or training organisation about which option is best for you.\n\n## Option 1 - supervision of lessons\n\nIn this option you have to be supervised by your sponsoring ADI for 20% of all the lessons you give.\n\nYou must keep a record of the number of hours:\n\n- you give lessons\n\n- you are supervised\n\nThe ADI 21S supervision record form must be signed by both you and your ADI. You must send it to the Driver and Vehicle Standards Agency (DVSA) when your trainee licence runs out.\n\nYou cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.\n\n## Option 2 - extra training\n\nIn this option, you have to do at least 20 hours of extra training in the topics in the training programme.\n\nAfter you get your training licence, you must complete the training within the next 3 months and before you book the ADI part 3 test.\n\nAt least 25% of the training must be practical in-car training.\n\nThe training must be recorded on the\ninstructor training declaration form.\u200b\n\nYou must send the form to DVSA as soon as you\u2019ve completed your training. If you do not send the form, DVSA can take your trainee licence away.\n\nYou cannot currently send this by post because of coronavirus (COVID-19). Contact DVSA by email instead.\n\n## If you fail the ADI part 3 test or you do not book it in time\n\nIf you fail the test, you must do 5 hours of extra training before your next attempt. You have 3 attempts to pass the test.\n\nIf you do not book the test within 3 months of getting your licence, you must take 5 hours of extra training before you book the test.\n\nEach time you do 5 hours of extra training, record it on a new instructor training declaration form.\n\nIf you do not send the form, DVSA can take your trainee licence away.\n\n## Rules for using your trainee licence\n\nYou must:\n\n- be a \u2018fit and proper\u2019 person\n\n- get the required amount of supervision or extra training while your licence is still valid\n\n## Displaying your licence\n\nYou must display your trainee licence on the nearside edge of the front windscreen of your car while you give driving lessons.\n\n## Where you train\n\nYour trainee licence shows the name and address of your training establishment. You can only give instruction from there, so you cannot work independently, such as by setting up your own school.\n\nYou must not advertise yourself as an instructor. Any advertising your training establishment does must not make it seem like you\u2019re a fully qualified instructor.\n\n## Changing your driving school\n\nYou must apply for a new trainee licence if you leave a driving school and join a new one. There\u2019s no fee for doing this.\n\nDVSA will send you a new licence showing the details of your new school. You should send your old licence to DVSA as soon as you get the new one.\n\nYou can still give driving lessons while you wait for your new licence.\n\n## When trainee licences can be taken away\n\nThe ADI registrar can take your trainee licence away before it runs out if:\n\n- you break any of the rules for having a trainee licence\n\n- the licence was issued by mistake or gained by fraud\n\n- you fail 3 attempts at the ADI part 3 test\n\n## Not using your trainee licence\n\nYou should return your trainee licence to DVSA if you are not using it, for example because of a long period of illness.\n\nYou will not get a refund, but DVSA will know that you have not had full use of the licence. This will be a factor in deciding whether to give you another licence in future.\n\n## Lost or stolen licence\n\nYou should tell the police straight away if your licence is lost or stolen. They will give you a crime reference number.\n\nYou\u2019ll have to pay \u00a33 if you lose your licence or cannot give DVSA a crime reference number.\n\nYou cannot currently contact DVSA by post because of coronavirus (COVID-19).\n\nTo get a replacement, email DVSA with the following:\n\n- the crime reference number\n\n- your permission that DVSA can use your photocard driving licence photo or a previous photo they have on record\n\nDVSA will contact you to tell you how to pay.\n\n## When your trainee licence runs out\n\nYour trainee licence lasts for 6 months. When it runs out you must stop being paid for giving driving lessons.\n\n## Getting another licence\n\nYou can apply for another trainee licence, but you\u2019ll need to pay the fee again.\n\nYou cannot be paid for giving driving lessons when you do not have a valid trainee licence.\n\nYou\u2019re more likely to get another licence if you told DVSA you had stopped using the first, for example because of a period of illness.\n\nIt\u2019s unlikely that you\u2019ll get another licence if you:\n\n- just want more time to pass the approved driving instructor (ADI) part 3 test\n\n- did not follow the rules for using your previous trainee licence\n\nYou can appeal to the General Regulatory Chamber if you\u2019re not given another licence.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/trainee-driving-instructor-licence-the-rules", + "answerable": true, + "scenario": "I have taken a student out for a driving lesson, but I have forgotten to renew my trainee licence. I have charged for the lesson, but I have been told this was wrong.", + "original_question": "Can I charge students for driving lessons even when my licence is expired?" + }, + { + "id": "train-483", + "question": "Scenario: I am motor trader who is VAT registered. I have never used a vehicle registration scheme, and have just become aware of this. I have heard about the secure registration scheme.\n\nQuestion: Am I able to register for the secure scheme?\n\nDocument - Vehicle registration schemes for the motor trade:\n## Overview\n\nThere are 3 vehicle registration schemes for the motor trade. They are:\n\n- the non-secure registration scheme\n\n- the secure registration scheme\n\n- the Register a Vehicle (RaV) service\n\nYou can use these schemes if you\u2019re a:\n\n- vehicle manufacturer\n\n- sole or multiple import concessionaire\n\n- VAT-registered motor vehicle trader\n\n## Using the schemes\n\nWhen you first start registering vehicles, you have to use the non-secure scheme. The other 2 schemes are designed to speed up the vehicle registration process.\n\nYou can apply to the secure scheme when you\u2019ve been using the non-secure scheme without irregularities or issues for 6 months.\n\nYou need to have used the secure scheme for 3 months if you want to use the RaV service.\n\n## The Vehicle Register\n\nThis is maintained by DVLA. It\u2019s based on the information provided on the V55 registration form or by the RaV service.\n\n## Non-secure registration scheme\n\nYou need to complete form V55/4 and send it to DVLA Swansea, SA99 1BE with one of the following documents:\n\n- a valid \u2018CoC\u2019 (certificate of conformity)\n\n- the correct vehicle type approval certificate\n\n- a Vehicle Certification Agency certificate of British National Type Approval (goods vehicles and mutual recognition)\n\nSend the documents along with:\n\n- the registration fee\n\n- the licence fee\n\n- the appropriate customs form for an imported vehicle\n\n- a certificate of newness (if applicable)\n\n- approved identity documents confirming your name and address\n\n- a foreign registration document (for used, imported vehicles)\n\nYou can only apply to use the secure registration scheme after you\u2019ve been using the non-secure scheme without irregularities or issues for 6 months.\n\n## Secure registration scheme\n\nWhen your company has been approved to use this scheme, some of the documentation needed for the non-secure scheme is no longer required.\n\nInstead, you complete the registration process by transferring the data from one of the following onto the V55/1 or V55/2 form:\n\n- European Community Whole Vehicle Type Approval Certificate\n\n- National Small Series Type Approval Certificate\n\n- Goods Vehicle National Type Approval Certificate\n\nYou register vehicles by sending the following to DVLA Swansea, SA99 1BE:\n\n- a completed V55/1 or V55/2 form\n\n- the registration fee and the fee to tax a vehicle\n\nThere\u2019s no need to provide evidence of newness with your V55/1 or V55/2 form.\n\nContact one of the following trade associations to get a V55/1 or V55/2 form:\n\n- Society of Motor Manufacturers and Traders\n\n- Motor Cycle Industry Association\n\n- Agricultural Engineers Association\n\nOr write to:\n\nYou can also order the forms by faxing 01792 783525 or emailing stores.order.forms@dvla.gov.uk.\n\n## Modified vehicles\n\nVehicles modified before registration - for example with different wheels, tyres or a silencer - may need a:\n\n- Single Vehicle Approval inspection\n\n- Individual Vehicle Approval inspection\n\n- Motorcycle Vehicle Approval inspection\n\n- further type approval work\n\nThese vehicles then need to be registered using the non-secure system with one of the above certificates.\n\nVehicles modified through the multi-stage build process and then type approved, or those using the enhancement scheme, can be registered using the secure registration scheme.\n\n## How to apply\n\nEmail secureformsscheme@dvla.gov.uk to apply.\n\nThey will send you an application pack and guidance notes.\n\nWhen you\u2019ve used the secure registration scheme for 3 months, you can apply to use the Register a Vehicle (RaV) service.\n\n## Register a Vehicle service\n\nThe Register a Vehicle (RaV) service is a web-based version of the secure registration scheme and it can save you time if you decide to join it.\n\nBefore applying for the RaV service you must:\n\n- be approved to register vehicles using the secure registration scheme\n\n- have used the secure scheme for at least 3 months\n\nDVLA staff will provide initial training in the system and there\u2019s also a helpdesk that operates from Monday to Friday, 8am to 5pm.\n\n## Vehicle Certification Agency (VCA) control check arrangements\n\nYou still need to maintain the same paper records for the RaV service, as you did for the secure registration scheme.\n\nThese could include:\n\n- V55 document security (when used as back up for printer or computer failure or other registration purposes)\n\n- derogation forms from potential new vehicle suppliers\n\n- spot check records\n\nThe DVLA or VCA may visit you to make sure control checks and security systems are being maintained.\n\n## How to apply\n\nEmail rav@dvla.gov.uk if you register your vehicles on forms V55/1 or V55/2.\n\nEmail secureformsscheme@dvla.gov.uk if:\n\n- you register your vehicles on form V55/4\n\n- you want to register for the secure registration scheme before joining the RaV service\n\nIf your application is successful, you\u2019ll be told how to sign in to the\u00a0RaV\u00a0service.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vehicle-registration-schemes-for-the-motor-trade", + "answerable": true, + "scenario": "I am motor trader who is VAT registered. I have never used a vehicle registration scheme, and have just become aware of this. I have heard about the secure registration scheme.", + "original_question": "Am I able to register for the secure scheme?" + }, + { + "id": "train-485", + "question": "Scenario: My brother sat for his ADI exam . He scored overall 85 marks but failed in two categories of by getting 18 and 15 marks respectively.\n\nQuestion: Upon getting 85 marks. Did he pass the test?\n\nDocument - Approved driving instructor (ADI) part 1 test:\n## Booking your test\n\nYou can book your approved driving instructor (ADI) part 1 test when your application to start the ADI qualifying process has been accepted.\n\nIt\u2019s the first of 3 tests you have to pass to qualify as an ADI. It\u2019s a theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You must pass both parts to pass the test.\n\nThe ADI part 1 test works differently in Northern Ireland.\n\n## Change or check your test details\n\nYou can change the date of your test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your ADI part 1 test if you failed your test and want to resit it. You have to choose a date at least 3 working days after your last test.\n\n## Revision and practice\n\nYou can use books and software to revise for the theory test.\n\n## Multiple-choice questions\n\nThe questions in the theory test are based on:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Driving - the essential skills\n\n- the official Driver and Vehicle Standards Agency (DVSA) theory test kit for approved driving instructors e-Learning\n\n- the Driving Instructor\u2019s Handbook\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them online or from most high street bookshops.\n\n## Hazard perception test\n\nBuy the official DVSA theory test kit for approved driving instructors e-Learning to learn hazard perception skills and then test them.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## Lost your licence\n\nYou need to apply for a replacement driving licence if you lose yours. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get it in time.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 1 hour and 30 minutes to answer 100 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nThere are 25 questions in each of these 4 categories:\n\n- road procedure\n\n- traffic signs and signals, car control, pedestrians and mechanical knowledge\n\n- driving test, disabilities, and the law\n\n- publications and instructional techniques\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 1 hour and 30 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou\u2019ll get the result at the test centre after taking the test. You must pass both parts to pass the test.\n\nTo pass the multiple-choice part, you must get both:\n\n- an overall score of at least 85 out of 100\n\n- at least 20 out of 25 in each of the 4 categories of questions\n\nYou\u2019ll fail if you get an overall score of 85 or higher, but do not score high enough in each of the 4 categories.\n\nTo pass the hazard perception part, you need to score at least 57 points out of 75.\n\n## If you pass\n\nYou\u2019ll get a pass certificate letter if you pass the test. You\u2019ll need this when you book and take your approved driving instructor (ADI) part 2 test.\n\nYour pass certificate number lasts for 2 years. You must qualify as an ADI in that time, otherwise you\u2019ll have to start the application process again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou must book and take the full test again.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have reading difficulties\n\nWhen you book your test you should say if you have a reading difficulty.\n\nYou can then ask for an English voiceover. This lets you hear the test instructions and questions through headphones.\n\nYou can hear the questions and possible answers as many times as you like.\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple-choice questions part of the test.\n\nTo do this, you must send proof to the Driver and Vehicle Standards Agency (DVSA) that you have a reading difficulty. The proof could be an email or letter from a:\n\n- teacher or other educational professional\n\n- doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/adi-part-1-test", + "answerable": true, + "scenario": "My brother sat for his ADI exam . He scored overall 85 marks but failed in two categories of by getting 18 and 15 marks respectively.", + "original_question": "Upon getting 85 marks. Did he pass the test?" + }, + { + "id": "train-486", + "question": "Scenario: My friend Ann has booked her ADI part 1 test . She has scheduled an important phone call a few minutes before the exam day .\n\nQuestion: Will she be allowed to access her mobile phone during exam day?\n\nDocument - Approved driving instructor (ADI) part 1 test:\n## Booking your test\n\nYou can book your approved driving instructor (ADI) part 1 test when your application to start the ADI qualifying process has been accepted.\n\nIt\u2019s the first of 3 tests you have to pass to qualify as an ADI. It\u2019s a theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You must pass both parts to pass the test.\n\nThe ADI part 1 test works differently in Northern Ireland.\n\n## Change or check your test details\n\nYou can change the date of your test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your ADI part 1 test if you failed your test and want to resit it. You have to choose a date at least 3 working days after your last test.\n\n## Revision and practice\n\nYou can use books and software to revise for the theory test.\n\n## Multiple-choice questions\n\nThe questions in the theory test are based on:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Driving - the essential skills\n\n- the official Driver and Vehicle Standards Agency (DVSA) theory test kit for approved driving instructors e-Learning\n\n- the Driving Instructor\u2019s Handbook\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them online or from most high street bookshops.\n\n## Hazard perception test\n\nBuy the official DVSA theory test kit for approved driving instructors e-Learning to learn hazard perception skills and then test them.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## Lost your licence\n\nYou need to apply for a replacement driving licence if you lose yours. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get it in time.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 1 hour and 30 minutes to answer 100 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nThere are 25 questions in each of these 4 categories:\n\n- road procedure\n\n- traffic signs and signals, car control, pedestrians and mechanical knowledge\n\n- driving test, disabilities, and the law\n\n- publications and instructional techniques\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 1 hour and 30 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou\u2019ll get the result at the test centre after taking the test. You must pass both parts to pass the test.\n\nTo pass the multiple-choice part, you must get both:\n\n- an overall score of at least 85 out of 100\n\n- at least 20 out of 25 in each of the 4 categories of questions\n\nYou\u2019ll fail if you get an overall score of 85 or higher, but do not score high enough in each of the 4 categories.\n\nTo pass the hazard perception part, you need to score at least 57 points out of 75.\n\n## If you pass\n\nYou\u2019ll get a pass certificate letter if you pass the test. You\u2019ll need this when you book and take your approved driving instructor (ADI) part 2 test.\n\nYour pass certificate number lasts for 2 years. You must qualify as an ADI in that time, otherwise you\u2019ll have to start the application process again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou must book and take the full test again.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have reading difficulties\n\nWhen you book your test you should say if you have a reading difficulty.\n\nYou can then ask for an English voiceover. This lets you hear the test instructions and questions through headphones.\n\nYou can hear the questions and possible answers as many times as you like.\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple-choice questions part of the test.\n\nTo do this, you must send proof to the Driver and Vehicle Standards Agency (DVSA) that you have a reading difficulty. The proof could be an email or letter from a:\n\n- teacher or other educational professional\n\n- doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/adi-part-1-test", + "answerable": true, + "scenario": "My friend Ann has booked her ADI part 1 test . She has scheduled an important phone call a few minutes before the exam day .", + "original_question": "Will she be allowed to access her mobile phone during exam day?" + }, + { + "id": "train-488", + "question": "Scenario: I was practising automatic motorcycle and after some 100 days of training I attended the test and passed at the first attempt. I am considering to drive semi-automatic motorcycle\n\nQuestion: Can I drive semi-automatic motorcycle if I pass automatic motorcycle driving license ?\n\nDocument - Motorcycle and moped tests:\n## Booking your tests\n\nAfter you\u2019ve passed your theory test you\u2019ll also need to pass:\n\n- an off-road riding test (known as the \u2018module 1 test\u2019)\n\n- an on-road riding test (known as the \u2018module 2 test\u2019)\n\nNormally, you can book the riding tests separately or at the same time, but you must pass the module 1 test before you take the module 2 test. There\u2019s a different fee for each module.\n\n## Motorcycle and moped tests and coronavirus (COVID-19)\n\nWear a face covering at the start and end of the test (when you\u2019ll be talking to the examiner). If you cannot wear a face covering, you must tell DVSA when booking your appointment.\n\nYou can cancel your test appointment and get a refund if you cannot or do not want to attend because of COVID-19. Your instructor will need to cancel your test for you if they booked it.\n\n## What you need to do to pass the tests\n\nTo pass the riding tests you must be able to:\n\n- ride safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you ride\n\nThe national standard for riding mopeds and motorcycles tells you everything that you must be able to do to pass the tests.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your tests.\n\n## What to take to your tests\n\nYou must take:\n\n- your UK photocard driving licence\n\n- your theory test pass certificate\n\n- a moped or motorbike\n\n- your compulsory basic training (CBT) certificate - unless you\u2019re taking the test to upgrade your full motorcycle licence\n\n- your module 1 test pass certificate - if you\u2019re taking your module 2 test\n\n- a face covering, unless you have a good reason not to wear one\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Clothing\n\nYou must wear:\n\n- a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban)\n\n- motorcycle boots or other sturdy footwear that supports and protects your ankles\n\n- textile or leather motorcycle trousers or heavy denim trousers\n\n- a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath\n\n- motorcycle gloves\n\n## Wearing a face covering\n\nYou must bring and wear a face covering at the start and end of the test when you\u2019ll be talking to the examiner, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nIf you cannot wear a face covering at the start and end of the test, you or your instructor must tell DVSA when booking.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nYou should rearrange your test if you do not get the new licence in enough time. You must do this at least 3 working days before your test date or you\u2019ll have to pay again.\n\n## If you have a paper licence\n\nYou must bring a valid passport and your paper licence if you do not have a photocard driving licence.\n\n## If you have a licence from Northern Ireland\n\nYou must bring the photocard and paper counterpart if you have a licence from Northern Ireland.\n\n## If you\u2019ve lost your theory test certificate\n\nContact DVSA with your:\n\n- name\n\n- address\n\n- date of birth\n\n- driving licence number\n\nYou\u2019ll be sent a letter that you can take to your test instead of your pass certificate.\n\n## Motorcycles and mopeds you can use for the tests\n\nThe motorcycle or moped you use for your tests must:\n\n- be a solo machine - you can only use a sidecar if you have certain disabilities\n\n- have a speedometer measuring speed in miles per hour (mph)\n\n- display L plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- be insured, taxed and roadworthy and have no engine warning lights showing\n\nRead the list of A2 and A motorcycles that can be used for riding tests.\n\n## Subcategories of motorcycles and mopeds\n\nThere are 4 subcategories of mopeds and motorcycles.\n\nIn both modules of the test, you must use:\n\n- the same subcategory as the licence you\u2019re applying for\n\n- a vehicle with the same type of transmission (manual, automatic or semi-automatic)\n\n| | Moped, tricycle or quad bike | Light motorcycle | Standard motorcycle | Unrestricted motorcycle |\n\n| Licence category | AM | A1 | A2 | A |\n\n| Minimum age of rider | 16 | 17 | 19 | 24 (direct access) or 21 (progressive access) |\n\n| Engine capacity | Up to 50cc | 120 to 125cc | At least 395cc | At least 595cc |\n\n| Maximum speed | Up to 28mph | 55mph or above | - | - |\n\n| Engine power | Up to 4kW | Up to 11kW | 20 to 35kW | At least 50kW |\n\n| Motorcycle weight (without rider) | - | - | - | At least 175kg |\n\n| Power to weight ratio | - | Up to 0.1kW/kg | Up to 0.2 kW/kg | - |\n\n## Automatic and semi-automatic motorcycles\n\nIf you pass your tests on a motorcycle with automatic or semi-automatic transmission, you\u2019ll only get a licence for those types of motorcycle.\n\n## Engines with restricted power\n\nYou can restrict the engine power of a motorcycle so that it fits within subcategory A2 (20 to 35kW). You cannot restrict it below half its original power.\n\nThis means that if the unrestricted power of the motorcycle is 60kW, you cannot restrict it any lower than 30kW. A motorcycle\u2019s unrestricted power must not be more than 70kW.\n\nYou must bring proof if you\u2019ve restricted a motorcycle to subcategory A2 - if you do not your test will be cancelled.\n\nThe proof must:\n\n- be on headed paper\n\n- be from a main dealer, official importer or recognised specialist\n\n- show the motorcycle\u2019s number plate (registration number)\n\nYou cannot use a dyno test certificate as proof of the restriction.\n\n## Motorcycles with variable power modes\n\nIf you use a switchable engine control unit (ECU) or variable power device, your motorcycle cannot have:\n\n- interchangeable carburettor heads\n\n- an exhaust manifold restrictor\n\n- a hidden ECU - it must be clear what power mode the motorcycle is in\n\n## Electric motorcycles\n\nYou can use an electric motorcycle or moped if it both:\n\n- has the same engine power as the petrol version\n\n- can keep that power for at least 30 minutes\n\nThis is known as the \u2018continuous power rating\u2019 - you can check this with the manufacturer.\n\n## If you have a disability\n\nYou can use a motorcycle with a sidecar for your tests if you have certain disabilities. You cannot have a passenger in the sidecar during the tests.\n\nYour licence will only let you ride motorcycles with sidecars.\n\nYou might be able to use a different vehicle if you\u2019re disabled - contact the Driver and Vehicle Standards Agency (DVSA) before you book your test.\n\n## Module 1 off-road test: what happens\n\nYou\u2019ll take the module 1 test in an off-road motorcycle manoeuvring area.\n\nThe test normally takes about 20 minutes and includes:\n\n- wheeling the moped or motorcycle and using the stand\n\n- riding a slalom and figure of 8\n\n- a slow ride\n\n- a U-turn\n\n- cornering and a controlled stop\n\n- cornering and an emergency stop\n\n- cornering and hazard avoidance\n\nFor the hazard avoidance and emergency stop exercises you must ride at a minimum speed of:\n\n- 19 mph on a moped\n\n- 31 mph on a motorcycle\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 1 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 1 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 5 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate - you need to take this to the module 2 test\n\nIf you\u2019re upgrading your licence through \u2018progressive access\u2019, you must pass module 2 within 6 months. You have to pass module 1 again if you do not.\n\n## If you do not pass\n\nYou\u2019ll have to book another module 1 test and pay again. You have to choose a date at least 3 working days away.\n\nIf you\u2019ve already booked the module 2 test you might need to change the date, since you must pass module 1 before you can take module 2.\n\nYou\u2019ll lose your fee if you do not give 3 full days\u2019 notice to cancel your module 2 test. Sundays and public holidays do not count as working days.\n\n## Module 2 on-road test: what happens\n\nYou must pass module 1 before you can take the module 2 test.\n\nYou can book both modules at the same time, but if you do not pass module 1 you must wait 3 working days before you can retake it.\n\nThe module 2 test normally takes about 40 minutes and includes:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- road riding\n\n- independent riding\n\nYou must bring your module 1 pass certificate to the module 2 test, plus all the documents you had to bring to the module 1 test.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nYou\u2019ll fail your riding test if you fail the eyesight check.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.\n\n## Road riding\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways. You\u2019ll be asked to carry out:\n\n- normal stops\n\n- an angle start (pulling out from behind a parked vehicle)\n\n- a hill start (where possible)\n\nThe examiner will give you directions using a radio. They\u2019ll normally follow you on a motorcycle.\n\nDriving test routes are not published, so you can not check them before your test.\n\n## Independent riding\n\nYou\u2019ll have about 10 minutes of independent riding. This is designed to assess your ability to ride safely while making your own decisions.\n\nYou can ask the examiner to repeat the directions if you forget them - you will not fail the test if you go off the route. You can not use sat nav.\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 2 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 2 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 10 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nYou can start riding without L plates straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nYou have to book another module 2 test and pay again. You have to choose a date at least 10 working days away.\n\n## If your test is cancelled or there\u2019s bad weather\n\nYour riding test can be cancelled or stopped because of bad weather, problems with your vehicle, or for other reasons.\n\n## Bad weather\n\nRiding tests are not carried out in dangerous weather conditions, for example when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is in your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your vehicle\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example if you feel unwell while taking your test\n\n- your vehicle, for example if it breaks down during the test or does not meet the rules\n\n## Your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your tests you should say if you have a:\n\n- disability\n\n- learning difficulty\n\n- health condition\n\nYou\u2019ll still have to ride to the same standard to pass, but the examiner can make adjustments for your situation.\n\nIf your health condition or disability means you cannot wear a face covering to your test, you or your instructor must tell DVSA when booking.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour motorcycle instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge.\n\n## You have reading difficulties\n\nYou\u2019ll do an eyesight check at the start of the module 2 test. The examiner will ask you to read the number plate on a parked vehicle.\n\nYou can write down what you see if you have reading difficulties.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent riding part of the module 2 test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.\n\nYou might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.\n\n## You\u2019re pregnant\n\nYou can take the tests at any stage of your pregnancy. However, you must be able and willing to:\n\n- do an emergency stop\n\n- manually handle and wheel the motorcycle\n\n- do the cornering and hazard avoidance exercise", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/motorcycle-test", + "answerable": true, + "scenario": "I was practising automatic motorcycle and after some 100 days of training I attended the test and passed at the first attempt. I am considering to drive semi-automatic motorcycle", + "original_question": "Can I drive semi-automatic motorcycle if I pass automatic motorcycle driving license ?" + }, + { + "id": "train-492", + "question": "Scenario: We own a fleet of lorries for our business and, currently, store them out our facility in Dover. We have an operator's licence. We are looking to open a new operating centre near Newcastle, and will be storing some new lorries there.\n\nQuestion: Do we need to update our operator's licence for this new location?\n\nDocument - Being a goods vehicle operator:\n## Overview\n\nYou need a goods vehicle operator\u2019s licence if your business uses goods vehicles above a certain weight.\n\nThe rules are different if you\u2019re in Northern Ireland.\n\nYou need a licence to carry goods in a lorry, van or other vehicle with either:\n\n- a gross plated weight (the maximum weight that the vehicle can have at any one time) of over 3,500 kilograms (kg)\n\n- an unladen weight of more than 1,525 kg (where there is no plated weight)\n\nThere are 3 different types of licence - what you need depends on the work you do.\n\nYou must also make sure that any drivers you use or employ have the correct licence and training. All vehicles that you use should be correctly taxed and kept safe and in good condition at all times.\n\nSome goods vehicles do not need an operator\u2019s licence - read more about the exemptions.\n\n## Motor vehicles and trailers\n\nYou\u2019ll need a goods vehicle operator\u2019s licence for a motor vehicle and trailer combination if:\n\n- the motor vehicle and the trailer(s) are plated and the total of their gross plated weights is more than 3,500 kg\n\n- the total unladen weight of the vehicle and trailer combination is more than 1,525 kg\n\nYou do not need an operator\u2019s licence if your trailer\u2019s unladen weight is less than 1,020 kg and you only carry your own goods.\n\n## Carrying goods for hire or reward\n\nYou\u2019ll need a standard licence if you\u2019re carrying other people\u2019s goods for hire or reward (such as working as a courier or freight transport business) and the vehicle and trailer combination exceeds the weight limits above for a single vehicle.\n\n## Types of licence\n\nThere are 3 different types of operator\u2019s licence for goods vehicles. The licence you need depends on where you transport goods to and from, and who you do it for.\n\n## Standard national licence\n\nThis licence means you can carry:\n\n- your own goods in the UK and internationally\n\n- other people\u2019s goods in the UK\n\nYou can also take loaded trailers to or from ports within the UK as part of an international journey, as long as your vehicles do not leave the country.\n\n## Standard international licence\n\nThis licence means you can carry your own goods, and other people\u2019s goods, both in the UK and on international journeys.\n\nAfter you get a standard international licence, you can also request the issue of a UK Licence for the Community. A UK Licence for the Community allows:\n\n- trips between all EU member countries\n\n- transit traffic through EU member countries\n\n- cabotage (a journey entirely within one EU country)\n\n## Restricted licence\n\nThis licence allows you to carry your own goods, but not other people\u2019s goods.\n\nYour licence will continue to be valid as long as you pay your continuation fee every 5 years and operate within the terms of your licence. You\u2019ll be contacted every 5 years to make sure that your licence shows the correct information.\n\nContact the Driver and Vehicle Standards Agency (DVSA) if you have any questions about vehicle licences.\n\n## Transport outside the EU\n\nContact the DVSA International Road Haulage Permits Office for help with applications for transport outside certain EU countries.\n\n## Apply for a licence\n\nThe goods vehicle operator licensing scheme is administered by the Driver and Vehicle Standards Agency (DVSA) on behalf of the traffic commissioners.\n\nThe rules and fees are different if you\u2019re in Northern Ireland.\n\n## How to apply for a licence\n\nYou can apply for a goods vehicle operator\u2019s licence online.\n\nYou\u2019ll also need to:\n\n- advertise your application for a licence\n\n- advertise your proposed operating centre(s)\n\n- designate a transport manager if you\u2019re applying for a standard licence\n\n- provide information about your financial situation\n\n- draw up a maintenance contract with a garage or agent to do safety inspections and repair vehicles if you do not do this yourself\n\nYou\u2019ll have to pay a fee to apply for a licence.\n\nYou\u2019ll usually get a decision on your application within:\n\n- 7 weeks if you apply online\n\n- 9 weeks if you apply by post\n\n## Apply for an interim licence\n\nIf you need a licence urgently, you can apply for an interim licence until you get your full licence.\n\nThe traffic commissioner will only consider issuing an interim licence on receipt of a complete application for an operator\u2019s licence.\n\n## What the traffic commissioners do\n\nThere are 8 traffic areas in Great Britain with a traffic commissioner responsible for each area. You\u2019ll need to hold a goods vehicle operator\u2019s licence for each traffic area where you have an operating centre.\n\nTraffic commissioners are responsible in their area for:\n\n- licensing operators of Heavy Goods Vehicles (HGVs)\n\n- granting vocational licences\n\n- taking action against drivers of HGVs\n\nWhen necessary, they also hold public inquiries to consider:\n\n- the environmental suitability of HGV operating centres\n\n- applications for new licences\n\n- disciplinary action against operators who have broken the conditions of their licences\n\n## Fees for goods vehicle licences\n\nWhen applying for a goods vehicle operator\u2019s licence, you\u2019ll have to pay:\n\n- a one-off fee payable on application\n\n- a fee for the issue of a licence\n\n- a fee for the issue of an interim licence (if applicable)\n\nYou\u2019ll then have to pay a continuation fee every 5 years to keep your licence active.\n\n| Action | Fee |\n\n| Application for a licence | \u00a3257 |\n\n| Issue of a licence | \u00a3401 |\n\n| Continuation of a licence after 5 years | \u00a3401 |\n\n| Issue of an interim licence | \u00a368 |\n\n| Major change to a licence | \u00a3257 |\n\n## How to pay\n\nYou can pay your fees:\n\n- online when you apply for a vehicle operator licence\n\n- by phone - call the DVSA Helpline on 0300 123 9000 to pay for the interim, issuing and continuation fees (find out about call charges)\n\n- by post - cheques should be made payable to \u2018DVSA\u2019 and sent to the following address\n\n## Operating centres\n\nYour operating centre is where your vehicles are normally kept when not in use. When you apply for an operator\u2019s licence, you\u2019ll be asked to give the address of your proposed centre(s) and information about the numbers of trailers and vehicles you will keep there.\n\nYou\u2019ll need to show that your operating centre:\n\n- is large enough\n\n- has safe access\n\n- is in an environmentally acceptable location\n\nIf you do not own the operating centre, you must show that you\u2019re allowed to use it.\n\n## Advertising your application for a goods vehicle operator\u2019s licence\n\nYou must advertise your application for a licence in a local newspaper and supply details of your proposed operating centre. This advertisement must appear at least once in the period from 21 days before to 21 days after you make your application, to give people the chance to object.\n\nYour application may be refused if you do not advertise the centre properly.\n\n## Objecting to an application for a goods vehicle operator licence\n\nLocal councils, planning authorities, police, trade associations, trade unions and other bodies may object to your application for a licence.\n\nObjections may be made on the grounds of:\n\n- your fitness to operate\n\n- your financial arrangements\n\n- your professional competence\n\n- the environmental impact of the operating centre\n\n- the general suitability of the centre\n\nYour operating centre will need to meet certain conditions and not interfere with any local amenities. Certain things will be taken into account, like:\n\n- its effect on the surrounding environment\n\n- planning permissions or applications relating to the centre or the land near it\n\n- the number, type and size of vehicles using the centre\n\n- where and how vehicles will park\n\n- how often and for what purpose the centre will be used\n\n## Maintaining your vehicles\n\nYou must keep your vehicles safe and in good condition at all times. You\u2019ll have to keep records of all safety inspections and maintenance that you or your maintenance contractor do for a minimum of 15 months.\n\n## Carrying out your own inspections and maintenance\n\nIf you carry out your own safety inspections and maintenance, you must keep records that include:\n\n- vehicle details\n\n- a list of all items to be inspected\n\n- when and by whom the inspection is carried out\n\n- the result of the inspection\n\n- details of any work carried out\n\n- a declaration that any defects have been properly fixed\n\n## Walkaround checks\n\nYou must make sure your drivers carry out a \u2018walkaround check\u2019 before driving a vehicle for the first time each day.\n\n## Using a maintenance provider\n\nIf you do not do this work yourself, you must provide the traffic commissioner with a copy of a contract with a maintenance provider. You\u2019re still responsible for the condition of your vehicles and trailers, even if they are maintained for you by someone else.\n\nRead the guidance to find out how to keep your vehicle in a roadworthy condition.\n\nThere are also specific roadworthiness checks for recovery vehicles and for horse boxes and trailers.\n\n## Employing or using drivers\n\nIf you employ or give work to drivers, you must check that they have the correct licence and training to drive goods vehicles.\n\nProfessional lorry drivers need to hold a Driver Certificate of Professional Competence (Driver CPC).\n\nIf you employ or give work to foreign drivers, you should make sure they understand the rules for driving in the UK. The Highways Agency has produced guides for foreign HGV drivers in 6 languages.\n\n## Make changes to your licence\n\nYou can make changes to your goods vehicle operator\u2019s licence once you have it, for example add more vehicles to it.\n\nYou can update your licence online.\n\nYou must apply by post if you want to transfer your operating centre to another operator. Download and fill in form GV72 - the address is on the form.\n\n## Order a replacement licence\n\nWrite to the Office of the Traffic Commissioner if you need to replace your licence.\n\n## What happens if you break the terms of your licence\n\nThe Driver and Vehicle Standards Agency carries out regular roadside vehicle checks and checks on operating centres. They then submit information to the independent traffic commissioners.\n\nYour vehicle may be prohibited or immobilised if a DVSA roadside check finds that:\n\n- it\u2019s been overloaded\n\n- it\u2019s unroadworthy\n\n- it breaks the rules on the transport of dangerous goods\n\n- a driver has broken drivers\u2019 hours regulations\n\nYour licence could be taken away, suspended or restricted by the traffic commissioner if you:\n\n- break any of the terms or conditions of your licence\n\n- do not meet health and safety conditions\n\n- are convicted of certain offences\n\n- are made bankrupt or (if the licence holder is a company) that company goes into liquidation, administration or receivership\n\n- use a place not listed on the licence as an operating centre\n\n- are given a prohibition notice by DVSA following an inspection\n\nThe traffic commissioner may decide to call you to a public inquiry to consider if any action against your licence is necessary.\n\n## Exemptions\n\nYou do not need a goods vehicle operator\u2019s licence if your vehicle:\n\n- was first used before 1977, has an unladen weight of 1,525 kilograms or less and a maximum gross plated weight over 3,500 kilograms\n\n- is using public roads for less than 6 miles a week whilst moving between private premises belonging to the same person as the vehicle (if the vehicle\u2019s used for excavation or demolition it does not matter who it belongs to)\n\n- is being used on trade plates\n\n- is a passenger carrying vehicle\n\n## Categories of vehicles that are exempt\n\nSeveral types of vehicle do not need an operator\u2019s licence, including:\n\n- military vehicles\n\n- snow ploughs and gritters\n\n- emergency service vehicles (including those used by gas, electricity, water and telephone companies)\n\n- hearses\n\n- recovery vehicles (only if they\u2019re used exclusively for that purpose)\n\n- tractors and agricultural vehicles used in certain circumstances\n\nRead the guidance to find out more about the vehicle operator licensing system.\n\n## Categories of vehicles that are not exempt\n\nThese types of vehicles are never exempt:\n\n- mobile exhibition vehicles\n\n- catering vehicles\n\n- mobile shops\n\n- mobile medical screening vehicles\n\n- vehicles with fixed equipment carrying goods not strictly for use in connection with that equipment, or towing a trailer that\u2019s carrying goods", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/being-a-goods-vehicle-operator", + "answerable": true, + "scenario": "We own a fleet of lorries for our business and, currently, store them out our facility in Dover. We have an operator's licence. We are looking to open a new operating centre near Newcastle, and will be storing some new lorries there.", + "original_question": "Do we need to update our operator's licence for this new location?" + }, + { + "id": "train-493", + "question": "Scenario: I am 24 years old, and I have a 23 year old partner who is dependant on me. We are not married. I am receiving an undergraduate loan, and I am studying at university. My partner has no income nor loans.\n\nQuestion: Will I be eligible to receive an adult's dependant's grant?\n\nDocument - Adult Dependants' Grant:\n## Overview\n\nIf you\u2019re a full-time student in higher education and an adult depends on you financially, you can apply for an Adult Dependants\u2019 Grant of up to:\n\n- \u00a33,190 for the 2021 to 2022 academic year\n\n- \u00a33,094 for the 2020 to 2021 academic year\n\nThe grant:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\nYou cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.\n\n## What you'll get\n\nThe maximum Adult Dependants\u2019 Grant is:\n\n- \u00a33,190 for the 2021 to 2022 academic year\n\n- \u00a33,094 for the 2020 to 2021 academic year\n\nYou do not have to pay this money back.\n\nAdult Dependants\u2019 Grant will affect any income-related benefits and tax credits you might get.\n\n## What it\u2019s based on\n\nThe amount you get depends on:\n\n- your income\n\n- the adult dependant\u2019s income\n\n- your personal circumstances, for example if you\u2019re married or have children\n\n- what other grants you\u2019re receiving, for example Childcare Grant\n\n## How you\u2019re paid\n\nThe money is paid in 3 instalments (one at the start of each term) directly into your bank account.\n\n## Eligibility\n\nUsually the adult dependant will be:\n\n- your husband, wife, partner or civil partner\n\n- a relative, such as a parent or grandparent\n\nIf you\u2019re under 25, the adult dependant cannot be your partner unless you\u2019re married or in a civil partnership.\n\nYou\u2019re not eligible if the adult dependant is:\n\n- your child\n\n- a relative who earns more than \u00a33,796 a year\n\n- getting student finance\n\nYou cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.\n\n## How to apply\n\n- Fill in the Adult Dependants\u2019 Grant section on your main student finance application - you\u2019ll need to give estimates of your household income.\n\n- Student Finance England will assess your application and contact you if they need more information.\n\n- Student Finance England will send you a letter telling you if you qualify and how much money you\u2019ll get.\n\n## Supporting information\n\nStudent Finance England may contact you and ask for further information on your financial circumstances. This can include a copy of:\n\n- your P60\n\n- Child Benefit details\n\n- family tax credits details\n\n- financial information from your partner, for example bank statements", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/adult-dependants-grant", + "answerable": true, + "scenario": "I am 24 years old, and I have a 23 year old partner who is dependant on me. We are not married. I am receiving an undergraduate loan, and I am studying at university. My partner has no income nor loans.", + "original_question": "Will I be eligible to receive an adult's dependant's grant?" + }, + { + "id": "train-495", + "question": "Scenario: I am going to be taking my theory test for motorcycle training. When I was doing my practice for the theory exam, I could not answer all of the questions straight away.\n\nQuestion: Do I have to answer the questions one at a time?\n\nDocument - Theory test: motorcycles and mopeds:\n## Booking your test\n\nYou need to have a provisional motorcycle licence to book your theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You have to pass both parts to pass the test.\n\n## When you can take the theory test\n\nYou can take the theory test from your:\n\n- 16th birthday onwards if you\u2019re learning to ride a moped (no more than 50cc)\n\n- 17th birthday onwards if you\u2019re learning to ride a motorcycle\n\nYou can take the theory test before or after you\u2019ve taken compulsory basic training (CBT).\n\n## Who needs to take the theory test\n\nYou usually need to have passed a motorcycle theory test before you take the motorcycle test.\n\nFind out which motorcycles you can ride and which tests you need to take.\n\nYou do not need to take the theory test if you passed a moped test after 1 July 1996 and want to either:\n\n- take the motorcycle test on a category A1 small motorcycle\n\n- upgrade your motorcycle licence under the \u2018progressive access\u2019 (also known as \u2018staged access\u2019) rules\n\n## If you have a car licence\n\nYou have to pass a motorcycle theory test before taking the motorcycle test.\n\n## If your licence is not from Great Britain\n\nFind out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.\n\n## Change or check your test details\n\nYou can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.\n\n## Theory test revision and practice\n\nYou can use books and software to revise for the theory test and take practice tests.\n\n## Multiple-choice questions\n\nThe questions in the theory test are based on 3 books:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Riding - the essential skills\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them from most high street and online book shops.\n\n## Take a practice test\n\nTake a practice theory test to check how much you\u2019ve learnt.\n\nThe practice questions are not used in the real test, but they\u2019re based on the same topics as the test.\n\n## Hazard perception part\n\nBuy the official guide to hazard perception for your PC or Mac to learn hazard perception skills and then test them.\n\nYou can buy it from most high street and online book shops.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 57 minutes to answer 50 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\nSome questions are given as a case study. The case study will:\n\n- show a short story that 5 questions will be based on\n\n- be about a real life situation you could come across when driving\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou get the result at the test centre after taking the theory test. You need to pass both parts to pass the test.\n\n| Test part | Pass mark | Points available |\n\n| Multiple-choice questions | 43 | 50 |\n\n| Hazard perception | 44 | 75 |\n\n## If you pass\n\nYou\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your motorcycle test.\n\nYour pass certificate number lasts for 2 years. You need to pass both modules of the motorcycle test in that time, otherwise you\u2019ll have to pass the theory test again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou have to book and take the full test again, even if you passed one part this time.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have a reading difficulty, disability or health condition\n\nWhen you book your theory test you should say if you have a:\n\n- reading difficulty\n\n- disability\n\n- health condition\n\n## You have reading difficulties\n\nYou can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.\n\nYou can listen to the questions and possible answers as many times as you need to.\n\n## Other types of support\n\nYou can get other support during your theory test if you send proof that you have reading difficulties.\n\nThis can be an email, letter or report from:\n\n- a teacher or other educational professional\n\n- a doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association\n\nYou can get:\n\n- extra time to take the test\n\n- someone to read what\u2019s on the screen and record your answers\n\n- someone to reword the questions for you\n\nThe Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.\n\nIf DVSA agrees that you need extra support, they will send you an email with:\n\n- a reference number (you will need this when you book your test)\n\n- instructions on how to book your test\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple choice questions part of the theory test.\n\n## Reading what\u2019s on the screen and recording your answers\n\nA member of staff at the test centre can read out the instructions and questions on the screen.\n\nThey can also record your answers to the multiple-choice questions.\n\nThis can be done by either:\n\n- listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen\n\n- the member of staff sitting near you in the test room\n\n## Rewording the questions for you\n\nYou can ask for a member of staff to reword the theory test questions to make them easier for you to understand.\n\nThe person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.\n\nYou still need to answer each question yourself.\n\n## You\u2019re deaf or have a hearing impairment\n\nYou can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.\n\nA BSL video appears on the screen next to the questions and answers.\n\n## Take a BSL interpreter\n\nYou can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.\n\n## Hearing loop and lip speakers\n\nYou can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).\n\nTo use either service you\u2019ll need to contact DVSA before your test.\n\n## Other disabilities or health conditions\n\nContact DVSA to discuss any other disability or health condition before you book your test.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/motorcycle-theory-test", + "answerable": true, + "scenario": "I am going to be taking my theory test for motorcycle training. When I was doing my practice for the theory exam, I could not answer all of the questions straight away.", + "original_question": "Do I have to answer the questions one at a time?" + }, + { + "id": "train-502", + "question": "Scenario: I want to study a Phd. The course will be full-time study and will last five years. I am 27 years old, and I am a UK citizen who will spend 80% of their time in the UK over this period.\n\nQuestion: Will I be eligible for a doctoral loan?\n\nDocument - Doctoral Loan:\n## Overview\n\nA Postgraduate Doctoral Loan can help with course fees and living costs while you study a postgraduate doctoral course, such as a PhD.\n\nThere\u2019s different funding if you normally live in Wales. Moving somewhere to study does not count as normally living there.\n\nYou can also get extra support if you have a disability.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## When you can apply\n\nYou\u2019ll be able to apply for funding for the 2021 to 2022 academic year from summer 2021. Applications are not yet open - this guide will be updated as soon as they are.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a327,265 if your course starts on or after 1 August 2021\n\n- \u00a326,445 if your course starts between 1 August 2020 and 31 July 2021\n\n- \u00a325,700 if your course started between 1 August 2019 and 31 July 2020\n\nThe amount you\u2019ll get is not based on you or your family\u2019s income.\n\nThe Department for Work and Pensions (DWP) may take account of the loan when working out any benefits you receive.\n\nThe loan is paid directly to you. You can use it for your course fees and living costs.\n\nThe loan will be divided equally across each year of your course.\n\n## If you apply after your first year\n\nYou can apply for a Postgraduate Doctoral Loan in any year of your course. But if you apply after your first year, you might not get the maximum amount.\n\nYou can get up to:\n\n- \u00a311,570 each year if your course starts on or after 1 August 2021\n\n- \u00a311,222 each year if your course started between 1 August 2020 and 31 July 2021\n\n- \u00a310,906 each year if your course started between 1 August 2019 and 31 July 2020\n\n## When you\u2019re paid\n\nYou get the first payment after your course start date, once your university or college confirms that you\u2019ve registered.\n\nThe loan will be paid in 3 instalments of 33%, 33% and 34% each year. After your application has been approved you\u2019ll be sent a letter with your payment dates or you can check them in your online account.\n\n## Eligibility\n\nWhether you qualify depends on:\n\n- your course\n\n- your age\n\n- your nationality or residency status\n\nYou will not be able to get a Postgraduate Doctoral Loan if:\n\n- you\u2019ve received or will receive Research Council funding (for example, studentships, stipends, scholarships and tuition fee support)\n\n- you\u2019re already getting a social work bursary\n\n- you\u2019re already getting an Educational Psychology bursary and your course starts on or after 1 August 2020\n\n- you\u2019re eligible to apply for an NHS bursary (even if you\u2019re not receiving it)\n\n- you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying\n\n- you\u2019ve received a Postgraduate Doctoral Loan before - unless you left your course due to illness, bereavement or another serious personal reason\n\n- you already have a doctoral degree, or a qualification that\u2019s equivalent or higher\n\n- you\u2019re receiving a doctorate by publication\n\n- you\u2019re behind in repayments for any previous loans from the Student Loans Company\n\n## Your course\n\nIt must:\n\n- be a full, standalone doctoral course (not a top-up course)\n\n- have started on or after 1 August 2018\n\n- last between 3 to 8 academic years\n\n- be provided by a university in the UK with research degree awarding powers\n\nIf more than one university delivers your course and one is overseas, you\u2019ll still be eligible for the Postgraduate Doctoral Loan so long as:\n\n- the UK university is the lead institution\n\n- you spend at least 50% of your study time over the whole course in the UK\n\nIt can be:\n\n- full-time or part-time\n\n- taught or research-based, or a combination of both\n\nExamples of postgraduate doctoral qualifications include:\n\n- PhD / DPhil (Doctor of Philosophy)\n\n- EdD (Doctor of Education)\n\n- EngD (Doctor of Engineering)\n\n## Integrated doctorals\n\nYou can apply for a loan if your doctoral programme includes an integrated master\u2019s degree (even if you already have a master\u2019s degree).\n\nYou must register for a full doctoral degree.\n\nYou will not be able to apply for a separate Postgraduate Master\u2019s Loan.\n\n## Distance learning\n\nTo qualify for a Postgraduate Doctoral Loan for distance learning, you\u2019ll need to be living in England on the first day of the first academic year of your course.\n\nYou\u2019ll also need to live in:\n\n- England for the whole of your course, if you\u2019re an EU national\n\n- the UK for the whole of your course, if you\u2019re not an EU national\n\nThis usually does not apply if you\u2019re:\n\n- serving in the armed forces\n\n- a spouse or civil partner of a serving member of the armed forces\n\n- a dependent parent living with a serving member of the armed forces\n\n## Your age\n\nYou must be under 60 on the first day of the first academic year of your course.\n\nThe academic year is a period of 12 months starting on:\n\n- 1 September, if your course starts between 1 August and 31 December\n\n- 1 January, if your course starts between 1 January and 31 March\n\n- 1 April, if your course starts between 1 April and 30 June\n\n- 1 July, if your course starts between 1 July and 31 July\n\n## Your nationality or residency status\n\nYou can apply for the Postgraduate Doctoral Loan if all of the following are true:\n\n- you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay\n\n- you normally live in England\n\n- you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday\n\nYou may also be eligible if you\u2019re a UK national (or family member of a UK national) who either:\n\n- returned to the UK on or after 1 January 2018 and by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- was living in the EU, Switzerland, Norway, Iceland or Liechtenstein on 31 December 2020 and has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years\n\n## If you\u2019re an EU national or a family member of an EU national\n\nYou may be eligible if you\u2019re an EU national, or a family member of an EU national, and all the following apply:\n\n- you have settled or pre-settled status under the EU Settlement Scheme (no restrictions on how long you can stay)\n\n- you\u2019ve normally lived in the UK, Gibraltar, EU, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years (this is also known as being \u2018ordinarily resident\u2019)\n\n- you\u2019ll be studying at a university in England\n\nYou could also be eligible if you\u2019re:\n\n- the child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme\n\n- a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein, or a family member of one with settled or pre-settled status\n\n- a resident of Gibraltar who is a UK or EU national, or their family member\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## If you have a different residency status\n\nYou may also be eligible if your residency status is one of the following:\n\n- refugee (including family members)\n\n- humanitarian protection (including family members)\n\n- child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020\n\n- a stateless person (including family members)\n\n- an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment\n\n- a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)\n\n- granted \u2018Calais leave\u2019 to remain\n\n- a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)\n\n- you\u2019ve been given settled status but not under the EU Settlement Scheme\n\n- you\u2019ve been given indefinite leave to remain because you\u2019ve been the victim of domestic violence\n\n- you\u2019ve been granted indefinite leave to remain as a bereaved partner\n\n- you\u2019re the family member of a person of Northern Ireland and you have pre-settled status under the EU Settlement Scheme\n\n## If you\u2019re a non-UK national and have lived in the UK for a certain number of years\n\nYou could also be eligible if you\u2019re not a UK national and are either:\n\n- under 18 and have lived in the UK for at least 7 years\n\n- 18 or over and have lived in the UK for at least 20 years (or at least half of your life)\n\nYou must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.\n\n## How to apply\n\nYou can apply now for courses that start or started in the following academic years:\n\n- 2020 to 2021\n\n- 2019 to 2020\n\n- 2018 to 2019\n\nYou can apply in summer 2021 for courses that start in the academic year 2021 to 2022. Applications are not yet open - this guide will be updated as soon as they are.\n\nCheck whether you\u2019re eligible before you apply.\n\nYou only need to apply once for the Postgraduate Doctoral Loan. Student Finance England will write to you in the summer to tell you how much you\u2019ll get in the next academic year.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## Apply online\n\nIf you\u2019ve taken out a loan with Student Finance England before, use your account to apply.\n\nIf you do not already have one, set up an account.\n\n## Apply by post\n\nIf you cannot apply online, apply by post \u2013 the address is on the form.\n\n## If your course starts in the 2020 to 2021 academic year\n\n## If your course starts in the 2019 to 2020 academic year\n\n## If your course started in the 2018\u00a0to 2019\u00a0academic year\n\nRead the student finance privacy notice to find out how the information you provide will be used.\n\n## When to apply by\n\nThe deadline for applying depends on when you start your course.\n\nYou need to apply within 9 months of the first day of the last academic year of the course.\n\n## The academic year\n\nThe academic year is a period of 12 months.\n\n| Course start date between | First day of academic year |\n\n| 1 August and 31 December | 1 September |\n\n| 1 January and 31 March | 1 January |\n\n| 1 April and 30 June | 1 April |\n\n| 1 July and 31 July | 1 July |\n\n## Proof of identity\n\nInclude valid UK passport details in your application.\n\nUse the \u2018UK passport details\u2019 form if you need to send the details after your application. Do not send the passport itself.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re an EU national, send your passport or national identity card.\n\n## Supporting information\n\nYou should use the evidence return form for extra information to support your application, for example evidence of your residency status.\n\nYou may also be asked to complete the UK employment status form.\n\n## Change an application\n\nUse your online account to change your personal details, for example bank or contact details. Contact Student Finance England directly if you do not have an account.\n\n## Change the amount you\u2019ve asked for\n\nUse the loan request form to change the amount you\u2019ve applied for - you cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course starts in the 2019 to 2020 academic year:\n\n## Other changes\n\nUse the change of circumstances form if you need to change any other details, for example your university or course. You cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course starts in the 2019 to 2020 academic year:\n\n## Taking a break or withdrawing from your course\n\nTell Student Finance England and your institution straight away if you need to withdraw from your course. It may affect your future payments and eligibility for funding.\n\n## Extra help\n\nYou may qualify for other funding, for example grants from charities or trusts.\n\nStudent Finance England also has more information about other kinds of student finance.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## Disabled students\n\nIf you have a disability, long-term health condition, mental health condition or specific learning difficulty (for example dyslexia) you can apply for:\n\n- Disabled Students\u2019 Allowance\n\n- extra help if you\u2019re experiencing financial hardship\n\nYou may also qualify for disability related benefits.\n\n## Further information\n\nYou can learn more about the Postgraduate Doctoral Loan at the Student \nRoom website.\n\nContact Student Finance England if you have further questions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/doctoral-loan", + "answerable": true, + "scenario": "I want to study a Phd. The course will be full-time study and will last five years. I am 27 years old, and I am a UK citizen who will spend 80% of their time in the UK over this period.", + "original_question": "Will I be eligible for a doctoral loan?" + }, + { + "id": "train-504", + "question": "Scenario: I am a widow and my late husband died during a war while serving in the British army in 1991. I receive war pension benefits. My daughter is attending for a full time Bachelor in Pharmacy at Bristol University.\n\nQuestion: Can my daughter qualify for the scholarship?\n\nDocument - Scholarships for children whose parent died in service:\n## Overview\n\nYou can apply for help with the costs of further and higher education if all of the following are true:\n\n- one of your parents died as a result of their service in the armed forces\n\n- your parent died on or after 1 January 1990\n\n- you\u2019re 16 or over and in full-time education\n\n- you or a surviving parent receive bereavement benefits from the Armed Forces Compensation scheme, War Pension scheme or Armed Forces Attributable Benefits scheme\n\nYou cannot apply if you were the foster child of the person who died.\n\n## What you can use the scholarship for\n\nYou can use the money to pay tuition fees and your maintenance for:\n\n- a further education course of up to 3 years\n\n- your first undergraduate course at a UK university or other higher education institution (such as a college or art school) - this can include study abroad if it\u2019s part of the course\n\n- a higher level technical education course at qualification levels 4, 5 or 6\n\nIf you\u2019re unsure about the type of course ask the college or university you want to apply to.\n\n## What you'll get\n\nIn the 2018 to 2019 academic year you can apply for up to:\n\n- \u00a31,500 for a further education course\n\n- \u00a39,250 for tuition fees and \u00a34,950 for a Maintenance Grant for a higher education or higher level technical education course\n\nIf you\u2019re studying in Scotland, Northern Ireland or Wales, you can apply for up to \u00a39,000 for tuition fees and \u00a34,950 for a Maintenance Grant.\n\n## How the payments are made\n\nPayments are made 3 times a year no later than:\n\n- 31 October\n\n- 31 January\n\n- 30 April\n\nYour college or university must have confirmed that you\u2019re registered for a course and attending before any payment is sent.\n\nPayments can be backdated in some circumstances, for example you become eligible for a scholarship and apply while studying.\n\nFurther education scholarships are paid to either you or your parent or guardian.\n\nUniversity and other higher education scholarships are paid directly to you.\n\nAll scholarships are tax free.\n\n## How to apply\n\nDownload and fill in the bereavement scholarship scheme application.\n\nPost your application to the address on the form.\n\nIf you\u2019re applying for a higher education scholarship (for example, an undergraduate degree from a UK university), also include:\n\n- a letter from the college or university confirming that you\u2019ve accepted their offer of a place\n\n- proof of the fees, for example a photocopy of your tuition fees invoice\n\n## Deadlines\n\nVeterans UK must receive your application by 31 January in the academic year of your further education or university course.\n\nYou can apply from 1 April in the academic year you\u2019ll begin studying.\n\n## What happens next\n\nThe Veterans UK Scheme Administrator will get in touch to confirm whether you\u2019re eligible for the scholarship you\u2019ve applied for.\n\nHow long it takes to find out if you\u2019re eligible depends on the evidence you provide with your application.\n\n## If you\u2019re applying for a university or higher education scholarship\n\nRegister with the Student Loans Company to ensure you\u2019re charged UK student fees for your course.\n\n## Appeals\n\nIf you disagree with the decision you must appeal to Veterans UK in writing.\n\n## Help with your application\n\nContact the Veterans UK helpline if you have any questions about the scholarships, for example what you need to do to apply or how to fill out the application form.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/support-military-bereaved-children", + "answerable": true, + "scenario": "I am a widow and my late husband died during a war while serving in the British army in 1991. I receive war pension benefits. My daughter is attending for a full time Bachelor in Pharmacy at Bristol University.", + "original_question": "Can my daughter qualify for the scholarship?" + }, + { + "id": "train-513", + "question": "Scenario: I am a 51 year old from Bolton and I have been removed from the ADI register after failing 3 standards checks due to health problems at the time. These have now been resolved.\n\nQuestion: Do I need to retake my ADI test?\n\nDocument - Approved driving instructor (ADI) standards check:\n## Overview\n\nThe approved driving instructor (ADI) standards check assesses your ability to teach pupils.\n\nThe ADI standards check has replaced the ADI check test.\n\nYou have to take at least one ADI standards check during each 4-year period that you\u2019re registered as an ADI.\n\nYou have to take a standards check even if you do not have a car or are not working as an ADI.\n\nYou can be removed from the ADI register if you do not book or go to your standards check.\n\nYou can only take standards checks in English or Welsh.\n\nThere are different rules for taking a standards check in Northern Ireland.\n\n## Book your ADI standards check\n\nYou\u2019ll get a letter from DVSA when you need to book your approved driving instructor (ADI) standards check.\n\nYou can book a standards check online. It doesn\u2019t cost anything.\n\nYou\u2019ll need your:\n\n- driving licence number\n\n- ADI personal reference number\n\nStart now\n\n## Get help to book\n\nContact DVSA if you need help booking your standards check.\n\n## What happens next\n\nYour examiner will call you a few days before your standards check to agree:\n\n- the exact start time\n\n- where you want the check to start from - this will be either the driving test centre or somewhere within 5 minutes of the test centre\n\n## What to take to your standards check\n\nYou must take:\n\n- your approved driving instructor (ADI) registration certificate\n\n- a face covering, unless it\u2019s not safe for you to wear one\n\n- a car that meets the requirements\n\n- a pupil\n\nYour pupil can be a:\n\n- partly trained learner\n\n- fully trained learner\n\n- full licence holder\n\nIf you bring a partly trained learner, they should be able to drive for 40 minutes without frequently stopping.\n\nYour pupil cannot be an ADI or someone who is preparing to take the ADI part 3 test.\n\n## Reasons why you must not go to your standards check\n\nDo not go to your ADI standards check if you or your pupil:\n\n- have coronavirus (COVID-19) symptoms, or someone you live with has symptoms\n\n- have been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- are self-isolating because you recently entered the UK\n\nContact DVSA if you\u2019re not able to go to your standards check.\n\n## Wearing a face covering\n\nYou and your pupil must each bring and wear a face covering for your standards check, unless it\u2019s not safe for you to do so. For example, because:\n\n- you have a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you cannot wear a face covering when you book your standards check. Otherwise, your standards check will be cancelled if you arrive without one.\n\nYou can take it off during your standards check if you need to avoid harm or injury.\n\n## Car requirements\n\nThe car you use for your standards check must:\n\n- be roadworthy, safe and reliable - this means it\u2019s less than 3 years old or has a valid MOT certificate\n\n- have working rear seat belts\n\n- be fitted with L plates (or D plates in Wales) if your pupil is a learner\n\nYou cannot use:\n\n- a soft-top convertible\n\n- a car with a 2+2 seating arrangement rather than full-size rear seats\n\nYour standards check will be cancelled if your car does not meet the requirements. Another appointment will be booked for you.\n\nYou can be removed from the ADI register if you keep bringing a car that does not meet the requirements.\n\n## COVID-19 safety\n\nBecause of COVID-19, you must clean the inside of your car before your standards check. This means:\n\n- tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Bad weather\n\nYou should call the standards check bookings team as soon as you can on the day of your standards check if there\u2019s bad weather. Ask to speak to the ADI examiner.\n\nIf nobody answers the phone, and the conditions in your area are not looking too bad, it\u2019s likely that the examiners are:\n\n- checking the local roads to see if driving tests can go ahead\n\n- taking driving tests because the conditions are suitable\n\nHowever, this is not a guarantee that your standards check will go ahead.\n\nYou should tell the standards check bookings team if your check is cancelled - they\u2019ll make a new appointment.\n\n## What happens at the standards check\n\nA Driver and Vehicle Standards Agency examiner will watch you give a driving lesson to your pupil.\n\nThe lesson will last about 45 minutes. They must be driving for at least 40 minutes.\n\nAt the start of the lesson, you should recap the goals for the lesson and discuss risk management with your pupil. This should take no more than 3 minutes.\n\nAt the end of the lesson, you should give your pupil about 3 minutes to reflect on their performance.\n\nThe examiner will look for evidence that you meet the national standards for driver and rider training.\n\n## What you\u2019ll be marked on\n\nYou\u2019ll be marked on 17 areas of competence that are grouped into 3 categories:\n\n- lesson planning\n\n- risk management\n\n- teaching and learning skills\n\nThe 17 areas of competence are listed in the ADI standards check report form, which the examiner will fill in during your check.\n\nYou\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to work out your grade.\n\nAfter you give the lesson, the examiner will discuss your performance and give you your grade. This will take about 15 minutes.\n\nYou can take your trainer or mentor with you, but they cannot take part in the lesson.\n\n## Your standards check result\n\nYou\u2019ll get your grade, along with your completed standards check form at the end of your standards check.\n\n| Total score | Grade | Description |\n\n| 0-30 | Fail | Your performance is unsatisfactory |\n\n| 31-42 | Grade B | You\u2019ll stay on the approved driving instructors (ADI) register |\n\n| 43-51 | Grade A | You have shown a high standard of instruction and you\u2019ll stay on the ADI register |\n\nYou\u2019ll automatically fail if:\n\n- you get a score of 7 or less in the \u2018risk management\u2019 category\n\n- the examiner stops the lesson because you\u2019ve put yourself or someone else in danger\n\n## If you fail the standards check\n\nYou\u2019ll have up to 2 more attempts to pass the standards check.\n\nIf you fail 3 times:\n\n- you\u2019ll be removed from the approved driving instructors (ADI) register\n\n- you\u2019ll have to retake the ADI tests to join the ADI register again\n\n## Complain about your standards check\n\nComplain to the Driver and Vehicle Standards Agency if you\u2019re not happy about the way your standards check was carried out.\n\n## Appeal your standards check\n\nYou can appeal if you think your examiner didn\u2019t follow the regulations when they carried out your standards check.\n\nYour result cannot be changed, but you might be able to take another standards check if your appeal is successful.\n\nContact your local magistrate\u2019s court within 6 months to appeal in England and Wales.\n\nIf you live in Scotland, contact your local sheriff\u2019s court within 21 days.\n\n## Old 'ADI check test' grades\n\nThe approved driving instructor (ADI) standards check replaced the ADI check test on 7 April 2014.\n\nOld ADI check test grades will apply until you take your first standards check.\n\nIf you got a grade 2 or 3 in your last ADI check test, you\u2019ll have 2 attempts to pass the new ADI standards check.\n\n## Old \u2018ADI check test\u2019 grades\n\n| Grade | Overall performance |\n\n| 6 | Very high |\n\n| 5 | Good |\n\n| 4 | Satisfactory |\n\n| 3 | Inadequate |\n\n| 2 | Poor |\n\n| 1 | Extremely poor |\n\n| E | Educational check test |\n\n## Educational check test grade\n\nEducational (E) grades will not be given to newly qualified instructors in the new standard checks.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/adi-standards-check", + "answerable": true, + "scenario": "I am a 51 year old from Bolton and I have been removed from the ADI register after failing 3 standards checks due to health problems at the time. These have now been resolved.", + "original_question": "Do I need to retake my ADI test?" + }, + { + "id": "train-516", + "question": "Scenario: I am 20 years old. I will be going on an unpaid training course, and I am looking up ways to be able to fund my lifestyle.\n\nQuestion: Are there any bursaries available for people of my age?\n\nDocument - 16 to 19 Bursary Fund:\n## Overview\n\nYou could get a bursary to help with education-related costs if you\u2019re aged 16 to 19 and:\n\n- studying at a publicly funded school or college in England - not a university\n\n- on a training course, including unpaid work experience\n\nA publicly funded school is one that does not charge you for attending it.\n\nThere\u2019s a different scheme in Wales, Scotland and Northern Ireland.\n\n## If you\u2019re 19 and over\n\nYou could also get a bursary if you either:\n\n- are continuing on a course you started aged 16 to 18 (known as being a \u201919+ continuer\u2019)\n\n- have an Education, Health and Care Plan (EHCP)\n\n## What a bursary is for\n\nA bursary is money that you, or your education or training provider, can use to pay for things like:\n\n- clothing, books and other equipment for your course\n\n- transport and lunch on days you study or train\n\n## What you'll get\n\nThere are 2 types of 16 to 19 bursary:\n\n- a bursary for students in vulnerable groups\n\n- a discretionary bursary\n\n## Bursary for students in vulnerable groups\n\nYou could get a bursary worth up to \u00a31,200, depending on your circumstances and benefits.\n\n## Discretionary bursary\n\nYou could get a discretionary bursary if you need financial help but do not qualify for a bursary for students in vulnerable groups. Your education or training provider decides how much you get and what it\u2019s used for.\n\nIf you\u2019re over 19, you\u2019ll only be eligible for a discretionary bursary.\n\nYour provider will decide how you get your bursary. You might get:\n\n- an instalment paid by cash, cheque or bank transfer\n\n- things like a travel pass, free meals or books\n\nSome providers also offer one-off payments to cover study trips or travel for university interviews.\n\nYour provider could stop payments if you break their rules, for example about attendance or how your bursary is used.\n\n## Eligibility\n\nYou must:\n\n- be at least 16 and under 19 on 31 August 2021\n\n- study at a publicly funded school or college, or be on an unpaid training course\n\n- meet the residency requirements - your school or college can check this\n\n## Bursary for students in vulnerable groups\n\nYou may be able to get a bursary if at least one of the following applies:\n\n- you\u2019re in or you recently left local authority care\n\n- you get Income Support or Universal Credit because you\u2019re financially supporting yourself\n\n- you get Disability Living Allowance (DLA) in your name and either Employment and Support Allowance (ESA) or Universal Credit\n\n- you get Personal Independence Payment (PIP) in your name and either ESA or Universal Credit\n\nThe amount you may get depends on the costs you have and what you need for your course. This might include money for books, equipment or travel costs to school or college.\n\n## Discretionary bursary\n\nYour school or college will have their own criteria for discretionary bursaries. They\u2019ll look at your individual circumstances - this usually includes your family income.\n\nAsk student services about their criteria and any evidence you\u2019ll need.\n\nYou can apply to a discretionary bursary if you\u2019re over 19 and either:\n\n- continuing on a course you started aged 16 to 18 (known as being a \u201819+ continuer\u2019)\n\n- have an Education, Health and Care Plan (EHCP)\n\n## How to claim\n\nApply to your school, college or training provider. Ask student services or your tutor to explain what you need to do.\n\n## When to apply\n\nApply once you know where you\u2019ll study or train, so you\u2019ll get your bursary as soon as possible.\n\nYou might need to reapply for a bursary for each year of your course. Check with your provider.\n\n## Help\n\nYour tutor or student services can help you decide if you\u2019re eligible for a bursary and explain how to apply.\n\nContact the Education and Skills Funding Agency (ESFA) if your tutor or student services cannot answer your question.\n\n## You think a decision is unfair\n\nSpeak to student services if you\u2019re unhappy with a decision. Follow their complaints process if you cannot resolve the problem.\n\n## Emergencies and hardship\n\nYou might be able to get more support if your circumstances change or you have an emergency. Your provider might also have a separate hardship fund. Speak to student services if you need extra help.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/1619-bursary-fund", + "answerable": true, + "scenario": "I am 20 years old. I will be going on an unpaid training course, and I am looking up ways to be able to fund my lifestyle.", + "original_question": "Are there any bursaries available for people of my age?" + }, + { + "id": "train-519", + "question": "Scenario: I'm 19 and now resuming a course at a publicly funded school after a two year gap for my mental health as a 19+ continuer. I'm struggling with the cost of books for school and I have been offered a discretionary bursary from my school.\n\nQuestion: Could the school stop the bursary if I break the school's rules?\n\nDocument - 16 to 19 Bursary Fund:\n## Overview\n\nYou could get a bursary to help with education-related costs if you\u2019re aged 16 to 19 and:\n\n- studying at a publicly funded school or college in England - not a university\n\n- on a training course, including unpaid work experience\n\nA publicly funded school is one that does not charge you for attending it.\n\nThere\u2019s a different scheme in Wales, Scotland and Northern Ireland.\n\n## If you\u2019re 19 and over\n\nYou could also get a bursary if you either:\n\n- are continuing on a course you started aged 16 to 18 (known as being a \u201919+ continuer\u2019)\n\n- have an Education, Health and Care Plan (EHCP)\n\n## What a bursary is for\n\nA bursary is money that you, or your education or training provider, can use to pay for things like:\n\n- clothing, books and other equipment for your course\n\n- transport and lunch on days you study or train\n\n## What you'll get\n\nThere are 2 types of 16 to 19 bursary:\n\n- a bursary for students in vulnerable groups\n\n- a discretionary bursary\n\n## Bursary for students in vulnerable groups\n\nYou could get a bursary worth up to \u00a31,200, depending on your circumstances and benefits.\n\n## Discretionary bursary\n\nYou could get a discretionary bursary if you need financial help but do not qualify for a bursary for students in vulnerable groups. Your education or training provider decides how much you get and what it\u2019s used for.\n\nIf you\u2019re over 19, you\u2019ll only be eligible for a discretionary bursary.\n\nYour provider will decide how you get your bursary. You might get:\n\n- an instalment paid by cash, cheque or bank transfer\n\n- things like a travel pass, free meals or books\n\nSome providers also offer one-off payments to cover study trips or travel for university interviews.\n\nYour provider could stop payments if you break their rules, for example about attendance or how your bursary is used.\n\n## Eligibility\n\nYou must:\n\n- be at least 16 and under 19 on 31 August 2021\n\n- study at a publicly funded school or college, or be on an unpaid training course\n\n- meet the residency requirements - your school or college can check this\n\n## Bursary for students in vulnerable groups\n\nYou may be able to get a bursary if at least one of the following applies:\n\n- you\u2019re in or you recently left local authority care\n\n- you get Income Support or Universal Credit because you\u2019re financially supporting yourself\n\n- you get Disability Living Allowance (DLA) in your name and either Employment and Support Allowance (ESA) or Universal Credit\n\n- you get Personal Independence Payment (PIP) in your name and either ESA or Universal Credit\n\nThe amount you may get depends on the costs you have and what you need for your course. This might include money for books, equipment or travel costs to school or college.\n\n## Discretionary bursary\n\nYour school or college will have their own criteria for discretionary bursaries. They\u2019ll look at your individual circumstances - this usually includes your family income.\n\nAsk student services about their criteria and any evidence you\u2019ll need.\n\nYou can apply to a discretionary bursary if you\u2019re over 19 and either:\n\n- continuing on a course you started aged 16 to 18 (known as being a \u201819+ continuer\u2019)\n\n- have an Education, Health and Care Plan (EHCP)\n\n## How to claim\n\nApply to your school, college or training provider. Ask student services or your tutor to explain what you need to do.\n\n## When to apply\n\nApply once you know where you\u2019ll study or train, so you\u2019ll get your bursary as soon as possible.\n\nYou might need to reapply for a bursary for each year of your course. Check with your provider.\n\n## Help\n\nYour tutor or student services can help you decide if you\u2019re eligible for a bursary and explain how to apply.\n\nContact the Education and Skills Funding Agency (ESFA) if your tutor or student services cannot answer your question.\n\n## You think a decision is unfair\n\nSpeak to student services if you\u2019re unhappy with a decision. Follow their complaints process if you cannot resolve the problem.\n\n## Emergencies and hardship\n\nYou might be able to get more support if your circumstances change or you have an emergency. Your provider might also have a separate hardship fund. Speak to student services if you need extra help.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/1619-bursary-fund", + "answerable": true, + "scenario": "I'm 19 and now resuming a course at a publicly funded school after a two year gap for my mental health as a 19+ continuer. I'm struggling with the cost of books for school and I have been offered a discretionary bursary from my school.", + "original_question": "Could the school stop the bursary if I break the school's rules?" + }, + { + "id": "train-524", + "question": "Scenario: I am a licensed haulier and have established my yard opposite a posh house. The owner is threatening to take me to a tribunal as he does't like being near a truck yard.\n\nQuestion: Can I be taken to a tribual or inquiry by the Traffic Commissioner?\n\nDocument - Traffic commissioner public inquiries:\n## Overview\n\nTraffic commissioners are responsible for licensing and regulating operators of heavy goods vehicles (HGVs), public service vehicles (PSVs) and local bus services. They can also take action against their drivers.\n\nThey can call a formal public inquiry in a court to get more evidence to help them decide if they should:\n\n- grant or refuse licences for HGV or PSV operators\n\n- take action against a vehicle operator, bus service operator or driver of a bus, minibus or lorry\n\nThis might be if someone has objected to a licence being granted or the traffic commissioner thinks an operator may have broken the terms of their licence.\n\nA vehicle or bus service operator can also request a public inquiry but the traffic commissioner doesn\u2019t have to hold one.\n\n## Objecting to a licence\n\nLicence applications are made public. Objections can be made by certain public bodies and in some cases individuals.\n\n## Objections by public bodies\n\nBodies that can object to a licence application include:\n\n- local and planning authorities\n\n- the police\n\n- some trade associations and trade unions\n\n## When a public body can object\n\nA public body can object to a licence about the:\n\n- professional competence of the operator or its transport manager\n\n- operator\u2019s finances\n\n- operator\u2019s reputation or fitness to hold a licence\n\n- operator\u2019s arrangements for vehicle maintenance and drivers\u2019 hours\n\n- operating centre\u2019s environmental standards and general conditions\n\nObjections must be put in writing to the traffic commissioner within 21 days of a licence application being made public.\n\nYou can see the latest applications and traffic commissioner decisions in the regularly updated \u2018Applications and Decisions\u2019 guides for goods vehicles and the \u2018Notices and Proceedings\u2019 guides for public service vehicles (PSVs).\n\nRead the guide on goods vehicle operator licensing for further information.\n\n## Objections by individuals (representations)\n\nIf a vehicle operator wants to add an operating centre to a licence or make changes to an existing centre, owners and residents of land nearby can object. This is called a \u2018representation\u2019.\n\nHowever, representations must be about environmental issues, such as concern over noise, and only if they\u2019re going to affect the owner or resident\u2019s \u2018use or enjoyment\u2019 of the land.\n\nRead the guide on making a representation or complaint for further information.\n\n## Being called to a public inquiry\n\nYou may have to attend a public inquiry if:\n\n- someone has objected to your application for a licence or change to a licence\n\n- you have not kept to the conditions of your licence, for example you\u2019ve used more vehicles than permitted\n\n- there are environmental concerns about a goods vehicle operating centre on your licence\n\n- your conduct has come into question, for example you\u2019ve been caught using a mobile phone while driving\n\nYou\u2019ll get a letter with all the details.\n\n## Notice to attend\n\nYou\u2019ll get a minimum of:\n\n- 28 days\u2019 notice if the inquiry is about a transport manager\n\n- 21 days\u2019 notice if the inquiry is about a new or existing goods operator licence\n\n- 14 days\u2019 notice if the inquiry is about a new or existing passenger operator\u2019s licence\n\nYou cannot ask for the hearing to be changed to another date, unless you have a good reason that can be backed up. For example, if you\u2019re going on holiday, you may need to send evidence to show it was pre-booked.\n\n## At the public inquiry\n\nYou can decide to represent yourself or ask someone to represent you, such as a lawyer. This could be someone else like a transport consultant if the traffic commissioner agrees.\n\nEvidence is not given under oath but witnesses have to tell the truth.\n\nIf you do not tell the truth you could lose your licence or criminal charges may follow.\n\n## What happens at the hearing\n\nReport to the inquiry clerk as soon as you arrive. The traffic commissioner will then:\n\n- decide whether oppositions should be heard\n\n- listen to the application outline and ask questions about it\n\n- listen to objectors or a Driver and Vehicle Standards Agency (DVSA) traffic examiner outline their cases and ask questions\n\n- ask applicants and objectors to present their cases in detail - they or any of the parties may ask questions\n\n- question applicants on how conditions added to the licence may affect their business\n\n- ask applicants and objectors to sum up their cases\n\nThe traffic commissioner will announce their decision at the time, or give it in writing later, usually within 28 days.\n\n## Decision and penalties\n\nThe traffic commissioner can decide to:\n\n- refuse to grant a licence\n\n- refuse to vary an existing licence\n\n- attach conditions to a licence\n\n- grant a licence allowing fewer vehicles than the number applied for\n\n- impose financial penalties on registered bus service operators\n\n- end or suspend an existing licence\n\n- disqualify an individual or a company from having a licence\n\n- disqualify transport managers\n\nYou can appeal against the decision.\n\n## Appeals\n\nYou can appeal to the Upper Tribunal against a traffic commissioner decision (form UT12).\n\nYou must send the form to the tribunal within 1 month of the traffic commissioner\u2019s written decision. The address is on the form.\n\nFind out more about making an appeal to the Upper Tribunal.\n\n## Further information\n\nThe Office of the Traffic Commissioner has produced a detailed guide to traffic commissioner public inquiries. It includes further information on:\n\n- how you might be called to an inquiry\n\n- how you might find out if an inquiry is to be held\n\n- how they work on the day", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/traffic-commissioner", + "answerable": true, + "scenario": "I am a licensed haulier and have established my yard opposite a posh house. The owner is threatening to take me to a tribunal as he does't like being near a truck yard.", + "original_question": "Can I be taken to a tribual or inquiry by the Traffic Commissioner?" + }, + { + "id": "train-527", + "question": "Scenario: I am an American woman and was married to a British man, who passed away. I have been given right to indefinitely remain as a bereaved partner. I am 23 years old. I would like to undertake an A-level arts course.\n\nQuestion: Will I be eligible to receive funding for this course?\n\nDocument - Advanced Learner Loan:\n## Overview\n\nYou can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.\n\nLoan eligibility does not depend on your income and there are no credit checks.\n\nCheck if you\u2019re eligible before you apply for an Advanced Learner Loan.\n\nDifferent funding is available if you want to study in Scotland, Northern Ireland or Wales.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## Access to Higher Education (HE) course\n\nStudent Finance England will \u2018write off\u2019 any outstanding Advanced Learner Loan balances you owe for an Access to HE course once you complete a higher education course. This means you do not have to repay it.\n\nThe higher education course must be eligible for student finance.\n\n## Loan Bursary Fund\n\nYou may also be eligible for money from the Advanced Learner Loan Bursary Fund if you need help with some costs while studying, for example childcare, travel or trips related to your course.\n\nUse the Money Advice Service to work out the cost of borrowing.\n\n## What you'll get\n\nHow much you get depends on:\n\n- the type of course\n\n- your course fees\n\n- the maximum loan available for your course\n\nThe minimum loan you can get is \u00a3300 and is paid directly to your college or training provider.\n\nYou do not have to borrow the full cost of your course - you can pay for some of it yourself.\n\n## Number of loans you can get\n\nYou can apply for up to 4 loans and you can get more than one at the same time.\n\nYou can apply for another loan to take the same level of a course, for example the same level qualification in History if you\u2019ve already had a loan for the same level in Maths.\n\nYou can only apply once for an Access to Higher Education course.\n\n## A Levels\n\nYou can apply for a loan to fund each course you take towards your A Levels - up to a maximum of 4 A Levels.\n\nThis means you can have up to 8 loans if you\u2019re taking each A Level as 2 separate courses.\n\nThe courses must be in the same subject to qualify for a full A Level.\n\nYou can get 3 more loans for non A Level courses either before or after your course of A Levels.\n\n## Eligibility\n\nWhether you qualify for an Advanced Learner Loan depends on your:\n\n- age\n\n- course\n\n- college or training provider\n\n- nationality or residency status\n\nYou must be 19 or older on the first day of your course.\n\nYour course must be:\n\n- a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate\n\n- at an approved college or training provider in England\n\nAsk your college or training provider if you do not know if your course is eligible.\n\n## Your nationality or residency status\n\nIn most cases, all of the following must apply. You must:\n\n- be living in the UK on the first day of your course\n\n- be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)\n\n- have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course\n\nIf you have settled status because you\u2019re a victim of domestic violence, you do not need to have lived in the UK, Channel Islands or Isle of Man for 3 years.\n\nYou may also qualify if you\u2019re:\n\n- a UK national, or someone with settled status, but you live in the European Economic Area (EEA)\n\n- an EU national or a family member of one\n\n- not a UK national but you\u2019ve lived in the UK for at least 20 years (or at least half of your life)\n\n- a refugee or a relative of one\n\n- a migrant worker\n\n- the child of a Swiss national\n\n- the child of a Turkish worker\n\n- under humanitarian protection or a relative of someone who has been granted it\n\n- staying in the UK as a stateless person (or their family member) and your course started on or after 1 August 2018\n\n- a serving member of the UK armed forces (or their spouse, civil partner or a dependent parent or child living with them) doing a distance learning course from outside the UK that started on or after 1 August 2017\n\n- someone granted \u2018Calais leave\u2019 to remain or a child of someone granted \u2018Calais leave\u2019 to remain - if your course starts on or after 1 August 2020 and you\u2019ve lived in the UK for at least 3 years before the first day of the first academic year of your course\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## How to apply\n\n- Check with your college or training provider that the course qualifies.\n\n- Ask them for a \u2018Learning and funding information\u2019 letter - you need this to complete the application. It contains the details about your course.\n\n- Apply online - you\u2019ll need to register first. You can apply by post if you cannot apply online.\n\n- You\u2019ll get a letter confirming your loan - usually within 2 weeks if you apply online (postal applications take longer).\n\n## What you need to know\n\nYou cannot apply until you get a \u2018learning and funding information letter\u2019 from your college or training provider.\n\nYou can apply for a loan without a National Insurance number but you must have one before the loan can be paid.\n\n## Apply by post\n\nIf you cannot apply online, apply by post - the address is on the form.\n\n## Proof of identity\n\nIf you\u2019re a UK national, include your UK passport details in your application as proof of identity. If you forget, use the \u2018UK passport details form\u2019.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re from an EU country, send your EU passport or identity card the first time you apply.\n\n## Supporting information\n\nUse the \u2018Evidence return form\u2019 if you need to send extra information to support your application, such as proof of residency status.\n\n## Change an application\n\nOnce your application has been approved you can log in to your account to make a change online.\n\nIf you just want to change your loan amount you can use the loan request form instead.\n\n## Bursary fund\n\nYou may apply to get money from the Loan Bursary Fund after you\u2019ve received a letter approving your Advanced Learner Loan.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare\n\n- classroom assistance for a disability or learning difficulty - once you\u2019re assessed by your college or training provider\n\n## How to apply\n\nApply to your college or training provider - each one has its own application process. How much you get depends on the provider\u2019s scheme and your circumstances.\n\nSpeak to student services if you need support with your application.\n\n## How the money is paid\n\nYour college or training provider decides how the money is paid. You\u2019ll normally be paid direct. You might be able to arrange for the money to be paid to someone else instead, for example your landlord or childcare provider.\n\nIn some situations fund money must be paid back. This is generally if you\u2019re a student experiencing a temporary financial difficulty and need a loan, for example for help with your mortgage or rent.\n\n## Eligibility\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Disability Living Allowance\n\nYou cannot apply if you\u2019re:\n\n- getting student finance for higher education\n\n- on an apprenticeship training scheme\n\n- on a Community Learning course\n\n## Appeal a decision\n\nContact your college or training provider to appeal a decision from the Loan Bursary Fund.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/advanced-learner-loan", + "answerable": true, + "scenario": "I am an American woman and was married to a British man, who passed away. I have been given right to indefinitely remain as a bereaved partner. I am 23 years old. I would like to undertake an A-level arts course.", + "original_question": "Will I be eligible to receive funding for this course?" + }, + { + "id": "train-528", + "question": "Scenario: I am a student who will be going to college. I appear to be eligible for the advanced learning, and would like to undertake three A-level courses.\n\nQuestion: Can I apply for a loan for each course?\n\nDocument - Advanced Learner Loan:\n## Overview\n\nYou can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.\n\nLoan eligibility does not depend on your income and there are no credit checks.\n\nCheck if you\u2019re eligible before you apply for an Advanced Learner Loan.\n\nDifferent funding is available if you want to study in Scotland, Northern Ireland or Wales.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## Access to Higher Education (HE) course\n\nStudent Finance England will \u2018write off\u2019 any outstanding Advanced Learner Loan balances you owe for an Access to HE course once you complete a higher education course. This means you do not have to repay it.\n\nThe higher education course must be eligible for student finance.\n\n## Loan Bursary Fund\n\nYou may also be eligible for money from the Advanced Learner Loan Bursary Fund if you need help with some costs while studying, for example childcare, travel or trips related to your course.\n\nUse the Money Advice Service to work out the cost of borrowing.\n\n## What you'll get\n\nHow much you get depends on:\n\n- the type of course\n\n- your course fees\n\n- the maximum loan available for your course\n\nThe minimum loan you can get is \u00a3300 and is paid directly to your college or training provider.\n\nYou do not have to borrow the full cost of your course - you can pay for some of it yourself.\n\n## Number of loans you can get\n\nYou can apply for up to 4 loans and you can get more than one at the same time.\n\nYou can apply for another loan to take the same level of a course, for example the same level qualification in History if you\u2019ve already had a loan for the same level in Maths.\n\nYou can only apply once for an Access to Higher Education course.\n\n## A Levels\n\nYou can apply for a loan to fund each course you take towards your A Levels - up to a maximum of 4 A Levels.\n\nThis means you can have up to 8 loans if you\u2019re taking each A Level as 2 separate courses.\n\nThe courses must be in the same subject to qualify for a full A Level.\n\nYou can get 3 more loans for non A Level courses either before or after your course of A Levels.\n\n## Eligibility\n\nWhether you qualify for an Advanced Learner Loan depends on your:\n\n- age\n\n- course\n\n- college or training provider\n\n- nationality or residency status\n\nYou must be 19 or older on the first day of your course.\n\nYour course must be:\n\n- a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate\n\n- at an approved college or training provider in England\n\nAsk your college or training provider if you do not know if your course is eligible.\n\n## Your nationality or residency status\n\nIn most cases, all of the following must apply. You must:\n\n- be living in the UK on the first day of your course\n\n- be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)\n\n- have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course\n\nIf you have settled status because you\u2019re a victim of domestic violence, you do not need to have lived in the UK, Channel Islands or Isle of Man for 3 years.\n\nYou may also qualify if you\u2019re:\n\n- a UK national, or someone with settled status, but you live in the European Economic Area (EEA)\n\n- an EU national or a family member of one\n\n- not a UK national but you\u2019ve lived in the UK for at least 20 years (or at least half of your life)\n\n- a refugee or a relative of one\n\n- a migrant worker\n\n- the child of a Swiss national\n\n- the child of a Turkish worker\n\n- under humanitarian protection or a relative of someone who has been granted it\n\n- staying in the UK as a stateless person (or their family member) and your course started on or after 1 August 2018\n\n- a serving member of the UK armed forces (or their spouse, civil partner or a dependent parent or child living with them) doing a distance learning course from outside the UK that started on or after 1 August 2017\n\n- someone granted \u2018Calais leave\u2019 to remain or a child of someone granted \u2018Calais leave\u2019 to remain - if your course starts on or after 1 August 2020 and you\u2019ve lived in the UK for at least 3 years before the first day of the first academic year of your course\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## How to apply\n\n- Check with your college or training provider that the course qualifies.\n\n- Ask them for a \u2018Learning and funding information\u2019 letter - you need this to complete the application. It contains the details about your course.\n\n- Apply online - you\u2019ll need to register first. You can apply by post if you cannot apply online.\n\n- You\u2019ll get a letter confirming your loan - usually within 2 weeks if you apply online (postal applications take longer).\n\n## What you need to know\n\nYou cannot apply until you get a \u2018learning and funding information letter\u2019 from your college or training provider.\n\nYou can apply for a loan without a National Insurance number but you must have one before the loan can be paid.\n\n## Apply by post\n\nIf you cannot apply online, apply by post - the address is on the form.\n\n## Proof of identity\n\nIf you\u2019re a UK national, include your UK passport details in your application as proof of identity. If you forget, use the \u2018UK passport details form\u2019.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re from an EU country, send your EU passport or identity card the first time you apply.\n\n## Supporting information\n\nUse the \u2018Evidence return form\u2019 if you need to send extra information to support your application, such as proof of residency status.\n\n## Change an application\n\nOnce your application has been approved you can log in to your account to make a change online.\n\nIf you just want to change your loan amount you can use the loan request form instead.\n\n## Bursary fund\n\nYou may apply to get money from the Loan Bursary Fund after you\u2019ve received a letter approving your Advanced Learner Loan.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare\n\n- classroom assistance for a disability or learning difficulty - once you\u2019re assessed by your college or training provider\n\n## How to apply\n\nApply to your college or training provider - each one has its own application process. How much you get depends on the provider\u2019s scheme and your circumstances.\n\nSpeak to student services if you need support with your application.\n\n## How the money is paid\n\nYour college or training provider decides how the money is paid. You\u2019ll normally be paid direct. You might be able to arrange for the money to be paid to someone else instead, for example your landlord or childcare provider.\n\nIn some situations fund money must be paid back. This is generally if you\u2019re a student experiencing a temporary financial difficulty and need a loan, for example for help with your mortgage or rent.\n\n## Eligibility\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Disability Living Allowance\n\nYou cannot apply if you\u2019re:\n\n- getting student finance for higher education\n\n- on an apprenticeship training scheme\n\n- on a Community Learning course\n\n## Appeal a decision\n\nContact your college or training provider to appeal a decision from the Loan Bursary Fund.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/advanced-learner-loan", + "answerable": true, + "scenario": "I am a student who will be going to college. I appear to be eligible for the advanced learning, and would like to undertake three A-level courses.", + "original_question": "Can I apply for a loan for each course?" + }, + { + "id": "train-529", + "question": "Scenario: I am 18 years old, and I am a student at a college . This is a full-time education course. My father died on the 20th July 2021.\n\nQuestion: Will I be eligible for any scholarship for the university?\n\nDocument - Scholarships for children whose parent died in service:\n## Overview\n\nYou can apply for help with the costs of further and higher education if all of the following are true:\n\n- one of your parents died as a result of their service in the armed forces\n\n- your parent died on or after 1 January 1990\n\n- you\u2019re 16 or over and in full-time education\n\n- you or a surviving parent receive bereavement benefits from the Armed Forces Compensation scheme, War Pension scheme or Armed Forces Attributable Benefits scheme\n\nYou cannot apply if you were the foster child of the person who died.\n\n## What you can use the scholarship for\n\nYou can use the money to pay tuition fees and your maintenance for:\n\n- a further education course of up to 3 years\n\n- your first undergraduate course at a UK university or other higher education institution (such as a college or art school) - this can include study abroad if it\u2019s part of the course\n\n- a higher level technical education course at qualification levels 4, 5 or 6\n\nIf you\u2019re unsure about the type of course ask the college or university you want to apply to.\n\n## What you'll get\n\nIn the 2018 to 2019 academic year you can apply for up to:\n\n- \u00a31,500 for a further education course\n\n- \u00a39,250 for tuition fees and \u00a34,950 for a Maintenance Grant for a higher education or higher level technical education course\n\nIf you\u2019re studying in Scotland, Northern Ireland or Wales, you can apply for up to \u00a39,000 for tuition fees and \u00a34,950 for a Maintenance Grant.\n\n## How the payments are made\n\nPayments are made 3 times a year no later than:\n\n- 31 October\n\n- 31 January\n\n- 30 April\n\nYour college or university must have confirmed that you\u2019re registered for a course and attending before any payment is sent.\n\nPayments can be backdated in some circumstances, for example you become eligible for a scholarship and apply while studying.\n\nFurther education scholarships are paid to either you or your parent or guardian.\n\nUniversity and other higher education scholarships are paid directly to you.\n\nAll scholarships are tax free.\n\n## How to apply\n\nDownload and fill in the bereavement scholarship scheme application.\n\nPost your application to the address on the form.\n\nIf you\u2019re applying for a higher education scholarship (for example, an undergraduate degree from a UK university), also include:\n\n- a letter from the college or university confirming that you\u2019ve accepted their offer of a place\n\n- proof of the fees, for example a photocopy of your tuition fees invoice\n\n## Deadlines\n\nVeterans UK must receive your application by 31 January in the academic year of your further education or university course.\n\nYou can apply from 1 April in the academic year you\u2019ll begin studying.\n\n## What happens next\n\nThe Veterans UK Scheme Administrator will get in touch to confirm whether you\u2019re eligible for the scholarship you\u2019ve applied for.\n\nHow long it takes to find out if you\u2019re eligible depends on the evidence you provide with your application.\n\n## If you\u2019re applying for a university or higher education scholarship\n\nRegister with the Student Loans Company to ensure you\u2019re charged UK student fees for your course.\n\n## Appeals\n\nIf you disagree with the decision you must appeal to Veterans UK in writing.\n\n## Help with your application\n\nContact the Veterans UK helpline if you have any questions about the scholarships, for example what you need to do to apply or how to fill out the application form.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/support-military-bereaved-children", + "answerable": true, + "scenario": "I am 18 years old, and I am a student at a college . This is a full-time education course. My father died on the 20th July 2021.", + "original_question": "Will I be eligible for any scholarship for the university?" + }, + { + "id": "train-533", + "question": "Scenario: I am 23 years old full time student at a UK university. My only surviving parent has been diagnosed with glaucoma. She needs care and support. I don't have a student finance loan.\n\nQuestion: Can i qualify for the Adults dependant loan?\n\nDocument - Adult Dependants' Grant:\n## Overview\n\nIf you\u2019re a full-time student in higher education and an adult depends on you financially, you can apply for an Adult Dependants\u2019 Grant of up to:\n\n- \u00a33,190 for the 2021 to 2022 academic year\n\n- \u00a33,094 for the 2020 to 2021 academic year\n\nThe grant:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\nYou cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.\n\n## What you'll get\n\nThe maximum Adult Dependants\u2019 Grant is:\n\n- \u00a33,190 for the 2021 to 2022 academic year\n\n- \u00a33,094 for the 2020 to 2021 academic year\n\nYou do not have to pay this money back.\n\nAdult Dependants\u2019 Grant will affect any income-related benefits and tax credits you might get.\n\n## What it\u2019s based on\n\nThe amount you get depends on:\n\n- your income\n\n- the adult dependant\u2019s income\n\n- your personal circumstances, for example if you\u2019re married or have children\n\n- what other grants you\u2019re receiving, for example Childcare Grant\n\n## How you\u2019re paid\n\nThe money is paid in 3 instalments (one at the start of each term) directly into your bank account.\n\n## Eligibility\n\nUsually the adult dependant will be:\n\n- your husband, wife, partner or civil partner\n\n- a relative, such as a parent or grandparent\n\nIf you\u2019re under 25, the adult dependant cannot be your partner unless you\u2019re married or in a civil partnership.\n\nYou\u2019re not eligible if the adult dependant is:\n\n- your child\n\n- a relative who earns more than \u00a33,796 a year\n\n- getting student finance\n\nYou cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.\n\n## How to apply\n\n- Fill in the Adult Dependants\u2019 Grant section on your main student finance application - you\u2019ll need to give estimates of your household income.\n\n- Student Finance England will assess your application and contact you if they need more information.\n\n- Student Finance England will send you a letter telling you if you qualify and how much money you\u2019ll get.\n\n## Supporting information\n\nStudent Finance England may contact you and ask for further information on your financial circumstances. This can include a copy of:\n\n- your P60\n\n- Child Benefit details\n\n- family tax credits details\n\n- financial information from your partner, for example bank statements", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/adult-dependants-grant", + "answerable": true, + "scenario": "I am 23 years old full time student at a UK university. My only surviving parent has been diagnosed with glaucoma. She needs care and support. I don't have a student finance loan.", + "original_question": "Can i qualify for the Adults dependant loan?" + }, + { + "id": "train-540", + "question": "Scenario: My father is a fleet driver trainer and has failed his ADI standard checks.He is worried that it will affect his work as an instructor.\n\nQuestion: Can he be removed from the fleet driver trainers register?\n\nDocument - Become a fleet driver trainer:\n## How to qualify as a fleet driver trainer\n\nYou can apply to join the voluntary register of fleet driver trainers if you specialise in training fully qualified drivers of fleets of cars and vans.\n\nYou must be an approved driving instructor to join the register.\n\nYou\u2019ll have to take a training course accredited by DVSA to qualify as a fleet driver trainer.\n\nYou must join the register within 1 year of completing the course.\n\n## When you\u2019ve qualified\n\nWhen you\u2019ve qualified and joined the register:\n\n- your details will be given to people looking for fleet driver training\n\n- you can advertise yourself as a \u2018Driver and Vehicle Standards Agency registered fleet driver trainer\u2019\n\nYour registration as a fleet driver trainer will last for 4 years.\n\n## Apply to become a fleet driver trainer\n\nTo apply, download and fill in the application form and send it to the Driver and Vehicle Standards Agency (DVSA).\n\n## Training course already done\n\nYou can send the form to DVSA if you\u2019ve already done an accredited training course. You\u2019ll need to include:\n\n- the registration fee of \u00a3120\n\n- your driving licence number if you have a photocard driving licence, or a passport-style photo if you have an old-style paper licence\n\n- a copy of your course certificate\n\nYou must have done the course within the last year.\n\n## Managing your registration\n\nYour registration will last for 4 years from when you join the register.\n\nYou\u2019re responsible for remembering when your registration runs out and renewing it.\n\nTo renew your registration, download and fill in the application form and send it to the Driver and Vehicle Standards Agency (DVSA) with the fee of \u00a3120 and a passport-style photo.\n\nYou can re-join the register without having to qualify again within 12 months of your registration running out.\n\n## Replace a certificate\n\nYou should write to DVSA if your registration certificate is lost, stolen or destroyed.\n\nYou can get a new certificate by sending a passport-style photo to DVSA and paying \u00a33.60.\n\n## Advertising your services\n\nYou\u2019ll be able to advertise yourself as a \u2018DVSA registered fleet driver trainer\u2019. You can also apply to use the official DVSA logo.\n\n## Taking standards checks\n\nYou have to take regular standards checks as an approved driving instructor (ADI). This assesses your continuing ability to instruct someone with a provisional or full driving licence.\n\nYou don\u2019t have to take a separate check to stay on the fleet driver trainer register.\n\n## How the test works\n\nStandards checks are based on the examiner observing a normal lesson which should last for around an hour. After the lesson you should allow at least 15 minutes for the debrief.\n\nYou can bring a learner driver or a full licence holder who can be:\n\n- a driver you haven\u2019t assessed\n\n- a driver you have assessed\n\n## A driver you haven\u2019t assessed\n\nYou can bring a driver you haven\u2019t assessed and:\n\n- give a presentation on occupational risk\n\n- introduce them to the training vehicle, covering safety checks\n\n- do a driver assessment and profile to establish their main risk areas and provide the necessary coaching\n\n## A driver you have assessed\n\nYou can bring a driver you\u2019ve already assessed. You\u2019ll need to tell the examiner what main risk areas you intend to provide coaching for during the standards check.\n\n## Your standards check result\n\nYou\u2019ll get a grade at the end of your standards check. This works the same as a normal ADI standards check.\n\n## Being removed from the register\n\nYou\u2019ll be removed from both the ADI register and the register of fleet drivers if you:\n\n- fail the standards check\n\n- don\u2019t attend your standards check appointment", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-a-fleet-driver-trainer", + "answerable": true, + "scenario": "My father is a fleet driver trainer and has failed his ADI standard checks.He is worried that it will affect his work as an instructor.", + "original_question": "Can he be removed from the fleet driver trainers register?" + }, + { + "id": "train-546", + "question": "Scenario: A licence application has been made by an operator of a PSV. I own land nearby and do not approve of this due to the noise it would make.\n\nQuestion: Am I able to raise the issue and have the licence refused?\n\nDocument - Traffic commissioner public inquiries:\n## Overview\n\nTraffic commissioners are responsible for licensing and regulating operators of heavy goods vehicles (HGVs), public service vehicles (PSVs) and local bus services. They can also take action against their drivers.\n\nThey can call a formal public inquiry in a court to get more evidence to help them decide if they should:\n\n- grant or refuse licences for HGV or PSV operators\n\n- take action against a vehicle operator, bus service operator or driver of a bus, minibus or lorry\n\nThis might be if someone has objected to a licence being granted or the traffic commissioner thinks an operator may have broken the terms of their licence.\n\nA vehicle or bus service operator can also request a public inquiry but the traffic commissioner doesn\u2019t have to hold one.\n\n## Objecting to a licence\n\nLicence applications are made public. Objections can be made by certain public bodies and in some cases individuals.\n\n## Objections by public bodies\n\nBodies that can object to a licence application include:\n\n- local and planning authorities\n\n- the police\n\n- some trade associations and trade unions\n\n## When a public body can object\n\nA public body can object to a licence about the:\n\n- professional competence of the operator or its transport manager\n\n- operator\u2019s finances\n\n- operator\u2019s reputation or fitness to hold a licence\n\n- operator\u2019s arrangements for vehicle maintenance and drivers\u2019 hours\n\n- operating centre\u2019s environmental standards and general conditions\n\nObjections must be put in writing to the traffic commissioner within 21 days of a licence application being made public.\n\nYou can see the latest applications and traffic commissioner decisions in the regularly updated \u2018Applications and Decisions\u2019 guides for goods vehicles and the \u2018Notices and Proceedings\u2019 guides for public service vehicles (PSVs).\n\nRead the guide on goods vehicle operator licensing for further information.\n\n## Objections by individuals (representations)\n\nIf a vehicle operator wants to add an operating centre to a licence or make changes to an existing centre, owners and residents of land nearby can object. This is called a \u2018representation\u2019.\n\nHowever, representations must be about environmental issues, such as concern over noise, and only if they\u2019re going to affect the owner or resident\u2019s \u2018use or enjoyment\u2019 of the land.\n\nRead the guide on making a representation or complaint for further information.\n\n## Being called to a public inquiry\n\nYou may have to attend a public inquiry if:\n\n- someone has objected to your application for a licence or change to a licence\n\n- you have not kept to the conditions of your licence, for example you\u2019ve used more vehicles than permitted\n\n- there are environmental concerns about a goods vehicle operating centre on your licence\n\n- your conduct has come into question, for example you\u2019ve been caught using a mobile phone while driving\n\nYou\u2019ll get a letter with all the details.\n\n## Notice to attend\n\nYou\u2019ll get a minimum of:\n\n- 28 days\u2019 notice if the inquiry is about a transport manager\n\n- 21 days\u2019 notice if the inquiry is about a new or existing goods operator licence\n\n- 14 days\u2019 notice if the inquiry is about a new or existing passenger operator\u2019s licence\n\nYou cannot ask for the hearing to be changed to another date, unless you have a good reason that can be backed up. For example, if you\u2019re going on holiday, you may need to send evidence to show it was pre-booked.\n\n## At the public inquiry\n\nYou can decide to represent yourself or ask someone to represent you, such as a lawyer. This could be someone else like a transport consultant if the traffic commissioner agrees.\n\nEvidence is not given under oath but witnesses have to tell the truth.\n\nIf you do not tell the truth you could lose your licence or criminal charges may follow.\n\n## What happens at the hearing\n\nReport to the inquiry clerk as soon as you arrive. The traffic commissioner will then:\n\n- decide whether oppositions should be heard\n\n- listen to the application outline and ask questions about it\n\n- listen to objectors or a Driver and Vehicle Standards Agency (DVSA) traffic examiner outline their cases and ask questions\n\n- ask applicants and objectors to present their cases in detail - they or any of the parties may ask questions\n\n- question applicants on how conditions added to the licence may affect their business\n\n- ask applicants and objectors to sum up their cases\n\nThe traffic commissioner will announce their decision at the time, or give it in writing later, usually within 28 days.\n\n## Decision and penalties\n\nThe traffic commissioner can decide to:\n\n- refuse to grant a licence\n\n- refuse to vary an existing licence\n\n- attach conditions to a licence\n\n- grant a licence allowing fewer vehicles than the number applied for\n\n- impose financial penalties on registered bus service operators\n\n- end or suspend an existing licence\n\n- disqualify an individual or a company from having a licence\n\n- disqualify transport managers\n\nYou can appeal against the decision.\n\n## Appeals\n\nYou can appeal to the Upper Tribunal against a traffic commissioner decision (form UT12).\n\nYou must send the form to the tribunal within 1 month of the traffic commissioner\u2019s written decision. The address is on the form.\n\nFind out more about making an appeal to the Upper Tribunal.\n\n## Further information\n\nThe Office of the Traffic Commissioner has produced a detailed guide to traffic commissioner public inquiries. It includes further information on:\n\n- how you might be called to an inquiry\n\n- how you might find out if an inquiry is to be held\n\n- how they work on the day", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/traffic-commissioner", + "answerable": true, + "scenario": "A licence application has been made by an operator of a PSV. I own land nearby and do not approve of this due to the noise it would make.", + "original_question": "Am I able to raise the issue and have the licence refused?" + }, + { + "id": "train-548", + "question": "Scenario: I am qualified DVSA rider scheme instructor and I lost my riders log book among other documents during a fire outbreak in my house.\n\nQuestion: Can i contact DVSA to get copies of my documents?\n\nDocument - DVSA enhanced rider scheme trainer:\n## Overview\n\nYou can become a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer if you want to train fully qualified motorcyclists in the DVSA enhanced rider scheme.\n\nThis is the new name for the register of post-test motorcycle trainers (RPMT).\n\nThe scheme provides training for people who:\n\n- have recently passed their motorcycle test\n\n- are upgrading to a bigger bike\n\n- are returning to riding after a break\n\n- want to improve their skills to be a better, safer rider\n\nWhen you qualify, your details will be given to motorcyclists looking for training.\n\n## Who can become a trainer\n\nTo become a DVSA enhanced rider scheme trainer you must:\n\n- be 21 or older\n\n- have had a full category A or A2 motorcycle licence for at least 3 years\n\n## Trainer test and registration fees\n\n| Fee type | Price |\n\n| Theory test | \u00a366 |\n\n| Registration and renewal fee (1 year) | \u00a390 |\n\n| Registration and renewal fee (4 years) | \u00a3240 |\n\n## Ways to become a trainer\n\n- Apply to become a DVSA enhanced rider scheme trainer.\n\n- Get an advanced riding qualification if you do not already have one.\n\n- Pass a theory test.\n\n- If you\u2019re not a direct access scheme (DAS) certified instructor, you also need to take a training course accredited by DVSA.\n\nYou must complete the training course within 2 years of passing the theory test, or you\u2019ll have to start the process again.\n\n## Advanced riding qualifications\n\nThe advanced riding qualifications that are accepted are:\n\n- BMF Blue Riband rider award (gold or silver grade)\n\n- DVSA special test (gold or silver grade)\n\n- IAM Advanced Rider Course\n\n- RoSPA advanced riding test (gold or silver grade)\n\n- Diamond advanced motorcycle test or Diamond elite motorcycle test (if taken after 1 January 2017)\n\n## Taking the theory test\n\nYou can book your instructor theory test when the Driver and Vehicle Standards Agency (DVSA) has accepted your application to join the register.\n\nThere are 2 parts to the test - multiple-choice questions and hazard perception. You have to pass both parts.\n\nYou have 3 attempts to pass the test. If you fail the third attempt, you have to wait 12 months before you can take it again.\n\n## Documents to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right documents with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## Multiple-choice questions\n\nYou have 1 hour and 30 minutes to answer 100 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions\n\n## How the questions work\n\nThere are 25 questions in each of these 4 categories:\n\n- rider practices and procedures, road and traffic signs, and motorway riding\n\n- rider responsibilities, rider attitude, riders and the law, and environmental issues\n\n- motorcycle and rider safety, motorcycle dynamics and handling, and dealing with incidents\n\n- development and training, instructional and coaching techniques, and hazard perception\n\nTo pass the multiple-choice part, you must get both:\n\n- an overall score of at least 85 out of 100\n\n- at least 20 out of 25 in each of the 4 categories of questions\n\n## Hazard perception\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips featuring everyday road scenes. These will contain at least one \u2018developing hazard\u2019.\n\nYou can score up to 5 points for each developing hazard. You need to score at least 57 points out of 75 to pass this part.\n\n## Managing your registration\n\nYou must carry your Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer certificate with you whenever you are giving training.\n\n## Renewing your registration\n\nYour registration lasts for either 1 year or 4 years. The registration and renewal fee is:\n\n- \u00a390 for 1 year\n\n- \u00a3240 for 4 years\n\nYou should apply to renew your registration at least 2 weeks before your current registration runs out.\n\nYou\u2019re responsible for remembering when to renew your registration.\n\nTo renew, download the application form and send it to DVSA.\n\n## If your registration expired in the last 12 months\n\nYou can re-register using the same form. You will not have to go through the qualifying process again.\n\n## Standards checks and monitoring\n\nYou must take a standards check to make sure you can continue to be a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer. DVSA will contact you to arrange this.\n\nA DVSA examiner will watch you train a pupil to assess your training skills.\n\nHow you\u2019re checked depends on whether you\u2019re a direct access scheme (DAS) certified instructor.\n\n## If you\u2019re a DAS instructor\n\nYour standards check will be based on a DVSA enhanced rider scheme lesson.\n\nYou must score 43 or more out of 51 to continue being an enhanced rider scheme trainer.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer.\n\n## If you cannot carry out a lesson because there\u2019s no pupil available\n\nThe DVSA examiner will carry out a motorcycle trainer standards check while you provide compulsory basic training (CBT). You need to score 43 or above to pass.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer, and will need to restart the qualification process. You can also be removed from the CBT instructor register.\n\n## If you\u2019re not a DAS instructor\n\nYou must take a standards check within the first year of qualifying as a DVSA enhanced rider scheme trainer. DVSA will contact you to arrange this.\n\nYour standards check will be based on a DVSA enhanced rider scheme lesson.\n\nYou must score 43 or more out of 51 to pass.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as a trainer.\n\nIf this happens and you want to continue as a trainer, you\u2019ll need to:\n\n- have an up to date recognised advanced rider qualification\n\n- pass another theory test\n\n- take additional training at an approved enhanced rider scheme trainer centre and provide proof of the development you\u2019ve taken\n\n## Documents to record training\n\nThe Driver and Vehicle Standards Agency (DVSA) will email you the following documents when you first qualify:\n\n- DVSA enhanced rider scheme syllabus and list of modules\n\n- rider\u2019s log book\n\n- details of how to issue the DVSA certificate of competence\n\nUse these to provide and record training, and to issue certificates to riders who complete the DVSA enhanced rider scheme.\n\nYou\u2019ll also be sent leaflets and posters you can use to advertise the DVSA enhanced rider scheme.\n\n## If you lose your documents\n\nContact DVSA to get the documents sent again.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "answerable": true, + "scenario": "I am qualified DVSA rider scheme instructor and I lost my riders log book among other documents during a fire outbreak in my house.", + "original_question": "Can i contact DVSA to get copies of my documents?" + }, + { + "id": "train-550", + "question": "Scenario: I am currently doing a Ph.D in cyber security. I live in England for the last 4 years and on a dependant visa of my husband so we don't have a settlement status yet.\n\nQuestion: Can I apply for a Doctoral Loan ?\n\nDocument - Doctoral Loan:\n## Overview\n\nA Postgraduate Doctoral Loan can help with course fees and living costs while you study a postgraduate doctoral course, such as a PhD.\n\nThere\u2019s different funding if you normally live in Wales. Moving somewhere to study does not count as normally living there.\n\nYou can also get extra support if you have a disability.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## When you can apply\n\nYou\u2019ll be able to apply for funding for the 2021 to 2022 academic year from summer 2021. Applications are not yet open - this guide will be updated as soon as they are.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a327,265 if your course starts on or after 1 August 2021\n\n- \u00a326,445 if your course starts between 1 August 2020 and 31 July 2021\n\n- \u00a325,700 if your course started between 1 August 2019 and 31 July 2020\n\nThe amount you\u2019ll get is not based on you or your family\u2019s income.\n\nThe Department for Work and Pensions (DWP) may take account of the loan when working out any benefits you receive.\n\nThe loan is paid directly to you. You can use it for your course fees and living costs.\n\nThe loan will be divided equally across each year of your course.\n\n## If you apply after your first year\n\nYou can apply for a Postgraduate Doctoral Loan in any year of your course. But if you apply after your first year, you might not get the maximum amount.\n\nYou can get up to:\n\n- \u00a311,570 each year if your course starts on or after 1 August 2021\n\n- \u00a311,222 each year if your course started between 1 August 2020 and 31 July 2021\n\n- \u00a310,906 each year if your course started between 1 August 2019 and 31 July 2020\n\n## When you\u2019re paid\n\nYou get the first payment after your course start date, once your university or college confirms that you\u2019ve registered.\n\nThe loan will be paid in 3 instalments of 33%, 33% and 34% each year. After your application has been approved you\u2019ll be sent a letter with your payment dates or you can check them in your online account.\n\n## Eligibility\n\nWhether you qualify depends on:\n\n- your course\n\n- your age\n\n- your nationality or residency status\n\nYou will not be able to get a Postgraduate Doctoral Loan if:\n\n- you\u2019ve received or will receive Research Council funding (for example, studentships, stipends, scholarships and tuition fee support)\n\n- you\u2019re already getting a social work bursary\n\n- you\u2019re already getting an Educational Psychology bursary and your course starts on or after 1 August 2020\n\n- you\u2019re eligible to apply for an NHS bursary (even if you\u2019re not receiving it)\n\n- you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying\n\n- you\u2019ve received a Postgraduate Doctoral Loan before - unless you left your course due to illness, bereavement or another serious personal reason\n\n- you already have a doctoral degree, or a qualification that\u2019s equivalent or higher\n\n- you\u2019re receiving a doctorate by publication\n\n- you\u2019re behind in repayments for any previous loans from the Student Loans Company\n\n## Your course\n\nIt must:\n\n- be a full, standalone doctoral course (not a top-up course)\n\n- have started on or after 1 August 2018\n\n- last between 3 to 8 academic years\n\n- be provided by a university in the UK with research degree awarding powers\n\nIf more than one university delivers your course and one is overseas, you\u2019ll still be eligible for the Postgraduate Doctoral Loan so long as:\n\n- the UK university is the lead institution\n\n- you spend at least 50% of your study time over the whole course in the UK\n\nIt can be:\n\n- full-time or part-time\n\n- taught or research-based, or a combination of both\n\nExamples of postgraduate doctoral qualifications include:\n\n- PhD / DPhil (Doctor of Philosophy)\n\n- EdD (Doctor of Education)\n\n- EngD (Doctor of Engineering)\n\n## Integrated doctorals\n\nYou can apply for a loan if your doctoral programme includes an integrated master\u2019s degree (even if you already have a master\u2019s degree).\n\nYou must register for a full doctoral degree.\n\nYou will not be able to apply for a separate Postgraduate Master\u2019s Loan.\n\n## Distance learning\n\nTo qualify for a Postgraduate Doctoral Loan for distance learning, you\u2019ll need to be living in England on the first day of the first academic year of your course.\n\nYou\u2019ll also need to live in:\n\n- England for the whole of your course, if you\u2019re an EU national\n\n- the UK for the whole of your course, if you\u2019re not an EU national\n\nThis usually does not apply if you\u2019re:\n\n- serving in the armed forces\n\n- a spouse or civil partner of a serving member of the armed forces\n\n- a dependent parent living with a serving member of the armed forces\n\n## Your age\n\nYou must be under 60 on the first day of the first academic year of your course.\n\nThe academic year is a period of 12 months starting on:\n\n- 1 September, if your course starts between 1 August and 31 December\n\n- 1 January, if your course starts between 1 January and 31 March\n\n- 1 April, if your course starts between 1 April and 30 June\n\n- 1 July, if your course starts between 1 July and 31 July\n\n## Your nationality or residency status\n\nYou can apply for the Postgraduate Doctoral Loan if all of the following are true:\n\n- you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay\n\n- you normally live in England\n\n- you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday\n\nYou may also be eligible if you\u2019re a UK national (or family member of a UK national) who either:\n\n- returned to the UK on or after 1 January 2018 and by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- was living in the EU, Switzerland, Norway, Iceland or Liechtenstein on 31 December 2020 and has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years\n\n## If you\u2019re an EU national or a family member of an EU national\n\nYou may be eligible if you\u2019re an EU national, or a family member of an EU national, and all the following apply:\n\n- you have settled or pre-settled status under the EU Settlement Scheme (no restrictions on how long you can stay)\n\n- you\u2019ve normally lived in the UK, Gibraltar, EU, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years (this is also known as being \u2018ordinarily resident\u2019)\n\n- you\u2019ll be studying at a university in England\n\nYou could also be eligible if you\u2019re:\n\n- the child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme\n\n- a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein, or a family member of one with settled or pre-settled status\n\n- a resident of Gibraltar who is a UK or EU national, or their family member\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## If you have a different residency status\n\nYou may also be eligible if your residency status is one of the following:\n\n- refugee (including family members)\n\n- humanitarian protection (including family members)\n\n- child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020\n\n- a stateless person (including family members)\n\n- an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment\n\n- a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)\n\n- granted \u2018Calais leave\u2019 to remain\n\n- a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)\n\n- you\u2019ve been given settled status but not under the EU Settlement Scheme\n\n- you\u2019ve been given indefinite leave to remain because you\u2019ve been the victim of domestic violence\n\n- you\u2019ve been granted indefinite leave to remain as a bereaved partner\n\n- you\u2019re the family member of a person of Northern Ireland and you have pre-settled status under the EU Settlement Scheme\n\n## If you\u2019re a non-UK national and have lived in the UK for a certain number of years\n\nYou could also be eligible if you\u2019re not a UK national and are either:\n\n- under 18 and have lived in the UK for at least 7 years\n\n- 18 or over and have lived in the UK for at least 20 years (or at least half of your life)\n\nYou must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.\n\n## How to apply\n\nYou can apply now for courses that start or started in the following academic years:\n\n- 2020 to 2021\n\n- 2019 to 2020\n\n- 2018 to 2019\n\nYou can apply in summer 2021 for courses that start in the academic year 2021 to 2022. Applications are not yet open - this guide will be updated as soon as they are.\n\nCheck whether you\u2019re eligible before you apply.\n\nYou only need to apply once for the Postgraduate Doctoral Loan. Student Finance England will write to you in the summer to tell you how much you\u2019ll get in the next academic year.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## Apply online\n\nIf you\u2019ve taken out a loan with Student Finance England before, use your account to apply.\n\nIf you do not already have one, set up an account.\n\n## Apply by post\n\nIf you cannot apply online, apply by post \u2013 the address is on the form.\n\n## If your course starts in the 2020 to 2021 academic year\n\n## If your course starts in the 2019 to 2020 academic year\n\n## If your course started in the 2018\u00a0to 2019\u00a0academic year\n\nRead the student finance privacy notice to find out how the information you provide will be used.\n\n## When to apply by\n\nThe deadline for applying depends on when you start your course.\n\nYou need to apply within 9 months of the first day of the last academic year of the course.\n\n## The academic year\n\nThe academic year is a period of 12 months.\n\n| Course start date between | First day of academic year |\n\n| 1 August and 31 December | 1 September |\n\n| 1 January and 31 March | 1 January |\n\n| 1 April and 30 June | 1 April |\n\n| 1 July and 31 July | 1 July |\n\n## Proof of identity\n\nInclude valid UK passport details in your application.\n\nUse the \u2018UK passport details\u2019 form if you need to send the details after your application. Do not send the passport itself.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re an EU national, send your passport or national identity card.\n\n## Supporting information\n\nYou should use the evidence return form for extra information to support your application, for example evidence of your residency status.\n\nYou may also be asked to complete the UK employment status form.\n\n## Change an application\n\nUse your online account to change your personal details, for example bank or contact details. Contact Student Finance England directly if you do not have an account.\n\n## Change the amount you\u2019ve asked for\n\nUse the loan request form to change the amount you\u2019ve applied for - you cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course starts in the 2019 to 2020 academic year:\n\n## Other changes\n\nUse the change of circumstances form if you need to change any other details, for example your university or course. You cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course starts in the 2019 to 2020 academic year:\n\n## Taking a break or withdrawing from your course\n\nTell Student Finance England and your institution straight away if you need to withdraw from your course. It may affect your future payments and eligibility for funding.\n\n## Extra help\n\nYou may qualify for other funding, for example grants from charities or trusts.\n\nStudent Finance England also has more information about other kinds of student finance.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## Disabled students\n\nIf you have a disability, long-term health condition, mental health condition or specific learning difficulty (for example dyslexia) you can apply for:\n\n- Disabled Students\u2019 Allowance\n\n- extra help if you\u2019re experiencing financial hardship\n\nYou may also qualify for disability related benefits.\n\n## Further information\n\nYou can learn more about the Postgraduate Doctoral Loan at the Student \nRoom website.\n\nContact Student Finance England if you have further questions.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/doctoral-loan", + "answerable": true, + "scenario": "I am currently doing a Ph.D in cyber security. I live in England for the last 4 years and on a dependant visa of my husband so we don't have a settlement status yet.", + "original_question": "Can I apply for a Doctoral Loan ?" + }, + { + "id": "train-552", + "question": "Scenario: I am a 34 year old from Liverpool and I am looking to give my apprentice' a pay rise following a successful year.\n\nQuestion: Will I still receive funding if I raise pay for the apprentices?\n\nDocument - Employing an apprentice:\n## Overview\n\nApprentices are aged 16 or over and combine working with studying to gain skills and knowledge in a specific job.\n\nApprentices can be new or current employees.\n\nYou must pay the apprentice at least the minimum wage.\n\nYour apprentice must:\n\n- work with experienced staff\n\n- learn job-specific skills\n\n- get time for training or study during their working week (at least 20% of their normal working hours)\n\n## Hiring your apprentice\n\nThere are several steps to taking on an apprentice.\n\n- Choose an apprenticeship for your business or organisation.\n\n- Find an organisation that offers training for the apprenticeship you\u2019ve chosen.\n\n- Check what funding is available for training and other costs to your organisation.\n\n- Advertise your apprenticeship - you or your training provider can do this through the recruit an apprentice service.\n\n- Select your apprentice and make an apprenticeship agreement and commitment statement with them.\n\nIf you do not want to hire and train the apprentice yourself, you can use an apprenticeship training agency. The apprentice will be employed by the agency but will work in your organisation.\n\n## How long it lasts\n\nApprenticeships must last for at least a year. They can last up to 5 years depending on the level the apprentice is studying.\n\n## Get help\n\nFill in the enquiry form or contact the National Apprenticeship Service for more information.\n\nYou can get more information or use the webchat service on the apprenticeship service employer support site.\n\n## Scotland, Wales and Northern Ireland\n\nContact your apprenticeship authority if you\u2019re an employer in:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\n## Get funding\n\nYou can get help from the government:\n\n- to pay for apprenticeship training and assessment\n\n- as an incentive payment for other costs\n\n## Help to pay for apprenticeship training and assessment\n\nThe amount you get depends on whether you pay the apprenticeship levy or not. You pay the levy if you\u2019re an employer with a pay bill over \u00a33 million each year.\n\n## If you do not need to pay the levy\n\nYou pay 5% towards the cost of training and assessing your apprentice. You need to:\n\n- agree a payment schedule with the training provider\n\n- pay them directly for the training\n\nThe government will pay the rest (95%) up to the funding band maximum. They\u2019ll pay it directly to the training provider.\n\nYou could be eligible for extra funding depending on both your and your apprentice\u2019s circumstances.\n\nYou contribute 10% towards the cost of training and assessing your apprentice and the government pays the rest (90%) if your apprentice started before 1 April 2019. This rate continues until your apprentice completes their training.\n\n## If you pay the levy\n\nYou\u2019ll receive funds to spend on training and assessing your apprentices. The government will add 10%.\n\nHow you get your funds and pay for training depends on whether you\u2019re in:\n\n- England\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\n## Help to pay for other costs\n\nYou can claim for an incentive payment for new apprentices who join your organisation.\n\nYou can claim \u00a33,000 for apprentices who start between 1 April 2021 and 30 September 2021.\n\nThe closing date for applications is 30 November 2021.\n\nFind out if you are eligible, what you can use the payment for and how to apply.\n\n## Register for a digital service account\n\nRegister for an apprenticeship service account to access funds or pay for training. You\u2019ll be able to apply for the incentive payment after you add new apprentices to your account.\n\nIf you pay the apprenticeship levy and use an apprenticeship training agency, you cannot use funds from your digital account to pay for the training agency\u2019s services.\n\n## Get help\n\nFill in the enquiry form or contact the National Apprenticeship Service for more information.\n\nYou can get more information or use the webchat service on the apprenticeship service employer support site.\n\n## Pay and conditions for apprentices\n\nYou are responsible for:\n\n- giving your apprentice their contract of employment\n\n- paying your apprentice\u2019s wage\n\n- signing an apprenticeship agreement\n\n## Pay for apprentices\n\nYou must pay apprentices at least the National Minimum Wage.\n\nThere\u2019s different rates of pay for apprentices depending on their age and what year of their apprenticeship they\u2019ve completed.\n\nThe contract of employment should make it clear what wage you\u2019ll pay your apprentice and for what hours.\n\n## Aged 16 to 18\n\nThe current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.\n\n## Aged 19 or over and in their first year\n\nThe current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.\n\n## Aged 19 or over and have completed their first year\n\nApprentices will be entitled to the National Minimum Wage or National Living Wage rate for their age.\n\nUse the National Minimum Wage and Living Wage calculator to check if you\u2019re paying your apprentices correctly.\n\n## Conditions\n\nApprentices must work towards an approved apprenticeship. Their training must last at least 12 months.\n\nThey must be employed in a real job that gives them the opportunity to gain the knowledge and skills they need to pass their assessment.\n\n## Training and study\n\nYou must pay your apprentice for time spent training or studying for their apprenticeship.\n\nApprentices must spend at least 20% of their normal working hours training.\n\nThe training might take place:\n\n- at their place of work\n\n- somewhere else (for example, a college or training provider)\n\n- online\n\nIf your apprentice is also studying for English or maths qualifications required by their apprenticeship, they are entitled to paid study time during their normal working hours.\n\n## Employee rights\n\nYou must offer apprentices the same conditions as other employees working at similar grades or in similar roles. This includes:\n\n- paid holidays\n\n- sick pay\n\n- any benefits you offer such as childcare voucher schemes\n\n- any support you offer such as coaching or mentoring\n\n## Apprentices and redundancy\n\nApprentices have the same employment rights as your other employees. Follow the process for making staff redundant if you have to make an apprentice redundant.\n\nGet legal advice if you want to end the apprenticeship early for another reason.\n\n## Support for apprentices\n\nYour apprentice can get support if they\u2019re being made redundant or are at risk of redundancy.\n\nThey can get:\n\n- financial and legal advice\n\n- support for their health and wellbeing\n\n- help finding another apprenticeship\n\n## Make an apprenticeship agreement\n\nYou must sign an apprenticeship agreement with your apprentice.\n\nThis gives details of:\n\n- the skill, trade or occupation the apprentice is being trained for\n\n- the name of the apprenticeship they\u2019re working towards\n\n- the start and end dates for the apprenticeship\n\n- the amount of training you\u2019ll give them\n\nYou can write your own apprentice agreement or download an apprenticeship agreement template.\n\n## Commitment statement\n\nYou must sign a commitment statement with your apprentice and the training provider.\n\nYou can write your own commitment statement or use the ESFA apprenticeship commitment statement template.\n\nIt must include:\n\n- the planned content and schedule for training\n\n- what is expected and offered by the employer, the training provider and the apprentice\n\n- how to resolve queries or complaints", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employing-an-apprentice", + "answerable": true, + "scenario": "I am a 34 year old from Liverpool and I am looking to give my apprentice' a pay rise following a successful year.", + "original_question": "Will I still receive funding if I raise pay for the apprentices?" + }, + { + "id": "train-553", + "question": "Scenario: I applied for a standard PSV license around 3 weeks ago. I have been out for work for a while now and would like to begin working as soon as possible using my license. I have payed all necessary fees.\n\nQuestion: Can I begin working before I have been issues my license?\n\nDocument - PSV (Public Service Vehicle) operator licences:\n## Overview\n\nYou need a public service vehicle (PSV) operator\u2019s licence to:\n\n- operate a vehicle for hire or reward (payment or payment in kind) that can carry 9 or more passengers\n\n- operate a smaller vehicle carrying passengers and charging separate fares for the journey\n\nRead PSV437, PSV operator licensing: a guide for operators.\n\n## Types of PSV licence\n\nThere are 4 types of PSV operator licences, plus special licensing rules in London.\n\n## Standard licence - national operations only\n\nYou can only operate in Great Britain if you apply for a standard licence. Most full-time commercial operators use standard licences.\n\n## Standard licence - national and international operations\n\nThis kind of licence lets you take passengers abroad as well as within Great Britain.\n\n## Restricted licence\n\nYou can only apply for a restricted licence for small-scale operations. They allow you to use 1 or 2 vehicles, and neither can carry more than 8 passengers.\n\nYou can carry up to 16 passengers in either vehicle if you do not use it as part of a passenger transport business, or you\u2019re operating your vehicles as a sideline and not as your main job.\n\n## Special restricted licence\n\nSpecial restricted licences are used to operate a licensed taxi on a local service. You can only apply for this licence if you\u2019re a licensed taxi operator. A local service is one where:\n\n- stops are no more than 24.15 kilometres (15 miles) apart\n\n- at least one stop is within the area of the district council that issued your taxi or private hire vehicle (PHV) licence\n\nThe service must be registered with the local Traffic Commissioner.\n\n## Licensing in London\n\nYou\u2019ll need a London Service Permit to run a private bus or coach service in London.\n\nTaxis and private hire services in London are licensed by Transport for London (TfL).\n\n## How to apply for a PSV licence\n\nYou can apply for a PSV operator\u2019s licence online. You\u2019ll usually get a decision within 7 weeks.\n\nIt\u2019s illegal to operate a vehicle before your licence has been issued.\n\nOnce you\u2019ve got your licence it will not have an expiry date, but you\u2019ll be asked to confirm your details every 5 years. The Traffic Commissioner\u2019s Office will get in touch with you to check them. You\u2019ll need to pay a continuation fee if you\u2019ve got a special restricted (taxi) licence.\n\nThe Traffic Commissioner can suspend or revoke your licence if they suspect you\u2019ve been breaking its terms.\n\nYou must also tell the Traffic Commissioner if your circumstances change.\n\n## Fees\n\n| Type of licence | Fees |\n\n| Application for a standard licence | \u00a3209 |\n\n| Application for a restricted licence | \u00a3209 |\n\n| Application for a special restricted (taxi) licence | \u00a361 |\n\n| Continuation fee for a special restricted (taxi) licence (payable every 5 years) | \u00a361 |\n\n| Make changes to a licence | \u00a3122 |\n\n## Ways you can pay\n\nPay for your licence online, by phone or by post.\n\n## Paying online\n\nYou can pay any application or licence fees when you apply for a vehicle operator licence online.\n\n## Paying by phone\n\nYou can pay by phone by calling the DVSA helpline.\n\n## Paying by post\n\nSend a cheque or postal order made payable to \u2018DVSA\u2019 to the Central Licensing Office.\n\n## Making changes to your PSV licence\n\nYou can make changes to your PSV operator\u2019s licence once you have it, for example add more vehicles to it.\n\nYou can update your licence online.\n\nYou can make most changes to your licence for free. You must pay \u00a3122 if you want to:\n\n- increase the vehicle limit on your licence\n\n- upgrade your licence from standard national to standard international and increase the vehicle limit at the same time\n\n## Changes of circumstance\n\nYou must tell the Traffic Commissioner within 28 days if:\n\n- there\u2019s any change to the correspondence address of the business\n\n- there\u2019s any change to the establishment address (standard licences only)\n\n- there\u2019s any change in the address of your operating centres\n\n- there\u2019s any change in the trading name of the business\n\n- any of the persons named on the licence have died - you may need a new licence\n\n- there\u2019s been a change of partners if it\u2019s a partnership firm - you may need a new licence\n\n- there\u2019s been a change of transport managers\n\n- you, your transport manager, officers employees or agents have any relevant convictions\n\n- there\u2019s been any other change that the Traffic Commissioner asked you to report as a condition of getting your licence\n\nYou\u2019ll also have to tell the Traffic Commissioner if there\u2019s been a change in the \u2018legal entity\u2019 of your business, for example if:\n\n- your company changes from being a sole trader or partnership to a limited company\n\n- there\u2019s been a change in your registered company number\n\n- there\u2019s been a change of directors or change in share holding\n\nSend details of any changes to the Office of the Traffic Commissioner\u2019s Central Licensing Office at the DVSA.\n\n## Appealing a decision\n\nYou can appeal if your application for a PSV operator licence is refused.\n\nYou\u2019ll need to send a written notice of appeal to the Upper Tribunal, Administrative Appeals Chamber. There is no fee.\n\nYour notice of appeal needs to be received within one month of the Traffic Commissioner\u2019s decision.\n\n## Guidance on making an appeal\n\nDownload detailed Tribunals Service guidance on making an appeal.\n\n## Appealing an Upper Tribunal decision\n\nIf your appeal is unsuccessful and you think that the decision is wrong, you can appeal to the Court of Appeal (England and Wales) or the Court of Session (Scotland).\n\nYou must have permission from the Upper Tribunal, or if the Upper Tribunal refuses, from the Court.\n\nYour application for permission to appeal must be received within 1 month of the original appeal decision.\n\nDownload detailed guidance about appealing an Upper Tribunal decision.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/psv-operator-licences", + "answerable": true, + "scenario": "I applied for a standard PSV license around 3 weeks ago. I have been out for work for a while now and would like to begin working as soon as possible using my license. I have payed all necessary fees.", + "original_question": "Can I begin working before I have been issues my license?" + }, + { + "id": "train-554", + "question": "Scenario: I have been operating as a sole public service driver for the past year. Some other drivers in my position and I recently decided to merge into a limited company.\n\nQuestion: Do we need to notify the Traffic Commissioner about the change?\n\nDocument - PSV (Public Service Vehicle) operator licences:\n## Overview\n\nYou need a public service vehicle (PSV) operator\u2019s licence to:\n\n- operate a vehicle for hire or reward (payment or payment in kind) that can carry 9 or more passengers\n\n- operate a smaller vehicle carrying passengers and charging separate fares for the journey\n\nRead PSV437, PSV operator licensing: a guide for operators.\n\n## Types of PSV licence\n\nThere are 4 types of PSV operator licences, plus special licensing rules in London.\n\n## Standard licence - national operations only\n\nYou can only operate in Great Britain if you apply for a standard licence. Most full-time commercial operators use standard licences.\n\n## Standard licence - national and international operations\n\nThis kind of licence lets you take passengers abroad as well as within Great Britain.\n\n## Restricted licence\n\nYou can only apply for a restricted licence for small-scale operations. They allow you to use 1 or 2 vehicles, and neither can carry more than 8 passengers.\n\nYou can carry up to 16 passengers in either vehicle if you do not use it as part of a passenger transport business, or you\u2019re operating your vehicles as a sideline and not as your main job.\n\n## Special restricted licence\n\nSpecial restricted licences are used to operate a licensed taxi on a local service. You can only apply for this licence if you\u2019re a licensed taxi operator. A local service is one where:\n\n- stops are no more than 24.15 kilometres (15 miles) apart\n\n- at least one stop is within the area of the district council that issued your taxi or private hire vehicle (PHV) licence\n\nThe service must be registered with the local Traffic Commissioner.\n\n## Licensing in London\n\nYou\u2019ll need a London Service Permit to run a private bus or coach service in London.\n\nTaxis and private hire services in London are licensed by Transport for London (TfL).\n\n## How to apply for a PSV licence\n\nYou can apply for a PSV operator\u2019s licence online. You\u2019ll usually get a decision within 7 weeks.\n\nIt\u2019s illegal to operate a vehicle before your licence has been issued.\n\nOnce you\u2019ve got your licence it will not have an expiry date, but you\u2019ll be asked to confirm your details every 5 years. The Traffic Commissioner\u2019s Office will get in touch with you to check them. You\u2019ll need to pay a continuation fee if you\u2019ve got a special restricted (taxi) licence.\n\nThe Traffic Commissioner can suspend or revoke your licence if they suspect you\u2019ve been breaking its terms.\n\nYou must also tell the Traffic Commissioner if your circumstances change.\n\n## Fees\n\n| Type of licence | Fees |\n\n| Application for a standard licence | \u00a3209 |\n\n| Application for a restricted licence | \u00a3209 |\n\n| Application for a special restricted (taxi) licence | \u00a361 |\n\n| Continuation fee for a special restricted (taxi) licence (payable every 5 years) | \u00a361 |\n\n| Make changes to a licence | \u00a3122 |\n\n## Ways you can pay\n\nPay for your licence online, by phone or by post.\n\n## Paying online\n\nYou can pay any application or licence fees when you apply for a vehicle operator licence online.\n\n## Paying by phone\n\nYou can pay by phone by calling the DVSA helpline.\n\n## Paying by post\n\nSend a cheque or postal order made payable to \u2018DVSA\u2019 to the Central Licensing Office.\n\n## Making changes to your PSV licence\n\nYou can make changes to your PSV operator\u2019s licence once you have it, for example add more vehicles to it.\n\nYou can update your licence online.\n\nYou can make most changes to your licence for free. You must pay \u00a3122 if you want to:\n\n- increase the vehicle limit on your licence\n\n- upgrade your licence from standard national to standard international and increase the vehicle limit at the same time\n\n## Changes of circumstance\n\nYou must tell the Traffic Commissioner within 28 days if:\n\n- there\u2019s any change to the correspondence address of the business\n\n- there\u2019s any change to the establishment address (standard licences only)\n\n- there\u2019s any change in the address of your operating centres\n\n- there\u2019s any change in the trading name of the business\n\n- any of the persons named on the licence have died - you may need a new licence\n\n- there\u2019s been a change of partners if it\u2019s a partnership firm - you may need a new licence\n\n- there\u2019s been a change of transport managers\n\n- you, your transport manager, officers employees or agents have any relevant convictions\n\n- there\u2019s been any other change that the Traffic Commissioner asked you to report as a condition of getting your licence\n\nYou\u2019ll also have to tell the Traffic Commissioner if there\u2019s been a change in the \u2018legal entity\u2019 of your business, for example if:\n\n- your company changes from being a sole trader or partnership to a limited company\n\n- there\u2019s been a change in your registered company number\n\n- there\u2019s been a change of directors or change in share holding\n\nSend details of any changes to the Office of the Traffic Commissioner\u2019s Central Licensing Office at the DVSA.\n\n## Appealing a decision\n\nYou can appeal if your application for a PSV operator licence is refused.\n\nYou\u2019ll need to send a written notice of appeal to the Upper Tribunal, Administrative Appeals Chamber. There is no fee.\n\nYour notice of appeal needs to be received within one month of the Traffic Commissioner\u2019s decision.\n\n## Guidance on making an appeal\n\nDownload detailed Tribunals Service guidance on making an appeal.\n\n## Appealing an Upper Tribunal decision\n\nIf your appeal is unsuccessful and you think that the decision is wrong, you can appeal to the Court of Appeal (England and Wales) or the Court of Session (Scotland).\n\nYou must have permission from the Upper Tribunal, or if the Upper Tribunal refuses, from the Court.\n\nYour application for permission to appeal must be received within 1 month of the original appeal decision.\n\nDownload detailed guidance about appealing an Upper Tribunal decision.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/psv-operator-licences", + "answerable": true, + "scenario": "I have been operating as a sole public service driver for the past year. Some other drivers in my position and I recently decided to merge into a limited company.", + "original_question": "Do we need to notify the Traffic Commissioner about the change?" + }, + { + "id": "train-557", + "question": "Scenario: My Uncle is an experienced driver and passed the driving test with a semi-automatic car. He has moved to the countryside and the only available car to take my father to the hospital is a manual.\n\nQuestion: Is he allowed to drive a manual car with an automatic driving licence?\n\nDocument - Driving test: cars:\n## Booking your test\n\nYou can book your driving test when you\u2019ve passed your theory test.\n\nYou do not need to pass another theory test if you\u2019re upgrading an automatic car licence to a manual licence.\n\nTo pass the driving test you must be able to:\n\n- drive safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you drive\n\nThe national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your test.\n\n## Change or check your test details\n\nYou can change the date of your test after you\u2019ve booked.\n\nYou can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.\n\n## Rebook your test\n\nRebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.\n\n## What to take to your test\n\nYou must take:\n\n- your UK driving licence\n\n- your theory test pass certificate, if you have it\n\n- a face covering, unless you have a good reason not to wear one\n\n- a car - most people use their driving instructor\u2019s, but you can use your own car if it meets the rules\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Wearing a face covering\n\nYou must bring and wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYour test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nBecause of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get the new licence in enough time.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence.\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## If you\u2019ve lost your theory test certificate\n\nYou do not need to get a replacement theory test certificate. Your driving examiner will check that you\u2019ve passed your theory test before your driving test starts.\n\n## What happens during the test\n\nThere are 5 parts to the driving test:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- general driving ability\n\n- reversing your vehicle\n\n- independent driving\n\nThe test is the same for both manual and automatic cars.\n\n## How long the test lasts\n\nYou\u2019ll drive for around 40 minutes.\n\nYou\u2019ll drive for around 70 minutes if you\u2019re taking an extended driving test because you\u2019ve been banned from driving.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.\n\nYou\u2019ll fail your driving test if you fail the eyesight check. The test will end.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions.\n\nYou\u2019ll be asked the:\n\n- \u2018tell me\u2019 question at the start of your test, before you start driving\n\n- \u2018show me\u2019 question while you\u2019re driving\n\n## Your general driving ability\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways.\n\nThe examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.\n\n## Pulling over at the side of the road\n\nYou\u2019ll be asked to pull over and pull away during your test, including:\n\n- normal stops at the side of the road\n\n- pulling out from behind a parked vehicle\n\n- a hill start\n\nYou might also be asked to carry out an emergency stop.\n\n## Reversing your vehicle\n\nThe examiner will ask you to do one of the following exercises:\n\n- parallel park at the side of the road\n\n- park in a parking bay - either by driving in and reversing out, or reversing in and driving out (the examiner will tell you which you have to do)\n\n- pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic\n\n## Independent driving\n\nYou\u2019ll have to drive for about 20 minutes by following either:\n\n- directions from a sat nav\n\n- traffic signs\n\nThe examiner will tell you which you have to follow.\n\nThey\u2019ll set the sat nav up for you. You cannot use your own sat nav.\n\n## If you cannot see traffic signs\n\nIf you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.\n\n## Going off the route\n\nThe examiner will not give you a fault for taking a wrong turning.\n\nThey\u2019ll help you get back on the route if you do.\n\n## If you make mistakes during your test\n\nYou can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.\n\nYour driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.\n\n## Other people at your test\n\nYour driving examiner\u2019s supervisor might sit in on your test to watch your examiner\u2019s performance. If you refuse, your test can be cancelled and you\u2019ll have to book another test and pay again.\n\n## Driving test faults and your result\n\nThere are 3 types of faults you can make:\n\n- a dangerous fault - this involves actual danger to you, the examiner, the public or property\n\n- a serious fault - something potentially dangerous\n\n- a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault\n\n## Pass mark\n\nYou\u2019ll pass your driving test if you make:\n\n- no more than 15 driving faults (sometimes called \u2018minors\u2019)\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nApply for your full driving licence within 2 years of passing your test if you do not want to get your licence automatically.\n\n## When you can start driving\n\nYou can start driving straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nThe examiner will tell you what faults you made.\n\nYou have to book another test and pay again. You have to choose a date at least 10 working days away.\n\n## Appeal your driving test\n\nYou can appeal your driving test if you can prove that your driving examiner did not follow the law.\n\nRead the guidance on appealing your driving test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint you may be able to appeal to a court instead.\n\n## Appeal your driving test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your driving test in England and Wales\n\n- 21 days of your driving test in Scotland\n\nCheck if you can appeal.\n\n## If your test is cancelled or there's bad weather\n\nYour driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is suspended due to coronavirus (COVID-19)\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou need to have passed a theory test in the last 2 years to take your driving test. Your theory test certificate will not be extended.\n\n## Bad weather\n\nDriving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your car\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your car, for example, if it breaks down during the test or does not meet the rules to be used\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your driving test you should say if you have a:\n\n- disability\n\n- health condition\n\n- learning difficulty\n\n- reason not to wear a face covering\n\nYou\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.\n\n## You have a disability\n\nYou\u2019ll have time with the examiner once you start the test to talk about:\n\n- your disability\n\n- any adaptations fitted to your car\n\nThey might also agree for you to have more time for instructions and directions during your test.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour driving instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.\n\n## You\u2019re pregnant\n\nYou can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.\n\n## You have reading difficulties\n\nWhen you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent driving part of the test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of directions from a sat nav.\n\n## Using your own car for your test\n\nYou can take your driving test in your own car rather than your driving instructor\u2019s if it meets certain rules.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Rules about the car\n\nYour car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19, you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Things that must be fitted\n\nThe car must have:\n\n- an extra interior rear-view mirror for the examiner\n\n- L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)\n\n## Dashcams and other cameras\n\nYou can use a camera fitted for insurance purposes, as long as it:\n\n- faces outside of the car and does not film the inside\n\n- does not record audio from inside the car\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Manual and automatic cars\n\nYou can take the test in a:\n\n- manual car - these have 3 pedals\n\n- automatic or semi-automatic car - these have 2 pedals\n\nIf you take your test in a semi-automatic car you\u2019ll only be able to drive automatic and semi-automatic cars once you\u2019ve passed your test.\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Cars you cannot use\n\nSome cars cannot be used in the test because they do not give the examiner all-round vision.\n\nYou cannot use any of the following:\n\n- BMW Mini convertible\n\n- Ford KA convertible\n\n- Toyota iQ\n\n- VW Beetle convertible\n\nCheck with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:\n\n- convertible car\n\n- panel van\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\nYou must bring the proof that it\u2019s safe with you when you take your test.\n\n| | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/driving-test", + "answerable": true, + "scenario": "My Uncle is an experienced driver and passed the driving test with a semi-automatic car. He has moved to the countryside and the only available car to take my father to the hospital is a manual.", + "original_question": "Is he allowed to drive a manual car with an automatic driving licence?" + }, + { + "id": "train-558", + "question": "Scenario: I own a 4 wheel drive car. It is fully registered, taxed and insured. It can go at 70mph speed and has a current MOT.I am afraid of contracting the covid virus during driving test from instructor's car.\n\nQuestion: Can I use my own car for my driving test?\n\nDocument - Driving test: cars:\n## Booking your test\n\nYou can book your driving test when you\u2019ve passed your theory test.\n\nYou do not need to pass another theory test if you\u2019re upgrading an automatic car licence to a manual licence.\n\nTo pass the driving test you must be able to:\n\n- drive safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you drive\n\nThe national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your test.\n\n## Change or check your test details\n\nYou can change the date of your test after you\u2019ve booked.\n\nYou can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.\n\n## Rebook your test\n\nRebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.\n\n## What to take to your test\n\nYou must take:\n\n- your UK driving licence\n\n- your theory test pass certificate, if you have it\n\n- a face covering, unless you have a good reason not to wear one\n\n- a car - most people use their driving instructor\u2019s, but you can use your own car if it meets the rules\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Wearing a face covering\n\nYou must bring and wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYour test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nBecause of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get the new licence in enough time.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence.\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## If you\u2019ve lost your theory test certificate\n\nYou do not need to get a replacement theory test certificate. Your driving examiner will check that you\u2019ve passed your theory test before your driving test starts.\n\n## What happens during the test\n\nThere are 5 parts to the driving test:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- general driving ability\n\n- reversing your vehicle\n\n- independent driving\n\nThe test is the same for both manual and automatic cars.\n\n## How long the test lasts\n\nYou\u2019ll drive for around 40 minutes.\n\nYou\u2019ll drive for around 70 minutes if you\u2019re taking an extended driving test because you\u2019ve been banned from driving.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.\n\nYou\u2019ll fail your driving test if you fail the eyesight check. The test will end.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions.\n\nYou\u2019ll be asked the:\n\n- \u2018tell me\u2019 question at the start of your test, before you start driving\n\n- \u2018show me\u2019 question while you\u2019re driving\n\n## Your general driving ability\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways.\n\nThe examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.\n\n## Pulling over at the side of the road\n\nYou\u2019ll be asked to pull over and pull away during your test, including:\n\n- normal stops at the side of the road\n\n- pulling out from behind a parked vehicle\n\n- a hill start\n\nYou might also be asked to carry out an emergency stop.\n\n## Reversing your vehicle\n\nThe examiner will ask you to do one of the following exercises:\n\n- parallel park at the side of the road\n\n- park in a parking bay - either by driving in and reversing out, or reversing in and driving out (the examiner will tell you which you have to do)\n\n- pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic\n\n## Independent driving\n\nYou\u2019ll have to drive for about 20 minutes by following either:\n\n- directions from a sat nav\n\n- traffic signs\n\nThe examiner will tell you which you have to follow.\n\nThey\u2019ll set the sat nav up for you. You cannot use your own sat nav.\n\n## If you cannot see traffic signs\n\nIf you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.\n\n## Going off the route\n\nThe examiner will not give you a fault for taking a wrong turning.\n\nThey\u2019ll help you get back on the route if you do.\n\n## If you make mistakes during your test\n\nYou can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.\n\nYour driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.\n\n## Other people at your test\n\nYour driving examiner\u2019s supervisor might sit in on your test to watch your examiner\u2019s performance. If you refuse, your test can be cancelled and you\u2019ll have to book another test and pay again.\n\n## Driving test faults and your result\n\nThere are 3 types of faults you can make:\n\n- a dangerous fault - this involves actual danger to you, the examiner, the public or property\n\n- a serious fault - something potentially dangerous\n\n- a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault\n\n## Pass mark\n\nYou\u2019ll pass your driving test if you make:\n\n- no more than 15 driving faults (sometimes called \u2018minors\u2019)\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nApply for your full driving licence within 2 years of passing your test if you do not want to get your licence automatically.\n\n## When you can start driving\n\nYou can start driving straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nThe examiner will tell you what faults you made.\n\nYou have to book another test and pay again. You have to choose a date at least 10 working days away.\n\n## Appeal your driving test\n\nYou can appeal your driving test if you can prove that your driving examiner did not follow the law.\n\nRead the guidance on appealing your driving test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint you may be able to appeal to a court instead.\n\n## Appeal your driving test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your driving test in England and Wales\n\n- 21 days of your driving test in Scotland\n\nCheck if you can appeal.\n\n## If your test is cancelled or there's bad weather\n\nYour driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is suspended due to coronavirus (COVID-19)\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou need to have passed a theory test in the last 2 years to take your driving test. Your theory test certificate will not be extended.\n\n## Bad weather\n\nDriving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your car\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your car, for example, if it breaks down during the test or does not meet the rules to be used\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your driving test you should say if you have a:\n\n- disability\n\n- health condition\n\n- learning difficulty\n\n- reason not to wear a face covering\n\nYou\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.\n\n## You have a disability\n\nYou\u2019ll have time with the examiner once you start the test to talk about:\n\n- your disability\n\n- any adaptations fitted to your car\n\nThey might also agree for you to have more time for instructions and directions during your test.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour driving instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.\n\n## You\u2019re pregnant\n\nYou can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.\n\n## You have reading difficulties\n\nWhen you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent driving part of the test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of directions from a sat nav.\n\n## Using your own car for your test\n\nYou can take your driving test in your own car rather than your driving instructor\u2019s if it meets certain rules.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Rules about the car\n\nYour car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19, you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Things that must be fitted\n\nThe car must have:\n\n- an extra interior rear-view mirror for the examiner\n\n- L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)\n\n## Dashcams and other cameras\n\nYou can use a camera fitted for insurance purposes, as long as it:\n\n- faces outside of the car and does not film the inside\n\n- does not record audio from inside the car\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Manual and automatic cars\n\nYou can take the test in a:\n\n- manual car - these have 3 pedals\n\n- automatic or semi-automatic car - these have 2 pedals\n\nIf you take your test in a semi-automatic car you\u2019ll only be able to drive automatic and semi-automatic cars once you\u2019ve passed your test.\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Cars you cannot use\n\nSome cars cannot be used in the test because they do not give the examiner all-round vision.\n\nYou cannot use any of the following:\n\n- BMW Mini convertible\n\n- Ford KA convertible\n\n- Toyota iQ\n\n- VW Beetle convertible\n\nCheck with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:\n\n- convertible car\n\n- panel van\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\nYou must bring the proof that it\u2019s safe with you when you take your test.\n\n| | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-test", + "answerable": true, + "scenario": "I own a 4 wheel drive car. It is fully registered, taxed and insured. It can go at 70mph speed and has a current MOT.I am afraid of contracting the covid virus during driving test from instructor's car.", + "original_question": "Can I use my own car for my driving test?" + }, + { + "id": "train-559", + "question": "Scenario: My 19 years sister is a UK citizen . She wants to apply for an Advanced learners loan. She will be joining Birmingham University for her Bachelor of Arts. Unfortunately her passport has expired .\n\nQuestion: Can she use her birth certificate to apply?\n\nDocument - Advanced Learner Loan:\n## Overview\n\nYou can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.\n\nLoan eligibility does not depend on your income and there are no credit checks.\n\nCheck if you\u2019re eligible before you apply for an Advanced Learner Loan.\n\nDifferent funding is available if you want to study in Scotland, Northern Ireland or Wales.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## Access to Higher Education (HE) course\n\nStudent Finance England will \u2018write off\u2019 any outstanding Advanced Learner Loan balances you owe for an Access to HE course once you complete a higher education course. This means you do not have to repay it.\n\nThe higher education course must be eligible for student finance.\n\n## Loan Bursary Fund\n\nYou may also be eligible for money from the Advanced Learner Loan Bursary Fund if you need help with some costs while studying, for example childcare, travel or trips related to your course.\n\nUse the Money Advice Service to work out the cost of borrowing.\n\n## What you'll get\n\nHow much you get depends on:\n\n- the type of course\n\n- your course fees\n\n- the maximum loan available for your course\n\nThe minimum loan you can get is \u00a3300 and is paid directly to your college or training provider.\n\nYou do not have to borrow the full cost of your course - you can pay for some of it yourself.\n\n## Number of loans you can get\n\nYou can apply for up to 4 loans and you can get more than one at the same time.\n\nYou can apply for another loan to take the same level of a course, for example the same level qualification in History if you\u2019ve already had a loan for the same level in Maths.\n\nYou can only apply once for an Access to Higher Education course.\n\n## A Levels\n\nYou can apply for a loan to fund each course you take towards your A Levels - up to a maximum of 4 A Levels.\n\nThis means you can have up to 8 loans if you\u2019re taking each A Level as 2 separate courses.\n\nThe courses must be in the same subject to qualify for a full A Level.\n\nYou can get 3 more loans for non A Level courses either before or after your course of A Levels.\n\n## Eligibility\n\nWhether you qualify for an Advanced Learner Loan depends on your:\n\n- age\n\n- course\n\n- college or training provider\n\n- nationality or residency status\n\nYou must be 19 or older on the first day of your course.\n\nYour course must be:\n\n- a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate\n\n- at an approved college or training provider in England\n\nAsk your college or training provider if you do not know if your course is eligible.\n\n## Your nationality or residency status\n\nIn most cases, all of the following must apply. You must:\n\n- be living in the UK on the first day of your course\n\n- be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)\n\n- have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course\n\nIf you have settled status because you\u2019re a victim of domestic violence, you do not need to have lived in the UK, Channel Islands or Isle of Man for 3 years.\n\nYou may also qualify if you\u2019re:\n\n- a UK national, or someone with settled status, but you live in the European Economic Area (EEA)\n\n- an EU national or a family member of one\n\n- not a UK national but you\u2019ve lived in the UK for at least 20 years (or at least half of your life)\n\n- a refugee or a relative of one\n\n- a migrant worker\n\n- the child of a Swiss national\n\n- the child of a Turkish worker\n\n- under humanitarian protection or a relative of someone who has been granted it\n\n- staying in the UK as a stateless person (or their family member) and your course started on or after 1 August 2018\n\n- a serving member of the UK armed forces (or their spouse, civil partner or a dependent parent or child living with them) doing a distance learning course from outside the UK that started on or after 1 August 2017\n\n- someone granted \u2018Calais leave\u2019 to remain or a child of someone granted \u2018Calais leave\u2019 to remain - if your course starts on or after 1 August 2020 and you\u2019ve lived in the UK for at least 3 years before the first day of the first academic year of your course\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## How to apply\n\n- Check with your college or training provider that the course qualifies.\n\n- Ask them for a \u2018Learning and funding information\u2019 letter - you need this to complete the application. It contains the details about your course.\n\n- Apply online - you\u2019ll need to register first. You can apply by post if you cannot apply online.\n\n- You\u2019ll get a letter confirming your loan - usually within 2 weeks if you apply online (postal applications take longer).\n\n## What you need to know\n\nYou cannot apply until you get a \u2018learning and funding information letter\u2019 from your college or training provider.\n\nYou can apply for a loan without a National Insurance number but you must have one before the loan can be paid.\n\n## Apply by post\n\nIf you cannot apply online, apply by post - the address is on the form.\n\n## Proof of identity\n\nIf you\u2019re a UK national, include your UK passport details in your application as proof of identity. If you forget, use the \u2018UK passport details form\u2019.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re from an EU country, send your EU passport or identity card the first time you apply.\n\n## Supporting information\n\nUse the \u2018Evidence return form\u2019 if you need to send extra information to support your application, such as proof of residency status.\n\n## Change an application\n\nOnce your application has been approved you can log in to your account to make a change online.\n\nIf you just want to change your loan amount you can use the loan request form instead.\n\n## Bursary fund\n\nYou may apply to get money from the Loan Bursary Fund after you\u2019ve received a letter approving your Advanced Learner Loan.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare\n\n- classroom assistance for a disability or learning difficulty - once you\u2019re assessed by your college or training provider\n\n## How to apply\n\nApply to your college or training provider - each one has its own application process. How much you get depends on the provider\u2019s scheme and your circumstances.\n\nSpeak to student services if you need support with your application.\n\n## How the money is paid\n\nYour college or training provider decides how the money is paid. You\u2019ll normally be paid direct. You might be able to arrange for the money to be paid to someone else instead, for example your landlord or childcare provider.\n\nIn some situations fund money must be paid back. This is generally if you\u2019re a student experiencing a temporary financial difficulty and need a loan, for example for help with your mortgage or rent.\n\n## Eligibility\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Disability Living Allowance\n\nYou cannot apply if you\u2019re:\n\n- getting student finance for higher education\n\n- on an apprenticeship training scheme\n\n- on a Community Learning course\n\n## Appeal a decision\n\nContact your college or training provider to appeal a decision from the Loan Bursary Fund.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/advanced-learner-loan", + "answerable": true, + "scenario": "My 19 years sister is a UK citizen . She wants to apply for an Advanced learners loan. She will be joining Birmingham University for her Bachelor of Arts. Unfortunately her passport has expired .", + "original_question": "Can she use her birth certificate to apply?" + }, + { + "id": "train-560", + "question": "Scenario: My niece is a UK citizen and doing apprenticeship masters in Engineering in Bath university. She would like to apply for a bursary fund to cater for her course work.\n\nQuestion: Can she apply for a bursary fund?\n\nDocument - Advanced Learner Loan:\n## Overview\n\nYou can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.\n\nLoan eligibility does not depend on your income and there are no credit checks.\n\nCheck if you\u2019re eligible before you apply for an Advanced Learner Loan.\n\nDifferent funding is available if you want to study in Scotland, Northern Ireland or Wales.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## Access to Higher Education (HE) course\n\nStudent Finance England will \u2018write off\u2019 any outstanding Advanced Learner Loan balances you owe for an Access to HE course once you complete a higher education course. This means you do not have to repay it.\n\nThe higher education course must be eligible for student finance.\n\n## Loan Bursary Fund\n\nYou may also be eligible for money from the Advanced Learner Loan Bursary Fund if you need help with some costs while studying, for example childcare, travel or trips related to your course.\n\nUse the Money Advice Service to work out the cost of borrowing.\n\n## What you'll get\n\nHow much you get depends on:\n\n- the type of course\n\n- your course fees\n\n- the maximum loan available for your course\n\nThe minimum loan you can get is \u00a3300 and is paid directly to your college or training provider.\n\nYou do not have to borrow the full cost of your course - you can pay for some of it yourself.\n\n## Number of loans you can get\n\nYou can apply for up to 4 loans and you can get more than one at the same time.\n\nYou can apply for another loan to take the same level of a course, for example the same level qualification in History if you\u2019ve already had a loan for the same level in Maths.\n\nYou can only apply once for an Access to Higher Education course.\n\n## A Levels\n\nYou can apply for a loan to fund each course you take towards your A Levels - up to a maximum of 4 A Levels.\n\nThis means you can have up to 8 loans if you\u2019re taking each A Level as 2 separate courses.\n\nThe courses must be in the same subject to qualify for a full A Level.\n\nYou can get 3 more loans for non A Level courses either before or after your course of A Levels.\n\n## Eligibility\n\nWhether you qualify for an Advanced Learner Loan depends on your:\n\n- age\n\n- course\n\n- college or training provider\n\n- nationality or residency status\n\nYou must be 19 or older on the first day of your course.\n\nYour course must be:\n\n- a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate\n\n- at an approved college or training provider in England\n\nAsk your college or training provider if you do not know if your course is eligible.\n\n## Your nationality or residency status\n\nIn most cases, all of the following must apply. You must:\n\n- be living in the UK on the first day of your course\n\n- be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)\n\n- have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course\n\nIf you have settled status because you\u2019re a victim of domestic violence, you do not need to have lived in the UK, Channel Islands or Isle of Man for 3 years.\n\nYou may also qualify if you\u2019re:\n\n- a UK national, or someone with settled status, but you live in the European Economic Area (EEA)\n\n- an EU national or a family member of one\n\n- not a UK national but you\u2019ve lived in the UK for at least 20 years (or at least half of your life)\n\n- a refugee or a relative of one\n\n- a migrant worker\n\n- the child of a Swiss national\n\n- the child of a Turkish worker\n\n- under humanitarian protection or a relative of someone who has been granted it\n\n- staying in the UK as a stateless person (or their family member) and your course started on or after 1 August 2018\n\n- a serving member of the UK armed forces (or their spouse, civil partner or a dependent parent or child living with them) doing a distance learning course from outside the UK that started on or after 1 August 2017\n\n- someone granted \u2018Calais leave\u2019 to remain or a child of someone granted \u2018Calais leave\u2019 to remain - if your course starts on or after 1 August 2020 and you\u2019ve lived in the UK for at least 3 years before the first day of the first academic year of your course\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## How to apply\n\n- Check with your college or training provider that the course qualifies.\n\n- Ask them for a \u2018Learning and funding information\u2019 letter - you need this to complete the application. It contains the details about your course.\n\n- Apply online - you\u2019ll need to register first. You can apply by post if you cannot apply online.\n\n- You\u2019ll get a letter confirming your loan - usually within 2 weeks if you apply online (postal applications take longer).\n\n## What you need to know\n\nYou cannot apply until you get a \u2018learning and funding information letter\u2019 from your college or training provider.\n\nYou can apply for a loan without a National Insurance number but you must have one before the loan can be paid.\n\n## Apply by post\n\nIf you cannot apply online, apply by post - the address is on the form.\n\n## Proof of identity\n\nIf you\u2019re a UK national, include your UK passport details in your application as proof of identity. If you forget, use the \u2018UK passport details form\u2019.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re from an EU country, send your EU passport or identity card the first time you apply.\n\n## Supporting information\n\nUse the \u2018Evidence return form\u2019 if you need to send extra information to support your application, such as proof of residency status.\n\n## Change an application\n\nOnce your application has been approved you can log in to your account to make a change online.\n\nIf you just want to change your loan amount you can use the loan request form instead.\n\n## Bursary fund\n\nYou may apply to get money from the Loan Bursary Fund after you\u2019ve received a letter approving your Advanced Learner Loan.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare\n\n- classroom assistance for a disability or learning difficulty - once you\u2019re assessed by your college or training provider\n\n## How to apply\n\nApply to your college or training provider - each one has its own application process. How much you get depends on the provider\u2019s scheme and your circumstances.\n\nSpeak to student services if you need support with your application.\n\n## How the money is paid\n\nYour college or training provider decides how the money is paid. You\u2019ll normally be paid direct. You might be able to arrange for the money to be paid to someone else instead, for example your landlord or childcare provider.\n\nIn some situations fund money must be paid back. This is generally if you\u2019re a student experiencing a temporary financial difficulty and need a loan, for example for help with your mortgage or rent.\n\n## Eligibility\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Disability Living Allowance\n\nYou cannot apply if you\u2019re:\n\n- getting student finance for higher education\n\n- on an apprenticeship training scheme\n\n- on a Community Learning course\n\n## Appeal a decision\n\nContact your college or training provider to appeal a decision from the Loan Bursary Fund.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/advanced-learner-loan", + "answerable": true, + "scenario": "My niece is a UK citizen and doing apprenticeship masters in Engineering in Bath university. She would like to apply for a bursary fund to cater for her course work.", + "original_question": "Can she apply for a bursary fund?" + }, + { + "id": "train-567", + "question": "Scenario: have been driving a Passenger-carrying vehicles for the last two years. I accidentally went 30 minutes over my driving hours yesterday and the DVLA found out\n\nQuestion: Will I be prosecuted for minor offences?\n\nDocument - Drivers' hours:\n## Overview\n\nIf you drive a goods vehicle or a passenger-carrying vehicle you must follow the rules on how many hours you can drive and the breaks that you need to take.\n\nThere are 3 sets of rules that could apply to your journey:\n\n- EU rules\n\n- AETR rules\n\n- GB domestic rules\n\nThe rules that apply depend on:\n\n- the type of vehicle you\u2019re driving\n\n- which country you\u2019re driving in\n\nIf you drive under the EU or GB domestic drivers\u2019 hours rules, you also need to follow the working time rules.\n\nIf you\u2019re an employer of drivers or mobile workers there are more rules you must follow.\n\nThere are different drivers\u2019 hours rules in Northern Ireland.\n\n## If you do not follow the rules\n\nIf you break the drivers\u2019 hours rules, the Driver and Vehicle Standards Agency (DVSA) can give you:\n\n- a verbal warning, for minor offences made by accident or because of inexperience\n\n- an offence rectification notice, for offences which are not a risk to road safety - you\u2019ll have 21 days to fix the issue\n\n- a prohibition notice, for serious or dangerous offences - you must stop a dangerous activity or start following the regulations\n\n- a fine or points on your licence (a \u2018fixed penalty\u2019) \u2013 the amount depends on how serious the offence is\n\nYou can be prosecuted for very serious or multiple offences.\n\nDVSA can give you further penalties (such as an improvement or prohibition notice) if you also break the working time rules.\n\nYou can ask for an emergency exemption from the rules. Read the guidance on emergency exemption and temporary relaxation of drivers\u2019 hours and working time rules.\n\n## Drivers\u2019 hours checklists\n\nYou can also print out the \u2018Staying legal\u2019 checklists, which cover the basic rules:\n\n- Staying legal - the basics (HGV drivers)\n\n- Staying legal - the basics (PSV drivers)\n\n## Rules for employers\n\nIf you employ drivers or other mobile workers, you must:\n\n- keep drivers\u2019 hours records for at least one year\n\n- make sure they are properly trained and understand the rules\n\n- organise their time so that they can follow the rules\n\n- check your drivers\u2019 hours records and data\n\n- monitor your workers\u2019 working time\n\nMobile workers are:\n\n- drivers - including employed drivers, own-account drivers and agency drivers\n\n- members of the vehicle crew, for example a second driver on a coach\n\n- anyone else who is part of the travelling staff, for example a bus conductor, a drayman or a security guard aboard a vehicle carrying high-value goods\n\n## Goods vehicles\n\nThe rules that apply to goods vehicles depend on the weight of your vehicle, the country you\u2019re driving in and what you\u2019re using the vehicle for.\n\n## EU rules\n\nEU rules apply if the maximum permissible weight of your vehicle or vehicle combination is more than 3.5 tonnes and you\u2019re driving in any of the following:\n\n- the EU (including the UK)\n\n- an European Economic Area (EEA) country\n\n- Switzerland\n\nSome vehicles are exempt from EU rules when driven in the UK.\n\n## AETR rules\n\nAETR (European Agreement Concerning the Work of Crews Engaged in International Road Transport) rules apply if your vehicle will pass through an AETR country.\n\n## GB domestic rules\n\nGB domestic rules apply if both the following are true:\n\n- the maximum permissible weight of your vehicle or vehicle combination is under 3.5 tonnes\n\n- your vehicle is exempt from EU rules when driven in the UK\n\nIf you\u2019ll be driving through a country outside of the UK, EU, EEA or Switzerland, you should contact the UK embassy of the country to check on local rules.\n\n## More information\n\nRead Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nRead the rules for drivers\u2019 hours in the recovery vehicle industry.\n\nYou can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.\n\nThere are specific rules for tachographs and horse boxes or trailers.\n\n## Passenger-carrying vehicles\n\nIf you\u2019re driving a vehicle that carries passengers the rules that apply to you depend on:\n\n- the number of passenger seats\n\n- how far you\u2019re driving (the distance of your route)\n\n- if you\u2019re driving to or from another country\n\n- if you\u2019re driving on a regular or a non-regular service\n\nA regular service follows a specified route, with stopping points for passengers to get on or off.\n\n## Public service vehicles (PSV)\n\nA public service vehicle is a vehicle that\u2019s used to carry passengers for hire or payment.\n\n| Type of operation | 8 or fewer passenger seats | 9 to 12 passenger seats | 13 to 16 passenger seats | 17 or more passenger seats |\n\n| Regular service on route not exceeding 50km | GB domestic rules | GB domestic rules | GB Domestic rules | GB Domestic rules |\n\n| National or international regular service on route exceeding 50km | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules |\n\n| National or international non-regular service for example commercial excursions, tours or private hire | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules |\n\n## Other passenger-carrying vehicles\n\nYou do not need to follow any drivers\u2019 hours rules if you drive a police, fire service or armed forces vehicle.\n\nIf you drive for a different public authority or for a business, and your vehicle is a non-PSV with:\n\n- up to 8 passenger seats - you do not need to follow any drivers\u2019 hours rules\n\n- 9 or more passenger seats - you must follow the EU rules (unless your vehicle is exempt from EU law)\n\n## If you drive a \u2018non-commercial\u2019 vehicle\n\nYou drive a non-commercial vehicle if:\n\n- passengers are not charged to use the vehicle\n\n- you and any other workers are not paid to operate or work in the vehicle\n\n- the vehicle is not used professionally or commercially\n\nIf your vehicle has up to 8 passenger seats, you do not need to follow any drivers\u2019 hours rules.\n\nIf your vehicle has 9 or more passenger seats, you usually need to follow the EU rules. You need to follow GB rules instead if your vehicle has between 10 and 17 passenger seats and is only used for non-commercial journeys.\n\n## If you use your vehicle outside the UK\n\nIf you drive between the UK and another country and your vehicle has:\n\n- up to 8 passenger seats - you must follow the local rules for the country you\u2019re driving in\n\n- 9 or more passenger seats - you must follow the EU or the European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules\n\n## More information\n\nRead Passenger vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nYou can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.\n\n## Exemptions from EU law\n\nSome types of vehicle are exempt from EU rules. This means they come under GB domestic rules in the UK.\n\nThe main types of exempt vehicle are:\n\n- vehicles that cannot go faster than 40 kilometres per hour, including vehicles that are restricted by a set speed limiter\n\n- emergency aid vehicles - vehicles used in the non-commercial transport of humanitarian aid for use in emergencies or rescue operations\n\n- breakdown vehicles - specialised breakdown vehicles working within a 100km of their base\n\n- vehicles undergoing road tests for technical development, repair or maintenance purposes, and new or rebuilt vehicles which have not yet been put into service\n\n- vehicles manufactured more than 25 years ago\n\n- vehicles used by agricultural, horticultural, forestry, farming or fishery businesses for carrying goods within 100km of where the business is based\n\n- vehicles that are used to carry live animals between a farm and a market, or from a market to a slaughterhouse where the distance is less than 100km\n\n- vehicles that are used to carry animal waste or carcasses that are not intended for human consumption\n\n- educational vehicles, for example play buses and mobile libraries\n\n- vehicles or combinations of vehicles with a maximum permissible weight of 7.5 tonnes or less that are used for carrying work equipment for the driver where the distance is less than 100km\n\n- vehicles driven only on islands whose area does not exceed 2,300 square kilometres\n\n- vehicles with a maximum weight of 7.5 tonnes which use natural or liquefied gas or electricity as fuel and carry goods within 50km from their base\n\n- driving instruction or exams - vehicles used for driving instruction and examination. Includes instruction for renewal of Driver Certificate of Professional Competence (CPC)\n\n- circus vehicles - specialised vehicles transporting circus and funfair equipment\n\n- milk collection - vehicles used for collecting milk from farms or returning milk containers or milk products for animal feed to farms\n\n- any vehicle that is propelled by steam\n\nRead the full list of exempt vehicles.\n\n## EU rules\n\n## Driving hours\n\nThe main EU rules on driving hours are that you must not drive more than:\n\n- 9 hours in a day - this can be extended to 10 hours twice a week\n\n- 56 hours in a week\n\n- 90 hours in any 2 consecutive weeks\n\nAll driving you do under EU rules must be recorded on a tachograph.\n\n## Breaks and rest\n\nThe main points of EU rules on breaks and rest are that you must take:\n\n- at least 11 hours rest every day - you can reduce this to 9 hours rest 3 times between any 2 weekly rest periods\n\n- an unbroken rest period of 45 hours every week - you can reduce this to 24 hours every other week\n\n- a break or breaks totalling at least 45 minutes after no more than 4 hours 30 minutes driving\n\n- your weekly rest after 6 consecutive 24-hour periods of working, starting from the end of the last weekly rest period taken\n\nCoach drivers on an international trip can take their weekly rest after 12 consecutive 24-hour periods, starting from the end of the last weekly rest period taken.\n\nFor more details on rests and breaks read:\n\n- Goods vehicles: rules on drivers\u2019 hours and tachographs\n\n- Passenger vehicles: rules on drivers\u2019 hours and tachographs\n\n## AETR rules\n\nThe European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules are now the same as the EU rules on drivers\u2019 hours.\n\nThe AETR rules cover all EU countries and:\n\n- Albania\n\n- Andorra\n\n- Armenia\n\n- Azerbaijan\n\n- Belarus\n\n- Bosnia and Herzegovina\n\n- Georgia\n\n- Kazakhstan\n\n- Liechtenstein\n\n- Monaco\n\n- Montenegro\n\n- Moldova\n\n- North Macedonia\n\n- Norway\n\n- Russia\n\n- San Marino\n\n- Serbia\n\n- Turkey\n\n- Turkmenistan\n\n- Ukraine\n\n- United Kingdom\n\n- Uzbekistan\n\n## GB domestic rules\n\nThe GB domestic drivers\u2019 hours rules apply to most passenger-carrying vehicles and goods vehicles that do not have to follow the EU rules.\n\nGB domestic rules apply in Great Britain - there are separate rules in Northern Ireland.\n\n## Goods vehicles\n\n## Duty time\n\nIf you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.\n\n## Daily driving limit\n\nYou must not drive for more than 10 hours in a day:\n\n- on a public road\n\n- off-road if not during duty time\n\nOff-road driving counts as duty time if it\u2019s for:\n\n- agriculture\n\n- quarrying\n\n- forestry\n\n- building work\n\n- civil engineering\n\n## Daily duty limit\n\nYou must not be on duty for more than 11 hours in any working day. This limit does not apply on any working day when you do not drive.\n\nYou must record your hours on a weekly record sheet or on a tachograph.\n\n## Exemptions\n\nYou do not need to follow the GB domestic rules if you:\n\n- are dealing with an emergency - for example, a major disruption to public services or danger to life\n\n- are using the vehicle for private driving and not for work\n\n- drive off-road or on private roads during duty time\n\n- drive a vehicle used by the armed forces, police or fire brigade\n\n## Passenger-carrying vehicles\n\n## Duty time\n\nIf you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.\n\n## Daily driving limit\n\nYou must not drive for more than 10 hours in any working day.\n\n## Breaks and continuous driving\n\nAfter 5 hours 30 minutes of driving you must take a break of at least 30 minutes for rest and refreshment.\n\nOr, within any period of 8 hours 30 minutes, you must take at least 45 minutes in breaks. You must also have a break of at least 30 minutes at the end of this period, unless it\u2019s the end of the working day.\n\n## Length of working day (\u2018spreadover\u2019)\n\nYou must not work more than 16 hours between the times of starting and finishing work - including non-driving work and any times when you\u2019re off.\n\n## Daily rest periods\n\nYou must take a rest of 10 hours before the first duty and immediately after the last duty in a working week.\n\nYou must take a rest of at least 10 hours between 2 working days (or spreadovers) - this can be reduced to 8.5 hours up to 3 times a week.\n\n## Fortnightly rest periods\n\nEvery 2 weeks you must take at least one period of 24 hours off duty.\n\nA fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.\n\n## Exemptions\n\nYou do not need to follow the GB domestic rules if you:\n\n- are dealing with an emergency - for example, a major disruption to public services or danger to life\n\n- drive for less than 4 hours a day in a week\n\nIf you drive for more than 4 hours for up to 2 days a week, you do not need to follow all of the rules. You need to:\n\n- follow the rules for daily driving limits and length of working day\n\n- start and finish all of your duties within a 24-hour period\n\n- take a rest of 10 hours before the first duty and immediately after the last duty\n\nIf you work overnight and the rules applied on the day your shift began, you must follow the rules for your entire shift - even if your shift finishes during a week in which you\u2019re exempt from the rules.\n\n## Driving under both EU and GB domestic rules\n\nIf you work partly under EU/AETR rules and partly under GB domestic rules during a day or a week you need to know the following:\n\n- driving under EU rules counts towards the driving and duty limits under GB domestic rules\n\n- on any days you drive under EU rules you must take EU daily rest periods, as well as a weekly rest period\n\n- you cannot count the time you spend driving under EU rules as an off-duty period under GB domestic rules\n\n- driving and other duty under GB domestic rules count as \u2018attendance at work\u2019, not as a break or rest period under EU rules\n\n## Driving limits\n\nYou must follow the GB domestic limit of a maximum of 10 hours driving a day. But at any time when you\u2019re actually driving under the EU rules you must follow all the rules on EU driving limits.\n\n## Other duty limits\n\nYou must follow the GB domestic limit of a maximum of:\n\n- 11 hours on duty if you drive a goods vehicle\n\n- 16 hours on duty if you drive a passenger-carrying vehicle\n\n## Rest periods and breaks\n\nYou must follow the EU rules on rest periods and breaks on days and weeks when you drive under EU rules.\n\nA fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.\n\nRead Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nRead the rules for drivers\u2019 hours in the recovery vehicle industry.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/drivers-hours", + "answerable": true, + "scenario": "have been driving a Passenger-carrying vehicles for the last two years. I accidentally went 30 minutes over my driving hours yesterday and the DVLA found out", + "original_question": "Will I be prosecuted for minor offences?" + }, + { + "id": "train-569", + "question": "Scenario: I'm 18 and got my UK driving licence 6 months ago. I would like to holiday in France, where I will be driving from the euro tunnel, down to the south of France.\n\nQuestion: Do I need an IDP?\n\nDocument - Driving abroad:\n## Driving abroad on holiday\n\nYou need to take your Great Britain or Northern Ireland driving licence with you to drive abroad. Check yours is still valid and renew your driving licence online if it\u2019s expired or about to expire. You\u2019ll need to apply to renew your licence at least a week before you travel.\n\nIf you\u2019re taking your own vehicle, you also need to take your log book (V5C) and your insurance certificate.\n\nIf you\u2019re taking a vehicle abroad that you\u2019ve hired or leased in the UK, you\u2019ll need a VE103 certificate.\n\n## Check if you need an international driving permit (IDP)\n\nYou might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.\n\nYou can get IDPs over the counter at the Post Office. You might need one for each country you\u2019re visiting.\n\nDo not apply for an IDP if you\u2019re moving abroad. You\u2019ll need to either exchange your UK licence or apply for a new one in the country you\u2019re moving to.\n\n## Check the overseas driving rules\n\nMake sure you follow overseas driving rules, including local speed limits and drink driving laws. You may be breaking the law and get a fine if you do not.\n\nDepending on the country you\u2019re visiting you may need:\n\n- extra equipment - for example, you need a reflective jacket and a warning triangle in many countries\n\n- emission stickers (permits) in some European cities - you may need to buy these weeks before you go abroad\n\n- headlight converter stickers\n\n- a GB sticker\n\nIf you\u2019re hiring a car, it\u2019s your responsibility to check you have the equipment you need.\n\nCheck what you need to do if you\u2019re driving in the EU.\n\nCheck the travel advice for all countries.\n\n## Check your insurance if you\u2019re taking your own vehicle\n\nYour UK vehicle insurance gives you a minimum of third party cover to drive your vehicle in EU countries. Check with your insurer if your policy covers extra things like theft or damage.\n\nYou need to carry a physical copy of a \u2018green card\u2019 for your vehicle if you\u2019re driving in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nIn other countries, you may need additional insurance and a green card to show you\u2019re covered. Check the travel advice for the country you\u2019re driving in.\n\n## Towing your trailer or caravan abroad\n\nCheck if you need to register your trailer before you can take it abroad.\n\nWhen driving in the EU (including Ireland), Andorra, Iceland, Liechtenstein, Norway, Serbia and Switzerland, you need to carry a separate green card for both:\n\n- the vehicle you\u2019re driving\n\n- the trailer or caravan you\u2019re towing\n\nIn other countries, you may need additional insurance and a green card for each trailer or caravan you tow. Check what you need to bring with your insurer before you travel.\n\n## Hiring a car abroad\n\nYour hire company may ask to see your driving licence information when you pick up the car. You can share this by getting a licence \u2018check code\u2019. You can do this up to 21 days before your trip.\n\nIf you\u2019re hiring a car, insurance is included. Check what you\u2019re covered for with the hire company.\n\n## Check if you need an international driving permit (IDP)\n\nYou may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:\n\n- which country you\u2019re visiting\n\n- how long you\u2019re staying\n\nYou need to have a valid Great Britain (GB) or Northern Ireland driving licence to get an IDP.\n\n## Driving in Europe\n\nYou do not need an IDP to drive in the EU, Switzerland, Norway, Iceland or Liechtenstein if you have a photocard driving licence issued in the UK.\n\nYou might need an IDP to drive in some EU countries and Norway if you have either:\n\n- a paper driving licence\n\n- a licence issued in Gibraltar, Guernsey, Jersey or the Isle of Man\n\nCheck with the embassy of the country you will be driving in.\n\n## Check which IDP you need\n\nCheck the table to find out if you need an IDP. There are 3 types of IDP:\n\n- 1926\n\n- 1949\n\n- 1968\n\nThe IDP you need depends on what country you\u2019re visiting.\n\nIf you\u2019re travelling through more than one country, you might need more than one type of IDP.\n\nIf the country you\u2019re visiting is not included in the table, check with the embassy of the country you\u2019re travelling to.\n\nIf you\u2019re hiring a car, check with your car hire company.\n\nIf you already have an IDP, make sure it\u2019s still valid in the country you\u2019re visiting.\n\n| Country or territory | Type of IDP | More information |\n\n| Albania | 1968 | |\n\n| Algeria | 1949 | |\n\n| Andorra | 1949 | |\n\n| Argentina | 1949 | |\n\n| Armenia | 1968 | |\n\n| Australia | 1949 | |\n\n| Austria | None | You do not need an IDP to drive here. |\n\n| Azerbaijan | 1968 | |\n\n| Bahamas | 1968 | IDP needed for stays longer than 90 days. |\n\n| Bahrain | 1968 | IDP needed for car hire, and for stays longer than 90 days. You must get your permit certified by local authorities when you arrive. |\n\n| Bangladesh | 1949 | |\n\n| Barbados | 1949 | |\n\n| Belarus | 1968 | |\n\n| Belgium | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Belgian Embassy. |\n\n| Benin | 1949 | |\n\n| Bosnia and Herzegovina | 1968 | |\n\n| Botswana | 1949 | IDP needed for car hire. |\n\n| Brazil | 1968 | You need to get a certified translation of your IDP from the British consulate. |\n\n| Bulgaria | None | You do not need an IDP to drive here. |\n\n| Burkina Faso | 1949 | |\n\n| Cambodia | 1949 | |\n\n| Canada | 1949 | |\n\n| Cape Verde | 1968 | |\n\n| Central African Republic | 1968 | |\n\n| Chile | 1949 | |\n\n| Congo | 1949 | |\n\n| Cote d\u2019Ivoire (Ivory Coast) | 1968 | |\n\n| Croatia | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Croatian Embassy. |\n\n| Cuba | 1968 | |\n\n| Cyprus | None | You do not need an IDP to drive here for visits up to 30 days. For visits longer than 30 days you will need a 1949 IDP. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1949 IDP for any length of visit. Check with the High Commission of Cyprus. |\n\n| Czech Republic | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Czech Republic Embassy. |\n\n| Democratic Republic of Congo | 1968 | |\n\n| Denmark | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Dominican Republic | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ecuador | 1949 | |\n\n| Egypt | 1949 | |\n\n| Estonia | None | You do not need an IDP to drive here for up to 90 days in any 180-day period. If you hold a paper driving licence you may need a 1968 IDP. Check with the Estonian Embassy. |\n\n| Eswatini (previously Swaziland) | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Fiji | 1949 | |\n\n| Finland | None | You do not need an IDP to drive here. |\n\n| France | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the French Embassy. |\n\n| French Polynesia | 1968 | |\n\n| Georgia | 1968 | IDP needed for stays longer than 90 days. |\n\n| Germany | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the German Embassy. |\n\n| Ghana | 1949 | |\n\n| Greece | None | You do not need an IDP to drive here. |\n\n| Guam | 1949 | IDP needed for stays longer than 30 days. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Guatemala | 1949 | |\n\n| Guyana | 1968 | |\n\n| Haiti | 1949 | IDP needed for stays longer than 90 days. |\n\n| Hungary | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Hungarian Embassy. |\n\n| Iceland | None | You do not need an IDP to drive here for periods up to 30 days. |\n\n| India | 1949 | |\n\n| Iran | 1968 | |\n\n| Iraq | 1968 | |\n\n| Ireland | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Israel | 1968 | |\n\n| Italy | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Italian Embassy. |\n\n| Jamaica | 1949 | |\n\n| Japan | 1949 | |\n\n| Jordan | 1949 | |\n\n| Kazakhstan | 1968 | |\n\n| Kenya | 1968 | IDP needed for stays longer than 90 days. |\n\n| Kuwait | 1968 | |\n\n| Kyrgyzstan | 1968 | |\n\n| Laos | 1949 | |\n\n| Latvia | None | You do not need an IDP to drive here. |\n\n| Lebanon | 1949 | |\n\n| Lesotho | 1949 | |\n\n| Liberia | 1968 | |\n\n| Libya | 1949 | |\n\n| Liechtenstein | None | You do not need an IDP to drive here. |\n\n| Lithuania | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Luxembourg | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Macao (Macau) | 1949 | |\n\n| Madagascar | 1949 | |\n\n| Malawi | 1949 | IDP needed for stays longer than 90 days. |\n\n| Malaysia (Sabah) | 1949 | |\n\n| Mali | 1949 | |\n\n| Malta | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from Guernsey or the Isle of Man, you may need a 1949 IDP. Check with the Malta High Commission. |\n\n| Mexico | 1926 | |\n\n| Moldova | 1968 | |\n\n| Monaco | 1968 | |\n\n| Mongolia | 1968 | |\n\n| Montenegro | 1968 | |\n\n| Morocco | 1968 | |\n\n| Myanmar (previously Burma) | 1968 | |\n\n| Namibia | 1949 | IDP needed for car hire. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Netherlands | None | You do not need an IDP to drive here. |\n\n| New Zealand | 1949 | |\n\n| Niger | 1968 | |\n\n| Nigeria | 1968 | |\n\n| North Macedonia | 1968 | |\n\n| Norway | None | You do not need an IDP to drive here for periods up to 90 days. If you hold a paper driving licence you may need a 1968 IDP. Check with the Norwegian Embassy. |\n\n| Pakistan | 1968 | |\n\n| Papua New Guinea | 1949 | IDP needed for stays longer than 30 days. |\n\n| Paraguay | 1949 | |\n\n| Peru | 1968 | |\n\n| Philippines | 1968 | IDP needed for car hire, and for stays longer than 90 days. |\n\n| Poland | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Portugal | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Qatar | 1968 | |\n\n| Romania | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Romanian Embassy. |\n\n| Russian Federation | 1968 | |\n\n| Rwanda | 1949 | |\n\n| San Marino | 1968 | |\n\n| Saudi Arabia | 1968 | IDP needed for car hire. |\n\n| Senegal | 1968 | |\n\n| Serbia | 1968 | |\n\n| Seychelles | 1968 | |\n\n| Sierra Leone | 1949 | |\n\n| Singapore | 1949 | IDP needed for car hire, and for stays longer than 30 days. |\n\n| Slovakia | None | You do not need an IDP to drive here for periods up to 6 months. For visits longer than 6 months you\u2019ll need a 1968 IDP. |\n\n| Slovenia | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Somalia | 1926 | |\n\n| South Africa | 1968 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| South Korea | 1949 | |\n\n| Spain (including Balearic and Canary Isles) | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Sri Lanka | 1949 | As well as the IDP, you must get a Sri Lankan recognition permit from the Automobile Association of Ceylon (AAC) in Colombo. |\n\n| St. Lucia | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| St. Vincent | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| Sweden | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Switzerland | None | You do not need an IDP to drive here. |\n\n| Syria | 1949 | |\n\n| Tajikistan | 1968 | |\n\n| Taiwan | 1949 | IDP needed for stays longer than 30 days. |\n\n| Thailand | 1949 | |\n\n| Togo | 1949 | |\n\n| Trinidad & Tobago | 1949 | IDP needed for stays longer than 90 days. |\n\n| Tunisia | 1968 | |\n\n| Turkey | 1968 | |\n\n| Turkmenistan | 1968 | |\n\n| Uganda | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ukraine | 1968 | |\n\n| United Arab Emirates | 1968 | |\n\n| United States | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Uruguay | 1968 | |\n\n| Uzbekistan | 1968 | |\n\n| Vatican City | 1949 | |\n\n| Venezuela | 1949 | |\n\n| Vietnam | 1968 | |\n\n| Zimbabwe | 1968 | |\n\n## Get an international driving permit (IDP)\n\nYou can get an IDP over the counter at the Post Office.\n\nThey cost \u00a35.50 and you must:\n\n- live in Great Britain or Northern Ireland\n\n- have a full UK driving licence\n\n- be 18 or over\n\nCheck if you need an IDP first.\n\nA 1926 or 1949 permit lasts for 12 months. A 1968 permit lasts for 3 years or until your UK driving licence expires, whichever comes first.\n\n## Driving if you move abroad\n\nYou need to get a local driving licence if you move abroad. Check with the driving licence authorities there to find out how to apply.\n\nIn some countries you can exchange your UK licence without taking another driving test.\n\nIf you move to an EU country, check the rules for exchanging your licence in the EU.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/driving-abroad", + "answerable": true, + "scenario": "I'm 18 and got my UK driving licence 6 months ago. I would like to holiday in France, where I will be driving from the euro tunnel, down to the south of France.", + "original_question": "Do I need an IDP?" + }, + { + "id": "train-570", + "question": "Scenario: I am 78 years old and a UK expat living in the Netherlands for the past 10 years. My UK drivers licence has expired.\n\nQuestion: Can I use an IDP to drive in the UK on holiday as I have not lived in the UK for the last 10 years? My UK licence has expired\n\nDocument - Driving abroad:\n## Driving abroad on holiday\n\nYou need to take your Great Britain or Northern Ireland driving licence with you to drive abroad. Check yours is still valid and renew your driving licence online if it\u2019s expired or about to expire. You\u2019ll need to apply to renew your licence at least a week before you travel.\n\nIf you\u2019re taking your own vehicle, you also need to take your log book (V5C) and your insurance certificate.\n\nIf you\u2019re taking a vehicle abroad that you\u2019ve hired or leased in the UK, you\u2019ll need a VE103 certificate.\n\n## Check if you need an international driving permit (IDP)\n\nYou might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.\n\nYou can get IDPs over the counter at the Post Office. You might need one for each country you\u2019re visiting.\n\nDo not apply for an IDP if you\u2019re moving abroad. You\u2019ll need to either exchange your UK licence or apply for a new one in the country you\u2019re moving to.\n\n## Check the overseas driving rules\n\nMake sure you follow overseas driving rules, including local speed limits and drink driving laws. You may be breaking the law and get a fine if you do not.\n\nDepending on the country you\u2019re visiting you may need:\n\n- extra equipment - for example, you need a reflective jacket and a warning triangle in many countries\n\n- emission stickers (permits) in some European cities - you may need to buy these weeks before you go abroad\n\n- headlight converter stickers\n\n- a GB sticker\n\nIf you\u2019re hiring a car, it\u2019s your responsibility to check you have the equipment you need.\n\nCheck what you need to do if you\u2019re driving in the EU.\n\nCheck the travel advice for all countries.\n\n## Check your insurance if you\u2019re taking your own vehicle\n\nYour UK vehicle insurance gives you a minimum of third party cover to drive your vehicle in EU countries. Check with your insurer if your policy covers extra things like theft or damage.\n\nYou need to carry a physical copy of a \u2018green card\u2019 for your vehicle if you\u2019re driving in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nIn other countries, you may need additional insurance and a green card to show you\u2019re covered. Check the travel advice for the country you\u2019re driving in.\n\n## Towing your trailer or caravan abroad\n\nCheck if you need to register your trailer before you can take it abroad.\n\nWhen driving in the EU (including Ireland), Andorra, Iceland, Liechtenstein, Norway, Serbia and Switzerland, you need to carry a separate green card for both:\n\n- the vehicle you\u2019re driving\n\n- the trailer or caravan you\u2019re towing\n\nIn other countries, you may need additional insurance and a green card for each trailer or caravan you tow. Check what you need to bring with your insurer before you travel.\n\n## Hiring a car abroad\n\nYour hire company may ask to see your driving licence information when you pick up the car. You can share this by getting a licence \u2018check code\u2019. You can do this up to 21 days before your trip.\n\nIf you\u2019re hiring a car, insurance is included. Check what you\u2019re covered for with the hire company.\n\n## Check if you need an international driving permit (IDP)\n\nYou may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:\n\n- which country you\u2019re visiting\n\n- how long you\u2019re staying\n\nYou need to have a valid Great Britain (GB) or Northern Ireland driving licence to get an IDP.\n\n## Driving in Europe\n\nYou do not need an IDP to drive in the EU, Switzerland, Norway, Iceland or Liechtenstein if you have a photocard driving licence issued in the UK.\n\nYou might need an IDP to drive in some EU countries and Norway if you have either:\n\n- a paper driving licence\n\n- a licence issued in Gibraltar, Guernsey, Jersey or the Isle of Man\n\nCheck with the embassy of the country you will be driving in.\n\n## Check which IDP you need\n\nCheck the table to find out if you need an IDP. There are 3 types of IDP:\n\n- 1926\n\n- 1949\n\n- 1968\n\nThe IDP you need depends on what country you\u2019re visiting.\n\nIf you\u2019re travelling through more than one country, you might need more than one type of IDP.\n\nIf the country you\u2019re visiting is not included in the table, check with the embassy of the country you\u2019re travelling to.\n\nIf you\u2019re hiring a car, check with your car hire company.\n\nIf you already have an IDP, make sure it\u2019s still valid in the country you\u2019re visiting.\n\n| Country or territory | Type of IDP | More information |\n\n| Albania | 1968 | |\n\n| Algeria | 1949 | |\n\n| Andorra | 1949 | |\n\n| Argentina | 1949 | |\n\n| Armenia | 1968 | |\n\n| Australia | 1949 | |\n\n| Austria | None | You do not need an IDP to drive here. |\n\n| Azerbaijan | 1968 | |\n\n| Bahamas | 1968 | IDP needed for stays longer than 90 days. |\n\n| Bahrain | 1968 | IDP needed for car hire, and for stays longer than 90 days. You must get your permit certified by local authorities when you arrive. |\n\n| Bangladesh | 1949 | |\n\n| Barbados | 1949 | |\n\n| Belarus | 1968 | |\n\n| Belgium | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Belgian Embassy. |\n\n| Benin | 1949 | |\n\n| Bosnia and Herzegovina | 1968 | |\n\n| Botswana | 1949 | IDP needed for car hire. |\n\n| Brazil | 1968 | You need to get a certified translation of your IDP from the British consulate. |\n\n| Bulgaria | None | You do not need an IDP to drive here. |\n\n| Burkina Faso | 1949 | |\n\n| Cambodia | 1949 | |\n\n| Canada | 1949 | |\n\n| Cape Verde | 1968 | |\n\n| Central African Republic | 1968 | |\n\n| Chile | 1949 | |\n\n| Congo | 1949 | |\n\n| Cote d\u2019Ivoire (Ivory Coast) | 1968 | |\n\n| Croatia | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Croatian Embassy. |\n\n| Cuba | 1968 | |\n\n| Cyprus | None | You do not need an IDP to drive here for visits up to 30 days. For visits longer than 30 days you will need a 1949 IDP. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1949 IDP for any length of visit. Check with the High Commission of Cyprus. |\n\n| Czech Republic | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Czech Republic Embassy. |\n\n| Democratic Republic of Congo | 1968 | |\n\n| Denmark | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Dominican Republic | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ecuador | 1949 | |\n\n| Egypt | 1949 | |\n\n| Estonia | None | You do not need an IDP to drive here for up to 90 days in any 180-day period. If you hold a paper driving licence you may need a 1968 IDP. Check with the Estonian Embassy. |\n\n| Eswatini (previously Swaziland) | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Fiji | 1949 | |\n\n| Finland | None | You do not need an IDP to drive here. |\n\n| France | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the French Embassy. |\n\n| French Polynesia | 1968 | |\n\n| Georgia | 1968 | IDP needed for stays longer than 90 days. |\n\n| Germany | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the German Embassy. |\n\n| Ghana | 1949 | |\n\n| Greece | None | You do not need an IDP to drive here. |\n\n| Guam | 1949 | IDP needed for stays longer than 30 days. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Guatemala | 1949 | |\n\n| Guyana | 1968 | |\n\n| Haiti | 1949 | IDP needed for stays longer than 90 days. |\n\n| Hungary | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Hungarian Embassy. |\n\n| Iceland | None | You do not need an IDP to drive here for periods up to 30 days. |\n\n| India | 1949 | |\n\n| Iran | 1968 | |\n\n| Iraq | 1968 | |\n\n| Ireland | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Israel | 1968 | |\n\n| Italy | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Italian Embassy. |\n\n| Jamaica | 1949 | |\n\n| Japan | 1949 | |\n\n| Jordan | 1949 | |\n\n| Kazakhstan | 1968 | |\n\n| Kenya | 1968 | IDP needed for stays longer than 90 days. |\n\n| Kuwait | 1968 | |\n\n| Kyrgyzstan | 1968 | |\n\n| Laos | 1949 | |\n\n| Latvia | None | You do not need an IDP to drive here. |\n\n| Lebanon | 1949 | |\n\n| Lesotho | 1949 | |\n\n| Liberia | 1968 | |\n\n| Libya | 1949 | |\n\n| Liechtenstein | None | You do not need an IDP to drive here. |\n\n| Lithuania | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Luxembourg | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Macao (Macau) | 1949 | |\n\n| Madagascar | 1949 | |\n\n| Malawi | 1949 | IDP needed for stays longer than 90 days. |\n\n| Malaysia (Sabah) | 1949 | |\n\n| Mali | 1949 | |\n\n| Malta | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from Guernsey or the Isle of Man, you may need a 1949 IDP. Check with the Malta High Commission. |\n\n| Mexico | 1926 | |\n\n| Moldova | 1968 | |\n\n| Monaco | 1968 | |\n\n| Mongolia | 1968 | |\n\n| Montenegro | 1968 | |\n\n| Morocco | 1968 | |\n\n| Myanmar (previously Burma) | 1968 | |\n\n| Namibia | 1949 | IDP needed for car hire. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Netherlands | None | You do not need an IDP to drive here. |\n\n| New Zealand | 1949 | |\n\n| Niger | 1968 | |\n\n| Nigeria | 1968 | |\n\n| North Macedonia | 1968 | |\n\n| Norway | None | You do not need an IDP to drive here for periods up to 90 days. If you hold a paper driving licence you may need a 1968 IDP. Check with the Norwegian Embassy. |\n\n| Pakistan | 1968 | |\n\n| Papua New Guinea | 1949 | IDP needed for stays longer than 30 days. |\n\n| Paraguay | 1949 | |\n\n| Peru | 1968 | |\n\n| Philippines | 1968 | IDP needed for car hire, and for stays longer than 90 days. |\n\n| Poland | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Portugal | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Qatar | 1968 | |\n\n| Romania | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Romanian Embassy. |\n\n| Russian Federation | 1968 | |\n\n| Rwanda | 1949 | |\n\n| San Marino | 1968 | |\n\n| Saudi Arabia | 1968 | IDP needed for car hire. |\n\n| Senegal | 1968 | |\n\n| Serbia | 1968 | |\n\n| Seychelles | 1968 | |\n\n| Sierra Leone | 1949 | |\n\n| Singapore | 1949 | IDP needed for car hire, and for stays longer than 30 days. |\n\n| Slovakia | None | You do not need an IDP to drive here for periods up to 6 months. For visits longer than 6 months you\u2019ll need a 1968 IDP. |\n\n| Slovenia | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Somalia | 1926 | |\n\n| South Africa | 1968 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| South Korea | 1949 | |\n\n| Spain (including Balearic and Canary Isles) | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Sri Lanka | 1949 | As well as the IDP, you must get a Sri Lankan recognition permit from the Automobile Association of Ceylon (AAC) in Colombo. |\n\n| St. Lucia | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| St. Vincent | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| Sweden | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Switzerland | None | You do not need an IDP to drive here. |\n\n| Syria | 1949 | |\n\n| Tajikistan | 1968 | |\n\n| Taiwan | 1949 | IDP needed for stays longer than 30 days. |\n\n| Thailand | 1949 | |\n\n| Togo | 1949 | |\n\n| Trinidad & Tobago | 1949 | IDP needed for stays longer than 90 days. |\n\n| Tunisia | 1968 | |\n\n| Turkey | 1968 | |\n\n| Turkmenistan | 1968 | |\n\n| Uganda | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ukraine | 1968 | |\n\n| United Arab Emirates | 1968 | |\n\n| United States | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Uruguay | 1968 | |\n\n| Uzbekistan | 1968 | |\n\n| Vatican City | 1949 | |\n\n| Venezuela | 1949 | |\n\n| Vietnam | 1968 | |\n\n| Zimbabwe | 1968 | |\n\n## Get an international driving permit (IDP)\n\nYou can get an IDP over the counter at the Post Office.\n\nThey cost \u00a35.50 and you must:\n\n- live in Great Britain or Northern Ireland\n\n- have a full UK driving licence\n\n- be 18 or over\n\nCheck if you need an IDP first.\n\nA 1926 or 1949 permit lasts for 12 months. A 1968 permit lasts for 3 years or until your UK driving licence expires, whichever comes first.\n\n## Driving if you move abroad\n\nYou need to get a local driving licence if you move abroad. Check with the driving licence authorities there to find out how to apply.\n\nIn some countries you can exchange your UK licence without taking another driving test.\n\nIf you move to an EU country, check the rules for exchanging your licence in the EU.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/driving-abroad", + "answerable": true, + "scenario": "I am 78 years old and a UK expat living in the Netherlands for the past 10 years. My UK drivers licence has expired.", + "original_question": "Can I use an IDP to drive in the UK on holiday as I have not lived in the UK for the last 10 years? My UK licence has expired" + }, + { + "id": "train-571", + "question": "Scenario: I am planning to set-up a motorcycle approved training body. I was recently convicted of a motor offence and disqualified for 3 months of driving\n\nQuestion: Will I qualify for setting up a motorcycle ATB ?\n\nDocument - Set up and run a motorcycle approved training body (ATB):\n## Overview\n\nYou must be an approved training body (ATB) with the Driver and Vehicle Standards Agency (DVSA) to provide:\n\n- compulsory basic training (CBT) for learner motorcyclists\n\n- direct access scheme (DAS) training to riders learning to ride a large motorcycle\n\nCBT and DAS training must be given by instructors certified by DVSA working for your approved training body.\n\nThe sites you use to provide training from must also be approved by DVSA.\n\nThe process is different Northern Ireland.\n\n## Rules for being an ATB\n\nYou must meet certain rules to be an approved training body (ATB).\n\n## \u2018Fit and proper\u2019\n\nYou must be a \u2018fit and proper\u2019 person to run the ATB.\n\nWhen deciding if you\u2019re a \u2018fit and proper\u2019 person, DVSA will look at if you have:\n\n- had any convictions in the last 4 years\n\n- any motoring convictions\n\n- been disqualified from driving\n\n- any penalty points on your licence\n\n- any court proceedings pending against you\n\n## Training\n\nYou must provide compulsory basic training (CBT) as an ATB. Any CBT and direct access scheme (DAS) courses you provide must meet the legal requirements.\n\nThe CBT syllabus and guidance notes gives full details on what must be provided.\n\nAn instructor is only allowed to supervise up to 2 trainees during on-road tuition.\n\nYour instructors must be in radio contact with all trainees at all times during on-road tuition.\n\n## Training sites\n\nYou must have the use of a suitable site or sites for training in the off-road parts of the CBT course.\n\nThese sites must be authorised by DVSA before they\u2019re used.\n\n## Instructors\n\nYou must make sure that all your instructors have a valid instructor certificate for the type of training they give. This must show the name of your ATB.\n\nAt least 1 of your instructors must have successfully completed DVSA\u2019s assessment course for motorcycle training.\n\nDVSA-assessed instructors are allowed to train other people that you want to appoint as instructors - this is known as \u2018down-training\u2019.\n\nYou should have at least 1 DVSA-assessed instructor for every 10 instructors that have been down-trained.\n\n## Monitoring\n\nYou should send all required information about the courses you provide to DVSA including:\n\n- reporting any incidents\n\n- dates when you\u2019re providing CBT courses\n\n- the CBT certificates of completion you issue\n\nThe ATB manual gives more details about what you have to send.\n\n## Apply to become an ATB\n\nTo apply to register an approved training body (ATB), download these 3 application forms, and send them to DVSA:\n\n- \u2018Application to provide compulsory basic training (CBT) courses\u2019\n\n- \u2018Compulsory basic training (CBT) site application form\u2019\n\n- \u2018Application to be authorised as a certified motorcycle instructor\u2019\n\nIt takes up to 8 weeks to process an application. This includes the time to inspect the site to be used for the off-road elements of compulsory basic training.\n\n## Apply for CBT site authorisation\n\nAll the sites you intend to use for the practical training and riding elements of the compulsory basic training (CBT) course must be authorised by DVSA.\n\nYou can\u2019t use a site until you\u2019ve got authorisation from DVSA.\n\nDownload the compulsory basic training site application form to apply for authorisation.\n\nSend the completed form to DVSA. You\u2019ll also need to include a draft plan of the intended site, eg an annotated satellite image.\n\n## Site inspection\n\nDVSA will:\n\n- inspect the site\n\n- send a site report to you\n\n- send a unique site code to you if the site is suitable\n\nThe site report will explain any rules set by DVSA. This will include how many trainees are allowed on the site.\n\nYou should make sure all your instructors are aware of these details.\n\n## Changes to authorised sites\n\nYou must tell DVSA straight away if a site is altered or added to.\n\nDownload the compulsory basic training site application form and send it to DVSA.\n\nYou\u2019ll also need to include:\n\n- a draft plan showing any changes to the original authorised site\n\n- a permission letter signed by the site owner\n\nThe site\u2019s authorisation can be removed if it has become unsuitable.\n\n## Stopping using a site\n\nYou must tell DVSA straight away if you stop using a site for CBT.\n\nYou can email DVSA - you\u2019ll need to include your approved training body number and the site\u2019s unique code.\n\n## Providing the CBT course\n\nThe compulsory basic training (CBT) course is made up of 5 parts.\n\nThe course syllabus and the order in which the parts must be delivered is set out in law.\n\n## CBT certificate of completion\n\nYou must give trainees a CBT certificate of completion (DL196) when they reach the required standard.\n\nThe certificate must be completed and signed by the instructor, usually the one who conducted part E of the CBT course.\n\nThe name and address of your approved training body (ATB) should be included on the certificate.\n\n## Ordering DL196 certificates\n\nYou can buy books of DL196 certificates online from DVSA.\n\nEach book contains 25 certificates and costs \u00a3200.\n\n## How your ATB is monitored\n\nDVSA monitors the standard of instruction given by:\n\n- approved training bodies (ATBs)\n\n- instructors delivering compulsory basic training (CBT) courses\n\nYou must make your instructors available for regular standards checks.\n\nYou should tell your local DVSA CBT manager the dates and times when your ATB will be running CBT courses.\n\n## After an assessment\n\nYou\u2019ll get a letter of confirmation and report from DVSA after an assessment visit if the training delivered meets the required standard.\n\nDVSA can conduct more assessments if:\n\n- the training falls short of the required standard\n\n- there are breaches of regulations\n\n- there are reports of failure to follow the conditions of appointment\n\nDVSA will consider withdrawing an instructor\u2019s authority to deliver courses if they fail to achieve the required standard during the subsequent assessments.\n\nDVSA can withdraw your ATB\u2019s authorisation to deliver training courses if assessments show that it doesn\u2019t consistently provide full and proper CBT courses.\n\n## Disagreeing with DVSA\u2019s decision\n\nYou can appeal to DVSA if you or an instructor disagrees with DVSA\u2019s decision to withdraw their authority.\n\n## Documents for ATBs\n\nDVSA produces the following documents for approved training bodies (ATBs).\n\n## ATB manual\n\nThe ATB manual gives more details about the rules and processes you should follow when you\u2019re running an ATB.\n\n## Safe and Responsible Riding\n\nThe \u2018National standard for riding mopeds and motorcycles\u2019 sets out the skills, knowledge and understanding that learners need to prove they\u2019re safe and responsible riders.\n\n## Compulsory basic training (CBT) syllabus and guidance notes\n\nThe CBT syllabus and guidance notes sets out what trainers need to do and what learners need to understand when taking the course.\n\n## Direct access scheme (DAS) motorcycle training guidance\n\nThe DAS motorcycle training guidance sets out what trainers need to do and what learners need to understand when taking the course.\n\nChanges to the CBT syllabus and guidance notes\n\nYou can keep up to date with new versions if you sign up for DVSA email alerts.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "answerable": true, + "scenario": "I am planning to set-up a motorcycle approved training body. I was recently convicted of a motor offence and disqualified for 3 months of driving", + "original_question": "Will I qualify for setting up a motorcycle ATB ?" + }, + { + "id": "train-572", + "question": "Scenario: I have a DVSA approved site for practical training and riding elements of the compulsory basic training (CBT) course. Recently we have shut down the site for some financial reasons.\n\nQuestion: Do we have to inform DVSA about the decision to stop using the CBT site ?\n\nDocument - Set up and run a motorcycle approved training body (ATB):\n## Overview\n\nYou must be an approved training body (ATB) with the Driver and Vehicle Standards Agency (DVSA) to provide:\n\n- compulsory basic training (CBT) for learner motorcyclists\n\n- direct access scheme (DAS) training to riders learning to ride a large motorcycle\n\nCBT and DAS training must be given by instructors certified by DVSA working for your approved training body.\n\nThe sites you use to provide training from must also be approved by DVSA.\n\nThe process is different Northern Ireland.\n\n## Rules for being an ATB\n\nYou must meet certain rules to be an approved training body (ATB).\n\n## \u2018Fit and proper\u2019\n\nYou must be a \u2018fit and proper\u2019 person to run the ATB.\n\nWhen deciding if you\u2019re a \u2018fit and proper\u2019 person, DVSA will look at if you have:\n\n- had any convictions in the last 4 years\n\n- any motoring convictions\n\n- been disqualified from driving\n\n- any penalty points on your licence\n\n- any court proceedings pending against you\n\n## Training\n\nYou must provide compulsory basic training (CBT) as an ATB. Any CBT and direct access scheme (DAS) courses you provide must meet the legal requirements.\n\nThe CBT syllabus and guidance notes gives full details on what must be provided.\n\nAn instructor is only allowed to supervise up to 2 trainees during on-road tuition.\n\nYour instructors must be in radio contact with all trainees at all times during on-road tuition.\n\n## Training sites\n\nYou must have the use of a suitable site or sites for training in the off-road parts of the CBT course.\n\nThese sites must be authorised by DVSA before they\u2019re used.\n\n## Instructors\n\nYou must make sure that all your instructors have a valid instructor certificate for the type of training they give. This must show the name of your ATB.\n\nAt least 1 of your instructors must have successfully completed DVSA\u2019s assessment course for motorcycle training.\n\nDVSA-assessed instructors are allowed to train other people that you want to appoint as instructors - this is known as \u2018down-training\u2019.\n\nYou should have at least 1 DVSA-assessed instructor for every 10 instructors that have been down-trained.\n\n## Monitoring\n\nYou should send all required information about the courses you provide to DVSA including:\n\n- reporting any incidents\n\n- dates when you\u2019re providing CBT courses\n\n- the CBT certificates of completion you issue\n\nThe ATB manual gives more details about what you have to send.\n\n## Apply to become an ATB\n\nTo apply to register an approved training body (ATB), download these 3 application forms, and send them to DVSA:\n\n- \u2018Application to provide compulsory basic training (CBT) courses\u2019\n\n- \u2018Compulsory basic training (CBT) site application form\u2019\n\n- \u2018Application to be authorised as a certified motorcycle instructor\u2019\n\nIt takes up to 8 weeks to process an application. This includes the time to inspect the site to be used for the off-road elements of compulsory basic training.\n\n## Apply for CBT site authorisation\n\nAll the sites you intend to use for the practical training and riding elements of the compulsory basic training (CBT) course must be authorised by DVSA.\n\nYou can\u2019t use a site until you\u2019ve got authorisation from DVSA.\n\nDownload the compulsory basic training site application form to apply for authorisation.\n\nSend the completed form to DVSA. You\u2019ll also need to include a draft plan of the intended site, eg an annotated satellite image.\n\n## Site inspection\n\nDVSA will:\n\n- inspect the site\n\n- send a site report to you\n\n- send a unique site code to you if the site is suitable\n\nThe site report will explain any rules set by DVSA. This will include how many trainees are allowed on the site.\n\nYou should make sure all your instructors are aware of these details.\n\n## Changes to authorised sites\n\nYou must tell DVSA straight away if a site is altered or added to.\n\nDownload the compulsory basic training site application form and send it to DVSA.\n\nYou\u2019ll also need to include:\n\n- a draft plan showing any changes to the original authorised site\n\n- a permission letter signed by the site owner\n\nThe site\u2019s authorisation can be removed if it has become unsuitable.\n\n## Stopping using a site\n\nYou must tell DVSA straight away if you stop using a site for CBT.\n\nYou can email DVSA - you\u2019ll need to include your approved training body number and the site\u2019s unique code.\n\n## Providing the CBT course\n\nThe compulsory basic training (CBT) course is made up of 5 parts.\n\nThe course syllabus and the order in which the parts must be delivered is set out in law.\n\n## CBT certificate of completion\n\nYou must give trainees a CBT certificate of completion (DL196) when they reach the required standard.\n\nThe certificate must be completed and signed by the instructor, usually the one who conducted part E of the CBT course.\n\nThe name and address of your approved training body (ATB) should be included on the certificate.\n\n## Ordering DL196 certificates\n\nYou can buy books of DL196 certificates online from DVSA.\n\nEach book contains 25 certificates and costs \u00a3200.\n\n## How your ATB is monitored\n\nDVSA monitors the standard of instruction given by:\n\n- approved training bodies (ATBs)\n\n- instructors delivering compulsory basic training (CBT) courses\n\nYou must make your instructors available for regular standards checks.\n\nYou should tell your local DVSA CBT manager the dates and times when your ATB will be running CBT courses.\n\n## After an assessment\n\nYou\u2019ll get a letter of confirmation and report from DVSA after an assessment visit if the training delivered meets the required standard.\n\nDVSA can conduct more assessments if:\n\n- the training falls short of the required standard\n\n- there are breaches of regulations\n\n- there are reports of failure to follow the conditions of appointment\n\nDVSA will consider withdrawing an instructor\u2019s authority to deliver courses if they fail to achieve the required standard during the subsequent assessments.\n\nDVSA can withdraw your ATB\u2019s authorisation to deliver training courses if assessments show that it doesn\u2019t consistently provide full and proper CBT courses.\n\n## Disagreeing with DVSA\u2019s decision\n\nYou can appeal to DVSA if you or an instructor disagrees with DVSA\u2019s decision to withdraw their authority.\n\n## Documents for ATBs\n\nDVSA produces the following documents for approved training bodies (ATBs).\n\n## ATB manual\n\nThe ATB manual gives more details about the rules and processes you should follow when you\u2019re running an ATB.\n\n## Safe and Responsible Riding\n\nThe \u2018National standard for riding mopeds and motorcycles\u2019 sets out the skills, knowledge and understanding that learners need to prove they\u2019re safe and responsible riders.\n\n## Compulsory basic training (CBT) syllabus and guidance notes\n\nThe CBT syllabus and guidance notes sets out what trainers need to do and what learners need to understand when taking the course.\n\n## Direct access scheme (DAS) motorcycle training guidance\n\nThe DAS motorcycle training guidance sets out what trainers need to do and what learners need to understand when taking the course.\n\nChanges to the CBT syllabus and guidance notes\n\nYou can keep up to date with new versions if you sign up for DVSA email alerts.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "answerable": true, + "scenario": "I have a DVSA approved site for practical training and riding elements of the compulsory basic training (CBT) course. Recently we have shut down the site for some financial reasons.", + "original_question": "Do we have to inform DVSA about the decision to stop using the CBT site ?" + }, + { + "id": "train-573", + "question": "Scenario: Our school bus only offers bus transport services to the teachers.students and pupils. It doesn't carry any other passengers ,\n\nQuestion: Do we need to register it with local council?\n\nDocument - Run a local bus service:\n## Overview\n\nA local bus service uses public service vehicles (PSVs) to carry passengers who pay separate fares over short distances.\n\nThe route can be any length, as long as passengers can get off within 15 miles (measured in a straight line) of where they got on.\n\nYou must usually register with the local authority and the local traffic commissioner if you\u2019re operating a local service outside London - there are some exceptions.\n\nYou need a London Service Permit to run a service in London.\n\n## Who can register\n\nYou can register a local bus service if you:\n\n- hold a valid PSV operator\u2019s licence\n\n- hold a community bus permit\n\n- are a local education authority and want to provide a local service using a school bus belonging to you\n\nTaxi or private hire vehicle owners can also register by getting a special PSV operator\u2019s licence.\n\n## Before you register\n\nBefore registering a local bus service you should consider if:\n\n- your route is suitable\n\n- you have the right sort of vehicles\n\n- you can keep to the timetable given the traffic conditions on route\n\n- you have enough drivers to cover absences though sicknesses, holidays, etc\n\n- you have replacement vehicles if other vehicles are off-road\n\n- there are any traffic regulation conditions \u2013 contact your local traffic area office\n\n- a Quality Partnership or Quality Contract Scheme exists - contact your local transport authority\n\nYou must run the service just as you have registered it, even if staff members are ill or a vehicle is off the road. There are penalties if you do not.\n\n## How to register\n\nYou must tell the local authority in England or the local council in Scotland that you\u2019re starting a bus service. You must do this 28 days before you apply to the traffic commissioner.\n\nApply to the traffic commissioner at least 42 days before your service starts - or 56 days before if your service is in Wales.\n\nThis notice period begins on the day when the traffic commissioner accepts your application.\n\nHolders of a \u2018Section 22\u2019 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.\n\nIf you want to start the service sooner you must complete a supplementary form. The traffic commissioner decides whether or not to agree to this.\n\nIf you\u2019re planning a service in Strathclyde, you must also give notice to the Strathclyde Partnership for Transport 28 days before you apply to the traffic commissioner.\n\n## Fees\n\nIt costs:\n\n- \u00a360 to register a local bus service\n\n- \u00a313 to register a community bus service\n\n## Apply online\n\nYou can register through the electronic bus service registration (EBSR) system. Telephone the Driver and Vehicle Standards Agency (DVSA) helpline for information on how to do this.\n\n## Apply by post\n\nPrint off and fill in the application form for the type of service you want to run:\n\n- PSV350 - application to register a bus service (England, Wales and Scotland)\n\n- Application to register a local bus service with a flexible route\n\n- PSV350A - supplementary form: application to start, change or cancel a registered bus service with less than 56 days\u2019 notice (England, Wales and Scotland)\n\n## Where to send the form\n\nSend the form and fees to:\n\n- Central Licensing Office - for England and Wales (except London)\n\n- Office of the Traffic Commissioner \u2013 for Scotland\n\n## Other people you must tell\n\nYou must also send copies to:\n\n- all councils your route passes through - for example the county council, shire council, unitary authority\n\n- the relevant Passenger Transport Executive if there is one\n\n## Getting help\n\nRead the following guides for more information on:\n\n- local bus service registration: guide for operators (England, Scotland and Wales)\n\n- the registration of flexibly routed local bus services: guide for operators\n\n## Change or cancel a bus service\n\nApply to the local authority and the traffic commissioner if you want to:\n\n- change a timetable, route or other detail of your service\n\n- cancel the service\n\nYou must tell the local authority in England or the local council in Scotland that you\u2019re changing or cancelling a bus service. You must do this 28 days before you apply to the traffic commissioner.\n\nApply to the traffic commissioner at least 42 days before your service changes or stops - or 56 days before if your service is in Wales.\n\nHolders of a section 22 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.\n\nIf you want to make the changes or cancel the service sooner, you must fill in a supplementary form (England, Scotland or Wales). The traffic commissioner decides whether or not to agree to this.\n\n## Fees\n\nIt costs:\n\n- \u00a360 to change a local bus service\n\n- \u00a313 to change a community bus service\n\nThere\u2019s no fee for a cancellation.\n\n## Application and supplementary forms\n\nPrint off and fill in the application and supplementary forms to:\n\n- change or cancel a registered bus service (England, Scotland or Wales)\n\n- change or cancel a registered bus service with less than 56 days notice (England, Scotland or Wales)\n\n## Exemptions\n\nYou do not have to register a bus service if all of the following apply:\n\n- someone other than you or your agent is responsible for arranging the journey and bringing the passengers together\n\n- the journey is not advertised in advance to the general public\n\n- all passengers travel together to or from the same place - for example a school or factory\n\n- passengers pay the same fare no matter how far they travel\n\n## School or college bus services\n\nIf you operate a bus service provided by a local education authority in England or Wales, you may not have to register it.\n\nYou do not need to register a service if the only passengers who pay fares are either:\n\n- studying at a school or college\n\n- supervising pupils or students\n\n- teachers or assistants working at the school or college\n\nIf other people can also use the service, it must be registered.\n\n## Other exemptions\n\nYou do not need to register:\n\n- a replacement bus service (for example when a train service is temporarily cancelled and a bus is used instead) provided under an agreement with the Secretary of State, the Scottish Ministers or the National Assembly for Wales\n\n- excursions or tours - unless they operate once a week or more for at least 6 weeks in a row\n\nAn excursion or tour is where passengers travel together on a journey, with or without breaks, from one or more places to one or more places and back.\n\n## Traffic regulation conditions\n\nThe local council can ask the traffic commissioner to impose conditions on your licence. The traffic commissioner will decide if conditions are needed to:\n\n- prevent dangers to other road users\n\n- reduce traffic congestion\n\n- limit environmental pollution\n\nThe conditions could affect:\n\n- your bus routes\n\n- where you can stop\n\n- when you can stop and for how long\n\n- where you can turn or reverse\n\n- the number of vehicles, their type or their frequency\n\nIn some cases the conditions will start straight away.\n\nYou\u2019ll be told if conditions have been imposed and they\u2019ll be added to your licence.\n\n## You cannot meet the conditions\n\nYou must change the registration within 28 days if you cannot run your service under the conditions. You will not have to pay a fee if you change the registration because of these conditions. You must meet the conditions until the change of registration takes effect.\n\n## You disagree with the conditions\n\nYou can ask for a public inquiry within 28 days if you disagree with the traffic commissioner\u2019s decision.\n\nIt\u2019s against the law to disobey traffic regulation conditions.\n\n## Penalties for poor service\n\nOnce you have registered your service you must run it:\n\n- at the times you\u2019ve said it would run\n\n- along the route you\u2019ve registered\n\n## Penalties\n\nIf you do not run a reliable or punctual service the traffic commissioner can stop you from running the service - or even running any services at all.\n\nThe traffic commissioner can also fine you. The size of the fine is based on the number of vehicles you\u2019re licensed to use.\n\nIf you provide the local bus service in England and Wales, you may also have to:\n\n- spend money on providing or improving local services or facilities\n\n- compensate passengers\n\nYou can appeal to the Upper Tribunal if you disagree with the traffic commissioner\u2019s decision.\n\nRead more about the standards for local bus services and how traffic commissioners expect you to operate.\n\n## Register a bus service in London\n\nTo run a bus service in London you must have a London Service Permit. Permits last for 5 years and you must normally apply at least 3 months before starting the service.\n\nYou can apply for a shorter period of notice if Transport for London (TfL) agrees.\n\n## Concessionary fares\n\nYou may be eligible to take part in a concessionary fare scheme. This reimburses you for carrying passengers who get discounted travel, such as:\n\n- older people\n\n- disabled people\n\n- children\n\nContact your local council for more information on taking part.\n\nSome councils offer a voluntary membership scheme for operators. Others have a compulsory scheme.\n\n## Find out more\n\nFind out more about concessionary fare schemes for:\n\n- England\n\n- Scotland\n\n- Wales\n\n## Grants for local bus services\n\nYou might qualify for the Bus Service Operator\u2019s Grant (in England or Scotland) or the Regional Transport Services Grant (in Wales) if you provide a service where:\n\n- at least half the seats are available to and regularly used by the general public\n\n- stops on the route are in places that people are likely to use reasonably often - fixed bus stops or otherwise\n\n- single journey fares are reasonably priced\n\n- fares can be paid conveniently\n\n- the bus does not have signs or any other indication that it\u2019s not available to the general public\n\n- information about the service, its route and timetable is accessible to the general public\n\n- advance bookings of flexible services do not deter people who want to make a single journey\n\nThere are slightly different conditions if your bus service is intended for transporting pupils, people with disabilities or elderly people.\n\nRead more about the Bus Service Operator\u2019s Grant (England and Scotland).\n\n## How to apply\n\nContact the helpline for your area.\n\n## England\n\n## Scotland\n\n## Wales\n\nThe grant is administered through the Regional Transport Consortia:", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/run-local-bus-service", + "answerable": true, + "scenario": "Our school bus only offers bus transport services to the teachers.students and pupils. It doesn't carry any other passengers ,", + "original_question": "Do we need to register it with local council?" + }, + { + "id": "train-577", + "question": "Scenario: I am 22 years old. I am an accountant who wants to undergo additional training. I have been refused my request based on the notion that training would not benefit the business. I appealed, but was again refused.\n\nQuestion: Can I take this appeal any further?\n\nDocument - Training and study at work: your rights:\n## Who can and can't ask for time off to train\n\nStaff may have the right to ask for time off work for training or study.\n\nTo ask for training or study:\n\n- staff must be classed as an employee\n\n- they must have worked for their employer for at least 26 weeks\n\n- training must help staff do their job better\n\n- at least 250 people must work in the organisation\n\nTime off is usually unpaid unless the employer agrees to pay it.\n\nCheck someone\u2019s employment status.\n\n## Who can\u2019t ask for time off to train\n\nStaff can\u2019t ask for time off for training or study if they\u2019re:\n\n- an agency worker\n\n- in the armed forces\n\n- of compulsory school age (\u2018school age\u2019 in Scotland)\n\n- a young person who\u2019s already got the right to take paid time off for study or training\n\n- aged 16 to 18 and already expected to take part in education or training\n\n## Asking for time off\n\nEmployees should follow their organisation\u2019s rules to ask for time off. If there aren\u2019t any they can write to their employer saying it\u2019s a request \u2018under Section 63D of the Employment Rights Act 1996\u2019 with the following details:\n\n- the date\n\n- the subject matter of the study or training\n\n- where and when it would take place\n\n- who\u2019ll be providing the training\n\n- the name of the qualification they could get - if any\n\n- why they think this study or training will help them do their job better and help their employer\u2019s business\n\n- if they\u2019ve made a request before and when\n\nAn employer doesn\u2019t have to consider the request if all this information isn\u2019t included.\n\nEmployees can only make 1 request a year.\n\n## If the employee changes their mind\n\nThe employee must tell their employer if they:\n\n- don\u2019t start the agreed training or study\n\n- don\u2019t finish the training or study\n\n- do a different course or plan to do a different course from the one agreed\n\n## Employer's decision and responsibilities\n\nThe employer has 28 days to:\n\n- accept the request\n\n- hold a meeting with the employee to discuss it\n\nThis might be longer if the person who deals with these requests is off when the request is sent in.\n\nThe employee can take a trade union representative or colleague to the meeting. They can ask for the meeting to be postponed if this person can\u2019t make it.\n\nIf the employer decides to hold a meeting about it they must make a decision within 14 days of it, unless the employee agrees in writing to extend this time.\n\n## Turning down the request\n\nThe employer can only turn down a request if:\n\n- the training wouldn\u2019t benefit their business\n\n- they would run up extra costs for the business\n\n- they wouldn\u2019t be able to meet customer demands\n\n- they can\u2019t re-organise the work among other members of staff\n\n- they can\u2019t recruit extra staff\n\n- it would damage quality and business performance\n\n- there wouldn\u2019t be enough work for the employee to do at the times they intend to work\n\n- it conflicts with planned structural changes\n\n## Paying for the training\n\nThe employer doesn\u2019t have to pay for the training or study. They can choose to pay all or part of the fees if they think it will benefit the business.\n\n## Appealing the decision\n\nEmployees have the right to appeal if their employer refuses a request to take time off for training or study.\n\nThis must be made within 14 days of their employer\u2019s decision.\n\nThe appeal must:\n\n- be in writing\n\n- be dated\n\n- set out why they\u2019re appealing - the grounds for the appeal\n\n## The appeal meeting\n\nThe employer has to arrange a meeting with the employee to discuss the appeal within 14 days of getting the appeal.\n\nThe employer must give their decision in writing within 14 days of the meeting.\n\n## If the problem isn\u2019t resolved\n\nIf an employee isn\u2019t satisfied with the result of an appeal they can phone Acas (Advisory, Conciliation and Arbitration Service) for help and advice or raise a grievance.\n\nIf this doesn\u2019t work the employee could go to an employment tribunal if the employer:\n\n- didn\u2019t follow the procedure properly\n\n- refused the request based on the wrong facts\n\nEmployment tribunal claims must be made within 3 months of an appeal decision.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/training-study-work-your-rights", + "answerable": true, + "scenario": "I am 22 years old. I am an accountant who wants to undergo additional training. I have been refused my request based on the notion that training would not benefit the business. I appealed, but was again refused.", + "original_question": "Can I take this appeal any further?" + }, + { + "id": "train-578", + "question": "Scenario: I have an employee who has requested time off for training. According to the criteria, they do qualify for the right to ask. I have agreed that he can have the time off for training, but have been told that I will have to contribute to the training.\n\nQuestion: Do I, the employer, have to pay towards the training?\n\nDocument - Training and study at work: your rights:\n## Who can and can't ask for time off to train\n\nStaff may have the right to ask for time off work for training or study.\n\nTo ask for training or study:\n\n- staff must be classed as an employee\n\n- they must have worked for their employer for at least 26 weeks\n\n- training must help staff do their job better\n\n- at least 250 people must work in the organisation\n\nTime off is usually unpaid unless the employer agrees to pay it.\n\nCheck someone\u2019s employment status.\n\n## Who can\u2019t ask for time off to train\n\nStaff can\u2019t ask for time off for training or study if they\u2019re:\n\n- an agency worker\n\n- in the armed forces\n\n- of compulsory school age (\u2018school age\u2019 in Scotland)\n\n- a young person who\u2019s already got the right to take paid time off for study or training\n\n- aged 16 to 18 and already expected to take part in education or training\n\n## Asking for time off\n\nEmployees should follow their organisation\u2019s rules to ask for time off. If there aren\u2019t any they can write to their employer saying it\u2019s a request \u2018under Section 63D of the Employment Rights Act 1996\u2019 with the following details:\n\n- the date\n\n- the subject matter of the study or training\n\n- where and when it would take place\n\n- who\u2019ll be providing the training\n\n- the name of the qualification they could get - if any\n\n- why they think this study or training will help them do their job better and help their employer\u2019s business\n\n- if they\u2019ve made a request before and when\n\nAn employer doesn\u2019t have to consider the request if all this information isn\u2019t included.\n\nEmployees can only make 1 request a year.\n\n## If the employee changes their mind\n\nThe employee must tell their employer if they:\n\n- don\u2019t start the agreed training or study\n\n- don\u2019t finish the training or study\n\n- do a different course or plan to do a different course from the one agreed\n\n## Employer's decision and responsibilities\n\nThe employer has 28 days to:\n\n- accept the request\n\n- hold a meeting with the employee to discuss it\n\nThis might be longer if the person who deals with these requests is off when the request is sent in.\n\nThe employee can take a trade union representative or colleague to the meeting. They can ask for the meeting to be postponed if this person can\u2019t make it.\n\nIf the employer decides to hold a meeting about it they must make a decision within 14 days of it, unless the employee agrees in writing to extend this time.\n\n## Turning down the request\n\nThe employer can only turn down a request if:\n\n- the training wouldn\u2019t benefit their business\n\n- they would run up extra costs for the business\n\n- they wouldn\u2019t be able to meet customer demands\n\n- they can\u2019t re-organise the work among other members of staff\n\n- they can\u2019t recruit extra staff\n\n- it would damage quality and business performance\n\n- there wouldn\u2019t be enough work for the employee to do at the times they intend to work\n\n- it conflicts with planned structural changes\n\n## Paying for the training\n\nThe employer doesn\u2019t have to pay for the training or study. They can choose to pay all or part of the fees if they think it will benefit the business.\n\n## Appealing the decision\n\nEmployees have the right to appeal if their employer refuses a request to take time off for training or study.\n\nThis must be made within 14 days of their employer\u2019s decision.\n\nThe appeal must:\n\n- be in writing\n\n- be dated\n\n- set out why they\u2019re appealing - the grounds for the appeal\n\n## The appeal meeting\n\nThe employer has to arrange a meeting with the employee to discuss the appeal within 14 days of getting the appeal.\n\nThe employer must give their decision in writing within 14 days of the meeting.\n\n## If the problem isn\u2019t resolved\n\nIf an employee isn\u2019t satisfied with the result of an appeal they can phone Acas (Advisory, Conciliation and Arbitration Service) for help and advice or raise a grievance.\n\nIf this doesn\u2019t work the employee could go to an employment tribunal if the employer:\n\n- didn\u2019t follow the procedure properly\n\n- refused the request based on the wrong facts\n\nEmployment tribunal claims must be made within 3 months of an appeal decision.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/training-study-work-your-rights", + "answerable": true, + "scenario": "I have an employee who has requested time off for training. According to the criteria, they do qualify for the right to ask. I have agreed that he can have the time off for training, but have been told that I will have to contribute to the training.", + "original_question": "Do I, the employer, have to pay towards the training?" + }, + { + "id": "train-579", + "question": "Scenario: We have been having an employee in our company who has been diagnosed with breast cancer.she has been put on long term chemotherapy treatment. She shows no signs of recovery.\n\nQuestion: Can we dismiss her from work?\n\nDocument - Dismissing staff:\n## Overview\n\nDismissal is when you end an employee\u2019s contract. When dismissing staff, you must do it fairly.\n\nThere are different types of dismissal:\n\n- fair dismissal\n\n- unfair dismissal\n\n- constructive dismissal\n\n- wrongful dismissal\n\nIf you\u2019ve had to dismiss staff because of coronavirus (COVID-19), you might be able to re-employ them and pay their wages through the Coronavirus Job Retention Scheme.\n\n## Fair and unfair dismissal\n\nA dismissal is fair or unfair depending on:\n\n- your reason for it\n\n- how you act during the dismissal process\n\n## Constructive dismissal\n\nThis is when an employee resigns because you\u2019ve breached their employment contract. This could be a single serious event or a series of less serious events.\n\nAn employee could claim constructive dismissal if you:\n\n- cut their wages without agreement\n\n- unlawfully demote them\n\n- allow them to be harassed, bullied or discriminated against\n\n- unfairly increase their workload\n\n- change the location of their workplace at short notice\n\n- make them work in dangerous conditions\n\nA constructive dismissal is not necessarily unfair - but it would be difficult for you to show that a breach of contract was fair.\n\nA constructive dismissal might lead to a claim for wrongful dismissal.\n\n## Wrongful dismissal\n\nThis is where you break the terms of an employee\u2019s contract in the dismissal process, for example dismissing someone without giving them proper notice.\n\nWrongful dismissal is not the same as unfair dismissal.\n\nIf an employee thinks you\u2019ve dismissed them unfairly, constructively or wrongfully, they might take you to an employment tribunal.\n\n## Fair dismissals\n\nYou must have a valid reason for dismissing an employee. Valid reasons include:\n\n- their capability or conduct\n\n- redundancy\n\n- something that prevents them from legally being able to do their job, for example a driver losing their driving licence\n\nThere could be other fair reasons too - these are sometimes called \u2018other substantial reasons\u2019.\n\n## Acting reasonably\n\nEven if you have a fair reason, the dismissal is only fair if you also act reasonably during the dismissal and disciplinary process.\n\nThere\u2019s no legal definition of \u2018reasonableness\u2019, but if you\u2019re taken to an employment or industrial tribunal they would consider whether you:\n\n- genuinely believed that the reason was fair\n\n- carried out proper investigations where appropriate\n\n- followed the relevant procedures\n\n- told the employee why they were being considered for dismissal and listened to their views (in Northern Ireland, the employer must do this in writing)\n\n- allowed the employee to be accompanied at disciplinary/dismissal hearings\n\n- gave the employee the chance to appeal\n\nReasonableness might also depend on whether the employee could be expected to understand the consequences of their behaviour.\n\n## Dismissal and disciplinary procedures\n\nYou must set out your dismissal and disciplinary rules and procedures in writing - if you do not, a tribunal can order you to pay an employee compensation.\n\n## Summary dismissal\n\nThis is when you dismiss someone instantly without notice or pay in lieu of notice, usually because of gross misconduct (for example theft, fraud, violence).\n\nTribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.\n\nIf you feel summary dismissal\u2019s your only choice, you must still follow a fair procedure as you would do for any other disciplinary matter.\n\n## Unfair dismissals\n\nEven if you think you\u2019ve dismissed someone fairly, they could still claim unfair dismissal against you if they think that:\n\n- the reason you gave for the dismissal was not the real one\n\n- the reason was unfair\n\n- you acted unreasonably, for example by failing to give them plenty of warning about their dismissal\n\n## Automatically unfair reasons for dismissal\n\nEven if you\u2019ve acted reasonably, some reasons for dismissal are classed automatically unfair. These are to do with the following areas:\n\n- pregnancy, including all reasons relating to maternity\n\n- family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants\n\n- acting as an employee representative\n\n- acting as a trade union representative\n\n- acting as an occupational pension scheme trustee\n\n- joining or not joining a trade union\n\n- being a part-time or fixed-term employee\n\n- pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage\n\n- whistleblowing\n\nCompulsory retirement on the grounds of age is unlawful unfair dismissal unless you can objectively justify it - but you could be challenged at a tribunal.\n\n## Industrial action\n\nIt\u2019s automatically unfair to dismiss someone for taking part in official (\u2018lawful\u2019) industrial action:\n\n- in the 12-week period from the day the industrial action starts\n\n- if the action lasts longer than 12 weeks and you have not taken reasonable steps to resolve the dispute\n\nOnly an employment or industrial tribunal can decide whether or not you\u2019ve taken reasonable steps to resolve a dispute.\n\nIf you \u2018lock out\u2019 employees taking industrial action, the days of the lock-out are not included in the calculation of the 12-week protected period.\n\nA lock-out is where you prevent employees from getting to their workplace, for example by locking the doors.\n\n## Disability\n\nIf a disabled employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them.\n\n## Political beliefs and groups\n\nIt is not automatically unfair to dismiss someone because of their political beliefs or political groups they belong to, but a tribunal might find this unfair.\n\nThere\u2019s no longer a qualifying period for someone going to an employment tribunal if they\u2019ve been dismissed because of political opinions or affiliation. This applies to anyone dismissed from 25 June 2013.\n\n## Penalties for unfair dismissals\n\nIf a tribunal finds that an employee has been unfairly dismissed, you might be ordered to:\n\n- reinstate them (give them their job back)\n\n- re-engage them (re-employ them in a different job)\n\nYou might also have to pay compensation, which depends on the employee\u2019s:\n\n- age\n\n- gross weekly pay\n\n- length of service\n\nYou might have to pay extra compensation if you do not follow a tribunal\u2019s order to reinstate someone.\n\nThere\u2019s a limit on the amount a tribunal can award for unfair dismissal, apart from in cases relating to:\n\n- health and safety (for example where you unfairly dismiss someone for taking action on health and safety grounds)\n\n- whistleblowing\n\n## Eligibility to claim unfair dismissal\n\nEmployees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.\n\n| Date employment started | When the employee can claim |\n\n| Before 6 April 2012 | After first year of employment |\n\n| After 6 April 2012 | After 2 years of employment |\n\n## Who cannot claim unfair dismissal\n\nThe right to complain to a tribunal about unfair dismissal is not available to:\n\n- self-employed people\n\n- independent contractors\n\n- members of the armed forces\n\n- employees who have reached a settlement with their employer through Acas (Advisory, Conciliation and Arbitration Service) or the Labour Relations Agency (LRA) in Northern Ireland\n\n- employees who have reached a settlement with their employer through a \u2018settlement agreement\u2019 or \u2018compromise agreement\u2019 after taking legal advice\n\n- employees employed under an illegal contract, for example a barman under the age of 18\n\n- employees covered by a dismissal procedure agreement that\u2019s been legally exempted from the unfair dismissal rules\n\n- employees taking part in unofficial industrial action (unless the dismissal is for an automatically unfair reason)\n\n- police officers (unless the dismissal relates to health and safety or whistleblowing)\n\n- those working on a fishing vessel and paid by a share in the profits or gross earnings of the vessel\n\n## Dismissals for conduct or performance reasons\n\nYou can dismiss an employee if:\n\n- they\u2019re incapable of doing their job to the required standard\n\n- they\u2019re capable, but unwilling to do their job properly\n\n- they\u2019ve committed some form of misconduct\n\nIf you want to dismiss someone, there\u2019s no specific process you must go through by law - as long as you do it fairly.\n\nIf a capability issue is linked to someone\u2019s health, you should try as many ways as possible to help them do their job before dismissing them.\n\n## Disciplinary procedures\n\nYou should include examples of what you consider to be misconduct in your disciplinary rules.\n\nDifferent disciplinary procedures are appropriate for different circumstances.\n\nEmployees have the right to be accompanied to all disciplinary meetings and to appeal to a manager. Keep notes of all meetings and give copies to the employee.\n\n## Misconduct\n\nMisconduct can include things like persistent lateness or unauthorised absence from work.\n\nTo make sure the dismissal is fair when misconduct is not \u2018serious\u2019 or \u2018gross\u2019:\n\n- Arrange a meeting with the employee, telling them the reason for it. At the meeting, give them a chance to explain and issue a first written warning if you\u2019re not satisfied with their reasons. In the warning, tell them how you expect them to improve and over what period - warn them that if they do not improve enough, you\u2019ll give them a final written warning.\n\n- Hold a second meeting if their performance or behaviour has not improved enough by the deadline - give them a chance to explain and issue a final written warning if you\u2019re not satisfied with their reasons. Revise the action plan with timescales for improvement and warn them that you\u2019ll consider dismissal if there\u2019s no improvement.\n\n- Hold a third meeting if their performance or behaviour is still not up to standard by these new deadlines. Warn them that dismissal is now possible. After the meeting - or appeal if there is one - decide whether to give the employee a further chance to improve, or dismiss them. You must tell the employee of your final decision, whatever it is.\n\n## Serious misconduct\n\nYou can issue a single \u2018first and final\u2019 written warning if the misconduct or underperformance is serious enough. Explain that not improving could lead to dismissal. \u2018Serious enough\u2019 includes if it\u2019s likely to or has caused serious harm to the organisation itself.\n\n## Gross misconduct\n\nGross misconduct can include things like theft, physical violence, gross negligence or serious insubordination.\n\nWith gross misconduct, you can dismiss the employee immediately as long as you follow a fair procedure. You should investigate the incident and give the employee a chance to respond before deciding to dismiss them.\n\n## One-off incidents\n\nAn informal discussion may be enough to resolve the issue if the misconduct or underperformance was a one-off and the employee has a good disciplinary record.\n\n## Dismissals due to illness\n\nSometimes an employee may have to stop working because of long-term ill health. They may resign, or you may have to consider dismissing them.\n\n## Considering dismissing an employee\n\nDismissal is a last resort and you should consider as many ways as possible to help the employee back to work, including:\n\n- getting a medical report from their GP with the employee\u2019s permission - they have the right to see the report before you do\n\n- arranging an occupational health assessment\n\n- work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job\n\nIf the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.\n\n## How to dismiss someone\n\nDuring the dismissal procedure, make sure you act fairly and reasonably. You must treat the employee with sensitivity.\n\nYour procedure should follow the advice set out in the Acas (Advisory, Conciliation and Arbitration Service) code of practice, or the Labour Relations Agency (LRA) code of practice for Northern Ireland.\n\nIf you do not follow the code and are taken to an employment or industrial tribunal, you may have to pay compensation.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/dismiss-staff", + "answerable": true, + "scenario": "We have been having an employee in our company who has been diagnosed with breast cancer.she has been put on long term chemotherapy treatment. She shows no signs of recovery.", + "original_question": "Can we dismiss her from work?" + }, + { + "id": "train-580", + "question": "Scenario: We would like to dismiss two of our employees without notice due to gross misconduct.We want them to leave immediately for the best interest of our company.\n\nQuestion: Do we have to give them pay in lieu of notice?\n\nDocument - Dismissing staff:\n## Overview\n\nDismissal is when you end an employee\u2019s contract. When dismissing staff, you must do it fairly.\n\nThere are different types of dismissal:\n\n- fair dismissal\n\n- unfair dismissal\n\n- constructive dismissal\n\n- wrongful dismissal\n\nIf you\u2019ve had to dismiss staff because of coronavirus (COVID-19), you might be able to re-employ them and pay their wages through the Coronavirus Job Retention Scheme.\n\n## Fair and unfair dismissal\n\nA dismissal is fair or unfair depending on:\n\n- your reason for it\n\n- how you act during the dismissal process\n\n## Constructive dismissal\n\nThis is when an employee resigns because you\u2019ve breached their employment contract. This could be a single serious event or a series of less serious events.\n\nAn employee could claim constructive dismissal if you:\n\n- cut their wages without agreement\n\n- unlawfully demote them\n\n- allow them to be harassed, bullied or discriminated against\n\n- unfairly increase their workload\n\n- change the location of their workplace at short notice\n\n- make them work in dangerous conditions\n\nA constructive dismissal is not necessarily unfair - but it would be difficult for you to show that a breach of contract was fair.\n\nA constructive dismissal might lead to a claim for wrongful dismissal.\n\n## Wrongful dismissal\n\nThis is where you break the terms of an employee\u2019s contract in the dismissal process, for example dismissing someone without giving them proper notice.\n\nWrongful dismissal is not the same as unfair dismissal.\n\nIf an employee thinks you\u2019ve dismissed them unfairly, constructively or wrongfully, they might take you to an employment tribunal.\n\n## Fair dismissals\n\nYou must have a valid reason for dismissing an employee. Valid reasons include:\n\n- their capability or conduct\n\n- redundancy\n\n- something that prevents them from legally being able to do their job, for example a driver losing their driving licence\n\nThere could be other fair reasons too - these are sometimes called \u2018other substantial reasons\u2019.\n\n## Acting reasonably\n\nEven if you have a fair reason, the dismissal is only fair if you also act reasonably during the dismissal and disciplinary process.\n\nThere\u2019s no legal definition of \u2018reasonableness\u2019, but if you\u2019re taken to an employment or industrial tribunal they would consider whether you:\n\n- genuinely believed that the reason was fair\n\n- carried out proper investigations where appropriate\n\n- followed the relevant procedures\n\n- told the employee why they were being considered for dismissal and listened to their views (in Northern Ireland, the employer must do this in writing)\n\n- allowed the employee to be accompanied at disciplinary/dismissal hearings\n\n- gave the employee the chance to appeal\n\nReasonableness might also depend on whether the employee could be expected to understand the consequences of their behaviour.\n\n## Dismissal and disciplinary procedures\n\nYou must set out your dismissal and disciplinary rules and procedures in writing - if you do not, a tribunal can order you to pay an employee compensation.\n\n## Summary dismissal\n\nThis is when you dismiss someone instantly without notice or pay in lieu of notice, usually because of gross misconduct (for example theft, fraud, violence).\n\nTribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.\n\nIf you feel summary dismissal\u2019s your only choice, you must still follow a fair procedure as you would do for any other disciplinary matter.\n\n## Unfair dismissals\n\nEven if you think you\u2019ve dismissed someone fairly, they could still claim unfair dismissal against you if they think that:\n\n- the reason you gave for the dismissal was not the real one\n\n- the reason was unfair\n\n- you acted unreasonably, for example by failing to give them plenty of warning about their dismissal\n\n## Automatically unfair reasons for dismissal\n\nEven if you\u2019ve acted reasonably, some reasons for dismissal are classed automatically unfair. These are to do with the following areas:\n\n- pregnancy, including all reasons relating to maternity\n\n- family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants\n\n- acting as an employee representative\n\n- acting as a trade union representative\n\n- acting as an occupational pension scheme trustee\n\n- joining or not joining a trade union\n\n- being a part-time or fixed-term employee\n\n- pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage\n\n- whistleblowing\n\nCompulsory retirement on the grounds of age is unlawful unfair dismissal unless you can objectively justify it - but you could be challenged at a tribunal.\n\n## Industrial action\n\nIt\u2019s automatically unfair to dismiss someone for taking part in official (\u2018lawful\u2019) industrial action:\n\n- in the 12-week period from the day the industrial action starts\n\n- if the action lasts longer than 12 weeks and you have not taken reasonable steps to resolve the dispute\n\nOnly an employment or industrial tribunal can decide whether or not you\u2019ve taken reasonable steps to resolve a dispute.\n\nIf you \u2018lock out\u2019 employees taking industrial action, the days of the lock-out are not included in the calculation of the 12-week protected period.\n\nA lock-out is where you prevent employees from getting to their workplace, for example by locking the doors.\n\n## Disability\n\nIf a disabled employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them.\n\n## Political beliefs and groups\n\nIt is not automatically unfair to dismiss someone because of their political beliefs or political groups they belong to, but a tribunal might find this unfair.\n\nThere\u2019s no longer a qualifying period for someone going to an employment tribunal if they\u2019ve been dismissed because of political opinions or affiliation. This applies to anyone dismissed from 25 June 2013.\n\n## Penalties for unfair dismissals\n\nIf a tribunal finds that an employee has been unfairly dismissed, you might be ordered to:\n\n- reinstate them (give them their job back)\n\n- re-engage them (re-employ them in a different job)\n\nYou might also have to pay compensation, which depends on the employee\u2019s:\n\n- age\n\n- gross weekly pay\n\n- length of service\n\nYou might have to pay extra compensation if you do not follow a tribunal\u2019s order to reinstate someone.\n\nThere\u2019s a limit on the amount a tribunal can award for unfair dismissal, apart from in cases relating to:\n\n- health and safety (for example where you unfairly dismiss someone for taking action on health and safety grounds)\n\n- whistleblowing\n\n## Eligibility to claim unfair dismissal\n\nEmployees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.\n\n| Date employment started | When the employee can claim |\n\n| Before 6 April 2012 | After first year of employment |\n\n| After 6 April 2012 | After 2 years of employment |\n\n## Who cannot claim unfair dismissal\n\nThe right to complain to a tribunal about unfair dismissal is not available to:\n\n- self-employed people\n\n- independent contractors\n\n- members of the armed forces\n\n- employees who have reached a settlement with their employer through Acas (Advisory, Conciliation and Arbitration Service) or the Labour Relations Agency (LRA) in Northern Ireland\n\n- employees who have reached a settlement with their employer through a \u2018settlement agreement\u2019 or \u2018compromise agreement\u2019 after taking legal advice\n\n- employees employed under an illegal contract, for example a barman under the age of 18\n\n- employees covered by a dismissal procedure agreement that\u2019s been legally exempted from the unfair dismissal rules\n\n- employees taking part in unofficial industrial action (unless the dismissal is for an automatically unfair reason)\n\n- police officers (unless the dismissal relates to health and safety or whistleblowing)\n\n- those working on a fishing vessel and paid by a share in the profits or gross earnings of the vessel\n\n## Dismissals for conduct or performance reasons\n\nYou can dismiss an employee if:\n\n- they\u2019re incapable of doing their job to the required standard\n\n- they\u2019re capable, but unwilling to do their job properly\n\n- they\u2019ve committed some form of misconduct\n\nIf you want to dismiss someone, there\u2019s no specific process you must go through by law - as long as you do it fairly.\n\nIf a capability issue is linked to someone\u2019s health, you should try as many ways as possible to help them do their job before dismissing them.\n\n## Disciplinary procedures\n\nYou should include examples of what you consider to be misconduct in your disciplinary rules.\n\nDifferent disciplinary procedures are appropriate for different circumstances.\n\nEmployees have the right to be accompanied to all disciplinary meetings and to appeal to a manager. Keep notes of all meetings and give copies to the employee.\n\n## Misconduct\n\nMisconduct can include things like persistent lateness or unauthorised absence from work.\n\nTo make sure the dismissal is fair when misconduct is not \u2018serious\u2019 or \u2018gross\u2019:\n\n- Arrange a meeting with the employee, telling them the reason for it. At the meeting, give them a chance to explain and issue a first written warning if you\u2019re not satisfied with their reasons. In the warning, tell them how you expect them to improve and over what period - warn them that if they do not improve enough, you\u2019ll give them a final written warning.\n\n- Hold a second meeting if their performance or behaviour has not improved enough by the deadline - give them a chance to explain and issue a final written warning if you\u2019re not satisfied with their reasons. Revise the action plan with timescales for improvement and warn them that you\u2019ll consider dismissal if there\u2019s no improvement.\n\n- Hold a third meeting if their performance or behaviour is still not up to standard by these new deadlines. Warn them that dismissal is now possible. After the meeting - or appeal if there is one - decide whether to give the employee a further chance to improve, or dismiss them. You must tell the employee of your final decision, whatever it is.\n\n## Serious misconduct\n\nYou can issue a single \u2018first and final\u2019 written warning if the misconduct or underperformance is serious enough. Explain that not improving could lead to dismissal. \u2018Serious enough\u2019 includes if it\u2019s likely to or has caused serious harm to the organisation itself.\n\n## Gross misconduct\n\nGross misconduct can include things like theft, physical violence, gross negligence or serious insubordination.\n\nWith gross misconduct, you can dismiss the employee immediately as long as you follow a fair procedure. You should investigate the incident and give the employee a chance to respond before deciding to dismiss them.\n\n## One-off incidents\n\nAn informal discussion may be enough to resolve the issue if the misconduct or underperformance was a one-off and the employee has a good disciplinary record.\n\n## Dismissals due to illness\n\nSometimes an employee may have to stop working because of long-term ill health. They may resign, or you may have to consider dismissing them.\n\n## Considering dismissing an employee\n\nDismissal is a last resort and you should consider as many ways as possible to help the employee back to work, including:\n\n- getting a medical report from their GP with the employee\u2019s permission - they have the right to see the report before you do\n\n- arranging an occupational health assessment\n\n- work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job\n\nIf the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.\n\n## How to dismiss someone\n\nDuring the dismissal procedure, make sure you act fairly and reasonably. You must treat the employee with sensitivity.\n\nYour procedure should follow the advice set out in the Acas (Advisory, Conciliation and Arbitration Service) code of practice, or the Labour Relations Agency (LRA) code of practice for Northern Ireland.\n\nIf you do not follow the code and are taken to an employment or industrial tribunal, you may have to pay compensation.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/dismiss-staff", + "answerable": true, + "scenario": "We would like to dismiss two of our employees without notice due to gross misconduct.We want them to leave immediately for the best interest of our company.", + "original_question": "Do we have to give them pay in lieu of notice?" + }, + { + "id": "train-581", + "question": "Scenario: I am a trainee social worker. I am currently studying an approved undergraduate social work degree, which is not employment based. I do not receive funding from my employer.\n\nQuestion: Will I be eligible for a social work bursary?\n\nDocument - Social work bursaries:\n## Overview\n\nIf you\u2019re training for social work you may get a bursary.\n\nSocial work bursaries:\n\n- help with living costs and tuition fees\n\n- don\u2019t depend on your household income\n\n- don\u2019t have to be paid back\n\n## What you'll get\n\nThe social work bursary is a grant that doesn\u2019t depend on your household income and doesn\u2019t have to be paid back.\n\nThe amount you get depends on:\n\n- where you study\n\n- whether you study full or part-time\n\n- the cost of your tuition\n\nGraduates doing an undergraduate social work course can apply for the Maintenance Loan part of the main student finance \npackage.\n\n## How it\u2019s paid\n\nSocial work bursaries are paid in 3 instalments, one each term.\n\n## If you\u2019re disabled\n\nYou may be able to get extra help if you\u2019re disabled and a postgraduate student.\n\n## Eligibility\n\nSocial work bursaries are available to eligible social work students who:\n\n- don\u2019t get funding from their employer\n\n- are studying an approved undergraduate or postgraduate course in social work\n\n- don\u2019t already have a higher education social work qualification\n\nYour university or college will tell you if your course qualifies.\n\nUndergraduate students may also be able to get help from the main student finance \npackage - apply to Student Finance England.\n\nYou\u2019re not eligible for a bursary if you\u2019re studying on an employment-based course including direct Open University courses.\n\n## How to apply\n\nYou need to download forms from NHS Business Services Authority. The address to send the form is in the guidance notes.\n\nThe deadline for 2017 to 2018 applications depends on when you start your course:\n\n| Course starts | Application deadline |\n\n| Autumn term | 1 November 2017 |\n\n| Winter term | 14 February 2018 |\n\n## Evidence needed\n\nYou may need to prove your identity by sending both:\n\n- your birth certificate\n\n- your passport (which must be valid)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/social-work-bursaries", + "answerable": true, + "scenario": "I am a trainee social worker. I am currently studying an approved undergraduate social work degree, which is not employment based. I do not receive funding from my employer.", + "original_question": "Will I be eligible for a social work bursary?" + }, + { + "id": "train-584", + "question": "Scenario: I pay my tax quarterly and through bank transfer, but I am in a financial crisis. I have more debts than funds available to me. I already have a County Court Judgement against me.\n\nQuestion: Can I delay my tax payments whilst I await expected funds to arrive?\n\nDocument - Pay employers' PAYE:\n## Overview\n\nYou must pay your PAYE bill to HM Revenue and Customs (HMRC) by:\n\n- the 22nd of the next tax month if you pay monthly\n\n- the 22nd after the end of the quarter if you pay quarterly - for example, 22 July for the 6 April to 5 July quarter\n\nPay now\n\nIf you pay by cheque through the post the deadline is the 19th of the month.\n\n## What you\u2019re paying\n\nYour PAYE bill may include:\n\n- employee Income Tax deductions\n\n- Class 1 and 1B National Insurance\n\n- Class 1A National Insurance on termination awards and sporting testimonials\n\n- Student Loan repayments\n\n- Construction Industry Scheme (CIS) deductions\n\n- your Apprenticeship Levy payments (starting from April 2017) if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million\n\nYou pay your Class 1A National Insurance on work benefits that you give to your employees separately.\n\nPAYE Settlement Agreements are also paid separately.\n\n## Ways to pay\n\nMake sure you pay HMRC by the deadline. You may have to pay interest and penalties if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- through your online bank account\n\n## 3 working days\n\n- by debit or corporate credit card online\n\n- Bacs\n\n- at your bank or building society (cash or cheque)\n\n- Direct Debit (if you\u2019ve already set one up)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set up one before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Payment booklets\n\nYou\u2019ll need a payment booklet from HMRC to pay at your bank or building society, or by post. If you do not have one, ask HMRC to send it to you.\n\nIf you\u2019re no longer using your payment booklet, you can ask HMRC to stop sending it.\n\nHMRC will automatically stop sending your payment booklet if you make 2 or more electronic payments in a year.\n\n## Direct Debit\n\nSet up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment. This means you\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.\n\n## Reference number\n\nYou\u2019ll need your 13-character accounts office reference number to make a payment. You can find this on the letter HMRC sent you when you first registered as an employer.\n\n## How long it takes\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\nThe payments will show on your bank statement as \u2018HMRC NDDS\u2019.\n\n## Early or late payments\n\nMake sure you also enter the correct year and month the payment is for in the separate boxes provided.\n\n## Make an online or telephone bank transfer\n\nYou can make a transfer from your bank account by Faster Payments, CHAPS or Bacs.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n## If your account is overseas\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld |\n\n## Reference number\n\nYou\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on either:\n\n- the letter HMRC sent you when you first registered as an employer.\n\n- the front of your payment booklet or the letter from HMRC that replaced it\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Early payments\n\n## If you pay monthly\n\nYou need to add extra numbers to your reference number if you pay before the 6th of the tax month that payment is due.\n\nWork out the number you need to use.\n\n## If you pay quarterly\n\nYou need to add extra numbers to your reference number if you pay before the 6th of the second month in the quarter.\n\nWork out the number you need to use.\n\n## Late payments\n\nYou need to add extra numbers to your reference number if you pay on or after the 5th of the tax month after payment was due. Do this whether you pay monthly or quarterly.\n\nWork out the number you need to use. You use a different tool if the payment was for a previous tax year.\n\n## Multiple PAYE schemes\n\nSend an online CHAPS enquiry form if you want to make a single payment via CHAPS for multiple PAYE schemes.\n\nHMRC\u2019s banking address is:\n\n## Approve a payment through your online bank account\n\nYou can pay your PAYE bill directly using your online or mobile bank account.\n\nOnce you\u2019ve signed into your HMRC account, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your PAYE payment.\n\nThe payment is usually instant but sometimes it takes up to 2 hours to show in your account.\n\nYou\u2019ll need to have your online banking details ready to pay this way.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nIf you\u2019re unable to pay your employers\u2019 PAYE bill in full by card, you should use another payment method like a bank transfer.\n\n## Reference number\n\nYou\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on the letter HM Revenue and Customs (HMRC) sent you when you first registered as an employer.\n\n## How long it takes\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## Early or late payments\n\nMake sure you enter the correct year and month the payment is for in the separate boxes provided.\n\n## Pay for the previous tax year\n\nSelect the previous tax year and \u2018month 12\u2019 for the last tax year. If you do not do this, your payment will go to the current tax year instead.\n\n## At your bank or building society\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 13-character accounts office reference number on the back of the cheque. You will find the reference number on the letter HM Revenue and Customs (HMRC) sent to you when you first registered as an employer.\n\nYou\u2019ll need to pay in using the payslip for the correct period. If you do not have one of these, ask HMRC to send you a payment booklet.\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC) if you have fewer than 250 employees.\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 13-character Accounts Office reference number on the back of the cheque. You can find this number on the letter HMRC sent you when you first registered as an employer.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nInclude the payslip for the correct period. If you do not have this, you can either:\n\n- ask HMRC to send you a payment booklet\n\n- print off a replacement payment slip\n\nYou can only use a replacement payslip to pay by post. You cannot use this at a bank.\n\nDo not fold the payslip or cheque or fasten them together.\n\nYou can include a letter with your payment to ask HMRC for a receipt.\n\n## Check your payment has been received\n\nCheck your HM Revenue and Customs (HMRC) online account - it should update within 6 working days of making payment.\n\nIf you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.\n\n## Tell HMRC no payment is due\n\nYou must tell HM Revenue and Customs (HMRC) if you have not paid any employees for at least one tax month.\n\nYou can tell HMRC by filling in an Employer Payment Summary (EPS).\n\nYou must send it by the 19th of the month following the tax month when no employees were paid.\n\nIf you do not send an EPS, HMRC will send you a notice estimating how much you owe. You may have to pay a penalty.\n\n## Telling HMRC in advance\n\nYou can tell HMRC that you will not pay any employees up to 12 months in advance.\n\nContractors in the Construction Industry Scheme (CIS) who have no payments to make need to tell HMRC through a CIS return and a EPS. CIS contractors with payments to make only need to file a CIS return.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/pay-paye-tax", + "answerable": true, + "scenario": "I pay my tax quarterly and through bank transfer, but I am in a financial crisis. I have more debts than funds available to me. I already have a County Court Judgement against me.", + "original_question": "Can I delay my tax payments whilst I await expected funds to arrive?" + }, + { + "id": "train-586", + "question": "Scenario: We have an employee threatening an unfair dismissal claim. Their employment started on the 8th January 2017. They were dismissed one and a half years ago.\n\nQuestion: Are they still able to raise au unfair dismissal claim after this time?\n\nDocument - Dismissing staff:\n## Overview\n\nDismissal is when you end an employee\u2019s contract. When dismissing staff, you must do it fairly.\n\nThere are different types of dismissal:\n\n- fair dismissal\n\n- unfair dismissal\n\n- constructive dismissal\n\n- wrongful dismissal\n\nIf you\u2019ve had to dismiss staff because of coronavirus (COVID-19), you might be able to re-employ them and pay their wages through the Coronavirus Job Retention Scheme.\n\n## Fair and unfair dismissal\n\nA dismissal is fair or unfair depending on:\n\n- your reason for it\n\n- how you act during the dismissal process\n\n## Constructive dismissal\n\nThis is when an employee resigns because you\u2019ve breached their employment contract. This could be a single serious event or a series of less serious events.\n\nAn employee could claim constructive dismissal if you:\n\n- cut their wages without agreement\n\n- unlawfully demote them\n\n- allow them to be harassed, bullied or discriminated against\n\n- unfairly increase their workload\n\n- change the location of their workplace at short notice\n\n- make them work in dangerous conditions\n\nA constructive dismissal is not necessarily unfair - but it would be difficult for you to show that a breach of contract was fair.\n\nA constructive dismissal might lead to a claim for wrongful dismissal.\n\n## Wrongful dismissal\n\nThis is where you break the terms of an employee\u2019s contract in the dismissal process, for example dismissing someone without giving them proper notice.\n\nWrongful dismissal is not the same as unfair dismissal.\n\nIf an employee thinks you\u2019ve dismissed them unfairly, constructively or wrongfully, they might take you to an employment tribunal.\n\n## Fair dismissals\n\nYou must have a valid reason for dismissing an employee. Valid reasons include:\n\n- their capability or conduct\n\n- redundancy\n\n- something that prevents them from legally being able to do their job, for example a driver losing their driving licence\n\nThere could be other fair reasons too - these are sometimes called \u2018other substantial reasons\u2019.\n\n## Acting reasonably\n\nEven if you have a fair reason, the dismissal is only fair if you also act reasonably during the dismissal and disciplinary process.\n\nThere\u2019s no legal definition of \u2018reasonableness\u2019, but if you\u2019re taken to an employment or industrial tribunal they would consider whether you:\n\n- genuinely believed that the reason was fair\n\n- carried out proper investigations where appropriate\n\n- followed the relevant procedures\n\n- told the employee why they were being considered for dismissal and listened to their views (in Northern Ireland, the employer must do this in writing)\n\n- allowed the employee to be accompanied at disciplinary/dismissal hearings\n\n- gave the employee the chance to appeal\n\nReasonableness might also depend on whether the employee could be expected to understand the consequences of their behaviour.\n\n## Dismissal and disciplinary procedures\n\nYou must set out your dismissal and disciplinary rules and procedures in writing - if you do not, a tribunal can order you to pay an employee compensation.\n\n## Summary dismissal\n\nThis is when you dismiss someone instantly without notice or pay in lieu of notice, usually because of gross misconduct (for example theft, fraud, violence).\n\nTribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.\n\nIf you feel summary dismissal\u2019s your only choice, you must still follow a fair procedure as you would do for any other disciplinary matter.\n\n## Unfair dismissals\n\nEven if you think you\u2019ve dismissed someone fairly, they could still claim unfair dismissal against you if they think that:\n\n- the reason you gave for the dismissal was not the real one\n\n- the reason was unfair\n\n- you acted unreasonably, for example by failing to give them plenty of warning about their dismissal\n\n## Automatically unfair reasons for dismissal\n\nEven if you\u2019ve acted reasonably, some reasons for dismissal are classed automatically unfair. These are to do with the following areas:\n\n- pregnancy, including all reasons relating to maternity\n\n- family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants\n\n- acting as an employee representative\n\n- acting as a trade union representative\n\n- acting as an occupational pension scheme trustee\n\n- joining or not joining a trade union\n\n- being a part-time or fixed-term employee\n\n- pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage\n\n- whistleblowing\n\nCompulsory retirement on the grounds of age is unlawful unfair dismissal unless you can objectively justify it - but you could be challenged at a tribunal.\n\n## Industrial action\n\nIt\u2019s automatically unfair to dismiss someone for taking part in official (\u2018lawful\u2019) industrial action:\n\n- in the 12-week period from the day the industrial action starts\n\n- if the action lasts longer than 12 weeks and you have not taken reasonable steps to resolve the dispute\n\nOnly an employment or industrial tribunal can decide whether or not you\u2019ve taken reasonable steps to resolve a dispute.\n\nIf you \u2018lock out\u2019 employees taking industrial action, the days of the lock-out are not included in the calculation of the 12-week protected period.\n\nA lock-out is where you prevent employees from getting to their workplace, for example by locking the doors.\n\n## Disability\n\nIf a disabled employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them.\n\n## Political beliefs and groups\n\nIt is not automatically unfair to dismiss someone because of their political beliefs or political groups they belong to, but a tribunal might find this unfair.\n\nThere\u2019s no longer a qualifying period for someone going to an employment tribunal if they\u2019ve been dismissed because of political opinions or affiliation. This applies to anyone dismissed from 25 June 2013.\n\n## Penalties for unfair dismissals\n\nIf a tribunal finds that an employee has been unfairly dismissed, you might be ordered to:\n\n- reinstate them (give them their job back)\n\n- re-engage them (re-employ them in a different job)\n\nYou might also have to pay compensation, which depends on the employee\u2019s:\n\n- age\n\n- gross weekly pay\n\n- length of service\n\nYou might have to pay extra compensation if you do not follow a tribunal\u2019s order to reinstate someone.\n\nThere\u2019s a limit on the amount a tribunal can award for unfair dismissal, apart from in cases relating to:\n\n- health and safety (for example where you unfairly dismiss someone for taking action on health and safety grounds)\n\n- whistleblowing\n\n## Eligibility to claim unfair dismissal\n\nEmployees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.\n\n| Date employment started | When the employee can claim |\n\n| Before 6 April 2012 | After first year of employment |\n\n| After 6 April 2012 | After 2 years of employment |\n\n## Who cannot claim unfair dismissal\n\nThe right to complain to a tribunal about unfair dismissal is not available to:\n\n- self-employed people\n\n- independent contractors\n\n- members of the armed forces\n\n- employees who have reached a settlement with their employer through Acas (Advisory, Conciliation and Arbitration Service) or the Labour Relations Agency (LRA) in Northern Ireland\n\n- employees who have reached a settlement with their employer through a \u2018settlement agreement\u2019 or \u2018compromise agreement\u2019 after taking legal advice\n\n- employees employed under an illegal contract, for example a barman under the age of 18\n\n- employees covered by a dismissal procedure agreement that\u2019s been legally exempted from the unfair dismissal rules\n\n- employees taking part in unofficial industrial action (unless the dismissal is for an automatically unfair reason)\n\n- police officers (unless the dismissal relates to health and safety or whistleblowing)\n\n- those working on a fishing vessel and paid by a share in the profits or gross earnings of the vessel\n\n## Dismissals for conduct or performance reasons\n\nYou can dismiss an employee if:\n\n- they\u2019re incapable of doing their job to the required standard\n\n- they\u2019re capable, but unwilling to do their job properly\n\n- they\u2019ve committed some form of misconduct\n\nIf you want to dismiss someone, there\u2019s no specific process you must go through by law - as long as you do it fairly.\n\nIf a capability issue is linked to someone\u2019s health, you should try as many ways as possible to help them do their job before dismissing them.\n\n## Disciplinary procedures\n\nYou should include examples of what you consider to be misconduct in your disciplinary rules.\n\nDifferent disciplinary procedures are appropriate for different circumstances.\n\nEmployees have the right to be accompanied to all disciplinary meetings and to appeal to a manager. Keep notes of all meetings and give copies to the employee.\n\n## Misconduct\n\nMisconduct can include things like persistent lateness or unauthorised absence from work.\n\nTo make sure the dismissal is fair when misconduct is not \u2018serious\u2019 or \u2018gross\u2019:\n\n- Arrange a meeting with the employee, telling them the reason for it. At the meeting, give them a chance to explain and issue a first written warning if you\u2019re not satisfied with their reasons. In the warning, tell them how you expect them to improve and over what period - warn them that if they do not improve enough, you\u2019ll give them a final written warning.\n\n- Hold a second meeting if their performance or behaviour has not improved enough by the deadline - give them a chance to explain and issue a final written warning if you\u2019re not satisfied with their reasons. Revise the action plan with timescales for improvement and warn them that you\u2019ll consider dismissal if there\u2019s no improvement.\n\n- Hold a third meeting if their performance or behaviour is still not up to standard by these new deadlines. Warn them that dismissal is now possible. After the meeting - or appeal if there is one - decide whether to give the employee a further chance to improve, or dismiss them. You must tell the employee of your final decision, whatever it is.\n\n## Serious misconduct\n\nYou can issue a single \u2018first and final\u2019 written warning if the misconduct or underperformance is serious enough. Explain that not improving could lead to dismissal. \u2018Serious enough\u2019 includes if it\u2019s likely to or has caused serious harm to the organisation itself.\n\n## Gross misconduct\n\nGross misconduct can include things like theft, physical violence, gross negligence or serious insubordination.\n\nWith gross misconduct, you can dismiss the employee immediately as long as you follow a fair procedure. You should investigate the incident and give the employee a chance to respond before deciding to dismiss them.\n\n## One-off incidents\n\nAn informal discussion may be enough to resolve the issue if the misconduct or underperformance was a one-off and the employee has a good disciplinary record.\n\n## Dismissals due to illness\n\nSometimes an employee may have to stop working because of long-term ill health. They may resign, or you may have to consider dismissing them.\n\n## Considering dismissing an employee\n\nDismissal is a last resort and you should consider as many ways as possible to help the employee back to work, including:\n\n- getting a medical report from their GP with the employee\u2019s permission - they have the right to see the report before you do\n\n- arranging an occupational health assessment\n\n- work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job\n\nIf the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.\n\n## How to dismiss someone\n\nDuring the dismissal procedure, make sure you act fairly and reasonably. You must treat the employee with sensitivity.\n\nYour procedure should follow the advice set out in the Acas (Advisory, Conciliation and Arbitration Service) code of practice, or the Labour Relations Agency (LRA) code of practice for Northern Ireland.\n\nIf you do not follow the code and are taken to an employment or industrial tribunal, you may have to pay compensation.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/dismiss-staff", + "answerable": true, + "scenario": "We have an employee threatening an unfair dismissal claim. Their employment started on the 8th January 2017. They were dismissed one and a half years ago.", + "original_question": "Are they still able to raise au unfair dismissal claim after this time?" + }, + { + "id": "train-587", + "question": "Scenario: I run a lucrative business and have an employee who has been off sick for the last twenty seven weeks. Their SSP is due to end very soon.\n\nQuestion: My employee is a long term employee and highly valued. Can I voluntarily pay more money to them even though it's due to stop?\n\nDocument - Statutory Sick Pay (SSP): employer guide:\n## Overview\n\nYour employees may be eligible for Statutory Sick Pay (SSP), which is \u00a396.35 a week for up to 28 weeks.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can offer more if you have a company sick pay scheme (you cannot offer less). Company schemes are also called \u2018contractual\u2019 or \u2018occupational\u2019 sick pay and must be included in an employment contract.\n\nThere\u2019s a separate guide to Statutory Sick Pay if you\u2019re an employee.\n\n## If your employee is off work because of coronavirus (COVID-19)\n\nYou must pay an employee SSP if they\u2019re self-isolating and off work for at least 4 days and any of the following apply:\n\n- they or someone they live with has COVID-19 symptoms or has tested positive for COVID-19\n\n- they\u2019ve been notified by the NHS or public health authorities that they\u2019ve been in contact with someone with COVID-19\n\n- someone in their support bubble (or your \u2018extended household\u2019 if you live in Scotland or Wales) has COVID-19 symptoms or has tested positive for COVID-19\n\n- they\u2019ve been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nYou must pay your employee from the first \u2018qualifying day\u2019 they\u2019re off work. The date will depend on why they\u2019re off work.\n\nYou must pay them on or after one of the following dates:\n\n- 13 March 2020 - if they or someone they live with has symptoms or has tested positive for COVID-19\n\n- 28 May 2020 - if your employee has been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19\n\n- 6 July 2020 - if someone in their support bubble (or extended household in Scotland or Wales) has symptoms or has tested positive for COVID-19\n\n- 26 August 2020 - if your employee has been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nA \u2018qualifying day\u2019 is a day an employee usually works on.\n\n## Reclaiming SSP\n\nYou can reclaim up to 2 weeks\u2019 SSP if all of the following apply:\n\n- your employee was off work because they had COVID-19 or were self-isolating\n\n- your employee was off work because they were shielding - before 26 April 2021 in Scotland, before 12 April 2021 in Northern Ireland and before 1 April 2021 in England and Wales\n\n- your PAYE payroll scheme started on or before 28 February 2020\n\n- you had fewer than 250 employees on 28 February 2020\n\nYou can reclaim up to \u00a396.35 a week for each employee.\n\nYou cannot reclaim SSP if your employee is off sick for any other reason.\n\nFind out what other support you can get if your business is affected by COVID-19.\n\n## Holiday (or \u2018annual leave\u2019)\n\nStatutory annual leave is accrued while the employee is off work sick (no matter how long they\u2019re off) and can be taken during sick leave.\n\n## Entitlement\n\nThe weekly rate for Statutory Sick Pay (SSP) is \u00a396.35 for up to 28 weeks. It is paid:\n\n- for the days an employee normally works - called \u2018qualifying days\u2019\n\n- in the same way as wages, for example on the normal payday, deducting tax and National insurance\n\nUse the SSP calculator to work out the actual amount, for example for a daily rate.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement. You may still have to pay SSP even if you stop trading.\n\nYou cannot force your employees to take annual leave when they\u2019re eligible for sick leave.\n\n## When to start paying SSP\n\nSSP is paid when the employee is sick for at least 4 days in a row (including non-working days).\n\nYou cannot count a day as a sick day if an employee has worked for a minute or more before they go home sick.\n\nIf an employee works a shift that ends the day after it started and becomes sick during the shift or after it has finished, the second day will count as a sick day.\n\n## If your employee is off sick or self-isolating because of coronavirus (COVID-19) or has tested positive for COVID-19\n\nFrom 13 March 2020 you start paying SSP from the first \u2018qualifying day\u2019 an employee is off work, as long as they are off for at least 4 days in a row. This includes non-working days.\n\nIf an employee was off sick with COVID-19 symptoms before 13 March, you start paying SSP from the fourth qualifying day.\n\nIf an employee was self-isolating before 13 March because someone they live with had symptoms, you start paying SSP from 13 March.\n\nIf an employee is self-isolating because they\u2019ve been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19, you start paying SSP from 28 May.\n\nIf an employee was self-isolating before 6 July because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19, you start paying SSP from 6 July.\n\nIf an employee is self-isolating because they\u2019ve been advised to do so by a doctor or healthcare professional before going into hospital for surgery, you start paying SSP from 26 August.\n\n## When to stop paying SSP\n\nSSP stops when the employee comes back to work or no longer qualifies.\n\n## Record keeping\n\nYou\u2019ll need to keep records of SSP you\u2019ve paid to an employee who was off work because of COVID-19 if you want to reclaim it.\n\nYou\u2019ll need to keep the following records for 3 years after the end of the tax year you paid SSP:\n\n- the dates the employee was off sick\n\n- which of those dates were qualifying days\n\n- the reason they said they were off work\n\n- the employee\u2019s National Insurance number\n\nYou do not need to keep records of SSP paid to employees who are off sick for another reason.\n\nYou can choose how you keep records of your employees\u2019 sickness absence. HMRC may need to see these records if there\u2019s a dispute over payment of SSP.\n\n## Eligibility and form SSP1\n\nTo qualify for Statutory Sick Pay (SSP) employees must:\n\n- have an employment contract\n\n- have done some work under their contract\n\n- have been sick for 4 or more days in a row (including non-working days) - known as a \u2018period of incapacity for work\u2019\n\n- earn an average of at least \u00a3120 per week\n\n- give you the correct notice\n\n- give you proof of their illness, only after 7 days off\n\nEmployees who have been paid less than 8 weeks of earnings still qualify for SSP. Use the sick pay calculator to work out how much to pay them.\n\nAn employee\u2019s period of incapacity for work is not interrupted if they take annual leave during that time.\n\nEmployees can qualify for sick pay from more than one job.\n\nThey could also qualify in one job but be fit for work in another, for example if one job is physical work that they cannot do while ill but the other is office-based.\n\n## Coronavirus (COVID-19) eligibility\n\nYour employees qualify for SSP if they meet the criteria and cannot work if any of the following apply:\n\n- were self-isolating on or after 13 March 2020 because they or someone they live with had COVID-19 or symptoms of COVID-19\n\n- started self-isolating on or after 28 May 2020 because they were notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19\n\n- were self-isolating on or after 6 July 2020 because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19\n\n- have tested positive for COVID-19 since 5 August 2020\n\n- were self-isolating on or after 26 August because they had been advised to do so by a doctor or healthcare professional before going into hospital for surgery\n\nEmployees will not qualify for SSP if they are self-isolating after entering or returning to the UK, and do not need to self-isolate for any other reason.\n\n## Exceptions\n\nEmployees do not qualify for SSP if they:\n\n- have received the maximum amount of SSP (28 weeks)\n\n- are getting Statutory Maternity Pay or Maternity Allowance - there are special rules for pregnant women and new mothers who do not get these payments\n\n- are off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that their baby is due\n\n- were in custody or on strike on the first day of sickness (including any linked periods)\n\n- are working outside the EU and you\u2019re not liable for their National Insurance contributions\n\n- received Employment and Support Allowance within 12 weeks of starting or returning to work for you\n\nUse the SSP calculator to check eligibility.\n\n## Linked periods of sickness\n\nIf your employee has regular periods of sickness, they may count as \u2018linked\u2019. To be linked, the periods must:\n\n- last 4 or more days each\n\n- be 8 weeks or less apart\n\nYour employee is no longer eligible for SSP if they have a continuous series of linked periods that lasts more than 3 years.\n\n## If an employee is not eligible or their SSP ends\n\nEmployees may be able to apply for Universal Credit or Employment and Support Allowance (ESA). They use form SSP1 to support their application.\n\nIf your employee\u2019s SSP is ending you must send them form SSP1 either:\n\n- within 7 days of their SSP ending, if it ends unexpectedly while they\u2019re still sick\n\n- on or before the beginning of the 23rd week, if their SSP is expected to end before their sickness does\n\nIf your employee does not qualify for SSP you must send them form SSP1 within 7 days of them going off sick.\n\nIf your employee thinks this is unfair, they can appeal to HMRC - the form tells them how to do this.\n\n## Long-term illness\n\nYou can complete form SSP1 before the end of SSP if you know an employee will be off sick for more than 28 weeks. This means they can apply for ESA before their SSP comes to an end.\n\n## Notice and fit notes\n\n## Notice\n\nThe employee should tell you they\u2019re sick within the time limit set by you, or 7 days if you do not have one. You cannot:\n\n- insist they tell you in person or on a special form\n\n- ask them for proof of their sickness until they have been off for 7 days (including non-working days)\n\nYou do not have to pay Statutory Sick Pay (SSP) for any days the employee was late in telling you (unless there\u2019s a good reason for the delay).\n\n## If an employee was shielding because of coronavirus (COVID-19)\n\nShielding has stopped in the UK.\n\nAn employee can no longer apply for a new shielding note or a replacement shielding note.\n\n## Fit notes and asking for proof\n\nAfter 7 days off sick (including non-working days) you can ask the employee for proof of their sickness. This could be:\n\n- an isolation note from NHS 111 - if they are self-isolating and cannot work because of COVID-19\n\n- the notification from the NHS or public health authorities if they are self-isolating because they\u2019ve come into contact with someone with COVID-19\n\n- a letter or shielding note that they got from their doctor or health authority, or the government, advising them to shield\n\n- a letter from their doctor or healthcare professional confirming the date of their procedure if they\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a fit note from their doctor or a hospital (sometimes called a sick note) - if they have any other illness\n\nIf you agree, they can give you a report from a physiotherapist, podiatrist or occupational therapist, (called an Allied Health Professional (AHP) Health and Work report).\n\nYou cannot withhold SSP if the employee is late sending you a fit note or isolation note.\n\nIf your employee is off sick frequently or for a long time, HMRC has information about getting medical advice.\n\n## Help with sick pay\n\n## Reclaiming Statutory Sick Pay\n\nYou may be able to reclaim Statutory Sick Pay (SSP) if your employee is off work because of coronavirus (COVID-19).\n\n## If you\u2019re insolvent\n\nHMRC will pay SSP for any employee who continues to work for you if they were sick when you became insolvent. Tell your employee to contact the Statutory Payment Disputes Team.\n\nIf their sickness continues and you terminate their contract, give them a completed SSP1 form so they can claim Employment and Support Allowance instead.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-sick-pay", + "answerable": true, + "scenario": "I run a lucrative business and have an employee who has been off sick for the last twenty seven weeks. Their SSP is due to end very soon.", + "original_question": "My employee is a long term employee and highly valued. Can I voluntarily pay more money to them even though it's due to stop?" + }, + { + "id": "train-588", + "question": "Scenario: I run a small business which has only just been managing to keep afloat the last five years. Now three thirds of my workforce are off sick with covid and I simply cannot afford to pay them SSP.\n\nQuestion: Are the government making an provision for small employer's hit by Covid?\n\nDocument - Statutory Sick Pay (SSP): employer guide:\n## Overview\n\nYour employees may be eligible for Statutory Sick Pay (SSP), which is \u00a396.35 a week for up to 28 weeks.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can offer more if you have a company sick pay scheme (you cannot offer less). Company schemes are also called \u2018contractual\u2019 or \u2018occupational\u2019 sick pay and must be included in an employment contract.\n\nThere\u2019s a separate guide to Statutory Sick Pay if you\u2019re an employee.\n\n## If your employee is off work because of coronavirus (COVID-19)\n\nYou must pay an employee SSP if they\u2019re self-isolating and off work for at least 4 days and any of the following apply:\n\n- they or someone they live with has COVID-19 symptoms or has tested positive for COVID-19\n\n- they\u2019ve been notified by the NHS or public health authorities that they\u2019ve been in contact with someone with COVID-19\n\n- someone in their support bubble (or your \u2018extended household\u2019 if you live in Scotland or Wales) has COVID-19 symptoms or has tested positive for COVID-19\n\n- they\u2019ve been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nYou must pay your employee from the first \u2018qualifying day\u2019 they\u2019re off work. The date will depend on why they\u2019re off work.\n\nYou must pay them on or after one of the following dates:\n\n- 13 March 2020 - if they or someone they live with has symptoms or has tested positive for COVID-19\n\n- 28 May 2020 - if your employee has been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19\n\n- 6 July 2020 - if someone in their support bubble (or extended household in Scotland or Wales) has symptoms or has tested positive for COVID-19\n\n- 26 August 2020 - if your employee has been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nA \u2018qualifying day\u2019 is a day an employee usually works on.\n\n## Reclaiming SSP\n\nYou can reclaim up to 2 weeks\u2019 SSP if all of the following apply:\n\n- your employee was off work because they had COVID-19 or were self-isolating\n\n- your employee was off work because they were shielding - before 26 April 2021 in Scotland, before 12 April 2021 in Northern Ireland and before 1 April 2021 in England and Wales\n\n- your PAYE payroll scheme started on or before 28 February 2020\n\n- you had fewer than 250 employees on 28 February 2020\n\nYou can reclaim up to \u00a396.35 a week for each employee.\n\nYou cannot reclaim SSP if your employee is off sick for any other reason.\n\nFind out what other support you can get if your business is affected by COVID-19.\n\n## Holiday (or \u2018annual leave\u2019)\n\nStatutory annual leave is accrued while the employee is off work sick (no matter how long they\u2019re off) and can be taken during sick leave.\n\n## Entitlement\n\nThe weekly rate for Statutory Sick Pay (SSP) is \u00a396.35 for up to 28 weeks. It is paid:\n\n- for the days an employee normally works - called \u2018qualifying days\u2019\n\n- in the same way as wages, for example on the normal payday, deducting tax and National insurance\n\nUse the SSP calculator to work out the actual amount, for example for a daily rate.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement. You may still have to pay SSP even if you stop trading.\n\nYou cannot force your employees to take annual leave when they\u2019re eligible for sick leave.\n\n## When to start paying SSP\n\nSSP is paid when the employee is sick for at least 4 days in a row (including non-working days).\n\nYou cannot count a day as a sick day if an employee has worked for a minute or more before they go home sick.\n\nIf an employee works a shift that ends the day after it started and becomes sick during the shift or after it has finished, the second day will count as a sick day.\n\n## If your employee is off sick or self-isolating because of coronavirus (COVID-19) or has tested positive for COVID-19\n\nFrom 13 March 2020 you start paying SSP from the first \u2018qualifying day\u2019 an employee is off work, as long as they are off for at least 4 days in a row. This includes non-working days.\n\nIf an employee was off sick with COVID-19 symptoms before 13 March, you start paying SSP from the fourth qualifying day.\n\nIf an employee was self-isolating before 13 March because someone they live with had symptoms, you start paying SSP from 13 March.\n\nIf an employee is self-isolating because they\u2019ve been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19, you start paying SSP from 28 May.\n\nIf an employee was self-isolating before 6 July because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19, you start paying SSP from 6 July.\n\nIf an employee is self-isolating because they\u2019ve been advised to do so by a doctor or healthcare professional before going into hospital for surgery, you start paying SSP from 26 August.\n\n## When to stop paying SSP\n\nSSP stops when the employee comes back to work or no longer qualifies.\n\n## Record keeping\n\nYou\u2019ll need to keep records of SSP you\u2019ve paid to an employee who was off work because of COVID-19 if you want to reclaim it.\n\nYou\u2019ll need to keep the following records for 3 years after the end of the tax year you paid SSP:\n\n- the dates the employee was off sick\n\n- which of those dates were qualifying days\n\n- the reason they said they were off work\n\n- the employee\u2019s National Insurance number\n\nYou do not need to keep records of SSP paid to employees who are off sick for another reason.\n\nYou can choose how you keep records of your employees\u2019 sickness absence. HMRC may need to see these records if there\u2019s a dispute over payment of SSP.\n\n## Eligibility and form SSP1\n\nTo qualify for Statutory Sick Pay (SSP) employees must:\n\n- have an employment contract\n\n- have done some work under their contract\n\n- have been sick for 4 or more days in a row (including non-working days) - known as a \u2018period of incapacity for work\u2019\n\n- earn an average of at least \u00a3120 per week\n\n- give you the correct notice\n\n- give you proof of their illness, only after 7 days off\n\nEmployees who have been paid less than 8 weeks of earnings still qualify for SSP. Use the sick pay calculator to work out how much to pay them.\n\nAn employee\u2019s period of incapacity for work is not interrupted if they take annual leave during that time.\n\nEmployees can qualify for sick pay from more than one job.\n\nThey could also qualify in one job but be fit for work in another, for example if one job is physical work that they cannot do while ill but the other is office-based.\n\n## Coronavirus (COVID-19) eligibility\n\nYour employees qualify for SSP if they meet the criteria and cannot work if any of the following apply:\n\n- were self-isolating on or after 13 March 2020 because they or someone they live with had COVID-19 or symptoms of COVID-19\n\n- started self-isolating on or after 28 May 2020 because they were notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19\n\n- were self-isolating on or after 6 July 2020 because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19\n\n- have tested positive for COVID-19 since 5 August 2020\n\n- were self-isolating on or after 26 August because they had been advised to do so by a doctor or healthcare professional before going into hospital for surgery\n\nEmployees will not qualify for SSP if they are self-isolating after entering or returning to the UK, and do not need to self-isolate for any other reason.\n\n## Exceptions\n\nEmployees do not qualify for SSP if they:\n\n- have received the maximum amount of SSP (28 weeks)\n\n- are getting Statutory Maternity Pay or Maternity Allowance - there are special rules for pregnant women and new mothers who do not get these payments\n\n- are off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that their baby is due\n\n- were in custody or on strike on the first day of sickness (including any linked periods)\n\n- are working outside the EU and you\u2019re not liable for their National Insurance contributions\n\n- received Employment and Support Allowance within 12 weeks of starting or returning to work for you\n\nUse the SSP calculator to check eligibility.\n\n## Linked periods of sickness\n\nIf your employee has regular periods of sickness, they may count as \u2018linked\u2019. To be linked, the periods must:\n\n- last 4 or more days each\n\n- be 8 weeks or less apart\n\nYour employee is no longer eligible for SSP if they have a continuous series of linked periods that lasts more than 3 years.\n\n## If an employee is not eligible or their SSP ends\n\nEmployees may be able to apply for Universal Credit or Employment and Support Allowance (ESA). They use form SSP1 to support their application.\n\nIf your employee\u2019s SSP is ending you must send them form SSP1 either:\n\n- within 7 days of their SSP ending, if it ends unexpectedly while they\u2019re still sick\n\n- on or before the beginning of the 23rd week, if their SSP is expected to end before their sickness does\n\nIf your employee does not qualify for SSP you must send them form SSP1 within 7 days of them going off sick.\n\nIf your employee thinks this is unfair, they can appeal to HMRC - the form tells them how to do this.\n\n## Long-term illness\n\nYou can complete form SSP1 before the end of SSP if you know an employee will be off sick for more than 28 weeks. This means they can apply for ESA before their SSP comes to an end.\n\n## Notice and fit notes\n\n## Notice\n\nThe employee should tell you they\u2019re sick within the time limit set by you, or 7 days if you do not have one. You cannot:\n\n- insist they tell you in person or on a special form\n\n- ask them for proof of their sickness until they have been off for 7 days (including non-working days)\n\nYou do not have to pay Statutory Sick Pay (SSP) for any days the employee was late in telling you (unless there\u2019s a good reason for the delay).\n\n## If an employee was shielding because of coronavirus (COVID-19)\n\nShielding has stopped in the UK.\n\nAn employee can no longer apply for a new shielding note or a replacement shielding note.\n\n## Fit notes and asking for proof\n\nAfter 7 days off sick (including non-working days) you can ask the employee for proof of their sickness. This could be:\n\n- an isolation note from NHS 111 - if they are self-isolating and cannot work because of COVID-19\n\n- the notification from the NHS or public health authorities if they are self-isolating because they\u2019ve come into contact with someone with COVID-19\n\n- a letter or shielding note that they got from their doctor or health authority, or the government, advising them to shield\n\n- a letter from their doctor or healthcare professional confirming the date of their procedure if they\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a fit note from their doctor or a hospital (sometimes called a sick note) - if they have any other illness\n\nIf you agree, they can give you a report from a physiotherapist, podiatrist or occupational therapist, (called an Allied Health Professional (AHP) Health and Work report).\n\nYou cannot withhold SSP if the employee is late sending you a fit note or isolation note.\n\nIf your employee is off sick frequently or for a long time, HMRC has information about getting medical advice.\n\n## Help with sick pay\n\n## Reclaiming Statutory Sick Pay\n\nYou may be able to reclaim Statutory Sick Pay (SSP) if your employee is off work because of coronavirus (COVID-19).\n\n## If you\u2019re insolvent\n\nHMRC will pay SSP for any employee who continues to work for you if they were sick when you became insolvent. Tell your employee to contact the Statutory Payment Disputes Team.\n\nIf their sickness continues and you terminate their contract, give them a completed SSP1 form so they can claim Employment and Support Allowance instead.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-sick-pay", + "answerable": true, + "scenario": "I run a small business which has only just been managing to keep afloat the last five years. Now three thirds of my workforce are off sick with covid and I simply cannot afford to pay them SSP.", + "original_question": "Are the government making an provision for small employer's hit by Covid?" + }, + { + "id": "train-589", + "question": "Scenario: We have received a DEO for one of our employees. We have completed deducting NDR, but have found it brings the employee beneath their PER.\n\nQuestion: Should we deduct less so that it does not take the employee below their PER?\n\nDocument - Make child maintenance deductions from an employee's pay:\n## Overview\n\nThe Child Maintenance Service can ask you to:\n\n- give information about your employee so they can work out the right amount of child maintenance\n\n- set up a deduction from earnings order (DEO)\n\n- answer enquiries from other organisations who collect payments of child maintenance on their behalf\n\nYou may also be given an attachment of earnings order (AEO) by a court.\n\n## Your legal obligations when deducting child maintenance\n\nBy law, you must:\n\n- give information to the Child Maintenance Service if you\u2019re asked to\n\n- send payments as soon as possible, to arrive no later than the 19th day of the month following the month you made the deduction\n\n- tell the Child Maintenance Service immediately if there are any problems with taking payments from a paying parent\u2019s earnings\n\n- make regular payments - if you do not send payments and do not explain why, you could be taken to court\n\nThe paying parent is the parent who does not have main day-to-day care of the child.\n\nYou must report a change of circumstances to the Child Maintenance Service within 10 days. For example, if:\n\n- an employee leaves your business\n\n- you\u2019re asked to set up a deduction from earnings order (DEO) for someone who does not work for you\n\nYou can report changes online or by phone.\n\n## Use the Child Maintenance Service online\n\nIf you\u2019ve ever managed a case through the Child Maintenance Service, you can register for the online service. The service lets you:\n\n- see all deductions\n\n- report and make changes\n\n- send messages\n\n- see important information you\u2019ve been sent\n\n## Call the Child Maintenance Service\n\nYou can call the Child Maintenance Service if you have questions or need to report a change.\n\n## Deduction from earnings orders (DEOs)\n\nDeduction from earnings orders (DEOs) are a way of collecting child maintenance directly from a paying parent\u2019s earnings or pension.\n\nThe paying parent is the parent who does not have main day-to-day care of the child.\n\n## When you\u2019ll get a DEO\n\nYou\u2019ll be sent a deduction from earnings order (DEO) if one of your employees is a paying parent who:\n\n- chooses to pay child maintenance direct from their earnings\n\n- does not pay child maintenance owed\n\n- does not pay the correct amount\n\n- does not pay on time\n\n## What you need to do\n\nYou must deduct the amount of child maintenance stated on the DEO from your employee\u2019s net earnings or their pension and pay it to the Child Maintenance Service. This will include any arrears that are due.\n\n## Other court orders against your employee\n\nYou could get a DEO from the Child Maintenance Service and an attachment of earnings order (AEO) from a court.\n\n## How to calculate deductions\n\nThe deduction from earnings order (DEO) will show 2 rates.\n\n| Rate | What it means |\n\n| Normal deduction rate (NDR) | The amount your employee owes in child maintenance. You\u2019ll deduct this from their pay. |\n\n| Protected earnings rate (PER) or protected earnings proportion (PEP) | The minimum pay you must make sure your employee takes home after all deductions have been made. |\n\nThe PER applies to cases opened before 3 March 2003. The PEP applies to cases opened from 3 March 2003.\n\nYou must make sure that your deduction leaves your employee with the amount of their protected earnings, unless the deduction is for administrative costs.\n\n## How much to deduct\n\nYou may not always be able to deduct the full NDR from your employee\u2019s pay.\n\nThis depends on how much they have left in net earnings once you\u2019ve taken in account their PER or PEP.\n\nYou can deduct up to \u00a31 for administration costs.\n\n## If you cannot deduct the full NDR\n\nYou must:\n\n- keep a record of the shortfall\n\n- carry forward the shortfall to the next period\n\n- send any deduction you\u2019ve been able to make to the court or Child Maintenance Service\n\nYou then deduct the full amount of the shortfall plus the NDR owed for the next pay period. You must still leave your employee with the PER or PEP.\n\nIf the shortfall is carried forward for several weeks before being repaid, keep a record of the ongoing shortfall.\n\nThe Child Maintenance Service or court may need to review an NDR if an employee consistently cannot pay it.\n\n## If you pay your employee holiday pay in advance\n\nYou\u2019ll have to:\n\n- calculate your employee\u2019s total net earnings for the pay period\n\n- multiply the PER or PEP and the NDR by the number of weeks in the pay period\n\n- set aside the combined PER or PEP and take off the combined NDR in the usual way\n\n## If you get more than one DEO or AEO for an employee\n\nSometimes a paying parent has more than one case and is paying child maintenance for children by different receiving parents.\n\nThe receiving parent has main day-to-day care of the child. The paying parent does not have main day-to-day care.\n\nYou\u2019ll have to pay AEOs in the order of the date of issue, so you might have to finish deducting payments for one before another.\n\nAEOs for maintenance have to be paid before AEOs for civil debts.\n\n## What counts as earnings\n\nA deduction from earnings order (DEO) or an attachment of earnings order (AEO) can only be made from the following earnings:\n\n- wages, fees, bonus, commission, overtime pay or any payments on top of wages\n\n- private or occupational pensions and compensation payments\n\n- Statutory Sick Pay\n\n- contractual sick pay\n\n- contractual maternity pay\n\n- contractual paternity pay\n\n- contractual adoption pay\n\n- contractual redundancy pay\n\nStatutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees over and above statutory pay.\n\n## What does not count as earnings\n\nYour employee cannot pay child maintenance by DEO or AEO if their only earnings are in the following categories:\n\n- amounts paid by a public department of the government of Northern Ireland or any country outside the UK\n\n- any social security pension, allowance or benefit\n\n- tax credits\n\n- any pension or allowance paid for disability\n\n- guaranteed minimum pension within the Social Security Pensions Act 1975\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Redundancy Pay\n\n## Make DEO payments\n\nYou can be prosecuted if you do not pay the amount on a deduction from earnings order (DEO).\n\nYou can make\u00a0DEO\u00a0payments by using the Banks Automated Clearing System (BACS). The Child Maintenance Service can help you set it up.\n\n## Pay online\n\nYou can manage your Child Maintenance Service payments online.\n\nYou should send a single bulk BACS payment for all the employees you make a deduction from. You\u2019ll get a monthly schedule.\n\n## Pay by other methods\n\nYou can also pay by:\n\n- internet banking\n\n- telephone banking\n\n- cheque (made payable to \u2018The Child Maintenance Service\u2019)\n\n## Account details to use\n\n| Sort code | Account number | Account name | Account code | Transaction code |\n\n| 60 70 80 | 10026584 | DWP CMG Employers | 0 | 99 |\n\nYou\u2019ll need to give the employer reference number. It will be a 12 digit number starting with 5.\n\n## When to pay\n\nYou should send a payment to the Child Maintenance Service so it gets there no later than the 19th day of the month following the month that you took it.\n\nYou and your employee will be sent a letter every year to remind you how much must be paid and when.\n\n## Deductions for administrative costs\n\nYou can take up to \u00a31 towards administrative costs for each deduction, on top of the amount asked for on the DEO. You can take it even if it reduces your employee\u2019s income below the protected earnings proportion or protected earnings rate.\n\n## Inform your employee\n\nYou must inform your employee in writing about each deduction when they are given their pay statement. Include the amount (if any) you deduct towards your expenses.\n\nIf pay statements are not usually given, you should inform your employee in writing. You should do this no later than the employee\u2019s pay day after the deduction was made.\n\n## If you pay the wrong amount\n\nTell the Child Maintenance Service if you find a mistake in the amount you\u2019ve paid. You can either:\n\n- use the Child Maintenance Service online\n\n- call the employer payment team\n\n## Change of circumstances for DEOs\n\nTell the Child Maintenance Service if your employee\u2019s circumstances change.\n\nYou can either:\n\n- use the Child Maintenance Service online\n\n- call the employer helpline\n\nIf your business stops trading, or if your employee leaves your employment, you must tell the Child Maintenance Service within 10 days.\n\nYou should also tell them if your employee changes their hours.\n\nYou and your employee will be sent a revised deduction from earnings order (DEO).\n\n## If the Child Maintenance Service cancels a DEO\n\nThey will write to you and your employee to tell you the DEO has been cancelled. They will ask you to stop taking deductions from the date of the letter.\n\nYou must only stop taking deductions if you\u2019re told in writing.\n\n## If you do not help with DEOs or AEOs\n\nYou can be fined up to \u00a3250 or sent to prison for up to 14 days if you do not do what an attachment of earnings order (AEO) says you should do.\n\nIf you\u2019ve got a deduction from earnings order (DEO) it\u2019s an offence to:\n\n- not provide information when it\u2019s required\n\n- make a false statement or representation\n\n- knowingly provide false information\n\n- delay or obstruct an inspector on purpose\n\n- refuse or fail to answer any questions or supply any information or to produce any document when it\u2019s asked for\n\nThe Child Maintenance Service sometimes sends inspectors to interview \u2018paying parents\u2019 at work. You must let them interview your employee.\n\nThe \u2018paying parent\u2019 is the parent who does not have main day-to-day care of the child.\n\nYou can be fined up to \u00a31,000 if you\u2019re found guilty of any of these offences.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/child-maintenance-for-employers", + "answerable": true, + "scenario": "We have received a DEO for one of our employees. We have completed deducting NDR, but have found it brings the employee beneath their PER.", + "original_question": "Should we deduct less so that it does not take the employee below their PER?" + }, + { + "id": "train-592", + "question": "Scenario: My friend Lucy is a French national. She has been living in the UK for the last 4 years and has pre-settled status. She has been accepted for a full time university BSc degree offer which starts in September 2021..\n\nQuestion: Can she apply for a tuition fee loan?\n\nDocument - Student finance:\n## Overview\n\nYou may be able to borrow money to help pay for university or college tuition fees and to help with living costs.\n\nYou might get extra money on top of this, for example if you\u2019re on a low income, are disabled or have children.\n\nIf you\u2019re a continuing student or you\u2019ve already created an account, log in to your account.\n\n## Before you apply\n\nYou start repaying once you earn over a certain amount. The size of your monthly repayments will depend on how much you earn, not what you owe.\n\nYou\u2019ll be charged interest on the loan from the day you take it out. The terms and conditions can change.\n\nThe rules are different if your course started before September 2012.\n\nRead the student finance privacy notice to find out how the information you provide will be used.\n\n## How to apply\n\nFind out how to apply for student finance.\n\nIf you\u2019re under 25 and have no contact with your parents, you might be able to apply as an \u2018estranged student\u2019.\n\nThere\u2019s a different process if you\u2019re a student from Scotland, Wales, or Northern Ireland. Contact the education authority if you live in the Channel Islands (Jersey and Guernsey) or Isle of Man.\n\nYou can give someone permission to act on your behalf (for example using Power of Attorney) if you want them to apply for you.\n\n## New full-time students\n\nYou can apply for a Tuition Fee Loan and Maintenance Loan if your course starts on or after 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\nIf you\u2019re studying an accelerated degree course, you could get up to \u00a311,100.\n\n## Maintenance Loan for living costs\n\nYou may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of each term. You have to pay the loan back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to 7,747 | Up to \u00a37,987 |\n\n| Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488 |\n\n| Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866 |\n\nYou must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.\n\nIf you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.\n\nUse the student finance calculator to estimate your Maintenance Loan.\n\n## Applying during coronavirus (COVID-19)\n\nRead the guidance for students during coronavirus for more information about:\n\n- changes in your household income\n\n- self-isolation stopping you from posting evidence\n\n- contacting the Student Loans Company\n\n## Coronavirus and maintenance loans\n\nYou do not need to tell SLC if your course has moved online, as long as your living arrangements stay the same. If they have changed, you must update your address in your online account.\n\n## Extra help with travel costs\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Continuing full-time students\n\nWhat you\u2019re eligible for depends on when your course starts.\n\nYou may also be able to get extra help.\n\n## If your course starts on or after 1 August 2016\n\nYou can apply for a Tuition Fee Loan and a Maintenance Loan if your course starts on or after 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n## Maintenance Loan for living costs\n\nYou may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of term. You have to pay the loan back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to 7,747 | Up to \u00a37,987 |\n\n| Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488 |\n\n| Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866 |\n\nYou must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.\n\nIf you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.\n\nIn your final year, you\u2019ll receive less money than you did in previous years.\n\n## If your course started before 1 August 2016\n\nYou can apply for grants and loans if your course started before 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n## Maintenance Loan for living costs\n\nStudents aged 60 and over cannot apply. You may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of each term. You have to pay the loan back.\n\nYou must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to \u00a35,247 | Up to \u00a35,410 |\n\n| Living away from home, outside London | Up to \u00a36,597 | Up to \u00a36,802 |\n\n| Living away from home, in London | Up to \u00a39,205 | Up to \u00a39,490 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a37,838 | Up to \u00a38,081 |\n\nIn your final year, you\u2019ll receive less money than you did in previous years.\n\n## Maintenance Grant for living costs\n\nYou have to give details of your household income and your course start date.\n\nThe grant is paid into your bank account at the start of each term. You do not have to pay it back, but any funds you get will reduce the Maintenance Loan you can get.\n\n## Special Support Grant\n\nYou may get a Special Support Grant instead of a Maintenance Grant if you get or qualify for:\n\n- Income Support\n\n- income-related Employment and Support Allowance\n\n- Housing Benefit\n\n- the housing element of Universal Credit\n\nThe amount you get is the same as the Maintenance Grant, but it will not reduce the Maintenance Loan you can get.\n\nYou may get the Special Support Grant if, for example, you\u2019re a lone parent or have certain disabilities.\n\nYou\u2019ll be told if you can get the grant when you apply for student finance.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Help with the costs of studying abroad\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.\n\n## Help during coronavirus (COVID-19)\n\nRead the guidance for students during coronavirus for more information, including if:\n\n- your university or college is shut\n\n- your household income changes\n\n- you\u2019ll need to repeat or extend your studies\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Part-time students\n\nYou may be able to get a loan if your part-time course has a \u2018course intensity\u2019 of 25% or more.\n\n\u2018Course intensity\u2019 measures how much of your course you complete each year compared to an equivalent full-time course.\n\nYou can work this out by comparing your module credits with the number of module credits a full-time student will study. You\u2019ll be asked how many credits you\u2019ll study when you apply for the loan.\n\nCheck with your university or college if you\u2019re not sure.\n\nWhat you can apply for depends on when your course starts.\n\nYou must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.\n\n## If your course starts on or after 1 August 2018\n\nYou can apply for a Tuition Fee Loan and a Maintenance Loan.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\nYou can get up to \u00a36,935 in an academic year.\n\n## Maintenance Loan for living costs\n\nHow much you can get depends on:\n\n- where you live while studying\n\n- your household income\n\n- your course intensity\n\nThe loan is paid directly into your bank account 2 weeks after the start of each term. You have to pay the loan back.\n\nYou can only apply for a Maintenance Loan as a Distance Learning student if you cannot attend your course in person because of a disability.\n\nUse the student finance calculator to estimate your Maintenance Loan.\n\nYou\u2019re not eligible for a Maintenance Loan if you\u2019re 60 or over on the first day of the first academic year of your course.\n\n## If your course started before 1 August 2018\n\nYou can apply for a Tuition Fee Loan.\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\nYou can get up to \u00a36,935 in an academic year.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## EU students\n\nYou may be able to get a Tuition Fee Loan and help with living costs if you\u2019re from an EU country, Iceland, Liechtenstein, Norway or Switzerland.\n\nUse the student finance calculator to see what finance you can get.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n| Full-time student at a private university or college | Up to \u00a36,165 | Up to \u00a36,165 |\n\n| Part-time student | Up to \u00a36,935 | Up to \u00a36,935 |\n\n| Part-time student at a private university or college | Up to \u00a34,625 | Up to \u00a34,625 |\n\nUse the student finance calculator to estimate your Tuition Fee Loan.\n\n## Help with living costs\n\nYou may be eligible for help with your living costs if both the following apply:\n\n- you\u2019ve lived in the UK for more than 3 years before the first day of the first academic year of your course\n\n- you have settled status\n\nAcademic years start on 1 September, 1 January, 1 April or 1 July. Ask someone who runs your course if you do not know which one applies.\n\n## Student Finance from August 2021\n\nIf you\u2019re\u00a0starting a course\u00a0on\u00a0or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nIf you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study here.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Extra help\n\nCheck on the student finance calculator to see what extra help you might be able to get.\n\n## Students on a low income\n\nYou can apply for:\n\n- Universal Credit\n\n- extra help if you\u2019re experiencing financial hardship\n\n## Students with children or dependent adults\n\nYou can apply for:\n\n- Childcare Grant - full-time students only\n\n- Parents\u2019 Learning Allowance - full-time students only\n\n- Adult Dependants\u2019 Grant - full-time students only\n\n- Universal Credit\n\n- extra help if you\u2019re experiencing financial hardship\n\n## Disabled students\n\nIf you have a disability, long-term health condition, mental health condition or specific learning difficulty (such as dyslexia) you can apply for:\n\n- Disabled Students\u2019 Allowance\n\n- extra help if you\u2019re experiencing financial hardship\n\nYou may also qualify for disability related benefits.\n\n## Medical, social work and teacher training students\n\nYou can apply for:\n\n- NHS bursaries if you\u2019re studying certain medical, dentistry or healthcare courses\n\n- help with costs of travel to UK clinical placements if you\u2019re studying a medical, dentistry or healthcare course\n\n- social work bursaries if you\u2019re a social work student\n\n- extra help if you\u2019re a teacher training student\n\n## Students studying abroad\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home.\n\n## Help from your university or college\n\nMany universities and colleges offer extra money directly to students.\n\n## Funding from charitable trusts\n\nUse the Turn2us grant search to check whether you qualify for funding from a charitable trust.\n\n## Eligibility\n\nWhether you qualify for student finance depends on:\n\n- your university or college\n\n- your course\n\n- if you\u2019ve studied a higher education course before\n\n- your age\n\n- your nationality or residency status\n\n## Your university or college\n\nThis should be a university, college or other institution that offers a qualifying course.\n\n## Your course\n\nCheck with the university or college that your course is recognised.\n\n## If you\u2019re studying full-time\n\nYou may be eligible for student finance if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- an Initial Teacher Training course\n\n- an integrated master\u2019s degree\n\n- a pre-registration postgraduate healthcare course\n\nCheck on the student finance calculator to find out which loans and grants you could be eligible for.\n\n## If you\u2019re studying part-time\n\nYour course needs a \u2018course intensity\u2019 of 25% or more for you to be eligible for student finance.\n\nYou\u2019ll be eligible for a Tuition Fee Loan if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- an Initial Teacher Training course\n\n- an integrated master\u2019s degree\n\nYou\u2019ll be eligible for a Maintenance Loan if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- an Initial Teacher Training course (if it\u2019s degree level or above)\n\n- an integrated master\u2019s degree\n\n- a Foundation Degree in dental hygiene and dental therapy\n\n- a DipHE in dental hygiene and dental therapy or operating department practice\n\n## If you\u2019ve studied before\n\nYou\u2019ll usually only get student finance if you\u2019re doing your first higher education qualification - even if your previous course was self-funded. You may still be eligible for limited funding in certain circumstances and for some courses.\n\n## If you changed course, stopped your studies or are repeating a year\n\nIf you stopped your course within the first year, you\u2019ll get funding for the same course or a new course when you go back.\n\nYou might also get funding if you:\n\n- suspended your course or withdrew before it finished - and you\u2019re going back to study any course\n\n- are repeating a year of your course at the same university, college, or institution.\n\nIf you stopped your studies for a personal reason (for example, you were ill or pregnant) you might get funding for all of your course - you should apply online with supporting evidence.\n\nYou can calculate the amount you will get by taking the total number of years of the course you are applying for and adding one year. Then take away the number of years you studied for. If you studied for part of a year you should count it as a whole year.\n\n## If you already have a degree\n\nYou may be eligible for limited funding in certain circumstances.\n\nYou may get limited funding if you\u2019re \u2018topping up\u2019 a higher education qualification, for example you\u2019ve finished an HNC, HND or Foundation Degree and now want to do an Honours degree.\n\nYou may also get limited funding if you hold an Honours degree or a higher level of qualification and start a new course. This could be a part-time Honours degree, a joint Honours degree or an Integrated Master\u2019s degree in one of the following (or 2 if it\u2019s a joint Honours degree):\n\n- agriculture and related subjects\n\n- architecture (if it\u2019s a MArch RIBA Part 2 course)\n\n- biological sciences\n\n- computer science\n\n- mathematical sciences\n\n- medicine and allied subjects\n\n- physical sciences\n\n- technologies\n\n- courses leading to qualification as a veterinary surgeon\n\nYou could also be eligible if you\u2019re starting a healthcare course on or after 1 August 2017.\n\n## Your age\n\nThere\u2019s no upper age limit for Tuition Fee Loans or grants.\n\n## If you\u2019re 60 or over\n\nYou may get limited funding for Maintenance Loans if all of the following apply:\n\n- you\u2019re 60 or over on the first day of the first academic year of your \ncourse\n\n- you\u2019re studying full-time\n\n- your course started on or after 1 August 2016\n\nThe amount you can apply for depends on your household income.\n\n## Your nationality or residency status\n\nYou may be able to get help with:\n\n- your tuition fees and living costs (full support)\n\n- your tuition fees\n\nThe type of help you can get depends on your nationality and residency status.\n\n## When you\u2019re eligible for full support\n\nYou can apply for full support if all the following apply:\n\n- you\u2019re a UK or Irish citizen or have \u2018settled status\u2019 (no restrictions on how long you can stay)\n\n- you normally live in England\n\n- you\u2019ve been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday\n\nYou may be eligible for full support if you\u2019re a UK national (or family member of a UK national) who:\n\n- returned to the UK by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years\n\nYou may also be eligible if your residency status is one of the following:\n\n- refugee (including family members)\n\n- humanitarian protection (including family members)\n\n- migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein (including family members) with settled or pre-settled status\n\n- child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme\n\n- child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020\n\n- a stateless person (including family members)\n\n- an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment\n\n- a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)\n\n- granted \u2018Calais leave\u2019 to remain\n\n- a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)\n\n- you\u2019ve been given settled status (\u2018indefinite leave to remain\u2019) because you\u2019ve been the victim of domestic violence\n\n- you\u2019ve been granted indefinite leave to remain as a bereaved partner\n\nYou could also be eligible if you\u2019re not a UK national and are either:\n\n- under 18 and have lived in the UK for at least 7 years\n\n- 18 or over and have lived in the UK for at least 20 years (or at least half of your life)\n\nYou must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.\n\n## When you can apply for help with your tuition fees\n\nYou can apply for tuition fee funding if you\u2019ve been living in the UK, the EU, Gibraltar, Iceland, Liechtenstein, Norway or Switzerland for the past 3 years and you have one of the following:\n\n- pre-settled status under the EU Settlement Scheme and you\u2019re an EU national or the family member of an EU national\n\n- pre-settled status under the EU Settlement Scheme and you\u2019re the family member of an Irish citizen or person of Northern Ireland\n\n- Irish citizenship\n\n- Gibraltarian status as an EU national\n\n- been living in Gibraltar as a UK national\n\nIf you\u2019re an Irish citizen, you\u2019re still eligible to apply if you\u2019ve lived in the UK and Ireland in the 3 years before your course.\n\nUse the student finance calculator to see what finance you can get.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Apply\n\nFind out how to apply for student finance.\n\n## Parents or partners of students\n\nConfirm your income if you\u2019re the student\u2019s parent or partner.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/student-finance", + "answerable": true, + "scenario": "My friend Lucy is a French national. She has been living in the UK for the last 4 years and has pre-settled status. She has been accepted for a full time university BSc degree offer which starts in September 2021..", + "original_question": "Can she apply for a tuition fee loan?" + }, + { + "id": "train-593", + "question": "Scenario: I have been fined for a late filing of PAYE. I am now looking to pay this fine, and would prefer to do so by cheque. I want a receipt to confirm that this has been paid.\n\nQuestion: Am I able to request a receipt?\n\nDocument - Pay a PAYE late payment or filing penalty:\n## Overview\n\nYou have 30 days from the date on the PAYE late penalty notice to pay or appeal it.\n\nPay now\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set up one for HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set up one for HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## Reference number\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB03BARC20114783977692 | BARCGB22 | HMRC Shipley |\n\nHMRC\u2019s banking address is:\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HM Revenue and Customs (HMRC) sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.\n\nIf you\u2019re unable to pay your penalty in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can pay at a branch by cash or cheque. You\u2019ll need to use the HM Revenue and Customs (HMRC) payslip included with the late penalty or filing notice.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your penalty reference number on the back of your cheque. The reference number starts with an X. You will find it on the penalty notice sent to you by HMRC.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.\n\n## Direct Debit\n\nSet up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment.\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your penalty reference number on the back of the cheque. It starts with an \u2018X\u2019 and you\u2019ll find it on the penalty notice HMRC sent you.\n\nInclude the payslip from the penalty notice. Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nIf you want a receipt, include a note asking for one.\n\n## If you do not have a payslip\n\nYou can print a payslip to use to pay by post. You cannot use this at a bank.\n\n## Check your payment has been received\n\nView your HMRC online account to see if your payment has been received - it should update within 6 working days.\n\nYou can also check your bank or building society statement to confirm the payment has left your account.\n\nIf you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-paye-penalty", + "answerable": true, + "scenario": "I have been fined for a late filing of PAYE. I am now looking to pay this fine, and would prefer to do so by cheque. I want a receipt to confirm that this has been paid.", + "original_question": "Am I able to request a receipt?" + }, + { + "id": "train-594", + "question": "Scenario: I have received a fine from HMRC for late payment of PAYE. I would like to pay this fine with my credit card.\n\nQuestion: Can I pay the fine with a credit card?\n\nDocument - Pay a PAYE late payment or filing penalty:\n## Overview\n\nYou have 30 days from the date on the PAYE late penalty notice to pay or appeal it.\n\nPay now\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set up one for HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set up one for HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## Reference number\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB03BARC20114783977692 | BARCGB22 | HMRC Shipley |\n\nHMRC\u2019s banking address is:\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HM Revenue and Customs (HMRC) sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.\n\nIf you\u2019re unable to pay your penalty in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can pay at a branch by cash or cheque. You\u2019ll need to use the HM Revenue and Customs (HMRC) payslip included with the late penalty or filing notice.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your penalty reference number on the back of your cheque. The reference number starts with an X. You will find it on the penalty notice sent to you by HMRC.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.\n\n## Direct Debit\n\nSet up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment.\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your penalty reference number on the back of the cheque. It starts with an \u2018X\u2019 and you\u2019ll find it on the penalty notice HMRC sent you.\n\nInclude the payslip from the penalty notice. Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nIf you want a receipt, include a note asking for one.\n\n## If you do not have a payslip\n\nYou can print a payslip to use to pay by post. You cannot use this at a bank.\n\n## Check your payment has been received\n\nView your HMRC online account to see if your payment has been received - it should update within 6 working days.\n\nYou can also check your bank or building society statement to confirm the payment has left your account.\n\nIf you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/pay-paye-penalty", + "answerable": true, + "scenario": "I have received a fine from HMRC for late payment of PAYE. I would like to pay this fine with my credit card.", + "original_question": "Can I pay the fine with a credit card?" + }, + { + "id": "train-595", + "question": "Scenario: I work in the Metropolitan police force and I have witnessed my senior officer receiving bribes repeatedly during our traffic patrols from rogue drivers.\n\nQuestion: Will be dismissed from work if i blow the whistle?\n\nDocument - Taking disciplinary action against an employee:\n## Overview\n\nYou should have written disciplinary rules and procedures to deal with employee performance and conduct and you must tell your staff about them.\n\nYour rules must say what is acceptable and unacceptable behaviour in the workplace and what action you will take if the rules are broken.\n\nThe rules should follow the Acas code of practice on disciplinary and grievance procedures.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\n## Acas guide to discipline and grievances\n\nThe Acas guide to discipline and grievances at work gives more information for employers about taking disciplinary action.\n\n## Acas Helpline\n\nThe Acas Helpline has further advice on disciplinary issues.\n\n## Practical training courses\n\nAcas also runs practical training courses on workplace discipline.\n\n## Writing disciplinary proceedings\n\nYour disciplinary procedures should follow the Acas code of practice.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\nThe exact rules will depend on your organisation, but could cover things like:\n\n- acceptable and unacceptable behaviour\n\n- absence and timekeeping\n\n- health and safety\n\n- use of phones and the internet\n\nYou cannot normally discipline or dismiss an employee for whistleblowing.\n\n## Gross misconduct\n\nYour disciplinary rules should give examples of what will be treated as gross misconduct. This is misconduct judged so serious that it\u2019s likely to lead to dismissal without notice, for example fraud, theft and physical violence.\n\n## Telling employees about disciplinary rules\n\nYour disciplinary rules must be in your statement of employment or clearly written elsewhere, such as in a staff handbook.\n\nThe rules should clearly say when someone might face disciplinary action and what that action could be.\n\nYou must also give the name of someone they should appeal to if they\u2019re unhappy about a disciplinary decision.\n\nIf you do not provide this information and an employee then wins an employment tribunal claim against you, they could be awarded 2 to 4 weeks\u2019 pay.\n\n## Disciplinary procedures and contracts\n\nIf you make your disciplinary procedures part of an employment contract then the employee could make a breach of contract claim against you if you do not follow your procedures.\n\n## Example letters and forms\n\nAcas has a number of sample letters and forms for disciplinary proceedings on its website.\n\n## Disciplinary investigations and hearings\n\nThe law does not say exactly how you should investigate disciplinary issues or hold disciplinary meetings.\n\nHowever, the Acas guide to discipline and grievances at work has lots of practical advice about running disciplinary proceedings professionally and fairly.\n\n## The suggested disciplinary process\n\nThe Acas guidance suggests that your disciplinary process should follow the following format:\n\n- A letter telling your employee the issue and inviting them to a disciplinary hearing.\n\n- A meeting with your employee to discuss the issue - they should have the right to be accompanied.\n\n- A letter to your employee saying what action you are going to take. This should be sent as soon as practically possible.\n\n- Your employee should than have a chance to appeal your decision.\n\n## Disciplinary decisions\n\nDisciplinary decisions could be anything that could resolve the problem.\n\nThis could include:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\n- mediation with a co-worker\n\n## Appeals\n\nAn employee has the right to appeal against a decision made after a disciplinary hearing.\n\nYou should tell them about this when you give them written notice of your decision, and should give them a deadline to tell you they want to appeal.\n\nYour employee\u2019s statement of terms and conditions of employment must legally include the person they can apply to if they want to appeal a disciplinary decision. It must also explain how to do this.\n\nIf the employee does decide to appeal, you should try to hold the appeal hearing as soon as possible.\n\nYou should follow the Acas code of practice on disciplinary and grievance procedures when dealing with appeals. Otherwise, if someone wins an employment tribunal against you their award could be higher.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/taking-disciplinary-action", + "answerable": true, + "scenario": "I work in the Metropolitan police force and I have witnessed my senior officer receiving bribes repeatedly during our traffic patrols from rogue drivers.", + "original_question": "Will be dismissed from work if i blow the whistle?" + }, + { + "id": "train-596", + "question": "Scenario: My work colleague shared our company's software classified data to our competitors and we started experiencing a big loss of business. He breached the terms of his employment contract. After internal investigations the company terminated his services without a warning.\n\nQuestion: Can he appeal the decision?\n\nDocument - Taking disciplinary action against an employee:\n## Overview\n\nYou should have written disciplinary rules and procedures to deal with employee performance and conduct and you must tell your staff about them.\n\nYour rules must say what is acceptable and unacceptable behaviour in the workplace and what action you will take if the rules are broken.\n\nThe rules should follow the Acas code of practice on disciplinary and grievance procedures.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\n## Acas guide to discipline and grievances\n\nThe Acas guide to discipline and grievances at work gives more information for employers about taking disciplinary action.\n\n## Acas Helpline\n\nThe Acas Helpline has further advice on disciplinary issues.\n\n## Practical training courses\n\nAcas also runs practical training courses on workplace discipline.\n\n## Writing disciplinary proceedings\n\nYour disciplinary procedures should follow the Acas code of practice.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\nThe exact rules will depend on your organisation, but could cover things like:\n\n- acceptable and unacceptable behaviour\n\n- absence and timekeeping\n\n- health and safety\n\n- use of phones and the internet\n\nYou cannot normally discipline or dismiss an employee for whistleblowing.\n\n## Gross misconduct\n\nYour disciplinary rules should give examples of what will be treated as gross misconduct. This is misconduct judged so serious that it\u2019s likely to lead to dismissal without notice, for example fraud, theft and physical violence.\n\n## Telling employees about disciplinary rules\n\nYour disciplinary rules must be in your statement of employment or clearly written elsewhere, such as in a staff handbook.\n\nThe rules should clearly say when someone might face disciplinary action and what that action could be.\n\nYou must also give the name of someone they should appeal to if they\u2019re unhappy about a disciplinary decision.\n\nIf you do not provide this information and an employee then wins an employment tribunal claim against you, they could be awarded 2 to 4 weeks\u2019 pay.\n\n## Disciplinary procedures and contracts\n\nIf you make your disciplinary procedures part of an employment contract then the employee could make a breach of contract claim against you if you do not follow your procedures.\n\n## Example letters and forms\n\nAcas has a number of sample letters and forms for disciplinary proceedings on its website.\n\n## Disciplinary investigations and hearings\n\nThe law does not say exactly how you should investigate disciplinary issues or hold disciplinary meetings.\n\nHowever, the Acas guide to discipline and grievances at work has lots of practical advice about running disciplinary proceedings professionally and fairly.\n\n## The suggested disciplinary process\n\nThe Acas guidance suggests that your disciplinary process should follow the following format:\n\n- A letter telling your employee the issue and inviting them to a disciplinary hearing.\n\n- A meeting with your employee to discuss the issue - they should have the right to be accompanied.\n\n- A letter to your employee saying what action you are going to take. This should be sent as soon as practically possible.\n\n- Your employee should than have a chance to appeal your decision.\n\n## Disciplinary decisions\n\nDisciplinary decisions could be anything that could resolve the problem.\n\nThis could include:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\n- mediation with a co-worker\n\n## Appeals\n\nAn employee has the right to appeal against a decision made after a disciplinary hearing.\n\nYou should tell them about this when you give them written notice of your decision, and should give them a deadline to tell you they want to appeal.\n\nYour employee\u2019s statement of terms and conditions of employment must legally include the person they can apply to if they want to appeal a disciplinary decision. It must also explain how to do this.\n\nIf the employee does decide to appeal, you should try to hold the appeal hearing as soon as possible.\n\nYou should follow the Acas code of practice on disciplinary and grievance procedures when dealing with appeals. Otherwise, if someone wins an employment tribunal against you their award could be higher.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/taking-disciplinary-action", + "answerable": true, + "scenario": "My work colleague shared our company's software classified data to our competitors and we started experiencing a big loss of business. He breached the terms of his employment contract. After internal investigations the company terminated his services without a warning.", + "original_question": "Can he appeal the decision?" + }, + { + "id": "train-597", + "question": "Scenario: My sister is a full time delivery driver. During the last 14 day she has been out of work due to pneumonia. She is now on medication and under doctors observations. She has been earning more than \u00a3 200 per week.\n\nQuestion: Can she apply for Statutory Sick Pay?\n\nDocument - Statutory Sick Pay (SSP): employer guide:\n## Overview\n\nYour employees may be eligible for Statutory Sick Pay (SSP), which is \u00a396.35 a week for up to 28 weeks.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can offer more if you have a company sick pay scheme (you cannot offer less). Company schemes are also called \u2018contractual\u2019 or \u2018occupational\u2019 sick pay and must be included in an employment contract.\n\nThere\u2019s a separate guide to Statutory Sick Pay if you\u2019re an employee.\n\n## If your employee is off work because of coronavirus (COVID-19)\n\nYou must pay an employee SSP if they\u2019re self-isolating and off work for at least 4 days and any of the following apply:\n\n- they or someone they live with has COVID-19 symptoms or has tested positive for COVID-19\n\n- they\u2019ve been notified by the NHS or public health authorities that they\u2019ve been in contact with someone with COVID-19\n\n- someone in their support bubble (or your \u2018extended household\u2019 if you live in Scotland or Wales) has COVID-19 symptoms or has tested positive for COVID-19\n\n- they\u2019ve been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nYou must pay your employee from the first \u2018qualifying day\u2019 they\u2019re off work. The date will depend on why they\u2019re off work.\n\nYou must pay them on or after one of the following dates:\n\n- 13 March 2020 - if they or someone they live with has symptoms or has tested positive for COVID-19\n\n- 28 May 2020 - if your employee has been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19\n\n- 6 July 2020 - if someone in their support bubble (or extended household in Scotland or Wales) has symptoms or has tested positive for COVID-19\n\n- 26 August 2020 - if your employee has been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nA \u2018qualifying day\u2019 is a day an employee usually works on.\n\n## Reclaiming SSP\n\nYou can reclaim up to 2 weeks\u2019 SSP if all of the following apply:\n\n- your employee was off work because they had COVID-19 or were self-isolating\n\n- your employee was off work because they were shielding - before 26 April 2021 in Scotland, before 12 April 2021 in Northern Ireland and before 1 April 2021 in England and Wales\n\n- your PAYE payroll scheme started on or before 28 February 2020\n\n- you had fewer than 250 employees on 28 February 2020\n\nYou can reclaim up to \u00a396.35 a week for each employee.\n\nYou cannot reclaim SSP if your employee is off sick for any other reason.\n\nFind out what other support you can get if your business is affected by COVID-19.\n\n## Holiday (or \u2018annual leave\u2019)\n\nStatutory annual leave is accrued while the employee is off work sick (no matter how long they\u2019re off) and can be taken during sick leave.\n\n## Entitlement\n\nThe weekly rate for Statutory Sick Pay (SSP) is \u00a396.35 for up to 28 weeks. It is paid:\n\n- for the days an employee normally works - called \u2018qualifying days\u2019\n\n- in the same way as wages, for example on the normal payday, deducting tax and National insurance\n\nUse the SSP calculator to work out the actual amount, for example for a daily rate.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement. You may still have to pay SSP even if you stop trading.\n\nYou cannot force your employees to take annual leave when they\u2019re eligible for sick leave.\n\n## When to start paying SSP\n\nSSP is paid when the employee is sick for at least 4 days in a row (including non-working days).\n\nYou cannot count a day as a sick day if an employee has worked for a minute or more before they go home sick.\n\nIf an employee works a shift that ends the day after it started and becomes sick during the shift or after it has finished, the second day will count as a sick day.\n\n## If your employee is off sick or self-isolating because of coronavirus (COVID-19) or has tested positive for COVID-19\n\nFrom 13 March 2020 you start paying SSP from the first \u2018qualifying day\u2019 an employee is off work, as long as they are off for at least 4 days in a row. This includes non-working days.\n\nIf an employee was off sick with COVID-19 symptoms before 13 March, you start paying SSP from the fourth qualifying day.\n\nIf an employee was self-isolating before 13 March because someone they live with had symptoms, you start paying SSP from 13 March.\n\nIf an employee is self-isolating because they\u2019ve been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19, you start paying SSP from 28 May.\n\nIf an employee was self-isolating before 6 July because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19, you start paying SSP from 6 July.\n\nIf an employee is self-isolating because they\u2019ve been advised to do so by a doctor or healthcare professional before going into hospital for surgery, you start paying SSP from 26 August.\n\n## When to stop paying SSP\n\nSSP stops when the employee comes back to work or no longer qualifies.\n\n## Record keeping\n\nYou\u2019ll need to keep records of SSP you\u2019ve paid to an employee who was off work because of COVID-19 if you want to reclaim it.\n\nYou\u2019ll need to keep the following records for 3 years after the end of the tax year you paid SSP:\n\n- the dates the employee was off sick\n\n- which of those dates were qualifying days\n\n- the reason they said they were off work\n\n- the employee\u2019s National Insurance number\n\nYou do not need to keep records of SSP paid to employees who are off sick for another reason.\n\nYou can choose how you keep records of your employees\u2019 sickness absence. HMRC may need to see these records if there\u2019s a dispute over payment of SSP.\n\n## Eligibility and form SSP1\n\nTo qualify for Statutory Sick Pay (SSP) employees must:\n\n- have an employment contract\n\n- have done some work under their contract\n\n- have been sick for 4 or more days in a row (including non-working days) - known as a \u2018period of incapacity for work\u2019\n\n- earn an average of at least \u00a3120 per week\n\n- give you the correct notice\n\n- give you proof of their illness, only after 7 days off\n\nEmployees who have been paid less than 8 weeks of earnings still qualify for SSP. Use the sick pay calculator to work out how much to pay them.\n\nAn employee\u2019s period of incapacity for work is not interrupted if they take annual leave during that time.\n\nEmployees can qualify for sick pay from more than one job.\n\nThey could also qualify in one job but be fit for work in another, for example if one job is physical work that they cannot do while ill but the other is office-based.\n\n## Coronavirus (COVID-19) eligibility\n\nYour employees qualify for SSP if they meet the criteria and cannot work if any of the following apply:\n\n- were self-isolating on or after 13 March 2020 because they or someone they live with had COVID-19 or symptoms of COVID-19\n\n- started self-isolating on or after 28 May 2020 because they were notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19\n\n- were self-isolating on or after 6 July 2020 because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19\n\n- have tested positive for COVID-19 since 5 August 2020\n\n- were self-isolating on or after 26 August because they had been advised to do so by a doctor or healthcare professional before going into hospital for surgery\n\nEmployees will not qualify for SSP if they are self-isolating after entering or returning to the UK, and do not need to self-isolate for any other reason.\n\n## Exceptions\n\nEmployees do not qualify for SSP if they:\n\n- have received the maximum amount of SSP (28 weeks)\n\n- are getting Statutory Maternity Pay or Maternity Allowance - there are special rules for pregnant women and new mothers who do not get these payments\n\n- are off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that their baby is due\n\n- were in custody or on strike on the first day of sickness (including any linked periods)\n\n- are working outside the EU and you\u2019re not liable for their National Insurance contributions\n\n- received Employment and Support Allowance within 12 weeks of starting or returning to work for you\n\nUse the SSP calculator to check eligibility.\n\n## Linked periods of sickness\n\nIf your employee has regular periods of sickness, they may count as \u2018linked\u2019. To be linked, the periods must:\n\n- last 4 or more days each\n\n- be 8 weeks or less apart\n\nYour employee is no longer eligible for SSP if they have a continuous series of linked periods that lasts more than 3 years.\n\n## If an employee is not eligible or their SSP ends\n\nEmployees may be able to apply for Universal Credit or Employment and Support Allowance (ESA). They use form SSP1 to support their application.\n\nIf your employee\u2019s SSP is ending you must send them form SSP1 either:\n\n- within 7 days of their SSP ending, if it ends unexpectedly while they\u2019re still sick\n\n- on or before the beginning of the 23rd week, if their SSP is expected to end before their sickness does\n\nIf your employee does not qualify for SSP you must send them form SSP1 within 7 days of them going off sick.\n\nIf your employee thinks this is unfair, they can appeal to HMRC - the form tells them how to do this.\n\n## Long-term illness\n\nYou can complete form SSP1 before the end of SSP if you know an employee will be off sick for more than 28 weeks. This means they can apply for ESA before their SSP comes to an end.\n\n## Notice and fit notes\n\n## Notice\n\nThe employee should tell you they\u2019re sick within the time limit set by you, or 7 days if you do not have one. You cannot:\n\n- insist they tell you in person or on a special form\n\n- ask them for proof of their sickness until they have been off for 7 days (including non-working days)\n\nYou do not have to pay Statutory Sick Pay (SSP) for any days the employee was late in telling you (unless there\u2019s a good reason for the delay).\n\n## If an employee was shielding because of coronavirus (COVID-19)\n\nShielding has stopped in the UK.\n\nAn employee can no longer apply for a new shielding note or a replacement shielding note.\n\n## Fit notes and asking for proof\n\nAfter 7 days off sick (including non-working days) you can ask the employee for proof of their sickness. This could be:\n\n- an isolation note from NHS 111 - if they are self-isolating and cannot work because of COVID-19\n\n- the notification from the NHS or public health authorities if they are self-isolating because they\u2019ve come into contact with someone with COVID-19\n\n- a letter or shielding note that they got from their doctor or health authority, or the government, advising them to shield\n\n- a letter from their doctor or healthcare professional confirming the date of their procedure if they\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a fit note from their doctor or a hospital (sometimes called a sick note) - if they have any other illness\n\nIf you agree, they can give you a report from a physiotherapist, podiatrist or occupational therapist, (called an Allied Health Professional (AHP) Health and Work report).\n\nYou cannot withhold SSP if the employee is late sending you a fit note or isolation note.\n\nIf your employee is off sick frequently or for a long time, HMRC has information about getting medical advice.\n\n## Help with sick pay\n\n## Reclaiming Statutory Sick Pay\n\nYou may be able to reclaim Statutory Sick Pay (SSP) if your employee is off work because of coronavirus (COVID-19).\n\n## If you\u2019re insolvent\n\nHMRC will pay SSP for any employee who continues to work for you if they were sick when you became insolvent. Tell your employee to contact the Statutory Payment Disputes Team.\n\nIf their sickness continues and you terminate their contract, give them a completed SSP1 form so they can claim Employment and Support Allowance instead.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-sick-pay", + "answerable": true, + "scenario": "My sister is a full time delivery driver. During the last 14 day she has been out of work due to pneumonia. She is now on medication and under doctors observations. She has been earning more than \u00a3 200 per week.", + "original_question": "Can she apply for Statutory Sick Pay?" + }, + { + "id": "train-598", + "question": "Scenario: My brother is a full time employee and is on SSP following a leg injury he sustained while at work. A second doctor's review has advised him to take further 2 months bed rest as he continues to recover. He is now afraid of losing income after the SSP ends.\n\nQuestion: Can he apply re apply for Statutory Sick Pay once the 28 weeks are up?\n\nDocument - Statutory Sick Pay (SSP): employer guide:\n## Overview\n\nYour employees may be eligible for Statutory Sick Pay (SSP), which is \u00a396.35 a week for up to 28 weeks.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can offer more if you have a company sick pay scheme (you cannot offer less). Company schemes are also called \u2018contractual\u2019 or \u2018occupational\u2019 sick pay and must be included in an employment contract.\n\nThere\u2019s a separate guide to Statutory Sick Pay if you\u2019re an employee.\n\n## If your employee is off work because of coronavirus (COVID-19)\n\nYou must pay an employee SSP if they\u2019re self-isolating and off work for at least 4 days and any of the following apply:\n\n- they or someone they live with has COVID-19 symptoms or has tested positive for COVID-19\n\n- they\u2019ve been notified by the NHS or public health authorities that they\u2019ve been in contact with someone with COVID-19\n\n- someone in their support bubble (or your \u2018extended household\u2019 if you live in Scotland or Wales) has COVID-19 symptoms or has tested positive for COVID-19\n\n- they\u2019ve been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nYou must pay your employee from the first \u2018qualifying day\u2019 they\u2019re off work. The date will depend on why they\u2019re off work.\n\nYou must pay them on or after one of the following dates:\n\n- 13 March 2020 - if they or someone they live with has symptoms or has tested positive for COVID-19\n\n- 28 May 2020 - if your employee has been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19\n\n- 6 July 2020 - if someone in their support bubble (or extended household in Scotland or Wales) has symptoms or has tested positive for COVID-19\n\n- 26 August 2020 - if your employee has been advised by a doctor or healthcare professional to self-isolate before going into hospital for surgery\n\nA \u2018qualifying day\u2019 is a day an employee usually works on.\n\n## Reclaiming SSP\n\nYou can reclaim up to 2 weeks\u2019 SSP if all of the following apply:\n\n- your employee was off work because they had COVID-19 or were self-isolating\n\n- your employee was off work because they were shielding - before 26 April 2021 in Scotland, before 12 April 2021 in Northern Ireland and before 1 April 2021 in England and Wales\n\n- your PAYE payroll scheme started on or before 28 February 2020\n\n- you had fewer than 250 employees on 28 February 2020\n\nYou can reclaim up to \u00a396.35 a week for each employee.\n\nYou cannot reclaim SSP if your employee is off sick for any other reason.\n\nFind out what other support you can get if your business is affected by COVID-19.\n\n## Holiday (or \u2018annual leave\u2019)\n\nStatutory annual leave is accrued while the employee is off work sick (no matter how long they\u2019re off) and can be taken during sick leave.\n\n## Entitlement\n\nThe weekly rate for Statutory Sick Pay (SSP) is \u00a396.35 for up to 28 weeks. It is paid:\n\n- for the days an employee normally works - called \u2018qualifying days\u2019\n\n- in the same way as wages, for example on the normal payday, deducting tax and National insurance\n\nUse the SSP calculator to work out the actual amount, for example for a daily rate.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement. You may still have to pay SSP even if you stop trading.\n\nYou cannot force your employees to take annual leave when they\u2019re eligible for sick leave.\n\n## When to start paying SSP\n\nSSP is paid when the employee is sick for at least 4 days in a row (including non-working days).\n\nYou cannot count a day as a sick day if an employee has worked for a minute or more before they go home sick.\n\nIf an employee works a shift that ends the day after it started and becomes sick during the shift or after it has finished, the second day will count as a sick day.\n\n## If your employee is off sick or self-isolating because of coronavirus (COVID-19) or has tested positive for COVID-19\n\nFrom 13 March 2020 you start paying SSP from the first \u2018qualifying day\u2019 an employee is off work, as long as they are off for at least 4 days in a row. This includes non-working days.\n\nIf an employee was off sick with COVID-19 symptoms before 13 March, you start paying SSP from the fourth qualifying day.\n\nIf an employee was self-isolating before 13 March because someone they live with had symptoms, you start paying SSP from 13 March.\n\nIf an employee is self-isolating because they\u2019ve been notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19, you start paying SSP from 28 May.\n\nIf an employee was self-isolating before 6 July because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19, you start paying SSP from 6 July.\n\nIf an employee is self-isolating because they\u2019ve been advised to do so by a doctor or healthcare professional before going into hospital for surgery, you start paying SSP from 26 August.\n\n## When to stop paying SSP\n\nSSP stops when the employee comes back to work or no longer qualifies.\n\n## Record keeping\n\nYou\u2019ll need to keep records of SSP you\u2019ve paid to an employee who was off work because of COVID-19 if you want to reclaim it.\n\nYou\u2019ll need to keep the following records for 3 years after the end of the tax year you paid SSP:\n\n- the dates the employee was off sick\n\n- which of those dates were qualifying days\n\n- the reason they said they were off work\n\n- the employee\u2019s National Insurance number\n\nYou do not need to keep records of SSP paid to employees who are off sick for another reason.\n\nYou can choose how you keep records of your employees\u2019 sickness absence. HMRC may need to see these records if there\u2019s a dispute over payment of SSP.\n\n## Eligibility and form SSP1\n\nTo qualify for Statutory Sick Pay (SSP) employees must:\n\n- have an employment contract\n\n- have done some work under their contract\n\n- have been sick for 4 or more days in a row (including non-working days) - known as a \u2018period of incapacity for work\u2019\n\n- earn an average of at least \u00a3120 per week\n\n- give you the correct notice\n\n- give you proof of their illness, only after 7 days off\n\nEmployees who have been paid less than 8 weeks of earnings still qualify for SSP. Use the sick pay calculator to work out how much to pay them.\n\nAn employee\u2019s period of incapacity for work is not interrupted if they take annual leave during that time.\n\nEmployees can qualify for sick pay from more than one job.\n\nThey could also qualify in one job but be fit for work in another, for example if one job is physical work that they cannot do while ill but the other is office-based.\n\n## Coronavirus (COVID-19) eligibility\n\nYour employees qualify for SSP if they meet the criteria and cannot work if any of the following apply:\n\n- were self-isolating on or after 13 March 2020 because they or someone they live with had COVID-19 or symptoms of COVID-19\n\n- started self-isolating on or after 28 May 2020 because they were notified by the NHS or public health authorities that they\u2019ve come into contact with someone with COVID-19\n\n- were self-isolating on or after 6 July 2020 because someone in their support bubble (or extended household in Scotland or Wales) but not their own household had symptoms or tested positive for COVID-19\n\n- have tested positive for COVID-19 since 5 August 2020\n\n- were self-isolating on or after 26 August because they had been advised to do so by a doctor or healthcare professional before going into hospital for surgery\n\nEmployees will not qualify for SSP if they are self-isolating after entering or returning to the UK, and do not need to self-isolate for any other reason.\n\n## Exceptions\n\nEmployees do not qualify for SSP if they:\n\n- have received the maximum amount of SSP (28 weeks)\n\n- are getting Statutory Maternity Pay or Maternity Allowance - there are special rules for pregnant women and new mothers who do not get these payments\n\n- are off work for a pregnancy-related illness in the 4 weeks before the week (Sunday to Saturday) that their baby is due\n\n- were in custody or on strike on the first day of sickness (including any linked periods)\n\n- are working outside the EU and you\u2019re not liable for their National Insurance contributions\n\n- received Employment and Support Allowance within 12 weeks of starting or returning to work for you\n\nUse the SSP calculator to check eligibility.\n\n## Linked periods of sickness\n\nIf your employee has regular periods of sickness, they may count as \u2018linked\u2019. To be linked, the periods must:\n\n- last 4 or more days each\n\n- be 8 weeks or less apart\n\nYour employee is no longer eligible for SSP if they have a continuous series of linked periods that lasts more than 3 years.\n\n## If an employee is not eligible or their SSP ends\n\nEmployees may be able to apply for Universal Credit or Employment and Support Allowance (ESA). They use form SSP1 to support their application.\n\nIf your employee\u2019s SSP is ending you must send them form SSP1 either:\n\n- within 7 days of their SSP ending, if it ends unexpectedly while they\u2019re still sick\n\n- on or before the beginning of the 23rd week, if their SSP is expected to end before their sickness does\n\nIf your employee does not qualify for SSP you must send them form SSP1 within 7 days of them going off sick.\n\nIf your employee thinks this is unfair, they can appeal to HMRC - the form tells them how to do this.\n\n## Long-term illness\n\nYou can complete form SSP1 before the end of SSP if you know an employee will be off sick for more than 28 weeks. This means they can apply for ESA before their SSP comes to an end.\n\n## Notice and fit notes\n\n## Notice\n\nThe employee should tell you they\u2019re sick within the time limit set by you, or 7 days if you do not have one. You cannot:\n\n- insist they tell you in person or on a special form\n\n- ask them for proof of their sickness until they have been off for 7 days (including non-working days)\n\nYou do not have to pay Statutory Sick Pay (SSP) for any days the employee was late in telling you (unless there\u2019s a good reason for the delay).\n\n## If an employee was shielding because of coronavirus (COVID-19)\n\nShielding has stopped in the UK.\n\nAn employee can no longer apply for a new shielding note or a replacement shielding note.\n\n## Fit notes and asking for proof\n\nAfter 7 days off sick (including non-working days) you can ask the employee for proof of their sickness. This could be:\n\n- an isolation note from NHS 111 - if they are self-isolating and cannot work because of COVID-19\n\n- the notification from the NHS or public health authorities if they are self-isolating because they\u2019ve come into contact with someone with COVID-19\n\n- a letter or shielding note that they got from their doctor or health authority, or the government, advising them to shield\n\n- a letter from their doctor or healthcare professional confirming the date of their procedure if they\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a fit note from their doctor or a hospital (sometimes called a sick note) - if they have any other illness\n\nIf you agree, they can give you a report from a physiotherapist, podiatrist or occupational therapist, (called an Allied Health Professional (AHP) Health and Work report).\n\nYou cannot withhold SSP if the employee is late sending you a fit note or isolation note.\n\nIf your employee is off sick frequently or for a long time, HMRC has information about getting medical advice.\n\n## Help with sick pay\n\n## Reclaiming Statutory Sick Pay\n\nYou may be able to reclaim Statutory Sick Pay (SSP) if your employee is off work because of coronavirus (COVID-19).\n\n## If you\u2019re insolvent\n\nHMRC will pay SSP for any employee who continues to work for you if they were sick when you became insolvent. Tell your employee to contact the Statutory Payment Disputes Team.\n\nIf their sickness continues and you terminate their contract, give them a completed SSP1 form so they can claim Employment and Support Allowance instead.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employers-sick-pay", + "answerable": true, + "scenario": "My brother is a full time employee and is on SSP following a leg injury he sustained while at work. A second doctor's review has advised him to take further 2 months bed rest as he continues to recover. He is now afraid of losing income after the SSP ends.", + "original_question": "Can he apply re apply for Statutory Sick Pay once the 28 weeks are up?" + }, + { + "id": "train-599", + "question": "Scenario: From 2020 to 2021 i was a care worker but also director of the company. Our Class 1 National Insurance liabilities for all combined Payrolls were \u00a390,000\n\nQuestion: Can I main a claim for Employment allowance?\n\nDocument - Employment Allowance:\n## What you'll get\n\nEmployment Allowance allows eligible employers to reduce their annual National Insurance liability by up to \u00a34,000.\n\nYou\u2019ll pay less employers\u2019 Class 1 National Insurance each time you run your payroll until the \u00a34,000 has gone or the tax year ends (whichever is sooner).\n\nYou can only claim against your employers\u2019 Class 1 National Insurance liability up to a maximum of \u00a34,000 each tax year. You can still claim the allowance if your liability was less than \u00a34,000 a year.\n\n## Check if you're eligible\n\nYou can claim Employment Allowance if you\u2019re a business or charity (including community amateur sports clubs) and your employers\u2019 Class 1 National Insurance liabilities were less than \u00a3100,000 in the previous tax year.\n\nYou can also claim if you employ a care or support worker.\n\nYou can claim Employment Allowance for the previous 4 tax years dating back to the 2017 to 2018 tax year. Some of the rules for claiming are different.\n\n## If you\u2019re part of a group\n\nIf you\u2019re part of a group of charities or companies (also known as connected companies), the total employers\u2019 Class 1 National Insurance liabilities for the group must be less than \u00a3100,000.\n\nOnly one company in the group can claim the allowance.\n\n## If you have more than one payroll\n\nIf you have or had more than one employer PAYE reference, the total employers\u2019 Class 1 National Insurance liabilities for your combined payrolls must be less than \u00a3100,000 in the previous tax year\n\nYou can only claim Employment Allowance against one of the payrolls.\n\n## Off-payroll salary payments\n\nDo not include employers\u2019 Class 1 National Insurance liabilities on payments you make to off-payroll workers in your calculations. These are known as deemed payments. They do not count towards the \u00a3100,000 threshold.\n\n## Check if de minimis state aid rules apply to you\n\nIf you make or sell goods or services, Employment Allowance counts as \u2018de minimis state aid\u2019. There\u2019s a limit to how much de minimis state aid you can get.\n\nYou must:\n\n- check that you\u2019re within the de minimis state aid threshold\n\n- work out how much de minimis state aid you\u2019ve received\n\nYou must do this even if you do not make a profit.\n\nYou do not have to do this if you do not make or sell goods or services, for example you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## Check you\u2019re within the de minimis state aid threshold\n\nEmployment Allowance counts towards the total de minimis state aid you\u2019re allowed to get over a 3 year period.\n\nYou must make sure you will not exceed the de minimis state aid threshold for your sector.\n\nDe minimis state aid and the relevant thresholds are worked out in euros.\n\n| Sector | De minimis state aid threshold over 3 years |\n\n| Agriculture products sector | \u20ac20,000 |\n\n| Fisheries and aquaculture sector | \u20ac30,000 |\n\n| Road freight transport sector | \u20ac100,000 |\n\n| Industrial sector\u202f\u202f/ other | \u20ac200,000 |\n\n## Work out how much de minimis state aid you\u2019ve received\n\n- Check if you\u2019ve received any de minimis state aid - if so, you should have been told in writing.\n\n- Add the total amount of de minimis state aid that you\u2019ve received or been allocated for the current and past 2 tax years.\n\n- Add this to the full amount of Employment Allowance for the year you\u2019re claiming for. You\u2019ll need to convert this into euros using the exchange rate for the end of the previous tax year. If you\u2019re claiming for 2020 to 2021, you\u2019ll need to use the exchange rate on 30 March 2020: \u00a31 to \u20ac1.1249.\n\n- If the total is below the threshold for your sector, you\u2019re eligible to make a claim.\n\nIf you\u2019re a connected company, the total de minimis state aid for all of the companies in the group must be below the de minimis state aid threshold for your sector.\n\nThe rules are different if your business covers more than one sector.\n\n## Who cannot claim Employment Allowance\n\nYou cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.\n\nYou also cannot claim if both of the following apply:\n\n- you\u2019re a company with only one employee paid above the Class 1 National Insurance secondary threshold\n\n- the employee is also a director of the company\n\nCertain employees cannot be included in your claim, such as:\n\n- someone whose earnings are within IR35 \u2018off-payroll working rules\u2019\n\n- someone you employ for personal, household or domestic work (like a nanny or gardener) - unless they\u2019re a care or support worker\n\n## How to claim\n\nHow you claim depends on whether you use your own payroll software or HMRC\u2019s Basic PAYE tools.\n\n## If you use your own software\n\nTo claim through your payroll software, put \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field next time you send an Employment Payment Summary (EPS) to HM Revenue and Customs (HMRC).\n\nIf your payroll software does not have an Employment Payment Summary field, you can use Basic PAYE Tools.\n\n## Select your business sector under \u2018de minimis state aid rules\u2019\n\nYou must select the business sectors that apply to you, even if you do not make a profit.\n\nMost businesses will need to select the \u2018Industrial/other\u2019 category, for example a hair salon or restaurant.\n\nIf you do not make or sell goods or services, choose \u2018State aid rules do not apply\u2019. For example if you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## If you use HMRC\u2019s Basic PAYE Tools\n\n- Select the correct name in the \u2018Employer\u2019 menu on the home page.\n\n- Select \u2018Change employer details\u2019.\n\n- Select \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field.\n\n- Answer \u2018Yes\u2019 to the \u2018Do state aid rules apply?\u2019 question if you sell goods or services. Select the business sectors that apply to you. Otherwise, answer \u2018No\u2019 and select \u2018State aid rules do not apply\u2019.\n\n- Send your EPS as normal.\n\n## Stopping your claim\n\nIf you stop being eligible, select \u2018No\u2019 in the \u2018Employment Allowance indicator\u2019 field in your next EPS.\n\nDo not select \u2018No\u2019 just because:\n\n- you\u2019ve reached the \u00a34,000 limit before the end of the tax year - this does not make you ineligible\n\n- you\u2019re no longer employing anyone - this allowance will stop at the end of the tax year\n\nIf you stop your claim before the end of the tax year (5 April), any allowance you\u2019ve been given that year will be removed. You\u2019ll have to pay any employers\u2019 (secondary) Class 1 National Insurance due as a result.\n\n## When to claim\n\nYou need to claim Employment Allowance every tax year.\n\nYou can claim at any time in the tax year, but the earlier you claim the sooner you will get the allowance.\n\nIf you claim late and do not use your Employment Allowance against your employers\u2019 Class 1 National Insurance liabilities, you\u2019ll have to ask HMRC to do one of the following:\n\n- use any unclaimed allowance at the end of the year to pay any tax or National Insurance you owe (including VAT and Corporation Tax if you do not owe anything on your PAYE bill)\n\n- give you a refund after the end of the tax year if you do not owe anything\n\nYou can see how much Employment Allowance you\u2019ve used in your HMRC online account.\n\n## Claiming for past years\n\nYou can claim Employment Allowance for the previous 4 tax years, dating back to the 2017 to 2018 tax year.\n\nTo claim for past years, it does not matter how much your employers\u2019 Class 1 National Insurance liability was or how much de minimis state aid you received.\n\nThe thresholds for employers\u2019 Class 1 National Insurance and de minimis state aid do not apply.\n\nEmployment allowance was \u00a33,000 each year between April 2016 and April 2020.\n\n## Further information\n\nRead \u2018Claiming Employment Allowance: further employer guidance\u2019 for more information.\n\n## After you've made a claim\n\nYou can begin using your Employment Allowance as soon you submit your claim.\n\nHMRC will not send you a confirmation letter for your Employment Allowance.\n\nIf your claim is rejected, you will receive an automated message from HMRC within 5 working days.\n\nYou may need to tell HMRC if last year\u2019s employers\u2019 Class 1 National Insurance liabilities included deemed payments, taking you over the \u00a3100,000 threshold.\n\n## When your Employment Allowance counts as de minimis state aid\n\nIf you have selected a business sector in your claim, HMRC will send a letter stating that your Employment Allowance counts as de minimis state aid.\n\nYou must keep this letter as you may need it if you apply for other de minimis state aid.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-employment-allowance", + "answerable": true, + "scenario": "From 2020 to 2021 i was a care worker but also director of the company. Our Class 1 National Insurance liabilities for all combined Payrolls were \u00a390,000", + "original_question": "Can I main a claim for Employment allowance?" + }, + { + "id": "train-603", + "question": "Scenario: I am an employer and due to the reduced work force the number of employees represented by the union has reduced to 10. The union is recognized entity by CAC since 2017.\n\nQuestion: Can i give notice to CAC to deregister it?\n\nDocument - Derecognise a union:\n## Overview\n\nTrade unions can be recognised to represent groups of employees in a company in negotiations over pay, holidays and working conditions through either:\n\n- a voluntary agreement with the employer\n\n- a declaration by the Central Arbitration Committee (CAC).\n\nThree years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.\n\nIf the application is successful, the union will cease to represent the workforce in negotiations with the employer.\n\n## When employers can apply\n\nWhere recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:\n\n- the number of people employed by the company has fallen to less than 21\n\n- workers in the bargaining unit no longer support the union\n\n- the number of union members in the bargaining unit has fallen to below 50%\n\n## When workers can apply\n\nYou can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.\n\nYou can apply to have a non-independent union derecognised if the majority of workers do not support it.\n\n## Employers: reduced workforce\n\nAs an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:\n\n- you\u2019ve employed less than 21 people for a continuous 13-week period\n\n- it is more than 3 years since recognition was declared by the CAC\n\nYou must give written notice to the union asking for the union to be derecognised. Notice must be given within 5 days of the end of the relevant 13-week period.\n\nYour letter must include the following details:\n\n- the specific 13-week period during which you had less than 21 workers\n\n- the number of workers you employed in that time\n\n- the current bargaining arrangements\n\n- the date you want the arrangements to end - this must be at least 35 working days after the request was made\n\nYou must give a copy of the letter to the CAC. The CAC will tell you within 10 days if the notice you gave the union was valid.\n\n## Your notice is valid\n\nThe union will be derecognised and you won\u2019t have to negotiate with them anymore, unless they make an application to the CAC because they believe that:\n\n- the 13-week period was within 3 years of them gaining recognition\n\n- your company employed 21 or more workers during that time\n\n## Your notice isn\u2019t valid\n\nYou must continue with the current collective bargaining arrangements.\n\n## Employers: union loses support\n\nYou can try to get a union derecognised if the workers in the bargaining unit no longer support it and don\u2019t want it to negotiate on their behalf.\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the union, stating:\n\n- that you wish to end the bargaining arrangements because you believe that the union no longer has the support of the workers\n\n- what the current arrangements are\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union agrees to negotiate\n\nIf they reject your request but agree to negotiate, you\u2019ll have another 20 working days to come to an agreement about derecognition.\n\nWithin this period, either side can ask the Advisory, Conciliation and Arbitration Service (Acas) to help with negotiations. You may extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nYou can apply to the Central Arbitration Committee (CAC) to hold a secret ballot of workers to see if they support derecognition.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your supporting documents to CAC. Send a copy to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange a secret ballot of workers if your application is successful.\n\nYou\u2019ll have to continue negotiating with the union if your application fails.\n\n## Employers: union membership is less than 50%\n\nIf the Central Arbitration Committee (CAC) declared recognition without a ballot more than 3 years ago, a union can be derecognised if the level of union membership in the bargaining unit falls below 50%.\n\nApply to the CAC to hold a secret ballot of employees on whether collective bargaining should be ended.\n\nYou can only apply if:\n\n- the CAC declared recognition without a ballot more than 3 years ago\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the unions, stating:\n\n- that fewer than 50% of the workers in the bargaining unit are union members\n\n- what the current bargaining arrangements are, eg how many workers are in the bargaining unit, where they work\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union rejects your request but is willing to negotiate\n\nYou have 10 days to negotiate an agreement about derecognition. You can extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nApply to CAC to hold a secret ballot of workers to see if they support derecognition.\n\nYou can\u2019t apply if there have been any applications to CAC for an end to bargaining arrangements in the previous 3 years.\n\nProvide evidence (eg letters supporting your application, workplace surveys) that less than 50% of the bargaining unit are union members.\n\nSend the completed form and your supporting documents to CAC. You must send copies of the form and evidence to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange for a secret ballot of the workers to be held if your application is successful.\n\nYou will have to continue negotiating with the union if your application fails.\n\n## Workers: union loses support\n\nYou can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your evidence to both the union and the CAC.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs information to support your application, eg evidence of levels of union support.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Workers: derecognise a non-independent union\n\nAn employee or group of workers can apply to the Central Arbitration Committee (CAC) to derecognise a non-independent union that the employer recognised voluntarily.\n\nA non-independent union represents employees but has not been given a certificate of independence by the Certification Officer. You can check this on the Certification Officer\u2019s website.\n\nYou can apply any time after the union has been recognised by the employer.\n\n## Apply for a secret ballot\n\nApply to CAC to hold a secret ballot of workers to find out if they want the union derecognsied.\n\nThe form must be completed and signed by an employee in the bargaining unit.\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of employees in the bargaining are likely to favour an end to the bargaining arrangements\n\nSend the completed form plus your documents to CAC. Send a signed copy of the form and evidence to the union and your employer.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Holding a derecognition ballot\n\nWhen employers, workers and the union have tried to reach agreement about derecognition but failed, the Central Arbitration Committee (CAC) will hold a secret ballot.\n\nCAC will write to everyone involved, saying that they intend to hold a ballot to allow workers in the bargaining unit to vote on derecognition.\n\n## How the ballot works\n\nCAC will appoint a qualified independent person (QIP) who will aim to conduct the ballot within 20 working days of their appointment. The CAC may extend this period if necessary.\n\nThe QIP will provide an estimate for the cost of running the ballot. The arrangements for the ballot will be decided by the CAC after consulting the employer and the union.\n\nThe final cost of the ballot will be split equally between the employer and the union.\n\nThe employer and the union must follow the Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition.\n\n## Complain when someone doesn\u2019t co-operate\n\nComplain to CAC any time before the ballot is held if you feel someone isn\u2019t co-operating.\n\nThe union can complain to the CAC if the employer is not fulfilling their duties during the ballot.\n\nCAC will investigate and can issue a \u2018remedial order\u2019 demanding that all duties are carried out properly.\n\nIf that order is ignored CAC can cancel the ballot or declare that the union be derecognised.\n\n## Complain about unfair practices\n\nComplain to the Central Arbitration Committee (CAC) if you feel that another party is using unfair practices to influence the ballot, eg bribery or threats.\n\nTo make a complaint fill in the unfair practices application form and send it to CAC. The address is on the form.\n\nComplaints can be made at any time up to the end of day after the ballot closes.\n\nWhere CAC finds that unfair practices were used they may:\n\n- reschedule the ballot\n\n- cancel the ballot and declare that the union is derecognised\n\n- cancel the ballot and refuse the application for derecognition\n\nThe Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.\n\n## After the ballot\n\nYou\u2019ll usually find out the result of the vote 48 hours after the ballot closes.\n\nFor a union to be derecognised the majority of those voting, and at least 40% of the workers in the bargaining unit, must vote in favour of ending the bargaining arrangements.\n\nThe Central Arbitration Committee (CAC) will declare the union as derecognised or will refuse the application for derecognition.\n\n## Paying for the ballot\n\nThe employer and the union will each receive a demand from the qualified independent person (QIP) for their share of the cost of running the ballot.\n\nThis must be paid in 15 days. If either party wishes to dispute the amount they can appeal to an employment tribunal.\n\n## What you must do\n\nAs an employer, you no longer have to work with a union that\u2019s been derecognised.\n\nYou must continue to work with a union if the CAC have refused the application for derecognition. You cannot reapply for the union to be derecognised for 3 years.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/derecognise-a-union", + "answerable": true, + "scenario": "I am an employer and due to the reduced work force the number of employees represented by the union has reduced to 10. The union is recognized entity by CAC since 2017.", + "original_question": "Can i give notice to CAC to deregister it?" + }, + { + "id": "train-604", + "question": "Scenario: My friend wishes to withdraw from an independent workers union which doesn't represent their grievances and the majority of fellow workers want it to be derecognized.They are no longer interested in it any more.\n\nQuestion: Can he apply for a secret ballot to CAC for derecognition?\n\nDocument - Derecognise a union:\n## Overview\n\nTrade unions can be recognised to represent groups of employees in a company in negotiations over pay, holidays and working conditions through either:\n\n- a voluntary agreement with the employer\n\n- a declaration by the Central Arbitration Committee (CAC).\n\nThree years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.\n\nIf the application is successful, the union will cease to represent the workforce in negotiations with the employer.\n\n## When employers can apply\n\nWhere recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:\n\n- the number of people employed by the company has fallen to less than 21\n\n- workers in the bargaining unit no longer support the union\n\n- the number of union members in the bargaining unit has fallen to below 50%\n\n## When workers can apply\n\nYou can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.\n\nYou can apply to have a non-independent union derecognised if the majority of workers do not support it.\n\n## Employers: reduced workforce\n\nAs an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:\n\n- you\u2019ve employed less than 21 people for a continuous 13-week period\n\n- it is more than 3 years since recognition was declared by the CAC\n\nYou must give written notice to the union asking for the union to be derecognised. Notice must be given within 5 days of the end of the relevant 13-week period.\n\nYour letter must include the following details:\n\n- the specific 13-week period during which you had less than 21 workers\n\n- the number of workers you employed in that time\n\n- the current bargaining arrangements\n\n- the date you want the arrangements to end - this must be at least 35 working days after the request was made\n\nYou must give a copy of the letter to the CAC. The CAC will tell you within 10 days if the notice you gave the union was valid.\n\n## Your notice is valid\n\nThe union will be derecognised and you won\u2019t have to negotiate with them anymore, unless they make an application to the CAC because they believe that:\n\n- the 13-week period was within 3 years of them gaining recognition\n\n- your company employed 21 or more workers during that time\n\n## Your notice isn\u2019t valid\n\nYou must continue with the current collective bargaining arrangements.\n\n## Employers: union loses support\n\nYou can try to get a union derecognised if the workers in the bargaining unit no longer support it and don\u2019t want it to negotiate on their behalf.\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the union, stating:\n\n- that you wish to end the bargaining arrangements because you believe that the union no longer has the support of the workers\n\n- what the current arrangements are\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union agrees to negotiate\n\nIf they reject your request but agree to negotiate, you\u2019ll have another 20 working days to come to an agreement about derecognition.\n\nWithin this period, either side can ask the Advisory, Conciliation and Arbitration Service (Acas) to help with negotiations. You may extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nYou can apply to the Central Arbitration Committee (CAC) to hold a secret ballot of workers to see if they support derecognition.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your supporting documents to CAC. Send a copy to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange a secret ballot of workers if your application is successful.\n\nYou\u2019ll have to continue negotiating with the union if your application fails.\n\n## Employers: union membership is less than 50%\n\nIf the Central Arbitration Committee (CAC) declared recognition without a ballot more than 3 years ago, a union can be derecognised if the level of union membership in the bargaining unit falls below 50%.\n\nApply to the CAC to hold a secret ballot of employees on whether collective bargaining should be ended.\n\nYou can only apply if:\n\n- the CAC declared recognition without a ballot more than 3 years ago\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the unions, stating:\n\n- that fewer than 50% of the workers in the bargaining unit are union members\n\n- what the current bargaining arrangements are, eg how many workers are in the bargaining unit, where they work\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union rejects your request but is willing to negotiate\n\nYou have 10 days to negotiate an agreement about derecognition. You can extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nApply to CAC to hold a secret ballot of workers to see if they support derecognition.\n\nYou can\u2019t apply if there have been any applications to CAC for an end to bargaining arrangements in the previous 3 years.\n\nProvide evidence (eg letters supporting your application, workplace surveys) that less than 50% of the bargaining unit are union members.\n\nSend the completed form and your supporting documents to CAC. You must send copies of the form and evidence to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange for a secret ballot of the workers to be held if your application is successful.\n\nYou will have to continue negotiating with the union if your application fails.\n\n## Workers: union loses support\n\nYou can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your evidence to both the union and the CAC.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs information to support your application, eg evidence of levels of union support.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Workers: derecognise a non-independent union\n\nAn employee or group of workers can apply to the Central Arbitration Committee (CAC) to derecognise a non-independent union that the employer recognised voluntarily.\n\nA non-independent union represents employees but has not been given a certificate of independence by the Certification Officer. You can check this on the Certification Officer\u2019s website.\n\nYou can apply any time after the union has been recognised by the employer.\n\n## Apply for a secret ballot\n\nApply to CAC to hold a secret ballot of workers to find out if they want the union derecognsied.\n\nThe form must be completed and signed by an employee in the bargaining unit.\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of employees in the bargaining are likely to favour an end to the bargaining arrangements\n\nSend the completed form plus your documents to CAC. Send a signed copy of the form and evidence to the union and your employer.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Holding a derecognition ballot\n\nWhen employers, workers and the union have tried to reach agreement about derecognition but failed, the Central Arbitration Committee (CAC) will hold a secret ballot.\n\nCAC will write to everyone involved, saying that they intend to hold a ballot to allow workers in the bargaining unit to vote on derecognition.\n\n## How the ballot works\n\nCAC will appoint a qualified independent person (QIP) who will aim to conduct the ballot within 20 working days of their appointment. The CAC may extend this period if necessary.\n\nThe QIP will provide an estimate for the cost of running the ballot. The arrangements for the ballot will be decided by the CAC after consulting the employer and the union.\n\nThe final cost of the ballot will be split equally between the employer and the union.\n\nThe employer and the union must follow the Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition.\n\n## Complain when someone doesn\u2019t co-operate\n\nComplain to CAC any time before the ballot is held if you feel someone isn\u2019t co-operating.\n\nThe union can complain to the CAC if the employer is not fulfilling their duties during the ballot.\n\nCAC will investigate and can issue a \u2018remedial order\u2019 demanding that all duties are carried out properly.\n\nIf that order is ignored CAC can cancel the ballot or declare that the union be derecognised.\n\n## Complain about unfair practices\n\nComplain to the Central Arbitration Committee (CAC) if you feel that another party is using unfair practices to influence the ballot, eg bribery or threats.\n\nTo make a complaint fill in the unfair practices application form and send it to CAC. The address is on the form.\n\nComplaints can be made at any time up to the end of day after the ballot closes.\n\nWhere CAC finds that unfair practices were used they may:\n\n- reschedule the ballot\n\n- cancel the ballot and declare that the union is derecognised\n\n- cancel the ballot and refuse the application for derecognition\n\nThe Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.\n\n## After the ballot\n\nYou\u2019ll usually find out the result of the vote 48 hours after the ballot closes.\n\nFor a union to be derecognised the majority of those voting, and at least 40% of the workers in the bargaining unit, must vote in favour of ending the bargaining arrangements.\n\nThe Central Arbitration Committee (CAC) will declare the union as derecognised or will refuse the application for derecognition.\n\n## Paying for the ballot\n\nThe employer and the union will each receive a demand from the qualified independent person (QIP) for their share of the cost of running the ballot.\n\nThis must be paid in 15 days. If either party wishes to dispute the amount they can appeal to an employment tribunal.\n\n## What you must do\n\nAs an employer, you no longer have to work with a union that\u2019s been derecognised.\n\nYou must continue to work with a union if the CAC have refused the application for derecognition. You cannot reapply for the union to be derecognised for 3 years.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/derecognise-a-union", + "answerable": true, + "scenario": "My friend wishes to withdraw from an independent workers union which doesn't represent their grievances and the majority of fellow workers want it to be derecognized.They are no longer interested in it any more.", + "original_question": "Can he apply for a secret ballot to CAC for derecognition?" + }, + { + "id": "train-605", + "question": "Scenario: I am going to be taking a sabbatical from work in 3 months and will then be working and living abroad outside of the EU for 12 months on less pay before returning to my job at the UK\n\nQuestion: Will I still need to make payments if my salary equivalent in GBP is below the threshold?\n\nDocument - Repaying your student loan:\n## Overview\n\nYou need to pay back:\n\n- Tuition Fee Loans\n\n- Maintenance Loans\n\n- Postgraduate Loans\n\nYou do not need to pay back other student finance, for example grants and bursaries, unless you\u2019ve been paid too much.\n\nYou still have to repay your student loan if you leave your course early.\n\nWhen you start repaying your loan and how much you pay depends on which repayment plan you\u2019re on.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## How to repay\n\nHow you repay your loan depends on whether you\u2019re employed or self-employed.\n\nYou can make extra repayments in your online repayment account and by card, bank transfer or cheque.\n\nKeep your payslips and P60 for your records - you\u2019ll need them if you want to get a refund.\n\n## Sign in\n\nSign in to your student loan repayment account if you already have one.\n\n## Repaying during the coronavirus (COVID-19) outbreak\n\nRead the guidance about repaying your student loan for more information on:\n\n- changes in your income\n\n- refunds\n\n- interest on your loan balance\n\n## Which repayment plan you're on\n\nWhen you start repaying your loan and how much you repay depends on your repayment plan.\n\nThere are 4 plans:\n\n- Plan 1\n\n- Plan 2\n\n- Plan 4\n\n- Postgraduate Loan\n\nYou cannot choose the repayment plan you\u2019re on. If you have more than one loan, they could be on different plans.\n\n## Plan 1\n\nYou\u2019re on Plan 1 if you\u2019re:\n\n- an English or Welsh student who started an undergraduate course anywhere in the UK before 1 September 2012\n\n- a Northern Irish student who started an undergraduate or postgraduate course anywhere in the UK on or after 1 September 1998\n\n- an EU student who started an undergraduate course in England or Wales on or after 1 September 1998, but before 1 September 2012\n\n- an EU student who started an undergraduate or postgraduate course in Northern Ireland on or after 1 September 1998\n\n## Plan 2\n\nYou\u2019re on Plan 2 if you\u2019re:\n\n- an English or Welsh student who started an undergraduate course anywhere in the UK on or after 1 September 2012\n\n- an EU student who started an undergraduate course in England or Wales on or after 1 September 2012\n\n- someone who took out an Advanced Learner Loan on or after 1 August 2013\n\n## Plan 4\n\nYou\u2019re on Plan 4 if you\u2019re:\n\n- a Scottish student who started an undergraduate or postgraduate course anywhere in the UK on or after 1 September 1998\n\n- an EU student who started an undergraduate or postgraduate course in Scotland on or after 1 September 1998\n\n## Postgraduate Loan\n\nYou\u2019re on a Postgraduate Loan repayment plan if you\u2019re:\n\n- an English or Welsh student who took out a Postgraduate Master\u2019s Loan on or after 1 August 2016\n\n- an English or Welsh student who took out a Postgraduate Doctoral Loan on or after 1 August 2018\n\n- an EU student who started a postgraduate course on or after 1 August 2016\n\n## When you start repaying\n\nYou\u2019ll only repay your student loan when your income is over the threshold amount for your repayment plan. The threshold amounts change on 6 April every year.\n\nThe earliest you\u2019ll start repaying is either:\n\n- the April after you leave your course\n\n- the April 4 years after the course started, if you\u2019re studying part-time\n\nYour repayments automatically stop if either:\n\n- you stop working\n\n- your income goes below the threshold\n\n## If you have a Plan 1 student loan\n\nYou\u2019ll only repay when your income is over \u00a3382 a week, \u00a31,657 a month or \u00a319,895 a year (before tax and other deductions).\n\n## If you have a Plan 2 student loan\n\nYou\u2019ll only repay when your income is over \u00a3524 a week, \u00a32,274 a month or \u00a327,295 a year (before tax and other deductions).\n\n## If you have a Plan 4 student loan\n\nYou\u2019ll only repay when your income is over \u00a3480 a week, \u00a32,083 a month or \u00a325,000 a year (before tax and other deductions).\n\n## If you\u2019re on a Postgraduate Loan repayment plan\n\nIf you took out a Master\u2019s Loan or a Doctoral Loan, you\u2019ll only repay when your income is over \u00a3403 a week, \u00a31,750 a month or \u00a321,000 a year (before tax and other deductions).\n\n## Early repayments\n\nThere\u2019s no penalty for paying some or all of your loan off early.\n\n## How much you repay\n\nHow much you repay depends on which plan you\u2019re on.\n\nEach plan has a threshold for your weekly or monthly income. You repay:\n\n- 9% of the amount you earn over the threshold for plans 1, 2 and 4\n\n- 6% of the amount you earn over the threshold for the Postgraduate Loan\n\nYou do not pay anything back if your income is under the threshold.\n\nInterest starts being added to your loan from when you get your first payment.\n\n## Plan 1\n\nThe thresholds are \u00a3382 a week or \u00a31,657 a month (before tax and other deductions).\n\n## Interest on Plan 1\n\nYou currently pay interest of 1.1% on Plan 1. You can find out how the interest is calculated and interest rates for previous years.\n\n## Plan 2\n\nThe thresholds are \u00a3524 a week or \u00a32,274 a month (before tax and other deductions). They change on 6 April every year.\n\n## Interest on Plan 2\n\nWhile you\u2019re studying, interest is 5.6%.\n\nThis is made up of the Retail Price Index (RPI) plus 3%. RPI is currently set at 2.6%.\n\nThis rate applies until the 5 April after you finish or leave your course, or for the first 4 years of your course if you\u2019re studying part-time, unless the RPI changes.\n\nAfter that, your interest rate depends on your income in the current tax year.\n\nIf you\u2019re self-employed, your income is the total income amount on your Self-Assessment form.\n\nIf you\u2019re an employee, your income is your taxable pay:\n\n- plus any pension contributions\n\n- minus any benefits you get from your employer that are taxed through payroll (ask your employer if you\u2019re not sure)\n\nIf you have more than one job in a year, your interest rate will be based on your combined income from all your jobs.\n\n| Your annual income | Interest rate |\n\n| \u00a327,295 or less | RPI (currently 2.6%) |\n\n| \u00a327,296 to \u00a349,130 | RPI (currently 2.6%), plus up to 3% |\n\n| Over \u00a349,130 | RPI (currently 2.6%), plus 3% |\n\nYou must keep your contact details up to date in your online account and give the Student Loans Company (SLC) evidence if they ask for it. If you do not, you may be charged the higher interest rate even if your income is lower.\n\nYou can find out how the interest is calculated and interest rates for previous years.\n\n## If you have Plan 1 and Plan 2 loans\n\nYou pay back 9% of your income over the Plan 1 threshold (\u00a3382 a week or \u00a31,657 a month).\n\nIf your income is under the Plan 2 threshold (\u00a3524 a week or \u00a32,274 a month), your repayments only go towards your Plan 1 loan.\n\nIf your income is over the Plan 2 threshold, your repayments go towards both your loans.\n\n## Plan 4\n\nThe thresholds are \u00a3480 a week or \u00a32,083 a month (before tax and other deductions).\n\n## Interest on Plan 4\n\nYou currently pay interest of 1.1% on Plan 4. You can find out how the interest is calculated and interest rates for previous years.\n\n## If you have a Plan 4 loan and a Plan 1 loan\n\nYou pay back 9% of your income over the Plan 1 threshold (\u00a3382 a week or \u00a31,657 a month).\n\nIf your income is under the Plan 4 threshold (\u00a3480 a week or \u00a32,083 a month), your repayments only go towards your Plan 1 loan.\n\nIf your income is over the Plan 4 threshold, your repayments go towards both your loans.\n\n## If you have a Plan 4 loan and a Plan 2 loan\n\nYou pay back 9% of your income over the Plan 4 threshold (\u00a3480 a week or \u00a32,083 a month).\n\nIf your income is under the Plan 2 threshold (\u00a3524 a week or \u00a32,274 a month), your repayments only go towards your Plan 4 loan.\n\nIf your income is over the Plan 2 threshold, your repayments go towards both your loans.\n\n## Postgraduate Loan\n\nThe thresholds are \u00a3403 a week or \u00a31,750 a month (before tax and other deductions).\n\n## Interest on Postgraduate Loan\n\nYou currently pay interest of 5.6% on Postgraduate Loans.\n\nThe interest is made up of the Retail Price Index (RPI), plus 3%. RPI is currently set at 2.6%.\n\nYou can find out how the interest is calculated and interest rates for previous years.\n\n## If you have a Postgraduate Loan and a Plan 1, Plan 2 or Plan 4 loan\n\nYou pay back 6% of your income over the Postgraduate Loan threshold (\u00a3403 a week or \u00a31,750 a month). In addition, you\u2019ll pay back 9% of your income over the Plan 1, Plan 2 or Plan 4 threshold.\n\n## If your income changes during the year\n\nYou can ask for a refund if you make repayments but your total annual income (from 6 April to 5 April the following year) is less than:\n\n- \u00a319,895 a year for Plan 1\n\n- \u00a327,295 a year for Plan 2\n\n- \u00a325,000 a year for Plan 4\n\n- \u00a321,000 for Postgraduate Loans\n\n## If you have 2 or more jobs\n\nIf you\u2019re employed, your repayments will be taken out of your salary. The repayments will be from the jobs where you earn over the minimum amount, not your combined income.\n\n## If you need to send a Self Assessment tax return\n\nHM Revenue and Customs (HMRC) will work out how much you repay from your tax return. Your repayments are based on your income for the whole year. If you\u2019ve already made repayments from a salary, HMRC will deduct them from the amount you have to repay.\n\n## How to repay\n\nYour repayments will be taken out of your salary at the same time as tax and National Insurance if you\u2019re an employee. Your payslips will show how much has been deducted. You may need to tell your employer which repayment plan you\u2019re on.\n\nYou start repaying when your income is more than the minimum amount.\n\nThere\u2019s no penalty if you make extra repayments to pay some or all of your loan off early.\n\n## If you\u2019re self-employed\n\nHM Revenue and Customs (HMRC) will work out how much you pay from your tax return. You pay at the same time as you pay your tax.\n\n## If you\u2019re an employee and you do a tax return\n\nIf you earn over the minimum amount, your employer will deduct loan repayments from your salary.\n\nCheck your payslips or P60 to see how much of your loan you\u2019ve paid off during the tax year. You\u2019ll need to include this information when you fill in your tax return.\n\nThe tax year runs from 6 April to 5 April the following year.\n\n## If you leave the UK for more than 3 months\n\nYou will need to tell the Student Loans Company (SLC). They will work out if you have to repay while you\u2019re not in the UK and if so, how much you need to pay.\n\nThe rules for repayment are the same as in the UK, apart from different repayment thresholds for each country.\n\nIf you\u2019re abroad, your repayment amounts are based on:\n\n- the minimum amount under Plan 1 for that country\n\n- the minimum amount under Plan 2 for that country\n\n- the minimum amount under Plan 4 for that country\n\n- the minimum amount under the Postgraduate Loan plan for that country\n\nOnce SLC have told you how much you need to repay, you can make repayments:\n\n- through your online account\n\n- by International Bank Transfer (IBAN)\n\n## Online account\n\nSign in to your online account to:\n\n- make a repayment using an international debit card\n\n- set up a direct debit\n\nYou can also use your online account to update your contact details and make extra repayments.\n\n## International Bank Transfer\n\nTo transfer money from a non-UK bank account, use the following details:\n\nIBAN: GB37NWBK60708010027254\nSWIFT: NWBKGB2L\nNatWest Government Banking Team\nNatWest Customer Service Centre\nBrampton Road\nNewcastle-under-Lyme\nStaffordshire\nST5 0QX\n\nUse one of these as your reference:\n\n- customer reference number\n\n- grant reference number (if it\u2019s for a grant repayment)\n\n## Checking your repayments\n\nYou can check your repayments and balance in your:\n\n- annual statements from SLC\n\n- online account\n\nIf your contact details change, you must update them in your online account.\n\n## Avoid paying more than you owe\n\nIf you have nearly repaid your loan, you may be able to make your final repayments by direct debit instead of from your salary.\n\nThis makes sure your employer will not accidentally take more than you owe.\n\nSLC will contact you in the final year of your loan repayments to let you know how to set up a direct debit.\n\nKeep your contact details up to date.\n\n## Make extra repayments\n\nYou can choose to make extra repayments towards your student loan. These are in addition to the repayments you must make when your income is over the threshold amount for your repayment plan.\n\nYou should only make extra repayments if you think you can pay off the full balance before the loan term ends. This is because your loan will be written off at the end of the term.\n\nThere\u2019s no penalty if you make extra repayments but they are not refundable.\n\nSpeak to a financial adviser if you\u2019re unsure whether you should make extra repayments or not.\n\nIf you decide to make an extra repayment, you can choose how it is applied to your loan. For example, you can use it to reduce the total balance of your loan or to reduce the balance of a specific plan (if you have more than one plan).\n\nIf you do not choose how the repayment is applied, the Student Loans Company (SLC) will decide how it\u2019s applied for you.\n\nIf you\u2019re a full time student from Wales, you may be able to get \u00a31,500 of your Maintenance Loan written off.\n\n## Make a repayment without signing into an account\n\nYou can make a card repayment towards your loan or someone else\u2019s without signing into an online account.\n\nYou need the person\u2019s surname and customer reference number.\n\n## Make extra repayments from the UK\n\nYou can make extra repayments:\n\n- through your online account\n\n- by bank transfer\n\n- by cheque\n\n## Online account\n\nSign in to your online account to:\n\n- make a repayment using a debit card\n\n- set up a direct debit\n\n## Bank transfer\n\nTo make a bank transfer or set-up a standing order from a UK bank account you must use the following bank details:\n\nAccount name: Student Loans Company\nSort code: 60 70 80\nAccount number: 10027254\n\nUse one of these as your reference:\n\n- customer reference number\n\n- grant reference number (if it\u2019s for a grant repayment)\n\n## Cheque\n\nTo pay by cheque make your cheque payable to Student Loans Company Ltd and write the customer reference number on the back.\n\nIt is taking longer than usual to process cheques because of coronavirus (COVID-19). Your cheque will be backdated and you will not build up additional interest because of the delay.\n\n## Make extra repayments from overseas\n\nYou can make extra repayments:\n\n- through your online account\n\n- by International Bank Transfer (IBAN)\n\n## Online account\n\nSign in to your online account to:\n\n- make a repayment using an international debit card\n\n- set up a direct debit\n\n## International Bank Transfer\n\nTo transfer money from a non-UK bank account, use the following details:\n\nIBAN: GB37NWBK60708010027254\nSWIFT: NWBKGB2L\nNatWest Government Banking Team\nNatWest Customer Service Centre\nBrampton Road\nNewcastle-under-Lyme\nStaffordshire\nST5 0QX\n\nUse one of these as your reference:\n\n- customer reference number\n\n- grant reference number (if it\u2019s for a grant repayment)\n\n## Pay your loan off in full\n\nCall or contact SLC on social media to find out:\n\n- the total amount you owe (this is called the \u2018settlement amount\u2019)\n\n- the date you need to pay by (this is called the \u2018settlement date\u2019)\n\nYou\u2019ll need your latest payslip if you\u2019re employed.\n\nOnce you know the total you owe, you can pay by debit card over the phone, bank transfer or cheque.\n\nIf you do not pay the settlement amount by the settlement date, you\u2019ll need to contact SLC again. This is because the amount you owe might have changed. You\u2019ll only need to provide any recent payslips or calculations since you last called.\n\n## Getting a refund\n\nYou can ask for a refund if:\n\n- you\u2019ve paid more than the total amount you owe\n\n- your annual income was below the threshold\n\n- you started making repayments before you needed to\n\nYou cannot get a refund for extra repayments.\n\n## If you pay back more than you owe\n\nHM Revenue and Customs (HMRC) will tell your employer to stop taking repayments from your salary when you have repaid your loan in full. It can take around 4 weeks for salary deductions to stop.\n\nThis means you may pay back more than you owe.\n\nYou can avoid paying more than you owe by changing your payments to direct debit in the final year of your repayments. Keep your contact details up to date so SLC can let you know how to set this up.\n\nIf you have paid too much the Student Loans Company (SLC) will try to:\n\n- contact you to tell you how to get a refund\n\n- refund you automatically (this will appear in your bank account as \u2018SLC Receipts\u2019)\n\nYou can check your loan balance in your online account.\n\nIf you\u2019ve overpaid and have not heard from SLC you can ask them for a refund.\n\n## If your annual income was below the threshold\n\nYou can ask for a refund if you made repayments but your income over the whole tax year (6 April to 5 April the following year) was less than:\n\n- \u00a319,895 a year for Plan 1\n\n- \u00a327,295 a year for Plan 2\n\n- \u00a325,000 a year for Plan 4\n\n- \u00a321,000 a year for Postgraduate Loan\n\nIf your annual salary is less than this, your employer may still deduct repayments - for example if you get paid a bonus or overtime.\n\nIf you\u2019re repaying a Plan 1, Plan 2 and Plan 4 loan, you can only get a refund if your income was less than \u00a319,895.\n\nYou can check previous thresholds if you ask about a refund on repayments made before this tax year.\n\n## If you started repaying before you needed to\n\nIf a deduction is taken from your salary before you\u2019re due to start repaying, you can ask for a refund.\n\n## How to ask for a refund\n\nCall or contact SLC on social media with your customer reference number.\n\nYou can contact SLC by post.\n\n## When your student loan gets written off or cancelled\n\nWhen your student loan gets written off depends on which repayment plan you\u2019re on.\n\nIf you\u2019re a full time student from Wales, you may be able to get \u00a31,500 of your Maintenance Loan written off.\n\n## When Plan 1 loans get written off\n\nWhen your Plan 1 loan gets written off depends on when you took out the loan.\n\n| Academic year you took out the loan | When the loan\u2019s written off |\n\n| 2005 to 2006, or earlier | When you\u2019re 65 |\n\n| 2006 to 2007, or later | 25 years after the April you were first due to repay |\n\n## When Plan 2 loans get written off\n\nPlan 2 loans are written off 30 years after the April you were first due to repay.\n\n## When Plan 4 loans get written off\n\n| Academic year you took out the loan | When the loan\u2019s written off |\n\n| 2006 to 2007, or earlier | When you\u2019re 65, or 30 years after the April you were first due to repay - whichever comes first |\n\n| 2007 to 2008, or later | 30 years after the April you were first due to repay |\n\n## When Postgraduate Loans get written off\n\nIf you\u2019re a student from England or Wales, your Postgraduate Loan will be written off 30 years after the April you were first due to repay.\n\nIf you\u2019re a postgraduate student from Northern Ireland, you\u2019re on Plan 1.\n\nIf you\u2019re a postgraduate student from Scotland, you\u2019re on Plan 4.\n\n## If someone with a student loan dies\n\nThe Student Loans Company (SLC) will cancel the person\u2019s student loan.\n\nYou need to let SLC know that the person has died and provide evidence (for example an original death certificate), as well as the person\u2019s Customer Reference Number.\n\n## If you can no longer work because of illness or disability\n\nSLC may be able to cancel your loan if you claim certain disability benefits. You\u2019ll need to provide evidence (for example a letter from the benefits agency) and your Customer Reference Number.\n\n## Update your employment details\n\nYou need to update your details if you:\n\n- leave the UK for more than 3 months\n\n- start a new job or become self-employed\n\n- stop working\n\n- get a letter or email from the Student Loans Company (SLC) asking you to update your employment details\n\nSLC use these details to work out if you should be repaying your loan.\n\nYou might get a higher interest rate if you do not update your details.\n\nStart now", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/repaying-your-student-loan", + "answerable": true, + "scenario": "I am going to be taking a sabbatical from work in 3 months and will then be working and living abroad outside of the EU for 12 months on less pay before returning to my job at the UK", + "original_question": "Will I still need to make payments if my salary equivalent in GBP is below the threshold?" + }, + { + "id": "train-607", + "question": "Scenario: I am considering listing my first employment opportunity for an administrator. I am unsure how to go about creating a job opening.\n\nQuestion: Is there any advice to be had over creating a job opportunity?\n\nDocument - Jobcentre Plus help for recruiters:\n## Overview\n\nJobcentre Plus has a range of recruitment services that can help you as an employer. You could get:\n\n- recruitment advice, including specialist support for businesses\n\n- help setting up work trials to give you the opportunity to try out potential recruits\n\n- advice about offering work experience and apprenticeships\n\n- support from other employment schemes including sector-based training and recruitment, and business mentoring\n\n- support if you employ someone with a disability\u00a0(Access to Work)\n\n- advice and guidance on employing someone with a disability or health condition\n\nYou can also advertise a job with the \u2018Find a job\u2019 service (previously Universal Jobmatch).\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Recruitment advice and support\n\nContact the Employer Services Line for advice about recruiting for your business.\n\nIt can put you in touch with local \u2018employer advisors\u2019 if you need specific and practical advice. Employer advisors understand the local labour market and can help you:\n\n- design and word job vacancies\n\n- develop pre-employment training (specific to a job)\n\n- recruit in new and fair ways (such as offering flexible working patterns)\n\n- access Jobcentre Plus office facilities for recruitment (where available)\n\n- give your existing employees the chance to mentor people who want to work\n\n- get advice and support if you need to make redundancies\n\nThe Employer Services Line can also give general advice about recruitment.\n\n## Work trials\n\nA work trial is a short period in work you can offer to a jobseeker on benefits. It\u2019s a way for you both to see if the job is a good fit.\n\nIt happens after you\u2019ve interviewed them for a specific role. If they\u2019re not suitable for it, you do not need to offer it to them.\n\nJobseekers volunteer for a work trial. They keep getting their benefits whilst they\u2019re on it and are not paid a wage.\n\n## Eligibility\n\nThe work trial must:\n\n- only be used as a way for you and the potential employee to decide if they\u2019re right for the role\n\n- be for a job where the jobseeker is the only person you\u2019re considering hiring\n\n- be for a job which is at least 16 hours a week for at least 13 weeks\n\nYou need to agree the length of the work trial with the jobseeker before it starts. It must:\n\n- end when you\u2019re sure about whether the jobseeker is suitable for the role\n\n- last no more than 5 days if the job is for less than 6 months\n\n- last no more than 30 days (and usually around 5 days) for jobs lasting 6 months or more\n\nThe work trial can be longer than 30 days if the jobseeker needs more time to adjust to being back at work. This needs to be agreed before the work trial starts.\n\nJobcentre Plus will check that the employee has volunteered for the trial and that it meets the eligibility criteria.\n\n## How to carry out a work trial\n\nYou need to agree a work trial with Jobcentre Plus before you offer it to a jobseeker.\n\nCall the Employer Services Line to find out more.\n\n## Work experience and apprenticeships\n\n## Work experience\n\nWork experience is available to:\n\n- all 18 to 24 year olds\n\n- people aged 25 and over who do not have any recent work history\n\nIf you offer a young person work experience you\u2019ll be helping to give them a better chance of finding work.\n\nRead the work experience guidance for employers to find out what\u2019s expected of you.\n\nCall the Employer Services Line if you want help to become a work experience host.\n\n## Apprenticeships\n\nThese are organised through the National Apprenticeship Service and often follow a period of work experience. They combine practical training with study.\n\nIf you take on an apprentice, you can get funding to train them. You might also be able to get an apprenticeship grant if you run a small or medium-sized business.\n\nApprenticeships are different in Scotland, Wales and Northern Ireland.\n\n## Other employment schemes\n\nJobcentre Plus employment schemes can help you to recruit people as well as creating opportunities for people looking for work.\n\n## New Enterprise Allowance\n\nThis provides Jobcentre Plus claimants with mentoring and financial support to help start their own business. You can contact the provider in your area if you want to become a mentor.\n\n## Sector-based work academy programme\n\nThe sector-based work academy programme provides training, work experience and a guaranteed job interview. It can help you fill your vacancies more effectively.\n\nThe sector-based work academy programme is only available in England and Scotland.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "answerable": true, + "scenario": "I am considering listing my first employment opportunity for an administrator. I am unsure how to go about creating a job opening.", + "original_question": "Is there any advice to be had over creating a job opportunity?" + }, + { + "id": "train-609", + "question": "Scenario: I am due to make payments for Statutory Parental Bereavement. I am struggling to meet the current \u00a3151.97 per week due to cashflow issues.\n\nQuestion: Is there any help I can receive to pay this?\n\nDocument - Statutory Parental Bereavement Pay and Leave: employer guide:\n## Overview\n\nAn employee may be eligible for Parental Bereavement Leave and Statutory Parental Bereavement Pay if they or their partner either:\n\n- has a child who has died under 18 years old\n\n- had a stillbirth after 24 weeks of pregnancy\n\nThe death or stillbirth must have happened on or after 6 April 2020.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Statutory Parental Bereavement Leave\n\nAn employee can take 2 weeks\u2019 leave from the first day of their employment for each child who has died or was stillborn.\n\nThey can choose to take:\n\n- 2 weeks together\n\n- 2 separate weeks of leave\n\n- only one week of leave\n\nThe leave:\n\n- can start on or after the date of the death or stillbirth\n\n- must finish within 56 weeks of the date of the death or stillbirth\n\n## Taking leave with other types of statutory leave\n\nIf the employee was on another type of statutory leave when the death or stillbirth happened, Parental Bereavement Leave must start after that other leave has ended. This includes if the statutory leave is for another child.\n\nIf an employee\u2019s Parental Bereavement Leave is interrupted by the start of another type of statutory leave, they can take their remaining entitlement to Parental Bereavement Leave after that other leave has ended.\n\nThe remaining Parental Bereavement Leave must still be taken within 56 weeks of the date of death or stillbirth.\n\nParental Bereavement Leave can be taken between blocks of shared parental leave which had already been booked when the child died, even if the shared parental leave is for another child.\n\n## Statutory Parental Bereavement Pay\n\nStatutory Parental Bereavement Pay for an eligible employee is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s Statutory Parental Bereavement Pay using Basic PAYE tools or guidance on manual calculation.\n\nSome employment types, like agency workers, directors and educational workers, have different rules for entitlement.\n\n## Extra leave or pay\n\nYour company can offer more leave and pay but you can only recover 2 weeks\u2019 payment for each employee and for each death.\n\nYou should make sure your Parental Bereavement Leave and Statutory Parental Bereavement Pay policies are clear and easily accessible to staff.\n\n## Employment rights\n\nAn employee\u2019s rights (like the right to pay rises, holidays and returning to a job) are protected during Parental Bereavement Leave.\n\nYou still have to pay Statutory Parental Bereavement Pay even if you stop trading.\n\n## Eligibility\n\nTo qualify for Parental Bereavement Leave and Statutory Parental Bereavement Pay, an employee must meet the criteria both as a parent (including if they had day to day responsibility) and an employee. They might not be eligible for both.\n\n## If the employee was the child\u2019s parent or the parent\u2019s partner\n\nAn employee will be eligible if, at the time of the child\u2019s death or stillbirth, they were:\n\n- the child\u2019s or baby\u2019s parent - either biological, adoptive or parent of a child born to a surrogate\n\n- the partner of the child\u2019s or baby\u2019s parent\n\nBiological parents are not eligible once an adoption or parental order has been made unless there was a contact order in place after the adoption.\n\n## If the employee was not the child\u2019s parent but had day to day responsibility for the child\n\nAn employee may be eligible if they or their partner had:\n\n- the child or baby living with them at their home for 4 continuous weeks, ending with the date of the death\n\n- day to day responsibility for the child or baby\u2019s care during that time\n\nIf the employee or their partner was paid to look after the child, they\u2019re not entitled to leave or pay unless they were:\n\n- a foster parent paid a fee or allowance by a local authority\n\n- reimbursed for expenses to do with the care of the child or baby\n\n- getting payments under the terms of a will or trust for the child or baby\u2019s care\n\nAn employee is not eligible if one of the child or baby\u2019s parents or someone who had parental responsibility (parental responsibilities in Scotland) for the child was also living in the household.\n\n## If the employee was an adoptive parent\n\nIf they or their partner was an adoptive parent, an employee is eligible:\n\n- after the adoption order was granted\n\n- before the adoption order was granted, if the child was placed with them for adoption and the placement was not disrupted (for example, being temporarily placed elsewhere) or stopped\n\n## If the employee was an adoptive parent of a child from outside the United Kingdom\n\nIf the employee or their partner was adopting a child from outside the United Kingdom and the court order had not yet been made, they may still be eligible. Both of the following must apply:\n\n- the child was living with them after entering Great Britain\n\n- they have the \u2018official notification\u2019 confirming they were allowed to adopt\n\n## If the employee had a baby with the help of a surrogate parent\n\nIf they or their partner were a parent of a child born to a surrogate, an employee is eligible:\n\n- after a parental order was made\n\n- before a parental order was made if they had applied or intended to apply for a parental order within 6 months of the child\u2019s birth and expected it to be granted\n\n## Parental Bereavement Leave\n\nTo get Parental Bereavement Leave, the employee must also:\n\n- be classed as an employee - it does not matter how long they\u2019ve worked for you\n\n- give you the correct notice for Parental Bereavement Leave\n\n## Statutory Parental Bereavement Pay\n\nTo get Statutory Parental Bereavement Pay, the employee must have been continuously employed by you for at least 26 weeks up to the end of the \u2018relevant week\u2019. The \u2018relevant week\u2019 is the week (ending with a Saturday) immediately before the week of the death or stillbirth.\n\nThey must also:\n\n- remain employed by you up to the day the child dies or is stillborn\n\n- earn on average \u00a3120 a week (gross)\n\n- give you the correct notice for Statutory Parental Bereavement Pay\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the guidance on manual calculation to check entitlement and to work out the relevant week.\n\nThere are special rules for some employee situations, for example if they leave or become sick.\n\n## Notice period\n\nAn employee must give notice for Parental Bereavement Leave as well as evidence for Statutory Parental Bereavement Pay.\n\n## Parental Bereavement Leave\n\nAn employee has 56 weeks to take Parental Bereavement Leave. This starts from the date of the child\u2019s death.\n\nThe 56 weeks is split into 2 periods:\n\n- from the date of the death or stillbirth to 8 weeks after\n\n- 9 to 56 weeks after the date of the death or stillbirth\n\nThey can take 2 weeks\u2019 leave in one block or as 2 separate blocks of one week.\n\nYou must get notice from the employee before they take Parental Bereavement Leave. How much notice depends on when they\u2019re taking leave.\n\n## 0 to 8 weeks after the child\u2019s death or stillbirth\n\nAn employee must give you notice before the time they would normally start work on the first day of the period they want to take off work.\n\n## 9 to 56 weeks after the child\u2019s death or stillbirth\n\nAn employee must give you at least one week\u2019s notice before the start of the week or weeks they want to take off work.\n\n## How employees should give you notice\n\nThey should tell you:\n\n- the date of the child\u2019s death or stillbirth\n\n- when they want their Parental Bereavement Leave to begin\n\n- how much leave they are taking - either 1 or 2 weeks\n\nAn employee can give you notice informally, for example by phone, text message or email.\n\nYou cannot ask for:\n\n- notice for leave in writing (such as following up with an email, letter or form)\n\n- notice to cancel leave in writing\n\n- evidence of entitlement for leave\n\n- details about the employee\u2019s relationship to the child or baby\n\n## Cancelling Parental Bereavement Leave\n\nAn employee can cancel their Parental Bereavement Leave if they\u2019ve given you more than the required notice for taking leave.\n\nIf they were starting the leave within 8 weeks of the death or stillbirth, they must let you know about the cancellation no later than the time they would normally start work on the first day of planned leave.\n\nIf they were starting the leave 9 weeks or later after the death or stillbirth, they must let you know no later than one week before the start of the planned leave.\n\nThey can rebook another week\u2019s leave if they cancel before the leave was due to start and they give you the correct notice.\n\n## Statutory Parental Bereavement Pay\n\nAn employee must ask for Statutory Parental Bereavement Pay within 28 days, starting with the first day of the week they want to claim pay for.\n\nThey must give you in writing (for example, a letter or email) each time:\n\n- the dates of the period the want to claim Statutory Parental Bereavement Pay\n\n- their name\n\n- the date of the child\u2019s death or stillbirth\n\nThe employee will also need to give you a self declaration to confirm they are eligible because of their relationship to the child or baby - they only need to provide this once when they first ask for pay.\n\n## Cancelling Statutory Parental Bereavement Pay\n\nAn employee can cancel their Statutory Parental Bereavement Pay if they\u2019ve given you more than the required notice for claiming pay.\n\nIf their pay was due to start within 8 weeks of the child\u2019s death or stillbirth, they must give you notice on the first day of the week of pay they want to cancel.\n\nIf their pay was due to start 9 weeks or later after the child\u2019s death or stillbirth, they must tell you they want to cancel one week before their pay was due to start.\n\n## Non-payment form\n\nYou can refuse Statutory Parental Bereavement Pay if the employee does not qualify.\n\nTo do this, send them a completed non-payment form (SPBP1) or your own equivalent form within 28 days of their pay request with evidence. You should keep a record of the week which was refused and the reason why.\n\nIf an employee is unhappy with your decision, they can contact the HMRC Statutory Payments Disputes Team. They must do this within 6 months of the start date of the Statutory Parental Bereavement Pay period they claimed.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the start date for any period Statutory Parental Bereavement Pay was paid\n\n- the payments you\u2019ve made (including dates)\n\n- a copy of the evidence of entitlement from the employee for Statutory Parental Bereavement Pay including their written declaration, name and date of the child\u2019s death or stillbirth\n\n- details of any weeks the employee claimed Statutory Parental Bereavement Pay but you did not pay and the reason why\n\nYou must keep records for 3 years from the end of the tax year they relate to.\n\nYou can use HMRC\u2019s record keeping form (SPBP2) or your own.\n\n## Get help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments\n\n- apply for an advance if you cannot afford payments\n\n## Apply for an advance if you cannot afford payments\n\nYou can apply online for an advance to pay for an employee\u2019s Statutory Parental Bereavement Pay.\n\nBefore you start, you\u2019ll need:\n\n- your employer PAYE reference\n\n- your payment or account office reference numbers - this is on the letter when you first registered as an employer\n\n- the amount of tax or National Insurance owed to HM Revenue and Customs (HMRC)\n\n- bank or building society details for you or the third party it\u2019s being paid to\n\n- a completed R38 form if the advance is being paid to a third party\n\nYou\u2019ll also need information about the employee including their:\n\n- National Insurance number\n\n- average weekly earnings\n\n- parental bereavement leave and pay arrangements - you can get this information from their self declaration\n\nYour advance can be paid either by BACS or payable order.\n\nContact HMRC if you\u2019ve got questions about advance payments.\n\n## Apply online\n\nApply online for an advance if you have a Government Gateway user ID and password.\n\nIf you do not have a Government Gateway user ID and password, you can apply online for an advance using a valid email address.\n\n## After you\u2019ve applied\n\nIf the advance is being paid to a third party and you\u2019re sending a completed R38 form by post, send it to HMRC within 4 weeks of applying for an advance.\n\nOnce your application has been approved, the money will be paid to the bank or building society account you provided or you\u2019ll be sent a cheque (payable order), depending on which payment option you chose.\n\nIf there are any issues with your application, HMRC will contact you directly.\n\n## Paying back your advance payment\n\nYou\u2019ll need to pay back your advance payment through Employer Payment Summary (EPS).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "answerable": true, + "scenario": "I am due to make payments for Statutory Parental Bereavement. I am struggling to meet the current \u00a3151.97 per week due to cashflow issues.", + "original_question": "Is there any help I can receive to pay this?" + }, + { + "id": "train-610", + "question": "Scenario: My employee has requested Statutory Parental Bereavement pay. They have been taking care of the child for five continuous weeks, ending on the 25th July 2021. This was the date the child died. They were unpaid for the period of caring.\n\nQuestion: Would this employee be eligible for the bereavement pay?\n\nDocument - Statutory Parental Bereavement Pay and Leave: employer guide:\n## Overview\n\nAn employee may be eligible for Parental Bereavement Leave and Statutory Parental Bereavement Pay if they or their partner either:\n\n- has a child who has died under 18 years old\n\n- had a stillbirth after 24 weeks of pregnancy\n\nThe death or stillbirth must have happened on or after 6 April 2020.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Statutory Parental Bereavement Leave\n\nAn employee can take 2 weeks\u2019 leave from the first day of their employment for each child who has died or was stillborn.\n\nThey can choose to take:\n\n- 2 weeks together\n\n- 2 separate weeks of leave\n\n- only one week of leave\n\nThe leave:\n\n- can start on or after the date of the death or stillbirth\n\n- must finish within 56 weeks of the date of the death or stillbirth\n\n## Taking leave with other types of statutory leave\n\nIf the employee was on another type of statutory leave when the death or stillbirth happened, Parental Bereavement Leave must start after that other leave has ended. This includes if the statutory leave is for another child.\n\nIf an employee\u2019s Parental Bereavement Leave is interrupted by the start of another type of statutory leave, they can take their remaining entitlement to Parental Bereavement Leave after that other leave has ended.\n\nThe remaining Parental Bereavement Leave must still be taken within 56 weeks of the date of death or stillbirth.\n\nParental Bereavement Leave can be taken between blocks of shared parental leave which had already been booked when the child died, even if the shared parental leave is for another child.\n\n## Statutory Parental Bereavement Pay\n\nStatutory Parental Bereavement Pay for an eligible employee is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s Statutory Parental Bereavement Pay using Basic PAYE tools or guidance on manual calculation.\n\nSome employment types, like agency workers, directors and educational workers, have different rules for entitlement.\n\n## Extra leave or pay\n\nYour company can offer more leave and pay but you can only recover 2 weeks\u2019 payment for each employee and for each death.\n\nYou should make sure your Parental Bereavement Leave and Statutory Parental Bereavement Pay policies are clear and easily accessible to staff.\n\n## Employment rights\n\nAn employee\u2019s rights (like the right to pay rises, holidays and returning to a job) are protected during Parental Bereavement Leave.\n\nYou still have to pay Statutory Parental Bereavement Pay even if you stop trading.\n\n## Eligibility\n\nTo qualify for Parental Bereavement Leave and Statutory Parental Bereavement Pay, an employee must meet the criteria both as a parent (including if they had day to day responsibility) and an employee. They might not be eligible for both.\n\n## If the employee was the child\u2019s parent or the parent\u2019s partner\n\nAn employee will be eligible if, at the time of the child\u2019s death or stillbirth, they were:\n\n- the child\u2019s or baby\u2019s parent - either biological, adoptive or parent of a child born to a surrogate\n\n- the partner of the child\u2019s or baby\u2019s parent\n\nBiological parents are not eligible once an adoption or parental order has been made unless there was a contact order in place after the adoption.\n\n## If the employee was not the child\u2019s parent but had day to day responsibility for the child\n\nAn employee may be eligible if they or their partner had:\n\n- the child or baby living with them at their home for 4 continuous weeks, ending with the date of the death\n\n- day to day responsibility for the child or baby\u2019s care during that time\n\nIf the employee or their partner was paid to look after the child, they\u2019re not entitled to leave or pay unless they were:\n\n- a foster parent paid a fee or allowance by a local authority\n\n- reimbursed for expenses to do with the care of the child or baby\n\n- getting payments under the terms of a will or trust for the child or baby\u2019s care\n\nAn employee is not eligible if one of the child or baby\u2019s parents or someone who had parental responsibility (parental responsibilities in Scotland) for the child was also living in the household.\n\n## If the employee was an adoptive parent\n\nIf they or their partner was an adoptive parent, an employee is eligible:\n\n- after the adoption order was granted\n\n- before the adoption order was granted, if the child was placed with them for adoption and the placement was not disrupted (for example, being temporarily placed elsewhere) or stopped\n\n## If the employee was an adoptive parent of a child from outside the United Kingdom\n\nIf the employee or their partner was adopting a child from outside the United Kingdom and the court order had not yet been made, they may still be eligible. Both of the following must apply:\n\n- the child was living with them after entering Great Britain\n\n- they have the \u2018official notification\u2019 confirming they were allowed to adopt\n\n## If the employee had a baby with the help of a surrogate parent\n\nIf they or their partner were a parent of a child born to a surrogate, an employee is eligible:\n\n- after a parental order was made\n\n- before a parental order was made if they had applied or intended to apply for a parental order within 6 months of the child\u2019s birth and expected it to be granted\n\n## Parental Bereavement Leave\n\nTo get Parental Bereavement Leave, the employee must also:\n\n- be classed as an employee - it does not matter how long they\u2019ve worked for you\n\n- give you the correct notice for Parental Bereavement Leave\n\n## Statutory Parental Bereavement Pay\n\nTo get Statutory Parental Bereavement Pay, the employee must have been continuously employed by you for at least 26 weeks up to the end of the \u2018relevant week\u2019. The \u2018relevant week\u2019 is the week (ending with a Saturday) immediately before the week of the death or stillbirth.\n\nThey must also:\n\n- remain employed by you up to the day the child dies or is stillborn\n\n- earn on average \u00a3120 a week (gross)\n\n- give you the correct notice for Statutory Parental Bereavement Pay\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the guidance on manual calculation to check entitlement and to work out the relevant week.\n\nThere are special rules for some employee situations, for example if they leave or become sick.\n\n## Notice period\n\nAn employee must give notice for Parental Bereavement Leave as well as evidence for Statutory Parental Bereavement Pay.\n\n## Parental Bereavement Leave\n\nAn employee has 56 weeks to take Parental Bereavement Leave. This starts from the date of the child\u2019s death.\n\nThe 56 weeks is split into 2 periods:\n\n- from the date of the death or stillbirth to 8 weeks after\n\n- 9 to 56 weeks after the date of the death or stillbirth\n\nThey can take 2 weeks\u2019 leave in one block or as 2 separate blocks of one week.\n\nYou must get notice from the employee before they take Parental Bereavement Leave. How much notice depends on when they\u2019re taking leave.\n\n## 0 to 8 weeks after the child\u2019s death or stillbirth\n\nAn employee must give you notice before the time they would normally start work on the first day of the period they want to take off work.\n\n## 9 to 56 weeks after the child\u2019s death or stillbirth\n\nAn employee must give you at least one week\u2019s notice before the start of the week or weeks they want to take off work.\n\n## How employees should give you notice\n\nThey should tell you:\n\n- the date of the child\u2019s death or stillbirth\n\n- when they want their Parental Bereavement Leave to begin\n\n- how much leave they are taking - either 1 or 2 weeks\n\nAn employee can give you notice informally, for example by phone, text message or email.\n\nYou cannot ask for:\n\n- notice for leave in writing (such as following up with an email, letter or form)\n\n- notice to cancel leave in writing\n\n- evidence of entitlement for leave\n\n- details about the employee\u2019s relationship to the child or baby\n\n## Cancelling Parental Bereavement Leave\n\nAn employee can cancel their Parental Bereavement Leave if they\u2019ve given you more than the required notice for taking leave.\n\nIf they were starting the leave within 8 weeks of the death or stillbirth, they must let you know about the cancellation no later than the time they would normally start work on the first day of planned leave.\n\nIf they were starting the leave 9 weeks or later after the death or stillbirth, they must let you know no later than one week before the start of the planned leave.\n\nThey can rebook another week\u2019s leave if they cancel before the leave was due to start and they give you the correct notice.\n\n## Statutory Parental Bereavement Pay\n\nAn employee must ask for Statutory Parental Bereavement Pay within 28 days, starting with the first day of the week they want to claim pay for.\n\nThey must give you in writing (for example, a letter or email) each time:\n\n- the dates of the period the want to claim Statutory Parental Bereavement Pay\n\n- their name\n\n- the date of the child\u2019s death or stillbirth\n\nThe employee will also need to give you a self declaration to confirm they are eligible because of their relationship to the child or baby - they only need to provide this once when they first ask for pay.\n\n## Cancelling Statutory Parental Bereavement Pay\n\nAn employee can cancel their Statutory Parental Bereavement Pay if they\u2019ve given you more than the required notice for claiming pay.\n\nIf their pay was due to start within 8 weeks of the child\u2019s death or stillbirth, they must give you notice on the first day of the week of pay they want to cancel.\n\nIf their pay was due to start 9 weeks or later after the child\u2019s death or stillbirth, they must tell you they want to cancel one week before their pay was due to start.\n\n## Non-payment form\n\nYou can refuse Statutory Parental Bereavement Pay if the employee does not qualify.\n\nTo do this, send them a completed non-payment form (SPBP1) or your own equivalent form within 28 days of their pay request with evidence. You should keep a record of the week which was refused and the reason why.\n\nIf an employee is unhappy with your decision, they can contact the HMRC Statutory Payments Disputes Team. They must do this within 6 months of the start date of the Statutory Parental Bereavement Pay period they claimed.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the start date for any period Statutory Parental Bereavement Pay was paid\n\n- the payments you\u2019ve made (including dates)\n\n- a copy of the evidence of entitlement from the employee for Statutory Parental Bereavement Pay including their written declaration, name and date of the child\u2019s death or stillbirth\n\n- details of any weeks the employee claimed Statutory Parental Bereavement Pay but you did not pay and the reason why\n\nYou must keep records for 3 years from the end of the tax year they relate to.\n\nYou can use HMRC\u2019s record keeping form (SPBP2) or your own.\n\n## Get help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments\n\n- apply for an advance if you cannot afford payments\n\n## Apply for an advance if you cannot afford payments\n\nYou can apply online for an advance to pay for an employee\u2019s Statutory Parental Bereavement Pay.\n\nBefore you start, you\u2019ll need:\n\n- your employer PAYE reference\n\n- your payment or account office reference numbers - this is on the letter when you first registered as an employer\n\n- the amount of tax or National Insurance owed to HM Revenue and Customs (HMRC)\n\n- bank or building society details for you or the third party it\u2019s being paid to\n\n- a completed R38 form if the advance is being paid to a third party\n\nYou\u2019ll also need information about the employee including their:\n\n- National Insurance number\n\n- average weekly earnings\n\n- parental bereavement leave and pay arrangements - you can get this information from their self declaration\n\nYour advance can be paid either by BACS or payable order.\n\nContact HMRC if you\u2019ve got questions about advance payments.\n\n## Apply online\n\nApply online for an advance if you have a Government Gateway user ID and password.\n\nIf you do not have a Government Gateway user ID and password, you can apply online for an advance using a valid email address.\n\n## After you\u2019ve applied\n\nIf the advance is being paid to a third party and you\u2019re sending a completed R38 form by post, send it to HMRC within 4 weeks of applying for an advance.\n\nOnce your application has been approved, the money will be paid to the bank or building society account you provided or you\u2019ll be sent a cheque (payable order), depending on which payment option you chose.\n\nIf there are any issues with your application, HMRC will contact you directly.\n\n## Paying back your advance payment\n\nYou\u2019ll need to pay back your advance payment through Employer Payment Summary (EPS).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-parental-bereavement-pay-leave", + "answerable": true, + "scenario": "My employee has requested Statutory Parental Bereavement pay. They have been taking care of the child for five continuous weeks, ending on the 25th July 2021. This was the date the child died. They were unpaid for the period of caring.", + "original_question": "Would this employee be eligible for the bereavement pay?" + }, + { + "id": "train-611", + "question": "Scenario: My employee requested statutory maternity pay 26 weeks ago. My business has had to stop trading due to financial issues. I have stopped paying the statutory maternity pay, but the employee has complained.\n\nQuestion: Do I need to keep paying statutory maternity pay?\n\nDocument - Statutory Maternity Pay and Leave: employer guide:\n## Entitlement\n\n## Statutory Maternity Leave\n\nEligible employees can take up to 52 weeks\u2019 maternity leave. The first 26 weeks is known as \u2018Ordinary Maternity Leave\u2019, the last 26 weeks as \u2018Additional Maternity Leave\u2019.\n\nThe earliest that leave can be taken is 11 weeks before the expected week of childbirth, unless the baby is born early.\n\nEmployees must take at least 2 weeks after the birth (or 4 weeks if they\u2019re a factory worker).\n\n## Statutory Maternity Pay (SMP)\n\nSMP for eligible employees can be paid for up to 39 weeks, usually as follows:\n\n- the first 6 weeks: 90% of their average weekly earnings (AWE) before tax\n\n- the remaining 33 weeks: \u00a3151.97 or 90% of their AWE (whichever is lower)\n\nTax and National Insurance need to be deducted.\n\nUse the SMP calculator to work out an employee\u2019s maternity leave and pay.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement.\n\n## Extra leave or pay\n\nYou can offer more than the statutory amounts if you have a company maternity scheme. You must make sure your maternity leave and pay policies are clear and available to staff.\n\n## If the baby is born early\n\nLeave starts the day after the birth if the baby is born early.\n\nThe employee must give you the child\u2019s birth certificate or a document signed by a doctor or midwife that confirms the actual date of birth.\n\nYou must write to them confirming the new end date for their leave.\n\nFor very premature births where the child is born 15 weeks or more before the due date, you\u2019ll need to calculate SMP using your payroll software (if it has this feature) or work it out manually.\n\n## If the baby dies\n\nEmployees still qualify for leave or pay if the baby:\n\n- is stillborn after the start of the 24th week of pregnancy\n\n- dies after being born\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during maternity leave.\n\nYou still have to pay SMP even if you stop trading.\n\n## Eligibility and proof of pregnancy\n\nSome employees will not qualify for both leave and pay.\n\n## Statutory Maternity Leave\n\nEmployees must:\n\n- have an employment contract - it does not matter how long they\u2019ve worked for you\n\n- give you the correct notice\n\n## Statutory Maternity Pay (SMP)\n\nEmployees must:\n\n- be on your payroll in the \u2018qualifying week\u2019 - the 15th week before the expected week of childbirth\n\n- give you the correct notice\n\n- give you proof they\u2019re pregnant\n\n- have been continuously employed by you for at least 26 weeks up to any day in the qualifying week\n\n- earn at least \u00a3120 a week (gross) in an 8-week \u2018relevant period\u2019\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the maternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and statutory maternity pay.\n\nThere are special rules for some employee situations (for example if they leave, become sick or their baby is born before the qualifying week).\n\n## Proof of pregnancy\n\nYou must get proof of the pregnancy before you pay SMP. This is usually a doctor\u2019s letter or a maternity certificate (known as an MATB1 certificate). Midwives and doctors usually issue these 20 weeks before the due date.\n\nThe employee should give you proof within 21 days of the SMP start date. You can agree to accept it later if you want. You do not have to pay SMP if you have not received proof of the due date 13 weeks after the SMP start date.\n\nYou must keep records of the proof of pregnancy.\n\nEmployees not entitled to SMP may be able to get Maternity Allowance instead.\n\n## Notice period\n\nNotice does not have to be in writing unless you request it.\n\n## Statutory Maternity Leave\n\nAt least 15 weeks before the baby is expected, your employees must tell you the date that:\n\n- the baby is due\n\n- they want to start their maternity leave - they can change this with 28 days\u2019 notice\n\nYou must then confirm their leave start and end dates in writing within 28 days.\n\nEmployees can change their return to work date if they give 8 weeks\u2019 notice.\n\nYou cannot refuse maternity leave or change the amount of leave your employees want to take.\n\n## Statutory Maternity Pay (SMP)\n\nYour employees must give you 28 days\u2019 notice of the date they want to start their SMP. This is usually the same date they want to start their leave.\n\nYou can refuse to pay SMP if your employee does not give you this notice and they do not give you a reasonable excuse.\n\n## Refuse pay form SMP1\n\nYou can refuse Statutory Maternity Pay (SMP) if the employee does not qualify. They may be able to get Maternity Allowance instead.\n\nTo refuse it, give the employee the SMP1 form within 7 days of your decision. They must get this form within 28 days of their request for Statutory Maternity Pay or the birth (whichever is earlier).\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- proof of pregnancy - usually a doctor\u2019s note or a MATB1 certificate (a photocopy is fine)\n\n- the date SMP began\n\n- your SMP payments (including dates)\n\n- the SMP you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for 3 years from the end of the tax year they relate to, for example by using form SMP2 or keeping your own records.\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "answerable": true, + "scenario": "My employee requested statutory maternity pay 26 weeks ago. My business has had to stop trading due to financial issues. I have stopped paying the statutory maternity pay, but the employee has complained.", + "original_question": "Do I need to keep paying statutory maternity pay?" + }, + { + "id": "train-612", + "question": "Scenario: I gave in my notice 1-week late for statutory maternity leave and pay. I am eligible for statutory maternity pay, but have been refused this due to my late notice.\n\nQuestion: Is my employer allowed to refuse my statutory maternity pay on this basis?\n\nDocument - Statutory Maternity Pay and Leave: employer guide:\n## Entitlement\n\n## Statutory Maternity Leave\n\nEligible employees can take up to 52 weeks\u2019 maternity leave. The first 26 weeks is known as \u2018Ordinary Maternity Leave\u2019, the last 26 weeks as \u2018Additional Maternity Leave\u2019.\n\nThe earliest that leave can be taken is 11 weeks before the expected week of childbirth, unless the baby is born early.\n\nEmployees must take at least 2 weeks after the birth (or 4 weeks if they\u2019re a factory worker).\n\n## Statutory Maternity Pay (SMP)\n\nSMP for eligible employees can be paid for up to 39 weeks, usually as follows:\n\n- the first 6 weeks: 90% of their average weekly earnings (AWE) before tax\n\n- the remaining 33 weeks: \u00a3151.97 or 90% of their AWE (whichever is lower)\n\nTax and National Insurance need to be deducted.\n\nUse the SMP calculator to work out an employee\u2019s maternity leave and pay.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement.\n\n## Extra leave or pay\n\nYou can offer more than the statutory amounts if you have a company maternity scheme. You must make sure your maternity leave and pay policies are clear and available to staff.\n\n## If the baby is born early\n\nLeave starts the day after the birth if the baby is born early.\n\nThe employee must give you the child\u2019s birth certificate or a document signed by a doctor or midwife that confirms the actual date of birth.\n\nYou must write to them confirming the new end date for their leave.\n\nFor very premature births where the child is born 15 weeks or more before the due date, you\u2019ll need to calculate SMP using your payroll software (if it has this feature) or work it out manually.\n\n## If the baby dies\n\nEmployees still qualify for leave or pay if the baby:\n\n- is stillborn after the start of the 24th week of pregnancy\n\n- dies after being born\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during maternity leave.\n\nYou still have to pay SMP even if you stop trading.\n\n## Eligibility and proof of pregnancy\n\nSome employees will not qualify for both leave and pay.\n\n## Statutory Maternity Leave\n\nEmployees must:\n\n- have an employment contract - it does not matter how long they\u2019ve worked for you\n\n- give you the correct notice\n\n## Statutory Maternity Pay (SMP)\n\nEmployees must:\n\n- be on your payroll in the \u2018qualifying week\u2019 - the 15th week before the expected week of childbirth\n\n- give you the correct notice\n\n- give you proof they\u2019re pregnant\n\n- have been continuously employed by you for at least 26 weeks up to any day in the qualifying week\n\n- earn at least \u00a3120 a week (gross) in an 8-week \u2018relevant period\u2019\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the maternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and statutory maternity pay.\n\nThere are special rules for some employee situations (for example if they leave, become sick or their baby is born before the qualifying week).\n\n## Proof of pregnancy\n\nYou must get proof of the pregnancy before you pay SMP. This is usually a doctor\u2019s letter or a maternity certificate (known as an MATB1 certificate). Midwives and doctors usually issue these 20 weeks before the due date.\n\nThe employee should give you proof within 21 days of the SMP start date. You can agree to accept it later if you want. You do not have to pay SMP if you have not received proof of the due date 13 weeks after the SMP start date.\n\nYou must keep records of the proof of pregnancy.\n\nEmployees not entitled to SMP may be able to get Maternity Allowance instead.\n\n## Notice period\n\nNotice does not have to be in writing unless you request it.\n\n## Statutory Maternity Leave\n\nAt least 15 weeks before the baby is expected, your employees must tell you the date that:\n\n- the baby is due\n\n- they want to start their maternity leave - they can change this with 28 days\u2019 notice\n\nYou must then confirm their leave start and end dates in writing within 28 days.\n\nEmployees can change their return to work date if they give 8 weeks\u2019 notice.\n\nYou cannot refuse maternity leave or change the amount of leave your employees want to take.\n\n## Statutory Maternity Pay (SMP)\n\nYour employees must give you 28 days\u2019 notice of the date they want to start their SMP. This is usually the same date they want to start their leave.\n\nYou can refuse to pay SMP if your employee does not give you this notice and they do not give you a reasonable excuse.\n\n## Refuse pay form SMP1\n\nYou can refuse Statutory Maternity Pay (SMP) if the employee does not qualify. They may be able to get Maternity Allowance instead.\n\nTo refuse it, give the employee the SMP1 form within 7 days of your decision. They must get this form within 28 days of their request for Statutory Maternity Pay or the birth (whichever is earlier).\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- proof of pregnancy - usually a doctor\u2019s note or a MATB1 certificate (a photocopy is fine)\n\n- the date SMP began\n\n- your SMP payments (including dates)\n\n- the SMP you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for 3 years from the end of the tax year they relate to, for example by using form SMP2 or keeping your own records.\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "answerable": true, + "scenario": "I gave in my notice 1-week late for statutory maternity leave and pay. I am eligible for statutory maternity pay, but have been refused this due to my late notice.", + "original_question": "Is my employer allowed to refuse my statutory maternity pay on this basis?" + }, + { + "id": "train-613", + "question": "Scenario: We are a start-up company and currently have 5 employees. We are planning to recruit for a new role. We interviewed a disabled person and happy with him.\n\nQuestion: Can Jobcentre Plus can guide us to employ someone with a disability ?\n\nDocument - Jobcentre Plus help for recruiters:\n## Overview\n\nJobcentre Plus has a range of recruitment services that can help you as an employer. You could get:\n\n- recruitment advice, including specialist support for businesses\n\n- help setting up work trials to give you the opportunity to try out potential recruits\n\n- advice about offering work experience and apprenticeships\n\n- support from other employment schemes including sector-based training and recruitment, and business mentoring\n\n- support if you employ someone with a disability\u00a0(Access to Work)\n\n- advice and guidance on employing someone with a disability or health condition\n\nYou can also advertise a job with the \u2018Find a job\u2019 service (previously Universal Jobmatch).\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Recruitment advice and support\n\nContact the Employer Services Line for advice about recruiting for your business.\n\nIt can put you in touch with local \u2018employer advisors\u2019 if you need specific and practical advice. Employer advisors understand the local labour market and can help you:\n\n- design and word job vacancies\n\n- develop pre-employment training (specific to a job)\n\n- recruit in new and fair ways (such as offering flexible working patterns)\n\n- access Jobcentre Plus office facilities for recruitment (where available)\n\n- give your existing employees the chance to mentor people who want to work\n\n- get advice and support if you need to make redundancies\n\nThe Employer Services Line can also give general advice about recruitment.\n\n## Work trials\n\nA work trial is a short period in work you can offer to a jobseeker on benefits. It\u2019s a way for you both to see if the job is a good fit.\n\nIt happens after you\u2019ve interviewed them for a specific role. If they\u2019re not suitable for it, you do not need to offer it to them.\n\nJobseekers volunteer for a work trial. They keep getting their benefits whilst they\u2019re on it and are not paid a wage.\n\n## Eligibility\n\nThe work trial must:\n\n- only be used as a way for you and the potential employee to decide if they\u2019re right for the role\n\n- be for a job where the jobseeker is the only person you\u2019re considering hiring\n\n- be for a job which is at least 16 hours a week for at least 13 weeks\n\nYou need to agree the length of the work trial with the jobseeker before it starts. It must:\n\n- end when you\u2019re sure about whether the jobseeker is suitable for the role\n\n- last no more than 5 days if the job is for less than 6 months\n\n- last no more than 30 days (and usually around 5 days) for jobs lasting 6 months or more\n\nThe work trial can be longer than 30 days if the jobseeker needs more time to adjust to being back at work. This needs to be agreed before the work trial starts.\n\nJobcentre Plus will check that the employee has volunteered for the trial and that it meets the eligibility criteria.\n\n## How to carry out a work trial\n\nYou need to agree a work trial with Jobcentre Plus before you offer it to a jobseeker.\n\nCall the Employer Services Line to find out more.\n\n## Work experience and apprenticeships\n\n## Work experience\n\nWork experience is available to:\n\n- all 18 to 24 year olds\n\n- people aged 25 and over who do not have any recent work history\n\nIf you offer a young person work experience you\u2019ll be helping to give them a better chance of finding work.\n\nRead the work experience guidance for employers to find out what\u2019s expected of you.\n\nCall the Employer Services Line if you want help to become a work experience host.\n\n## Apprenticeships\n\nThese are organised through the National Apprenticeship Service and often follow a period of work experience. They combine practical training with study.\n\nIf you take on an apprentice, you can get funding to train them. You might also be able to get an apprenticeship grant if you run a small or medium-sized business.\n\nApprenticeships are different in Scotland, Wales and Northern Ireland.\n\n## Other employment schemes\n\nJobcentre Plus employment schemes can help you to recruit people as well as creating opportunities for people looking for work.\n\n## New Enterprise Allowance\n\nThis provides Jobcentre Plus claimants with mentoring and financial support to help start their own business. You can contact the provider in your area if you want to become a mentor.\n\n## Sector-based work academy programme\n\nThe sector-based work academy programme provides training, work experience and a guaranteed job interview. It can help you fill your vacancies more effectively.\n\nThe sector-based work academy programme is only available in England and Scotland.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/jobcentre-plus-help-for-recruiters", + "answerable": true, + "scenario": "We are a start-up company and currently have 5 employees. We are planning to recruit for a new role. We interviewed a disabled person and happy with him.", + "original_question": "Can Jobcentre Plus can guide us to employ someone with a disability ?" + }, + { + "id": "train-615", + "question": "Scenario: I have got a job offer as a chef in one of the leading hotels. This is my first job after university. I want to acquire more information about my rights and also wages.\n\nQuestion: Can i get full details of my employment rights and expectations?\n\nDocument - Contract types and employer responsibilities:\n## Overview\n\nAs an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.\n\nContract types include:\n\n- full-time and part-time contracts\n\n- fixed-term contracts\n\n- agency staff\n\n- freelancers, consultants, contractors\n\n- zero-hours contracts\n\nThere are also special rules for employing family members, young people and volunteers.\n\n## Full-time and part-time contracts\n\nAs an employer you must give employees:\n\n- a written statement of employment or contract\n\n- the statutory minimum level of paid holiday\n\n- a payslip showing all deductions, such as National Insurance contributions (NICs)\n\n- the statutory minimum length of rest breaks\n\n- Statutory Sick Pay (SSP)\n\n- maternity, paternity and adoption pay and leave\n\nYou must also:\n\n- make sure employees do not work longer than the maximum allowed\n\n- pay employees at least the minimum wage\n\n- have employer\u2019s liability insurance\n\n- provide a safe and secure working environment\n\n- register with HM Revenue and Customs to deal with payroll, tax and NICs\n\n- consider flexible working requests\n\n- avoid discrimination in the workplace\n\n- make reasonable adjustments to your business premises if your employee is disabled\n\n## Fixed-term contracts\n\nFixed-term contracts:\n\n- last for a certain length of time\n\n- are set in advance\n\n- end when a specific task is completed\n\n- end when a specific event takes place\n\nFixed-term employees must receive the same treatment as full-time permanent staff.\n\nFind out more about fixed-term employees\u2019 rights, and what to do about renewing or ending a fixed-term contract.\n\n## Agency staff\n\nAs an employer, you can hire temporary staff through agencies. This means:\n\n- you pay the agency, including the employee\u2019s National Insurance contributions (NICs) and Statutory Sick Pay (SSP)\n\n- it\u2019s the agency\u2019s responsibility to make sure workers get their rights under working time regulations\n\n- after 12 weeks\u2019 continuous employment in the same role, agency workers get the same terms and conditions as permanent employees, including pay, working time, rest periods, night work, breaks and annual leave\n\n- you must provide the agency with information about the relevant terms and conditions in your business so that they can ensure the worker gets equal treatment after 12 weeks in the same job\n\n- you must allow agency workers to use any shared facilities (for example a staff canteen or childcare) and give them information about job vacancies from the first day they work there\n\n- you are still responsible for their health and safety\n\n## Freelancers, consultants and contractors\n\nIf you hire a freelancer, consultant or contractor it means that:\n\n- they are self-employed or are part of other companies\n\n- they often look after their own tax and National Insurance contributions (NICs)\n\n- they might not be entitled to the same rights as workers, such as minimum wage\n\n- you\u2019re still responsible for their health and safety\n\n## Zero-hours contracts\n\nZero-hours contracts are also known as casual contracts. Zero-hours contracts are usually for \u2018piece work\u2019 or \u2018on call\u2019 work, for example for interpreters.\n\nThis means:\n\n- they are on call to work when you need them\n\n- you do not have to give them work\n\n- they do not have to do work when asked\n\nZero-hours workers are entitled to statutory annual leave and the National Minimum Wage in the same way as regular workers.\n\nYou cannot do anything to stop a zero-hours worker from getting work elsewhere. The law says they can ignore a clause in their contract if it bans them from:\n\n- looking for work\n\n- accepting work from another employer\n\nYou are still responsible for health and safety of staff on zero-hours contracts.\n\n## Employing family, young people and volunteers\n\n## Family\n\nIf you hire family members you must:\n\n- avoid special treatment in terms of pay, promotion and working conditions\n\n- make sure tax and National Insurance contributions are still paid\n\n- follow working time regulations for younger family members\n\n- have employer\u2019s liability insurance that covers any young family members\n\n- check if you need to provide them with a workplace pension scheme\n\n## Volunteers and voluntary staff\n\nWhen taking on volunteers or voluntary staff you:\n\n- are responsible for their health and safety\n\n- must give inductions and training in the tasks they\u2019re going to do\n\n## Young people\n\nYou can employ young people if they are 13 or over but there are special rules about how long they can work and what jobs they can do. Once someone is 18 they\u2019re classed as an \u2018adult worker\u2019 and different rules apply.\n\nAs well as following these rules you must do a risk assessment before taking on young workers.\n\nYoung people may also have certain employment rights like:\n\n- statutory maternity pay and ordinary statutory paternity pay if they qualify as a result of their continuous employment\n\n- paid time off for study and training\n\n- redundancy pay\n\nYoung workers and apprentices have different rates from adult workers for the National Minimum Wage.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "answerable": true, + "scenario": "I have got a job offer as a chef in one of the leading hotels. This is my first job after university. I want to acquire more information about my rights and also wages.", + "original_question": "Can i get full details of my employment rights and expectations?" + }, + { + "id": "train-616", + "question": "Scenario: I work as a nanny on a zero hour contract and I have applied for another well paying job as a live in nanny. Would like to leave my current employer by the end of next month.\n\nQuestion: Do i need to inform him that i have looking for other jobs?\n\nDocument - Contract types and employer responsibilities:\n## Overview\n\nAs an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.\n\nContract types include:\n\n- full-time and part-time contracts\n\n- fixed-term contracts\n\n- agency staff\n\n- freelancers, consultants, contractors\n\n- zero-hours contracts\n\nThere are also special rules for employing family members, young people and volunteers.\n\n## Full-time and part-time contracts\n\nAs an employer you must give employees:\n\n- a written statement of employment or contract\n\n- the statutory minimum level of paid holiday\n\n- a payslip showing all deductions, such as National Insurance contributions (NICs)\n\n- the statutory minimum length of rest breaks\n\n- Statutory Sick Pay (SSP)\n\n- maternity, paternity and adoption pay and leave\n\nYou must also:\n\n- make sure employees do not work longer than the maximum allowed\n\n- pay employees at least the minimum wage\n\n- have employer\u2019s liability insurance\n\n- provide a safe and secure working environment\n\n- register with HM Revenue and Customs to deal with payroll, tax and NICs\n\n- consider flexible working requests\n\n- avoid discrimination in the workplace\n\n- make reasonable adjustments to your business premises if your employee is disabled\n\n## Fixed-term contracts\n\nFixed-term contracts:\n\n- last for a certain length of time\n\n- are set in advance\n\n- end when a specific task is completed\n\n- end when a specific event takes place\n\nFixed-term employees must receive the same treatment as full-time permanent staff.\n\nFind out more about fixed-term employees\u2019 rights, and what to do about renewing or ending a fixed-term contract.\n\n## Agency staff\n\nAs an employer, you can hire temporary staff through agencies. This means:\n\n- you pay the agency, including the employee\u2019s National Insurance contributions (NICs) and Statutory Sick Pay (SSP)\n\n- it\u2019s the agency\u2019s responsibility to make sure workers get their rights under working time regulations\n\n- after 12 weeks\u2019 continuous employment in the same role, agency workers get the same terms and conditions as permanent employees, including pay, working time, rest periods, night work, breaks and annual leave\n\n- you must provide the agency with information about the relevant terms and conditions in your business so that they can ensure the worker gets equal treatment after 12 weeks in the same job\n\n- you must allow agency workers to use any shared facilities (for example a staff canteen or childcare) and give them information about job vacancies from the first day they work there\n\n- you are still responsible for their health and safety\n\n## Freelancers, consultants and contractors\n\nIf you hire a freelancer, consultant or contractor it means that:\n\n- they are self-employed or are part of other companies\n\n- they often look after their own tax and National Insurance contributions (NICs)\n\n- they might not be entitled to the same rights as workers, such as minimum wage\n\n- you\u2019re still responsible for their health and safety\n\n## Zero-hours contracts\n\nZero-hours contracts are also known as casual contracts. Zero-hours contracts are usually for \u2018piece work\u2019 or \u2018on call\u2019 work, for example for interpreters.\n\nThis means:\n\n- they are on call to work when you need them\n\n- you do not have to give them work\n\n- they do not have to do work when asked\n\nZero-hours workers are entitled to statutory annual leave and the National Minimum Wage in the same way as regular workers.\n\nYou cannot do anything to stop a zero-hours worker from getting work elsewhere. The law says they can ignore a clause in their contract if it bans them from:\n\n- looking for work\n\n- accepting work from another employer\n\nYou are still responsible for health and safety of staff on zero-hours contracts.\n\n## Employing family, young people and volunteers\n\n## Family\n\nIf you hire family members you must:\n\n- avoid special treatment in terms of pay, promotion and working conditions\n\n- make sure tax and National Insurance contributions are still paid\n\n- follow working time regulations for younger family members\n\n- have employer\u2019s liability insurance that covers any young family members\n\n- check if you need to provide them with a workplace pension scheme\n\n## Volunteers and voluntary staff\n\nWhen taking on volunteers or voluntary staff you:\n\n- are responsible for their health and safety\n\n- must give inductions and training in the tasks they\u2019re going to do\n\n## Young people\n\nYou can employ young people if they are 13 or over but there are special rules about how long they can work and what jobs they can do. Once someone is 18 they\u2019re classed as an \u2018adult worker\u2019 and different rules apply.\n\nAs well as following these rules you must do a risk assessment before taking on young workers.\n\nYoung people may also have certain employment rights like:\n\n- statutory maternity pay and ordinary statutory paternity pay if they qualify as a result of their continuous employment\n\n- paid time off for study and training\n\n- redundancy pay\n\nYoung workers and apprentices have different rates from adult workers for the National Minimum Wage.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "answerable": true, + "scenario": "I work as a nanny on a zero hour contract and I have applied for another well paying job as a live in nanny. Would like to leave my current employer by the end of next month.", + "original_question": "Do i need to inform him that i have looking for other jobs?" + }, + { + "id": "train-617", + "question": "Scenario: I have recently started a limited company and have 2 part-time employees. I am paying them \u00a3100 per week. I know that I don't have to register for PAYE\n\nQuestion: Do I still have to maintain payroll records for the 2 employees ?\n\nDocument - PAYE and payroll for employers:\n## Introduction to PAYE\n\nAs an employer, you normally have to operate PAYE as part of your payroll. PAYE is HM Revenue and Customs\u2019 (HMRC) system to collect Income Tax and National Insurance from employment.\n\nYou do not need to register for PAYE if none of your employees are paid \u00a3120 or more a week, get expenses and benefits, have another job or get a pension. However, you must keep payroll records.\n\n## Payments and deductions\n\nWhen paying your employees through payroll you also need to make deductions for PAYE.\n\n## Payments to your employees\n\nPayments to your employees include their salary or wages, as well as things like any tips or bonuses, or statutory sick or maternity pay.\n\n## Deductions from their pay\n\nFrom these payments, you\u2019ll need to deduct tax and National Insurance for most employees. Other deductions you may need to make include student loan repayments or pension contributions.\n\n## Reporting to and paying HMRC\n\n## Reporting pay and deductions\n\nIf you run payroll yourself, you\u2019ll need to report your employees\u2019 payments and deductions to HMRC on or before each payday.\n\nYour payroll software will work out how much tax and National Insurance you owe, including an employer\u2019s National Insurance contribution on each employee\u2019s earnings above \u00a3170 a week.\n\nYou\u2019ll need to send another report to claim any reduction on what you owe HMRC, for example for statutory pay.\n\n## Paying HMRC\n\nYou\u2019ll be able to view what you owe HMRC, based on your reports. You then have to pay HMRC, usually every month.\n\nIf you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.\n\n## Other things to report\n\nAs part of your regular reports, you should tell HMRC when a new employee joins and if an employee\u2019s circumstances change, for example they reach State Pension age or become a director.\n\nYou have to run annual reports at the end of the tax year - including telling HMRC about any expenses or benefits.\n\n## Choose how to run payroll\n\nIf you have to operate PAYE, you can choose how to run your payroll.\n\n## Choose how to run payroll\n\nYou can operate PAYE by either:\n\n- paying a payroll provider to do it for you\n\n- doing it yourself using payroll software\n\n## Paying a payroll provider\n\nIf you decide to pay a payroll provider (for example, a bureau or accountant) to run your payroll, you\u2019ll need to consider how much support you\u2019ll need.\n\nYou\u2019re responsible for collecting and keeping records of your employee\u2019s details. Your payroll provider will need these to run payroll for you.\n\nSome payroll providers can offer you more support if you need it, for example keeping employee records, providing payslips and making payments to HM Revenue and Customs (HMRC).\n\nAs an employer, you\u2019re legally responsible for completing all PAYE tasks - even if you pay someone else to do them.\n\n## Running payroll yourself\n\nYou need to complete certain tasks to set up payroll and pay your employees for the first time. This includes registering as an employer with HMRC and telling them about your employees.\n\n## Exemptions to online reporting\n\nYou may be exempt from reporting payroll online if:\n\n- you\u2019re prevented from using a computer on religious grounds\n\n- you\u2019re getting care or support services for yourself or a member of your family\n\n- you\u2019re unable to send reports electronically because you\u2019re disabled, elderly or cannot access the internet\n\nHMRC has guidance if you believe you\u2019re exempt and would prefer to report on paper.\n\n## Setting up payroll\n\nIf you decide to run payroll yourself, you need to complete certain tasks to pay your employees for the first time. You can choose when and how often to pay your employees.\n\n- Register as an employer with HM Revenue and Customs (HMRC) and get a login for PAYE Online.\n\n- Choose payroll software to record employee\u2019s details, calculate pay and deductions, and report to HMRC.\n\n- Collect and keep records.\n\n- Tell HMRC about your employees.\n\n- Record pay, make deductions and report to HMRC on or before the first payday.\n\n- Pay HMRC the tax and National Insurance you owe.\n\nYou\u2019ll also need to complete certain annual reports and tasks to prepare for the next tax year, which starts on 6 April.\n\n## Keeping records\n\nYou must collect and keep records of:\n\n- what you pay your employees and the deductions you make\n\n- reports you make to HM Revenue and Customs (HMRC)\n\n- payments you make to HMRC\n\n- employee leave and sickness absences\n\n- tax code notices\n\n- taxable expenses or benefits\n\n- Payroll Giving Scheme documents, including the agency contract and employee authorisation forms\n\nYour records must show you\u2019ve reported accurately, and you need to keep them for 3 years from the end of the tax year they relate to. HMRC may check your records to make sure you\u2019re paying the right amount of tax.\n\nThere are different rules for keeping records to prove you have paid the correct minimum wage.\n\nIf you do not keep full records, HMRC may estimate what you have to pay and charge you a penalty of up to \u00a33,000.\n\n## If your records are lost, stolen or destroyed\n\nTell HMRC as soon as possible if you do not have records and cannot replace them. You must also do your best to recreate them - HMRC may be able to help if you\u2019re not sure how much you paid your employees.\n\nYou must tell HMRC if your final payroll report of the tax year includes figures that are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with actual figures\n\n## Data protection\n\nYou must follow rules on data protection if your business stores or uses personal information.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paye-for-employers", + "answerable": true, + "scenario": "I have recently started a limited company and have 2 part-time employees. I am paying them \u00a3100 per week. I know that I don't have to register for PAYE", + "original_question": "Do I still have to maintain payroll records for the 2 employees ?" + }, + { + "id": "train-618", + "question": "Scenario: I have a small company and have 5 employees in total. I am running payroll for all the employees but cannot use computers because of a disability I have\n\nQuestion: Can I report payroll on paper ?\n\nDocument - PAYE and payroll for employers:\n## Introduction to PAYE\n\nAs an employer, you normally have to operate PAYE as part of your payroll. PAYE is HM Revenue and Customs\u2019 (HMRC) system to collect Income Tax and National Insurance from employment.\n\nYou do not need to register for PAYE if none of your employees are paid \u00a3120 or more a week, get expenses and benefits, have another job or get a pension. However, you must keep payroll records.\n\n## Payments and deductions\n\nWhen paying your employees through payroll you also need to make deductions for PAYE.\n\n## Payments to your employees\n\nPayments to your employees include their salary or wages, as well as things like any tips or bonuses, or statutory sick or maternity pay.\n\n## Deductions from their pay\n\nFrom these payments, you\u2019ll need to deduct tax and National Insurance for most employees. Other deductions you may need to make include student loan repayments or pension contributions.\n\n## Reporting to and paying HMRC\n\n## Reporting pay and deductions\n\nIf you run payroll yourself, you\u2019ll need to report your employees\u2019 payments and deductions to HMRC on or before each payday.\n\nYour payroll software will work out how much tax and National Insurance you owe, including an employer\u2019s National Insurance contribution on each employee\u2019s earnings above \u00a3170 a week.\n\nYou\u2019ll need to send another report to claim any reduction on what you owe HMRC, for example for statutory pay.\n\n## Paying HMRC\n\nYou\u2019ll be able to view what you owe HMRC, based on your reports. You then have to pay HMRC, usually every month.\n\nIf you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.\n\n## Other things to report\n\nAs part of your regular reports, you should tell HMRC when a new employee joins and if an employee\u2019s circumstances change, for example they reach State Pension age or become a director.\n\nYou have to run annual reports at the end of the tax year - including telling HMRC about any expenses or benefits.\n\n## Choose how to run payroll\n\nIf you have to operate PAYE, you can choose how to run your payroll.\n\n## Choose how to run payroll\n\nYou can operate PAYE by either:\n\n- paying a payroll provider to do it for you\n\n- doing it yourself using payroll software\n\n## Paying a payroll provider\n\nIf you decide to pay a payroll provider (for example, a bureau or accountant) to run your payroll, you\u2019ll need to consider how much support you\u2019ll need.\n\nYou\u2019re responsible for collecting and keeping records of your employee\u2019s details. Your payroll provider will need these to run payroll for you.\n\nSome payroll providers can offer you more support if you need it, for example keeping employee records, providing payslips and making payments to HM Revenue and Customs (HMRC).\n\nAs an employer, you\u2019re legally responsible for completing all PAYE tasks - even if you pay someone else to do them.\n\n## Running payroll yourself\n\nYou need to complete certain tasks to set up payroll and pay your employees for the first time. This includes registering as an employer with HMRC and telling them about your employees.\n\n## Exemptions to online reporting\n\nYou may be exempt from reporting payroll online if:\n\n- you\u2019re prevented from using a computer on religious grounds\n\n- you\u2019re getting care or support services for yourself or a member of your family\n\n- you\u2019re unable to send reports electronically because you\u2019re disabled, elderly or cannot access the internet\n\nHMRC has guidance if you believe you\u2019re exempt and would prefer to report on paper.\n\n## Setting up payroll\n\nIf you decide to run payroll yourself, you need to complete certain tasks to pay your employees for the first time. You can choose when and how often to pay your employees.\n\n- Register as an employer with HM Revenue and Customs (HMRC) and get a login for PAYE Online.\n\n- Choose payroll software to record employee\u2019s details, calculate pay and deductions, and report to HMRC.\n\n- Collect and keep records.\n\n- Tell HMRC about your employees.\n\n- Record pay, make deductions and report to HMRC on or before the first payday.\n\n- Pay HMRC the tax and National Insurance you owe.\n\nYou\u2019ll also need to complete certain annual reports and tasks to prepare for the next tax year, which starts on 6 April.\n\n## Keeping records\n\nYou must collect and keep records of:\n\n- what you pay your employees and the deductions you make\n\n- reports you make to HM Revenue and Customs (HMRC)\n\n- payments you make to HMRC\n\n- employee leave and sickness absences\n\n- tax code notices\n\n- taxable expenses or benefits\n\n- Payroll Giving Scheme documents, including the agency contract and employee authorisation forms\n\nYour records must show you\u2019ve reported accurately, and you need to keep them for 3 years from the end of the tax year they relate to. HMRC may check your records to make sure you\u2019re paying the right amount of tax.\n\nThere are different rules for keeping records to prove you have paid the correct minimum wage.\n\nIf you do not keep full records, HMRC may estimate what you have to pay and charge you a penalty of up to \u00a33,000.\n\n## If your records are lost, stolen or destroyed\n\nTell HMRC as soon as possible if you do not have records and cannot replace them. You must also do your best to recreate them - HMRC may be able to help if you\u2019re not sure how much you paid your employees.\n\nYou must tell HMRC if your final payroll report of the tax year includes figures that are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with actual figures\n\n## Data protection\n\nYou must follow rules on data protection if your business stores or uses personal information.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paye-for-employers", + "answerable": true, + "scenario": "I have a small company and have 5 employees in total. I am running payroll for all the employees but cannot use computers because of a disability I have", + "original_question": "Can I report payroll on paper ?" + }, + { + "id": "train-620", + "question": "Scenario: I am an owner of a business. I usually pay my employees every time they complete a task set for them. My employees have been given a minimum 5 hour day for work. I have been working out their pay using the fair rate based on it being 'output work', but I have been told this is wrong.\n\nQuestion: Is my employees work considered 'output work'?\n\nDocument - Minimum wage for different types of work:\n## Overview\n\nThe National Minimum Wage is worked out at an hourly rate, but it applies to all eligible workers even if they\u2019re not paid by the hour.\n\nThis means that, however someone gets paid, they still need to work out their equivalent hourly rate to see if they\u2019re getting the minimum wage.\n\nThere are different ways of checking that workers get the minimum wage depending on whether they are:\n\n- paid by the hour (known as \u2018time work\u2019)\n\n- paid an annual salary, under a contract for a basic number of hours each year (known as \u2018salaried hours\u2019)\n\n- paid by the piece - the number of things they make, or tasks they complete (known as \u2018output work\u2019)\n\n- paid in other ways (known as \u2018unmeasured work\u2019)\n\nUse the National Minimum Wage calculator to check if payments are over the minimum wage.\n\n## What counts as working time\n\nFor all types of work, include time spent:\n\n- at work and required to be working, or on standby near the workplace (but do not include rest breaks that are taken)\n\n- not working because of machine breakdown, but kept at the workplace\n\n- waiting to collect goods, meet someone for work or start a job\n\n- travelling in connection with work, including travelling from one work assignment to another\n\n- training or travelling to training\n\n- at work and under certain work-related responsibilities even when workers are allowed to sleep (whether or not a place to sleep is provided)\n\nDo not include time spent:\n\n- travelling between home and work\n\n- away from work on rest breaks, holidays, sick leave or maternity leave\n\n- on industrial action\n\n- not working but at the workplace or available for work at or near the workplace during a time when workers are allowed to sleep (and you provide a place to sleep)\n\nCall the Acas helpline for advice about the National Minimum Wage.\n\n## Paid by the hour\n\nWorkers paid according to the number of hours they are at work are classed as doing \u2018time work\u2019.\n\nFor these workers, the average hourly pay has to be at least the National Minimum Wage, worked out over the period each pay packet covers - so for a worker who gets paid once a month, this period will be 1 month.\n\nUse the National Minimum Wage calculator to check if payments are at least at the minimum wage.\n\n## Paid an annual salary\n\nMost people paid an annual salary are classed as doing \u2018salaried hours work\u2019.\n\nTo find out if they are getting the minimum wage you must work out how many basic hours they work in return for their salary.\n\nSomeone is usually doing salaried hours work if all of the following apply:\n\n- their contract states how many hours they must work in return for their salary (their basic hours)\n\n- they\u2019re paid in equal, regular instalments through the year, for example monthly or every 4 weeks\n\n- there is no more than a month between each payment\n\n- they do not get paid more than once a week\n\nIf someone is paid monthly they do not need to be paid exactly the same amount each month, but they must get the same total amount every 3 months (each quarter of the year).\n\nSalaried hours workers\u2019 contracts might not state the total number of basic hours the worker must work over the entire year, but you must be able to work this out from the contract.\n\nFor example, if a contract states the days of the week someone is expected to work and the basic hours for each day, you can use this to work out the total basic hours someone is expected to work over the year.\n\nYou can then use this figure to make sure the rate of pay is at least the minimum wage.\n\n## Work out the hourly rate\n\n- Find the basic annual hours in the worker\u2019s contract.\n\n- Divide this by the number of times they get paid each year (for example 12 if they get paid monthly) - this gives you the average number of hours covered by each pay packet.\n\n- Divide the amount they get in each pay packet by this number (average hours). This gives you the worker\u2019s hourly rate.\n\nIf you know how many basic hours someone works for each payment they get, you can use the National Minimum Wage calculator to check if they\u2019re paid the minimum wage.\n\n## Extra hours\n\nEmployers must pay at least the minimum wage for any hours worked in addition to what\u2019s agreed in the worker\u2019s contract.\n\n## Other salaried workers\n\nSome people paid a salary may not be salaried hours workers, for example if there is more than a month between each payment.\n\nThese people are usually classed as doing \u2018time work\u2019 when working out if they are paid minimum wage or not.\n\n## Paid per task or piece of work done\n\nWorkers paid per task they perform or piece of work they do (known as piece work) are classed as doing \u2018output work\u2019.\n\nThey must be paid either:\n\n- at least the minimum wage for every hour worked\n\n- a \u2018fair rate\u2019 for each task or piece of work they do\n\nOutput work can usually only be used in limited situations when the employer does not know which hours the worker does (such as with some home workers).\n\nThe work is not classed as output work if the employer sets either:\n\n- a minimum or maximum time the worker must work\n\n- the start and finish times for a period of work\n\nIf the employer sets the times of work this counts as \u2018time work\u2019.\n\n## Fair rate\n\nThe fair rate is the amount that must be paid for each piece of work, to make sure someone working at an average speed is paid at least the minimum wage per hour.\n\nThere is a way to work out the fair rate per piece of work done which employers must follow.\n\n## Work out the average rate of work per hour\n\nEmployers must carry out a fair test to find out how many tasks or pieces an average worker completes in an hour (the average rate of work).\n\n- Test some or all of the workers. The group you test must be typical of the whole workforce - not just the most efficient or fastest ones.\n\n- Work out how many pieces of work have been completed in a normal working hour.\n\n- Divide this by the number of workers to work out the average rate.\n\n- If the work changes significantly, do another test to work out the new average rate. It\u2019s not necessary to do another test if the same work is being done in a different environment, for example work previously done in a factory being done at home.\n\n## Work out the fair rate\n\n- Divide the average rate of work by 1.2 (this means new workers will not be disadvantaged if they\u2019re not as fast as the others yet).\n\n- Divide the hourly minimum wage rate by that number to work out the fair rate for each piece of work completed.\n\nIf an agricultural worker was employed before 2013 or is in Wales, they may be entitled to the Agricultural Minimum Wage. There are also different rules and rates for agricultural workers in Scotland and Northern Ireland.\n\n## Give notice of fair rate\n\nTo use a fair rate an employer must give each worker a written notice before they start work for the first time.\n\nThe notice must:\n\n- say that the worker will be paid for producing a piece of work or completing a task, for example picking a certain amount of fruit\n\n- say that to calculate whether minimum wage is being paid it\u2019s assumed the task will take an average time to complete\n\n- confirm if the average time to complete the task has been tested or is an estimate\n\n- say how many tasks or pieces of work it\u2019s assumed someone can complete in an hour\n\n- give the amount to be paid for each piece that the worker completes\n\n- include the ACAS helpline number, which is 0300 123 1100\n\nIf employers do not give a worker a complete notice then the worker is entitled to be paid by the hour instead.\n\n## Paid in other ways (unmeasured work)\n\nIf the work is not covered by any of the other types of work, it\u2019s \u2018unmeasured work\u2019.\n\nUnmeasured work includes being paid a set amount to do a particular task, for instance being paid \u00a3500 to lay a patio, regardless of how long it takes.\n\nTo work out the minimum wage for unmeasured work, either:\n\n- record every hour worked and use the National Minimum Wage calculator to make sure the worker gets the minimum wage\n\n- make a \u2018daily average agreement of hours\u2019\n\n## Daily average agreement of hours\n\nThis is when the employer and worker agree a typical number of hours per day they expect to work on average. One agreement can cover several pay reference periods (for example, weeks if the worker\u2019s paid weekly) if there\u2019s no change in the average number of hours.\n\nDaily average agreements of hours must:\n\n- be agreed in writing\n\n- be made before the start of the pay reference period they cover\n\n- say how many hours the work should take each day (on average)\n\nThe employer must be able to prove that the number of hours worked on average is realistic.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "answerable": true, + "scenario": "I am an owner of a business. I usually pay my employees every time they complete a task set for them. My employees have been given a minimum 5 hour day for work. I have been working out their pay using the fair rate based on it being 'output work', but I have been told this is wrong.", + "original_question": "Is my employees work considered 'output work'?" + }, + { + "id": "train-622", + "question": "Scenario: We have a grievance hearing setup with an employee. The employee has failed to attend multiple grievance hearings, despite rearranging dates and times.\n\nQuestion: Can we proceed with a decision in their absence?\n\nDocument - Handling an employee's grievance:\n## Overview\n\nIf your employee has a concern or problem that they haven\u2019t been able to resolve informally, they may make a formal grievance complaint to you.\n\nBusinesses must have a written grievance procedure in place and share it with all employees. It must say how the process works and how long it takes.\n\nAfter a hearing of the evidence, you should let the employee know your decision in writing. If they aren\u2019t happy with the decision, they can appeal.\n\n## Grievance procedure\n\nBy law employers must set out a grievance procedure and share it in writing with all employees, eg in their statement of employment or staff handbook. It must include:\n\n- who the employee should contact about a grievance\n\n- how to contact this person\n\nIt should also:\n\n- say that if the problem can\u2019t be resolved informally, there will be a meeting with the employee, called a grievance hearing\n\n- set out time limits for each stage of the process\n\n- identify who to contact if the normal contact person is involved in the grievance\n\n- explain how to appeal a grievance decision\n\n- state that employees can be accompanied in any meetings by a colleague or union representative\n\n- outline what happens if a grievance is raised during disciplinary action\n\nYou don\u2019t have to include information about the grievance procedure in employment contracts. However, if you do, you must follow the procedure, or the employee could bring a breach of contract claim against you.\n\n## Acas Code of Practice\n\nThe Acas Code of Practice isn\u2019t legally binding. However, an employment tribunal can reduce or increase any money awarded in a case by up to 25% if the code hasn\u2019t been followed.\n\n## The grievance hearing\n\n## Preparing for the hearing\n\nBefore holding a hearing, employers should:\n\n- give the employee notice so that they can prepare their case\n\n- carry out a full investigation if necessary and take statements from any witnesses who cannot attend\n\n- make it clear that the employee can bring a colleague or union representative if they want to\n\n- arrange for another manager to attend to make sure that the hearing is conducted properly\n\n- arrange for someone to take notes\n\n## Delays\n\nIf the employee cannot attend the hearing (eg because they are ill), offer them a reasonable alternative date and time.\n\nThe employee can also suggest a different time for the hearing if the person accompanying them cannot attend. They must do this within 5 working days after you proposed the original meeting time.\n\nYou can make your decision without having a hearing if:\n\n- you have already rearranged the meeting, but the employee fails to attend\n\n- the employee is on long-term sick leave and unable to go to meetings in the near future (they can supply written information instead if they want to)\n\n## Employers' decisions and appeals\n\n## After the hearing\n\nYou should give the employee a copy of the meeting records. You may be able to leave out some information in certain circumstances (eg to protect a witness).\n\nAfter you have decided the action to take, write to the parties involved, setting out:\n\n- your decision and the reasons behind it\n\n- the appeals process and deadline\n\nIf there are any delays during the appeal process, it\u2019s important that you tell the employee as soon as possible.\n\n## Appeals\n\nIf the employee appeals, there should be another hearing to re-examine the decision. The process is the same as the original hearing but you should also look at:\n\n- the reasoning behind the appeal\n\n- any new evidence\n\nIf possible, the appeal should not be heard by the same person who held the original hearing.\n\nAfter the appeal hearing, you should set out your decision in writing and state that this is the final outcome.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/handling-employee-grievance", + "answerable": true, + "scenario": "We have a grievance hearing setup with an employee. The employee has failed to attend multiple grievance hearings, despite rearranging dates and times.", + "original_question": "Can we proceed with a decision in their absence?" + }, + { + "id": "train-624", + "question": "Scenario: I am a 24 year old student. My course started on the 5th April 2021. At this time, I did not apply for student finance. It is now the 31st July 2021, and I am now looking to apply for student finance.\n\nQuestion: Can I still apply for a student loan for my course?\n\nDocument - Student finance: how to apply:\n## How to apply\n\nHow you apply depends on whether you have studied before and your nationality.\n\n## New students from England\n\nMost full-time and part-time students can apply online to Student Finance England.\n\n- Set up a student finance online account.\n\n- Log in and complete the online application.\n\n- Include your household income if needed. Your parent or partner will be asked to confirm these details.\n\n- Send in proof of identity, if needed.\n\nIf you cannot apply online, use the form finder to get the forms you need. You can call Student Finance England if you want to apply online but you cannot use a computer without help.\n\n## Continuing students from England\n\nYou\u2019re a continuing student if you are:\n\n- moving on to the next year of your course\n\n- repeating a year of the same course or returning to a course after taking time out\n\n- transferring onto a new course from your old course\n\nYou should log in to your student finance account and apply online.\n\n## If you\u2019re returning to study after taking time out for personal reasons\n\nThere\u2019s a different process if you have studied for more than one year before and you\u2019re going back to your studies after stopping your course because of personal reasons. This could be for things like if you were ill, pregnant, caring for someone or someone close to you died.\n\nYou should log in to your student finance account and apply online.\n\nYou must also send a letter explaining why you suspended your studies with supporting evidence.\n\nThe letter must include:\n\n- your customer reference number for student finance\n\n- an explanation of your situation and why you had to suspend your studies\n\nSupporting evidence can include:\n\n- a letter from your doctor or social services on headed paper\n\n- a letter from your university or college on headed paper\n\n- copies of birth or death certificates\n\nYou might need to send more than one piece of evidence if it helps you to show why you stopped your course.\n\nUse your online account to send the letter and evidence to Student Finance England, or send it by post.\n\nStudent Finance England will send you a letter confirming how much you\u2019ll get, usually within 8 weeks.\n\n## Scotland, Wales and Northern Ireland\n\nThere\u2019s a different process for students from Scotland, Wales and Northern Ireland.\n\n## New EU students\n\nIf you\u2019re applying for tuition fee support and help with living costs, apply online.\n\nIf you\u2019re applying for tuition fee support only, apply by post.\n\nYou\u2019ll get a letter confirming how much you\u2019ll get, usually within 6 weeks.\n\n## Continuing EU students\n\nIf you\u2019re applying for tuition fee support and help with living costs, apply online.\n\nIf you\u2019re applying for tuition fee support only, you\u2019ll be sent application forms to fill in and return by post. Check your address is up to date in your student finance account.\n\n## When to apply\n\nYou can apply for the following academic years:\n\n- 2021 to 2022 (part-time students can apply from summer 2021)\n\n- 2020 to 2021\n\nYou can still apply for funding up to 9 months after the first day of the academic year for your course.\n\n| Course start date | Apply by |\n\n| Between 1 August and 31 December | 31 May after your course started |\n\n| Between 1 January and 31 March | 30 September after your course started |\n\n| Between 1 April and 30 June | 31 December after your course started |\n\n| Between 1 July and 31 July | 31 March after your course started |\n\nYou do not need a confirmed place to apply.\n\n## EU students\n\nIf you\u2019re an EU student applying for 2021 to 2022, when and how you apply depends on the type of support you want.\n\n## Full-time students\n\nIf you\u2019re applying for tuition fee support and help with living costs, you can apply online now.\n\nIf you\u2019re applying for tuition fee support only, you can apply by post now.\n\n## Part-time students\n\nIf you\u2019re applying for tuition fee support and help with living costs, you can apply online from summer 2021.\n\nIf you\u2019re applying for tuition fee support only, you can apply by post from summer 2021.\n\n## Proof of identity\n\n## Students from England\n\nInclude your valid UK passport details in your application the first time you apply. Fill in the passport details form - do not send the passport itself.\n\n| Academic year | Form |\n\n| 2021 to 2022 | UK passport details form 2021 to 2022 (PDF, 49KB) |\n\n| 2020 to 2021 | UK passport details form 2020 to 2021 (PDF, 41KB) |\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\n## EU students\n\nSend your non-UK passport or identity card the first time you apply.\n\n## Where to send your documents\n\nAny original documents you send will be returned to you within 4 weeks.\n\n## Students from England\n\n## EU students\n\n## Household income\n\nYou must provide your household income if you apply for any of the following:\n\n- full Maintenance Loan\n\n- Maintenance Grant - not available if your course started on or after 1 August 2016\n\n- Special Support Grant - not available if your course started on or after 1 August 2016\n\n- Childcare Grant\n\n- Adult Dependants\u2019 Grant\n\n- Parents\u2019 Learning Allowance\n\nYou\u2019ll need to provide your household income for tax year:\n\n- 2019 to 2020 if you\u2019re applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if you\u2019re applying for the 2020 to 2021 academic year\n\nAfter you apply, Student Finance England will ask the people in your household to confirm their income. They might need to provide evidence.\n\n## What counts as household income\n\nYour household income includes any of the following that apply:\n\n- your parents\u2019 income, if you\u2019re under 25 and live with them or depend on them financially\n\n- the combined income of one of your parents and their partner, if you\u2019re under 25 and live with them or depend on them financially\n\n- your partner\u2019s income, if you\u2019re over 25 and live with them (even if they spend most of their time abroad)\n\n- income you get from your own savings, investments or property, for example dividends or rent\n\nIf you\u2019ve supported yourself financially for at least 3 years or had no contact with your parents for over a year, you might be able to apply as an \u2018independent student\u2019.\n\n## Change an application\n\nYou must say if any details in your application change. You\u2019ll need to report some changes yourself. Your parents, partner or sponsor will need to report others.\n\n## Changes you must report\n\n## Full time students\n\nUse your online account to tell Student Finance England if:\n\n- you\u2019ve changed your course, university or college\n\n- you\u2019re repeating a year\n\n- you\u2019ve changed your name or marital status\n\n- your Tuition Fee Loan amount has changed\n\n- you\u2019re living somewhere new\n\n## Part-time students and EU students\n\nIf you\u2019re a part-time or EU student, you\u2019ll need to fill in form CO2 or EUCO1 instead.\n\n| | Student type | Form |\n\n| 2020 to 2021 academic year | Part-time student | CO2 form for 2020 to 2021 (PDF, 94KB) |\n\n| 2019 to 2020 academic year | Part-time student | CO2 form for 2019 to 2020 (PDF, 85KB) |\n\n| 2021 to 2022 academic year | EU student | EUCO1 form for 2021 to 2022 (PDF, 136KB) |\n\n| 2020 to 2021 academic year | EU student | EUCO1 form for 2020 to 2021 (PDF, 146KB) |\n\nUse your online account to send the form to Student Finance England, or send it by post. The address is on the form.\n\nAfter your course starts you can contact your university or college to change or repeat your course or change your Tuition Fee Loan.\n\n## If you\u2019ve changed your name or marital status\n\nYou must write and tell Student Finance England if you\u2019ve changed your name or marital status. The letter must include:\n\n- your customer reference number\n\n- the date\n\n- your signature\n\n- evidence that you\u2019ve changed your name or marital status\n\nIf you\u2019ve changed your name you must include a copy of one of the following with your letter:\n\n- marriage certificate\n\n- decree absolute\n\n- change of name deed - it must be an enrolled deed poll\n\nIf you\u2019ve changed your marital status, you must include a copy of one of the following with your letter:\n\n- marriage certificate\n\n- decree absolute\n\n- civil partnership final order\n\nUse your online account to send the letter and evidence to Student Finance England, or send it by post.\n\nIf you cannot provide the right document, contact Student Finance England.\n\n## Changes your parents, partner or sponsor must report\n\n## If your household income changes\n\nYour parents or partner must:\n\n- correct any mistakes relating to their household income\n\n- tell Student Finance England if they think their household income will be at least 15% lower than the tax year they submitted details for\n\n## If your parents or sponsor have another child\n\nYour parents or sponsor must tell Student Finance England if they have any more children.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-for-student-finance", + "answerable": true, + "scenario": "I am a 24 year old student. My course started on the 5th April 2021. At this time, I did not apply for student finance. It is now the 31st July 2021, and I am now looking to apply for student finance.", + "original_question": "Can I still apply for a student loan for my course?" + }, + { + "id": "train-627", + "question": "Scenario: My wife is pregnant. I am an employee who currently earns \u00a3550 per week. I have been working for this employer for five years. I want to take time off to look after my new child when it is born.\n\nQuestion: Am I eligible for statutory paternity pay?\n\nDocument - Statutory Paternity Pay and Leave: employer guide:\n## Entitlement\n\nEmployees may be eligible for Statutory Paternity Leave and Pay if they and their partner are:\n\n- having a baby\n\n- adopting a child\n\n- having a baby through a surrogacy arrangement\n\n## Statutory Paternity Leave\n\nEmployees can choose to take either 1 week or 2 consecutive weeks\u2019 leave. The amount of time is the same even if they have more than one child (for example twins).\n\nLeave cannot start before the birth. The start date must be one of the following:\n\n- the actual date of birth\n\n- an agreed number of days after the birth\n\n- an agreed number of days after the expected week of childbirth\n\nLeave must finish within 56 days of the birth (or due date if the baby is early). The start and end dates are different if the employee is adopting.\n\n## Statutory Paternity Pay\n\nStatutory Paternity Pay for eligible employees is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator.\n\nSome employment types, like agency workers, directors and educational workers, have different rules for entitlement.\n\n## Extra leave or pay\n\nEmployees can get more leave or pay if:\n\n- their partner returns to work and they qualify for Shared Parental Leave and Pay\n\n- your company scheme offers more\n\nYou must make sure your paternity leave and pay policies are clear and easily accessible to staff.\n\n## Leave for antenatal appointments\n\nEmployees can take unpaid leave to accompany a pregnant woman to antenatal appointments if they are:\n\n- the baby\u2019s father\n\n- the expectant mother\u2019s spouse or civil partner\n\n- in a long term relationship with the expectant mother\n\n- the intended parent (if they\u2019re having a baby through a surrogacy arrangement)\n\nThey can accompany the woman to 2 appointments of up to 6 and a half hours each.\n\n## If the baby dies\n\nEmployees still qualify for paternity leave and pay if the baby is either:\n\n- stillborn from 24 weeks of pregnancy\n\n- born alive at any point in the pregnancy but later dies\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during paternity leave. You still have to pay Statutory Paternity Pay even if you stop trading.\n\n## Eligibility\n\nEmployees must be one of the following, the:\n\n- father\n\n- husband or partner of the mother (or adopter)\n\n- child\u2019s adopter\n\n- intended parent (if they\u2019re having a baby through a surrogacy arrangement)\n\nEmployees must also:\n\n- be classed as an employee (paternity leave only)\n\n- be employed by you up to the date the child is born (or placed with the adopter) (paternity pay only)\n\n- be on your payroll and earn at least \u00a3120 a week (gross) in an 8 week \u2018relevant period\u2019 (paternity pay only)\n\n- give you the correct notice\n\n- be taking time off to look after the child or their partner\n\n- be responsible for the child\u2019s upbringing\n\n- have been continuously employed by you for at least 26 weeks up to any day in the \u2018qualifying week\u2019\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nThe qualifying week is the 15th week before the baby is due. This is different if the employee is adopting.\n\nUse the paternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and paternity pay.\n\nThere are special rules for some employee situations, for example if they leave or become sick.\n\n## If the child is born early\n\nIf the child is born early, the employee is still eligible if they would have worked for you continuously for at least 26 weeks by the qualifying week.\n\nFor very premature births where the child is born 15 weeks before the due date, you\u2019ll need to calculate paternity pay using your payroll software (if it has this feature) or work it out manually.\n\n## Employees in surrogacy arrangements\n\nParents intending to have a child through a surrogacy arrangement may be eligible for Statutory Paternity Pay and Leave.\n\nIf you ask, they must give you a written statement to confirm that they\u2019ve applied or intend to apply for a parental order in the 6 months after the baby\u2019s birth.\n\nEmployees cannot get Statutory Paternity Pay and Leave if they\u2019ve taken Shared Parental Leave.\n\n## Notice period\n\nThe notice periods and forms are different if the employee is adopting.\n\n## Statutory Paternity Leave\n\nEmployees must tell you at least 15 weeks before the week the baby is expected:\n\n- the baby\u2019s due date\n\n- when they want their leave to start - they can change this with 28 days\u2019 notice\n\n- how much leave they want\n\nNotice does not have to be in writing unless you request it. Employees can use form SC3 to ask for leave and pay.\n\n## Statutory Paternity Pay\n\nEmployees must request paternity pay at least 15 weeks before the week the baby is expected using form SC3 (or your own version). Take a copy and give the original back to the employee.\n\nEmployees having a baby through a surrogacy arrangement must use form SC4 to request leave and pay.\n\n## Late notice\n\nYou can delay the leave or pay start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.\n\n## Adoption\n\nEligible employees are entitled to paternity leave and pay if they\u2019re adopting a child.\n\nCalculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator. For overseas adoptions you\u2019ll need to use your payroll software (if it has this feature) or work it out manually.\n\n## Eligibility\n\nAn employee adopting a child must:\n\n- have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child (UK adoptions)\n\n- have been continuously employed by you for at least 26 weeks by either the date the child arrives in the UK or when they want their pay to start (overseas adoptions)\n\n- confirm that their partner is getting Statutory Adoption Pay in writing or by giving you a copy of their partner\u2019s form SC6\n\n- meet the other eligibility conditions for paternity leave or pay\n\n## Notice period\n\nAn employee adopting a child must send you form SC4 for:\n\n- leave - no later than 7 days of their co-adopter or partner being matched with a child\n\n- pay - 28 days before they want their pay to start\n\nFor overseas adoptions the form and notice period is different. The process is explained on form SC5.\n\n## Leave start date\n\nAn employee taking paternity leave because they\u2019re adopting can start their leave:\n\n- on the date of placement\n\n- an agreed number of days after the date of placement\n\n- on the date the child arrives in the UK or an agreed number of days after this (overseas adoptions)\n\nFor overseas adoptions leave must be taken within 56 days of the date of placement or the child\u2019s arrival in the UK.\n\n## Proof of adoption\n\nEmployees must give you proof of adoption to qualify for paternity pay. Proof is not needed for paternity leave unless you request it. Proof can be a letter from their adoption agency or their matching certificate.\n\nYou must keep records of the proof.\n\n## Refuse pay form SPP1\n\nYou can refuse Statutory Paternity Pay if the employee does not qualify. To do this send them form SPP1 within 28 days of their pay request. You must keep a copy.\n\nThe employee can ask you for a written statement explaining your decision. You have to give this to them within a reasonable time, for example 7 working days.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the date Statutory Paternity Pay started\n\n- the paternity payments you\u2019ve made (including dates)\n\n- the payments you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\n- if adopting, a letter from the adoption agency or a matching certificate\n\nYou must keep records for 3 years from the end of the tax year they relate to (for example by using form SPP2 or keeping your own records).\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "answerable": true, + "scenario": "My wife is pregnant. I am an employee who currently earns \u00a3550 per week. I have been working for this employer for five years. I want to take time off to look after my new child when it is born.", + "original_question": "Am I eligible for statutory paternity pay?" + }, + { + "id": "train-629", + "question": "Scenario: I want to ask my employer to set up a European Works Council. The company has 1,200 employees, which are situated in Germany and Austria.\n\nQuestion: Am I able to ask my employer to set up an EWC?\n\nDocument - Ask your employer to set up a European Works Council:\n## Overview\n\nYou can ask your employer to set up a European Works Council (EWC) if you work for a company with offices across the European Economic Area (EEA).\n\nAn EWC is a forum where your company can:\n\n- tell you about plans and decisions at the same time as employees in other countries - this is known as being informed\n\n- exchange views with you in the same way as employees in other countries - this is known as being consulted\n\nAn EWC only informs and consults on issues that affect more than one country where the business operates.\n\n## Who can ask for a European Works Council\n\nYou can ask your employer to set up an EWC if they have:\n\n- at least 1,000 employees in the EEA\n\n- 150 employees in each of at least 2 countries in the EEA\n\nYou can write to your employer to find out information, for example how many employees it has or where it operates, to help you make your request.\n\nYour employer can also set up an EWC without waiting for a request.\n\n## After you\u2019ve made your request\n\nYour employer will set up a special negotiating body (SNB) to negotiate an EWC agreement with central management of the business.\n\nYou can complain about the way an EWC has been set up or run.\n\n## Make a request\n\nWrite to your employer to ask them to set up a European Works Council (EWC).\n\nIt must be backed by at least 100 employees from at least 2 European Economic Area (EEA) sites.\n\nSend it to the central or local management of the business.\n\nYour employer can challenge your request for an EWC if:\n\n- they think the request is not valid, for example because the business does not employ enough people\n\n- there\u2019s an existing information and consultation agreement\n\n## After you've made your request\n\nAfter your request for a European Works Council (EWC) is accepted, your employer must set up a special negotiating body (SNB). The SNB will discuss how the EWC will be set up and run with the central management. The time limit for negotiations is 3 years.\n\nThe SNB must:\n\n- have at least one member from each of the countries where the business has a site\n\n- be set up within 6 months from when the request for an EWC was accepted\n\n## If there\u2019s an agreement\n\nYou\u2019ll get a written agreement for either:\n\n- an EWC\n\n- one or more alternative information and consultation arrangements\n\n## If an agreement is not made\n\nThe SNB can only end negotiations or decide not to open negotiations after a ballot has been held and a two-thirds majority reached. You\u2019ll have to wait 2 years to make a new application.\n\n## Make a complaint\n\nComplain in writing to the Central Arbitration Committee (CAC) about the way a European Works Council (EWC) has been set up or run.\n\n## Complaints about requests for information\n\nYou can complain if your employer:\n\n- does not provide information about the size or structure of the company\n\n- provides inaccurate information about the size or structure of the company\n\nYou must wait a month after making a formal request for an EWC before you can complain.\n\n## Complaints about creating the Special Negotiating Body\n\nYou can complain about incorrect ballot arrangements to create a special negotiating body (SNB).\n\n## Complaints about creating the European Works Council\n\nYou can complain that:\n\n- an EWC has not been set up even though there have been negotiations\n\n- your employer has not followed the right procedure for running an EWC\n\n## How to complain\n\nWrite to CAC and include the following information:\n\n- the name, job and full contact details of the person making a complaint and the person or business you\u2019re complaining about\n\n- the right regulation number for the complaint you\u2019re making\n\n- the reasons for your complaint\n\nSend your complaint by email or by post to CAC.\n\nCAC will get in touch for more information as they need it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-european-works-council", + "answerable": true, + "scenario": "I want to ask my employer to set up a European Works Council. The company has 1,200 employees, which are situated in Germany and Austria.", + "original_question": "Am I able to ask my employer to set up an EWC?" + }, + { + "id": "train-632", + "question": "Scenario: My brother has been working in a construction firm for 1 year as a worker. Due to the covid pandemic the business has gone low and he has been laid off.\n\nQuestion: Can he claim for statutory redundancy pay?\n\nDocument - Employment status:\n## Overview\n\nIn employment law a person\u2019s employment status helps determine:\n\n- their rights\n\n- their employer\u2019s responsibilities\n\nA person may have a different employment status in tax law.\n\nThe main types of employment status are:\n\n- worker\n\n- employee\n\n- self-employed and contractor\n\n- director\n\n- office holder\n\nContact Acas (or the Labour Relations Agency in Northern Ireland) for advice about employment status, employee rights or employer responsibilities.\n\nCourts and tribunals can make final decisions on employment status.\n\n## Worker\n\nA person is generally classed as a \u2018worker\u2019 if:\n\n- they have a contract or other arrangement to do work or services personally for a reward (your contract doesn\u2019t have to be written)\n\n- their reward is for money or a benefit in kind, for example the promise of a contract or future work\n\n- they only have a limited right to send someone else to do the work (subcontract)\n\n- they have to turn up for work even if they don\u2019t want to\n\n- their employer has to have work for them to do as long as the contract or arrangement lasts\n\n- they aren\u2019t doing the work as part of their own limited company in an arrangement where the \u2018employer\u2019 is actually a customer or client\n\n## Employment rights\n\nWorkers are entitled to certain employment rights, including:\n\n- getting the National Minimum Wage\n\n- protection against unlawful deductions from wages\n\n- the\u00a0statutory minimum level of paid holiday\n\n- the statutory minimum length of rest breaks\n\n- to not work more than 48 hours on average per week or to opt out of this right if they choose\n\n- protection against unlawful discrimination\n\n- protection for \u2018whistleblowing\u2019 - reporting wrongdoing in the workplace\n\n- to not be treated less favourably if they work part-time\n\nThey may also be entitled to:\n\n- Statutory Sick Pay\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Shared Parental Pay\n\nAgency workers have specific rights from the first day at work.\n\nWorkers usually aren\u2019t entitled to:\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\n## Casual or irregular work\n\nSomeone is likely to be a worker if most of these apply:\n\n- they occasionally do work for a specific business\n\n- the business doesn\u2019t have to offer them work and they don\u2019t have to accept it - they only work when they want to\n\n- their contract with the business uses terms like \u2018casual\u2019, \u2018freelance\u2019, \u2018zero hours\u2019, \u2018as required\u2019 or something similar\n\n- they had to agree with the business\u2019s terms and conditions to get work - either verbally or in writing\n\n- they are under the supervision or control of a manager or director\n\n- they can\u2019t send someone else to do their work\n\n- the business deducts tax and National Insurance contributions from their wages\n\n- the business provides materials, tools or equipment they need to do the work\n\n## Employee\n\nAn employee is someone who works under an employment contract.\n\nA person may be an employee in employment law but have a different status for tax purposes. Employers must work out each worker\u2019s status in both employment law and tax law.\n\n## Employment rights\n\nAll employees are workers, but an employee has extra employment rights and responsibilities that don\u2019t apply to workers who aren\u2019t employees.\n\nThese rights include all of the rights workers have and:\n\n- Statutory Sick Pay\n\n- statutory maternity, paternity, adoption and shared parental leave and pay (workers only get pay, not leave)\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\nSome of these rights require a minimum length of continuous employment before an employee qualifies for them. An employment contract may state how long this qualification period is.\n\n## Working out employment status for an employee\n\nSomeone who works for a business is probably an employee if most of the following are true:\n\n- they\u2019re required to work regularly unless they\u2019re on leave, for example holiday, sick leave or maternity leave\n\n- they\u2019re required to do a minimum number of hours and expect to be paid for time worked\n\n- a manager or supervisor is responsible for their workload, saying when a piece of work should be finished and how it should be done\n\n- they can\u2019t send someone else to do their work\n\n- they get paid holiday\n\n- they\u2019re entitled to contractual or Statutory Sick Pay, and maternity or paternity pay\n\n- they can join the business\u2019s pension scheme\n\n- the business\u2019s disciplinary and grievance procedures apply to them\n\n- they work at the business\u2019s premises or at an address specified by the business\n\n- their contract sets out redundancy procedures\n\n- the business provides the materials, tools and equipment for their work\n\n- they only work for the business or if they do have another job, it\u2019s completely different from their work for the business\n\n- their contract, statement of terms and conditions or offer letter (which can be described as an \u2018employment contract\u2019) uses terms like \u2018employer\u2019 and \u2018employee\u2019\n\nIf most of these don\u2019t apply, you should work out if the person is self-employed.\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Employee shareholders\n\nAn employee shareholder is someone who works under an employment contract and owns at least \u00a32,000 worth of shares in the employer\u2019s company or parent company.\n\n## Employment rights\n\nEmployee shareholders have most of the same employment rights as workers and employees.\n\nThey also have the right to collective redundancy consultation and transfer of undertakings (TUPE) - this protects the employee\u2019s terms and conditions when the business is transferred to a new owner.\n\nEmployee shareholders don\u2019t have these rights:\n\n- protection against unfair dismissal - apart from dismissal on grounds of discrimination and in relation to health and safety\n\n- statutory redundancy pay\n\n- the right to request flexible working - except in the 2 weeks after returning from parental leave\n\n- certain statutory rights to request time off for training\n\nEmployee shareholders must give 16 weeks notice if they want to come back early from maternity leave, additional paternity leave and adoption leave.\n\nEmployers can choose more generous employment rights than the statutory ones.\n\n## Tax relief and obligations\n\nEmployee shareholders can get tax relief on the first \u00a32,000 of shares they get before 1 December 2016.\n\nEmployee shareholders must pay tax on buying and selling shares.\n\nHM Revenue and Customs (HMRC) has further guidance on tax relief for employee shareholders.\n\n## Applying for employment shareholder jobs\n\nAnyone can apply for an employee shareholder job.\n\nPeople claiming Jobseeker\u2019s Allowance don\u2019t have to apply for an employee shareholder job that Jobcentre Plus have told them about.\n\nExisting employees don\u2019t have to accept a change to an employment contract to become an employee shareholder if they don\u2019t want to.\n\n## Offering employment shareholder status\n\nEmployers must following certain rules when offering employment shareholder status to their employees.\n\n## Self-employed and contractor\n\nA person is self-employed if they run their business for themselves and take responsibility for its success or failure.\n\nSelf-employed workers aren\u2019t paid through PAYE, and they don\u2019t have the employment rights and responsibilities of employees.\n\nSomeone can be both employed and self-employed at the same time, for example if they work for an employer during the day and run their own business in the evenings.\n\n## Employment rights\n\nEmployment law doesn\u2019t cover self-employed people in most cases because they are their own boss.\n\nHowever, if a person is self-employed:\n\n- they still have protection for their health and safety and, in some cases, protection against discrimination\n\n- their rights and responsibilities are set out by the terms of the contract they have with their client\n\n## Working out if someone is self-employed\n\nHM Revenue and Customs (HMRC) may regard someone as self-employed for tax purposes even if they have a different status in employment law.\n\nEmployers should check if a worker is self-employed in:\n\n- tax law - whether they\u2019re exempt from PAYE\n\n- employment law - whether they have an employee\u2019s rights\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Checking if they\u2019re exempt from PAYE\n\nSomeone is probably self-employed and shouldn\u2019t be paid through PAYE if most of the following are true:\n\n- they\u2019re in business for themselves, are responsible for the success or failure of their business and can make a loss or a profit\n\n- they can decide what work they do and when, where or how to do it\n\n- they can hire someone else to do the work\n\n- they\u2019re responsible for fixing any unsatisfactory work in their own time\n\n- their employer agrees a fixed price for their work - it doesn\u2019t depend on how long the job takes to finish\n\n- they use their own money to buy business assets, cover running costs, and provide tools and equipment for their work\n\n- they can work for more than one client\n\nYou can check someone\u2019s employment status:\n\n- online\n\n- by phone\n\nThere are special rules for businesses supplying workers, for example an employment agency.\n\n## Checking their employment rights\n\nSomeone is probably self-employed and doesn\u2019t have the rights of an employee if they\u2019re exempt from PAYE and most of the following are also true:\n\n- they put in bids or give quotes to get work\n\n- they\u2019re not under direct supervision when working\n\n- they submit invoices for the work they\u2019ve done\n\n- they\u2019re responsible for paying their own National Insurance and tax\n\n- they don\u2019t get holiday or sick pay when they\u2019re not working\n\n- they operate under a contract (sometimes known as a \u2018contract for services\u2019 or \u2018consultancy agreement\u2019) that uses terms like \u2018self-employed\u2019, \u2018consultant\u2019 or an \u2018independent contractor\u2019\n\n## Contractors\n\nA contractor can be:\n\n- self-employed\n\n- a worker or an employee if they work for a client and are employed by an agency\n\nThere\u2019s a special scheme for self-employed contractors and sub-contractors working in the construction industry called the Construction Industry Scheme (CIS).\n\n## If someone becomes self-employed\n\nA worker must tell HMRC if they become self-employed.\n\n## Director\n\nCompany directors run limited companies on behalf of shareholders.\n\nDirectors have different rights and responsibilities from employees, and are classed as office holders for tax and National Insurance contribution purposes.\n\nIf a person does other work that\u2019s not related to being a director, they may have an employment contract and get employment rights.\n\n## Office holder\n\nA person who\u2019s been appointed to a position by a company or organisation but doesn\u2019t have a contract or receive regular payment may be an office holder. This includes:\n\n- statutory appointments, such as registered company directors or secretaries, board members of statutory bodies, or crown appointments\n\n- appointments under the internal constitution of an organisation, such as club treasurers or trade union secretaries\n\n- appointments under a trust deed, such as trustees\n\n- ecclesiastical appointment, such as members of the clergy\n\nOffice holders are neither employees nor workers. However, it\u2019s possible for someone to be an office holder and an employee if they have an employment contract with the same company or organisation that meets the criteria for employees.\n\n## Working out employment status for an office holder\n\nSomeone is likely to be an office holder if most of these statements apply to them:\n\n- there is no contract or service agreement relating to their appointment\n\n- their duties are minimal, and are only those required under the relevant statute, constitution or trust deed\n\n- they don\u2019t get a salary or any other form of regular payment for their services\n\n- the only payment they get is a voluntary payment (honorarium), regardless of the work they do - tax and National Insurance are deducted by the appointing body\n\n- they\u2019re effectively working as an independent office, and are not under the close supervision or control of the appointing body\n\n## Legal decisions on employment status\n\nA court or employment tribunal (known as an industrial tribunal in Northern Ireland) can make a final decision on employment status for employment rights purposes. They\u2019ll look at how the employment relationship between the person and the business works in practice.\n\nHM Revenue and Customs (HMRC) may separately argue that someone is self-employed for tax purposes. This may be confirmed by the tax tribunal and the courts.\n\nAn employment tribunal or court may still make a decision that someone is a worker or employee for employment rights purposes.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employment-status", + "answerable": true, + "scenario": "My brother has been working in a construction firm for 1 year as a worker. Due to the covid pandemic the business has gone low and he has been laid off.", + "original_question": "Can he claim for statutory redundancy pay?" + }, + { + "id": "train-634", + "question": "Scenario: I am from Italy. I came to UK last year to study BSc Electronics. I am struggling to cover my fees and require some financial help\n\nQuestion: Can I apply for a Tuition Fee Loan?\n\nDocument - Student finance:\n## Overview\n\nYou may be able to borrow money to help pay for university or college tuition fees and to help with living costs.\n\nYou might get extra money on top of this, for example if you\u2019re on a low income, are disabled or have children.\n\nIf you\u2019re a continuing student or you\u2019ve already created an account, log in to your account.\n\n## Before you apply\n\nYou start repaying once you earn over a certain amount. The size of your monthly repayments will depend on how much you earn, not what you owe.\n\nYou\u2019ll be charged interest on the loan from the day you take it out. The terms and conditions can change.\n\nThe rules are different if your course started before September 2012.\n\nRead the student finance privacy notice to find out how the information you provide will be used.\n\n## How to apply\n\nFind out how to apply for student finance.\n\nIf you\u2019re under 25 and have no contact with your parents, you might be able to apply as an \u2018estranged student\u2019.\n\nThere\u2019s a different process if you\u2019re a student from Scotland, Wales, or Northern Ireland. Contact the education authority if you live in the Channel Islands (Jersey and Guernsey) or Isle of Man.\n\nYou can give someone permission to act on your behalf (for example using Power of Attorney) if you want them to apply for you.\n\n## New full-time students\n\nYou can apply for a Tuition Fee Loan and Maintenance Loan if your course starts on or after 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\nIf you\u2019re studying an accelerated degree course, you could get up to \u00a311,100.\n\n## Maintenance Loan for living costs\n\nYou may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of each term. You have to pay the loan back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to 7,747 | Up to \u00a37,987 |\n\n| Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488 |\n\n| Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866 |\n\nYou must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.\n\nIf you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.\n\nUse the student finance calculator to estimate your Maintenance Loan.\n\n## Applying during coronavirus (COVID-19)\n\nRead the guidance for students during coronavirus for more information about:\n\n- changes in your household income\n\n- self-isolation stopping you from posting evidence\n\n- contacting the Student Loans Company\n\n## Coronavirus and maintenance loans\n\nYou do not need to tell SLC if your course has moved online, as long as your living arrangements stay the same. If they have changed, you must update your address in your online account.\n\n## Extra help with travel costs\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Continuing full-time students\n\nWhat you\u2019re eligible for depends on when your course starts.\n\nYou may also be able to get extra help.\n\n## If your course starts on or after 1 August 2016\n\nYou can apply for a Tuition Fee Loan and a Maintenance Loan if your course starts on or after 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n## Maintenance Loan for living costs\n\nYou may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of term. You have to pay the loan back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to 7,747 | Up to \u00a37,987 |\n\n| Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488 |\n\n| Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866 |\n\nYou must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.\n\nIf you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.\n\nIn your final year, you\u2019ll receive less money than you did in previous years.\n\n## If your course started before 1 August 2016\n\nYou can apply for grants and loans if your course started before 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n## Maintenance Loan for living costs\n\nStudents aged 60 and over cannot apply. You may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of each term. You have to pay the loan back.\n\nYou must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to \u00a35,247 | Up to \u00a35,410 |\n\n| Living away from home, outside London | Up to \u00a36,597 | Up to \u00a36,802 |\n\n| Living away from home, in London | Up to \u00a39,205 | Up to \u00a39,490 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a37,838 | Up to \u00a38,081 |\n\nIn your final year, you\u2019ll receive less money than you did in previous years.\n\n## Maintenance Grant for living costs\n\nYou have to give details of your household income and your course start date.\n\nThe grant is paid into your bank account at the start of each term. You do not have to pay it back, but any funds you get will reduce the Maintenance Loan you can get.\n\n## Special Support Grant\n\nYou may get a Special Support Grant instead of a Maintenance Grant if you get or qualify for:\n\n- Income Support\n\n- income-related Employment and Support Allowance\n\n- Housing Benefit\n\n- the housing element of Universal Credit\n\nThe amount you get is the same as the Maintenance Grant, but it will not reduce the Maintenance Loan you can get.\n\nYou may get the Special Support Grant if, for example, you\u2019re a lone parent or have certain disabilities.\n\nYou\u2019ll be told if you can get the grant when you apply for student finance.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Help with the costs of studying abroad\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.\n\n## Help during coronavirus (COVID-19)\n\nRead the guidance for students during coronavirus for more information, including if:\n\n- your university or college is shut\n\n- your household income changes\n\n- you\u2019ll need to repeat or extend your studies\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Part-time students\n\nYou may be able to get a loan if your part-time course has a \u2018course intensity\u2019 of 25% or more.\n\n\u2018Course intensity\u2019 measures how much of your course you complete each year compared to an equivalent full-time course.\n\nYou can work this out by comparing your module credits with the number of module credits a full-time student will study. You\u2019ll be asked how many credits you\u2019ll study when you apply for the loan.\n\nCheck with your university or college if you\u2019re not sure.\n\nWhat you can apply for depends on when your course starts.\n\nYou must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.\n\n## If your course starts on or after 1 August 2018\n\nYou can apply for a Tuition Fee Loan and a Maintenance Loan.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\nYou can get up to \u00a36,935 in an academic year.\n\n## Maintenance Loan for living costs\n\nHow much you can get depends on:\n\n- where you live while studying\n\n- your household income\n\n- your course intensity\n\nThe loan is paid directly into your bank account 2 weeks after the start of each term. You have to pay the loan back.\n\nYou can only apply for a Maintenance Loan as a Distance Learning student if you cannot attend your course in person because of a disability.\n\nUse the student finance calculator to estimate your Maintenance Loan.\n\nYou\u2019re not eligible for a Maintenance Loan if you\u2019re 60 or over on the first day of the first academic year of your course.\n\n## If your course started before 1 August 2018\n\nYou can apply for a Tuition Fee Loan.\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\nYou can get up to \u00a36,935 in an academic year.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## EU students\n\nYou may be able to get a Tuition Fee Loan and help with living costs if you\u2019re from an EU country, Iceland, Liechtenstein, Norway or Switzerland.\n\nUse the student finance calculator to see what finance you can get.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n| Full-time student at a private university or college | Up to \u00a36,165 | Up to \u00a36,165 |\n\n| Part-time student | Up to \u00a36,935 | Up to \u00a36,935 |\n\n| Part-time student at a private university or college | Up to \u00a34,625 | Up to \u00a34,625 |\n\nUse the student finance calculator to estimate your Tuition Fee Loan.\n\n## Help with living costs\n\nYou may be eligible for help with your living costs if both the following apply:\n\n- you\u2019ve lived in the UK for more than 3 years before the first day of the first academic year of your course\n\n- you have settled status\n\nAcademic years start on 1 September, 1 January, 1 April or 1 July. Ask someone who runs your course if you do not know which one applies.\n\n## Student Finance from August 2021\n\nIf you\u2019re\u00a0starting a course\u00a0on\u00a0or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nIf you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study here.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Extra help\n\nCheck on the student finance calculator to see what extra help you might be able to get.\n\n## Students on a low income\n\nYou can apply for:\n\n- Universal Credit\n\n- extra help if you\u2019re experiencing financial hardship\n\n## Students with children or dependent adults\n\nYou can apply for:\n\n- Childcare Grant - full-time students only\n\n- Parents\u2019 Learning Allowance - full-time students only\n\n- Adult Dependants\u2019 Grant - full-time students only\n\n- Universal Credit\n\n- extra help if you\u2019re experiencing financial hardship\n\n## Disabled students\n\nIf you have a disability, long-term health condition, mental health condition or specific learning difficulty (such as dyslexia) you can apply for:\n\n- Disabled Students\u2019 Allowance\n\n- extra help if you\u2019re experiencing financial hardship\n\nYou may also qualify for disability related benefits.\n\n## Medical, social work and teacher training students\n\nYou can apply for:\n\n- NHS bursaries if you\u2019re studying certain medical, dentistry or healthcare courses\n\n- help with costs of travel to UK clinical placements if you\u2019re studying a medical, dentistry or healthcare course\n\n- social work bursaries if you\u2019re a social work student\n\n- extra help if you\u2019re a teacher training student\n\n## Students studying abroad\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home.\n\n## Help from your university or college\n\nMany universities and colleges offer extra money directly to students.\n\n## Funding from charitable trusts\n\nUse the Turn2us grant search to check whether you qualify for funding from a charitable trust.\n\n## Eligibility\n\nWhether you qualify for student finance depends on:\n\n- your university or college\n\n- your course\n\n- if you\u2019ve studied a higher education course before\n\n- your age\n\n- your nationality or residency status\n\n## Your university or college\n\nThis should be a university, college or other institution that offers a qualifying course.\n\n## Your course\n\nCheck with the university or college that your course is recognised.\n\n## If you\u2019re studying full-time\n\nYou may be eligible for student finance if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- an Initial Teacher Training course\n\n- an integrated master\u2019s degree\n\n- a pre-registration postgraduate healthcare course\n\nCheck on the student finance calculator to find out which loans and grants you could be eligible for.\n\n## If you\u2019re studying part-time\n\nYour course needs a \u2018course intensity\u2019 of 25% or more for you to be eligible for student finance.\n\nYou\u2019ll be eligible for a Tuition Fee Loan if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- an Initial Teacher Training course\n\n- an integrated master\u2019s degree\n\nYou\u2019ll be eligible for a Maintenance Loan if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- an Initial Teacher Training course (if it\u2019s degree level or above)\n\n- an integrated master\u2019s degree\n\n- a Foundation Degree in dental hygiene and dental therapy\n\n- a DipHE in dental hygiene and dental therapy or operating department practice\n\n## If you\u2019ve studied before\n\nYou\u2019ll usually only get student finance if you\u2019re doing your first higher education qualification - even if your previous course was self-funded. You may still be eligible for limited funding in certain circumstances and for some courses.\n\n## If you changed course, stopped your studies or are repeating a year\n\nIf you stopped your course within the first year, you\u2019ll get funding for the same course or a new course when you go back.\n\nYou might also get funding if you:\n\n- suspended your course or withdrew before it finished - and you\u2019re going back to study any course\n\n- are repeating a year of your course at the same university, college, or institution.\n\nIf you stopped your studies for a personal reason (for example, you were ill or pregnant) you might get funding for all of your course - you should apply online with supporting evidence.\n\nYou can calculate the amount you will get by taking the total number of years of the course you are applying for and adding one year. Then take away the number of years you studied for. If you studied for part of a year you should count it as a whole year.\n\n## If you already have a degree\n\nYou may be eligible for limited funding in certain circumstances.\n\nYou may get limited funding if you\u2019re \u2018topping up\u2019 a higher education qualification, for example you\u2019ve finished an HNC, HND or Foundation Degree and now want to do an Honours degree.\n\nYou may also get limited funding if you hold an Honours degree or a higher level of qualification and start a new course. This could be a part-time Honours degree, a joint Honours degree or an Integrated Master\u2019s degree in one of the following (or 2 if it\u2019s a joint Honours degree):\n\n- agriculture and related subjects\n\n- architecture (if it\u2019s a MArch RIBA Part 2 course)\n\n- biological sciences\n\n- computer science\n\n- mathematical sciences\n\n- medicine and allied subjects\n\n- physical sciences\n\n- technologies\n\n- courses leading to qualification as a veterinary surgeon\n\nYou could also be eligible if you\u2019re starting a healthcare course on or after 1 August 2017.\n\n## Your age\n\nThere\u2019s no upper age limit for Tuition Fee Loans or grants.\n\n## If you\u2019re 60 or over\n\nYou may get limited funding for Maintenance Loans if all of the following apply:\n\n- you\u2019re 60 or over on the first day of the first academic year of your \ncourse\n\n- you\u2019re studying full-time\n\n- your course started on or after 1 August 2016\n\nThe amount you can apply for depends on your household income.\n\n## Your nationality or residency status\n\nYou may be able to get help with:\n\n- your tuition fees and living costs (full support)\n\n- your tuition fees\n\nThe type of help you can get depends on your nationality and residency status.\n\n## When you\u2019re eligible for full support\n\nYou can apply for full support if all the following apply:\n\n- you\u2019re a UK or Irish citizen or have \u2018settled status\u2019 (no restrictions on how long you can stay)\n\n- you normally live in England\n\n- you\u2019ve been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday\n\nYou may be eligible for full support if you\u2019re a UK national (or family member of a UK national) who:\n\n- returned to the UK by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years\n\nYou may also be eligible if your residency status is one of the following:\n\n- refugee (including family members)\n\n- humanitarian protection (including family members)\n\n- migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein (including family members) with settled or pre-settled status\n\n- child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme\n\n- child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020\n\n- a stateless person (including family members)\n\n- an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment\n\n- a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)\n\n- granted \u2018Calais leave\u2019 to remain\n\n- a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)\n\n- you\u2019ve been given settled status (\u2018indefinite leave to remain\u2019) because you\u2019ve been the victim of domestic violence\n\n- you\u2019ve been granted indefinite leave to remain as a bereaved partner\n\nYou could also be eligible if you\u2019re not a UK national and are either:\n\n- under 18 and have lived in the UK for at least 7 years\n\n- 18 or over and have lived in the UK for at least 20 years (or at least half of your life)\n\nYou must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.\n\n## When you can apply for help with your tuition fees\n\nYou can apply for tuition fee funding if you\u2019ve been living in the UK, the EU, Gibraltar, Iceland, Liechtenstein, Norway or Switzerland for the past 3 years and you have one of the following:\n\n- pre-settled status under the EU Settlement Scheme and you\u2019re an EU national or the family member of an EU national\n\n- pre-settled status under the EU Settlement Scheme and you\u2019re the family member of an Irish citizen or person of Northern Ireland\n\n- Irish citizenship\n\n- Gibraltarian status as an EU national\n\n- been living in Gibraltar as a UK national\n\nIf you\u2019re an Irish citizen, you\u2019re still eligible to apply if you\u2019ve lived in the UK and Ireland in the 3 years before your course.\n\nUse the student finance calculator to see what finance you can get.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Apply\n\nFind out how to apply for student finance.\n\n## Parents or partners of students\n\nConfirm your income if you\u2019re the student\u2019s parent or partner.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/student-finance", + "answerable": true, + "scenario": "I am from Italy. I came to UK last year to study BSc Electronics. I am struggling to cover my fees and require some financial help", + "original_question": "Can I apply for a Tuition Fee Loan?" + }, + { + "id": "train-635", + "question": "Scenario: I own a bike repair workshop in Manchester and employ several people. I want to pay them by output work, and have calculated the fair rate of pay, which I want to introduce.\n\nQuestion: Do I have to tell the workers about their rate in advance of them completing the work?\n\nDocument - Minimum wage for different types of work:\n## Overview\n\nThe National Minimum Wage is worked out at an hourly rate, but it applies to all eligible workers even if they\u2019re not paid by the hour.\n\nThis means that, however someone gets paid, they still need to work out their equivalent hourly rate to see if they\u2019re getting the minimum wage.\n\nThere are different ways of checking that workers get the minimum wage depending on whether they are:\n\n- paid by the hour (known as \u2018time work\u2019)\n\n- paid an annual salary, under a contract for a basic number of hours each year (known as \u2018salaried hours\u2019)\n\n- paid by the piece - the number of things they make, or tasks they complete (known as \u2018output work\u2019)\n\n- paid in other ways (known as \u2018unmeasured work\u2019)\n\nUse the National Minimum Wage calculator to check if payments are over the minimum wage.\n\n## What counts as working time\n\nFor all types of work, include time spent:\n\n- at work and required to be working, or on standby near the workplace (but do not include rest breaks that are taken)\n\n- not working because of machine breakdown, but kept at the workplace\n\n- waiting to collect goods, meet someone for work or start a job\n\n- travelling in connection with work, including travelling from one work assignment to another\n\n- training or travelling to training\n\n- at work and under certain work-related responsibilities even when workers are allowed to sleep (whether or not a place to sleep is provided)\n\nDo not include time spent:\n\n- travelling between home and work\n\n- away from work on rest breaks, holidays, sick leave or maternity leave\n\n- on industrial action\n\n- not working but at the workplace or available for work at or near the workplace during a time when workers are allowed to sleep (and you provide a place to sleep)\n\nCall the Acas helpline for advice about the National Minimum Wage.\n\n## Paid by the hour\n\nWorkers paid according to the number of hours they are at work are classed as doing \u2018time work\u2019.\n\nFor these workers, the average hourly pay has to be at least the National Minimum Wage, worked out over the period each pay packet covers - so for a worker who gets paid once a month, this period will be 1 month.\n\nUse the National Minimum Wage calculator to check if payments are at least at the minimum wage.\n\n## Paid an annual salary\n\nMost people paid an annual salary are classed as doing \u2018salaried hours work\u2019.\n\nTo find out if they are getting the minimum wage you must work out how many basic hours they work in return for their salary.\n\nSomeone is usually doing salaried hours work if all of the following apply:\n\n- their contract states how many hours they must work in return for their salary (their basic hours)\n\n- they\u2019re paid in equal, regular instalments through the year, for example monthly or every 4 weeks\n\n- there is no more than a month between each payment\n\n- they do not get paid more than once a week\n\nIf someone is paid monthly they do not need to be paid exactly the same amount each month, but they must get the same total amount every 3 months (each quarter of the year).\n\nSalaried hours workers\u2019 contracts might not state the total number of basic hours the worker must work over the entire year, but you must be able to work this out from the contract.\n\nFor example, if a contract states the days of the week someone is expected to work and the basic hours for each day, you can use this to work out the total basic hours someone is expected to work over the year.\n\nYou can then use this figure to make sure the rate of pay is at least the minimum wage.\n\n## Work out the hourly rate\n\n- Find the basic annual hours in the worker\u2019s contract.\n\n- Divide this by the number of times they get paid each year (for example 12 if they get paid monthly) - this gives you the average number of hours covered by each pay packet.\n\n- Divide the amount they get in each pay packet by this number (average hours). This gives you the worker\u2019s hourly rate.\n\nIf you know how many basic hours someone works for each payment they get, you can use the National Minimum Wage calculator to check if they\u2019re paid the minimum wage.\n\n## Extra hours\n\nEmployers must pay at least the minimum wage for any hours worked in addition to what\u2019s agreed in the worker\u2019s contract.\n\n## Other salaried workers\n\nSome people paid a salary may not be salaried hours workers, for example if there is more than a month between each payment.\n\nThese people are usually classed as doing \u2018time work\u2019 when working out if they are paid minimum wage or not.\n\n## Paid per task or piece of work done\n\nWorkers paid per task they perform or piece of work they do (known as piece work) are classed as doing \u2018output work\u2019.\n\nThey must be paid either:\n\n- at least the minimum wage for every hour worked\n\n- a \u2018fair rate\u2019 for each task or piece of work they do\n\nOutput work can usually only be used in limited situations when the employer does not know which hours the worker does (such as with some home workers).\n\nThe work is not classed as output work if the employer sets either:\n\n- a minimum or maximum time the worker must work\n\n- the start and finish times for a period of work\n\nIf the employer sets the times of work this counts as \u2018time work\u2019.\n\n## Fair rate\n\nThe fair rate is the amount that must be paid for each piece of work, to make sure someone working at an average speed is paid at least the minimum wage per hour.\n\nThere is a way to work out the fair rate per piece of work done which employers must follow.\n\n## Work out the average rate of work per hour\n\nEmployers must carry out a fair test to find out how many tasks or pieces an average worker completes in an hour (the average rate of work).\n\n- Test some or all of the workers. The group you test must be typical of the whole workforce - not just the most efficient or fastest ones.\n\n- Work out how many pieces of work have been completed in a normal working hour.\n\n- Divide this by the number of workers to work out the average rate.\n\n- If the work changes significantly, do another test to work out the new average rate. It\u2019s not necessary to do another test if the same work is being done in a different environment, for example work previously done in a factory being done at home.\n\n## Work out the fair rate\n\n- Divide the average rate of work by 1.2 (this means new workers will not be disadvantaged if they\u2019re not as fast as the others yet).\n\n- Divide the hourly minimum wage rate by that number to work out the fair rate for each piece of work completed.\n\nIf an agricultural worker was employed before 2013 or is in Wales, they may be entitled to the Agricultural Minimum Wage. There are also different rules and rates for agricultural workers in Scotland and Northern Ireland.\n\n## Give notice of fair rate\n\nTo use a fair rate an employer must give each worker a written notice before they start work for the first time.\n\nThe notice must:\n\n- say that the worker will be paid for producing a piece of work or completing a task, for example picking a certain amount of fruit\n\n- say that to calculate whether minimum wage is being paid it\u2019s assumed the task will take an average time to complete\n\n- confirm if the average time to complete the task has been tested or is an estimate\n\n- say how many tasks or pieces of work it\u2019s assumed someone can complete in an hour\n\n- give the amount to be paid for each piece that the worker completes\n\n- include the ACAS helpline number, which is 0300 123 1100\n\nIf employers do not give a worker a complete notice then the worker is entitled to be paid by the hour instead.\n\n## Paid in other ways (unmeasured work)\n\nIf the work is not covered by any of the other types of work, it\u2019s \u2018unmeasured work\u2019.\n\nUnmeasured work includes being paid a set amount to do a particular task, for instance being paid \u00a3500 to lay a patio, regardless of how long it takes.\n\nTo work out the minimum wage for unmeasured work, either:\n\n- record every hour worked and use the National Minimum Wage calculator to make sure the worker gets the minimum wage\n\n- make a \u2018daily average agreement of hours\u2019\n\n## Daily average agreement of hours\n\nThis is when the employer and worker agree a typical number of hours per day they expect to work on average. One agreement can cover several pay reference periods (for example, weeks if the worker\u2019s paid weekly) if there\u2019s no change in the average number of hours.\n\nDaily average agreements of hours must:\n\n- be agreed in writing\n\n- be made before the start of the pay reference period they cover\n\n- say how many hours the work should take each day (on average)\n\nThe employer must be able to prove that the number of hours worked on average is realistic.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "answerable": true, + "scenario": "I own a bike repair workshop in Manchester and employ several people. I want to pay them by output work, and have calculated the fair rate of pay, which I want to introduce.", + "original_question": "Do I have to tell the workers about their rate in advance of them completing the work?" + }, + { + "id": "train-639", + "question": "Scenario: I am an agency worker and a part-timer in an electronics shop. I am 25 years old. I get a feeling that I am paid less than National Minimum Wage\n\nQuestion: Am I entitled for correct minimum wage even If I am a part-timer ?\n\nDocument - The National Minimum Wage and Living Wage:\n## Overview\n\nThe minimum wage a worker should get depends on their age and if they\u2019re an apprentice.\n\nThe National Minimum Wage is the minimum pay per hour almost all workers are entitled to. The National Living Wage is higher than the National Minimum Wage - workers get it if they\u2019re over 23.\n\nIt does not matter how small an employer is, they still have to pay the correct minimum wage.\n\n## Calculate the minimum wage\n\nUse the minimum wage calculators to check if the correct minimum wage has been paid.\n\nThere are separate calculators for workers and employers.\n\nUse the calculator for workers to check if you\u2019re getting the correct minimum wage or if an employer owes you payment from the previous year.\n\nUse the calculator for employers to check if you\u2019re paying the correct minimum wage or if you owe a payment from the previous year.\n\nThere is also guidance on working out the minimum wage for different types of work.\n\nCall the Acas helpline or visit the Acas Helpline Online for advice about the National Minimum Wage or National Living Wage.\n\n## Who gets the minimum wage\n\nPeople classed as \u2018workers\u2019 must be at least school leaving age to get the National Minimum Wage. They must be 23 or over to get the National Living Wage.\n\nContracts for payments below the minimum wage are not legally binding. The worker is still entitled to the National Minimum Wage or National Living Wage.\n\nWorkers are also entitled to the correct minimum wage if they\u2019re:\n\n- part-time\n\n- casual labourers, for example someone hired for one day\n\n- agency workers\n\n- workers and homeworkers paid by the number of items they make\n\n- apprentices\n\n- trainees, workers on probation\n\n- disabled workers\n\n- agricultural workers\n\n- foreign workers\n\n- seafarers\n\n- offshore workers\n\n## Apprentices\n\nApprentices are entitled to the apprentice rate if they\u2019re either:\n\n- under 19\n\n- 19 or over and in the first year of their apprenticeship\n\nApprentices over 19 who have completed the first year of their apprenticeship are entitled to the correct minimum wage for their age.\n\n## Not entitled to the minimum wage\n\nThe following types of workers are not entitled to the National Minimum Wage or National Living Wage:\n\n- self-employed people running their own business\n\n- company directors\n\n- people who are volunteers or voluntary workers\n\n- workers on a government employment programme, such as the Work Programme\n\n- members of the armed forces\n\n- family members of the employer living in the employer\u2019s home\n\n- non-family members living in the employer\u2019s home who share in the work and leisure activities, are treated as one of the family and are not charged for meals or accommodation, for example au pairs\n\n- workers younger than school leaving age (usually 16)\n\n- higher and further education students on work experience or a work placement up to one year\n\n- people shadowing others at work\n\n- workers on government pre-apprenticeships schemes\n\n- people on the following European Union (EU) programmes: Leonardo da Vinci, Erasmus+, Comenius\n\n- people working on a Jobcentre Plus Work trial for up to 6 weeks\n\n- share fishermen\n\n- prisoners\n\n- people living and working in a religious community\n\nEmployers who offer internships (sometimes called \u2018work placements\u2019 or \u2018work experience\u2019) should check if the person is entitled to the minimum wage.\n\n## Voluntary work\n\nYou\u2019re classed as doing voluntary work if you can only get certain limited benefits (for example reasonable travel or lunch expenses) and you\u2019re working for a:\n\n- charity\n\n- voluntary organisation or associated fundraising body\n\n- statutory body\n\nContact the Acas helpline to find out if you should be getting the minimum wage.\n\n## Employers and the minimum wage\n\nEmployers must pay workers the correct minimum wage.\n\nYou can read guidance on the minimum wage rates and who they apply to.\n\n## What\u2019s not included in minimum wage calculations\n\nSome payments must not be included when the minimum wage is calculated.\n\nThese are:\n\n- payments that should not be included for the employer\u2019s own use or benefit, for example if the employer has paid for travel to work\n\n- things the worker bought for the job and is not refunded for, such as tools, uniform, safety equipment\n\n- tips, service charges and cover charges\n\n- extra pay for working unsocial hours on a shift\n\nFind out what counts as working time.\n\n## What\u2019s included in minimum wage calculations\n\nSome payments must be included when the minimum wage is calculated.\n\nThese are:\n\n- Income Tax and National Insurance contributions\n\n- wage advances or loans\n\n- repayment of wage advances or loans\n\n- repayment of overpaid wages\n\n- things the worker paid for that are not needed for the job or paid for voluntarily, such as meals\n\n- accommodation provided by an employer above the offset rate (\u00a38.36 a day or \u00a358.52 a week)\n\n- penalty charges for a worker\u2019s misconduct\n\nRead the detailed guidance on calculating the minimum wage for more on what counts and does not count towards the minimum wage, eligibility, how to calculate the minimum wage and how it is enforced.\n\n## Employer checks\n\nIt\u2019s a criminal offence for employers to not pay someone the National Minimum Wage or National Living Wage, or to fake payment records.\n\nEmployers who discover they\u2019ve paid a worker below the correct minimum wage must pay any arrears immediately. Use the National Minimum Wage and National Living Wage calculator to check a worker has been paid correctly.\n\nHM Revenue and Customs (HMRC) officers have the right to carry out checks at any time and ask to see payment records. They can also investigate employers if a worker complains to them.\n\nIf HMRC finds that an employer has not been paying the correct rates, any arrears have to be paid back immediately. There will also be a fine and offenders might be named by the government.\n\n## Keeping records\n\nIt\u2019s the employer\u2019s responsibility to keep records proving that they are paying the minimum wage. These records must be kept for at least 6 years if they:\n\n- were created on or after 1 April 2021\n\n- still had to be kept on 31 March 2021 under the previous rule that records must be kept for 3 years\n\nThe period records must be kept for starts from the last day of the pay reference period after the one they cover.\n\nThey do not have to be kept in any particular form, for example they can be paper or computer records. But employers must be able to produce records for an individual pay reference period in a single document.\n\nMost employers use their payroll records as proof of:\n\n- total pay - including pay deductions, allowances and tips\n\n- total hours worked - including absences and overtime\n\nEmployers may also need to keep records such as:\n\n- agreements about working hours, pay and conditions, such as contracts\n\n- documents that show why a worker is not entitled to the minimum wage\n\n## Pay reference periods\n\nPay reference periods are usually set by how often someone is paid, for example one week, one month or 10 days. A pay reference period cannot be longer than 31 days.\n\nA worker must be paid the minimum wage, on average, for the time worked in the pay reference period.\n\n## Worker disputes over minimum wage\n\nWorkers who think their pay is below the correct minimum wage rate should talk to their employer first.\n\nIf this does not solve the problem, they can ask the employer in writing to see their payment records. The worker can take someone with them and make copies of the records.\n\nIf an employer owes the worker any arrears they have to pay these back.\n\nWorkers can call the confidential Acas helpline or look at the Acas Helpline Online to help them solve a payment dispute.\n\nWorkers can also make a complaint to HM Revenue and Customs (HMRC) about their employer or employment agency or complain on behalf of someone else.\n\n## If the employer refuses payment\n\nIf HMRC find that the employer has not paid they will send them a notice for the arrears plus a fine for not paying the minimum wage.\n\nHMRC can take them to court on behalf of the worker if the employer still refuses to pay.\n\n## Employment tribunal\n\nWorkers can also go directly to the employment tribunal themselves.\n\nWorkers who have been dismissed because of a minimum wage dispute can also complain to the employment tribunal for unfair dismissal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-minimum-wage", + "answerable": true, + "scenario": "I am an agency worker and a part-timer in an electronics shop. I am 25 years old. I get a feeling that I am paid less than National Minimum Wage", + "original_question": "Am I entitled for correct minimum wage even If I am a part-timer ?" + }, + { + "id": "train-640", + "question": "Scenario: I am on a part-time role. I was under paid by my employer and it was found by HMRC and HMRC send them a notice to pay the arrears plus fine but my employer still did not pay me\n\nQuestion: Will HMRC take my employer to court ?\n\nDocument - The National Minimum Wage and Living Wage:\n## Overview\n\nThe minimum wage a worker should get depends on their age and if they\u2019re an apprentice.\n\nThe National Minimum Wage is the minimum pay per hour almost all workers are entitled to. The National Living Wage is higher than the National Minimum Wage - workers get it if they\u2019re over 23.\n\nIt does not matter how small an employer is, they still have to pay the correct minimum wage.\n\n## Calculate the minimum wage\n\nUse the minimum wage calculators to check if the correct minimum wage has been paid.\n\nThere are separate calculators for workers and employers.\n\nUse the calculator for workers to check if you\u2019re getting the correct minimum wage or if an employer owes you payment from the previous year.\n\nUse the calculator for employers to check if you\u2019re paying the correct minimum wage or if you owe a payment from the previous year.\n\nThere is also guidance on working out the minimum wage for different types of work.\n\nCall the Acas helpline or visit the Acas Helpline Online for advice about the National Minimum Wage or National Living Wage.\n\n## Who gets the minimum wage\n\nPeople classed as \u2018workers\u2019 must be at least school leaving age to get the National Minimum Wage. They must be 23 or over to get the National Living Wage.\n\nContracts for payments below the minimum wage are not legally binding. The worker is still entitled to the National Minimum Wage or National Living Wage.\n\nWorkers are also entitled to the correct minimum wage if they\u2019re:\n\n- part-time\n\n- casual labourers, for example someone hired for one day\n\n- agency workers\n\n- workers and homeworkers paid by the number of items they make\n\n- apprentices\n\n- trainees, workers on probation\n\n- disabled workers\n\n- agricultural workers\n\n- foreign workers\n\n- seafarers\n\n- offshore workers\n\n## Apprentices\n\nApprentices are entitled to the apprentice rate if they\u2019re either:\n\n- under 19\n\n- 19 or over and in the first year of their apprenticeship\n\nApprentices over 19 who have completed the first year of their apprenticeship are entitled to the correct minimum wage for their age.\n\n## Not entitled to the minimum wage\n\nThe following types of workers are not entitled to the National Minimum Wage or National Living Wage:\n\n- self-employed people running their own business\n\n- company directors\n\n- people who are volunteers or voluntary workers\n\n- workers on a government employment programme, such as the Work Programme\n\n- members of the armed forces\n\n- family members of the employer living in the employer\u2019s home\n\n- non-family members living in the employer\u2019s home who share in the work and leisure activities, are treated as one of the family and are not charged for meals or accommodation, for example au pairs\n\n- workers younger than school leaving age (usually 16)\n\n- higher and further education students on work experience or a work placement up to one year\n\n- people shadowing others at work\n\n- workers on government pre-apprenticeships schemes\n\n- people on the following European Union (EU) programmes: Leonardo da Vinci, Erasmus+, Comenius\n\n- people working on a Jobcentre Plus Work trial for up to 6 weeks\n\n- share fishermen\n\n- prisoners\n\n- people living and working in a religious community\n\nEmployers who offer internships (sometimes called \u2018work placements\u2019 or \u2018work experience\u2019) should check if the person is entitled to the minimum wage.\n\n## Voluntary work\n\nYou\u2019re classed as doing voluntary work if you can only get certain limited benefits (for example reasonable travel or lunch expenses) and you\u2019re working for a:\n\n- charity\n\n- voluntary organisation or associated fundraising body\n\n- statutory body\n\nContact the Acas helpline to find out if you should be getting the minimum wage.\n\n## Employers and the minimum wage\n\nEmployers must pay workers the correct minimum wage.\n\nYou can read guidance on the minimum wage rates and who they apply to.\n\n## What\u2019s not included in minimum wage calculations\n\nSome payments must not be included when the minimum wage is calculated.\n\nThese are:\n\n- payments that should not be included for the employer\u2019s own use or benefit, for example if the employer has paid for travel to work\n\n- things the worker bought for the job and is not refunded for, such as tools, uniform, safety equipment\n\n- tips, service charges and cover charges\n\n- extra pay for working unsocial hours on a shift\n\nFind out what counts as working time.\n\n## What\u2019s included in minimum wage calculations\n\nSome payments must be included when the minimum wage is calculated.\n\nThese are:\n\n- Income Tax and National Insurance contributions\n\n- wage advances or loans\n\n- repayment of wage advances or loans\n\n- repayment of overpaid wages\n\n- things the worker paid for that are not needed for the job or paid for voluntarily, such as meals\n\n- accommodation provided by an employer above the offset rate (\u00a38.36 a day or \u00a358.52 a week)\n\n- penalty charges for a worker\u2019s misconduct\n\nRead the detailed guidance on calculating the minimum wage for more on what counts and does not count towards the minimum wage, eligibility, how to calculate the minimum wage and how it is enforced.\n\n## Employer checks\n\nIt\u2019s a criminal offence for employers to not pay someone the National Minimum Wage or National Living Wage, or to fake payment records.\n\nEmployers who discover they\u2019ve paid a worker below the correct minimum wage must pay any arrears immediately. Use the National Minimum Wage and National Living Wage calculator to check a worker has been paid correctly.\n\nHM Revenue and Customs (HMRC) officers have the right to carry out checks at any time and ask to see payment records. They can also investigate employers if a worker complains to them.\n\nIf HMRC finds that an employer has not been paying the correct rates, any arrears have to be paid back immediately. There will also be a fine and offenders might be named by the government.\n\n## Keeping records\n\nIt\u2019s the employer\u2019s responsibility to keep records proving that they are paying the minimum wage. These records must be kept for at least 6 years if they:\n\n- were created on or after 1 April 2021\n\n- still had to be kept on 31 March 2021 under the previous rule that records must be kept for 3 years\n\nThe period records must be kept for starts from the last day of the pay reference period after the one they cover.\n\nThey do not have to be kept in any particular form, for example they can be paper or computer records. But employers must be able to produce records for an individual pay reference period in a single document.\n\nMost employers use their payroll records as proof of:\n\n- total pay - including pay deductions, allowances and tips\n\n- total hours worked - including absences and overtime\n\nEmployers may also need to keep records such as:\n\n- agreements about working hours, pay and conditions, such as contracts\n\n- documents that show why a worker is not entitled to the minimum wage\n\n## Pay reference periods\n\nPay reference periods are usually set by how often someone is paid, for example one week, one month or 10 days. A pay reference period cannot be longer than 31 days.\n\nA worker must be paid the minimum wage, on average, for the time worked in the pay reference period.\n\n## Worker disputes over minimum wage\n\nWorkers who think their pay is below the correct minimum wage rate should talk to their employer first.\n\nIf this does not solve the problem, they can ask the employer in writing to see their payment records. The worker can take someone with them and make copies of the records.\n\nIf an employer owes the worker any arrears they have to pay these back.\n\nWorkers can call the confidential Acas helpline or look at the Acas Helpline Online to help them solve a payment dispute.\n\nWorkers can also make a complaint to HM Revenue and Customs (HMRC) about their employer or employment agency or complain on behalf of someone else.\n\n## If the employer refuses payment\n\nIf HMRC find that the employer has not paid they will send them a notice for the arrears plus a fine for not paying the minimum wage.\n\nHMRC can take them to court on behalf of the worker if the employer still refuses to pay.\n\n## Employment tribunal\n\nWorkers can also go directly to the employment tribunal themselves.\n\nWorkers who have been dismissed because of a minimum wage dispute can also complain to the employment tribunal for unfair dismissal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-minimum-wage", + "answerable": true, + "scenario": "I am on a part-time role. I was under paid by my employer and it was found by HMRC and HMRC send them a notice to pay the arrears plus fine but my employer still did not pay me", + "original_question": "Will HMRC take my employer to court ?" + }, + { + "id": "train-642", + "question": "Scenario: My father owns pub and would like to submit his PAYE bill using his bank. He would like to have a payment booklet.\n\nQuestion: Can he request one from the HMRC?\n\nDocument - Pay employers' PAYE:\n## Overview\n\nYou must pay your PAYE bill to HM Revenue and Customs (HMRC) by:\n\n- the 22nd of the next tax month if you pay monthly\n\n- the 22nd after the end of the quarter if you pay quarterly - for example, 22 July for the 6 April to 5 July quarter\n\nPay now\n\nIf you pay by cheque through the post the deadline is the 19th of the month.\n\n## What you\u2019re paying\n\nYour PAYE bill may include:\n\n- employee Income Tax deductions\n\n- Class 1 and 1B National Insurance\n\n- Class 1A National Insurance on termination awards and sporting testimonials\n\n- Student Loan repayments\n\n- Construction Industry Scheme (CIS) deductions\n\n- your Apprenticeship Levy payments (starting from April 2017) if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million\n\nYou pay your Class 1A National Insurance on work benefits that you give to your employees separately.\n\nPAYE Settlement Agreements are also paid separately.\n\n## Ways to pay\n\nMake sure you pay HMRC by the deadline. You may have to pay interest and penalties if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- through your online bank account\n\n## 3 working days\n\n- by debit or corporate credit card online\n\n- Bacs\n\n- at your bank or building society (cash or cheque)\n\n- Direct Debit (if you\u2019ve already set one up)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set up one before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Payment booklets\n\nYou\u2019ll need a payment booklet from HMRC to pay at your bank or building society, or by post. If you do not have one, ask HMRC to send it to you.\n\nIf you\u2019re no longer using your payment booklet, you can ask HMRC to stop sending it.\n\nHMRC will automatically stop sending your payment booklet if you make 2 or more electronic payments in a year.\n\n## Direct Debit\n\nSet up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment. This means you\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.\n\n## Reference number\n\nYou\u2019ll need your 13-character accounts office reference number to make a payment. You can find this on the letter HMRC sent you when you first registered as an employer.\n\n## How long it takes\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\nThe payments will show on your bank statement as \u2018HMRC NDDS\u2019.\n\n## Early or late payments\n\nMake sure you also enter the correct year and month the payment is for in the separate boxes provided.\n\n## Make an online or telephone bank transfer\n\nYou can make a transfer from your bank account by Faster Payments, CHAPS or Bacs.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n## If your account is overseas\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld |\n\n## Reference number\n\nYou\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on either:\n\n- the letter HMRC sent you when you first registered as an employer.\n\n- the front of your payment booklet or the letter from HMRC that replaced it\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Early payments\n\n## If you pay monthly\n\nYou need to add extra numbers to your reference number if you pay before the 6th of the tax month that payment is due.\n\nWork out the number you need to use.\n\n## If you pay quarterly\n\nYou need to add extra numbers to your reference number if you pay before the 6th of the second month in the quarter.\n\nWork out the number you need to use.\n\n## Late payments\n\nYou need to add extra numbers to your reference number if you pay on or after the 5th of the tax month after payment was due. Do this whether you pay monthly or quarterly.\n\nWork out the number you need to use. You use a different tool if the payment was for a previous tax year.\n\n## Multiple PAYE schemes\n\nSend an online CHAPS enquiry form if you want to make a single payment via CHAPS for multiple PAYE schemes.\n\nHMRC\u2019s banking address is:\n\n## Approve a payment through your online bank account\n\nYou can pay your PAYE bill directly using your online or mobile bank account.\n\nOnce you\u2019ve signed into your HMRC account, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your PAYE payment.\n\nThe payment is usually instant but sometimes it takes up to 2 hours to show in your account.\n\nYou\u2019ll need to have your online banking details ready to pay this way.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nIf you\u2019re unable to pay your employers\u2019 PAYE bill in full by card, you should use another payment method like a bank transfer.\n\n## Reference number\n\nYou\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on the letter HM Revenue and Customs (HMRC) sent you when you first registered as an employer.\n\n## How long it takes\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## Early or late payments\n\nMake sure you enter the correct year and month the payment is for in the separate boxes provided.\n\n## Pay for the previous tax year\n\nSelect the previous tax year and \u2018month 12\u2019 for the last tax year. If you do not do this, your payment will go to the current tax year instead.\n\n## At your bank or building society\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 13-character accounts office reference number on the back of the cheque. You will find the reference number on the letter HM Revenue and Customs (HMRC) sent to you when you first registered as an employer.\n\nYou\u2019ll need to pay in using the payslip for the correct period. If you do not have one of these, ask HMRC to send you a payment booklet.\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC) if you have fewer than 250 employees.\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 13-character Accounts Office reference number on the back of the cheque. You can find this number on the letter HMRC sent you when you first registered as an employer.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nInclude the payslip for the correct period. If you do not have this, you can either:\n\n- ask HMRC to send you a payment booklet\n\n- print off a replacement payment slip\n\nYou can only use a replacement payslip to pay by post. You cannot use this at a bank.\n\nDo not fold the payslip or cheque or fasten them together.\n\nYou can include a letter with your payment to ask HMRC for a receipt.\n\n## Check your payment has been received\n\nCheck your HM Revenue and Customs (HMRC) online account - it should update within 6 working days of making payment.\n\nIf you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.\n\n## Tell HMRC no payment is due\n\nYou must tell HM Revenue and Customs (HMRC) if you have not paid any employees for at least one tax month.\n\nYou can tell HMRC by filling in an Employer Payment Summary (EPS).\n\nYou must send it by the 19th of the month following the tax month when no employees were paid.\n\nIf you do not send an EPS, HMRC will send you a notice estimating how much you owe. You may have to pay a penalty.\n\n## Telling HMRC in advance\n\nYou can tell HMRC that you will not pay any employees up to 12 months in advance.\n\nContractors in the Construction Industry Scheme (CIS) who have no payments to make need to tell HMRC through a CIS return and a EPS. CIS contractors with payments to make only need to file a CIS return.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-paye-tax", + "answerable": true, + "scenario": "My father owns pub and would like to submit his PAYE bill using his bank. He would like to have a payment booklet.", + "original_question": "Can he request one from the HMRC?" + }, + { + "id": "train-645", + "question": "Scenario: I work in a IT consulting company and been employed for 2 years. My company has 150 employees in total. I need some technology training to carry out some tasks.\n\nQuestion: Do I have rights to ask my employer for a training ?\n\nDocument - Training and study at work: your rights:\n## Who can and can't ask for time off to train\n\nStaff may have the right to ask for time off work for training or study.\n\nTo ask for training or study:\n\n- staff must be classed as an employee\n\n- they must have worked for their employer for at least 26 weeks\n\n- training must help staff do their job better\n\n- at least 250 people must work in the organisation\n\nTime off is usually unpaid unless the employer agrees to pay it.\n\nCheck someone\u2019s employment status.\n\n## Who can\u2019t ask for time off to train\n\nStaff can\u2019t ask for time off for training or study if they\u2019re:\n\n- an agency worker\n\n- in the armed forces\n\n- of compulsory school age (\u2018school age\u2019 in Scotland)\n\n- a young person who\u2019s already got the right to take paid time off for study or training\n\n- aged 16 to 18 and already expected to take part in education or training\n\n## Asking for time off\n\nEmployees should follow their organisation\u2019s rules to ask for time off. If there aren\u2019t any they can write to their employer saying it\u2019s a request \u2018under Section 63D of the Employment Rights Act 1996\u2019 with the following details:\n\n- the date\n\n- the subject matter of the study or training\n\n- where and when it would take place\n\n- who\u2019ll be providing the training\n\n- the name of the qualification they could get - if any\n\n- why they think this study or training will help them do their job better and help their employer\u2019s business\n\n- if they\u2019ve made a request before and when\n\nAn employer doesn\u2019t have to consider the request if all this information isn\u2019t included.\n\nEmployees can only make 1 request a year.\n\n## If the employee changes their mind\n\nThe employee must tell their employer if they:\n\n- don\u2019t start the agreed training or study\n\n- don\u2019t finish the training or study\n\n- do a different course or plan to do a different course from the one agreed\n\n## Employer's decision and responsibilities\n\nThe employer has 28 days to:\n\n- accept the request\n\n- hold a meeting with the employee to discuss it\n\nThis might be longer if the person who deals with these requests is off when the request is sent in.\n\nThe employee can take a trade union representative or colleague to the meeting. They can ask for the meeting to be postponed if this person can\u2019t make it.\n\nIf the employer decides to hold a meeting about it they must make a decision within 14 days of it, unless the employee agrees in writing to extend this time.\n\n## Turning down the request\n\nThe employer can only turn down a request if:\n\n- the training wouldn\u2019t benefit their business\n\n- they would run up extra costs for the business\n\n- they wouldn\u2019t be able to meet customer demands\n\n- they can\u2019t re-organise the work among other members of staff\n\n- they can\u2019t recruit extra staff\n\n- it would damage quality and business performance\n\n- there wouldn\u2019t be enough work for the employee to do at the times they intend to work\n\n- it conflicts with planned structural changes\n\n## Paying for the training\n\nThe employer doesn\u2019t have to pay for the training or study. They can choose to pay all or part of the fees if they think it will benefit the business.\n\n## Appealing the decision\n\nEmployees have the right to appeal if their employer refuses a request to take time off for training or study.\n\nThis must be made within 14 days of their employer\u2019s decision.\n\nThe appeal must:\n\n- be in writing\n\n- be dated\n\n- set out why they\u2019re appealing - the grounds for the appeal\n\n## The appeal meeting\n\nThe employer has to arrange a meeting with the employee to discuss the appeal within 14 days of getting the appeal.\n\nThe employer must give their decision in writing within 14 days of the meeting.\n\n## If the problem isn\u2019t resolved\n\nIf an employee isn\u2019t satisfied with the result of an appeal they can phone Acas (Advisory, Conciliation and Arbitration Service) for help and advice or raise a grievance.\n\nIf this doesn\u2019t work the employee could go to an employment tribunal if the employer:\n\n- didn\u2019t follow the procedure properly\n\n- refused the request based on the wrong facts\n\nEmployment tribunal claims must be made within 3 months of an appeal decision.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/training-study-work-your-rights", + "answerable": true, + "scenario": "I work in a IT consulting company and been employed for 2 years. My company has 150 employees in total. I need some technology training to carry out some tasks.", + "original_question": "Do I have rights to ask my employer for a training ?" + }, + { + "id": "train-649", + "question": "Scenario: My friend Ann has decided to stop her university course due to the unfortunate loss of her parents. She is mentally disturbed and the issue has left her traumatised. She is recieving student finance.\n\nQuestion: Can she stop the student finance?\n\nDocument - Student finance if you suspend or leave your course:\n## Overview\n\nIf you leave or suspend your studies you must:\n\n- stop your student finance\n\n- repay any student finance you are not entitled to\n\nYour student finance includes:\n\n- Maintenance Loans\n\n- Tuition Fee Loans\n\n- grants and bursaries\n\nHow much you need to repay and when you need to repay it depends on:\n\n- what type of student finance you have\n\n- when in the academic year you leave your course\n\n- whether you\u2019re planning to return to your course or not\n\nIf you suspend because of illness or another serious personal reason, you might still be able to get student finance while you\u2019re away.\n\n## Stopping your student finance\n\nYou must stop your student finance payments as soon as you decide to suspend your studies or leave your course early.\n\nThis will reduce any repayments you may need to make.\n\nStudent finance covers:\n\n- Maintenance Loans\n\n- Tuition Fee Loans\n\n- grants and bursaries\n\n## How to stop your student finance payments\n\nYou must:\n\n- tell your university or college that you\u2019re leaving or suspending your course\n\n- contact Student Finance England if you\u2019re a student from England\n\nThe way to make contact is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nIf you suspend your studies you can usually postpone your student finance payments until you return.\n\n## Repaying your student finance\n\nHow much and when you have to repay depends on:\n\n- the type of student finance you have\n\n- when in the academic year you leave your course\n\n- whether you\u2019re planning to return to your course or not\n\nYour university or college will tell your student finance provider the date you finished your studies.\n\n## Maintenance Loans\n\nYour student finance provider will reassess your Maintenance Loan based on the number of days you attended your course.\n\nIf any of your loan covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.\n\nThe Student Loans Company will write and tell you how much you must repay. If you cannot repay the full amount, you can ask them to set up a repayment plan.\n\nThe rest of your Maintenance Loan is repaid in the usual way once you start earning over the threshold amount.\n\n## If you\u2019re planning to return to your studies\n\nThe amount you were overpaid will usually be taken off your student finance payments when you return, so you do not have to repay straight away.\n\n## Grants and bursaries\n\nIf any of your grant or bursary covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.\n\nThere are exceptions for:\n\n- childcare grants taken in or after the 2019 to 2020 academic year\n\n- grants taken in or before the 2016 to 2017 academic year\n\nYou do not have to pay back overpayments on these grants until you\u2019ve finished your course.\n\n## Tuition Fee Loans\n\nYou\u2019ll need to repay at least some of your Tuition Fee loan for the year that you suspend or leave your course.\n\nYou\u2019ll need to pay back:\n\n- 25% of the loan for the year if you suspend or leave in term 1\n\n- 50% of the loan for the year if you suspend or leave in term 2\n\n- all the loan for the year if you suspend or leave in term 3\n\nThis is repaid in the usual way once you start earning over the threshold amount.\n\n## Getting student finance while you suspend your studies\n\nYou might be able to get student finance while you\u2019re away from your course if you suspend due to illness, bereavement or another serious personal reason.\n\nYou might also be able to get Disabled Students\u2019 Allowances.\n\nYou can apply for funding if you return to your studies.\n\n## If you suspend because you\u2019re seriously ill\n\nYou might be able to get a Maintenance Loan for 60 days after you suspend your course.\n\nYour university or college must tell the Student Loans Company (SLC) about your situation.\n\n## Apply for extra money\n\nIf you\u2019re having financial difficulties after 60 days you might be able to get more Maintenance Loan.\n\nApply to Student Finance England with:\n\n- a covering letter explaining your situation, including your customer reference number\n\n- evidence to support your claim, such as a bank statement or copy of your tenancy agreement\n\nThe address you send your application to is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nYou might also be able to get extra money from your university or college hardship fund.\n\n## If you suspend for another serious personal reason\n\nYou might still be able to get a Maintenance Loan for some or all the time you\u2019re away from your studies.\n\nApply to Student Finance England with:\n\n- a letter explaining why you have to suspend your course, including your customer reference number and the academic year it relates to\n\n- evidence to support your claim\n\nSupporting evidence includes things like:\n\n- a letter from your doctor or social services\n\n- a letter from your university or college\n\n- a bank statement\n\nThe address you send your application to is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nYou might need to send more than one piece of evidence.\n\nSLC will send you a letter explaining how much loan money you can get. You\u2019ll usually get a decision within 6 weeks.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "answerable": true, + "scenario": "My friend Ann has decided to stop her university course due to the unfortunate loss of her parents. She is mentally disturbed and the issue has left her traumatised. She is recieving student finance.", + "original_question": "Can she stop the student finance?" + }, + { + "id": "train-650", + "question": "Scenario: My brother is recieving student finance. He is pursuing his Engineering course in Bath university. He has been diagnosed with Bipolar which requires long term treatment. He has decided to suspend his studies.\n\nQuestion: Can he continue on receiving student finance or support after suspending the course?\n\nDocument - Student finance if you suspend or leave your course:\n## Overview\n\nIf you leave or suspend your studies you must:\n\n- stop your student finance\n\n- repay any student finance you are not entitled to\n\nYour student finance includes:\n\n- Maintenance Loans\n\n- Tuition Fee Loans\n\n- grants and bursaries\n\nHow much you need to repay and when you need to repay it depends on:\n\n- what type of student finance you have\n\n- when in the academic year you leave your course\n\n- whether you\u2019re planning to return to your course or not\n\nIf you suspend because of illness or another serious personal reason, you might still be able to get student finance while you\u2019re away.\n\n## Stopping your student finance\n\nYou must stop your student finance payments as soon as you decide to suspend your studies or leave your course early.\n\nThis will reduce any repayments you may need to make.\n\nStudent finance covers:\n\n- Maintenance Loans\n\n- Tuition Fee Loans\n\n- grants and bursaries\n\n## How to stop your student finance payments\n\nYou must:\n\n- tell your university or college that you\u2019re leaving or suspending your course\n\n- contact Student Finance England if you\u2019re a student from England\n\nThe way to make contact is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nIf you suspend your studies you can usually postpone your student finance payments until you return.\n\n## Repaying your student finance\n\nHow much and when you have to repay depends on:\n\n- the type of student finance you have\n\n- when in the academic year you leave your course\n\n- whether you\u2019re planning to return to your course or not\n\nYour university or college will tell your student finance provider the date you finished your studies.\n\n## Maintenance Loans\n\nYour student finance provider will reassess your Maintenance Loan based on the number of days you attended your course.\n\nIf any of your loan covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.\n\nThe Student Loans Company will write and tell you how much you must repay. If you cannot repay the full amount, you can ask them to set up a repayment plan.\n\nThe rest of your Maintenance Loan is repaid in the usual way once you start earning over the threshold amount.\n\n## If you\u2019re planning to return to your studies\n\nThe amount you were overpaid will usually be taken off your student finance payments when you return, so you do not have to repay straight away.\n\n## Grants and bursaries\n\nIf any of your grant or bursary covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.\n\nThere are exceptions for:\n\n- childcare grants taken in or after the 2019 to 2020 academic year\n\n- grants taken in or before the 2016 to 2017 academic year\n\nYou do not have to pay back overpayments on these grants until you\u2019ve finished your course.\n\n## Tuition Fee Loans\n\nYou\u2019ll need to repay at least some of your Tuition Fee loan for the year that you suspend or leave your course.\n\nYou\u2019ll need to pay back:\n\n- 25% of the loan for the year if you suspend or leave in term 1\n\n- 50% of the loan for the year if you suspend or leave in term 2\n\n- all the loan for the year if you suspend or leave in term 3\n\nThis is repaid in the usual way once you start earning over the threshold amount.\n\n## Getting student finance while you suspend your studies\n\nYou might be able to get student finance while you\u2019re away from your course if you suspend due to illness, bereavement or another serious personal reason.\n\nYou might also be able to get Disabled Students\u2019 Allowances.\n\nYou can apply for funding if you return to your studies.\n\n## If you suspend because you\u2019re seriously ill\n\nYou might be able to get a Maintenance Loan for 60 days after you suspend your course.\n\nYour university or college must tell the Student Loans Company (SLC) about your situation.\n\n## Apply for extra money\n\nIf you\u2019re having financial difficulties after 60 days you might be able to get more Maintenance Loan.\n\nApply to Student Finance England with:\n\n- a covering letter explaining your situation, including your customer reference number\n\n- evidence to support your claim, such as a bank statement or copy of your tenancy agreement\n\nThe address you send your application to is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nYou might also be able to get extra money from your university or college hardship fund.\n\n## If you suspend for another serious personal reason\n\nYou might still be able to get a Maintenance Loan for some or all the time you\u2019re away from your studies.\n\nApply to Student Finance England with:\n\n- a letter explaining why you have to suspend your course, including your customer reference number and the academic year it relates to\n\n- evidence to support your claim\n\nSupporting evidence includes things like:\n\n- a letter from your doctor or social services\n\n- a letter from your university or college\n\n- a bank statement\n\nThe address you send your application to is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nYou might need to send more than one piece of evidence.\n\nSLC will send you a letter explaining how much loan money you can get. You\u2019ll usually get a decision within 6 weeks.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "answerable": true, + "scenario": "My brother is recieving student finance. He is pursuing his Engineering course in Bath university. He has been diagnosed with Bipolar which requires long term treatment. He has decided to suspend his studies.", + "original_question": "Can he continue on receiving student finance or support after suspending the course?" + }, + { + "id": "train-651", + "question": "Scenario: We are small start-up company and have 50 employees. We have received a PAYE late penalty notice but we acknowledge that it was our mistake. We are planning to pay\n\nQuestion: Can we pay PAYE late penalty notice at post office ?\n\nDocument - Pay a PAYE late payment or filing penalty:\n## Overview\n\nYou have 30 days from the date on the PAYE late penalty notice to pay or appeal it.\n\nPay now\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set up one for HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set up one for HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## Reference number\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB03BARC20114783977692 | BARCGB22 | HMRC Shipley |\n\nHMRC\u2019s banking address is:\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HM Revenue and Customs (HMRC) sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.\n\nIf you\u2019re unable to pay your penalty in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can pay at a branch by cash or cheque. You\u2019ll need to use the HM Revenue and Customs (HMRC) payslip included with the late penalty or filing notice.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your penalty reference number on the back of your cheque. The reference number starts with an X. You will find it on the penalty notice sent to you by HMRC.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.\n\n## Direct Debit\n\nSet up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment.\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your penalty reference number on the back of the cheque. It starts with an \u2018X\u2019 and you\u2019ll find it on the penalty notice HMRC sent you.\n\nInclude the payslip from the penalty notice. Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nIf you want a receipt, include a note asking for one.\n\n## If you do not have a payslip\n\nYou can print a payslip to use to pay by post. You cannot use this at a bank.\n\n## Check your payment has been received\n\nView your HMRC online account to see if your payment has been received - it should update within 6 working days.\n\nYou can also check your bank or building society statement to confirm the payment has left your account.\n\nIf you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/pay-paye-penalty", + "answerable": true, + "scenario": "We are small start-up company and have 50 employees. We have received a PAYE late penalty notice but we acknowledge that it was our mistake. We are planning to pay", + "original_question": "Can we pay PAYE late penalty notice at post office ?" + }, + { + "id": "train-653", + "question": "Scenario: My warehousing employer uses zero-hour contracts. The contract requires me to be on call when they need me. I have accepted work from another company. The warehousing employer has now threatened me with legal action due to a contract clause, stating I cannot accept other work.\n\nQuestion: Am I legally not allowed to accept work from any other company?\n\nDocument - Contract types and employer responsibilities:\n## Overview\n\nAs an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.\n\nContract types include:\n\n- full-time and part-time contracts\n\n- fixed-term contracts\n\n- agency staff\n\n- freelancers, consultants, contractors\n\n- zero-hours contracts\n\nThere are also special rules for employing family members, young people and volunteers.\n\n## Full-time and part-time contracts\n\nAs an employer you must give employees:\n\n- a written statement of employment or contract\n\n- the statutory minimum level of paid holiday\n\n- a payslip showing all deductions, such as National Insurance contributions (NICs)\n\n- the statutory minimum length of rest breaks\n\n- Statutory Sick Pay (SSP)\n\n- maternity, paternity and adoption pay and leave\n\nYou must also:\n\n- make sure employees do not work longer than the maximum allowed\n\n- pay employees at least the minimum wage\n\n- have employer\u2019s liability insurance\n\n- provide a safe and secure working environment\n\n- register with HM Revenue and Customs to deal with payroll, tax and NICs\n\n- consider flexible working requests\n\n- avoid discrimination in the workplace\n\n- make reasonable adjustments to your business premises if your employee is disabled\n\n## Fixed-term contracts\n\nFixed-term contracts:\n\n- last for a certain length of time\n\n- are set in advance\n\n- end when a specific task is completed\n\n- end when a specific event takes place\n\nFixed-term employees must receive the same treatment as full-time permanent staff.\n\nFind out more about fixed-term employees\u2019 rights, and what to do about renewing or ending a fixed-term contract.\n\n## Agency staff\n\nAs an employer, you can hire temporary staff through agencies. This means:\n\n- you pay the agency, including the employee\u2019s National Insurance contributions (NICs) and Statutory Sick Pay (SSP)\n\n- it\u2019s the agency\u2019s responsibility to make sure workers get their rights under working time regulations\n\n- after 12 weeks\u2019 continuous employment in the same role, agency workers get the same terms and conditions as permanent employees, including pay, working time, rest periods, night work, breaks and annual leave\n\n- you must provide the agency with information about the relevant terms and conditions in your business so that they can ensure the worker gets equal treatment after 12 weeks in the same job\n\n- you must allow agency workers to use any shared facilities (for example a staff canteen or childcare) and give them information about job vacancies from the first day they work there\n\n- you are still responsible for their health and safety\n\n## Freelancers, consultants and contractors\n\nIf you hire a freelancer, consultant or contractor it means that:\n\n- they are self-employed or are part of other companies\n\n- they often look after their own tax and National Insurance contributions (NICs)\n\n- they might not be entitled to the same rights as workers, such as minimum wage\n\n- you\u2019re still responsible for their health and safety\n\n## Zero-hours contracts\n\nZero-hours contracts are also known as casual contracts. Zero-hours contracts are usually for \u2018piece work\u2019 or \u2018on call\u2019 work, for example for interpreters.\n\nThis means:\n\n- they are on call to work when you need them\n\n- you do not have to give them work\n\n- they do not have to do work when asked\n\nZero-hours workers are entitled to statutory annual leave and the National Minimum Wage in the same way as regular workers.\n\nYou cannot do anything to stop a zero-hours worker from getting work elsewhere. The law says they can ignore a clause in their contract if it bans them from:\n\n- looking for work\n\n- accepting work from another employer\n\nYou are still responsible for health and safety of staff on zero-hours contracts.\n\n## Employing family, young people and volunteers\n\n## Family\n\nIf you hire family members you must:\n\n- avoid special treatment in terms of pay, promotion and working conditions\n\n- make sure tax and National Insurance contributions are still paid\n\n- follow working time regulations for younger family members\n\n- have employer\u2019s liability insurance that covers any young family members\n\n- check if you need to provide them with a workplace pension scheme\n\n## Volunteers and voluntary staff\n\nWhen taking on volunteers or voluntary staff you:\n\n- are responsible for their health and safety\n\n- must give inductions and training in the tasks they\u2019re going to do\n\n## Young people\n\nYou can employ young people if they are 13 or over but there are special rules about how long they can work and what jobs they can do. Once someone is 18 they\u2019re classed as an \u2018adult worker\u2019 and different rules apply.\n\nAs well as following these rules you must do a risk assessment before taking on young workers.\n\nYoung people may also have certain employment rights like:\n\n- statutory maternity pay and ordinary statutory paternity pay if they qualify as a result of their continuous employment\n\n- paid time off for study and training\n\n- redundancy pay\n\nYoung workers and apprentices have different rates from adult workers for the National Minimum Wage.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "answerable": true, + "scenario": "My warehousing employer uses zero-hour contracts. The contract requires me to be on call when they need me. I have accepted work from another company. The warehousing employer has now threatened me with legal action due to a contract clause, stating I cannot accept other work.", + "original_question": "Am I legally not allowed to accept work from any other company?" + }, + { + "id": "train-654", + "question": "Scenario: We have employed staff from an agency. One of these staff has been been working for us for 15 weeks. They have stated that they are eligible for annual leave.\n\nQuestion: Does this employee have the right to annual leave?\n\nDocument - Contract types and employer responsibilities:\n## Overview\n\nAs an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.\n\nContract types include:\n\n- full-time and part-time contracts\n\n- fixed-term contracts\n\n- agency staff\n\n- freelancers, consultants, contractors\n\n- zero-hours contracts\n\nThere are also special rules for employing family members, young people and volunteers.\n\n## Full-time and part-time contracts\n\nAs an employer you must give employees:\n\n- a written statement of employment or contract\n\n- the statutory minimum level of paid holiday\n\n- a payslip showing all deductions, such as National Insurance contributions (NICs)\n\n- the statutory minimum length of rest breaks\n\n- Statutory Sick Pay (SSP)\n\n- maternity, paternity and adoption pay and leave\n\nYou must also:\n\n- make sure employees do not work longer than the maximum allowed\n\n- pay employees at least the minimum wage\n\n- have employer\u2019s liability insurance\n\n- provide a safe and secure working environment\n\n- register with HM Revenue and Customs to deal with payroll, tax and NICs\n\n- consider flexible working requests\n\n- avoid discrimination in the workplace\n\n- make reasonable adjustments to your business premises if your employee is disabled\n\n## Fixed-term contracts\n\nFixed-term contracts:\n\n- last for a certain length of time\n\n- are set in advance\n\n- end when a specific task is completed\n\n- end when a specific event takes place\n\nFixed-term employees must receive the same treatment as full-time permanent staff.\n\nFind out more about fixed-term employees\u2019 rights, and what to do about renewing or ending a fixed-term contract.\n\n## Agency staff\n\nAs an employer, you can hire temporary staff through agencies. This means:\n\n- you pay the agency, including the employee\u2019s National Insurance contributions (NICs) and Statutory Sick Pay (SSP)\n\n- it\u2019s the agency\u2019s responsibility to make sure workers get their rights under working time regulations\n\n- after 12 weeks\u2019 continuous employment in the same role, agency workers get the same terms and conditions as permanent employees, including pay, working time, rest periods, night work, breaks and annual leave\n\n- you must provide the agency with information about the relevant terms and conditions in your business so that they can ensure the worker gets equal treatment after 12 weeks in the same job\n\n- you must allow agency workers to use any shared facilities (for example a staff canteen or childcare) and give them information about job vacancies from the first day they work there\n\n- you are still responsible for their health and safety\n\n## Freelancers, consultants and contractors\n\nIf you hire a freelancer, consultant or contractor it means that:\n\n- they are self-employed or are part of other companies\n\n- they often look after their own tax and National Insurance contributions (NICs)\n\n- they might not be entitled to the same rights as workers, such as minimum wage\n\n- you\u2019re still responsible for their health and safety\n\n## Zero-hours contracts\n\nZero-hours contracts are also known as casual contracts. Zero-hours contracts are usually for \u2018piece work\u2019 or \u2018on call\u2019 work, for example for interpreters.\n\nThis means:\n\n- they are on call to work when you need them\n\n- you do not have to give them work\n\n- they do not have to do work when asked\n\nZero-hours workers are entitled to statutory annual leave and the National Minimum Wage in the same way as regular workers.\n\nYou cannot do anything to stop a zero-hours worker from getting work elsewhere. The law says they can ignore a clause in their contract if it bans them from:\n\n- looking for work\n\n- accepting work from another employer\n\nYou are still responsible for health and safety of staff on zero-hours contracts.\n\n## Employing family, young people and volunteers\n\n## Family\n\nIf you hire family members you must:\n\n- avoid special treatment in terms of pay, promotion and working conditions\n\n- make sure tax and National Insurance contributions are still paid\n\n- follow working time regulations for younger family members\n\n- have employer\u2019s liability insurance that covers any young family members\n\n- check if you need to provide them with a workplace pension scheme\n\n## Volunteers and voluntary staff\n\nWhen taking on volunteers or voluntary staff you:\n\n- are responsible for their health and safety\n\n- must give inductions and training in the tasks they\u2019re going to do\n\n## Young people\n\nYou can employ young people if they are 13 or over but there are special rules about how long they can work and what jobs they can do. Once someone is 18 they\u2019re classed as an \u2018adult worker\u2019 and different rules apply.\n\nAs well as following these rules you must do a risk assessment before taking on young workers.\n\nYoung people may also have certain employment rights like:\n\n- statutory maternity pay and ordinary statutory paternity pay if they qualify as a result of their continuous employment\n\n- paid time off for study and training\n\n- redundancy pay\n\nYoung workers and apprentices have different rates from adult workers for the National Minimum Wage.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "answerable": true, + "scenario": "We have employed staff from an agency. One of these staff has been been working for us for 15 weeks. They have stated that they are eligible for annual leave.", + "original_question": "Does this employee have the right to annual leave?" + }, + { + "id": "train-655", + "question": "Scenario: I am a full time employee. I have been working for the last 5 years. I have a new born baby. I have stopped the statutory maternity pay. My husband is working as well with an income of \u00a330000 per year.\n\nQuestion: Can i apply for shared parental leave and pay?\n\nDocument - Shared Parental Leave and Pay: employer guide:\n## Overview\n\nEmployees may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if they\u2019ve had a baby or adopted a child.\n\nEmployees can start SPL if they\u2019re eligible and they or their partner end their maternity or adoption leave or pay early. The remaining leave will be available as SPL. The remaining pay may be available as ShPP.\n\nEmployees can take SPL in up to 3 separate blocks. They can also share the leave with their partner if they\u2019re also eligible. Parents can choose how much of the SPL each of them will take.\n\nSPL and ShPP must be taken between the baby\u2019s birth and first birthday (or within 1 year of adoption).\n\nSPL and ShPP are only available in England, Scotland and Wales.\n\n## Eligibility\n\nSometimes only one parent in a couple will be eligible to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP). This means that they cannot share the leave.\n\nIf your employee is eligible then they can use SPL to book their leave in separate blocks.\n\n## Shared Parental Leave\n\nTo qualify for SPL, your employee must share responsibility for the child with one of the following:\n\n- their husband, wife, civil partner or joint adopter\n\n- the child\u2019s other parent\n\n- their partner (if they live with them)\n\nYour employee or their partner must be eligible for maternity pay or leave, adoption pay or leave or Maternity Allowance.\n\nThey must also:\n\n- still be employed by you while they take SPL\n\n- give you the correct notice including a declaration that their partner meets the employment and income requirements which allow your employee to get SPL\n\n- have been continuously employed by you for at least 26 weeks up to any day of the \u2018qualifying week\u2019, or the week they are matched with a child for adoption in the UK\n\nThe \u2018qualifying week\u2019 is the 15th week before the baby is due.\n\n## Statutory Shared Parental Pay\n\nThey can get ShPP if they\u2019re an employee and one of the following applies:\n\n- they\u2019re eligible for Statutory Maternity Pay (SMP) or Statutory Adoption Pay (SAP)\n\n- they\u2019re eligible for Statutory Paternity Pay (SPP) and their partner is eligible for SMP, Maternity Allowance (MA) or SAP\n\nThey can also get ShPP if they\u2019re a worker and they\u2019re eligible for SMP or SPP.\n\n## Refusing SPL or ShPP\n\nYou can refuse SPL or ShPP if the employee does not qualify.\n\nYou must tell the employee the reason if you refuse ShPP. You do not have to give a reason for refusing SPL.\n\n## Entitlement\n\nIf an employee is eligible and they or their partner end maternity or adoption leave and pay (or Maternity Allowance) early, then they can:\n\n- take the rest of the 52 weeks of leave (up to a maximum of 50 weeks) as Shared Parental Leave (SPL)\n\n- take the rest of the 39 weeks of pay (up to a maximum of 37 weeks) as Statutory Shared Parental Pay (ShPP)\n\nA mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).\n\nShPP is paid at the rate of \u00a3151.97 a week or 90% of an employee\u2019s average weekly earnings, whichever is lower.\n\n## Starting Shared Parental Leave\n\nFor Shared Parental Leave (SPL) to start, the mother or adopter must do one of the following:\n\n- end their maternity or adoption leave by returning to work\n\n- give you \u2018binding notice\u2019 (a decision that cannot normally be changed) of the date when they\u2019ll end their maternity or adoption leave\n\n- end maternity pay or Maternity Allowance (if they\u2019re not entitled to maternity leave, for example they\u2019re an agency worker or self-employed)\n\nA mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).\n\nThe adoptive parent getting Statutory Adoption Pay must take at least 2 weeks\u2019 adoption leave. They can take it from the day of the placement, or up to 14 days before the placement starts.\n\nThe mother must give you notice (at least 8 weeks) to end her maternity pay, or tell Jobcentre Plus to end her Maternity Allowance. Adopters must give you notice to end adoption pay.\n\nSPL can start for the partner while the mother or adopter is still on maternity or adoption leave if she\u2019s given binding notice to end her leave (or pay if she\u2019s not entitled to leave).\n\n## What the employee must do\n\nThe employee must give you written notice if they want to start SPL or Statutory Shared Parental Pay (ShPP). They can do this using forms created by the Advisory, Conciliation and Arbitration Service (Acas).\n\nAfter receiving this notice, you can ask for:\n\n- a copy of the child\u2019s birth certificate\n\n- the name and address of their partner\u2019s employer\n\nYou have 14 days to ask for this information. Your employee then has a further 14 days to provide it.\n\n## Notice period\n\nAn employee must give at least 8 weeks\u2019 notice of any leave they wish to take. If the child is born more than 8 weeks early, this notice period can be shorter.\n\nYour employee has a statutory right to a maximum of 3 separate blocks of leave, although you can allow more if you wish.\n\n## Cancelling the decision to end maternity or adoption leave\n\nThe mother or adopter may be able to change their decision to end maternity or adoption leave early if both:\n\n- the planned end date has not passed\n\n- they have not already returned to work\n\nOne of the following must also apply:\n\n- it\u2019s discovered during the 8-week notice period that neither partner is eligible for either SPL or ShPP\n\n- the employee\u2019s partner has died\n\n- it\u2019s less than 6 weeks after the birth (and the mother gave notice before the birth)\n\n## Shared parental leave in touch (SPLIT) days\n\nYour employee can work up to 20 days during SPL without bringing it to an end. These are called \u2018shared parental leave in touch\u2019 (or SPLIT) days.\n\nThese days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days already available to those on maternity or adoption leave.\n\nKeeping in touch days are optional - both you and your employee must agree to them.\n\n## Blocks of leave\n\nAn employee taking Shared Parental Leave (SPL) can split their leave into up to 3 separate blocks instead of taking it all in one go, even if they are not sharing the leave with their partner.\n\nIf both parents are taking SPL then they can take their leave at the same time as each other or at different times.\n\nThe employee must give you at least 8 weeks\u2019 notice before a block of leave begins.\n\n## Splitting blocks\n\nIf you agree, the employee can split a block of leave into shorter periods of at least a week. For example they could work every other week during a 12-week block, using a total of 6 weeks of their SPL.\n\nYou cannot turn down a request for a block of leave if the employee is eligible and gives you the right notice. You do not have to agree to the employee breaking the block of leave into shorter periods.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the evidence provided by the employee to show that they\u2019re eligible for ShPP\n\n- the date ShPP began\n\n- your ShPP payments (including dates)\n\n- the ShPP you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for at least 3 years from the end of the tax year they relate to.\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/shared-parental-leave-and-pay-employer-guide", + "answerable": true, + "scenario": "I am a full time employee. I have been working for the last 5 years. I have a new born baby. I have stopped the statutory maternity pay. My husband is working as well with an income of \u00a330000 per year.", + "original_question": "Can i apply for shared parental leave and pay?" + }, + { + "id": "train-656", + "question": "Scenario: I am on maternity leave after the birth of my baby. Would like to apply for a shared parental leave and pay so that i can look after my baby who has some infant complications.\n\nQuestion: Should i give a notice letter to my employer?\n\nDocument - Shared Parental Leave and Pay: employer guide:\n## Overview\n\nEmployees may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if they\u2019ve had a baby or adopted a child.\n\nEmployees can start SPL if they\u2019re eligible and they or their partner end their maternity or adoption leave or pay early. The remaining leave will be available as SPL. The remaining pay may be available as ShPP.\n\nEmployees can take SPL in up to 3 separate blocks. They can also share the leave with their partner if they\u2019re also eligible. Parents can choose how much of the SPL each of them will take.\n\nSPL and ShPP must be taken between the baby\u2019s birth and first birthday (or within 1 year of adoption).\n\nSPL and ShPP are only available in England, Scotland and Wales.\n\n## Eligibility\n\nSometimes only one parent in a couple will be eligible to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP). This means that they cannot share the leave.\n\nIf your employee is eligible then they can use SPL to book their leave in separate blocks.\n\n## Shared Parental Leave\n\nTo qualify for SPL, your employee must share responsibility for the child with one of the following:\n\n- their husband, wife, civil partner or joint adopter\n\n- the child\u2019s other parent\n\n- their partner (if they live with them)\n\nYour employee or their partner must be eligible for maternity pay or leave, adoption pay or leave or Maternity Allowance.\n\nThey must also:\n\n- still be employed by you while they take SPL\n\n- give you the correct notice including a declaration that their partner meets the employment and income requirements which allow your employee to get SPL\n\n- have been continuously employed by you for at least 26 weeks up to any day of the \u2018qualifying week\u2019, or the week they are matched with a child for adoption in the UK\n\nThe \u2018qualifying week\u2019 is the 15th week before the baby is due.\n\n## Statutory Shared Parental Pay\n\nThey can get ShPP if they\u2019re an employee and one of the following applies:\n\n- they\u2019re eligible for Statutory Maternity Pay (SMP) or Statutory Adoption Pay (SAP)\n\n- they\u2019re eligible for Statutory Paternity Pay (SPP) and their partner is eligible for SMP, Maternity Allowance (MA) or SAP\n\nThey can also get ShPP if they\u2019re a worker and they\u2019re eligible for SMP or SPP.\n\n## Refusing SPL or ShPP\n\nYou can refuse SPL or ShPP if the employee does not qualify.\n\nYou must tell the employee the reason if you refuse ShPP. You do not have to give a reason for refusing SPL.\n\n## Entitlement\n\nIf an employee is eligible and they or their partner end maternity or adoption leave and pay (or Maternity Allowance) early, then they can:\n\n- take the rest of the 52 weeks of leave (up to a maximum of 50 weeks) as Shared Parental Leave (SPL)\n\n- take the rest of the 39 weeks of pay (up to a maximum of 37 weeks) as Statutory Shared Parental Pay (ShPP)\n\nA mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).\n\nShPP is paid at the rate of \u00a3151.97 a week or 90% of an employee\u2019s average weekly earnings, whichever is lower.\n\n## Starting Shared Parental Leave\n\nFor Shared Parental Leave (SPL) to start, the mother or adopter must do one of the following:\n\n- end their maternity or adoption leave by returning to work\n\n- give you \u2018binding notice\u2019 (a decision that cannot normally be changed) of the date when they\u2019ll end their maternity or adoption leave\n\n- end maternity pay or Maternity Allowance (if they\u2019re not entitled to maternity leave, for example they\u2019re an agency worker or self-employed)\n\nA mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).\n\nThe adoptive parent getting Statutory Adoption Pay must take at least 2 weeks\u2019 adoption leave. They can take it from the day of the placement, or up to 14 days before the placement starts.\n\nThe mother must give you notice (at least 8 weeks) to end her maternity pay, or tell Jobcentre Plus to end her Maternity Allowance. Adopters must give you notice to end adoption pay.\n\nSPL can start for the partner while the mother or adopter is still on maternity or adoption leave if she\u2019s given binding notice to end her leave (or pay if she\u2019s not entitled to leave).\n\n## What the employee must do\n\nThe employee must give you written notice if they want to start SPL or Statutory Shared Parental Pay (ShPP). They can do this using forms created by the Advisory, Conciliation and Arbitration Service (Acas).\n\nAfter receiving this notice, you can ask for:\n\n- a copy of the child\u2019s birth certificate\n\n- the name and address of their partner\u2019s employer\n\nYou have 14 days to ask for this information. Your employee then has a further 14 days to provide it.\n\n## Notice period\n\nAn employee must give at least 8 weeks\u2019 notice of any leave they wish to take. If the child is born more than 8 weeks early, this notice period can be shorter.\n\nYour employee has a statutory right to a maximum of 3 separate blocks of leave, although you can allow more if you wish.\n\n## Cancelling the decision to end maternity or adoption leave\n\nThe mother or adopter may be able to change their decision to end maternity or adoption leave early if both:\n\n- the planned end date has not passed\n\n- they have not already returned to work\n\nOne of the following must also apply:\n\n- it\u2019s discovered during the 8-week notice period that neither partner is eligible for either SPL or ShPP\n\n- the employee\u2019s partner has died\n\n- it\u2019s less than 6 weeks after the birth (and the mother gave notice before the birth)\n\n## Shared parental leave in touch (SPLIT) days\n\nYour employee can work up to 20 days during SPL without bringing it to an end. These are called \u2018shared parental leave in touch\u2019 (or SPLIT) days.\n\nThese days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days already available to those on maternity or adoption leave.\n\nKeeping in touch days are optional - both you and your employee must agree to them.\n\n## Blocks of leave\n\nAn employee taking Shared Parental Leave (SPL) can split their leave into up to 3 separate blocks instead of taking it all in one go, even if they are not sharing the leave with their partner.\n\nIf both parents are taking SPL then they can take their leave at the same time as each other or at different times.\n\nThe employee must give you at least 8 weeks\u2019 notice before a block of leave begins.\n\n## Splitting blocks\n\nIf you agree, the employee can split a block of leave into shorter periods of at least a week. For example they could work every other week during a 12-week block, using a total of 6 weeks of their SPL.\n\nYou cannot turn down a request for a block of leave if the employee is eligible and gives you the right notice. You do not have to agree to the employee breaking the block of leave into shorter periods.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the evidence provided by the employee to show that they\u2019re eligible for ShPP\n\n- the date ShPP began\n\n- your ShPP payments (including dates)\n\n- the ShPP you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for at least 3 years from the end of the tax year they relate to.\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/shared-parental-leave-and-pay-employer-guide", + "answerable": true, + "scenario": "I am on maternity leave after the birth of my baby. Would like to apply for a shared parental leave and pay so that i can look after my baby who has some infant complications.", + "original_question": "Should i give a notice letter to my employer?" + }, + { + "id": "train-659", + "question": "Scenario: I received a court order to make of \u00a3200 from my employee's wages. I have forgotten to do this, and I am concerned over it.\n\nQuestion: Is there any punishment for failing to make deductions?\n\nDocument - Make debt deductions from an employee's pay:\n## When you have to deduct from pay\n\nYou have to make deductions from your employee\u2019s wages if a court orders you to. This could be to pay off:\n\n- unpaid maintenance payments\n\n- a county court judgment\n\nThere\u2019s a different process if you have to make deductions to pay off a benefit debt or child maintenance.\n\n## How it works\n\n- You\u2019ll get a document from the court telling you to make deductions from your employee\u2019s pay.\n\n- Work out how much you have to deduct each time your employee is paid.\n\n- Start making deductions the next time you pay your employee. Pay them their reduced wages on their normal payday.\n\n- Make the payment to the court.\n\n- Stop making deductions when the debt has been paid off.\n\nYou and your employee can be fined if you do not deduct their wages, or if you deliberately give false information about their earnings.\n\n## Getting an order\n\nYou and your employee will each get an \u2018attachment of earnings order\u2019 (AEO) from the court.\n\nYou must start making deductions from your employee\u2019s pay from the next time you pay them, unless it\u2019s within the next 7 days.\n\nWrite to the court within 10 days if you get an order for someone you do not employ.\n\n## What the order tells you\n\nThe court order will tell you:\n\n- how much your employee owes\n\n- if it\u2019s a \u2018priority order\u2019 - if it does not say what it is, it\u2019s a \u2018non-priority order\u2019\n\n- how much you have to take from their wages - called the \u2018normal deduction rate\u2019 (NDR)\n\n- the minimum amount they still have to take home - called the \u2018protected earnings rate\u2019 (PER)\n\n- how often the payments have to be made (weekly or monthly)\n\nYou can be fined if you do not start making the deductions.\n\n## Change how often the deductions are made\n\nIf a county court made the order, you can ask them to change it, for example from weekly to monthly if that\u2019s how you pay your employee.\n\nIf a magistrate\u2019s court made the order, your employee has to ask the court to change it.\n\n## Deductions and minimum take-home pay\n\nYou cannot make the normal deduction if it would take the employee below the protected earnings rate.\n\n## Protected earnings rate is too high\n\nIf the protected earnings rate is so high that you\u2019ll never be able to make deductions, write to both:\n\n- the Centralised Attachment of Earning Payments (CAPS) office\n\n- the court who issued the order\n\nInclude the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n## Priority and non-priority orders\n\nThere are 2 types of orders - priority orders and non-priority orders. The way you calculate deductions for them is different.\n\n| Type of order | What it\u2019s used for | If you cannot make the full deduction |\n\n| Priority | Maintenance or fines | Carry the unpaid difference over to the next payday |\n\n| Non-priority | Civil debts | Do not carry the unpaid difference over to the next payday |\n\n## If your employee has more than one order\n\nDeduct any priority orders first, in the order the employee got them. Then deduct the non-priority orders in the order the employee got them.\n\nYou can apply to the court to combine 2 or more non-priority orders into a single order. This is called a \u2018consolidated attachment of earnings order\u2019.\n\n## Deductions for a priority order\n\nPriority orders are used for unpaid maintenance or fines.\n\n- Calculate your employee\u2019s earnings.\n\n- Take off the normal deduction rate from their earnings.\n\n- Take off an extra \u00a31 towards your administrative costs (if you want to).\n\n- Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate (this is given in the order). If you cannot deduct the full amount, carry the difference over and deduct it on the next payday.\n\n- Send the deduction to the court.\n\nYou can still deduct the \u00a31 if it takes your employee\u2019s income below their protected earnings rate - but not if it takes their income below the National Minimum Wage.\n\n## Making a full deduction\n\nDeduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.\n\n## When you cannot make a full deduction\n\nIf the full deduction would take the employee below their protected earnings rate, carry the difference over to their next payday.\n\n## When you cannot make any deduction\n\nThere\u2019s a different process if you cannot make any deduction because the employee\u2019s earnings are below their protected earnings rate.\n\nYou have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n- reason you could not make any deduction\n\n## Paying your employee for a different pay period\n\nRecalculate the protected earnings rate and normal deduction rate if you pay your employee for a different period than usual.\n\n## Holiday pay in advance\n\nUse the same process if you\u2019re paying your employee holiday pay in advance.\n\nYou\u2019ll need to work out the different rates for:\n\n- the month when you give pay in advance\n\n- the following month when you pay them less than normal\n\n## Deductions for a non-priority order\n\nNon-priority orders are used for debts from a county court judgment (CCJ).\n\n- Calculate your employee\u2019s earnings.\n\n- Take off the normal deduction rate from their earnings.\n\n- Take off an extra \u00a31 towards your administrative costs (if you want to).\n\n- Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate.\n\n- Send the deduction to the court.\n\nYou can still deduct the \u00a31 if it takes your employee\u2019s income below their protected earnings rate - but not if it takes their income below the National Minimum Wage.\n\n## Making a full deduction\n\nDeduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.\n\n## When you cannot make a full deduction\n\nDo not carry any unpaid difference over to the next payday if the full deduction would take the employee below their protected earnings rate.\n\n## When you cannot make any deduction\n\nDo not carry the deduction over to the next payday if the employee\u2019s earnings are below their protected earnings rate.\n\nYou have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n- reason you could not make any deduction\n\n## Paying your employee for a different pay period\n\nRecalculate the protected earnings rate and normal deduction rate if you pay your employee for a different period than usual.\n\n## Holiday pay in advance\n\nUse the same process if you\u2019re paying your employee holiday pay in advance.\n\nYou\u2019ll need to work out the different rates for:\n\n- the month when you give pay in advance\n\n- the following month when you\u2019d pay them less than normal\n\n## What counts as earnings\n\nYou can only make a deduction from the following earnings:\n\n- wages, fees, bonuses, commissions, overtime pay or any payments on top of wages\n\n- private or occupational pensions and compensation payments\n\n- Statutory Sick Pay\n\n- contractual sick pay\n\n- contractual maternity pay\n\n- contractual paternity pay\n\n- contractual adoption pay\n\n- contractual redundancy pay\n\nStatutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees in addition to statutory pay.\n\n## What does not count as earnings\n\nYou cannot make a deduction from any of the following:\n\n- amounts paid by a department of the government of Northern Ireland or any country outside the UK\n\n- any social security pension, allowance or benefit\n\n- tax credits\n\n- any pension or allowance paid for disability\n\n- guaranteed minimum pension within the Social Security Pensions Act 1975\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Redundancy Pay\n\n## Making payments\n\nThe order that you get for the employee will tell you whether you have to pay:\n\n- the magistrates\u2019 court\n\n- the Centralised Attachment of Earnings Payments (CAPS) office\n\n## Tell your employee each time\n\nYou must tell your employee in writing about each deduction. Do this when you give them their payslip.\n\n## Paying the magistrates\u2019 court\n\nSend a cheque made payable to \u2018HM Courts & Tribunals Service\u2019.\n\nYou can pay with a single cheque if you\u2019re paying 2 or more orders issued by the same court.\n\nSome courts let you pay by Bacs transfer. Contact the court for their account details if you want to pay this way.\n\nWhen you send the payment, you must include a note of:\n\n- the employer name\n\n- the employee\u2019s name\n\n- the case number from the order\n\n- how much money you\u2019re sending\n\n## Paying the CAPS office\n\nYou can only pay by:\n\n- cheque\n\n- Bacs transfer\n\nYou cannot pay by standing order or Direct Debit.\n\n## Pay CAPS by cheque\n\nSend a cheque made payable to \u2018HM Courts & Tribunals Service\u2019 to CAPS.\n\n## Pay CAPS by Bacs\n\nYou must register before you can pay by Bacs. Download and fill in the registration form and email it to ntonbacs@justice.gov.uk.\n\nTo make a Bacs payment, send:\n\n- a bank payment request form to your bank\n\n- the Bacs payment schedule form to ntonbacs@justice.gov.uk\n\nThe payment will be sent back if you do not fill in the schedule correctly. You can be fined if you do not send the schedule.\n\n## Contact CAPS about a payment\n\nYou need to give these details when you contact CAPS about a payment:\n\n- case number\n\n- your name (as stated on your bank statement)\n\n- your bank account number\n\n- your sort code\n\n- amount of payment\n\n## Change of circumstances\n\nWrite to the Centralised Attachment of Earning Payments (CAPS) office within 10 days if the employee stops working for you.\n\nInclude the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n- date they stopped working for you\n\n- name of their new employer (if you know it)\n\n## The court changes the order\n\nThe County Court Money Claims Centre will tell you in writing if the normal deduction rate or protected earnings rate changes. They can change it for 4 weeks.\n\nWhen the 4 weeks is over, you have to go back to the original rates in the order.\n\n## The court cancels the order\n\nThe County Court Money Claims Centre will tell you in writing if the order has been \u2018discharged\u2019 (cancelled).\n\nYou can still make the deduction if you\u2019re due to pay your employee within the next 7 days. Your employee will get a refund from CAPS.\n\nYou must stop making deductions if you\u2019re due to pay your employee 7 days after you got the cancellation notice.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/debt-deductions-from-employee-pay", + "answerable": true, + "scenario": "I received a court order to make of \u00a3200 from my employee's wages. I have forgotten to do this, and I am concerned over it.", + "original_question": "Is there any punishment for failing to make deductions?" + }, + { + "id": "train-661", + "question": "Scenario: I am studying to be a dentist and my course started on August 2019. I need some help to cover my living costs while I study\n\nQuestion: Do I qualify for NHS bursary ?\n\nDocument - NHS bursaries:\n## Overview\n\nWhat you can apply for depends on when your course starts and what you\u2019re studying. You do not have to pay your NHS bursary back.\n\nIf you\u2019re not eligible for a bursary you may still be eligible for student finance.\n\n## If your course starts on or after 1 August 2018\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor or dentist.\n\nIf you\u2019re studying a pre-registration postgraduate healthcare course, you may still be eligible for student finance.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor, dentist, dental hygienist or dental therapist.\n\n## If your course started before 1 August 2017\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying a dental, medical or healthcare course in England.\n\n## What you'll get\n\nIf you\u2019re an eligible full-time NHS student starting a course on or after 1 September 2012, you can apply for:\n\n- a bursary from the NHS\n\n- a \u00a31,000 grant from the NHS\n\n- a reduced Maintenance Loan from Student Finance England\n\nIf you\u2019re an eligible part-time student starting a course on or after 1 September 2012, you can apply for:\n\n- a reduced bursary from the NHS\n\n- a reduced grant from the NHS\n\nThe amount you get depends on the length of your course.\n\n## Tuition fees\n\nIf you\u2019re eligible for an NHS bursary, the NHS pays your standard tuition fees. Your course tuition fees are paid directly to your university.\n\nIf you\u2019re studying a graduate-entry accelerated medical or dental programme, you can get some of your tuition costs paid with an NHS bursary in years 2 to 4 of your programme.\n\n- \u00a33,715 if you\u2019re starting in the 2019 to 2020 academic year\n\n- \u00a33,715 if you\u2019re starting in the 2018 to 2019 academic year\n\n## Bursary\n\nYour bursary amount depends on your household income. This can be your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\nIf you started a Diploma of Higher Education (DipHE) Nursing or Operating Department Practitioner course before 1 September 2012, you\u2019ll receive a basic bursary which does not depend on your household income.\n\nIf you\u2019re studying to become a doctor or dentist, you can apply for an NHS bursary from your second year for graduate entry programmes or from your fifth year for undergraduate programmes.\n\n## Grant\n\nYou\u2019ll get a fixed amount of \u00a31,000 if you\u2019re an eligible full-time NHS student starting your course on or after 1 September 2012. You\u2019ll get a reduced amount if you\u2019re a part-time student.\n\nYou must apply for an NHS bursary to get the grant.\n\n## Maintenance Loan\n\nYou\u2019ll get a reduced Maintenance Loan. The amount you get depends on:\n\n- where you live and study\n\n- whether you\u2019re in the final year of your course (when you get less)\n\nCurrent rates for the 2018 to 2019 academic year are:\n\n- \u00a33,263 for students studying in London and living away from home\n\n- \u00a32,324 for students studying outside London and away from home\n\n- \u00a31,744 for students living at home\n\nCurrent rates for the 2019 to 2020 academic year are:\n\n- \u00a33,354 for students studying in London and living away from home\n\n- \u00a32,389 for students studying outside London and away from home\n\n- \u00a31,793 for students living at home\n\n## How it\u2019s paid\n\nThe NHS bursary is paid into your bank account in 12 equal monthly instalments.\n\nThe Maintenance Loan is usually paid into your bank account at the beginning of each term.\n\n## If you\u2019re disabled or have children\n\nYou may get extra help if you:\n\n- have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- have dependants\n\nFind out what extra help you could get.\n\n## Eligibility\n\nWhether you can get an NHS bursary depends on:\n\n- where you live\n\n- your course\n\n- your household income\n\n- whether you\u2019ve already had funding\n\n## Where you live\n\nTo be eligible to apply for an NHS bursary you must have been living in the UK, the Channel Islands or the Isle of Man for 3 years up to the start of the academic year.\n\nYou may still be eligible if you do not meet the residency requirements - find out more from the NHS Business Services Authority.\n\n## Your course\n\nWhether you\u2019re eligible depends on when your course starts.\n\nYou will not get an NHS bursary if you\u2019re a first level nurse or midwife and you\u2019re registering for a second field in nursing or midwifery.\n\n## If your course starts on or after 1 August 2018\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.\n\nYou can apply for an NHS bursary from your 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- dental hygienist or dental therapist\n\n## If your course started before 1 August 2017\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- chiropodist (including podiatrist), dietician, occupational therapist, orthoptist, physiotherapist, prosthetist, orthotist, radiographer, radiotherapist, audiologist or a speech and language therapist\n\n- dental hygienist or dental therapist\n\n- nurse, midwife or operating department practitioner (degree or diploma course)\n\n## Household income\n\nYour total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\n## If you\u2019ve already had funding\n\nYou may be eligible for an NHS bursary even if you\u2019ve already had public funding for higher education.\n\nIf you\u2019ve had an NHS bursary and want to change professions, you may also be eligible.\n\nFind out more from the NHS Business Services Authority.\n\n## How to apply\n\nYou need to create a Bursary Online Support System (BOSS) account on the NHS Student Bursaries website to apply for an NHS bursary.\n\nYou must reapply for your bursary every academic year.\n\nThere are different ways to apply if you\u2019re from Scotland, Wales or Northern Ireland.\n\n## New students\n\nIf you\u2019re entering the first year of your NHS-funded course or, for medical and dental students, your first year of NHS bursary funding, read the guidance for new students.\n\n## When to apply\n\nYou should wait until you have an offer of a course place from your university or college before you apply for an NHS bursary.\n\nThe date you can apply from usually depends on when your course starts. Check the NHS Student Bursaries website for the latest application dates.\n\n## Documents\n\nIf you\u2019re applying for an NHS bursary for the first time you must provide 2 documents to confirm your identity, one of which must include a photograph of yourself, for example a birth certificate and a valid passport.\n\nYou must send original documents (not photocopies), which NHS Student Bursaries will return to you.\n\n## Continuing students\n\nIf you\u2019ve already had an NHS student bursary for your current course and you\u2019re reapplying for another year, read the guidance for continuing students.\n\n## When to apply\n\nNHS Student Bursaries will send you an email invitation when you can reapply for your bursary. The date your invitation is sent depends on when your next academic year begins. Check the NHS Student Busaries website for the latest invitation dates.\n\nYou must send your application within 6 months of the first day of your academic year.\n\n## What happens next\n\nIf your application is approved, NHS Student Bursaries will send you an email when your bursary is available for you to view in your BOSS account.\n\nIf you get an NHS bursary you can apply separately for a reduced rate loan from Student Finance England.\n\n## Contact NHS Student Bursaries\n\nContact NHS Student Bursaries if you need help with your application.\n\n## Extra financial help\n\nIn addition to the NHS bursary you may also be able to apply for extra help if:\n\n- you have children\n\n- you have adult dependants\n\n- you have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- you do a practice placement\n\n- your course runs for more than 30 weeks and 3 days in the academic year\n\nFind out more about extra help on the NHS Student Bursaries website.\n\n## Dependants\u2019 Allowance\n\nYou may get this if you have adults or children who are financially dependent on you when you\u2019re training.\n\nHow much you get depends on your household income.\n\nApply for Dependants\u2019 Allowance through your BOSS account.\n\n## Childcare Allowance\n\nYou must apply for Dependants\u2019 Allowance before you can apply for Childcare Allowance.\n\nYou may be able to get the NHS Bursary Childcare Allowance if you have dependent children.\n\nHow much you get depends on your circumstances and your household income.\n\nYou cannot get this if you\u2019re not entitled to the NHS bursary (known as a \u2018Fees Only award\u2019).\n\nTo qualify:\n\n- you must use a registered childcare provider\n\n- your children must be under 15 on the first day of the academic year (or under 17 if they have special educational needs)\n\nThe allowance pays 85% of the gross actual cost up to:\n\n- \u00a3128.78 a week for 1 child\n\n- \u00a3191.45 a week for 2 or more children\n\nApply for Childcare Allowance via the form on the NHS Student Bursaries website.\n\n## Parent Learning Allowance\n\nYou must apply for Dependants\u2019 Allowance first. If this includes a dependent child, you\u2019re automatically assessed for Parent Learning Allowance.\n\nYou can claim up to \u00a31,204 per academic year.\n\nHow much you get depends on your household income.\n\n## Disabled Students\u2019 Allowances\n\nYou can get this if you have to pay extra costs because of a:\n\n- physical disability\n\n- long-term health condition\n\n- mental-health difficulty\n\n- specific learning difficulty like dyslexia\n\nYou need to give up-to-date medical evidence of the nature and severity of your disability from a qualified professional.\n\nYou can get up to:\n\n- \u00a320,725 for a helper\n\n- \u00a35,214 for specialist equipment for the whole course\n\n- \u00a31,741 for other costs\n\nApply for Disabled Students Allowance through your BOSS account.\n\n## Practice placement expenses\n\nIf you do a practice placement you may be able to claim travel costs if:\n\n- your practice placement is in a hospital or community health centre and not at your university\n\n- it costs you more to travel to your placement than it costs to travel to university\n\nClaim practice placement expenses via the form on the NHS Student Bursaries website.\n\n## Extra Weeks Allowance\n\nIf your course runs for more than 30 weeks and 3 days in the 2016 to 2017 academic year you may be entitled to Extra Weeks Allowance:\n\n| Where you study and live | Allowance |\n\n| In London | \u00a3108 per week |\n\n| Outside London | \u00a384 per additional week |\n\n| With your parents | \u00a356 per additional week |\n\nYour Extra Weeks Allowance is calculated automatically during the application process.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/nhs-bursaries", + "answerable": true, + "scenario": "I am studying to be a dentist and my course started on August 2019. I need some help to cover my living costs while I study", + "original_question": "Do I qualify for NHS bursary ?" + }, + { + "id": "train-662", + "question": "Scenario: I am studying to be a doctor. I registered an account with Bursary Online Support System (BOSS) for my NHS bursary last year\n\nQuestion: Do I have to re-appy for NHS bursary every year ?\n\nDocument - NHS bursaries:\n## Overview\n\nWhat you can apply for depends on when your course starts and what you\u2019re studying. You do not have to pay your NHS bursary back.\n\nIf you\u2019re not eligible for a bursary you may still be eligible for student finance.\n\n## If your course starts on or after 1 August 2018\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor or dentist.\n\nIf you\u2019re studying a pre-registration postgraduate healthcare course, you may still be eligible for student finance.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor, dentist, dental hygienist or dental therapist.\n\n## If your course started before 1 August 2017\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying a dental, medical or healthcare course in England.\n\n## What you'll get\n\nIf you\u2019re an eligible full-time NHS student starting a course on or after 1 September 2012, you can apply for:\n\n- a bursary from the NHS\n\n- a \u00a31,000 grant from the NHS\n\n- a reduced Maintenance Loan from Student Finance England\n\nIf you\u2019re an eligible part-time student starting a course on or after 1 September 2012, you can apply for:\n\n- a reduced bursary from the NHS\n\n- a reduced grant from the NHS\n\nThe amount you get depends on the length of your course.\n\n## Tuition fees\n\nIf you\u2019re eligible for an NHS bursary, the NHS pays your standard tuition fees. Your course tuition fees are paid directly to your university.\n\nIf you\u2019re studying a graduate-entry accelerated medical or dental programme, you can get some of your tuition costs paid with an NHS bursary in years 2 to 4 of your programme.\n\n- \u00a33,715 if you\u2019re starting in the 2019 to 2020 academic year\n\n- \u00a33,715 if you\u2019re starting in the 2018 to 2019 academic year\n\n## Bursary\n\nYour bursary amount depends on your household income. This can be your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\nIf you started a Diploma of Higher Education (DipHE) Nursing or Operating Department Practitioner course before 1 September 2012, you\u2019ll receive a basic bursary which does not depend on your household income.\n\nIf you\u2019re studying to become a doctor or dentist, you can apply for an NHS bursary from your second year for graduate entry programmes or from your fifth year for undergraduate programmes.\n\n## Grant\n\nYou\u2019ll get a fixed amount of \u00a31,000 if you\u2019re an eligible full-time NHS student starting your course on or after 1 September 2012. You\u2019ll get a reduced amount if you\u2019re a part-time student.\n\nYou must apply for an NHS bursary to get the grant.\n\n## Maintenance Loan\n\nYou\u2019ll get a reduced Maintenance Loan. The amount you get depends on:\n\n- where you live and study\n\n- whether you\u2019re in the final year of your course (when you get less)\n\nCurrent rates for the 2018 to 2019 academic year are:\n\n- \u00a33,263 for students studying in London and living away from home\n\n- \u00a32,324 for students studying outside London and away from home\n\n- \u00a31,744 for students living at home\n\nCurrent rates for the 2019 to 2020 academic year are:\n\n- \u00a33,354 for students studying in London and living away from home\n\n- \u00a32,389 for students studying outside London and away from home\n\n- \u00a31,793 for students living at home\n\n## How it\u2019s paid\n\nThe NHS bursary is paid into your bank account in 12 equal monthly instalments.\n\nThe Maintenance Loan is usually paid into your bank account at the beginning of each term.\n\n## If you\u2019re disabled or have children\n\nYou may get extra help if you:\n\n- have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- have dependants\n\nFind out what extra help you could get.\n\n## Eligibility\n\nWhether you can get an NHS bursary depends on:\n\n- where you live\n\n- your course\n\n- your household income\n\n- whether you\u2019ve already had funding\n\n## Where you live\n\nTo be eligible to apply for an NHS bursary you must have been living in the UK, the Channel Islands or the Isle of Man for 3 years up to the start of the academic year.\n\nYou may still be eligible if you do not meet the residency requirements - find out more from the NHS Business Services Authority.\n\n## Your course\n\nWhether you\u2019re eligible depends on when your course starts.\n\nYou will not get an NHS bursary if you\u2019re a first level nurse or midwife and you\u2019re registering for a second field in nursing or midwifery.\n\n## If your course starts on or after 1 August 2018\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.\n\nYou can apply for an NHS bursary from your 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- dental hygienist or dental therapist\n\n## If your course started before 1 August 2017\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- chiropodist (including podiatrist), dietician, occupational therapist, orthoptist, physiotherapist, prosthetist, orthotist, radiographer, radiotherapist, audiologist or a speech and language therapist\n\n- dental hygienist or dental therapist\n\n- nurse, midwife or operating department practitioner (degree or diploma course)\n\n## Household income\n\nYour total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\n## If you\u2019ve already had funding\n\nYou may be eligible for an NHS bursary even if you\u2019ve already had public funding for higher education.\n\nIf you\u2019ve had an NHS bursary and want to change professions, you may also be eligible.\n\nFind out more from the NHS Business Services Authority.\n\n## How to apply\n\nYou need to create a Bursary Online Support System (BOSS) account on the NHS Student Bursaries website to apply for an NHS bursary.\n\nYou must reapply for your bursary every academic year.\n\nThere are different ways to apply if you\u2019re from Scotland, Wales or Northern Ireland.\n\n## New students\n\nIf you\u2019re entering the first year of your NHS-funded course or, for medical and dental students, your first year of NHS bursary funding, read the guidance for new students.\n\n## When to apply\n\nYou should wait until you have an offer of a course place from your university or college before you apply for an NHS bursary.\n\nThe date you can apply from usually depends on when your course starts. Check the NHS Student Bursaries website for the latest application dates.\n\n## Documents\n\nIf you\u2019re applying for an NHS bursary for the first time you must provide 2 documents to confirm your identity, one of which must include a photograph of yourself, for example a birth certificate and a valid passport.\n\nYou must send original documents (not photocopies), which NHS Student Bursaries will return to you.\n\n## Continuing students\n\nIf you\u2019ve already had an NHS student bursary for your current course and you\u2019re reapplying for another year, read the guidance for continuing students.\n\n## When to apply\n\nNHS Student Bursaries will send you an email invitation when you can reapply for your bursary. The date your invitation is sent depends on when your next academic year begins. Check the NHS Student Busaries website for the latest invitation dates.\n\nYou must send your application within 6 months of the first day of your academic year.\n\n## What happens next\n\nIf your application is approved, NHS Student Bursaries will send you an email when your bursary is available for you to view in your BOSS account.\n\nIf you get an NHS bursary you can apply separately for a reduced rate loan from Student Finance England.\n\n## Contact NHS Student Bursaries\n\nContact NHS Student Bursaries if you need help with your application.\n\n## Extra financial help\n\nIn addition to the NHS bursary you may also be able to apply for extra help if:\n\n- you have children\n\n- you have adult dependants\n\n- you have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- you do a practice placement\n\n- your course runs for more than 30 weeks and 3 days in the academic year\n\nFind out more about extra help on the NHS Student Bursaries website.\n\n## Dependants\u2019 Allowance\n\nYou may get this if you have adults or children who are financially dependent on you when you\u2019re training.\n\nHow much you get depends on your household income.\n\nApply for Dependants\u2019 Allowance through your BOSS account.\n\n## Childcare Allowance\n\nYou must apply for Dependants\u2019 Allowance before you can apply for Childcare Allowance.\n\nYou may be able to get the NHS Bursary Childcare Allowance if you have dependent children.\n\nHow much you get depends on your circumstances and your household income.\n\nYou cannot get this if you\u2019re not entitled to the NHS bursary (known as a \u2018Fees Only award\u2019).\n\nTo qualify:\n\n- you must use a registered childcare provider\n\n- your children must be under 15 on the first day of the academic year (or under 17 if they have special educational needs)\n\nThe allowance pays 85% of the gross actual cost up to:\n\n- \u00a3128.78 a week for 1 child\n\n- \u00a3191.45 a week for 2 or more children\n\nApply for Childcare Allowance via the form on the NHS Student Bursaries website.\n\n## Parent Learning Allowance\n\nYou must apply for Dependants\u2019 Allowance first. If this includes a dependent child, you\u2019re automatically assessed for Parent Learning Allowance.\n\nYou can claim up to \u00a31,204 per academic year.\n\nHow much you get depends on your household income.\n\n## Disabled Students\u2019 Allowances\n\nYou can get this if you have to pay extra costs because of a:\n\n- physical disability\n\n- long-term health condition\n\n- mental-health difficulty\n\n- specific learning difficulty like dyslexia\n\nYou need to give up-to-date medical evidence of the nature and severity of your disability from a qualified professional.\n\nYou can get up to:\n\n- \u00a320,725 for a helper\n\n- \u00a35,214 for specialist equipment for the whole course\n\n- \u00a31,741 for other costs\n\nApply for Disabled Students Allowance through your BOSS account.\n\n## Practice placement expenses\n\nIf you do a practice placement you may be able to claim travel costs if:\n\n- your practice placement is in a hospital or community health centre and not at your university\n\n- it costs you more to travel to your placement than it costs to travel to university\n\nClaim practice placement expenses via the form on the NHS Student Bursaries website.\n\n## Extra Weeks Allowance\n\nIf your course runs for more than 30 weeks and 3 days in the 2016 to 2017 academic year you may be entitled to Extra Weeks Allowance:\n\n| Where you study and live | Allowance |\n\n| In London | \u00a3108 per week |\n\n| Outside London | \u00a384 per additional week |\n\n| With your parents | \u00a356 per additional week |\n\nYour Extra Weeks Allowance is calculated automatically during the application process.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/nhs-bursaries", + "answerable": true, + "scenario": "I am studying to be a doctor. I registered an account with Bursary Online Support System (BOSS) for my NHS bursary last year", + "original_question": "Do I have to re-appy for NHS bursary every year ?" + }, + { + "id": "train-665", + "question": "Scenario: My wife is pregnant and due in four months. I started working in this job five months ago and I earn \u00a3500 per week.\n\nQuestion: Am I eligible for statutory paternity pay?\n\nDocument - Statutory Paternity Pay and Leave: employer guide:\n## Entitlement\n\nEmployees may be eligible for Statutory Paternity Leave and Pay if they and their partner are:\n\n- having a baby\n\n- adopting a child\n\n- having a baby through a surrogacy arrangement\n\n## Statutory Paternity Leave\n\nEmployees can choose to take either 1 week or 2 consecutive weeks\u2019 leave. The amount of time is the same even if they have more than one child (for example twins).\n\nLeave cannot start before the birth. The start date must be one of the following:\n\n- the actual date of birth\n\n- an agreed number of days after the birth\n\n- an agreed number of days after the expected week of childbirth\n\nLeave must finish within 56 days of the birth (or due date if the baby is early). The start and end dates are different if the employee is adopting.\n\n## Statutory Paternity Pay\n\nStatutory Paternity Pay for eligible employees is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator.\n\nSome employment types, like agency workers, directors and educational workers, have different rules for entitlement.\n\n## Extra leave or pay\n\nEmployees can get more leave or pay if:\n\n- their partner returns to work and they qualify for Shared Parental Leave and Pay\n\n- your company scheme offers more\n\nYou must make sure your paternity leave and pay policies are clear and easily accessible to staff.\n\n## Leave for antenatal appointments\n\nEmployees can take unpaid leave to accompany a pregnant woman to antenatal appointments if they are:\n\n- the baby\u2019s father\n\n- the expectant mother\u2019s spouse or civil partner\n\n- in a long term relationship with the expectant mother\n\n- the intended parent (if they\u2019re having a baby through a surrogacy arrangement)\n\nThey can accompany the woman to 2 appointments of up to 6 and a half hours each.\n\n## If the baby dies\n\nEmployees still qualify for paternity leave and pay if the baby is either:\n\n- stillborn from 24 weeks of pregnancy\n\n- born alive at any point in the pregnancy but later dies\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during paternity leave. You still have to pay Statutory Paternity Pay even if you stop trading.\n\n## Eligibility\n\nEmployees must be one of the following, the:\n\n- father\n\n- husband or partner of the mother (or adopter)\n\n- child\u2019s adopter\n\n- intended parent (if they\u2019re having a baby through a surrogacy arrangement)\n\nEmployees must also:\n\n- be classed as an employee (paternity leave only)\n\n- be employed by you up to the date the child is born (or placed with the adopter) (paternity pay only)\n\n- be on your payroll and earn at least \u00a3120 a week (gross) in an 8 week \u2018relevant period\u2019 (paternity pay only)\n\n- give you the correct notice\n\n- be taking time off to look after the child or their partner\n\n- be responsible for the child\u2019s upbringing\n\n- have been continuously employed by you for at least 26 weeks up to any day in the \u2018qualifying week\u2019\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nThe qualifying week is the 15th week before the baby is due. This is different if the employee is adopting.\n\nUse the paternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and paternity pay.\n\nThere are special rules for some employee situations, for example if they leave or become sick.\n\n## If the child is born early\n\nIf the child is born early, the employee is still eligible if they would have worked for you continuously for at least 26 weeks by the qualifying week.\n\nFor very premature births where the child is born 15 weeks before the due date, you\u2019ll need to calculate paternity pay using your payroll software (if it has this feature) or work it out manually.\n\n## Employees in surrogacy arrangements\n\nParents intending to have a child through a surrogacy arrangement may be eligible for Statutory Paternity Pay and Leave.\n\nIf you ask, they must give you a written statement to confirm that they\u2019ve applied or intend to apply for a parental order in the 6 months after the baby\u2019s birth.\n\nEmployees cannot get Statutory Paternity Pay and Leave if they\u2019ve taken Shared Parental Leave.\n\n## Notice period\n\nThe notice periods and forms are different if the employee is adopting.\n\n## Statutory Paternity Leave\n\nEmployees must tell you at least 15 weeks before the week the baby is expected:\n\n- the baby\u2019s due date\n\n- when they want their leave to start - they can change this with 28 days\u2019 notice\n\n- how much leave they want\n\nNotice does not have to be in writing unless you request it. Employees can use form SC3 to ask for leave and pay.\n\n## Statutory Paternity Pay\n\nEmployees must request paternity pay at least 15 weeks before the week the baby is expected using form SC3 (or your own version). Take a copy and give the original back to the employee.\n\nEmployees having a baby through a surrogacy arrangement must use form SC4 to request leave and pay.\n\n## Late notice\n\nYou can delay the leave or pay start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.\n\n## Adoption\n\nEligible employees are entitled to paternity leave and pay if they\u2019re adopting a child.\n\nCalculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator. For overseas adoptions you\u2019ll need to use your payroll software (if it has this feature) or work it out manually.\n\n## Eligibility\n\nAn employee adopting a child must:\n\n- have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child (UK adoptions)\n\n- have been continuously employed by you for at least 26 weeks by either the date the child arrives in the UK or when they want their pay to start (overseas adoptions)\n\n- confirm that their partner is getting Statutory Adoption Pay in writing or by giving you a copy of their partner\u2019s form SC6\n\n- meet the other eligibility conditions for paternity leave or pay\n\n## Notice period\n\nAn employee adopting a child must send you form SC4 for:\n\n- leave - no later than 7 days of their co-adopter or partner being matched with a child\n\n- pay - 28 days before they want their pay to start\n\nFor overseas adoptions the form and notice period is different. The process is explained on form SC5.\n\n## Leave start date\n\nAn employee taking paternity leave because they\u2019re adopting can start their leave:\n\n- on the date of placement\n\n- an agreed number of days after the date of placement\n\n- on the date the child arrives in the UK or an agreed number of days after this (overseas adoptions)\n\nFor overseas adoptions leave must be taken within 56 days of the date of placement or the child\u2019s arrival in the UK.\n\n## Proof of adoption\n\nEmployees must give you proof of adoption to qualify for paternity pay. Proof is not needed for paternity leave unless you request it. Proof can be a letter from their adoption agency or their matching certificate.\n\nYou must keep records of the proof.\n\n## Refuse pay form SPP1\n\nYou can refuse Statutory Paternity Pay if the employee does not qualify. To do this send them form SPP1 within 28 days of their pay request. You must keep a copy.\n\nThe employee can ask you for a written statement explaining your decision. You have to give this to them within a reasonable time, for example 7 working days.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the date Statutory Paternity Pay started\n\n- the paternity payments you\u2019ve made (including dates)\n\n- the payments you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\n- if adopting, a letter from the adoption agency or a matching certificate\n\nYou must keep records for 3 years from the end of the tax year they relate to (for example by using form SPP2 or keeping your own records).\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "answerable": true, + "scenario": "My wife is pregnant and due in four months. I started working in this job five months ago and I earn \u00a3500 per week.", + "original_question": "Am I eligible for statutory paternity pay?" + }, + { + "id": "train-666", + "question": "Scenario: I'm Bob and I'm working at a corner shop in my town. My boss is really mean and I am wondering if I'm being diddled. He pays my bus fare and he says I should be grateful. I'm 18 years old.\n\nQuestion: Am I entitled to the National Minimum Wage?\n\nDocument - The National Minimum Wage and Living Wage:\n## Overview\n\nThe minimum wage a worker should get depends on their age and if they\u2019re an apprentice.\n\nThe National Minimum Wage is the minimum pay per hour almost all workers are entitled to. The National Living Wage is higher than the National Minimum Wage - workers get it if they\u2019re over 23.\n\nIt does not matter how small an employer is, they still have to pay the correct minimum wage.\n\n## Calculate the minimum wage\n\nUse the minimum wage calculators to check if the correct minimum wage has been paid.\n\nThere are separate calculators for workers and employers.\n\nUse the calculator for workers to check if you\u2019re getting the correct minimum wage or if an employer owes you payment from the previous year.\n\nUse the calculator for employers to check if you\u2019re paying the correct minimum wage or if you owe a payment from the previous year.\n\nThere is also guidance on working out the minimum wage for different types of work.\n\nCall the Acas helpline or visit the Acas Helpline Online for advice about the National Minimum Wage or National Living Wage.\n\n## Who gets the minimum wage\n\nPeople classed as \u2018workers\u2019 must be at least school leaving age to get the National Minimum Wage. They must be 23 or over to get the National Living Wage.\n\nContracts for payments below the minimum wage are not legally binding. The worker is still entitled to the National Minimum Wage or National Living Wage.\n\nWorkers are also entitled to the correct minimum wage if they\u2019re:\n\n- part-time\n\n- casual labourers, for example someone hired for one day\n\n- agency workers\n\n- workers and homeworkers paid by the number of items they make\n\n- apprentices\n\n- trainees, workers on probation\n\n- disabled workers\n\n- agricultural workers\n\n- foreign workers\n\n- seafarers\n\n- offshore workers\n\n## Apprentices\n\nApprentices are entitled to the apprentice rate if they\u2019re either:\n\n- under 19\n\n- 19 or over and in the first year of their apprenticeship\n\nApprentices over 19 who have completed the first year of their apprenticeship are entitled to the correct minimum wage for their age.\n\n## Not entitled to the minimum wage\n\nThe following types of workers are not entitled to the National Minimum Wage or National Living Wage:\n\n- self-employed people running their own business\n\n- company directors\n\n- people who are volunteers or voluntary workers\n\n- workers on a government employment programme, such as the Work Programme\n\n- members of the armed forces\n\n- family members of the employer living in the employer\u2019s home\n\n- non-family members living in the employer\u2019s home who share in the work and leisure activities, are treated as one of the family and are not charged for meals or accommodation, for example au pairs\n\n- workers younger than school leaving age (usually 16)\n\n- higher and further education students on work experience or a work placement up to one year\n\n- people shadowing others at work\n\n- workers on government pre-apprenticeships schemes\n\n- people on the following European Union (EU) programmes: Leonardo da Vinci, Erasmus+, Comenius\n\n- people working on a Jobcentre Plus Work trial for up to 6 weeks\n\n- share fishermen\n\n- prisoners\n\n- people living and working in a religious community\n\nEmployers who offer internships (sometimes called \u2018work placements\u2019 or \u2018work experience\u2019) should check if the person is entitled to the minimum wage.\n\n## Voluntary work\n\nYou\u2019re classed as doing voluntary work if you can only get certain limited benefits (for example reasonable travel or lunch expenses) and you\u2019re working for a:\n\n- charity\n\n- voluntary organisation or associated fundraising body\n\n- statutory body\n\nContact the Acas helpline to find out if you should be getting the minimum wage.\n\n## Employers and the minimum wage\n\nEmployers must pay workers the correct minimum wage.\n\nYou can read guidance on the minimum wage rates and who they apply to.\n\n## What\u2019s not included in minimum wage calculations\n\nSome payments must not be included when the minimum wage is calculated.\n\nThese are:\n\n- payments that should not be included for the employer\u2019s own use or benefit, for example if the employer has paid for travel to work\n\n- things the worker bought for the job and is not refunded for, such as tools, uniform, safety equipment\n\n- tips, service charges and cover charges\n\n- extra pay for working unsocial hours on a shift\n\nFind out what counts as working time.\n\n## What\u2019s included in minimum wage calculations\n\nSome payments must be included when the minimum wage is calculated.\n\nThese are:\n\n- Income Tax and National Insurance contributions\n\n- wage advances or loans\n\n- repayment of wage advances or loans\n\n- repayment of overpaid wages\n\n- things the worker paid for that are not needed for the job or paid for voluntarily, such as meals\n\n- accommodation provided by an employer above the offset rate (\u00a38.36 a day or \u00a358.52 a week)\n\n- penalty charges for a worker\u2019s misconduct\n\nRead the detailed guidance on calculating the minimum wage for more on what counts and does not count towards the minimum wage, eligibility, how to calculate the minimum wage and how it is enforced.\n\n## Employer checks\n\nIt\u2019s a criminal offence for employers to not pay someone the National Minimum Wage or National Living Wage, or to fake payment records.\n\nEmployers who discover they\u2019ve paid a worker below the correct minimum wage must pay any arrears immediately. Use the National Minimum Wage and National Living Wage calculator to check a worker has been paid correctly.\n\nHM Revenue and Customs (HMRC) officers have the right to carry out checks at any time and ask to see payment records. They can also investigate employers if a worker complains to them.\n\nIf HMRC finds that an employer has not been paying the correct rates, any arrears have to be paid back immediately. There will also be a fine and offenders might be named by the government.\n\n## Keeping records\n\nIt\u2019s the employer\u2019s responsibility to keep records proving that they are paying the minimum wage. These records must be kept for at least 6 years if they:\n\n- were created on or after 1 April 2021\n\n- still had to be kept on 31 March 2021 under the previous rule that records must be kept for 3 years\n\nThe period records must be kept for starts from the last day of the pay reference period after the one they cover.\n\nThey do not have to be kept in any particular form, for example they can be paper or computer records. But employers must be able to produce records for an individual pay reference period in a single document.\n\nMost employers use their payroll records as proof of:\n\n- total pay - including pay deductions, allowances and tips\n\n- total hours worked - including absences and overtime\n\nEmployers may also need to keep records such as:\n\n- agreements about working hours, pay and conditions, such as contracts\n\n- documents that show why a worker is not entitled to the minimum wage\n\n## Pay reference periods\n\nPay reference periods are usually set by how often someone is paid, for example one week, one month or 10 days. A pay reference period cannot be longer than 31 days.\n\nA worker must be paid the minimum wage, on average, for the time worked in the pay reference period.\n\n## Worker disputes over minimum wage\n\nWorkers who think their pay is below the correct minimum wage rate should talk to their employer first.\n\nIf this does not solve the problem, they can ask the employer in writing to see their payment records. The worker can take someone with them and make copies of the records.\n\nIf an employer owes the worker any arrears they have to pay these back.\n\nWorkers can call the confidential Acas helpline or look at the Acas Helpline Online to help them solve a payment dispute.\n\nWorkers can also make a complaint to HM Revenue and Customs (HMRC) about their employer or employment agency or complain on behalf of someone else.\n\n## If the employer refuses payment\n\nIf HMRC find that the employer has not paid they will send them a notice for the arrears plus a fine for not paying the minimum wage.\n\nHMRC can take them to court on behalf of the worker if the employer still refuses to pay.\n\n## Employment tribunal\n\nWorkers can also go directly to the employment tribunal themselves.\n\nWorkers who have been dismissed because of a minimum wage dispute can also complain to the employment tribunal for unfair dismissal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-minimum-wage", + "answerable": true, + "scenario": "I'm Bob and I'm working at a corner shop in my town. My boss is really mean and I am wondering if I'm being diddled. He pays my bus fare and he says I should be grateful. I'm 18 years old.", + "original_question": "Am I entitled to the National Minimum Wage?" + }, + { + "id": "train-669", + "question": "Scenario: I am a member of a small craft makers union and am unhappy with the way it is being managed. Most members are apathetic and I feel that the union is not fit for cause.\n\nQuestion: Is it worth my while to make a fuss about this or should I just grin and bear it?\n\nDocument - Derecognise a union:\n## Overview\n\nTrade unions can be recognised to represent groups of employees in a company in negotiations over pay, holidays and working conditions through either:\n\n- a voluntary agreement with the employer\n\n- a declaration by the Central Arbitration Committee (CAC).\n\nThree years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.\n\nIf the application is successful, the union will cease to represent the workforce in negotiations with the employer.\n\n## When employers can apply\n\nWhere recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:\n\n- the number of people employed by the company has fallen to less than 21\n\n- workers in the bargaining unit no longer support the union\n\n- the number of union members in the bargaining unit has fallen to below 50%\n\n## When workers can apply\n\nYou can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.\n\nYou can apply to have a non-independent union derecognised if the majority of workers do not support it.\n\n## Employers: reduced workforce\n\nAs an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:\n\n- you\u2019ve employed less than 21 people for a continuous 13-week period\n\n- it is more than 3 years since recognition was declared by the CAC\n\nYou must give written notice to the union asking for the union to be derecognised. Notice must be given within 5 days of the end of the relevant 13-week period.\n\nYour letter must include the following details:\n\n- the specific 13-week period during which you had less than 21 workers\n\n- the number of workers you employed in that time\n\n- the current bargaining arrangements\n\n- the date you want the arrangements to end - this must be at least 35 working days after the request was made\n\nYou must give a copy of the letter to the CAC. The CAC will tell you within 10 days if the notice you gave the union was valid.\n\n## Your notice is valid\n\nThe union will be derecognised and you won\u2019t have to negotiate with them anymore, unless they make an application to the CAC because they believe that:\n\n- the 13-week period was within 3 years of them gaining recognition\n\n- your company employed 21 or more workers during that time\n\n## Your notice isn\u2019t valid\n\nYou must continue with the current collective bargaining arrangements.\n\n## Employers: union loses support\n\nYou can try to get a union derecognised if the workers in the bargaining unit no longer support it and don\u2019t want it to negotiate on their behalf.\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the union, stating:\n\n- that you wish to end the bargaining arrangements because you believe that the union no longer has the support of the workers\n\n- what the current arrangements are\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union agrees to negotiate\n\nIf they reject your request but agree to negotiate, you\u2019ll have another 20 working days to come to an agreement about derecognition.\n\nWithin this period, either side can ask the Advisory, Conciliation and Arbitration Service (Acas) to help with negotiations. You may extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nYou can apply to the Central Arbitration Committee (CAC) to hold a secret ballot of workers to see if they support derecognition.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your supporting documents to CAC. Send a copy to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange a secret ballot of workers if your application is successful.\n\nYou\u2019ll have to continue negotiating with the union if your application fails.\n\n## Employers: union membership is less than 50%\n\nIf the Central Arbitration Committee (CAC) declared recognition without a ballot more than 3 years ago, a union can be derecognised if the level of union membership in the bargaining unit falls below 50%.\n\nApply to the CAC to hold a secret ballot of employees on whether collective bargaining should be ended.\n\nYou can only apply if:\n\n- the CAC declared recognition without a ballot more than 3 years ago\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the unions, stating:\n\n- that fewer than 50% of the workers in the bargaining unit are union members\n\n- what the current bargaining arrangements are, eg how many workers are in the bargaining unit, where they work\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union rejects your request but is willing to negotiate\n\nYou have 10 days to negotiate an agreement about derecognition. You can extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nApply to CAC to hold a secret ballot of workers to see if they support derecognition.\n\nYou can\u2019t apply if there have been any applications to CAC for an end to bargaining arrangements in the previous 3 years.\n\nProvide evidence (eg letters supporting your application, workplace surveys) that less than 50% of the bargaining unit are union members.\n\nSend the completed form and your supporting documents to CAC. You must send copies of the form and evidence to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange for a secret ballot of the workers to be held if your application is successful.\n\nYou will have to continue negotiating with the union if your application fails.\n\n## Workers: union loses support\n\nYou can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your evidence to both the union and the CAC.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs information to support your application, eg evidence of levels of union support.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Workers: derecognise a non-independent union\n\nAn employee or group of workers can apply to the Central Arbitration Committee (CAC) to derecognise a non-independent union that the employer recognised voluntarily.\n\nA non-independent union represents employees but has not been given a certificate of independence by the Certification Officer. You can check this on the Certification Officer\u2019s website.\n\nYou can apply any time after the union has been recognised by the employer.\n\n## Apply for a secret ballot\n\nApply to CAC to hold a secret ballot of workers to find out if they want the union derecognsied.\n\nThe form must be completed and signed by an employee in the bargaining unit.\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of employees in the bargaining are likely to favour an end to the bargaining arrangements\n\nSend the completed form plus your documents to CAC. Send a signed copy of the form and evidence to the union and your employer.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Holding a derecognition ballot\n\nWhen employers, workers and the union have tried to reach agreement about derecognition but failed, the Central Arbitration Committee (CAC) will hold a secret ballot.\n\nCAC will write to everyone involved, saying that they intend to hold a ballot to allow workers in the bargaining unit to vote on derecognition.\n\n## How the ballot works\n\nCAC will appoint a qualified independent person (QIP) who will aim to conduct the ballot within 20 working days of their appointment. The CAC may extend this period if necessary.\n\nThe QIP will provide an estimate for the cost of running the ballot. The arrangements for the ballot will be decided by the CAC after consulting the employer and the union.\n\nThe final cost of the ballot will be split equally between the employer and the union.\n\nThe employer and the union must follow the Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition.\n\n## Complain when someone doesn\u2019t co-operate\n\nComplain to CAC any time before the ballot is held if you feel someone isn\u2019t co-operating.\n\nThe union can complain to the CAC if the employer is not fulfilling their duties during the ballot.\n\nCAC will investigate and can issue a \u2018remedial order\u2019 demanding that all duties are carried out properly.\n\nIf that order is ignored CAC can cancel the ballot or declare that the union be derecognised.\n\n## Complain about unfair practices\n\nComplain to the Central Arbitration Committee (CAC) if you feel that another party is using unfair practices to influence the ballot, eg bribery or threats.\n\nTo make a complaint fill in the unfair practices application form and send it to CAC. The address is on the form.\n\nComplaints can be made at any time up to the end of day after the ballot closes.\n\nWhere CAC finds that unfair practices were used they may:\n\n- reschedule the ballot\n\n- cancel the ballot and declare that the union is derecognised\n\n- cancel the ballot and refuse the application for derecognition\n\nThe Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.\n\n## After the ballot\n\nYou\u2019ll usually find out the result of the vote 48 hours after the ballot closes.\n\nFor a union to be derecognised the majority of those voting, and at least 40% of the workers in the bargaining unit, must vote in favour of ending the bargaining arrangements.\n\nThe Central Arbitration Committee (CAC) will declare the union as derecognised or will refuse the application for derecognition.\n\n## Paying for the ballot\n\nThe employer and the union will each receive a demand from the qualified independent person (QIP) for their share of the cost of running the ballot.\n\nThis must be paid in 15 days. If either party wishes to dispute the amount they can appeal to an employment tribunal.\n\n## What you must do\n\nAs an employer, you no longer have to work with a union that\u2019s been derecognised.\n\nYou must continue to work with a union if the CAC have refused the application for derecognition. You cannot reapply for the union to be derecognised for 3 years.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/derecognise-a-union", + "answerable": true, + "scenario": "I am a member of a small craft makers union and am unhappy with the way it is being managed. Most members are apathetic and I feel that the union is not fit for cause.", + "original_question": "Is it worth my while to make a fuss about this or should I just grin and bear it?" + }, + { + "id": "train-670", + "question": "Scenario: I would like to claim the employment allowance. My business paid out \u00a3120,000 for national insurance liabilities in the last year. We did not claim for employment allowance last year.\n\nQuestion: Will my business be able to claim for employment allowance?\n\nDocument - Employment Allowance:\n## What you'll get\n\nEmployment Allowance allows eligible employers to reduce their annual National Insurance liability by up to \u00a34,000.\n\nYou\u2019ll pay less employers\u2019 Class 1 National Insurance each time you run your payroll until the \u00a34,000 has gone or the tax year ends (whichever is sooner).\n\nYou can only claim against your employers\u2019 Class 1 National Insurance liability up to a maximum of \u00a34,000 each tax year. You can still claim the allowance if your liability was less than \u00a34,000 a year.\n\n## Check if you're eligible\n\nYou can claim Employment Allowance if you\u2019re a business or charity (including community amateur sports clubs) and your employers\u2019 Class 1 National Insurance liabilities were less than \u00a3100,000 in the previous tax year.\n\nYou can also claim if you employ a care or support worker.\n\nYou can claim Employment Allowance for the previous 4 tax years dating back to the 2017 to 2018 tax year. Some of the rules for claiming are different.\n\n## If you\u2019re part of a group\n\nIf you\u2019re part of a group of charities or companies (also known as connected companies), the total employers\u2019 Class 1 National Insurance liabilities for the group must be less than \u00a3100,000.\n\nOnly one company in the group can claim the allowance.\n\n## If you have more than one payroll\n\nIf you have or had more than one employer PAYE reference, the total employers\u2019 Class 1 National Insurance liabilities for your combined payrolls must be less than \u00a3100,000 in the previous tax year\n\nYou can only claim Employment Allowance against one of the payrolls.\n\n## Off-payroll salary payments\n\nDo not include employers\u2019 Class 1 National Insurance liabilities on payments you make to off-payroll workers in your calculations. These are known as deemed payments. They do not count towards the \u00a3100,000 threshold.\n\n## Check if de minimis state aid rules apply to you\n\nIf you make or sell goods or services, Employment Allowance counts as \u2018de minimis state aid\u2019. There\u2019s a limit to how much de minimis state aid you can get.\n\nYou must:\n\n- check that you\u2019re within the de minimis state aid threshold\n\n- work out how much de minimis state aid you\u2019ve received\n\nYou must do this even if you do not make a profit.\n\nYou do not have to do this if you do not make or sell goods or services, for example you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## Check you\u2019re within the de minimis state aid threshold\n\nEmployment Allowance counts towards the total de minimis state aid you\u2019re allowed to get over a 3 year period.\n\nYou must make sure you will not exceed the de minimis state aid threshold for your sector.\n\nDe minimis state aid and the relevant thresholds are worked out in euros.\n\n| Sector | De minimis state aid threshold over 3 years |\n\n| Agriculture products sector | \u20ac20,000 |\n\n| Fisheries and aquaculture sector | \u20ac30,000 |\n\n| Road freight transport sector | \u20ac100,000 |\n\n| Industrial sector\u202f\u202f/ other | \u20ac200,000 |\n\n## Work out how much de minimis state aid you\u2019ve received\n\n- Check if you\u2019ve received any de minimis state aid - if so, you should have been told in writing.\n\n- Add the total amount of de minimis state aid that you\u2019ve received or been allocated for the current and past 2 tax years.\n\n- Add this to the full amount of Employment Allowance for the year you\u2019re claiming for. You\u2019ll need to convert this into euros using the exchange rate for the end of the previous tax year. If you\u2019re claiming for 2020 to 2021, you\u2019ll need to use the exchange rate on 30 March 2020: \u00a31 to \u20ac1.1249.\n\n- If the total is below the threshold for your sector, you\u2019re eligible to make a claim.\n\nIf you\u2019re a connected company, the total de minimis state aid for all of the companies in the group must be below the de minimis state aid threshold for your sector.\n\nThe rules are different if your business covers more than one sector.\n\n## Who cannot claim Employment Allowance\n\nYou cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.\n\nYou also cannot claim if both of the following apply:\n\n- you\u2019re a company with only one employee paid above the Class 1 National Insurance secondary threshold\n\n- the employee is also a director of the company\n\nCertain employees cannot be included in your claim, such as:\n\n- someone whose earnings are within IR35 \u2018off-payroll working rules\u2019\n\n- someone you employ for personal, household or domestic work (like a nanny or gardener) - unless they\u2019re a care or support worker\n\n## How to claim\n\nHow you claim depends on whether you use your own payroll software or HMRC\u2019s Basic PAYE tools.\n\n## If you use your own software\n\nTo claim through your payroll software, put \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field next time you send an Employment Payment Summary (EPS) to HM Revenue and Customs (HMRC).\n\nIf your payroll software does not have an Employment Payment Summary field, you can use Basic PAYE Tools.\n\n## Select your business sector under \u2018de minimis state aid rules\u2019\n\nYou must select the business sectors that apply to you, even if you do not make a profit.\n\nMost businesses will need to select the \u2018Industrial/other\u2019 category, for example a hair salon or restaurant.\n\nIf you do not make or sell goods or services, choose \u2018State aid rules do not apply\u2019. For example if you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## If you use HMRC\u2019s Basic PAYE Tools\n\n- Select the correct name in the \u2018Employer\u2019 menu on the home page.\n\n- Select \u2018Change employer details\u2019.\n\n- Select \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field.\n\n- Answer \u2018Yes\u2019 to the \u2018Do state aid rules apply?\u2019 question if you sell goods or services. Select the business sectors that apply to you. Otherwise, answer \u2018No\u2019 and select \u2018State aid rules do not apply\u2019.\n\n- Send your EPS as normal.\n\n## Stopping your claim\n\nIf you stop being eligible, select \u2018No\u2019 in the \u2018Employment Allowance indicator\u2019 field in your next EPS.\n\nDo not select \u2018No\u2019 just because:\n\n- you\u2019ve reached the \u00a34,000 limit before the end of the tax year - this does not make you ineligible\n\n- you\u2019re no longer employing anyone - this allowance will stop at the end of the tax year\n\nIf you stop your claim before the end of the tax year (5 April), any allowance you\u2019ve been given that year will be removed. You\u2019ll have to pay any employers\u2019 (secondary) Class 1 National Insurance due as a result.\n\n## When to claim\n\nYou need to claim Employment Allowance every tax year.\n\nYou can claim at any time in the tax year, but the earlier you claim the sooner you will get the allowance.\n\nIf you claim late and do not use your Employment Allowance against your employers\u2019 Class 1 National Insurance liabilities, you\u2019ll have to ask HMRC to do one of the following:\n\n- use any unclaimed allowance at the end of the year to pay any tax or National Insurance you owe (including VAT and Corporation Tax if you do not owe anything on your PAYE bill)\n\n- give you a refund after the end of the tax year if you do not owe anything\n\nYou can see how much Employment Allowance you\u2019ve used in your HMRC online account.\n\n## Claiming for past years\n\nYou can claim Employment Allowance for the previous 4 tax years, dating back to the 2017 to 2018 tax year.\n\nTo claim for past years, it does not matter how much your employers\u2019 Class 1 National Insurance liability was or how much de minimis state aid you received.\n\nThe thresholds for employers\u2019 Class 1 National Insurance and de minimis state aid do not apply.\n\nEmployment allowance was \u00a33,000 each year between April 2016 and April 2020.\n\n## Further information\n\nRead \u2018Claiming Employment Allowance: further employer guidance\u2019 for more information.\n\n## After you've made a claim\n\nYou can begin using your Employment Allowance as soon you submit your claim.\n\nHMRC will not send you a confirmation letter for your Employment Allowance.\n\nIf your claim is rejected, you will receive an automated message from HMRC within 5 working days.\n\nYou may need to tell HMRC if last year\u2019s employers\u2019 Class 1 National Insurance liabilities included deemed payments, taking you over the \u00a3100,000 threshold.\n\n## When your Employment Allowance counts as de minimis state aid\n\nIf you have selected a business sector in your claim, HMRC will send a letter stating that your Employment Allowance counts as de minimis state aid.\n\nYou must keep this letter as you may need it if you apply for other de minimis state aid.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/claim-employment-allowance", + "answerable": true, + "scenario": "I would like to claim the employment allowance. My business paid out \u00a3120,000 for national insurance liabilities in the last year. We did not claim for employment allowance last year.", + "original_question": "Will my business be able to claim for employment allowance?" + }, + { + "id": "train-671", + "question": "Scenario: My business has just acquired a subsidiary, which has made a new group. We are eligible to claim employment allowance, and have done so in the past. We do not know how being part of a group changes the way the employment allowance works.\n\nQuestion: Do we claim employment allowance for both companies?\n\nDocument - Employment Allowance:\n## What you'll get\n\nEmployment Allowance allows eligible employers to reduce their annual National Insurance liability by up to \u00a34,000.\n\nYou\u2019ll pay less employers\u2019 Class 1 National Insurance each time you run your payroll until the \u00a34,000 has gone or the tax year ends (whichever is sooner).\n\nYou can only claim against your employers\u2019 Class 1 National Insurance liability up to a maximum of \u00a34,000 each tax year. You can still claim the allowance if your liability was less than \u00a34,000 a year.\n\n## Check if you're eligible\n\nYou can claim Employment Allowance if you\u2019re a business or charity (including community amateur sports clubs) and your employers\u2019 Class 1 National Insurance liabilities were less than \u00a3100,000 in the previous tax year.\n\nYou can also claim if you employ a care or support worker.\n\nYou can claim Employment Allowance for the previous 4 tax years dating back to the 2017 to 2018 tax year. Some of the rules for claiming are different.\n\n## If you\u2019re part of a group\n\nIf you\u2019re part of a group of charities or companies (also known as connected companies), the total employers\u2019 Class 1 National Insurance liabilities for the group must be less than \u00a3100,000.\n\nOnly one company in the group can claim the allowance.\n\n## If you have more than one payroll\n\nIf you have or had more than one employer PAYE reference, the total employers\u2019 Class 1 National Insurance liabilities for your combined payrolls must be less than \u00a3100,000 in the previous tax year\n\nYou can only claim Employment Allowance against one of the payrolls.\n\n## Off-payroll salary payments\n\nDo not include employers\u2019 Class 1 National Insurance liabilities on payments you make to off-payroll workers in your calculations. These are known as deemed payments. They do not count towards the \u00a3100,000 threshold.\n\n## Check if de minimis state aid rules apply to you\n\nIf you make or sell goods or services, Employment Allowance counts as \u2018de minimis state aid\u2019. There\u2019s a limit to how much de minimis state aid you can get.\n\nYou must:\n\n- check that you\u2019re within the de minimis state aid threshold\n\n- work out how much de minimis state aid you\u2019ve received\n\nYou must do this even if you do not make a profit.\n\nYou do not have to do this if you do not make or sell goods or services, for example you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## Check you\u2019re within the de minimis state aid threshold\n\nEmployment Allowance counts towards the total de minimis state aid you\u2019re allowed to get over a 3 year period.\n\nYou must make sure you will not exceed the de minimis state aid threshold for your sector.\n\nDe minimis state aid and the relevant thresholds are worked out in euros.\n\n| Sector | De minimis state aid threshold over 3 years |\n\n| Agriculture products sector | \u20ac20,000 |\n\n| Fisheries and aquaculture sector | \u20ac30,000 |\n\n| Road freight transport sector | \u20ac100,000 |\n\n| Industrial sector\u202f\u202f/ other | \u20ac200,000 |\n\n## Work out how much de minimis state aid you\u2019ve received\n\n- Check if you\u2019ve received any de minimis state aid - if so, you should have been told in writing.\n\n- Add the total amount of de minimis state aid that you\u2019ve received or been allocated for the current and past 2 tax years.\n\n- Add this to the full amount of Employment Allowance for the year you\u2019re claiming for. You\u2019ll need to convert this into euros using the exchange rate for the end of the previous tax year. If you\u2019re claiming for 2020 to 2021, you\u2019ll need to use the exchange rate on 30 March 2020: \u00a31 to \u20ac1.1249.\n\n- If the total is below the threshold for your sector, you\u2019re eligible to make a claim.\n\nIf you\u2019re a connected company, the total de minimis state aid for all of the companies in the group must be below the de minimis state aid threshold for your sector.\n\nThe rules are different if your business covers more than one sector.\n\n## Who cannot claim Employment Allowance\n\nYou cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.\n\nYou also cannot claim if both of the following apply:\n\n- you\u2019re a company with only one employee paid above the Class 1 National Insurance secondary threshold\n\n- the employee is also a director of the company\n\nCertain employees cannot be included in your claim, such as:\n\n- someone whose earnings are within IR35 \u2018off-payroll working rules\u2019\n\n- someone you employ for personal, household or domestic work (like a nanny or gardener) - unless they\u2019re a care or support worker\n\n## How to claim\n\nHow you claim depends on whether you use your own payroll software or HMRC\u2019s Basic PAYE tools.\n\n## If you use your own software\n\nTo claim through your payroll software, put \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field next time you send an Employment Payment Summary (EPS) to HM Revenue and Customs (HMRC).\n\nIf your payroll software does not have an Employment Payment Summary field, you can use Basic PAYE Tools.\n\n## Select your business sector under \u2018de minimis state aid rules\u2019\n\nYou must select the business sectors that apply to you, even if you do not make a profit.\n\nMost businesses will need to select the \u2018Industrial/other\u2019 category, for example a hair salon or restaurant.\n\nIf you do not make or sell goods or services, choose \u2018State aid rules do not apply\u2019. For example if you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## If you use HMRC\u2019s Basic PAYE Tools\n\n- Select the correct name in the \u2018Employer\u2019 menu on the home page.\n\n- Select \u2018Change employer details\u2019.\n\n- Select \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field.\n\n- Answer \u2018Yes\u2019 to the \u2018Do state aid rules apply?\u2019 question if you sell goods or services. Select the business sectors that apply to you. Otherwise, answer \u2018No\u2019 and select \u2018State aid rules do not apply\u2019.\n\n- Send your EPS as normal.\n\n## Stopping your claim\n\nIf you stop being eligible, select \u2018No\u2019 in the \u2018Employment Allowance indicator\u2019 field in your next EPS.\n\nDo not select \u2018No\u2019 just because:\n\n- you\u2019ve reached the \u00a34,000 limit before the end of the tax year - this does not make you ineligible\n\n- you\u2019re no longer employing anyone - this allowance will stop at the end of the tax year\n\nIf you stop your claim before the end of the tax year (5 April), any allowance you\u2019ve been given that year will be removed. You\u2019ll have to pay any employers\u2019 (secondary) Class 1 National Insurance due as a result.\n\n## When to claim\n\nYou need to claim Employment Allowance every tax year.\n\nYou can claim at any time in the tax year, but the earlier you claim the sooner you will get the allowance.\n\nIf you claim late and do not use your Employment Allowance against your employers\u2019 Class 1 National Insurance liabilities, you\u2019ll have to ask HMRC to do one of the following:\n\n- use any unclaimed allowance at the end of the year to pay any tax or National Insurance you owe (including VAT and Corporation Tax if you do not owe anything on your PAYE bill)\n\n- give you a refund after the end of the tax year if you do not owe anything\n\nYou can see how much Employment Allowance you\u2019ve used in your HMRC online account.\n\n## Claiming for past years\n\nYou can claim Employment Allowance for the previous 4 tax years, dating back to the 2017 to 2018 tax year.\n\nTo claim for past years, it does not matter how much your employers\u2019 Class 1 National Insurance liability was or how much de minimis state aid you received.\n\nThe thresholds for employers\u2019 Class 1 National Insurance and de minimis state aid do not apply.\n\nEmployment allowance was \u00a33,000 each year between April 2016 and April 2020.\n\n## Further information\n\nRead \u2018Claiming Employment Allowance: further employer guidance\u2019 for more information.\n\n## After you've made a claim\n\nYou can begin using your Employment Allowance as soon you submit your claim.\n\nHMRC will not send you a confirmation letter for your Employment Allowance.\n\nIf your claim is rejected, you will receive an automated message from HMRC within 5 working days.\n\nYou may need to tell HMRC if last year\u2019s employers\u2019 Class 1 National Insurance liabilities included deemed payments, taking you over the \u00a3100,000 threshold.\n\n## When your Employment Allowance counts as de minimis state aid\n\nIf you have selected a business sector in your claim, HMRC will send a letter stating that your Employment Allowance counts as de minimis state aid.\n\nYou must keep this letter as you may need it if you apply for other de minimis state aid.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/claim-employment-allowance", + "answerable": true, + "scenario": "My business has just acquired a subsidiary, which has made a new group. We are eligible to claim employment allowance, and have done so in the past. We do not know how being part of a group changes the way the employment allowance works.", + "original_question": "Do we claim employment allowance for both companies?" + }, + { + "id": "train-672", + "question": "Scenario: We are a supply chain company. We have more than 100 employees. We are planning to extend lunch break from 20 minutes to 45 minutes\n\nQuestion: Do we have to pay them for the break. Is it mandatory ?\n\nDocument - Rest breaks at work:\n## Overview\n\nWorkers over 18 are usually entitled to 3 types of break - rest breaks at work, daily rest and weekly rest.\n\n## Rest breaks at work\n\nWorkers have the right to one uninterrupted 20 minute rest break during their working day, if they work more than 6 hours a day. This could be a tea or lunch break.\n\nThe break doesn\u2019t have to be paid - it depends on their employment contract.\n\n## Daily rest\n\nWorkers have the right to 11 hours rest between working days, eg if they finish work at 8pm, they shouldn\u2019t start work again until 7am the next day.\n\n## Weekly rest\n\nWorkers have the right to either:\n\n- an uninterrupted 24 hours without any work each week\n\n- an uninterrupted 48 hours without any work each fortnight\n\nA worker\u2019s employment contract may say they\u2019re entitled to more or different rights to breaks from work.\n\n## Work that puts health and safety at risk\n\nAn employer should give an employee enough breaks to make sure their health and safety isn\u2019t at risk if that work is \u2018monotonous\u2019 (eg work on a production line).\n\nDomestic workers in a private house (eg a cleaner or au pair) aren\u2019t entitled to rest breaks for health and safety reasons.\n\n## Taking breaks\n\nEmployers can say when employees take rest breaks during work time as long as:\n\n- the break is taken in one go somewhere in the middle of the day (not at the beginning or end)\n\n- workers are allowed to spend it away from their desk or workstation (ie away from where they actually work)\n\nIt doesn\u2019t count as a rest break if an employer says an employee should go back to work before their break is finished.\n\nUnless a worker\u2019s employment contract says so, they don\u2019t have the right to:\n\n- take smoking breaks\n\n- get paid for rest breaks\n\n## Exceptions and special circumstances\n\nThere are exemptions to the rights to rest breaks.\n\nSome workers are entitled to compensatory rest breaks, eg shift workers.\n\nYoung people and lorry and coach drivers have different rights to rest breaks.\n\n## Compensatory rest\n\nWorkers may be entitled to \u2018compensatory rest\u2019 if they don\u2019t have the right to specific rest breaks. Compensatory rest breaks are the same length of time as the break (or part of it) that they\u2019ve missed.\n\nA worker may be entitled to compensatory rest if:\n\n- they\u2019re a shift worker and can\u2019t take daily or weekly rest breaks between ending one shift and starting another\n\n- their workplace is a long way from their home (eg an oil rig)\n\n- they work in different places which are a reasonable distance from each other\n\n- they\u2019re doing security and surveillance-based work\n\n- they\u2019re working in an industry which is very busy at certain times of the year \u2013 like agriculture, retail, postal services or tourism\n\n- they need to work because there\u2019s an exceptional event, an accident or a risk that an accident is about to happen\n\n- the job needs round-the-clock staffing so there aren\u2019t interruptions to any services or production (eg hospital work)\n\n- they work in the rail industry on board trains or their job is linked to making sure trains run on time\n\n- their working day is split up (eg they\u2019re a cleaner and work for part of the morning and the evening)\n\n- there is an agreement between management, trade unions or the workforce (a \u2018collective\u2019 or \u2018workforce\u2019 agreement) that has changed or removed rights to these rest breaks for a group of workers\n\nThe total rest entitlement for a week is 90 hours a week on average - this doesn\u2019t include breaks at work, which are additional.\n\n## Exceptions\n\nWorkers aren\u2019t entitled to the 3 general types of rest break if they work in:\n\n- the armed forces, emergency services or police and they\u2019re dealing with an exceptional catastrophe or disaster\n\n- a job where they freely choose what hours they work (like a managing director) or where the work is not measured (ie no set hours)\n\n- sea transport\n\n- air or road transport (known as \u2018mobile\u2019 workers)\n\nAir, sea or road transport workers may be covered by special rules that give them different rest rights.\n\nMobile workers not covered by any special rules usually have the right to regular rest so that their health and safety (or anyone else\u2019s) isn\u2019t put at risk.\n\nThere are also special rules for young workers and for lorry and coach drivers.\n\n## Young workers\n\nYoung workers (above school leaving age and under 18) are usually entitled to:\n\n- a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)\n\n- daily rest of 12 hours\n\n- weekly rest of 48 hours\n\n## Exceptions for young workers\n\nYoung workers sometimes aren\u2019t entitled to daily rest or rest breaks at work if their work has to be done because of an exceptional event (eg an accident). This is only where:\n\n- there isn\u2019t a worker over 18 who can do the work\n\n- the work is temporary and must be done immediately\n\n## Compensatory rest for young workers\n\nYoung workers have the right to compensatory rest if they\u2019re not entitled to daily rest or rest breaks at work. This is the same amount of rest that they should have had. It can be taken just after any rest they\u2019ve missed but it must be taken within the following 3 weeks.\n\n## Disputes\n\nWorkers who can\u2019t take or aren\u2019t allowed rest breaks should speak to their manager informally.\n\nGet more information for employees who want to raise a grievance or advice for employers on handling grievances if there is a disagreement about rest breaks.\n\nWorkers can also get advice on rest breaks from the Acas helpline.\n\nIf a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/rest-breaks-work", + "answerable": true, + "scenario": "We are a supply chain company. We have more than 100 employees. We are planning to extend lunch break from 20 minutes to 45 minutes", + "original_question": "Do we have to pay them for the break. Is it mandatory ?" + }, + { + "id": "train-674", + "question": "Scenario: I need to setup payroll for my new employee. This is my first employee, and I have never setup payroll before. I do not know whether I am allowed to do this myself.\n\nQuestion: Do I have to use a payroll provider to run my payroll?\n\nDocument - PAYE and payroll for employers:\n## Introduction to PAYE\n\nAs an employer, you normally have to operate PAYE as part of your payroll. PAYE is HM Revenue and Customs\u2019 (HMRC) system to collect Income Tax and National Insurance from employment.\n\nYou do not need to register for PAYE if none of your employees are paid \u00a3120 or more a week, get expenses and benefits, have another job or get a pension. However, you must keep payroll records.\n\n## Payments and deductions\n\nWhen paying your employees through payroll you also need to make deductions for PAYE.\n\n## Payments to your employees\n\nPayments to your employees include their salary or wages, as well as things like any tips or bonuses, or statutory sick or maternity pay.\n\n## Deductions from their pay\n\nFrom these payments, you\u2019ll need to deduct tax and National Insurance for most employees. Other deductions you may need to make include student loan repayments or pension contributions.\n\n## Reporting to and paying HMRC\n\n## Reporting pay and deductions\n\nIf you run payroll yourself, you\u2019ll need to report your employees\u2019 payments and deductions to HMRC on or before each payday.\n\nYour payroll software will work out how much tax and National Insurance you owe, including an employer\u2019s National Insurance contribution on each employee\u2019s earnings above \u00a3170 a week.\n\nYou\u2019ll need to send another report to claim any reduction on what you owe HMRC, for example for statutory pay.\n\n## Paying HMRC\n\nYou\u2019ll be able to view what you owe HMRC, based on your reports. You then have to pay HMRC, usually every month.\n\nIf you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.\n\n## Other things to report\n\nAs part of your regular reports, you should tell HMRC when a new employee joins and if an employee\u2019s circumstances change, for example they reach State Pension age or become a director.\n\nYou have to run annual reports at the end of the tax year - including telling HMRC about any expenses or benefits.\n\n## Choose how to run payroll\n\nIf you have to operate PAYE, you can choose how to run your payroll.\n\n## Choose how to run payroll\n\nYou can operate PAYE by either:\n\n- paying a payroll provider to do it for you\n\n- doing it yourself using payroll software\n\n## Paying a payroll provider\n\nIf you decide to pay a payroll provider (for example, a bureau or accountant) to run your payroll, you\u2019ll need to consider how much support you\u2019ll need.\n\nYou\u2019re responsible for collecting and keeping records of your employee\u2019s details. Your payroll provider will need these to run payroll for you.\n\nSome payroll providers can offer you more support if you need it, for example keeping employee records, providing payslips and making payments to HM Revenue and Customs (HMRC).\n\nAs an employer, you\u2019re legally responsible for completing all PAYE tasks - even if you pay someone else to do them.\n\n## Running payroll yourself\n\nYou need to complete certain tasks to set up payroll and pay your employees for the first time. This includes registering as an employer with HMRC and telling them about your employees.\n\n## Exemptions to online reporting\n\nYou may be exempt from reporting payroll online if:\n\n- you\u2019re prevented from using a computer on religious grounds\n\n- you\u2019re getting care or support services for yourself or a member of your family\n\n- you\u2019re unable to send reports electronically because you\u2019re disabled, elderly or cannot access the internet\n\nHMRC has guidance if you believe you\u2019re exempt and would prefer to report on paper.\n\n## Setting up payroll\n\nIf you decide to run payroll yourself, you need to complete certain tasks to pay your employees for the first time. You can choose when and how often to pay your employees.\n\n- Register as an employer with HM Revenue and Customs (HMRC) and get a login for PAYE Online.\n\n- Choose payroll software to record employee\u2019s details, calculate pay and deductions, and report to HMRC.\n\n- Collect and keep records.\n\n- Tell HMRC about your employees.\n\n- Record pay, make deductions and report to HMRC on or before the first payday.\n\n- Pay HMRC the tax and National Insurance you owe.\n\nYou\u2019ll also need to complete certain annual reports and tasks to prepare for the next tax year, which starts on 6 April.\n\n## Keeping records\n\nYou must collect and keep records of:\n\n- what you pay your employees and the deductions you make\n\n- reports you make to HM Revenue and Customs (HMRC)\n\n- payments you make to HMRC\n\n- employee leave and sickness absences\n\n- tax code notices\n\n- taxable expenses or benefits\n\n- Payroll Giving Scheme documents, including the agency contract and employee authorisation forms\n\nYour records must show you\u2019ve reported accurately, and you need to keep them for 3 years from the end of the tax year they relate to. HMRC may check your records to make sure you\u2019re paying the right amount of tax.\n\nThere are different rules for keeping records to prove you have paid the correct minimum wage.\n\nIf you do not keep full records, HMRC may estimate what you have to pay and charge you a penalty of up to \u00a33,000.\n\n## If your records are lost, stolen or destroyed\n\nTell HMRC as soon as possible if you do not have records and cannot replace them. You must also do your best to recreate them - HMRC may be able to help if you\u2019re not sure how much you paid your employees.\n\nYou must tell HMRC if your final payroll report of the tax year includes figures that are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with actual figures\n\n## Data protection\n\nYou must follow rules on data protection if your business stores or uses personal information.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/paye-for-employers", + "answerable": true, + "scenario": "I need to setup payroll for my new employee. This is my first employee, and I have never setup payroll before. I do not know whether I am allowed to do this myself.", + "original_question": "Do I have to use a payroll provider to run my payroll?" + }, + { + "id": "train-676", + "question": "Scenario: I am a business owner. I have recently had an employee request shared parental leave. I have never dealt with this before, and I do not know the requirements.\n\nQuestion: Are there eligibility requirements for shared parental leave?\n\nDocument - Shared Parental Leave and Pay: employer guide:\n## Overview\n\nEmployees may be able to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP) if they\u2019ve had a baby or adopted a child.\n\nEmployees can start SPL if they\u2019re eligible and they or their partner end their maternity or adoption leave or pay early. The remaining leave will be available as SPL. The remaining pay may be available as ShPP.\n\nEmployees can take SPL in up to 3 separate blocks. They can also share the leave with their partner if they\u2019re also eligible. Parents can choose how much of the SPL each of them will take.\n\nSPL and ShPP must be taken between the baby\u2019s birth and first birthday (or within 1 year of adoption).\n\nSPL and ShPP are only available in England, Scotland and Wales.\n\n## Eligibility\n\nSometimes only one parent in a couple will be eligible to get Shared Parental Leave (SPL) and Statutory Shared Parental Pay (ShPP). This means that they cannot share the leave.\n\nIf your employee is eligible then they can use SPL to book their leave in separate blocks.\n\n## Shared Parental Leave\n\nTo qualify for SPL, your employee must share responsibility for the child with one of the following:\n\n- their husband, wife, civil partner or joint adopter\n\n- the child\u2019s other parent\n\n- their partner (if they live with them)\n\nYour employee or their partner must be eligible for maternity pay or leave, adoption pay or leave or Maternity Allowance.\n\nThey must also:\n\n- still be employed by you while they take SPL\n\n- give you the correct notice including a declaration that their partner meets the employment and income requirements which allow your employee to get SPL\n\n- have been continuously employed by you for at least 26 weeks up to any day of the \u2018qualifying week\u2019, or the week they are matched with a child for adoption in the UK\n\nThe \u2018qualifying week\u2019 is the 15th week before the baby is due.\n\n## Statutory Shared Parental Pay\n\nThey can get ShPP if they\u2019re an employee and one of the following applies:\n\n- they\u2019re eligible for Statutory Maternity Pay (SMP) or Statutory Adoption Pay (SAP)\n\n- they\u2019re eligible for Statutory Paternity Pay (SPP) and their partner is eligible for SMP, Maternity Allowance (MA) or SAP\n\nThey can also get ShPP if they\u2019re a worker and they\u2019re eligible for SMP or SPP.\n\n## Refusing SPL or ShPP\n\nYou can refuse SPL or ShPP if the employee does not qualify.\n\nYou must tell the employee the reason if you refuse ShPP. You do not have to give a reason for refusing SPL.\n\n## Entitlement\n\nIf an employee is eligible and they or their partner end maternity or adoption leave and pay (or Maternity Allowance) early, then they can:\n\n- take the rest of the 52 weeks of leave (up to a maximum of 50 weeks) as Shared Parental Leave (SPL)\n\n- take the rest of the 39 weeks of pay (up to a maximum of 37 weeks) as Statutory Shared Parental Pay (ShPP)\n\nA mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).\n\nShPP is paid at the rate of \u00a3151.97 a week or 90% of an employee\u2019s average weekly earnings, whichever is lower.\n\n## Starting Shared Parental Leave\n\nFor Shared Parental Leave (SPL) to start, the mother or adopter must do one of the following:\n\n- end their maternity or adoption leave by returning to work\n\n- give you \u2018binding notice\u2019 (a decision that cannot normally be changed) of the date when they\u2019ll end their maternity or adoption leave\n\n- end maternity pay or Maternity Allowance (if they\u2019re not entitled to maternity leave, for example they\u2019re an agency worker or self-employed)\n\nA mother must take a minimum of 2 weeks\u2019 maternity leave following the birth (4 if she works in a factory).\n\nThe adoptive parent getting Statutory Adoption Pay must take at least 2 weeks\u2019 adoption leave. They can take it from the day of the placement, or up to 14 days before the placement starts.\n\nThe mother must give you notice (at least 8 weeks) to end her maternity pay, or tell Jobcentre Plus to end her Maternity Allowance. Adopters must give you notice to end adoption pay.\n\nSPL can start for the partner while the mother or adopter is still on maternity or adoption leave if she\u2019s given binding notice to end her leave (or pay if she\u2019s not entitled to leave).\n\n## What the employee must do\n\nThe employee must give you written notice if they want to start SPL or Statutory Shared Parental Pay (ShPP). They can do this using forms created by the Advisory, Conciliation and Arbitration Service (Acas).\n\nAfter receiving this notice, you can ask for:\n\n- a copy of the child\u2019s birth certificate\n\n- the name and address of their partner\u2019s employer\n\nYou have 14 days to ask for this information. Your employee then has a further 14 days to provide it.\n\n## Notice period\n\nAn employee must give at least 8 weeks\u2019 notice of any leave they wish to take. If the child is born more than 8 weeks early, this notice period can be shorter.\n\nYour employee has a statutory right to a maximum of 3 separate blocks of leave, although you can allow more if you wish.\n\n## Cancelling the decision to end maternity or adoption leave\n\nThe mother or adopter may be able to change their decision to end maternity or adoption leave early if both:\n\n- the planned end date has not passed\n\n- they have not already returned to work\n\nOne of the following must also apply:\n\n- it\u2019s discovered during the 8-week notice period that neither partner is eligible for either SPL or ShPP\n\n- the employee\u2019s partner has died\n\n- it\u2019s less than 6 weeks after the birth (and the mother gave notice before the birth)\n\n## Shared parental leave in touch (SPLIT) days\n\nYour employee can work up to 20 days during SPL without bringing it to an end. These are called \u2018shared parental leave in touch\u2019 (or SPLIT) days.\n\nThese days are in addition to the 10 \u2018keeping in touch\u2019 (or KIT) days already available to those on maternity or adoption leave.\n\nKeeping in touch days are optional - both you and your employee must agree to them.\n\n## Blocks of leave\n\nAn employee taking Shared Parental Leave (SPL) can split their leave into up to 3 separate blocks instead of taking it all in one go, even if they are not sharing the leave with their partner.\n\nIf both parents are taking SPL then they can take their leave at the same time as each other or at different times.\n\nThe employee must give you at least 8 weeks\u2019 notice before a block of leave begins.\n\n## Splitting blocks\n\nIf you agree, the employee can split a block of leave into shorter periods of at least a week. For example they could work every other week during a 12-week block, using a total of 6 weeks of their SPL.\n\nYou cannot turn down a request for a block of leave if the employee is eligible and gives you the right notice. You do not have to agree to the employee breaking the block of leave into shorter periods.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the evidence provided by the employee to show that they\u2019re eligible for ShPP\n\n- the date ShPP began\n\n- your ShPP payments (including dates)\n\n- the ShPP you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for at least 3 years from the end of the tax year they relate to.\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/shared-parental-leave-and-pay-employer-guide", + "answerable": true, + "scenario": "I am a business owner. I have recently had an employee request shared parental leave. I have never dealt with this before, and I do not know the requirements.", + "original_question": "Are there eligibility requirements for shared parental leave?" + }, + { + "id": "train-678", + "question": "Scenario: I will be studying in Spain for three quarters of my course's length. This is a compulsory part of my course. My permanent address is in central London. I am currently looking for travel grants.\n\nQuestion: Will I be eligible for a travel grant?\n\nDocument - Studying abroad: travel grants for students (England):\n## Overview\n\nYou may get a grant to cover some of your travel expenses if you normally live in England and:\n\n- you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement\n\n- you\u2019re a medical or dental student studying abroad or attending a clinical placement in the UK\n\nYou do not have to pay back a travel grant. There are rules on eligibility and how much you\u2019ll get.\n\nThere\u2019s a different process if you\u2019re a student from Scotland, Wales or Northern Ireland.\n\n## What you'll get\n\nThe amount you get depends on your total household income. This means your income, if you have one, combined with that of your parents or guardians, or spouse or partner if you live with them. Do not count income from other family members you live with.\n\nYou must pay the \ufb01rst \u00a3303 of your travel costs - and your travel grant will be reduced by \u00a31 for each \u00a38.73 of household income over \u00a339,796.\n\nKeep your travel costs as low as possible without being impractical.\n\n## If you\u2019re studying abroad\n\nYou can apply for:\n\n- up to 3 return journeys between your home and the overseas institution during a full academic year abroad\n\n- help with essential expenses, medical insurance and travel visas\n\nYou may be able to apply for your children\u2019s travel costs if you\u2019re a single parent.\n\n## Medical or dental students doing a clinical placement in the UK\n\nYou can apply for travel costs between your home and the hospital or facility where you\u2019re doing your placement.\n\n## Eligibility\n\nYour permanent home address must be in England.\n\n## If you\u2019re studying abroad\n\nYou must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.\n\nYou can also get a travel grant if you\u2019re on an Erasmus study or Erasmus work placement. Other work placements do not count.\n\n## If you\u2019re doing a clinical placement in the UK\n\nThe placement must be an essential part of your medical or dental course. You will not get a travel grant if you\u2019re eligible for means-tested bursaries or awards from the Department of Health.\n\nYou can apply if you get student \ufb01nance that depends on your household income, for example a Maintenance Loan or Maintenance Grant.\n\n## How to apply\n\n## If you\u2019re studying abroad\n\n- Apply for student finance for your study abroad using your student finance account. You can register and set up an account if you do not already have one.\n\n- You\u2019ll then receive a course abroad form.\n\n- Once you\u2019ve filled in and returned the form, you\u2019ll automatically receive a travel grant form if you\u2019re eligible.\n\nKeep all receipts for any expenses you want to apply for - you\u2019ll need to send copies when you apply.\n\nThe money will be paid direct into your bank account.\n\n## If you\u2019re doing a clinical placement in the UK\n\nAfter applying for student finance for clinical study you\u2019ll automatically receive a travel grant form if you\u2019re eligible.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/travel-grants-students-england", + "answerable": true, + "scenario": "I will be studying in Spain for three quarters of my course's length. This is a compulsory part of my course. My permanent address is in central London. I am currently looking for travel grants.", + "original_question": "Will I be eligible for a travel grant?" + }, + { + "id": "train-682", + "question": "Scenario: I am on a full time employment. I am in the current employment for 50 weeks now. Recently for some personal reason. I have a situation to work flexible hours rather than usual 9 to 5\n\nQuestion: Do I have rights to request for flexible working ?\n\nDocument - Flexible working:\n## Overview\n\nFlexible working is a way of working that suits an employee\u2019s needs, for example having flexible start and finish times, or working from home.\n\nFlexible working rules are different in Northern Ireland.\n\nAll employees have the legal right to request flexible working - not just parents and carers.\n\nThis is known as \u2018making a statutory application\u2019.\n\nEmployees must have worked for the same employer for at least 26 weeks to be eligible.\n\n## What employers must do\n\nEmployers must deal with requests in a \u2018reasonable manner\u2019.\n\nExamples of handling requests in a reasonable manner include:\n\n- assessing the advantages and disadvantages of the application\n\n- holding a meeting to discuss the request with the employee\n\n- offering an appeal process\n\nIf an employer does not handle a request in a reasonable manner, the employee can take them to an employment tribunal.\n\nAn employer can refuse an application if they have a good business reason for doing so.\n\n## Types of flexible working\n\nThere are different ways of working flexibly.\n\n## Job sharing\n\nTwo people do one job and split the hours.\n\n## Working from home\n\nIt might be possible to do some or all of the work from home or anywhere else other than the normal place of work.\n\n## Part time\n\nWorking less than full-time hours (usually by working fewer days).\n\n## Compressed hours\n\nWorking full-time hours but over fewer days.\n\n## Flexitime\n\nThe employee chooses when to start and end work (within agreed limits) but works certain \u2018core hours\u2019, for example 10am to 4pm every day.\n\n## Annualised hours\n\nThe employee has to work a certain number of hours over the year but they have some flexibility about when they work. There are sometimes \u2018core hours\u2019 which the employee regularly works each week, and they work the rest of their hours flexibly or when there\u2019s extra demand at work.\n\n## Staggered hours\n\nThe employee has different start, finish and break times from other workers.\n\n## Phased retirement\n\nDefault retirement age has been phased out and older workers can choose when they want to retire. This means they can reduce their hours and work part time.\n\n## Applying for flexible working\n\nEmployees can apply for flexible working if they\u2019ve worked continuously for the same employer for the last 26 weeks. It\u2019s known as \u2018making a statutory application.\u2019\n\nThe basic steps are:\n\n- The employee writes to the employer.\n\n- The employer considers the request and makes a decision within 3 months - or longer if agreed with the employee.\n\n- If the employer agrees to the request, they must change the terms and conditions in the employee\u2019s contract.\n\n- If the employer disagrees, they must write to the employee giving the business reasons for the refusal. The employee may be able to complain to an employment tribunal.\n\nEmployees can only make one application for flexible working a year.\n\n## Writing to the employer\n\nAn employee should email or write a letter to their employer.\n\nEmployers may ask employees to use a standard form to make an application.\n\n## What the email or letter must include\n\nThe application must include:\n\n- the date\n\n- a statement that this is a statutory request\n\n- details of how the employee wants to work flexibly and when they want to start\n\n- an explanation of how they think flexible working might affect the business and how this could be dealt with, for example if they\u2019re not at work on certain days\n\n- a statement saying if and when they\u2019ve made a previous application\n\n## Withdrawing an application\n\nEmployees should tell their employer in writing if they want to withdraw their application.\n\nThe employer can treat an application as withdrawn if the employee misses 2 meetings to discuss an application or appeal without good reason, for example sickness.\n\nThe employer must tell the employee they are treating the request as withdrawn.\n\n## After the application\n\nEmployers must consider flexible working requests in a \u2018reasonable manner\u2019.\n\nThey should usually make a decision within 3 months of the request (or longer if agreed with the employee).\n\n## Agreeing the application\n\nThe employer should write to the employee with:\n\n- a statement of the agreed changes\n\n- a start date for flexible working\n\nThey should also change the employee\u2019s contract to include the new terms and conditions.\n\nThis should be done as soon as possible but no later than 28 days after the request was approved.\n\n## Rejecting an application\n\nThe employer must tell the employee that they\u2019ve rejected the application.\n\n## Reasons for rejecting\n\nEmployers can reject an application for any of the following reasons:\n\n- extra costs that will damage the business\n\n- the work cannot be reorganised among other staff\n\n- people cannot be recruited to do the work\n\n- flexible working will affect quality and performance\n\n- the business will not be able to meet customer demand\n\n- there\u2019s a lack of work to do during the proposed working times\n\n- the business is planning changes to the workforce\n\n## Appeals\n\nEmployees no longer have a statutory right to an appeal.\n\nBut offering an appeals process helps to demonstrate that the employer is handling requests in a \u2018reasonable manner\u2019.\n\n## How to appeal\n\nThe employee must follow the company\u2019s procedures for appealing.\n\nThe employee or employer should follow the company\u2019s procedures for solving a workplace dispute if a rejected application causes problems.\n\n## Going to an employment tribunal\n\nEmployees can complain to an employment tribunal if the employer:\n\n- did not handle the request in a \u2018reasonable manner\u2019\n\n- wrongly treated the employee\u2019s application as withdrawn\n\n- dismissed or treated an employee poorly because of their flexible working request, for example refused a promotion or pay rise\n\n- rejected an application based on incorrect facts\n\nEmployees cannot complain to a tribunal just because their flexible working request was rejected.\n\nAn employee should complain to the tribunal within 3 months of:\n\n- hearing their employer\u2019s decision\n\n- hearing their request was treated as withdrawn\n\n- the date the employer should have responded to their request (but failed to do so)\n\nIf an employer or employee is unsure of their rights, they should get legal advice.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/flexible-working", + "answerable": true, + "scenario": "I am on a full time employment. I am in the current employment for 50 weeks now. Recently for some personal reason. I have a situation to work flexible hours rather than usual 9 to 5", + "original_question": "Do I have rights to request for flexible working ?" + }, + { + "id": "train-683", + "question": "Scenario: I am on a full time employment and I had a situation to request to work from home from my employer. I made an application but my situation has now changed\n\nQuestion: Can I withdraw my application after applying ?\n\nDocument - Flexible working:\n## Overview\n\nFlexible working is a way of working that suits an employee\u2019s needs, for example having flexible start and finish times, or working from home.\n\nFlexible working rules are different in Northern Ireland.\n\nAll employees have the legal right to request flexible working - not just parents and carers.\n\nThis is known as \u2018making a statutory application\u2019.\n\nEmployees must have worked for the same employer for at least 26 weeks to be eligible.\n\n## What employers must do\n\nEmployers must deal with requests in a \u2018reasonable manner\u2019.\n\nExamples of handling requests in a reasonable manner include:\n\n- assessing the advantages and disadvantages of the application\n\n- holding a meeting to discuss the request with the employee\n\n- offering an appeal process\n\nIf an employer does not handle a request in a reasonable manner, the employee can take them to an employment tribunal.\n\nAn employer can refuse an application if they have a good business reason for doing so.\n\n## Types of flexible working\n\nThere are different ways of working flexibly.\n\n## Job sharing\n\nTwo people do one job and split the hours.\n\n## Working from home\n\nIt might be possible to do some or all of the work from home or anywhere else other than the normal place of work.\n\n## Part time\n\nWorking less than full-time hours (usually by working fewer days).\n\n## Compressed hours\n\nWorking full-time hours but over fewer days.\n\n## Flexitime\n\nThe employee chooses when to start and end work (within agreed limits) but works certain \u2018core hours\u2019, for example 10am to 4pm every day.\n\n## Annualised hours\n\nThe employee has to work a certain number of hours over the year but they have some flexibility about when they work. There are sometimes \u2018core hours\u2019 which the employee regularly works each week, and they work the rest of their hours flexibly or when there\u2019s extra demand at work.\n\n## Staggered hours\n\nThe employee has different start, finish and break times from other workers.\n\n## Phased retirement\n\nDefault retirement age has been phased out and older workers can choose when they want to retire. This means they can reduce their hours and work part time.\n\n## Applying for flexible working\n\nEmployees can apply for flexible working if they\u2019ve worked continuously for the same employer for the last 26 weeks. It\u2019s known as \u2018making a statutory application.\u2019\n\nThe basic steps are:\n\n- The employee writes to the employer.\n\n- The employer considers the request and makes a decision within 3 months - or longer if agreed with the employee.\n\n- If the employer agrees to the request, they must change the terms and conditions in the employee\u2019s contract.\n\n- If the employer disagrees, they must write to the employee giving the business reasons for the refusal. The employee may be able to complain to an employment tribunal.\n\nEmployees can only make one application for flexible working a year.\n\n## Writing to the employer\n\nAn employee should email or write a letter to their employer.\n\nEmployers may ask employees to use a standard form to make an application.\n\n## What the email or letter must include\n\nThe application must include:\n\n- the date\n\n- a statement that this is a statutory request\n\n- details of how the employee wants to work flexibly and when they want to start\n\n- an explanation of how they think flexible working might affect the business and how this could be dealt with, for example if they\u2019re not at work on certain days\n\n- a statement saying if and when they\u2019ve made a previous application\n\n## Withdrawing an application\n\nEmployees should tell their employer in writing if they want to withdraw their application.\n\nThe employer can treat an application as withdrawn if the employee misses 2 meetings to discuss an application or appeal without good reason, for example sickness.\n\nThe employer must tell the employee they are treating the request as withdrawn.\n\n## After the application\n\nEmployers must consider flexible working requests in a \u2018reasonable manner\u2019.\n\nThey should usually make a decision within 3 months of the request (or longer if agreed with the employee).\n\n## Agreeing the application\n\nThe employer should write to the employee with:\n\n- a statement of the agreed changes\n\n- a start date for flexible working\n\nThey should also change the employee\u2019s contract to include the new terms and conditions.\n\nThis should be done as soon as possible but no later than 28 days after the request was approved.\n\n## Rejecting an application\n\nThe employer must tell the employee that they\u2019ve rejected the application.\n\n## Reasons for rejecting\n\nEmployers can reject an application for any of the following reasons:\n\n- extra costs that will damage the business\n\n- the work cannot be reorganised among other staff\n\n- people cannot be recruited to do the work\n\n- flexible working will affect quality and performance\n\n- the business will not be able to meet customer demand\n\n- there\u2019s a lack of work to do during the proposed working times\n\n- the business is planning changes to the workforce\n\n## Appeals\n\nEmployees no longer have a statutory right to an appeal.\n\nBut offering an appeals process helps to demonstrate that the employer is handling requests in a \u2018reasonable manner\u2019.\n\n## How to appeal\n\nThe employee must follow the company\u2019s procedures for appealing.\n\nThe employee or employer should follow the company\u2019s procedures for solving a workplace dispute if a rejected application causes problems.\n\n## Going to an employment tribunal\n\nEmployees can complain to an employment tribunal if the employer:\n\n- did not handle the request in a \u2018reasonable manner\u2019\n\n- wrongly treated the employee\u2019s application as withdrawn\n\n- dismissed or treated an employee poorly because of their flexible working request, for example refused a promotion or pay rise\n\n- rejected an application based on incorrect facts\n\nEmployees cannot complain to a tribunal just because their flexible working request was rejected.\n\nAn employee should complain to the tribunal within 3 months of:\n\n- hearing their employer\u2019s decision\n\n- hearing their request was treated as withdrawn\n\n- the date the employer should have responded to their request (but failed to do so)\n\nIf an employer or employee is unsure of their rights, they should get legal advice.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/flexible-working", + "answerable": true, + "scenario": "I am on a full time employment and I had a situation to request to work from home from my employer. I made an application but my situation has now changed", + "original_question": "Can I withdraw my application after applying ?" + }, + { + "id": "train-685", + "question": "Scenario: I am a prospective medical student from Manchester with a low household income. I am currently applying for places on medical courses at different universities in England.\n\nQuestion: Do I have to wait until I have an offer from a university before I apply for an NHS bursary?\n\nDocument - NHS bursaries:\n## Overview\n\nWhat you can apply for depends on when your course starts and what you\u2019re studying. You do not have to pay your NHS bursary back.\n\nIf you\u2019re not eligible for a bursary you may still be eligible for student finance.\n\n## If your course starts on or after 1 August 2018\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor or dentist.\n\nIf you\u2019re studying a pre-registration postgraduate healthcare course, you may still be eligible for student finance.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor, dentist, dental hygienist or dental therapist.\n\n## If your course started before 1 August 2017\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying a dental, medical or healthcare course in England.\n\n## What you'll get\n\nIf you\u2019re an eligible full-time NHS student starting a course on or after 1 September 2012, you can apply for:\n\n- a bursary from the NHS\n\n- a \u00a31,000 grant from the NHS\n\n- a reduced Maintenance Loan from Student Finance England\n\nIf you\u2019re an eligible part-time student starting a course on or after 1 September 2012, you can apply for:\n\n- a reduced bursary from the NHS\n\n- a reduced grant from the NHS\n\nThe amount you get depends on the length of your course.\n\n## Tuition fees\n\nIf you\u2019re eligible for an NHS bursary, the NHS pays your standard tuition fees. Your course tuition fees are paid directly to your university.\n\nIf you\u2019re studying a graduate-entry accelerated medical or dental programme, you can get some of your tuition costs paid with an NHS bursary in years 2 to 4 of your programme.\n\n- \u00a33,715 if you\u2019re starting in the 2019 to 2020 academic year\n\n- \u00a33,715 if you\u2019re starting in the 2018 to 2019 academic year\n\n## Bursary\n\nYour bursary amount depends on your household income. This can be your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\nIf you started a Diploma of Higher Education (DipHE) Nursing or Operating Department Practitioner course before 1 September 2012, you\u2019ll receive a basic bursary which does not depend on your household income.\n\nIf you\u2019re studying to become a doctor or dentist, you can apply for an NHS bursary from your second year for graduate entry programmes or from your fifth year for undergraduate programmes.\n\n## Grant\n\nYou\u2019ll get a fixed amount of \u00a31,000 if you\u2019re an eligible full-time NHS student starting your course on or after 1 September 2012. You\u2019ll get a reduced amount if you\u2019re a part-time student.\n\nYou must apply for an NHS bursary to get the grant.\n\n## Maintenance Loan\n\nYou\u2019ll get a reduced Maintenance Loan. The amount you get depends on:\n\n- where you live and study\n\n- whether you\u2019re in the final year of your course (when you get less)\n\nCurrent rates for the 2018 to 2019 academic year are:\n\n- \u00a33,263 for students studying in London and living away from home\n\n- \u00a32,324 for students studying outside London and away from home\n\n- \u00a31,744 for students living at home\n\nCurrent rates for the 2019 to 2020 academic year are:\n\n- \u00a33,354 for students studying in London and living away from home\n\n- \u00a32,389 for students studying outside London and away from home\n\n- \u00a31,793 for students living at home\n\n## How it\u2019s paid\n\nThe NHS bursary is paid into your bank account in 12 equal monthly instalments.\n\nThe Maintenance Loan is usually paid into your bank account at the beginning of each term.\n\n## If you\u2019re disabled or have children\n\nYou may get extra help if you:\n\n- have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- have dependants\n\nFind out what extra help you could get.\n\n## Eligibility\n\nWhether you can get an NHS bursary depends on:\n\n- where you live\n\n- your course\n\n- your household income\n\n- whether you\u2019ve already had funding\n\n## Where you live\n\nTo be eligible to apply for an NHS bursary you must have been living in the UK, the Channel Islands or the Isle of Man for 3 years up to the start of the academic year.\n\nYou may still be eligible if you do not meet the residency requirements - find out more from the NHS Business Services Authority.\n\n## Your course\n\nWhether you\u2019re eligible depends on when your course starts.\n\nYou will not get an NHS bursary if you\u2019re a first level nurse or midwife and you\u2019re registering for a second field in nursing or midwifery.\n\n## If your course starts on or after 1 August 2018\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.\n\nYou can apply for an NHS bursary from your 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- dental hygienist or dental therapist\n\n## If your course started before 1 August 2017\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- chiropodist (including podiatrist), dietician, occupational therapist, orthoptist, physiotherapist, prosthetist, orthotist, radiographer, radiotherapist, audiologist or a speech and language therapist\n\n- dental hygienist or dental therapist\n\n- nurse, midwife or operating department practitioner (degree or diploma course)\n\n## Household income\n\nYour total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\n## If you\u2019ve already had funding\n\nYou may be eligible for an NHS bursary even if you\u2019ve already had public funding for higher education.\n\nIf you\u2019ve had an NHS bursary and want to change professions, you may also be eligible.\n\nFind out more from the NHS Business Services Authority.\n\n## How to apply\n\nYou need to create a Bursary Online Support System (BOSS) account on the NHS Student Bursaries website to apply for an NHS bursary.\n\nYou must reapply for your bursary every academic year.\n\nThere are different ways to apply if you\u2019re from Scotland, Wales or Northern Ireland.\n\n## New students\n\nIf you\u2019re entering the first year of your NHS-funded course or, for medical and dental students, your first year of NHS bursary funding, read the guidance for new students.\n\n## When to apply\n\nYou should wait until you have an offer of a course place from your university or college before you apply for an NHS bursary.\n\nThe date you can apply from usually depends on when your course starts. Check the NHS Student Bursaries website for the latest application dates.\n\n## Documents\n\nIf you\u2019re applying for an NHS bursary for the first time you must provide 2 documents to confirm your identity, one of which must include a photograph of yourself, for example a birth certificate and a valid passport.\n\nYou must send original documents (not photocopies), which NHS Student Bursaries will return to you.\n\n## Continuing students\n\nIf you\u2019ve already had an NHS student bursary for your current course and you\u2019re reapplying for another year, read the guidance for continuing students.\n\n## When to apply\n\nNHS Student Bursaries will send you an email invitation when you can reapply for your bursary. The date your invitation is sent depends on when your next academic year begins. Check the NHS Student Busaries website for the latest invitation dates.\n\nYou must send your application within 6 months of the first day of your academic year.\n\n## What happens next\n\nIf your application is approved, NHS Student Bursaries will send you an email when your bursary is available for you to view in your BOSS account.\n\nIf you get an NHS bursary you can apply separately for a reduced rate loan from Student Finance England.\n\n## Contact NHS Student Bursaries\n\nContact NHS Student Bursaries if you need help with your application.\n\n## Extra financial help\n\nIn addition to the NHS bursary you may also be able to apply for extra help if:\n\n- you have children\n\n- you have adult dependants\n\n- you have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- you do a practice placement\n\n- your course runs for more than 30 weeks and 3 days in the academic year\n\nFind out more about extra help on the NHS Student Bursaries website.\n\n## Dependants\u2019 Allowance\n\nYou may get this if you have adults or children who are financially dependent on you when you\u2019re training.\n\nHow much you get depends on your household income.\n\nApply for Dependants\u2019 Allowance through your BOSS account.\n\n## Childcare Allowance\n\nYou must apply for Dependants\u2019 Allowance before you can apply for Childcare Allowance.\n\nYou may be able to get the NHS Bursary Childcare Allowance if you have dependent children.\n\nHow much you get depends on your circumstances and your household income.\n\nYou cannot get this if you\u2019re not entitled to the NHS bursary (known as a \u2018Fees Only award\u2019).\n\nTo qualify:\n\n- you must use a registered childcare provider\n\n- your children must be under 15 on the first day of the academic year (or under 17 if they have special educational needs)\n\nThe allowance pays 85% of the gross actual cost up to:\n\n- \u00a3128.78 a week for 1 child\n\n- \u00a3191.45 a week for 2 or more children\n\nApply for Childcare Allowance via the form on the NHS Student Bursaries website.\n\n## Parent Learning Allowance\n\nYou must apply for Dependants\u2019 Allowance first. If this includes a dependent child, you\u2019re automatically assessed for Parent Learning Allowance.\n\nYou can claim up to \u00a31,204 per academic year.\n\nHow much you get depends on your household income.\n\n## Disabled Students\u2019 Allowances\n\nYou can get this if you have to pay extra costs because of a:\n\n- physical disability\n\n- long-term health condition\n\n- mental-health difficulty\n\n- specific learning difficulty like dyslexia\n\nYou need to give up-to-date medical evidence of the nature and severity of your disability from a qualified professional.\n\nYou can get up to:\n\n- \u00a320,725 for a helper\n\n- \u00a35,214 for specialist equipment for the whole course\n\n- \u00a31,741 for other costs\n\nApply for Disabled Students Allowance through your BOSS account.\n\n## Practice placement expenses\n\nIf you do a practice placement you may be able to claim travel costs if:\n\n- your practice placement is in a hospital or community health centre and not at your university\n\n- it costs you more to travel to your placement than it costs to travel to university\n\nClaim practice placement expenses via the form on the NHS Student Bursaries website.\n\n## Extra Weeks Allowance\n\nIf your course runs for more than 30 weeks and 3 days in the 2016 to 2017 academic year you may be entitled to Extra Weeks Allowance:\n\n| Where you study and live | Allowance |\n\n| In London | \u00a3108 per week |\n\n| Outside London | \u00a384 per additional week |\n\n| With your parents | \u00a356 per additional week |\n\nYour Extra Weeks Allowance is calculated automatically during the application process.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/nhs-bursaries", + "answerable": true, + "scenario": "I am a prospective medical student from Manchester with a low household income. I am currently applying for places on medical courses at different universities in England.", + "original_question": "Do I have to wait until I have an offer from a university before I apply for an NHS bursary?" + }, + { + "id": "train-687", + "question": "Scenario: I have been ill with a bad headache over the past two days. I have missed these two work days. My employer has told me that I will need to take annual leave to cover these days.\n\nQuestion: Is my employer allowed to decide when I can take my annual leave?\n\nDocument - Holiday entitlement:\n## Entitlement\n\nAlmost all workers are legally entitled to 5.6 weeks\u2019 paid holiday a year (known as statutory leave entitlement or annual leave).\n\nThis includes:\n\n- agency workers\n\n- workers with irregular hours\n\n- workers on zero-hours contracts\n\nAn employer can include bank holidays as part of statutory annual leave.\n\nCoronavirus (COVID-19) does not affect workers\u2019 entitlement to holiday pay and leave, except for carrying over leave.\n\n## Statutory annual leave entitlement\n\nMost workers who work a 5-day week must receive at least 28 days\u2019 paid annual leave a year. This is the equivalent of 5.6 weeks of holiday.\n\n## Working part-time\n\nPart-time workers are entitled to at least 5.6 weeks\u2019 paid holiday, but this will amount to fewer than 28 days.\n\nFor example, if they work 3 days a week, they must get at least 16.8 days\u2019 leave a year (3 \u00d7 5.6).\n\nUse the holiday entitlement calculator to work out a part-time worker\u2019s leave.\n\n## Irregular hours\n\nPeople working irregular hours (like shift workers or term-time workers) are entitled to paid time off for every hour they work.\n\nThey might find it helpful to get an estimate of holiday entitlement by calculating leave based on days or hours worked in an average week.\n\n## Limits on statutory leave\n\nStatutory paid holiday entitlement is limited to 28 days. For example, staff working 6 days a week are only entitled to 28 days\u2019 paid holiday.\n\n## Bank holidays\n\nBank or public holidays do not have to be given as paid leave.\n\nAn employer can choose to include bank holidays as part of a worker\u2019s statutory annual leave.\n\n## Extra leave\n\nAn employer can choose to offer more leave than the legal minimum. They do not have to apply all the rules that apply to statutory leave to the extra leave. For example, a worker might need to be employed for a certain amount of time before they become entitled to it.\n\n## Other aspects of holiday entitlement\n\nWorkers have the right to:\n\n- get paid for leave\n\n- build up (\u2018accrue\u2019) holiday entitlement during maternity, paternity and adoption leave\n\n- build up holiday entitlement while off work sick\n\n- request holiday at the same time as sick leave\n\n## Disputes\n\nPaid annual leave is a legal right that an employer must provide. If a worker thinks their right to leave and pay are not being met there are a number of ways to resolve the dispute.\n\n## Calculate leave entitlement\n\nAnnual leave begins to build up (\u2018accrue\u2019) as soon as a worker starts their job.\n\nAn employer can use a \u2018leave year\u2019 or an \u2018accrual\u2019 system to work out how much leave their staff should get.\n\nUse the holiday entitlement calculator to work out how much leave someone should get.\n\n## Leave year\n\nAn employer should tell their staff the dates of their statutory leave year as soon as they start working, for example, it might run from 1 January to 31 December.\n\nWorkers must take their statutory leave during this time. If a leave year is not set out in a contract then it will start:\n\n- on the first day of a new job (if started after 1 October 1998)\n\n- on 1 October (if started on or before 1 October 1998)\n\nThe leave year and holiday entitlement is not affected by maternity, paternity or adoption leave. The employee still builds up (\u2018accrues\u2019) holiday over these periods.\n\n## Leave entitlement when starting a new job\n\nIf a worker starts their job part-way through a leave year, they\u2019re only entitled to part of their total annual leave for the current leave year. What they get depends on how much of the year is left.\n\nUse the holiday entitlement calculator to work out how much leave someone has left.\n\n## Accrual system\n\nAn employer can use an accrual system to work out a worker\u2019s leave during the first year of the job. Under this system, a worker gets one-twelfth of their leave in each month.\n\n## Carrying over leave\n\nThe worker\u2019s contract says how many days\u2019 leave they can carry over into the next year.\n\nIf a worker gets 28 days\u2019 leave, they can carry over a maximum of 8 days.\n\nIf a worker gets more than 28 days\u2019 leave, their employer may allow them to carry over any additional untaken leave. Check the employment contract, company handbook or intranet to see what the rules say.\n\n## Leave affected by coronavirus (COVID-19)\n\nWorkers may be able to carry over untaken leave into the next 2 years if they cannot take it because their work is affected by coronavirus.\n\nThey could do this if, for example:\n\n- they need to provide cover for their co-workers and have no other opportunity to take holiday in their leave year\n\n- there will be staff shortages if too many workers take their leave before the end of the leave year\n\n- they\u2019re classed as critical workers, such as healthcare or supermarket workers\n\nIf a worker is able to take leave, the standard rules for carrying over leave still apply.\n\n## Workers on parental or sick leave\n\nIf a worker cannot take all of their leave entitlement because they\u2019re already on a different type of leave (for example sick, maternity or parental leave), they can carry over some or all of the untaken leave into the next leave year.\n\nAn employer must allow a worker to carry over a maximum of 20 of their 28 days\u2019 leave entitlement if the worker could not take annual leave because they were off sick.\n\n## Holiday pay\n\nWorkers are entitled to a week\u2019s pay for each week of statutory leave that they take.\n\nMost workers are entitled to 5.6 weeks\u2019 paid holiday a year. You can use the holiday calculator to work out how much leave someone should get.\n\nA week\u2019s pay is worked out according to the kind of hours someone works and how they\u2019re paid for the hours. This includes full-time, part-time, term-time and casual workers.\n\n| Working pattern | How a week\u2019s pay is calculated |\n\n| Fixed hours and fixed pay (full- or part-time) | A worker\u2019s pay for a week |\n\n| Shift work with fixed hours (full- or part-time) | The average number of weekly fixed hours a worker has worked in the previous 52 weeks, at their average hourly rate |\n\n| No fixed hours (casual work, including zero-hours contracts) | A worker\u2019s average pay from the previous 52 weeks (only counting weeks in which they were paid) |\n\n## Calculating average hourly or weekly rate\n\nTo calculate average hourly rate, only the hours worked and how much was paid for them should be counted. Take the average rate over the last 52 weeks.\n\nA \u2018week\u2019 usually runs from Sunday to Saturday. Only use another 7-day period (like Thursday to Wednesday) if that\u2019s how a worker\u2019s pay is calculated.\n\nIf no pay was paid in any week, count back another week so the rate is based on 52 weeks in which pay was paid. You can count back a maximum of 104 weeks to find these.\n\nIf a worker has less than 52 weeks of pay, use the average pay rate for the full weeks they have worked.\n\n## Workers who are paid monthly\n\nTo work out a week\u2019s pay for someone who\u2019s paid monthly:\n\n- Calculate the worker\u2019s average hourly pay for the last month. Do this by dividing the month\u2019s pay by the number of hours worked in the month.\n\n- Calculate the weekly pay. Do this by multiplying the average hourly pay by the number of hours worked in a week.\n\nUse the weekly pay calculation for each of the last 52 weeks to work out an average week\u2019s pay.\n\n## Rolled-up holiday pay\n\nHoliday pay should be paid for the time when annual leave is taken. An employer cannot include an amount for holiday pay in the hourly rate (known as \u2018rolled-up holiday pay\u2019).\n\nIf a current contract still includes rolled-up pay, it needs to be re-negotiated.\n\n## More information\n\nThere\u2019s guidance for calculating holiday pay for workers without fixed hours or pay, which includes several examples.\n\nYou can also contact the Advisory, Conciliation and Arbitration Service (Acas) with questions about general holiday pay issues.\n\n## Booking time off\n\nThe general notice period for taking leave is at least twice as long as the amount of leave a worker wants to take, plus 1 day. For example, a worker would give 3 days\u2019 notice for 1 day\u2019s leave.\n\nAn employer can refuse a leave request or cancel leave but they must give as much notice as the amount of leave requested, plus 1 day. For example, an employer would give 11 days\u2019 notice if the worker asked for 10 days\u2019 leave.\n\nIf the contract says something different about the notice a worker or employer should give, what\u2019s in the contract will apply.\n\nAlthough employers can refuse to give leave at a certain time, they cannot refuse to let workers take the leave at all.\n\n## Part leave days\n\nSome workers may be entitled to a part leave day - for example if they\u2019re part-time or have a half day\u2019s leave to take. How a part day should be taken is up to the employer.\n\n## When leave can and cannot be taken\n\nEmployers can:\n\n- tell their staff to take leave, for example bank holidays or Christmas\n\n- restrict when leave can be taken, for example at certain busy periods\n\nThere may be rules about this in the employment contract or it may be what normally happens in the workplace.\n\nThe notice period for this is at least twice as long as the leave they want their staff to take. The employer must tell the worker before the notice period begins.\n\nIf an employer wants a worker to take leave, they need to make sure that the worker can relax, rest and enjoy leisure during their holiday. For example, an employer cannot force a sick worker to take leave.\n\n## Taking holiday before leaving a job\n\nDuring their notice period the worker may be able to take whatever is left of their statutory annual leave.\n\nUse the holiday entitlement calculator to work this out. How much they get depends on how much of the holiday year has passed.\n\n## Taking more leave than the entitlement\n\nIf a worker has taken more leave than they\u2019re entitled to, their employer must not take money from their final pay unless it\u2019s been agreed beforehand in writing. The rules in this situation should be outlined in the employment contract, company handbook or intranet.\n\n## Getting paid instead of taking holidays\n\nThe only time someone can get paid in place of taking statutory leave (known as \u2018payment in lieu\u2019) is when they leave their job. Employers must pay for untaken statutory leave, even if the worker is dismissed for gross misconduct.\n\nIf an employer offers more than 5.6 weeks\u2019 annual leave, they can agree separate arrangements for the extra leave.\n\n## Zero-hours contracts\n\nWhen a worker on a zero-hours contract has not worked for 4 weeks, this may be treated as the end of the employment. The employer will usually pay the worker for untaken leave, even if they\u2019re going to offer them more work later.\n\n## Workers on furlough because of coronavirus (COVID-19)\n\nWorkers have the right to build up (\u2018accrue\u2019) holiday entitlement while they\u2019re on temporary leave (\u2018furloughed\u2019) because of coronavirus (COVID-19). They can also take leave while on furlough.\n\n## Bank holidays\n\nIf a furloughed worker is not working on a bank holiday they usually take as paid leave, they can agree with their employer to either:\n\n- take it as normal\n\n- take it at a later date\n\nAn employer must give a worker at least 2 days\u2019 notice if they want them to take a bank holiday as paid leave, unless the worker\u2019s employment contract says something different.\n\nThe employer must tell the worker at least one day in advance of giving 2 days\u2019 notice.\n\n## Holiday pay\n\nAn employer can continue to claim for a furloughed worker\u2019s wages when the worker takes annual leave.\n\nCalculate holiday pay as normal for any time the worker was furloughed. If the holiday pay turns out to be more than the worker was paid during this time, their employer must pay the difference.\n\n## Agency workers\n\nAgency workers with \u2018worker status\u2019, including those who use an umbrella company, have their usual holiday entitlement when on furlough.\n\nTheir employer can claim a grant to help cover the cost of their wages.\n\nHoliday entitlement for those without worker status remains the same and depends on their contract.\n\nAgency workers may also be able to carry holiday into future leave years.\n\n## More information\n\nThere\u2019s more guidance on holiday entitlement and pay during coronavirus.\nYou can also find out more about holiday entitlement during coronavirus on the Acas website.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/holiday-entitlement-rights", + "answerable": true, + "scenario": "I have been ill with a bad headache over the past two days. I have missed these two work days. My employer has told me that I will need to take annual leave to cover these days.", + "original_question": "Is my employer allowed to decide when I can take my annual leave?" + }, + { + "id": "train-690", + "question": "Scenario: I am an English resident. I have worked for my employer for five years. My normal working location is 9am till 5pm in office, but this is no longer possible for me. I would like more flexible hours and the ability to work from home.\n\nQuestion: Do I have the right to make a statutory application?\n\nDocument - Flexible working:\n## Overview\n\nFlexible working is a way of working that suits an employee\u2019s needs, for example having flexible start and finish times, or working from home.\n\nFlexible working rules are different in Northern Ireland.\n\nAll employees have the legal right to request flexible working - not just parents and carers.\n\nThis is known as \u2018making a statutory application\u2019.\n\nEmployees must have worked for the same employer for at least 26 weeks to be eligible.\n\n## What employers must do\n\nEmployers must deal with requests in a \u2018reasonable manner\u2019.\n\nExamples of handling requests in a reasonable manner include:\n\n- assessing the advantages and disadvantages of the application\n\n- holding a meeting to discuss the request with the employee\n\n- offering an appeal process\n\nIf an employer does not handle a request in a reasonable manner, the employee can take them to an employment tribunal.\n\nAn employer can refuse an application if they have a good business reason for doing so.\n\n## Types of flexible working\n\nThere are different ways of working flexibly.\n\n## Job sharing\n\nTwo people do one job and split the hours.\n\n## Working from home\n\nIt might be possible to do some or all of the work from home or anywhere else other than the normal place of work.\n\n## Part time\n\nWorking less than full-time hours (usually by working fewer days).\n\n## Compressed hours\n\nWorking full-time hours but over fewer days.\n\n## Flexitime\n\nThe employee chooses when to start and end work (within agreed limits) but works certain \u2018core hours\u2019, for example 10am to 4pm every day.\n\n## Annualised hours\n\nThe employee has to work a certain number of hours over the year but they have some flexibility about when they work. There are sometimes \u2018core hours\u2019 which the employee regularly works each week, and they work the rest of their hours flexibly or when there\u2019s extra demand at work.\n\n## Staggered hours\n\nThe employee has different start, finish and break times from other workers.\n\n## Phased retirement\n\nDefault retirement age has been phased out and older workers can choose when they want to retire. This means they can reduce their hours and work part time.\n\n## Applying for flexible working\n\nEmployees can apply for flexible working if they\u2019ve worked continuously for the same employer for the last 26 weeks. It\u2019s known as \u2018making a statutory application.\u2019\n\nThe basic steps are:\n\n- The employee writes to the employer.\n\n- The employer considers the request and makes a decision within 3 months - or longer if agreed with the employee.\n\n- If the employer agrees to the request, they must change the terms and conditions in the employee\u2019s contract.\n\n- If the employer disagrees, they must write to the employee giving the business reasons for the refusal. The employee may be able to complain to an employment tribunal.\n\nEmployees can only make one application for flexible working a year.\n\n## Writing to the employer\n\nAn employee should email or write a letter to their employer.\n\nEmployers may ask employees to use a standard form to make an application.\n\n## What the email or letter must include\n\nThe application must include:\n\n- the date\n\n- a statement that this is a statutory request\n\n- details of how the employee wants to work flexibly and when they want to start\n\n- an explanation of how they think flexible working might affect the business and how this could be dealt with, for example if they\u2019re not at work on certain days\n\n- a statement saying if and when they\u2019ve made a previous application\n\n## Withdrawing an application\n\nEmployees should tell their employer in writing if they want to withdraw their application.\n\nThe employer can treat an application as withdrawn if the employee misses 2 meetings to discuss an application or appeal without good reason, for example sickness.\n\nThe employer must tell the employee they are treating the request as withdrawn.\n\n## After the application\n\nEmployers must consider flexible working requests in a \u2018reasonable manner\u2019.\n\nThey should usually make a decision within 3 months of the request (or longer if agreed with the employee).\n\n## Agreeing the application\n\nThe employer should write to the employee with:\n\n- a statement of the agreed changes\n\n- a start date for flexible working\n\nThey should also change the employee\u2019s contract to include the new terms and conditions.\n\nThis should be done as soon as possible but no later than 28 days after the request was approved.\n\n## Rejecting an application\n\nThe employer must tell the employee that they\u2019ve rejected the application.\n\n## Reasons for rejecting\n\nEmployers can reject an application for any of the following reasons:\n\n- extra costs that will damage the business\n\n- the work cannot be reorganised among other staff\n\n- people cannot be recruited to do the work\n\n- flexible working will affect quality and performance\n\n- the business will not be able to meet customer demand\n\n- there\u2019s a lack of work to do during the proposed working times\n\n- the business is planning changes to the workforce\n\n## Appeals\n\nEmployees no longer have a statutory right to an appeal.\n\nBut offering an appeals process helps to demonstrate that the employer is handling requests in a \u2018reasonable manner\u2019.\n\n## How to appeal\n\nThe employee must follow the company\u2019s procedures for appealing.\n\nThe employee or employer should follow the company\u2019s procedures for solving a workplace dispute if a rejected application causes problems.\n\n## Going to an employment tribunal\n\nEmployees can complain to an employment tribunal if the employer:\n\n- did not handle the request in a \u2018reasonable manner\u2019\n\n- wrongly treated the employee\u2019s application as withdrawn\n\n- dismissed or treated an employee poorly because of their flexible working request, for example refused a promotion or pay rise\n\n- rejected an application based on incorrect facts\n\nEmployees cannot complain to a tribunal just because their flexible working request was rejected.\n\nAn employee should complain to the tribunal within 3 months of:\n\n- hearing their employer\u2019s decision\n\n- hearing their request was treated as withdrawn\n\n- the date the employer should have responded to their request (but failed to do so)\n\nIf an employer or employee is unsure of their rights, they should get legal advice.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/flexible-working", + "answerable": true, + "scenario": "I am an English resident. I have worked for my employer for five years. My normal working location is 9am till 5pm in office, but this is no longer possible for me. I would like more flexible hours and the ability to work from home.", + "original_question": "Do I have the right to make a statutory application?" + }, + { + "id": "train-692", + "question": "Scenario: I have been reviewing the contracts of my employees after being told that it was missing information. The employee statement of terms and conditions of employment was missing the contact person for disciplinary appeals. I am concerned other things may be missing.\n\nQuestion: Are there any other things I need to include regarding the appeal process?\n\nDocument - Taking disciplinary action against an employee:\n## Overview\n\nYou should have written disciplinary rules and procedures to deal with employee performance and conduct and you must tell your staff about them.\n\nYour rules must say what is acceptable and unacceptable behaviour in the workplace and what action you will take if the rules are broken.\n\nThe rules should follow the Acas code of practice on disciplinary and grievance procedures.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\n## Acas guide to discipline and grievances\n\nThe Acas guide to discipline and grievances at work gives more information for employers about taking disciplinary action.\n\n## Acas Helpline\n\nThe Acas Helpline has further advice on disciplinary issues.\n\n## Practical training courses\n\nAcas also runs practical training courses on workplace discipline.\n\n## Writing disciplinary proceedings\n\nYour disciplinary procedures should follow the Acas code of practice.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\nThe exact rules will depend on your organisation, but could cover things like:\n\n- acceptable and unacceptable behaviour\n\n- absence and timekeeping\n\n- health and safety\n\n- use of phones and the internet\n\nYou cannot normally discipline or dismiss an employee for whistleblowing.\n\n## Gross misconduct\n\nYour disciplinary rules should give examples of what will be treated as gross misconduct. This is misconduct judged so serious that it\u2019s likely to lead to dismissal without notice, for example fraud, theft and physical violence.\n\n## Telling employees about disciplinary rules\n\nYour disciplinary rules must be in your statement of employment or clearly written elsewhere, such as in a staff handbook.\n\nThe rules should clearly say when someone might face disciplinary action and what that action could be.\n\nYou must also give the name of someone they should appeal to if they\u2019re unhappy about a disciplinary decision.\n\nIf you do not provide this information and an employee then wins an employment tribunal claim against you, they could be awarded 2 to 4 weeks\u2019 pay.\n\n## Disciplinary procedures and contracts\n\nIf you make your disciplinary procedures part of an employment contract then the employee could make a breach of contract claim against you if you do not follow your procedures.\n\n## Example letters and forms\n\nAcas has a number of sample letters and forms for disciplinary proceedings on its website.\n\n## Disciplinary investigations and hearings\n\nThe law does not say exactly how you should investigate disciplinary issues or hold disciplinary meetings.\n\nHowever, the Acas guide to discipline and grievances at work has lots of practical advice about running disciplinary proceedings professionally and fairly.\n\n## The suggested disciplinary process\n\nThe Acas guidance suggests that your disciplinary process should follow the following format:\n\n- A letter telling your employee the issue and inviting them to a disciplinary hearing.\n\n- A meeting with your employee to discuss the issue - they should have the right to be accompanied.\n\n- A letter to your employee saying what action you are going to take. This should be sent as soon as practically possible.\n\n- Your employee should than have a chance to appeal your decision.\n\n## Disciplinary decisions\n\nDisciplinary decisions could be anything that could resolve the problem.\n\nThis could include:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\n- mediation with a co-worker\n\n## Appeals\n\nAn employee has the right to appeal against a decision made after a disciplinary hearing.\n\nYou should tell them about this when you give them written notice of your decision, and should give them a deadline to tell you they want to appeal.\n\nYour employee\u2019s statement of terms and conditions of employment must legally include the person they can apply to if they want to appeal a disciplinary decision. It must also explain how to do this.\n\nIf the employee does decide to appeal, you should try to hold the appeal hearing as soon as possible.\n\nYou should follow the Acas code of practice on disciplinary and grievance procedures when dealing with appeals. Otherwise, if someone wins an employment tribunal against you their award could be higher.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/taking-disciplinary-action", + "answerable": true, + "scenario": "I have been reviewing the contracts of my employees after being told that it was missing information. The employee statement of terms and conditions of employment was missing the contact person for disciplinary appeals. I am concerned other things may be missing.", + "original_question": "Are there any other things I need to include regarding the appeal process?" + }, + { + "id": "train-693", + "question": "Scenario: Whilst carrying out disciplinary procedures, we have followed our own code. We have not followed the ACAS code of practice, but have been told we should be.\n\nQuestion: Is it a legal requirement to follow the ACAS code of practice?\n\nDocument - Taking disciplinary action against an employee:\n## Overview\n\nYou should have written disciplinary rules and procedures to deal with employee performance and conduct and you must tell your staff about them.\n\nYour rules must say what is acceptable and unacceptable behaviour in the workplace and what action you will take if the rules are broken.\n\nThe rules should follow the Acas code of practice on disciplinary and grievance procedures.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\n## Acas guide to discipline and grievances\n\nThe Acas guide to discipline and grievances at work gives more information for employers about taking disciplinary action.\n\n## Acas Helpline\n\nThe Acas Helpline has further advice on disciplinary issues.\n\n## Practical training courses\n\nAcas also runs practical training courses on workplace discipline.\n\n## Writing disciplinary proceedings\n\nYour disciplinary procedures should follow the Acas code of practice.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\nThe exact rules will depend on your organisation, but could cover things like:\n\n- acceptable and unacceptable behaviour\n\n- absence and timekeeping\n\n- health and safety\n\n- use of phones and the internet\n\nYou cannot normally discipline or dismiss an employee for whistleblowing.\n\n## Gross misconduct\n\nYour disciplinary rules should give examples of what will be treated as gross misconduct. This is misconduct judged so serious that it\u2019s likely to lead to dismissal without notice, for example fraud, theft and physical violence.\n\n## Telling employees about disciplinary rules\n\nYour disciplinary rules must be in your statement of employment or clearly written elsewhere, such as in a staff handbook.\n\nThe rules should clearly say when someone might face disciplinary action and what that action could be.\n\nYou must also give the name of someone they should appeal to if they\u2019re unhappy about a disciplinary decision.\n\nIf you do not provide this information and an employee then wins an employment tribunal claim against you, they could be awarded 2 to 4 weeks\u2019 pay.\n\n## Disciplinary procedures and contracts\n\nIf you make your disciplinary procedures part of an employment contract then the employee could make a breach of contract claim against you if you do not follow your procedures.\n\n## Example letters and forms\n\nAcas has a number of sample letters and forms for disciplinary proceedings on its website.\n\n## Disciplinary investigations and hearings\n\nThe law does not say exactly how you should investigate disciplinary issues or hold disciplinary meetings.\n\nHowever, the Acas guide to discipline and grievances at work has lots of practical advice about running disciplinary proceedings professionally and fairly.\n\n## The suggested disciplinary process\n\nThe Acas guidance suggests that your disciplinary process should follow the following format:\n\n- A letter telling your employee the issue and inviting them to a disciplinary hearing.\n\n- A meeting with your employee to discuss the issue - they should have the right to be accompanied.\n\n- A letter to your employee saying what action you are going to take. This should be sent as soon as practically possible.\n\n- Your employee should than have a chance to appeal your decision.\n\n## Disciplinary decisions\n\nDisciplinary decisions could be anything that could resolve the problem.\n\nThis could include:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\n- mediation with a co-worker\n\n## Appeals\n\nAn employee has the right to appeal against a decision made after a disciplinary hearing.\n\nYou should tell them about this when you give them written notice of your decision, and should give them a deadline to tell you they want to appeal.\n\nYour employee\u2019s statement of terms and conditions of employment must legally include the person they can apply to if they want to appeal a disciplinary decision. It must also explain how to do this.\n\nIf the employee does decide to appeal, you should try to hold the appeal hearing as soon as possible.\n\nYou should follow the Acas code of practice on disciplinary and grievance procedures when dealing with appeals. Otherwise, if someone wins an employment tribunal against you their award could be higher.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/taking-disciplinary-action", + "answerable": true, + "scenario": "Whilst carrying out disciplinary procedures, we have followed our own code. We have not followed the ACAS code of practice, but have been told we should be.", + "original_question": "Is it a legal requirement to follow the ACAS code of practice?" + }, + { + "id": "train-697", + "question": "Scenario: My employer received a deduction from earnings order (DEO) to pay childcare support from my salary. Being the paying parents and the fact that my wife has complicated our relationship. I have talked to my employer to ignore the order.\n\nQuestion: Can my employer be penalised if he fails to honor the DEO?\n\nDocument - Make child maintenance deductions from an employee's pay:\n## Overview\n\nThe Child Maintenance Service can ask you to:\n\n- give information about your employee so they can work out the right amount of child maintenance\n\n- set up a deduction from earnings order (DEO)\n\n- answer enquiries from other organisations who collect payments of child maintenance on their behalf\n\nYou may also be given an attachment of earnings order (AEO) by a court.\n\n## Your legal obligations when deducting child maintenance\n\nBy law, you must:\n\n- give information to the Child Maintenance Service if you\u2019re asked to\n\n- send payments as soon as possible, to arrive no later than the 19th day of the month following the month you made the deduction\n\n- tell the Child Maintenance Service immediately if there are any problems with taking payments from a paying parent\u2019s earnings\n\n- make regular payments - if you do not send payments and do not explain why, you could be taken to court\n\nThe paying parent is the parent who does not have main day-to-day care of the child.\n\nYou must report a change of circumstances to the Child Maintenance Service within 10 days. For example, if:\n\n- an employee leaves your business\n\n- you\u2019re asked to set up a deduction from earnings order (DEO) for someone who does not work for you\n\nYou can report changes online or by phone.\n\n## Use the Child Maintenance Service online\n\nIf you\u2019ve ever managed a case through the Child Maintenance Service, you can register for the online service. The service lets you:\n\n- see all deductions\n\n- report and make changes\n\n- send messages\n\n- see important information you\u2019ve been sent\n\n## Call the Child Maintenance Service\n\nYou can call the Child Maintenance Service if you have questions or need to report a change.\n\n## Deduction from earnings orders (DEOs)\n\nDeduction from earnings orders (DEOs) are a way of collecting child maintenance directly from a paying parent\u2019s earnings or pension.\n\nThe paying parent is the parent who does not have main day-to-day care of the child.\n\n## When you\u2019ll get a DEO\n\nYou\u2019ll be sent a deduction from earnings order (DEO) if one of your employees is a paying parent who:\n\n- chooses to pay child maintenance direct from their earnings\n\n- does not pay child maintenance owed\n\n- does not pay the correct amount\n\n- does not pay on time\n\n## What you need to do\n\nYou must deduct the amount of child maintenance stated on the DEO from your employee\u2019s net earnings or their pension and pay it to the Child Maintenance Service. This will include any arrears that are due.\n\n## Other court orders against your employee\n\nYou could get a DEO from the Child Maintenance Service and an attachment of earnings order (AEO) from a court.\n\n## How to calculate deductions\n\nThe deduction from earnings order (DEO) will show 2 rates.\n\n| Rate | What it means |\n\n| Normal deduction rate (NDR) | The amount your employee owes in child maintenance. You\u2019ll deduct this from their pay. |\n\n| Protected earnings rate (PER) or protected earnings proportion (PEP) | The minimum pay you must make sure your employee takes home after all deductions have been made. |\n\nThe PER applies to cases opened before 3 March 2003. The PEP applies to cases opened from 3 March 2003.\n\nYou must make sure that your deduction leaves your employee with the amount of their protected earnings, unless the deduction is for administrative costs.\n\n## How much to deduct\n\nYou may not always be able to deduct the full NDR from your employee\u2019s pay.\n\nThis depends on how much they have left in net earnings once you\u2019ve taken in account their PER or PEP.\n\nYou can deduct up to \u00a31 for administration costs.\n\n## If you cannot deduct the full NDR\n\nYou must:\n\n- keep a record of the shortfall\n\n- carry forward the shortfall to the next period\n\n- send any deduction you\u2019ve been able to make to the court or Child Maintenance Service\n\nYou then deduct the full amount of the shortfall plus the NDR owed for the next pay period. You must still leave your employee with the PER or PEP.\n\nIf the shortfall is carried forward for several weeks before being repaid, keep a record of the ongoing shortfall.\n\nThe Child Maintenance Service or court may need to review an NDR if an employee consistently cannot pay it.\n\n## If you pay your employee holiday pay in advance\n\nYou\u2019ll have to:\n\n- calculate your employee\u2019s total net earnings for the pay period\n\n- multiply the PER or PEP and the NDR by the number of weeks in the pay period\n\n- set aside the combined PER or PEP and take off the combined NDR in the usual way\n\n## If you get more than one DEO or AEO for an employee\n\nSometimes a paying parent has more than one case and is paying child maintenance for children by different receiving parents.\n\nThe receiving parent has main day-to-day care of the child. The paying parent does not have main day-to-day care.\n\nYou\u2019ll have to pay AEOs in the order of the date of issue, so you might have to finish deducting payments for one before another.\n\nAEOs for maintenance have to be paid before AEOs for civil debts.\n\n## What counts as earnings\n\nA deduction from earnings order (DEO) or an attachment of earnings order (AEO) can only be made from the following earnings:\n\n- wages, fees, bonus, commission, overtime pay or any payments on top of wages\n\n- private or occupational pensions and compensation payments\n\n- Statutory Sick Pay\n\n- contractual sick pay\n\n- contractual maternity pay\n\n- contractual paternity pay\n\n- contractual adoption pay\n\n- contractual redundancy pay\n\nStatutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees over and above statutory pay.\n\n## What does not count as earnings\n\nYour employee cannot pay child maintenance by DEO or AEO if their only earnings are in the following categories:\n\n- amounts paid by a public department of the government of Northern Ireland or any country outside the UK\n\n- any social security pension, allowance or benefit\n\n- tax credits\n\n- any pension or allowance paid for disability\n\n- guaranteed minimum pension within the Social Security Pensions Act 1975\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Redundancy Pay\n\n## Make DEO payments\n\nYou can be prosecuted if you do not pay the amount on a deduction from earnings order (DEO).\n\nYou can make\u00a0DEO\u00a0payments by using the Banks Automated Clearing System (BACS). The Child Maintenance Service can help you set it up.\n\n## Pay online\n\nYou can manage your Child Maintenance Service payments online.\n\nYou should send a single bulk BACS payment for all the employees you make a deduction from. You\u2019ll get a monthly schedule.\n\n## Pay by other methods\n\nYou can also pay by:\n\n- internet banking\n\n- telephone banking\n\n- cheque (made payable to \u2018The Child Maintenance Service\u2019)\n\n## Account details to use\n\n| Sort code | Account number | Account name | Account code | Transaction code |\n\n| 60 70 80 | 10026584 | DWP CMG Employers | 0 | 99 |\n\nYou\u2019ll need to give the employer reference number. It will be a 12 digit number starting with 5.\n\n## When to pay\n\nYou should send a payment to the Child Maintenance Service so it gets there no later than the 19th day of the month following the month that you took it.\n\nYou and your employee will be sent a letter every year to remind you how much must be paid and when.\n\n## Deductions for administrative costs\n\nYou can take up to \u00a31 towards administrative costs for each deduction, on top of the amount asked for on the DEO. You can take it even if it reduces your employee\u2019s income below the protected earnings proportion or protected earnings rate.\n\n## Inform your employee\n\nYou must inform your employee in writing about each deduction when they are given their pay statement. Include the amount (if any) you deduct towards your expenses.\n\nIf pay statements are not usually given, you should inform your employee in writing. You should do this no later than the employee\u2019s pay day after the deduction was made.\n\n## If you pay the wrong amount\n\nTell the Child Maintenance Service if you find a mistake in the amount you\u2019ve paid. You can either:\n\n- use the Child Maintenance Service online\n\n- call the employer payment team\n\n## Change of circumstances for DEOs\n\nTell the Child Maintenance Service if your employee\u2019s circumstances change.\n\nYou can either:\n\n- use the Child Maintenance Service online\n\n- call the employer helpline\n\nIf your business stops trading, or if your employee leaves your employment, you must tell the Child Maintenance Service within 10 days.\n\nYou should also tell them if your employee changes their hours.\n\nYou and your employee will be sent a revised deduction from earnings order (DEO).\n\n## If the Child Maintenance Service cancels a DEO\n\nThey will write to you and your employee to tell you the DEO has been cancelled. They will ask you to stop taking deductions from the date of the letter.\n\nYou must only stop taking deductions if you\u2019re told in writing.\n\n## If you do not help with DEOs or AEOs\n\nYou can be fined up to \u00a3250 or sent to prison for up to 14 days if you do not do what an attachment of earnings order (AEO) says you should do.\n\nIf you\u2019ve got a deduction from earnings order (DEO) it\u2019s an offence to:\n\n- not provide information when it\u2019s required\n\n- make a false statement or representation\n\n- knowingly provide false information\n\n- delay or obstruct an inspector on purpose\n\n- refuse or fail to answer any questions or supply any information or to produce any document when it\u2019s asked for\n\nThe Child Maintenance Service sometimes sends inspectors to interview \u2018paying parents\u2019 at work. You must let them interview your employee.\n\nThe \u2018paying parent\u2019 is the parent who does not have main day-to-day care of the child.\n\nYou can be fined up to \u00a31,000 if you\u2019re found guilty of any of these offences.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/child-maintenance-for-employers", + "answerable": true, + "scenario": "My employer received a deduction from earnings order (DEO) to pay childcare support from my salary. Being the paying parents and the fact that my wife has complicated our relationship. I have talked to my employer to ignore the order.", + "original_question": "Can my employer be penalised if he fails to honor the DEO?" + }, + { + "id": "train-698", + "question": "Scenario: My 30 years old brother is a security guard and works full time . His work is very demading such that he can\u2019t have breaks in between.He does surveillance role.\n\nQuestion: Can he qualify for a compensatory rest?\n\nDocument - Rest breaks at work:\n## Overview\n\nWorkers over 18 are usually entitled to 3 types of break - rest breaks at work, daily rest and weekly rest.\n\n## Rest breaks at work\n\nWorkers have the right to one uninterrupted 20 minute rest break during their working day, if they work more than 6 hours a day. This could be a tea or lunch break.\n\nThe break doesn\u2019t have to be paid - it depends on their employment contract.\n\n## Daily rest\n\nWorkers have the right to 11 hours rest between working days, eg if they finish work at 8pm, they shouldn\u2019t start work again until 7am the next day.\n\n## Weekly rest\n\nWorkers have the right to either:\n\n- an uninterrupted 24 hours without any work each week\n\n- an uninterrupted 48 hours without any work each fortnight\n\nA worker\u2019s employment contract may say they\u2019re entitled to more or different rights to breaks from work.\n\n## Work that puts health and safety at risk\n\nAn employer should give an employee enough breaks to make sure their health and safety isn\u2019t at risk if that work is \u2018monotonous\u2019 (eg work on a production line).\n\nDomestic workers in a private house (eg a cleaner or au pair) aren\u2019t entitled to rest breaks for health and safety reasons.\n\n## Taking breaks\n\nEmployers can say when employees take rest breaks during work time as long as:\n\n- the break is taken in one go somewhere in the middle of the day (not at the beginning or end)\n\n- workers are allowed to spend it away from their desk or workstation (ie away from where they actually work)\n\nIt doesn\u2019t count as a rest break if an employer says an employee should go back to work before their break is finished.\n\nUnless a worker\u2019s employment contract says so, they don\u2019t have the right to:\n\n- take smoking breaks\n\n- get paid for rest breaks\n\n## Exceptions and special circumstances\n\nThere are exemptions to the rights to rest breaks.\n\nSome workers are entitled to compensatory rest breaks, eg shift workers.\n\nYoung people and lorry and coach drivers have different rights to rest breaks.\n\n## Compensatory rest\n\nWorkers may be entitled to \u2018compensatory rest\u2019 if they don\u2019t have the right to specific rest breaks. Compensatory rest breaks are the same length of time as the break (or part of it) that they\u2019ve missed.\n\nA worker may be entitled to compensatory rest if:\n\n- they\u2019re a shift worker and can\u2019t take daily or weekly rest breaks between ending one shift and starting another\n\n- their workplace is a long way from their home (eg an oil rig)\n\n- they work in different places which are a reasonable distance from each other\n\n- they\u2019re doing security and surveillance-based work\n\n- they\u2019re working in an industry which is very busy at certain times of the year \u2013 like agriculture, retail, postal services or tourism\n\n- they need to work because there\u2019s an exceptional event, an accident or a risk that an accident is about to happen\n\n- the job needs round-the-clock staffing so there aren\u2019t interruptions to any services or production (eg hospital work)\n\n- they work in the rail industry on board trains or their job is linked to making sure trains run on time\n\n- their working day is split up (eg they\u2019re a cleaner and work for part of the morning and the evening)\n\n- there is an agreement between management, trade unions or the workforce (a \u2018collective\u2019 or \u2018workforce\u2019 agreement) that has changed or removed rights to these rest breaks for a group of workers\n\nThe total rest entitlement for a week is 90 hours a week on average - this doesn\u2019t include breaks at work, which are additional.\n\n## Exceptions\n\nWorkers aren\u2019t entitled to the 3 general types of rest break if they work in:\n\n- the armed forces, emergency services or police and they\u2019re dealing with an exceptional catastrophe or disaster\n\n- a job where they freely choose what hours they work (like a managing director) or where the work is not measured (ie no set hours)\n\n- sea transport\n\n- air or road transport (known as \u2018mobile\u2019 workers)\n\nAir, sea or road transport workers may be covered by special rules that give them different rest rights.\n\nMobile workers not covered by any special rules usually have the right to regular rest so that their health and safety (or anyone else\u2019s) isn\u2019t put at risk.\n\nThere are also special rules for young workers and for lorry and coach drivers.\n\n## Young workers\n\nYoung workers (above school leaving age and under 18) are usually entitled to:\n\n- a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)\n\n- daily rest of 12 hours\n\n- weekly rest of 48 hours\n\n## Exceptions for young workers\n\nYoung workers sometimes aren\u2019t entitled to daily rest or rest breaks at work if their work has to be done because of an exceptional event (eg an accident). This is only where:\n\n- there isn\u2019t a worker over 18 who can do the work\n\n- the work is temporary and must be done immediately\n\n## Compensatory rest for young workers\n\nYoung workers have the right to compensatory rest if they\u2019re not entitled to daily rest or rest breaks at work. This is the same amount of rest that they should have had. It can be taken just after any rest they\u2019ve missed but it must be taken within the following 3 weeks.\n\n## Disputes\n\nWorkers who can\u2019t take or aren\u2019t allowed rest breaks should speak to their manager informally.\n\nGet more information for employees who want to raise a grievance or advice for employers on handling grievances if there is a disagreement about rest breaks.\n\nWorkers can also get advice on rest breaks from the Acas helpline.\n\nIf a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/rest-breaks-work", + "answerable": true, + "scenario": "My 30 years old brother is a security guard and works full time . His work is very demading such that he can\u2019t have breaks in between.He does surveillance role.", + "original_question": "Can he qualify for a compensatory rest?" + }, + { + "id": "train-699", + "question": "Scenario: I have been working in a pharmacy shop without breaks due to the flow of customers. I have raised my complaint to my senior boss but has not taken it seriously but ignored me. I feel strained and under pressure.\n\nQuestion: Can i make a claim to the employment tribunal?\n\nDocument - Rest breaks at work:\n## Overview\n\nWorkers over 18 are usually entitled to 3 types of break - rest breaks at work, daily rest and weekly rest.\n\n## Rest breaks at work\n\nWorkers have the right to one uninterrupted 20 minute rest break during their working day, if they work more than 6 hours a day. This could be a tea or lunch break.\n\nThe break doesn\u2019t have to be paid - it depends on their employment contract.\n\n## Daily rest\n\nWorkers have the right to 11 hours rest between working days, eg if they finish work at 8pm, they shouldn\u2019t start work again until 7am the next day.\n\n## Weekly rest\n\nWorkers have the right to either:\n\n- an uninterrupted 24 hours without any work each week\n\n- an uninterrupted 48 hours without any work each fortnight\n\nA worker\u2019s employment contract may say they\u2019re entitled to more or different rights to breaks from work.\n\n## Work that puts health and safety at risk\n\nAn employer should give an employee enough breaks to make sure their health and safety isn\u2019t at risk if that work is \u2018monotonous\u2019 (eg work on a production line).\n\nDomestic workers in a private house (eg a cleaner or au pair) aren\u2019t entitled to rest breaks for health and safety reasons.\n\n## Taking breaks\n\nEmployers can say when employees take rest breaks during work time as long as:\n\n- the break is taken in one go somewhere in the middle of the day (not at the beginning or end)\n\n- workers are allowed to spend it away from their desk or workstation (ie away from where they actually work)\n\nIt doesn\u2019t count as a rest break if an employer says an employee should go back to work before their break is finished.\n\nUnless a worker\u2019s employment contract says so, they don\u2019t have the right to:\n\n- take smoking breaks\n\n- get paid for rest breaks\n\n## Exceptions and special circumstances\n\nThere are exemptions to the rights to rest breaks.\n\nSome workers are entitled to compensatory rest breaks, eg shift workers.\n\nYoung people and lorry and coach drivers have different rights to rest breaks.\n\n## Compensatory rest\n\nWorkers may be entitled to \u2018compensatory rest\u2019 if they don\u2019t have the right to specific rest breaks. Compensatory rest breaks are the same length of time as the break (or part of it) that they\u2019ve missed.\n\nA worker may be entitled to compensatory rest if:\n\n- they\u2019re a shift worker and can\u2019t take daily or weekly rest breaks between ending one shift and starting another\n\n- their workplace is a long way from their home (eg an oil rig)\n\n- they work in different places which are a reasonable distance from each other\n\n- they\u2019re doing security and surveillance-based work\n\n- they\u2019re working in an industry which is very busy at certain times of the year \u2013 like agriculture, retail, postal services or tourism\n\n- they need to work because there\u2019s an exceptional event, an accident or a risk that an accident is about to happen\n\n- the job needs round-the-clock staffing so there aren\u2019t interruptions to any services or production (eg hospital work)\n\n- they work in the rail industry on board trains or their job is linked to making sure trains run on time\n\n- their working day is split up (eg they\u2019re a cleaner and work for part of the morning and the evening)\n\n- there is an agreement between management, trade unions or the workforce (a \u2018collective\u2019 or \u2018workforce\u2019 agreement) that has changed or removed rights to these rest breaks for a group of workers\n\nThe total rest entitlement for a week is 90 hours a week on average - this doesn\u2019t include breaks at work, which are additional.\n\n## Exceptions\n\nWorkers aren\u2019t entitled to the 3 general types of rest break if they work in:\n\n- the armed forces, emergency services or police and they\u2019re dealing with an exceptional catastrophe or disaster\n\n- a job where they freely choose what hours they work (like a managing director) or where the work is not measured (ie no set hours)\n\n- sea transport\n\n- air or road transport (known as \u2018mobile\u2019 workers)\n\nAir, sea or road transport workers may be covered by special rules that give them different rest rights.\n\nMobile workers not covered by any special rules usually have the right to regular rest so that their health and safety (or anyone else\u2019s) isn\u2019t put at risk.\n\nThere are also special rules for young workers and for lorry and coach drivers.\n\n## Young workers\n\nYoung workers (above school leaving age and under 18) are usually entitled to:\n\n- a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)\n\n- daily rest of 12 hours\n\n- weekly rest of 48 hours\n\n## Exceptions for young workers\n\nYoung workers sometimes aren\u2019t entitled to daily rest or rest breaks at work if their work has to be done because of an exceptional event (eg an accident). This is only where:\n\n- there isn\u2019t a worker over 18 who can do the work\n\n- the work is temporary and must be done immediately\n\n## Compensatory rest for young workers\n\nYoung workers have the right to compensatory rest if they\u2019re not entitled to daily rest or rest breaks at work. This is the same amount of rest that they should have had. It can be taken just after any rest they\u2019ve missed but it must be taken within the following 3 weeks.\n\n## Disputes\n\nWorkers who can\u2019t take or aren\u2019t allowed rest breaks should speak to their manager informally.\n\nGet more information for employees who want to raise a grievance or advice for employers on handling grievances if there is a disagreement about rest breaks.\n\nWorkers can also get advice on rest breaks from the Acas helpline.\n\nIf a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/rest-breaks-work", + "answerable": true, + "scenario": "I have been working in a pharmacy shop without breaks due to the flow of customers. I have raised my complaint to my senior boss but has not taken it seriously but ignored me. I feel strained and under pressure.", + "original_question": "Can i make a claim to the employment tribunal?" + }, + { + "id": "train-702", + "question": "Scenario: I am contemplating starting a business working from home. I intend to bake cakes and other baked goods and sell them locally at first, then perhaps expand.\n\nQuestion: Would I be considered self employed if I were to work in this way?\n\nDocument - Employment status:\n## Overview\n\nIn employment law a person\u2019s employment status helps determine:\n\n- their rights\n\n- their employer\u2019s responsibilities\n\nA person may have a different employment status in tax law.\n\nThe main types of employment status are:\n\n- worker\n\n- employee\n\n- self-employed and contractor\n\n- director\n\n- office holder\n\nContact Acas (or the Labour Relations Agency in Northern Ireland) for advice about employment status, employee rights or employer responsibilities.\n\nCourts and tribunals can make final decisions on employment status.\n\n## Worker\n\nA person is generally classed as a \u2018worker\u2019 if:\n\n- they have a contract or other arrangement to do work or services personally for a reward (your contract doesn\u2019t have to be written)\n\n- their reward is for money or a benefit in kind, for example the promise of a contract or future work\n\n- they only have a limited right to send someone else to do the work (subcontract)\n\n- they have to turn up for work even if they don\u2019t want to\n\n- their employer has to have work for them to do as long as the contract or arrangement lasts\n\n- they aren\u2019t doing the work as part of their own limited company in an arrangement where the \u2018employer\u2019 is actually a customer or client\n\n## Employment rights\n\nWorkers are entitled to certain employment rights, including:\n\n- getting the National Minimum Wage\n\n- protection against unlawful deductions from wages\n\n- the\u00a0statutory minimum level of paid holiday\n\n- the statutory minimum length of rest breaks\n\n- to not work more than 48 hours on average per week or to opt out of this right if they choose\n\n- protection against unlawful discrimination\n\n- protection for \u2018whistleblowing\u2019 - reporting wrongdoing in the workplace\n\n- to not be treated less favourably if they work part-time\n\nThey may also be entitled to:\n\n- Statutory Sick Pay\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Shared Parental Pay\n\nAgency workers have specific rights from the first day at work.\n\nWorkers usually aren\u2019t entitled to:\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\n## Casual or irregular work\n\nSomeone is likely to be a worker if most of these apply:\n\n- they occasionally do work for a specific business\n\n- the business doesn\u2019t have to offer them work and they don\u2019t have to accept it - they only work when they want to\n\n- their contract with the business uses terms like \u2018casual\u2019, \u2018freelance\u2019, \u2018zero hours\u2019, \u2018as required\u2019 or something similar\n\n- they had to agree with the business\u2019s terms and conditions to get work - either verbally or in writing\n\n- they are under the supervision or control of a manager or director\n\n- they can\u2019t send someone else to do their work\n\n- the business deducts tax and National Insurance contributions from their wages\n\n- the business provides materials, tools or equipment they need to do the work\n\n## Employee\n\nAn employee is someone who works under an employment contract.\n\nA person may be an employee in employment law but have a different status for tax purposes. Employers must work out each worker\u2019s status in both employment law and tax law.\n\n## Employment rights\n\nAll employees are workers, but an employee has extra employment rights and responsibilities that don\u2019t apply to workers who aren\u2019t employees.\n\nThese rights include all of the rights workers have and:\n\n- Statutory Sick Pay\n\n- statutory maternity, paternity, adoption and shared parental leave and pay (workers only get pay, not leave)\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\nSome of these rights require a minimum length of continuous employment before an employee qualifies for them. An employment contract may state how long this qualification period is.\n\n## Working out employment status for an employee\n\nSomeone who works for a business is probably an employee if most of the following are true:\n\n- they\u2019re required to work regularly unless they\u2019re on leave, for example holiday, sick leave or maternity leave\n\n- they\u2019re required to do a minimum number of hours and expect to be paid for time worked\n\n- a manager or supervisor is responsible for their workload, saying when a piece of work should be finished and how it should be done\n\n- they can\u2019t send someone else to do their work\n\n- they get paid holiday\n\n- they\u2019re entitled to contractual or Statutory Sick Pay, and maternity or paternity pay\n\n- they can join the business\u2019s pension scheme\n\n- the business\u2019s disciplinary and grievance procedures apply to them\n\n- they work at the business\u2019s premises or at an address specified by the business\n\n- their contract sets out redundancy procedures\n\n- the business provides the materials, tools and equipment for their work\n\n- they only work for the business or if they do have another job, it\u2019s completely different from their work for the business\n\n- their contract, statement of terms and conditions or offer letter (which can be described as an \u2018employment contract\u2019) uses terms like \u2018employer\u2019 and \u2018employee\u2019\n\nIf most of these don\u2019t apply, you should work out if the person is self-employed.\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Employee shareholders\n\nAn employee shareholder is someone who works under an employment contract and owns at least \u00a32,000 worth of shares in the employer\u2019s company or parent company.\n\n## Employment rights\n\nEmployee shareholders have most of the same employment rights as workers and employees.\n\nThey also have the right to collective redundancy consultation and transfer of undertakings (TUPE) - this protects the employee\u2019s terms and conditions when the business is transferred to a new owner.\n\nEmployee shareholders don\u2019t have these rights:\n\n- protection against unfair dismissal - apart from dismissal on grounds of discrimination and in relation to health and safety\n\n- statutory redundancy pay\n\n- the right to request flexible working - except in the 2 weeks after returning from parental leave\n\n- certain statutory rights to request time off for training\n\nEmployee shareholders must give 16 weeks notice if they want to come back early from maternity leave, additional paternity leave and adoption leave.\n\nEmployers can choose more generous employment rights than the statutory ones.\n\n## Tax relief and obligations\n\nEmployee shareholders can get tax relief on the first \u00a32,000 of shares they get before 1 December 2016.\n\nEmployee shareholders must pay tax on buying and selling shares.\n\nHM Revenue and Customs (HMRC) has further guidance on tax relief for employee shareholders.\n\n## Applying for employment shareholder jobs\n\nAnyone can apply for an employee shareholder job.\n\nPeople claiming Jobseeker\u2019s Allowance don\u2019t have to apply for an employee shareholder job that Jobcentre Plus have told them about.\n\nExisting employees don\u2019t have to accept a change to an employment contract to become an employee shareholder if they don\u2019t want to.\n\n## Offering employment shareholder status\n\nEmployers must following certain rules when offering employment shareholder status to their employees.\n\n## Self-employed and contractor\n\nA person is self-employed if they run their business for themselves and take responsibility for its success or failure.\n\nSelf-employed workers aren\u2019t paid through PAYE, and they don\u2019t have the employment rights and responsibilities of employees.\n\nSomeone can be both employed and self-employed at the same time, for example if they work for an employer during the day and run their own business in the evenings.\n\n## Employment rights\n\nEmployment law doesn\u2019t cover self-employed people in most cases because they are their own boss.\n\nHowever, if a person is self-employed:\n\n- they still have protection for their health and safety and, in some cases, protection against discrimination\n\n- their rights and responsibilities are set out by the terms of the contract they have with their client\n\n## Working out if someone is self-employed\n\nHM Revenue and Customs (HMRC) may regard someone as self-employed for tax purposes even if they have a different status in employment law.\n\nEmployers should check if a worker is self-employed in:\n\n- tax law - whether they\u2019re exempt from PAYE\n\n- employment law - whether they have an employee\u2019s rights\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Checking if they\u2019re exempt from PAYE\n\nSomeone is probably self-employed and shouldn\u2019t be paid through PAYE if most of the following are true:\n\n- they\u2019re in business for themselves, are responsible for the success or failure of their business and can make a loss or a profit\n\n- they can decide what work they do and when, where or how to do it\n\n- they can hire someone else to do the work\n\n- they\u2019re responsible for fixing any unsatisfactory work in their own time\n\n- their employer agrees a fixed price for their work - it doesn\u2019t depend on how long the job takes to finish\n\n- they use their own money to buy business assets, cover running costs, and provide tools and equipment for their work\n\n- they can work for more than one client\n\nYou can check someone\u2019s employment status:\n\n- online\n\n- by phone\n\nThere are special rules for businesses supplying workers, for example an employment agency.\n\n## Checking their employment rights\n\nSomeone is probably self-employed and doesn\u2019t have the rights of an employee if they\u2019re exempt from PAYE and most of the following are also true:\n\n- they put in bids or give quotes to get work\n\n- they\u2019re not under direct supervision when working\n\n- they submit invoices for the work they\u2019ve done\n\n- they\u2019re responsible for paying their own National Insurance and tax\n\n- they don\u2019t get holiday or sick pay when they\u2019re not working\n\n- they operate under a contract (sometimes known as a \u2018contract for services\u2019 or \u2018consultancy agreement\u2019) that uses terms like \u2018self-employed\u2019, \u2018consultant\u2019 or an \u2018independent contractor\u2019\n\n## Contractors\n\nA contractor can be:\n\n- self-employed\n\n- a worker or an employee if they work for a client and are employed by an agency\n\nThere\u2019s a special scheme for self-employed contractors and sub-contractors working in the construction industry called the Construction Industry Scheme (CIS).\n\n## If someone becomes self-employed\n\nA worker must tell HMRC if they become self-employed.\n\n## Director\n\nCompany directors run limited companies on behalf of shareholders.\n\nDirectors have different rights and responsibilities from employees, and are classed as office holders for tax and National Insurance contribution purposes.\n\nIf a person does other work that\u2019s not related to being a director, they may have an employment contract and get employment rights.\n\n## Office holder\n\nA person who\u2019s been appointed to a position by a company or organisation but doesn\u2019t have a contract or receive regular payment may be an office holder. This includes:\n\n- statutory appointments, such as registered company directors or secretaries, board members of statutory bodies, or crown appointments\n\n- appointments under the internal constitution of an organisation, such as club treasurers or trade union secretaries\n\n- appointments under a trust deed, such as trustees\n\n- ecclesiastical appointment, such as members of the clergy\n\nOffice holders are neither employees nor workers. However, it\u2019s possible for someone to be an office holder and an employee if they have an employment contract with the same company or organisation that meets the criteria for employees.\n\n## Working out employment status for an office holder\n\nSomeone is likely to be an office holder if most of these statements apply to them:\n\n- there is no contract or service agreement relating to their appointment\n\n- their duties are minimal, and are only those required under the relevant statute, constitution or trust deed\n\n- they don\u2019t get a salary or any other form of regular payment for their services\n\n- the only payment they get is a voluntary payment (honorarium), regardless of the work they do - tax and National Insurance are deducted by the appointing body\n\n- they\u2019re effectively working as an independent office, and are not under the close supervision or control of the appointing body\n\n## Legal decisions on employment status\n\nA court or employment tribunal (known as an industrial tribunal in Northern Ireland) can make a final decision on employment status for employment rights purposes. They\u2019ll look at how the employment relationship between the person and the business works in practice.\n\nHM Revenue and Customs (HMRC) may separately argue that someone is self-employed for tax purposes. This may be confirmed by the tax tribunal and the courts.\n\nAn employment tribunal or court may still make a decision that someone is a worker or employee for employment rights purposes.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employment-status", + "answerable": true, + "scenario": "I am contemplating starting a business working from home. I intend to bake cakes and other baked goods and sell them locally at first, then perhaps expand.", + "original_question": "Would I be considered self employed if I were to work in this way?" + }, + { + "id": "train-703", + "question": "Scenario: I do casual work for neighbours involving gardening, waste disposal, painting and decorating and various other odd jobs. I declare my income to the relevant authorities on a monthly basis but it fluctuates from month to month.\n\nQuestion: If someone I was working for refused to pay me, would I have any legal recourse against them?\n\nDocument - Employment status:\n## Overview\n\nIn employment law a person\u2019s employment status helps determine:\n\n- their rights\n\n- their employer\u2019s responsibilities\n\nA person may have a different employment status in tax law.\n\nThe main types of employment status are:\n\n- worker\n\n- employee\n\n- self-employed and contractor\n\n- director\n\n- office holder\n\nContact Acas (or the Labour Relations Agency in Northern Ireland) for advice about employment status, employee rights or employer responsibilities.\n\nCourts and tribunals can make final decisions on employment status.\n\n## Worker\n\nA person is generally classed as a \u2018worker\u2019 if:\n\n- they have a contract or other arrangement to do work or services personally for a reward (your contract doesn\u2019t have to be written)\n\n- their reward is for money or a benefit in kind, for example the promise of a contract or future work\n\n- they only have a limited right to send someone else to do the work (subcontract)\n\n- they have to turn up for work even if they don\u2019t want to\n\n- their employer has to have work for them to do as long as the contract or arrangement lasts\n\n- they aren\u2019t doing the work as part of their own limited company in an arrangement where the \u2018employer\u2019 is actually a customer or client\n\n## Employment rights\n\nWorkers are entitled to certain employment rights, including:\n\n- getting the National Minimum Wage\n\n- protection against unlawful deductions from wages\n\n- the\u00a0statutory minimum level of paid holiday\n\n- the statutory minimum length of rest breaks\n\n- to not work more than 48 hours on average per week or to opt out of this right if they choose\n\n- protection against unlawful discrimination\n\n- protection for \u2018whistleblowing\u2019 - reporting wrongdoing in the workplace\n\n- to not be treated less favourably if they work part-time\n\nThey may also be entitled to:\n\n- Statutory Sick Pay\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Shared Parental Pay\n\nAgency workers have specific rights from the first day at work.\n\nWorkers usually aren\u2019t entitled to:\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\n## Casual or irregular work\n\nSomeone is likely to be a worker if most of these apply:\n\n- they occasionally do work for a specific business\n\n- the business doesn\u2019t have to offer them work and they don\u2019t have to accept it - they only work when they want to\n\n- their contract with the business uses terms like \u2018casual\u2019, \u2018freelance\u2019, \u2018zero hours\u2019, \u2018as required\u2019 or something similar\n\n- they had to agree with the business\u2019s terms and conditions to get work - either verbally or in writing\n\n- they are under the supervision or control of a manager or director\n\n- they can\u2019t send someone else to do their work\n\n- the business deducts tax and National Insurance contributions from their wages\n\n- the business provides materials, tools or equipment they need to do the work\n\n## Employee\n\nAn employee is someone who works under an employment contract.\n\nA person may be an employee in employment law but have a different status for tax purposes. Employers must work out each worker\u2019s status in both employment law and tax law.\n\n## Employment rights\n\nAll employees are workers, but an employee has extra employment rights and responsibilities that don\u2019t apply to workers who aren\u2019t employees.\n\nThese rights include all of the rights workers have and:\n\n- Statutory Sick Pay\n\n- statutory maternity, paternity, adoption and shared parental leave and pay (workers only get pay, not leave)\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\nSome of these rights require a minimum length of continuous employment before an employee qualifies for them. An employment contract may state how long this qualification period is.\n\n## Working out employment status for an employee\n\nSomeone who works for a business is probably an employee if most of the following are true:\n\n- they\u2019re required to work regularly unless they\u2019re on leave, for example holiday, sick leave or maternity leave\n\n- they\u2019re required to do a minimum number of hours and expect to be paid for time worked\n\n- a manager or supervisor is responsible for their workload, saying when a piece of work should be finished and how it should be done\n\n- they can\u2019t send someone else to do their work\n\n- they get paid holiday\n\n- they\u2019re entitled to contractual or Statutory Sick Pay, and maternity or paternity pay\n\n- they can join the business\u2019s pension scheme\n\n- the business\u2019s disciplinary and grievance procedures apply to them\n\n- they work at the business\u2019s premises or at an address specified by the business\n\n- their contract sets out redundancy procedures\n\n- the business provides the materials, tools and equipment for their work\n\n- they only work for the business or if they do have another job, it\u2019s completely different from their work for the business\n\n- their contract, statement of terms and conditions or offer letter (which can be described as an \u2018employment contract\u2019) uses terms like \u2018employer\u2019 and \u2018employee\u2019\n\nIf most of these don\u2019t apply, you should work out if the person is self-employed.\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Employee shareholders\n\nAn employee shareholder is someone who works under an employment contract and owns at least \u00a32,000 worth of shares in the employer\u2019s company or parent company.\n\n## Employment rights\n\nEmployee shareholders have most of the same employment rights as workers and employees.\n\nThey also have the right to collective redundancy consultation and transfer of undertakings (TUPE) - this protects the employee\u2019s terms and conditions when the business is transferred to a new owner.\n\nEmployee shareholders don\u2019t have these rights:\n\n- protection against unfair dismissal - apart from dismissal on grounds of discrimination and in relation to health and safety\n\n- statutory redundancy pay\n\n- the right to request flexible working - except in the 2 weeks after returning from parental leave\n\n- certain statutory rights to request time off for training\n\nEmployee shareholders must give 16 weeks notice if they want to come back early from maternity leave, additional paternity leave and adoption leave.\n\nEmployers can choose more generous employment rights than the statutory ones.\n\n## Tax relief and obligations\n\nEmployee shareholders can get tax relief on the first \u00a32,000 of shares they get before 1 December 2016.\n\nEmployee shareholders must pay tax on buying and selling shares.\n\nHM Revenue and Customs (HMRC) has further guidance on tax relief for employee shareholders.\n\n## Applying for employment shareholder jobs\n\nAnyone can apply for an employee shareholder job.\n\nPeople claiming Jobseeker\u2019s Allowance don\u2019t have to apply for an employee shareholder job that Jobcentre Plus have told them about.\n\nExisting employees don\u2019t have to accept a change to an employment contract to become an employee shareholder if they don\u2019t want to.\n\n## Offering employment shareholder status\n\nEmployers must following certain rules when offering employment shareholder status to their employees.\n\n## Self-employed and contractor\n\nA person is self-employed if they run their business for themselves and take responsibility for its success or failure.\n\nSelf-employed workers aren\u2019t paid through PAYE, and they don\u2019t have the employment rights and responsibilities of employees.\n\nSomeone can be both employed and self-employed at the same time, for example if they work for an employer during the day and run their own business in the evenings.\n\n## Employment rights\n\nEmployment law doesn\u2019t cover self-employed people in most cases because they are their own boss.\n\nHowever, if a person is self-employed:\n\n- they still have protection for their health and safety and, in some cases, protection against discrimination\n\n- their rights and responsibilities are set out by the terms of the contract they have with their client\n\n## Working out if someone is self-employed\n\nHM Revenue and Customs (HMRC) may regard someone as self-employed for tax purposes even if they have a different status in employment law.\n\nEmployers should check if a worker is self-employed in:\n\n- tax law - whether they\u2019re exempt from PAYE\n\n- employment law - whether they have an employee\u2019s rights\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Checking if they\u2019re exempt from PAYE\n\nSomeone is probably self-employed and shouldn\u2019t be paid through PAYE if most of the following are true:\n\n- they\u2019re in business for themselves, are responsible for the success or failure of their business and can make a loss or a profit\n\n- they can decide what work they do and when, where or how to do it\n\n- they can hire someone else to do the work\n\n- they\u2019re responsible for fixing any unsatisfactory work in their own time\n\n- their employer agrees a fixed price for their work - it doesn\u2019t depend on how long the job takes to finish\n\n- they use their own money to buy business assets, cover running costs, and provide tools and equipment for their work\n\n- they can work for more than one client\n\nYou can check someone\u2019s employment status:\n\n- online\n\n- by phone\n\nThere are special rules for businesses supplying workers, for example an employment agency.\n\n## Checking their employment rights\n\nSomeone is probably self-employed and doesn\u2019t have the rights of an employee if they\u2019re exempt from PAYE and most of the following are also true:\n\n- they put in bids or give quotes to get work\n\n- they\u2019re not under direct supervision when working\n\n- they submit invoices for the work they\u2019ve done\n\n- they\u2019re responsible for paying their own National Insurance and tax\n\n- they don\u2019t get holiday or sick pay when they\u2019re not working\n\n- they operate under a contract (sometimes known as a \u2018contract for services\u2019 or \u2018consultancy agreement\u2019) that uses terms like \u2018self-employed\u2019, \u2018consultant\u2019 or an \u2018independent contractor\u2019\n\n## Contractors\n\nA contractor can be:\n\n- self-employed\n\n- a worker or an employee if they work for a client and are employed by an agency\n\nThere\u2019s a special scheme for self-employed contractors and sub-contractors working in the construction industry called the Construction Industry Scheme (CIS).\n\n## If someone becomes self-employed\n\nA worker must tell HMRC if they become self-employed.\n\n## Director\n\nCompany directors run limited companies on behalf of shareholders.\n\nDirectors have different rights and responsibilities from employees, and are classed as office holders for tax and National Insurance contribution purposes.\n\nIf a person does other work that\u2019s not related to being a director, they may have an employment contract and get employment rights.\n\n## Office holder\n\nA person who\u2019s been appointed to a position by a company or organisation but doesn\u2019t have a contract or receive regular payment may be an office holder. This includes:\n\n- statutory appointments, such as registered company directors or secretaries, board members of statutory bodies, or crown appointments\n\n- appointments under the internal constitution of an organisation, such as club treasurers or trade union secretaries\n\n- appointments under a trust deed, such as trustees\n\n- ecclesiastical appointment, such as members of the clergy\n\nOffice holders are neither employees nor workers. However, it\u2019s possible for someone to be an office holder and an employee if they have an employment contract with the same company or organisation that meets the criteria for employees.\n\n## Working out employment status for an office holder\n\nSomeone is likely to be an office holder if most of these statements apply to them:\n\n- there is no contract or service agreement relating to their appointment\n\n- their duties are minimal, and are only those required under the relevant statute, constitution or trust deed\n\n- they don\u2019t get a salary or any other form of regular payment for their services\n\n- the only payment they get is a voluntary payment (honorarium), regardless of the work they do - tax and National Insurance are deducted by the appointing body\n\n- they\u2019re effectively working as an independent office, and are not under the close supervision or control of the appointing body\n\n## Legal decisions on employment status\n\nA court or employment tribunal (known as an industrial tribunal in Northern Ireland) can make a final decision on employment status for employment rights purposes. They\u2019ll look at how the employment relationship between the person and the business works in practice.\n\nHM Revenue and Customs (HMRC) may separately argue that someone is self-employed for tax purposes. This may be confirmed by the tax tribunal and the courts.\n\nAn employment tribunal or court may still make a decision that someone is a worker or employee for employment rights purposes.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employment-status", + "answerable": true, + "scenario": "I do casual work for neighbours involving gardening, waste disposal, painting and decorating and various other odd jobs. I declare my income to the relevant authorities on a monthly basis but it fluctuates from month to month.", + "original_question": "If someone I was working for refused to pay me, would I have any legal recourse against them?" + }, + { + "id": "train-706", + "question": "Scenario: I am new to this tax system. Joined in an accounts department to help calculating taxes for employees. I have a newemployee with an annual salary of 11,200 and no additional income\n\nQuestion: Does the employee have to pay tax ?\n\nDocument - Understanding your employees' tax codes:\n## Overview\n\nYou put an employee\u2019s tax code into your payroll software to work out how much tax to deduct from their pay throughout the year.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere\u2019s a separate guide on tax codes if you\u2019re an employee.\n\n## What you need to do\n\nWhen you take on a new employee, you normally work out their tax code by using their P45. The code will usually be made up of several numbers and a letter, such as 1257L.\n\nYou usually need to update your employee\u2019s tax code at the start of a new tax year. If the tax code changes during the year, HM Revenue and Customs (HMRC) will email you - you should update your payroll records as soon as possible.\n\n## Tax code 1257L\n\nThe most common tax code for tax year 2021 to 2022 is 1257L. It\u2019s used for most people with one job and no untaxed income, unpaid tax or taxable benefits (for example a company car).\n\n1257L is an emergency tax code only if followed by \u2018W1\u2019, \u2018M1\u2019 or \u2018X\u2019. Emergency codes can be used if a new employee doesn\u2019t have a P45.\n\n## What the numbers mean\n\nThe numbers in an employee\u2019s tax code show how much tax-free income they get in that tax year.\n\nYou usually multiply the number in the tax code by 10 to get the total amount of income they can earn before being taxed.\n\nFor example, an employee with the tax code 1257L can earn \u00a312,570 before being taxed. If they earn \u00a327,000 per year, their taxable income is \u00a314,430.\n\nThe process is different if the employee has the letter \u2018K\u2019 in their tax code.\n\n## What the letters mean\n\nLetters in an employee\u2019s tax code refer to their situation and how it affects their Personal Allowance.\n\n| Code | How tax is deducted | When this code is usually used |\n\n| 0T | From all income - there is no Personal Allowance | When an employee hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| BR | From all income at the basic rate | For a second job or pension |\n\n| C | From income in the Welsh tax bands | For an employee whose main home is in Wales |\n\n| C0T | From all income - there is no Personal Allowance | When an employee whose main home is in Wales hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| CBR | From all income at the basic rate in Wales | For a second job or pension |\n\n| CD0 | From all income at the higher rate in Wales | For a second job or pension |\n\n| CD1 | From all income at the additional rate in Wales | For a second job or pension |\n\n| D0 | From all income at the higher rate | For a second job or pension |\n\n| D1 | From all income at the additional rate | For a second job or pension |\n\n| L | At basic, higher and additional rates depending on the amount of taxable income | For an employee entitled to the standard tax-free Personal Allowance |\n\n| M | At basic, higher and additional rates depending on the amount of taxable income | For an employee whose spouse or civil partner has transferred some of their Personal Allowance |\n\n| N | At basic, higher and additional rates depending on the amount of taxable income | For an employee who has transferred some of their Personal Allowance to their spouse or civil partner |\n\n| NT | No tax is deducted | Very specific cases, for example musicians who are regarded as self-employed and not subject to PAYE |\n\n| S | From income in the Scottish tax bands | For an employee whose main home is in Scotland |\n\n| S0T | From all income - there is no Personal Allowance | When an employee whose main home is in Scotland hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| SBR | From all income at the basic rate in Scotland | For a second job or pension |\n\n| SD0 | From all income at the intermediate rate in Scotland | For a second job or pension |\n\n| SD1 | From all income at the higher rate in Scotland | For a second job or pension |\n\n| SD2 | From all income at the top rate in Scotland | For a second job or pension |\n\n| T | At basic, higher and additional rates depending on the amount of taxable income | When HMRC needs to review some items with the employee |\n\n## If your employee\u2019s tax code has \u2018W1\u2019 or \u2018M1\u2019 at the end\n\nW1 (week 1) and M1 (month 1) are emergency tax codes and appear at the end of an employee\u2019s tax code, for example \u2018577L W1\u2019 or \u2018577L M1\u2019. Calculate your employee\u2019s tax only on what they are paid in the current pay period, not the whole year.\n\n## Tax codes with the letter \u2018K\u2019\n\nThe letter K is used in an employee\u2019s tax code when deductions due for company benefits, state pension or tax owed from previous years are greater than their Personal Allowance.\n\nMultiply the number in their tax code by 10 to show how much should be added to their taxable income before deductions are calculated.\n\nThe tax deduction for each pay period can\u2019t be more than half an employee\u2019s pre-tax pay or pension.\n\n## Changes during the tax year\n\nUsually someone\u2019s tax code changes if their tax-free income (Personal Allowance) goes up or down, for example they start or stop receiving a taxable benefit like a company car.\n\n- HM Revenue and Customs (HMRC) will send you an email alert if one of your employees\u2019 tax codes changes.\n\n- Access the new tax code in PAYE Online (in \u2018tax code notices\u2019), the PAYE Desktop Viewer application, or in your payroll software (if it has this feature). Check if your employee\u2019s previous pay and tax are included with the new tax code. If they are, note these figures.\n\n- As soon as possible, and before you next pay your employee, update their payroll record with their new tax code. Add their previous pay and tax, if you received these figures with the new tax code.\n\nA tax code notice is sometimes called a P6 form.\n\nIf you receive an employee\u2019s new tax code too late to use in the tax year, you should use it in the new tax year.\n\n## Updating for the new tax year\n\nHM Revenue and Customs (HMRC) will tell you between January and March about any new tax codes to use for employees in the new tax year. This starts on 6 April.\n\nIf an employee\u2019s tax code isn\u2019t changing, HMRC won\u2019t contact you and you should carry forward the employee\u2019s tax code to the new tax year.\n\nIf your employee\u2019s tax code ends with \u2018M1\u2019 or \u2018W1\u2019 (\u2018month 1\u2019 or \u2018week 1\u2019), don\u2019t carry this part of the code into the new tax year.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employee-tax-codes", + "answerable": true, + "scenario": "I am new to this tax system. Joined in an accounts department to help calculating taxes for employees. I have a newemployee with an annual salary of 11,200 and no additional income", + "original_question": "Does the employee have to pay tax ?" + }, + { + "id": "train-711", + "question": "Scenario: I am a social worker and also studying in a University. I am studying Bachelor's of Science in Computer science in an open university\n\nQuestion: Do I qualify for Social work bursaries ?\n\nDocument - Social work bursaries:\n## Overview\n\nIf you\u2019re training for social work you may get a bursary.\n\nSocial work bursaries:\n\n- help with living costs and tuition fees\n\n- don\u2019t depend on your household income\n\n- don\u2019t have to be paid back\n\n## What you'll get\n\nThe social work bursary is a grant that doesn\u2019t depend on your household income and doesn\u2019t have to be paid back.\n\nThe amount you get depends on:\n\n- where you study\n\n- whether you study full or part-time\n\n- the cost of your tuition\n\nGraduates doing an undergraduate social work course can apply for the Maintenance Loan part of the main student finance \npackage.\n\n## How it\u2019s paid\n\nSocial work bursaries are paid in 3 instalments, one each term.\n\n## If you\u2019re disabled\n\nYou may be able to get extra help if you\u2019re disabled and a postgraduate student.\n\n## Eligibility\n\nSocial work bursaries are available to eligible social work students who:\n\n- don\u2019t get funding from their employer\n\n- are studying an approved undergraduate or postgraduate course in social work\n\n- don\u2019t already have a higher education social work qualification\n\nYour university or college will tell you if your course qualifies.\n\nUndergraduate students may also be able to get help from the main student finance \npackage - apply to Student Finance England.\n\nYou\u2019re not eligible for a bursary if you\u2019re studying on an employment-based course including direct Open University courses.\n\n## How to apply\n\nYou need to download forms from NHS Business Services Authority. The address to send the form is in the guidance notes.\n\nThe deadline for 2017 to 2018 applications depends on when you start your course:\n\n| Course starts | Application deadline |\n\n| Autumn term | 1 November 2017 |\n\n| Winter term | 14 February 2018 |\n\n## Evidence needed\n\nYou may need to prove your identity by sending both:\n\n- your birth certificate\n\n- your passport (which must be valid)", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/social-work-bursaries", + "answerable": true, + "scenario": "I am a social worker and also studying in a University. I am studying Bachelor's of Science in Computer science in an open university", + "original_question": "Do I qualify for Social work bursaries ?" + }, + { + "id": "train-713", + "question": "Scenario: A union has requested recognition from my company. They have provided their given name, but no other information has been given to us.\n\nQuestion: Are unions required to give any more information for recognition?\n\nDocument - Employers: recognise a trade union:\n## Overview\n\nAs an employer you may need to work with trade unions that represent groups of your employees, sometimes known as bargaining units.\n\nTrade unions will negotiate with you on working conditions, for example pay and holiday. You need to recognise the trade union before they can negotiate with you.\n\n## How a trade union gets recognition\n\n- The union must ask you to recognise them voluntarily - if you agree to the request then the union is recognised.\n\n- If you do not want to recognise the union and have more than 21 employees, they can apply for statutory recognition from the Central Arbitration Committee (CAC).\n\n## When the union requests recognition\n\nThe union must ask you - the employer - in writing if you\u2019ll agree to recognise them voluntarily.\n\nThe written request must:\n\n- give the name of the union\n\n- identify which employees will be represented by the union when it\u2019s recognised, sometimes known as the bargaining unit\n\n- state that the union is making the request under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\n## Respond to the request\n\nYou have 10 working days to respond to the request.\n\nYou can:\n\n- agree to recognise the union voluntarily - and begin collective bargaining\n\n- reject the request - the union may then apply for statutory recognition\n\n- refuse the initial request but agree to negotiate\n\n## Negotiate with the union\n\nYou have 20 working days, or longer if you agree this with the union, to come to an agreement about:\n\n- which employees are in the bargaining unit\n\n- whether the union should be recognised for collective bargaining\n\nYou have 10 days to suggest that the Advisory, Conciliation and Arbitration Service (Acas) are brought in to assist with the negotiations.\n\n## What happens next\n\nIf you cannot agree, or you\u2019ve agreed the bargaining unit but not recognised the union, the union can apply to the Central Arbitration Committee (CAC) for statutory recognition.\n\n## When the union applies for statutory recognition\n\nThe union can apply to the Central Arbitration Committee (CAC) for \u2018statutory recognition\u2019 if you do not agree to recognise them voluntarily.\n\nCAC will accept the trade union\u2019s application for recognition if it meets the requirements, unless you challenge the application.\n\n## Providing information to the CAC\n\nYou may be asked for information by the CAC case manager who is handling the union\u2019s application, for example, how many employees are in the bargaining unit. CAC will still consider the application if you do not provide the information.\n\n## Challenge an application\n\nYou can challenge the application if you think it does not meet the requirements.\n\n## Application requirements\n\nThe union can apply if:\n\n- they\u2019ve sent you a copy of their application and any supporting documents\n\n- they have at least 10% union membership within the proposed bargaining unit\n\n- they have evidence that a majority of employees are in favour of recognition - for example, a petition\n\nThey cannot apply if:\n\n- they\u2019ve applied for recognition in the last 3 years\n\n- they are not a certified independent union\n\n- there\u2019s already a recognition agreement that allows another union to represent employees in the bargaining unit\n\n- another union - representing 10% of the employees in the proposed bargaining unit - has already applied to CAC\n\n## How to complain\n\nCAC will send you a form so you can challenge the application if you think that the union has not met one or more of the requirements.\n\nYou have 5 working days to send it to CAC - the address is on the form.\n\nYou\u2019ll hear from CAC within 10 working days. They may:\n\n- ask for more information so they can make a decision\n\n- reject the application if the union has not met the requirements\n\n- accept the union\u2019s application\n\n## When the CAC accepts a union\u2019s application\n\nYou\u2019ll need to start discussions about which employees the union will represent, sometimes known as the bargaining unit.\n\n## Establishing the bargaining unit\n\nThe \u2018bargaining unit\u2019 is the group of employees that will be represented by the union.\n\nYou can agree who is in this unit with the union as part of your negotiations. If you do not, the Central Arbitration Committee (CAC) will decide.\n\n## Providing information to the union and the CAC\n\nIf CAC accepts the union\u2019s application for statutory recognition and you have not agreed on the bargaining unit with them, you must send CAC and the union:\n\n- a list of the categories of employees who will be in the proposed bargaining unit, for example, technical and skilled but not managers\n\n- a list of the places where they work\n\n- the number of employees in each category at each workplace\n\nYou have 5 working days to send this from the date the application is accepted.\n\n## How the CAC decides on the bargaining unit\n\nCAC will hold a hearing and decide the bargaining unit based on:\n\n- your views and those of the union\n\n- compatibility with effective management of your company\n\n- existing national and bargaining arrangements\n\n## Work with a \u2018suitable independent person\u2019 (SIP)\n\nWhen the bargaining unit has been agreed the union may ask CAC to appoint a SIP to communicate with employees in the bargaining unit. If this happens, you must give the SIP the names and addresses of:\n\n- employees in the proposed bargaining unit\n\n- any employees who join or leave the bargaining unit\n\nIf you do not provide this information, you\u2019ll get a \u2018remedial order\u2019 from CAC. You must do what the order says or CAC could declare that you must recognise the union.\n\n## When the bargaining unit has been agreed or decided\n\nCAC will decide if there needs to be a ballot of employees.\n\n## Ballot on union recognition\n\nYour employees will be balloted about whether they want the union to be recognised if the majority of employees in the bargaining unit are not members of the union.\n\nThe Central Arbitration Committee (CAC) may hold a ballot even if the majority of your employees are union members but they believe any of the following:\n\n- it\u2019ll help maintain good relations between you and your employees\n\n- there\u2019s evidence that a significant number of union members in the bargaining unit do not want the union to represent them\n\n- there are concerns about why some members joined the union, for example, they were pressured\n\nCAC will ask for your views and the union\u2019s on these issues.\n\n## Before the ballot\n\nYou\u2019ll get a letter telling you whether there\u2019ll be a ballot. A ballot can be held at the workplace, by post or both. CAC will ask for your views and the union\u2019s before they decide what kind of ballot to hold.\n\nThe union has 10 days to withdraw its application. If it does not, CAC will appoint a qualified independent person (QIP) to run the ballot.\n\nThe ballot will usually be held within 20 working days of the QIP being appointed.\n\n## Your responsibilities\n\nThe cost of the ballot is split equally between you and the union.\n\nYou must:\n\n- make sure the union can talk to employees in the bargaining unit - for example, allow them to hold meetings without you\n\n- give CAC a list of names and addresses of employees in the bargaining unit - and update it when people join or leave\n\n- not ask employees to miss meetings, unless it\u2019s absolutely necessary\n\n- not threaten or take any action against a worker because they attended a meeting\n\nThe union can complain to CAC if they think you have not co-operated.\n\n## After the ballot\n\nYou\u2019ll usually find out the result of the vote 48 hours after the ballot closes.\n\nCAC will declare the union is recognised if both:\n\n- the majority of employees in the ballot vote to recognise the union\n\n- at least 40% of the employees in the bargaining unit vote to recognise the union\n\n## If CAC declares the union is recognised\n\nYou must work with the union and work out how to collectively bargain on:\n\n- pay\n\n- hours\n\n- holiday entitlement\n\n## If CAC does not declare the union is recognised\n\nThe union will not be able to apply for statutory recognition for 3 years, but you can still recognise them voluntarily.\n\n## Complaints about and from the union\n\nYou can complain to the Central Arbitration Committee (CAC) if the union tries to influence the outcome of a ballot using \u2018unfair practices\u2019, for example, by trying to pressurise employees.\n\nThe Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.\n\nMake your complaint in writing to CAC. You can complain at any time until the day after the ballot closes.\n\n## What happens next\n\nCAC may:\n\n- restart the ballot process\n\n- give the union a final warning, sometimes called a \u2018remedial order\u2019\n\nIf the union does not do what the order tells it to do, CAC can cancel the ballot and declare the union is not recognised\n\n## If the union complains\n\nThe union can complain if you:\n\n- do not co-operate with preparations for the ballot\n\n- use unfair practices to change the outcome of the ballot\n\nCAC may give you a final warning if the union\u2019s complaint is successful, sometimes called a \u2018remedial order\u2019.\n\nCAC can also:\n\n- restart the ballot process\n\n- cancel the ballot and declare the union is recognised\n\n## Ending negotiations\n\nYou and the union will not need to continue negotiations if the union withdraws its application. They must do this before the Central Arbitration Committee (CAC) either :\n\n- declares them recognised or not recognised\n\n- tells you that they\u2019re holding a ballot of your employees\n\n## You\u2019re recognising the union voluntarily\n\nIf the union is withdrawing its application because you\u2019ve agreed to recognise them, you and the union can tell CAC by sending a \u2018joint notice to cease consideration\u2019. This means CAC will no longer be involved.\n\nSend CAC a letter signed by both you and the representative of the union.\n\nYou must do this before CAC declares the union is recognised or up to the last day of the ballot notification period (10 working days from when CAC told you about the ballot).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/trade-union-recognition-employers", + "answerable": true, + "scenario": "A union has requested recognition from my company. They have provided their given name, but no other information has been given to us.", + "original_question": "Are unions required to give any more information for recognition?" + }, + { + "id": "train-716", + "question": "Scenario: I have paid my PAYE bill to HMRC, but I have found that I have overpaid. This overpayment is due to a \u00a3100 error in the EPS.\n\nQuestion: Can I get a refund for this amount?\n\nDocument - Fix problems with running payroll:\n## Your PAYE bill is not what you expected\n\nEvery month you have to pay HM Revenue and Customs (HMRC) what you owe as part of running payroll for your employees.\n\nThere are things you should check if your PAYE bill is not what you expected when you view your online account.\n\n## What to check\n\nMake sure you sent your Full Payment Submission (FPS) or Employer Payment Summary (EPS) in time for the account to update.\n\nYou should also check that you:\n\n- used the date you paid your employees on your FPS report, not the date you sent it\n\n- reported other details in your FPS correctly, for example pay and deductions\n\n- reported your EPS correctly, for example to reclaim any statutory pay\n\n- previously paid HMRC the right amount - you may have paid too much or too little if your reports were incorrect\n\n## Employees starting and leaving\n\nCheck that you correctly reported any employees starting or leaving.\n\nYou may get an incorrect bill and duplicate payroll records if you made a mistake. Both are usually corrected automatically - contact HMRC if your PAYE bill is still wrong by the 12th of the next tax month.\n\n## Correcting errors\n\nIf you find a mistake, follow the guidance to:\n\n- correct an error in your FPS or EPS\n\n- correct a payment to HMRC\n\nYou can also correct mistakes if you paid your employee the wrong amount or made incorrect deductions.\n\n## Get help to correct your PAYE bill\n\nContact HMRC\u2019s employer helpline if you need help.\n\n## You made a mistake in your FPS or EPS\n\nYour PAYE bill might be wrong if you made a mistake in your FPS or EPS. You might have to correct:\n\n- pay or deductions\n\n- payment dates\n\n- start or leaving dates for your employee\n\n- employee information\n\n- reports sent in advance\n\n- National Insurance category letters\n\n- amounts in your Employer Payment Summary (EPS)\n\n- the Apprenticeship Levy you owe (starting from April 2017) if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million\n\nYou\u2019ll only be charged a penalty for a mistake if you did not take reasonable care or did it deliberately.\n\n## If you\u2019ve reported the wrong pay or deductions\n\nTo correct a mistake made in the current tax year, update the year-to-date figures in your next regular Full Payment Submission (FPS).\n\nIf you reported the wrong pay or deductions in the 2020 to 2021 tax year you can correct this by submitting another FPS with the correct year to date figures.\n\nIf you reported the wrong pay or deductions in the 2018 to 2019 or 2019 to 2020 tax years, you can correct this by submitting an Earlier Year Update (EYU) or a further FPS with the correct year to date figures.\n\nFor earlier tax years, send an EYU showing the difference between what you originally reported and the correct figure. You can only use an EYU for tax years when you were reporting online in real time.\n\nIf your payroll software cannot send an EYU, you can use HMRC\u2019s Basic PAYE Tools.\n\nThe rules are different if you find a mistake in your final FPS of the year.\n\n## Correct a pension death benefit or flexibility payment\n\nIf you\u2019re a pension administrator who needs to correct a flexibility payment or death benefit payment, you must:\n\n- select the \u2018pension flexibility payment\u2019 or \u2018pension death benefit payment\u2019 indicator\n\n- update the \u2018pensions drawdown taxable payment\u2019 or \u2019pensions drawdown non-taxable payment\u2019 fields (or both) with the difference between what you originally reported and the correct figures\n\n## If your employee has stopped working for you\n\nInclude them in your next FPS and correct their year-to-date figures. Include their original \u2018Date of leaving\u2019 and put the same or a later \u2018Payment date\u2019 than the one shown on their final FPS.\n\n## Correct the payment date in your FPS\n\nYou should use the date you paid your employees in your FPS.\n\nSend an additional FPS with the correct payment date if you\u2019ve sent one with the wrong payment date. Write \u2018H - correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field.\n\nSend your corrected FPS by the 19th of the tax month after you sent your original FPS. HMRC will apply the correction to the right month.\n\nIf the wrong date was in different tax month, you must realign your payroll to the correct tax period.\n\n## Correct an employee\u2019s start or leaving date\n\nUpdate your payroll records with the correct date if you put the wrong start or leaving date for an employee in your FPS.\n\nDo not report the amendment in your next FPS as this may create a duplicate record for the employee.\n\n## Correct your employee\u2019s personal information\n\nCorrect your next FPS if you\u2019ve made a mistake with your employee\u2019s personal details.\n\nDo not report updates to more than one of your employee\u2019s personal details (for example their name, date of birth or gender) in the same FPS. Your payroll records may be duplicated if you do, and your PAYE bill might be wrong.\n\nIf your employee\u2019s details (for example their address or surname) change:\n\n- they must tell HMRC straight away\n\n- you need to update your payroll records\n\n## Correct FPS reports sent in advance\n\nIf you\u2019ve sent FPS reports in advance that need to be corrected (for example because an employee leaves), you should:\n\n- send another FPS for the tax month the correction relates to, making sure you fill in all relevant fields and revising the year-to-date figures if needed\n\n- correct any other FPS reports you sent in advance that are affected by the change\n\n## Correct an employee\u2019s National Insurance category letter\n\nHow you do this depends on why the category letter changed, and in which tax year.\n\n## You\u2019ve used the wrong category letter in the current tax year or the 2020 to 2021 tax year\n\nReport the mistake in your next FPS.\n\n- Add the category letter you\u2019ve used incorrectly.\n\n- Put \u20180\u2019 in all National Insurance fields for this category letter except \u2018Employee\u2019s NICs this payment\u2019, and enter the amount you have repaid or recovered here, for example put -\u00a3300 if you\u2019re repaying an employee\u2019s overpayment of \u00a3300.\n\n- Add the correct category letter, and enter the correct year-to-date National Insurance for this category letter.\n\n- Put \u20180\u2019 in all National Insurance fields for the incorrect category letter for the rest of the tax year - you do not need to do this if the category should never have been used.\n\nSome software allows you to correct this by adjusting net pay. You\u2019ll still need to keep a record of the change.\n\n## Your employee\u2019s category letter changed during the tax year\n\nIn your next FPS:\n\n- Continue to report year-to-date information for the old category.\n\n- Put \u20180\u2019 in all \u2018In this pay period\u2019 fields for this category, and use the \u2018Employee\u2019s NICs this payment\u2019 field to adjust any underpayment or overpayment of National Insurance.\n\n- Add the correct category letter, and enter the correct year-to-date National Insurance for this category letter.\n\n## If the mistake was in the 2019 to 2020 tax year or earlier\n\nSend an EYU with:\n\n- negative amounts in all the National Insurance year-to-date fields in the incorrect category letter, to reduce the employee\u2019s National Insurance to zero\n\n- the correct category letter and correct year-to-date National Insurance\n\nIf you\u2019re correcting a mistake in the 2018 to 2019 or 2019 to 2020 tax years, you may be able to send an FPS instead - use your payroll software to check. Send it with the correct category letter and correct year-to-date National Insurance.\n\n## If the mistake caused an overpayment or underpayment\n\nYou must correct your employee\u2019s National Insurance deductions if they paid too little or too much because they were on the wrong category letter.\n\n## Correct an EPS\n\nTo correct a mistake in the current tax year, send an EPS with the correct year-to-date figures.\n\nFor previous tax years, send an EPS with the correct year-to-date figures for the tax year where you made the mistake.\n\n## You paid HMRC the wrong amount\n\nWhat you need to do to correct a payment depends on whether you paid too much or too little, and how the error occurred.\n\n## If you\u2019ve paid HMRC too little\n\nIf you underpaid because of a mistake in your Full Payment Submission (FPS) or Employer Payment Summary (EPS), correct it in your next regular report. HM Revenue and Customs (HMRC) will add the underpayment to your next PAYE bill.\n\nIf you underpaid because you entered the wrong amount when paying HMRC, pay the balance as soon as possible or you may have to pay interest or a penalty. Use your Accounts Office reference when paying.\n\n## If you\u2019ve paid HMRC too much\n\nIf you overpaid because of a mistake in your FPS or EPS, make the correction in your next regular report. HMRC will take the overpayment off your next PAYE bill.\n\nIf you overpaid because you entered the wrong amount when paying HMRC, or you made a duplicate payment, you can balance your account by paying less in your next PAYE bill.\n\nYou can also claim a refund if you\u2019ve overpaid by contacting HMRC\u2019s employer helpline.\n\nHMRC will repay directly into your account if you\u2019ve sent an EPS with your bank details.\n\nWrite to HMRC with your bank details if you cannot include them with your EPS.\n\n## Reclaim an overpayment for a previous tax year\n\nYou must work out why you overpaid before you can reclaim an overpayment for a previous tax year.\n\n## Work out why you overpaid\n\nCompare what you\u2019ve paid HMRC with what you\u2019ve owed in your tax account. You may have overpaid if your payments did not take into account:\n\n- an overpayment carried over from a previous tax year\n\n- statutory pay for parents that you were entitled to reclaim\n\n- any repayments made to employees, for example because you used the wrong tax code\n\n- any corrections to your reports\n\n- student loan deductions\n\n- employees who left, for example because you did not report them correctly to HMRC\n\n- any incentive payments from HMRC to send reports online\n\n- any Construction Industry Scheme (CIS) deductions, or if you made deductions incorrectly\n\nYou also may have overpaid if you paid HMRC:\n\n- for the wrong tax year\n\n- more than once for the same bill\n\n- an estimated amount in advance\n\nFor duplicated or estimated payments, tell HMRC what you paid, what you should have paid and why you paid the additional amount.\n\n## Making your claim\n\nOnce you know why you\u2019ve overpaid, you can claim your repayment from HMRC. You\u2019ll need to tell them:\n\n- your business\u2019s name and address\n\n- your PAYE reference - this is in your employer registration letter from HMRC\n\n- your contact telephone number\n\n- how much you\u2019ve overpaid - for each tax year you\u2019re claiming\n\n- the tax month you overpaid in (if possible)\n\n- why you overpaid - for each tax year you\u2019re claiming\n\n- whether you\u2019ve claimed this overpayment before\n\nHMRC will offset the amount against your PAYE bill in the current tax year. If you do not owe anything, they will offset the amount:\n\n- against a PAYE bill from a previous tax year\n\n- against other taxes you owe, for example Corporation Tax\n\nYou\u2019ll only get a refund if you do not owe HMRC any tax.\n\nYou must apply by letter if your company has been dissolved or struck off.\n\n## You paid your employee the wrong amount or made incorrect deductions\n\nYou can correct a mistake with an employee\u2019s pay or deductions by updating the year-to-date figures in your next regular Full Payment Submission (FPS).\n\nYou can also correct it by sending an additional FPS before your next regular FPS is due. You need to:\n\n- update the \u2018this pay period\u2019 figures with the difference between what you originally reported and the correct figures\n\n- correct the year-to-date figures\n\n- put the same payment date as the original FPS\n\n- put the same pay frequency as the original FPS\n\n- put \u2018H - Correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field\n\n## Correct a pension death benefit or flexibility payment\n\nIf you\u2019re a pension administrator who needs to correct a flexibility payment or death benefit payment, you must:\n\n- select the \u2018pension flexibility payment\u2019 or \u2018pension death benefit payment\u2019 indicator\n\n- update the \u2018pensions drawdown taxable payment\u2019 or \u2019pensions drawdown non-taxable payment\u2019 fields (or both) with the difference between what you originally reported and the correct figures\n\n## If you underpaid your employee\n\nPay your employee the amount you underpaid them. On or before the day of this payment, send an additional FPS with:\n\n- the difference between what you originally reported and the correct amount in the \u2018In this pay period\u2019 field\n\n- updated year-to-date figures\n\n- \u2018H - Correction to earlier submission\u2019 in the \u2018Late reporting reason\u2019 field\n\n## Correct an employee\u2019s National Insurance deductions\n\nWhat you need to do depends on when you made the mistake.\n\n## If the mistake was in this tax year\n\nRepay or deduct the balance from your employee. Update the year-to-date figures to the corrected amount in your next regular FPS or send an additional FPS.\n\nIf you deducted too little, you cannot recover more than the employee\u2019s National Insurance contribution due that month.\n\n## If the mistake was in the 2020 to 2021 tax year\n\nSend an FPS with the amount you should have deducted.\n\nYou\u2019ll need to write to HMRC if both the following apply:\n\n- the difference is negative because you deducted or reported too much National Insurance\n\n- you still owe your employee a refund, for example because they\u2019ve left your employment\n\nIn the letter you\u2019ll need to include:\n\n- the reference \u2018Overpaid NI contributions\u2019\n\n- your employee\u2019s name, date of birth and National Insurance number\n\n- why you overpaid National Insurance contributions\n\n- which tax years you overpaid in\n\n- how much National Insurance you overpaid\n\n- why you are unable to make the payment to the employee\n\nFor a claim for one employee, send the letter to:\n\nFor a claim for more than one employee, send the letter to:\n\n## If the mistake was in the 2018 to 2019 or 2019 to 2020 tax years\n\nSend an FPS with the correct year-to-date National Insurance if:\n\n- your payroll software will let you submit an FPS\n\n- you can pay any National Insurance refunds you owe\n\nIf you cannot use an FPS, send an Earlier Year Update (EYU) with the difference between:\n\n- the amount of National Insurance you originally deducted\n\n- the correct amount you should have deducted\n\nIf the difference is negative (because you deducted or reported too much National Insurance), you also need to set the \u2018NIC refund indicator\u2019 to:\n\n- \u2018Yes\u2019 if you\u2019ve refunded your employee or no refund was due\n\n- \u2018No\u2019 if you still owe your employee a refund (for example because they\u2019ve left your employment)\n\n## If the mistake was in the 2017 to 2018 tax year or earlier\n\nSend an Earlier Year Update (EYU) with the difference between:\n\n- the amount of National Insurance you originally deducted\n\n- the correct amount you should have deducted\n\nIf the difference is negative (because you deducted or reported too much National Insurance), you also need to set the \u2018NIC refund indicator\u2019 to:\n\n- Yes\u2019 if you\u2019ve refunded your employee or no refund was due\n\n- \u2018No\u2019 if you still owe your employee a refund (for example because they\u2019ve left your employment)\n\n## If there\u2019s an underpayment\n\nIf you deducted too little National Insurance, pay HMRC the underpayment straight away. You can then recover the amount from your employee by making deductions from their pay.\n\nYou cannot recover more than the amount of National Insurance the employee owes in a month (so the employee pays no more than double their normal contribution). Carry over the difference to later months - you can only make deductions in the tax year when you made the mistake and the year after.\n\n## Correct an employee\u2019s student loan repayments\n\nWhat you need to do depends on when you made the mistake.\n\n## If the mistake was in this tax year\n\nRepay or deduct the balance from your employee. Update the year-to-date figures to the corrected amount in your next regular FPS or send an additional FPS.\n\nIf you deducted too little, you cannot recover more than the student loan repayment due that month.\n\n## If the mistake was in the 2020 to 2021 tax year\n\nIf you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.\n\nIf you deducted too much, you need to repay your employee. Send an FPS with the correct \u2018student loan repayment year to date\u2019 figure as of 5 April for the previous tax year.\n\n## If the mistake was in the 2018 to 2019 or 2019 to 2020 tax year\n\nIf you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.\n\nIf you deducted too much, you need to repay your employee.\n\nCheck your payroll software to see if you can submit an FPS. If you can, send it with the correct \u2018student loan repayment year to date\u2019 figure as of 5 April for the previous tax year.\n\nOtherwise send an Earlier Year Update (EYU) with the difference between what you originally deducted and the correct amount.\n\n## If the mistake was in the 2017 to 2018 tax year or earlier\n\nIf you deducted too little, you do not need to do anything. Your employee should contact the Student Loans Company to find out how it affects them.\n\nIf you deducted too much, you need to repay your employee. Send an Earlier Year Update (EYU) with the difference between what you originally deducted and the correct amount.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/payroll-errors", + "answerable": true, + "scenario": "I have paid my PAYE bill to HMRC, but I have found that I have overpaid. This overpayment is due to a \u00a3100 error in the EPS.", + "original_question": "Can I get a refund for this amount?" + }, + { + "id": "train-717", + "question": "Scenario: I am a student from Spain and studying in an England university. I want to apply for a students loan and have all the required documents.\n\nQuestion: As a EU student, do I need to send proof of identity documents ?\n\nDocument - Student finance: how to apply:\n## How to apply\n\nHow you apply depends on whether you have studied before and your nationality.\n\n## New students from England\n\nMost full-time and part-time students can apply online to Student Finance England.\n\n- Set up a student finance online account.\n\n- Log in and complete the online application.\n\n- Include your household income if needed. Your parent or partner will be asked to confirm these details.\n\n- Send in proof of identity, if needed.\n\nIf you cannot apply online, use the form finder to get the forms you need. You can call Student Finance England if you want to apply online but you cannot use a computer without help.\n\n## Continuing students from England\n\nYou\u2019re a continuing student if you are:\n\n- moving on to the next year of your course\n\n- repeating a year of the same course or returning to a course after taking time out\n\n- transferring onto a new course from your old course\n\nYou should log in to your student finance account and apply online.\n\n## If you\u2019re returning to study after taking time out for personal reasons\n\nThere\u2019s a different process if you have studied for more than one year before and you\u2019re going back to your studies after stopping your course because of personal reasons. This could be for things like if you were ill, pregnant, caring for someone or someone close to you died.\n\nYou should log in to your student finance account and apply online.\n\nYou must also send a letter explaining why you suspended your studies with supporting evidence.\n\nThe letter must include:\n\n- your customer reference number for student finance\n\n- an explanation of your situation and why you had to suspend your studies\n\nSupporting evidence can include:\n\n- a letter from your doctor or social services on headed paper\n\n- a letter from your university or college on headed paper\n\n- copies of birth or death certificates\n\nYou might need to send more than one piece of evidence if it helps you to show why you stopped your course.\n\nUse your online account to send the letter and evidence to Student Finance England, or send it by post.\n\nStudent Finance England will send you a letter confirming how much you\u2019ll get, usually within 8 weeks.\n\n## Scotland, Wales and Northern Ireland\n\nThere\u2019s a different process for students from Scotland, Wales and Northern Ireland.\n\n## New EU students\n\nIf you\u2019re applying for tuition fee support and help with living costs, apply online.\n\nIf you\u2019re applying for tuition fee support only, apply by post.\n\nYou\u2019ll get a letter confirming how much you\u2019ll get, usually within 6 weeks.\n\n## Continuing EU students\n\nIf you\u2019re applying for tuition fee support and help with living costs, apply online.\n\nIf you\u2019re applying for tuition fee support only, you\u2019ll be sent application forms to fill in and return by post. Check your address is up to date in your student finance account.\n\n## When to apply\n\nYou can apply for the following academic years:\n\n- 2021 to 2022 (part-time students can apply from summer 2021)\n\n- 2020 to 2021\n\nYou can still apply for funding up to 9 months after the first day of the academic year for your course.\n\n| Course start date | Apply by |\n\n| Between 1 August and 31 December | 31 May after your course started |\n\n| Between 1 January and 31 March | 30 September after your course started |\n\n| Between 1 April and 30 June | 31 December after your course started |\n\n| Between 1 July and 31 July | 31 March after your course started |\n\nYou do not need a confirmed place to apply.\n\n## EU students\n\nIf you\u2019re an EU student applying for 2021 to 2022, when and how you apply depends on the type of support you want.\n\n## Full-time students\n\nIf you\u2019re applying for tuition fee support and help with living costs, you can apply online now.\n\nIf you\u2019re applying for tuition fee support only, you can apply by post now.\n\n## Part-time students\n\nIf you\u2019re applying for tuition fee support and help with living costs, you can apply online from summer 2021.\n\nIf you\u2019re applying for tuition fee support only, you can apply by post from summer 2021.\n\n## Proof of identity\n\n## Students from England\n\nInclude your valid UK passport details in your application the first time you apply. Fill in the passport details form - do not send the passport itself.\n\n| Academic year | Form |\n\n| 2021 to 2022 | UK passport details form 2021 to 2022 (PDF, 49KB) |\n\n| 2020 to 2021 | UK passport details form 2020 to 2021 (PDF, 41KB) |\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\n## EU students\n\nSend your non-UK passport or identity card the first time you apply.\n\n## Where to send your documents\n\nAny original documents you send will be returned to you within 4 weeks.\n\n## Students from England\n\n## EU students\n\n## Household income\n\nYou must provide your household income if you apply for any of the following:\n\n- full Maintenance Loan\n\n- Maintenance Grant - not available if your course started on or after 1 August 2016\n\n- Special Support Grant - not available if your course started on or after 1 August 2016\n\n- Childcare Grant\n\n- Adult Dependants\u2019 Grant\n\n- Parents\u2019 Learning Allowance\n\nYou\u2019ll need to provide your household income for tax year:\n\n- 2019 to 2020 if you\u2019re applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if you\u2019re applying for the 2020 to 2021 academic year\n\nAfter you apply, Student Finance England will ask the people in your household to confirm their income. They might need to provide evidence.\n\n## What counts as household income\n\nYour household income includes any of the following that apply:\n\n- your parents\u2019 income, if you\u2019re under 25 and live with them or depend on them financially\n\n- the combined income of one of your parents and their partner, if you\u2019re under 25 and live with them or depend on them financially\n\n- your partner\u2019s income, if you\u2019re over 25 and live with them (even if they spend most of their time abroad)\n\n- income you get from your own savings, investments or property, for example dividends or rent\n\nIf you\u2019ve supported yourself financially for at least 3 years or had no contact with your parents for over a year, you might be able to apply as an \u2018independent student\u2019.\n\n## Change an application\n\nYou must say if any details in your application change. You\u2019ll need to report some changes yourself. Your parents, partner or sponsor will need to report others.\n\n## Changes you must report\n\n## Full time students\n\nUse your online account to tell Student Finance England if:\n\n- you\u2019ve changed your course, university or college\n\n- you\u2019re repeating a year\n\n- you\u2019ve changed your name or marital status\n\n- your Tuition Fee Loan amount has changed\n\n- you\u2019re living somewhere new\n\n## Part-time students and EU students\n\nIf you\u2019re a part-time or EU student, you\u2019ll need to fill in form CO2 or EUCO1 instead.\n\n| | Student type | Form |\n\n| 2020 to 2021 academic year | Part-time student | CO2 form for 2020 to 2021 (PDF, 94KB) |\n\n| 2019 to 2020 academic year | Part-time student | CO2 form for 2019 to 2020 (PDF, 85KB) |\n\n| 2021 to 2022 academic year | EU student | EUCO1 form for 2021 to 2022 (PDF, 136KB) |\n\n| 2020 to 2021 academic year | EU student | EUCO1 form for 2020 to 2021 (PDF, 146KB) |\n\nUse your online account to send the form to Student Finance England, or send it by post. The address is on the form.\n\nAfter your course starts you can contact your university or college to change or repeat your course or change your Tuition Fee Loan.\n\n## If you\u2019ve changed your name or marital status\n\nYou must write and tell Student Finance England if you\u2019ve changed your name or marital status. The letter must include:\n\n- your customer reference number\n\n- the date\n\n- your signature\n\n- evidence that you\u2019ve changed your name or marital status\n\nIf you\u2019ve changed your name you must include a copy of one of the following with your letter:\n\n- marriage certificate\n\n- decree absolute\n\n- change of name deed - it must be an enrolled deed poll\n\nIf you\u2019ve changed your marital status, you must include a copy of one of the following with your letter:\n\n- marriage certificate\n\n- decree absolute\n\n- civil partnership final order\n\nUse your online account to send the letter and evidence to Student Finance England, or send it by post.\n\nIf you cannot provide the right document, contact Student Finance England.\n\n## Changes your parents, partner or sponsor must report\n\n## If your household income changes\n\nYour parents or partner must:\n\n- correct any mistakes relating to their household income\n\n- tell Student Finance England if they think their household income will be at least 15% lower than the tax year they submitted details for\n\n## If your parents or sponsor have another child\n\nYour parents or sponsor must tell Student Finance England if they have any more children.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-for-student-finance", + "answerable": true, + "scenario": "I am a student from Spain and studying in an England university. I want to apply for a students loan and have all the required documents.", + "original_question": "As a EU student, do I need to send proof of identity documents ?" + }, + { + "id": "train-723", + "question": "Scenario: I have hired a new employee who left their last job on the 20th April 2021. The employee started on the 5th May 2021, and the P45 hasn't been given to me until the 27th July 2021. I'm not sure how I should deal with this. HMRC has not sent me a tax code.\n\nQuestion: Do I need to add the P45's figures from the rest of the financial year onto the payroll?\n\nDocument - Tell HMRC about a new employee:\n## Overview\n\nYou must tell HM Revenue and Customs (HMRC) when you take on a new employee and be registered as an employer.\n\nBefore you pay your new starter follow these steps.\n\n- Check you need to pay them through PAYE.\n\n- Get employee information to work out their tax code - if you do not have their P45, use HMRC\u2019s \u2018starter checklist\u2019 (which replaced the P46).\n\n- Find out if they need to repay a student loan.\n\n- Use these details to set up your new employee in your payroll software.\n\n- Register your employee with HMRC using a Full Payment Submission (FPS).\n\nYou must also follow the same steps as when you start employing staff for the first time, for example checking they can work in the UK.\n\n## Check you need to pay someone through PAYE\n\nYou usually have to pay your employees through PAYE if they earn \u00a3120 or more a week (\u00a3520 a month or \u00a36,240 a year).\n\nYou do not need to pay self-employed workers through PAYE.\n\n## Working out if someone is an employee or self-employed\n\nAs a general rule, someone is:\n\n- employed if they work for you and do not have any of the risks associated with running a business\n\n- self-employed if they run their own business and are responsible for its success or failure\n\nYou must check each worker\u2019s employment status to make sure they\u2019re not self-employed. If you get it wrong you may have to pay extra tax, National Insurance, interest and a penalty.\n\n## Temporary or agency workers\n\nYou need to operate PAYE on temporary workers that you pay directly, as long as they\u2019re classed as an employee.\n\nYou do not need to operate PAYE if a worker is paid by an agency, unless the agency\u2019s based abroad and does not have a trading address or representative in the UK.\n\nThere are special rules for harvest workers or shoot beaters employed for less than 2 weeks.\n\n## Employees you only pay once\n\nYou operate PAYE differently for employees you only pay once.\n\nSet up a payroll record with their full name and address. If you give them a payroll ID, make sure it\u2019s unique.\n\nWhen you send your Full Payment Submission (FPS):\n\n- use tax code \u20180T\u2019 on a \u2018Week 1\u2019 or \u2018Month 1\u2019 basis\n\n- put \u2018IO\u2019 in the \u2018Pay frequency\u2019 field\n\n- do not put a start or leaving date\n\nGive your employee a statement showing their pay before and after deductions, and the payment date, for example a payslip or a letter. Do not give them a P45.\n\n## Volunteers\n\nYou do not need to operate PAYE on volunteers if they only get expenses that are not subject to tax or National Insurance - check if their expenses are affected.\n\n## Students\n\nOperate PAYE on students in the same way as you do for other employees.\n\n## Get employee information\n\nYou need to get certain information from your employee so you can set them up with the correct tax code and starter declaration on your payroll software.\n\nYou\u2019ll usually get most of this information from the employee\u2019s P45, but they\u2019ll have to fill in a \u2018starter checklist\u2019 (which replaced the P46 form) if they do not have a recent P45.\n\nYou\u2019ll need your employee\u2019s:\n\n- date of birth\n\n- gender\n\n- full address\n\n- start date\n\nFrom your employee\u2019s P45, you\u2019ll need their:\n\n- full name\n\n- leaving date from their last job\n\n- total pay and tax paid to date for the current tax year\n\n- student loan deduction status\n\n- National Insurance number\n\n- existing tax code\n\nYou must keep this information in your payroll records for the current year and the 3 following tax years.\n\n## If your employee does not have a P45\n\nAsk your employee for this information if you do not have their P45, or if they left their last job before 6 April 2020.\n\nThe P46 form is no longer used.\n\nGet the information by asking your new employee to complete HMRC\u2019s new starter checklist.\n\n## If your employee has more than one P45\n\nYou should use the P45 with the latest date and give the other one back to the employee.\n\nIf they have the same leaving date use the P45 with the highest tax free allowance (or least additional pay for a K code) and give the other one back to the employee.\n\n## Work out your employee\u2019s tax code\n\nWhen you\u2019ve got your employee\u2019s information you can use a tool to:\n\n- work out their tax code and starter declaration\n\n- find out what else to do before you pay your employee for the first time\n\nWork out your employee\u2019s tax code\n\n## Employees you only pay once and secondments from abroad\n\nThere\u2019s a different way to work out tax codes for employees who you only pay once or who are seconded from abroad.\n\n## Student loan repayments\n\nYou should make student loan deductions if any of the following apply:\n\n- your new employee\u2019s P45 shows that deductions should continue\n\n- your new employee tells you they\u2019re repaying a student loan or a postgraduate loan, for example on a starter checklist\n\n- HM Revenue and Customs (HMRC) sends you form SL1 or form PGL1 and your employee earns over the income threshold for their loan\n\n## What you need to do\n\nYou should follow these steps even if your employee has a P45 from their last job.\n\nAsk your new employee if they have a student loan or a postgraduate loan - they may have both. If they finished their studies after 6 April in the current tax year, they will not start to repay their loan until the next tax year.\n\nRecord their answer in your payroll software. You do not need to calculate their loan recovery repayments - your payroll software will do this for you.\n\nIf your employee has a student loan, ask them to sign in to their repayment account and check which plan to use for deductions. They can contact the Student Loans Company if they\u2019re still not sure.\n\nIf they cannot tell you, use Plan 1 in your payroll software until you get a student loan start notice (SL1).\n\nWhere the employee is on more than one plan, start deductions for the plan with the lowest recovery threshold until you get an SL1. Check the student loan recovery thresholds.\n\nReport these deductions to HMRC when you pay your employee.\n\n## Special rules\n\nIn some cases there are special rules for making student loan deductions. Examples include:\n\n- you\u2019re sent a court order to collect a debt directly from your employee\u2019s earnings\n\n- you change how often you pay your employee, such as from weekly to monthly\n\n- the employee has more than one job with you and you need to aggregate earnings\n\n## Stopping deductions\n\nHMRC will tell you if you need to stop making loan deductions from your employees\u2019 pay. They\u2019ll send you:\n\n- form SL2 for student loans\n\n- form PGL2 for postgraduate loans\n\nDo not stop making deductions if an employee asks you to.\n\n## Registering your new employee\n\nRegister your new employee with HM Revenue and Customs (HMRC) by including their details on a Full Payment Submission (FPS) the first time you pay them.\n\nOn this FPS, include:\n\n- information you\u2019ve collected from them\n\n- the tax code and starter declaration that you\u2019ve worked out\n\n- pay and deductions (for example tax, National Insurance and student loan deductions) since they started working for you - do not include figures from their previous job\n\n## Giving your employee a payroll ID\n\nYou can assign payroll IDs to your employees. The ID must be unique - so use a different one if:\n\n- you re-employ someone - if you do this within the same tax year restart their year-to-date information from \u2018\u00a30.00\u2019\n\n- an employee has more than one job in the same PAYE scheme\n\nIf you re-use a previous payroll ID, you\u2019ll create a duplicate record and report payroll incorrectly.\n\n## Special rules\n\nThere are special rules for making deductions for:\n\n- female employees entitled to reduced National Insurance\n\n- employees you only pay once\n\n- harvest workers and casual beaters\n\n- certain employees with more than one job\n\n## Late P45 or starter checklist\n\nYou may need to update your payroll records if your employee gives you a P45 or starter checklist after you\u2019ve registered them with HM Revenue and Customs (HMRC).\n\nYou only need a starter checklist from your employee to work out their tax code if they do not have a P45, or if they left their last job before 6 April 2020.\n\n## If HMRC has sent you a tax code\n\nUse the tax code that HMRC has sent you if your employee gives you a P45 or starter checklist after you\u2019ve first paid them. Deduct any student loan repayments from the date your employee started with you.\n\n## If HMRC has not sent you a code\n\n## Late P45\n\nUse your employee\u2019s P45 to work out their tax code and update their details in your payroll software.\n\nIf your employee left their last job after 5 April 2021, you should also update both the \u2018Total pay to date\u2019 and \u2018Total tax to date\u2019 fields in your payroll software for the first week you included this information. If your software finds errors, update the fields with the correct figures.\n\n## Late starter checklist\n\nUse your employee\u2019s starter checklist to update the starter declaration in your payroll records.\n\nKeep using the tax code you used in your first Full Payment Submission (FPS) until HMRC sends you a new one.\n\n## When you next pay your employee\n\nDo not enter another start date on the FPS, even if you have not reported a start date before.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/new-employee", + "answerable": true, + "scenario": "I have hired a new employee who left their last job on the 20th April 2021. The employee started on the 5th May 2021, and the P45 hasn't been given to me until the 27th July 2021. I'm not sure how I should deal with this. HMRC has not sent me a tax code.", + "original_question": "Do I need to add the P45's figures from the rest of the financial year onto the payroll?" + }, + { + "id": "train-724", + "question": "Scenario: I have hired a new person for plumbing in my construction business. I am unsure whether I should treat them as an employee. They own their own business, for which they have full responsibility.\n\nQuestion: Should I treat them as an employee and add them to PAYE?\n\nDocument - Tell HMRC about a new employee:\n## Overview\n\nYou must tell HM Revenue and Customs (HMRC) when you take on a new employee and be registered as an employer.\n\nBefore you pay your new starter follow these steps.\n\n- Check you need to pay them through PAYE.\n\n- Get employee information to work out their tax code - if you do not have their P45, use HMRC\u2019s \u2018starter checklist\u2019 (which replaced the P46).\n\n- Find out if they need to repay a student loan.\n\n- Use these details to set up your new employee in your payroll software.\n\n- Register your employee with HMRC using a Full Payment Submission (FPS).\n\nYou must also follow the same steps as when you start employing staff for the first time, for example checking they can work in the UK.\n\n## Check you need to pay someone through PAYE\n\nYou usually have to pay your employees through PAYE if they earn \u00a3120 or more a week (\u00a3520 a month or \u00a36,240 a year).\n\nYou do not need to pay self-employed workers through PAYE.\n\n## Working out if someone is an employee or self-employed\n\nAs a general rule, someone is:\n\n- employed if they work for you and do not have any of the risks associated with running a business\n\n- self-employed if they run their own business and are responsible for its success or failure\n\nYou must check each worker\u2019s employment status to make sure they\u2019re not self-employed. If you get it wrong you may have to pay extra tax, National Insurance, interest and a penalty.\n\n## Temporary or agency workers\n\nYou need to operate PAYE on temporary workers that you pay directly, as long as they\u2019re classed as an employee.\n\nYou do not need to operate PAYE if a worker is paid by an agency, unless the agency\u2019s based abroad and does not have a trading address or representative in the UK.\n\nThere are special rules for harvest workers or shoot beaters employed for less than 2 weeks.\n\n## Employees you only pay once\n\nYou operate PAYE differently for employees you only pay once.\n\nSet up a payroll record with their full name and address. If you give them a payroll ID, make sure it\u2019s unique.\n\nWhen you send your Full Payment Submission (FPS):\n\n- use tax code \u20180T\u2019 on a \u2018Week 1\u2019 or \u2018Month 1\u2019 basis\n\n- put \u2018IO\u2019 in the \u2018Pay frequency\u2019 field\n\n- do not put a start or leaving date\n\nGive your employee a statement showing their pay before and after deductions, and the payment date, for example a payslip or a letter. Do not give them a P45.\n\n## Volunteers\n\nYou do not need to operate PAYE on volunteers if they only get expenses that are not subject to tax or National Insurance - check if their expenses are affected.\n\n## Students\n\nOperate PAYE on students in the same way as you do for other employees.\n\n## Get employee information\n\nYou need to get certain information from your employee so you can set them up with the correct tax code and starter declaration on your payroll software.\n\nYou\u2019ll usually get most of this information from the employee\u2019s P45, but they\u2019ll have to fill in a \u2018starter checklist\u2019 (which replaced the P46 form) if they do not have a recent P45.\n\nYou\u2019ll need your employee\u2019s:\n\n- date of birth\n\n- gender\n\n- full address\n\n- start date\n\nFrom your employee\u2019s P45, you\u2019ll need their:\n\n- full name\n\n- leaving date from their last job\n\n- total pay and tax paid to date for the current tax year\n\n- student loan deduction status\n\n- National Insurance number\n\n- existing tax code\n\nYou must keep this information in your payroll records for the current year and the 3 following tax years.\n\n## If your employee does not have a P45\n\nAsk your employee for this information if you do not have their P45, or if they left their last job before 6 April 2020.\n\nThe P46 form is no longer used.\n\nGet the information by asking your new employee to complete HMRC\u2019s new starter checklist.\n\n## If your employee has more than one P45\n\nYou should use the P45 with the latest date and give the other one back to the employee.\n\nIf they have the same leaving date use the P45 with the highest tax free allowance (or least additional pay for a K code) and give the other one back to the employee.\n\n## Work out your employee\u2019s tax code\n\nWhen you\u2019ve got your employee\u2019s information you can use a tool to:\n\n- work out their tax code and starter declaration\n\n- find out what else to do before you pay your employee for the first time\n\nWork out your employee\u2019s tax code\n\n## Employees you only pay once and secondments from abroad\n\nThere\u2019s a different way to work out tax codes for employees who you only pay once or who are seconded from abroad.\n\n## Student loan repayments\n\nYou should make student loan deductions if any of the following apply:\n\n- your new employee\u2019s P45 shows that deductions should continue\n\n- your new employee tells you they\u2019re repaying a student loan or a postgraduate loan, for example on a starter checklist\n\n- HM Revenue and Customs (HMRC) sends you form SL1 or form PGL1 and your employee earns over the income threshold for their loan\n\n## What you need to do\n\nYou should follow these steps even if your employee has a P45 from their last job.\n\nAsk your new employee if they have a student loan or a postgraduate loan - they may have both. If they finished their studies after 6 April in the current tax year, they will not start to repay their loan until the next tax year.\n\nRecord their answer in your payroll software. You do not need to calculate their loan recovery repayments - your payroll software will do this for you.\n\nIf your employee has a student loan, ask them to sign in to their repayment account and check which plan to use for deductions. They can contact the Student Loans Company if they\u2019re still not sure.\n\nIf they cannot tell you, use Plan 1 in your payroll software until you get a student loan start notice (SL1).\n\nWhere the employee is on more than one plan, start deductions for the plan with the lowest recovery threshold until you get an SL1. Check the student loan recovery thresholds.\n\nReport these deductions to HMRC when you pay your employee.\n\n## Special rules\n\nIn some cases there are special rules for making student loan deductions. Examples include:\n\n- you\u2019re sent a court order to collect a debt directly from your employee\u2019s earnings\n\n- you change how often you pay your employee, such as from weekly to monthly\n\n- the employee has more than one job with you and you need to aggregate earnings\n\n## Stopping deductions\n\nHMRC will tell you if you need to stop making loan deductions from your employees\u2019 pay. They\u2019ll send you:\n\n- form SL2 for student loans\n\n- form PGL2 for postgraduate loans\n\nDo not stop making deductions if an employee asks you to.\n\n## Registering your new employee\n\nRegister your new employee with HM Revenue and Customs (HMRC) by including their details on a Full Payment Submission (FPS) the first time you pay them.\n\nOn this FPS, include:\n\n- information you\u2019ve collected from them\n\n- the tax code and starter declaration that you\u2019ve worked out\n\n- pay and deductions (for example tax, National Insurance and student loan deductions) since they started working for you - do not include figures from their previous job\n\n## Giving your employee a payroll ID\n\nYou can assign payroll IDs to your employees. The ID must be unique - so use a different one if:\n\n- you re-employ someone - if you do this within the same tax year restart their year-to-date information from \u2018\u00a30.00\u2019\n\n- an employee has more than one job in the same PAYE scheme\n\nIf you re-use a previous payroll ID, you\u2019ll create a duplicate record and report payroll incorrectly.\n\n## Special rules\n\nThere are special rules for making deductions for:\n\n- female employees entitled to reduced National Insurance\n\n- employees you only pay once\n\n- harvest workers and casual beaters\n\n- certain employees with more than one job\n\n## Late P45 or starter checklist\n\nYou may need to update your payroll records if your employee gives you a P45 or starter checklist after you\u2019ve registered them with HM Revenue and Customs (HMRC).\n\nYou only need a starter checklist from your employee to work out their tax code if they do not have a P45, or if they left their last job before 6 April 2020.\n\n## If HMRC has sent you a tax code\n\nUse the tax code that HMRC has sent you if your employee gives you a P45 or starter checklist after you\u2019ve first paid them. Deduct any student loan repayments from the date your employee started with you.\n\n## If HMRC has not sent you a code\n\n## Late P45\n\nUse your employee\u2019s P45 to work out their tax code and update their details in your payroll software.\n\nIf your employee left their last job after 5 April 2021, you should also update both the \u2018Total pay to date\u2019 and \u2018Total tax to date\u2019 fields in your payroll software for the first week you included this information. If your software finds errors, update the fields with the correct figures.\n\n## Late starter checklist\n\nUse your employee\u2019s starter checklist to update the starter declaration in your payroll records.\n\nKeep using the tax code you used in your first Full Payment Submission (FPS) until HMRC sends you a new one.\n\n## When you next pay your employee\n\nDo not enter another start date on the FPS, even if you have not reported a start date before.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/new-employee", + "answerable": true, + "scenario": "I have hired a new person for plumbing in my construction business. I am unsure whether I should treat them as an employee. They own their own business, for which they have full responsibility.", + "original_question": "Should I treat them as an employee and add them to PAYE?" + }, + { + "id": "train-725", + "question": "Scenario: I am the manager on an office in Telford, and responsible for distributing holiday leave to my employees. One of my employees has a chronic illness that is flaring up this week.\n\nQuestion: Can I make this employee take holiday leave?\n\nDocument - Holiday entitlement:\n## Entitlement\n\nAlmost all workers are legally entitled to 5.6 weeks\u2019 paid holiday a year (known as statutory leave entitlement or annual leave).\n\nThis includes:\n\n- agency workers\n\n- workers with irregular hours\n\n- workers on zero-hours contracts\n\nAn employer can include bank holidays as part of statutory annual leave.\n\nCoronavirus (COVID-19) does not affect workers\u2019 entitlement to holiday pay and leave, except for carrying over leave.\n\n## Statutory annual leave entitlement\n\nMost workers who work a 5-day week must receive at least 28 days\u2019 paid annual leave a year. This is the equivalent of 5.6 weeks of holiday.\n\n## Working part-time\n\nPart-time workers are entitled to at least 5.6 weeks\u2019 paid holiday, but this will amount to fewer than 28 days.\n\nFor example, if they work 3 days a week, they must get at least 16.8 days\u2019 leave a year (3 \u00d7 5.6).\n\nUse the holiday entitlement calculator to work out a part-time worker\u2019s leave.\n\n## Irregular hours\n\nPeople working irregular hours (like shift workers or term-time workers) are entitled to paid time off for every hour they work.\n\nThey might find it helpful to get an estimate of holiday entitlement by calculating leave based on days or hours worked in an average week.\n\n## Limits on statutory leave\n\nStatutory paid holiday entitlement is limited to 28 days. For example, staff working 6 days a week are only entitled to 28 days\u2019 paid holiday.\n\n## Bank holidays\n\nBank or public holidays do not have to be given as paid leave.\n\nAn employer can choose to include bank holidays as part of a worker\u2019s statutory annual leave.\n\n## Extra leave\n\nAn employer can choose to offer more leave than the legal minimum. They do not have to apply all the rules that apply to statutory leave to the extra leave. For example, a worker might need to be employed for a certain amount of time before they become entitled to it.\n\n## Other aspects of holiday entitlement\n\nWorkers have the right to:\n\n- get paid for leave\n\n- build up (\u2018accrue\u2019) holiday entitlement during maternity, paternity and adoption leave\n\n- build up holiday entitlement while off work sick\n\n- request holiday at the same time as sick leave\n\n## Disputes\n\nPaid annual leave is a legal right that an employer must provide. If a worker thinks their right to leave and pay are not being met there are a number of ways to resolve the dispute.\n\n## Calculate leave entitlement\n\nAnnual leave begins to build up (\u2018accrue\u2019) as soon as a worker starts their job.\n\nAn employer can use a \u2018leave year\u2019 or an \u2018accrual\u2019 system to work out how much leave their staff should get.\n\nUse the holiday entitlement calculator to work out how much leave someone should get.\n\n## Leave year\n\nAn employer should tell their staff the dates of their statutory leave year as soon as they start working, for example, it might run from 1 January to 31 December.\n\nWorkers must take their statutory leave during this time. If a leave year is not set out in a contract then it will start:\n\n- on the first day of a new job (if started after 1 October 1998)\n\n- on 1 October (if started on or before 1 October 1998)\n\nThe leave year and holiday entitlement is not affected by maternity, paternity or adoption leave. The employee still builds up (\u2018accrues\u2019) holiday over these periods.\n\n## Leave entitlement when starting a new job\n\nIf a worker starts their job part-way through a leave year, they\u2019re only entitled to part of their total annual leave for the current leave year. What they get depends on how much of the year is left.\n\nUse the holiday entitlement calculator to work out how much leave someone has left.\n\n## Accrual system\n\nAn employer can use an accrual system to work out a worker\u2019s leave during the first year of the job. Under this system, a worker gets one-twelfth of their leave in each month.\n\n## Carrying over leave\n\nThe worker\u2019s contract says how many days\u2019 leave they can carry over into the next year.\n\nIf a worker gets 28 days\u2019 leave, they can carry over a maximum of 8 days.\n\nIf a worker gets more than 28 days\u2019 leave, their employer may allow them to carry over any additional untaken leave. Check the employment contract, company handbook or intranet to see what the rules say.\n\n## Leave affected by coronavirus (COVID-19)\n\nWorkers may be able to carry over untaken leave into the next 2 years if they cannot take it because their work is affected by coronavirus.\n\nThey could do this if, for example:\n\n- they need to provide cover for their co-workers and have no other opportunity to take holiday in their leave year\n\n- there will be staff shortages if too many workers take their leave before the end of the leave year\n\n- they\u2019re classed as critical workers, such as healthcare or supermarket workers\n\nIf a worker is able to take leave, the standard rules for carrying over leave still apply.\n\n## Workers on parental or sick leave\n\nIf a worker cannot take all of their leave entitlement because they\u2019re already on a different type of leave (for example sick, maternity or parental leave), they can carry over some or all of the untaken leave into the next leave year.\n\nAn employer must allow a worker to carry over a maximum of 20 of their 28 days\u2019 leave entitlement if the worker could not take annual leave because they were off sick.\n\n## Holiday pay\n\nWorkers are entitled to a week\u2019s pay for each week of statutory leave that they take.\n\nMost workers are entitled to 5.6 weeks\u2019 paid holiday a year. You can use the holiday calculator to work out how much leave someone should get.\n\nA week\u2019s pay is worked out according to the kind of hours someone works and how they\u2019re paid for the hours. This includes full-time, part-time, term-time and casual workers.\n\n| Working pattern | How a week\u2019s pay is calculated |\n\n| Fixed hours and fixed pay (full- or part-time) | A worker\u2019s pay for a week |\n\n| Shift work with fixed hours (full- or part-time) | The average number of weekly fixed hours a worker has worked in the previous 52 weeks, at their average hourly rate |\n\n| No fixed hours (casual work, including zero-hours contracts) | A worker\u2019s average pay from the previous 52 weeks (only counting weeks in which they were paid) |\n\n## Calculating average hourly or weekly rate\n\nTo calculate average hourly rate, only the hours worked and how much was paid for them should be counted. Take the average rate over the last 52 weeks.\n\nA \u2018week\u2019 usually runs from Sunday to Saturday. Only use another 7-day period (like Thursday to Wednesday) if that\u2019s how a worker\u2019s pay is calculated.\n\nIf no pay was paid in any week, count back another week so the rate is based on 52 weeks in which pay was paid. You can count back a maximum of 104 weeks to find these.\n\nIf a worker has less than 52 weeks of pay, use the average pay rate for the full weeks they have worked.\n\n## Workers who are paid monthly\n\nTo work out a week\u2019s pay for someone who\u2019s paid monthly:\n\n- Calculate the worker\u2019s average hourly pay for the last month. Do this by dividing the month\u2019s pay by the number of hours worked in the month.\n\n- Calculate the weekly pay. Do this by multiplying the average hourly pay by the number of hours worked in a week.\n\nUse the weekly pay calculation for each of the last 52 weeks to work out an average week\u2019s pay.\n\n## Rolled-up holiday pay\n\nHoliday pay should be paid for the time when annual leave is taken. An employer cannot include an amount for holiday pay in the hourly rate (known as \u2018rolled-up holiday pay\u2019).\n\nIf a current contract still includes rolled-up pay, it needs to be re-negotiated.\n\n## More information\n\nThere\u2019s guidance for calculating holiday pay for workers without fixed hours or pay, which includes several examples.\n\nYou can also contact the Advisory, Conciliation and Arbitration Service (Acas) with questions about general holiday pay issues.\n\n## Booking time off\n\nThe general notice period for taking leave is at least twice as long as the amount of leave a worker wants to take, plus 1 day. For example, a worker would give 3 days\u2019 notice for 1 day\u2019s leave.\n\nAn employer can refuse a leave request or cancel leave but they must give as much notice as the amount of leave requested, plus 1 day. For example, an employer would give 11 days\u2019 notice if the worker asked for 10 days\u2019 leave.\n\nIf the contract says something different about the notice a worker or employer should give, what\u2019s in the contract will apply.\n\nAlthough employers can refuse to give leave at a certain time, they cannot refuse to let workers take the leave at all.\n\n## Part leave days\n\nSome workers may be entitled to a part leave day - for example if they\u2019re part-time or have a half day\u2019s leave to take. How a part day should be taken is up to the employer.\n\n## When leave can and cannot be taken\n\nEmployers can:\n\n- tell their staff to take leave, for example bank holidays or Christmas\n\n- restrict when leave can be taken, for example at certain busy periods\n\nThere may be rules about this in the employment contract or it may be what normally happens in the workplace.\n\nThe notice period for this is at least twice as long as the leave they want their staff to take. The employer must tell the worker before the notice period begins.\n\nIf an employer wants a worker to take leave, they need to make sure that the worker can relax, rest and enjoy leisure during their holiday. For example, an employer cannot force a sick worker to take leave.\n\n## Taking holiday before leaving a job\n\nDuring their notice period the worker may be able to take whatever is left of their statutory annual leave.\n\nUse the holiday entitlement calculator to work this out. How much they get depends on how much of the holiday year has passed.\n\n## Taking more leave than the entitlement\n\nIf a worker has taken more leave than they\u2019re entitled to, their employer must not take money from their final pay unless it\u2019s been agreed beforehand in writing. The rules in this situation should be outlined in the employment contract, company handbook or intranet.\n\n## Getting paid instead of taking holidays\n\nThe only time someone can get paid in place of taking statutory leave (known as \u2018payment in lieu\u2019) is when they leave their job. Employers must pay for untaken statutory leave, even if the worker is dismissed for gross misconduct.\n\nIf an employer offers more than 5.6 weeks\u2019 annual leave, they can agree separate arrangements for the extra leave.\n\n## Zero-hours contracts\n\nWhen a worker on a zero-hours contract has not worked for 4 weeks, this may be treated as the end of the employment. The employer will usually pay the worker for untaken leave, even if they\u2019re going to offer them more work later.\n\n## Workers on furlough because of coronavirus (COVID-19)\n\nWorkers have the right to build up (\u2018accrue\u2019) holiday entitlement while they\u2019re on temporary leave (\u2018furloughed\u2019) because of coronavirus (COVID-19). They can also take leave while on furlough.\n\n## Bank holidays\n\nIf a furloughed worker is not working on a bank holiday they usually take as paid leave, they can agree with their employer to either:\n\n- take it as normal\n\n- take it at a later date\n\nAn employer must give a worker at least 2 days\u2019 notice if they want them to take a bank holiday as paid leave, unless the worker\u2019s employment contract says something different.\n\nThe employer must tell the worker at least one day in advance of giving 2 days\u2019 notice.\n\n## Holiday pay\n\nAn employer can continue to claim for a furloughed worker\u2019s wages when the worker takes annual leave.\n\nCalculate holiday pay as normal for any time the worker was furloughed. If the holiday pay turns out to be more than the worker was paid during this time, their employer must pay the difference.\n\n## Agency workers\n\nAgency workers with \u2018worker status\u2019, including those who use an umbrella company, have their usual holiday entitlement when on furlough.\n\nTheir employer can claim a grant to help cover the cost of their wages.\n\nHoliday entitlement for those without worker status remains the same and depends on their contract.\n\nAgency workers may also be able to carry holiday into future leave years.\n\n## More information\n\nThere\u2019s more guidance on holiday entitlement and pay during coronavirus.\nYou can also find out more about holiday entitlement during coronavirus on the Acas website.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/holiday-entitlement-rights", + "answerable": true, + "scenario": "I am the manager on an office in Telford, and responsible for distributing holiday leave to my employees. One of my employees has a chronic illness that is flaring up this week.", + "original_question": "Can I make this employee take holiday leave?" + }, + { + "id": "train-726", + "question": "Scenario: I just handed in my notice for my office job in Dundee. I have a notice period of 4 weeks.\n\nQuestion: Can I take what is left of my annual leave entitlement during this time?\n\nDocument - Holiday entitlement:\n## Entitlement\n\nAlmost all workers are legally entitled to 5.6 weeks\u2019 paid holiday a year (known as statutory leave entitlement or annual leave).\n\nThis includes:\n\n- agency workers\n\n- workers with irregular hours\n\n- workers on zero-hours contracts\n\nAn employer can include bank holidays as part of statutory annual leave.\n\nCoronavirus (COVID-19) does not affect workers\u2019 entitlement to holiday pay and leave, except for carrying over leave.\n\n## Statutory annual leave entitlement\n\nMost workers who work a 5-day week must receive at least 28 days\u2019 paid annual leave a year. This is the equivalent of 5.6 weeks of holiday.\n\n## Working part-time\n\nPart-time workers are entitled to at least 5.6 weeks\u2019 paid holiday, but this will amount to fewer than 28 days.\n\nFor example, if they work 3 days a week, they must get at least 16.8 days\u2019 leave a year (3 \u00d7 5.6).\n\nUse the holiday entitlement calculator to work out a part-time worker\u2019s leave.\n\n## Irregular hours\n\nPeople working irregular hours (like shift workers or term-time workers) are entitled to paid time off for every hour they work.\n\nThey might find it helpful to get an estimate of holiday entitlement by calculating leave based on days or hours worked in an average week.\n\n## Limits on statutory leave\n\nStatutory paid holiday entitlement is limited to 28 days. For example, staff working 6 days a week are only entitled to 28 days\u2019 paid holiday.\n\n## Bank holidays\n\nBank or public holidays do not have to be given as paid leave.\n\nAn employer can choose to include bank holidays as part of a worker\u2019s statutory annual leave.\n\n## Extra leave\n\nAn employer can choose to offer more leave than the legal minimum. They do not have to apply all the rules that apply to statutory leave to the extra leave. For example, a worker might need to be employed for a certain amount of time before they become entitled to it.\n\n## Other aspects of holiday entitlement\n\nWorkers have the right to:\n\n- get paid for leave\n\n- build up (\u2018accrue\u2019) holiday entitlement during maternity, paternity and adoption leave\n\n- build up holiday entitlement while off work sick\n\n- request holiday at the same time as sick leave\n\n## Disputes\n\nPaid annual leave is a legal right that an employer must provide. If a worker thinks their right to leave and pay are not being met there are a number of ways to resolve the dispute.\n\n## Calculate leave entitlement\n\nAnnual leave begins to build up (\u2018accrue\u2019) as soon as a worker starts their job.\n\nAn employer can use a \u2018leave year\u2019 or an \u2018accrual\u2019 system to work out how much leave their staff should get.\n\nUse the holiday entitlement calculator to work out how much leave someone should get.\n\n## Leave year\n\nAn employer should tell their staff the dates of their statutory leave year as soon as they start working, for example, it might run from 1 January to 31 December.\n\nWorkers must take their statutory leave during this time. If a leave year is not set out in a contract then it will start:\n\n- on the first day of a new job (if started after 1 October 1998)\n\n- on 1 October (if started on or before 1 October 1998)\n\nThe leave year and holiday entitlement is not affected by maternity, paternity or adoption leave. The employee still builds up (\u2018accrues\u2019) holiday over these periods.\n\n## Leave entitlement when starting a new job\n\nIf a worker starts their job part-way through a leave year, they\u2019re only entitled to part of their total annual leave for the current leave year. What they get depends on how much of the year is left.\n\nUse the holiday entitlement calculator to work out how much leave someone has left.\n\n## Accrual system\n\nAn employer can use an accrual system to work out a worker\u2019s leave during the first year of the job. Under this system, a worker gets one-twelfth of their leave in each month.\n\n## Carrying over leave\n\nThe worker\u2019s contract says how many days\u2019 leave they can carry over into the next year.\n\nIf a worker gets 28 days\u2019 leave, they can carry over a maximum of 8 days.\n\nIf a worker gets more than 28 days\u2019 leave, their employer may allow them to carry over any additional untaken leave. Check the employment contract, company handbook or intranet to see what the rules say.\n\n## Leave affected by coronavirus (COVID-19)\n\nWorkers may be able to carry over untaken leave into the next 2 years if they cannot take it because their work is affected by coronavirus.\n\nThey could do this if, for example:\n\n- they need to provide cover for their co-workers and have no other opportunity to take holiday in their leave year\n\n- there will be staff shortages if too many workers take their leave before the end of the leave year\n\n- they\u2019re classed as critical workers, such as healthcare or supermarket workers\n\nIf a worker is able to take leave, the standard rules for carrying over leave still apply.\n\n## Workers on parental or sick leave\n\nIf a worker cannot take all of their leave entitlement because they\u2019re already on a different type of leave (for example sick, maternity or parental leave), they can carry over some or all of the untaken leave into the next leave year.\n\nAn employer must allow a worker to carry over a maximum of 20 of their 28 days\u2019 leave entitlement if the worker could not take annual leave because they were off sick.\n\n## Holiday pay\n\nWorkers are entitled to a week\u2019s pay for each week of statutory leave that they take.\n\nMost workers are entitled to 5.6 weeks\u2019 paid holiday a year. You can use the holiday calculator to work out how much leave someone should get.\n\nA week\u2019s pay is worked out according to the kind of hours someone works and how they\u2019re paid for the hours. This includes full-time, part-time, term-time and casual workers.\n\n| Working pattern | How a week\u2019s pay is calculated |\n\n| Fixed hours and fixed pay (full- or part-time) | A worker\u2019s pay for a week |\n\n| Shift work with fixed hours (full- or part-time) | The average number of weekly fixed hours a worker has worked in the previous 52 weeks, at their average hourly rate |\n\n| No fixed hours (casual work, including zero-hours contracts) | A worker\u2019s average pay from the previous 52 weeks (only counting weeks in which they were paid) |\n\n## Calculating average hourly or weekly rate\n\nTo calculate average hourly rate, only the hours worked and how much was paid for them should be counted. Take the average rate over the last 52 weeks.\n\nA \u2018week\u2019 usually runs from Sunday to Saturday. Only use another 7-day period (like Thursday to Wednesday) if that\u2019s how a worker\u2019s pay is calculated.\n\nIf no pay was paid in any week, count back another week so the rate is based on 52 weeks in which pay was paid. You can count back a maximum of 104 weeks to find these.\n\nIf a worker has less than 52 weeks of pay, use the average pay rate for the full weeks they have worked.\n\n## Workers who are paid monthly\n\nTo work out a week\u2019s pay for someone who\u2019s paid monthly:\n\n- Calculate the worker\u2019s average hourly pay for the last month. Do this by dividing the month\u2019s pay by the number of hours worked in the month.\n\n- Calculate the weekly pay. Do this by multiplying the average hourly pay by the number of hours worked in a week.\n\nUse the weekly pay calculation for each of the last 52 weeks to work out an average week\u2019s pay.\n\n## Rolled-up holiday pay\n\nHoliday pay should be paid for the time when annual leave is taken. An employer cannot include an amount for holiday pay in the hourly rate (known as \u2018rolled-up holiday pay\u2019).\n\nIf a current contract still includes rolled-up pay, it needs to be re-negotiated.\n\n## More information\n\nThere\u2019s guidance for calculating holiday pay for workers without fixed hours or pay, which includes several examples.\n\nYou can also contact the Advisory, Conciliation and Arbitration Service (Acas) with questions about general holiday pay issues.\n\n## Booking time off\n\nThe general notice period for taking leave is at least twice as long as the amount of leave a worker wants to take, plus 1 day. For example, a worker would give 3 days\u2019 notice for 1 day\u2019s leave.\n\nAn employer can refuse a leave request or cancel leave but they must give as much notice as the amount of leave requested, plus 1 day. For example, an employer would give 11 days\u2019 notice if the worker asked for 10 days\u2019 leave.\n\nIf the contract says something different about the notice a worker or employer should give, what\u2019s in the contract will apply.\n\nAlthough employers can refuse to give leave at a certain time, they cannot refuse to let workers take the leave at all.\n\n## Part leave days\n\nSome workers may be entitled to a part leave day - for example if they\u2019re part-time or have a half day\u2019s leave to take. How a part day should be taken is up to the employer.\n\n## When leave can and cannot be taken\n\nEmployers can:\n\n- tell their staff to take leave, for example bank holidays or Christmas\n\n- restrict when leave can be taken, for example at certain busy periods\n\nThere may be rules about this in the employment contract or it may be what normally happens in the workplace.\n\nThe notice period for this is at least twice as long as the leave they want their staff to take. The employer must tell the worker before the notice period begins.\n\nIf an employer wants a worker to take leave, they need to make sure that the worker can relax, rest and enjoy leisure during their holiday. For example, an employer cannot force a sick worker to take leave.\n\n## Taking holiday before leaving a job\n\nDuring their notice period the worker may be able to take whatever is left of their statutory annual leave.\n\nUse the holiday entitlement calculator to work this out. How much they get depends on how much of the holiday year has passed.\n\n## Taking more leave than the entitlement\n\nIf a worker has taken more leave than they\u2019re entitled to, their employer must not take money from their final pay unless it\u2019s been agreed beforehand in writing. The rules in this situation should be outlined in the employment contract, company handbook or intranet.\n\n## Getting paid instead of taking holidays\n\nThe only time someone can get paid in place of taking statutory leave (known as \u2018payment in lieu\u2019) is when they leave their job. Employers must pay for untaken statutory leave, even if the worker is dismissed for gross misconduct.\n\nIf an employer offers more than 5.6 weeks\u2019 annual leave, they can agree separate arrangements for the extra leave.\n\n## Zero-hours contracts\n\nWhen a worker on a zero-hours contract has not worked for 4 weeks, this may be treated as the end of the employment. The employer will usually pay the worker for untaken leave, even if they\u2019re going to offer them more work later.\n\n## Workers on furlough because of coronavirus (COVID-19)\n\nWorkers have the right to build up (\u2018accrue\u2019) holiday entitlement while they\u2019re on temporary leave (\u2018furloughed\u2019) because of coronavirus (COVID-19). They can also take leave while on furlough.\n\n## Bank holidays\n\nIf a furloughed worker is not working on a bank holiday they usually take as paid leave, they can agree with their employer to either:\n\n- take it as normal\n\n- take it at a later date\n\nAn employer must give a worker at least 2 days\u2019 notice if they want them to take a bank holiday as paid leave, unless the worker\u2019s employment contract says something different.\n\nThe employer must tell the worker at least one day in advance of giving 2 days\u2019 notice.\n\n## Holiday pay\n\nAn employer can continue to claim for a furloughed worker\u2019s wages when the worker takes annual leave.\n\nCalculate holiday pay as normal for any time the worker was furloughed. If the holiday pay turns out to be more than the worker was paid during this time, their employer must pay the difference.\n\n## Agency workers\n\nAgency workers with \u2018worker status\u2019, including those who use an umbrella company, have their usual holiday entitlement when on furlough.\n\nTheir employer can claim a grant to help cover the cost of their wages.\n\nHoliday entitlement for those without worker status remains the same and depends on their contract.\n\nAgency workers may also be able to carry holiday into future leave years.\n\n## More information\n\nThere\u2019s more guidance on holiday entitlement and pay during coronavirus.\nYou can also find out more about holiday entitlement during coronavirus on the Acas website.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/holiday-entitlement-rights", + "answerable": true, + "scenario": "I just handed in my notice for my office job in Dundee. I have a notice period of 4 weeks.", + "original_question": "Can I take what is left of my annual leave entitlement during this time?" + }, + { + "id": "train-729", + "question": "Scenario: My employee is adopting a child from Spain. They have been employed for 36 weeks at the time they have informed me about the adoption. They have given all of the relevant information. And they are requesting statutory adoption pay.\n\nQuestion: Is this employee eligible for statutory adoption pay?\n\nDocument - Statutory Adoption Pay and Leave: employer guide:\n## Entitlement\n\nWhen an employee takes time off to adopt a child or have a child through a surrogacy arrangement they might be eligible for Statutory Adoption Pay and Leave.\n\n## Statutory Adoption Leave\n\nEmployees can take up to 52 weeks\u2019 Statutory Adoption Leave. The first 26 weeks is known as \u2018Ordinary Adoption Leave\u2019, the last 26 weeks as \u2018Additional Adoption Leave\u2019.\n\nLeave can start:\n\n- on the date the child starts living with the employee or up to 14 days before the expected placement date (UK adoptions)\n\n- when an employee has been matched with a child to be placed with them by a UK adoption agency\n\n- when the child arrives in the UK or within 28 days of this date (overseas adoptions)\n\n- the day the child\u2019s born or the day after (parents in surrogacy arrangements)\n\n## Statutory Adoption Pay\n\nStatutory Adoption Pay (SAP) for employees is:\n\n- 90% of their gross average weekly earnings for the first 6 weeks\n\n- \u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower) for the next 33 weeks\n\nTax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s adoption leave and pay using the maternity and paternity calculator.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement.\n\n## Extra leave or pay\n\nYou can offer more than the statutory amounts if you have a company scheme for adoption leave and pay. You must make sure your scheme\u2019s policies are clear and available to staff.\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during adoption leave. You still have to pay Statutory Adoption Pay even if you stop trading.\n\n## Eligibility\n\nSome employees will not qualify for both leave and pay.\n\n## Statutory Adoption Leave\n\nEmployees must:\n\n- give you the correct notice\n\n- be classed as an employee\n\nThey do not have to give you proof of the adoption or surrogacy unless you ask for it.\n\n## Leave for employees adopting a child from overseas\n\nEmployee must also sign form SC6 if they\u2019re adopting from overseas with a partner. This confirms they\u2019re not taking paternity leave or pay.\n\n## Statutory Adoption Pay\n\nEmployees must:\n\n- have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child\n\n- be on your payroll and earn at least \u00a3120 a week in an 8-week period - the \u2018relevant period\u2019\n\n- give you the correct notice\n\n- give you proof of the adoption\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the adoption pay calculator to check an employee\u2019s eligibility and work out their matching week, relevant period, notice period and adoption pay.\n\nThere are special rules for some employee situations, for example if they leave, become sick or if they or their child dies.\n\n## Pay for employees adopting a child from overseas\n\nThe requirements are the same for employees adopting from overseas, except they must have been continuously employed by you for at least 26 weeks at the start of the week when the pay will begin.\n\nThey must also sign form SC6 if they\u2019re adopting with a partner. This confirms they\u2019re not taking paternity leave or pay.\n\n## Pay for employees in surrogacy arrangements\n\nThe requirements are the same for employees in surrogacy arrangements, except they must have been continuously employed by you for at least 26 weeks up to any day in the 15th week before the baby is due.\n\nIf you ask for it, they must also give you proof that they intend to become the baby\u2019s legal parent.\n\n## Who cannot qualify\n\nEmployees will not qualify for either adoption leave or pay if they:\n\n- become a special guardian or kinship carer\n\n- adopt a stepchild or family member\n\n- adopt privately, for example without permission from a UK authority or adoption agency\n\n## Notice period\n\nNotice does not have to be in writing unless you request it.\n\n## Statutory Adoption Pay\n\nEmployees must give you 28 days\u2019 notice before they want to be paid Statutory Adoption Pay, unless the time between the child being matched and placed is less than that.\n\n## Statutory Adoption Leave\n\nWithin 7 days of being matched with a child, employees must tell you:\n\n- how much leave they want\n\n- their leave start date\n\n- the \u2018date of placement\u2019 - the expected or actual date the child is placed with them\n\nYou have 28 days to write to them confirming their leave start and end date.\n\nThere are different rules for overseas adoptions and surrogacy arrangements.\n\n## Leave for employees adopting a child from overseas\n\nWithin 28 days of getting their \u2018official notification\u2019, employees adopting from overseas must tell you the date of the notification and when they expect the child to arrive in the UK.\n\nIf they\u2019ve worked for you for less than 26 weeks, they can tell you within 28 days of the Sunday in their 26th week instead.\n\nThey must also tell you:\n\n- the actual date the child arrives in the UK - within 28 days of this date\n\n- how much leave they want and when they want it to start - giving you 28 days\u2019 notice\n\nYou have 28 days to write to them confirming their leave start and end date.\n\n## Leave for employees in surrogacy arrangements\n\nAt least 15 weeks before the due date, employees in surrogacy arrangements must tell you when the baby is due and when they want to start their leave. You can ask for this in writing.\n\nYou have 28 days to write to them confirming their leave start and end date.\n\n## Changes to leave dates\n\nEmployees must tell you about changes to leave dates at least 28 days before their original start date or the new start date - whichever is earlier.\n\nYou must write to them if you have to amend their leave start and end dates.\n\nEmployees must give 8 weeks\u2019 notice if they want to change the date they return to work.\n\n## Proof of adoption\n\nEmployees must give you proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless you ask for it.\n\nFor adoption, the proof must show the:\n\n- name and address of the agency and employee\n\n- date the child was matched, for example the matching certificate\n\n- expected or actual date of placement, for example a letter from the agency\n\n- relevant UK authority\u2019s \u2018official notification\u2019 confirming the parent is allowed to adopt (overseas adoptions only)\n\n- date the child arrived in the UK, for example a plane ticket (overseas adoptions only)\n\nYou must keep records of the proof.\n\n## Surrogacy arrangements\n\nProof is not needed for leave or pay unless you ask for it.\n\nIf you ask, employees must give you a written statement (\u2018statutory declaration\u2019) to confirm that they:\n\n- intend to apply for a parental order in the 6 months after the baby\u2019s birth\n\n- expect the order to be granted (for example because they do not have any convictions involving children, and the birth mother or father agree to the arrangement)\n\n## Refusing pay or leave\n\n## Statutory Adoption Leave\n\nYou cannot refuse adoption leave or change the amount of leave employees want to take off.\n\nFor adoption, you can delay the start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.\n\n## Statutory Adoption Pay\n\nYou can refuse Statutory Adoption Pay if the employee does not qualify.\n\nTo refuse it, give the employee form SAP1 within 7 days of your decision. They must get this form within 28 days of their request for Statutory Adoption Pay or the date they were matched with the child (whichever is earlier).\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- proof of adoption\n\n- the date Statutory Adoption Pay started\n\n- the payments of Statutory Adoption Pay you\u2019ve made - including dates\n\n- the payments you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for 3 years from the end of the tax year they relate to (for example by using form SAP2 or keeping your own records).\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "answerable": true, + "scenario": "My employee is adopting a child from Spain. They have been employed for 36 weeks at the time they have informed me about the adoption. They have given all of the relevant information. And they are requesting statutory adoption pay.", + "original_question": "Is this employee eligible for statutory adoption pay?" + }, + { + "id": "train-730", + "question": "Scenario: An employee has notified me 7 days after getting matched with a child. They have said they want start the paid leave 15 days from now. This seems quite soon.\n\nQuestion: Is there a minimum time for notice regarding paid leave?\n\nDocument - Statutory Adoption Pay and Leave: employer guide:\n## Entitlement\n\nWhen an employee takes time off to adopt a child or have a child through a surrogacy arrangement they might be eligible for Statutory Adoption Pay and Leave.\n\n## Statutory Adoption Leave\n\nEmployees can take up to 52 weeks\u2019 Statutory Adoption Leave. The first 26 weeks is known as \u2018Ordinary Adoption Leave\u2019, the last 26 weeks as \u2018Additional Adoption Leave\u2019.\n\nLeave can start:\n\n- on the date the child starts living with the employee or up to 14 days before the expected placement date (UK adoptions)\n\n- when an employee has been matched with a child to be placed with them by a UK adoption agency\n\n- when the child arrives in the UK or within 28 days of this date (overseas adoptions)\n\n- the day the child\u2019s born or the day after (parents in surrogacy arrangements)\n\n## Statutory Adoption Pay\n\nStatutory Adoption Pay (SAP) for employees is:\n\n- 90% of their gross average weekly earnings for the first 6 weeks\n\n- \u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower) for the next 33 weeks\n\nTax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s adoption leave and pay using the maternity and paternity calculator.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement.\n\n## Extra leave or pay\n\nYou can offer more than the statutory amounts if you have a company scheme for adoption leave and pay. You must make sure your scheme\u2019s policies are clear and available to staff.\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during adoption leave. You still have to pay Statutory Adoption Pay even if you stop trading.\n\n## Eligibility\n\nSome employees will not qualify for both leave and pay.\n\n## Statutory Adoption Leave\n\nEmployees must:\n\n- give you the correct notice\n\n- be classed as an employee\n\nThey do not have to give you proof of the adoption or surrogacy unless you ask for it.\n\n## Leave for employees adopting a child from overseas\n\nEmployee must also sign form SC6 if they\u2019re adopting from overseas with a partner. This confirms they\u2019re not taking paternity leave or pay.\n\n## Statutory Adoption Pay\n\nEmployees must:\n\n- have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child\n\n- be on your payroll and earn at least \u00a3120 a week in an 8-week period - the \u2018relevant period\u2019\n\n- give you the correct notice\n\n- give you proof of the adoption\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the adoption pay calculator to check an employee\u2019s eligibility and work out their matching week, relevant period, notice period and adoption pay.\n\nThere are special rules for some employee situations, for example if they leave, become sick or if they or their child dies.\n\n## Pay for employees adopting a child from overseas\n\nThe requirements are the same for employees adopting from overseas, except they must have been continuously employed by you for at least 26 weeks at the start of the week when the pay will begin.\n\nThey must also sign form SC6 if they\u2019re adopting with a partner. This confirms they\u2019re not taking paternity leave or pay.\n\n## Pay for employees in surrogacy arrangements\n\nThe requirements are the same for employees in surrogacy arrangements, except they must have been continuously employed by you for at least 26 weeks up to any day in the 15th week before the baby is due.\n\nIf you ask for it, they must also give you proof that they intend to become the baby\u2019s legal parent.\n\n## Who cannot qualify\n\nEmployees will not qualify for either adoption leave or pay if they:\n\n- become a special guardian or kinship carer\n\n- adopt a stepchild or family member\n\n- adopt privately, for example without permission from a UK authority or adoption agency\n\n## Notice period\n\nNotice does not have to be in writing unless you request it.\n\n## Statutory Adoption Pay\n\nEmployees must give you 28 days\u2019 notice before they want to be paid Statutory Adoption Pay, unless the time between the child being matched and placed is less than that.\n\n## Statutory Adoption Leave\n\nWithin 7 days of being matched with a child, employees must tell you:\n\n- how much leave they want\n\n- their leave start date\n\n- the \u2018date of placement\u2019 - the expected or actual date the child is placed with them\n\nYou have 28 days to write to them confirming their leave start and end date.\n\nThere are different rules for overseas adoptions and surrogacy arrangements.\n\n## Leave for employees adopting a child from overseas\n\nWithin 28 days of getting their \u2018official notification\u2019, employees adopting from overseas must tell you the date of the notification and when they expect the child to arrive in the UK.\n\nIf they\u2019ve worked for you for less than 26 weeks, they can tell you within 28 days of the Sunday in their 26th week instead.\n\nThey must also tell you:\n\n- the actual date the child arrives in the UK - within 28 days of this date\n\n- how much leave they want and when they want it to start - giving you 28 days\u2019 notice\n\nYou have 28 days to write to them confirming their leave start and end date.\n\n## Leave for employees in surrogacy arrangements\n\nAt least 15 weeks before the due date, employees in surrogacy arrangements must tell you when the baby is due and when they want to start their leave. You can ask for this in writing.\n\nYou have 28 days to write to them confirming their leave start and end date.\n\n## Changes to leave dates\n\nEmployees must tell you about changes to leave dates at least 28 days before their original start date or the new start date - whichever is earlier.\n\nYou must write to them if you have to amend their leave start and end dates.\n\nEmployees must give 8 weeks\u2019 notice if they want to change the date they return to work.\n\n## Proof of adoption\n\nEmployees must give you proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless you ask for it.\n\nFor adoption, the proof must show the:\n\n- name and address of the agency and employee\n\n- date the child was matched, for example the matching certificate\n\n- expected or actual date of placement, for example a letter from the agency\n\n- relevant UK authority\u2019s \u2018official notification\u2019 confirming the parent is allowed to adopt (overseas adoptions only)\n\n- date the child arrived in the UK, for example a plane ticket (overseas adoptions only)\n\nYou must keep records of the proof.\n\n## Surrogacy arrangements\n\nProof is not needed for leave or pay unless you ask for it.\n\nIf you ask, employees must give you a written statement (\u2018statutory declaration\u2019) to confirm that they:\n\n- intend to apply for a parental order in the 6 months after the baby\u2019s birth\n\n- expect the order to be granted (for example because they do not have any convictions involving children, and the birth mother or father agree to the arrangement)\n\n## Refusing pay or leave\n\n## Statutory Adoption Leave\n\nYou cannot refuse adoption leave or change the amount of leave employees want to take off.\n\nFor adoption, you can delay the start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.\n\n## Statutory Adoption Pay\n\nYou can refuse Statutory Adoption Pay if the employee does not qualify.\n\nTo refuse it, give the employee form SAP1 within 7 days of your decision. They must get this form within 28 days of their request for Statutory Adoption Pay or the date they were matched with the child (whichever is earlier).\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- proof of adoption\n\n- the date Statutory Adoption Pay started\n\n- the payments of Statutory Adoption Pay you\u2019ve made - including dates\n\n- the payments you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for 3 years from the end of the tax year they relate to (for example by using form SAP2 or keeping your own records).\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "answerable": true, + "scenario": "An employee has notified me 7 days after getting matched with a child. They have said they want start the paid leave 15 days from now. This seems quite soon.", + "original_question": "Is there a minimum time for notice regarding paid leave?" + }, + { + "id": "train-733", + "question": "Scenario: I am the acting human resources manager for a medical devices company in London, which currently has 27 employees. We are about to recruit our first newly-qualified graduates into our workforce, and expect most (if not all) of them to have outstanding student loan repayment obligations.\n\nQuestion: Are we obliged to ask new hires about their student loans, or is it up to the employee to voluntarily disclose them?\n\nDocument - Tell HMRC about a new employee:\n## Overview\n\nYou must tell HM Revenue and Customs (HMRC) when you take on a new employee and be registered as an employer.\n\nBefore you pay your new starter follow these steps.\n\n- Check you need to pay them through PAYE.\n\n- Get employee information to work out their tax code - if you do not have their P45, use HMRC\u2019s \u2018starter checklist\u2019 (which replaced the P46).\n\n- Find out if they need to repay a student loan.\n\n- Use these details to set up your new employee in your payroll software.\n\n- Register your employee with HMRC using a Full Payment Submission (FPS).\n\nYou must also follow the same steps as when you start employing staff for the first time, for example checking they can work in the UK.\n\n## Check you need to pay someone through PAYE\n\nYou usually have to pay your employees through PAYE if they earn \u00a3120 or more a week (\u00a3520 a month or \u00a36,240 a year).\n\nYou do not need to pay self-employed workers through PAYE.\n\n## Working out if someone is an employee or self-employed\n\nAs a general rule, someone is:\n\n- employed if they work for you and do not have any of the risks associated with running a business\n\n- self-employed if they run their own business and are responsible for its success or failure\n\nYou must check each worker\u2019s employment status to make sure they\u2019re not self-employed. If you get it wrong you may have to pay extra tax, National Insurance, interest and a penalty.\n\n## Temporary or agency workers\n\nYou need to operate PAYE on temporary workers that you pay directly, as long as they\u2019re classed as an employee.\n\nYou do not need to operate PAYE if a worker is paid by an agency, unless the agency\u2019s based abroad and does not have a trading address or representative in the UK.\n\nThere are special rules for harvest workers or shoot beaters employed for less than 2 weeks.\n\n## Employees you only pay once\n\nYou operate PAYE differently for employees you only pay once.\n\nSet up a payroll record with their full name and address. If you give them a payroll ID, make sure it\u2019s unique.\n\nWhen you send your Full Payment Submission (FPS):\n\n- use tax code \u20180T\u2019 on a \u2018Week 1\u2019 or \u2018Month 1\u2019 basis\n\n- put \u2018IO\u2019 in the \u2018Pay frequency\u2019 field\n\n- do not put a start or leaving date\n\nGive your employee a statement showing their pay before and after deductions, and the payment date, for example a payslip or a letter. Do not give them a P45.\n\n## Volunteers\n\nYou do not need to operate PAYE on volunteers if they only get expenses that are not subject to tax or National Insurance - check if their expenses are affected.\n\n## Students\n\nOperate PAYE on students in the same way as you do for other employees.\n\n## Get employee information\n\nYou need to get certain information from your employee so you can set them up with the correct tax code and starter declaration on your payroll software.\n\nYou\u2019ll usually get most of this information from the employee\u2019s P45, but they\u2019ll have to fill in a \u2018starter checklist\u2019 (which replaced the P46 form) if they do not have a recent P45.\n\nYou\u2019ll need your employee\u2019s:\n\n- date of birth\n\n- gender\n\n- full address\n\n- start date\n\nFrom your employee\u2019s P45, you\u2019ll need their:\n\n- full name\n\n- leaving date from their last job\n\n- total pay and tax paid to date for the current tax year\n\n- student loan deduction status\n\n- National Insurance number\n\n- existing tax code\n\nYou must keep this information in your payroll records for the current year and the 3 following tax years.\n\n## If your employee does not have a P45\n\nAsk your employee for this information if you do not have their P45, or if they left their last job before 6 April 2020.\n\nThe P46 form is no longer used.\n\nGet the information by asking your new employee to complete HMRC\u2019s new starter checklist.\n\n## If your employee has more than one P45\n\nYou should use the P45 with the latest date and give the other one back to the employee.\n\nIf they have the same leaving date use the P45 with the highest tax free allowance (or least additional pay for a K code) and give the other one back to the employee.\n\n## Work out your employee\u2019s tax code\n\nWhen you\u2019ve got your employee\u2019s information you can use a tool to:\n\n- work out their tax code and starter declaration\n\n- find out what else to do before you pay your employee for the first time\n\nWork out your employee\u2019s tax code\n\n## Employees you only pay once and secondments from abroad\n\nThere\u2019s a different way to work out tax codes for employees who you only pay once or who are seconded from abroad.\n\n## Student loan repayments\n\nYou should make student loan deductions if any of the following apply:\n\n- your new employee\u2019s P45 shows that deductions should continue\n\n- your new employee tells you they\u2019re repaying a student loan or a postgraduate loan, for example on a starter checklist\n\n- HM Revenue and Customs (HMRC) sends you form SL1 or form PGL1 and your employee earns over the income threshold for their loan\n\n## What you need to do\n\nYou should follow these steps even if your employee has a P45 from their last job.\n\nAsk your new employee if they have a student loan or a postgraduate loan - they may have both. If they finished their studies after 6 April in the current tax year, they will not start to repay their loan until the next tax year.\n\nRecord their answer in your payroll software. You do not need to calculate their loan recovery repayments - your payroll software will do this for you.\n\nIf your employee has a student loan, ask them to sign in to their repayment account and check which plan to use for deductions. They can contact the Student Loans Company if they\u2019re still not sure.\n\nIf they cannot tell you, use Plan 1 in your payroll software until you get a student loan start notice (SL1).\n\nWhere the employee is on more than one plan, start deductions for the plan with the lowest recovery threshold until you get an SL1. Check the student loan recovery thresholds.\n\nReport these deductions to HMRC when you pay your employee.\n\n## Special rules\n\nIn some cases there are special rules for making student loan deductions. Examples include:\n\n- you\u2019re sent a court order to collect a debt directly from your employee\u2019s earnings\n\n- you change how often you pay your employee, such as from weekly to monthly\n\n- the employee has more than one job with you and you need to aggregate earnings\n\n## Stopping deductions\n\nHMRC will tell you if you need to stop making loan deductions from your employees\u2019 pay. They\u2019ll send you:\n\n- form SL2 for student loans\n\n- form PGL2 for postgraduate loans\n\nDo not stop making deductions if an employee asks you to.\n\n## Registering your new employee\n\nRegister your new employee with HM Revenue and Customs (HMRC) by including their details on a Full Payment Submission (FPS) the first time you pay them.\n\nOn this FPS, include:\n\n- information you\u2019ve collected from them\n\n- the tax code and starter declaration that you\u2019ve worked out\n\n- pay and deductions (for example tax, National Insurance and student loan deductions) since they started working for you - do not include figures from their previous job\n\n## Giving your employee a payroll ID\n\nYou can assign payroll IDs to your employees. The ID must be unique - so use a different one if:\n\n- you re-employ someone - if you do this within the same tax year restart their year-to-date information from \u2018\u00a30.00\u2019\n\n- an employee has more than one job in the same PAYE scheme\n\nIf you re-use a previous payroll ID, you\u2019ll create a duplicate record and report payroll incorrectly.\n\n## Special rules\n\nThere are special rules for making deductions for:\n\n- female employees entitled to reduced National Insurance\n\n- employees you only pay once\n\n- harvest workers and casual beaters\n\n- certain employees with more than one job\n\n## Late P45 or starter checklist\n\nYou may need to update your payroll records if your employee gives you a P45 or starter checklist after you\u2019ve registered them with HM Revenue and Customs (HMRC).\n\nYou only need a starter checklist from your employee to work out their tax code if they do not have a P45, or if they left their last job before 6 April 2020.\n\n## If HMRC has sent you a tax code\n\nUse the tax code that HMRC has sent you if your employee gives you a P45 or starter checklist after you\u2019ve first paid them. Deduct any student loan repayments from the date your employee started with you.\n\n## If HMRC has not sent you a code\n\n## Late P45\n\nUse your employee\u2019s P45 to work out their tax code and update their details in your payroll software.\n\nIf your employee left their last job after 5 April 2021, you should also update both the \u2018Total pay to date\u2019 and \u2018Total tax to date\u2019 fields in your payroll software for the first week you included this information. If your software finds errors, update the fields with the correct figures.\n\n## Late starter checklist\n\nUse your employee\u2019s starter checklist to update the starter declaration in your payroll records.\n\nKeep using the tax code you used in your first Full Payment Submission (FPS) until HMRC sends you a new one.\n\n## When you next pay your employee\n\nDo not enter another start date on the FPS, even if you have not reported a start date before.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/new-employee", + "answerable": true, + "scenario": "I am the acting human resources manager for a medical devices company in London, which currently has 27 employees. We are about to recruit our first newly-qualified graduates into our workforce, and expect most (if not all) of them to have outstanding student loan repayment obligations.", + "original_question": "Are we obliged to ask new hires about their student loans, or is it up to the employee to voluntarily disclose them?" + }, + { + "id": "train-734", + "question": "Scenario: I am the managing director of a dairy products producer in Wales. My workforce is already part-unionised; however, another union is now requesting recognition to represent a potentially much larger group of my employees. I fear that negotiations over demarcation are likely to become complex.\n\nQuestion: Can I request that Acas be brought in to assist with the negotiations?\n\nDocument - Employers: recognise a trade union:\n## Overview\n\nAs an employer you may need to work with trade unions that represent groups of your employees, sometimes known as bargaining units.\n\nTrade unions will negotiate with you on working conditions, for example pay and holiday. You need to recognise the trade union before they can negotiate with you.\n\n## How a trade union gets recognition\n\n- The union must ask you to recognise them voluntarily - if you agree to the request then the union is recognised.\n\n- If you do not want to recognise the union and have more than 21 employees, they can apply for statutory recognition from the Central Arbitration Committee (CAC).\n\n## When the union requests recognition\n\nThe union must ask you - the employer - in writing if you\u2019ll agree to recognise them voluntarily.\n\nThe written request must:\n\n- give the name of the union\n\n- identify which employees will be represented by the union when it\u2019s recognised, sometimes known as the bargaining unit\n\n- state that the union is making the request under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\n## Respond to the request\n\nYou have 10 working days to respond to the request.\n\nYou can:\n\n- agree to recognise the union voluntarily - and begin collective bargaining\n\n- reject the request - the union may then apply for statutory recognition\n\n- refuse the initial request but agree to negotiate\n\n## Negotiate with the union\n\nYou have 20 working days, or longer if you agree this with the union, to come to an agreement about:\n\n- which employees are in the bargaining unit\n\n- whether the union should be recognised for collective bargaining\n\nYou have 10 days to suggest that the Advisory, Conciliation and Arbitration Service (Acas) are brought in to assist with the negotiations.\n\n## What happens next\n\nIf you cannot agree, or you\u2019ve agreed the bargaining unit but not recognised the union, the union can apply to the Central Arbitration Committee (CAC) for statutory recognition.\n\n## When the union applies for statutory recognition\n\nThe union can apply to the Central Arbitration Committee (CAC) for \u2018statutory recognition\u2019 if you do not agree to recognise them voluntarily.\n\nCAC will accept the trade union\u2019s application for recognition if it meets the requirements, unless you challenge the application.\n\n## Providing information to the CAC\n\nYou may be asked for information by the CAC case manager who is handling the union\u2019s application, for example, how many employees are in the bargaining unit. CAC will still consider the application if you do not provide the information.\n\n## Challenge an application\n\nYou can challenge the application if you think it does not meet the requirements.\n\n## Application requirements\n\nThe union can apply if:\n\n- they\u2019ve sent you a copy of their application and any supporting documents\n\n- they have at least 10% union membership within the proposed bargaining unit\n\n- they have evidence that a majority of employees are in favour of recognition - for example, a petition\n\nThey cannot apply if:\n\n- they\u2019ve applied for recognition in the last 3 years\n\n- they are not a certified independent union\n\n- there\u2019s already a recognition agreement that allows another union to represent employees in the bargaining unit\n\n- another union - representing 10% of the employees in the proposed bargaining unit - has already applied to CAC\n\n## How to complain\n\nCAC will send you a form so you can challenge the application if you think that the union has not met one or more of the requirements.\n\nYou have 5 working days to send it to CAC - the address is on the form.\n\nYou\u2019ll hear from CAC within 10 working days. They may:\n\n- ask for more information so they can make a decision\n\n- reject the application if the union has not met the requirements\n\n- accept the union\u2019s application\n\n## When the CAC accepts a union\u2019s application\n\nYou\u2019ll need to start discussions about which employees the union will represent, sometimes known as the bargaining unit.\n\n## Establishing the bargaining unit\n\nThe \u2018bargaining unit\u2019 is the group of employees that will be represented by the union.\n\nYou can agree who is in this unit with the union as part of your negotiations. If you do not, the Central Arbitration Committee (CAC) will decide.\n\n## Providing information to the union and the CAC\n\nIf CAC accepts the union\u2019s application for statutory recognition and you have not agreed on the bargaining unit with them, you must send CAC and the union:\n\n- a list of the categories of employees who will be in the proposed bargaining unit, for example, technical and skilled but not managers\n\n- a list of the places where they work\n\n- the number of employees in each category at each workplace\n\nYou have 5 working days to send this from the date the application is accepted.\n\n## How the CAC decides on the bargaining unit\n\nCAC will hold a hearing and decide the bargaining unit based on:\n\n- your views and those of the union\n\n- compatibility with effective management of your company\n\n- existing national and bargaining arrangements\n\n## Work with a \u2018suitable independent person\u2019 (SIP)\n\nWhen the bargaining unit has been agreed the union may ask CAC to appoint a SIP to communicate with employees in the bargaining unit. If this happens, you must give the SIP the names and addresses of:\n\n- employees in the proposed bargaining unit\n\n- any employees who join or leave the bargaining unit\n\nIf you do not provide this information, you\u2019ll get a \u2018remedial order\u2019 from CAC. You must do what the order says or CAC could declare that you must recognise the union.\n\n## When the bargaining unit has been agreed or decided\n\nCAC will decide if there needs to be a ballot of employees.\n\n## Ballot on union recognition\n\nYour employees will be balloted about whether they want the union to be recognised if the majority of employees in the bargaining unit are not members of the union.\n\nThe Central Arbitration Committee (CAC) may hold a ballot even if the majority of your employees are union members but they believe any of the following:\n\n- it\u2019ll help maintain good relations between you and your employees\n\n- there\u2019s evidence that a significant number of union members in the bargaining unit do not want the union to represent them\n\n- there are concerns about why some members joined the union, for example, they were pressured\n\nCAC will ask for your views and the union\u2019s on these issues.\n\n## Before the ballot\n\nYou\u2019ll get a letter telling you whether there\u2019ll be a ballot. A ballot can be held at the workplace, by post or both. CAC will ask for your views and the union\u2019s before they decide what kind of ballot to hold.\n\nThe union has 10 days to withdraw its application. If it does not, CAC will appoint a qualified independent person (QIP) to run the ballot.\n\nThe ballot will usually be held within 20 working days of the QIP being appointed.\n\n## Your responsibilities\n\nThe cost of the ballot is split equally between you and the union.\n\nYou must:\n\n- make sure the union can talk to employees in the bargaining unit - for example, allow them to hold meetings without you\n\n- give CAC a list of names and addresses of employees in the bargaining unit - and update it when people join or leave\n\n- not ask employees to miss meetings, unless it\u2019s absolutely necessary\n\n- not threaten or take any action against a worker because they attended a meeting\n\nThe union can complain to CAC if they think you have not co-operated.\n\n## After the ballot\n\nYou\u2019ll usually find out the result of the vote 48 hours after the ballot closes.\n\nCAC will declare the union is recognised if both:\n\n- the majority of employees in the ballot vote to recognise the union\n\n- at least 40% of the employees in the bargaining unit vote to recognise the union\n\n## If CAC declares the union is recognised\n\nYou must work with the union and work out how to collectively bargain on:\n\n- pay\n\n- hours\n\n- holiday entitlement\n\n## If CAC does not declare the union is recognised\n\nThe union will not be able to apply for statutory recognition for 3 years, but you can still recognise them voluntarily.\n\n## Complaints about and from the union\n\nYou can complain to the Central Arbitration Committee (CAC) if the union tries to influence the outcome of a ballot using \u2018unfair practices\u2019, for example, by trying to pressurise employees.\n\nThe Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.\n\nMake your complaint in writing to CAC. You can complain at any time until the day after the ballot closes.\n\n## What happens next\n\nCAC may:\n\n- restart the ballot process\n\n- give the union a final warning, sometimes called a \u2018remedial order\u2019\n\nIf the union does not do what the order tells it to do, CAC can cancel the ballot and declare the union is not recognised\n\n## If the union complains\n\nThe union can complain if you:\n\n- do not co-operate with preparations for the ballot\n\n- use unfair practices to change the outcome of the ballot\n\nCAC may give you a final warning if the union\u2019s complaint is successful, sometimes called a \u2018remedial order\u2019.\n\nCAC can also:\n\n- restart the ballot process\n\n- cancel the ballot and declare the union is recognised\n\n## Ending negotiations\n\nYou and the union will not need to continue negotiations if the union withdraws its application. They must do this before the Central Arbitration Committee (CAC) either :\n\n- declares them recognised or not recognised\n\n- tells you that they\u2019re holding a ballot of your employees\n\n## You\u2019re recognising the union voluntarily\n\nIf the union is withdrawing its application because you\u2019ve agreed to recognise them, you and the union can tell CAC by sending a \u2018joint notice to cease consideration\u2019. This means CAC will no longer be involved.\n\nSend CAC a letter signed by both you and the representative of the union.\n\nYou must do this before CAC declares the union is recognised or up to the last day of the ballot notification period (10 working days from when CAC told you about the ballot).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/trade-union-recognition-employers", + "answerable": true, + "scenario": "I am the managing director of a dairy products producer in Wales. My workforce is already part-unionised; however, another union is now requesting recognition to represent a potentially much larger group of my employees. I fear that negotiations over demarcation are likely to become complex.", + "original_question": "Can I request that Acas be brought in to assist with the negotiations?" + }, + { + "id": "train-735", + "question": "Scenario: I am the acting Human Resources Manager for the UK division of a large multinational company, having recently been seconded from our global head office in Germany. I have been tasked with getting rid of some underperforming employees.\n\nQuestion: Is a wrongful dismissal the same as an unfair dismissal in UK employment law?\n\nDocument - Dismissing staff:\n## Overview\n\nDismissal is when you end an employee\u2019s contract. When dismissing staff, you must do it fairly.\n\nThere are different types of dismissal:\n\n- fair dismissal\n\n- unfair dismissal\n\n- constructive dismissal\n\n- wrongful dismissal\n\nIf you\u2019ve had to dismiss staff because of coronavirus (COVID-19), you might be able to re-employ them and pay their wages through the Coronavirus Job Retention Scheme.\n\n## Fair and unfair dismissal\n\nA dismissal is fair or unfair depending on:\n\n- your reason for it\n\n- how you act during the dismissal process\n\n## Constructive dismissal\n\nThis is when an employee resigns because you\u2019ve breached their employment contract. This could be a single serious event or a series of less serious events.\n\nAn employee could claim constructive dismissal if you:\n\n- cut their wages without agreement\n\n- unlawfully demote them\n\n- allow them to be harassed, bullied or discriminated against\n\n- unfairly increase their workload\n\n- change the location of their workplace at short notice\n\n- make them work in dangerous conditions\n\nA constructive dismissal is not necessarily unfair - but it would be difficult for you to show that a breach of contract was fair.\n\nA constructive dismissal might lead to a claim for wrongful dismissal.\n\n## Wrongful dismissal\n\nThis is where you break the terms of an employee\u2019s contract in the dismissal process, for example dismissing someone without giving them proper notice.\n\nWrongful dismissal is not the same as unfair dismissal.\n\nIf an employee thinks you\u2019ve dismissed them unfairly, constructively or wrongfully, they might take you to an employment tribunal.\n\n## Fair dismissals\n\nYou must have a valid reason for dismissing an employee. Valid reasons include:\n\n- their capability or conduct\n\n- redundancy\n\n- something that prevents them from legally being able to do their job, for example a driver losing their driving licence\n\nThere could be other fair reasons too - these are sometimes called \u2018other substantial reasons\u2019.\n\n## Acting reasonably\n\nEven if you have a fair reason, the dismissal is only fair if you also act reasonably during the dismissal and disciplinary process.\n\nThere\u2019s no legal definition of \u2018reasonableness\u2019, but if you\u2019re taken to an employment or industrial tribunal they would consider whether you:\n\n- genuinely believed that the reason was fair\n\n- carried out proper investigations where appropriate\n\n- followed the relevant procedures\n\n- told the employee why they were being considered for dismissal and listened to their views (in Northern Ireland, the employer must do this in writing)\n\n- allowed the employee to be accompanied at disciplinary/dismissal hearings\n\n- gave the employee the chance to appeal\n\nReasonableness might also depend on whether the employee could be expected to understand the consequences of their behaviour.\n\n## Dismissal and disciplinary procedures\n\nYou must set out your dismissal and disciplinary rules and procedures in writing - if you do not, a tribunal can order you to pay an employee compensation.\n\n## Summary dismissal\n\nThis is when you dismiss someone instantly without notice or pay in lieu of notice, usually because of gross misconduct (for example theft, fraud, violence).\n\nTribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.\n\nIf you feel summary dismissal\u2019s your only choice, you must still follow a fair procedure as you would do for any other disciplinary matter.\n\n## Unfair dismissals\n\nEven if you think you\u2019ve dismissed someone fairly, they could still claim unfair dismissal against you if they think that:\n\n- the reason you gave for the dismissal was not the real one\n\n- the reason was unfair\n\n- you acted unreasonably, for example by failing to give them plenty of warning about their dismissal\n\n## Automatically unfair reasons for dismissal\n\nEven if you\u2019ve acted reasonably, some reasons for dismissal are classed automatically unfair. These are to do with the following areas:\n\n- pregnancy, including all reasons relating to maternity\n\n- family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants\n\n- acting as an employee representative\n\n- acting as a trade union representative\n\n- acting as an occupational pension scheme trustee\n\n- joining or not joining a trade union\n\n- being a part-time or fixed-term employee\n\n- pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage\n\n- whistleblowing\n\nCompulsory retirement on the grounds of age is unlawful unfair dismissal unless you can objectively justify it - but you could be challenged at a tribunal.\n\n## Industrial action\n\nIt\u2019s automatically unfair to dismiss someone for taking part in official (\u2018lawful\u2019) industrial action:\n\n- in the 12-week period from the day the industrial action starts\n\n- if the action lasts longer than 12 weeks and you have not taken reasonable steps to resolve the dispute\n\nOnly an employment or industrial tribunal can decide whether or not you\u2019ve taken reasonable steps to resolve a dispute.\n\nIf you \u2018lock out\u2019 employees taking industrial action, the days of the lock-out are not included in the calculation of the 12-week protected period.\n\nA lock-out is where you prevent employees from getting to their workplace, for example by locking the doors.\n\n## Disability\n\nIf a disabled employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them.\n\n## Political beliefs and groups\n\nIt is not automatically unfair to dismiss someone because of their political beliefs or political groups they belong to, but a tribunal might find this unfair.\n\nThere\u2019s no longer a qualifying period for someone going to an employment tribunal if they\u2019ve been dismissed because of political opinions or affiliation. This applies to anyone dismissed from 25 June 2013.\n\n## Penalties for unfair dismissals\n\nIf a tribunal finds that an employee has been unfairly dismissed, you might be ordered to:\n\n- reinstate them (give them their job back)\n\n- re-engage them (re-employ them in a different job)\n\nYou might also have to pay compensation, which depends on the employee\u2019s:\n\n- age\n\n- gross weekly pay\n\n- length of service\n\nYou might have to pay extra compensation if you do not follow a tribunal\u2019s order to reinstate someone.\n\nThere\u2019s a limit on the amount a tribunal can award for unfair dismissal, apart from in cases relating to:\n\n- health and safety (for example where you unfairly dismiss someone for taking action on health and safety grounds)\n\n- whistleblowing\n\n## Eligibility to claim unfair dismissal\n\nEmployees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.\n\n| Date employment started | When the employee can claim |\n\n| Before 6 April 2012 | After first year of employment |\n\n| After 6 April 2012 | After 2 years of employment |\n\n## Who cannot claim unfair dismissal\n\nThe right to complain to a tribunal about unfair dismissal is not available to:\n\n- self-employed people\n\n- independent contractors\n\n- members of the armed forces\n\n- employees who have reached a settlement with their employer through Acas (Advisory, Conciliation and Arbitration Service) or the Labour Relations Agency (LRA) in Northern Ireland\n\n- employees who have reached a settlement with their employer through a \u2018settlement agreement\u2019 or \u2018compromise agreement\u2019 after taking legal advice\n\n- employees employed under an illegal contract, for example a barman under the age of 18\n\n- employees covered by a dismissal procedure agreement that\u2019s been legally exempted from the unfair dismissal rules\n\n- employees taking part in unofficial industrial action (unless the dismissal is for an automatically unfair reason)\n\n- police officers (unless the dismissal relates to health and safety or whistleblowing)\n\n- those working on a fishing vessel and paid by a share in the profits or gross earnings of the vessel\n\n## Dismissals for conduct or performance reasons\n\nYou can dismiss an employee if:\n\n- they\u2019re incapable of doing their job to the required standard\n\n- they\u2019re capable, but unwilling to do their job properly\n\n- they\u2019ve committed some form of misconduct\n\nIf you want to dismiss someone, there\u2019s no specific process you must go through by law - as long as you do it fairly.\n\nIf a capability issue is linked to someone\u2019s health, you should try as many ways as possible to help them do their job before dismissing them.\n\n## Disciplinary procedures\n\nYou should include examples of what you consider to be misconduct in your disciplinary rules.\n\nDifferent disciplinary procedures are appropriate for different circumstances.\n\nEmployees have the right to be accompanied to all disciplinary meetings and to appeal to a manager. Keep notes of all meetings and give copies to the employee.\n\n## Misconduct\n\nMisconduct can include things like persistent lateness or unauthorised absence from work.\n\nTo make sure the dismissal is fair when misconduct is not \u2018serious\u2019 or \u2018gross\u2019:\n\n- Arrange a meeting with the employee, telling them the reason for it. At the meeting, give them a chance to explain and issue a first written warning if you\u2019re not satisfied with their reasons. In the warning, tell them how you expect them to improve and over what period - warn them that if they do not improve enough, you\u2019ll give them a final written warning.\n\n- Hold a second meeting if their performance or behaviour has not improved enough by the deadline - give them a chance to explain and issue a final written warning if you\u2019re not satisfied with their reasons. Revise the action plan with timescales for improvement and warn them that you\u2019ll consider dismissal if there\u2019s no improvement.\n\n- Hold a third meeting if their performance or behaviour is still not up to standard by these new deadlines. Warn them that dismissal is now possible. After the meeting - or appeal if there is one - decide whether to give the employee a further chance to improve, or dismiss them. You must tell the employee of your final decision, whatever it is.\n\n## Serious misconduct\n\nYou can issue a single \u2018first and final\u2019 written warning if the misconduct or underperformance is serious enough. Explain that not improving could lead to dismissal. \u2018Serious enough\u2019 includes if it\u2019s likely to or has caused serious harm to the organisation itself.\n\n## Gross misconduct\n\nGross misconduct can include things like theft, physical violence, gross negligence or serious insubordination.\n\nWith gross misconduct, you can dismiss the employee immediately as long as you follow a fair procedure. You should investigate the incident and give the employee a chance to respond before deciding to dismiss them.\n\n## One-off incidents\n\nAn informal discussion may be enough to resolve the issue if the misconduct or underperformance was a one-off and the employee has a good disciplinary record.\n\n## Dismissals due to illness\n\nSometimes an employee may have to stop working because of long-term ill health. They may resign, or you may have to consider dismissing them.\n\n## Considering dismissing an employee\n\nDismissal is a last resort and you should consider as many ways as possible to help the employee back to work, including:\n\n- getting a medical report from their GP with the employee\u2019s permission - they have the right to see the report before you do\n\n- arranging an occupational health assessment\n\n- work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job\n\nIf the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.\n\n## How to dismiss someone\n\nDuring the dismissal procedure, make sure you act fairly and reasonably. You must treat the employee with sensitivity.\n\nYour procedure should follow the advice set out in the Acas (Advisory, Conciliation and Arbitration Service) code of practice, or the Labour Relations Agency (LRA) code of practice for Northern Ireland.\n\nIf you do not follow the code and are taken to an employment or industrial tribunal, you may have to pay compensation.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/dismiss-staff", + "answerable": true, + "scenario": "I am the acting Human Resources Manager for the UK division of a large multinational company, having recently been seconded from our global head office in Germany. I have been tasked with getting rid of some underperforming employees.", + "original_question": "Is a wrongful dismissal the same as an unfair dismissal in UK employment law?" + }, + { + "id": "train-739", + "question": "Scenario: I am 18 years old, and have lived in England for the whole of my life. I am currently in the midst of applying to study for a degree in physics at one of five UK universities, but have not yet received a firm offer from any of them.\n\nQuestion: Do I need to have a confirmed offer of a place before I can apply for Student Finance?\n\nDocument - Student finance: how to apply:\n## How to apply\n\nHow you apply depends on whether you have studied before and your nationality.\n\n## New students from England\n\nMost full-time and part-time students can apply online to Student Finance England.\n\n- Set up a student finance online account.\n\n- Log in and complete the online application.\n\n- Include your household income if needed. Your parent or partner will be asked to confirm these details.\n\n- Send in proof of identity, if needed.\n\nIf you cannot apply online, use the form finder to get the forms you need. You can call Student Finance England if you want to apply online but you cannot use a computer without help.\n\n## Continuing students from England\n\nYou\u2019re a continuing student if you are:\n\n- moving on to the next year of your course\n\n- repeating a year of the same course or returning to a course after taking time out\n\n- transferring onto a new course from your old course\n\nYou should log in to your student finance account and apply online.\n\n## If you\u2019re returning to study after taking time out for personal reasons\n\nThere\u2019s a different process if you have studied for more than one year before and you\u2019re going back to your studies after stopping your course because of personal reasons. This could be for things like if you were ill, pregnant, caring for someone or someone close to you died.\n\nYou should log in to your student finance account and apply online.\n\nYou must also send a letter explaining why you suspended your studies with supporting evidence.\n\nThe letter must include:\n\n- your customer reference number for student finance\n\n- an explanation of your situation and why you had to suspend your studies\n\nSupporting evidence can include:\n\n- a letter from your doctor or social services on headed paper\n\n- a letter from your university or college on headed paper\n\n- copies of birth or death certificates\n\nYou might need to send more than one piece of evidence if it helps you to show why you stopped your course.\n\nUse your online account to send the letter and evidence to Student Finance England, or send it by post.\n\nStudent Finance England will send you a letter confirming how much you\u2019ll get, usually within 8 weeks.\n\n## Scotland, Wales and Northern Ireland\n\nThere\u2019s a different process for students from Scotland, Wales and Northern Ireland.\n\n## New EU students\n\nIf you\u2019re applying for tuition fee support and help with living costs, apply online.\n\nIf you\u2019re applying for tuition fee support only, apply by post.\n\nYou\u2019ll get a letter confirming how much you\u2019ll get, usually within 6 weeks.\n\n## Continuing EU students\n\nIf you\u2019re applying for tuition fee support and help with living costs, apply online.\n\nIf you\u2019re applying for tuition fee support only, you\u2019ll be sent application forms to fill in and return by post. Check your address is up to date in your student finance account.\n\n## When to apply\n\nYou can apply for the following academic years:\n\n- 2021 to 2022 (part-time students can apply from summer 2021)\n\n- 2020 to 2021\n\nYou can still apply for funding up to 9 months after the first day of the academic year for your course.\n\n| Course start date | Apply by |\n\n| Between 1 August and 31 December | 31 May after your course started |\n\n| Between 1 January and 31 March | 30 September after your course started |\n\n| Between 1 April and 30 June | 31 December after your course started |\n\n| Between 1 July and 31 July | 31 March after your course started |\n\nYou do not need a confirmed place to apply.\n\n## EU students\n\nIf you\u2019re an EU student applying for 2021 to 2022, when and how you apply depends on the type of support you want.\n\n## Full-time students\n\nIf you\u2019re applying for tuition fee support and help with living costs, you can apply online now.\n\nIf you\u2019re applying for tuition fee support only, you can apply by post now.\n\n## Part-time students\n\nIf you\u2019re applying for tuition fee support and help with living costs, you can apply online from summer 2021.\n\nIf you\u2019re applying for tuition fee support only, you can apply by post from summer 2021.\n\n## Proof of identity\n\n## Students from England\n\nInclude your valid UK passport details in your application the first time you apply. Fill in the passport details form - do not send the passport itself.\n\n| Academic year | Form |\n\n| 2021 to 2022 | UK passport details form 2021 to 2022 (PDF, 49KB) |\n\n| 2020 to 2021 | UK passport details form 2020 to 2021 (PDF, 41KB) |\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\n## EU students\n\nSend your non-UK passport or identity card the first time you apply.\n\n## Where to send your documents\n\nAny original documents you send will be returned to you within 4 weeks.\n\n## Students from England\n\n## EU students\n\n## Household income\n\nYou must provide your household income if you apply for any of the following:\n\n- full Maintenance Loan\n\n- Maintenance Grant - not available if your course started on or after 1 August 2016\n\n- Special Support Grant - not available if your course started on or after 1 August 2016\n\n- Childcare Grant\n\n- Adult Dependants\u2019 Grant\n\n- Parents\u2019 Learning Allowance\n\nYou\u2019ll need to provide your household income for tax year:\n\n- 2019 to 2020 if you\u2019re applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if you\u2019re applying for the 2020 to 2021 academic year\n\nAfter you apply, Student Finance England will ask the people in your household to confirm their income. They might need to provide evidence.\n\n## What counts as household income\n\nYour household income includes any of the following that apply:\n\n- your parents\u2019 income, if you\u2019re under 25 and live with them or depend on them financially\n\n- the combined income of one of your parents and their partner, if you\u2019re under 25 and live with them or depend on them financially\n\n- your partner\u2019s income, if you\u2019re over 25 and live with them (even if they spend most of their time abroad)\n\n- income you get from your own savings, investments or property, for example dividends or rent\n\nIf you\u2019ve supported yourself financially for at least 3 years or had no contact with your parents for over a year, you might be able to apply as an \u2018independent student\u2019.\n\n## Change an application\n\nYou must say if any details in your application change. You\u2019ll need to report some changes yourself. Your parents, partner or sponsor will need to report others.\n\n## Changes you must report\n\n## Full time students\n\nUse your online account to tell Student Finance England if:\n\n- you\u2019ve changed your course, university or college\n\n- you\u2019re repeating a year\n\n- you\u2019ve changed your name or marital status\n\n- your Tuition Fee Loan amount has changed\n\n- you\u2019re living somewhere new\n\n## Part-time students and EU students\n\nIf you\u2019re a part-time or EU student, you\u2019ll need to fill in form CO2 or EUCO1 instead.\n\n| | Student type | Form |\n\n| 2020 to 2021 academic year | Part-time student | CO2 form for 2020 to 2021 (PDF, 94KB) |\n\n| 2019 to 2020 academic year | Part-time student | CO2 form for 2019 to 2020 (PDF, 85KB) |\n\n| 2021 to 2022 academic year | EU student | EUCO1 form for 2021 to 2022 (PDF, 136KB) |\n\n| 2020 to 2021 academic year | EU student | EUCO1 form for 2020 to 2021 (PDF, 146KB) |\n\nUse your online account to send the form to Student Finance England, or send it by post. The address is on the form.\n\nAfter your course starts you can contact your university or college to change or repeat your course or change your Tuition Fee Loan.\n\n## If you\u2019ve changed your name or marital status\n\nYou must write and tell Student Finance England if you\u2019ve changed your name or marital status. The letter must include:\n\n- your customer reference number\n\n- the date\n\n- your signature\n\n- evidence that you\u2019ve changed your name or marital status\n\nIf you\u2019ve changed your name you must include a copy of one of the following with your letter:\n\n- marriage certificate\n\n- decree absolute\n\n- change of name deed - it must be an enrolled deed poll\n\nIf you\u2019ve changed your marital status, you must include a copy of one of the following with your letter:\n\n- marriage certificate\n\n- decree absolute\n\n- civil partnership final order\n\nUse your online account to send the letter and evidence to Student Finance England, or send it by post.\n\nIf you cannot provide the right document, contact Student Finance England.\n\n## Changes your parents, partner or sponsor must report\n\n## If your household income changes\n\nYour parents or partner must:\n\n- correct any mistakes relating to their household income\n\n- tell Student Finance England if they think their household income will be at least 15% lower than the tax year they submitted details for\n\n## If your parents or sponsor have another child\n\nYour parents or sponsor must tell Student Finance England if they have any more children.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/apply-for-student-finance", + "answerable": true, + "scenario": "I am 18 years old, and have lived in England for the whole of my life. I am currently in the midst of applying to study for a degree in physics at one of five UK universities, but have not yet received a firm offer from any of them.", + "original_question": "Do I need to have a confirmed offer of a place before I can apply for Student Finance?" + }, + { + "id": "train-740", + "question": "Scenario: I am 21 and about to commence a degree course at a university close to my home in Bristol, England, where I live with both my parents. I am applying for both maintenance and tuition fee loans from Student Finance England.\n\nQuestion: Do I need to provide details of my parents' income as well as my own when applying for the maintenance loan?\n\nDocument - Student finance: how to apply:\n## How to apply\n\nHow you apply depends on whether you have studied before and your nationality.\n\n## New students from England\n\nMost full-time and part-time students can apply online to Student Finance England.\n\n- Set up a student finance online account.\n\n- Log in and complete the online application.\n\n- Include your household income if needed. Your parent or partner will be asked to confirm these details.\n\n- Send in proof of identity, if needed.\n\nIf you cannot apply online, use the form finder to get the forms you need. You can call Student Finance England if you want to apply online but you cannot use a computer without help.\n\n## Continuing students from England\n\nYou\u2019re a continuing student if you are:\n\n- moving on to the next year of your course\n\n- repeating a year of the same course or returning to a course after taking time out\n\n- transferring onto a new course from your old course\n\nYou should log in to your student finance account and apply online.\n\n## If you\u2019re returning to study after taking time out for personal reasons\n\nThere\u2019s a different process if you have studied for more than one year before and you\u2019re going back to your studies after stopping your course because of personal reasons. This could be for things like if you were ill, pregnant, caring for someone or someone close to you died.\n\nYou should log in to your student finance account and apply online.\n\nYou must also send a letter explaining why you suspended your studies with supporting evidence.\n\nThe letter must include:\n\n- your customer reference number for student finance\n\n- an explanation of your situation and why you had to suspend your studies\n\nSupporting evidence can include:\n\n- a letter from your doctor or social services on headed paper\n\n- a letter from your university or college on headed paper\n\n- copies of birth or death certificates\n\nYou might need to send more than one piece of evidence if it helps you to show why you stopped your course.\n\nUse your online account to send the letter and evidence to Student Finance England, or send it by post.\n\nStudent Finance England will send you a letter confirming how much you\u2019ll get, usually within 8 weeks.\n\n## Scotland, Wales and Northern Ireland\n\nThere\u2019s a different process for students from Scotland, Wales and Northern Ireland.\n\n## New EU students\n\nIf you\u2019re applying for tuition fee support and help with living costs, apply online.\n\nIf you\u2019re applying for tuition fee support only, apply by post.\n\nYou\u2019ll get a letter confirming how much you\u2019ll get, usually within 6 weeks.\n\n## Continuing EU students\n\nIf you\u2019re applying for tuition fee support and help with living costs, apply online.\n\nIf you\u2019re applying for tuition fee support only, you\u2019ll be sent application forms to fill in and return by post. Check your address is up to date in your student finance account.\n\n## When to apply\n\nYou can apply for the following academic years:\n\n- 2021 to 2022 (part-time students can apply from summer 2021)\n\n- 2020 to 2021\n\nYou can still apply for funding up to 9 months after the first day of the academic year for your course.\n\n| Course start date | Apply by |\n\n| Between 1 August and 31 December | 31 May after your course started |\n\n| Between 1 January and 31 March | 30 September after your course started |\n\n| Between 1 April and 30 June | 31 December after your course started |\n\n| Between 1 July and 31 July | 31 March after your course started |\n\nYou do not need a confirmed place to apply.\n\n## EU students\n\nIf you\u2019re an EU student applying for 2021 to 2022, when and how you apply depends on the type of support you want.\n\n## Full-time students\n\nIf you\u2019re applying for tuition fee support and help with living costs, you can apply online now.\n\nIf you\u2019re applying for tuition fee support only, you can apply by post now.\n\n## Part-time students\n\nIf you\u2019re applying for tuition fee support and help with living costs, you can apply online from summer 2021.\n\nIf you\u2019re applying for tuition fee support only, you can apply by post from summer 2021.\n\n## Proof of identity\n\n## Students from England\n\nInclude your valid UK passport details in your application the first time you apply. Fill in the passport details form - do not send the passport itself.\n\n| Academic year | Form |\n\n| 2021 to 2022 | UK passport details form 2021 to 2022 (PDF, 49KB) |\n\n| 2020 to 2021 | UK passport details form 2020 to 2021 (PDF, 41KB) |\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\n## EU students\n\nSend your non-UK passport or identity card the first time you apply.\n\n## Where to send your documents\n\nAny original documents you send will be returned to you within 4 weeks.\n\n## Students from England\n\n## EU students\n\n## Household income\n\nYou must provide your household income if you apply for any of the following:\n\n- full Maintenance Loan\n\n- Maintenance Grant - not available if your course started on or after 1 August 2016\n\n- Special Support Grant - not available if your course started on or after 1 August 2016\n\n- Childcare Grant\n\n- Adult Dependants\u2019 Grant\n\n- Parents\u2019 Learning Allowance\n\nYou\u2019ll need to provide your household income for tax year:\n\n- 2019 to 2020 if you\u2019re applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if you\u2019re applying for the 2020 to 2021 academic year\n\nAfter you apply, Student Finance England will ask the people in your household to confirm their income. They might need to provide evidence.\n\n## What counts as household income\n\nYour household income includes any of the following that apply:\n\n- your parents\u2019 income, if you\u2019re under 25 and live with them or depend on them financially\n\n- the combined income of one of your parents and their partner, if you\u2019re under 25 and live with them or depend on them financially\n\n- your partner\u2019s income, if you\u2019re over 25 and live with them (even if they spend most of their time abroad)\n\n- income you get from your own savings, investments or property, for example dividends or rent\n\nIf you\u2019ve supported yourself financially for at least 3 years or had no contact with your parents for over a year, you might be able to apply as an \u2018independent student\u2019.\n\n## Change an application\n\nYou must say if any details in your application change. You\u2019ll need to report some changes yourself. Your parents, partner or sponsor will need to report others.\n\n## Changes you must report\n\n## Full time students\n\nUse your online account to tell Student Finance England if:\n\n- you\u2019ve changed your course, university or college\n\n- you\u2019re repeating a year\n\n- you\u2019ve changed your name or marital status\n\n- your Tuition Fee Loan amount has changed\n\n- you\u2019re living somewhere new\n\n## Part-time students and EU students\n\nIf you\u2019re a part-time or EU student, you\u2019ll need to fill in form CO2 or EUCO1 instead.\n\n| | Student type | Form |\n\n| 2020 to 2021 academic year | Part-time student | CO2 form for 2020 to 2021 (PDF, 94KB) |\n\n| 2019 to 2020 academic year | Part-time student | CO2 form for 2019 to 2020 (PDF, 85KB) |\n\n| 2021 to 2022 academic year | EU student | EUCO1 form for 2021 to 2022 (PDF, 136KB) |\n\n| 2020 to 2021 academic year | EU student | EUCO1 form for 2020 to 2021 (PDF, 146KB) |\n\nUse your online account to send the form to Student Finance England, or send it by post. The address is on the form.\n\nAfter your course starts you can contact your university or college to change or repeat your course or change your Tuition Fee Loan.\n\n## If you\u2019ve changed your name or marital status\n\nYou must write and tell Student Finance England if you\u2019ve changed your name or marital status. The letter must include:\n\n- your customer reference number\n\n- the date\n\n- your signature\n\n- evidence that you\u2019ve changed your name or marital status\n\nIf you\u2019ve changed your name you must include a copy of one of the following with your letter:\n\n- marriage certificate\n\n- decree absolute\n\n- change of name deed - it must be an enrolled deed poll\n\nIf you\u2019ve changed your marital status, you must include a copy of one of the following with your letter:\n\n- marriage certificate\n\n- decree absolute\n\n- civil partnership final order\n\nUse your online account to send the letter and evidence to Student Finance England, or send it by post.\n\nIf you cannot provide the right document, contact Student Finance England.\n\n## Changes your parents, partner or sponsor must report\n\n## If your household income changes\n\nYour parents or partner must:\n\n- correct any mistakes relating to their household income\n\n- tell Student Finance England if they think their household income will be at least 15% lower than the tax year they submitted details for\n\n## If your parents or sponsor have another child\n\nYour parents or sponsor must tell Student Finance England if they have any more children.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-for-student-finance", + "answerable": true, + "scenario": "I am 21 and about to commence a degree course at a university close to my home in Bristol, England, where I live with both my parents. I am applying for both maintenance and tuition fee loans from Student Finance England.", + "original_question": "Do I need to provide details of my parents' income as well as my own when applying for the maintenance loan?" + }, + { + "id": "train-741", + "question": "Scenario: I am a director of a an office equipment supplier in the Midlands. One of our employees has been with us for several years, and has steadily acquired shares in the company to the extent of having a holding worth in excess of \u00a35,000. She is now requesting flexible working arrangements.\n\nQuestion: Can I refuse this request on the grounds that she is now has \"employee shareholder\" status?\n\nDocument - Employment status:\n## Overview\n\nIn employment law a person\u2019s employment status helps determine:\n\n- their rights\n\n- their employer\u2019s responsibilities\n\nA person may have a different employment status in tax law.\n\nThe main types of employment status are:\n\n- worker\n\n- employee\n\n- self-employed and contractor\n\n- director\n\n- office holder\n\nContact Acas (or the Labour Relations Agency in Northern Ireland) for advice about employment status, employee rights or employer responsibilities.\n\nCourts and tribunals can make final decisions on employment status.\n\n## Worker\n\nA person is generally classed as a \u2018worker\u2019 if:\n\n- they have a contract or other arrangement to do work or services personally for a reward (your contract doesn\u2019t have to be written)\n\n- their reward is for money or a benefit in kind, for example the promise of a contract or future work\n\n- they only have a limited right to send someone else to do the work (subcontract)\n\n- they have to turn up for work even if they don\u2019t want to\n\n- their employer has to have work for them to do as long as the contract or arrangement lasts\n\n- they aren\u2019t doing the work as part of their own limited company in an arrangement where the \u2018employer\u2019 is actually a customer or client\n\n## Employment rights\n\nWorkers are entitled to certain employment rights, including:\n\n- getting the National Minimum Wage\n\n- protection against unlawful deductions from wages\n\n- the\u00a0statutory minimum level of paid holiday\n\n- the statutory minimum length of rest breaks\n\n- to not work more than 48 hours on average per week or to opt out of this right if they choose\n\n- protection against unlawful discrimination\n\n- protection for \u2018whistleblowing\u2019 - reporting wrongdoing in the workplace\n\n- to not be treated less favourably if they work part-time\n\nThey may also be entitled to:\n\n- Statutory Sick Pay\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Shared Parental Pay\n\nAgency workers have specific rights from the first day at work.\n\nWorkers usually aren\u2019t entitled to:\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\n## Casual or irregular work\n\nSomeone is likely to be a worker if most of these apply:\n\n- they occasionally do work for a specific business\n\n- the business doesn\u2019t have to offer them work and they don\u2019t have to accept it - they only work when they want to\n\n- their contract with the business uses terms like \u2018casual\u2019, \u2018freelance\u2019, \u2018zero hours\u2019, \u2018as required\u2019 or something similar\n\n- they had to agree with the business\u2019s terms and conditions to get work - either verbally or in writing\n\n- they are under the supervision or control of a manager or director\n\n- they can\u2019t send someone else to do their work\n\n- the business deducts tax and National Insurance contributions from their wages\n\n- the business provides materials, tools or equipment they need to do the work\n\n## Employee\n\nAn employee is someone who works under an employment contract.\n\nA person may be an employee in employment law but have a different status for tax purposes. Employers must work out each worker\u2019s status in both employment law and tax law.\n\n## Employment rights\n\nAll employees are workers, but an employee has extra employment rights and responsibilities that don\u2019t apply to workers who aren\u2019t employees.\n\nThese rights include all of the rights workers have and:\n\n- Statutory Sick Pay\n\n- statutory maternity, paternity, adoption and shared parental leave and pay (workers only get pay, not leave)\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\nSome of these rights require a minimum length of continuous employment before an employee qualifies for them. An employment contract may state how long this qualification period is.\n\n## Working out employment status for an employee\n\nSomeone who works for a business is probably an employee if most of the following are true:\n\n- they\u2019re required to work regularly unless they\u2019re on leave, for example holiday, sick leave or maternity leave\n\n- they\u2019re required to do a minimum number of hours and expect to be paid for time worked\n\n- a manager or supervisor is responsible for their workload, saying when a piece of work should be finished and how it should be done\n\n- they can\u2019t send someone else to do their work\n\n- they get paid holiday\n\n- they\u2019re entitled to contractual or Statutory Sick Pay, and maternity or paternity pay\n\n- they can join the business\u2019s pension scheme\n\n- the business\u2019s disciplinary and grievance procedures apply to them\n\n- they work at the business\u2019s premises or at an address specified by the business\n\n- their contract sets out redundancy procedures\n\n- the business provides the materials, tools and equipment for their work\n\n- they only work for the business or if they do have another job, it\u2019s completely different from their work for the business\n\n- their contract, statement of terms and conditions or offer letter (which can be described as an \u2018employment contract\u2019) uses terms like \u2018employer\u2019 and \u2018employee\u2019\n\nIf most of these don\u2019t apply, you should work out if the person is self-employed.\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Employee shareholders\n\nAn employee shareholder is someone who works under an employment contract and owns at least \u00a32,000 worth of shares in the employer\u2019s company or parent company.\n\n## Employment rights\n\nEmployee shareholders have most of the same employment rights as workers and employees.\n\nThey also have the right to collective redundancy consultation and transfer of undertakings (TUPE) - this protects the employee\u2019s terms and conditions when the business is transferred to a new owner.\n\nEmployee shareholders don\u2019t have these rights:\n\n- protection against unfair dismissal - apart from dismissal on grounds of discrimination and in relation to health and safety\n\n- statutory redundancy pay\n\n- the right to request flexible working - except in the 2 weeks after returning from parental leave\n\n- certain statutory rights to request time off for training\n\nEmployee shareholders must give 16 weeks notice if they want to come back early from maternity leave, additional paternity leave and adoption leave.\n\nEmployers can choose more generous employment rights than the statutory ones.\n\n## Tax relief and obligations\n\nEmployee shareholders can get tax relief on the first \u00a32,000 of shares they get before 1 December 2016.\n\nEmployee shareholders must pay tax on buying and selling shares.\n\nHM Revenue and Customs (HMRC) has further guidance on tax relief for employee shareholders.\n\n## Applying for employment shareholder jobs\n\nAnyone can apply for an employee shareholder job.\n\nPeople claiming Jobseeker\u2019s Allowance don\u2019t have to apply for an employee shareholder job that Jobcentre Plus have told them about.\n\nExisting employees don\u2019t have to accept a change to an employment contract to become an employee shareholder if they don\u2019t want to.\n\n## Offering employment shareholder status\n\nEmployers must following certain rules when offering employment shareholder status to their employees.\n\n## Self-employed and contractor\n\nA person is self-employed if they run their business for themselves and take responsibility for its success or failure.\n\nSelf-employed workers aren\u2019t paid through PAYE, and they don\u2019t have the employment rights and responsibilities of employees.\n\nSomeone can be both employed and self-employed at the same time, for example if they work for an employer during the day and run their own business in the evenings.\n\n## Employment rights\n\nEmployment law doesn\u2019t cover self-employed people in most cases because they are their own boss.\n\nHowever, if a person is self-employed:\n\n- they still have protection for their health and safety and, in some cases, protection against discrimination\n\n- their rights and responsibilities are set out by the terms of the contract they have with their client\n\n## Working out if someone is self-employed\n\nHM Revenue and Customs (HMRC) may regard someone as self-employed for tax purposes even if they have a different status in employment law.\n\nEmployers should check if a worker is self-employed in:\n\n- tax law - whether they\u2019re exempt from PAYE\n\n- employment law - whether they have an employee\u2019s rights\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Checking if they\u2019re exempt from PAYE\n\nSomeone is probably self-employed and shouldn\u2019t be paid through PAYE if most of the following are true:\n\n- they\u2019re in business for themselves, are responsible for the success or failure of their business and can make a loss or a profit\n\n- they can decide what work they do and when, where or how to do it\n\n- they can hire someone else to do the work\n\n- they\u2019re responsible for fixing any unsatisfactory work in their own time\n\n- their employer agrees a fixed price for their work - it doesn\u2019t depend on how long the job takes to finish\n\n- they use their own money to buy business assets, cover running costs, and provide tools and equipment for their work\n\n- they can work for more than one client\n\nYou can check someone\u2019s employment status:\n\n- online\n\n- by phone\n\nThere are special rules for businesses supplying workers, for example an employment agency.\n\n## Checking their employment rights\n\nSomeone is probably self-employed and doesn\u2019t have the rights of an employee if they\u2019re exempt from PAYE and most of the following are also true:\n\n- they put in bids or give quotes to get work\n\n- they\u2019re not under direct supervision when working\n\n- they submit invoices for the work they\u2019ve done\n\n- they\u2019re responsible for paying their own National Insurance and tax\n\n- they don\u2019t get holiday or sick pay when they\u2019re not working\n\n- they operate under a contract (sometimes known as a \u2018contract for services\u2019 or \u2018consultancy agreement\u2019) that uses terms like \u2018self-employed\u2019, \u2018consultant\u2019 or an \u2018independent contractor\u2019\n\n## Contractors\n\nA contractor can be:\n\n- self-employed\n\n- a worker or an employee if they work for a client and are employed by an agency\n\nThere\u2019s a special scheme for self-employed contractors and sub-contractors working in the construction industry called the Construction Industry Scheme (CIS).\n\n## If someone becomes self-employed\n\nA worker must tell HMRC if they become self-employed.\n\n## Director\n\nCompany directors run limited companies on behalf of shareholders.\n\nDirectors have different rights and responsibilities from employees, and are classed as office holders for tax and National Insurance contribution purposes.\n\nIf a person does other work that\u2019s not related to being a director, they may have an employment contract and get employment rights.\n\n## Office holder\n\nA person who\u2019s been appointed to a position by a company or organisation but doesn\u2019t have a contract or receive regular payment may be an office holder. This includes:\n\n- statutory appointments, such as registered company directors or secretaries, board members of statutory bodies, or crown appointments\n\n- appointments under the internal constitution of an organisation, such as club treasurers or trade union secretaries\n\n- appointments under a trust deed, such as trustees\n\n- ecclesiastical appointment, such as members of the clergy\n\nOffice holders are neither employees nor workers. However, it\u2019s possible for someone to be an office holder and an employee if they have an employment contract with the same company or organisation that meets the criteria for employees.\n\n## Working out employment status for an office holder\n\nSomeone is likely to be an office holder if most of these statements apply to them:\n\n- there is no contract or service agreement relating to their appointment\n\n- their duties are minimal, and are only those required under the relevant statute, constitution or trust deed\n\n- they don\u2019t get a salary or any other form of regular payment for their services\n\n- the only payment they get is a voluntary payment (honorarium), regardless of the work they do - tax and National Insurance are deducted by the appointing body\n\n- they\u2019re effectively working as an independent office, and are not under the close supervision or control of the appointing body\n\n## Legal decisions on employment status\n\nA court or employment tribunal (known as an industrial tribunal in Northern Ireland) can make a final decision on employment status for employment rights purposes. They\u2019ll look at how the employment relationship between the person and the business works in practice.\n\nHM Revenue and Customs (HMRC) may separately argue that someone is self-employed for tax purposes. This may be confirmed by the tax tribunal and the courts.\n\nAn employment tribunal or court may still make a decision that someone is a worker or employee for employment rights purposes.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employment-status", + "answerable": true, + "scenario": "I am a director of a an office equipment supplier in the Midlands. One of our employees has been with us for several years, and has steadily acquired shares in the company to the extent of having a holding worth in excess of \u00a35,000. She is now requesting flexible working arrangements.", + "original_question": "Can I refuse this request on the grounds that she is now has \"employee shareholder\" status?" + }, + { + "id": "train-742", + "question": "Scenario: I am the HR manager for a large publishing company, whose former chairman retired last year. The board of directors has decided to grant him \"Chairman Emeritus\" status, a position with no contractual duties and unpaid other than for a small annual honorarium.\n\nQuestion: Does this individual qualify as an \"office holder\" in employment law?\n\nDocument - Employment status:\n## Overview\n\nIn employment law a person\u2019s employment status helps determine:\n\n- their rights\n\n- their employer\u2019s responsibilities\n\nA person may have a different employment status in tax law.\n\nThe main types of employment status are:\n\n- worker\n\n- employee\n\n- self-employed and contractor\n\n- director\n\n- office holder\n\nContact Acas (or the Labour Relations Agency in Northern Ireland) for advice about employment status, employee rights or employer responsibilities.\n\nCourts and tribunals can make final decisions on employment status.\n\n## Worker\n\nA person is generally classed as a \u2018worker\u2019 if:\n\n- they have a contract or other arrangement to do work or services personally for a reward (your contract doesn\u2019t have to be written)\n\n- their reward is for money or a benefit in kind, for example the promise of a contract or future work\n\n- they only have a limited right to send someone else to do the work (subcontract)\n\n- they have to turn up for work even if they don\u2019t want to\n\n- their employer has to have work for them to do as long as the contract or arrangement lasts\n\n- they aren\u2019t doing the work as part of their own limited company in an arrangement where the \u2018employer\u2019 is actually a customer or client\n\n## Employment rights\n\nWorkers are entitled to certain employment rights, including:\n\n- getting the National Minimum Wage\n\n- protection against unlawful deductions from wages\n\n- the\u00a0statutory minimum level of paid holiday\n\n- the statutory minimum length of rest breaks\n\n- to not work more than 48 hours on average per week or to opt out of this right if they choose\n\n- protection against unlawful discrimination\n\n- protection for \u2018whistleblowing\u2019 - reporting wrongdoing in the workplace\n\n- to not be treated less favourably if they work part-time\n\nThey may also be entitled to:\n\n- Statutory Sick Pay\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Shared Parental Pay\n\nAgency workers have specific rights from the first day at work.\n\nWorkers usually aren\u2019t entitled to:\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\n## Casual or irregular work\n\nSomeone is likely to be a worker if most of these apply:\n\n- they occasionally do work for a specific business\n\n- the business doesn\u2019t have to offer them work and they don\u2019t have to accept it - they only work when they want to\n\n- their contract with the business uses terms like \u2018casual\u2019, \u2018freelance\u2019, \u2018zero hours\u2019, \u2018as required\u2019 or something similar\n\n- they had to agree with the business\u2019s terms and conditions to get work - either verbally or in writing\n\n- they are under the supervision or control of a manager or director\n\n- they can\u2019t send someone else to do their work\n\n- the business deducts tax and National Insurance contributions from their wages\n\n- the business provides materials, tools or equipment they need to do the work\n\n## Employee\n\nAn employee is someone who works under an employment contract.\n\nA person may be an employee in employment law but have a different status for tax purposes. Employers must work out each worker\u2019s status in both employment law and tax law.\n\n## Employment rights\n\nAll employees are workers, but an employee has extra employment rights and responsibilities that don\u2019t apply to workers who aren\u2019t employees.\n\nThese rights include all of the rights workers have and:\n\n- Statutory Sick Pay\n\n- statutory maternity, paternity, adoption and shared parental leave and pay (workers only get pay, not leave)\n\n- minimum notice periods if their employment will be ending, for example if an employer is dismissing them\n\n- protection against unfair dismissal\n\n- the right to request flexible working\n\n- time off for emergencies\n\n- Statutory Redundancy Pay\n\nSome of these rights require a minimum length of continuous employment before an employee qualifies for them. An employment contract may state how long this qualification period is.\n\n## Working out employment status for an employee\n\nSomeone who works for a business is probably an employee if most of the following are true:\n\n- they\u2019re required to work regularly unless they\u2019re on leave, for example holiday, sick leave or maternity leave\n\n- they\u2019re required to do a minimum number of hours and expect to be paid for time worked\n\n- a manager or supervisor is responsible for their workload, saying when a piece of work should be finished and how it should be done\n\n- they can\u2019t send someone else to do their work\n\n- they get paid holiday\n\n- they\u2019re entitled to contractual or Statutory Sick Pay, and maternity or paternity pay\n\n- they can join the business\u2019s pension scheme\n\n- the business\u2019s disciplinary and grievance procedures apply to them\n\n- they work at the business\u2019s premises or at an address specified by the business\n\n- their contract sets out redundancy procedures\n\n- the business provides the materials, tools and equipment for their work\n\n- they only work for the business or if they do have another job, it\u2019s completely different from their work for the business\n\n- their contract, statement of terms and conditions or offer letter (which can be described as an \u2018employment contract\u2019) uses terms like \u2018employer\u2019 and \u2018employee\u2019\n\nIf most of these don\u2019t apply, you should work out if the person is self-employed.\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Employee shareholders\n\nAn employee shareholder is someone who works under an employment contract and owns at least \u00a32,000 worth of shares in the employer\u2019s company or parent company.\n\n## Employment rights\n\nEmployee shareholders have most of the same employment rights as workers and employees.\n\nThey also have the right to collective redundancy consultation and transfer of undertakings (TUPE) - this protects the employee\u2019s terms and conditions when the business is transferred to a new owner.\n\nEmployee shareholders don\u2019t have these rights:\n\n- protection against unfair dismissal - apart from dismissal on grounds of discrimination and in relation to health and safety\n\n- statutory redundancy pay\n\n- the right to request flexible working - except in the 2 weeks after returning from parental leave\n\n- certain statutory rights to request time off for training\n\nEmployee shareholders must give 16 weeks notice if they want to come back early from maternity leave, additional paternity leave and adoption leave.\n\nEmployers can choose more generous employment rights than the statutory ones.\n\n## Tax relief and obligations\n\nEmployee shareholders can get tax relief on the first \u00a32,000 of shares they get before 1 December 2016.\n\nEmployee shareholders must pay tax on buying and selling shares.\n\nHM Revenue and Customs (HMRC) has further guidance on tax relief for employee shareholders.\n\n## Applying for employment shareholder jobs\n\nAnyone can apply for an employee shareholder job.\n\nPeople claiming Jobseeker\u2019s Allowance don\u2019t have to apply for an employee shareholder job that Jobcentre Plus have told them about.\n\nExisting employees don\u2019t have to accept a change to an employment contract to become an employee shareholder if they don\u2019t want to.\n\n## Offering employment shareholder status\n\nEmployers must following certain rules when offering employment shareholder status to their employees.\n\n## Self-employed and contractor\n\nA person is self-employed if they run their business for themselves and take responsibility for its success or failure.\n\nSelf-employed workers aren\u2019t paid through PAYE, and they don\u2019t have the employment rights and responsibilities of employees.\n\nSomeone can be both employed and self-employed at the same time, for example if they work for an employer during the day and run their own business in the evenings.\n\n## Employment rights\n\nEmployment law doesn\u2019t cover self-employed people in most cases because they are their own boss.\n\nHowever, if a person is self-employed:\n\n- they still have protection for their health and safety and, in some cases, protection against discrimination\n\n- their rights and responsibilities are set out by the terms of the contract they have with their client\n\n## Working out if someone is self-employed\n\nHM Revenue and Customs (HMRC) may regard someone as self-employed for tax purposes even if they have a different status in employment law.\n\nEmployers should check if a worker is self-employed in:\n\n- tax law - whether they\u2019re exempt from PAYE\n\n- employment law - whether they have an employee\u2019s rights\n\nIndividuals and their employers may have to pay unpaid tax and penalties, or lose entitlement to benefits, if their employment status is wrong.\n\n## Checking if they\u2019re exempt from PAYE\n\nSomeone is probably self-employed and shouldn\u2019t be paid through PAYE if most of the following are true:\n\n- they\u2019re in business for themselves, are responsible for the success or failure of their business and can make a loss or a profit\n\n- they can decide what work they do and when, where or how to do it\n\n- they can hire someone else to do the work\n\n- they\u2019re responsible for fixing any unsatisfactory work in their own time\n\n- their employer agrees a fixed price for their work - it doesn\u2019t depend on how long the job takes to finish\n\n- they use their own money to buy business assets, cover running costs, and provide tools and equipment for their work\n\n- they can work for more than one client\n\nYou can check someone\u2019s employment status:\n\n- online\n\n- by phone\n\nThere are special rules for businesses supplying workers, for example an employment agency.\n\n## Checking their employment rights\n\nSomeone is probably self-employed and doesn\u2019t have the rights of an employee if they\u2019re exempt from PAYE and most of the following are also true:\n\n- they put in bids or give quotes to get work\n\n- they\u2019re not under direct supervision when working\n\n- they submit invoices for the work they\u2019ve done\n\n- they\u2019re responsible for paying their own National Insurance and tax\n\n- they don\u2019t get holiday or sick pay when they\u2019re not working\n\n- they operate under a contract (sometimes known as a \u2018contract for services\u2019 or \u2018consultancy agreement\u2019) that uses terms like \u2018self-employed\u2019, \u2018consultant\u2019 or an \u2018independent contractor\u2019\n\n## Contractors\n\nA contractor can be:\n\n- self-employed\n\n- a worker or an employee if they work for a client and are employed by an agency\n\nThere\u2019s a special scheme for self-employed contractors and sub-contractors working in the construction industry called the Construction Industry Scheme (CIS).\n\n## If someone becomes self-employed\n\nA worker must tell HMRC if they become self-employed.\n\n## Director\n\nCompany directors run limited companies on behalf of shareholders.\n\nDirectors have different rights and responsibilities from employees, and are classed as office holders for tax and National Insurance contribution purposes.\n\nIf a person does other work that\u2019s not related to being a director, they may have an employment contract and get employment rights.\n\n## Office holder\n\nA person who\u2019s been appointed to a position by a company or organisation but doesn\u2019t have a contract or receive regular payment may be an office holder. This includes:\n\n- statutory appointments, such as registered company directors or secretaries, board members of statutory bodies, or crown appointments\n\n- appointments under the internal constitution of an organisation, such as club treasurers or trade union secretaries\n\n- appointments under a trust deed, such as trustees\n\n- ecclesiastical appointment, such as members of the clergy\n\nOffice holders are neither employees nor workers. However, it\u2019s possible for someone to be an office holder and an employee if they have an employment contract with the same company or organisation that meets the criteria for employees.\n\n## Working out employment status for an office holder\n\nSomeone is likely to be an office holder if most of these statements apply to them:\n\n- there is no contract or service agreement relating to their appointment\n\n- their duties are minimal, and are only those required under the relevant statute, constitution or trust deed\n\n- they don\u2019t get a salary or any other form of regular payment for their services\n\n- the only payment they get is a voluntary payment (honorarium), regardless of the work they do - tax and National Insurance are deducted by the appointing body\n\n- they\u2019re effectively working as an independent office, and are not under the close supervision or control of the appointing body\n\n## Legal decisions on employment status\n\nA court or employment tribunal (known as an industrial tribunal in Northern Ireland) can make a final decision on employment status for employment rights purposes. They\u2019ll look at how the employment relationship between the person and the business works in practice.\n\nHM Revenue and Customs (HMRC) may separately argue that someone is self-employed for tax purposes. This may be confirmed by the tax tribunal and the courts.\n\nAn employment tribunal or court may still make a decision that someone is a worker or employee for employment rights purposes.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employment-status", + "answerable": true, + "scenario": "I am the HR manager for a large publishing company, whose former chairman retired last year. The board of directors has decided to grant him \"Chairman Emeritus\" status, a position with no contractual duties and unpaid other than for a small annual honorarium.", + "original_question": "Does this individual qualify as an \"office holder\" in employment law?" + }, + { + "id": "train-746", + "question": "Scenario: I am the owner of a high street retailing business which has fallen on hard times in the wake of the pandemic. At our peak we had over 150 employees, who were represented by a trade union whom we voluntarily recognised six years ago. Now our headcount has fallen below 20, and the remaining workers include a union shop steward who is being unreasonably obstructive of our attempts to turn the company around.\n\nQuestion: Given the shrunken state of the business, is it now possible to get the union derecognised?\n\nDocument - Derecognise a union:\n## Overview\n\nTrade unions can be recognised to represent groups of employees in a company in negotiations over pay, holidays and working conditions through either:\n\n- a voluntary agreement with the employer\n\n- a declaration by the Central Arbitration Committee (CAC).\n\nThree years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.\n\nIf the application is successful, the union will cease to represent the workforce in negotiations with the employer.\n\n## When employers can apply\n\nWhere recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:\n\n- the number of people employed by the company has fallen to less than 21\n\n- workers in the bargaining unit no longer support the union\n\n- the number of union members in the bargaining unit has fallen to below 50%\n\n## When workers can apply\n\nYou can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.\n\nYou can apply to have a non-independent union derecognised if the majority of workers do not support it.\n\n## Employers: reduced workforce\n\nAs an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:\n\n- you\u2019ve employed less than 21 people for a continuous 13-week period\n\n- it is more than 3 years since recognition was declared by the CAC\n\nYou must give written notice to the union asking for the union to be derecognised. Notice must be given within 5 days of the end of the relevant 13-week period.\n\nYour letter must include the following details:\n\n- the specific 13-week period during which you had less than 21 workers\n\n- the number of workers you employed in that time\n\n- the current bargaining arrangements\n\n- the date you want the arrangements to end - this must be at least 35 working days after the request was made\n\nYou must give a copy of the letter to the CAC. The CAC will tell you within 10 days if the notice you gave the union was valid.\n\n## Your notice is valid\n\nThe union will be derecognised and you won\u2019t have to negotiate with them anymore, unless they make an application to the CAC because they believe that:\n\n- the 13-week period was within 3 years of them gaining recognition\n\n- your company employed 21 or more workers during that time\n\n## Your notice isn\u2019t valid\n\nYou must continue with the current collective bargaining arrangements.\n\n## Employers: union loses support\n\nYou can try to get a union derecognised if the workers in the bargaining unit no longer support it and don\u2019t want it to negotiate on their behalf.\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the union, stating:\n\n- that you wish to end the bargaining arrangements because you believe that the union no longer has the support of the workers\n\n- what the current arrangements are\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union agrees to negotiate\n\nIf they reject your request but agree to negotiate, you\u2019ll have another 20 working days to come to an agreement about derecognition.\n\nWithin this period, either side can ask the Advisory, Conciliation and Arbitration Service (Acas) to help with negotiations. You may extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nYou can apply to the Central Arbitration Committee (CAC) to hold a secret ballot of workers to see if they support derecognition.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your supporting documents to CAC. Send a copy to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange a secret ballot of workers if your application is successful.\n\nYou\u2019ll have to continue negotiating with the union if your application fails.\n\n## Employers: union membership is less than 50%\n\nIf the Central Arbitration Committee (CAC) declared recognition without a ballot more than 3 years ago, a union can be derecognised if the level of union membership in the bargaining unit falls below 50%.\n\nApply to the CAC to hold a secret ballot of employees on whether collective bargaining should be ended.\n\nYou can only apply if:\n\n- the CAC declared recognition without a ballot more than 3 years ago\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the unions, stating:\n\n- that fewer than 50% of the workers in the bargaining unit are union members\n\n- what the current bargaining arrangements are, eg how many workers are in the bargaining unit, where they work\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union rejects your request but is willing to negotiate\n\nYou have 10 days to negotiate an agreement about derecognition. You can extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nApply to CAC to hold a secret ballot of workers to see if they support derecognition.\n\nYou can\u2019t apply if there have been any applications to CAC for an end to bargaining arrangements in the previous 3 years.\n\nProvide evidence (eg letters supporting your application, workplace surveys) that less than 50% of the bargaining unit are union members.\n\nSend the completed form and your supporting documents to CAC. You must send copies of the form and evidence to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange for a secret ballot of the workers to be held if your application is successful.\n\nYou will have to continue negotiating with the union if your application fails.\n\n## Workers: union loses support\n\nYou can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your evidence to both the union and the CAC.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs information to support your application, eg evidence of levels of union support.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Workers: derecognise a non-independent union\n\nAn employee or group of workers can apply to the Central Arbitration Committee (CAC) to derecognise a non-independent union that the employer recognised voluntarily.\n\nA non-independent union represents employees but has not been given a certificate of independence by the Certification Officer. You can check this on the Certification Officer\u2019s website.\n\nYou can apply any time after the union has been recognised by the employer.\n\n## Apply for a secret ballot\n\nApply to CAC to hold a secret ballot of workers to find out if they want the union derecognsied.\n\nThe form must be completed and signed by an employee in the bargaining unit.\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of employees in the bargaining are likely to favour an end to the bargaining arrangements\n\nSend the completed form plus your documents to CAC. Send a signed copy of the form and evidence to the union and your employer.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Holding a derecognition ballot\n\nWhen employers, workers and the union have tried to reach agreement about derecognition but failed, the Central Arbitration Committee (CAC) will hold a secret ballot.\n\nCAC will write to everyone involved, saying that they intend to hold a ballot to allow workers in the bargaining unit to vote on derecognition.\n\n## How the ballot works\n\nCAC will appoint a qualified independent person (QIP) who will aim to conduct the ballot within 20 working days of their appointment. The CAC may extend this period if necessary.\n\nThe QIP will provide an estimate for the cost of running the ballot. The arrangements for the ballot will be decided by the CAC after consulting the employer and the union.\n\nThe final cost of the ballot will be split equally between the employer and the union.\n\nThe employer and the union must follow the Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition.\n\n## Complain when someone doesn\u2019t co-operate\n\nComplain to CAC any time before the ballot is held if you feel someone isn\u2019t co-operating.\n\nThe union can complain to the CAC if the employer is not fulfilling their duties during the ballot.\n\nCAC will investigate and can issue a \u2018remedial order\u2019 demanding that all duties are carried out properly.\n\nIf that order is ignored CAC can cancel the ballot or declare that the union be derecognised.\n\n## Complain about unfair practices\n\nComplain to the Central Arbitration Committee (CAC) if you feel that another party is using unfair practices to influence the ballot, eg bribery or threats.\n\nTo make a complaint fill in the unfair practices application form and send it to CAC. The address is on the form.\n\nComplaints can be made at any time up to the end of day after the ballot closes.\n\nWhere CAC finds that unfair practices were used they may:\n\n- reschedule the ballot\n\n- cancel the ballot and declare that the union is derecognised\n\n- cancel the ballot and refuse the application for derecognition\n\nThe Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.\n\n## After the ballot\n\nYou\u2019ll usually find out the result of the vote 48 hours after the ballot closes.\n\nFor a union to be derecognised the majority of those voting, and at least 40% of the workers in the bargaining unit, must vote in favour of ending the bargaining arrangements.\n\nThe Central Arbitration Committee (CAC) will declare the union as derecognised or will refuse the application for derecognition.\n\n## Paying for the ballot\n\nThe employer and the union will each receive a demand from the qualified independent person (QIP) for their share of the cost of running the ballot.\n\nThis must be paid in 15 days. If either party wishes to dispute the amount they can appeal to an employment tribunal.\n\n## What you must do\n\nAs an employer, you no longer have to work with a union that\u2019s been derecognised.\n\nYou must continue to work with a union if the CAC have refused the application for derecognition. You cannot reapply for the union to be derecognised for 3 years.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/derecognise-a-union", + "answerable": true, + "scenario": "I am the owner of a high street retailing business which has fallen on hard times in the wake of the pandemic. At our peak we had over 150 employees, who were represented by a trade union whom we voluntarily recognised six years ago. Now our headcount has fallen below 20, and the remaining workers include a union shop steward who is being unreasonably obstructive of our attempts to turn the company around.", + "original_question": "Given the shrunken state of the business, is it now possible to get the union derecognised?" + }, + { + "id": "train-748", + "question": "Scenario: I am an employee of a large software house, where I have worked for nearly four years. I recently made a request to work flexibly from a remote location, but this was turned down by my employer on the grounds of negative effects on performance.\n\nQuestion: Do I have a statutory right to an appeal against this refusal?\n\nDocument - Flexible working:\n## Overview\n\nFlexible working is a way of working that suits an employee\u2019s needs, for example having flexible start and finish times, or working from home.\n\nFlexible working rules are different in Northern Ireland.\n\nAll employees have the legal right to request flexible working - not just parents and carers.\n\nThis is known as \u2018making a statutory application\u2019.\n\nEmployees must have worked for the same employer for at least 26 weeks to be eligible.\n\n## What employers must do\n\nEmployers must deal with requests in a \u2018reasonable manner\u2019.\n\nExamples of handling requests in a reasonable manner include:\n\n- assessing the advantages and disadvantages of the application\n\n- holding a meeting to discuss the request with the employee\n\n- offering an appeal process\n\nIf an employer does not handle a request in a reasonable manner, the employee can take them to an employment tribunal.\n\nAn employer can refuse an application if they have a good business reason for doing so.\n\n## Types of flexible working\n\nThere are different ways of working flexibly.\n\n## Job sharing\n\nTwo people do one job and split the hours.\n\n## Working from home\n\nIt might be possible to do some or all of the work from home or anywhere else other than the normal place of work.\n\n## Part time\n\nWorking less than full-time hours (usually by working fewer days).\n\n## Compressed hours\n\nWorking full-time hours but over fewer days.\n\n## Flexitime\n\nThe employee chooses when to start and end work (within agreed limits) but works certain \u2018core hours\u2019, for example 10am to 4pm every day.\n\n## Annualised hours\n\nThe employee has to work a certain number of hours over the year but they have some flexibility about when they work. There are sometimes \u2018core hours\u2019 which the employee regularly works each week, and they work the rest of their hours flexibly or when there\u2019s extra demand at work.\n\n## Staggered hours\n\nThe employee has different start, finish and break times from other workers.\n\n## Phased retirement\n\nDefault retirement age has been phased out and older workers can choose when they want to retire. This means they can reduce their hours and work part time.\n\n## Applying for flexible working\n\nEmployees can apply for flexible working if they\u2019ve worked continuously for the same employer for the last 26 weeks. It\u2019s known as \u2018making a statutory application.\u2019\n\nThe basic steps are:\n\n- The employee writes to the employer.\n\n- The employer considers the request and makes a decision within 3 months - or longer if agreed with the employee.\n\n- If the employer agrees to the request, they must change the terms and conditions in the employee\u2019s contract.\n\n- If the employer disagrees, they must write to the employee giving the business reasons for the refusal. The employee may be able to complain to an employment tribunal.\n\nEmployees can only make one application for flexible working a year.\n\n## Writing to the employer\n\nAn employee should email or write a letter to their employer.\n\nEmployers may ask employees to use a standard form to make an application.\n\n## What the email or letter must include\n\nThe application must include:\n\n- the date\n\n- a statement that this is a statutory request\n\n- details of how the employee wants to work flexibly and when they want to start\n\n- an explanation of how they think flexible working might affect the business and how this could be dealt with, for example if they\u2019re not at work on certain days\n\n- a statement saying if and when they\u2019ve made a previous application\n\n## Withdrawing an application\n\nEmployees should tell their employer in writing if they want to withdraw their application.\n\nThe employer can treat an application as withdrawn if the employee misses 2 meetings to discuss an application or appeal without good reason, for example sickness.\n\nThe employer must tell the employee they are treating the request as withdrawn.\n\n## After the application\n\nEmployers must consider flexible working requests in a \u2018reasonable manner\u2019.\n\nThey should usually make a decision within 3 months of the request (or longer if agreed with the employee).\n\n## Agreeing the application\n\nThe employer should write to the employee with:\n\n- a statement of the agreed changes\n\n- a start date for flexible working\n\nThey should also change the employee\u2019s contract to include the new terms and conditions.\n\nThis should be done as soon as possible but no later than 28 days after the request was approved.\n\n## Rejecting an application\n\nThe employer must tell the employee that they\u2019ve rejected the application.\n\n## Reasons for rejecting\n\nEmployers can reject an application for any of the following reasons:\n\n- extra costs that will damage the business\n\n- the work cannot be reorganised among other staff\n\n- people cannot be recruited to do the work\n\n- flexible working will affect quality and performance\n\n- the business will not be able to meet customer demand\n\n- there\u2019s a lack of work to do during the proposed working times\n\n- the business is planning changes to the workforce\n\n## Appeals\n\nEmployees no longer have a statutory right to an appeal.\n\nBut offering an appeals process helps to demonstrate that the employer is handling requests in a \u2018reasonable manner\u2019.\n\n## How to appeal\n\nThe employee must follow the company\u2019s procedures for appealing.\n\nThe employee or employer should follow the company\u2019s procedures for solving a workplace dispute if a rejected application causes problems.\n\n## Going to an employment tribunal\n\nEmployees can complain to an employment tribunal if the employer:\n\n- did not handle the request in a \u2018reasonable manner\u2019\n\n- wrongly treated the employee\u2019s application as withdrawn\n\n- dismissed or treated an employee poorly because of their flexible working request, for example refused a promotion or pay rise\n\n- rejected an application based on incorrect facts\n\nEmployees cannot complain to a tribunal just because their flexible working request was rejected.\n\nAn employee should complain to the tribunal within 3 months of:\n\n- hearing their employer\u2019s decision\n\n- hearing their request was treated as withdrawn\n\n- the date the employer should have responded to their request (but failed to do so)\n\nIf an employer or employee is unsure of their rights, they should get legal advice.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/flexible-working", + "answerable": true, + "scenario": "I am an employee of a large software house, where I have worked for nearly four years. I recently made a request to work flexibly from a remote location, but this was turned down by my employer on the grounds of negative effects on performance.", + "original_question": "Do I have a statutory right to an appeal against this refusal?" + }, + { + "id": "train-750", + "question": "Scenario: I am a former partner in an LLP, which we have just converted into a limited company in order to begin hiring our first staff. The company provides translation services, and we are considering hiring some (advanced) foreign language students on a zero-hours, on-call basis.\n\nQuestion: Do workers on zero-hours contracts have different entitlement to statutory annual leave that full-time employees do?\n\nDocument - Contract types and employer responsibilities:\n## Overview\n\nAs an employer, the tax and employment responsibilities you have for your staff will depend on the type of contract you give them and their employment status.\n\nContract types include:\n\n- full-time and part-time contracts\n\n- fixed-term contracts\n\n- agency staff\n\n- freelancers, consultants, contractors\n\n- zero-hours contracts\n\nThere are also special rules for employing family members, young people and volunteers.\n\n## Full-time and part-time contracts\n\nAs an employer you must give employees:\n\n- a written statement of employment or contract\n\n- the statutory minimum level of paid holiday\n\n- a payslip showing all deductions, such as National Insurance contributions (NICs)\n\n- the statutory minimum length of rest breaks\n\n- Statutory Sick Pay (SSP)\n\n- maternity, paternity and adoption pay and leave\n\nYou must also:\n\n- make sure employees do not work longer than the maximum allowed\n\n- pay employees at least the minimum wage\n\n- have employer\u2019s liability insurance\n\n- provide a safe and secure working environment\n\n- register with HM Revenue and Customs to deal with payroll, tax and NICs\n\n- consider flexible working requests\n\n- avoid discrimination in the workplace\n\n- make reasonable adjustments to your business premises if your employee is disabled\n\n## Fixed-term contracts\n\nFixed-term contracts:\n\n- last for a certain length of time\n\n- are set in advance\n\n- end when a specific task is completed\n\n- end when a specific event takes place\n\nFixed-term employees must receive the same treatment as full-time permanent staff.\n\nFind out more about fixed-term employees\u2019 rights, and what to do about renewing or ending a fixed-term contract.\n\n## Agency staff\n\nAs an employer, you can hire temporary staff through agencies. This means:\n\n- you pay the agency, including the employee\u2019s National Insurance contributions (NICs) and Statutory Sick Pay (SSP)\n\n- it\u2019s the agency\u2019s responsibility to make sure workers get their rights under working time regulations\n\n- after 12 weeks\u2019 continuous employment in the same role, agency workers get the same terms and conditions as permanent employees, including pay, working time, rest periods, night work, breaks and annual leave\n\n- you must provide the agency with information about the relevant terms and conditions in your business so that they can ensure the worker gets equal treatment after 12 weeks in the same job\n\n- you must allow agency workers to use any shared facilities (for example a staff canteen or childcare) and give them information about job vacancies from the first day they work there\n\n- you are still responsible for their health and safety\n\n## Freelancers, consultants and contractors\n\nIf you hire a freelancer, consultant or contractor it means that:\n\n- they are self-employed or are part of other companies\n\n- they often look after their own tax and National Insurance contributions (NICs)\n\n- they might not be entitled to the same rights as workers, such as minimum wage\n\n- you\u2019re still responsible for their health and safety\n\n## Zero-hours contracts\n\nZero-hours contracts are also known as casual contracts. Zero-hours contracts are usually for \u2018piece work\u2019 or \u2018on call\u2019 work, for example for interpreters.\n\nThis means:\n\n- they are on call to work when you need them\n\n- you do not have to give them work\n\n- they do not have to do work when asked\n\nZero-hours workers are entitled to statutory annual leave and the National Minimum Wage in the same way as regular workers.\n\nYou cannot do anything to stop a zero-hours worker from getting work elsewhere. The law says they can ignore a clause in their contract if it bans them from:\n\n- looking for work\n\n- accepting work from another employer\n\nYou are still responsible for health and safety of staff on zero-hours contracts.\n\n## Employing family, young people and volunteers\n\n## Family\n\nIf you hire family members you must:\n\n- avoid special treatment in terms of pay, promotion and working conditions\n\n- make sure tax and National Insurance contributions are still paid\n\n- follow working time regulations for younger family members\n\n- have employer\u2019s liability insurance that covers any young family members\n\n- check if you need to provide them with a workplace pension scheme\n\n## Volunteers and voluntary staff\n\nWhen taking on volunteers or voluntary staff you:\n\n- are responsible for their health and safety\n\n- must give inductions and training in the tasks they\u2019re going to do\n\n## Young people\n\nYou can employ young people if they are 13 or over but there are special rules about how long they can work and what jobs they can do. Once someone is 18 they\u2019re classed as an \u2018adult worker\u2019 and different rules apply.\n\nAs well as following these rules you must do a risk assessment before taking on young workers.\n\nYoung people may also have certain employment rights like:\n\n- statutory maternity pay and ordinary statutory paternity pay if they qualify as a result of their continuous employment\n\n- paid time off for study and training\n\n- redundancy pay\n\nYoung workers and apprentices have different rates from adult workers for the National Minimum Wage.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/contract-types-and-employer-responsibilities", + "answerable": true, + "scenario": "I am a former partner in an LLP, which we have just converted into a limited company in order to begin hiring our first staff. The company provides translation services, and we are considering hiring some (advanced) foreign language students on a zero-hours, on-call basis.", + "original_question": "Do workers on zero-hours contracts have different entitlement to statutory annual leave that full-time employees do?" + }, + { + "id": "train-752", + "question": "Scenario: I am 24 and for two years have been an employee of a large financial services provider in the City of London. I have made a formal request to my manager for time off to take a training course in financial technology, and have now been offered a meeting to discuss this.\n\nQuestion: Do I have the right to be accompanied to the meeting by a colleague?\n\nDocument - Training and study at work: your rights:\n## Who can and can't ask for time off to train\n\nStaff may have the right to ask for time off work for training or study.\n\nTo ask for training or study:\n\n- staff must be classed as an employee\n\n- they must have worked for their employer for at least 26 weeks\n\n- training must help staff do their job better\n\n- at least 250 people must work in the organisation\n\nTime off is usually unpaid unless the employer agrees to pay it.\n\nCheck someone\u2019s employment status.\n\n## Who can\u2019t ask for time off to train\n\nStaff can\u2019t ask for time off for training or study if they\u2019re:\n\n- an agency worker\n\n- in the armed forces\n\n- of compulsory school age (\u2018school age\u2019 in Scotland)\n\n- a young person who\u2019s already got the right to take paid time off for study or training\n\n- aged 16 to 18 and already expected to take part in education or training\n\n## Asking for time off\n\nEmployees should follow their organisation\u2019s rules to ask for time off. If there aren\u2019t any they can write to their employer saying it\u2019s a request \u2018under Section 63D of the Employment Rights Act 1996\u2019 with the following details:\n\n- the date\n\n- the subject matter of the study or training\n\n- where and when it would take place\n\n- who\u2019ll be providing the training\n\n- the name of the qualification they could get - if any\n\n- why they think this study or training will help them do their job better and help their employer\u2019s business\n\n- if they\u2019ve made a request before and when\n\nAn employer doesn\u2019t have to consider the request if all this information isn\u2019t included.\n\nEmployees can only make 1 request a year.\n\n## If the employee changes their mind\n\nThe employee must tell their employer if they:\n\n- don\u2019t start the agreed training or study\n\n- don\u2019t finish the training or study\n\n- do a different course or plan to do a different course from the one agreed\n\n## Employer's decision and responsibilities\n\nThe employer has 28 days to:\n\n- accept the request\n\n- hold a meeting with the employee to discuss it\n\nThis might be longer if the person who deals with these requests is off when the request is sent in.\n\nThe employee can take a trade union representative or colleague to the meeting. They can ask for the meeting to be postponed if this person can\u2019t make it.\n\nIf the employer decides to hold a meeting about it they must make a decision within 14 days of it, unless the employee agrees in writing to extend this time.\n\n## Turning down the request\n\nThe employer can only turn down a request if:\n\n- the training wouldn\u2019t benefit their business\n\n- they would run up extra costs for the business\n\n- they wouldn\u2019t be able to meet customer demands\n\n- they can\u2019t re-organise the work among other members of staff\n\n- they can\u2019t recruit extra staff\n\n- it would damage quality and business performance\n\n- there wouldn\u2019t be enough work for the employee to do at the times they intend to work\n\n- it conflicts with planned structural changes\n\n## Paying for the training\n\nThe employer doesn\u2019t have to pay for the training or study. They can choose to pay all or part of the fees if they think it will benefit the business.\n\n## Appealing the decision\n\nEmployees have the right to appeal if their employer refuses a request to take time off for training or study.\n\nThis must be made within 14 days of their employer\u2019s decision.\n\nThe appeal must:\n\n- be in writing\n\n- be dated\n\n- set out why they\u2019re appealing - the grounds for the appeal\n\n## The appeal meeting\n\nThe employer has to arrange a meeting with the employee to discuss the appeal within 14 days of getting the appeal.\n\nThe employer must give their decision in writing within 14 days of the meeting.\n\n## If the problem isn\u2019t resolved\n\nIf an employee isn\u2019t satisfied with the result of an appeal they can phone Acas (Advisory, Conciliation and Arbitration Service) for help and advice or raise a grievance.\n\nIf this doesn\u2019t work the employee could go to an employment tribunal if the employer:\n\n- didn\u2019t follow the procedure properly\n\n- refused the request based on the wrong facts\n\nEmployment tribunal claims must be made within 3 months of an appeal decision.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/training-study-work-your-rights", + "answerable": true, + "scenario": "I am 24 and for two years have been an employee of a large financial services provider in the City of London. I have made a formal request to my manager for time off to take a training course in financial technology, and have now been offered a meeting to discuss this.", + "original_question": "Do I have the right to be accompanied to the meeting by a colleague?" + }, + { + "id": "train-757", + "question": "Scenario: I own and run a small office supplies company in Slough, England. I recently received a letter from the DWP requesting that I calculate and make DEA deductions from the pay of one of my employees who had previously been overpaid benefits by them.\n\nQuestion: Do my employee's travel expenses count as part of their income when calculating the amount to deduct?\n\nDocument - Make benefit debt deductions from an employee's pay:\n## Overview\n\nAs an employer you may be asked to deduct benefit overpayments an employee owes the Department for Work and Pensions (DWP) from their pay. This is called a Direct Earnings Attachment (DEA).\n\nDWP will write to you and ask you to operate the DEA scheme if any of your employees are affected. DEA only applies to a small proportion of people owing money to DWP.\n\nYou may also be asked to make deductions for Housing Benefit overpayments an employee owes their local authority. Contact local authorities, not DWP, about these deductions.\n\n## How it works\n\nThe Department for Work and Pensions (DWP) will write to you if you need to make Direct Earnings Attachment (DEA) deductions for an employee.\n\n## How deductions work\n\nYou\u2019ll need to follow these steps if you get a letter from DWP saying you need to make Direct Earnings Attachment (DEA) deductions for an employee:\n\n- Tell your employee that money will be deducted from their pay.\n\n- Work out how much to deduct from your employee\u2019s pay.\n\n- Check if your employee has other debt orders to pay and if they take priority over DEA.\n\n- Take the money from your employee\u2019s pay.\n\n- Pay the money to DWP no later than the 19th day of the month following deduction in your payroll.\n\n- Continue to make employee deductions and payments to DWP until the debt has been repaid or DWP tells you to stop.\n\nRead the employer\u2019s guide for more information on DEA deductions and payments.\n\n## Record keeping\n\nYou must keep a record of deductions and tell DWP when an employee leaves your company.\n\nYou could be fined up to \u00a31,000 if you do not make DEA deductions.\n\n## Help with DWP payments\n\nCall the employer helpline if you have questions about how to run DEA or pay DWP.\n\nThis helpline is for DWP deductions only. Contact your employee\u2019s local authority for Housing Benefit deductions.\n\n## Calculating DEA\n\nTo calculate the deductions from your employee\u2019s pay you\u2019ll have to:\n\n- work out the employee\u2019s earnings after tax, class 1 National Insurance and workplace pension contributions\n\n- deduct the percentage shown in the table from the employee\u2019s earnings\n\n- check if the employee has other debt orders and if they take priority over Direct Earnings Attachment (DEA) - see the employer\u2019s guide\n\nIf the total of all deductions is more than 40% of the employee\u2019s net earnings, DEA must be adjusted - see the employer\u2019s guide.\n\nIf payments are made every 2 or 4 weeks, calculate weekly pay and deduct the percentage in the table.\n\n## Standard DEA rates\n\n| Deductions from earnings | Employee\u2019s weekly pay | Employee\u2019s monthly pay |\n\n| Nothing to deduct | \u00a3100 or less | \u00a3430 or less |\n\n| 3% | \u00a3100.01 to \u00a3160 | \u00a3430.01 to \u00a3690 |\n\n| 5% | \u00a3160.01 to \u00a3220 | \u00a3690.01 to \u00a3950 |\n\n| 7% | \u00a3220.01 to \u00a3270 | \u00a3950.01 to \u00a31,160 |\n\n| 11% | \u00a3270.01 to \u00a3375 | \u00a31,160.01 to \u00a31,615 |\n\n| 15% | \u00a3375.01 to \u00a3520 | \u00a31,615.01 to \u00a32,240 |\n\n| 20% | More than \u00a3520 | More than \u00a32,240 |\n\n## Higher DEA rates\n\nIn some circumstances you may be asked to deduct DEA at a higher rate. The Department for Work and Pensions (DWP) will tell you which rate to use when it contacts you to set up DEA deductions.\n\n| Deductions from earnings | Employee\u2019s weekly pay | Employee\u2019s monthly pay |\n\n| 5% | \u00a3100 or less | \u00a3430 or less |\n\n| 6% | \u00a3100.01 to \u00a3160 | \u00a3430.01 to \u00a3690 |\n\n| 10% | \u00a3160.01 to \u00a3220 | \u00a3690.01 to \u00a3950 |\n\n| 14% | \u00a3220.01 to \u00a3270 | \u00a3950.01 to \u00a31,160 |\n\n| 22% | \u00a3270.01 to \u00a3375 | \u00a31,160.01 to \u00a31,615 |\n\n| 30% | \u00a3375.01 to \u00a3520 | \u00a31,615.01 to \u00a32,240 |\n\n| 40% | More than \u00a3520 | More than \u00a32,240 |\n\nCall the employer helpline if you\u2019re unsure which rate to pay.\n\nThere is more detail about calculating DEA in the employer\u2019s guide.\n\n## What counts as earnings\n\nWhen calculating Direct Earnings Attachment (DEA) payments, you should include as earnings:\n\n- wages and salary\n\n- fees\n\n- bonuses\n\n- commission\n\n- overtime pay\n\n- occupational pensions if paid with wages or salary\n\n- compensation payments\n\n- Statutory Sick Pay\n\n- most other payments on top of wages\n\n- pay in lieu of notice\n\nDo not count:\n\n- Statutory Maternity Pay\n\n- Statutory Adoption Pay\n\n- Ordinary or Additional Paternity Pay\n\n- guaranteed minimum pension\n\n- any money the employee gets from the government, such as benefits, pensions or credits (includes Northern Ireland or anywhere outside the UK)\n\n- statutory redundancy pay\n\n- expenses\n\n- pay or allowances as a member of HM Forces (does not include allowances for special members of the reserve force)", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/make-benefit-debt-deductions", + "answerable": true, + "scenario": "I own and run a small office supplies company in Slough, England. I recently received a letter from the DWP requesting that I calculate and make DEA deductions from the pay of one of my employees who had previously been overpaid benefits by them.", + "original_question": "Do my employee's travel expenses count as part of their income when calculating the amount to deduct?" + }, + { + "id": "train-759", + "question": "Scenario: I am currently employed part-time as a care assistant and am also studying for a first degree in social work via a non-residential part-time course offered by my local university. My household income is around \u00a316,000 pa, but my employer does not directly contribute to the cost of my training.\n\nQuestion: Am I likely to be eligible for a social work bursary?\n\nDocument - Social work bursaries:\n## Overview\n\nIf you\u2019re training for social work you may get a bursary.\n\nSocial work bursaries:\n\n- help with living costs and tuition fees\n\n- don\u2019t depend on your household income\n\n- don\u2019t have to be paid back\n\n## What you'll get\n\nThe social work bursary is a grant that doesn\u2019t depend on your household income and doesn\u2019t have to be paid back.\n\nThe amount you get depends on:\n\n- where you study\n\n- whether you study full or part-time\n\n- the cost of your tuition\n\nGraduates doing an undergraduate social work course can apply for the Maintenance Loan part of the main student finance \npackage.\n\n## How it\u2019s paid\n\nSocial work bursaries are paid in 3 instalments, one each term.\n\n## If you\u2019re disabled\n\nYou may be able to get extra help if you\u2019re disabled and a postgraduate student.\n\n## Eligibility\n\nSocial work bursaries are available to eligible social work students who:\n\n- don\u2019t get funding from their employer\n\n- are studying an approved undergraduate or postgraduate course in social work\n\n- don\u2019t already have a higher education social work qualification\n\nYour university or college will tell you if your course qualifies.\n\nUndergraduate students may also be able to get help from the main student finance \npackage - apply to Student Finance England.\n\nYou\u2019re not eligible for a bursary if you\u2019re studying on an employment-based course including direct Open University courses.\n\n## How to apply\n\nYou need to download forms from NHS Business Services Authority. The address to send the form is in the guidance notes.\n\nThe deadline for 2017 to 2018 applications depends on when you start your course:\n\n| Course starts | Application deadline |\n\n| Autumn term | 1 November 2017 |\n\n| Winter term | 14 February 2018 |\n\n## Evidence needed\n\nYou may need to prove your identity by sending both:\n\n- your birth certificate\n\n- your passport (which must be valid)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/social-work-bursaries", + "answerable": true, + "scenario": "I am currently employed part-time as a care assistant and am also studying for a first degree in social work via a non-residential part-time course offered by my local university. My household income is around \u00a316,000 pa, but my employer does not directly contribute to the cost of my training.", + "original_question": "Am I likely to be eligible for a social work bursary?" + }, + { + "id": "train-762", + "question": "Scenario: I am an accounts manager with a recruitment agency, which currently has 45 members of staff. We received a late payment penalty notice from HMRC last week, after a miscalculation regarding deadlines in the previous quarter.\n\nQuestion: Is it still possible to pay the penalty charge using a cheque, drawn on our corporate bank account and sent via the post?\n\nDocument - Pay a PAYE late payment or filing penalty:\n## Overview\n\nYou have 30 days from the date on the PAYE late penalty notice to pay or appeal it.\n\nPay now\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set up one for HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set up one for HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## Reference number\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB03BARC20114783977692 | BARCGB22 | HMRC Shipley |\n\nHMRC\u2019s banking address is:\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HM Revenue and Customs (HMRC) sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (even on bank holidays and weekends) - not the date it reaches HMRC\u2019s account.\n\nIf you\u2019re unable to pay your penalty in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can pay at a branch by cash or cheque. You\u2019ll need to use the HM Revenue and Customs (HMRC) payslip included with the late penalty or filing notice.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your penalty reference number on the back of your cheque. The reference number starts with an X. You will find it on the penalty notice sent to you by HMRC.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nHMRC will accept your payment on the date you make it (if you pay it from Monday to Friday) and not the date it reaches HMRC\u2019s account.\n\n## Direct Debit\n\nSet up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment.\n\nYou\u2019ll need to use your penalty reference number as the payment reference. This starts with an X and you\u2019ll find it on the penalty notice HMRC sent you.\n\nDo not use your PAYE Accounts Office reference number. Your payment may be delayed if you use the wrong reference.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days next time if you\u2019re using the same bank details.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your penalty reference number on the back of the cheque. It starts with an \u2018X\u2019 and you\u2019ll find it on the penalty notice HMRC sent you.\n\nInclude the payslip from the penalty notice. Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nIf you want a receipt, include a note asking for one.\n\n## If you do not have a payslip\n\nYou can print a payslip to use to pay by post. You cannot use this at a bank.\n\n## Check your payment has been received\n\nView your HMRC online account to see if your payment has been received - it should update within 6 working days.\n\nYou can also check your bank or building society statement to confirm the payment has left your account.\n\nIf you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-paye-penalty", + "answerable": true, + "scenario": "I am an accounts manager with a recruitment agency, which currently has 45 members of staff. We received a late payment penalty notice from HMRC last week, after a miscalculation regarding deadlines in the previous quarter.", + "original_question": "Is it still possible to pay the penalty charge using a cheque, drawn on our corporate bank account and sent via the post?" + }, + { + "id": "train-763", + "question": "Scenario: I am the finance director of a autoparts manufacturer based in the midlands, which currently has 294 employees. Our PAYE bill for the previous month is now due, and I would like to pay from our corporate bank account.\n\nQuestion: Is it still possible to pay by cheque through the post?\n\nDocument - Pay employers' PAYE:\n## Overview\n\nYou must pay your PAYE bill to HM Revenue and Customs (HMRC) by:\n\n- the 22nd of the next tax month if you pay monthly\n\n- the 22nd after the end of the quarter if you pay quarterly - for example, 22 July for the 6 April to 5 July quarter\n\nPay now\n\nIf you pay by cheque through the post the deadline is the 19th of the month.\n\n## What you\u2019re paying\n\nYour PAYE bill may include:\n\n- employee Income Tax deductions\n\n- Class 1 and 1B National Insurance\n\n- Class 1A National Insurance on termination awards and sporting testimonials\n\n- Student Loan repayments\n\n- Construction Industry Scheme (CIS) deductions\n\n- your Apprenticeship Levy payments (starting from April 2017) if you, or employers you\u2019re connected to, have an annual pay bill of more than \u00a33 million\n\nYou pay your Class 1A National Insurance on work benefits that you give to your employees separately.\n\nPAYE Settlement Agreements are also paid separately.\n\n## Ways to pay\n\nMake sure you pay HMRC by the deadline. You may have to pay interest and penalties if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- through your online bank account\n\n## 3 working days\n\n- by debit or corporate credit card online\n\n- Bacs\n\n- at your bank or building society (cash or cheque)\n\n- Direct Debit (if you\u2019ve already set one up)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set up one before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## Payment booklets\n\nYou\u2019ll need a payment booklet from HMRC to pay at your bank or building society, or by post. If you do not have one, ask HMRC to send it to you.\n\nIf you\u2019re no longer using your payment booklet, you can ask HMRC to stop sending it.\n\nHMRC will automatically stop sending your payment booklet if you make 2 or more electronic payments in a year.\n\n## Direct Debit\n\nSet up a Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment. This means you\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.\n\n## Reference number\n\nYou\u2019ll need your 13-character accounts office reference number to make a payment. You can find this on the letter HMRC sent you when you first registered as an employer.\n\n## How long it takes\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\nThe payments will show on your bank statement as \u2018HMRC NDDS\u2019.\n\n## Early or late payments\n\nMake sure you also enter the correct year and month the payment is for in the separate boxes provided.\n\n## Make an online or telephone bank transfer\n\nYou can make a transfer from your bank account by Faster Payments, CHAPS or Bacs.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n## If your account is overseas\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld |\n\n## Reference number\n\nYou\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on either:\n\n- the letter HMRC sent you when you first registered as an employer.\n\n- the front of your payment booklet or the letter from HMRC that replaced it\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HMRC on the same or next day.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Early payments\n\n## If you pay monthly\n\nYou need to add extra numbers to your reference number if you pay before the 6th of the tax month that payment is due.\n\nWork out the number you need to use.\n\n## If you pay quarterly\n\nYou need to add extra numbers to your reference number if you pay before the 6th of the second month in the quarter.\n\nWork out the number you need to use.\n\n## Late payments\n\nYou need to add extra numbers to your reference number if you pay on or after the 5th of the tax month after payment was due. Do this whether you pay monthly or quarterly.\n\nWork out the number you need to use. You use a different tool if the payment was for a previous tax year.\n\n## Multiple PAYE schemes\n\nSend an online CHAPS enquiry form if you want to make a single payment via CHAPS for multiple PAYE schemes.\n\nHMRC\u2019s banking address is:\n\n## Approve a payment through your online bank account\n\nYou can pay your PAYE bill directly using your online or mobile bank account.\n\nOnce you\u2019ve signed into your HMRC account, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your PAYE payment.\n\nThe payment is usually instant but sometimes it takes up to 2 hours to show in your account.\n\nYou\u2019ll need to have your online banking details ready to pay this way.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nIf you\u2019re unable to pay your employers\u2019 PAYE bill in full by card, you should use another payment method like a bank transfer.\n\n## Reference number\n\nYou\u2019ll need to use your 13-character accounts office reference number as the payment reference. You can find this on the letter HM Revenue and Customs (HMRC) sent you when you first registered as an employer.\n\n## How long it takes\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## Early or late payments\n\nMake sure you enter the correct year and month the payment is for in the separate boxes provided.\n\n## Pay for the previous tax year\n\nSelect the previous tax year and \u2018month 12\u2019 for the last tax year. If you do not do this, your payment will go to the current tax year instead.\n\n## At your bank or building society\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 13-character accounts office reference number on the back of the cheque. You will find the reference number on the letter HM Revenue and Customs (HMRC) sent to you when you first registered as an employer.\n\nYou\u2019ll need to pay in using the payslip for the correct period. If you do not have one of these, ask HMRC to send you a payment booklet.\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC) if you have fewer than 250 employees.\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 13-character Accounts Office reference number on the back of the cheque. You can find this number on the letter HMRC sent you when you first registered as an employer.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nInclude the payslip for the correct period. If you do not have this, you can either:\n\n- ask HMRC to send you a payment booklet\n\n- print off a replacement payment slip\n\nYou can only use a replacement payslip to pay by post. You cannot use this at a bank.\n\nDo not fold the payslip or cheque or fasten them together.\n\nYou can include a letter with your payment to ask HMRC for a receipt.\n\n## Check your payment has been received\n\nCheck your HM Revenue and Customs (HMRC) online account - it should update within 6 working days of making payment.\n\nIf you\u2019re paying by post, you can include a letter with your payment to request a receipt from HMRC.\n\n## Tell HMRC no payment is due\n\nYou must tell HM Revenue and Customs (HMRC) if you have not paid any employees for at least one tax month.\n\nYou can tell HMRC by filling in an Employer Payment Summary (EPS).\n\nYou must send it by the 19th of the month following the tax month when no employees were paid.\n\nIf you do not send an EPS, HMRC will send you a notice estimating how much you owe. You may have to pay a penalty.\n\n## Telling HMRC in advance\n\nYou can tell HMRC that you will not pay any employees up to 12 months in advance.\n\nContractors in the Construction Industry Scheme (CIS) who have no payments to make need to tell HMRC through a CIS return and a EPS. CIS contractors with payments to make only need to file a CIS return.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/pay-paye-tax", + "answerable": true, + "scenario": "I am the finance director of a autoparts manufacturer based in the midlands, which currently has 294 employees. Our PAYE bill for the previous month is now due, and I would like to pay from our corporate bank account.", + "original_question": "Is it still possible to pay by cheque through the post?" + }, + { + "id": "train-765", + "question": "Scenario: I am 18, live in England and am currently applying to several universities to study for a degree in mechanical engineering. Three years ago I received a Youth Caution from the police after being caught with a small quantity of drugs.\n\nQuestion: Do I have to notify any University that I apply to about my caution?\n\nDocument - Telling an employer, university or college about your criminal record:\n## When you need to tell an employer, university or college\n\nWhen you apply for a role or placement, you might need to tell your potential employer, university or college about a:\n\n- conviction you got at court\n\n- caution you got from the police\n\nYou only need tell the employer, university or college about a conviction or caution:\n\n- if they ask you to, for example in an interview or on an application form\n\n- for a specific amount of time after you got it, or always for certain roles\n\nThere are different rules in Scotland and Northern Ireland.\n\n## What information you need to give\n\nThe information you need to give a potential employer, university or college about a conviction or caution depends on:\n\n- if the conviction or caution is on your basic criminal record\n\n- the role you\u2019re applying for\n\n## What\u2019s on your basic criminal record and what\u2019s not\n\nAfter you get a conviction or caution, it\u2019s usually \u2018unspent\u2019 for a specific amount of time. The amount of time depends on the type of punishment or sentence you got.\n\nAn unspent conviction or caution means:\n\n- it\u2019s on your basic criminal record\n\n- it will show up on any DBS check (criminal record check)\n\nMost convictions or cautions then become \u2018spent\u2019 after a specific amount of time. This might be after a few months or years, or straight away.\n\nA spent conviction or caution means:\n\n- it\u2019s not on your basic criminal record anymore\n\n- it will only show up on a more detailed DBS check known as \u2018standard\u2019 or \u2018enhanced\u2019, unless it\u2019s removed (\u2018filtered\u2019) from the DBS certificate\n\nYou can check when a conviction or caution you got will become spent.\n\nYou can also read about different convictions or cautions, for example a court fine or a prison sentence.\n\n## If you have an unspent conviction or caution\n\nYou only need to tell a potential employer, university or college about an unspent conviction or caution if they ask you to.\n\nIf they ask you and you do not tell them about it, they might find out by using a DBS check. They could then reject your application or withdraw a job offer, or you might be charged with a crime.\n\n## If you have a spent conviction or caution\n\nYou only need to tell a potential employer, university or college about a spent conviction or caution if all of the following apply:\n\n- they ask you to\n\n- they tell you that the role needs a standard or enhanced DBS check\n\n- it\u2019s not removed (\u2018filtered\u2019) from DBS certificates\n\nYou can check if the employer, university or college is allowed to request the standard or enhanced DBS check. They can only do this for certain roles, for example if you\u2019re working with children or in healthcare.\n\nIt\u2019s against the law for an employer, university or college to refuse you a role because you\u2019ve got a spent conviction or caution, unless it makes you unsuitable for the role. For example, a driving conviction might make you unsuitable for a job as a driving instructor.\n\n## Check if you need to tell someone about your conviction or caution\n\nUse this tool to check whether:\n\n- a conviction or caution you got in England or Wales is \u2018spent\u2019 (not on your basic criminal record)\n\n- you need to tell a potential employer, university or college about it\n\nYou can also read more about what a spent conviction or caution is.\n\n## Check your conviction or caution\n\nCheck now\n\n## Before you check\n\nFor each conviction or caution you\u2019ve had, you\u2019ll need:\n\n- the type of conviction or caution you got\n\n- the date you got it\n\n- the date any conditions ended, or how long your sentence was\n\nIf you give approximate dates, the result you get will be approximate.\n\nYou will not need to give personal details such as your name. The information you give will not be saved and cannot identify you.\n\n## Cautions\n\nA caution is an official warning from the police.\n\nIt could be a:\n\n- simple caution if you\u2019re 18 or over\n\n- youth caution if you\u2019re under 18\n\n- conditional caution\n\nWhether a caution is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When simple and youth cautions become spent\n\nThey become spent straight away.\n\n## When a conditional caution becomes spent\n\nIt becomes spent either:\n\n- on the date the conditions end\n\n- 3 months after you got it, if the conditions have no end date\n\n## Fines and compensation\n\nA court might order you to pay:\n\n- a fine\n\n- compensation to someone (\u2018compensation order\u2019)\n\nWhether a fine or compensation order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When a fine becomes spent\n\nA fine becomes spent:\n\n- one year after you got it, if you were 18 or over\n\n- 6 months after you got it, if you were under 18\n\nThere are different rules if a court gives you a fine for a driving offence.\n\n## When a compensation order becomes spent\n\nA compensation order becomes spent after you\u2019ve paid someone in full and sent proof of payment to DBS.\n\n## Driving convictions\n\nA court might give you a conviction for a driving offence, for example speeding or drink driving.\n\nThe conviction could be:\n\n- a fine\n\n- a driving ban (\u2018disqualification\u2019)\n\n- community service or a prison sentence\n\nFixed penalty notices (FPN) and penalty charge notices (PCN) are fines for minor driving offences. They will not appear on your criminal record unless a court gives you a conviction because of one.\n\nWhether a driving conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## \u2018Endorsements\u2019 (penalty points)\n\nA court will give a driving ban or fine with penalty points that appear on your driving record. This is known as an \u2018endorsement\u2019.\n\nAn endorsement can stay on your driving record for longer than your criminal record.\n\nThis means a potential employer, university or college might find out about a driving ban or fine after it\u2019s spent, if they request to check your driving record.\n\n## When a fine with an endorsement becomes spent\n\nThe fine becomes spent either:\n\n- 5 years after you got it, if you were 18 or over\n\n- 2 years and 6 months after you got it, if you were under 18\n\n## When a driving ban with an endorsement becomes spent\n\nWhen a driving ban becomes spent depends on how:\n\n- long the ban lasts\n\n- old you were when you got it\n\n## If you were 18 or over\n\nIf the ban lasts less than 5 years, it becomes spent 5 years after you got it.\n\nIf the ban lasts more than 5 years, it becomes spent on the date it ends.\n\n## If you were under 18\n\nIf the ban lasts less than 2 years and 6 months, it becomes spent 2 years and 6 months after you got it.\n\nIf the ban lasts more than 2 years and 6 months, it becomes spent on the date it ends.\n\n## Prison sentences\n\nA court might:\n\n- give you a prison sentence if you\u2019re 18 or over\n\n- give you a detention order (\u2018detention and training order\u2019) if you\u2019re under 18\n\n- order you to stay in hospital instead of prison (\u2018hospital order\u2019) if there are concerns about your mental health\n\nA court can decide to delay a prison sentence for up to 2 years as long as you meet certain conditions. This is known as \u2018suspended\u2019.\n\nWhether a sentence is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When a prison sentence becomes spent\n\nThe length of the prison sentence affects when it becomes spent.\n\n| Length of your sentence | When it becomes spent |\n\n| Less than 6 months | 2 years after the sentence ends |\n\n| 6 months to 2 years and 6 months | 4 years after the sentence ends |\n\n| 2 years and 6 months to 4 years | 7 years after the sentence ends |\n\n| Longer than 4 years | It never becomes spent |\n\n## If your prison sentence was \u2018suspended\u2019 or you were released early\n\nThe full length of the prison sentence affects when it becomes spent - not the amount of the time it was suspended for or how long you were in prison.\n\n## When a detention order becomes spent\n\nThe length of the sentence affects when it becomes spent.\n\n| Length of your sentence | When it becomes spent |\n\n| Less than 6 months | 1 year and 6 months after the sentence ends |\n\n| 6 months to 2 years and 6 months | 2 years after the sentence ends |\n\n| 2 years and 6 months to 4 years | 3 years and 6 months after the sentence ends |\n\n| Longer than 4 years | It never becomes spent |\n\n## When a hospital order becomes spent\n\nA hospital order becomes spent either:\n\n- on the date it ends\n\n- 2 years after you got it, if there\u2019s no end date.\n\n## Community service\n\nA court might give you:\n\n- community service (\u2018community order\u2019) if you\u2019re 18 or over\n\n- a youth order (\u2018youth rehabilitation order\u2019) or a referral order if you\u2019re under 18\n\nFor example unpaid work, a curfew or alcohol treatment.\n\nWhether a community, youth or referral order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When community service becomes spent\n\nCommunity service becomes spent either:\n\n- one year after its end date\n\n- 2 years after you got it, if there\u2019s no end date\n\n## When a youth order becomes spent\n\nA youth order becomes spent either:\n\n- 6 months after its end date\n\n- 2 years after you got it, if there\u2019s no end date\n\n## When a referral order becomes spent\n\nA referral order becomes spent on its end date.\n\n## Discharges\n\nA discharge is a type of conviction where a court finds you guilty but does not give you a sentence because the offence is very minor.\n\nThe conviction could be:\n\n- an absolute discharge\n\n- a conditional discharge, where you could still get a sentence if you break the conditions\n\n- a \u2018bind over\u2019, where you could get a fine if you break the conditions\n\nWhether a discharge or bind over is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When an absolute discharge becomes spent\n\nIt becomes spent straight away.\n\n## When conditional discharges and bind overs become spent\n\nThey become spent either:\n\n- on the date they end\n\n- 2 years after you got one, if there\u2019s no end date\n\n## Military convictions\n\nA court might give you a military conviction if they find you guilty of a crime while you served in the British armed forces.\n\nThe conviction might be:\n\n- a dismissal\n\n- a service detention\n\n- an overseas community order\n\n- a service community order\n\nWhether a military conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When military convictions become spent\n\nHow long it takes for a conviction to become spent depends on how old you were when you were convicted. If you were:\n\n- 18 or over it takes 12 months\n\n- under 18 it takes 6 months\n\nThe length of time is calculated from:\n\n- the date of your conviction for dismissals\n\n- the day on which the sentence is complete for service detentions\n\n- the end date for overseas and community service orders - if the order has no end date, it becomes spent after 2 years\n\nIf you were given both a dismissal and a service detention then the longer of the two spent dates applies.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "answerable": true, + "scenario": "I am 18, live in England and am currently applying to several universities to study for a degree in mechanical engineering. Three years ago I received a Youth Caution from the police after being caught with a small quantity of drugs.", + "original_question": "Do I have to notify any University that I apply to about my caution?" + }, + { + "id": "train-766", + "question": "Scenario: I am 42 and live and work in England. Three years ago I was sentenced to be bound over the keep the peace for 6 months, after getting into a fight with a neighbour over a parking dispute. I am now looking for a new job.\n\nQuestion: Is my conviction regarded as \"spent\" yet?\n\nDocument - Telling an employer, university or college about your criminal record:\n## When you need to tell an employer, university or college\n\nWhen you apply for a role or placement, you might need to tell your potential employer, university or college about a:\n\n- conviction you got at court\n\n- caution you got from the police\n\nYou only need tell the employer, university or college about a conviction or caution:\n\n- if they ask you to, for example in an interview or on an application form\n\n- for a specific amount of time after you got it, or always for certain roles\n\nThere are different rules in Scotland and Northern Ireland.\n\n## What information you need to give\n\nThe information you need to give a potential employer, university or college about a conviction or caution depends on:\n\n- if the conviction or caution is on your basic criminal record\n\n- the role you\u2019re applying for\n\n## What\u2019s on your basic criminal record and what\u2019s not\n\nAfter you get a conviction or caution, it\u2019s usually \u2018unspent\u2019 for a specific amount of time. The amount of time depends on the type of punishment or sentence you got.\n\nAn unspent conviction or caution means:\n\n- it\u2019s on your basic criminal record\n\n- it will show up on any DBS check (criminal record check)\n\nMost convictions or cautions then become \u2018spent\u2019 after a specific amount of time. This might be after a few months or years, or straight away.\n\nA spent conviction or caution means:\n\n- it\u2019s not on your basic criminal record anymore\n\n- it will only show up on a more detailed DBS check known as \u2018standard\u2019 or \u2018enhanced\u2019, unless it\u2019s removed (\u2018filtered\u2019) from the DBS certificate\n\nYou can check when a conviction or caution you got will become spent.\n\nYou can also read about different convictions or cautions, for example a court fine or a prison sentence.\n\n## If you have an unspent conviction or caution\n\nYou only need to tell a potential employer, university or college about an unspent conviction or caution if they ask you to.\n\nIf they ask you and you do not tell them about it, they might find out by using a DBS check. They could then reject your application or withdraw a job offer, or you might be charged with a crime.\n\n## If you have a spent conviction or caution\n\nYou only need to tell a potential employer, university or college about a spent conviction or caution if all of the following apply:\n\n- they ask you to\n\n- they tell you that the role needs a standard or enhanced DBS check\n\n- it\u2019s not removed (\u2018filtered\u2019) from DBS certificates\n\nYou can check if the employer, university or college is allowed to request the standard or enhanced DBS check. They can only do this for certain roles, for example if you\u2019re working with children or in healthcare.\n\nIt\u2019s against the law for an employer, university or college to refuse you a role because you\u2019ve got a spent conviction or caution, unless it makes you unsuitable for the role. For example, a driving conviction might make you unsuitable for a job as a driving instructor.\n\n## Check if you need to tell someone about your conviction or caution\n\nUse this tool to check whether:\n\n- a conviction or caution you got in England or Wales is \u2018spent\u2019 (not on your basic criminal record)\n\n- you need to tell a potential employer, university or college about it\n\nYou can also read more about what a spent conviction or caution is.\n\n## Check your conviction or caution\n\nCheck now\n\n## Before you check\n\nFor each conviction or caution you\u2019ve had, you\u2019ll need:\n\n- the type of conviction or caution you got\n\n- the date you got it\n\n- the date any conditions ended, or how long your sentence was\n\nIf you give approximate dates, the result you get will be approximate.\n\nYou will not need to give personal details such as your name. The information you give will not be saved and cannot identify you.\n\n## Cautions\n\nA caution is an official warning from the police.\n\nIt could be a:\n\n- simple caution if you\u2019re 18 or over\n\n- youth caution if you\u2019re under 18\n\n- conditional caution\n\nWhether a caution is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When simple and youth cautions become spent\n\nThey become spent straight away.\n\n## When a conditional caution becomes spent\n\nIt becomes spent either:\n\n- on the date the conditions end\n\n- 3 months after you got it, if the conditions have no end date\n\n## Fines and compensation\n\nA court might order you to pay:\n\n- a fine\n\n- compensation to someone (\u2018compensation order\u2019)\n\nWhether a fine or compensation order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When a fine becomes spent\n\nA fine becomes spent:\n\n- one year after you got it, if you were 18 or over\n\n- 6 months after you got it, if you were under 18\n\nThere are different rules if a court gives you a fine for a driving offence.\n\n## When a compensation order becomes spent\n\nA compensation order becomes spent after you\u2019ve paid someone in full and sent proof of payment to DBS.\n\n## Driving convictions\n\nA court might give you a conviction for a driving offence, for example speeding or drink driving.\n\nThe conviction could be:\n\n- a fine\n\n- a driving ban (\u2018disqualification\u2019)\n\n- community service or a prison sentence\n\nFixed penalty notices (FPN) and penalty charge notices (PCN) are fines for minor driving offences. They will not appear on your criminal record unless a court gives you a conviction because of one.\n\nWhether a driving conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## \u2018Endorsements\u2019 (penalty points)\n\nA court will give a driving ban or fine with penalty points that appear on your driving record. This is known as an \u2018endorsement\u2019.\n\nAn endorsement can stay on your driving record for longer than your criminal record.\n\nThis means a potential employer, university or college might find out about a driving ban or fine after it\u2019s spent, if they request to check your driving record.\n\n## When a fine with an endorsement becomes spent\n\nThe fine becomes spent either:\n\n- 5 years after you got it, if you were 18 or over\n\n- 2 years and 6 months after you got it, if you were under 18\n\n## When a driving ban with an endorsement becomes spent\n\nWhen a driving ban becomes spent depends on how:\n\n- long the ban lasts\n\n- old you were when you got it\n\n## If you were 18 or over\n\nIf the ban lasts less than 5 years, it becomes spent 5 years after you got it.\n\nIf the ban lasts more than 5 years, it becomes spent on the date it ends.\n\n## If you were under 18\n\nIf the ban lasts less than 2 years and 6 months, it becomes spent 2 years and 6 months after you got it.\n\nIf the ban lasts more than 2 years and 6 months, it becomes spent on the date it ends.\n\n## Prison sentences\n\nA court might:\n\n- give you a prison sentence if you\u2019re 18 or over\n\n- give you a detention order (\u2018detention and training order\u2019) if you\u2019re under 18\n\n- order you to stay in hospital instead of prison (\u2018hospital order\u2019) if there are concerns about your mental health\n\nA court can decide to delay a prison sentence for up to 2 years as long as you meet certain conditions. This is known as \u2018suspended\u2019.\n\nWhether a sentence is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When a prison sentence becomes spent\n\nThe length of the prison sentence affects when it becomes spent.\n\n| Length of your sentence | When it becomes spent |\n\n| Less than 6 months | 2 years after the sentence ends |\n\n| 6 months to 2 years and 6 months | 4 years after the sentence ends |\n\n| 2 years and 6 months to 4 years | 7 years after the sentence ends |\n\n| Longer than 4 years | It never becomes spent |\n\n## If your prison sentence was \u2018suspended\u2019 or you were released early\n\nThe full length of the prison sentence affects when it becomes spent - not the amount of the time it was suspended for or how long you were in prison.\n\n## When a detention order becomes spent\n\nThe length of the sentence affects when it becomes spent.\n\n| Length of your sentence | When it becomes spent |\n\n| Less than 6 months | 1 year and 6 months after the sentence ends |\n\n| 6 months to 2 years and 6 months | 2 years after the sentence ends |\n\n| 2 years and 6 months to 4 years | 3 years and 6 months after the sentence ends |\n\n| Longer than 4 years | It never becomes spent |\n\n## When a hospital order becomes spent\n\nA hospital order becomes spent either:\n\n- on the date it ends\n\n- 2 years after you got it, if there\u2019s no end date.\n\n## Community service\n\nA court might give you:\n\n- community service (\u2018community order\u2019) if you\u2019re 18 or over\n\n- a youth order (\u2018youth rehabilitation order\u2019) or a referral order if you\u2019re under 18\n\nFor example unpaid work, a curfew or alcohol treatment.\n\nWhether a community, youth or referral order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When community service becomes spent\n\nCommunity service becomes spent either:\n\n- one year after its end date\n\n- 2 years after you got it, if there\u2019s no end date\n\n## When a youth order becomes spent\n\nA youth order becomes spent either:\n\n- 6 months after its end date\n\n- 2 years after you got it, if there\u2019s no end date\n\n## When a referral order becomes spent\n\nA referral order becomes spent on its end date.\n\n## Discharges\n\nA discharge is a type of conviction where a court finds you guilty but does not give you a sentence because the offence is very minor.\n\nThe conviction could be:\n\n- an absolute discharge\n\n- a conditional discharge, where you could still get a sentence if you break the conditions\n\n- a \u2018bind over\u2019, where you could get a fine if you break the conditions\n\nWhether a discharge or bind over is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When an absolute discharge becomes spent\n\nIt becomes spent straight away.\n\n## When conditional discharges and bind overs become spent\n\nThey become spent either:\n\n- on the date they end\n\n- 2 years after you got one, if there\u2019s no end date\n\n## Military convictions\n\nA court might give you a military conviction if they find you guilty of a crime while you served in the British armed forces.\n\nThe conviction might be:\n\n- a dismissal\n\n- a service detention\n\n- an overseas community order\n\n- a service community order\n\nWhether a military conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When military convictions become spent\n\nHow long it takes for a conviction to become spent depends on how old you were when you were convicted. If you were:\n\n- 18 or over it takes 12 months\n\n- under 18 it takes 6 months\n\nThe length of time is calculated from:\n\n- the date of your conviction for dismissals\n\n- the day on which the sentence is complete for service detentions\n\n- the end date for overseas and community service orders - if the order has no end date, it becomes spent after 2 years\n\nIf you were given both a dismissal and a service detention then the longer of the two spent dates applies.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "answerable": true, + "scenario": "I am 42 and live and work in England. Three years ago I was sentenced to be bound over the keep the peace for 6 months, after getting into a fight with a neighbour over a parking dispute. I am now looking for a new job.", + "original_question": "Is my conviction regarded as \"spent\" yet?" + }, + { + "id": "train-769", + "question": "Scenario: I have just been appointed finance director for a consulting firm based in the City of London, and my duties will of course include our supervising our payroll. After the disruption caused to HMRC by the pandemic, I am concerned that I may not receive my employees' new tax codes for the next financial year in time.\n\nQuestion: If I don't receive notification of new employee tax codes from HMRC by the end of March, is it OK to carry forward the existing codes into the next financial year?\n\nDocument - Understanding your employees' tax codes:\n## Overview\n\nYou put an employee\u2019s tax code into your payroll software to work out how much tax to deduct from their pay throughout the year.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere\u2019s a separate guide on tax codes if you\u2019re an employee.\n\n## What you need to do\n\nWhen you take on a new employee, you normally work out their tax code by using their P45. The code will usually be made up of several numbers and a letter, such as 1257L.\n\nYou usually need to update your employee\u2019s tax code at the start of a new tax year. If the tax code changes during the year, HM Revenue and Customs (HMRC) will email you - you should update your payroll records as soon as possible.\n\n## Tax code 1257L\n\nThe most common tax code for tax year 2021 to 2022 is 1257L. It\u2019s used for most people with one job and no untaxed income, unpaid tax or taxable benefits (for example a company car).\n\n1257L is an emergency tax code only if followed by \u2018W1\u2019, \u2018M1\u2019 or \u2018X\u2019. Emergency codes can be used if a new employee doesn\u2019t have a P45.\n\n## What the numbers mean\n\nThe numbers in an employee\u2019s tax code show how much tax-free income they get in that tax year.\n\nYou usually multiply the number in the tax code by 10 to get the total amount of income they can earn before being taxed.\n\nFor example, an employee with the tax code 1257L can earn \u00a312,570 before being taxed. If they earn \u00a327,000 per year, their taxable income is \u00a314,430.\n\nThe process is different if the employee has the letter \u2018K\u2019 in their tax code.\n\n## What the letters mean\n\nLetters in an employee\u2019s tax code refer to their situation and how it affects their Personal Allowance.\n\n| Code | How tax is deducted | When this code is usually used |\n\n| 0T | From all income - there is no Personal Allowance | When an employee hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| BR | From all income at the basic rate | For a second job or pension |\n\n| C | From income in the Welsh tax bands | For an employee whose main home is in Wales |\n\n| C0T | From all income - there is no Personal Allowance | When an employee whose main home is in Wales hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| CBR | From all income at the basic rate in Wales | For a second job or pension |\n\n| CD0 | From all income at the higher rate in Wales | For a second job or pension |\n\n| CD1 | From all income at the additional rate in Wales | For a second job or pension |\n\n| D0 | From all income at the higher rate | For a second job or pension |\n\n| D1 | From all income at the additional rate | For a second job or pension |\n\n| L | At basic, higher and additional rates depending on the amount of taxable income | For an employee entitled to the standard tax-free Personal Allowance |\n\n| M | At basic, higher and additional rates depending on the amount of taxable income | For an employee whose spouse or civil partner has transferred some of their Personal Allowance |\n\n| N | At basic, higher and additional rates depending on the amount of taxable income | For an employee who has transferred some of their Personal Allowance to their spouse or civil partner |\n\n| NT | No tax is deducted | Very specific cases, for example musicians who are regarded as self-employed and not subject to PAYE |\n\n| S | From income in the Scottish tax bands | For an employee whose main home is in Scotland |\n\n| S0T | From all income - there is no Personal Allowance | When an employee whose main home is in Scotland hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| SBR | From all income at the basic rate in Scotland | For a second job or pension |\n\n| SD0 | From all income at the intermediate rate in Scotland | For a second job or pension |\n\n| SD1 | From all income at the higher rate in Scotland | For a second job or pension |\n\n| SD2 | From all income at the top rate in Scotland | For a second job or pension |\n\n| T | At basic, higher and additional rates depending on the amount of taxable income | When HMRC needs to review some items with the employee |\n\n## If your employee\u2019s tax code has \u2018W1\u2019 or \u2018M1\u2019 at the end\n\nW1 (week 1) and M1 (month 1) are emergency tax codes and appear at the end of an employee\u2019s tax code, for example \u2018577L W1\u2019 or \u2018577L M1\u2019. Calculate your employee\u2019s tax only on what they are paid in the current pay period, not the whole year.\n\n## Tax codes with the letter \u2018K\u2019\n\nThe letter K is used in an employee\u2019s tax code when deductions due for company benefits, state pension or tax owed from previous years are greater than their Personal Allowance.\n\nMultiply the number in their tax code by 10 to show how much should be added to their taxable income before deductions are calculated.\n\nThe tax deduction for each pay period can\u2019t be more than half an employee\u2019s pre-tax pay or pension.\n\n## Changes during the tax year\n\nUsually someone\u2019s tax code changes if their tax-free income (Personal Allowance) goes up or down, for example they start or stop receiving a taxable benefit like a company car.\n\n- HM Revenue and Customs (HMRC) will send you an email alert if one of your employees\u2019 tax codes changes.\n\n- Access the new tax code in PAYE Online (in \u2018tax code notices\u2019), the PAYE Desktop Viewer application, or in your payroll software (if it has this feature). Check if your employee\u2019s previous pay and tax are included with the new tax code. If they are, note these figures.\n\n- As soon as possible, and before you next pay your employee, update their payroll record with their new tax code. Add their previous pay and tax, if you received these figures with the new tax code.\n\nA tax code notice is sometimes called a P6 form.\n\nIf you receive an employee\u2019s new tax code too late to use in the tax year, you should use it in the new tax year.\n\n## Updating for the new tax year\n\nHM Revenue and Customs (HMRC) will tell you between January and March about any new tax codes to use for employees in the new tax year. This starts on 6 April.\n\nIf an employee\u2019s tax code isn\u2019t changing, HMRC won\u2019t contact you and you should carry forward the employee\u2019s tax code to the new tax year.\n\nIf your employee\u2019s tax code ends with \u2018M1\u2019 or \u2018W1\u2019 (\u2018month 1\u2019 or \u2018week 1\u2019), don\u2019t carry this part of the code into the new tax year.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employee-tax-codes", + "answerable": true, + "scenario": "I have just been appointed finance director for a consulting firm based in the City of London, and my duties will of course include our supervising our payroll. After the disruption caused to HMRC by the pandemic, I am concerned that I may not receive my employees' new tax codes for the next financial year in time.", + "original_question": "If I don't receive notification of new employee tax codes from HMRC by the end of March, is it OK to carry forward the existing codes into the next financial year?" + }, + { + "id": "train-770", + "question": "Scenario: I am an associate in the Human Resources Department of a medium-sized startup company in Wales. I am currently drawing up our employees' handbook, and have been referred to the ACAS code of practice by my superior.\n\nQuestion: Is there a legal requirement for the company to follow the Acas code of practice on disciplinary and grievance procedures?\n\nDocument - Taking disciplinary action against an employee:\n## Overview\n\nYou should have written disciplinary rules and procedures to deal with employee performance and conduct and you must tell your staff about them.\n\nYour rules must say what is acceptable and unacceptable behaviour in the workplace and what action you will take if the rules are broken.\n\nThe rules should follow the Acas code of practice on disciplinary and grievance procedures.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\n## Acas guide to discipline and grievances\n\nThe Acas guide to discipline and grievances at work gives more information for employers about taking disciplinary action.\n\n## Acas Helpline\n\nThe Acas Helpline has further advice on disciplinary issues.\n\n## Practical training courses\n\nAcas also runs practical training courses on workplace discipline.\n\n## Writing disciplinary proceedings\n\nYour disciplinary procedures should follow the Acas code of practice.\n\nNot following the code is not illegal. However, if someone wins an employment tribunal against you and you did not follow the code, then their award could be up to 25% more.\n\nThe exact rules will depend on your organisation, but could cover things like:\n\n- acceptable and unacceptable behaviour\n\n- absence and timekeeping\n\n- health and safety\n\n- use of phones and the internet\n\nYou cannot normally discipline or dismiss an employee for whistleblowing.\n\n## Gross misconduct\n\nYour disciplinary rules should give examples of what will be treated as gross misconduct. This is misconduct judged so serious that it\u2019s likely to lead to dismissal without notice, for example fraud, theft and physical violence.\n\n## Telling employees about disciplinary rules\n\nYour disciplinary rules must be in your statement of employment or clearly written elsewhere, such as in a staff handbook.\n\nThe rules should clearly say when someone might face disciplinary action and what that action could be.\n\nYou must also give the name of someone they should appeal to if they\u2019re unhappy about a disciplinary decision.\n\nIf you do not provide this information and an employee then wins an employment tribunal claim against you, they could be awarded 2 to 4 weeks\u2019 pay.\n\n## Disciplinary procedures and contracts\n\nIf you make your disciplinary procedures part of an employment contract then the employee could make a breach of contract claim against you if you do not follow your procedures.\n\n## Example letters and forms\n\nAcas has a number of sample letters and forms for disciplinary proceedings on its website.\n\n## Disciplinary investigations and hearings\n\nThe law does not say exactly how you should investigate disciplinary issues or hold disciplinary meetings.\n\nHowever, the Acas guide to discipline and grievances at work has lots of practical advice about running disciplinary proceedings professionally and fairly.\n\n## The suggested disciplinary process\n\nThe Acas guidance suggests that your disciplinary process should follow the following format:\n\n- A letter telling your employee the issue and inviting them to a disciplinary hearing.\n\n- A meeting with your employee to discuss the issue - they should have the right to be accompanied.\n\n- A letter to your employee saying what action you are going to take. This should be sent as soon as practically possible.\n\n- Your employee should than have a chance to appeal your decision.\n\n## Disciplinary decisions\n\nDisciplinary decisions could be anything that could resolve the problem.\n\nThis could include:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\n- mediation with a co-worker\n\n## Appeals\n\nAn employee has the right to appeal against a decision made after a disciplinary hearing.\n\nYou should tell them about this when you give them written notice of your decision, and should give them a deadline to tell you they want to appeal.\n\nYour employee\u2019s statement of terms and conditions of employment must legally include the person they can apply to if they want to appeal a disciplinary decision. It must also explain how to do this.\n\nIf the employee does decide to appeal, you should try to hold the appeal hearing as soon as possible.\n\nYou should follow the Acas code of practice on disciplinary and grievance procedures when dealing with appeals. Otherwise, if someone wins an employment tribunal against you their award could be higher.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/taking-disciplinary-action", + "answerable": true, + "scenario": "I am an associate in the Human Resources Department of a medium-sized startup company in Wales. I am currently drawing up our employees' handbook, and have been referred to the ACAS code of practice by my superior.", + "original_question": "Is there a legal requirement for the company to follow the Acas code of practice on disciplinary and grievance procedures?" + }, + { + "id": "train-771", + "question": "Scenario: I am the HR manager for a medium-sized financial services firm. One of our employees is currently the subject of a DEO, which we are paying to the CMS as instructed. However, this individual has just given notice that they will be leaving at the end of this month.\n\nQuestion: Do we have to notify the CMS of their departure, and if so how soon?\n\nDocument - Make child maintenance deductions from an employee's pay:\n## Overview\n\nThe Child Maintenance Service can ask you to:\n\n- give information about your employee so they can work out the right amount of child maintenance\n\n- set up a deduction from earnings order (DEO)\n\n- answer enquiries from other organisations who collect payments of child maintenance on their behalf\n\nYou may also be given an attachment of earnings order (AEO) by a court.\n\n## Your legal obligations when deducting child maintenance\n\nBy law, you must:\n\n- give information to the Child Maintenance Service if you\u2019re asked to\n\n- send payments as soon as possible, to arrive no later than the 19th day of the month following the month you made the deduction\n\n- tell the Child Maintenance Service immediately if there are any problems with taking payments from a paying parent\u2019s earnings\n\n- make regular payments - if you do not send payments and do not explain why, you could be taken to court\n\nThe paying parent is the parent who does not have main day-to-day care of the child.\n\nYou must report a change of circumstances to the Child Maintenance Service within 10 days. For example, if:\n\n- an employee leaves your business\n\n- you\u2019re asked to set up a deduction from earnings order (DEO) for someone who does not work for you\n\nYou can report changes online or by phone.\n\n## Use the Child Maintenance Service online\n\nIf you\u2019ve ever managed a case through the Child Maintenance Service, you can register for the online service. The service lets you:\n\n- see all deductions\n\n- report and make changes\n\n- send messages\n\n- see important information you\u2019ve been sent\n\n## Call the Child Maintenance Service\n\nYou can call the Child Maintenance Service if you have questions or need to report a change.\n\n## Deduction from earnings orders (DEOs)\n\nDeduction from earnings orders (DEOs) are a way of collecting child maintenance directly from a paying parent\u2019s earnings or pension.\n\nThe paying parent is the parent who does not have main day-to-day care of the child.\n\n## When you\u2019ll get a DEO\n\nYou\u2019ll be sent a deduction from earnings order (DEO) if one of your employees is a paying parent who:\n\n- chooses to pay child maintenance direct from their earnings\n\n- does not pay child maintenance owed\n\n- does not pay the correct amount\n\n- does not pay on time\n\n## What you need to do\n\nYou must deduct the amount of child maintenance stated on the DEO from your employee\u2019s net earnings or their pension and pay it to the Child Maintenance Service. This will include any arrears that are due.\n\n## Other court orders against your employee\n\nYou could get a DEO from the Child Maintenance Service and an attachment of earnings order (AEO) from a court.\n\n## How to calculate deductions\n\nThe deduction from earnings order (DEO) will show 2 rates.\n\n| Rate | What it means |\n\n| Normal deduction rate (NDR) | The amount your employee owes in child maintenance. You\u2019ll deduct this from their pay. |\n\n| Protected earnings rate (PER) or protected earnings proportion (PEP) | The minimum pay you must make sure your employee takes home after all deductions have been made. |\n\nThe PER applies to cases opened before 3 March 2003. The PEP applies to cases opened from 3 March 2003.\n\nYou must make sure that your deduction leaves your employee with the amount of their protected earnings, unless the deduction is for administrative costs.\n\n## How much to deduct\n\nYou may not always be able to deduct the full NDR from your employee\u2019s pay.\n\nThis depends on how much they have left in net earnings once you\u2019ve taken in account their PER or PEP.\n\nYou can deduct up to \u00a31 for administration costs.\n\n## If you cannot deduct the full NDR\n\nYou must:\n\n- keep a record of the shortfall\n\n- carry forward the shortfall to the next period\n\n- send any deduction you\u2019ve been able to make to the court or Child Maintenance Service\n\nYou then deduct the full amount of the shortfall plus the NDR owed for the next pay period. You must still leave your employee with the PER or PEP.\n\nIf the shortfall is carried forward for several weeks before being repaid, keep a record of the ongoing shortfall.\n\nThe Child Maintenance Service or court may need to review an NDR if an employee consistently cannot pay it.\n\n## If you pay your employee holiday pay in advance\n\nYou\u2019ll have to:\n\n- calculate your employee\u2019s total net earnings for the pay period\n\n- multiply the PER or PEP and the NDR by the number of weeks in the pay period\n\n- set aside the combined PER or PEP and take off the combined NDR in the usual way\n\n## If you get more than one DEO or AEO for an employee\n\nSometimes a paying parent has more than one case and is paying child maintenance for children by different receiving parents.\n\nThe receiving parent has main day-to-day care of the child. The paying parent does not have main day-to-day care.\n\nYou\u2019ll have to pay AEOs in the order of the date of issue, so you might have to finish deducting payments for one before another.\n\nAEOs for maintenance have to be paid before AEOs for civil debts.\n\n## What counts as earnings\n\nA deduction from earnings order (DEO) or an attachment of earnings order (AEO) can only be made from the following earnings:\n\n- wages, fees, bonus, commission, overtime pay or any payments on top of wages\n\n- private or occupational pensions and compensation payments\n\n- Statutory Sick Pay\n\n- contractual sick pay\n\n- contractual maternity pay\n\n- contractual paternity pay\n\n- contractual adoption pay\n\n- contractual redundancy pay\n\nStatutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees over and above statutory pay.\n\n## What does not count as earnings\n\nYour employee cannot pay child maintenance by DEO or AEO if their only earnings are in the following categories:\n\n- amounts paid by a public department of the government of Northern Ireland or any country outside the UK\n\n- any social security pension, allowance or benefit\n\n- tax credits\n\n- any pension or allowance paid for disability\n\n- guaranteed minimum pension within the Social Security Pensions Act 1975\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Redundancy Pay\n\n## Make DEO payments\n\nYou can be prosecuted if you do not pay the amount on a deduction from earnings order (DEO).\n\nYou can make\u00a0DEO\u00a0payments by using the Banks Automated Clearing System (BACS). The Child Maintenance Service can help you set it up.\n\n## Pay online\n\nYou can manage your Child Maintenance Service payments online.\n\nYou should send a single bulk BACS payment for all the employees you make a deduction from. You\u2019ll get a monthly schedule.\n\n## Pay by other methods\n\nYou can also pay by:\n\n- internet banking\n\n- telephone banking\n\n- cheque (made payable to \u2018The Child Maintenance Service\u2019)\n\n## Account details to use\n\n| Sort code | Account number | Account name | Account code | Transaction code |\n\n| 60 70 80 | 10026584 | DWP CMG Employers | 0 | 99 |\n\nYou\u2019ll need to give the employer reference number. It will be a 12 digit number starting with 5.\n\n## When to pay\n\nYou should send a payment to the Child Maintenance Service so it gets there no later than the 19th day of the month following the month that you took it.\n\nYou and your employee will be sent a letter every year to remind you how much must be paid and when.\n\n## Deductions for administrative costs\n\nYou can take up to \u00a31 towards administrative costs for each deduction, on top of the amount asked for on the DEO. You can take it even if it reduces your employee\u2019s income below the protected earnings proportion or protected earnings rate.\n\n## Inform your employee\n\nYou must inform your employee in writing about each deduction when they are given their pay statement. Include the amount (if any) you deduct towards your expenses.\n\nIf pay statements are not usually given, you should inform your employee in writing. You should do this no later than the employee\u2019s pay day after the deduction was made.\n\n## If you pay the wrong amount\n\nTell the Child Maintenance Service if you find a mistake in the amount you\u2019ve paid. You can either:\n\n- use the Child Maintenance Service online\n\n- call the employer payment team\n\n## Change of circumstances for DEOs\n\nTell the Child Maintenance Service if your employee\u2019s circumstances change.\n\nYou can either:\n\n- use the Child Maintenance Service online\n\n- call the employer helpline\n\nIf your business stops trading, or if your employee leaves your employment, you must tell the Child Maintenance Service within 10 days.\n\nYou should also tell them if your employee changes their hours.\n\nYou and your employee will be sent a revised deduction from earnings order (DEO).\n\n## If the Child Maintenance Service cancels a DEO\n\nThey will write to you and your employee to tell you the DEO has been cancelled. They will ask you to stop taking deductions from the date of the letter.\n\nYou must only stop taking deductions if you\u2019re told in writing.\n\n## If you do not help with DEOs or AEOs\n\nYou can be fined up to \u00a3250 or sent to prison for up to 14 days if you do not do what an attachment of earnings order (AEO) says you should do.\n\nIf you\u2019ve got a deduction from earnings order (DEO) it\u2019s an offence to:\n\n- not provide information when it\u2019s required\n\n- make a false statement or representation\n\n- knowingly provide false information\n\n- delay or obstruct an inspector on purpose\n\n- refuse or fail to answer any questions or supply any information or to produce any document when it\u2019s asked for\n\nThe Child Maintenance Service sometimes sends inspectors to interview \u2018paying parents\u2019 at work. You must let them interview your employee.\n\nThe \u2018paying parent\u2019 is the parent who does not have main day-to-day care of the child.\n\nYou can be fined up to \u00a31,000 if you\u2019re found guilty of any of these offences.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/child-maintenance-for-employers", + "answerable": true, + "scenario": "I am the HR manager for a medium-sized financial services firm. One of our employees is currently the subject of a DEO, which we are paying to the CMS as instructed. However, this individual has just given notice that they will be leaving at the end of this month.", + "original_question": "Do we have to notify the CMS of their departure, and if so how soon?" + }, + { + "id": "train-772", + "question": "Scenario: I own and operate a software services company based in Dundee, Scotland. I have received a DEO in respect of one of my employees; however, she is currently on Statutory Maternity Leave and receiving Statutory Maternity Pay.\n\nQuestion: Does her Statutory Maternity Pay count as earnings for the purposes of the DEO?\n\nDocument - Make child maintenance deductions from an employee's pay:\n## Overview\n\nThe Child Maintenance Service can ask you to:\n\n- give information about your employee so they can work out the right amount of child maintenance\n\n- set up a deduction from earnings order (DEO)\n\n- answer enquiries from other organisations who collect payments of child maintenance on their behalf\n\nYou may also be given an attachment of earnings order (AEO) by a court.\n\n## Your legal obligations when deducting child maintenance\n\nBy law, you must:\n\n- give information to the Child Maintenance Service if you\u2019re asked to\n\n- send payments as soon as possible, to arrive no later than the 19th day of the month following the month you made the deduction\n\n- tell the Child Maintenance Service immediately if there are any problems with taking payments from a paying parent\u2019s earnings\n\n- make regular payments - if you do not send payments and do not explain why, you could be taken to court\n\nThe paying parent is the parent who does not have main day-to-day care of the child.\n\nYou must report a change of circumstances to the Child Maintenance Service within 10 days. For example, if:\n\n- an employee leaves your business\n\n- you\u2019re asked to set up a deduction from earnings order (DEO) for someone who does not work for you\n\nYou can report changes online or by phone.\n\n## Use the Child Maintenance Service online\n\nIf you\u2019ve ever managed a case through the Child Maintenance Service, you can register for the online service. The service lets you:\n\n- see all deductions\n\n- report and make changes\n\n- send messages\n\n- see important information you\u2019ve been sent\n\n## Call the Child Maintenance Service\n\nYou can call the Child Maintenance Service if you have questions or need to report a change.\n\n## Deduction from earnings orders (DEOs)\n\nDeduction from earnings orders (DEOs) are a way of collecting child maintenance directly from a paying parent\u2019s earnings or pension.\n\nThe paying parent is the parent who does not have main day-to-day care of the child.\n\n## When you\u2019ll get a DEO\n\nYou\u2019ll be sent a deduction from earnings order (DEO) if one of your employees is a paying parent who:\n\n- chooses to pay child maintenance direct from their earnings\n\n- does not pay child maintenance owed\n\n- does not pay the correct amount\n\n- does not pay on time\n\n## What you need to do\n\nYou must deduct the amount of child maintenance stated on the DEO from your employee\u2019s net earnings or their pension and pay it to the Child Maintenance Service. This will include any arrears that are due.\n\n## Other court orders against your employee\n\nYou could get a DEO from the Child Maintenance Service and an attachment of earnings order (AEO) from a court.\n\n## How to calculate deductions\n\nThe deduction from earnings order (DEO) will show 2 rates.\n\n| Rate | What it means |\n\n| Normal deduction rate (NDR) | The amount your employee owes in child maintenance. You\u2019ll deduct this from their pay. |\n\n| Protected earnings rate (PER) or protected earnings proportion (PEP) | The minimum pay you must make sure your employee takes home after all deductions have been made. |\n\nThe PER applies to cases opened before 3 March 2003. The PEP applies to cases opened from 3 March 2003.\n\nYou must make sure that your deduction leaves your employee with the amount of their protected earnings, unless the deduction is for administrative costs.\n\n## How much to deduct\n\nYou may not always be able to deduct the full NDR from your employee\u2019s pay.\n\nThis depends on how much they have left in net earnings once you\u2019ve taken in account their PER or PEP.\n\nYou can deduct up to \u00a31 for administration costs.\n\n## If you cannot deduct the full NDR\n\nYou must:\n\n- keep a record of the shortfall\n\n- carry forward the shortfall to the next period\n\n- send any deduction you\u2019ve been able to make to the court or Child Maintenance Service\n\nYou then deduct the full amount of the shortfall plus the NDR owed for the next pay period. You must still leave your employee with the PER or PEP.\n\nIf the shortfall is carried forward for several weeks before being repaid, keep a record of the ongoing shortfall.\n\nThe Child Maintenance Service or court may need to review an NDR if an employee consistently cannot pay it.\n\n## If you pay your employee holiday pay in advance\n\nYou\u2019ll have to:\n\n- calculate your employee\u2019s total net earnings for the pay period\n\n- multiply the PER or PEP and the NDR by the number of weeks in the pay period\n\n- set aside the combined PER or PEP and take off the combined NDR in the usual way\n\n## If you get more than one DEO or AEO for an employee\n\nSometimes a paying parent has more than one case and is paying child maintenance for children by different receiving parents.\n\nThe receiving parent has main day-to-day care of the child. The paying parent does not have main day-to-day care.\n\nYou\u2019ll have to pay AEOs in the order of the date of issue, so you might have to finish deducting payments for one before another.\n\nAEOs for maintenance have to be paid before AEOs for civil debts.\n\n## What counts as earnings\n\nA deduction from earnings order (DEO) or an attachment of earnings order (AEO) can only be made from the following earnings:\n\n- wages, fees, bonus, commission, overtime pay or any payments on top of wages\n\n- private or occupational pensions and compensation payments\n\n- Statutory Sick Pay\n\n- contractual sick pay\n\n- contractual maternity pay\n\n- contractual paternity pay\n\n- contractual adoption pay\n\n- contractual redundancy pay\n\nStatutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees over and above statutory pay.\n\n## What does not count as earnings\n\nYour employee cannot pay child maintenance by DEO or AEO if their only earnings are in the following categories:\n\n- amounts paid by a public department of the government of Northern Ireland or any country outside the UK\n\n- any social security pension, allowance or benefit\n\n- tax credits\n\n- any pension or allowance paid for disability\n\n- guaranteed minimum pension within the Social Security Pensions Act 1975\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Redundancy Pay\n\n## Make DEO payments\n\nYou can be prosecuted if you do not pay the amount on a deduction from earnings order (DEO).\n\nYou can make\u00a0DEO\u00a0payments by using the Banks Automated Clearing System (BACS). The Child Maintenance Service can help you set it up.\n\n## Pay online\n\nYou can manage your Child Maintenance Service payments online.\n\nYou should send a single bulk BACS payment for all the employees you make a deduction from. You\u2019ll get a monthly schedule.\n\n## Pay by other methods\n\nYou can also pay by:\n\n- internet banking\n\n- telephone banking\n\n- cheque (made payable to \u2018The Child Maintenance Service\u2019)\n\n## Account details to use\n\n| Sort code | Account number | Account name | Account code | Transaction code |\n\n| 60 70 80 | 10026584 | DWP CMG Employers | 0 | 99 |\n\nYou\u2019ll need to give the employer reference number. It will be a 12 digit number starting with 5.\n\n## When to pay\n\nYou should send a payment to the Child Maintenance Service so it gets there no later than the 19th day of the month following the month that you took it.\n\nYou and your employee will be sent a letter every year to remind you how much must be paid and when.\n\n## Deductions for administrative costs\n\nYou can take up to \u00a31 towards administrative costs for each deduction, on top of the amount asked for on the DEO. You can take it even if it reduces your employee\u2019s income below the protected earnings proportion or protected earnings rate.\n\n## Inform your employee\n\nYou must inform your employee in writing about each deduction when they are given their pay statement. Include the amount (if any) you deduct towards your expenses.\n\nIf pay statements are not usually given, you should inform your employee in writing. You should do this no later than the employee\u2019s pay day after the deduction was made.\n\n## If you pay the wrong amount\n\nTell the Child Maintenance Service if you find a mistake in the amount you\u2019ve paid. You can either:\n\n- use the Child Maintenance Service online\n\n- call the employer payment team\n\n## Change of circumstances for DEOs\n\nTell the Child Maintenance Service if your employee\u2019s circumstances change.\n\nYou can either:\n\n- use the Child Maintenance Service online\n\n- call the employer helpline\n\nIf your business stops trading, or if your employee leaves your employment, you must tell the Child Maintenance Service within 10 days.\n\nYou should also tell them if your employee changes their hours.\n\nYou and your employee will be sent a revised deduction from earnings order (DEO).\n\n## If the Child Maintenance Service cancels a DEO\n\nThey will write to you and your employee to tell you the DEO has been cancelled. They will ask you to stop taking deductions from the date of the letter.\n\nYou must only stop taking deductions if you\u2019re told in writing.\n\n## If you do not help with DEOs or AEOs\n\nYou can be fined up to \u00a3250 or sent to prison for up to 14 days if you do not do what an attachment of earnings order (AEO) says you should do.\n\nIf you\u2019ve got a deduction from earnings order (DEO) it\u2019s an offence to:\n\n- not provide information when it\u2019s required\n\n- make a false statement or representation\n\n- knowingly provide false information\n\n- delay or obstruct an inspector on purpose\n\n- refuse or fail to answer any questions or supply any information or to produce any document when it\u2019s asked for\n\nThe Child Maintenance Service sometimes sends inspectors to interview \u2018paying parents\u2019 at work. You must let them interview your employee.\n\nThe \u2018paying parent\u2019 is the parent who does not have main day-to-day care of the child.\n\nYou can be fined up to \u00a31,000 if you\u2019re found guilty of any of these offences.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/child-maintenance-for-employers", + "answerable": true, + "scenario": "I own and operate a software services company based in Dundee, Scotland. I have received a DEO in respect of one of my employees; however, she is currently on Statutory Maternity Leave and receiving Statutory Maternity Pay.", + "original_question": "Does her Statutory Maternity Pay count as earnings for the purposes of the DEO?" + }, + { + "id": "train-774", + "question": "Scenario: I am the finance director of an electronic components firm, which currently employs over 100 people. Due to an oversight by my predecessor we had, until this year, neglected to claim for Employment Allowance, despite meeting the required threshold of Class 1 NI liability for most of the past 6 years.\n\nQuestion: Can we make a claim for the allowance against our previous years' NI liabilities?\n\nDocument - Employment Allowance:\n## What you'll get\n\nEmployment Allowance allows eligible employers to reduce their annual National Insurance liability by up to \u00a34,000.\n\nYou\u2019ll pay less employers\u2019 Class 1 National Insurance each time you run your payroll until the \u00a34,000 has gone or the tax year ends (whichever is sooner).\n\nYou can only claim against your employers\u2019 Class 1 National Insurance liability up to a maximum of \u00a34,000 each tax year. You can still claim the allowance if your liability was less than \u00a34,000 a year.\n\n## Check if you're eligible\n\nYou can claim Employment Allowance if you\u2019re a business or charity (including community amateur sports clubs) and your employers\u2019 Class 1 National Insurance liabilities were less than \u00a3100,000 in the previous tax year.\n\nYou can also claim if you employ a care or support worker.\n\nYou can claim Employment Allowance for the previous 4 tax years dating back to the 2017 to 2018 tax year. Some of the rules for claiming are different.\n\n## If you\u2019re part of a group\n\nIf you\u2019re part of a group of charities or companies (also known as connected companies), the total employers\u2019 Class 1 National Insurance liabilities for the group must be less than \u00a3100,000.\n\nOnly one company in the group can claim the allowance.\n\n## If you have more than one payroll\n\nIf you have or had more than one employer PAYE reference, the total employers\u2019 Class 1 National Insurance liabilities for your combined payrolls must be less than \u00a3100,000 in the previous tax year\n\nYou can only claim Employment Allowance against one of the payrolls.\n\n## Off-payroll salary payments\n\nDo not include employers\u2019 Class 1 National Insurance liabilities on payments you make to off-payroll workers in your calculations. These are known as deemed payments. They do not count towards the \u00a3100,000 threshold.\n\n## Check if de minimis state aid rules apply to you\n\nIf you make or sell goods or services, Employment Allowance counts as \u2018de minimis state aid\u2019. There\u2019s a limit to how much de minimis state aid you can get.\n\nYou must:\n\n- check that you\u2019re within the de minimis state aid threshold\n\n- work out how much de minimis state aid you\u2019ve received\n\nYou must do this even if you do not make a profit.\n\nYou do not have to do this if you do not make or sell goods or services, for example you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## Check you\u2019re within the de minimis state aid threshold\n\nEmployment Allowance counts towards the total de minimis state aid you\u2019re allowed to get over a 3 year period.\n\nYou must make sure you will not exceed the de minimis state aid threshold for your sector.\n\nDe minimis state aid and the relevant thresholds are worked out in euros.\n\n| Sector | De minimis state aid threshold over 3 years |\n\n| Agriculture products sector | \u20ac20,000 |\n\n| Fisheries and aquaculture sector | \u20ac30,000 |\n\n| Road freight transport sector | \u20ac100,000 |\n\n| Industrial sector\u202f\u202f/ other | \u20ac200,000 |\n\n## Work out how much de minimis state aid you\u2019ve received\n\n- Check if you\u2019ve received any de minimis state aid - if so, you should have been told in writing.\n\n- Add the total amount of de minimis state aid that you\u2019ve received or been allocated for the current and past 2 tax years.\n\n- Add this to the full amount of Employment Allowance for the year you\u2019re claiming for. You\u2019ll need to convert this into euros using the exchange rate for the end of the previous tax year. If you\u2019re claiming for 2020 to 2021, you\u2019ll need to use the exchange rate on 30 March 2020: \u00a31 to \u20ac1.1249.\n\n- If the total is below the threshold for your sector, you\u2019re eligible to make a claim.\n\nIf you\u2019re a connected company, the total de minimis state aid for all of the companies in the group must be below the de minimis state aid threshold for your sector.\n\nThe rules are different if your business covers more than one sector.\n\n## Who cannot claim Employment Allowance\n\nYou cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.\n\nYou also cannot claim if both of the following apply:\n\n- you\u2019re a company with only one employee paid above the Class 1 National Insurance secondary threshold\n\n- the employee is also a director of the company\n\nCertain employees cannot be included in your claim, such as:\n\n- someone whose earnings are within IR35 \u2018off-payroll working rules\u2019\n\n- someone you employ for personal, household or domestic work (like a nanny or gardener) - unless they\u2019re a care or support worker\n\n## How to claim\n\nHow you claim depends on whether you use your own payroll software or HMRC\u2019s Basic PAYE tools.\n\n## If you use your own software\n\nTo claim through your payroll software, put \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field next time you send an Employment Payment Summary (EPS) to HM Revenue and Customs (HMRC).\n\nIf your payroll software does not have an Employment Payment Summary field, you can use Basic PAYE Tools.\n\n## Select your business sector under \u2018de minimis state aid rules\u2019\n\nYou must select the business sectors that apply to you, even if you do not make a profit.\n\nMost businesses will need to select the \u2018Industrial/other\u2019 category, for example a hair salon or restaurant.\n\nIf you do not make or sell goods or services, choose \u2018State aid rules do not apply\u2019. For example if you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## If you use HMRC\u2019s Basic PAYE Tools\n\n- Select the correct name in the \u2018Employer\u2019 menu on the home page.\n\n- Select \u2018Change employer details\u2019.\n\n- Select \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field.\n\n- Answer \u2018Yes\u2019 to the \u2018Do state aid rules apply?\u2019 question if you sell goods or services. Select the business sectors that apply to you. Otherwise, answer \u2018No\u2019 and select \u2018State aid rules do not apply\u2019.\n\n- Send your EPS as normal.\n\n## Stopping your claim\n\nIf you stop being eligible, select \u2018No\u2019 in the \u2018Employment Allowance indicator\u2019 field in your next EPS.\n\nDo not select \u2018No\u2019 just because:\n\n- you\u2019ve reached the \u00a34,000 limit before the end of the tax year - this does not make you ineligible\n\n- you\u2019re no longer employing anyone - this allowance will stop at the end of the tax year\n\nIf you stop your claim before the end of the tax year (5 April), any allowance you\u2019ve been given that year will be removed. You\u2019ll have to pay any employers\u2019 (secondary) Class 1 National Insurance due as a result.\n\n## When to claim\n\nYou need to claim Employment Allowance every tax year.\n\nYou can claim at any time in the tax year, but the earlier you claim the sooner you will get the allowance.\n\nIf you claim late and do not use your Employment Allowance against your employers\u2019 Class 1 National Insurance liabilities, you\u2019ll have to ask HMRC to do one of the following:\n\n- use any unclaimed allowance at the end of the year to pay any tax or National Insurance you owe (including VAT and Corporation Tax if you do not owe anything on your PAYE bill)\n\n- give you a refund after the end of the tax year if you do not owe anything\n\nYou can see how much Employment Allowance you\u2019ve used in your HMRC online account.\n\n## Claiming for past years\n\nYou can claim Employment Allowance for the previous 4 tax years, dating back to the 2017 to 2018 tax year.\n\nTo claim for past years, it does not matter how much your employers\u2019 Class 1 National Insurance liability was or how much de minimis state aid you received.\n\nThe thresholds for employers\u2019 Class 1 National Insurance and de minimis state aid do not apply.\n\nEmployment allowance was \u00a33,000 each year between April 2016 and April 2020.\n\n## Further information\n\nRead \u2018Claiming Employment Allowance: further employer guidance\u2019 for more information.\n\n## After you've made a claim\n\nYou can begin using your Employment Allowance as soon you submit your claim.\n\nHMRC will not send you a confirmation letter for your Employment Allowance.\n\nIf your claim is rejected, you will receive an automated message from HMRC within 5 working days.\n\nYou may need to tell HMRC if last year\u2019s employers\u2019 Class 1 National Insurance liabilities included deemed payments, taking you over the \u00a3100,000 threshold.\n\n## When your Employment Allowance counts as de minimis state aid\n\nIf you have selected a business sector in your claim, HMRC will send a letter stating that your Employment Allowance counts as de minimis state aid.\n\nYou must keep this letter as you may need it if you apply for other de minimis state aid.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-employment-allowance", + "answerable": true, + "scenario": "I am the finance director of an electronic components firm, which currently employs over 100 people. Due to an oversight by my predecessor we had, until this year, neglected to claim for Employment Allowance, despite meeting the required threshold of Class 1 NI liability for most of the past 6 years.", + "original_question": "Can we make a claim for the allowance against our previous years' NI liabilities?" + }, + { + "id": "train-775", + "question": "Scenario: I am a medical student currently studying at an English university and living nearby. The next year of my course will involve a placement in Germany for 3 months out of the 12.\n\nQuestion: Can I claim travel expenses for the overseas placement?\n\nDocument - Studying abroad: travel grants for students (England):\n## Overview\n\nYou may get a grant to cover some of your travel expenses if you normally live in England and:\n\n- you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement\n\n- you\u2019re a medical or dental student studying abroad or attending a clinical placement in the UK\n\nYou do not have to pay back a travel grant. There are rules on eligibility and how much you\u2019ll get.\n\nThere\u2019s a different process if you\u2019re a student from Scotland, Wales or Northern Ireland.\n\n## What you'll get\n\nThe amount you get depends on your total household income. This means your income, if you have one, combined with that of your parents or guardians, or spouse or partner if you live with them. Do not count income from other family members you live with.\n\nYou must pay the \ufb01rst \u00a3303 of your travel costs - and your travel grant will be reduced by \u00a31 for each \u00a38.73 of household income over \u00a339,796.\n\nKeep your travel costs as low as possible without being impractical.\n\n## If you\u2019re studying abroad\n\nYou can apply for:\n\n- up to 3 return journeys between your home and the overseas institution during a full academic year abroad\n\n- help with essential expenses, medical insurance and travel visas\n\nYou may be able to apply for your children\u2019s travel costs if you\u2019re a single parent.\n\n## Medical or dental students doing a clinical placement in the UK\n\nYou can apply for travel costs between your home and the hospital or facility where you\u2019re doing your placement.\n\n## Eligibility\n\nYour permanent home address must be in England.\n\n## If you\u2019re studying abroad\n\nYou must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.\n\nYou can also get a travel grant if you\u2019re on an Erasmus study or Erasmus work placement. Other work placements do not count.\n\n## If you\u2019re doing a clinical placement in the UK\n\nThe placement must be an essential part of your medical or dental course. You will not get a travel grant if you\u2019re eligible for means-tested bursaries or awards from the Department of Health.\n\nYou can apply if you get student \ufb01nance that depends on your household income, for example a Maintenance Loan or Maintenance Grant.\n\n## How to apply\n\n## If you\u2019re studying abroad\n\n- Apply for student finance for your study abroad using your student finance account. You can register and set up an account if you do not already have one.\n\n- You\u2019ll then receive a course abroad form.\n\n- Once you\u2019ve filled in and returned the form, you\u2019ll automatically receive a travel grant form if you\u2019re eligible.\n\nKeep all receipts for any expenses you want to apply for - you\u2019ll need to send copies when you apply.\n\nThe money will be paid direct into your bank account.\n\n## If you\u2019re doing a clinical placement in the UK\n\nAfter applying for student finance for clinical study you\u2019ll automatically receive a travel grant form if you\u2019re eligible.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/travel-grants-students-england", + "answerable": true, + "scenario": "I am a medical student currently studying at an English university and living nearby. The next year of my course will involve a placement in Germany for 3 months out of the 12.", + "original_question": "Can I claim travel expenses for the overseas placement?" + }, + { + "id": "train-776", + "question": "Scenario: I am a computer science student studying for a degree at the University of London, England. My course is funded privately, and I do not currently receive payments through student finance. I have been offered an Erasmus work placement in France as part of my final year.\n\nQuestion: Can I claim support for my overseas trip through Student Finance, even though I don't currently have an account?\n\nDocument - Studying abroad: travel grants for students (England):\n## Overview\n\nYou may get a grant to cover some of your travel expenses if you normally live in England and:\n\n- you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement\n\n- you\u2019re a medical or dental student studying abroad or attending a clinical placement in the UK\n\nYou do not have to pay back a travel grant. There are rules on eligibility and how much you\u2019ll get.\n\nThere\u2019s a different process if you\u2019re a student from Scotland, Wales or Northern Ireland.\n\n## What you'll get\n\nThe amount you get depends on your total household income. This means your income, if you have one, combined with that of your parents or guardians, or spouse or partner if you live with them. Do not count income from other family members you live with.\n\nYou must pay the \ufb01rst \u00a3303 of your travel costs - and your travel grant will be reduced by \u00a31 for each \u00a38.73 of household income over \u00a339,796.\n\nKeep your travel costs as low as possible without being impractical.\n\n## If you\u2019re studying abroad\n\nYou can apply for:\n\n- up to 3 return journeys between your home and the overseas institution during a full academic year abroad\n\n- help with essential expenses, medical insurance and travel visas\n\nYou may be able to apply for your children\u2019s travel costs if you\u2019re a single parent.\n\n## Medical or dental students doing a clinical placement in the UK\n\nYou can apply for travel costs between your home and the hospital or facility where you\u2019re doing your placement.\n\n## Eligibility\n\nYour permanent home address must be in England.\n\n## If you\u2019re studying abroad\n\nYou must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.\n\nYou can also get a travel grant if you\u2019re on an Erasmus study or Erasmus work placement. Other work placements do not count.\n\n## If you\u2019re doing a clinical placement in the UK\n\nThe placement must be an essential part of your medical or dental course. You will not get a travel grant if you\u2019re eligible for means-tested bursaries or awards from the Department of Health.\n\nYou can apply if you get student \ufb01nance that depends on your household income, for example a Maintenance Loan or Maintenance Grant.\n\n## How to apply\n\n## If you\u2019re studying abroad\n\n- Apply for student finance for your study abroad using your student finance account. You can register and set up an account if you do not already have one.\n\n- You\u2019ll then receive a course abroad form.\n\n- Once you\u2019ve filled in and returned the form, you\u2019ll automatically receive a travel grant form if you\u2019re eligible.\n\nKeep all receipts for any expenses you want to apply for - you\u2019ll need to send copies when you apply.\n\nThe money will be paid direct into your bank account.\n\n## If you\u2019re doing a clinical placement in the UK\n\nAfter applying for student finance for clinical study you\u2019ll automatically receive a travel grant form if you\u2019re eligible.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/travel-grants-students-england", + "answerable": true, + "scenario": "I am a computer science student studying for a degree at the University of London, England. My course is funded privately, and I do not currently receive payments through student finance. I have been offered an Erasmus work placement in France as part of my final year.", + "original_question": "Can I claim support for my overseas trip through Student Finance, even though I don't currently have an account?" + }, + { + "id": "train-778", + "question": "Scenario: I am 22, a citizen of France and have lived in the UK for a little over seven years, having \"settled status\". I now wish to begin a course of study leading to a first (BSc) degree, which will be taught full-time over four years at a UK University.\n\nQuestion: Am I eligible for both a tuition fee loan and help with living costs?\n\nDocument - Student finance:\n## Overview\n\nYou may be able to borrow money to help pay for university or college tuition fees and to help with living costs.\n\nYou might get extra money on top of this, for example if you\u2019re on a low income, are disabled or have children.\n\nIf you\u2019re a continuing student or you\u2019ve already created an account, log in to your account.\n\n## Before you apply\n\nYou start repaying once you earn over a certain amount. The size of your monthly repayments will depend on how much you earn, not what you owe.\n\nYou\u2019ll be charged interest on the loan from the day you take it out. The terms and conditions can change.\n\nThe rules are different if your course started before September 2012.\n\nRead the student finance privacy notice to find out how the information you provide will be used.\n\n## How to apply\n\nFind out how to apply for student finance.\n\nIf you\u2019re under 25 and have no contact with your parents, you might be able to apply as an \u2018estranged student\u2019.\n\nThere\u2019s a different process if you\u2019re a student from Scotland, Wales, or Northern Ireland. Contact the education authority if you live in the Channel Islands (Jersey and Guernsey) or Isle of Man.\n\nYou can give someone permission to act on your behalf (for example using Power of Attorney) if you want them to apply for you.\n\n## New full-time students\n\nYou can apply for a Tuition Fee Loan and Maintenance Loan if your course starts on or after 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\nIf you\u2019re studying an accelerated degree course, you could get up to \u00a311,100.\n\n## Maintenance Loan for living costs\n\nYou may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of each term. You have to pay the loan back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to 7,747 | Up to \u00a37,987 |\n\n| Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488 |\n\n| Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866 |\n\nYou must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.\n\nIf you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.\n\nUse the student finance calculator to estimate your Maintenance Loan.\n\n## Applying during coronavirus (COVID-19)\n\nRead the guidance for students during coronavirus for more information about:\n\n- changes in your household income\n\n- self-isolation stopping you from posting evidence\n\n- contacting the Student Loans Company\n\n## Coronavirus and maintenance loans\n\nYou do not need to tell SLC if your course has moved online, as long as your living arrangements stay the same. If they have changed, you must update your address in your online account.\n\n## Extra help with travel costs\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Continuing full-time students\n\nWhat you\u2019re eligible for depends on when your course starts.\n\nYou may also be able to get extra help.\n\n## If your course starts on or after 1 August 2016\n\nYou can apply for a Tuition Fee Loan and a Maintenance Loan if your course starts on or after 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n## Maintenance Loan for living costs\n\nYou may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of term. You have to pay the loan back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to 7,747 | Up to \u00a37,987 |\n\n| Living away from home, outside London | Up to \u00a39,203 | Up to \u00a39,488 |\n\n| Living away from home, in London | Up to \u00a312,010 | Up to \u00a312,382 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a310,539 | Up to \u00a310,866 |\n\nYou must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.\n\nIf you\u2019re 60 or over on the first day of the first academic year of your course you can apply for up to \u00a34,014.\n\nIn your final year, you\u2019ll receive less money than you did in previous years.\n\n## If your course started before 1 August 2016\n\nYou can apply for grants and loans if your course started before 1 August 2016.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n## Maintenance Loan for living costs\n\nStudents aged 60 and over cannot apply. You may have to give details of your household income.\n\nThe loan is paid directly into your bank account at the start of each term. You have to pay the loan back.\n\nYou must report any changes to your living arrangements, including if you\u2019re no longer studying abroad in your online account, so you get the correct amount of student finance.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Living at home | Up to \u00a35,247 | Up to \u00a35,410 |\n\n| Living away from home, outside London | Up to \u00a36,597 | Up to \u00a36,802 |\n\n| Living away from home, in London | Up to \u00a39,205 | Up to \u00a39,490 |\n\n| You spend a year of a UK course studying abroad | Up to \u00a37,838 | Up to \u00a38,081 |\n\nIn your final year, you\u2019ll receive less money than you did in previous years.\n\n## Maintenance Grant for living costs\n\nYou have to give details of your household income and your course start date.\n\nThe grant is paid into your bank account at the start of each term. You do not have to pay it back, but any funds you get will reduce the Maintenance Loan you can get.\n\n## Special Support Grant\n\nYou may get a Special Support Grant instead of a Maintenance Grant if you get or qualify for:\n\n- Income Support\n\n- income-related Employment and Support Allowance\n\n- Housing Benefit\n\n- the housing element of Universal Credit\n\nThe amount you get is the same as the Maintenance Grant, but it will not reduce the Maintenance Loan you can get.\n\nYou may get the Special Support Grant if, for example, you\u2019re a lone parent or have certain disabilities.\n\nYou\u2019ll be told if you can get the grant when you apply for student finance.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Help with the costs of studying abroad\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home. If you\u2019re a medical or dental student you might also qualify for help with the costs of attending clinical placements in the UK.\n\n## Help during coronavirus (COVID-19)\n\nRead the guidance for students during coronavirus for more information, including if:\n\n- your university or college is shut\n\n- your household income changes\n\n- you\u2019ll need to repeat or extend your studies\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Part-time students\n\nYou may be able to get a loan if your part-time course has a \u2018course intensity\u2019 of 25% or more.\n\n\u2018Course intensity\u2019 measures how much of your course you complete each year compared to an equivalent full-time course.\n\nYou can work this out by comparing your module credits with the number of module credits a full-time student will study. You\u2019ll be asked how many credits you\u2019ll study when you apply for the loan.\n\nCheck with your university or college if you\u2019re not sure.\n\nWhat you can apply for depends on when your course starts.\n\nYou must report any changes to your living arrangements in your online account, so you get the correct amount of student finance. You might need evidence of any changes.\n\n## If your course starts on or after 1 August 2018\n\nYou can apply for a Tuition Fee Loan and a Maintenance Loan.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\nYou can get up to \u00a36,935 in an academic year.\n\n## Maintenance Loan for living costs\n\nHow much you can get depends on:\n\n- where you live while studying\n\n- your household income\n\n- your course intensity\n\nThe loan is paid directly into your bank account 2 weeks after the start of each term. You have to pay the loan back.\n\nYou can only apply for a Maintenance Loan as a Distance Learning student if you cannot attend your course in person because of a disability.\n\nUse the student finance calculator to estimate your Maintenance Loan.\n\nYou\u2019re not eligible for a Maintenance Loan if you\u2019re 60 or over on the first day of the first academic year of your course.\n\n## If your course started before 1 August 2018\n\nYou can apply for a Tuition Fee Loan.\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\nYou can get up to \u00a36,935 in an academic year.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## EU students\n\nYou may be able to get a Tuition Fee Loan and help with living costs if you\u2019re from an EU country, Iceland, Liechtenstein, Norway or Switzerland.\n\nUse the student finance calculator to see what finance you can get.\n\n## Tuition Fee Loan\n\nYour university or college sets your tuition fee, and the loan is paid directly to them. You have to pay it back.\n\n| | 2020 to 2021 academic year | 2021 to 2022 academic year |\n\n| Full-time student | Up to \u00a39,250 | Up to \u00a39,250 |\n\n| Full-time student at a private university or college | Up to \u00a36,165 | Up to \u00a36,165 |\n\n| Part-time student | Up to \u00a36,935 | Up to \u00a36,935 |\n\n| Part-time student at a private university or college | Up to \u00a34,625 | Up to \u00a34,625 |\n\nUse the student finance calculator to estimate your Tuition Fee Loan.\n\n## Help with living costs\n\nYou may be eligible for help with your living costs if both the following apply:\n\n- you\u2019ve lived in the UK for more than 3 years before the first day of the first academic year of your course\n\n- you have settled status\n\nAcademic years start on 1 September, 1 January, 1 April or 1 July. Ask someone who runs your course if you do not know which one applies.\n\n## Student Finance from August 2021\n\nIf you\u2019re\u00a0starting a course\u00a0on\u00a0or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nIf you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study here.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Further information\n\n## 2020 to 2021 academic year\n\n## 2021 to 2022 academic year\n\n## Extra help\n\nCheck on the student finance calculator to see what extra help you might be able to get.\n\n## Students on a low income\n\nYou can apply for:\n\n- Universal Credit\n\n- extra help if you\u2019re experiencing financial hardship\n\n## Students with children or dependent adults\n\nYou can apply for:\n\n- Childcare Grant - full-time students only\n\n- Parents\u2019 Learning Allowance - full-time students only\n\n- Adult Dependants\u2019 Grant - full-time students only\n\n- Universal Credit\n\n- extra help if you\u2019re experiencing financial hardship\n\n## Disabled students\n\nIf you have a disability, long-term health condition, mental health condition or specific learning difficulty (such as dyslexia) you can apply for:\n\n- Disabled Students\u2019 Allowance\n\n- extra help if you\u2019re experiencing financial hardship\n\nYou may also qualify for disability related benefits.\n\n## Medical, social work and teacher training students\n\nYou can apply for:\n\n- NHS bursaries if you\u2019re studying certain medical, dentistry or healthcare courses\n\n- help with costs of travel to UK clinical placements if you\u2019re studying a medical, dentistry or healthcare course\n\n- social work bursaries if you\u2019re a social work student\n\n- extra help if you\u2019re a teacher training student\n\n## Students studying abroad\n\nYou might get a grant to cover some travel expenses if you normally live in England but study away from home.\n\n## Help from your university or college\n\nMany universities and colleges offer extra money directly to students.\n\n## Funding from charitable trusts\n\nUse the Turn2us grant search to check whether you qualify for funding from a charitable trust.\n\n## Eligibility\n\nWhether you qualify for student finance depends on:\n\n- your university or college\n\n- your course\n\n- if you\u2019ve studied a higher education course before\n\n- your age\n\n- your nationality or residency status\n\n## Your university or college\n\nThis should be a university, college or other institution that offers a qualifying course.\n\n## Your course\n\nCheck with the university or college that your course is recognised.\n\n## If you\u2019re studying full-time\n\nYou may be eligible for student finance if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- an Initial Teacher Training course\n\n- an integrated master\u2019s degree\n\n- a pre-registration postgraduate healthcare course\n\nCheck on the student finance calculator to find out which loans and grants you could be eligible for.\n\n## If you\u2019re studying part-time\n\nYour course needs a \u2018course intensity\u2019 of 25% or more for you to be eligible for student finance.\n\nYou\u2019ll be eligible for a Tuition Fee Loan if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- a Foundation Degree\n\n- a Certificate of Higher Education\n\n- a Diploma of Higher Education (DipHE)\n\n- a Higher National Certificate (HNC)\n\n- a Higher National Diploma (HND)\n\n- an Initial Teacher Training course\n\n- an integrated master\u2019s degree\n\nYou\u2019ll be eligible for a Maintenance Loan if your course is in the UK and one of the following:\n\n- a first degree, for example BA, BSc or BEd\n\n- an Initial Teacher Training course (if it\u2019s degree level or above)\n\n- an integrated master\u2019s degree\n\n- a Foundation Degree in dental hygiene and dental therapy\n\n- a DipHE in dental hygiene and dental therapy or operating department practice\n\n## If you\u2019ve studied before\n\nYou\u2019ll usually only get student finance if you\u2019re doing your first higher education qualification - even if your previous course was self-funded. You may still be eligible for limited funding in certain circumstances and for some courses.\n\n## If you changed course, stopped your studies or are repeating a year\n\nIf you stopped your course within the first year, you\u2019ll get funding for the same course or a new course when you go back.\n\nYou might also get funding if you:\n\n- suspended your course or withdrew before it finished - and you\u2019re going back to study any course\n\n- are repeating a year of your course at the same university, college, or institution.\n\nIf you stopped your studies for a personal reason (for example, you were ill or pregnant) you might get funding for all of your course - you should apply online with supporting evidence.\n\nYou can calculate the amount you will get by taking the total number of years of the course you are applying for and adding one year. Then take away the number of years you studied for. If you studied for part of a year you should count it as a whole year.\n\n## If you already have a degree\n\nYou may be eligible for limited funding in certain circumstances.\n\nYou may get limited funding if you\u2019re \u2018topping up\u2019 a higher education qualification, for example you\u2019ve finished an HNC, HND or Foundation Degree and now want to do an Honours degree.\n\nYou may also get limited funding if you hold an Honours degree or a higher level of qualification and start a new course. This could be a part-time Honours degree, a joint Honours degree or an Integrated Master\u2019s degree in one of the following (or 2 if it\u2019s a joint Honours degree):\n\n- agriculture and related subjects\n\n- architecture (if it\u2019s a MArch RIBA Part 2 course)\n\n- biological sciences\n\n- computer science\n\n- mathematical sciences\n\n- medicine and allied subjects\n\n- physical sciences\n\n- technologies\n\n- courses leading to qualification as a veterinary surgeon\n\nYou could also be eligible if you\u2019re starting a healthcare course on or after 1 August 2017.\n\n## Your age\n\nThere\u2019s no upper age limit for Tuition Fee Loans or grants.\n\n## If you\u2019re 60 or over\n\nYou may get limited funding for Maintenance Loans if all of the following apply:\n\n- you\u2019re 60 or over on the first day of the first academic year of your \ncourse\n\n- you\u2019re studying full-time\n\n- your course started on or after 1 August 2016\n\nThe amount you can apply for depends on your household income.\n\n## Your nationality or residency status\n\nYou may be able to get help with:\n\n- your tuition fees and living costs (full support)\n\n- your tuition fees\n\nThe type of help you can get depends on your nationality and residency status.\n\n## When you\u2019re eligible for full support\n\nYou can apply for full support if all the following apply:\n\n- you\u2019re a UK or Irish citizen or have \u2018settled status\u2019 (no restrictions on how long you can stay)\n\n- you normally live in England\n\n- you\u2019ve been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday\n\nYou may be eligible for full support if you\u2019re a UK national (or family member of a UK national) who:\n\n- returned to the UK by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years\n\nYou may also be eligible if your residency status is one of the following:\n\n- refugee (including family members)\n\n- humanitarian protection (including family members)\n\n- migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein (including family members) with settled or pre-settled status\n\n- child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme\n\n- child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020\n\n- a stateless person (including family members)\n\n- an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment\n\n- a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)\n\n- granted \u2018Calais leave\u2019 to remain\n\n- a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)\n\n- you\u2019ve been given settled status (\u2018indefinite leave to remain\u2019) because you\u2019ve been the victim of domestic violence\n\n- you\u2019ve been granted indefinite leave to remain as a bereaved partner\n\nYou could also be eligible if you\u2019re not a UK national and are either:\n\n- under 18 and have lived in the UK for at least 7 years\n\n- 18 or over and have lived in the UK for at least 20 years (or at least half of your life)\n\nYou must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.\n\n## When you can apply for help with your tuition fees\n\nYou can apply for tuition fee funding if you\u2019ve been living in the UK, the EU, Gibraltar, Iceland, Liechtenstein, Norway or Switzerland for the past 3 years and you have one of the following:\n\n- pre-settled status under the EU Settlement Scheme and you\u2019re an EU national or the family member of an EU national\n\n- pre-settled status under the EU Settlement Scheme and you\u2019re the family member of an Irish citizen or person of Northern Ireland\n\n- Irish citizenship\n\n- Gibraltarian status as an EU national\n\n- been living in Gibraltar as a UK national\n\nIf you\u2019re an Irish citizen, you\u2019re still eligible to apply if you\u2019ve lived in the UK and Ireland in the 3 years before your course.\n\nUse the student finance calculator to see what finance you can get.\n\n## Apply\n\nApply for student finance or find out how to apply.\n\n## Apply\n\nFind out how to apply for student finance.\n\n## Parents or partners of students\n\nConfirm your income if you\u2019re the student\u2019s parent or partner.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/student-finance", + "answerable": true, + "scenario": "I am 22, a citizen of France and have lived in the UK for a little over seven years, having \"settled status\". I now wish to begin a course of study leading to a first (BSc) degree, which will be taught full-time over four years at a UK University.", + "original_question": "Am I eligible for both a tuition fee loan and help with living costs?" + }, + { + "id": "train-779", + "question": "Scenario: I am an employee at a catering services firm in Birmingham, and have lodged a grievance with my employer with the help of my trade union representative. We have been verbally assured by the company's HR manager that they \"follow the Acas Code of Practice\".\n\nQuestion: Is the company in fact obliged to follow the Acas Code of Practice?\n\nDocument - Handling an employee's grievance:\n## Overview\n\nIf your employee has a concern or problem that they haven\u2019t been able to resolve informally, they may make a formal grievance complaint to you.\n\nBusinesses must have a written grievance procedure in place and share it with all employees. It must say how the process works and how long it takes.\n\nAfter a hearing of the evidence, you should let the employee know your decision in writing. If they aren\u2019t happy with the decision, they can appeal.\n\n## Grievance procedure\n\nBy law employers must set out a grievance procedure and share it in writing with all employees, eg in their statement of employment or staff handbook. It must include:\n\n- who the employee should contact about a grievance\n\n- how to contact this person\n\nIt should also:\n\n- say that if the problem can\u2019t be resolved informally, there will be a meeting with the employee, called a grievance hearing\n\n- set out time limits for each stage of the process\n\n- identify who to contact if the normal contact person is involved in the grievance\n\n- explain how to appeal a grievance decision\n\n- state that employees can be accompanied in any meetings by a colleague or union representative\n\n- outline what happens if a grievance is raised during disciplinary action\n\nYou don\u2019t have to include information about the grievance procedure in employment contracts. However, if you do, you must follow the procedure, or the employee could bring a breach of contract claim against you.\n\n## Acas Code of Practice\n\nThe Acas Code of Practice isn\u2019t legally binding. However, an employment tribunal can reduce or increase any money awarded in a case by up to 25% if the code hasn\u2019t been followed.\n\n## The grievance hearing\n\n## Preparing for the hearing\n\nBefore holding a hearing, employers should:\n\n- give the employee notice so that they can prepare their case\n\n- carry out a full investigation if necessary and take statements from any witnesses who cannot attend\n\n- make it clear that the employee can bring a colleague or union representative if they want to\n\n- arrange for another manager to attend to make sure that the hearing is conducted properly\n\n- arrange for someone to take notes\n\n## Delays\n\nIf the employee cannot attend the hearing (eg because they are ill), offer them a reasonable alternative date and time.\n\nThe employee can also suggest a different time for the hearing if the person accompanying them cannot attend. They must do this within 5 working days after you proposed the original meeting time.\n\nYou can make your decision without having a hearing if:\n\n- you have already rearranged the meeting, but the employee fails to attend\n\n- the employee is on long-term sick leave and unable to go to meetings in the near future (they can supply written information instead if they want to)\n\n## Employers' decisions and appeals\n\n## After the hearing\n\nYou should give the employee a copy of the meeting records. You may be able to leave out some information in certain circumstances (eg to protect a witness).\n\nAfter you have decided the action to take, write to the parties involved, setting out:\n\n- your decision and the reasons behind it\n\n- the appeals process and deadline\n\nIf there are any delays during the appeal process, it\u2019s important that you tell the employee as soon as possible.\n\n## Appeals\n\nIf the employee appeals, there should be another hearing to re-examine the decision. The process is the same as the original hearing but you should also look at:\n\n- the reasoning behind the appeal\n\n- any new evidence\n\nIf possible, the appeal should not be heard by the same person who held the original hearing.\n\nAfter the appeal hearing, you should set out your decision in writing and state that this is the final outcome.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/handling-employee-grievance", + "answerable": true, + "scenario": "I am an employee at a catering services firm in Birmingham, and have lodged a grievance with my employer with the help of my trade union representative. We have been verbally assured by the company's HR manager that they \"follow the Acas Code of Practice\".", + "original_question": "Is the company in fact obliged to follow the Acas Code of Practice?" + }, + { + "id": "train-782", + "question": "Scenario: I am 55 and work as a delivery driver for a shipping company, where I am paid a fixed rate per delivery and am expected to be available at short notice. My employer claims that the \"mobile\" nature of the work means that I am not entitled to the three standard types of rest break.\n\nQuestion: Can I claim the 3 general types of rest break?\n\nDocument - Rest breaks at work:\n## Overview\n\nWorkers over 18 are usually entitled to 3 types of break - rest breaks at work, daily rest and weekly rest.\n\n## Rest breaks at work\n\nWorkers have the right to one uninterrupted 20 minute rest break during their working day, if they work more than 6 hours a day. This could be a tea or lunch break.\n\nThe break doesn\u2019t have to be paid - it depends on their employment contract.\n\n## Daily rest\n\nWorkers have the right to 11 hours rest between working days, eg if they finish work at 8pm, they shouldn\u2019t start work again until 7am the next day.\n\n## Weekly rest\n\nWorkers have the right to either:\n\n- an uninterrupted 24 hours without any work each week\n\n- an uninterrupted 48 hours without any work each fortnight\n\nA worker\u2019s employment contract may say they\u2019re entitled to more or different rights to breaks from work.\n\n## Work that puts health and safety at risk\n\nAn employer should give an employee enough breaks to make sure their health and safety isn\u2019t at risk if that work is \u2018monotonous\u2019 (eg work on a production line).\n\nDomestic workers in a private house (eg a cleaner or au pair) aren\u2019t entitled to rest breaks for health and safety reasons.\n\n## Taking breaks\n\nEmployers can say when employees take rest breaks during work time as long as:\n\n- the break is taken in one go somewhere in the middle of the day (not at the beginning or end)\n\n- workers are allowed to spend it away from their desk or workstation (ie away from where they actually work)\n\nIt doesn\u2019t count as a rest break if an employer says an employee should go back to work before their break is finished.\n\nUnless a worker\u2019s employment contract says so, they don\u2019t have the right to:\n\n- take smoking breaks\n\n- get paid for rest breaks\n\n## Exceptions and special circumstances\n\nThere are exemptions to the rights to rest breaks.\n\nSome workers are entitled to compensatory rest breaks, eg shift workers.\n\nYoung people and lorry and coach drivers have different rights to rest breaks.\n\n## Compensatory rest\n\nWorkers may be entitled to \u2018compensatory rest\u2019 if they don\u2019t have the right to specific rest breaks. Compensatory rest breaks are the same length of time as the break (or part of it) that they\u2019ve missed.\n\nA worker may be entitled to compensatory rest if:\n\n- they\u2019re a shift worker and can\u2019t take daily or weekly rest breaks between ending one shift and starting another\n\n- their workplace is a long way from their home (eg an oil rig)\n\n- they work in different places which are a reasonable distance from each other\n\n- they\u2019re doing security and surveillance-based work\n\n- they\u2019re working in an industry which is very busy at certain times of the year \u2013 like agriculture, retail, postal services or tourism\n\n- they need to work because there\u2019s an exceptional event, an accident or a risk that an accident is about to happen\n\n- the job needs round-the-clock staffing so there aren\u2019t interruptions to any services or production (eg hospital work)\n\n- they work in the rail industry on board trains or their job is linked to making sure trains run on time\n\n- their working day is split up (eg they\u2019re a cleaner and work for part of the morning and the evening)\n\n- there is an agreement between management, trade unions or the workforce (a \u2018collective\u2019 or \u2018workforce\u2019 agreement) that has changed or removed rights to these rest breaks for a group of workers\n\nThe total rest entitlement for a week is 90 hours a week on average - this doesn\u2019t include breaks at work, which are additional.\n\n## Exceptions\n\nWorkers aren\u2019t entitled to the 3 general types of rest break if they work in:\n\n- the armed forces, emergency services or police and they\u2019re dealing with an exceptional catastrophe or disaster\n\n- a job where they freely choose what hours they work (like a managing director) or where the work is not measured (ie no set hours)\n\n- sea transport\n\n- air or road transport (known as \u2018mobile\u2019 workers)\n\nAir, sea or road transport workers may be covered by special rules that give them different rest rights.\n\nMobile workers not covered by any special rules usually have the right to regular rest so that their health and safety (or anyone else\u2019s) isn\u2019t put at risk.\n\nThere are also special rules for young workers and for lorry and coach drivers.\n\n## Young workers\n\nYoung workers (above school leaving age and under 18) are usually entitled to:\n\n- a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)\n\n- daily rest of 12 hours\n\n- weekly rest of 48 hours\n\n## Exceptions for young workers\n\nYoung workers sometimes aren\u2019t entitled to daily rest or rest breaks at work if their work has to be done because of an exceptional event (eg an accident). This is only where:\n\n- there isn\u2019t a worker over 18 who can do the work\n\n- the work is temporary and must be done immediately\n\n## Compensatory rest for young workers\n\nYoung workers have the right to compensatory rest if they\u2019re not entitled to daily rest or rest breaks at work. This is the same amount of rest that they should have had. It can be taken just after any rest they\u2019ve missed but it must be taken within the following 3 weeks.\n\n## Disputes\n\nWorkers who can\u2019t take or aren\u2019t allowed rest breaks should speak to their manager informally.\n\nGet more information for employees who want to raise a grievance or advice for employers on handling grievances if there is a disagreement about rest breaks.\n\nWorkers can also get advice on rest breaks from the Acas helpline.\n\nIf a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/rest-breaks-work", + "answerable": true, + "scenario": "I am 55 and work as a delivery driver for a shipping company, where I am paid a fixed rate per delivery and am expected to be available at short notice. My employer claims that the \"mobile\" nature of the work means that I am not entitled to the three standard types of rest break.", + "original_question": "Can I claim the 3 general types of rest break?" + }, + { + "id": "train-783", + "question": "Scenario: I own and manage a very small biotechnology startup company, which currently has only four employees. Owing to our small size I run our monthly payroll myself, and file the necessary reports with HMRC.\n\nQuestion: As we are so small, is it possible to make reports and payments at wider intervals than monthly?\n\nDocument - PAYE and payroll for employers:\n## Introduction to PAYE\n\nAs an employer, you normally have to operate PAYE as part of your payroll. PAYE is HM Revenue and Customs\u2019 (HMRC) system to collect Income Tax and National Insurance from employment.\n\nYou do not need to register for PAYE if none of your employees are paid \u00a3120 or more a week, get expenses and benefits, have another job or get a pension. However, you must keep payroll records.\n\n## Payments and deductions\n\nWhen paying your employees through payroll you also need to make deductions for PAYE.\n\n## Payments to your employees\n\nPayments to your employees include their salary or wages, as well as things like any tips or bonuses, or statutory sick or maternity pay.\n\n## Deductions from their pay\n\nFrom these payments, you\u2019ll need to deduct tax and National Insurance for most employees. Other deductions you may need to make include student loan repayments or pension contributions.\n\n## Reporting to and paying HMRC\n\n## Reporting pay and deductions\n\nIf you run payroll yourself, you\u2019ll need to report your employees\u2019 payments and deductions to HMRC on or before each payday.\n\nYour payroll software will work out how much tax and National Insurance you owe, including an employer\u2019s National Insurance contribution on each employee\u2019s earnings above \u00a3170 a week.\n\nYou\u2019ll need to send another report to claim any reduction on what you owe HMRC, for example for statutory pay.\n\n## Paying HMRC\n\nYou\u2019ll be able to view what you owe HMRC, based on your reports. You then have to pay HMRC, usually every month.\n\nIf you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.\n\n## Other things to report\n\nAs part of your regular reports, you should tell HMRC when a new employee joins and if an employee\u2019s circumstances change, for example they reach State Pension age or become a director.\n\nYou have to run annual reports at the end of the tax year - including telling HMRC about any expenses or benefits.\n\n## Choose how to run payroll\n\nIf you have to operate PAYE, you can choose how to run your payroll.\n\n## Choose how to run payroll\n\nYou can operate PAYE by either:\n\n- paying a payroll provider to do it for you\n\n- doing it yourself using payroll software\n\n## Paying a payroll provider\n\nIf you decide to pay a payroll provider (for example, a bureau or accountant) to run your payroll, you\u2019ll need to consider how much support you\u2019ll need.\n\nYou\u2019re responsible for collecting and keeping records of your employee\u2019s details. Your payroll provider will need these to run payroll for you.\n\nSome payroll providers can offer you more support if you need it, for example keeping employee records, providing payslips and making payments to HM Revenue and Customs (HMRC).\n\nAs an employer, you\u2019re legally responsible for completing all PAYE tasks - even if you pay someone else to do them.\n\n## Running payroll yourself\n\nYou need to complete certain tasks to set up payroll and pay your employees for the first time. This includes registering as an employer with HMRC and telling them about your employees.\n\n## Exemptions to online reporting\n\nYou may be exempt from reporting payroll online if:\n\n- you\u2019re prevented from using a computer on religious grounds\n\n- you\u2019re getting care or support services for yourself or a member of your family\n\n- you\u2019re unable to send reports electronically because you\u2019re disabled, elderly or cannot access the internet\n\nHMRC has guidance if you believe you\u2019re exempt and would prefer to report on paper.\n\n## Setting up payroll\n\nIf you decide to run payroll yourself, you need to complete certain tasks to pay your employees for the first time. You can choose when and how often to pay your employees.\n\n- Register as an employer with HM Revenue and Customs (HMRC) and get a login for PAYE Online.\n\n- Choose payroll software to record employee\u2019s details, calculate pay and deductions, and report to HMRC.\n\n- Collect and keep records.\n\n- Tell HMRC about your employees.\n\n- Record pay, make deductions and report to HMRC on or before the first payday.\n\n- Pay HMRC the tax and National Insurance you owe.\n\nYou\u2019ll also need to complete certain annual reports and tasks to prepare for the next tax year, which starts on 6 April.\n\n## Keeping records\n\nYou must collect and keep records of:\n\n- what you pay your employees and the deductions you make\n\n- reports you make to HM Revenue and Customs (HMRC)\n\n- payments you make to HMRC\n\n- employee leave and sickness absences\n\n- tax code notices\n\n- taxable expenses or benefits\n\n- Payroll Giving Scheme documents, including the agency contract and employee authorisation forms\n\nYour records must show you\u2019ve reported accurately, and you need to keep them for 3 years from the end of the tax year they relate to. HMRC may check your records to make sure you\u2019re paying the right amount of tax.\n\nThere are different rules for keeping records to prove you have paid the correct minimum wage.\n\nIf you do not keep full records, HMRC may estimate what you have to pay and charge you a penalty of up to \u00a33,000.\n\n## If your records are lost, stolen or destroyed\n\nTell HMRC as soon as possible if you do not have records and cannot replace them. You must also do your best to recreate them - HMRC may be able to help if you\u2019re not sure how much you paid your employees.\n\nYou must tell HMRC if your final payroll report of the tax year includes figures that are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with actual figures\n\n## Data protection\n\nYou must follow rules on data protection if your business stores or uses personal information.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paye-for-employers", + "answerable": true, + "scenario": "I own and manage a very small biotechnology startup company, which currently has only four employees. Owing to our small size I run our monthly payroll myself, and file the necessary reports with HMRC.", + "original_question": "As we are so small, is it possible to make reports and payments at wider intervals than monthly?" + }, + { + "id": "train-784", + "question": "Scenario: I am a newly-qualified accountant who has just started work at a small startup company. This has been in existence for just over 2 years and appears (so far) to have kept correct records of its employee payments and dealings with HMRC through the PAYE system.\n\nQuestion: Is there a list of records which HMRC requires to be kept, and for how long they need to be kept?\n\nDocument - PAYE and payroll for employers:\n## Introduction to PAYE\n\nAs an employer, you normally have to operate PAYE as part of your payroll. PAYE is HM Revenue and Customs\u2019 (HMRC) system to collect Income Tax and National Insurance from employment.\n\nYou do not need to register for PAYE if none of your employees are paid \u00a3120 or more a week, get expenses and benefits, have another job or get a pension. However, you must keep payroll records.\n\n## Payments and deductions\n\nWhen paying your employees through payroll you also need to make deductions for PAYE.\n\n## Payments to your employees\n\nPayments to your employees include their salary or wages, as well as things like any tips or bonuses, or statutory sick or maternity pay.\n\n## Deductions from their pay\n\nFrom these payments, you\u2019ll need to deduct tax and National Insurance for most employees. Other deductions you may need to make include student loan repayments or pension contributions.\n\n## Reporting to and paying HMRC\n\n## Reporting pay and deductions\n\nIf you run payroll yourself, you\u2019ll need to report your employees\u2019 payments and deductions to HMRC on or before each payday.\n\nYour payroll software will work out how much tax and National Insurance you owe, including an employer\u2019s National Insurance contribution on each employee\u2019s earnings above \u00a3170 a week.\n\nYou\u2019ll need to send another report to claim any reduction on what you owe HMRC, for example for statutory pay.\n\n## Paying HMRC\n\nYou\u2019ll be able to view what you owe HMRC, based on your reports. You then have to pay HMRC, usually every month.\n\nIf you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.\n\n## Other things to report\n\nAs part of your regular reports, you should tell HMRC when a new employee joins and if an employee\u2019s circumstances change, for example they reach State Pension age or become a director.\n\nYou have to run annual reports at the end of the tax year - including telling HMRC about any expenses or benefits.\n\n## Choose how to run payroll\n\nIf you have to operate PAYE, you can choose how to run your payroll.\n\n## Choose how to run payroll\n\nYou can operate PAYE by either:\n\n- paying a payroll provider to do it for you\n\n- doing it yourself using payroll software\n\n## Paying a payroll provider\n\nIf you decide to pay a payroll provider (for example, a bureau or accountant) to run your payroll, you\u2019ll need to consider how much support you\u2019ll need.\n\nYou\u2019re responsible for collecting and keeping records of your employee\u2019s details. Your payroll provider will need these to run payroll for you.\n\nSome payroll providers can offer you more support if you need it, for example keeping employee records, providing payslips and making payments to HM Revenue and Customs (HMRC).\n\nAs an employer, you\u2019re legally responsible for completing all PAYE tasks - even if you pay someone else to do them.\n\n## Running payroll yourself\n\nYou need to complete certain tasks to set up payroll and pay your employees for the first time. This includes registering as an employer with HMRC and telling them about your employees.\n\n## Exemptions to online reporting\n\nYou may be exempt from reporting payroll online if:\n\n- you\u2019re prevented from using a computer on religious grounds\n\n- you\u2019re getting care or support services for yourself or a member of your family\n\n- you\u2019re unable to send reports electronically because you\u2019re disabled, elderly or cannot access the internet\n\nHMRC has guidance if you believe you\u2019re exempt and would prefer to report on paper.\n\n## Setting up payroll\n\nIf you decide to run payroll yourself, you need to complete certain tasks to pay your employees for the first time. You can choose when and how often to pay your employees.\n\n- Register as an employer with HM Revenue and Customs (HMRC) and get a login for PAYE Online.\n\n- Choose payroll software to record employee\u2019s details, calculate pay and deductions, and report to HMRC.\n\n- Collect and keep records.\n\n- Tell HMRC about your employees.\n\n- Record pay, make deductions and report to HMRC on or before the first payday.\n\n- Pay HMRC the tax and National Insurance you owe.\n\nYou\u2019ll also need to complete certain annual reports and tasks to prepare for the next tax year, which starts on 6 April.\n\n## Keeping records\n\nYou must collect and keep records of:\n\n- what you pay your employees and the deductions you make\n\n- reports you make to HM Revenue and Customs (HMRC)\n\n- payments you make to HMRC\n\n- employee leave and sickness absences\n\n- tax code notices\n\n- taxable expenses or benefits\n\n- Payroll Giving Scheme documents, including the agency contract and employee authorisation forms\n\nYour records must show you\u2019ve reported accurately, and you need to keep them for 3 years from the end of the tax year they relate to. HMRC may check your records to make sure you\u2019re paying the right amount of tax.\n\nThere are different rules for keeping records to prove you have paid the correct minimum wage.\n\nIf you do not keep full records, HMRC may estimate what you have to pay and charge you a penalty of up to \u00a33,000.\n\n## If your records are lost, stolen or destroyed\n\nTell HMRC as soon as possible if you do not have records and cannot replace them. You must also do your best to recreate them - HMRC may be able to help if you\u2019re not sure how much you paid your employees.\n\nYou must tell HMRC if your final payroll report of the tax year includes figures that are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with actual figures\n\n## Data protection\n\nYou must follow rules on data protection if your business stores or uses personal information.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paye-for-employers", + "answerable": true, + "scenario": "I am a newly-qualified accountant who has just started work at a small startup company. This has been in existence for just over 2 years and appears (so far) to have kept correct records of its employee payments and dealings with HMRC through the PAYE system.", + "original_question": "Is there a list of records which HMRC requires to be kept, and for how long they need to be kept?" + }, + { + "id": "train-787", + "question": "Scenario: I am a first-year undergraduate study for a degree in medicine, on a course funded by the NHS. I have been resident in the UK for the whole of my 18 years.\n\nQuestion: Is my household income independent to determining how large an NHS Bursary I can get?\n\nDocument - NHS bursaries:\n## Overview\n\nWhat you can apply for depends on when your course starts and what you\u2019re studying. You do not have to pay your NHS bursary back.\n\nIf you\u2019re not eligible for a bursary you may still be eligible for student finance.\n\n## If your course starts on or after 1 August 2018\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor or dentist.\n\nIf you\u2019re studying a pre-registration postgraduate healthcare course, you may still be eligible for student finance.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor, dentist, dental hygienist or dental therapist.\n\n## If your course started before 1 August 2017\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying a dental, medical or healthcare course in England.\n\n## What you'll get\n\nIf you\u2019re an eligible full-time NHS student starting a course on or after 1 September 2012, you can apply for:\n\n- a bursary from the NHS\n\n- a \u00a31,000 grant from the NHS\n\n- a reduced Maintenance Loan from Student Finance England\n\nIf you\u2019re an eligible part-time student starting a course on or after 1 September 2012, you can apply for:\n\n- a reduced bursary from the NHS\n\n- a reduced grant from the NHS\n\nThe amount you get depends on the length of your course.\n\n## Tuition fees\n\nIf you\u2019re eligible for an NHS bursary, the NHS pays your standard tuition fees. Your course tuition fees are paid directly to your university.\n\nIf you\u2019re studying a graduate-entry accelerated medical or dental programme, you can get some of your tuition costs paid with an NHS bursary in years 2 to 4 of your programme.\n\n- \u00a33,715 if you\u2019re starting in the 2019 to 2020 academic year\n\n- \u00a33,715 if you\u2019re starting in the 2018 to 2019 academic year\n\n## Bursary\n\nYour bursary amount depends on your household income. This can be your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\nIf you started a Diploma of Higher Education (DipHE) Nursing or Operating Department Practitioner course before 1 September 2012, you\u2019ll receive a basic bursary which does not depend on your household income.\n\nIf you\u2019re studying to become a doctor or dentist, you can apply for an NHS bursary from your second year for graduate entry programmes or from your fifth year for undergraduate programmes.\n\n## Grant\n\nYou\u2019ll get a fixed amount of \u00a31,000 if you\u2019re an eligible full-time NHS student starting your course on or after 1 September 2012. You\u2019ll get a reduced amount if you\u2019re a part-time student.\n\nYou must apply for an NHS bursary to get the grant.\n\n## Maintenance Loan\n\nYou\u2019ll get a reduced Maintenance Loan. The amount you get depends on:\n\n- where you live and study\n\n- whether you\u2019re in the final year of your course (when you get less)\n\nCurrent rates for the 2018 to 2019 academic year are:\n\n- \u00a33,263 for students studying in London and living away from home\n\n- \u00a32,324 for students studying outside London and away from home\n\n- \u00a31,744 for students living at home\n\nCurrent rates for the 2019 to 2020 academic year are:\n\n- \u00a33,354 for students studying in London and living away from home\n\n- \u00a32,389 for students studying outside London and away from home\n\n- \u00a31,793 for students living at home\n\n## How it\u2019s paid\n\nThe NHS bursary is paid into your bank account in 12 equal monthly instalments.\n\nThe Maintenance Loan is usually paid into your bank account at the beginning of each term.\n\n## If you\u2019re disabled or have children\n\nYou may get extra help if you:\n\n- have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- have dependants\n\nFind out what extra help you could get.\n\n## Eligibility\n\nWhether you can get an NHS bursary depends on:\n\n- where you live\n\n- your course\n\n- your household income\n\n- whether you\u2019ve already had funding\n\n## Where you live\n\nTo be eligible to apply for an NHS bursary you must have been living in the UK, the Channel Islands or the Isle of Man for 3 years up to the start of the academic year.\n\nYou may still be eligible if you do not meet the residency requirements - find out more from the NHS Business Services Authority.\n\n## Your course\n\nWhether you\u2019re eligible depends on when your course starts.\n\nYou will not get an NHS bursary if you\u2019re a first level nurse or midwife and you\u2019re registering for a second field in nursing or midwifery.\n\n## If your course starts on or after 1 August 2018\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.\n\nYou can apply for an NHS bursary from your 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- dental hygienist or dental therapist\n\n## If your course started before 1 August 2017\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- chiropodist (including podiatrist), dietician, occupational therapist, orthoptist, physiotherapist, prosthetist, orthotist, radiographer, radiotherapist, audiologist or a speech and language therapist\n\n- dental hygienist or dental therapist\n\n- nurse, midwife or operating department practitioner (degree or diploma course)\n\n## Household income\n\nYour total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\n## If you\u2019ve already had funding\n\nYou may be eligible for an NHS bursary even if you\u2019ve already had public funding for higher education.\n\nIf you\u2019ve had an NHS bursary and want to change professions, you may also be eligible.\n\nFind out more from the NHS Business Services Authority.\n\n## How to apply\n\nYou need to create a Bursary Online Support System (BOSS) account on the NHS Student Bursaries website to apply for an NHS bursary.\n\nYou must reapply for your bursary every academic year.\n\nThere are different ways to apply if you\u2019re from Scotland, Wales or Northern Ireland.\n\n## New students\n\nIf you\u2019re entering the first year of your NHS-funded course or, for medical and dental students, your first year of NHS bursary funding, read the guidance for new students.\n\n## When to apply\n\nYou should wait until you have an offer of a course place from your university or college before you apply for an NHS bursary.\n\nThe date you can apply from usually depends on when your course starts. Check the NHS Student Bursaries website for the latest application dates.\n\n## Documents\n\nIf you\u2019re applying for an NHS bursary for the first time you must provide 2 documents to confirm your identity, one of which must include a photograph of yourself, for example a birth certificate and a valid passport.\n\nYou must send original documents (not photocopies), which NHS Student Bursaries will return to you.\n\n## Continuing students\n\nIf you\u2019ve already had an NHS student bursary for your current course and you\u2019re reapplying for another year, read the guidance for continuing students.\n\n## When to apply\n\nNHS Student Bursaries will send you an email invitation when you can reapply for your bursary. The date your invitation is sent depends on when your next academic year begins. Check the NHS Student Busaries website for the latest invitation dates.\n\nYou must send your application within 6 months of the first day of your academic year.\n\n## What happens next\n\nIf your application is approved, NHS Student Bursaries will send you an email when your bursary is available for you to view in your BOSS account.\n\nIf you get an NHS bursary you can apply separately for a reduced rate loan from Student Finance England.\n\n## Contact NHS Student Bursaries\n\nContact NHS Student Bursaries if you need help with your application.\n\n## Extra financial help\n\nIn addition to the NHS bursary you may also be able to apply for extra help if:\n\n- you have children\n\n- you have adult dependants\n\n- you have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- you do a practice placement\n\n- your course runs for more than 30 weeks and 3 days in the academic year\n\nFind out more about extra help on the NHS Student Bursaries website.\n\n## Dependants\u2019 Allowance\n\nYou may get this if you have adults or children who are financially dependent on you when you\u2019re training.\n\nHow much you get depends on your household income.\n\nApply for Dependants\u2019 Allowance through your BOSS account.\n\n## Childcare Allowance\n\nYou must apply for Dependants\u2019 Allowance before you can apply for Childcare Allowance.\n\nYou may be able to get the NHS Bursary Childcare Allowance if you have dependent children.\n\nHow much you get depends on your circumstances and your household income.\n\nYou cannot get this if you\u2019re not entitled to the NHS bursary (known as a \u2018Fees Only award\u2019).\n\nTo qualify:\n\n- you must use a registered childcare provider\n\n- your children must be under 15 on the first day of the academic year (or under 17 if they have special educational needs)\n\nThe allowance pays 85% of the gross actual cost up to:\n\n- \u00a3128.78 a week for 1 child\n\n- \u00a3191.45 a week for 2 or more children\n\nApply for Childcare Allowance via the form on the NHS Student Bursaries website.\n\n## Parent Learning Allowance\n\nYou must apply for Dependants\u2019 Allowance first. If this includes a dependent child, you\u2019re automatically assessed for Parent Learning Allowance.\n\nYou can claim up to \u00a31,204 per academic year.\n\nHow much you get depends on your household income.\n\n## Disabled Students\u2019 Allowances\n\nYou can get this if you have to pay extra costs because of a:\n\n- physical disability\n\n- long-term health condition\n\n- mental-health difficulty\n\n- specific learning difficulty like dyslexia\n\nYou need to give up-to-date medical evidence of the nature and severity of your disability from a qualified professional.\n\nYou can get up to:\n\n- \u00a320,725 for a helper\n\n- \u00a35,214 for specialist equipment for the whole course\n\n- \u00a31,741 for other costs\n\nApply for Disabled Students Allowance through your BOSS account.\n\n## Practice placement expenses\n\nIf you do a practice placement you may be able to claim travel costs if:\n\n- your practice placement is in a hospital or community health centre and not at your university\n\n- it costs you more to travel to your placement than it costs to travel to university\n\nClaim practice placement expenses via the form on the NHS Student Bursaries website.\n\n## Extra Weeks Allowance\n\nIf your course runs for more than 30 weeks and 3 days in the 2016 to 2017 academic year you may be entitled to Extra Weeks Allowance:\n\n| Where you study and live | Allowance |\n\n| In London | \u00a3108 per week |\n\n| Outside London | \u00a384 per additional week |\n\n| With your parents | \u00a356 per additional week |\n\nYour Extra Weeks Allowance is calculated automatically during the application process.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/nhs-bursaries", + "answerable": true, + "scenario": "I am a first-year undergraduate study for a degree in medicine, on a course funded by the NHS. I have been resident in the UK for the whole of my 18 years.", + "original_question": "Is my household income independent to determining how large an NHS Bursary I can get?" + }, + { + "id": "train-788", + "question": "Scenario: I am a lifelong UK resident and have applied for a place on a NHS-funded degree course which will ultimately lead to my qualification as a dentist. I am strongly considering applying for an NHS Bursary.\n\nQuestion: Should I wait for my place to be confirmed before making my NHS bursary application?\n\nDocument - NHS bursaries:\n## Overview\n\nWhat you can apply for depends on when your course starts and what you\u2019re studying. You do not have to pay your NHS bursary back.\n\nIf you\u2019re not eligible for a bursary you may still be eligible for student finance.\n\n## If your course starts on or after 1 August 2018\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor or dentist.\n\nIf you\u2019re studying a pre-registration postgraduate healthcare course, you may still be eligible for student finance.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying to be a doctor, dentist, dental hygienist or dental therapist.\n\n## If your course started before 1 August 2017\n\nYou can get an annual payment from the NHS to help with your study and living costs (known as a \u2018bursary\u2019) if you\u2019re studying a dental, medical or healthcare course in England.\n\n## What you'll get\n\nIf you\u2019re an eligible full-time NHS student starting a course on or after 1 September 2012, you can apply for:\n\n- a bursary from the NHS\n\n- a \u00a31,000 grant from the NHS\n\n- a reduced Maintenance Loan from Student Finance England\n\nIf you\u2019re an eligible part-time student starting a course on or after 1 September 2012, you can apply for:\n\n- a reduced bursary from the NHS\n\n- a reduced grant from the NHS\n\nThe amount you get depends on the length of your course.\n\n## Tuition fees\n\nIf you\u2019re eligible for an NHS bursary, the NHS pays your standard tuition fees. Your course tuition fees are paid directly to your university.\n\nIf you\u2019re studying a graduate-entry accelerated medical or dental programme, you can get some of your tuition costs paid with an NHS bursary in years 2 to 4 of your programme.\n\n- \u00a33,715 if you\u2019re starting in the 2019 to 2020 academic year\n\n- \u00a33,715 if you\u2019re starting in the 2018 to 2019 academic year\n\n## Bursary\n\nYour bursary amount depends on your household income. This can be your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\nIf you started a Diploma of Higher Education (DipHE) Nursing or Operating Department Practitioner course before 1 September 2012, you\u2019ll receive a basic bursary which does not depend on your household income.\n\nIf you\u2019re studying to become a doctor or dentist, you can apply for an NHS bursary from your second year for graduate entry programmes or from your fifth year for undergraduate programmes.\n\n## Grant\n\nYou\u2019ll get a fixed amount of \u00a31,000 if you\u2019re an eligible full-time NHS student starting your course on or after 1 September 2012. You\u2019ll get a reduced amount if you\u2019re a part-time student.\n\nYou must apply for an NHS bursary to get the grant.\n\n## Maintenance Loan\n\nYou\u2019ll get a reduced Maintenance Loan. The amount you get depends on:\n\n- where you live and study\n\n- whether you\u2019re in the final year of your course (when you get less)\n\nCurrent rates for the 2018 to 2019 academic year are:\n\n- \u00a33,263 for students studying in London and living away from home\n\n- \u00a32,324 for students studying outside London and away from home\n\n- \u00a31,744 for students living at home\n\nCurrent rates for the 2019 to 2020 academic year are:\n\n- \u00a33,354 for students studying in London and living away from home\n\n- \u00a32,389 for students studying outside London and away from home\n\n- \u00a31,793 for students living at home\n\n## How it\u2019s paid\n\nThe NHS bursary is paid into your bank account in 12 equal monthly instalments.\n\nThe Maintenance Loan is usually paid into your bank account at the beginning of each term.\n\n## If you\u2019re disabled or have children\n\nYou may get extra help if you:\n\n- have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- have dependants\n\nFind out what extra help you could get.\n\n## Eligibility\n\nWhether you can get an NHS bursary depends on:\n\n- where you live\n\n- your course\n\n- your household income\n\n- whether you\u2019ve already had funding\n\n## Where you live\n\nTo be eligible to apply for an NHS bursary you must have been living in the UK, the Channel Islands or the Isle of Man for 3 years up to the start of the academic year.\n\nYou may still be eligible if you do not meet the residency requirements - find out more from the NHS Business Services Authority.\n\n## Your course\n\nWhether you\u2019re eligible depends on when your course starts.\n\nYou will not get an NHS bursary if you\u2019re a first level nurse or midwife and you\u2019re registering for a second field in nursing or midwifery.\n\n## If your course starts on or after 1 August 2018\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a doctor or dentist.\n\nYou can apply for an NHS bursary from your 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course.\n\n## If your course started in the 2017 to 2018 academic year\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- dental hygienist or dental therapist\n\n## If your course started before 1 August 2017\n\nYou must be accepted for a place on a full or part-time NHS-funded course which will lead to you registering as a:\n\n- doctor or dentist (you can apply for an NHS bursary from the 5th year on the 5 or 6 year undergraduate course or from your 2nd year on the 4 year accelerated graduate course)\n\n- chiropodist (including podiatrist), dietician, occupational therapist, orthoptist, physiotherapist, prosthetist, orthotist, radiographer, radiotherapist, audiologist or a speech and language therapist\n\n- dental hygienist or dental therapist\n\n- nurse, midwife or operating department practitioner (degree or diploma course)\n\n## Household income\n\nYour total bursary amount depends on your household income. This can be either your own income, your parents\u2019 income, or that of your partner, spouse or civil partner.\n\n## If you\u2019ve already had funding\n\nYou may be eligible for an NHS bursary even if you\u2019ve already had public funding for higher education.\n\nIf you\u2019ve had an NHS bursary and want to change professions, you may also be eligible.\n\nFind out more from the NHS Business Services Authority.\n\n## How to apply\n\nYou need to create a Bursary Online Support System (BOSS) account on the NHS Student Bursaries website to apply for an NHS bursary.\n\nYou must reapply for your bursary every academic year.\n\nThere are different ways to apply if you\u2019re from Scotland, Wales or Northern Ireland.\n\n## New students\n\nIf you\u2019re entering the first year of your NHS-funded course or, for medical and dental students, your first year of NHS bursary funding, read the guidance for new students.\n\n## When to apply\n\nYou should wait until you have an offer of a course place from your university or college before you apply for an NHS bursary.\n\nThe date you can apply from usually depends on when your course starts. Check the NHS Student Bursaries website for the latest application dates.\n\n## Documents\n\nIf you\u2019re applying for an NHS bursary for the first time you must provide 2 documents to confirm your identity, one of which must include a photograph of yourself, for example a birth certificate and a valid passport.\n\nYou must send original documents (not photocopies), which NHS Student Bursaries will return to you.\n\n## Continuing students\n\nIf you\u2019ve already had an NHS student bursary for your current course and you\u2019re reapplying for another year, read the guidance for continuing students.\n\n## When to apply\n\nNHS Student Bursaries will send you an email invitation when you can reapply for your bursary. The date your invitation is sent depends on when your next academic year begins. Check the NHS Student Busaries website for the latest invitation dates.\n\nYou must send your application within 6 months of the first day of your academic year.\n\n## What happens next\n\nIf your application is approved, NHS Student Bursaries will send you an email when your bursary is available for you to view in your BOSS account.\n\nIf you get an NHS bursary you can apply separately for a reduced rate loan from Student Finance England.\n\n## Contact NHS Student Bursaries\n\nContact NHS Student Bursaries if you need help with your application.\n\n## Extra financial help\n\nIn addition to the NHS bursary you may also be able to apply for extra help if:\n\n- you have children\n\n- you have adult dependants\n\n- you have a disability, long-term health condition, mental health condition or specific learning difficulty\n\n- you do a practice placement\n\n- your course runs for more than 30 weeks and 3 days in the academic year\n\nFind out more about extra help on the NHS Student Bursaries website.\n\n## Dependants\u2019 Allowance\n\nYou may get this if you have adults or children who are financially dependent on you when you\u2019re training.\n\nHow much you get depends on your household income.\n\nApply for Dependants\u2019 Allowance through your BOSS account.\n\n## Childcare Allowance\n\nYou must apply for Dependants\u2019 Allowance before you can apply for Childcare Allowance.\n\nYou may be able to get the NHS Bursary Childcare Allowance if you have dependent children.\n\nHow much you get depends on your circumstances and your household income.\n\nYou cannot get this if you\u2019re not entitled to the NHS bursary (known as a \u2018Fees Only award\u2019).\n\nTo qualify:\n\n- you must use a registered childcare provider\n\n- your children must be under 15 on the first day of the academic year (or under 17 if they have special educational needs)\n\nThe allowance pays 85% of the gross actual cost up to:\n\n- \u00a3128.78 a week for 1 child\n\n- \u00a3191.45 a week for 2 or more children\n\nApply for Childcare Allowance via the form on the NHS Student Bursaries website.\n\n## Parent Learning Allowance\n\nYou must apply for Dependants\u2019 Allowance first. If this includes a dependent child, you\u2019re automatically assessed for Parent Learning Allowance.\n\nYou can claim up to \u00a31,204 per academic year.\n\nHow much you get depends on your household income.\n\n## Disabled Students\u2019 Allowances\n\nYou can get this if you have to pay extra costs because of a:\n\n- physical disability\n\n- long-term health condition\n\n- mental-health difficulty\n\n- specific learning difficulty like dyslexia\n\nYou need to give up-to-date medical evidence of the nature and severity of your disability from a qualified professional.\n\nYou can get up to:\n\n- \u00a320,725 for a helper\n\n- \u00a35,214 for specialist equipment for the whole course\n\n- \u00a31,741 for other costs\n\nApply for Disabled Students Allowance through your BOSS account.\n\n## Practice placement expenses\n\nIf you do a practice placement you may be able to claim travel costs if:\n\n- your practice placement is in a hospital or community health centre and not at your university\n\n- it costs you more to travel to your placement than it costs to travel to university\n\nClaim practice placement expenses via the form on the NHS Student Bursaries website.\n\n## Extra Weeks Allowance\n\nIf your course runs for more than 30 weeks and 3 days in the 2016 to 2017 academic year you may be entitled to Extra Weeks Allowance:\n\n| Where you study and live | Allowance |\n\n| In London | \u00a3108 per week |\n\n| Outside London | \u00a384 per additional week |\n\n| With your parents | \u00a356 per additional week |\n\nYour Extra Weeks Allowance is calculated automatically during the application process.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/nhs-bursaries", + "answerable": true, + "scenario": "I am a lifelong UK resident and have applied for a place on a NHS-funded degree course which will ultimately lead to my qualification as a dentist. I am strongly considering applying for an NHS Bursary.", + "original_question": "Should I wait for my place to be confirmed before making my NHS bursary application?" + }, + { + "id": "train-790", + "question": "Scenario: I am the managing director of a financial services firm based in the City of London. Recently one of our senior staff members handed in his resignation, and is now commencing the six weeks notice period stipulated in his contract. He also has 24 days of leave entitlement accrued, which we would prefer that he didn't take during his notice period.\n\nQuestion: Is it possible to \"buy back\" his leave entitlement during this notice period?\n\nDocument - Holiday entitlement:\n## Entitlement\n\nAlmost all workers are legally entitled to 5.6 weeks\u2019 paid holiday a year (known as statutory leave entitlement or annual leave).\n\nThis includes:\n\n- agency workers\n\n- workers with irregular hours\n\n- workers on zero-hours contracts\n\nAn employer can include bank holidays as part of statutory annual leave.\n\nCoronavirus (COVID-19) does not affect workers\u2019 entitlement to holiday pay and leave, except for carrying over leave.\n\n## Statutory annual leave entitlement\n\nMost workers who work a 5-day week must receive at least 28 days\u2019 paid annual leave a year. This is the equivalent of 5.6 weeks of holiday.\n\n## Working part-time\n\nPart-time workers are entitled to at least 5.6 weeks\u2019 paid holiday, but this will amount to fewer than 28 days.\n\nFor example, if they work 3 days a week, they must get at least 16.8 days\u2019 leave a year (3 \u00d7 5.6).\n\nUse the holiday entitlement calculator to work out a part-time worker\u2019s leave.\n\n## Irregular hours\n\nPeople working irregular hours (like shift workers or term-time workers) are entitled to paid time off for every hour they work.\n\nThey might find it helpful to get an estimate of holiday entitlement by calculating leave based on days or hours worked in an average week.\n\n## Limits on statutory leave\n\nStatutory paid holiday entitlement is limited to 28 days. For example, staff working 6 days a week are only entitled to 28 days\u2019 paid holiday.\n\n## Bank holidays\n\nBank or public holidays do not have to be given as paid leave.\n\nAn employer can choose to include bank holidays as part of a worker\u2019s statutory annual leave.\n\n## Extra leave\n\nAn employer can choose to offer more leave than the legal minimum. They do not have to apply all the rules that apply to statutory leave to the extra leave. For example, a worker might need to be employed for a certain amount of time before they become entitled to it.\n\n## Other aspects of holiday entitlement\n\nWorkers have the right to:\n\n- get paid for leave\n\n- build up (\u2018accrue\u2019) holiday entitlement during maternity, paternity and adoption leave\n\n- build up holiday entitlement while off work sick\n\n- request holiday at the same time as sick leave\n\n## Disputes\n\nPaid annual leave is a legal right that an employer must provide. If a worker thinks their right to leave and pay are not being met there are a number of ways to resolve the dispute.\n\n## Calculate leave entitlement\n\nAnnual leave begins to build up (\u2018accrue\u2019) as soon as a worker starts their job.\n\nAn employer can use a \u2018leave year\u2019 or an \u2018accrual\u2019 system to work out how much leave their staff should get.\n\nUse the holiday entitlement calculator to work out how much leave someone should get.\n\n## Leave year\n\nAn employer should tell their staff the dates of their statutory leave year as soon as they start working, for example, it might run from 1 January to 31 December.\n\nWorkers must take their statutory leave during this time. If a leave year is not set out in a contract then it will start:\n\n- on the first day of a new job (if started after 1 October 1998)\n\n- on 1 October (if started on or before 1 October 1998)\n\nThe leave year and holiday entitlement is not affected by maternity, paternity or adoption leave. The employee still builds up (\u2018accrues\u2019) holiday over these periods.\n\n## Leave entitlement when starting a new job\n\nIf a worker starts their job part-way through a leave year, they\u2019re only entitled to part of their total annual leave for the current leave year. What they get depends on how much of the year is left.\n\nUse the holiday entitlement calculator to work out how much leave someone has left.\n\n## Accrual system\n\nAn employer can use an accrual system to work out a worker\u2019s leave during the first year of the job. Under this system, a worker gets one-twelfth of their leave in each month.\n\n## Carrying over leave\n\nThe worker\u2019s contract says how many days\u2019 leave they can carry over into the next year.\n\nIf a worker gets 28 days\u2019 leave, they can carry over a maximum of 8 days.\n\nIf a worker gets more than 28 days\u2019 leave, their employer may allow them to carry over any additional untaken leave. Check the employment contract, company handbook or intranet to see what the rules say.\n\n## Leave affected by coronavirus (COVID-19)\n\nWorkers may be able to carry over untaken leave into the next 2 years if they cannot take it because their work is affected by coronavirus.\n\nThey could do this if, for example:\n\n- they need to provide cover for their co-workers and have no other opportunity to take holiday in their leave year\n\n- there will be staff shortages if too many workers take their leave before the end of the leave year\n\n- they\u2019re classed as critical workers, such as healthcare or supermarket workers\n\nIf a worker is able to take leave, the standard rules for carrying over leave still apply.\n\n## Workers on parental or sick leave\n\nIf a worker cannot take all of their leave entitlement because they\u2019re already on a different type of leave (for example sick, maternity or parental leave), they can carry over some or all of the untaken leave into the next leave year.\n\nAn employer must allow a worker to carry over a maximum of 20 of their 28 days\u2019 leave entitlement if the worker could not take annual leave because they were off sick.\n\n## Holiday pay\n\nWorkers are entitled to a week\u2019s pay for each week of statutory leave that they take.\n\nMost workers are entitled to 5.6 weeks\u2019 paid holiday a year. You can use the holiday calculator to work out how much leave someone should get.\n\nA week\u2019s pay is worked out according to the kind of hours someone works and how they\u2019re paid for the hours. This includes full-time, part-time, term-time and casual workers.\n\n| Working pattern | How a week\u2019s pay is calculated |\n\n| Fixed hours and fixed pay (full- or part-time) | A worker\u2019s pay for a week |\n\n| Shift work with fixed hours (full- or part-time) | The average number of weekly fixed hours a worker has worked in the previous 52 weeks, at their average hourly rate |\n\n| No fixed hours (casual work, including zero-hours contracts) | A worker\u2019s average pay from the previous 52 weeks (only counting weeks in which they were paid) |\n\n## Calculating average hourly or weekly rate\n\nTo calculate average hourly rate, only the hours worked and how much was paid for them should be counted. Take the average rate over the last 52 weeks.\n\nA \u2018week\u2019 usually runs from Sunday to Saturday. Only use another 7-day period (like Thursday to Wednesday) if that\u2019s how a worker\u2019s pay is calculated.\n\nIf no pay was paid in any week, count back another week so the rate is based on 52 weeks in which pay was paid. You can count back a maximum of 104 weeks to find these.\n\nIf a worker has less than 52 weeks of pay, use the average pay rate for the full weeks they have worked.\n\n## Workers who are paid monthly\n\nTo work out a week\u2019s pay for someone who\u2019s paid monthly:\n\n- Calculate the worker\u2019s average hourly pay for the last month. Do this by dividing the month\u2019s pay by the number of hours worked in the month.\n\n- Calculate the weekly pay. Do this by multiplying the average hourly pay by the number of hours worked in a week.\n\nUse the weekly pay calculation for each of the last 52 weeks to work out an average week\u2019s pay.\n\n## Rolled-up holiday pay\n\nHoliday pay should be paid for the time when annual leave is taken. An employer cannot include an amount for holiday pay in the hourly rate (known as \u2018rolled-up holiday pay\u2019).\n\nIf a current contract still includes rolled-up pay, it needs to be re-negotiated.\n\n## More information\n\nThere\u2019s guidance for calculating holiday pay for workers without fixed hours or pay, which includes several examples.\n\nYou can also contact the Advisory, Conciliation and Arbitration Service (Acas) with questions about general holiday pay issues.\n\n## Booking time off\n\nThe general notice period for taking leave is at least twice as long as the amount of leave a worker wants to take, plus 1 day. For example, a worker would give 3 days\u2019 notice for 1 day\u2019s leave.\n\nAn employer can refuse a leave request or cancel leave but they must give as much notice as the amount of leave requested, plus 1 day. For example, an employer would give 11 days\u2019 notice if the worker asked for 10 days\u2019 leave.\n\nIf the contract says something different about the notice a worker or employer should give, what\u2019s in the contract will apply.\n\nAlthough employers can refuse to give leave at a certain time, they cannot refuse to let workers take the leave at all.\n\n## Part leave days\n\nSome workers may be entitled to a part leave day - for example if they\u2019re part-time or have a half day\u2019s leave to take. How a part day should be taken is up to the employer.\n\n## When leave can and cannot be taken\n\nEmployers can:\n\n- tell their staff to take leave, for example bank holidays or Christmas\n\n- restrict when leave can be taken, for example at certain busy periods\n\nThere may be rules about this in the employment contract or it may be what normally happens in the workplace.\n\nThe notice period for this is at least twice as long as the leave they want their staff to take. The employer must tell the worker before the notice period begins.\n\nIf an employer wants a worker to take leave, they need to make sure that the worker can relax, rest and enjoy leisure during their holiday. For example, an employer cannot force a sick worker to take leave.\n\n## Taking holiday before leaving a job\n\nDuring their notice period the worker may be able to take whatever is left of their statutory annual leave.\n\nUse the holiday entitlement calculator to work this out. How much they get depends on how much of the holiday year has passed.\n\n## Taking more leave than the entitlement\n\nIf a worker has taken more leave than they\u2019re entitled to, their employer must not take money from their final pay unless it\u2019s been agreed beforehand in writing. The rules in this situation should be outlined in the employment contract, company handbook or intranet.\n\n## Getting paid instead of taking holidays\n\nThe only time someone can get paid in place of taking statutory leave (known as \u2018payment in lieu\u2019) is when they leave their job. Employers must pay for untaken statutory leave, even if the worker is dismissed for gross misconduct.\n\nIf an employer offers more than 5.6 weeks\u2019 annual leave, they can agree separate arrangements for the extra leave.\n\n## Zero-hours contracts\n\nWhen a worker on a zero-hours contract has not worked for 4 weeks, this may be treated as the end of the employment. The employer will usually pay the worker for untaken leave, even if they\u2019re going to offer them more work later.\n\n## Workers on furlough because of coronavirus (COVID-19)\n\nWorkers have the right to build up (\u2018accrue\u2019) holiday entitlement while they\u2019re on temporary leave (\u2018furloughed\u2019) because of coronavirus (COVID-19). They can also take leave while on furlough.\n\n## Bank holidays\n\nIf a furloughed worker is not working on a bank holiday they usually take as paid leave, they can agree with their employer to either:\n\n- take it as normal\n\n- take it at a later date\n\nAn employer must give a worker at least 2 days\u2019 notice if they want them to take a bank holiday as paid leave, unless the worker\u2019s employment contract says something different.\n\nThe employer must tell the worker at least one day in advance of giving 2 days\u2019 notice.\n\n## Holiday pay\n\nAn employer can continue to claim for a furloughed worker\u2019s wages when the worker takes annual leave.\n\nCalculate holiday pay as normal for any time the worker was furloughed. If the holiday pay turns out to be more than the worker was paid during this time, their employer must pay the difference.\n\n## Agency workers\n\nAgency workers with \u2018worker status\u2019, including those who use an umbrella company, have their usual holiday entitlement when on furlough.\n\nTheir employer can claim a grant to help cover the cost of their wages.\n\nHoliday entitlement for those without worker status remains the same and depends on their contract.\n\nAgency workers may also be able to carry holiday into future leave years.\n\n## More information\n\nThere\u2019s more guidance on holiday entitlement and pay during coronavirus.\nYou can also find out more about holiday entitlement during coronavirus on the Acas website.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/holiday-entitlement-rights", + "answerable": true, + "scenario": "I am the managing director of a financial services firm based in the City of London. Recently one of our senior staff members handed in his resignation, and is now commencing the six weeks notice period stipulated in his contract. He also has 24 days of leave entitlement accrued, which we would prefer that he didn't take during his notice period.", + "original_question": "Is it possible to \"buy back\" his leave entitlement during this notice period?" + }, + { + "id": "train-791", + "question": "Scenario: I am 22, and work part-time at a local health food co-operative. I have no formal contract of employment, which I understand classifies me as a worker rather than an employee.\n\nQuestion: Am I still entitled to be paid the National Minimum Wage?\n\nDocument - The National Minimum Wage and Living Wage:\n## Overview\n\nThe minimum wage a worker should get depends on their age and if they\u2019re an apprentice.\n\nThe National Minimum Wage is the minimum pay per hour almost all workers are entitled to. The National Living Wage is higher than the National Minimum Wage - workers get it if they\u2019re over 23.\n\nIt does not matter how small an employer is, they still have to pay the correct minimum wage.\n\n## Calculate the minimum wage\n\nUse the minimum wage calculators to check if the correct minimum wage has been paid.\n\nThere are separate calculators for workers and employers.\n\nUse the calculator for workers to check if you\u2019re getting the correct minimum wage or if an employer owes you payment from the previous year.\n\nUse the calculator for employers to check if you\u2019re paying the correct minimum wage or if you owe a payment from the previous year.\n\nThere is also guidance on working out the minimum wage for different types of work.\n\nCall the Acas helpline or visit the Acas Helpline Online for advice about the National Minimum Wage or National Living Wage.\n\n## Who gets the minimum wage\n\nPeople classed as \u2018workers\u2019 must be at least school leaving age to get the National Minimum Wage. They must be 23 or over to get the National Living Wage.\n\nContracts for payments below the minimum wage are not legally binding. The worker is still entitled to the National Minimum Wage or National Living Wage.\n\nWorkers are also entitled to the correct minimum wage if they\u2019re:\n\n- part-time\n\n- casual labourers, for example someone hired for one day\n\n- agency workers\n\n- workers and homeworkers paid by the number of items they make\n\n- apprentices\n\n- trainees, workers on probation\n\n- disabled workers\n\n- agricultural workers\n\n- foreign workers\n\n- seafarers\n\n- offshore workers\n\n## Apprentices\n\nApprentices are entitled to the apprentice rate if they\u2019re either:\n\n- under 19\n\n- 19 or over and in the first year of their apprenticeship\n\nApprentices over 19 who have completed the first year of their apprenticeship are entitled to the correct minimum wage for their age.\n\n## Not entitled to the minimum wage\n\nThe following types of workers are not entitled to the National Minimum Wage or National Living Wage:\n\n- self-employed people running their own business\n\n- company directors\n\n- people who are volunteers or voluntary workers\n\n- workers on a government employment programme, such as the Work Programme\n\n- members of the armed forces\n\n- family members of the employer living in the employer\u2019s home\n\n- non-family members living in the employer\u2019s home who share in the work and leisure activities, are treated as one of the family and are not charged for meals or accommodation, for example au pairs\n\n- workers younger than school leaving age (usually 16)\n\n- higher and further education students on work experience or a work placement up to one year\n\n- people shadowing others at work\n\n- workers on government pre-apprenticeships schemes\n\n- people on the following European Union (EU) programmes: Leonardo da Vinci, Erasmus+, Comenius\n\n- people working on a Jobcentre Plus Work trial for up to 6 weeks\n\n- share fishermen\n\n- prisoners\n\n- people living and working in a religious community\n\nEmployers who offer internships (sometimes called \u2018work placements\u2019 or \u2018work experience\u2019) should check if the person is entitled to the minimum wage.\n\n## Voluntary work\n\nYou\u2019re classed as doing voluntary work if you can only get certain limited benefits (for example reasonable travel or lunch expenses) and you\u2019re working for a:\n\n- charity\n\n- voluntary organisation or associated fundraising body\n\n- statutory body\n\nContact the Acas helpline to find out if you should be getting the minimum wage.\n\n## Employers and the minimum wage\n\nEmployers must pay workers the correct minimum wage.\n\nYou can read guidance on the minimum wage rates and who they apply to.\n\n## What\u2019s not included in minimum wage calculations\n\nSome payments must not be included when the minimum wage is calculated.\n\nThese are:\n\n- payments that should not be included for the employer\u2019s own use or benefit, for example if the employer has paid for travel to work\n\n- things the worker bought for the job and is not refunded for, such as tools, uniform, safety equipment\n\n- tips, service charges and cover charges\n\n- extra pay for working unsocial hours on a shift\n\nFind out what counts as working time.\n\n## What\u2019s included in minimum wage calculations\n\nSome payments must be included when the minimum wage is calculated.\n\nThese are:\n\n- Income Tax and National Insurance contributions\n\n- wage advances or loans\n\n- repayment of wage advances or loans\n\n- repayment of overpaid wages\n\n- things the worker paid for that are not needed for the job or paid for voluntarily, such as meals\n\n- accommodation provided by an employer above the offset rate (\u00a38.36 a day or \u00a358.52 a week)\n\n- penalty charges for a worker\u2019s misconduct\n\nRead the detailed guidance on calculating the minimum wage for more on what counts and does not count towards the minimum wage, eligibility, how to calculate the minimum wage and how it is enforced.\n\n## Employer checks\n\nIt\u2019s a criminal offence for employers to not pay someone the National Minimum Wage or National Living Wage, or to fake payment records.\n\nEmployers who discover they\u2019ve paid a worker below the correct minimum wage must pay any arrears immediately. Use the National Minimum Wage and National Living Wage calculator to check a worker has been paid correctly.\n\nHM Revenue and Customs (HMRC) officers have the right to carry out checks at any time and ask to see payment records. They can also investigate employers if a worker complains to them.\n\nIf HMRC finds that an employer has not been paying the correct rates, any arrears have to be paid back immediately. There will also be a fine and offenders might be named by the government.\n\n## Keeping records\n\nIt\u2019s the employer\u2019s responsibility to keep records proving that they are paying the minimum wage. These records must be kept for at least 6 years if they:\n\n- were created on or after 1 April 2021\n\n- still had to be kept on 31 March 2021 under the previous rule that records must be kept for 3 years\n\nThe period records must be kept for starts from the last day of the pay reference period after the one they cover.\n\nThey do not have to be kept in any particular form, for example they can be paper or computer records. But employers must be able to produce records for an individual pay reference period in a single document.\n\nMost employers use their payroll records as proof of:\n\n- total pay - including pay deductions, allowances and tips\n\n- total hours worked - including absences and overtime\n\nEmployers may also need to keep records such as:\n\n- agreements about working hours, pay and conditions, such as contracts\n\n- documents that show why a worker is not entitled to the minimum wage\n\n## Pay reference periods\n\nPay reference periods are usually set by how often someone is paid, for example one week, one month or 10 days. A pay reference period cannot be longer than 31 days.\n\nA worker must be paid the minimum wage, on average, for the time worked in the pay reference period.\n\n## Worker disputes over minimum wage\n\nWorkers who think their pay is below the correct minimum wage rate should talk to their employer first.\n\nIf this does not solve the problem, they can ask the employer in writing to see their payment records. The worker can take someone with them and make copies of the records.\n\nIf an employer owes the worker any arrears they have to pay these back.\n\nWorkers can call the confidential Acas helpline or look at the Acas Helpline Online to help them solve a payment dispute.\n\nWorkers can also make a complaint to HM Revenue and Customs (HMRC) about their employer or employment agency or complain on behalf of someone else.\n\n## If the employer refuses payment\n\nIf HMRC find that the employer has not paid they will send them a notice for the arrears plus a fine for not paying the minimum wage.\n\nHMRC can take them to court on behalf of the worker if the employer still refuses to pay.\n\n## Employment tribunal\n\nWorkers can also go directly to the employment tribunal themselves.\n\nWorkers who have been dismissed because of a minimum wage dispute can also complain to the employment tribunal for unfair dismissal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-minimum-wage", + "answerable": true, + "scenario": "I am 22, and work part-time at a local health food co-operative. I have no formal contract of employment, which I understand classifies me as a worker rather than an employee.", + "original_question": "Am I still entitled to be paid the National Minimum Wage?" + }, + { + "id": "train-794", + "question": "Scenario: I own and manage a football club in Cardiff, Wales. We have around 100 employees, including players whom we compensate via the PAYE system along with our other staff. One of our players is approaching his 10th anniversary with the club, and we are organising a sporting testimonial for him.\n\nQuestion: Are we required to pay Class 1A contributions on income from our players testimonial events?\n\nDocument - Pay employers' Class 1A National Insurance:\n## Overview\n\nYou must pay Class 1A National Insurance contributions on work benefits you give to your employees, such as a company mobile phone.\n\nYou must also pay them on payments of more than \u00a330,000 that you make to employees when their employment ends, such as a redundancy payment (\u2018termination awards\u2019).\n\nYou only have to pay Class 1A National Insurance contributions on termination awards if you have not already paid Class 1 National Insurance contributions on them.\n\nThere\u2019s different guidance on payment of Class 1A National Insurance on sporting testimonials.\n\n## When to pay\n\nWhen you pay Class 1A National Insurance contributions depends on whether they are work benefits or termination awards.\n\n## Work benefits\n\nYou need to pay contributions on work benefits by 22 July each year for the previous tax year. You\u2019ll need to pay by 19 July if paying by post.\n\n## Termination awards\n\nYou pay contributions on termination awards through PAYE.\n\n## Pay contributions on work benefits online\n\nYou can pay online using direct debit (one-off payment), bank transfer, credit card or corporate debit card.\n\nPay now\n\n## Other ways to pay contributions on work benefits\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline. You may have to pay interest and penalties if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\n## Up to 2 days\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n## 3 working days\n\n- online by debit or corporate credit card\n\n- Bacs\n\n- at your bank or building society\n\n- Direct Debit (if you\u2019ve set one up with HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set one up with HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, your payment must arrive in HMRC\u2019s bank account on the last working day of the week (unless you\u2019re using Faster Payments).\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay by Faster Payments, CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n## Reference number\n\nYou\u2019ll need to give a 17-character number as the payment reference. This starts with your 13-character Accounts Office reference number. Then add the tax year you want to pay for and the digits \u201813\u2019 to make sure your payment is assigned correctly.\n\n| Tax year | Add these digits to your reference number |\n\n| 2013 to 2014 | 1413 |\n\n| 2014 to 2015 | 1513 |\n\n| 2015 to 2016 | 1613 |\n\nYou can find your Accounts Office reference number on:\n\n- the letter HMRC sent you when you first registered as an employer\n\n- the front of your payment booklet or the letter from HMRC that replaced it\n\nYou must make a separate payment for Class 1A payments. You cannot add them to a standard PAYE payment.\n\n## How long it takes\n\nPayments by Faster Payments (online or telephone banking) usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account:\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB62BARC20114770297690 | BARCGB22 | HMRC Cumbernauld |\n\nHMRC\u2019s banking address is:\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nMake your payment to \u2018HMRC Cumbernauld\u2019 office. You\u2019ll need to give a 17-character payment reference. This starts with your 13-character Accounts Office reference number. You can find this on:\n\n- the letter HM Revenue and Customs (HMRC) sent you when you first registered as an employer\n\n- the front of your payment booklet or the letter from HMRC that replaced it\n\nAdd the tax year you want to pay for and the digits \u201813\u2019. If you do not do this, your payment will be allocated to the current tax year instead.\n\nIf you\u2019re unable to pay your Class 1A National Insurance bill in full by card, you should use another payment method like a bank transfer.\n\n## How long it takes\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## At your bank or building society\n\nYou can pay at a branch by cash or cheque.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 1A payslip reference number on the back of your cheque. You\u2019ll find the reference number on the payslip provided by HMRC.\n\nYou must use your Class 1A payslip when paying in. Do not use a standard PAYE payslip from your booklet or your payment will be delayed.\n\n## How long it takes\n\nAllow 3 working days for your payment to reach HMRC\u2019s bank account.\n\n## Direct Debit\n\nSet up a new Direct Debit through your business\u2019s HM Revenue and Customs (HMRC) online account to make a single payment for Class 1A contributions.\n\nYou cannot use an existing Direct Debit for standard PAYE payments.\n\nYou\u2019ll need to set up a payment each time you pay HMRC through Direct Debit.\n\n## Making the payment\n\nYou\u2019ll need to give a 17-character payment reference. This starts with your 13-character Accounts Office reference number. You can find this on:\n\n- the letter HMRC sent you when you first registered as an employer\n\n- the front of your payment booklet or the letter from HMRC that replaced it\n\nAdd the tax year you want to pay for and the digits \u201813\u2019. If you do not do this, your payment will be allocated to the current tax year instead.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 1A reference number on the back of the cheque. You\u2019ll find this on your payslip.\n\nInclude the payslip HMRC sent you. You cannot use a standard PAYE payslip from your booklet. Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque properly.\n\nIf you want a receipt, include a note asking for one.\n\n## If you do not have a payslip\n\nYou can print a payslip to use to pay by post. You cannot use this at a bank.\n\n## Check your payment has been received\n\nCheck your HM Revenue and Customs (HMRC) online account - it should update within 6 working days.\n\nIf you\u2019re paying by cheque through the post, you can include a letter with your payment to request a receipt from HMRC.\n\n## Class 1A contributions on sporting testimonials\n\nA sporting testimonial is an event or series of events to honour a player for their service, such as when the player retires.\n\nThe testimonial committee must pay Class 1A National Insurance if the payment to a player is:\n\n- more than \u00a3100,000\n\n- not in the player\u2019s contract\n\nThe payment is usually the profit from the event.\n\nThe committee must pay the contributions on the payment through PAYE.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-class-1a-national-insurance", + "answerable": true, + "scenario": "I own and manage a football club in Cardiff, Wales. We have around 100 employees, including players whom we compensate via the PAYE system along with our other staff. One of our players is approaching his 10th anniversary with the club, and we are organising a sporting testimonial for him.", + "original_question": "Are we required to pay Class 1A contributions on income from our players testimonial events?" + }, + { + "id": "train-795", + "question": "Scenario: I own and run a SME employing just over 50 people. One of my long-term employees has given notice that she intends to claim both statutory maternity leave and statutory maternity pay, but so far has not provided proof of pregnancy.\n\nQuestion: Do I have to grant her SMP and SML requests if she doesn't provide this evidence by her SML start date?\n\nDocument - Statutory Maternity Pay and Leave: employer guide:\n## Entitlement\n\n## Statutory Maternity Leave\n\nEligible employees can take up to 52 weeks\u2019 maternity leave. The first 26 weeks is known as \u2018Ordinary Maternity Leave\u2019, the last 26 weeks as \u2018Additional Maternity Leave\u2019.\n\nThe earliest that leave can be taken is 11 weeks before the expected week of childbirth, unless the baby is born early.\n\nEmployees must take at least 2 weeks after the birth (or 4 weeks if they\u2019re a factory worker).\n\n## Statutory Maternity Pay (SMP)\n\nSMP for eligible employees can be paid for up to 39 weeks, usually as follows:\n\n- the first 6 weeks: 90% of their average weekly earnings (AWE) before tax\n\n- the remaining 33 weeks: \u00a3151.97 or 90% of their AWE (whichever is lower)\n\nTax and National Insurance need to be deducted.\n\nUse the SMP calculator to work out an employee\u2019s maternity leave and pay.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement.\n\n## Extra leave or pay\n\nYou can offer more than the statutory amounts if you have a company maternity scheme. You must make sure your maternity leave and pay policies are clear and available to staff.\n\n## If the baby is born early\n\nLeave starts the day after the birth if the baby is born early.\n\nThe employee must give you the child\u2019s birth certificate or a document signed by a doctor or midwife that confirms the actual date of birth.\n\nYou must write to them confirming the new end date for their leave.\n\nFor very premature births where the child is born 15 weeks or more before the due date, you\u2019ll need to calculate SMP using your payroll software (if it has this feature) or work it out manually.\n\n## If the baby dies\n\nEmployees still qualify for leave or pay if the baby:\n\n- is stillborn after the start of the 24th week of pregnancy\n\n- dies after being born\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during maternity leave.\n\nYou still have to pay SMP even if you stop trading.\n\n## Eligibility and proof of pregnancy\n\nSome employees will not qualify for both leave and pay.\n\n## Statutory Maternity Leave\n\nEmployees must:\n\n- have an employment contract - it does not matter how long they\u2019ve worked for you\n\n- give you the correct notice\n\n## Statutory Maternity Pay (SMP)\n\nEmployees must:\n\n- be on your payroll in the \u2018qualifying week\u2019 - the 15th week before the expected week of childbirth\n\n- give you the correct notice\n\n- give you proof they\u2019re pregnant\n\n- have been continuously employed by you for at least 26 weeks up to any day in the qualifying week\n\n- earn at least \u00a3120 a week (gross) in an 8-week \u2018relevant period\u2019\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the maternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and statutory maternity pay.\n\nThere are special rules for some employee situations (for example if they leave, become sick or their baby is born before the qualifying week).\n\n## Proof of pregnancy\n\nYou must get proof of the pregnancy before you pay SMP. This is usually a doctor\u2019s letter or a maternity certificate (known as an MATB1 certificate). Midwives and doctors usually issue these 20 weeks before the due date.\n\nThe employee should give you proof within 21 days of the SMP start date. You can agree to accept it later if you want. You do not have to pay SMP if you have not received proof of the due date 13 weeks after the SMP start date.\n\nYou must keep records of the proof of pregnancy.\n\nEmployees not entitled to SMP may be able to get Maternity Allowance instead.\n\n## Notice period\n\nNotice does not have to be in writing unless you request it.\n\n## Statutory Maternity Leave\n\nAt least 15 weeks before the baby is expected, your employees must tell you the date that:\n\n- the baby is due\n\n- they want to start their maternity leave - they can change this with 28 days\u2019 notice\n\nYou must then confirm their leave start and end dates in writing within 28 days.\n\nEmployees can change their return to work date if they give 8 weeks\u2019 notice.\n\nYou cannot refuse maternity leave or change the amount of leave your employees want to take.\n\n## Statutory Maternity Pay (SMP)\n\nYour employees must give you 28 days\u2019 notice of the date they want to start their SMP. This is usually the same date they want to start their leave.\n\nYou can refuse to pay SMP if your employee does not give you this notice and they do not give you a reasonable excuse.\n\n## Refuse pay form SMP1\n\nYou can refuse Statutory Maternity Pay (SMP) if the employee does not qualify. They may be able to get Maternity Allowance instead.\n\nTo refuse it, give the employee the SMP1 form within 7 days of your decision. They must get this form within 28 days of their request for Statutory Maternity Pay or the birth (whichever is earlier).\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- proof of pregnancy - usually a doctor\u2019s note or a MATB1 certificate (a photocopy is fine)\n\n- the date SMP began\n\n- your SMP payments (including dates)\n\n- the SMP you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for 3 years from the end of the tax year they relate to, for example by using form SMP2 or keeping your own records.\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "answerable": true, + "scenario": "I own and run a SME employing just over 50 people. One of my long-term employees has given notice that she intends to claim both statutory maternity leave and statutory maternity pay, but so far has not provided proof of pregnancy.", + "original_question": "Do I have to grant her SMP and SML requests if she doesn't provide this evidence by her SML start date?" + }, + { + "id": "train-798", + "question": "Scenario: I work as a salaried (plus commissions) employee at a car dealership in Birmingham. I have unpaid debts to a finance company, who obtained a CCJ against me. The court has now sent a non-priority attachment of earnings order to both my employer and myself.\n\nQuestion: Can my employer deduct from my commissions and performance-related bonuses as well as my base salary?\n\nDocument - Make debt deductions from an employee's pay:\n## When you have to deduct from pay\n\nYou have to make deductions from your employee\u2019s wages if a court orders you to. This could be to pay off:\n\n- unpaid maintenance payments\n\n- a county court judgment\n\nThere\u2019s a different process if you have to make deductions to pay off a benefit debt or child maintenance.\n\n## How it works\n\n- You\u2019ll get a document from the court telling you to make deductions from your employee\u2019s pay.\n\n- Work out how much you have to deduct each time your employee is paid.\n\n- Start making deductions the next time you pay your employee. Pay them their reduced wages on their normal payday.\n\n- Make the payment to the court.\n\n- Stop making deductions when the debt has been paid off.\n\nYou and your employee can be fined if you do not deduct their wages, or if you deliberately give false information about their earnings.\n\n## Getting an order\n\nYou and your employee will each get an \u2018attachment of earnings order\u2019 (AEO) from the court.\n\nYou must start making deductions from your employee\u2019s pay from the next time you pay them, unless it\u2019s within the next 7 days.\n\nWrite to the court within 10 days if you get an order for someone you do not employ.\n\n## What the order tells you\n\nThe court order will tell you:\n\n- how much your employee owes\n\n- if it\u2019s a \u2018priority order\u2019 - if it does not say what it is, it\u2019s a \u2018non-priority order\u2019\n\n- how much you have to take from their wages - called the \u2018normal deduction rate\u2019 (NDR)\n\n- the minimum amount they still have to take home - called the \u2018protected earnings rate\u2019 (PER)\n\n- how often the payments have to be made (weekly or monthly)\n\nYou can be fined if you do not start making the deductions.\n\n## Change how often the deductions are made\n\nIf a county court made the order, you can ask them to change it, for example from weekly to monthly if that\u2019s how you pay your employee.\n\nIf a magistrate\u2019s court made the order, your employee has to ask the court to change it.\n\n## Deductions and minimum take-home pay\n\nYou cannot make the normal deduction if it would take the employee below the protected earnings rate.\n\n## Protected earnings rate is too high\n\nIf the protected earnings rate is so high that you\u2019ll never be able to make deductions, write to both:\n\n- the Centralised Attachment of Earning Payments (CAPS) office\n\n- the court who issued the order\n\nInclude the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n## Priority and non-priority orders\n\nThere are 2 types of orders - priority orders and non-priority orders. The way you calculate deductions for them is different.\n\n| Type of order | What it\u2019s used for | If you cannot make the full deduction |\n\n| Priority | Maintenance or fines | Carry the unpaid difference over to the next payday |\n\n| Non-priority | Civil debts | Do not carry the unpaid difference over to the next payday |\n\n## If your employee has more than one order\n\nDeduct any priority orders first, in the order the employee got them. Then deduct the non-priority orders in the order the employee got them.\n\nYou can apply to the court to combine 2 or more non-priority orders into a single order. This is called a \u2018consolidated attachment of earnings order\u2019.\n\n## Deductions for a priority order\n\nPriority orders are used for unpaid maintenance or fines.\n\n- Calculate your employee\u2019s earnings.\n\n- Take off the normal deduction rate from their earnings.\n\n- Take off an extra \u00a31 towards your administrative costs (if you want to).\n\n- Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate (this is given in the order). If you cannot deduct the full amount, carry the difference over and deduct it on the next payday.\n\n- Send the deduction to the court.\n\nYou can still deduct the \u00a31 if it takes your employee\u2019s income below their protected earnings rate - but not if it takes their income below the National Minimum Wage.\n\n## Making a full deduction\n\nDeduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.\n\n## When you cannot make a full deduction\n\nIf the full deduction would take the employee below their protected earnings rate, carry the difference over to their next payday.\n\n## When you cannot make any deduction\n\nThere\u2019s a different process if you cannot make any deduction because the employee\u2019s earnings are below their protected earnings rate.\n\nYou have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n- reason you could not make any deduction\n\n## Paying your employee for a different pay period\n\nRecalculate the protected earnings rate and normal deduction rate if you pay your employee for a different period than usual.\n\n## Holiday pay in advance\n\nUse the same process if you\u2019re paying your employee holiday pay in advance.\n\nYou\u2019ll need to work out the different rates for:\n\n- the month when you give pay in advance\n\n- the following month when you pay them less than normal\n\n## Deductions for a non-priority order\n\nNon-priority orders are used for debts from a county court judgment (CCJ).\n\n- Calculate your employee\u2019s earnings.\n\n- Take off the normal deduction rate from their earnings.\n\n- Take off an extra \u00a31 towards your administrative costs (if you want to).\n\n- Pay your employee the remainder of their earnings. You must pay them at least their protected earnings rate.\n\n- Send the deduction to the court.\n\nYou can still deduct the \u00a31 if it takes your employee\u2019s income below their protected earnings rate - but not if it takes their income below the National Minimum Wage.\n\n## Making a full deduction\n\nDeduct the full amount from your employee\u2019s earnings if it does not take them below their protected earnings rates.\n\n## When you cannot make a full deduction\n\nDo not carry any unpaid difference over to the next payday if the full deduction would take the employee below their protected earnings rate.\n\n## When you cannot make any deduction\n\nDo not carry the deduction over to the next payday if the employee\u2019s earnings are below their protected earnings rate.\n\nYou have to tell the Centralised Attachment of Earning Payments (CAPS) office you could not make a deduction. Send an email to caps@justice.gov.uk with the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n- reason you could not make any deduction\n\n## Paying your employee for a different pay period\n\nRecalculate the protected earnings rate and normal deduction rate if you pay your employee for a different period than usual.\n\n## Holiday pay in advance\n\nUse the same process if you\u2019re paying your employee holiday pay in advance.\n\nYou\u2019ll need to work out the different rates for:\n\n- the month when you give pay in advance\n\n- the following month when you\u2019d pay them less than normal\n\n## What counts as earnings\n\nYou can only make a deduction from the following earnings:\n\n- wages, fees, bonuses, commissions, overtime pay or any payments on top of wages\n\n- private or occupational pensions and compensation payments\n\n- Statutory Sick Pay\n\n- contractual sick pay\n\n- contractual maternity pay\n\n- contractual paternity pay\n\n- contractual adoption pay\n\n- contractual redundancy pay\n\nStatutory pay is money that your employees are entitled to by law. Contractual pay is what you agree with your employees in addition to statutory pay.\n\n## What does not count as earnings\n\nYou cannot make a deduction from any of the following:\n\n- amounts paid by a department of the government of Northern Ireland or any country outside the UK\n\n- any social security pension, allowance or benefit\n\n- tax credits\n\n- any pension or allowance paid for disability\n\n- guaranteed minimum pension within the Social Security Pensions Act 1975\n\n- Statutory Maternity Pay\n\n- Statutory Paternity Pay\n\n- Statutory Adoption Pay\n\n- Statutory Redundancy Pay\n\n## Making payments\n\nThe order that you get for the employee will tell you whether you have to pay:\n\n- the magistrates\u2019 court\n\n- the Centralised Attachment of Earnings Payments (CAPS) office\n\n## Tell your employee each time\n\nYou must tell your employee in writing about each deduction. Do this when you give them their payslip.\n\n## Paying the magistrates\u2019 court\n\nSend a cheque made payable to \u2018HM Courts & Tribunals Service\u2019.\n\nYou can pay with a single cheque if you\u2019re paying 2 or more orders issued by the same court.\n\nSome courts let you pay by Bacs transfer. Contact the court for their account details if you want to pay this way.\n\nWhen you send the payment, you must include a note of:\n\n- the employer name\n\n- the employee\u2019s name\n\n- the case number from the order\n\n- how much money you\u2019re sending\n\n## Paying the CAPS office\n\nYou can only pay by:\n\n- cheque\n\n- Bacs transfer\n\nYou cannot pay by standing order or Direct Debit.\n\n## Pay CAPS by cheque\n\nSend a cheque made payable to \u2018HM Courts & Tribunals Service\u2019 to CAPS.\n\n## Pay CAPS by Bacs\n\nYou must register before you can pay by Bacs. Download and fill in the registration form and email it to ntonbacs@justice.gov.uk.\n\nTo make a Bacs payment, send:\n\n- a bank payment request form to your bank\n\n- the Bacs payment schedule form to ntonbacs@justice.gov.uk\n\nThe payment will be sent back if you do not fill in the schedule correctly. You can be fined if you do not send the schedule.\n\n## Contact CAPS about a payment\n\nYou need to give these details when you contact CAPS about a payment:\n\n- case number\n\n- your name (as stated on your bank statement)\n\n- your bank account number\n\n- your sort code\n\n- amount of payment\n\n## Change of circumstances\n\nWrite to the Centralised Attachment of Earning Payments (CAPS) office within 10 days if the employee stops working for you.\n\nInclude the:\n\n- court case number\n\n- attachment of earnings order number\n\n- name of the employee\n\n- date they stopped working for you\n\n- name of their new employer (if you know it)\n\n## The court changes the order\n\nThe County Court Money Claims Centre will tell you in writing if the normal deduction rate or protected earnings rate changes. They can change it for 4 weeks.\n\nWhen the 4 weeks is over, you have to go back to the original rates in the order.\n\n## The court cancels the order\n\nThe County Court Money Claims Centre will tell you in writing if the order has been \u2018discharged\u2019 (cancelled).\n\nYou can still make the deduction if you\u2019re due to pay your employee within the next 7 days. Your employee will get a refund from CAPS.\n\nYou must stop making deductions if you\u2019re due to pay your employee 7 days after you got the cancellation notice.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/debt-deductions-from-employee-pay", + "answerable": true, + "scenario": "I work as a salaried (plus commissions) employee at a car dealership in Birmingham. I have unpaid debts to a finance company, who obtained a CCJ against me. The court has now sent a non-priority attachment of earnings order to both my employer and myself.", + "original_question": "Can my employer deduct from my commissions and performance-related bonuses as well as my base salary?" + }, + { + "id": "train-800", + "question": "Scenario: I run a small hardware store in Birmingham, England. Most of my employees are paid an annual salary and bonus, which fully complies with minimum wage requirements. However, the unpredictable nature of retail means that overtime hours are frequently required (in excess of those stipulated in their contracts of employment).\n\nQuestion: Does the minimum wage rate also apply to any overtime hours that an employee works?\n\nDocument - Minimum wage for different types of work:\n## Overview\n\nThe National Minimum Wage is worked out at an hourly rate, but it applies to all eligible workers even if they\u2019re not paid by the hour.\n\nThis means that, however someone gets paid, they still need to work out their equivalent hourly rate to see if they\u2019re getting the minimum wage.\n\nThere are different ways of checking that workers get the minimum wage depending on whether they are:\n\n- paid by the hour (known as \u2018time work\u2019)\n\n- paid an annual salary, under a contract for a basic number of hours each year (known as \u2018salaried hours\u2019)\n\n- paid by the piece - the number of things they make, or tasks they complete (known as \u2018output work\u2019)\n\n- paid in other ways (known as \u2018unmeasured work\u2019)\n\nUse the National Minimum Wage calculator to check if payments are over the minimum wage.\n\n## What counts as working time\n\nFor all types of work, include time spent:\n\n- at work and required to be working, or on standby near the workplace (but do not include rest breaks that are taken)\n\n- not working because of machine breakdown, but kept at the workplace\n\n- waiting to collect goods, meet someone for work or start a job\n\n- travelling in connection with work, including travelling from one work assignment to another\n\n- training or travelling to training\n\n- at work and under certain work-related responsibilities even when workers are allowed to sleep (whether or not a place to sleep is provided)\n\nDo not include time spent:\n\n- travelling between home and work\n\n- away from work on rest breaks, holidays, sick leave or maternity leave\n\n- on industrial action\n\n- not working but at the workplace or available for work at or near the workplace during a time when workers are allowed to sleep (and you provide a place to sleep)\n\nCall the Acas helpline for advice about the National Minimum Wage.\n\n## Paid by the hour\n\nWorkers paid according to the number of hours they are at work are classed as doing \u2018time work\u2019.\n\nFor these workers, the average hourly pay has to be at least the National Minimum Wage, worked out over the period each pay packet covers - so for a worker who gets paid once a month, this period will be 1 month.\n\nUse the National Minimum Wage calculator to check if payments are at least at the minimum wage.\n\n## Paid an annual salary\n\nMost people paid an annual salary are classed as doing \u2018salaried hours work\u2019.\n\nTo find out if they are getting the minimum wage you must work out how many basic hours they work in return for their salary.\n\nSomeone is usually doing salaried hours work if all of the following apply:\n\n- their contract states how many hours they must work in return for their salary (their basic hours)\n\n- they\u2019re paid in equal, regular instalments through the year, for example monthly or every 4 weeks\n\n- there is no more than a month between each payment\n\n- they do not get paid more than once a week\n\nIf someone is paid monthly they do not need to be paid exactly the same amount each month, but they must get the same total amount every 3 months (each quarter of the year).\n\nSalaried hours workers\u2019 contracts might not state the total number of basic hours the worker must work over the entire year, but you must be able to work this out from the contract.\n\nFor example, if a contract states the days of the week someone is expected to work and the basic hours for each day, you can use this to work out the total basic hours someone is expected to work over the year.\n\nYou can then use this figure to make sure the rate of pay is at least the minimum wage.\n\n## Work out the hourly rate\n\n- Find the basic annual hours in the worker\u2019s contract.\n\n- Divide this by the number of times they get paid each year (for example 12 if they get paid monthly) - this gives you the average number of hours covered by each pay packet.\n\n- Divide the amount they get in each pay packet by this number (average hours). This gives you the worker\u2019s hourly rate.\n\nIf you know how many basic hours someone works for each payment they get, you can use the National Minimum Wage calculator to check if they\u2019re paid the minimum wage.\n\n## Extra hours\n\nEmployers must pay at least the minimum wage for any hours worked in addition to what\u2019s agreed in the worker\u2019s contract.\n\n## Other salaried workers\n\nSome people paid a salary may not be salaried hours workers, for example if there is more than a month between each payment.\n\nThese people are usually classed as doing \u2018time work\u2019 when working out if they are paid minimum wage or not.\n\n## Paid per task or piece of work done\n\nWorkers paid per task they perform or piece of work they do (known as piece work) are classed as doing \u2018output work\u2019.\n\nThey must be paid either:\n\n- at least the minimum wage for every hour worked\n\n- a \u2018fair rate\u2019 for each task or piece of work they do\n\nOutput work can usually only be used in limited situations when the employer does not know which hours the worker does (such as with some home workers).\n\nThe work is not classed as output work if the employer sets either:\n\n- a minimum or maximum time the worker must work\n\n- the start and finish times for a period of work\n\nIf the employer sets the times of work this counts as \u2018time work\u2019.\n\n## Fair rate\n\nThe fair rate is the amount that must be paid for each piece of work, to make sure someone working at an average speed is paid at least the minimum wage per hour.\n\nThere is a way to work out the fair rate per piece of work done which employers must follow.\n\n## Work out the average rate of work per hour\n\nEmployers must carry out a fair test to find out how many tasks or pieces an average worker completes in an hour (the average rate of work).\n\n- Test some or all of the workers. The group you test must be typical of the whole workforce - not just the most efficient or fastest ones.\n\n- Work out how many pieces of work have been completed in a normal working hour.\n\n- Divide this by the number of workers to work out the average rate.\n\n- If the work changes significantly, do another test to work out the new average rate. It\u2019s not necessary to do another test if the same work is being done in a different environment, for example work previously done in a factory being done at home.\n\n## Work out the fair rate\n\n- Divide the average rate of work by 1.2 (this means new workers will not be disadvantaged if they\u2019re not as fast as the others yet).\n\n- Divide the hourly minimum wage rate by that number to work out the fair rate for each piece of work completed.\n\nIf an agricultural worker was employed before 2013 or is in Wales, they may be entitled to the Agricultural Minimum Wage. There are also different rules and rates for agricultural workers in Scotland and Northern Ireland.\n\n## Give notice of fair rate\n\nTo use a fair rate an employer must give each worker a written notice before they start work for the first time.\n\nThe notice must:\n\n- say that the worker will be paid for producing a piece of work or completing a task, for example picking a certain amount of fruit\n\n- say that to calculate whether minimum wage is being paid it\u2019s assumed the task will take an average time to complete\n\n- confirm if the average time to complete the task has been tested or is an estimate\n\n- say how many tasks or pieces of work it\u2019s assumed someone can complete in an hour\n\n- give the amount to be paid for each piece that the worker completes\n\n- include the ACAS helpline number, which is 0300 123 1100\n\nIf employers do not give a worker a complete notice then the worker is entitled to be paid by the hour instead.\n\n## Paid in other ways (unmeasured work)\n\nIf the work is not covered by any of the other types of work, it\u2019s \u2018unmeasured work\u2019.\n\nUnmeasured work includes being paid a set amount to do a particular task, for instance being paid \u00a3500 to lay a patio, regardless of how long it takes.\n\nTo work out the minimum wage for unmeasured work, either:\n\n- record every hour worked and use the National Minimum Wage calculator to make sure the worker gets the minimum wage\n\n- make a \u2018daily average agreement of hours\u2019\n\n## Daily average agreement of hours\n\nThis is when the employer and worker agree a typical number of hours per day they expect to work on average. One agreement can cover several pay reference periods (for example, weeks if the worker\u2019s paid weekly) if there\u2019s no change in the average number of hours.\n\nDaily average agreements of hours must:\n\n- be agreed in writing\n\n- be made before the start of the pay reference period they cover\n\n- say how many hours the work should take each day (on average)\n\nThe employer must be able to prove that the number of hours worked on average is realistic.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/minimum-wage-different-types-work", + "answerable": true, + "scenario": "I run a small hardware store in Birmingham, England. Most of my employees are paid an annual salary and bonus, which fully complies with minimum wage requirements. However, the unpredictable nature of retail means that overtime hours are frequently required (in excess of those stipulated in their contracts of employment).", + "original_question": "Does the minimum wage rate also apply to any overtime hours that an employee works?" + }, + { + "id": "train-801", + "question": "Scenario: I am 20, and currently in the middle of the first term of the final year of a degree course at a college in the west of England. After attending a routine medical check-up yesterday I was told that I have a malignant melanoma, which will require both immediate surgery and then 6-8 weeks of chemotherapy. The latter will likely seriously impair my ability to study effectively.\n\nQuestion: If I suspend my studies for the duration of the chemotherapy, can I get a maintenance loan to cover my needs during the period of suspension?\n\nDocument - Student finance if you suspend or leave your course:\n## Overview\n\nIf you leave or suspend your studies you must:\n\n- stop your student finance\n\n- repay any student finance you are not entitled to\n\nYour student finance includes:\n\n- Maintenance Loans\n\n- Tuition Fee Loans\n\n- grants and bursaries\n\nHow much you need to repay and when you need to repay it depends on:\n\n- what type of student finance you have\n\n- when in the academic year you leave your course\n\n- whether you\u2019re planning to return to your course or not\n\nIf you suspend because of illness or another serious personal reason, you might still be able to get student finance while you\u2019re away.\n\n## Stopping your student finance\n\nYou must stop your student finance payments as soon as you decide to suspend your studies or leave your course early.\n\nThis will reduce any repayments you may need to make.\n\nStudent finance covers:\n\n- Maintenance Loans\n\n- Tuition Fee Loans\n\n- grants and bursaries\n\n## How to stop your student finance payments\n\nYou must:\n\n- tell your university or college that you\u2019re leaving or suspending your course\n\n- contact Student Finance England if you\u2019re a student from England\n\nThe way to make contact is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nIf you suspend your studies you can usually postpone your student finance payments until you return.\n\n## Repaying your student finance\n\nHow much and when you have to repay depends on:\n\n- the type of student finance you have\n\n- when in the academic year you leave your course\n\n- whether you\u2019re planning to return to your course or not\n\nYour university or college will tell your student finance provider the date you finished your studies.\n\n## Maintenance Loans\n\nYour student finance provider will reassess your Maintenance Loan based on the number of days you attended your course.\n\nIf any of your loan covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.\n\nThe Student Loans Company will write and tell you how much you must repay. If you cannot repay the full amount, you can ask them to set up a repayment plan.\n\nThe rest of your Maintenance Loan is repaid in the usual way once you start earning over the threshold amount.\n\n## If you\u2019re planning to return to your studies\n\nThe amount you were overpaid will usually be taken off your student finance payments when you return, so you do not have to repay straight away.\n\n## Grants and bursaries\n\nIf any of your grant or bursary covers the period after you\u2019ve left your course, this counts as an overpayment and you\u2019ll need to repay it straight away.\n\nThere are exceptions for:\n\n- childcare grants taken in or after the 2019 to 2020 academic year\n\n- grants taken in or before the 2016 to 2017 academic year\n\nYou do not have to pay back overpayments on these grants until you\u2019ve finished your course.\n\n## Tuition Fee Loans\n\nYou\u2019ll need to repay at least some of your Tuition Fee loan for the year that you suspend or leave your course.\n\nYou\u2019ll need to pay back:\n\n- 25% of the loan for the year if you suspend or leave in term 1\n\n- 50% of the loan for the year if you suspend or leave in term 2\n\n- all the loan for the year if you suspend or leave in term 3\n\nThis is repaid in the usual way once you start earning over the threshold amount.\n\n## Getting student finance while you suspend your studies\n\nYou might be able to get student finance while you\u2019re away from your course if you suspend due to illness, bereavement or another serious personal reason.\n\nYou might also be able to get Disabled Students\u2019 Allowances.\n\nYou can apply for funding if you return to your studies.\n\n## If you suspend because you\u2019re seriously ill\n\nYou might be able to get a Maintenance Loan for 60 days after you suspend your course.\n\nYour university or college must tell the Student Loans Company (SLC) about your situation.\n\n## Apply for extra money\n\nIf you\u2019re having financial difficulties after 60 days you might be able to get more Maintenance Loan.\n\nApply to Student Finance England with:\n\n- a covering letter explaining your situation, including your customer reference number\n\n- evidence to support your claim, such as a bank statement or copy of your tenancy agreement\n\nThe address you send your application to is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nYou might also be able to get extra money from your university or college hardship fund.\n\n## If you suspend for another serious personal reason\n\nYou might still be able to get a Maintenance Loan for some or all the time you\u2019re away from your studies.\n\nApply to Student Finance England with:\n\n- a letter explaining why you have to suspend your course, including your customer reference number and the academic year it relates to\n\n- evidence to support your claim\n\nSupporting evidence includes things like:\n\n- a letter from your doctor or social services\n\n- a letter from your university or college\n\n- a bank statement\n\nThe address you send your application to is different if you\u2019re a student from:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\nYou might need to send more than one piece of evidence.\n\nSLC will send you a letter explaining how much loan money you can get. You\u2019ll usually get a decision within 6 weeks.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/student-finance-if-you-suspend-or-leave", + "answerable": true, + "scenario": "I am 20, and currently in the middle of the first term of the final year of a degree course at a college in the west of England. After attending a routine medical check-up yesterday I was told that I have a malignant melanoma, which will require both immediate surgery and then 6-8 weeks of chemotherapy. The latter will likely seriously impair my ability to study effectively.", + "original_question": "If I suspend my studies for the duration of the chemotherapy, can I get a maintenance loan to cover my needs during the period of suspension?" + }, + { + "id": "train-804", + "question": "Scenario: I am 37, and for the past year have worked without taking any of my holiday entitlement from my employer of 7 years standing, in an ultimately futile effort to help them stave off insolvency. Nevertheless, my employer is set to be declared insolvent later this week.\n\nQuestion: If I am made redundant, can I claim payment for all the unused holiday entitlement?\n\nDocument - Your rights if your employer is insolvent:\n## Overview\n\nYour employer is insolvent if it cannot pay its debts.\n\nThey might:\n\n- make you redundant\n\n- ask you to keep working\n\n- transfer you to a new employer (if the business has been sold)\n\nThere are different types of insolvency:\n\n- administration\n\n- liquidation\n\n- bankruptcy\n\n- receivership\n\n- company voluntary arrangement\n\n- individual voluntary arrangement\n\n- debt relief order\n\nCheck if your employer is insolvent.\n\nDepending on your situation, you can apply to the government for:\n\n- a redundancy payment\n\n- holiday pay\n\n- outstanding payments like unpaid wages, overtime and commission\n\n- money you would have earned working your notice period (\u2018statutory notice pay\u2019)\n\nYou may be eligible for unemployment benefits if you lose your job. If you do not apply for benefits after you lose your job, you might get less money in your statutory notice pay payment.\n\n## Your rights\n\nYou have different rights depending on whether your employer:\n\n- makes you redundant (dismisses you)\n\n- asks you to keep working\n\n- transfers you to a new employer (if the business has been sold)\n\nYour employer must have a consultation about why redundancies are happening and if there are any alternatives - they do not have to consult you directly.\n\n## If you\u2019re made redundant\n\nYou\u2019re made redundant if you\u2019re dismissed from your job.\n\nThe person who is dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) must tell you how your job is affected and what to do next.\n\nThey\u2019ll also give you a:\n\n- RP1 fact sheet\n\n- \u2018CN\u2019 (case reference) number to use when you apply for money you\u2019re owed\n\nYou can apply to the government for:\n\n- a redundancy payment\n\n- holiday pay\n\n- outstanding payments like unpaid wages, overtime and commission\n\n- money you would have earned working your notice period (\u2018statutory notice pay\u2019)\n\nBusinesses can go through more than one insolvency. You cannot claim outstanding payments between the day of the first insolvency and the day you were dismissed, even if you did not know about the previous insolvency.\n\nYou can also apply to the court for compensation if you think you were dismissed unfairly or not consulted properly.\n\n## Compensation because you were dismissed unfairly\n\nYou can make a claim to the employment tribunal if:\n\n- you were dismissed unfairly (\u2018basic award\u2019)\n\n- there was not a consultation about your redundancy (\u2018protective award\u2019)\n\nYou\u2019ll be claiming against the Secretary of State for Business, Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).\n\n## If you continue working after the insolvency\n\nYou might be asked to continue working for your employer after they become insolvent.\n\nYou\u2019ll still be eligible to claim for redundancy pay and other money you\u2019re owed if you\u2019re made redundant at a later date.\n\nYou cannot claim holiday pay, wages, bonuses or commission that you\u2019re owed between the day of the insolvency and the day you were dismissed.\n\n## If you\u2019re transferred to a new employer\n\nYou cannot claim any money from the government if you were transferred before your former employer became insolvent.\n\nIf you were transferred afterwards, you can apply for redundancy pay, statutory notice pay and outstanding payments such holiday pay, wages, commission and bonuses.\n\n## What you can get\n\nWhat money you\u2019re entitled to depends on:\n\n- how long you were employed\n\n- what was in your employment contract\n\n- your age\n\nPayments are capped.\n\n## Redundancy pay\n\nYou\u2019re normally entitled to redundancy pay if you:\n\n- have been made redundant\n\n- were an employee\n\n- were continuously employed by the insolvent business for 2 years or more\n\nYou\u2019ll get:\n\n- half a week\u2019s pay for each full year you were employed and under 22 years old\n\n- one week\u2019s pay for each full year you were employed and between 22 and 40 years old\n\n- one and half week\u2019s pay for each full year you were employed and 41 or older\n\nRedundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).\n\nYou can get a payment for a maximum of 20 years that you were employed at the business.\n\nCalculate your redundancy pay.\n\n## Wages and other money you\u2019re owed\n\nYou can apply for unpaid wages and other money you\u2019re owed by your employer, for example bonuses, overtime and commission.\n\nYou\u2019re only entitled to money that\u2019s in your employment contract.\n\nYou\u2019ll get up to 8 weeks of money you\u2019re owed. It counts as a week even if you\u2019re only owed money for a few days.\n\nPayments for wages and other money you\u2019re owed are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).\n\nYou pay income tax and National Insurance when you get unpaid wages and other money you\u2019re owed. You might be able to claim a tax refund if you\u2019ve paid too much.\n\n## Holiday pay\n\nYou can get paid for:\n\n- holiday days owed that you did not take (\u2018holiday pay accrued\u2019)\n\n- holiday days you took but were not paid for (\u2018holiday pay taken\u2019)\n\nYou\u2019re only paid for holidays you took or accrued in the 12 months before your employer became insolvent.\n\nYou\u2019ll only get payments for up to 6 weeks of holiday days. Holiday pay is capped at \u00a3544 per week (\u00a3538 per week if your employer went insolvent before 6 April 2021).\n\nYou pay income tax and National Insurance on your holiday payment. You might be able to claim a tax refund if you\u2019ve paid too much.\n\n## Statutory notice pay\n\nYou\u2019re entitled to a paid notice period when you\u2019re made redundant, even if it is not in your contract.\n\nYou can claim for statutory notice pay if you:\n\n- did not work a notice period\n\n- worked some of your notice period\n\n- worked an unpaid notice period\n\nYour statutory notice pay is worked out as one week\u2019s notice for every year you were employed, up to a maximum of twelve weeks.\n\nPayments are capped at \u00a3544 per week (\u00a3538 if you were made redundant before 6 April 2021).\n\n## Pension contributions\n\nContact the insolvency practitioner or official receiver if you\u2019re missing contributions to your pension.\n\n## Apply for money you're owed\n\nYou\u2019re eligible to apply if:\n\n- you were an employee\n\n- you\u2019re a UK or EEA national (or a foreign national with permission to work in the UK)\n\nIf you\u2019re not eligible (for example you\u2019re a contractor) register as a creditor instead.\n\n- Apply for redundancy, unpaid wages and holiday within 6 months of being dismissed. You request to claim for loss of notice pay (\u2018statutory notice pay\u2019) in your application.\n\n- If you requested to claim statutory notice pay, you\u2019ll get sent a letter telling you when you can apply.\n\n## Claiming for redundancy, unpaid wages and holiday pay\n\nYou can apply as soon as you\u2019ve been made redundant. The person dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) will give you a \u2018CN\u2019 (case reference) number. You cannot claim without the CN number.\n\nYou must apply for redundancy pay within 6 months of being dismissed.\n\nThe application will ask if you want to apply for statutory notice pay. Choosing \u2018Yes\u2019 does not mean you\u2019ve applied. You\u2019ll be told when to apply.\n\nApply for redundancy, unpaid wages and holiday online.\n\n## Claiming for loss of notice pay (\u2018statutory notice pay\u2019)\n\nYou need an \u2018LN\u2019 reference number to make a claim. It\u2019ll be sent after your notice period would have ended. This is usually no more than 12 weeks after you\u2019re dismissed.\n\nYou must apply for redundancy first - even if you\u2019re not owed any money.\n\nEmployees at the same business can have different notice periods.\n\nOnce you have the LN reference number, claim online for loss of notice.\n\nMoney you get (or could have got) by claiming benefits will be deducted from your payment.\n\n## Help completing the online forms\n\nContact the Redundancy Payments Service if you have queries about completing the online forms. You\u2019ll need your case reference number or National Insurance number.\n\nYou cannot currently call the Redundancy Payments Service.\n\n## After you apply\n\nIt usually takes up to 6 weeks to get your payment but can take longer.\n\nYour information will be checked against the employer\u2019s records, for example how much holiday you had accrued. You\u2019ll only get a payment if the records show you\u2019re owed money.\n\nAny benefits you\u2019re eligible to claim will be deducted from your statutory notice payment (even if you did not claim them).\n\n## If your application is rejected\n\nContact the Redundancy Payments Service - they\u2019ll explain why your claim was rejected.\n\nYou can make a claim to the employment tribunal if you disagree with the decision. You\u2019ll be claiming against the Secretary of State for Business Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).\n\n## Help and advice\n\nContact the Redundancy Payments Service if you need help. You\u2019ll need your case reference number or National Insurance number.\n\nYou cannot currently call the Redundancy Payments Service.\n\n## Help finding a new job\n\nContact your local Jobcentre Plus and ask for their Rapid Response Service for help finding a new job.\n\nYou\u2019ll be able to use the service for up to 13 weeks after you\u2019re made redundant. You must have started your notice period to be eligible.\n\nGet help to find a new job, improve your skills and claim benefits.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "answerable": true, + "scenario": "I am 37, and for the past year have worked without taking any of my holiday entitlement from my employer of 7 years standing, in an ultimately futile effort to help them stave off insolvency. Nevertheless, my employer is set to be declared insolvent later this week.", + "original_question": "If I am made redundant, can I claim payment for all the unused holiday entitlement?" + }, + { + "id": "train-806", + "question": "Scenario: I am an expatriate Uk citizen, who retired to Spain three years ago and has not returned since. I do, however, own the freehold on my old UK home and lease it to a tenant, and am now considering the purchase of two additional rental properties there as an investment.\n\nQuestion: Are the standard rates of SDLT for UK residents also applicable to purchases by non-residents?\n\nDocument - Stamp Duty Land Tax:\n## Overview\n\nYou must pay Stamp Duty Land Tax (SDLT) if you buy a property or land over a certain price in England and Northern Ireland.\n\nThe tax is different if the property or land is in:\n\n- Scotland - pay Land and Buildings Transaction Tax\n\n- Wales - pay Land Transaction Tax if the sale was completed on or after 1 April 2018\n\nYou pay the tax when you:\n\n- buy a freehold property\n\n- buy a new or existing leasehold\n\n- buy a property through a shared ownership scheme\n\n- are transferred land or property in exchange for payment, for example you take on a mortgage or buy a share in a house\n\n## Thresholds\n\nThe threshold is where SDLT starts to apply. If you buy a property for less than the threshold, there\u2019s no SDLT to pay.\n\nThe current SDLT threshold for residential properties is \u00a3500,000. This changes on 1 July 2021.\n\nThe threshold for non-residential land and properties is \u00a3150,000.\n\n## Property purchases from 1 July 2021 to 30 September 2021\n\nThe SDLT thresholds will be:\n\n- \u00a3250,000 for residential properties\n\n- \u00a3150,000 for non-residential land and properties\n\nThe threshold for residential properties will change on 1 October 2021.\n\n## Property purchases from 1 October 2021\n\nThe SDLT thresholds will be:\n\n- \u00a3125,000 for residential properties\n\n- \u00a3150,000 for non-residential land and properties\n\nThese thresholds are the same as they were before 8 July 2020.\n\n## First-time buyers\n\nFrom 1 July 2021, you\u2019ll get a discount (relief) that means you\u2019ll pay less or no tax if both the following apply:\n\n- you, and anyone else you\u2019re buying with, are first-time buyers\n\n- the purchase price is \u00a3500,000 or less\n\nYou\u2019ll also be eligible for this discount if you bought your first home before 8 July 2020.\n\n## How much you pay\n\nHow much you pay depends on whether the land or property is residential or non-residential or mixed-use.\n\nIf you\u2019re buying a residential property there are different rates of SDLT if:\n\n- you\u2019re a first-time buyer\n\n- you already own a property and you\u2019re buying an additional property\n\n- you\u2019re not a UK resident\n\nYou can use HM Revenue and Customs\u2019 (HMRC) Stamp Duty Land Tax calculator to work out how much tax you\u2019ll pay.\n\nYou may be able to reduce the amount of tax you pay by claiming relief, such as if you\u2019re a first-time buyer or purchasing more than one property (\u2018multiple dwellings\u2019).\n\n## The value you pay SDLT on (the \u2018consideration\u2019)\n\nThe total value you pay SDLT on (sometimes called the \u2018consideration\u2019) is usually the price you pay for the property or land.\n\nSometimes it might include another type of payment like:\n\n- goods\n\n- works or services\n\n- release from a debt\n\n- transfer of a debt, including the value of any outstanding mortgage\n\nFind out how to work out the consideration if your situation is complicated.\n\n## How and when to pay\n\nYou must send an SDLT return to HMRC and pay the tax within 14 days of completion.\n\nIf you have a solicitor, agent or conveyancer, they\u2019ll usually file your return and pay the tax on your behalf on the day of completion and add the amount to their fees. They\u2019ll also claim any relief you\u2019re eligible for, such as if you\u2019re a first-time buyer.\n\nIf they do not do this for you, you can file a return and pay the tax yourself.\n\nThere are certain situations where you do not need to send a return.\n\nYou may be charged penalties and interest if you do not file your return and make your payment within 14 days of completion.\n\n## Residential property rates\n\nYou usually pay Stamp Duty Land Tax (SDLT) on increasing portions of the property price when you buy residential property, for example a house or flat. SDLT only applies to properties over a certain value.\n\nThe amount you pay depends on:\n\n- when you bought the property\n\n- how much you paid for it\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\nYou must send an SDLT return if you pay more than \u00a340,000 for a property - even if there\u2019s no SDLT due. There are some exemptions.\n\n## Rates from 8 July 2020 to 30 June 2021\n\nYou can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3500,000 | Zero |\n\n| The next \u00a3425,000 (the portion from \u00a3500,001 to \u00a3925,000) | 5% |\n\n| The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10% |\n\n| The remaining amount (the portion above \u00a31.5 million) | 12% |\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Rates from 1 July 2021 to 30 September 2021\n\nYou can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3250,000 | Zero |\n\n| The next \u00a3675,000 (the portion from \u00a3250,001 to \u00a3925,000) | 5% |\n\n| The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10% |\n\n| The remaining amount (the portion above \u00a31.5 million) | 12% |\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Rates from 1 October 2021\n\nThese rates also apply if you bought a property before 8 July 2020.\n\nYou can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3125,000 | Zero |\n\n| The next \u00a3125,000 (the portion from \u00a3125,001 to \u00a3250,000) | 2% |\n\n| The next \u00a3675,000 (the portion from \u00a3250,001 to \u00a3925,000) | 5% |\n\n| The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10% |\n\n| The remaining amount (the portion above \u00a31.5 million) | 12% |\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## If you\u2019re buying your first home\n\nYou can claim a discount (relief) if you buy your first home before 8 July 2020 or from 1 July 2021. This means you\u2019ll pay:\n\n- no SDLT up to \u00a3300,000\n\n- 5% SDLT on the portion from \u00a3300,001 to \u00a3500,000\n\nYou\u2019re eligible if you and anyone else you\u2019re buying with are first-time buyers.\n\nIf the price is over \u00a3500,000, you follow the rules for people who\u2019ve bought a home before.\n\n## New leasehold sales and transfers\n\nWhen you buy a new residential leasehold property you pay SDLT on the purchase price of the lease (the \u2018lease premium\u2019) using the rates above.\n\nIf the total rent over the life of the lease (known as the \u2018net present value\u2019) is more than the SDLT threshold), you\u2019ll pay SDLT at 1% on the portion of net present value over:\n\n- \u00a3500,000 for purchases from 8 July 2020 to 30 June 2021\n\n- \u00a3250,000 for purchases from 1 July 2021 to 30 September 2021\n\n- \u00a3125,000 for purchases from 1 October 2021\n\nThis does not apply to existing (\u2018assigned\u2019) leases.\n\nYou can work out how much SDLT you\u2019ll pay for your new residential lease using HMRC\u2019s:\n\n- SDLT calculator\n\n- guidance on leasehold purchases\n\n## Higher rates for additional properties\n\nYou\u2019ll usually have to pay 3% on top of SDLT rates if buying a new residential property means you\u2019ll own more than one.\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\nYou may not have to pay the higher rates if you exchanged contracts before 26 November 2015.\n\n## If you\u2019re replacing your main residence\n\nYou will not pay the extra 3% SDLT if the property you\u2019re buying is replacing your main residence and that has already been sold.\n\nIf you have not sold your main residence on the day you complete your new purchase you\u2019ll have to pay higher rates. This is because you own 2 properties.\n\nYou can apply for a refund if you sell your previous main home within 36 months.\n\nThere are special rules if you own property with someone else or already own a property outside England, Wales and Northern Ireland.\n\n## If it takes longer than 36 months to sell your previous main home\n\nYou may still be able to get a refund of the extra 3% SDLT if:\n\n- you purchased your new home on or after 1 January 2017\n\n- the delay was outside your control, for example because of coronavirus (COVID-19) or a public authority blocking the sale\n\n- you have now sold your old home\n\nTo claim a refund, write to HMRC and explain why the sale took longer than 36 months.\n\nInclude:\n\n- your details\n\n- details of the main buyer - if different to your own\n\n- details of the property where higher rate SDLT was paid - including the address, date of purchase and SDLT unique transaction reference number\n\n- details of the previous main residence - including the address, date of sale and SDLT unique transaction reference number\n\n- the amount of higher rate SDLT paid\n\n- the amount of tax you\u2019re asking for a repayment of\n\n- a bank account and sort code for the person receiving the payment\n\n## Rates if you\u2019re not a UK resident\n\nIf you\u2019re not present in the UK for at least 183 days (6 months) during the 12 months before your purchase you are \u2018not a UK resident\u2019 for the purposes of SDLT.\n\nYou\u2019ll usually pay a 2% surcharge if you\u2019re buying a residential property in England or Northern Ireland on or after 1 April 2021.\n\nYou may not have to pay a surcharge on certain properties, transactions or if you\u2019re a particular type of buyer. Check the rules on who has to pay the surcharge, when you do not have to pay, and if you can claim relief.\n\nIf you have to pay the surcharge, you\u2019ll also have to pay any other rates of SDLT that apply, for example:\n\n- if you already own a property and you\u2019re buying an additional property\n\n- if you\u2019re a first-time buyer\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Special rates\n\nThere are different SDLT rules and rate calculations for:\n\n- corporate bodies\n\n- people buying 6 or more residential properties in one transaction\n\n- shared ownership properties\n\n- multiple purchases or transfers between the same buyer and seller (\u2018linked purchases\u2019)\n\n- purchases that mean you own more than one property\n\n- companies and trusts buying residential property\n\n## Rates for non-residential and mixed land and property\n\nYou pay SDLT on increasing portions of the property price (or \u2018consideration\u2019) when you pay \u00a3150,000 or more for non-residential or mixed (also known as \u2018mixed use\u2019) land or property.\n\nYou must still send an SDLT return for most transactions under \u00a3150,000.\n\nNon-residential property includes:\n\n- commercial property, for example shops or offices\n\n- property that isn\u2019t suitable to be lived in\n\n- forests\n\n- agricultural land that\u2019s part of a working farm or used for agricultural reasons\n\n- any other land or property that is not part of a dwelling\u2019s garden or grounds\n\n- 6 or more residential properties bought in a single transaction\n\nYou pay residential SDLT rates on agricultural land if it\u2019s sold as part of the garden or grounds of a dwelling, for example a cottage with fields.\n\nA \u2018mixed\u2019 property is one that has both residential and non-residential elements, for example a flat connected to a shop, doctor\u2019s surgery or office.\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Freehold sales and transfers\n\nYou can also use this table to work out the SDLT rate for a lease premium.\n\n| |\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3150,000 | Zero |\n\n| The next \u00a3100,000 (the portion from \u00a3150,001 to \u00a3250,000) | 2% |\n\n| The remaining amount (the portion above \u00a3250,000) | 5% |\n\n## New leasehold sales and transfers\n\nWhen you buy a new non-residential or mixed leasehold you pay SDLT on both the:\n\n- purchase price of the lease (the \u2018lease premium\u2019) using the rates above\n\n- value of the annual rent you pay (the \u2018net present value\u2019)\n\nThese are calculated separately then added together.\n\nIf you buy an existing (\u2018assigned\u2019) lease, you only pay SDLT on the lease price (or \u2018consideration\u2019).\n\nThe net present value (NPV) is based on the total rent over the life of the lease. You do not pay SDLT on the rent if the NPV is less than \u00a3150,000.\n\n| Net present value of rent | SDLT rate |\n\n| \u00a30 to \u00a3150,000 | Zero |\n\n| The portion from \u00a3150,001 to \u00a35,000,000 | 1% |\n\n| The portion above \u00a35,000,000 | 2% |\n\n## How much you\u2019ll pay\n\nYou can work out how much SDLT you\u2019ll pay for your non-residential lease using HM Revenue and Customs\u2019 (HMRC):\n\n- SDLT calculator\n\n- guidance on buying leasehold properties\n\nYou may pay a higher rate of SDLT for multiple purchases or transfers from the same seller.\n\n## Using previous SDLT rates\n\nYou may qualify for previous SDLT rates if you exchanged contracts before 17 March 2016 but completed on or after that date.\n\nIf you qualify for the previous rates, you can choose to pay SDLT using the current or previous rates.\n\nUse HMRC\u2019s SDLT calculator to work out if you qualify and how much you\u2019ll pay using both rates.\n\nEnter the figure for the rate you choose in your SDLT return.\n\n## Land and property transfers\n\nYou may have to pay Stamp Duty Land Tax (SDLT) if the ownership of land or property is transferred to you in exchange for any payment or \u2018consideration\u2019.\n\nThe rules around SDLT depend on the specific circumstances surrounding the transfer.\n\nHM Revenue and Customs (HMRC) has guidance on transfers:\n\n- as a result of marriage, civil partnerships or moving in together\n\n- on divorce, separation or the end of a civil partnership\n\n- of jointly owned property or land\n\n- if the larger share is given as a gift\n\n- given as a gift or left in a will\n\n- to or from a company\n\n## Shared ownership property\n\nYou may have to pay Stamp Duty Land Tax (SDLT) when you buy a property through a shared ownership scheme run by an approved public body.\n\nThis includes:\n\n- local housing authorities\n\n- housing associations\n\n- housing action trusts\n\n- the Northern Ireland Housing Executive\n\n- the Commission for the New Towns\n\n- development corporations\n\nYou can choose to either:\n\n- make a one-off payment based on the market value of the property (\u2018market value election\u2019)\n\n- pay SDLT in stages\n\n## Market value election\n\nSubmit a return and pay SDLT at the residential rate. Use the total market value of the property to calculate how much to pay - even if you\u2019re only buying a share.\n\nYou do not pay any more SDLT after this, even if you buy a bigger share in the property later on.\n\nHM Revenue and Customs (HMRC) has guidance on SDLT if you do not have the right to the freehold.\n\n## Paying in stages\n\nYou make your first SDLT payment on the price you pay for the lease (the \u2018lease premium\u2019) if it\u2019s above the SDLT threshold. If the lease premium is below the threshold, you do not pay SDLT at this point - but you still have to submit a return.\n\nYou may have to pay extra SDLT if the total rent over the life of the lease (known as the \u2018net present value\u2019) is more than the SDLT threshold.\n\nWork this out on HMRC\u2019s SDLT calculator. You pay SDLT of 1% on the amount over the threshold - add this to any SDLT you\u2019re paying on the lease premium.\n\n## SDLT if you buy more shares\n\nIf you buy any more shares in the property, you do not have to pay any more SDLT or send a return to HMRC until you own more than an 80% share.\n\nOnce your share of the property goes over 80% you must send a return and pay SDLT on:\n\n- the transaction that took you over 80%\n\n- any transactions after that\n\n## Calculating your SDLT\n\nTo work out the SDLT if you buy more shares that take you over 80%:\n\n- Work out the SDLT due on the total you\u2019ve paid for the property to date - include any amounts you did not pay tax on. Use the SDLT rate that applies at the time you bought the new share. For example, if your total purchases before 8 July 2020 were \u00a3160,000, the SDLT due would be \u00a3700.\n\n- Divide the amount you\u2019re paying for this share by the total amount you\u2019ve paid for the property to date. For example, if you\u2019re paying \u00a340,000 for this share, divide \u00a340,000 by \u00a3160,000 = 0.25.\n\n- Multiply the two figures, for example SDLT of \u00a3700 multiplied by 0.25 = \u00a3175. This is the amount you would need to pay in SDLT for this share.\n\nIf you\u2019ve paid less than \u00a3500,000 for your property between 8 July 2020 and 30 June 2021, or less than \u00a3250,000 between 1 July 2021 and 30 September 2021, the amount of SDLT you\u2019d need to pay on any additional shares would be zero. This is because of the temporary SDLT rate.\n\n## Additional tax if payments are linked\n\nYou may have to pay extra SDLT on previous shares if they become \u2018linked\u2019 to later shares. Shares only become linked once you own over 80% of the property.\n\nYou can read more about paying SDLT when you buy more shares.\n\n## Reliefs and exemptions\n\nYou may be eligible for Stamp Duty Land Tax (SDLT) reliefs if you\u2019re buying your first home and in certain other situations. These reliefs can reduce the amount of tax you pay.\n\nYou must complete an SDLT return to claim relief, even if no tax is due.\n\nHM Revenue and Customs (HMRC) has guidance on SDLT reliefs for:\n\n- first-time buyers\n\n- multiple dwellings\n\n- building companies buying an individual\u2019s home\n\n- employers buying an employee\u2019s house\n\n- local authorities making compulsory purchases\n\n- property developers providing amenities to communities\n\n- companies transferring property to another company\n\n- charities\n\n- right to buy properties\n\n- registered social landlords\n\n- Crown employees\n\n## Exemptions\n\nYou do not have to pay SDLT or file a return if:\n\n- no money or other payment changes hands for a land or property transfer\n\n- property is left to you in a will\n\n- property is transferred because of divorce or dissolution of a civil partnership\n\n- you buy a freehold property for less than \u00a340,000\n\n- you buy a new or assigned lease of 7 years or more, as long as the premium is less than \u00a340,000 and the annual rent is less than \u00a31,000\n\n- you buy a new or assigned lease of less than 7 years, as long as the amount you pay is less than the residential or non-residential SDLT threshold\n\n- you use alternative property financial arrangements, for example to comply with Sharia law\n\nRead HMRC\u2019s guidance on transactions that do not need a return.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/stamp-duty-land-tax", + "answerable": true, + "scenario": "I am an expatriate Uk citizen, who retired to Spain three years ago and has not returned since. I do, however, own the freehold on my old UK home and lease it to a tenant, and am now considering the purchase of two additional rental properties there as an investment.", + "original_question": "Are the standard rates of SDLT for UK residents also applicable to purchases by non-residents?" + }, + { + "id": "train-808", + "question": "Scenario: I have just inherited the lease on a property near Devizes, England from my late grandfather, who sadly passed away last month. The lease appears to have just over six years left to run.\n\nQuestion: Do I need to register the change of ownership of the lease with the land registry?\n\nDocument - Registering land or property with HM Land Registry:\n## When you must register\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must register all land or property with HM Land Registry if you\u2019ve:\n\n- bought it\n\n- been given it\n\n- inherited it\n\n- received it in exchange for other property or land\n\n- mortgaged the property\n\nYou do not usually need to register leasehold land or property if there are 7 years or less on the lease when you take ownership.\n\nYou must register your land with the Rural Land Register as well as HM Land Registry if you own agricultural land.\n\nYour property might not be registered if you owned it before 1990 and have not mortgaged it since. Check if your property\u2019s registered.\n\nYou must tell HM Land Registry if you transfer ownership of your registered property to someone else.\n\n## Once you\u2019re registered\n\nHM Land Registry publishes information online about most registered property, including:\n\n- the names of owners\n\n- the price paid for the property\n\n- a plan of the property\u2019s boundaries\n\nYou cannot opt out of your property information being published.\n\n## If you live in Scotland or Northern Ireland\n\nHM Land Registry only deals with land and property in England and Wales.\n\n## Scotland\n\nRegister your land or property with Registers of Scotland.\n\n## Northern Ireland\n\nRegister your land or property with Land and Property Services.\n\n## Register for the first time\n\nLand or property must be registered for the first time if it\u2019s unregistered when you take ownership of it or mortgage it.\n\nEven if you do not have to register, registering voluntarily:\n\n- gives you proof of ownership\n\n- helps protect your land from fraud\n\n- makes it easier to change, sell or give your property away in the future\n\nYou can register property yourself or get a solicitor or conveyancer to do it for you.\n\n## Register land or property for the first time\n\n- Search the register to make sure your property is not already registered.\n\n- Apply for a search from the Land Charges Department to search against all previous owners since 1925. They will send you the results.\n\n- Fill in an application for first registration.\n\n- Prepare a scale plan showing where the land is outlined, if it\u2019s not shown in the deeds.\n\n- Find the forms you need depending on your circumstances and fill out 2 copies of the list of documents form.\n\n- Find out the correct registration fee - this depends on the value of your property.\n\n- Send your documents, forms and fee to HM Land Registry.\n\n## If you bought the property\n\nInclude the same forms as for registering for the first time and a \u2018transfer of whole of registered title\u2019 form.\n\n## If you inherited the property\n\nInclude the same forms as for registering for the first time and include either:\n\n- a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will\n\n- a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share\n\nContact HM Land Registry if you\u2019re unsure which form you need.\n\n## Other documents you may need\n\nYou may also need to send:\n\n- a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer\n\n- a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry\n\n- a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)\n\n- a certified copy of the lease, if you\u2019re applying to register leasehold land or property\n\n## Transfer ownership of your property\n\nYou must tell HM Land Registry when you change the registered owner of your property, for example if you\u2019re transferring it into another person\u2019s name, or if you want to add your partner as a joint owner.\n\n- Download and fill in an application to change the register.\n\n- Fill in either a \u2018transfer of whole of registered title\u2019 form, if you\u2019re transferring your whole property, or a \u2018transfer of part of registered title\u2019 form if you\u2019re only transferring part of your property.\n\n- Fill in a certificate of identity for a private individual.\n\n- Find out the correct fee. Use the \u2018Scale 2 fees\u2019 if you\u2019re transferring ownership of a property without selling it, for example as inheritance. Use the Land Registry fee calculator if you\u2019re transferring part or all of a property as a sale.\n\n- Send your documents, forms and fee to HM Land Registry.\n\n## Update or correct the register\n\nYou must tell HM Land Registry if anything in the register changes or it is incorrect.\n\n## Update or correct contact addresses\n\nYou can register up to 3 addresses (including email and non-UK addresses) with HM Land Registry for each property.\n\nTo change your contact details or those of other owners or agents send a request to update registered owners\u2019 contact address. You do not have to pay anything to do this.\n\n## Change your name\n\nYou must send HM Land Registry an application to change the register when you change your name. You do not have to pay anything to do this.\n\nHow to apply depends on which documents you can send that prove your name has changed. You\u2019ll get back any official certificates you send in after the register has been updated.\n\nUse application form AP1 if you have any of the following documents:\n\n- an official or certified copy of a certificate showing the name change, such as a marriage or civil partnership certificate\n\n- a copy of a deed poll\n\n- a statement of truth\n\n- a statutory declaration sworn before someone able to take oaths\n\nYou must also send additional proof if you\u2019re not sending a certificate or using a conveyancer (for example a solicitor). When you send from AP1, include both:\n\n- a filled-in confirmation of identity form in your new name\n\n- a copy of an official document in your former name, such as a passport, driving licence or utility bill\n\n## If you\u2019ve changed your gender\n\nUse application form CNG if you have any of the following documents:\n\n- a gender recognition certificate\n\n- a new birth certificate\n\n- a letter from a UK-based medical practitioner (such as a doctor) confirming you\u2019ve changed gender\n\nSend the completed form and one of the documents to the address on the form. You must send original documents, not copies.\n\nIf you\u2019re sending a gender recognition certificate, write \u2018Private and confidential\u2019 on the envelope.\n\n## Returning to your original surname\n\nTo return to your original surname after a divorce or dissolution of a civil partnership send HM Land Registry:\n\n- application form AP1\n\n- a copy of your marriage or civil partnership certificate\n\nHM Land Registry will let you know if they need more information.\n\n## Stop your previous name being seen on old documents\n\nYour previous name will still appear on any documents that were filed with HM Land Registry before you changed your name. Previous names cannot be changed but you might be able to stop them from being copied or inspected by making an exempt document application.\n\nIt costs:\n\n- \u00a312 per document for electronic applications - only businesses and organisations can apply electronically, for example conveyancers\n\n- \u00a325 per document for paper applications\n\nYou will need to fill in form EX1 and form EX1A.\n\n## Mortgage completion\n\nYou must tell HM Land Registry if a mortgage on a registered property is paid off (\u2018discharged\u2019).\n\nUsually your mortgage lender will do this for you automatically but they may send you a completed \u2018cancellation of charges\u2019 form.\n\nOnce you have this, fill in an application to \u2018cancel entries relating to a charge\u2019 and a confirmation of identity form.\n\nSend all forms to the Citizen Centre.\n\nHM Land Registry will update your details and tell you that the register has been updated.\n\n## Other changes\n\nTransfer ownership of your property if you\u2019ve:\n\n- sold it\n\n- divorced or separated and want to remove an owner\n\n- married and want to add an owner\n\n- given the property away\n\n## Send your requests\n\nSend completed forms to the HM Land Registry Citizen Centre.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "answerable": true, + "scenario": "I have just inherited the lease on a property near Devizes, England from my late grandfather, who sadly passed away last month. The lease appears to have just over six years left to run.", + "original_question": "Do I need to register the change of ownership of the lease with the land registry?" + }, + { + "id": "train-809", + "question": "Scenario: I own a lease on a small apartment in a block in London, England, and have been a tenant there for over 15 years. The lease is, however, due to expire in three months time and I am worried that the property company which owns the freehold may evict me.\n\nQuestion: Does the expiry of the lease also void my tenancy agreement with the landlord/freeholder?\n\nDocument - Leasehold property:\n## Overview\n\nYou only own a leasehold property for a fixed period of time.\n\nYou\u2019ll have a legal agreement with the landlord (sometimes known as the \u2018freeholder\u2019) called a \u2018lease\u2019. This tells you how many years you\u2019ll own the property.\n\nOwnership of the property returns to the landlord when the lease comes to an end.\n\nMost flats are leasehold. Houses can be leasehold too and usually are if they\u2019re bought through a shared ownership scheme.\n\nThe rules about leasehold property are different in Northern Ireland.\n\n## Leaseholder rights and responsibilities\n\n## Your responsibilities\n\nYour lease will tell you what conditions you\u2019ve agreed to, for example:\n\n- if you need permission to make alterations\n\n- how much you\u2019ll have to pay to maintain the property\n\n- whether you or your landlord has responsibility for repairs and dealing with noisy neighbours\n\nYou might be taken to court and be ordered to pay for any damage If you do not follow the conditions of the lease. The court may also take away your lease.\n\n## Your rights\n\nYou have the right to:\n\n- get information about service charges or insurance\n\n- know the landlord\u2019s (freeholder\u2019s) name and address\n\n- be consulted about certain maintenance and running costs\n\n- challenge certain charges under some circumstances\n\n## Service charges and other expenses\n\n## Service charges\n\nYour lease sets out the way the service charge is organised and what can be charged. If you pay a service charge, you have the right to:\n\n- ask for a summary showing how the charge is worked out and what it\u2019s spent on\n\n- see any paperwork supporting the summary, such as receipts\n\nYour landlord must give you this information - it\u2019s a criminal offence if they do not.\n\n## Ground rent\n\nYou do not have to pay ground rent unless your landlord has sent you a formal, written demand for it. They can take legal action if you do not pay after you\u2019ve received the demand.\n\nYour landlord can recover unpaid ground rent going back 6 years - they can ask you for the full amount in one go.\n\nYour landlord can only increase the ground rent if you agree to the increase or the lease says this can happen.\n\n## Building insurance\n\nYour landlord will usually be responsible for insurance of the building (not the contents) - this will be part of your service charge.\n\nYou have a right to:\n\n- ask for a summary of the insurance policy\n\n- challenge the cost through a tribunal if you think it\u2019s unreasonable\n\n## Reserve or sinking funds\n\nYou might have to pay into a fund to help cover any unexpected maintenance or repairs, like replacing the roof. There are rules about how landlords must manage these funds.\n\nYou will not usually be able to get back any money you pay into them, for example if you move house.\n\n## Consulting over charges\n\nYou have the right to be consulted about charges for running or maintaining the building if you have to pay more than:\n\n- \u00a3250 for planned work\n\n- \u00a3100 per year for work and services lasting more than 12 months\n\nThere are steps your landlord must follow when they consult you, known as a \u2018Section 20\u2019 consultation. There\u2019s a limit on how much you have to pay if you have not been consulted properly - contact Leasehold Advisory Service for advice.\n\n## Disputing a charge\n\nYou may be able to apply to a tribunal if you pay a charge and you:\n\n- think it\u2019s unreasonable\n\n- think the standard of work it relates to is unsatisfactory\n\n- do not think you should be paying it at all\n\nContact Leasehold Advisory Service for advice.\n\nYou cannot apply to the tribunal if:\n\n- you\u2019ve agreed to pay the charge\n\n- the dispute is already being dealt with, for example by the court\n\n- you pay a fixed charge\n\nTry mediation - you may also be able to change the management of your building instead.\n\nYour landlord can take you to court if you stop paying a charge you\u2019re responsible for.\n\n## More information\n\nThe Leasehold Advisory Service has more information on service charges and other issues.\n\n## Extending, changing or ending a lease\n\n## Extending the lease\n\nYou can ask the landlord to extend your lease at any time.\n\nYou might be able to extend your lease by:\n\n- 90 years on a flat if you qualify\n\n- 50 years on a house if you qualify\n\nThe Leasehold Advisory Service\u2019s (LAS) lease extension calculator gives you a guide to the costs of extending the lease of a flat.\n\n## Changing the lease\n\nYou can negotiate certain changes to the lease, sometimes known as \u2018varying the lease\u2019. Speak to your landlord first.\n\nIf you cannot agree, you may be able to apply to a tribunal - contact Leasehold Advisory Service for advice.\n\n## Ending the lease\n\nIt\u2019s very rare that a landlord can end the lease and evict you. There are some circumstances and leases that let them do this, sometimes known as \u2018forfeiture proceedings\u2019. They need to send you a formal written notice and get the court\u2019s permission.\n\nYou can usually end a lease by giving at least 1 month\u2019s notice.\n\nThe LAS has information about ending a lease.\n\n## When the lease runs out\n\nYou do not have to leave the property when the lease expires. In law, a lease is a tenancy and the leaseholder is a tenant. The tenancy will continue on exactly the same terms unless you or the landlord decide to end it.\n\n## Buying the freehold\n\nYou can ask the landlord to sell you the freehold at any time.\n\nThere are different legal steps and rules depending on whether your home is a:\n\n- flat - you\u2019ll need to buy a share of the freehold\n\n- house - you may have the right to buy the freehold\n\n## Right of first refusal\n\nLandlords who want to sell the freehold of a building containing flats usually have to offer the leaseholders the first chance to buy it. This is known as your right of first refusal.\n\nThere are different rules and steps to buying the freehold of your home in Northern Ireland\n\n## Right to Manage and management disputes\n\nYou may be able to change the management of your building if you\u2019re unhappy with the way it\u2019s being run and you live in a leasehold flat. You can either:\n\n- ask a tribunal to appoint a new manager\n\n- take over the management responsibilities, known as your \u2018Right to Manage\u2019\n\n## Appoint a new manager\n\nYou must prove bad management if you want to appoint a new manager, for example:\n\n- you have to pay unreasonable service charges\n\n- the landlord has not complied with an approved code of management practice\n\nApply to a tribunal in England, or the Leasehold Valuation Tribunals in Wales.\n\nYou can only apply to the tribunal if you\u2019ve sent the landlord a \u2018Section 22 notice\u2019 - this gives them a chance to fix the problems. Contact Leasehold Advisory Service for advice.\n\n## Right to Manage\n\nThe Right to Manage lets you and the other leaseholders take over certain management responsibilities from the landlord without having to prove bad management.\n\nYou\u2019ll need to find out if you qualify - contact Leasehold Advisory Service for advice.\n\nYou and the other leaseholders can manage the building yourselves or pay a managing agent to do it.\n\n## Leasehold disputes\n\nThere is a different dispute process in Wales.\n\nYou can use a mediation service to help you and your landlord come to an agreement if you are in dispute about your lease. You might have to pay a fee.\n\nYou can also get free advice from the Leasehold Advisory Service (LAS) on issues like:\n\n- service charges\n\n- extending your lease\n\n- buying the freehold\n\n## Apply to a tribunal\n\nYou can apply to a tribunal if you\u2019re in a dispute with your landlord, for example:\n\n- service or administration charges\n\n- the cost of building insurance\n\n- appointment of a manager\n\n- Right to Manage\n\n- breach of a lease\n\n- varying a lease\n\n- recognising a tenants\u2019 association\n\n- buying the freehold\n\n- extending the lease\n\nApply to the Leasehold Valuation Tribunals if you\u2019re in Wales.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/leasehold-property", + "answerable": true, + "scenario": "I own a lease on a small apartment in a block in London, England, and have been a tenant there for over 15 years. The lease is, however, due to expire in three months time and I am worried that the property company which owns the freehold may evict me.", + "original_question": "Does the expiry of the lease also void my tenancy agreement with the landlord/freeholder?" + }, + { + "id": "train-810", + "question": "Scenario: I own the freeholds on three properties in Rhayader, Wales, which I am keen to sell to raise funds. Two of these are subdivided into flats, and have resident leaseholders who have expressed interest in acquiring their freeholds in the past.\n\nQuestion: Do I have to give these leaseholders first refusal on any sale of the freehold(s)?\n\nDocument - Leasehold property:\n## Overview\n\nYou only own a leasehold property for a fixed period of time.\n\nYou\u2019ll have a legal agreement with the landlord (sometimes known as the \u2018freeholder\u2019) called a \u2018lease\u2019. This tells you how many years you\u2019ll own the property.\n\nOwnership of the property returns to the landlord when the lease comes to an end.\n\nMost flats are leasehold. Houses can be leasehold too and usually are if they\u2019re bought through a shared ownership scheme.\n\nThe rules about leasehold property are different in Northern Ireland.\n\n## Leaseholder rights and responsibilities\n\n## Your responsibilities\n\nYour lease will tell you what conditions you\u2019ve agreed to, for example:\n\n- if you need permission to make alterations\n\n- how much you\u2019ll have to pay to maintain the property\n\n- whether you or your landlord has responsibility for repairs and dealing with noisy neighbours\n\nYou might be taken to court and be ordered to pay for any damage If you do not follow the conditions of the lease. The court may also take away your lease.\n\n## Your rights\n\nYou have the right to:\n\n- get information about service charges or insurance\n\n- know the landlord\u2019s (freeholder\u2019s) name and address\n\n- be consulted about certain maintenance and running costs\n\n- challenge certain charges under some circumstances\n\n## Service charges and other expenses\n\n## Service charges\n\nYour lease sets out the way the service charge is organised and what can be charged. If you pay a service charge, you have the right to:\n\n- ask for a summary showing how the charge is worked out and what it\u2019s spent on\n\n- see any paperwork supporting the summary, such as receipts\n\nYour landlord must give you this information - it\u2019s a criminal offence if they do not.\n\n## Ground rent\n\nYou do not have to pay ground rent unless your landlord has sent you a formal, written demand for it. They can take legal action if you do not pay after you\u2019ve received the demand.\n\nYour landlord can recover unpaid ground rent going back 6 years - they can ask you for the full amount in one go.\n\nYour landlord can only increase the ground rent if you agree to the increase or the lease says this can happen.\n\n## Building insurance\n\nYour landlord will usually be responsible for insurance of the building (not the contents) - this will be part of your service charge.\n\nYou have a right to:\n\n- ask for a summary of the insurance policy\n\n- challenge the cost through a tribunal if you think it\u2019s unreasonable\n\n## Reserve or sinking funds\n\nYou might have to pay into a fund to help cover any unexpected maintenance or repairs, like replacing the roof. There are rules about how landlords must manage these funds.\n\nYou will not usually be able to get back any money you pay into them, for example if you move house.\n\n## Consulting over charges\n\nYou have the right to be consulted about charges for running or maintaining the building if you have to pay more than:\n\n- \u00a3250 for planned work\n\n- \u00a3100 per year for work and services lasting more than 12 months\n\nThere are steps your landlord must follow when they consult you, known as a \u2018Section 20\u2019 consultation. There\u2019s a limit on how much you have to pay if you have not been consulted properly - contact Leasehold Advisory Service for advice.\n\n## Disputing a charge\n\nYou may be able to apply to a tribunal if you pay a charge and you:\n\n- think it\u2019s unreasonable\n\n- think the standard of work it relates to is unsatisfactory\n\n- do not think you should be paying it at all\n\nContact Leasehold Advisory Service for advice.\n\nYou cannot apply to the tribunal if:\n\n- you\u2019ve agreed to pay the charge\n\n- the dispute is already being dealt with, for example by the court\n\n- you pay a fixed charge\n\nTry mediation - you may also be able to change the management of your building instead.\n\nYour landlord can take you to court if you stop paying a charge you\u2019re responsible for.\n\n## More information\n\nThe Leasehold Advisory Service has more information on service charges and other issues.\n\n## Extending, changing or ending a lease\n\n## Extending the lease\n\nYou can ask the landlord to extend your lease at any time.\n\nYou might be able to extend your lease by:\n\n- 90 years on a flat if you qualify\n\n- 50 years on a house if you qualify\n\nThe Leasehold Advisory Service\u2019s (LAS) lease extension calculator gives you a guide to the costs of extending the lease of a flat.\n\n## Changing the lease\n\nYou can negotiate certain changes to the lease, sometimes known as \u2018varying the lease\u2019. Speak to your landlord first.\n\nIf you cannot agree, you may be able to apply to a tribunal - contact Leasehold Advisory Service for advice.\n\n## Ending the lease\n\nIt\u2019s very rare that a landlord can end the lease and evict you. There are some circumstances and leases that let them do this, sometimes known as \u2018forfeiture proceedings\u2019. They need to send you a formal written notice and get the court\u2019s permission.\n\nYou can usually end a lease by giving at least 1 month\u2019s notice.\n\nThe LAS has information about ending a lease.\n\n## When the lease runs out\n\nYou do not have to leave the property when the lease expires. In law, a lease is a tenancy and the leaseholder is a tenant. The tenancy will continue on exactly the same terms unless you or the landlord decide to end it.\n\n## Buying the freehold\n\nYou can ask the landlord to sell you the freehold at any time.\n\nThere are different legal steps and rules depending on whether your home is a:\n\n- flat - you\u2019ll need to buy a share of the freehold\n\n- house - you may have the right to buy the freehold\n\n## Right of first refusal\n\nLandlords who want to sell the freehold of a building containing flats usually have to offer the leaseholders the first chance to buy it. This is known as your right of first refusal.\n\nThere are different rules and steps to buying the freehold of your home in Northern Ireland\n\n## Right to Manage and management disputes\n\nYou may be able to change the management of your building if you\u2019re unhappy with the way it\u2019s being run and you live in a leasehold flat. You can either:\n\n- ask a tribunal to appoint a new manager\n\n- take over the management responsibilities, known as your \u2018Right to Manage\u2019\n\n## Appoint a new manager\n\nYou must prove bad management if you want to appoint a new manager, for example:\n\n- you have to pay unreasonable service charges\n\n- the landlord has not complied with an approved code of management practice\n\nApply to a tribunal in England, or the Leasehold Valuation Tribunals in Wales.\n\nYou can only apply to the tribunal if you\u2019ve sent the landlord a \u2018Section 22 notice\u2019 - this gives them a chance to fix the problems. Contact Leasehold Advisory Service for advice.\n\n## Right to Manage\n\nThe Right to Manage lets you and the other leaseholders take over certain management responsibilities from the landlord without having to prove bad management.\n\nYou\u2019ll need to find out if you qualify - contact Leasehold Advisory Service for advice.\n\nYou and the other leaseholders can manage the building yourselves or pay a managing agent to do it.\n\n## Leasehold disputes\n\nThere is a different dispute process in Wales.\n\nYou can use a mediation service to help you and your landlord come to an agreement if you are in dispute about your lease. You might have to pay a fee.\n\nYou can also get free advice from the Leasehold Advisory Service (LAS) on issues like:\n\n- service charges\n\n- extending your lease\n\n- buying the freehold\n\n## Apply to a tribunal\n\nYou can apply to a tribunal if you\u2019re in a dispute with your landlord, for example:\n\n- service or administration charges\n\n- the cost of building insurance\n\n- appointment of a manager\n\n- Right to Manage\n\n- breach of a lease\n\n- varying a lease\n\n- recognising a tenants\u2019 association\n\n- buying the freehold\n\n- extending the lease\n\nApply to the Leasehold Valuation Tribunals if you\u2019re in Wales.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/leasehold-property", + "answerable": true, + "scenario": "I own the freeholds on three properties in Rhayader, Wales, which I am keen to sell to raise funds. Two of these are subdivided into flats, and have resident leaseholders who have expressed interest in acquiring their freeholds in the past.", + "original_question": "Do I have to give these leaseholders first refusal on any sale of the freehold(s)?" + }, + { + "id": "train-812", + "question": "Scenario: I am interested in purchasing a property in a village in Somerset, and have been assured by the estate agent handling it that the property has increased substantially in value since it last changed hands. I have tried to verify this myself by consulting the land registry, but cannot find a corresponding entry in the online register!\n\nQuestion: Is there a way that I can consult the index map directly, to see if this information does in fact exist?\n\nDocument - Get information about property and land:\n## Overview\n\nYou can get information about registered property or land in England and Wales, even if you do not own it.\n\nThe type of information you can get includes the:\n\n- title register - who owns the property or land, and any rights of way\n\n- title number - the unique number given to a property or piece of land\n\n- title plan - the property or land\u2019s location and boundaries\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Search the land and property register\n\nGet copies of title register and title plan by searching the register.\n\n## Search the land and property index map\n\nAsk for a search of the index map if a property doesn\u2019t come up on a search of the register.\n\n## Get a copy of the deeds\n\nYou may be able to find out current and past information about a registered property, such as its previous owners by requesting a copy of the deeds.\n\n## Search property prices\n\nGet information about property prices by searching the house price index and the price paid data service.\n\n## Search the register\n\nHM Land Registry holds records about most property or land sold in England or Wales since 1993, including the title register, title plan and title summary.\n\n## Search the online register\n\nSearch the register by address or location.\n\nIf a property does not appear in a search, it may be filed under the wrong address. Ask for a search of the index map instead.\n\n## Title register\n\nThe title register has details about the property or land (in a PDF). It includes:\n\n- the title number\n\n- who owns it\n\n- what they paid for it (properties only, if available)\n\n- any rights of way\n\n- whether a mortgage on it has been \u2018discharged\u2019, for example paid off\n\n## Title summary\n\nThe title summary (viewable online) includes:\n\n- the title number\n\n- who owns it\n\n- what they paid for it\n\n- whether the property is freehold or leasehold (known as \u2018tenure\u2019)\n\n- the lender\u2019s name and address (if there is a mortgage on the property)\n\nThe lease will have more information if the property is a leasehold.\n\n## Title plan\n\nThe title plan is a map showing:\n\n- the property\u2019s location\n\n- the general boundaries - there\u2019s usually no record of exact boundaries\n\n## Buy copies of the information\n\nYou can download online copies of the information for a fee but you cannot use them as proof of ownership.\n\nTo get copies to use as proof of ownership (for example, in a court case) order official copies.\n\n## Ordering official copies\n\nDownload and fill in an application for official copies of documents and send it to HM Land Registry with your fee.\n\nYour copies will arrive in less than a week.\n\n## Fees\n\n| Document | Fee |\n\n| Title register (online copy) | \u00a33 |\n\n| Title plan (online copy) | \u00a32.50 (\u00a33 with VAT) |\n\n| Title register (official copy) | \u00a37 |\n\n| Title plan (official copy) | \u00a37 |\n\n## Rights over adjoining land and property boundaries\n\nThe title register may give you details about rights over adjoining land. Apply for a copy of the deeds if you need more information.\n\nTitle plans only give general boundary information. There\u2019s usually no record of exact boundaries.\n\n## Get historical title registers\n\nYou may be able to find out who owned the property before the current owner from a historical title register. It can also be useful if you\u2019re trying to find out how old a property is.\n\nAsk HM Land Registry to search who owned the property for a specific date or multiple dates.\n\n## For properties registered before 1993\n\nContact HM Land Registry with the:\n\n- title number or address of the property\n\n- date or dates you\u2019re applying for\n\nThey\u2019ll search their records and tell you if they have a copy, and how to apply for it.\n\n## For properties registered after 1993\n\nDownload and fill in form HC1. Send the form to HM Land Registry along with \u00a37 for each date you\u2019re applying for.\n\nThe results of your search will arrive in less than a week.\n\nIf you do not know the date you\u2019re searching for, contact HM Land Registry.\n\n## Search the index map\n\nThe index map contains information on all land and property that\u2019s registered or being registered with HM Land Registry.\n\nUse it to find the title number of a property that does not appear in a search of the register.\n\nSome properties do not appear in a search of the register because the property boundaries have changed since it was registered, or the property address has been spelled incorrectly, for example.\n\n## How to search\n\nYou cannot search the map yourself.\n\nYou should provide the address of the land or property (if it has one). If the land or property cannot be identified by the address you can provide:\n\n- a plan which clearly identifies the land or property\n\n- an Ordnance Survey map reference for the land or property\n\nDownload and fill in the application form and send it to HM Land Registry.\n\nHM Land Registry will send you the search results, including the title number or numbers under which the land or property is registered. You can use them to search the register.\n\nThe search will also confirm if the property or land is unregistered.\n\n## How much it costs\n\nIt costs \u00a34 to search an area covering up to 5 registered titles.\n\nIf your search covers more than 5 titles, HM Land Registry will contact you with an updated fee. You\u2019ll be charged \u00a32 for groups of 10 additional titles.\n\n## How long it takes\n\nThe results of your search will arrive in less than a week.\n\n## If you\u2019re searching the index map to apply for home rights\n\nYou must write \u2018This search is being made solely for the purposes of the Family Law Act 1996\u2019 across the top of the application form.\n\n## Get a copy of the deeds\n\nYou may be able to find out current and past information about a registered property, such as its previous owners in the deeds.\n\nThe register may give more details about rights over adjoining land.\n\nHM Land Registry does not store original paper deeds.\n\n## How to request a copy of the deeds\n\n- Find out if the property or land is registered.\n\n- Pay \u00a33 to download a copy of the title register. If the deeds are marked as \u2018filed\u2019 in the register then HM Land Registry has a scanned copy.\n\n- Fill in the deeds request form using the property\u2019s title number from the title register.\n\nYour search may return no results if HM Land Registry does not hold a scanned copy of the deeds.\n\nThe deeds could be made up of several documents. Each official copy of a document costs \u00a37.\n\nSend your completed form and payment to HM Land Registry.\n\nCopies of deeds cannot be used to prove ownership, for example in a court case. Get official copies of the title register instead.\n\n## If you\u2019re a business\n\nRegister for business e-services if you\u2019re a business that needs to manage multiple searches and download multiple copies of documents.\n\n## Search for property prices\n\nYou can search for how much a property sold for in England or Wales.\n\nYou can correct information about the sale price if you find any incorrect records.\n\nYou can also search UK house price averages by region, county or local authority on the house price index.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/get-information-about-property-and-land", + "answerable": true, + "scenario": "I am interested in purchasing a property in a village in Somerset, and have been assured by the estate agent handling it that the property has increased substantially in value since it last changed hands. I have tried to verify this myself by consulting the land registry, but cannot find a corresponding entry in the online register!", + "original_question": "Is there a way that I can consult the index map directly, to see if this information does in fact exist?" + }, + { + "id": "train-815", + "question": "Scenario: I own a four-bedroomed family home on the outskirts of Nuneaton, England, which I am now about to sell. This has been the main residence of myself and my partner and children for the past 18 years, and has a total footprint of just under 400 square meters if the garden is included.\n\nQuestion: Will I need to pay Capital Gains Tax on the sale of this house?\n\nDocument - Buying or selling your home:\n## Overview\n\nBuying or selling a home normally takes 2 to 3 months. The process can take longer if you\u2019re part of a chain of buyers and sellers.\n\nThere are several steps you\u2019ll need to follow:\n\n- sellers must provide an Energy Performance Certificate for the property\n\n- if a seller is using an estate agent, potential buyers must make any offers through the agent\n\n- once a buyer\u2019s offer has been accepted, the seller\u2019s responsible for drawing up a legal contract to transfer ownership\n\n- an offer is not legally binding until contracts are exchanged\n\n- depending on the amount given for property, the buyer may have to pay tax\n\nThis guide relates to England and Wales. Shelter has advice about buying and selling a home in Scotland.\n\n## If you\u2019re buying property with someone else\n\nYou can own a home with up to 3 other people. Find out more about the different types of joint property ownership.\n\n## Energy Performance Certificates\n\nEnergy Performance Certificates (EPCs) are needed whenever a property is:\n\n- built\n\n- sold\n\n- rented\n\nYou must order an EPC for potential buyers and tenants before you market your property to sell or rent.\n\nIn Scotland, you must display the EPC somewhere in the property, for example in the meter cupboard or next to the boiler.\n\nAn EPC contains:\n\n- information about a property\u2019s energy use and typical energy costs\n\n- recommendations about how to reduce energy use and save money\n\nAn EPC gives a property an energy efficiency rating from A (most efficient) to G (least efficient) and is valid for 10 years.\n\nCheck how you could make your home more energy efficient using the Energy Savings Trust\u2019s home energy check.\n\n## How to get an EPC\n\nYou\u2019ll need to find an accredited assessor if you\u2019re selling or renting out your home in:\n\n- England, Wales and Northern Ireland\n\n- Scotland\n\nThey\u2019ll assess your property and produce the certificate.\n\nYou can be fined if you do not get an EPC when you need one.\n\nThe person selling the house, the landlord or the letting agent must show you the EPC if you\u2019re buying or renting.\n\n## Buildings that do not need an EPC\n\nThese include:\n\n- places of worship\n\n- temporary buildings that will be used for less than 2 years\n\n- stand-alone buildings with total useful floor space of less than 50 square metres\n\n- industrial sites, workshops and non-residential agricultural buildings that do not use a lot of energy\n\n- some buildings that are due to be demolished\n\n- holiday accommodation that\u2019s rented out for less than 4 months a year or is let under a licence to occupy\n\n- listed buildings - you should get advice from your local authority conservation officer if the work would alter the building\u2019s character\n\n- residential buildings intended to be used less than 4 months a year\n\n## See other properties\u2019 EPCs\n\nYou can look at the EPCs of other properties free of charge. This lets you compare your home\u2019s energy performance with that of similar homes. You can search by the property\u2019s address or by the EPC\u2019s report reference number..\n\nYou can opt out of the EPC register if you do not want other people to be able to see your EPC.\n\n## Estate agents\n\nYou must sign a legally binding contract with an estate agent if you use one to sell your home.\n\nYou must stick to the terms of the contract or you could be taken to court.\n\nEstate agents must also treat buyers fairly. They must show any offers promptly and in writing to the person selling the house.\n\nEstate agents are also legally obliged to pass on any other offers for the property right up to when contracts are exchanged.\n\n## Complain about an estate agent\n\nYou must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:\n\n- The Property Ombudsman\n\n- Property Redress Scheme\n\nAsk the estate agent which scheme they belong to.\n\n## Offers\n\nA buyer must make an offer through the estate agent if a home is sold through one.\n\nA buyer can make their offer directly to the seller for a private sale.\n\nBuyers can make offers verbally (over the phone or in person) or in writing.\n\nAn offer is not legally binding in England and Wales until contracts are exchanged.\n\nIf a buyer makes an offer \u2018subject to contract\u2019, this means the price can still be negotiated (for example if a survey finds a problem with the property).\n\nThe law is different if you\u2019re making an offer for property in Scotland.\n\n## Transferring ownership (conveyancing)\n\n## Once the offer is accepted\n\nThe seller is responsible for drawing up a legal contract to transfer ownership.\n\nThe contract contains details about:\n\n- the sale price\n\n- the property boundaries\n\n- which fixtures and fittings (like carpets and kitchen units) are included\n\n- any legal restrictions or rights, like public footpaths or rules about using the property\n\n- any planning restrictions\n\n- services to the property, like drainage and gas\n\n- when the sale will complete\n\nIf the seller has hired a solicitor or conveyancer, they will:\n\n- draft the initial contract\n\n- answer questions from the buyer\u2019s solicitor or conveyancer (with the seller\u2019s help)\n\n- negotiate the details of the contract if necessary\n\n## Exchanging contracts\n\nWhen the buyer and seller are happy with the contract, both sides sign final copies and send them to each other.\n\nThe agreement to sell and buy is legally binding once this happens. Usually neither party can pull out without paying compensation.\n\n## Completion\n\nOnce you exchange contracts and deal with any remaining checks the buyer has asked for:\n\n- The money is transferred from the buyer to the seller.\n\n- The legal documents needed to transfer ownership are handed over to the buyer.\n\n- The seller moves out and leaves the property in the state agreed in the contract.\n\n- The seller hands over the keys to the buyer.\n\n- The property now belongs to the buyer.\n\nCitizens Advice has more advice about buying or selling your home.\n\n## Tax\n\nYou may need to pay:\n\n- Stamp Duty Land Tax when you buy a home in England\n\n- Land Transaction Tax when you buy a home in Wales\n\n- Capital Gains Tax when you sell a home\n\n## Stamp Duty Land Tax\n\n## If you buy between 8 July 2020 and 30 June 2021\n\nYou pay SDLT if you paid more than \u00a3500,000 for the property.\n\n## If you buy between 1 July 2021 and 30 September 2021\n\nYou pay SDLT if you paid more than \u00a3250,000 for the property.\n\n## If you buy from 1 October 2021\n\nYou pay SDLT if you paid more than \u00a3125,000 for the property. This threshold also applies to any property bought before 8 July 2020.\n\nYou still have to pay if you swap something of economic value for a property, for example shares or another property.\n\n## If you\u2019re buying your first home\n\nFrom 1 July 2021 you do not have to pay SDLT if the property is \u00a3300,000 or less.\n\n## Capital Gains Tax\n\nYou do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:\n\n- you\u2019ve lived in it as your main home for all the time you\u2019ve owned it\n\n- you have not let part of it out or used part of it for business only\n\n- the grounds, including the buildings, are smaller than 5,000 square metres (just over an acre)\n\nThis is because you automatically get a tax relief called Private Residence Relief. You do not need to do anything.\n\nIf you do not meet all these criteria you may have to pay some Capital Gains Tax.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/buy-sell-your-home", + "answerable": true, + "scenario": "I own a four-bedroomed family home on the outskirts of Nuneaton, England, which I am now about to sell. This has been the main residence of myself and my partner and children for the past 18 years, and has a total footprint of just under 400 square meters if the garden is included.", + "original_question": "Will I need to pay Capital Gains Tax on the sale of this house?" + }, + { + "id": "train-816", + "question": "Scenario: I live in Scotland, am a professional landlord and am currently in the process of buying a new property to add to my portfolio. The sale is being done through an estate agent, and he has just provided an updated Energy Performance Certificate for the property (the previous owner not having obtained one).\n\nQuestion: Am I legally required to show this EPC to any prospective tenants?\n\nDocument - Buying or selling your home:\n## Overview\n\nBuying or selling a home normally takes 2 to 3 months. The process can take longer if you\u2019re part of a chain of buyers and sellers.\n\nThere are several steps you\u2019ll need to follow:\n\n- sellers must provide an Energy Performance Certificate for the property\n\n- if a seller is using an estate agent, potential buyers must make any offers through the agent\n\n- once a buyer\u2019s offer has been accepted, the seller\u2019s responsible for drawing up a legal contract to transfer ownership\n\n- an offer is not legally binding until contracts are exchanged\n\n- depending on the amount given for property, the buyer may have to pay tax\n\nThis guide relates to England and Wales. Shelter has advice about buying and selling a home in Scotland.\n\n## If you\u2019re buying property with someone else\n\nYou can own a home with up to 3 other people. Find out more about the different types of joint property ownership.\n\n## Energy Performance Certificates\n\nEnergy Performance Certificates (EPCs) are needed whenever a property is:\n\n- built\n\n- sold\n\n- rented\n\nYou must order an EPC for potential buyers and tenants before you market your property to sell or rent.\n\nIn Scotland, you must display the EPC somewhere in the property, for example in the meter cupboard or next to the boiler.\n\nAn EPC contains:\n\n- information about a property\u2019s energy use and typical energy costs\n\n- recommendations about how to reduce energy use and save money\n\nAn EPC gives a property an energy efficiency rating from A (most efficient) to G (least efficient) and is valid for 10 years.\n\nCheck how you could make your home more energy efficient using the Energy Savings Trust\u2019s home energy check.\n\n## How to get an EPC\n\nYou\u2019ll need to find an accredited assessor if you\u2019re selling or renting out your home in:\n\n- England, Wales and Northern Ireland\n\n- Scotland\n\nThey\u2019ll assess your property and produce the certificate.\n\nYou can be fined if you do not get an EPC when you need one.\n\nThe person selling the house, the landlord or the letting agent must show you the EPC if you\u2019re buying or renting.\n\n## Buildings that do not need an EPC\n\nThese include:\n\n- places of worship\n\n- temporary buildings that will be used for less than 2 years\n\n- stand-alone buildings with total useful floor space of less than 50 square metres\n\n- industrial sites, workshops and non-residential agricultural buildings that do not use a lot of energy\n\n- some buildings that are due to be demolished\n\n- holiday accommodation that\u2019s rented out for less than 4 months a year or is let under a licence to occupy\n\n- listed buildings - you should get advice from your local authority conservation officer if the work would alter the building\u2019s character\n\n- residential buildings intended to be used less than 4 months a year\n\n## See other properties\u2019 EPCs\n\nYou can look at the EPCs of other properties free of charge. This lets you compare your home\u2019s energy performance with that of similar homes. You can search by the property\u2019s address or by the EPC\u2019s report reference number..\n\nYou can opt out of the EPC register if you do not want other people to be able to see your EPC.\n\n## Estate agents\n\nYou must sign a legally binding contract with an estate agent if you use one to sell your home.\n\nYou must stick to the terms of the contract or you could be taken to court.\n\nEstate agents must also treat buyers fairly. They must show any offers promptly and in writing to the person selling the house.\n\nEstate agents are also legally obliged to pass on any other offers for the property right up to when contracts are exchanged.\n\n## Complain about an estate agent\n\nYou must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:\n\n- The Property Ombudsman\n\n- Property Redress Scheme\n\nAsk the estate agent which scheme they belong to.\n\n## Offers\n\nA buyer must make an offer through the estate agent if a home is sold through one.\n\nA buyer can make their offer directly to the seller for a private sale.\n\nBuyers can make offers verbally (over the phone or in person) or in writing.\n\nAn offer is not legally binding in England and Wales until contracts are exchanged.\n\nIf a buyer makes an offer \u2018subject to contract\u2019, this means the price can still be negotiated (for example if a survey finds a problem with the property).\n\nThe law is different if you\u2019re making an offer for property in Scotland.\n\n## Transferring ownership (conveyancing)\n\n## Once the offer is accepted\n\nThe seller is responsible for drawing up a legal contract to transfer ownership.\n\nThe contract contains details about:\n\n- the sale price\n\n- the property boundaries\n\n- which fixtures and fittings (like carpets and kitchen units) are included\n\n- any legal restrictions or rights, like public footpaths or rules about using the property\n\n- any planning restrictions\n\n- services to the property, like drainage and gas\n\n- when the sale will complete\n\nIf the seller has hired a solicitor or conveyancer, they will:\n\n- draft the initial contract\n\n- answer questions from the buyer\u2019s solicitor or conveyancer (with the seller\u2019s help)\n\n- negotiate the details of the contract if necessary\n\n## Exchanging contracts\n\nWhen the buyer and seller are happy with the contract, both sides sign final copies and send them to each other.\n\nThe agreement to sell and buy is legally binding once this happens. Usually neither party can pull out without paying compensation.\n\n## Completion\n\nOnce you exchange contracts and deal with any remaining checks the buyer has asked for:\n\n- The money is transferred from the buyer to the seller.\n\n- The legal documents needed to transfer ownership are handed over to the buyer.\n\n- The seller moves out and leaves the property in the state agreed in the contract.\n\n- The seller hands over the keys to the buyer.\n\n- The property now belongs to the buyer.\n\nCitizens Advice has more advice about buying or selling your home.\n\n## Tax\n\nYou may need to pay:\n\n- Stamp Duty Land Tax when you buy a home in England\n\n- Land Transaction Tax when you buy a home in Wales\n\n- Capital Gains Tax when you sell a home\n\n## Stamp Duty Land Tax\n\n## If you buy between 8 July 2020 and 30 June 2021\n\nYou pay SDLT if you paid more than \u00a3500,000 for the property.\n\n## If you buy between 1 July 2021 and 30 September 2021\n\nYou pay SDLT if you paid more than \u00a3250,000 for the property.\n\n## If you buy from 1 October 2021\n\nYou pay SDLT if you paid more than \u00a3125,000 for the property. This threshold also applies to any property bought before 8 July 2020.\n\nYou still have to pay if you swap something of economic value for a property, for example shares or another property.\n\n## If you\u2019re buying your first home\n\nFrom 1 July 2021 you do not have to pay SDLT if the property is \u00a3300,000 or less.\n\n## Capital Gains Tax\n\nYou do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:\n\n- you\u2019ve lived in it as your main home for all the time you\u2019ve owned it\n\n- you have not let part of it out or used part of it for business only\n\n- the grounds, including the buildings, are smaller than 5,000 square metres (just over an acre)\n\nThis is because you automatically get a tax relief called Private Residence Relief. You do not need to do anything.\n\nIf you do not meet all these criteria you may have to pay some Capital Gains Tax.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/buy-sell-your-home", + "answerable": true, + "scenario": "I live in Scotland, am a professional landlord and am currently in the process of buying a new property to add to my portfolio. The sale is being done through an estate agent, and he has just provided an updated Energy Performance Certificate for the property (the previous owner not having obtained one).", + "original_question": "Am I legally required to show this EPC to any prospective tenants?" + }, + { + "id": "train-818", + "question": "Scenario: I have been a housing association tenant in Bradford, England for two years and three months, and was a council tenant for the eight years preceding that period. I am now looking to acquire the house in which I currently reside from the landlord, who acquired it in late 2004.\n\nQuestion: Does my council tenancy count towards the three year qualifying period for Right to Acquire?\n\nDocument - Right to Acquire: buying your housing association home:\n## Overview\n\nRight to Acquire allows most housing association tenants to buy their home at a discount. You apply using the Right to Acquire application form.\n\nYou can apply to buy your housing association home if you\u2019ve had a public sector landlord for 3 years. These landlords include:\n\n- housing associations\n\n- councils\n\n- the armed services\n\n- NHS trusts and foundation trusts\n\n## Eligible properties\n\nYour property must either have been:\n\n- built or bought by a housing association after 31 March 1997 (and funded through a social housing grant provided by the Housing Corporation or local council)\n\n- transferred from a local council to a housing association after 31 March 1997\n\nYour landlord must be registered with the Regulator of Social Housing.\n\nThe home you want to buy must also be:\n\n- a self-contained property\n\n- your only or main home\n\n## Joint applications\n\nYou can make a joint application with:\n\n- someone who shares your tenancy\n\n- up to 3 family members who\u2019ve lived with you for the past 12 months (even if they don\u2019t share your tenancy)\n\n## Who doesn\u2019t qualify\n\nYou can\u2019t use Right to Acquire if:\n\n- you\u2019re being made bankrupt\n\n- a court has ordered you to leave your home\n\n- you\u2019re a council tenant \u2013 you may be able to use Right to Buy instead\n\n- you have \u2018Preserved Right to Buy\u2019\n\n## Discounts\n\nYou can get a discount of between \u00a39,000 and \u00a316,000 on the price of your property.\n\nThe amount of discount you\u2019ll get depends on where you live in the UK.\n\nYour landlord will tell you what discount you\u2019ll get when you apply to buy your home. You can also download a table of discounts, broken down by location.\n\nYour discount might be reduced if you\u2019ve used Right to Acquire or Right to Buy in the past.\n\n## Applying\n\n- Fill in the Right to Acquire application form\n\n- Send it to your landlord.\n\n- Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why. You can\u2019t appeal against the landlord\u2019s decision.\n\n- If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.\n\nYour landlord might offer you the choice of buying your home, or another empty one that they own. You don\u2019t have to accept the other property and your landlord doesn\u2019t have to offer you one.\n\n## Your landlord\u2019s offer\n\nIf your landlord agrees to sell, their offer will tell you:\n\n- the price they think you should pay for the property and how it was worked out\n\n- your discount and how it was worked out\n\n- a description of the property and any land included in the price\n\n- estimates of any service charge (for a flat or maisonette) for the first 5 years\n\n- any known problems with the property\u2019s structure, eg subsidence\n\n## Deciding to buy\n\nOnce you get your landlord\u2019s offer, you have 12 weeks to tell them that you still want to buy.\n\nIf you don\u2019t reply, the landlord will send you a reminder (called an \u2018RTA4\u2019). You\u2019ll have a reasonable time (at least 28 days) to reply. If you don\u2019t, your landlord will send a final reminder (called an \u2018RTA5\u2019). If you don\u2019t reply to that, your landlord can drop your application.\n\nYou can pull out of the sale and continue to rent at any time.\n\n## If you disagree with the landlord\u2019s offer\n\nContact your landlord and tell them why.\n\nIf you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask for an independent valuation.\n\nA district valuer from HM Revenue & Customs will visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.\n\n## Selling your home\n\nIf you sell your home within 10 years of buying it through Right to Acquire, you must first offer it to your old landlord.\n\nThe property should be sold at the full market price agreed between you and the landlord.\n\nIf you can\u2019t agree, a district valuer will say how much your home is worth and set the price. You won\u2019t have to pay for their valuation.\n\nIf the landlord doesn\u2019t agree to buy your home within 8 weeks, you can sell it to anyone.\n\n## Paying back your discount\n\nIf you sell your home within 5 years of buying it, you\u2019ll have to pay back some or all of the discount you got.\n\nIf you sell within the first year, you\u2019ll have to pay back all of the discount. On top of this, the amount you pay back depends on the value of your home when you sell it. So, if you got a 10% discount, you\u2019ll have to pay back 10% of the selling price.\n\nIf you sell after the first year, the total amount you pay back reduces. You pay back:\n\n- 80% of the discount in the second year\n\n- 60% of the discount in the third year\n\n- 40% of the discount in the fourth year\n\n- 20% of the discount in the fifth year\n\n## Help and advice\n\nThe Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.\n\nYou can also get advice on Right to Acquire from:\n\n- Citizens Advice\n\n- Shelter\n\n- your local Law Centre", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/right-to-acquire-buying-housing-association-home", + "answerable": true, + "scenario": "I have been a housing association tenant in Bradford, England for two years and three months, and was a council tenant for the eight years preceding that period. I am now looking to acquire the house in which I currently reside from the landlord, who acquired it in late 2004.", + "original_question": "Does my council tenancy count towards the three year qualifying period for Right to Acquire?" + }, + { + "id": "train-821", + "question": "Scenario: I own a large (ca. 1,500 square metres of sales space) high-street electronics store in a town in southern England, which operates a free like-for-like takeback service when selling new products to customers, in addition to taking back any 'very small WEEE' items that they bring in.\n\nQuestion: Is it required to take back 'very small WEEE' from non-customers too?\n\nDocument - Electrical waste: retailer and distributor responsibilities:\n## Your responsibilities\n\nYou have certain responsibilities if you sell electrical and electronic equipment (EEE).\n\nYou must provide a way for your customers to dispose of their old household electrical and electronic equipment when you sell them a new version of the same item.\n\nThe waste electrical and electronic equipment (WEEE) regulations apply regardless of how you sell the products, whether direct or by internet, mail order or telephone.\n\nYou must either:\n\n- provide a free, in store, take back service to your customers\n\n- set up an alternative, free take back service\n\nIf you do not have your own take back service, you must join the Distributor Takeback Scheme (DTS).\n\nYou can be prosecuted if you do not comply with the regulations.\n\n## Tell your customers which service you provide\n\nYou must provide free written information to your customers on:\n\n- which take back service you provide, including collect on delivery\n\n- how they can reuse and recycle electrical and electronic equipment\n\n- why this waste needs to be separated from other waste\n\n- the damaging effects of not recycling electrical and electronic equipment\n\n- the meaning of the crossed-out wheelie bin symbol\n\n## Shops\n\nYou can provide this information by, for example:\n\n- displaying posters in your store about which service you provide\n\n- including information leaflets with the electrical and electronic equipment you sell\n\n## Online retailers\n\nYou must publish this information on your website. You can download free customer information if you offer a take back service. DTS members can get these from the scheme.\n\nYou have other responsibilities if you\u2019re a \u2018producer\u2019 - for example you make and sell EEE under your own brand, or sell it in UK from abroad.\n\n## Take back waste in store\n\nYou must offer to take back waste of the same type as the item your customers buy from you, regardless of:\n\n- whether they buy in-store, online or by mail order\n\n- the brand of the item\n\nYou must also take back items that have the same function. For example, you would:\n\n- take back a customer\u2019s old kettle when they buy a new one\n\n- take back a video player if the customer buys a DVD player\n\nYou must:\n\n- offer the in-store service for free - but you can charge to cover transport costs if you\u2019re collecting items from customers\u2019 homes\n\n- give customers at least 28 days to bring back their waste item\n\n- take back all types of electrical and electronic equipment that you sell - you can choose to extend your service to cover all kinds of electrical and electronic waste\n\n## Small electronic equipment\n\n\u2018Very small WEEE\u2019 are items of waste electrical and electronic equipment that are less than 25cm on their longest side.\n\nYou must take back all items of \u2018very small WEEE\u2019 in store if your electrical and electronic equipment sales area is greater than 400 square metres including aisle, display and shelf space.\n\nYou must provide this service to everyone for free, regardless of whether they\u2019ve bought anything from your store.\n\nYou\u2019re exempt if you\u2019ve joined the Distributor Takeback Scheme (DTS) or an assessment shows you already have an effective system.\n\n## Store waste\n\nCheck the conditions to see if you can store the waste temporarily before you dispose of it.\n\n## Dispose of waste\n\nTo dispose of the waste you\u2019ve collected you can do one of the following.\n\n## Producer compliance schemes\n\nContact a producer compliance scheme (PCS).\n\nThe PCS will arrange for the waste to be recycled or prepared for re-use at an Approved Authorised Treatment Facility (AATF).\n\nYou may be charged for the collection and transportation of the waste to the AATF or the PCS collection point.\n\n## Transport the waste yourself\n\nYou can transport the waste to an AATF or PCS collection point yourself.\n\nYou need to register as a waste carrier in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nYou may also need to follow the rules on transporting hazardous waste in:\n\n- England and Wales\n\n- Scotland\n\n- Northern Ireland\n\n## Keep records\n\nYou must keep records of all electrical and electronic waste that you collect and dispose of - you can use a template.\n\nInclude the number of units you\u2019ve received through take back and say how many of these were returned to a PCS.\n\nYou need to keep all documentation you make, or are given by the PCS or the AATF, when you dispose of electrical and electronic waste.\n\nYou also need to keep records of how you tell customers about your take back scheme.\n\nKeep all your records for 4 years.\n\n## Set up an alternative take back service\n\nYou can set up a \u2018designated collection facility\u2019 (DCF) where your customers can take all types of electrical and electronic waste.\n\nYou can do this on your own or with other distributors.\n\nYou must follow the waste electrical and electronic equipment (WEEE) regulations, other waste management legislation and local planning requirements when managing a DCF.\n\nYou must agree with a producer compliance scheme (PCS) to return the electrical and electronic equipment (EEE) direct to an Approved Authorised Treatment Facility (AATF).\n\n## Use the Distributor Takeback Scheme\n\nYou can use the Distributor Takeback Scheme (DTS) instead of providing a takeback service, if either of the following apply:\n\n- your business sells less than \u00a3100,000 of electrical and electronic equipment (EEE) per year\n\n- you only sell online\n\nIf your business sells \u00a3100,000 or more of EEE per year and has physical stores, you cannot use the DTS after 31 December 2020. You\u2019ll need to take back waste in store or set up an alternative collection point instead.\n\n## How the scheme works\n\nYou pay a fee that covers your waste electrical and electronic equipment (WEEE) obligations until 31 December 2021. The amount you pay depends on:\n\n- the size of your business\n\n- whether you only sell online\n\n- how much EEE you sell\n\nThis money goes towards supporting the recycling centres run by local authorities.\n\nYou\u2019ll need to keep a record of what information you give to your customers about where they should take their WEEE.\n\n## If you do not comply\n\nIf you fail to comply with the waste electrical and electronic equipment (WEEE) regulations, you can be prosecuted and fined up to \u00a35,000 at a magistrates\u2019 court, or get an unlimited fine from a Crown Court.\n\nYou may sometimes get warning letters and formal cautions before a prosecution.\n\nThe Office for Product Safety and Standards enforces these regulations. You can contact them online, call or write to them.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "answerable": true, + "scenario": "I own a large (ca. 1,500 square metres of sales space) high-street electronics store in a town in southern England, which operates a free like-for-like takeback service when selling new products to customers, in addition to taking back any 'very small WEEE' items that they bring in.", + "original_question": "Is it required to take back 'very small WEEE' from non-customers too?" + }, + { + "id": "train-824", + "question": "Scenario: I live in a small cottage in the Mendips, which lies at one end of a valley whose land is owned by a single farmer who recently removed a hedgerow without obtaining permission. After both I and a local conservation charity had complained about this the local council issued him with a hedgerow replacement notice. He has not complied with this, however, and is now launching an appeal to the planning inspectorate.\n\nQuestion: Will I be able to comment on his appeal if I don't have access to internet?\n\nDocument - Appeal a hedgerow notice:\n## When you can appeal\n\nYour council makes decisions about hedgerow notices.\n\nYou can appeal a decision if they\u2019ve sent you either:\n\n- a retention notice, saying you cannot remove a hedgerow\n\n- a replacement notice, telling you to replace a hedgerow you\u2019ve already removed\n\nOnly the person who made the application can appeal.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nYou must appeal within 28 days of the date on the council\u2019s notice.\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 31 weeks.\n\n## How to appeal\n\nFill in a hedgerow appeal form.\n\nYou also need:\n\n- a copy of your original application\n\n- the reason for your appeal\n\n- a copy of the local planning authority\u2019s decision notice\n\n- any other documents that directly support your appeal\n\nEmail these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post.\n\n## Comment on an appeal\n\nAnyone can comment on a hedgerow appeal.\n\nBecause of coronavirus (COVID-19), you cannot currently comment by post. You can still comment by email.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. You\u2019ll normally get a decision within 31 weeks.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/appeal-hedgerow-notice", + "answerable": true, + "scenario": "I live in a small cottage in the Mendips, which lies at one end of a valley whose land is owned by a single farmer who recently removed a hedgerow without obtaining permission. After both I and a local conservation charity had complained about this the local council issued him with a hedgerow replacement notice. He has not complied with this, however, and is now launching an appeal to the planning inspectorate.", + "original_question": "Will I be able to comment on his appeal if I don't have access to internet?" + }, + { + "id": "train-825", + "question": "Scenario: I purchased my current family home in Norwich, England from the local council 9 years ago under the right-to-buy scheme. With my children having now grown up and left home my partner and I are now looking to sell the house and retire to something a little smaller.\n\nQuestion: Can I now sell my home to whomever I like on the open market?\n\nDocument - Right to Buy: buying your council home:\n## Overview\n\nRight to Buy allows most council tenants to buy their council home at a discount. Use the eligibility checker on the Own Your Home website to find out if you can apply.\n\nThere are different rules for Wales, Scotland and Northern Ireland.\n\nYou can apply to buy your council home if:\n\n- it\u2019s your only or main home\n\n- it\u2019s self-contained\n\n- you\u2019re a secure tenant\n\n- you\u2019ve had a public sector landlord (for example, a council, housing association or NHS trust) for 3 years - it does not have to be 3 years in a row\n\n## Joint applications\n\nYou can make a joint application with:\n\n- someone who shares your tenancy\n\n- up to 3 family members who\u2019ve lived with you for the past 12 months (even if they do not share your tenancy)\n\n## Ex-council homes\n\nIf your home used to be owned by the council, but they sold it to another landlord (like a housing association) while you were living in it, you may have the Right to Buy. This is called \u2018Preserved Right to Buy\u2019.\n\nAsk your landlord if this applies to you.\n\n## Other ways to buy your home\n\nIf you were not living in your home when it was sold by the council you may still be able to buy it through the Voluntary Right to Buy pilot.\n\n## Discounts\n\nYou can get a discount on the market value of your home when you buy it if you qualify for Right to Buy.\n\nThe maximum discount is \u00a384,600 across England, except in London boroughs where it is \u00a3112,800. It will increase each year in April in line with the consumer price index (CPI).\n\nThe discount is based on:\n\n- how long you\u2019ve been a tenant with a public sector landlord\n\n- the type of property you\u2019re buying - a flat or house\n\n- the value of your home\n\nIf you\u2019re buying with someone else, you count the years of whoever\u2019s been a public sector tenant the longest.\n\nYou\u2019ll usually have to repay some or all your discount if you sell your home within 5 years.\n\nYou might get a smaller discount if you\u2019ve used Right to Buy in the past.\n\n## Working out the discount\n\nUse the Right to Buy calculator to find out how much discount you could get.\n\nThere are different discount levels for houses and flats.\n\n## Houses\n\nYou get a 35% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.\n\nAfter 5 years, the discount goes up 1% for every extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).\n\n## Flats\n\nYou get a 50% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.\n\nAfter 5 years, the discount goes up by 2% for each extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).\n\n## If your landlord has spent money on your home\n\nYour discount will be less if your landlord has spent money building or maintaining your home:\n\n- in the last 10 years - if your landlord built or acquired your home before 2 April 2012\n\n- in the last 15 years - if you\u2019re buying your home through Preserved Right to Buy, or if your landlord acquired your home after 2 April 2012\n\nYou will not get any discount if your landlord has spent more money than your home is now worth.\n\n## Applying\n\n- Fill in the Right to Buy application form (RTB1 notice).\n\n- Send it to your landlord.\n\n- Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why.\n\n- If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.\n\n## Your landlord's offer\n\nIf your landlord agrees to sell, their offer will tell you:\n\n- the price they think you should pay for the property and how it was worked out\n\n- your discount and how it was worked out\n\n- a description of the property and any land included in the price\n\n- estimates of any service charges (for a flat or maisonette) for the first 5 years\n\n- any known problems with the property\u2019s structure, for example, subsidence\n\n## Deciding to buy\n\nYou have 12 weeks after you get your landlord\u2019s offer to tell them you still want to buy.\n\nThe landlord will send you a reminder if you do not reply to the offer. You have 28 days to reply to the reminder, or the landlord could drop your application.\n\nYou can pull out of the sale and continue to rent at any time.\n\n## If you disagree with the landlord\u2019s offer\n\nContact your landlord and tell them why.\n\nIf you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask them for an independent valuation.\n\nA district valuer from HM Revenue and Customs (HMRC) will then visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.\n\n## Appeals\n\nYou can appeal to a tribunal if you\u2019re stopped from buying your home because it\u2019s suitable for housing elderly people.\n\nYou must appeal within 56 days of the council turning down your application.\n\n## Delays\n\nYour landlord must complete parts of your Right to Buy application within set time limits.\n\nYou could get a reduction in the sale price if they do not.\n\n## Applying for a reduction because of a delay\n\nFill in the \u2018Initial notice of delay\u2019 form (RTB6) and send it to your landlord.\n\nYour landlord must then either move the sale along within 1 month or send you a \u2018counter notice\u2019. The counter notice will say that they\u2019ve already replied or explain why they cannot speed things up.\n\nIf your landlord does not reply within a month of getting the RTB6, fill in the \u2018Operative notice of delay\u2019 form (RTB8). This means that any rent you pay while you\u2019re waiting to hear from your landlord could be taken off the sale price.\n\nYou can do this each time your landlord is late getting back to you.\n\n## Selling your home\n\nIf you sell your home within 10 years of buying it through Right to Buy, you must first offer it to either:\n\n- your old landlord\n\n- another social landlord in the area\n\nThe property should be sold at the full market price agreed between you and the landlord.\n\nIf you cannot agree, a district valuer will say how much your home is worth and set the price. You will not have to pay for their valuation.\n\nYou can sell your home to anyone if the landlord does not agree to buy it within 8 weeks.\n\n## Paying back your discount\n\nYou\u2019ll have to pay back some or all of the discount you got if you sell your Right to Buy home within 5 years of buying it.\n\nYou\u2019ll have to pay back all of the discount if you sell within the first year. After that, the total amount you pay back reduces to:\n\n- 80% of the discount in the second year\n\n- 60% of the discount in the third year\n\n- 40% of the discount in the fourth year\n\n- 20% of the discount in the fifth year\n\nThe amount you pay back depends on the value of your home when you sell it.\n\nYou may not have to pay back the discount if you transfer ownership of your home to a member of your family. You\u2019ll need to agree this first with your landlord and then get a solicitor to do this for you.\n\n## Rural homes\n\nYour former landlord may limit who you can sell your home to if your home is in:\n\n- a national park\n\n- an area of outstanding natural beauty\n\n- an area the government says is rural for Right to Buy\n\nFor example, you may have to sell your home to someone who\u2019s lived or worked in the area for more than 3 years. This may mean you have difficulty getting a mortgage to buy your home.\n\nYour landlord will tell you if this could apply to your home when you apply for Right to Buy.\n\n## Help and advice\n\nYou can get free advice about:\n\n- how to complete your Right to Buy application\n\n- whether the scheme is right for you\n\n- how much it will cost you\n\n- your eligibility\n\nAsk your landlord about Right to Buy. They may also be able to help you complete the application form.\n\n## Right to Buy Agent service\n\nThe Right to Buy Agent service offers free advice on things like:\n\n- the Right to Buy process\n\n- eligibility\n\n- filling out your application form\n\n- where you can get financial and legal advice\n\n- what to do if your application is delayed\n\n## Money Advice Service\n\nThe Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.\n\n## Other help\n\nRead the Right to Buy summary booklet and the Right to Buy guidance.\n\nYou can also get advice on Right to Buy from:\n\n- the Own Your Home website\n\n- Citizens Advice\n\n- Shelter\n\n- your local Law Centre", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "answerable": true, + "scenario": "I purchased my current family home in Norwich, England from the local council 9 years ago under the right-to-buy scheme. With my children having now grown up and left home my partner and I are now looking to sell the house and retire to something a little smaller.", + "original_question": "Can I now sell my home to whomever I like on the open market?" + }, + { + "id": "train-827", + "question": "Scenario: I am a letting agent working for an agency in Coventry, England. One of our client landlords has asked us to perform right-to-rent checking as part of our upcoming background check on a prospective tenant, but this is not specifically referenced in the current terms and conditions of our current contract.\n\nQuestion: Can we skip the current term and include this check later?\n\nDocument - Check your tenant's right to rent:\n## Who you have to check\n\nYou must check that a tenant or lodger can legally rent your residential property in England.\n\nCheck with the Home Office if the tenant is a Commonwealth citizen but does not have the right documents - they might still have the right to rent in the UK.\n\nBefore the start of a new tenancy, you must check all tenants aged 18 and over, even if:\n\n- they\u2019re not named on the tenancy agreement\n\n- there\u2019s no tenancy agreement\n\n- the tenancy agreement is not in writing\n\nCheck all new tenants. It\u2019s against the law to only check people you think are not British citizens. You must not discriminate against anyone because of where they\u2019re from.\n\nSign up for email updates about the right to rent policy.\n\nIf the tenant is only allowed to stay in the UK for a limited time, you need to do the check in the 28 days before the start of the tenancy.\n\nYou do not need to check tenants in these types of accommodation:\n\n- social housing\n\n- a care home, hospice or hospital\n\n- a hostel or refuge\n\n- a mobile home\n\n- student accommodation\n\nYou also do not need to check tenants if they live in accommodation that:\n\n- is provided by a local authority\n\n- is provided as part of their job (known as \u2018tied accommodation\u2019)\n\n- has a lease that\u2019s 7 years or longer\n\nRead the code of practice to find out if you need to do any other checks instead.\n\n## How to do a check\n\nBecause of coronavirus (COVID-19) there are temporary changes to the way you can check documents. Read guidance about the adjusted process, including asking for documents digitally, making checks on a video call, and what to do if someone cannot provide any accepted documents.\n\n- Check which adults will use your property as their main home (your \u2018tenants\u2019).\n\n- Ask them for original documents that prove they can live in the UK.\n\n- Check their documents to see if they have the right to rent your property.\n\n- Check that each tenant\u2019s documents are genuine and belong to them, with the tenant present.\n\n- Make and keep copies of the documents and record the date you made the check.\n\nYou can get an unlimited fine or be sent to prison for renting your property to someone who is not allowed to stay in England.\n\n## Checking EU, EEA and Swiss citizens\n\nRight to rent checks continue in the same way as now until 30 June 2021 for citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein.\n\nContinue checking their passport or national identity card as before. For family members of citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein, follow the usual guidance for documents you can accept for right to rent checks.\n\nYou cannot insist that citizens of the EU, Switzerland, Norway, Iceland and Liechtenstein show that they have settled status or pre-settled status when starting a new tenancy before 1 July. You can however ask if they have settled or pre-settled status, and whether they want to use this instead of a passport or identity card.\n\nIf the tenancy starts on or after 1 July 2021 but you check their right to rent before this, you can still use their passport or national identity card.\n\n## Check if the property is used as the tenant\u2019s main home\n\nA property would usually be a tenant\u2019s only or main home if:\n\n- they live there most of the time\n\n- they keep most of their belongings there\n\n- their partner or children live with them\n\n- they\u2019re registered to vote at the property\n\n- they\u2019re registered with the doctor using that address\n\n## Check their original documents\n\nYou need to check that:\n\n- the documents are originals and belong to the tenant\n\n- their permission to stay in the UK has not ended\n\n- the photos on the documents are of the tenant\n\n- the dates of birth are the same in all documents (and are believable)\n\n- the documents are not too damaged or do not look like they\u2019ve been changed\n\n- if any names are different on documents, there are supporting documents to show why, such as a marriage certificate or divorce decree\n\n## If the tenant does not have the right documents\n\nYou must use the landlord\u2019s checking service to check whether the tenant\u2019s allowed to rent without the right documents if:\n\n- the Home Office has their documents\n\n- they have an outstanding case or appeal with the Home Office\n\n- the Home Office told them they have \u2018permission to rent\u2019\n\nYou\u2019ll get an answer within 2 working days.\n\nYou\u2019ll need the tenant\u2019s Home Office reference number to use the service.\n\nDo not rent a property to someone in England if they do not have the right documents and the landlord\u2019s checking service tells you they are not allowed to rent.\n\n## Get help with a check\n\nCall the landlord\u2019s helpline to get help with a check.\n\nYou must follow the landlord\u2019s code of practice on illegal immigrants and private rented accommodation.\n\n## Making copies of the documents\n\nWhen you copy the documents:\n\n- make a copy that cannot be changed, such as a photocopy or a good quality photograph\n\n- for passports, copy every page with the expiry date or applicant\u2019s details (such as nationality, date of birth and photograph), including endorsements, for example a work visa or Certificate of Entitlement to the right of abode in the UK\n\n- copy both sides of biometric residence permits\n\n- make a complete copy of all other documents\n\n- record the date you made the copy\n\nKeep copies of the tenant\u2019s documents for the time they\u2019re your tenants and for one year after.\n\nMake sure you follow data protection law.\n\nIf your tenant does not have any documents, you must check if they\u2019re allowed to rent your property.\n\n## Follow-up checks\n\nYou must do a follow-up check to make sure your tenant can still rent property in the UK if there\u2019s a time limit on their permission to stay.\n\nYou can get a fine if you do not do a follow-up check and your tenant\u2019s permission to stay ends.\n\nDo the follow-up check just before the date that\u2019s the later of:\n\n- the end of your tenant\u2019s permission to stay in the UK\n\n- 12 months after your previous check\n\nBecause of coronavirus (COVID-19) there are temporary changes to the way you can check documents. Read guidance about the adjusted process, including asking for documents digitally, making checks on a video call, and what to do if someone cannot provide any accepted documents.\n\nYou do not have to do a follow-up check if there\u2019s no time limit on your tenant\u2019s permission to stay in the UK.\n\n## If your tenant fails a follow-up check\n\nYou must tell the Home Office if you find out that your tenant can no longer legally rent property in England after doing a follow-up check.\n\nYou could be fined or sent to prison for up to 5 years if your tenant fails a follow-up check and you do not report it to the Home Office.\n\n## Agents and subletting\n\nYou can ask any agents that manage or let your property to carry out the check for you. You should have this agreement in writing.\n\nIf a tenant sub-lets the property without you knowing, they\u2019re responsible for carrying out checks on any sub-tenants. They will be liable for any civil penalties if they do not do the check correctly.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/check-tenant-right-to-rent-documents", + "answerable": true, + "scenario": "I am a letting agent working for an agency in Coventry, England. One of our client landlords has asked us to perform right-to-rent checking as part of our upcoming background check on a prospective tenant, but this is not specifically referenced in the current terms and conditions of our current contract.", + "original_question": "Can we skip the current term and include this check later?" + }, + { + "id": "train-830", + "question": "Scenario: I live in a village in SW England and am a keen recreational walker. A nearby farm has recently changed hands, and the new owner is refusing to allow a formerly permissive path across his land to be used as a right of way. However, I have uncovered evidence that this may have been a formal right of way in the past.\n\nQuestion: Can I gain access to this (former) right on way on this basis?\n\nDocument - Rights of way and accessing land:\n## Overview\n\nYou have the right to access some land for walking or certain other leisure activities.\n\nYou can:\n\n- use public roads and pavements or public rights of way, for example footpaths or bridleways\n\n- use your right to roam on open access land including mountains, moors, heaths, downs, common land and some land around the England Coast Path\n\nIf neither of these apply, you may still be able to access private land if:\n\n- the land was used as a public right of way in the past - check old maps and documents\n\n- the land was accessed by the public for at least 20 years and nobody has asked them to stop\n\n- the landowner has given permission (\u2018permissive access\u2019)\n\nHelp protect the natural environment by following the Countryside Code.\n\n## Use public rights of way\n\nYou can walk on all public rights of way.\n\nSome public rights of way are also open to horse riders, cyclists or motorists.\n\nYou can use:\n\n- footpaths - for walking, running, mobility scooters or powered wheelchairs\n\n- bridleways - for walking, horse riding, bicycles, mobility scooters or powered wheelchairs\n\n- restricted byways - for any transport without a motor and mobility scooters or powered wheelchairs\n\n- byways open to all traffic - for any kind of transport, including cars (but they\u2019re mainly used by walkers, cyclists and horse riders)\n\n## Rights of way in England, Wales and Northern Ireland\n\nPublic rights of way are marked with signs or coloured arrows, for example yellow for footpaths, blue for bridleways.\n\nYou can find the route of public rights of way:\n\n- on Ordnance Survey and other maps\n\n- on some council websites\n\n## Rights of way in Scotland\n\nYou can find rights of way through the charity Scotways.\n\n## Report problems with a right of way\n\nContact the local council to report a problem, for example obstructions, poor maintenance or a misleading sign.\n\n## Change a public right of way\n\nContact the local council about adding, changing or removing a public right of way temporarily or permanently.\n\nYou can contact the Local Government Ombudsman if you think your council has not dealt with your enquiry properly.\n\n## Use your right to roam\n\nYou can access some land across England without having to use paths - this land is known as \u2018open access land\u2019 or \u2018access land\u2019.\n\nAccess land includes mountains, moors, heaths and downs that are privately owned. It also includes common land registered with the local council and some land around the England Coast Path.\n\nYour right to access this land is called the \u2018right to roam\u2019, or \u2018freedom to roam\u2019.\n\n## What you can and cannot do\n\nYou can use access land for walking, running, watching wildlife and climbing.\n\nThere are certain activities you cannot usually do on open access land, including:\n\n- horse-riding\n\n- cycling\n\n- camping\n\n- taking animals other than dogs on to the land\n\n- driving a vehicle (except mobility scooters and powered wheelchairs)\n\n- water sports\n\nBut you can use access land for horse-riding and cycling if:\n\n- the landowner allows it\n\n- public bridleways or byways cross the land \u2013 horse riders and cyclists can ride along these\n\n- there are local traditions, or rights, of access\n\n## Dogs on open access land\n\nYou must keep your dog on a lead no more than 2 metres long on open access land:\n\n- between 1 March and 31 July - to protect ground-nesting birds\n\n- at all times around livestock\n\nOn land next to the England Coast Path you must keep your dog under close control.\n\nThere may be other local or seasonal restrictions. These do not apply to public rights of way or assistance dogs.\n\n## Excepted land\n\nOn access land some areas remain private (\u2018excepted land\u2019). You do not have the right to access these areas, even if they appear on a map of open access land.\n\nExcepted land includes:\n\n- houses, buildings and the land they\u2019re on (such as courtyards)\n\n- land used to grow crops\n\n- building sites and land that\u2019s being developed\n\n- parks and gardens\n\n- golf courses and racecourses\n\n- railways and tramways\n\n- working quarries\n\nUse public rights of way to cross excepted land.\n\n## Find open access land\n\nSearch for open access land in England and find out about land that\u2019s currently closed to walkers.\n\nFind open access land in Wales.\n\nContact the local council to find common land near you.\n\n## Report problems with open access land\n\nYou can report problems to the local access authority - contact them through the local council.\n\nIf the problem is in a national park, you can contact them directly.\n\nYou can also contact the Open Access Contact Centre for information about open access land in England.\n\n## Access private land\n\nYou may be able to access private land if the landowner has agreed to let people use it, for example for walking, cycling or horse riding (sometimes known as giving \u2018permissive access\u2019). Look for signs.\n\nSearch for farms and other land with access for schools, families and other groups.\n\nSearch for land of outstanding scenic or scientific interest, including land with permissive access, in the HM Revenue and Customs (HMRC) directory.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/right-of-way-open-access-land", + "answerable": true, + "scenario": "I live in a village in SW England and am a keen recreational walker. A nearby farm has recently changed hands, and the new owner is refusing to allow a formerly permissive path across his land to be used as a right of way. However, I have uncovered evidence that this may have been a formal right of way in the past.", + "original_question": "Can I gain access to this (former) right on way on this basis?" + }, + { + "id": "train-831", + "question": "Scenario: I live in England and frequently backpack in the hills during my vacation periods. A favourite area of mine has recently been designated as \"open access land\", and I am considering camping there in the near future.\n\nQuestion: Is there a general right to camp on open access land?\n\nDocument - Rights of way and accessing land:\n## Overview\n\nYou have the right to access some land for walking or certain other leisure activities.\n\nYou can:\n\n- use public roads and pavements or public rights of way, for example footpaths or bridleways\n\n- use your right to roam on open access land including mountains, moors, heaths, downs, common land and some land around the England Coast Path\n\nIf neither of these apply, you may still be able to access private land if:\n\n- the land was used as a public right of way in the past - check old maps and documents\n\n- the land was accessed by the public for at least 20 years and nobody has asked them to stop\n\n- the landowner has given permission (\u2018permissive access\u2019)\n\nHelp protect the natural environment by following the Countryside Code.\n\n## Use public rights of way\n\nYou can walk on all public rights of way.\n\nSome public rights of way are also open to horse riders, cyclists or motorists.\n\nYou can use:\n\n- footpaths - for walking, running, mobility scooters or powered wheelchairs\n\n- bridleways - for walking, horse riding, bicycles, mobility scooters or powered wheelchairs\n\n- restricted byways - for any transport without a motor and mobility scooters or powered wheelchairs\n\n- byways open to all traffic - for any kind of transport, including cars (but they\u2019re mainly used by walkers, cyclists and horse riders)\n\n## Rights of way in England, Wales and Northern Ireland\n\nPublic rights of way are marked with signs or coloured arrows, for example yellow for footpaths, blue for bridleways.\n\nYou can find the route of public rights of way:\n\n- on Ordnance Survey and other maps\n\n- on some council websites\n\n## Rights of way in Scotland\n\nYou can find rights of way through the charity Scotways.\n\n## Report problems with a right of way\n\nContact the local council to report a problem, for example obstructions, poor maintenance or a misleading sign.\n\n## Change a public right of way\n\nContact the local council about adding, changing or removing a public right of way temporarily or permanently.\n\nYou can contact the Local Government Ombudsman if you think your council has not dealt with your enquiry properly.\n\n## Use your right to roam\n\nYou can access some land across England without having to use paths - this land is known as \u2018open access land\u2019 or \u2018access land\u2019.\n\nAccess land includes mountains, moors, heaths and downs that are privately owned. It also includes common land registered with the local council and some land around the England Coast Path.\n\nYour right to access this land is called the \u2018right to roam\u2019, or \u2018freedom to roam\u2019.\n\n## What you can and cannot do\n\nYou can use access land for walking, running, watching wildlife and climbing.\n\nThere are certain activities you cannot usually do on open access land, including:\n\n- horse-riding\n\n- cycling\n\n- camping\n\n- taking animals other than dogs on to the land\n\n- driving a vehicle (except mobility scooters and powered wheelchairs)\n\n- water sports\n\nBut you can use access land for horse-riding and cycling if:\n\n- the landowner allows it\n\n- public bridleways or byways cross the land \u2013 horse riders and cyclists can ride along these\n\n- there are local traditions, or rights, of access\n\n## Dogs on open access land\n\nYou must keep your dog on a lead no more than 2 metres long on open access land:\n\n- between 1 March and 31 July - to protect ground-nesting birds\n\n- at all times around livestock\n\nOn land next to the England Coast Path you must keep your dog under close control.\n\nThere may be other local or seasonal restrictions. These do not apply to public rights of way or assistance dogs.\n\n## Excepted land\n\nOn access land some areas remain private (\u2018excepted land\u2019). You do not have the right to access these areas, even if they appear on a map of open access land.\n\nExcepted land includes:\n\n- houses, buildings and the land they\u2019re on (such as courtyards)\n\n- land used to grow crops\n\n- building sites and land that\u2019s being developed\n\n- parks and gardens\n\n- golf courses and racecourses\n\n- railways and tramways\n\n- working quarries\n\nUse public rights of way to cross excepted land.\n\n## Find open access land\n\nSearch for open access land in England and find out about land that\u2019s currently closed to walkers.\n\nFind open access land in Wales.\n\nContact the local council to find common land near you.\n\n## Report problems with open access land\n\nYou can report problems to the local access authority - contact them through the local council.\n\nIf the problem is in a national park, you can contact them directly.\n\nYou can also contact the Open Access Contact Centre for information about open access land in England.\n\n## Access private land\n\nYou may be able to access private land if the landowner has agreed to let people use it, for example for walking, cycling or horse riding (sometimes known as giving \u2018permissive access\u2019). Look for signs.\n\nSearch for farms and other land with access for schools, families and other groups.\n\nSearch for land of outstanding scenic or scientific interest, including land with permissive access, in the HM Revenue and Customs (HMRC) directory.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/right-of-way-open-access-land", + "answerable": true, + "scenario": "I live in England and frequently backpack in the hills during my vacation periods. A favourite area of mine has recently been designated as \"open access land\", and I am considering camping there in the near future.", + "original_question": "Is there a general right to camp on open access land?" + }, + { + "id": "train-837", + "question": "Scenario: I am the owner-occupier of a house in Birmingham, where I live with my wife. My wife became a paraplegic as a result of a traffic accident three years ago, and this has required us to extend our house to provide extra storage space for her mobility aids.\n\nQuestion: If the extension moves our house into a higher council tax band, can I claim a discount on the basis of my wife's disability?\n\nDocument - Council Tax:\n## Working out your Council Tax\n\nYou\u2019ll need to know 3 things:\n\n- the valuation band for your home in England and Wales or in Scotland\n\n- how much your local council charges for that band\n\n- whether you can get a discount or exemption from the full bill\n\nYou may be able to get Council Tax Reduction (this used to be called Council Tax Benefit) if you\u2019re on a low income or get benefits.\n\nYou can challenge your Council Tax band if you think your home is in the wrong valuation band.\n\n## Changes that may affect your Council Tax band\n\nYour property may be revalued and put in a different band in some circumstances, for example if:\n\n- you demolish part of your property and do not rebuild it\n\n- you alter your property to create 2 or more self-contained units, for example an annexe - each unit will have its own band\n\n- you split a single property into self-contained flats\n\n- you convert flats into a single property\n\n- you start or stop working from home\n\n- the previous owner made changes to your property\n\n- there are significant changes to your local area, like a new road being built\n\n- a similar property in your area has its Council Tax band changed\n\nAsk the Valuation Office Agency (VOA) if you want to know if changes to your property will affect your Council Tax band.\n\n## Who has to pay\n\nYou\u2019ll usually have to pay Council Tax if you\u2019re 18 or over and own or rent a home.\n\nA full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.\n\nYou\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:\n\n- you live on your own\n\n- no-one else in your home counts as an adult\n\nYou\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.\n\nYou will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.\n\nApply for a Council Tax discount.\n\n## Who does not count as an adult?\n\nThese people are not counted as adults for Council Tax:\n\n- children under 18\n\n- people on some apprentice schemes\n\n- 18 and 19-year-olds in full-time education\n\n- full-time college and university students\n\n- young people under 25 who get funding from the Skills Funding Agency or Young People\u2019s Learning Agency\n\n- student nurses\n\n- foreign language assistants registered with the British Council\n\n- people with a severe mental impairment\n\n- live-in carers who look after someone who is not their partner, spouse, or child under 18\n\n- diplomats\n\nContact your local council if you\u2019re unsure about whether you can get a discount or who\u2019s responsible for paying.\n\n## People on apprentice schemes\n\nTo show that you do not qualify as an adult for Council Tax, you\u2019ll need a declaration from your employer stating that:\n\n- you will not be paid more than \u00a3195 a week\n\n- the training leads to a qualification accredited by a body recognised by the Office of Qualifications and Examinations Regulation (Ofqual) or the Scottish Vocational Education Council (SVEC)\n\n## If you get a Council Tax discount by mistake\n\nYou must tell your council. If you do not, you could get a fine.\n\nThe council may ask you to pay back the discount.\n\n## Discounts for full-time students\n\nHouseholds where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.\n\nTo count as a full-time student, your course must:\n\n- last at least 1 year\n\n- involve at least 21 hours study per week\n\nIf you study for a qualification up to A level and you\u2019re under 20, your course must:\n\n- last at least 3 months\n\n- involve at least 12 hours study per week\n\nYou\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.\n\n## Discounts for disabled people\n\nPeople who are severely mentally impaired are not included when working out Council Tax.\n\nYou also are not included if you\u2019re a live-in carer looking after someone who is not your partner, spouse, or child under 18.\n\nApply for a Council Tax discount.\n\n## Disabled Band Reduction Scheme\n\nYou may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.\n\nYou\u2019ll have to show that you\u2019ve either:\n\n- an extra bathroom, kitchen or other room that you need for the disabled person\n\n- extra space inside the property for using a wheelchair\n\nThe property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.\n\nCheck if you qualify for the scheme.\n\n## Second homes and empty properties\n\nYou may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.\n\nCouncils can charge extra Council Tax for empty properties.\n\n## Second homes\n\nYou may pay less Council Tax for a property you own or rent that\u2019s not your main home.\n\nCouncils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.\n\n## Empty properties\n\nYou\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.\n\nYou can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).\n\nThe rules are different in Scotland.\n\n## When you do not pay Council Tax\n\nIf you\u2019re selling a property on behalf of an owner who\u2019s died, you won\u2019t need to pay Council Tax until after you get probate as long as the property remains empty. After probate is granted, you may be able to get a Council Tax exemption for another 6 months if the property is both:\n\n- unoccupied\n\n- still owned and in the name of the person who died\n\nSome homes do not get a Council Tax bill for as long as they stay empty. They include homes:\n\n- of someone in prison (except for not paying a fine or Council Tax)\n\n- of someone who\u2019s moved into a care home or hospital\n\n- that have been repossessed\n\n- that cannot be lived in by law, for example if they\u2019re derelict\n\n- that are empty because they\u2019ve been compulsory purchased and will be demolished\n\nYou may get a discount if your home is undergoing major repair work or structural changes, for example your walls are being rebuilt.\n\n## If your property\u2019s been refurbished\n\nYour council will tell you when you have to start paying Council Tax if you\u2019ve been carrying out major home improvements on an empty property or building a new property.\n\nYou\u2019ll get a \u2018completion notice\u2019 that tells you the date you must start paying Council Tax.\n\n## If your property\u2019s derelict\n\nYour property\u2019s only considered derelict if it:\n\n- is not possible to live in it, for example because it\u2019s been damaged by weather, rot or vandalism\n\n- would need major structural works to make it \u2018wind and watertight\u2019 again\n\nYou can challenge your Council Tax band if you think a derelict property should be removed from the Council Tax valuation list.\n\n## Paying your bill\n\nYour Council Tax bill tells you:\n\n- how much you have to pay for the year\n\n- how that amount has been worked out\n\n- the dates you have to pay\n\nThe cost is usually split into 10 monthly payments. Contact your council immediately if you\u2019re having trouble paying - they can help you, for example by spreading your payments over 12 months instead of 10.\n\nThe council can take action to reclaim any debts you owe if you get behind with your payments.\n\n## Ways to pay\n\nYou can usually pay your Council Tax online.\n\nYou can also use \u2018Paypoint\u2019, \u2018Payzone\u2019 or \u2018Quickcards\u2019 for cash payments at post offices, banks, newsagents and convenience stores.\n\nCheck your bill to find out which other payment methods you can use.\n\n## If you\u2019ve overpaid\n\nContact your local council if you\u2019ve paid too much Council Tax and have not received an automatic refund.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/council-tax", + "answerable": true, + "scenario": "I am the owner-occupier of a house in Birmingham, where I live with my wife. My wife became a paraplegic as a result of a traffic accident three years ago, and this has required us to extend our house to provide extra storage space for her mobility aids.", + "original_question": "If the extension moves our house into a higher council tax band, can I claim a discount on the basis of my wife's disability?" + }, + { + "id": "train-838", + "question": "Scenario: I own and manage a farm in rural Kent, which currently covers 520 hectares. I recently built a new extension to a listed building (a stable block) on my land, but have received an enforcement notice from my local council to remove it on the grounds that I violated the terms of the relevant planning permission.\n\nQuestion: Can I lodge an appeal against this notice by post?\n\nDocument - Appeal an enforcement notice:\n## When you can appeal\n\nYour local planning authority may send you an enforcement notice if you\u2019ve built or changed something without planning permission.\n\nYou can appeal against an enforcement notice if you own, rent or lawfully occupy the property or land it applies to.\n\nAnyone can comment on an appeal.\n\nThere\u2019s no fee for appealing, unless you also apply for planning permission.\n\n## Deadline for appealing\n\nYour appeal must be received before the date the enforcement notice takes effect.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long planning appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one enforcement notice you must make a separate appeal for each. Each person should appeal separately.\n\nYou also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit:\n\n- a copy of your enforcement notice\n\n- a plan (if there is one)\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on an enforcement notice appeal. Find the case on the appeals casework portal.\n\nThe deadline for comments is 6 weeks after the start date of the appeal.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you the start date, what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/appeal-enforcement-notice", + "answerable": true, + "scenario": "I own and manage a farm in rural Kent, which currently covers 520 hectares. I recently built a new extension to a listed building (a stable block) on my land, but have received an enforcement notice from my local council to remove it on the grounds that I violated the terms of the relevant planning permission.", + "original_question": "Can I lodge an appeal against this notice by post?" + }, + { + "id": "train-841", + "question": "Scenario: I am a prospective tenant, who is considering taking out an assured shorthold tenancy on a 2-bedroom flat in Oxford. I will be unable to finance the required deposit myself; however, my parents have agreed to pay part of it for me.\n\nQuestion: Will contributions to my deposit by my parents be treated differently from my own money?\n\nDocument - Deposit protection schemes and landlords:\n## Overview\n\nYou must place your tenants\u2019 deposit in a tenancy deposit protection (TDP) scheme if you rent out your home on an assured shorthold tenancy that started after 6 April 2007.\n\nIf you receive a valuable item as a deposit instead of money (for example a car or watch), you do not have to put it in a TDP.\n\nThese government-backed schemes ensure your tenants will get their deposit back if they:\n\n- meet the terms of your tenancy agreement\n\n- do not damage the property\n\n- pay the rent and bills\n\nYou (or your letting agent) must put your tenants\u2019 deposit in the scheme within 30 days of getting it.\n\n## Available schemes\n\nYou can use any of the following schemes if your property is in England or Wales:\n\n- Deposit Protection Service\n\n- MyDeposits\n\n- Tenancy Deposit Scheme\n\nThere are separate TDP schemes in Scotland and Northern Ireland.\n\nAll TDP schemes offer you 2 options:\n\n- the scheme hold the deposit for free - known as a \u2018custodial\u2019 scheme\n\n- you or the agent holds the deposit and you pay the scheme to insure it - known as an \u2018insured\u2019 scheme\n\n## At the end of the tenancy\n\nThe deposit must be returned to your tenants within 10 days of you both agreeing how much they\u2019ll get back.\n\n## If you\u2019re in a dispute with your tenants\n\nThe deposit is protected in the scheme until the issue is settled.\n\nIf you\u2019re in an \u2018insured\u2019 scheme, you or the agent must give the deposit to the TDP scheme. They will hold it until the issue is settled.\n\n## Holding deposits\n\nIf you\u2019ve received a holding deposit from your future tenants (money to \u2018hold\u2019 a property before an agreement is signed), you do not have to protect it. Once they become tenants the holding deposit becomes a deposit, and you must protect it.\n\n## Deposits made by a third party\n\nYou must use a TDP scheme even if the deposit is paid by someone else, like a rent deposit scheme or a tenant\u2019s parents.\n\n## Information you must give to your tenants\n\nWithin 30 days of getting their deposit, you must tell your tenants:\n\n- the address of the rented property\n\n- how much deposit they\u2019ve paid\n\n- how the deposit is protected\n\n- the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service\n\n- your (or your letting agency\u2019s) name and contact details\n\n- the name and contact details of any third party who paid the deposit\n\n- why you would keep some or all of the deposit - for example, because your tenants damaged the property and you need to fix it\n\n- how to apply to get the deposit back at the end of the tenancy\n\n- what to do if they cannot get hold of you at the end of the tenancy\n\n- what to do if there\u2019s a dispute over the amount of deposit to be returned at the end of the tenancy\n\n## If you do not protect your tenants' deposit\n\nYour tenants can apply to a county court if you do not use a tenancy deposit protection (TDP) scheme when you have to. They can do this at any time during the tenancy.\n\nIf the court finds you have not protected the deposit, it can order you to either:\n\n- repay it to your tenants\n\n- pay it into a custodial TDP scheme\u2019s bank account within 14 days\n\nThe court may also order you to repay your tenants up to 3 times their original deposit within 14 days of making the order.\n\n## At the end of the tenancy\n\nThe court may also decide that your tenants do not have to leave the property when the tenancy ends if you did not use a TDP scheme when you should have.\n\n## Disputes\n\nUse your tenancy deposit protection (TDP) scheme\u2019s free dispute resolution service if you disagree with your tenants about how much deposit should be returned.\n\nContact your TDP scheme for more information on the dispute resolution service. The schemes are:\n\n- Deposit Protection Service\n\n- MyDeposits\n\n- Tenancy Deposit Scheme\n\n## Help and advice\n\nYou can get more help and advice from:\n\n- your local Citizens Advice Bureau\n\n- a solicitor", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/deposit-protection-schemes-and-landlords", + "answerable": true, + "scenario": "I am a prospective tenant, who is considering taking out an assured shorthold tenancy on a 2-bedroom flat in Oxford. I will be unable to finance the required deposit myself; however, my parents have agreed to pay part of it for me.", + "original_question": "Will contributions to my deposit by my parents be treated differently from my own money?" + }, + { + "id": "train-843", + "question": "Scenario: I live in a small village in the Quantocks, and am active in the Campaign to Protect Rural England. Last year a local shopkeeper attempted to gain planning permission to install some hideous steel shutters on the front of his shop as a security measure; however, this was refused after opposing comments by myself and several others. However, I have now been notified that he intends to appeal this refusal to the planning inspectorate.\n\nQuestion: Can I comment on the storekeeper's appeal to the planning inspectorate?\n\nDocument - Appeal a minor commercial development decision:\n## When you can appeal\n\nYour local planning authority makes decisions on applications about minor commercial developments, for example ground floor alterations like shop fronts and security shutters.\n\nYou can appeal a minor commercial development decision if you disagree with it.\n\nThere\u2019s no fee for appealing.\n\nOnly the person who made the application can appeal.\n\n## Deadline for appealing\n\nYou must appeal within 12 weeks of the date on the decision notice from your local planning authority.\n\nThe deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the site ownership certificate\n\n- the local planning authority\u2019s decision notice\n\nYou\u2019ll also need to submit:\n\n- a map of the surrounding area\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nNo-one can comment on a minor commercial development decision appeal.\n\nYour local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.\n\nThey have to do this within 5 working days of the appeal being started by the Planning Inspectorate.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "answerable": true, + "scenario": "I live in a small village in the Quantocks, and am active in the Campaign to Protect Rural England. Last year a local shopkeeper attempted to gain planning permission to install some hideous steel shutters on the front of his shop as a security measure; however, this was refused after opposing comments by myself and several others. However, I have now been notified that he intends to appeal this refusal to the planning inspectorate.", + "original_question": "Can I comment on the storekeeper's appeal to the planning inspectorate?" + }, + { + "id": "train-846", + "question": "Scenario: I am owed a small amount of money from a debtor which I would like to chase as a matter of principle. I live in London. The debt is a result of a private loan I made to a friend which remains unpaid\n\nQuestion: Does my location have any bearing on whether I can bankrupt my debtor?\n\nDocument - Apply to bankrupt someone who owes you money:\n## Overview\n\nYou have to present a bankruptcy petition to a court if you want to bankrupt someone because they owe you money.\n\nThere are also other ways to recover money you\u2019re owed.\n\nA bankruptcy petition is an application to the court for someone\u2019s assets to be taken and sold to pay their debts.\n\nPresenting a petition can be complicated. Most people use a solicitor or other professional to help them.\n\nUsing a mediation service could be quicker and cheaper. Mediation is when an impartial person helps 2 sides work out an agreement.\n\nYou can contact the Insolvency Service if you have questions about making someone bankrupt.\n\n## How to present a petition\n\n- Prove you\u2019re owed at least \u00a35,000 or a share of debts totalling at least \u00a35,000.\n\n- Check for other bankruptcy petitions against the person who owes you money (the \u2018debtor\u2019).\n\n- Fill in the forms and deliver them to the court.\n\n## Fees\n\nThe court fees to make someone bankrupt are:\n\n- \u00a3990 petition deposit (for managing the bankruptcy)\n\n- \u00a3280 for court costs\n\nPay the fees using cash, postal order or a cheque made payable to \u2018HM Courts and Tribunals Service\u2019. You can pay by credit or debit card if you apply online.\n\n## Prove you're owed \u00a35,000 or more\n\nTo make someone bankrupt you must be owed one of the following:\n\n- at least \u00a35,000\n\n- a share of debts that total at least \u00a35,000\n\nYou must provide evidence to the court that you\u2019re owed this money. There are 2 ways to do this.\n\nIf you\u2019ve issued a statutory demand (a request for payment) to the debtor, confirm that you did this by filling in a certificate of service (form N215).\n\nAlternatively, get a sheriff\u2019s or bailiff\u2019s statement showing:\n\n- you got a court judgment for the money\n\n- the sheriff or bailiff could not recover enough assets to pay the debt\n\n## Check for other bankruptcy petitions\n\nYou must check if the debtor has had any bankruptcy petitions against them in the past 18 months. These checks are called \u2018searches\u2019.\n\nMost petitions are presented in the area where the debtor lives. Government departments, including HM Revenue and Customs (HMRC), present all petitions in London.\n\n## Check for petitions presented in London\n\nCarry out checks using the public computers at either:\n\n- the Rolls Building of the Royal Courts of Justice\n\n- the Central London County Court\n\nIt costs \u00a311 to use the computers for 15 minutes. You can pay by debit or credit card or with cash.\n\n## Check for petitions presented in a county court outside London\n\nContact the county court for the area where the debtor lives.\n\nThey\u2019ll advise you how to check for petitions.\n\n## When you\u2019ve made your checks\n\nYou must confirm you\u2019ve carried out the searches by writing a declaration - use the wording below and fill in the petition number and the name of the court if applicable.\n\nSign and date the declaration and attach it to your petition form.\n\n## If there\u2019s already a petition or bankruptcy order\n\nIt\u2019s cheaper to support an existing petition than to present your own. Notify the petitioner using the contact details on the petition.\n\nIf there\u2019s already a bankruptcy order, you cannot continue with your petition. Register as a creditor instead.\n\n## Apply\n\nThe bankruptcy petition form you fill in depends on whether:\n\n- the debtor has not responded to a statutory demand\n\n- the sheriff or bailiff could not recover enough assets to pay the debt\n\nYou\u2019ll also need to provide the following as part of the petition:\n\n- a statement of truth confirming the details of your petition\n\n- a declaration that you\u2019ve carried out searches\n\n- evidence you\u2019re owed money\n\n## Presenting the petition\n\nHow you present the petition will depend on the debtor\u2019s circumstances.\n\nSubmit the petition online if the debtor either:\n\n- lives in London and owes you \u00a350,000 or more\n\n- has \u2018no fixed abode\u2019 (no fixed or regular address)\n\nIt\u2019ll go to the High Court.\n\nOtherwise, give the petition in person to the county court nearest to where the debtor lives or works.\n\n## If the debtor owns a business\n\nChoose the court nearest to the debtor\u2019s business address unless this changed in the last 6 months and they\u2019ve been at their home address longer.\n\n## After you apply\n\nYou\u2019ll need to give (\u2018serve\u2019) a copy of the petition to the debtor in person.\n\nIf the debtor has an individual voluntary arrangement (IVA) you\u2019ll also need to give a copy to the supervisor.\n\nSend the court a certificate of service (form N215) to confirm you\u2019ve done this.\n\nIf your case is with the High Court you can only submit the certificate of service online. If it\u2019s with another court you can send it there by post.\n\n## If you cannot serve the petition to the debtor in person\n\nYou can ask the court for permission to serve it in another way, for example by post.\n\nYou\u2019ll have to provide a certificate of service confirming you\u2019ve used a \u2018substituted service\u2019.\n\n## Court hearing\n\nThe court will tell you where and when the petition will be heard. This will be at least 14 days after you served the petition to the debtor.\n\nThe debtor can oppose the petition by giving the court a statement of truth at least 5 days before the hearing.\n\nYou must list the people that you want to appear and speak at the hearing.\n\nThe debtor and a supervisor of an IVA can also appear and speak at the hearing.\n\nAt the end of the hearing the court can:\n\n- stay (delay or stop) the petition\n\n- dismiss the petition\n\n- adjourn (postpone) the hearing\n\n- make a bankruptcy order\n\nIf the court dismisses your petition, you\u2019ll get your petition deposit back.\n\nRead more about what happens after a bankruptcy order is made.\n\n## After the hearing\n\nAn Official Receiver at the Insolvency Service will deal with the early stages of a bankruptcy. They will contact you within 12 weeks of the bankruptcy order being made.\n\n## Appeals\n\nYou can appeal to the court if your petition is rejected.\n\nCheck with the court where you made your petition for how to appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-to-bankrupt-someone", + "answerable": true, + "scenario": "I am owed a small amount of money from a debtor which I would like to chase as a matter of principle. I live in London. The debt is a result of a private loan I made to a friend which remains unpaid", + "original_question": "Does my location have any bearing on whether I can bankrupt my debtor?" + }, + { + "id": "train-848", + "question": "Scenario: I live in England . I have an unpaid mortgage due to the change of my income. I was hospitalized the whole of last year due to long terms covid Complications and lost my job.The lender has taken repossession action against me.\n\nQuestion: Can i get a legal aid?\n\nDocument - Repossession:\n## Get advice\n\nYou may be able to postpone or stop your home being repossessed.\n\nCheck if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\nFind a solicitor.\n\nYou can also get free advice from:\n\n- Citizens Advice\n\n- National Debtline\n\n- Shelter\n\n- your local council\n\nThe law for repossession in Scotland is different.\n\n## Before it goes to court\n\n## What your mortgage lender must do\n\nBefore a mortgage lender can repossess your home, they must:\n\n- tell you how much you owe\n\n- consider a request from you to change the way you pay your mortgage\n\n- respond to any offer of payment you make\n\n- give you reasons for turning down your offer of payment within 10 days\n\n- give you a reasonable amount of time to consider any proposal they make\n\n- give you 15 days\u2019 written warning if they plan to start court action\n\n- tell you the date and time of a repossession hearing\n\n- let your council know within 5 days of getting notification of the date of the court hearing, in case you need to apply to the council as homeless\n\n## Finding a solution\n\nEven if your mortgage lender starts a court action, you may still be able to reach an agreement with them.\n\nYou\u2019ll still need to attend court to tell the judge about the agreement, unless the court tells you the hearing\u2019s been cancelled or postponed.\n\n## Defence form\n\nIf your lender starts a repossession action against you, the court will send you a blank defence form and guidance on how to fill it in.\n\nYou can use the form to explain why you think the lender should not repossess your home. You need to return it within 14 days.\n\nThe court will also send you:\n\n- copies of the claim forms for possessing your home, filled in by your lender\n\n- a court hearing date\n\n- the court\u2019s contact details\n\n## Help with legal costs\n\n## Legal aid\n\nIf you\u2019re on a low income you may be able to get legal aid.\n\n## Free legal advice on the day\n\nIf you have not got help before, you can get last-minute legal help under the Housing Possession Court Duty scheme.\n\nThe scheme runs in county courts in England and Wales. It provides you with a specialist adviser on the day of your hearing who can:\n\n- represent you\n\n- help you come to an arrangement with your mortgage lender to pay off your debts\n\nTo find out about the scheme in your area, contact your local council or the court where your case is being heard.\n\n## The hearing\n\nRepossession hearings normally take place in a judge\u2019s chambers, not in a court room (although it\u2019s treated as a court).\n\nYou can bring an adviser or friend to the hearing, although they must be an adult.\n\nIf you do not attend the court hearing, it\u2019s likely the judge will give your mortgage lender the right to evict you.\n\nYou must keep to any agreement you make in court to pay off arrears. If you do not, you may still risk losing your home.\n\n## What to bring with you\n\nYou\u2019ll likely be asked for proof of your finances. This can include:\n\n- payslips\n\n- bank statements\n\n- job offers\n\n- letters about benefits\n\n- estate agent letter, for example if you\u2019re trying to sell your home to pay off the mortgage\n\n## Repossession orders\n\nThe lender can only repossess your home if the court grants permission.\n\nThe judge could decide to:\n\n- adjourn (delay) the hearing\n\n- set aside the case, which means no order will be made and the hearing is finished\n\n- make a repossession order\n\n## Outright possession order\n\nThis gives the lender a legal right to own your home on the date given in the order and is sometimes called an \u2018order for possession\u2019. This is usually 28 days after your court hearing.\n\nIf you do not leave your home by the date given in the order, your lender can ask the court to evict you.\n\n## Suspended possession order\n\nThis means that if you make regular payments as set out in the order, you can stay in your home.\n\nIf you do not make the payments, your lender can ask the court to evict you.\n\n## Money order\n\nThis means that you have to pay the lender the amount set out in the order.\n\nIf you do not make these payments:\n\n- money could be deducted from your wages or bank account\n\n- bailiffs may take away things you own\n\nYour lender cannot use a money order to evict you from your home. If you do not make payments set out in a money order on time, your lender could go to court again. As a result, the judge could decide to give them a possession order.\n\n## Possession order with money judgment\n\nA money judgment is usually added to a possession order. It means you owe a specific amount of money usually made up of:\n\n- your mortgage arrears\n\n- court fees\n\n- your lender\u2019s legal costs\n\nA money judgment will not apply if:\n\n- you pay your mortgage arrears and any amount set out in a suspended order\n\n- your lender sells your home and the sale price is more than the amount set out in the money judgment\n\nIf you do not pay the amount set out in the money judgment, the lender may ask the court to carry out the instructions in the possession order and the judgment.\n\n## Time order\n\nThis means that the judge changes the amount you pay on your mortgage for a set time by:\n\n- changing the regular amount you pay\n\n- changing the interest rate on your mortgage\n\n- delaying the next time you have to make a payment\n\nIf you do not make the payments, your lender can ask the court to evict you.\n\nA time order is usually only made on some types of loan like a second mortgage.\n\n## Delaying eviction\n\nYou can ask a judge to \u2018suspend the warrant for possession\u2019. This means delaying the eviction or allowing you to stay in your home if you are able to make payments again.\n\nA new hearing will be held but the judge will not automatically agree to suspend the possession warrant \u2013 it depends what happens in court.\n\nIf you want to get a warrant suspended, get advice immediately.\n\n## Applying for a suspension\n\nIf you want to apply for a suspension, you should fill out the application notice and either send it or deliver it to the court.\n\nYou must tell the court that you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee.\n\nYou may not have to pay the fee (otherwise known as \u2018fee remission\u2019) if you\u2019re on benefits or low pay.\n\n## Appealing a judge's decision\n\nIf you think the judge made mistakes about the law or the facts of your case in the original hearing, you may be able to appeal.\n\nGet legal advice if you want to appeal.\n\nNormally the appeal will be heard by a more senior judge.\n\n## Permission to appeal\n\nYou can ask the judge at the end of your original possession hearing if you can appeal.\n\nIf the judge refuses to give permission to appeal, you can ask a more senior judge.\n\nIf you get permission, make an application as soon as possible after your original possession hearing. You\u2019ll have to pay a court fee.\n\nYou may not have to pay the fee if you\u2019re on benefits or low pay.\n\n## What could happen\n\nAt the appeal, the judge can make a number of decisions including:\n\n- keeping the original decision\n\n- dismissing the previous decision or changing it\n\n- ordering a new hearing\n\nThe judge can also decide who pays the legal costs of the appeal.\n\n## If your home is repossessed\n\n## Help from your council\n\nYour local council must give you advice to help you find a new home.\n\nDepending on your circumstances, they may also be able to provide you with emergency accommodation or a more permanent home.\n\n## Buying another property\n\nYou must tell any new mortgage lender that your previous home was repossessed. This could make getting a new mortgage hard.\n\nYour previous lender may be able to claim some of the proceeds of your new home if you still owe them money when you sell it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/repossession", + "answerable": true, + "scenario": "I live in England . I have an unpaid mortgage due to the change of my income. I was hospitalized the whole of last year due to long terms covid Complications and lost my job.The lender has taken repossession action against me.", + "original_question": "Can i get a legal aid?" + }, + { + "id": "train-849", + "question": "Scenario: My partner and I are in our late twenties and both of us work full time. We are not married but have a civil partnership that has lasted for nearly 8 years. We have no immediate plans to marry.\n\nQuestion: Can we claim married couple's allowance?\n\nDocument - Married Couple's Allowance:\n## Overview\n\nMarried Couple\u2019s Allowance could reduce your tax bill by between \u00a3353 and \u00a3912.50 a year.\n\nYou can claim Married Couple\u2019s Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re living with your spouse or civil partner\n\n- one of you was born before 6 April 1935\n\nFor marriages before 5 December 2005, the husband\u2019s income is used to work out Married Couple\u2019s Allowance. For marriage and civil partnerships after this date, it\u2019s the income of the highest earner.\n\nIf you and your partner were born on or after 6 April 1935, you may be able to claim Marriage Allowance instead.\n\n## What you'll get\n\nMarried Couple\u2019s Allowance could reduce your tax bill each year if you\u2019re married or in a civil partnership.\n\nFor the 2021 to 2022 tax year, it could cut your tax bill by between \u00a3353 and \u00a3912.50 a year.\n\nUse the Married Couple\u2019s Allowance calculator to work out what you could get.\n\nIf you marry or register a civil partnership, you\u2019ll get the allowance on a pro-rata basis for the rest of that tax year.\n\nIf one of you dies or you divorce or separate, the allowance continues until the end of the tax year.\n\nYou can transfer your Married Couple\u2019s Allowance to your spouse or civil partner.\n\nIf you and your spouse or civil partner are separated through circumstance rather than through a decision to formally separate, you can still claim Married Couple\u2019s Allowance.\n\n## Eligibility\n\nYou can claim Married Couple\u2019s Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re living with your spouse or civil partner\n\n- one of you was born before 6 April 1935\n\nYou can still claim Married Couple\u2019s Allowance if you\u2019re unable to live with your spouse or civil partner because of:\n\n- illness or old age, for example where your spouse or partner is in residential care\n\n- working away from home\n\n- an armed forces posting\n\n- being in prison\n\n- training or education\n\nUse the Married Couple\u2019s Allowance calculator to work out what you could get.\n\n## How to claim\n\n## If you fill in a Self Assessment tax return each year\n\nClaim by completing the Married Couple\u2019s Allowance section of the tax return.\n\n## If you do not fill in a Self Assessment tax return each year\n\nContact HM Revenue & Customs (HMRC) with details of your:\n\n- marriage or civil partnership ceremony\n\n- spouse or civil partner - including their date of birth\n\n## Further information\n\n## Transfer unused Married Couple\u2019s Allowance after the tax year ends\n\nIf your spouse or civil partner pays tax, you can transfer any Married Couple\u2019s Allowance that you have not used because:\n\n- you do not pay tax\n\n- your tax bill is not high enough\n\nFill in form 575 or ask HM Revenue and Customs (HMRC) to post you a copy.\n\n## Share or transfer your Married Couple\u2019s Allowance before the tax year starts\n\nYou and your spouse (or civil partner) can:\n\n- share the minimum Married Couple\u2019s Allowance\n\n- transfer the whole of the minimum Married Couple\u2019s Allowance from one to the other\n\nFill in form 18 before the start of the tax year. You can also contact HMRC to get a copy in the post.\n\n## Tax allowances and giving to charity\n\nIf you pay tax and give money to a UK charity using Gift Aid, contact HMRC. It can increase the tax allowances if you were born before 6 April 1938.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/married-couples-allowance", + "answerable": true, + "scenario": "My partner and I are in our late twenties and both of us work full time. We are not married but have a civil partnership that has lasted for nearly 8 years. We have no immediate plans to marry.", + "original_question": "Can we claim married couple's allowance?" + }, + { + "id": "train-850", + "question": "Scenario: My husband of forty years and I claim married couples' allowance. We are both retired but are very active in our local community. A lot of our income goes towards local charities.\n\nQuestion: Do we get a tax break due to our charitable donations?\n\nDocument - Married Couple's Allowance:\n## Overview\n\nMarried Couple\u2019s Allowance could reduce your tax bill by between \u00a3353 and \u00a3912.50 a year.\n\nYou can claim Married Couple\u2019s Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re living with your spouse or civil partner\n\n- one of you was born before 6 April 1935\n\nFor marriages before 5 December 2005, the husband\u2019s income is used to work out Married Couple\u2019s Allowance. For marriage and civil partnerships after this date, it\u2019s the income of the highest earner.\n\nIf you and your partner were born on or after 6 April 1935, you may be able to claim Marriage Allowance instead.\n\n## What you'll get\n\nMarried Couple\u2019s Allowance could reduce your tax bill each year if you\u2019re married or in a civil partnership.\n\nFor the 2021 to 2022 tax year, it could cut your tax bill by between \u00a3353 and \u00a3912.50 a year.\n\nUse the Married Couple\u2019s Allowance calculator to work out what you could get.\n\nIf you marry or register a civil partnership, you\u2019ll get the allowance on a pro-rata basis for the rest of that tax year.\n\nIf one of you dies or you divorce or separate, the allowance continues until the end of the tax year.\n\nYou can transfer your Married Couple\u2019s Allowance to your spouse or civil partner.\n\nIf you and your spouse or civil partner are separated through circumstance rather than through a decision to formally separate, you can still claim Married Couple\u2019s Allowance.\n\n## Eligibility\n\nYou can claim Married Couple\u2019s Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re living with your spouse or civil partner\n\n- one of you was born before 6 April 1935\n\nYou can still claim Married Couple\u2019s Allowance if you\u2019re unable to live with your spouse or civil partner because of:\n\n- illness or old age, for example where your spouse or partner is in residential care\n\n- working away from home\n\n- an armed forces posting\n\n- being in prison\n\n- training or education\n\nUse the Married Couple\u2019s Allowance calculator to work out what you could get.\n\n## How to claim\n\n## If you fill in a Self Assessment tax return each year\n\nClaim by completing the Married Couple\u2019s Allowance section of the tax return.\n\n## If you do not fill in a Self Assessment tax return each year\n\nContact HM Revenue & Customs (HMRC) with details of your:\n\n- marriage or civil partnership ceremony\n\n- spouse or civil partner - including their date of birth\n\n## Further information\n\n## Transfer unused Married Couple\u2019s Allowance after the tax year ends\n\nIf your spouse or civil partner pays tax, you can transfer any Married Couple\u2019s Allowance that you have not used because:\n\n- you do not pay tax\n\n- your tax bill is not high enough\n\nFill in form 575 or ask HM Revenue and Customs (HMRC) to post you a copy.\n\n## Share or transfer your Married Couple\u2019s Allowance before the tax year starts\n\nYou and your spouse (or civil partner) can:\n\n- share the minimum Married Couple\u2019s Allowance\n\n- transfer the whole of the minimum Married Couple\u2019s Allowance from one to the other\n\nFill in form 18 before the start of the tax year. You can also contact HMRC to get a copy in the post.\n\n## Tax allowances and giving to charity\n\nIf you pay tax and give money to a UK charity using Gift Aid, contact HMRC. It can increase the tax allowances if you were born before 6 April 1938.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/married-couples-allowance", + "answerable": true, + "scenario": "My husband of forty years and I claim married couples' allowance. We are both retired but are very active in our local community. A lot of our income goes towards local charities.", + "original_question": "Do we get a tax break due to our charitable donations?" + }, + { + "id": "train-851", + "question": "Scenario: My wife and i would like to have the windows replaced on our house. It seemed easy at first but we are confused as to what we need to do about Building Regulations.\n\nQuestion: Can our contractor handle this for us?\n\nDocument - Building regulations approval:\n## When you need approval\n\nYou must check if you need approval before you construct or change buildings in certain ways.\n\nYou do not need to get approval yourself if you use someone registered with a competent person scheme.\n\nFind out about the rules in Scotland and Northern Ireland.\n\nBuilding regulations approval is different from planning permission. You might need both.\n\n## Work covered by building regulations\n\nThe Building Regulations 2010 cover the construction and extension of buildings.\n\nYou might also need building regulations approval for many alteration projects, including if you plan to:\n\n- replace fuse boxes and connected electrics\n\n- install a bathroom that will involve plumbing\n\n- change electrics near a bath or shower\n\n- put in a fixed air-conditioning system\n\n- replace windows and doors\n\n- replace roof coverings on pitched and flat roofs\n\n- install or replace a heating system\n\n- add extra radiators to a heating system\n\nYou could need approval, or to follow special rules, for works not listed here - so always research your particular project.\n\nCheck with a building control body if you cannot decide if you need approval.\n\nYou do not need advance approval for emergency repairs to your boiler or heating system, but there are rules you must follow.\n\n## Penalties and problems\n\nThe person doing the work could be prosecuted and fined if they do not comply with building regulations.\n\nYour local authority could make you pay for faulty work to be fixed.\n\nWithout approval you will not have the certificates of compliance you may need when you want to sell your home.\n\n## When you do not need approval\n\nYou do not need to apply for approval yourself if the work is not covered by building regulations, or if it\u2019s carried out by someone who\u2019s registered with a competent person scheme.\n\n## Work that does not need approval\n\nYou do not need building regulations approval for some exempt projects, including:\n\n- most repairs, replacements and maintenance work (except heating systems, oil tanks, fuse boxes and glazing units)\n\n- new power and lighting points, or changes to existing circuits (except around baths and showers)\n\n- like-for-like replacements of baths, toilets, basins and sinks\n\nFind out more about common projects and check when you do and do not need approval.\n\nCheck with a building control body if you\u2019re still not sure what to do.\n\n## Hire a \u2018competent person\u2019\n\nIf your project needs approval but you\u2019d rather not apply yourself, you can hire a tradesperson registered with a competent person scheme instead.\n\nYou must meet safety and energy efficiency standards even if you do not need formal approval.\n\n## Use a competent person scheme\n\nCompetent person schemes are a way for tradespeople to prove their ability to carry out certain work to required standards, instead of you applying for building regulations approval.\n\n## Benefits of a registered tradesperson\n\nAn installer (eg of windows or boilers) who\u2019s registered with a scheme can self-certify that their work complies with buildings standards and can deal with building control issues, like objections.\n\nIf needed, they\u2019ll tell your local authority about work on your behalf. They\u2019ll also give you a certificate within 8 weeks of completion which can be used as evidence of compliance - it will also show up in solicitors\u2019 searches if you come to sell your home.\n\nCompetent person schemes have insurance-backed warranties and complaints procedures if there\u2019s a problem with the work.\n\n## Find a \u2018competent person\u2019\n\nSearch the Competent Persons Register to find a tradesperson, or check that they belong to a scheme.\n\nSearch the Electrical Competent Person Register if you\u2019re looking for an electrician to work on your home.\n\nYou may have to correct the work or pay a fine if building regulations are not followed.\n\n## How to apply\n\nContact a \u2018building control body\u2019 (BCB) to check the building regulations or apply for approval.\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Where to apply\n\nThere are 2 types of BCB. It\u2019s up to you which you use.\n\n## Local authority BCBs\n\nYou can apply for approval from your council.\n\n## Private BCBs\n\nYou can apply through a private approved inspector.\n\nThey\u2019ll tell your local authority about the work. This is called giving an \u2018initial notice\u2019.\n\n## Choose a type of application\n\nYou must decide on the type of application for your planned build, extension or alteration work.\n\n## Full plans\n\nThis is the most thorough option. You can expect a decision within 5 weeks, or 2 months with your consent.\n\nYou\u2019ll get a completion certificate within 8 weeks of completion of the building work as long as it complies.\n\n## Building notice\n\nThis type of application is only for smaller projects. You can start work 2 days after your notice has been submitted to your BCB. You do not get formal approval like you do with full plans.\n\n## Regularisation\n\nYou can apply for \u2018regularisation\u2019 - retrospective approval for work already carried out without consent - from a local authority BCB only.\n\nOnly work carried out after 11 November 1985 can be approved in this way.\n\nYou might need to make alterations before your BCB can agree the work complies and give you a regularisation certificate.\n\nYou may have to correct the work or pay a fine if building regulations are not followed.\n\n## Fees and costs\n\nLocal authority BCBs base their fees on the costs of their work, like site inspections.\n\nWhat you\u2019ll pay depends on the:\n\n- type of work involved\n\n- number of dwellings in the building\n\n- total floor area, eg in the case of extensions\n\nPrivate BCBs negotiate their fees directly with you.\n\nYou might not have to pay a fee for works carried out solely for a person with a disability.\n\n## Appeals and determinations\n\nYou can appeal if you think your project should not have to comply with building regulations.\n\nAsk for a \u2018determination\u2019 if you\u2019re refused building regulations approval and you think the building control body (BCB) decision is unfair.\n\n## If you think you should not have to comply\n\nAsk your local authority to ignore or relax one or more of the building regulations if you think your project shouldn\u2019t have to comply with them.\n\nIf the local authority still says you have to comply, you can appeal to government. You have a month to make the appeal.\n\nFind out about making an appeal.\n\nYou cannot ask a private BCB to ignore or relax the building regulations. You\u2019ll have to ask your local authority BCB instead.\n\n## If the BCB refuses building regulations approval\n\nYou can ask for a \u2018determination\u2019 - a decision by government - if a BCB says your plans do not comply but you believe they do. Find out about asking for a determination.\n\n## How to appeal or get a determination\n\nYou\u2019ll need to read the guidance and fill in a form.\n\nYou\u2019ll have to pay a fee when you ask for a determination unless your building work is for disabled people. You don\u2019t have to pay a fee to appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/building-regulations-approval", + "answerable": true, + "scenario": "My wife and i would like to have the windows replaced on our house. It seemed easy at first but we are confused as to what we need to do about Building Regulations.", + "original_question": "Can our contractor handle this for us?" + }, + { + "id": "train-853", + "question": "Scenario: My grandfather has terminal lung cancer and has been given only 6 months to live. He has a lifetime allowance of \u00a3990,000. He is 60 years old.\n\nQuestion: Can he be paid a tax free lampsum of all his money?\n\nDocument - Tax when you get a pension:\n## What\u2019s taxed\n\nYou pay tax if your total annual income adds up to more than your Personal Allowance. Find out about your Personal Allowance and Income Tax rates.\n\nYour total income could include:\n\n- the State Pension you get (either the basic State Pension or the new State Pension)\n\n- Additional State Pension\n\n- a private pension (workplace or personal) - you can take some of this tax-free\n\n- earnings from employment or self-employment\n\n- any taxable benefits you get\n\n- any other income, such as money from investments, property or savings\n\nYou may have to pay Income Tax at a higher rate if you take a large amount from a private pension. You may also owe extra tax at the end of the tax year.\n\n## If your private pensions total more than \u00a31,073,100\n\nYou usually pay a tax charge if the total value of your private pensions is more than \u00a31,073,100. Your pension provider will take off the charge before you get your payment.\n\n## Tax if someone inherits your pension\n\nOther rules apply if someone inherits your State pension or your private pension.\n\n## What's tax-free\n\nYou won\u2019t usually pay any tax if your total annual income adds up to less than your Personal Allowance.\n\n## Lump sums from your pension\n\nYou can usually take up to 25% of the amount built up in any pension as a tax-free lump sum. The tax-free lump sum doesn\u2019t affect your Personal Allowance.\n\nTax is taken off the remaining amount before you get it.\n\nWhen you can take your pension depends on your pension\u2019s rules. It\u2019s usually 55 at the earliest.\n\nYou might have to pay Income Tax at a higher rate if you take a large amount from your pension. You could also owe extra tax at the end of the tax year.\n\n## How you can take your pension\n\n## A pension worth up to \u00a310,000\n\nYou can usually take any pension worth up to \u00a310,000 in one go. This is called a \u2018small pot\u2019 lump sum. If you take this option, 25% is tax-free.\n\nYou can usually get:\n\n- up to 3 small pot lump sums from different personal pensions\n\n- unlimited small pot lump sums from different workplace pensions\n\n## A pension worth up to \u00a330,000 that includes a defined benefit pension\n\nIf you have \u00a330,000 or less in all of your private pensions, you can usually take everything you have in your defined benefit pension or defined contribution pension as a \u2018trivial commutation\u2019 lump sum. If you take this option, 25% is tax-free.\n\nIf this lump sum is paid from more than one pension, you must:\n\n- have your savings in each scheme valued by the provider on the same day, no more than 3 months before you get the first payment\n\n- get all payments within 12 months of the first payment\n\nIf you take payments from a pension before taking the rest as a lump sum, you pay tax on the whole lump sum.\n\n## Cash from a defined contribution pension\n\nCheck with your provider about how you can take money from a defined contribution pension. You can take:\n\n- all the money built up in your pension as cash - up to 25% is tax-free\n\n- smaller cash sums from your pension - up to 25% of each sum is tax-free\n\nYou may have to pay a tax charge on money you put into your pension after you withdraw cash.\n\n## If your life expectancy is less than a year\n\nYou may be able to take all the money in your pension as a tax-free lump sum, if all of the following apply:\n\n- you\u2019re expected to live less than a year because of serious illness\n\n- you\u2019re under 75\n\n- you don\u2019t have more than the lifetime allowance of \u00a31,073,100 in pension savings\n\nIf you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.\n\nCheck with your pension provider. Some pension funds will keep at least 50% of your pension for your spouse or civil partner.\n\n## How your tax is paid\n\n## If you get the State Pension and a private pension\n\nYour pension provider will take off any tax you owe before they pay you. They\u2019ll also take off any tax you owe on your State Pension.\n\nIf you get payments from more than one provider (for example, from a workplace pension and a personal pension), HM Revenue and Customs (HMRC) will ask one of your providers to take the tax off your State Pension.\n\nAt the end of the tax year you\u2019ll get a P60 from your pension provider showing how much tax you\u2019ve paid.\n\n## If the State Pension is your only income\n\nYou\u2019re responsible for paying any tax you owe. Fill in and send a Self Assessment tax return if you owe anything.\n\nIf you started getting your pension on or after 6 April 2016, don\u2019t send a tax return. HMRC will write to tell you what you owe and how to pay.\n\n## If you continue to work\n\nYour employer will take any tax due off your earnings and your State Pension. This is called Pay As You Earn (PAYE).\n\nIf you\u2019re self-employed you must fill in a Self Assessment tax return at the end of the tax year. You must declare your overall income, including the State Pension and money from private pensions, for example your workplace pension.\n\n## If you have other income\n\nYou\u2019re responsible for paying any tax you owe on income other than money from your pensions. You might have to fill in a Self Assessment tax return.\n\nYou can claim a tax refund if you\u2019ve paid too much tax.\n\n## Tax codes\n\nIf your income only comes from one source you\u2019ll usually have one tax code.\n\nYou can have several tax codes if you have income from more than one source.\n\nYou can get your tax code corrected if you think it\u2019s wrong.\n\n## Tax when you live abroad\n\nIf you live abroad but are classed as a UK resident for tax purposes, you may have to pay UK tax on your pension. The amount you pay depends on your income.\n\nIf you\u2019re not a UK resident, you don\u2019t usually pay UK tax on your pension. But you might have to pay tax in the country you live in. There are a few exceptions - for example, UK civil service pensions will always be taxed in the UK.\n\n## Double tax\n\nIf you live in a country without a \u2018double taxation agreement\u2019 with the UK, you might have to pay tax in both countries.\n\n## Higher tax on unauthorised payments\n\nYou\u2019ll pay up to 55% tax on payments from your pension provider if they make an \u2018unauthorised payment\u2019. This is a payment made outside of the government\u2019s tax rules and usually includes:\n\n- any payments before you\u2019re 55 (there are exceptions)\n\n- a \u2018trivial commutation\u2019 lump sum of over \u00a330,000\n\n- regular payments into your account after you\u2019ve died\n\nSome companies advertise personal loans or cash advances if you take your pension early. These payments are unauthorised and you have to pay tax on them.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-on-pension", + "answerable": true, + "scenario": "My grandfather has terminal lung cancer and has been given only 6 months to live. He has a lifetime allowance of \u00a3990,000. He is 60 years old.", + "original_question": "Can he be paid a tax free lampsum of all his money?" + }, + { + "id": "train-856", + "question": "Scenario: I am a UK citizen and I own a house in South Africa. I live there for 3 months of the year. It is my perfect choice for a holiday break.\n\nQuestion: Can i nominate it for tax relief?\n\nDocument - Tax when you sell your home:\n## Private Residence Relief\n\nYou do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:\n\n- you have one home and you\u2019ve lived in it as your main home for all the time you\u2019ve owned it\n\n- you have not let part of it out - this does not include having a lodger\n\n- you have not used a part of your home exclusively for business purposes (using a room as a temporary or occasional office does not count as exclusive business use)\n\n- the grounds, including all buildings, are less than 5,000 square metres (just over an acre) in total\n\n- you did not buy it just to make a gain\n\nIf all these apply you will automatically get a tax relief called Private Residence Relief and will have no tax to pay. If any of them apply, you may have some tax to pay.\n\nFind out if you\u2019re eligible for Private Residence Relief.\n\nMarried couples and civil partners can only count one property as their main home at any one time.\n\nThe rules are different if you sell property that\u2019s not your home or if you live abroad.\n\n## Work out your gain\n\nYou may need to pay tax when you sell your home if you do not qualify for full Private Residence Relief.\n\nIf you have tax to pay you need to work out how much gain you made when you sold your home.\n\nYour gain is usually the difference between what you paid for your home and what you sold it for. Use the market value instead if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited the asset (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\nIf you\u2019re not resident in the UK for tax, you only pay tax on gains since 5 April 2015.\n\n## Deducting costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension - normal maintenance costs like decorating do not count\n\nYou cannot deduct certain costs, like interest on a loan to buy your property. Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\nThere are special rules for calculating your gain if you sell a lease or your home is compulsorily purchased.\n\n## Work out if you need to pay\n\nOnce you know your gain and have worked out how much tax relief you get, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Living away from your home\n\nYou may get less Private Residence Relief if you live away from your home. However, you always get relief for certain periods.\n\nThe rules are different if you\u2019re not UK resident for tax.\n\n## Periods that always qualify for relief\n\nNo matter how many homes you own or where you lived at the time, you always get relief for the last 9 months before you sold your home.\n\nIt must have been your only or main residence at some point while you owned it.\n\nYou\u2019ll also get relief for up to the first 2 years that you owned the home if both the following apply:\n\n- it was being built, renovated or you could not sell your old home\n\n- you lived in it as your only or main residence within 2 years of owning it\n\nYou get relief for these periods even if you nominated a different home as your main home.\n\n## If you have one home or you nominated your home\n\nYou get relief if you were away from it for:\n\n- any reason for periods adding up to 3 years\n\n- up to 4 years if you had to live away from home in the UK for work\n\n- any period if you were working outside the UK\n\nYou must have lived in the home before and afterwards, unless your work prevented you.\n\nIf you only own one home you get relief for the last 36 months before you sold your home if any of the following apply:\n\n- you\u2019re disabled\n\n- you\u2019re in long-term residential care\n\n- you sold the property before 6 April 2014\n\nYou get relief for the last 18 months if none of these apply, but you sold your home before 6 April 2020.\n\n## If you own more than one home\n\nIn most cases, you only get relief for one home for any period. You must work out when you lived in each property as your main home.\n\nIf you\u2019re married or in a civil partnership only one home per couple counts as your main home for any period.\n\nIf you\u2019ve nominated a home you cannot get relief for another property for the time your home is nominated, apart from for the periods that always qualify for relief.\n\nThere are other rules that affect tax relief when you sell your home.\n\nIf you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.\n\n## Nominating a home\n\nIf you nominate a property as your main home you qualify for relief for most of the time you live away. You must have lived in the home as your only or main residence at some point while you owned it.\n\nThe rules are different if you\u2019re not UK resident for tax.\n\nYou cannot get relief for another property for the time your home is nominated, apart from for certain periods that always qualify for relief.\n\nYou can nominate one property as your main home by writing to HM Revenue and Customs (HMRC). Include the address of the home you want to nominate. All the owners of the property must sign the letter.\n\nIf you want to nominate a home you must do this within 2 years every time your combination of homes changes.\n\nIf you do not nominate a home and you sell one of your properties you must work out how long you lived in it as your main home.\n\n## Overseas properties\n\nFrom 6 April 2015, you can only nominate an overseas property if you lived in it for at least 90 days in the tax year.\n\n## If you let out your home\n\nYou may have to pay Capital Gains Tax if you\u2019ve let out your home. How much you pay depends on how long you lived in it.\n\nHaving a lodger does not count as letting out your home.\n\n## Work out how much tax you have to pay\n\nYou\u2019ll pay tax on your \u2018chargeable gain\u2019. This is your gain minus any Private Residence Relief you\u2019re eligible for.\n\nYou get full relief for:\n\n- the years you lived in the home\n\n- the last 9 months you owned the home - even if you were not living there at the time\n\nIf you sold the property between 6 April 2014 and 6 April 2020, you get relief for the last 18 months you owned it.\n\nIf you only own one home and you\u2019re disabled, in long-term residential care or sold the property before 6 April 2014 you get full relief for the last 36 months you owned it.\n\n## If you only let out part of your home\n\nYou\u2019ll need to work out what proportion of your home you lived in. You only get Private Residence Relief on this proportion of your gain.\n\n## Claim Letting Relief\n\nIf you lived in your home at the same time as your tenants, you may qualify for Letting Relief on gains you make when you sell the property.\n\nYou can get the lowest of the following:\n\n- the same amount you got in Private Residence Relief\n\n- \u00a340,000\n\n- the same amount as the chargeable gain you made while letting out part of your home\n\nLetting Relief does not cover any proportion of the chargeable gain you make while your home is empty.\n\nThere are other rules that may affect the amount of Capital Gains Tax you need to pay.\n\nIf you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-sell-home", + "answerable": true, + "scenario": "I am a UK citizen and I own a house in South Africa. I live there for 3 months of the year. It is my perfect choice for a holiday break.", + "original_question": "Can i nominate it for tax relief?" + }, + { + "id": "train-857", + "question": "Scenario: During the COVID19 Pandemic it was deemed that I should work from home. This now means that my household bills have increased as i am using the utilities more and more.\n\nQuestion: Can I claim tax relief on my increased utilities cost?\n\nDocument - Claim tax relief for your job expenses:\n## Overview\n\nYou might be able to claim tax relief if:\n\n- you use your own money for things that you must buy for your job\n\n- you only use these things for your work\n\nYou cannot claim tax relief if your employer either gives you:\n\n- all the money back\n\n- an alternative, for example your employer gives you a laptop but you want a different type or model\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must have paid tax in the year. You\u2019ll get tax relief based on what you\u2019ve spent and the rate at which you pay tax.\n\nFor some claims, you must keep records of what you\u2019ve spent. You must claim within 4 years of the end of the tax year that you spent the money.\n\nIf your claim is for the current tax year, HM Revenue and Customs (HMRC) will usually make any adjustments needed through your tax code.\n\nIf your claim is for previous tax years, HMRC will either make adjustments through your tax code or give you a tax refund.\n\nCheck if you can claim\n\n## Working from home\n\nYou may be able to claim tax relief for additional household costs if you have to work at home on a regular basis, either for all or part of the week. This includes if you have to work from home because of coronavirus (COVID-19).\n\nYou cannot claim tax relief if you choose to work from home.\n\nYou may be able to claim tax relief for:\n\n- gas and electricity\n\n- metered water\n\n- business phone calls, including dial-up internet access\n\nYou cannot claim for the whole bill, just the part that relates to your work.\n\nYou may also be able to claim tax relief on equipment you\u2019ve bought, such as a laptop, chair or mobile phone.\n\n## How much you can claim\n\nYou can either claim tax relief on:\n\n- \u00a36 a week from 6 April 2020 (for previous tax years the rate is \u00a34 a week) - you will not need to keep evidence of your extra costs\n\n- the exact amount of extra costs you\u2019ve incurred above the weekly amount - you\u2019ll need evidence such as receipts, bills or contracts\n\nYou\u2019ll get tax relief based on the rate at which you pay tax. For example, if you pay the 20% basic rate of tax and claim tax relief on \u00a36 a week you would get \u00a31.20 per week in tax relief (20% of \u00a36).\n\nCheck if you can claim\n\n## Uniforms, work clothing and tools\n\nYou may be able to claim tax relief on the cost of:\n\n- repairing or replacing small tools you need to do your job (for example, scissors or an electric drill)\n\n- cleaning, repairing or replacing specialist clothing (for example, a uniform or safety boots)\n\nYou cannot claim relief on the initial cost of buying small tools or clothing for work.\n\n## Personal Protective Equipment (PPE)\n\nYou cannot claim tax relief for PPE. If your job requires you to use PPE your employer should either:\n\n- give you PPE free of charge\n\n- ask you to buy it and reimburse you the costs\n\n## How much you can claim\n\nYou can either claim:\n\n- the actual amount you\u2019ve spent - you\u2019ll need to keep receipts\n\n- an agreed fixed amount (a \u2018flat rate expense\u2019 or \u2018flat rate deduction\u2019)\n\nCheck if your job has an agreed flat rate expense.\n\nCheck if you can claim\n\n## Vehicles you use for work\n\nYou may be able to claim tax relief if you use cars, vans, motorcycles or bicycles for work.\n\nThis does not include travelling to and from your work, unless it\u2019s a temporary place of work.\n\nHow much you can claim depends on whether you\u2019re using:\n\n- a vehicle that you\u2019ve bought or leased with your own money\n\n- a vehicle owned or leased by your employer (a company vehicle)\n\n## Using your own vehicle for work\n\nIf you use your own vehicle or vehicles for work, you may be able to claim tax relief on the approved mileage rate. This covers the cost of owning and running your vehicle. You cannot claim separately for things like:\n\n- fuel\n\n- electricity\n\n- road tax\n\n- MOTs\n\n- repairs\n\nTo work out how much you can claim for each tax year you\u2019ll need to:\n\n- keep records of the dates and mileage or your work journeys\n\n- add up the mileage for each vehicle type you\u2019ve used for work\n\n- take away any amount your employer pays you towards your costs, (sometimes called a \u2018mileage allowance\u2019)\n\n## Approved mileage rates\n\n| | First 10,000 business miles in the tax year | Each business mile over 10,000 in the tax year |\n\n| Cars and vans | 45p | 25p |\n\n| Motorcycles | 24p | 24p |\n\n| Bicycles | 20p | 20p |\n\n## Using a company car for business\n\nYou can claim tax relief on the money you\u2019ve spent on fuel and electricity, for business trips in your company car. Keep records to show the actual cost of the fuel.\n\nIf your employer reimburses some of the money, you can claim relief on the difference.\n\nCheck if you can claim\n\n## Professional fees and subscriptions\n\nYou can claim tax relief on:\n\n- professional membership fees, if you must pay the fees to be able to do your job\n\n- annual subscriptions you pay to approved professional bodies or learned societies if being a member of that body or society is relevant to your job\n\nYou cannot claim tax relief on life membership subscriptions, or for professional membership fees or annual subscriptions you:\n\n- have not paid yourself (for example if your employer has paid for them)\n\n- have paid to professional organisations that are not approved by HMRC\n\nYour organisation can tell you how much tax you\u2019re allowed to claim back.\n\nCheck if you can claim\n\n## Travel and overnight expenses\n\nIf you have to travel for your work you may be able to claim tax relief on the cost or money you\u2019ve spent on food or overnight expenses.\n\nYou cannot claim for travelling to and from work, unless you\u2019re travelling to a temporary place of work.\n\nYou can claim tax relief for money you\u2019ve spent on things like:\n\n- public transport costs\n\n- hotel accommodation if you have to stay overnight\n\n- food and drink\n\n- congestion charges and tolls\n\n- parking fees\n\n- business phone calls and printing costs\n\nYou may also be able to claim tax relief on business mileage.\n\nCheck if you can claim\n\n## Buying other equipment\n\nIn most cases you can claim tax relief on the full cost of substantial equipment, for example a computer, you have to buy to do your work. This is because it qualifies for a type of capital allowance called annual investment allowance.\n\nYou cannot claim capital allowances for cars, motorcycles or bicycles you use for work, but you may be able to claim for business mileage and fuel costs.\n\nYou claim in a different way for small items that\u2019ll last less than 2 years, such as uniforms and tools.\n\nYou can only claim tax relief for equipment expenses if:\n\n- you need it to do your job\n\n- you use the equipment for work and there\u2019s no significant private use - this includes using the equipment according to your organisation\u2019s policy\n\n## If your employer gives you money for the item\n\nReduce the amount you claim tax relief on by the amount of money your employer gives you.\n\nCheck if you can claim", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-relief-for-employees", + "answerable": true, + "scenario": "During the COVID19 Pandemic it was deemed that I should work from home. This now means that my household bills have increased as i am using the utilities more and more.", + "original_question": "Can I claim tax relief on my increased utilities cost?" + }, + { + "id": "train-859", + "question": "Scenario: I have a debtor that owes me \u00a310,000. The debt is from seven years ago. I would like to serve them with a statutory demand for non-payment.\n\nQuestion: Will I be able to do this?\n\nDocument - Make and serve a statutory demand, or challenge one:\n## When you can make a statutory demand\n\nYou can make a statutory demand to ask for payment of a debt from an individual or company.\n\nAnyone who\u2019s owed money (the \u2018creditor\u2019) can make a statutory demand. You do not need a lawyer.\n\nIf the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.\n\nThere may be faster ways of getting smaller debts paid than making a statutory demand.\n\nWhen the individual or company that owes you money (the \u2018debtor\u2019) receives a statutory demand, they have 21 days to either:\n\n- pay the debt\n\n- reach an agreement to pay\n\nYou can apply to bankrupt your debtor or close (\u2018wind up\u2019) their company if they do not respond to the statutory demand within 21 days.\n\n## Statutory demand forms\n\nChoose the form you need, fill it in and deliver (\u2018serve\u2019) it to the individual or company that owes you money.\n\nYou do not need to send a separate letter.\n\n## Serve a demand on an individual (including partners in a partnership)\n\nWhich form you need depends on whether you\u2019re collecting a debt that\u2019s:\n\n- payable now\n\n- payable now following a judgment or court order\n\n- payable in the future, if you think they will not be able to pay the debt when they need to\n\nIf you\u2019re serving a demand on a business partnership, you need to download and fill in a form for each partner.\n\n## Serve a demand on a limited company\n\nUse statutory demand form SD 1.\n\n## If you\u2019re in Scotland\n\nYou must use a different form to make a statutory demand in Scotland.\n\n## How to serve a statutory demand\n\nYou must deliver (\u2018serve\u2019) the statutory demand form by:\n\n- giving it to the individual who owes you money (you should try all their known addresses)\n\n- leaving it at the registered office of the company or partnership that owes money (or the main place of business if they do not have a registered office)\n\n- giving it to the company\u2019s director, company secretary, manager or principal officer\n\n- get a \u2018process server\u2019 to serve it for you (a solicitor can arrange this)\n\nYou can only send it by registered post or put it through a letterbox if it cannot be delivered in person.\n\n## Records you must keep\n\nYou must keep a copy of the statutory demand and anything that confirms:\n\n- the time and date you served the statutory demand, for example a postage receipt or confirmation from your process server\n\n- the debtor has received the statutory demand\n\nYou\u2019ll need this information if your demand is ignored.\n\n## If your demand is ignored\n\nIf your debtor does not pay the debt or agree to your statutory demand within 21 days, you can:\n\n- start bankruptcy proceedings against any individuals who owe you \u00a35,000 or more\n\n- wind up a company that owes you \u00a3750 or more\n\nYou have 4 months to apply to bankrupt or wind up your debtor. If you\u2019re late, explain why to the court named on the statutory demand.\n\n## Serve a statutory demand abroad\n\nGet legal help if you want to serve a statutory demand in another country.\n\nYou need to serve a statutory demand according to local laws but also according to the UK rules.\n\n## Challenge a statutory demand\n\nIf you do not agree with a statutory demand you\u2019ve been given, you can apply to challenge it and get it \u2018set aside\u2019.\n\nYou can be made bankrupt or your company wound up if you ignore a statutory demand.\n\nYou must apply to the court named on your statutory demand. Contact a solicitor or your nearest county court if you\u2019re not sure where to send your application.\n\nYou cannot challenge a statutory demand if it was served on a company. You can apply to stop your creditors from winding up your company instead.\n\nAny bankruptcy petitions the creditor has already filed against you will usually be suspended until the court reaches a decision.\n\nThe court will not usually set aside a statutory demand if it was served on you following the judgment of another court unless, for example:\n\n- you think the creditor owes you the same amount as your debt, or more\n\n- the amount on the statutory demand is secured\n\n## Deadlines\n\nYou must apply to challenge the statutory demand within either:\n\n- 18 days if you were in the UK when you got the statutory demand\n\n- 21 to 34 days if you were in another country when you got the statutory demand - check the table of countries for specific deadlines\n\nIf the deadline is during a weekend or on a bank holiday, you have until the next day the court is open to apply.\n\nYou might be able to get an extension in some circumstances - contact the court to find out what these are.\n\n## How to apply\n\nDownload and fill in form IAA.\n\nMake 3 copies of the completed form and either post them to the court named on your statutory demand or give them to the court in person.\n\n## What happens next\n\nYou\u2019ll usually hear back from the court within 10 working days of applying.\n\nIf the court does not agree with your application, it can give the creditor permission to issue a bankruptcy petition against you.\n\nIf the court agrees with your application, your case will be passed on to a bankruptcy registrar. They\u2019ll look at your case and arrange a hearing.\n\n## What happens at the hearing\n\nBoth sides will present their case to a registrar or judge. They\u2019ll either make a decision then, or ask you and the other party to give more evidence at another hearing.\n\nYou\u2019ll usually get a decision at the end of the final hearing.\n\nIf you win your case, you\u2019ll get an order from the court setting aside the statutory demand. The deadline for paying the debt will be suspended.\n\nIf you lose, you\u2019ll have to pay back your debt within the 21 day time limit. The creditor can apply to bankrupt you if you do not pay in time and your debt is \u00a35,000 or more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## Contact the Insolvency Service\n\nUse the contact form to contact the Insolvency Service about delivering and challenging a statutory demand.\n\nYou cannot currently contact the Insolvency Service by telephone because of coronavirus (COVID-19).", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/statutory-demands", + "answerable": true, + "scenario": "I have a debtor that owes me \u00a310,000. The debt is from seven years ago. I would like to serve them with a statutory demand for non-payment.", + "original_question": "Will I be able to do this?" + }, + { + "id": "train-861", + "question": "Scenario: My company is currently registered for the flat rate scheme. I am expecting revenue to increase to \u00a3200,000 next year.\n\nQuestion: Must I leave the flat rate scheme next year as this is only an expectation?\n\nDocument - VAT Flat Rate Scheme:\n## Overview\n\nThe amount of VAT a business pays or claims back from HM Revenue and Customs (HMRC) is usually the difference between the VAT charged by the business to customers and the VAT the business pays on their own purchases.\n\nWith the Flat Rate Scheme:\n\n- you pay a fixed rate of VAT to HMRC\n\n- you keep the difference between what you charge your customers and pay to HMRC\n\n- you cannot reclaim the VAT on your purchases - except for certain capital assets over \u00a32,000\n\nTo join the scheme your VAT turnover must be \u00a3150,000 or less (excluding VAT), and you must apply to HMRC.\n\nTalk to an accountant or tax adviser if you want advice on whether the Flat Rate Scheme is right for you.\n\n## Join or leave the scheme\n\nYou must be eligible to join the scheme.\n\n## How to join\n\nYou can join the scheme online when you register for VAT.\n\nYou can also fill in VAT600 FRS and either:\n\n- email it to frsapplications.vrs@hmrc.gsi.gov.uk\n\n- send it by post\n\nDo not use the address on the form - send it to the following address instead.\n\nUse VAT600 AA/FRS to apply for the Annual Accounting Scheme at the same time.\n\nYou\u2019ll get confirmation you\u2019ve joined the scheme through your VAT online account (or in the post if you do not apply online).\n\n## How to leave\n\nYou can choose to leave the scheme at any time. You must leave if you\u2019re no longer eligible to be in it.\n\nTo leave, write to HMRC and they will confirm your leaving date.\n\nYou must wait 12 months before you can rejoin the scheme.\n\n## Eligibility\n\nYou can join the Flat Rate Scheme if:\n\n- you\u2019re a VAT-registered business\n\n- you expect your VAT taxable turnover to be \u00a3150,000 or less (excluding VAT) in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use the scheme if:\n\n- you left the scheme in the last 12 months\n\n- you committed a VAT offence in the last 12 months, for example VAT evasion\n\n- you joined (or were eligible to join) a VAT group in the last 24 months\n\n- you registered for VAT as a business division in the last 24 months\n\n- your business is closely associated with another business\n\n- you\u2019ve joined a margin or capital goods VAT scheme\n\nYou cannot use the scheme with the Cash Accounting Scheme. Instead, the Flat Rate Scheme has its own cash-based method for calculating the turnover.\n\n## Leaving the scheme\n\nYou must leave the scheme if:\n\n- you\u2019re no longer eligible to be in it\n\n- on the anniversary of joining, your turnover in the last 12 months was more than \u00a3230,000 (including VAT) - or you expect it to be in the next 12 months\n\n- you expect your total income in the next 30 days alone to be more than \u00a3230,000 (including VAT)\n\n## Work out your flat rate\n\nThe VAT flat rate you use usually depends on your business type. You may pay a different rate if you only spend a small amount on goods.\n\nYou get a 1% discount if you\u2019re in your first year as a VAT-registered business.\n\n## If you spend a small amount on goods\n\nYou\u2019re classed as a \u2018limited cost business\u2019 if your goods cost less than either:\n\n- 2% of your turnover\n\n- \u00a31,000 a year (if your costs are more than 2%)\n\nThis means you pay a higher rate of 16.5%. You can calculate if you need to pay the higher rate and work out which goods count as costs.\n\nIf you are not a limited cost business, you use your business type to work out your flat rate.\n\n## Flat rates for types of business\n\nBecause of coronavirus (COVID-19) the flat rate for catering (including restaurants and takeaways), accommodation and pubs has been reduced until 31 March 2022.\n\n| Type of business | Current VAT flat rate (%) |\n\n| Accountancy or book-keeping | 14.5 |\n\n| Advertising | 11 |\n\n| Agricultural services | 11 |\n\n| Any other activity not listed elsewhere | 12 |\n\n| Architect, civil and structural engineer or surveyor | 14.5 |\n\n| Boarding or care of animals | 12 |\n\n| Business services not listed elsewhere | 12 |\n\n| Catering services including restaurants and takeaways before 15 July 2020 | 12.5 |\n\n| Catering services including restaurants and takeaways from 15 July 2020 to 30 September 2021 | 4.5 |\n\n| Catering services including restaurants and takeaways from 1 October 2021 to 31 March 2022 | 8.5 |\n\n| Computer and IT consultancy or data processing | 14.5 |\n\n| Computer repair services | 10.5 |\n\n| Entertainment or journalism | 12.5 |\n\n| Estate agency or property management services | 12 |\n\n| Farming or agriculture not listed elsewhere | 6.5 |\n\n| Film, radio, television or video production | 13 |\n\n| Financial services | 13.5 |\n\n| Forestry or fishing | 10.5 |\n\n| General building or construction services* | 9.5 |\n\n| Hairdressing or other beauty treatment services | 13 |\n\n| Hiring or renting goods | 9.5 |\n\n| Hotel or accommodation before 15 July 2020 | 10.5 |\n\n| Hotel or accommodation from 15 July 2020 to 30 September 2021 | 0 |\n\n| Hotel or accommodation from 1 October 2021 to 31 March 2022 | 5.5 |\n\n| Investigation or security | 12 |\n\n| Labour-only building or construction services* | 14.5 |\n\n| Laundry or dry-cleaning services | 12 |\n\n| Lawyer or legal services | 14.5 |\n\n| Library, archive, museum or other cultural activity | 9.5 |\n\n| Management consultancy | 14 |\n\n| Manufacturing fabricated metal products | 10.5 |\n\n| Manufacturing food | 9 |\n\n| Manufacturing not listed elsewhere | 9.5 |\n\n| Manufacturing yarn, textiles or clothing | 9 |\n\n| Membership organisation | 8 |\n\n| Mining or quarrying | 10 |\n\n| Packaging | 9 |\n\n| Photography | 11 |\n\n| Post offices | 5 |\n\n| Printing | 8.5 |\n\n| Publishing | 11 |\n\n| Pubs before 15 July 2020 | 6.5 |\n\n| Pubs from 15 July 2020 to 30 September 2021 | 1 |\n\n| Pubs from 1 October 2021 to 31 March 2022 | 4 |\n\n| Real estate activity not listed elsewhere | 14 |\n\n| Repairing personal or household goods | 10 |\n\n| Repairing vehicles | 8.5 |\n\n| Retailing food, confectionery, tobacco, newspapers or children\u2019s clothing | 4 |\n\n| Retailing pharmaceuticals, medical goods, cosmetics or toiletries | 8 |\n\n| Retailing not listed elsewhere | 7.5 |\n\n| Retailing vehicles or fuel | 6.5 |\n\n| Secretarial services | 13 |\n\n| Social work | 11 |\n\n| Sport or recreation | 8.5 |\n\n| Transport or storage, including couriers, freight, removals and taxis | 10 |\n\n| Travel agency | 10.5 |\n\n| Veterinary medicine | 11 |\n\n| Wholesaling agricultural products | 8 |\n\n| Wholesaling food | 7.5 |\n\n| Wholesaling not listed elsewhere | 8.5 |\n\n*\u2018Labour-only building or construction services\u2019 means building services where the value of the materials supplied is less than 10% of the turnover for those services. If more than this amount, the business is classed as \u2018General building or construction services\u2019.\n\n## What you pay\n\nYou calculate the tax you pay by multiplying your VAT flat rate by your \u2018VAT inclusive turnover\u2019.\n\nVAT inclusive turnover is different from standard VAT turnover. As well as business income (such as from sales), it includes the VAT paid on that income.\n\n## Calculating 2 flat rates\n\nThe first calculation should start from day one of your accounting period to the last day of that flat rate. The second should start from the date of the new flat rate to the end of your accounting period.\n\n## Get help\n\nCall the VAT Helpline if you have any questions about the Flat Rate Scheme.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "answerable": true, + "scenario": "My company is currently registered for the flat rate scheme. I am expecting revenue to increase to \u00a3200,000 next year.", + "original_question": "Must I leave the flat rate scheme next year as this is only an expectation?" + }, + { + "id": "train-863", + "question": "Scenario: I have just sold my house for more than I bought it for 5 years ago. I want know the amount of capital gains tax I am supposed to pay HMRC.\n\nQuestion: Do I have to pay capital gains tax?\n\nDocument - Tax when you sell property:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:\n\n- buy-to-let properties\n\n- business premises\n\n- land\n\n- inherited property\n\nThere are different rules if you:\n\n- sell your home\n\n- live abroad\n\n- are a company registered abroad\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you do not pay\n\nYou do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou may get tax relief if the property is a business asset.\n\nIf the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.\n\n## If you need to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your property and the amount you got when you sold (or \u2018disposed of\u2019) it.\n\nIf your combined capital gains are over your allowance for the year you\u2019ll have to report and pay Capital Gains Tax.\n\n## Market value\n\nIn some situations you should use the market value of the property when working out your gain. Do this if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Selling in special circumstances\n\nThere are special rules for calculating your gain if:\n\n- you live abroad\n\n- you sell a lease or part of your land\n\n- your property is compulsorily purchased\n\n## Jointly owned property\n\nIf you own property jointly with other people, work out the gain for the share that you own.\n\n## Deduct costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension (normal maintenance costs, such as decorating, do not count)\n\n## Reliefs\n\nYou may get tax relief if the property was:\n\n- your home\n\n- a business asset\n\n- occupied by a dependent relative - find out more in the guidance on Private Residence Relief\n\n## Work out if you need to pay\n\nOnce you know what your gain on the property is, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold land\n\n- sold business premises\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax on property\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\n## Businesses\n\nYou may get tax relief if you sell property that you use for business. This may reduce or delay the amount of Capital Gains Tax you pay.\n\nIf the purpose of your business is to buy and sell property (you\u2019re a property developer, for example) you do not pay Capital Gains Tax when you sell a property. Instead, you pay:\n\n- Income Tax - if you\u2019re a sole trader or partner\n\n- Corporation Tax - if you\u2019re a limited company\n\nThere are special rules for limited companies that dispose of a single residential property worth more than \u00a32 million.\n\n## Selling overseas property\n\nYou pay Capital Gains Tax when you \u2018dispose of\u2019 overseas property if you\u2019re resident in the UK.\n\nThere are special rules if you\u2019re resident in the UK but your permanent home (\u2018domicile\u2019) is abroad.\n\nYou may also have to pay tax in the country you made the gain. If you\u2019re taxed twice, you may be able to claim relief.\n\n## If you\u2019re non-resident\n\nNon-residents may have to pay UK tax on overseas property if they return to the UK within 5 years of leaving.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-sell-property", + "answerable": true, + "scenario": "I have just sold my house for more than I bought it for 5 years ago. I want know the amount of capital gains tax I am supposed to pay HMRC.", + "original_question": "Do I have to pay capital gains tax?" + }, + { + "id": "train-866", + "question": "Scenario: I work from home in the IT business. I divide my time between a home in Glasgow and one in London. I have never mentioned this on my tax declarations.\n\nQuestion: Does it make a difference that I live in two different places and should I declare it?\n\nDocument - Income Tax in Scotland:\n## Current rates\n\nYou pay Scottish Income Tax if you live in Scotland. It\u2019s paid to the Scottish Government.\n\nScottish Income Tax applies to your wages, pension and most other taxable income.\n\nYou\u2019ll pay the same tax as the rest of the UK on dividends and savings interest.\n\n## What you\u2019ll pay\n\nThe table shows the 2021 to 2022 Scottish Income Tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570. You do not get a Personal Allowance if you earn over \u00a3125,140.\n\n| Band | Taxable income | Scottish tax rate |\n\n| Personal Allowance | Up to \u00a312,570 | 0% |\n\n| Starter rate | \u00a312,571 to \u00a314,667 | 19% |\n\n| Basic rate | \u00a314,668 to \u00a325,296 | 20% |\n\n| Intermediate rate | \u00a325,297 to \u00a343,662 | 21% |\n\n| Higher rate | \u00a343,663 to \u00a3150,000 | 41% |\n\n| Top rate | over \u00a3150,000 | 46% |\n\n## Who pays\n\nYou pay Scottish Income Tax if you live in Scotland.\n\nYou may also pay Scottish Income Tax if you:\n\n- move to or from Scotland\n\n- live in a home in Scotland and one elsewhere in the UK, for example for work\n\n- do not have a home and stay in Scotland regularly, for example you stay offshore or in hotels\n\n## How you pay\n\nIf you\u2019re employed or get a pension, your tax code will start with an \u2018S\u2019. This tells your employer or pension provider to deduct tax at the Scottish rate.\n\nYour tax code will be S1250L if you pay Scottish Income Tax and get the standard Personal Allowance of \u00a312,500.\n\nIf you fill in an online Self Assessment tax return, there\u2019s a box for you to tell HMRC that you pay Scottish Income Tax.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you move to or from Scotland\n\nYou pay Scottish Income Tax if you move to Scotland and live there for a longer period than anywhere else in the UK during a tax year (6 April to 5 April the following year).\n\nYou must tell HMRC of your new address if you move to or from Scotland. You may pay tax at the wrong rate if you do not.\n\n## If HMRC changes your tax rate\n\nThe new rate you pay will be backdated to the start of the tax year (6 April) in which you moved. The tax taken from your wages or pension will be adjusted automatically so you pay the right amount across the whole year.\n\n## If you live in more than one home\n\nYou need to know which is your main home if you have one in Scotland and one somewhere else in the UK.\n\n## What counts as your main home\n\nYour main home is usually where you live and spend most of your time.\n\nIt does not matter whether you own it, rent it or live in it for free.\n\nYour main home may be the home where you spend less time if that\u2019s where:\n\n- most of your possessions are\n\n- your family lives, if you\u2019re married or in a civil partnership\n\n- you\u2019re registered for things like your bank account, GP or car insurance\n\n- you\u2019re a member of clubs or societies\n\nThis might apply to you if you live away because of your work, for example you\u2019re a lorry driver, an offshore worker or in the armed forces.\n\nYou can contact HMRC to change which home counts as your main one.\n\n## If you\u2019re not sure which is your main home\n\nHMRC has detailed information about working out which is your main home, including if:\n\n- you\u2019re a mobile worker, for example your job means you travel most of the time\n\n- you\u2019re a student\n\n- you do not have a permanent home\n\n## 2020 to 2021 tax year\n\nYou pay a different rate of tax for income from the tax year 6 April 2020 to 5 April 2021.\n\n| Band | Taxable income | Scottish tax rate |\n\n| Personal Allowance | Up to \u00a312,500 | 0% |\n\n| Starter rate | \u00a312,501 to \u00a314,585 | 19% |\n\n| Basic rate | \u00a314,586 to \u00a325,158 | 20% |\n\n| Intermediate rate | \u00a325,159 to \u00a343,430 | 21% |\n\n| Higher rate | \u00a343,431 to \u00a3150,000 | 41% |\n\n| Top rate | over \u00a3150,000 | 46% |\n\nIt applies to your wages, pension and most other taxable income.\n\nYou pay the same tax as the rest of the UK on dividends and savings interest.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/scottish-income-tax", + "answerable": true, + "scenario": "I work from home in the IT business. I divide my time between a home in Glasgow and one in London. I have never mentioned this on my tax declarations.", + "original_question": "Does it make a difference that I live in two different places and should I declare it?" + }, + { + "id": "train-867", + "question": "Scenario: I am a small business owner and VAT can be a bit of a headache. I have heard about the annual scheme for VAT.\n\nQuestion: Do I qualify for VAT Annual Accounting Scheme?\n\nDocument - VAT Annual Accounting Scheme:\n## Overview\n\nUsually, VAT-registered businesses submit their VAT Returns and payments to HM Revenue and Customs 4 times a year.\n\nWith the Annual Accounting Scheme you:\n\n- make advance VAT payments towards your VAT bill - based on your last return (or estimated if you\u2019re new to VAT)\n\n- submit 1 VAT Return a year\n\nFrom 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.\n\nWhen you submit your VAT Return you either:\n\n- make a final payment - the difference between your advance payments and actual VAT bill\n\n- apply for a refund - if you\u2019ve overpaid your VAT bill\n\nThe scheme would not suit your business if you regularly reclaim VAT because you\u2019ll only be able to get 1 refund a year (when you submit the VAT Return).\n\nYou can join the scheme if your estimated VAT taxable turnover is \u00a31.35 million or less.\n\nTalk to an accountant or tax adviser if you want advice on whether the Annual Accounting Scheme is right for you.\n\n## Join or leave the scheme\n\nYou must be eligible to join the scheme.\n\n## How to join\n\nYou can join the scheme:\n\n- online - when you register for VAT\n\n- by post - fill in VAT600 AA (or use VAT600 AA/FRS to apply for the Flat Rate Scheme at the same time)\n\nDo not use the address on the form - send it to the following address instead.\n\nConfirmation you\u2019ve joined the scheme is sent to your VAT online account (or in the post if you do not apply online).\n\n## How to leave\n\nYou can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to be in it.\n\nTo leave, write to HMRC and they will confirm when you can leave. From this date, you must account for your VAT in the usual way.\n\nYou have to wait 12 months before you can rejoin the scheme.\n\n## Eligibility\n\nYou can join the Annual Accounting Scheme if:\n\n- you\u2019re a VAT-registered business\n\n- your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use the scheme if:\n\n- you left the scheme in the last 12 months\n\n- your business is part of a VAT registered division or group of companies\n\n- you\u2019re not up to date with your VAT Returns or payments\n\n- you\u2019re insolvent\n\n## Leaving the scheme\n\nYou must leave the scheme if:\n\n- you\u2019re no longer eligible to be in it\n\n- your VAT taxable turnover is (or is likely to be) more than \u00a31.6 million at the end of the annual accounting year\n\n## Return and payment deadlines\n\nCheck your VAT Return and payment deadlines in your HM Revenue and Customs (HMRC) online account.\n\n## VAT Return deadline\n\nThere are 12 months in your VAT accounting period. Your VAT Return is due once a year, 2 months after the end of your accounting period.\n\nMost businesses now need to keep digital VAT records and use software to submit VAT Returns.\n\n## Payment deadlines\n\nYou must make advance payments towards your VAT bill (either monthly or quarterly) during your accounting period and a final payment when you submit your VAT Return.\n\n| Payment | Deadline |\n\n| Monthly | Due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12 |\n\n| Quarterly | Due at the end of months 4, 7 and 10 |\n\n| Final payment | Within 2 months of month 12 |\n\n## How much do you pay\n\nEach payment is either 10% of your estimated VAT bill (monthly payments) or 25% (quarterly payments). The amount is based on previous VAT returns (or estimated if you\u2019re new to VAT).\n\nHMRC will write telling you when your instalments are due and how much they\u2019ll be.\n\nThe final payment (known as a \u2018balancing payment\u2019) is the difference between your advance payments and the actual VAT bill confirmed on your VAT Return.\n\nYou may be due a VAT refund if you\u2019ve overpaid HMRC.\n\nYou must pay VAT to HMRC electronically, for example by Direct Debit or internet banking.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "answerable": true, + "scenario": "I am a small business owner and VAT can be a bit of a headache. I have heard about the annual scheme for VAT.", + "original_question": "Do I qualify for VAT Annual Accounting Scheme?" + }, + { + "id": "train-869", + "question": "Scenario: My husband and our children moved to our - we thought quiet - new home six months ago. Recently there have been a lot of roadworks in the area. We were not informed of this before we moved in and it is distressing us.\n\nQuestion: Do we have recourse to any sort of authority to make a complaint about the noise?\n\nDocument - Noise from roads, trains or planes:\n## Vehicle noise limits\n\nThere are limits to the amount of noise that vehicles can make on public roads. This applies to all types of vehicles.\n\nIn general, larger vehicles with bigger engines are able to make more noise.\n\n## Noise limits on tyres\n\nThere are noise limits on tyres and since November 2012 all new tyres are graded and labelled to show how noisy they are.\n\n## Modified exhaust systems\n\nIt\u2019s illegal to modify the exhaust system to make a vehicle noisier after it has been \u2018type approved\u2019 (checked it meets environmental and safety standards).\n\nThe police can also take action if your vehicle\u2019s silencer doesn\u2019t work in the way it was designed or if you\u2019re driving in a way that creates too much noise.\n\n## Noise from roads\n\nThere\u2019s no legal limit to road noise, although noise levels might be taken into account when new roads or houses and offices near roads are planned.\n\n## Planned new roads\n\nWhen planning a new road local highway authorities assess how the noise at your property will change when the road opens.\n\nIf noise from a new road exceeds certain levels at your home you might be able to get sound insulation.\n\nContact your highway authority to apply, or if you\u2019re worried about the noise from a planned road scheme - get their details from your local council.\n\n## Compulsory purchase and road noise\n\nWhen a new road is built, it often involves the \u2018compulsory purchase\u2019 of land to make way for the road.\n\nYou might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.\n\n## After roads open to traffic\n\nYou can apply for compensation if your property value goes down because of road noise from the use of a new or altered road.\n\n## Railway noise\n\nThere are no legal limits to noise from existing railways.\n\nIf you think that noise levels are affecting your health contact your local council who will investigate on your behalf.\n\nIf noise from a new railway affects your property you might be able to get sound insulation for your home. Contact the relevant rail authority - ask your local council for their details.\n\nIf particular trains are causing you a problem, speak to the company running those trains.\n\nFind information on train operators on the National Rail website or call Network Rail.\n\n## Aircraft noise\n\nNoise is regulated to some extent at all UK airports. This can include noise limits and restrictions on night flights.\n\nAircraft paths are generally designed to fly over the least populated areas.\n\nSome airports operate grant schemes to install sound insulation in affected homes. Contact the airport that affects you to find out if they run one.\n\nThe Civil Aviation Authority (CAA) has more information on aircraft noise and emissions.\n\n## Complaining about aircraft noise\n\nTo complain about noise or aircraft activities in general, get in touch with the relevant airport.\n\n## Military aircraft\n\nMilitary aircraft are covered by different rules. You can complain about military aircraft noise or low flying military aircraft.\n\n## Further information\n\nThere are strategic noise maps for England provided by the Department for Environment, Food and Rural Affairs (Defra).\n\nThese estimate noise from:\n\n- major roads - those with more than 6 million vehicle passages annually\n\n- major railways - those with more than 60,000 train passages annually\n\n- major airports - those with more than 50,000 aircraft movements annually (except for training on light aircraft)\n\nThey also estimate noise in urban areas (with populations greater than 250,000 and a certain population density).", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "answerable": true, + "scenario": "My husband and our children moved to our - we thought quiet - new home six months ago. Recently there have been a lot of roadworks in the area. We were not informed of this before we moved in and it is distressing us.", + "original_question": "Do we have recourse to any sort of authority to make a complaint about the noise?" + }, + { + "id": "train-870", + "question": "Scenario: I have been living under a flight path for the last ten years and was aware of it when I moved in. Initially it did not bother me but recently the airport has been expanded and another runway built. This has significantly increased the noise that I am exposed to. I was not informed at all about the proposal to build a new runway.\n\nQuestion: I feel that the new runway has decreased the value of my house, due to the increase in noise. Is this a legitimate complaint?\n\nDocument - Noise from roads, trains or planes:\n## Vehicle noise limits\n\nThere are limits to the amount of noise that vehicles can make on public roads. This applies to all types of vehicles.\n\nIn general, larger vehicles with bigger engines are able to make more noise.\n\n## Noise limits on tyres\n\nThere are noise limits on tyres and since November 2012 all new tyres are graded and labelled to show how noisy they are.\n\n## Modified exhaust systems\n\nIt\u2019s illegal to modify the exhaust system to make a vehicle noisier after it has been \u2018type approved\u2019 (checked it meets environmental and safety standards).\n\nThe police can also take action if your vehicle\u2019s silencer doesn\u2019t work in the way it was designed or if you\u2019re driving in a way that creates too much noise.\n\n## Noise from roads\n\nThere\u2019s no legal limit to road noise, although noise levels might be taken into account when new roads or houses and offices near roads are planned.\n\n## Planned new roads\n\nWhen planning a new road local highway authorities assess how the noise at your property will change when the road opens.\n\nIf noise from a new road exceeds certain levels at your home you might be able to get sound insulation.\n\nContact your highway authority to apply, or if you\u2019re worried about the noise from a planned road scheme - get their details from your local council.\n\n## Compulsory purchase and road noise\n\nWhen a new road is built, it often involves the \u2018compulsory purchase\u2019 of land to make way for the road.\n\nYou might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.\n\n## After roads open to traffic\n\nYou can apply for compensation if your property value goes down because of road noise from the use of a new or altered road.\n\n## Railway noise\n\nThere are no legal limits to noise from existing railways.\n\nIf you think that noise levels are affecting your health contact your local council who will investigate on your behalf.\n\nIf noise from a new railway affects your property you might be able to get sound insulation for your home. Contact the relevant rail authority - ask your local council for their details.\n\nIf particular trains are causing you a problem, speak to the company running those trains.\n\nFind information on train operators on the National Rail website or call Network Rail.\n\n## Aircraft noise\n\nNoise is regulated to some extent at all UK airports. This can include noise limits and restrictions on night flights.\n\nAircraft paths are generally designed to fly over the least populated areas.\n\nSome airports operate grant schemes to install sound insulation in affected homes. Contact the airport that affects you to find out if they run one.\n\nThe Civil Aviation Authority (CAA) has more information on aircraft noise and emissions.\n\n## Complaining about aircraft noise\n\nTo complain about noise or aircraft activities in general, get in touch with the relevant airport.\n\n## Military aircraft\n\nMilitary aircraft are covered by different rules. You can complain about military aircraft noise or low flying military aircraft.\n\n## Further information\n\nThere are strategic noise maps for England provided by the Department for Environment, Food and Rural Affairs (Defra).\n\nThese estimate noise from:\n\n- major roads - those with more than 6 million vehicle passages annually\n\n- major railways - those with more than 60,000 train passages annually\n\n- major airports - those with more than 50,000 aircraft movements annually (except for training on light aircraft)\n\nThey also estimate noise in urban areas (with populations greater than 250,000 and a certain population density).", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "answerable": true, + "scenario": "I have been living under a flight path for the last ten years and was aware of it when I moved in. Initially it did not bother me but recently the airport has been expanded and another runway built. This has significantly increased the noise that I am exposed to. I was not informed at all about the proposal to build a new runway.", + "original_question": "I feel that the new runway has decreased the value of my house, due to the increase in noise. Is this a legitimate complaint?" + }, + { + "id": "train-871", + "question": "Scenario: I gave my wife a house property as a gift of our marriage . She has decided to sell it so that she can get some extra income .\n\nQuestion: Will the money she will recieve liable to capital gain tax?\n\nDocument - Capital Gains Tax:\n## Overview\n\nCapital Gains Tax is a tax on the profit when you sell (or \u2018dispose of\u2019) something (an \u2018asset\u2019) that\u2019s increased in value.\n\nIt\u2019s the gain you make that\u2019s taxed, not the amount of money you receive.\n\nSome assets are tax-free. You also do not have to pay Capital Gains Tax if all your gains in a year are under your tax-free allowance.\n\n## Disposing of an asset\n\nDisposing of an asset includes:\n\n- selling it\n\n- giving it away as a gift, or transferring it to someone else\n\n- swapping it for something else\n\n- getting compensation for it - like an insurance payout if it\u2019s been lost or destroyed\n\n## What you pay it on\n\nYou pay Capital Gains Tax on the gain when you sell (or \u2018dispose of\u2019):\n\n- most personal possessions worth \u00a36,000 or more, apart from your car\n\n- property that\u2019s not your main home\n\n- your main home if you\u2019ve let it out, used it for business or it\u2019s very large\n\n- shares that are not in an ISA or PEP\n\n- business assets\n\nThese are known as \u2018chargeable assets\u2019.\n\nIf you sell or give away cryptoassets (like cryptocurrency or bitcoin) you should check if you have to pay Capital Gains Tax.\n\nDepending on the asset, you may be able to reduce any tax you pay by claiming a relief.\n\nIf you dispose of an asset you jointly own with someone else, you have to pay Capital Gains Tax on your share of the gain.\n\n## When you do not pay it\n\nYou only have to pay Capital Gains Tax on your total gains above an annual tax-free allowance.\n\nYou do not usually pay tax on gifts to your husband, wife, civil partner or a charity.\n\n## What you do not pay it on\n\nYou do not pay Capital Gains Tax on certain assets, including any gains you make from:\n\n- ISAs or PEPs\n\n- UK government gilts and Premium Bonds\n\n- betting, lottery or pools winnings\n\n## When someone dies\n\nWhen you inherit an asset, Inheritance Tax is usually paid by the estate of the person who\u2019s died. You only have to work out if you need to pay Capital Gains Tax if you later dispose of the asset.\n\n## Overseas assets\n\nYou may have to pay Capital Gains Tax even if your asset is overseas.\n\nThere are special rules if you\u2019re a UK resident but not \u2018domiciled\u2019 and claim the \u2018remittance basis\u2019.\n\n## If you\u2019re abroad\n\nYou have to pay tax on gains you make on property and land in the UK even if you\u2019re non-resident for tax purposes. You do not pay Capital Gains Tax on other UK assets, for example shares in UK companies, unless you return to the UK within 5 years of leaving.\n\n## Capital Gains Tax allowances\n\nYou only have to pay Capital Gains Tax on your overall gains above your tax-free allowance (called the Annual Exempt Amount).\n\nThe Capital Gains tax-free allowance is:\n\n- \u00a312,300\n\n- \u00a36,150 for trusts\n\nYou can see tax-free allowances for previous years.\n\nYou may also be able to reduce your tax bill by deducting losses or claiming reliefs - this depends on the asset.\n\n## Gifts to your spouse or charity\n\nThere are special rules for Capital Gains Tax on gifts or assets you dispose of to:\n\n- your spouse or civil partner\n\n- charity\n\nThe normal rules apply for gifts to others.\n\n## Your spouse or civil partner\n\nYou do not pay Capital Gains Tax on assets you give or sell to your husband, wife or civil partner, unless:\n\n- you separated and did not live together at all in that tax year\n\n- you gave them goods for their business to sell on\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If they later sell the asset\n\nYour spouse or civil partner may have to pay tax on any gain if they later dispose of the asset.\n\nTheir gain will be calculated on the difference in value between when you first owned the asset and when they disposed of it.\n\nIf this was before April 1982, your spouse or civil partner should work out their gain using the market value on 31 March 1982 instead.\n\nThey should keep a record of what you paid for the asset.\n\n## Gifts to charity\n\nYou do not have to pay Capital Gains Tax on assets you give away to charity.\n\nYou may have to pay if you sell an asset to charity for both:\n\n- more than you paid for it\n\n- less than market value\n\nWork out your gain using the amount the charity actually pays you, rather than the value of the asset.\n\n## Work out if you need to pay\n\nYou need to pay Capital Gains Tax when you sell an asset if your total taxable gains are above your annual Capital Gains Tax allowance.\n\n## Work out your total taxable gains\n\n- Work out the gain for each asset (or your share of an asset if it\u2019s jointly owned). Do this for the personal possessions, shares, property or business assets you\u2019ve disposed of in the tax year.\n\n- Add together the gains from each asset.\n\n- Deduct any allowable losses.\n\nThe tax year runs from 6 April to 5 April the following year.\n\nYou\u2019ll need to report and pay Capital Gains Tax if your taxable gains are above your allowance.\n\n## If your total gains are less than the tax-free allowance\n\nYou do not have to pay tax if your total taxable gains are under your Capital Gains Tax allowance.\n\nYou still need to report your gains in your tax return if both of the following apply:\n\n- the total amount you sold the assets for was more than 4 times your allowance\n\n- you\u2019re registered for Self Assessment\n\nThere are different rules for reporting a loss.\n\n## If you\u2019re non-resident\n\nYou need to tell HMRC when you sell property or land even if your gain is below the tax-free allowance or you make a loss. Non-residents do not pay tax on other capital gains.\n\n## Report and pay Capital Gains Tax\n\nHow and when you report Capital Gains Tax over your annual allowance depends on what you made the gain on.\n\nThere are different ways to report and pay Capital Gains Tax due on:\n\n- UK residential property sold since 6 April 2020\n\n- any other gains\n\nTo report any capital gains you\u2019ll need:\n\n- calculations for each capital gain or loss you report\n\n- details of how much you bought and sold the asset for\n\n- the dates when you took ownership and disposed of the asset\n\n- any other relevant details, such as the costs of disposing of the asset and any tax reliefs you\u2019re entitled to\n\n## If you sold property in the UK on or after 6 April 2020\n\nYou must report and pay any tax due on UK residential property using a Capital Gains Tax on UK property account within 30 days of selling it.\n\nYou may have to pay interest and a penalty if you do not report gains on UK property within 30 days of selling it.\n\nSign in or create a Capital Gains Tax on UK property account.\n\nYou\u2019ll need a Government Gateway user ID and password to set your account up or sign in. If you do not have a user ID, you can create one the first time you sign in.\n\nOnce you have an account you can sign in at any time to report Capital Gains Tax on UK property or see any returns you\u2019ve already sent.\n\n## If you\u2019re not resident in the UK\n\nYou must report sales of UK property as a non-resident within 30 days, even if you have no tax to pay.\n\n## If you\u2019re reporting on behalf of someone else or a trust\n\nYou need to use your own Capital Gains Tax on UK property account to report on behalf of someone else.\n\nYou\u2019ll need proof you\u2019re allowed to report on their behalf, such as a lasting power of attorney. If the person has died, you\u2019ll need to give their date of death.\n\nIf you\u2019re reporting as a trustee of a registered trust, you\u2019ll need the trust\u2019s registration number or unique tax reference.\n\nThere\u2019s a different way to report your client\u2019s Capital Gains Tax on UK property as an agent.\n\n## If you have other capital gains to report\n\nIf your gain is not from residential property sold in the UK since 6 April 2020, you have a choice of how and when to report the tax.\n\n## Report and pay the tax straightaway\n\nYou can use the \u2018real time\u2019 Capital Gains Tax service immediately if you know what you owe.\n\nYou need to report your gain by 31 December in the tax year after you made the gain. For example, if you made a gain in the 2020 to 2021 tax year, you need to report it by 31 December 2021.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you report and pay.\n\nAfter you\u2019ve reported your gains, HMRC will send you a letter or email giving you a payment reference number and telling you how to pay.\n\nIf you need to change your report using the service, you\u2019ll need your report reference number starting with \u2018RTT\u2019. You\u2019ll get it by email within 10 days.\n\n## Report your gains in a Self Assessment tax return in the following tax year\n\nYou can report your gains in a Self Assessment tax return in the tax year after you disposed of assets.\n\nDo not wait until the next tax year to report gains on UK residential property sold since 6 April 2020. You may have to pay interest and a penalty if you do.\n\nIf you do not usually send a tax return, register for Self Assessment after the tax year you disposed of your chargeable assets.\n\nYou can get help with your tax return from an accountant or tax adviser.\n\nAfter you\u2019ve sent your return HMRC will tell you how much you owe in Capital Gains Tax, how to pay and when to pay by.\n\n## Capital Gains Tax rates\n\nYou pay a different rate of tax on gains from residential property than you do on other assets.\n\nYou do not usually pay tax when you sell your home.\n\n## If you pay higher rate Income Tax\n\nIf you\u2019re a higher or additional rate taxpayer you\u2019ll pay:\n\n- 28% on your gains from residential property\n\n- 20% on your gains from other chargeable assets\n\n## If you pay basic rate Income Tax\n\nIf you\u2019re a basic rate taxpayer, the rate you pay depends on the size of your gain, your taxable income and whether your gain is from residential property or other assets.\n\n- Work out how much taxable income you have - this is your income minus your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.\n\n- Work out your total taxable gains.\n\n- Deduct your tax-free allowance from your total taxable gains.\n\n- Add this amount to your taxable income.\n\n- If this amount is within the basic Income Tax band you\u2019ll pay 10% on your gains (or 18% on residential property). You\u2019ll pay 20% (or 28% on residential property) on any amount above the basic tax rate.\n\n## If you have gains from both residential property and other assets\n\nYou can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## If you\u2019re a trustee or business\n\nTrustees or personal representatives of someone who\u2019s died pay:\n\n- 28% on residential property\n\n- 20% on other chargeable assets\n\nYou\u2019ll pay 10% if you\u2019re a sole trader or partnership and your gains qualify for Business Asset Disposal Relief.\n\n## If you make a loss\n\nYou can report losses on a chargeable asset to HM Revenue and Customs (HMRC) to reduce your total taxable gains.\n\nLosses used in this way are called \u2018allowable losses\u2019.\n\n## Using losses to reduce your gain\n\nWhen you report a loss, the amount is deducted from the gains you made in the same tax year.\n\nIf your total taxable gain is still above the tax-free allowance, you can deduct unused losses from previous tax years. If they reduce your gain to the tax-free allowance, you can carry forward the remaining losses to a future tax year.\n\n## Reporting losses\n\nClaim for your loss by including it on your tax return. If you\u2019ve never made a gain and are not registered for Self Assessment, you can write to HMRC instead.\n\nYou do not have to report losses straight away - you can claim up to 4 years after the end of the tax year that you disposed of the asset.\n\nThere\u2019s an exception for losses made before 5 April 1996, which you can still claim for. You must deduct these after any more recent losses.\n\n## Losses when disposing of assets to family and others\n\n## Your husband, wife or civil partner\n\nYou usually do not pay Capital Gains Tax on assets you give or sell to your spouse or civil partner. You cannot claim losses against these assets.\n\n## Other family members and \u2018connected people\u2019\n\nYou cannot deduct a loss from giving, selling or disposing of an asset to a family member unless you\u2019re offsetting a gain from the same person.\n\nThis also applies to \u2018connected people\u2019 like business partners.\n\n## Connected people\n\nHMRC defines connected people as including:\n\n- your brothers, sisters, parents, grandparents, children and grandchildren, and their husbands, wives or civil partners\n\n- the brothers, sisters, parents, grandparents, children and grandchildren of your husband, wife or civil partner - and their husbands, wives or civil partners\n\n- business partners\n\n- a company you control\n\n- trustees where you\u2019re the \u2018settlor\u2019 (or someone connected to you is)\n\n## Claiming for an asset that\u2019s lost its value\n\nYou can claim losses on assets that you still own if they become worthless or of \u2018negligible value\u2019.\n\nHMRC has guidance on how to make a negligible value claim.\n\n## Special rules\n\nHMRC has guidance on the special rules for losses:\n\n- when someone dies\n\n- if you\u2019re non-resident and sell UK property or land\n\n- if you\u2019ve temporarily lived abroad as a \u2018non-resident\u2019\n\n- from your income on shares that are unquoted or in the Enterprise Investment Scheme\n\n- on overseas assets if you\u2019re \u2018non-domiciled\u2019 in the UK and have claimed the \u2018remittance basis\u2019\n\n## Record keeping\n\nYou need to collect records to work out your gains and fill in your tax return. You must keep them for at least a year after the Self Assessment deadline.\n\nYou\u2019ll need to keep records for longer if you sent your tax return late or HM Revenue and Customs (HMRC) have started a check into your return.\n\nBusinesses must keep records for 5 years after the deadline.\n\n## Records you\u2019ll need\n\nKeep receipts, bills and invoices that show the date and the amount:\n\n- you paid for an asset\n\n- of any additional costs like fees for professional advice, Stamp Duty, improvement costs, or to establish the market value\n\n- you received for the asset - including things like payments you get later in instalments, or compensation if the asset was damaged\n\nAlso keep any contracts for buying and selling the asset (for example from solicitors or stockbrokers) and copies of any valuations.\n\n## If you do not have records\n\nYou must try to recreate your records if you cannot replace them after they\u2019ve been lost, stolen or destroyed.\n\nIf you fill in your tax return using recreated records, you\u2019ll need to show where figures are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with the actual figures\n\n## Market value\n\nYour gain is usually the difference between what you paid for your asset and what you sold it for.\n\nThere are some situations where you use the market value instead.\n\n| Situation | Use market value at |\n\n| Gifts | Date of gift |\n\n| Assets sold for less than they were worth to help the buyer | Date of sale |\n\n| Inherited assets where you do not know the Inheritance Tax value | Date of death |\n\n| Assets owned before April 1982 | 31 March 1982 |\n\n## Checking the market value\n\nHM Revenue and Customs (HMRC) can check your valuation.\n\nAfter you\u2019ve disposed of the asset, complete a \u2018Post-transaction valuation check\u2019 form. Return it to the address on the form - allow at least 3 months for HMRC\u2019s response.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/capital-gains-tax", + "answerable": true, + "scenario": "I gave my wife a house property as a gift of our marriage . She has decided to sell it so that she can get some extra income .", + "original_question": "Will the money she will recieve liable to capital gain tax?" + }, + { + "id": "train-873", + "question": "Scenario: I am a full time employee and I have invested in the employee share scheme. I have saved now \u00a318000 for the last 3 years.\n\nQuestion: Can i transfer my shares to ISA?\n\nDocument - Individual Savings Accounts (ISAs):\n## Overview\n\nYou can save tax-free with Individual Savings Accounts (ISAs).\n\nIn the 2021 to 2022 tax year, the maximum you can save in ISAs is \u00a320,000\n\nThere are 4 types of ISA:\n\n- cash ISAs\n\n- stocks and shares ISAs\n\n- innovative finance ISAs\n\n- Lifetime ISAs\n\nYou can put money into one of each kind of ISA each tax year.\n\n## Who can open an ISA\n\nYou must be:\n\n- 16 or over for a cash ISA\n\n- 18 or over for a stocks and shares or innovative finance ISA\n\n- 18 or over but under 40 for a Lifetime ISA\n\nYou must also be either:\n\n- resident in the UK\n\n- a Crown servant (for example diplomatic or overseas civil service) or their spouse or civil partner if you do not live in the UK\n\nYou cannot hold an ISA with or on behalf of someone else.\n\nYou can get a Junior ISA for children under 18.\n\n## Opening and managing an ISA for someone who lacks the mental capacity to do this for themselves\n\nA close friend or relative can apply to the Court of Protection (COP) for a financial deputyship order to open and manage an ISA for someone who cannot do this for themselves.\n\nIn Scotland, applications need to be made to the Office of the Public Guardian in Scotland.\n\nIn Northern Ireland, applications need to be made to the Office of Care and Protection.\n\n## How ISAs work\n\nThere are 4 types of Individual Savings Accounts (ISA):\n\n- cash ISA\n\n- stocks and shares ISA\n\n- innovative finance ISA\n\n- Lifetime ISA\n\nYou do not pay tax on:\n\n- interest on cash in an ISA\n\n- income or capital gains from investments in an ISA\n\nIf you complete a tax return, you do not need to declare any ISA interest, income or capital gains on it.\n\n## Putting money into an ISA\n\nEvery tax year you can put money into one of each kind of ISA. The tax year runs from 6 April to 5 April.\n\nYou can save up to \u00a320,000 in one type of account or split the allowance across some or all of the other types.\n\nYou can only pay \u00a34,000 into your Lifetime ISA in a tax year.\n\nYour ISAs will not close when the tax year finishes. You\u2019ll keep your savings on a tax-free basis for as long as you keep the money in your ISA accounts.\n\n## What you can include in your ISAs\n\nCash ISAs can include:\n\n- savings in bank and building society accounts\n\n- some National Savings and Investments products\n\nStocks and shares ISAs can include:\n\n- shares in companies\n\n- unit trusts and investment funds\n\n- corporate bonds\n\n- government bonds\n\nYou cannot transfer any non-ISA shares you already own into an ISA unless they\u2019re from an employee share scheme.\n\nLifetime ISAs may include either:\n\n- cash\n\n- stocks and shares\n\nInnovative finance ISAs include:\n\n- peer-to-peer loans - loans that you give to other people or businesses without using a bank\n\n- \u2018crowdfunding debentures\u2019 - investing in a business by buying its debt\n\nYou cannot transfer any peer-to-peer loans you\u2019ve already made or crowdfunding debentures you already hold into an innovative finance ISA.\n\nIf you have questions about the tax rules for ISAs, you can call the ISA Helpline.\n\n## How to open an ISA\n\nYou can get an Individual Savings Account (ISA) from:\n\n- banks\n\n- building societies\n\n- credit unions\n\n- friendly societies\n\n- stock brokers\n\n- peer-to-peer lending services\n\n- crowdfunding companies\n\n- other financial institutions\n\nContact your provider directly for more information about how to open an ISA with them.\n\n## Withdrawing your money\n\nYou can take your money out of an Individual Savings Account (ISA) at any time, without losing any tax benefits. Check the terms of your ISA to see if there are any rules or charges for making withdrawals.\n\nThere are different rules for taking your money out of a Lifetime ISA.\n\nIf your ISA is \u2018flexible\u2019, you can take out cash then put it back in during the same tax year without reducing your current year\u2019s allowance. Your provider can tell you if your ISA is flexible.\n\n## Transferring your ISA\n\nYou can transfer your Individual Savings Account (ISA) from one provider to another at any time.\n\nYou can transfer your savings to a different type of ISA or to the same type of ISA.\n\nIf you want to transfer money you\u2019ve invested in an ISA during the current year, you must transfer all of it.\n\nFor money you invested in previous years, you can choose to transfer all or part of your savings.\n\nIf you transfer cash and assets from a Lifetime ISA to a different ISA before the age of 60, you\u2019ll have to pay a withdrawal fee of 25%.\n\n## Restrictions on what you can transfer\n\nYou can transfer cash from your innovative finance ISA to another provider - but you may not be able to transfer other investments from it.\n\nCheck with your provider for any restrictions they may have on transferring ISAs. They may also make you pay a charge.\n\n## How to transfer your ISA\n\nTo switch providers, contact the ISA provider you want to move to and fill out an ISA transfer form to move your account. If you withdraw the money without doing this, you will not be able to reinvest that part of your tax-free allowance again.\n\n## Deadlines and complaints\n\nISA transfers should take no longer than:\n\n- 15 working days for transfers between cash ISAs\n\n- 30 calendar days for other types of transfer\n\nIf you want to transfer investments held in an innovative finance ISA, ask your provider how long it will take.\n\nIf your transfer takes longer than it should, contact your ISA provider.\n\nIf you\u2019re unhappy with the response, you can take the matter up with the Financial Ombudsman Service.\n\n## If you move abroad\n\nIf you open an Individual Savings Account (ISA) in the UK then move abroad, you cannot put money into it after the tax year that you move (unless you\u2019re a Crown employee working overseas or their spouse or civil partner).\n\nYou must tell your ISA provider as soon as you stop being a UK resident.\n\nHowever, you can keep your ISA open and you\u2019ll still get UK tax relief on money and investments held in it.\n\nYou can transfer an ISA to another provider even if you are not resident in the UK.\n\nYou can pay into your ISA again if you return and become a UK resident (subject to the annual ISA allowance).\n\n## If you die\n\nYour ISA will end when either:\n\n- your executor closes it\n\n- the administration of your estate is completed\n\nOtherwise, your ISA provider will close your ISA 3 years and 1 day after you die.\n\nThere will be no Income Tax or Capital Gains Tax to pay up to that date, but ISA investments will form part of your estate for Inheritance Tax purposes.\n\n## Stocks and shares ISAs\n\nYour ISA provider can be instructed to either:\n\n- sell the investments and pay the proceeds to the administrator or beneficiary of your estate\n\n- transfer the investments to your surviving spouse\u2019s or civil partner\u2019s ISA - this is only possible if they have the same ISA provider as you\n\nCheck the terms and conditions of your ISA for details.\n\n## Inheriting an ISA from your spouse or civil partner\n\nIf your spouse or civil partner dies you can inherit their ISA allowance.\n\nAs well as your normal ISA allowance you can add a tax-free amount up to either:\n\n- the value they held in their ISA when they died\n\n- the value of their ISA when it\u2019s closed\n\nContact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.\n\n## If your spouse or civil partner died from 3 December 2014 to 5 April 2018\n\nTheir ISA ended on the date of their death. ISA investments will form part of their estate for Inheritance Tax purposes.\n\nTheir ISA provider can be instructed to sell the investments and either:\n\n- pay the proceeds to the administrator or beneficiary of their estate\n\n- transfer the investments directly to them\n\nYou can inherit their ISA allowance. As well as your normal ISA allowance, you can add a tax-free amount up to the value they held in their ISA when they died.\n\nContact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/individual-savings-accounts", + "answerable": true, + "scenario": "I am a full time employee and I have invested in the employee share scheme. I have saved now \u00a318000 for the last 3 years.", + "original_question": "Can i transfer my shares to ISA?" + }, + { + "id": "train-874", + "question": "Scenario: My mother wishes to have a savings plan. She wishes to set up an ISA and put her shares in it. She is concerned that when she fills in her annual self assessment she will have to declare all the ISA share interests.\n\nQuestion: Does income from an ISA have to be declared in a tax return?\n\nDocument - Individual Savings Accounts (ISAs):\n## Overview\n\nYou can save tax-free with Individual Savings Accounts (ISAs).\n\nIn the 2021 to 2022 tax year, the maximum you can save in ISAs is \u00a320,000\n\nThere are 4 types of ISA:\n\n- cash ISAs\n\n- stocks and shares ISAs\n\n- innovative finance ISAs\n\n- Lifetime ISAs\n\nYou can put money into one of each kind of ISA each tax year.\n\n## Who can open an ISA\n\nYou must be:\n\n- 16 or over for a cash ISA\n\n- 18 or over for a stocks and shares or innovative finance ISA\n\n- 18 or over but under 40 for a Lifetime ISA\n\nYou must also be either:\n\n- resident in the UK\n\n- a Crown servant (for example diplomatic or overseas civil service) or their spouse or civil partner if you do not live in the UK\n\nYou cannot hold an ISA with or on behalf of someone else.\n\nYou can get a Junior ISA for children under 18.\n\n## Opening and managing an ISA for someone who lacks the mental capacity to do this for themselves\n\nA close friend or relative can apply to the Court of Protection (COP) for a financial deputyship order to open and manage an ISA for someone who cannot do this for themselves.\n\nIn Scotland, applications need to be made to the Office of the Public Guardian in Scotland.\n\nIn Northern Ireland, applications need to be made to the Office of Care and Protection.\n\n## How ISAs work\n\nThere are 4 types of Individual Savings Accounts (ISA):\n\n- cash ISA\n\n- stocks and shares ISA\n\n- innovative finance ISA\n\n- Lifetime ISA\n\nYou do not pay tax on:\n\n- interest on cash in an ISA\n\n- income or capital gains from investments in an ISA\n\nIf you complete a tax return, you do not need to declare any ISA interest, income or capital gains on it.\n\n## Putting money into an ISA\n\nEvery tax year you can put money into one of each kind of ISA. The tax year runs from 6 April to 5 April.\n\nYou can save up to \u00a320,000 in one type of account or split the allowance across some or all of the other types.\n\nYou can only pay \u00a34,000 into your Lifetime ISA in a tax year.\n\nYour ISAs will not close when the tax year finishes. You\u2019ll keep your savings on a tax-free basis for as long as you keep the money in your ISA accounts.\n\n## What you can include in your ISAs\n\nCash ISAs can include:\n\n- savings in bank and building society accounts\n\n- some National Savings and Investments products\n\nStocks and shares ISAs can include:\n\n- shares in companies\n\n- unit trusts and investment funds\n\n- corporate bonds\n\n- government bonds\n\nYou cannot transfer any non-ISA shares you already own into an ISA unless they\u2019re from an employee share scheme.\n\nLifetime ISAs may include either:\n\n- cash\n\n- stocks and shares\n\nInnovative finance ISAs include:\n\n- peer-to-peer loans - loans that you give to other people or businesses without using a bank\n\n- \u2018crowdfunding debentures\u2019 - investing in a business by buying its debt\n\nYou cannot transfer any peer-to-peer loans you\u2019ve already made or crowdfunding debentures you already hold into an innovative finance ISA.\n\nIf you have questions about the tax rules for ISAs, you can call the ISA Helpline.\n\n## How to open an ISA\n\nYou can get an Individual Savings Account (ISA) from:\n\n- banks\n\n- building societies\n\n- credit unions\n\n- friendly societies\n\n- stock brokers\n\n- peer-to-peer lending services\n\n- crowdfunding companies\n\n- other financial institutions\n\nContact your provider directly for more information about how to open an ISA with them.\n\n## Withdrawing your money\n\nYou can take your money out of an Individual Savings Account (ISA) at any time, without losing any tax benefits. Check the terms of your ISA to see if there are any rules or charges for making withdrawals.\n\nThere are different rules for taking your money out of a Lifetime ISA.\n\nIf your ISA is \u2018flexible\u2019, you can take out cash then put it back in during the same tax year without reducing your current year\u2019s allowance. Your provider can tell you if your ISA is flexible.\n\n## Transferring your ISA\n\nYou can transfer your Individual Savings Account (ISA) from one provider to another at any time.\n\nYou can transfer your savings to a different type of ISA or to the same type of ISA.\n\nIf you want to transfer money you\u2019ve invested in an ISA during the current year, you must transfer all of it.\n\nFor money you invested in previous years, you can choose to transfer all or part of your savings.\n\nIf you transfer cash and assets from a Lifetime ISA to a different ISA before the age of 60, you\u2019ll have to pay a withdrawal fee of 25%.\n\n## Restrictions on what you can transfer\n\nYou can transfer cash from your innovative finance ISA to another provider - but you may not be able to transfer other investments from it.\n\nCheck with your provider for any restrictions they may have on transferring ISAs. They may also make you pay a charge.\n\n## How to transfer your ISA\n\nTo switch providers, contact the ISA provider you want to move to and fill out an ISA transfer form to move your account. If you withdraw the money without doing this, you will not be able to reinvest that part of your tax-free allowance again.\n\n## Deadlines and complaints\n\nISA transfers should take no longer than:\n\n- 15 working days for transfers between cash ISAs\n\n- 30 calendar days for other types of transfer\n\nIf you want to transfer investments held in an innovative finance ISA, ask your provider how long it will take.\n\nIf your transfer takes longer than it should, contact your ISA provider.\n\nIf you\u2019re unhappy with the response, you can take the matter up with the Financial Ombudsman Service.\n\n## If you move abroad\n\nIf you open an Individual Savings Account (ISA) in the UK then move abroad, you cannot put money into it after the tax year that you move (unless you\u2019re a Crown employee working overseas or their spouse or civil partner).\n\nYou must tell your ISA provider as soon as you stop being a UK resident.\n\nHowever, you can keep your ISA open and you\u2019ll still get UK tax relief on money and investments held in it.\n\nYou can transfer an ISA to another provider even if you are not resident in the UK.\n\nYou can pay into your ISA again if you return and become a UK resident (subject to the annual ISA allowance).\n\n## If you die\n\nYour ISA will end when either:\n\n- your executor closes it\n\n- the administration of your estate is completed\n\nOtherwise, your ISA provider will close your ISA 3 years and 1 day after you die.\n\nThere will be no Income Tax or Capital Gains Tax to pay up to that date, but ISA investments will form part of your estate for Inheritance Tax purposes.\n\n## Stocks and shares ISAs\n\nYour ISA provider can be instructed to either:\n\n- sell the investments and pay the proceeds to the administrator or beneficiary of your estate\n\n- transfer the investments to your surviving spouse\u2019s or civil partner\u2019s ISA - this is only possible if they have the same ISA provider as you\n\nCheck the terms and conditions of your ISA for details.\n\n## Inheriting an ISA from your spouse or civil partner\n\nIf your spouse or civil partner dies you can inherit their ISA allowance.\n\nAs well as your normal ISA allowance you can add a tax-free amount up to either:\n\n- the value they held in their ISA when they died\n\n- the value of their ISA when it\u2019s closed\n\nContact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.\n\n## If your spouse or civil partner died from 3 December 2014 to 5 April 2018\n\nTheir ISA ended on the date of their death. ISA investments will form part of their estate for Inheritance Tax purposes.\n\nTheir ISA provider can be instructed to sell the investments and either:\n\n- pay the proceeds to the administrator or beneficiary of their estate\n\n- transfer the investments directly to them\n\nYou can inherit their ISA allowance. As well as your normal ISA allowance, you can add a tax-free amount up to the value they held in their ISA when they died.\n\nContact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/individual-savings-accounts", + "answerable": true, + "scenario": "My mother wishes to have a savings plan. She wishes to set up an ISA and put her shares in it. She is concerned that when she fills in her annual self assessment she will have to declare all the ISA share interests.", + "original_question": "Does income from an ISA have to be declared in a tax return?" + }, + { + "id": "train-875", + "question": "Scenario: I own a cottage that I rent on short lets. The income is modest but I file a tax return. This year my tax assessment as more than the income for the rent. There is obviously an error.\n\nQuestion: Do I need to pay the assessed tax bill right away if I appeal to HMRC?\n\nDocument - Disagree with a tax decision:\n## Overview\n\nYou can contact HM Revenue and Customs (HMRC) if you have a query about a tax decision. If you do not understand the decision you can also get advice from HMRC or professional help.\n\nThis guide is also available in Welsh (Cymraeg).\n\nHMRC will send you a decision letter that will tell you if you can appeal against a tax decision.\n\nYou can appeal against some decisions about:\n\n- your tax bill (for example Self Assessment, Corporation Tax, VAT)\n\n- a claim for tax relief\n\n- a request for information or to check your business records\n\n- a penalty (for example if you paid your tax late or filed your tax return late)\n\nYour appeal can be made by someone who deals with your taxes, for example an accountant.\n\nYou\u2019ll usually have to pay your own costs if you appeal a tax decision. You may be able to delay the payment of a penalty or any tax you owe until your appeal\u2019s been resolved.\n\n## If HMRC did not act on information\n\nYou may be able to ask HMRC to cancel tax you owe if they did not act on information that you, your employer or the Department for Work and Pensions (DWP) gave them.\n\nYou can do this if you owe:\n\n- Income Tax, for example because you were on the wrong tax code\n\n- Capital Gains Tax\n\n- Class 4 National Insurance contributions\n\n## Appeal against a tax decision\n\nHM Revenue and Customs (HMRC) will write to tell you if you can appeal. You can use the appeal form you got with your decision letter, or write to HMRC at the address on the letter. You usually have 30 days to appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any decision dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\nYou must include:\n\n- your name or business name\n\n- your tax reference number (this will be on the decision letter)\n\n- what you disagree with and why\n\n- what you think the correct figures are and how you\u2019ve calculated them\n\n- your signature\n\nYou should also tell HMRC if you have any extra information or if you think they\u2019ve missed something.\n\nIf you do not have a letter you can write to the HMRC office related to your return.\n\nIf you want to appeal a decision about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can request a review by HMRC or appeal straight to the tax tribunal.\n\nIf customs has seized your things because you have not paid duty or VAT, you can ask for your things back.\n\n## What happens next\n\nWhen you appeal you can accept HMRC\u2019s offer of a review, or request one (if it\u2019s for direct tax). HMRC will tell you what to do next.\n\nA review will be carried out by someone who was not involved in the original decision. This usually takes 45 days, but HMRC will contact you if it will take longer.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Appeal against a penalty\n\nYou can appeal to HM Revenue and Customs (HMRC) against a penalty, for example for:\n\n- an inaccurate return\n\n- sending in your tax return late\n\n- paying tax late\n\n- failing to keep adequate records\n\nA HMRC officer who was not previously involved with your penalty decision will carry out a review if you appeal.\n\nIf you want to appeal a penalty about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can either:\n\n- request a review from HMRC\n\n- appeal straight to the tax tribunal\n\nYour penalty may be cancelled or amended if you have a reasonable excuse.\n\n## How to appeal\n\nIf HMRC sends you a penalty letter by post, use the appeal form that comes with it or follow the instructions on the letter.\n\nFor Self Assessment, PAYE, VAT and Corporation Tax, there are extra documents you can use or alternative ways to appeal.\n\n## If you\u2019re appealing a Self Assessment penalty\n\nYou can get your penalty cancelled if you did not send a tax return because you no longer needed to. Tell HMRC online you do not need to be self assessed or call the helpline.\n\nOtherwise, to appeal you\u2019ll need:\n\n- the date the penalty was issued\n\n- the date you filed your Self Assessment tax return\n\n- details of your reasonable excuse for late filing\n\nIf you\u2019re appealing a \u00a3100 late filing penalty from tax year 2015 to 2016 onwards, you can appeal online or by post. You\u2019ll need to set up a Government Gateway account if you do not have one to appeal online.\n\nFor other penalties, you need to appeal by post. Send a completed form SA370 or a letter explaining your appeal to HMRC Self Assessment.\n\nIf you\u2019re appealing a penalty to a partnership for a late tax return, appeal by post using form SA371. Only the nominated partner can appeal.\n\n## If you\u2019re an employer appealing a PAYE penalty\n\nYou can appeal online if you\u2019re registered for HMRC\u2019s PAYE for employers service. Once you\u2019ve logged in, select \u2018Appeal a penalty\u2019. You\u2019ll get an immediate acknowledgment when you submit your appeal.\n\n## If you filed a late VAT or Corporation Tax return\n\nYou can also use these specific forms for:\n\n- VAT if you had a reasonable excuse for filing late\n\n- Corporation Tax if you filed late because of computer problems\n\n## If you do not have an appeal form\n\nYou can send a signed letter to HMRC instead. Your letter must include:\n\n- your name\n\n- your reference number, for example your Self Assessment Unique Taxpayer Reference (UTR) or VAT registration number\n\n- a full explanation of why your return or payment was late, including dates\n\nIf you could not file or pay because of computer problems, you should include the date you tried to file or pay online with details of any system error message.\n\nSend your claim to the HMRC office related to your return.\n\n## Deadlines\n\nYou must usually appeal within 30 days of the date of the penalty notice.\n\nIf you miss this deadline you must explain the reason for the delay so that HMRC can decide if they\u2019ll consider your appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any penalty dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Delay payment while appealing\n\nYou may be able to delay paying a tax bill or penalty if you disagree with the amount.\n\n## Direct tax\n\nIf you\u2019ve appealed to HM Revenue and Customs (HMRC) against a direct tax decision (such as Income Tax, Corporation Tax or Capital Gains Tax) write to the HMRC office that sent you the decision, telling them:\n\n- why you think the amount you\u2019ve been asked to pay is too much\n\n- what you think the correct amount is and when you\u2019ll pay it\n\nHMRC will tell you in writing if they agree.\n\n## Penalty\n\nIf you\u2019ve appealed against a penalty you will not have to pay until your appeal has been settled.\n\n## Indirect tax\n\nIf you\u2019ve asked HMRC to review an indirect tax decision, for example VAT or Insurance Premium Tax, you will not need to pay until the review has finished.\n\nIf you appeal to the tax tribunal you\u2019ll usually have to pay the tax before they will hear your appeal. You can ask to delay paying the tax if it would cause you extreme financial difficulty (for example, bankruptcy or liquidation).\n\nOnce a final decision has been reached, you must pay any money that you owe in full including interest.\n\n## Penalty\n\nIf you\u2019ve asked for a review, or appealed to the tribunal about a penalty, HMRC will not ask you to pay it until your appeal has been settled.\n\n## If you disagree with HMRC\u2019s decision\n\nYou can ask for the decision to be reviewed if you do not agree with the outcome.\n\n## Reasonable excuses\n\nYou can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.\n\n## What may count as a reasonable excuse\n\nA reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:\n\n- your partner or another close relative died shortly before the tax return or payment deadline\n\n- you had an unexpected stay in hospital that prevented you from dealing with your tax affairs\n\n- you had a serious or life-threatening illness\n\n- your computer or software failed just before or while you were preparing your online return\n\n- service issues with HM Revenue and Customs (HMRC) online services\n\n- a fire, flood or theft prevented you from completing your tax return\n\n- postal delays that you could not have predicted\n\n- delays related to a disability you have\n\nYou must send your return or payment as soon as possible after your reasonable excuse is resolved.\n\n## If you\u2019re affected by coronavirus (COVID-19)\n\nHMRC will consider coronavirus as a reasonable excuse for missing some tax obligations (such as payments or filing dates).\n\nExplain how you were affected by coronavirus in your appeal. You must still make the return or payment as soon as you can.\n\n## What will not count as a reasonable excuse\n\nThe following will not be accepted as a reasonable excuse:\n\n- you relied on someone else to send your return and they did not\n\n- your cheque bounced or payment failed because you did not have enough money\n\n- you found the HMRC online system too difficult to use\n\n- you did not get a reminder from HMRC\n\n- you made a mistake on your tax return", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-appeals", + "answerable": true, + "scenario": "I own a cottage that I rent on short lets. The income is modest but I file a tax return. This year my tax assessment as more than the income for the rent. There is obviously an error.", + "original_question": "Do I need to pay the assessed tax bill right away if I appeal to HMRC?" + }, + { + "id": "train-876", + "question": "Scenario: I am a sole trader. I have tried to pay my tax by bank transfer. The money left my account but HMRC state they have not received it and have issued a penalty for late payment.\n\nQuestion: Can I appeal the penalty once my bank has managed to send the money to the correct HMRC account?\n\nDocument - Disagree with a tax decision:\n## Overview\n\nYou can contact HM Revenue and Customs (HMRC) if you have a query about a tax decision. If you do not understand the decision you can also get advice from HMRC or professional help.\n\nThis guide is also available in Welsh (Cymraeg).\n\nHMRC will send you a decision letter that will tell you if you can appeal against a tax decision.\n\nYou can appeal against some decisions about:\n\n- your tax bill (for example Self Assessment, Corporation Tax, VAT)\n\n- a claim for tax relief\n\n- a request for information or to check your business records\n\n- a penalty (for example if you paid your tax late or filed your tax return late)\n\nYour appeal can be made by someone who deals with your taxes, for example an accountant.\n\nYou\u2019ll usually have to pay your own costs if you appeal a tax decision. You may be able to delay the payment of a penalty or any tax you owe until your appeal\u2019s been resolved.\n\n## If HMRC did not act on information\n\nYou may be able to ask HMRC to cancel tax you owe if they did not act on information that you, your employer or the Department for Work and Pensions (DWP) gave them.\n\nYou can do this if you owe:\n\n- Income Tax, for example because you were on the wrong tax code\n\n- Capital Gains Tax\n\n- Class 4 National Insurance contributions\n\n## Appeal against a tax decision\n\nHM Revenue and Customs (HMRC) will write to tell you if you can appeal. You can use the appeal form you got with your decision letter, or write to HMRC at the address on the letter. You usually have 30 days to appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any decision dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\nYou must include:\n\n- your name or business name\n\n- your tax reference number (this will be on the decision letter)\n\n- what you disagree with and why\n\n- what you think the correct figures are and how you\u2019ve calculated them\n\n- your signature\n\nYou should also tell HMRC if you have any extra information or if you think they\u2019ve missed something.\n\nIf you do not have a letter you can write to the HMRC office related to your return.\n\nIf you want to appeal a decision about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can request a review by HMRC or appeal straight to the tax tribunal.\n\nIf customs has seized your things because you have not paid duty or VAT, you can ask for your things back.\n\n## What happens next\n\nWhen you appeal you can accept HMRC\u2019s offer of a review, or request one (if it\u2019s for direct tax). HMRC will tell you what to do next.\n\nA review will be carried out by someone who was not involved in the original decision. This usually takes 45 days, but HMRC will contact you if it will take longer.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Appeal against a penalty\n\nYou can appeal to HM Revenue and Customs (HMRC) against a penalty, for example for:\n\n- an inaccurate return\n\n- sending in your tax return late\n\n- paying tax late\n\n- failing to keep adequate records\n\nA HMRC officer who was not previously involved with your penalty decision will carry out a review if you appeal.\n\nIf you want to appeal a penalty about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can either:\n\n- request a review from HMRC\n\n- appeal straight to the tax tribunal\n\nYour penalty may be cancelled or amended if you have a reasonable excuse.\n\n## How to appeal\n\nIf HMRC sends you a penalty letter by post, use the appeal form that comes with it or follow the instructions on the letter.\n\nFor Self Assessment, PAYE, VAT and Corporation Tax, there are extra documents you can use or alternative ways to appeal.\n\n## If you\u2019re appealing a Self Assessment penalty\n\nYou can get your penalty cancelled if you did not send a tax return because you no longer needed to. Tell HMRC online you do not need to be self assessed or call the helpline.\n\nOtherwise, to appeal you\u2019ll need:\n\n- the date the penalty was issued\n\n- the date you filed your Self Assessment tax return\n\n- details of your reasonable excuse for late filing\n\nIf you\u2019re appealing a \u00a3100 late filing penalty from tax year 2015 to 2016 onwards, you can appeal online or by post. You\u2019ll need to set up a Government Gateway account if you do not have one to appeal online.\n\nFor other penalties, you need to appeal by post. Send a completed form SA370 or a letter explaining your appeal to HMRC Self Assessment.\n\nIf you\u2019re appealing a penalty to a partnership for a late tax return, appeal by post using form SA371. Only the nominated partner can appeal.\n\n## If you\u2019re an employer appealing a PAYE penalty\n\nYou can appeal online if you\u2019re registered for HMRC\u2019s PAYE for employers service. Once you\u2019ve logged in, select \u2018Appeal a penalty\u2019. You\u2019ll get an immediate acknowledgment when you submit your appeal.\n\n## If you filed a late VAT or Corporation Tax return\n\nYou can also use these specific forms for:\n\n- VAT if you had a reasonable excuse for filing late\n\n- Corporation Tax if you filed late because of computer problems\n\n## If you do not have an appeal form\n\nYou can send a signed letter to HMRC instead. Your letter must include:\n\n- your name\n\n- your reference number, for example your Self Assessment Unique Taxpayer Reference (UTR) or VAT registration number\n\n- a full explanation of why your return or payment was late, including dates\n\nIf you could not file or pay because of computer problems, you should include the date you tried to file or pay online with details of any system error message.\n\nSend your claim to the HMRC office related to your return.\n\n## Deadlines\n\nYou must usually appeal within 30 days of the date of the penalty notice.\n\nIf you miss this deadline you must explain the reason for the delay so that HMRC can decide if they\u2019ll consider your appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any penalty dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Delay payment while appealing\n\nYou may be able to delay paying a tax bill or penalty if you disagree with the amount.\n\n## Direct tax\n\nIf you\u2019ve appealed to HM Revenue and Customs (HMRC) against a direct tax decision (such as Income Tax, Corporation Tax or Capital Gains Tax) write to the HMRC office that sent you the decision, telling them:\n\n- why you think the amount you\u2019ve been asked to pay is too much\n\n- what you think the correct amount is and when you\u2019ll pay it\n\nHMRC will tell you in writing if they agree.\n\n## Penalty\n\nIf you\u2019ve appealed against a penalty you will not have to pay until your appeal has been settled.\n\n## Indirect tax\n\nIf you\u2019ve asked HMRC to review an indirect tax decision, for example VAT or Insurance Premium Tax, you will not need to pay until the review has finished.\n\nIf you appeal to the tax tribunal you\u2019ll usually have to pay the tax before they will hear your appeal. You can ask to delay paying the tax if it would cause you extreme financial difficulty (for example, bankruptcy or liquidation).\n\nOnce a final decision has been reached, you must pay any money that you owe in full including interest.\n\n## Penalty\n\nIf you\u2019ve asked for a review, or appealed to the tribunal about a penalty, HMRC will not ask you to pay it until your appeal has been settled.\n\n## If you disagree with HMRC\u2019s decision\n\nYou can ask for the decision to be reviewed if you do not agree with the outcome.\n\n## Reasonable excuses\n\nYou can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.\n\n## What may count as a reasonable excuse\n\nA reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:\n\n- your partner or another close relative died shortly before the tax return or payment deadline\n\n- you had an unexpected stay in hospital that prevented you from dealing with your tax affairs\n\n- you had a serious or life-threatening illness\n\n- your computer or software failed just before or while you were preparing your online return\n\n- service issues with HM Revenue and Customs (HMRC) online services\n\n- a fire, flood or theft prevented you from completing your tax return\n\n- postal delays that you could not have predicted\n\n- delays related to a disability you have\n\nYou must send your return or payment as soon as possible after your reasonable excuse is resolved.\n\n## If you\u2019re affected by coronavirus (COVID-19)\n\nHMRC will consider coronavirus as a reasonable excuse for missing some tax obligations (such as payments or filing dates).\n\nExplain how you were affected by coronavirus in your appeal. You must still make the return or payment as soon as you can.\n\n## What will not count as a reasonable excuse\n\nThe following will not be accepted as a reasonable excuse:\n\n- you relied on someone else to send your return and they did not\n\n- your cheque bounced or payment failed because you did not have enough money\n\n- you found the HMRC online system too difficult to use\n\n- you did not get a reminder from HMRC\n\n- you made a mistake on your tax return", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-appeals", + "answerable": true, + "scenario": "I am a sole trader. I have tried to pay my tax by bank transfer. The money left my account but HMRC state they have not received it and have issued a penalty for late payment.", + "original_question": "Can I appeal the penalty once my bank has managed to send the money to the correct HMRC account?" + }, + { + "id": "train-878", + "question": "Scenario: I am planning to upgrade my property. The garden walls need to be made taller and the windows replaced, I need an extension of my kitchen area too.\n\nQuestion: Does it require approval for building regulations?\n\nDocument - Building regulations approval:\n## When you need approval\n\nYou must check if you need approval before you construct or change buildings in certain ways.\n\nYou do not need to get approval yourself if you use someone registered with a competent person scheme.\n\nFind out about the rules in Scotland and Northern Ireland.\n\nBuilding regulations approval is different from planning permission. You might need both.\n\n## Work covered by building regulations\n\nThe Building Regulations 2010 cover the construction and extension of buildings.\n\nYou might also need building regulations approval for many alteration projects, including if you plan to:\n\n- replace fuse boxes and connected electrics\n\n- install a bathroom that will involve plumbing\n\n- change electrics near a bath or shower\n\n- put in a fixed air-conditioning system\n\n- replace windows and doors\n\n- replace roof coverings on pitched and flat roofs\n\n- install or replace a heating system\n\n- add extra radiators to a heating system\n\nYou could need approval, or to follow special rules, for works not listed here - so always research your particular project.\n\nCheck with a building control body if you cannot decide if you need approval.\n\nYou do not need advance approval for emergency repairs to your boiler or heating system, but there are rules you must follow.\n\n## Penalties and problems\n\nThe person doing the work could be prosecuted and fined if they do not comply with building regulations.\n\nYour local authority could make you pay for faulty work to be fixed.\n\nWithout approval you will not have the certificates of compliance you may need when you want to sell your home.\n\n## When you do not need approval\n\nYou do not need to apply for approval yourself if the work is not covered by building regulations, or if it\u2019s carried out by someone who\u2019s registered with a competent person scheme.\n\n## Work that does not need approval\n\nYou do not need building regulations approval for some exempt projects, including:\n\n- most repairs, replacements and maintenance work (except heating systems, oil tanks, fuse boxes and glazing units)\n\n- new power and lighting points, or changes to existing circuits (except around baths and showers)\n\n- like-for-like replacements of baths, toilets, basins and sinks\n\nFind out more about common projects and check when you do and do not need approval.\n\nCheck with a building control body if you\u2019re still not sure what to do.\n\n## Hire a \u2018competent person\u2019\n\nIf your project needs approval but you\u2019d rather not apply yourself, you can hire a tradesperson registered with a competent person scheme instead.\n\nYou must meet safety and energy efficiency standards even if you do not need formal approval.\n\n## Use a competent person scheme\n\nCompetent person schemes are a way for tradespeople to prove their ability to carry out certain work to required standards, instead of you applying for building regulations approval.\n\n## Benefits of a registered tradesperson\n\nAn installer (eg of windows or boilers) who\u2019s registered with a scheme can self-certify that their work complies with buildings standards and can deal with building control issues, like objections.\n\nIf needed, they\u2019ll tell your local authority about work on your behalf. They\u2019ll also give you a certificate within 8 weeks of completion which can be used as evidence of compliance - it will also show up in solicitors\u2019 searches if you come to sell your home.\n\nCompetent person schemes have insurance-backed warranties and complaints procedures if there\u2019s a problem with the work.\n\n## Find a \u2018competent person\u2019\n\nSearch the Competent Persons Register to find a tradesperson, or check that they belong to a scheme.\n\nSearch the Electrical Competent Person Register if you\u2019re looking for an electrician to work on your home.\n\nYou may have to correct the work or pay a fine if building regulations are not followed.\n\n## How to apply\n\nContact a \u2018building control body\u2019 (BCB) to check the building regulations or apply for approval.\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Where to apply\n\nThere are 2 types of BCB. It\u2019s up to you which you use.\n\n## Local authority BCBs\n\nYou can apply for approval from your council.\n\n## Private BCBs\n\nYou can apply through a private approved inspector.\n\nThey\u2019ll tell your local authority about the work. This is called giving an \u2018initial notice\u2019.\n\n## Choose a type of application\n\nYou must decide on the type of application for your planned build, extension or alteration work.\n\n## Full plans\n\nThis is the most thorough option. You can expect a decision within 5 weeks, or 2 months with your consent.\n\nYou\u2019ll get a completion certificate within 8 weeks of completion of the building work as long as it complies.\n\n## Building notice\n\nThis type of application is only for smaller projects. You can start work 2 days after your notice has been submitted to your BCB. You do not get formal approval like you do with full plans.\n\n## Regularisation\n\nYou can apply for \u2018regularisation\u2019 - retrospective approval for work already carried out without consent - from a local authority BCB only.\n\nOnly work carried out after 11 November 1985 can be approved in this way.\n\nYou might need to make alterations before your BCB can agree the work complies and give you a regularisation certificate.\n\nYou may have to correct the work or pay a fine if building regulations are not followed.\n\n## Fees and costs\n\nLocal authority BCBs base their fees on the costs of their work, like site inspections.\n\nWhat you\u2019ll pay depends on the:\n\n- type of work involved\n\n- number of dwellings in the building\n\n- total floor area, eg in the case of extensions\n\nPrivate BCBs negotiate their fees directly with you.\n\nYou might not have to pay a fee for works carried out solely for a person with a disability.\n\n## Appeals and determinations\n\nYou can appeal if you think your project should not have to comply with building regulations.\n\nAsk for a \u2018determination\u2019 if you\u2019re refused building regulations approval and you think the building control body (BCB) decision is unfair.\n\n## If you think you should not have to comply\n\nAsk your local authority to ignore or relax one or more of the building regulations if you think your project shouldn\u2019t have to comply with them.\n\nIf the local authority still says you have to comply, you can appeal to government. You have a month to make the appeal.\n\nFind out about making an appeal.\n\nYou cannot ask a private BCB to ignore or relax the building regulations. You\u2019ll have to ask your local authority BCB instead.\n\n## If the BCB refuses building regulations approval\n\nYou can ask for a \u2018determination\u2019 - a decision by government - if a BCB says your plans do not comply but you believe they do. Find out about asking for a determination.\n\n## How to appeal or get a determination\n\nYou\u2019ll need to read the guidance and fill in a form.\n\nYou\u2019ll have to pay a fee when you ask for a determination unless your building work is for disabled people. You don\u2019t have to pay a fee to appeal.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/building-regulations-approval", + "answerable": true, + "scenario": "I am planning to upgrade my property. The garden walls need to be made taller and the windows replaced, I need an extension of my kitchen area too.", + "original_question": "Does it require approval for building regulations?" + }, + { + "id": "train-879", + "question": "Scenario: Few months after my friend Titus ran bankrupt and closed his business down . His family has managed to pull together and cleared all the creditors debts through the solicitor . Titus now has more capital to restart his electronics supply business.\n\nQuestion: Can he cancel the bankruptcy?\n\nDocument - Applying to become bankrupt:\n## Overview\n\nYou can apply to make yourself bankrupt if you cannot pay your debts.\n\nCheck if there are other ways you can deal with your debts before you apply for bankruptcy.\n\nYour application will be looked at by someone who works for the Insolvency Service called an \u2018adjudicator\u2019. They\u2019ll decide if you should be made bankrupt.\n\nThe process is different if someone else is applying to make you bankrupt.\n\n## How to apply\n\nYou can only apply for bankruptcy online. It costs \u00a3680.\n\n## What happens when you go bankrupt\n\nIf the adjudicator makes you bankrupt:\n\n- you\u2019ll receive a copy of the bankruptcy order and may be interviewed about your situation\n\n- your assets can be used to pay your debts\n\n- you\u2019ll have to follow the bankruptcy restrictions\n\n- your name and details will be published in the Individual Insolvency Register\n\nYou can apply to have your address removed from the Individual Insolvency Register if publishing it will put you at risk of violence. This will not affect your bankruptcy.\n\nAfter 12 months you\u2019re usually released (\u2018discharged\u2019) from your bankruptcy restrictions and debts. Assets that were part of your estate during the bankruptcy period can still be used to pay your debts.\n\nYou might be able to cancel (\u2018annul\u2019) your bankruptcy before you\u2019re discharged.\n\nBankruptcy only applies to individuals. Find out what your options are if your limited company cannot pay its creditors.\n\n## Get help and information\n\nRead the following:\n\n- the Citizens Advice bankruptcy advice guide\n\n- the Money Advice Service\u2019s guide on options for writing off your debt\n\nYou can also contact the National Debtline for bankruptcy advice.\n\nYou can get free advice from a debt adviser to help you decide how to deal with your debts.\n\n## If you do not live in England or Wales\n\nThe process to become bankrupt is different if you live in Scotland or Northern Ireland. You cannot apply to become bankrupt in England or Wales.\n\nYou might be able to apply if you live anywhere else - talk to a debt adviser.\n\nYou must not break the bankruptcy restrictions in England or Wales. These might also apply outside England and Wales - check the laws of the country you live in.\n\n## Get a person at risk of violence (PARV) order\n\nWhen you\u2019re made bankrupt, your name and address will be published in:\n\n- the Individual Insolvency Register\n\n- the London Gazette\n\nIf having your address published will put you at risk of violence, you can apply to the court for a person at risk of violence (PARV) order.\n\nYour name will still be published, but your address will not be.\n\nYou can only apply for a PARV if you\u2019ve already started a bankruptcy application.\n\n## How to apply\n\nDownload and fill in the application form.\n\nTake your completed form to your nearest court that deals with bankruptcy. They\u2019ll tell you if you need to pay a fee to apply.\n\nYou\u2019ll have to go to a hearing to present your application to a judge - the court will tell you when and where this will take place. You\u2019ll usually get a decision on the same day.\n\nSubmit your bankruptcy application once you have your PARV order.\n\n## After you apply\n\nYou\u2019ll usually get an email or letter from the adjudicator within 28 days of submitting your application to say if you\u2019ve been made bankrupt.\n\nThis can take longer if the adjudicator needs to ask more questions about your application.\n\nThey\u2019ll then issue a bankruptcy order.\n\n## After you get your bankruptcy order\n\nYou\u2019ll get a letter from the official receiver within 2 weeks of getting your bankruptcy order. The official receiver is an officer of the court who manages your bankruptcy.\n\nYou\u2019ll also get an information pack that explains what you need to know and what you must do.\n\nYou might be asked to:\n\n- fill in a questionnaire\n\n- attend an interview with the official receiver\n\n- give the official receiver more information about your debts, creditors, assets and income\n\n## If you\u2019re asked to attend an interview\n\nThe interview can be in person or over the phone. The official receiver will:\n\n- check the information they have about your debts and assets\n\n- ask for more details, for example about your pension or savings\n\n- ask how and why you became bankrupt\n\n- answer any questions you have about the bankruptcy process\n\nYour release (\u2018discharge\u2019) from bankruptcy may be delayed if you do not provide the information you\u2019re asked for.\n\n## Restrictions\n\nYou have to follow bankruptcy restrictions when you\u2019re bankrupt. This means you cannot:\n\n- borrow more than \u00a3500 without telling the lender you\u2019re bankrupt\n\n- act as a director of a company without the court\u2019s permission\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business with a different name without telling people you do business with that you\u2019re bankrupt\n\n- work as an insolvency practitioner (an authorised debt specialist)\n\nIt\u2019s a criminal offence to break the restrictions - you might be prosecuted if you do.\n\nYou must co-operate with the people managing your bankruptcy, for example by providing them with the information they ask for.\n\n## How long the restrictions last\n\nRestrictions last until your bankruptcy ends. This will happen sooner if you cancel your bankruptcy.\n\n## When the restrictions can be extended\n\nBankruptcy restrictions can be extended if you do not carry out your duties under the bankruptcy proceedings or if you\u2019re found to have acted carelessly or dishonestly.\n\nThe official receiver will tell you if the restrictions will be extended.\n\nYou\u2019ll be asked to agree to a Bankruptcy Restrictions Undertaking to extend the restrictions. If you do not agree, they\u2019ll ask the court to issue a Bankruptcy Restrictions Order.\n\n## Your assets\n\nYour assets might be sold to pay your bankruptcy debts. You have to hand over your assets to the person appointed to manage your bankruptcy (your \u2018trustee\u2019). They can be:\n\n- an official receiver - an officer of the court\n\n- an insolvency practitioner - an authorised debt specialist\n\nThe official receiver will usually act as your trustee to begin with.\n\n## Assets you can keep\n\nYou can usually keep:\n\n- items needed for your job, such as tools or a vehicle\n\n- household items, such as clothing, bedding or furniture\n\nYou might have to give these items up if they\u2019re worth more than a reasonable replacement.\n\n## Your bank accounts\n\nYou must give the official receiver your bank cards, cheque books and credit cards for any accounts you\u2019re no longer allowed to use. This includes any account that was overdrawn on the date you were made bankrupt.\n\nYour accounts will be frozen but your trustee may release:\n\n- any money you need urgently, for example to buy food\n\n- your partner\u2019s share of any money in a joint account\n\nYour bank will decide whether to allow you to continue using your accounts.\n\n## Your pension\n\nYou usually keep any money you\u2019ve put into a pension.\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nSpeak to your trustee or read the guidance to find out how bankruptcy will affect your pension.\n\nYou can get free advice on managing your money and how bankruptcy affects your credit rating from Citizens Advice or National Debtline.\n\n## Your home\n\nYour home might be sold depending on your equity - your share after any secured debts (like a mortgage) have been paid.\n\nYou might have to give up:\n\n- your equity\n\n- legal ownership of the property if your equity is \u00a31,000 or more\n\nIf your trustee has not put your home up for sale within 3 years it will be transferred back to you.\n\n## Sole owners\n\nThe equity and legal ownership are transferred to your trustee. This means you cannot sell the property or claim any money from a sale.\n\nA bankruptcy restriction or notice is added to your property\u2019s entry in the land register to say this.\n\nIt can only be removed if it\u2019s been added to your property by mistake. Send HM Land Registry a signed statement saying you are not bankrupt and an application to change the register for a property.\n\n## Joint owners\n\nThe equity is transferred to your trustee.\n\nA \u2018Form J restriction\u2019 is added to your property\u2019s entry in the land register. This means your trustee will be told of any dealings connected with your home, for example if you try to sell it.\n\nIt can be removed if you can prove you (as the bankrupt) do not have a share in the property, for example if your partner owns the property. The owner has to send HM Land Registry a signed statement saying they are not the bankrupt person and an application for the cancellation of a Form J restriction.\n\n## Stop the sale of your home\n\nYou might be able to stop or delay the sale of your home if, for example:\n\n- the value of your equity is less than \u00a31,000\n\n- the equity or legal title can be sold to someone else, such as a partner\n\n- you need to organise somewhere for children or a partner to live - the sale can be delayed for up to 1 year\n\nYou may want to get legal advice to find out if you can stop or delay the sale of your home.\n\nCheck if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\n## Rented property\n\nYour landlord may be told that you\u2019re bankrupt and your rental situation may be affected.\n\n## Your income\n\nYour trustee will tell you if you have to make monthly payments from your spare income - you\u2019ll only have to do this if you can afford it.\n\nThe arrangement can last for up to 3 years and is called an Income Payments Agreement (IPA).\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nIf you do not agree to the IPA your trustee can ask the court to order you to make monthly payments. This is called an Income Payments Order (IPO).\n\nYour official receiver will set up your IPA or IPO and charge a fee. The fee can be up to \u00a3150 and is taken out of your first payment.\n\n## How much you pay\n\nThe monthly amount you pay depends on how much you can afford after essential expenses like food and bills are paid.\n\n## Cancel a bankruptcy\n\nYou can apply to cancel (\u2018annul\u2019) your bankruptcy if:\n\n- the bankruptcy order should not have been made\n\n- all your debts and bankruptcy fees have been paid or secured (guaranteed) by a third party\n\n- you\u2018ve made an Individual Voluntary Arrangement with your creditors to pay all or part of your debts\n\nIf your circumstances change and you can pay off all your debts, then you must pay it through your official receiver or a solicitor.\n\nThis means you will not have to follow the bankruptcy restrictions.\n\n## How to apply\n\nDownload and fill in the application form.\n\nSend or take your completed form to your nearest court that deals with bankruptcy.\n\nYou must tell the court if you want details of your bankruptcy removed from the Land Charges register.\n\nYou\u2019ll be given a date for a court hearing of your application, which you must attend.\n\nYou\u2019ll still need to attend your interview with the official receiver if you\u2019ve been asked to.\n\nIf the court agrees with your application, they\u2019ll make an annulment order which cancels your bankruptcy.\n\n## Advertise your cancellation order\n\nYou can ask the official receiver to advertise your annulment order within 28 days of getting it. You cannot do this if your bankruptcy order has not been advertised yet.\n\nYour annulment order will be advertised wherever your bankruptcy order was.\n\n## When bankruptcy ends\n\nYour bankruptcy and the restrictions generally end when you\u2019re \u2018discharged\u2019, which is usually automatic.\n\nThis is usually 12 months after the adjudicator made you bankrupt. It can be longer in some circumstances, for example if you do not co-operate with your trustee.\n\nCheck your discharge date online using the Individual Insolvency Register.\n\nIf you cancel your bankruptcy, all restrictions will end immediately and your details will be removed from the Individual Insolvency Register.\n\n## Proof of discharge\n\nEmail the Insolvency Service and ask for a \u2018confirmation letter\u2019 to prove your bankruptcy has ended. There\u2019s no fee.\n\nIf you\u2019re applying for a mortgage, you\u2019ll need a Certificate of Discharge.\n\nHow you get it depends on how you applied for your bankruptcy.\n\nIf you applied:\n\n- at a court, contact the court and pay the \u00a370 fee (\u00a310 for each copy)\n\n- online, email the Insolvency Service - there\u2019s no fee\n\n## Bankruptcy registers\n\nThe Individual Insolvency Register is updated within 3 months of your discharge.\n\nYou must apply to both Land Charges and HM Land Registry to have your bankruptcy entry removed from any properties you still own after paying your debts.\n\nBankruptcy entries are automatically removed from the Land Charges register after 5 years if they\u2019re not renewed.\n\n## Apply to Land Charges\n\nSend an application to cancel an entry in the Land Register (K11) to the Land Charges Department.\n\nYou need to include:\n\n- a copy of your court order permitting the cancellation (or \u2018vacation\u2019) of the entry\n\n- \u00a31 for each entry you want to cancel\n\n## Apply to HM Land Registry\n\nYou need to send HM Land Registry either:\n\n- an application to change the register for a property, if you\u2019re the sole owner of your property\n\n- an application for the cancellation of a Form J restriction, if you own your property with someone else\n\nYou must include a copy of your court order.\n\nAll forms sent will be destroyed once the registers are updated. You can send copies if you write \u201cI certify that this is a true copy of the original\u201d together with your signature on the first page.\n\n## Your credit record\n\nCredit reference agencies will not be told directly when your bankruptcy ends - they\u2019ll get this information from public records.\n\nGet a copy of your credit reference report - contact a credit reference agency if it needs updating.\n\nYour bankruptcy can stay on your credit reference file for 6 years from the date of your bankruptcy.\n\n## Debts that will not be written off\n\nWhen you\u2019re discharged you\u2019ll be released from most, but not all, of the debts you owed at the date of the bankruptcy.\n\nDebts you will not be released from include:\n\n- debts arising from fraud\n\n- anything you owe under family proceedings - unless the court decides otherwise\n\n- damages for personal injuries to anyone - unless the court decides otherwise\n\n- debts which were not included in the bankruptcy itself, for example a debt to the Student Loans Company", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/bankruptcy", + "answerable": true, + "scenario": "Few months after my friend Titus ran bankrupt and closed his business down . His family has managed to pull together and cleared all the creditors debts through the solicitor . Titus now has more capital to restart his electronics supply business.", + "original_question": "Can he cancel the bankruptcy?" + }, + { + "id": "train-880", + "question": "Scenario: I own a chain of supermarkets and my businesses are trading at a loss due to lack of supplies, staff pilferage and general poor management. I can't pay my suppliers and employees anymore. I have a lot of accumulated debt. If I apply to become bankrupt next month.\n\nQuestion: Will my name be put in the insolviency register?\n\nDocument - Applying to become bankrupt:\n## Overview\n\nYou can apply to make yourself bankrupt if you cannot pay your debts.\n\nCheck if there are other ways you can deal with your debts before you apply for bankruptcy.\n\nYour application will be looked at by someone who works for the Insolvency Service called an \u2018adjudicator\u2019. They\u2019ll decide if you should be made bankrupt.\n\nThe process is different if someone else is applying to make you bankrupt.\n\n## How to apply\n\nYou can only apply for bankruptcy online. It costs \u00a3680.\n\n## What happens when you go bankrupt\n\nIf the adjudicator makes you bankrupt:\n\n- you\u2019ll receive a copy of the bankruptcy order and may be interviewed about your situation\n\n- your assets can be used to pay your debts\n\n- you\u2019ll have to follow the bankruptcy restrictions\n\n- your name and details will be published in the Individual Insolvency Register\n\nYou can apply to have your address removed from the Individual Insolvency Register if publishing it will put you at risk of violence. This will not affect your bankruptcy.\n\nAfter 12 months you\u2019re usually released (\u2018discharged\u2019) from your bankruptcy restrictions and debts. Assets that were part of your estate during the bankruptcy period can still be used to pay your debts.\n\nYou might be able to cancel (\u2018annul\u2019) your bankruptcy before you\u2019re discharged.\n\nBankruptcy only applies to individuals. Find out what your options are if your limited company cannot pay its creditors.\n\n## Get help and information\n\nRead the following:\n\n- the Citizens Advice bankruptcy advice guide\n\n- the Money Advice Service\u2019s guide on options for writing off your debt\n\nYou can also contact the National Debtline for bankruptcy advice.\n\nYou can get free advice from a debt adviser to help you decide how to deal with your debts.\n\n## If you do not live in England or Wales\n\nThe process to become bankrupt is different if you live in Scotland or Northern Ireland. You cannot apply to become bankrupt in England or Wales.\n\nYou might be able to apply if you live anywhere else - talk to a debt adviser.\n\nYou must not break the bankruptcy restrictions in England or Wales. These might also apply outside England and Wales - check the laws of the country you live in.\n\n## Get a person at risk of violence (PARV) order\n\nWhen you\u2019re made bankrupt, your name and address will be published in:\n\n- the Individual Insolvency Register\n\n- the London Gazette\n\nIf having your address published will put you at risk of violence, you can apply to the court for a person at risk of violence (PARV) order.\n\nYour name will still be published, but your address will not be.\n\nYou can only apply for a PARV if you\u2019ve already started a bankruptcy application.\n\n## How to apply\n\nDownload and fill in the application form.\n\nTake your completed form to your nearest court that deals with bankruptcy. They\u2019ll tell you if you need to pay a fee to apply.\n\nYou\u2019ll have to go to a hearing to present your application to a judge - the court will tell you when and where this will take place. You\u2019ll usually get a decision on the same day.\n\nSubmit your bankruptcy application once you have your PARV order.\n\n## After you apply\n\nYou\u2019ll usually get an email or letter from the adjudicator within 28 days of submitting your application to say if you\u2019ve been made bankrupt.\n\nThis can take longer if the adjudicator needs to ask more questions about your application.\n\nThey\u2019ll then issue a bankruptcy order.\n\n## After you get your bankruptcy order\n\nYou\u2019ll get a letter from the official receiver within 2 weeks of getting your bankruptcy order. The official receiver is an officer of the court who manages your bankruptcy.\n\nYou\u2019ll also get an information pack that explains what you need to know and what you must do.\n\nYou might be asked to:\n\n- fill in a questionnaire\n\n- attend an interview with the official receiver\n\n- give the official receiver more information about your debts, creditors, assets and income\n\n## If you\u2019re asked to attend an interview\n\nThe interview can be in person or over the phone. The official receiver will:\n\n- check the information they have about your debts and assets\n\n- ask for more details, for example about your pension or savings\n\n- ask how and why you became bankrupt\n\n- answer any questions you have about the bankruptcy process\n\nYour release (\u2018discharge\u2019) from bankruptcy may be delayed if you do not provide the information you\u2019re asked for.\n\n## Restrictions\n\nYou have to follow bankruptcy restrictions when you\u2019re bankrupt. This means you cannot:\n\n- borrow more than \u00a3500 without telling the lender you\u2019re bankrupt\n\n- act as a director of a company without the court\u2019s permission\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business with a different name without telling people you do business with that you\u2019re bankrupt\n\n- work as an insolvency practitioner (an authorised debt specialist)\n\nIt\u2019s a criminal offence to break the restrictions - you might be prosecuted if you do.\n\nYou must co-operate with the people managing your bankruptcy, for example by providing them with the information they ask for.\n\n## How long the restrictions last\n\nRestrictions last until your bankruptcy ends. This will happen sooner if you cancel your bankruptcy.\n\n## When the restrictions can be extended\n\nBankruptcy restrictions can be extended if you do not carry out your duties under the bankruptcy proceedings or if you\u2019re found to have acted carelessly or dishonestly.\n\nThe official receiver will tell you if the restrictions will be extended.\n\nYou\u2019ll be asked to agree to a Bankruptcy Restrictions Undertaking to extend the restrictions. If you do not agree, they\u2019ll ask the court to issue a Bankruptcy Restrictions Order.\n\n## Your assets\n\nYour assets might be sold to pay your bankruptcy debts. You have to hand over your assets to the person appointed to manage your bankruptcy (your \u2018trustee\u2019). They can be:\n\n- an official receiver - an officer of the court\n\n- an insolvency practitioner - an authorised debt specialist\n\nThe official receiver will usually act as your trustee to begin with.\n\n## Assets you can keep\n\nYou can usually keep:\n\n- items needed for your job, such as tools or a vehicle\n\n- household items, such as clothing, bedding or furniture\n\nYou might have to give these items up if they\u2019re worth more than a reasonable replacement.\n\n## Your bank accounts\n\nYou must give the official receiver your bank cards, cheque books and credit cards for any accounts you\u2019re no longer allowed to use. This includes any account that was overdrawn on the date you were made bankrupt.\n\nYour accounts will be frozen but your trustee may release:\n\n- any money you need urgently, for example to buy food\n\n- your partner\u2019s share of any money in a joint account\n\nYour bank will decide whether to allow you to continue using your accounts.\n\n## Your pension\n\nYou usually keep any money you\u2019ve put into a pension.\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nSpeak to your trustee or read the guidance to find out how bankruptcy will affect your pension.\n\nYou can get free advice on managing your money and how bankruptcy affects your credit rating from Citizens Advice or National Debtline.\n\n## Your home\n\nYour home might be sold depending on your equity - your share after any secured debts (like a mortgage) have been paid.\n\nYou might have to give up:\n\n- your equity\n\n- legal ownership of the property if your equity is \u00a31,000 or more\n\nIf your trustee has not put your home up for sale within 3 years it will be transferred back to you.\n\n## Sole owners\n\nThe equity and legal ownership are transferred to your trustee. This means you cannot sell the property or claim any money from a sale.\n\nA bankruptcy restriction or notice is added to your property\u2019s entry in the land register to say this.\n\nIt can only be removed if it\u2019s been added to your property by mistake. Send HM Land Registry a signed statement saying you are not bankrupt and an application to change the register for a property.\n\n## Joint owners\n\nThe equity is transferred to your trustee.\n\nA \u2018Form J restriction\u2019 is added to your property\u2019s entry in the land register. This means your trustee will be told of any dealings connected with your home, for example if you try to sell it.\n\nIt can be removed if you can prove you (as the bankrupt) do not have a share in the property, for example if your partner owns the property. The owner has to send HM Land Registry a signed statement saying they are not the bankrupt person and an application for the cancellation of a Form J restriction.\n\n## Stop the sale of your home\n\nYou might be able to stop or delay the sale of your home if, for example:\n\n- the value of your equity is less than \u00a31,000\n\n- the equity or legal title can be sold to someone else, such as a partner\n\n- you need to organise somewhere for children or a partner to live - the sale can be delayed for up to 1 year\n\nYou may want to get legal advice to find out if you can stop or delay the sale of your home.\n\nCheck if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\n## Rented property\n\nYour landlord may be told that you\u2019re bankrupt and your rental situation may be affected.\n\n## Your income\n\nYour trustee will tell you if you have to make monthly payments from your spare income - you\u2019ll only have to do this if you can afford it.\n\nThe arrangement can last for up to 3 years and is called an Income Payments Agreement (IPA).\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nIf you do not agree to the IPA your trustee can ask the court to order you to make monthly payments. This is called an Income Payments Order (IPO).\n\nYour official receiver will set up your IPA or IPO and charge a fee. The fee can be up to \u00a3150 and is taken out of your first payment.\n\n## How much you pay\n\nThe monthly amount you pay depends on how much you can afford after essential expenses like food and bills are paid.\n\n## Cancel a bankruptcy\n\nYou can apply to cancel (\u2018annul\u2019) your bankruptcy if:\n\n- the bankruptcy order should not have been made\n\n- all your debts and bankruptcy fees have been paid or secured (guaranteed) by a third party\n\n- you\u2018ve made an Individual Voluntary Arrangement with your creditors to pay all or part of your debts\n\nIf your circumstances change and you can pay off all your debts, then you must pay it through your official receiver or a solicitor.\n\nThis means you will not have to follow the bankruptcy restrictions.\n\n## How to apply\n\nDownload and fill in the application form.\n\nSend or take your completed form to your nearest court that deals with bankruptcy.\n\nYou must tell the court if you want details of your bankruptcy removed from the Land Charges register.\n\nYou\u2019ll be given a date for a court hearing of your application, which you must attend.\n\nYou\u2019ll still need to attend your interview with the official receiver if you\u2019ve been asked to.\n\nIf the court agrees with your application, they\u2019ll make an annulment order which cancels your bankruptcy.\n\n## Advertise your cancellation order\n\nYou can ask the official receiver to advertise your annulment order within 28 days of getting it. You cannot do this if your bankruptcy order has not been advertised yet.\n\nYour annulment order will be advertised wherever your bankruptcy order was.\n\n## When bankruptcy ends\n\nYour bankruptcy and the restrictions generally end when you\u2019re \u2018discharged\u2019, which is usually automatic.\n\nThis is usually 12 months after the adjudicator made you bankrupt. It can be longer in some circumstances, for example if you do not co-operate with your trustee.\n\nCheck your discharge date online using the Individual Insolvency Register.\n\nIf you cancel your bankruptcy, all restrictions will end immediately and your details will be removed from the Individual Insolvency Register.\n\n## Proof of discharge\n\nEmail the Insolvency Service and ask for a \u2018confirmation letter\u2019 to prove your bankruptcy has ended. There\u2019s no fee.\n\nIf you\u2019re applying for a mortgage, you\u2019ll need a Certificate of Discharge.\n\nHow you get it depends on how you applied for your bankruptcy.\n\nIf you applied:\n\n- at a court, contact the court and pay the \u00a370 fee (\u00a310 for each copy)\n\n- online, email the Insolvency Service - there\u2019s no fee\n\n## Bankruptcy registers\n\nThe Individual Insolvency Register is updated within 3 months of your discharge.\n\nYou must apply to both Land Charges and HM Land Registry to have your bankruptcy entry removed from any properties you still own after paying your debts.\n\nBankruptcy entries are automatically removed from the Land Charges register after 5 years if they\u2019re not renewed.\n\n## Apply to Land Charges\n\nSend an application to cancel an entry in the Land Register (K11) to the Land Charges Department.\n\nYou need to include:\n\n- a copy of your court order permitting the cancellation (or \u2018vacation\u2019) of the entry\n\n- \u00a31 for each entry you want to cancel\n\n## Apply to HM Land Registry\n\nYou need to send HM Land Registry either:\n\n- an application to change the register for a property, if you\u2019re the sole owner of your property\n\n- an application for the cancellation of a Form J restriction, if you own your property with someone else\n\nYou must include a copy of your court order.\n\nAll forms sent will be destroyed once the registers are updated. You can send copies if you write \u201cI certify that this is a true copy of the original\u201d together with your signature on the first page.\n\n## Your credit record\n\nCredit reference agencies will not be told directly when your bankruptcy ends - they\u2019ll get this information from public records.\n\nGet a copy of your credit reference report - contact a credit reference agency if it needs updating.\n\nYour bankruptcy can stay on your credit reference file for 6 years from the date of your bankruptcy.\n\n## Debts that will not be written off\n\nWhen you\u2019re discharged you\u2019ll be released from most, but not all, of the debts you owed at the date of the bankruptcy.\n\nDebts you will not be released from include:\n\n- debts arising from fraud\n\n- anything you owe under family proceedings - unless the court decides otherwise\n\n- damages for personal injuries to anyone - unless the court decides otherwise\n\n- debts which were not included in the bankruptcy itself, for example a debt to the Student Loans Company", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/bankruptcy", + "answerable": true, + "scenario": "I own a chain of supermarkets and my businesses are trading at a loss due to lack of supplies, staff pilferage and general poor management. I can't pay my suppliers and employees anymore. I have a lot of accumulated debt. If I apply to become bankrupt next month.", + "original_question": "Will my name be put in the insolviency register?" + }, + { + "id": "train-881", + "question": "Scenario: I was bought some shares as a gift last year. I would like to sell them whilst I am told that the market looks good but I do not have much experience with the stock market at all.\n\nQuestion: Would I have to pay tax on the money I made from selling shares?\n\nDocument - Tax when you sell shares:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) shares or other investments.\n\nShares and investments you may need to pay tax on include:\n\n- shares that are not in an ISA or PEP\n\n- units in a unit trust\n\n- certain bonds (not including Premium Bonds and Qualifying Corporate Bonds)\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax. This will depend on if your total gains are above your Capital Gains Tax allowance for the tax year.\n\n## When you do not pay it\n\nYou do not usually need to pay tax if you give shares as a gift to your husband, wife, civil partner or a charity.\n\nYou also do not pay Capital Gains Tax when you dispose of:\n\n- shares you\u2019ve put into an ISA or PEP\n\n- shares in employer Share Incentive Plans (SIPs)\n\n- UK government gilts (including Premium Bonds)\n\n- Qualifying Corporate Bonds\n\n- employee shareholder shares - depending on when you got them\n\n## Work out your gain\n\nYou\u2019ll need to work out your gain to find out whether you need to pay Capital Gains Tax.\n\nYour gain is usually the difference between what you paid for your shares and what you sold them for.\n\n## Market value\n\nIn some situations you should use the market value of the shares when working out your gain. Do this if:\n\n- you gave them away as a gift to someone other than your spouse, civil partner or a charity\n\n- you sold them for less than they were worth\n\n- you inherited them and do not know the Inheritance Tax value\n\n- you owned them before April 1982\n\n- you acquired them through certain Employee Share Schemes\n\nIf the shares were given or sold to you by someone who claimed Gift Hold-Over Relief, use the amount that person paid for them to work out your gain. If you paid less than they were worth, use the amount you paid for them.\n\n## Selling in special circumstances\n\nThere are special rules for working out the cost of your shares if you sell:\n\n- shares you bought at different times and prices in one company\n\n- shares through an investment club\n\n- shares after a company merger or takeover\n\n- employee share scheme shares\n\n## Jointly owned shares and investments\n\nIf you sell shares or investments that you own jointly with other people, work out the gain for the portion that you own, instead of the whole value. There are different rules for investment clubs.\n\n## What to do next\n\n## Deduct costs\n\nYou can deduct certain costs of buying or selling your shares from your gain. These include:\n\n- fees, for example stockbrokers\u2019 fees\n\n- Stamp Duty Reserve Tax (SDRT) when you bought the shares\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## Apply reliefs\n\nYou may be able to reduce or delay paying Capital Gains Tax if you\u2019re eligible for tax relief.\n\n## Work out if you need to pay\n\nWhen you know your gain you need to work out if you need to report and pay Capital Gains Tax.\n\nYou may be able to work out how much tax to pay on your shares.\n\nYou can use the calculator if you sold shares that were:\n\n- the same type, acquired in the same company on the same date\n\n- sold at the same time\n\nYou can not use the calculator if you:\n\n- sold other shares in the tax year\n\n- sold other chargeable assets in the tax year, such as a property you let out\n\n- claim any reliefs\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\nYou can claim losses on shares you own if they become worthless or of \u2018negligible value\u2019 (for example because the company goes into liquidation).\n\nHMRC has guidance on making a negligible value claim.\n\n## Selling shares in the same company\n\nThere\u2019s a different way of working out your cost if you\u2019ve sold the same type of shares in a company that you bought at different times.\n\nYou\u2019ll usually need to work out the average cost of your shares and deduct this from what you got for them to work out your gain.\n\nIf you bought new shares of the same type in the same company within 30 days of selling your old ones, there are special rules for working out the cost to use in your tax calculations.\n\nContact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.\n\n## Investment clubs\n\nYou work out your gain differently if you\u2019ve bought and sold shares through an investment club.\n\nAn investment club is a group of people that buys and sells shares together on the stock market.\n\n## Work out your gain\n\nYou\u2019ll get a written statement of your gains and losses (an \u2018investment club certificate (PDF, 212KB)\u2019) at the end of each tax year from the person who runs the club, for example its treasurer.\n\nWhen you know your gain, work out if you need to report and pay Capital Gains Tax. There are special rules if you make any losses.\n\n## Leaving an investment club\n\nThe club buys back your shares if you leave, and you need to include any gain or loss when you\u2019re working out if you need to pay tax.\n\n- Take your share of any gains during your membership of the club, and deduct your share of any losses.\n\n- Add any income from dividends you received (after tax).\n\n- Add any other money you received from the club, and deduct anything you paid into it (for example a monthly amount to invest).\n\n- Deduct the total from what you received from the club for your shares.\n\nContact HM Revenue and Customs (HMRC) or get professional help (for example from an accountant) if you need advice.\n\n## Transferring shares into the club\n\nIf you transfer shares you already own into the club, you\u2019re treated as selling them and you need to work out your gain.\n\n## If you run an investment club\n\nThe investment club treasurer or secretary should:\n\n- divide any income, gains and losses between its members according to the club\u2019s rules\n\n- give every member a written statement at the end of each tax year - you can use HMRC\u2019s investment club certificate (PDF, 212KB)\n\n- keep records including members\u2019 income and gains\n\n- arrange to buy shares from members who want to leave the club\n\nIf you\u2019re starting a new investment club, make sure it has a constitution and rules. Get legal advice from a professional if you need help.\n\n## Tax relief\n\nYou may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.\n\n| Relief | Description |\n\n| Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax instead of the normal rates if you sell shares in a trading company that you work for and have at least 5% of the shares and voting rights (known as a \u2018personal company\u2019). |\n\n| Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away shares in a personal company or unlisted company - the person you gave them to pays tax when they sell them. |\n\n| Enterprise Investment Scheme (EIS) | Delay or reduce your Capital Gains Tax if you use a gain to buy unlisted shares in companies approved for EIS. |\n\n| Seed Enterprise Investment Scheme (SEIS) | Pay no Capital Gains Tax on a gain of up to \u00a3100,000 if you use a gain to buy new shares in small early-stage companies approved for SEIS. |\n\n| Rollover relief | Delay paying Capital Gains Tax if you sell unlisted shares to the trustees of a Share Incentive Plan (SIP) and use the proceeds to buy new assets. |\n\nShares are \u2018unlisted\u2019 if they\u2019re in a company that is not listed on the London Stock Exchange or a recognised stock exchange abroad.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-sell-shares", + "answerable": true, + "scenario": "I was bought some shares as a gift last year. I would like to sell them whilst I am told that the market looks good but I do not have much experience with the stock market at all.", + "original_question": "Would I have to pay tax on the money I made from selling shares?" + }, + { + "id": "train-883", + "question": "Scenario: My father is now 65 years old . He is still working full time. He has been paying class 1 contributions . He has now reached state pension age.\n\nQuestion: Will he continue paying his contributions?\n\nDocument - National Insurance and tax after State Pension age:\n## Overview\n\nYou do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.\n\nYou only pay Income Tax if your taxable income - including your private pension and State Pension - is more than your tax-free allowances (the amount of income you\u2019re allowed before you pay tax).\n\nYou must contact HM Revenue and Customs (HMRC) if you think you should be paying tax.\n\n## Stop paying National Insurance\n\nYou pay National Insurance contributions to qualify for certain benefits including the State Pension.\n\nIf you\u2019re employed, you pay Class 1 National Insurance contributions as a percentage of your earnings up to State Pension age.\n\nIf you\u2019re self-employed, you pay Class 2 contributions at a flat weekly rate and Class 4 contributions annually as a percentage of your taxable profits.\n\n## What happens at State Pension age\n\nYou stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.\n\nYou\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.\n\nFor example, you reach State Pension age on 6 September 2021. You\u2019ll stop making Class 4 contributions on 5 April 2022 and pay your final Class 4 bill by 31 January 2023, together with your Income Tax.\n\nIf you\u2019re self employed, you still need to send a Self Assessment tax return for each year you work - even after you reach State Pension age.\n\nYou can claim back National Insurance if you\u2019ve overpaid.\n\n## If you continue working\n\nShow your employer proof of your age (a birth certificate or passport, for example) to make sure you stop paying National Insurance.\n\nIf you do not want your employer to see your birth certificate or passport, HM Revenue and Customs (HMRC) can send you a letter to show them instead.\n\nThe letter will confirm:\n\n- you\u2019ve reached State Pension age\n\n- you do not need to pay National Insurance\n\nYou\u2019ll need to write to HMRC explaining why you do not want your employer to see your birth certificate or passport.\n\nYou\u2019ll be asked to send your birth certificate or passport for verification if HMRC does not have a record of your date of birth. Certified copies are accepted.\n\nYou can also show a certificate of age exception (CA4140) if you have one.\n\n## Age-related tax allowances\n\n## Married Couple\u2019s Allowance\n\nYou can claim the Married Couple\u2019s Allowance if you\u2019re married or in a civil partnership and at least one partner was born before 6 April 1935. It gets taken off your tax bill - the amount that\u2019s deducted depends on your income.\n\n## Maintenance Payments Relief\n\nYou can get an allowance to reduce your tax bill for maintenance payments you make to an ex-spouse or civil partner if:\n\n- you or they were born before 6 April 1935\n\n- you\u2019re separated or divorced and you\u2019re making payments under a court order\n\n- the payments are for the maintenance of your ex-partner (as long as they have not re-married or formed a new civil partnership) or your children are under 21\n\n## How much you can get\n\nFor the 2021 to 2022 tax year Maintenance Payments Relief can reduce your tax bill by the lower of the following:\n\n- \u00a3353 - where you make maintenance payments of \u00a33,530 or more a year\n\n- 10% of the money you\u2019ve actually paid - where you make payments of less than \u00a33,530 a year\n\nYou cannot claim a tax reduction for any voluntary payments you make.\n\n## Claim back tax or National Insurance\n\n## National Insurance refunds\n\nYou can claim back any overpaid National Insurance.\n\n## Tax refunds\n\nYou can claim a tax refund if you\u2019ve:\n\n- had too much deducted from your pension\n\n- overpaid through your job\n\nIf you complete a tax return, you can also correct mistakes and claim a refund via Self Assessment.\n\n## Claiming back tax on savings interest\n\nIf you\u2019re on a low income, you may be able to get tax-free interest or get some tax back from interest on your savings.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "answerable": true, + "scenario": "My father is now 65 years old . He is still working full time. He has been paying class 1 contributions . He has now reached state pension age.", + "original_question": "Will he continue paying his contributions?" + }, + { + "id": "train-885", + "question": "Scenario: I want to gift a watch to a charity. The watch is cost \u00a325,000 when I bought it in 1973. It is now worth \u00a350,000. I am considering the capital gains tax implications.\n\nQuestion: Do I have to pay capital gains tax on this?\n\nDocument - Capital Gains Tax:\n## Overview\n\nCapital Gains Tax is a tax on the profit when you sell (or \u2018dispose of\u2019) something (an \u2018asset\u2019) that\u2019s increased in value.\n\nIt\u2019s the gain you make that\u2019s taxed, not the amount of money you receive.\n\nSome assets are tax-free. You also do not have to pay Capital Gains Tax if all your gains in a year are under your tax-free allowance.\n\n## Disposing of an asset\n\nDisposing of an asset includes:\n\n- selling it\n\n- giving it away as a gift, or transferring it to someone else\n\n- swapping it for something else\n\n- getting compensation for it - like an insurance payout if it\u2019s been lost or destroyed\n\n## What you pay it on\n\nYou pay Capital Gains Tax on the gain when you sell (or \u2018dispose of\u2019):\n\n- most personal possessions worth \u00a36,000 or more, apart from your car\n\n- property that\u2019s not your main home\n\n- your main home if you\u2019ve let it out, used it for business or it\u2019s very large\n\n- shares that are not in an ISA or PEP\n\n- business assets\n\nThese are known as \u2018chargeable assets\u2019.\n\nIf you sell or give away cryptoassets (like cryptocurrency or bitcoin) you should check if you have to pay Capital Gains Tax.\n\nDepending on the asset, you may be able to reduce any tax you pay by claiming a relief.\n\nIf you dispose of an asset you jointly own with someone else, you have to pay Capital Gains Tax on your share of the gain.\n\n## When you do not pay it\n\nYou only have to pay Capital Gains Tax on your total gains above an annual tax-free allowance.\n\nYou do not usually pay tax on gifts to your husband, wife, civil partner or a charity.\n\n## What you do not pay it on\n\nYou do not pay Capital Gains Tax on certain assets, including any gains you make from:\n\n- ISAs or PEPs\n\n- UK government gilts and Premium Bonds\n\n- betting, lottery or pools winnings\n\n## When someone dies\n\nWhen you inherit an asset, Inheritance Tax is usually paid by the estate of the person who\u2019s died. You only have to work out if you need to pay Capital Gains Tax if you later dispose of the asset.\n\n## Overseas assets\n\nYou may have to pay Capital Gains Tax even if your asset is overseas.\n\nThere are special rules if you\u2019re a UK resident but not \u2018domiciled\u2019 and claim the \u2018remittance basis\u2019.\n\n## If you\u2019re abroad\n\nYou have to pay tax on gains you make on property and land in the UK even if you\u2019re non-resident for tax purposes. You do not pay Capital Gains Tax on other UK assets, for example shares in UK companies, unless you return to the UK within 5 years of leaving.\n\n## Capital Gains Tax allowances\n\nYou only have to pay Capital Gains Tax on your overall gains above your tax-free allowance (called the Annual Exempt Amount).\n\nThe Capital Gains tax-free allowance is:\n\n- \u00a312,300\n\n- \u00a36,150 for trusts\n\nYou can see tax-free allowances for previous years.\n\nYou may also be able to reduce your tax bill by deducting losses or claiming reliefs - this depends on the asset.\n\n## Gifts to your spouse or charity\n\nThere are special rules for Capital Gains Tax on gifts or assets you dispose of to:\n\n- your spouse or civil partner\n\n- charity\n\nThe normal rules apply for gifts to others.\n\n## Your spouse or civil partner\n\nYou do not pay Capital Gains Tax on assets you give or sell to your husband, wife or civil partner, unless:\n\n- you separated and did not live together at all in that tax year\n\n- you gave them goods for their business to sell on\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If they later sell the asset\n\nYour spouse or civil partner may have to pay tax on any gain if they later dispose of the asset.\n\nTheir gain will be calculated on the difference in value between when you first owned the asset and when they disposed of it.\n\nIf this was before April 1982, your spouse or civil partner should work out their gain using the market value on 31 March 1982 instead.\n\nThey should keep a record of what you paid for the asset.\n\n## Gifts to charity\n\nYou do not have to pay Capital Gains Tax on assets you give away to charity.\n\nYou may have to pay if you sell an asset to charity for both:\n\n- more than you paid for it\n\n- less than market value\n\nWork out your gain using the amount the charity actually pays you, rather than the value of the asset.\n\n## Work out if you need to pay\n\nYou need to pay Capital Gains Tax when you sell an asset if your total taxable gains are above your annual Capital Gains Tax allowance.\n\n## Work out your total taxable gains\n\n- Work out the gain for each asset (or your share of an asset if it\u2019s jointly owned). Do this for the personal possessions, shares, property or business assets you\u2019ve disposed of in the tax year.\n\n- Add together the gains from each asset.\n\n- Deduct any allowable losses.\n\nThe tax year runs from 6 April to 5 April the following year.\n\nYou\u2019ll need to report and pay Capital Gains Tax if your taxable gains are above your allowance.\n\n## If your total gains are less than the tax-free allowance\n\nYou do not have to pay tax if your total taxable gains are under your Capital Gains Tax allowance.\n\nYou still need to report your gains in your tax return if both of the following apply:\n\n- the total amount you sold the assets for was more than 4 times your allowance\n\n- you\u2019re registered for Self Assessment\n\nThere are different rules for reporting a loss.\n\n## If you\u2019re non-resident\n\nYou need to tell HMRC when you sell property or land even if your gain is below the tax-free allowance or you make a loss. Non-residents do not pay tax on other capital gains.\n\n## Report and pay Capital Gains Tax\n\nHow and when you report Capital Gains Tax over your annual allowance depends on what you made the gain on.\n\nThere are different ways to report and pay Capital Gains Tax due on:\n\n- UK residential property sold since 6 April 2020\n\n- any other gains\n\nTo report any capital gains you\u2019ll need:\n\n- calculations for each capital gain or loss you report\n\n- details of how much you bought and sold the asset for\n\n- the dates when you took ownership and disposed of the asset\n\n- any other relevant details, such as the costs of disposing of the asset and any tax reliefs you\u2019re entitled to\n\n## If you sold property in the UK on or after 6 April 2020\n\nYou must report and pay any tax due on UK residential property using a Capital Gains Tax on UK property account within 30 days of selling it.\n\nYou may have to pay interest and a penalty if you do not report gains on UK property within 30 days of selling it.\n\nSign in or create a Capital Gains Tax on UK property account.\n\nYou\u2019ll need a Government Gateway user ID and password to set your account up or sign in. If you do not have a user ID, you can create one the first time you sign in.\n\nOnce you have an account you can sign in at any time to report Capital Gains Tax on UK property or see any returns you\u2019ve already sent.\n\n## If you\u2019re not resident in the UK\n\nYou must report sales of UK property as a non-resident within 30 days, even if you have no tax to pay.\n\n## If you\u2019re reporting on behalf of someone else or a trust\n\nYou need to use your own Capital Gains Tax on UK property account to report on behalf of someone else.\n\nYou\u2019ll need proof you\u2019re allowed to report on their behalf, such as a lasting power of attorney. If the person has died, you\u2019ll need to give their date of death.\n\nIf you\u2019re reporting as a trustee of a registered trust, you\u2019ll need the trust\u2019s registration number or unique tax reference.\n\nThere\u2019s a different way to report your client\u2019s Capital Gains Tax on UK property as an agent.\n\n## If you have other capital gains to report\n\nIf your gain is not from residential property sold in the UK since 6 April 2020, you have a choice of how and when to report the tax.\n\n## Report and pay the tax straightaway\n\nYou can use the \u2018real time\u2019 Capital Gains Tax service immediately if you know what you owe.\n\nYou need to report your gain by 31 December in the tax year after you made the gain. For example, if you made a gain in the 2020 to 2021 tax year, you need to report it by 31 December 2021.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you report and pay.\n\nAfter you\u2019ve reported your gains, HMRC will send you a letter or email giving you a payment reference number and telling you how to pay.\n\nIf you need to change your report using the service, you\u2019ll need your report reference number starting with \u2018RTT\u2019. You\u2019ll get it by email within 10 days.\n\n## Report your gains in a Self Assessment tax return in the following tax year\n\nYou can report your gains in a Self Assessment tax return in the tax year after you disposed of assets.\n\nDo not wait until the next tax year to report gains on UK residential property sold since 6 April 2020. You may have to pay interest and a penalty if you do.\n\nIf you do not usually send a tax return, register for Self Assessment after the tax year you disposed of your chargeable assets.\n\nYou can get help with your tax return from an accountant or tax adviser.\n\nAfter you\u2019ve sent your return HMRC will tell you how much you owe in Capital Gains Tax, how to pay and when to pay by.\n\n## Capital Gains Tax rates\n\nYou pay a different rate of tax on gains from residential property than you do on other assets.\n\nYou do not usually pay tax when you sell your home.\n\n## If you pay higher rate Income Tax\n\nIf you\u2019re a higher or additional rate taxpayer you\u2019ll pay:\n\n- 28% on your gains from residential property\n\n- 20% on your gains from other chargeable assets\n\n## If you pay basic rate Income Tax\n\nIf you\u2019re a basic rate taxpayer, the rate you pay depends on the size of your gain, your taxable income and whether your gain is from residential property or other assets.\n\n- Work out how much taxable income you have - this is your income minus your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.\n\n- Work out your total taxable gains.\n\n- Deduct your tax-free allowance from your total taxable gains.\n\n- Add this amount to your taxable income.\n\n- If this amount is within the basic Income Tax band you\u2019ll pay 10% on your gains (or 18% on residential property). You\u2019ll pay 20% (or 28% on residential property) on any amount above the basic tax rate.\n\n## If you have gains from both residential property and other assets\n\nYou can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## If you\u2019re a trustee or business\n\nTrustees or personal representatives of someone who\u2019s died pay:\n\n- 28% on residential property\n\n- 20% on other chargeable assets\n\nYou\u2019ll pay 10% if you\u2019re a sole trader or partnership and your gains qualify for Business Asset Disposal Relief.\n\n## If you make a loss\n\nYou can report losses on a chargeable asset to HM Revenue and Customs (HMRC) to reduce your total taxable gains.\n\nLosses used in this way are called \u2018allowable losses\u2019.\n\n## Using losses to reduce your gain\n\nWhen you report a loss, the amount is deducted from the gains you made in the same tax year.\n\nIf your total taxable gain is still above the tax-free allowance, you can deduct unused losses from previous tax years. If they reduce your gain to the tax-free allowance, you can carry forward the remaining losses to a future tax year.\n\n## Reporting losses\n\nClaim for your loss by including it on your tax return. If you\u2019ve never made a gain and are not registered for Self Assessment, you can write to HMRC instead.\n\nYou do not have to report losses straight away - you can claim up to 4 years after the end of the tax year that you disposed of the asset.\n\nThere\u2019s an exception for losses made before 5 April 1996, which you can still claim for. You must deduct these after any more recent losses.\n\n## Losses when disposing of assets to family and others\n\n## Your husband, wife or civil partner\n\nYou usually do not pay Capital Gains Tax on assets you give or sell to your spouse or civil partner. You cannot claim losses against these assets.\n\n## Other family members and \u2018connected people\u2019\n\nYou cannot deduct a loss from giving, selling or disposing of an asset to a family member unless you\u2019re offsetting a gain from the same person.\n\nThis also applies to \u2018connected people\u2019 like business partners.\n\n## Connected people\n\nHMRC defines connected people as including:\n\n- your brothers, sisters, parents, grandparents, children and grandchildren, and their husbands, wives or civil partners\n\n- the brothers, sisters, parents, grandparents, children and grandchildren of your husband, wife or civil partner - and their husbands, wives or civil partners\n\n- business partners\n\n- a company you control\n\n- trustees where you\u2019re the \u2018settlor\u2019 (or someone connected to you is)\n\n## Claiming for an asset that\u2019s lost its value\n\nYou can claim losses on assets that you still own if they become worthless or of \u2018negligible value\u2019.\n\nHMRC has guidance on how to make a negligible value claim.\n\n## Special rules\n\nHMRC has guidance on the special rules for losses:\n\n- when someone dies\n\n- if you\u2019re non-resident and sell UK property or land\n\n- if you\u2019ve temporarily lived abroad as a \u2018non-resident\u2019\n\n- from your income on shares that are unquoted or in the Enterprise Investment Scheme\n\n- on overseas assets if you\u2019re \u2018non-domiciled\u2019 in the UK and have claimed the \u2018remittance basis\u2019\n\n## Record keeping\n\nYou need to collect records to work out your gains and fill in your tax return. You must keep them for at least a year after the Self Assessment deadline.\n\nYou\u2019ll need to keep records for longer if you sent your tax return late or HM Revenue and Customs (HMRC) have started a check into your return.\n\nBusinesses must keep records for 5 years after the deadline.\n\n## Records you\u2019ll need\n\nKeep receipts, bills and invoices that show the date and the amount:\n\n- you paid for an asset\n\n- of any additional costs like fees for professional advice, Stamp Duty, improvement costs, or to establish the market value\n\n- you received for the asset - including things like payments you get later in instalments, or compensation if the asset was damaged\n\nAlso keep any contracts for buying and selling the asset (for example from solicitors or stockbrokers) and copies of any valuations.\n\n## If you do not have records\n\nYou must try to recreate your records if you cannot replace them after they\u2019ve been lost, stolen or destroyed.\n\nIf you fill in your tax return using recreated records, you\u2019ll need to show where figures are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with the actual figures\n\n## Market value\n\nYour gain is usually the difference between what you paid for your asset and what you sold it for.\n\nThere are some situations where you use the market value instead.\n\n| Situation | Use market value at |\n\n| Gifts | Date of gift |\n\n| Assets sold for less than they were worth to help the buyer | Date of sale |\n\n| Inherited assets where you do not know the Inheritance Tax value | Date of death |\n\n| Assets owned before April 1982 | 31 March 1982 |\n\n## Checking the market value\n\nHM Revenue and Customs (HMRC) can check your valuation.\n\nAfter you\u2019ve disposed of the asset, complete a \u2018Post-transaction valuation check\u2019 form. Return it to the address on the form - allow at least 3 months for HMRC\u2019s response.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/capital-gains-tax", + "answerable": true, + "scenario": "I want to gift a watch to a charity. The watch is cost \u00a325,000 when I bought it in 1973. It is now worth \u00a350,000. I am considering the capital gains tax implications.", + "original_question": "Do I have to pay capital gains tax on this?" + }, + { + "id": "train-886", + "question": "Scenario: I am self employed. This year my revenue reached \u00a383,000. I am expecting this to grow next year and exceed \u00a385,000.\n\nQuestion: Do I need to register for VAT?\n\nDocument - Tell HMRC about a change to your personal details:\n## Change of name or address\n\nHow you contact HM Revenue and Customs (HMRC) to update your name or address depends on your situation.\n\nYou\u2019ll also need to change your business records if you run a business.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou need to wait until you\u2019ve moved or changed your name before telling HMRC.\n\n## If you\u2019ve changed your address\n\nTell HMRC you\u2019ve changed your address. If you submit a Self Assessment tax return as well your details will be updated for both.\n\nThere are different ways to tell HMRC if you:\n\n- only pay tax through Self Assessment\n\n- are a tax agent, for example an accountant\n\n## If you\u2019ve changed your name\n\nTell HMRC your name has changed. If you submit a Self Assessment tax return as well your details will be updated for both.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID you can create one when you update your name.\n\nThere are different ways to tell HMRC if you:\n\n- only pay tax through Self Assessment\n\n- are a tax agent, for example an accountant\n\nYour name will be updated automatically if you change gender.\n\n## What happens next\n\nHMRC will update your personal records for:\n\n- Income Tax and National Insurance\n\n- tax credits and benefits, including Child Benefit\n\n- services, including the Pension Service\n\nYou\u2019ll get an email to either:\n\n- confirm your change of details\n\n- ask for more information, for example legal documents for your name change\n\n## Income changes\n\nYou must tell HM Revenue and Customs (HMRC) about changes to your taxable income.\n\nTo do this you can either:\n\n- check your Income Tax and go to \u2018Tell us about a change\u2019\n\n- call HMRC\n\nIf you do not, you could pay too much tax or get a tax bill at the end of the year.\n\n## What you must tell HMRC\n\nYour employer or pension provider tells HMRC when:\n\n- you start or finish your job\n\n- there\u2019s a change in the money you earn from your job or get from your pension\n\nBut you must tell HMRC about any other changes, for example when you start or stop getting:\n\n- income from a new source, such as money from self-employment or rent from property\n\n- taxable benefits, such as State Pension, Jobseeker\u2019s Allowance and Carer\u2019s Allowance\n\n- benefits from your job, such as a company car\n\n- income above your Personal Allowance\n\n- money over \u00a385,000 from self-employment (you must register for VAT over this amount)\n\n- lump sums from selling things you pay Capital Gains Tax on, such as shares or property that\u2019s not your main home\n\n- income from property, money or shares you inherit, such as dividends from shares or rent from property\n\n## If you get tax credits\n\nTell HMRC separately about changes that affect your tax credits.\n\n## If your spouse or civil partner dies\n\nTell HMRC about changes to your income after the death of your husband, wife or civil partner.\n\n## If you make Self Assessment \u2018payments on account\u2019\n\nTell HMRC if you expect a big decrease in income and you pay your Self Assessment tax bill in advance (\u2018payments on account\u2019). HMRC may decide to reduce your payments.\n\n## After you tell HMRC\n\nHMRC may:\n\n- change your tax code and send you a PAYE Coding notice\n\n- tell you to send a Self Assessment tax return so they can bill you for tax you owe\n\n- send you a refund if you paid too much tax\n\n## Relationship or family changes\n\nTell HM Revenue and Customs (HMRC) if:\n\n- you get married or form a civil partnership\n\n- you divorce, separate or stop living with your husband, wife or partner\n\nYou can tell HMRC online if you\u2019re paid a salary or pension through PAYE. If you submit a Self Assessment tax return as well, your details will be updated for both.\n\nYou\u2019ll need:\n\n- a Government Gateway user ID and password - if you do not have a Government Gateway user ID, you can create one when you tell HMRC online\n\n- a National Insurance number (a temporary reference number will not work).\n\nTell HMRC straight away \u2013 if you do not, you could pay too much tax, or get a tax bill at the end of the year.\n\n## If you get tax credits or Child Benefit\n\nTell HMRC separately about changes to your relationship or family if you get:\n\n- tax credits\n\n- Child Benefit\n\n## If your spouse or civil partner dies\n\nContact HMRC to report:\n\n- the death of your husband, wife or civil partner\n\n- changes to your income after their death\n\n## Gender change\n\nHM Revenue and Customs (HMRC) is usually told automatically when you change gender legally by applying for a Gender Recognition Certificate.\n\nTell your employer at the same time - they must update your payroll records and National Insurance contributions.\n\nHMRC will:\n\n- update its records with your gender and any name change\n\n- tell the Department for Work and Pensions (DWP)\n\n- restrict your records so only specialist staff at HMRC and DWP can access them\n\n- hand your tax affairs to HMRC\u2019s Public Department 1\n\nOnce you get a letter confirming your records have moved, you can contact Public Department 1 with questions about your tax or National Insurance.\n\n## Tell HMRC yourself\n\nYou can write to Special Section D to tell HMRC:\n\n- about your legal gender change\n\n- about your name change only if you did not change gender legally\n\n- if you do not want them to restrict your records\n\nInclude your National Insurance number, and your original Gender Recognition Certificate if you\u2019ve changed gender legally.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "answerable": true, + "scenario": "I am self employed. This year my revenue reached \u00a383,000. I am expecting this to grow next year and exceed \u00a385,000.", + "original_question": "Do I need to register for VAT?" + }, + { + "id": "train-891", + "question": "Scenario: Good morning. I am looking to start work at the Citizens Advice Bureaux. I am trying to understand a little about the repossession process.\n\nQuestion: Are there different types of court orders in repossession cases?\n\nDocument - Repossession:\n## Get advice\n\nYou may be able to postpone or stop your home being repossessed.\n\nCheck if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\nFind a solicitor.\n\nYou can also get free advice from:\n\n- Citizens Advice\n\n- National Debtline\n\n- Shelter\n\n- your local council\n\nThe law for repossession in Scotland is different.\n\n## Before it goes to court\n\n## What your mortgage lender must do\n\nBefore a mortgage lender can repossess your home, they must:\n\n- tell you how much you owe\n\n- consider a request from you to change the way you pay your mortgage\n\n- respond to any offer of payment you make\n\n- give you reasons for turning down your offer of payment within 10 days\n\n- give you a reasonable amount of time to consider any proposal they make\n\n- give you 15 days\u2019 written warning if they plan to start court action\n\n- tell you the date and time of a repossession hearing\n\n- let your council know within 5 days of getting notification of the date of the court hearing, in case you need to apply to the council as homeless\n\n## Finding a solution\n\nEven if your mortgage lender starts a court action, you may still be able to reach an agreement with them.\n\nYou\u2019ll still need to attend court to tell the judge about the agreement, unless the court tells you the hearing\u2019s been cancelled or postponed.\n\n## Defence form\n\nIf your lender starts a repossession action against you, the court will send you a blank defence form and guidance on how to fill it in.\n\nYou can use the form to explain why you think the lender should not repossess your home. You need to return it within 14 days.\n\nThe court will also send you:\n\n- copies of the claim forms for possessing your home, filled in by your lender\n\n- a court hearing date\n\n- the court\u2019s contact details\n\n## Help with legal costs\n\n## Legal aid\n\nIf you\u2019re on a low income you may be able to get legal aid.\n\n## Free legal advice on the day\n\nIf you have not got help before, you can get last-minute legal help under the Housing Possession Court Duty scheme.\n\nThe scheme runs in county courts in England and Wales. It provides you with a specialist adviser on the day of your hearing who can:\n\n- represent you\n\n- help you come to an arrangement with your mortgage lender to pay off your debts\n\nTo find out about the scheme in your area, contact your local council or the court where your case is being heard.\n\n## The hearing\n\nRepossession hearings normally take place in a judge\u2019s chambers, not in a court room (although it\u2019s treated as a court).\n\nYou can bring an adviser or friend to the hearing, although they must be an adult.\n\nIf you do not attend the court hearing, it\u2019s likely the judge will give your mortgage lender the right to evict you.\n\nYou must keep to any agreement you make in court to pay off arrears. If you do not, you may still risk losing your home.\n\n## What to bring with you\n\nYou\u2019ll likely be asked for proof of your finances. This can include:\n\n- payslips\n\n- bank statements\n\n- job offers\n\n- letters about benefits\n\n- estate agent letter, for example if you\u2019re trying to sell your home to pay off the mortgage\n\n## Repossession orders\n\nThe lender can only repossess your home if the court grants permission.\n\nThe judge could decide to:\n\n- adjourn (delay) the hearing\n\n- set aside the case, which means no order will be made and the hearing is finished\n\n- make a repossession order\n\n## Outright possession order\n\nThis gives the lender a legal right to own your home on the date given in the order and is sometimes called an \u2018order for possession\u2019. This is usually 28 days after your court hearing.\n\nIf you do not leave your home by the date given in the order, your lender can ask the court to evict you.\n\n## Suspended possession order\n\nThis means that if you make regular payments as set out in the order, you can stay in your home.\n\nIf you do not make the payments, your lender can ask the court to evict you.\n\n## Money order\n\nThis means that you have to pay the lender the amount set out in the order.\n\nIf you do not make these payments:\n\n- money could be deducted from your wages or bank account\n\n- bailiffs may take away things you own\n\nYour lender cannot use a money order to evict you from your home. If you do not make payments set out in a money order on time, your lender could go to court again. As a result, the judge could decide to give them a possession order.\n\n## Possession order with money judgment\n\nA money judgment is usually added to a possession order. It means you owe a specific amount of money usually made up of:\n\n- your mortgage arrears\n\n- court fees\n\n- your lender\u2019s legal costs\n\nA money judgment will not apply if:\n\n- you pay your mortgage arrears and any amount set out in a suspended order\n\n- your lender sells your home and the sale price is more than the amount set out in the money judgment\n\nIf you do not pay the amount set out in the money judgment, the lender may ask the court to carry out the instructions in the possession order and the judgment.\n\n## Time order\n\nThis means that the judge changes the amount you pay on your mortgage for a set time by:\n\n- changing the regular amount you pay\n\n- changing the interest rate on your mortgage\n\n- delaying the next time you have to make a payment\n\nIf you do not make the payments, your lender can ask the court to evict you.\n\nA time order is usually only made on some types of loan like a second mortgage.\n\n## Delaying eviction\n\nYou can ask a judge to \u2018suspend the warrant for possession\u2019. This means delaying the eviction or allowing you to stay in your home if you are able to make payments again.\n\nA new hearing will be held but the judge will not automatically agree to suspend the possession warrant \u2013 it depends what happens in court.\n\nIf you want to get a warrant suspended, get advice immediately.\n\n## Applying for a suspension\n\nIf you want to apply for a suspension, you should fill out the application notice and either send it or deliver it to the court.\n\nYou must tell the court that you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee.\n\nYou may not have to pay the fee (otherwise known as \u2018fee remission\u2019) if you\u2019re on benefits or low pay.\n\n## Appealing a judge's decision\n\nIf you think the judge made mistakes about the law or the facts of your case in the original hearing, you may be able to appeal.\n\nGet legal advice if you want to appeal.\n\nNormally the appeal will be heard by a more senior judge.\n\n## Permission to appeal\n\nYou can ask the judge at the end of your original possession hearing if you can appeal.\n\nIf the judge refuses to give permission to appeal, you can ask a more senior judge.\n\nIf you get permission, make an application as soon as possible after your original possession hearing. You\u2019ll have to pay a court fee.\n\nYou may not have to pay the fee if you\u2019re on benefits or low pay.\n\n## What could happen\n\nAt the appeal, the judge can make a number of decisions including:\n\n- keeping the original decision\n\n- dismissing the previous decision or changing it\n\n- ordering a new hearing\n\nThe judge can also decide who pays the legal costs of the appeal.\n\n## If your home is repossessed\n\n## Help from your council\n\nYour local council must give you advice to help you find a new home.\n\nDepending on your circumstances, they may also be able to provide you with emergency accommodation or a more permanent home.\n\n## Buying another property\n\nYou must tell any new mortgage lender that your previous home was repossessed. This could make getting a new mortgage hard.\n\nYour previous lender may be able to claim some of the proceeds of your new home if you still owe them money when you sell it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/repossession", + "answerable": true, + "scenario": "Good morning. I am looking to start work at the Citizens Advice Bureaux. I am trying to understand a little about the repossession process.", + "original_question": "Are there different types of court orders in repossession cases?" + }, + { + "id": "train-892", + "question": "Scenario: I am self employed. I earned \u00a3900 in the last year in terms of revenue for my business. I have been told I might have to do a self assessment.\n\nQuestion: Do I need to submit a self assessment for this tax year?\n\nDocument - Self Assessment tax returns:\n## Overview\n\nSelf Assessment is a system HM Revenue and Customs (HMRC) uses to collect Income Tax.\n\nTax is usually deducted automatically from wages, pensions and savings. People and businesses with other income must report it in a tax return.\n\nIf you need to send one, you fill it in after the end of the tax year (5 April) it applies to.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Sending your return\n\nFile your tax return online or send a paper form.\n\nIf your business has been affected by coronavirus (COVID-19), you may be able to claim a grant through the\u00a0Self-Employment Income Support Scheme.\n\n## Deadlines\n\nSend your tax return by the deadline.\n\nIf you did not send an online return last year, allow extra time (up to 20 working days) as you\u2019ll need to register first. There are different ways to register if you\u2019re:\n\n- self-employed or a sole trader\n\n- not self-employed\n\n- registering a partner or partnership\n\n## Filling in your return\n\nYou need to keep records (for example bank statements or receipts) so you can fill in your tax return correctly.\n\nYou can get help filling in your return.\n\n## Paying your bill\n\nHMRC will calculate what you owe based on what you report.\n\nPay your Self Assessment bill by 31 January.\n\nHow much tax you pay will depend on the Income Tax band you\u2019re in. There\u2019s a different rate for Capital Gains Tax if you need to pay it, for example you sell shares or a second home.\n\n## Who must send a tax return\n\nYou must send a tax return if, in the last tax year (6 April to 5 April), you were:\n\n- self-employed as a \u2018sole trader\u2019 and earned more than \u00a31,000 (before taking off anything you can claim tax relief on)\n\n- a partner in a business partnership\n\nYou will not usually need to send a return if your only income is from your wages or pension. But you may need to send one if you have any other untaxed income, such as:\n\n- money from renting out a property\n\n- tips and commission\n\n- income from savings, investments and dividends\n\n- foreign income\n\nCheck if you need to send a tax return if you\u2019re not sure.\n\n## Other reasons for sending a return\n\nYou can choose to fill in a tax return to:\n\n- claim some Income Tax reliefs\n\n- prove you\u2019re self-employed, for example to claim Tax-Free Childcare or Maternity Allowance\n\n## If you get Child Benefit\n\nIf your income (or your partner\u2019s, if you have one) was over \u00a350,000, you may need to send a return and pay the High Income Child Benefit Charge.\n\n## Registering and sending a return\n\nYou need to register if you did not send a tax return last year. There are different ways to register if you\u2019re:\n\n- self-employed or a sole trader\n\n- not self-employed\n\n- registering a partner or partnership\n\nIf you\u2019re new to Self Assessment, you\u2019ll need to keep records (for example bank statements or receipts) so you can fill in your tax return correctly.\n\n## Sending your return\n\nOnce you\u2019ve registered, you can send your tax return online, or use commercial software or paper forms. You then have to pay your bill by the deadline.\n\nYou can get help filling in your return.\n\n## Using commercial software or paper forms\n\nYou can send a return using commercial software or paper forms.\n\nYou must use one of these options to send returns:\n\n- for a partnership\n\n- for a trust and estate\n\n- if you get income from a trust\n\n- if you lived abroad as a non-resident\n\n- if you\u2019re a Lloyd\u2019s underwriter\n\n- if you\u2019re a religious minister\n\n- to report profits made on selling or disposing of more than one asset (\u2018chargeable gains\u2019)\n\nYou must use a paper form if you need to send a tax return for trustees of registered pension schemes (SA970).\n\nThe deadline for paper forms is 31 October (or 31 January if you\u2019re a trustee of a registered pension scheme or a non-resident company).\n\n## Deadlines\n\nHM Revenue and Customs (HMRC) must receive your tax return and any money you owe by the deadline.\n\nThe last tax year started on 6 April 2020 and ended on 5 April 2021.\n\n| Self Assessment | Deadline |\n\n| Register for Self Assessment if you\u2019re self-employed or a sole trader, not self-employed, or registering a partner or partnership | 5 October 2021 |\n\n| Paper tax returns | Midnight 31 October 2021 |\n\n| Online tax returns | Midnight 31 January 2022 |\n\n| Pay the tax you owe | Midnight 31 January 2022 |\n\nThere\u2019s usually a second payment deadline of 31 July if you make advance payments towards your bill (known as \u2018payments on account\u2019).\n\nYou\u2019ll usually pay a penalty if you\u2019re late. You can appeal against a penalty if you have a reasonable excuse.\n\n## When the deadline is different\n\nSubmit your online return by 30 December if you want HMRC to automatically collect tax you owe from your wages and pension. You must be eligible.\n\nHMRC must receive a paper tax return by 31 January if you\u2019re a trustee of a registered pension scheme or a non-resident company. You cannot send a return online.\n\nHMRC might also email or write to you giving you a different deadline.\n\n## Partnership returns if you have a company as a partner\n\nIf your partnership\u2019s accounting date is between 1 February and 5 April and one of your partners is a limited company, the deadline for:\n\n- online returns is 12 months from the accounting date\n\n- paper returns is 9 months from the accounting date\n\n## 2019 to 2020 tax year and earlier\n\nThe Self Assessment deadline for these tax years has passed. Send your tax return or payment as soon as possible - you\u2019ll have to pay a penalty.\n\n## Penalties\n\nYou\u2019ll get a penalty if you need to send a tax return and you miss the deadline for submitting it or paying your bill.\n\nYou\u2019ll pay a late filing penalty of \u00a3100 if your tax return is up to 3 months late. You\u2019ll have to pay more if it\u2019s later, or if you pay your tax bill late.\n\nYou\u2019ll be charged interest on late payments.\n\nEstimate your penalty for Self Assessment tax returns more than 3 months late, and late payments.\n\nYou can appeal against a penalty if you have a reasonable excuse.\n\nAll partners can be charged a penalty if a partnership tax return is late.\n\n## If you need to change your return\n\nYou can make a change to your tax return after you\u2019ve filed it, for example because you made a mistake. You\u2019ll need to make your changes by:\n\n- 31 January 2022 for the 2019 to 2020 tax year\n\n- 31 January 2023 for the 2020 to 2021 tax year\n\nIf you miss the deadline or if you need to make a change to your return for any other tax year you\u2019ll need to write to HMRC.\n\nYour bill will be updated based on what you report. You may have to pay more tax or be able to claim a refund.\n\nThere\u2019s a different process if you need to report foreign income.\n\n## Updating your tax return\n\nHow you update your tax return depends on how you filed it.\n\n## Online tax returns\n\n- Sign in using your Government Gateway user ID and password.\n\n- From \u2018Your tax account\u2019, choose \u2019Self Assessment account\u2019 (if you do not see this, skip this step).\n\n- Choose \u2018More Self Assessment details\u2019.\n\n- Choose \u2018At a glance\u2019 from the left-hand menu.\n\n- Choose \u2018Tax return options\u2019.\n\n- Choose the tax year for the return you want to amend.\n\n- Go into the tax return, make the corrections and file it again.\n\n## Paper tax returns\n\nDownload a new tax return, and send HMRC the corrected pages. Write \u2018amendment\u2019 on each page, and include your name and Unique Taxpayer Reference (UTR) - this is on previous tax returns or letters from HMRC.\n\nCheck your Self Assessment paperwork for the address. If you cannot find this, send your corrections to the address for general Self Assessment enquiries.\n\n## If you used commercial software\n\nContact the software provider for help correcting your tax return. Contact HMRC if your software is not able to make corrections.\n\n## Write to HMRC\n\nWrite to HMRC if you need to make a change to your tax return from the 2018 to 2019 tax year or earlier.\n\nInclude in your letter:\n\n- the tax year you\u2019re correcting\n\n- why you think you\u2019ve paid too much or little tax\n\n- how much you think you\u2019ve over or underpaid\n\nYou can claim a refund up to 4 years after the end of the tax year it relates to. If you\u2019re making a claim, also include in your letter:\n\n- that you\u2019re making a claim for \u2018overpayment relief\u2019\n\n- proof that you\u2019d paid tax through Self Assessment for the relevant period\n\n- how you want to be repaid\n\n- that you have not previously tried to claim back this refund\n\n- a signed declaration saying that the details you\u2019ve given are correct and complete to the best of your knowledge\n\n## Changes to your bill\n\nYou\u2019ll see your amended bill straight away if you updated your tax return online. Within 3 days, your statement will also show:\n\n- the difference from the old one, so you can see whether you owe more or less tax\n\n- any interest\n\nTo view this, sign in using your Government Gateway user ID and password and choose \u2018View statements\u2019 from the left-hand menu.\n\n## If you\u2019re owed tax\n\nTo claim a refund, go to \u2018Request a repayment\u2019 from the left-hand menu within your HMRC online account. Allow 4 weeks for your refund to be sent to your bank account.\n\nYou may not get a refund if you have tax due in the next 35 days (for example for a payment on account). Instead, the money will be deducted from the tax you owe.\n\n## If you need to pay more tax\n\nYour updated bill will also show:\n\n- the deadline for paying\n\n- the effect on any payments on account you need to make\n\n## If you sent an updated paper return\n\nHMRC will send you an updated bill within 4 weeks. They\u2019ll also pay any refund directly into your bank account, as long as you included your bank details on tax return.\n\n## How to get help\n\nIf you need help with Self Assessment, you can:\n\n- appoint someone to fill in and send your tax return, for example an accountant, friend or relative - you can find an accountant accredited in the UK\n\n- watch videos and join webinars\n\n- contact HM Revenue and Customs (HMRC) for general Self Assessment enquiries\n\n- get help with your online account\n\n## Help filling in your return\n\nThere\u2019s introductory guidance on GOV.UK to:\n\n- Capital Gains Tax if you\u2019ve sold certain things like property or shares\n\n- expenses if you\u2019re an employee or self-employed\n\n- Child Benefit if your income\u2019s over \u00a350,000\n\n- tax on income from renting property\n\n- tax on savings interest\n\n- tax returns for business partnerships\n\n- tax on income from abroad - or on your UK income if you live abroad\n\n## Guidance notes and helpsheets\n\nYou can also read guidance in:\n\n- the notes for each section of the tax return, for example \u2018UK property notes\u2019 if you\u2019re completing that section\n\n- HMRC\u2019s Self Assessment helpsheets\n\n## Returns for someone who has died\n\nYou must report a death to HM Revenue and Customs (HMRC) as soon as possible if you\u2019re dealing with the tax affairs of someone who\u2019s died.\n\nHMRC will tell you if you need to fill in a Self Assessment tax return on the deceased\u2019s behalf. If you do, they\u2019ll send you a return form and a letter with instructions.\n\n## Contacting HMRC\n\nIf you use the Tell Us Once service you do not need to contact HMRC separately.\n\nIf you do not use the Tell Us Once service contact HMRC.\n\nTell HMRC the:\n\n- date of death\n\n- name and address of who to contact\n\nYou\u2019ll also need to tell them one of the following for the deceased:\n\n- National Insurance number\n\n- Unique Taxpayer Reference (UTR) - you can find this on letters or payslips from HMRC\n\n- full address\n\n- last employer or pension provider\u2019s name and address\n\n## Filling in the Self Assessment tax return\n\nThe records you\u2019ll need for the deceased\u2019s tax return will depend on their circumstances. You\u2019ll usually need details of the deceased\u2019s bank and savings accounts, for example:\n\n- bank statements\n\n- building society pass books\n\n- dividend vouchers\n\n- National Savings bonds or certificates\n\nIf the deceased was employed or receiving a pension you\u2019ll usually need:\n\n- work or pension payslips\n\n- details of any expenses paid by the employer\n\n- confirmation of any state pension\n\nYou\u2019ll need their business records if the deceased ran their own business or rented out property.\n\nContact HMRC\u2019s Bereavement helpline if you need help completing a return for someone who has died or if you cannot find their records.\n\n## Sending the return\n\nSend the completed Self Assessment form by post.\n\nThe return must reach HMRC by the date given in the letter you received with the form.\n\nYou can hire a professional (such as an accountant) to help you submit a tax return on behalf of the deceased.\n\n## Telling HMRC about the \u2018administration period\u2019\n\nIf you\u2019re the executor or administrator of an estate you may also need to send information to HMRC for the \u2018administration period\u2019. This is the time between the day after the death and the date the estate is settled (\u2018distributed\u2019).\n\nWhat you need to send depends on the size of the estate, and the money that came from it during the administration period.\n\n## When you must send a tax return for the \u2018administration period\u2019\n\nFill in a trust and estate tax return if any of the following apply:\n\n- the total Income Tax and Capital Gains Tax due for the administration period was more than \u00a310,000\n\n- the estate was worth more than \u00a32.5 million at the date of death\n\n- the date of death was before 6 April 2016 and more than \u00a3250,000 a year came from the sale of the estate\u2019s assets by administrators or executors\n\n- the date of death was on or after 6 April 2016 and more than \u00a3500,000 a year came from the sale of the estate\u2019s assets by administrators or executors\n\nThe trust and estate tax return is only for the estate - it\u2019s separate from the return you sent on behalf of the deceased.\n\n## Sending the tax return\n\nTo send an estate tax return, you must first register the estate online.\n\nYou must register by 5 October after the tax year you\u2019re sending a return for. For example, if you\u2019re sending a return for the 2020 to 2021 tax year (6 April 2020 to 5 April 2021) then you must register by 5 October 2021.\n\nTo register the estate you\u2019ll need:\n\n- a Government Gateway user ID - the account needs to be registered as an organisation (you cannot use an account registered to an individual)\n\n- a National Insurance number (a temporary reference number will not work)\n\nYou\u2019ll need a new Government Gateway user ID for each estate you register\n\nYou must register the estate online. Then you\u2019ll get a Unique Taxpayer Reference (UTR) in the post within 15 working days (21 if you\u2019re abroad). You\u2019ll need it to send a tax return.\n\nOnce you\u2019ve received your UTR, you can either:\n\n- fill in paper form SA900 and post it to HMRC by 31 October after the tax year it applies to\n\n- buy software to send it electronically by 31 January after the tax year it applies to\n\nAfter you\u2019ve sent your return, HMRC will tell you how much the estate owes. You\u2019ll need to pay the Self Assessment bill by the deadline.\n\n## If you do not need to send a tax return\n\nYou can make \u2018informal arrangements\u2019 instead. To do this, write to HMRC and tell them:\n\n- the Income Tax and Capital Gains Tax due for the administration period\n\n- the name, address, National Insurance number, and UTR of the deceased\n\n- your name and contact details\n\nSend this information to HMRC\u2019s address for PAYE and Self Assessment. You must not send tax payments with this information.\n\nYou\u2019ll be provided with a payment slip and reference number. You must use these to pay any tax that needs to be paid.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/self-assessment-tax-returns", + "answerable": true, + "scenario": "I am self employed. I earned \u00a3900 in the last year in terms of revenue for my business. I have been told I might have to do a self assessment.", + "original_question": "Do I need to submit a self assessment for this tax year?" + }, + { + "id": "train-894", + "question": "Scenario: I am 34 and owned a business which collapsed during the pandemic. I have been left with about twenty thousand pounds worth of debt, of which five thousand is an outstanding student loan. Much of the rest is credit cards and an overdraft.\n\nQuestion: Am I able to write off all of my debts if I declare bankruptcy or only some?\n\nDocument - Applying to become bankrupt:\n## Overview\n\nYou can apply to make yourself bankrupt if you cannot pay your debts.\n\nCheck if there are other ways you can deal with your debts before you apply for bankruptcy.\n\nYour application will be looked at by someone who works for the Insolvency Service called an \u2018adjudicator\u2019. They\u2019ll decide if you should be made bankrupt.\n\nThe process is different if someone else is applying to make you bankrupt.\n\n## How to apply\n\nYou can only apply for bankruptcy online. It costs \u00a3680.\n\n## What happens when you go bankrupt\n\nIf the adjudicator makes you bankrupt:\n\n- you\u2019ll receive a copy of the bankruptcy order and may be interviewed about your situation\n\n- your assets can be used to pay your debts\n\n- you\u2019ll have to follow the bankruptcy restrictions\n\n- your name and details will be published in the Individual Insolvency Register\n\nYou can apply to have your address removed from the Individual Insolvency Register if publishing it will put you at risk of violence. This will not affect your bankruptcy.\n\nAfter 12 months you\u2019re usually released (\u2018discharged\u2019) from your bankruptcy restrictions and debts. Assets that were part of your estate during the bankruptcy period can still be used to pay your debts.\n\nYou might be able to cancel (\u2018annul\u2019) your bankruptcy before you\u2019re discharged.\n\nBankruptcy only applies to individuals. Find out what your options are if your limited company cannot pay its creditors.\n\n## Get help and information\n\nRead the following:\n\n- the Citizens Advice bankruptcy advice guide\n\n- the Money Advice Service\u2019s guide on options for writing off your debt\n\nYou can also contact the National Debtline for bankruptcy advice.\n\nYou can get free advice from a debt adviser to help you decide how to deal with your debts.\n\n## If you do not live in England or Wales\n\nThe process to become bankrupt is different if you live in Scotland or Northern Ireland. You cannot apply to become bankrupt in England or Wales.\n\nYou might be able to apply if you live anywhere else - talk to a debt adviser.\n\nYou must not break the bankruptcy restrictions in England or Wales. These might also apply outside England and Wales - check the laws of the country you live in.\n\n## Get a person at risk of violence (PARV) order\n\nWhen you\u2019re made bankrupt, your name and address will be published in:\n\n- the Individual Insolvency Register\n\n- the London Gazette\n\nIf having your address published will put you at risk of violence, you can apply to the court for a person at risk of violence (PARV) order.\n\nYour name will still be published, but your address will not be.\n\nYou can only apply for a PARV if you\u2019ve already started a bankruptcy application.\n\n## How to apply\n\nDownload and fill in the application form.\n\nTake your completed form to your nearest court that deals with bankruptcy. They\u2019ll tell you if you need to pay a fee to apply.\n\nYou\u2019ll have to go to a hearing to present your application to a judge - the court will tell you when and where this will take place. You\u2019ll usually get a decision on the same day.\n\nSubmit your bankruptcy application once you have your PARV order.\n\n## After you apply\n\nYou\u2019ll usually get an email or letter from the adjudicator within 28 days of submitting your application to say if you\u2019ve been made bankrupt.\n\nThis can take longer if the adjudicator needs to ask more questions about your application.\n\nThey\u2019ll then issue a bankruptcy order.\n\n## After you get your bankruptcy order\n\nYou\u2019ll get a letter from the official receiver within 2 weeks of getting your bankruptcy order. The official receiver is an officer of the court who manages your bankruptcy.\n\nYou\u2019ll also get an information pack that explains what you need to know and what you must do.\n\nYou might be asked to:\n\n- fill in a questionnaire\n\n- attend an interview with the official receiver\n\n- give the official receiver more information about your debts, creditors, assets and income\n\n## If you\u2019re asked to attend an interview\n\nThe interview can be in person or over the phone. The official receiver will:\n\n- check the information they have about your debts and assets\n\n- ask for more details, for example about your pension or savings\n\n- ask how and why you became bankrupt\n\n- answer any questions you have about the bankruptcy process\n\nYour release (\u2018discharge\u2019) from bankruptcy may be delayed if you do not provide the information you\u2019re asked for.\n\n## Restrictions\n\nYou have to follow bankruptcy restrictions when you\u2019re bankrupt. This means you cannot:\n\n- borrow more than \u00a3500 without telling the lender you\u2019re bankrupt\n\n- act as a director of a company without the court\u2019s permission\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business with a different name without telling people you do business with that you\u2019re bankrupt\n\n- work as an insolvency practitioner (an authorised debt specialist)\n\nIt\u2019s a criminal offence to break the restrictions - you might be prosecuted if you do.\n\nYou must co-operate with the people managing your bankruptcy, for example by providing them with the information they ask for.\n\n## How long the restrictions last\n\nRestrictions last until your bankruptcy ends. This will happen sooner if you cancel your bankruptcy.\n\n## When the restrictions can be extended\n\nBankruptcy restrictions can be extended if you do not carry out your duties under the bankruptcy proceedings or if you\u2019re found to have acted carelessly or dishonestly.\n\nThe official receiver will tell you if the restrictions will be extended.\n\nYou\u2019ll be asked to agree to a Bankruptcy Restrictions Undertaking to extend the restrictions. If you do not agree, they\u2019ll ask the court to issue a Bankruptcy Restrictions Order.\n\n## Your assets\n\nYour assets might be sold to pay your bankruptcy debts. You have to hand over your assets to the person appointed to manage your bankruptcy (your \u2018trustee\u2019). They can be:\n\n- an official receiver - an officer of the court\n\n- an insolvency practitioner - an authorised debt specialist\n\nThe official receiver will usually act as your trustee to begin with.\n\n## Assets you can keep\n\nYou can usually keep:\n\n- items needed for your job, such as tools or a vehicle\n\n- household items, such as clothing, bedding or furniture\n\nYou might have to give these items up if they\u2019re worth more than a reasonable replacement.\n\n## Your bank accounts\n\nYou must give the official receiver your bank cards, cheque books and credit cards for any accounts you\u2019re no longer allowed to use. This includes any account that was overdrawn on the date you were made bankrupt.\n\nYour accounts will be frozen but your trustee may release:\n\n- any money you need urgently, for example to buy food\n\n- your partner\u2019s share of any money in a joint account\n\nYour bank will decide whether to allow you to continue using your accounts.\n\n## Your pension\n\nYou usually keep any money you\u2019ve put into a pension.\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nSpeak to your trustee or read the guidance to find out how bankruptcy will affect your pension.\n\nYou can get free advice on managing your money and how bankruptcy affects your credit rating from Citizens Advice or National Debtline.\n\n## Your home\n\nYour home might be sold depending on your equity - your share after any secured debts (like a mortgage) have been paid.\n\nYou might have to give up:\n\n- your equity\n\n- legal ownership of the property if your equity is \u00a31,000 or more\n\nIf your trustee has not put your home up for sale within 3 years it will be transferred back to you.\n\n## Sole owners\n\nThe equity and legal ownership are transferred to your trustee. This means you cannot sell the property or claim any money from a sale.\n\nA bankruptcy restriction or notice is added to your property\u2019s entry in the land register to say this.\n\nIt can only be removed if it\u2019s been added to your property by mistake. Send HM Land Registry a signed statement saying you are not bankrupt and an application to change the register for a property.\n\n## Joint owners\n\nThe equity is transferred to your trustee.\n\nA \u2018Form J restriction\u2019 is added to your property\u2019s entry in the land register. This means your trustee will be told of any dealings connected with your home, for example if you try to sell it.\n\nIt can be removed if you can prove you (as the bankrupt) do not have a share in the property, for example if your partner owns the property. The owner has to send HM Land Registry a signed statement saying they are not the bankrupt person and an application for the cancellation of a Form J restriction.\n\n## Stop the sale of your home\n\nYou might be able to stop or delay the sale of your home if, for example:\n\n- the value of your equity is less than \u00a31,000\n\n- the equity or legal title can be sold to someone else, such as a partner\n\n- you need to organise somewhere for children or a partner to live - the sale can be delayed for up to 1 year\n\nYou may want to get legal advice to find out if you can stop or delay the sale of your home.\n\nCheck if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\n## Rented property\n\nYour landlord may be told that you\u2019re bankrupt and your rental situation may be affected.\n\n## Your income\n\nYour trustee will tell you if you have to make monthly payments from your spare income - you\u2019ll only have to do this if you can afford it.\n\nThe arrangement can last for up to 3 years and is called an Income Payments Agreement (IPA).\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nIf you do not agree to the IPA your trustee can ask the court to order you to make monthly payments. This is called an Income Payments Order (IPO).\n\nYour official receiver will set up your IPA or IPO and charge a fee. The fee can be up to \u00a3150 and is taken out of your first payment.\n\n## How much you pay\n\nThe monthly amount you pay depends on how much you can afford after essential expenses like food and bills are paid.\n\n## Cancel a bankruptcy\n\nYou can apply to cancel (\u2018annul\u2019) your bankruptcy if:\n\n- the bankruptcy order should not have been made\n\n- all your debts and bankruptcy fees have been paid or secured (guaranteed) by a third party\n\n- you\u2018ve made an Individual Voluntary Arrangement with your creditors to pay all or part of your debts\n\nIf your circumstances change and you can pay off all your debts, then you must pay it through your official receiver or a solicitor.\n\nThis means you will not have to follow the bankruptcy restrictions.\n\n## How to apply\n\nDownload and fill in the application form.\n\nSend or take your completed form to your nearest court that deals with bankruptcy.\n\nYou must tell the court if you want details of your bankruptcy removed from the Land Charges register.\n\nYou\u2019ll be given a date for a court hearing of your application, which you must attend.\n\nYou\u2019ll still need to attend your interview with the official receiver if you\u2019ve been asked to.\n\nIf the court agrees with your application, they\u2019ll make an annulment order which cancels your bankruptcy.\n\n## Advertise your cancellation order\n\nYou can ask the official receiver to advertise your annulment order within 28 days of getting it. You cannot do this if your bankruptcy order has not been advertised yet.\n\nYour annulment order will be advertised wherever your bankruptcy order was.\n\n## When bankruptcy ends\n\nYour bankruptcy and the restrictions generally end when you\u2019re \u2018discharged\u2019, which is usually automatic.\n\nThis is usually 12 months after the adjudicator made you bankrupt. It can be longer in some circumstances, for example if you do not co-operate with your trustee.\n\nCheck your discharge date online using the Individual Insolvency Register.\n\nIf you cancel your bankruptcy, all restrictions will end immediately and your details will be removed from the Individual Insolvency Register.\n\n## Proof of discharge\n\nEmail the Insolvency Service and ask for a \u2018confirmation letter\u2019 to prove your bankruptcy has ended. There\u2019s no fee.\n\nIf you\u2019re applying for a mortgage, you\u2019ll need a Certificate of Discharge.\n\nHow you get it depends on how you applied for your bankruptcy.\n\nIf you applied:\n\n- at a court, contact the court and pay the \u00a370 fee (\u00a310 for each copy)\n\n- online, email the Insolvency Service - there\u2019s no fee\n\n## Bankruptcy registers\n\nThe Individual Insolvency Register is updated within 3 months of your discharge.\n\nYou must apply to both Land Charges and HM Land Registry to have your bankruptcy entry removed from any properties you still own after paying your debts.\n\nBankruptcy entries are automatically removed from the Land Charges register after 5 years if they\u2019re not renewed.\n\n## Apply to Land Charges\n\nSend an application to cancel an entry in the Land Register (K11) to the Land Charges Department.\n\nYou need to include:\n\n- a copy of your court order permitting the cancellation (or \u2018vacation\u2019) of the entry\n\n- \u00a31 for each entry you want to cancel\n\n## Apply to HM Land Registry\n\nYou need to send HM Land Registry either:\n\n- an application to change the register for a property, if you\u2019re the sole owner of your property\n\n- an application for the cancellation of a Form J restriction, if you own your property with someone else\n\nYou must include a copy of your court order.\n\nAll forms sent will be destroyed once the registers are updated. You can send copies if you write \u201cI certify that this is a true copy of the original\u201d together with your signature on the first page.\n\n## Your credit record\n\nCredit reference agencies will not be told directly when your bankruptcy ends - they\u2019ll get this information from public records.\n\nGet a copy of your credit reference report - contact a credit reference agency if it needs updating.\n\nYour bankruptcy can stay on your credit reference file for 6 years from the date of your bankruptcy.\n\n## Debts that will not be written off\n\nWhen you\u2019re discharged you\u2019ll be released from most, but not all, of the debts you owed at the date of the bankruptcy.\n\nDebts you will not be released from include:\n\n- debts arising from fraud\n\n- anything you owe under family proceedings - unless the court decides otherwise\n\n- damages for personal injuries to anyone - unless the court decides otherwise\n\n- debts which were not included in the bankruptcy itself, for example a debt to the Student Loans Company", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/bankruptcy", + "answerable": true, + "scenario": "I am 34 and owned a business which collapsed during the pandemic. I have been left with about twenty thousand pounds worth of debt, of which five thousand is an outstanding student loan. Much of the rest is credit cards and an overdraft.", + "original_question": "Am I able to write off all of my debts if I declare bankruptcy or only some?" + }, + { + "id": "train-895", + "question": "Scenario: I am in the process of being declared bankrupt after having run up debts on credit and store cards which I simply cannot repay. The level of my debt is over thirty thousand pounds. I own quite a lot of good jewellery and an expensive car\n\nQuestion: Will I have to surrender my car and jewellery when my bankruptcy is completed?\n\nDocument - Applying to become bankrupt:\n## Overview\n\nYou can apply to make yourself bankrupt if you cannot pay your debts.\n\nCheck if there are other ways you can deal with your debts before you apply for bankruptcy.\n\nYour application will be looked at by someone who works for the Insolvency Service called an \u2018adjudicator\u2019. They\u2019ll decide if you should be made bankrupt.\n\nThe process is different if someone else is applying to make you bankrupt.\n\n## How to apply\n\nYou can only apply for bankruptcy online. It costs \u00a3680.\n\n## What happens when you go bankrupt\n\nIf the adjudicator makes you bankrupt:\n\n- you\u2019ll receive a copy of the bankruptcy order and may be interviewed about your situation\n\n- your assets can be used to pay your debts\n\n- you\u2019ll have to follow the bankruptcy restrictions\n\n- your name and details will be published in the Individual Insolvency Register\n\nYou can apply to have your address removed from the Individual Insolvency Register if publishing it will put you at risk of violence. This will not affect your bankruptcy.\n\nAfter 12 months you\u2019re usually released (\u2018discharged\u2019) from your bankruptcy restrictions and debts. Assets that were part of your estate during the bankruptcy period can still be used to pay your debts.\n\nYou might be able to cancel (\u2018annul\u2019) your bankruptcy before you\u2019re discharged.\n\nBankruptcy only applies to individuals. Find out what your options are if your limited company cannot pay its creditors.\n\n## Get help and information\n\nRead the following:\n\n- the Citizens Advice bankruptcy advice guide\n\n- the Money Advice Service\u2019s guide on options for writing off your debt\n\nYou can also contact the National Debtline for bankruptcy advice.\n\nYou can get free advice from a debt adviser to help you decide how to deal with your debts.\n\n## If you do not live in England or Wales\n\nThe process to become bankrupt is different if you live in Scotland or Northern Ireland. You cannot apply to become bankrupt in England or Wales.\n\nYou might be able to apply if you live anywhere else - talk to a debt adviser.\n\nYou must not break the bankruptcy restrictions in England or Wales. These might also apply outside England and Wales - check the laws of the country you live in.\n\n## Get a person at risk of violence (PARV) order\n\nWhen you\u2019re made bankrupt, your name and address will be published in:\n\n- the Individual Insolvency Register\n\n- the London Gazette\n\nIf having your address published will put you at risk of violence, you can apply to the court for a person at risk of violence (PARV) order.\n\nYour name will still be published, but your address will not be.\n\nYou can only apply for a PARV if you\u2019ve already started a bankruptcy application.\n\n## How to apply\n\nDownload and fill in the application form.\n\nTake your completed form to your nearest court that deals with bankruptcy. They\u2019ll tell you if you need to pay a fee to apply.\n\nYou\u2019ll have to go to a hearing to present your application to a judge - the court will tell you when and where this will take place. You\u2019ll usually get a decision on the same day.\n\nSubmit your bankruptcy application once you have your PARV order.\n\n## After you apply\n\nYou\u2019ll usually get an email or letter from the adjudicator within 28 days of submitting your application to say if you\u2019ve been made bankrupt.\n\nThis can take longer if the adjudicator needs to ask more questions about your application.\n\nThey\u2019ll then issue a bankruptcy order.\n\n## After you get your bankruptcy order\n\nYou\u2019ll get a letter from the official receiver within 2 weeks of getting your bankruptcy order. The official receiver is an officer of the court who manages your bankruptcy.\n\nYou\u2019ll also get an information pack that explains what you need to know and what you must do.\n\nYou might be asked to:\n\n- fill in a questionnaire\n\n- attend an interview with the official receiver\n\n- give the official receiver more information about your debts, creditors, assets and income\n\n## If you\u2019re asked to attend an interview\n\nThe interview can be in person or over the phone. The official receiver will:\n\n- check the information they have about your debts and assets\n\n- ask for more details, for example about your pension or savings\n\n- ask how and why you became bankrupt\n\n- answer any questions you have about the bankruptcy process\n\nYour release (\u2018discharge\u2019) from bankruptcy may be delayed if you do not provide the information you\u2019re asked for.\n\n## Restrictions\n\nYou have to follow bankruptcy restrictions when you\u2019re bankrupt. This means you cannot:\n\n- borrow more than \u00a3500 without telling the lender you\u2019re bankrupt\n\n- act as a director of a company without the court\u2019s permission\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business with a different name without telling people you do business with that you\u2019re bankrupt\n\n- work as an insolvency practitioner (an authorised debt specialist)\n\nIt\u2019s a criminal offence to break the restrictions - you might be prosecuted if you do.\n\nYou must co-operate with the people managing your bankruptcy, for example by providing them with the information they ask for.\n\n## How long the restrictions last\n\nRestrictions last until your bankruptcy ends. This will happen sooner if you cancel your bankruptcy.\n\n## When the restrictions can be extended\n\nBankruptcy restrictions can be extended if you do not carry out your duties under the bankruptcy proceedings or if you\u2019re found to have acted carelessly or dishonestly.\n\nThe official receiver will tell you if the restrictions will be extended.\n\nYou\u2019ll be asked to agree to a Bankruptcy Restrictions Undertaking to extend the restrictions. If you do not agree, they\u2019ll ask the court to issue a Bankruptcy Restrictions Order.\n\n## Your assets\n\nYour assets might be sold to pay your bankruptcy debts. You have to hand over your assets to the person appointed to manage your bankruptcy (your \u2018trustee\u2019). They can be:\n\n- an official receiver - an officer of the court\n\n- an insolvency practitioner - an authorised debt specialist\n\nThe official receiver will usually act as your trustee to begin with.\n\n## Assets you can keep\n\nYou can usually keep:\n\n- items needed for your job, such as tools or a vehicle\n\n- household items, such as clothing, bedding or furniture\n\nYou might have to give these items up if they\u2019re worth more than a reasonable replacement.\n\n## Your bank accounts\n\nYou must give the official receiver your bank cards, cheque books and credit cards for any accounts you\u2019re no longer allowed to use. This includes any account that was overdrawn on the date you were made bankrupt.\n\nYour accounts will be frozen but your trustee may release:\n\n- any money you need urgently, for example to buy food\n\n- your partner\u2019s share of any money in a joint account\n\nYour bank will decide whether to allow you to continue using your accounts.\n\n## Your pension\n\nYou usually keep any money you\u2019ve put into a pension.\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nSpeak to your trustee or read the guidance to find out how bankruptcy will affect your pension.\n\nYou can get free advice on managing your money and how bankruptcy affects your credit rating from Citizens Advice or National Debtline.\n\n## Your home\n\nYour home might be sold depending on your equity - your share after any secured debts (like a mortgage) have been paid.\n\nYou might have to give up:\n\n- your equity\n\n- legal ownership of the property if your equity is \u00a31,000 or more\n\nIf your trustee has not put your home up for sale within 3 years it will be transferred back to you.\n\n## Sole owners\n\nThe equity and legal ownership are transferred to your trustee. This means you cannot sell the property or claim any money from a sale.\n\nA bankruptcy restriction or notice is added to your property\u2019s entry in the land register to say this.\n\nIt can only be removed if it\u2019s been added to your property by mistake. Send HM Land Registry a signed statement saying you are not bankrupt and an application to change the register for a property.\n\n## Joint owners\n\nThe equity is transferred to your trustee.\n\nA \u2018Form J restriction\u2019 is added to your property\u2019s entry in the land register. This means your trustee will be told of any dealings connected with your home, for example if you try to sell it.\n\nIt can be removed if you can prove you (as the bankrupt) do not have a share in the property, for example if your partner owns the property. The owner has to send HM Land Registry a signed statement saying they are not the bankrupt person and an application for the cancellation of a Form J restriction.\n\n## Stop the sale of your home\n\nYou might be able to stop or delay the sale of your home if, for example:\n\n- the value of your equity is less than \u00a31,000\n\n- the equity or legal title can be sold to someone else, such as a partner\n\n- you need to organise somewhere for children or a partner to live - the sale can be delayed for up to 1 year\n\nYou may want to get legal advice to find out if you can stop or delay the sale of your home.\n\nCheck if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\n## Rented property\n\nYour landlord may be told that you\u2019re bankrupt and your rental situation may be affected.\n\n## Your income\n\nYour trustee will tell you if you have to make monthly payments from your spare income - you\u2019ll only have to do this if you can afford it.\n\nThe arrangement can last for up to 3 years and is called an Income Payments Agreement (IPA).\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nIf you do not agree to the IPA your trustee can ask the court to order you to make monthly payments. This is called an Income Payments Order (IPO).\n\nYour official receiver will set up your IPA or IPO and charge a fee. The fee can be up to \u00a3150 and is taken out of your first payment.\n\n## How much you pay\n\nThe monthly amount you pay depends on how much you can afford after essential expenses like food and bills are paid.\n\n## Cancel a bankruptcy\n\nYou can apply to cancel (\u2018annul\u2019) your bankruptcy if:\n\n- the bankruptcy order should not have been made\n\n- all your debts and bankruptcy fees have been paid or secured (guaranteed) by a third party\n\n- you\u2018ve made an Individual Voluntary Arrangement with your creditors to pay all or part of your debts\n\nIf your circumstances change and you can pay off all your debts, then you must pay it through your official receiver or a solicitor.\n\nThis means you will not have to follow the bankruptcy restrictions.\n\n## How to apply\n\nDownload and fill in the application form.\n\nSend or take your completed form to your nearest court that deals with bankruptcy.\n\nYou must tell the court if you want details of your bankruptcy removed from the Land Charges register.\n\nYou\u2019ll be given a date for a court hearing of your application, which you must attend.\n\nYou\u2019ll still need to attend your interview with the official receiver if you\u2019ve been asked to.\n\nIf the court agrees with your application, they\u2019ll make an annulment order which cancels your bankruptcy.\n\n## Advertise your cancellation order\n\nYou can ask the official receiver to advertise your annulment order within 28 days of getting it. You cannot do this if your bankruptcy order has not been advertised yet.\n\nYour annulment order will be advertised wherever your bankruptcy order was.\n\n## When bankruptcy ends\n\nYour bankruptcy and the restrictions generally end when you\u2019re \u2018discharged\u2019, which is usually automatic.\n\nThis is usually 12 months after the adjudicator made you bankrupt. It can be longer in some circumstances, for example if you do not co-operate with your trustee.\n\nCheck your discharge date online using the Individual Insolvency Register.\n\nIf you cancel your bankruptcy, all restrictions will end immediately and your details will be removed from the Individual Insolvency Register.\n\n## Proof of discharge\n\nEmail the Insolvency Service and ask for a \u2018confirmation letter\u2019 to prove your bankruptcy has ended. There\u2019s no fee.\n\nIf you\u2019re applying for a mortgage, you\u2019ll need a Certificate of Discharge.\n\nHow you get it depends on how you applied for your bankruptcy.\n\nIf you applied:\n\n- at a court, contact the court and pay the \u00a370 fee (\u00a310 for each copy)\n\n- online, email the Insolvency Service - there\u2019s no fee\n\n## Bankruptcy registers\n\nThe Individual Insolvency Register is updated within 3 months of your discharge.\n\nYou must apply to both Land Charges and HM Land Registry to have your bankruptcy entry removed from any properties you still own after paying your debts.\n\nBankruptcy entries are automatically removed from the Land Charges register after 5 years if they\u2019re not renewed.\n\n## Apply to Land Charges\n\nSend an application to cancel an entry in the Land Register (K11) to the Land Charges Department.\n\nYou need to include:\n\n- a copy of your court order permitting the cancellation (or \u2018vacation\u2019) of the entry\n\n- \u00a31 for each entry you want to cancel\n\n## Apply to HM Land Registry\n\nYou need to send HM Land Registry either:\n\n- an application to change the register for a property, if you\u2019re the sole owner of your property\n\n- an application for the cancellation of a Form J restriction, if you own your property with someone else\n\nYou must include a copy of your court order.\n\nAll forms sent will be destroyed once the registers are updated. You can send copies if you write \u201cI certify that this is a true copy of the original\u201d together with your signature on the first page.\n\n## Your credit record\n\nCredit reference agencies will not be told directly when your bankruptcy ends - they\u2019ll get this information from public records.\n\nGet a copy of your credit reference report - contact a credit reference agency if it needs updating.\n\nYour bankruptcy can stay on your credit reference file for 6 years from the date of your bankruptcy.\n\n## Debts that will not be written off\n\nWhen you\u2019re discharged you\u2019ll be released from most, but not all, of the debts you owed at the date of the bankruptcy.\n\nDebts you will not be released from include:\n\n- debts arising from fraud\n\n- anything you owe under family proceedings - unless the court decides otherwise\n\n- damages for personal injuries to anyone - unless the court decides otherwise\n\n- debts which were not included in the bankruptcy itself, for example a debt to the Student Loans Company", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/bankruptcy", + "answerable": true, + "scenario": "I am in the process of being declared bankrupt after having run up debts on credit and store cards which I simply cannot repay. The level of my debt is over thirty thousand pounds. I own quite a lot of good jewellery and an expensive car", + "original_question": "Will I have to surrender my car and jewellery when my bankruptcy is completed?" + }, + { + "id": "train-901", + "question": "Scenario: My husband and I both receive the basic state pension and he has a small private pension from his previous employment. We still appear to be paying NI even though we are both over the age to receive the state pension.\n\nQuestion: If we shouldn't be paying NI, can we claim any money back?\n\nDocument - National Insurance and tax after State Pension age:\n## Overview\n\nYou do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.\n\nYou only pay Income Tax if your taxable income - including your private pension and State Pension - is more than your tax-free allowances (the amount of income you\u2019re allowed before you pay tax).\n\nYou must contact HM Revenue and Customs (HMRC) if you think you should be paying tax.\n\n## Stop paying National Insurance\n\nYou pay National Insurance contributions to qualify for certain benefits including the State Pension.\n\nIf you\u2019re employed, you pay Class 1 National Insurance contributions as a percentage of your earnings up to State Pension age.\n\nIf you\u2019re self-employed, you pay Class 2 contributions at a flat weekly rate and Class 4 contributions annually as a percentage of your taxable profits.\n\n## What happens at State Pension age\n\nYou stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.\n\nYou\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.\n\nFor example, you reach State Pension age on 6 September 2021. You\u2019ll stop making Class 4 contributions on 5 April 2022 and pay your final Class 4 bill by 31 January 2023, together with your Income Tax.\n\nIf you\u2019re self employed, you still need to send a Self Assessment tax return for each year you work - even after you reach State Pension age.\n\nYou can claim back National Insurance if you\u2019ve overpaid.\n\n## If you continue working\n\nShow your employer proof of your age (a birth certificate or passport, for example) to make sure you stop paying National Insurance.\n\nIf you do not want your employer to see your birth certificate or passport, HM Revenue and Customs (HMRC) can send you a letter to show them instead.\n\nThe letter will confirm:\n\n- you\u2019ve reached State Pension age\n\n- you do not need to pay National Insurance\n\nYou\u2019ll need to write to HMRC explaining why you do not want your employer to see your birth certificate or passport.\n\nYou\u2019ll be asked to send your birth certificate or passport for verification if HMRC does not have a record of your date of birth. Certified copies are accepted.\n\nYou can also show a certificate of age exception (CA4140) if you have one.\n\n## Age-related tax allowances\n\n## Married Couple\u2019s Allowance\n\nYou can claim the Married Couple\u2019s Allowance if you\u2019re married or in a civil partnership and at least one partner was born before 6 April 1935. It gets taken off your tax bill - the amount that\u2019s deducted depends on your income.\n\n## Maintenance Payments Relief\n\nYou can get an allowance to reduce your tax bill for maintenance payments you make to an ex-spouse or civil partner if:\n\n- you or they were born before 6 April 1935\n\n- you\u2019re separated or divorced and you\u2019re making payments under a court order\n\n- the payments are for the maintenance of your ex-partner (as long as they have not re-married or formed a new civil partnership) or your children are under 21\n\n## How much you can get\n\nFor the 2021 to 2022 tax year Maintenance Payments Relief can reduce your tax bill by the lower of the following:\n\n- \u00a3353 - where you make maintenance payments of \u00a33,530 or more a year\n\n- 10% of the money you\u2019ve actually paid - where you make payments of less than \u00a33,530 a year\n\nYou cannot claim a tax reduction for any voluntary payments you make.\n\n## Claim back tax or National Insurance\n\n## National Insurance refunds\n\nYou can claim back any overpaid National Insurance.\n\n## Tax refunds\n\nYou can claim a tax refund if you\u2019ve:\n\n- had too much deducted from your pension\n\n- overpaid through your job\n\nIf you complete a tax return, you can also correct mistakes and claim a refund via Self Assessment.\n\n## Claiming back tax on savings interest\n\nIf you\u2019re on a low income, you may be able to get tax-free interest or get some tax back from interest on your savings.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "answerable": true, + "scenario": "My husband and I both receive the basic state pension and he has a small private pension from his previous employment. We still appear to be paying NI even though we are both over the age to receive the state pension.", + "original_question": "If we shouldn't be paying NI, can we claim any money back?" + }, + { + "id": "train-902", + "question": "Scenario: I bought my house twenty years ago and have lived there continually since then. My partner moved in twelve years ago and we have a daughter. We have never lived together anywhere else.\n\nQuestion: Are we exempt from Capital Gains Tax given that we have never lived together anywhere else?\n\nDocument - Tax when you sell your home:\n## Private Residence Relief\n\nYou do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:\n\n- you have one home and you\u2019ve lived in it as your main home for all the time you\u2019ve owned it\n\n- you have not let part of it out - this does not include having a lodger\n\n- you have not used a part of your home exclusively for business purposes (using a room as a temporary or occasional office does not count as exclusive business use)\n\n- the grounds, including all buildings, are less than 5,000 square metres (just over an acre) in total\n\n- you did not buy it just to make a gain\n\nIf all these apply you will automatically get a tax relief called Private Residence Relief and will have no tax to pay. If any of them apply, you may have some tax to pay.\n\nFind out if you\u2019re eligible for Private Residence Relief.\n\nMarried couples and civil partners can only count one property as their main home at any one time.\n\nThe rules are different if you sell property that\u2019s not your home or if you live abroad.\n\n## Work out your gain\n\nYou may need to pay tax when you sell your home if you do not qualify for full Private Residence Relief.\n\nIf you have tax to pay you need to work out how much gain you made when you sold your home.\n\nYour gain is usually the difference between what you paid for your home and what you sold it for. Use the market value instead if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited the asset (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\nIf you\u2019re not resident in the UK for tax, you only pay tax on gains since 5 April 2015.\n\n## Deducting costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension - normal maintenance costs like decorating do not count\n\nYou cannot deduct certain costs, like interest on a loan to buy your property. Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\nThere are special rules for calculating your gain if you sell a lease or your home is compulsorily purchased.\n\n## Work out if you need to pay\n\nOnce you know your gain and have worked out how much tax relief you get, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Living away from your home\n\nYou may get less Private Residence Relief if you live away from your home. However, you always get relief for certain periods.\n\nThe rules are different if you\u2019re not UK resident for tax.\n\n## Periods that always qualify for relief\n\nNo matter how many homes you own or where you lived at the time, you always get relief for the last 9 months before you sold your home.\n\nIt must have been your only or main residence at some point while you owned it.\n\nYou\u2019ll also get relief for up to the first 2 years that you owned the home if both the following apply:\n\n- it was being built, renovated or you could not sell your old home\n\n- you lived in it as your only or main residence within 2 years of owning it\n\nYou get relief for these periods even if you nominated a different home as your main home.\n\n## If you have one home or you nominated your home\n\nYou get relief if you were away from it for:\n\n- any reason for periods adding up to 3 years\n\n- up to 4 years if you had to live away from home in the UK for work\n\n- any period if you were working outside the UK\n\nYou must have lived in the home before and afterwards, unless your work prevented you.\n\nIf you only own one home you get relief for the last 36 months before you sold your home if any of the following apply:\n\n- you\u2019re disabled\n\n- you\u2019re in long-term residential care\n\n- you sold the property before 6 April 2014\n\nYou get relief for the last 18 months if none of these apply, but you sold your home before 6 April 2020.\n\n## If you own more than one home\n\nIn most cases, you only get relief for one home for any period. You must work out when you lived in each property as your main home.\n\nIf you\u2019re married or in a civil partnership only one home per couple counts as your main home for any period.\n\nIf you\u2019ve nominated a home you cannot get relief for another property for the time your home is nominated, apart from for the periods that always qualify for relief.\n\nThere are other rules that affect tax relief when you sell your home.\n\nIf you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.\n\n## Nominating a home\n\nIf you nominate a property as your main home you qualify for relief for most of the time you live away. You must have lived in the home as your only or main residence at some point while you owned it.\n\nThe rules are different if you\u2019re not UK resident for tax.\n\nYou cannot get relief for another property for the time your home is nominated, apart from for certain periods that always qualify for relief.\n\nYou can nominate one property as your main home by writing to HM Revenue and Customs (HMRC). Include the address of the home you want to nominate. All the owners of the property must sign the letter.\n\nIf you want to nominate a home you must do this within 2 years every time your combination of homes changes.\n\nIf you do not nominate a home and you sell one of your properties you must work out how long you lived in it as your main home.\n\n## Overseas properties\n\nFrom 6 April 2015, you can only nominate an overseas property if you lived in it for at least 90 days in the tax year.\n\n## If you let out your home\n\nYou may have to pay Capital Gains Tax if you\u2019ve let out your home. How much you pay depends on how long you lived in it.\n\nHaving a lodger does not count as letting out your home.\n\n## Work out how much tax you have to pay\n\nYou\u2019ll pay tax on your \u2018chargeable gain\u2019. This is your gain minus any Private Residence Relief you\u2019re eligible for.\n\nYou get full relief for:\n\n- the years you lived in the home\n\n- the last 9 months you owned the home - even if you were not living there at the time\n\nIf you sold the property between 6 April 2014 and 6 April 2020, you get relief for the last 18 months you owned it.\n\nIf you only own one home and you\u2019re disabled, in long-term residential care or sold the property before 6 April 2014 you get full relief for the last 36 months you owned it.\n\n## If you only let out part of your home\n\nYou\u2019ll need to work out what proportion of your home you lived in. You only get Private Residence Relief on this proportion of your gain.\n\n## Claim Letting Relief\n\nIf you lived in your home at the same time as your tenants, you may qualify for Letting Relief on gains you make when you sell the property.\n\nYou can get the lowest of the following:\n\n- the same amount you got in Private Residence Relief\n\n- \u00a340,000\n\n- the same amount as the chargeable gain you made while letting out part of your home\n\nLetting Relief does not cover any proportion of the chargeable gain you make while your home is empty.\n\nThere are other rules that may affect the amount of Capital Gains Tax you need to pay.\n\nIf you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-sell-home", + "answerable": true, + "scenario": "I bought my house twenty years ago and have lived there continually since then. My partner moved in twelve years ago and we have a daughter. We have never lived together anywhere else.", + "original_question": "Are we exempt from Capital Gains Tax given that we have never lived together anywhere else?" + }, + { + "id": "train-904", + "question": "Scenario: I am British and I work for an American company called Amazon Mechanical Turk. My earnings are paid in Amazon vouchers which can only be redeemed on the US Amazon site.\n\nQuestion: Am I obligated to pay tax on my Turk earnings as a foreign source of income, given that it is my only form of income?\n\nDocument - Tax on foreign income:\n## Overview\n\nYou may need to pay UK Income Tax on your foreign income, such as:\n\n- wages if you work abroad\n\n- foreign investment income, for example dividends and savings interest\n\n- rental income on overseas property\n\n- income from pensions held overseas\n\nForeign income is anything from outside England, Scotland, Wales and Northern Ireland. The Channel Islands and the Isle of Man are classed as foreign.\n\n## Working out if you need to pay\n\nWhether you need to pay depends on if you\u2019re classed as \u2018resident\u2019 in the UK for tax.\n\nIf you\u2019re not UK resident, you will not have to pay UK tax on your foreign income.\n\nIf you\u2019re UK resident, you\u2019ll normally pay tax on your foreign income. But you may not have to if your permanent home (\u2018domicile\u2019) is abroad.\n\n## Reporting foreign income\n\nIf you need to pay tax, you usually report your foreign income in a Self Assessment tax return. But there\u2019s some foreign income that\u2019s taxed differently.\n\n## If your income is taxed in more than one country\n\nYou may be able to claim tax relief if you\u2019re taxed in more than one country.\n\nIf you\u2019ve not yet paid tax on the foreign income, you may need to apply for a certificate of residence to prove you\u2019re eligible for relief.\n\n## UK residence and tax\n\nYour UK residence status affects whether you need to pay tax in the UK on your foreign income.\n\nNon-residents only pay tax on their UK income - they do not pay UK tax on their foreign income.\n\nResidents normally pay UK tax on all their income, whether it\u2019s from the UK or abroad. But there are special rules for UK residents whose permanent home (\u2018domicile\u2019) is abroad.\n\n## Work out your residence status\n\nWhether you\u2019re UK resident usually depends on how many days you spend in the UK in the tax year (6 April to 5 April the following year).\n\nYou\u2019re automatically resident if either:\n\n- you spent 183 or more days in the UK in the tax year\n\n- your only home was in the UK - you must have owned, rented or lived in it for at least 91 days in total - and you spent at least 30 days there in the tax year\n\nYou\u2019re automatically non-resident if either:\n\n- you spent fewer than 16 days in the UK (or 46 days if you have not been classed as UK resident for the 3 previous tax years)\n\n- you work abroad full-time (averaging at least 35 hours a week) and spent fewer than 91 days in the UK, of which no more than 30 were spent working\n\n## Get help\n\nIf your situation\u2019s more complicated or you need to confirm your status, you can:\n\n- read HMRC\u2019s guidance on the Statutory Residence Test\n\n- get professional tax help\n\n## Your residence status when you move\n\nWhen you move in or out of the UK, the tax year is usually split into 2 - a non-resident part and a resident part. This means you only pay UK tax on foreign income based on the time you were living here.\n\nThis is called \u2018split-year treatment\u2019.\n\nYou will not get split-year treatment if you live abroad for less than a full tax year before returning to the UK. You also need to meet other conditions.\n\nTo find out if you qualify and see which split-year treatment \u2018case\u2019 you\u2019ll need to mention on your Self Assessment tax return, you can:\n\n- read chapter 5 of HMRC\u2019s guidance note on the Statutory Residence Test\n\n- contact HMRC\n\n## If your situation changes\n\nYour status can change from one tax year to the next. Check your status if your situation changes, for example:\n\n- you spend more or less time in the UK\n\n- you buy or sell a home in the UK\n\n- you change your job\n\n- your family moves in or out of the UK, or you get married, separate or have children\n\n## Residence and capital gains\n\nYou work out your residence status for capital gains (for example, when you sell shares or a second home) the same way as you do for income.\n\nUK residents have to pay tax on their UK and foreign gains. Non-residents have to pay tax on income, but only pay Capital Gains Tax either:\n\n- on UK property or land\n\n- if they return to the UK\n\n## Residence before April 2013\n\nThere were different rules for working out your residence status before 6 April 2013.\n\n## 'Non-domiciled' residents\n\nUK residents who have their permanent home (\u2018domicile\u2019) outside the UK may not have to pay UK tax on foreign income.\n\nThe same rules apply if you make any foreign capital gains, for example you sell shares or a second home.\n\n## Working out your domicile\n\nYour domicile\u2019s usually the country your father considered his permanent home when you were born. It may have changed if you moved abroad and you do not intend to return.\n\nIf you need help working out which country you\u2019re domiciled in, you can:\n\n- read chapter 5 of HM Revenue and Customs\u2019 (HMRC) guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019\n\n- get professional tax help, for example from a tax adviser\n\nThere are additional rules for domicile and Inheritance Tax.\n\n## Tax if you\u2019re non-domiciled\n\nYou do not pay UK tax on your foreign income or gains if both the following apply:\n\n- they\u2019re less than \u00a32,000 in the tax year\n\n- you do not bring them into the UK, for example by transferring them to a UK bank account\n\nIf this applies to you, you do not need to do anything.\n\nChapter 9 in HMRC\u2019s guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019 explains the rules for bringing income or gains to the UK.\n\n## If your income is \u00a32,000 or more\n\nYou must report foreign income or gains of \u00a32,000 or more, or any money that you bring to the UK, in a Self Assessment tax return.\n\nYou can either:\n\n- pay UK tax on them - you may be able to claim it back\n\n- claim the \u2018remittance basis\u2019\n\nClaiming the remittance basis means you only pay UK tax on the income or gains you bring to the UK, but you:\n\n- lose tax-free allowances for Income Tax and Capital Gains Tax (some \u2018dual residents\u2019 may keep them)\n\n- pay an annual charge if you\u2019ve been resident of the UK for a certain amount of time\n\nYou pay an annual charge of either:\n\n- \u00a330,000 if you\u2019ve been here for at least 7 of the previous 9 tax years\n\n- \u00a360,000 for at least 12 of the previous 14 tax years\n\nClaiming the remittance basis is complicated. You can:\n\n- contact HMRC\n\n- get professional tax help, for example from a tax adviser\n\n## If you work in the UK and abroad\n\nThere are special rules if you work both in the UK and abroad.\n\nYou do not have to pay tax on foreign income or gains (even those you bring into the UK) if you get the \u2018foreign workers\u2019 exemption\u2019.\n\nYou qualify if:\n\n- your income from your overseas job is less than \u00a310,000\n\n- your other foreign income (such as bank interest) is less than \u00a3100\n\n- all your foreign income has been subject to foreign tax (even if you did not have to pay, for example because of a tax-free allowance)\n\n- your combined UK and foreign income is within the band for basic rate Income Tax\n\n- you do not need to fill in a tax return for any other reason\n\nIf you qualify, you do not need to do anything to claim.\n\n## If you\u2019re seconded to the UK\n\nYou may be able to claim Overseas Workday Relief if your employer sends you to work in the UK on secondment.\n\nIf you qualify you:\n\n- pay UK tax on UK employment income based on the number of days you\u2019ve worked here\n\n- do not pay tax on income from days you work abroad (as long as you do not bring it into the UK)\n\nAsk your employer to find out if you can claim.\n\n## Foreign students\n\nThere are special rules if you come to study in the UK.\n\n## Reporting your foreign income\n\nYou usually need to fill in a Self Assessment tax return if you\u2019re a UK resident with foreign income or capital gains. But there\u2019s some foreign income that\u2019s taxed differently.\n\nYou do not need to fill in a tax return if all the following apply:\n\n- your only foreign income is dividends\n\n- your total dividends - including UK dividends - are less than the \u00a32,000 dividend allowance\n\n- you have no other income to report\n\nDifferent rules may apply if your permanent home (\u2018domicile\u2019) is abroad.\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now\n\n## Filling in your tax return\n\nUse the \u2018foreign\u2019 section of the tax return to record your overseas income or gains.\n\nInclude income that\u2019s already been taxed abroad to get Foreign Tax Credit Relief, if you\u2019re eligible.\n\nHMRC has guidance on how to report your foreign income or gains in your tax return in \u2018Foreign notes\u2019.\n\n## Foreign income that's taxed differently\n\nMost foreign income is taxed in the same way as UK income, but there are special rules for:\n\n- pensions\n\n- rent from property\n\n- certain types of employment income\n\n## Pensions\n\nYou have to pay tax on pensions if you\u2019re resident, or were resident in any of the 5 previous tax years.\n\nYou also pay tax on any foreign pension payments, including unauthorised payments like early payments and some lump sums.\n\nCheck with your pension provider to find out how you\u2019ll be taxed.\n\n## Rent from property\n\nYou pay tax in the normal way on overseas property. But if you rent out more than one, you can offset losses against other overseas properties.\n\n## Certain types of employment income\n\nYou usually pay tax in the normal way if you work both in the UK and abroad. There are special rules if you work:\n\n- on a ship or in the offshore gas or oil industry\n\n- for the EU or government, or as a volunteer development worker\n\n## If you're taxed twice\n\nYou may be taxed on your foreign income by the UK and by the country where your income is from.\n\nYou can usually claim tax relief to get some or all of this tax back. How you claim depends on whether your foreign income has already been taxed.\n\nThere\u2019s a different way to claim relief if you\u2019re a non-resident with UK income.\n\n## Apply for tax relief before you get taxed on foreign income\n\nYou have to apply for tax relief in the country your income\u2019s from if:\n\n- the income is exempt from foreign tax but is taxed in the UK (for example, most pensions)\n\n- required by that country\u2019s double-taxation agreement\n\nAsk the foreign tax authority for a form, or apply by letter if they do not have one.\n\nBefore you apply, you must prove you\u2019re eligible for tax relief by either:\n\n- completing the form and sending it to HMRC - they\u2019ll confirm whether you\u2019re resident and send the form back to you\n\n- including a UK certificate of residence, if you\u2019re applying by letter\n\nOnce you\u2019ve got proof, send the form or letter to the foreign tax authority.\n\n## If you\u2019ve already paid tax on your foreign income\n\nYou can usually claim Foreign Tax Credit Relief when you report your overseas income in your tax return.\n\nHow much relief you get depends on the UK\u2019s \u2018double-taxation agreement\u2019 with the country your income\u2019s from.\n\nYou usually still get relief even if there is not an agreement, unless the foreign tax does not correspond to UK Income Tax or Capital Gains Tax.\n\nContact HM Revenue and Customs (HMRC) or a get professional tax help if you\u2019re not sure, or need help with double-taxation relief.\n\n## What you\u2019ll get back\n\nYou may not get back the full amount of foreign tax you paid. You get back less if either:\n\n- a smaller amount is set by the country\u2019s double-taxation agreement\n\n- the income would have been taxed at a lower rate in the UK\n\nHMRC has guidance on how Foreign Tax Credit Relief is calculated, including the special rules for interest and dividends in \u2018Foreign notes\u2019.\n\nYou cannot claim this relief if the UK\u2019s double-taxation agreement requires you to claim tax back from the country your income was from.\n\n## Capital Gains Tax\n\nYou\u2019ll usually pay tax in the country where you\u2019re resident and be exempt from tax in the country where you make the capital gain. You will not usually need to make a claim.\n\nYou have to pay Capital Gains Tax on UK residential property even if you\u2019re not UK resident.\n\n## When to claim relief\n\nThere are different rules if your gain comes from an asset that either:\n\n- cannot be taken out of the country, such as land or a house\n\n- you\u2019re using for business in that country\n\nYou\u2019ll need to pay tax in both countries and get relief from the UK.\n\n## Dual residents\n\nYou can be resident in both the UK and another country. You\u2019ll need to check the other country\u2019s residence rules and when the tax year starts and ends.\n\nHMRC has guidance for claiming double-taxation relief if you\u2019re dual resident.\n\n## If you come to study in the UK\n\nForeign students usually do not pay UK tax on foreign income or gains, as long as they\u2019re used for course fees or living costs like:\n\n- food\n\n- rent\n\n- bills\n\n- study materials\n\nCheck that the country your income\u2019s from has a \u2018double-taxation agreement\u2019 that covers students.\n\nHM Revenue and Customs (HMRC) may ask you to account for your living costs if they\u2019re more than \u00a315,000 in a tax year (excluding course fees). The tax year is from 6 April to 5 April the following year.\n\n## When you need to pay tax\n\nYou may need to pay tax on your foreign income in the normal way if you:\n\n- are from a country without a double-taxation agreement for students\n\n- have other income that you do not bring to the UK\n\n- bring it to the UK and spend it on things other than living costs and course fees\n\n- plan to stay in the UK as your permanent home (\u2018domicile\u2019)\n\n## If you work in the UK\n\nSome double-taxation agreements mean you do not pay UK tax on your income if you work while you\u2019re a student.\n\nIf your country does not have an agreement like this, you have to pay tax in the same way as others who come to live in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-foreign-income", + "answerable": true, + "scenario": "I am British and I work for an American company called Amazon Mechanical Turk. My earnings are paid in Amazon vouchers which can only be redeemed on the US Amazon site.", + "original_question": "Am I obligated to pay tax on my Turk earnings as a foreign source of income, given that it is my only form of income?" + }, + { + "id": "train-906", + "question": "Scenario: My grandfather and grandmother have been happily married for 65 years . They receive married couple allowance. Due to dementia and old age my grandmother has been taken to a care home.\n\nQuestion: Will the married couple allowance stop?\n\nDocument - Married Couple's Allowance:\n## Overview\n\nMarried Couple\u2019s Allowance could reduce your tax bill by between \u00a3353 and \u00a3912.50 a year.\n\nYou can claim Married Couple\u2019s Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re living with your spouse or civil partner\n\n- one of you was born before 6 April 1935\n\nFor marriages before 5 December 2005, the husband\u2019s income is used to work out Married Couple\u2019s Allowance. For marriage and civil partnerships after this date, it\u2019s the income of the highest earner.\n\nIf you and your partner were born on or after 6 April 1935, you may be able to claim Marriage Allowance instead.\n\n## What you'll get\n\nMarried Couple\u2019s Allowance could reduce your tax bill each year if you\u2019re married or in a civil partnership.\n\nFor the 2021 to 2022 tax year, it could cut your tax bill by between \u00a3353 and \u00a3912.50 a year.\n\nUse the Married Couple\u2019s Allowance calculator to work out what you could get.\n\nIf you marry or register a civil partnership, you\u2019ll get the allowance on a pro-rata basis for the rest of that tax year.\n\nIf one of you dies or you divorce or separate, the allowance continues until the end of the tax year.\n\nYou can transfer your Married Couple\u2019s Allowance to your spouse or civil partner.\n\nIf you and your spouse or civil partner are separated through circumstance rather than through a decision to formally separate, you can still claim Married Couple\u2019s Allowance.\n\n## Eligibility\n\nYou can claim Married Couple\u2019s Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re living with your spouse or civil partner\n\n- one of you was born before 6 April 1935\n\nYou can still claim Married Couple\u2019s Allowance if you\u2019re unable to live with your spouse or civil partner because of:\n\n- illness or old age, for example where your spouse or partner is in residential care\n\n- working away from home\n\n- an armed forces posting\n\n- being in prison\n\n- training or education\n\nUse the Married Couple\u2019s Allowance calculator to work out what you could get.\n\n## How to claim\n\n## If you fill in a Self Assessment tax return each year\n\nClaim by completing the Married Couple\u2019s Allowance section of the tax return.\n\n## If you do not fill in a Self Assessment tax return each year\n\nContact HM Revenue & Customs (HMRC) with details of your:\n\n- marriage or civil partnership ceremony\n\n- spouse or civil partner - including their date of birth\n\n## Further information\n\n## Transfer unused Married Couple\u2019s Allowance after the tax year ends\n\nIf your spouse or civil partner pays tax, you can transfer any Married Couple\u2019s Allowance that you have not used because:\n\n- you do not pay tax\n\n- your tax bill is not high enough\n\nFill in form 575 or ask HM Revenue and Customs (HMRC) to post you a copy.\n\n## Share or transfer your Married Couple\u2019s Allowance before the tax year starts\n\nYou and your spouse (or civil partner) can:\n\n- share the minimum Married Couple\u2019s Allowance\n\n- transfer the whole of the minimum Married Couple\u2019s Allowance from one to the other\n\nFill in form 18 before the start of the tax year. You can also contact HMRC to get a copy in the post.\n\n## Tax allowances and giving to charity\n\nIf you pay tax and give money to a UK charity using Gift Aid, contact HMRC. It can increase the tax allowances if you were born before 6 April 1938.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/married-couples-allowance", + "answerable": true, + "scenario": "My grandfather and grandmother have been happily married for 65 years . They receive married couple allowance. Due to dementia and old age my grandmother has been taken to a care home.", + "original_question": "Will the married couple allowance stop?" + }, + { + "id": "train-909", + "question": "Scenario: I'm 32 today and I always been in love with shopping and eating out: turns out that I don't have any savings even if I have a decent salary (\u00a340.000 per year outside London. I decided to deposit few hundreds pounds every months in Premium Bonds just to start things off and I made \u00a350 in winnings.\n\nQuestion: Do I pay tax on premium bonds?\n\nDocument - Tax when you sell shares:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) shares or other investments.\n\nShares and investments you may need to pay tax on include:\n\n- shares that are not in an ISA or PEP\n\n- units in a unit trust\n\n- certain bonds (not including Premium Bonds and Qualifying Corporate Bonds)\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax. This will depend on if your total gains are above your Capital Gains Tax allowance for the tax year.\n\n## When you do not pay it\n\nYou do not usually need to pay tax if you give shares as a gift to your husband, wife, civil partner or a charity.\n\nYou also do not pay Capital Gains Tax when you dispose of:\n\n- shares you\u2019ve put into an ISA or PEP\n\n- shares in employer Share Incentive Plans (SIPs)\n\n- UK government gilts (including Premium Bonds)\n\n- Qualifying Corporate Bonds\n\n- employee shareholder shares - depending on when you got them\n\n## Work out your gain\n\nYou\u2019ll need to work out your gain to find out whether you need to pay Capital Gains Tax.\n\nYour gain is usually the difference between what you paid for your shares and what you sold them for.\n\n## Market value\n\nIn some situations you should use the market value of the shares when working out your gain. Do this if:\n\n- you gave them away as a gift to someone other than your spouse, civil partner or a charity\n\n- you sold them for less than they were worth\n\n- you inherited them and do not know the Inheritance Tax value\n\n- you owned them before April 1982\n\n- you acquired them through certain Employee Share Schemes\n\nIf the shares were given or sold to you by someone who claimed Gift Hold-Over Relief, use the amount that person paid for them to work out your gain. If you paid less than they were worth, use the amount you paid for them.\n\n## Selling in special circumstances\n\nThere are special rules for working out the cost of your shares if you sell:\n\n- shares you bought at different times and prices in one company\n\n- shares through an investment club\n\n- shares after a company merger or takeover\n\n- employee share scheme shares\n\n## Jointly owned shares and investments\n\nIf you sell shares or investments that you own jointly with other people, work out the gain for the portion that you own, instead of the whole value. There are different rules for investment clubs.\n\n## What to do next\n\n## Deduct costs\n\nYou can deduct certain costs of buying or selling your shares from your gain. These include:\n\n- fees, for example stockbrokers\u2019 fees\n\n- Stamp Duty Reserve Tax (SDRT) when you bought the shares\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## Apply reliefs\n\nYou may be able to reduce or delay paying Capital Gains Tax if you\u2019re eligible for tax relief.\n\n## Work out if you need to pay\n\nWhen you know your gain you need to work out if you need to report and pay Capital Gains Tax.\n\nYou may be able to work out how much tax to pay on your shares.\n\nYou can use the calculator if you sold shares that were:\n\n- the same type, acquired in the same company on the same date\n\n- sold at the same time\n\nYou can not use the calculator if you:\n\n- sold other shares in the tax year\n\n- sold other chargeable assets in the tax year, such as a property you let out\n\n- claim any reliefs\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\nYou can claim losses on shares you own if they become worthless or of \u2018negligible value\u2019 (for example because the company goes into liquidation).\n\nHMRC has guidance on making a negligible value claim.\n\n## Selling shares in the same company\n\nThere\u2019s a different way of working out your cost if you\u2019ve sold the same type of shares in a company that you bought at different times.\n\nYou\u2019ll usually need to work out the average cost of your shares and deduct this from what you got for them to work out your gain.\n\nIf you bought new shares of the same type in the same company within 30 days of selling your old ones, there are special rules for working out the cost to use in your tax calculations.\n\nContact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.\n\n## Investment clubs\n\nYou work out your gain differently if you\u2019ve bought and sold shares through an investment club.\n\nAn investment club is a group of people that buys and sells shares together on the stock market.\n\n## Work out your gain\n\nYou\u2019ll get a written statement of your gains and losses (an \u2018investment club certificate (PDF, 212KB)\u2019) at the end of each tax year from the person who runs the club, for example its treasurer.\n\nWhen you know your gain, work out if you need to report and pay Capital Gains Tax. There are special rules if you make any losses.\n\n## Leaving an investment club\n\nThe club buys back your shares if you leave, and you need to include any gain or loss when you\u2019re working out if you need to pay tax.\n\n- Take your share of any gains during your membership of the club, and deduct your share of any losses.\n\n- Add any income from dividends you received (after tax).\n\n- Add any other money you received from the club, and deduct anything you paid into it (for example a monthly amount to invest).\n\n- Deduct the total from what you received from the club for your shares.\n\nContact HM Revenue and Customs (HMRC) or get professional help (for example from an accountant) if you need advice.\n\n## Transferring shares into the club\n\nIf you transfer shares you already own into the club, you\u2019re treated as selling them and you need to work out your gain.\n\n## If you run an investment club\n\nThe investment club treasurer or secretary should:\n\n- divide any income, gains and losses between its members according to the club\u2019s rules\n\n- give every member a written statement at the end of each tax year - you can use HMRC\u2019s investment club certificate (PDF, 212KB)\n\n- keep records including members\u2019 income and gains\n\n- arrange to buy shares from members who want to leave the club\n\nIf you\u2019re starting a new investment club, make sure it has a constitution and rules. Get legal advice from a professional if you need help.\n\n## Tax relief\n\nYou may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.\n\n| Relief | Description |\n\n| Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax instead of the normal rates if you sell shares in a trading company that you work for and have at least 5% of the shares and voting rights (known as a \u2018personal company\u2019). |\n\n| Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away shares in a personal company or unlisted company - the person you gave them to pays tax when they sell them. |\n\n| Enterprise Investment Scheme (EIS) | Delay or reduce your Capital Gains Tax if you use a gain to buy unlisted shares in companies approved for EIS. |\n\n| Seed Enterprise Investment Scheme (SEIS) | Pay no Capital Gains Tax on a gain of up to \u00a3100,000 if you use a gain to buy new shares in small early-stage companies approved for SEIS. |\n\n| Rollover relief | Delay paying Capital Gains Tax if you sell unlisted shares to the trustees of a Share Incentive Plan (SIP) and use the proceeds to buy new assets. |\n\nShares are \u2018unlisted\u2019 if they\u2019re in a company that is not listed on the London Stock Exchange or a recognised stock exchange abroad.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-sell-shares", + "answerable": true, + "scenario": "I'm 32 today and I always been in love with shopping and eating out: turns out that I don't have any savings even if I have a decent salary (\u00a340.000 per year outside London. I decided to deposit few hundreds pounds every months in Premium Bonds just to start things off and I made \u00a350 in winnings.", + "original_question": "Do I pay tax on premium bonds?" + }, + { + "id": "train-910", + "question": "Scenario: I own a home that I want to sell. The property cost me \u00a3150,000, but it is now worth \u00a3250,000. This is my only home that I lived in since I purchased it.\n\nQuestion: Will I need to pay capital gains tax on this house?\n\nDocument - Tax when you sell your home:\n## Private Residence Relief\n\nYou do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:\n\n- you have one home and you\u2019ve lived in it as your main home for all the time you\u2019ve owned it\n\n- you have not let part of it out - this does not include having a lodger\n\n- you have not used a part of your home exclusively for business purposes (using a room as a temporary or occasional office does not count as exclusive business use)\n\n- the grounds, including all buildings, are less than 5,000 square metres (just over an acre) in total\n\n- you did not buy it just to make a gain\n\nIf all these apply you will automatically get a tax relief called Private Residence Relief and will have no tax to pay. If any of them apply, you may have some tax to pay.\n\nFind out if you\u2019re eligible for Private Residence Relief.\n\nMarried couples and civil partners can only count one property as their main home at any one time.\n\nThe rules are different if you sell property that\u2019s not your home or if you live abroad.\n\n## Work out your gain\n\nYou may need to pay tax when you sell your home if you do not qualify for full Private Residence Relief.\n\nIf you have tax to pay you need to work out how much gain you made when you sold your home.\n\nYour gain is usually the difference between what you paid for your home and what you sold it for. Use the market value instead if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited the asset (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\nIf you\u2019re not resident in the UK for tax, you only pay tax on gains since 5 April 2015.\n\n## Deducting costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension - normal maintenance costs like decorating do not count\n\nYou cannot deduct certain costs, like interest on a loan to buy your property. Contact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\nThere are special rules for calculating your gain if you sell a lease or your home is compulsorily purchased.\n\n## Work out if you need to pay\n\nOnce you know your gain and have worked out how much tax relief you get, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Living away from your home\n\nYou may get less Private Residence Relief if you live away from your home. However, you always get relief for certain periods.\n\nThe rules are different if you\u2019re not UK resident for tax.\n\n## Periods that always qualify for relief\n\nNo matter how many homes you own or where you lived at the time, you always get relief for the last 9 months before you sold your home.\n\nIt must have been your only or main residence at some point while you owned it.\n\nYou\u2019ll also get relief for up to the first 2 years that you owned the home if both the following apply:\n\n- it was being built, renovated or you could not sell your old home\n\n- you lived in it as your only or main residence within 2 years of owning it\n\nYou get relief for these periods even if you nominated a different home as your main home.\n\n## If you have one home or you nominated your home\n\nYou get relief if you were away from it for:\n\n- any reason for periods adding up to 3 years\n\n- up to 4 years if you had to live away from home in the UK for work\n\n- any period if you were working outside the UK\n\nYou must have lived in the home before and afterwards, unless your work prevented you.\n\nIf you only own one home you get relief for the last 36 months before you sold your home if any of the following apply:\n\n- you\u2019re disabled\n\n- you\u2019re in long-term residential care\n\n- you sold the property before 6 April 2014\n\nYou get relief for the last 18 months if none of these apply, but you sold your home before 6 April 2020.\n\n## If you own more than one home\n\nIn most cases, you only get relief for one home for any period. You must work out when you lived in each property as your main home.\n\nIf you\u2019re married or in a civil partnership only one home per couple counts as your main home for any period.\n\nIf you\u2019ve nominated a home you cannot get relief for another property for the time your home is nominated, apart from for the periods that always qualify for relief.\n\nThere are other rules that affect tax relief when you sell your home.\n\nIf you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.\n\n## Nominating a home\n\nIf you nominate a property as your main home you qualify for relief for most of the time you live away. You must have lived in the home as your only or main residence at some point while you owned it.\n\nThe rules are different if you\u2019re not UK resident for tax.\n\nYou cannot get relief for another property for the time your home is nominated, apart from for certain periods that always qualify for relief.\n\nYou can nominate one property as your main home by writing to HM Revenue and Customs (HMRC). Include the address of the home you want to nominate. All the owners of the property must sign the letter.\n\nIf you want to nominate a home you must do this within 2 years every time your combination of homes changes.\n\nIf you do not nominate a home and you sell one of your properties you must work out how long you lived in it as your main home.\n\n## Overseas properties\n\nFrom 6 April 2015, you can only nominate an overseas property if you lived in it for at least 90 days in the tax year.\n\n## If you let out your home\n\nYou may have to pay Capital Gains Tax if you\u2019ve let out your home. How much you pay depends on how long you lived in it.\n\nHaving a lodger does not count as letting out your home.\n\n## Work out how much tax you have to pay\n\nYou\u2019ll pay tax on your \u2018chargeable gain\u2019. This is your gain minus any Private Residence Relief you\u2019re eligible for.\n\nYou get full relief for:\n\n- the years you lived in the home\n\n- the last 9 months you owned the home - even if you were not living there at the time\n\nIf you sold the property between 6 April 2014 and 6 April 2020, you get relief for the last 18 months you owned it.\n\nIf you only own one home and you\u2019re disabled, in long-term residential care or sold the property before 6 April 2014 you get full relief for the last 36 months you owned it.\n\n## If you only let out part of your home\n\nYou\u2019ll need to work out what proportion of your home you lived in. You only get Private Residence Relief on this proportion of your gain.\n\n## Claim Letting Relief\n\nIf you lived in your home at the same time as your tenants, you may qualify for Letting Relief on gains you make when you sell the property.\n\nYou can get the lowest of the following:\n\n- the same amount you got in Private Residence Relief\n\n- \u00a340,000\n\n- the same amount as the chargeable gain you made while letting out part of your home\n\nLetting Relief does not cover any proportion of the chargeable gain you make while your home is empty.\n\nThere are other rules that may affect the amount of Capital Gains Tax you need to pay.\n\nIf you\u2019re not sure how the rules apply to you, call the Capital Gains Tax helpline.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-sell-home", + "answerable": true, + "scenario": "I own a home that I want to sell. The property cost me \u00a3150,000, but it is now worth \u00a3250,000. This is my only home that I lived in since I purchased it.", + "original_question": "Will I need to pay capital gains tax on this house?" + }, + { + "id": "train-913", + "question": "Scenario: I have been living in Germany for the past few years although I have been only in casual work and not consistently employed. I pay National Insurance and tax as and when I have work.\n\nQuestion: Will my right of work change?\n\nDocument - Work in an EU country:\n## Overview\n\nYou\u2019ll need a work permit to work in most EU countries if you\u2019re a UK citizen.\n\nIn most cases, you\u2019ll need a job offer from your chosen country so that you can get a visa to move there.\n\nCheck with the UK-based embassy of the country you want to work in to see what you need to do.\n\nIf you want to work in an EU country, check the country\u2019s living in guide for updates.\n\n## If you moved to the EU before 1 January 2021\n\nIf you were legally living in an EU country before 1 January 2021, your right to work will be protected as long as you carry on living there. This is because you are covered by the Withdrawal Agreement.\n\nYou\u2019re also protected by the Withdrawal Agreement if you started working in one EU country and living in a different EU country or the UK, before 1 January 2021.\n\nYou\u2019ll have the same rights as nationals of the country you\u2019re working in when it comes to working conditions, pay and social security (for example, benefits).\n\n## Healthcare and insurance\n\nYou can use a European Health Insurance Card (EHIC) or UK Global Health Insurance Card (GHIC) if you\u2019re working in an EU country for up to 3 months. Your EHIC or GHIC gives you access to free or cheaper state-provided medical treatment.\n\nSome UK-issued EHICs may no longer be valid in Switzerland, Norway, Iceland or Liechtenstein.\n\nFind out more about the EHIC and GHIC, including who can get them, where they\u2019re valid and how to apply.\n\nIf you\u2019re planning to work in an EEA country or Switzerland for longer, you may need to:\n\n- register as a resident and pay social security contributions to use the state healthcare system in that country\n\n- take out private health insurance\n\nEach country\u2019s healthcare system is different and you may have to pay for treatment you\u2019d get for free on the NHS.\n\nFind out more in the country healthcare guides.\n\nYou usually have to pay for any medical treatment outside of the EEA, but you can get free or reduced cost treatment in some other countries.\n\n## Working abroad for a UK employer\n\nIf you are sent to work abroad temporarily, your employer must follow some of the employment rules of the country you\u2019re sent to work in.\n\nFind out about the employment rules for a country by contacting its UK-based embassy.\n\nYou can also read guidance for business travellers visiting Europe.\n\n## Tax\n\nYou might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).\n\nFill in form P85 to tell HM Revenue and Customs (HMRC) that you\u2019ve left or are about to leave the UK to live or work abroad. Fill in the form and send it to HMRC.\n\nHMRC will tell you how your tax will be affected.\n\n## National Insurance\n\nYou might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.\n\nIf you\u2019re eligible, you can keep paying National Insurance to protect your State Pension and entitlement to other benefits.\n\n## Your circumstances change\n\nContact HMRC if your circumstances change when you\u2019re abroad, for example if you move house or your marital status changes. You\u2019ll need your National Insurance number.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/working-abroad", + "answerable": true, + "scenario": "I have been living in Germany for the past few years although I have been only in casual work and not consistently employed. I pay National Insurance and tax as and when I have work.", + "original_question": "Will my right of work change?" + }, + { + "id": "train-916", + "question": "Scenario: I recently moved back to the UK after spending many years in the Congo. I have a property there that I have rented out to my friend.\n\nQuestion: Am I liable for tax on this rental income?\n\nDocument - Tax on foreign income:\n## Overview\n\nYou may need to pay UK Income Tax on your foreign income, such as:\n\n- wages if you work abroad\n\n- foreign investment income, for example dividends and savings interest\n\n- rental income on overseas property\n\n- income from pensions held overseas\n\nForeign income is anything from outside England, Scotland, Wales and Northern Ireland. The Channel Islands and the Isle of Man are classed as foreign.\n\n## Working out if you need to pay\n\nWhether you need to pay depends on if you\u2019re classed as \u2018resident\u2019 in the UK for tax.\n\nIf you\u2019re not UK resident, you will not have to pay UK tax on your foreign income.\n\nIf you\u2019re UK resident, you\u2019ll normally pay tax on your foreign income. But you may not have to if your permanent home (\u2018domicile\u2019) is abroad.\n\n## Reporting foreign income\n\nIf you need to pay tax, you usually report your foreign income in a Self Assessment tax return. But there\u2019s some foreign income that\u2019s taxed differently.\n\n## If your income is taxed in more than one country\n\nYou may be able to claim tax relief if you\u2019re taxed in more than one country.\n\nIf you\u2019ve not yet paid tax on the foreign income, you may need to apply for a certificate of residence to prove you\u2019re eligible for relief.\n\n## UK residence and tax\n\nYour UK residence status affects whether you need to pay tax in the UK on your foreign income.\n\nNon-residents only pay tax on their UK income - they do not pay UK tax on their foreign income.\n\nResidents normally pay UK tax on all their income, whether it\u2019s from the UK or abroad. But there are special rules for UK residents whose permanent home (\u2018domicile\u2019) is abroad.\n\n## Work out your residence status\n\nWhether you\u2019re UK resident usually depends on how many days you spend in the UK in the tax year (6 April to 5 April the following year).\n\nYou\u2019re automatically resident if either:\n\n- you spent 183 or more days in the UK in the tax year\n\n- your only home was in the UK - you must have owned, rented or lived in it for at least 91 days in total - and you spent at least 30 days there in the tax year\n\nYou\u2019re automatically non-resident if either:\n\n- you spent fewer than 16 days in the UK (or 46 days if you have not been classed as UK resident for the 3 previous tax years)\n\n- you work abroad full-time (averaging at least 35 hours a week) and spent fewer than 91 days in the UK, of which no more than 30 were spent working\n\n## Get help\n\nIf your situation\u2019s more complicated or you need to confirm your status, you can:\n\n- read HMRC\u2019s guidance on the Statutory Residence Test\n\n- get professional tax help\n\n## Your residence status when you move\n\nWhen you move in or out of the UK, the tax year is usually split into 2 - a non-resident part and a resident part. This means you only pay UK tax on foreign income based on the time you were living here.\n\nThis is called \u2018split-year treatment\u2019.\n\nYou will not get split-year treatment if you live abroad for less than a full tax year before returning to the UK. You also need to meet other conditions.\n\nTo find out if you qualify and see which split-year treatment \u2018case\u2019 you\u2019ll need to mention on your Self Assessment tax return, you can:\n\n- read chapter 5 of HMRC\u2019s guidance note on the Statutory Residence Test\n\n- contact HMRC\n\n## If your situation changes\n\nYour status can change from one tax year to the next. Check your status if your situation changes, for example:\n\n- you spend more or less time in the UK\n\n- you buy or sell a home in the UK\n\n- you change your job\n\n- your family moves in or out of the UK, or you get married, separate or have children\n\n## Residence and capital gains\n\nYou work out your residence status for capital gains (for example, when you sell shares or a second home) the same way as you do for income.\n\nUK residents have to pay tax on their UK and foreign gains. Non-residents have to pay tax on income, but only pay Capital Gains Tax either:\n\n- on UK property or land\n\n- if they return to the UK\n\n## Residence before April 2013\n\nThere were different rules for working out your residence status before 6 April 2013.\n\n## 'Non-domiciled' residents\n\nUK residents who have their permanent home (\u2018domicile\u2019) outside the UK may not have to pay UK tax on foreign income.\n\nThe same rules apply if you make any foreign capital gains, for example you sell shares or a second home.\n\n## Working out your domicile\n\nYour domicile\u2019s usually the country your father considered his permanent home when you were born. It may have changed if you moved abroad and you do not intend to return.\n\nIf you need help working out which country you\u2019re domiciled in, you can:\n\n- read chapter 5 of HM Revenue and Customs\u2019 (HMRC) guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019\n\n- get professional tax help, for example from a tax adviser\n\nThere are additional rules for domicile and Inheritance Tax.\n\n## Tax if you\u2019re non-domiciled\n\nYou do not pay UK tax on your foreign income or gains if both the following apply:\n\n- they\u2019re less than \u00a32,000 in the tax year\n\n- you do not bring them into the UK, for example by transferring them to a UK bank account\n\nIf this applies to you, you do not need to do anything.\n\nChapter 9 in HMRC\u2019s guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019 explains the rules for bringing income or gains to the UK.\n\n## If your income is \u00a32,000 or more\n\nYou must report foreign income or gains of \u00a32,000 or more, or any money that you bring to the UK, in a Self Assessment tax return.\n\nYou can either:\n\n- pay UK tax on them - you may be able to claim it back\n\n- claim the \u2018remittance basis\u2019\n\nClaiming the remittance basis means you only pay UK tax on the income or gains you bring to the UK, but you:\n\n- lose tax-free allowances for Income Tax and Capital Gains Tax (some \u2018dual residents\u2019 may keep them)\n\n- pay an annual charge if you\u2019ve been resident of the UK for a certain amount of time\n\nYou pay an annual charge of either:\n\n- \u00a330,000 if you\u2019ve been here for at least 7 of the previous 9 tax years\n\n- \u00a360,000 for at least 12 of the previous 14 tax years\n\nClaiming the remittance basis is complicated. You can:\n\n- contact HMRC\n\n- get professional tax help, for example from a tax adviser\n\n## If you work in the UK and abroad\n\nThere are special rules if you work both in the UK and abroad.\n\nYou do not have to pay tax on foreign income or gains (even those you bring into the UK) if you get the \u2018foreign workers\u2019 exemption\u2019.\n\nYou qualify if:\n\n- your income from your overseas job is less than \u00a310,000\n\n- your other foreign income (such as bank interest) is less than \u00a3100\n\n- all your foreign income has been subject to foreign tax (even if you did not have to pay, for example because of a tax-free allowance)\n\n- your combined UK and foreign income is within the band for basic rate Income Tax\n\n- you do not need to fill in a tax return for any other reason\n\nIf you qualify, you do not need to do anything to claim.\n\n## If you\u2019re seconded to the UK\n\nYou may be able to claim Overseas Workday Relief if your employer sends you to work in the UK on secondment.\n\nIf you qualify you:\n\n- pay UK tax on UK employment income based on the number of days you\u2019ve worked here\n\n- do not pay tax on income from days you work abroad (as long as you do not bring it into the UK)\n\nAsk your employer to find out if you can claim.\n\n## Foreign students\n\nThere are special rules if you come to study in the UK.\n\n## Reporting your foreign income\n\nYou usually need to fill in a Self Assessment tax return if you\u2019re a UK resident with foreign income or capital gains. But there\u2019s some foreign income that\u2019s taxed differently.\n\nYou do not need to fill in a tax return if all the following apply:\n\n- your only foreign income is dividends\n\n- your total dividends - including UK dividends - are less than the \u00a32,000 dividend allowance\n\n- you have no other income to report\n\nDifferent rules may apply if your permanent home (\u2018domicile\u2019) is abroad.\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now\n\n## Filling in your tax return\n\nUse the \u2018foreign\u2019 section of the tax return to record your overseas income or gains.\n\nInclude income that\u2019s already been taxed abroad to get Foreign Tax Credit Relief, if you\u2019re eligible.\n\nHMRC has guidance on how to report your foreign income or gains in your tax return in \u2018Foreign notes\u2019.\n\n## Foreign income that's taxed differently\n\nMost foreign income is taxed in the same way as UK income, but there are special rules for:\n\n- pensions\n\n- rent from property\n\n- certain types of employment income\n\n## Pensions\n\nYou have to pay tax on pensions if you\u2019re resident, or were resident in any of the 5 previous tax years.\n\nYou also pay tax on any foreign pension payments, including unauthorised payments like early payments and some lump sums.\n\nCheck with your pension provider to find out how you\u2019ll be taxed.\n\n## Rent from property\n\nYou pay tax in the normal way on overseas property. But if you rent out more than one, you can offset losses against other overseas properties.\n\n## Certain types of employment income\n\nYou usually pay tax in the normal way if you work both in the UK and abroad. There are special rules if you work:\n\n- on a ship or in the offshore gas or oil industry\n\n- for the EU or government, or as a volunteer development worker\n\n## If you're taxed twice\n\nYou may be taxed on your foreign income by the UK and by the country where your income is from.\n\nYou can usually claim tax relief to get some or all of this tax back. How you claim depends on whether your foreign income has already been taxed.\n\nThere\u2019s a different way to claim relief if you\u2019re a non-resident with UK income.\n\n## Apply for tax relief before you get taxed on foreign income\n\nYou have to apply for tax relief in the country your income\u2019s from if:\n\n- the income is exempt from foreign tax but is taxed in the UK (for example, most pensions)\n\n- required by that country\u2019s double-taxation agreement\n\nAsk the foreign tax authority for a form, or apply by letter if they do not have one.\n\nBefore you apply, you must prove you\u2019re eligible for tax relief by either:\n\n- completing the form and sending it to HMRC - they\u2019ll confirm whether you\u2019re resident and send the form back to you\n\n- including a UK certificate of residence, if you\u2019re applying by letter\n\nOnce you\u2019ve got proof, send the form or letter to the foreign tax authority.\n\n## If you\u2019ve already paid tax on your foreign income\n\nYou can usually claim Foreign Tax Credit Relief when you report your overseas income in your tax return.\n\nHow much relief you get depends on the UK\u2019s \u2018double-taxation agreement\u2019 with the country your income\u2019s from.\n\nYou usually still get relief even if there is not an agreement, unless the foreign tax does not correspond to UK Income Tax or Capital Gains Tax.\n\nContact HM Revenue and Customs (HMRC) or a get professional tax help if you\u2019re not sure, or need help with double-taxation relief.\n\n## What you\u2019ll get back\n\nYou may not get back the full amount of foreign tax you paid. You get back less if either:\n\n- a smaller amount is set by the country\u2019s double-taxation agreement\n\n- the income would have been taxed at a lower rate in the UK\n\nHMRC has guidance on how Foreign Tax Credit Relief is calculated, including the special rules for interest and dividends in \u2018Foreign notes\u2019.\n\nYou cannot claim this relief if the UK\u2019s double-taxation agreement requires you to claim tax back from the country your income was from.\n\n## Capital Gains Tax\n\nYou\u2019ll usually pay tax in the country where you\u2019re resident and be exempt from tax in the country where you make the capital gain. You will not usually need to make a claim.\n\nYou have to pay Capital Gains Tax on UK residential property even if you\u2019re not UK resident.\n\n## When to claim relief\n\nThere are different rules if your gain comes from an asset that either:\n\n- cannot be taken out of the country, such as land or a house\n\n- you\u2019re using for business in that country\n\nYou\u2019ll need to pay tax in both countries and get relief from the UK.\n\n## Dual residents\n\nYou can be resident in both the UK and another country. You\u2019ll need to check the other country\u2019s residence rules and when the tax year starts and ends.\n\nHMRC has guidance for claiming double-taxation relief if you\u2019re dual resident.\n\n## If you come to study in the UK\n\nForeign students usually do not pay UK tax on foreign income or gains, as long as they\u2019re used for course fees or living costs like:\n\n- food\n\n- rent\n\n- bills\n\n- study materials\n\nCheck that the country your income\u2019s from has a \u2018double-taxation agreement\u2019 that covers students.\n\nHM Revenue and Customs (HMRC) may ask you to account for your living costs if they\u2019re more than \u00a315,000 in a tax year (excluding course fees). The tax year is from 6 April to 5 April the following year.\n\n## When you need to pay tax\n\nYou may need to pay tax on your foreign income in the normal way if you:\n\n- are from a country without a double-taxation agreement for students\n\n- have other income that you do not bring to the UK\n\n- bring it to the UK and spend it on things other than living costs and course fees\n\n- plan to stay in the UK as your permanent home (\u2018domicile\u2019)\n\n## If you work in the UK\n\nSome double-taxation agreements mean you do not pay UK tax on your income if you work while you\u2019re a student.\n\nIf your country does not have an agreement like this, you have to pay tax in the same way as others who come to live in the UK.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-foreign-income", + "answerable": true, + "scenario": "I recently moved back to the UK after spending many years in the Congo. I have a property there that I have rented out to my friend.", + "original_question": "Am I liable for tax on this rental income?" + }, + { + "id": "train-925", + "question": "Scenario: I am self employed. I have set up a direct debit for paying Class 2 national insurance. I have not received any confirmation about this.\n\nQuestion: Will I receive any confirmation for the direct debit?\n\nDocument - Pay Class 2 National Insurance if you do not pay through Self Assessment:\n## Overview\n\nYou make Class 2 National Insurance contributions if you\u2019re self-employed to qualify for benefits like the State Pension.\n\nMost people pay the contributions as part of their Self Assessment tax bill.\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\n## If you do not pay through Self Assessment\n\nYou do not pay through Self Assessment if you\u2019re any of the following:\n\n- an examiner, moderator, invigilator or person who set exam questions\n\n- running a businesses involving land or property\n\n- a minister of religion who does not receive a salary or stipend\n\n- living abroad and paying voluntary Class 2 contributions\n\n- a person who makes investments - but not as a business and without getting a fee or commission\n\n- a non-UK resident who\u2019s self-employed in the UK\n\n- working abroad\n\nHM Revenue and Customs (HMRC) will send you a payment request by the end of October - call the newly self-employed helpline if you do not get one.\n\nPay now\n\nYou can no longer pay at the Post Office.\n\n## How long it takes\n\nMake sure your payment reaches HMRC by the deadline. The time you need to allow depends on how you pay.\n\nYou can make same or next day payments:\n\n- by online or telephone banking (Faster Payments)\n\n- by CHAPS\n\n- at your bank or building society, if it\u2019s still open\n\nYou can pay within 3 days by BACS.\n\nYou can pay within 21 working days by Direct Debit if you have not set one up before.\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## If you miss the deadline\n\nYou might have to pay more to fill the gap in your National Insurance record. HMRC will write to you to tell you how much you need to pay.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\n## Paying from the UK\n\nUse your online or telephone banking account to make your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 20 | 12001004 | HMRC NICO |\n\n## Reference number\n\nUse the 18-digit reference number shown on your HMRC payment request, when you make a payment. Do not leave any spaces between the digits.\n\nIf you do not have an 18-digit reference number you can get help from the National Insurance Helpline.\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nIf you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.\n\n| Account type | Sort code | Account number |\n\n| UK | 20 20 48 | 30944793 |\n\n| Account type | Account number (IBAN) | Bank Identifier Code (BIC) |\n\n| Non-UK | GB49BARC20204830944793 | BARCGB22 |\n\nFor either account, pay to account name \u2018HMRC NIC receipts\u2019.\n\n## Reference number\n\nUse your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.\n\nIf you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.\n\n## Banking address\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nPay at a branch by cash or cheque, along with your HM Revenue and Customs (HMRC) payslip.\n\nSome branches might be closed because of coronavirus (COVID-19).\n\nYou\u2019ll find your payslip on the payment request HMRC sent you.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 2 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip or the payment request sent to you by HMRC.\n\nIf you pay between Monday and Friday, HMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account.\n\n## By cheque through the post\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can still make payments:\n\n- by online or telephone banking\n\n- by CHAPS or BACS\n\n- at your bank or building society, if it\u2019s still open\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nCall HMRC if you want to check your payment has been received.\n\n## Direct Debit\n\nFill in the form to set up a new Direct Debit.\n\nIf you live abroad and pay voluntary National Insurance, fill in the form at the end of leaflet NI38 instead.\n\nAllow 21 days to set up a new Direct Debit.\n\nHM Revenue and Customs (HMRC) will send you a letter telling you when payments will be taken and how much they will be.\n\nPayments will appear on your statement as \u2018HMRC NI-DD\u2019. HMRC will write to you if your payments change for any reason.\n\nIf you have a question about your Direct Debit payments contact National Insurance enquiries.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "answerable": true, + "scenario": "I am self employed. I have set up a direct debit for paying Class 2 national insurance. I have not received any confirmation about this.", + "original_question": "Will I receive any confirmation for the direct debit?" + }, + { + "id": "train-926", + "question": "Scenario: I am council housing officer. I have been called to one of our buildings where a flat has been occupied by squatters.\n\nQuestion: Can I legally require them to leave?\n\nDocument - Squatting and the law:\n## Overview\n\nSquatting is when someone deliberately enters property without permission and lives there, or intends to live there. This is sometimes known as \u2018adverse possession\u2019.\n\nSquatting in residential buildings (like a house or flat) is illegal. It can lead to 6 months in prison, a \u00a35,000 fine or both.\n\nAnyone who originally enters a property with the permission of the landlord is not a squatter. For example, if you\u2019re renting a property and fall behind with rent payments you\u2019re not squatting if you continue to live there.\n\nAlthough squatting in non-residential building or land is not in itself a crime, it\u2019s a crime to damage the property.\n\nIt\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:\n\n- the owner\n\n- the police\n\n- the council\n\n- a repossession order\n\n## Squatting in non-residential properties\n\nA non-residential property is any building or land that is not designed to be lived in.\n\nSimply being on another person\u2019s non-residential property without their permission is not usually a crime. The police can take action if squatters commit other crimes when entering or staying in a property.\n\nCrimes include:\n\n- causing damage when entering the property\n\n- causing damage while in the property\n\n- not leaving when they\u2019re told to by a court\n\n- stealing from the property\n\n- using utilities like electricity or gas without permission\n\n- fly-tipping\n\n- not obeying a noise abatement notice\n\nContact the police if you see someone breaking into or damaging property.\n\n## Squatters' rights to property\n\nA long-term squatter can become the registered owner of property or land they\u2019ve occupied without the owner\u2019s permission.\n\nGet legal advice from a conveyancer or solicitor if you\u2019re a squatter in a property and want to claim ownership.\n\n## Who can apply\n\nYou can apply if you can prove:\n\n- you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)\n\n- you (or your predecessors) acted as owners of the property for the whole of that time\n\n- you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter\n\n## If the property\u2019s registered\n\nFill in a form for adverse possession.\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nSend your form and statement to the HM Land Registry Citizen Centre.\n\nHM Land Registry will decide if your application is valid and will let the property owner know. The owner has 65 days to object - your application will usually be automatically rejected if they do.\n\nYou\u2019ll be registered as the owner of the property if there\u2019s no objection.\n\nYou can apply again after 2 years if:\n\n- the owner has not tried to remove you\n\n- the property has not been reclaimed\n\n- you\u2019re still in possession of the property\n\nHM Land Registry will usually then register you as the owner.\n\n## If the property\u2019s unregistered\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nApply for first registration - include your statement with your application.\n\nHM Land Registry will:\n\n- inspect the property - you must pay a fee for this\n\n- decide if your application is valid\n\n- let the property owner know, if they have their details\n\nYou can try to come to an agreement with the owners if they object. HM Land Registry will arrange a tribunal to decide who owns the property if you cannot agree or do not want to.\n\nYou may have to pay the costs of the owner, such as their reasonable legal fees, no matter what the outcome.\n\n## Stop squatters legally possessing property\n\nHM Land Registry will tell you if squatters apply for legal ownership of your property if it\u2019s registered - you must take action if you want to keep it.\n\nGet legal advice from a conveyancer or solicitor if squatters try to claim your property.\n\nHow you block an application depends on whether your property is registered with HM Land Registry or not.\n\n## Registered properties\n\nYou\u2019ve 65 days to object to an application - HM Land Registry will tell you what you need to do.\n\nHM Land Registry will reject the squatters\u2019 application if you\u2019ve got a valid objection.\n\nYou must take action to remove the squatters and reclaim your property once the squatters\u2019 claim is rejected.\n\nYou will not be able to object again if you\u2019ve done nothing within 2 years of the original application and the same squatters reapply.\n\n## Unregistered properties\n\nYou can object to a squatter\u2019s application. HM Land Registry will tell you what you need to do.\n\nHM Land Registry may not be able to contact you if your property is not registered.\n\nHM Land Registry will decide if your objection is valid - if it is they\u2019ll ask if you want to negotiate with the squatters, for example offer to sell them the property. You\u2019ll be given time to do so.\n\nA tribunal will decide who owns the property if you cannot agree - HM Land Registry will arrange this.\n\n## Remove squatters\n\nYou can remove squatters using an interim possession order (IPO) or making a claim for possession.\n\nDo not try to remove the squatters yourself using force or the threat of force - you\u2019re committing a crime if you do.\n\nGet legal advice from a solicitor if you need help making a claim for possession.\n\n## Interim possession orders\n\nYou can only apply for an IPO if it\u2019s been 28 days or less since you found out your property\u2019s been squatted.\n\nFill in an application for an IPO and send it to your local county court.\n\nThe court will send you confirmation of your IPO within a few days. They will also send you documents that you must give to the squatters within 48 hours.\n\nAfter being served with an IPO squatters can be sent to prison if they do not:\n\n- leave your property within 24 hours\n\n- stay away from your property for 12 months\n\nTo get final possession of the property, you must make a claim for possession. You can do this on your IPO application form or separately online.\n\n## Exceptions\n\nYou cannot use an IPO if:\n\n- you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession\n\n- you\u2019re trying to evict former tenants, sub-tenants or licensees\n\n## Claim for possession\n\nMake a claim for possession if it\u2019s been more than 28 days since you found out about the squatters.\n\n## Where to get help\n\nYou may be classed as homeless if you\u2019re squatting. Get advice from Shelter or Shelter in Wales.\n\nYou can also contact your council for help.\n\n## Report squatters\n\nCall the police if you:\n\n- find people squatting in a residential property you own\n\n- see someone breaking into anywhere\n\n- think someone is squatting", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/squatting-law", + "answerable": true, + "scenario": "I am council housing officer. I have been called to one of our buildings where a flat has been occupied by squatters.", + "original_question": "Can I legally require them to leave?" + }, + { + "id": "train-927", + "question": "Scenario: I am homeless. The weather is cold and there is an insecure and empty shop building that I have been stopping in. I quite like living there. The owner does not appear interested in the property.\n\nQuestion: Can I apply to live at this shop permanently?\n\nDocument - Squatting and the law:\n## Overview\n\nSquatting is when someone deliberately enters property without permission and lives there, or intends to live there. This is sometimes known as \u2018adverse possession\u2019.\n\nSquatting in residential buildings (like a house or flat) is illegal. It can lead to 6 months in prison, a \u00a35,000 fine or both.\n\nAnyone who originally enters a property with the permission of the landlord is not a squatter. For example, if you\u2019re renting a property and fall behind with rent payments you\u2019re not squatting if you continue to live there.\n\nAlthough squatting in non-residential building or land is not in itself a crime, it\u2019s a crime to damage the property.\n\nIt\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:\n\n- the owner\n\n- the police\n\n- the council\n\n- a repossession order\n\n## Squatting in non-residential properties\n\nA non-residential property is any building or land that is not designed to be lived in.\n\nSimply being on another person\u2019s non-residential property without their permission is not usually a crime. The police can take action if squatters commit other crimes when entering or staying in a property.\n\nCrimes include:\n\n- causing damage when entering the property\n\n- causing damage while in the property\n\n- not leaving when they\u2019re told to by a court\n\n- stealing from the property\n\n- using utilities like electricity or gas without permission\n\n- fly-tipping\n\n- not obeying a noise abatement notice\n\nContact the police if you see someone breaking into or damaging property.\n\n## Squatters' rights to property\n\nA long-term squatter can become the registered owner of property or land they\u2019ve occupied without the owner\u2019s permission.\n\nGet legal advice from a conveyancer or solicitor if you\u2019re a squatter in a property and want to claim ownership.\n\n## Who can apply\n\nYou can apply if you can prove:\n\n- you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)\n\n- you (or your predecessors) acted as owners of the property for the whole of that time\n\n- you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter\n\n## If the property\u2019s registered\n\nFill in a form for adverse possession.\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nSend your form and statement to the HM Land Registry Citizen Centre.\n\nHM Land Registry will decide if your application is valid and will let the property owner know. The owner has 65 days to object - your application will usually be automatically rejected if they do.\n\nYou\u2019ll be registered as the owner of the property if there\u2019s no objection.\n\nYou can apply again after 2 years if:\n\n- the owner has not tried to remove you\n\n- the property has not been reclaimed\n\n- you\u2019re still in possession of the property\n\nHM Land Registry will usually then register you as the owner.\n\n## If the property\u2019s unregistered\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nApply for first registration - include your statement with your application.\n\nHM Land Registry will:\n\n- inspect the property - you must pay a fee for this\n\n- decide if your application is valid\n\n- let the property owner know, if they have their details\n\nYou can try to come to an agreement with the owners if they object. HM Land Registry will arrange a tribunal to decide who owns the property if you cannot agree or do not want to.\n\nYou may have to pay the costs of the owner, such as their reasonable legal fees, no matter what the outcome.\n\n## Stop squatters legally possessing property\n\nHM Land Registry will tell you if squatters apply for legal ownership of your property if it\u2019s registered - you must take action if you want to keep it.\n\nGet legal advice from a conveyancer or solicitor if squatters try to claim your property.\n\nHow you block an application depends on whether your property is registered with HM Land Registry or not.\n\n## Registered properties\n\nYou\u2019ve 65 days to object to an application - HM Land Registry will tell you what you need to do.\n\nHM Land Registry will reject the squatters\u2019 application if you\u2019ve got a valid objection.\n\nYou must take action to remove the squatters and reclaim your property once the squatters\u2019 claim is rejected.\n\nYou will not be able to object again if you\u2019ve done nothing within 2 years of the original application and the same squatters reapply.\n\n## Unregistered properties\n\nYou can object to a squatter\u2019s application. HM Land Registry will tell you what you need to do.\n\nHM Land Registry may not be able to contact you if your property is not registered.\n\nHM Land Registry will decide if your objection is valid - if it is they\u2019ll ask if you want to negotiate with the squatters, for example offer to sell them the property. You\u2019ll be given time to do so.\n\nA tribunal will decide who owns the property if you cannot agree - HM Land Registry will arrange this.\n\n## Remove squatters\n\nYou can remove squatters using an interim possession order (IPO) or making a claim for possession.\n\nDo not try to remove the squatters yourself using force or the threat of force - you\u2019re committing a crime if you do.\n\nGet legal advice from a solicitor if you need help making a claim for possession.\n\n## Interim possession orders\n\nYou can only apply for an IPO if it\u2019s been 28 days or less since you found out your property\u2019s been squatted.\n\nFill in an application for an IPO and send it to your local county court.\n\nThe court will send you confirmation of your IPO within a few days. They will also send you documents that you must give to the squatters within 48 hours.\n\nAfter being served with an IPO squatters can be sent to prison if they do not:\n\n- leave your property within 24 hours\n\n- stay away from your property for 12 months\n\nTo get final possession of the property, you must make a claim for possession. You can do this on your IPO application form or separately online.\n\n## Exceptions\n\nYou cannot use an IPO if:\n\n- you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession\n\n- you\u2019re trying to evict former tenants, sub-tenants or licensees\n\n## Claim for possession\n\nMake a claim for possession if it\u2019s been more than 28 days since you found out about the squatters.\n\n## Where to get help\n\nYou may be classed as homeless if you\u2019re squatting. Get advice from Shelter or Shelter in Wales.\n\nYou can also contact your council for help.\n\n## Report squatters\n\nCall the police if you:\n\n- find people squatting in a residential property you own\n\n- see someone breaking into anywhere\n\n- think someone is squatting", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/squatting-law", + "answerable": true, + "scenario": "I am homeless. The weather is cold and there is an insecure and empty shop building that I have been stopping in. I quite like living there. The owner does not appear interested in the property.", + "original_question": "Can I apply to live at this shop permanently?" + }, + { + "id": "train-928", + "question": "Scenario: I am renting out a house for the first time. I have accepted a deposit of \u00a31,000 from the tenant to hold the property.\n\nQuestion: Do I have to protect this deposit?\n\nDocument - Tenancy deposit protection:\n## Overview\n\nYour landlord must put your deposit in a government-approved tenancy deposit scheme (TDP) if you rent your home on an assured shorthold tenancy that started after 6 April 2007. In England and Wales your deposit can be registered with:\n\n- Deposit Protection Service\n\n- MyDeposits - including deposits that were held by Capita\n\n- Tenancy Deposit Scheme\n\nIf you don\u2019t rent your home on an assured shorthold tenancy, your landlord can accept valuable items (for example a car or watch) as a deposit instead of money. The items won\u2019t be protected by a scheme.\n\nThere are separate TDP schemes in Scotland and Northern Ireland.\n\nThey make sure you\u2019ll get your deposit back if you:\n\n- meet the terms of your tenancy agreement\n\n- don\u2019t damage the property\n\n- pay your rent and bills\n\nYour landlord or letting agent must put your deposit in the scheme within 30 days of getting it.\n\n## At the end of your tenancy\n\nYour landlord must return your deposit within 10 days of you both agreeing how much you\u2019ll get back.\n\nIf you\u2019re in a dispute with your landlord, then your deposit will be protected in the TDP scheme until the issue is sorted out.\n\n## Holding deposits\n\nYour landlord doesn\u2019t have to protect a holding deposit (money you pay to \u2018hold\u2019 a property before an agreement is signed). Once you become a tenant, the holding deposit becomes a deposit, which they must protect.\n\n## Deposits made by a third party\n\nYour landlord must use a TDP scheme even if your deposit is paid by someone else, such as a rent deposit scheme or your parents.\n\n## Information landlords must give tenants\n\nOnce your landlord has received your deposit, they have 30 days to tell you:\n\n- the address of the rented property\n\n- how much deposit you\u2019ve paid\n\n- how the deposit is protected\n\n- the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service\n\n- their (or the letting agency\u2019s) name and contact details\n\n- the name and contact details of any third party that\u2019s paid the deposit\n\n- why they would keep some or all of the deposit\n\n- how to apply to get the deposit back\n\n- what to do if you can\u2019t get hold of the landlord at the end of the tenancy\n\n- what to do if there\u2019s a dispute over the deposit\n\n## If your landlord doesn't protect your deposit\n\nContact a tenancy deposit scheme (TDP) if you\u2019re not sure whether your deposit has been protected.\n\nContact MyDeposits if your deposit was held by Capita.\n\n## Getting your deposit back\n\nYou can apply to your local county court if you think your landlord hasn\u2019t used a TDP scheme when they should have.\n\nGet legal advice before applying to court. You do not need a solicitor to do this.\n\n## Before going to court\n\nIt can be quicker and cheaper to write to your landlord, rather than going to court.\n\nIf you cannot come to an agreement, you can apply to the court for compensation.\n\n## Apply to a county court\n\nApply using Form N208: Claim form.\n\nThe court fee is \u00a3308. You can claim this back from your landlord if you win your case.\n\nYou can apply for money off your court fee if you claim certain benefits or have a low income.\n\n## What happens next\n\nIf the court finds your landlord has not protected your deposit, it can order them to either:\n\n- repay it to you\n\n- pay it into a TDP scheme\u2019s bank account within 14 days\n\nThe court may also order the landlord to pay you up to 3 times the deposit within 14 days of making the order.\n\n## At the end of the tenancy\n\nThe court may decide that you won\u2019t have to leave the property when the tenancy ends if your landlord hasn\u2019t used a TDP scheme when they should have.\n\n## Disputes and problems\n\n## If there\u2019s a dispute over a deposit\n\nYour tenancy deposit protection (TDP) scheme offers a free dispute resolution service if you disagree with your landlord about how much deposit should be returned.\n\nYou don\u2019t have to use the service but if you do, both you and the landlord have to agree to it. You\u2019ll both be asked to provide evidence, and the decision made about your deposit will be final.\n\n## If you can\u2019t contact the landlord\n\nYou can \u2018raise a dispute\u2019 to get your deposit back if you can\u2019t contact your landlord and your deposit is held by one of the approved TDP schemes:\n\n- MyDeposits\n\n- Tenancy Deposit Scheme\n\n- Deposit Protection Service\n\nContact MyDeposits if your deposit was held by Capita.\n\nThe TDP scheme will refund your deposit if the dispute resolution service agrees.\n\nThere may be a limit on the time you have to raise a dispute. Contact the TDP scheme as soon as possible.\n\n## If your deposit is not held by an approved TDP scheme\n\nYou may be able to apply to your local county court to get your deposit back if your deposit was not protected by an approved TDP scheme.\n\nYou should write to your landlord and your letting agent (if you have one) before you make a claim. Your landlord or agent may offer to pay your deposit back after they get a letter to avoid legal costs.\n\n## Get help and advice\n\nYou can get more help and advice from:\n\n- your local Citizens Advice office\n\n- a solicitor or advice agency\n\n- Shelter in England or Shelter in Wales", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tenancy-deposit-protection", + "answerable": true, + "scenario": "I am renting out a house for the first time. I have accepted a deposit of \u00a31,000 from the tenant to hold the property.", + "original_question": "Do I have to protect this deposit?" + }, + { + "id": "train-930", + "question": "Scenario: I am a full time employee. I would like to invest in save as you earn(SAYE) in a shares related scheme.I am aiming to do a monthly contribution of \u00a3400 for the next 5 years. I would prefer to transfer all the savings to an individual savings account(ISA).\n\nQuestion: Do i need to pay capital gain tax?\n\nDocument - Tax and Employee Share Schemes:\n## Overview\n\nIf your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.\n\nTax advantages only apply if the shares are offered through the following schemes:\n\n- Share Incentive Plans\n\n- Save As You Earn (SAYE)\n\n- Company Share Option Plans\n\n- Enterprise Management Incentives (EMIs)\n\nYou may be offered shares outside of these schemes. However these will not have the same tax advantages.\n\nYou can also get tax advantages if you\u2019re an employee shareholder.\n\n## Share Incentive Plans (SIPs)\n\nIf you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.\n\nYou will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.\n\nIf you take them out of the plan, keep them and then sell them later on, you might have to pay Capital Gains Tax if their value has increased.\n\nThere are 4 ways you can get shares under SIPs.\n\n## Free shares\n\nYour employer can give you up to \u00a33,600 of free shares in any tax year.\n\n## Partnership shares\n\nYou can buy shares out of your salary before tax deductions. There\u2019s a limit to how much you can spend - either \u00a31,800 or 10% of your income for the tax year, whichever is lower.\n\n## Matching shares\n\nYour employer can give you up to 2 free matching shares for each partnership share you buy.\n\n## Dividend shares\n\nYou may be able to buy more shares with the dividends you get from free, partnership or matching shares (but only if your employer\u2019s scheme allows it).\n\nYou will not pay Income Tax if you keep the dividend shares for at least 3 years.\n\nYou\u2019ll have to pay Income Tax and National Insurance on any shares you take out of a SIP early.\n\n## Save As You Earn (SAYE)\n\nThis is a savings-related share scheme where you can buy shares with your savings for a fixed price.\n\nYou can save up to \u00a3500 a month under the scheme. At the end of your savings contract (3 or 5 years) you can use the savings to buy shares.\n\nThe tax advantages are:\n\n- the interest and any bonus at the end of the scheme is tax-free\n\n- you do not pay Income Tax or National Insurance on the difference between what you pay for the shares and what they\u2019re worth\n\nYou might have to pay Capital Gains Tax if you sell the shares.\n\nYou\u2019ll not pay Capital Gains Tax if you transfer the shares:\n\n- to an Individual Savings Account (ISA) within 90 days of the scheme ending\n\n- to a pension, directly from the scheme when it ends\n\nIf you do not transfer your shares to a pension immediately when the scheme ends, you can still transfer them up to 90 days later. You may have to pay Capital Gains Tax if they go up in value between when you buy them and when you transfer them.\n\n## Company Share Option Plan\n\nThis gives you the option to buy up to \u00a330,000 worth of shares at a fixed price.\n\nYou will not pay Income Tax or National Insurance contributions on the difference between what you pay for the shares and what they\u2019re actually worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Enterprise Management Incentives (EMIs)\n\nIf you work for a company with assets of \u00a330 million or less, it may be able to offer Enterprise Management Incentives (EMIs).\n\nYour company can grant you share options up to the value of \u00a3250,000 in a 3-year period.\n\nYou will not have to pay Income Tax or National Insurance if you buy the shares for at least the market value they had when you were granted the option.\n\nIf you were given a discount on the market value, you\u2019ll have to pay Income Tax or National Insurance on the difference between what you pay and what the shares were worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Excluded activities\n\nCompanies that work in \u2018excluded activities\u2019 are not allowed to offer EMIs. Excluded activities include:\n\n- banking\n\n- farming\n\n- property development\n\n- provision of legal services\n\n- ship building\n\n## Employee shareholder shares\n\nTo be an employee shareholder, you must own shares in your employer\u2019s company that were worth at least \u00a32,000 when you got them.\n\nYou will not usually pay Income Tax or National Insurance on the first \u00a32,000 worth of employee shareholder shares you get before 1 December 2016.\n\nYou will not get tax relief if you or someone you\u2019re connected with (like a business partner, spouse or family member) have 25% or more voting rights in the company.\n\nWhen you become an employee shareholder your employer must pay for an independent expert to give advice about the terms and effects of the employee shareholder agreement. This advice not count as a taxable benefit.\n\n## Selling your shares\n\nYou might not pay Capital Gains Tax when you sell shares. It depends on when you signed your employee shareholder agreement.\n\n## Before 17 March 2016\n\nYou only pay Capital Gains Tax on shares that were worth over \u00a350,000 when you got them.\n\n## From 17 March 2016\n\nYou only pay Capital Gains Tax on gains over \u00a3100,000 that you make during your lifetime. The \u2018gain\u2019 is the profit you make when you sell shares that have increased in value.\n\n## Transferring your shares to an ISA\n\nYou can transfer up to \u00a320,000 of employee shares into a stocks and shares Individual Savings Account (ISA) if you have shares in a:\n\n- Save As You Earn (SAYE) scheme\n\n- Share Incentive Plan (SIP)\n\nYour ISA provider must agree to the transfer.\n\nYou will not have to pay Capital Gains Tax on any gains you make on your shares if you move them to an ISA.\n\nYou must transfer your shares to your ISA within 90 days of when you took out your SIP or SAYE shares.\n\nThese shares will count towards your \u00a320,000 ISA limit. They cannot be in addition to the limit.\n\nAsk your employer or ISA provider for more information on how to transfer.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-employee-share-schemes", + "answerable": true, + "scenario": "I am a full time employee. I would like to invest in save as you earn(SAYE) in a shares related scheme.I am aiming to do a monthly contribution of \u00a3400 for the next 5 years. I would prefer to transfer all the savings to an individual savings account(ISA).", + "original_question": "Do i need to pay capital gain tax?" + }, + { + "id": "train-932", + "question": "Scenario: I am a 25 year old postgraduate student living in a small rented bedsit. I have been here for eighteen months. My landlord has just announced that he is selling up and wants me out within 28 days. I do not have anywhere else to go within my budget.\n\nQuestion: Is it legal for my landlord to do this with so little notice?\n\nDocument - Private renting for tenants: evictions:\n## Rules your landlord must follow\n\nYour landlord must follow strict procedures if they want you to leave their property, depending on the type of tenancy agreement you have and the terms of it.\n\nIf they do not, they may be guilty of illegally evicting or harassing you.\n\nYour landlord must follow different procedures to evict you in Northern Ireland and Scotland.\n\n## Rules for periodic Assured Shorthold Tenancies (ASTs)\n\nPeriodic tenancies run on a week-by-week or month-by-month basis with no fixed end date.\n\nIf you have one of these, your landlord must usually give you \u2018notice to quit\u2019 - they must do this in a certain way depending on your type of tenancy agreement and its terms.\n\n## Notice periods\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of coronavirus (COVID-19), the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property\n\nIf you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.\n\nYou might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\n## If you do not leave at the end of the notice period\n\nIf you do not leave at the end of the notice period, your landlord must apply to the court for a possession order. If the court gives them a possession order and you still do not leave, they must apply for a warrant for possession - this means bailiffs can evict you from the property.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Rules for fixed-term ASTs\n\nFixed-term tenancies run for a set amount of time. Your landlord must give you notice in a certain way if you\u2019re in a fixed-term tenancy.\n\n## Notice periods\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property\n\nIf you\u2019ve been given notice since 1 June 2021, in most cases your landlord must give you 4 months to leave.\n\nYou might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\n## If you do not leave at the end of the notice period\n\nIf you refuse to leave at the end of the notice period, the rules depend on whether the fixed term has ended or not.\n\n## Eviction during the fixed term\n\nDuring the fixed term, your landlord can only evict you for certain reasons - for example:\n\n- you have not paid the rent\n\n- you\u2019re engaging in antisocial behaviour\n\n- there\u2019s a \u2018break clause\u2019 in your contract - this allows your landlord to take back the property before the end of the fixed term\n\nA possession order will not take effect until you\u2019ve been living in the property for at least 6 months.\n\n## Eviction at the end of the fixed term\n\nAt the end of the fixed term, the landlord does not need a reason to evict you. As long as they\u2019ve given you correct notice, they can apply to the court for a possession order.\n\nIf the court gives your landlord a possession order and you still do not leave, your landlord must apply for a warrant for possession - this means bailiffs can evict you from the property.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Rules for excluded tenancies or licences\n\nIf you have an excluded tenancy or licence (for example you live with your landlord), your landlord does not have to go to court to evict you.\n\nYour landlord only needs to give you \u2018reasonable notice\u2019 to quit. The notice does not have to be in writing.\n\nThere are no set rules about what\u2019s reasonable. It depends on:\n\n- how long you\u2019ve been living there\n\n- how often you pay the rent\n\n- whether you get on with your landlord\n\n- how quickly the landlord needs another person to move in\n\nThey can then change the locks on your rooms, even if you\u2019ve left your belongings there. However, they must give your belongings back to you.\n\nIf you do not think you\u2019ve been given enough warning to leave, contact your local council for advice. Your council can take action if your landlord has evicted you illegally.\n\nShelter has more information about eviction of excluded occupiers.\n\n## Rules for assured and regulated tenancies\n\nIf your tenancy started before 27 February 1997, you might have an assured or a regulated tenancy. Your landlord will have to follow different rules to evict you and you\u2019ll have increased protection from eviction.\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you\u2019ve been given notice on or after 29 August 2020, your landlord must give you 6 months to leave. You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\nShelter has more information about assured tenancies and regulated tenancies.\n\nShelter Cymru has more information about assured tenancies and regulated tenancies in Wales.\n\n## Accelerated possession\n\nLandlords can sometimes evict tenants using \u2018accelerated possession\u2019. This is quicker than a normal eviction and does not usually need a court hearing.\n\nYour landlord can only do this if:\n\n- you have an assured shorthold tenancy or a statutory periodic tenancy\n\n- you have a written tenancy agreement\n\n- they\u2019ve given you the required written notice in the right form\n\n- they have not asked you to leave before the end of a fixed-term tenancy\n\nYour landlord must also tell the court if you and your dependants have been affected by coronavirus (COVID-19) in a way that affects the case. For example, if you lost income because of COVID-19 which meant you were not able to pay rent.\n\nYou can only stop accelerated possession if you can prove your landlord has not followed the rules listed above.\n\n## How it works\n\nIf your landlord applies for accelerated possession, the court will send you:\n\n- a copy of your landlord\u2019s application\n\n- a \u2018defence form\u2019\n\nFill in the defence form to challenge the application or write a statement outlining your circumstances.\n\nIf your case is affected by COVID-19, include details. For example, why you lost income and were not able to pay rent.\n\nYou can get help filling in the defence form.\n\nYou must complete and return the defence form or statement to the court within 14 days of receiving it.\n\n## If your landlord applied for possession before 3 August 2020\n\nIf your landlord wants to continue with their claim for possession they must make another application to the court. You will get a copy of your landlord\u2019s application and instructions from the court on how to challenge the application.\n\n## The judge\u2019s decision\n\nA judge will decide whether to:\n\n- issue a possession order, giving your landlord the right to evict you and take possession of the property (this is normally the case)\n\n- have a court hearing (this usually only happens if the paperwork is not in order or you\u2019ve raised an important issue)\n\nEven if there\u2019s a hearing, the court can still decide to issue a possession order.\n\n## If the judge issues a possession order\n\nIf the judge makes a possession order, you\u2019ll normally have 14 or 28 days to leave the property. If this will cause you exceptional hardship, the judge may give you up to 42 days to leave.\n\nIf you do not leave at this point, your landlord can use bailiffs to evict you.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Eviction court hearings\n\nIf your landlord goes to court to evict you, there will be a \u2018possession hearing\u2019.\n\n## Before the hearing\n\nYou\u2019ll know your landlord is taking you to court to evict you because you\u2019ll be sent court papers, including:\n\n- copies of \u2018claim for possession\u2019 forms\n\n- a defence form\n\n- a date for your court hearing\n\nThe defence form is your chance to say why you have rent arrears and if you disagree with what your landlord put on the \u2018claim for possession\u2019 forms. You need to return it within 14 days.\n\nYou may have to pay extra court fees if you do not provide information in the defence form and this results in a delay to your court case.\n\nIf you do not attend your court hearing, it\u2019s very likely the judge will decide you\u2019ll lose your home.\n\n## Coronavirus (COVID-19) and court hearings\n\nThe court process is different because of COVID-19.\n\nYour landlord must tell the court if you and your dependants have been affected by COVID-19. For example, if you have lost income because of COVID-19, which meant you were not able to pay your rent.\n\n## During the hearing\n\nIf you have not received advice before, you can get free legal advice and representation in court on the day of the hearing. This is under the Housing Possession Court Duty scheme. Contact your local council or the court where your case is being heard.\n\nIf the scheme is not available in your area, check with the court whether there are other advice services. You can also check if you can get legal aid.\n\nThe charity Shelter has information on what happens at a possession hearing.\n\n## The judge\u2019s decision\n\nThe judge could:\n\n- dismiss the court case - no order will be made and the hearing is finished\n\n- adjourn the hearing - the hearing will be delayed until later, as the judge feels a decision cannot be made on the day\n\n- make an \u2018order\u2019 - the judge will make a legal decision on what will happen\n\nThe judge will dismiss the case if there\u2019s no reason you should be evicted. This might happen if:\n\n- your landlord has not followed the correct procedure\n\n- your landlord or their representative does not attend the hearing\n\n- you\u2019ve paid any rent arrears\n\nIf the judge dismisses the case, you can stay in your home. If the landlord wants to evict you, they\u2019ll have to restart the court process from the beginning.\n\n## Types of possession order\n\nThere are several different kinds of orders a judge can make.\n\n## Order for possession (or \u2018outright possession order\u2019)\n\nThis means you must leave the property before the date given in the order.\n\nThe date will be either 14 or 28 days after your court hearing. If you\u2019re in an exceptionally difficult situation, you may be able to convince the judge to delay this for up to 6 weeks.\n\nIf you do not leave your home by the date given, your landlord can ask the court to evict you by asking for a \u2018warrant for possession\u2019. If the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Suspended order for possession\n\nThis means if you make the payments, or obey the conditions, set out in the order, you can stay in your home. If you do not make the payments, your landlord can ask the court to evict you.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Money order\n\nThis means you have to pay the landlord the amount set out in the order. If you do not make the payments, action could be taken by the courts to recover the money, including:\n\n- deducting money from your wages or bank account\n\n- sending bailiffs to take away things you own\n\nIf you get into rent arrears after a money order has been made, your landlord can go to court again and ask for a possession order.\n\n## Possession orders with a money judgment\n\nA judge can add a money judgment to any of the possession orders. This means you owe a specific amount of money, usually made up of:\n\n- your rent arrears\n\n- court fees\n\n- your landlord\u2019s legal costs\n\nThe money judgment will not apply if you pay your arrears and the amount set out in a suspended possession order.\n\nHowever, the money judgment will apply if you do not pay the amount set out in the suspended possession order that\u2019s linked to the judgment. If you do not pay, the landlord may ask the court to carry out the instructions in the order and the judgment.\n\n## Eviction notices\n\nIf you do not leave your home by the date given in an outright possession order, your landlord can ask the court for a \u2018warrant of possession\u2019.\n\nIf the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home. Bailiffs can evict you after this date. The costs of evicting you will be added to the money you owe.\n\n## Changes to evictions in England and Wales because of coronavirus (COVID-19)\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England.\n\nIn Wales, currently you will not be evicted by bailiffs, unless there is a serious reason. Bailiffs will only enter the property if you:\n\n- are living there illegally\n\n- have been involved in antisocial behaviour\n\n## Delaying eviction\n\nYou can ask a judge to suspend the warrant at a new hearing. This means they\u2019ll delay the eviction or let you stay in your home if you can make payments again.\n\nThe judge will not automatically agree to suspend the warrant.\n\n## Applying to suspend a warrant\n\nTo apply for a suspension of a warrant, you must fill out an application notice and either send or deliver it to the county court dealing with your case.\n\nYou must tell the court you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee of \u00a314, unless you qualify for help.\n\nPay the county court:\n\n- by phone with a debit or credit card\n\n- by post with a cheque or postal order made out to \u2018HM Courts and Tribunals Service\u2019\n\n- in person with cash or a debit or credit card\n\nYou can find the address and phone number for the county court online.\n\n## Asking the court to change your payments\n\nIf your circumstances change, you can ask a judge at a new hearing to change what you pay. To do this, you must fill out an application notice and either send or deliver it to the county court dealing with your case.\n\nYou\u2019ll have to pay a court fee of \u00a3100, unless you qualify for help.\n\nPay the county court:\n\n- in person by cheque, cash, debit or credit card\n\n- by post with a cheque made out to \u2018HM Courts and Tribunals Service\u2019\n\n## Appealing against the decision\n\nYou can only appeal if you can show the judge made mistakes in the original possession hearing. You\u2019ll need to ask the judge for permission to appeal at the end of the original hearing.\n\nIf you get permission to appeal, you\u2019ll have to apply for an appeal hearing very soon afterwards. You\u2019ll have to pay a court fee of up to \u00a3140, unless you qualify for help.\n\nYou\u2019ll need to get legal advice.\n\n## Contact your local council\n\nIf you\u2019re worried about becoming homeless, contact your local council for homelessness help and advice.\n\n## Harassment and illegal evictions\n\nIt\u2019s a crime for your landlord to harass you or try to force you out of a property without using proper procedures. If this happens, you may have a right to claim damages through the court.\n\n## What is harassment?\n\nHarassment can be anything a landlord does, or fails to do, that makes you feel unsafe in the property or forces you to leave.\n\nHarassment can include:\n\n- stopping services, like electricity\n\n- withholding keys, for example there are 2 tenants in a property but the landlord will only give 1 key\n\n- refusing to carry out repairs\n\n- anti-social behaviour by a landlord\u2019s agent, for example a friend of the landlord moves in next door and causes problems\n\n- threats and physical violence\n\n## Illegal eviction and tenants\u2019 rights\n\nYour landlord may be guilty of illegal eviction if you:\n\n- are not given the notice to leave the property that your landlord must give you\n\n- find the locks have been changed\n\n- are evicted without a court order\n\nEven if your landlord\u2019s property is repossessed by their mortgage lender, the lender must give you notice so you can find other accommodation.\n\nIf you have an assured, assured shorthold or regulated tenancy, they must give you:\n\n- 3 months to leave the property if you were given notice between 26 March 2020 and 28 August 2020\n\n- 6 months to leave if you were given notice between 29 August 2020 and 31 May 2021\n\n- 4 months to leave if you\u2019ve been given notice since 1 June 2021\n\nIn Wales, the notice period must be:\n\n- at least 6 months if they gave you notice on or after 24 July 2020\n\n- at least 3 months if they issued a section 8 notice for antisocial behaviour\n\nCitizens Advice has information on repossession by your landlord\u2019s mortgage lender.\n\n## What you can do\n\nIf you think you\u2019re being harassed or threatened with illegal eviction, or the property you rent is being repossessed, talk to your local council.\n\nIt may have someone specialising in tenant harassment issues.\n\nLocal councils can also start legal proceedings if they think there\u2019s enough evidence of harassment or illegal eviction.\n\nYou could also contact a legal adviser, a Citizens Advice office or Shelter\u2019s housing advice helpline.\n\nYour local area may also have other housing or legal advice organisations - your local council, phonebook or library should have details.\n\nIf physical violence is involved, contact the police.\n\nFor further advice, the Ministry of Housing, Communities and Local Government has a detailed guide for tenants facing harassment and illegal eviction.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/private-renting-evictions", + "answerable": true, + "scenario": "I am a 25 year old postgraduate student living in a small rented bedsit. I have been here for eighteen months. My landlord has just announced that he is selling up and wants me out within 28 days. I do not have anywhere else to go within my budget.", + "original_question": "Is it legal for my landlord to do this with so little notice?" + }, + { + "id": "train-933", + "question": "Scenario: I am a landlord and I have a problem with one of my tenants, who consistently demonstrates anti social behaviour and defaults on the rent. However, they claim that they are self isolating due to Covid and therefore will not deal with me face to face.\n\nQuestion: Are my tenants legally protected from eviction due to the nature of the pandemic?\n\nDocument - Private renting for tenants: evictions:\n## Rules your landlord must follow\n\nYour landlord must follow strict procedures if they want you to leave their property, depending on the type of tenancy agreement you have and the terms of it.\n\nIf they do not, they may be guilty of illegally evicting or harassing you.\n\nYour landlord must follow different procedures to evict you in Northern Ireland and Scotland.\n\n## Rules for periodic Assured Shorthold Tenancies (ASTs)\n\nPeriodic tenancies run on a week-by-week or month-by-month basis with no fixed end date.\n\nIf you have one of these, your landlord must usually give you \u2018notice to quit\u2019 - they must do this in a certain way depending on your type of tenancy agreement and its terms.\n\n## Notice periods\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of coronavirus (COVID-19), the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property\n\nIf you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.\n\nYou might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\n## If you do not leave at the end of the notice period\n\nIf you do not leave at the end of the notice period, your landlord must apply to the court for a possession order. If the court gives them a possession order and you still do not leave, they must apply for a warrant for possession - this means bailiffs can evict you from the property.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Rules for fixed-term ASTs\n\nFixed-term tenancies run for a set amount of time. Your landlord must give you notice in a certain way if you\u2019re in a fixed-term tenancy.\n\n## Notice periods\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property\n\nIf you\u2019ve been given notice since 1 June 2021, in most cases your landlord must give you 4 months to leave.\n\nYou might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\n## If you do not leave at the end of the notice period\n\nIf you refuse to leave at the end of the notice period, the rules depend on whether the fixed term has ended or not.\n\n## Eviction during the fixed term\n\nDuring the fixed term, your landlord can only evict you for certain reasons - for example:\n\n- you have not paid the rent\n\n- you\u2019re engaging in antisocial behaviour\n\n- there\u2019s a \u2018break clause\u2019 in your contract - this allows your landlord to take back the property before the end of the fixed term\n\nA possession order will not take effect until you\u2019ve been living in the property for at least 6 months.\n\n## Eviction at the end of the fixed term\n\nAt the end of the fixed term, the landlord does not need a reason to evict you. As long as they\u2019ve given you correct notice, they can apply to the court for a possession order.\n\nIf the court gives your landlord a possession order and you still do not leave, your landlord must apply for a warrant for possession - this means bailiffs can evict you from the property.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Rules for excluded tenancies or licences\n\nIf you have an excluded tenancy or licence (for example you live with your landlord), your landlord does not have to go to court to evict you.\n\nYour landlord only needs to give you \u2018reasonable notice\u2019 to quit. The notice does not have to be in writing.\n\nThere are no set rules about what\u2019s reasonable. It depends on:\n\n- how long you\u2019ve been living there\n\n- how often you pay the rent\n\n- whether you get on with your landlord\n\n- how quickly the landlord needs another person to move in\n\nThey can then change the locks on your rooms, even if you\u2019ve left your belongings there. However, they must give your belongings back to you.\n\nIf you do not think you\u2019ve been given enough warning to leave, contact your local council for advice. Your council can take action if your landlord has evicted you illegally.\n\nShelter has more information about eviction of excluded occupiers.\n\n## Rules for assured and regulated tenancies\n\nIf your tenancy started before 27 February 1997, you might have an assured or a regulated tenancy. Your landlord will have to follow different rules to evict you and you\u2019ll have increased protection from eviction.\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you\u2019ve been given notice on or after 29 August 2020, your landlord must give you 6 months to leave. You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\nShelter has more information about assured tenancies and regulated tenancies.\n\nShelter Cymru has more information about assured tenancies and regulated tenancies in Wales.\n\n## Accelerated possession\n\nLandlords can sometimes evict tenants using \u2018accelerated possession\u2019. This is quicker than a normal eviction and does not usually need a court hearing.\n\nYour landlord can only do this if:\n\n- you have an assured shorthold tenancy or a statutory periodic tenancy\n\n- you have a written tenancy agreement\n\n- they\u2019ve given you the required written notice in the right form\n\n- they have not asked you to leave before the end of a fixed-term tenancy\n\nYour landlord must also tell the court if you and your dependants have been affected by coronavirus (COVID-19) in a way that affects the case. For example, if you lost income because of COVID-19 which meant you were not able to pay rent.\n\nYou can only stop accelerated possession if you can prove your landlord has not followed the rules listed above.\n\n## How it works\n\nIf your landlord applies for accelerated possession, the court will send you:\n\n- a copy of your landlord\u2019s application\n\n- a \u2018defence form\u2019\n\nFill in the defence form to challenge the application or write a statement outlining your circumstances.\n\nIf your case is affected by COVID-19, include details. For example, why you lost income and were not able to pay rent.\n\nYou can get help filling in the defence form.\n\nYou must complete and return the defence form or statement to the court within 14 days of receiving it.\n\n## If your landlord applied for possession before 3 August 2020\n\nIf your landlord wants to continue with their claim for possession they must make another application to the court. You will get a copy of your landlord\u2019s application and instructions from the court on how to challenge the application.\n\n## The judge\u2019s decision\n\nA judge will decide whether to:\n\n- issue a possession order, giving your landlord the right to evict you and take possession of the property (this is normally the case)\n\n- have a court hearing (this usually only happens if the paperwork is not in order or you\u2019ve raised an important issue)\n\nEven if there\u2019s a hearing, the court can still decide to issue a possession order.\n\n## If the judge issues a possession order\n\nIf the judge makes a possession order, you\u2019ll normally have 14 or 28 days to leave the property. If this will cause you exceptional hardship, the judge may give you up to 42 days to leave.\n\nIf you do not leave at this point, your landlord can use bailiffs to evict you.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Eviction court hearings\n\nIf your landlord goes to court to evict you, there will be a \u2018possession hearing\u2019.\n\n## Before the hearing\n\nYou\u2019ll know your landlord is taking you to court to evict you because you\u2019ll be sent court papers, including:\n\n- copies of \u2018claim for possession\u2019 forms\n\n- a defence form\n\n- a date for your court hearing\n\nThe defence form is your chance to say why you have rent arrears and if you disagree with what your landlord put on the \u2018claim for possession\u2019 forms. You need to return it within 14 days.\n\nYou may have to pay extra court fees if you do not provide information in the defence form and this results in a delay to your court case.\n\nIf you do not attend your court hearing, it\u2019s very likely the judge will decide you\u2019ll lose your home.\n\n## Coronavirus (COVID-19) and court hearings\n\nThe court process is different because of COVID-19.\n\nYour landlord must tell the court if you and your dependants have been affected by COVID-19. For example, if you have lost income because of COVID-19, which meant you were not able to pay your rent.\n\n## During the hearing\n\nIf you have not received advice before, you can get free legal advice and representation in court on the day of the hearing. This is under the Housing Possession Court Duty scheme. Contact your local council or the court where your case is being heard.\n\nIf the scheme is not available in your area, check with the court whether there are other advice services. You can also check if you can get legal aid.\n\nThe charity Shelter has information on what happens at a possession hearing.\n\n## The judge\u2019s decision\n\nThe judge could:\n\n- dismiss the court case - no order will be made and the hearing is finished\n\n- adjourn the hearing - the hearing will be delayed until later, as the judge feels a decision cannot be made on the day\n\n- make an \u2018order\u2019 - the judge will make a legal decision on what will happen\n\nThe judge will dismiss the case if there\u2019s no reason you should be evicted. This might happen if:\n\n- your landlord has not followed the correct procedure\n\n- your landlord or their representative does not attend the hearing\n\n- you\u2019ve paid any rent arrears\n\nIf the judge dismisses the case, you can stay in your home. If the landlord wants to evict you, they\u2019ll have to restart the court process from the beginning.\n\n## Types of possession order\n\nThere are several different kinds of orders a judge can make.\n\n## Order for possession (or \u2018outright possession order\u2019)\n\nThis means you must leave the property before the date given in the order.\n\nThe date will be either 14 or 28 days after your court hearing. If you\u2019re in an exceptionally difficult situation, you may be able to convince the judge to delay this for up to 6 weeks.\n\nIf you do not leave your home by the date given, your landlord can ask the court to evict you by asking for a \u2018warrant for possession\u2019. If the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Suspended order for possession\n\nThis means if you make the payments, or obey the conditions, set out in the order, you can stay in your home. If you do not make the payments, your landlord can ask the court to evict you.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Money order\n\nThis means you have to pay the landlord the amount set out in the order. If you do not make the payments, action could be taken by the courts to recover the money, including:\n\n- deducting money from your wages or bank account\n\n- sending bailiffs to take away things you own\n\nIf you get into rent arrears after a money order has been made, your landlord can go to court again and ask for a possession order.\n\n## Possession orders with a money judgment\n\nA judge can add a money judgment to any of the possession orders. This means you owe a specific amount of money, usually made up of:\n\n- your rent arrears\n\n- court fees\n\n- your landlord\u2019s legal costs\n\nThe money judgment will not apply if you pay your arrears and the amount set out in a suspended possession order.\n\nHowever, the money judgment will apply if you do not pay the amount set out in the suspended possession order that\u2019s linked to the judgment. If you do not pay, the landlord may ask the court to carry out the instructions in the order and the judgment.\n\n## Eviction notices\n\nIf you do not leave your home by the date given in an outright possession order, your landlord can ask the court for a \u2018warrant of possession\u2019.\n\nIf the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home. Bailiffs can evict you after this date. The costs of evicting you will be added to the money you owe.\n\n## Changes to evictions in England and Wales because of coronavirus (COVID-19)\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England.\n\nIn Wales, currently you will not be evicted by bailiffs, unless there is a serious reason. Bailiffs will only enter the property if you:\n\n- are living there illegally\n\n- have been involved in antisocial behaviour\n\n## Delaying eviction\n\nYou can ask a judge to suspend the warrant at a new hearing. This means they\u2019ll delay the eviction or let you stay in your home if you can make payments again.\n\nThe judge will not automatically agree to suspend the warrant.\n\n## Applying to suspend a warrant\n\nTo apply for a suspension of a warrant, you must fill out an application notice and either send or deliver it to the county court dealing with your case.\n\nYou must tell the court you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee of \u00a314, unless you qualify for help.\n\nPay the county court:\n\n- by phone with a debit or credit card\n\n- by post with a cheque or postal order made out to \u2018HM Courts and Tribunals Service\u2019\n\n- in person with cash or a debit or credit card\n\nYou can find the address and phone number for the county court online.\n\n## Asking the court to change your payments\n\nIf your circumstances change, you can ask a judge at a new hearing to change what you pay. To do this, you must fill out an application notice and either send or deliver it to the county court dealing with your case.\n\nYou\u2019ll have to pay a court fee of \u00a3100, unless you qualify for help.\n\nPay the county court:\n\n- in person by cheque, cash, debit or credit card\n\n- by post with a cheque made out to \u2018HM Courts and Tribunals Service\u2019\n\n## Appealing against the decision\n\nYou can only appeal if you can show the judge made mistakes in the original possession hearing. You\u2019ll need to ask the judge for permission to appeal at the end of the original hearing.\n\nIf you get permission to appeal, you\u2019ll have to apply for an appeal hearing very soon afterwards. You\u2019ll have to pay a court fee of up to \u00a3140, unless you qualify for help.\n\nYou\u2019ll need to get legal advice.\n\n## Contact your local council\n\nIf you\u2019re worried about becoming homeless, contact your local council for homelessness help and advice.\n\n## Harassment and illegal evictions\n\nIt\u2019s a crime for your landlord to harass you or try to force you out of a property without using proper procedures. If this happens, you may have a right to claim damages through the court.\n\n## What is harassment?\n\nHarassment can be anything a landlord does, or fails to do, that makes you feel unsafe in the property or forces you to leave.\n\nHarassment can include:\n\n- stopping services, like electricity\n\n- withholding keys, for example there are 2 tenants in a property but the landlord will only give 1 key\n\n- refusing to carry out repairs\n\n- anti-social behaviour by a landlord\u2019s agent, for example a friend of the landlord moves in next door and causes problems\n\n- threats and physical violence\n\n## Illegal eviction and tenants\u2019 rights\n\nYour landlord may be guilty of illegal eviction if you:\n\n- are not given the notice to leave the property that your landlord must give you\n\n- find the locks have been changed\n\n- are evicted without a court order\n\nEven if your landlord\u2019s property is repossessed by their mortgage lender, the lender must give you notice so you can find other accommodation.\n\nIf you have an assured, assured shorthold or regulated tenancy, they must give you:\n\n- 3 months to leave the property if you were given notice between 26 March 2020 and 28 August 2020\n\n- 6 months to leave if you were given notice between 29 August 2020 and 31 May 2021\n\n- 4 months to leave if you\u2019ve been given notice since 1 June 2021\n\nIn Wales, the notice period must be:\n\n- at least 6 months if they gave you notice on or after 24 July 2020\n\n- at least 3 months if they issued a section 8 notice for antisocial behaviour\n\nCitizens Advice has information on repossession by your landlord\u2019s mortgage lender.\n\n## What you can do\n\nIf you think you\u2019re being harassed or threatened with illegal eviction, or the property you rent is being repossessed, talk to your local council.\n\nIt may have someone specialising in tenant harassment issues.\n\nLocal councils can also start legal proceedings if they think there\u2019s enough evidence of harassment or illegal eviction.\n\nYou could also contact a legal adviser, a Citizens Advice office or Shelter\u2019s housing advice helpline.\n\nYour local area may also have other housing or legal advice organisations - your local council, phonebook or library should have details.\n\nIf physical violence is involved, contact the police.\n\nFor further advice, the Ministry of Housing, Communities and Local Government has a detailed guide for tenants facing harassment and illegal eviction.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/private-renting-evictions", + "answerable": true, + "scenario": "I am a landlord and I have a problem with one of my tenants, who consistently demonstrates anti social behaviour and defaults on the rent. However, they claim that they are self isolating due to Covid and therefore will not deal with me face to face.", + "original_question": "Are my tenants legally protected from eviction due to the nature of the pandemic?" + }, + { + "id": "train-934", + "question": "Scenario: I own a property in the countryside and I have been abroad for over a year. Upon my return I found out that it had been occupied by squatters without my permission. I want them to leave my property.\n\nQuestion: Can i apply for an interim possession order?\n\nDocument - Squatting and the law:\n## Overview\n\nSquatting is when someone deliberately enters property without permission and lives there, or intends to live there. This is sometimes known as \u2018adverse possession\u2019.\n\nSquatting in residential buildings (like a house or flat) is illegal. It can lead to 6 months in prison, a \u00a35,000 fine or both.\n\nAnyone who originally enters a property with the permission of the landlord is not a squatter. For example, if you\u2019re renting a property and fall behind with rent payments you\u2019re not squatting if you continue to live there.\n\nAlthough squatting in non-residential building or land is not in itself a crime, it\u2019s a crime to damage the property.\n\nIt\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:\n\n- the owner\n\n- the police\n\n- the council\n\n- a repossession order\n\n## Squatting in non-residential properties\n\nA non-residential property is any building or land that is not designed to be lived in.\n\nSimply being on another person\u2019s non-residential property without their permission is not usually a crime. The police can take action if squatters commit other crimes when entering or staying in a property.\n\nCrimes include:\n\n- causing damage when entering the property\n\n- causing damage while in the property\n\n- not leaving when they\u2019re told to by a court\n\n- stealing from the property\n\n- using utilities like electricity or gas without permission\n\n- fly-tipping\n\n- not obeying a noise abatement notice\n\nContact the police if you see someone breaking into or damaging property.\n\n## Squatters' rights to property\n\nA long-term squatter can become the registered owner of property or land they\u2019ve occupied without the owner\u2019s permission.\n\nGet legal advice from a conveyancer or solicitor if you\u2019re a squatter in a property and want to claim ownership.\n\n## Who can apply\n\nYou can apply if you can prove:\n\n- you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)\n\n- you (or your predecessors) acted as owners of the property for the whole of that time\n\n- you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter\n\n## If the property\u2019s registered\n\nFill in a form for adverse possession.\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nSend your form and statement to the HM Land Registry Citizen Centre.\n\nHM Land Registry will decide if your application is valid and will let the property owner know. The owner has 65 days to object - your application will usually be automatically rejected if they do.\n\nYou\u2019ll be registered as the owner of the property if there\u2019s no objection.\n\nYou can apply again after 2 years if:\n\n- the owner has not tried to remove you\n\n- the property has not been reclaimed\n\n- you\u2019re still in possession of the property\n\nHM Land Registry will usually then register you as the owner.\n\n## If the property\u2019s unregistered\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nApply for first registration - include your statement with your application.\n\nHM Land Registry will:\n\n- inspect the property - you must pay a fee for this\n\n- decide if your application is valid\n\n- let the property owner know, if they have their details\n\nYou can try to come to an agreement with the owners if they object. HM Land Registry will arrange a tribunal to decide who owns the property if you cannot agree or do not want to.\n\nYou may have to pay the costs of the owner, such as their reasonable legal fees, no matter what the outcome.\n\n## Stop squatters legally possessing property\n\nHM Land Registry will tell you if squatters apply for legal ownership of your property if it\u2019s registered - you must take action if you want to keep it.\n\nGet legal advice from a conveyancer or solicitor if squatters try to claim your property.\n\nHow you block an application depends on whether your property is registered with HM Land Registry or not.\n\n## Registered properties\n\nYou\u2019ve 65 days to object to an application - HM Land Registry will tell you what you need to do.\n\nHM Land Registry will reject the squatters\u2019 application if you\u2019ve got a valid objection.\n\nYou must take action to remove the squatters and reclaim your property once the squatters\u2019 claim is rejected.\n\nYou will not be able to object again if you\u2019ve done nothing within 2 years of the original application and the same squatters reapply.\n\n## Unregistered properties\n\nYou can object to a squatter\u2019s application. HM Land Registry will tell you what you need to do.\n\nHM Land Registry may not be able to contact you if your property is not registered.\n\nHM Land Registry will decide if your objection is valid - if it is they\u2019ll ask if you want to negotiate with the squatters, for example offer to sell them the property. You\u2019ll be given time to do so.\n\nA tribunal will decide who owns the property if you cannot agree - HM Land Registry will arrange this.\n\n## Remove squatters\n\nYou can remove squatters using an interim possession order (IPO) or making a claim for possession.\n\nDo not try to remove the squatters yourself using force or the threat of force - you\u2019re committing a crime if you do.\n\nGet legal advice from a solicitor if you need help making a claim for possession.\n\n## Interim possession orders\n\nYou can only apply for an IPO if it\u2019s been 28 days or less since you found out your property\u2019s been squatted.\n\nFill in an application for an IPO and send it to your local county court.\n\nThe court will send you confirmation of your IPO within a few days. They will also send you documents that you must give to the squatters within 48 hours.\n\nAfter being served with an IPO squatters can be sent to prison if they do not:\n\n- leave your property within 24 hours\n\n- stay away from your property for 12 months\n\nTo get final possession of the property, you must make a claim for possession. You can do this on your IPO application form or separately online.\n\n## Exceptions\n\nYou cannot use an IPO if:\n\n- you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession\n\n- you\u2019re trying to evict former tenants, sub-tenants or licensees\n\n## Claim for possession\n\nMake a claim for possession if it\u2019s been more than 28 days since you found out about the squatters.\n\n## Where to get help\n\nYou may be classed as homeless if you\u2019re squatting. Get advice from Shelter or Shelter in Wales.\n\nYou can also contact your council for help.\n\n## Report squatters\n\nCall the police if you:\n\n- find people squatting in a residential property you own\n\n- see someone breaking into anywhere\n\n- think someone is squatting", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/squatting-law", + "answerable": true, + "scenario": "I own a property in the countryside and I have been abroad for over a year. Upon my return I found out that it had been occupied by squatters without my permission. I want them to leave my property.", + "original_question": "Can i apply for an interim possession order?" + }, + { + "id": "train-935", + "question": "Scenario: My Uncle has been living on unclaimed property for 15 years. He has taken good care of it as own. Everyone thinks it's his property . He now wants to register it legally and own it.\n\nQuestion: Can he acquire rights?\n\nDocument - Squatting and the law:\n## Overview\n\nSquatting is when someone deliberately enters property without permission and lives there, or intends to live there. This is sometimes known as \u2018adverse possession\u2019.\n\nSquatting in residential buildings (like a house or flat) is illegal. It can lead to 6 months in prison, a \u00a35,000 fine or both.\n\nAnyone who originally enters a property with the permission of the landlord is not a squatter. For example, if you\u2019re renting a property and fall behind with rent payments you\u2019re not squatting if you continue to live there.\n\nAlthough squatting in non-residential building or land is not in itself a crime, it\u2019s a crime to damage the property.\n\nIt\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:\n\n- the owner\n\n- the police\n\n- the council\n\n- a repossession order\n\n## Squatting in non-residential properties\n\nA non-residential property is any building or land that is not designed to be lived in.\n\nSimply being on another person\u2019s non-residential property without their permission is not usually a crime. The police can take action if squatters commit other crimes when entering or staying in a property.\n\nCrimes include:\n\n- causing damage when entering the property\n\n- causing damage while in the property\n\n- not leaving when they\u2019re told to by a court\n\n- stealing from the property\n\n- using utilities like electricity or gas without permission\n\n- fly-tipping\n\n- not obeying a noise abatement notice\n\nContact the police if you see someone breaking into or damaging property.\n\n## Squatters' rights to property\n\nA long-term squatter can become the registered owner of property or land they\u2019ve occupied without the owner\u2019s permission.\n\nGet legal advice from a conveyancer or solicitor if you\u2019re a squatter in a property and want to claim ownership.\n\n## Who can apply\n\nYou can apply if you can prove:\n\n- you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)\n\n- you (or your predecessors) acted as owners of the property for the whole of that time\n\n- you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter\n\n## If the property\u2019s registered\n\nFill in a form for adverse possession.\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nSend your form and statement to the HM Land Registry Citizen Centre.\n\nHM Land Registry will decide if your application is valid and will let the property owner know. The owner has 65 days to object - your application will usually be automatically rejected if they do.\n\nYou\u2019ll be registered as the owner of the property if there\u2019s no objection.\n\nYou can apply again after 2 years if:\n\n- the owner has not tried to remove you\n\n- the property has not been reclaimed\n\n- you\u2019re still in possession of the property\n\nHM Land Registry will usually then register you as the owner.\n\n## If the property\u2019s unregistered\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nApply for first registration - include your statement with your application.\n\nHM Land Registry will:\n\n- inspect the property - you must pay a fee for this\n\n- decide if your application is valid\n\n- let the property owner know, if they have their details\n\nYou can try to come to an agreement with the owners if they object. HM Land Registry will arrange a tribunal to decide who owns the property if you cannot agree or do not want to.\n\nYou may have to pay the costs of the owner, such as their reasonable legal fees, no matter what the outcome.\n\n## Stop squatters legally possessing property\n\nHM Land Registry will tell you if squatters apply for legal ownership of your property if it\u2019s registered - you must take action if you want to keep it.\n\nGet legal advice from a conveyancer or solicitor if squatters try to claim your property.\n\nHow you block an application depends on whether your property is registered with HM Land Registry or not.\n\n## Registered properties\n\nYou\u2019ve 65 days to object to an application - HM Land Registry will tell you what you need to do.\n\nHM Land Registry will reject the squatters\u2019 application if you\u2019ve got a valid objection.\n\nYou must take action to remove the squatters and reclaim your property once the squatters\u2019 claim is rejected.\n\nYou will not be able to object again if you\u2019ve done nothing within 2 years of the original application and the same squatters reapply.\n\n## Unregistered properties\n\nYou can object to a squatter\u2019s application. HM Land Registry will tell you what you need to do.\n\nHM Land Registry may not be able to contact you if your property is not registered.\n\nHM Land Registry will decide if your objection is valid - if it is they\u2019ll ask if you want to negotiate with the squatters, for example offer to sell them the property. You\u2019ll be given time to do so.\n\nA tribunal will decide who owns the property if you cannot agree - HM Land Registry will arrange this.\n\n## Remove squatters\n\nYou can remove squatters using an interim possession order (IPO) or making a claim for possession.\n\nDo not try to remove the squatters yourself using force or the threat of force - you\u2019re committing a crime if you do.\n\nGet legal advice from a solicitor if you need help making a claim for possession.\n\n## Interim possession orders\n\nYou can only apply for an IPO if it\u2019s been 28 days or less since you found out your property\u2019s been squatted.\n\nFill in an application for an IPO and send it to your local county court.\n\nThe court will send you confirmation of your IPO within a few days. They will also send you documents that you must give to the squatters within 48 hours.\n\nAfter being served with an IPO squatters can be sent to prison if they do not:\n\n- leave your property within 24 hours\n\n- stay away from your property for 12 months\n\nTo get final possession of the property, you must make a claim for possession. You can do this on your IPO application form or separately online.\n\n## Exceptions\n\nYou cannot use an IPO if:\n\n- you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession\n\n- you\u2019re trying to evict former tenants, sub-tenants or licensees\n\n## Claim for possession\n\nMake a claim for possession if it\u2019s been more than 28 days since you found out about the squatters.\n\n## Where to get help\n\nYou may be classed as homeless if you\u2019re squatting. Get advice from Shelter or Shelter in Wales.\n\nYou can also contact your council for help.\n\n## Report squatters\n\nCall the police if you:\n\n- find people squatting in a residential property you own\n\n- see someone breaking into anywhere\n\n- think someone is squatting", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/squatting-law", + "answerable": true, + "scenario": "My Uncle has been living on unclaimed property for 15 years. He has taken good care of it as own. Everyone thinks it's his property . He now wants to register it legally and own it.", + "original_question": "Can he acquire rights?" + }, + { + "id": "train-937", + "question": "Scenario: I am a farmer and practice commercial food farming and supply food produce to a nearby fruit processing company . They have overdue debts of \u00a33000 and my efforts to resend overdue invoices have been fruitless. Its now a month since i issued a formal demand but they have not responded.\n\nQuestion: Can i serve the winding up?\n\nDocument - Make and serve a statutory demand, or challenge one:\n## When you can make a statutory demand\n\nYou can make a statutory demand to ask for payment of a debt from an individual or company.\n\nAnyone who\u2019s owed money (the \u2018creditor\u2019) can make a statutory demand. You do not need a lawyer.\n\nIf the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.\n\nThere may be faster ways of getting smaller debts paid than making a statutory demand.\n\nWhen the individual or company that owes you money (the \u2018debtor\u2019) receives a statutory demand, they have 21 days to either:\n\n- pay the debt\n\n- reach an agreement to pay\n\nYou can apply to bankrupt your debtor or close (\u2018wind up\u2019) their company if they do not respond to the statutory demand within 21 days.\n\n## Statutory demand forms\n\nChoose the form you need, fill it in and deliver (\u2018serve\u2019) it to the individual or company that owes you money.\n\nYou do not need to send a separate letter.\n\n## Serve a demand on an individual (including partners in a partnership)\n\nWhich form you need depends on whether you\u2019re collecting a debt that\u2019s:\n\n- payable now\n\n- payable now following a judgment or court order\n\n- payable in the future, if you think they will not be able to pay the debt when they need to\n\nIf you\u2019re serving a demand on a business partnership, you need to download and fill in a form for each partner.\n\n## Serve a demand on a limited company\n\nUse statutory demand form SD 1.\n\n## If you\u2019re in Scotland\n\nYou must use a different form to make a statutory demand in Scotland.\n\n## How to serve a statutory demand\n\nYou must deliver (\u2018serve\u2019) the statutory demand form by:\n\n- giving it to the individual who owes you money (you should try all their known addresses)\n\n- leaving it at the registered office of the company or partnership that owes money (or the main place of business if they do not have a registered office)\n\n- giving it to the company\u2019s director, company secretary, manager or principal officer\n\n- get a \u2018process server\u2019 to serve it for you (a solicitor can arrange this)\n\nYou can only send it by registered post or put it through a letterbox if it cannot be delivered in person.\n\n## Records you must keep\n\nYou must keep a copy of the statutory demand and anything that confirms:\n\n- the time and date you served the statutory demand, for example a postage receipt or confirmation from your process server\n\n- the debtor has received the statutory demand\n\nYou\u2019ll need this information if your demand is ignored.\n\n## If your demand is ignored\n\nIf your debtor does not pay the debt or agree to your statutory demand within 21 days, you can:\n\n- start bankruptcy proceedings against any individuals who owe you \u00a35,000 or more\n\n- wind up a company that owes you \u00a3750 or more\n\nYou have 4 months to apply to bankrupt or wind up your debtor. If you\u2019re late, explain why to the court named on the statutory demand.\n\n## Serve a statutory demand abroad\n\nGet legal help if you want to serve a statutory demand in another country.\n\nYou need to serve a statutory demand according to local laws but also according to the UK rules.\n\n## Challenge a statutory demand\n\nIf you do not agree with a statutory demand you\u2019ve been given, you can apply to challenge it and get it \u2018set aside\u2019.\n\nYou can be made bankrupt or your company wound up if you ignore a statutory demand.\n\nYou must apply to the court named on your statutory demand. Contact a solicitor or your nearest county court if you\u2019re not sure where to send your application.\n\nYou cannot challenge a statutory demand if it was served on a company. You can apply to stop your creditors from winding up your company instead.\n\nAny bankruptcy petitions the creditor has already filed against you will usually be suspended until the court reaches a decision.\n\nThe court will not usually set aside a statutory demand if it was served on you following the judgment of another court unless, for example:\n\n- you think the creditor owes you the same amount as your debt, or more\n\n- the amount on the statutory demand is secured\n\n## Deadlines\n\nYou must apply to challenge the statutory demand within either:\n\n- 18 days if you were in the UK when you got the statutory demand\n\n- 21 to 34 days if you were in another country when you got the statutory demand - check the table of countries for specific deadlines\n\nIf the deadline is during a weekend or on a bank holiday, you have until the next day the court is open to apply.\n\nYou might be able to get an extension in some circumstances - contact the court to find out what these are.\n\n## How to apply\n\nDownload and fill in form IAA.\n\nMake 3 copies of the completed form and either post them to the court named on your statutory demand or give them to the court in person.\n\n## What happens next\n\nYou\u2019ll usually hear back from the court within 10 working days of applying.\n\nIf the court does not agree with your application, it can give the creditor permission to issue a bankruptcy petition against you.\n\nIf the court agrees with your application, your case will be passed on to a bankruptcy registrar. They\u2019ll look at your case and arrange a hearing.\n\n## What happens at the hearing\n\nBoth sides will present their case to a registrar or judge. They\u2019ll either make a decision then, or ask you and the other party to give more evidence at another hearing.\n\nYou\u2019ll usually get a decision at the end of the final hearing.\n\nIf you win your case, you\u2019ll get an order from the court setting aside the statutory demand. The deadline for paying the debt will be suspended.\n\nIf you lose, you\u2019ll have to pay back your debt within the 21 day time limit. The creditor can apply to bankrupt you if you do not pay in time and your debt is \u00a35,000 or more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## Contact the Insolvency Service\n\nUse the contact form to contact the Insolvency Service about delivering and challenging a statutory demand.\n\nYou cannot currently contact the Insolvency Service by telephone because of coronavirus (COVID-19).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/statutory-demands", + "answerable": true, + "scenario": "I am a farmer and practice commercial food farming and supply food produce to a nearby fruit processing company . They have overdue debts of \u00a33000 and my efforts to resend overdue invoices have been fruitless. Its now a month since i issued a formal demand but they have not responded.", + "original_question": "Can i serve the winding up?" + }, + { + "id": "train-938", + "question": "Scenario: I want to sell my property. The purchase price of this property was \u00a3150,000. The price I want to sell it at would be \u00a3250,000.\n\nQuestion: Would the difference of \u00a3100,000 be the amount that will be liable to capital gains tax?\n\nDocument - Tax when you sell property:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:\n\n- buy-to-let properties\n\n- business premises\n\n- land\n\n- inherited property\n\nThere are different rules if you:\n\n- sell your home\n\n- live abroad\n\n- are a company registered abroad\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you do not pay\n\nYou do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou may get tax relief if the property is a business asset.\n\nIf the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.\n\n## If you need to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your property and the amount you got when you sold (or \u2018disposed of\u2019) it.\n\nIf your combined capital gains are over your allowance for the year you\u2019ll have to report and pay Capital Gains Tax.\n\n## Market value\n\nIn some situations you should use the market value of the property when working out your gain. Do this if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Selling in special circumstances\n\nThere are special rules for calculating your gain if:\n\n- you live abroad\n\n- you sell a lease or part of your land\n\n- your property is compulsorily purchased\n\n## Jointly owned property\n\nIf you own property jointly with other people, work out the gain for the share that you own.\n\n## Deduct costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension (normal maintenance costs, such as decorating, do not count)\n\n## Reliefs\n\nYou may get tax relief if the property was:\n\n- your home\n\n- a business asset\n\n- occupied by a dependent relative - find out more in the guidance on Private Residence Relief\n\n## Work out if you need to pay\n\nOnce you know what your gain on the property is, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold land\n\n- sold business premises\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax on property\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\n## Businesses\n\nYou may get tax relief if you sell property that you use for business. This may reduce or delay the amount of Capital Gains Tax you pay.\n\nIf the purpose of your business is to buy and sell property (you\u2019re a property developer, for example) you do not pay Capital Gains Tax when you sell a property. Instead, you pay:\n\n- Income Tax - if you\u2019re a sole trader or partner\n\n- Corporation Tax - if you\u2019re a limited company\n\nThere are special rules for limited companies that dispose of a single residential property worth more than \u00a32 million.\n\n## Selling overseas property\n\nYou pay Capital Gains Tax when you \u2018dispose of\u2019 overseas property if you\u2019re resident in the UK.\n\nThere are special rules if you\u2019re resident in the UK but your permanent home (\u2018domicile\u2019) is abroad.\n\nYou may also have to pay tax in the country you made the gain. If you\u2019re taxed twice, you may be able to claim relief.\n\n## If you\u2019re non-resident\n\nNon-residents may have to pay UK tax on overseas property if they return to the UK within 5 years of leaving.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-sell-property", + "answerable": true, + "scenario": "I want to sell my property. The purchase price of this property was \u00a3150,000. The price I want to sell it at would be \u00a3250,000.", + "original_question": "Would the difference of \u00a3100,000 be the amount that will be liable to capital gains tax?" + }, + { + "id": "train-939", + "question": "Scenario: I am selling a piece of property as part of my main course of business. This will be sold for \u00a3300,000. The business buys and sells property.\n\nQuestion: Do I need to pay capital gains tax on these property sales?\n\nDocument - Tax when you sell property:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:\n\n- buy-to-let properties\n\n- business premises\n\n- land\n\n- inherited property\n\nThere are different rules if you:\n\n- sell your home\n\n- live abroad\n\n- are a company registered abroad\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you do not pay\n\nYou do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou may get tax relief if the property is a business asset.\n\nIf the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.\n\n## If you need to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your property and the amount you got when you sold (or \u2018disposed of\u2019) it.\n\nIf your combined capital gains are over your allowance for the year you\u2019ll have to report and pay Capital Gains Tax.\n\n## Market value\n\nIn some situations you should use the market value of the property when working out your gain. Do this if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Selling in special circumstances\n\nThere are special rules for calculating your gain if:\n\n- you live abroad\n\n- you sell a lease or part of your land\n\n- your property is compulsorily purchased\n\n## Jointly owned property\n\nIf you own property jointly with other people, work out the gain for the share that you own.\n\n## Deduct costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension (normal maintenance costs, such as decorating, do not count)\n\n## Reliefs\n\nYou may get tax relief if the property was:\n\n- your home\n\n- a business asset\n\n- occupied by a dependent relative - find out more in the guidance on Private Residence Relief\n\n## Work out if you need to pay\n\nOnce you know what your gain on the property is, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold land\n\n- sold business premises\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax on property\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\n## Businesses\n\nYou may get tax relief if you sell property that you use for business. This may reduce or delay the amount of Capital Gains Tax you pay.\n\nIf the purpose of your business is to buy and sell property (you\u2019re a property developer, for example) you do not pay Capital Gains Tax when you sell a property. Instead, you pay:\n\n- Income Tax - if you\u2019re a sole trader or partner\n\n- Corporation Tax - if you\u2019re a limited company\n\nThere are special rules for limited companies that dispose of a single residential property worth more than \u00a32 million.\n\n## Selling overseas property\n\nYou pay Capital Gains Tax when you \u2018dispose of\u2019 overseas property if you\u2019re resident in the UK.\n\nThere are special rules if you\u2019re resident in the UK but your permanent home (\u2018domicile\u2019) is abroad.\n\nYou may also have to pay tax in the country you made the gain. If you\u2019re taxed twice, you may be able to claim relief.\n\n## If you\u2019re non-resident\n\nNon-residents may have to pay UK tax on overseas property if they return to the UK within 5 years of leaving.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-sell-property", + "answerable": true, + "scenario": "I am selling a piece of property as part of my main course of business. This will be sold for \u00a3300,000. The business buys and sells property.", + "original_question": "Do I need to pay capital gains tax on these property sales?" + }, + { + "id": "train-940", + "question": "Scenario: My brother is a UK citizen. He moved to Spain 3 years ago and lives there. He has no intentions of returning back to the UK. He has rental properties where he earns his income.\n\nQuestion: Is he supposed to pay taxes in the UK?\n\nDocument - Tax on foreign income:\n## Overview\n\nYou may need to pay UK Income Tax on your foreign income, such as:\n\n- wages if you work abroad\n\n- foreign investment income, for example dividends and savings interest\n\n- rental income on overseas property\n\n- income from pensions held overseas\n\nForeign income is anything from outside England, Scotland, Wales and Northern Ireland. The Channel Islands and the Isle of Man are classed as foreign.\n\n## Working out if you need to pay\n\nWhether you need to pay depends on if you\u2019re classed as \u2018resident\u2019 in the UK for tax.\n\nIf you\u2019re not UK resident, you will not have to pay UK tax on your foreign income.\n\nIf you\u2019re UK resident, you\u2019ll normally pay tax on your foreign income. But you may not have to if your permanent home (\u2018domicile\u2019) is abroad.\n\n## Reporting foreign income\n\nIf you need to pay tax, you usually report your foreign income in a Self Assessment tax return. But there\u2019s some foreign income that\u2019s taxed differently.\n\n## If your income is taxed in more than one country\n\nYou may be able to claim tax relief if you\u2019re taxed in more than one country.\n\nIf you\u2019ve not yet paid tax on the foreign income, you may need to apply for a certificate of residence to prove you\u2019re eligible for relief.\n\n## UK residence and tax\n\nYour UK residence status affects whether you need to pay tax in the UK on your foreign income.\n\nNon-residents only pay tax on their UK income - they do not pay UK tax on their foreign income.\n\nResidents normally pay UK tax on all their income, whether it\u2019s from the UK or abroad. But there are special rules for UK residents whose permanent home (\u2018domicile\u2019) is abroad.\n\n## Work out your residence status\n\nWhether you\u2019re UK resident usually depends on how many days you spend in the UK in the tax year (6 April to 5 April the following year).\n\nYou\u2019re automatically resident if either:\n\n- you spent 183 or more days in the UK in the tax year\n\n- your only home was in the UK - you must have owned, rented or lived in it for at least 91 days in total - and you spent at least 30 days there in the tax year\n\nYou\u2019re automatically non-resident if either:\n\n- you spent fewer than 16 days in the UK (or 46 days if you have not been classed as UK resident for the 3 previous tax years)\n\n- you work abroad full-time (averaging at least 35 hours a week) and spent fewer than 91 days in the UK, of which no more than 30 were spent working\n\n## Get help\n\nIf your situation\u2019s more complicated or you need to confirm your status, you can:\n\n- read HMRC\u2019s guidance on the Statutory Residence Test\n\n- get professional tax help\n\n## Your residence status when you move\n\nWhen you move in or out of the UK, the tax year is usually split into 2 - a non-resident part and a resident part. This means you only pay UK tax on foreign income based on the time you were living here.\n\nThis is called \u2018split-year treatment\u2019.\n\nYou will not get split-year treatment if you live abroad for less than a full tax year before returning to the UK. You also need to meet other conditions.\n\nTo find out if you qualify and see which split-year treatment \u2018case\u2019 you\u2019ll need to mention on your Self Assessment tax return, you can:\n\n- read chapter 5 of HMRC\u2019s guidance note on the Statutory Residence Test\n\n- contact HMRC\n\n## If your situation changes\n\nYour status can change from one tax year to the next. Check your status if your situation changes, for example:\n\n- you spend more or less time in the UK\n\n- you buy or sell a home in the UK\n\n- you change your job\n\n- your family moves in or out of the UK, or you get married, separate or have children\n\n## Residence and capital gains\n\nYou work out your residence status for capital gains (for example, when you sell shares or a second home) the same way as you do for income.\n\nUK residents have to pay tax on their UK and foreign gains. Non-residents have to pay tax on income, but only pay Capital Gains Tax either:\n\n- on UK property or land\n\n- if they return to the UK\n\n## Residence before April 2013\n\nThere were different rules for working out your residence status before 6 April 2013.\n\n## 'Non-domiciled' residents\n\nUK residents who have their permanent home (\u2018domicile\u2019) outside the UK may not have to pay UK tax on foreign income.\n\nThe same rules apply if you make any foreign capital gains, for example you sell shares or a second home.\n\n## Working out your domicile\n\nYour domicile\u2019s usually the country your father considered his permanent home when you were born. It may have changed if you moved abroad and you do not intend to return.\n\nIf you need help working out which country you\u2019re domiciled in, you can:\n\n- read chapter 5 of HM Revenue and Customs\u2019 (HMRC) guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019\n\n- get professional tax help, for example from a tax adviser\n\nThere are additional rules for domicile and Inheritance Tax.\n\n## Tax if you\u2019re non-domiciled\n\nYou do not pay UK tax on your foreign income or gains if both the following apply:\n\n- they\u2019re less than \u00a32,000 in the tax year\n\n- you do not bring them into the UK, for example by transferring them to a UK bank account\n\nIf this applies to you, you do not need to do anything.\n\nChapter 9 in HMRC\u2019s guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019 explains the rules for bringing income or gains to the UK.\n\n## If your income is \u00a32,000 or more\n\nYou must report foreign income or gains of \u00a32,000 or more, or any money that you bring to the UK, in a Self Assessment tax return.\n\nYou can either:\n\n- pay UK tax on them - you may be able to claim it back\n\n- claim the \u2018remittance basis\u2019\n\nClaiming the remittance basis means you only pay UK tax on the income or gains you bring to the UK, but you:\n\n- lose tax-free allowances for Income Tax and Capital Gains Tax (some \u2018dual residents\u2019 may keep them)\n\n- pay an annual charge if you\u2019ve been resident of the UK for a certain amount of time\n\nYou pay an annual charge of either:\n\n- \u00a330,000 if you\u2019ve been here for at least 7 of the previous 9 tax years\n\n- \u00a360,000 for at least 12 of the previous 14 tax years\n\nClaiming the remittance basis is complicated. You can:\n\n- contact HMRC\n\n- get professional tax help, for example from a tax adviser\n\n## If you work in the UK and abroad\n\nThere are special rules if you work both in the UK and abroad.\n\nYou do not have to pay tax on foreign income or gains (even those you bring into the UK) if you get the \u2018foreign workers\u2019 exemption\u2019.\n\nYou qualify if:\n\n- your income from your overseas job is less than \u00a310,000\n\n- your other foreign income (such as bank interest) is less than \u00a3100\n\n- all your foreign income has been subject to foreign tax (even if you did not have to pay, for example because of a tax-free allowance)\n\n- your combined UK and foreign income is within the band for basic rate Income Tax\n\n- you do not need to fill in a tax return for any other reason\n\nIf you qualify, you do not need to do anything to claim.\n\n## If you\u2019re seconded to the UK\n\nYou may be able to claim Overseas Workday Relief if your employer sends you to work in the UK on secondment.\n\nIf you qualify you:\n\n- pay UK tax on UK employment income based on the number of days you\u2019ve worked here\n\n- do not pay tax on income from days you work abroad (as long as you do not bring it into the UK)\n\nAsk your employer to find out if you can claim.\n\n## Foreign students\n\nThere are special rules if you come to study in the UK.\n\n## Reporting your foreign income\n\nYou usually need to fill in a Self Assessment tax return if you\u2019re a UK resident with foreign income or capital gains. But there\u2019s some foreign income that\u2019s taxed differently.\n\nYou do not need to fill in a tax return if all the following apply:\n\n- your only foreign income is dividends\n\n- your total dividends - including UK dividends - are less than the \u00a32,000 dividend allowance\n\n- you have no other income to report\n\nDifferent rules may apply if your permanent home (\u2018domicile\u2019) is abroad.\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now\n\n## Filling in your tax return\n\nUse the \u2018foreign\u2019 section of the tax return to record your overseas income or gains.\n\nInclude income that\u2019s already been taxed abroad to get Foreign Tax Credit Relief, if you\u2019re eligible.\n\nHMRC has guidance on how to report your foreign income or gains in your tax return in \u2018Foreign notes\u2019.\n\n## Foreign income that's taxed differently\n\nMost foreign income is taxed in the same way as UK income, but there are special rules for:\n\n- pensions\n\n- rent from property\n\n- certain types of employment income\n\n## Pensions\n\nYou have to pay tax on pensions if you\u2019re resident, or were resident in any of the 5 previous tax years.\n\nYou also pay tax on any foreign pension payments, including unauthorised payments like early payments and some lump sums.\n\nCheck with your pension provider to find out how you\u2019ll be taxed.\n\n## Rent from property\n\nYou pay tax in the normal way on overseas property. But if you rent out more than one, you can offset losses against other overseas properties.\n\n## Certain types of employment income\n\nYou usually pay tax in the normal way if you work both in the UK and abroad. There are special rules if you work:\n\n- on a ship or in the offshore gas or oil industry\n\n- for the EU or government, or as a volunteer development worker\n\n## If you're taxed twice\n\nYou may be taxed on your foreign income by the UK and by the country where your income is from.\n\nYou can usually claim tax relief to get some or all of this tax back. How you claim depends on whether your foreign income has already been taxed.\n\nThere\u2019s a different way to claim relief if you\u2019re a non-resident with UK income.\n\n## Apply for tax relief before you get taxed on foreign income\n\nYou have to apply for tax relief in the country your income\u2019s from if:\n\n- the income is exempt from foreign tax but is taxed in the UK (for example, most pensions)\n\n- required by that country\u2019s double-taxation agreement\n\nAsk the foreign tax authority for a form, or apply by letter if they do not have one.\n\nBefore you apply, you must prove you\u2019re eligible for tax relief by either:\n\n- completing the form and sending it to HMRC - they\u2019ll confirm whether you\u2019re resident and send the form back to you\n\n- including a UK certificate of residence, if you\u2019re applying by letter\n\nOnce you\u2019ve got proof, send the form or letter to the foreign tax authority.\n\n## If you\u2019ve already paid tax on your foreign income\n\nYou can usually claim Foreign Tax Credit Relief when you report your overseas income in your tax return.\n\nHow much relief you get depends on the UK\u2019s \u2018double-taxation agreement\u2019 with the country your income\u2019s from.\n\nYou usually still get relief even if there is not an agreement, unless the foreign tax does not correspond to UK Income Tax or Capital Gains Tax.\n\nContact HM Revenue and Customs (HMRC) or a get professional tax help if you\u2019re not sure, or need help with double-taxation relief.\n\n## What you\u2019ll get back\n\nYou may not get back the full amount of foreign tax you paid. You get back less if either:\n\n- a smaller amount is set by the country\u2019s double-taxation agreement\n\n- the income would have been taxed at a lower rate in the UK\n\nHMRC has guidance on how Foreign Tax Credit Relief is calculated, including the special rules for interest and dividends in \u2018Foreign notes\u2019.\n\nYou cannot claim this relief if the UK\u2019s double-taxation agreement requires you to claim tax back from the country your income was from.\n\n## Capital Gains Tax\n\nYou\u2019ll usually pay tax in the country where you\u2019re resident and be exempt from tax in the country where you make the capital gain. You will not usually need to make a claim.\n\nYou have to pay Capital Gains Tax on UK residential property even if you\u2019re not UK resident.\n\n## When to claim relief\n\nThere are different rules if your gain comes from an asset that either:\n\n- cannot be taken out of the country, such as land or a house\n\n- you\u2019re using for business in that country\n\nYou\u2019ll need to pay tax in both countries and get relief from the UK.\n\n## Dual residents\n\nYou can be resident in both the UK and another country. You\u2019ll need to check the other country\u2019s residence rules and when the tax year starts and ends.\n\nHMRC has guidance for claiming double-taxation relief if you\u2019re dual resident.\n\n## If you come to study in the UK\n\nForeign students usually do not pay UK tax on foreign income or gains, as long as they\u2019re used for course fees or living costs like:\n\n- food\n\n- rent\n\n- bills\n\n- study materials\n\nCheck that the country your income\u2019s from has a \u2018double-taxation agreement\u2019 that covers students.\n\nHM Revenue and Customs (HMRC) may ask you to account for your living costs if they\u2019re more than \u00a315,000 in a tax year (excluding course fees). The tax year is from 6 April to 5 April the following year.\n\n## When you need to pay tax\n\nYou may need to pay tax on your foreign income in the normal way if you:\n\n- are from a country without a double-taxation agreement for students\n\n- have other income that you do not bring to the UK\n\n- bring it to the UK and spend it on things other than living costs and course fees\n\n- plan to stay in the UK as your permanent home (\u2018domicile\u2019)\n\n## If you work in the UK\n\nSome double-taxation agreements mean you do not pay UK tax on your income if you work while you\u2019re a student.\n\nIf your country does not have an agreement like this, you have to pay tax in the same way as others who come to live in the UK.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-foreign-income", + "answerable": true, + "scenario": "My brother is a UK citizen. He moved to Spain 3 years ago and lives there. He has no intentions of returning back to the UK. He has rental properties where he earns his income.", + "original_question": "Is he supposed to pay taxes in the UK?" + }, + { + "id": "train-943", + "question": "Scenario: My partner and I live in a semi detached house and both ourselves and our neighbours are home owners. I want to do some plastering work on an inside wall. This will not physically affect our neighbours but will be rather noisy\n\nQuestion: Are we obliged to inform our neighbours about the pending work and can they stop it?\n\nDocument - Party walls and building work:\n## Overview\n\nYou must tell your neighbours if you want to carry out any building work near or on your shared property boundary, or \u2018party wall\u2019, in England and Wales.\n\nParty walls stand on the land of 2 or more owners and either:\n\n- form part of a building\n\n- don\u2019t form part of a building, such as a garden wall (not wooden fences)\n\nWalls on one owner\u2019s land used by other owners (2 or more) to separate their buildings are also party walls.\n\n## Party structures\n\nYou can also have a \u2018party structure\u2019. This could be a floor or other structure that separates buildings or parts of buildings with different owners, eg flats.\n\nParty wall agreements are different from planning permission or building regulations approval.\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Work you must tell your neighbour about\n\nYou must tell your neighbour if you want to:\n\n- build on or at the boundary of your 2 properties\n\n- work on an existing party wall or party structure\n\n- dig below and near to the foundation level of their property\n\nExamples of this type of work include:\n\n- building a new wall\n\n- cutting into a party wall\n\n- making a party wall taller, shorter or deeper\n\n- removing chimneys from a party wall\n\n- knocking down and rebuilding a party wall\n\nFind more details of work you need to tell your neighbour about in the party wall explanatory booklet.\n\nYour neighbours can\u2019t stop you from making changes to your property that are within the law, but they can affect how and when your works are carried out.\n\n## What you don\u2019t need to tell them about\n\nYou don\u2019t need to tell your neighbour about minor changes, eg plastering, adding or replacing electrical wiring or sockets, or drilling to put up shelves or cabinets.\n\n## When and how to tell them\n\nYou must give notice to your neighbour between 2 months and a year before you plan to start building works. Include what you plan on doing.\n\nYou can speak to your neighbour to explain the work you want to carry out, before giving notice in writing.\n\nFind letter templates and more information on giving notice in the party wall explanatory booklet.\n\nAny agreement you reach should be in writing.\n\n## Reaching an agreement with your neighbours\n\nOnce you\u2019ve given notice your neighbour can:\n\n- give consent in writing\n\n- refuse consent, which will start the dispute resolution process\n\n- serve a counter notice requesting additional works be done at the same time (they\u2019ll have to pay for these if they benefit from the works)\n\nYour neighbour must let you know in writing within 14 days if they consent to your notice, and you must do the same with any counter notice. A counter notice must be served within a month of the first notice.\n\nFind examples of counter notice letters in the party wall booklet.\n\nYour neighbours need to respond to the notice. You can\u2019t assume that no response means they agree to the works.\n\nThe dispute resolution process will also start if they don\u2019t respond to your notice within the given time.\n\n## Who pays for the work\n\nYou need to pay for any building works that you start on a party wall.\n\nYour neighbour may have to meet a share of the cost if the work needs to be done because of defects or lack of repair. They will also need to pay if they ask for additional works to be done that will benefit them.\n\nAn appointed surveyor will set out who pays what if you can\u2019t agree.\n\n## If you can't agree\n\nYou must appoint a surveyor if you and your neighbour can\u2019t agree. You can appoint a surveyor together or each appoint your own. The surveyors will then agree on a \u2018party wall award\u2019.\n\nThis is a legal document which says:\n\n- what work should happen\n\n- how and when it will be carried out\n\n- who will pay for which part and how much will be paid (including surveyor\u2019s fees)\n\nYou can\u2019t act as your own surveyor.\n\n## If your neighbour doesn\u2019t appoint a surveyor\n\nYou can appoint a surveyor on behalf of your neighbour if they refuse or fail to do so themselves.\n\n## If you don\u2019t agree with the award\n\nYou can appeal against an award at a county court within 14 days of receiving it. You need to file an appellant\u2019s notice in a county court, explaining why you\u2019re appealing.\n\n## When works begin\n\nWhen carrying out building works you must:\n\n- avoid causing unnecessary inconvenience\n\n- protect your neighbour\u2019s property from damage caused by the works, and fix or pay for any damage that is caused\n\n## Access to your neighbour\u2019s property\n\nYour neighbour must allow surveyors and workmen access to their property during usual working hours to carry out the building works. They must be given 14 days\u2019 notice except in an emergency.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/party-walls-building-works", + "answerable": true, + "scenario": "My partner and I live in a semi detached house and both ourselves and our neighbours are home owners. I want to do some plastering work on an inside wall. This will not physically affect our neighbours but will be rather noisy", + "original_question": "Are we obliged to inform our neighbours about the pending work and can they stop it?" + }, + { + "id": "train-945", + "question": "Scenario: Good evening. I run a small market stall, have a turn over of less that \u00a3150,000 pa. I have heard about VAT flat rate scheme.\n\nQuestion: Can I join the scheme online?\n\nDocument - VAT Flat Rate Scheme:\n## Overview\n\nThe amount of VAT a business pays or claims back from HM Revenue and Customs (HMRC) is usually the difference between the VAT charged by the business to customers and the VAT the business pays on their own purchases.\n\nWith the Flat Rate Scheme:\n\n- you pay a fixed rate of VAT to HMRC\n\n- you keep the difference between what you charge your customers and pay to HMRC\n\n- you cannot reclaim the VAT on your purchases - except for certain capital assets over \u00a32,000\n\nTo join the scheme your VAT turnover must be \u00a3150,000 or less (excluding VAT), and you must apply to HMRC.\n\nTalk to an accountant or tax adviser if you want advice on whether the Flat Rate Scheme is right for you.\n\n## Join or leave the scheme\n\nYou must be eligible to join the scheme.\n\n## How to join\n\nYou can join the scheme online when you register for VAT.\n\nYou can also fill in VAT600 FRS and either:\n\n- email it to frsapplications.vrs@hmrc.gsi.gov.uk\n\n- send it by post\n\nDo not use the address on the form - send it to the following address instead.\n\nUse VAT600 AA/FRS to apply for the Annual Accounting Scheme at the same time.\n\nYou\u2019ll get confirmation you\u2019ve joined the scheme through your VAT online account (or in the post if you do not apply online).\n\n## How to leave\n\nYou can choose to leave the scheme at any time. You must leave if you\u2019re no longer eligible to be in it.\n\nTo leave, write to HMRC and they will confirm your leaving date.\n\nYou must wait 12 months before you can rejoin the scheme.\n\n## Eligibility\n\nYou can join the Flat Rate Scheme if:\n\n- you\u2019re a VAT-registered business\n\n- you expect your VAT taxable turnover to be \u00a3150,000 or less (excluding VAT) in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use the scheme if:\n\n- you left the scheme in the last 12 months\n\n- you committed a VAT offence in the last 12 months, for example VAT evasion\n\n- you joined (or were eligible to join) a VAT group in the last 24 months\n\n- you registered for VAT as a business division in the last 24 months\n\n- your business is closely associated with another business\n\n- you\u2019ve joined a margin or capital goods VAT scheme\n\nYou cannot use the scheme with the Cash Accounting Scheme. Instead, the Flat Rate Scheme has its own cash-based method for calculating the turnover.\n\n## Leaving the scheme\n\nYou must leave the scheme if:\n\n- you\u2019re no longer eligible to be in it\n\n- on the anniversary of joining, your turnover in the last 12 months was more than \u00a3230,000 (including VAT) - or you expect it to be in the next 12 months\n\n- you expect your total income in the next 30 days alone to be more than \u00a3230,000 (including VAT)\n\n## Work out your flat rate\n\nThe VAT flat rate you use usually depends on your business type. You may pay a different rate if you only spend a small amount on goods.\n\nYou get a 1% discount if you\u2019re in your first year as a VAT-registered business.\n\n## If you spend a small amount on goods\n\nYou\u2019re classed as a \u2018limited cost business\u2019 if your goods cost less than either:\n\n- 2% of your turnover\n\n- \u00a31,000 a year (if your costs are more than 2%)\n\nThis means you pay a higher rate of 16.5%. You can calculate if you need to pay the higher rate and work out which goods count as costs.\n\nIf you are not a limited cost business, you use your business type to work out your flat rate.\n\n## Flat rates for types of business\n\nBecause of coronavirus (COVID-19) the flat rate for catering (including restaurants and takeaways), accommodation and pubs has been reduced until 31 March 2022.\n\n| Type of business | Current VAT flat rate (%) |\n\n| Accountancy or book-keeping | 14.5 |\n\n| Advertising | 11 |\n\n| Agricultural services | 11 |\n\n| Any other activity not listed elsewhere | 12 |\n\n| Architect, civil and structural engineer or surveyor | 14.5 |\n\n| Boarding or care of animals | 12 |\n\n| Business services not listed elsewhere | 12 |\n\n| Catering services including restaurants and takeaways before 15 July 2020 | 12.5 |\n\n| Catering services including restaurants and takeaways from 15 July 2020 to 30 September 2021 | 4.5 |\n\n| Catering services including restaurants and takeaways from 1 October 2021 to 31 March 2022 | 8.5 |\n\n| Computer and IT consultancy or data processing | 14.5 |\n\n| Computer repair services | 10.5 |\n\n| Entertainment or journalism | 12.5 |\n\n| Estate agency or property management services | 12 |\n\n| Farming or agriculture not listed elsewhere | 6.5 |\n\n| Film, radio, television or video production | 13 |\n\n| Financial services | 13.5 |\n\n| Forestry or fishing | 10.5 |\n\n| General building or construction services* | 9.5 |\n\n| Hairdressing or other beauty treatment services | 13 |\n\n| Hiring or renting goods | 9.5 |\n\n| Hotel or accommodation before 15 July 2020 | 10.5 |\n\n| Hotel or accommodation from 15 July 2020 to 30 September 2021 | 0 |\n\n| Hotel or accommodation from 1 October 2021 to 31 March 2022 | 5.5 |\n\n| Investigation or security | 12 |\n\n| Labour-only building or construction services* | 14.5 |\n\n| Laundry or dry-cleaning services | 12 |\n\n| Lawyer or legal services | 14.5 |\n\n| Library, archive, museum or other cultural activity | 9.5 |\n\n| Management consultancy | 14 |\n\n| Manufacturing fabricated metal products | 10.5 |\n\n| Manufacturing food | 9 |\n\n| Manufacturing not listed elsewhere | 9.5 |\n\n| Manufacturing yarn, textiles or clothing | 9 |\n\n| Membership organisation | 8 |\n\n| Mining or quarrying | 10 |\n\n| Packaging | 9 |\n\n| Photography | 11 |\n\n| Post offices | 5 |\n\n| Printing | 8.5 |\n\n| Publishing | 11 |\n\n| Pubs before 15 July 2020 | 6.5 |\n\n| Pubs from 15 July 2020 to 30 September 2021 | 1 |\n\n| Pubs from 1 October 2021 to 31 March 2022 | 4 |\n\n| Real estate activity not listed elsewhere | 14 |\n\n| Repairing personal or household goods | 10 |\n\n| Repairing vehicles | 8.5 |\n\n| Retailing food, confectionery, tobacco, newspapers or children\u2019s clothing | 4 |\n\n| Retailing pharmaceuticals, medical goods, cosmetics or toiletries | 8 |\n\n| Retailing not listed elsewhere | 7.5 |\n\n| Retailing vehicles or fuel | 6.5 |\n\n| Secretarial services | 13 |\n\n| Social work | 11 |\n\n| Sport or recreation | 8.5 |\n\n| Transport or storage, including couriers, freight, removals and taxis | 10 |\n\n| Travel agency | 10.5 |\n\n| Veterinary medicine | 11 |\n\n| Wholesaling agricultural products | 8 |\n\n| Wholesaling food | 7.5 |\n\n| Wholesaling not listed elsewhere | 8.5 |\n\n*\u2018Labour-only building or construction services\u2019 means building services where the value of the materials supplied is less than 10% of the turnover for those services. If more than this amount, the business is classed as \u2018General building or construction services\u2019.\n\n## What you pay\n\nYou calculate the tax you pay by multiplying your VAT flat rate by your \u2018VAT inclusive turnover\u2019.\n\nVAT inclusive turnover is different from standard VAT turnover. As well as business income (such as from sales), it includes the VAT paid on that income.\n\n## Calculating 2 flat rates\n\nThe first calculation should start from day one of your accounting period to the last day of that flat rate. The second should start from the date of the new flat rate to the end of your accounting period.\n\n## Get help\n\nCall the VAT Helpline if you have any questions about the Flat Rate Scheme.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "answerable": true, + "scenario": "Good evening. I run a small market stall, have a turn over of less that \u00a3150,000 pa. I have heard about VAT flat rate scheme.", + "original_question": "Can I join the scheme online?" + }, + { + "id": "train-947", + "question": "Scenario: Good afternoon. I have trouble getting to the bank to pay my bills. i do not want to fall behind on my tax. I am hoping to be able to do this from home instead.\n\nQuestion: Does HMRC have the ability to receive payment on the internet?\n\nDocument - Pay your Self Assessment tax bill:\n## Overview\n\nThe deadlines for paying your tax bill are usually:\n\n- 31 January - for any tax you owe for the previous tax year (known as a balancing payment) and your first payment on account\n\n- 31 July for your second payment on account\n\nIf you delayed making a payment on account in July 2020 because of coronavirus (COVID-19), this will be added to your tax bill due by 31 January 2021.\n\nPay Self Assessment now\n\nYou can pay in regular monthly instalments, if you prefer.\n\nYou can get help if you cannot pay your tax bill on time.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline. You\u2019ll be charged interest and may have to pay a penalty if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- through your online bank account\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\nYou need a paying-in slip from HMRC to pay at a bank or building society.\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set one up with HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set one up with HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before (unless you\u2019re paying by Faster Payments or by debit or credit card).\n\n## Problems with payment services\n\nOnline payment services may be slow during busy times. Check if there are any current problems or times they are not available.\n\n## Direct Debit\n\nSet up a Direct Debit through your HM Revenue and Customs (HMRC) online account to make single payments for 31 January.\n\nYou can also set up another Direct Debit if you need to make a payment on account.\n\nYou\u2019ll need to set up single payments each time you want to pay by Direct Debit.\n\n## Reference number\n\nYou\u2019ll need to use your 11-character payment reference. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.\n\nYou\u2019ll find it either on your:\n\n- HMRC online account\n\n- paying-in slip, if you get paper statements\n\nYour payment may be delayed if you use the wrong reference number.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\nIf you\u2019re unable to pay your Self-Assessment tax bill in full by card, you should use another payment method like a bank transfer.\n\n## Make an online or telephone bank transfer\n\nYou can pay your Self Assessment bill using Faster Payments, CHAPS or Bacs.\n\n## Pay by Faster Payments, CHAPS or Bacs\n\nYour bill will tell you which account to pay in to. If you do not have a bill, or you\u2019re not sure, use HMRC Cumbernauld.\n\n## Account details to use\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## If your account is overseas\n\n| Bank identifier code (BIC) | Account number (IBAN) | Account name |\n\n| BARCGB22 | GB62BARC20114770297690 | HMRC Cumbernauld |\n\n| BARCGB22 | GB03BARC20114783977692 | HMRC Shipley |\n\n## What you\u2019ll need\n\nYou\u2019ll need to use your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.\n\nYou can find it on your:\n\n- HMRC online account\n\n- paying-in slip, if you get paper statements\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nPayments from overseas may take longer - check with your bank.\n\n## Multiple payments by CHAPS\n\nSend an online CHAPS enquiry form if you want to make a single CHAPS payment for multiple Self Assessment bills, using more than one payment reference number.\n\nHMRC\u2019s banking address is:\n\n## Approve a payment through your online bank account\n\nYou can pay your Self Assessment bill directly using your online or mobile bank account.\n\nWhen you\u2019re ready to pay, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your Self Assessment payment.\n\nThe payment is usually instant but sometimes it takes up to 2 hours to show in your account.\n\nYou\u2019ll need to have your online banking details ready to pay this way.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nUse your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find it either:\n\n- in your HMRC online account\n\n- on your paying-in slip, if you get paper statements\n\nHMRC will accept your payment on the date you make it, not the date it reaches their account - including on bank holidays and weekends.\n\nIf you\u2019re unable to pay your Self Assessment tax bill in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can only pay at your branch by cash or cheque if you both:\n\n- still get paper statements from HM Revenue and Customs (HMRC)\n\n- have the paying-in slip HMRC sent you\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find the reference number on the paying-in slip.\n\nHMRC will accept your payment on the date you make it, and not the date it reaches their account (as long as you pay from Monday to Friday).\n\n## If you do not have a paying-in slip\n\nYou\u2019ll need to pay by another method instead, for example:\n\n- debit or corporate credit card online\n\n- online or telephone banking\n\n- Direct Debit\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find this on your payslip.\n\nInclude the payslip HMRC sent you (if you still get paper statements). Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque correctly.\n\n## If you do not have an HMRC payslip\n\nYou can print a slip to use to pay by post. You cannot use this at a bank.\n\n## Pay in instalments\n\nIf you\u2019ve already filed your Self Assessment tax return, you might be able to pay the bill in instalments.\n\nWhat you need to do depends on whether you want to:\n\n- make payments against your latest bill\n\n- make advance payments against your next bill\n\n## If you cannot afford to pay your latest bill\n\nYou can set up a payment plan to spread the cost of your latest Self Assessment bill if all the following apply:\n\n- you owe \u00a330,000 or less\n\n- you do not have any other payment plans or debts with HMRC\n\n- your tax returns are up to date\n\n- it\u2019s less than 60 days after the payment deadline\n\nYou can choose how much to pay straight away and how much you want to pay each month. You\u2019ll have to pay interest.\n\nIf you don\u2019t keep up with your repayments, HM Revenue and Customs (HMRC) can ask you to pay everything you owe.\n\nThere are 2 ways you can set up a payment plan:\n\n- set up a payment plan online\n\n- call the Payment Support Service\n\n## If you want to make regular payments in advance\n\nYou can set up a budget payment plan if you want to put aside money to cover your next Self Assessment tax bill.\n\nThis is different from payments on account, which you normally make once every 6 months towards your next tax bill.\n\nThe budget payment plan lets you:\n\n- decide how much to pay each week or month\n\n- stop paying for up to 6 months\n\nYou must be up to date with your previous Self Assessment payments.\n\nSet up your plan using your HM Revenue and Customs (HMRC) online account. Go to the Direct Debit section and choose the budget payment option when filling in the Direct Debit form.\n\nIf the amount in your budget payment plan does not cover your next bill in full, you\u2019ll need to pay the difference by the payment deadlines.\n\n## Through your tax code\n\nYou can pay your Self Assessment bill through your PAYE tax code as long as all these apply:\n\n- you owe less than \u00a33,000 on your tax bill\n\n- you already pay tax through PAYE, for example you\u2019re an employee or you get a company pension\n\n- you submitted your paper tax return by 31 October or your online tax return online by 30 December\n\n## How it\u2019s set up\n\nHM Revenue and Customs (HMRC) will automatically collect what you owe through your tax code if you meet all 3 conditions, unless you\u2019ve specifically asked them not to (on your tax return).\n\nIf you\u2019re not eligible, you will not be able to pay this way.\n\n## When you cannot pay through your tax code\n\nYou will not be able to pay your tax bill through your PAYE tax code if:\n\n- you do not have enough PAYE income for HMRC to collect it\n\n- you\u2019d pay more than 50% of your PAYE income in tax\n\n- you\u2019d end up paying more than twice as much tax as you normally do\n\nIf you\u2019re self-employed you cannot pay Class 2 National Insurance through your tax code, unless it\u2019s been due since before 6 April 2015. You must use one of the other ways to pay by the deadline instead.\n\n## How deductions are made\n\nThe tax you owe will be taken from your salary or pension in equal instalments over 12 months, along with your usual tax deductions.\n\n## Check your payment has been received\n\nView your HM Revenue and Customs online account to check if your payment\u2019s been received - it should show as paid between 3 to 6 working days later.\n\nIf paying by post, you can include a letter with your payment to ask for a receipt from HMRC.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "answerable": true, + "scenario": "Good afternoon. I have trouble getting to the bank to pay my bills. i do not want to fall behind on my tax. I am hoping to be able to do this from home instead.", + "original_question": "Does HMRC have the ability to receive payment on the internet?" + }, + { + "id": "train-948", + "question": "Scenario: Good morning. Ted the plumber here. I have a tax bill of \u00a315,000 to pay. To be honest, cashflow is tight right now and I'll find it hard to stump that all up at once.\n\nQuestion: Is it possible to pay what I owe monthly?\n\nDocument - Pay your Self Assessment tax bill:\n## Overview\n\nThe deadlines for paying your tax bill are usually:\n\n- 31 January - for any tax you owe for the previous tax year (known as a balancing payment) and your first payment on account\n\n- 31 July for your second payment on account\n\nIf you delayed making a payment on account in July 2020 because of coronavirus (COVID-19), this will be added to your tax bill due by 31 January 2021.\n\nPay Self Assessment now\n\nYou can pay in regular monthly instalments, if you prefer.\n\nYou can get help if you cannot pay your tax bill on time.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline. You\u2019ll be charged interest and may have to pay a penalty if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- through your online bank account\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\nYou need a paying-in slip from HMRC to pay at a bank or building society.\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set one up with HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set one up with HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before (unless you\u2019re paying by Faster Payments or by debit or credit card).\n\n## Problems with payment services\n\nOnline payment services may be slow during busy times. Check if there are any current problems or times they are not available.\n\n## Direct Debit\n\nSet up a Direct Debit through your HM Revenue and Customs (HMRC) online account to make single payments for 31 January.\n\nYou can also set up another Direct Debit if you need to make a payment on account.\n\nYou\u2019ll need to set up single payments each time you want to pay by Direct Debit.\n\n## Reference number\n\nYou\u2019ll need to use your 11-character payment reference. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.\n\nYou\u2019ll find it either on your:\n\n- HMRC online account\n\n- paying-in slip, if you get paper statements\n\nYour payment may be delayed if you use the wrong reference number.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\nIf you\u2019re unable to pay your Self-Assessment tax bill in full by card, you should use another payment method like a bank transfer.\n\n## Make an online or telephone bank transfer\n\nYou can pay your Self Assessment bill using Faster Payments, CHAPS or Bacs.\n\n## Pay by Faster Payments, CHAPS or Bacs\n\nYour bill will tell you which account to pay in to. If you do not have a bill, or you\u2019re not sure, use HMRC Cumbernauld.\n\n## Account details to use\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## If your account is overseas\n\n| Bank identifier code (BIC) | Account number (IBAN) | Account name |\n\n| BARCGB22 | GB62BARC20114770297690 | HMRC Cumbernauld |\n\n| BARCGB22 | GB03BARC20114783977692 | HMRC Shipley |\n\n## What you\u2019ll need\n\nYou\u2019ll need to use your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.\n\nYou can find it on your:\n\n- HMRC online account\n\n- paying-in slip, if you get paper statements\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nPayments from overseas may take longer - check with your bank.\n\n## Multiple payments by CHAPS\n\nSend an online CHAPS enquiry form if you want to make a single CHAPS payment for multiple Self Assessment bills, using more than one payment reference number.\n\nHMRC\u2019s banking address is:\n\n## Approve a payment through your online bank account\n\nYou can pay your Self Assessment bill directly using your online or mobile bank account.\n\nWhen you\u2019re ready to pay, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your Self Assessment payment.\n\nThe payment is usually instant but sometimes it takes up to 2 hours to show in your account.\n\nYou\u2019ll need to have your online banking details ready to pay this way.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nUse your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find it either:\n\n- in your HMRC online account\n\n- on your paying-in slip, if you get paper statements\n\nHMRC will accept your payment on the date you make it, not the date it reaches their account - including on bank holidays and weekends.\n\nIf you\u2019re unable to pay your Self Assessment tax bill in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can only pay at your branch by cash or cheque if you both:\n\n- still get paper statements from HM Revenue and Customs (HMRC)\n\n- have the paying-in slip HMRC sent you\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find the reference number on the paying-in slip.\n\nHMRC will accept your payment on the date you make it, and not the date it reaches their account (as long as you pay from Monday to Friday).\n\n## If you do not have a paying-in slip\n\nYou\u2019ll need to pay by another method instead, for example:\n\n- debit or corporate credit card online\n\n- online or telephone banking\n\n- Direct Debit\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find this on your payslip.\n\nInclude the payslip HMRC sent you (if you still get paper statements). Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque correctly.\n\n## If you do not have an HMRC payslip\n\nYou can print a slip to use to pay by post. You cannot use this at a bank.\n\n## Pay in instalments\n\nIf you\u2019ve already filed your Self Assessment tax return, you might be able to pay the bill in instalments.\n\nWhat you need to do depends on whether you want to:\n\n- make payments against your latest bill\n\n- make advance payments against your next bill\n\n## If you cannot afford to pay your latest bill\n\nYou can set up a payment plan to spread the cost of your latest Self Assessment bill if all the following apply:\n\n- you owe \u00a330,000 or less\n\n- you do not have any other payment plans or debts with HMRC\n\n- your tax returns are up to date\n\n- it\u2019s less than 60 days after the payment deadline\n\nYou can choose how much to pay straight away and how much you want to pay each month. You\u2019ll have to pay interest.\n\nIf you don\u2019t keep up with your repayments, HM Revenue and Customs (HMRC) can ask you to pay everything you owe.\n\nThere are 2 ways you can set up a payment plan:\n\n- set up a payment plan online\n\n- call the Payment Support Service\n\n## If you want to make regular payments in advance\n\nYou can set up a budget payment plan if you want to put aside money to cover your next Self Assessment tax bill.\n\nThis is different from payments on account, which you normally make once every 6 months towards your next tax bill.\n\nThe budget payment plan lets you:\n\n- decide how much to pay each week or month\n\n- stop paying for up to 6 months\n\nYou must be up to date with your previous Self Assessment payments.\n\nSet up your plan using your HM Revenue and Customs (HMRC) online account. Go to the Direct Debit section and choose the budget payment option when filling in the Direct Debit form.\n\nIf the amount in your budget payment plan does not cover your next bill in full, you\u2019ll need to pay the difference by the payment deadlines.\n\n## Through your tax code\n\nYou can pay your Self Assessment bill through your PAYE tax code as long as all these apply:\n\n- you owe less than \u00a33,000 on your tax bill\n\n- you already pay tax through PAYE, for example you\u2019re an employee or you get a company pension\n\n- you submitted your paper tax return by 31 October or your online tax return online by 30 December\n\n## How it\u2019s set up\n\nHM Revenue and Customs (HMRC) will automatically collect what you owe through your tax code if you meet all 3 conditions, unless you\u2019ve specifically asked them not to (on your tax return).\n\nIf you\u2019re not eligible, you will not be able to pay this way.\n\n## When you cannot pay through your tax code\n\nYou will not be able to pay your tax bill through your PAYE tax code if:\n\n- you do not have enough PAYE income for HMRC to collect it\n\n- you\u2019d pay more than 50% of your PAYE income in tax\n\n- you\u2019d end up paying more than twice as much tax as you normally do\n\nIf you\u2019re self-employed you cannot pay Class 2 National Insurance through your tax code, unless it\u2019s been due since before 6 April 2015. You must use one of the other ways to pay by the deadline instead.\n\n## How deductions are made\n\nThe tax you owe will be taken from your salary or pension in equal instalments over 12 months, along with your usual tax deductions.\n\n## Check your payment has been received\n\nView your HM Revenue and Customs online account to check if your payment\u2019s been received - it should show as paid between 3 to 6 working days later.\n\nIf paying by post, you can include a letter with your payment to ask for a receipt from HMRC.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "answerable": true, + "scenario": "Good morning. Ted the plumber here. I have a tax bill of \u00a315,000 to pay. To be honest, cashflow is tight right now and I'll find it hard to stump that all up at once.", + "original_question": "Is it possible to pay what I owe monthly?" + }, + { + "id": "train-949", + "question": "Scenario: I am a woman born in 1980. I relocated to Zambia from 2006 to 2016 and was not paying the National insurance.I am back to the UK and would like to pay. I don't want this to affect my state pension. Am I allowed to pay the gap?\n\nQuestion: Can i pay the gap?\n\nDocument - Voluntary National Insurance:\n## Gaps in your National Insurance record\n\nYou may get gaps in your record if you do not pay National Insurance or do not get National Insurance credits. This could be because you were:\n\n- employed but had low earnings\n\n- unemployed and were not claiming benefits\n\n- self-employed but did not pay contributions because of small profits\n\n- living abroad\n\nGaps can mean you will not have enough years of National Insurance contributions to get the full State Pension (sometimes called \u2018qualifying years\u2019).\n\nYou may be able to pay voluntary contributions to fill any gaps if you\u2019re eligible.\n\n## Check your record for gaps\n\nCheck your National Insurance record to find out:\n\n- if you have any gaps\n\n- if you\u2019re eligible to pay voluntary contributions\n\n- how much it will cost\n\nYou may also be eligible for National Insurance credits if you claim benefits because you cannot work, are unemployed or caring for someone full time.\n\nContact HM Revenue and Customs (HMRC) if you think your National Insurance record is wrong.\n\n## Decide if you want to pay voluntary contributions\n\nVoluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.\n\nYou may also want to get financial advice before you decide to make voluntary contributions.\n\n## Why you might want to pay voluntary contributions\n\nYou may want to pay voluntary contributions because:\n\n- you\u2019re close to State Pension age and do not have enough qualifying years to get the full State Pension\n\n- you know you will not be able to get the qualifying years you need to get the full State Pension during your working life\n\n- you\u2019re self-employed and do not have to pay Class 2 contributions because you have low profits\n\n- you live outside the UK, but you want to qualify for some benefits\n\n## Self-employed people with specific jobs\n\nSome people do not pay Class 2 contributions through Self Assessment, but may want to pay voluntary contributions. These are:\n\n- examiners, moderators, invigilators and people who set exam questions\n\n- people who run businesses involving land or property\n\n- ministers of religion who do not receive a salary or stipend\n\n- people who make investments for themselves or others - but not as a business and without getting a fee or commission\n\n## Eligibility\n\nYou must be eligible to pay voluntary National Insurance contributions for the time that the contributions cover.\n\nYou can usually only pay for gaps in your National Insurance record from the past 6 years.\n\nYou can sometimes pay for gaps from more than 6 years ago depending on your age.\n\n## Who can pay voluntary contributions\n\nThese tables explain who\u2019s eligible to pay Class 2 or Class 3 contributions.\n\n| Your situation | Which class to pay |\n\n| Employed but earning under \u00a3120 a week and not eligible for National Insurance credits | Class 3 |\n\n| Self-employed with profits under \u00a36,515 | Class 2 or Class 3 - they count towards different benefits |\n\n| Both employed and self-employed, with low earnings and small profits | Contact HM Revenue and Customs (HMRC) to check if you have a gap and how much you need to pay |\n\n| Self-employed as an examiner, minister of religion or in an investment or land and property business | Class 2 or Class 3 - they count towards different benefits |\n\n| Living and working abroad | Class 2 - but only if you worked in the UK immediately before leaving, and you\u2019ve previously lived in the UK for at least 3 years in a row or paid at least 3 years of contributions |\n\n| Living abroad but not working | Class 3 - but only if at some point you\u2019ve lived in the UK for at least 3 years in a row or paid at least 3 years of contributions |\n\n| Unemployed and not claiming benefits | Class 3 |\n\n| Married woman or widow who stopped paying reduced rates | Class 3 |\n\nYou cannot pay voluntary contributions if:\n\n- you\u2019re eligible for National Insurance credits\n\n- you\u2019re a married woman or widow paying reduced rates\n\n## If you\u2019re over State Pension age\n\n| Your situation | Which class to pay |\n\n| You\u2019ve reached State Pension age and want to fill in gaps in your National Insurance record | Class 3 |\n\n## Rates\n\nThe rates for the 2021 to 2022 tax year are:\n\n- \u00a33.05 a week for Class 2\n\n- \u00a315.40 a week for Class 3\n\nYou usually pay the current rate when you make a voluntary contribution.\n\n## If you\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953\n\nYou can pay voluntary contributions by 5 April 2023 to make up for gaps between 6 April 2006 and 5 April 2016.\n\nYou\u2019ll pay the current rate.\n\n## When you pay different rates\n\nIf you\u2019re paying Class 2 contributions for the previous tax year or Class 3 contributions for the previous 2 tax years, you pay the original rate for those tax years.\n\nCall HM Revenue and Customs (HMRC) if you have questions about voluntary National Insurance.\n\n## How and when to pay\n\nFind out how to:\n\n- pay Class 2 voluntary contributions\n\n- pay Class 3 voluntary contributions\n\nIf you\u2019re living abroad, read leaflet NI38 and fill in form CF83 (found at the end). Send it back to HMRC using the address on the form.\n\n## Deadlines\n\nYou can usually pay voluntary contributions for the past 6 years. The deadline is 5 April each year.\n\nYou can sometimes pay for gaps from more than 6 years ago, depending on your age.\n\n## You\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953\n\nYou have until 5 April 2023 to pay voluntary contributions to make up for gaps between April 2006 and April 2016.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "answerable": true, + "scenario": "I am a woman born in 1980. I relocated to Zambia from 2006 to 2016 and was not paying the National insurance.I am back to the UK and would like to pay. I don't want this to affect my state pension. Am I allowed to pay the gap?", + "original_question": "Can i pay the gap?" + }, + { + "id": "train-951", + "question": "Scenario: I have been working for my company for three years and have just been offered a stake in the company in the form of free shares through a share incentive plan. I have never held shares before and am not sure what to do.\n\nQuestion: Can I get tax relief on these shares?\n\nDocument - Tax and Employee Share Schemes:\n## Overview\n\nIf your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.\n\nTax advantages only apply if the shares are offered through the following schemes:\n\n- Share Incentive Plans\n\n- Save As You Earn (SAYE)\n\n- Company Share Option Plans\n\n- Enterprise Management Incentives (EMIs)\n\nYou may be offered shares outside of these schemes. However these will not have the same tax advantages.\n\nYou can also get tax advantages if you\u2019re an employee shareholder.\n\n## Share Incentive Plans (SIPs)\n\nIf you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.\n\nYou will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.\n\nIf you take them out of the plan, keep them and then sell them later on, you might have to pay Capital Gains Tax if their value has increased.\n\nThere are 4 ways you can get shares under SIPs.\n\n## Free shares\n\nYour employer can give you up to \u00a33,600 of free shares in any tax year.\n\n## Partnership shares\n\nYou can buy shares out of your salary before tax deductions. There\u2019s a limit to how much you can spend - either \u00a31,800 or 10% of your income for the tax year, whichever is lower.\n\n## Matching shares\n\nYour employer can give you up to 2 free matching shares for each partnership share you buy.\n\n## Dividend shares\n\nYou may be able to buy more shares with the dividends you get from free, partnership or matching shares (but only if your employer\u2019s scheme allows it).\n\nYou will not pay Income Tax if you keep the dividend shares for at least 3 years.\n\nYou\u2019ll have to pay Income Tax and National Insurance on any shares you take out of a SIP early.\n\n## Save As You Earn (SAYE)\n\nThis is a savings-related share scheme where you can buy shares with your savings for a fixed price.\n\nYou can save up to \u00a3500 a month under the scheme. At the end of your savings contract (3 or 5 years) you can use the savings to buy shares.\n\nThe tax advantages are:\n\n- the interest and any bonus at the end of the scheme is tax-free\n\n- you do not pay Income Tax or National Insurance on the difference between what you pay for the shares and what they\u2019re worth\n\nYou might have to pay Capital Gains Tax if you sell the shares.\n\nYou\u2019ll not pay Capital Gains Tax if you transfer the shares:\n\n- to an Individual Savings Account (ISA) within 90 days of the scheme ending\n\n- to a pension, directly from the scheme when it ends\n\nIf you do not transfer your shares to a pension immediately when the scheme ends, you can still transfer them up to 90 days later. You may have to pay Capital Gains Tax if they go up in value between when you buy them and when you transfer them.\n\n## Company Share Option Plan\n\nThis gives you the option to buy up to \u00a330,000 worth of shares at a fixed price.\n\nYou will not pay Income Tax or National Insurance contributions on the difference between what you pay for the shares and what they\u2019re actually worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Enterprise Management Incentives (EMIs)\n\nIf you work for a company with assets of \u00a330 million or less, it may be able to offer Enterprise Management Incentives (EMIs).\n\nYour company can grant you share options up to the value of \u00a3250,000 in a 3-year period.\n\nYou will not have to pay Income Tax or National Insurance if you buy the shares for at least the market value they had when you were granted the option.\n\nIf you were given a discount on the market value, you\u2019ll have to pay Income Tax or National Insurance on the difference between what you pay and what the shares were worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Excluded activities\n\nCompanies that work in \u2018excluded activities\u2019 are not allowed to offer EMIs. Excluded activities include:\n\n- banking\n\n- farming\n\n- property development\n\n- provision of legal services\n\n- ship building\n\n## Employee shareholder shares\n\nTo be an employee shareholder, you must own shares in your employer\u2019s company that were worth at least \u00a32,000 when you got them.\n\nYou will not usually pay Income Tax or National Insurance on the first \u00a32,000 worth of employee shareholder shares you get before 1 December 2016.\n\nYou will not get tax relief if you or someone you\u2019re connected with (like a business partner, spouse or family member) have 25% or more voting rights in the company.\n\nWhen you become an employee shareholder your employer must pay for an independent expert to give advice about the terms and effects of the employee shareholder agreement. This advice not count as a taxable benefit.\n\n## Selling your shares\n\nYou might not pay Capital Gains Tax when you sell shares. It depends on when you signed your employee shareholder agreement.\n\n## Before 17 March 2016\n\nYou only pay Capital Gains Tax on shares that were worth over \u00a350,000 when you got them.\n\n## From 17 March 2016\n\nYou only pay Capital Gains Tax on gains over \u00a3100,000 that you make during your lifetime. The \u2018gain\u2019 is the profit you make when you sell shares that have increased in value.\n\n## Transferring your shares to an ISA\n\nYou can transfer up to \u00a320,000 of employee shares into a stocks and shares Individual Savings Account (ISA) if you have shares in a:\n\n- Save As You Earn (SAYE) scheme\n\n- Share Incentive Plan (SIP)\n\nYour ISA provider must agree to the transfer.\n\nYou will not have to pay Capital Gains Tax on any gains you make on your shares if you move them to an ISA.\n\nYou must transfer your shares to your ISA within 90 days of when you took out your SIP or SAYE shares.\n\nThese shares will count towards your \u00a320,000 ISA limit. They cannot be in addition to the limit.\n\nAsk your employer or ISA provider for more information on how to transfer.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-employee-share-schemes", + "answerable": true, + "scenario": "I have been working for my company for three years and have just been offered a stake in the company in the form of free shares through a share incentive plan. I have never held shares before and am not sure what to do.", + "original_question": "Can I get tax relief on these shares?" + }, + { + "id": "train-952", + "question": "Scenario: I am a long term, full time employee of a major retailer and have some shares through their save as you earn scheme. These shares have consistently increased in value and it has been recommended that I transfer them to an ISA.\n\nQuestion: Can I transfer them to an ISA?\n\nDocument - Tax and Employee Share Schemes:\n## Overview\n\nIf your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.\n\nTax advantages only apply if the shares are offered through the following schemes:\n\n- Share Incentive Plans\n\n- Save As You Earn (SAYE)\n\n- Company Share Option Plans\n\n- Enterprise Management Incentives (EMIs)\n\nYou may be offered shares outside of these schemes. However these will not have the same tax advantages.\n\nYou can also get tax advantages if you\u2019re an employee shareholder.\n\n## Share Incentive Plans (SIPs)\n\nIf you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.\n\nYou will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.\n\nIf you take them out of the plan, keep them and then sell them later on, you might have to pay Capital Gains Tax if their value has increased.\n\nThere are 4 ways you can get shares under SIPs.\n\n## Free shares\n\nYour employer can give you up to \u00a33,600 of free shares in any tax year.\n\n## Partnership shares\n\nYou can buy shares out of your salary before tax deductions. There\u2019s a limit to how much you can spend - either \u00a31,800 or 10% of your income for the tax year, whichever is lower.\n\n## Matching shares\n\nYour employer can give you up to 2 free matching shares for each partnership share you buy.\n\n## Dividend shares\n\nYou may be able to buy more shares with the dividends you get from free, partnership or matching shares (but only if your employer\u2019s scheme allows it).\n\nYou will not pay Income Tax if you keep the dividend shares for at least 3 years.\n\nYou\u2019ll have to pay Income Tax and National Insurance on any shares you take out of a SIP early.\n\n## Save As You Earn (SAYE)\n\nThis is a savings-related share scheme where you can buy shares with your savings for a fixed price.\n\nYou can save up to \u00a3500 a month under the scheme. At the end of your savings contract (3 or 5 years) you can use the savings to buy shares.\n\nThe tax advantages are:\n\n- the interest and any bonus at the end of the scheme is tax-free\n\n- you do not pay Income Tax or National Insurance on the difference between what you pay for the shares and what they\u2019re worth\n\nYou might have to pay Capital Gains Tax if you sell the shares.\n\nYou\u2019ll not pay Capital Gains Tax if you transfer the shares:\n\n- to an Individual Savings Account (ISA) within 90 days of the scheme ending\n\n- to a pension, directly from the scheme when it ends\n\nIf you do not transfer your shares to a pension immediately when the scheme ends, you can still transfer them up to 90 days later. You may have to pay Capital Gains Tax if they go up in value between when you buy them and when you transfer them.\n\n## Company Share Option Plan\n\nThis gives you the option to buy up to \u00a330,000 worth of shares at a fixed price.\n\nYou will not pay Income Tax or National Insurance contributions on the difference between what you pay for the shares and what they\u2019re actually worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Enterprise Management Incentives (EMIs)\n\nIf you work for a company with assets of \u00a330 million or less, it may be able to offer Enterprise Management Incentives (EMIs).\n\nYour company can grant you share options up to the value of \u00a3250,000 in a 3-year period.\n\nYou will not have to pay Income Tax or National Insurance if you buy the shares for at least the market value they had when you were granted the option.\n\nIf you were given a discount on the market value, you\u2019ll have to pay Income Tax or National Insurance on the difference between what you pay and what the shares were worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Excluded activities\n\nCompanies that work in \u2018excluded activities\u2019 are not allowed to offer EMIs. Excluded activities include:\n\n- banking\n\n- farming\n\n- property development\n\n- provision of legal services\n\n- ship building\n\n## Employee shareholder shares\n\nTo be an employee shareholder, you must own shares in your employer\u2019s company that were worth at least \u00a32,000 when you got them.\n\nYou will not usually pay Income Tax or National Insurance on the first \u00a32,000 worth of employee shareholder shares you get before 1 December 2016.\n\nYou will not get tax relief if you or someone you\u2019re connected with (like a business partner, spouse or family member) have 25% or more voting rights in the company.\n\nWhen you become an employee shareholder your employer must pay for an independent expert to give advice about the terms and effects of the employee shareholder agreement. This advice not count as a taxable benefit.\n\n## Selling your shares\n\nYou might not pay Capital Gains Tax when you sell shares. It depends on when you signed your employee shareholder agreement.\n\n## Before 17 March 2016\n\nYou only pay Capital Gains Tax on shares that were worth over \u00a350,000 when you got them.\n\n## From 17 March 2016\n\nYou only pay Capital Gains Tax on gains over \u00a3100,000 that you make during your lifetime. The \u2018gain\u2019 is the profit you make when you sell shares that have increased in value.\n\n## Transferring your shares to an ISA\n\nYou can transfer up to \u00a320,000 of employee shares into a stocks and shares Individual Savings Account (ISA) if you have shares in a:\n\n- Save As You Earn (SAYE) scheme\n\n- Share Incentive Plan (SIP)\n\nYour ISA provider must agree to the transfer.\n\nYou will not have to pay Capital Gains Tax on any gains you make on your shares if you move them to an ISA.\n\nYou must transfer your shares to your ISA within 90 days of when you took out your SIP or SAYE shares.\n\nThese shares will count towards your \u00a320,000 ISA limit. They cannot be in addition to the limit.\n\nAsk your employer or ISA provider for more information on how to transfer.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-employee-share-schemes", + "answerable": true, + "scenario": "I am a long term, full time employee of a major retailer and have some shares through their save as you earn scheme. These shares have consistently increased in value and it has been recommended that I transfer them to an ISA.", + "original_question": "Can I transfer them to an ISA?" + }, + { + "id": "train-954", + "question": "Scenario: I live in Scotland and am a full time employee earning \u00a350,000 per year. I also have a property in England. I would like to pay self assessment tax returns . I want pay for 2020-2021 tax year.\n\nQuestion: In matters of tax returns, will Scotland be termed as my main home?\n\nDocument - Income Tax in Scotland:\n## Current rates\n\nYou pay Scottish Income Tax if you live in Scotland. It\u2019s paid to the Scottish Government.\n\nScottish Income Tax applies to your wages, pension and most other taxable income.\n\nYou\u2019ll pay the same tax as the rest of the UK on dividends and savings interest.\n\n## What you\u2019ll pay\n\nThe table shows the 2021 to 2022 Scottish Income Tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570. You do not get a Personal Allowance if you earn over \u00a3125,140.\n\n| Band | Taxable income | Scottish tax rate |\n\n| Personal Allowance | Up to \u00a312,570 | 0% |\n\n| Starter rate | \u00a312,571 to \u00a314,667 | 19% |\n\n| Basic rate | \u00a314,668 to \u00a325,296 | 20% |\n\n| Intermediate rate | \u00a325,297 to \u00a343,662 | 21% |\n\n| Higher rate | \u00a343,663 to \u00a3150,000 | 41% |\n\n| Top rate | over \u00a3150,000 | 46% |\n\n## Who pays\n\nYou pay Scottish Income Tax if you live in Scotland.\n\nYou may also pay Scottish Income Tax if you:\n\n- move to or from Scotland\n\n- live in a home in Scotland and one elsewhere in the UK, for example for work\n\n- do not have a home and stay in Scotland regularly, for example you stay offshore or in hotels\n\n## How you pay\n\nIf you\u2019re employed or get a pension, your tax code will start with an \u2018S\u2019. This tells your employer or pension provider to deduct tax at the Scottish rate.\n\nYour tax code will be S1250L if you pay Scottish Income Tax and get the standard Personal Allowance of \u00a312,500.\n\nIf you fill in an online Self Assessment tax return, there\u2019s a box for you to tell HMRC that you pay Scottish Income Tax.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you move to or from Scotland\n\nYou pay Scottish Income Tax if you move to Scotland and live there for a longer period than anywhere else in the UK during a tax year (6 April to 5 April the following year).\n\nYou must tell HMRC of your new address if you move to or from Scotland. You may pay tax at the wrong rate if you do not.\n\n## If HMRC changes your tax rate\n\nThe new rate you pay will be backdated to the start of the tax year (6 April) in which you moved. The tax taken from your wages or pension will be adjusted automatically so you pay the right amount across the whole year.\n\n## If you live in more than one home\n\nYou need to know which is your main home if you have one in Scotland and one somewhere else in the UK.\n\n## What counts as your main home\n\nYour main home is usually where you live and spend most of your time.\n\nIt does not matter whether you own it, rent it or live in it for free.\n\nYour main home may be the home where you spend less time if that\u2019s where:\n\n- most of your possessions are\n\n- your family lives, if you\u2019re married or in a civil partnership\n\n- you\u2019re registered for things like your bank account, GP or car insurance\n\n- you\u2019re a member of clubs or societies\n\nThis might apply to you if you live away because of your work, for example you\u2019re a lorry driver, an offshore worker or in the armed forces.\n\nYou can contact HMRC to change which home counts as your main one.\n\n## If you\u2019re not sure which is your main home\n\nHMRC has detailed information about working out which is your main home, including if:\n\n- you\u2019re a mobile worker, for example your job means you travel most of the time\n\n- you\u2019re a student\n\n- you do not have a permanent home\n\n## 2020 to 2021 tax year\n\nYou pay a different rate of tax for income from the tax year 6 April 2020 to 5 April 2021.\n\n| Band | Taxable income | Scottish tax rate |\n\n| Personal Allowance | Up to \u00a312,500 | 0% |\n\n| Starter rate | \u00a312,501 to \u00a314,585 | 19% |\n\n| Basic rate | \u00a314,586 to \u00a325,158 | 20% |\n\n| Intermediate rate | \u00a325,159 to \u00a343,430 | 21% |\n\n| Higher rate | \u00a343,431 to \u00a3150,000 | 41% |\n\n| Top rate | over \u00a3150,000 | 46% |\n\nIt applies to your wages, pension and most other taxable income.\n\nYou pay the same tax as the rest of the UK on dividends and savings interest.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/scottish-income-tax", + "answerable": true, + "scenario": "I live in Scotland and am a full time employee earning \u00a350,000 per year. I also have a property in England. I would like to pay self assessment tax returns . I want pay for 2020-2021 tax year.", + "original_question": "In matters of tax returns, will Scotland be termed as my main home?" + }, + { + "id": "train-955", + "question": "Scenario: I have been a primary school teacher for over thirty years and am coming up to retirement age. I have a private pension through my job but someone told me recently that I might be liable to pay tax on this, which is alarming me very much.\n\nQuestion: Must I pay tax on a pension I have worked hard for for a long time?\n\nDocument - Tax on your private pension contributions:\n## Overview\n\nYour private pension contributions are tax-free up to certain limits.\n\nThis applies to most private pension schemes, for example:\n\n- workplace pensions\n\n- personal and stakeholder pensions\n\n- overseas pension schemes that qualify for UK tax relief - ask your provider if it\u2019s a \u2018qualifying overseas pension scheme\u2019\n\nPension schemes must be registered with HMRC to qualify for tax relief. Check with your pension provider if you\u2019re unsure if your scheme is registered or not.\n\nYou pay tax when you take money out of a pension.\n\n## Limits to your tax-free contributions\n\nYou usually pay tax if savings in your pension pots go above:\n\n- 100% of your earnings in a year - this is the limit on tax relief you get\n\n- \u00a340,000 a year - check your \u2018annual allowance\u2019\n\n- \u00a31,073,100 in your lifetime - this is the lifetime allowance\n\nYou also pay tax on contributions if your pension provider:\n\n- is not registered for tax relief with HM Revenue and Customs (HMRC)\n\n- does not invest your pension pot according to HMRC\u2019s rules\n\n## Tax relief\n\nYou can get tax relief on private pension contributions worth up to 100% of your annual earnings.\n\nYou get the tax relief automatically if your:\n\n- employer takes workplace pension contributions out of your pay before deducting Income Tax\n\n- rate of Income Tax is 20% - your pension provider will claim it as tax relief and add it to your pension pot (\u2018relief at source\u2019)\n\nIf your rate of Income Tax in Scotland is 19% your pension provider will claim tax relief for you at a rate of 20%. You do not need to pay the difference.\n\nUK tax relief is also available on contributions made to certain types of overseas pension schemes.\n\nIt\u2019s up to you to make sure you\u2019re not getting tax relief on pension contributions worth more than 100% of your annual earnings. HM Revenue and Customs (HMRC) can ask you to pay back anything over this limit.\n\n## Relief at source\n\nYou get relief at source in all personal and stakeholder pensions, and some workplace pensions.\n\n## To get relief at source\n\nBefore paying into a scheme, you need to agree to certain conditions about your contributions (\u2018make declarations\u2019). Your pension provider will tell you what these are.\n\nYou also need to give your pension provider your:\n\n- full name and address\n\n- date of birth\n\n- National Insurance number\n\n- employment status - or tell them if you\u2019re retired, a full time student, a carer or aged under 16\n\nYour employer may do this for you if you\u2019re automatically enrolled in their pension scheme.\n\nYour pension provider will let you know if this is the case and ask you to confirm your details are correct. You must do this within 30 days.\n\n## When you have to claim tax relief\n\nYou may be able to claim tax relief on pension contributions if:\n\n- you pay Income Tax at a rate above 20% and your pension provider claims the first 20% for you (relief at source)\n\n- your pension scheme is not set up for automatic tax relief\n\n- someone else pays into your pension\n\n## Claim tax relief in England, Wales or Northern Ireland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 20% up to the amount of any income you have paid 40% tax on\n\n- 25% up to the amount of any income you have paid 45% tax on\n\nYou can also call or write to HMRC to claim if you pay Income Tax at 40%.\n\n## Claim tax relief in Scotland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 1% up to the amount of any income you have paid 21% tax on\n\n- 21% up to the amount of any income you have paid 41% tax on\n\n- 26% up to the amount of any income you have paid 46% tax on\n\nYou can call or write to HMRC to claim if you do not fill in a Self Assessment tax return.\n\n## If your pension scheme is not set up for automatic tax relief\n\nClaim tax relief in your Self Assessment tax return if your pension scheme is not set up for automatic tax relief.\n\nCall or write to HMRC if you do not fill in a tax return.\n\nYou cannot claim tax relief if your pension scheme is not registered with HMRC.\n\n## If someone else pays into your pension\n\nWhen someone else (for example your partner) pays into your pension, you automatically get tax relief at 20% if your pension provider claims it for you (relief at source).\n\nIf you\u2019re in a workplace pension that allows other people to contribute you may need to claim the tax relief on those contributions - call or write to HMRC.\n\n## If you do not pay Income Tax\n\nYou still automatically get tax relief at 20% on the first \u00a32,880 you pay into a pension each tax year (6 April to 5 April) if both of the following apply to you:\n\n- you do not pay Income Tax, for example because you\u2019re on a low income\n\n- your pension provider claims tax relief for you at a rate of 20% (relief at source)\n\n## Life insurance policies\n\nYou cannot get tax relief if you use your pension contributions to pay a personal term assurance policy, unless it\u2019s a protected policy.\n\nPersonal term assurance is a life insurance policy that either:\n\n- ends when the first insured person dies\n\n- insures people who are all from the same family\n\n## Annual allowance\n\nYour annual allowance is the most you can save in your pension pots in a tax year (6 April to 5 April) before you have to pay tax.\n\nYou\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.\n\n## What counts towards the annual allowance\n\nYour annual allowance applies to all of your private pensions, if you have more than one. This includes:\n\n- the total amount paid in to a defined contribution scheme in a tax year by you or anyone else (for example, your employer)\n\n- any increase in a defined benefit scheme in a tax year\n\n## If you use all of your annual allowance for the current tax year\n\nYou might be able to carry over any annual allowance you did not use from the previous 3 tax years.\n\n## When your annual allowance is lower than \u00a340,000\n\nYour annual allowance might be lower if you have:\n\n- flexibly accessed your pension pot\n\n- a high income\n\n## If you flexibly access your pension\n\nYour annual allowance might be lower if you flexibly access your pension. For example, this could include taking:\n\n- cash or a short-term annuity from a flexi-access drawdown fund\n\n- cash from a pension pot (\u2018uncrystallised funds pension lump sums\u2019)\n\nThe lower allowance is called the \u2018money purchase annual allowance\u2019.\n\n## If you have a high income\n\nYou\u2019ll have a reduced (\u2018tapered\u2019) annual allowance in the current tax year if both:\n\n- your \u2018threshold income\u2019 is over \u00a3200,000\n\n- your \u2018adjusted income\u2019 is over \u00a3240,000\n\nThe threshold income and adjusted income limits are different for earlier tax years.\n\nWork out your reduced annual allowance.\n\n## If you go above the annual allowance\n\nYou\u2019ll get a statement from your pension provider telling you if you go above the annual allowance in their scheme. If you\u2019re in more than one pension scheme, ask each pension provider for statements.\n\nYou can also use a calculator to work out how much you\u2019ve gone above the allowance.\n\nIf you go over your annual allowance, either you or your pension provider must pay the tax.\n\nFill in the \u2018Pension savings tax charges\u2019 section of a Self Assessment tax return to tell HMRC about the tax, even if your pension provider pays all or part of it. You\u2019ll need form SA101 if you\u2019re using a paper form.\n\nYou can still claim tax relief for pension contributions on your Self Assessment tax return if you\u2019re above the annual allowance.\n\nHMRC does not tax anyone for going over their annual allowance in a tax year if they:\n\n- retired and took all their pension pots because of serious ill health\n\n- died\n\n## Lifetime allowance\n\nYou usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.\n\nYou might be able to protect your pension pot from reductions to the lifetime allowance.\n\n## Check how much lifetime allowance you\u2019ve used\n\nAsk your pension provider how much of your lifetime allowance you\u2019ve used.\n\nIf you\u2019re in more than one pension scheme, you must add up what you\u2019ve used in all pension schemes you belong to.\n\nWhat counts towards your allowance depends on the type of pension pot you get.\n\n| Type of pension pot | What counts towards your lifetime allowance |\n\n| Defined contribution - personal, stakeholder and most workplace schemes | Money in pension pots that goes towards paying you, however you decide to take the money |\n\n| Defined benefit - some workplace schemes | Usually 20 times the pension you get in the first year plus your lump sum - check with your pension provider |\n\nYour pension provider may ask for information about other pension schemes you\u2019re in so they can check if you\u2019re above your lifetime allowance when you:\n\n- decide to take money from a pension pot\n\n- turn 75\n\n- transfer your pension overseas\n\n## Pay tax if you go above your lifetime allowance\n\nYou\u2019ll get a statement from your pension provider telling you how much tax you owe if you go above your lifetime allowance. Your pension provider will deduct the tax before you start getting your pension.\n\nYou\u2019ll need to report the tax deducted by filling in a Self Assessment tax return - download and fill in form SA101 if you\u2019re using paper forms. You\u2019ll get information from your pension provider to help you do this.\n\nIf you die before taking your pension HM Revenue and Customs (HMRC) will bill the person who inherits your pension for the tax.\n\n## Rates\n\nThe rate of tax you pay on pension savings above your lifetime allowance depends on how the money is paid to you - the rate is:\n\n- 55% if you get it as a lump sum\n\n- 25% if you get it any other way, for example pension payments or cash withdrawals\n\n## Protect your lifetime allowance\n\nThe lifetime allowance was reduced in April 2016. You can apply to protect your lifetime allowance from this reduction.\n\nTell your pension provider the type of protection and the protection reference number when you decide to take money from your pension pot.\n\n## Withdrawing cash from a pension pot\n\nYou cannot withdraw cash from a defined contribution pension pot (\u2018uncrystallised funds pension lump sums\u2019) if you have:\n\n- primary or enhanced protection covering a lump sum worth more than \u00a3375,000\n\n- \u2018lifetime allowance enhancement factor\u2019 if your unused lifetime allowance is less than 25% of the cash you want to withdraw\n\n## Reporting changes to HMRC\n\nYou can lose enhanced protection or any type of fixed protection if:\n\n- you make new savings in a pension scheme\n\n- you are enrolled in a new workplace pension scheme\n\n- you transfer money between pension schemes in a way that does not meet the transfer rules\n\n- you\u2019ve got enhanced protection and, when you take your pension benefits, their value has increased more than the amount allowed in the enhanced protection tax rules - this is called \u2018relevant benefit accrual\u2019\n\n- you\u2019ve got fixed protection and the value of your pension pot in any tax year grows at a higher rate than is allowed by the tax rules - this is called \u2018benefit accrual\u2019\n\nYou can report changes online or by post.\n\nAsk your employer whether they\u2019re likely to enrol you in a workplace pension. To make sure you do not lose protection, you can either:\n\n- opt out of most schemes within a month\n\n- ask not to be enrolled in some schemes - your employer may need evidence of your lifetime allowance protection\n\nTell HMRC in writing if you think you might have lost your protection.\n\n## If you have the right to take your pension before 50\n\nYou may have a reduced lifetime allowance if you have the right to take your pension before you\u2019re 50 under a pension scheme you joined before 2006.\n\nThis only applies to people in certain jobs (for example professional sports, dance and modelling) who start taking their pension before they\u2019re 55.\n\nYour lifetime allowance is not reduced if you\u2019re in a pension scheme for uniformed services, for example the armed forces, police and fire services.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-on-your-private-pension", + "answerable": true, + "scenario": "I have been a primary school teacher for over thirty years and am coming up to retirement age. I have a private pension through my job but someone told me recently that I might be liable to pay tax on this, which is alarming me very much.", + "original_question": "Must I pay tax on a pension I have worked hard for for a long time?" + }, + { + "id": "train-957", + "question": "Scenario: I have left my job. I have requested a P45 from my employers, but they still have not given me one. Two months have now passed since I left.\n\nQuestion: Do my employer's have to give me a P45?\n\nDocument - P45, P60 and P11D forms: workers' guide:\n## P45\n\nYou\u2019ll get a P45 from your employer when you stop working for them.\n\nThere\u2019s a separate guide to getting P45s if you\u2019re an employer.\n\nYour P45 shows how much tax you\u2019ve paid on your salary so far in the tax year (6 April to 5 April).\n\nA P45 has 4 parts (Part 1, Part 1A, Part 2 and Part 3).\n\n- Your employer sends details for Part 1 to HM Revenue and Customs (HMRC) and gives you the other parts.\n\n- You give Part 2 and 3 to your new employer (or to Jobcentre Plus if you\u2019re not working).\n\n- Keep Part 1A for your own records.\n\nBy law your employer must give you a P45 - ask them for one.\n\nYou can check how much tax you paid last year if you think you might have paid too much.\n\n## You do not have a P45\n\nYou will not have a P45 if you\u2019re starting your first job or you\u2019re taking on a second job. Your employer will need to work out how much tax you should be paying on your salary.\n\nThey may use a \u2018Starter Checklist\u2019 to collect the information, or may collect it another way. The Starter Checklist has questions about any other jobs, benefits or student loans you have. It helps your employer work out your correct tax code before your first payday.\n\n## P60\n\nYour P60 shows the tax you\u2019ve paid on your salary in the tax year (6 April to 5 April). You get a separate P60 for each of your jobs.\n\nThere\u2019s a separate guide to getting P60s if you\u2019re an employer.\n\nIf you\u2019re working for an employer on 5 April they must give you a P60. They must provide this by 31 May, on paper or electronically.\n\nYou\u2019ll need your P60 to prove how much tax you\u2019ve paid on your salary, for example:\n\n- to claim back overpaid tax\n\n- to apply for tax credits\n\n- as proof of your income if you apply for a loan or a mortgage\n\nYou can check how much tax you paid last year if you think you might have paid too much.\n\n## P11D\n\nYour employer might give you a copy of your P11D if they used it to tell HM Revenue and Customs (HMRC) about your \u2018benefits in kind\u2019 (for example company cars or interest-free loans).\n\nThey do not have to do this, but they must tell you how much each benefit is worth.\n\nThere\u2019s a separate guide to getting form P11D if you\u2019re an employer.\n\nYou might not get a P11D if your employer takes the tax you owe on your benefits out of your pay.\n\nYour employer will write to you to explain how this works.\n\n## Lost PAYE forms\n\n## Lost P45\n\nYou cannot get a replacement P45.\n\nInstead, your new employer may give you a \u2018Starter Checklist\u2019 or ask you for the relevant details about your finances to send to HM Revenue and Customs (HMRC).\n\n## Lost P60\n\nYou can get a replacement P60 from your employer.\n\n## P11D\n\nYou can usually get a copy of the P11D from your employer. If they cannot give you one, you can contact HMRC for a copy.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "answerable": true, + "scenario": "I have left my job. I have requested a P45 from my employers, but they still have not given me one. Two months have now passed since I left.", + "original_question": "Do my employer's have to give me a P45?" + }, + { + "id": "train-958", + "question": "Scenario: I received a P60 from my employer. I have lost this P60, and I need to get another one to replace it.\n\nQuestion: Am I able to ask my employer for a replacement?\n\nDocument - P45, P60 and P11D forms: workers' guide:\n## P45\n\nYou\u2019ll get a P45 from your employer when you stop working for them.\n\nThere\u2019s a separate guide to getting P45s if you\u2019re an employer.\n\nYour P45 shows how much tax you\u2019ve paid on your salary so far in the tax year (6 April to 5 April).\n\nA P45 has 4 parts (Part 1, Part 1A, Part 2 and Part 3).\n\n- Your employer sends details for Part 1 to HM Revenue and Customs (HMRC) and gives you the other parts.\n\n- You give Part 2 and 3 to your new employer (or to Jobcentre Plus if you\u2019re not working).\n\n- Keep Part 1A for your own records.\n\nBy law your employer must give you a P45 - ask them for one.\n\nYou can check how much tax you paid last year if you think you might have paid too much.\n\n## You do not have a P45\n\nYou will not have a P45 if you\u2019re starting your first job or you\u2019re taking on a second job. Your employer will need to work out how much tax you should be paying on your salary.\n\nThey may use a \u2018Starter Checklist\u2019 to collect the information, or may collect it another way. The Starter Checklist has questions about any other jobs, benefits or student loans you have. It helps your employer work out your correct tax code before your first payday.\n\n## P60\n\nYour P60 shows the tax you\u2019ve paid on your salary in the tax year (6 April to 5 April). You get a separate P60 for each of your jobs.\n\nThere\u2019s a separate guide to getting P60s if you\u2019re an employer.\n\nIf you\u2019re working for an employer on 5 April they must give you a P60. They must provide this by 31 May, on paper or electronically.\n\nYou\u2019ll need your P60 to prove how much tax you\u2019ve paid on your salary, for example:\n\n- to claim back overpaid tax\n\n- to apply for tax credits\n\n- as proof of your income if you apply for a loan or a mortgage\n\nYou can check how much tax you paid last year if you think you might have paid too much.\n\n## P11D\n\nYour employer might give you a copy of your P11D if they used it to tell HM Revenue and Customs (HMRC) about your \u2018benefits in kind\u2019 (for example company cars or interest-free loans).\n\nThey do not have to do this, but they must tell you how much each benefit is worth.\n\nThere\u2019s a separate guide to getting form P11D if you\u2019re an employer.\n\nYou might not get a P11D if your employer takes the tax you owe on your benefits out of your pay.\n\nYour employer will write to you to explain how this works.\n\n## Lost PAYE forms\n\n## Lost P45\n\nYou cannot get a replacement P45.\n\nInstead, your new employer may give you a \u2018Starter Checklist\u2019 or ask you for the relevant details about your finances to send to HM Revenue and Customs (HMRC).\n\n## Lost P60\n\nYou can get a replacement P60 from your employer.\n\n## P11D\n\nYou can usually get a copy of the P11D from your employer. If they cannot give you one, you can contact HMRC for a copy.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "answerable": true, + "scenario": "I received a P60 from my employer. I have lost this P60, and I need to get another one to replace it.", + "original_question": "Am I able to ask my employer for a replacement?" + }, + { + "id": "train-959", + "question": "Scenario: My friend runs a pub business . He has now changed his name via deed poll.\n\nQuestion: Does he need to tell HMRC?\n\nDocument - Tell HMRC about a change to your personal details:\n## Change of name or address\n\nHow you contact HM Revenue and Customs (HMRC) to update your name or address depends on your situation.\n\nYou\u2019ll also need to change your business records if you run a business.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou need to wait until you\u2019ve moved or changed your name before telling HMRC.\n\n## If you\u2019ve changed your address\n\nTell HMRC you\u2019ve changed your address. If you submit a Self Assessment tax return as well your details will be updated for both.\n\nThere are different ways to tell HMRC if you:\n\n- only pay tax through Self Assessment\n\n- are a tax agent, for example an accountant\n\n## If you\u2019ve changed your name\n\nTell HMRC your name has changed. If you submit a Self Assessment tax return as well your details will be updated for both.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID you can create one when you update your name.\n\nThere are different ways to tell HMRC if you:\n\n- only pay tax through Self Assessment\n\n- are a tax agent, for example an accountant\n\nYour name will be updated automatically if you change gender.\n\n## What happens next\n\nHMRC will update your personal records for:\n\n- Income Tax and National Insurance\n\n- tax credits and benefits, including Child Benefit\n\n- services, including the Pension Service\n\nYou\u2019ll get an email to either:\n\n- confirm your change of details\n\n- ask for more information, for example legal documents for your name change\n\n## Income changes\n\nYou must tell HM Revenue and Customs (HMRC) about changes to your taxable income.\n\nTo do this you can either:\n\n- check your Income Tax and go to \u2018Tell us about a change\u2019\n\n- call HMRC\n\nIf you do not, you could pay too much tax or get a tax bill at the end of the year.\n\n## What you must tell HMRC\n\nYour employer or pension provider tells HMRC when:\n\n- you start or finish your job\n\n- there\u2019s a change in the money you earn from your job or get from your pension\n\nBut you must tell HMRC about any other changes, for example when you start or stop getting:\n\n- income from a new source, such as money from self-employment or rent from property\n\n- taxable benefits, such as State Pension, Jobseeker\u2019s Allowance and Carer\u2019s Allowance\n\n- benefits from your job, such as a company car\n\n- income above your Personal Allowance\n\n- money over \u00a385,000 from self-employment (you must register for VAT over this amount)\n\n- lump sums from selling things you pay Capital Gains Tax on, such as shares or property that\u2019s not your main home\n\n- income from property, money or shares you inherit, such as dividends from shares or rent from property\n\n## If you get tax credits\n\nTell HMRC separately about changes that affect your tax credits.\n\n## If your spouse or civil partner dies\n\nTell HMRC about changes to your income after the death of your husband, wife or civil partner.\n\n## If you make Self Assessment \u2018payments on account\u2019\n\nTell HMRC if you expect a big decrease in income and you pay your Self Assessment tax bill in advance (\u2018payments on account\u2019). HMRC may decide to reduce your payments.\n\n## After you tell HMRC\n\nHMRC may:\n\n- change your tax code and send you a PAYE Coding notice\n\n- tell you to send a Self Assessment tax return so they can bill you for tax you owe\n\n- send you a refund if you paid too much tax\n\n## Relationship or family changes\n\nTell HM Revenue and Customs (HMRC) if:\n\n- you get married or form a civil partnership\n\n- you divorce, separate or stop living with your husband, wife or partner\n\nYou can tell HMRC online if you\u2019re paid a salary or pension through PAYE. If you submit a Self Assessment tax return as well, your details will be updated for both.\n\nYou\u2019ll need:\n\n- a Government Gateway user ID and password - if you do not have a Government Gateway user ID, you can create one when you tell HMRC online\n\n- a National Insurance number (a temporary reference number will not work).\n\nTell HMRC straight away \u2013 if you do not, you could pay too much tax, or get a tax bill at the end of the year.\n\n## If you get tax credits or Child Benefit\n\nTell HMRC separately about changes to your relationship or family if you get:\n\n- tax credits\n\n- Child Benefit\n\n## If your spouse or civil partner dies\n\nContact HMRC to report:\n\n- the death of your husband, wife or civil partner\n\n- changes to your income after their death\n\n## Gender change\n\nHM Revenue and Customs (HMRC) is usually told automatically when you change gender legally by applying for a Gender Recognition Certificate.\n\nTell your employer at the same time - they must update your payroll records and National Insurance contributions.\n\nHMRC will:\n\n- update its records with your gender and any name change\n\n- tell the Department for Work and Pensions (DWP)\n\n- restrict your records so only specialist staff at HMRC and DWP can access them\n\n- hand your tax affairs to HMRC\u2019s Public Department 1\n\nOnce you get a letter confirming your records have moved, you can contact Public Department 1 with questions about your tax or National Insurance.\n\n## Tell HMRC yourself\n\nYou can write to Special Section D to tell HMRC:\n\n- about your legal gender change\n\n- about your name change only if you did not change gender legally\n\n- if you do not want them to restrict your records\n\nInclude your National Insurance number, and your original Gender Recognition Certificate if you\u2019ve changed gender legally.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "answerable": true, + "scenario": "My friend runs a pub business . He has now changed his name via deed poll.", + "original_question": "Does he need to tell HMRC?" + }, + { + "id": "train-960", + "question": "Scenario: My uncle owned two houses and decided to sell the one which he doesn't use as the main home. He has received a lump sum of money. He is cognizant of capital gain tax.\n\nQuestion: Does he have to report this income to HMRC?\n\nDocument - Tell HMRC about a change to your personal details:\n## Change of name or address\n\nHow you contact HM Revenue and Customs (HMRC) to update your name or address depends on your situation.\n\nYou\u2019ll also need to change your business records if you run a business.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou need to wait until you\u2019ve moved or changed your name before telling HMRC.\n\n## If you\u2019ve changed your address\n\nTell HMRC you\u2019ve changed your address. If you submit a Self Assessment tax return as well your details will be updated for both.\n\nThere are different ways to tell HMRC if you:\n\n- only pay tax through Self Assessment\n\n- are a tax agent, for example an accountant\n\n## If you\u2019ve changed your name\n\nTell HMRC your name has changed. If you submit a Self Assessment tax return as well your details will be updated for both.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID you can create one when you update your name.\n\nThere are different ways to tell HMRC if you:\n\n- only pay tax through Self Assessment\n\n- are a tax agent, for example an accountant\n\nYour name will be updated automatically if you change gender.\n\n## What happens next\n\nHMRC will update your personal records for:\n\n- Income Tax and National Insurance\n\n- tax credits and benefits, including Child Benefit\n\n- services, including the Pension Service\n\nYou\u2019ll get an email to either:\n\n- confirm your change of details\n\n- ask for more information, for example legal documents for your name change\n\n## Income changes\n\nYou must tell HM Revenue and Customs (HMRC) about changes to your taxable income.\n\nTo do this you can either:\n\n- check your Income Tax and go to \u2018Tell us about a change\u2019\n\n- call HMRC\n\nIf you do not, you could pay too much tax or get a tax bill at the end of the year.\n\n## What you must tell HMRC\n\nYour employer or pension provider tells HMRC when:\n\n- you start or finish your job\n\n- there\u2019s a change in the money you earn from your job or get from your pension\n\nBut you must tell HMRC about any other changes, for example when you start or stop getting:\n\n- income from a new source, such as money from self-employment or rent from property\n\n- taxable benefits, such as State Pension, Jobseeker\u2019s Allowance and Carer\u2019s Allowance\n\n- benefits from your job, such as a company car\n\n- income above your Personal Allowance\n\n- money over \u00a385,000 from self-employment (you must register for VAT over this amount)\n\n- lump sums from selling things you pay Capital Gains Tax on, such as shares or property that\u2019s not your main home\n\n- income from property, money or shares you inherit, such as dividends from shares or rent from property\n\n## If you get tax credits\n\nTell HMRC separately about changes that affect your tax credits.\n\n## If your spouse or civil partner dies\n\nTell HMRC about changes to your income after the death of your husband, wife or civil partner.\n\n## If you make Self Assessment \u2018payments on account\u2019\n\nTell HMRC if you expect a big decrease in income and you pay your Self Assessment tax bill in advance (\u2018payments on account\u2019). HMRC may decide to reduce your payments.\n\n## After you tell HMRC\n\nHMRC may:\n\n- change your tax code and send you a PAYE Coding notice\n\n- tell you to send a Self Assessment tax return so they can bill you for tax you owe\n\n- send you a refund if you paid too much tax\n\n## Relationship or family changes\n\nTell HM Revenue and Customs (HMRC) if:\n\n- you get married or form a civil partnership\n\n- you divorce, separate or stop living with your husband, wife or partner\n\nYou can tell HMRC online if you\u2019re paid a salary or pension through PAYE. If you submit a Self Assessment tax return as well, your details will be updated for both.\n\nYou\u2019ll need:\n\n- a Government Gateway user ID and password - if you do not have a Government Gateway user ID, you can create one when you tell HMRC online\n\n- a National Insurance number (a temporary reference number will not work).\n\nTell HMRC straight away \u2013 if you do not, you could pay too much tax, or get a tax bill at the end of the year.\n\n## If you get tax credits or Child Benefit\n\nTell HMRC separately about changes to your relationship or family if you get:\n\n- tax credits\n\n- Child Benefit\n\n## If your spouse or civil partner dies\n\nContact HMRC to report:\n\n- the death of your husband, wife or civil partner\n\n- changes to your income after their death\n\n## Gender change\n\nHM Revenue and Customs (HMRC) is usually told automatically when you change gender legally by applying for a Gender Recognition Certificate.\n\nTell your employer at the same time - they must update your payroll records and National Insurance contributions.\n\nHMRC will:\n\n- update its records with your gender and any name change\n\n- tell the Department for Work and Pensions (DWP)\n\n- restrict your records so only specialist staff at HMRC and DWP can access them\n\n- hand your tax affairs to HMRC\u2019s Public Department 1\n\nOnce you get a letter confirming your records have moved, you can contact Public Department 1 with questions about your tax or National Insurance.\n\n## Tell HMRC yourself\n\nYou can write to Special Section D to tell HMRC:\n\n- about your legal gender change\n\n- about your name change only if you did not change gender legally\n\n- if you do not want them to restrict your records\n\nInclude your National Insurance number, and your original Gender Recognition Certificate if you\u2019ve changed gender legally.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "answerable": true, + "scenario": "My uncle owned two houses and decided to sell the one which he doesn't use as the main home. He has received a lump sum of money. He is cognizant of capital gain tax.", + "original_question": "Does he have to report this income to HMRC?" + }, + { + "id": "train-962", + "question": "Scenario: I am a UK resident. I am moving to Germany for work reasons, and I am trying to sort out my UK affairs. I currently hold an ISA and would like to keep this open.\n\nQuestion: Will I be able to continue to put money into my ISA?\n\nDocument - Individual Savings Accounts (ISAs):\n## Overview\n\nYou can save tax-free with Individual Savings Accounts (ISAs).\n\nIn the 2021 to 2022 tax year, the maximum you can save in ISAs is \u00a320,000\n\nThere are 4 types of ISA:\n\n- cash ISAs\n\n- stocks and shares ISAs\n\n- innovative finance ISAs\n\n- Lifetime ISAs\n\nYou can put money into one of each kind of ISA each tax year.\n\n## Who can open an ISA\n\nYou must be:\n\n- 16 or over for a cash ISA\n\n- 18 or over for a stocks and shares or innovative finance ISA\n\n- 18 or over but under 40 for a Lifetime ISA\n\nYou must also be either:\n\n- resident in the UK\n\n- a Crown servant (for example diplomatic or overseas civil service) or their spouse or civil partner if you do not live in the UK\n\nYou cannot hold an ISA with or on behalf of someone else.\n\nYou can get a Junior ISA for children under 18.\n\n## Opening and managing an ISA for someone who lacks the mental capacity to do this for themselves\n\nA close friend or relative can apply to the Court of Protection (COP) for a financial deputyship order to open and manage an ISA for someone who cannot do this for themselves.\n\nIn Scotland, applications need to be made to the Office of the Public Guardian in Scotland.\n\nIn Northern Ireland, applications need to be made to the Office of Care and Protection.\n\n## How ISAs work\n\nThere are 4 types of Individual Savings Accounts (ISA):\n\n- cash ISA\n\n- stocks and shares ISA\n\n- innovative finance ISA\n\n- Lifetime ISA\n\nYou do not pay tax on:\n\n- interest on cash in an ISA\n\n- income or capital gains from investments in an ISA\n\nIf you complete a tax return, you do not need to declare any ISA interest, income or capital gains on it.\n\n## Putting money into an ISA\n\nEvery tax year you can put money into one of each kind of ISA. The tax year runs from 6 April to 5 April.\n\nYou can save up to \u00a320,000 in one type of account or split the allowance across some or all of the other types.\n\nYou can only pay \u00a34,000 into your Lifetime ISA in a tax year.\n\nYour ISAs will not close when the tax year finishes. You\u2019ll keep your savings on a tax-free basis for as long as you keep the money in your ISA accounts.\n\n## What you can include in your ISAs\n\nCash ISAs can include:\n\n- savings in bank and building society accounts\n\n- some National Savings and Investments products\n\nStocks and shares ISAs can include:\n\n- shares in companies\n\n- unit trusts and investment funds\n\n- corporate bonds\n\n- government bonds\n\nYou cannot transfer any non-ISA shares you already own into an ISA unless they\u2019re from an employee share scheme.\n\nLifetime ISAs may include either:\n\n- cash\n\n- stocks and shares\n\nInnovative finance ISAs include:\n\n- peer-to-peer loans - loans that you give to other people or businesses without using a bank\n\n- \u2018crowdfunding debentures\u2019 - investing in a business by buying its debt\n\nYou cannot transfer any peer-to-peer loans you\u2019ve already made or crowdfunding debentures you already hold into an innovative finance ISA.\n\nIf you have questions about the tax rules for ISAs, you can call the ISA Helpline.\n\n## How to open an ISA\n\nYou can get an Individual Savings Account (ISA) from:\n\n- banks\n\n- building societies\n\n- credit unions\n\n- friendly societies\n\n- stock brokers\n\n- peer-to-peer lending services\n\n- crowdfunding companies\n\n- other financial institutions\n\nContact your provider directly for more information about how to open an ISA with them.\n\n## Withdrawing your money\n\nYou can take your money out of an Individual Savings Account (ISA) at any time, without losing any tax benefits. Check the terms of your ISA to see if there are any rules or charges for making withdrawals.\n\nThere are different rules for taking your money out of a Lifetime ISA.\n\nIf your ISA is \u2018flexible\u2019, you can take out cash then put it back in during the same tax year without reducing your current year\u2019s allowance. Your provider can tell you if your ISA is flexible.\n\n## Transferring your ISA\n\nYou can transfer your Individual Savings Account (ISA) from one provider to another at any time.\n\nYou can transfer your savings to a different type of ISA or to the same type of ISA.\n\nIf you want to transfer money you\u2019ve invested in an ISA during the current year, you must transfer all of it.\n\nFor money you invested in previous years, you can choose to transfer all or part of your savings.\n\nIf you transfer cash and assets from a Lifetime ISA to a different ISA before the age of 60, you\u2019ll have to pay a withdrawal fee of 25%.\n\n## Restrictions on what you can transfer\n\nYou can transfer cash from your innovative finance ISA to another provider - but you may not be able to transfer other investments from it.\n\nCheck with your provider for any restrictions they may have on transferring ISAs. They may also make you pay a charge.\n\n## How to transfer your ISA\n\nTo switch providers, contact the ISA provider you want to move to and fill out an ISA transfer form to move your account. If you withdraw the money without doing this, you will not be able to reinvest that part of your tax-free allowance again.\n\n## Deadlines and complaints\n\nISA transfers should take no longer than:\n\n- 15 working days for transfers between cash ISAs\n\n- 30 calendar days for other types of transfer\n\nIf you want to transfer investments held in an innovative finance ISA, ask your provider how long it will take.\n\nIf your transfer takes longer than it should, contact your ISA provider.\n\nIf you\u2019re unhappy with the response, you can take the matter up with the Financial Ombudsman Service.\n\n## If you move abroad\n\nIf you open an Individual Savings Account (ISA) in the UK then move abroad, you cannot put money into it after the tax year that you move (unless you\u2019re a Crown employee working overseas or their spouse or civil partner).\n\nYou must tell your ISA provider as soon as you stop being a UK resident.\n\nHowever, you can keep your ISA open and you\u2019ll still get UK tax relief on money and investments held in it.\n\nYou can transfer an ISA to another provider even if you are not resident in the UK.\n\nYou can pay into your ISA again if you return and become a UK resident (subject to the annual ISA allowance).\n\n## If you die\n\nYour ISA will end when either:\n\n- your executor closes it\n\n- the administration of your estate is completed\n\nOtherwise, your ISA provider will close your ISA 3 years and 1 day after you die.\n\nThere will be no Income Tax or Capital Gains Tax to pay up to that date, but ISA investments will form part of your estate for Inheritance Tax purposes.\n\n## Stocks and shares ISAs\n\nYour ISA provider can be instructed to either:\n\n- sell the investments and pay the proceeds to the administrator or beneficiary of your estate\n\n- transfer the investments to your surviving spouse\u2019s or civil partner\u2019s ISA - this is only possible if they have the same ISA provider as you\n\nCheck the terms and conditions of your ISA for details.\n\n## Inheriting an ISA from your spouse or civil partner\n\nIf your spouse or civil partner dies you can inherit their ISA allowance.\n\nAs well as your normal ISA allowance you can add a tax-free amount up to either:\n\n- the value they held in their ISA when they died\n\n- the value of their ISA when it\u2019s closed\n\nContact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.\n\n## If your spouse or civil partner died from 3 December 2014 to 5 April 2018\n\nTheir ISA ended on the date of their death. ISA investments will form part of their estate for Inheritance Tax purposes.\n\nTheir ISA provider can be instructed to sell the investments and either:\n\n- pay the proceeds to the administrator or beneficiary of their estate\n\n- transfer the investments directly to them\n\nYou can inherit their ISA allowance. As well as your normal ISA allowance, you can add a tax-free amount up to the value they held in their ISA when they died.\n\nContact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/individual-savings-accounts", + "answerable": true, + "scenario": "I am a UK resident. I am moving to Germany for work reasons, and I am trying to sort out my UK affairs. I currently hold an ISA and would like to keep this open.", + "original_question": "Will I be able to continue to put money into my ISA?" + }, + { + "id": "train-963", + "question": "Scenario: My partner and I are British citizens and own a property in London. We have, however, been living in Spain for the past ten years. We would now like to sell our UK property.\n\nQuestion: Are the rules the same to sell a property in the UK when we live abroad?\n\nDocument - Tax when you sell property:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:\n\n- buy-to-let properties\n\n- business premises\n\n- land\n\n- inherited property\n\nThere are different rules if you:\n\n- sell your home\n\n- live abroad\n\n- are a company registered abroad\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you do not pay\n\nYou do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou may get tax relief if the property is a business asset.\n\nIf the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.\n\n## If you need to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your property and the amount you got when you sold (or \u2018disposed of\u2019) it.\n\nIf your combined capital gains are over your allowance for the year you\u2019ll have to report and pay Capital Gains Tax.\n\n## Market value\n\nIn some situations you should use the market value of the property when working out your gain. Do this if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Selling in special circumstances\n\nThere are special rules for calculating your gain if:\n\n- you live abroad\n\n- you sell a lease or part of your land\n\n- your property is compulsorily purchased\n\n## Jointly owned property\n\nIf you own property jointly with other people, work out the gain for the share that you own.\n\n## Deduct costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension (normal maintenance costs, such as decorating, do not count)\n\n## Reliefs\n\nYou may get tax relief if the property was:\n\n- your home\n\n- a business asset\n\n- occupied by a dependent relative - find out more in the guidance on Private Residence Relief\n\n## Work out if you need to pay\n\nOnce you know what your gain on the property is, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold land\n\n- sold business premises\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax on property\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\n## Businesses\n\nYou may get tax relief if you sell property that you use for business. This may reduce or delay the amount of Capital Gains Tax you pay.\n\nIf the purpose of your business is to buy and sell property (you\u2019re a property developer, for example) you do not pay Capital Gains Tax when you sell a property. Instead, you pay:\n\n- Income Tax - if you\u2019re a sole trader or partner\n\n- Corporation Tax - if you\u2019re a limited company\n\nThere are special rules for limited companies that dispose of a single residential property worth more than \u00a32 million.\n\n## Selling overseas property\n\nYou pay Capital Gains Tax when you \u2018dispose of\u2019 overseas property if you\u2019re resident in the UK.\n\nThere are special rules if you\u2019re resident in the UK but your permanent home (\u2018domicile\u2019) is abroad.\n\nYou may also have to pay tax in the country you made the gain. If you\u2019re taxed twice, you may be able to claim relief.\n\n## If you\u2019re non-resident\n\nNon-residents may have to pay UK tax on overseas property if they return to the UK within 5 years of leaving.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-sell-property", + "answerable": true, + "scenario": "My partner and I are British citizens and own a property in London. We have, however, been living in Spain for the past ten years. We would now like to sell our UK property.", + "original_question": "Are the rules the same to sell a property in the UK when we live abroad?" + }, + { + "id": "train-966", + "question": "Scenario: I have been in my job for two years now and do my own taxes. I have recently been granted a small rise in pay. This will not make much of an impact in my overall weekly income, however.\n\nQuestion: Do I have to report my rise in income to HMRC?\n\nDocument - Tax codes:\n## Overview\n\nYour tax code is used by your employer or pension provider to work out how much Income Tax to take from your pay or pension. HM Revenue and Customs (HMRC) will tell them which code to use.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Find your tax code\n\nUse the check your Income Tax online service within your Personal Tax Account to find your tax code for the current year. You can also view your tax code for:\n\n- a previous tax year\n\n- the next tax year\n\nYou\u2019ll be asked to sign in with Government Gateway or create an account if you do not already have one.\n\nOnce signed in, you can also see:\n\n- if your tax code has changed\n\n- how much tax you\u2019re likely to pay\n\nYou can also find your tax code on your payslip or tax code letter from HMRC.\n\n## If you think your tax code is wrong\n\nIf you think your tax code is wrong, you can update your employment details using the check your Income Tax online service.\n\nYou can also tell HMRC about a change in income that may have affected your tax code.\n\n## Why your tax code might change\n\nHMRC may update your tax code if:\n\n- you start to get income from an additional job or pension\n\n- your employer tells HMRC you have started or stopped getting benefits from your job\n\n- you get taxable state benefits\n\n- you claim Marriage Allowance\n\n- you claim expenses that you get tax relief on\n\nYou may also be put on an emergency tax code if you change jobs.\n\n## What your tax code means\n\nYour tax code is made up of several numbers and a letter.\n\n1257L is the tax code currently used for most people who have one job or pension.\n\nHMRC will usually contact you to explain how they worked out your individual tax code if your tax code changes.\n\n## What the numbers mean\n\nThe numbers in your tax code tell your employer or pension provider how much tax-free income you get in that tax year.\n\nHMRC works out your individual number based on your tax-free Personal Allowance and income you have not paid tax on (such as untaxed interest or part-time earnings). They also consider the value of any benefits from your job (such as a company car).\n\n## What the letters mean\n\nLetters in your tax code refer to your situation and how it affects your Personal Allowance.\n\n| Letters | What they mean |\n\n| L | You\u2019re entitled to the standard tax-free Personal Allowance |\n\n| M | Marriage Allowance: you\u2019ve received a transfer of 10% of your partner\u2019s Personal Allowance |\n\n| N | Marriage Allowance: you\u2019ve transferred 10% of your Personal Allowance to your partner |\n\n| T | Your tax code includes other calculations to work out your Personal Allowance |\n\n| 0T | Your Personal Allowance has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code |\n\n| BR | All your income from this job or pension is taxed at the basic rate (usually used if you\u2019ve got more than one job or pension) |\n\n| D0 | All your income from this job or pension is taxed at the higher rate (usually used if you\u2019ve got more than one job or pension) |\n\n| D1 | All your income from this job or pension is taxed at the additional rate (usually used if you\u2019ve got more than one job or pension) |\n\n| NT | You\u2019re not paying any tax on this income |\n\n| S | Your income or pension is taxed using the rates in Scotland |\n\n| S0T | Your Personal Allowance (Scotland) has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code |\n\n| SBR | All your income from this job or pension is taxed at the basic rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| SD0 | All your income from this job or pension is taxed at the intermediate rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| SD1 | All your income from this job or pension is taxed at the higher rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| SD2 | All your income from this job or pension is taxed at the top rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| C | Your income or pension is taxed using the rates in Wales |\n\n| C0T | Your Personal Allowance (Wales) has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code |\n\n| CBR | All your income from this job or pension is taxed at the basic rate in Wales (usually used if you\u2019ve got more than one job or pension) |\n\n| CD0 | All your income from this job or pension is taxed at the higher rate in Wales (usually used if you\u2019ve got more than one job or pension) |\n\n| CD1 | All your income from this job or pension is taxed at the additional rate in Wales (usually used if you\u2019ve got more than one job or pension) |\n\n## If your tax code has \u2018W1\u2019 or \u2018M1\u2019 or \u2018X\u2019 at the end\n\nThese are emergency tax codes.\n\n## If your tax code has a \u2018K\u2019 at the beginning\n\nTax codes with \u2018K\u2019 at the beginning mean you have income that is not being taxed another way and it\u2019s worth more than your tax-free allowance.\n\nFor most people, this happens when you\u2019re:\n\n- paying tax you owe from a previous year through your wages or pension\n\n- getting benefits you need to pay tax on - these can be state benefits or company benefits\n\nYour employer or pension provider takes the tax due on the income that has not been taxed from your wages or pension - even if another organisation is paying the untaxed income to you.\n\nEmployers and pension providers cannot take more than half your pre-tax wages or pension when using a K tax code.\n\n## Emergency tax codes\n\nIf you\u2019re on an emergency tax code your payslip will show:\n\n- 1257 W1\n\n- 1257 M1\n\n- 1257 X\n\nThese mean you\u2019ll pay tax on all your income above the basic Personal Allowance.\n\nYou may be put on an emergency tax code if HMRC does not get your income details in time after a change in circumstances such as:\n\n- a new job\n\n- working for an employer after being self-employed\n\n- getting company benefits or the State Pension\n\nEmergency tax codes are temporary. HMRC will usually update your tax code when you or your employer give them your correct details. If your change in circumstances means you have not paid the right amount of tax, you\u2019ll stay on the emergency tax code until you\u2019ve paid the correct tax for the year.\n\n## Updating your details\n\nYour employer can help you update your tax code by sending details about your previous income or pension to HMRC.\n\n## If you\u2019ve started a new job\n\nGive your employer your P45 from your previous job. If you do not have a P45, your employer should ask you for the information they need instead.\n\n## If you\u2019ve started working for an employer after being self-employed\n\nYour employer should give you a \u2018starter checklist\u2019 - this is a form you can use to give them details about your previous employment.\n\n## If you\u2019ve started getting company benefits or the State Pension\n\nCheck your tax code online to make sure it includes the State Pension or company benefit. If they\u2019re not included, update your details in the tax code online service or by contacting HMRC.\n\nThe emergency tax code will stay in place until the end of the tax year. This means you\u2019ll pay the right amount of tax for the current tax year. In the new tax year HMRC will put you on a regular tax code.\n\n## Tell HMRC about a change in income\n\nIn most cases, HMRC will automatically update your tax code when your income changes, for example if you start a new job, start getting a pension or receive benefits or work expenses. They\u2019ll usually get this information from your employer.\n\nIf HMRC has the wrong information about your income, you may be given an incorrect tax code.\n\nTo correct your tax code, make sure HMRC has up-to-date details about your income.\n\nCheck what you need to do if you\u2019re on an emergency tax code.\n\n## Tell HMRC about a change\n\nYou can report a change in your income by either:\n\n- using the online check your Income Tax service\n\n- contacting HMRC\n\n## If you\u2019re contacting HMRC on someone else\u2019s behalf\n\nIf you need to tell HMRC about a change in someone else\u2019s income (for example, because you\u2019re their accountant) fill in a PAYE Coding Notice query form.\n\n## After you report your change\n\nHMRC will contact you if they change your tax code.\nThey will also tell your employer or pension provider that your tax code has changed.\n\nYour next payslip should show:\n\n- your new tax code\n\n- adjustments to your pay if you were paying the wrong amount of tax\n\n## Get a tax refund or pay the tax you owe\n\nIf HMRC update your tax code and you\u2019ve paid too much or too little tax, HMRC will send you a P800 or a Simple Assessment tax calculation. This will enable you to get a refund or pay what you owe.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-codes", + "answerable": true, + "scenario": "I have been in my job for two years now and do my own taxes. I have recently been granted a small rise in pay. This will not make much of an impact in my overall weekly income, however.", + "original_question": "Do I have to report my rise in income to HMRC?" + }, + { + "id": "train-967", + "question": "Scenario: I have an income of \u00a3250,000 per year. When it is adjusted, this is \u00a3280,000 per year. I am looking at the tax on my pension.\n\nQuestion: Is my annual allowance on my pension reduced?\n\nDocument - Tax on your private pension contributions:\n## Overview\n\nYour private pension contributions are tax-free up to certain limits.\n\nThis applies to most private pension schemes, for example:\n\n- workplace pensions\n\n- personal and stakeholder pensions\n\n- overseas pension schemes that qualify for UK tax relief - ask your provider if it\u2019s a \u2018qualifying overseas pension scheme\u2019\n\nPension schemes must be registered with HMRC to qualify for tax relief. Check with your pension provider if you\u2019re unsure if your scheme is registered or not.\n\nYou pay tax when you take money out of a pension.\n\n## Limits to your tax-free contributions\n\nYou usually pay tax if savings in your pension pots go above:\n\n- 100% of your earnings in a year - this is the limit on tax relief you get\n\n- \u00a340,000 a year - check your \u2018annual allowance\u2019\n\n- \u00a31,073,100 in your lifetime - this is the lifetime allowance\n\nYou also pay tax on contributions if your pension provider:\n\n- is not registered for tax relief with HM Revenue and Customs (HMRC)\n\n- does not invest your pension pot according to HMRC\u2019s rules\n\n## Tax relief\n\nYou can get tax relief on private pension contributions worth up to 100% of your annual earnings.\n\nYou get the tax relief automatically if your:\n\n- employer takes workplace pension contributions out of your pay before deducting Income Tax\n\n- rate of Income Tax is 20% - your pension provider will claim it as tax relief and add it to your pension pot (\u2018relief at source\u2019)\n\nIf your rate of Income Tax in Scotland is 19% your pension provider will claim tax relief for you at a rate of 20%. You do not need to pay the difference.\n\nUK tax relief is also available on contributions made to certain types of overseas pension schemes.\n\nIt\u2019s up to you to make sure you\u2019re not getting tax relief on pension contributions worth more than 100% of your annual earnings. HM Revenue and Customs (HMRC) can ask you to pay back anything over this limit.\n\n## Relief at source\n\nYou get relief at source in all personal and stakeholder pensions, and some workplace pensions.\n\n## To get relief at source\n\nBefore paying into a scheme, you need to agree to certain conditions about your contributions (\u2018make declarations\u2019). Your pension provider will tell you what these are.\n\nYou also need to give your pension provider your:\n\n- full name and address\n\n- date of birth\n\n- National Insurance number\n\n- employment status - or tell them if you\u2019re retired, a full time student, a carer or aged under 16\n\nYour employer may do this for you if you\u2019re automatically enrolled in their pension scheme.\n\nYour pension provider will let you know if this is the case and ask you to confirm your details are correct. You must do this within 30 days.\n\n## When you have to claim tax relief\n\nYou may be able to claim tax relief on pension contributions if:\n\n- you pay Income Tax at a rate above 20% and your pension provider claims the first 20% for you (relief at source)\n\n- your pension scheme is not set up for automatic tax relief\n\n- someone else pays into your pension\n\n## Claim tax relief in England, Wales or Northern Ireland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 20% up to the amount of any income you have paid 40% tax on\n\n- 25% up to the amount of any income you have paid 45% tax on\n\nYou can also call or write to HMRC to claim if you pay Income Tax at 40%.\n\n## Claim tax relief in Scotland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 1% up to the amount of any income you have paid 21% tax on\n\n- 21% up to the amount of any income you have paid 41% tax on\n\n- 26% up to the amount of any income you have paid 46% tax on\n\nYou can call or write to HMRC to claim if you do not fill in a Self Assessment tax return.\n\n## If your pension scheme is not set up for automatic tax relief\n\nClaim tax relief in your Self Assessment tax return if your pension scheme is not set up for automatic tax relief.\n\nCall or write to HMRC if you do not fill in a tax return.\n\nYou cannot claim tax relief if your pension scheme is not registered with HMRC.\n\n## If someone else pays into your pension\n\nWhen someone else (for example your partner) pays into your pension, you automatically get tax relief at 20% if your pension provider claims it for you (relief at source).\n\nIf you\u2019re in a workplace pension that allows other people to contribute you may need to claim the tax relief on those contributions - call or write to HMRC.\n\n## If you do not pay Income Tax\n\nYou still automatically get tax relief at 20% on the first \u00a32,880 you pay into a pension each tax year (6 April to 5 April) if both of the following apply to you:\n\n- you do not pay Income Tax, for example because you\u2019re on a low income\n\n- your pension provider claims tax relief for you at a rate of 20% (relief at source)\n\n## Life insurance policies\n\nYou cannot get tax relief if you use your pension contributions to pay a personal term assurance policy, unless it\u2019s a protected policy.\n\nPersonal term assurance is a life insurance policy that either:\n\n- ends when the first insured person dies\n\n- insures people who are all from the same family\n\n## Annual allowance\n\nYour annual allowance is the most you can save in your pension pots in a tax year (6 April to 5 April) before you have to pay tax.\n\nYou\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.\n\n## What counts towards the annual allowance\n\nYour annual allowance applies to all of your private pensions, if you have more than one. This includes:\n\n- the total amount paid in to a defined contribution scheme in a tax year by you or anyone else (for example, your employer)\n\n- any increase in a defined benefit scheme in a tax year\n\n## If you use all of your annual allowance for the current tax year\n\nYou might be able to carry over any annual allowance you did not use from the previous 3 tax years.\n\n## When your annual allowance is lower than \u00a340,000\n\nYour annual allowance might be lower if you have:\n\n- flexibly accessed your pension pot\n\n- a high income\n\n## If you flexibly access your pension\n\nYour annual allowance might be lower if you flexibly access your pension. For example, this could include taking:\n\n- cash or a short-term annuity from a flexi-access drawdown fund\n\n- cash from a pension pot (\u2018uncrystallised funds pension lump sums\u2019)\n\nThe lower allowance is called the \u2018money purchase annual allowance\u2019.\n\n## If you have a high income\n\nYou\u2019ll have a reduced (\u2018tapered\u2019) annual allowance in the current tax year if both:\n\n- your \u2018threshold income\u2019 is over \u00a3200,000\n\n- your \u2018adjusted income\u2019 is over \u00a3240,000\n\nThe threshold income and adjusted income limits are different for earlier tax years.\n\nWork out your reduced annual allowance.\n\n## If you go above the annual allowance\n\nYou\u2019ll get a statement from your pension provider telling you if you go above the annual allowance in their scheme. If you\u2019re in more than one pension scheme, ask each pension provider for statements.\n\nYou can also use a calculator to work out how much you\u2019ve gone above the allowance.\n\nIf you go over your annual allowance, either you or your pension provider must pay the tax.\n\nFill in the \u2018Pension savings tax charges\u2019 section of a Self Assessment tax return to tell HMRC about the tax, even if your pension provider pays all or part of it. You\u2019ll need form SA101 if you\u2019re using a paper form.\n\nYou can still claim tax relief for pension contributions on your Self Assessment tax return if you\u2019re above the annual allowance.\n\nHMRC does not tax anyone for going over their annual allowance in a tax year if they:\n\n- retired and took all their pension pots because of serious ill health\n\n- died\n\n## Lifetime allowance\n\nYou usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.\n\nYou might be able to protect your pension pot from reductions to the lifetime allowance.\n\n## Check how much lifetime allowance you\u2019ve used\n\nAsk your pension provider how much of your lifetime allowance you\u2019ve used.\n\nIf you\u2019re in more than one pension scheme, you must add up what you\u2019ve used in all pension schemes you belong to.\n\nWhat counts towards your allowance depends on the type of pension pot you get.\n\n| Type of pension pot | What counts towards your lifetime allowance |\n\n| Defined contribution - personal, stakeholder and most workplace schemes | Money in pension pots that goes towards paying you, however you decide to take the money |\n\n| Defined benefit - some workplace schemes | Usually 20 times the pension you get in the first year plus your lump sum - check with your pension provider |\n\nYour pension provider may ask for information about other pension schemes you\u2019re in so they can check if you\u2019re above your lifetime allowance when you:\n\n- decide to take money from a pension pot\n\n- turn 75\n\n- transfer your pension overseas\n\n## Pay tax if you go above your lifetime allowance\n\nYou\u2019ll get a statement from your pension provider telling you how much tax you owe if you go above your lifetime allowance. Your pension provider will deduct the tax before you start getting your pension.\n\nYou\u2019ll need to report the tax deducted by filling in a Self Assessment tax return - download and fill in form SA101 if you\u2019re using paper forms. You\u2019ll get information from your pension provider to help you do this.\n\nIf you die before taking your pension HM Revenue and Customs (HMRC) will bill the person who inherits your pension for the tax.\n\n## Rates\n\nThe rate of tax you pay on pension savings above your lifetime allowance depends on how the money is paid to you - the rate is:\n\n- 55% if you get it as a lump sum\n\n- 25% if you get it any other way, for example pension payments or cash withdrawals\n\n## Protect your lifetime allowance\n\nThe lifetime allowance was reduced in April 2016. You can apply to protect your lifetime allowance from this reduction.\n\nTell your pension provider the type of protection and the protection reference number when you decide to take money from your pension pot.\n\n## Withdrawing cash from a pension pot\n\nYou cannot withdraw cash from a defined contribution pension pot (\u2018uncrystallised funds pension lump sums\u2019) if you have:\n\n- primary or enhanced protection covering a lump sum worth more than \u00a3375,000\n\n- \u2018lifetime allowance enhancement factor\u2019 if your unused lifetime allowance is less than 25% of the cash you want to withdraw\n\n## Reporting changes to HMRC\n\nYou can lose enhanced protection or any type of fixed protection if:\n\n- you make new savings in a pension scheme\n\n- you are enrolled in a new workplace pension scheme\n\n- you transfer money between pension schemes in a way that does not meet the transfer rules\n\n- you\u2019ve got enhanced protection and, when you take your pension benefits, their value has increased more than the amount allowed in the enhanced protection tax rules - this is called \u2018relevant benefit accrual\u2019\n\n- you\u2019ve got fixed protection and the value of your pension pot in any tax year grows at a higher rate than is allowed by the tax rules - this is called \u2018benefit accrual\u2019\n\nYou can report changes online or by post.\n\nAsk your employer whether they\u2019re likely to enrol you in a workplace pension. To make sure you do not lose protection, you can either:\n\n- opt out of most schemes within a month\n\n- ask not to be enrolled in some schemes - your employer may need evidence of your lifetime allowance protection\n\nTell HMRC in writing if you think you might have lost your protection.\n\n## If you have the right to take your pension before 50\n\nYou may have a reduced lifetime allowance if you have the right to take your pension before you\u2019re 50 under a pension scheme you joined before 2006.\n\nThis only applies to people in certain jobs (for example professional sports, dance and modelling) who start taking their pension before they\u2019re 55.\n\nYour lifetime allowance is not reduced if you\u2019re in a pension scheme for uniformed services, for example the armed forces, police and fire services.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-on-your-private-pension", + "answerable": true, + "scenario": "I have an income of \u00a3250,000 per year. When it is adjusted, this is \u00a3280,000 per year. I am looking at the tax on my pension.", + "original_question": "Is my annual allowance on my pension reduced?" + }, + { + "id": "train-968", + "question": "Scenario: My pension pot has risen to \u00a31,080,000 this year. My yearly income is \u00a3500,000. I am looking at the tax I will pay now.\n\nQuestion: Will I pay any additional tax now I have gone over the lifetime allowance?\n\nDocument - Tax on your private pension contributions:\n## Overview\n\nYour private pension contributions are tax-free up to certain limits.\n\nThis applies to most private pension schemes, for example:\n\n- workplace pensions\n\n- personal and stakeholder pensions\n\n- overseas pension schemes that qualify for UK tax relief - ask your provider if it\u2019s a \u2018qualifying overseas pension scheme\u2019\n\nPension schemes must be registered with HMRC to qualify for tax relief. Check with your pension provider if you\u2019re unsure if your scheme is registered or not.\n\nYou pay tax when you take money out of a pension.\n\n## Limits to your tax-free contributions\n\nYou usually pay tax if savings in your pension pots go above:\n\n- 100% of your earnings in a year - this is the limit on tax relief you get\n\n- \u00a340,000 a year - check your \u2018annual allowance\u2019\n\n- \u00a31,073,100 in your lifetime - this is the lifetime allowance\n\nYou also pay tax on contributions if your pension provider:\n\n- is not registered for tax relief with HM Revenue and Customs (HMRC)\n\n- does not invest your pension pot according to HMRC\u2019s rules\n\n## Tax relief\n\nYou can get tax relief on private pension contributions worth up to 100% of your annual earnings.\n\nYou get the tax relief automatically if your:\n\n- employer takes workplace pension contributions out of your pay before deducting Income Tax\n\n- rate of Income Tax is 20% - your pension provider will claim it as tax relief and add it to your pension pot (\u2018relief at source\u2019)\n\nIf your rate of Income Tax in Scotland is 19% your pension provider will claim tax relief for you at a rate of 20%. You do not need to pay the difference.\n\nUK tax relief is also available on contributions made to certain types of overseas pension schemes.\n\nIt\u2019s up to you to make sure you\u2019re not getting tax relief on pension contributions worth more than 100% of your annual earnings. HM Revenue and Customs (HMRC) can ask you to pay back anything over this limit.\n\n## Relief at source\n\nYou get relief at source in all personal and stakeholder pensions, and some workplace pensions.\n\n## To get relief at source\n\nBefore paying into a scheme, you need to agree to certain conditions about your contributions (\u2018make declarations\u2019). Your pension provider will tell you what these are.\n\nYou also need to give your pension provider your:\n\n- full name and address\n\n- date of birth\n\n- National Insurance number\n\n- employment status - or tell them if you\u2019re retired, a full time student, a carer or aged under 16\n\nYour employer may do this for you if you\u2019re automatically enrolled in their pension scheme.\n\nYour pension provider will let you know if this is the case and ask you to confirm your details are correct. You must do this within 30 days.\n\n## When you have to claim tax relief\n\nYou may be able to claim tax relief on pension contributions if:\n\n- you pay Income Tax at a rate above 20% and your pension provider claims the first 20% for you (relief at source)\n\n- your pension scheme is not set up for automatic tax relief\n\n- someone else pays into your pension\n\n## Claim tax relief in England, Wales or Northern Ireland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 20% up to the amount of any income you have paid 40% tax on\n\n- 25% up to the amount of any income you have paid 45% tax on\n\nYou can also call or write to HMRC to claim if you pay Income Tax at 40%.\n\n## Claim tax relief in Scotland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 1% up to the amount of any income you have paid 21% tax on\n\n- 21% up to the amount of any income you have paid 41% tax on\n\n- 26% up to the amount of any income you have paid 46% tax on\n\nYou can call or write to HMRC to claim if you do not fill in a Self Assessment tax return.\n\n## If your pension scheme is not set up for automatic tax relief\n\nClaim tax relief in your Self Assessment tax return if your pension scheme is not set up for automatic tax relief.\n\nCall or write to HMRC if you do not fill in a tax return.\n\nYou cannot claim tax relief if your pension scheme is not registered with HMRC.\n\n## If someone else pays into your pension\n\nWhen someone else (for example your partner) pays into your pension, you automatically get tax relief at 20% if your pension provider claims it for you (relief at source).\n\nIf you\u2019re in a workplace pension that allows other people to contribute you may need to claim the tax relief on those contributions - call or write to HMRC.\n\n## If you do not pay Income Tax\n\nYou still automatically get tax relief at 20% on the first \u00a32,880 you pay into a pension each tax year (6 April to 5 April) if both of the following apply to you:\n\n- you do not pay Income Tax, for example because you\u2019re on a low income\n\n- your pension provider claims tax relief for you at a rate of 20% (relief at source)\n\n## Life insurance policies\n\nYou cannot get tax relief if you use your pension contributions to pay a personal term assurance policy, unless it\u2019s a protected policy.\n\nPersonal term assurance is a life insurance policy that either:\n\n- ends when the first insured person dies\n\n- insures people who are all from the same family\n\n## Annual allowance\n\nYour annual allowance is the most you can save in your pension pots in a tax year (6 April to 5 April) before you have to pay tax.\n\nYou\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.\n\n## What counts towards the annual allowance\n\nYour annual allowance applies to all of your private pensions, if you have more than one. This includes:\n\n- the total amount paid in to a defined contribution scheme in a tax year by you or anyone else (for example, your employer)\n\n- any increase in a defined benefit scheme in a tax year\n\n## If you use all of your annual allowance for the current tax year\n\nYou might be able to carry over any annual allowance you did not use from the previous 3 tax years.\n\n## When your annual allowance is lower than \u00a340,000\n\nYour annual allowance might be lower if you have:\n\n- flexibly accessed your pension pot\n\n- a high income\n\n## If you flexibly access your pension\n\nYour annual allowance might be lower if you flexibly access your pension. For example, this could include taking:\n\n- cash or a short-term annuity from a flexi-access drawdown fund\n\n- cash from a pension pot (\u2018uncrystallised funds pension lump sums\u2019)\n\nThe lower allowance is called the \u2018money purchase annual allowance\u2019.\n\n## If you have a high income\n\nYou\u2019ll have a reduced (\u2018tapered\u2019) annual allowance in the current tax year if both:\n\n- your \u2018threshold income\u2019 is over \u00a3200,000\n\n- your \u2018adjusted income\u2019 is over \u00a3240,000\n\nThe threshold income and adjusted income limits are different for earlier tax years.\n\nWork out your reduced annual allowance.\n\n## If you go above the annual allowance\n\nYou\u2019ll get a statement from your pension provider telling you if you go above the annual allowance in their scheme. If you\u2019re in more than one pension scheme, ask each pension provider for statements.\n\nYou can also use a calculator to work out how much you\u2019ve gone above the allowance.\n\nIf you go over your annual allowance, either you or your pension provider must pay the tax.\n\nFill in the \u2018Pension savings tax charges\u2019 section of a Self Assessment tax return to tell HMRC about the tax, even if your pension provider pays all or part of it. You\u2019ll need form SA101 if you\u2019re using a paper form.\n\nYou can still claim tax relief for pension contributions on your Self Assessment tax return if you\u2019re above the annual allowance.\n\nHMRC does not tax anyone for going over their annual allowance in a tax year if they:\n\n- retired and took all their pension pots because of serious ill health\n\n- died\n\n## Lifetime allowance\n\nYou usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.\n\nYou might be able to protect your pension pot from reductions to the lifetime allowance.\n\n## Check how much lifetime allowance you\u2019ve used\n\nAsk your pension provider how much of your lifetime allowance you\u2019ve used.\n\nIf you\u2019re in more than one pension scheme, you must add up what you\u2019ve used in all pension schemes you belong to.\n\nWhat counts towards your allowance depends on the type of pension pot you get.\n\n| Type of pension pot | What counts towards your lifetime allowance |\n\n| Defined contribution - personal, stakeholder and most workplace schemes | Money in pension pots that goes towards paying you, however you decide to take the money |\n\n| Defined benefit - some workplace schemes | Usually 20 times the pension you get in the first year plus your lump sum - check with your pension provider |\n\nYour pension provider may ask for information about other pension schemes you\u2019re in so they can check if you\u2019re above your lifetime allowance when you:\n\n- decide to take money from a pension pot\n\n- turn 75\n\n- transfer your pension overseas\n\n## Pay tax if you go above your lifetime allowance\n\nYou\u2019ll get a statement from your pension provider telling you how much tax you owe if you go above your lifetime allowance. Your pension provider will deduct the tax before you start getting your pension.\n\nYou\u2019ll need to report the tax deducted by filling in a Self Assessment tax return - download and fill in form SA101 if you\u2019re using paper forms. You\u2019ll get information from your pension provider to help you do this.\n\nIf you die before taking your pension HM Revenue and Customs (HMRC) will bill the person who inherits your pension for the tax.\n\n## Rates\n\nThe rate of tax you pay on pension savings above your lifetime allowance depends on how the money is paid to you - the rate is:\n\n- 55% if you get it as a lump sum\n\n- 25% if you get it any other way, for example pension payments or cash withdrawals\n\n## Protect your lifetime allowance\n\nThe lifetime allowance was reduced in April 2016. You can apply to protect your lifetime allowance from this reduction.\n\nTell your pension provider the type of protection and the protection reference number when you decide to take money from your pension pot.\n\n## Withdrawing cash from a pension pot\n\nYou cannot withdraw cash from a defined contribution pension pot (\u2018uncrystallised funds pension lump sums\u2019) if you have:\n\n- primary or enhanced protection covering a lump sum worth more than \u00a3375,000\n\n- \u2018lifetime allowance enhancement factor\u2019 if your unused lifetime allowance is less than 25% of the cash you want to withdraw\n\n## Reporting changes to HMRC\n\nYou can lose enhanced protection or any type of fixed protection if:\n\n- you make new savings in a pension scheme\n\n- you are enrolled in a new workplace pension scheme\n\n- you transfer money between pension schemes in a way that does not meet the transfer rules\n\n- you\u2019ve got enhanced protection and, when you take your pension benefits, their value has increased more than the amount allowed in the enhanced protection tax rules - this is called \u2018relevant benefit accrual\u2019\n\n- you\u2019ve got fixed protection and the value of your pension pot in any tax year grows at a higher rate than is allowed by the tax rules - this is called \u2018benefit accrual\u2019\n\nYou can report changes online or by post.\n\nAsk your employer whether they\u2019re likely to enrol you in a workplace pension. To make sure you do not lose protection, you can either:\n\n- opt out of most schemes within a month\n\n- ask not to be enrolled in some schemes - your employer may need evidence of your lifetime allowance protection\n\nTell HMRC in writing if you think you might have lost your protection.\n\n## If you have the right to take your pension before 50\n\nYou may have a reduced lifetime allowance if you have the right to take your pension before you\u2019re 50 under a pension scheme you joined before 2006.\n\nThis only applies to people in certain jobs (for example professional sports, dance and modelling) who start taking their pension before they\u2019re 55.\n\nYour lifetime allowance is not reduced if you\u2019re in a pension scheme for uniformed services, for example the armed forces, police and fire services.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-on-your-private-pension", + "answerable": true, + "scenario": "My pension pot has risen to \u00a31,080,000 this year. My yearly income is \u00a3500,000. I am looking at the tax I will pay now.", + "original_question": "Will I pay any additional tax now I have gone over the lifetime allowance?" + }, + { + "id": "train-969", + "question": "Scenario: I am a vehicle dealer having a annual income of \u00a31,300000 and I have got a lot of engagement with my work. I always file my returns very late. I need help to have all my taxes paid promptly.\n\nQuestion: Can i join the VAT annual accounting scheme?\n\nDocument - VAT Annual Accounting Scheme:\n## Overview\n\nUsually, VAT-registered businesses submit their VAT Returns and payments to HM Revenue and Customs 4 times a year.\n\nWith the Annual Accounting Scheme you:\n\n- make advance VAT payments towards your VAT bill - based on your last return (or estimated if you\u2019re new to VAT)\n\n- submit 1 VAT Return a year\n\nFrom 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.\n\nWhen you submit your VAT Return you either:\n\n- make a final payment - the difference between your advance payments and actual VAT bill\n\n- apply for a refund - if you\u2019ve overpaid your VAT bill\n\nThe scheme would not suit your business if you regularly reclaim VAT because you\u2019ll only be able to get 1 refund a year (when you submit the VAT Return).\n\nYou can join the scheme if your estimated VAT taxable turnover is \u00a31.35 million or less.\n\nTalk to an accountant or tax adviser if you want advice on whether the Annual Accounting Scheme is right for you.\n\n## Join or leave the scheme\n\nYou must be eligible to join the scheme.\n\n## How to join\n\nYou can join the scheme:\n\n- online - when you register for VAT\n\n- by post - fill in VAT600 AA (or use VAT600 AA/FRS to apply for the Flat Rate Scheme at the same time)\n\nDo not use the address on the form - send it to the following address instead.\n\nConfirmation you\u2019ve joined the scheme is sent to your VAT online account (or in the post if you do not apply online).\n\n## How to leave\n\nYou can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to be in it.\n\nTo leave, write to HMRC and they will confirm when you can leave. From this date, you must account for your VAT in the usual way.\n\nYou have to wait 12 months before you can rejoin the scheme.\n\n## Eligibility\n\nYou can join the Annual Accounting Scheme if:\n\n- you\u2019re a VAT-registered business\n\n- your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use the scheme if:\n\n- you left the scheme in the last 12 months\n\n- your business is part of a VAT registered division or group of companies\n\n- you\u2019re not up to date with your VAT Returns or payments\n\n- you\u2019re insolvent\n\n## Leaving the scheme\n\nYou must leave the scheme if:\n\n- you\u2019re no longer eligible to be in it\n\n- your VAT taxable turnover is (or is likely to be) more than \u00a31.6 million at the end of the annual accounting year\n\n## Return and payment deadlines\n\nCheck your VAT Return and payment deadlines in your HM Revenue and Customs (HMRC) online account.\n\n## VAT Return deadline\n\nThere are 12 months in your VAT accounting period. Your VAT Return is due once a year, 2 months after the end of your accounting period.\n\nMost businesses now need to keep digital VAT records and use software to submit VAT Returns.\n\n## Payment deadlines\n\nYou must make advance payments towards your VAT bill (either monthly or quarterly) during your accounting period and a final payment when you submit your VAT Return.\n\n| Payment | Deadline |\n\n| Monthly | Due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12 |\n\n| Quarterly | Due at the end of months 4, 7 and 10 |\n\n| Final payment | Within 2 months of month 12 |\n\n## How much do you pay\n\nEach payment is either 10% of your estimated VAT bill (monthly payments) or 25% (quarterly payments). The amount is based on previous VAT returns (or estimated if you\u2019re new to VAT).\n\nHMRC will write telling you when your instalments are due and how much they\u2019ll be.\n\nThe final payment (known as a \u2018balancing payment\u2019) is the difference between your advance payments and the actual VAT bill confirmed on your VAT Return.\n\nYou may be due a VAT refund if you\u2019ve overpaid HMRC.\n\nYou must pay VAT to HMRC electronically, for example by Direct Debit or internet banking.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "answerable": true, + "scenario": "I am a vehicle dealer having a annual income of \u00a31,300000 and I have got a lot of engagement with my work. I always file my returns very late. I need help to have all my taxes paid promptly.", + "original_question": "Can i join the VAT annual accounting scheme?" + }, + { + "id": "train-972", + "question": "Scenario: During the lockdown I studied the stock market and I think that the best option for my future is to invest in some index funds, unfortunately I was diagnosed a cancer last year and I would like to invest some money for my wife and my child.\n\nQuestion: Is the ISA going to be part of my inheritance that my family is going to receive if I die?\n\nDocument - Individual Savings Accounts (ISAs):\n## Overview\n\nYou can save tax-free with Individual Savings Accounts (ISAs).\n\nIn the 2021 to 2022 tax year, the maximum you can save in ISAs is \u00a320,000\n\nThere are 4 types of ISA:\n\n- cash ISAs\n\n- stocks and shares ISAs\n\n- innovative finance ISAs\n\n- Lifetime ISAs\n\nYou can put money into one of each kind of ISA each tax year.\n\n## Who can open an ISA\n\nYou must be:\n\n- 16 or over for a cash ISA\n\n- 18 or over for a stocks and shares or innovative finance ISA\n\n- 18 or over but under 40 for a Lifetime ISA\n\nYou must also be either:\n\n- resident in the UK\n\n- a Crown servant (for example diplomatic or overseas civil service) or their spouse or civil partner if you do not live in the UK\n\nYou cannot hold an ISA with or on behalf of someone else.\n\nYou can get a Junior ISA for children under 18.\n\n## Opening and managing an ISA for someone who lacks the mental capacity to do this for themselves\n\nA close friend or relative can apply to the Court of Protection (COP) for a financial deputyship order to open and manage an ISA for someone who cannot do this for themselves.\n\nIn Scotland, applications need to be made to the Office of the Public Guardian in Scotland.\n\nIn Northern Ireland, applications need to be made to the Office of Care and Protection.\n\n## How ISAs work\n\nThere are 4 types of Individual Savings Accounts (ISA):\n\n- cash ISA\n\n- stocks and shares ISA\n\n- innovative finance ISA\n\n- Lifetime ISA\n\nYou do not pay tax on:\n\n- interest on cash in an ISA\n\n- income or capital gains from investments in an ISA\n\nIf you complete a tax return, you do not need to declare any ISA interest, income or capital gains on it.\n\n## Putting money into an ISA\n\nEvery tax year you can put money into one of each kind of ISA. The tax year runs from 6 April to 5 April.\n\nYou can save up to \u00a320,000 in one type of account or split the allowance across some or all of the other types.\n\nYou can only pay \u00a34,000 into your Lifetime ISA in a tax year.\n\nYour ISAs will not close when the tax year finishes. You\u2019ll keep your savings on a tax-free basis for as long as you keep the money in your ISA accounts.\n\n## What you can include in your ISAs\n\nCash ISAs can include:\n\n- savings in bank and building society accounts\n\n- some National Savings and Investments products\n\nStocks and shares ISAs can include:\n\n- shares in companies\n\n- unit trusts and investment funds\n\n- corporate bonds\n\n- government bonds\n\nYou cannot transfer any non-ISA shares you already own into an ISA unless they\u2019re from an employee share scheme.\n\nLifetime ISAs may include either:\n\n- cash\n\n- stocks and shares\n\nInnovative finance ISAs include:\n\n- peer-to-peer loans - loans that you give to other people or businesses without using a bank\n\n- \u2018crowdfunding debentures\u2019 - investing in a business by buying its debt\n\nYou cannot transfer any peer-to-peer loans you\u2019ve already made or crowdfunding debentures you already hold into an innovative finance ISA.\n\nIf you have questions about the tax rules for ISAs, you can call the ISA Helpline.\n\n## How to open an ISA\n\nYou can get an Individual Savings Account (ISA) from:\n\n- banks\n\n- building societies\n\n- credit unions\n\n- friendly societies\n\n- stock brokers\n\n- peer-to-peer lending services\n\n- crowdfunding companies\n\n- other financial institutions\n\nContact your provider directly for more information about how to open an ISA with them.\n\n## Withdrawing your money\n\nYou can take your money out of an Individual Savings Account (ISA) at any time, without losing any tax benefits. Check the terms of your ISA to see if there are any rules or charges for making withdrawals.\n\nThere are different rules for taking your money out of a Lifetime ISA.\n\nIf your ISA is \u2018flexible\u2019, you can take out cash then put it back in during the same tax year without reducing your current year\u2019s allowance. Your provider can tell you if your ISA is flexible.\n\n## Transferring your ISA\n\nYou can transfer your Individual Savings Account (ISA) from one provider to another at any time.\n\nYou can transfer your savings to a different type of ISA or to the same type of ISA.\n\nIf you want to transfer money you\u2019ve invested in an ISA during the current year, you must transfer all of it.\n\nFor money you invested in previous years, you can choose to transfer all or part of your savings.\n\nIf you transfer cash and assets from a Lifetime ISA to a different ISA before the age of 60, you\u2019ll have to pay a withdrawal fee of 25%.\n\n## Restrictions on what you can transfer\n\nYou can transfer cash from your innovative finance ISA to another provider - but you may not be able to transfer other investments from it.\n\nCheck with your provider for any restrictions they may have on transferring ISAs. They may also make you pay a charge.\n\n## How to transfer your ISA\n\nTo switch providers, contact the ISA provider you want to move to and fill out an ISA transfer form to move your account. If you withdraw the money without doing this, you will not be able to reinvest that part of your tax-free allowance again.\n\n## Deadlines and complaints\n\nISA transfers should take no longer than:\n\n- 15 working days for transfers between cash ISAs\n\n- 30 calendar days for other types of transfer\n\nIf you want to transfer investments held in an innovative finance ISA, ask your provider how long it will take.\n\nIf your transfer takes longer than it should, contact your ISA provider.\n\nIf you\u2019re unhappy with the response, you can take the matter up with the Financial Ombudsman Service.\n\n## If you move abroad\n\nIf you open an Individual Savings Account (ISA) in the UK then move abroad, you cannot put money into it after the tax year that you move (unless you\u2019re a Crown employee working overseas or their spouse or civil partner).\n\nYou must tell your ISA provider as soon as you stop being a UK resident.\n\nHowever, you can keep your ISA open and you\u2019ll still get UK tax relief on money and investments held in it.\n\nYou can transfer an ISA to another provider even if you are not resident in the UK.\n\nYou can pay into your ISA again if you return and become a UK resident (subject to the annual ISA allowance).\n\n## If you die\n\nYour ISA will end when either:\n\n- your executor closes it\n\n- the administration of your estate is completed\n\nOtherwise, your ISA provider will close your ISA 3 years and 1 day after you die.\n\nThere will be no Income Tax or Capital Gains Tax to pay up to that date, but ISA investments will form part of your estate for Inheritance Tax purposes.\n\n## Stocks and shares ISAs\n\nYour ISA provider can be instructed to either:\n\n- sell the investments and pay the proceeds to the administrator or beneficiary of your estate\n\n- transfer the investments to your surviving spouse\u2019s or civil partner\u2019s ISA - this is only possible if they have the same ISA provider as you\n\nCheck the terms and conditions of your ISA for details.\n\n## Inheriting an ISA from your spouse or civil partner\n\nIf your spouse or civil partner dies you can inherit their ISA allowance.\n\nAs well as your normal ISA allowance you can add a tax-free amount up to either:\n\n- the value they held in their ISA when they died\n\n- the value of their ISA when it\u2019s closed\n\nContact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.\n\n## If your spouse or civil partner died from 3 December 2014 to 5 April 2018\n\nTheir ISA ended on the date of their death. ISA investments will form part of their estate for Inheritance Tax purposes.\n\nTheir ISA provider can be instructed to sell the investments and either:\n\n- pay the proceeds to the administrator or beneficiary of their estate\n\n- transfer the investments directly to them\n\nYou can inherit their ISA allowance. As well as your normal ISA allowance, you can add a tax-free amount up to the value they held in their ISA when they died.\n\nContact your ISA provider or the provider of your spouse or civil partner\u2019s ISA for details.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/individual-savings-accounts", + "answerable": true, + "scenario": "During the lockdown I studied the stock market and I think that the best option for my future is to invest in some index funds, unfortunately I was diagnosed a cancer last year and I would like to invest some money for my wife and my child.", + "original_question": "Is the ISA going to be part of my inheritance that my family is going to receive if I die?" + }, + { + "id": "train-973", + "question": "Scenario: I want to take my whole pension of \u00a3250,000 out in a lump sum. I am wondering what would the tax implications be for this.\n\nQuestion: Will I have to pay tax on this lump sum?\n\nDocument - Tax when you get a pension:\n## What\u2019s taxed\n\nYou pay tax if your total annual income adds up to more than your Personal Allowance. Find out about your Personal Allowance and Income Tax rates.\n\nYour total income could include:\n\n- the State Pension you get (either the basic State Pension or the new State Pension)\n\n- Additional State Pension\n\n- a private pension (workplace or personal) - you can take some of this tax-free\n\n- earnings from employment or self-employment\n\n- any taxable benefits you get\n\n- any other income, such as money from investments, property or savings\n\nYou may have to pay Income Tax at a higher rate if you take a large amount from a private pension. You may also owe extra tax at the end of the tax year.\n\n## If your private pensions total more than \u00a31,073,100\n\nYou usually pay a tax charge if the total value of your private pensions is more than \u00a31,073,100. Your pension provider will take off the charge before you get your payment.\n\n## Tax if someone inherits your pension\n\nOther rules apply if someone inherits your State pension or your private pension.\n\n## What's tax-free\n\nYou won\u2019t usually pay any tax if your total annual income adds up to less than your Personal Allowance.\n\n## Lump sums from your pension\n\nYou can usually take up to 25% of the amount built up in any pension as a tax-free lump sum. The tax-free lump sum doesn\u2019t affect your Personal Allowance.\n\nTax is taken off the remaining amount before you get it.\n\nWhen you can take your pension depends on your pension\u2019s rules. It\u2019s usually 55 at the earliest.\n\nYou might have to pay Income Tax at a higher rate if you take a large amount from your pension. You could also owe extra tax at the end of the tax year.\n\n## How you can take your pension\n\n## A pension worth up to \u00a310,000\n\nYou can usually take any pension worth up to \u00a310,000 in one go. This is called a \u2018small pot\u2019 lump sum. If you take this option, 25% is tax-free.\n\nYou can usually get:\n\n- up to 3 small pot lump sums from different personal pensions\n\n- unlimited small pot lump sums from different workplace pensions\n\n## A pension worth up to \u00a330,000 that includes a defined benefit pension\n\nIf you have \u00a330,000 or less in all of your private pensions, you can usually take everything you have in your defined benefit pension or defined contribution pension as a \u2018trivial commutation\u2019 lump sum. If you take this option, 25% is tax-free.\n\nIf this lump sum is paid from more than one pension, you must:\n\n- have your savings in each scheme valued by the provider on the same day, no more than 3 months before you get the first payment\n\n- get all payments within 12 months of the first payment\n\nIf you take payments from a pension before taking the rest as a lump sum, you pay tax on the whole lump sum.\n\n## Cash from a defined contribution pension\n\nCheck with your provider about how you can take money from a defined contribution pension. You can take:\n\n- all the money built up in your pension as cash - up to 25% is tax-free\n\n- smaller cash sums from your pension - up to 25% of each sum is tax-free\n\nYou may have to pay a tax charge on money you put into your pension after you withdraw cash.\n\n## If your life expectancy is less than a year\n\nYou may be able to take all the money in your pension as a tax-free lump sum, if all of the following apply:\n\n- you\u2019re expected to live less than a year because of serious illness\n\n- you\u2019re under 75\n\n- you don\u2019t have more than the lifetime allowance of \u00a31,073,100 in pension savings\n\nIf you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.\n\nCheck with your pension provider. Some pension funds will keep at least 50% of your pension for your spouse or civil partner.\n\n## How your tax is paid\n\n## If you get the State Pension and a private pension\n\nYour pension provider will take off any tax you owe before they pay you. They\u2019ll also take off any tax you owe on your State Pension.\n\nIf you get payments from more than one provider (for example, from a workplace pension and a personal pension), HM Revenue and Customs (HMRC) will ask one of your providers to take the tax off your State Pension.\n\nAt the end of the tax year you\u2019ll get a P60 from your pension provider showing how much tax you\u2019ve paid.\n\n## If the State Pension is your only income\n\nYou\u2019re responsible for paying any tax you owe. Fill in and send a Self Assessment tax return if you owe anything.\n\nIf you started getting your pension on or after 6 April 2016, don\u2019t send a tax return. HMRC will write to tell you what you owe and how to pay.\n\n## If you continue to work\n\nYour employer will take any tax due off your earnings and your State Pension. This is called Pay As You Earn (PAYE).\n\nIf you\u2019re self-employed you must fill in a Self Assessment tax return at the end of the tax year. You must declare your overall income, including the State Pension and money from private pensions, for example your workplace pension.\n\n## If you have other income\n\nYou\u2019re responsible for paying any tax you owe on income other than money from your pensions. You might have to fill in a Self Assessment tax return.\n\nYou can claim a tax refund if you\u2019ve paid too much tax.\n\n## Tax codes\n\nIf your income only comes from one source you\u2019ll usually have one tax code.\n\nYou can have several tax codes if you have income from more than one source.\n\nYou can get your tax code corrected if you think it\u2019s wrong.\n\n## Tax when you live abroad\n\nIf you live abroad but are classed as a UK resident for tax purposes, you may have to pay UK tax on your pension. The amount you pay depends on your income.\n\nIf you\u2019re not a UK resident, you don\u2019t usually pay UK tax on your pension. But you might have to pay tax in the country you live in. There are a few exceptions - for example, UK civil service pensions will always be taxed in the UK.\n\n## Double tax\n\nIf you live in a country without a \u2018double taxation agreement\u2019 with the UK, you might have to pay tax in both countries.\n\n## Higher tax on unauthorised payments\n\nYou\u2019ll pay up to 55% tax on payments from your pension provider if they make an \u2018unauthorised payment\u2019. This is a payment made outside of the government\u2019s tax rules and usually includes:\n\n- any payments before you\u2019re 55 (there are exceptions)\n\n- a \u2018trivial commutation\u2019 lump sum of over \u00a330,000\n\n- regular payments into your account after you\u2019ve died\n\nSome companies advertise personal loans or cash advances if you take your pension early. These payments are unauthorised and you have to pay tax on them.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-on-pension", + "answerable": true, + "scenario": "I want to take my whole pension of \u00a3250,000 out in a lump sum. I am wondering what would the tax implications be for this.", + "original_question": "Will I have to pay tax on this lump sum?" + }, + { + "id": "train-974", + "question": "Scenario: I am 65 year old, and I have been told that I only have three years to live. I have a pension pot of \u00a3750,000.\n\nQuestion: Will I be eligible for the full free tax benefit from my low life expectancy?\n\nDocument - Tax when you get a pension:\n## What\u2019s taxed\n\nYou pay tax if your total annual income adds up to more than your Personal Allowance. Find out about your Personal Allowance and Income Tax rates.\n\nYour total income could include:\n\n- the State Pension you get (either the basic State Pension or the new State Pension)\n\n- Additional State Pension\n\n- a private pension (workplace or personal) - you can take some of this tax-free\n\n- earnings from employment or self-employment\n\n- any taxable benefits you get\n\n- any other income, such as money from investments, property or savings\n\nYou may have to pay Income Tax at a higher rate if you take a large amount from a private pension. You may also owe extra tax at the end of the tax year.\n\n## If your private pensions total more than \u00a31,073,100\n\nYou usually pay a tax charge if the total value of your private pensions is more than \u00a31,073,100. Your pension provider will take off the charge before you get your payment.\n\n## Tax if someone inherits your pension\n\nOther rules apply if someone inherits your State pension or your private pension.\n\n## What's tax-free\n\nYou won\u2019t usually pay any tax if your total annual income adds up to less than your Personal Allowance.\n\n## Lump sums from your pension\n\nYou can usually take up to 25% of the amount built up in any pension as a tax-free lump sum. The tax-free lump sum doesn\u2019t affect your Personal Allowance.\n\nTax is taken off the remaining amount before you get it.\n\nWhen you can take your pension depends on your pension\u2019s rules. It\u2019s usually 55 at the earliest.\n\nYou might have to pay Income Tax at a higher rate if you take a large amount from your pension. You could also owe extra tax at the end of the tax year.\n\n## How you can take your pension\n\n## A pension worth up to \u00a310,000\n\nYou can usually take any pension worth up to \u00a310,000 in one go. This is called a \u2018small pot\u2019 lump sum. If you take this option, 25% is tax-free.\n\nYou can usually get:\n\n- up to 3 small pot lump sums from different personal pensions\n\n- unlimited small pot lump sums from different workplace pensions\n\n## A pension worth up to \u00a330,000 that includes a defined benefit pension\n\nIf you have \u00a330,000 or less in all of your private pensions, you can usually take everything you have in your defined benefit pension or defined contribution pension as a \u2018trivial commutation\u2019 lump sum. If you take this option, 25% is tax-free.\n\nIf this lump sum is paid from more than one pension, you must:\n\n- have your savings in each scheme valued by the provider on the same day, no more than 3 months before you get the first payment\n\n- get all payments within 12 months of the first payment\n\nIf you take payments from a pension before taking the rest as a lump sum, you pay tax on the whole lump sum.\n\n## Cash from a defined contribution pension\n\nCheck with your provider about how you can take money from a defined contribution pension. You can take:\n\n- all the money built up in your pension as cash - up to 25% is tax-free\n\n- smaller cash sums from your pension - up to 25% of each sum is tax-free\n\nYou may have to pay a tax charge on money you put into your pension after you withdraw cash.\n\n## If your life expectancy is less than a year\n\nYou may be able to take all the money in your pension as a tax-free lump sum, if all of the following apply:\n\n- you\u2019re expected to live less than a year because of serious illness\n\n- you\u2019re under 75\n\n- you don\u2019t have more than the lifetime allowance of \u00a31,073,100 in pension savings\n\nIf you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.\n\nCheck with your pension provider. Some pension funds will keep at least 50% of your pension for your spouse or civil partner.\n\n## How your tax is paid\n\n## If you get the State Pension and a private pension\n\nYour pension provider will take off any tax you owe before they pay you. They\u2019ll also take off any tax you owe on your State Pension.\n\nIf you get payments from more than one provider (for example, from a workplace pension and a personal pension), HM Revenue and Customs (HMRC) will ask one of your providers to take the tax off your State Pension.\n\nAt the end of the tax year you\u2019ll get a P60 from your pension provider showing how much tax you\u2019ve paid.\n\n## If the State Pension is your only income\n\nYou\u2019re responsible for paying any tax you owe. Fill in and send a Self Assessment tax return if you owe anything.\n\nIf you started getting your pension on or after 6 April 2016, don\u2019t send a tax return. HMRC will write to tell you what you owe and how to pay.\n\n## If you continue to work\n\nYour employer will take any tax due off your earnings and your State Pension. This is called Pay As You Earn (PAYE).\n\nIf you\u2019re self-employed you must fill in a Self Assessment tax return at the end of the tax year. You must declare your overall income, including the State Pension and money from private pensions, for example your workplace pension.\n\n## If you have other income\n\nYou\u2019re responsible for paying any tax you owe on income other than money from your pensions. You might have to fill in a Self Assessment tax return.\n\nYou can claim a tax refund if you\u2019ve paid too much tax.\n\n## Tax codes\n\nIf your income only comes from one source you\u2019ll usually have one tax code.\n\nYou can have several tax codes if you have income from more than one source.\n\nYou can get your tax code corrected if you think it\u2019s wrong.\n\n## Tax when you live abroad\n\nIf you live abroad but are classed as a UK resident for tax purposes, you may have to pay UK tax on your pension. The amount you pay depends on your income.\n\nIf you\u2019re not a UK resident, you don\u2019t usually pay UK tax on your pension. But you might have to pay tax in the country you live in. There are a few exceptions - for example, UK civil service pensions will always be taxed in the UK.\n\n## Double tax\n\nIf you live in a country without a \u2018double taxation agreement\u2019 with the UK, you might have to pay tax in both countries.\n\n## Higher tax on unauthorised payments\n\nYou\u2019ll pay up to 55% tax on payments from your pension provider if they make an \u2018unauthorised payment\u2019. This is a payment made outside of the government\u2019s tax rules and usually includes:\n\n- any payments before you\u2019re 55 (there are exceptions)\n\n- a \u2018trivial commutation\u2019 lump sum of over \u00a330,000\n\n- regular payments into your account after you\u2019ve died\n\nSome companies advertise personal loans or cash advances if you take your pension early. These payments are unauthorised and you have to pay tax on them.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-on-pension", + "answerable": true, + "scenario": "I am 65 year old, and I have been told that I only have three years to live. I have a pension pot of \u00a3750,000.", + "original_question": "Will I be eligible for the full free tax benefit from my low life expectancy?" + }, + { + "id": "train-975", + "question": "Scenario: I have had part of my garden purchased to make way for a new road. The road has now opened, and the noise of the road is keeping me awake.\n\nQuestion: Is there any compensation I can apply for?\n\nDocument - Noise from roads, trains or planes:\n## Vehicle noise limits\n\nThere are limits to the amount of noise that vehicles can make on public roads. This applies to all types of vehicles.\n\nIn general, larger vehicles with bigger engines are able to make more noise.\n\n## Noise limits on tyres\n\nThere are noise limits on tyres and since November 2012 all new tyres are graded and labelled to show how noisy they are.\n\n## Modified exhaust systems\n\nIt\u2019s illegal to modify the exhaust system to make a vehicle noisier after it has been \u2018type approved\u2019 (checked it meets environmental and safety standards).\n\nThe police can also take action if your vehicle\u2019s silencer doesn\u2019t work in the way it was designed or if you\u2019re driving in a way that creates too much noise.\n\n## Noise from roads\n\nThere\u2019s no legal limit to road noise, although noise levels might be taken into account when new roads or houses and offices near roads are planned.\n\n## Planned new roads\n\nWhen planning a new road local highway authorities assess how the noise at your property will change when the road opens.\n\nIf noise from a new road exceeds certain levels at your home you might be able to get sound insulation.\n\nContact your highway authority to apply, or if you\u2019re worried about the noise from a planned road scheme - get their details from your local council.\n\n## Compulsory purchase and road noise\n\nWhen a new road is built, it often involves the \u2018compulsory purchase\u2019 of land to make way for the road.\n\nYou might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.\n\n## After roads open to traffic\n\nYou can apply for compensation if your property value goes down because of road noise from the use of a new or altered road.\n\n## Railway noise\n\nThere are no legal limits to noise from existing railways.\n\nIf you think that noise levels are affecting your health contact your local council who will investigate on your behalf.\n\nIf noise from a new railway affects your property you might be able to get sound insulation for your home. Contact the relevant rail authority - ask your local council for their details.\n\nIf particular trains are causing you a problem, speak to the company running those trains.\n\nFind information on train operators on the National Rail website or call Network Rail.\n\n## Aircraft noise\n\nNoise is regulated to some extent at all UK airports. This can include noise limits and restrictions on night flights.\n\nAircraft paths are generally designed to fly over the least populated areas.\n\nSome airports operate grant schemes to install sound insulation in affected homes. Contact the airport that affects you to find out if they run one.\n\nThe Civil Aviation Authority (CAA) has more information on aircraft noise and emissions.\n\n## Complaining about aircraft noise\n\nTo complain about noise or aircraft activities in general, get in touch with the relevant airport.\n\n## Military aircraft\n\nMilitary aircraft are covered by different rules. You can complain about military aircraft noise or low flying military aircraft.\n\n## Further information\n\nThere are strategic noise maps for England provided by the Department for Environment, Food and Rural Affairs (Defra).\n\nThese estimate noise from:\n\n- major roads - those with more than 6 million vehicle passages annually\n\n- major railways - those with more than 60,000 train passages annually\n\n- major airports - those with more than 50,000 aircraft movements annually (except for training on light aircraft)\n\nThey also estimate noise in urban areas (with populations greater than 250,000 and a certain population density).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "answerable": true, + "scenario": "I have had part of my garden purchased to make way for a new road. The road has now opened, and the noise of the road is keeping me awake.", + "original_question": "Is there any compensation I can apply for?" + }, + { + "id": "train-978", + "question": "Scenario: Me and some friends have got together to start buying some shares. It seems to be easier to it collectively.\n\nQuestion: Are there specific rules for such things?\n\nDocument - Tax when you sell shares:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) shares or other investments.\n\nShares and investments you may need to pay tax on include:\n\n- shares that are not in an ISA or PEP\n\n- units in a unit trust\n\n- certain bonds (not including Premium Bonds and Qualifying Corporate Bonds)\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax. This will depend on if your total gains are above your Capital Gains Tax allowance for the tax year.\n\n## When you do not pay it\n\nYou do not usually need to pay tax if you give shares as a gift to your husband, wife, civil partner or a charity.\n\nYou also do not pay Capital Gains Tax when you dispose of:\n\n- shares you\u2019ve put into an ISA or PEP\n\n- shares in employer Share Incentive Plans (SIPs)\n\n- UK government gilts (including Premium Bonds)\n\n- Qualifying Corporate Bonds\n\n- employee shareholder shares - depending on when you got them\n\n## Work out your gain\n\nYou\u2019ll need to work out your gain to find out whether you need to pay Capital Gains Tax.\n\nYour gain is usually the difference between what you paid for your shares and what you sold them for.\n\n## Market value\n\nIn some situations you should use the market value of the shares when working out your gain. Do this if:\n\n- you gave them away as a gift to someone other than your spouse, civil partner or a charity\n\n- you sold them for less than they were worth\n\n- you inherited them and do not know the Inheritance Tax value\n\n- you owned them before April 1982\n\n- you acquired them through certain Employee Share Schemes\n\nIf the shares were given or sold to you by someone who claimed Gift Hold-Over Relief, use the amount that person paid for them to work out your gain. If you paid less than they were worth, use the amount you paid for them.\n\n## Selling in special circumstances\n\nThere are special rules for working out the cost of your shares if you sell:\n\n- shares you bought at different times and prices in one company\n\n- shares through an investment club\n\n- shares after a company merger or takeover\n\n- employee share scheme shares\n\n## Jointly owned shares and investments\n\nIf you sell shares or investments that you own jointly with other people, work out the gain for the portion that you own, instead of the whole value. There are different rules for investment clubs.\n\n## What to do next\n\n## Deduct costs\n\nYou can deduct certain costs of buying or selling your shares from your gain. These include:\n\n- fees, for example stockbrokers\u2019 fees\n\n- Stamp Duty Reserve Tax (SDRT) when you bought the shares\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## Apply reliefs\n\nYou may be able to reduce or delay paying Capital Gains Tax if you\u2019re eligible for tax relief.\n\n## Work out if you need to pay\n\nWhen you know your gain you need to work out if you need to report and pay Capital Gains Tax.\n\nYou may be able to work out how much tax to pay on your shares.\n\nYou can use the calculator if you sold shares that were:\n\n- the same type, acquired in the same company on the same date\n\n- sold at the same time\n\nYou can not use the calculator if you:\n\n- sold other shares in the tax year\n\n- sold other chargeable assets in the tax year, such as a property you let out\n\n- claim any reliefs\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\nYou can claim losses on shares you own if they become worthless or of \u2018negligible value\u2019 (for example because the company goes into liquidation).\n\nHMRC has guidance on making a negligible value claim.\n\n## Selling shares in the same company\n\nThere\u2019s a different way of working out your cost if you\u2019ve sold the same type of shares in a company that you bought at different times.\n\nYou\u2019ll usually need to work out the average cost of your shares and deduct this from what you got for them to work out your gain.\n\nIf you bought new shares of the same type in the same company within 30 days of selling your old ones, there are special rules for working out the cost to use in your tax calculations.\n\nContact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.\n\n## Investment clubs\n\nYou work out your gain differently if you\u2019ve bought and sold shares through an investment club.\n\nAn investment club is a group of people that buys and sells shares together on the stock market.\n\n## Work out your gain\n\nYou\u2019ll get a written statement of your gains and losses (an \u2018investment club certificate (PDF, 212KB)\u2019) at the end of each tax year from the person who runs the club, for example its treasurer.\n\nWhen you know your gain, work out if you need to report and pay Capital Gains Tax. There are special rules if you make any losses.\n\n## Leaving an investment club\n\nThe club buys back your shares if you leave, and you need to include any gain or loss when you\u2019re working out if you need to pay tax.\n\n- Take your share of any gains during your membership of the club, and deduct your share of any losses.\n\n- Add any income from dividends you received (after tax).\n\n- Add any other money you received from the club, and deduct anything you paid into it (for example a monthly amount to invest).\n\n- Deduct the total from what you received from the club for your shares.\n\nContact HM Revenue and Customs (HMRC) or get professional help (for example from an accountant) if you need advice.\n\n## Transferring shares into the club\n\nIf you transfer shares you already own into the club, you\u2019re treated as selling them and you need to work out your gain.\n\n## If you run an investment club\n\nThe investment club treasurer or secretary should:\n\n- divide any income, gains and losses between its members according to the club\u2019s rules\n\n- give every member a written statement at the end of each tax year - you can use HMRC\u2019s investment club certificate (PDF, 212KB)\n\n- keep records including members\u2019 income and gains\n\n- arrange to buy shares from members who want to leave the club\n\nIf you\u2019re starting a new investment club, make sure it has a constitution and rules. Get legal advice from a professional if you need help.\n\n## Tax relief\n\nYou may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.\n\n| Relief | Description |\n\n| Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax instead of the normal rates if you sell shares in a trading company that you work for and have at least 5% of the shares and voting rights (known as a \u2018personal company\u2019). |\n\n| Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away shares in a personal company or unlisted company - the person you gave them to pays tax when they sell them. |\n\n| Enterprise Investment Scheme (EIS) | Delay or reduce your Capital Gains Tax if you use a gain to buy unlisted shares in companies approved for EIS. |\n\n| Seed Enterprise Investment Scheme (SEIS) | Pay no Capital Gains Tax on a gain of up to \u00a3100,000 if you use a gain to buy new shares in small early-stage companies approved for SEIS. |\n\n| Rollover relief | Delay paying Capital Gains Tax if you sell unlisted shares to the trustees of a Share Incentive Plan (SIP) and use the proceeds to buy new assets. |\n\nShares are \u2018unlisted\u2019 if they\u2019re in a company that is not listed on the London Stock Exchange or a recognised stock exchange abroad.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-sell-shares", + "answerable": true, + "scenario": "Me and some friends have got together to start buying some shares. It seems to be easier to it collectively.", + "original_question": "Are there specific rules for such things?" + }, + { + "id": "train-982", + "question": "Scenario: I became self employed and make \u00a33000 per year, this is my only job after I left my previous employer.\n\nQuestion: Do I have to pay national insurance?\n\nDocument - National Insurance:\n## Overview\n\nYou pay National Insurance contributions to qualify for certain benefits and the State Pension.\n\nYou pay mandatory National Insurance if you\u2019re 16 or over and are either:\n\n- an employee earning above \u00a3184 a week\n\n- self-employed and making a profit of \u00a36,515 or more a year\n\nYou may be able to pay voluntary contributions to avoid gaps in your NI contributions.\n\nYou need a National Insurance number before you can start paying National Insurance contributions.\n\nIf you earn between \u00a3120 and \u00a3184 a week, your contributions are treated as having been paid to protect your National Insurance record.\n\nThis page is also available in Welsh (Cymraeg).\n\n## National Insurance classes\n\nThere are different types of National Insurance (known as \u2018classes\u2019).\n\nThe type you pay depends on your employment status and how much you earn.\n\n## When you stop paying\n\nIf you\u2019re employed, you stop paying Class 1 National Insurance when you reach the State Pension age.\n\nIf you\u2019re self-employed you stop paying:\n\n- Class 2 National Insurance when you reach State Pension age\n\n- Class 4 National Insurance from 6 April (start of the tax year) after you reach State Pension age\n\n## Your National Insurance number\n\nYou have a National Insurance number to make sure your National Insurance contributions and tax are recorded against your name only.\n\nIt\u2019s made up of letters and numbers and never changes.\n\nYou can find your National Insurance number:\n\n- on your payslip\n\n- on your P60\n\n- on letters about your tax, pension or benefits\n\n- in the National Insurance section of your personal tax account\n\nYou can apply for a National Insurance number if you do not have one or find your National Insurance number if you\u2019ve lost it.\n\n## Who uses your National Insurance number\n\nThese organisations need to know what your number is:\n\n- HM Revenue and Customs (HMRC)\n\n- your employer\n\n- the Department for Work and Pensions (which includes Jobcentre Plus and the Pension, Disability and Carers Service), if you claim state benefits, or in Northern Ireland the Department for Social Development\n\n- your local council, if you claim Housing Benefit, or the Northern Ireland Housing Executive\n\n- Electoral Registration Officers (to check your identity when you register to vote)\n\n- the Student Loan Company, if you apply for a student loan\n\n- your pension provider if you have a personal or stakeholder pension\n\n- your Individual Savings Account (ISA) provider, if you open an ISA\n\n- authorised financial service providers who help you buy and sell investments like shares, bonds and derivatives - you can check if your provider is authorised\n\nTo prevent identity fraud, keep your National Insurance number safe. Do not share it with anyone who does not need it.\n\n## Proving your National Insurance number\n\nYou can save or print a letter confirming your National Insurance number from your personal tax account.\n\nIf you do not have a personal tax account, contact HMRC to ask for a letter.\n\n## National Insurance classes\n\nThe class you pay depends on your employment status and how much you earn.\n\n| National Insurance class | Who pays |\n\n| Class 1 | Employees earning more than \u00a3184 a week and under State Pension age - they\u2019re automatically deducted by your employer |\n\n| Class 1A or 1B | Employers pay these directly on their employee\u2019s expenses or benefits |\n\n| Class 2 | Self-employed people earning profits of \u00a36,515 or more a year. If you\u2019re earning less than this, you can choose to pay voluntary contributions to fill or avoid gaps in your National Insurance record |\n\n| Class 3 | Voluntary contributions - you can pay them to fill or avoid gaps in your National Insurance record |\n\n| Class 4 | Self-employed people earning profits of \u00a39,569 or more a year |\n\nSee the current rates for Class 1, 2 and 4 contributions.\n\n## How much you pay\n\nThe amount of National Insurance you pay depends on your employment status and how much you earn.\n\nYou can see rates for past tax years.\n\n## If you\u2019re employed\n\nYou pay Class 1 National Insurance contributions. The rates for most people for the 2021 to 2022 tax year are:\n\n| Your pay | Class 1 National Insurance rate |\n\n| \u00a3184 to \u00a3967 a week (\u00a3797 to \u00a34,189 a month) | 12% |\n\n| Over \u00a3967 a week (\u00a34,189 a month) | 2% |\n\nYou\u2019ll pay less if:\n\n- you\u2019re a married woman or widow with a valid \u2018certificate of election\u2019\n\n- you\u2019re deferring National Insurance because you\u2019ve got more than one job\n\nEmployers pay a different rate of National Insurance depending on their employees\u2019 category letters.\n\n## How to pay\n\nYou pay National Insurance with your tax. Your employer will take it from your wages before you get paid. Your payslip will show your contributions.\n\nIf you\u2019re a director of a limited company, you may also be your own employee and pay Class 1 National Insurance through your PAYE payroll.\n\n## If you\u2019re self-employed\n\nYou pay Class 2 and Class 4 National Insurance, depending on your profits. Most people pay both through Self Assessment.\n\nYou may be able to pay voluntary contributions to avoid gaps in your national insurance record if you:\n\n- have profits of less than \u00a36,515 a year from your self-employment\n\n- have a specific job (such as an examiner or business owner in property or land) and you do not pay Class 2 National Insurance through Self Assessment\n\nIf you have a specific job and you do not pay Class 2 National Insurance through Self Assessment, you need to contact HMRC to arrange a voluntary payment.\n\n## If you\u2019re employed and self-employed\n\nYou might be an employee but also do self-employed work. In this case your employer will deduct your Class 1 National Insurance from your wages, and you may have to pay Class 2 and 4 National Insurance for your self-employed work.\n\nHow much you pay depends on your combined wages and your self-employed work. HM Revenue and Customs (HMRC) will let you know how much National Insurance is due after you\u2019ve filed your Self Assessment tax return.\n\n## Directors, landlords and share fishermen\n\nThere are different National Insurance rules for:\n\n- company directors\n\n- landlords running a property business\n\n- share fishermen for example you\u2019re working on a British fishing boat but not under a contract of service\n\nYou can apply to HMRC to check your National Insurance record and claim a refund if you think you\u2019ve overpaid.\n\n## What National Insurance is for\n\nNational Insurance contributions count towards the benefits and pensions in the table.\n\n| | Class 1: employees | Class 2: self-employed | Class 3: voluntary contributions |\n\n| Basic State Pension | Yes | Yes | Yes |\n\n| Additional State Pension | Yes | No | No |\n\n| New State Pension | Yes | Yes | Yes |\n\n| Contribution-based Jobseeker\u2019s Allowance | Yes | No | No |\n\n| Contribution-based Employment and Support Allowance | Yes | Yes | No |\n\n| Maternity Allowance | Yes | Yes | No |\n\n| Bereavement Support Payment | Yes | Yes | No |\n\nClass 4 contributions paid by self-employed people with a profit of \u00a39,569 or more do not usually count towards state benefits.\n\n## Help if you're not working\n\nYour benefits could be affected if there are gaps in your National Insurance record. National Insurance credits can help to avoid gaps in your record and protect your benefits.\n\nYou can get credits if you cannot pay National Insurance contributions, for example, if:\n\n- you\u2019re unable to work due to illness\n\n- you\u2019re caring for someone\n\nIf you\u2019re not working or getting credits you can also top up your National Insurance with voluntary contributions.\n\n## Change of circumstance\n\nYou must tell HM Revenue and Customs (HMRC) if you:\n\n- change your personal details, for example your name, address or marital status\n\n- start being self-employed\n\n- stop being self-employed", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/national-insurance", + "answerable": true, + "scenario": "I became self employed and make \u00a33000 per year, this is my only job after I left my previous employer.", + "original_question": "Do I have to pay national insurance?" + }, + { + "id": "train-983", + "question": "Scenario: My Aunt is both employed and self-employed .She makes both class 1 and class 2 national insurance payments. She wants to file her self assessment tax returns.\n\nQuestion: Is she required to pay both types at the same time when paying her self assessment bill?\n\nDocument - National Insurance:\n## Overview\n\nYou pay National Insurance contributions to qualify for certain benefits and the State Pension.\n\nYou pay mandatory National Insurance if you\u2019re 16 or over and are either:\n\n- an employee earning above \u00a3184 a week\n\n- self-employed and making a profit of \u00a36,515 or more a year\n\nYou may be able to pay voluntary contributions to avoid gaps in your NI contributions.\n\nYou need a National Insurance number before you can start paying National Insurance contributions.\n\nIf you earn between \u00a3120 and \u00a3184 a week, your contributions are treated as having been paid to protect your National Insurance record.\n\nThis page is also available in Welsh (Cymraeg).\n\n## National Insurance classes\n\nThere are different types of National Insurance (known as \u2018classes\u2019).\n\nThe type you pay depends on your employment status and how much you earn.\n\n## When you stop paying\n\nIf you\u2019re employed, you stop paying Class 1 National Insurance when you reach the State Pension age.\n\nIf you\u2019re self-employed you stop paying:\n\n- Class 2 National Insurance when you reach State Pension age\n\n- Class 4 National Insurance from 6 April (start of the tax year) after you reach State Pension age\n\n## Your National Insurance number\n\nYou have a National Insurance number to make sure your National Insurance contributions and tax are recorded against your name only.\n\nIt\u2019s made up of letters and numbers and never changes.\n\nYou can find your National Insurance number:\n\n- on your payslip\n\n- on your P60\n\n- on letters about your tax, pension or benefits\n\n- in the National Insurance section of your personal tax account\n\nYou can apply for a National Insurance number if you do not have one or find your National Insurance number if you\u2019ve lost it.\n\n## Who uses your National Insurance number\n\nThese organisations need to know what your number is:\n\n- HM Revenue and Customs (HMRC)\n\n- your employer\n\n- the Department for Work and Pensions (which includes Jobcentre Plus and the Pension, Disability and Carers Service), if you claim state benefits, or in Northern Ireland the Department for Social Development\n\n- your local council, if you claim Housing Benefit, or the Northern Ireland Housing Executive\n\n- Electoral Registration Officers (to check your identity when you register to vote)\n\n- the Student Loan Company, if you apply for a student loan\n\n- your pension provider if you have a personal or stakeholder pension\n\n- your Individual Savings Account (ISA) provider, if you open an ISA\n\n- authorised financial service providers who help you buy and sell investments like shares, bonds and derivatives - you can check if your provider is authorised\n\nTo prevent identity fraud, keep your National Insurance number safe. Do not share it with anyone who does not need it.\n\n## Proving your National Insurance number\n\nYou can save or print a letter confirming your National Insurance number from your personal tax account.\n\nIf you do not have a personal tax account, contact HMRC to ask for a letter.\n\n## National Insurance classes\n\nThe class you pay depends on your employment status and how much you earn.\n\n| National Insurance class | Who pays |\n\n| Class 1 | Employees earning more than \u00a3184 a week and under State Pension age - they\u2019re automatically deducted by your employer |\n\n| Class 1A or 1B | Employers pay these directly on their employee\u2019s expenses or benefits |\n\n| Class 2 | Self-employed people earning profits of \u00a36,515 or more a year. If you\u2019re earning less than this, you can choose to pay voluntary contributions to fill or avoid gaps in your National Insurance record |\n\n| Class 3 | Voluntary contributions - you can pay them to fill or avoid gaps in your National Insurance record |\n\n| Class 4 | Self-employed people earning profits of \u00a39,569 or more a year |\n\nSee the current rates for Class 1, 2 and 4 contributions.\n\n## How much you pay\n\nThe amount of National Insurance you pay depends on your employment status and how much you earn.\n\nYou can see rates for past tax years.\n\n## If you\u2019re employed\n\nYou pay Class 1 National Insurance contributions. The rates for most people for the 2021 to 2022 tax year are:\n\n| Your pay | Class 1 National Insurance rate |\n\n| \u00a3184 to \u00a3967 a week (\u00a3797 to \u00a34,189 a month) | 12% |\n\n| Over \u00a3967 a week (\u00a34,189 a month) | 2% |\n\nYou\u2019ll pay less if:\n\n- you\u2019re a married woman or widow with a valid \u2018certificate of election\u2019\n\n- you\u2019re deferring National Insurance because you\u2019ve got more than one job\n\nEmployers pay a different rate of National Insurance depending on their employees\u2019 category letters.\n\n## How to pay\n\nYou pay National Insurance with your tax. Your employer will take it from your wages before you get paid. Your payslip will show your contributions.\n\nIf you\u2019re a director of a limited company, you may also be your own employee and pay Class 1 National Insurance through your PAYE payroll.\n\n## If you\u2019re self-employed\n\nYou pay Class 2 and Class 4 National Insurance, depending on your profits. Most people pay both through Self Assessment.\n\nYou may be able to pay voluntary contributions to avoid gaps in your national insurance record if you:\n\n- have profits of less than \u00a36,515 a year from your self-employment\n\n- have a specific job (such as an examiner or business owner in property or land) and you do not pay Class 2 National Insurance through Self Assessment\n\nIf you have a specific job and you do not pay Class 2 National Insurance through Self Assessment, you need to contact HMRC to arrange a voluntary payment.\n\n## If you\u2019re employed and self-employed\n\nYou might be an employee but also do self-employed work. In this case your employer will deduct your Class 1 National Insurance from your wages, and you may have to pay Class 2 and 4 National Insurance for your self-employed work.\n\nHow much you pay depends on your combined wages and your self-employed work. HM Revenue and Customs (HMRC) will let you know how much National Insurance is due after you\u2019ve filed your Self Assessment tax return.\n\n## Directors, landlords and share fishermen\n\nThere are different National Insurance rules for:\n\n- company directors\n\n- landlords running a property business\n\n- share fishermen for example you\u2019re working on a British fishing boat but not under a contract of service\n\nYou can apply to HMRC to check your National Insurance record and claim a refund if you think you\u2019ve overpaid.\n\n## What National Insurance is for\n\nNational Insurance contributions count towards the benefits and pensions in the table.\n\n| | Class 1: employees | Class 2: self-employed | Class 3: voluntary contributions |\n\n| Basic State Pension | Yes | Yes | Yes |\n\n| Additional State Pension | Yes | No | No |\n\n| New State Pension | Yes | Yes | Yes |\n\n| Contribution-based Jobseeker\u2019s Allowance | Yes | No | No |\n\n| Contribution-based Employment and Support Allowance | Yes | Yes | No |\n\n| Maternity Allowance | Yes | Yes | No |\n\n| Bereavement Support Payment | Yes | Yes | No |\n\nClass 4 contributions paid by self-employed people with a profit of \u00a39,569 or more do not usually count towards state benefits.\n\n## Help if you're not working\n\nYour benefits could be affected if there are gaps in your National Insurance record. National Insurance credits can help to avoid gaps in your record and protect your benefits.\n\nYou can get credits if you cannot pay National Insurance contributions, for example, if:\n\n- you\u2019re unable to work due to illness\n\n- you\u2019re caring for someone\n\nIf you\u2019re not working or getting credits you can also top up your National Insurance with voluntary contributions.\n\n## Change of circumstance\n\nYou must tell HM Revenue and Customs (HMRC) if you:\n\n- change your personal details, for example your name, address or marital status\n\n- start being self-employed\n\n- stop being self-employed", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-insurance", + "answerable": true, + "scenario": "My Aunt is both employed and self-employed .She makes both class 1 and class 2 national insurance payments. She wants to file her self assessment tax returns.", + "original_question": "Is she required to pay both types at the same time when paying her self assessment bill?" + }, + { + "id": "train-984", + "question": "Scenario: My daughter is now 16 years old. She wishes to start some work. She is a UK resident and has the right to work in the UK. Intending to get a wage of \u00a3190 per week\n\nQuestion: Will she be liable in paying national insurance ?\n\nDocument - National Insurance:\n## Overview\n\nYou pay National Insurance contributions to qualify for certain benefits and the State Pension.\n\nYou pay mandatory National Insurance if you\u2019re 16 or over and are either:\n\n- an employee earning above \u00a3184 a week\n\n- self-employed and making a profit of \u00a36,515 or more a year\n\nYou may be able to pay voluntary contributions to avoid gaps in your NI contributions.\n\nYou need a National Insurance number before you can start paying National Insurance contributions.\n\nIf you earn between \u00a3120 and \u00a3184 a week, your contributions are treated as having been paid to protect your National Insurance record.\n\nThis page is also available in Welsh (Cymraeg).\n\n## National Insurance classes\n\nThere are different types of National Insurance (known as \u2018classes\u2019).\n\nThe type you pay depends on your employment status and how much you earn.\n\n## When you stop paying\n\nIf you\u2019re employed, you stop paying Class 1 National Insurance when you reach the State Pension age.\n\nIf you\u2019re self-employed you stop paying:\n\n- Class 2 National Insurance when you reach State Pension age\n\n- Class 4 National Insurance from 6 April (start of the tax year) after you reach State Pension age\n\n## Your National Insurance number\n\nYou have a National Insurance number to make sure your National Insurance contributions and tax are recorded against your name only.\n\nIt\u2019s made up of letters and numbers and never changes.\n\nYou can find your National Insurance number:\n\n- on your payslip\n\n- on your P60\n\n- on letters about your tax, pension or benefits\n\n- in the National Insurance section of your personal tax account\n\nYou can apply for a National Insurance number if you do not have one or find your National Insurance number if you\u2019ve lost it.\n\n## Who uses your National Insurance number\n\nThese organisations need to know what your number is:\n\n- HM Revenue and Customs (HMRC)\n\n- your employer\n\n- the Department for Work and Pensions (which includes Jobcentre Plus and the Pension, Disability and Carers Service), if you claim state benefits, or in Northern Ireland the Department for Social Development\n\n- your local council, if you claim Housing Benefit, or the Northern Ireland Housing Executive\n\n- Electoral Registration Officers (to check your identity when you register to vote)\n\n- the Student Loan Company, if you apply for a student loan\n\n- your pension provider if you have a personal or stakeholder pension\n\n- your Individual Savings Account (ISA) provider, if you open an ISA\n\n- authorised financial service providers who help you buy and sell investments like shares, bonds and derivatives - you can check if your provider is authorised\n\nTo prevent identity fraud, keep your National Insurance number safe. Do not share it with anyone who does not need it.\n\n## Proving your National Insurance number\n\nYou can save or print a letter confirming your National Insurance number from your personal tax account.\n\nIf you do not have a personal tax account, contact HMRC to ask for a letter.\n\n## National Insurance classes\n\nThe class you pay depends on your employment status and how much you earn.\n\n| National Insurance class | Who pays |\n\n| Class 1 | Employees earning more than \u00a3184 a week and under State Pension age - they\u2019re automatically deducted by your employer |\n\n| Class 1A or 1B | Employers pay these directly on their employee\u2019s expenses or benefits |\n\n| Class 2 | Self-employed people earning profits of \u00a36,515 or more a year. If you\u2019re earning less than this, you can choose to pay voluntary contributions to fill or avoid gaps in your National Insurance record |\n\n| Class 3 | Voluntary contributions - you can pay them to fill or avoid gaps in your National Insurance record |\n\n| Class 4 | Self-employed people earning profits of \u00a39,569 or more a year |\n\nSee the current rates for Class 1, 2 and 4 contributions.\n\n## How much you pay\n\nThe amount of National Insurance you pay depends on your employment status and how much you earn.\n\nYou can see rates for past tax years.\n\n## If you\u2019re employed\n\nYou pay Class 1 National Insurance contributions. The rates for most people for the 2021 to 2022 tax year are:\n\n| Your pay | Class 1 National Insurance rate |\n\n| \u00a3184 to \u00a3967 a week (\u00a3797 to \u00a34,189 a month) | 12% |\n\n| Over \u00a3967 a week (\u00a34,189 a month) | 2% |\n\nYou\u2019ll pay less if:\n\n- you\u2019re a married woman or widow with a valid \u2018certificate of election\u2019\n\n- you\u2019re deferring National Insurance because you\u2019ve got more than one job\n\nEmployers pay a different rate of National Insurance depending on their employees\u2019 category letters.\n\n## How to pay\n\nYou pay National Insurance with your tax. Your employer will take it from your wages before you get paid. Your payslip will show your contributions.\n\nIf you\u2019re a director of a limited company, you may also be your own employee and pay Class 1 National Insurance through your PAYE payroll.\n\n## If you\u2019re self-employed\n\nYou pay Class 2 and Class 4 National Insurance, depending on your profits. Most people pay both through Self Assessment.\n\nYou may be able to pay voluntary contributions to avoid gaps in your national insurance record if you:\n\n- have profits of less than \u00a36,515 a year from your self-employment\n\n- have a specific job (such as an examiner or business owner in property or land) and you do not pay Class 2 National Insurance through Self Assessment\n\nIf you have a specific job and you do not pay Class 2 National Insurance through Self Assessment, you need to contact HMRC to arrange a voluntary payment.\n\n## If you\u2019re employed and self-employed\n\nYou might be an employee but also do self-employed work. In this case your employer will deduct your Class 1 National Insurance from your wages, and you may have to pay Class 2 and 4 National Insurance for your self-employed work.\n\nHow much you pay depends on your combined wages and your self-employed work. HM Revenue and Customs (HMRC) will let you know how much National Insurance is due after you\u2019ve filed your Self Assessment tax return.\n\n## Directors, landlords and share fishermen\n\nThere are different National Insurance rules for:\n\n- company directors\n\n- landlords running a property business\n\n- share fishermen for example you\u2019re working on a British fishing boat but not under a contract of service\n\nYou can apply to HMRC to check your National Insurance record and claim a refund if you think you\u2019ve overpaid.\n\n## What National Insurance is for\n\nNational Insurance contributions count towards the benefits and pensions in the table.\n\n| | Class 1: employees | Class 2: self-employed | Class 3: voluntary contributions |\n\n| Basic State Pension | Yes | Yes | Yes |\n\n| Additional State Pension | Yes | No | No |\n\n| New State Pension | Yes | Yes | Yes |\n\n| Contribution-based Jobseeker\u2019s Allowance | Yes | No | No |\n\n| Contribution-based Employment and Support Allowance | Yes | Yes | No |\n\n| Maternity Allowance | Yes | Yes | No |\n\n| Bereavement Support Payment | Yes | Yes | No |\n\nClass 4 contributions paid by self-employed people with a profit of \u00a39,569 or more do not usually count towards state benefits.\n\n## Help if you're not working\n\nYour benefits could be affected if there are gaps in your National Insurance record. National Insurance credits can help to avoid gaps in your record and protect your benefits.\n\nYou can get credits if you cannot pay National Insurance contributions, for example, if:\n\n- you\u2019re unable to work due to illness\n\n- you\u2019re caring for someone\n\nIf you\u2019re not working or getting credits you can also top up your National Insurance with voluntary contributions.\n\n## Change of circumstance\n\nYou must tell HM Revenue and Customs (HMRC) if you:\n\n- change your personal details, for example your name, address or marital status\n\n- start being self-employed\n\n- stop being self-employed", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-insurance", + "answerable": true, + "scenario": "My daughter is now 16 years old. She wishes to start some work. She is a UK resident and has the right to work in the UK. Intending to get a wage of \u00a3190 per week", + "original_question": "Will she be liable in paying national insurance ?" + }, + { + "id": "train-985", + "question": "Scenario: My friend Ann has been experiencing sleepless nights since last year. This is after a new road was constructed which passes near her property. The potential buyer who had interest in buying the property withdrew citing road noise.\n\nQuestion: Can she apply for a compensation?\n\nDocument - Noise from roads, trains or planes:\n## Vehicle noise limits\n\nThere are limits to the amount of noise that vehicles can make on public roads. This applies to all types of vehicles.\n\nIn general, larger vehicles with bigger engines are able to make more noise.\n\n## Noise limits on tyres\n\nThere are noise limits on tyres and since November 2012 all new tyres are graded and labelled to show how noisy they are.\n\n## Modified exhaust systems\n\nIt\u2019s illegal to modify the exhaust system to make a vehicle noisier after it has been \u2018type approved\u2019 (checked it meets environmental and safety standards).\n\nThe police can also take action if your vehicle\u2019s silencer doesn\u2019t work in the way it was designed or if you\u2019re driving in a way that creates too much noise.\n\n## Noise from roads\n\nThere\u2019s no legal limit to road noise, although noise levels might be taken into account when new roads or houses and offices near roads are planned.\n\n## Planned new roads\n\nWhen planning a new road local highway authorities assess how the noise at your property will change when the road opens.\n\nIf noise from a new road exceeds certain levels at your home you might be able to get sound insulation.\n\nContact your highway authority to apply, or if you\u2019re worried about the noise from a planned road scheme - get their details from your local council.\n\n## Compulsory purchase and road noise\n\nWhen a new road is built, it often involves the \u2018compulsory purchase\u2019 of land to make way for the road.\n\nYou might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.\n\n## After roads open to traffic\n\nYou can apply for compensation if your property value goes down because of road noise from the use of a new or altered road.\n\n## Railway noise\n\nThere are no legal limits to noise from existing railways.\n\nIf you think that noise levels are affecting your health contact your local council who will investigate on your behalf.\n\nIf noise from a new railway affects your property you might be able to get sound insulation for your home. Contact the relevant rail authority - ask your local council for their details.\n\nIf particular trains are causing you a problem, speak to the company running those trains.\n\nFind information on train operators on the National Rail website or call Network Rail.\n\n## Aircraft noise\n\nNoise is regulated to some extent at all UK airports. This can include noise limits and restrictions on night flights.\n\nAircraft paths are generally designed to fly over the least populated areas.\n\nSome airports operate grant schemes to install sound insulation in affected homes. Contact the airport that affects you to find out if they run one.\n\nThe Civil Aviation Authority (CAA) has more information on aircraft noise and emissions.\n\n## Complaining about aircraft noise\n\nTo complain about noise or aircraft activities in general, get in touch with the relevant airport.\n\n## Military aircraft\n\nMilitary aircraft are covered by different rules. You can complain about military aircraft noise or low flying military aircraft.\n\n## Further information\n\nThere are strategic noise maps for England provided by the Department for Environment, Food and Rural Affairs (Defra).\n\nThese estimate noise from:\n\n- major roads - those with more than 6 million vehicle passages annually\n\n- major railways - those with more than 60,000 train passages annually\n\n- major airports - those with more than 50,000 aircraft movements annually (except for training on light aircraft)\n\nThey also estimate noise in urban areas (with populations greater than 250,000 and a certain population density).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "answerable": true, + "scenario": "My friend Ann has been experiencing sleepless nights since last year. This is after a new road was constructed which passes near her property. The potential buyer who had interest in buying the property withdrew citing road noise.", + "original_question": "Can she apply for a compensation?" + }, + { + "id": "train-986", + "question": "Scenario: I live in the countryside and a new railway line has been built near my farm. It causes a lot of noise pollution from the trains and I find it very uncomfortable. My house is not insulated.\n\nQuestion: Can i contact the rail company involved and make a complaint?\n\nDocument - Noise from roads, trains or planes:\n## Vehicle noise limits\n\nThere are limits to the amount of noise that vehicles can make on public roads. This applies to all types of vehicles.\n\nIn general, larger vehicles with bigger engines are able to make more noise.\n\n## Noise limits on tyres\n\nThere are noise limits on tyres and since November 2012 all new tyres are graded and labelled to show how noisy they are.\n\n## Modified exhaust systems\n\nIt\u2019s illegal to modify the exhaust system to make a vehicle noisier after it has been \u2018type approved\u2019 (checked it meets environmental and safety standards).\n\nThe police can also take action if your vehicle\u2019s silencer doesn\u2019t work in the way it was designed or if you\u2019re driving in a way that creates too much noise.\n\n## Noise from roads\n\nThere\u2019s no legal limit to road noise, although noise levels might be taken into account when new roads or houses and offices near roads are planned.\n\n## Planned new roads\n\nWhen planning a new road local highway authorities assess how the noise at your property will change when the road opens.\n\nIf noise from a new road exceeds certain levels at your home you might be able to get sound insulation.\n\nContact your highway authority to apply, or if you\u2019re worried about the noise from a planned road scheme - get their details from your local council.\n\n## Compulsory purchase and road noise\n\nWhen a new road is built, it often involves the \u2018compulsory purchase\u2019 of land to make way for the road.\n\nYou might be able to get compensation if a compulsory purchase means you become affected by road noise. Find out more in the guide \u2018Your property and compulsory purchase\u2019.\n\n## After roads open to traffic\n\nYou can apply for compensation if your property value goes down because of road noise from the use of a new or altered road.\n\n## Railway noise\n\nThere are no legal limits to noise from existing railways.\n\nIf you think that noise levels are affecting your health contact your local council who will investigate on your behalf.\n\nIf noise from a new railway affects your property you might be able to get sound insulation for your home. Contact the relevant rail authority - ask your local council for their details.\n\nIf particular trains are causing you a problem, speak to the company running those trains.\n\nFind information on train operators on the National Rail website or call Network Rail.\n\n## Aircraft noise\n\nNoise is regulated to some extent at all UK airports. This can include noise limits and restrictions on night flights.\n\nAircraft paths are generally designed to fly over the least populated areas.\n\nSome airports operate grant schemes to install sound insulation in affected homes. Contact the airport that affects you to find out if they run one.\n\nThe Civil Aviation Authority (CAA) has more information on aircraft noise and emissions.\n\n## Complaining about aircraft noise\n\nTo complain about noise or aircraft activities in general, get in touch with the relevant airport.\n\n## Military aircraft\n\nMilitary aircraft are covered by different rules. You can complain about military aircraft noise or low flying military aircraft.\n\n## Further information\n\nThere are strategic noise maps for England provided by the Department for Environment, Food and Rural Affairs (Defra).\n\nThese estimate noise from:\n\n- major roads - those with more than 6 million vehicle passages annually\n\n- major railways - those with more than 60,000 train passages annually\n\n- major airports - those with more than 50,000 aircraft movements annually (except for training on light aircraft)\n\nThey also estimate noise in urban areas (with populations greater than 250,000 and a certain population density).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/noise-pollution-road-train-plane", + "answerable": true, + "scenario": "I live in the countryside and a new railway line has been built near my farm. It causes a lot of noise pollution from the trains and I find it very uncomfortable. My house is not insulated.", + "original_question": "Can i contact the rail company involved and make a complaint?" + }, + { + "id": "train-987", + "question": "Scenario: Hello Dave again. I have been living aboard for some years and have, off and on, paid NI contributions. Usually a transfer from my bank here.\n\nQuestion: Can I pay via Direct debit from my UK bank account instead?\n\nDocument - Pay Class 2 National Insurance if you do not pay through Self Assessment:\n## Overview\n\nYou make Class 2 National Insurance contributions if you\u2019re self-employed to qualify for benefits like the State Pension.\n\nMost people pay the contributions as part of their Self Assessment tax bill.\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\n## If you do not pay through Self Assessment\n\nYou do not pay through Self Assessment if you\u2019re any of the following:\n\n- an examiner, moderator, invigilator or person who set exam questions\n\n- running a businesses involving land or property\n\n- a minister of religion who does not receive a salary or stipend\n\n- living abroad and paying voluntary Class 2 contributions\n\n- a person who makes investments - but not as a business and without getting a fee or commission\n\n- a non-UK resident who\u2019s self-employed in the UK\n\n- working abroad\n\nHM Revenue and Customs (HMRC) will send you a payment request by the end of October - call the newly self-employed helpline if you do not get one.\n\nPay now\n\nYou can no longer pay at the Post Office.\n\n## How long it takes\n\nMake sure your payment reaches HMRC by the deadline. The time you need to allow depends on how you pay.\n\nYou can make same or next day payments:\n\n- by online or telephone banking (Faster Payments)\n\n- by CHAPS\n\n- at your bank or building society, if it\u2019s still open\n\nYou can pay within 3 days by BACS.\n\nYou can pay within 21 working days by Direct Debit if you have not set one up before.\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## If you miss the deadline\n\nYou might have to pay more to fill the gap in your National Insurance record. HMRC will write to you to tell you how much you need to pay.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\n## Paying from the UK\n\nUse your online or telephone banking account to make your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 20 | 12001004 | HMRC NICO |\n\n## Reference number\n\nUse the 18-digit reference number shown on your HMRC payment request, when you make a payment. Do not leave any spaces between the digits.\n\nIf you do not have an 18-digit reference number you can get help from the National Insurance Helpline.\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nIf you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.\n\n| Account type | Sort code | Account number |\n\n| UK | 20 20 48 | 30944793 |\n\n| Account type | Account number (IBAN) | Bank Identifier Code (BIC) |\n\n| Non-UK | GB49BARC20204830944793 | BARCGB22 |\n\nFor either account, pay to account name \u2018HMRC NIC receipts\u2019.\n\n## Reference number\n\nUse your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.\n\nIf you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.\n\n## Banking address\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nPay at a branch by cash or cheque, along with your HM Revenue and Customs (HMRC) payslip.\n\nSome branches might be closed because of coronavirus (COVID-19).\n\nYou\u2019ll find your payslip on the payment request HMRC sent you.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 2 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip or the payment request sent to you by HMRC.\n\nIf you pay between Monday and Friday, HMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account.\n\n## By cheque through the post\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can still make payments:\n\n- by online or telephone banking\n\n- by CHAPS or BACS\n\n- at your bank or building society, if it\u2019s still open\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nCall HMRC if you want to check your payment has been received.\n\n## Direct Debit\n\nFill in the form to set up a new Direct Debit.\n\nIf you live abroad and pay voluntary National Insurance, fill in the form at the end of leaflet NI38 instead.\n\nAllow 21 days to set up a new Direct Debit.\n\nHM Revenue and Customs (HMRC) will send you a letter telling you when payments will be taken and how much they will be.\n\nPayments will appear on your statement as \u2018HMRC NI-DD\u2019. HMRC will write to you if your payments change for any reason.\n\nIf you have a question about your Direct Debit payments contact National Insurance enquiries.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "answerable": true, + "scenario": "Hello Dave again. I have been living aboard for some years and have, off and on, paid NI contributions. Usually a transfer from my bank here.", + "original_question": "Can I pay via Direct debit from my UK bank account instead?" + }, + { + "id": "train-988", + "question": "Scenario: These last few months have been terrible with COVID19 making life difficult. i have not been able to get to the bank to deposit my NI class 2 contributions.\n\nQuestion: Can I send you a cheque\n\nDocument - Pay Class 2 National Insurance if you do not pay through Self Assessment:\n## Overview\n\nYou make Class 2 National Insurance contributions if you\u2019re self-employed to qualify for benefits like the State Pension.\n\nMost people pay the contributions as part of their Self Assessment tax bill.\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\n## If you do not pay through Self Assessment\n\nYou do not pay through Self Assessment if you\u2019re any of the following:\n\n- an examiner, moderator, invigilator or person who set exam questions\n\n- running a businesses involving land or property\n\n- a minister of religion who does not receive a salary or stipend\n\n- living abroad and paying voluntary Class 2 contributions\n\n- a person who makes investments - but not as a business and without getting a fee or commission\n\n- a non-UK resident who\u2019s self-employed in the UK\n\n- working abroad\n\nHM Revenue and Customs (HMRC) will send you a payment request by the end of October - call the newly self-employed helpline if you do not get one.\n\nPay now\n\nYou can no longer pay at the Post Office.\n\n## How long it takes\n\nMake sure your payment reaches HMRC by the deadline. The time you need to allow depends on how you pay.\n\nYou can make same or next day payments:\n\n- by online or telephone banking (Faster Payments)\n\n- by CHAPS\n\n- at your bank or building society, if it\u2019s still open\n\nYou can pay within 3 days by BACS.\n\nYou can pay within 21 working days by Direct Debit if you have not set one up before.\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## If you miss the deadline\n\nYou might have to pay more to fill the gap in your National Insurance record. HMRC will write to you to tell you how much you need to pay.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\n## Paying from the UK\n\nUse your online or telephone banking account to make your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 20 | 12001004 | HMRC NICO |\n\n## Reference number\n\nUse the 18-digit reference number shown on your HMRC payment request, when you make a payment. Do not leave any spaces between the digits.\n\nIf you do not have an 18-digit reference number you can get help from the National Insurance Helpline.\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nIf you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.\n\n| Account type | Sort code | Account number |\n\n| UK | 20 20 48 | 30944793 |\n\n| Account type | Account number (IBAN) | Bank Identifier Code (BIC) |\n\n| Non-UK | GB49BARC20204830944793 | BARCGB22 |\n\nFor either account, pay to account name \u2018HMRC NIC receipts\u2019.\n\n## Reference number\n\nUse your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.\n\nIf you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.\n\n## Banking address\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nPay at a branch by cash or cheque, along with your HM Revenue and Customs (HMRC) payslip.\n\nSome branches might be closed because of coronavirus (COVID-19).\n\nYou\u2019ll find your payslip on the payment request HMRC sent you.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 2 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip or the payment request sent to you by HMRC.\n\nIf you pay between Monday and Friday, HMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account.\n\n## By cheque through the post\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can still make payments:\n\n- by online or telephone banking\n\n- by CHAPS or BACS\n\n- at your bank or building society, if it\u2019s still open\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nCall HMRC if you want to check your payment has been received.\n\n## Direct Debit\n\nFill in the form to set up a new Direct Debit.\n\nIf you live abroad and pay voluntary National Insurance, fill in the form at the end of leaflet NI38 instead.\n\nAllow 21 days to set up a new Direct Debit.\n\nHM Revenue and Customs (HMRC) will send you a letter telling you when payments will be taken and how much they will be.\n\nPayments will appear on your statement as \u2018HMRC NI-DD\u2019. HMRC will write to you if your payments change for any reason.\n\nIf you have a question about your Direct Debit payments contact National Insurance enquiries.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "answerable": true, + "scenario": "These last few months have been terrible with COVID19 making life difficult. i have not been able to get to the bank to deposit my NI class 2 contributions.", + "original_question": "Can I send you a cheque" + }, + { + "id": "train-989", + "question": "Scenario: I am planning to change the lights in the bathroom of my house. I do not need approval for buildings regulations.\n\nQuestion: Can I ignore the energy efficiency standards for this change?\n\nDocument - Building regulations approval:\n## When you need approval\n\nYou must check if you need approval before you construct or change buildings in certain ways.\n\nYou do not need to get approval yourself if you use someone registered with a competent person scheme.\n\nFind out about the rules in Scotland and Northern Ireland.\n\nBuilding regulations approval is different from planning permission. You might need both.\n\n## Work covered by building regulations\n\nThe Building Regulations 2010 cover the construction and extension of buildings.\n\nYou might also need building regulations approval for many alteration projects, including if you plan to:\n\n- replace fuse boxes and connected electrics\n\n- install a bathroom that will involve plumbing\n\n- change electrics near a bath or shower\n\n- put in a fixed air-conditioning system\n\n- replace windows and doors\n\n- replace roof coverings on pitched and flat roofs\n\n- install or replace a heating system\n\n- add extra radiators to a heating system\n\nYou could need approval, or to follow special rules, for works not listed here - so always research your particular project.\n\nCheck with a building control body if you cannot decide if you need approval.\n\nYou do not need advance approval for emergency repairs to your boiler or heating system, but there are rules you must follow.\n\n## Penalties and problems\n\nThe person doing the work could be prosecuted and fined if they do not comply with building regulations.\n\nYour local authority could make you pay for faulty work to be fixed.\n\nWithout approval you will not have the certificates of compliance you may need when you want to sell your home.\n\n## When you do not need approval\n\nYou do not need to apply for approval yourself if the work is not covered by building regulations, or if it\u2019s carried out by someone who\u2019s registered with a competent person scheme.\n\n## Work that does not need approval\n\nYou do not need building regulations approval for some exempt projects, including:\n\n- most repairs, replacements and maintenance work (except heating systems, oil tanks, fuse boxes and glazing units)\n\n- new power and lighting points, or changes to existing circuits (except around baths and showers)\n\n- like-for-like replacements of baths, toilets, basins and sinks\n\nFind out more about common projects and check when you do and do not need approval.\n\nCheck with a building control body if you\u2019re still not sure what to do.\n\n## Hire a \u2018competent person\u2019\n\nIf your project needs approval but you\u2019d rather not apply yourself, you can hire a tradesperson registered with a competent person scheme instead.\n\nYou must meet safety and energy efficiency standards even if you do not need formal approval.\n\n## Use a competent person scheme\n\nCompetent person schemes are a way for tradespeople to prove their ability to carry out certain work to required standards, instead of you applying for building regulations approval.\n\n## Benefits of a registered tradesperson\n\nAn installer (eg of windows or boilers) who\u2019s registered with a scheme can self-certify that their work complies with buildings standards and can deal with building control issues, like objections.\n\nIf needed, they\u2019ll tell your local authority about work on your behalf. They\u2019ll also give you a certificate within 8 weeks of completion which can be used as evidence of compliance - it will also show up in solicitors\u2019 searches if you come to sell your home.\n\nCompetent person schemes have insurance-backed warranties and complaints procedures if there\u2019s a problem with the work.\n\n## Find a \u2018competent person\u2019\n\nSearch the Competent Persons Register to find a tradesperson, or check that they belong to a scheme.\n\nSearch the Electrical Competent Person Register if you\u2019re looking for an electrician to work on your home.\n\nYou may have to correct the work or pay a fine if building regulations are not followed.\n\n## How to apply\n\nContact a \u2018building control body\u2019 (BCB) to check the building regulations or apply for approval.\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Where to apply\n\nThere are 2 types of BCB. It\u2019s up to you which you use.\n\n## Local authority BCBs\n\nYou can apply for approval from your council.\n\n## Private BCBs\n\nYou can apply through a private approved inspector.\n\nThey\u2019ll tell your local authority about the work. This is called giving an \u2018initial notice\u2019.\n\n## Choose a type of application\n\nYou must decide on the type of application for your planned build, extension or alteration work.\n\n## Full plans\n\nThis is the most thorough option. You can expect a decision within 5 weeks, or 2 months with your consent.\n\nYou\u2019ll get a completion certificate within 8 weeks of completion of the building work as long as it complies.\n\n## Building notice\n\nThis type of application is only for smaller projects. You can start work 2 days after your notice has been submitted to your BCB. You do not get formal approval like you do with full plans.\n\n## Regularisation\n\nYou can apply for \u2018regularisation\u2019 - retrospective approval for work already carried out without consent - from a local authority BCB only.\n\nOnly work carried out after 11 November 1985 can be approved in this way.\n\nYou might need to make alterations before your BCB can agree the work complies and give you a regularisation certificate.\n\nYou may have to correct the work or pay a fine if building regulations are not followed.\n\n## Fees and costs\n\nLocal authority BCBs base their fees on the costs of their work, like site inspections.\n\nWhat you\u2019ll pay depends on the:\n\n- type of work involved\n\n- number of dwellings in the building\n\n- total floor area, eg in the case of extensions\n\nPrivate BCBs negotiate their fees directly with you.\n\nYou might not have to pay a fee for works carried out solely for a person with a disability.\n\n## Appeals and determinations\n\nYou can appeal if you think your project should not have to comply with building regulations.\n\nAsk for a \u2018determination\u2019 if you\u2019re refused building regulations approval and you think the building control body (BCB) decision is unfair.\n\n## If you think you should not have to comply\n\nAsk your local authority to ignore or relax one or more of the building regulations if you think your project shouldn\u2019t have to comply with them.\n\nIf the local authority still says you have to comply, you can appeal to government. You have a month to make the appeal.\n\nFind out about making an appeal.\n\nYou cannot ask a private BCB to ignore or relax the building regulations. You\u2019ll have to ask your local authority BCB instead.\n\n## If the BCB refuses building regulations approval\n\nYou can ask for a \u2018determination\u2019 - a decision by government - if a BCB says your plans do not comply but you believe they do. Find out about asking for a determination.\n\n## How to appeal or get a determination\n\nYou\u2019ll need to read the guidance and fill in a form.\n\nYou\u2019ll have to pay a fee when you ask for a determination unless your building work is for disabled people. You don\u2019t have to pay a fee to appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/building-regulations-approval", + "answerable": true, + "scenario": "I am planning to change the lights in the bathroom of my house. I do not need approval for buildings regulations.", + "original_question": "Can I ignore the energy efficiency standards for this change?" + }, + { + "id": "train-991", + "question": "Scenario: I was self employed two years ago, but closed the business. I already have a unique taxpayer's reference from filing online previously. I have become self-employed once again, and need to sign up for self assessment.\n\nQuestion: Do I need a new UTR for the self assessment?\n\nDocument - Register for Self Assessment:\n## Overview\n\nYou must register for Self Assessment if you have to send a tax return and did not send one last year.\n\nThere are different ways to register if you\u2019re:\n\n- self-employed\n\n- not self-employed\n\n- registering a partner or partnership\n\n## Register if you\u2019re self-employed\n\nIf you have to send a tax return and did not send one last year, you need to register for Self Assessment and Class 2 National Insurance.\n\nRegister by 5 October in your business\u2019s second tax year. You could be fined if you do not.\n\n## If you have not filed a return online before\n\n- Register online. Once you\u2019ve completed the questions, HMRC will create your account.\n\n- You\u2019ll receive a letter with your Unique Taxpayer Reference (UTR) number within 10 days (21 if you\u2019re abroad). You\u2019ll need your UTR to file a return.\n\n- You\u2019ll then receive another letter with an activation code for your account. You can get a new activation code if you do not receive it or you lose it.\n\nOnce you\u2019ve activated your account, you can file your tax return any time before the deadline.\n\n## If you\u2019ve filed a return online before\n\nRe-register online (form CWF1) if the work you plan to do is different from what you did before.\n\nYou\u2019ll need your 10-digit Unique Taxpayer Reference (UTR) from when you registered before. You can find your UTR if you do not know it.\n\nYou\u2019ll receive a letter with a new account activation code 10 days later (21 if you\u2019re abroad).\n\nOnce you\u2019ve reactivated your account, you can file your tax return any time before the deadline.\n\nIf the work you plan to do is the same as you did before, sign in to your account.\n\n## If you\u2019ve filed before but you did not use the online service\n\nCreate an account for the online service using your UTR. You can find your UTR if you do not know it.\n\nYou\u2019ll receive a letter with an activation code for your account.\n\nOnce you\u2019ve activated your account, you can file your tax return any time before the deadline.\n\n## Other ways to register\n\nYou can fill in this form on-screen then print off and post to HMRC. You\u2019ll need to have all your information ready as you cannot save a partly completed form.\n\nIf you\u2019re using an older browser, for example Internet Explorer 8, you\u2019ll need to update it or use a different browser. Find out more about browsers.\n\n## Register if you're not self-employed\n\nIf you have to send a tax return and did not send one last year, you need to register for Self Assessment by 5 October.\n\n## If you have not filed online before\n\n- Register using form SA1.\n\n- After you register, you\u2019ll receive your Unique Taxpayer Reference (UTR) number in the post within 10 working days (21 if you\u2019re abroad).\n\n- Create your online account.\n\n- Sign up for Self Assessment online - you\u2019ll need your UTR to do this.\n\nYou\u2019ll get an activation code for your new account in the post within 7 working days of signing up (21 if you\u2019re abroad). When you get the code, sign in to send your return.\n\nYou can replace an activation code if you do not receive it or you lose it.\n\nOnce you\u2019ve activated your account, you can file your tax return any time.\n\n## If you\u2019ve filed online before\n\nSign in to your existing account.\n\n## Register if you're a partner or partnership\n\nYou must register for Self Assessment by 5 October if you\u2019re a partner in a partnership.\n\nYou\u2019ll need your partnership\u2019s 10-digit Unique Taxpayer Reference (UTR). You can find a UTR if you\u2019ve lost it.\n\nYou must also register your partnership if you\u2019re the \u2018nominated partner\u2019.\n\nThere are different ways to register:\n\n- for limited liability partnerships\n\n- if you\u2019re a partner that\u2019s not an individual, for example a company or trust", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/register-for-self-assessment", + "answerable": true, + "scenario": "I was self employed two years ago, but closed the business. I already have a unique taxpayer's reference from filing online previously. I have become self-employed once again, and need to sign up for self assessment.", + "original_question": "Do I need a new UTR for the self assessment?" + }, + { + "id": "train-993", + "question": "Scenario: My fiance and I are self employed and have never had any problems with HMRC before. But we recently received a letter saying that we underpaid our last tax bill. I do not know how this can have happened.\n\nQuestion: Is it possible to query HMRC's decision?\n\nDocument - Disagree with a tax decision:\n## Overview\n\nYou can contact HM Revenue and Customs (HMRC) if you have a query about a tax decision. If you do not understand the decision you can also get advice from HMRC or professional help.\n\nThis guide is also available in Welsh (Cymraeg).\n\nHMRC will send you a decision letter that will tell you if you can appeal against a tax decision.\n\nYou can appeal against some decisions about:\n\n- your tax bill (for example Self Assessment, Corporation Tax, VAT)\n\n- a claim for tax relief\n\n- a request for information or to check your business records\n\n- a penalty (for example if you paid your tax late or filed your tax return late)\n\nYour appeal can be made by someone who deals with your taxes, for example an accountant.\n\nYou\u2019ll usually have to pay your own costs if you appeal a tax decision. You may be able to delay the payment of a penalty or any tax you owe until your appeal\u2019s been resolved.\n\n## If HMRC did not act on information\n\nYou may be able to ask HMRC to cancel tax you owe if they did not act on information that you, your employer or the Department for Work and Pensions (DWP) gave them.\n\nYou can do this if you owe:\n\n- Income Tax, for example because you were on the wrong tax code\n\n- Capital Gains Tax\n\n- Class 4 National Insurance contributions\n\n## Appeal against a tax decision\n\nHM Revenue and Customs (HMRC) will write to tell you if you can appeal. You can use the appeal form you got with your decision letter, or write to HMRC at the address on the letter. You usually have 30 days to appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any decision dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\nYou must include:\n\n- your name or business name\n\n- your tax reference number (this will be on the decision letter)\n\n- what you disagree with and why\n\n- what you think the correct figures are and how you\u2019ve calculated them\n\n- your signature\n\nYou should also tell HMRC if you have any extra information or if you think they\u2019ve missed something.\n\nIf you do not have a letter you can write to the HMRC office related to your return.\n\nIf you want to appeal a decision about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can request a review by HMRC or appeal straight to the tax tribunal.\n\nIf customs has seized your things because you have not paid duty or VAT, you can ask for your things back.\n\n## What happens next\n\nWhen you appeal you can accept HMRC\u2019s offer of a review, or request one (if it\u2019s for direct tax). HMRC will tell you what to do next.\n\nA review will be carried out by someone who was not involved in the original decision. This usually takes 45 days, but HMRC will contact you if it will take longer.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Appeal against a penalty\n\nYou can appeal to HM Revenue and Customs (HMRC) against a penalty, for example for:\n\n- an inaccurate return\n\n- sending in your tax return late\n\n- paying tax late\n\n- failing to keep adequate records\n\nA HMRC officer who was not previously involved with your penalty decision will carry out a review if you appeal.\n\nIf you want to appeal a penalty about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can either:\n\n- request a review from HMRC\n\n- appeal straight to the tax tribunal\n\nYour penalty may be cancelled or amended if you have a reasonable excuse.\n\n## How to appeal\n\nIf HMRC sends you a penalty letter by post, use the appeal form that comes with it or follow the instructions on the letter.\n\nFor Self Assessment, PAYE, VAT and Corporation Tax, there are extra documents you can use or alternative ways to appeal.\n\n## If you\u2019re appealing a Self Assessment penalty\n\nYou can get your penalty cancelled if you did not send a tax return because you no longer needed to. Tell HMRC online you do not need to be self assessed or call the helpline.\n\nOtherwise, to appeal you\u2019ll need:\n\n- the date the penalty was issued\n\n- the date you filed your Self Assessment tax return\n\n- details of your reasonable excuse for late filing\n\nIf you\u2019re appealing a \u00a3100 late filing penalty from tax year 2015 to 2016 onwards, you can appeal online or by post. You\u2019ll need to set up a Government Gateway account if you do not have one to appeal online.\n\nFor other penalties, you need to appeal by post. Send a completed form SA370 or a letter explaining your appeal to HMRC Self Assessment.\n\nIf you\u2019re appealing a penalty to a partnership for a late tax return, appeal by post using form SA371. Only the nominated partner can appeal.\n\n## If you\u2019re an employer appealing a PAYE penalty\n\nYou can appeal online if you\u2019re registered for HMRC\u2019s PAYE for employers service. Once you\u2019ve logged in, select \u2018Appeal a penalty\u2019. You\u2019ll get an immediate acknowledgment when you submit your appeal.\n\n## If you filed a late VAT or Corporation Tax return\n\nYou can also use these specific forms for:\n\n- VAT if you had a reasonable excuse for filing late\n\n- Corporation Tax if you filed late because of computer problems\n\n## If you do not have an appeal form\n\nYou can send a signed letter to HMRC instead. Your letter must include:\n\n- your name\n\n- your reference number, for example your Self Assessment Unique Taxpayer Reference (UTR) or VAT registration number\n\n- a full explanation of why your return or payment was late, including dates\n\nIf you could not file or pay because of computer problems, you should include the date you tried to file or pay online with details of any system error message.\n\nSend your claim to the HMRC office related to your return.\n\n## Deadlines\n\nYou must usually appeal within 30 days of the date of the penalty notice.\n\nIf you miss this deadline you must explain the reason for the delay so that HMRC can decide if they\u2019ll consider your appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any penalty dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Delay payment while appealing\n\nYou may be able to delay paying a tax bill or penalty if you disagree with the amount.\n\n## Direct tax\n\nIf you\u2019ve appealed to HM Revenue and Customs (HMRC) against a direct tax decision (such as Income Tax, Corporation Tax or Capital Gains Tax) write to the HMRC office that sent you the decision, telling them:\n\n- why you think the amount you\u2019ve been asked to pay is too much\n\n- what you think the correct amount is and when you\u2019ll pay it\n\nHMRC will tell you in writing if they agree.\n\n## Penalty\n\nIf you\u2019ve appealed against a penalty you will not have to pay until your appeal has been settled.\n\n## Indirect tax\n\nIf you\u2019ve asked HMRC to review an indirect tax decision, for example VAT or Insurance Premium Tax, you will not need to pay until the review has finished.\n\nIf you appeal to the tax tribunal you\u2019ll usually have to pay the tax before they will hear your appeal. You can ask to delay paying the tax if it would cause you extreme financial difficulty (for example, bankruptcy or liquidation).\n\nOnce a final decision has been reached, you must pay any money that you owe in full including interest.\n\n## Penalty\n\nIf you\u2019ve asked for a review, or appealed to the tribunal about a penalty, HMRC will not ask you to pay it until your appeal has been settled.\n\n## If you disagree with HMRC\u2019s decision\n\nYou can ask for the decision to be reviewed if you do not agree with the outcome.\n\n## Reasonable excuses\n\nYou can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.\n\n## What may count as a reasonable excuse\n\nA reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:\n\n- your partner or another close relative died shortly before the tax return or payment deadline\n\n- you had an unexpected stay in hospital that prevented you from dealing with your tax affairs\n\n- you had a serious or life-threatening illness\n\n- your computer or software failed just before or while you were preparing your online return\n\n- service issues with HM Revenue and Customs (HMRC) online services\n\n- a fire, flood or theft prevented you from completing your tax return\n\n- postal delays that you could not have predicted\n\n- delays related to a disability you have\n\nYou must send your return or payment as soon as possible after your reasonable excuse is resolved.\n\n## If you\u2019re affected by coronavirus (COVID-19)\n\nHMRC will consider coronavirus as a reasonable excuse for missing some tax obligations (such as payments or filing dates).\n\nExplain how you were affected by coronavirus in your appeal. You must still make the return or payment as soon as you can.\n\n## What will not count as a reasonable excuse\n\nThe following will not be accepted as a reasonable excuse:\n\n- you relied on someone else to send your return and they did not\n\n- your cheque bounced or payment failed because you did not have enough money\n\n- you found the HMRC online system too difficult to use\n\n- you did not get a reminder from HMRC\n\n- you made a mistake on your tax return", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-appeals", + "answerable": true, + "scenario": "My fiance and I are self employed and have never had any problems with HMRC before. But we recently received a letter saying that we underpaid our last tax bill. I do not know how this can have happened.", + "original_question": "Is it possible to query HMRC's decision?" + }, + { + "id": "train-994", + "question": "Scenario: I have recently recovered from a bout of Covid 19 which saw me hospitalised for three weeks. When I returned I found that I had been penalised for not returning my self assessment tax form in time.\n\nQuestion: Am I eligible to complain about this and have the penalty repaid due to extenuating circumstances?\n\nDocument - Disagree with a tax decision:\n## Overview\n\nYou can contact HM Revenue and Customs (HMRC) if you have a query about a tax decision. If you do not understand the decision you can also get advice from HMRC or professional help.\n\nThis guide is also available in Welsh (Cymraeg).\n\nHMRC will send you a decision letter that will tell you if you can appeal against a tax decision.\n\nYou can appeal against some decisions about:\n\n- your tax bill (for example Self Assessment, Corporation Tax, VAT)\n\n- a claim for tax relief\n\n- a request for information or to check your business records\n\n- a penalty (for example if you paid your tax late or filed your tax return late)\n\nYour appeal can be made by someone who deals with your taxes, for example an accountant.\n\nYou\u2019ll usually have to pay your own costs if you appeal a tax decision. You may be able to delay the payment of a penalty or any tax you owe until your appeal\u2019s been resolved.\n\n## If HMRC did not act on information\n\nYou may be able to ask HMRC to cancel tax you owe if they did not act on information that you, your employer or the Department for Work and Pensions (DWP) gave them.\n\nYou can do this if you owe:\n\n- Income Tax, for example because you were on the wrong tax code\n\n- Capital Gains Tax\n\n- Class 4 National Insurance contributions\n\n## Appeal against a tax decision\n\nHM Revenue and Customs (HMRC) will write to tell you if you can appeal. You can use the appeal form you got with your decision letter, or write to HMRC at the address on the letter. You usually have 30 days to appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any decision dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\nYou must include:\n\n- your name or business name\n\n- your tax reference number (this will be on the decision letter)\n\n- what you disagree with and why\n\n- what you think the correct figures are and how you\u2019ve calculated them\n\n- your signature\n\nYou should also tell HMRC if you have any extra information or if you think they\u2019ve missed something.\n\nIf you do not have a letter you can write to the HMRC office related to your return.\n\nIf you want to appeal a decision about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can request a review by HMRC or appeal straight to the tax tribunal.\n\nIf customs has seized your things because you have not paid duty or VAT, you can ask for your things back.\n\n## What happens next\n\nWhen you appeal you can accept HMRC\u2019s offer of a review, or request one (if it\u2019s for direct tax). HMRC will tell you what to do next.\n\nA review will be carried out by someone who was not involved in the original decision. This usually takes 45 days, but HMRC will contact you if it will take longer.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Appeal against a penalty\n\nYou can appeal to HM Revenue and Customs (HMRC) against a penalty, for example for:\n\n- an inaccurate return\n\n- sending in your tax return late\n\n- paying tax late\n\n- failing to keep adequate records\n\nA HMRC officer who was not previously involved with your penalty decision will carry out a review if you appeal.\n\nIf you want to appeal a penalty about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can either:\n\n- request a review from HMRC\n\n- appeal straight to the tax tribunal\n\nYour penalty may be cancelled or amended if you have a reasonable excuse.\n\n## How to appeal\n\nIf HMRC sends you a penalty letter by post, use the appeal form that comes with it or follow the instructions on the letter.\n\nFor Self Assessment, PAYE, VAT and Corporation Tax, there are extra documents you can use or alternative ways to appeal.\n\n## If you\u2019re appealing a Self Assessment penalty\n\nYou can get your penalty cancelled if you did not send a tax return because you no longer needed to. Tell HMRC online you do not need to be self assessed or call the helpline.\n\nOtherwise, to appeal you\u2019ll need:\n\n- the date the penalty was issued\n\n- the date you filed your Self Assessment tax return\n\n- details of your reasonable excuse for late filing\n\nIf you\u2019re appealing a \u00a3100 late filing penalty from tax year 2015 to 2016 onwards, you can appeal online or by post. You\u2019ll need to set up a Government Gateway account if you do not have one to appeal online.\n\nFor other penalties, you need to appeal by post. Send a completed form SA370 or a letter explaining your appeal to HMRC Self Assessment.\n\nIf you\u2019re appealing a penalty to a partnership for a late tax return, appeal by post using form SA371. Only the nominated partner can appeal.\n\n## If you\u2019re an employer appealing a PAYE penalty\n\nYou can appeal online if you\u2019re registered for HMRC\u2019s PAYE for employers service. Once you\u2019ve logged in, select \u2018Appeal a penalty\u2019. You\u2019ll get an immediate acknowledgment when you submit your appeal.\n\n## If you filed a late VAT or Corporation Tax return\n\nYou can also use these specific forms for:\n\n- VAT if you had a reasonable excuse for filing late\n\n- Corporation Tax if you filed late because of computer problems\n\n## If you do not have an appeal form\n\nYou can send a signed letter to HMRC instead. Your letter must include:\n\n- your name\n\n- your reference number, for example your Self Assessment Unique Taxpayer Reference (UTR) or VAT registration number\n\n- a full explanation of why your return or payment was late, including dates\n\nIf you could not file or pay because of computer problems, you should include the date you tried to file or pay online with details of any system error message.\n\nSend your claim to the HMRC office related to your return.\n\n## Deadlines\n\nYou must usually appeal within 30 days of the date of the penalty notice.\n\nIf you miss this deadline you must explain the reason for the delay so that HMRC can decide if they\u2019ll consider your appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any penalty dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Delay payment while appealing\n\nYou may be able to delay paying a tax bill or penalty if you disagree with the amount.\n\n## Direct tax\n\nIf you\u2019ve appealed to HM Revenue and Customs (HMRC) against a direct tax decision (such as Income Tax, Corporation Tax or Capital Gains Tax) write to the HMRC office that sent you the decision, telling them:\n\n- why you think the amount you\u2019ve been asked to pay is too much\n\n- what you think the correct amount is and when you\u2019ll pay it\n\nHMRC will tell you in writing if they agree.\n\n## Penalty\n\nIf you\u2019ve appealed against a penalty you will not have to pay until your appeal has been settled.\n\n## Indirect tax\n\nIf you\u2019ve asked HMRC to review an indirect tax decision, for example VAT or Insurance Premium Tax, you will not need to pay until the review has finished.\n\nIf you appeal to the tax tribunal you\u2019ll usually have to pay the tax before they will hear your appeal. You can ask to delay paying the tax if it would cause you extreme financial difficulty (for example, bankruptcy or liquidation).\n\nOnce a final decision has been reached, you must pay any money that you owe in full including interest.\n\n## Penalty\n\nIf you\u2019ve asked for a review, or appealed to the tribunal about a penalty, HMRC will not ask you to pay it until your appeal has been settled.\n\n## If you disagree with HMRC\u2019s decision\n\nYou can ask for the decision to be reviewed if you do not agree with the outcome.\n\n## Reasonable excuses\n\nYou can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.\n\n## What may count as a reasonable excuse\n\nA reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:\n\n- your partner or another close relative died shortly before the tax return or payment deadline\n\n- you had an unexpected stay in hospital that prevented you from dealing with your tax affairs\n\n- you had a serious or life-threatening illness\n\n- your computer or software failed just before or while you were preparing your online return\n\n- service issues with HM Revenue and Customs (HMRC) online services\n\n- a fire, flood or theft prevented you from completing your tax return\n\n- postal delays that you could not have predicted\n\n- delays related to a disability you have\n\nYou must send your return or payment as soon as possible after your reasonable excuse is resolved.\n\n## If you\u2019re affected by coronavirus (COVID-19)\n\nHMRC will consider coronavirus as a reasonable excuse for missing some tax obligations (such as payments or filing dates).\n\nExplain how you were affected by coronavirus in your appeal. You must still make the return or payment as soon as you can.\n\n## What will not count as a reasonable excuse\n\nThe following will not be accepted as a reasonable excuse:\n\n- you relied on someone else to send your return and they did not\n\n- your cheque bounced or payment failed because you did not have enough money\n\n- you found the HMRC online system too difficult to use\n\n- you did not get a reminder from HMRC\n\n- you made a mistake on your tax return", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-appeals", + "answerable": true, + "scenario": "I have recently recovered from a bout of Covid 19 which saw me hospitalised for three weeks. When I returned I found that I had been penalised for not returning my self assessment tax form in time.", + "original_question": "Am I eligible to complain about this and have the penalty repaid due to extenuating circumstances?" + }, + { + "id": "train-995", + "question": "Scenario: I am self employed. In the previous seven years, I only made \u00a35,000 profit per year. I paid no national insurance during this time.\n\nQuestion: Can I voluntarily pay for national insurance for the whole seven year gap?\n\nDocument - Voluntary National Insurance:\n## Gaps in your National Insurance record\n\nYou may get gaps in your record if you do not pay National Insurance or do not get National Insurance credits. This could be because you were:\n\n- employed but had low earnings\n\n- unemployed and were not claiming benefits\n\n- self-employed but did not pay contributions because of small profits\n\n- living abroad\n\nGaps can mean you will not have enough years of National Insurance contributions to get the full State Pension (sometimes called \u2018qualifying years\u2019).\n\nYou may be able to pay voluntary contributions to fill any gaps if you\u2019re eligible.\n\n## Check your record for gaps\n\nCheck your National Insurance record to find out:\n\n- if you have any gaps\n\n- if you\u2019re eligible to pay voluntary contributions\n\n- how much it will cost\n\nYou may also be eligible for National Insurance credits if you claim benefits because you cannot work, are unemployed or caring for someone full time.\n\nContact HM Revenue and Customs (HMRC) if you think your National Insurance record is wrong.\n\n## Decide if you want to pay voluntary contributions\n\nVoluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.\n\nYou may also want to get financial advice before you decide to make voluntary contributions.\n\n## Why you might want to pay voluntary contributions\n\nYou may want to pay voluntary contributions because:\n\n- you\u2019re close to State Pension age and do not have enough qualifying years to get the full State Pension\n\n- you know you will not be able to get the qualifying years you need to get the full State Pension during your working life\n\n- you\u2019re self-employed and do not have to pay Class 2 contributions because you have low profits\n\n- you live outside the UK, but you want to qualify for some benefits\n\n## Self-employed people with specific jobs\n\nSome people do not pay Class 2 contributions through Self Assessment, but may want to pay voluntary contributions. These are:\n\n- examiners, moderators, invigilators and people who set exam questions\n\n- people who run businesses involving land or property\n\n- ministers of religion who do not receive a salary or stipend\n\n- people who make investments for themselves or others - but not as a business and without getting a fee or commission\n\n## Eligibility\n\nYou must be eligible to pay voluntary National Insurance contributions for the time that the contributions cover.\n\nYou can usually only pay for gaps in your National Insurance record from the past 6 years.\n\nYou can sometimes pay for gaps from more than 6 years ago depending on your age.\n\n## Who can pay voluntary contributions\n\nThese tables explain who\u2019s eligible to pay Class 2 or Class 3 contributions.\n\n| Your situation | Which class to pay |\n\n| Employed but earning under \u00a3120 a week and not eligible for National Insurance credits | Class 3 |\n\n| Self-employed with profits under \u00a36,515 | Class 2 or Class 3 - they count towards different benefits |\n\n| Both employed and self-employed, with low earnings and small profits | Contact HM Revenue and Customs (HMRC) to check if you have a gap and how much you need to pay |\n\n| Self-employed as an examiner, minister of religion or in an investment or land and property business | Class 2 or Class 3 - they count towards different benefits |\n\n| Living and working abroad | Class 2 - but only if you worked in the UK immediately before leaving, and you\u2019ve previously lived in the UK for at least 3 years in a row or paid at least 3 years of contributions |\n\n| Living abroad but not working | Class 3 - but only if at some point you\u2019ve lived in the UK for at least 3 years in a row or paid at least 3 years of contributions |\n\n| Unemployed and not claiming benefits | Class 3 |\n\n| Married woman or widow who stopped paying reduced rates | Class 3 |\n\nYou cannot pay voluntary contributions if:\n\n- you\u2019re eligible for National Insurance credits\n\n- you\u2019re a married woman or widow paying reduced rates\n\n## If you\u2019re over State Pension age\n\n| Your situation | Which class to pay |\n\n| You\u2019ve reached State Pension age and want to fill in gaps in your National Insurance record | Class 3 |\n\n## Rates\n\nThe rates for the 2021 to 2022 tax year are:\n\n- \u00a33.05 a week for Class 2\n\n- \u00a315.40 a week for Class 3\n\nYou usually pay the current rate when you make a voluntary contribution.\n\n## If you\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953\n\nYou can pay voluntary contributions by 5 April 2023 to make up for gaps between 6 April 2006 and 5 April 2016.\n\nYou\u2019ll pay the current rate.\n\n## When you pay different rates\n\nIf you\u2019re paying Class 2 contributions for the previous tax year or Class 3 contributions for the previous 2 tax years, you pay the original rate for those tax years.\n\nCall HM Revenue and Customs (HMRC) if you have questions about voluntary National Insurance.\n\n## How and when to pay\n\nFind out how to:\n\n- pay Class 2 voluntary contributions\n\n- pay Class 3 voluntary contributions\n\nIf you\u2019re living abroad, read leaflet NI38 and fill in form CF83 (found at the end). Send it back to HMRC using the address on the form.\n\n## Deadlines\n\nYou can usually pay voluntary contributions for the past 6 years. The deadline is 5 April each year.\n\nYou can sometimes pay for gaps from more than 6 years ago, depending on your age.\n\n## You\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953\n\nYou have until 5 April 2023 to pay voluntary contributions to make up for gaps between April 2006 and April 2016.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "answerable": true, + "scenario": "I am self employed. In the previous seven years, I only made \u00a35,000 profit per year. I paid no national insurance during this time.", + "original_question": "Can I voluntarily pay for national insurance for the whole seven year gap?" + }, + { + "id": "train-998", + "question": "Scenario: My Aunt wants to do a search for a debtor who owes her money. She wants to find out if the debtor has other bankruptcy petitions before she files one.\n\nQuestion: Can she give an oral confirmation about the search?\n\nDocument - Apply to bankrupt someone who owes you money:\n## Overview\n\nYou have to present a bankruptcy petition to a court if you want to bankrupt someone because they owe you money.\n\nThere are also other ways to recover money you\u2019re owed.\n\nA bankruptcy petition is an application to the court for someone\u2019s assets to be taken and sold to pay their debts.\n\nPresenting a petition can be complicated. Most people use a solicitor or other professional to help them.\n\nUsing a mediation service could be quicker and cheaper. Mediation is when an impartial person helps 2 sides work out an agreement.\n\nYou can contact the Insolvency Service if you have questions about making someone bankrupt.\n\n## How to present a petition\n\n- Prove you\u2019re owed at least \u00a35,000 or a share of debts totalling at least \u00a35,000.\n\n- Check for other bankruptcy petitions against the person who owes you money (the \u2018debtor\u2019).\n\n- Fill in the forms and deliver them to the court.\n\n## Fees\n\nThe court fees to make someone bankrupt are:\n\n- \u00a3990 petition deposit (for managing the bankruptcy)\n\n- \u00a3280 for court costs\n\nPay the fees using cash, postal order or a cheque made payable to \u2018HM Courts and Tribunals Service\u2019. You can pay by credit or debit card if you apply online.\n\n## Prove you're owed \u00a35,000 or more\n\nTo make someone bankrupt you must be owed one of the following:\n\n- at least \u00a35,000\n\n- a share of debts that total at least \u00a35,000\n\nYou must provide evidence to the court that you\u2019re owed this money. There are 2 ways to do this.\n\nIf you\u2019ve issued a statutory demand (a request for payment) to the debtor, confirm that you did this by filling in a certificate of service (form N215).\n\nAlternatively, get a sheriff\u2019s or bailiff\u2019s statement showing:\n\n- you got a court judgment for the money\n\n- the sheriff or bailiff could not recover enough assets to pay the debt\n\n## Check for other bankruptcy petitions\n\nYou must check if the debtor has had any bankruptcy petitions against them in the past 18 months. These checks are called \u2018searches\u2019.\n\nMost petitions are presented in the area where the debtor lives. Government departments, including HM Revenue and Customs (HMRC), present all petitions in London.\n\n## Check for petitions presented in London\n\nCarry out checks using the public computers at either:\n\n- the Rolls Building of the Royal Courts of Justice\n\n- the Central London County Court\n\nIt costs \u00a311 to use the computers for 15 minutes. You can pay by debit or credit card or with cash.\n\n## Check for petitions presented in a county court outside London\n\nContact the county court for the area where the debtor lives.\n\nThey\u2019ll advise you how to check for petitions.\n\n## When you\u2019ve made your checks\n\nYou must confirm you\u2019ve carried out the searches by writing a declaration - use the wording below and fill in the petition number and the name of the court if applicable.\n\nSign and date the declaration and attach it to your petition form.\n\n## If there\u2019s already a petition or bankruptcy order\n\nIt\u2019s cheaper to support an existing petition than to present your own. Notify the petitioner using the contact details on the petition.\n\nIf there\u2019s already a bankruptcy order, you cannot continue with your petition. Register as a creditor instead.\n\n## Apply\n\nThe bankruptcy petition form you fill in depends on whether:\n\n- the debtor has not responded to a statutory demand\n\n- the sheriff or bailiff could not recover enough assets to pay the debt\n\nYou\u2019ll also need to provide the following as part of the petition:\n\n- a statement of truth confirming the details of your petition\n\n- a declaration that you\u2019ve carried out searches\n\n- evidence you\u2019re owed money\n\n## Presenting the petition\n\nHow you present the petition will depend on the debtor\u2019s circumstances.\n\nSubmit the petition online if the debtor either:\n\n- lives in London and owes you \u00a350,000 or more\n\n- has \u2018no fixed abode\u2019 (no fixed or regular address)\n\nIt\u2019ll go to the High Court.\n\nOtherwise, give the petition in person to the county court nearest to where the debtor lives or works.\n\n## If the debtor owns a business\n\nChoose the court nearest to the debtor\u2019s business address unless this changed in the last 6 months and they\u2019ve been at their home address longer.\n\n## After you apply\n\nYou\u2019ll need to give (\u2018serve\u2019) a copy of the petition to the debtor in person.\n\nIf the debtor has an individual voluntary arrangement (IVA) you\u2019ll also need to give a copy to the supervisor.\n\nSend the court a certificate of service (form N215) to confirm you\u2019ve done this.\n\nIf your case is with the High Court you can only submit the certificate of service online. If it\u2019s with another court you can send it there by post.\n\n## If you cannot serve the petition to the debtor in person\n\nYou can ask the court for permission to serve it in another way, for example by post.\n\nYou\u2019ll have to provide a certificate of service confirming you\u2019ve used a \u2018substituted service\u2019.\n\n## Court hearing\n\nThe court will tell you where and when the petition will be heard. This will be at least 14 days after you served the petition to the debtor.\n\nThe debtor can oppose the petition by giving the court a statement of truth at least 5 days before the hearing.\n\nYou must list the people that you want to appear and speak at the hearing.\n\nThe debtor and a supervisor of an IVA can also appear and speak at the hearing.\n\nAt the end of the hearing the court can:\n\n- stay (delay or stop) the petition\n\n- dismiss the petition\n\n- adjourn (postpone) the hearing\n\n- make a bankruptcy order\n\nIf the court dismisses your petition, you\u2019ll get your petition deposit back.\n\nRead more about what happens after a bankruptcy order is made.\n\n## After the hearing\n\nAn Official Receiver at the Insolvency Service will deal with the early stages of a bankruptcy. They will contact you within 12 weeks of the bankruptcy order being made.\n\n## Appeals\n\nYou can appeal to the court if your petition is rejected.\n\nCheck with the court where you made your petition for how to appeal.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/apply-to-bankrupt-someone", + "answerable": true, + "scenario": "My Aunt wants to do a search for a debtor who owes her money. She wants to find out if the debtor has other bankruptcy petitions before she files one.", + "original_question": "Can she give an oral confirmation about the search?" + }, + { + "id": "train-1000", + "question": "Scenario: Greetings. i have been made a partner in the firm I work for. Up until now I have been just an employee paying PAYE as normal.\n\nQuestion: Are partners in firms treated the same way?\n\nDocument - Register for Self Assessment:\n## Overview\n\nYou must register for Self Assessment if you have to send a tax return and did not send one last year.\n\nThere are different ways to register if you\u2019re:\n\n- self-employed\n\n- not self-employed\n\n- registering a partner or partnership\n\n## Register if you\u2019re self-employed\n\nIf you have to send a tax return and did not send one last year, you need to register for Self Assessment and Class 2 National Insurance.\n\nRegister by 5 October in your business\u2019s second tax year. You could be fined if you do not.\n\n## If you have not filed a return online before\n\n- Register online. Once you\u2019ve completed the questions, HMRC will create your account.\n\n- You\u2019ll receive a letter with your Unique Taxpayer Reference (UTR) number within 10 days (21 if you\u2019re abroad). You\u2019ll need your UTR to file a return.\n\n- You\u2019ll then receive another letter with an activation code for your account. You can get a new activation code if you do not receive it or you lose it.\n\nOnce you\u2019ve activated your account, you can file your tax return any time before the deadline.\n\n## If you\u2019ve filed a return online before\n\nRe-register online (form CWF1) if the work you plan to do is different from what you did before.\n\nYou\u2019ll need your 10-digit Unique Taxpayer Reference (UTR) from when you registered before. You can find your UTR if you do not know it.\n\nYou\u2019ll receive a letter with a new account activation code 10 days later (21 if you\u2019re abroad).\n\nOnce you\u2019ve reactivated your account, you can file your tax return any time before the deadline.\n\nIf the work you plan to do is the same as you did before, sign in to your account.\n\n## If you\u2019ve filed before but you did not use the online service\n\nCreate an account for the online service using your UTR. You can find your UTR if you do not know it.\n\nYou\u2019ll receive a letter with an activation code for your account.\n\nOnce you\u2019ve activated your account, you can file your tax return any time before the deadline.\n\n## Other ways to register\n\nYou can fill in this form on-screen then print off and post to HMRC. You\u2019ll need to have all your information ready as you cannot save a partly completed form.\n\nIf you\u2019re using an older browser, for example Internet Explorer 8, you\u2019ll need to update it or use a different browser. Find out more about browsers.\n\n## Register if you're not self-employed\n\nIf you have to send a tax return and did not send one last year, you need to register for Self Assessment by 5 October.\n\n## If you have not filed online before\n\n- Register using form SA1.\n\n- After you register, you\u2019ll receive your Unique Taxpayer Reference (UTR) number in the post within 10 working days (21 if you\u2019re abroad).\n\n- Create your online account.\n\n- Sign up for Self Assessment online - you\u2019ll need your UTR to do this.\n\nYou\u2019ll get an activation code for your new account in the post within 7 working days of signing up (21 if you\u2019re abroad). When you get the code, sign in to send your return.\n\nYou can replace an activation code if you do not receive it or you lose it.\n\nOnce you\u2019ve activated your account, you can file your tax return any time.\n\n## If you\u2019ve filed online before\n\nSign in to your existing account.\n\n## Register if you're a partner or partnership\n\nYou must register for Self Assessment by 5 October if you\u2019re a partner in a partnership.\n\nYou\u2019ll need your partnership\u2019s 10-digit Unique Taxpayer Reference (UTR). You can find a UTR if you\u2019ve lost it.\n\nYou must also register your partnership if you\u2019re the \u2018nominated partner\u2019.\n\nThere are different ways to register:\n\n- for limited liability partnerships\n\n- if you\u2019re a partner that\u2019s not an individual, for example a company or trust", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/register-for-self-assessment", + "answerable": true, + "scenario": "Greetings. i have been made a partner in the firm I work for. Up until now I have been just an employee paying PAYE as normal.", + "original_question": "Are partners in firms treated the same way?" + }, + { + "id": "train-1001", + "question": "Scenario: I have made an appeal on a planning decision. I took time off work for an inspection, costing me \u00a3500 in business revenue. The inspector did not turn up.\n\nQuestion: Am I able to claim these costs due to this?\n\nDocument - Claim planning appeal costs:\n## Overview\n\nYou can claim costs if someone involved in your planning appeal behaves unreasonably and costs you money.\n\nYou make a claim for an \u2018award of costs\u2019 to the Planning Inspectorate. If you\u2019re successful, you\u2019ll have to reach an agreement with the other party about how much they pay.\n\nYou can be asked to pay costs if you behave unreasonably during your own appeal. The Planning Inspectorate can do this even if nobody\u2019s claiming costs against you.\n\n## Deadline to claim for costs\n\nThe deadline depends on whether your appeal will be decided:\n\n- at a hearing or inquiry - apply before it closes\n\n- in writing - apply when you appeal for householder, commercial and tree preservation orders, or before the final comments stage for anything else\n\nThe deadline is different for claims about:\n\n- a site visit (eg someone didn\u2019t attend) - apply within 7 days\n\n- a withdrawn appeal or enforcement notice - apply within 4 weeks\n\n## When to claim\n\nYou may be able to claim costs if someone involved in your appeal behaves unreasonably and costs you money. This includes if they:\n\n- fail to co-operate with you or others\n\n- miss deadlines\n\n- fail to turn up to a site visit, hearing or inquiry\n\n- gave information that was wrong or declared after the deadline\n\n## What costs you can claim\n\nYou can claim for costs directly related to your appeal, for example:\n\n- time preparing for an appeal\n\n- attending a hearing or inquiry\n\n- the use of consultants to provide detailed technical advice\n\n- witnesses if you need to pay them\n\nYou can\u2019t claim for costs relating to your original planning application.\n\n## How to claim\n\nClaim for costs by filling in the claim form. Return it to the address on the form.\n\nAlternatively, you can send a letter to the Planning Inspectorate. Include why you think someone has behaved unreasonably and how this has cost you money.\n\n## After you claim\n\nThe Planning Inspectorate will consider your claim. The party being asked to pay will have an opportunity to respond in writing.\n\nIf you\u2019re successful, you\u2019ll be given either:\n\n- a full award - you can recover all your costs including the cost of claiming\n\n- a partial award - you can only recover some costs\n\nThe award doesn\u2019t tell you how much you should get. It\u2019s your responsibility to prove to the other party how much you\u2019ve spent on the appeal.\n\n## If they won\u2019t pay\n\nYou can make a court claim for money if the other party won\u2019t pay.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-planning-appeal-costs", + "answerable": true, + "scenario": "I have made an appeal on a planning decision. I took time off work for an inspection, costing me \u00a3500 in business revenue. The inspector did not turn up.", + "original_question": "Am I able to claim these costs due to this?" + }, + { + "id": "train-1002", + "question": "Scenario: I have appealed against a planning decision, and have made a claim to for costs. The costs I incurred were \u00a3600 for witnesses.\n\nQuestion: Will I be able to get the full amount back?\n\nDocument - Claim planning appeal costs:\n## Overview\n\nYou can claim costs if someone involved in your planning appeal behaves unreasonably and costs you money.\n\nYou make a claim for an \u2018award of costs\u2019 to the Planning Inspectorate. If you\u2019re successful, you\u2019ll have to reach an agreement with the other party about how much they pay.\n\nYou can be asked to pay costs if you behave unreasonably during your own appeal. The Planning Inspectorate can do this even if nobody\u2019s claiming costs against you.\n\n## Deadline to claim for costs\n\nThe deadline depends on whether your appeal will be decided:\n\n- at a hearing or inquiry - apply before it closes\n\n- in writing - apply when you appeal for householder, commercial and tree preservation orders, or before the final comments stage for anything else\n\nThe deadline is different for claims about:\n\n- a site visit (eg someone didn\u2019t attend) - apply within 7 days\n\n- a withdrawn appeal or enforcement notice - apply within 4 weeks\n\n## When to claim\n\nYou may be able to claim costs if someone involved in your appeal behaves unreasonably and costs you money. This includes if they:\n\n- fail to co-operate with you or others\n\n- miss deadlines\n\n- fail to turn up to a site visit, hearing or inquiry\n\n- gave information that was wrong or declared after the deadline\n\n## What costs you can claim\n\nYou can claim for costs directly related to your appeal, for example:\n\n- time preparing for an appeal\n\n- attending a hearing or inquiry\n\n- the use of consultants to provide detailed technical advice\n\n- witnesses if you need to pay them\n\nYou can\u2019t claim for costs relating to your original planning application.\n\n## How to claim\n\nClaim for costs by filling in the claim form. Return it to the address on the form.\n\nAlternatively, you can send a letter to the Planning Inspectorate. Include why you think someone has behaved unreasonably and how this has cost you money.\n\n## After you claim\n\nThe Planning Inspectorate will consider your claim. The party being asked to pay will have an opportunity to respond in writing.\n\nIf you\u2019re successful, you\u2019ll be given either:\n\n- a full award - you can recover all your costs including the cost of claiming\n\n- a partial award - you can only recover some costs\n\nThe award doesn\u2019t tell you how much you should get. It\u2019s your responsibility to prove to the other party how much you\u2019ve spent on the appeal.\n\n## If they won\u2019t pay\n\nYou can make a court claim for money if the other party won\u2019t pay.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-planning-appeal-costs", + "answerable": true, + "scenario": "I have appealed against a planning decision, and have made a claim to for costs. The costs I incurred were \u00a3600 for witnesses.", + "original_question": "Will I be able to get the full amount back?" + }, + { + "id": "train-1004", + "question": "Scenario: I have unsecured debts amounting to \u00a375,000 that I am struggling to pay. I can afford to pay a small amount each month. I want to apply for a Debt Management Plan.\n\nQuestion: Will I be eligible for this?\n\nDocument - Options for paying off your debts:\n## Overview\n\nIf you owe people money (your \u2018creditors\u2019) you can make arrangements to pay your debts. Your options depend on the amount of money and assets you have.\n\n## Where you can get help\n\nSpeak to a debt adviser to get help choosing the best way to deal with your debt.\n\nThe Money Advice Service has information about debt management and free debt advisory services.\n\n## Paying off your debts\n\nYou can pay your debts in instalments by setting up:\n\n- a Debt Management Plan which is an agreement with your creditors managed by a financial company\n\n- an Administration Order when you\u2019ve had a county court judgment (CCJ) or a High Court judgment (HCJ) against you for debts under \u00a35,000\n\n- an Individual Voluntary Arrangement which is managed by an insolvency practitioner\n\nYou can also get temporary protection from your creditors through the \u2018Breathing Space\u2019 scheme, while still making repayments. You\u2019ll need to apply through a debt advisor.\n\nIn Scotland you can arrange a Debt Payment Programme from the Debt Arrangement Scheme.\n\nYou may also have the option of reaching an informal agreement with your creditors.\n\n## If you cannot pay off your debt\n\nYou can apply for a Debt Relief Order or Bankruptcy Order if you cannot pay your debts because you do not have enough money or assets you can sell.\n\nIf you cannot pay off your debts, you can be made bankrupt.\n\n## Breathing Space (Debt Respite Scheme)\n\nIf you live in England or Wales, you can get temporary protection from your creditors while you get debt advice and make a plan. This scheme is called \u2018Breathing Space\u2019.\n\nYou can get temporary protection for up to 60 days.\n\nYou\u2019ll still need to make your debt repayments.\n\nIf you get it:\n\n- enforcement action cannot be taken against you\n\n- your creditors cannot contact you about debts included in your Breathing Space\n\n- your creditors cannot add interest or charges to your debt\n\nIf you\u2019re getting mental health crisis treatment, your protection from creditors will be longer. It will last for the length of your treatment, plus another 30 days.\n\n## How to apply for the Breathing Space scheme\n\nTo apply for the \u2018Breathing Space\u2019 scheme, you need to talk to a debt adviser. They will submit an application on your behalf if it\u2019s the right thing to do.\n\nYou can find a free debt adviser on the Money Advice Service website. You can get confidential advice online, over the phone or in person.\n\nIf you\u2019re receiving mental health treatment and cannot speak to a debt adviser, someone else can do so on your behalf.\n\n## Costs\n\nIt\u2019s free to apply for \u2018Breathing Space\u2019, but some debt advisers may charge you a fee.\n\n## Eligibility\n\nYou must:\n\n- not have a debt relief order (DRO), an individual voluntary arrangement (IVA), an interim order, or be an undischarged bankrupt at the time you apply\n\n- not already be using the \u2018Breathing Space\u2019 scheme\n\n- not have used the \u2018Breathing Space\u2019 scheme in the last 12 months, unless it was for a mental health crisis\n\n## Debt Management Plans\n\nA Debt Management Plan is an agreement between you and your creditors to pay all of your debts.\n\nDebt management plans are usually used when either:\n\n- you can only afford to pay creditors a small amount each month\n\n- you have debt problems but will be able to make repayments in a few months\n\nYou can arrange a plan with your creditors yourself or through a licensed debt management company for a fee. If you arrange this with a company:\n\n- you make regular payments to the company\n\n- the company shares the money out between your creditors\n\nThe Money Advice Service has information on organisations that can give you free advice about whether a Debt Management Plan is right for you.\n\n## Get a Debt Management Plan\n\n- Set up a plan with a debt management company authorised by the Financial Conduct Authority (FCA). Search the Financial Services Register for an authorised company.\n\n- The company works out your monthly payments. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.\n\n- The company contacts your creditors and asks them to agree to the plan (they do not have to).\n\nUnless stated in the agreement, your creditors can still:\n\n- ask you to pay your full debt at a later date\n\n- take action to recover their money even if you keep up your payments\n\n## Costs\n\nSome companies will charge:\n\n- a set up fee\n\n- a handling fee each time you make a payment\n\nMake sure you understand the costs of your plan and how you pay for it.\n\n## Eligibility\n\nDebt Management Plans can only be used to pay \u2018unsecured\u2019 debts, for example debts that have not been guaranteed against your property.\n\n## Your responsibilities\n\nYour plan can be cancelled if you do not keep up your repayments.\n\n## Administration orders\n\nAn administration order is a way to deal with debt if you have a county court or High Court judgment against you and you cannot pay in full.\n\nThe debt must be less than \u00a35,000.\n\nYou make 1 payment a month to your local court. The court will divide this money between your creditors.\n\nCreditors listed on the administration order cannot take any further action against you without the court\u2019s permission.\n\nThe Money Advice Service has information on organisations that can give you free advice about whether an administration order is right for you.\n\n## Get an administration order\n\nFill in an application for an administration order (form N92) and return it to your local court.\n\nThe court decides:\n\n- how much of your debt you have to repay, for example all or just part of it\n\n- how much your monthly repayments will be\n\n- how long the arrangement lasts\n\nThe arrangement is known as a \u2018composition order\u2019 if you cannot pay all your debts.\n\n## Costs\n\nThere\u2019s a court fee each time you make a payment. This cannot be more than 10% of your debt.\n\n## Eligibility\n\nYou must:\n\n- owe less than \u00a35,000, including any interest and charges\n\n- owe money to at least 2 creditors\n\n- prove you can afford regular repayments, for example by giving details of your income\n\n- have a county court or High Court judgment against you, which you cannot pay in full\n\n## Your responsibilities\n\nYou must keep up your repayments or the court can:\n\n- ask your employer take money from your wages \u2013 known as an \u2018attachment of earnings order\u2019\n\n- cancel the arrangement\n\nYou may still be able to keep your business running, if you have one.\n\n## Public records\n\nYour administration order is added to the Register of Judgments, Orders and Fines.\n\nIt\u2019s usually removed 6 years after the date the order was made.\n\nYour entry is marked as \u2018satisfied\u2019 if you repay your debts in full.\n\nYou can also ask the court for a \u2018certificate of satisfaction\u2019. To do this, write to the court and send a cheque for \u00a315 (made payable to Her Majesty\u2019s Courts and Tribunal Service).\n\n## Individual Voluntary Arrangements\n\nAn Individual Voluntary Arrangement (IVA) is an agreement with your creditors to pay all or part of your debts. You agree to make regular payments to an insolvency practitioner, who will divide this money between your creditors.\n\nAn IVA can give you more control of your assets than bankruptcy.\n\nThe Money Advice Service has information on organisations that can give you free advice about whether an IVA is right for you.\n\n## Get an Individual Voluntary Arrangement (IVA)\n\nUse an insolvency practitioner to get an IVA.\n\nYour insolvency practitioner works out what you can afford to repay and how long the IVA lasts. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.\n\nYour insolvency practitioner will contact your creditors. The IVA will start if the creditors holding 75% of your debts agree to it. It will apply to all your creditors, including any who disagreed to it.\n\nAn IVA will stop your creditors taking action against you for your debts.\n\n## Costs\n\nThere are usually 2 fees:\n\n- a set up fee\n\n- a handling fee each time you make a payment\n\nMake sure you know how much it\u2019s going to cost before asking an insolvency practitioner to act for you.\n\n## Your responsibilities\n\nYour IVA can be cancelled by the insolvency practitioner if you do not keep up your repayments. The insolvency practitioner can make you bankrupt.\n\nYou may still be able to keep your business running, if you have one.\n\n## Public records\n\nYour IVA will be added to the Individual Insolvency Register. It\u2019s removed 3 months after the IVA ends.\n\n## Debt Relief Orders\n\nDebt Relief Orders (DROs) are one way to deal with your debts if you owe less than \u00a320,000, do not have much spare income and do not own your home.\n\nIf you get one:\n\n- your creditors cannot recover their money without the court\u2019s permission\n\n- you\u2019re usually freed (\u2018discharged\u2019) from your debts after 12 months\n\n## Get a Debt Relief Order\n\nYou get a DRO from the official receiver, an officer of the bankruptcy court, but you must apply through an authorised debt adviser. They\u2019ll help you fill in the paperwork.\n\nThere\u2019s a list of organisations that can help you find an authorised debt adviser in the guide to DROs.\n\nThe Money Advice Service has information about where to get free debt advice.\n\n## Costs\n\nThe official receiver\u2019s fee is \u00a390. Your debt adviser can tell you how and when to pay it. In some cases a charity may be able to help you with the cost - ask your debt adviser.\n\n## Eligibility\n\nYou\u2019re generally eligible if you meet all of these criteria:\n\n- you owe less than \u00a320,000\n\n- you\u2019ve less than \u00a350 a month spare income\n\n- you\u2019ve less than \u00a31,000 worth of assets\n\n- you\u2019ve lived or worked in England and Wales within the last 3 years\n\n- you have not applied for a DRO within the last 6 years\n\n## Restrictions\n\nYou must follow rules called \u2018restrictions\u2019 if you get a DRO.\n\nThis means you cannot:\n\n- borrow more than \u00a3500 without telling the lender about your DRO\n\n- act as the director of a company\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business without telling those you do business with about your DRO\n\nIf you want to open a bank account, you may also have to tell the bank or building society about your DRO.\n\nCheck the Individual Insolvency Register to see when the restrictions end.\n\nThe restrictions usually last 12 months. They can be extended if careless or dishonest behaviour caused your debt problem. For example, you lied to get credit.\n\nThe official receiver will tell you if they should be extended. To extend them, you\u2019ll be asked to agree to a \u2018Debt Relief Restrictions Undertaking\u2019. The court can issue a \u2018Debt Relief Restrictions Order\u2019 if you do not agree.\n\n## What you need to know\n\nWhile you have a DRO you still have to pay:\n\n- your rent and bills\n\n- certain debts, for example student loans, court fines\n\nDROs can be cancelled if:\n\n- your finances improve\n\n- you do not co-operate with the official receiver - for example you do not give them the information they ask for\n\nIf you get new debt after your DRO is approved you could:\n\n- get a bankruptcy order\n\n- be prosecuted if you do not tell new creditors about your DRO\n\nYour DRO is added to the Individual Insolvency Register - it\u2019s removed 3 months after the DRO ends.\n\nYour DRO will stay on your credit record for 6 years.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "answerable": true, + "scenario": "I have unsecured debts amounting to \u00a375,000 that I am struggling to pay. I can afford to pay a small amount each month. I want to apply for a Debt Management Plan.", + "original_question": "Will I be eligible for this?" + }, + { + "id": "train-1005", + "question": "Scenario: I have a VAT-registered business. The turnover of my business in the next year is estimated to be \u00a31.5 million. I am looking to join the annual accounting scheme. I have never joined this scheme.\n\nQuestion: Am I eligible to join this scheme?\n\nDocument - VAT Annual Accounting Scheme:\n## Overview\n\nUsually, VAT-registered businesses submit their VAT Returns and payments to HM Revenue and Customs 4 times a year.\n\nWith the Annual Accounting Scheme you:\n\n- make advance VAT payments towards your VAT bill - based on your last return (or estimated if you\u2019re new to VAT)\n\n- submit 1 VAT Return a year\n\nFrom 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.\n\nWhen you submit your VAT Return you either:\n\n- make a final payment - the difference between your advance payments and actual VAT bill\n\n- apply for a refund - if you\u2019ve overpaid your VAT bill\n\nThe scheme would not suit your business if you regularly reclaim VAT because you\u2019ll only be able to get 1 refund a year (when you submit the VAT Return).\n\nYou can join the scheme if your estimated VAT taxable turnover is \u00a31.35 million or less.\n\nTalk to an accountant or tax adviser if you want advice on whether the Annual Accounting Scheme is right for you.\n\n## Join or leave the scheme\n\nYou must be eligible to join the scheme.\n\n## How to join\n\nYou can join the scheme:\n\n- online - when you register for VAT\n\n- by post - fill in VAT600 AA (or use VAT600 AA/FRS to apply for the Flat Rate Scheme at the same time)\n\nDo not use the address on the form - send it to the following address instead.\n\nConfirmation you\u2019ve joined the scheme is sent to your VAT online account (or in the post if you do not apply online).\n\n## How to leave\n\nYou can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to be in it.\n\nTo leave, write to HMRC and they will confirm when you can leave. From this date, you must account for your VAT in the usual way.\n\nYou have to wait 12 months before you can rejoin the scheme.\n\n## Eligibility\n\nYou can join the Annual Accounting Scheme if:\n\n- you\u2019re a VAT-registered business\n\n- your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use the scheme if:\n\n- you left the scheme in the last 12 months\n\n- your business is part of a VAT registered division or group of companies\n\n- you\u2019re not up to date with your VAT Returns or payments\n\n- you\u2019re insolvent\n\n## Leaving the scheme\n\nYou must leave the scheme if:\n\n- you\u2019re no longer eligible to be in it\n\n- your VAT taxable turnover is (or is likely to be) more than \u00a31.6 million at the end of the annual accounting year\n\n## Return and payment deadlines\n\nCheck your VAT Return and payment deadlines in your HM Revenue and Customs (HMRC) online account.\n\n## VAT Return deadline\n\nThere are 12 months in your VAT accounting period. Your VAT Return is due once a year, 2 months after the end of your accounting period.\n\nMost businesses now need to keep digital VAT records and use software to submit VAT Returns.\n\n## Payment deadlines\n\nYou must make advance payments towards your VAT bill (either monthly or quarterly) during your accounting period and a final payment when you submit your VAT Return.\n\n| Payment | Deadline |\n\n| Monthly | Due at the end of months 4, 5, 6, 7, 8, 9, 10, 11 and 12 |\n\n| Quarterly | Due at the end of months 4, 7 and 10 |\n\n| Final payment | Within 2 months of month 12 |\n\n## How much do you pay\n\nEach payment is either 10% of your estimated VAT bill (monthly payments) or 25% (quarterly payments). The amount is based on previous VAT returns (or estimated if you\u2019re new to VAT).\n\nHMRC will write telling you when your instalments are due and how much they\u2019ll be.\n\nThe final payment (known as a \u2018balancing payment\u2019) is the difference between your advance payments and the actual VAT bill confirmed on your VAT Return.\n\nYou may be due a VAT refund if you\u2019ve overpaid HMRC.\n\nYou must pay VAT to HMRC electronically, for example by Direct Debit or internet banking.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-annual-accounting-scheme", + "answerable": true, + "scenario": "I have a VAT-registered business. The turnover of my business in the next year is estimated to be \u00a31.5 million. I am looking to join the annual accounting scheme. I have never joined this scheme.", + "original_question": "Am I eligible to join this scheme?" + }, + { + "id": "train-1008", + "question": "Scenario: I have recently applied for a mortgage and I have been asked for proof of income. I gave them payslips but they said I should provide something else.\n\nQuestion: Would my end of year P60 form be suitable for this?\n\nDocument - P45, P60 and P11D forms: workers' guide:\n## P45\n\nYou\u2019ll get a P45 from your employer when you stop working for them.\n\nThere\u2019s a separate guide to getting P45s if you\u2019re an employer.\n\nYour P45 shows how much tax you\u2019ve paid on your salary so far in the tax year (6 April to 5 April).\n\nA P45 has 4 parts (Part 1, Part 1A, Part 2 and Part 3).\n\n- Your employer sends details for Part 1 to HM Revenue and Customs (HMRC) and gives you the other parts.\n\n- You give Part 2 and 3 to your new employer (or to Jobcentre Plus if you\u2019re not working).\n\n- Keep Part 1A for your own records.\n\nBy law your employer must give you a P45 - ask them for one.\n\nYou can check how much tax you paid last year if you think you might have paid too much.\n\n## You do not have a P45\n\nYou will not have a P45 if you\u2019re starting your first job or you\u2019re taking on a second job. Your employer will need to work out how much tax you should be paying on your salary.\n\nThey may use a \u2018Starter Checklist\u2019 to collect the information, or may collect it another way. The Starter Checklist has questions about any other jobs, benefits or student loans you have. It helps your employer work out your correct tax code before your first payday.\n\n## P60\n\nYour P60 shows the tax you\u2019ve paid on your salary in the tax year (6 April to 5 April). You get a separate P60 for each of your jobs.\n\nThere\u2019s a separate guide to getting P60s if you\u2019re an employer.\n\nIf you\u2019re working for an employer on 5 April they must give you a P60. They must provide this by 31 May, on paper or electronically.\n\nYou\u2019ll need your P60 to prove how much tax you\u2019ve paid on your salary, for example:\n\n- to claim back overpaid tax\n\n- to apply for tax credits\n\n- as proof of your income if you apply for a loan or a mortgage\n\nYou can check how much tax you paid last year if you think you might have paid too much.\n\n## P11D\n\nYour employer might give you a copy of your P11D if they used it to tell HM Revenue and Customs (HMRC) about your \u2018benefits in kind\u2019 (for example company cars or interest-free loans).\n\nThey do not have to do this, but they must tell you how much each benefit is worth.\n\nThere\u2019s a separate guide to getting form P11D if you\u2019re an employer.\n\nYou might not get a P11D if your employer takes the tax you owe on your benefits out of your pay.\n\nYour employer will write to you to explain how this works.\n\n## Lost PAYE forms\n\n## Lost P45\n\nYou cannot get a replacement P45.\n\nInstead, your new employer may give you a \u2018Starter Checklist\u2019 or ask you for the relevant details about your finances to send to HM Revenue and Customs (HMRC).\n\n## Lost P60\n\nYou can get a replacement P60 from your employer.\n\n## P11D\n\nYou can usually get a copy of the P11D from your employer. If they cannot give you one, you can contact HMRC for a copy.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "answerable": true, + "scenario": "I have recently applied for a mortgage and I have been asked for proof of income. I gave them payslips but they said I should provide something else.", + "original_question": "Would my end of year P60 form be suitable for this?" + }, + { + "id": "train-1011", + "question": "Scenario: Good evening. Dave here. I have been working in Africa for a few years and am concerned about my state pension. Someone has told me I can pay towards this even if I am out of the UK.\n\nQuestion: Can I pay NI contributions while I am outside the United Kingdom for a prolonged period?\n\nDocument - Voluntary National Insurance:\n## Gaps in your National Insurance record\n\nYou may get gaps in your record if you do not pay National Insurance or do not get National Insurance credits. This could be because you were:\n\n- employed but had low earnings\n\n- unemployed and were not claiming benefits\n\n- self-employed but did not pay contributions because of small profits\n\n- living abroad\n\nGaps can mean you will not have enough years of National Insurance contributions to get the full State Pension (sometimes called \u2018qualifying years\u2019).\n\nYou may be able to pay voluntary contributions to fill any gaps if you\u2019re eligible.\n\n## Check your record for gaps\n\nCheck your National Insurance record to find out:\n\n- if you have any gaps\n\n- if you\u2019re eligible to pay voluntary contributions\n\n- how much it will cost\n\nYou may also be eligible for National Insurance credits if you claim benefits because you cannot work, are unemployed or caring for someone full time.\n\nContact HM Revenue and Customs (HMRC) if you think your National Insurance record is wrong.\n\n## Decide if you want to pay voluntary contributions\n\nVoluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.\n\nYou may also want to get financial advice before you decide to make voluntary contributions.\n\n## Why you might want to pay voluntary contributions\n\nYou may want to pay voluntary contributions because:\n\n- you\u2019re close to State Pension age and do not have enough qualifying years to get the full State Pension\n\n- you know you will not be able to get the qualifying years you need to get the full State Pension during your working life\n\n- you\u2019re self-employed and do not have to pay Class 2 contributions because you have low profits\n\n- you live outside the UK, but you want to qualify for some benefits\n\n## Self-employed people with specific jobs\n\nSome people do not pay Class 2 contributions through Self Assessment, but may want to pay voluntary contributions. These are:\n\n- examiners, moderators, invigilators and people who set exam questions\n\n- people who run businesses involving land or property\n\n- ministers of religion who do not receive a salary or stipend\n\n- people who make investments for themselves or others - but not as a business and without getting a fee or commission\n\n## Eligibility\n\nYou must be eligible to pay voluntary National Insurance contributions for the time that the contributions cover.\n\nYou can usually only pay for gaps in your National Insurance record from the past 6 years.\n\nYou can sometimes pay for gaps from more than 6 years ago depending on your age.\n\n## Who can pay voluntary contributions\n\nThese tables explain who\u2019s eligible to pay Class 2 or Class 3 contributions.\n\n| Your situation | Which class to pay |\n\n| Employed but earning under \u00a3120 a week and not eligible for National Insurance credits | Class 3 |\n\n| Self-employed with profits under \u00a36,515 | Class 2 or Class 3 - they count towards different benefits |\n\n| Both employed and self-employed, with low earnings and small profits | Contact HM Revenue and Customs (HMRC) to check if you have a gap and how much you need to pay |\n\n| Self-employed as an examiner, minister of religion or in an investment or land and property business | Class 2 or Class 3 - they count towards different benefits |\n\n| Living and working abroad | Class 2 - but only if you worked in the UK immediately before leaving, and you\u2019ve previously lived in the UK for at least 3 years in a row or paid at least 3 years of contributions |\n\n| Living abroad but not working | Class 3 - but only if at some point you\u2019ve lived in the UK for at least 3 years in a row or paid at least 3 years of contributions |\n\n| Unemployed and not claiming benefits | Class 3 |\n\n| Married woman or widow who stopped paying reduced rates | Class 3 |\n\nYou cannot pay voluntary contributions if:\n\n- you\u2019re eligible for National Insurance credits\n\n- you\u2019re a married woman or widow paying reduced rates\n\n## If you\u2019re over State Pension age\n\n| Your situation | Which class to pay |\n\n| You\u2019ve reached State Pension age and want to fill in gaps in your National Insurance record | Class 3 |\n\n## Rates\n\nThe rates for the 2021 to 2022 tax year are:\n\n- \u00a33.05 a week for Class 2\n\n- \u00a315.40 a week for Class 3\n\nYou usually pay the current rate when you make a voluntary contribution.\n\n## If you\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953\n\nYou can pay voluntary contributions by 5 April 2023 to make up for gaps between 6 April 2006 and 5 April 2016.\n\nYou\u2019ll pay the current rate.\n\n## When you pay different rates\n\nIf you\u2019re paying Class 2 contributions for the previous tax year or Class 3 contributions for the previous 2 tax years, you pay the original rate for those tax years.\n\nCall HM Revenue and Customs (HMRC) if you have questions about voluntary National Insurance.\n\n## How and when to pay\n\nFind out how to:\n\n- pay Class 2 voluntary contributions\n\n- pay Class 3 voluntary contributions\n\nIf you\u2019re living abroad, read leaflet NI38 and fill in form CF83 (found at the end). Send it back to HMRC using the address on the form.\n\n## Deadlines\n\nYou can usually pay voluntary contributions for the past 6 years. The deadline is 5 April each year.\n\nYou can sometimes pay for gaps from more than 6 years ago, depending on your age.\n\n## You\u2019re a man born after 5 April 1951 or a woman born after 5 April 1953\n\nYou have until 5 April 2023 to pay voluntary contributions to make up for gaps between April 2006 and April 2016.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/voluntary-national-insurance-contributions", + "answerable": true, + "scenario": "Good evening. Dave here. I have been working in Africa for a few years and am concerned about my state pension. Someone has told me I can pay towards this even if I am out of the UK.", + "original_question": "Can I pay NI contributions while I am outside the United Kingdom for a prolonged period?" + }, + { + "id": "train-1015", + "question": "Scenario: I own \u00a37,000 of shares in my employer's company. I received \u00a31,600 of these shares before the 20th January 2016. I, nor any relation, hold more than 25% of the voting rights in the company.\n\nQuestion: Am I eligible for tax relief on these shares?\n\nDocument - Tax and Employee Share Schemes:\n## Overview\n\nIf your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.\n\nTax advantages only apply if the shares are offered through the following schemes:\n\n- Share Incentive Plans\n\n- Save As You Earn (SAYE)\n\n- Company Share Option Plans\n\n- Enterprise Management Incentives (EMIs)\n\nYou may be offered shares outside of these schemes. However these will not have the same tax advantages.\n\nYou can also get tax advantages if you\u2019re an employee shareholder.\n\n## Share Incentive Plans (SIPs)\n\nIf you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.\n\nYou will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.\n\nIf you take them out of the plan, keep them and then sell them later on, you might have to pay Capital Gains Tax if their value has increased.\n\nThere are 4 ways you can get shares under SIPs.\n\n## Free shares\n\nYour employer can give you up to \u00a33,600 of free shares in any tax year.\n\n## Partnership shares\n\nYou can buy shares out of your salary before tax deductions. There\u2019s a limit to how much you can spend - either \u00a31,800 or 10% of your income for the tax year, whichever is lower.\n\n## Matching shares\n\nYour employer can give you up to 2 free matching shares for each partnership share you buy.\n\n## Dividend shares\n\nYou may be able to buy more shares with the dividends you get from free, partnership or matching shares (but only if your employer\u2019s scheme allows it).\n\nYou will not pay Income Tax if you keep the dividend shares for at least 3 years.\n\nYou\u2019ll have to pay Income Tax and National Insurance on any shares you take out of a SIP early.\n\n## Save As You Earn (SAYE)\n\nThis is a savings-related share scheme where you can buy shares with your savings for a fixed price.\n\nYou can save up to \u00a3500 a month under the scheme. At the end of your savings contract (3 or 5 years) you can use the savings to buy shares.\n\nThe tax advantages are:\n\n- the interest and any bonus at the end of the scheme is tax-free\n\n- you do not pay Income Tax or National Insurance on the difference between what you pay for the shares and what they\u2019re worth\n\nYou might have to pay Capital Gains Tax if you sell the shares.\n\nYou\u2019ll not pay Capital Gains Tax if you transfer the shares:\n\n- to an Individual Savings Account (ISA) within 90 days of the scheme ending\n\n- to a pension, directly from the scheme when it ends\n\nIf you do not transfer your shares to a pension immediately when the scheme ends, you can still transfer them up to 90 days later. You may have to pay Capital Gains Tax if they go up in value between when you buy them and when you transfer them.\n\n## Company Share Option Plan\n\nThis gives you the option to buy up to \u00a330,000 worth of shares at a fixed price.\n\nYou will not pay Income Tax or National Insurance contributions on the difference between what you pay for the shares and what they\u2019re actually worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Enterprise Management Incentives (EMIs)\n\nIf you work for a company with assets of \u00a330 million or less, it may be able to offer Enterprise Management Incentives (EMIs).\n\nYour company can grant you share options up to the value of \u00a3250,000 in a 3-year period.\n\nYou will not have to pay Income Tax or National Insurance if you buy the shares for at least the market value they had when you were granted the option.\n\nIf you were given a discount on the market value, you\u2019ll have to pay Income Tax or National Insurance on the difference between what you pay and what the shares were worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Excluded activities\n\nCompanies that work in \u2018excluded activities\u2019 are not allowed to offer EMIs. Excluded activities include:\n\n- banking\n\n- farming\n\n- property development\n\n- provision of legal services\n\n- ship building\n\n## Employee shareholder shares\n\nTo be an employee shareholder, you must own shares in your employer\u2019s company that were worth at least \u00a32,000 when you got them.\n\nYou will not usually pay Income Tax or National Insurance on the first \u00a32,000 worth of employee shareholder shares you get before 1 December 2016.\n\nYou will not get tax relief if you or someone you\u2019re connected with (like a business partner, spouse or family member) have 25% or more voting rights in the company.\n\nWhen you become an employee shareholder your employer must pay for an independent expert to give advice about the terms and effects of the employee shareholder agreement. This advice not count as a taxable benefit.\n\n## Selling your shares\n\nYou might not pay Capital Gains Tax when you sell shares. It depends on when you signed your employee shareholder agreement.\n\n## Before 17 March 2016\n\nYou only pay Capital Gains Tax on shares that were worth over \u00a350,000 when you got them.\n\n## From 17 March 2016\n\nYou only pay Capital Gains Tax on gains over \u00a3100,000 that you make during your lifetime. The \u2018gain\u2019 is the profit you make when you sell shares that have increased in value.\n\n## Transferring your shares to an ISA\n\nYou can transfer up to \u00a320,000 of employee shares into a stocks and shares Individual Savings Account (ISA) if you have shares in a:\n\n- Save As You Earn (SAYE) scheme\n\n- Share Incentive Plan (SIP)\n\nYour ISA provider must agree to the transfer.\n\nYou will not have to pay Capital Gains Tax on any gains you make on your shares if you move them to an ISA.\n\nYou must transfer your shares to your ISA within 90 days of when you took out your SIP or SAYE shares.\n\nThese shares will count towards your \u00a320,000 ISA limit. They cannot be in addition to the limit.\n\nAsk your employer or ISA provider for more information on how to transfer.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-employee-share-schemes", + "answerable": true, + "scenario": "I own \u00a37,000 of shares in my employer's company. I received \u00a31,600 of these shares before the 20th January 2016. I, nor any relation, hold more than 25% of the voting rights in the company.", + "original_question": "Am I eligible for tax relief on these shares?" + }, + { + "id": "train-1017", + "question": "Scenario: I am a marketing manager in my company. I travel with my car and stay overnights in hotels as I meet more and more business clients. I spent personal money on covering accommodation fees, food and drink. I am in the process of compiling all the expenses to claim tax relief\n\nQuestion: I've told I can't include parking fees. Is this correct?\n\nDocument - Claim tax relief for your job expenses:\n## Overview\n\nYou might be able to claim tax relief if:\n\n- you use your own money for things that you must buy for your job\n\n- you only use these things for your work\n\nYou cannot claim tax relief if your employer either gives you:\n\n- all the money back\n\n- an alternative, for example your employer gives you a laptop but you want a different type or model\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must have paid tax in the year. You\u2019ll get tax relief based on what you\u2019ve spent and the rate at which you pay tax.\n\nFor some claims, you must keep records of what you\u2019ve spent. You must claim within 4 years of the end of the tax year that you spent the money.\n\nIf your claim is for the current tax year, HM Revenue and Customs (HMRC) will usually make any adjustments needed through your tax code.\n\nIf your claim is for previous tax years, HMRC will either make adjustments through your tax code or give you a tax refund.\n\nCheck if you can claim\n\n## Working from home\n\nYou may be able to claim tax relief for additional household costs if you have to work at home on a regular basis, either for all or part of the week. This includes if you have to work from home because of coronavirus (COVID-19).\n\nYou cannot claim tax relief if you choose to work from home.\n\nYou may be able to claim tax relief for:\n\n- gas and electricity\n\n- metered water\n\n- business phone calls, including dial-up internet access\n\nYou cannot claim for the whole bill, just the part that relates to your work.\n\nYou may also be able to claim tax relief on equipment you\u2019ve bought, such as a laptop, chair or mobile phone.\n\n## How much you can claim\n\nYou can either claim tax relief on:\n\n- \u00a36 a week from 6 April 2020 (for previous tax years the rate is \u00a34 a week) - you will not need to keep evidence of your extra costs\n\n- the exact amount of extra costs you\u2019ve incurred above the weekly amount - you\u2019ll need evidence such as receipts, bills or contracts\n\nYou\u2019ll get tax relief based on the rate at which you pay tax. For example, if you pay the 20% basic rate of tax and claim tax relief on \u00a36 a week you would get \u00a31.20 per week in tax relief (20% of \u00a36).\n\nCheck if you can claim\n\n## Uniforms, work clothing and tools\n\nYou may be able to claim tax relief on the cost of:\n\n- repairing or replacing small tools you need to do your job (for example, scissors or an electric drill)\n\n- cleaning, repairing or replacing specialist clothing (for example, a uniform or safety boots)\n\nYou cannot claim relief on the initial cost of buying small tools or clothing for work.\n\n## Personal Protective Equipment (PPE)\n\nYou cannot claim tax relief for PPE. If your job requires you to use PPE your employer should either:\n\n- give you PPE free of charge\n\n- ask you to buy it and reimburse you the costs\n\n## How much you can claim\n\nYou can either claim:\n\n- the actual amount you\u2019ve spent - you\u2019ll need to keep receipts\n\n- an agreed fixed amount (a \u2018flat rate expense\u2019 or \u2018flat rate deduction\u2019)\n\nCheck if your job has an agreed flat rate expense.\n\nCheck if you can claim\n\n## Vehicles you use for work\n\nYou may be able to claim tax relief if you use cars, vans, motorcycles or bicycles for work.\n\nThis does not include travelling to and from your work, unless it\u2019s a temporary place of work.\n\nHow much you can claim depends on whether you\u2019re using:\n\n- a vehicle that you\u2019ve bought or leased with your own money\n\n- a vehicle owned or leased by your employer (a company vehicle)\n\n## Using your own vehicle for work\n\nIf you use your own vehicle or vehicles for work, you may be able to claim tax relief on the approved mileage rate. This covers the cost of owning and running your vehicle. You cannot claim separately for things like:\n\n- fuel\n\n- electricity\n\n- road tax\n\n- MOTs\n\n- repairs\n\nTo work out how much you can claim for each tax year you\u2019ll need to:\n\n- keep records of the dates and mileage or your work journeys\n\n- add up the mileage for each vehicle type you\u2019ve used for work\n\n- take away any amount your employer pays you towards your costs, (sometimes called a \u2018mileage allowance\u2019)\n\n## Approved mileage rates\n\n| | First 10,000 business miles in the tax year | Each business mile over 10,000 in the tax year |\n\n| Cars and vans | 45p | 25p |\n\n| Motorcycles | 24p | 24p |\n\n| Bicycles | 20p | 20p |\n\n## Using a company car for business\n\nYou can claim tax relief on the money you\u2019ve spent on fuel and electricity, for business trips in your company car. Keep records to show the actual cost of the fuel.\n\nIf your employer reimburses some of the money, you can claim relief on the difference.\n\nCheck if you can claim\n\n## Professional fees and subscriptions\n\nYou can claim tax relief on:\n\n- professional membership fees, if you must pay the fees to be able to do your job\n\n- annual subscriptions you pay to approved professional bodies or learned societies if being a member of that body or society is relevant to your job\n\nYou cannot claim tax relief on life membership subscriptions, or for professional membership fees or annual subscriptions you:\n\n- have not paid yourself (for example if your employer has paid for them)\n\n- have paid to professional organisations that are not approved by HMRC\n\nYour organisation can tell you how much tax you\u2019re allowed to claim back.\n\nCheck if you can claim\n\n## Travel and overnight expenses\n\nIf you have to travel for your work you may be able to claim tax relief on the cost or money you\u2019ve spent on food or overnight expenses.\n\nYou cannot claim for travelling to and from work, unless you\u2019re travelling to a temporary place of work.\n\nYou can claim tax relief for money you\u2019ve spent on things like:\n\n- public transport costs\n\n- hotel accommodation if you have to stay overnight\n\n- food and drink\n\n- congestion charges and tolls\n\n- parking fees\n\n- business phone calls and printing costs\n\nYou may also be able to claim tax relief on business mileage.\n\nCheck if you can claim\n\n## Buying other equipment\n\nIn most cases you can claim tax relief on the full cost of substantial equipment, for example a computer, you have to buy to do your work. This is because it qualifies for a type of capital allowance called annual investment allowance.\n\nYou cannot claim capital allowances for cars, motorcycles or bicycles you use for work, but you may be able to claim for business mileage and fuel costs.\n\nYou claim in a different way for small items that\u2019ll last less than 2 years, such as uniforms and tools.\n\nYou can only claim tax relief for equipment expenses if:\n\n- you need it to do your job\n\n- you use the equipment for work and there\u2019s no significant private use - this includes using the equipment according to your organisation\u2019s policy\n\n## If your employer gives you money for the item\n\nReduce the amount you claim tax relief on by the amount of money your employer gives you.\n\nCheck if you can claim", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-relief-for-employees", + "answerable": true, + "scenario": "I am a marketing manager in my company. I travel with my car and stay overnights in hotels as I meet more and more business clients. I spent personal money on covering accommodation fees, food and drink. I am in the process of compiling all the expenses to claim tax relief", + "original_question": "I've told I can't include parking fees. Is this correct?" + }, + { + "id": "train-1018", + "question": "Scenario: I am an employee and have completed self assessment tax returns for several years. I recently moved house to a larger property.\n\nQuestion: Do I need to tell HMRC that I have moved?\n\nDocument - Tell HMRC about a change to your personal details:\n## Change of name or address\n\nHow you contact HM Revenue and Customs (HMRC) to update your name or address depends on your situation.\n\nYou\u2019ll also need to change your business records if you run a business.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou need to wait until you\u2019ve moved or changed your name before telling HMRC.\n\n## If you\u2019ve changed your address\n\nTell HMRC you\u2019ve changed your address. If you submit a Self Assessment tax return as well your details will be updated for both.\n\nThere are different ways to tell HMRC if you:\n\n- only pay tax through Self Assessment\n\n- are a tax agent, for example an accountant\n\n## If you\u2019ve changed your name\n\nTell HMRC your name has changed. If you submit a Self Assessment tax return as well your details will be updated for both.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID you can create one when you update your name.\n\nThere are different ways to tell HMRC if you:\n\n- only pay tax through Self Assessment\n\n- are a tax agent, for example an accountant\n\nYour name will be updated automatically if you change gender.\n\n## What happens next\n\nHMRC will update your personal records for:\n\n- Income Tax and National Insurance\n\n- tax credits and benefits, including Child Benefit\n\n- services, including the Pension Service\n\nYou\u2019ll get an email to either:\n\n- confirm your change of details\n\n- ask for more information, for example legal documents for your name change\n\n## Income changes\n\nYou must tell HM Revenue and Customs (HMRC) about changes to your taxable income.\n\nTo do this you can either:\n\n- check your Income Tax and go to \u2018Tell us about a change\u2019\n\n- call HMRC\n\nIf you do not, you could pay too much tax or get a tax bill at the end of the year.\n\n## What you must tell HMRC\n\nYour employer or pension provider tells HMRC when:\n\n- you start or finish your job\n\n- there\u2019s a change in the money you earn from your job or get from your pension\n\nBut you must tell HMRC about any other changes, for example when you start or stop getting:\n\n- income from a new source, such as money from self-employment or rent from property\n\n- taxable benefits, such as State Pension, Jobseeker\u2019s Allowance and Carer\u2019s Allowance\n\n- benefits from your job, such as a company car\n\n- income above your Personal Allowance\n\n- money over \u00a385,000 from self-employment (you must register for VAT over this amount)\n\n- lump sums from selling things you pay Capital Gains Tax on, such as shares or property that\u2019s not your main home\n\n- income from property, money or shares you inherit, such as dividends from shares or rent from property\n\n## If you get tax credits\n\nTell HMRC separately about changes that affect your tax credits.\n\n## If your spouse or civil partner dies\n\nTell HMRC about changes to your income after the death of your husband, wife or civil partner.\n\n## If you make Self Assessment \u2018payments on account\u2019\n\nTell HMRC if you expect a big decrease in income and you pay your Self Assessment tax bill in advance (\u2018payments on account\u2019). HMRC may decide to reduce your payments.\n\n## After you tell HMRC\n\nHMRC may:\n\n- change your tax code and send you a PAYE Coding notice\n\n- tell you to send a Self Assessment tax return so they can bill you for tax you owe\n\n- send you a refund if you paid too much tax\n\n## Relationship or family changes\n\nTell HM Revenue and Customs (HMRC) if:\n\n- you get married or form a civil partnership\n\n- you divorce, separate or stop living with your husband, wife or partner\n\nYou can tell HMRC online if you\u2019re paid a salary or pension through PAYE. If you submit a Self Assessment tax return as well, your details will be updated for both.\n\nYou\u2019ll need:\n\n- a Government Gateway user ID and password - if you do not have a Government Gateway user ID, you can create one when you tell HMRC online\n\n- a National Insurance number (a temporary reference number will not work).\n\nTell HMRC straight away \u2013 if you do not, you could pay too much tax, or get a tax bill at the end of the year.\n\n## If you get tax credits or Child Benefit\n\nTell HMRC separately about changes to your relationship or family if you get:\n\n- tax credits\n\n- Child Benefit\n\n## If your spouse or civil partner dies\n\nContact HMRC to report:\n\n- the death of your husband, wife or civil partner\n\n- changes to your income after their death\n\n## Gender change\n\nHM Revenue and Customs (HMRC) is usually told automatically when you change gender legally by applying for a Gender Recognition Certificate.\n\nTell your employer at the same time - they must update your payroll records and National Insurance contributions.\n\nHMRC will:\n\n- update its records with your gender and any name change\n\n- tell the Department for Work and Pensions (DWP)\n\n- restrict your records so only specialist staff at HMRC and DWP can access them\n\n- hand your tax affairs to HMRC\u2019s Public Department 1\n\nOnce you get a letter confirming your records have moved, you can contact Public Department 1 with questions about your tax or National Insurance.\n\n## Tell HMRC yourself\n\nYou can write to Special Section D to tell HMRC:\n\n- about your legal gender change\n\n- about your name change only if you did not change gender legally\n\n- if you do not want them to restrict your records\n\nInclude your National Insurance number, and your original Gender Recognition Certificate if you\u2019ve changed gender legally.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tell-hmrc-change-of-details", + "answerable": true, + "scenario": "I am an employee and have completed self assessment tax returns for several years. I recently moved house to a larger property.", + "original_question": "Do I need to tell HMRC that I have moved?" + }, + { + "id": "train-1021", + "question": "Scenario: I own a watch that is worth \u00a360,000. The watch will only have 30 years of life left. I am looking to sell the watch.\n\nQuestion: Will I need to pay capital gains tax on this item?\n\nDocument - Capital Gains Tax on personal possessions:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.\n\nPossessions you may need to pay tax on include:\n\n- jewellery\n\n- paintings\n\n- antiques\n\n- coins and stamps\n\n- sets of things, eg matching vases or chessmen\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\n## When you don\u2019t pay it\n\nYou don\u2019t usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou don\u2019t pay Capital Gains Tax on:\n\n- your car - unless you\u2019ve used it for business\n\n- anything with a limited lifespan, eg clocks - unless used for business\n\n## Jointly owned possessions\n\nYou\u2019re exempt from paying tax on the first \u00a36,000 of your share if you own a possession with other people.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your personal possession and what you sold it for.\n\nUse the market value instead if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and don\u2019t know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Deduct costs\n\nYou can deduct certain costs of buying, selling or improving your personal possession from your gain.\n\nCosts you can deduct include:\n\n- fees, eg for valuing or advertising\n\n- costs to improve your possession (but not repairs)\n\n- VAT (unless you can reclaim it)\n\nYou can\u2019t deduct certain costs, including:\n\n- interest on a loan to buy your possession\n\n- costs you can claim as expenses, if you\u2019ve used your possession for business\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## If you sold it for between \u00a36,000 and \u00a315,000\n\nYou may be able to reduce your gain if you got between \u00a36,000 and \u00a315,000 for your possession when you sold or disposed of it.\n\n- Subtract \u00a36,000 from the amount you\u2019ve received.\n\n- Multiply this by 1.667.\n\n- Compare this with the actual gain - use the lower amount as your capital gain.\n\n## Work out if you need to pay\n\nWhen you know your gain, you can work out if you need to report and pay Capital Gains Tax.\n\nIf you\u2019ve used your possession for business, you can reduce or delay the tax you pay if you\u2019re eligible for tax relief.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\nYou can claim losses for possessions sold for less than \u00a36,000. Work out your loss by using \u00a36,000 as the amount you sold your possession for, and report it in your tax return.\n\n## Possessions with a limited lifespan\n\nYou don\u2019t have to pay Capital Gains Tax on personal possessions with a lifespan of less than 50 years. This covers all machinery, and includes things like antique clocks or watches.\n\nDifferent rules apply if you\u2019ve used the possession for business. You don\u2019t have to pay Capital Gains Tax if it doesn\u2019t qualify for capital allowances. If it qualifies, you may need to pay Capital Gains Tax, but you can\u2019t claim losses.\n\n## Possessions that are part of a set\n\nIf you sell all or part of a set to the same person for less than \u00a36,000, you won\u2019t pay tax.\n\nIf you sell parts of a set to different people, you won\u2019t pay tax on each part sold for less than \u00a36,000.\n\nSets include things like chessmen, books by the same author, matching vases and sets of china.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "answerable": true, + "scenario": "I own a watch that is worth \u00a360,000. The watch will only have 30 years of life left. I am looking to sell the watch.", + "original_question": "Will I need to pay capital gains tax on this item?" + }, + { + "id": "train-1022", + "question": "Scenario: I want to sell an antique vase for \u00a3150,000. I bought the vase for \u00a320,000, and spent \u00a360,000 on repairs to the vase.\n\nQuestion: Do I pay tax on the repair expenses?\n\nDocument - Capital Gains Tax on personal possessions:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.\n\nPossessions you may need to pay tax on include:\n\n- jewellery\n\n- paintings\n\n- antiques\n\n- coins and stamps\n\n- sets of things, eg matching vases or chessmen\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\n## When you don\u2019t pay it\n\nYou don\u2019t usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou don\u2019t pay Capital Gains Tax on:\n\n- your car - unless you\u2019ve used it for business\n\n- anything with a limited lifespan, eg clocks - unless used for business\n\n## Jointly owned possessions\n\nYou\u2019re exempt from paying tax on the first \u00a36,000 of your share if you own a possession with other people.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your personal possession and what you sold it for.\n\nUse the market value instead if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and don\u2019t know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Deduct costs\n\nYou can deduct certain costs of buying, selling or improving your personal possession from your gain.\n\nCosts you can deduct include:\n\n- fees, eg for valuing or advertising\n\n- costs to improve your possession (but not repairs)\n\n- VAT (unless you can reclaim it)\n\nYou can\u2019t deduct certain costs, including:\n\n- interest on a loan to buy your possession\n\n- costs you can claim as expenses, if you\u2019ve used your possession for business\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## If you sold it for between \u00a36,000 and \u00a315,000\n\nYou may be able to reduce your gain if you got between \u00a36,000 and \u00a315,000 for your possession when you sold or disposed of it.\n\n- Subtract \u00a36,000 from the amount you\u2019ve received.\n\n- Multiply this by 1.667.\n\n- Compare this with the actual gain - use the lower amount as your capital gain.\n\n## Work out if you need to pay\n\nWhen you know your gain, you can work out if you need to report and pay Capital Gains Tax.\n\nIf you\u2019ve used your possession for business, you can reduce or delay the tax you pay if you\u2019re eligible for tax relief.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\nYou can claim losses for possessions sold for less than \u00a36,000. Work out your loss by using \u00a36,000 as the amount you sold your possession for, and report it in your tax return.\n\n## Possessions with a limited lifespan\n\nYou don\u2019t have to pay Capital Gains Tax on personal possessions with a lifespan of less than 50 years. This covers all machinery, and includes things like antique clocks or watches.\n\nDifferent rules apply if you\u2019ve used the possession for business. You don\u2019t have to pay Capital Gains Tax if it doesn\u2019t qualify for capital allowances. If it qualifies, you may need to pay Capital Gains Tax, but you can\u2019t claim losses.\n\n## Possessions that are part of a set\n\nIf you sell all or part of a set to the same person for less than \u00a36,000, you won\u2019t pay tax.\n\nIf you sell parts of a set to different people, you won\u2019t pay tax on each part sold for less than \u00a36,000.\n\nSets include things like chessmen, books by the same author, matching vases and sets of china.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "answerable": true, + "scenario": "I want to sell an antique vase for \u00a3150,000. I bought the vase for \u00a320,000, and spent \u00a360,000 on repairs to the vase.", + "original_question": "Do I pay tax on the repair expenses?" + }, + { + "id": "train-1023", + "question": "Scenario: I am a sole trader buying and selling catering equipment. I purchased an industrial oven which was damaged when I received it. I disputed the value on invoice sent to me by the seller. I have received a statutory demand from the seller for this invoice.\n\nQuestion: Do I have to pay this invoice within 21 days even though I am in dispute with the seller?\n\nDocument - Make and serve a statutory demand, or challenge one:\n## When you can make a statutory demand\n\nYou can make a statutory demand to ask for payment of a debt from an individual or company.\n\nAnyone who\u2019s owed money (the \u2018creditor\u2019) can make a statutory demand. You do not need a lawyer.\n\nIf the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.\n\nThere may be faster ways of getting smaller debts paid than making a statutory demand.\n\nWhen the individual or company that owes you money (the \u2018debtor\u2019) receives a statutory demand, they have 21 days to either:\n\n- pay the debt\n\n- reach an agreement to pay\n\nYou can apply to bankrupt your debtor or close (\u2018wind up\u2019) their company if they do not respond to the statutory demand within 21 days.\n\n## Statutory demand forms\n\nChoose the form you need, fill it in and deliver (\u2018serve\u2019) it to the individual or company that owes you money.\n\nYou do not need to send a separate letter.\n\n## Serve a demand on an individual (including partners in a partnership)\n\nWhich form you need depends on whether you\u2019re collecting a debt that\u2019s:\n\n- payable now\n\n- payable now following a judgment or court order\n\n- payable in the future, if you think they will not be able to pay the debt when they need to\n\nIf you\u2019re serving a demand on a business partnership, you need to download and fill in a form for each partner.\n\n## Serve a demand on a limited company\n\nUse statutory demand form SD 1.\n\n## If you\u2019re in Scotland\n\nYou must use a different form to make a statutory demand in Scotland.\n\n## How to serve a statutory demand\n\nYou must deliver (\u2018serve\u2019) the statutory demand form by:\n\n- giving it to the individual who owes you money (you should try all their known addresses)\n\n- leaving it at the registered office of the company or partnership that owes money (or the main place of business if they do not have a registered office)\n\n- giving it to the company\u2019s director, company secretary, manager or principal officer\n\n- get a \u2018process server\u2019 to serve it for you (a solicitor can arrange this)\n\nYou can only send it by registered post or put it through a letterbox if it cannot be delivered in person.\n\n## Records you must keep\n\nYou must keep a copy of the statutory demand and anything that confirms:\n\n- the time and date you served the statutory demand, for example a postage receipt or confirmation from your process server\n\n- the debtor has received the statutory demand\n\nYou\u2019ll need this information if your demand is ignored.\n\n## If your demand is ignored\n\nIf your debtor does not pay the debt or agree to your statutory demand within 21 days, you can:\n\n- start bankruptcy proceedings against any individuals who owe you \u00a35,000 or more\n\n- wind up a company that owes you \u00a3750 or more\n\nYou have 4 months to apply to bankrupt or wind up your debtor. If you\u2019re late, explain why to the court named on the statutory demand.\n\n## Serve a statutory demand abroad\n\nGet legal help if you want to serve a statutory demand in another country.\n\nYou need to serve a statutory demand according to local laws but also according to the UK rules.\n\n## Challenge a statutory demand\n\nIf you do not agree with a statutory demand you\u2019ve been given, you can apply to challenge it and get it \u2018set aside\u2019.\n\nYou can be made bankrupt or your company wound up if you ignore a statutory demand.\n\nYou must apply to the court named on your statutory demand. Contact a solicitor or your nearest county court if you\u2019re not sure where to send your application.\n\nYou cannot challenge a statutory demand if it was served on a company. You can apply to stop your creditors from winding up your company instead.\n\nAny bankruptcy petitions the creditor has already filed against you will usually be suspended until the court reaches a decision.\n\nThe court will not usually set aside a statutory demand if it was served on you following the judgment of another court unless, for example:\n\n- you think the creditor owes you the same amount as your debt, or more\n\n- the amount on the statutory demand is secured\n\n## Deadlines\n\nYou must apply to challenge the statutory demand within either:\n\n- 18 days if you were in the UK when you got the statutory demand\n\n- 21 to 34 days if you were in another country when you got the statutory demand - check the table of countries for specific deadlines\n\nIf the deadline is during a weekend or on a bank holiday, you have until the next day the court is open to apply.\n\nYou might be able to get an extension in some circumstances - contact the court to find out what these are.\n\n## How to apply\n\nDownload and fill in form IAA.\n\nMake 3 copies of the completed form and either post them to the court named on your statutory demand or give them to the court in person.\n\n## What happens next\n\nYou\u2019ll usually hear back from the court within 10 working days of applying.\n\nIf the court does not agree with your application, it can give the creditor permission to issue a bankruptcy petition against you.\n\nIf the court agrees with your application, your case will be passed on to a bankruptcy registrar. They\u2019ll look at your case and arrange a hearing.\n\n## What happens at the hearing\n\nBoth sides will present their case to a registrar or judge. They\u2019ll either make a decision then, or ask you and the other party to give more evidence at another hearing.\n\nYou\u2019ll usually get a decision at the end of the final hearing.\n\nIf you win your case, you\u2019ll get an order from the court setting aside the statutory demand. The deadline for paying the debt will be suspended.\n\nIf you lose, you\u2019ll have to pay back your debt within the 21 day time limit. The creditor can apply to bankrupt you if you do not pay in time and your debt is \u00a35,000 or more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## Contact the Insolvency Service\n\nUse the contact form to contact the Insolvency Service about delivering and challenging a statutory demand.\n\nYou cannot currently contact the Insolvency Service by telephone because of coronavirus (COVID-19).", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/statutory-demands", + "answerable": true, + "scenario": "I am a sole trader buying and selling catering equipment. I purchased an industrial oven which was damaged when I received it. I disputed the value on invoice sent to me by the seller. I have received a statutory demand from the seller for this invoice.", + "original_question": "Do I have to pay this invoice within 21 days even though I am in dispute with the seller?" + }, + { + "id": "train-1024", + "question": "Scenario: I have a business, and am owed \u00a317,000 by a limited company in the UK for a machine I supplied to them. They have recently gone into administration due to lack of funds and state they will not be paying me.\n\nQuestion: If I issue a statutory demand for payment will it assist my case in receiving some of the money owed to me?\n\nDocument - Make and serve a statutory demand, or challenge one:\n## When you can make a statutory demand\n\nYou can make a statutory demand to ask for payment of a debt from an individual or company.\n\nAnyone who\u2019s owed money (the \u2018creditor\u2019) can make a statutory demand. You do not need a lawyer.\n\nIf the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.\n\nThere may be faster ways of getting smaller debts paid than making a statutory demand.\n\nWhen the individual or company that owes you money (the \u2018debtor\u2019) receives a statutory demand, they have 21 days to either:\n\n- pay the debt\n\n- reach an agreement to pay\n\nYou can apply to bankrupt your debtor or close (\u2018wind up\u2019) their company if they do not respond to the statutory demand within 21 days.\n\n## Statutory demand forms\n\nChoose the form you need, fill it in and deliver (\u2018serve\u2019) it to the individual or company that owes you money.\n\nYou do not need to send a separate letter.\n\n## Serve a demand on an individual (including partners in a partnership)\n\nWhich form you need depends on whether you\u2019re collecting a debt that\u2019s:\n\n- payable now\n\n- payable now following a judgment or court order\n\n- payable in the future, if you think they will not be able to pay the debt when they need to\n\nIf you\u2019re serving a demand on a business partnership, you need to download and fill in a form for each partner.\n\n## Serve a demand on a limited company\n\nUse statutory demand form SD 1.\n\n## If you\u2019re in Scotland\n\nYou must use a different form to make a statutory demand in Scotland.\n\n## How to serve a statutory demand\n\nYou must deliver (\u2018serve\u2019) the statutory demand form by:\n\n- giving it to the individual who owes you money (you should try all their known addresses)\n\n- leaving it at the registered office of the company or partnership that owes money (or the main place of business if they do not have a registered office)\n\n- giving it to the company\u2019s director, company secretary, manager or principal officer\n\n- get a \u2018process server\u2019 to serve it for you (a solicitor can arrange this)\n\nYou can only send it by registered post or put it through a letterbox if it cannot be delivered in person.\n\n## Records you must keep\n\nYou must keep a copy of the statutory demand and anything that confirms:\n\n- the time and date you served the statutory demand, for example a postage receipt or confirmation from your process server\n\n- the debtor has received the statutory demand\n\nYou\u2019ll need this information if your demand is ignored.\n\n## If your demand is ignored\n\nIf your debtor does not pay the debt or agree to your statutory demand within 21 days, you can:\n\n- start bankruptcy proceedings against any individuals who owe you \u00a35,000 or more\n\n- wind up a company that owes you \u00a3750 or more\n\nYou have 4 months to apply to bankrupt or wind up your debtor. If you\u2019re late, explain why to the court named on the statutory demand.\n\n## Serve a statutory demand abroad\n\nGet legal help if you want to serve a statutory demand in another country.\n\nYou need to serve a statutory demand according to local laws but also according to the UK rules.\n\n## Challenge a statutory demand\n\nIf you do not agree with a statutory demand you\u2019ve been given, you can apply to challenge it and get it \u2018set aside\u2019.\n\nYou can be made bankrupt or your company wound up if you ignore a statutory demand.\n\nYou must apply to the court named on your statutory demand. Contact a solicitor or your nearest county court if you\u2019re not sure where to send your application.\n\nYou cannot challenge a statutory demand if it was served on a company. You can apply to stop your creditors from winding up your company instead.\n\nAny bankruptcy petitions the creditor has already filed against you will usually be suspended until the court reaches a decision.\n\nThe court will not usually set aside a statutory demand if it was served on you following the judgment of another court unless, for example:\n\n- you think the creditor owes you the same amount as your debt, or more\n\n- the amount on the statutory demand is secured\n\n## Deadlines\n\nYou must apply to challenge the statutory demand within either:\n\n- 18 days if you were in the UK when you got the statutory demand\n\n- 21 to 34 days if you were in another country when you got the statutory demand - check the table of countries for specific deadlines\n\nIf the deadline is during a weekend or on a bank holiday, you have until the next day the court is open to apply.\n\nYou might be able to get an extension in some circumstances - contact the court to find out what these are.\n\n## How to apply\n\nDownload and fill in form IAA.\n\nMake 3 copies of the completed form and either post them to the court named on your statutory demand or give them to the court in person.\n\n## What happens next\n\nYou\u2019ll usually hear back from the court within 10 working days of applying.\n\nIf the court does not agree with your application, it can give the creditor permission to issue a bankruptcy petition against you.\n\nIf the court agrees with your application, your case will be passed on to a bankruptcy registrar. They\u2019ll look at your case and arrange a hearing.\n\n## What happens at the hearing\n\nBoth sides will present their case to a registrar or judge. They\u2019ll either make a decision then, or ask you and the other party to give more evidence at another hearing.\n\nYou\u2019ll usually get a decision at the end of the final hearing.\n\nIf you win your case, you\u2019ll get an order from the court setting aside the statutory demand. The deadline for paying the debt will be suspended.\n\nIf you lose, you\u2019ll have to pay back your debt within the 21 day time limit. The creditor can apply to bankrupt you if you do not pay in time and your debt is \u00a35,000 or more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## Contact the Insolvency Service\n\nUse the contact form to contact the Insolvency Service about delivering and challenging a statutory demand.\n\nYou cannot currently contact the Insolvency Service by telephone because of coronavirus (COVID-19).", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/statutory-demands", + "answerable": true, + "scenario": "I have a business, and am owed \u00a317,000 by a limited company in the UK for a machine I supplied to them. They have recently gone into administration due to lack of funds and state they will not be paying me.", + "original_question": "If I issue a statutory demand for payment will it assist my case in receiving some of the money owed to me?" + }, + { + "id": "train-1025", + "question": "Scenario: I am married to a woman, who I currently live with. I was born on the 7th March 1934. We have been looking at married couple's allowance.\n\nQuestion: Will we be eligible for married couple's allowance?\n\nDocument - Married Couple's Allowance:\n## Overview\n\nMarried Couple\u2019s Allowance could reduce your tax bill by between \u00a3353 and \u00a3912.50 a year.\n\nYou can claim Married Couple\u2019s Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re living with your spouse or civil partner\n\n- one of you was born before 6 April 1935\n\nFor marriages before 5 December 2005, the husband\u2019s income is used to work out Married Couple\u2019s Allowance. For marriage and civil partnerships after this date, it\u2019s the income of the highest earner.\n\nIf you and your partner were born on or after 6 April 1935, you may be able to claim Marriage Allowance instead.\n\n## What you'll get\n\nMarried Couple\u2019s Allowance could reduce your tax bill each year if you\u2019re married or in a civil partnership.\n\nFor the 2021 to 2022 tax year, it could cut your tax bill by between \u00a3353 and \u00a3912.50 a year.\n\nUse the Married Couple\u2019s Allowance calculator to work out what you could get.\n\nIf you marry or register a civil partnership, you\u2019ll get the allowance on a pro-rata basis for the rest of that tax year.\n\nIf one of you dies or you divorce or separate, the allowance continues until the end of the tax year.\n\nYou can transfer your Married Couple\u2019s Allowance to your spouse or civil partner.\n\nIf you and your spouse or civil partner are separated through circumstance rather than through a decision to formally separate, you can still claim Married Couple\u2019s Allowance.\n\n## Eligibility\n\nYou can claim Married Couple\u2019s Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you\u2019re living with your spouse or civil partner\n\n- one of you was born before 6 April 1935\n\nYou can still claim Married Couple\u2019s Allowance if you\u2019re unable to live with your spouse or civil partner because of:\n\n- illness or old age, for example where your spouse or partner is in residential care\n\n- working away from home\n\n- an armed forces posting\n\n- being in prison\n\n- training or education\n\nUse the Married Couple\u2019s Allowance calculator to work out what you could get.\n\n## How to claim\n\n## If you fill in a Self Assessment tax return each year\n\nClaim by completing the Married Couple\u2019s Allowance section of the tax return.\n\n## If you do not fill in a Self Assessment tax return each year\n\nContact HM Revenue & Customs (HMRC) with details of your:\n\n- marriage or civil partnership ceremony\n\n- spouse or civil partner - including their date of birth\n\n## Further information\n\n## Transfer unused Married Couple\u2019s Allowance after the tax year ends\n\nIf your spouse or civil partner pays tax, you can transfer any Married Couple\u2019s Allowance that you have not used because:\n\n- you do not pay tax\n\n- your tax bill is not high enough\n\nFill in form 575 or ask HM Revenue and Customs (HMRC) to post you a copy.\n\n## Share or transfer your Married Couple\u2019s Allowance before the tax year starts\n\nYou and your spouse (or civil partner) can:\n\n- share the minimum Married Couple\u2019s Allowance\n\n- transfer the whole of the minimum Married Couple\u2019s Allowance from one to the other\n\nFill in form 18 before the start of the tax year. You can also contact HMRC to get a copy in the post.\n\n## Tax allowances and giving to charity\n\nIf you pay tax and give money to a UK charity using Gift Aid, contact HMRC. It can increase the tax allowances if you were born before 6 April 1938.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/married-couples-allowance", + "answerable": true, + "scenario": "I am married to a woman, who I currently live with. I was born on the 7th March 1934. We have been looking at married couple's allowance.", + "original_question": "Will we be eligible for married couple's allowance?" + }, + { + "id": "train-1027", + "question": "Scenario: Me and my neighbour share a party wall that is crumbling. I want to replace this wall with a new one.\n\nQuestion: Do I need to inform my neighbour about carrying this work out?\n\nDocument - Party walls and building work:\n## Overview\n\nYou must tell your neighbours if you want to carry out any building work near or on your shared property boundary, or \u2018party wall\u2019, in England and Wales.\n\nParty walls stand on the land of 2 or more owners and either:\n\n- form part of a building\n\n- don\u2019t form part of a building, such as a garden wall (not wooden fences)\n\nWalls on one owner\u2019s land used by other owners (2 or more) to separate their buildings are also party walls.\n\n## Party structures\n\nYou can also have a \u2018party structure\u2019. This could be a floor or other structure that separates buildings or parts of buildings with different owners, eg flats.\n\nParty wall agreements are different from planning permission or building regulations approval.\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Work you must tell your neighbour about\n\nYou must tell your neighbour if you want to:\n\n- build on or at the boundary of your 2 properties\n\n- work on an existing party wall or party structure\n\n- dig below and near to the foundation level of their property\n\nExamples of this type of work include:\n\n- building a new wall\n\n- cutting into a party wall\n\n- making a party wall taller, shorter or deeper\n\n- removing chimneys from a party wall\n\n- knocking down and rebuilding a party wall\n\nFind more details of work you need to tell your neighbour about in the party wall explanatory booklet.\n\nYour neighbours can\u2019t stop you from making changes to your property that are within the law, but they can affect how and when your works are carried out.\n\n## What you don\u2019t need to tell them about\n\nYou don\u2019t need to tell your neighbour about minor changes, eg plastering, adding or replacing electrical wiring or sockets, or drilling to put up shelves or cabinets.\n\n## When and how to tell them\n\nYou must give notice to your neighbour between 2 months and a year before you plan to start building works. Include what you plan on doing.\n\nYou can speak to your neighbour to explain the work you want to carry out, before giving notice in writing.\n\nFind letter templates and more information on giving notice in the party wall explanatory booklet.\n\nAny agreement you reach should be in writing.\n\n## Reaching an agreement with your neighbours\n\nOnce you\u2019ve given notice your neighbour can:\n\n- give consent in writing\n\n- refuse consent, which will start the dispute resolution process\n\n- serve a counter notice requesting additional works be done at the same time (they\u2019ll have to pay for these if they benefit from the works)\n\nYour neighbour must let you know in writing within 14 days if they consent to your notice, and you must do the same with any counter notice. A counter notice must be served within a month of the first notice.\n\nFind examples of counter notice letters in the party wall booklet.\n\nYour neighbours need to respond to the notice. You can\u2019t assume that no response means they agree to the works.\n\nThe dispute resolution process will also start if they don\u2019t respond to your notice within the given time.\n\n## Who pays for the work\n\nYou need to pay for any building works that you start on a party wall.\n\nYour neighbour may have to meet a share of the cost if the work needs to be done because of defects or lack of repair. They will also need to pay if they ask for additional works to be done that will benefit them.\n\nAn appointed surveyor will set out who pays what if you can\u2019t agree.\n\n## If you can't agree\n\nYou must appoint a surveyor if you and your neighbour can\u2019t agree. You can appoint a surveyor together or each appoint your own. The surveyors will then agree on a \u2018party wall award\u2019.\n\nThis is a legal document which says:\n\n- what work should happen\n\n- how and when it will be carried out\n\n- who will pay for which part and how much will be paid (including surveyor\u2019s fees)\n\nYou can\u2019t act as your own surveyor.\n\n## If your neighbour doesn\u2019t appoint a surveyor\n\nYou can appoint a surveyor on behalf of your neighbour if they refuse or fail to do so themselves.\n\n## If you don\u2019t agree with the award\n\nYou can appeal against an award at a county court within 14 days of receiving it. You need to file an appellant\u2019s notice in a county court, explaining why you\u2019re appealing.\n\n## When works begin\n\nWhen carrying out building works you must:\n\n- avoid causing unnecessary inconvenience\n\n- protect your neighbour\u2019s property from damage caused by the works, and fix or pay for any damage that is caused\n\n## Access to your neighbour\u2019s property\n\nYour neighbour must allow surveyors and workmen access to their property during usual working hours to carry out the building works. They must be given 14 days\u2019 notice except in an emergency.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/party-walls-building-works", + "answerable": true, + "scenario": "Me and my neighbour share a party wall that is crumbling. I want to replace this wall with a new one.", + "original_question": "Do I need to inform my neighbour about carrying this work out?" + }, + { + "id": "train-1031", + "question": "Scenario: Hello. I have just sold two old clocks that belonged to my aunt. They were quite valuable and i made a tidy sum.\n\nQuestion: Is this sale liable for Capital Gains Tax?\n\nDocument - Capital Gains Tax on personal possessions:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.\n\nPossessions you may need to pay tax on include:\n\n- jewellery\n\n- paintings\n\n- antiques\n\n- coins and stamps\n\n- sets of things, eg matching vases or chessmen\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\n## When you don\u2019t pay it\n\nYou don\u2019t usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou don\u2019t pay Capital Gains Tax on:\n\n- your car - unless you\u2019ve used it for business\n\n- anything with a limited lifespan, eg clocks - unless used for business\n\n## Jointly owned possessions\n\nYou\u2019re exempt from paying tax on the first \u00a36,000 of your share if you own a possession with other people.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your personal possession and what you sold it for.\n\nUse the market value instead if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and don\u2019t know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Deduct costs\n\nYou can deduct certain costs of buying, selling or improving your personal possession from your gain.\n\nCosts you can deduct include:\n\n- fees, eg for valuing or advertising\n\n- costs to improve your possession (but not repairs)\n\n- VAT (unless you can reclaim it)\n\nYou can\u2019t deduct certain costs, including:\n\n- interest on a loan to buy your possession\n\n- costs you can claim as expenses, if you\u2019ve used your possession for business\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## If you sold it for between \u00a36,000 and \u00a315,000\n\nYou may be able to reduce your gain if you got between \u00a36,000 and \u00a315,000 for your possession when you sold or disposed of it.\n\n- Subtract \u00a36,000 from the amount you\u2019ve received.\n\n- Multiply this by 1.667.\n\n- Compare this with the actual gain - use the lower amount as your capital gain.\n\n## Work out if you need to pay\n\nWhen you know your gain, you can work out if you need to report and pay Capital Gains Tax.\n\nIf you\u2019ve used your possession for business, you can reduce or delay the tax you pay if you\u2019re eligible for tax relief.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\nYou can claim losses for possessions sold for less than \u00a36,000. Work out your loss by using \u00a36,000 as the amount you sold your possession for, and report it in your tax return.\n\n## Possessions with a limited lifespan\n\nYou don\u2019t have to pay Capital Gains Tax on personal possessions with a lifespan of less than 50 years. This covers all machinery, and includes things like antique clocks or watches.\n\nDifferent rules apply if you\u2019ve used the possession for business. You don\u2019t have to pay Capital Gains Tax if it doesn\u2019t qualify for capital allowances. If it qualifies, you may need to pay Capital Gains Tax, but you can\u2019t claim losses.\n\n## Possessions that are part of a set\n\nIf you sell all or part of a set to the same person for less than \u00a36,000, you won\u2019t pay tax.\n\nIf you sell parts of a set to different people, you won\u2019t pay tax on each part sold for less than \u00a36,000.\n\nSets include things like chessmen, books by the same author, matching vases and sets of china.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "answerable": true, + "scenario": "Hello. I have just sold two old clocks that belonged to my aunt. They were quite valuable and i made a tidy sum.", + "original_question": "Is this sale liable for Capital Gains Tax?" + }, + { + "id": "train-1033", + "question": "Scenario: The day I was supposed to file my returns to HMRC. I got very disturbing news about the passing of my grandfather . I lost focus and was deeply upset. This made me fail to return my tax bill in time.\n\nQuestion: Can this be a reasonable excuse to appeal ?\n\nDocument - Disagree with a tax decision:\n## Overview\n\nYou can contact HM Revenue and Customs (HMRC) if you have a query about a tax decision. If you do not understand the decision you can also get advice from HMRC or professional help.\n\nThis guide is also available in Welsh (Cymraeg).\n\nHMRC will send you a decision letter that will tell you if you can appeal against a tax decision.\n\nYou can appeal against some decisions about:\n\n- your tax bill (for example Self Assessment, Corporation Tax, VAT)\n\n- a claim for tax relief\n\n- a request for information or to check your business records\n\n- a penalty (for example if you paid your tax late or filed your tax return late)\n\nYour appeal can be made by someone who deals with your taxes, for example an accountant.\n\nYou\u2019ll usually have to pay your own costs if you appeal a tax decision. You may be able to delay the payment of a penalty or any tax you owe until your appeal\u2019s been resolved.\n\n## If HMRC did not act on information\n\nYou may be able to ask HMRC to cancel tax you owe if they did not act on information that you, your employer or the Department for Work and Pensions (DWP) gave them.\n\nYou can do this if you owe:\n\n- Income Tax, for example because you were on the wrong tax code\n\n- Capital Gains Tax\n\n- Class 4 National Insurance contributions\n\n## Appeal against a tax decision\n\nHM Revenue and Customs (HMRC) will write to tell you if you can appeal. You can use the appeal form you got with your decision letter, or write to HMRC at the address on the letter. You usually have 30 days to appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any decision dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\nYou must include:\n\n- your name or business name\n\n- your tax reference number (this will be on the decision letter)\n\n- what you disagree with and why\n\n- what you think the correct figures are and how you\u2019ve calculated them\n\n- your signature\n\nYou should also tell HMRC if you have any extra information or if you think they\u2019ve missed something.\n\nIf you do not have a letter you can write to the HMRC office related to your return.\n\nIf you want to appeal a decision about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can request a review by HMRC or appeal straight to the tax tribunal.\n\nIf customs has seized your things because you have not paid duty or VAT, you can ask for your things back.\n\n## What happens next\n\nWhen you appeal you can accept HMRC\u2019s offer of a review, or request one (if it\u2019s for direct tax). HMRC will tell you what to do next.\n\nA review will be carried out by someone who was not involved in the original decision. This usually takes 45 days, but HMRC will contact you if it will take longer.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Appeal against a penalty\n\nYou can appeal to HM Revenue and Customs (HMRC) against a penalty, for example for:\n\n- an inaccurate return\n\n- sending in your tax return late\n\n- paying tax late\n\n- failing to keep adequate records\n\nA HMRC officer who was not previously involved with your penalty decision will carry out a review if you appeal.\n\nIf you want to appeal a penalty about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can either:\n\n- request a review from HMRC\n\n- appeal straight to the tax tribunal\n\nYour penalty may be cancelled or amended if you have a reasonable excuse.\n\n## How to appeal\n\nIf HMRC sends you a penalty letter by post, use the appeal form that comes with it or follow the instructions on the letter.\n\nFor Self Assessment, PAYE, VAT and Corporation Tax, there are extra documents you can use or alternative ways to appeal.\n\n## If you\u2019re appealing a Self Assessment penalty\n\nYou can get your penalty cancelled if you did not send a tax return because you no longer needed to. Tell HMRC online you do not need to be self assessed or call the helpline.\n\nOtherwise, to appeal you\u2019ll need:\n\n- the date the penalty was issued\n\n- the date you filed your Self Assessment tax return\n\n- details of your reasonable excuse for late filing\n\nIf you\u2019re appealing a \u00a3100 late filing penalty from tax year 2015 to 2016 onwards, you can appeal online or by post. You\u2019ll need to set up a Government Gateway account if you do not have one to appeal online.\n\nFor other penalties, you need to appeal by post. Send a completed form SA370 or a letter explaining your appeal to HMRC Self Assessment.\n\nIf you\u2019re appealing a penalty to a partnership for a late tax return, appeal by post using form SA371. Only the nominated partner can appeal.\n\n## If you\u2019re an employer appealing a PAYE penalty\n\nYou can appeal online if you\u2019re registered for HMRC\u2019s PAYE for employers service. Once you\u2019ve logged in, select \u2018Appeal a penalty\u2019. You\u2019ll get an immediate acknowledgment when you submit your appeal.\n\n## If you filed a late VAT or Corporation Tax return\n\nYou can also use these specific forms for:\n\n- VAT if you had a reasonable excuse for filing late\n\n- Corporation Tax if you filed late because of computer problems\n\n## If you do not have an appeal form\n\nYou can send a signed letter to HMRC instead. Your letter must include:\n\n- your name\n\n- your reference number, for example your Self Assessment Unique Taxpayer Reference (UTR) or VAT registration number\n\n- a full explanation of why your return or payment was late, including dates\n\nIf you could not file or pay because of computer problems, you should include the date you tried to file or pay online with details of any system error message.\n\nSend your claim to the HMRC office related to your return.\n\n## Deadlines\n\nYou must usually appeal within 30 days of the date of the penalty notice.\n\nIf you miss this deadline you must explain the reason for the delay so that HMRC can decide if they\u2019ll consider your appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any penalty dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Delay payment while appealing\n\nYou may be able to delay paying a tax bill or penalty if you disagree with the amount.\n\n## Direct tax\n\nIf you\u2019ve appealed to HM Revenue and Customs (HMRC) against a direct tax decision (such as Income Tax, Corporation Tax or Capital Gains Tax) write to the HMRC office that sent you the decision, telling them:\n\n- why you think the amount you\u2019ve been asked to pay is too much\n\n- what you think the correct amount is and when you\u2019ll pay it\n\nHMRC will tell you in writing if they agree.\n\n## Penalty\n\nIf you\u2019ve appealed against a penalty you will not have to pay until your appeal has been settled.\n\n## Indirect tax\n\nIf you\u2019ve asked HMRC to review an indirect tax decision, for example VAT or Insurance Premium Tax, you will not need to pay until the review has finished.\n\nIf you appeal to the tax tribunal you\u2019ll usually have to pay the tax before they will hear your appeal. You can ask to delay paying the tax if it would cause you extreme financial difficulty (for example, bankruptcy or liquidation).\n\nOnce a final decision has been reached, you must pay any money that you owe in full including interest.\n\n## Penalty\n\nIf you\u2019ve asked for a review, or appealed to the tribunal about a penalty, HMRC will not ask you to pay it until your appeal has been settled.\n\n## If you disagree with HMRC\u2019s decision\n\nYou can ask for the decision to be reviewed if you do not agree with the outcome.\n\n## Reasonable excuses\n\nYou can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.\n\n## What may count as a reasonable excuse\n\nA reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:\n\n- your partner or another close relative died shortly before the tax return or payment deadline\n\n- you had an unexpected stay in hospital that prevented you from dealing with your tax affairs\n\n- you had a serious or life-threatening illness\n\n- your computer or software failed just before or while you were preparing your online return\n\n- service issues with HM Revenue and Customs (HMRC) online services\n\n- a fire, flood or theft prevented you from completing your tax return\n\n- postal delays that you could not have predicted\n\n- delays related to a disability you have\n\nYou must send your return or payment as soon as possible after your reasonable excuse is resolved.\n\n## If you\u2019re affected by coronavirus (COVID-19)\n\nHMRC will consider coronavirus as a reasonable excuse for missing some tax obligations (such as payments or filing dates).\n\nExplain how you were affected by coronavirus in your appeal. You must still make the return or payment as soon as you can.\n\n## What will not count as a reasonable excuse\n\nThe following will not be accepted as a reasonable excuse:\n\n- you relied on someone else to send your return and they did not\n\n- your cheque bounced or payment failed because you did not have enough money\n\n- you found the HMRC online system too difficult to use\n\n- you did not get a reminder from HMRC\n\n- you made a mistake on your tax return", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-appeals", + "answerable": true, + "scenario": "The day I was supposed to file my returns to HMRC. I got very disturbing news about the passing of my grandfather . I lost focus and was deeply upset. This made me fail to return my tax bill in time.", + "original_question": "Can this be a reasonable excuse to appeal ?" + }, + { + "id": "train-1034", + "question": "Scenario: I am a good rated tax payer . I was diagnosed with neuropathy due to an advanced case of diabetes. I was hospitalized for a long time. I have no accountant in place to make my timely tax returns in my absence. I got penalized by the HMRC.\n\nQuestion: Are these reasonable grounds for appeal?\n\nDocument - Disagree with a tax decision:\n## Overview\n\nYou can contact HM Revenue and Customs (HMRC) if you have a query about a tax decision. If you do not understand the decision you can also get advice from HMRC or professional help.\n\nThis guide is also available in Welsh (Cymraeg).\n\nHMRC will send you a decision letter that will tell you if you can appeal against a tax decision.\n\nYou can appeal against some decisions about:\n\n- your tax bill (for example Self Assessment, Corporation Tax, VAT)\n\n- a claim for tax relief\n\n- a request for information or to check your business records\n\n- a penalty (for example if you paid your tax late or filed your tax return late)\n\nYour appeal can be made by someone who deals with your taxes, for example an accountant.\n\nYou\u2019ll usually have to pay your own costs if you appeal a tax decision. You may be able to delay the payment of a penalty or any tax you owe until your appeal\u2019s been resolved.\n\n## If HMRC did not act on information\n\nYou may be able to ask HMRC to cancel tax you owe if they did not act on information that you, your employer or the Department for Work and Pensions (DWP) gave them.\n\nYou can do this if you owe:\n\n- Income Tax, for example because you were on the wrong tax code\n\n- Capital Gains Tax\n\n- Class 4 National Insurance contributions\n\n## Appeal against a tax decision\n\nHM Revenue and Customs (HMRC) will write to tell you if you can appeal. You can use the appeal form you got with your decision letter, or write to HMRC at the address on the letter. You usually have 30 days to appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any decision dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\nYou must include:\n\n- your name or business name\n\n- your tax reference number (this will be on the decision letter)\n\n- what you disagree with and why\n\n- what you think the correct figures are and how you\u2019ve calculated them\n\n- your signature\n\nYou should also tell HMRC if you have any extra information or if you think they\u2019ve missed something.\n\nIf you do not have a letter you can write to the HMRC office related to your return.\n\nIf you want to appeal a decision about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can request a review by HMRC or appeal straight to the tax tribunal.\n\nIf customs has seized your things because you have not paid duty or VAT, you can ask for your things back.\n\n## What happens next\n\nWhen you appeal you can accept HMRC\u2019s offer of a review, or request one (if it\u2019s for direct tax). HMRC will tell you what to do next.\n\nA review will be carried out by someone who was not involved in the original decision. This usually takes 45 days, but HMRC will contact you if it will take longer.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Appeal against a penalty\n\nYou can appeal to HM Revenue and Customs (HMRC) against a penalty, for example for:\n\n- an inaccurate return\n\n- sending in your tax return late\n\n- paying tax late\n\n- failing to keep adequate records\n\nA HMRC officer who was not previously involved with your penalty decision will carry out a review if you appeal.\n\nIf you want to appeal a penalty about \u2018indirect tax\u2019 (for example VAT, excise duty, customs duty) you can either:\n\n- request a review from HMRC\n\n- appeal straight to the tax tribunal\n\nYour penalty may be cancelled or amended if you have a reasonable excuse.\n\n## How to appeal\n\nIf HMRC sends you a penalty letter by post, use the appeal form that comes with it or follow the instructions on the letter.\n\nFor Self Assessment, PAYE, VAT and Corporation Tax, there are extra documents you can use or alternative ways to appeal.\n\n## If you\u2019re appealing a Self Assessment penalty\n\nYou can get your penalty cancelled if you did not send a tax return because you no longer needed to. Tell HMRC online you do not need to be self assessed or call the helpline.\n\nOtherwise, to appeal you\u2019ll need:\n\n- the date the penalty was issued\n\n- the date you filed your Self Assessment tax return\n\n- details of your reasonable excuse for late filing\n\nIf you\u2019re appealing a \u00a3100 late filing penalty from tax year 2015 to 2016 onwards, you can appeal online or by post. You\u2019ll need to set up a Government Gateway account if you do not have one to appeal online.\n\nFor other penalties, you need to appeal by post. Send a completed form SA370 or a letter explaining your appeal to HMRC Self Assessment.\n\nIf you\u2019re appealing a penalty to a partnership for a late tax return, appeal by post using form SA371. Only the nominated partner can appeal.\n\n## If you\u2019re an employer appealing a PAYE penalty\n\nYou can appeal online if you\u2019re registered for HMRC\u2019s PAYE for employers service. Once you\u2019ve logged in, select \u2018Appeal a penalty\u2019. You\u2019ll get an immediate acknowledgment when you submit your appeal.\n\n## If you filed a late VAT or Corporation Tax return\n\nYou can also use these specific forms for:\n\n- VAT if you had a reasonable excuse for filing late\n\n- Corporation Tax if you filed late because of computer problems\n\n## If you do not have an appeal form\n\nYou can send a signed letter to HMRC instead. Your letter must include:\n\n- your name\n\n- your reference number, for example your Self Assessment Unique Taxpayer Reference (UTR) or VAT registration number\n\n- a full explanation of why your return or payment was late, including dates\n\nIf you could not file or pay because of computer problems, you should include the date you tried to file or pay online with details of any system error message.\n\nSend your claim to the HMRC office related to your return.\n\n## Deadlines\n\nYou must usually appeal within 30 days of the date of the penalty notice.\n\nIf you miss this deadline you must explain the reason for the delay so that HMRC can decide if they\u2019ll consider your appeal.\n\nIf you or your business have been affected by coronavirus (COVID-19), HMRC will give you an extra 3 months to appeal any penalty dated February 2020 or later. Send your appeal as soon as you can, and explain the delay is because of coronavirus.\n\n## If you disagree with HMRC\u2019s review\n\nYou can:\n\n- ask the tax tribunal to hear your appeal - you must usually do this within 30 days of the review decision\n\n- consider alternative dispute resolution (ADR)\n\nBecause of coronavirus, HMRC will not object if you ask the tribunal to hear your appeal after 30 days, if both:\n\n- your review decision is dated February 2020 or later\n\n- you ask within 3 months of the normal deadline\n\n## Delay payment while appealing\n\nYou may be able to delay paying a tax bill or penalty if you disagree with the amount.\n\n## Direct tax\n\nIf you\u2019ve appealed to HM Revenue and Customs (HMRC) against a direct tax decision (such as Income Tax, Corporation Tax or Capital Gains Tax) write to the HMRC office that sent you the decision, telling them:\n\n- why you think the amount you\u2019ve been asked to pay is too much\n\n- what you think the correct amount is and when you\u2019ll pay it\n\nHMRC will tell you in writing if they agree.\n\n## Penalty\n\nIf you\u2019ve appealed against a penalty you will not have to pay until your appeal has been settled.\n\n## Indirect tax\n\nIf you\u2019ve asked HMRC to review an indirect tax decision, for example VAT or Insurance Premium Tax, you will not need to pay until the review has finished.\n\nIf you appeal to the tax tribunal you\u2019ll usually have to pay the tax before they will hear your appeal. You can ask to delay paying the tax if it would cause you extreme financial difficulty (for example, bankruptcy or liquidation).\n\nOnce a final decision has been reached, you must pay any money that you owe in full including interest.\n\n## Penalty\n\nIf you\u2019ve asked for a review, or appealed to the tribunal about a penalty, HMRC will not ask you to pay it until your appeal has been settled.\n\n## If you disagree with HMRC\u2019s decision\n\nYou can ask for the decision to be reviewed if you do not agree with the outcome.\n\n## Reasonable excuses\n\nYou can appeal against some penalties if you have a reasonable excuse, for example for your return or payment being late.\n\n## What may count as a reasonable excuse\n\nA reasonable excuse is something that stopped you meeting a tax obligation that you took reasonable care to meet, for example:\n\n- your partner or another close relative died shortly before the tax return or payment deadline\n\n- you had an unexpected stay in hospital that prevented you from dealing with your tax affairs\n\n- you had a serious or life-threatening illness\n\n- your computer or software failed just before or while you were preparing your online return\n\n- service issues with HM Revenue and Customs (HMRC) online services\n\n- a fire, flood or theft prevented you from completing your tax return\n\n- postal delays that you could not have predicted\n\n- delays related to a disability you have\n\nYou must send your return or payment as soon as possible after your reasonable excuse is resolved.\n\n## If you\u2019re affected by coronavirus (COVID-19)\n\nHMRC will consider coronavirus as a reasonable excuse for missing some tax obligations (such as payments or filing dates).\n\nExplain how you were affected by coronavirus in your appeal. You must still make the return or payment as soon as you can.\n\n## What will not count as a reasonable excuse\n\nThe following will not be accepted as a reasonable excuse:\n\n- you relied on someone else to send your return and they did not\n\n- your cheque bounced or payment failed because you did not have enough money\n\n- you found the HMRC online system too difficult to use\n\n- you did not get a reminder from HMRC\n\n- you made a mistake on your tax return", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-appeals", + "answerable": true, + "scenario": "I am a good rated tax payer . I was diagnosed with neuropathy due to an advanced case of diabetes. I was hospitalized for a long time. I have no accountant in place to make my timely tax returns in my absence. I got penalized by the HMRC.", + "original_question": "Are these reasonable grounds for appeal?" + }, + { + "id": "train-1035", + "question": "Scenario: My neighbour and I share a wall between our property. It is damaged and needs repairs. I am planning to tell my neighour on possible plans to repair and give it a new look.\n\nQuestion: Do i need to give him a written notice before building it?\n\nDocument - Party walls and building work:\n## Overview\n\nYou must tell your neighbours if you want to carry out any building work near or on your shared property boundary, or \u2018party wall\u2019, in England and Wales.\n\nParty walls stand on the land of 2 or more owners and either:\n\n- form part of a building\n\n- don\u2019t form part of a building, such as a garden wall (not wooden fences)\n\nWalls on one owner\u2019s land used by other owners (2 or more) to separate their buildings are also party walls.\n\n## Party structures\n\nYou can also have a \u2018party structure\u2019. This could be a floor or other structure that separates buildings or parts of buildings with different owners, eg flats.\n\nParty wall agreements are different from planning permission or building regulations approval.\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Work you must tell your neighbour about\n\nYou must tell your neighbour if you want to:\n\n- build on or at the boundary of your 2 properties\n\n- work on an existing party wall or party structure\n\n- dig below and near to the foundation level of their property\n\nExamples of this type of work include:\n\n- building a new wall\n\n- cutting into a party wall\n\n- making a party wall taller, shorter or deeper\n\n- removing chimneys from a party wall\n\n- knocking down and rebuilding a party wall\n\nFind more details of work you need to tell your neighbour about in the party wall explanatory booklet.\n\nYour neighbours can\u2019t stop you from making changes to your property that are within the law, but they can affect how and when your works are carried out.\n\n## What you don\u2019t need to tell them about\n\nYou don\u2019t need to tell your neighbour about minor changes, eg plastering, adding or replacing electrical wiring or sockets, or drilling to put up shelves or cabinets.\n\n## When and how to tell them\n\nYou must give notice to your neighbour between 2 months and a year before you plan to start building works. Include what you plan on doing.\n\nYou can speak to your neighbour to explain the work you want to carry out, before giving notice in writing.\n\nFind letter templates and more information on giving notice in the party wall explanatory booklet.\n\nAny agreement you reach should be in writing.\n\n## Reaching an agreement with your neighbours\n\nOnce you\u2019ve given notice your neighbour can:\n\n- give consent in writing\n\n- refuse consent, which will start the dispute resolution process\n\n- serve a counter notice requesting additional works be done at the same time (they\u2019ll have to pay for these if they benefit from the works)\n\nYour neighbour must let you know in writing within 14 days if they consent to your notice, and you must do the same with any counter notice. A counter notice must be served within a month of the first notice.\n\nFind examples of counter notice letters in the party wall booklet.\n\nYour neighbours need to respond to the notice. You can\u2019t assume that no response means they agree to the works.\n\nThe dispute resolution process will also start if they don\u2019t respond to your notice within the given time.\n\n## Who pays for the work\n\nYou need to pay for any building works that you start on a party wall.\n\nYour neighbour may have to meet a share of the cost if the work needs to be done because of defects or lack of repair. They will also need to pay if they ask for additional works to be done that will benefit them.\n\nAn appointed surveyor will set out who pays what if you can\u2019t agree.\n\n## If you can't agree\n\nYou must appoint a surveyor if you and your neighbour can\u2019t agree. You can appoint a surveyor together or each appoint your own. The surveyors will then agree on a \u2018party wall award\u2019.\n\nThis is a legal document which says:\n\n- what work should happen\n\n- how and when it will be carried out\n\n- who will pay for which part and how much will be paid (including surveyor\u2019s fees)\n\nYou can\u2019t act as your own surveyor.\n\n## If your neighbour doesn\u2019t appoint a surveyor\n\nYou can appoint a surveyor on behalf of your neighbour if they refuse or fail to do so themselves.\n\n## If you don\u2019t agree with the award\n\nYou can appeal against an award at a county court within 14 days of receiving it. You need to file an appellant\u2019s notice in a county court, explaining why you\u2019re appealing.\n\n## When works begin\n\nWhen carrying out building works you must:\n\n- avoid causing unnecessary inconvenience\n\n- protect your neighbour\u2019s property from damage caused by the works, and fix or pay for any damage that is caused\n\n## Access to your neighbour\u2019s property\n\nYour neighbour must allow surveyors and workmen access to their property during usual working hours to carry out the building works. They must be given 14 days\u2019 notice except in an emergency.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/party-walls-building-works", + "answerable": true, + "scenario": "My neighbour and I share a wall between our property. It is damaged and needs repairs. I am planning to tell my neighour on possible plans to repair and give it a new look.", + "original_question": "Do i need to give him a written notice before building it?" + }, + { + "id": "train-1036", + "question": "Scenario: Mary has made an agreement with her neighbour to repair a garden wall. They both consented. During the repairs , the neighbour has damaged Mary's gate and the garden shed.\n\nQuestion: Should mary ask the neigbour to pay or repair the damages ?\n\nDocument - Party walls and building work:\n## Overview\n\nYou must tell your neighbours if you want to carry out any building work near or on your shared property boundary, or \u2018party wall\u2019, in England and Wales.\n\nParty walls stand on the land of 2 or more owners and either:\n\n- form part of a building\n\n- don\u2019t form part of a building, such as a garden wall (not wooden fences)\n\nWalls on one owner\u2019s land used by other owners (2 or more) to separate their buildings are also party walls.\n\n## Party structures\n\nYou can also have a \u2018party structure\u2019. This could be a floor or other structure that separates buildings or parts of buildings with different owners, eg flats.\n\nParty wall agreements are different from planning permission or building regulations approval.\n\nThere are different rules in Scotland and Northern Ireland.\n\n## Work you must tell your neighbour about\n\nYou must tell your neighbour if you want to:\n\n- build on or at the boundary of your 2 properties\n\n- work on an existing party wall or party structure\n\n- dig below and near to the foundation level of their property\n\nExamples of this type of work include:\n\n- building a new wall\n\n- cutting into a party wall\n\n- making a party wall taller, shorter or deeper\n\n- removing chimneys from a party wall\n\n- knocking down and rebuilding a party wall\n\nFind more details of work you need to tell your neighbour about in the party wall explanatory booklet.\n\nYour neighbours can\u2019t stop you from making changes to your property that are within the law, but they can affect how and when your works are carried out.\n\n## What you don\u2019t need to tell them about\n\nYou don\u2019t need to tell your neighbour about minor changes, eg plastering, adding or replacing electrical wiring or sockets, or drilling to put up shelves or cabinets.\n\n## When and how to tell them\n\nYou must give notice to your neighbour between 2 months and a year before you plan to start building works. Include what you plan on doing.\n\nYou can speak to your neighbour to explain the work you want to carry out, before giving notice in writing.\n\nFind letter templates and more information on giving notice in the party wall explanatory booklet.\n\nAny agreement you reach should be in writing.\n\n## Reaching an agreement with your neighbours\n\nOnce you\u2019ve given notice your neighbour can:\n\n- give consent in writing\n\n- refuse consent, which will start the dispute resolution process\n\n- serve a counter notice requesting additional works be done at the same time (they\u2019ll have to pay for these if they benefit from the works)\n\nYour neighbour must let you know in writing within 14 days if they consent to your notice, and you must do the same with any counter notice. A counter notice must be served within a month of the first notice.\n\nFind examples of counter notice letters in the party wall booklet.\n\nYour neighbours need to respond to the notice. You can\u2019t assume that no response means they agree to the works.\n\nThe dispute resolution process will also start if they don\u2019t respond to your notice within the given time.\n\n## Who pays for the work\n\nYou need to pay for any building works that you start on a party wall.\n\nYour neighbour may have to meet a share of the cost if the work needs to be done because of defects or lack of repair. They will also need to pay if they ask for additional works to be done that will benefit them.\n\nAn appointed surveyor will set out who pays what if you can\u2019t agree.\n\n## If you can't agree\n\nYou must appoint a surveyor if you and your neighbour can\u2019t agree. You can appoint a surveyor together or each appoint your own. The surveyors will then agree on a \u2018party wall award\u2019.\n\nThis is a legal document which says:\n\n- what work should happen\n\n- how and when it will be carried out\n\n- who will pay for which part and how much will be paid (including surveyor\u2019s fees)\n\nYou can\u2019t act as your own surveyor.\n\n## If your neighbour doesn\u2019t appoint a surveyor\n\nYou can appoint a surveyor on behalf of your neighbour if they refuse or fail to do so themselves.\n\n## If you don\u2019t agree with the award\n\nYou can appeal against an award at a county court within 14 days of receiving it. You need to file an appellant\u2019s notice in a county court, explaining why you\u2019re appealing.\n\n## When works begin\n\nWhen carrying out building works you must:\n\n- avoid causing unnecessary inconvenience\n\n- protect your neighbour\u2019s property from damage caused by the works, and fix or pay for any damage that is caused\n\n## Access to your neighbour\u2019s property\n\nYour neighbour must allow surveyors and workmen access to their property during usual working hours to carry out the building works. They must be given 14 days\u2019 notice except in an emergency.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/party-walls-building-works", + "answerable": true, + "scenario": "Mary has made an agreement with her neighbour to repair a garden wall. They both consented. During the repairs , the neighbour has damaged Mary's gate and the garden shed.", + "original_question": "Should mary ask the neigbour to pay or repair the damages ?" + }, + { + "id": "train-1039", + "question": "Scenario: My Uncle owns a restaurant and the covid pandemic has affected the business a lot and led to loss of business. He has been left with \u00a320000 unpaid debt.He has no spare income or own home.\n\nQuestion: Can he apply for a debt relief order?\n\nDocument - Options for paying off your debts:\n## Overview\n\nIf you owe people money (your \u2018creditors\u2019) you can make arrangements to pay your debts. Your options depend on the amount of money and assets you have.\n\n## Where you can get help\n\nSpeak to a debt adviser to get help choosing the best way to deal with your debt.\n\nThe Money Advice Service has information about debt management and free debt advisory services.\n\n## Paying off your debts\n\nYou can pay your debts in instalments by setting up:\n\n- a Debt Management Plan which is an agreement with your creditors managed by a financial company\n\n- an Administration Order when you\u2019ve had a county court judgment (CCJ) or a High Court judgment (HCJ) against you for debts under \u00a35,000\n\n- an Individual Voluntary Arrangement which is managed by an insolvency practitioner\n\nYou can also get temporary protection from your creditors through the \u2018Breathing Space\u2019 scheme, while still making repayments. You\u2019ll need to apply through a debt advisor.\n\nIn Scotland you can arrange a Debt Payment Programme from the Debt Arrangement Scheme.\n\nYou may also have the option of reaching an informal agreement with your creditors.\n\n## If you cannot pay off your debt\n\nYou can apply for a Debt Relief Order or Bankruptcy Order if you cannot pay your debts because you do not have enough money or assets you can sell.\n\nIf you cannot pay off your debts, you can be made bankrupt.\n\n## Breathing Space (Debt Respite Scheme)\n\nIf you live in England or Wales, you can get temporary protection from your creditors while you get debt advice and make a plan. This scheme is called \u2018Breathing Space\u2019.\n\nYou can get temporary protection for up to 60 days.\n\nYou\u2019ll still need to make your debt repayments.\n\nIf you get it:\n\n- enforcement action cannot be taken against you\n\n- your creditors cannot contact you about debts included in your Breathing Space\n\n- your creditors cannot add interest or charges to your debt\n\nIf you\u2019re getting mental health crisis treatment, your protection from creditors will be longer. It will last for the length of your treatment, plus another 30 days.\n\n## How to apply for the Breathing Space scheme\n\nTo apply for the \u2018Breathing Space\u2019 scheme, you need to talk to a debt adviser. They will submit an application on your behalf if it\u2019s the right thing to do.\n\nYou can find a free debt adviser on the Money Advice Service website. You can get confidential advice online, over the phone or in person.\n\nIf you\u2019re receiving mental health treatment and cannot speak to a debt adviser, someone else can do so on your behalf.\n\n## Costs\n\nIt\u2019s free to apply for \u2018Breathing Space\u2019, but some debt advisers may charge you a fee.\n\n## Eligibility\n\nYou must:\n\n- not have a debt relief order (DRO), an individual voluntary arrangement (IVA), an interim order, or be an undischarged bankrupt at the time you apply\n\n- not already be using the \u2018Breathing Space\u2019 scheme\n\n- not have used the \u2018Breathing Space\u2019 scheme in the last 12 months, unless it was for a mental health crisis\n\n## Debt Management Plans\n\nA Debt Management Plan is an agreement between you and your creditors to pay all of your debts.\n\nDebt management plans are usually used when either:\n\n- you can only afford to pay creditors a small amount each month\n\n- you have debt problems but will be able to make repayments in a few months\n\nYou can arrange a plan with your creditors yourself or through a licensed debt management company for a fee. If you arrange this with a company:\n\n- you make regular payments to the company\n\n- the company shares the money out between your creditors\n\nThe Money Advice Service has information on organisations that can give you free advice about whether a Debt Management Plan is right for you.\n\n## Get a Debt Management Plan\n\n- Set up a plan with a debt management company authorised by the Financial Conduct Authority (FCA). Search the Financial Services Register for an authorised company.\n\n- The company works out your monthly payments. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.\n\n- The company contacts your creditors and asks them to agree to the plan (they do not have to).\n\nUnless stated in the agreement, your creditors can still:\n\n- ask you to pay your full debt at a later date\n\n- take action to recover their money even if you keep up your payments\n\n## Costs\n\nSome companies will charge:\n\n- a set up fee\n\n- a handling fee each time you make a payment\n\nMake sure you understand the costs of your plan and how you pay for it.\n\n## Eligibility\n\nDebt Management Plans can only be used to pay \u2018unsecured\u2019 debts, for example debts that have not been guaranteed against your property.\n\n## Your responsibilities\n\nYour plan can be cancelled if you do not keep up your repayments.\n\n## Administration orders\n\nAn administration order is a way to deal with debt if you have a county court or High Court judgment against you and you cannot pay in full.\n\nThe debt must be less than \u00a35,000.\n\nYou make 1 payment a month to your local court. The court will divide this money between your creditors.\n\nCreditors listed on the administration order cannot take any further action against you without the court\u2019s permission.\n\nThe Money Advice Service has information on organisations that can give you free advice about whether an administration order is right for you.\n\n## Get an administration order\n\nFill in an application for an administration order (form N92) and return it to your local court.\n\nThe court decides:\n\n- how much of your debt you have to repay, for example all or just part of it\n\n- how much your monthly repayments will be\n\n- how long the arrangement lasts\n\nThe arrangement is known as a \u2018composition order\u2019 if you cannot pay all your debts.\n\n## Costs\n\nThere\u2019s a court fee each time you make a payment. This cannot be more than 10% of your debt.\n\n## Eligibility\n\nYou must:\n\n- owe less than \u00a35,000, including any interest and charges\n\n- owe money to at least 2 creditors\n\n- prove you can afford regular repayments, for example by giving details of your income\n\n- have a county court or High Court judgment against you, which you cannot pay in full\n\n## Your responsibilities\n\nYou must keep up your repayments or the court can:\n\n- ask your employer take money from your wages \u2013 known as an \u2018attachment of earnings order\u2019\n\n- cancel the arrangement\n\nYou may still be able to keep your business running, if you have one.\n\n## Public records\n\nYour administration order is added to the Register of Judgments, Orders and Fines.\n\nIt\u2019s usually removed 6 years after the date the order was made.\n\nYour entry is marked as \u2018satisfied\u2019 if you repay your debts in full.\n\nYou can also ask the court for a \u2018certificate of satisfaction\u2019. To do this, write to the court and send a cheque for \u00a315 (made payable to Her Majesty\u2019s Courts and Tribunal Service).\n\n## Individual Voluntary Arrangements\n\nAn Individual Voluntary Arrangement (IVA) is an agreement with your creditors to pay all or part of your debts. You agree to make regular payments to an insolvency practitioner, who will divide this money between your creditors.\n\nAn IVA can give you more control of your assets than bankruptcy.\n\nThe Money Advice Service has information on organisations that can give you free advice about whether an IVA is right for you.\n\n## Get an Individual Voluntary Arrangement (IVA)\n\nUse an insolvency practitioner to get an IVA.\n\nYour insolvency practitioner works out what you can afford to repay and how long the IVA lasts. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.\n\nYour insolvency practitioner will contact your creditors. The IVA will start if the creditors holding 75% of your debts agree to it. It will apply to all your creditors, including any who disagreed to it.\n\nAn IVA will stop your creditors taking action against you for your debts.\n\n## Costs\n\nThere are usually 2 fees:\n\n- a set up fee\n\n- a handling fee each time you make a payment\n\nMake sure you know how much it\u2019s going to cost before asking an insolvency practitioner to act for you.\n\n## Your responsibilities\n\nYour IVA can be cancelled by the insolvency practitioner if you do not keep up your repayments. The insolvency practitioner can make you bankrupt.\n\nYou may still be able to keep your business running, if you have one.\n\n## Public records\n\nYour IVA will be added to the Individual Insolvency Register. It\u2019s removed 3 months after the IVA ends.\n\n## Debt Relief Orders\n\nDebt Relief Orders (DROs) are one way to deal with your debts if you owe less than \u00a320,000, do not have much spare income and do not own your home.\n\nIf you get one:\n\n- your creditors cannot recover their money without the court\u2019s permission\n\n- you\u2019re usually freed (\u2018discharged\u2019) from your debts after 12 months\n\n## Get a Debt Relief Order\n\nYou get a DRO from the official receiver, an officer of the bankruptcy court, but you must apply through an authorised debt adviser. They\u2019ll help you fill in the paperwork.\n\nThere\u2019s a list of organisations that can help you find an authorised debt adviser in the guide to DROs.\n\nThe Money Advice Service has information about where to get free debt advice.\n\n## Costs\n\nThe official receiver\u2019s fee is \u00a390. Your debt adviser can tell you how and when to pay it. In some cases a charity may be able to help you with the cost - ask your debt adviser.\n\n## Eligibility\n\nYou\u2019re generally eligible if you meet all of these criteria:\n\n- you owe less than \u00a320,000\n\n- you\u2019ve less than \u00a350 a month spare income\n\n- you\u2019ve less than \u00a31,000 worth of assets\n\n- you\u2019ve lived or worked in England and Wales within the last 3 years\n\n- you have not applied for a DRO within the last 6 years\n\n## Restrictions\n\nYou must follow rules called \u2018restrictions\u2019 if you get a DRO.\n\nThis means you cannot:\n\n- borrow more than \u00a3500 without telling the lender about your DRO\n\n- act as the director of a company\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business without telling those you do business with about your DRO\n\nIf you want to open a bank account, you may also have to tell the bank or building society about your DRO.\n\nCheck the Individual Insolvency Register to see when the restrictions end.\n\nThe restrictions usually last 12 months. They can be extended if careless or dishonest behaviour caused your debt problem. For example, you lied to get credit.\n\nThe official receiver will tell you if they should be extended. To extend them, you\u2019ll be asked to agree to a \u2018Debt Relief Restrictions Undertaking\u2019. The court can issue a \u2018Debt Relief Restrictions Order\u2019 if you do not agree.\n\n## What you need to know\n\nWhile you have a DRO you still have to pay:\n\n- your rent and bills\n\n- certain debts, for example student loans, court fines\n\nDROs can be cancelled if:\n\n- your finances improve\n\n- you do not co-operate with the official receiver - for example you do not give them the information they ask for\n\nIf you get new debt after your DRO is approved you could:\n\n- get a bankruptcy order\n\n- be prosecuted if you do not tell new creditors about your DRO\n\nYour DRO is added to the Individual Insolvency Register - it\u2019s removed 3 months after the DRO ends.\n\nYour DRO will stay on your credit record for 6 years.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "answerable": true, + "scenario": "My Uncle owns a restaurant and the covid pandemic has affected the business a lot and led to loss of business. He has been left with \u00a320000 unpaid debt.He has no spare income or own home.", + "original_question": "Can he apply for a debt relief order?" + }, + { + "id": "train-1040", + "question": "Scenario: I am a UK business trader and have been running my business at a loss since the covid restrictions were imposed. My business is on the verge of collapsing and I have made most of my employees redundant. Creditors have been making endless calls. I have never applied for any breathing space.\n\nQuestion: Can i apply and get a breathing space?\n\nDocument - Options for paying off your debts:\n## Overview\n\nIf you owe people money (your \u2018creditors\u2019) you can make arrangements to pay your debts. Your options depend on the amount of money and assets you have.\n\n## Where you can get help\n\nSpeak to a debt adviser to get help choosing the best way to deal with your debt.\n\nThe Money Advice Service has information about debt management and free debt advisory services.\n\n## Paying off your debts\n\nYou can pay your debts in instalments by setting up:\n\n- a Debt Management Plan which is an agreement with your creditors managed by a financial company\n\n- an Administration Order when you\u2019ve had a county court judgment (CCJ) or a High Court judgment (HCJ) against you for debts under \u00a35,000\n\n- an Individual Voluntary Arrangement which is managed by an insolvency practitioner\n\nYou can also get temporary protection from your creditors through the \u2018Breathing Space\u2019 scheme, while still making repayments. You\u2019ll need to apply through a debt advisor.\n\nIn Scotland you can arrange a Debt Payment Programme from the Debt Arrangement Scheme.\n\nYou may also have the option of reaching an informal agreement with your creditors.\n\n## If you cannot pay off your debt\n\nYou can apply for a Debt Relief Order or Bankruptcy Order if you cannot pay your debts because you do not have enough money or assets you can sell.\n\nIf you cannot pay off your debts, you can be made bankrupt.\n\n## Breathing Space (Debt Respite Scheme)\n\nIf you live in England or Wales, you can get temporary protection from your creditors while you get debt advice and make a plan. This scheme is called \u2018Breathing Space\u2019.\n\nYou can get temporary protection for up to 60 days.\n\nYou\u2019ll still need to make your debt repayments.\n\nIf you get it:\n\n- enforcement action cannot be taken against you\n\n- your creditors cannot contact you about debts included in your Breathing Space\n\n- your creditors cannot add interest or charges to your debt\n\nIf you\u2019re getting mental health crisis treatment, your protection from creditors will be longer. It will last for the length of your treatment, plus another 30 days.\n\n## How to apply for the Breathing Space scheme\n\nTo apply for the \u2018Breathing Space\u2019 scheme, you need to talk to a debt adviser. They will submit an application on your behalf if it\u2019s the right thing to do.\n\nYou can find a free debt adviser on the Money Advice Service website. You can get confidential advice online, over the phone or in person.\n\nIf you\u2019re receiving mental health treatment and cannot speak to a debt adviser, someone else can do so on your behalf.\n\n## Costs\n\nIt\u2019s free to apply for \u2018Breathing Space\u2019, but some debt advisers may charge you a fee.\n\n## Eligibility\n\nYou must:\n\n- not have a debt relief order (DRO), an individual voluntary arrangement (IVA), an interim order, or be an undischarged bankrupt at the time you apply\n\n- not already be using the \u2018Breathing Space\u2019 scheme\n\n- not have used the \u2018Breathing Space\u2019 scheme in the last 12 months, unless it was for a mental health crisis\n\n## Debt Management Plans\n\nA Debt Management Plan is an agreement between you and your creditors to pay all of your debts.\n\nDebt management plans are usually used when either:\n\n- you can only afford to pay creditors a small amount each month\n\n- you have debt problems but will be able to make repayments in a few months\n\nYou can arrange a plan with your creditors yourself or through a licensed debt management company for a fee. If you arrange this with a company:\n\n- you make regular payments to the company\n\n- the company shares the money out between your creditors\n\nThe Money Advice Service has information on organisations that can give you free advice about whether a Debt Management Plan is right for you.\n\n## Get a Debt Management Plan\n\n- Set up a plan with a debt management company authorised by the Financial Conduct Authority (FCA). Search the Financial Services Register for an authorised company.\n\n- The company works out your monthly payments. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.\n\n- The company contacts your creditors and asks them to agree to the plan (they do not have to).\n\nUnless stated in the agreement, your creditors can still:\n\n- ask you to pay your full debt at a later date\n\n- take action to recover their money even if you keep up your payments\n\n## Costs\n\nSome companies will charge:\n\n- a set up fee\n\n- a handling fee each time you make a payment\n\nMake sure you understand the costs of your plan and how you pay for it.\n\n## Eligibility\n\nDebt Management Plans can only be used to pay \u2018unsecured\u2019 debts, for example debts that have not been guaranteed against your property.\n\n## Your responsibilities\n\nYour plan can be cancelled if you do not keep up your repayments.\n\n## Administration orders\n\nAn administration order is a way to deal with debt if you have a county court or High Court judgment against you and you cannot pay in full.\n\nThe debt must be less than \u00a35,000.\n\nYou make 1 payment a month to your local court. The court will divide this money between your creditors.\n\nCreditors listed on the administration order cannot take any further action against you without the court\u2019s permission.\n\nThe Money Advice Service has information on organisations that can give you free advice about whether an administration order is right for you.\n\n## Get an administration order\n\nFill in an application for an administration order (form N92) and return it to your local court.\n\nThe court decides:\n\n- how much of your debt you have to repay, for example all or just part of it\n\n- how much your monthly repayments will be\n\n- how long the arrangement lasts\n\nThe arrangement is known as a \u2018composition order\u2019 if you cannot pay all your debts.\n\n## Costs\n\nThere\u2019s a court fee each time you make a payment. This cannot be more than 10% of your debt.\n\n## Eligibility\n\nYou must:\n\n- owe less than \u00a35,000, including any interest and charges\n\n- owe money to at least 2 creditors\n\n- prove you can afford regular repayments, for example by giving details of your income\n\n- have a county court or High Court judgment against you, which you cannot pay in full\n\n## Your responsibilities\n\nYou must keep up your repayments or the court can:\n\n- ask your employer take money from your wages \u2013 known as an \u2018attachment of earnings order\u2019\n\n- cancel the arrangement\n\nYou may still be able to keep your business running, if you have one.\n\n## Public records\n\nYour administration order is added to the Register of Judgments, Orders and Fines.\n\nIt\u2019s usually removed 6 years after the date the order was made.\n\nYour entry is marked as \u2018satisfied\u2019 if you repay your debts in full.\n\nYou can also ask the court for a \u2018certificate of satisfaction\u2019. To do this, write to the court and send a cheque for \u00a315 (made payable to Her Majesty\u2019s Courts and Tribunal Service).\n\n## Individual Voluntary Arrangements\n\nAn Individual Voluntary Arrangement (IVA) is an agreement with your creditors to pay all or part of your debts. You agree to make regular payments to an insolvency practitioner, who will divide this money between your creditors.\n\nAn IVA can give you more control of your assets than bankruptcy.\n\nThe Money Advice Service has information on organisations that can give you free advice about whether an IVA is right for you.\n\n## Get an Individual Voluntary Arrangement (IVA)\n\nUse an insolvency practitioner to get an IVA.\n\nYour insolvency practitioner works out what you can afford to repay and how long the IVA lasts. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.\n\nYour insolvency practitioner will contact your creditors. The IVA will start if the creditors holding 75% of your debts agree to it. It will apply to all your creditors, including any who disagreed to it.\n\nAn IVA will stop your creditors taking action against you for your debts.\n\n## Costs\n\nThere are usually 2 fees:\n\n- a set up fee\n\n- a handling fee each time you make a payment\n\nMake sure you know how much it\u2019s going to cost before asking an insolvency practitioner to act for you.\n\n## Your responsibilities\n\nYour IVA can be cancelled by the insolvency practitioner if you do not keep up your repayments. The insolvency practitioner can make you bankrupt.\n\nYou may still be able to keep your business running, if you have one.\n\n## Public records\n\nYour IVA will be added to the Individual Insolvency Register. It\u2019s removed 3 months after the IVA ends.\n\n## Debt Relief Orders\n\nDebt Relief Orders (DROs) are one way to deal with your debts if you owe less than \u00a320,000, do not have much spare income and do not own your home.\n\nIf you get one:\n\n- your creditors cannot recover their money without the court\u2019s permission\n\n- you\u2019re usually freed (\u2018discharged\u2019) from your debts after 12 months\n\n## Get a Debt Relief Order\n\nYou get a DRO from the official receiver, an officer of the bankruptcy court, but you must apply through an authorised debt adviser. They\u2019ll help you fill in the paperwork.\n\nThere\u2019s a list of organisations that can help you find an authorised debt adviser in the guide to DROs.\n\nThe Money Advice Service has information about where to get free debt advice.\n\n## Costs\n\nThe official receiver\u2019s fee is \u00a390. Your debt adviser can tell you how and when to pay it. In some cases a charity may be able to help you with the cost - ask your debt adviser.\n\n## Eligibility\n\nYou\u2019re generally eligible if you meet all of these criteria:\n\n- you owe less than \u00a320,000\n\n- you\u2019ve less than \u00a350 a month spare income\n\n- you\u2019ve less than \u00a31,000 worth of assets\n\n- you\u2019ve lived or worked in England and Wales within the last 3 years\n\n- you have not applied for a DRO within the last 6 years\n\n## Restrictions\n\nYou must follow rules called \u2018restrictions\u2019 if you get a DRO.\n\nThis means you cannot:\n\n- borrow more than \u00a3500 without telling the lender about your DRO\n\n- act as the director of a company\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business without telling those you do business with about your DRO\n\nIf you want to open a bank account, you may also have to tell the bank or building society about your DRO.\n\nCheck the Individual Insolvency Register to see when the restrictions end.\n\nThe restrictions usually last 12 months. They can be extended if careless or dishonest behaviour caused your debt problem. For example, you lied to get credit.\n\nThe official receiver will tell you if they should be extended. To extend them, you\u2019ll be asked to agree to a \u2018Debt Relief Restrictions Undertaking\u2019. The court can issue a \u2018Debt Relief Restrictions Order\u2019 if you do not agree.\n\n## What you need to know\n\nWhile you have a DRO you still have to pay:\n\n- your rent and bills\n\n- certain debts, for example student loans, court fines\n\nDROs can be cancelled if:\n\n- your finances improve\n\n- you do not co-operate with the official receiver - for example you do not give them the information they ask for\n\nIf you get new debt after your DRO is approved you could:\n\n- get a bankruptcy order\n\n- be prosecuted if you do not tell new creditors about your DRO\n\nYour DRO is added to the Individual Insolvency Register - it\u2019s removed 3 months after the DRO ends.\n\nYour DRO will stay on your credit record for 6 years.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "answerable": true, + "scenario": "I am a UK business trader and have been running my business at a loss since the covid restrictions were imposed. My business is on the verge of collapsing and I have made most of my employees redundant. Creditors have been making endless calls. I have never applied for any breathing space.", + "original_question": "Can i apply and get a breathing space?" + }, + { + "id": "train-1043", + "question": "Scenario: I am a landlord and rent a house to a tenant who has a periodic assured short hold tenancy. I want to sell the house but the tenant does not wish to leave.\n\nQuestion: Can I require the tenant to leave prior to selling the house?\n\nDocument - Private renting for tenants: evictions:\n## Rules your landlord must follow\n\nYour landlord must follow strict procedures if they want you to leave their property, depending on the type of tenancy agreement you have and the terms of it.\n\nIf they do not, they may be guilty of illegally evicting or harassing you.\n\nYour landlord must follow different procedures to evict you in Northern Ireland and Scotland.\n\n## Rules for periodic Assured Shorthold Tenancies (ASTs)\n\nPeriodic tenancies run on a week-by-week or month-by-month basis with no fixed end date.\n\nIf you have one of these, your landlord must usually give you \u2018notice to quit\u2019 - they must do this in a certain way depending on your type of tenancy agreement and its terms.\n\n## Notice periods\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of coronavirus (COVID-19), the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property\n\nIf you\u2019ve been given notice since 1 June 2021, your landlord must give you 4 months to leave.\n\nYou might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\n## If you do not leave at the end of the notice period\n\nIf you do not leave at the end of the notice period, your landlord must apply to the court for a possession order. If the court gives them a possession order and you still do not leave, they must apply for a warrant for possession - this means bailiffs can evict you from the property.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Rules for fixed-term ASTs\n\nFixed-term tenancies run for a set amount of time. Your landlord must give you notice in a certain way if you\u2019re in a fixed-term tenancy.\n\n## Notice periods\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you were given notice between 29 August 2020 and 31 May 2021, your landlord must have given you 6 months to leave the property\n\nIf you\u2019ve been given notice since 1 June 2021, in most cases your landlord must give you 4 months to leave.\n\nYou might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\n## If you do not leave at the end of the notice period\n\nIf you refuse to leave at the end of the notice period, the rules depend on whether the fixed term has ended or not.\n\n## Eviction during the fixed term\n\nDuring the fixed term, your landlord can only evict you for certain reasons - for example:\n\n- you have not paid the rent\n\n- you\u2019re engaging in antisocial behaviour\n\n- there\u2019s a \u2018break clause\u2019 in your contract - this allows your landlord to take back the property before the end of the fixed term\n\nA possession order will not take effect until you\u2019ve been living in the property for at least 6 months.\n\n## Eviction at the end of the fixed term\n\nAt the end of the fixed term, the landlord does not need a reason to evict you. As long as they\u2019ve given you correct notice, they can apply to the court for a possession order.\n\nIf the court gives your landlord a possession order and you still do not leave, your landlord must apply for a warrant for possession - this means bailiffs can evict you from the property.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Rules for excluded tenancies or licences\n\nIf you have an excluded tenancy or licence (for example you live with your landlord), your landlord does not have to go to court to evict you.\n\nYour landlord only needs to give you \u2018reasonable notice\u2019 to quit. The notice does not have to be in writing.\n\nThere are no set rules about what\u2019s reasonable. It depends on:\n\n- how long you\u2019ve been living there\n\n- how often you pay the rent\n\n- whether you get on with your landlord\n\n- how quickly the landlord needs another person to move in\n\nThey can then change the locks on your rooms, even if you\u2019ve left your belongings there. However, they must give your belongings back to you.\n\nIf you do not think you\u2019ve been given enough warning to leave, contact your local council for advice. Your council can take action if your landlord has evicted you illegally.\n\nShelter has more information about eviction of excluded occupiers.\n\n## Rules for assured and regulated tenancies\n\nIf your tenancy started before 27 February 1997, you might have an assured or a regulated tenancy. Your landlord will have to follow different rules to evict you and you\u2019ll have increased protection from eviction.\n\nThere are different eviction notice periods in Wales.\n\nIn England, your landlord usually must give you up to 2 months\u2019 notice. Because of COVID-19, the notice periods are longer.\n\nIf you were given notice between 26 March 2020 and 28 August 2020, your landlord must have given you 3 months to leave the property.\n\nIf you\u2019ve been given notice on or after 29 August 2020, your landlord must give you 6 months to leave. You might have to leave much sooner if you\u2019re evicted using a section 8 notice, depending on the reason for eviction.\n\nShelter has more information about assured tenancies and regulated tenancies.\n\nShelter Cymru has more information about assured tenancies and regulated tenancies in Wales.\n\n## Accelerated possession\n\nLandlords can sometimes evict tenants using \u2018accelerated possession\u2019. This is quicker than a normal eviction and does not usually need a court hearing.\n\nYour landlord can only do this if:\n\n- you have an assured shorthold tenancy or a statutory periodic tenancy\n\n- you have a written tenancy agreement\n\n- they\u2019ve given you the required written notice in the right form\n\n- they have not asked you to leave before the end of a fixed-term tenancy\n\nYour landlord must also tell the court if you and your dependants have been affected by coronavirus (COVID-19) in a way that affects the case. For example, if you lost income because of COVID-19 which meant you were not able to pay rent.\n\nYou can only stop accelerated possession if you can prove your landlord has not followed the rules listed above.\n\n## How it works\n\nIf your landlord applies for accelerated possession, the court will send you:\n\n- a copy of your landlord\u2019s application\n\n- a \u2018defence form\u2019\n\nFill in the defence form to challenge the application or write a statement outlining your circumstances.\n\nIf your case is affected by COVID-19, include details. For example, why you lost income and were not able to pay rent.\n\nYou can get help filling in the defence form.\n\nYou must complete and return the defence form or statement to the court within 14 days of receiving it.\n\n## If your landlord applied for possession before 3 August 2020\n\nIf your landlord wants to continue with their claim for possession they must make another application to the court. You will get a copy of your landlord\u2019s application and instructions from the court on how to challenge the application.\n\n## The judge\u2019s decision\n\nA judge will decide whether to:\n\n- issue a possession order, giving your landlord the right to evict you and take possession of the property (this is normally the case)\n\n- have a court hearing (this usually only happens if the paperwork is not in order or you\u2019ve raised an important issue)\n\nEven if there\u2019s a hearing, the court can still decide to issue a possession order.\n\n## If the judge issues a possession order\n\nIf the judge makes a possession order, you\u2019ll normally have 14 or 28 days to leave the property. If this will cause you exceptional hardship, the judge may give you up to 42 days to leave.\n\nIf you do not leave at this point, your landlord can use bailiffs to evict you.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Eviction court hearings\n\nIf your landlord goes to court to evict you, there will be a \u2018possession hearing\u2019.\n\n## Before the hearing\n\nYou\u2019ll know your landlord is taking you to court to evict you because you\u2019ll be sent court papers, including:\n\n- copies of \u2018claim for possession\u2019 forms\n\n- a defence form\n\n- a date for your court hearing\n\nThe defence form is your chance to say why you have rent arrears and if you disagree with what your landlord put on the \u2018claim for possession\u2019 forms. You need to return it within 14 days.\n\nYou may have to pay extra court fees if you do not provide information in the defence form and this results in a delay to your court case.\n\nIf you do not attend your court hearing, it\u2019s very likely the judge will decide you\u2019ll lose your home.\n\n## Coronavirus (COVID-19) and court hearings\n\nThe court process is different because of COVID-19.\n\nYour landlord must tell the court if you and your dependants have been affected by COVID-19. For example, if you have lost income because of COVID-19, which meant you were not able to pay your rent.\n\n## During the hearing\n\nIf you have not received advice before, you can get free legal advice and representation in court on the day of the hearing. This is under the Housing Possession Court Duty scheme. Contact your local council or the court where your case is being heard.\n\nIf the scheme is not available in your area, check with the court whether there are other advice services. You can also check if you can get legal aid.\n\nThe charity Shelter has information on what happens at a possession hearing.\n\n## The judge\u2019s decision\n\nThe judge could:\n\n- dismiss the court case - no order will be made and the hearing is finished\n\n- adjourn the hearing - the hearing will be delayed until later, as the judge feels a decision cannot be made on the day\n\n- make an \u2018order\u2019 - the judge will make a legal decision on what will happen\n\nThe judge will dismiss the case if there\u2019s no reason you should be evicted. This might happen if:\n\n- your landlord has not followed the correct procedure\n\n- your landlord or their representative does not attend the hearing\n\n- you\u2019ve paid any rent arrears\n\nIf the judge dismisses the case, you can stay in your home. If the landlord wants to evict you, they\u2019ll have to restart the court process from the beginning.\n\n## Types of possession order\n\nThere are several different kinds of orders a judge can make.\n\n## Order for possession (or \u2018outright possession order\u2019)\n\nThis means you must leave the property before the date given in the order.\n\nThe date will be either 14 or 28 days after your court hearing. If you\u2019re in an exceptionally difficult situation, you may be able to convince the judge to delay this for up to 6 weeks.\n\nIf you do not leave your home by the date given, your landlord can ask the court to evict you by asking for a \u2018warrant for possession\u2019. If the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Suspended order for possession\n\nThis means if you make the payments, or obey the conditions, set out in the order, you can stay in your home. If you do not make the payments, your landlord can ask the court to evict you.\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England. In Wales, currently you will not be evicted unless there\u2019s a serious reason, such as if you\u2019re living there illegally or committing anti-social behaviour.\n\n## Money order\n\nThis means you have to pay the landlord the amount set out in the order. If you do not make the payments, action could be taken by the courts to recover the money, including:\n\n- deducting money from your wages or bank account\n\n- sending bailiffs to take away things you own\n\nIf you get into rent arrears after a money order has been made, your landlord can go to court again and ask for a possession order.\n\n## Possession orders with a money judgment\n\nA judge can add a money judgment to any of the possession orders. This means you owe a specific amount of money, usually made up of:\n\n- your rent arrears\n\n- court fees\n\n- your landlord\u2019s legal costs\n\nThe money judgment will not apply if you pay your arrears and the amount set out in a suspended possession order.\n\nHowever, the money judgment will apply if you do not pay the amount set out in the suspended possession order that\u2019s linked to the judgment. If you do not pay, the landlord may ask the court to carry out the instructions in the order and the judgment.\n\n## Eviction notices\n\nIf you do not leave your home by the date given in an outright possession order, your landlord can ask the court for a \u2018warrant of possession\u2019.\n\nIf the court gives a warrant, you\u2019ll be sent an eviction notice that gives a date when you must leave your home. Bailiffs can evict you after this date. The costs of evicting you will be added to the money you owe.\n\n## Changes to evictions in England and Wales because of coronavirus (COVID-19)\n\nFrom 1 June 2021 bailiffs can carry out evictions if you live in England.\n\nIn Wales, currently you will not be evicted by bailiffs, unless there is a serious reason. Bailiffs will only enter the property if you:\n\n- are living there illegally\n\n- have been involved in antisocial behaviour\n\n## Delaying eviction\n\nYou can ask a judge to suspend the warrant at a new hearing. This means they\u2019ll delay the eviction or let you stay in your home if you can make payments again.\n\nThe judge will not automatically agree to suspend the warrant.\n\n## Applying to suspend a warrant\n\nTo apply for a suspension of a warrant, you must fill out an application notice and either send or deliver it to the county court dealing with your case.\n\nYou must tell the court you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee of \u00a314, unless you qualify for help.\n\nPay the county court:\n\n- by phone with a debit or credit card\n\n- by post with a cheque or postal order made out to \u2018HM Courts and Tribunals Service\u2019\n\n- in person with cash or a debit or credit card\n\nYou can find the address and phone number for the county court online.\n\n## Asking the court to change your payments\n\nIf your circumstances change, you can ask a judge at a new hearing to change what you pay. To do this, you must fill out an application notice and either send or deliver it to the county court dealing with your case.\n\nYou\u2019ll have to pay a court fee of \u00a3100, unless you qualify for help.\n\nPay the county court:\n\n- in person by cheque, cash, debit or credit card\n\n- by post with a cheque made out to \u2018HM Courts and Tribunals Service\u2019\n\n## Appealing against the decision\n\nYou can only appeal if you can show the judge made mistakes in the original possession hearing. You\u2019ll need to ask the judge for permission to appeal at the end of the original hearing.\n\nIf you get permission to appeal, you\u2019ll have to apply for an appeal hearing very soon afterwards. You\u2019ll have to pay a court fee of up to \u00a3140, unless you qualify for help.\n\nYou\u2019ll need to get legal advice.\n\n## Contact your local council\n\nIf you\u2019re worried about becoming homeless, contact your local council for homelessness help and advice.\n\n## Harassment and illegal evictions\n\nIt\u2019s a crime for your landlord to harass you or try to force you out of a property without using proper procedures. If this happens, you may have a right to claim damages through the court.\n\n## What is harassment?\n\nHarassment can be anything a landlord does, or fails to do, that makes you feel unsafe in the property or forces you to leave.\n\nHarassment can include:\n\n- stopping services, like electricity\n\n- withholding keys, for example there are 2 tenants in a property but the landlord will only give 1 key\n\n- refusing to carry out repairs\n\n- anti-social behaviour by a landlord\u2019s agent, for example a friend of the landlord moves in next door and causes problems\n\n- threats and physical violence\n\n## Illegal eviction and tenants\u2019 rights\n\nYour landlord may be guilty of illegal eviction if you:\n\n- are not given the notice to leave the property that your landlord must give you\n\n- find the locks have been changed\n\n- are evicted without a court order\n\nEven if your landlord\u2019s property is repossessed by their mortgage lender, the lender must give you notice so you can find other accommodation.\n\nIf you have an assured, assured shorthold or regulated tenancy, they must give you:\n\n- 3 months to leave the property if you were given notice between 26 March 2020 and 28 August 2020\n\n- 6 months to leave if you were given notice between 29 August 2020 and 31 May 2021\n\n- 4 months to leave if you\u2019ve been given notice since 1 June 2021\n\nIn Wales, the notice period must be:\n\n- at least 6 months if they gave you notice on or after 24 July 2020\n\n- at least 3 months if they issued a section 8 notice for antisocial behaviour\n\nCitizens Advice has information on repossession by your landlord\u2019s mortgage lender.\n\n## What you can do\n\nIf you think you\u2019re being harassed or threatened with illegal eviction, or the property you rent is being repossessed, talk to your local council.\n\nIt may have someone specialising in tenant harassment issues.\n\nLocal councils can also start legal proceedings if they think there\u2019s enough evidence of harassment or illegal eviction.\n\nYou could also contact a legal adviser, a Citizens Advice office or Shelter\u2019s housing advice helpline.\n\nYour local area may also have other housing or legal advice organisations - your local council, phonebook or library should have details.\n\nIf physical violence is involved, contact the police.\n\nFor further advice, the Ministry of Housing, Communities and Local Government has a detailed guide for tenants facing harassment and illegal eviction.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/private-renting-evictions", + "answerable": true, + "scenario": "I am a landlord and rent a house to a tenant who has a periodic assured short hold tenancy. I want to sell the house but the tenant does not wish to leave.", + "original_question": "Can I require the tenant to leave prior to selling the house?" + }, + { + "id": "train-1044", + "question": "Scenario: I want to update my Class 3 national insurance as I am eligible to pay voluntary contributions . I already know the amount to pay and would like to make a one off payment.\n\nQuestion: Can i use direct debit payment?\n\nDocument - Pay voluntary Class 3 National Insurance:\n## Overview\n\nYou may be able to pay Class 3 voluntary National Insurance to fill gaps in your contributions record to qualify for benefits like the State Pension.\n\nPay now\n\n## Before you pay\n\nCheck your National Insurance record to find out:\n\n- if you have any gaps\n\n- if you\u2019re eligible to pay voluntary contributions\n\n- how much it will cost\n\nVoluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.\n\n## Ways to pay\n\nYou can pay monthly via Direct Debit.\n\nContact HM Revenue and Customs (HMRC) if you want to:\n\n- pay quarterly - they\u2019ll send you a bill every July, October, January and April\n\n- make a one-off payment\n\nMake sure you pay HMRC by the deadline you\u2019re given. The amount of time you\u2019ll need to allow depends on how you pay.\n\n## Same or next day\n\nYou can make same or next day payments:\n\n- by online or telephone banking\n\n- by CHAPS\n\n- at your bank or building society, if it\u2019s still open\n\n## 3 working days\n\nYou can pay within 3 days by BACS.\n\nYou currently cannot pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can no longer pay at the Post Office.\n\n## Direct Debit\n\nTo set up monthly payments, download and send the Direct Debit form to HM Revenue and Customs (HMRC). The address is on the form.\n\nHMRC will write within 21 days to confirm your Direct Debit is set up.\n\nPayments appear on your statement as \u2018HMRC NI-DD\u2019.\n\nYour debits usually start in May. If you\u2019re setting up the Direct Debit after May and you need to pay arrears, you can do this through your first payment.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nMake your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account, unless you\u2019re paying from overseas.\n\n| Sort code | Account number | Account name |\n\n| 08 32 20 | 12001004 | HMRC NICO Telephone banking |\n\n## Reference number\n\nUse your reference number when making your payment. You\u2019ll find it on your bill.\n\nFor quarterly payments, your number will be 18 characters beginning with 11.\n\nFor one-off payments, your number will be 18 characters beginning with 60.\n\nContact HMRC if you do not have a reference number.\n\n## How long it takes\n\nPayments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nIf you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.\n\n| Account type | Sort code | Account number |\n\n| UK | 20 20 48 | 30944793 |\n\n| Account type | Account number (IBAN) | Bank Identifier Code (BIC) |\n\n| Non-UK | GB49BARC20204830944793 | BARCGB22 |\n\nFor either account, pay to account name \u2018HMRC NIC receipts\u2019.\n\n## Reference number\n\nUse your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.\n\nIf you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.\n\n## Banking address\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nPay at a branch by cash or cheque. You\u2019ll need the payslip HM Revenue and Customs (HMRC) sent with your bill.\n\nSome branches might be closed because of coronavirus (COVID-19).\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 3 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip provided by HMRC.\n\nHMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.\n\n## By cheque through the post\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can still make payments:\n\n- by online or telephone banking\n\n- by CHAPS or BACS\n\n- at your bank or building society, if it\u2019s still open\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nCall HMRC if you want to check your payment has been received.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-voluntary-class-3-national-insurance", + "answerable": true, + "scenario": "I want to update my Class 3 national insurance as I am eligible to pay voluntary contributions . I already know the amount to pay and would like to make a one off payment.", + "original_question": "Can i use direct debit payment?" + }, + { + "id": "train-1045", + "question": "Scenario: I am a UK citizen and live abroad .I don't want to get national insurance gaps . I want to submit my national insurance through my overseas bank account .\n\nQuestion: Can it be allowed?\n\nDocument - Pay voluntary Class 3 National Insurance:\n## Overview\n\nYou may be able to pay Class 3 voluntary National Insurance to fill gaps in your contributions record to qualify for benefits like the State Pension.\n\nPay now\n\n## Before you pay\n\nCheck your National Insurance record to find out:\n\n- if you have any gaps\n\n- if you\u2019re eligible to pay voluntary contributions\n\n- how much it will cost\n\nVoluntary contributions do not always increase your State Pension. Contact the Future Pension Centre to find out if you\u2019ll benefit from voluntary contributions.\n\n## Ways to pay\n\nYou can pay monthly via Direct Debit.\n\nContact HM Revenue and Customs (HMRC) if you want to:\n\n- pay quarterly - they\u2019ll send you a bill every July, October, January and April\n\n- make a one-off payment\n\nMake sure you pay HMRC by the deadline you\u2019re given. The amount of time you\u2019ll need to allow depends on how you pay.\n\n## Same or next day\n\nYou can make same or next day payments:\n\n- by online or telephone banking\n\n- by CHAPS\n\n- at your bank or building society, if it\u2019s still open\n\n## 3 working days\n\nYou can pay within 3 days by BACS.\n\nYou currently cannot pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can no longer pay at the Post Office.\n\n## Direct Debit\n\nTo set up monthly payments, download and send the Direct Debit form to HM Revenue and Customs (HMRC). The address is on the form.\n\nHMRC will write within 21 days to confirm your Direct Debit is set up.\n\nPayments appear on your statement as \u2018HMRC NI-DD\u2019.\n\nYour debits usually start in May. If you\u2019re setting up the Direct Debit after May and you need to pay arrears, you can do this through your first payment.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nMake your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account, unless you\u2019re paying from overseas.\n\n| Sort code | Account number | Account name |\n\n| 08 32 20 | 12001004 | HMRC NICO Telephone banking |\n\n## Reference number\n\nUse your reference number when making your payment. You\u2019ll find it on your bill.\n\nFor quarterly payments, your number will be 18 characters beginning with 11.\n\nFor one-off payments, your number will be 18 characters beginning with 60.\n\nContact HMRC if you do not have a reference number.\n\n## How long it takes\n\nPayments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nIf you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.\n\n| Account type | Sort code | Account number |\n\n| UK | 20 20 48 | 30944793 |\n\n| Account type | Account number (IBAN) | Bank Identifier Code (BIC) |\n\n| Non-UK | GB49BARC20204830944793 | BARCGB22 |\n\nFor either account, pay to account name \u2018HMRC NIC receipts\u2019.\n\n## Reference number\n\nUse your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.\n\nIf you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.\n\n## Banking address\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nPay at a branch by cash or cheque. You\u2019ll need the payslip HM Revenue and Customs (HMRC) sent with your bill.\n\nSome branches might be closed because of coronavirus (COVID-19).\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 3 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip provided by HMRC.\n\nHMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.\n\n## By cheque through the post\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can still make payments:\n\n- by online or telephone banking\n\n- by CHAPS or BACS\n\n- at your bank or building society, if it\u2019s still open\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nCall HMRC if you want to check your payment has been received.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-voluntary-class-3-national-insurance", + "answerable": true, + "scenario": "I am a UK citizen and live abroad .I don't want to get national insurance gaps . I want to submit my national insurance through my overseas bank account .", + "original_question": "Can it be allowed?" + }, + { + "id": "train-1046", + "question": "Scenario: I am 16 years old. I am employed, and I am going to be earning \u00a317,000 this year. I have never paid national insurance before.\n\nQuestion: Will I need to pay national insurance this year?\n\nDocument - National Insurance:\n## Overview\n\nYou pay National Insurance contributions to qualify for certain benefits and the State Pension.\n\nYou pay mandatory National Insurance if you\u2019re 16 or over and are either:\n\n- an employee earning above \u00a3184 a week\n\n- self-employed and making a profit of \u00a36,515 or more a year\n\nYou may be able to pay voluntary contributions to avoid gaps in your NI contributions.\n\nYou need a National Insurance number before you can start paying National Insurance contributions.\n\nIf you earn between \u00a3120 and \u00a3184 a week, your contributions are treated as having been paid to protect your National Insurance record.\n\nThis page is also available in Welsh (Cymraeg).\n\n## National Insurance classes\n\nThere are different types of National Insurance (known as \u2018classes\u2019).\n\nThe type you pay depends on your employment status and how much you earn.\n\n## When you stop paying\n\nIf you\u2019re employed, you stop paying Class 1 National Insurance when you reach the State Pension age.\n\nIf you\u2019re self-employed you stop paying:\n\n- Class 2 National Insurance when you reach State Pension age\n\n- Class 4 National Insurance from 6 April (start of the tax year) after you reach State Pension age\n\n## Your National Insurance number\n\nYou have a National Insurance number to make sure your National Insurance contributions and tax are recorded against your name only.\n\nIt\u2019s made up of letters and numbers and never changes.\n\nYou can find your National Insurance number:\n\n- on your payslip\n\n- on your P60\n\n- on letters about your tax, pension or benefits\n\n- in the National Insurance section of your personal tax account\n\nYou can apply for a National Insurance number if you do not have one or find your National Insurance number if you\u2019ve lost it.\n\n## Who uses your National Insurance number\n\nThese organisations need to know what your number is:\n\n- HM Revenue and Customs (HMRC)\n\n- your employer\n\n- the Department for Work and Pensions (which includes Jobcentre Plus and the Pension, Disability and Carers Service), if you claim state benefits, or in Northern Ireland the Department for Social Development\n\n- your local council, if you claim Housing Benefit, or the Northern Ireland Housing Executive\n\n- Electoral Registration Officers (to check your identity when you register to vote)\n\n- the Student Loan Company, if you apply for a student loan\n\n- your pension provider if you have a personal or stakeholder pension\n\n- your Individual Savings Account (ISA) provider, if you open an ISA\n\n- authorised financial service providers who help you buy and sell investments like shares, bonds and derivatives - you can check if your provider is authorised\n\nTo prevent identity fraud, keep your National Insurance number safe. Do not share it with anyone who does not need it.\n\n## Proving your National Insurance number\n\nYou can save or print a letter confirming your National Insurance number from your personal tax account.\n\nIf you do not have a personal tax account, contact HMRC to ask for a letter.\n\n## National Insurance classes\n\nThe class you pay depends on your employment status and how much you earn.\n\n| National Insurance class | Who pays |\n\n| Class 1 | Employees earning more than \u00a3184 a week and under State Pension age - they\u2019re automatically deducted by your employer |\n\n| Class 1A or 1B | Employers pay these directly on their employee\u2019s expenses or benefits |\n\n| Class 2 | Self-employed people earning profits of \u00a36,515 or more a year. If you\u2019re earning less than this, you can choose to pay voluntary contributions to fill or avoid gaps in your National Insurance record |\n\n| Class 3 | Voluntary contributions - you can pay them to fill or avoid gaps in your National Insurance record |\n\n| Class 4 | Self-employed people earning profits of \u00a39,569 or more a year |\n\nSee the current rates for Class 1, 2 and 4 contributions.\n\n## How much you pay\n\nThe amount of National Insurance you pay depends on your employment status and how much you earn.\n\nYou can see rates for past tax years.\n\n## If you\u2019re employed\n\nYou pay Class 1 National Insurance contributions. The rates for most people for the 2021 to 2022 tax year are:\n\n| Your pay | Class 1 National Insurance rate |\n\n| \u00a3184 to \u00a3967 a week (\u00a3797 to \u00a34,189 a month) | 12% |\n\n| Over \u00a3967 a week (\u00a34,189 a month) | 2% |\n\nYou\u2019ll pay less if:\n\n- you\u2019re a married woman or widow with a valid \u2018certificate of election\u2019\n\n- you\u2019re deferring National Insurance because you\u2019ve got more than one job\n\nEmployers pay a different rate of National Insurance depending on their employees\u2019 category letters.\n\n## How to pay\n\nYou pay National Insurance with your tax. Your employer will take it from your wages before you get paid. Your payslip will show your contributions.\n\nIf you\u2019re a director of a limited company, you may also be your own employee and pay Class 1 National Insurance through your PAYE payroll.\n\n## If you\u2019re self-employed\n\nYou pay Class 2 and Class 4 National Insurance, depending on your profits. Most people pay both through Self Assessment.\n\nYou may be able to pay voluntary contributions to avoid gaps in your national insurance record if you:\n\n- have profits of less than \u00a36,515 a year from your self-employment\n\n- have a specific job (such as an examiner or business owner in property or land) and you do not pay Class 2 National Insurance through Self Assessment\n\nIf you have a specific job and you do not pay Class 2 National Insurance through Self Assessment, you need to contact HMRC to arrange a voluntary payment.\n\n## If you\u2019re employed and self-employed\n\nYou might be an employee but also do self-employed work. In this case your employer will deduct your Class 1 National Insurance from your wages, and you may have to pay Class 2 and 4 National Insurance for your self-employed work.\n\nHow much you pay depends on your combined wages and your self-employed work. HM Revenue and Customs (HMRC) will let you know how much National Insurance is due after you\u2019ve filed your Self Assessment tax return.\n\n## Directors, landlords and share fishermen\n\nThere are different National Insurance rules for:\n\n- company directors\n\n- landlords running a property business\n\n- share fishermen for example you\u2019re working on a British fishing boat but not under a contract of service\n\nYou can apply to HMRC to check your National Insurance record and claim a refund if you think you\u2019ve overpaid.\n\n## What National Insurance is for\n\nNational Insurance contributions count towards the benefits and pensions in the table.\n\n| | Class 1: employees | Class 2: self-employed | Class 3: voluntary contributions |\n\n| Basic State Pension | Yes | Yes | Yes |\n\n| Additional State Pension | Yes | No | No |\n\n| New State Pension | Yes | Yes | Yes |\n\n| Contribution-based Jobseeker\u2019s Allowance | Yes | No | No |\n\n| Contribution-based Employment and Support Allowance | Yes | Yes | No |\n\n| Maternity Allowance | Yes | Yes | No |\n\n| Bereavement Support Payment | Yes | Yes | No |\n\nClass 4 contributions paid by self-employed people with a profit of \u00a39,569 or more do not usually count towards state benefits.\n\n## Help if you're not working\n\nYour benefits could be affected if there are gaps in your National Insurance record. National Insurance credits can help to avoid gaps in your record and protect your benefits.\n\nYou can get credits if you cannot pay National Insurance contributions, for example, if:\n\n- you\u2019re unable to work due to illness\n\n- you\u2019re caring for someone\n\nIf you\u2019re not working or getting credits you can also top up your National Insurance with voluntary contributions.\n\n## Change of circumstance\n\nYou must tell HM Revenue and Customs (HMRC) if you:\n\n- change your personal details, for example your name, address or marital status\n\n- start being self-employed\n\n- stop being self-employed", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-insurance", + "answerable": true, + "scenario": "I am 16 years old. I am employed, and I am going to be earning \u00a317,000 this year. I have never paid national insurance before.", + "original_question": "Will I need to pay national insurance this year?" + }, + { + "id": "train-1048", + "question": "Scenario: I have been working in Germany since 2013 and I have settled here and have a good job. I am very scared about what BREXIT means for me.\n\nQuestion: Have I lost my right to live and work in the EU since BREXIT?\n\nDocument - Work in an EU country:\n## Overview\n\nYou\u2019ll need a work permit to work in most EU countries if you\u2019re a UK citizen.\n\nIn most cases, you\u2019ll need a job offer from your chosen country so that you can get a visa to move there.\n\nCheck with the UK-based embassy of the country you want to work in to see what you need to do.\n\nIf you want to work in an EU country, check the country\u2019s living in guide for updates.\n\n## If you moved to the EU before 1 January 2021\n\nIf you were legally living in an EU country before 1 January 2021, your right to work will be protected as long as you carry on living there. This is because you are covered by the Withdrawal Agreement.\n\nYou\u2019re also protected by the Withdrawal Agreement if you started working in one EU country and living in a different EU country or the UK, before 1 January 2021.\n\nYou\u2019ll have the same rights as nationals of the country you\u2019re working in when it comes to working conditions, pay and social security (for example, benefits).\n\n## Healthcare and insurance\n\nYou can use a European Health Insurance Card (EHIC) or UK Global Health Insurance Card (GHIC) if you\u2019re working in an EU country for up to 3 months. Your EHIC or GHIC gives you access to free or cheaper state-provided medical treatment.\n\nSome UK-issued EHICs may no longer be valid in Switzerland, Norway, Iceland or Liechtenstein.\n\nFind out more about the EHIC and GHIC, including who can get them, where they\u2019re valid and how to apply.\n\nIf you\u2019re planning to work in an EEA country or Switzerland for longer, you may need to:\n\n- register as a resident and pay social security contributions to use the state healthcare system in that country\n\n- take out private health insurance\n\nEach country\u2019s healthcare system is different and you may have to pay for treatment you\u2019d get for free on the NHS.\n\nFind out more in the country healthcare guides.\n\nYou usually have to pay for any medical treatment outside of the EEA, but you can get free or reduced cost treatment in some other countries.\n\n## Working abroad for a UK employer\n\nIf you are sent to work abroad temporarily, your employer must follow some of the employment rules of the country you\u2019re sent to work in.\n\nFind out about the employment rules for a country by contacting its UK-based embassy.\n\nYou can also read guidance for business travellers visiting Europe.\n\n## Tax\n\nYou might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).\n\nFill in form P85 to tell HM Revenue and Customs (HMRC) that you\u2019ve left or are about to leave the UK to live or work abroad. Fill in the form and send it to HMRC.\n\nHMRC will tell you how your tax will be affected.\n\n## National Insurance\n\nYou might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.\n\nIf you\u2019re eligible, you can keep paying National Insurance to protect your State Pension and entitlement to other benefits.\n\n## Your circumstances change\n\nContact HMRC if your circumstances change when you\u2019re abroad, for example if you move house or your marital status changes. You\u2019ll need your National Insurance number.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/working-abroad", + "answerable": true, + "scenario": "I have been working in Germany since 2013 and I have settled here and have a good job. I am very scared about what BREXIT means for me.", + "original_question": "Have I lost my right to live and work in the EU since BREXIT?" + }, + { + "id": "train-1049", + "question": "Scenario: My current UK employer has asked me to work in Spain at our offices there. I am very confused over what I need to do.\n\nQuestion: Do I need to pay UK income tax and National Insurance while I'm abroad?\n\nDocument - Work in an EU country:\n## Overview\n\nYou\u2019ll need a work permit to work in most EU countries if you\u2019re a UK citizen.\n\nIn most cases, you\u2019ll need a job offer from your chosen country so that you can get a visa to move there.\n\nCheck with the UK-based embassy of the country you want to work in to see what you need to do.\n\nIf you want to work in an EU country, check the country\u2019s living in guide for updates.\n\n## If you moved to the EU before 1 January 2021\n\nIf you were legally living in an EU country before 1 January 2021, your right to work will be protected as long as you carry on living there. This is because you are covered by the Withdrawal Agreement.\n\nYou\u2019re also protected by the Withdrawal Agreement if you started working in one EU country and living in a different EU country or the UK, before 1 January 2021.\n\nYou\u2019ll have the same rights as nationals of the country you\u2019re working in when it comes to working conditions, pay and social security (for example, benefits).\n\n## Healthcare and insurance\n\nYou can use a European Health Insurance Card (EHIC) or UK Global Health Insurance Card (GHIC) if you\u2019re working in an EU country for up to 3 months. Your EHIC or GHIC gives you access to free or cheaper state-provided medical treatment.\n\nSome UK-issued EHICs may no longer be valid in Switzerland, Norway, Iceland or Liechtenstein.\n\nFind out more about the EHIC and GHIC, including who can get them, where they\u2019re valid and how to apply.\n\nIf you\u2019re planning to work in an EEA country or Switzerland for longer, you may need to:\n\n- register as a resident and pay social security contributions to use the state healthcare system in that country\n\n- take out private health insurance\n\nEach country\u2019s healthcare system is different and you may have to pay for treatment you\u2019d get for free on the NHS.\n\nFind out more in the country healthcare guides.\n\nYou usually have to pay for any medical treatment outside of the EEA, but you can get free or reduced cost treatment in some other countries.\n\n## Working abroad for a UK employer\n\nIf you are sent to work abroad temporarily, your employer must follow some of the employment rules of the country you\u2019re sent to work in.\n\nFind out about the employment rules for a country by contacting its UK-based embassy.\n\nYou can also read guidance for business travellers visiting Europe.\n\n## Tax\n\nYou might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).\n\nFill in form P85 to tell HM Revenue and Customs (HMRC) that you\u2019ve left or are about to leave the UK to live or work abroad. Fill in the form and send it to HMRC.\n\nHMRC will tell you how your tax will be affected.\n\n## National Insurance\n\nYou might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.\n\nIf you\u2019re eligible, you can keep paying National Insurance to protect your State Pension and entitlement to other benefits.\n\n## Your circumstances change\n\nContact HMRC if your circumstances change when you\u2019re abroad, for example if you move house or your marital status changes. You\u2019ll need your National Insurance number.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/working-abroad", + "answerable": true, + "scenario": "My current UK employer has asked me to work in Spain at our offices there. I am very confused over what I need to do.", + "original_question": "Do I need to pay UK income tax and National Insurance while I'm abroad?" + }, + { + "id": "train-1051", + "question": "Scenario: I am 74 and have a substantial private pension - and the state pension - which I have previously paid a lot of tax on. I have recently been diagnosed with a terminal illness and might have less than a year to live.\n\nQuestion: Does my diagnosis make a difference to the tax I pay on my pension? I would like to leave as much for my children to inherit as possible.\n\nDocument - Tax when you get a pension:\n## What\u2019s taxed\n\nYou pay tax if your total annual income adds up to more than your Personal Allowance. Find out about your Personal Allowance and Income Tax rates.\n\nYour total income could include:\n\n- the State Pension you get (either the basic State Pension or the new State Pension)\n\n- Additional State Pension\n\n- a private pension (workplace or personal) - you can take some of this tax-free\n\n- earnings from employment or self-employment\n\n- any taxable benefits you get\n\n- any other income, such as money from investments, property or savings\n\nYou may have to pay Income Tax at a higher rate if you take a large amount from a private pension. You may also owe extra tax at the end of the tax year.\n\n## If your private pensions total more than \u00a31,073,100\n\nYou usually pay a tax charge if the total value of your private pensions is more than \u00a31,073,100. Your pension provider will take off the charge before you get your payment.\n\n## Tax if someone inherits your pension\n\nOther rules apply if someone inherits your State pension or your private pension.\n\n## What's tax-free\n\nYou won\u2019t usually pay any tax if your total annual income adds up to less than your Personal Allowance.\n\n## Lump sums from your pension\n\nYou can usually take up to 25% of the amount built up in any pension as a tax-free lump sum. The tax-free lump sum doesn\u2019t affect your Personal Allowance.\n\nTax is taken off the remaining amount before you get it.\n\nWhen you can take your pension depends on your pension\u2019s rules. It\u2019s usually 55 at the earliest.\n\nYou might have to pay Income Tax at a higher rate if you take a large amount from your pension. You could also owe extra tax at the end of the tax year.\n\n## How you can take your pension\n\n## A pension worth up to \u00a310,000\n\nYou can usually take any pension worth up to \u00a310,000 in one go. This is called a \u2018small pot\u2019 lump sum. If you take this option, 25% is tax-free.\n\nYou can usually get:\n\n- up to 3 small pot lump sums from different personal pensions\n\n- unlimited small pot lump sums from different workplace pensions\n\n## A pension worth up to \u00a330,000 that includes a defined benefit pension\n\nIf you have \u00a330,000 or less in all of your private pensions, you can usually take everything you have in your defined benefit pension or defined contribution pension as a \u2018trivial commutation\u2019 lump sum. If you take this option, 25% is tax-free.\n\nIf this lump sum is paid from more than one pension, you must:\n\n- have your savings in each scheme valued by the provider on the same day, no more than 3 months before you get the first payment\n\n- get all payments within 12 months of the first payment\n\nIf you take payments from a pension before taking the rest as a lump sum, you pay tax on the whole lump sum.\n\n## Cash from a defined contribution pension\n\nCheck with your provider about how you can take money from a defined contribution pension. You can take:\n\n- all the money built up in your pension as cash - up to 25% is tax-free\n\n- smaller cash sums from your pension - up to 25% of each sum is tax-free\n\nYou may have to pay a tax charge on money you put into your pension after you withdraw cash.\n\n## If your life expectancy is less than a year\n\nYou may be able to take all the money in your pension as a tax-free lump sum, if all of the following apply:\n\n- you\u2019re expected to live less than a year because of serious illness\n\n- you\u2019re under 75\n\n- you don\u2019t have more than the lifetime allowance of \u00a31,073,100 in pension savings\n\nIf you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.\n\nCheck with your pension provider. Some pension funds will keep at least 50% of your pension for your spouse or civil partner.\n\n## How your tax is paid\n\n## If you get the State Pension and a private pension\n\nYour pension provider will take off any tax you owe before they pay you. They\u2019ll also take off any tax you owe on your State Pension.\n\nIf you get payments from more than one provider (for example, from a workplace pension and a personal pension), HM Revenue and Customs (HMRC) will ask one of your providers to take the tax off your State Pension.\n\nAt the end of the tax year you\u2019ll get a P60 from your pension provider showing how much tax you\u2019ve paid.\n\n## If the State Pension is your only income\n\nYou\u2019re responsible for paying any tax you owe. Fill in and send a Self Assessment tax return if you owe anything.\n\nIf you started getting your pension on or after 6 April 2016, don\u2019t send a tax return. HMRC will write to tell you what you owe and how to pay.\n\n## If you continue to work\n\nYour employer will take any tax due off your earnings and your State Pension. This is called Pay As You Earn (PAYE).\n\nIf you\u2019re self-employed you must fill in a Self Assessment tax return at the end of the tax year. You must declare your overall income, including the State Pension and money from private pensions, for example your workplace pension.\n\n## If you have other income\n\nYou\u2019re responsible for paying any tax you owe on income other than money from your pensions. You might have to fill in a Self Assessment tax return.\n\nYou can claim a tax refund if you\u2019ve paid too much tax.\n\n## Tax codes\n\nIf your income only comes from one source you\u2019ll usually have one tax code.\n\nYou can have several tax codes if you have income from more than one source.\n\nYou can get your tax code corrected if you think it\u2019s wrong.\n\n## Tax when you live abroad\n\nIf you live abroad but are classed as a UK resident for tax purposes, you may have to pay UK tax on your pension. The amount you pay depends on your income.\n\nIf you\u2019re not a UK resident, you don\u2019t usually pay UK tax on your pension. But you might have to pay tax in the country you live in. There are a few exceptions - for example, UK civil service pensions will always be taxed in the UK.\n\n## Double tax\n\nIf you live in a country without a \u2018double taxation agreement\u2019 with the UK, you might have to pay tax in both countries.\n\n## Higher tax on unauthorised payments\n\nYou\u2019ll pay up to 55% tax on payments from your pension provider if they make an \u2018unauthorised payment\u2019. This is a payment made outside of the government\u2019s tax rules and usually includes:\n\n- any payments before you\u2019re 55 (there are exceptions)\n\n- a \u2018trivial commutation\u2019 lump sum of over \u00a330,000\n\n- regular payments into your account after you\u2019ve died\n\nSome companies advertise personal loans or cash advances if you take your pension early. These payments are unauthorised and you have to pay tax on them.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-on-pension", + "answerable": true, + "scenario": "I am 74 and have a substantial private pension - and the state pension - which I have previously paid a lot of tax on. I have recently been diagnosed with a terminal illness and might have less than a year to live.", + "original_question": "Does my diagnosis make a difference to the tax I pay on my pension? I would like to leave as much for my children to inherit as possible." + }, + { + "id": "train-1052", + "question": "Scenario: My brother is a UK citizen. He has completed his masters in Engineering . He now wants to find a job offer and move to France in December 2021.\n\nQuestion: Does he need a job offer in france inorder to apply for a work permit?\n\nDocument - Work in an EU country:\n## Overview\n\nYou\u2019ll need a work permit to work in most EU countries if you\u2019re a UK citizen.\n\nIn most cases, you\u2019ll need a job offer from your chosen country so that you can get a visa to move there.\n\nCheck with the UK-based embassy of the country you want to work in to see what you need to do.\n\nIf you want to work in an EU country, check the country\u2019s living in guide for updates.\n\n## If you moved to the EU before 1 January 2021\n\nIf you were legally living in an EU country before 1 January 2021, your right to work will be protected as long as you carry on living there. This is because you are covered by the Withdrawal Agreement.\n\nYou\u2019re also protected by the Withdrawal Agreement if you started working in one EU country and living in a different EU country or the UK, before 1 January 2021.\n\nYou\u2019ll have the same rights as nationals of the country you\u2019re working in when it comes to working conditions, pay and social security (for example, benefits).\n\n## Healthcare and insurance\n\nYou can use a European Health Insurance Card (EHIC) or UK Global Health Insurance Card (GHIC) if you\u2019re working in an EU country for up to 3 months. Your EHIC or GHIC gives you access to free or cheaper state-provided medical treatment.\n\nSome UK-issued EHICs may no longer be valid in Switzerland, Norway, Iceland or Liechtenstein.\n\nFind out more about the EHIC and GHIC, including who can get them, where they\u2019re valid and how to apply.\n\nIf you\u2019re planning to work in an EEA country or Switzerland for longer, you may need to:\n\n- register as a resident and pay social security contributions to use the state healthcare system in that country\n\n- take out private health insurance\n\nEach country\u2019s healthcare system is different and you may have to pay for treatment you\u2019d get for free on the NHS.\n\nFind out more in the country healthcare guides.\n\nYou usually have to pay for any medical treatment outside of the EEA, but you can get free or reduced cost treatment in some other countries.\n\n## Working abroad for a UK employer\n\nIf you are sent to work abroad temporarily, your employer must follow some of the employment rules of the country you\u2019re sent to work in.\n\nFind out about the employment rules for a country by contacting its UK-based embassy.\n\nYou can also read guidance for business travellers visiting Europe.\n\n## Tax\n\nYou might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).\n\nFill in form P85 to tell HM Revenue and Customs (HMRC) that you\u2019ve left or are about to leave the UK to live or work abroad. Fill in the form and send it to HMRC.\n\nHMRC will tell you how your tax will be affected.\n\n## National Insurance\n\nYou might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.\n\nIf you\u2019re eligible, you can keep paying National Insurance to protect your State Pension and entitlement to other benefits.\n\n## Your circumstances change\n\nContact HMRC if your circumstances change when you\u2019re abroad, for example if you move house or your marital status changes. You\u2019ll need your National Insurance number.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/working-abroad", + "answerable": true, + "scenario": "My brother is a UK citizen. He has completed his masters in Engineering . He now wants to find a job offer and move to France in December 2021.", + "original_question": "Does he need a job offer in france inorder to apply for a work permit?" + }, + { + "id": "train-1053", + "question": "Scenario: I work for a UK company . I am a full time employee and pay national insurance. My employer has requested me to move to Germany in our other office and work from there for 3 years.\n\nQuestion: Can i continue paying my National insurance?\n\nDocument - Work in an EU country:\n## Overview\n\nYou\u2019ll need a work permit to work in most EU countries if you\u2019re a UK citizen.\n\nIn most cases, you\u2019ll need a job offer from your chosen country so that you can get a visa to move there.\n\nCheck with the UK-based embassy of the country you want to work in to see what you need to do.\n\nIf you want to work in an EU country, check the country\u2019s living in guide for updates.\n\n## If you moved to the EU before 1 January 2021\n\nIf you were legally living in an EU country before 1 January 2021, your right to work will be protected as long as you carry on living there. This is because you are covered by the Withdrawal Agreement.\n\nYou\u2019re also protected by the Withdrawal Agreement if you started working in one EU country and living in a different EU country or the UK, before 1 January 2021.\n\nYou\u2019ll have the same rights as nationals of the country you\u2019re working in when it comes to working conditions, pay and social security (for example, benefits).\n\n## Healthcare and insurance\n\nYou can use a European Health Insurance Card (EHIC) or UK Global Health Insurance Card (GHIC) if you\u2019re working in an EU country for up to 3 months. Your EHIC or GHIC gives you access to free or cheaper state-provided medical treatment.\n\nSome UK-issued EHICs may no longer be valid in Switzerland, Norway, Iceland or Liechtenstein.\n\nFind out more about the EHIC and GHIC, including who can get them, where they\u2019re valid and how to apply.\n\nIf you\u2019re planning to work in an EEA country or Switzerland for longer, you may need to:\n\n- register as a resident and pay social security contributions to use the state healthcare system in that country\n\n- take out private health insurance\n\nEach country\u2019s healthcare system is different and you may have to pay for treatment you\u2019d get for free on the NHS.\n\nFind out more in the country healthcare guides.\n\nYou usually have to pay for any medical treatment outside of the EEA, but you can get free or reduced cost treatment in some other countries.\n\n## Working abroad for a UK employer\n\nIf you are sent to work abroad temporarily, your employer must follow some of the employment rules of the country you\u2019re sent to work in.\n\nFind out about the employment rules for a country by contacting its UK-based embassy.\n\nYou can also read guidance for business travellers visiting Europe.\n\n## Tax\n\nYou might still have to pay UK Income Tax, depending on what your \u2018residency status\u2019 will be in the country you\u2019re going to (for example, if you\u2019ll be a temporary or permanent resident).\n\nFill in form P85 to tell HM Revenue and Customs (HMRC) that you\u2019ve left or are about to leave the UK to live or work abroad. Fill in the form and send it to HMRC.\n\nHMRC will tell you how your tax will be affected.\n\n## National Insurance\n\nYou might be able to pay National Insurance while you\u2019re working abroad, depending on where you\u2019re working and how long for.\n\nIf you\u2019re eligible, you can keep paying National Insurance to protect your State Pension and entitlement to other benefits.\n\n## Your circumstances change\n\nContact HMRC if your circumstances change when you\u2019re abroad, for example if you move house or your marital status changes. You\u2019ll need your National Insurance number.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/working-abroad", + "answerable": true, + "scenario": "I work for a UK company . I am a full time employee and pay national insurance. My employer has requested me to move to Germany in our other office and work from there for 3 years.", + "original_question": "Can i continue paying my National insurance?" + }, + { + "id": "train-1054", + "question": "Scenario: I rented a flat and paid a deposit of \u00a3900 equivalent to the monthly rent . I have no arrears or aware of any damages to the property . I have adhered according to the tenancy agreement.I want to relocate elsewhere.\n\nQuestion: Will i be able to get my deposit?\n\nDocument - Tenancy deposit protection:\n## Overview\n\nYour landlord must put your deposit in a government-approved tenancy deposit scheme (TDP) if you rent your home on an assured shorthold tenancy that started after 6 April 2007. In England and Wales your deposit can be registered with:\n\n- Deposit Protection Service\n\n- MyDeposits - including deposits that were held by Capita\n\n- Tenancy Deposit Scheme\n\nIf you don\u2019t rent your home on an assured shorthold tenancy, your landlord can accept valuable items (for example a car or watch) as a deposit instead of money. The items won\u2019t be protected by a scheme.\n\nThere are separate TDP schemes in Scotland and Northern Ireland.\n\nThey make sure you\u2019ll get your deposit back if you:\n\n- meet the terms of your tenancy agreement\n\n- don\u2019t damage the property\n\n- pay your rent and bills\n\nYour landlord or letting agent must put your deposit in the scheme within 30 days of getting it.\n\n## At the end of your tenancy\n\nYour landlord must return your deposit within 10 days of you both agreeing how much you\u2019ll get back.\n\nIf you\u2019re in a dispute with your landlord, then your deposit will be protected in the TDP scheme until the issue is sorted out.\n\n## Holding deposits\n\nYour landlord doesn\u2019t have to protect a holding deposit (money you pay to \u2018hold\u2019 a property before an agreement is signed). Once you become a tenant, the holding deposit becomes a deposit, which they must protect.\n\n## Deposits made by a third party\n\nYour landlord must use a TDP scheme even if your deposit is paid by someone else, such as a rent deposit scheme or your parents.\n\n## Information landlords must give tenants\n\nOnce your landlord has received your deposit, they have 30 days to tell you:\n\n- the address of the rented property\n\n- how much deposit you\u2019ve paid\n\n- how the deposit is protected\n\n- the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service\n\n- their (or the letting agency\u2019s) name and contact details\n\n- the name and contact details of any third party that\u2019s paid the deposit\n\n- why they would keep some or all of the deposit\n\n- how to apply to get the deposit back\n\n- what to do if you can\u2019t get hold of the landlord at the end of the tenancy\n\n- what to do if there\u2019s a dispute over the deposit\n\n## If your landlord doesn't protect your deposit\n\nContact a tenancy deposit scheme (TDP) if you\u2019re not sure whether your deposit has been protected.\n\nContact MyDeposits if your deposit was held by Capita.\n\n## Getting your deposit back\n\nYou can apply to your local county court if you think your landlord hasn\u2019t used a TDP scheme when they should have.\n\nGet legal advice before applying to court. You do not need a solicitor to do this.\n\n## Before going to court\n\nIt can be quicker and cheaper to write to your landlord, rather than going to court.\n\nIf you cannot come to an agreement, you can apply to the court for compensation.\n\n## Apply to a county court\n\nApply using Form N208: Claim form.\n\nThe court fee is \u00a3308. You can claim this back from your landlord if you win your case.\n\nYou can apply for money off your court fee if you claim certain benefits or have a low income.\n\n## What happens next\n\nIf the court finds your landlord has not protected your deposit, it can order them to either:\n\n- repay it to you\n\n- pay it into a TDP scheme\u2019s bank account within 14 days\n\nThe court may also order the landlord to pay you up to 3 times the deposit within 14 days of making the order.\n\n## At the end of the tenancy\n\nThe court may decide that you won\u2019t have to leave the property when the tenancy ends if your landlord hasn\u2019t used a TDP scheme when they should have.\n\n## Disputes and problems\n\n## If there\u2019s a dispute over a deposit\n\nYour tenancy deposit protection (TDP) scheme offers a free dispute resolution service if you disagree with your landlord about how much deposit should be returned.\n\nYou don\u2019t have to use the service but if you do, both you and the landlord have to agree to it. You\u2019ll both be asked to provide evidence, and the decision made about your deposit will be final.\n\n## If you can\u2019t contact the landlord\n\nYou can \u2018raise a dispute\u2019 to get your deposit back if you can\u2019t contact your landlord and your deposit is held by one of the approved TDP schemes:\n\n- MyDeposits\n\n- Tenancy Deposit Scheme\n\n- Deposit Protection Service\n\nContact MyDeposits if your deposit was held by Capita.\n\nThe TDP scheme will refund your deposit if the dispute resolution service agrees.\n\nThere may be a limit on the time you have to raise a dispute. Contact the TDP scheme as soon as possible.\n\n## If your deposit is not held by an approved TDP scheme\n\nYou may be able to apply to your local county court to get your deposit back if your deposit was not protected by an approved TDP scheme.\n\nYou should write to your landlord and your letting agent (if you have one) before you make a claim. Your landlord or agent may offer to pay your deposit back after they get a letter to avoid legal costs.\n\n## Get help and advice\n\nYou can get more help and advice from:\n\n- your local Citizens Advice office\n\n- a solicitor or advice agency\n\n- Shelter in England or Shelter in Wales", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tenancy-deposit-protection", + "answerable": true, + "scenario": "I rented a flat and paid a deposit of \u00a3900 equivalent to the monthly rent . I have no arrears or aware of any damages to the property . I have adhered according to the tenancy agreement.I want to relocate elsewhere.", + "original_question": "Will i be able to get my deposit?" + }, + { + "id": "train-1055", + "question": "Scenario: I have paid my deposit and a one month rent. The house looks good and well taken care of but I am yet to hear from the landlord.\n\nQuestion: Will I get further information on how the deposit is managed?\n\nDocument - Tenancy deposit protection:\n## Overview\n\nYour landlord must put your deposit in a government-approved tenancy deposit scheme (TDP) if you rent your home on an assured shorthold tenancy that started after 6 April 2007. In England and Wales your deposit can be registered with:\n\n- Deposit Protection Service\n\n- MyDeposits - including deposits that were held by Capita\n\n- Tenancy Deposit Scheme\n\nIf you don\u2019t rent your home on an assured shorthold tenancy, your landlord can accept valuable items (for example a car or watch) as a deposit instead of money. The items won\u2019t be protected by a scheme.\n\nThere are separate TDP schemes in Scotland and Northern Ireland.\n\nThey make sure you\u2019ll get your deposit back if you:\n\n- meet the terms of your tenancy agreement\n\n- don\u2019t damage the property\n\n- pay your rent and bills\n\nYour landlord or letting agent must put your deposit in the scheme within 30 days of getting it.\n\n## At the end of your tenancy\n\nYour landlord must return your deposit within 10 days of you both agreeing how much you\u2019ll get back.\n\nIf you\u2019re in a dispute with your landlord, then your deposit will be protected in the TDP scheme until the issue is sorted out.\n\n## Holding deposits\n\nYour landlord doesn\u2019t have to protect a holding deposit (money you pay to \u2018hold\u2019 a property before an agreement is signed). Once you become a tenant, the holding deposit becomes a deposit, which they must protect.\n\n## Deposits made by a third party\n\nYour landlord must use a TDP scheme even if your deposit is paid by someone else, such as a rent deposit scheme or your parents.\n\n## Information landlords must give tenants\n\nOnce your landlord has received your deposit, they have 30 days to tell you:\n\n- the address of the rented property\n\n- how much deposit you\u2019ve paid\n\n- how the deposit is protected\n\n- the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service\n\n- their (or the letting agency\u2019s) name and contact details\n\n- the name and contact details of any third party that\u2019s paid the deposit\n\n- why they would keep some or all of the deposit\n\n- how to apply to get the deposit back\n\n- what to do if you can\u2019t get hold of the landlord at the end of the tenancy\n\n- what to do if there\u2019s a dispute over the deposit\n\n## If your landlord doesn't protect your deposit\n\nContact a tenancy deposit scheme (TDP) if you\u2019re not sure whether your deposit has been protected.\n\nContact MyDeposits if your deposit was held by Capita.\n\n## Getting your deposit back\n\nYou can apply to your local county court if you think your landlord hasn\u2019t used a TDP scheme when they should have.\n\nGet legal advice before applying to court. You do not need a solicitor to do this.\n\n## Before going to court\n\nIt can be quicker and cheaper to write to your landlord, rather than going to court.\n\nIf you cannot come to an agreement, you can apply to the court for compensation.\n\n## Apply to a county court\n\nApply using Form N208: Claim form.\n\nThe court fee is \u00a3308. You can claim this back from your landlord if you win your case.\n\nYou can apply for money off your court fee if you claim certain benefits or have a low income.\n\n## What happens next\n\nIf the court finds your landlord has not protected your deposit, it can order them to either:\n\n- repay it to you\n\n- pay it into a TDP scheme\u2019s bank account within 14 days\n\nThe court may also order the landlord to pay you up to 3 times the deposit within 14 days of making the order.\n\n## At the end of the tenancy\n\nThe court may decide that you won\u2019t have to leave the property when the tenancy ends if your landlord hasn\u2019t used a TDP scheme when they should have.\n\n## Disputes and problems\n\n## If there\u2019s a dispute over a deposit\n\nYour tenancy deposit protection (TDP) scheme offers a free dispute resolution service if you disagree with your landlord about how much deposit should be returned.\n\nYou don\u2019t have to use the service but if you do, both you and the landlord have to agree to it. You\u2019ll both be asked to provide evidence, and the decision made about your deposit will be final.\n\n## If you can\u2019t contact the landlord\n\nYou can \u2018raise a dispute\u2019 to get your deposit back if you can\u2019t contact your landlord and your deposit is held by one of the approved TDP schemes:\n\n- MyDeposits\n\n- Tenancy Deposit Scheme\n\n- Deposit Protection Service\n\nContact MyDeposits if your deposit was held by Capita.\n\nThe TDP scheme will refund your deposit if the dispute resolution service agrees.\n\nThere may be a limit on the time you have to raise a dispute. Contact the TDP scheme as soon as possible.\n\n## If your deposit is not held by an approved TDP scheme\n\nYou may be able to apply to your local county court to get your deposit back if your deposit was not protected by an approved TDP scheme.\n\nYou should write to your landlord and your letting agent (if you have one) before you make a claim. Your landlord or agent may offer to pay your deposit back after they get a letter to avoid legal costs.\n\n## Get help and advice\n\nYou can get more help and advice from:\n\n- your local Citizens Advice office\n\n- a solicitor or advice agency\n\n- Shelter in England or Shelter in Wales", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tenancy-deposit-protection", + "answerable": true, + "scenario": "I have paid my deposit and a one month rent. The house looks good and well taken care of but I am yet to hear from the landlord.", + "original_question": "Will I get further information on how the deposit is managed?" + }, + { + "id": "train-1056", + "question": "Scenario: Two friends and I have been squatting in a building for over a year. Now the owner of the building has turned up and told us that we need to leave. We are not doing any harm here\n\nQuestion: Given the length of time we have been in this building, do we have any rights to ownership?\n\nDocument - Squatting and the law:\n## Overview\n\nSquatting is when someone deliberately enters property without permission and lives there, or intends to live there. This is sometimes known as \u2018adverse possession\u2019.\n\nSquatting in residential buildings (like a house or flat) is illegal. It can lead to 6 months in prison, a \u00a35,000 fine or both.\n\nAnyone who originally enters a property with the permission of the landlord is not a squatter. For example, if you\u2019re renting a property and fall behind with rent payments you\u2019re not squatting if you continue to live there.\n\nAlthough squatting in non-residential building or land is not in itself a crime, it\u2019s a crime to damage the property.\n\nIt\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:\n\n- the owner\n\n- the police\n\n- the council\n\n- a repossession order\n\n## Squatting in non-residential properties\n\nA non-residential property is any building or land that is not designed to be lived in.\n\nSimply being on another person\u2019s non-residential property without their permission is not usually a crime. The police can take action if squatters commit other crimes when entering or staying in a property.\n\nCrimes include:\n\n- causing damage when entering the property\n\n- causing damage while in the property\n\n- not leaving when they\u2019re told to by a court\n\n- stealing from the property\n\n- using utilities like electricity or gas without permission\n\n- fly-tipping\n\n- not obeying a noise abatement notice\n\nContact the police if you see someone breaking into or damaging property.\n\n## Squatters' rights to property\n\nA long-term squatter can become the registered owner of property or land they\u2019ve occupied without the owner\u2019s permission.\n\nGet legal advice from a conveyancer or solicitor if you\u2019re a squatter in a property and want to claim ownership.\n\n## Who can apply\n\nYou can apply if you can prove:\n\n- you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)\n\n- you (or your predecessors) acted as owners of the property for the whole of that time\n\n- you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter\n\n## If the property\u2019s registered\n\nFill in a form for adverse possession.\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nSend your form and statement to the HM Land Registry Citizen Centre.\n\nHM Land Registry will decide if your application is valid and will let the property owner know. The owner has 65 days to object - your application will usually be automatically rejected if they do.\n\nYou\u2019ll be registered as the owner of the property if there\u2019s no objection.\n\nYou can apply again after 2 years if:\n\n- the owner has not tried to remove you\n\n- the property has not been reclaimed\n\n- you\u2019re still in possession of the property\n\nHM Land Registry will usually then register you as the owner.\n\n## If the property\u2019s unregistered\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nApply for first registration - include your statement with your application.\n\nHM Land Registry will:\n\n- inspect the property - you must pay a fee for this\n\n- decide if your application is valid\n\n- let the property owner know, if they have their details\n\nYou can try to come to an agreement with the owners if they object. HM Land Registry will arrange a tribunal to decide who owns the property if you cannot agree or do not want to.\n\nYou may have to pay the costs of the owner, such as their reasonable legal fees, no matter what the outcome.\n\n## Stop squatters legally possessing property\n\nHM Land Registry will tell you if squatters apply for legal ownership of your property if it\u2019s registered - you must take action if you want to keep it.\n\nGet legal advice from a conveyancer or solicitor if squatters try to claim your property.\n\nHow you block an application depends on whether your property is registered with HM Land Registry or not.\n\n## Registered properties\n\nYou\u2019ve 65 days to object to an application - HM Land Registry will tell you what you need to do.\n\nHM Land Registry will reject the squatters\u2019 application if you\u2019ve got a valid objection.\n\nYou must take action to remove the squatters and reclaim your property once the squatters\u2019 claim is rejected.\n\nYou will not be able to object again if you\u2019ve done nothing within 2 years of the original application and the same squatters reapply.\n\n## Unregistered properties\n\nYou can object to a squatter\u2019s application. HM Land Registry will tell you what you need to do.\n\nHM Land Registry may not be able to contact you if your property is not registered.\n\nHM Land Registry will decide if your objection is valid - if it is they\u2019ll ask if you want to negotiate with the squatters, for example offer to sell them the property. You\u2019ll be given time to do so.\n\nA tribunal will decide who owns the property if you cannot agree - HM Land Registry will arrange this.\n\n## Remove squatters\n\nYou can remove squatters using an interim possession order (IPO) or making a claim for possession.\n\nDo not try to remove the squatters yourself using force or the threat of force - you\u2019re committing a crime if you do.\n\nGet legal advice from a solicitor if you need help making a claim for possession.\n\n## Interim possession orders\n\nYou can only apply for an IPO if it\u2019s been 28 days or less since you found out your property\u2019s been squatted.\n\nFill in an application for an IPO and send it to your local county court.\n\nThe court will send you confirmation of your IPO within a few days. They will also send you documents that you must give to the squatters within 48 hours.\n\nAfter being served with an IPO squatters can be sent to prison if they do not:\n\n- leave your property within 24 hours\n\n- stay away from your property for 12 months\n\nTo get final possession of the property, you must make a claim for possession. You can do this on your IPO application form or separately online.\n\n## Exceptions\n\nYou cannot use an IPO if:\n\n- you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession\n\n- you\u2019re trying to evict former tenants, sub-tenants or licensees\n\n## Claim for possession\n\nMake a claim for possession if it\u2019s been more than 28 days since you found out about the squatters.\n\n## Where to get help\n\nYou may be classed as homeless if you\u2019re squatting. Get advice from Shelter or Shelter in Wales.\n\nYou can also contact your council for help.\n\n## Report squatters\n\nCall the police if you:\n\n- find people squatting in a residential property you own\n\n- see someone breaking into anywhere\n\n- think someone is squatting", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/squatting-law", + "answerable": true, + "scenario": "Two friends and I have been squatting in a building for over a year. Now the owner of the building has turned up and told us that we need to leave. We are not doing any harm here", + "original_question": "Given the length of time we have been in this building, do we have any rights to ownership?" + }, + { + "id": "train-1058", + "question": "Scenario: I left my job last month.Fortunately I have got a new job offer . I want to show my new employer about my tax payments on my salary.\n\nQuestion: Can my former employer refuse to give me P45?\n\nDocument - P45, P60 and P11D forms: workers' guide:\n## P45\n\nYou\u2019ll get a P45 from your employer when you stop working for them.\n\nThere\u2019s a separate guide to getting P45s if you\u2019re an employer.\n\nYour P45 shows how much tax you\u2019ve paid on your salary so far in the tax year (6 April to 5 April).\n\nA P45 has 4 parts (Part 1, Part 1A, Part 2 and Part 3).\n\n- Your employer sends details for Part 1 to HM Revenue and Customs (HMRC) and gives you the other parts.\n\n- You give Part 2 and 3 to your new employer (or to Jobcentre Plus if you\u2019re not working).\n\n- Keep Part 1A for your own records.\n\nBy law your employer must give you a P45 - ask them for one.\n\nYou can check how much tax you paid last year if you think you might have paid too much.\n\n## You do not have a P45\n\nYou will not have a P45 if you\u2019re starting your first job or you\u2019re taking on a second job. Your employer will need to work out how much tax you should be paying on your salary.\n\nThey may use a \u2018Starter Checklist\u2019 to collect the information, or may collect it another way. The Starter Checklist has questions about any other jobs, benefits or student loans you have. It helps your employer work out your correct tax code before your first payday.\n\n## P60\n\nYour P60 shows the tax you\u2019ve paid on your salary in the tax year (6 April to 5 April). You get a separate P60 for each of your jobs.\n\nThere\u2019s a separate guide to getting P60s if you\u2019re an employer.\n\nIf you\u2019re working for an employer on 5 April they must give you a P60. They must provide this by 31 May, on paper or electronically.\n\nYou\u2019ll need your P60 to prove how much tax you\u2019ve paid on your salary, for example:\n\n- to claim back overpaid tax\n\n- to apply for tax credits\n\n- as proof of your income if you apply for a loan or a mortgage\n\nYou can check how much tax you paid last year if you think you might have paid too much.\n\n## P11D\n\nYour employer might give you a copy of your P11D if they used it to tell HM Revenue and Customs (HMRC) about your \u2018benefits in kind\u2019 (for example company cars or interest-free loans).\n\nThey do not have to do this, but they must tell you how much each benefit is worth.\n\nThere\u2019s a separate guide to getting form P11D if you\u2019re an employer.\n\nYou might not get a P11D if your employer takes the tax you owe on your benefits out of your pay.\n\nYour employer will write to you to explain how this works.\n\n## Lost PAYE forms\n\n## Lost P45\n\nYou cannot get a replacement P45.\n\nInstead, your new employer may give you a \u2018Starter Checklist\u2019 or ask you for the relevant details about your finances to send to HM Revenue and Customs (HMRC).\n\n## Lost P60\n\nYou can get a replacement P60 from your employer.\n\n## P11D\n\nYou can usually get a copy of the P11D from your employer. If they cannot give you one, you can contact HMRC for a copy.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/paye-forms-p45-p60-p11d", + "answerable": true, + "scenario": "I left my job last month.Fortunately I have got a new job offer . I want to show my new employer about my tax payments on my salary.", + "original_question": "Can my former employer refuse to give me P45?" + }, + { + "id": "train-1059", + "question": "Scenario: I am a single person in steady employment. I fill out a self assessment tax return every year and have been doing so for 5 years.\n\nQuestion: Is it necessary to keep records of my tax papaerwork?\n\nDocument - Keeping your pay and tax records:\n## Overview\n\nYou need to keep records if you have to send HM Revenue and Customs (HMRC) a Self Assessment tax return.\n\nYou\u2019ll need your records to fill in your tax return correctly. If HMRC checks your tax return, they may ask for the documents.\n\nYou must also keep records for business income and outgoings if you\u2019re self-employed.\n\n## How to keep your records\n\nThere are no rules on how you must keep records. You can keep them on paper, digitally or as part of a software program (like book-keeping software).\n\nHMRC can charge you a penalty if your records are not accurate, complete and readable.\n\n## Lost or destroyed records\n\nTry to get copies of as much as you can, for example ask banks for copies of statements, suppliers for duplicate invoice etc.\n\nYou can use \u2018provisional\u2019 or \u2018estimated\u2019 figures if you cannot recreate all your records. You must use the \u2018Any other information\u2019 box on the tax return to say that this is what you\u2019re doing.\n\n\u2018Provisional\u2019 means you\u2019ll be able to get paperwork to confirm your figures later. \u2018Estimated\u2019 means you will not be able to confirm the figures.\n\nYou may have to pay interest and penalties if your figures turn out to be wrong and you have not paid enough tax.\n\n## How long to keep your records\n\nYou must keep records about your business income and costs for longer if you\u2019re self-employed.\n\nHow long you should keep your records depends on whether you send your tax return before or after the deadline.\n\nHM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.\n\n## Tax returns sent on or before the deadline\n\nYou should keep your records for at least 22 months after the end of the tax year the tax return is for.\n\n## Tax returns sent after the deadline\n\nYou should keep your records for at least 15 months after you sent the tax return.\n\n## Employees and limited company directors\n\n## Income from employment\n\nYou should keep documents about your pay and tax, including:\n\n- your P45 - if you leave your job, this shows your pay and tax to the date you left\n\n- your P60 - if you\u2019re in a job on 5 April, this shows your pay and tax for the tax year\n\n- form P11D - this shows your expenses and benefits, like a company car or health insurance\n\n- certificates for any Taxed Award Schemes\n\n- information about any redundancy or termination payment\n\nContact your employer if you do not have your P60, P45 or form P11D.\n\nYou should also keep details of any other income or benefits from your job, including:\n\n- any tips received (unless your employer pays them through the \u2018tronc\u2019 system, which means they will have deducted tax already)\n\n- benefits you get in connection with your job from someone other than your employer, like meal vouchers\n\n- any lump sum payments not included on your P60 or P45, like incentive payments or \u2018golden hellos\u2019 (payments you get to encourage you to take a new job)\n\n## Expense records\n\nIf you\u2019ve had to pay for things like tools, travel or specialist clothing for work, you may be able to claim for these to reduce the tax you\u2019ll have to pay. You need to keep a record of these so you can include them in your tax return.\n\n## Benefits records\n\nYou should keep any documents relating to:\n\n- social security benefits\n\n- Statutory Sick Pay\n\n- Statutory Maternity, Paternity or Adoption Pay\n\n- Jobseeker\u2019s Allowance\n\n## Income from employee share schemes or share-related benefits\n\nYou should keep:\n\n- copies of share option certificates and exercise notices\n\n- letters about any changes to your options\n\n- information about what you paid for your shares and the relevant dates\n\n- details of any benefits you\u2019ve received as an employee shareholder\n\n## Savings, investments and pensions\n\nYou should keep all:\n\n- bank or building society statements and passbooks\n\n- statements of interest and income from your savings and investments\n\n- tax deduction certificates from your bank\n\n- dividend vouchers you get from UK companies\n\n- unit trust tax vouchers\n\n- documents that show the profits you\u2019ve made from life insurance policies (called \u2018chargeable event certificates\u2019)\n\n- details of income you get from a trust\n\n- details of any out-of-the ordinary income you\u2019ve received, like an inheritance\n\n## Pension information\n\nYou should keep:\n\n- form P160 (Part 1A) which you got when your pension started\n\n- form P60 which your pension provider sends you every year\n\n- any other details of a pension (including State Pension) and the tax deducted from it\n\n## Rental income\n\nYou should keep details of:\n\n- the dates when you let out your property\n\n- all rent you get\n\n- any income from services you give to tenants (for example if you charge for maintenance or repairs)\n\n- rent books, receipts, invoices and bank statements\n\n- allowable expenses you pay to run your property (for example services you pay for such as cleaning or gardening)\n\nThere are rules about what you can and cannot claim as expenses on your tax return.\n\n## Capital gains or losses\n\nYou may have to pay Capital Gains Tax if you sell (or \u2018dispose of\u2019) certain assets that have gone up in value since you got them.\n\nYou must make sure you keep the correct records.\n\n## Overseas income\n\nYou should keep:\n\n- evidence of income you\u2019ve earned from overseas, like payslips, bank statements or payment confirmations\n\n- receipts for any overseas expenses you want to claim to reduce your tax bill\n\n- dividend certificates from overseas companies\n\n- certificates or other proof of the tax you\u2019ve already paid - either in the UK or overseas", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/keeping-your-pay-tax-records", + "answerable": true, + "scenario": "I am a single person in steady employment. I fill out a self assessment tax return every year and have been doing so for 5 years.", + "original_question": "Is it necessary to keep records of my tax papaerwork?" + }, + { + "id": "train-1061", + "question": "Scenario: I don't have an accountant. I am a full time worker and it's towards the end of the financial year. I have paying in slips and the paper statements .I would like to pay for self assessment tax bill to the HMRC.\n\nQuestion: Can I pay through the bank by cash?\n\nDocument - Pay your Self Assessment tax bill:\n## Overview\n\nThe deadlines for paying your tax bill are usually:\n\n- 31 January - for any tax you owe for the previous tax year (known as a balancing payment) and your first payment on account\n\n- 31 July for your second payment on account\n\nIf you delayed making a payment on account in July 2020 because of coronavirus (COVID-19), this will be added to your tax bill due by 31 January 2021.\n\nPay Self Assessment now\n\nYou can pay in regular monthly instalments, if you prefer.\n\nYou can get help if you cannot pay your tax bill on time.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline. You\u2019ll be charged interest and may have to pay a penalty if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- through your online bank account\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\nYou need a paying-in slip from HMRC to pay at a bank or building society.\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set one up with HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set one up with HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before (unless you\u2019re paying by Faster Payments or by debit or credit card).\n\n## Problems with payment services\n\nOnline payment services may be slow during busy times. Check if there are any current problems or times they are not available.\n\n## Direct Debit\n\nSet up a Direct Debit through your HM Revenue and Customs (HMRC) online account to make single payments for 31 January.\n\nYou can also set up another Direct Debit if you need to make a payment on account.\n\nYou\u2019ll need to set up single payments each time you want to pay by Direct Debit.\n\n## Reference number\n\nYou\u2019ll need to use your 11-character payment reference. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.\n\nYou\u2019ll find it either on your:\n\n- HMRC online account\n\n- paying-in slip, if you get paper statements\n\nYour payment may be delayed if you use the wrong reference number.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\nIf you\u2019re unable to pay your Self-Assessment tax bill in full by card, you should use another payment method like a bank transfer.\n\n## Make an online or telephone bank transfer\n\nYou can pay your Self Assessment bill using Faster Payments, CHAPS or Bacs.\n\n## Pay by Faster Payments, CHAPS or Bacs\n\nYour bill will tell you which account to pay in to. If you do not have a bill, or you\u2019re not sure, use HMRC Cumbernauld.\n\n## Account details to use\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## If your account is overseas\n\n| Bank identifier code (BIC) | Account number (IBAN) | Account name |\n\n| BARCGB22 | GB62BARC20114770297690 | HMRC Cumbernauld |\n\n| BARCGB22 | GB03BARC20114783977692 | HMRC Shipley |\n\n## What you\u2019ll need\n\nYou\u2019ll need to use your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.\n\nYou can find it on your:\n\n- HMRC online account\n\n- paying-in slip, if you get paper statements\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nPayments from overseas may take longer - check with your bank.\n\n## Multiple payments by CHAPS\n\nSend an online CHAPS enquiry form if you want to make a single CHAPS payment for multiple Self Assessment bills, using more than one payment reference number.\n\nHMRC\u2019s banking address is:\n\n## Approve a payment through your online bank account\n\nYou can pay your Self Assessment bill directly using your online or mobile bank account.\n\nWhen you\u2019re ready to pay, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your Self Assessment payment.\n\nThe payment is usually instant but sometimes it takes up to 2 hours to show in your account.\n\nYou\u2019ll need to have your online banking details ready to pay this way.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nUse your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find it either:\n\n- in your HMRC online account\n\n- on your paying-in slip, if you get paper statements\n\nHMRC will accept your payment on the date you make it, not the date it reaches their account - including on bank holidays and weekends.\n\nIf you\u2019re unable to pay your Self Assessment tax bill in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can only pay at your branch by cash or cheque if you both:\n\n- still get paper statements from HM Revenue and Customs (HMRC)\n\n- have the paying-in slip HMRC sent you\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find the reference number on the paying-in slip.\n\nHMRC will accept your payment on the date you make it, and not the date it reaches their account (as long as you pay from Monday to Friday).\n\n## If you do not have a paying-in slip\n\nYou\u2019ll need to pay by another method instead, for example:\n\n- debit or corporate credit card online\n\n- online or telephone banking\n\n- Direct Debit\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find this on your payslip.\n\nInclude the payslip HMRC sent you (if you still get paper statements). Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque correctly.\n\n## If you do not have an HMRC payslip\n\nYou can print a slip to use to pay by post. You cannot use this at a bank.\n\n## Pay in instalments\n\nIf you\u2019ve already filed your Self Assessment tax return, you might be able to pay the bill in instalments.\n\nWhat you need to do depends on whether you want to:\n\n- make payments against your latest bill\n\n- make advance payments against your next bill\n\n## If you cannot afford to pay your latest bill\n\nYou can set up a payment plan to spread the cost of your latest Self Assessment bill if all the following apply:\n\n- you owe \u00a330,000 or less\n\n- you do not have any other payment plans or debts with HMRC\n\n- your tax returns are up to date\n\n- it\u2019s less than 60 days after the payment deadline\n\nYou can choose how much to pay straight away and how much you want to pay each month. You\u2019ll have to pay interest.\n\nIf you don\u2019t keep up with your repayments, HM Revenue and Customs (HMRC) can ask you to pay everything you owe.\n\nThere are 2 ways you can set up a payment plan:\n\n- set up a payment plan online\n\n- call the Payment Support Service\n\n## If you want to make regular payments in advance\n\nYou can set up a budget payment plan if you want to put aside money to cover your next Self Assessment tax bill.\n\nThis is different from payments on account, which you normally make once every 6 months towards your next tax bill.\n\nThe budget payment plan lets you:\n\n- decide how much to pay each week or month\n\n- stop paying for up to 6 months\n\nYou must be up to date with your previous Self Assessment payments.\n\nSet up your plan using your HM Revenue and Customs (HMRC) online account. Go to the Direct Debit section and choose the budget payment option when filling in the Direct Debit form.\n\nIf the amount in your budget payment plan does not cover your next bill in full, you\u2019ll need to pay the difference by the payment deadlines.\n\n## Through your tax code\n\nYou can pay your Self Assessment bill through your PAYE tax code as long as all these apply:\n\n- you owe less than \u00a33,000 on your tax bill\n\n- you already pay tax through PAYE, for example you\u2019re an employee or you get a company pension\n\n- you submitted your paper tax return by 31 October or your online tax return online by 30 December\n\n## How it\u2019s set up\n\nHM Revenue and Customs (HMRC) will automatically collect what you owe through your tax code if you meet all 3 conditions, unless you\u2019ve specifically asked them not to (on your tax return).\n\nIf you\u2019re not eligible, you will not be able to pay this way.\n\n## When you cannot pay through your tax code\n\nYou will not be able to pay your tax bill through your PAYE tax code if:\n\n- you do not have enough PAYE income for HMRC to collect it\n\n- you\u2019d pay more than 50% of your PAYE income in tax\n\n- you\u2019d end up paying more than twice as much tax as you normally do\n\nIf you\u2019re self-employed you cannot pay Class 2 National Insurance through your tax code, unless it\u2019s been due since before 6 April 2015. You must use one of the other ways to pay by the deadline instead.\n\n## How deductions are made\n\nThe tax you owe will be taken from your salary or pension in equal instalments over 12 months, along with your usual tax deductions.\n\n## Check your payment has been received\n\nView your HM Revenue and Customs online account to check if your payment\u2019s been received - it should show as paid between 3 to 6 working days later.\n\nIf paying by post, you can include a letter with your payment to ask for a receipt from HMRC.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "answerable": true, + "scenario": "I don't have an accountant. I am a full time worker and it's towards the end of the financial year. I have paying in slips and the paper statements .I would like to pay for self assessment tax bill to the HMRC.", + "original_question": "Can I pay through the bank by cash?" + }, + { + "id": "train-1063", + "question": "Scenario: I started a new job a couple of weeks ago as an employee. I have yet to pay tax. It is my first job as I can now legally work. I only work 17 hours.\n\nQuestion: Will any tax due be sorted out for me?\n\nDocument - Tax codes:\n## Overview\n\nYour tax code is used by your employer or pension provider to work out how much Income Tax to take from your pay or pension. HM Revenue and Customs (HMRC) will tell them which code to use.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Find your tax code\n\nUse the check your Income Tax online service within your Personal Tax Account to find your tax code for the current year. You can also view your tax code for:\n\n- a previous tax year\n\n- the next tax year\n\nYou\u2019ll be asked to sign in with Government Gateway or create an account if you do not already have one.\n\nOnce signed in, you can also see:\n\n- if your tax code has changed\n\n- how much tax you\u2019re likely to pay\n\nYou can also find your tax code on your payslip or tax code letter from HMRC.\n\n## If you think your tax code is wrong\n\nIf you think your tax code is wrong, you can update your employment details using the check your Income Tax online service.\n\nYou can also tell HMRC about a change in income that may have affected your tax code.\n\n## Why your tax code might change\n\nHMRC may update your tax code if:\n\n- you start to get income from an additional job or pension\n\n- your employer tells HMRC you have started or stopped getting benefits from your job\n\n- you get taxable state benefits\n\n- you claim Marriage Allowance\n\n- you claim expenses that you get tax relief on\n\nYou may also be put on an emergency tax code if you change jobs.\n\n## What your tax code means\n\nYour tax code is made up of several numbers and a letter.\n\n1257L is the tax code currently used for most people who have one job or pension.\n\nHMRC will usually contact you to explain how they worked out your individual tax code if your tax code changes.\n\n## What the numbers mean\n\nThe numbers in your tax code tell your employer or pension provider how much tax-free income you get in that tax year.\n\nHMRC works out your individual number based on your tax-free Personal Allowance and income you have not paid tax on (such as untaxed interest or part-time earnings). They also consider the value of any benefits from your job (such as a company car).\n\n## What the letters mean\n\nLetters in your tax code refer to your situation and how it affects your Personal Allowance.\n\n| Letters | What they mean |\n\n| L | You\u2019re entitled to the standard tax-free Personal Allowance |\n\n| M | Marriage Allowance: you\u2019ve received a transfer of 10% of your partner\u2019s Personal Allowance |\n\n| N | Marriage Allowance: you\u2019ve transferred 10% of your Personal Allowance to your partner |\n\n| T | Your tax code includes other calculations to work out your Personal Allowance |\n\n| 0T | Your Personal Allowance has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code |\n\n| BR | All your income from this job or pension is taxed at the basic rate (usually used if you\u2019ve got more than one job or pension) |\n\n| D0 | All your income from this job or pension is taxed at the higher rate (usually used if you\u2019ve got more than one job or pension) |\n\n| D1 | All your income from this job or pension is taxed at the additional rate (usually used if you\u2019ve got more than one job or pension) |\n\n| NT | You\u2019re not paying any tax on this income |\n\n| S | Your income or pension is taxed using the rates in Scotland |\n\n| S0T | Your Personal Allowance (Scotland) has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code |\n\n| SBR | All your income from this job or pension is taxed at the basic rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| SD0 | All your income from this job or pension is taxed at the intermediate rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| SD1 | All your income from this job or pension is taxed at the higher rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| SD2 | All your income from this job or pension is taxed at the top rate in Scotland (usually used if you\u2019ve got more than one job or pension) |\n\n| C | Your income or pension is taxed using the rates in Wales |\n\n| C0T | Your Personal Allowance (Wales) has been used up, or you\u2019ve started a new job and your employer does not have the details they need to give you a tax code |\n\n| CBR | All your income from this job or pension is taxed at the basic rate in Wales (usually used if you\u2019ve got more than one job or pension) |\n\n| CD0 | All your income from this job or pension is taxed at the higher rate in Wales (usually used if you\u2019ve got more than one job or pension) |\n\n| CD1 | All your income from this job or pension is taxed at the additional rate in Wales (usually used if you\u2019ve got more than one job or pension) |\n\n## If your tax code has \u2018W1\u2019 or \u2018M1\u2019 or \u2018X\u2019 at the end\n\nThese are emergency tax codes.\n\n## If your tax code has a \u2018K\u2019 at the beginning\n\nTax codes with \u2018K\u2019 at the beginning mean you have income that is not being taxed another way and it\u2019s worth more than your tax-free allowance.\n\nFor most people, this happens when you\u2019re:\n\n- paying tax you owe from a previous year through your wages or pension\n\n- getting benefits you need to pay tax on - these can be state benefits or company benefits\n\nYour employer or pension provider takes the tax due on the income that has not been taxed from your wages or pension - even if another organisation is paying the untaxed income to you.\n\nEmployers and pension providers cannot take more than half your pre-tax wages or pension when using a K tax code.\n\n## Emergency tax codes\n\nIf you\u2019re on an emergency tax code your payslip will show:\n\n- 1257 W1\n\n- 1257 M1\n\n- 1257 X\n\nThese mean you\u2019ll pay tax on all your income above the basic Personal Allowance.\n\nYou may be put on an emergency tax code if HMRC does not get your income details in time after a change in circumstances such as:\n\n- a new job\n\n- working for an employer after being self-employed\n\n- getting company benefits or the State Pension\n\nEmergency tax codes are temporary. HMRC will usually update your tax code when you or your employer give them your correct details. If your change in circumstances means you have not paid the right amount of tax, you\u2019ll stay on the emergency tax code until you\u2019ve paid the correct tax for the year.\n\n## Updating your details\n\nYour employer can help you update your tax code by sending details about your previous income or pension to HMRC.\n\n## If you\u2019ve started a new job\n\nGive your employer your P45 from your previous job. If you do not have a P45, your employer should ask you for the information they need instead.\n\n## If you\u2019ve started working for an employer after being self-employed\n\nYour employer should give you a \u2018starter checklist\u2019 - this is a form you can use to give them details about your previous employment.\n\n## If you\u2019ve started getting company benefits or the State Pension\n\nCheck your tax code online to make sure it includes the State Pension or company benefit. If they\u2019re not included, update your details in the tax code online service or by contacting HMRC.\n\nThe emergency tax code will stay in place until the end of the tax year. This means you\u2019ll pay the right amount of tax for the current tax year. In the new tax year HMRC will put you on a regular tax code.\n\n## Tell HMRC about a change in income\n\nIn most cases, HMRC will automatically update your tax code when your income changes, for example if you start a new job, start getting a pension or receive benefits or work expenses. They\u2019ll usually get this information from your employer.\n\nIf HMRC has the wrong information about your income, you may be given an incorrect tax code.\n\nTo correct your tax code, make sure HMRC has up-to-date details about your income.\n\nCheck what you need to do if you\u2019re on an emergency tax code.\n\n## Tell HMRC about a change\n\nYou can report a change in your income by either:\n\n- using the online check your Income Tax service\n\n- contacting HMRC\n\n## If you\u2019re contacting HMRC on someone else\u2019s behalf\n\nIf you need to tell HMRC about a change in someone else\u2019s income (for example, because you\u2019re their accountant) fill in a PAYE Coding Notice query form.\n\n## After you report your change\n\nHMRC will contact you if they change your tax code.\nThey will also tell your employer or pension provider that your tax code has changed.\n\nYour next payslip should show:\n\n- your new tax code\n\n- adjustments to your pay if you were paying the wrong amount of tax\n\n## Get a tax refund or pay the tax you owe\n\nIf HMRC update your tax code and you\u2019ve paid too much or too little tax, HMRC will send you a P800 or a Simple Assessment tax calculation. This will enable you to get a refund or pay what you owe.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-codes", + "answerable": true, + "scenario": "I started a new job a couple of weeks ago as an employee. I have yet to pay tax. It is my first job as I can now legally work. I only work 17 hours.", + "original_question": "Will any tax due be sorted out for me?" + }, + { + "id": "train-1065", + "question": "Scenario: I am English, and I will be moving to Scotland in December. I will be living and working in Scotland for 4 months of the next tax year.\n\nQuestion: Do I pay income tax in Scotland?\n\nDocument - Income Tax in Scotland:\n## Current rates\n\nYou pay Scottish Income Tax if you live in Scotland. It\u2019s paid to the Scottish Government.\n\nScottish Income Tax applies to your wages, pension and most other taxable income.\n\nYou\u2019ll pay the same tax as the rest of the UK on dividends and savings interest.\n\n## What you\u2019ll pay\n\nThe table shows the 2021 to 2022 Scottish Income Tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570. You do not get a Personal Allowance if you earn over \u00a3125,140.\n\n| Band | Taxable income | Scottish tax rate |\n\n| Personal Allowance | Up to \u00a312,570 | 0% |\n\n| Starter rate | \u00a312,571 to \u00a314,667 | 19% |\n\n| Basic rate | \u00a314,668 to \u00a325,296 | 20% |\n\n| Intermediate rate | \u00a325,297 to \u00a343,662 | 21% |\n\n| Higher rate | \u00a343,663 to \u00a3150,000 | 41% |\n\n| Top rate | over \u00a3150,000 | 46% |\n\n## Who pays\n\nYou pay Scottish Income Tax if you live in Scotland.\n\nYou may also pay Scottish Income Tax if you:\n\n- move to or from Scotland\n\n- live in a home in Scotland and one elsewhere in the UK, for example for work\n\n- do not have a home and stay in Scotland regularly, for example you stay offshore or in hotels\n\n## How you pay\n\nIf you\u2019re employed or get a pension, your tax code will start with an \u2018S\u2019. This tells your employer or pension provider to deduct tax at the Scottish rate.\n\nYour tax code will be S1250L if you pay Scottish Income Tax and get the standard Personal Allowance of \u00a312,500.\n\nIf you fill in an online Self Assessment tax return, there\u2019s a box for you to tell HMRC that you pay Scottish Income Tax.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you move to or from Scotland\n\nYou pay Scottish Income Tax if you move to Scotland and live there for a longer period than anywhere else in the UK during a tax year (6 April to 5 April the following year).\n\nYou must tell HMRC of your new address if you move to or from Scotland. You may pay tax at the wrong rate if you do not.\n\n## If HMRC changes your tax rate\n\nThe new rate you pay will be backdated to the start of the tax year (6 April) in which you moved. The tax taken from your wages or pension will be adjusted automatically so you pay the right amount across the whole year.\n\n## If you live in more than one home\n\nYou need to know which is your main home if you have one in Scotland and one somewhere else in the UK.\n\n## What counts as your main home\n\nYour main home is usually where you live and spend most of your time.\n\nIt does not matter whether you own it, rent it or live in it for free.\n\nYour main home may be the home where you spend less time if that\u2019s where:\n\n- most of your possessions are\n\n- your family lives, if you\u2019re married or in a civil partnership\n\n- you\u2019re registered for things like your bank account, GP or car insurance\n\n- you\u2019re a member of clubs or societies\n\nThis might apply to you if you live away because of your work, for example you\u2019re a lorry driver, an offshore worker or in the armed forces.\n\nYou can contact HMRC to change which home counts as your main one.\n\n## If you\u2019re not sure which is your main home\n\nHMRC has detailed information about working out which is your main home, including if:\n\n- you\u2019re a mobile worker, for example your job means you travel most of the time\n\n- you\u2019re a student\n\n- you do not have a permanent home\n\n## 2020 to 2021 tax year\n\nYou pay a different rate of tax for income from the tax year 6 April 2020 to 5 April 2021.\n\n| Band | Taxable income | Scottish tax rate |\n\n| Personal Allowance | Up to \u00a312,500 | 0% |\n\n| Starter rate | \u00a312,501 to \u00a314,585 | 19% |\n\n| Basic rate | \u00a314,586 to \u00a325,158 | 20% |\n\n| Intermediate rate | \u00a325,159 to \u00a343,430 | 21% |\n\n| Higher rate | \u00a343,431 to \u00a3150,000 | 41% |\n\n| Top rate | over \u00a3150,000 | 46% |\n\nIt applies to your wages, pension and most other taxable income.\n\nYou pay the same tax as the rest of the UK on dividends and savings interest.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/scottish-income-tax", + "answerable": true, + "scenario": "I am English, and I will be moving to Scotland in December. I will be living and working in Scotland for 4 months of the next tax year.", + "original_question": "Do I pay income tax in Scotland?" + }, + { + "id": "train-1068", + "question": "Scenario: I own a small sailing boat that I have had for the past eight years. As it was inherited I do not know it's original value. I wish to sell it on the internet.\n\nQuestion: Will I run into a tax problem because I don't know how much the boat initially cost?\n\nDocument - Capital Gains Tax:\n## Overview\n\nCapital Gains Tax is a tax on the profit when you sell (or \u2018dispose of\u2019) something (an \u2018asset\u2019) that\u2019s increased in value.\n\nIt\u2019s the gain you make that\u2019s taxed, not the amount of money you receive.\n\nSome assets are tax-free. You also do not have to pay Capital Gains Tax if all your gains in a year are under your tax-free allowance.\n\n## Disposing of an asset\n\nDisposing of an asset includes:\n\n- selling it\n\n- giving it away as a gift, or transferring it to someone else\n\n- swapping it for something else\n\n- getting compensation for it - like an insurance payout if it\u2019s been lost or destroyed\n\n## What you pay it on\n\nYou pay Capital Gains Tax on the gain when you sell (or \u2018dispose of\u2019):\n\n- most personal possessions worth \u00a36,000 or more, apart from your car\n\n- property that\u2019s not your main home\n\n- your main home if you\u2019ve let it out, used it for business or it\u2019s very large\n\n- shares that are not in an ISA or PEP\n\n- business assets\n\nThese are known as \u2018chargeable assets\u2019.\n\nIf you sell or give away cryptoassets (like cryptocurrency or bitcoin) you should check if you have to pay Capital Gains Tax.\n\nDepending on the asset, you may be able to reduce any tax you pay by claiming a relief.\n\nIf you dispose of an asset you jointly own with someone else, you have to pay Capital Gains Tax on your share of the gain.\n\n## When you do not pay it\n\nYou only have to pay Capital Gains Tax on your total gains above an annual tax-free allowance.\n\nYou do not usually pay tax on gifts to your husband, wife, civil partner or a charity.\n\n## What you do not pay it on\n\nYou do not pay Capital Gains Tax on certain assets, including any gains you make from:\n\n- ISAs or PEPs\n\n- UK government gilts and Premium Bonds\n\n- betting, lottery or pools winnings\n\n## When someone dies\n\nWhen you inherit an asset, Inheritance Tax is usually paid by the estate of the person who\u2019s died. You only have to work out if you need to pay Capital Gains Tax if you later dispose of the asset.\n\n## Overseas assets\n\nYou may have to pay Capital Gains Tax even if your asset is overseas.\n\nThere are special rules if you\u2019re a UK resident but not \u2018domiciled\u2019 and claim the \u2018remittance basis\u2019.\n\n## If you\u2019re abroad\n\nYou have to pay tax on gains you make on property and land in the UK even if you\u2019re non-resident for tax purposes. You do not pay Capital Gains Tax on other UK assets, for example shares in UK companies, unless you return to the UK within 5 years of leaving.\n\n## Capital Gains Tax allowances\n\nYou only have to pay Capital Gains Tax on your overall gains above your tax-free allowance (called the Annual Exempt Amount).\n\nThe Capital Gains tax-free allowance is:\n\n- \u00a312,300\n\n- \u00a36,150 for trusts\n\nYou can see tax-free allowances for previous years.\n\nYou may also be able to reduce your tax bill by deducting losses or claiming reliefs - this depends on the asset.\n\n## Gifts to your spouse or charity\n\nThere are special rules for Capital Gains Tax on gifts or assets you dispose of to:\n\n- your spouse or civil partner\n\n- charity\n\nThe normal rules apply for gifts to others.\n\n## Your spouse or civil partner\n\nYou do not pay Capital Gains Tax on assets you give or sell to your husband, wife or civil partner, unless:\n\n- you separated and did not live together at all in that tax year\n\n- you gave them goods for their business to sell on\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If they later sell the asset\n\nYour spouse or civil partner may have to pay tax on any gain if they later dispose of the asset.\n\nTheir gain will be calculated on the difference in value between when you first owned the asset and when they disposed of it.\n\nIf this was before April 1982, your spouse or civil partner should work out their gain using the market value on 31 March 1982 instead.\n\nThey should keep a record of what you paid for the asset.\n\n## Gifts to charity\n\nYou do not have to pay Capital Gains Tax on assets you give away to charity.\n\nYou may have to pay if you sell an asset to charity for both:\n\n- more than you paid for it\n\n- less than market value\n\nWork out your gain using the amount the charity actually pays you, rather than the value of the asset.\n\n## Work out if you need to pay\n\nYou need to pay Capital Gains Tax when you sell an asset if your total taxable gains are above your annual Capital Gains Tax allowance.\n\n## Work out your total taxable gains\n\n- Work out the gain for each asset (or your share of an asset if it\u2019s jointly owned). Do this for the personal possessions, shares, property or business assets you\u2019ve disposed of in the tax year.\n\n- Add together the gains from each asset.\n\n- Deduct any allowable losses.\n\nThe tax year runs from 6 April to 5 April the following year.\n\nYou\u2019ll need to report and pay Capital Gains Tax if your taxable gains are above your allowance.\n\n## If your total gains are less than the tax-free allowance\n\nYou do not have to pay tax if your total taxable gains are under your Capital Gains Tax allowance.\n\nYou still need to report your gains in your tax return if both of the following apply:\n\n- the total amount you sold the assets for was more than 4 times your allowance\n\n- you\u2019re registered for Self Assessment\n\nThere are different rules for reporting a loss.\n\n## If you\u2019re non-resident\n\nYou need to tell HMRC when you sell property or land even if your gain is below the tax-free allowance or you make a loss. Non-residents do not pay tax on other capital gains.\n\n## Report and pay Capital Gains Tax\n\nHow and when you report Capital Gains Tax over your annual allowance depends on what you made the gain on.\n\nThere are different ways to report and pay Capital Gains Tax due on:\n\n- UK residential property sold since 6 April 2020\n\n- any other gains\n\nTo report any capital gains you\u2019ll need:\n\n- calculations for each capital gain or loss you report\n\n- details of how much you bought and sold the asset for\n\n- the dates when you took ownership and disposed of the asset\n\n- any other relevant details, such as the costs of disposing of the asset and any tax reliefs you\u2019re entitled to\n\n## If you sold property in the UK on or after 6 April 2020\n\nYou must report and pay any tax due on UK residential property using a Capital Gains Tax on UK property account within 30 days of selling it.\n\nYou may have to pay interest and a penalty if you do not report gains on UK property within 30 days of selling it.\n\nSign in or create a Capital Gains Tax on UK property account.\n\nYou\u2019ll need a Government Gateway user ID and password to set your account up or sign in. If you do not have a user ID, you can create one the first time you sign in.\n\nOnce you have an account you can sign in at any time to report Capital Gains Tax on UK property or see any returns you\u2019ve already sent.\n\n## If you\u2019re not resident in the UK\n\nYou must report sales of UK property as a non-resident within 30 days, even if you have no tax to pay.\n\n## If you\u2019re reporting on behalf of someone else or a trust\n\nYou need to use your own Capital Gains Tax on UK property account to report on behalf of someone else.\n\nYou\u2019ll need proof you\u2019re allowed to report on their behalf, such as a lasting power of attorney. If the person has died, you\u2019ll need to give their date of death.\n\nIf you\u2019re reporting as a trustee of a registered trust, you\u2019ll need the trust\u2019s registration number or unique tax reference.\n\nThere\u2019s a different way to report your client\u2019s Capital Gains Tax on UK property as an agent.\n\n## If you have other capital gains to report\n\nIf your gain is not from residential property sold in the UK since 6 April 2020, you have a choice of how and when to report the tax.\n\n## Report and pay the tax straightaway\n\nYou can use the \u2018real time\u2019 Capital Gains Tax service immediately if you know what you owe.\n\nYou need to report your gain by 31 December in the tax year after you made the gain. For example, if you made a gain in the 2020 to 2021 tax year, you need to report it by 31 December 2021.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you report and pay.\n\nAfter you\u2019ve reported your gains, HMRC will send you a letter or email giving you a payment reference number and telling you how to pay.\n\nIf you need to change your report using the service, you\u2019ll need your report reference number starting with \u2018RTT\u2019. You\u2019ll get it by email within 10 days.\n\n## Report your gains in a Self Assessment tax return in the following tax year\n\nYou can report your gains in a Self Assessment tax return in the tax year after you disposed of assets.\n\nDo not wait until the next tax year to report gains on UK residential property sold since 6 April 2020. You may have to pay interest and a penalty if you do.\n\nIf you do not usually send a tax return, register for Self Assessment after the tax year you disposed of your chargeable assets.\n\nYou can get help with your tax return from an accountant or tax adviser.\n\nAfter you\u2019ve sent your return HMRC will tell you how much you owe in Capital Gains Tax, how to pay and when to pay by.\n\n## Capital Gains Tax rates\n\nYou pay a different rate of tax on gains from residential property than you do on other assets.\n\nYou do not usually pay tax when you sell your home.\n\n## If you pay higher rate Income Tax\n\nIf you\u2019re a higher or additional rate taxpayer you\u2019ll pay:\n\n- 28% on your gains from residential property\n\n- 20% on your gains from other chargeable assets\n\n## If you pay basic rate Income Tax\n\nIf you\u2019re a basic rate taxpayer, the rate you pay depends on the size of your gain, your taxable income and whether your gain is from residential property or other assets.\n\n- Work out how much taxable income you have - this is your income minus your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.\n\n- Work out your total taxable gains.\n\n- Deduct your tax-free allowance from your total taxable gains.\n\n- Add this amount to your taxable income.\n\n- If this amount is within the basic Income Tax band you\u2019ll pay 10% on your gains (or 18% on residential property). You\u2019ll pay 20% (or 28% on residential property) on any amount above the basic tax rate.\n\n## If you have gains from both residential property and other assets\n\nYou can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## If you\u2019re a trustee or business\n\nTrustees or personal representatives of someone who\u2019s died pay:\n\n- 28% on residential property\n\n- 20% on other chargeable assets\n\nYou\u2019ll pay 10% if you\u2019re a sole trader or partnership and your gains qualify for Business Asset Disposal Relief.\n\n## If you make a loss\n\nYou can report losses on a chargeable asset to HM Revenue and Customs (HMRC) to reduce your total taxable gains.\n\nLosses used in this way are called \u2018allowable losses\u2019.\n\n## Using losses to reduce your gain\n\nWhen you report a loss, the amount is deducted from the gains you made in the same tax year.\n\nIf your total taxable gain is still above the tax-free allowance, you can deduct unused losses from previous tax years. If they reduce your gain to the tax-free allowance, you can carry forward the remaining losses to a future tax year.\n\n## Reporting losses\n\nClaim for your loss by including it on your tax return. If you\u2019ve never made a gain and are not registered for Self Assessment, you can write to HMRC instead.\n\nYou do not have to report losses straight away - you can claim up to 4 years after the end of the tax year that you disposed of the asset.\n\nThere\u2019s an exception for losses made before 5 April 1996, which you can still claim for. You must deduct these after any more recent losses.\n\n## Losses when disposing of assets to family and others\n\n## Your husband, wife or civil partner\n\nYou usually do not pay Capital Gains Tax on assets you give or sell to your spouse or civil partner. You cannot claim losses against these assets.\n\n## Other family members and \u2018connected people\u2019\n\nYou cannot deduct a loss from giving, selling or disposing of an asset to a family member unless you\u2019re offsetting a gain from the same person.\n\nThis also applies to \u2018connected people\u2019 like business partners.\n\n## Connected people\n\nHMRC defines connected people as including:\n\n- your brothers, sisters, parents, grandparents, children and grandchildren, and their husbands, wives or civil partners\n\n- the brothers, sisters, parents, grandparents, children and grandchildren of your husband, wife or civil partner - and their husbands, wives or civil partners\n\n- business partners\n\n- a company you control\n\n- trustees where you\u2019re the \u2018settlor\u2019 (or someone connected to you is)\n\n## Claiming for an asset that\u2019s lost its value\n\nYou can claim losses on assets that you still own if they become worthless or of \u2018negligible value\u2019.\n\nHMRC has guidance on how to make a negligible value claim.\n\n## Special rules\n\nHMRC has guidance on the special rules for losses:\n\n- when someone dies\n\n- if you\u2019re non-resident and sell UK property or land\n\n- if you\u2019ve temporarily lived abroad as a \u2018non-resident\u2019\n\n- from your income on shares that are unquoted or in the Enterprise Investment Scheme\n\n- on overseas assets if you\u2019re \u2018non-domiciled\u2019 in the UK and have claimed the \u2018remittance basis\u2019\n\n## Record keeping\n\nYou need to collect records to work out your gains and fill in your tax return. You must keep them for at least a year after the Self Assessment deadline.\n\nYou\u2019ll need to keep records for longer if you sent your tax return late or HM Revenue and Customs (HMRC) have started a check into your return.\n\nBusinesses must keep records for 5 years after the deadline.\n\n## Records you\u2019ll need\n\nKeep receipts, bills and invoices that show the date and the amount:\n\n- you paid for an asset\n\n- of any additional costs like fees for professional advice, Stamp Duty, improvement costs, or to establish the market value\n\n- you received for the asset - including things like payments you get later in instalments, or compensation if the asset was damaged\n\nAlso keep any contracts for buying and selling the asset (for example from solicitors or stockbrokers) and copies of any valuations.\n\n## If you do not have records\n\nYou must try to recreate your records if you cannot replace them after they\u2019ve been lost, stolen or destroyed.\n\nIf you fill in your tax return using recreated records, you\u2019ll need to show where figures are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with the actual figures\n\n## Market value\n\nYour gain is usually the difference between what you paid for your asset and what you sold it for.\n\nThere are some situations where you use the market value instead.\n\n| Situation | Use market value at |\n\n| Gifts | Date of gift |\n\n| Assets sold for less than they were worth to help the buyer | Date of sale |\n\n| Inherited assets where you do not know the Inheritance Tax value | Date of death |\n\n| Assets owned before April 1982 | 31 March 1982 |\n\n## Checking the market value\n\nHM Revenue and Customs (HMRC) can check your valuation.\n\nAfter you\u2019ve disposed of the asset, complete a \u2018Post-transaction valuation check\u2019 form. Return it to the address on the form - allow at least 3 months for HMRC\u2019s response.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/capital-gains-tax", + "answerable": true, + "scenario": "I own a small sailing boat that I have had for the past eight years. As it was inherited I do not know it's original value. I wish to sell it on the internet.", + "original_question": "Will I run into a tax problem because I don't know how much the boat initially cost?" + }, + { + "id": "train-1069", + "question": "Scenario: I own a small apartment in Spain that I visit once or twice a year and otherwise rent out. I am considering selling it and feel I could make a considerable profit.\n\nQuestion: Might I have to pay capital gains tax?\n\nDocument - Capital Gains Tax:\n## Overview\n\nCapital Gains Tax is a tax on the profit when you sell (or \u2018dispose of\u2019) something (an \u2018asset\u2019) that\u2019s increased in value.\n\nIt\u2019s the gain you make that\u2019s taxed, not the amount of money you receive.\n\nSome assets are tax-free. You also do not have to pay Capital Gains Tax if all your gains in a year are under your tax-free allowance.\n\n## Disposing of an asset\n\nDisposing of an asset includes:\n\n- selling it\n\n- giving it away as a gift, or transferring it to someone else\n\n- swapping it for something else\n\n- getting compensation for it - like an insurance payout if it\u2019s been lost or destroyed\n\n## What you pay it on\n\nYou pay Capital Gains Tax on the gain when you sell (or \u2018dispose of\u2019):\n\n- most personal possessions worth \u00a36,000 or more, apart from your car\n\n- property that\u2019s not your main home\n\n- your main home if you\u2019ve let it out, used it for business or it\u2019s very large\n\n- shares that are not in an ISA or PEP\n\n- business assets\n\nThese are known as \u2018chargeable assets\u2019.\n\nIf you sell or give away cryptoassets (like cryptocurrency or bitcoin) you should check if you have to pay Capital Gains Tax.\n\nDepending on the asset, you may be able to reduce any tax you pay by claiming a relief.\n\nIf you dispose of an asset you jointly own with someone else, you have to pay Capital Gains Tax on your share of the gain.\n\n## When you do not pay it\n\nYou only have to pay Capital Gains Tax on your total gains above an annual tax-free allowance.\n\nYou do not usually pay tax on gifts to your husband, wife, civil partner or a charity.\n\n## What you do not pay it on\n\nYou do not pay Capital Gains Tax on certain assets, including any gains you make from:\n\n- ISAs or PEPs\n\n- UK government gilts and Premium Bonds\n\n- betting, lottery or pools winnings\n\n## When someone dies\n\nWhen you inherit an asset, Inheritance Tax is usually paid by the estate of the person who\u2019s died. You only have to work out if you need to pay Capital Gains Tax if you later dispose of the asset.\n\n## Overseas assets\n\nYou may have to pay Capital Gains Tax even if your asset is overseas.\n\nThere are special rules if you\u2019re a UK resident but not \u2018domiciled\u2019 and claim the \u2018remittance basis\u2019.\n\n## If you\u2019re abroad\n\nYou have to pay tax on gains you make on property and land in the UK even if you\u2019re non-resident for tax purposes. You do not pay Capital Gains Tax on other UK assets, for example shares in UK companies, unless you return to the UK within 5 years of leaving.\n\n## Capital Gains Tax allowances\n\nYou only have to pay Capital Gains Tax on your overall gains above your tax-free allowance (called the Annual Exempt Amount).\n\nThe Capital Gains tax-free allowance is:\n\n- \u00a312,300\n\n- \u00a36,150 for trusts\n\nYou can see tax-free allowances for previous years.\n\nYou may also be able to reduce your tax bill by deducting losses or claiming reliefs - this depends on the asset.\n\n## Gifts to your spouse or charity\n\nThere are special rules for Capital Gains Tax on gifts or assets you dispose of to:\n\n- your spouse or civil partner\n\n- charity\n\nThe normal rules apply for gifts to others.\n\n## Your spouse or civil partner\n\nYou do not pay Capital Gains Tax on assets you give or sell to your husband, wife or civil partner, unless:\n\n- you separated and did not live together at all in that tax year\n\n- you gave them goods for their business to sell on\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If they later sell the asset\n\nYour spouse or civil partner may have to pay tax on any gain if they later dispose of the asset.\n\nTheir gain will be calculated on the difference in value between when you first owned the asset and when they disposed of it.\n\nIf this was before April 1982, your spouse or civil partner should work out their gain using the market value on 31 March 1982 instead.\n\nThey should keep a record of what you paid for the asset.\n\n## Gifts to charity\n\nYou do not have to pay Capital Gains Tax on assets you give away to charity.\n\nYou may have to pay if you sell an asset to charity for both:\n\n- more than you paid for it\n\n- less than market value\n\nWork out your gain using the amount the charity actually pays you, rather than the value of the asset.\n\n## Work out if you need to pay\n\nYou need to pay Capital Gains Tax when you sell an asset if your total taxable gains are above your annual Capital Gains Tax allowance.\n\n## Work out your total taxable gains\n\n- Work out the gain for each asset (or your share of an asset if it\u2019s jointly owned). Do this for the personal possessions, shares, property or business assets you\u2019ve disposed of in the tax year.\n\n- Add together the gains from each asset.\n\n- Deduct any allowable losses.\n\nThe tax year runs from 6 April to 5 April the following year.\n\nYou\u2019ll need to report and pay Capital Gains Tax if your taxable gains are above your allowance.\n\n## If your total gains are less than the tax-free allowance\n\nYou do not have to pay tax if your total taxable gains are under your Capital Gains Tax allowance.\n\nYou still need to report your gains in your tax return if both of the following apply:\n\n- the total amount you sold the assets for was more than 4 times your allowance\n\n- you\u2019re registered for Self Assessment\n\nThere are different rules for reporting a loss.\n\n## If you\u2019re non-resident\n\nYou need to tell HMRC when you sell property or land even if your gain is below the tax-free allowance or you make a loss. Non-residents do not pay tax on other capital gains.\n\n## Report and pay Capital Gains Tax\n\nHow and when you report Capital Gains Tax over your annual allowance depends on what you made the gain on.\n\nThere are different ways to report and pay Capital Gains Tax due on:\n\n- UK residential property sold since 6 April 2020\n\n- any other gains\n\nTo report any capital gains you\u2019ll need:\n\n- calculations for each capital gain or loss you report\n\n- details of how much you bought and sold the asset for\n\n- the dates when you took ownership and disposed of the asset\n\n- any other relevant details, such as the costs of disposing of the asset and any tax reliefs you\u2019re entitled to\n\n## If you sold property in the UK on or after 6 April 2020\n\nYou must report and pay any tax due on UK residential property using a Capital Gains Tax on UK property account within 30 days of selling it.\n\nYou may have to pay interest and a penalty if you do not report gains on UK property within 30 days of selling it.\n\nSign in or create a Capital Gains Tax on UK property account.\n\nYou\u2019ll need a Government Gateway user ID and password to set your account up or sign in. If you do not have a user ID, you can create one the first time you sign in.\n\nOnce you have an account you can sign in at any time to report Capital Gains Tax on UK property or see any returns you\u2019ve already sent.\n\n## If you\u2019re not resident in the UK\n\nYou must report sales of UK property as a non-resident within 30 days, even if you have no tax to pay.\n\n## If you\u2019re reporting on behalf of someone else or a trust\n\nYou need to use your own Capital Gains Tax on UK property account to report on behalf of someone else.\n\nYou\u2019ll need proof you\u2019re allowed to report on their behalf, such as a lasting power of attorney. If the person has died, you\u2019ll need to give their date of death.\n\nIf you\u2019re reporting as a trustee of a registered trust, you\u2019ll need the trust\u2019s registration number or unique tax reference.\n\nThere\u2019s a different way to report your client\u2019s Capital Gains Tax on UK property as an agent.\n\n## If you have other capital gains to report\n\nIf your gain is not from residential property sold in the UK since 6 April 2020, you have a choice of how and when to report the tax.\n\n## Report and pay the tax straightaway\n\nYou can use the \u2018real time\u2019 Capital Gains Tax service immediately if you know what you owe.\n\nYou need to report your gain by 31 December in the tax year after you made the gain. For example, if you made a gain in the 2020 to 2021 tax year, you need to report it by 31 December 2021.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you report and pay.\n\nAfter you\u2019ve reported your gains, HMRC will send you a letter or email giving you a payment reference number and telling you how to pay.\n\nIf you need to change your report using the service, you\u2019ll need your report reference number starting with \u2018RTT\u2019. You\u2019ll get it by email within 10 days.\n\n## Report your gains in a Self Assessment tax return in the following tax year\n\nYou can report your gains in a Self Assessment tax return in the tax year after you disposed of assets.\n\nDo not wait until the next tax year to report gains on UK residential property sold since 6 April 2020. You may have to pay interest and a penalty if you do.\n\nIf you do not usually send a tax return, register for Self Assessment after the tax year you disposed of your chargeable assets.\n\nYou can get help with your tax return from an accountant or tax adviser.\n\nAfter you\u2019ve sent your return HMRC will tell you how much you owe in Capital Gains Tax, how to pay and when to pay by.\n\n## Capital Gains Tax rates\n\nYou pay a different rate of tax on gains from residential property than you do on other assets.\n\nYou do not usually pay tax when you sell your home.\n\n## If you pay higher rate Income Tax\n\nIf you\u2019re a higher or additional rate taxpayer you\u2019ll pay:\n\n- 28% on your gains from residential property\n\n- 20% on your gains from other chargeable assets\n\n## If you pay basic rate Income Tax\n\nIf you\u2019re a basic rate taxpayer, the rate you pay depends on the size of your gain, your taxable income and whether your gain is from residential property or other assets.\n\n- Work out how much taxable income you have - this is your income minus your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.\n\n- Work out your total taxable gains.\n\n- Deduct your tax-free allowance from your total taxable gains.\n\n- Add this amount to your taxable income.\n\n- If this amount is within the basic Income Tax band you\u2019ll pay 10% on your gains (or 18% on residential property). You\u2019ll pay 20% (or 28% on residential property) on any amount above the basic tax rate.\n\n## If you have gains from both residential property and other assets\n\nYou can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## If you\u2019re a trustee or business\n\nTrustees or personal representatives of someone who\u2019s died pay:\n\n- 28% on residential property\n\n- 20% on other chargeable assets\n\nYou\u2019ll pay 10% if you\u2019re a sole trader or partnership and your gains qualify for Business Asset Disposal Relief.\n\n## If you make a loss\n\nYou can report losses on a chargeable asset to HM Revenue and Customs (HMRC) to reduce your total taxable gains.\n\nLosses used in this way are called \u2018allowable losses\u2019.\n\n## Using losses to reduce your gain\n\nWhen you report a loss, the amount is deducted from the gains you made in the same tax year.\n\nIf your total taxable gain is still above the tax-free allowance, you can deduct unused losses from previous tax years. If they reduce your gain to the tax-free allowance, you can carry forward the remaining losses to a future tax year.\n\n## Reporting losses\n\nClaim for your loss by including it on your tax return. If you\u2019ve never made a gain and are not registered for Self Assessment, you can write to HMRC instead.\n\nYou do not have to report losses straight away - you can claim up to 4 years after the end of the tax year that you disposed of the asset.\n\nThere\u2019s an exception for losses made before 5 April 1996, which you can still claim for. You must deduct these after any more recent losses.\n\n## Losses when disposing of assets to family and others\n\n## Your husband, wife or civil partner\n\nYou usually do not pay Capital Gains Tax on assets you give or sell to your spouse or civil partner. You cannot claim losses against these assets.\n\n## Other family members and \u2018connected people\u2019\n\nYou cannot deduct a loss from giving, selling or disposing of an asset to a family member unless you\u2019re offsetting a gain from the same person.\n\nThis also applies to \u2018connected people\u2019 like business partners.\n\n## Connected people\n\nHMRC defines connected people as including:\n\n- your brothers, sisters, parents, grandparents, children and grandchildren, and their husbands, wives or civil partners\n\n- the brothers, sisters, parents, grandparents, children and grandchildren of your husband, wife or civil partner - and their husbands, wives or civil partners\n\n- business partners\n\n- a company you control\n\n- trustees where you\u2019re the \u2018settlor\u2019 (or someone connected to you is)\n\n## Claiming for an asset that\u2019s lost its value\n\nYou can claim losses on assets that you still own if they become worthless or of \u2018negligible value\u2019.\n\nHMRC has guidance on how to make a negligible value claim.\n\n## Special rules\n\nHMRC has guidance on the special rules for losses:\n\n- when someone dies\n\n- if you\u2019re non-resident and sell UK property or land\n\n- if you\u2019ve temporarily lived abroad as a \u2018non-resident\u2019\n\n- from your income on shares that are unquoted or in the Enterprise Investment Scheme\n\n- on overseas assets if you\u2019re \u2018non-domiciled\u2019 in the UK and have claimed the \u2018remittance basis\u2019\n\n## Record keeping\n\nYou need to collect records to work out your gains and fill in your tax return. You must keep them for at least a year after the Self Assessment deadline.\n\nYou\u2019ll need to keep records for longer if you sent your tax return late or HM Revenue and Customs (HMRC) have started a check into your return.\n\nBusinesses must keep records for 5 years after the deadline.\n\n## Records you\u2019ll need\n\nKeep receipts, bills and invoices that show the date and the amount:\n\n- you paid for an asset\n\n- of any additional costs like fees for professional advice, Stamp Duty, improvement costs, or to establish the market value\n\n- you received for the asset - including things like payments you get later in instalments, or compensation if the asset was damaged\n\nAlso keep any contracts for buying and selling the asset (for example from solicitors or stockbrokers) and copies of any valuations.\n\n## If you do not have records\n\nYou must try to recreate your records if you cannot replace them after they\u2019ve been lost, stolen or destroyed.\n\nIf you fill in your tax return using recreated records, you\u2019ll need to show where figures are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with the actual figures\n\n## Market value\n\nYour gain is usually the difference between what you paid for your asset and what you sold it for.\n\nThere are some situations where you use the market value instead.\n\n| Situation | Use market value at |\n\n| Gifts | Date of gift |\n\n| Assets sold for less than they were worth to help the buyer | Date of sale |\n\n| Inherited assets where you do not know the Inheritance Tax value | Date of death |\n\n| Assets owned before April 1982 | 31 March 1982 |\n\n## Checking the market value\n\nHM Revenue and Customs (HMRC) can check your valuation.\n\nAfter you\u2019ve disposed of the asset, complete a \u2018Post-transaction valuation check\u2019 form. Return it to the address on the form - allow at least 3 months for HMRC\u2019s response.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/capital-gains-tax", + "answerable": true, + "scenario": "I own a small apartment in Spain that I visit once or twice a year and otherwise rent out. I am considering selling it and feel I could make a considerable profit.", + "original_question": "Might I have to pay capital gains tax?" + }, + { + "id": "train-1070", + "question": "Scenario: I have inherited jewellery and antique watches from my grandmother. I want to sell them and get the money to plan my wedding.\n\nQuestion: Am i supposed to pay capital gain tax?\n\nDocument - Capital Gains Tax on personal possessions:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.\n\nPossessions you may need to pay tax on include:\n\n- jewellery\n\n- paintings\n\n- antiques\n\n- coins and stamps\n\n- sets of things, eg matching vases or chessmen\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\n## When you don\u2019t pay it\n\nYou don\u2019t usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou don\u2019t pay Capital Gains Tax on:\n\n- your car - unless you\u2019ve used it for business\n\n- anything with a limited lifespan, eg clocks - unless used for business\n\n## Jointly owned possessions\n\nYou\u2019re exempt from paying tax on the first \u00a36,000 of your share if you own a possession with other people.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your personal possession and what you sold it for.\n\nUse the market value instead if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and don\u2019t know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Deduct costs\n\nYou can deduct certain costs of buying, selling or improving your personal possession from your gain.\n\nCosts you can deduct include:\n\n- fees, eg for valuing or advertising\n\n- costs to improve your possession (but not repairs)\n\n- VAT (unless you can reclaim it)\n\nYou can\u2019t deduct certain costs, including:\n\n- interest on a loan to buy your possession\n\n- costs you can claim as expenses, if you\u2019ve used your possession for business\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## If you sold it for between \u00a36,000 and \u00a315,000\n\nYou may be able to reduce your gain if you got between \u00a36,000 and \u00a315,000 for your possession when you sold or disposed of it.\n\n- Subtract \u00a36,000 from the amount you\u2019ve received.\n\n- Multiply this by 1.667.\n\n- Compare this with the actual gain - use the lower amount as your capital gain.\n\n## Work out if you need to pay\n\nWhen you know your gain, you can work out if you need to report and pay Capital Gains Tax.\n\nIf you\u2019ve used your possession for business, you can reduce or delay the tax you pay if you\u2019re eligible for tax relief.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\nYou can claim losses for possessions sold for less than \u00a36,000. Work out your loss by using \u00a36,000 as the amount you sold your possession for, and report it in your tax return.\n\n## Possessions with a limited lifespan\n\nYou don\u2019t have to pay Capital Gains Tax on personal possessions with a lifespan of less than 50 years. This covers all machinery, and includes things like antique clocks or watches.\n\nDifferent rules apply if you\u2019ve used the possession for business. You don\u2019t have to pay Capital Gains Tax if it doesn\u2019t qualify for capital allowances. If it qualifies, you may need to pay Capital Gains Tax, but you can\u2019t claim losses.\n\n## Possessions that are part of a set\n\nIf you sell all or part of a set to the same person for less than \u00a36,000, you won\u2019t pay tax.\n\nIf you sell parts of a set to different people, you won\u2019t pay tax on each part sold for less than \u00a36,000.\n\nSets include things like chessmen, books by the same author, matching vases and sets of china.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "answerable": true, + "scenario": "I have inherited jewellery and antique watches from my grandmother. I want to sell them and get the money to plan my wedding.", + "original_question": "Am i supposed to pay capital gain tax?" + }, + { + "id": "train-1071", + "question": "Scenario: My Uncle gifted me a new car for my birthday . I have other several cars and would like to sell the gift car and use the money to start up a salon shop.\n\nQuestion: Do i need to pay the capital gain tax from sale of the car?\n\nDocument - Capital Gains Tax on personal possessions:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) a personal possession for \u00a36,000 or more.\n\nPossessions you may need to pay tax on include:\n\n- jewellery\n\n- paintings\n\n- antiques\n\n- coins and stamps\n\n- sets of things, eg matching vases or chessmen\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\n## When you don\u2019t pay it\n\nYou don\u2019t usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou don\u2019t pay Capital Gains Tax on:\n\n- your car - unless you\u2019ve used it for business\n\n- anything with a limited lifespan, eg clocks - unless used for business\n\n## Jointly owned possessions\n\nYou\u2019re exempt from paying tax on the first \u00a36,000 of your share if you own a possession with other people.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your personal possession and what you sold it for.\n\nUse the market value instead if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and don\u2019t know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Deduct costs\n\nYou can deduct certain costs of buying, selling or improving your personal possession from your gain.\n\nCosts you can deduct include:\n\n- fees, eg for valuing or advertising\n\n- costs to improve your possession (but not repairs)\n\n- VAT (unless you can reclaim it)\n\nYou can\u2019t deduct certain costs, including:\n\n- interest on a loan to buy your possession\n\n- costs you can claim as expenses, if you\u2019ve used your possession for business\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## If you sold it for between \u00a36,000 and \u00a315,000\n\nYou may be able to reduce your gain if you got between \u00a36,000 and \u00a315,000 for your possession when you sold or disposed of it.\n\n- Subtract \u00a36,000 from the amount you\u2019ve received.\n\n- Multiply this by 1.667.\n\n- Compare this with the actual gain - use the lower amount as your capital gain.\n\n## Work out if you need to pay\n\nWhen you know your gain, you can work out if you need to report and pay Capital Gains Tax.\n\nIf you\u2019ve used your possession for business, you can reduce or delay the tax you pay if you\u2019re eligible for tax relief.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\nYou can claim losses for possessions sold for less than \u00a36,000. Work out your loss by using \u00a36,000 as the amount you sold your possession for, and report it in your tax return.\n\n## Possessions with a limited lifespan\n\nYou don\u2019t have to pay Capital Gains Tax on personal possessions with a lifespan of less than 50 years. This covers all machinery, and includes things like antique clocks or watches.\n\nDifferent rules apply if you\u2019ve used the possession for business. You don\u2019t have to pay Capital Gains Tax if it doesn\u2019t qualify for capital allowances. If it qualifies, you may need to pay Capital Gains Tax, but you can\u2019t claim losses.\n\n## Possessions that are part of a set\n\nIf you sell all or part of a set to the same person for less than \u00a36,000, you won\u2019t pay tax.\n\nIf you sell parts of a set to different people, you won\u2019t pay tax on each part sold for less than \u00a36,000.\n\nSets include things like chessmen, books by the same author, matching vases and sets of china.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/capital-gains-tax-personal-possessions", + "answerable": true, + "scenario": "My Uncle gifted me a new car for my birthday . I have other several cars and would like to sell the gift car and use the money to start up a salon shop.", + "original_question": "Do i need to pay the capital gain tax from sale of the car?" + }, + { + "id": "train-1073", + "question": "Scenario: I am a French national and living in the UK and runs a pub . I want to pay for class 2 national insurance . I want to set up a direct debit to make the payments to HMRC.\n\nQuestion: Can it be use as a payment method?\n\nDocument - Pay Class 2 National Insurance if you do not pay through Self Assessment:\n## Overview\n\nYou make Class 2 National Insurance contributions if you\u2019re self-employed to qualify for benefits like the State Pension.\n\nMost people pay the contributions as part of their Self Assessment tax bill.\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\n## If you do not pay through Self Assessment\n\nYou do not pay through Self Assessment if you\u2019re any of the following:\n\n- an examiner, moderator, invigilator or person who set exam questions\n\n- running a businesses involving land or property\n\n- a minister of religion who does not receive a salary or stipend\n\n- living abroad and paying voluntary Class 2 contributions\n\n- a person who makes investments - but not as a business and without getting a fee or commission\n\n- a non-UK resident who\u2019s self-employed in the UK\n\n- working abroad\n\nHM Revenue and Customs (HMRC) will send you a payment request by the end of October - call the newly self-employed helpline if you do not get one.\n\nPay now\n\nYou can no longer pay at the Post Office.\n\n## How long it takes\n\nMake sure your payment reaches HMRC by the deadline. The time you need to allow depends on how you pay.\n\nYou can make same or next day payments:\n\n- by online or telephone banking (Faster Payments)\n\n- by CHAPS\n\n- at your bank or building society, if it\u2019s still open\n\nYou can pay within 3 days by BACS.\n\nYou can pay within 21 working days by Direct Debit if you have not set one up before.\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before it (unless you\u2019re paying by Faster Payments).\n\n## If you miss the deadline\n\nYou might have to pay more to fill the gap in your National Insurance record. HMRC will write to you to tell you how much you need to pay.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\n## Paying from the UK\n\nUse your online or telephone banking account to make your payment to the following HM Revenue and Customs\u2019 (HMRC) bank account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 20 | 12001004 | HMRC NICO |\n\n## Reference number\n\nUse the 18-digit reference number shown on your HMRC payment request, when you make a payment. Do not leave any spaces between the digits.\n\nIf you do not have an 18-digit reference number you can get help from the National Insurance Helpline.\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments made by Faster Payments (online or telephone banking) will usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nIf you\u2019re paying from abroad, the account you pay into depends on whether you\u2019re using a UK or non-UK account.\n\n| Account type | Sort code | Account number |\n\n| UK | 20 20 48 | 30944793 |\n\n| Account type | Account number (IBAN) | Bank Identifier Code (BIC) |\n\n| Non-UK | GB49BARC20204830944793 | BARCGB22 |\n\nFor either account, pay to account name \u2018HMRC NIC receipts\u2019.\n\n## Reference number\n\nUse your National Insurance number followed by \u2018IC\u2019, your surname then your initial. If your bank limits you to a certain amount of characters, you should use your National Insurance number followed by \u2018IC\u2019 and as much of your surname as possible.\n\nIf you\u2019re an employer paying for an employee living abroad, you should use your 13-character employer number.\n\n## Banking address\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nPay at a branch by cash or cheque, along with your HM Revenue and Customs (HMRC) payslip.\n\nSome branches might be closed because of coronavirus (COVID-19).\n\nYou\u2019ll find your payslip on the payment request HMRC sent you.\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your Class 2 National Insurance reference number on the back of your cheque. You\u2019ll find the reference number on the payslip or the payment request sent to you by HMRC.\n\nIf you pay between Monday and Friday, HMRC will accept your payment on the date you make it, and not the date it reaches HMRC\u2019s account.\n\n## By cheque through the post\n\nYou cannot currently pay by cheque through the post because of coronavirus (COVID-19).\n\nYou can still make payments:\n\n- by online or telephone banking\n\n- by CHAPS or BACS\n\n- at your bank or building society, if it\u2019s still open\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nCall HMRC if you want to check your payment has been received.\n\n## Direct Debit\n\nFill in the form to set up a new Direct Debit.\n\nIf you live abroad and pay voluntary National Insurance, fill in the form at the end of leaflet NI38 instead.\n\nAllow 21 days to set up a new Direct Debit.\n\nHM Revenue and Customs (HMRC) will send you a letter telling you when payments will be taken and how much they will be.\n\nPayments will appear on your statement as \u2018HMRC NI-DD\u2019. HMRC will write to you if your payments change for any reason.\n\nIf you have a question about your Direct Debit payments contact National Insurance enquiries.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-class-2-national-insurance", + "answerable": true, + "scenario": "I am a French national and living in the UK and runs a pub . I want to pay for class 2 national insurance . I want to set up a direct debit to make the payments to HMRC.", + "original_question": "Can it be use as a payment method?" + }, + { + "id": "train-1074", + "question": "Scenario: I pay for my fuel to visit accountancy clients. I have been reimbursed by my employer for these fuel expenses.\n\nQuestion: Can I claim tax relief for these fuel expenses?\n\nDocument - Claim tax relief for your job expenses:\n## Overview\n\nYou might be able to claim tax relief if:\n\n- you use your own money for things that you must buy for your job\n\n- you only use these things for your work\n\nYou cannot claim tax relief if your employer either gives you:\n\n- all the money back\n\n- an alternative, for example your employer gives you a laptop but you want a different type or model\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must have paid tax in the year. You\u2019ll get tax relief based on what you\u2019ve spent and the rate at which you pay tax.\n\nFor some claims, you must keep records of what you\u2019ve spent. You must claim within 4 years of the end of the tax year that you spent the money.\n\nIf your claim is for the current tax year, HM Revenue and Customs (HMRC) will usually make any adjustments needed through your tax code.\n\nIf your claim is for previous tax years, HMRC will either make adjustments through your tax code or give you a tax refund.\n\nCheck if you can claim\n\n## Working from home\n\nYou may be able to claim tax relief for additional household costs if you have to work at home on a regular basis, either for all or part of the week. This includes if you have to work from home because of coronavirus (COVID-19).\n\nYou cannot claim tax relief if you choose to work from home.\n\nYou may be able to claim tax relief for:\n\n- gas and electricity\n\n- metered water\n\n- business phone calls, including dial-up internet access\n\nYou cannot claim for the whole bill, just the part that relates to your work.\n\nYou may also be able to claim tax relief on equipment you\u2019ve bought, such as a laptop, chair or mobile phone.\n\n## How much you can claim\n\nYou can either claim tax relief on:\n\n- \u00a36 a week from 6 April 2020 (for previous tax years the rate is \u00a34 a week) - you will not need to keep evidence of your extra costs\n\n- the exact amount of extra costs you\u2019ve incurred above the weekly amount - you\u2019ll need evidence such as receipts, bills or contracts\n\nYou\u2019ll get tax relief based on the rate at which you pay tax. For example, if you pay the 20% basic rate of tax and claim tax relief on \u00a36 a week you would get \u00a31.20 per week in tax relief (20% of \u00a36).\n\nCheck if you can claim\n\n## Uniforms, work clothing and tools\n\nYou may be able to claim tax relief on the cost of:\n\n- repairing or replacing small tools you need to do your job (for example, scissors or an electric drill)\n\n- cleaning, repairing or replacing specialist clothing (for example, a uniform or safety boots)\n\nYou cannot claim relief on the initial cost of buying small tools or clothing for work.\n\n## Personal Protective Equipment (PPE)\n\nYou cannot claim tax relief for PPE. If your job requires you to use PPE your employer should either:\n\n- give you PPE free of charge\n\n- ask you to buy it and reimburse you the costs\n\n## How much you can claim\n\nYou can either claim:\n\n- the actual amount you\u2019ve spent - you\u2019ll need to keep receipts\n\n- an agreed fixed amount (a \u2018flat rate expense\u2019 or \u2018flat rate deduction\u2019)\n\nCheck if your job has an agreed flat rate expense.\n\nCheck if you can claim\n\n## Vehicles you use for work\n\nYou may be able to claim tax relief if you use cars, vans, motorcycles or bicycles for work.\n\nThis does not include travelling to and from your work, unless it\u2019s a temporary place of work.\n\nHow much you can claim depends on whether you\u2019re using:\n\n- a vehicle that you\u2019ve bought or leased with your own money\n\n- a vehicle owned or leased by your employer (a company vehicle)\n\n## Using your own vehicle for work\n\nIf you use your own vehicle or vehicles for work, you may be able to claim tax relief on the approved mileage rate. This covers the cost of owning and running your vehicle. You cannot claim separately for things like:\n\n- fuel\n\n- electricity\n\n- road tax\n\n- MOTs\n\n- repairs\n\nTo work out how much you can claim for each tax year you\u2019ll need to:\n\n- keep records of the dates and mileage or your work journeys\n\n- add up the mileage for each vehicle type you\u2019ve used for work\n\n- take away any amount your employer pays you towards your costs, (sometimes called a \u2018mileage allowance\u2019)\n\n## Approved mileage rates\n\n| | First 10,000 business miles in the tax year | Each business mile over 10,000 in the tax year |\n\n| Cars and vans | 45p | 25p |\n\n| Motorcycles | 24p | 24p |\n\n| Bicycles | 20p | 20p |\n\n## Using a company car for business\n\nYou can claim tax relief on the money you\u2019ve spent on fuel and electricity, for business trips in your company car. Keep records to show the actual cost of the fuel.\n\nIf your employer reimburses some of the money, you can claim relief on the difference.\n\nCheck if you can claim\n\n## Professional fees and subscriptions\n\nYou can claim tax relief on:\n\n- professional membership fees, if you must pay the fees to be able to do your job\n\n- annual subscriptions you pay to approved professional bodies or learned societies if being a member of that body or society is relevant to your job\n\nYou cannot claim tax relief on life membership subscriptions, or for professional membership fees or annual subscriptions you:\n\n- have not paid yourself (for example if your employer has paid for them)\n\n- have paid to professional organisations that are not approved by HMRC\n\nYour organisation can tell you how much tax you\u2019re allowed to claim back.\n\nCheck if you can claim\n\n## Travel and overnight expenses\n\nIf you have to travel for your work you may be able to claim tax relief on the cost or money you\u2019ve spent on food or overnight expenses.\n\nYou cannot claim for travelling to and from work, unless you\u2019re travelling to a temporary place of work.\n\nYou can claim tax relief for money you\u2019ve spent on things like:\n\n- public transport costs\n\n- hotel accommodation if you have to stay overnight\n\n- food and drink\n\n- congestion charges and tolls\n\n- parking fees\n\n- business phone calls and printing costs\n\nYou may also be able to claim tax relief on business mileage.\n\nCheck if you can claim\n\n## Buying other equipment\n\nIn most cases you can claim tax relief on the full cost of substantial equipment, for example a computer, you have to buy to do your work. This is because it qualifies for a type of capital allowance called annual investment allowance.\n\nYou cannot claim capital allowances for cars, motorcycles or bicycles you use for work, but you may be able to claim for business mileage and fuel costs.\n\nYou claim in a different way for small items that\u2019ll last less than 2 years, such as uniforms and tools.\n\nYou can only claim tax relief for equipment expenses if:\n\n- you need it to do your job\n\n- you use the equipment for work and there\u2019s no significant private use - this includes using the equipment according to your organisation\u2019s policy\n\n## If your employer gives you money for the item\n\nReduce the amount you claim tax relief on by the amount of money your employer gives you.\n\nCheck if you can claim", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-relief-for-employees", + "answerable": true, + "scenario": "I pay for my fuel to visit accountancy clients. I have been reimbursed by my employer for these fuel expenses.", + "original_question": "Can I claim tax relief for these fuel expenses?" + }, + { + "id": "train-1076", + "question": "Scenario: I was born on the 19th January 1934. I am separated and pay maintenance payments to my wife. I am looking at applying for the maintenance payment relief.\n\nQuestion: Would I be eligible for this relief?\n\nDocument - National Insurance and tax after State Pension age:\n## Overview\n\nYou do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.\n\nYou only pay Income Tax if your taxable income - including your private pension and State Pension - is more than your tax-free allowances (the amount of income you\u2019re allowed before you pay tax).\n\nYou must contact HM Revenue and Customs (HMRC) if you think you should be paying tax.\n\n## Stop paying National Insurance\n\nYou pay National Insurance contributions to qualify for certain benefits including the State Pension.\n\nIf you\u2019re employed, you pay Class 1 National Insurance contributions as a percentage of your earnings up to State Pension age.\n\nIf you\u2019re self-employed, you pay Class 2 contributions at a flat weekly rate and Class 4 contributions annually as a percentage of your taxable profits.\n\n## What happens at State Pension age\n\nYou stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.\n\nYou\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.\n\nFor example, you reach State Pension age on 6 September 2021. You\u2019ll stop making Class 4 contributions on 5 April 2022 and pay your final Class 4 bill by 31 January 2023, together with your Income Tax.\n\nIf you\u2019re self employed, you still need to send a Self Assessment tax return for each year you work - even after you reach State Pension age.\n\nYou can claim back National Insurance if you\u2019ve overpaid.\n\n## If you continue working\n\nShow your employer proof of your age (a birth certificate or passport, for example) to make sure you stop paying National Insurance.\n\nIf you do not want your employer to see your birth certificate or passport, HM Revenue and Customs (HMRC) can send you a letter to show them instead.\n\nThe letter will confirm:\n\n- you\u2019ve reached State Pension age\n\n- you do not need to pay National Insurance\n\nYou\u2019ll need to write to HMRC explaining why you do not want your employer to see your birth certificate or passport.\n\nYou\u2019ll be asked to send your birth certificate or passport for verification if HMRC does not have a record of your date of birth. Certified copies are accepted.\n\nYou can also show a certificate of age exception (CA4140) if you have one.\n\n## Age-related tax allowances\n\n## Married Couple\u2019s Allowance\n\nYou can claim the Married Couple\u2019s Allowance if you\u2019re married or in a civil partnership and at least one partner was born before 6 April 1935. It gets taken off your tax bill - the amount that\u2019s deducted depends on your income.\n\n## Maintenance Payments Relief\n\nYou can get an allowance to reduce your tax bill for maintenance payments you make to an ex-spouse or civil partner if:\n\n- you or they were born before 6 April 1935\n\n- you\u2019re separated or divorced and you\u2019re making payments under a court order\n\n- the payments are for the maintenance of your ex-partner (as long as they have not re-married or formed a new civil partnership) or your children are under 21\n\n## How much you can get\n\nFor the 2021 to 2022 tax year Maintenance Payments Relief can reduce your tax bill by the lower of the following:\n\n- \u00a3353 - where you make maintenance payments of \u00a33,530 or more a year\n\n- 10% of the money you\u2019ve actually paid - where you make payments of less than \u00a33,530 a year\n\nYou cannot claim a tax reduction for any voluntary payments you make.\n\n## Claim back tax or National Insurance\n\n## National Insurance refunds\n\nYou can claim back any overpaid National Insurance.\n\n## Tax refunds\n\nYou can claim a tax refund if you\u2019ve:\n\n- had too much deducted from your pension\n\n- overpaid through your job\n\nIf you complete a tax return, you can also correct mistakes and claim a refund via Self Assessment.\n\n## Claiming back tax on savings interest\n\nIf you\u2019re on a low income, you may be able to get tax-free interest or get some tax back from interest on your savings.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "answerable": true, + "scenario": "I was born on the 19th January 1934. I am separated and pay maintenance payments to my wife. I am looking at applying for the maintenance payment relief.", + "original_question": "Would I be eligible for this relief?" + }, + { + "id": "train-1077", + "question": "Scenario: I am self employed. It is the 23rd January 2021 today, and I have just reached state pension age. I know I do not need to pay class 4 national insurance anymore.\n\nQuestion: Can I stop my national insurance payments now?\n\nDocument - National Insurance and tax after State Pension age:\n## Overview\n\nYou do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.\n\nYou only pay Income Tax if your taxable income - including your private pension and State Pension - is more than your tax-free allowances (the amount of income you\u2019re allowed before you pay tax).\n\nYou must contact HM Revenue and Customs (HMRC) if you think you should be paying tax.\n\n## Stop paying National Insurance\n\nYou pay National Insurance contributions to qualify for certain benefits including the State Pension.\n\nIf you\u2019re employed, you pay Class 1 National Insurance contributions as a percentage of your earnings up to State Pension age.\n\nIf you\u2019re self-employed, you pay Class 2 contributions at a flat weekly rate and Class 4 contributions annually as a percentage of your taxable profits.\n\n## What happens at State Pension age\n\nYou stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.\n\nYou\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.\n\nFor example, you reach State Pension age on 6 September 2021. You\u2019ll stop making Class 4 contributions on 5 April 2022 and pay your final Class 4 bill by 31 January 2023, together with your Income Tax.\n\nIf you\u2019re self employed, you still need to send a Self Assessment tax return for each year you work - even after you reach State Pension age.\n\nYou can claim back National Insurance if you\u2019ve overpaid.\n\n## If you continue working\n\nShow your employer proof of your age (a birth certificate or passport, for example) to make sure you stop paying National Insurance.\n\nIf you do not want your employer to see your birth certificate or passport, HM Revenue and Customs (HMRC) can send you a letter to show them instead.\n\nThe letter will confirm:\n\n- you\u2019ve reached State Pension age\n\n- you do not need to pay National Insurance\n\nYou\u2019ll need to write to HMRC explaining why you do not want your employer to see your birth certificate or passport.\n\nYou\u2019ll be asked to send your birth certificate or passport for verification if HMRC does not have a record of your date of birth. Certified copies are accepted.\n\nYou can also show a certificate of age exception (CA4140) if you have one.\n\n## Age-related tax allowances\n\n## Married Couple\u2019s Allowance\n\nYou can claim the Married Couple\u2019s Allowance if you\u2019re married or in a civil partnership and at least one partner was born before 6 April 1935. It gets taken off your tax bill - the amount that\u2019s deducted depends on your income.\n\n## Maintenance Payments Relief\n\nYou can get an allowance to reduce your tax bill for maintenance payments you make to an ex-spouse or civil partner if:\n\n- you or they were born before 6 April 1935\n\n- you\u2019re separated or divorced and you\u2019re making payments under a court order\n\n- the payments are for the maintenance of your ex-partner (as long as they have not re-married or formed a new civil partnership) or your children are under 21\n\n## How much you can get\n\nFor the 2021 to 2022 tax year Maintenance Payments Relief can reduce your tax bill by the lower of the following:\n\n- \u00a3353 - where you make maintenance payments of \u00a33,530 or more a year\n\n- 10% of the money you\u2019ve actually paid - where you make payments of less than \u00a33,530 a year\n\nYou cannot claim a tax reduction for any voluntary payments you make.\n\n## Claim back tax or National Insurance\n\n## National Insurance refunds\n\nYou can claim back any overpaid National Insurance.\n\n## Tax refunds\n\nYou can claim a tax refund if you\u2019ve:\n\n- had too much deducted from your pension\n\n- overpaid through your job\n\nIf you complete a tax return, you can also correct mistakes and claim a refund via Self Assessment.\n\n## Claiming back tax on savings interest\n\nIf you\u2019re on a low income, you may be able to get tax-free interest or get some tax back from interest on your savings.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "answerable": true, + "scenario": "I am self employed. It is the 23rd January 2021 today, and I have just reached state pension age. I know I do not need to pay class 4 national insurance anymore.", + "original_question": "Can I stop my national insurance payments now?" + }, + { + "id": "train-1080", + "question": "Scenario: I pay a net annual contribution of \u00a33,000 to my personal pension plan and my husband pays a further net annual contribution of \u00a31000 into my plan. My annual income is \u00a3120,000 and classified as a high rated taxpayer.\n\nQuestion: Can i claim tax relief ?\n\nDocument - Tax on your private pension contributions:\n## Overview\n\nYour private pension contributions are tax-free up to certain limits.\n\nThis applies to most private pension schemes, for example:\n\n- workplace pensions\n\n- personal and stakeholder pensions\n\n- overseas pension schemes that qualify for UK tax relief - ask your provider if it\u2019s a \u2018qualifying overseas pension scheme\u2019\n\nPension schemes must be registered with HMRC to qualify for tax relief. Check with your pension provider if you\u2019re unsure if your scheme is registered or not.\n\nYou pay tax when you take money out of a pension.\n\n## Limits to your tax-free contributions\n\nYou usually pay tax if savings in your pension pots go above:\n\n- 100% of your earnings in a year - this is the limit on tax relief you get\n\n- \u00a340,000 a year - check your \u2018annual allowance\u2019\n\n- \u00a31,073,100 in your lifetime - this is the lifetime allowance\n\nYou also pay tax on contributions if your pension provider:\n\n- is not registered for tax relief with HM Revenue and Customs (HMRC)\n\n- does not invest your pension pot according to HMRC\u2019s rules\n\n## Tax relief\n\nYou can get tax relief on private pension contributions worth up to 100% of your annual earnings.\n\nYou get the tax relief automatically if your:\n\n- employer takes workplace pension contributions out of your pay before deducting Income Tax\n\n- rate of Income Tax is 20% - your pension provider will claim it as tax relief and add it to your pension pot (\u2018relief at source\u2019)\n\nIf your rate of Income Tax in Scotland is 19% your pension provider will claim tax relief for you at a rate of 20%. You do not need to pay the difference.\n\nUK tax relief is also available on contributions made to certain types of overseas pension schemes.\n\nIt\u2019s up to you to make sure you\u2019re not getting tax relief on pension contributions worth more than 100% of your annual earnings. HM Revenue and Customs (HMRC) can ask you to pay back anything over this limit.\n\n## Relief at source\n\nYou get relief at source in all personal and stakeholder pensions, and some workplace pensions.\n\n## To get relief at source\n\nBefore paying into a scheme, you need to agree to certain conditions about your contributions (\u2018make declarations\u2019). Your pension provider will tell you what these are.\n\nYou also need to give your pension provider your:\n\n- full name and address\n\n- date of birth\n\n- National Insurance number\n\n- employment status - or tell them if you\u2019re retired, a full time student, a carer or aged under 16\n\nYour employer may do this for you if you\u2019re automatically enrolled in their pension scheme.\n\nYour pension provider will let you know if this is the case and ask you to confirm your details are correct. You must do this within 30 days.\n\n## When you have to claim tax relief\n\nYou may be able to claim tax relief on pension contributions if:\n\n- you pay Income Tax at a rate above 20% and your pension provider claims the first 20% for you (relief at source)\n\n- your pension scheme is not set up for automatic tax relief\n\n- someone else pays into your pension\n\n## Claim tax relief in England, Wales or Northern Ireland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 20% up to the amount of any income you have paid 40% tax on\n\n- 25% up to the amount of any income you have paid 45% tax on\n\nYou can also call or write to HMRC to claim if you pay Income Tax at 40%.\n\n## Claim tax relief in Scotland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 1% up to the amount of any income you have paid 21% tax on\n\n- 21% up to the amount of any income you have paid 41% tax on\n\n- 26% up to the amount of any income you have paid 46% tax on\n\nYou can call or write to HMRC to claim if you do not fill in a Self Assessment tax return.\n\n## If your pension scheme is not set up for automatic tax relief\n\nClaim tax relief in your Self Assessment tax return if your pension scheme is not set up for automatic tax relief.\n\nCall or write to HMRC if you do not fill in a tax return.\n\nYou cannot claim tax relief if your pension scheme is not registered with HMRC.\n\n## If someone else pays into your pension\n\nWhen someone else (for example your partner) pays into your pension, you automatically get tax relief at 20% if your pension provider claims it for you (relief at source).\n\nIf you\u2019re in a workplace pension that allows other people to contribute you may need to claim the tax relief on those contributions - call or write to HMRC.\n\n## If you do not pay Income Tax\n\nYou still automatically get tax relief at 20% on the first \u00a32,880 you pay into a pension each tax year (6 April to 5 April) if both of the following apply to you:\n\n- you do not pay Income Tax, for example because you\u2019re on a low income\n\n- your pension provider claims tax relief for you at a rate of 20% (relief at source)\n\n## Life insurance policies\n\nYou cannot get tax relief if you use your pension contributions to pay a personal term assurance policy, unless it\u2019s a protected policy.\n\nPersonal term assurance is a life insurance policy that either:\n\n- ends when the first insured person dies\n\n- insures people who are all from the same family\n\n## Annual allowance\n\nYour annual allowance is the most you can save in your pension pots in a tax year (6 April to 5 April) before you have to pay tax.\n\nYou\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.\n\n## What counts towards the annual allowance\n\nYour annual allowance applies to all of your private pensions, if you have more than one. This includes:\n\n- the total amount paid in to a defined contribution scheme in a tax year by you or anyone else (for example, your employer)\n\n- any increase in a defined benefit scheme in a tax year\n\n## If you use all of your annual allowance for the current tax year\n\nYou might be able to carry over any annual allowance you did not use from the previous 3 tax years.\n\n## When your annual allowance is lower than \u00a340,000\n\nYour annual allowance might be lower if you have:\n\n- flexibly accessed your pension pot\n\n- a high income\n\n## If you flexibly access your pension\n\nYour annual allowance might be lower if you flexibly access your pension. For example, this could include taking:\n\n- cash or a short-term annuity from a flexi-access drawdown fund\n\n- cash from a pension pot (\u2018uncrystallised funds pension lump sums\u2019)\n\nThe lower allowance is called the \u2018money purchase annual allowance\u2019.\n\n## If you have a high income\n\nYou\u2019ll have a reduced (\u2018tapered\u2019) annual allowance in the current tax year if both:\n\n- your \u2018threshold income\u2019 is over \u00a3200,000\n\n- your \u2018adjusted income\u2019 is over \u00a3240,000\n\nThe threshold income and adjusted income limits are different for earlier tax years.\n\nWork out your reduced annual allowance.\n\n## If you go above the annual allowance\n\nYou\u2019ll get a statement from your pension provider telling you if you go above the annual allowance in their scheme. If you\u2019re in more than one pension scheme, ask each pension provider for statements.\n\nYou can also use a calculator to work out how much you\u2019ve gone above the allowance.\n\nIf you go over your annual allowance, either you or your pension provider must pay the tax.\n\nFill in the \u2018Pension savings tax charges\u2019 section of a Self Assessment tax return to tell HMRC about the tax, even if your pension provider pays all or part of it. You\u2019ll need form SA101 if you\u2019re using a paper form.\n\nYou can still claim tax relief for pension contributions on your Self Assessment tax return if you\u2019re above the annual allowance.\n\nHMRC does not tax anyone for going over their annual allowance in a tax year if they:\n\n- retired and took all their pension pots because of serious ill health\n\n- died\n\n## Lifetime allowance\n\nYou usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.\n\nYou might be able to protect your pension pot from reductions to the lifetime allowance.\n\n## Check how much lifetime allowance you\u2019ve used\n\nAsk your pension provider how much of your lifetime allowance you\u2019ve used.\n\nIf you\u2019re in more than one pension scheme, you must add up what you\u2019ve used in all pension schemes you belong to.\n\nWhat counts towards your allowance depends on the type of pension pot you get.\n\n| Type of pension pot | What counts towards your lifetime allowance |\n\n| Defined contribution - personal, stakeholder and most workplace schemes | Money in pension pots that goes towards paying you, however you decide to take the money |\n\n| Defined benefit - some workplace schemes | Usually 20 times the pension you get in the first year plus your lump sum - check with your pension provider |\n\nYour pension provider may ask for information about other pension schemes you\u2019re in so they can check if you\u2019re above your lifetime allowance when you:\n\n- decide to take money from a pension pot\n\n- turn 75\n\n- transfer your pension overseas\n\n## Pay tax if you go above your lifetime allowance\n\nYou\u2019ll get a statement from your pension provider telling you how much tax you owe if you go above your lifetime allowance. Your pension provider will deduct the tax before you start getting your pension.\n\nYou\u2019ll need to report the tax deducted by filling in a Self Assessment tax return - download and fill in form SA101 if you\u2019re using paper forms. You\u2019ll get information from your pension provider to help you do this.\n\nIf you die before taking your pension HM Revenue and Customs (HMRC) will bill the person who inherits your pension for the tax.\n\n## Rates\n\nThe rate of tax you pay on pension savings above your lifetime allowance depends on how the money is paid to you - the rate is:\n\n- 55% if you get it as a lump sum\n\n- 25% if you get it any other way, for example pension payments or cash withdrawals\n\n## Protect your lifetime allowance\n\nThe lifetime allowance was reduced in April 2016. You can apply to protect your lifetime allowance from this reduction.\n\nTell your pension provider the type of protection and the protection reference number when you decide to take money from your pension pot.\n\n## Withdrawing cash from a pension pot\n\nYou cannot withdraw cash from a defined contribution pension pot (\u2018uncrystallised funds pension lump sums\u2019) if you have:\n\n- primary or enhanced protection covering a lump sum worth more than \u00a3375,000\n\n- \u2018lifetime allowance enhancement factor\u2019 if your unused lifetime allowance is less than 25% of the cash you want to withdraw\n\n## Reporting changes to HMRC\n\nYou can lose enhanced protection or any type of fixed protection if:\n\n- you make new savings in a pension scheme\n\n- you are enrolled in a new workplace pension scheme\n\n- you transfer money between pension schemes in a way that does not meet the transfer rules\n\n- you\u2019ve got enhanced protection and, when you take your pension benefits, their value has increased more than the amount allowed in the enhanced protection tax rules - this is called \u2018relevant benefit accrual\u2019\n\n- you\u2019ve got fixed protection and the value of your pension pot in any tax year grows at a higher rate than is allowed by the tax rules - this is called \u2018benefit accrual\u2019\n\nYou can report changes online or by post.\n\nAsk your employer whether they\u2019re likely to enrol you in a workplace pension. To make sure you do not lose protection, you can either:\n\n- opt out of most schemes within a month\n\n- ask not to be enrolled in some schemes - your employer may need evidence of your lifetime allowance protection\n\nTell HMRC in writing if you think you might have lost your protection.\n\n## If you have the right to take your pension before 50\n\nYou may have a reduced lifetime allowance if you have the right to take your pension before you\u2019re 50 under a pension scheme you joined before 2006.\n\nThis only applies to people in certain jobs (for example professional sports, dance and modelling) who start taking their pension before they\u2019re 55.\n\nYour lifetime allowance is not reduced if you\u2019re in a pension scheme for uniformed services, for example the armed forces, police and fire services.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-on-your-private-pension", + "answerable": true, + "scenario": "I pay a net annual contribution of \u00a33,000 to my personal pension plan and my husband pays a further net annual contribution of \u00a31000 into my plan. My annual income is \u00a3120,000 and classified as a high rated taxpayer.", + "original_question": "Can i claim tax relief ?" + }, + { + "id": "train-1081", + "question": "Scenario: I have paid personal pension contributions but I am intending to use it to pay for personal term assurance policy which is not protected .\n\nQuestion: Can i claim tax relief?\n\nDocument - Tax on your private pension contributions:\n## Overview\n\nYour private pension contributions are tax-free up to certain limits.\n\nThis applies to most private pension schemes, for example:\n\n- workplace pensions\n\n- personal and stakeholder pensions\n\n- overseas pension schemes that qualify for UK tax relief - ask your provider if it\u2019s a \u2018qualifying overseas pension scheme\u2019\n\nPension schemes must be registered with HMRC to qualify for tax relief. Check with your pension provider if you\u2019re unsure if your scheme is registered or not.\n\nYou pay tax when you take money out of a pension.\n\n## Limits to your tax-free contributions\n\nYou usually pay tax if savings in your pension pots go above:\n\n- 100% of your earnings in a year - this is the limit on tax relief you get\n\n- \u00a340,000 a year - check your \u2018annual allowance\u2019\n\n- \u00a31,073,100 in your lifetime - this is the lifetime allowance\n\nYou also pay tax on contributions if your pension provider:\n\n- is not registered for tax relief with HM Revenue and Customs (HMRC)\n\n- does not invest your pension pot according to HMRC\u2019s rules\n\n## Tax relief\n\nYou can get tax relief on private pension contributions worth up to 100% of your annual earnings.\n\nYou get the tax relief automatically if your:\n\n- employer takes workplace pension contributions out of your pay before deducting Income Tax\n\n- rate of Income Tax is 20% - your pension provider will claim it as tax relief and add it to your pension pot (\u2018relief at source\u2019)\n\nIf your rate of Income Tax in Scotland is 19% your pension provider will claim tax relief for you at a rate of 20%. You do not need to pay the difference.\n\nUK tax relief is also available on contributions made to certain types of overseas pension schemes.\n\nIt\u2019s up to you to make sure you\u2019re not getting tax relief on pension contributions worth more than 100% of your annual earnings. HM Revenue and Customs (HMRC) can ask you to pay back anything over this limit.\n\n## Relief at source\n\nYou get relief at source in all personal and stakeholder pensions, and some workplace pensions.\n\n## To get relief at source\n\nBefore paying into a scheme, you need to agree to certain conditions about your contributions (\u2018make declarations\u2019). Your pension provider will tell you what these are.\n\nYou also need to give your pension provider your:\n\n- full name and address\n\n- date of birth\n\n- National Insurance number\n\n- employment status - or tell them if you\u2019re retired, a full time student, a carer or aged under 16\n\nYour employer may do this for you if you\u2019re automatically enrolled in their pension scheme.\n\nYour pension provider will let you know if this is the case and ask you to confirm your details are correct. You must do this within 30 days.\n\n## When you have to claim tax relief\n\nYou may be able to claim tax relief on pension contributions if:\n\n- you pay Income Tax at a rate above 20% and your pension provider claims the first 20% for you (relief at source)\n\n- your pension scheme is not set up for automatic tax relief\n\n- someone else pays into your pension\n\n## Claim tax relief in England, Wales or Northern Ireland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 20% up to the amount of any income you have paid 40% tax on\n\n- 25% up to the amount of any income you have paid 45% tax on\n\nYou can also call or write to HMRC to claim if you pay Income Tax at 40%.\n\n## Claim tax relief in Scotland\n\nYou can claim additional tax relief on your Self Assessment tax return for money you put into a private pension of:\n\n- 1% up to the amount of any income you have paid 21% tax on\n\n- 21% up to the amount of any income you have paid 41% tax on\n\n- 26% up to the amount of any income you have paid 46% tax on\n\nYou can call or write to HMRC to claim if you do not fill in a Self Assessment tax return.\n\n## If your pension scheme is not set up for automatic tax relief\n\nClaim tax relief in your Self Assessment tax return if your pension scheme is not set up for automatic tax relief.\n\nCall or write to HMRC if you do not fill in a tax return.\n\nYou cannot claim tax relief if your pension scheme is not registered with HMRC.\n\n## If someone else pays into your pension\n\nWhen someone else (for example your partner) pays into your pension, you automatically get tax relief at 20% if your pension provider claims it for you (relief at source).\n\nIf you\u2019re in a workplace pension that allows other people to contribute you may need to claim the tax relief on those contributions - call or write to HMRC.\n\n## If you do not pay Income Tax\n\nYou still automatically get tax relief at 20% on the first \u00a32,880 you pay into a pension each tax year (6 April to 5 April) if both of the following apply to you:\n\n- you do not pay Income Tax, for example because you\u2019re on a low income\n\n- your pension provider claims tax relief for you at a rate of 20% (relief at source)\n\n## Life insurance policies\n\nYou cannot get tax relief if you use your pension contributions to pay a personal term assurance policy, unless it\u2019s a protected policy.\n\nPersonal term assurance is a life insurance policy that either:\n\n- ends when the first insured person dies\n\n- insures people who are all from the same family\n\n## Annual allowance\n\nYour annual allowance is the most you can save in your pension pots in a tax year (6 April to 5 April) before you have to pay tax.\n\nYou\u2019ll only pay tax if you go above the annual allowance. This is \u00a340,000 this tax year.\n\n## What counts towards the annual allowance\n\nYour annual allowance applies to all of your private pensions, if you have more than one. This includes:\n\n- the total amount paid in to a defined contribution scheme in a tax year by you or anyone else (for example, your employer)\n\n- any increase in a defined benefit scheme in a tax year\n\n## If you use all of your annual allowance for the current tax year\n\nYou might be able to carry over any annual allowance you did not use from the previous 3 tax years.\n\n## When your annual allowance is lower than \u00a340,000\n\nYour annual allowance might be lower if you have:\n\n- flexibly accessed your pension pot\n\n- a high income\n\n## If you flexibly access your pension\n\nYour annual allowance might be lower if you flexibly access your pension. For example, this could include taking:\n\n- cash or a short-term annuity from a flexi-access drawdown fund\n\n- cash from a pension pot (\u2018uncrystallised funds pension lump sums\u2019)\n\nThe lower allowance is called the \u2018money purchase annual allowance\u2019.\n\n## If you have a high income\n\nYou\u2019ll have a reduced (\u2018tapered\u2019) annual allowance in the current tax year if both:\n\n- your \u2018threshold income\u2019 is over \u00a3200,000\n\n- your \u2018adjusted income\u2019 is over \u00a3240,000\n\nThe threshold income and adjusted income limits are different for earlier tax years.\n\nWork out your reduced annual allowance.\n\n## If you go above the annual allowance\n\nYou\u2019ll get a statement from your pension provider telling you if you go above the annual allowance in their scheme. If you\u2019re in more than one pension scheme, ask each pension provider for statements.\n\nYou can also use a calculator to work out how much you\u2019ve gone above the allowance.\n\nIf you go over your annual allowance, either you or your pension provider must pay the tax.\n\nFill in the \u2018Pension savings tax charges\u2019 section of a Self Assessment tax return to tell HMRC about the tax, even if your pension provider pays all or part of it. You\u2019ll need form SA101 if you\u2019re using a paper form.\n\nYou can still claim tax relief for pension contributions on your Self Assessment tax return if you\u2019re above the annual allowance.\n\nHMRC does not tax anyone for going over their annual allowance in a tax year if they:\n\n- retired and took all their pension pots because of serious ill health\n\n- died\n\n## Lifetime allowance\n\nYou usually pay tax if your pension pots are worth more than the lifetime allowance. This is currently \u00a31,073,100.\n\nYou might be able to protect your pension pot from reductions to the lifetime allowance.\n\n## Check how much lifetime allowance you\u2019ve used\n\nAsk your pension provider how much of your lifetime allowance you\u2019ve used.\n\nIf you\u2019re in more than one pension scheme, you must add up what you\u2019ve used in all pension schemes you belong to.\n\nWhat counts towards your allowance depends on the type of pension pot you get.\n\n| Type of pension pot | What counts towards your lifetime allowance |\n\n| Defined contribution - personal, stakeholder and most workplace schemes | Money in pension pots that goes towards paying you, however you decide to take the money |\n\n| Defined benefit - some workplace schemes | Usually 20 times the pension you get in the first year plus your lump sum - check with your pension provider |\n\nYour pension provider may ask for information about other pension schemes you\u2019re in so they can check if you\u2019re above your lifetime allowance when you:\n\n- decide to take money from a pension pot\n\n- turn 75\n\n- transfer your pension overseas\n\n## Pay tax if you go above your lifetime allowance\n\nYou\u2019ll get a statement from your pension provider telling you how much tax you owe if you go above your lifetime allowance. Your pension provider will deduct the tax before you start getting your pension.\n\nYou\u2019ll need to report the tax deducted by filling in a Self Assessment tax return - download and fill in form SA101 if you\u2019re using paper forms. You\u2019ll get information from your pension provider to help you do this.\n\nIf you die before taking your pension HM Revenue and Customs (HMRC) will bill the person who inherits your pension for the tax.\n\n## Rates\n\nThe rate of tax you pay on pension savings above your lifetime allowance depends on how the money is paid to you - the rate is:\n\n- 55% if you get it as a lump sum\n\n- 25% if you get it any other way, for example pension payments or cash withdrawals\n\n## Protect your lifetime allowance\n\nThe lifetime allowance was reduced in April 2016. You can apply to protect your lifetime allowance from this reduction.\n\nTell your pension provider the type of protection and the protection reference number when you decide to take money from your pension pot.\n\n## Withdrawing cash from a pension pot\n\nYou cannot withdraw cash from a defined contribution pension pot (\u2018uncrystallised funds pension lump sums\u2019) if you have:\n\n- primary or enhanced protection covering a lump sum worth more than \u00a3375,000\n\n- \u2018lifetime allowance enhancement factor\u2019 if your unused lifetime allowance is less than 25% of the cash you want to withdraw\n\n## Reporting changes to HMRC\n\nYou can lose enhanced protection or any type of fixed protection if:\n\n- you make new savings in a pension scheme\n\n- you are enrolled in a new workplace pension scheme\n\n- you transfer money between pension schemes in a way that does not meet the transfer rules\n\n- you\u2019ve got enhanced protection and, when you take your pension benefits, their value has increased more than the amount allowed in the enhanced protection tax rules - this is called \u2018relevant benefit accrual\u2019\n\n- you\u2019ve got fixed protection and the value of your pension pot in any tax year grows at a higher rate than is allowed by the tax rules - this is called \u2018benefit accrual\u2019\n\nYou can report changes online or by post.\n\nAsk your employer whether they\u2019re likely to enrol you in a workplace pension. To make sure you do not lose protection, you can either:\n\n- opt out of most schemes within a month\n\n- ask not to be enrolled in some schemes - your employer may need evidence of your lifetime allowance protection\n\nTell HMRC in writing if you think you might have lost your protection.\n\n## If you have the right to take your pension before 50\n\nYou may have a reduced lifetime allowance if you have the right to take your pension before you\u2019re 50 under a pension scheme you joined before 2006.\n\nThis only applies to people in certain jobs (for example professional sports, dance and modelling) who start taking their pension before they\u2019re 55.\n\nYour lifetime allowance is not reduced if you\u2019re in a pension scheme for uniformed services, for example the armed forces, police and fire services.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-on-your-private-pension", + "answerable": true, + "scenario": "I have paid personal pension contributions but I am intending to use it to pay for personal term assurance policy which is not protected .", + "original_question": "Can i claim tax relief?" + }, + { + "id": "train-1082", + "question": "Scenario: Mary runs a computer repair service. Her business is VAT registered . Despite the covid pandemic she managed to earn \u00a3100000 turnover last financial year and expects to earn \u00a3130000 taxable income this coming year.\n\nQuestion: Can she be eligible for the VAT flat rate scheme?\n\nDocument - VAT Flat Rate Scheme:\n## Overview\n\nThe amount of VAT a business pays or claims back from HM Revenue and Customs (HMRC) is usually the difference between the VAT charged by the business to customers and the VAT the business pays on their own purchases.\n\nWith the Flat Rate Scheme:\n\n- you pay a fixed rate of VAT to HMRC\n\n- you keep the difference between what you charge your customers and pay to HMRC\n\n- you cannot reclaim the VAT on your purchases - except for certain capital assets over \u00a32,000\n\nTo join the scheme your VAT turnover must be \u00a3150,000 or less (excluding VAT), and you must apply to HMRC.\n\nTalk to an accountant or tax adviser if you want advice on whether the Flat Rate Scheme is right for you.\n\n## Join or leave the scheme\n\nYou must be eligible to join the scheme.\n\n## How to join\n\nYou can join the scheme online when you register for VAT.\n\nYou can also fill in VAT600 FRS and either:\n\n- email it to frsapplications.vrs@hmrc.gsi.gov.uk\n\n- send it by post\n\nDo not use the address on the form - send it to the following address instead.\n\nUse VAT600 AA/FRS to apply for the Annual Accounting Scheme at the same time.\n\nYou\u2019ll get confirmation you\u2019ve joined the scheme through your VAT online account (or in the post if you do not apply online).\n\n## How to leave\n\nYou can choose to leave the scheme at any time. You must leave if you\u2019re no longer eligible to be in it.\n\nTo leave, write to HMRC and they will confirm your leaving date.\n\nYou must wait 12 months before you can rejoin the scheme.\n\n## Eligibility\n\nYou can join the Flat Rate Scheme if:\n\n- you\u2019re a VAT-registered business\n\n- you expect your VAT taxable turnover to be \u00a3150,000 or less (excluding VAT) in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use the scheme if:\n\n- you left the scheme in the last 12 months\n\n- you committed a VAT offence in the last 12 months, for example VAT evasion\n\n- you joined (or were eligible to join) a VAT group in the last 24 months\n\n- you registered for VAT as a business division in the last 24 months\n\n- your business is closely associated with another business\n\n- you\u2019ve joined a margin or capital goods VAT scheme\n\nYou cannot use the scheme with the Cash Accounting Scheme. Instead, the Flat Rate Scheme has its own cash-based method for calculating the turnover.\n\n## Leaving the scheme\n\nYou must leave the scheme if:\n\n- you\u2019re no longer eligible to be in it\n\n- on the anniversary of joining, your turnover in the last 12 months was more than \u00a3230,000 (including VAT) - or you expect it to be in the next 12 months\n\n- you expect your total income in the next 30 days alone to be more than \u00a3230,000 (including VAT)\n\n## Work out your flat rate\n\nThe VAT flat rate you use usually depends on your business type. You may pay a different rate if you only spend a small amount on goods.\n\nYou get a 1% discount if you\u2019re in your first year as a VAT-registered business.\n\n## If you spend a small amount on goods\n\nYou\u2019re classed as a \u2018limited cost business\u2019 if your goods cost less than either:\n\n- 2% of your turnover\n\n- \u00a31,000 a year (if your costs are more than 2%)\n\nThis means you pay a higher rate of 16.5%. You can calculate if you need to pay the higher rate and work out which goods count as costs.\n\nIf you are not a limited cost business, you use your business type to work out your flat rate.\n\n## Flat rates for types of business\n\nBecause of coronavirus (COVID-19) the flat rate for catering (including restaurants and takeaways), accommodation and pubs has been reduced until 31 March 2022.\n\n| Type of business | Current VAT flat rate (%) |\n\n| Accountancy or book-keeping | 14.5 |\n\n| Advertising | 11 |\n\n| Agricultural services | 11 |\n\n| Any other activity not listed elsewhere | 12 |\n\n| Architect, civil and structural engineer or surveyor | 14.5 |\n\n| Boarding or care of animals | 12 |\n\n| Business services not listed elsewhere | 12 |\n\n| Catering services including restaurants and takeaways before 15 July 2020 | 12.5 |\n\n| Catering services including restaurants and takeaways from 15 July 2020 to 30 September 2021 | 4.5 |\n\n| Catering services including restaurants and takeaways from 1 October 2021 to 31 March 2022 | 8.5 |\n\n| Computer and IT consultancy or data processing | 14.5 |\n\n| Computer repair services | 10.5 |\n\n| Entertainment or journalism | 12.5 |\n\n| Estate agency or property management services | 12 |\n\n| Farming or agriculture not listed elsewhere | 6.5 |\n\n| Film, radio, television or video production | 13 |\n\n| Financial services | 13.5 |\n\n| Forestry or fishing | 10.5 |\n\n| General building or construction services* | 9.5 |\n\n| Hairdressing or other beauty treatment services | 13 |\n\n| Hiring or renting goods | 9.5 |\n\n| Hotel or accommodation before 15 July 2020 | 10.5 |\n\n| Hotel or accommodation from 15 July 2020 to 30 September 2021 | 0 |\n\n| Hotel or accommodation from 1 October 2021 to 31 March 2022 | 5.5 |\n\n| Investigation or security | 12 |\n\n| Labour-only building or construction services* | 14.5 |\n\n| Laundry or dry-cleaning services | 12 |\n\n| Lawyer or legal services | 14.5 |\n\n| Library, archive, museum or other cultural activity | 9.5 |\n\n| Management consultancy | 14 |\n\n| Manufacturing fabricated metal products | 10.5 |\n\n| Manufacturing food | 9 |\n\n| Manufacturing not listed elsewhere | 9.5 |\n\n| Manufacturing yarn, textiles or clothing | 9 |\n\n| Membership organisation | 8 |\n\n| Mining or quarrying | 10 |\n\n| Packaging | 9 |\n\n| Photography | 11 |\n\n| Post offices | 5 |\n\n| Printing | 8.5 |\n\n| Publishing | 11 |\n\n| Pubs before 15 July 2020 | 6.5 |\n\n| Pubs from 15 July 2020 to 30 September 2021 | 1 |\n\n| Pubs from 1 October 2021 to 31 March 2022 | 4 |\n\n| Real estate activity not listed elsewhere | 14 |\n\n| Repairing personal or household goods | 10 |\n\n| Repairing vehicles | 8.5 |\n\n| Retailing food, confectionery, tobacco, newspapers or children\u2019s clothing | 4 |\n\n| Retailing pharmaceuticals, medical goods, cosmetics or toiletries | 8 |\n\n| Retailing not listed elsewhere | 7.5 |\n\n| Retailing vehicles or fuel | 6.5 |\n\n| Secretarial services | 13 |\n\n| Social work | 11 |\n\n| Sport or recreation | 8.5 |\n\n| Transport or storage, including couriers, freight, removals and taxis | 10 |\n\n| Travel agency | 10.5 |\n\n| Veterinary medicine | 11 |\n\n| Wholesaling agricultural products | 8 |\n\n| Wholesaling food | 7.5 |\n\n| Wholesaling not listed elsewhere | 8.5 |\n\n*\u2018Labour-only building or construction services\u2019 means building services where the value of the materials supplied is less than 10% of the turnover for those services. If more than this amount, the business is classed as \u2018General building or construction services\u2019.\n\n## What you pay\n\nYou calculate the tax you pay by multiplying your VAT flat rate by your \u2018VAT inclusive turnover\u2019.\n\nVAT inclusive turnover is different from standard VAT turnover. As well as business income (such as from sales), it includes the VAT paid on that income.\n\n## Calculating 2 flat rates\n\nThe first calculation should start from day one of your accounting period to the last day of that flat rate. The second should start from the date of the new flat rate to the end of your accounting period.\n\n## Get help\n\nCall the VAT Helpline if you have any questions about the Flat Rate Scheme.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "answerable": true, + "scenario": "Mary runs a computer repair service. Her business is VAT registered . Despite the covid pandemic she managed to earn \u00a3100000 turnover last financial year and expects to earn \u00a3130000 taxable income this coming year.", + "original_question": "Can she be eligible for the VAT flat rate scheme?" + }, + { + "id": "train-1083", + "question": "Scenario: Dina runs an advertising company in London. It is VAT registered.Her business is eligible for the VAT Flat rate scheme. According to the type of her business in the HMRC website.\n\nQuestion: Is 11% the current VAT flat rate percentage?\n\nDocument - VAT Flat Rate Scheme:\n## Overview\n\nThe amount of VAT a business pays or claims back from HM Revenue and Customs (HMRC) is usually the difference between the VAT charged by the business to customers and the VAT the business pays on their own purchases.\n\nWith the Flat Rate Scheme:\n\n- you pay a fixed rate of VAT to HMRC\n\n- you keep the difference between what you charge your customers and pay to HMRC\n\n- you cannot reclaim the VAT on your purchases - except for certain capital assets over \u00a32,000\n\nTo join the scheme your VAT turnover must be \u00a3150,000 or less (excluding VAT), and you must apply to HMRC.\n\nTalk to an accountant or tax adviser if you want advice on whether the Flat Rate Scheme is right for you.\n\n## Join or leave the scheme\n\nYou must be eligible to join the scheme.\n\n## How to join\n\nYou can join the scheme online when you register for VAT.\n\nYou can also fill in VAT600 FRS and either:\n\n- email it to frsapplications.vrs@hmrc.gsi.gov.uk\n\n- send it by post\n\nDo not use the address on the form - send it to the following address instead.\n\nUse VAT600 AA/FRS to apply for the Annual Accounting Scheme at the same time.\n\nYou\u2019ll get confirmation you\u2019ve joined the scheme through your VAT online account (or in the post if you do not apply online).\n\n## How to leave\n\nYou can choose to leave the scheme at any time. You must leave if you\u2019re no longer eligible to be in it.\n\nTo leave, write to HMRC and they will confirm your leaving date.\n\nYou must wait 12 months before you can rejoin the scheme.\n\n## Eligibility\n\nYou can join the Flat Rate Scheme if:\n\n- you\u2019re a VAT-registered business\n\n- you expect your VAT taxable turnover to be \u00a3150,000 or less (excluding VAT) in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use the scheme if:\n\n- you left the scheme in the last 12 months\n\n- you committed a VAT offence in the last 12 months, for example VAT evasion\n\n- you joined (or were eligible to join) a VAT group in the last 24 months\n\n- you registered for VAT as a business division in the last 24 months\n\n- your business is closely associated with another business\n\n- you\u2019ve joined a margin or capital goods VAT scheme\n\nYou cannot use the scheme with the Cash Accounting Scheme. Instead, the Flat Rate Scheme has its own cash-based method for calculating the turnover.\n\n## Leaving the scheme\n\nYou must leave the scheme if:\n\n- you\u2019re no longer eligible to be in it\n\n- on the anniversary of joining, your turnover in the last 12 months was more than \u00a3230,000 (including VAT) - or you expect it to be in the next 12 months\n\n- you expect your total income in the next 30 days alone to be more than \u00a3230,000 (including VAT)\n\n## Work out your flat rate\n\nThe VAT flat rate you use usually depends on your business type. You may pay a different rate if you only spend a small amount on goods.\n\nYou get a 1% discount if you\u2019re in your first year as a VAT-registered business.\n\n## If you spend a small amount on goods\n\nYou\u2019re classed as a \u2018limited cost business\u2019 if your goods cost less than either:\n\n- 2% of your turnover\n\n- \u00a31,000 a year (if your costs are more than 2%)\n\nThis means you pay a higher rate of 16.5%. You can calculate if you need to pay the higher rate and work out which goods count as costs.\n\nIf you are not a limited cost business, you use your business type to work out your flat rate.\n\n## Flat rates for types of business\n\nBecause of coronavirus (COVID-19) the flat rate for catering (including restaurants and takeaways), accommodation and pubs has been reduced until 31 March 2022.\n\n| Type of business | Current VAT flat rate (%) |\n\n| Accountancy or book-keeping | 14.5 |\n\n| Advertising | 11 |\n\n| Agricultural services | 11 |\n\n| Any other activity not listed elsewhere | 12 |\n\n| Architect, civil and structural engineer or surveyor | 14.5 |\n\n| Boarding or care of animals | 12 |\n\n| Business services not listed elsewhere | 12 |\n\n| Catering services including restaurants and takeaways before 15 July 2020 | 12.5 |\n\n| Catering services including restaurants and takeaways from 15 July 2020 to 30 September 2021 | 4.5 |\n\n| Catering services including restaurants and takeaways from 1 October 2021 to 31 March 2022 | 8.5 |\n\n| Computer and IT consultancy or data processing | 14.5 |\n\n| Computer repair services | 10.5 |\n\n| Entertainment or journalism | 12.5 |\n\n| Estate agency or property management services | 12 |\n\n| Farming or agriculture not listed elsewhere | 6.5 |\n\n| Film, radio, television or video production | 13 |\n\n| Financial services | 13.5 |\n\n| Forestry or fishing | 10.5 |\n\n| General building or construction services* | 9.5 |\n\n| Hairdressing or other beauty treatment services | 13 |\n\n| Hiring or renting goods | 9.5 |\n\n| Hotel or accommodation before 15 July 2020 | 10.5 |\n\n| Hotel or accommodation from 15 July 2020 to 30 September 2021 | 0 |\n\n| Hotel or accommodation from 1 October 2021 to 31 March 2022 | 5.5 |\n\n| Investigation or security | 12 |\n\n| Labour-only building or construction services* | 14.5 |\n\n| Laundry or dry-cleaning services | 12 |\n\n| Lawyer or legal services | 14.5 |\n\n| Library, archive, museum or other cultural activity | 9.5 |\n\n| Management consultancy | 14 |\n\n| Manufacturing fabricated metal products | 10.5 |\n\n| Manufacturing food | 9 |\n\n| Manufacturing not listed elsewhere | 9.5 |\n\n| Manufacturing yarn, textiles or clothing | 9 |\n\n| Membership organisation | 8 |\n\n| Mining or quarrying | 10 |\n\n| Packaging | 9 |\n\n| Photography | 11 |\n\n| Post offices | 5 |\n\n| Printing | 8.5 |\n\n| Publishing | 11 |\n\n| Pubs before 15 July 2020 | 6.5 |\n\n| Pubs from 15 July 2020 to 30 September 2021 | 1 |\n\n| Pubs from 1 October 2021 to 31 March 2022 | 4 |\n\n| Real estate activity not listed elsewhere | 14 |\n\n| Repairing personal or household goods | 10 |\n\n| Repairing vehicles | 8.5 |\n\n| Retailing food, confectionery, tobacco, newspapers or children\u2019s clothing | 4 |\n\n| Retailing pharmaceuticals, medical goods, cosmetics or toiletries | 8 |\n\n| Retailing not listed elsewhere | 7.5 |\n\n| Retailing vehicles or fuel | 6.5 |\n\n| Secretarial services | 13 |\n\n| Social work | 11 |\n\n| Sport or recreation | 8.5 |\n\n| Transport or storage, including couriers, freight, removals and taxis | 10 |\n\n| Travel agency | 10.5 |\n\n| Veterinary medicine | 11 |\n\n| Wholesaling agricultural products | 8 |\n\n| Wholesaling food | 7.5 |\n\n| Wholesaling not listed elsewhere | 8.5 |\n\n*\u2018Labour-only building or construction services\u2019 means building services where the value of the materials supplied is less than 10% of the turnover for those services. If more than this amount, the business is classed as \u2018General building or construction services\u2019.\n\n## What you pay\n\nYou calculate the tax you pay by multiplying your VAT flat rate by your \u2018VAT inclusive turnover\u2019.\n\nVAT inclusive turnover is different from standard VAT turnover. As well as business income (such as from sales), it includes the VAT paid on that income.\n\n## Calculating 2 flat rates\n\nThe first calculation should start from day one of your accounting period to the last day of that flat rate. The second should start from the date of the new flat rate to the end of your accounting period.\n\n## Get help\n\nCall the VAT Helpline if you have any questions about the Flat Rate Scheme.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vat-flat-rate-scheme", + "answerable": true, + "scenario": "Dina runs an advertising company in London. It is VAT registered.Her business is eligible for the VAT Flat rate scheme. According to the type of her business in the HMRC website.", + "original_question": "Is 11% the current VAT flat rate percentage?" + }, + { + "id": "train-1084", + "question": "Scenario: I have looked at the title plan for my property in England. I have found that the boundary line is wrong, and cuts off part of my land.\n\nQuestion: Can I have this changed?\n\nDocument - Your property boundaries:\n## Overview\n\nIf you live in England or Wales, there\u2019s usually no record of:\n\n- the exact boundary between two properties\n\n- who owns the hedge, wall, tree or fence between 2 properties\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can get an idea of where the boundaries for your property are by looking at its title plan. Most title plans don\u2019t show exact boundaries - you usually don\u2019t need to have the exact boundaries recorded anywhere.\n\nThe rules are different in Scotland and Northern Ireland.\n\nYou can apply to get the title plan corrected if you think there\u2019s a mistake on it.\n\n## Record the boundary more precisely\n\nYou can do this by:\n\n- making a boundary agreement with your neighbour\n\n- applying for a determined boundary\n\n## Make a boundary agreement with your neighbour\n\nYou can usually avoid having to create a boundary agreement by having an informal discussion with your neighbour.\n\n## Get help in solving disagreements\n\nUse the Royal Institution of Chartered Surveyors Helpline Scheme to get advice on solving disagreements over boundaries.\n\n## What a boundary agreement can do\n\nYou and your neighbour can create a \u2018boundary agreement\u2019 to record:\n\n- the boundary between 2 properties\n\n- who\u2019s responsible for maintaining a hedge, wall, tree or fence between 2 properties\n\nGet legal advice if you\u2019re thinking about making a boundary agreement.\n\n## What a boundary agreement can\u2019t do\n\nYou can\u2019t use a boundary agreement to sell or give away part of your land to your neighbour.\n\nGet legal advice if you want to make sure the boundary agreement is still valid after you or your neighbour sell your property.\n\n## What to include in a boundary agreement\n\nYour boundary agreement must include:\n\n- your name and address\n\n- your neighbour\u2019s name and address\n\n- the date the agreement begins\n\n- the boundary you\u2019ve agreed\n\nYou can include the boundary using:\n\n- a written description\n\n- a copy of an Ordnance Survey map - you can draw or write on it to show the boundary\n\n- a map you\u2019ve drawn yourself\n\n## Example of a boundary agreement\n\n\u201cBoundary Agreement\n\nThis agreement is made on 15th July 2017 between John Smith of 10 Acacia Avenue, title to which is registered under title number XX12345, and Mary Brown of 12 Acacia Avenue, title to which is registered under title number XX67891.\n\nThe parties agree that the legal boundary between the land within their respective registered titles, and running from the point marked \u2018A\u2019 to the point marked \u2018B\u2019 on the plan attached, is as shown by the red line drawn between those points.\n\nSigned\n\n[Witness (Signature, name and address)]\n\nSigned\n\n[Witness (Signature, name and address)]\u201d\n\n## Record your boundary agreement\n\nFill in an application to change the register (AP1).\n\nIn section 4 under \u2018Applications in priority order\u2019, write: \u201cTo note a boundary agreement\u201d. Under \u2018Fees paid (\u00a3)\u2019 write \u201c\u00a340\u201d.\n\nYou don\u2019t need to fill in sections 9 to 14.\n\nYou\u2019ll need to send:\n\n- the completed AP1 form\n\n- a copy of the boundary agreement\n\n- a cheque or postal order for \u00a340, payable to \u2018HMLR\u2019 or \u2018HM Land Registry\u2019\n\nSend the documents and fee to:\n\nHM Land Registry will update the register for your property and send a copy of the updated register back to you. They\u2019ll do the same for your neighbour.\n\n## Apply to record the exact boundary\n\nYou can apply to have the exact boundary between your property and your neighbour\u2019s recorded. This is known as applying for a \u2018determined boundary\u2019.\n\nYou can only do this if your property is registered.\n\nA determined boundary will still be valid if you or your neighbour sell your property.\n\nYour application may be referred to a tribunal if your neighbour doesn\u2019t agree with it. Get legal advice before making an application.\n\nCheck your property\u2019s title plan and register to see if it already has a determined boundary.\n\n## Apply for a determined boundary\n\nYou\u2019ll need to send:\n\n- a plan showing the determined boundary - ask a chartered land surveyor to make this\n\n- evidence that supports your application\n\n- a completed exact line of boundary (DB) form\n\n## Evidence that supports your application\n\nSend any evidence you have that justifies the surveyor\u2019s boundary. This could include:\n\n- certified copies of the deeds to your property from before the property was registered\n\n- an expert\u2019s report\n\n- a written statement signed in front of a solicitor, a magistrate or a commissioner of oaths\n\n## Send your application\n\nThe application costs \u00a390. You\u2019ll also need to pay the surveyor and the solicitor a fee.\n\nIf your neighbour agrees with your application, they\u2019ll need to sign the form and the plan as well.\n\nSend everything to:\n\nIf your application is successful, HM Land Registry (HMLR) will send you a copy of your updated title plan and register. They\u2019ll also send your neighbour a copy of their updated title plan and register.\n\n## If your neighbour objects to your application\n\nHMLR will decide whether the objection is valid. If it is, they\u2019ll give you and your neighbour the chance to come to an agreement.\n\nIf you can\u2019t, they\u2019ll pass your application to a tribunal. You may need to pay for legal advice and advice from a surveyor if this happens.\n\n## If the tribunal approves your application\n\nHMLR will send you a copy of your updated title plan and register. They\u2019ll record the determined boundary in the register.\n\n## If the tribunal rejects your application\n\nThe tribunal will either decide where the exact boundary should be, or decide not to set the exact boundary.\n\nYou may need to pay your neighbour\u2019s costs.\n\n## Correct a boundary mistake on a title plan\n\nWrite to HM Land Registry (HMLR) if you think there\u2019s a boundary mistake on a property\u2019s title plan.\n\nYou\u2019ll need to:\n\n- explain why you think there\u2019s a mistake\n\n- include any evidence that supports your argument, such as certified copies of the deeds to the property\n\nSend everything to:\n\nIf HMLR finds that there\u2019s a mistake, they\u2019ll tell you how to correct it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/your-property-boundaries", + "answerable": true, + "scenario": "I have looked at the title plan for my property in England. I have found that the boundary line is wrong, and cuts off part of my land.", + "original_question": "Can I have this changed?" + }, + { + "id": "train-1085", + "question": "Scenario: I want to sell some land to by neighbour. The land is situated in England. I would like to change the boundaries to match the sale.\n\nQuestion: Am I able to change the boundaries to take into account this sale of land?\n\nDocument - Your property boundaries:\n## Overview\n\nIf you live in England or Wales, there\u2019s usually no record of:\n\n- the exact boundary between two properties\n\n- who owns the hedge, wall, tree or fence between 2 properties\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can get an idea of where the boundaries for your property are by looking at its title plan. Most title plans don\u2019t show exact boundaries - you usually don\u2019t need to have the exact boundaries recorded anywhere.\n\nThe rules are different in Scotland and Northern Ireland.\n\nYou can apply to get the title plan corrected if you think there\u2019s a mistake on it.\n\n## Record the boundary more precisely\n\nYou can do this by:\n\n- making a boundary agreement with your neighbour\n\n- applying for a determined boundary\n\n## Make a boundary agreement with your neighbour\n\nYou can usually avoid having to create a boundary agreement by having an informal discussion with your neighbour.\n\n## Get help in solving disagreements\n\nUse the Royal Institution of Chartered Surveyors Helpline Scheme to get advice on solving disagreements over boundaries.\n\n## What a boundary agreement can do\n\nYou and your neighbour can create a \u2018boundary agreement\u2019 to record:\n\n- the boundary between 2 properties\n\n- who\u2019s responsible for maintaining a hedge, wall, tree or fence between 2 properties\n\nGet legal advice if you\u2019re thinking about making a boundary agreement.\n\n## What a boundary agreement can\u2019t do\n\nYou can\u2019t use a boundary agreement to sell or give away part of your land to your neighbour.\n\nGet legal advice if you want to make sure the boundary agreement is still valid after you or your neighbour sell your property.\n\n## What to include in a boundary agreement\n\nYour boundary agreement must include:\n\n- your name and address\n\n- your neighbour\u2019s name and address\n\n- the date the agreement begins\n\n- the boundary you\u2019ve agreed\n\nYou can include the boundary using:\n\n- a written description\n\n- a copy of an Ordnance Survey map - you can draw or write on it to show the boundary\n\n- a map you\u2019ve drawn yourself\n\n## Example of a boundary agreement\n\n\u201cBoundary Agreement\n\nThis agreement is made on 15th July 2017 between John Smith of 10 Acacia Avenue, title to which is registered under title number XX12345, and Mary Brown of 12 Acacia Avenue, title to which is registered under title number XX67891.\n\nThe parties agree that the legal boundary between the land within their respective registered titles, and running from the point marked \u2018A\u2019 to the point marked \u2018B\u2019 on the plan attached, is as shown by the red line drawn between those points.\n\nSigned\n\n[Witness (Signature, name and address)]\n\nSigned\n\n[Witness (Signature, name and address)]\u201d\n\n## Record your boundary agreement\n\nFill in an application to change the register (AP1).\n\nIn section 4 under \u2018Applications in priority order\u2019, write: \u201cTo note a boundary agreement\u201d. Under \u2018Fees paid (\u00a3)\u2019 write \u201c\u00a340\u201d.\n\nYou don\u2019t need to fill in sections 9 to 14.\n\nYou\u2019ll need to send:\n\n- the completed AP1 form\n\n- a copy of the boundary agreement\n\n- a cheque or postal order for \u00a340, payable to \u2018HMLR\u2019 or \u2018HM Land Registry\u2019\n\nSend the documents and fee to:\n\nHM Land Registry will update the register for your property and send a copy of the updated register back to you. They\u2019ll do the same for your neighbour.\n\n## Apply to record the exact boundary\n\nYou can apply to have the exact boundary between your property and your neighbour\u2019s recorded. This is known as applying for a \u2018determined boundary\u2019.\n\nYou can only do this if your property is registered.\n\nA determined boundary will still be valid if you or your neighbour sell your property.\n\nYour application may be referred to a tribunal if your neighbour doesn\u2019t agree with it. Get legal advice before making an application.\n\nCheck your property\u2019s title plan and register to see if it already has a determined boundary.\n\n## Apply for a determined boundary\n\nYou\u2019ll need to send:\n\n- a plan showing the determined boundary - ask a chartered land surveyor to make this\n\n- evidence that supports your application\n\n- a completed exact line of boundary (DB) form\n\n## Evidence that supports your application\n\nSend any evidence you have that justifies the surveyor\u2019s boundary. This could include:\n\n- certified copies of the deeds to your property from before the property was registered\n\n- an expert\u2019s report\n\n- a written statement signed in front of a solicitor, a magistrate or a commissioner of oaths\n\n## Send your application\n\nThe application costs \u00a390. You\u2019ll also need to pay the surveyor and the solicitor a fee.\n\nIf your neighbour agrees with your application, they\u2019ll need to sign the form and the plan as well.\n\nSend everything to:\n\nIf your application is successful, HM Land Registry (HMLR) will send you a copy of your updated title plan and register. They\u2019ll also send your neighbour a copy of their updated title plan and register.\n\n## If your neighbour objects to your application\n\nHMLR will decide whether the objection is valid. If it is, they\u2019ll give you and your neighbour the chance to come to an agreement.\n\nIf you can\u2019t, they\u2019ll pass your application to a tribunal. You may need to pay for legal advice and advice from a surveyor if this happens.\n\n## If the tribunal approves your application\n\nHMLR will send you a copy of your updated title plan and register. They\u2019ll record the determined boundary in the register.\n\n## If the tribunal rejects your application\n\nThe tribunal will either decide where the exact boundary should be, or decide not to set the exact boundary.\n\nYou may need to pay your neighbour\u2019s costs.\n\n## Correct a boundary mistake on a title plan\n\nWrite to HM Land Registry (HMLR) if you think there\u2019s a boundary mistake on a property\u2019s title plan.\n\nYou\u2019ll need to:\n\n- explain why you think there\u2019s a mistake\n\n- include any evidence that supports your argument, such as certified copies of the deeds to the property\n\nSend everything to:\n\nIf HMLR finds that there\u2019s a mistake, they\u2019ll tell you how to correct it.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/your-property-boundaries", + "answerable": true, + "scenario": "I want to sell some land to by neighbour. The land is situated in England. I would like to change the boundaries to match the sale.", + "original_question": "Am I able to change the boundaries to take into account this sale of land?" + }, + { + "id": "train-1086", + "question": "Scenario: I am a UK employer and run a company with over 50 employees. I want to employ employees from outside the UK.\n\nQuestion: Do i need to apply for a sponser licence?\n\nDocument - UK visa sponsorship for employers:\n## Overview\n\nYou\u2019ll usually need a sponsor licence to employ someone to work for you from outside the UK. This includes citizens of the EU, Iceland, Liechtenstein, Norway and Switzerland who arrived in the UK after 31 December 2020.\n\nThis includes unpaid work, like running a charity.\n\nYou will not need a licence to sponsor certain groups, for example:\n\n- Irish citizens\n\n- those with settled or pre-settled status under the EU Settlement Scheme\n\n- those with indefinite leave to remain in the UK\n\nRead more about who does not need sponsorship.\n\nSponsoring someone does not guarantee that they\u2019ll be allowed to come to or stay in the UK.\n\n## How to get a sponsor licence\n\n- Check your business is eligible.\n\n- Choose the type of licence you want to apply for - this will depend on what type of worker you want to sponsor.\n\n- Decide who will manage sponsorship within your business.\n\n- Apply online and pay the fee.\n\nUK Visas and Immigration (UKVI) may visit your business to check it\u2019s suitable.\n\n## After you apply\n\nYou\u2019ll be given a licence rating if your application is successful.\n\nYou\u2019ll be able to issue certificates of sponsorship if you have jobs that are suitable for sponsorship.\n\nYour licence will be valid for 4 years. You may lose your licence if you do not meet your responsibilities as a sponsor.\n\n## Eligibility\n\nTo get a licence, you cannot have:\n\n- unspent criminal convictions for immigration offences or certain other crimes, such as fraud or money laundering\n\n- had a sponsor licence revoked in the last 12 months\n\nYou\u2019ll need appropriate systems in place to monitor sponsored employees.\n\nUK Visas and Immigration (UKVI) will review your application form and supporting documents. They may visit your business to make sure you\u2019re trustworthy and capable of carrying out your duties.\n\n## Types of licence\n\nThe licence you need depends on whether the workers you want to fill your jobs are:\n\n- \u2018Workers\u2019 - for those with long-term job offers\n\n- \u2018Temporary workers\u2019\n\nYou can apply for a licence covering one or both types of worker.\n\n## Worker licence\n\nA \u2018Worker\u2019 licence will let you employ people long-term or permanently. It\u2019s split into:\n\n- Skilled Worker - the role must meet the job suitability requirements\n\n- Intra-company visas - this includes Intra-company Transfer and Intra-company Graduate Trainee, for multinational companies which need to transfer established employees or graduate trainees to the UK\n\n- Minister of Religion - for people coming to work for a religious organisation\n\n- Sportsperson - for elite sportspeople and coaches who will be based in the UK\n\n## Temporary Worker licence\n\nA \u2018Temporary Worker\u2019 licence will let you employ people on a temporary basis. It\u2019s split into:\n\n- Creative or Sporting Worker - to work as a high-level sportsperson (up to 1 year), entertainer or artist (up to 2 years)\n\n- Charity Worker - for unpaid workers at a charity (up to 1 year)\n\n- Religious Worker - for those working in a religious order or organisation (2 years)\n\n- Government Authorised Exchange Worker - work experience (1 year), research projects or training, for example practical medical or scientific training (2 years) to enable a short-term exchange of knowledge\n\n- International Agreement Worker - where the worker is coming to do a job which is covered by international law, for example employees of overseas governments\n\n- Seasonal Worker - for those coming to the UK for up to 6 months to do farm work\n\n## Sponsorship management roles\n\nYou need to appoint people within your business to manage the sponsorship process when you apply for a licence.\n\nThe main tool they\u2019ll use is the sponsorship management system (SMS).\n\nThe roles are:\n\n- authorising officer \u2013 a senior and competent person responsible for the actions of staff and representatives who use the SMS\n\n- key contact \u2013 your main point of contact with UK Visas and Immigration (UKVI)\n\n- level 1 user \u2013 responsible for all day-to-day management of your licence using the SMS\n\nThese roles can be filled by the same person or different people.\n\nYou can also appoint an optional level 2 user once you have your licence. This is an SMS user with more restricted access than a level 1 user, for example they cannot withdraw a certificate of sponsorship.\n\n## Suitability checks\n\nYou and your staff will be checked to make sure you\u2019re suitable for these roles. You may not get your licence if anyone involved in sponsorship has:\n\n- an unspent criminal conviction\n\n- been fined by UKVI in the past 12 months\n\n- been reported to UKVI\n\n- broken the law\n\n- been a \u2018key person\u2019 at a sponsor that had its licence revoked in the last 12 months\n\n- failed to pay VAT or other excise duty\n\nYou and your allocated staff must also:\n\n- be based in the UK most of the time\n\n- not be a contractor or consultant contracted for a specific project\n\n- not be subject to a bankruptcy restriction order or undertaking, or a debt relief restriction order or undertaking\n\n- not have a history of non-compliance with sponsor requirements\n\nYour allocated staff must usually be paid members of staff, or office holders.\n\nRead the full guidance on appointing \u2018key personnel\u2019.\n\n## HR contractors and agency staff\n\nYou must have at least one level 1 user who is your employee. You can have other level 1 or level 2 users employed by third-party organisations contracted to provide you with HR services. Your level 2 user can be a temporary member of staff supplied by an agency.\n\n## UK-based legal representatives\n\nYou can allocate any of the roles to a UK-based legal representative, apart from the authorising officer role. Your representative must be qualified to give immigration advice or services.\n\n## Apply for your licence\n\nYou need to apply online for your licence.\n\nOnce you\u2019ve finished the online application, you need to send in:\n\n- the submission sheet at the end of the application\n\n- your supporting documents\n\nAny affidavits or statutory declarations you send must be witnessed by a qualified, independent person - for example, a solicitor, Notary Public, Justice of the Peace, Commissioner for Oaths, or (in Scotland only) a Councillor.\n\nApply now\n\n## How to send the documents\n\nYou can scan or take pictures of your submission sheet and supporting documents and send them to the email address given on the submission sheet. Make sure your files:\n\n- are in PDF, JPEG or PNG format\n\n- have descriptive titles, with 25 or fewer characters\n\n- are high enough quality to be read\n\nIf your documents are not in English or Welsh, they must be accompanied by a certified translation - there\u2019s more information in part 1 of the guidance for sponsors.\n\nIf you cannot scan and send the documents by email, contact UK Visas and Immigration (UKVI) using the contact details on the submission sheet.\n\n## Licence fees\n\nYou need to pay a fee when you apply. The fee depends on the type of licence you\u2019re applying for and what type of organisation you are.\n\nYou\u2019re usually a small sponsor if two of the following apply:\n\n- your annual turnover is \u00a310.2 million or less\n\n- your total assets are worth \u00a35.1 million or less\n\n- you have 50 employees or fewer\n\nYou\u2019re a charitable sponsor if you\u2019re either:\n\n- a registered, excepted or exempt charity\n\n- an ecclesiastical corporation established for charitable purposes\n\nContact the Business Helpdesk if you\u2019re unsure which category your business fits into.\n\n| Type of licence | Fee for small or charitable sponsors | Fee for medium or large sponsors |\n\n| Worker | \u00a3536 | \u00a31,476 |\n\n| Temporary Worker | \u00a3536 | \u00a3536 |\n\n| Worker and Temporary Worker | \u00a3536 | \u00a3 1,476 |\n\n| Add a Worker licence to an existing Temporary Worker licence | No fee | \u00a3940 |\n\n| Add a Temporary Worker licence to an existing Worker licence | No fee | No fee |\n\n## How long it takes to get a decision\n\nMost applications (8 out of 10) are dealt with in less than 8 weeks. UKVI may need to visit your business.\n\nYou may be able to pay \u00a3500 to get a decision within 10 working days. You\u2019ll be told if you can after you apply.\n\n## Applications refused because of a mistake\n\nYou can apply to request a review of your application if you think it was refused because:\n\n- the caseworker processing your application made a mistake\n\n- your supporting documents were not considered\n\nYou cannot apply just because you disagree with the decision.\n\n## Help and advice\n\nSponsors can get advice from the sponsorship, employer and education helpline:\n\nYou can also join the premium customer service scheme to get extra support from a licence manager - this costs at least \u00a38,000 a year.\n\nUK businesses and Tier 1 (Investors) can get help from the Business Helpdesk:\n\n## Your licence rating\n\nYou\u2019ll get an A-rated licence if your application is approved.\n\n## A-rating - full sponsor licence\n\nAn A-rated licence lets you start assigning certificates of sponsorship.\n\nYour business will be listed in the register of sponsors.\n\n## Downgrading to B-rating\n\nYour A-rated licence may be downgraded to a B-rating at a later stage if you do not continue to meet your sponsor duties.\n\nIf this happens, you will not be able to issue new certificates of sponsorship until you\u2019ve made improvements and upgraded back to an A-rating.\n\nYou\u2019ll still be able to issue certificates to workers you already employ who want to extend their permission to stay.\n\n## Upgrade to an A-rating\n\nYou need to follow an \u2018action plan\u2019 provided by UK Visas and Immigration (UKVI) to upgrade your licence.\n\nYou have to pay \u00a31,476 for an action plan.\n\nYou must pay the fee within 10 working days of the date UKVI tells you about the downgrade. If you do not, you\u2019ll lose your licence.\n\n## At the end of the action plan\n\nYou\u2019ll be upgraded to an A-rating if you complete all the steps and there\u2019s nothing else you need to improve.\n\nYou\u2019ll lose your licence if you do not complete all the steps.\n\nIf you need to make other improvements, you\u2019ll be given another B-rating and will have to follow a new action plan. You\u2019ll have to pay the fee again.\n\n## If you get a second B-rating\n\nYou can only have 2 B-ratings in the 4 years that your licence is valid.\n\nYou\u2019ll lose your licence if you still need to make improvements after your second action plan.\n\n## How to reapply\n\nYou cannot appeal if your licence is revoked, but you can reapply. You have to wait at least 12 months before reapplying.\n\nYou need to start a new application when you reapply.\n\n## Certificates of sponsorship\n\nYou must assign a certificate of sponsorship to each foreign worker you employ. This is an electronic record, not a physical document. Each certificate has its own number which a worker can use to apply for a visa.\n\nWhen you assign the certificate to a worker, they must use it to apply for their visa within 3 months. They must not apply for their visa more than 3 months before the start date of the job listed on the certificate.\n\n## Defined certificates\n\nThese are for people applying on a Skilled Worker visa from outside the UK.\n\nYou must apply for defined certificates for these workers through the sponsorship management system (SMS). You\u2019ll get access to this when you get your licence.\n\n## When you get the certificate\n\nApplications are usually approved within one working day. It may take longer if UKVI need to carry out further checks on the information in your application.\n\nDefined certificates will appear in your SMS account once they have been approved. You can then assign them to a worker.\n\n## Undefined certificates\n\nThese are for Skilled Workers applying from inside the UK, and applicants on all other visas.\n\nWhen you apply for your licence you\u2019ll be asked to estimate how many undefined certificates you\u2019ll need for Workers and Temporary Workers in the first year.\n\n## Certificate costs\n\nCertificates are free for citizens of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nFor other citizens, you need to pay for each certificate.\n\n| Type of certificate | Cost per certificate |\n\n| Worker | \u00a3199 |\n\n| Temporary Worker | \u00a321 |\n\nIf you assign a certificate of sponsorship to a worker on a Skilled Worker or Intra-company Transfer visa, you might also need to pay the immigration skills charge.\n\n## Immigration skills charge\n\nYou might have to pay an additional charge when you assign a certificate of sponsorship to someone applying for a Skilled Worker or Intra-company Transfer visa. This is called the \u2018immigration skills charge\u2019.\n\nYou must pay the immigration skills charge if they\u2019re applying for a visa from:\n\n- outside the UK to work in the UK for 6 months or more\n\n- inside the UK for any length of time\n\n## When you do not need to pay\n\nYou will not pay the immigration skills charge if you\u2019re sponsoring someone:\n\n- on an Intra-company Graduate Trainee visa\n\n- who is on a visa to study in the UK, and switches to a Skilled Worker or Intra-company Transfer visa - if they then extend their stay on the new visa, you will not have to pay the charge\n\nYou will also not have to pay the charge if you\u2019re sponsoring someone with one of the following occupation codes:\n\n- chemical scientists (2111)\n\n- biological scientists and biochemists (2112)\n\n- physical scientists (2113)\n\n- social and humanities scientists (2114)\n\n- natural and social science professionals not elsewhere classified (2119)\n\n- research and development managers (2150)\n\n- higher education teaching professionals (2311)\n\n- clergy (2444)\n\n- sports players (3441)\n\n- sports coaches, instructors or officials (3442)\n\nYou also might not have to pay the charge if you\u2019re sponsoring a worker who was assigned a certificate before 6 April 2017 - there\u2019s more information in part 2 of the guidance for sponsors.\n\nYou will not need to pay the charge for any of the worker\u2019s dependants, for example their partner or child.\n\n## If the person you\u2019re sponsoring changes jobs\n\nIf you\u2019ve assigned a certificate of sponsorship to someone in your organisation, who then moves to a new job in your organisation, you\u2019ll need to assign them a new certificate. They will use this to apply for a new visa.\n\nYou only need to do this if the new job has a different occupation code.\n\nYou\u2019ll need to pay the immigration skills charge again if the end date on their new visa is later than the end date on their existing visa.\n\n## How to pay\n\nYou pay the immigration skills charge when you assign a certificate of sponsorship to the worker.\n\n## How much it costs\n\nThe amount you need to pay is based on:\n\n- the size of your organisation\n\n- how long the worker will work for you, using the start and end dates on their sponsorship certificate\n\n| |\n\n| Period | Small or charitable sponsors | Medium or large sponsors |\n\n| First 12 months | \u00a3364 | \u00a31,000 |\n\n| Each additional 6 months | \u00a3182 | \u00a3500 |\n\nIf the worker will be in the UK for longer than 6 months but less than a year, you must pay for at least 12 months.\n\nYou must pay the full charge in one go.\n\nContact the Business Helpdesk if you\u2019re not sure which category your business fits into.\n\nAs the longest you can sponsor a worker for is 5 years, the most you have to pay will be:\n\n- \u00a31,820 (5 x \u00a3364) if you\u2019re a small or charitable sponsor\n\n- \u00a35,000 (5 x \u00a31,000) if you\u2019re a medium or large sponsor\n\nUK Visas and Immigration (UKVI) will contact you if you do not pay the charge or pay the wrong amount. You\u2019ll have 10 working days to pay the charge - the worker\u2019s visa application will be refused if you do not.\n\n## Refunds\n\nYou\u2019ll get a full refund if the worker\u2019s visa application is:\n\n- refused or withdrawn\n\n- successful, but they do not come to work for you\n\nYou\u2019ll get a partial refund if the worker:\n\n- gets less time on their visa than you sponsored them for\n\n- starts working for you but then changes to another sponsor\n\n- leaves their job before the end date on their certificate of sponsorship\n\nYou\u2019ll also get a partial refund if you paid the medium or large sponsor fee when assigning the certificate, but had already notified UKVI that you\u2019re now a small or charitable sponsor.\n\n## How long it takes\n\nYou usually get a refund within 90 days of:\n\n- telling UKVI that the worker did not come to work for you\n\n- the expiration date on the worker\u2019s certificate of sponsorship, if they did not use it to apply for a visa\n\n- the date the worker\u2019s visa application is refused or withdrawn\n\n- the date you assigned the certificate of sponsorship, if you had already notified UKVI that you became a small or charitable sponsor\n\nIf the worker\u2019s visa application is refused, they can ask for the decision to be reviewed. \nThis is known as an \u2018administrative review\u2019.\n\nIf they do not ask for an administrative review, you\u2019ll get a refund within 90 days of the deadline for applying for one.\n\nYou\u2019ll get a refund within 90 days of the administrative review being dismissed if the worker applied for one and were unsuccessful.\n\nContact UKVI if your refund is not paid within 90 days.\n\n## Job suitability\n\nYou can sponsor a worker if the job they\u2019re going to do has a suitable rate of pay and skill level, or meets the other criteria needed for their visa.\n\n## Additional requirements for religious workers\n\nYou\u2019ll usually have to advertise any job you offer to someone with a Religious Worker visa, unless it\u2019s a non-essential position or involves living within a religious order (such as a monk or nun).\n\nWhen you do not need to advertise the job, you need to have records showing that there is not a suitable person who does not require sponsorship to take on the role.\n\nThere are rules you must follow about how to advertise jobs for religious workers.\n\n## Additional requirements for creative workers\n\nCreative jobs done by someone on a Creative or Sporting Worker visa include:\n\n- ballet dancers and other dancers\n\n- film and TV performers\n\n- theatre and opera performers\n\n- film and TV workers\n\n- models\n\nFor creative jobs, you must make sure that either:\n\n- you comply with the creative workers code of practice (if it exists for that occupation)\n\n- the job is on the shortage occupations list\n\nIf the job is not on the shortage occupation list, and there is no code of practice, you need to check that the job cannot be done by a worker who does not need sponsoring.\n\n## Additional requirements for sporting workers\n\nFor sporting jobs that will be done by someone on either the Creative or Sporting Worker visa or Sportsperson visa, you must get an endorsement letter from the relevant governing body.\n\n## Sponsoring under-18s\n\nYou cannot sponsor a foreign worker under 18 on:\n\n- a Skilled Worker visa\n\n- an Intra-company visa\n\n- an International Agreement Worker visa, if they\u2019ll be working as a private servant in a diplomatic household or in the household of an employee of an international organisation\n\n- a Seasonal Worker visa\n\nYou cannot sponsor a child under 16 for a Minister of Religion or Sportsperson visa.\n\n## If you\u2019re also a Student sponsor (ATAS certificates)\n\nIf you also have a Student sponsor licence, you may need to check whether the worker needs an Academic Technology Approval Scheme (ATAS) certificate.\n\n## Who needs to do this\n\nYou need to do this if all of the following are true:\n\n- you\u2019re licensed as a Student sponsor\n\n- you\u2019re sponsoring the worker for a Skilled Worker, Intra-company Transfer, Intra-company Graduate Trainee, Government Authorised Exchange Worker or International Agreement Worker visa\n\n- you\u2019re sponsoring the worker for a role in a relevant occupation code\n\nIf any of these do not apply to you, you do not need to do anything.\n\n## What you need to do\n\nIf you do need to check, you must follow these steps.\n\n- Check if the worker needs an ATAS certificate.\n\n- Add a sponsor note to your certificate of sponsorship, confirming whether or not the worker needs an ATAS certificate.\n\n- If the worker does need an ATAS certificate, you must tell them that they need to get one and include it in their visa application.\n\n## Check if the worker needs an ATAS certificate\n\nThe worker will need an ATAS certificate if all of the following are true:\n\n- they will be carrying out research at PhD level or above\n\n- they will be carrying out research in a \u2018relevant subject\u2019 - check the relevant subject areas list in the worker sponsor guidance\n\n- their nationality is not exempt from needing an ATAS certificate - check the exempt nationalities list in the worker sponsor guidance\n\n## If the worker does not need an ATAS certificate\n\nYour sponsor note should say that the worker does not need an ATAS certificate and explain why.\n\n## If the worker needs an ATAS certificate\n\nYou must:\n\n- tell the worker that they need to get an ATAS certificate and include it in their visa application\n\n- add a sponsor note to your certificate of sponsorship\n\n- make and keep a copy of the ATAS certificate, once it has been issued\n\n## Tell the worker that they need an ATAS certificate\n\nTell the worker that they must apply for an ATAS certificate and include it in their visa application.\n\nIf the worker does not include their ATAS certificate, their visa application will be refused and you may lose your sponsor licences.\n\nATAS certificate applications for workers can take at least 2 weeks to be processed (3 weeks between April and September).\n\n## Add a sponsor note to your certificate of sponsorship\n\nYour sponsor note should say that the worker needs an ATAS certificate and mention whether they have already applied for or been issued with one.\n\n## Make and keep a copy of the ATAS certificate\n\nWhen the worker has received their ATAS certificate, you must make and keep a copy of the certificate, or the electronic approval notice the worker received from the Foreign, Commonwealth & Development Office (FCDO).\n\n## Your responsibilities\n\nYou must:\n\n- check that your foreign workers have the necessary skills, qualifications or professional accreditations to do their jobs, and keep copies of documents showing this\n\n- only assign certificates of sponsorship to workers when the job is suitable for sponsorship\n\n- tell UK Visas and Immigration (UKVI) if your sponsored workers are not complying with the conditions of their visa\n\nYour licence may be downgraded, suspended or withdrawn if you do not meet them.\n\nRead the full guidance on sponsor requirements and duties and check workers have the right to work in the UK.\n\n## Monitoring employees\n\nYou must have HR systems in place that let you:\n\n- monitor your employees\u2019 immigration status\n\n- keep copies of relevant documents for each employee, including passport and right to work information\n\n- track and record employees\u2019 attendance\n\n- keep employee contact details up to date\n\n- report to UKVI if there is a problem, for example if your employee stops coming to work\n\n## Changes to your business\n\nYou must report any significant changes in your own circumstances within 20 working days, for example if you:\n\n- stop trading or become insolvent\n\n- substantially change the nature of your business\n\n- are involved in a merger or take-over\n\nYou must also tell UKVI if you\u2019re changing your details, like your address or allocated roles.\n\nTo register a change of circumstances use the sponsorship management system (SMS).\n\nRequests can take up to 18 weeks. You can register a change within 5 working days instead if you use the priority service. It costs \u00a3200.\n\n## Sponsoring under-18s\n\nYou must make sure that foreign workers under 18 have suitable care arrangements for their:\n\n- travel to the UK\n\n- arrival in the UK\n\n- living arrangements in the UK\n\nYou must also get a letter from their parents giving consent to the care arrangements.\n\nYou must get a Disclosure and Barring Service check on any of your workers who need it.\n\nYou\u2019ll lose your licence if you do not do this.\n\n## Children under 16\n\nYou must get a licence from the local education authority in the area where the child will work.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/uk-visa-sponsorship-employers", + "answerable": true, + "scenario": "I am a UK employer and run a company with over 50 employees. I want to employ employees from outside the UK.", + "original_question": "Do i need to apply for a sponser licence?" + }, + { + "id": "train-1089", + "question": "Scenario: Marcus is in the UK under Ancestry Visa . He wants to live permanently in the UK because he has already established his business. He has already stayed for 4 years in the UK.\n\nQuestion: Can he extend his visa?\n\nDocument - UK Ancestry visa:\n## Overview\n\nYou can apply for a UK Ancestry visa if all of the following are true:\n\n- you\u2019re a Commonwealth citizen\n\n- you can prove one of your grandparents was born in the UK, the Channel Islands or the Isle of Man\n\n- you\u2019re able and planning to work in the UK\n\n- you meet the other eligibility requirements\n\n## How long it will take\n\nThe earliest you can apply is 3 months before you travel.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fees\n\nA UK Ancestry visa costs \u00a3516.\n\n## Healthcare surcharge\n\nYou may also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## How long you can stay\n\nYou can stay in the UK for 5 years on this visa.\n\n## Applying to stay longer in the UK\n\nIf you\u2019ve lived in the UK for 5 years on this visa, you may be able to either:\n\n- apply to extend your visa for a further 5 years\n\n- apply to settle permanently in the UK (apply for \u2018indefinite leave to remain\u2019)\n\n## What you can and cannot do\n\nYou can:\n\n- work\n\n- study\n\n- bring your partner or child\n\nYou cannot:\n\n- change (\u2018switch\u2019) into this visa if you came to the UK on a different visa\n\n- get public funds\n\n## Eligibility\n\nYou must prove that you:\n\n- are 17 or over\n\n- have enough money without help from public funds to support and house yourself and any dependants\n\n- can and plan to work in the UK\n\n## Your ancestry\n\nYou must show that you have a grandparent born in one of the following circumstances:\n\n- in the UK, the Channel Islands or the Isle of Man\n\n- before 31 March 1922 in what is now Ireland\n\n- on a ship or aircraft that was either registered in the UK or belonged to the UK government\n\nYou can claim ancestry if:\n\n- you or your parent were adopted\n\n- your parents or grandparents were not married\n\nYou cannot claim UK ancestry through step-parents.\n\n## Your partner and children\n\nYour partner and children can apply to join you in the UK as your \u2018dependants\u2019 if they\u2019re eligible.\n\nA \u2018dependant\u2019 is any of the following:\n\n- your partner\n\n- your child under 18\n\n- your child aged 18 or over who was previously on your or your partner\u2019s visa as a dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove one of the following:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## Your child\n\nThey must:\n\n- live with you (unless they\u2019re in full time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be supported by you without using public funds\n\n## Apply from outside the UK\n\nYour partner or child must apply online.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\nFind out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYour partner and children may be able to extend their visa or switch to a UK Ancestry visa to stay with you in the UK.\n\nYou can add your partner or children to your application when you extend your visa. They do not need to apply separately.\n\n## Switch to an Ancestry visa\n\nYour partner or child can apply to switch their visa online.\n\nThey cannot apply to switch if they\u2019re currently in the UK:\n\n- on a visitor visa\n\n- on a Short-term study visa\n\n- on a Parent of a Child Student visa\n\n- on a Seasonal Worker visa\n\n- on a Domestic Workers in a Private Household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\nIf they\u2019re in one of those categories, they must leave the UK and apply for a UK Ancestry visa from abroad.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Children born while you\u2019re in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport (with a blank page for your visa) or another valid travel document\n\n- your full birth certificate\n\n- the full birth certificates of the parent and grandparent your ancestry claim is based on\n\n- evidence that you\u2019re planning to work in the UK, for example job offers you\u2019ve received or a business plan if you\u2019re self-employed\n\n- evidence, such as bank statements, that prove you can support yourself and any dependants in the UK - it must be dated within 31 days from when you submit your application\n\nDepending on your circumstances, you might also need to provide:\n\n- evidence that your parents or grandparents have changed their name since birth, for example marriage or civil partnership certificates or a deed poll\n\n- legal adoption papers if you or your parents are adopted\n\n- your tuberculosis test results if you\u2019re from a country where you have to take a TB test\n\n- your marriage certificate or civil partnership registration document if your spouse or civil partner wants to join you in the UK\n\n## Apply from outside the UK\n\nYou must apply online for a UK Ancestry visa before you travel to the UK.\n\n## Applying with your family\n\nYour partner and children can apply to join you in the UK. Each family member will need to make their own application to come to the UK as your \u2018dependant\u2019.\n\n## When to apply\n\nThe earliest you can apply is 3 months before you travel to the UK.\n\n## Apply online\n\nAs part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\nYou\u2019ll be told what you need to do when you apply.\n\nApply online\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.\n\n## Extend your visa\n\nYou can apply to extend your visa and stay in the UK for a further 5 years. You must apply before your current visa expires.\n\nYou can extend this visa as many times as you like, as long as you still meet the eligibility requirements.\n\nYou can also apply to settle in the UK permanently if you\u2019ve lived in the UK for 5 years on this visa.\n\n## Extending with your partner or children\n\nYou should include any dependants (your partner or children) who are on your current visa on your application to extend. This includes children who have turned 18 during your stay. They do not need to apply separately.\n\n## Fees\n\nFor each person applying you\u2019ll need to pay:\n\n- the \u00a31,033 application fee\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\n- \u00a319.20 to have your biometric information (fingerprints and a photo) taken\n\n## Providing biometric information and supporting documents\n\nWhen you apply online, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\n## Extend your visa online\n\nYou must apply online to extend your visa.\n\nApply online\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## After you apply\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision on your visa within 8 weeks.\n\nFind out how to get your visa decision faster - this depends on where you\u2019re applying from. Check if your visa application centre offers faster decisions and other services.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/ancestry-visa", + "answerable": true, + "scenario": "Marcus is in the UK under Ancestry Visa . He wants to live permanently in the UK because he has already established his business. He has already stayed for 4 years in the UK.", + "original_question": "Can he extend his visa?" + }, + { + "id": "train-1090", + "question": "Scenario: Mary is a Tanzanian national and has secured unpaid voluntary charity work in the UK. The employer has given her a certificate of sponsorship code. The employer has committed to take care of her accommodation while working in the charity. Her bank statement shows a balance of \u00a32,000 for two months.\n\nQuestion: can she qualify for temporary work visa ?\n\nDocument - Temporary Worker - Charity Worker visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - Charity Worker visa (T5) if:\n\n- you want to do unpaid voluntary work for a charity\n\n- you meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Charity Worker) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou must have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the the next working day after your UK Visa and Citizenship Application Services (UKVCAS) appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\n## How long you can stay\n\nYou can stay for up to 12 months or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- bring your partner and children with you, if they\u2019re eligible\n\nYou cannot:\n\n- receive any payment for work\n\n- take a permanent job\n\n- get public funds\n\n## Eligibility\n\nTo be eligible for a Temporary Worker - Charity Worker visa (T5) you need:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a unique reference number that holds information about the job you will do and your personal details. It is not a certificate or paper document.\n\nYour sponsor will give you the certificate of sponsorship.\n\nYour sponsor must also give you the information they used on your certificate about your job, for example your working hours.\n\nYour sponsor must be recognised by the UK government to issue certificates of sponsorship.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guidance on documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Charity Worker visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\nYou can apply to take your stay in the UK up to a maximum of 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou can apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "answerable": true, + "scenario": "Mary is a Tanzanian national and has secured unpaid voluntary charity work in the UK. The employer has given her a certificate of sponsorship code. The employer has committed to take care of her accommodation while working in the charity. Her bank statement shows a balance of \u00a32,000 for two months.", + "original_question": "can she qualify for temporary work visa ?" + }, + { + "id": "train-1092", + "question": "Scenario: Lucas works full time in one of the leading TV broadcasting networks in his country,South Africa. His employer has sent him to work in one of the UK media offices. He needs to apply for a 3 years representative of an overseas business visa .He is a married man.\n\nQuestion: If lucas gets a positive visa decision , Will he have a recourse to public funds?\n\nDocument - Representative of an Overseas Business visa:\n## Overview\n\nYou can apply as a representative of an overseas business if you\u2019re either:\n\n- the sole representative of an overseas business planning to set up either a UK branch or wholly owned subsidiary\n\n- an employee of an overseas newspaper, news agency or broadcasting organisation posted on a long-term assignment to the UK\n\nYou must also meet the other eligibility requirements.\n\n## How long it will take\n\nIf you apply from outside the UK, the earliest you can apply is 3 months before you travel.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## If you apply from inside the UK\n\nYou will get a decision within 8 weeks.\n\nUKVI will contact you if your application will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example, if you have a criminal conviction)\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expires.\n\n## Fees\n\nIf you apply from outside the UK, a Representative of an Overseas Business visa costs \u00a3610.\n\nIf you apply from inside the UK, you\u2019ll need to pay:\n\n- \u00a3704 for the visa\n\n- \u00a319.20 to have your biometric information (fingerprints and a photo) taken\n\n## Healthcare surcharge\n\nYou must pay the healthcare surcharge as part of your application. Check how much you need to pay before you apply.\n\n## How long you can stay\n\nThe visa lets you stay in the UK for an initial period of 3 years.\n\nYou may be able to extend your visa for another 2 years.\n\nAfter you\u2019ve been in the UK for 5 years, you can apply for permission to settle permanently in the UK.\n\n## What you can and cannot do\n\nYou can:\n\n- work for your employer, full time\n\n- bring your family (\u2018dependants\u2019) with you to the UK\n\n- apply to extend your visa\n\n- apply to settle in the UK after you\u2019ve been here for 5 years\n\nYou cannot:\n\n- work for yourself or any other business\n\n- stay in the UK if the sole representative arrangement is ended by your employer\n\n- switch to this visa from any other visa category\n\n- get public funds\n\n## Eligibility\n\nTo be eligible for this visa you must:\n\n- have enough money to support yourself without help from public funds\n\n- meet the English requirement\n\n## Sole representatives\n\nTo apply as a sole representative you must:\n\n- be recruited and employed outside the UK by an active and trading business (whose headquarters and principal place of business are, and will remain, outside the UK)\n\n- have the skills, experience and knowledge to do the role\n\n- hold a senior position within the business (but do not own or control the majority of it) and have full authority to make decisions on its behalf\n\n- intend to establish the overseas business\u2019s first commercial presence in the UK, either as a registered branch or a wholly owned subsidiary\n\nYou may also be eligible if the business has a legal entity in the UK that does not employ staff or do any business.\n\nIf your employer has been working to establish a UK branch or subsidiary, but it is not yet set up, you can replace a previous sole representative.\n\n## Newspaper, news agency or broadcast employees\n\nAs an employee of an overseas newspaper, news agency or broadcasting organisation, you can come to the UK if you\u2019re being posted here on a long-term assignment.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\nYou can prove your knowledge of English by either:\n\n- passing an approved English language test with at least CEFR level A1 in speaking and listening\n\n- having an academic qualification that was taught in English and is recognised by UK NARIC as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\nYou may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.\n\n## Exceptions\n\nYou will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nYou also may not have to prove your knowledge of English in other circumstances - check the visa guidance.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel identification\n\n- evidence that you can support yourself and any dependants during your trip, for example bank statements or payslips for the last 6 months\n\n- proof that you meet the English requirement\n\nIf you\u2019re applying from overseas, you\u2019ll also need to provide:\n\n- details of where you\u2019ll be staying during your stay\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\nIf you\u2019re applying from overseas, you\u2019ll need to have a blank page in your passport on which to put the visa.\n\nAll applicants need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Sole representatives\n\nWhen applying as a sole representative of an overseas business you\u2019ll need to provide:\n\n- a full description of the business\u2019s activities, including details of assets and accounts\n\n- a letter confirming the overseas business will set up a wholly owned subsidiary or register a branch in the UK in the same business activity as it runs overseas\n\n- your job description, employment contract and salary details\n\n- a letter confirming you\u2019re familiar with the business and have the power to take operational decisions\n\nYou should also provide evidence that you:\n\n- are directly employed by the business and are not acting as a sales agent (for example, hired by a business to sell or distribute their products within the UK, but working for yourself and providing your services for a fee)\n\n- were recruited to the business outside of the UK\n\n- hold a senior position in the business, with the authority to make decisions on its behalf and set up and run a registered branch or wholly owned subsidiary\n\n- will be working full time for the business or subsidiary for the duration of your stay and will not carry out any other work\n\n- do not own or control a majority of the overseas business\n\n## Newspaper, news agency or broadcast employees\n\nAs an employee of an overseas newspaper, news agency or broadcasting organisation you must also provide:\n\n- a full description of the parent company\u2019s activities, including details of assets and accounts\n\n- confirmation that you will be representing them in the UK in a long term, full-time role\n\n## Apply\n\nRead the Representative of an Overseas Business guidance before you apply.\n\n## Apply outside the UK\n\nYou must apply online for a Representative of an Overseas Business visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nApply now\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply inside the UK\n\nYou must apply online.\n\nApply now\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Extend your visa\n\nYou can apply to extend your stay in the UK under a Representative of an Overseas Business visa.\n\nYou should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must already have this visa as either:\n\n- a representative of an overseas business\n\n- an employee of an overseas newspaper, news agency or broadcasting organisation\n\nYou must also meet the following conditions:\n\n- you\u2019re still working for the same employer as when you were issued your previous visa\n\n- you\u2019ve established, and are supervising, a UK branch or subsidiary of the overseas business\n\n- your employer\u2019s principal place of business is still outside the UK\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\nA Representative of an Overseas Business visa can be extended for up to 2 years after the original visa duration of 3 years.\n\nYour visa can be extended for 3 years if your previous Representative of an Overseas Business visa was issued before 1 October 2009.\n\nYou can apply to settle once you have been in the UK for 5 years and you have an ongoing job with the same company.\n\n## Fees\n\nFor each person applying, you\u2019ll need to pay:\n\n- \u00a3704 to extend this visa\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\n- \u00a319.20 to have your biometric information (fingerprints and a photo) taken\n\n## How to extend your visa\n\nYou must apply online.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made within 8 weeks.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can come with you when you come to the UK on this visa.\n\nA \u2018dependant\u2019 is any of the following:\n\n- your husband, wife or partner\n\n- your child under 18\n\nYour husband, wife or partner cannot come to the UK as your dependant if they own or control a majority of the overseas business you will be representing.\n\n## Dependants applying from outside the UK\n\nYour family members must apply online.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\nThey may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.\n\n## Dependants applying from inside the UK\n\nYour dependants can apply to extend or switch their visas to stay with you if they\u2019re already in the UK. They must apply online.\n\nIt\u2019s best to submit your dependants\u2019 applications at the same time as yours.\n\nMembers of your family cannot apply in the UK as your dependant if they hold a visitor visa.\n\n## Get help to apply online\n\nYour family can get help with completing the online form if they:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYour family can only use this service if they\u2019re applying to extend or switch to your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Children born while you\u2019re in the UK\n\nIf you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.\n\nYou must do this if you want to travel in and out of the UK with them.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\n## Using a solicitor or an agent\n\nYou can use a solicitor or other agent to help with your application or extension.\n\nThey must be registered with the Office of the Immigration Services Commissioner (OISC), unless they are exempt.\n\nApplication decisions will be sent to your representative, provided they are registered or permitted to give immigration advice.\n\n## Exemptions from OISC registration\n\nAn adviser who is a member of one of the following professional bodies (or working under their supervision) does not need to be registered with the OISC:\n\n- Law Society\n\n- Law Society in Scotland\n\n- Law Society in Northern Ireland\n\n- Institute of Legal Executives\n\n- Faculty of Advocates\n\n- General Council of the Bar\n\n- General Council of the Bar of Northern Ireland\n\nMembers of the following UK bodies (or advisers working under their supervision) are also exempt:\n\n- state education institutions and their student unions\n\n- health sector bodies\n\n- employers giving immigration advice to their employees or prospective employees only\n\n## Advisers from outside the UK\n\nYou can use an adviser who is not in the UK. They do not need to be registered with the OISC.\n\nPassports or other travel documents cannot be sent or returned to advisers outside the UK.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/representative-overseas-business", + "answerable": true, + "scenario": "Lucas works full time in one of the leading TV broadcasting networks in his country,South Africa. His employer has sent him to work in one of the UK media offices. He needs to apply for a 3 years representative of an overseas business visa .He is a married man.", + "original_question": "If lucas gets a positive visa decision , Will he have a recourse to public funds?" + }, + { + "id": "train-1093", + "question": "Scenario: My friend John is from Indonesia.He has been in the UK for 5 years working for his employer's New's Agency company whose headquarter is in Indonesia. He is under a Representative of an Overseas Business visa. The work is still ongoing.\n\nQuestion: Can he apply to settle for long term the UK.\n\nDocument - Representative of an Overseas Business visa:\n## Overview\n\nYou can apply as a representative of an overseas business if you\u2019re either:\n\n- the sole representative of an overseas business planning to set up either a UK branch or wholly owned subsidiary\n\n- an employee of an overseas newspaper, news agency or broadcasting organisation posted on a long-term assignment to the UK\n\nYou must also meet the other eligibility requirements.\n\n## How long it will take\n\nIf you apply from outside the UK, the earliest you can apply is 3 months before you travel.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## If you apply from inside the UK\n\nYou will get a decision within 8 weeks.\n\nUKVI will contact you if your application will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example, if you have a criminal conviction)\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expires.\n\n## Fees\n\nIf you apply from outside the UK, a Representative of an Overseas Business visa costs \u00a3610.\n\nIf you apply from inside the UK, you\u2019ll need to pay:\n\n- \u00a3704 for the visa\n\n- \u00a319.20 to have your biometric information (fingerprints and a photo) taken\n\n## Healthcare surcharge\n\nYou must pay the healthcare surcharge as part of your application. Check how much you need to pay before you apply.\n\n## How long you can stay\n\nThe visa lets you stay in the UK for an initial period of 3 years.\n\nYou may be able to extend your visa for another 2 years.\n\nAfter you\u2019ve been in the UK for 5 years, you can apply for permission to settle permanently in the UK.\n\n## What you can and cannot do\n\nYou can:\n\n- work for your employer, full time\n\n- bring your family (\u2018dependants\u2019) with you to the UK\n\n- apply to extend your visa\n\n- apply to settle in the UK after you\u2019ve been here for 5 years\n\nYou cannot:\n\n- work for yourself or any other business\n\n- stay in the UK if the sole representative arrangement is ended by your employer\n\n- switch to this visa from any other visa category\n\n- get public funds\n\n## Eligibility\n\nTo be eligible for this visa you must:\n\n- have enough money to support yourself without help from public funds\n\n- meet the English requirement\n\n## Sole representatives\n\nTo apply as a sole representative you must:\n\n- be recruited and employed outside the UK by an active and trading business (whose headquarters and principal place of business are, and will remain, outside the UK)\n\n- have the skills, experience and knowledge to do the role\n\n- hold a senior position within the business (but do not own or control the majority of it) and have full authority to make decisions on its behalf\n\n- intend to establish the overseas business\u2019s first commercial presence in the UK, either as a registered branch or a wholly owned subsidiary\n\nYou may also be eligible if the business has a legal entity in the UK that does not employ staff or do any business.\n\nIf your employer has been working to establish a UK branch or subsidiary, but it is not yet set up, you can replace a previous sole representative.\n\n## Newspaper, news agency or broadcast employees\n\nAs an employee of an overseas newspaper, news agency or broadcasting organisation, you can come to the UK if you\u2019re being posted here on a long-term assignment.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\nYou can prove your knowledge of English by either:\n\n- passing an approved English language test with at least CEFR level A1 in speaking and listening\n\n- having an academic qualification that was taught in English and is recognised by UK NARIC as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\nYou may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.\n\n## Exceptions\n\nYou will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nYou also may not have to prove your knowledge of English in other circumstances - check the visa guidance.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel identification\n\n- evidence that you can support yourself and any dependants during your trip, for example bank statements or payslips for the last 6 months\n\n- proof that you meet the English requirement\n\nIf you\u2019re applying from overseas, you\u2019ll also need to provide:\n\n- details of where you\u2019ll be staying during your stay\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\nIf you\u2019re applying from overseas, you\u2019ll need to have a blank page in your passport on which to put the visa.\n\nAll applicants need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Sole representatives\n\nWhen applying as a sole representative of an overseas business you\u2019ll need to provide:\n\n- a full description of the business\u2019s activities, including details of assets and accounts\n\n- a letter confirming the overseas business will set up a wholly owned subsidiary or register a branch in the UK in the same business activity as it runs overseas\n\n- your job description, employment contract and salary details\n\n- a letter confirming you\u2019re familiar with the business and have the power to take operational decisions\n\nYou should also provide evidence that you:\n\n- are directly employed by the business and are not acting as a sales agent (for example, hired by a business to sell or distribute their products within the UK, but working for yourself and providing your services for a fee)\n\n- were recruited to the business outside of the UK\n\n- hold a senior position in the business, with the authority to make decisions on its behalf and set up and run a registered branch or wholly owned subsidiary\n\n- will be working full time for the business or subsidiary for the duration of your stay and will not carry out any other work\n\n- do not own or control a majority of the overseas business\n\n## Newspaper, news agency or broadcast employees\n\nAs an employee of an overseas newspaper, news agency or broadcasting organisation you must also provide:\n\n- a full description of the parent company\u2019s activities, including details of assets and accounts\n\n- confirmation that you will be representing them in the UK in a long term, full-time role\n\n## Apply\n\nRead the Representative of an Overseas Business guidance before you apply.\n\n## Apply outside the UK\n\nYou must apply online for a Representative of an Overseas Business visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nApply now\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply inside the UK\n\nYou must apply online.\n\nApply now\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Extend your visa\n\nYou can apply to extend your stay in the UK under a Representative of an Overseas Business visa.\n\nYou should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must already have this visa as either:\n\n- a representative of an overseas business\n\n- an employee of an overseas newspaper, news agency or broadcasting organisation\n\nYou must also meet the following conditions:\n\n- you\u2019re still working for the same employer as when you were issued your previous visa\n\n- you\u2019ve established, and are supervising, a UK branch or subsidiary of the overseas business\n\n- your employer\u2019s principal place of business is still outside the UK\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\nA Representative of an Overseas Business visa can be extended for up to 2 years after the original visa duration of 3 years.\n\nYour visa can be extended for 3 years if your previous Representative of an Overseas Business visa was issued before 1 October 2009.\n\nYou can apply to settle once you have been in the UK for 5 years and you have an ongoing job with the same company.\n\n## Fees\n\nFor each person applying, you\u2019ll need to pay:\n\n- \u00a3704 to extend this visa\n\n- the healthcare surcharge - check how much you\u2019ll have to pay\n\n- \u00a319.20 to have your biometric information (fingerprints and a photo) taken\n\n## How to extend your visa\n\nYou must apply online.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made within 8 weeks.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can come with you when you come to the UK on this visa.\n\nA \u2018dependant\u2019 is any of the following:\n\n- your husband, wife or partner\n\n- your child under 18\n\nYour husband, wife or partner cannot come to the UK as your dependant if they own or control a majority of the overseas business you will be representing.\n\n## Dependants applying from outside the UK\n\nYour family members must apply online.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\nThey may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.\n\n## Dependants applying from inside the UK\n\nYour dependants can apply to extend or switch their visas to stay with you if they\u2019re already in the UK. They must apply online.\n\nIt\u2019s best to submit your dependants\u2019 applications at the same time as yours.\n\nMembers of your family cannot apply in the UK as your dependant if they hold a visitor visa.\n\n## Get help to apply online\n\nYour family can get help with completing the online form if they:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYour family can only use this service if they\u2019re applying to extend or switch to your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Children born while you\u2019re in the UK\n\nIf you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.\n\nYou must do this if you want to travel in and out of the UK with them.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\n## Using a solicitor or an agent\n\nYou can use a solicitor or other agent to help with your application or extension.\n\nThey must be registered with the Office of the Immigration Services Commissioner (OISC), unless they are exempt.\n\nApplication decisions will be sent to your representative, provided they are registered or permitted to give immigration advice.\n\n## Exemptions from OISC registration\n\nAn adviser who is a member of one of the following professional bodies (or working under their supervision) does not need to be registered with the OISC:\n\n- Law Society\n\n- Law Society in Scotland\n\n- Law Society in Northern Ireland\n\n- Institute of Legal Executives\n\n- Faculty of Advocates\n\n- General Council of the Bar\n\n- General Council of the Bar of Northern Ireland\n\nMembers of the following UK bodies (or advisers working under their supervision) are also exempt:\n\n- state education institutions and their student unions\n\n- health sector bodies\n\n- employers giving immigration advice to their employees or prospective employees only\n\n## Advisers from outside the UK\n\nYou can use an adviser who is not in the UK. They do not need to be registered with the OISC.\n\nPassports or other travel documents cannot be sent or returned to advisers outside the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/representative-overseas-business", + "answerable": true, + "scenario": "My friend John is from Indonesia.He has been in the UK for 5 years working for his employer's New's Agency company whose headquarter is in Indonesia. He is under a Representative of an Overseas Business visa. The work is still ongoing.", + "original_question": "Can he apply to settle for long term the UK." + }, + { + "id": "train-1094", + "question": "Scenario: My Uncle is a university professor and a big advocate against female genital mutilation and early marriages . He advocates for girl child education especially in poor communities in South Africa. He has got an 4 day invitation to give a talk during the International Day of Girl Child in the UK.\n\nQuestion: Can he apply for a permitted paid engagement visa?\n\nDocument - Permitted Paid Engagement visa:\n## Overview\n\nYou may be able to visit the UK for a paid engagement if you\u2019ve been invited as an expert in your profession.\n\nYou can apply for a Permitted Paid Engagement visa if you:\n\n- are invited by a UK-based organisation or client\n\n- want to come to the UK to do specific paid work without having to be sponsored under the points-based visa system\n\n- meet the other eligibility requirements\n\nYou may not have to apply for a visa. What you need to do depends on your nationality.\n\nCheck if you need to apply for a UK visa.\n\n## What you can and cannot do\n\nYou can be invited by a UK-based organisation or client to:\n\n- be a student examiner or assessor\n\n- take part in selection panels as a highly qualified academic if you\u2019re invited by an education, arts or research organisation\n\n- give lectures at a higher education institution, as long as it\u2019s not a part-time or full-time role\n\n- examine UK-based pilots so they meet the standards of the country you come from if you\u2019re invited by an approved UK training organisation regulated by the UK Civil Aviation Authority\n\n- provide advocacy in a particular area of law\n\n- take part in arts, entertainment or sporting activities including broadcasting\n\n- take part in fashion modelling assignments\n\nYou can also do minor activities related to your work or business overseas, such as attend meetings.\n\nYou cannot:\n\n- do paid work unrelated to your main job or area of expertise at home, other than what\u2019s allowed by your visa\n\n- extend this visa or switch to another visa\n\n- live in the UK for extended periods\n\n- get public funds (benefits)\n\n- study\n\n- marry or register a civil partnership, or give notice of marriage or civil partnership\n\n- bring family members (\u2018dependants\u2019) with you on your application - they must apply separately\n\nRead the guidance for more information about what you can and cannot do with a Permitted Paid Engagement visa.\n\n## How long you can stay\n\nYou can stay in the UK for up to 1 month.\n\n## When to apply and how long it takes\n\nIf you need a visa, you must apply online before you come to the UK.\n\nAs part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your \napplication.\n\nThe earliest you can apply is 3 months before you travel.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## Fees\n\nA Permitted Paid Engagement visa costs \u00a395.\n\n## Eligibility\n\nYou must show that:\n\n- you\u2019re 18 or over\n\n- you\u2019re visiting the UK for no more than 1 month\n\n- you\u2019ve been formally invited and paid by a UK-based organisation to attend an event or other permitted engagement\n\n- you\u2019ll leave the UK at the end of your visit\n\n- you will not live in the UK for extended periods through frequent or successive visits, or make the UK your main home\n\n- you\u2019re able to support yourself during your trip (or have funding from someone else to support you)\n\n- you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)\n\n- you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules\n\n## Documents you'll need\n\nWhen you apply you must provide:\n\n- a current passport or other valid travel document - your passport must have a blank page for your visa\n\n- a formal invitation from the UK-based organisation or client you\u2019ll be paid by\n\n- proof that the paid engagement relates to your expertise, qualifications and main job in your home country, for example a letter from your employer\n\nSee the full list of documents you can provide to prove your eligibility.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## Additional documents\n\nYou must provide extra documents if you\u2019re an established arts, entertainment or sporting professional. You can provide any of the following:\n\n- publications\n\n- publicity material\n\n- proof of awards\n\n- media coverage and reviews\n\n- proof of recent performances\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nIf you need a visa, you must apply online before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\n## Apply for a Permitted Paid Engagement visa\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Apply with family members\n\nEach family member must make their own application and pay the fee.\n\nYou can apply on behalf of your partner and child, if they cannot apply for themselves.\n\nThey must attend their own appointment at a visa application centre.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "answerable": true, + "scenario": "My Uncle is a university professor and a big advocate against female genital mutilation and early marriages . He advocates for girl child education especially in poor communities in South Africa. He has got an 4 day invitation to give a talk during the International Day of Girl Child in the UK.", + "original_question": "Can he apply for a permitted paid engagement visa?" + }, + { + "id": "train-1095", + "question": "Scenario: I am a Chinese National. As i was in the process of applying for a Permitted paid engagement visa online. Immediately after submission I got an email that the UK conference has been cancelled due to one of the event organizer has tested positive of covid 19\n\nQuestion: Can i cancel the application and get a refund?\n\nDocument - Permitted Paid Engagement visa:\n## Overview\n\nYou may be able to visit the UK for a paid engagement if you\u2019ve been invited as an expert in your profession.\n\nYou can apply for a Permitted Paid Engagement visa if you:\n\n- are invited by a UK-based organisation or client\n\n- want to come to the UK to do specific paid work without having to be sponsored under the points-based visa system\n\n- meet the other eligibility requirements\n\nYou may not have to apply for a visa. What you need to do depends on your nationality.\n\nCheck if you need to apply for a UK visa.\n\n## What you can and cannot do\n\nYou can be invited by a UK-based organisation or client to:\n\n- be a student examiner or assessor\n\n- take part in selection panels as a highly qualified academic if you\u2019re invited by an education, arts or research organisation\n\n- give lectures at a higher education institution, as long as it\u2019s not a part-time or full-time role\n\n- examine UK-based pilots so they meet the standards of the country you come from if you\u2019re invited by an approved UK training organisation regulated by the UK Civil Aviation Authority\n\n- provide advocacy in a particular area of law\n\n- take part in arts, entertainment or sporting activities including broadcasting\n\n- take part in fashion modelling assignments\n\nYou can also do minor activities related to your work or business overseas, such as attend meetings.\n\nYou cannot:\n\n- do paid work unrelated to your main job or area of expertise at home, other than what\u2019s allowed by your visa\n\n- extend this visa or switch to another visa\n\n- live in the UK for extended periods\n\n- get public funds (benefits)\n\n- study\n\n- marry or register a civil partnership, or give notice of marriage or civil partnership\n\n- bring family members (\u2018dependants\u2019) with you on your application - they must apply separately\n\nRead the guidance for more information about what you can and cannot do with a Permitted Paid Engagement visa.\n\n## How long you can stay\n\nYou can stay in the UK for up to 1 month.\n\n## When to apply and how long it takes\n\nIf you need a visa, you must apply online before you come to the UK.\n\nAs part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your \napplication.\n\nThe earliest you can apply is 3 months before you travel.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## Fees\n\nA Permitted Paid Engagement visa costs \u00a395.\n\n## Eligibility\n\nYou must show that:\n\n- you\u2019re 18 or over\n\n- you\u2019re visiting the UK for no more than 1 month\n\n- you\u2019ve been formally invited and paid by a UK-based organisation to attend an event or other permitted engagement\n\n- you\u2019ll leave the UK at the end of your visit\n\n- you will not live in the UK for extended periods through frequent or successive visits, or make the UK your main home\n\n- you\u2019re able to support yourself during your trip (or have funding from someone else to support you)\n\n- you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)\n\n- you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules\n\n## Documents you'll need\n\nWhen you apply you must provide:\n\n- a current passport or other valid travel document - your passport must have a blank page for your visa\n\n- a formal invitation from the UK-based organisation or client you\u2019ll be paid by\n\n- proof that the paid engagement relates to your expertise, qualifications and main job in your home country, for example a letter from your employer\n\nSee the full list of documents you can provide to prove your eligibility.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## Additional documents\n\nYou must provide extra documents if you\u2019re an established arts, entertainment or sporting professional. You can provide any of the following:\n\n- publications\n\n- publicity material\n\n- proof of awards\n\n- media coverage and reviews\n\n- proof of recent performances\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nIf you need a visa, you must apply online before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\n## Apply for a Permitted Paid Engagement visa\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Apply with family members\n\nEach family member must make their own application and pay the fee.\n\nYou can apply on behalf of your partner and child, if they cannot apply for themselves.\n\nThey must attend their own appointment at a visa application centre.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "answerable": true, + "scenario": "I am a Chinese National. As i was in the process of applying for a Permitted paid engagement visa online. Immediately after submission I got an email that the UK conference has been cancelled due to one of the event organizer has tested positive of covid 19", + "original_question": "Can i cancel the application and get a refund?" + }, + { + "id": "train-1097", + "question": "Scenario: I am in the UK under an International agreement work visa. I am an independent professional working under a business contract and has been extended. I would like to extend my visa to stay in the UK for more 2 years .\n\nQuestion: Can i bring my family here?\n\nDocument - Temporary Worker \u2013 International Agreement Worker visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - International Agreement Worker visa (T5) if you\u2019ll be contracted to do work covered by international law or treaty while in the UK. For example if you\u2019ll be:\n\n- working for a foreign government\n\n- working as a private servant in a diplomatic household\n\n- providing a service under contract as a contractual service supplier or independent professional\n\nYou must also meet the other eligibility requirements.\n\nThis visa has replaced the Tier 5 (Temporary Worker - International Agreement) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to be sponsored (have a certificate of sponsorship from a licensed employer) before you can apply to come to the UK.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nIf you\u2019re working for a foreign government or as a private servant in a diplomatic household you can stay for 2 years, or the time given on your certificate of sponsorship plus up to 28 days, whichever is shorter.\n\n## Providing a service under contract\n\nYou can stay for 6 months in any 12 month period, or the time given on your certificate of sponsorship plus 14 days, whichever is shorter if you are providing a service under contract:\n\n- in a relevant sector as set out in the General Agreement on Trade in Services (GATS)\n\n- in another services trade agreement under which the United Kingdom has similar commitments\n\nYou can stay longer if your work is covered by one of the following agreements:\n\n- UK-EU Trade and Cooperation Agreement - 12 months or the time given on your certificate of sponsorship plus up to 14 days, whichever is shorter\n\n- Temporary agreement between the Swiss Confederation (Switzerland) and the UK on services mobility - 12 months in any 24 month period or the time given on your certificate of sponsorship plus up to 14 days, whichever is shorter\n\n## When you can enter and leave\n\nYou can enter the UK 14 days before the start date on your certificate of sponsorship.\n\nYou may be asked to leave the UK within 60 days if your job finishes early. It\u2019s unlikely you\u2019ll have to leave if your visa has less than 60 days remaining.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job on the Skilled Worker shortage occupation list or one in the same sector as your main job for up to 20 hours per week (unless you are a private servant, a contractual service supplier or an independent professional)\n\n- study, as long as it does not interfere with the job you\u2019re sponsored for\n\n- travel abroad and return to the UK\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start working before you get your visa\n\n## Eligibility\n\nYou can apply for a Temporary Worker - International Agreement Worker visa (T5) if you have:\n\n- a certificate of sponsorship reference number\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Work covered by international law\n\nYour work in the UK must be any of the following:\n\n- covered by the General Agreement on Trade in Services (GATS)\n\n- covered by similar agreements between the UK and other countries\n\n- for an overseas government or international organisation\n\n- as a private servant in a diplomatic household or in the household of an employee of an international organisation\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a unique reference number that holds information about you and your job. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you the certificate of sponsorship.\n\nYour sponsor will also give you the information they used on your certificate about your job, your working hours for example.\n\nYour sponsor must be recognised by the UK government to issue certificates of sponsorship.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - International Agreement Worker visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must be in the UK to extend your visa.\n\nYou must continue to meet the eligibility rules.\n\n## How long you can stay\n\nYou can apply to extend your visa for up to 2 years at a time up to a total maximum stay of 6 years if you are working:\n\n- for a foreign government\n\n- as a private servant in a diplomatic household and applied for your visa before 5 April 2012\n\nIf you\u2019re working as a private servant in a diplomatic household and applied for your visa on or after 5 April 2012 your total maximum stay can only be 5 years or until the last date of your employer\u2019s posting, whichever is shorter.\n\nIf you\u2019re a contractual service supplier or independent professional you can only stay in the UK for a maximum of:\n\n- 12 months if providing a service under the UK-EU Trade and Cooperation Agreement\n\n- 12 months in any 24 month period if providing a service under the Temporary agreement between the Swiss Confederation (Switzerland) and the UK on services mobility\n\n- 6 months in any 12 month period in all other cases\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nRead the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\n## Switch to this visa\n\nYou can apply to switch into a Temporary Worker - International Agreement Worker visa (T5) while you are in the UK if you want to continue working for your current employer and you:\n\n- have a work permit\n\n- work for an overseas government or international organisation\n\nYou should apply before your current visa expires.\n\n## How long you can stay\n\nYou can stay for 2 years or the time given on your certificate of sponsorship plus up to 28 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to switch your visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/international-agreement-worker-visa", + "answerable": true, + "scenario": "I am in the UK under an International agreement work visa. I am an independent professional working under a business contract and has been extended. I would like to extend my visa to stay in the UK for more 2 years .", + "original_question": "Can i bring my family here?" + }, + { + "id": "train-1099", + "question": "Scenario: My friend is from Malta. He is a qualified veterinary officer and an animal care specialist. He would like to come to UK and work for 1 years. He also wants to have first hand experience in livestock keeping. He is financially able.\n\nQuestion: Must he have a UK certificate of sponsorship before he applies?\n\nDocument - Temporary Worker - Seasonal Worker visa (T5):\n## Overview\n\nYou can apply for a Seasonal Worker visa (T5) if you want to come to the UK for up to 6 months to do farm work. You\u2019ll need to:\n\n- have a sponsor\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 Seasonal Worker visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fee\n\nThe visa costs \u00a3244.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\n## How long you can stay\n\nYou can stay in the UK for up to 6 months.\n\nYou can enter the UK as soon as your visa is valid (up to 14 days before the start date of your job).\n\n## What you can and cannot do\n\nYou can:\n\n- work in the job described in your certificate of sponsorship\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\nYou cannot:\n\n- take a permanent job\n\n- work in a second job or a job that isn\u2019t described in your certificate of sponsorship\n\n- get public funds\n\n- bring family members with you\n\n## Eligibility\n\nYou must be 18 or over when you apply and have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nYou\u2019ll need to add your certificate of sponsorship reference number to your visa application form - you can only use it once.\n\nYour certificate of sponsorship is valid for 3 months from the date it\u2019s assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless your sponsor can cover your costs during your first month in the UK, up to \u00a31,270.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your sponsor can support you instead\n\nYour certificate of sponsorship must confirm this. Your sponsor will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your sponsor will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your sponsor can support you)\n\nYou need a blank page in your passport for your visa. If you have another type of travel document (for example, a stateless person\u2019s travel document) it must have space for your visa.\n\nYou must also provide a certified translation of any documents that are not in English or Welsh, apart from your passport.\n\nThe Home Office might ask you to provide additional documents after you apply.\n\n## Apply\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre as part of your application.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## If you have a child while you\u2019re in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/seasonal-worker-visa", + "answerable": true, + "scenario": "My friend is from Malta. He is a qualified veterinary officer and an animal care specialist. He would like to come to UK and work for 1 years. He also wants to have first hand experience in livestock keeping. He is financially able.", + "original_question": "Must he have a UK certificate of sponsorship before he applies?" + }, + { + "id": "train-1100", + "question": "Scenario: Lucy is an experienced nanny from the Philippines. She has been working for a British couple for the last 2 years ,they too reside in the Philippines . They want Lucy to accompany them to the UK for a short visit.\n\nQuestion: Can lucy apply for an Overseas Domestic worker Visa?\n\nDocument - Overseas Domestic Worker visa:\n## Overview\n\nYou can apply for a visa to visit the UK with your employer if you:\n\n- live outside the UK\n\n- are a domestic worker in a private household\n\n- have worked for your employer for at least one year\n\n- meet the other eligibility requirements\n\nDomestic workers include:\n\n- cleaners\n\n- chauffeurs\n\n- cooks\n\n- those providing personal care for the employer and their family\n\n- nannies\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you started living in the UK on or before 31 December 2020, you can apply to the EU Settlement Scheme.\n\nFrom 1 January 2021, you\u2019ll need to apply for an Overseas Domestic Worker visa.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long it will take\n\nYou can apply for a visa up to 3 months before your date of travel to the UK.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fees\n\nIt costs \u00a3516 for an Overseas Domestic Worker visa.\n\n## How long you can stay\n\nYou can use this visa to visit the UK with your employer for up to 6 months. You must return home at the end of the 6 months.\n\nYou cannot extend an Overseas Domestic Worker visa.\n\nYou may be able to extend a Domestic Worker in a Private Household visa if you applied on or before 5 April 2012.\n\n## What you can and cannot do\n\nYou can:\n\n- travel abroad and return to the UK to complete your stay\n\n- change employers to another job as a domestic worker in a private household - only if you do not stay longer than the 6 months\n\nYou cannot:\n\n- work except as a domestic worker in a private household\n\n- live in the UK for long periods of time through frequent visits\n\n- get public funds\n\n## Eligibility\n\nYou must prove that you:\n\n- are 19 or older\n\n- have worked for your employer for at least 1 year\n\n- work in the same household as your employer or one they use regularly\n\n- plan to travel to the UK with your employer, their partner or children\n\n- intend to work as a full-time domestic worker in a UK household your employer will live in\n\n- plan to leave the UK at the end of 6 months\n\n- are able to support yourself in the UK without the need for public funds\n\n## Your employer\n\nYour employer must be either a:\n\n- British citizen who usually lives outside the UK and who does not intend to remain in the UK for more than 6 months\n\n- foreign citizen who is coming to the UK on a visit and who does not intend to remain for more than 6 months\n\nYour employer must also pay you at least the national minimum wage.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel identification\n\n- proof you can support yourself during your trip, for example bank statements or payslips for the last 6 months\n\n- a completed \u2018Appendix domestic worker statement\u2019 signed by both you and your employer\n\n- a letter from your employer confirming your job title, how long you\u2019ve worked for them and that you\u2019re a permanent employee\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa.\n\nYou must also provide 1 of the following documents covering the same period of employment:\n\n- pay slips or bank statements showing payment of salary\n\n- confirmation of tax paid\n\n- confirmation of health insurance paid\n\n- contract of employment\n\n- work visa, residence permit or equivalent passport endorsement for the country where you\u2019re currently employed by your employer\n\n- visas or equivalent passport endorsement if you\u2019ve travelled with your employer before\n\nYou may need to provide additional documents depending on your circumstances.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Domestic workers who applied before 5 April 2012\n\nThere are different rules if you applied for a Domestic Worker in a Private Household visa on or before 5 April 2012.\n\nYou can:\n\n- extend your stay in the UK every 12 months\n\n- apply to settle permanently in the UK after 5 years\n\n- bring your partner and children under 18\n\n- change employer while your visa is valid\n\n## How long you can stay\n\nYou can apply to extend your visa for 12 months at a time.\n\nIf you\u2019ve worked in the UK as a domestic worker for 5 years you can apply to settle permanently in the UK.\n\nYou should apply before your current permission to stay expires.\n\n## Eligibility\n\nTo extend your visa you must:\n\n- be a domestic worker in a private household\n\n- have applied for your domestic worker visa on or before 5 April 2012\n\n- have continued to live in the UK\n\n- apply while you\u2019re still in the UK\n\nTo settle in the UK as a domestic worker you must:\n\n- have applied for your domestic worker visa on or before 5 April 2012\n\n- have been living here legally for at least 5 years\n\n- currently have permission to stay here as a domestic worker\n\n- have been in the UK as a full-time domestic worker continuously throughout the 5 years (you cannot have been outside the UK for more than 180 days in any 12 consecutive months)\n\n- have maintained and accommodated yourself and any dependants without the use of public funds throughout the 5 years\n\n- have sufficient knowledge of English and life in the UK\n\n## Documents you\u2019ll need\n\nTo extend your visa you must provide both of the following:\n\n- a letter from your employer confirming that they want to continue to employ you\n\n- a completed \u2018Appendix domestic worker statement\u2019 signed by both you and your employer\n\nTo settle in the UK you must provide:\n\n- a letter from your employer confirming that they want to continue to employ you\n\n- evidence that you can satisfy the knowledge of English and life in the UK criteria\n\nIf you\u2019ve had any absences because of serious illness, births or deaths in your family, or had to leave the UK, you also need to write a letter detailing these. You should also include any related supporting documents with your letter, for example medical certificates, birth/death certificates, information about why you had to leave the UK.\n\n## How to extend your visa\n\nYou must apply online to extend your visa.\n\nYou can include your dependants (partner and children aged under 18) on your application.\n\nIf you have any dependant children aged over 18 they will need to apply separately.\n\n## How to apply to settle\n\nYou must apply online to settle.\n\nYou can include your dependants (partner and children aged under 18) on your application. Your partner must be able to demonstrate their knowledge of English and life in the UK.\n\nIf you have any dependant children aged over 18 they will need to apply separately.\n\n## Fees\n\nFor each person applying it costs:\n\n- \u00a31,033 to apply to extend your visa\n\n- \u00a32,389 to apply to settle\n\nYou\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nYou can pay an extra \u00a3800 to use the super priority service.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nWorking days are Monday to Friday, not including bank holidays.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Knowledge of English\n\nIf you want to settle in the UK, you\u2019ll need to prove that you can satisfy the English language requirement.\n\nYou can only settle as a domestic worker in a private household if you applied for entry on or before 5 April 2012.\n\nYou can prove your knowledge of English by either:\n\n- passing an approved English language test with at least CEFR level B1 in reading, writing, speaking and listening\n\n- having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\nYou may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.\n\n## Exceptions\n\nYou will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nYou also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.\n\n## Your employment rights\n\nWhen you work in the UK your employer must:\n\n- pay you an agreed rate, which must be at least the national minimum wage\n\n- not force you to work excessive hours\n\n- give you agreed holiday pay\n\n- give you the notice you\u2019re entitled to if your employment ends\n\nYou should already have agreed your employment conditions with your employer and have a copy of these in writing. Your employer cannot change your employment conditions unless you agree.\n\nIf your employer does not meet these requirements, you can take legal action through an employment or industrial tribunal or the civil courts.\n\n## Get advice and support\n\nYou can get free and confidential advice from the Acas helpline.\n\nYou can also contact the charity Kalayaan for free, confidential and independent advice as a domestic worker in the UK.\n\n## If you want to return home\n\nContact your country\u2019s Embassy or High Commission in the UK if you want to return home.\n\nYou can also get confidential advice from a registered immigration adviser. Use the Office of the Immigration Services Commissioner (OISC) Adviser Finder to find a registered adviser near you.\n\n## If you\u2019re a victim of modern slavery or human trafficking\n\nModern slavery and human trafficking involve being forced to do something you do not want to do, usually by being hurt or threatened.\n\nYou may be forced to work for free or less than the minimum wage, get married or move to a country against your will.\n\nYou can apply to stay in the UK for up to 2 years, if both of the following apply:\n\n- you entered the UK on a Overseas Domestic Worker visa, on a Domestic Worker in a Private Household visa, or as a private servant of a diplomat (known as a T5 International Agreement visa)\n\n- you have a \u2018conclusive grounds\u2019 letter from the Single Competent Authority (SCA) confirming that you\u2019re a victim of modern slavery or human trafficking\n\n## How to get a conclusive grounds letter\n\nIf you think you\u2019re a victim of modern slavery or human trafficking you need to contact the police or another first responder organisation. They can help refer your case to the SCA.\n\nRead the \u2018First responder organisations\u2019 section of the guidance on referrals to find out which organisations can refer your case.\n\nThe SCA will decide if you\u2019re a victim of modern slavery or human trafficking. They will send you a conclusive grounds letter confirming their decision.\n\n## Apply\n\nYou must apply within 28 days of getting confirmation you\u2019re a victim of modern slavery or human trafficking.\n\nYou must apply online to stay in the UK.\n\nIt\u2019s free to apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Applying for a different visa\n\nIf you apply for a different type of visa within 28 days of getting confirmation but are refused, you can still apply as a victim of modern slavery or human trafficking.\n\nYou must do this within 28 days of getting the refusal.\n\n## Working in the UK\n\nYou\u2019ll be able to work as a domestic worker for up to 2 years.\n\nYou do not need to have a job offer before you apply. You can change job while you\u2019re in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/overseas-domestic-worker-visa", + "answerable": true, + "scenario": "Lucy is an experienced nanny from the Philippines. She has been working for a British couple for the last 2 years ,they too reside in the Philippines . They want Lucy to accompany them to the UK for a short visit.", + "original_question": "Can lucy apply for an Overseas Domestic worker Visa?" + }, + { + "id": "train-1102", + "question": "Scenario: My friend Ramon is in the UK under a Turkish businessperson visa.He operates a viable barbershop business. He has not broken any immigration laws, he has enough money to support himself and his family.He wants more time in the UK to continue running his business.\n\nQuestion: Can he apply to extend his visa ?\n\nDocument - Turkish Businessperson visa:\n## Overview\n\nYou can apply to extend your Turkish Businessperson visa if you already have permission to stay in the UK as a Turkish Businessperson.\n\nYou can:\n\n- continue running your business in the UK, and start another one\n\n- continue to help run an established business in the UK\n\nYou must meet the eligibility requirements.\n\nNew applications for the Turkish Businessperson visa have closed. Only children under 21 (\u2018child dependants\u2019) can apply to join you in the UK on this visa.\n\n## Eligibility\n\nYou can only extend your visa if you\u2019re already in the UK.\nYou\u2019ll need to meet the eligibility requirements to extend your visa.\n\n## How long you can stay\n\nYou can apply to extend your visa for up to 3 years.\n\n## If you want to stay longer in the UK\n\nYou can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.\n\nAfter 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## How to apply\n\nYou must apply to extend your visa online.\n\nYour partner and children (\u2018dependants\u2019) can apply separately to extend their dependant visas, if they already have them.\n\nIf your children or your partner\u2019s children want to join you from outside the UK, they\u2019ll need to apply as your dependants.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied, you\u2019ll usually get a decision on your visa extension within 6 months.\n\n## How much it costs\n\nThere\u2019s no fee to apply to extend your visa.\n\n## What you can and cannot do\n\nWith a Turkish Businessperson visa extension you can:\n\n- keep running your business in the UK, and start another one\n\n- keep being a partner in an existing business which you\u2019ll have an active part in running\n\n- apply to extend your stay if you meet the eligibility requirements\n\n- study\n\n- do voluntary work\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- change jobs or employer\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Turkish Businessperson visa.\n\n## Eligibility\n\nTo be eligible to apply for an extension of your Turkish Businessperson visa you need to:\n\n- have a valid Turkish Businessperson visa\n\n- show you have not broken any immigration laws\n\n- keep running a viable business\n\n- keep being able to pay your share of the costs of running the business\n\n- show that your share of the profits continue to be enough to support you and your family without your needing to have another job\n\nIf you are part of an existing partnership or company you\u2019ll need to show that you still have an active part in running the business.\n\n## Documents you\u2019ll need to apply\n\nWhen you apply to extend your visa you\u2019ll need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months\n\n- proof of your living costs, such as a tenancy agreement, mortgage agreement, utility bills, council tax statement, bank statements, documents relating to transfer of money to relatives abroad\n\n- proof of state benefits you\u2019ve received in the UK\n\n- a biometric residence permit showing your Turkish Businessperson visa\n\n- your police registration certificate\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa.\n\nYou may be asked to get a police certificate for yourself and your family in the UK if you or they don\u2019t already have one.\n\n## Proof for your business\n\nYou should provide proof that you\u2019re currently running your business\n\n## If you\u2019re continuing to run a business or partnership\n\nYou may need to provide proof such as:\n\n- insurance documents\n\n- business accounts prepared by a chartered accountant or approved by an auditor\n\n- HM Revenue and Customs (HMRC) documents (including evidence of payment)\n\n- qualifications for running the business, such as relevant formal qualifications or evidence of previous relevant experience\n\n- evidence of your finances and your investment in the business, such as UK or overseas bank statements, overseas money transfers, and bank loans\n\n- evidence of any financial assistance from a third party (for example family member), such as bank statements or other financial documents as evidence of their finances, and a legal or other document confirming their involvement in and share of the business\n\n- a document setting out the terms of your involvement in the business\n\n## If you\u2019re establishing another business or partnership\n\nYou may need to provide proof such as:\n\n- a business plan\n\n- evidence you are investing money of your own into the new business\n\n- documents for your business premises\n\n- partnership agreements\n\n## Extend your visa\n\nYou can usually apply to extend a Turkish Businessperson visa if you\u2019re in the UK and all of the following are true:\n\n- your business is still going\n\n- you\u2019re still able to pay your share of the costs of running the business (its liabilities)\n\n- your share of the profits will be enough to support you and your dependants without you needing to have another job\n\nYour partner or children will need to apply separately, including children who have turned 21 during your stay.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Fees\n\nThere\u2019s no fee to apply to extend your visa.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Turkish Businessperson visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 6 months of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to extend their permission to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. To do this, they must have a valid dependant visa.\n\nYour children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.\n\nIf their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 21 - including if they were born in the UK during your stay\n\n- your child over 21 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## Your child\n\nYour child must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Documents you must provide\n\nFor each family member in the UK applying to extend you must have:\n\n- a valid passport or other document that shows your identity and nationality\n\n- a biometric residence permit (BRP) showing their current dependant visa\n\n- proof that you have sole responsibility for any dependants aged under 21 if the other parent will not be in the UK, for example written permission or relevant legal documents\n\n- proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months\n\nIf your dependant is in the UK and was asked to register with the police when they arrived, you must also provide their police registration certificate.\n\n## Applying inside the UK (extend)\n\nYour partner or children who are already in the UK can apply to extend their visa.\n\nYou can either:\n\n- include your dependants on your visa extension application\n\n- ask your dependant to apply separately\n\n## How to apply\n\nIf the dependant is your partner, they must apply online as a partner.\n\nYou need to apply online for your child.\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Applying from outside the UK\n\nYour children or those of your partner can apply to come to the UK if you have a Turkish Businessperson visa. They\u2019ll need to apply for a visa as your dependant.\n\nIf you\u2019re already in the UK and want your child to join you, they must apply online for a dependant visa.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/turkish-business-person", + "answerable": true, + "scenario": "My friend Ramon is in the UK under a Turkish businessperson visa.He operates a viable barbershop business. He has not broken any immigration laws, he has enough money to support himself and his family.He wants more time in the UK to continue running his business.", + "original_question": "Can he apply to extend his visa ?" + }, + { + "id": "train-1103", + "question": "Scenario: My friend is a Turkish national and has made a lot of investments in turkey. He is very diverse and plans to apply for a Turkish businessperson visa in order to get a chance to invest in the UK .\n\nQuestion: Are these kinds of visas available?\n\nDocument - Turkish Businessperson visa:\n## Overview\n\nYou can apply to extend your Turkish Businessperson visa if you already have permission to stay in the UK as a Turkish Businessperson.\n\nYou can:\n\n- continue running your business in the UK, and start another one\n\n- continue to help run an established business in the UK\n\nYou must meet the eligibility requirements.\n\nNew applications for the Turkish Businessperson visa have closed. Only children under 21 (\u2018child dependants\u2019) can apply to join you in the UK on this visa.\n\n## Eligibility\n\nYou can only extend your visa if you\u2019re already in the UK.\nYou\u2019ll need to meet the eligibility requirements to extend your visa.\n\n## How long you can stay\n\nYou can apply to extend your visa for up to 3 years.\n\n## If you want to stay longer in the UK\n\nYou can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.\n\nAfter 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## How to apply\n\nYou must apply to extend your visa online.\n\nYour partner and children (\u2018dependants\u2019) can apply separately to extend their dependant visas, if they already have them.\n\nIf your children or your partner\u2019s children want to join you from outside the UK, they\u2019ll need to apply as your dependants.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied, you\u2019ll usually get a decision on your visa extension within 6 months.\n\n## How much it costs\n\nThere\u2019s no fee to apply to extend your visa.\n\n## What you can and cannot do\n\nWith a Turkish Businessperson visa extension you can:\n\n- keep running your business in the UK, and start another one\n\n- keep being a partner in an existing business which you\u2019ll have an active part in running\n\n- apply to extend your stay if you meet the eligibility requirements\n\n- study\n\n- do voluntary work\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- change jobs or employer\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Turkish Businessperson visa.\n\n## Eligibility\n\nTo be eligible to apply for an extension of your Turkish Businessperson visa you need to:\n\n- have a valid Turkish Businessperson visa\n\n- show you have not broken any immigration laws\n\n- keep running a viable business\n\n- keep being able to pay your share of the costs of running the business\n\n- show that your share of the profits continue to be enough to support you and your family without your needing to have another job\n\nIf you are part of an existing partnership or company you\u2019ll need to show that you still have an active part in running the business.\n\n## Documents you\u2019ll need to apply\n\nWhen you apply to extend your visa you\u2019ll need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months\n\n- proof of your living costs, such as a tenancy agreement, mortgage agreement, utility bills, council tax statement, bank statements, documents relating to transfer of money to relatives abroad\n\n- proof of state benefits you\u2019ve received in the UK\n\n- a biometric residence permit showing your Turkish Businessperson visa\n\n- your police registration certificate\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa.\n\nYou may be asked to get a police certificate for yourself and your family in the UK if you or they don\u2019t already have one.\n\n## Proof for your business\n\nYou should provide proof that you\u2019re currently running your business\n\n## If you\u2019re continuing to run a business or partnership\n\nYou may need to provide proof such as:\n\n- insurance documents\n\n- business accounts prepared by a chartered accountant or approved by an auditor\n\n- HM Revenue and Customs (HMRC) documents (including evidence of payment)\n\n- qualifications for running the business, such as relevant formal qualifications or evidence of previous relevant experience\n\n- evidence of your finances and your investment in the business, such as UK or overseas bank statements, overseas money transfers, and bank loans\n\n- evidence of any financial assistance from a third party (for example family member), such as bank statements or other financial documents as evidence of their finances, and a legal or other document confirming their involvement in and share of the business\n\n- a document setting out the terms of your involvement in the business\n\n## If you\u2019re establishing another business or partnership\n\nYou may need to provide proof such as:\n\n- a business plan\n\n- evidence you are investing money of your own into the new business\n\n- documents for your business premises\n\n- partnership agreements\n\n## Extend your visa\n\nYou can usually apply to extend a Turkish Businessperson visa if you\u2019re in the UK and all of the following are true:\n\n- your business is still going\n\n- you\u2019re still able to pay your share of the costs of running the business (its liabilities)\n\n- your share of the profits will be enough to support you and your dependants without you needing to have another job\n\nYour partner or children will need to apply separately, including children who have turned 21 during your stay.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Fees\n\nThere\u2019s no fee to apply to extend your visa.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Turkish Businessperson visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 6 months of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to extend their permission to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. To do this, they must have a valid dependant visa.\n\nYour children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.\n\nIf their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 21 - including if they were born in the UK during your stay\n\n- your child over 21 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## Your child\n\nYour child must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Documents you must provide\n\nFor each family member in the UK applying to extend you must have:\n\n- a valid passport or other document that shows your identity and nationality\n\n- a biometric residence permit (BRP) showing their current dependant visa\n\n- proof that you have sole responsibility for any dependants aged under 21 if the other parent will not be in the UK, for example written permission or relevant legal documents\n\n- proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months\n\nIf your dependant is in the UK and was asked to register with the police when they arrived, you must also provide their police registration certificate.\n\n## Applying inside the UK (extend)\n\nYour partner or children who are already in the UK can apply to extend their visa.\n\nYou can either:\n\n- include your dependants on your visa extension application\n\n- ask your dependant to apply separately\n\n## How to apply\n\nIf the dependant is your partner, they must apply online as a partner.\n\nYou need to apply online for your child.\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Applying from outside the UK\n\nYour children or those of your partner can apply to come to the UK if you have a Turkish Businessperson visa. They\u2019ll need to apply for a visa as your dependant.\n\nIf you\u2019re already in the UK and want your child to join you, they must apply online for a dependant visa.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/turkish-business-person", + "answerable": true, + "scenario": "My friend is a Turkish national and has made a lot of investments in turkey. He is very diverse and plans to apply for a Turkish businessperson visa in order to get a chance to invest in the UK .", + "original_question": "Are these kinds of visas available?" + }, + { + "id": "train-1104", + "question": "Scenario: My friend James is 27 years old from New Zealand . He wishes to apply for a Youth mobility scheme visa to come to the UK and establish a business. He wants to be self-employed.\n\nQuestion: Is he elligible ?\n\nDocument - Youth Mobility Scheme visa (T5):\n## Overview\n\nYou can apply for a Youth Mobility Scheme visa (T5) if you:\n\n- want to live and work in the UK for up to 2 years\n\n- are aged 18 to 30\n\n- have \u00a32,530 in savings\n\n- have certain types of British Nationality or are from certain countries or territories\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Youth Mobility Scheme) visa.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 6 months before you travel.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fees\n\nIt costs \u00a3244 to apply.\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## How long you can stay\n\nYou\u2019ll be given a visa to live and work in the UK for up to 24 months.\n\nYou can enter the UK at any time while your visa is valid, and leave and come back at any time during your stay.\n\nIf you turn 31 while you\u2019re in the UK, you can stay for as long as your visa is valid.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work in most jobs\n\n- be self-employed and set up a company - as long as your premises are rented, your equipment is not worth more than \u00a35,000 and you do not have any employees\n\nYou cannot:\n\n- work as a professional sportsperson (for example as a coach)\n\n- extend your stay\n\n- get public funds\n\n- bring in family members on your application - they must apply separately\n\n## Eligibility\n\nYou can apply for a Youth Mobility Scheme visa (T5) if you\u2019re aged 18 to 30 and you\u2019re from:\n\n- Australia\n\n- Canada\n\n- Monaco\n\n- New Zealand\n\n- San Marino\n\nYou must be selected in the Youth Mobility Scheme ballot before you can apply for your visa if you\u2019re from:\n\n- Hong Kong\n\n- Japan\n\n- South Korea\n\n- Taiwan\n\nYou must also be aged 18 to 30 on the date you apply for your visa.\n\nYou can also apply if you\u2019re 18 to 30 and a:\n\n- British overseas citizen\n\n- British overseas territories citizen\n\n- British national (overseas)\n\nYou cannot apply if you have:\n\n- children under the age of 18 who live with you\n\n- children you\u2019re financially responsible for\n\n- already been in the UK under the scheme\n\n## Money to support yourself\n\nYou must have at least \u00a32,530 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll need to show proof of this when you apply.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- a bank statement showing you have at least \u00a32,530 in savings\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the Youth Mobility Scheme guidance before you apply.\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\nIf you\u2019re from Hong Kong, Japan, South Korea or Taiwan, you must be successfully selected in the Youth Mobility Scheme ballot before you can apply for your visa.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## If you have a child while you\u2019re in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/youth-mobility", + "answerable": true, + "scenario": "My friend James is 27 years old from New Zealand . He wishes to apply for a Youth mobility scheme visa to come to the UK and establish a business. He wants to be self-employed.", + "original_question": "Is he elligible ?" + }, + { + "id": "train-1105", + "question": "Scenario: Chloe is a Canadian national. She is in the UK under a youth and mobility visa. She is now 8 months pregnant. His boyfriend is a British national\n\nQuestion: Will the baby be a British citizen?\n\nDocument - Youth Mobility Scheme visa (T5):\n## Overview\n\nYou can apply for a Youth Mobility Scheme visa (T5) if you:\n\n- want to live and work in the UK for up to 2 years\n\n- are aged 18 to 30\n\n- have \u00a32,530 in savings\n\n- have certain types of British Nationality or are from certain countries or territories\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Youth Mobility Scheme) visa.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 6 months before you travel.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fees\n\nIt costs \u00a3244 to apply.\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## How long you can stay\n\nYou\u2019ll be given a visa to live and work in the UK for up to 24 months.\n\nYou can enter the UK at any time while your visa is valid, and leave and come back at any time during your stay.\n\nIf you turn 31 while you\u2019re in the UK, you can stay for as long as your visa is valid.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work in most jobs\n\n- be self-employed and set up a company - as long as your premises are rented, your equipment is not worth more than \u00a35,000 and you do not have any employees\n\nYou cannot:\n\n- work as a professional sportsperson (for example as a coach)\n\n- extend your stay\n\n- get public funds\n\n- bring in family members on your application - they must apply separately\n\n## Eligibility\n\nYou can apply for a Youth Mobility Scheme visa (T5) if you\u2019re aged 18 to 30 and you\u2019re from:\n\n- Australia\n\n- Canada\n\n- Monaco\n\n- New Zealand\n\n- San Marino\n\nYou must be selected in the Youth Mobility Scheme ballot before you can apply for your visa if you\u2019re from:\n\n- Hong Kong\n\n- Japan\n\n- South Korea\n\n- Taiwan\n\nYou must also be aged 18 to 30 on the date you apply for your visa.\n\nYou can also apply if you\u2019re 18 to 30 and a:\n\n- British overseas citizen\n\n- British overseas territories citizen\n\n- British national (overseas)\n\nYou cannot apply if you have:\n\n- children under the age of 18 who live with you\n\n- children you\u2019re financially responsible for\n\n- already been in the UK under the scheme\n\n## Money to support yourself\n\nYou must have at least \u00a32,530 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll need to show proof of this when you apply.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- a bank statement showing you have at least \u00a32,530 in savings\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the Youth Mobility Scheme guidance before you apply.\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\nIf you\u2019re from Hong Kong, Japan, South Korea or Taiwan, you must be successfully selected in the Youth Mobility Scheme ballot before you can apply for your visa.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## If you have a child while you\u2019re in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/youth-mobility", + "answerable": true, + "scenario": "Chloe is a Canadian national. She is in the UK under a youth and mobility visa. She is now 8 months pregnant. His boyfriend is a British national", + "original_question": "Will the baby be a British citizen?" + }, + { + "id": "train-1106", + "question": "Scenario: My friend Myra is from Guyana .She wishes to apply for a start up visa . She has very innovative Engineering skills and would like to implement them in the UK vehicle sector.Her Masters In Engineering was taught in English.\n\nQuestion: Does she need to prove her level of English during visa application?\n\nDocument - Start-up visa:\n## Overview\n\nYou can apply for a Start-up visa if:\n\n- you want to set up an innovative business in the UK - it must be something that\u2019s different from anything else on the market\n\n- you meet the other eligibility requirements\n\n## If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Eligibility\n\nYou must be endorsed by an authorised body that is either:\n\n- a UK higher education institution\n\n- a business organisation with a history of supporting UK entrepreneurs\n\nYou must be able to show that your business idea is:\n\n- a new idea - you cannot join in a business that is already trading\n\n- innovative - you must have an original business idea which is different from anything else on the market\n\n- viable - it has potential for growth\n\n## If you\u2019re not eligible for a Start-up visa\n\nYou may be eligible for another type of visa to work in the UK.\n\n## How long you can stay\n\nYou can stay for 2 years if you either:\n\n- come to the UK on a Start-up visa\n\n- switch to this visa from another visa while in the UK\n\n## If you want to stay longer in the UK\n\nYou cannot apply to extend this visa.\n\nYou may be able to switch to an Innovator visa if you set up a business while on a Start-up visa and:\n\n- your endorsing body assessed and agreed it\n\n- it is active, trading and sustainable\n\n- you have day to day involvement in it\n\n## If your endorsement is withdrawn\n\nYour visa may be cut short if your endorsement is withdrawn by the endorsing body. If you want to stay longer, you must re-apply with a new endorsement before your current visa expires.\n\nYou can only stay for a total of 2 years even if you\u2019re granted a new visa with a new endorsement.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and switching from a different visa\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## Fees\n\nHow much you pay for a Start-up visa depends on your situation and where you apply from.\n\n| Who you\u2019re applying for | Apply (outside the UK) | Switch (in the UK) |\n\n| Yourself | \u00a3363 | \u00a3493 |\n\n| Your partner and children | \u00a3363 each person | \u00a3493 each person |\n\nYou must pay the visa fee for each person that applies at the same time as you or applies later to join you in the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to switch in the UK\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## What you can and cannot do\n\nWith a Start-up visa you can:\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- work in another job, as well as working for your business\n\n- travel abroad and return to the UK\n\nYou can also switch to this visa from some other visa categories.\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- work as a professional sportsperson, for example a sports coach\n\n- settle in the UK on this visa\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Start-up visa.\n\n## Eligibility\n\nBefore you apply you need to have your business or business idea assessed by an endorsing body.\n\nThey will provide you with an endorsement letter if your business is viable.\n\nYou must also:\n\n- be at least 18 years old\n\n- meet the English language requirement\n\n- be able to prove that you have enough personal savings to support yourself while you\u2019re in the UK\n\nRead the specific requirements for the Start-up visa before you apply.\n\n## Supporting yourself\n\nYou need to have had at least \u00a31270 in your bank account for 28 consecutive days before you apply, or if you\u2019ve been in the UK for less than a year and applying to switch to this visa.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## Knowledge of English\n\nYou\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English gained through study at a UK school that you began when you were under 18\n\n- having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## Documents you'll need to apply\n\nWhen you apply you need to provide an \u2018endorsement letter\u2019 to show that an endorsing body has assessed your business.\n\nYou\u2019ll also need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- bank statements showing you\u2019ve had at least \u00a31270 in savings in your bank account for 28 consecutive days before you apply\n\n- proof that you meet the English language requirement\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\nYou\u2019ll need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nYou must apply online for a Start-up visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for a Start-up visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must each have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nIn addition to the \u00a31,270 you must have to support yourself, you - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou\u2019ll need to have had the money in your bank account or your dependant\u2019s bank account for at least 28 days before you or they apply.\n\nYou\u2019ll usually need to show proof of this when you apply, unless you or they are applying from inside the UK and you\u2019ve been here for 1 year or more.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as a partner\n\n- apply online as a child\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre. This is to get a biometric residence permit, which they\u2019ll need to collect within 10 days of when they said they\u2019d arrive in the UK.\n\n## Apply from inside the UK (switch)\n\nApply for your partner or child\u2019s visa at the same time as you switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children will not be able to apply to switch to a Start-up visa if they are currently in the UK in one of the following circumstances:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and child must apply online to either:\n\n- switch to a Start-up visa as your partner\n\n- switch to a Start-up visa as your child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## Getting a faster decision\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to a Start-up visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or children will need to apply separately.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply to switch to this visa if you meet the eligibility requirements.\n\n## Who cannot apply to switch to this visa\n\nYou cannot switch to this visa if you have one of the following:\n\n- a visit visa\n\n- a short-term student visa\n\n- a Parent of a Child Student visa\n\n- a seasonal worker visa\n\n- a domestic worker in a private household visa\n\n- immigration bail\n\n- permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and make your application from abroad if you\u2019re here on a different type of visa.\n\n## How long you can stay\n\nYou can stay in the UK for 2 years on a Start-up visa. Any time you\u2019ve already spent in the UK on a Tier 1 (Graduate Entrepreneur) visa counts as part of the 2 years.\n\n## How much it costs\n\nCheck the visa application fees.\n\nIf you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply to switch to a Start-up visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/start-up-visa", + "answerable": true, + "scenario": "My friend Myra is from Guyana .She wishes to apply for a start up visa . She has very innovative Engineering skills and would like to implement them in the UK vehicle sector.Her Masters In Engineering was taught in English.", + "original_question": "Does she need to prove her level of English during visa application?" + }, + { + "id": "train-1110", + "question": "Scenario: I am from abroad . I came to the UK under a parent child student visa. Due to the covid pandemic, life has become very hard. My child is 7 years old and needs good care.\n\nQuestion: Can I be allowed to work?\n\nDocument - Parent of a Child Student visa:\n## Who can apply\n\nYou can only apply for a Parent of a Child Student visa if your child has or is applying for a Child Student visa. Or if they currently have a Tier 4 (Child) visa.\n\nYour child must be aged between 4 and 11 when you apply, and be attending an independent school in the UK.\n\nYou must also:\n\n- be the only parent accompanying your child in the UK\n\n- have enough money to support yourself and your child in the UK\n\n- maintain your main home outside the UK\n\n- plan to leave the UK when your visa expires\n\n## Bringing family members with you\n\nTo be eligible for a Parent of a Child Student visa you must be the only parent accompanying your child in the UK. The child\u2019s other parent must live abroad, and cannot apply to join you in the UK.\n\nYou can bring your other children with you if they also have or are applying for a Child Student visa.\n\nYou cannot bring other family members with you on this visa. They may be able to apply to come to the UK on a short-term visit visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to come to the UK for more than 6 months. The earliest your Parent of a Child Student visa will start from is 1 January 2021.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long you can stay\n\nYou can stay in the UK until your child\u2019s visa expires or they turn 12, whichever happens first.\n\nYou can extend your visa while in the UK as long as you meet the eligibility requirements.\n\n## If you leave the UK\n\nIf your child is staying in education in the UK without you, you must make arrangements for their ongoing care. For example, if your child turns 12 and their visa is still valid, they may be able to start boarding at their current school, or live with other family members in the UK.\n\n## What you cannot do\n\nWhile you\u2019re in the UK on a Parent of a Child Student visa, you cannot:\n\n- do paid work\n\n- study\n\n- start a business\n\n- make the UK your main home\n\n- apply for benefits (public funds), or the State Pension\n\n- bring other family members with you\n\n- switch to a different type of visa\n\n## Money you need\n\nWhen you apply for a Parent of a Child Student visa, you must:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove that you have enough money to support yourself and your child while you\u2019re in the UK\n\n## Visa application fee\n\nA Parent of a Child Student visa costs \u00a3516.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3624 per year.\n\nThis is so you can use the National Health Service (NHS) in the UK.\n\nCheck how much you\u2019ll need to pay before you apply.\n\nYou pay the surcharge as part of your online visa application.\n\n## Money to support yourself and your child\n\nYou\u2019ll need to show that you have enough money to support yourself and your child in the UK.\n\nYou\u2019ll need \u00a31,560 for each month of your stay up to a maximum of 9 months. This amount is to support both you and your child.\n\nFor example, if you\u2019re staying for 9 months or longer you\u2019ll need to prove you have \u00a314,040 (9 months \u00d7 \u00a31,560).\n\n## If you want to bring your other children\n\nYou\u2019ll need an extra \u00a3625 per month, up to a maximum of 9 months, for each additional child that accompanies you to the UK. They must be a sibling of your other child and also have a Child Student visa.\n\n## If you\u2019re extending your visa\n\nIf you\u2019ve been in the UK for at least 12 months on a valid visa, you do not need to prove you have money to support yourself and your child for your visa application.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel document\n\n- proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa\n\n- evidence that you have a permanent home outside the UK\n\nDepending on your circumstances, you might also need to provide:\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test\n\n- a certified translation of any documents that are not in English or Welsh\n\n## Apply from outside the UK\n\nYou must apply online for a Parent of a Child Student visa before you travel to the UK.\n\nThe earliest you can apply is 6 months before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Apply online\n\nAs part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\nYou\u2019ll be told what you need to do when you apply.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply online\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nYou may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\n## Extend your visa\n\nYou can apply to extend your visa while in the UK as long as you and your child meet the eligibility requirements. This includes if your child currently has a Tier 4 (Child) student visa.\n\n## How long you can stay\n\nWhen you extend your visa you can stay in the UK until the date your child\u2019s student visa expires or they turn 12, whichever happens first.\n\n## When to apply to extend your visa\n\nYou must apply before your current visa expires.\n\nYou can stay in the UK until you get a decision on your visa application.\n\n## Apply to extend your visa\n\nYou must apply online.\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point. At the appointment you must provide your biometric information (your fingerprints and a photo). It costs \u00a319.20.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply to extend\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 8 weeks.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\nYou can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\nIf you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "answerable": true, + "scenario": "I am from abroad . I came to the UK under a parent child student visa. Due to the covid pandemic, life has become very hard. My child is 7 years old and needs good care.", + "original_question": "Can I be allowed to work?" + }, + { + "id": "train-1111", + "question": "Scenario: My partner and I live abroad.We are planning to take our daughter to an independent school in the UK when she turns 5. We admire the UK National curriculum.\n\nQuestion: Can i bring other young daughter through this visa?\n\nDocument - Parent of a Child Student visa:\n## Who can apply\n\nYou can only apply for a Parent of a Child Student visa if your child has or is applying for a Child Student visa. Or if they currently have a Tier 4 (Child) visa.\n\nYour child must be aged between 4 and 11 when you apply, and be attending an independent school in the UK.\n\nYou must also:\n\n- be the only parent accompanying your child in the UK\n\n- have enough money to support yourself and your child in the UK\n\n- maintain your main home outside the UK\n\n- plan to leave the UK when your visa expires\n\n## Bringing family members with you\n\nTo be eligible for a Parent of a Child Student visa you must be the only parent accompanying your child in the UK. The child\u2019s other parent must live abroad, and cannot apply to join you in the UK.\n\nYou can bring your other children with you if they also have or are applying for a Child Student visa.\n\nYou cannot bring other family members with you on this visa. They may be able to apply to come to the UK on a short-term visit visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to come to the UK for more than 6 months. The earliest your Parent of a Child Student visa will start from is 1 January 2021.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long you can stay\n\nYou can stay in the UK until your child\u2019s visa expires or they turn 12, whichever happens first.\n\nYou can extend your visa while in the UK as long as you meet the eligibility requirements.\n\n## If you leave the UK\n\nIf your child is staying in education in the UK without you, you must make arrangements for their ongoing care. For example, if your child turns 12 and their visa is still valid, they may be able to start boarding at their current school, or live with other family members in the UK.\n\n## What you cannot do\n\nWhile you\u2019re in the UK on a Parent of a Child Student visa, you cannot:\n\n- do paid work\n\n- study\n\n- start a business\n\n- make the UK your main home\n\n- apply for benefits (public funds), or the State Pension\n\n- bring other family members with you\n\n- switch to a different type of visa\n\n## Money you need\n\nWhen you apply for a Parent of a Child Student visa, you must:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove that you have enough money to support yourself and your child while you\u2019re in the UK\n\n## Visa application fee\n\nA Parent of a Child Student visa costs \u00a3516.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3624 per year.\n\nThis is so you can use the National Health Service (NHS) in the UK.\n\nCheck how much you\u2019ll need to pay before you apply.\n\nYou pay the surcharge as part of your online visa application.\n\n## Money to support yourself and your child\n\nYou\u2019ll need to show that you have enough money to support yourself and your child in the UK.\n\nYou\u2019ll need \u00a31,560 for each month of your stay up to a maximum of 9 months. This amount is to support both you and your child.\n\nFor example, if you\u2019re staying for 9 months or longer you\u2019ll need to prove you have \u00a314,040 (9 months \u00d7 \u00a31,560).\n\n## If you want to bring your other children\n\nYou\u2019ll need an extra \u00a3625 per month, up to a maximum of 9 months, for each additional child that accompanies you to the UK. They must be a sibling of your other child and also have a Child Student visa.\n\n## If you\u2019re extending your visa\n\nIf you\u2019ve been in the UK for at least 12 months on a valid visa, you do not need to prove you have money to support yourself and your child for your visa application.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel document\n\n- proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa\n\n- evidence that you have a permanent home outside the UK\n\nDepending on your circumstances, you might also need to provide:\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test\n\n- a certified translation of any documents that are not in English or Welsh\n\n## Apply from outside the UK\n\nYou must apply online for a Parent of a Child Student visa before you travel to the UK.\n\nThe earliest you can apply is 6 months before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Apply online\n\nAs part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\nYou\u2019ll be told what you need to do when you apply.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply online\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nYou may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\n## Extend your visa\n\nYou can apply to extend your visa while in the UK as long as you and your child meet the eligibility requirements. This includes if your child currently has a Tier 4 (Child) student visa.\n\n## How long you can stay\n\nWhen you extend your visa you can stay in the UK until the date your child\u2019s student visa expires or they turn 12, whichever happens first.\n\n## When to apply to extend your visa\n\nYou must apply before your current visa expires.\n\nYou can stay in the UK until you get a decision on your visa application.\n\n## Apply to extend your visa\n\nYou must apply online.\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point. At the appointment you must provide your biometric information (your fingerprints and a photo). It costs \u00a319.20.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply to extend\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 8 weeks.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\nYou can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\nIf you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "answerable": true, + "scenario": "My partner and I live abroad.We are planning to take our daughter to an independent school in the UK when she turns 5. We admire the UK National curriculum.", + "original_question": "Can i bring other young daughter through this visa?" + }, + { + "id": "train-1112", + "question": "Scenario: I am an overseas Engineering student and I would like to undertake a short work experience opportunities in Engineering companies in the UK . I am under the umbrella of Twin Training International. I want to apply for a Government Authorized exchange Visa.\n\nQuestion: Can i stay for a year with this Visa in the UK?\n\nDocument - Temporary Worker - Government Authorised Exchange visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - Government Authorised Exchange visa (T5) if you:\n\n- want to come to the UK for a short time for work experience or to do training, an Overseas Government Language Programme, research or a fellowship through an approved government authorised exchange scheme\n\n- have a sponsor\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Government Authorised Exchange) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.\n\nYour work, training or research in the UK must relate to the work of your sponsor organisation.\n\nYour sponsor can be any of the following:\n\n- an organisation running an approved exchange scheme\n\n- a higher education institution (if you are a sponsored researcher, visiting academic or examiner)\n\n- a government department or agency\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work in the job described in your certificate of sponsorship\n\n- do a second job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week as well as your main job\n\n- apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re in the government authorised exchange scheme for sponsored researchers\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- take a permanent job\n\n- get public funds\n\n## Eligibility\n\nYou must have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example your working hours.\n\nYou\u2019ll need to add your certificate of sponsorship reference number to your application form - you can only use it once.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\nYou need a blank page in your passport for your visa.\n\nYou must also provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary worker - Government Authorised Exchange visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou might be able to extend your stay. You must still meet the eligibility requirements.\n\nYou must apply while you\u2019re still in the UK.\n\n## How long you can stay\n\nYou can apply to stay in the UK for up to a maximum of:\n\n- 12 months, if you\u2019re doing work experience\n\n- 24 months, if you\u2019re doing research, training or an Overseas Government Language Programme\n\nYou can also stay for the length of time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\n## Switch to this visa\n\nYou can apply to change (\u2018switch\u2019) to a Temporary Worker - Government Authorised Exchange visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply if you\u2019re a:\n\n- student, whether studying, resitting an examination or writing a thesis\n\n- student union sabbatical officer\n\n- student nurse\n\n- postgraduate doctor or dentist\n\n- student visa holder (including Tier 4)\n\n- sponsored researcher who came to the UK on a work permit and you want to continue in the same job with your sponsor\n\nYou must have completed a UK bachelor\u2019s or master\u2019s degree during your last grant of leave.\n\nYou must also meet the other eligibility requirements.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to switch your visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/government-authorised-exchange", + "answerable": true, + "scenario": "I am an overseas Engineering student and I would like to undertake a short work experience opportunities in Engineering companies in the UK . I am under the umbrella of Twin Training International. I want to apply for a Government Authorized exchange Visa.", + "original_question": "Can i stay for a year with this Visa in the UK?" + }, + { + "id": "train-1113", + "question": "Scenario: I am an overseas medical researcher under a Government Authorized Exchange Program. I have won a research award. I would like to continue with my research work.\n\nQuestion: Can i switch my visa to Global Talent visa within the UK?\n\nDocument - Temporary Worker - Government Authorised Exchange visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - Government Authorised Exchange visa (T5) if you:\n\n- want to come to the UK for a short time for work experience or to do training, an Overseas Government Language Programme, research or a fellowship through an approved government authorised exchange scheme\n\n- have a sponsor\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Government Authorised Exchange) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.\n\nYour work, training or research in the UK must relate to the work of your sponsor organisation.\n\nYour sponsor can be any of the following:\n\n- an organisation running an approved exchange scheme\n\n- a higher education institution (if you are a sponsored researcher, visiting academic or examiner)\n\n- a government department or agency\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work in the job described in your certificate of sponsorship\n\n- do a second job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week as well as your main job\n\n- apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re in the government authorised exchange scheme for sponsored researchers\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- take a permanent job\n\n- get public funds\n\n## Eligibility\n\nYou must have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example your working hours.\n\nYou\u2019ll need to add your certificate of sponsorship reference number to your application form - you can only use it once.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\nYou need a blank page in your passport for your visa.\n\nYou must also provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary worker - Government Authorised Exchange visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou might be able to extend your stay. You must still meet the eligibility requirements.\n\nYou must apply while you\u2019re still in the UK.\n\n## How long you can stay\n\nYou can apply to stay in the UK for up to a maximum of:\n\n- 12 months, if you\u2019re doing work experience\n\n- 24 months, if you\u2019re doing research, training or an Overseas Government Language Programme\n\nYou can also stay for the length of time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\n## Switch to this visa\n\nYou can apply to change (\u2018switch\u2019) to a Temporary Worker - Government Authorised Exchange visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply if you\u2019re a:\n\n- student, whether studying, resitting an examination or writing a thesis\n\n- student union sabbatical officer\n\n- student nurse\n\n- postgraduate doctor or dentist\n\n- student visa holder (including Tier 4)\n\n- sponsored researcher who came to the UK on a work permit and you want to continue in the same job with your sponsor\n\nYou must have completed a UK bachelor\u2019s or master\u2019s degree during your last grant of leave.\n\nYou must also meet the other eligibility requirements.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to switch your visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/government-authorised-exchange", + "answerable": true, + "scenario": "I am an overseas medical researcher under a Government Authorized Exchange Program. I have won a research award. I would like to continue with my research work.", + "original_question": "Can i switch my visa to Global Talent visa within the UK?" + }, + { + "id": "train-1114", + "question": "Scenario: I am a business director running a shoe company in the UK.I am currently under an entrepreneur visa. I have created job opportunities for 5 employees and a running capital of over \u00a3200,000 in the bank account. I would like to extend my visa .\n\nQuestion: Do i qualify?\n\nDocument - Entrepreneur visa (Tier 1):\n## Overview\n\nYou can no longer apply for a Tier 1 (Entrepreneur) visa.\n\nIf you want to set up or run a business in the UK you might be able to apply for an Innovator visa or a Start-up visa.\n\n## If you already have a Tier 1 (Entrepreneur) visa\n\nYou can still apply:\n\n- to settle in the UK (indefinite leave to remain)\n\n- to extend your visa\n\n- for family members to join you\n\n## Extend your visa\n\nYou may be able to extend your Tier 1 (Entrepreneur) visa.\n\nYou should apply before your current visa expires.\n\nYou can apply to extend your visa if you:\n\n- registered as a director or as self-employed no more than 6 months after the date you were given permission to stay in the UK under a Tier 1 (Entrepreneur) visa\n\n- can prove you\u2019ve been self-employed, a member of a partnership or working as a director of a business 3 months before you apply\n\n- created at least 2 full time jobs that have existed for at least 12 months\n\n- can continue to support yourself\n\nYou must have invested into 1 or more UK businesses either:\n\n- \u00a3200,000 in cash\n\n- \u00a350,000 in cash\n\nThe amount depends on the level of funds your initial application was based on.\n\nYou should include any dependants who are on your current visa on your application to extend - including children who have turned 18 during your stay.\n\nYou should read the full guidance on the Tier 1 (Entrepreneur) visa before you apply.\n\n## Fees\n\nIt costs \u00a31,277 to extend this visa.\n\nYou\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.\n\n## How to extend your visa if you\u2019re in the UK\n\nYou must apply online.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made on your application within 8 weeks.\n\nYou\u2019ll be contacted if your application is complex and will take longer. This could be because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## How to extend your visa if you\u2019re outside the UK\n\nIf you\u2019re outside the UK, you must apply online to extend a Tier 1 (Entrepreneur) visa.\n\n## Switch to this visa\n\nIf you\u2019re already in the UK you may be able to switch to a Tier 1 (Entrepreneur) visa if:\n\n- you\u2019re on a Tier 1 (Graduate Entrepreneur) visa\n\n- you switched to a Start-up visa from a Tier 1 (Graduate Entrepreneur) visa for your second year\n\nYou must meet the eligibility requirements for a Tier 1 (Entrepreneur) visa. You must have:\n\n- \u00a350,000 in funds to spend in the UK\n\n- a viable business plan\n\nYou must apply before your current visa expires.\n\n## How long you can stay\n\nYou can stay for 3 years if your application to switch is successful.\n\n## Fees\n\nIt costs \u00a31,277 to switch to this visa.\n\nYou\u2019ll also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken. You\u2019ll pay as part of your application.\n\n## How to apply to switch your visa\n\nYou should read the full guidance on the Tier 1 (Entrepreneur) visa before you apply.\n\nYou must apply online.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to switch to this visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made on your application within 8 weeks.\n\nYou\u2019ll be contacted if your application is complex and will take longer. This could be because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example you have a criminal conviction\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\n## Switching to this visa if you\u2019re outside the UK\n\nYou can apply to switch to a Tier 1 (Entrepreneur) visa if you have:\n\n- a valid Tier 1 (Graduate Entrepreneur) visa\n\n- a valid Start-up visa, and you switched from a Tier 1 (Graduate Entrepreneur) visa for your second year\n\n- a Tier 1 (Graduate Entrepreneur) visa that expired less than 12 months ago\n\n- a Start-up visa that expired less than 12 months ago, and you switched from a Tier 1 (Graduate Entrepreneur) visa for your second year\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can join you if you\u2019re in the UK on this visa. Your family members must apply for their own visa.\n\nIf they\u2019re from the European Economic Area (EEA) or Switzerland and arrive before 1 January 2021, they may be able to apply to the free EU Settlement Scheme.\n\nA \u2018dependant\u2019 is any of the following:\n\n- your partner\n\n- your child under 18\n\n- your child over 18 if they\u2019re currently in the UK as a dependant\n\nRead the guidance on dependant applications before you apply.\n\nAdult family members must provide a criminal record certificate from any country they have lived in for 12 months or more in the last 10 years.\n\n## Savings\n\nYou must show that your dependants can be supported while they\u2019re in the UK.\n\nEach dependant must have a certain amount of money available to them - this is in addition to the \u00a3945 you must have to support yourself.\n\nThe amount depends on your circumstances. You must have \u00a31,890 for each dependant if you\u2019ve been in the UK for less than 12 months. If you\u2019ve been in the UK for more than 12 months, you must have \u00a3630 for each dependant.\n\nYou must have proof you have the money, and that it\u2019s been in your bank account or your dependant\u2019s bank account for at least 90 days before you or they apply.\n\n## Fees\n\nIt costs \u00a31878 for each family member.\n\nThey\u2019ll also need to pay \u00a319.20 to have their biometric information (fingerprints and a photo) taken. They\u2019ll pay as part of their application.\n\nIf your family member is applying from within the UK, they may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.\n\n## Dependants applying outside the UK\n\nYour family members must apply online.\n\nThey\u2019ll need to have their fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of their application.\n\nThey\u2019ll have to collect their biometric residence permit within 10 days of when they said they\u2019d arrive in the UK (even if they actually arrive at a later date).\n\nThey may be able to get their visa faster or other services depending on what country they\u2019re in - check with the visa application centre.\n\nIf your child is over 18 they cannot apply if they are outside the UK. They can apply from inside the UK if they are already here as your dependant.\n\n## Dependants applying in the UK on their own\n\nYour dependants can apply to extend or switch their visas to stay with you if they\u2019re already in the UK. Dependants must either:\n\n- apply online as a dependant partner\n\n- apply online as a dependant child\n\nFamily members cannot apply in the UK as your dependant if they hold a visitor visa.\n\n## Providing biometric information and supporting documents\n\nWhen they apply, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (their fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nThey\u2019ll be contacted if their application is complex and will take longer, for example:\n\n- if their supporting documents need to be verified\n\n- if they need to attend an interview\n\n- because of their personal circumstances (for example if they have a criminal conviction)\n\nOnce they\u2019ve applied they can stay in the UK until they\u2019ve been given a decision, as long as they applied before their last visa expired.\n\n## Get help to apply online\n\nYour family can get help with completing the online form if they:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYour family can only use this service if they\u2019re applying to extend or switch to your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Children born while you\u2019re in the UK\n\nIf you have children while you\u2019re in the UK, you can apply online to add them to your visa as your dependant.\n\nYou must do this if you want to travel in and out of the UK with them.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tier-1-entrepreneur", + "answerable": true, + "scenario": "I am a business director running a shoe company in the UK.I am currently under an entrepreneur visa. I have created job opportunities for 5 employees and a running capital of over \u00a3200,000 in the bank account. I would like to extend my visa .", + "original_question": "Do i qualify?" + }, + { + "id": "train-1116", + "question": "Scenario: I have received my religious worker Visa to work in a hospice Center in the UK. I am from Ghana. I would like to take some holidays within the year and visit my aging parents in Ghana.\n\nQuestion: Can that be allowed or can i extend it ?\n\nDocument - Temporary Worker - Religious Worker visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - Religious Worker visa (T5) if:\n\n- you want to do religious work in a non-pastoral role or religious order\n\n- you meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Religious Worker) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou must have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to your sponsor organisation\u2019s work.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you are applying to extend from inside the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou\u2019ll be given a visa to live and work in the UK for up to 24 months, or up to 28 days more than the time on your certificate of sponsorship. You may be sponsored for a shorter period.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector at the same level as your main job for up to 20 hours per week outside the hours of your main job\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week outside the hours of your main job\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot get public funds.\n\n## Eligibility\n\nYou must have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a unique reference number that holds information about the job you\u2019ll do and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you the certificate of sponsorship.\n\nYour sponsor must also give you the information they used on your certificate about your job, for example your working hours.\n\nYour sponsor must be recognised by the UK government to issue certificates of sponsorship.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nYou may need to provide additional documents depending on your circumstances.\n\nRead the guide for a full list of documents you can provide.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Religious Worker visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must apply again if you want to change your job within the same organisation or move to a new organisation.\n\n## How long you can stay\n\nYou can apply to take your stay in the UK up to a maximum of 24 months, or the time on your certificate of sponsorship plus 14 days - whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/religious-worker-visa", + "answerable": true, + "scenario": "I have received my religious worker Visa to work in a hospice Center in the UK. I am from Ghana. I would like to take some holidays within the year and visit my aging parents in Ghana.", + "original_question": "Can that be allowed or can i extend it ?" + }, + { + "id": "train-1117", + "question": "Scenario: I would like to apply for a Religious worker visa to work in a charity in the UK. I have a family and my children are at school age.\n\nQuestion: Can i apply together with my family?\n\nDocument - Temporary Worker - Religious Worker visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - Religious Worker visa (T5) if:\n\n- you want to do religious work in a non-pastoral role or religious order\n\n- you meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Religious Worker) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou must have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to your sponsor organisation\u2019s work.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you are applying to extend from inside the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou\u2019ll be given a visa to live and work in the UK for up to 24 months, or up to 28 days more than the time on your certificate of sponsorship. You may be sponsored for a shorter period.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector at the same level as your main job for up to 20 hours per week outside the hours of your main job\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week outside the hours of your main job\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot get public funds.\n\n## Eligibility\n\nYou must have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a unique reference number that holds information about the job you\u2019ll do and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you the certificate of sponsorship.\n\nYour sponsor must also give you the information they used on your certificate about your job, for example your working hours.\n\nYour sponsor must be recognised by the UK government to issue certificates of sponsorship.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nYou may need to provide additional documents depending on your circumstances.\n\nRead the guide for a full list of documents you can provide.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Religious Worker visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must apply again if you want to change your job within the same organisation or move to a new organisation.\n\n## How long you can stay\n\nYou can apply to take your stay in the UK up to a maximum of 24 months, or the time on your certificate of sponsorship plus 14 days - whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/religious-worker-visa", + "answerable": true, + "scenario": "I would like to apply for a Religious worker visa to work in a charity in the UK. I have a family and my children are at school age.", + "original_question": "Can i apply together with my family?" + }, + { + "id": "train-1118", + "question": "Scenario: Mark is a musician from Brazil . He had visited the UK to perform several music concerts under a creative and sporting visa concession. His time on his concession is about to expire and he has still more work to do.\n\nQuestion: Can he extend his stay?\n\nDocument - Temporary Worker - Creative and Sporting visa (T5):\n## Overview\n\nYou must apply for a Temporary Worker - Creative and Sporting visa (T5) if:\n\n- you\u2019ve been offered work in the UK as a sports person or creative worker\n\n- you meet the other eligibility requirements\n\nA creative worker is someone who works in the creative industry, for example an actor, dancer, musician or film crew member.\n\nThis visa has replaced the Tier 5 (Temporary Worker - Creative and Sporting) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it takes\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can come to the UK for a maximum of up to 12 months, or the time given in your certificate of sponsorship plus up to 28 days, whichever is shorter.\n\nYou may be able to extend your visa.\n\nYour stay must start no more than 14 days before the start date on your certificate of sponsorship.\n\nIf you intend to work in the UK for 3 months or less, you may be able to use the Temporary Worker - Creative and Sporting visa (T5) concession instead of applying for the visa.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n## Eligibility\n\nYour eligibility for a Temporary Worker - Creative and Sporting visa (T5) depends on whether you\u2019re a sports person or a creative worker.\n\n## Sports person\n\nYou need to make a significant contribution to your sport at the highest level in the UK to be eligible for this visa.\n\nYou\u2019ll also need all of the following:\n\n- a certificate of sponsorship reference number\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Creative worker\n\nYou need all of the following to be eligible for the creative category:\n\n- make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity\n\n- certificate of sponsorship reference number\n\n- be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nYou need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example how much you\u2019ll be paid.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\nChanging your sponsor does not change how long you can stay in the UK. You can only stay the maximum length of time allowed by this visa.\n\n## Multiple entry\n\nYour sponsor needs to give you a multiple entry certificate of sponsorship if you need to leave and come back to the UK as part of the job you\u2019re doing.\n\n## Multiple jobs when you\u2019re a creative worker\n\nYour sponsor can give you a certificate that covers the entire length of your stay, even if you need to perform at more than one engagement. If you\u2019re working for more than one sponsor, you can get a certificate from each sponsor.\n\nThere cannot be a gap of more than 14 days between each job. If you leave the UK and come back, your time away will not count towards those 14 days.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply, you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Creative and Sporting visa (T5).\n\nYou should apply before your current visa expires.\n\nYou cannot extend your stay if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\n## Creative worker\n\nYou can extend your visa for whichever is the shortest of:\n\n- up to 12 months\n\n- the time on your certificate of sponsorship plus 14 days\n\n- the time needed to extend your stay to the maximum of 24 months\n\nYou must stay with the same sponsor.\n\n## Sports person\n\nYou can extend your visa up to 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Switch to this visa\n\nYou can switch to a Temporary Worker - Creative and Sporting visa (T5) if you\u2019re in the UK on a Standard Visitor visa and your sponsor gave you a certificate of sponsorship for this visa before you came to the UK.\n\nYou should apply before your current visa expires.\n\nYou cannot switch to this visa if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## How long you can stay\n\nYou can stay for a maximum of up to 12 months after switching to a Temporary Worker - Creative and Sporting visa (T5).\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to switch to this visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Temporary Worker - Creative and Sporting visa (T5) concession\n\nYou can enter the UK without applying for a visa in advance if you:\n\n- have a valid Temporary Worker - Creative and Sporting visa (T5) certificate of sponsorship\n\n- are coming to work in the UK for 3 months or less\n\n- do not normally need a visa to enter the UK as a visitor\n\nYou must still meet the Temporary Worker - Creative and Sporting visa (T5) eligibility criteria.\n\nYou will not be able to extend your stay while you are in the UK, or switch to another temporary worker visa or a Skilled Worker visa.\n\nYour partner and children can travel with you if they also do not normally need a visa to enter the UK as a visitor.\n\n## When you arrive in the UK\n\nYou must see an immigration officer when you arrive in the UK - do not use the automatic ePassport gates. The officer will check:\n\n- your certificate of sponsorship is valid\n\n- you have enough money to support yourself\n\nYou will not be allowed to work if you use an automatic ePassport gate. You must see an immigration officer.\n\n## If you enter the UK from Ireland\n\nIf you\u2019re travelling to the UK from Ireland using the Temporary Worker - Creative and Sporting visa (T5) concession, you must apply for remote clearance at least 72 hours before you arrive in the UK.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n- extend your stay or switch to another visa", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "answerable": true, + "scenario": "Mark is a musician from Brazil . He had visited the UK to perform several music concerts under a creative and sporting visa concession. His time on his concession is about to expire and he has still more work to do.", + "original_question": "Can he extend his stay?" + }, + { + "id": "train-1119", + "question": "Scenario: Lisa is an elite pianist from China. Has been invited by her sponsor melody Orchestra to perform in England for musical concerts and have hands on job training.\n\nQuestion: Can she apply for creative and sports visa?\n\nDocument - Temporary Worker - Creative and Sporting visa (T5):\n## Overview\n\nYou must apply for a Temporary Worker - Creative and Sporting visa (T5) if:\n\n- you\u2019ve been offered work in the UK as a sports person or creative worker\n\n- you meet the other eligibility requirements\n\nA creative worker is someone who works in the creative industry, for example an actor, dancer, musician or film crew member.\n\nThis visa has replaced the Tier 5 (Temporary Worker - Creative and Sporting) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it takes\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can come to the UK for a maximum of up to 12 months, or the time given in your certificate of sponsorship plus up to 28 days, whichever is shorter.\n\nYou may be able to extend your visa.\n\nYour stay must start no more than 14 days before the start date on your certificate of sponsorship.\n\nIf you intend to work in the UK for 3 months or less, you may be able to use the Temporary Worker - Creative and Sporting visa (T5) concession instead of applying for the visa.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n## Eligibility\n\nYour eligibility for a Temporary Worker - Creative and Sporting visa (T5) depends on whether you\u2019re a sports person or a creative worker.\n\n## Sports person\n\nYou need to make a significant contribution to your sport at the highest level in the UK to be eligible for this visa.\n\nYou\u2019ll also need all of the following:\n\n- a certificate of sponsorship reference number\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Creative worker\n\nYou need all of the following to be eligible for the creative category:\n\n- make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity\n\n- certificate of sponsorship reference number\n\n- be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nYou need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example how much you\u2019ll be paid.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\nChanging your sponsor does not change how long you can stay in the UK. You can only stay the maximum length of time allowed by this visa.\n\n## Multiple entry\n\nYour sponsor needs to give you a multiple entry certificate of sponsorship if you need to leave and come back to the UK as part of the job you\u2019re doing.\n\n## Multiple jobs when you\u2019re a creative worker\n\nYour sponsor can give you a certificate that covers the entire length of your stay, even if you need to perform at more than one engagement. If you\u2019re working for more than one sponsor, you can get a certificate from each sponsor.\n\nThere cannot be a gap of more than 14 days between each job. If you leave the UK and come back, your time away will not count towards those 14 days.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply, you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Creative and Sporting visa (T5).\n\nYou should apply before your current visa expires.\n\nYou cannot extend your stay if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\n## Creative worker\n\nYou can extend your visa for whichever is the shortest of:\n\n- up to 12 months\n\n- the time on your certificate of sponsorship plus 14 days\n\n- the time needed to extend your stay to the maximum of 24 months\n\nYou must stay with the same sponsor.\n\n## Sports person\n\nYou can extend your visa up to 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Switch to this visa\n\nYou can switch to a Temporary Worker - Creative and Sporting visa (T5) if you\u2019re in the UK on a Standard Visitor visa and your sponsor gave you a certificate of sponsorship for this visa before you came to the UK.\n\nYou should apply before your current visa expires.\n\nYou cannot switch to this visa if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## How long you can stay\n\nYou can stay for a maximum of up to 12 months after switching to a Temporary Worker - Creative and Sporting visa (T5).\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to switch to this visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Temporary Worker - Creative and Sporting visa (T5) concession\n\nYou can enter the UK without applying for a visa in advance if you:\n\n- have a valid Temporary Worker - Creative and Sporting visa (T5) certificate of sponsorship\n\n- are coming to work in the UK for 3 months or less\n\n- do not normally need a visa to enter the UK as a visitor\n\nYou must still meet the Temporary Worker - Creative and Sporting visa (T5) eligibility criteria.\n\nYou will not be able to extend your stay while you are in the UK, or switch to another temporary worker visa or a Skilled Worker visa.\n\nYour partner and children can travel with you if they also do not normally need a visa to enter the UK as a visitor.\n\n## When you arrive in the UK\n\nYou must see an immigration officer when you arrive in the UK - do not use the automatic ePassport gates. The officer will check:\n\n- your certificate of sponsorship is valid\n\n- you have enough money to support yourself\n\nYou will not be allowed to work if you use an automatic ePassport gate. You must see an immigration officer.\n\n## If you enter the UK from Ireland\n\nIf you\u2019re travelling to the UK from Ireland using the Temporary Worker - Creative and Sporting visa (T5) concession, you must apply for remote clearance at least 72 hours before you arrive in the UK.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n- extend your stay or switch to another visa", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "answerable": true, + "scenario": "Lisa is an elite pianist from China. Has been invited by her sponsor melody Orchestra to perform in England for musical concerts and have hands on job training.", + "original_question": "Can she apply for creative and sports visa?" + }, + { + "id": "train-1122", + "question": "Scenario: My best friend has agoraphobia and is not able to get out in order to claim child benefit for her two sons. I have said that I am prepared to claim on her behalf.\n\nQuestion: As I am not a relative, can I claim child benefit for my friend's kids?\n\nDocument - Claim and deal with Child Benefit for someone else:\n## If your child has a baby\n\nYou can claim Child Benefit for a child you\u2019re responsible for and their baby.\n\nIf your child is claiming the Child Benefit, you can collect the payment on their behalf by talking to their bank.\n\nThe Child Benefit Office can only pay Child Benefit into one account. This can be a joint account you share with your child, but their name must be on the account too.\n\n## Appointees\n\nYou can apply for the right to deal with the Child Benefit of someone who can\u2019t manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.\n\nThis is called becoming an \u2018appointee\u2019.\n\nYou can apply as an individual or as a voluntary organisation.\n\nIf you\u2019re paid to deal with someone else\u2019s Child Benefit, you\u2019re known as a \u2018paid agent\u2019.\n\nYou\u2019re not an appointee if you just help someone complete their claim form.\n\n## How to become an appointee\n\nContact the Child Benefit Office to apply. They\u2019ll discuss if becoming an appointee is the best option and tell you what you need to do.\n\nYou can arrange with someone\u2019s bank or the Post Office to collect their payments without becoming an appointee.\n\n## Your responsibilities\n\nAs an appointee, you must do things like:\n\n- complete the claim form\n\n- deal with any letters from the Child Benefit Office\n\n- report any changes that affect Child Benefit\n\n- stop or restart payments where the person or their partner is affected by the High Income Child Benefit Charge\n\nThe Child Benefit will be paid into your bank account.\n\n## How to become a paid agent\n\nYour client must send a letter to the Child Benefit Office, saying you can deal with Child Benefit on their behalf.\n\n## Stop or change an appointee or paid agent\n\nWrite to the Child Benefit Office within one month of when you want to stop or change the appointee.\n\n## Authorisation\n\nThe Child Benefit Helpline can only discuss a claim with the person named on the claim form (or their appointee). A partner or someone else can get general advice but they must be \u2018authorised\u2019 to discuss a claim with the helpline.\n\nThe process is different if you act for a lot of clients or you\u2019re a paid agent.\n\n## Get authorised\n\nThe claimant must fill in form TC689, or write a letter with the same information, and send it to the Tax Credit Office - the address is on the form.\n\nThe authorisation lasts 12 months unless a different end date is put on the form. It usually takes 2 days to get authorised from when your form is received. Usually, you won\u2019t get a letter confirming the authorisation.\n\nThe Child Benefit Office will also need to have received the claimant\u2019s Child Benefit claim form.\n\nMore than one person can be authorised but they each must send a TC689 form.\n\n## If you act for a lot of clients\n\nWrite to the Tax Credit Office to register as an \u2018intermediary organisation\u2019 if you work in the voluntary sector and act for many people.\n\nYou can get urgent authorisation online if you\u2019re an intermediary organisation and you have a completed TC689. You must keep your client\u2019s completed TC689 for 7 years from the date it was signed.\n\n## If you\u2019re a paid agent\n\nYour client must send a letter to the Child Benefit Office, saying you can deal with Child Benefit on their behalf.\n\nTo authorise you to deal with High Income Child Benefit Tax Charge matters they also need to fill in form CH995.\n\n## Cancel an authorisation\n\nAn authorisation can be cancelled by writing to the Child Benefit Office.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-child-benefit-behalf-someone-else", + "answerable": true, + "scenario": "My best friend has agoraphobia and is not able to get out in order to claim child benefit for her two sons. I have said that I am prepared to claim on her behalf.", + "original_question": "As I am not a relative, can I claim child benefit for my friend's kids?" + }, + { + "id": "train-1123", + "question": "Scenario: My fifteen year old daughter is eight months pregnant with her first child. Whilst this is not idea, we are fully supportive of her. She is not good at dealing with paperwork, however.\n\nQuestion: Can I claim child benefit on behalf of my underage daughter?\n\nDocument - Claim and deal with Child Benefit for someone else:\n## If your child has a baby\n\nYou can claim Child Benefit for a child you\u2019re responsible for and their baby.\n\nIf your child is claiming the Child Benefit, you can collect the payment on their behalf by talking to their bank.\n\nThe Child Benefit Office can only pay Child Benefit into one account. This can be a joint account you share with your child, but their name must be on the account too.\n\n## Appointees\n\nYou can apply for the right to deal with the Child Benefit of someone who can\u2019t manage their own affairs, for example because they\u2019re mentally incapable or severely disabled.\n\nThis is called becoming an \u2018appointee\u2019.\n\nYou can apply as an individual or as a voluntary organisation.\n\nIf you\u2019re paid to deal with someone else\u2019s Child Benefit, you\u2019re known as a \u2018paid agent\u2019.\n\nYou\u2019re not an appointee if you just help someone complete their claim form.\n\n## How to become an appointee\n\nContact the Child Benefit Office to apply. They\u2019ll discuss if becoming an appointee is the best option and tell you what you need to do.\n\nYou can arrange with someone\u2019s bank or the Post Office to collect their payments without becoming an appointee.\n\n## Your responsibilities\n\nAs an appointee, you must do things like:\n\n- complete the claim form\n\n- deal with any letters from the Child Benefit Office\n\n- report any changes that affect Child Benefit\n\n- stop or restart payments where the person or their partner is affected by the High Income Child Benefit Charge\n\nThe Child Benefit will be paid into your bank account.\n\n## How to become a paid agent\n\nYour client must send a letter to the Child Benefit Office, saying you can deal with Child Benefit on their behalf.\n\n## Stop or change an appointee or paid agent\n\nWrite to the Child Benefit Office within one month of when you want to stop or change the appointee.\n\n## Authorisation\n\nThe Child Benefit Helpline can only discuss a claim with the person named on the claim form (or their appointee). A partner or someone else can get general advice but they must be \u2018authorised\u2019 to discuss a claim with the helpline.\n\nThe process is different if you act for a lot of clients or you\u2019re a paid agent.\n\n## Get authorised\n\nThe claimant must fill in form TC689, or write a letter with the same information, and send it to the Tax Credit Office - the address is on the form.\n\nThe authorisation lasts 12 months unless a different end date is put on the form. It usually takes 2 days to get authorised from when your form is received. Usually, you won\u2019t get a letter confirming the authorisation.\n\nThe Child Benefit Office will also need to have received the claimant\u2019s Child Benefit claim form.\n\nMore than one person can be authorised but they each must send a TC689 form.\n\n## If you act for a lot of clients\n\nWrite to the Tax Credit Office to register as an \u2018intermediary organisation\u2019 if you work in the voluntary sector and act for many people.\n\nYou can get urgent authorisation online if you\u2019re an intermediary organisation and you have a completed TC689. You must keep your client\u2019s completed TC689 for 7 years from the date it was signed.\n\n## If you\u2019re a paid agent\n\nYour client must send a letter to the Child Benefit Office, saying you can deal with Child Benefit on their behalf.\n\nTo authorise you to deal with High Income Child Benefit Tax Charge matters they also need to fill in form CH995.\n\n## Cancel an authorisation\n\nAn authorisation can be cancelled by writing to the Child Benefit Office.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-child-benefit-behalf-someone-else", + "answerable": true, + "scenario": "My fifteen year old daughter is eight months pregnant with her first child. Whilst this is not idea, we are fully supportive of her. She is not good at dealing with paperwork, however.", + "original_question": "Can I claim child benefit on behalf of my underage daughter?" + }, + { + "id": "train-1124", + "question": "Scenario: we have recently gotten our first born child. we would like to get financial help in raising the child since we are tight financially.\n\nQuestion: can i register to receive child benefits ?\n\nDocument - Register a birth:\n## Overview\n\nYou may not be able to register a birth at the moment because of coronavirus (COVID-19). You\u2019ll be able to register at a later date.\n\nFind out if you can register a birth now by:\n\n- contacting the local register office\n\n- asking at the hospital where the baby was born before the mother leaves\n\nThere are different rules for registering a birth in Scotland, registering a birth in Northern Ireland and registering a birth abroad.\n\n## Information you need when registering a birth\n\nWhen registering the birth, you should know:\n\n- place and date of the birth\n\n- name, surname and sex of the baby\n\n- parents\u2019 names, surnames and address\n\n- places and dates of parents\u2019 birth\n\n- date of parents\u2019 marriage or civil partnership\n\n- parents\u2019 jobs\n\n- mother\u2019s maiden surname\n\n## What you should take\n\nIf you can register the birth, you should take at least one form of identification when you go to the register office. You can use:\n\n- passport\n\n- birth certificate\n\n- deed poll\n\n- driving licence\n\n- proof of address (for example, a utility bill)\n\n- Council Tax bill\n\n- marriage or civil partnership certificate\n\nYou should also take your child\u2019s personal child health record or \u2018red book\u2019 as some registrars may ask to see it.\n\nIf you\u2019re going to the register office on your own, you may need proof of paternity from the other parent before you give their details.\n\n## Organisations you need to contact\n\nHaving a child might affect your tax, your benefits and services from your local council.\n\nThe Tell Us Once service can report a birth to the Department for Work and Pensions (DWP) and your local council in one go. The registrar will let you know if this service is available in your area.\n\nWhen you go to a Tell Us Once appointment, you\u2019ll be asked about:\n\n- the people who\u2019ll be named on the birth register\n\n- any partners that live with them\n\nFor each person, you\u2019ll need to know:\n\n- their address and phone number\n\n- their date of birth\n\n- their National Insurance number\n\n- details of any benefits they get or have applied for\n\nIf the Tell Us Once service is not available in your area, you\u2019ll need to contact Jobcentre Plus and your local council about your benefits and services.\n\n## After the birth is registered\n\nOnce you\u2019ve registered the birth, you may be able to claim:\n\n- Child Benefit\n\n- Child Tax Credit\n\n## Who can register a birth\n\n## Opposite-sex couples\n\n## Married or civil-partner parents\n\nEither parent can register the birth on their own. They can include both parents\u2019 details if they were married or in a civil partnership when the baby was born or conceived.\n\n## Unmarried parents\n\nThe details of both parents can be included on the birth certificate if one of the following happens:\n\n- they sign the birth register together\n\n- one parent completes a statutory declaration of parentage form and the other takes the signed form to register the birth\n\n- one parent goes to register the birth with a document from the court (for example, a court order) giving the father parental responsibility\n\nThe mother can choose to register the birth without the child\u2019s father if they\u2019re not married or in a civil partnership. The father\u2019s details will not be included on the birth certificate.\n\nIt might be possible to add the father\u2019s details at a later date by completing an application for the re-registration of a child\u2019s birth.\n\n## Same-sex female couples\n\nFemale couples can include both their names on their child\u2019s birth certificate when registering the birth.\n\n## Married or civil-partner parents\n\nEither parent can register the birth on their own if all of the following are true:\n\n- the mother has a child by donor insemination or fertility treatment\n\n- she was married or in a civil partnership at the time of the treatment\n\n## Unmarried, non-civil-partner parents\n\nWhen a mother is not married or in a civil partnership, her partner can be seen as the child\u2019s second parent if both women:\n\n- are treated together in the UK by a licensed clinic\n\n- have made a \u2018parenthood agreement\u2019\n\nHowever, for both parents\u2019 details to be recorded on the birth certificate, they must do one of the following:\n\n- register the birth jointly\n\n- complete a \u2018Statutory declaration of acknowledgement of parentage\u2019 form and one parent takes the signed form when she registers the birth\n\n- get a document from the court (for example, a court order) giving the second female parent parental responsibility and one parent shows the document when she registers the birth\n\n## Same-sex male couples\n\nMale couples must get a parental order from the court before they can be registered as parents.\n\n## Other people who can register a birth\n\nIf the parents cannot register the birth (for example, for medical reasons), certain other people can do it:\n\n- someone who was present at the birth\n\n- someone who is responsible for the child\n\n- a member of the administrative staff at the hospital where the child was born\n\n## Birth certificates\n\nYou may not get a certificate straight away because of coronavirus (COVID-19). The register office will tell you when you can get a certificate.\n\nThere are 2 types of birth certificate:\n\n- the short version, which contains only the baby\u2019s details\n\n- the full version, which also contains the parents\u2019 details\n\nOnce you have registered the birth, you\u2019ll be able to buy a short or full certificate for your baby. Both kinds cost \u00a311.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/register-birth", + "answerable": true, + "scenario": "we have recently gotten our first born child. we would like to get financial help in raising the child since we are tight financially.", + "original_question": "can i register to receive child benefits ?" + }, + { + "id": "train-1125", + "question": "Scenario: i am a nurse that works in the maternity ward at a city hospital. we delivered a child from a single mother who unfortunately lost her life after the delivery.\n\nQuestion: can a person who is not a parent register a birth ?\n\nDocument - Register a birth:\n## Overview\n\nYou may not be able to register a birth at the moment because of coronavirus (COVID-19). You\u2019ll be able to register at a later date.\n\nFind out if you can register a birth now by:\n\n- contacting the local register office\n\n- asking at the hospital where the baby was born before the mother leaves\n\nThere are different rules for registering a birth in Scotland, registering a birth in Northern Ireland and registering a birth abroad.\n\n## Information you need when registering a birth\n\nWhen registering the birth, you should know:\n\n- place and date of the birth\n\n- name, surname and sex of the baby\n\n- parents\u2019 names, surnames and address\n\n- places and dates of parents\u2019 birth\n\n- date of parents\u2019 marriage or civil partnership\n\n- parents\u2019 jobs\n\n- mother\u2019s maiden surname\n\n## What you should take\n\nIf you can register the birth, you should take at least one form of identification when you go to the register office. You can use:\n\n- passport\n\n- birth certificate\n\n- deed poll\n\n- driving licence\n\n- proof of address (for example, a utility bill)\n\n- Council Tax bill\n\n- marriage or civil partnership certificate\n\nYou should also take your child\u2019s personal child health record or \u2018red book\u2019 as some registrars may ask to see it.\n\nIf you\u2019re going to the register office on your own, you may need proof of paternity from the other parent before you give their details.\n\n## Organisations you need to contact\n\nHaving a child might affect your tax, your benefits and services from your local council.\n\nThe Tell Us Once service can report a birth to the Department for Work and Pensions (DWP) and your local council in one go. The registrar will let you know if this service is available in your area.\n\nWhen you go to a Tell Us Once appointment, you\u2019ll be asked about:\n\n- the people who\u2019ll be named on the birth register\n\n- any partners that live with them\n\nFor each person, you\u2019ll need to know:\n\n- their address and phone number\n\n- their date of birth\n\n- their National Insurance number\n\n- details of any benefits they get or have applied for\n\nIf the Tell Us Once service is not available in your area, you\u2019ll need to contact Jobcentre Plus and your local council about your benefits and services.\n\n## After the birth is registered\n\nOnce you\u2019ve registered the birth, you may be able to claim:\n\n- Child Benefit\n\n- Child Tax Credit\n\n## Who can register a birth\n\n## Opposite-sex couples\n\n## Married or civil-partner parents\n\nEither parent can register the birth on their own. They can include both parents\u2019 details if they were married or in a civil partnership when the baby was born or conceived.\n\n## Unmarried parents\n\nThe details of both parents can be included on the birth certificate if one of the following happens:\n\n- they sign the birth register together\n\n- one parent completes a statutory declaration of parentage form and the other takes the signed form to register the birth\n\n- one parent goes to register the birth with a document from the court (for example, a court order) giving the father parental responsibility\n\nThe mother can choose to register the birth without the child\u2019s father if they\u2019re not married or in a civil partnership. The father\u2019s details will not be included on the birth certificate.\n\nIt might be possible to add the father\u2019s details at a later date by completing an application for the re-registration of a child\u2019s birth.\n\n## Same-sex female couples\n\nFemale couples can include both their names on their child\u2019s birth certificate when registering the birth.\n\n## Married or civil-partner parents\n\nEither parent can register the birth on their own if all of the following are true:\n\n- the mother has a child by donor insemination or fertility treatment\n\n- she was married or in a civil partnership at the time of the treatment\n\n## Unmarried, non-civil-partner parents\n\nWhen a mother is not married or in a civil partnership, her partner can be seen as the child\u2019s second parent if both women:\n\n- are treated together in the UK by a licensed clinic\n\n- have made a \u2018parenthood agreement\u2019\n\nHowever, for both parents\u2019 details to be recorded on the birth certificate, they must do one of the following:\n\n- register the birth jointly\n\n- complete a \u2018Statutory declaration of acknowledgement of parentage\u2019 form and one parent takes the signed form when she registers the birth\n\n- get a document from the court (for example, a court order) giving the second female parent parental responsibility and one parent shows the document when she registers the birth\n\n## Same-sex male couples\n\nMale couples must get a parental order from the court before they can be registered as parents.\n\n## Other people who can register a birth\n\nIf the parents cannot register the birth (for example, for medical reasons), certain other people can do it:\n\n- someone who was present at the birth\n\n- someone who is responsible for the child\n\n- a member of the administrative staff at the hospital where the child was born\n\n## Birth certificates\n\nYou may not get a certificate straight away because of coronavirus (COVID-19). The register office will tell you when you can get a certificate.\n\nThere are 2 types of birth certificate:\n\n- the short version, which contains only the baby\u2019s details\n\n- the full version, which also contains the parents\u2019 details\n\nOnce you have registered the birth, you\u2019ll be able to buy a short or full certificate for your baby. Both kinds cost \u00a311.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/register-birth", + "answerable": true, + "scenario": "i am a nurse that works in the maternity ward at a city hospital. we delivered a child from a single mother who unfortunately lost her life after the delivery.", + "original_question": "can a person who is not a parent register a birth ?" + }, + { + "id": "train-1126", + "question": "Scenario: My sister and her husband are in the process of selling their house and have just learned that they have to go abroad for work for the next six months. They have asked me to handle the sale of their house\n\nQuestion: Am I able to sell my sister's house for her whilst she is away?\n\nDocument - Make decisions on behalf of someone:\n## When you can make decisions for someone\n\nSomeone can choose you to make and carry out certain decisions on their behalf.\n\nThey can ask you to do this:\n\n- now - for example, while they\u2019re on holiday\n\n- in the future - for example, if they lose the mental capacity to make their own decisions\n\nYou can also apply to a court to help someone make decisions if they do not have mental capacity now.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When someone can choose you\n\nA person must have mental capacity when they choose you for short-term or long-term help with decisions.\n\n## Short-term help\n\nYou can be appointed to make decisions about someone\u2019s money or property for a limited time - for example, while they\u2019re on holiday.\n\nThey can appoint you with either:\n\n- a lasting power of attorney for \u2018property and financial affairs\u2019 - they\u2019ll say when it starts and ends\n\n- an \u2018ordinary power of attorney\u2019 - you can only use this while they have mental capacity\n\nTo make an ordinary power of attorney, the person who appoints you needs to buy a document from a newsagent or use a solicitor.\n\n## Long-term help\n\nYou can be appointed with a lasting power of attorney to help someone make ongoing decisions about either or both:\n\n- money and property - starting at any time, or when they do not have mental capacity\n\n- health and welfare - starting when they do not have mental capacity\n\nYou can also help someone with ongoing decisions using an enduring power of attorney made before 1 October 2007.\n\n## When you apply to a court\n\nApply to a court to help someone without mental capacity with one-off or long-term decisions.\n\nCheck if someone already has an attorney or deputy to help them with decisions before you apply. If they do have an attorney or deputy, ask them for help instead.\n\n## One-off decisions\n\nAsk the Court of Protection to make:\n\n- a one-off decision about an issue that\u2019s not urgent\n\n- an urgent or emergency decision about something that puts them at risk\n\nIf the decision is about medical treatment, you must consider any living will (advance decision) that the person has made.\n\n## Long-term help\n\nApply to the Court of Protection to help someone long-term with decisions about either or both:\n\n- money and property - as a \u2018property and financial affairs deputy\u2019\n\n- health and welfare - as a \u2018personal welfare deputy\u2019\n\n## How to make decisions\n\nAs someone\u2019s attorney or deputy you must:\n\n- give them all the help they need to make each decision before deciding they do not have mental capacity to make that decision themselves\n\n- make any decisions in their best interests\n\n- make decisions that restrict their human and civil rights as little as you can\n\n## Helping someone make decisions\n\nGive the person all the information they need to make a decision.\n\nMake it easy for them to understand and weigh up the information, for example by:\n\n- allowing plenty of time\n\n- choosing a time that suits them best\n\n- talking in familiar surroundings - for example, their home\n\n- removing distractions such as background noise\n\n- explaining things a different way - in pictures or sign language, for example\n\nSuggest different ways for them to tell you their decision if they cannot tell you in words - for example, by pointing, squeezing your hand, blinking or nodding.\n\n## Making decisions in someone\u2019s best interests\n\nAny decisions you make for someone must be right for them (\u2018in their best interests\u2019). Take into account:\n\n- what they would have decided if they could\n\n- their past and present values and wishes, including moral, political and religious views\n\nDo not make assumptions based on their age, gender, ethnic background, sexuality, behaviour or health.\n\nIt can help to:\n\n- write down what the person has told you is important to them\n\n- look at other things they wrote down or recorded (such as household budgets or home videos)\n\n- speak to friends, family or colleagues who know them well\n\n- consult anyone involved in their care, for example personal carers or care home staff\n\n- notice their behaviour and reactions - this can tell you about wishes and feelings that a person cannot express in words\n\n## Human and civil rights\n\nYour decisions must restrict the person\u2019s human and civil rights as little as possible. Citizens Advice has information about human and civil rights.\n\nYou can never make decisions on someone\u2019s behalf about certain things, such as:\n\n- voting\n\n- relationships - for example consenting to sex, getting married or getting divorced\n\nFollow the Mental Capacity Act code of practice when you make decisions.\n\n## Difficult decisions and disagreements\n\nConsult the person as well as their family, friends and carers. Including everyone in a \u2018best interests\u2019 meeting can help you reach agreement.\n\nIf you cannot agree you can:\n\n- get advice about how to reach agreement from the Office of the Public Guardian\n\n- get help from an advocate who can represent the person\u2019s best interests\n\n- find a mediation service\n\n- get help from the social services team at your local council if it\u2019s a disagreement about the person\u2019s care\n\n- ask the Court of Protection to decide if it\u2019s a major disagreement about a serious issue\n\n## Checking mental capacity\n\nA person may not have mental capacity because of a problem with the way their brain functions, for example:\n\n- a serious brain injury\n\n- an illness, such as dementia\n\n- severe learning disabilities\n\nMental capacity can come and go (for example, with dementia and some mental illnesses). A person can also recover mental capacity (for example, following a severe stroke).\n\n## What you must check\n\nYou must check that a person has mental capacity to make a decision at the time it needs to be made.\n\nThey can make the decision if they can:\n\n- understand the information they need - for example, what the consequences will be\n\n- remember the information for long enough to make the decision\n\n- weigh up the options and make a choice\n\n- communicate their decision in any way - for example, by blinking or squeezing a hand\n\nYou cannot decide a person lacks mental capacity because you think they\u2019ve made a bad or strange decision.\n\nIf the person cannot make a decision at a certain time, they may still be able to:\n\n- make it at another time\n\n- make decisions about other things\n\nDo not make a decision for them if it can wait until they can do it themselves.\n\n## Get help checking mental capacity\n\nYou can ask the person\u2019s doctor or another medical professional to assess their mental capacity.\n\nFollow the Mental Capacity Act code of practice when you check mental capacity.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/make-decisions-for-someone", + "answerable": true, + "scenario": "My sister and her husband are in the process of selling their house and have just learned that they have to go abroad for work for the next six months. They have asked me to handle the sale of their house", + "original_question": "Am I able to sell my sister's house for her whilst she is away?" + }, + { + "id": "train-1127", + "question": "Scenario: I operate a small business in the computer hardware sector. After a rough year for me and my family I had to stop trading and doing business for a while. I received notice from HMRC telling me that they will be treating my company as dormant. I am VAT registered and I do plan on resuming my business in a month or two.\n\nQuestion: Do I have to deregister for VAT?\n\nDocument - Dormant companies and associations:\n## Overview\n\nYour company or association may be \u2018dormant\u2019 if it\u2019s not doing business (\u2018trading\u2019) and doesn\u2019t have any other income, for example investments.\n\nDormant means different things for:\n\n- Corporation Tax and Company Tax Returns\n\n- annual accounts and returns for Companies House if you have a limited company\n\n## Dormant for Corporation Tax\n\nYour company is usually dormant for Corporation Tax if it:\n\n- has stopped trading and has no other income, for example investments\n\n- is a new limited company that hasn\u2019t started trading\n\n- is an unincorporated association or club owing less than \u00a3100 Corporation Tax\n\n- is a flat management company\n\nTrading includes buying, selling, renting property, advertising, employing someone or getting interest. HMRC has detailed guidance on what counts as dormant for Corporation Tax.\n\n## When HMRC thinks your company is dormant\n\nYou may get a letter from HMRC telling you:\n\n- they\u2019ve decided to treat your company or association as dormant\n\n- that you don\u2019t have to pay Corporation Tax or file Company Tax Returns\n\n## When you think your company is dormant\n\nIf your company has stopped trading and has no other income, you can tell HMRC that it\u2019s dormant for Corporation Tax.\n\n## If you\u2019ve never had a \u2018notice to deliver a Company Tax Return\u2019\n\nYou can tell HMRC your company\u2019s dormant over the phone or by post.\n\n## If you\u2019ve filed a Company Tax Return or had a \u2018notice to deliver a Company Tax Return\u2019\n\nYou\u2019ll still need to file a Company Tax Return online - this will show HMRC that your company is dormant for this period.\n\n## Limited companies\n\nYou don\u2019t need to pay Corporation Tax or file another Company Tax Return once you\u2019ve told HMRC your company is dormant unless you receive a further notice to deliver a Company Tax Return.\n\nYou must still file annual accounts and a confirmation statement (previously annual return) - exactly what you must do depends on if you\u2019re dormant for Companies House.\n\nFind out how to restart your company.\n\n## If you\u2019re registered for VAT\n\nIf you do not intend to trade again you must deregister for VAT within 30 days of your company becoming dormant.\n\nHowever, if you plan to restart trading, you must send \u2018nil\u2019 (empty) VAT returns while your company is dormant.\n\n## If you employ people\n\nIf you do not plan to restart trading in this tax year, you should close your PAYE scheme.\n\n## Dormant for Companies House\n\nYou must file your confirmation statement (previously annual return) and annual accounts with Companies House even if your limited company is:\n\n- dormant for Corporation Tax\n\n- dormant according to Companies House\n\nBut if your company is dormant according to Companies House and also qualifies as \u2018small\u2019 you:\n\n- can file \u2018dormant accounts\u2019 instead\n\n- don\u2019t have to include an auditor\u2019s report with your accounts\n\nCheck what to include in your accounts if your company is small and dormant for Companies House.\n\n## Dormant according to Companies House\n\nYour company is called dormant by Companies House if it\u2019s had no \u2018significant\u2019 transactions in the financial year.\n\nSignificant transactions don\u2019t include:\n\n- filing fees paid to Companies House\n\n- penalties for late filing of accounts\n\n- money paid for shares when the company was incorporated\n\nYou do not need to tell Companies House if you restart trading. The next set of non-dormant accounts that you file will show that your company is no longer dormant.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/dormant-company", + "answerable": true, + "scenario": "I operate a small business in the computer hardware sector. After a rough year for me and my family I had to stop trading and doing business for a while. I received notice from HMRC telling me that they will be treating my company as dormant. I am VAT registered and I do plan on resuming my business in a month or two.", + "original_question": "Do I have to deregister for VAT?" + }, + { + "id": "train-1128", + "question": "Scenario: My company has not been trading or doing business for a little over 3 months now. We do plan to eventually resume trading but are mostly relying on our investments at the time as we figure out personal issues.\n\nQuestion: Does my company count as dormant for Corporation Tax?\n\nDocument - Dormant companies and associations:\n## Overview\n\nYour company or association may be \u2018dormant\u2019 if it\u2019s not doing business (\u2018trading\u2019) and doesn\u2019t have any other income, for example investments.\n\nDormant means different things for:\n\n- Corporation Tax and Company Tax Returns\n\n- annual accounts and returns for Companies House if you have a limited company\n\n## Dormant for Corporation Tax\n\nYour company is usually dormant for Corporation Tax if it:\n\n- has stopped trading and has no other income, for example investments\n\n- is a new limited company that hasn\u2019t started trading\n\n- is an unincorporated association or club owing less than \u00a3100 Corporation Tax\n\n- is a flat management company\n\nTrading includes buying, selling, renting property, advertising, employing someone or getting interest. HMRC has detailed guidance on what counts as dormant for Corporation Tax.\n\n## When HMRC thinks your company is dormant\n\nYou may get a letter from HMRC telling you:\n\n- they\u2019ve decided to treat your company or association as dormant\n\n- that you don\u2019t have to pay Corporation Tax or file Company Tax Returns\n\n## When you think your company is dormant\n\nIf your company has stopped trading and has no other income, you can tell HMRC that it\u2019s dormant for Corporation Tax.\n\n## If you\u2019ve never had a \u2018notice to deliver a Company Tax Return\u2019\n\nYou can tell HMRC your company\u2019s dormant over the phone or by post.\n\n## If you\u2019ve filed a Company Tax Return or had a \u2018notice to deliver a Company Tax Return\u2019\n\nYou\u2019ll still need to file a Company Tax Return online - this will show HMRC that your company is dormant for this period.\n\n## Limited companies\n\nYou don\u2019t need to pay Corporation Tax or file another Company Tax Return once you\u2019ve told HMRC your company is dormant unless you receive a further notice to deliver a Company Tax Return.\n\nYou must still file annual accounts and a confirmation statement (previously annual return) - exactly what you must do depends on if you\u2019re dormant for Companies House.\n\nFind out how to restart your company.\n\n## If you\u2019re registered for VAT\n\nIf you do not intend to trade again you must deregister for VAT within 30 days of your company becoming dormant.\n\nHowever, if you plan to restart trading, you must send \u2018nil\u2019 (empty) VAT returns while your company is dormant.\n\n## If you employ people\n\nIf you do not plan to restart trading in this tax year, you should close your PAYE scheme.\n\n## Dormant for Companies House\n\nYou must file your confirmation statement (previously annual return) and annual accounts with Companies House even if your limited company is:\n\n- dormant for Corporation Tax\n\n- dormant according to Companies House\n\nBut if your company is dormant according to Companies House and also qualifies as \u2018small\u2019 you:\n\n- can file \u2018dormant accounts\u2019 instead\n\n- don\u2019t have to include an auditor\u2019s report with your accounts\n\nCheck what to include in your accounts if your company is small and dormant for Companies House.\n\n## Dormant according to Companies House\n\nYour company is called dormant by Companies House if it\u2019s had no \u2018significant\u2019 transactions in the financial year.\n\nSignificant transactions don\u2019t include:\n\n- filing fees paid to Companies House\n\n- penalties for late filing of accounts\n\n- money paid for shares when the company was incorporated\n\nYou do not need to tell Companies House if you restart trading. The next set of non-dormant accounts that you file will show that your company is no longer dormant.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/dormant-company", + "answerable": true, + "scenario": "My company has not been trading or doing business for a little over 3 months now. We do plan to eventually resume trading but are mostly relying on our investments at the time as we figure out personal issues.", + "original_question": "Does my company count as dormant for Corporation Tax?" + }, + { + "id": "train-1132", + "question": "Scenario: I am a VAT registered business director and I would like the best software which has all the features especially in filing annual accounts, tax account and returns.\n\nQuestion: Is there a list of softwares i can select from?\n\nDocument - Find software for filing company documents:\n## Overview\n\nYou can use software to file your company accounts, file changes to your details and returns to Companies House electronically.\n\nYou can also file your annual accounts and confirmation statement (previously annual return) with Companies House online.\n\nUsing software or filing online you\u2019ll:\n\n- be less likely to get late filing penalties\n\n- get confirmation that your documents have been received\n\n- find out if they\u2019re accepted or rejected\n\n## How to file electronically\n\nYou must register for an online filing account - fill in the online filing credit account application form and send it to the address on the form.\n\nYou can then either:\n\n- get a software package from a Companies House (and HMRC) authorised provider\n\n- develop your own software - request a copy of the Companies House technical specifications by emailing xml@companieshouse.gov.uk\n\n## Filing annual accounts, returns and tax accounts\n\nCompanies House has tested the software listed.\n\nYou should consider which features you need and make sure the software you choose has those features, for example if you need software to deal with inactive accounts (sometimes called \u2018dormant accounts\u2019).\n\nYou must first register as an electronic filer.\n\nThe following is a list of software and the kinds of accounts you can use it for.\n\n| Supplier | Product | Dormant | Micro Entity | Abridged | Small | Full |\n\n| Ajaccts | AJACCTS | Yes | Yes | - | - | - |\n\n| Acorah Software Products Ltd | TaxCalc Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Anglia Registrars Ltd | Inform Direct | Yes | Yes | - | - | - |\n\n| BTCSoftware Limited | AP Solution | Yes | Yes | Yes | Yes | Yes |\n\n| Capium Limited | Capium Accounts Production | Yes | - | Yes | - | - |\n\n| CaseWare UK | CaseWare Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag | Yes | Yes | Yes | Yes | Yes |\n\n| CCH Software (Wolters Kluwer) | CCH Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| CoreFiling Limited | Seahorse | Yes | Yes | Yes | Yes | Yes |\n\n| Easy Digital Filing | Easy Digital Filing | Yes | Yes | Yes | Yes | - |\n\n| Eureka Software | Eureka Software | - | Yes | Yes | Yes | - |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC | Yes | Yes | - | Yes | Yes |\n\n| gbooks | gbooks Company Accounts | Yes | Yes | - | Yes | Yes |\n\n| IRIS Software | IRIS Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| IRIS Software | PTP Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Keytime | Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Quality Management Software Ltd | CT600CH | Yes | Yes | Yes | Yes | Yes |\n\n| Sage (UK) Limited | Sage Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Sage (UK) Limited | Sage Accountant Cloud - Final Accounts | Yes | Yes | Yes | Yes | Yes |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced | Yes | Yes | Yes | Yes | Yes |\n\n| Taxfiler | Taxfiler Accounts Production | Yes | Yes | Yes | Yes | - |\n\n| Thomson Reuters | Digita | Yes | Yes | Yes | Yes | Yes |\n\n| Thomson Reuters | ONESOURCE | Yes | Yes | Yes | Yes | Yes |\n\n| VT Software Limited | VT Filer | Yes | Yes | Yes | Yes | Yes |\n\n| Xero | Xero Tax | Yes | Yes | Yes | Yes | - |\n\n## Software for Limited Liability Partnerships (LLPs)\n\n| Supplier | Product |\n\n| Acorah Software Products Ltd | TaxCalc Accounts Production |\n\n| BTCSoftware Limited | AP Solution |\n\n| CaseWare UK | CaseWare Accounts Production |\n\n| CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag |\n\n| CCH Software (Wolters Kluwer) | CCH Accounts Production |\n\n| CoreFiling Limited | Seahorse |\n\n| Eureka Software | Eureka Software |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC |\n\n| gbooks | gbooks Company Accounts |\n\n| IRIS Software | IRIS Accounts Production |\n\n| IRIS Software | PTP Accounts Production |\n\n| Keytime | Accounts Production |\n\n| Sage (UK) Limited | Sage Accounts Production |\n\n| Sage (UK) Limited | Sage Accountant Cloud - Final Accounts |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced |\n\n| Taxfiler | Taxfiler Accounts Production |\n\n| Thomson Reuters | Digita |\n\n| VT Software Limited | VT Filer |\n\n## Software for charities\n\n| Supplier | Product |\n\n| BTCSoftware Limited | AP Solution |\n\n| CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag |\n\n| CCH Software (Wolters Kluwer) | CCH Accounts Production |\n\n| CoreFiling Limited | Seahorse |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC |\n\n| IRIS Software | IRIS Accounts Production |\n\n| IRIS Software | PTP Accounts Production |\n\n| Keytime | Accounts Production |\n\n| Sage (UK) Limited | Sage Accounts Production |\n\n| Sage (UK) Limited | Sage Accountant Cloud - Final Accounts |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced |\n\n## Uploading your accounts to Companies House\n\nTax account software generates electronic accounts in Inline eXtensible Reporting Language (iXBRL).\n\nThe following software has a direct filing link to Companies House:\n\n| Supplier | Product |\n\n| eFile Ready Limited | eCompany Services |\n\nThe following software can validate your iXBRL:\n\n| Supplier | Product |\n\n| Xmetric Limited | Surefile Accounts |\n\n## Filing other company information\n\nCompanies House has tested and authorised software for filing information about:\n\n- incorporations (registering a new company)\n\n- changes to your company, for example directors joining or leaving, changing a registered address, and filing annual returns\n\n- mortgages, for example when they\u2019re paid or part-paid\n\nYou should consider which features you need and make sure the software you choose has those features.\n\n| Supplier | Product(s) | Incorporations | Secretarial | Mortgages |\n\n| 121 Company Formation Ltd | 121 Company Formation | Yes | Yes | No |\n\n| Acorah Software Products Ltd | TaxCalc Company Secretarial | Yes | Yes | No |\n\n| Advanced | Cloud Forms (Laserform Hub) | No | Yes | MR01, MR02, MR04 and MR05 |\n\n| angelPRO Limited | VenturePro | No | Yes | No |\n\n| Anglia Registrars Ltd | Inform Direct | Yes | Yes | Yes |\n\n| BGL Corporate Solutions Ptd Ltd | Corporate Affairs System (CAS) | Yes | Yes | No |\n\n| BHIS Limited | PC Share Register Plus | Yes | Yes | No |\n\n| BritDAQ | BritDAQ Cosec | No | Yes | No |\n\n| BTC Software Limited | CS Solution | Yes | Yes | No |\n\n| Build and Prosper Ltd | File Direct 6 | Yes | Yes | No |\n\n| CFS International Formations LTD | CFS Formations and Free Secretarial Package | Yes | Yes | No |\n\n| The Company Formation Wizard | Company Formation Wizard | Yes | Yes | No |\n\n| Computershare Governance Services | Global Entity Management System (GEMS), Secretariat One (S1) | Yes | Yes | No |\n\n| Corporatek | EnGlobe, GlobalAct | No | Yes | No |\n\n| Diligent Entities | Blueprint | Yes | Yes | MR04, MR05 only |\n\n| Efaze Ltd BVI | Efaze.com company formations | Yes | Yes | No |\n\n| eFile Ready Limited | eCompany Services | Yes | Yes | No |\n\n| E Filing Limited | E Filing Limited | Yes | Yes | No |\n\n| First Corporate | First Order | Yes | Yes | No |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC | Yes | Yes | No |\n\n| Formations Direct | Vectis | Yes | Yes | No |\n\n| FormEvo | FormEvo | No | Yes | MR01, MR02, MR04 and MR05 |\n\n| gbooks | gbooks Company Forms, gbooks Incorporation | Yes | Yes | No |\n\n| Info Commerce Limited | Acs1, Sec1, Inc1 | Yes | Yes | No |\n\n| IRIS Software | IRIS Accountancy Suite | Yes | Yes | No |\n\n| Jordans Limited | Incorporator, Forming Companies, My Formations, PCSec administration software | Yes | Yes | No |\n\n| Keytime Objective Ltd | Company Secretarial | No | Yes | No |\n\n| Kudocs | Kudocs | Yes | Yes | No |\n\n| LTDONLINE Ltd | LTDONLINE | Yes | Yes | No |\n\n| Online Filings Ltd | Online Filings | Yes | Yes | No |\n\n| Oswalds (Jordans [Scotland] Ltd) | Incorporator, Forming Companies, PCSec administration software | Yes | Yes | No |\n\n| Oyez | The Oyez Gateway | No | No | Yes |\n\n| Panlegis (Malta) Limited | Panlegis (Malta) Limited | Yes | Yes | No |\n\n| Principal Consultancy Ltd | Your Limited Company | Yes | Yes | No |\n\n| Armadillo | Armadillo e-Incorp | Yes | Yes | No |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced, Sage Company Secretarial | No | Yes | No |\n\n| Thomson Reuters | Onvio Formations | Yes | No | No |\n\n| zetVisions AG | zetVisions CIM | No | Yes | No |", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/company-filing-software", + "answerable": true, + "scenario": "I am a VAT registered business director and I would like the best software which has all the features especially in filing annual accounts, tax account and returns.", + "original_question": "Is there a list of softwares i can select from?" + }, + { + "id": "train-1136", + "question": "Scenario: we run a successful hair clip business along with my wife. we have been steadily growing and have recently reached an annual turnover of around \u00a380,000.\n\nQuestion: do we have to register our business partnership for VAT ?\n\nDocument - Set up a business partnership:\n## Setting up\n\nIn a partnership, you and your partner (or partners) personally share responsibility for your business. This includes:\n\n- any losses your business makes\n\n- bills for things you buy for your business, like stock or equipment\n\nPartners share the business\u2019s profits, and each partner pays tax on their share.\n\nA partner does not have to be an actual person. For example, a limited company counts as a \u2018legal person\u2019 and can also be a partner.\n\n## What you need to do\n\nWhen you set up a business partnership you need to:\n\n- choose a name\n\n- choose a \u2018nominated partner\u2019\n\n- register with HM Revenue and Customs (HMRC)\n\nThe \u2018nominated partner\u2019 is responsible for managing the partnership\u2019s tax returns and keeping business records.\n\nThere are different rules for limited partnerships and limited liability partnerships (LLPs).\n\n## Naming your partnership\n\nYou can trade under your own names, or you can choose another name for your business. You do not need to register your name.\n\nYou must include all the partners\u2019 names and the business name (if you have one) on official paperwork, for example invoices and letters.\n\n## Business names\n\nBusiness partnership names must not:\n\n- include \u2018limited\u2019, \u2018Ltd\u2019, \u2018limited liability partnership, \u2018LLP\u2019, \u2018public limited company\u2019 or \u2018plc\u2019\n\n- be offensive\n\n- be the same as an existing trade mark\n\nYour name also cannot contain a \u2018sensitive\u2019 word or expression, or suggest a connection with government or local authorities, unless you get permission.\n\nCheck which words you need permission to use, and who from.\n\nYou\u2019ll need to register your name as a trade mark if you want to stop people from trading under your business name.\n\n## Register the partnership\n\nYou must register your partnership for Self Assessment with HM Revenue and Customs (HMRC) if you\u2019re the \u2018nominated partner\u2019. This means you\u2019re responsible for sending the partnership tax return.\n\nThe other partners need to register separately.\n\nRegister a partner or partnership\n\nAll partners also need to send their own tax returns as individuals.\n\nYou must register by 5 October in your business\u2019s second tax year, or you could be charged a penalty.\n\n## Other ways to register\n\nYou can also register the partnership using form SA400 if you cannot register online. You can register as a partner using form SA401.\n\n## Registering for VAT\n\nYou must also register for VAT if your VAT taxable turnover is more than \u00a385,000. You can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.\n\nYou can appoint an agent to deal with HMRC on your behalf.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/set-up-business-partnership", + "answerable": true, + "scenario": "we run a successful hair clip business along with my wife. we have been steadily growing and have recently reached an annual turnover of around \u00a380,000.", + "original_question": "do we have to register our business partnership for VAT ?" + }, + { + "id": "train-1138", + "question": "Scenario: I am selling off two fields that I no longer need for my farming business. I understand that that I may be able to offset some of the costs against CGT.\n\nQuestion: Can I offset stamp duty, improvement, costs of advertising and the salary of my employees?\n\nDocument - Capital Gains Tax for business:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) all or part of a business asset.\n\nBusiness assets you may need to pay tax on include:\n\n- land and buildings\n\n- fixtures and fittings\n\n- plant and machinery, for example a digger\n\n- shares\n\n- registered trademarks\n\n- your business\u2019s reputation\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nYou pay Capital Gains Tax if you\u2019re a self-employed sole trader or in a business partnership. Other organisations like limited companies pay Corporation Tax on profits from selling their assets.\n\n## When you do not pay it\n\nYou do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your business asset and what you sold it for.\n\nUse the market value instead if:\n\n- you gave it away (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited the asset (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\nIf the asset was given to you and you claimed Gift Hold-Over Relief, use the amount it was originally bought for to work out your gain. If you paid less than it was worth, use the amount you paid for it.\n\n## Deduct costs\n\nYou can deduct certain costs of buying, selling or improving your asset from your gain.\n\nCosts you can deduct include:\n\n- fees, for example for valuing or advertising assets\n\n- costs to improve assets (but not normal repairs)\n\n- Stamp Duty Land Tax and VAT (unless you can reclaim the VAT)\n\nYou cannot deduct certain costs. These include:\n\n- interest on a loan to buy your asset\n\n- costs you can claim as business expenses\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## Apply reliefs\n\nYou may be able to reduce or delay paying tax on your gains if you\u2019re eligible for tax relief.\n\n## Work out if you need to pay\n\nWhen you know your gain you need to work out if you need to report and pay Capital Gains Tax.\n\nIf you\u2019re in a business partnership:\n\n- work out your share of each gain or loss\n\n- the nominated partner must fill in form SA803\n\nYou can get help with working out your tax, for example from an accountant.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\n## Tax relief\n\nYou may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.\n\n| Relief | Description | Eligibility |\n\n| Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax on qualifying profits if you sell all or part of your business (instead of the normal rates) | For sole traders, business partners or those with shares in a \u2018personal company\u2019 |\n\n| Business Asset Rollover Relief | Delay paying Capital Gains Tax when you sell or dispose of some types of asset if you replace them | Buy the new asset within 3 years of disposing of the old one. Use the old and new assets in your business |\n\n| Incorporation Relief | Delay paying Capital Gains Tax when you transfer your business to a company | Transfer all your business and its assets (except cash) in return for shares in the company |\n\n| Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away a business asset - the person you gave it to pays tax when they sell it | You used the business asset for trading as a sole trader or partner |\n\n## Tax relief when you sell your home\n\nYou normally get Private Residence Relief when you sell or dispose of your main home, meaning you do not pay any Capital Gains Tax.\n\nIf you\u2019ve used any part of your home just for business, you have to pay Capital Gains Tax on that part when you sell your home.\n\n## Disincorporation relief\n\nYou may be able to claim Disincorporation Relief if you become a partnership or sole trader having been a limited company.\n\nIf you acquire the company\u2019s assets when it changes its business structure, you may have to pay Capital Gains Tax if you sell or dispose of them later - you\u2019ll use their value, including any Disincorporation Relief, when you acquired them.\n\nYou can get help from an accountant or tax adviser.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/capital-gains-tax-businesses", + "answerable": true, + "scenario": "I am selling off two fields that I no longer need for my farming business. I understand that that I may be able to offset some of the costs against CGT.", + "original_question": "Can I offset stamp duty, improvement, costs of advertising and the salary of my employees?" + }, + { + "id": "train-1139", + "question": "Scenario: previously, we had been able to manage our paperwork including filing our returns without issue. as the company has grown this process has become more and more tedious\n\nQuestion: can we employ a third party to file our returns ?\n\nDocument - Accounts and tax returns for private limited companies:\n## Overview\n\nAfter the end of its financial year, your private limited company must prepare:\n\n- full (\u2018statutory\u2019) annual accounts\n\n- a Company Tax Return\n\nYou need your accounts and tax return to meet deadlines for filing with Companies House and HM Revenue and Customs (HMRC).\n\nYou can also use them to work out how much Corporation Tax to pay.\n\n| Action | Deadline |\n\n| File first accounts with Companies House | 21 months after the date you registered with Companies House |\n\n| File annual accounts with Companies House | 9 months after your company\u2019s financial year ends |\n\n| Pay Corporation Tax or tell HMRC that your limited company does not owe any | 9 months and 1 day after your \u2018accounting period\u2019 for Corporation Tax ends |\n\n| File a Company Tax Return | 12 months after your accounting period for Corporation Tax ends |\n\nYour accounting period for Corporation Tax is the time covered by your Company Tax Return. It\u2019s normally the same 12 months as the company financial year covered by your annual accounts.\n\n## Filing your accounts and tax return\n\nYou can file with Companies House and HMRC together or separately.\n\nYou must take additional steps:\n\n- at the end of your company\u2019s first year\n\n- if you restart a dormant company\n\nThere are penalties for filing late with Companies House and HMRC.\n\n## Filing accounts and tax returns\n\nYou file your accounts with Companies House and your Company Tax Return with HM Revenue and Customs (HMRC).\n\nYou may be able to file them together if you have a private limited company that does not need an auditor.\n\n| What you want to do | How you can do it |\n\n| File accounts and tax return together | Use HMRC\u2019s online service or accounting software |\n\n| File accounts with Companies House separately | Send your accounts to Companies House online |\n\n| File tax return with HMRC separately | Use HMRC\u2019s online service or accounting software |\n\nYou\u2019ll need your:\n\n- HMRC online account details\n\n- company registration number\n\n- Companies House online account details\n\n## Corrections and amendments\n\nCheck what you must do to correct or amend your:\n\n- accounts\n\n- tax return\n\n## Using accountants or tax advisers to file for you\n\nYou can:\n\n- give your accountant or tax adviser your Companies House authentication code so they can file your accounts\n\n- appoint an agent to file your Company Tax Return\n\n## Apply to extend your accounts filing deadline\n\nYou can apply to extend your accounts filing deadline with Companies House if you cannot send your accounts because of an event outside your control - for example, if a fire destroyed company records before your filing deadline.\n\nYou must apply for the extension before your filing deadline.\n\n## Apply for an extension due to coronavirus (COVID-19)\n\nYou can apply for an immediate 3 month extension if your company is affected by coronavirus. You must apply before your filing deadline.\n\nYou may not be eligible if you\u2019ve already extended your filing deadline, or shortened your accounting period.\n\n## How to apply\n\nYou can apply online or by post.\n\n## Apply online\n\nTo apply online you\u2019ll need:\n\n- your company number\n\n- information about why you need more time\n\n- any documents you have that support your application\n\n## Apply by post\n\nYou can write to Companies House to apply for an extension. It is taking longer than usual to process applications because of coronavirus.\n\nYou should explain what\u2019s happened and how much more time you\u2019ll need to file your accounts.\n\nYou must apply to the correct office where your company is registered.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/prepare-file-annual-accounts-for-limited-company", + "answerable": true, + "scenario": "previously, we had been able to manage our paperwork including filing our returns without issue. as the company has grown this process has become more and more tedious", + "original_question": "can we employ a third party to file our returns ?" + }, + { + "id": "train-1140", + "question": "Scenario: we had a scare in our company. our systems were hijacked and we were locked out of them and our backups were also affected by the hijack. as a result we will be late in filing our returns.\n\nQuestion: can we have our filing deadline extended ?\n\nDocument - Accounts and tax returns for private limited companies:\n## Overview\n\nAfter the end of its financial year, your private limited company must prepare:\n\n- full (\u2018statutory\u2019) annual accounts\n\n- a Company Tax Return\n\nYou need your accounts and tax return to meet deadlines for filing with Companies House and HM Revenue and Customs (HMRC).\n\nYou can also use them to work out how much Corporation Tax to pay.\n\n| Action | Deadline |\n\n| File first accounts with Companies House | 21 months after the date you registered with Companies House |\n\n| File annual accounts with Companies House | 9 months after your company\u2019s financial year ends |\n\n| Pay Corporation Tax or tell HMRC that your limited company does not owe any | 9 months and 1 day after your \u2018accounting period\u2019 for Corporation Tax ends |\n\n| File a Company Tax Return | 12 months after your accounting period for Corporation Tax ends |\n\nYour accounting period for Corporation Tax is the time covered by your Company Tax Return. It\u2019s normally the same 12 months as the company financial year covered by your annual accounts.\n\n## Filing your accounts and tax return\n\nYou can file with Companies House and HMRC together or separately.\n\nYou must take additional steps:\n\n- at the end of your company\u2019s first year\n\n- if you restart a dormant company\n\nThere are penalties for filing late with Companies House and HMRC.\n\n## Filing accounts and tax returns\n\nYou file your accounts with Companies House and your Company Tax Return with HM Revenue and Customs (HMRC).\n\nYou may be able to file them together if you have a private limited company that does not need an auditor.\n\n| What you want to do | How you can do it |\n\n| File accounts and tax return together | Use HMRC\u2019s online service or accounting software |\n\n| File accounts with Companies House separately | Send your accounts to Companies House online |\n\n| File tax return with HMRC separately | Use HMRC\u2019s online service or accounting software |\n\nYou\u2019ll need your:\n\n- HMRC online account details\n\n- company registration number\n\n- Companies House online account details\n\n## Corrections and amendments\n\nCheck what you must do to correct or amend your:\n\n- accounts\n\n- tax return\n\n## Using accountants or tax advisers to file for you\n\nYou can:\n\n- give your accountant or tax adviser your Companies House authentication code so they can file your accounts\n\n- appoint an agent to file your Company Tax Return\n\n## Apply to extend your accounts filing deadline\n\nYou can apply to extend your accounts filing deadline with Companies House if you cannot send your accounts because of an event outside your control - for example, if a fire destroyed company records before your filing deadline.\n\nYou must apply for the extension before your filing deadline.\n\n## Apply for an extension due to coronavirus (COVID-19)\n\nYou can apply for an immediate 3 month extension if your company is affected by coronavirus. You must apply before your filing deadline.\n\nYou may not be eligible if you\u2019ve already extended your filing deadline, or shortened your accounting period.\n\n## How to apply\n\nYou can apply online or by post.\n\n## Apply online\n\nTo apply online you\u2019ll need:\n\n- your company number\n\n- information about why you need more time\n\n- any documents you have that support your application\n\n## Apply by post\n\nYou can write to Companies House to apply for an extension. It is taking longer than usual to process applications because of coronavirus.\n\nYou should explain what\u2019s happened and how much more time you\u2019ll need to file your accounts.\n\nYou must apply to the correct office where your company is registered.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/prepare-file-annual-accounts-for-limited-company", + "answerable": true, + "scenario": "we had a scare in our company. our systems were hijacked and we were locked out of them and our backups were also affected by the hijack. as a result we will be late in filing our returns.", + "original_question": "can we have our filing deadline extended ?" + }, + { + "id": "train-1144", + "question": "Scenario: My best friend died a few weeks ago and I dispute the cause of death that is given on her death certificate. I am not a doctor but I really believe that an error was made.\n\nQuestion: Can I challenge the cause of death on my friend's death certificate?\n\nDocument - Correct a death registration:\n## What corrections can be made\n\nYou cannot change a death certificate once it\u2019s been issued, but you can apply to get a note added to the original entry in the death register.\n\nYou can then get an updated certificate issued that shows this note.\n\nCorrections to a death registration can only be made when the information is wrong (for example a mistake in spelling a person\u2019s name).\n\n## What the correction looks like\n\nThe original information will always be shown in the death register. After the correction has been authorised, a note will be added to the margin of the register. This will explain what the correct information is and when the correction was made.\n\nIf you apply for a new death certificate, the note containing the correct information will be in the margin.\n\n## Who can apply\n\nAnyone can apply to correct a death entry.\n\nHowever, the General Register Office (GRO) will usually need a letter from the person who gave information for the death to be registered before considering a correction.\n\n## How to apply\n\nIt costs \u00a375 or \u00a390 to apply to correct a mistake in a death registration.\n\nContact the register office where the death was registered to find out how to send your application, the cost, and how to pay.\n\nFill in the application form to correct details on a death registration and send it to the register office.\n\n## Proving the registration is wrong\n\nYou\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time of the death.\n\nDocuments you can send in include a:\n\n- passport\n\n- photocard driving licence\n\n- bank, building society or credit card statement\n\n- letter from a hospital or doctor\n\n- letter from a government department\n\n- utility bill\n\nIf you cannot send in proof, corrections cannot usually be made.\n\nAll certified copies sent with the application will be destroyed if you do not ask for them to be returned.\n\n## Sending in certified documents\n\nYou should only send in documents that have been certified as true copies of the original.\n\n## Witnessing the correction\n\nIf the correction is being made at your register office, you need to arrange an appointment with them. When you go in you\u2019ll witness the correction and sign the note made in the death register.\n\nIf you\u2019re applying to the GRO to make the correction, you can say on the application form if you want to witness the correction.\n\n## Statutory declaration\n\nIf you\u2019re applying to correct a serious mistake (for example in the name of a person), the GRO may ask you to make a \u2018statutory declaration\u2019. GRO will give you more advice about this if it is necessary.\n\nYou may have to pay a fee for a statutory declaration.\n\n## How long applications take\n\nThere is not a set time for how long applications will take. It can take up to 25 days for you to get a reply.\n\n## Advice\n\nIf you want further advice on applying to make a correction, contact the register office or the General Register Office (GRO).", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/correcting-a-death-registration", + "answerable": true, + "scenario": "My best friend died a few weeks ago and I dispute the cause of death that is given on her death certificate. I am not a doctor but I really believe that an error was made.", + "original_question": "Can I challenge the cause of death on my friend's death certificate?" + }, + { + "id": "train-1147", + "question": "Scenario: I have applied to wind up a local hardware company which owes me around \u00a32000. I had to pay quite substantial fees for court fees and for the petition deposit. As the case is progressing it appears that the company will be unable to repay these fees.\n\nQuestion: Is there a chance for me to get the money spend on fees back despite this fact?\n\nDocument - Wind up a company that owes you money:\n## Overview\n\nYou can apply to the court to close or \u2018wind up\u2019 a company if it cannot pay its debts. This is also known as compulsory liquidation.\n\nTo wind up a company you must:\n\n- be owed \u00a3750 or more\n\n- be able to prove that the company cannot pay you\n\nYou need to fill in forms and send them to the right court to apply to wind up a company.\n\nYour application to the court is known as a \u2018winding-up petition\u2019. If you\u2019re successful:\n\n- the company assets are sold\n\n- any legal disputes are settled\n\n- the company collects money it\u2019s owed\n\n- funds are paid to you and any other creditors\n\nYou might not get all or any of the money you\u2019re owed.\n\nThere are also other ways to recover money that you\u2019re owed. You can get a debt specialist (like a solicitor) to help you recover debt.\n\n## Fees\n\nThe fees are:\n\n- \u00a3280 - court fees\n\n- \u00a31,600 - petition deposit (to manage the \u2018winding-up\u2019)\n\nYou might be able to get the fees back if the company can afford to repay them.\n\n## Scottish companies\n\nThere are different rules on winding up a company in Scotland.\n\n## Apply\n\nYou must send the right form to the court before they can deal with your petition. You might want to get legal help to make sure you submit your petition correctly.\n\n## Forms\n\nFill in form Comp 1 and make 3 copies.\n\nYou\u2019ll need to:\n\n- make sure the company\u2019s details are correct\n\n- state if any European Community regulations apply (this applies if the company is registered in or does business in England and Wales)\n\n- ask the court to restore the company (if it\u2019s been dissolved) before winding up the company\n\nYou need to provide evidence the company owes you money, for example:\n\n- a statutory demand - include the amount and date the demand was served\n\n- a court judgment - include the amount awarded (and your costs and interest), the date of the judgment, the court name and case number\n\nYou\u2019ll also need to fill in form Comp 2 confirming the details of your petition.\n\n## Where to send the petition\n\nWhere you send the petition depends on how much \u2018paid-up share capital\u2019 the company has - you can find this on the Companies House register.\n\n## Paid-up share capital is \u00a3120,000 or more\n\nSubmit the petition online. It\u2019ll go to the High Court.\n\nYou pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.\n\n## Paid-up share capital is under \u00a3120,000\n\nYou\u2019ll need to find the court nearest to the company\u2019s registered office - the court must deal with bankruptcy.\n\nSubmit the petition online if it\u2019s one of these courts:\n\n- Admiralty and Commercial Court\n\n- Chancery Division\n\n- Companies Court\n\n- High Court (including Bankruptcy Court)\n\n- London Mercantile Court\n\n- Rolls Building\n\nYou pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.\n\nIf it was another court you\u2019ll need to submit the petition by post. You can pay the fees by cash, postal order or a building society, bank or solicitor\u2019s cheque made payable to \u2018HM Courts and Tribunals Service\u2019.\n\n## After you apply\n\nYou\u2019ll get a copy of your petition from the court after you pay the petition deposit. You must:\n\n- deliver (\u2018serve\u2019) it to a company director or employee\n\n- provide a certificate of service to the court confirming that the petition has been served on the company\n\nYou can get a \u2018process server\u2019 to help you - your solicitor can arrange this.\n\nYou can serve the petition by attaching it to the company\u2019s front door or leaving it at the office if you cannot serve it in person.\n\nThe day after you serve the petition, send a copy to the relevant liquidator, administrative receiver, administrator or supervisor if the company is involved in:\n\n- voluntary liquidation\n\n- administrative receivership\n\n- an administration order\n\n- a voluntary arrangement\n\n## The court hearing\n\nIf the court accepts your petition, they\u2019ll arrange a date for a hearing.\n\n## Announce the hearing\n\nWhen you\u2019re given a date for the hearing, you must formally announce when and where it will take place.\n\n- At least 7 working days before the hearing, place an advert in The Gazette to say the petition has been served.\n\n- Send a copy of the advert and form Comp 3 to the court at least 5 working days before the hearing.\n\n- Give a list of everyone who will be attending to the court by 4:30pm on the day before the hearing.\n\nThe advert must state:\n\n- that you\u2019ve presented a petition to wind up the company\n\n- your name and address\n\n- your solicitor\u2019s name and address (if you have one)\n\n- the date you presented the petition\n\n- the court where the hearing will take place\n\n- that anyone wanting to come to the hearing must give notice\n\n## After the hearing\n\nIf the petition is successful, the court will issue a winding-up order.\n\nThe court will put an official receiver in charge of the liquidation. They\u2019ll start the process of turning the company\u2019s assets into money that can be used to pay the company\u2019s debts.\n\nOther creditors can register to claim the money they\u2019re owed.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/wind-up-a-company-that-owes-you-money", + "answerable": true, + "scenario": "I have applied to wind up a local hardware company which owes me around \u00a32000. I had to pay quite substantial fees for court fees and for the petition deposit. As the case is progressing it appears that the company will be unable to repay these fees.", + "original_question": "Is there a chance for me to get the money spend on fees back despite this fact?" + }, + { + "id": "train-1148", + "question": "Scenario: I have a friend which works at a company which owes me money. The company owes me over \u00a31000. My friend has proof that they are unable to pay me this amount and since he is quitting anyway he does not mind if I apply to wind up the company.\n\nQuestion: Am I eligible to wind up the company under these circumstances?\n\nDocument - Wind up a company that owes you money:\n## Overview\n\nYou can apply to the court to close or \u2018wind up\u2019 a company if it cannot pay its debts. This is also known as compulsory liquidation.\n\nTo wind up a company you must:\n\n- be owed \u00a3750 or more\n\n- be able to prove that the company cannot pay you\n\nYou need to fill in forms and send them to the right court to apply to wind up a company.\n\nYour application to the court is known as a \u2018winding-up petition\u2019. If you\u2019re successful:\n\n- the company assets are sold\n\n- any legal disputes are settled\n\n- the company collects money it\u2019s owed\n\n- funds are paid to you and any other creditors\n\nYou might not get all or any of the money you\u2019re owed.\n\nThere are also other ways to recover money that you\u2019re owed. You can get a debt specialist (like a solicitor) to help you recover debt.\n\n## Fees\n\nThe fees are:\n\n- \u00a3280 - court fees\n\n- \u00a31,600 - petition deposit (to manage the \u2018winding-up\u2019)\n\nYou might be able to get the fees back if the company can afford to repay them.\n\n## Scottish companies\n\nThere are different rules on winding up a company in Scotland.\n\n## Apply\n\nYou must send the right form to the court before they can deal with your petition. You might want to get legal help to make sure you submit your petition correctly.\n\n## Forms\n\nFill in form Comp 1 and make 3 copies.\n\nYou\u2019ll need to:\n\n- make sure the company\u2019s details are correct\n\n- state if any European Community regulations apply (this applies if the company is registered in or does business in England and Wales)\n\n- ask the court to restore the company (if it\u2019s been dissolved) before winding up the company\n\nYou need to provide evidence the company owes you money, for example:\n\n- a statutory demand - include the amount and date the demand was served\n\n- a court judgment - include the amount awarded (and your costs and interest), the date of the judgment, the court name and case number\n\nYou\u2019ll also need to fill in form Comp 2 confirming the details of your petition.\n\n## Where to send the petition\n\nWhere you send the petition depends on how much \u2018paid-up share capital\u2019 the company has - you can find this on the Companies House register.\n\n## Paid-up share capital is \u00a3120,000 or more\n\nSubmit the petition online. It\u2019ll go to the High Court.\n\nYou pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.\n\n## Paid-up share capital is under \u00a3120,000\n\nYou\u2019ll need to find the court nearest to the company\u2019s registered office - the court must deal with bankruptcy.\n\nSubmit the petition online if it\u2019s one of these courts:\n\n- Admiralty and Commercial Court\n\n- Chancery Division\n\n- Companies Court\n\n- High Court (including Bankruptcy Court)\n\n- London Mercantile Court\n\n- Rolls Building\n\nYou pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.\n\nIf it was another court you\u2019ll need to submit the petition by post. You can pay the fees by cash, postal order or a building society, bank or solicitor\u2019s cheque made payable to \u2018HM Courts and Tribunals Service\u2019.\n\n## After you apply\n\nYou\u2019ll get a copy of your petition from the court after you pay the petition deposit. You must:\n\n- deliver (\u2018serve\u2019) it to a company director or employee\n\n- provide a certificate of service to the court confirming that the petition has been served on the company\n\nYou can get a \u2018process server\u2019 to help you - your solicitor can arrange this.\n\nYou can serve the petition by attaching it to the company\u2019s front door or leaving it at the office if you cannot serve it in person.\n\nThe day after you serve the petition, send a copy to the relevant liquidator, administrative receiver, administrator or supervisor if the company is involved in:\n\n- voluntary liquidation\n\n- administrative receivership\n\n- an administration order\n\n- a voluntary arrangement\n\n## The court hearing\n\nIf the court accepts your petition, they\u2019ll arrange a date for a hearing.\n\n## Announce the hearing\n\nWhen you\u2019re given a date for the hearing, you must formally announce when and where it will take place.\n\n- At least 7 working days before the hearing, place an advert in The Gazette to say the petition has been served.\n\n- Send a copy of the advert and form Comp 3 to the court at least 5 working days before the hearing.\n\n- Give a list of everyone who will be attending to the court by 4:30pm on the day before the hearing.\n\nThe advert must state:\n\n- that you\u2019ve presented a petition to wind up the company\n\n- your name and address\n\n- your solicitor\u2019s name and address (if you have one)\n\n- the date you presented the petition\n\n- the court where the hearing will take place\n\n- that anyone wanting to come to the hearing must give notice\n\n## After the hearing\n\nIf the petition is successful, the court will issue a winding-up order.\n\nThe court will put an official receiver in charge of the liquidation. They\u2019ll start the process of turning the company\u2019s assets into money that can be used to pay the company\u2019s debts.\n\nOther creditors can register to claim the money they\u2019re owed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/wind-up-a-company-that-owes-you-money", + "answerable": true, + "scenario": "I have a friend which works at a company which owes me money. The company owes me over \u00a31000. My friend has proof that they are unable to pay me this amount and since he is quitting anyway he does not mind if I apply to wind up the company.", + "original_question": "Am I eligible to wind up the company under these circumstances?" + }, + { + "id": "train-1149", + "question": "Scenario: I am a thirty five year old self employed computer repair person. I have recently purchased a new computer for use in my business, one of four that I own. I will also use it for personal use.\n\nQuestion: As my computer will predominantly be for work use, can I reclaim ALL of the VAT on it?\n\nDocument - Reclaiming VAT:\n## What you can and cannot reclaim\n\nYou can usually reclaim the VAT paid on goods and services purchased for use in your business.\n\nIf a purchase is also for personal or private use, you can only reclaim the business proportion of the VAT.\n\nYou must keep records to support your claim and show how you arrived at the business proportion for a purchase. You must also have valid VAT invoices.\n\nFrom 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.\n\n## What you cannot reclaim\n\nYou cannot reclaim VAT for:\n\n- anything that\u2019s only for private use\n\n- goods and services your business uses to make VAT-exempt supplies\n\n- business entertainment costs\n\n- goods sold to you under one of the VAT second-hand margin schemes\n\n- business assets that are transferred to you as a going concern\n\n## Purchases before registration\n\nYou may be able to reclaim VAT paid on goods or services bought before you registered for VAT if the purchases were made within certain time limits.\n\n## Partly exempt businesses\n\nYou need to make separate calculations for purchases that relate to both VAT-exempt and taxable supplies, such as phone bills or accountancy fees.\n\n## Business assets of \u00a350,000 and more\n\nThere are special rules for reclaiming VAT for:\n\n- individual computers and single pieces of computer equipment costing \u00a350,000 or more before VAT\n\n- aircraft, ships and boats costing \u00a350,000 or more before VAT\n\n- land and buildings costing \u00a3250,000 or more before VAT\n\nYou may need to adjust the amount of VAT you reclaim over several years using the Capital Goods Scheme.\n\n## How your VAT refund is repaid\n\nClaim your refund by submitting a VAT Return.\n\nYou need to give your account details to HM Revenue and Customs (HMRC) - even if you\u2019ve already set up a Direct Debit for VAT Returns. Add or change them by going to the registration details in your VAT online account.\n\nYou can also use your online account to view any refund you\u2019re owed, unless you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019.\n\nYou will usually get your refund within 10 days of HMRC receiving your return but it may take longer. Only contact HMRC if you have not heard anything after 30 days.\n\n## Vehicles and fuel costs\n\n## Buying a new car\n\nYou may be able to reclaim all the VAT on a new car if you use it only for business.\n\nThe car must not be available for private use, and you must be able to show that it is not, for example it\u2019s specified in your employee\u2019s contract.\n\n\u2018Private use\u2019 includes travelling between home and work, unless it\u2019s a temporary place of work.\n\nYou may also be able to claim all the VAT on a new car if it\u2019s mainly used:\n\n- as a taxi\n\n- for driving instruction\n\n- for self-drive hire\n\n## Leasing a car\n\nIf you lease a car, you can usually claim 50% of the VAT. You may be able to reclaim all the VAT if the car is used only for business and is not available for private use, or is mainly used:\n\n- as a taxi\n\n- for driving instruction\n\n## Self-drive hire cars\n\nIf you hire a car to replace a company car that\u2019s off the road, you can usually claim 50% of the VAT on the hire charge.\n\nIf you hire a car for another reason (for example you do not have a company car), you can reclaim all the VAT if all the following apply:\n\n- you hire it for no more than 10 days\n\n- it\u2019s used only for business\n\n- it\u2019s not available for private use\n\n## Commercial vehicles\n\nYou can usually reclaim the VAT for buying a commercial vehicle (like a van, lorry or tractor) if you only use it for business.\n\nIf they\u2019re used only for business, you can also reclaim VAT on:\n\n- motorcycles\n\n- motorhomes and motor caravans\n\n- vans with rear seats (combi vans)\n\n- car-derived vans\n\n## Fuel costs\n\nThere are different ways of reclaiming VAT on fuel, if you do not pay a fixed rate under the Flat Rate Scheme.\n\nYou can reclaim all the VAT on fuel if your vehicle is used only for business. There are 3 ways of handling VAT if you use the vehicle for both business and private purposes. You can:\n\n- reclaim all the VAT and pay the right fuel scale charge for your vehicle\n\n- only reclaim the VAT on fuel you use for business trips - you\u2019ll have to keep detailed mileage records\n\n- choose not to reclaim any VAT, eg if your business mileage is so low that the fuel scale charge would be higher than the VAT you can reclaim\n\nIf you choose not to reclaim VAT on fuel for one vehicle you cannot reclaim VAT on any fuel for vehicles used by your business.\n\n## Additional costs\n\nYou can usually reclaim the VAT for:\n\n- all business-related running and maintenance costs, such as repairs or off-street parking\n\n- any accessories you\u2019ve fitted for business use\n\nYou can do this even if you cannot reclaim VAT on the vehicle itself.\n\n## Used vehicles\n\nThe sales invoice for your used vehicle must show the VAT. You cannot reclaim if it does not, for example if the seller uses the VAT margin scheme.\n\n## Staff travel\n\nYou can reclaim VAT on employee travel expenses for business trips, including meals and accommodation that you pay for.\n\nYou cannot reclaim VAT if you pay your employees a flat rate for expenses.\n\nThere are special rules for motoring expenses.\n\nYou cannot reclaim VAT on entertainment costs.\n\n## Who counts as an employee\n\nThe following people count as employees for VAT reclaims:\n\n- someone directly employed by you (not through an agency)\n\n- directors, partners, any other managers\n\n- self-employed people who are treated as employees (you cannot reclaim on travel expenses for this group)\n\n- helpers or stewards who help run events\n\nThe following people do not count as employees for VAT reclaims:\n\n- shareholders who are not employed by the business\n\n- pensioners and former employees\n\n- someone applying for a job, for example interviewees", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/reclaim-vat", + "answerable": true, + "scenario": "I am a thirty five year old self employed computer repair person. I have recently purchased a new computer for use in my business, one of four that I own. I will also use it for personal use.", + "original_question": "As my computer will predominantly be for work use, can I reclaim ALL of the VAT on it?" + }, + { + "id": "train-1150", + "question": "Scenario: I am thinking of starting up a taxi business and am trying to work out if it is financially viable. I would potentially have up to half a dozwn employers, both part time and full time.\n\nQuestion: If I were to buy three or four cars for use in my business only, could I reclaim VAT on them?\n\nDocument - Reclaiming VAT:\n## What you can and cannot reclaim\n\nYou can usually reclaim the VAT paid on goods and services purchased for use in your business.\n\nIf a purchase is also for personal or private use, you can only reclaim the business proportion of the VAT.\n\nYou must keep records to support your claim and show how you arrived at the business proportion for a purchase. You must also have valid VAT invoices.\n\nFrom 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.\n\n## What you cannot reclaim\n\nYou cannot reclaim VAT for:\n\n- anything that\u2019s only for private use\n\n- goods and services your business uses to make VAT-exempt supplies\n\n- business entertainment costs\n\n- goods sold to you under one of the VAT second-hand margin schemes\n\n- business assets that are transferred to you as a going concern\n\n## Purchases before registration\n\nYou may be able to reclaim VAT paid on goods or services bought before you registered for VAT if the purchases were made within certain time limits.\n\n## Partly exempt businesses\n\nYou need to make separate calculations for purchases that relate to both VAT-exempt and taxable supplies, such as phone bills or accountancy fees.\n\n## Business assets of \u00a350,000 and more\n\nThere are special rules for reclaiming VAT for:\n\n- individual computers and single pieces of computer equipment costing \u00a350,000 or more before VAT\n\n- aircraft, ships and boats costing \u00a350,000 or more before VAT\n\n- land and buildings costing \u00a3250,000 or more before VAT\n\nYou may need to adjust the amount of VAT you reclaim over several years using the Capital Goods Scheme.\n\n## How your VAT refund is repaid\n\nClaim your refund by submitting a VAT Return.\n\nYou need to give your account details to HM Revenue and Customs (HMRC) - even if you\u2019ve already set up a Direct Debit for VAT Returns. Add or change them by going to the registration details in your VAT online account.\n\nYou can also use your online account to view any refund you\u2019re owed, unless you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019.\n\nYou will usually get your refund within 10 days of HMRC receiving your return but it may take longer. Only contact HMRC if you have not heard anything after 30 days.\n\n## Vehicles and fuel costs\n\n## Buying a new car\n\nYou may be able to reclaim all the VAT on a new car if you use it only for business.\n\nThe car must not be available for private use, and you must be able to show that it is not, for example it\u2019s specified in your employee\u2019s contract.\n\n\u2018Private use\u2019 includes travelling between home and work, unless it\u2019s a temporary place of work.\n\nYou may also be able to claim all the VAT on a new car if it\u2019s mainly used:\n\n- as a taxi\n\n- for driving instruction\n\n- for self-drive hire\n\n## Leasing a car\n\nIf you lease a car, you can usually claim 50% of the VAT. You may be able to reclaim all the VAT if the car is used only for business and is not available for private use, or is mainly used:\n\n- as a taxi\n\n- for driving instruction\n\n## Self-drive hire cars\n\nIf you hire a car to replace a company car that\u2019s off the road, you can usually claim 50% of the VAT on the hire charge.\n\nIf you hire a car for another reason (for example you do not have a company car), you can reclaim all the VAT if all the following apply:\n\n- you hire it for no more than 10 days\n\n- it\u2019s used only for business\n\n- it\u2019s not available for private use\n\n## Commercial vehicles\n\nYou can usually reclaim the VAT for buying a commercial vehicle (like a van, lorry or tractor) if you only use it for business.\n\nIf they\u2019re used only for business, you can also reclaim VAT on:\n\n- motorcycles\n\n- motorhomes and motor caravans\n\n- vans with rear seats (combi vans)\n\n- car-derived vans\n\n## Fuel costs\n\nThere are different ways of reclaiming VAT on fuel, if you do not pay a fixed rate under the Flat Rate Scheme.\n\nYou can reclaim all the VAT on fuel if your vehicle is used only for business. There are 3 ways of handling VAT if you use the vehicle for both business and private purposes. You can:\n\n- reclaim all the VAT and pay the right fuel scale charge for your vehicle\n\n- only reclaim the VAT on fuel you use for business trips - you\u2019ll have to keep detailed mileage records\n\n- choose not to reclaim any VAT, eg if your business mileage is so low that the fuel scale charge would be higher than the VAT you can reclaim\n\nIf you choose not to reclaim VAT on fuel for one vehicle you cannot reclaim VAT on any fuel for vehicles used by your business.\n\n## Additional costs\n\nYou can usually reclaim the VAT for:\n\n- all business-related running and maintenance costs, such as repairs or off-street parking\n\n- any accessories you\u2019ve fitted for business use\n\nYou can do this even if you cannot reclaim VAT on the vehicle itself.\n\n## Used vehicles\n\nThe sales invoice for your used vehicle must show the VAT. You cannot reclaim if it does not, for example if the seller uses the VAT margin scheme.\n\n## Staff travel\n\nYou can reclaim VAT on employee travel expenses for business trips, including meals and accommodation that you pay for.\n\nYou cannot reclaim VAT if you pay your employees a flat rate for expenses.\n\nThere are special rules for motoring expenses.\n\nYou cannot reclaim VAT on entertainment costs.\n\n## Who counts as an employee\n\nThe following people count as employees for VAT reclaims:\n\n- someone directly employed by you (not through an agency)\n\n- directors, partners, any other managers\n\n- self-employed people who are treated as employees (you cannot reclaim on travel expenses for this group)\n\n- helpers or stewards who help run events\n\nThe following people do not count as employees for VAT reclaims:\n\n- shareholders who are not employed by the business\n\n- pensioners and former employees\n\n- someone applying for a job, for example interviewees", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/reclaim-vat", + "answerable": true, + "scenario": "I am thinking of starting up a taxi business and am trying to work out if it is financially viable. I would potentially have up to half a dozwn employers, both part time and full time.", + "original_question": "If I were to buy three or four cars for use in my business only, could I reclaim VAT on them?" + }, + { + "id": "train-1155", + "question": "Scenario: The filing process has always been a time consuming task for my business. Most of the times I do it myself by hand. Recently a friend recommended I switch to electronic filing to make the process easier. I have all types of accounts but am mostly looking for software that can take care of full type accounts.\n\nQuestion: Will the software \"Taxfiler Accounts Production\" developed by \"Taxfiler\" be efficient for my needs?\n\nDocument - Find software for filing company documents:\n## Overview\n\nYou can use software to file your company accounts, file changes to your details and returns to Companies House electronically.\n\nYou can also file your annual accounts and confirmation statement (previously annual return) with Companies House online.\n\nUsing software or filing online you\u2019ll:\n\n- be less likely to get late filing penalties\n\n- get confirmation that your documents have been received\n\n- find out if they\u2019re accepted or rejected\n\n## How to file electronically\n\nYou must register for an online filing account - fill in the online filing credit account application form and send it to the address on the form.\n\nYou can then either:\n\n- get a software package from a Companies House (and HMRC) authorised provider\n\n- develop your own software - request a copy of the Companies House technical specifications by emailing xml@companieshouse.gov.uk\n\n## Filing annual accounts, returns and tax accounts\n\nCompanies House has tested the software listed.\n\nYou should consider which features you need and make sure the software you choose has those features, for example if you need software to deal with inactive accounts (sometimes called \u2018dormant accounts\u2019).\n\nYou must first register as an electronic filer.\n\nThe following is a list of software and the kinds of accounts you can use it for.\n\n| Supplier | Product | Dormant | Micro Entity | Abridged | Small | Full |\n\n| Ajaccts | AJACCTS | Yes | Yes | - | - | - |\n\n| Acorah Software Products Ltd | TaxCalc Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Anglia Registrars Ltd | Inform Direct | Yes | Yes | - | - | - |\n\n| BTCSoftware Limited | AP Solution | Yes | Yes | Yes | Yes | Yes |\n\n| Capium Limited | Capium Accounts Production | Yes | - | Yes | - | - |\n\n| CaseWare UK | CaseWare Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag | Yes | Yes | Yes | Yes | Yes |\n\n| CCH Software (Wolters Kluwer) | CCH Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| CoreFiling Limited | Seahorse | Yes | Yes | Yes | Yes | Yes |\n\n| Easy Digital Filing | Easy Digital Filing | Yes | Yes | Yes | Yes | - |\n\n| Eureka Software | Eureka Software | - | Yes | Yes | Yes | - |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC | Yes | Yes | - | Yes | Yes |\n\n| gbooks | gbooks Company Accounts | Yes | Yes | - | Yes | Yes |\n\n| IRIS Software | IRIS Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| IRIS Software | PTP Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Keytime | Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Quality Management Software Ltd | CT600CH | Yes | Yes | Yes | Yes | Yes |\n\n| Sage (UK) Limited | Sage Accounts Production | Yes | Yes | Yes | Yes | Yes |\n\n| Sage (UK) Limited | Sage Accountant Cloud - Final Accounts | Yes | Yes | Yes | Yes | Yes |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced | Yes | Yes | Yes | Yes | Yes |\n\n| Taxfiler | Taxfiler Accounts Production | Yes | Yes | Yes | Yes | - |\n\n| Thomson Reuters | Digita | Yes | Yes | Yes | Yes | Yes |\n\n| Thomson Reuters | ONESOURCE | Yes | Yes | Yes | Yes | Yes |\n\n| VT Software Limited | VT Filer | Yes | Yes | Yes | Yes | Yes |\n\n| Xero | Xero Tax | Yes | Yes | Yes | Yes | - |\n\n## Software for Limited Liability Partnerships (LLPs)\n\n| Supplier | Product |\n\n| Acorah Software Products Ltd | TaxCalc Accounts Production |\n\n| BTCSoftware Limited | AP Solution |\n\n| CaseWare UK | CaseWare Accounts Production |\n\n| CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag |\n\n| CCH Software (Wolters Kluwer) | CCH Accounts Production |\n\n| CoreFiling Limited | Seahorse |\n\n| Eureka Software | Eureka Software |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC |\n\n| gbooks | gbooks Company Accounts |\n\n| IRIS Software | IRIS Accounts Production |\n\n| IRIS Software | PTP Accounts Production |\n\n| Keytime | Accounts Production |\n\n| Sage (UK) Limited | Sage Accounts Production |\n\n| Sage (UK) Limited | Sage Accountant Cloud - Final Accounts |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced |\n\n| Taxfiler | Taxfiler Accounts Production |\n\n| Thomson Reuters | Digita |\n\n| VT Software Limited | VT Filer |\n\n## Software for charities\n\n| Supplier | Product |\n\n| BTCSoftware Limited | AP Solution |\n\n| CCH Software (Wolters Kluwer) | CCH iXBRL Review & Tag |\n\n| CCH Software (Wolters Kluwer) | CCH Accounts Production |\n\n| CoreFiling Limited | Seahorse |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC |\n\n| IRIS Software | IRIS Accounts Production |\n\n| IRIS Software | PTP Accounts Production |\n\n| Keytime | Accounts Production |\n\n| Sage (UK) Limited | Sage Accounts Production |\n\n| Sage (UK) Limited | Sage Accountant Cloud - Final Accounts |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced |\n\n## Uploading your accounts to Companies House\n\nTax account software generates electronic accounts in Inline eXtensible Reporting Language (iXBRL).\n\nThe following software has a direct filing link to Companies House:\n\n| Supplier | Product |\n\n| eFile Ready Limited | eCompany Services |\n\nThe following software can validate your iXBRL:\n\n| Supplier | Product |\n\n| Xmetric Limited | Surefile Accounts |\n\n## Filing other company information\n\nCompanies House has tested and authorised software for filing information about:\n\n- incorporations (registering a new company)\n\n- changes to your company, for example directors joining or leaving, changing a registered address, and filing annual returns\n\n- mortgages, for example when they\u2019re paid or part-paid\n\nYou should consider which features you need and make sure the software you choose has those features.\n\n| Supplier | Product(s) | Incorporations | Secretarial | Mortgages |\n\n| 121 Company Formation Ltd | 121 Company Formation | Yes | Yes | No |\n\n| Acorah Software Products Ltd | TaxCalc Company Secretarial | Yes | Yes | No |\n\n| Advanced | Cloud Forms (Laserform Hub) | No | Yes | MR01, MR02, MR04 and MR05 |\n\n| angelPRO Limited | VenturePro | No | Yes | No |\n\n| Anglia Registrars Ltd | Inform Direct | Yes | Yes | Yes |\n\n| BGL Corporate Solutions Ptd Ltd | Corporate Affairs System (CAS) | Yes | Yes | No |\n\n| BHIS Limited | PC Share Register Plus | Yes | Yes | No |\n\n| BritDAQ | BritDAQ Cosec | No | Yes | No |\n\n| BTC Software Limited | CS Solution | Yes | Yes | No |\n\n| Build and Prosper Ltd | File Direct 6 | Yes | Yes | No |\n\n| CFS International Formations LTD | CFS Formations and Free Secretarial Package | Yes | Yes | No |\n\n| The Company Formation Wizard | Company Formation Wizard | Yes | Yes | No |\n\n| Computershare Governance Services | Global Entity Management System (GEMS), Secretariat One (S1) | Yes | Yes | No |\n\n| Corporatek | EnGlobe, GlobalAct | No | Yes | No |\n\n| Diligent Entities | Blueprint | Yes | Yes | MR04, MR05 only |\n\n| Efaze Ltd BVI | Efaze.com company formations | Yes | Yes | No |\n\n| eFile Ready Limited | eCompany Services | Yes | Yes | No |\n\n| E Filing Limited | E Filing Limited | Yes | Yes | No |\n\n| First Corporate | First Order | Yes | Yes | No |\n\n| Forbes Computer Systems Ltd | Forbes Accounts, Forbes Company Register, Forbes EINC | Yes | Yes | No |\n\n| Formations Direct | Vectis | Yes | Yes | No |\n\n| FormEvo | FormEvo | No | Yes | MR01, MR02, MR04 and MR05 |\n\n| gbooks | gbooks Company Forms, gbooks Incorporation | Yes | Yes | No |\n\n| Info Commerce Limited | Acs1, Sec1, Inc1 | Yes | Yes | No |\n\n| IRIS Software | IRIS Accountancy Suite | Yes | Yes | No |\n\n| Jordans Limited | Incorporator, Forming Companies, My Formations, PCSec administration software | Yes | Yes | No |\n\n| Keytime Objective Ltd | Company Secretarial | No | Yes | No |\n\n| Kudocs | Kudocs | Yes | Yes | No |\n\n| LTDONLINE Ltd | LTDONLINE | Yes | Yes | No |\n\n| Online Filings Ltd | Online Filings | Yes | Yes | No |\n\n| Oswalds (Jordans [Scotland] Ltd) | Incorporator, Forming Companies, PCSec administration software | Yes | Yes | No |\n\n| Oyez | The Oyez Gateway | No | No | Yes |\n\n| Panlegis (Malta) Limited | Panlegis (Malta) Limited | Yes | Yes | No |\n\n| Principal Consultancy Ltd | Your Limited Company | Yes | Yes | No |\n\n| Armadillo | Armadillo e-Incorp | Yes | Yes | No |\n\n| Sage (UK) Limited | Sage Accounts Production Advanced, Sage Company Secretarial | No | Yes | No |\n\n| Thomson Reuters | Onvio Formations | Yes | No | No |\n\n| zetVisions AG | zetVisions CIM | No | Yes | No |", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/company-filing-software", + "answerable": true, + "scenario": "The filing process has always been a time consuming task for my business. Most of the times I do it myself by hand. Recently a friend recommended I switch to electronic filing to make the process easier. I have all types of accounts but am mostly looking for software that can take care of full type accounts.", + "original_question": "Will the software \"Taxfiler Accounts Production\" developed by \"Taxfiler\" be efficient for my needs?" + }, + { + "id": "train-1160", + "question": "Scenario: I run a fish and chip shop in Derby. I produce a lot of waste oil and food scraps. I understand this is covered by legislation.\n\nQuestion: Does this count as effluent?\n\nDocument - Water and sewerage rates for businesses:\n## Water\n\nYou\u2019ll have to pay for any water your business uses, and for the drainage of water and effluent (liquid waste) from your premises.\n\nOfwat regulates the water industry in England and Wales. There are different regulators in Scotland and Northern Ireland.\n\n## How you\u2019ll be charged\n\nYou\u2019ll be charged either:\n\n- for the water you use, plus a set charge (if you\u2019ve got a meter)\n\n- a set amount, usually based on the value of your property\n\nYour business could be eligible for a large user tariff, meaning your water might be cheaper. This is because it often costs less to supply larger businesses.\n\n## Sewerage and effluent\n\nYou\u2019ll be charged for any \u2018foul sewerage\u2019 (such as wastewater from a toilet or kitchen) and drainage from your property. The amount you pay is usually linked to how much water you use.\n\nYou\u2019ll also have to pay for any effluent (liquid waste) you produce. Effluent is water contaminated with things like:\n\n- fats, oils and grease\n\n- chemicals\n\n- food waste\n\nThe amount your water supplier will charge is usually based on the amount and strength of the effluent before it reaches the sewer.\n\nSewerage charges can either appear on your water bill or your effluent bill, depending on your supplier.\n\n## Choosing a supplier\n\nYou may be able to choose your water and sewerage service provider depending on where your business is.\n\nIn England and Wales you can check with Ofwat whether you can choose your own supplier.\n\nIn Scotland choose your supplier from the Water Commission\u2019s list of suppliers.\n\nIn Northern Ireland you can\u2019t choose your own supplier - water is supplied by Northern Ireland Water.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/water-and-sewerage-rates-for-businesses", + "answerable": true, + "scenario": "I run a fish and chip shop in Derby. I produce a lot of waste oil and food scraps. I understand this is covered by legislation.", + "original_question": "Does this count as effluent?" + }, + { + "id": "train-1161", + "question": "Scenario: I run a laundry business and we use a lot of water. I am looking for a better deal as I am a heavy user of water.\n\nQuestion: Can I select my own water provider?\n\nDocument - Water and sewerage rates for businesses:\n## Water\n\nYou\u2019ll have to pay for any water your business uses, and for the drainage of water and effluent (liquid waste) from your premises.\n\nOfwat regulates the water industry in England and Wales. There are different regulators in Scotland and Northern Ireland.\n\n## How you\u2019ll be charged\n\nYou\u2019ll be charged either:\n\n- for the water you use, plus a set charge (if you\u2019ve got a meter)\n\n- a set amount, usually based on the value of your property\n\nYour business could be eligible for a large user tariff, meaning your water might be cheaper. This is because it often costs less to supply larger businesses.\n\n## Sewerage and effluent\n\nYou\u2019ll be charged for any \u2018foul sewerage\u2019 (such as wastewater from a toilet or kitchen) and drainage from your property. The amount you pay is usually linked to how much water you use.\n\nYou\u2019ll also have to pay for any effluent (liquid waste) you produce. Effluent is water contaminated with things like:\n\n- fats, oils and grease\n\n- chemicals\n\n- food waste\n\nThe amount your water supplier will charge is usually based on the amount and strength of the effluent before it reaches the sewer.\n\nSewerage charges can either appear on your water bill or your effluent bill, depending on your supplier.\n\n## Choosing a supplier\n\nYou may be able to choose your water and sewerage service provider depending on where your business is.\n\nIn England and Wales you can check with Ofwat whether you can choose your own supplier.\n\nIn Scotland choose your supplier from the Water Commission\u2019s list of suppliers.\n\nIn Northern Ireland you can\u2019t choose your own supplier - water is supplied by Northern Ireland Water.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/water-and-sewerage-rates-for-businesses", + "answerable": true, + "scenario": "I run a laundry business and we use a lot of water. I am looking for a better deal as I am a heavy user of water.", + "original_question": "Can I select my own water provider?" + }, + { + "id": "train-1163", + "question": "Scenario: I registered the birth of my son last year and foolishly put the name of my ex on the birth certificate rather than that of his father. I deeply regret this now and want to make amends.\n\nQuestion: Is it possible to change the father's name on my son's birth certificate?\n\nDocument - Correct a birth registration:\n## What corrections can be made\n\nYou can apply for a birth registration correction when the information is wrong - for example if a mistake was made when recording a parent\u2019s occupation.\n\nYou cannot apply for a correction to show new information if circumstances change after you\u2019ve registered your child\u2019s birth, for example if you change your name after getting married again.\n\nHowever, you can apply to re-register the birth if the natural parents get married at a later date.\n\n## Removing the wrong father\u2019s details\n\nYou can apply to change who the recorded father is if you can prove that the man named on the certificate is not the natural father of the child. Examples of proof include:\n\n- a DNA test record from an approved tester\n\n- a court order\n\n- evidence that confirms the name of the true biological father\n\n- other evidence that confirms the recorded father could not have been the child\u2019s natural father\n\n## What happens if you change gender\n\nIf you get your gender change legally recognised, you\u2019ll be able to order a new birth certificate with your new gender on it.\n\n## What the correction looks like\n\nIf your application is approved, a correction is made in the register in the office for the area where your child was born.\n\nThe original information will always be shown in the register. After the correction has been authorised, a note will be added to the margin of the register. This will explain what the correct information is and when the correction was made.\n\nAll full birth certificates that are issued after the correction will include the note in the margin.\n\nShort birth certificates only include the child\u2019s details and will not have a note in the margin - they just show any correct new details.\n\n## Who can apply\n\nThe following people can apply for a correction:\n\n- the mother\n\n- the father (if his details are on the certificate)\n\nIf you\u2019re applying to change a child\u2019s name and both parents are named on the certificate, both must sign the application form.\n\nThe child named on the certificate may be able to apply for a correction if their parents are not available.\n\n## Removing the wrong father\u2019s details\n\nIt is not always necessary for the named father to take part in the correction process. The General Register Office (GRO) can correct the entry if 2 of the following people apply to have it changed:\n\n- the mother\n\n- the natural father\n\n- the man named on the birth certificate as the father\n\nAt least one of these must sign the application form.\n\nYou need to provide contact addresses for the mother, the man named as the father on the certificate and the true biological father (if he took part in a DNA test).\n\n## How to apply\n\nIt costs \u00a375 or \u00a390 to apply to correct a mistake in a birth registration.\n\nContact the register office where your child\u2019s birth was registered to find out how to send your application, the cost and how to pay.\n\nFill in the relevant application form and send it to the register office:\n\n- correct details on a birth registration\n\n- remove incorrect father\u2019s details from a birth registration\n\nThere\u2019s a different process for correcting registrations made in Northern Ireland and Scotland.\n\n## Proving the registration is wrong\n\nYou\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time your child was born.\n\nDocuments you can send in include a:\n\n- passport\n\n- photocard driving licence\n\n- bank, building society or credit card statement\n\n- letter from a hospital or doctor\n\n- letter from a government department\n\nIf you are not able to send in proof, corrections cannot usually be made.\n\nAll certified copies sent with the application will be destroyed if you do not ask for them to be returned.\n\n## Proof the wrong father is on the certificate\n\nYou\u2019ll need to prove that the man named on the certificate is not the natural father of the child. Examples of proof include:\n\n- a DNA test record from an approved tester\n\n- a court order\n\n- evidence that confirms the name of the true biological father\n\n- other evidence that confirms the recorded father could not have been the child\u2019s natural father\n\n## Sending in certified documents\n\nYou should only send in documents that have been certified as true copies of the original.\n\n## Witnessing the correction\n\nIf the correction is being made at your register office, you need to arrange an appointment with them. When you go in you\u2019ll witness the correction and sign the note made in the birth register.\n\nIf you\u2019re applying to the General Register Office (GRO) to make the correction, you can say on the application form if you want to witness the correction.\n\n## Statutory declaration\n\nIf you\u2019re applying to correct a serious mistake (such as the name of a person), the GRO may ask you to make a \u2018statutory declaration\u2019 about the correction and send it to them. This means you have to make a legal statement in front of someone like a judge or solicitor that they must sign (sometimes called \u2018attesting an oath\u2019).\n\nIf you make a statutory declaration, you will not have to witness the correction.\n\nYou may have to pay a fee for a statutory declaration.\n\n## How long applications take\n\nThere is no set time for how long applications will take. It can take up to 25 days for you to get a reply.\n\n## Advice\n\nIf you want further advice on applying to make a correction, contact the register office or the General Register Office (GRO).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/correct-birth-registration", + "answerable": true, + "scenario": "I registered the birth of my son last year and foolishly put the name of my ex on the birth certificate rather than that of his father. I deeply regret this now and want to make amends.", + "original_question": "Is it possible to change the father's name on my son's birth certificate?" + }, + { + "id": "train-1164", + "question": "Scenario: I am the custodian of our two daughters after i underwent domestic abuse and our marriage broke. We had made a private arrangement with my ex-husband on how he will pay for childcare maintenance. It's 5 months now and has not paid any child maintenance.\n\nQuestion: If i apply for the childcare mantainance services will i have to pay a fee?\n\nDocument - Making a child maintenance arrangement:\n## Overview\n\nChild maintenance is an arrangement between you and the other parent of your child. It covers how your child\u2019s living costs will be paid for when one of the parents no longer lives with them. It\u2019s made when you\u2019ve separated from the other parent (or if you\u2019ve never been in a relationship).\n\nThis guide is also available in Welsh (Cymraeg).\n\nBoth parents are responsible for the costs of raising their children, even if they do not see them. Making agreements about access to your children happens separately.\n\nChild maintenance can be either:\n\n- a private arrangement between you and the other parent\n\n- made through the Child Maintenance Service - a government scheme\n\nYou need to have child maintenance arrangements for children under 16 (or under 20 if they\u2019re in approved education or training). If you make a private arrangement you can continue paying after then.\n\n## If you\u2019re experiencing domestic abuse or controlling behaviour\n\nDomestic abuse includes controlling behaviour. For example:\n\n- emotionally controlling or manipulative behaviour\n\n- controlling your finances\n\n- controlling the way you look after your children\n\nYou can use the Child Maintenance Service to arrange child maintenance if you do not want to contact the\u00a0other parent yourself. They will contact the other parent for you and you will not need to pay the application fee if you\u2019re experiencing domestic abuse.\n\n## How it affects benefits\n\nChild maintenance payments will not affect any benefits that you and your children get. You will not have to pay tax on them.\n\nYour Council Tax Reduction could be affected. Contact your local council to find out if this applies to you.\n\n## Making an arrangement for the first time\n\n- Talk to the other parent about making your own arrangements.\n\n- If you cannot agree, or you feel at risk talking to the other parent, contact Child Maintenance Options for help and support.\n\n- If you decide to use the Child Maintenance Service, they\u2019ll give you a reference number and explain how to apply.\n\n## Arrange child maintenance yourself\n\nYou can make arrangements for your children if both parents agree. This might cover their living costs and care.\n\nThis is a private arrangement where you and the other parent organise everything yourselves. No one else has to be involved. It\u2019s flexible and can be changed if your circumstances change. For example, you could both agree that one parent:\n\n- does school or nursery pick ups\n\n- looks after the children in the holidays\n\n- pays a proportion of their income to the parent with day to day care\n\n- pays for things like housing, school uniform, trips or after school clubs\n\n- pays a regular set amount directly to the parent with care\n\n## Working out payments\n\nIf you agree to make regular payments, you can use the child maintenance calculator to help you decide how much payments should be.\n\n## Get help to make an arrangement\n\nYou can search for a local mediator to help you reach agreement about an arrangement.\n\nYou can read guidance on:\n\n- working out the cost of raising your children\n\n- having a conversation about child maintenance\n\n- recording your agreement\n\nYou can contact Child Maintenance Options for support.\n\nThere are different contact details if you live in Northern Ireland.\n\n## If your private arrangement stops working\n\nYou can search for a local mediator to help you work out child maintenance arrangements.\n\nIf you later decide to switch to using the Child Maintenance Service you may have to pay an application fee. You will not need to pay the fee if you\u2019ve experienced domestic abuse, you\u2019re under 19 years old or you live in Northern Ireland.\n\n## Using the Child Maintenance Service\n\nThe Child Maintenance Service is for parents who have not been able to make a private arrangement about how their child\u2019s living costs will be paid. The payments are a fixed amount on a schedule.\n\nOnce the Child Maintenance Service calculates the maintenance amount, payments are usually managed between parents. The payments are fixed amounts paid on a schedule.\n\nIf you use the service to collect and transfer payments, you\u2019ll pay a fee each time you make or receive a payment.\n\nThe Child Maintenance Service can:\n\n- work out child maintenance payment amounts (you can do this yourself with the calculator)\n\n- arrange for the other parent to pay child maintenance and take action if payments are not made\n\n- help find the other parent (they\u2019ll need information from you and will not be able to set up a case if they cannot be found)\n\n- sort out disagreements about parentage\n\n- look at the payments if changes in parents\u2019 circumstances are reported\n\nYou can switch to arranging child maintenance yourself later on.\n\n## If you\u2019ve experienced domestic abuse or controlling behaviour from your child\u2019s other parent\n\nIf you\u2019re worried about your child\u2019s other parent contacting you, tell the Child Maintenance Service. You do not need to be in contact with the other parent.\n\nTell the Child Maintenance Service if it\u2019s not safe for the other parent to know your location or personal information, for example if you\u2019ve changed your name.\n\n## Getting payments without sharing your location\n\nThere are ways to get payments from your child\u2019s other parent without sharing your location.\n\nYou can ask your bank to set up a \u2018non-geographical\u2019 bank account if you do not want the other parent to know your address. Ask the Child Maintenance Service to give you a letter to explain why you need it.\n\nYou can also set up a pre-payment card which is not connected to a bank account. The paying parent can set up a standing order to your pre-payment card.\n\n## Eligibility\n\nYour child needs to be under 16 (or under 20 if they stay in approved education or training).\n\nYou need to live in the UK as your main home and have the right to live here.\n\nYou can apply if you\u2019re:\n\n- either parent (you do not need to live with the child)\n\n- a grandparent or other guardian of the child\n\n- a child over 12 living in Scotland\n\nIf you\u2019re in prison or a full-time student with no income, you do not have to pay child maintenance - there\u2019s no need to apply.\n\nYou cannot use this service if you have an existing consent order approved by a court that is either less than a year old or made before 3 March 2003.\n\n## If one of the parents lives outside the UK\n\nYou cannot apply if the child and the parent with main day-to-day care live outside the UK.\n\nThe service can only help if the paying parent works outside the UK for a British organisation.\n\n## Fees\n\nThe application fee is \u00a320.\n\nYou will not have to pay this if you:\n\n- have experienced domestic abuse\n\n- are under 19 years old\n\n- live in Northern Ireland\n\n## How to apply\n\nContact Child Maintenance Options before you apply.\n\nThey\u2019ll discuss your maintenance arrangements with you, give you a reference number and explain how to apply.\n\nThere are different contact details if you live in Northern Ireland.\n\n## What you\u2019ll need to provide\n\nYou\u2019ll need to give information about you and your family, for example:\n\n- details about the child you\u2019re applying for - including the full names of their parents\n\n- your National Insurance number\n\n- your bank account details (tell the Child Maintenance Service if it\u2019s not safe to tell the other parent your name, if you\u2019ve changed it, or location)\n\n## How your information is used\n\nYour information is used to set up and manage child maintenance payments, and sometimes to try to find the paying parent.\n\nThe Child Maintenance Service will share your name and your child\u2019s name with the other parent. They will not share your address.\n\nThey may share your contact details with other government organisations, debt collection agencies or the courts. They will not share details of your case.\n\nIf the Child Maintenance Service cannot get the information from either parent, they might ask others, for example:\n\n- the paying parent\u2019s employer\n\n- government organisations like Jobcentre Plus\n\n- prison services or local councils\n\n- the paying parent\u2019s bank or building society", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/making-child-maintenance-arrangement", + "answerable": true, + "scenario": "I am the custodian of our two daughters after i underwent domestic abuse and our marriage broke. We had made a private arrangement with my ex-husband on how he will pay for childcare maintenance. It's 5 months now and has not paid any child maintenance.", + "original_question": "If i apply for the childcare mantainance services will i have to pay a fee?" + }, + { + "id": "train-1166", + "question": "Scenario: My partner and I are French citizens living in the UK and have just had our first child. We would like our child to have dual citizenship if this is possible.\n\nQuestion: When we register our baby's birth, do we have to mention our nationality?\n\nDocument - Register a birth:\n## Overview\n\nYou may not be able to register a birth at the moment because of coronavirus (COVID-19). You\u2019ll be able to register at a later date.\n\nFind out if you can register a birth now by:\n\n- contacting the local register office\n\n- asking at the hospital where the baby was born before the mother leaves\n\nThere are different rules for registering a birth in Scotland, registering a birth in Northern Ireland and registering a birth abroad.\n\n## Information you need when registering a birth\n\nWhen registering the birth, you should know:\n\n- place and date of the birth\n\n- name, surname and sex of the baby\n\n- parents\u2019 names, surnames and address\n\n- places and dates of parents\u2019 birth\n\n- date of parents\u2019 marriage or civil partnership\n\n- parents\u2019 jobs\n\n- mother\u2019s maiden surname\n\n## What you should take\n\nIf you can register the birth, you should take at least one form of identification when you go to the register office. You can use:\n\n- passport\n\n- birth certificate\n\n- deed poll\n\n- driving licence\n\n- proof of address (for example, a utility bill)\n\n- Council Tax bill\n\n- marriage or civil partnership certificate\n\nYou should also take your child\u2019s personal child health record or \u2018red book\u2019 as some registrars may ask to see it.\n\nIf you\u2019re going to the register office on your own, you may need proof of paternity from the other parent before you give their details.\n\n## Organisations you need to contact\n\nHaving a child might affect your tax, your benefits and services from your local council.\n\nThe Tell Us Once service can report a birth to the Department for Work and Pensions (DWP) and your local council in one go. The registrar will let you know if this service is available in your area.\n\nWhen you go to a Tell Us Once appointment, you\u2019ll be asked about:\n\n- the people who\u2019ll be named on the birth register\n\n- any partners that live with them\n\nFor each person, you\u2019ll need to know:\n\n- their address and phone number\n\n- their date of birth\n\n- their National Insurance number\n\n- details of any benefits they get or have applied for\n\nIf the Tell Us Once service is not available in your area, you\u2019ll need to contact Jobcentre Plus and your local council about your benefits and services.\n\n## After the birth is registered\n\nOnce you\u2019ve registered the birth, you may be able to claim:\n\n- Child Benefit\n\n- Child Tax Credit\n\n## Who can register a birth\n\n## Opposite-sex couples\n\n## Married or civil-partner parents\n\nEither parent can register the birth on their own. They can include both parents\u2019 details if they were married or in a civil partnership when the baby was born or conceived.\n\n## Unmarried parents\n\nThe details of both parents can be included on the birth certificate if one of the following happens:\n\n- they sign the birth register together\n\n- one parent completes a statutory declaration of parentage form and the other takes the signed form to register the birth\n\n- one parent goes to register the birth with a document from the court (for example, a court order) giving the father parental responsibility\n\nThe mother can choose to register the birth without the child\u2019s father if they\u2019re not married or in a civil partnership. The father\u2019s details will not be included on the birth certificate.\n\nIt might be possible to add the father\u2019s details at a later date by completing an application for the re-registration of a child\u2019s birth.\n\n## Same-sex female couples\n\nFemale couples can include both their names on their child\u2019s birth certificate when registering the birth.\n\n## Married or civil-partner parents\n\nEither parent can register the birth on their own if all of the following are true:\n\n- the mother has a child by donor insemination or fertility treatment\n\n- she was married or in a civil partnership at the time of the treatment\n\n## Unmarried, non-civil-partner parents\n\nWhen a mother is not married or in a civil partnership, her partner can be seen as the child\u2019s second parent if both women:\n\n- are treated together in the UK by a licensed clinic\n\n- have made a \u2018parenthood agreement\u2019\n\nHowever, for both parents\u2019 details to be recorded on the birth certificate, they must do one of the following:\n\n- register the birth jointly\n\n- complete a \u2018Statutory declaration of acknowledgement of parentage\u2019 form and one parent takes the signed form when she registers the birth\n\n- get a document from the court (for example, a court order) giving the second female parent parental responsibility and one parent shows the document when she registers the birth\n\n## Same-sex male couples\n\nMale couples must get a parental order from the court before they can be registered as parents.\n\n## Other people who can register a birth\n\nIf the parents cannot register the birth (for example, for medical reasons), certain other people can do it:\n\n- someone who was present at the birth\n\n- someone who is responsible for the child\n\n- a member of the administrative staff at the hospital where the child was born\n\n## Birth certificates\n\nYou may not get a certificate straight away because of coronavirus (COVID-19). The register office will tell you when you can get a certificate.\n\nThere are 2 types of birth certificate:\n\n- the short version, which contains only the baby\u2019s details\n\n- the full version, which also contains the parents\u2019 details\n\nOnce you have registered the birth, you\u2019ll be able to buy a short or full certificate for your baby. Both kinds cost \u00a311.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/register-birth", + "answerable": true, + "scenario": "My partner and I are French citizens living in the UK and have just had our first child. We would like our child to have dual citizenship if this is possible.", + "original_question": "When we register our baby's birth, do we have to mention our nationality?" + }, + { + "id": "train-1167", + "question": "Scenario: My sister has recently had her baby and has to remain in hospital due to complications. She has no partner and will be raising the baby alone.\n\nQuestion: Am I able to register my sister's baby even though I am not its parent?\n\nDocument - Register a birth:\n## Overview\n\nYou may not be able to register a birth at the moment because of coronavirus (COVID-19). You\u2019ll be able to register at a later date.\n\nFind out if you can register a birth now by:\n\n- contacting the local register office\n\n- asking at the hospital where the baby was born before the mother leaves\n\nThere are different rules for registering a birth in Scotland, registering a birth in Northern Ireland and registering a birth abroad.\n\n## Information you need when registering a birth\n\nWhen registering the birth, you should know:\n\n- place and date of the birth\n\n- name, surname and sex of the baby\n\n- parents\u2019 names, surnames and address\n\n- places and dates of parents\u2019 birth\n\n- date of parents\u2019 marriage or civil partnership\n\n- parents\u2019 jobs\n\n- mother\u2019s maiden surname\n\n## What you should take\n\nIf you can register the birth, you should take at least one form of identification when you go to the register office. You can use:\n\n- passport\n\n- birth certificate\n\n- deed poll\n\n- driving licence\n\n- proof of address (for example, a utility bill)\n\n- Council Tax bill\n\n- marriage or civil partnership certificate\n\nYou should also take your child\u2019s personal child health record or \u2018red book\u2019 as some registrars may ask to see it.\n\nIf you\u2019re going to the register office on your own, you may need proof of paternity from the other parent before you give their details.\n\n## Organisations you need to contact\n\nHaving a child might affect your tax, your benefits and services from your local council.\n\nThe Tell Us Once service can report a birth to the Department for Work and Pensions (DWP) and your local council in one go. The registrar will let you know if this service is available in your area.\n\nWhen you go to a Tell Us Once appointment, you\u2019ll be asked about:\n\n- the people who\u2019ll be named on the birth register\n\n- any partners that live with them\n\nFor each person, you\u2019ll need to know:\n\n- their address and phone number\n\n- their date of birth\n\n- their National Insurance number\n\n- details of any benefits they get or have applied for\n\nIf the Tell Us Once service is not available in your area, you\u2019ll need to contact Jobcentre Plus and your local council about your benefits and services.\n\n## After the birth is registered\n\nOnce you\u2019ve registered the birth, you may be able to claim:\n\n- Child Benefit\n\n- Child Tax Credit\n\n## Who can register a birth\n\n## Opposite-sex couples\n\n## Married or civil-partner parents\n\nEither parent can register the birth on their own. They can include both parents\u2019 details if they were married or in a civil partnership when the baby was born or conceived.\n\n## Unmarried parents\n\nThe details of both parents can be included on the birth certificate if one of the following happens:\n\n- they sign the birth register together\n\n- one parent completes a statutory declaration of parentage form and the other takes the signed form to register the birth\n\n- one parent goes to register the birth with a document from the court (for example, a court order) giving the father parental responsibility\n\nThe mother can choose to register the birth without the child\u2019s father if they\u2019re not married or in a civil partnership. The father\u2019s details will not be included on the birth certificate.\n\nIt might be possible to add the father\u2019s details at a later date by completing an application for the re-registration of a child\u2019s birth.\n\n## Same-sex female couples\n\nFemale couples can include both their names on their child\u2019s birth certificate when registering the birth.\n\n## Married or civil-partner parents\n\nEither parent can register the birth on their own if all of the following are true:\n\n- the mother has a child by donor insemination or fertility treatment\n\n- she was married or in a civil partnership at the time of the treatment\n\n## Unmarried, non-civil-partner parents\n\nWhen a mother is not married or in a civil partnership, her partner can be seen as the child\u2019s second parent if both women:\n\n- are treated together in the UK by a licensed clinic\n\n- have made a \u2018parenthood agreement\u2019\n\nHowever, for both parents\u2019 details to be recorded on the birth certificate, they must do one of the following:\n\n- register the birth jointly\n\n- complete a \u2018Statutory declaration of acknowledgement of parentage\u2019 form and one parent takes the signed form when she registers the birth\n\n- get a document from the court (for example, a court order) giving the second female parent parental responsibility and one parent shows the document when she registers the birth\n\n## Same-sex male couples\n\nMale couples must get a parental order from the court before they can be registered as parents.\n\n## Other people who can register a birth\n\nIf the parents cannot register the birth (for example, for medical reasons), certain other people can do it:\n\n- someone who was present at the birth\n\n- someone who is responsible for the child\n\n- a member of the administrative staff at the hospital where the child was born\n\n## Birth certificates\n\nYou may not get a certificate straight away because of coronavirus (COVID-19). The register office will tell you when you can get a certificate.\n\nThere are 2 types of birth certificate:\n\n- the short version, which contains only the baby\u2019s details\n\n- the full version, which also contains the parents\u2019 details\n\nOnce you have registered the birth, you\u2019ll be able to buy a short or full certificate for your baby. Both kinds cost \u00a311.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/register-birth", + "answerable": true, + "scenario": "My sister has recently had her baby and has to remain in hospital due to complications. She has no partner and will be raising the baby alone.", + "original_question": "Am I able to register my sister's baby even though I am not its parent?" + }, + { + "id": "train-1174", + "question": "Scenario: I bought a personal gaming computer for myself and requested an invoice to my business, so I can claim VAT on it. I will not be using this computer for work, it is purely for private use. Today when I brought this up with my accountant he let me know that I will not be able to claim VAT on this purchase.\n\nQuestion: Am I eligible to reclaim VAT on this purchase?\n\nDocument - Reclaiming VAT:\n## What you can and cannot reclaim\n\nYou can usually reclaim the VAT paid on goods and services purchased for use in your business.\n\nIf a purchase is also for personal or private use, you can only reclaim the business proportion of the VAT.\n\nYou must keep records to support your claim and show how you arrived at the business proportion for a purchase. You must also have valid VAT invoices.\n\nFrom 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.\n\n## What you cannot reclaim\n\nYou cannot reclaim VAT for:\n\n- anything that\u2019s only for private use\n\n- goods and services your business uses to make VAT-exempt supplies\n\n- business entertainment costs\n\n- goods sold to you under one of the VAT second-hand margin schemes\n\n- business assets that are transferred to you as a going concern\n\n## Purchases before registration\n\nYou may be able to reclaim VAT paid on goods or services bought before you registered for VAT if the purchases were made within certain time limits.\n\n## Partly exempt businesses\n\nYou need to make separate calculations for purchases that relate to both VAT-exempt and taxable supplies, such as phone bills or accountancy fees.\n\n## Business assets of \u00a350,000 and more\n\nThere are special rules for reclaiming VAT for:\n\n- individual computers and single pieces of computer equipment costing \u00a350,000 or more before VAT\n\n- aircraft, ships and boats costing \u00a350,000 or more before VAT\n\n- land and buildings costing \u00a3250,000 or more before VAT\n\nYou may need to adjust the amount of VAT you reclaim over several years using the Capital Goods Scheme.\n\n## How your VAT refund is repaid\n\nClaim your refund by submitting a VAT Return.\n\nYou need to give your account details to HM Revenue and Customs (HMRC) - even if you\u2019ve already set up a Direct Debit for VAT Returns. Add or change them by going to the registration details in your VAT online account.\n\nYou can also use your online account to view any refund you\u2019re owed, unless you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019.\n\nYou will usually get your refund within 10 days of HMRC receiving your return but it may take longer. Only contact HMRC if you have not heard anything after 30 days.\n\n## Vehicles and fuel costs\n\n## Buying a new car\n\nYou may be able to reclaim all the VAT on a new car if you use it only for business.\n\nThe car must not be available for private use, and you must be able to show that it is not, for example it\u2019s specified in your employee\u2019s contract.\n\n\u2018Private use\u2019 includes travelling between home and work, unless it\u2019s a temporary place of work.\n\nYou may also be able to claim all the VAT on a new car if it\u2019s mainly used:\n\n- as a taxi\n\n- for driving instruction\n\n- for self-drive hire\n\n## Leasing a car\n\nIf you lease a car, you can usually claim 50% of the VAT. You may be able to reclaim all the VAT if the car is used only for business and is not available for private use, or is mainly used:\n\n- as a taxi\n\n- for driving instruction\n\n## Self-drive hire cars\n\nIf you hire a car to replace a company car that\u2019s off the road, you can usually claim 50% of the VAT on the hire charge.\n\nIf you hire a car for another reason (for example you do not have a company car), you can reclaim all the VAT if all the following apply:\n\n- you hire it for no more than 10 days\n\n- it\u2019s used only for business\n\n- it\u2019s not available for private use\n\n## Commercial vehicles\n\nYou can usually reclaim the VAT for buying a commercial vehicle (like a van, lorry or tractor) if you only use it for business.\n\nIf they\u2019re used only for business, you can also reclaim VAT on:\n\n- motorcycles\n\n- motorhomes and motor caravans\n\n- vans with rear seats (combi vans)\n\n- car-derived vans\n\n## Fuel costs\n\nThere are different ways of reclaiming VAT on fuel, if you do not pay a fixed rate under the Flat Rate Scheme.\n\nYou can reclaim all the VAT on fuel if your vehicle is used only for business. There are 3 ways of handling VAT if you use the vehicle for both business and private purposes. You can:\n\n- reclaim all the VAT and pay the right fuel scale charge for your vehicle\n\n- only reclaim the VAT on fuel you use for business trips - you\u2019ll have to keep detailed mileage records\n\n- choose not to reclaim any VAT, eg if your business mileage is so low that the fuel scale charge would be higher than the VAT you can reclaim\n\nIf you choose not to reclaim VAT on fuel for one vehicle you cannot reclaim VAT on any fuel for vehicles used by your business.\n\n## Additional costs\n\nYou can usually reclaim the VAT for:\n\n- all business-related running and maintenance costs, such as repairs or off-street parking\n\n- any accessories you\u2019ve fitted for business use\n\nYou can do this even if you cannot reclaim VAT on the vehicle itself.\n\n## Used vehicles\n\nThe sales invoice for your used vehicle must show the VAT. You cannot reclaim if it does not, for example if the seller uses the VAT margin scheme.\n\n## Staff travel\n\nYou can reclaim VAT on employee travel expenses for business trips, including meals and accommodation that you pay for.\n\nYou cannot reclaim VAT if you pay your employees a flat rate for expenses.\n\nThere are special rules for motoring expenses.\n\nYou cannot reclaim VAT on entertainment costs.\n\n## Who counts as an employee\n\nThe following people count as employees for VAT reclaims:\n\n- someone directly employed by you (not through an agency)\n\n- directors, partners, any other managers\n\n- self-employed people who are treated as employees (you cannot reclaim on travel expenses for this group)\n\n- helpers or stewards who help run events\n\nThe following people do not count as employees for VAT reclaims:\n\n- shareholders who are not employed by the business\n\n- pensioners and former employees\n\n- someone applying for a job, for example interviewees", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/reclaim-vat", + "answerable": true, + "scenario": "I bought a personal gaming computer for myself and requested an invoice to my business, so I can claim VAT on it. I will not be using this computer for work, it is purely for private use. Today when I brought this up with my accountant he let me know that I will not be able to claim VAT on this purchase.", + "original_question": "Am I eligible to reclaim VAT on this purchase?" + }, + { + "id": "train-1175", + "question": "Scenario: I own a fast food franchise, currently I only have one location. Recently I began planning on opening a new location after I saw a very well located vacant property for sale. The property is listed for \u00a3200,000 before VAT. Since it is going to be a business expansion expense I plan on reclaiming VAT on it.\n\nQuestion: Do the normal VAT rules apply to this purchase?\n\nDocument - Reclaiming VAT:\n## What you can and cannot reclaim\n\nYou can usually reclaim the VAT paid on goods and services purchased for use in your business.\n\nIf a purchase is also for personal or private use, you can only reclaim the business proportion of the VAT.\n\nYou must keep records to support your claim and show how you arrived at the business proportion for a purchase. You must also have valid VAT invoices.\n\nFrom 1 April 2019, most businesses will need to keep digital VAT records and use software to submit VAT Returns.\n\n## What you cannot reclaim\n\nYou cannot reclaim VAT for:\n\n- anything that\u2019s only for private use\n\n- goods and services your business uses to make VAT-exempt supplies\n\n- business entertainment costs\n\n- goods sold to you under one of the VAT second-hand margin schemes\n\n- business assets that are transferred to you as a going concern\n\n## Purchases before registration\n\nYou may be able to reclaim VAT paid on goods or services bought before you registered for VAT if the purchases were made within certain time limits.\n\n## Partly exempt businesses\n\nYou need to make separate calculations for purchases that relate to both VAT-exempt and taxable supplies, such as phone bills or accountancy fees.\n\n## Business assets of \u00a350,000 and more\n\nThere are special rules for reclaiming VAT for:\n\n- individual computers and single pieces of computer equipment costing \u00a350,000 or more before VAT\n\n- aircraft, ships and boats costing \u00a350,000 or more before VAT\n\n- land and buildings costing \u00a3250,000 or more before VAT\n\nYou may need to adjust the amount of VAT you reclaim over several years using the Capital Goods Scheme.\n\n## How your VAT refund is repaid\n\nClaim your refund by submitting a VAT Return.\n\nYou need to give your account details to HM Revenue and Customs (HMRC) - even if you\u2019ve already set up a Direct Debit for VAT Returns. Add or change them by going to the registration details in your VAT online account.\n\nYou can also use your online account to view any refund you\u2019re owed, unless you\u2019ve signed up for \u2018Making Tax Digital for VAT\u2019.\n\nYou will usually get your refund within 10 days of HMRC receiving your return but it may take longer. Only contact HMRC if you have not heard anything after 30 days.\n\n## Vehicles and fuel costs\n\n## Buying a new car\n\nYou may be able to reclaim all the VAT on a new car if you use it only for business.\n\nThe car must not be available for private use, and you must be able to show that it is not, for example it\u2019s specified in your employee\u2019s contract.\n\n\u2018Private use\u2019 includes travelling between home and work, unless it\u2019s a temporary place of work.\n\nYou may also be able to claim all the VAT on a new car if it\u2019s mainly used:\n\n- as a taxi\n\n- for driving instruction\n\n- for self-drive hire\n\n## Leasing a car\n\nIf you lease a car, you can usually claim 50% of the VAT. You may be able to reclaim all the VAT if the car is used only for business and is not available for private use, or is mainly used:\n\n- as a taxi\n\n- for driving instruction\n\n## Self-drive hire cars\n\nIf you hire a car to replace a company car that\u2019s off the road, you can usually claim 50% of the VAT on the hire charge.\n\nIf you hire a car for another reason (for example you do not have a company car), you can reclaim all the VAT if all the following apply:\n\n- you hire it for no more than 10 days\n\n- it\u2019s used only for business\n\n- it\u2019s not available for private use\n\n## Commercial vehicles\n\nYou can usually reclaim the VAT for buying a commercial vehicle (like a van, lorry or tractor) if you only use it for business.\n\nIf they\u2019re used only for business, you can also reclaim VAT on:\n\n- motorcycles\n\n- motorhomes and motor caravans\n\n- vans with rear seats (combi vans)\n\n- car-derived vans\n\n## Fuel costs\n\nThere are different ways of reclaiming VAT on fuel, if you do not pay a fixed rate under the Flat Rate Scheme.\n\nYou can reclaim all the VAT on fuel if your vehicle is used only for business. There are 3 ways of handling VAT if you use the vehicle for both business and private purposes. You can:\n\n- reclaim all the VAT and pay the right fuel scale charge for your vehicle\n\n- only reclaim the VAT on fuel you use for business trips - you\u2019ll have to keep detailed mileage records\n\n- choose not to reclaim any VAT, eg if your business mileage is so low that the fuel scale charge would be higher than the VAT you can reclaim\n\nIf you choose not to reclaim VAT on fuel for one vehicle you cannot reclaim VAT on any fuel for vehicles used by your business.\n\n## Additional costs\n\nYou can usually reclaim the VAT for:\n\n- all business-related running and maintenance costs, such as repairs or off-street parking\n\n- any accessories you\u2019ve fitted for business use\n\nYou can do this even if you cannot reclaim VAT on the vehicle itself.\n\n## Used vehicles\n\nThe sales invoice for your used vehicle must show the VAT. You cannot reclaim if it does not, for example if the seller uses the VAT margin scheme.\n\n## Staff travel\n\nYou can reclaim VAT on employee travel expenses for business trips, including meals and accommodation that you pay for.\n\nYou cannot reclaim VAT if you pay your employees a flat rate for expenses.\n\nThere are special rules for motoring expenses.\n\nYou cannot reclaim VAT on entertainment costs.\n\n## Who counts as an employee\n\nThe following people count as employees for VAT reclaims:\n\n- someone directly employed by you (not through an agency)\n\n- directors, partners, any other managers\n\n- self-employed people who are treated as employees (you cannot reclaim on travel expenses for this group)\n\n- helpers or stewards who help run events\n\nThe following people do not count as employees for VAT reclaims:\n\n- shareholders who are not employed by the business\n\n- pensioners and former employees\n\n- someone applying for a job, for example interviewees", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/reclaim-vat", + "answerable": true, + "scenario": "I own a fast food franchise, currently I only have one location. Recently I began planning on opening a new location after I saw a very well located vacant property for sale. The property is listed for \u00a3200,000 before VAT. Since it is going to be a business expansion expense I plan on reclaiming VAT on it.", + "original_question": "Do the normal VAT rules apply to this purchase?" + }, + { + "id": "train-1182", + "question": "Scenario: we are a hospitality company. over the past year because of reduced visitor numbers we have recorded financial losses and have had to let some staff go.\n\nQuestion: do we have to file a return if we made a loss ?\n\nDocument - Company Tax Returns:\n## Overview\n\nYour company or association must file a Company Tax Return if you get a \u2018notice to deliver a Company Tax Return\u2019 from HM Revenue and Customs (HMRC).\n\nYou must still send a return if you make a loss or have no Corporation Tax to pay.\n\nYou do not send a Company Tax Return if you\u2019re self-employed as a sole trader or in a partnership - but you must send a Self Assessment return.\n\n## What it involves\n\nWhen you file your tax return, you work out your:\n\n- profit or loss for Corporation Tax (this is different from the profit or loss shown in your annual accounts)\n\n- Corporation Tax bill\n\nYou can either get an accountant to prepare and file your tax return or do it yourself.\n\nIf you have a limited company, you may be able to file your accounts with Companies House at the same time as your tax return.\n\n## Deadlines\n\nThe deadline for your tax return is 12 months after the end of the accounting period it covers. You\u2019ll have to pay a penalty if you miss the deadline.\n\nThere\u2019s a separate deadline to pay your Corporation Tax bill. It\u2019s usually 9 months and one day after the end of the accounting period.\n\n## Penalties for late filing\n\nYou\u2019ll have to pay penalties if you do not file your Company Tax Return by the deadline.\n\n| Time after your deadline | Penalty |\n\n| 1 day | \u00a3100 |\n\n| 3 months | Another \u00a3100 |\n\n| 6 months | HM Revenue and Customs (HMRC) will estimate your Corporation Tax bill and add a penalty of 10% the unpaid tax |\n\n| 12 months | Another 10% of any unpaid tax |\n\nIf your tax return is late 3 times in a row, the \u00a3100 penalties are increased to \u00a3500 each.\n\n## If your tax return is more than 6 months late\n\nIf your tax return is 6 months late, HMRC will write telling you how much Corporation Tax they think you must pay. This is called a \u2018tax determination\u2019. You cannot appeal against it.\n\nYou must pay the Corporation Tax due and file your tax return. HMRC will recalculate the interest and penalties you need to pay.\n\n## Appeals\n\nIf you have a reasonable excuse, you can appeal against a late filing penalty by writing to your company\u2019s Corporation Tax office.\n\nCheck recent tax forms or letters from HMRC for your Corporation Tax office address or call the Corporation Tax helpline.\n\n## Making changes\n\nYou must usually make any changes (\u2018amendments\u2019) within 12 months of the filing deadline.\n\nYou can:\n\n- log in to HM Revenue and Customs (HMRC) online services to amend your Company Tax Return\n\n- use commercial software\n\n- send a paper return or write to your company\u2019s Corporation Tax office\n\nCheck recent tax forms or letters from HMRC for the Corporation Tax office address or call the helpline.\n\nHMRC may charge you a penalty for errors.\n\nHMRC can make a compliance check to check for errors in your Company Tax Return.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/company-tax-returns", + "answerable": true, + "scenario": "we are a hospitality company. over the past year because of reduced visitor numbers we have recorded financial losses and have had to let some staff go.", + "original_question": "do we have to file a return if we made a loss ?" + }, + { + "id": "train-1185", + "question": "Scenario: My brother and I own a big family house and we would like to sell it so that we can share the money amongst ourselves. We inherited it through a will and it was our main home.\n\nQuestion: If we sell it can we qualify for a private residential relief?\n\nDocument - Capital Gains Tax for business:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) all or part of a business asset.\n\nBusiness assets you may need to pay tax on include:\n\n- land and buildings\n\n- fixtures and fittings\n\n- plant and machinery, for example a digger\n\n- shares\n\n- registered trademarks\n\n- your business\u2019s reputation\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nYou pay Capital Gains Tax if you\u2019re a self-employed sole trader or in a business partnership. Other organisations like limited companies pay Corporation Tax on profits from selling their assets.\n\n## When you do not pay it\n\nYou do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your business asset and what you sold it for.\n\nUse the market value instead if:\n\n- you gave it away (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited the asset (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\nIf the asset was given to you and you claimed Gift Hold-Over Relief, use the amount it was originally bought for to work out your gain. If you paid less than it was worth, use the amount you paid for it.\n\n## Deduct costs\n\nYou can deduct certain costs of buying, selling or improving your asset from your gain.\n\nCosts you can deduct include:\n\n- fees, for example for valuing or advertising assets\n\n- costs to improve assets (but not normal repairs)\n\n- Stamp Duty Land Tax and VAT (unless you can reclaim the VAT)\n\nYou cannot deduct certain costs. These include:\n\n- interest on a loan to buy your asset\n\n- costs you can claim as business expenses\n\nContact HM Revenue and Customs (HMRC) if you\u2019re not sure whether you can deduct a certain cost.\n\n## Apply reliefs\n\nYou may be able to reduce or delay paying tax on your gains if you\u2019re eligible for tax relief.\n\n## Work out if you need to pay\n\nWhen you know your gain you need to work out if you need to report and pay Capital Gains Tax.\n\nIf you\u2019re in a business partnership:\n\n- work out your share of each gain or loss\n\n- the nominated partner must fill in form SA803\n\nYou can get help with working out your tax, for example from an accountant.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\n## Tax relief\n\nYou may be able to reduce or delay the amount of Capital Gains Tax you have to pay if you\u2019re eligible for tax relief.\n\n| Relief | Description | Eligibility |\n\n| Entrepreneurs\u2019 Relief | Pay 10% Capital Gains Tax on qualifying profits if you sell all or part of your business (instead of the normal rates) | For sole traders, business partners or those with shares in a \u2018personal company\u2019 |\n\n| Business Asset Rollover Relief | Delay paying Capital Gains Tax when you sell or dispose of some types of asset if you replace them | Buy the new asset within 3 years of disposing of the old one. Use the old and new assets in your business |\n\n| Incorporation Relief | Delay paying Capital Gains Tax when you transfer your business to a company | Transfer all your business and its assets (except cash) in return for shares in the company |\n\n| Gift Hold-Over Relief | Pay no Capital Gains Tax if you give away a business asset - the person you gave it to pays tax when they sell it | You used the business asset for trading as a sole trader or partner |\n\n## Tax relief when you sell your home\n\nYou normally get Private Residence Relief when you sell or dispose of your main home, meaning you do not pay any Capital Gains Tax.\n\nIf you\u2019ve used any part of your home just for business, you have to pay Capital Gains Tax on that part when you sell your home.\n\n## Disincorporation relief\n\nYou may be able to claim Disincorporation Relief if you become a partnership or sole trader having been a limited company.\n\nIf you acquire the company\u2019s assets when it changes its business structure, you may have to pay Capital Gains Tax if you sell or dispose of them later - you\u2019ll use their value, including any Disincorporation Relief, when you acquired them.\n\nYou can get help from an accountant or tax adviser.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/capital-gains-tax-businesses", + "answerable": true, + "scenario": "My brother and I own a big family house and we would like to sell it so that we can share the money amongst ourselves. We inherited it through a will and it was our main home.", + "original_question": "If we sell it can we qualify for a private residential relief?" + }, + { + "id": "train-1186", + "question": "Scenario: I am a doctor. One of my patients recently died during an extremely busy shift (we had 5 times the usual number of patients due to COVID). I realized I missed a note about the patient's condition when filling out the death certificate.\n\nQuestion: Can I change the death certificate to fix my mistake?\n\nDocument - Correct a death registration:\n## What corrections can be made\n\nYou cannot change a death certificate once it\u2019s been issued, but you can apply to get a note added to the original entry in the death register.\n\nYou can then get an updated certificate issued that shows this note.\n\nCorrections to a death registration can only be made when the information is wrong (for example a mistake in spelling a person\u2019s name).\n\n## What the correction looks like\n\nThe original information will always be shown in the death register. After the correction has been authorised, a note will be added to the margin of the register. This will explain what the correct information is and when the correction was made.\n\nIf you apply for a new death certificate, the note containing the correct information will be in the margin.\n\n## Who can apply\n\nAnyone can apply to correct a death entry.\n\nHowever, the General Register Office (GRO) will usually need a letter from the person who gave information for the death to be registered before considering a correction.\n\n## How to apply\n\nIt costs \u00a375 or \u00a390 to apply to correct a mistake in a death registration.\n\nContact the register office where the death was registered to find out how to send your application, the cost, and how to pay.\n\nFill in the application form to correct details on a death registration and send it to the register office.\n\n## Proving the registration is wrong\n\nYou\u2019ll need to show that the information given at the time of the registration was wrong. You must send in documents with your application that show what the correct information should have been. These documents should be valid or dated around the time of the death.\n\nDocuments you can send in include a:\n\n- passport\n\n- photocard driving licence\n\n- bank, building society or credit card statement\n\n- letter from a hospital or doctor\n\n- letter from a government department\n\n- utility bill\n\nIf you cannot send in proof, corrections cannot usually be made.\n\nAll certified copies sent with the application will be destroyed if you do not ask for them to be returned.\n\n## Sending in certified documents\n\nYou should only send in documents that have been certified as true copies of the original.\n\n## Witnessing the correction\n\nIf the correction is being made at your register office, you need to arrange an appointment with them. When you go in you\u2019ll witness the correction and sign the note made in the death register.\n\nIf you\u2019re applying to the GRO to make the correction, you can say on the application form if you want to witness the correction.\n\n## Statutory declaration\n\nIf you\u2019re applying to correct a serious mistake (for example in the name of a person), the GRO may ask you to make a \u2018statutory declaration\u2019. GRO will give you more advice about this if it is necessary.\n\nYou may have to pay a fee for a statutory declaration.\n\n## How long applications take\n\nThere is not a set time for how long applications will take. It can take up to 25 days for you to get a reply.\n\n## Advice\n\nIf you want further advice on applying to make a correction, contact the register office or the General Register Office (GRO).", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/correcting-a-death-registration", + "answerable": true, + "scenario": "I am a doctor. One of my patients recently died during an extremely busy shift (we had 5 times the usual number of patients due to COVID). I realized I missed a note about the patient's condition when filling out the death certificate.", + "original_question": "Can I change the death certificate to fix my mistake?" + }, + { + "id": "train-1189", + "question": "Scenario: We started a transport company business with my business partner last year and we have witnessed a total turnover of \u00a390,000.\n\nQuestion: Is that amount vatable and can we register for VAT?\n\nDocument - Set up a business partnership:\n## Setting up\n\nIn a partnership, you and your partner (or partners) personally share responsibility for your business. This includes:\n\n- any losses your business makes\n\n- bills for things you buy for your business, like stock or equipment\n\nPartners share the business\u2019s profits, and each partner pays tax on their share.\n\nA partner does not have to be an actual person. For example, a limited company counts as a \u2018legal person\u2019 and can also be a partner.\n\n## What you need to do\n\nWhen you set up a business partnership you need to:\n\n- choose a name\n\n- choose a \u2018nominated partner\u2019\n\n- register with HM Revenue and Customs (HMRC)\n\nThe \u2018nominated partner\u2019 is responsible for managing the partnership\u2019s tax returns and keeping business records.\n\nThere are different rules for limited partnerships and limited liability partnerships (LLPs).\n\n## Naming your partnership\n\nYou can trade under your own names, or you can choose another name for your business. You do not need to register your name.\n\nYou must include all the partners\u2019 names and the business name (if you have one) on official paperwork, for example invoices and letters.\n\n## Business names\n\nBusiness partnership names must not:\n\n- include \u2018limited\u2019, \u2018Ltd\u2019, \u2018limited liability partnership, \u2018LLP\u2019, \u2018public limited company\u2019 or \u2018plc\u2019\n\n- be offensive\n\n- be the same as an existing trade mark\n\nYour name also cannot contain a \u2018sensitive\u2019 word or expression, or suggest a connection with government or local authorities, unless you get permission.\n\nCheck which words you need permission to use, and who from.\n\nYou\u2019ll need to register your name as a trade mark if you want to stop people from trading under your business name.\n\n## Register the partnership\n\nYou must register your partnership for Self Assessment with HM Revenue and Customs (HMRC) if you\u2019re the \u2018nominated partner\u2019. This means you\u2019re responsible for sending the partnership tax return.\n\nThe other partners need to register separately.\n\nRegister a partner or partnership\n\nAll partners also need to send their own tax returns as individuals.\n\nYou must register by 5 October in your business\u2019s second tax year, or you could be charged a penalty.\n\n## Other ways to register\n\nYou can also register the partnership using form SA400 if you cannot register online. You can register as a partner using form SA401.\n\n## Registering for VAT\n\nYou must also register for VAT if your VAT taxable turnover is more than \u00a385,000. You can choose to register if it\u2019s below this, for example to reclaim VAT on business supplies.\n\nYou can appoint an agent to deal with HMRC on your behalf.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/set-up-business-partnership", + "answerable": true, + "scenario": "We started a transport company business with my business partner last year and we have witnessed a total turnover of \u00a390,000.", + "original_question": "Is that amount vatable and can we register for VAT?" + }, + { + "id": "train-1190", + "question": "Scenario: my sister gave up her son for adoption twenty years ago. i'd like very much to get to know my nephew who is a young man now.\n\nQuestion: can i find out where my nephew was adopted ?\n\nDocument - Adoption records:\n## Accessing your birth records\n\nYou can access your birth records if you don\u2019t have them because you were adopted.\n\nYou need to be 18 or over to do this.\n\nEveryone adopted before 12 November 1975 will need to attend a counselling session with an approved adoption advisor first.\n\n## You know your birth details\n\nYou can order a copy of your original birth certificate from the General Register Office.\n\nFor adoptions outside England or Wales you need to contact the General Register Office where you were adopted.\n\n## You don\u2019t know your birth details\n\nYou need to fill in an application for Birth certificate Information Before Adoption (BIBA) service if you don\u2019t know your birth details. Which application form you fill in depends on if you live:\n\n- in the UK\n\n- outside the UK\n\nPost or email the form to:\n\n## The Adoption Contact Register\n\nYou can add yourself to the Adoption Contact Register at the General Register Office to:\n\n- find a birth relative or an adopted person\n\n- say you don\u2019t want to be contacted\n\nThis is not a tracing service - for a connection to be made between people, you must both be on the Adoption Contact Register.\n\n## Find birth relatives if you were adopted\n\nYou can add yourself to the Adoption Contact Register if you\u2019re 18 or over and your birth or adoption was registered with the General Register Office.\n\nYou need to fill in form CR part 1 to add yourself to the register. Read guidance notes on how to complete the form.\n\nYou need:\n\n- your original birth name\n\n- your date of birth\n\n- the full name(s) of your birth mother (and birth father if known)\n\nThe fee is \u00a315 - instructions on how to pay are on form CR part 1.\n\n## Find someone who was adopted if you\u2019re a birth relative\n\nYou can add yourself to the register to try to find an adopted person by filling in form CR part 2. Read guidance notes on how to complete the form. You\u2019ll only be able to find people who have also added themselves to it.\n\nYou need to be 18 or over.\n\nThe fee is \u00a330 - instructions on how to pay are on form CR part 2.\n\nYou can also use this form if you are an adopted person looking for other adopted siblings.\n\nYou can also apply to make contact with an adopted person through an approved intermediary agency.\n\n## More information\n\nContact the Adoptions Section of the HM Passport Office.\n\n## Intermediary agencies\n\nYou can use an intermediary agency to help you trace a birth relative if you were adopted or you\u2019re related to someone who has been adopted. The fee for the service depends on the agency.\n\nYou can use an intermediary agency if:\n\n- you were adopted before 30 December 2005\n\n- a relative of yours (including a relative by adoption) was adopted before 30 December 2005\n\nWhen an intermediary agency finds a person, you can only contact them if they agree to it. If they don\u2019t agree, the agency won\u2019t tell you their name or whereabouts but might be able to share some information, like:\n\n- their domestic or family circumstances\n\n- their general health and well-being\n\n## If you don\u2019t want to be contacted\n\nAdopted people and birth relatives can use the Adoption Contact Register to say that they don\u2019t want to be contacted.\n\nTell your agency and register a veto if you don\u2019t want to be approached by an intermediary agency. There are 2 types of veto called an \u2018absolute veto\u2019 and a \u2018qualified veto\u2019.\n\n## An \u2018absolute veto\u2019\n\nThis means an intermediary agency can\u2019t approach you under any circumstances (your adoption agency can still pass on information to you, for example about a hereditary medical condition or details of an inheritance).\n\n## A \u2018qualified veto\u2019\n\nThis means you can say when you would be prepared to be contacted, for example you could say that an approach on behalf of your birth parent wouldn\u2019t be acceptable, but an approach by a sibling would.\n\n## More help and information\n\nFor further information on intermediary services you can contact:\n\n- General Register Office\n\n- the adoption team at your local council\n\n- a voluntary adoption agency\n\n- an adoption support agency", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/adoption-records", + "answerable": true, + "scenario": "my sister gave up her son for adoption twenty years ago. i'd like very much to get to know my nephew who is a young man now.", + "original_question": "can i find out where my nephew was adopted ?" + }, + { + "id": "train-1191", + "question": "Scenario: i come from a very happy and secure home. i know that i am adopted but i'm very satisfied with my adopted family.\n\nQuestion: can i refuse to be contacted by my birth parents ?\n\nDocument - Adoption records:\n## Accessing your birth records\n\nYou can access your birth records if you don\u2019t have them because you were adopted.\n\nYou need to be 18 or over to do this.\n\nEveryone adopted before 12 November 1975 will need to attend a counselling session with an approved adoption advisor first.\n\n## You know your birth details\n\nYou can order a copy of your original birth certificate from the General Register Office.\n\nFor adoptions outside England or Wales you need to contact the General Register Office where you were adopted.\n\n## You don\u2019t know your birth details\n\nYou need to fill in an application for Birth certificate Information Before Adoption (BIBA) service if you don\u2019t know your birth details. Which application form you fill in depends on if you live:\n\n- in the UK\n\n- outside the UK\n\nPost or email the form to:\n\n## The Adoption Contact Register\n\nYou can add yourself to the Adoption Contact Register at the General Register Office to:\n\n- find a birth relative or an adopted person\n\n- say you don\u2019t want to be contacted\n\nThis is not a tracing service - for a connection to be made between people, you must both be on the Adoption Contact Register.\n\n## Find birth relatives if you were adopted\n\nYou can add yourself to the Adoption Contact Register if you\u2019re 18 or over and your birth or adoption was registered with the General Register Office.\n\nYou need to fill in form CR part 1 to add yourself to the register. Read guidance notes on how to complete the form.\n\nYou need:\n\n- your original birth name\n\n- your date of birth\n\n- the full name(s) of your birth mother (and birth father if known)\n\nThe fee is \u00a315 - instructions on how to pay are on form CR part 1.\n\n## Find someone who was adopted if you\u2019re a birth relative\n\nYou can add yourself to the register to try to find an adopted person by filling in form CR part 2. Read guidance notes on how to complete the form. You\u2019ll only be able to find people who have also added themselves to it.\n\nYou need to be 18 or over.\n\nThe fee is \u00a330 - instructions on how to pay are on form CR part 2.\n\nYou can also use this form if you are an adopted person looking for other adopted siblings.\n\nYou can also apply to make contact with an adopted person through an approved intermediary agency.\n\n## More information\n\nContact the Adoptions Section of the HM Passport Office.\n\n## Intermediary agencies\n\nYou can use an intermediary agency to help you trace a birth relative if you were adopted or you\u2019re related to someone who has been adopted. The fee for the service depends on the agency.\n\nYou can use an intermediary agency if:\n\n- you were adopted before 30 December 2005\n\n- a relative of yours (including a relative by adoption) was adopted before 30 December 2005\n\nWhen an intermediary agency finds a person, you can only contact them if they agree to it. If they don\u2019t agree, the agency won\u2019t tell you their name or whereabouts but might be able to share some information, like:\n\n- their domestic or family circumstances\n\n- their general health and well-being\n\n## If you don\u2019t want to be contacted\n\nAdopted people and birth relatives can use the Adoption Contact Register to say that they don\u2019t want to be contacted.\n\nTell your agency and register a veto if you don\u2019t want to be approached by an intermediary agency. There are 2 types of veto called an \u2018absolute veto\u2019 and a \u2018qualified veto\u2019.\n\n## An \u2018absolute veto\u2019\n\nThis means an intermediary agency can\u2019t approach you under any circumstances (your adoption agency can still pass on information to you, for example about a hereditary medical condition or details of an inheritance).\n\n## A \u2018qualified veto\u2019\n\nThis means you can say when you would be prepared to be contacted, for example you could say that an approach on behalf of your birth parent wouldn\u2019t be acceptable, but an approach by a sibling would.\n\n## More help and information\n\nFor further information on intermediary services you can contact:\n\n- General Register Office\n\n- the adoption team at your local council\n\n- a voluntary adoption agency\n\n- an adoption support agency", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/adoption-records", + "answerable": true, + "scenario": "i come from a very happy and secure home. i know that i am adopted but i'm very satisfied with my adopted family.", + "original_question": "can i refuse to be contacted by my birth parents ?" + }, + { + "id": "train-1192", + "question": "Scenario: I'm Eric living in England. My wife has recently given birth to a baby boy. I don't understand my rights and this is all new to me.\n\nQuestion: Do I qualify for parental responsibility?\n\nDocument - Parental rights and responsibilities:\n## What is parental responsibility?\n\nAll mothers and most fathers have legal rights and responsibilities as a parent - known as \u2018parental responsibility\u2019.\n\nIf you have parental responsibility, your most important roles are to:\n\n- provide a home for the child\n\n- protect and maintain the child\n\nYou\u2019re also responsible for:\n\n- disciplining the child\n\n- choosing and providing for the child\u2019s education\n\n- agreeing to the child\u2019s medical treatment\n\n- naming the child and agreeing to any change of name\n\n- looking after the child\u2019s property\n\nParents have to ensure that their child is supported financially, whether they have parental responsibility or not.\n\n## Parental responsibility for separated parents\n\nIf you have parental responsibility for a child but you do not live with them, it does not mean you have a right to spend time with your children. However, the other parent must include you when making important decisions about their lives.\n\nYou do not always need to get the consent of the other parent for routine decisions, even if they also have parental responsibility.\n\nIf it\u2019s a major decision (for example, one of you wants to move abroad with your children) both parents with responsibility must agree in writing.\n\nYou can apply for a Specific Issue Order or Prohibited Steps Order if you cannot agree. A judge will then make a decision which is in your children\u2019s best interests.\n\nYou must make sure your children are financially supported, whether you have parental responsibility or not.\n\nYou can get help to arrange contact with your children.\n\n## Who has parental responsibility\n\nA mother automatically has parental responsibility for her child from birth.\n\nA father usually has parental responsibility if he\u2019s either:\n\n- married to the child\u2019s mother\n\n- listed on the birth certificate (after a certain date, depending on which part of the UK the child was born in)\n\nYou can apply for parental responsibility if you do not automatically have it.\n\n## Births registered in England and Wales\n\nIf the parents of a child are married when the child is born, or if they\u2019ve jointly adopted a child, both have parental responsibility.\n\nThey both keep parental responsibility if they later divorce.\n\n## Unmarried parents\n\nAn unmarried father can get parental responsibility for his child in 1 of 3 ways:\n\n- jointly registering the birth of the child with the mother (from 1 December 2003)\n\n- getting a parental responsibility agreement with the mother\n\n- getting a parental responsibility order from a court\n\n## Births registered in Scotland\n\nA father has parental responsibility if he\u2019s married to the mother when the child is conceived, or marries her at any point afterwards.\n\nAn unmarried father has parental responsibility if he\u2019s named on the child\u2019s birth certificate (from 4 May 2006).\n\n## Births registered in Northern Ireland\n\nA father has parental responsibility if he\u2019s married to the mother at the time of the child\u2019s birth.\n\nIf a father marries the mother after the child\u2019s birth, he has parental responsibility if he lives in Northern Ireland at the time of the marriage.\n\nAn unmarried father has parental responsibility if he\u2019s named, or becomes named, on the child\u2019s birth certificate (from 15 April 2002).\n\n## Births registered outside the UK\n\nIf a child is born overseas and comes to live in the UK, parental responsibility depends on the UK country they\u2019re now living in.\n\n## Same-sex parents\n\n## Civil partners\n\nSame-sex partners will both have parental responsibility if they were civil partners at the time of the treatment, eg donor insemination or fertility treatment.\n\n## Non-civil partners\n\nFor same-sex partners who are not civil partners, the 2nd parent can get parental responsibility by either:\n\n- applying for parental responsibility if a parental agreement was made\n\n- becoming a civil partner of the other parent and making a parental responsibility agreement or jointly registering the birth\n\n## Apply for parental responsibility\n\nIf you\u2019re not the mother, you can apply to court to get parental responsibility.\n\nYou need to be connected to the child, for example as their father, step-parent or 2nd female parent.\n\nMore than 2 people can have parental responsibility for the same child.\n\nScotland has its own set of rules, covered under \u2018ordinary cause procedures\u2019.\n\n## Sign a parental responsibility agreement\n\nIf you\u2019re a father who wants parental responsibility and the mother agrees, fill in a parental responsibility agreement.\n\nThere\u2019s a different agreement form for step parents.\n\nTake the agreement to your local family court where it can be signed and witnessed.\n\nAlso take the child\u2019s birth certificate and proof of your identity, like a passport or driving licence.\n\nSend 2 copies of the form to the address below:\n\n## Apply for a court order\n\nIf you want parental responsibility but cannot agree on arrangements with the mother, you can apply for a court order.\n\nA court order costs \u00a3215.\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\nTo apply, fill in the application for an order (C1).\n\nSend this to your local family court.\n\nIf you and your partner use a surrogate to have a child, you\u2019ll need to apply for a parental order.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/parental-rights-responsibilities", + "answerable": true, + "scenario": "I'm Eric living in England. My wife has recently given birth to a baby boy. I don't understand my rights and this is all new to me.", + "original_question": "Do I qualify for parental responsibility?" + }, + { + "id": "train-1194", + "question": "Scenario: i was in an abusive relationship that ended bitterly. i did not wish to interact with my partner any longer and applied for child maintenance from the state which was denied.\n\nQuestion: can i challenge the decision of my application for child maintenance ?\n\nDocument - Challenge a benefit decision (mandatory reconsideration):\n## Eligibility\n\nIf you disagree with a decision about benefits, tax credits or child maintenance you can ask for the decision to be looked at again - this is called \u2018mandatory reconsideration\u2019.\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou can do this if any of the following apply:\n\n- you think the office dealing with your claim has made an error or missed important evidence\n\n- you disagree with the reasons for the decision\n\n- you want to have the decision looked at again\n\nSome decisions cannot be reconsidered. Others can go straight to an appeal. Your original decision letter will say if this applies to you.\n\nYou need to ask for mandatory reconsideration within one month of the date of the decision.\n\n## Benefits this applies to\n\nYou can ask for mandatory reconsideration for benefits including:\n\n- Attendance Allowance\n\n- Bereavement Allowance\n\n- Carer\u2019s Allowance\n\n- Carer\u2019s Credit\n\n- child maintenance (sometimes known as \u2018child support\u2019)\n\n- Compensation Recovery Scheme (including NHS recovery claims)\n\n- Diffuse Mesotheliomia Payment Scheme\n\n- Disability Living Allowance\n\n- Employment and Support Allowance (ESA)\n\n- Funeral Expenses Payment\n\n- Income Support\n\n- Industrial Injuries Disablement Benefit\n\n- Jobseeker\u2019s Allowance (JSA)\n\n- Maternity Allowance\n\n- Pension Credit\n\n- Personal Independence Payment (PIP)\n\n- Sure Start Maternity Grant\n\n- Universal Credit (including advance payments)\n\n- Winter Fuel Payment\n\nThere\u2019s a different process for Child Benefit, Tax-Free Childcare and 30 hours free childcare, Guardian\u2019s Allowance, tax credits, Housing Benefit and Vaccine Damage Payment.\n\n## How to ask for mandatory reconsideration\n\nContact the benefits office that gave you the decision. You can contact them:\n\n- by phone\n\n- by letter\n\n- by filling in and returning a form\n\nThe contact details are on your decision letter.\n\nYou need to ask for mandatory reconsideration within one month of the date on your decision letter. If you\u2019re writing, the letter or form must arrive by then.\n\nIf you do not have your decision letter, contact the office where you applied for the benefit.\n\nThere\u2019s a different process for Child Benefit, Tax-Free Childcare and 30 hours free childcare, Guardian\u2019s Allowance, tax credits, Housing Benefit and Vaccine Damage Payment.\n\n## If you get Universal Credit\n\nIf you get Universal Credit you can use your journal to ask for mandatory reconsideration.\n\nIf you\u2019re unable to use your journal, you can ask for mandatory reconsideration in any of the following ways:\n\n- writing to the address on your decision letter\n\n- filling in and returning a form\n\n- calling the Universal Credit helpline\n\n## Before you ask for mandatory reconsideration\n\nIf you\u2019re not sure whether to ask for mandatory reconsideration or what evidence to give, call the benefits office dealing with your claim. They\u2019ll be able to explain the reason for your benefit decision and answer any questions.\n\nYou can still ask for mandatory reconsideration after you\u2019ve spoken to your benefits office.\n\n## If you want an explanation in writing\n\nYou can ask for a written explanation from the benefits office dealing with your claim - known as a \u2018written statement of reasons\u2019.\n\nYou do not need to do this for Personal Independence Payment - your decision letter will include a written statement.\n\nYou can still ask for mandatory reconsideration, but must do this within 14 days of the date on your written statement of reasons.\n\n## Applying after one month\n\nYou can ask for mandatory reconsideration after this but it must be for a good reason, for example if you\u2019ve been in hospital or had a bereavement. You must explain why your request is late.\n\nCall the phone number on your decision letter first.\n\n## What you need to provide\n\nYou need to give:\n\n- the date of the original benefit decision\n\n- your name and address\n\n- your date of birth\n\n- your National Insurance number\n\nExplain what part of the decision is wrong and why.\n\n## If you want to send evidence\n\nThis needs to shows why the decision was wrong. It could, for example, be:\n\n- new medical evidence\n\n- reports or care plans from specialists, therapists or nurses\n\n- bank statements or payslips\n\nOnly include evidence you have not already sent.\n\nWrite your full name, date of birth and National Insurance number at the top of each bit of evidence and send it to the benefit office where you applied for your benefit.\n\nYou cannot claim back the cost of any evidence you pay for.\n\nIt will not help your claim to include:\n\n- general information about your condition - for example factsheets, medical certificates or sick notes\n\n- appointment cards or letters about medical appointments, unless you could not claim your benefit because you were at the appointment\n\n- letters about tests that you\u2019re due to have\n\nIf you\u2019re not sure what evidence to send, read the guidance for the request form. You can also call the number on your decision letter.\n\n## What happens next\n\nThe benefits office that gave you the original benefit decision will reconsider it - you\u2019ll get a \u2018mandatory reconsideration notice\u2019 telling you whether they\u2019ve changed the decision. It\u2019ll explain the reasons for that decision and the evidence it was based on.\n\nYour benefit may increase, decrease, stop or stay the same following mandatory reconsideration.\n\n## If you disagree with the outcome\n\nYou can appeal to the Social Security and Child Support Tribunal if you think the decision in the mandatory reconsideration notice is wrong. The tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\nYou usually need to do this within one month of the date of your mandatory reconsideration notice.\n\nYou cannot appeal to the Social Security and Child Support Tribunal until you get your mandatory reconsideration notice.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/mandatory-reconsideration", + "answerable": true, + "scenario": "i was in an abusive relationship that ended bitterly. i did not wish to interact with my partner any longer and applied for child maintenance from the state which was denied.", + "original_question": "can i challenge the decision of my application for child maintenance ?" + }, + { + "id": "train-1197", + "question": "Scenario: We are a vehicle spare parts dealer company and supplied spare parts to one of our clients. He runs a car dealership business in the U.K. He failed to pay his debt of \u00a350,000 . We have applied for a winding up petition to the courts and it has been granted.\n\nQuestion: Can the court recover our debts?\n\nDocument - Wind up a company that owes you money:\n## Overview\n\nYou can apply to the court to close or \u2018wind up\u2019 a company if it cannot pay its debts. This is also known as compulsory liquidation.\n\nTo wind up a company you must:\n\n- be owed \u00a3750 or more\n\n- be able to prove that the company cannot pay you\n\nYou need to fill in forms and send them to the right court to apply to wind up a company.\n\nYour application to the court is known as a \u2018winding-up petition\u2019. If you\u2019re successful:\n\n- the company assets are sold\n\n- any legal disputes are settled\n\n- the company collects money it\u2019s owed\n\n- funds are paid to you and any other creditors\n\nYou might not get all or any of the money you\u2019re owed.\n\nThere are also other ways to recover money that you\u2019re owed. You can get a debt specialist (like a solicitor) to help you recover debt.\n\n## Fees\n\nThe fees are:\n\n- \u00a3280 - court fees\n\n- \u00a31,600 - petition deposit (to manage the \u2018winding-up\u2019)\n\nYou might be able to get the fees back if the company can afford to repay them.\n\n## Scottish companies\n\nThere are different rules on winding up a company in Scotland.\n\n## Apply\n\nYou must send the right form to the court before they can deal with your petition. You might want to get legal help to make sure you submit your petition correctly.\n\n## Forms\n\nFill in form Comp 1 and make 3 copies.\n\nYou\u2019ll need to:\n\n- make sure the company\u2019s details are correct\n\n- state if any European Community regulations apply (this applies if the company is registered in or does business in England and Wales)\n\n- ask the court to restore the company (if it\u2019s been dissolved) before winding up the company\n\nYou need to provide evidence the company owes you money, for example:\n\n- a statutory demand - include the amount and date the demand was served\n\n- a court judgment - include the amount awarded (and your costs and interest), the date of the judgment, the court name and case number\n\nYou\u2019ll also need to fill in form Comp 2 confirming the details of your petition.\n\n## Where to send the petition\n\nWhere you send the petition depends on how much \u2018paid-up share capital\u2019 the company has - you can find this on the Companies House register.\n\n## Paid-up share capital is \u00a3120,000 or more\n\nSubmit the petition online. It\u2019ll go to the High Court.\n\nYou pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.\n\n## Paid-up share capital is under \u00a3120,000\n\nYou\u2019ll need to find the court nearest to the company\u2019s registered office - the court must deal with bankruptcy.\n\nSubmit the petition online if it\u2019s one of these courts:\n\n- Admiralty and Commercial Court\n\n- Chancery Division\n\n- Companies Court\n\n- High Court (including Bankruptcy Court)\n\n- London Mercantile Court\n\n- Rolls Building\n\nYou pay the court fees online, but not the petition deposit. You\u2019ll get an email after you apply, telling you how to pay the deposit.\n\nIf it was another court you\u2019ll need to submit the petition by post. You can pay the fees by cash, postal order or a building society, bank or solicitor\u2019s cheque made payable to \u2018HM Courts and Tribunals Service\u2019.\n\n## After you apply\n\nYou\u2019ll get a copy of your petition from the court after you pay the petition deposit. You must:\n\n- deliver (\u2018serve\u2019) it to a company director or employee\n\n- provide a certificate of service to the court confirming that the petition has been served on the company\n\nYou can get a \u2018process server\u2019 to help you - your solicitor can arrange this.\n\nYou can serve the petition by attaching it to the company\u2019s front door or leaving it at the office if you cannot serve it in person.\n\nThe day after you serve the petition, send a copy to the relevant liquidator, administrative receiver, administrator or supervisor if the company is involved in:\n\n- voluntary liquidation\n\n- administrative receivership\n\n- an administration order\n\n- a voluntary arrangement\n\n## The court hearing\n\nIf the court accepts your petition, they\u2019ll arrange a date for a hearing.\n\n## Announce the hearing\n\nWhen you\u2019re given a date for the hearing, you must formally announce when and where it will take place.\n\n- At least 7 working days before the hearing, place an advert in The Gazette to say the petition has been served.\n\n- Send a copy of the advert and form Comp 3 to the court at least 5 working days before the hearing.\n\n- Give a list of everyone who will be attending to the court by 4:30pm on the day before the hearing.\n\nThe advert must state:\n\n- that you\u2019ve presented a petition to wind up the company\n\n- your name and address\n\n- your solicitor\u2019s name and address (if you have one)\n\n- the date you presented the petition\n\n- the court where the hearing will take place\n\n- that anyone wanting to come to the hearing must give notice\n\n## After the hearing\n\nIf the petition is successful, the court will issue a winding-up order.\n\nThe court will put an official receiver in charge of the liquidation. They\u2019ll start the process of turning the company\u2019s assets into money that can be used to pay the company\u2019s debts.\n\nOther creditors can register to claim the money they\u2019re owed.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/wind-up-a-company-that-owes-you-money", + "answerable": true, + "scenario": "We are a vehicle spare parts dealer company and supplied spare parts to one of our clients. He runs a car dealership business in the U.K. He failed to pay his debt of \u00a350,000 . We have applied for a winding up petition to the courts and it has been granted.", + "original_question": "Can the court recover our debts?" + }, + { + "id": "train-1200", + "question": "Scenario: I am due in court in two months on motoring offence charges. I intend to represent myself as I think that the case is fairly straightforward and I do not want to waste money on legal representation.\n\nQuestion: Do I have to hire a representative at the court?\n\nDocument - Represent yourself in court:\n## Overview\n\nYou have the right to speak for yourself in court without a solicitor or other legal professional.\n\nYou may choose to do this because:\n\n- you think it\u2019s better to talk directly to the judge, jury or magistrates yourself\n\n- you cannot afford to pay legal fees\n\nIf you\u2019re considering representing yourself because you cannot afford legal costs, check if you can get legal aid instead.\n\nYou\u2019ll be known as a \u2018litigant in person\u2019 if you represent yourself. You\u2019ll also be known as an \u2018applicant\u2019, \u2018respondent\u2019 or \u2018defendant\u2019 depending on whether your case is heard in a family, civil or criminal court.\n\nRead Advicenow\u2019s guides to going to court for advice on how to conduct your case.\n\nThere are different courts and rules in Scotland.\n\n## Someone with you in court\n\nYou may be allowed to have someone to help you in court by taking notes and giving advice, but they cannot:\n\n- speak for you\n\n- interfere with proceedings\n\n- sign documents on your behalf\n\nThis person is known as a \u2018McKenzie friend\u2019.\n\nThe judge will decide whether you can have a McKenzie friend with you in court.\n\nRead guidance on what a McKenzie friend can and cannot do.\n\n## Get legal advice\n\nYou can still get legal advice to help you with your case, even if you choose to represent yourself in court.\n\nFind a solicitor.\n\nRead advice on what you should consider before going to court for a debt, dispute or personal injury claim.\n\n## Divorce and separation involving children\n\nYou\u2019ll be referred to as the \u2018applicant\u2019 if you brought the case, for example you filed the divorce papers.\n\nYou\u2019ll be known as the \u2018respondent\u2019 if you\u2019ve received divorce papers or a request for a separation, or a contact order or residence order for a child.\n\n## Before you go to court\n\nYou must normally go to mediation before you go to court.\n\nThe court will not hear your case until you send them a C100 form.\n\nRead guidance about whether you should take your case to court.\n\nRead the \u2018Guide for Separated Parents: Children and the Family Courts\u2019.\n\nFind out more about:\n\n- how to apply for a court order\n\n- the types of court order you can apply for or respond to\n\n- what the court does after you apply for a court order\n\n- getting free and independent help with forms and documents\n\n## Divorce and separation: money and property\n\nYou\u2019ll be referred to as the:\n\n- \u2018applicant\u2019 if you brought the case, for example you filed a divorce petition\n\n- \u2018respondent\u2019 if someone else has brought the case\n\nFind out what you must do before you go to court if you\u2019re divorcing or separating and you\u2019ve a dispute about money or property.\n\nYou must normally consider mediation before you go to court.\n\nThe court will not hear your case until you send them a C100 form.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/represent-yourself-in-court", + "answerable": true, + "scenario": "I am due in court in two months on motoring offence charges. I intend to represent myself as I think that the case is fairly straightforward and I do not want to waste money on legal representation.", + "original_question": "Do I have to hire a representative at the court?" + }, + { + "id": "train-1201", + "question": "Scenario: My wife and I are involved in an acrimonious divorce and it has been recommended that I get legal representation. I cannot afford this, however, especially with the uncertainty of whether I will have to pay maintanance and if so how much.\n\nQuestion: Can I represent myself?\n\nDocument - Represent yourself in court:\n## Overview\n\nYou have the right to speak for yourself in court without a solicitor or other legal professional.\n\nYou may choose to do this because:\n\n- you think it\u2019s better to talk directly to the judge, jury or magistrates yourself\n\n- you cannot afford to pay legal fees\n\nIf you\u2019re considering representing yourself because you cannot afford legal costs, check if you can get legal aid instead.\n\nYou\u2019ll be known as a \u2018litigant in person\u2019 if you represent yourself. You\u2019ll also be known as an \u2018applicant\u2019, \u2018respondent\u2019 or \u2018defendant\u2019 depending on whether your case is heard in a family, civil or criminal court.\n\nRead Advicenow\u2019s guides to going to court for advice on how to conduct your case.\n\nThere are different courts and rules in Scotland.\n\n## Someone with you in court\n\nYou may be allowed to have someone to help you in court by taking notes and giving advice, but they cannot:\n\n- speak for you\n\n- interfere with proceedings\n\n- sign documents on your behalf\n\nThis person is known as a \u2018McKenzie friend\u2019.\n\nThe judge will decide whether you can have a McKenzie friend with you in court.\n\nRead guidance on what a McKenzie friend can and cannot do.\n\n## Get legal advice\n\nYou can still get legal advice to help you with your case, even if you choose to represent yourself in court.\n\nFind a solicitor.\n\nRead advice on what you should consider before going to court for a debt, dispute or personal injury claim.\n\n## Divorce and separation involving children\n\nYou\u2019ll be referred to as the \u2018applicant\u2019 if you brought the case, for example you filed the divorce papers.\n\nYou\u2019ll be known as the \u2018respondent\u2019 if you\u2019ve received divorce papers or a request for a separation, or a contact order or residence order for a child.\n\n## Before you go to court\n\nYou must normally go to mediation before you go to court.\n\nThe court will not hear your case until you send them a C100 form.\n\nRead guidance about whether you should take your case to court.\n\nRead the \u2018Guide for Separated Parents: Children and the Family Courts\u2019.\n\nFind out more about:\n\n- how to apply for a court order\n\n- the types of court order you can apply for or respond to\n\n- what the court does after you apply for a court order\n\n- getting free and independent help with forms and documents\n\n## Divorce and separation: money and property\n\nYou\u2019ll be referred to as the:\n\n- \u2018applicant\u2019 if you brought the case, for example you filed a divorce petition\n\n- \u2018respondent\u2019 if someone else has brought the case\n\nFind out what you must do before you go to court if you\u2019re divorcing or separating and you\u2019ve a dispute about money or property.\n\nYou must normally consider mediation before you go to court.\n\nThe court will not hear your case until you send them a C100 form.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/represent-yourself-in-court", + "answerable": true, + "scenario": "My wife and I are involved in an acrimonious divorce and it has been recommended that I get legal representation. I cannot afford this, however, especially with the uncertainty of whether I will have to pay maintanance and if so how much.", + "original_question": "Can I represent myself?" + }, + { + "id": "train-1203", + "question": "Scenario: I want to sell the farm machinery I had let to our agricultural business farm for the last 2 years. I have already sold 3% of my partnership shares. I want to opt out of agricultural business.\n\nQuestion: Will i be able to pay less capital tax gain?\n\nDocument - Business Asset Disposal Relief:\n## Eligibility\n\nYou may be able to pay less Capital Gains Tax when you sell (or \u2018dispose of\u2019) all or part of your business.\n\nBusiness Asset Disposal Relief means you\u2019ll pay tax at 10% on all gains on qualifying assets.\n\nBusiness Asset Disposal Relief was known as Entrepreneurs\u2019 Relief before 6 April 2020.\n\n## If you\u2019re selling all or part of your business\n\nTo qualify for relief, both of the following must apply for at least 2 years up to the date you sell your business:\n\n- you\u2019re a sole trader or business partner\n\n- you\u2019ve owned the business for at least 2 years\n\nThe same conditions apply if you\u2019re closing your business instead. You must also dispose of your business assets within 3 years to qualify for relief.\n\n## If you\u2019re selling shares or securities\n\nTo qualify, both of the following must apply for at least 2 years up to the date you sell your shares:\n\n- you\u2019re an employee or office holder of the company (or one in the same group)\n\n- the company\u2019s main activities are in trading (rather than non-trading activities like investment) - or it\u2019s the holding company of a trading group\n\nThere are also other rules depending on whether or not the shares are from an Enterprise Management Incentive (EMI).\n\n## If the shares are from an EMI\n\nYou must have both:\n\n- bought the shares after 5 April 2013\n\n- been given the option to buy them at least 2 years before selling them\n\n## If the shares are not from an EMI\n\nFor at least 2 years before you sell your shares, the business must be a \u2018personal company\u2019. This means that you have at least 5% of both the:\n\n- shares\n\n- voting rights\n\nYou must also be entitled to at least 5% of either:\n\n- profits that are available for distribution and assets on winding up the company\n\n- disposal proceeds if the company is sold\n\nIf the number of shares you hold falls below 5% because the company has issued more shares, you may still be able to claim Business Asset Disposal Relief.\n\nYou need to choose or \u2018elect\u2019 to be treated as if you had sold and re-bought your shares immediately before the new shares were issued. This will create a gain on which you can claim Business Asset Disposal Relief.\n\nYou can also choose or \u2018elect\u2019 to postpone paying tax on that gain until you come to sell your shares.\n\nYou can do this by:\n\n- completing the additional information section of the Capital Gains summary form of your tax return\n\n- writing to HMRC if you do not have to complete a tax return for the year\n\n## If the company stops being a trading company\n\nIf the company stops being a trading company, you can still qualify for relief if you sell your shares within 3 years.\n\n## If you\u2019re selling assets you lent to the business\n\nTo qualify, both of the following must apply:\n\n- you\u2019ve sold at least 5% of your part of a business partnership or your shares in a personal company\n\n- you owned the assets but let your business partnership or personal company use them for at least one year up to the date you sold your business or shares - or the date the business closed\n\n## If you\u2019re a trustee\n\nYou may also qualify if you\u2019re a trustee selling assets held in the trust.\n\n## Work out your tax\n\nHow you work out your tax depends on whether all your gains are eligible for Business Asset Disposal Relief.\n\n## If all your gains qualify for Business Asset Disposal Relief\n\n- Work out the gain for all qualifying assets.\n\n- Add together the gains (and deduct qualifying losses) to work out the total taxable gain that\u2019s eligible for Business Asset Disposal Relief.\n\n- Deduct your tax-free allowance.\n\n- You\u2019ll pay 10% tax on what\u2019s left.\n\n## If you have other gains\n\nHow much tax you pay on your other gains depends on what Income Tax rate you pay.\n\n## Higher rate Income Tax payers\n\nFor gains that do not qualify for Business Asset Disposal Relief you\u2019ll pay:\n\n- 28% on gains from residential property\n\n- 20% on gains made from other chargeable assets\n\nYou can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## Basic rate Income Tax payers\n\nIf you\u2019re a basic rate taxpayer, you need to work out the tax rate you\u2019ll pay on gains that are not eligible for Business Asset Disposal Relief.\n\n- Work out how much taxable income you have - deduct your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.\n\n- Deduct this amount from the basic rate tax band for the year you made the gains (\u00a337,500 for the 2020 to 2021 tax year). This gives you the amount of basic rate band you can use against your gains.\n\n- Work out your total taxable gain.\n\n- Use your basic rate band first against any gains eligible for Business Asset Disposal Relief. You\u2019ll pay 10% tax on these.\n\n- Use any remaining basic rate band against your other gains. You\u2019ll pay 18% on gains made on residential property and 10% on gains from all other chargeable assets.\n\n- For gains above the basic rate band you\u2019ll pay 28% on gains made on residential property and 20% on gains from all other chargeable assets.\n\n- You can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## Get help\n\nContact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.\n\n## How to claim\n\nYou can claim Business Asset Disposal Relief either:\n\n- through your Self Assessment tax return\n\n- by filling in Section A of the Business Asset Disposal Relief helpsheet\n\nThere\u2019s no limit to how many times you can claim Business Asset Disposal Relief.\n\nYou can claim a total of \u00a31 million in Business Asset Disposal Relief over your lifetime.\n\nYou may be able to claim more if you sold your assets before 11 March 2020. Contact HMRC to find out.\n\n## Deadline\n\n| Tax year when you sold or closed your business | Deadline to claim Business Asset Disposal Relief |\n\n| 2020 to 2021 | 31 January 2023 |\n\n| 2019 to 2020 | 31 January 2022 |\n\n| 2018 to 2019 | 31 January 2021 |", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/business-asset-disposal-relief", + "answerable": true, + "scenario": "I want to sell the farm machinery I had let to our agricultural business farm for the last 2 years. I have already sold 3% of my partnership shares. I want to opt out of agricultural business.", + "original_question": "Will i be able to pay less capital tax gain?" + }, + { + "id": "train-1204", + "question": "Scenario: i took my motorcycle trainer standards check a few years ago and have been training people on how to ride motorcycles with great success. i was recenttly informed that i have been removed from the motorcycle trainer register.\n\nQuestion: can i be removed from the motorcycle trainer register ?\n\nDocument - Motorcycle trainer standards check:\n## When you have to take the standards check\n\nThe motorcycle trainer standards check assesses your ability to teach pupils on a compulsory basic training (CBT) course.\n\nYou should take at least one standards check during each 4-year period that you\u2019re registered as a motorcycle trainer. You do not have to pay for the check.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact the training body where you work to arrange a date and time for your standards check.\n\nYou can be removed from the motorcycle trainer register if you keep missing your standards check.\n\nThere are different rules for taking a standards check in Northern Ireland.\n\n## What happens at the standards check\n\nThe check will take place at your motorcycle training body.\n\nA Driver and Vehicle Standards Agency (DVSA) examiner will watch you train a pupil (or a group of pupils) in a normal compulsory basic training (CBT) lesson.\n\nThe lesson must include practical riding (elements C or E of the CBT syllabus). It can also include theoretical training and a pre-ride briefing (elements A, B or D).\n\n## What you need to bring to the check\n\nFor the check you need:\n\n- your motorcycle registration certificate\n\n- a motorcycle that you can ride on roads, for example it must have up to date vehicle tax and an MOT certificate\n\n- at least one pupil\n\nYour mentor and training body authority holder cannot take part in the lesson.\n\n## What you\u2019ll be marked on\n\nThe examiner will look for evidence that you meet the national standard for driver and rider training.\n\nThey\u2019ll follow guidance for carrying out the check and mark you on 17 areas of competence that are grouped into 3 categories:\n\n- lesson planning\n\n- risk management\n\n- teaching and learning skills\n\nThe 17 areas of competence are listed in the motorcycle trainer standards check form, which the examiner will fill in during your check.\n\nYou\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to give a total score.\n\n## Your standards check result\n\nAfter you give the lesson, the examiner will discuss your performance and give you the result. This will take about 15 minutes.\n\nYou can invite your mentor or the training body authority holder to join you during this discussion.\n\nYou\u2019ll be sent your completed standards check form by email.\n\n| Total score | Result | Description |\n\n| 0 to 30 | Fail | Your performance is unsatisfactory |\n\n| 31 to 42 | Pass | Your performance is satisfactory |\n\n| 43 to 51 | Pass | You\u2019ve shown a high standard of instruction |\n\n## Faults which mean you automatically fail\n\nYou\u2019ll automatically fail if:\n\n- you get a score of 7 or less in the \u2018risk management\u2019 category\n\n- the examiner stops the lesson because you\u2019ve put yourself or someone else in danger\n\n- you did not follow the compulsory basic training (CBT) syllabus\n\n- you incorrectly assessed a pupil\u2019s road riding, for example you gave them a CBT completion certificate but they should not have passed\n\n## If you fail the standards check\n\nYou have up to 2 more attempts to pass the standards check.\n\nIf you fail 3 times:\n\n- you\u2019ll be removed from the motorcycle trainer register\n\n- you\u2019ll have to retake the motorcycle trainer qualifying tests to join the register again", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/motorcycle-trainer-standards-check", + "answerable": true, + "scenario": "i took my motorcycle trainer standards check a few years ago and have been training people on how to ride motorcycles with great success. i was recenttly informed that i have been removed from the motorcycle trainer register.", + "original_question": "can i be removed from the motorcycle trainer register ?" + }, + { + "id": "train-1209", + "question": "Scenario: I am eighteen and a recent school leaver. I have been offered a job as a maid in a hotel which comes with a room supplied. The wage offered seems rather low, however, and does not equate to minimum wage by my calculations.\n\nQuestion: Is it legal for me to be paid less than minimum wage just because I have a room with my job?\n\nDocument - National Minimum Wage and Living Wage: accommodation:\n## Accommodation rates\n\nAccommodation provided by an employer can be taken into account when calculating the National Minimum Wage or National Living Wage.\n\nNo other kind of company benefit (such as food, a car, childcare vouchers) counts towards the minimum wage.\n\n## Accommodation offset rates\n\nThe accommodation rates are set in April each year.\n\n| Year | Daily accommodation offset rate | Weekly accommodation offset rate |\n\n| April 2021 (current rate) | \u00a38.36 | \u00a358.52 |\n\n## Previous rates\n\n| Year | Daily accommodation offset rate | Weekly accommodation offset rate |\n\n| 2020 | \u00a38.20 | \u00a357.40 |\n\n| 2019 | \u00a37.55 | \u00a352.85 |\n\n| 2018 | \u00a37 | \u00a349 |\n\n| 2017 | \u00a36.40 | \u00a344.80 |\n\n| 2016 (October) | \u00a36 | \u00a342 |\n\n| 2015 | \u00a35.35 | \u00a337.45 |\n\n| 2014 | \u00a35.08 | \u00a335.56 |\n\nUse the minimum wage calculator to check if it\u2019s been paid.\n\n## Using the offset rate to work out the minimum wage\n\nIf an employer charges more than the offset rate, the difference is taken off the worker\u2019s pay which counts for the National Minimum Wage or National Living Wage.\n\nThis means the higher the accommodation charge, the lower a worker\u2019s pay when calculating the minimum wage.\n\nIf the accommodation charge is at or below the offset rate, it does not have an effect on the worker\u2019s pay.\n\nIf the accommodation is free, the offset rate is added to the worker\u2019s pay.\n\nSee examples of accommodation rates for minimum wage calculations.\n\n## What counts as accommodation charges\n\nInclude these costs as part of your overall accommodation charges:\n\n- rent\n\n- charges for things like gas, electricity, furniture\n\n- laundry\n\n## Working out if the employer provides the accommodation\n\nThe employer is providing accommodation if any of these apply:\n\n- the accommodation comes with the job\n\n- the employer (or a connected person or company) owns or rents the property the worker lives in, even if there\u2019s no direct link between the job and the accommodation\n\n- the employer (or an owner, business partner, shareholder or director) gets a payment or benefit from the worker\u2019s landlord or a member of the landlord\u2019s family\n\nAccommodation costs count towards the National Minimum Wage or National Living Wage, even if the worker does not have to use the accommodation to do the job. If the accommodation is optional, it only counts as a cost if the worker uses it.\n\n## Local housing authority and social housing providers\n\nIf someone working for a local housing authority or social housing provider gets accommodation from their work, this does not automatically count towards the National Minimum Wage or National Living Wage.\n\nIt only counts if the accommodation is linked to the employment. For example, a care warden who has to live on site has their accommodation linked to their job.\n\n## Higher or further education institutions\n\nAccommodation is not counted when working out the National Minimum Wage or National Living Wage if it\u2019s provided by a higher or further education institution to a worker who\u2019s enrolled on a full-time course with the institution.\n\n## Help and advice\n\nCall the Acas helpline if you have any questions about workers\u2019 rights and the minimum wage.\n\n## Effect on the minimum wage\n\nThis effect of accommodation rates on the National Minimum Wage or National Living Wage depends on how much an employer charges for accommodation.\n\nIt\u2019s calculated by \u2018pay period\u2019, the intervals at which someone is being paid. This can be weekly, monthly or in irregular intervals like every 10 days.\n\nIf the accommodation is free, it still affects the minimum wage. There is an offset rate of \u00a38.36 per day for this.\n\nIt does not matter if the cost of the accommodation is taken from the worker\u2019s wages beforehand or if the worker pays the cost after they get their wages.\n\n## Examples", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-minimum-wage-accommodation", + "answerable": true, + "scenario": "I am eighteen and a recent school leaver. I have been offered a job as a maid in a hotel which comes with a room supplied. The wage offered seems rather low, however, and does not equate to minimum wage by my calculations.", + "original_question": "Is it legal for me to be paid less than minimum wage just because I have a room with my job?" + }, + { + "id": "train-1210", + "question": "Scenario: I have recently een a job advertised at Buckingham Palace, which comes with an apartment for up to four people with the job. I am interested in this but am wondering if it is financially beneficial to me as I might lose money from the hourly wage.\n\nQuestion: Could accepting a job with accommodation mean I get paid less?\n\nDocument - National Minimum Wage and Living Wage: accommodation:\n## Accommodation rates\n\nAccommodation provided by an employer can be taken into account when calculating the National Minimum Wage or National Living Wage.\n\nNo other kind of company benefit (such as food, a car, childcare vouchers) counts towards the minimum wage.\n\n## Accommodation offset rates\n\nThe accommodation rates are set in April each year.\n\n| Year | Daily accommodation offset rate | Weekly accommodation offset rate |\n\n| April 2021 (current rate) | \u00a38.36 | \u00a358.52 |\n\n## Previous rates\n\n| Year | Daily accommodation offset rate | Weekly accommodation offset rate |\n\n| 2020 | \u00a38.20 | \u00a357.40 |\n\n| 2019 | \u00a37.55 | \u00a352.85 |\n\n| 2018 | \u00a37 | \u00a349 |\n\n| 2017 | \u00a36.40 | \u00a344.80 |\n\n| 2016 (October) | \u00a36 | \u00a342 |\n\n| 2015 | \u00a35.35 | \u00a337.45 |\n\n| 2014 | \u00a35.08 | \u00a335.56 |\n\nUse the minimum wage calculator to check if it\u2019s been paid.\n\n## Using the offset rate to work out the minimum wage\n\nIf an employer charges more than the offset rate, the difference is taken off the worker\u2019s pay which counts for the National Minimum Wage or National Living Wage.\n\nThis means the higher the accommodation charge, the lower a worker\u2019s pay when calculating the minimum wage.\n\nIf the accommodation charge is at or below the offset rate, it does not have an effect on the worker\u2019s pay.\n\nIf the accommodation is free, the offset rate is added to the worker\u2019s pay.\n\nSee examples of accommodation rates for minimum wage calculations.\n\n## What counts as accommodation charges\n\nInclude these costs as part of your overall accommodation charges:\n\n- rent\n\n- charges for things like gas, electricity, furniture\n\n- laundry\n\n## Working out if the employer provides the accommodation\n\nThe employer is providing accommodation if any of these apply:\n\n- the accommodation comes with the job\n\n- the employer (or a connected person or company) owns or rents the property the worker lives in, even if there\u2019s no direct link between the job and the accommodation\n\n- the employer (or an owner, business partner, shareholder or director) gets a payment or benefit from the worker\u2019s landlord or a member of the landlord\u2019s family\n\nAccommodation costs count towards the National Minimum Wage or National Living Wage, even if the worker does not have to use the accommodation to do the job. If the accommodation is optional, it only counts as a cost if the worker uses it.\n\n## Local housing authority and social housing providers\n\nIf someone working for a local housing authority or social housing provider gets accommodation from their work, this does not automatically count towards the National Minimum Wage or National Living Wage.\n\nIt only counts if the accommodation is linked to the employment. For example, a care warden who has to live on site has their accommodation linked to their job.\n\n## Higher or further education institutions\n\nAccommodation is not counted when working out the National Minimum Wage or National Living Wage if it\u2019s provided by a higher or further education institution to a worker who\u2019s enrolled on a full-time course with the institution.\n\n## Help and advice\n\nCall the Acas helpline if you have any questions about workers\u2019 rights and the minimum wage.\n\n## Effect on the minimum wage\n\nThis effect of accommodation rates on the National Minimum Wage or National Living Wage depends on how much an employer charges for accommodation.\n\nIt\u2019s calculated by \u2018pay period\u2019, the intervals at which someone is being paid. This can be weekly, monthly or in irregular intervals like every 10 days.\n\nIf the accommodation is free, it still affects the minimum wage. There is an offset rate of \u00a38.36 per day for this.\n\nIt does not matter if the cost of the accommodation is taken from the worker\u2019s wages beforehand or if the worker pays the cost after they get their wages.\n\n## Examples", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-minimum-wage-accommodation", + "answerable": true, + "scenario": "I have recently een a job advertised at Buckingham Palace, which comes with an apartment for up to four people with the job. I am interested in this but am wondering if it is financially beneficial to me as I might lose money from the hourly wage.", + "original_question": "Could accepting a job with accommodation mean I get paid less?" + }, + { + "id": "train-1212", + "question": "Scenario: we have an orchard and the fruits are now in season. since they spoil easily we sometimes employ teenagers to sometimes work nights to pick the fruits.\n\nQuestion: are teenagers allowed to work night shifts ?\n\nDocument - Night working hours:\n## Hours and limits\n\nStaff who regularly work at least 3 hours during the \u2018night period\u2019 are night workers.\n\nThe night period is 11pm to 6am, unless the worker and employer agree a different night period.\n\nIf they do, it must be 7 hours long and include midnight to 5am. It must be agreed in writing.\n\nStaff may also be night workers if there\u2019s a collective agreement (for example, trade union agreement) that states their work is night work.\n\n## National Minimum Wage\n\nThe National Minimum Wage applies to night workers but there is not a higher night working rate.\n\n## Sleep-in shifts\n\nThe number of hours that workers get paid the National Minimum Wage depends on whether they\u2019re expected to sleep or work for most of their shift.\n\nWorkers who are expected to sleep for most of a sleep-in shift (for example, a care worker), and are provided with suitable sleeping facilities, will only get the National Minimum Wage for the periods when they\u2019re awake to perform tasks.\n\nWorkers who are expected to work for most of a shift will get the National Minimum Wage for their whole shift, even if they\u2019re allowed to sleep between tasks.\n\n## Limits on working hours for night workers\n\nAdditional rules apply to night workers on top of the rules on maximum weekly working hours and rest breaks.\n\nNight workers must not work more than an average of 8 hours in a 24-hour period.\n\nThe average is usually calculated over 17 weeks, but it can be over a longer period of up to 52 weeks if the workers and the employer agree - for example, by collective agreement.\n\nRegular overtime is included in the average, but not occasional overtime.\n\nWorkers cannot opt out of the limit.\n\n## Workers aged 16 or 17\n\nStaff aged 16 or 17 cannot work between midnight and 4am.\n\nThey usually cannot work between 10pm and 6am (this can be changed to not working between 11pm and 7am, by contract) but there are exceptions if they work in:\n\n- agriculture\n\n- cultural, sporting, artistic or advertising activities\n\n- a hospital\n\n- a hotel or catering\n\n- retail\n\n- post or newspaper delivery\n\nIn exceptional circumstances they can work at night if there\u2019s no adult to do the work and they\u2019re needed to either:\n\n- handle a sudden increase in demand\n\n- maintain the continuity of a service or production - for example, filming\n\nThe employer must give the young person a rest period of the same length as the extended shift.\n\nThere are other restrictions on employing young people.\n\n## Special hazards and mental or physical strain\n\nNight workers who deal with special hazards or whose work involves mental or physical strain cannot work longer than 8 hours in any 24-hour period.\n\nA risk assessment must be carried out to identify special hazards and work involving mental or physical strain.\n\nThe hazards and strains may also be set out in collective or workforce agreements.\n\n## What employers must do\n\nEmployers must keep records of night workers\u2019 working hours to show they are not exceeding the limits.\n\nThe records must be kept for at least 2 years.\n\nContact Acas for more information.\n\nYou cannot discriminate against a worker if they do not want to work nights.\n\n## Exceptions to night work limits\n\nThe limits on night working hours do not usually apply:\n\n- in the armed forces and emergency services\n\n- to domestic staff employed in a private house\n\n- when people can choose how long they work - for example, company executives or freelancers\n\nThe limits on night working hours do not apply:\n\n- in jobs that need round-the-clock staffing, like hospital work\n\n- in an industry with busy peak periods, like agriculture, retail, tourism, security and surveillance\n\n- if there\u2019s an emergency or an accident\n\n- if a member of staff has to travel a long distance from home to work or constantly works in different places\n\n- if a collective or workforce agreement excludes or changes the restriction on night work\n\nDifferent rules apply to workers in road, sea and air transport.\n\n## Rest breaks if night work limits do not apply\n\nWorkers must get \u2018compensatory rest\u2019 instead of a normal working week with breaks during the day.\n\nCompensatory rest is a minimum of 90 hours rest per week on average.\n\nEmployers must also follow the general rules on working hours.\n\nIf you\u2019re not sure whether these exceptions apply in your situation, contact Acas.\n\n## Health assessments\n\nEmployers must offer workers a free health assessment before they become a night worker. Workers do not have to accept.\n\nThe assessment must be written by a qualified health professional. It can be a questionnaire.\n\nEmployers must take into account that night work might increase a worker\u2019s stress levels.\n\nThe worker must get a follow-up examination by a health professional when an employer is unsure if the worker is fit for night work.\n\nA repeat assessment must be offered regularly.\n\nThe employer must offer suitable other work where possible if a worker has health problems that a doctor says are related to night work.\n\n## Keep records\n\nEmployers must keep confidential records of:\n\n- the health assessments (keep for 2 years)\n\n- dates when assessments were offered (if a worker did not want one)", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/night-working-hours", + "answerable": true, + "scenario": "we have an orchard and the fruits are now in season. since they spoil easily we sometimes employ teenagers to sometimes work nights to pick the fruits.", + "original_question": "are teenagers allowed to work night shifts ?" + }, + { + "id": "train-1213", + "question": "Scenario: i like my peace and enjoy night hours. i have approached my employer to assign me work in the night shift but before they assigned me the hours they required a health assesment.\n\nQuestion: can an employer require a health assesment for night shift workers ?\n\nDocument - Night working hours:\n## Hours and limits\n\nStaff who regularly work at least 3 hours during the \u2018night period\u2019 are night workers.\n\nThe night period is 11pm to 6am, unless the worker and employer agree a different night period.\n\nIf they do, it must be 7 hours long and include midnight to 5am. It must be agreed in writing.\n\nStaff may also be night workers if there\u2019s a collective agreement (for example, trade union agreement) that states their work is night work.\n\n## National Minimum Wage\n\nThe National Minimum Wage applies to night workers but there is not a higher night working rate.\n\n## Sleep-in shifts\n\nThe number of hours that workers get paid the National Minimum Wage depends on whether they\u2019re expected to sleep or work for most of their shift.\n\nWorkers who are expected to sleep for most of a sleep-in shift (for example, a care worker), and are provided with suitable sleeping facilities, will only get the National Minimum Wage for the periods when they\u2019re awake to perform tasks.\n\nWorkers who are expected to work for most of a shift will get the National Minimum Wage for their whole shift, even if they\u2019re allowed to sleep between tasks.\n\n## Limits on working hours for night workers\n\nAdditional rules apply to night workers on top of the rules on maximum weekly working hours and rest breaks.\n\nNight workers must not work more than an average of 8 hours in a 24-hour period.\n\nThe average is usually calculated over 17 weeks, but it can be over a longer period of up to 52 weeks if the workers and the employer agree - for example, by collective agreement.\n\nRegular overtime is included in the average, but not occasional overtime.\n\nWorkers cannot opt out of the limit.\n\n## Workers aged 16 or 17\n\nStaff aged 16 or 17 cannot work between midnight and 4am.\n\nThey usually cannot work between 10pm and 6am (this can be changed to not working between 11pm and 7am, by contract) but there are exceptions if they work in:\n\n- agriculture\n\n- cultural, sporting, artistic or advertising activities\n\n- a hospital\n\n- a hotel or catering\n\n- retail\n\n- post or newspaper delivery\n\nIn exceptional circumstances they can work at night if there\u2019s no adult to do the work and they\u2019re needed to either:\n\n- handle a sudden increase in demand\n\n- maintain the continuity of a service or production - for example, filming\n\nThe employer must give the young person a rest period of the same length as the extended shift.\n\nThere are other restrictions on employing young people.\n\n## Special hazards and mental or physical strain\n\nNight workers who deal with special hazards or whose work involves mental or physical strain cannot work longer than 8 hours in any 24-hour period.\n\nA risk assessment must be carried out to identify special hazards and work involving mental or physical strain.\n\nThe hazards and strains may also be set out in collective or workforce agreements.\n\n## What employers must do\n\nEmployers must keep records of night workers\u2019 working hours to show they are not exceeding the limits.\n\nThe records must be kept for at least 2 years.\n\nContact Acas for more information.\n\nYou cannot discriminate against a worker if they do not want to work nights.\n\n## Exceptions to night work limits\n\nThe limits on night working hours do not usually apply:\n\n- in the armed forces and emergency services\n\n- to domestic staff employed in a private house\n\n- when people can choose how long they work - for example, company executives or freelancers\n\nThe limits on night working hours do not apply:\n\n- in jobs that need round-the-clock staffing, like hospital work\n\n- in an industry with busy peak periods, like agriculture, retail, tourism, security and surveillance\n\n- if there\u2019s an emergency or an accident\n\n- if a member of staff has to travel a long distance from home to work or constantly works in different places\n\n- if a collective or workforce agreement excludes or changes the restriction on night work\n\nDifferent rules apply to workers in road, sea and air transport.\n\n## Rest breaks if night work limits do not apply\n\nWorkers must get \u2018compensatory rest\u2019 instead of a normal working week with breaks during the day.\n\nCompensatory rest is a minimum of 90 hours rest per week on average.\n\nEmployers must also follow the general rules on working hours.\n\nIf you\u2019re not sure whether these exceptions apply in your situation, contact Acas.\n\n## Health assessments\n\nEmployers must offer workers a free health assessment before they become a night worker. Workers do not have to accept.\n\nThe assessment must be written by a qualified health professional. It can be a questionnaire.\n\nEmployers must take into account that night work might increase a worker\u2019s stress levels.\n\nThe worker must get a follow-up examination by a health professional when an employer is unsure if the worker is fit for night work.\n\nA repeat assessment must be offered regularly.\n\nThe employer must offer suitable other work where possible if a worker has health problems that a doctor says are related to night work.\n\n## Keep records\n\nEmployers must keep confidential records of:\n\n- the health assessments (keep for 2 years)\n\n- dates when assessments were offered (if a worker did not want one)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/night-working-hours", + "answerable": true, + "scenario": "i like my peace and enjoy night hours. i have approached my employer to assign me work in the night shift but before they assigned me the hours they required a health assesment.", + "original_question": "can an employer require a health assesment for night shift workers ?" + }, + { + "id": "train-1218", + "question": "Scenario: I am a Landrover owner and i recently swapped out the 2 1/4 petrol engine and installed a 3 litre diesel engine.\n\nQuestion: Am I obliged to have my logbook updated?\n\nDocument - Change vehicle details on a V5C registration certificate (log book):\n## When you need to update your V5C\n\nYou must update the details on your registration certificate (V5C) to tell DVLA about:\n\n- mistakes on your V5C\n\n- most changes you make to your vehicle\n\nYou cannot change tax class by updating your V5C. You do this by changing your vehicle tax - even if you\u2019re changing to a tax class that\u2019s exempt from vehicle tax, for example \u2018disabled\u2019.\n\n## Changes you need to update\n\nYou must update your V5C if you change any of the following:\n\n- colour\n\n- engine\n\n- cylinder capacity (cc)\n\n- fuel type\n\n- chassis or bodyshell (replaced or modified)\n\n- seating capacity\n\n- weight of a large vehicle, for example goods vehicle or campervan\n\n## Changes that may need inspection\n\nYou must also update your V5C if you change any of the following:\n\n- wheel plan\n\n- body type, for example you convert a van to a campervan or \u2019motor caravan\u2019 (DVLA gives a body type description based on the vehicle\u2019s external appearance)\n\n- vehicle identification number (VIN)\n\n- chassis number\n\n- frame number for motorbikes\n\nDVLA will tell you if they need to inspect the change.\n\n## What evidence to give\n\nYou must give DVLA evidence or written confirmation if you make any of the following changes to your vehicle. Your V5C update will be rejected if you do not.\n\n## Change of engine number or cylinder capacity (cc)\n\nYou need to provide either:\n\n- a receipt for the replacement engine\n\n- written evidence from the manufacturer\n\n- an inspection report provided for insurance purposes\n\n- written confirmation on headed paper from a garage (if the change took place before you bought the vehicle)\n\n## Change of fuel type\n\nYou need to provide evidence if:\n\n- your existing engine is converted \u2013 the confirmation must be on headed paper from the garage that did the work\n\n- a new engine is fitted \u2013 provide the receipt as confirmation\n\n## Change of weight of a larger vehicle\n\nIf you change the weight of a large vehicle (for example, a campervan or goods vehicle), you\u2019ll need to provide either:\n\n- a plating certificate\n\n- a design weight certificate\n\n## Change of body type to motor caravan\n\nCheck what evidence you need when you convert a van to a campervan or motor caravan.\n\n## How to update your V5C\n\nFill in section 1 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 7 if you have the older style log book.\n\nSend it to DVLA with any necessary evidence.\n\nIf the change is not listed in section 1 or 7, add notes to the \u2018vehicle details\u2019 section instead. Send it to DVLA with evidence and a letter explaining the change.\n\n## Where to send your V5C\n\nSend your V5C to DVLA, Swansea, SA99 1DZ if you changed any of the following:\n\n- engine size (cc)\n\n- fuel type\n\n- weight of a goods vehicle\n\n- number of seats on a bus\n\nFor all other changes, send your V5C to DVLA, Swansea, SA99 1BA.\n\n## What happens next\n\nDVLA will contact you to:\n\n- confirm the change or tell you if it needs an inspection\n\n- tell you if the change means you have to pay more vehicle tax\n\nIt may take longer than usual to get your replacement V5C because of coronavirus (COVID-19).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/change-vehicle-details-registration-certificate", + "answerable": true, + "scenario": "I am a Landrover owner and i recently swapped out the 2 1/4 petrol engine and installed a 3 litre diesel engine.", + "original_question": "Am I obliged to have my logbook updated?" + }, + { + "id": "train-1220", + "question": "Scenario: I am an employer and I have registered with HMRC payee online. I want to enquire about one of my new employee's student loan details and national insurance notices.\n\nQuestion: Can i get this information on PAYE online service?\n\nDocument - PAYE Online for employers:\n## Using PAYE Online\n\nAs an employer, you need to use HM Revenue and Customs\u2019 (HMRC) PAYE Online service to:\n\n- check what you owe HMRC\n\n- pay your bill\n\n- see your payment history\n\n- access tax codes and notices about your employees\n\n- appeal a penalty\n\n- get alerts from HMRC when you report or pay late, or do not send the expected number of reports in a month\n\n- send expenses and benefits returns such as P46 (car), P11D and P11D(b)\n\nOnline services may be slow during busy times. Check if there are any problems with this service.\n\nSign in\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Before you start\n\nMost new employers get a login when they register as an employer online. If you do not have a login because you registered in a different way you\u2019ll need to enrol for PAYE Online separately.\n\n## Tax codes and notices\n\nHMRC sends you information about your employees through PAYE Online. You can log in to view:\n\n- tax code notices (P6 and P9)\n\n- student loan notices (SL1 and SL2)\n\n- National Insurance verification notices (NVR and NOT)\n\n- late reporting and late payment alerts (HMRC call these \u2018generic notifications\u2019)\n\nYou can also access these through some payroll software, or by using the PAYE Desktop Viewer.\n\n## Enrol if you did not register online\n\nYou only need to enrol separately for HM Revenue and Customs\u2019 (HMRC) PAYE Online service if you did not get a login when you registered as an employer - this is usually because you did not register online.\n\nYou\u2019ll need your PAYE reference and Accounts Office reference - these are included in the letter from HMRC confirming your registration.\n\n## Enrol for PAYE Online\n\nHow you enrol depends on whether you already have an online account for other taxes, for example Corporation Tax or Self Assessment.\n\n## You already have an account\n\nSign in to your account and select \u2018PAYE for employers\u2019 from the list.\n\n## You do not have an account\n\nEnrol as a new business account holder and select \u2018Add a tax to your account\u2019 on the \u2018Business tax summary\u2019 page. You will then be able to add PAYE for employers.\n\n## PAYE Desktop Viewer\n\nPAYE Desktop Viewer is an application from HM Revenue and Customs (HMRC) that allows you to view, search and sort large numbers of employee tax codes and notices.\n\nYou can also use it to download notices and view them offline instead of accessing them through HMRC\u2019s PAYE Online service, or your payroll software if it includes this feature.\n\n## Download PAYE Desktop Viewer", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paye-online", + "answerable": true, + "scenario": "I am an employer and I have registered with HMRC payee online. I want to enquire about one of my new employee's student loan details and national insurance notices.", + "original_question": "Can i get this information on PAYE online service?" + }, + { + "id": "train-1223", + "question": "Scenario: I was parking at ASDA yesterday when a I saw a cop running towards me waving his hand, motioning me to stop. I was reversing back into a parking spot at the time I saw him. He told me that he noticed how I wasn't wearing a seatbelt. I told him that I had just taken it off when I began reversing into the parking spot. He told me that I still need to have it on and that he will issue me a warning.\n\nQuestion: Do I have to wear a seatbelt while reversing?\n\nDocument - Seat belts: the law:\n## Overview\n\nYou must wear a seat belt if one is fitted in the seat you\u2019re using - there are only a few exceptions.\n\nYou\u2019re also only allowed 1 person in each seat fitted with a seat belt.\n\nYou can be fined up to \u00a3500 if you don\u2019t wear a seat belt when you\u2019re supposed to.\n\n## Children\n\nYou must make sure that any children in the vehicle you\u2019re driving are:\n\n- in the correct car seat for their height or weight until they reach 135 centimetres tall or their 12th birthday, whichever is first\n\n- wearing a seat belt if they\u2019re 12 or 13 years old, or younger and over 135cm tall\n\nYou can be fined up to \u00a3500 if a child under 14 isn\u2019t in the correct car seat or wearing a seat belt while you\u2019re driving.\n\n## When you don't need to wear a seat belt\n\nYou don\u2019t need to wear a seat belt if you\u2019re:\n\n- a driver who is reversing, or supervising a learner driver who is reversing\n\n- in a vehicle being used for police, fire and rescue services\n\n- a passenger in a trade vehicle and you\u2019re investigating a fault\n\n- driving a goods vehicle on deliveries that is travelling no more than 50 metres between stops\n\n- a licensed taxi driver who is \u2018plying for hire\u2019 or carrying passengers\n\n## Medical exemptions\n\nYour doctor may say you don\u2019t have to wear a seat belt for a medical reason. They\u2019ll give you a \u2018Certificate of Exemption from Compulsory Seat Belt Wearing\u2019. You must:\n\n- keep this in your vehicle\n\n- show it to the police if you\u2019re stopped\n\nYou\u2019ll also need to tell your car insurer.\n\nTalk to your doctor for more information and read \u2018medical exemptions from compulsory seat belt wearing\u2019.\n\n## Wearing a seat belt while pregnant\n\nYou must wear a seat belt if you\u2019re pregnant, unless your doctor says you don\u2019t have to for medical reasons.\n\n## Wearing a seat belt if you\u2019re disabled\n\nYou must wear a seat belt if you\u2019re a disabled driver or passenger, unless you don\u2019t have to for medical reasons. You may need to adapt your vehicle.\n\n## If your vehicle doesn\u2019t have seat belts\n\nIf your vehicle doesn\u2019t have seat belts, for example it\u2019s a classic car, you aren\u2019t allowed to carry any children under 3 years old in it.\n\nChildren over 3 are only allowed to sit in the back seats.\n\nThese rules only apply if your vehicle was originally made without seat belts.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/seat-belts-law", + "answerable": true, + "scenario": "I was parking at ASDA yesterday when a I saw a cop running towards me waving his hand, motioning me to stop. I was reversing back into a parking spot at the time I saw him. He told me that he noticed how I wasn't wearing a seatbelt. I told him that I had just taken it off when I began reversing into the parking spot. He told me that I still need to have it on and that he will issue me a warning.", + "original_question": "Do I have to wear a seatbelt while reversing?" + }, + { + "id": "train-1225", + "question": "Scenario: I am a twenty five year old transwoman and I applying for my first job after completing a PhD program. I am a little nervous that people may not want to employ me once they find out that I am transgender.\n\nQuestion: Will I be descriminated as a transwoman in the workplace?\n\nDocument - Employers: preventing discrimination:\n## Overview\n\nIt is against the law to treat someone less favourably than someone else because of a personal characteristic such as religion, sex, gender reassignment or age.\n\nDiscrimination can include:\n\n- not hiring someone\n\n- selecting a particular person for redundancy\n\n- paying someone less than another worker without good reason\n\nYou can discriminate against someone even if you do not intend to. For example, you can discriminate indirectly by offering working conditions or rules that disadvantage one group of people more than another.\n\n## Discrimination during recruitment\n\n## Discrimination in job adverts\n\nYou must not state or imply in a job advert that you\u2019ll discriminate against anyone. This includes saying that you are not able to cater for workers with a disability.\n\nOnly use phrases like \u2018recent graduate\u2019 or \u2018highly experienced\u2019 when these are actual requirements of the job. Otherwise you could discriminate against younger or older people who might not have had the opportunity to get qualifications.\n\nWhere you advertise might cause indirect discrimination - for example, advertising only in men\u2019s magazines.\n\n## Get help advertising a job without discriminating\n\n## Questions you cannot ask when recruiting\n\nYou must not ask candidates about \u2018protected characteristics\u2019 or whether they:\n\n- are married, single or in a civil partnership\n\n- have children or plan to have children\n\n## Asking about health or disability\n\nYou can only ask about health or disability if:\n\n- there are necessary requirements of the job that cannot be met with reasonable adjustments\n\n- you\u2019re finding out if someone needs help to take part in a selection test or interview\n\n- you\u2019re using \u2018positive action\u2019 to recruit a disabled person\n\nYou might be breaking the law if any discrimination happens during their recruitment process, even if you use a recruitment agency.\n\n## Asking for a date of birth\n\nYou can only ask for someone\u2019s date of birth on an application form if they must be a certain age to do the job, for example selling alcohol.\n\nYou can ask someone their date of birth on a separate equality monitoring form. You should not let the person selecting or interviewing candidates see this form.\n\n## Spent criminal convictions\n\nApplicants do not have to tell you about criminal convictions that are spent. You must treat the applicant as if the conviction has not happened, and cannot refuse to employ the person because of their conviction.\n\nThere are some areas of employment that are exempt from this rule, for example schools.\n\n## Trade union membership\n\nYou must not use membership of a trade union as a factor in deciding whether to employ someone. This includes:\n\n- not employing someone because they\u2019re a member of a trade union\n\n- insisting someone joins a trade union before you\u2019ll employ them\n\n## Employing people with protected characteristics\n\nYou can choose a candidate who has a protected characteristic over one who does not if they\u2019re both suitable for the job and you think that people with that characteristic:\n\n- are underrepresented in the workforce, profession or industry\n\n- suffer a disadvantage connected to that characteristic (for example people from a certain ethnic group are not often given jobs in your sector)\n\nYou can only do this if you\u2019re trying to address the under-representation or disadvantage for that particular characteristic. You must make decisions on a case by case basis and not because of a certain policy.\n\nYou cannot choose a candidate who is not as suitable for the job just because they have a protected characteristic.\n\n## Favouring disabled candidates\n\nWhen a disabled person and a non-disabled person both meet the job requirements, you can treat the disabled person more favourably.\n\n## Discrimination during employment\n\nYou must not discriminate against your employees. This could be done by, for example:\n\n- introducing measures that discriminate between workers, for example a benefit for married \nemployees that\u2019s not available for people in a civil partnership\n\n- paying men and women different amounts (this includes benefits, for example company cars) when they\u2019re doing work of equal value\n\n- selecting someone for redundancy because they have a protected characteristic\n\n- failing to make reasonable adjustments for a disabled worker\n\n- firing someone for making an allegation of discrimination\n\n- firing someone because they\u2019re a union member\n\n- unfairly rejecting a request for flexible working from a new parent\n\nThis includes self-employed people on a contract for you.\n\nTraining and promotion cannot just happen because of an employee\u2019s age or the time they\u2019ve worked for you.\n\nYou\u2019re allowed to ask employees about their future career plans, including retirement. But you cannot just choose older workers for discussions about retirement. Such talks should be part of general discussions about each worker\u2019s career development.\n\n## Employment tribunals\n\nAn employee who thinks they\u2019ve been discriminated against may raise a grievance or take their case to an employment tribunal.\n\nYou\u2019re responsible for discrimination carried out by your employees unless you can show you\u2019ve done everything you reasonably could to prevent or stop it.\n\n## Employing family members\n\nIf you hire members of your family you must:\n\n- avoid special treatment in terms of pay, promotion and working conditions\n\n- make sure tax and National Insurance contributions are done correctly\n\n## Gender reassignment\n\nThe moment a worker tells their employer that they\u2019re having gender reassignment, they\u2019re protected from discrimination. Discrimination includes:\n\n- disadvantaging the worker because of the time they have to take off because of medical treatment\n\n- not enabling the worker to use facilities appropriate to their gender\n\nTo avoid discrimination, you must:\n\n- change your records (for example human resources records) when the worker has a Gender Reassignment Certificate and a new birth certificate\n\n- ensure complete confidentiality of all information the worker gives you about their gender history", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employer-preventing-discrimination", + "answerable": true, + "scenario": "I am a twenty five year old transwoman and I applying for my first job after completing a PhD program. I am a little nervous that people may not want to employ me once they find out that I am transgender.", + "original_question": "Will I be descriminated as a transwoman in the workplace?" + }, + { + "id": "train-1228", + "question": "Scenario: I recently applied to form a childminder agency. Me and my friends have everything well thought. A few days ago I found out I am pregnant. Now I am scared I will not be able to proceed with the childminder agency. Me and the others talked it over and we wish to withdraw the application.\n\nQuestion: Will I be refunded the fee associated with the application?\n\nDocument - Register as a childminder agency in England:\n## Overview\n\nYou must register with Ofsted if you want to set up a childminder agency in England.\n\nChildminder agencies register childminders and give training, business support, advice and help finding suitable parents.\n\nYou can register as an individual, or as a private or public sector organisation such as a school or academy.\n\nYou must have a Disclosure and Barring Service (DBS) check, and be interviewed and inspected by Ofsted as part of your application.\n\n## Which register to join\n\nThere are 2 registers. You must apply to join:\n\n- the Early Years Register to register childminders who look after children aged 5 and under\n\n- the compulsory part of the Childcare Register to register childminders who look after children aged 5 to 7\n\n- both registers to register childminders who look after children of all ages\n\nThe Early Years Register is for children from birth up to the 31 August after their 5th birthday.\n\nIf you\u2019re on the compulsory part of the Childcare Register, you can also join the voluntary part. You can only register childminders on the voluntary part of the register if you\u2019ve already registered them on the compulsory part.\n\n## How long it takes\n\nRegistration can take up to 16 weeks.\n\n## Fees\n\nIt costs \u00a3220 to register as a childminder agency.\n\nIt\u2019s free to join the Childcare Register if you\u2019re already on or applying to the Early Years Register.\n\n## How to apply\n\n- Read the childminder agency handbook.\n\n- Apply for a Disclosure and Barring Service (DBS) check through the Ofsted portal.\n\n- Join the DBS update service and agree to Ofsted checking your DBS certificate at least once every 6 months. You have 19 days to join the service after getting your certificate, otherwise you\u2019ll need to get a new certificate.\n\n- Download, fill in and send the application form.\n\n- Check whether you need to fill in and send a declaration and consent form.\n\n- Prepare for your registration visit by an Ofsted inspector (see the childminder agency handbook for details on this).\n\n## Get help and advice\n\nContact Ofsted if you have any questions about the application process.\n\n## Change your details\n\nYou must tell Ofsted if there are any changes to anyone named in your application.\n\nDownload and fill in a notification form and send it to the address on the form.\n\n## After you apply\n\nYou\u2019ll be told at the end of your registration inspection visit if you can start working as an agency.\n\nYou\u2019ll get a registration certificate in the post that you must display at all times in your work place.\n\nAfter you\u2019re registered you can be inspected again or get an \u2018investigation visit\u2019 if someone makes a complaint about you.\n\nYou must tell Ofsted if there are any changes to anyone named in your application. Download and fill in a notification form and send it to the address on the form.\n\n## If your application is refused\n\nOfsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.\n\nYou\u2019ll also be sent a leaflet on how to object and appeal.\n\n## Withdraw your application\n\nYou can withdraw your application up until you get a notice of intention to refuse your registration. Your fee won\u2019t be refunded.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/register-childminder-agency-england", + "answerable": true, + "scenario": "I recently applied to form a childminder agency. Me and my friends have everything well thought. A few days ago I found out I am pregnant. Now I am scared I will not be able to proceed with the childminder agency. Me and the others talked it over and we wish to withdraw the application.", + "original_question": "Will I be refunded the fee associated with the application?" + }, + { + "id": "train-1231", + "question": "Scenario: I have an old car that has a faulty engine that caught fire, damaging it beyond repair. My car insurance company state that the fire is not covered by my policy, but if it were it would be a write-off.\n\nQuestion: Do I scrap this car as a normal disposal or via the insurance write-off procedure?\n\nDocument - Scrapping your vehicle and insurance write-offs:\n## How to scrap your vehicle\n\nWhen your vehicle has reached the end of its usefulness, you must get it scrapped at an authorised treatment facility (ATF). These are sometimes known as a scrapyard or breaker\u2019s yard.\n\nThere\u2019s a different process if your vehicle is an insurance write-off.\n\n## Scrap your vehicle without keeping any parts\n\n- Apply to take the registration number off the vehicle if you want to keep it.\n\n- Scrap your vehicle at an ATF. This is usually free.\n\n- Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.\n\n- Tell DVLA you\u2019ve taken your vehicle to an ATF.\n\nYou can be fined \u00a31,000 if you do not tell DVLA.\n\n## Scrap your vehicle and keep parts from it\n\nYou can take parts from your vehicle before you scrap it so you can use them to repair another vehicle.\n\n- Tell DVLA the vehicle is off the road while you\u2019re taking parts from it. It must be kept off the road, for example in a garage, on a drive or on private land.\n\n- Apply to take the registration number off the vehicle if you want to keep it.\n\n- Scrap your vehicle at an ATF when you\u2019ve finished taking parts from it. The ATF can charge a fee if you\u2019ve removed essential parts, such as the engine, gearbox, bodywork or wheels.\n\n- Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange\u2019 section from it.\n\n- Tell DVLA you\u2019ve taken your vehicle to an ATF.\n\n## Scrap a vehicle that\u2019s registered abroad\n\nIf you want to scrap a vehicle from another country in the UK, you must use an ATF.\n\nYou\u2019ll get a \u2018Certificate of Destruction\u2019 to prove that the vehicle has been destroyed.\n\nIt\u2019s your responsibility to tell the driving authority in the country where the vehicle is registered that it has been scrapped.\n\n## Where you can scrap your vehicle\n\nFind an authorised treatment facility (ATF) where your vehicle can be scrapped.\n\nWhen the ATF has your vehicle, they can decide to:\n\n- completely scrap it\n\n- repair and sell it themselves\n\nIt\u2019s illegal to scrap your vehicle anywhere else.\n\n## If your vehicle is completely scrapped\n\nThe ATF will give you a \u2018certificate of destruction\u2019 within 7 days if you\u2019ve scrapped a:\n\n- car\n\n- light van\n\n- 3-wheeled motor vehicle (but not a motor tricycle)\n\nYou will not get a certificate for other types of vehicle.\n\nThe certificate is proof that you\u2019ve handed over the vehicle for scrap. If you do not have it, you could still be liable for:\n\n- traffic offence penalties\n\n- vehicle tax\n\n## Being paid for your scrapped vehicle\n\nThe ATF will pay you the scrap value of your vehicle.\n\nIt\u2019s illegal to be paid in cash if your vehicle is scrapped in England or Wales. You have to be paid by bank transfer or cheque.\n\n## If the ATF repairs and sells your vehicle\n\nYou will not get a certificate of destruction if the ATF decides to repair and sell your vehicle.\n\nYou can be paid for your vehicle by any method, including cash.\n\n## Insurance write-offs\n\nWhen you make an insurance claim because your vehicle is damaged, your insurance company will tell you:\n\n- if your vehicle is being \u2018written off\u2019\n\n- how much they\u2019ll pay you\n\nWhen your vehicle is written off, your insurance company pays you the current value of the vehicle, instead of the cost of repairing it.\n\nYour insurance company will decide if the vehicle should be written off or not.\n\n## Write-off categories\n\nWhat you do next depends on which category your vehicle is in.\n\n| Category | Repairing the vehicle | Using the vehicle |\n\n| A | Cannot be repaired | Entire vehicle has to be crushed |\n\n| B | Cannot be repaired | Body shell has to be crushed, but you can salvage other parts from it |\n\n| C | Can be repaired, but it would cost more than the vehicle\u2019s worth | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n| D | Can be repaired and would cost less than the vehicle\u2019s worth, but other costs (such as transporting your vehicle) take it over the vehicle\u2019s value | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n| N | Can be repaired following non-structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n| S | Can be repaired following structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n## What you need to do\n\nYour insurance company will usually deal with getting the vehicle scrapped for you. You need to follow these steps.\n\n- Apply to take the registration number off the vehicle if you want to keep it.\n\n- Send the vehicle log book (V5C) to your insurance company, but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.\n\n- Tell DVLA your vehicle has been written off.\n\nYou can be fined \u00a31,000 if you do not tell DVLA.\n\n## Keeping the vehicle\n\nIf you want to keep a vehicle in category C, D, N or S, the insurance company will give you an insurance payout and sell the vehicle back to you.\n\nTo keep a category C or S vehicle, you also need to:\n\n- send the complete log book to your insurance company\n\n- apply for a free duplicate log book using form V62\n\nDVLA will record the vehicle\u2019s category in the log book.\n\nYou can keep the log book if you want to keep a category D or N vehicle.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/scrapped-and-written-off-vehicles", + "answerable": true, + "scenario": "I have an old car that has a faulty engine that caught fire, damaging it beyond repair. My car insurance company state that the fire is not covered by my policy, but if it were it would be a write-off.", + "original_question": "Do I scrap this car as a normal disposal or via the insurance write-off procedure?" + }, + { + "id": "train-1232", + "question": "Scenario: I am a second hand car dealer and bought a car recently that I discovered afterwards had been disposed of as a write-off.\n\nQuestion: Is it legal to sell this written-off but repaired car?\n\nDocument - Scrapping your vehicle and insurance write-offs:\n## How to scrap your vehicle\n\nWhen your vehicle has reached the end of its usefulness, you must get it scrapped at an authorised treatment facility (ATF). These are sometimes known as a scrapyard or breaker\u2019s yard.\n\nThere\u2019s a different process if your vehicle is an insurance write-off.\n\n## Scrap your vehicle without keeping any parts\n\n- Apply to take the registration number off the vehicle if you want to keep it.\n\n- Scrap your vehicle at an ATF. This is usually free.\n\n- Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.\n\n- Tell DVLA you\u2019ve taken your vehicle to an ATF.\n\nYou can be fined \u00a31,000 if you do not tell DVLA.\n\n## Scrap your vehicle and keep parts from it\n\nYou can take parts from your vehicle before you scrap it so you can use them to repair another vehicle.\n\n- Tell DVLA the vehicle is off the road while you\u2019re taking parts from it. It must be kept off the road, for example in a garage, on a drive or on private land.\n\n- Apply to take the registration number off the vehicle if you want to keep it.\n\n- Scrap your vehicle at an ATF when you\u2019ve finished taking parts from it. The ATF can charge a fee if you\u2019ve removed essential parts, such as the engine, gearbox, bodywork or wheels.\n\n- Give the ATF the vehicle log book (V5C), but keep the yellow \u2018sell, transfer or part-exchange\u2019 section from it.\n\n- Tell DVLA you\u2019ve taken your vehicle to an ATF.\n\n## Scrap a vehicle that\u2019s registered abroad\n\nIf you want to scrap a vehicle from another country in the UK, you must use an ATF.\n\nYou\u2019ll get a \u2018Certificate of Destruction\u2019 to prove that the vehicle has been destroyed.\n\nIt\u2019s your responsibility to tell the driving authority in the country where the vehicle is registered that it has been scrapped.\n\n## Where you can scrap your vehicle\n\nFind an authorised treatment facility (ATF) where your vehicle can be scrapped.\n\nWhen the ATF has your vehicle, they can decide to:\n\n- completely scrap it\n\n- repair and sell it themselves\n\nIt\u2019s illegal to scrap your vehicle anywhere else.\n\n## If your vehicle is completely scrapped\n\nThe ATF will give you a \u2018certificate of destruction\u2019 within 7 days if you\u2019ve scrapped a:\n\n- car\n\n- light van\n\n- 3-wheeled motor vehicle (but not a motor tricycle)\n\nYou will not get a certificate for other types of vehicle.\n\nThe certificate is proof that you\u2019ve handed over the vehicle for scrap. If you do not have it, you could still be liable for:\n\n- traffic offence penalties\n\n- vehicle tax\n\n## Being paid for your scrapped vehicle\n\nThe ATF will pay you the scrap value of your vehicle.\n\nIt\u2019s illegal to be paid in cash if your vehicle is scrapped in England or Wales. You have to be paid by bank transfer or cheque.\n\n## If the ATF repairs and sells your vehicle\n\nYou will not get a certificate of destruction if the ATF decides to repair and sell your vehicle.\n\nYou can be paid for your vehicle by any method, including cash.\n\n## Insurance write-offs\n\nWhen you make an insurance claim because your vehicle is damaged, your insurance company will tell you:\n\n- if your vehicle is being \u2018written off\u2019\n\n- how much they\u2019ll pay you\n\nWhen your vehicle is written off, your insurance company pays you the current value of the vehicle, instead of the cost of repairing it.\n\nYour insurance company will decide if the vehicle should be written off or not.\n\n## Write-off categories\n\nWhat you do next depends on which category your vehicle is in.\n\n| Category | Repairing the vehicle | Using the vehicle |\n\n| A | Cannot be repaired | Entire vehicle has to be crushed |\n\n| B | Cannot be repaired | Body shell has to be crushed, but you can salvage other parts from it |\n\n| C | Can be repaired, but it would cost more than the vehicle\u2019s worth | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n| D | Can be repaired and would cost less than the vehicle\u2019s worth, but other costs (such as transporting your vehicle) take it over the vehicle\u2019s value | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n| N | Can be repaired following non-structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n| S | Can be repaired following structural damage | You can use the vehicle again if it\u2019s repaired to a roadworthy condition |\n\n## What you need to do\n\nYour insurance company will usually deal with getting the vehicle scrapped for you. You need to follow these steps.\n\n- Apply to take the registration number off the vehicle if you want to keep it.\n\n- Send the vehicle log book (V5C) to your insurance company, but keep the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section from it.\n\n- Tell DVLA your vehicle has been written off.\n\nYou can be fined \u00a31,000 if you do not tell DVLA.\n\n## Keeping the vehicle\n\nIf you want to keep a vehicle in category C, D, N or S, the insurance company will give you an insurance payout and sell the vehicle back to you.\n\nTo keep a category C or S vehicle, you also need to:\n\n- send the complete log book to your insurance company\n\n- apply for a free duplicate log book using form V62\n\nDVLA will record the vehicle\u2019s category in the log book.\n\nYou can keep the log book if you want to keep a category D or N vehicle.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/scrapped-and-written-off-vehicles", + "answerable": true, + "scenario": "I am a second hand car dealer and bought a car recently that I discovered afterwards had been disposed of as a write-off.", + "original_question": "Is it legal to sell this written-off but repaired car?" + }, + { + "id": "train-1236", + "question": "Scenario: My uncle wants to change the body size of his van to a camper van. He needs it to be more spacious and ready for a family holiday.\n\nQuestion: Is there a link where he can find the documents needed to provide?\n\nDocument - Change vehicle details on a V5C registration certificate (log book):\n## When you need to update your V5C\n\nYou must update the details on your registration certificate (V5C) to tell DVLA about:\n\n- mistakes on your V5C\n\n- most changes you make to your vehicle\n\nYou cannot change tax class by updating your V5C. You do this by changing your vehicle tax - even if you\u2019re changing to a tax class that\u2019s exempt from vehicle tax, for example \u2018disabled\u2019.\n\n## Changes you need to update\n\nYou must update your V5C if you change any of the following:\n\n- colour\n\n- engine\n\n- cylinder capacity (cc)\n\n- fuel type\n\n- chassis or bodyshell (replaced or modified)\n\n- seating capacity\n\n- weight of a large vehicle, for example goods vehicle or campervan\n\n## Changes that may need inspection\n\nYou must also update your V5C if you change any of the following:\n\n- wheel plan\n\n- body type, for example you convert a van to a campervan or \u2019motor caravan\u2019 (DVLA gives a body type description based on the vehicle\u2019s external appearance)\n\n- vehicle identification number (VIN)\n\n- chassis number\n\n- frame number for motorbikes\n\nDVLA will tell you if they need to inspect the change.\n\n## What evidence to give\n\nYou must give DVLA evidence or written confirmation if you make any of the following changes to your vehicle. Your V5C update will be rejected if you do not.\n\n## Change of engine number or cylinder capacity (cc)\n\nYou need to provide either:\n\n- a receipt for the replacement engine\n\n- written evidence from the manufacturer\n\n- an inspection report provided for insurance purposes\n\n- written confirmation on headed paper from a garage (if the change took place before you bought the vehicle)\n\n## Change of fuel type\n\nYou need to provide evidence if:\n\n- your existing engine is converted \u2013 the confirmation must be on headed paper from the garage that did the work\n\n- a new engine is fitted \u2013 provide the receipt as confirmation\n\n## Change of weight of a larger vehicle\n\nIf you change the weight of a large vehicle (for example, a campervan or goods vehicle), you\u2019ll need to provide either:\n\n- a plating certificate\n\n- a design weight certificate\n\n## Change of body type to motor caravan\n\nCheck what evidence you need when you convert a van to a campervan or motor caravan.\n\n## How to update your V5C\n\nFill in section 1 if you have a new style log book with multi-coloured numbered blocks on the front cover. Fill in section 7 if you have the older style log book.\n\nSend it to DVLA with any necessary evidence.\n\nIf the change is not listed in section 1 or 7, add notes to the \u2018vehicle details\u2019 section instead. Send it to DVLA with evidence and a letter explaining the change.\n\n## Where to send your V5C\n\nSend your V5C to DVLA, Swansea, SA99 1DZ if you changed any of the following:\n\n- engine size (cc)\n\n- fuel type\n\n- weight of a goods vehicle\n\n- number of seats on a bus\n\nFor all other changes, send your V5C to DVLA, Swansea, SA99 1BA.\n\n## What happens next\n\nDVLA will contact you to:\n\n- confirm the change or tell you if it needs an inspection\n\n- tell you if the change means you have to pay more vehicle tax\n\nIt may take longer than usual to get your replacement V5C because of coronavirus (COVID-19).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/change-vehicle-details-registration-certificate", + "answerable": true, + "scenario": "My uncle wants to change the body size of his van to a camper van. He needs it to be more spacious and ready for a family holiday.", + "original_question": "Is there a link where he can find the documents needed to provide?" + }, + { + "id": "train-1237", + "question": "Scenario: we provide employment to people who are being rehabilitated after leaving prison. we'd like some of them to offer driving tests for other employees.\n\nQuestion: can someone who has been convicted of a crime be a driving test examiner ?\n\nDocument - Provide driving tests for your employees:\n## Who can provide driving tests\n\nDriving tests are usually provided by the Driver and Vehicle Standards Agency (DVSA).\n\nYou can apply to DVSA for permission for your own staff to provide driving tests for your employees if you\u2019re a:\n\n- bus or haulage operating licence holder\n\n- police service\n\n- fire and rescue service\n\nYour staff providing driving tests will be known as \u2018delegated driving examiners\u2019.\n\n## Tests that can be provided\n\nDelegated driving examiners are allowed to provide theory and practical driving tests for drivers of:\n\n- lorries\n\n- buses and coaches\n\n- cars and trailers\n\n- emergency service vehicles\n\n## Lorry, bus and coach companies\n\nDelegated driving examiners working for lorry, bus and coach companies can test:\n\n- an employee\n\n- an employee of a sister company\n\nAs a delegated driving examiner, you cannot test someone you\u2019ve trained.\n\n## Emergency services\n\nDelegated driving examiners working for police services and fire and rescue services can test:\n\n- an employee\n\n- an employee from the same type of service in a different area\n\nThe same delegated driving examiner can provide tests for both a police service and a fire and rescue service, but both must appoint them with DVSA.\n\n## Rules for your driving examiners\n\nWhen deciding whether to give permission for someone to provide driving tests, the Driver and Vehicle Standards Agency (DVSA) looks at if they:\n\n- have a full driving licence for the type of vehicle they\u2019re testing in\n\n- have had any convictions in the last 3 years\n\n- have been disqualified from driving\n\n- have any court proceedings pending against them\n\n- have any penalty points on their licence\n\n## Qualifying as a delegated driving examiner\n\nYour employees must then:\n\n- complete an initial training course\n\n- reach an appropriate standard in the delegated driving examiner theory and practical tests\n\nDVSA will send you more information about the qualifying process when you apply to provide driving tests.\n\n## Apply to provide driving tests\n\nYou must email the Driver and Vehicle Standards Agency (DVSA) to get permission to provide driving tests.\n\nYou cannot currently contact DVSA by telephone or post because of coronavirus (COVID-19).\n\nYou must include information about your organisation, the tests you want to provide, and the people you want to appoint as delegated driving examiners.\n\n## Your organisation\n\nYou\u2019ll need to include:\n\n- the full name of the organisation\n\n- the registered address or headquarters address (if you\u2019re not a registered company)\n\n- a copy of your certificate of incorporation if you\u2019re a registered company\n\n- a copy of your operator licence (if you have one)\n\n- the name, position and contact details of the main contact in your organisation for driving tests\n\n- confirmation that you, as the person submitting the application, is an approved signatory for the purposes of the application\n\n## The tests you want to provide\n\nYou\u2019ll need to include:\n\n- details of the locations at which testing would take place\n\n- the categories of tests you want to provide, for example, \u2018category D - bus\u2019\n\n- the type of tests you want to provide, for example, licence acquisition theory test, licence acquisition practical test and so on\n\n- details of where the records about the tests would be stored\n\n- an estimate of the minimum number of tests you\u2019ll provide in the 12 months following your approval\n\n## The people you want to appoint as examiners\n\nYou\u2019ll need to include the full names and driving licence numbers of the people you want to appoint as delegated driving examiners.\n\n## When DVSA gets your application\n\nDVSA will tell you its decision about your application within 10 working days.\n\nYou\u2019ll also get information about:\n\n- the qualifying process\n\n- the detailed rules about providing theory and practical driving tests\n\n- the detailed rules about recording tests that you provide\n\nYou can email DVSA if you need more information.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/provide-driving-tests-for-your-employees", + "answerable": true, + "scenario": "we provide employment to people who are being rehabilitated after leaving prison. we'd like some of them to offer driving tests for other employees.", + "original_question": "can someone who has been convicted of a crime be a driving test examiner ?" + }, + { + "id": "train-1238", + "question": "Scenario: we are a small community with limited staff in the emergency services. we would like to have experienced staff in one branch of emergency services provide driving tests to staff in another branch.\n\nQuestion: can staff from different emergency services offer each other driving tests ?\n\nDocument - Provide driving tests for your employees:\n## Who can provide driving tests\n\nDriving tests are usually provided by the Driver and Vehicle Standards Agency (DVSA).\n\nYou can apply to DVSA for permission for your own staff to provide driving tests for your employees if you\u2019re a:\n\n- bus or haulage operating licence holder\n\n- police service\n\n- fire and rescue service\n\nYour staff providing driving tests will be known as \u2018delegated driving examiners\u2019.\n\n## Tests that can be provided\n\nDelegated driving examiners are allowed to provide theory and practical driving tests for drivers of:\n\n- lorries\n\n- buses and coaches\n\n- cars and trailers\n\n- emergency service vehicles\n\n## Lorry, bus and coach companies\n\nDelegated driving examiners working for lorry, bus and coach companies can test:\n\n- an employee\n\n- an employee of a sister company\n\nAs a delegated driving examiner, you cannot test someone you\u2019ve trained.\n\n## Emergency services\n\nDelegated driving examiners working for police services and fire and rescue services can test:\n\n- an employee\n\n- an employee from the same type of service in a different area\n\nThe same delegated driving examiner can provide tests for both a police service and a fire and rescue service, but both must appoint them with DVSA.\n\n## Rules for your driving examiners\n\nWhen deciding whether to give permission for someone to provide driving tests, the Driver and Vehicle Standards Agency (DVSA) looks at if they:\n\n- have a full driving licence for the type of vehicle they\u2019re testing in\n\n- have had any convictions in the last 3 years\n\n- have been disqualified from driving\n\n- have any court proceedings pending against them\n\n- have any penalty points on their licence\n\n## Qualifying as a delegated driving examiner\n\nYour employees must then:\n\n- complete an initial training course\n\n- reach an appropriate standard in the delegated driving examiner theory and practical tests\n\nDVSA will send you more information about the qualifying process when you apply to provide driving tests.\n\n## Apply to provide driving tests\n\nYou must email the Driver and Vehicle Standards Agency (DVSA) to get permission to provide driving tests.\n\nYou cannot currently contact DVSA by telephone or post because of coronavirus (COVID-19).\n\nYou must include information about your organisation, the tests you want to provide, and the people you want to appoint as delegated driving examiners.\n\n## Your organisation\n\nYou\u2019ll need to include:\n\n- the full name of the organisation\n\n- the registered address or headquarters address (if you\u2019re not a registered company)\n\n- a copy of your certificate of incorporation if you\u2019re a registered company\n\n- a copy of your operator licence (if you have one)\n\n- the name, position and contact details of the main contact in your organisation for driving tests\n\n- confirmation that you, as the person submitting the application, is an approved signatory for the purposes of the application\n\n## The tests you want to provide\n\nYou\u2019ll need to include:\n\n- details of the locations at which testing would take place\n\n- the categories of tests you want to provide, for example, \u2018category D - bus\u2019\n\n- the type of tests you want to provide, for example, licence acquisition theory test, licence acquisition practical test and so on\n\n- details of where the records about the tests would be stored\n\n- an estimate of the minimum number of tests you\u2019ll provide in the 12 months following your approval\n\n## The people you want to appoint as examiners\n\nYou\u2019ll need to include the full names and driving licence numbers of the people you want to appoint as delegated driving examiners.\n\n## When DVSA gets your application\n\nDVSA will tell you its decision about your application within 10 working days.\n\nYou\u2019ll also get information about:\n\n- the qualifying process\n\n- the detailed rules about providing theory and practical driving tests\n\n- the detailed rules about recording tests that you provide\n\nYou can email DVSA if you need more information.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/provide-driving-tests-for-your-employees", + "answerable": true, + "scenario": "we are a small community with limited staff in the emergency services. we would like to have experienced staff in one branch of emergency services provide driving tests to staff in another branch.", + "original_question": "can staff from different emergency services offer each other driving tests ?" + }, + { + "id": "train-1242", + "question": "Scenario: I own several 14 seater minibuses which have been in operation since 2010.Are hired for transporting tourists and school children. I want to ensure the seat belts meet all regulations.\n\nQuestion: Does my vehicles have to be tested on seat belts installations?\n\nDocument - Specialist tests for coaches and buses:\n## Overview\n\nYou must get your commercial vehicle tested every year to make sure it\u2019s roadworthy. This is known as the annual test.\n\nThere are extra tests coaches and buses may need to take to:\n\n- qualify for free entrance to the London Low Emission Zone (LEZ) by getting a Low Emissions Certificate (LEC)\n\n- meet seat belt safety rules\n\n## Reduced emissions test\n\nYou can get your vehicle tested for a Low Emissions Certificate (LEC). This lets you drive in the Low Emission Zone (LEZ) without paying.\n\nThe Reduced Pollution Certificate (RPC) scheme to reduce your vehicle tax ended on 31 December 2016.\n\n## Eligibility\n\nYour vehicle can be tested for a Low Emissions Certificate if it:\n\n- was registered in the UK before 1 October 2006\n\n- is fitted with a full filter to Low Emission Zone emissions standards\n\nYou don\u2019t need a Low Emission Certificate for a vehicle with a Euro 4, 5 or 6 engine.\n\n## Converted and re-engined vehicles\n\nContact DVLA if the vehicle has either:\n\n- been fitted or converted to run solely on petrol\n\n- had an approved gas conversion\n\nContact Transport for London (TfL) if your vehicle has been \u2018re-engined\u2019 to meet Low Emission Zone standards.\n\n## Book a Low Emissions Certificate test\n\nContact an authorised testing facility or Driver and Vehicle Standards Agency (DVSA) test station to book the test.\n\nYou need:\n\n- your vehicle registration number\n\n- your vehicle identification or chassis number\n\n- the make, model and date of manufacture\n\n- details of any modifications made to meet the emissions standard\n\n- to pay the fee\n\nIt\u2019s cheaper to have the test done at the same time as the vehicle\u2019s annual test.\n\n## What to take to the test\n\nIf it\u2019s been tested before you must take the vehicle\u2019s previous Low Emissions Certificate or Reduced Pollution Certificate.\n\nThe test can be cancelled and you\u2019ll have to pay again if you don\u2019t take the certificate.\n\n## What happens at the test\n\nThe test is in 2 parts:\n\n- physical inspection to check any modifications, such as a filter fitted to the exhaust\n\n- smoke opacity test to check emissions\n\n## Test result\n\nYou\u2019ll get a Low Emissions Certificate if your vehicle passes the test.\n\nDVSA will pass your details to TfL automatically. It takes around 3 days for your details to be updated so you can drive in the Low Emission Zone.\n\nIf your vehicle is registered outside Great Britain, you need to register with TfL yourself. You can be fined up to \u00a31,000 if you don\u2019t register it.\n\n## If your vehicle fails\n\nYou can appeal the result. Fill in form LEC3 and send it to DVSA. The address is on the form.\n\n## Renewing a Low Emissions Certificate\n\nThe Low Emissions Certificate has an expiry date on it. You need to get your vehicle tested again by this date if you want to continue driving in the Low Emission Zone without paying.\n\nYou can be fined up to \u00a31,000 for driving in the Low Emission Zone without a valid Low Emissions Certificate.\n\n## Seat belt installation tests\n\nManufacturers of some buses, coaches and minibuses must make sure their seat belts meet certain safety rules.\n\n## Vehicles that need to be tested\n\nIf your vehicle has additional seat belts fitted beyond those required by law, it must be tested if:\n\n- it\u2019s a private passenger vehicle with more than 8 passenger seats and was first used on or after 1 October 2001\n\n- it\u2019s a public service vehicle\n\n## Exemptions\n\nPrivate passenger vehicles registered before 1 October 2001 are exempt.\n\nBuses made to carry standing passengers are also exempt, but if they have seat belts these must be tested.\n\nPublic service vehicles that need a Certificate of Initial Fitness (COIF) have their seat belts checked as part of this process.\n\n## Arrange a test\n\nYou can get your passenger vehicle\u2019s seat belt installation tested at one of the following centres:\n\n- Status\n\n- Millbrook proving ground\n\n- Transport research laboratory\n\nManufacturers can test their own seat belts as long as they have the right equipment and staff.\n\nTesting seat belts is usually part of obtaining a COIF on new vehicles.\n\nYou can get more advice about testing your passenger vehicle\u2019s seat belts from DVSA.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/specialist-tests-for-coaches-and-buses", + "answerable": true, + "scenario": "I own several 14 seater minibuses which have been in operation since 2010.Are hired for transporting tourists and school children. I want to ensure the seat belts meet all regulations.", + "original_question": "Does my vehicles have to be tested on seat belts installations?" + }, + { + "id": "train-1243", + "question": "Scenario: I am the boss and owner of a small boutique and recently advertised a job. One of the applicants has a hidden disability, autism. I feel she is not suitable for the job but I am not sure if I am breaking the law by rejecting her.\n\nQuestion: Is it illegal for me to reject a candidate with a hidden disability?\n\nDocument - Recruitment and disabled people:\n## Job specifications\n\nThe job specification (or \u2018person requirements\u2019) of a vacancy must not exclude disabled people from applying for a job.\n\nHowever, some jobs may have an essential requirement that cannot be met with a reasonable adjustment.\n\nIf you reject a disabled candidate, it must be based on their performance at interview rather than having to make reasonable adjustments.\n\n## Encouraging applications\n\nYour local Jobcentre Plus can help with:\n\n- making sure your application process is accessible\n\n- advising you about recruitment practices that open up jobs to disabled people\n\n- information about making reasonable adjustments that can help someone start or keep their job\n\nContact Jobcentre Plus to find out more.\n\n## Apply for the disability confident scheme\n\nSign up as a disability confident committed employer. When you\u2019ve done this you can use the disability confident badge on adverts to show you encourage applications from disabled people.\n\n## Alternative formats\n\nYou must provide information about the vacancy in alternative formats (for example, large print) on request if this is reasonable. You must also accept applications in alternative formats (for example, electronically) where possible.\n\n## Reasonable adjustments\n\nYou can ask if a candidate needs an adjustment to the recruitment process to allow them to be considered for the job, or you can wait to be told.\n\nYou must make adjustments if they\u2019re reasonable, for example allowing:\n\n- wheelchair users to have their interview on the ground floor\n\n- candidates to complete a written test using a computer\n\nAfter you\u2019ve made a job offer, you can ask what adjustments they\u2019ll need to do the job.\n\nYou can get help paying for extra support in the workplace through an Access to Work grant but you cannot use the money for reasonable adjustments.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/recruitment-disabled-people", + "answerable": true, + "scenario": "I am the boss and owner of a small boutique and recently advertised a job. One of the applicants has a hidden disability, autism. I feel she is not suitable for the job but I am not sure if I am breaking the law by rejecting her.", + "original_question": "Is it illegal for me to reject a candidate with a hidden disability?" + }, + { + "id": "train-1244", + "question": "Scenario: I am a factory boss who is disabled myself and I am keen to encourage applications from other disabled people. I have several vacancies at the moment which I will be advertising.\n\nQuestion: Is it acceptable to encourage applications specifically from disabled people?\n\nDocument - Recruitment and disabled people:\n## Job specifications\n\nThe job specification (or \u2018person requirements\u2019) of a vacancy must not exclude disabled people from applying for a job.\n\nHowever, some jobs may have an essential requirement that cannot be met with a reasonable adjustment.\n\nIf you reject a disabled candidate, it must be based on their performance at interview rather than having to make reasonable adjustments.\n\n## Encouraging applications\n\nYour local Jobcentre Plus can help with:\n\n- making sure your application process is accessible\n\n- advising you about recruitment practices that open up jobs to disabled people\n\n- information about making reasonable adjustments that can help someone start or keep their job\n\nContact Jobcentre Plus to find out more.\n\n## Apply for the disability confident scheme\n\nSign up as a disability confident committed employer. When you\u2019ve done this you can use the disability confident badge on adverts to show you encourage applications from disabled people.\n\n## Alternative formats\n\nYou must provide information about the vacancy in alternative formats (for example, large print) on request if this is reasonable. You must also accept applications in alternative formats (for example, electronically) where possible.\n\n## Reasonable adjustments\n\nYou can ask if a candidate needs an adjustment to the recruitment process to allow them to be considered for the job, or you can wait to be told.\n\nYou must make adjustments if they\u2019re reasonable, for example allowing:\n\n- wheelchair users to have their interview on the ground floor\n\n- candidates to complete a written test using a computer\n\nAfter you\u2019ve made a job offer, you can ask what adjustments they\u2019ll need to do the job.\n\nYou can get help paying for extra support in the workplace through an Access to Work grant but you cannot use the money for reasonable adjustments.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/recruitment-disabled-people", + "answerable": true, + "scenario": "I am a factory boss who is disabled myself and I am keen to encourage applications from other disabled people. I have several vacancies at the moment which I will be advertising.", + "original_question": "Is it acceptable to encourage applications specifically from disabled people?" + }, + { + "id": "train-1246", + "question": "Scenario: I live in Wales and was fired from my job last week unjustly. I am going to take my ex-employer to employment tribunal. I believe they recorded inaccurate information about me. I do not have much money at the moment.\n\nQuestion: Can I obtain the information about me held by my former employer for free?\n\nDocument - Data protection:\n## The Data Protection Act\n\nThe Data Protection Act 2018 controls how your personal information is used by organisations, businesses or the government.\n\nThe Data Protection Act 2018 is the UK\u2019s implementation of the General Data Protection Regulation (GDPR).\n\nEveryone responsible for using personal data has to follow strict rules called \u2018data protection principles\u2019. They must make sure the information is:\n\n- used fairly, lawfully and transparently\n\n- used for specified, explicit purposes\n\n- used in a way that is adequate, relevant and limited to only what is necessary\n\n- accurate and, where necessary, kept up to date\n\n- kept for no longer than is necessary\n\n- handled in a way that ensures appropriate security, including protection against unlawful or unauthorised processing, access, loss, destruction or damage\n\nThere is stronger legal protection for more sensitive information, such as:\n\n- race\n\n- ethnic background\n\n- political opinions\n\n- religious beliefs\n\n- trade union membership\n\n- genetics\n\n- biometrics (where used for identification)\n\n- health\n\n- sex life or orientation\n\nThere are separate safeguards for personal data relating to criminal convictions and offences.\n\n## Your rights\n\nUnder the Data Protection Act 2018, you have the right to find out what information the government and other organisations store about you. These include the right to:\n\n- be informed about how your data is being used\n\n- access personal data\n\n- have incorrect data updated\n\n- have data erased\n\n- stop or restrict the processing of your data\n\n- data portability (allowing you to get and reuse your data for different services)\n\n- object to how your data is processed in certain circumstances\n\nYou also have rights when an organisation is using your personal data for:\n\n- automated decision-making processes (without human involvement)\n\n- profiling, for example to predict your behaviour or interests\n\n## Find out what data an organisation has about you\n\nWrite to an organisation to ask for a copy of the information they hold about you.\n\nIf it\u2019s a public organisation, write to their Data Protection Officer (DPO). Their details should be on the organisation\u2019s privacy notice.\n\nIf the organisation has no DPO, or you do not know who to write to, address your letter to the company secretary.\n\n## How long it should take\n\nThe organisation must give you a copy of the data they hold about you as soon as possible, and within 1 month at most.\n\nIn certain circumstances, for example particularly complex or multiple requests, the organisation can take a further 2 months to provide data. In this case, they must tell you:\n\n- within 1 month of your request\n\n- why there\u2019s a delay\n\n## When information can be withheld\n\nThere are some situations when organisations are allowed to withhold information, for example if the information is about:\n\n- the prevention, detection or investigation of a crime\n\n- national security or the armed forces\n\n- the assessment or collection of tax\n\n- judicial or ministerial appointments\n\nAn organisation does not have to say why they\u2019re withholding information.\n\n## How much it costs\n\nRequests for information are usually free. However, organisations can charge an administrative cost in some circumstances, for example if:\n\n- you\u2019re asking for a large amount of information\n\n- your request will take a lot of time and effort to process\n\n## Make a complaint\n\nIf you think your data has been misused or that the organisation holding it has not kept it secure, you should contact them and tell them.\n\nIf you\u2019re unhappy with their response or if you need any advice you should contact the Information Commissioner\u2019s Office (ICO).\n\nYou can also chat online with an advisor.\n\nThe ICO can investigate your claim and take action against anyone who\u2019s misused personal data.\n\nYou can also visit their website for information on how to make a data protection complaint.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/data-protection", + "answerable": true, + "scenario": "I live in Wales and was fired from my job last week unjustly. I am going to take my ex-employer to employment tribunal. I believe they recorded inaccurate information about me. I do not have much money at the moment.", + "original_question": "Can I obtain the information about me held by my former employer for free?" + }, + { + "id": "train-1250", + "question": "Scenario: My wife filed for divorce last month. Yesterday I received the documentation regarding our case. Even before finishing the first page I realized she wants full custody of our children. After carefully reading through I was left a bit confused regarding who the document addresses as 'applicant' and 'respondent'..\n\nQuestion: Am I the applicant under these circumstances?\n\nDocument - Represent yourself in court:\n## Overview\n\nYou have the right to speak for yourself in court without a solicitor or other legal professional.\n\nYou may choose to do this because:\n\n- you think it\u2019s better to talk directly to the judge, jury or magistrates yourself\n\n- you cannot afford to pay legal fees\n\nIf you\u2019re considering representing yourself because you cannot afford legal costs, check if you can get legal aid instead.\n\nYou\u2019ll be known as a \u2018litigant in person\u2019 if you represent yourself. You\u2019ll also be known as an \u2018applicant\u2019, \u2018respondent\u2019 or \u2018defendant\u2019 depending on whether your case is heard in a family, civil or criminal court.\n\nRead Advicenow\u2019s guides to going to court for advice on how to conduct your case.\n\nThere are different courts and rules in Scotland.\n\n## Someone with you in court\n\nYou may be allowed to have someone to help you in court by taking notes and giving advice, but they cannot:\n\n- speak for you\n\n- interfere with proceedings\n\n- sign documents on your behalf\n\nThis person is known as a \u2018McKenzie friend\u2019.\n\nThe judge will decide whether you can have a McKenzie friend with you in court.\n\nRead guidance on what a McKenzie friend can and cannot do.\n\n## Get legal advice\n\nYou can still get legal advice to help you with your case, even if you choose to represent yourself in court.\n\nFind a solicitor.\n\nRead advice on what you should consider before going to court for a debt, dispute or personal injury claim.\n\n## Divorce and separation involving children\n\nYou\u2019ll be referred to as the \u2018applicant\u2019 if you brought the case, for example you filed the divorce papers.\n\nYou\u2019ll be known as the \u2018respondent\u2019 if you\u2019ve received divorce papers or a request for a separation, or a contact order or residence order for a child.\n\n## Before you go to court\n\nYou must normally go to mediation before you go to court.\n\nThe court will not hear your case until you send them a C100 form.\n\nRead guidance about whether you should take your case to court.\n\nRead the \u2018Guide for Separated Parents: Children and the Family Courts\u2019.\n\nFind out more about:\n\n- how to apply for a court order\n\n- the types of court order you can apply for or respond to\n\n- what the court does after you apply for a court order\n\n- getting free and independent help with forms and documents\n\n## Divorce and separation: money and property\n\nYou\u2019ll be referred to as the:\n\n- \u2018applicant\u2019 if you brought the case, for example you filed a divorce petition\n\n- \u2018respondent\u2019 if someone else has brought the case\n\nFind out what you must do before you go to court if you\u2019re divorcing or separating and you\u2019ve a dispute about money or property.\n\nYou must normally consider mediation before you go to court.\n\nThe court will not hear your case until you send them a C100 form.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/represent-yourself-in-court", + "answerable": true, + "scenario": "My wife filed for divorce last month. Yesterday I received the documentation regarding our case. Even before finishing the first page I realized she wants full custody of our children. After carefully reading through I was left a bit confused regarding who the document addresses as 'applicant' and 'respondent'..", + "original_question": "Am I the applicant under these circumstances?" + }, + { + "id": "train-1252", + "question": "Scenario: We are trailer manufacturing company and our trailers were manufactured after 29th July 2013. We have an evidence of approval from IVA .\n\nQuestion: Do we need permission?\n\nDocument - Supply a large goods trailer for use on the road:\n## Overview\n\nYou must apply to the Driver and Vehicle Standards Agency (DVSA) for permission if you supply large goods trailers for use on the road.\n\nThis is called a \u2018letter of consent\u2019 and applies to \u2018final suppliers\u2019.\n\nYou need a letter of consent if your trailer:\n\n- is for carrying goods and weighs more than 1020kg when it\u2019s not carrying any goods or other items (known as \u2018unladen weight\u2019)\n\n- is a semi-trailer\n\nYou do not need a letter of consent if your trailer is listed in Schedule 2 of the Goods Vehicle (Plating and Testing) Regulations.\n\n## Who needs permission\n\nYou need to get permission if you\u2019re a \u2018final supplier\u2019 of trailers. Final suppliers are:\n\n- trailer manufacturers\n\n- trailer dealers\n\n- importers of new trailers\n\nIf you\u2019re a dealer or importer, you only have to get permission if it has not already been obtained, for example if the trailer was built abroad and the manufacturer did not apply.\n\nWhen you need to get permission depends on when the trailer was put into service in the UK.\n\n| Type of trailer | When you need permission |\n\n| Trailers manufactured in a single stage | From 29 October 2012 |\n\n| Trailers manufactured in multiple stages | From 29 October 2013 |\n\n| Special purpose trailers | From 29 October 2014 |\n\nSpecial purpose trailers include some trailer caravans, boat launching trailers, gritters and towed machinery. Check if your trailer is \u2018special purpose\u2019 by calling the Driver and Vehicle Standards Agency (DVSA) helpline.\n\nIt\u2019s an offence to supply or use these trailers without getting permission first and you could be fined.\n\nIf you\u2019re an operator using large goods trailers on the road supplied after the dates above, you do not need to get permission - it should already have been given.\n\nYou can check this by calling the DVSA helpline.\n\n## How to apply\n\nApply using form TES1.\n\nYou might also need to send evidence of vehicle approval depending on when the trailer was manufactured.\n\n| | Manufacture date | Evidence of approval needed |\n\n| Trailers (not including special purpose) manufactured in single and multiple stages | Up to and including 29 July 2012 | No |\n\n| Trailers (not including special purpose) manufactured in a single stage | After 29 July 2012 | Yes |\n\n| Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2012 up to and including 29 July 2013 | Partial (at least one element of approval) |\n\n| Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2013 | Yes |\n\n| Special Purpose trailers manufactured in a single stage | After 29 July 2012 | Yes |\n\n| Special Purpose trailers manufactured in multiple stages | After 29 July 2013 | Yes |\n\nThe Driver and Vehicle Standards Agency (DVSA) accepts the following evidence of vehicle approval:\n\n- a European Community Whole Vehicle Type Approval (ECWVTA) Certificate of Conformity (CoC)\n\n- a UK National Small Series Type Approval (NSSTA) CoC\n\n- a UK Individual Vehicle Approval (IVA) certificate\n\nMore details are in the guidance notes. There is an additional form if you want to apply for consent of multiple trailers.\n\nYou can also get the form and notes from the DVSA helpline:\n\nSend the form and your supporting documents to:\n\n## Apply for a trailer identification number\n\nYou can apply for a trailer identification number (also known as a ministry number) to add to your trailer while it\u2019s still being built.\n\nDo this by submitting the vehicle identification number (VIN) using form TES 2.\n\n## After you apply\n\nOnce DVSA has received your application and confirmed that you meet the requirements you\u2019ll get a \u2018letter of consent to supply\u2019.\n\nIf applicable, you\u2019ll also get ministry plates, provided your approval documents and application give enough technical information.\n\nIf your application is rejected, DVSA will send you a letter explaining the reasons why.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/permission-to-supply-a-large-goods-trailer-for-use-on-the-road", + "answerable": true, + "scenario": "We are trailer manufacturing company and our trailers were manufactured after 29th July 2013. We have an evidence of approval from IVA .", + "original_question": "Do we need permission?" + }, + { + "id": "train-1254", + "question": "Scenario: we got a large lot of trailers on auction for a very good price. most of them are older trailers from the late nineties and the early 2000's but a few are from the mid 2010's.\n\nQuestion: do i need to register my trailers ?\n\nDocument - Supply a large goods trailer for use on the road:\n## Overview\n\nYou must apply to the Driver and Vehicle Standards Agency (DVSA) for permission if you supply large goods trailers for use on the road.\n\nThis is called a \u2018letter of consent\u2019 and applies to \u2018final suppliers\u2019.\n\nYou need a letter of consent if your trailer:\n\n- is for carrying goods and weighs more than 1020kg when it\u2019s not carrying any goods or other items (known as \u2018unladen weight\u2019)\n\n- is a semi-trailer\n\nYou do not need a letter of consent if your trailer is listed in Schedule 2 of the Goods Vehicle (Plating and Testing) Regulations.\n\n## Who needs permission\n\nYou need to get permission if you\u2019re a \u2018final supplier\u2019 of trailers. Final suppliers are:\n\n- trailer manufacturers\n\n- trailer dealers\n\n- importers of new trailers\n\nIf you\u2019re a dealer or importer, you only have to get permission if it has not already been obtained, for example if the trailer was built abroad and the manufacturer did not apply.\n\nWhen you need to get permission depends on when the trailer was put into service in the UK.\n\n| Type of trailer | When you need permission |\n\n| Trailers manufactured in a single stage | From 29 October 2012 |\n\n| Trailers manufactured in multiple stages | From 29 October 2013 |\n\n| Special purpose trailers | From 29 October 2014 |\n\nSpecial purpose trailers include some trailer caravans, boat launching trailers, gritters and towed machinery. Check if your trailer is \u2018special purpose\u2019 by calling the Driver and Vehicle Standards Agency (DVSA) helpline.\n\nIt\u2019s an offence to supply or use these trailers without getting permission first and you could be fined.\n\nIf you\u2019re an operator using large goods trailers on the road supplied after the dates above, you do not need to get permission - it should already have been given.\n\nYou can check this by calling the DVSA helpline.\n\n## How to apply\n\nApply using form TES1.\n\nYou might also need to send evidence of vehicle approval depending on when the trailer was manufactured.\n\n| | Manufacture date | Evidence of approval needed |\n\n| Trailers (not including special purpose) manufactured in single and multiple stages | Up to and including 29 July 2012 | No |\n\n| Trailers (not including special purpose) manufactured in a single stage | After 29 July 2012 | Yes |\n\n| Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2012 up to and including 29 July 2013 | Partial (at least one element of approval) |\n\n| Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2013 | Yes |\n\n| Special Purpose trailers manufactured in a single stage | After 29 July 2012 | Yes |\n\n| Special Purpose trailers manufactured in multiple stages | After 29 July 2013 | Yes |\n\nThe Driver and Vehicle Standards Agency (DVSA) accepts the following evidence of vehicle approval:\n\n- a European Community Whole Vehicle Type Approval (ECWVTA) Certificate of Conformity (CoC)\n\n- a UK National Small Series Type Approval (NSSTA) CoC\n\n- a UK Individual Vehicle Approval (IVA) certificate\n\nMore details are in the guidance notes. There is an additional form if you want to apply for consent of multiple trailers.\n\nYou can also get the form and notes from the DVSA helpline:\n\nSend the form and your supporting documents to:\n\n## Apply for a trailer identification number\n\nYou can apply for a trailer identification number (also known as a ministry number) to add to your trailer while it\u2019s still being built.\n\nDo this by submitting the vehicle identification number (VIN) using form TES 2.\n\n## After you apply\n\nOnce DVSA has received your application and confirmed that you meet the requirements you\u2019ll get a \u2018letter of consent to supply\u2019.\n\nIf applicable, you\u2019ll also get ministry plates, provided your approval documents and application give enough technical information.\n\nIf your application is rejected, DVSA will send you a letter explaining the reasons why.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/permission-to-supply-a-large-goods-trailer-for-use-on-the-road", + "answerable": true, + "scenario": "we got a large lot of trailers on auction for a very good price. most of them are older trailers from the late nineties and the early 2000's but a few are from the mid 2010's.", + "original_question": "do i need to register my trailers ?" + }, + { + "id": "train-1255", + "question": "Scenario: we run two businesses: trailer manufacturing and transportation of goods. we have a fleet of both registered and unregistered trailers.\n\nQuestion: can we be fined if we do not register our trailers ?\n\nDocument - Supply a large goods trailer for use on the road:\n## Overview\n\nYou must apply to the Driver and Vehicle Standards Agency (DVSA) for permission if you supply large goods trailers for use on the road.\n\nThis is called a \u2018letter of consent\u2019 and applies to \u2018final suppliers\u2019.\n\nYou need a letter of consent if your trailer:\n\n- is for carrying goods and weighs more than 1020kg when it\u2019s not carrying any goods or other items (known as \u2018unladen weight\u2019)\n\n- is a semi-trailer\n\nYou do not need a letter of consent if your trailer is listed in Schedule 2 of the Goods Vehicle (Plating and Testing) Regulations.\n\n## Who needs permission\n\nYou need to get permission if you\u2019re a \u2018final supplier\u2019 of trailers. Final suppliers are:\n\n- trailer manufacturers\n\n- trailer dealers\n\n- importers of new trailers\n\nIf you\u2019re a dealer or importer, you only have to get permission if it has not already been obtained, for example if the trailer was built abroad and the manufacturer did not apply.\n\nWhen you need to get permission depends on when the trailer was put into service in the UK.\n\n| Type of trailer | When you need permission |\n\n| Trailers manufactured in a single stage | From 29 October 2012 |\n\n| Trailers manufactured in multiple stages | From 29 October 2013 |\n\n| Special purpose trailers | From 29 October 2014 |\n\nSpecial purpose trailers include some trailer caravans, boat launching trailers, gritters and towed machinery. Check if your trailer is \u2018special purpose\u2019 by calling the Driver and Vehicle Standards Agency (DVSA) helpline.\n\nIt\u2019s an offence to supply or use these trailers without getting permission first and you could be fined.\n\nIf you\u2019re an operator using large goods trailers on the road supplied after the dates above, you do not need to get permission - it should already have been given.\n\nYou can check this by calling the DVSA helpline.\n\n## How to apply\n\nApply using form TES1.\n\nYou might also need to send evidence of vehicle approval depending on when the trailer was manufactured.\n\n| | Manufacture date | Evidence of approval needed |\n\n| Trailers (not including special purpose) manufactured in single and multiple stages | Up to and including 29 July 2012 | No |\n\n| Trailers (not including special purpose) manufactured in a single stage | After 29 July 2012 | Yes |\n\n| Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2012 up to and including 29 July 2013 | Partial (at least one element of approval) |\n\n| Trailers (not including special purpose) manufactured in multiple stages | After 29 July 2013 | Yes |\n\n| Special Purpose trailers manufactured in a single stage | After 29 July 2012 | Yes |\n\n| Special Purpose trailers manufactured in multiple stages | After 29 July 2013 | Yes |\n\nThe Driver and Vehicle Standards Agency (DVSA) accepts the following evidence of vehicle approval:\n\n- a European Community Whole Vehicle Type Approval (ECWVTA) Certificate of Conformity (CoC)\n\n- a UK National Small Series Type Approval (NSSTA) CoC\n\n- a UK Individual Vehicle Approval (IVA) certificate\n\nMore details are in the guidance notes. There is an additional form if you want to apply for consent of multiple trailers.\n\nYou can also get the form and notes from the DVSA helpline:\n\nSend the form and your supporting documents to:\n\n## Apply for a trailer identification number\n\nYou can apply for a trailer identification number (also known as a ministry number) to add to your trailer while it\u2019s still being built.\n\nDo this by submitting the vehicle identification number (VIN) using form TES 2.\n\n## After you apply\n\nOnce DVSA has received your application and confirmed that you meet the requirements you\u2019ll get a \u2018letter of consent to supply\u2019.\n\nIf applicable, you\u2019ll also get ministry plates, provided your approval documents and application give enough technical information.\n\nIf your application is rejected, DVSA will send you a letter explaining the reasons why.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/permission-to-supply-a-large-goods-trailer-for-use-on-the-road", + "answerable": true, + "scenario": "we run two businesses: trailer manufacturing and transportation of goods. we have a fleet of both registered and unregistered trailers.", + "original_question": "can we be fined if we do not register our trailers ?" + }, + { + "id": "train-1260", + "question": "Scenario: i have a dificult pregnancy and as a result my doctor has recommended that i do not wear a seatbelt when in a vehicle.\n\nQuestion: do i have to wear a seatbelt while pregnant ?\n\nDocument - Seat belts: the law:\n## Overview\n\nYou must wear a seat belt if one is fitted in the seat you\u2019re using - there are only a few exceptions.\n\nYou\u2019re also only allowed 1 person in each seat fitted with a seat belt.\n\nYou can be fined up to \u00a3500 if you don\u2019t wear a seat belt when you\u2019re supposed to.\n\n## Children\n\nYou must make sure that any children in the vehicle you\u2019re driving are:\n\n- in the correct car seat for their height or weight until they reach 135 centimetres tall or their 12th birthday, whichever is first\n\n- wearing a seat belt if they\u2019re 12 or 13 years old, or younger and over 135cm tall\n\nYou can be fined up to \u00a3500 if a child under 14 isn\u2019t in the correct car seat or wearing a seat belt while you\u2019re driving.\n\n## When you don't need to wear a seat belt\n\nYou don\u2019t need to wear a seat belt if you\u2019re:\n\n- a driver who is reversing, or supervising a learner driver who is reversing\n\n- in a vehicle being used for police, fire and rescue services\n\n- a passenger in a trade vehicle and you\u2019re investigating a fault\n\n- driving a goods vehicle on deliveries that is travelling no more than 50 metres between stops\n\n- a licensed taxi driver who is \u2018plying for hire\u2019 or carrying passengers\n\n## Medical exemptions\n\nYour doctor may say you don\u2019t have to wear a seat belt for a medical reason. They\u2019ll give you a \u2018Certificate of Exemption from Compulsory Seat Belt Wearing\u2019. You must:\n\n- keep this in your vehicle\n\n- show it to the police if you\u2019re stopped\n\nYou\u2019ll also need to tell your car insurer.\n\nTalk to your doctor for more information and read \u2018medical exemptions from compulsory seat belt wearing\u2019.\n\n## Wearing a seat belt while pregnant\n\nYou must wear a seat belt if you\u2019re pregnant, unless your doctor says you don\u2019t have to for medical reasons.\n\n## Wearing a seat belt if you\u2019re disabled\n\nYou must wear a seat belt if you\u2019re a disabled driver or passenger, unless you don\u2019t have to for medical reasons. You may need to adapt your vehicle.\n\n## If your vehicle doesn\u2019t have seat belts\n\nIf your vehicle doesn\u2019t have seat belts, for example it\u2019s a classic car, you aren\u2019t allowed to carry any children under 3 years old in it.\n\nChildren over 3 are only allowed to sit in the back seats.\n\nThese rules only apply if your vehicle was originally made without seat belts.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/seat-belts-law", + "answerable": true, + "scenario": "i have a dificult pregnancy and as a result my doctor has recommended that i do not wear a seatbelt when in a vehicle.", + "original_question": "do i have to wear a seatbelt while pregnant ?" + }, + { + "id": "train-1261", + "question": "Scenario: i received a \u00a3500 fine because my eleven year old child was not in a car seat. the child was however wearing their seatbelt.\n\nQuestion: can i receive a fine if my child is not in a car seat ?\n\nDocument - Seat belts: the law:\n## Overview\n\nYou must wear a seat belt if one is fitted in the seat you\u2019re using - there are only a few exceptions.\n\nYou\u2019re also only allowed 1 person in each seat fitted with a seat belt.\n\nYou can be fined up to \u00a3500 if you don\u2019t wear a seat belt when you\u2019re supposed to.\n\n## Children\n\nYou must make sure that any children in the vehicle you\u2019re driving are:\n\n- in the correct car seat for their height or weight until they reach 135 centimetres tall or their 12th birthday, whichever is first\n\n- wearing a seat belt if they\u2019re 12 or 13 years old, or younger and over 135cm tall\n\nYou can be fined up to \u00a3500 if a child under 14 isn\u2019t in the correct car seat or wearing a seat belt while you\u2019re driving.\n\n## When you don't need to wear a seat belt\n\nYou don\u2019t need to wear a seat belt if you\u2019re:\n\n- a driver who is reversing, or supervising a learner driver who is reversing\n\n- in a vehicle being used for police, fire and rescue services\n\n- a passenger in a trade vehicle and you\u2019re investigating a fault\n\n- driving a goods vehicle on deliveries that is travelling no more than 50 metres between stops\n\n- a licensed taxi driver who is \u2018plying for hire\u2019 or carrying passengers\n\n## Medical exemptions\n\nYour doctor may say you don\u2019t have to wear a seat belt for a medical reason. They\u2019ll give you a \u2018Certificate of Exemption from Compulsory Seat Belt Wearing\u2019. You must:\n\n- keep this in your vehicle\n\n- show it to the police if you\u2019re stopped\n\nYou\u2019ll also need to tell your car insurer.\n\nTalk to your doctor for more information and read \u2018medical exemptions from compulsory seat belt wearing\u2019.\n\n## Wearing a seat belt while pregnant\n\nYou must wear a seat belt if you\u2019re pregnant, unless your doctor says you don\u2019t have to for medical reasons.\n\n## Wearing a seat belt if you\u2019re disabled\n\nYou must wear a seat belt if you\u2019re a disabled driver or passenger, unless you don\u2019t have to for medical reasons. You may need to adapt your vehicle.\n\n## If your vehicle doesn\u2019t have seat belts\n\nIf your vehicle doesn\u2019t have seat belts, for example it\u2019s a classic car, you aren\u2019t allowed to carry any children under 3 years old in it.\n\nChildren over 3 are only allowed to sit in the back seats.\n\nThese rules only apply if your vehicle was originally made without seat belts.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/seat-belts-law", + "answerable": true, + "scenario": "i received a \u00a3500 fine because my eleven year old child was not in a car seat. the child was however wearing their seatbelt.", + "original_question": "can i receive a fine if my child is not in a car seat ?" + }, + { + "id": "train-1263", + "question": "Scenario: I run a haulage company and we are thinking of recruiting some new staff. Whilst we would obvious prefer people who already have a HGV licence we would not rule out hiring inexperienced drivers\n\nQuestion: would it be possible for us to train unqualified drivers ourselves?\n\nDocument - Provide driving tests for your employees:\n## Who can provide driving tests\n\nDriving tests are usually provided by the Driver and Vehicle Standards Agency (DVSA).\n\nYou can apply to DVSA for permission for your own staff to provide driving tests for your employees if you\u2019re a:\n\n- bus or haulage operating licence holder\n\n- police service\n\n- fire and rescue service\n\nYour staff providing driving tests will be known as \u2018delegated driving examiners\u2019.\n\n## Tests that can be provided\n\nDelegated driving examiners are allowed to provide theory and practical driving tests for drivers of:\n\n- lorries\n\n- buses and coaches\n\n- cars and trailers\n\n- emergency service vehicles\n\n## Lorry, bus and coach companies\n\nDelegated driving examiners working for lorry, bus and coach companies can test:\n\n- an employee\n\n- an employee of a sister company\n\nAs a delegated driving examiner, you cannot test someone you\u2019ve trained.\n\n## Emergency services\n\nDelegated driving examiners working for police services and fire and rescue services can test:\n\n- an employee\n\n- an employee from the same type of service in a different area\n\nThe same delegated driving examiner can provide tests for both a police service and a fire and rescue service, but both must appoint them with DVSA.\n\n## Rules for your driving examiners\n\nWhen deciding whether to give permission for someone to provide driving tests, the Driver and Vehicle Standards Agency (DVSA) looks at if they:\n\n- have a full driving licence for the type of vehicle they\u2019re testing in\n\n- have had any convictions in the last 3 years\n\n- have been disqualified from driving\n\n- have any court proceedings pending against them\n\n- have any penalty points on their licence\n\n## Qualifying as a delegated driving examiner\n\nYour employees must then:\n\n- complete an initial training course\n\n- reach an appropriate standard in the delegated driving examiner theory and practical tests\n\nDVSA will send you more information about the qualifying process when you apply to provide driving tests.\n\n## Apply to provide driving tests\n\nYou must email the Driver and Vehicle Standards Agency (DVSA) to get permission to provide driving tests.\n\nYou cannot currently contact DVSA by telephone or post because of coronavirus (COVID-19).\n\nYou must include information about your organisation, the tests you want to provide, and the people you want to appoint as delegated driving examiners.\n\n## Your organisation\n\nYou\u2019ll need to include:\n\n- the full name of the organisation\n\n- the registered address or headquarters address (if you\u2019re not a registered company)\n\n- a copy of your certificate of incorporation if you\u2019re a registered company\n\n- a copy of your operator licence (if you have one)\n\n- the name, position and contact details of the main contact in your organisation for driving tests\n\n- confirmation that you, as the person submitting the application, is an approved signatory for the purposes of the application\n\n## The tests you want to provide\n\nYou\u2019ll need to include:\n\n- details of the locations at which testing would take place\n\n- the categories of tests you want to provide, for example, \u2018category D - bus\u2019\n\n- the type of tests you want to provide, for example, licence acquisition theory test, licence acquisition practical test and so on\n\n- details of where the records about the tests would be stored\n\n- an estimate of the minimum number of tests you\u2019ll provide in the 12 months following your approval\n\n## The people you want to appoint as examiners\n\nYou\u2019ll need to include the full names and driving licence numbers of the people you want to appoint as delegated driving examiners.\n\n## When DVSA gets your application\n\nDVSA will tell you its decision about your application within 10 working days.\n\nYou\u2019ll also get information about:\n\n- the qualifying process\n\n- the detailed rules about providing theory and practical driving tests\n\n- the detailed rules about recording tests that you provide\n\nYou can email DVSA if you need more information.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/provide-driving-tests-for-your-employees", + "answerable": true, + "scenario": "I run a haulage company and we are thinking of recruiting some new staff. Whilst we would obvious prefer people who already have a HGV licence we would not rule out hiring inexperienced drivers", + "original_question": "would it be possible for us to train unqualified drivers ourselves?" + }, + { + "id": "train-1264", + "question": "Scenario: My fifteen year old son was recently arrested for shoplifting and the store owner is pressing charges. We have been unable to find out any further information as to what is likely to happen.\n\nQuestion: Will my son be brought before a jury?\n\nDocument - Criminal courts:\n## Magistrates' courts\n\nAll criminal cases start in a magistrates\u2019 court.\n\nCases are heard by either:\n\n- 2 or 3 magistrates\n\n- a district judge\n\nThere is not a jury in a magistrates\u2019 court.\n\n## Cases a magistrates\u2019 court deals with\n\nA magistrates\u2019 court normally handles cases known as \u2018summary offences\u2019, for example:\n\n- most motoring offences\n\n- minor criminal damage\n\n- common assault (not causing significant injury)\n\nIt can also deal with some of the more serious offences, such as:\n\n- burglary\n\n- drugs offences\n\nThese are called \u2018either way\u2019 offences and can be heard either in a magistrates\u2019 court or a Crown Court.\n\nFind your local magistrates\u2019 court.\n\n## Cases that magistrates pass to the Crown Court\n\nMagistrates\u2019 courts always pass the most serious crimes to the Crown Court, for example:\n\n- murder\n\n- rape\n\n- robbery\n\nThese are known as \u2018indictable offences\u2019.\n\n## Being kept in custody or granted bail\n\nIn some cases the magistrates\u2019 court will decide if you should be kept in custody until your next court hearing, or released on bail.\n\nThis may happen if:\n\n- another court hearing is needed\n\n- the court needs more information before passing sentence\n\n- your case is passed to the Crown Court for trial or sentencing\n\nIf you\u2019re released on bail, you might have to follow strict conditions such as keeping away from certain people or places, staying indoors or wearing a tag.\n\nIf you do not attend court after being granted bail, you can be put in prison.\n\n## Sentences a magistrates\u2019 court can give\n\nThe court can give punishments including:\n\n- up to 6 months in prison (or up to 12 months in total for more than one offence)\n\n- a fine\n\n- a community sentence, like doing unpaid work in the community\n\n- a ban, for example from driving or keeping an animal\n\nCourts can also give a combination of punishments - for example a fine and unpaid work in the community.\n\nIf the court decides your sentence should be for longer than 6 months, it can pass your case to the Crown Court for sentencing.\n\n## Appealing a sentence or conviction\n\nIf you disagree with verdict of the magistrates\u2019 court, you may be able to appeal.\n\n## Crown Court\n\n## Types of cases the Crown Court deals with\n\nA Crown Court deals with serious criminal cases, for example:\n\n- murder\n\n- rape\n\n- robbery\n\nIt also deals with:\n\n- appeals against a magistrates\u2019 court conviction or sentence\n\n- cases passed from a magistrates\u2019 court for trial or sentencing\n\nFind a Crown Court.\n\nYou can see what cases a court is hearing each day and check their progress on the court lists.\n\n## Who does what in the court\n\nA Crown Court:\n\n- normally has a jury - which decides if you\u2019re guilty or not\n\n- has a judge - who decides what sentence you get\n\nYour solicitor (if you have one) can explain what happens in court - the judge and court staff will also give instructions about the trial.\n\n## Sentences a Crown Court can give\n\nA Crown Court can give a range of sentences including:\n\n- community sentences\n\n- prison sentences - including life sentences\n\n## Appealing a sentence or conviction\n\nIf you disagree with the Crown Court\u2019s verdict, you may be able to appeal.\n\n## Youth courts\n\nA youth court is a special type of magistrates\u2019 court for people aged between 10 and 17.\n\nA youth court has either:\n\n- 3 magistrates\n\n- a district judge\n\nThere is not a jury in a youth court.\n\nYour parent or guardian must come with you:\n\n- if you\u2019re under 16\n\n- if you\u2019re 16 to 17 and they\u2019re given a court order\n\n## How youth courts are different from adult courts\n\nYouth courts are less formal than adult courts, for example:\n\n- members of the public are not allowed in to the court (unless they get permission)\n\n- you are called by your first name\n\n## Types of cases a youth court deals with\n\nA youth court deals with cases like:\n\n- theft and burglary\n\n- anti-social behaviour\n\n- drugs offences\n\nFor serious crimes, like murder or rape, the case starts in the youth court but will be passed to a Crown Court.\n\n## Sentences a youth court can give\n\nThe court can give a range of sentences including:\n\n- community sentences\n\n- Detention and Training Orders carried out in secure centres for young people\n\n## Appealing a sentence\n\nIf you disagree with the court\u2019s verdict, you may be able to appeal. Court staff can give you information on how to appeal.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/courts", + "answerable": true, + "scenario": "My fifteen year old son was recently arrested for shoplifting and the store owner is pressing charges. We have been unable to find out any further information as to what is likely to happen.", + "original_question": "Will my son be brought before a jury?" + }, + { + "id": "train-1266", + "question": "Scenario: I am a small business owner and have just started my business. We are just about to hire our first employee and I am getting set up to pay the required income taxes. I initially registered as an employer with HMRC using a paper form.\n\nQuestion: Can I access PAYE online?\n\nDocument - PAYE Online for employers:\n## Using PAYE Online\n\nAs an employer, you need to use HM Revenue and Customs\u2019 (HMRC) PAYE Online service to:\n\n- check what you owe HMRC\n\n- pay your bill\n\n- see your payment history\n\n- access tax codes and notices about your employees\n\n- appeal a penalty\n\n- get alerts from HMRC when you report or pay late, or do not send the expected number of reports in a month\n\n- send expenses and benefits returns such as P46 (car), P11D and P11D(b)\n\nOnline services may be slow during busy times. Check if there are any problems with this service.\n\nSign in\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Before you start\n\nMost new employers get a login when they register as an employer online. If you do not have a login because you registered in a different way you\u2019ll need to enrol for PAYE Online separately.\n\n## Tax codes and notices\n\nHMRC sends you information about your employees through PAYE Online. You can log in to view:\n\n- tax code notices (P6 and P9)\n\n- student loan notices (SL1 and SL2)\n\n- National Insurance verification notices (NVR and NOT)\n\n- late reporting and late payment alerts (HMRC call these \u2018generic notifications\u2019)\n\nYou can also access these through some payroll software, or by using the PAYE Desktop Viewer.\n\n## Enrol if you did not register online\n\nYou only need to enrol separately for HM Revenue and Customs\u2019 (HMRC) PAYE Online service if you did not get a login when you registered as an employer - this is usually because you did not register online.\n\nYou\u2019ll need your PAYE reference and Accounts Office reference - these are included in the letter from HMRC confirming your registration.\n\n## Enrol for PAYE Online\n\nHow you enrol depends on whether you already have an online account for other taxes, for example Corporation Tax or Self Assessment.\n\n## You already have an account\n\nSign in to your account and select \u2018PAYE for employers\u2019 from the list.\n\n## You do not have an account\n\nEnrol as a new business account holder and select \u2018Add a tax to your account\u2019 on the \u2018Business tax summary\u2019 page. You will then be able to add PAYE for employers.\n\n## PAYE Desktop Viewer\n\nPAYE Desktop Viewer is an application from HM Revenue and Customs (HMRC) that allows you to view, search and sort large numbers of employee tax codes and notices.\n\nYou can also use it to download notices and view them offline instead of accessing them through HMRC\u2019s PAYE Online service, or your payroll software if it includes this feature.\n\n## Download PAYE Desktop Viewer", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/paye-online", + "answerable": true, + "scenario": "I am a small business owner and have just started my business. We are just about to hire our first employee and I am getting set up to pay the required income taxes. I initially registered as an employer with HMRC using a paper form.", + "original_question": "Can I access PAYE online?" + }, + { + "id": "train-1269", + "question": "Scenario: My father wants to buy land in the countryside to build a family home. He got a nice offer of land which was previously a landfill.\n\nQuestion: Can this count as a contaminated land?\n\nDocument - Contaminated land:\n## Overview\n\nLand can be contaminated by things like:\n\n- heavy metals, such as arsenic, cadmium and lead\n\n- oils and tars\n\n- chemical substances and preparations, like solvents\n\n- gases\n\n- asbestos\n\n- radioactive substances\n\n## What counts as contaminated land\n\nLand is legally defined as \u2018contaminated land\u2019 where substances are causing or could cause:\n\n- significant harm to people, property or protected species\n\n- significant pollution of surface waters (for example lakes and rivers) or groundwater\n\n- harm to people as a result of radioactivity\n\nContaminated land may previously have been used as a:\n\n- factory\n\n- mine\n\n- steel mill\n\n- refinery\n\n- landfill\n\n## Special sites\n\nSome types of contaminated land are classed as \u2018special sites\u2019. This includes land that:\n\n- seriously affects drinking waters, surface waters or important groundwater sources\n\n- has been, or is being, used for certain industrial activities, such as oil refining or making explosives\n\n- is being or has been regulated using a permit issued under the integrated pollution control or pollution prevention and control regimes\n\n- has been used to get rid of waste acid tars\n\n- is owned or occupied by the Ministry of Defence\n\n- is contaminated by radioactivity\n\n- is a nuclear site\n\nThe Environment Agency has technical guidance on special sites.\n\nOnce a local council has decided that an area is a special site, it is regulated by:\n\n- the Environment Agency in England\n\n- Natural Resources Wales in Wales\n\n- the Scottish Environment Protection Agency (SEPA) in Scotland\n\n## Who decides if land is contaminated\n\nYour local council or an environment agency will decide if your land is contaminated.\n\nYour land could be investigated for a number of reasons, including when:\n\n- land is sold, let, used or otherwise transferred\n\n- land is proposed for development\n\n- local councils inspect land in their area\n\n- an application is made for an environmental permit or other licence\n\n- land is polluted\n\nContact your local council if you believe your land is contaminated.\n\n## Dealing with contamination\n\nThe rules for who\u2019s responsible for contamination and how to deal with it depend on whether the land is legally considered \u2018contaminated land\u2019.\n\n## If the land counts as contaminated land\n\nIf the land is legally considered \u2018contaminated land\u2019, the person who caused or allowed the contamination to happen is responsible for dealing with it, unless:\n\n- they can\u2019t be identified\n\n- the local council or environment agency investigating the issue decides they\u2019re exempt\n\nThe council or agency will then decide who\u2019s responsible for dealing with it instead. This may be the landowner, or the person who uses the land.\n\n## What happens next\n\nThe council or agency will:\n\n- decide how the land should be dealt with\n\n- ask the responsible person to deal with the contamination\n\n- tell them how they should take care of it (clean it up or fence it off, for example)\n\nIf the person doesn\u2019t deal with the contamination, the council or agency will send a \u2018remediation notice\u2019, telling them when they must take care of it by.\n\nYou can agree a voluntary scheme with the council or agency if you\u2019re responsible for part or all of the clean up. You must tell them what steps you\u2019ll take to clean up the land.\n\n## If the land doesn\u2019t count as contaminated land\n\nIf the land isn\u2019t legally considered \u2018contaminated land\u2019, you could be responsible for dealing with the contamination if you\u2019re:\n\n- responsible for causing it\n\n- the landowner\n\nYou may face legal action if you don\u2019t deal with contamination that you\u2019re responsible for. Find out how to manage contamination on your land.\n\n## If you\u2019re developing the land\n\nYou\u2019ll have to deal with the contamination either:\n\n- before you get planning permission\n\n- as part of the development\n\nContact your local council to check what you must do to make sure the land is suitable for your proposed development.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/contaminated-land", + "answerable": true, + "scenario": "My father wants to buy land in the countryside to build a family home. He got a nice offer of land which was previously a landfill.", + "original_question": "Can this count as a contaminated land?" + }, + { + "id": "train-1271", + "question": "Scenario: my twelve year old daughter was recently caught shoplifting along with her friends and she is now in police custody.\n\nQuestion: will my twelve year old daughter have to go to court ?\n\nDocument - Being charged with a crime:\n## Overview\n\nIf you are charged with a crime you will be given a \u2018charge sheet\u2019. This sets out the details of the crime you are being charged with.\n\nThe police will decide if you:\n\n- can go home until the court hearing - but may have to follow certain rules, known as \u2018bail\u2019\n\n- are kept in police custody until you are taken to court for your hearing\n\nYour first court hearing after you are charged with a crime will be at a magistrates\u2019 court - even if your trial will be at a Crown Court later on.\n\nIf you\u2019re charged with a minor offence your case could be decided without going to court (\u2018single justice procedure\u2019). If you get a single justice procedure notice you must respond within 21 days.\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Young people\n\nIf you\u2019re under 18, your first hearing will usually be at a youth court.\n\nIf you\u2019re under 17, the police must arrange for you to be held in local authority accommodation, if possible, before you go to court.\n\nIf you\u2019re aged 12 to 16, the police can decide to keep you at the police station if they think it will protect the public.\n\n## Bail\n\nYou can be released on bail at the police station after you\u2019ve been charged. This means you will be able to go home until your court hearing.\n\nIf you are given bail, you might have to agree to conditions like:\n\n- living at a particular address\n\n- not contacting certain people\n\n- giving your passport to the police so you cannot leave the UK\n\n- reporting to a police station at agreed times, for example once a week\n\nIf you do not stick to these conditions you can be arrested again and be taken to prison to wait for your court hearing.\n\nWhen you attend your hearing at a magistrates\u2019 court you might be given bail again until your trial begins.\n\n## Reasons you may not be given bail\n\nYou\u2019re unlikely to be given bail if:\n\n- you are charged with a serious offence, for example armed robbery\n\n- you\u2019ve been convicted of a serious crime in the past\n\n- you\u2019ve been given bail in the past and not stuck to the terms\n\n- the police think you may not turn up for your hearing\n\n- the police think you might commit a crime while you\u2019re on bail\n\n## Remand\n\nIf the court decides to put you on remand it means you will go to prison until your hearing at a magistrates\u2019 court.\n\nIf you are under 18 you will be taken to a secure centre for young people, not an adult prison.\n\nYou will probably be put on remand if:\n\n- you have been charged with a serious crime, for example armed robbery\n\n- you have been convicted of a serious crime in the past\n\n- the police think you may not go to your court hearing\n\n- the police think you may commit another crime while on bail\n\n- you have been given bail before and not stuck to the terms\n\nWhen you attend your hearing at a magistrates\u2019 court, you might be put on remand again until your trial begins, even if you were previously given bail.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/charged-crime", + "answerable": true, + "scenario": "my twelve year old daughter was recently caught shoplifting along with her friends and she is now in police custody.", + "original_question": "will my twelve year old daughter have to go to court ?" + }, + { + "id": "train-1272", + "question": "Scenario: my husband was charged with a hit and run. he was denied bail because he did not stick to the terms of his previous bail.\n\nQuestion: Is it likely my husband will get a bail?\n\nDocument - Being charged with a crime:\n## Overview\n\nIf you are charged with a crime you will be given a \u2018charge sheet\u2019. This sets out the details of the crime you are being charged with.\n\nThe police will decide if you:\n\n- can go home until the court hearing - but may have to follow certain rules, known as \u2018bail\u2019\n\n- are kept in police custody until you are taken to court for your hearing\n\nYour first court hearing after you are charged with a crime will be at a magistrates\u2019 court - even if your trial will be at a Crown Court later on.\n\nIf you\u2019re charged with a minor offence your case could be decided without going to court (\u2018single justice procedure\u2019). If you get a single justice procedure notice you must respond within 21 days.\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Young people\n\nIf you\u2019re under 18, your first hearing will usually be at a youth court.\n\nIf you\u2019re under 17, the police must arrange for you to be held in local authority accommodation, if possible, before you go to court.\n\nIf you\u2019re aged 12 to 16, the police can decide to keep you at the police station if they think it will protect the public.\n\n## Bail\n\nYou can be released on bail at the police station after you\u2019ve been charged. This means you will be able to go home until your court hearing.\n\nIf you are given bail, you might have to agree to conditions like:\n\n- living at a particular address\n\n- not contacting certain people\n\n- giving your passport to the police so you cannot leave the UK\n\n- reporting to a police station at agreed times, for example once a week\n\nIf you do not stick to these conditions you can be arrested again and be taken to prison to wait for your court hearing.\n\nWhen you attend your hearing at a magistrates\u2019 court you might be given bail again until your trial begins.\n\n## Reasons you may not be given bail\n\nYou\u2019re unlikely to be given bail if:\n\n- you are charged with a serious offence, for example armed robbery\n\n- you\u2019ve been convicted of a serious crime in the past\n\n- you\u2019ve been given bail in the past and not stuck to the terms\n\n- the police think you may not turn up for your hearing\n\n- the police think you might commit a crime while you\u2019re on bail\n\n## Remand\n\nIf the court decides to put you on remand it means you will go to prison until your hearing at a magistrates\u2019 court.\n\nIf you are under 18 you will be taken to a secure centre for young people, not an adult prison.\n\nYou will probably be put on remand if:\n\n- you have been charged with a serious crime, for example armed robbery\n\n- you have been convicted of a serious crime in the past\n\n- the police think you may not go to your court hearing\n\n- the police think you may commit another crime while on bail\n\n- you have been given bail before and not stuck to the terms\n\nWhen you attend your hearing at a magistrates\u2019 court, you might be put on remand again until your trial begins, even if you were previously given bail.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/charged-crime", + "answerable": true, + "scenario": "my husband was charged with a hit and run. he was denied bail because he did not stick to the terms of his previous bail.", + "original_question": "Is it likely my husband will get a bail?" + }, + { + "id": "train-1273", + "question": "Scenario: Good morning. i am working from 8pm to 2 am in. my job at a club. I am paid the minimum wage for this.\n\nQuestion: Am i entitled to a higher rate of pay due to working in the night?\n\nDocument - Night working hours:\n## Hours and limits\n\nStaff who regularly work at least 3 hours during the \u2018night period\u2019 are night workers.\n\nThe night period is 11pm to 6am, unless the worker and employer agree a different night period.\n\nIf they do, it must be 7 hours long and include midnight to 5am. It must be agreed in writing.\n\nStaff may also be night workers if there\u2019s a collective agreement (for example, trade union agreement) that states their work is night work.\n\n## National Minimum Wage\n\nThe National Minimum Wage applies to night workers but there is not a higher night working rate.\n\n## Sleep-in shifts\n\nThe number of hours that workers get paid the National Minimum Wage depends on whether they\u2019re expected to sleep or work for most of their shift.\n\nWorkers who are expected to sleep for most of a sleep-in shift (for example, a care worker), and are provided with suitable sleeping facilities, will only get the National Minimum Wage for the periods when they\u2019re awake to perform tasks.\n\nWorkers who are expected to work for most of a shift will get the National Minimum Wage for their whole shift, even if they\u2019re allowed to sleep between tasks.\n\n## Limits on working hours for night workers\n\nAdditional rules apply to night workers on top of the rules on maximum weekly working hours and rest breaks.\n\nNight workers must not work more than an average of 8 hours in a 24-hour period.\n\nThe average is usually calculated over 17 weeks, but it can be over a longer period of up to 52 weeks if the workers and the employer agree - for example, by collective agreement.\n\nRegular overtime is included in the average, but not occasional overtime.\n\nWorkers cannot opt out of the limit.\n\n## Workers aged 16 or 17\n\nStaff aged 16 or 17 cannot work between midnight and 4am.\n\nThey usually cannot work between 10pm and 6am (this can be changed to not working between 11pm and 7am, by contract) but there are exceptions if they work in:\n\n- agriculture\n\n- cultural, sporting, artistic or advertising activities\n\n- a hospital\n\n- a hotel or catering\n\n- retail\n\n- post or newspaper delivery\n\nIn exceptional circumstances they can work at night if there\u2019s no adult to do the work and they\u2019re needed to either:\n\n- handle a sudden increase in demand\n\n- maintain the continuity of a service or production - for example, filming\n\nThe employer must give the young person a rest period of the same length as the extended shift.\n\nThere are other restrictions on employing young people.\n\n## Special hazards and mental or physical strain\n\nNight workers who deal with special hazards or whose work involves mental or physical strain cannot work longer than 8 hours in any 24-hour period.\n\nA risk assessment must be carried out to identify special hazards and work involving mental or physical strain.\n\nThe hazards and strains may also be set out in collective or workforce agreements.\n\n## What employers must do\n\nEmployers must keep records of night workers\u2019 working hours to show they are not exceeding the limits.\n\nThe records must be kept for at least 2 years.\n\nContact Acas for more information.\n\nYou cannot discriminate against a worker if they do not want to work nights.\n\n## Exceptions to night work limits\n\nThe limits on night working hours do not usually apply:\n\n- in the armed forces and emergency services\n\n- to domestic staff employed in a private house\n\n- when people can choose how long they work - for example, company executives or freelancers\n\nThe limits on night working hours do not apply:\n\n- in jobs that need round-the-clock staffing, like hospital work\n\n- in an industry with busy peak periods, like agriculture, retail, tourism, security and surveillance\n\n- if there\u2019s an emergency or an accident\n\n- if a member of staff has to travel a long distance from home to work or constantly works in different places\n\n- if a collective or workforce agreement excludes or changes the restriction on night work\n\nDifferent rules apply to workers in road, sea and air transport.\n\n## Rest breaks if night work limits do not apply\n\nWorkers must get \u2018compensatory rest\u2019 instead of a normal working week with breaks during the day.\n\nCompensatory rest is a minimum of 90 hours rest per week on average.\n\nEmployers must also follow the general rules on working hours.\n\nIf you\u2019re not sure whether these exceptions apply in your situation, contact Acas.\n\n## Health assessments\n\nEmployers must offer workers a free health assessment before they become a night worker. Workers do not have to accept.\n\nThe assessment must be written by a qualified health professional. It can be a questionnaire.\n\nEmployers must take into account that night work might increase a worker\u2019s stress levels.\n\nThe worker must get a follow-up examination by a health professional when an employer is unsure if the worker is fit for night work.\n\nA repeat assessment must be offered regularly.\n\nThe employer must offer suitable other work where possible if a worker has health problems that a doctor says are related to night work.\n\n## Keep records\n\nEmployers must keep confidential records of:\n\n- the health assessments (keep for 2 years)\n\n- dates when assessments were offered (if a worker did not want one)", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/night-working-hours", + "answerable": true, + "scenario": "Good morning. i am working from 8pm to 2 am in. my job at a club. I am paid the minimum wage for this.", + "original_question": "Am i entitled to a higher rate of pay due to working in the night?" + }, + { + "id": "train-1276", + "question": "Scenario: I am a non UK national and I would like to apply for a Nursing job in the U.K. I am a registered healthcare professional and I want to compare my country's qualifications with the U.K. standards.\n\nQuestion: Is there a link which i can follow?\n\nDocument - What qualification levels mean:\n## Overview\n\nMost qualifications have a difficulty level. The higher the level, the more difficult the qualification is.\n\nIf you need to know the level of a qualification, you can:\n\n- see a list of qualification levels in England, Wales and Northern Ireland\n\n- use the Register of Regulated Qualifications - if you know the name of the qualification and the exam board that runs it\n\n- compare qualification levels from other countries\n\nQualifications at the same level sometimes cover different amounts of the same subject.\n\n## Help\n\nContact the National Careers Service for advice about qualification levels if you\u2019re in England.\n\nFor the rest of the UK, contact:\n\n- Skills Development Scotland\n\n- Careers Wales\n\n- Northern Ireland Direct\n\n## England, Wales and Northern Ireland\n\nThere are 9 qualification levels.\n\n## Entry level\n\nEach entry level qualification is available at three sub-levels - 1, 2 and 3. Entry level 3 is the most difficult.\n\nEntry level qualifications are:\n\n- entry level award\n\n- entry level certificate (ELC)\n\n- entry level diploma\n\n- entry level English for speakers of other languages (ESOL)\n\n- entry level essential skills\n\n- entry level functional skills\n\n- Skills for Life\n\n## Level 1\n\nLevel 1 qualifications are:\n\n- first certificate\n\n- GCSE - grades 3, 2, 1 or grades D, E, F, G\n\n- level 1 award\n\n- level 1 certificate\n\n- level 1 diploma\n\n- level 1 ESOL\n\n- level 1 essential skills\n\n- level 1 functional skills\n\n- level 1 national vocational qualification (NVQ)\n\n- music grades 1, 2 and 3\n\n## Level 2\n\nLevel 2 qualifications are:\n\n- CSE - grade 1\n\n- GCSE - grades 9, 8, 7, 6, 5, 4 or grades A*, A, B, C\n\n- intermediate apprenticeship\n\n- level 2 award\n\n- level 2 certificate\n\n- level 2 diploma\n\n- level 2 ESOL\n\n- level 2 essential skills\n\n- level 2 functional skills\n\n- level 2 national certificate\n\n- level 2 national diploma\n\n- level 2 NVQ\n\n- music grades 4 and 5\n\n- O level - grade A, B or C\n\n## Level 3\n\nLevel 3 qualifications are:\n\n- A level\n\n- access to higher education diploma\n\n- advanced apprenticeship\n\n- applied general\n\n- AS level\n\n- international Baccalaureate diploma\n\n- level 3 award\n\n- level 3 certificate\n\n- level 3 diploma\n\n- level 3 ESOL\n\n- level 3 national certificate\n\n- level 3 national diploma\n\n- level 3 NVQ\n\n- music grades 6, 7 and 8\n\n- tech level\n\n## Level 4\n\nLevel 4 qualifications are:\n\n- certificate of higher education (CertHE)\n\n- higher apprenticeship\n\n- higher national certificate (HNC)\n\n- level 4 award\n\n- level 4 certificate\n\n- level 4 diploma\n\n- level 4 NVQ\n\n## Level 5\n\nLevel 5 qualifications are:\n\n- diploma of higher education (DipHE)\n\n- foundation degree\n\n- higher national diploma (HND)\n\n- level 5 award\n\n- level 5 certificate\n\n- level 5 diploma\n\n- level 5 NVQ\n\n## Level 6\n\nLevel 6 qualifications are:\n\n- degree apprenticeship\n\n- degree with honours - for example bachelor of the arts (BA) hons, bachelor of science (BSc) hons\n\n- graduate certificate\n\n- graduate diploma\n\n- level 6 award\n\n- level 6 certificate\n\n- level 6 diploma\n\n- level 6 NVQ\n\n- ordinary degree without honours\n\n## Level 7\n\nLevel 7 qualifications are:\n\n- integrated master\u2019s degree, for example master of engineering (MEng)\n\n- level 7 award\n\n- level 7 certificate\n\n- level 7 diploma\n\n- level 7 NVQ\n\n- master\u2019s degree, for example master of arts (MA), master of science (MSc)\n\n- postgraduate certificate\n\n- postgraduate certificate in education (PGCE)\n\n- postgraduate diploma\n\n## Level 8\n\nLevel 8 qualifications are:\n\n- doctorate, for example doctor of philosophy (PhD or DPhil)\n\n- level 8 award\n\n- level 8 certificate\n\n- level 8 diploma\n\n## Other countries\n\nQualifications outside England, Wales and Northern Ireland use different level systems.\n\n## Scotland\n\nYou can compare qualifications in Scotland with those in England, Wales and Northern Ireland.\n\n## Outside the UK\n\nYou can:\n\n- compare European qualifications\n\n- contact the UK National Academic Recognition Information Centre (UK NARIC) to compare a UK qualification with any non-UK qualification - there\u2019s a fee for this", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/what-different-qualification-levels-mean", + "answerable": true, + "scenario": "I am a non UK national and I would like to apply for a Nursing job in the U.K. I am a registered healthcare professional and I want to compare my country's qualifications with the U.K. standards.", + "original_question": "Is there a link which i can follow?" + }, + { + "id": "train-1277", + "question": "Scenario: I am a franchised car dealer and service centre for a major motor manufacturer, who is recognised as a speed limiter sponsor by the DVSA. I wish to add speed limiter installation to the list of services offered by my on-site workshop.\n\nQuestion: Can the vehicle manufacturer approve me for this directly, or do I need to apply to the DVSA?\n\nDocument - Becoming a speed limiter centre:\n## Overview\n\nA speed limiter centre installs or adjusts devices that limit how fast a vehicle can go.\n\nUsually, only existing vehicle dealerships will become a speed limiter centre.\n\nIf you want to become a speed limiter centre, you\u2019ll need to get either:\n\n- approval from the Driver and Vehicle Standards Agency (DVSA) to become an independent centre\n\n- sponsored by a DVSA approved vehicle or speed limiter maker\n\n## Independent centres\n\nFill in the application form and send it to DVSA.\n\n## Inspections\n\nDVSA will inspect your premises, facilities and staff before approving your speed limiter centre.\n\n## Approval\n\nYou\u2019ll receive an authorisation letter from DVSA if your independent speed limiter centre is approved.\n\n## Sponsored centres\n\nYou\u2019ll need to be a sponsored vehicle dealership to become a sponsored speed limiter centre.\n\n## Sponsors\n\nSponsors are DVSA-approved makers or suppliers of either:\n\n- vehicles\n\n- speed limiters\n\nOnce approved, sponsors are able to approve vehicle dealerships they already work with that want to become speed limiter centres.\n\n## Get sponsored\n\nContact the sponsors of your vehicle dealership to ask them if you can become a sponsored speed limiter centre.\n\nYou can have more than 1 sponsor.\n\n## Inspections\n\nSponsors carry out regular checks on their approved agents equipment and also provide them with:\n\n- training\n\n- technical support\n\n- new equipment and software\n\n## Approval\n\nYou\u2019ll receive an authorisation letter from your sponsor if they approve you as a sponsored speed limiter centre.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/becoming-a-speed-limiter-centre", + "answerable": true, + "scenario": "I am a franchised car dealer and service centre for a major motor manufacturer, who is recognised as a speed limiter sponsor by the DVSA. I wish to add speed limiter installation to the list of services offered by my on-site workshop.", + "original_question": "Can the vehicle manufacturer approve me for this directly, or do I need to apply to the DVSA?" + }, + { + "id": "train-1278", + "question": "Scenario: I run an independent (non-franchised) vehicle service and maintenance centre, which also offers MOT Testing onsite. I am interested in offering speed limiter installation to some of my larger fleet customers.\n\nQuestion: Are there other possible ways to become an independent speed limiter centre other than applying to the DVSA ?\n\nDocument - Becoming a speed limiter centre:\n## Overview\n\nA speed limiter centre installs or adjusts devices that limit how fast a vehicle can go.\n\nUsually, only existing vehicle dealerships will become a speed limiter centre.\n\nIf you want to become a speed limiter centre, you\u2019ll need to get either:\n\n- approval from the Driver and Vehicle Standards Agency (DVSA) to become an independent centre\n\n- sponsored by a DVSA approved vehicle or speed limiter maker\n\n## Independent centres\n\nFill in the application form and send it to DVSA.\n\n## Inspections\n\nDVSA will inspect your premises, facilities and staff before approving your speed limiter centre.\n\n## Approval\n\nYou\u2019ll receive an authorisation letter from DVSA if your independent speed limiter centre is approved.\n\n## Sponsored centres\n\nYou\u2019ll need to be a sponsored vehicle dealership to become a sponsored speed limiter centre.\n\n## Sponsors\n\nSponsors are DVSA-approved makers or suppliers of either:\n\n- vehicles\n\n- speed limiters\n\nOnce approved, sponsors are able to approve vehicle dealerships they already work with that want to become speed limiter centres.\n\n## Get sponsored\n\nContact the sponsors of your vehicle dealership to ask them if you can become a sponsored speed limiter centre.\n\nYou can have more than 1 sponsor.\n\n## Inspections\n\nSponsors carry out regular checks on their approved agents equipment and also provide them with:\n\n- training\n\n- technical support\n\n- new equipment and software\n\n## Approval\n\nYou\u2019ll receive an authorisation letter from your sponsor if they approve you as a sponsored speed limiter centre.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/becoming-a-speed-limiter-centre", + "answerable": true, + "scenario": "I run an independent (non-franchised) vehicle service and maintenance centre, which also offers MOT Testing onsite. I am interested in offering speed limiter installation to some of my larger fleet customers.", + "original_question": "Are there other possible ways to become an independent speed limiter centre other than applying to the DVSA ?" + }, + { + "id": "train-1279", + "question": "Scenario: i have owned my business for one and a half years. i recently got an offer to sell some stake in the business which i am seriously considering.\n\nQuestion: do i qualify for tax relief when i sell a part of my business ?\n\nDocument - Business Asset Disposal Relief:\n## Eligibility\n\nYou may be able to pay less Capital Gains Tax when you sell (or \u2018dispose of\u2019) all or part of your business.\n\nBusiness Asset Disposal Relief means you\u2019ll pay tax at 10% on all gains on qualifying assets.\n\nBusiness Asset Disposal Relief was known as Entrepreneurs\u2019 Relief before 6 April 2020.\n\n## If you\u2019re selling all or part of your business\n\nTo qualify for relief, both of the following must apply for at least 2 years up to the date you sell your business:\n\n- you\u2019re a sole trader or business partner\n\n- you\u2019ve owned the business for at least 2 years\n\nThe same conditions apply if you\u2019re closing your business instead. You must also dispose of your business assets within 3 years to qualify for relief.\n\n## If you\u2019re selling shares or securities\n\nTo qualify, both of the following must apply for at least 2 years up to the date you sell your shares:\n\n- you\u2019re an employee or office holder of the company (or one in the same group)\n\n- the company\u2019s main activities are in trading (rather than non-trading activities like investment) - or it\u2019s the holding company of a trading group\n\nThere are also other rules depending on whether or not the shares are from an Enterprise Management Incentive (EMI).\n\n## If the shares are from an EMI\n\nYou must have both:\n\n- bought the shares after 5 April 2013\n\n- been given the option to buy them at least 2 years before selling them\n\n## If the shares are not from an EMI\n\nFor at least 2 years before you sell your shares, the business must be a \u2018personal company\u2019. This means that you have at least 5% of both the:\n\n- shares\n\n- voting rights\n\nYou must also be entitled to at least 5% of either:\n\n- profits that are available for distribution and assets on winding up the company\n\n- disposal proceeds if the company is sold\n\nIf the number of shares you hold falls below 5% because the company has issued more shares, you may still be able to claim Business Asset Disposal Relief.\n\nYou need to choose or \u2018elect\u2019 to be treated as if you had sold and re-bought your shares immediately before the new shares were issued. This will create a gain on which you can claim Business Asset Disposal Relief.\n\nYou can also choose or \u2018elect\u2019 to postpone paying tax on that gain until you come to sell your shares.\n\nYou can do this by:\n\n- completing the additional information section of the Capital Gains summary form of your tax return\n\n- writing to HMRC if you do not have to complete a tax return for the year\n\n## If the company stops being a trading company\n\nIf the company stops being a trading company, you can still qualify for relief if you sell your shares within 3 years.\n\n## If you\u2019re selling assets you lent to the business\n\nTo qualify, both of the following must apply:\n\n- you\u2019ve sold at least 5% of your part of a business partnership or your shares in a personal company\n\n- you owned the assets but let your business partnership or personal company use them for at least one year up to the date you sold your business or shares - or the date the business closed\n\n## If you\u2019re a trustee\n\nYou may also qualify if you\u2019re a trustee selling assets held in the trust.\n\n## Work out your tax\n\nHow you work out your tax depends on whether all your gains are eligible for Business Asset Disposal Relief.\n\n## If all your gains qualify for Business Asset Disposal Relief\n\n- Work out the gain for all qualifying assets.\n\n- Add together the gains (and deduct qualifying losses) to work out the total taxable gain that\u2019s eligible for Business Asset Disposal Relief.\n\n- Deduct your tax-free allowance.\n\n- You\u2019ll pay 10% tax on what\u2019s left.\n\n## If you have other gains\n\nHow much tax you pay on your other gains depends on what Income Tax rate you pay.\n\n## Higher rate Income Tax payers\n\nFor gains that do not qualify for Business Asset Disposal Relief you\u2019ll pay:\n\n- 28% on gains from residential property\n\n- 20% on gains made from other chargeable assets\n\nYou can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## Basic rate Income Tax payers\n\nIf you\u2019re a basic rate taxpayer, you need to work out the tax rate you\u2019ll pay on gains that are not eligible for Business Asset Disposal Relief.\n\n- Work out how much taxable income you have - deduct your Personal Allowance and any other Income Tax reliefs you\u2019re entitled to.\n\n- Deduct this amount from the basic rate tax band for the year you made the gains (\u00a337,500 for the 2020 to 2021 tax year). This gives you the amount of basic rate band you can use against your gains.\n\n- Work out your total taxable gain.\n\n- Use your basic rate band first against any gains eligible for Business Asset Disposal Relief. You\u2019ll pay 10% tax on these.\n\n- Use any remaining basic rate band against your other gains. You\u2019ll pay 18% on gains made on residential property and 10% on gains from all other chargeable assets.\n\n- For gains above the basic rate band you\u2019ll pay 28% on gains made on residential property and 20% on gains from all other chargeable assets.\n\n- You can use your tax-free allowance against the gains that would be charged at the highest rates (for example where you would pay 28% tax).\n\n## Get help\n\nContact HM Revenue and Customs (HMRC) or get professional tax help if you need advice.\n\n## How to claim\n\nYou can claim Business Asset Disposal Relief either:\n\n- through your Self Assessment tax return\n\n- by filling in Section A of the Business Asset Disposal Relief helpsheet\n\nThere\u2019s no limit to how many times you can claim Business Asset Disposal Relief.\n\nYou can claim a total of \u00a31 million in Business Asset Disposal Relief over your lifetime.\n\nYou may be able to claim more if you sold your assets before 11 March 2020. Contact HMRC to find out.\n\n## Deadline\n\n| Tax year when you sold or closed your business | Deadline to claim Business Asset Disposal Relief |\n\n| 2020 to 2021 | 31 January 2023 |\n\n| 2019 to 2020 | 31 January 2022 |\n\n| 2018 to 2019 | 31 January 2021 |", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/business-asset-disposal-relief", + "answerable": true, + "scenario": "i have owned my business for one and a half years. i recently got an offer to sell some stake in the business which i am seriously considering.", + "original_question": "do i qualify for tax relief when i sell a part of my business ?" + }, + { + "id": "train-1281", + "question": "Scenario: My partner is doing her Bachelor in business administration. Previously my income would have meant that she would not be eligible for student finance but it is looking like my income for the current year will be over 20% less.\n\nQuestion: Can I use the predicted figures on the application form?\n\nDocument - Support your child or partner's student finance application:\n## Give details of your household income\n\nYou might need to provide information about your income if your child or partner has applied for student finance in England.\n\nYour information will be used to work out if your child or partner can get extra money on top of the Tuition Fee Loan and the basic Maintenance Loan.\n\nThere\u2019s a different process if your child or partner is applying in Scotland, Wales or Northern Ireland.\n\n- You\u2019ll get an email with a link to create an online account or login. You must use your own account - you cannot use the same account as your child or partner.\n\n- Provide information about your income in the previous tax year.\n\n- If your income this tax year will be at least 15% less you can give your income details for the current tax year instead.\n\n- Send in evidence if you\u2019re asked for it.\n\n## What information you\u2019ll need\n\nYou\u2019ll need to know the following about a previous tax year:\n\n- your household\u2019s taxable income\n\n- details of your personal taxable income\n\nThe previous tax year will be:\n\n- 2019 to 2020 if your child or partner is applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if your child or partner is applying for the 2020 to 2021 academic year\n\n- 2017 to 2018 if your child or partner is applying for the 2019 to 2020 academic year\n\n## If you\u2019re supporting your child\u2019s application\n\nYour household income is the combined income of:\n\n- you\n\n- your partner, if you live with them (even if you were not living with them during the previous tax year)\n\n- income your child gets from their own savings, investments or property, for example dividends or rent\n\n## If you\u2019re supporting your partner\u2019s application\n\nYour household income is the combined income of you and your partner (even if you were not living with them during the previous tax year).\n\n## How to provide information about your income\n\nOnce your child or partner has applied, you\u2019ll get an email within 24 hours with a link so you can provide your information.\n\nYou might need to create an account. You must use your own account - you cannot use the same account as your child or partner.\n\n## Household income your current income is lower\n\nYou can give your details for the current tax year if you think your household income will be at least 15% lower than the tax year you\u2019ve been asked to provide details for.\n\n## What happens next\n\nHM Revenue and Customs (HMRC) will check that the information you\u2019ve provided matches their records. This will usually take up to 2 weeks.\n\nYou might be asked to send evidence of your:\n\n- income - if the details you\u2019ve given do not match HMRC\u2019s records\n\n- marital status - if you\u2019re separated or divorced\n\nIt can take up to 6 weeks to review your evidence.\n\nStudent Finance England will write to your child or partner when all your information has been confirmed.\n\nIf your information is still being processed when your child or partner starts their course, they\u2019ll still get the Tuition Fee Loan and the basic Maintenance Loan (if they\u2019re eligible).\n\n## Supporting a continuing student\n\nYour child or partner needs to apply for student finance each year.\n\nWhen they apply, you\u2019ll get an email within 24 hours. The email will have a link to sign in to your account, where you must provide:\n\n- your marital status\n\n- any changes to the information you provided the previous year\n\n- your financial information for the previous tax year\n\n## If you provided income details for the current tax year\n\nYou can use the same income details that you provided last year.\n\nIf your income has dropped by at least 15% again, you can send in a new current tax year income assessment form.\n\n## If your income has gone down\n\nYou can apply for a current year income assessment if you think your household income this tax year will be at least 15% lower than the year you\u2019ve been asked to give details about.\n\nThe current tax year is 6 April 2021 to 5 April 2022.\n\n## Check you\u2019re eligible for a current year income assessment\n\nTo apply, the student must be on a course where their student finance is based on your household income.\n\nYour total estimated household income for the full current tax year must be at least 15% lower than for a previous tax year.\n\nThe previous tax year will be:\n\n- 2019 to 2020 if your child or partner is applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if your child or partner is applying for the 2020 to 2021 academic year\n\n- 2017 to 2018 if your child or partner is applying for the 2019 to 2020 academic year\n\nYou\u2019ll qualify for an assessment if your expected household income after the 15% decrease is between \u00a325,000 and \u00a358,220 a year.\n\nIf your household income is more than \u00a358,220 a year but less than \u00a370,004 a year, you may still qualify depending on the student\u2019s circumstances. Check how you\u2019re assessed and paid.\n\nIf your total household income is likely to be less than \u00a325,000 a year, you will not be able to get an assessment unless the student needs it to get:\n\n- a bursary or scholarship from a university or college\n\n- extra student finance for children or dependent adults\n\n## How to apply\n\nTo apply, you must have already created an online account and given information about a previous tax year.\n\nYou then need to complete these 3 steps.\n\n- Fill in a current year income assessment form and send it to Student Finance England.\n\n- Keep your income details up to date during the year.\n\n- Confirm your actual income at the end of the tax year.\n\n## Fill in a current year income assessment form\n\nFill in the form and send it to Student Finance England. You can do this through your online account, or print out the form and send it by post.\n\nIf you\u2019re the parent of the student and your partner also lives in the household, you\u2019ll both need to complete the form, even if only one income has changed.\n\nThis is because you\u2019re assessed on household income from the same tax year.\n\nWhen you\u2019re estimating your income, include:\n\n- working overtime or extra hours\n\n- any maternity or paternity pay\n\n- any casual work, shift work or contract work\n\n- any pay rises, bonuses or redundancy pay\n\n- income changes from changing jobs or returning to work\n\n- income from self-employment\n\n| Academic year | Course type | Form |\n\n| 2021 to 2022 | Any | Current year income assessment form - 2021 to 2022 |\n\n| 2020 to 2021 | Any | Current year income assessment form - 2020 to 2021 |\n\n| 2019 to 2020 | Part-time | Current year income assessment form for part-time students - 2019 to 2020 |\n\n## Keep your income details up to date\n\nIf your income changes during the year, send a new current tax year income assessment form to Student Finance England as soon as possible.\n\nYou\u2019ll be reassessed and the amount of money your student is entitled to might go up or down. Student Finance England will contact the student directly to let them know.\n\nIf you do not keep your income details up to date your student may be overpaid. They\u2019ll have to pay back any overpayment straight away.\n\n## Confirm your income at the end of the tax year\n\nAfter the tax year finishes you must send evidence of what your actual income was for the year. You\u2019ll usually be sent a form to fill in at the start of May.\n\n## If you\u2019re self-employed\n\nIf you have not completed your tax return yet, fill in the form to ask to delay providing evidence until after the Self Assessment deadline (January the following year).\n\nYou still need to return evidence for any other employment, for example if you had a salaried job earlier in the year.\n\n## If your household income is different from what you estimated\n\nHow much your student is entitled to will change. If your actual income was:\n\n- lower - your student might be entitled to more money\n\n- higher - your student will have to repay any extra money they received\n\nIf you do not send in evidence your student will only be entitled to basic student finance. They\u2019ll have to repay any extra money they got based on your income straight away.\n\n## If you need to update your details\n\nFill in a PFF2 or PFF3 form if:\n\n- you made a mistake\n\n- your circumstances change, such as your marital status or you have another child\n\n| Academic year | Course type | Form |\n\n| 2021 to 2022 | Any | PFF2: income details form for full-time students - 2021 to 2022 |\n\n| 2020 to 2021 | Any | PFF2: income details form - 2020 to 2021 |\n\n| 2019 to 2020 | Part-time | PFF3: income details form for part-time students - 2019 to 2020 |\n\nUse your online account to send the form to Student Finance England, or send it by post.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/support-child-or-partners-student-finance-application", + "answerable": true, + "scenario": "My partner is doing her Bachelor in business administration. Previously my income would have meant that she would not be eligible for student finance but it is looking like my income for the current year will be over 20% less.", + "original_question": "Can I use the predicted figures on the application form?" + }, + { + "id": "train-1287", + "question": "Scenario: the high season for certain kinds of fish we catch has come round and we are being asked to work more than 48 hours a week.\n\nQuestion: can an employer force me to work for more than 48 hours a week ?\n\nDocument - Maximum weekly working hours:\n## Overview\n\nYou can\u2019t work more than 48 hours a week on average - normally averaged over 17 weeks. This law is sometimes called the \u2018working time directive\u2019 or \u2018working time regulations\u2019.\n\nYou can choose to work more by opting out of the 48-hour week.\n\nIf you\u2019re under 18, you can\u2019t work more than 8 hours a day or 40 hours a week.\n\n## Exceptions\n\nYou may have to work more than 48 hours a week on average if you work in a job:\n\n- where 24-hour staffing is required\n\n- in the armed forces, emergency services or police\n\n- in security and surveillance\n\n- as a domestic servant in a private household\n\n- as a seafarer, sea-fisherman or worker on vessels on inland waterways\n\n- where working time is not measured and you\u2019re in control, eg you\u2019re a managing executive with control over your decisions\n\nContact the Acas helpline or use the Acas Helpline Online to get further advice on working hours.\n\n## Calculating your working hours\n\nAverage working hours are calculated over a \u2018reference\u2019 period, normally 17 weeks.\n\nThis means you can work more than 48 hours one week, as long as the average over 17 weeks is less than 48 hours a week.\n\nYour working hours can\u2019t be averaged out if you\u2019re under 18. You can\u2019t work more than 40 hours in any one week.\n\n## Exceptions\n\nSome jobs have different reference periods, eg:\n\n- trainee doctors have a 26-week reference period\n\n- the offshore oil and gas sector has a 52-week reference period\n\n## What counts as work\n\nA working week includes:\n\n- job-related training\n\n- time spent travelling if you travel as part of your job, eg sales rep\n\n- working lunches, eg business lunches\n\n- time spent working abroad\n\n- paid overtime\n\n- unpaid overtime you\u2019re asked to do\n\n- time spent on call at the workplace\n\n- any time that is treated as \u2018working time\u2019 under a contract\n\n- travel between home and work at the start and end of the working day (if you don\u2019t have a fixed place of work)\n\n## What doesn\u2019t count as work\n\nA working week doesn\u2019t include:\n\n- time you spend on call away from the workplace\n\n- breaks when no work is done, eg lunch breaks\n\n- travelling outside of normal working hours\n\n- unpaid overtime you\u2019ve volunteered for, eg staying late to finish something off\n\n- paid or unpaid holiday\n\n- travel to and from work (if you have a fixed place of work)\n\n## You have more than one job\n\nYour combined working hours shouldn\u2019t be more than 48 hours a week on average.\n\nIf you work more than 48 hours on average, you can either:\n\n- sign an opt-out agreement\n\n- reduce your hours to meet the 48-hour limit\n\n## Opting out of the 48 hour week\n\nYou can choose to work more than 48 hours a week on average if you\u2019re over 18. This is called \u2018opting out\u2019.\n\nYour employer can ask you to opt out, but you can\u2019t be sacked or treated unfairly for refusing to do so.\n\nYou can opt out for a certain period or indefinitely. It must be voluntary and in writing.\n\n## Workers who can\u2019t opt out\n\nYou can\u2019t opt-out of the 48 hour week if you\u2019re:\n\n- airline staff\n\n- a worker on ships or boats\n\n- a worker in the road transport industry, eg delivery drivers (except for drivers of vehicles under 3.5 tonnes using GB Domestic drivers\u2019 hours rules)\n\n- other staff who travel in and operate vehicles covered by EU rules on drivers\u2019 hours, eg bus conductors\n\n- a security guard on a vehicle carrying high-value goods\n\n## Cancelling an opt-out agreement\n\nYou can cancel your opt-out agreement whenever you want - even if it\u2019s part of your employment contract.\n\nYou must give your employer at least 7 days\u2019 notice. You may have to give more notice (up to 3 months) if you have a written opt-out agreement.\n\nYour employer can\u2019t force you to cancel your opt-out agreement.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/maximum-weekly-working-hours", + "answerable": true, + "scenario": "the high season for certain kinds of fish we catch has come round and we are being asked to work more than 48 hours a week.", + "original_question": "can an employer force me to work for more than 48 hours a week ?" + }, + { + "id": "train-1289", + "question": "Scenario: I have purchased an old school bus to use as a private hire vehicle for large groups. To improve customer safety, I have had seatbelts installed on all 45 seats. The bus was first registered in 1999.\n\nQuestion: Do the newly installed seatbelts require testing?\n\nDocument - Specialist tests for coaches and buses:\n## Overview\n\nYou must get your commercial vehicle tested every year to make sure it\u2019s roadworthy. This is known as the annual test.\n\nThere are extra tests coaches and buses may need to take to:\n\n- qualify for free entrance to the London Low Emission Zone (LEZ) by getting a Low Emissions Certificate (LEC)\n\n- meet seat belt safety rules\n\n## Reduced emissions test\n\nYou can get your vehicle tested for a Low Emissions Certificate (LEC). This lets you drive in the Low Emission Zone (LEZ) without paying.\n\nThe Reduced Pollution Certificate (RPC) scheme to reduce your vehicle tax ended on 31 December 2016.\n\n## Eligibility\n\nYour vehicle can be tested for a Low Emissions Certificate if it:\n\n- was registered in the UK before 1 October 2006\n\n- is fitted with a full filter to Low Emission Zone emissions standards\n\nYou don\u2019t need a Low Emission Certificate for a vehicle with a Euro 4, 5 or 6 engine.\n\n## Converted and re-engined vehicles\n\nContact DVLA if the vehicle has either:\n\n- been fitted or converted to run solely on petrol\n\n- had an approved gas conversion\n\nContact Transport for London (TfL) if your vehicle has been \u2018re-engined\u2019 to meet Low Emission Zone standards.\n\n## Book a Low Emissions Certificate test\n\nContact an authorised testing facility or Driver and Vehicle Standards Agency (DVSA) test station to book the test.\n\nYou need:\n\n- your vehicle registration number\n\n- your vehicle identification or chassis number\n\n- the make, model and date of manufacture\n\n- details of any modifications made to meet the emissions standard\n\n- to pay the fee\n\nIt\u2019s cheaper to have the test done at the same time as the vehicle\u2019s annual test.\n\n## What to take to the test\n\nIf it\u2019s been tested before you must take the vehicle\u2019s previous Low Emissions Certificate or Reduced Pollution Certificate.\n\nThe test can be cancelled and you\u2019ll have to pay again if you don\u2019t take the certificate.\n\n## What happens at the test\n\nThe test is in 2 parts:\n\n- physical inspection to check any modifications, such as a filter fitted to the exhaust\n\n- smoke opacity test to check emissions\n\n## Test result\n\nYou\u2019ll get a Low Emissions Certificate if your vehicle passes the test.\n\nDVSA will pass your details to TfL automatically. It takes around 3 days for your details to be updated so you can drive in the Low Emission Zone.\n\nIf your vehicle is registered outside Great Britain, you need to register with TfL yourself. You can be fined up to \u00a31,000 if you don\u2019t register it.\n\n## If your vehicle fails\n\nYou can appeal the result. Fill in form LEC3 and send it to DVSA. The address is on the form.\n\n## Renewing a Low Emissions Certificate\n\nThe Low Emissions Certificate has an expiry date on it. You need to get your vehicle tested again by this date if you want to continue driving in the Low Emission Zone without paying.\n\nYou can be fined up to \u00a31,000 for driving in the Low Emission Zone without a valid Low Emissions Certificate.\n\n## Seat belt installation tests\n\nManufacturers of some buses, coaches and minibuses must make sure their seat belts meet certain safety rules.\n\n## Vehicles that need to be tested\n\nIf your vehicle has additional seat belts fitted beyond those required by law, it must be tested if:\n\n- it\u2019s a private passenger vehicle with more than 8 passenger seats and was first used on or after 1 October 2001\n\n- it\u2019s a public service vehicle\n\n## Exemptions\n\nPrivate passenger vehicles registered before 1 October 2001 are exempt.\n\nBuses made to carry standing passengers are also exempt, but if they have seat belts these must be tested.\n\nPublic service vehicles that need a Certificate of Initial Fitness (COIF) have their seat belts checked as part of this process.\n\n## Arrange a test\n\nYou can get your passenger vehicle\u2019s seat belt installation tested at one of the following centres:\n\n- Status\n\n- Millbrook proving ground\n\n- Transport research laboratory\n\nManufacturers can test their own seat belts as long as they have the right equipment and staff.\n\nTesting seat belts is usually part of obtaining a COIF on new vehicles.\n\nYou can get more advice about testing your passenger vehicle\u2019s seat belts from DVSA.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/specialist-tests-for-coaches-and-buses", + "answerable": true, + "scenario": "I have purchased an old school bus to use as a private hire vehicle for large groups. To improve customer safety, I have had seatbelts installed on all 45 seats. The bus was first registered in 1999.", + "original_question": "Do the newly installed seatbelts require testing?" + }, + { + "id": "train-1290", + "question": "Scenario: I work in a local grocery store and lately we have been understaffed. My boss is putting pressure on me to work up to sixty hours a week and I really do not want to do this but he will not listen.\n\nQuestion: Is it legal for him to make me work these hours?\n\nDocument - Maximum weekly working hours:\n## Overview\n\nYou can\u2019t work more than 48 hours a week on average - normally averaged over 17 weeks. This law is sometimes called the \u2018working time directive\u2019 or \u2018working time regulations\u2019.\n\nYou can choose to work more by opting out of the 48-hour week.\n\nIf you\u2019re under 18, you can\u2019t work more than 8 hours a day or 40 hours a week.\n\n## Exceptions\n\nYou may have to work more than 48 hours a week on average if you work in a job:\n\n- where 24-hour staffing is required\n\n- in the armed forces, emergency services or police\n\n- in security and surveillance\n\n- as a domestic servant in a private household\n\n- as a seafarer, sea-fisherman or worker on vessels on inland waterways\n\n- where working time is not measured and you\u2019re in control, eg you\u2019re a managing executive with control over your decisions\n\nContact the Acas helpline or use the Acas Helpline Online to get further advice on working hours.\n\n## Calculating your working hours\n\nAverage working hours are calculated over a \u2018reference\u2019 period, normally 17 weeks.\n\nThis means you can work more than 48 hours one week, as long as the average over 17 weeks is less than 48 hours a week.\n\nYour working hours can\u2019t be averaged out if you\u2019re under 18. You can\u2019t work more than 40 hours in any one week.\n\n## Exceptions\n\nSome jobs have different reference periods, eg:\n\n- trainee doctors have a 26-week reference period\n\n- the offshore oil and gas sector has a 52-week reference period\n\n## What counts as work\n\nA working week includes:\n\n- job-related training\n\n- time spent travelling if you travel as part of your job, eg sales rep\n\n- working lunches, eg business lunches\n\n- time spent working abroad\n\n- paid overtime\n\n- unpaid overtime you\u2019re asked to do\n\n- time spent on call at the workplace\n\n- any time that is treated as \u2018working time\u2019 under a contract\n\n- travel between home and work at the start and end of the working day (if you don\u2019t have a fixed place of work)\n\n## What doesn\u2019t count as work\n\nA working week doesn\u2019t include:\n\n- time you spend on call away from the workplace\n\n- breaks when no work is done, eg lunch breaks\n\n- travelling outside of normal working hours\n\n- unpaid overtime you\u2019ve volunteered for, eg staying late to finish something off\n\n- paid or unpaid holiday\n\n- travel to and from work (if you have a fixed place of work)\n\n## You have more than one job\n\nYour combined working hours shouldn\u2019t be more than 48 hours a week on average.\n\nIf you work more than 48 hours on average, you can either:\n\n- sign an opt-out agreement\n\n- reduce your hours to meet the 48-hour limit\n\n## Opting out of the 48 hour week\n\nYou can choose to work more than 48 hours a week on average if you\u2019re over 18. This is called \u2018opting out\u2019.\n\nYour employer can ask you to opt out, but you can\u2019t be sacked or treated unfairly for refusing to do so.\n\nYou can opt out for a certain period or indefinitely. It must be voluntary and in writing.\n\n## Workers who can\u2019t opt out\n\nYou can\u2019t opt-out of the 48 hour week if you\u2019re:\n\n- airline staff\n\n- a worker on ships or boats\n\n- a worker in the road transport industry, eg delivery drivers (except for drivers of vehicles under 3.5 tonnes using GB Domestic drivers\u2019 hours rules)\n\n- other staff who travel in and operate vehicles covered by EU rules on drivers\u2019 hours, eg bus conductors\n\n- a security guard on a vehicle carrying high-value goods\n\n## Cancelling an opt-out agreement\n\nYou can cancel your opt-out agreement whenever you want - even if it\u2019s part of your employment contract.\n\nYou must give your employer at least 7 days\u2019 notice. You may have to give more notice (up to 3 months) if you have a written opt-out agreement.\n\nYour employer can\u2019t force you to cancel your opt-out agreement.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/maximum-weekly-working-hours", + "answerable": true, + "scenario": "I work in a local grocery store and lately we have been understaffed. My boss is putting pressure on me to work up to sixty hours a week and I really do not want to do this but he will not listen.", + "original_question": "Is it legal for him to make me work these hours?" + }, + { + "id": "train-1292", + "question": "Scenario: My friend Jack is a paskistan national,has been held in immigration detention after being found working illegally in the U.K. He has no past criminal records or applied for any past immigration bail. I will offer him somewhere to stay.\n\nQuestion: Can he apply for an immigration bail?\n\nDocument - Immigration detention bail:\n## Before you apply\n\nYou can apply for immigration bail if the Home Office is holding you on immigration matters. This means you might be released from detention but you\u2019ll have to obey at least one condition.\n\n## Who can apply\n\nYou can apply whether you\u2019re held in an immigration removal centre, a detention centre or a prison. You must be held on immigration matters.\n\n## When you\u2019re more likely to get bail\n\nYou\u2019re more likely to get bail if you have a place to stay.\n\nYour application is also more likely to succeed if you have at least one \u2018Financial Condition Supporter\u2019. This is a person who:\n\n- will pay money if you don\u2019t follow the conditions of your bail\n\n- can attend your bail hearing\n\nGive information about where you\u2019ll stay and your Financial Condition Supporters in the application form.\n\n## When you might not get released on bail\n\nYou may find it harder to get bail if you:\n\n- have broken bail conditions in the past\n\n- have a criminal record, and there\u2019s a risk you might reoffend\n\nIf you were refused bail in the last 28 days, you won\u2019t get another hearing unless your situation has changed significantly. Explain what you think has changed in your application.\n\nIf you are refused bail, you\u2019ll get a written statement telling you why.\n\n## If you\u2019re due to be removed from the country\n\nYou might not be released even if you\u2019re granted bail. If your removal date is in the 14 days after you get bail, the Home Office will have to agree to your release.\n\n## Apply for bail\n\nYou can apply for bail in 2 main ways. It depends on your situation. Apply to:\n\n- the Home Secretary (\u2018Secretary of State bail\u2019) any time after you arrive in the UK\n\n- the First-tier Tribunal (Immigration and Asylum Chamber) - only if you arrived more than 8 days ago\n\nYou might be automatically referred for a bail hearing if you\u2019ve been in detention for 4 months or more.\n\nIf you are appealing to the Special Immigration Appeals Commission you can apply to them for bail.\n\nA solicitor or legal adviser can help you with a bail application.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\n## Apply for Secretary of State bail\n\nYou can apply to the Home Secretary for bail from the first day you arrive in the UK. This is called \u2019Secretary of State Bail\u2019.\n\nDownload and fill in form BAIL401 explaining why you\u2019re asking for bail.\n\nYou can also get the form from:\n\n- the welfare officer, if you\u2019re in an Immigration Removal Centre\n\n- your detention paperwork pack, if you\u2019re in a prison\n\nYour application will be decided by Home Office staff and there will not be a hearing.\n\n## Apply for bail from the First-tier Tribunal\n\nYou can apply to the independent \u2018First-tier Tribunal\u2019 for bail if you arrived in the UK more than 8 days ago. Your application for bail will be decided by an independent judge at a hearing.\n\nDownload and fill in form B1.\n\nIf you can\u2019t download the form yourself, you can:\n\n- ask the staff at the place where you\u2019re being held\n\n- contact the tribunal - by phone on 0300 123 1711 or by email on customer.service@justice.gov.uk\n\nIf you have a tribunal appeal hearing scheduled, send the form to the tribunal or hearing centre where it\u2019s happening. You can find the address of the venue using the A to Z list.\n\nIf you don\u2019t have an appeal hearing, ask staff at the place you\u2019re held \u2013 they can fax your application to the right venue.\n\n## Automatic referral for bail\n\nThe Home Office will automatically refer you to the First-tier Tribunal for a bail hearing if all of the following are true:\n\n- you\u2019ve been in detention for 4 months or more\n\n- you aren\u2019t being detained in the interests of national security\n\n- there\u2019s no action being taken to deport you from the UK\n\n- you haven\u2019t applied for bail to the First-tier Tribunal in the last 4 months\n\nThey will make an application on your behalf using all the information they have.\n\nYou can refuse the referral, or choose to make your own bail application. The Home Office will apply on your behalf every 4 months unless you apply for bail yourself.\n\n## What happens at the First-tier Tribunal hearing\n\nThere will usually be a hearing to decide if you should be granted bail. This will happen a few days after your application is received \u2013 you\u2019ll receive a \u2018notice of hearing\u2019 to tell you when it is.\n\nYou probably won\u2019t be in the room for the hearing. It\u2019s more likely to happen over a video-link instead.\n\nThe Home Office will send the tribunal a document listing the reasons they think you should not get bail (a \u2018Bail Summary\u2019). They will also send you a copy.\n\nRead information about the Tribunal\u2019s rules and procedures.\n\n## Conditions of your bail\n\nIf you\u2019re granted bail, there will be at least one condition you have to obey.\n\nYou might have to:\n\n- report regularly to an immigration official\n\n- attend an appointment or hearing\n\n- be restricted on where you can live\n\n- have an electronic monitoring tag\n\n- have restrictions on the work or studies you can do\n\n- obey any other condition decided by the person granting your bail\n\nYou or your financial condition supporter might have to promise to pay money if you break one of the other conditions of your bail. This is called a \u2018financial condition\u2019.\n\nThese conditions can be changed after you\u2019re granted bail.\n\nIf you do not follow the terms of your bail you might:\n\n- have your bail conditions changed so that there are tighter restrictions\n\n- be charged with a crime\n\n- have to pay the money agreed at the hearing - or your Financial Condition Supporter might have to pay\n\n- be returned to detention\n\n## Change the conditions of your bail\n\nYou can ask to change (\u2018vary\u2019) the conditions of your bail, for example, if you need to move to a new address.\n\nIf the First-tier Tribunal granted you bail, fill in form B2 and send it to your nearest First-tier Tribunal hearing centre. The Home Office might oppose your request.\n\nIf the management of your bail has been transferred to the Home Office contact them instead.\n\nIf you\u2019re on Secretary of State bail, speak to an immigration officer.\n\nYou must continue to obey the conditions of your bail until a decision has been made to change them.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/bail-immigration-detainees", + "answerable": true, + "scenario": "My friend Jack is a paskistan national,has been held in immigration detention after being found working illegally in the U.K. He has no past criminal records or applied for any past immigration bail. I will offer him somewhere to stay.", + "original_question": "Can he apply for an immigration bail?" + }, + { + "id": "train-1293", + "question": "Scenario: I will be graduating with a bachelor's degree in Computer Science this Summer. While I was browsing for a job position for after university I saw that they require a Level 7 qualification.\n\nQuestion: Do I meet the requirements for this job position?\n\nDocument - What qualification levels mean:\n## Overview\n\nMost qualifications have a difficulty level. The higher the level, the more difficult the qualification is.\n\nIf you need to know the level of a qualification, you can:\n\n- see a list of qualification levels in England, Wales and Northern Ireland\n\n- use the Register of Regulated Qualifications - if you know the name of the qualification and the exam board that runs it\n\n- compare qualification levels from other countries\n\nQualifications at the same level sometimes cover different amounts of the same subject.\n\n## Help\n\nContact the National Careers Service for advice about qualification levels if you\u2019re in England.\n\nFor the rest of the UK, contact:\n\n- Skills Development Scotland\n\n- Careers Wales\n\n- Northern Ireland Direct\n\n## England, Wales and Northern Ireland\n\nThere are 9 qualification levels.\n\n## Entry level\n\nEach entry level qualification is available at three sub-levels - 1, 2 and 3. Entry level 3 is the most difficult.\n\nEntry level qualifications are:\n\n- entry level award\n\n- entry level certificate (ELC)\n\n- entry level diploma\n\n- entry level English for speakers of other languages (ESOL)\n\n- entry level essential skills\n\n- entry level functional skills\n\n- Skills for Life\n\n## Level 1\n\nLevel 1 qualifications are:\n\n- first certificate\n\n- GCSE - grades 3, 2, 1 or grades D, E, F, G\n\n- level 1 award\n\n- level 1 certificate\n\n- level 1 diploma\n\n- level 1 ESOL\n\n- level 1 essential skills\n\n- level 1 functional skills\n\n- level 1 national vocational qualification (NVQ)\n\n- music grades 1, 2 and 3\n\n## Level 2\n\nLevel 2 qualifications are:\n\n- CSE - grade 1\n\n- GCSE - grades 9, 8, 7, 6, 5, 4 or grades A*, A, B, C\n\n- intermediate apprenticeship\n\n- level 2 award\n\n- level 2 certificate\n\n- level 2 diploma\n\n- level 2 ESOL\n\n- level 2 essential skills\n\n- level 2 functional skills\n\n- level 2 national certificate\n\n- level 2 national diploma\n\n- level 2 NVQ\n\n- music grades 4 and 5\n\n- O level - grade A, B or C\n\n## Level 3\n\nLevel 3 qualifications are:\n\n- A level\n\n- access to higher education diploma\n\n- advanced apprenticeship\n\n- applied general\n\n- AS level\n\n- international Baccalaureate diploma\n\n- level 3 award\n\n- level 3 certificate\n\n- level 3 diploma\n\n- level 3 ESOL\n\n- level 3 national certificate\n\n- level 3 national diploma\n\n- level 3 NVQ\n\n- music grades 6, 7 and 8\n\n- tech level\n\n## Level 4\n\nLevel 4 qualifications are:\n\n- certificate of higher education (CertHE)\n\n- higher apprenticeship\n\n- higher national certificate (HNC)\n\n- level 4 award\n\n- level 4 certificate\n\n- level 4 diploma\n\n- level 4 NVQ\n\n## Level 5\n\nLevel 5 qualifications are:\n\n- diploma of higher education (DipHE)\n\n- foundation degree\n\n- higher national diploma (HND)\n\n- level 5 award\n\n- level 5 certificate\n\n- level 5 diploma\n\n- level 5 NVQ\n\n## Level 6\n\nLevel 6 qualifications are:\n\n- degree apprenticeship\n\n- degree with honours - for example bachelor of the arts (BA) hons, bachelor of science (BSc) hons\n\n- graduate certificate\n\n- graduate diploma\n\n- level 6 award\n\n- level 6 certificate\n\n- level 6 diploma\n\n- level 6 NVQ\n\n- ordinary degree without honours\n\n## Level 7\n\nLevel 7 qualifications are:\n\n- integrated master\u2019s degree, for example master of engineering (MEng)\n\n- level 7 award\n\n- level 7 certificate\n\n- level 7 diploma\n\n- level 7 NVQ\n\n- master\u2019s degree, for example master of arts (MA), master of science (MSc)\n\n- postgraduate certificate\n\n- postgraduate certificate in education (PGCE)\n\n- postgraduate diploma\n\n## Level 8\n\nLevel 8 qualifications are:\n\n- doctorate, for example doctor of philosophy (PhD or DPhil)\n\n- level 8 award\n\n- level 8 certificate\n\n- level 8 diploma\n\n## Other countries\n\nQualifications outside England, Wales and Northern Ireland use different level systems.\n\n## Scotland\n\nYou can compare qualifications in Scotland with those in England, Wales and Northern Ireland.\n\n## Outside the UK\n\nYou can:\n\n- compare European qualifications\n\n- contact the UK National Academic Recognition Information Centre (UK NARIC) to compare a UK qualification with any non-UK qualification - there\u2019s a fee for this", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/what-different-qualification-levels-mean", + "answerable": true, + "scenario": "I will be graduating with a bachelor's degree in Computer Science this Summer. While I was browsing for a job position for after university I saw that they require a Level 7 qualification.", + "original_question": "Do I meet the requirements for this job position?" + }, + { + "id": "train-1295", + "question": "Scenario: I have been running my software development company as a sole trader for about 5 years now. The business has greatly expanded over the years and I have turned my dream into reality. Since I have an idea for an entirely new product I plan on launching an entirely new company. A business friend of mine has expressed interested in buying my current venture along with all of its assets. The company has been VAT registered for a few years now.\n\nQuestion: Do I have to cancel my VAT registration?\n\nDocument - Selling your business: your responsibilities:\n## Self-employed sole trader\n\nWhen you sell your business, you have legal responsibilities to staff you employ. You must also finalise your business\u2019 tax affairs.\n\n## Staff\n\nIf you have anyone working for you, you must tell them:\n\n- when and why you\u2019re selling the business\n\n- about redundancy terms or relocation packages, if necessary\n\nMake sure you don\u2019t breach employees\u2019 rights when a business changes ownership.\n\n## Telling HMRC\n\nYou can use the online form to tell HM Revenue and Customs (HMRC) that you\u2019ve sold your business. It covers both Self Assessment and National Insurance.\n\nYou can also call HMRC\u2019s National Insurance helpline to cancel your Class 2 National Insurance contributions.\n\n## VAT registration\n\nIf you\u2019re registered for VAT, you may be able to transfer the VAT registration number to the new owner.\n\n## Tax returns\n\nYou must send a Self Assessment tax return by the deadline. You\u2019ll need to put the date you stopped trading on the return.\n\n## Capital Gains Tax\n\nYou may have made a capital gain when selling your business (for example the money you get from the sale, or assets from the business that you keep).\n\nIf this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.\n\n## Business partnership\n\nYour responsibilities when selling a partnership depend on whether you\u2019re selling:\n\n- your share of the partnership\n\n- the entire partnership\n\nCheck your business\u2019 partnership agreement - it may have restrictions and conditions on the sale.\n\n## Staff\n\nIf you have anyone working for you, you must tell them about the sale, including:\n\n- when and why you\u2019re selling the partnership\n\n- details about the redundancy terms or relocation packages you will offer, if required\n\nMake sure you don\u2019t breach employees\u2019 rights when a business changes ownership.\n\n## If you\u2019re stopping self-employment\n\nIf you\u2019re stopping self-employment when you sell the partnership, call HM Revenue and Customs (HMRC) to cancel your Class 2 National Insurance contributions.\n\n## VAT registration\n\nIf the partnership is registered for VAT, you may be able to transfer the VAT registration number to the new owner.\n\n## Tax returns\n\n## If you\u2019re selling your share in the partnership\n\nYou must fill out a personal Self Assessment tax return by the deadline.\n\n## If you\u2019re selling the whole partnership\n\nYou must:\n\n- make sure the \u2018nominated partner\u2019 sends a Partnership Tax Return by the deadline\n\n- send your personal Self Assessment tax return by the deadline\n\n## Capital Gains Tax\n\nYou may have made a \u2018capital gain\u2019 when selling the partnership (for example the money you get from the sale, or assets from the partnership that you keep).\n\nIf this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.\n\n## Limited company\n\nYour responsibilities will be different, depending on whether:\n\n- you\u2019re selling the entire shareholding in your limited company\n\n- the company is selling part of its business\n\n## Selling the entire shareholding\n\n## Appoint new directors or company secretaries\n\nYou should appoint new directors before you resign as a director yourself.\n\nTell Companies House to make these changes.\n\n## Capital Gains Tax\n\nYou may have made a \u2018capital gain\u2019 when selling the company (for example the money you get from the sale, or assets from it that you keep).\n\nIf this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.\n\n## Charges against your company\n\nIf you\u2019ve secured finance for the company against your personal property (for example a mortgage on your house to secure a business loan), you must let the provider know within 21 days of the sale.\n\n## VAT registration\n\nIf the company is registered for VAT, you may want to transfer the VAT registration number to the new owner.\n\n## If your company sells part of the business\n\nIf any employees are affected by the sale (for example the company\u2019s selling its production business and factory staff will be affected), you must tell them about the changes, including:\n\n- when and why part of the company is being sold\n\n- details about the redundancy terms or relocation packages, if necessary\n\nMake sure you don\u2019t breach employees\u2019 rights when a business changes ownership.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/selling-your-business-your-responsibilities", + "answerable": true, + "scenario": "I have been running my software development company as a sole trader for about 5 years now. The business has greatly expanded over the years and I have turned my dream into reality. Since I have an idea for an entirely new product I plan on launching an entirely new company. A business friend of mine has expressed interested in buying my current venture along with all of its assets. The company has been VAT registered for a few years now.", + "original_question": "Do I have to cancel my VAT registration?" + }, + { + "id": "train-1296", + "question": "Scenario: I have been operating a small sticker printing business from a single location in my city. I am registered as a sole trader. Me and my 2 employees design, print, sell the stickers online and ship them through post. The past year has been really hard on the business and we have barely been able to turn any profit. I was approached by one of our competitors who is interested in buying the business off of me.\n\nQuestion: Do I need to inform my employees who I am selling the business to?\n\nDocument - Selling your business: your responsibilities:\n## Self-employed sole trader\n\nWhen you sell your business, you have legal responsibilities to staff you employ. You must also finalise your business\u2019 tax affairs.\n\n## Staff\n\nIf you have anyone working for you, you must tell them:\n\n- when and why you\u2019re selling the business\n\n- about redundancy terms or relocation packages, if necessary\n\nMake sure you don\u2019t breach employees\u2019 rights when a business changes ownership.\n\n## Telling HMRC\n\nYou can use the online form to tell HM Revenue and Customs (HMRC) that you\u2019ve sold your business. It covers both Self Assessment and National Insurance.\n\nYou can also call HMRC\u2019s National Insurance helpline to cancel your Class 2 National Insurance contributions.\n\n## VAT registration\n\nIf you\u2019re registered for VAT, you may be able to transfer the VAT registration number to the new owner.\n\n## Tax returns\n\nYou must send a Self Assessment tax return by the deadline. You\u2019ll need to put the date you stopped trading on the return.\n\n## Capital Gains Tax\n\nYou may have made a capital gain when selling your business (for example the money you get from the sale, or assets from the business that you keep).\n\nIf this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.\n\n## Business partnership\n\nYour responsibilities when selling a partnership depend on whether you\u2019re selling:\n\n- your share of the partnership\n\n- the entire partnership\n\nCheck your business\u2019 partnership agreement - it may have restrictions and conditions on the sale.\n\n## Staff\n\nIf you have anyone working for you, you must tell them about the sale, including:\n\n- when and why you\u2019re selling the partnership\n\n- details about the redundancy terms or relocation packages you will offer, if required\n\nMake sure you don\u2019t breach employees\u2019 rights when a business changes ownership.\n\n## If you\u2019re stopping self-employment\n\nIf you\u2019re stopping self-employment when you sell the partnership, call HM Revenue and Customs (HMRC) to cancel your Class 2 National Insurance contributions.\n\n## VAT registration\n\nIf the partnership is registered for VAT, you may be able to transfer the VAT registration number to the new owner.\n\n## Tax returns\n\n## If you\u2019re selling your share in the partnership\n\nYou must fill out a personal Self Assessment tax return by the deadline.\n\n## If you\u2019re selling the whole partnership\n\nYou must:\n\n- make sure the \u2018nominated partner\u2019 sends a Partnership Tax Return by the deadline\n\n- send your personal Self Assessment tax return by the deadline\n\n## Capital Gains Tax\n\nYou may have made a \u2018capital gain\u2019 when selling the partnership (for example the money you get from the sale, or assets from the partnership that you keep).\n\nIf this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.\n\n## Limited company\n\nYour responsibilities will be different, depending on whether:\n\n- you\u2019re selling the entire shareholding in your limited company\n\n- the company is selling part of its business\n\n## Selling the entire shareholding\n\n## Appoint new directors or company secretaries\n\nYou should appoint new directors before you resign as a director yourself.\n\nTell Companies House to make these changes.\n\n## Capital Gains Tax\n\nYou may have made a \u2018capital gain\u2019 when selling the company (for example the money you get from the sale, or assets from it that you keep).\n\nIf this means you need to pay Capital Gains Tax, you may be able to reduce the amount by claiming Entrepreneurs\u2019 Relief. You may also be able to claim other reliefs.\n\n## Charges against your company\n\nIf you\u2019ve secured finance for the company against your personal property (for example a mortgage on your house to secure a business loan), you must let the provider know within 21 days of the sale.\n\n## VAT registration\n\nIf the company is registered for VAT, you may want to transfer the VAT registration number to the new owner.\n\n## If your company sells part of the business\n\nIf any employees are affected by the sale (for example the company\u2019s selling its production business and factory staff will be affected), you must tell them about the changes, including:\n\n- when and why part of the company is being sold\n\n- details about the redundancy terms or relocation packages, if necessary\n\nMake sure you don\u2019t breach employees\u2019 rights when a business changes ownership.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/selling-your-business-your-responsibilities", + "answerable": true, + "scenario": "I have been operating a small sticker printing business from a single location in my city. I am registered as a sole trader. Me and my 2 employees design, print, sell the stickers online and ship them through post. The past year has been really hard on the business and we have barely been able to turn any profit. I was approached by one of our competitors who is interested in buying the business off of me.", + "original_question": "Do I need to inform my employees who I am selling the business to?" + }, + { + "id": "train-1298", + "question": "Scenario: I am seventy years old and for the last three years have been having increasing problems with my mobility. I now use a walking stick to walk and cannot manage to walk any significant distance.\n\nQuestion: Do my mobility problems entitle me to DLA?\n\nDocument - Disability Living Allowance (DLA) for adults:\n## Overview\n\nDisability Living Allowance (DLA) is being replaced by Personal Independence Payment (PIP) for disabled people.\n\nYou can only apply for DLA if you\u2019re under 16. You can apply for:\n\n- PIP if you\u2019re aged 16 or over and have not reached State Pension age\n\n- Attendance Allowance if you\u2019re State Pension age or older and do not get DLA\n\nIf you already get DLA, your claim might end. You\u2019ll get a letter telling you when this will happen and how you can apply for PIP.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## If you already get DLA\n\nIf you were born on or before 8 April 1948, you\u2019ll continue to get Disability Living Allowance (DLA) as long as you\u2019re eligible for it.\n\nIf you were born after 8 April 1948, your DLA will end. You\u2019ll get a letter telling you when that will happen. You\u2019ll continue to get DLA until that date.\n\nUnless your circumstances change, you do not need to do anything until you get this letter.\n\n## If your DLA claim is ending\n\nIf your DLA is ending, you\u2019ll get a letter inviting you to apply for Personal Independence Payment (PIP). If you do apply, you\u2019ll need to do it within 28 days.\n\nDLA will continue to be paid until at least 28 days after a decision is made about your PIP application.\n\nIf you\u2019re eligible for PIP, you\u2019ll start getting PIP payments as soon as your DLA payments end.\n\n## Change of circumstances\n\nYou must contact the Disability Service Centre if your circumstances change, as this may affect how much DLA you get. For example:\n\n- the level of help you need or your condition changes\n\n- you go into hospital or a care home for more than 4 weeks\n\n- you go abroad for more than 13 weeks\n\n- you\u2019re imprisoned or held in detention\n\nYou must also contact the centre if:\n\n- you change your name, address or bank details\n\n- you want to stop receiving your benefit\n\n- your doctor\u2019s details change\n\nYou may be asked to claim Personal Independence Payment (PIP) after you report a change to your circumstances.\n\nYou could be taken to court or have to pay a penalty if you give wrong information or do not report a change in your circumstances.\n\n## If you\u2019ve been paid too much\n\nYou may have to repay the money if you:\n\n- did not report a change straight away\n\n- gave wrong information\n\n- were overpaid by mistake\n\nFind out how to repay the money you owe from benefit overpayment.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your DLA claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## DLA rates\n\nYou can no longer apply for Disability Living Allowance (DLA) if you\u2019re 16 or over. You might be able to apply for Personal Independence Payment (PIP) instead.\n\nDLA is made up of 2 components (parts), the \u2018care component\u2019 and the \u2018mobility component\u2019. To get DLA you must be eligible for at least one of the components.\n\nHow much DLA you get depends on how your disability or health condition affects you.\n\n## If you need help looking after yourself\n\nYou might get the care component of DLA if you:\n\n- need help with things like washing, dressing, eating, using the toilet or communicating your needs\n\n- need supervision to avoid putting yourself or others in danger\n\n- need someone with you when you\u2019re on dialysis\n\n- cannot prepare a cooked main meal\n\nYou can get this part if no one is actually giving you the care you need, or you live alone.\n\n| Care component | Weekly rate | Level of help you need |\n\n| Lowest | \u00a323.70 | Help for some of the day or with preparing cooked meals |\n\n| Middle | \u00a360.00 | Frequent help or constant supervision during the day, supervision at night or someone to help you while on dialysis |\n\n| Highest | \u00a389.60 | Help or supervision throughout both day and night, or you\u2019re terminally ill |\n\nIf you get DLA and Constant Attendance Allowance, the care component of your DLA will be reduced by the amount of Constant Attendance Allowance you get.\n\n## If you have walking difficulties\n\nYou might get the mobility component of DLA if, when using your normal aid, you:\n\n- cannot walk\n\n- can only walk a short distance without severe discomfort\n\n- could become very ill if you try to walk\n\nYou might also get it if you:\n\n- have no feet or legs\n\n- are assessed as 100% blind and at least 80% deaf and you need someone with you when outdoors\n\n- are severely mentally impaired with severe behavioural problems and get the highest rate of care for DLA\n\n- need supervision most of the time when walking outdoors\n\n- are certified as severely sight impaired and you were aged between 3 and 64 on 11 April 2011\n\n| Mobility component | Weekly rate | Level of help you need |\n\n| Lower | \u00a323.70 | Guidance or supervision outdoors |\n\n| Higher | \u00a362.55 | You have any other, more severe, walking difficulty |\n\nYou must contact the Disability Service Centre if your circumstances change, for example your condition improves or you need more help.\n\n## Assessments\n\nYou might get a letter saying you need to attend an assessment to check the level of help you need. The letter explains why, and where you must go. Your benefit may be stopped if you do not go.\n\nAt the assessment, you\u2019ll be asked for identification. You can use a passport or any 3 of the following:\n\n- birth certificate\n\n- a full driving licence\n\n- life assurance policy\n\n- bank statements\n\n## How you\u2019re paid\n\nDLA is usually paid every 4 weeks on a Wednesday.\n\nIf your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Extra help\n\nYou could get extra benefits if you get Disability Living Allowance - check with the Disability Service Centre or the office dealing with your benefit.\n\nIf your disability or health condition stops you from working and you\u2019re eligible for Universal Credit, you could get an extra amount on top of your Universal Credit standard allowance.\n\nIf you get DLA and you work, you might also be able to get the disability element of Working Tax Credit (up to \u00a33,220 a year, or up to \u00a34,610 if your disability is severe). Contact HM Revenue and Customs (HMRC) to find out.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/dla-disability-living-allowance-benefit", + "answerable": true, + "scenario": "I am seventy years old and for the last three years have been having increasing problems with my mobility. I now use a walking stick to walk and cannot manage to walk any significant distance.", + "original_question": "Do my mobility problems entitle me to DLA?" + }, + { + "id": "train-1302", + "question": "Scenario: My brother's car was stolen and he no longer owns it. He reported to the DVLA and he is concerned about the vehicle tax bill.\n\nQuestion: Will he keep on paying vehicle tax bill?\n\nDocument - What to do if your vehicle has been stolen:\n## Report your vehicle as stolen\n\nTell the police and your insurance company straight away if your vehicle has been stolen.\n\n## Call your local police station\n\nDial 101 and ask to be put through to your local police.\n\nMake sure you have your vehicle\u2019s:\n\n- registration number\n\n- make and model\n\n- colour\n\nYou\u2019ll get a crime reference number. You\u2019ll need this when you call your insurance company.\n\nThe police will tell DVLA about the theft and if the vehicle is found.\n\n## Call your insurance company\n\nYour insurance company will tell you how to make an insurance claim.\n\n## Tell DVLA if your insurance company pays out\n\nIf your insurance company pays out a claim for your stolen vehicle, you must tell DVLA it\u2019s been sold to the insurance company.\n\nIf your vehicle had a personalised registration number that you want to keep, you need to get it back before you tell DVLA that you no longer own your vehicle.\n\nYou can tell DVLA online or fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of your vehicle log book. Send the perforated section to DVLA, with a letter saying when the payment was accepted and details of your insurance company.\n\nYou\u2019ll need to give the remaining part of your log book to your insurance company.\n\nIf your insurance company asks for the whole log book then you\u2019ll need to send a letter to DVLA including:\n\n- the details of your insurance company\n\n- the date of the claim\n\n- your registration number\n\n- the make, model and colour of your vehicle\n\n- your signature\n\nSend your letter to:\n\n## Get a vehicle tax refund\n\nYour vehicle tax will be cancelled by DVLA once you tell them you no longer own your vehicle. If you pay by Direct Debit, the Direct Debit will be cancelled automatically.\n\nYou must apply for a refund instead if your vehicle had a personalised registration number that you want to keep.\n\nYou\u2019ll automatically get a refund cheque for any full months left on your vehicle tax. The refund is calculated from the date DVLA gets your information. The cheque is sent to the name and address on the vehicle log book.\n\nYou will not get a refund for:\n\n- any credit card fees\n\n- the 5% surcharge on some Direct Debit payments\n\n- the 10% surcharge on a single 6 month payment\n\n## If you had a private (personalised) registration number\n\nApply to keep your private (personalised) registration number as soon as your vehicle is stolen.\n\nThis means the number will stay in your name so you can assign it to another vehicle later.\n\nYou must apply within 2 years and 6 months of telling DVLA your vehicle has been stolen.\n\nYou can only get your private registration number back if:\n\n- you told the police about the theft\n\n- the vehicle had a valid MOT certificate when it was stolen\n\n- the vehicle had up-to-date vehicle tax when it was stolen\n\n## Apply to keep your registration number\n\nYou can only apply by post. It costs \u00a380.\n\nYou need to send all of the following to DVLA:\n\n- a V317 \u2018transfer or retain a vehicle registration number\u2019 form - the address is on the form\n\n- the vehicle\u2019s log book (V5C) or green \u2018new keeper\u2019 slip with a completed V62 \u2018application for a vehicle registration certificate V5C\u2019\n\n- the \u00a380 transfer fee\n\n## If you get your stolen vehicle back\n\nIf you\u2019ve already applied to keep your private registration number, you can apply to put it on another vehicle straight away.\n\nYou must apply before your vehicle is sold or scrapped.\n\n## If you do not get your stolen vehicle back\n\nYou must wait 6 months before you can transfer your private registration number to another vehicle. You can only do this by post.\n\n## Tell DVLA you no longer own your vehicle\n\nAfter you get your private registration number back, you can tell DVLA that you no longer own your vehicle.\n\nTell DVLA online or fill in the yellow \u2018sell, transfer or part-exchange your vehicle to the motor trade\u2019 section of your vehicle log book and send the perforated section to DVLA.\n\n## Apply for a vehicle tax refund\n\nYou will not automatically get a vehicle tax refund - you\u2019ll need to apply for one.\n\nContact DVLA to get form V33. Complete your form and send it to DVLA. You must include your crime reference number.\n\nCheck that your name and address is correct on your log book - otherwise you will not receive the refund.\n\nYou\u2019ll usually get your refund in 4 to 6 weeks.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/what-to-do-if-your-vehicle-has-been-stolen", + "answerable": true, + "scenario": "My brother's car was stolen and he no longer owns it. He reported to the DVLA and he is concerned about the vehicle tax bill.", + "original_question": "Will he keep on paying vehicle tax bill?" + }, + { + "id": "train-1303", + "question": "Scenario: My brother wants to be a qualified MOT tester for both group A and B vehicles.He wants to do MOT training and annual assessments.\n\nQuestion: Are there course providers he can book a course with?\n\nDocument - MOT tester training and annual assessments:\n## Staying qualified as an MOT tester\n\nYou must complete training and pass an assessment between April and March every year.\n\nYour MOT tester status will be suspended if you do not pass the annual assessment.\n\n## What you need to do\n\n- Do at least 3 hours of training each year and 16 hours in 5 years.\n\n- Keep a record of your training.\n\n- Book and take your assessment.\n\nIf you pass the assessment, you\u2019ll get a certificate. You can check if your certificate has been uploaded in the \u2018Annual assessment certificates\u2019 section of your MOT testing service profile. Contact your training provider if it\u2019s not been recorded correctly.\n\n## Training\n\nYou\u2019re responsible for planning and doing your training. You must keep a record of your training.\n\nYou can train on your own or in a group by:\n\n- studying MOT inspection manuals, special notices and the testing guide\n\n- discussing what you\u2019re learning with another tester (or group of testers)\n\n- demonstrating what you\u2019re learning to another tester\n\n- learning from a more experienced tester\n\nYou can also book a training course through one of these providers:\n\n- ABC Awards\n\n- City & Guilds\n\n- Institute of the Motor Industry\n\nCheck with the provider for the cost.\n\n## What you need to study\n\nThe topics you need to study depend on whether you test class 1 and 2 vehicles (\u2018group A\u2019) or class 3, 4, 5 and 7 vehicles (\u2018group B\u2019).\n\nSome topics are studied by both groups.\n\n## Group A (class 1 and 2 vehicles)\n\nIf you test vehicles in group A, you need to know about:\n\n- new vehicle technology\n\n- MOT test procedures\n\n- MOT testing requirements\n\n- corrosion and standards of repair\n\n- the MOT inspection manual for motorcycles and sidecars\n\n## Group B (class 3, 4, 5 and 7 vehicles)\n\nIf you test vehicles in group B, you need to know about:\n\n- new vehicle technology\n\n- MOT testing requirements\n\n- corrosion and standards of repair\n\n- the MOT inspection manual for cars and passenger vehicles\n\n## Groups A and B\n\nIf you test vehicles in both group A and group B, you need to study all the topics. You also need to train for at least 6 hours a year (instead of 3) and take 2 annual assessments.\n\n## Keeping a record of your training\n\nYou have to keep records for 5 years.\n\nYou\u2019ll need to record:\n\n- the MOT annual training year (for example May 2021 to March 2022)\n\n- the date of the training\n\n- how long the training session lasted\n\n- what topics you covered during the session\n\n- notes on what you did, how you did it and what you learned\n\n- what vehicle groups your training covered\n\n- your name and MOT testing service user ID\n\nYou can use a template to record your training.\n\n## Taking your assessment\n\nYou can have your assessment at any point in the year, if you\u2019ve done your training.\n\nBook your assessment through one of these providers:\n\n- ABC awards\n\n- Institute of the Motor Industry\n\nYou have to pay for the assessment - check the cost with the provider.\n\n## What happens at the assessment\n\nYou take the assessment online, for example at home or at the provider.\n\nThe test is 30 multiple-choice questions. It usually takes around 1 hour.\n\nRead examples of the types of questions you\u2019ll be asked.\n\nYou can use your notes and the MOT inspection manual during the assessment.\n\n## After your assessment\n\nThe pass mark for 1 May 2021 to 31 March 2022 is 80%.\n\nYou get a certificate if you pass your assessment. Keep it with your training record.\n\nIf you do not pass, there\u2019s no limit on how many times you can take the assessment during the same year.\n\nYou must stop carrying out MOT tests if you have not passed by the end of the training year. Your MOT testing account will be suspended.\n\n## If you do not pass your assessment in the training year\n\nYou\u2019ll need to do the training and pass the annual assessment on the next year\u2019s topics. For example, if you did not pass the 2020 to 2021 assessment you will need to pass the 2021 to 2022 assessment.\n\nOnce you\u2019ve passed, you need to request and pass an MOT demonstration test. Your account will then be unsuspended.\n\nMOT demonstration tests are not taking place because of coronavirus (COVID-19). You can still email DVSA to request an MOT demonstration test. DVSA will contact you when testing restarts.\n\nYou\u2019ll need to include:\n\n- your MOT testing service user ID\n\n- the MOT centre number of where you want to take the test\n\nIf you\u2019ve carried out an MOT test in the last 12 months, DVSA will unsuspend your account and you\u2019ll be able to do MOT tests again if you do the training and pass the 2021 to 2022 assessment. You will not need to do a demonstration test.\n\nEmail DVSA if you\u2019ve carried out an MOT test in the last 12 months and have passed the 2021 to 2022 assessment, including:\n\n- your MOT testing service user ID\n\n- a copy of your certificate and training record\n\n- your MOT centre number", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/mot-tester-training-assessments", + "answerable": true, + "scenario": "My brother wants to be a qualified MOT tester for both group A and B vehicles.He wants to do MOT training and annual assessments.", + "original_question": "Are there course providers he can book a course with?" + }, + { + "id": "train-1305", + "question": "Scenario: I an eighteen and in a moment of madness committed an act of shoplifting and was caught. I was arrested and taken to the police station to be charged and now have to face a magistrate.\n\nQuestion: Will I be given bail whilst I wait for my hearing?\n\nDocument - Being charged with a crime:\n## Overview\n\nIf you are charged with a crime you will be given a \u2018charge sheet\u2019. This sets out the details of the crime you are being charged with.\n\nThe police will decide if you:\n\n- can go home until the court hearing - but may have to follow certain rules, known as \u2018bail\u2019\n\n- are kept in police custody until you are taken to court for your hearing\n\nYour first court hearing after you are charged with a crime will be at a magistrates\u2019 court - even if your trial will be at a Crown Court later on.\n\nIf you\u2019re charged with a minor offence your case could be decided without going to court (\u2018single justice procedure\u2019). If you get a single justice procedure notice you must respond within 21 days.\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Young people\n\nIf you\u2019re under 18, your first hearing will usually be at a youth court.\n\nIf you\u2019re under 17, the police must arrange for you to be held in local authority accommodation, if possible, before you go to court.\n\nIf you\u2019re aged 12 to 16, the police can decide to keep you at the police station if they think it will protect the public.\n\n## Bail\n\nYou can be released on bail at the police station after you\u2019ve been charged. This means you will be able to go home until your court hearing.\n\nIf you are given bail, you might have to agree to conditions like:\n\n- living at a particular address\n\n- not contacting certain people\n\n- giving your passport to the police so you cannot leave the UK\n\n- reporting to a police station at agreed times, for example once a week\n\nIf you do not stick to these conditions you can be arrested again and be taken to prison to wait for your court hearing.\n\nWhen you attend your hearing at a magistrates\u2019 court you might be given bail again until your trial begins.\n\n## Reasons you may not be given bail\n\nYou\u2019re unlikely to be given bail if:\n\n- you are charged with a serious offence, for example armed robbery\n\n- you\u2019ve been convicted of a serious crime in the past\n\n- you\u2019ve been given bail in the past and not stuck to the terms\n\n- the police think you may not turn up for your hearing\n\n- the police think you might commit a crime while you\u2019re on bail\n\n## Remand\n\nIf the court decides to put you on remand it means you will go to prison until your hearing at a magistrates\u2019 court.\n\nIf you are under 18 you will be taken to a secure centre for young people, not an adult prison.\n\nYou will probably be put on remand if:\n\n- you have been charged with a serious crime, for example armed robbery\n\n- you have been convicted of a serious crime in the past\n\n- the police think you may not go to your court hearing\n\n- the police think you may commit another crime while on bail\n\n- you have been given bail before and not stuck to the terms\n\nWhen you attend your hearing at a magistrates\u2019 court, you might be put on remand again until your trial begins, even if you were previously given bail.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/charged-crime", + "answerable": true, + "scenario": "I an eighteen and in a moment of madness committed an act of shoplifting and was caught. I was arrested and taken to the police station to be charged and now have to face a magistrate.", + "original_question": "Will I be given bail whilst I wait for my hearing?" + }, + { + "id": "train-1310", + "question": "Scenario: I am 25 and live in London. All of my life I have had the ambition of being a black cab driver and I already know a good deal about London's streets and landmarks.\n\nQuestion: Is there a difference between a London driver's licence and an ordinary one?\n\nDocument - Driving licences for taxis and private hire vehicles:\n## Type of driving licence\n\nYou need a licence to drive a taxi or private hire vehicle.\n\nThere are different ways for you apply depending on whether you\u2019ll operate:\n\n- outside London\n\n- inside London\n\nThere is a different process for Northern Ireland.\n\n## Outside London\n\nYou must apply to your local council for a licence to drive a taxi or private hire vehicle (PHV).\n\n## Eligibility\n\nTo apply you must:\n\n- be able to work legally in the UK\n\n- have held a full GB or Northern Ireland driving licence - or a full EU driving licence - for at least 12 months\n\nYou must also be a \u2018fit and proper person\u2019 - which means your background and character will be checked. Your council may carry out an enhanced criminal records check from the Disclosure and Barring Service (DBS).\n\nYou may also need:\n\n- a medical examination\n\n- a \u2018knowledge\u2019 test\n\n- to take a driving test\n\n## Apply\n\nAsk your council what the requirements are in your area, including the fees they charge and how to apply.\n\n## Renew\n\nAsk your council how to renew your licence.\n\n## Inside London\n\nYou need to apply to Transport for London (TfL) to drive a taxi or private hire vehicle (PHV).\n\nCheck with TfL to see if you\u2019re eligible to become a taxi or PHV driver.\n\n## Apply\n\nContact TfL to apply for a taxi driver licence.\n\nContact TfL to apply for a PHV driver licence.\n\n## Renew\n\nTfL will send you a renewal form before your current taxi or PHV driver\u2019s licence expires.\n\nYou need to renew your licence before it expires or you will not be able to work as a taxi or PHV driver.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/taxi-driver-licence", + "answerable": true, + "scenario": "I am 25 and live in London. All of my life I have had the ambition of being a black cab driver and I already know a good deal about London's streets and landmarks.", + "original_question": "Is there a difference between a London driver's licence and an ordinary one?" + }, + { + "id": "train-1312", + "question": "Scenario: I am a UK citizen but keep receiving suspicious texts about my visa application in the UK. I believe them to be a scam.\n\nQuestion: Can I report these to an authority?\n\nDocument - Avoid and report internet scams and phishing:\n## Report internet scams and phishing\n\nReport misleading websites, emails, phone numbers, phone calls or text messages you think may be suspicious.\n\nDo not give out private information (such as bank details or passwords), reply to text messages, download attachments or click on any links in emails if you\u2019re not sure they\u2019re genuine.\n\n## Suspicious emails\n\nForward the email to report@phishing.gov.uk.\n\nThe National Cyber Security Centre (NCSC) will investigate it.\n\n## Text messages\n\nForward the text message to 7726 - it\u2019s free.\n\nThis will report the message to your mobile phone provider.\n\n## Adverts\n\nReport scam or misleading adverts to the Advertising Standards Authority. You can report adverts found online, including in search engines, websites or on social media.\n\nYou can also report scam or misleading adverts to Google if you found them in Google search results, or report to Bing if you found them in Bing search results.\n\n## If you think you\u2019ve been a victim of an online scam or fraud\n\nContact Action Fraud if you think you\u2019ve lost money or been hacked because of an online scam or fraud. You can:\n\n- report online - either sign up for an account or continue as a \u2018guest\u2019\n\n- call 0300 123 2040\n\nIf you\u2019re in Scotland and you think you\u2019ve been the victim of an online scam or fraud, report the crime to Police Scotland.\n\n## Avoid misleading government websites, emails and phone numbers\n\nSome websites, emails or phone numbers look like they\u2019re part of an official government service when they\u2019re not, or claim to help more than they actually do. Some make you pay for things that would be free or cheaper if you use the official government service.\n\nSearch on GOV.UK to find official government services and phone numbers, for example if you want to apply to the DVLA for a driving licence.\n\n## Report HMRC phishing emails, texts and phone call scams\n\nYou can report something suspicious to HM Revenue and Customs\u2019s (HMRC) phishing team, for example:\n\n- a text message (forward it to 60599 - you\u2019ll be charged at your network rate)\n\n- an email (forward it to phishing@hmrc.gov.uk)\n\n- a message in an application, for example WhatsApp - take a screenshot and forward as an email\n\n- phone calls asking for personal information or threatening a lawsuit (report a phone call)\n\nYour email address and phone number will be shared with other organisations if that\u2019s necessary to close down the scam.\n\n## If you\u2019ve given your personal details to someone\n\nContact the HMRC security team if you think you\u2019ve given any personal information in reply to a suspicious email or text.\n\nInclude brief details of what you disclosed (for example name, address, HMRC User ID, password) but do not give your personal details in the email.\n\n## Spotting HMRC scams\n\nYou\u2019ll never get an email, text message, message in an application (for example WhatsApp) or a phone call from HMRC which:\n\n- tells you about a tax rebate or penalty\n\n- asks for your personal or payment information\n\nCheck HMRC\u2019s guidance on recognising scams if you\u2019re not sure.\n\n## Report visa and immigration scams\n\nYou\u2019ll never be asked to pay for a visa using:\n\n- cash\n\n- money transfer\n\nContact Action Fraud to report visa and immigration scams. You should include:\n\n- a copy of the suspicious email you received, the sender\u2019s email address and the date and time it was received\n\n- details of what you sent in a reply, if you replied - for example whether you sent your bank details, address or password\n\nYou can also report suspicious emails, letters or telephone calls to the police through Action Fraud.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/report-suspicious-emails-websites-phishing", + "answerable": true, + "scenario": "I am a UK citizen but keep receiving suspicious texts about my visa application in the UK. I believe them to be a scam.", + "original_question": "Can I report these to an authority?" + }, + { + "id": "train-1313", + "question": "Scenario: I need to move a large pice of mining equipment from Derby to Yorkshire. It weighs about 60 tonnes and is quite wide.\n\nQuestion: Does this constitute an abnormal load?\n\nDocument - Transporting abnormal loads:\n## Abnormal loads\n\nAn \u2018abnormal load\u2019 is a vehicle that has any of the following:\n\n- a weight of more than 44,000kg\n\n- an axle load of more than 10,000kg for a single non-driving axle and 11,500kg for a single driving axle\n\n- a width of more than 2.9 metres\n\n- a rigid length of more than 18.65 metres\n\nOther measurements may apply if you\u2019re transporting a load abroad.\n\nIf you\u2019re responsible for transporting an abnormal load, you need to follow regulations for notifying the authorities.\n\n## Notifying the authorities\n\nDepending on the load you\u2019re moving and your route, you may need to give advance warning to:\n\n- the police\n\n- highway authorities\n\n- bridge and structure owners like Network Rail\n\nYou can use Highways England\u2019s electronic service delivery for abnormal loads (ESDAL) to:\n\n- plot your route\n\n- notify the police, highways and bridge authorities of your abnormal load movements around the road network\n\n- get advance notice of any possible route problems\n\n- save vehicle details and routes for future use\n\nIf you do not use ESDAL you must fill in an abnormal loads movement application form.\n\n## Give advance notice\n\nYou must allow time to get the necessary clearances from the police, highway and bridge authorities. For example, a Special Order application must be completed 10 weeks before the scheduled date of the move.\n\nRead the factsheet for notice requirements.\n\n## Taking an abnormal load abroad\n\nIf you\u2019re taking an abnormal load outside the UK, you\u2019ll need to:\n\n- register your trailer\n\n- get an abnormal load trailer keeper\u2019s certificate\n\n## Check if a load is abnormal in another country\n\nSome countries measure abnormal loads differently from the UK.\n\nCheck with each country you\u2019re travelling through to find out if the load you\u2019re transporting counts as abnormal - if it does, you\u2019ll need to:\n\n- get an abnormal load trailer keeper\u2019s certificate\n\n- keep the certificate in your vehicle - you\u2019ll need to show it at the border", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/esdal-and-abnormal-loads", + "answerable": true, + "scenario": "I need to move a large pice of mining equipment from Derby to Yorkshire. It weighs about 60 tonnes and is quite wide.", + "original_question": "Does this constitute an abnormal load?" + }, + { + "id": "train-1315", + "question": "Scenario: Me my husband and our son live together. My son will be off to university next year and me and his father want to support his student loan application since we will not be able to afford to pay in full. My son has a small income he makes online, while me and his dad work in a law firm.\n\nQuestion: Does the combined household income include the income of my son?\n\nDocument - Support your child or partner's student finance application:\n## Give details of your household income\n\nYou might need to provide information about your income if your child or partner has applied for student finance in England.\n\nYour information will be used to work out if your child or partner can get extra money on top of the Tuition Fee Loan and the basic Maintenance Loan.\n\nThere\u2019s a different process if your child or partner is applying in Scotland, Wales or Northern Ireland.\n\n- You\u2019ll get an email with a link to create an online account or login. You must use your own account - you cannot use the same account as your child or partner.\n\n- Provide information about your income in the previous tax year.\n\n- If your income this tax year will be at least 15% less you can give your income details for the current tax year instead.\n\n- Send in evidence if you\u2019re asked for it.\n\n## What information you\u2019ll need\n\nYou\u2019ll need to know the following about a previous tax year:\n\n- your household\u2019s taxable income\n\n- details of your personal taxable income\n\nThe previous tax year will be:\n\n- 2019 to 2020 if your child or partner is applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if your child or partner is applying for the 2020 to 2021 academic year\n\n- 2017 to 2018 if your child or partner is applying for the 2019 to 2020 academic year\n\n## If you\u2019re supporting your child\u2019s application\n\nYour household income is the combined income of:\n\n- you\n\n- your partner, if you live with them (even if you were not living with them during the previous tax year)\n\n- income your child gets from their own savings, investments or property, for example dividends or rent\n\n## If you\u2019re supporting your partner\u2019s application\n\nYour household income is the combined income of you and your partner (even if you were not living with them during the previous tax year).\n\n## How to provide information about your income\n\nOnce your child or partner has applied, you\u2019ll get an email within 24 hours with a link so you can provide your information.\n\nYou might need to create an account. You must use your own account - you cannot use the same account as your child or partner.\n\n## Household income your current income is lower\n\nYou can give your details for the current tax year if you think your household income will be at least 15% lower than the tax year you\u2019ve been asked to provide details for.\n\n## What happens next\n\nHM Revenue and Customs (HMRC) will check that the information you\u2019ve provided matches their records. This will usually take up to 2 weeks.\n\nYou might be asked to send evidence of your:\n\n- income - if the details you\u2019ve given do not match HMRC\u2019s records\n\n- marital status - if you\u2019re separated or divorced\n\nIt can take up to 6 weeks to review your evidence.\n\nStudent Finance England will write to your child or partner when all your information has been confirmed.\n\nIf your information is still being processed when your child or partner starts their course, they\u2019ll still get the Tuition Fee Loan and the basic Maintenance Loan (if they\u2019re eligible).\n\n## Supporting a continuing student\n\nYour child or partner needs to apply for student finance each year.\n\nWhen they apply, you\u2019ll get an email within 24 hours. The email will have a link to sign in to your account, where you must provide:\n\n- your marital status\n\n- any changes to the information you provided the previous year\n\n- your financial information for the previous tax year\n\n## If you provided income details for the current tax year\n\nYou can use the same income details that you provided last year.\n\nIf your income has dropped by at least 15% again, you can send in a new current tax year income assessment form.\n\n## If your income has gone down\n\nYou can apply for a current year income assessment if you think your household income this tax year will be at least 15% lower than the year you\u2019ve been asked to give details about.\n\nThe current tax year is 6 April 2021 to 5 April 2022.\n\n## Check you\u2019re eligible for a current year income assessment\n\nTo apply, the student must be on a course where their student finance is based on your household income.\n\nYour total estimated household income for the full current tax year must be at least 15% lower than for a previous tax year.\n\nThe previous tax year will be:\n\n- 2019 to 2020 if your child or partner is applying for the 2021 to 2022 academic year\n\n- 2018 to 2019 if your child or partner is applying for the 2020 to 2021 academic year\n\n- 2017 to 2018 if your child or partner is applying for the 2019 to 2020 academic year\n\nYou\u2019ll qualify for an assessment if your expected household income after the 15% decrease is between \u00a325,000 and \u00a358,220 a year.\n\nIf your household income is more than \u00a358,220 a year but less than \u00a370,004 a year, you may still qualify depending on the student\u2019s circumstances. Check how you\u2019re assessed and paid.\n\nIf your total household income is likely to be less than \u00a325,000 a year, you will not be able to get an assessment unless the student needs it to get:\n\n- a bursary or scholarship from a university or college\n\n- extra student finance for children or dependent adults\n\n## How to apply\n\nTo apply, you must have already created an online account and given information about a previous tax year.\n\nYou then need to complete these 3 steps.\n\n- Fill in a current year income assessment form and send it to Student Finance England.\n\n- Keep your income details up to date during the year.\n\n- Confirm your actual income at the end of the tax year.\n\n## Fill in a current year income assessment form\n\nFill in the form and send it to Student Finance England. You can do this through your online account, or print out the form and send it by post.\n\nIf you\u2019re the parent of the student and your partner also lives in the household, you\u2019ll both need to complete the form, even if only one income has changed.\n\nThis is because you\u2019re assessed on household income from the same tax year.\n\nWhen you\u2019re estimating your income, include:\n\n- working overtime or extra hours\n\n- any maternity or paternity pay\n\n- any casual work, shift work or contract work\n\n- any pay rises, bonuses or redundancy pay\n\n- income changes from changing jobs or returning to work\n\n- income from self-employment\n\n| Academic year | Course type | Form |\n\n| 2021 to 2022 | Any | Current year income assessment form - 2021 to 2022 |\n\n| 2020 to 2021 | Any | Current year income assessment form - 2020 to 2021 |\n\n| 2019 to 2020 | Part-time | Current year income assessment form for part-time students - 2019 to 2020 |\n\n## Keep your income details up to date\n\nIf your income changes during the year, send a new current tax year income assessment form to Student Finance England as soon as possible.\n\nYou\u2019ll be reassessed and the amount of money your student is entitled to might go up or down. Student Finance England will contact the student directly to let them know.\n\nIf you do not keep your income details up to date your student may be overpaid. They\u2019ll have to pay back any overpayment straight away.\n\n## Confirm your income at the end of the tax year\n\nAfter the tax year finishes you must send evidence of what your actual income was for the year. You\u2019ll usually be sent a form to fill in at the start of May.\n\n## If you\u2019re self-employed\n\nIf you have not completed your tax return yet, fill in the form to ask to delay providing evidence until after the Self Assessment deadline (January the following year).\n\nYou still need to return evidence for any other employment, for example if you had a salaried job earlier in the year.\n\n## If your household income is different from what you estimated\n\nHow much your student is entitled to will change. If your actual income was:\n\n- lower - your student might be entitled to more money\n\n- higher - your student will have to repay any extra money they received\n\nIf you do not send in evidence your student will only be entitled to basic student finance. They\u2019ll have to repay any extra money they got based on your income straight away.\n\n## If you need to update your details\n\nFill in a PFF2 or PFF3 form if:\n\n- you made a mistake\n\n- your circumstances change, such as your marital status or you have another child\n\n| Academic year | Course type | Form |\n\n| 2021 to 2022 | Any | PFF2: income details form for full-time students - 2021 to 2022 |\n\n| 2020 to 2021 | Any | PFF2: income details form - 2020 to 2021 |\n\n| 2019 to 2020 | Part-time | PFF3: income details form for part-time students - 2019 to 2020 |\n\nUse your online account to send the form to Student Finance England, or send it by post.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/support-child-or-partners-student-finance-application", + "answerable": true, + "scenario": "Me my husband and our son live together. My son will be off to university next year and me and his father want to support his student loan application since we will not be able to afford to pay in full. My son has a small income he makes online, while me and his dad work in a law firm.", + "original_question": "Does the combined household income include the income of my son?" + }, + { + "id": "train-1318", + "question": "Scenario: I am an employee at a farm in Lincolnshire. My employer provides workers with accommodation at the farm. My hourly wage is \u00a35.08/hour (less than the National Minimum Wage).\n\nQuestion: Could my wage of \u00a35.08/hour still be in compliance with the minimum wage?\n\nDocument - National Minimum Wage and Living Wage: accommodation:\n## Accommodation rates\n\nAccommodation provided by an employer can be taken into account when calculating the National Minimum Wage or National Living Wage.\n\nNo other kind of company benefit (such as food, a car, childcare vouchers) counts towards the minimum wage.\n\n## Accommodation offset rates\n\nThe accommodation rates are set in April each year.\n\n| Year | Daily accommodation offset rate | Weekly accommodation offset rate |\n\n| April 2021 (current rate) | \u00a38.36 | \u00a358.52 |\n\n## Previous rates\n\n| Year | Daily accommodation offset rate | Weekly accommodation offset rate |\n\n| 2020 | \u00a38.20 | \u00a357.40 |\n\n| 2019 | \u00a37.55 | \u00a352.85 |\n\n| 2018 | \u00a37 | \u00a349 |\n\n| 2017 | \u00a36.40 | \u00a344.80 |\n\n| 2016 (October) | \u00a36 | \u00a342 |\n\n| 2015 | \u00a35.35 | \u00a337.45 |\n\n| 2014 | \u00a35.08 | \u00a335.56 |\n\nUse the minimum wage calculator to check if it\u2019s been paid.\n\n## Using the offset rate to work out the minimum wage\n\nIf an employer charges more than the offset rate, the difference is taken off the worker\u2019s pay which counts for the National Minimum Wage or National Living Wage.\n\nThis means the higher the accommodation charge, the lower a worker\u2019s pay when calculating the minimum wage.\n\nIf the accommodation charge is at or below the offset rate, it does not have an effect on the worker\u2019s pay.\n\nIf the accommodation is free, the offset rate is added to the worker\u2019s pay.\n\nSee examples of accommodation rates for minimum wage calculations.\n\n## What counts as accommodation charges\n\nInclude these costs as part of your overall accommodation charges:\n\n- rent\n\n- charges for things like gas, electricity, furniture\n\n- laundry\n\n## Working out if the employer provides the accommodation\n\nThe employer is providing accommodation if any of these apply:\n\n- the accommodation comes with the job\n\n- the employer (or a connected person or company) owns or rents the property the worker lives in, even if there\u2019s no direct link between the job and the accommodation\n\n- the employer (or an owner, business partner, shareholder or director) gets a payment or benefit from the worker\u2019s landlord or a member of the landlord\u2019s family\n\nAccommodation costs count towards the National Minimum Wage or National Living Wage, even if the worker does not have to use the accommodation to do the job. If the accommodation is optional, it only counts as a cost if the worker uses it.\n\n## Local housing authority and social housing providers\n\nIf someone working for a local housing authority or social housing provider gets accommodation from their work, this does not automatically count towards the National Minimum Wage or National Living Wage.\n\nIt only counts if the accommodation is linked to the employment. For example, a care warden who has to live on site has their accommodation linked to their job.\n\n## Higher or further education institutions\n\nAccommodation is not counted when working out the National Minimum Wage or National Living Wage if it\u2019s provided by a higher or further education institution to a worker who\u2019s enrolled on a full-time course with the institution.\n\n## Help and advice\n\nCall the Acas helpline if you have any questions about workers\u2019 rights and the minimum wage.\n\n## Effect on the minimum wage\n\nThis effect of accommodation rates on the National Minimum Wage or National Living Wage depends on how much an employer charges for accommodation.\n\nIt\u2019s calculated by \u2018pay period\u2019, the intervals at which someone is being paid. This can be weekly, monthly or in irregular intervals like every 10 days.\n\nIf the accommodation is free, it still affects the minimum wage. There is an offset rate of \u00a38.36 per day for this.\n\nIt does not matter if the cost of the accommodation is taken from the worker\u2019s wages beforehand or if the worker pays the cost after they get their wages.\n\n## Examples", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-minimum-wage-accommodation", + "answerable": true, + "scenario": "I am an employee at a farm in Lincolnshire. My employer provides workers with accommodation at the farm. My hourly wage is \u00a35.08/hour (less than the National Minimum Wage).", + "original_question": "Could my wage of \u00a35.08/hour still be in compliance with the minimum wage?" + }, + { + "id": "train-1321", + "question": "Scenario: My friend Charlie is a computer engineer based in the UK and wants to take several laptops to India to do a computer training program for 3 months in a private academy.\n\nQuestion: Does he need to take a ATA Carnet?\n\nDocument - Take goods temporarily out of the UK:\n## Overview\n\nYou may need permission to temporarily move or export goods outside the UK, for example if you take sales samples to a trade show.\n\n## Temporarily export goods out of the UK\n\nMost countries have a limit on the value of goods you can bring in duty free.\n\nIf you\u2019re taking goods to another country temporarily for business reasons and you think you\u2019ll be over the duty free limit, you can usually get an ATA Carnet to avoid paying duty. This includes things like:\n\n- samples to show at trade fairs or sales meetings\n\n- publicity materials\n\n- recorded film and audio\n\n- equipment you need for work like laptops, cameras or sound equipment\n\n- goods for educational, scientific or cultural purposes\n\n- personal effects and sports goods\n\nIf you\u2019re taking a vehicle, get a CPD Carnet instead.\n\n## Licences for controlled goods\n\nCheck if your goods are controlled and you need a licence.\n\nTemporary licences are available for some types of controlled goods, for example:\n\n- controlled drugs for personal use\n\n- weapons or dual use goods and services\n\n## Get an ATA Carnet\n\nYou can use an ATA Carnet in around 70 countries.\n\nCountries have their own rules about what goods you can bring in with an ATA Carnet. Check with the issuer in the country you\u2019re exporting to.\n\nIf you cannot use an ATA Carnet (or do not want to pay the fee), use a Duplicate List to temporarily export your goods instead.\n\n## If you do not get an ATA Carnet or Duplicate List\n\nYou\u2019ll need to declare your goods and pay duties every time your goods go through customs.\n\nYou\u2019ll also need to follow the full customs rules and processes for exports and imports.\n\nYou can check the rules on:\n\n- how to export goods from the UK\n\n- how to import goods into the UK\n\n## How to apply\n\nYou can apply for an ATA Carnet:\n\n- online\n\n- by post\n\nIf you\u2019re using a freight forwarder, they\u2019ll usually fill this in for you.\n\nIt usually costs \u00a3325.96 and you\u2019ll need to pay a security deposit.\n\nIf you\u2019re sending goods to Taiwan, apply for a Taiwan Carnet instead.\n\nATA Carnets are usually valid for 1 year. Ask the overseas customs authority if you need to extend it. You\u2019ll need their written approval before you apply for a replacement Carnet.\n\n## Using an ATA Carnet\n\nCall the helpline when you\u2019re planning your journey.\n\nThey\u2019ll check that a customs officer can stamp your Carnet at the port or airport your goods are being shipped from.\n\n## When you return to the UK\n\nGo through the red channel at customs if you\u2019re bringing the goods back in your baggage.\n\n## Get help with ATA Carnets\n\nContact the ATA Carnet Unit if you have a question.\n\n## If you do not use an ATA Carnet\n\nUse a Duplicate List to temporarily export goods if:\n\n- the country you\u2019re exporting to does not recognise the ATA Carnet\n\n- you do not want to pay for an ATA Carnet\n\nAs with an ATA Carnet, you do not have to pay customs duty or tax. There\u2019s no fee, but it\u2019s more complicated than exporting something with an ATA Carnet.\n\n## How to export goods using a Duplicate List\n\nBefore you export the goods, prepare a list on company stationery. Include:\n\n- a description of the goods\n\n- how many there are\n\n- serial numbers, if the goods have them\n\n- value of the goods\n\nAt customs, you\u2019ll need to provide:\n\n- 2 copies of the list\n\n- a completed form C&E 1246 (PDF, 638 KB)\n\nContact the helpline in advance to make the arrangements.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/taking-goods-out-uk-temporarily", + "answerable": true, + "scenario": "My friend Charlie is a computer engineer based in the UK and wants to take several laptops to India to do a computer training program for 3 months in a private academy.", + "original_question": "Does he need to take a ATA Carnet?" + }, + { + "id": "train-1325", + "question": "Scenario: most of our family lives abroad and they include our children's cousins. we'd like for our children to get to know their cousins but unfortunately their school terms clash. when our children are on holiday, their cousins are in school.\n\nQuestion: can we take our children on holiday during the school term ?\n\nDocument - School attendance and absence:\n## Overview\n\nYou must make sure your child gets a full-time education that meets their needs (for example if they have special educational needs). You can send your child to school or educate them yourself.\n\nChildren must get an education between the school term after their 5th birthday and the last Friday in June in the school year they turn 16.\n\nYou\u2019ll be contacted by either:\n\n- the school - if your child is enrolled in school and does not turn up (even if they\u2019re only absent for a day)\n\n- the council\u2019s education welfare officer - if they think your child is not getting a suitable education at home\n\nYou can be prosecuted if you do not give your child an education. You\u2019ll normally get warnings and offers of help from the local council first.\n\nYou can get education and attendance information from your council.\n\n## When your child can miss school\n\nYou can only allow your child to miss school if either:\n\n- they\u2019re too ill to go in\n\n- you\u2019ve got advance permission from the school\n\nThere\u2019s extra support available if your child cannot go to school for long periods because of a health problem.\n\n## Holidays in term time\n\nYou have to get permission from the head teacher if you want to take your child out of school during term time.\n\nYou can only do this if:\n\n- you make an application to the head teacher in advance (as a parent the child normally lives with)\n\n- there are exceptional circumstances\n\nIt\u2019s up to the head teacher how many days your child can be away from school if leave is granted.\n\nYou can be fined for taking your child on holiday during term time without the school\u2019s permission.\n\n## School trips\n\nYour child\u2019s school can ask you for a voluntary contribution to the cost of activities like school trips. They cannot stop your child from attending if you do not pay, but they should cancel the activity if there is not enough money to cover the cost of it.\n\n## Help with getting your child to go to school\n\nIf you\u2019re having trouble getting your child to go to school, the school and local council can help.\n\nThe school will discuss attendance problems with you and should agree a plan with you to improve your child\u2019s attendance.\n\nA lot of local councils have teams that help parents improve their child\u2019s attendance at school. The council will tell you if they\u2019re able to help. Forms of help could include:\n\n- support to reduce the burden on children where families are in difficulty (for example if a child is spending a lot of time caring for someone)\n\n- working with families and schools to overcome bullying and other serious problems\n\n- a parenting contract\n\n## Parenting contract\n\nThis is a voluntary written agreement between you and either the local council or the school\u2019s governing body. Between you, you agree to find ways to improve your child\u2019s attendance.\n\nIf you refuse to make a contract or you do not stick to it, it can be used as evidence if the local council decides to prosecute you.\n\n## Legal action to enforce school attendance\n\nLocal councils and schools can use various legal powers if your child is missing school without a good reason. They can give you:\n\n- a Parenting Order\n\n- an Education Supervision Order\n\n- a School Attendance Order\n\n- a fine (sometimes known as a \u2018penalty notice\u2019)\n\nYou can be given one or more of these but the council does not have to do this before prosecuting you.\n\n## Parenting Order\n\nThis means you have to go to parenting classes. You\u2019ll also have to do what the court says to improve your child\u2019s school attendance.\n\n## Education Supervision Order\n\nIf the council thinks you need support getting your child to go to school but you\u2019re not co-operating, they can apply to a court for an Education Supervision Order.\n\nA supervisor will be appointed to help you get your child into education. The local council can do this instead of prosecuting you, or as well.\n\n## School Attendance Order\n\nYou\u2019ll get a School Attendance Order if the local council thinks your child is not getting an education.\n\nYou have 15 days to provide evidence that you\u2019ve registered your child with the school listed in the order or that you\u2019re giving them home education. If you do not, you could be prosecuted or given a fine.\n\n## Fine\n\nYour local council can give each parent a fine of \u00a360, which rises to \u00a3120 each if you do not pay within 21 days. If you do not pay the fine after 28 days you may be prosecuted for your child\u2019s absence from school.\n\nCheck your local council\u2019s rules on when you can be fined.\n\n## Prosecution\n\nYou could get a fine of up to \u00a32,500, a community order or a jail sentence up to 3 months. The court also gives you a Parenting Order.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/school-attendance-absence", + "answerable": true, + "scenario": "most of our family lives abroad and they include our children's cousins. we'd like for our children to get to know their cousins but unfortunately their school terms clash. when our children are on holiday, their cousins are in school.", + "original_question": "can we take our children on holiday during the school term ?" + }, + { + "id": "train-1332", + "question": "Scenario: My husband and I have just bought a 1920s cottage in the countryside as a second property. It has open fireplaces, which we like but we are worried that we are polluting the environment.\n\nQuestion: Is it legal to use our open fireplaces?\n\nDocument - Preventing air pollution:\n## Local controls\n\nYour local council can introduce extra controls on emissions if there are air quality problems in your area.\n\n## Air Quality Management Areas\n\nIf air quality falls below required standards, your council will declare an Air Quality Management Area (AQMA) and plan for improvements.\n\nCheck if your business is in an AQMA and if you\u2019re affected by:\n\n- road charging\n\n- parking restrictions\n\n- increased restrictions on waiting and loading times\n\n- taxes to encourage moving goods by rail\n\n- the review of planning applications by a pollution control team\n\n## Smoke control areas\n\nYour council can also declare a smoke control area. This means you can only use authorised fuels, or exempted furnaces and boilers. Chimney smoke is not allowed, with only a few exceptions.\n\nYou could be fined up to \u00a31,000 for each offence.\n\nIf you\u2019re a contractor working at different locations you should always check if you\u2019re in a smoke control area.\n\n## Dark smoke\n\nThe darker the smoke, the more polluting it tends to be. Smoke darker than a specified shade of grey is officially classified as \u2018dark smoke\u2019.\n\nThe Ringelmann chart is used to define dark smoke. The chart has 5 shades of grey with 0 being clear and 5 being black. Smoke is considered \u2018dark\u2019 if it is shade 2 or darker.\n\n## Chimney and boiler restrictions\n\nYou mustn\u2019t release dark smoke from your premises, including from:\n\n- chimneys serving furnaces\n\n- fixed boilers or industrial plants, whether they\u2019re attached to buildings or not\n\nThere are some exemptions if emissions won\u2019t damage health or cause a nuisance.\n\n## Boilers and furnaces\n\nYou need a permit for most generators, furnaces and boilers.\n\n## Get a permit\n\nThe permit you need depends on the type and amount of fuel you\u2019re burning.\n\n## Part A(1) environmental permit\n\nYou\u2019ll need a Part A(1) environmental permit if your appliances:\n\n- have an aggregated rated thermal input of 50 megawatts (mw) or more\n\n- burn waste oil, recovered oil or any fuel made from waste, with a rated thermal input of 3 to 50 mw\n\nGet a Part A(1) permit from:\n\n- Environment Agency if you\u2019re in England\n\n- Natural Resources Wales (NRW)\n\n- Scottish Environment Protection Agency (SEPA)\n\n## Part B environmental permit\n\nYou\u2019ll need a Part B environmental permit if your appliances:\n\n- have a rated thermal input of 20 to 50 mw\n\n- burn waste excluded from the Industrial Emissions Directive (IED) with a rated thermal input of 0.4 to 3 mw\n\nGet a Part B permit from:\n\n- your local council if you\u2019re in England and Wales\n\n- SEPA if you\u2019re in Scotland\n\n## Small Waste Incineration Plant (SWIP) environmental permit\n\nYou\u2019ll need a Small Waste Incineration Plant (SWIP) environmental permit if your appliance can burn either:\n\n- less than 10 tonnes per day of hazardous waste\n\n- less than 3 tonnes per hour of non-hazardous waste (equivalent to 72 tonnes per day)\n\nGet a SWIP environmental permit from your local council.\n\n## Installing furnaces\n\nYour local council must approve:\n\n- the use of a new non-domestic furnace in a building, fixed boiler or industrial plant\n\n- changes to an existing furnace\n\nContact your local council about getting approval for grit and dust arrestment equipment for your furnace if it\u2019s going to be used to burn:\n\n- pulverised fuel\n\n- any other solid matter at a rate of 45.4 kilograms (kg) or more an hour\n\n- liquid or gaseous matter at a rate equivalent to 366.4 kilowatts (kw) or more\n\nYou might not need approval if your boiler won\u2019t create emissions that can damage health or cause a nuisance. Contact your local council to check if you\u2019re exempt.\n\n## Chimney height requirements\n\nYour chimney must be high enough to prevent smoke, grit, dust, gases and fume emissions from damaging health or causing a nuisance. Your local council can refuse your application if your chimney isn\u2019t high enough.\n\nYou must apply for chimney height approval if your boiler\u2019s fuel consumption either:\n\n- exceeds 45.4 kg of solid fuel an hour\n\n- exceeds 366.4 kw of liquid or gas fuel\n\nIf your approval application is refused your local council will tell you the minimum chimney height you need.\n\nA chimney may be exempt if it\u2019s used as part of:\n\n- a temporary replacement, for example if the boiler or furnace is being repaired\n\n- a temporary source of heat or power for building works\n\n- an auxiliary plant to bring the main plant up to operating temperatures\n\n- a mobile source of heat or power for agricultural purposes\n\nIf the use of your chimney changes you must re-apply for approval.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/preventing-air-pollution", + "answerable": true, + "scenario": "My husband and I have just bought a 1920s cottage in the countryside as a second property. It has open fireplaces, which we like but we are worried that we are polluting the environment.", + "original_question": "Is it legal to use our open fireplaces?" + }, + { + "id": "train-1334", + "question": "Scenario: i run a small business that supplies home appliances on credit. i supplied a customer with a washing machine and dish washer two months ago but they are yet to pay me.\n\nQuestion: Do I have to charge interest on late payments ?\n\nDocument - Invoicing and taking payment from customers:\n## Overview\n\nIf you sell a customer a product or a service, you need to give them an invoice (bill) by law if both you and the customer are registered for VAT (a business to business transaction). An invoice is not the same as a receipt, which is an acknowledgement of payment.\n\nThe invoice must include certain information such as:\n\n- how much the customer needs to pay you\n\n- when the customer must pay you\n\nYou and the customer also have certain obligations on payment.\n\n## Invoices - what they must include\n\nYour invoice must include:\n\n- a unique identification number\n\n- your company name, address and contact information\n\n- the company name and address of the customer you\u2019re invoicing\n\n- a clear description of what you\u2019re charging for\n\n- the date the goods or service were provided (supply date)\n\n- the date of the invoice\n\n- the amount(s) being charged\n\n- VAT amount if applicable\n\n- the total amount owed\n\n## Sole trader invoices\n\nIf you\u2019re a sole trader, the invoice must also include:\n\n- your name and any business name being used\n\n- an address where any legal documents can be delivered to you if you are using a business name\n\n## Limited company invoices\n\nIf your company is a limited company, you must include the full company name as it appears on the certificate of incorporation.\n\nIf you decide to put names of your directors on your invoices, you must include the names of all directors.\n\n## VAT invoices\n\nYou must use VAT invoices if you and your customer are VAT registered.\n\nThese include more information than non-VAT invoices.\n\n## Payment - obligations\n\n## Your right to be paid\n\nYou can set your own payment terms, such as discounts for early payment and payment upfront.\n\nUnless you agree a payment date, the customer must pay you within 30 days of getting your invoice or the goods or service.\n\nYou can use a statutory demand to formally request payment of what you\u2019re owed.\n\n## Charging interest for late payment\n\nYou have the right to charge interest for late payment, but you can choose not to.\n\n## Liability for disputed card payments\n\nIf a customer asks their credit or debit card issuer to reverse a transaction, they can reclaim the value of the transaction from you. This is known as a \u2018chargeback\u2019.\n\nChargebacks can be made when:\n\n- the purchased item never arrived\n\n- the item wasn\u2019t as described\n\n- a customer\u2019s card was used without their permission to purchase the item fraudulently.\n\nYou can be charged up to 120 days after the transaction has been debited or from when the goods or services were due to be received.\n\n## Minimising chargebacks\n\nIf a customer uses their PIN, you\u2019ll only be liable for a chargeback if the goods are faulty or aren\u2019t as described.\n\nWhere you can\u2019t accept a PIN, a clear signature will help but there is no guarantee against a chargeback.\n\nFor card-not-present transactions, such as online sales, the risks of chargeback will be higher.\n\n## Regulation\n\nIf you want to set up a business that takes a sum of money from a customer every time they use a service, for example, online trading, you may need to be authorised by the Financial Conduct Authority.\n\nIf customers pay you in large amounts of cash, your business may need to be \nregistered for an anti-money laundering scheme.\n\n## Protecting customer data\n\nYou must follow the rules on storing customer data to protect their financial information.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/invoicing-and-taking-payment-from-customers", + "answerable": true, + "scenario": "i run a small business that supplies home appliances on credit. i supplied a customer with a washing machine and dish washer two months ago but they are yet to pay me.", + "original_question": "Do I have to charge interest on late payments ?" + }, + { + "id": "train-1336", + "question": "Scenario: My friend owns a restaurant and his kitchen chimney produces a lot of dark smoke which is a nuisance to neighbors and the surroundings. He always says that he installed a low height chimney during construction.\n\nQuestion: Is a high chimney installation a requirement during building construction?\n\nDocument - Preventing air pollution:\n## Local controls\n\nYour local council can introduce extra controls on emissions if there are air quality problems in your area.\n\n## Air Quality Management Areas\n\nIf air quality falls below required standards, your council will declare an Air Quality Management Area (AQMA) and plan for improvements.\n\nCheck if your business is in an AQMA and if you\u2019re affected by:\n\n- road charging\n\n- parking restrictions\n\n- increased restrictions on waiting and loading times\n\n- taxes to encourage moving goods by rail\n\n- the review of planning applications by a pollution control team\n\n## Smoke control areas\n\nYour council can also declare a smoke control area. This means you can only use authorised fuels, or exempted furnaces and boilers. Chimney smoke is not allowed, with only a few exceptions.\n\nYou could be fined up to \u00a31,000 for each offence.\n\nIf you\u2019re a contractor working at different locations you should always check if you\u2019re in a smoke control area.\n\n## Dark smoke\n\nThe darker the smoke, the more polluting it tends to be. Smoke darker than a specified shade of grey is officially classified as \u2018dark smoke\u2019.\n\nThe Ringelmann chart is used to define dark smoke. The chart has 5 shades of grey with 0 being clear and 5 being black. Smoke is considered \u2018dark\u2019 if it is shade 2 or darker.\n\n## Chimney and boiler restrictions\n\nYou mustn\u2019t release dark smoke from your premises, including from:\n\n- chimneys serving furnaces\n\n- fixed boilers or industrial plants, whether they\u2019re attached to buildings or not\n\nThere are some exemptions if emissions won\u2019t damage health or cause a nuisance.\n\n## Boilers and furnaces\n\nYou need a permit for most generators, furnaces and boilers.\n\n## Get a permit\n\nThe permit you need depends on the type and amount of fuel you\u2019re burning.\n\n## Part A(1) environmental permit\n\nYou\u2019ll need a Part A(1) environmental permit if your appliances:\n\n- have an aggregated rated thermal input of 50 megawatts (mw) or more\n\n- burn waste oil, recovered oil or any fuel made from waste, with a rated thermal input of 3 to 50 mw\n\nGet a Part A(1) permit from:\n\n- Environment Agency if you\u2019re in England\n\n- Natural Resources Wales (NRW)\n\n- Scottish Environment Protection Agency (SEPA)\n\n## Part B environmental permit\n\nYou\u2019ll need a Part B environmental permit if your appliances:\n\n- have a rated thermal input of 20 to 50 mw\n\n- burn waste excluded from the Industrial Emissions Directive (IED) with a rated thermal input of 0.4 to 3 mw\n\nGet a Part B permit from:\n\n- your local council if you\u2019re in England and Wales\n\n- SEPA if you\u2019re in Scotland\n\n## Small Waste Incineration Plant (SWIP) environmental permit\n\nYou\u2019ll need a Small Waste Incineration Plant (SWIP) environmental permit if your appliance can burn either:\n\n- less than 10 tonnes per day of hazardous waste\n\n- less than 3 tonnes per hour of non-hazardous waste (equivalent to 72 tonnes per day)\n\nGet a SWIP environmental permit from your local council.\n\n## Installing furnaces\n\nYour local council must approve:\n\n- the use of a new non-domestic furnace in a building, fixed boiler or industrial plant\n\n- changes to an existing furnace\n\nContact your local council about getting approval for grit and dust arrestment equipment for your furnace if it\u2019s going to be used to burn:\n\n- pulverised fuel\n\n- any other solid matter at a rate of 45.4 kilograms (kg) or more an hour\n\n- liquid or gaseous matter at a rate equivalent to 366.4 kilowatts (kw) or more\n\nYou might not need approval if your boiler won\u2019t create emissions that can damage health or cause a nuisance. Contact your local council to check if you\u2019re exempt.\n\n## Chimney height requirements\n\nYour chimney must be high enough to prevent smoke, grit, dust, gases and fume emissions from damaging health or causing a nuisance. Your local council can refuse your application if your chimney isn\u2019t high enough.\n\nYou must apply for chimney height approval if your boiler\u2019s fuel consumption either:\n\n- exceeds 45.4 kg of solid fuel an hour\n\n- exceeds 366.4 kw of liquid or gas fuel\n\nIf your approval application is refused your local council will tell you the minimum chimney height you need.\n\nA chimney may be exempt if it\u2019s used as part of:\n\n- a temporary replacement, for example if the boiler or furnace is being repaired\n\n- a temporary source of heat or power for building works\n\n- an auxiliary plant to bring the main plant up to operating temperatures\n\n- a mobile source of heat or power for agricultural purposes\n\nIf the use of your chimney changes you must re-apply for approval.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/preventing-air-pollution", + "answerable": true, + "scenario": "My friend owns a restaurant and his kitchen chimney produces a lot of dark smoke which is a nuisance to neighbors and the surroundings. He always says that he installed a low height chimney during construction.", + "original_question": "Is a high chimney installation a requirement during building construction?" + }, + { + "id": "train-1337", + "question": "Scenario: I run a hotel business and our fireplace is always smoking and produces a dark smoke which causes a lot of nuisance and complaints from my customers. In one occasion an asthmatic patient nearly collapsed.\n\nQuestion: Are there chimney restrictions put across by the local council?\n\nDocument - Preventing air pollution:\n## Local controls\n\nYour local council can introduce extra controls on emissions if there are air quality problems in your area.\n\n## Air Quality Management Areas\n\nIf air quality falls below required standards, your council will declare an Air Quality Management Area (AQMA) and plan for improvements.\n\nCheck if your business is in an AQMA and if you\u2019re affected by:\n\n- road charging\n\n- parking restrictions\n\n- increased restrictions on waiting and loading times\n\n- taxes to encourage moving goods by rail\n\n- the review of planning applications by a pollution control team\n\n## Smoke control areas\n\nYour council can also declare a smoke control area. This means you can only use authorised fuels, or exempted furnaces and boilers. Chimney smoke is not allowed, with only a few exceptions.\n\nYou could be fined up to \u00a31,000 for each offence.\n\nIf you\u2019re a contractor working at different locations you should always check if you\u2019re in a smoke control area.\n\n## Dark smoke\n\nThe darker the smoke, the more polluting it tends to be. Smoke darker than a specified shade of grey is officially classified as \u2018dark smoke\u2019.\n\nThe Ringelmann chart is used to define dark smoke. The chart has 5 shades of grey with 0 being clear and 5 being black. Smoke is considered \u2018dark\u2019 if it is shade 2 or darker.\n\n## Chimney and boiler restrictions\n\nYou mustn\u2019t release dark smoke from your premises, including from:\n\n- chimneys serving furnaces\n\n- fixed boilers or industrial plants, whether they\u2019re attached to buildings or not\n\nThere are some exemptions if emissions won\u2019t damage health or cause a nuisance.\n\n## Boilers and furnaces\n\nYou need a permit for most generators, furnaces and boilers.\n\n## Get a permit\n\nThe permit you need depends on the type and amount of fuel you\u2019re burning.\n\n## Part A(1) environmental permit\n\nYou\u2019ll need a Part A(1) environmental permit if your appliances:\n\n- have an aggregated rated thermal input of 50 megawatts (mw) or more\n\n- burn waste oil, recovered oil or any fuel made from waste, with a rated thermal input of 3 to 50 mw\n\nGet a Part A(1) permit from:\n\n- Environment Agency if you\u2019re in England\n\n- Natural Resources Wales (NRW)\n\n- Scottish Environment Protection Agency (SEPA)\n\n## Part B environmental permit\n\nYou\u2019ll need a Part B environmental permit if your appliances:\n\n- have a rated thermal input of 20 to 50 mw\n\n- burn waste excluded from the Industrial Emissions Directive (IED) with a rated thermal input of 0.4 to 3 mw\n\nGet a Part B permit from:\n\n- your local council if you\u2019re in England and Wales\n\n- SEPA if you\u2019re in Scotland\n\n## Small Waste Incineration Plant (SWIP) environmental permit\n\nYou\u2019ll need a Small Waste Incineration Plant (SWIP) environmental permit if your appliance can burn either:\n\n- less than 10 tonnes per day of hazardous waste\n\n- less than 3 tonnes per hour of non-hazardous waste (equivalent to 72 tonnes per day)\n\nGet a SWIP environmental permit from your local council.\n\n## Installing furnaces\n\nYour local council must approve:\n\n- the use of a new non-domestic furnace in a building, fixed boiler or industrial plant\n\n- changes to an existing furnace\n\nContact your local council about getting approval for grit and dust arrestment equipment for your furnace if it\u2019s going to be used to burn:\n\n- pulverised fuel\n\n- any other solid matter at a rate of 45.4 kilograms (kg) or more an hour\n\n- liquid or gaseous matter at a rate equivalent to 366.4 kilowatts (kw) or more\n\nYou might not need approval if your boiler won\u2019t create emissions that can damage health or cause a nuisance. Contact your local council to check if you\u2019re exempt.\n\n## Chimney height requirements\n\nYour chimney must be high enough to prevent smoke, grit, dust, gases and fume emissions from damaging health or causing a nuisance. Your local council can refuse your application if your chimney isn\u2019t high enough.\n\nYou must apply for chimney height approval if your boiler\u2019s fuel consumption either:\n\n- exceeds 45.4 kg of solid fuel an hour\n\n- exceeds 366.4 kw of liquid or gas fuel\n\nIf your approval application is refused your local council will tell you the minimum chimney height you need.\n\nA chimney may be exempt if it\u2019s used as part of:\n\n- a temporary replacement, for example if the boiler or furnace is being repaired\n\n- a temporary source of heat or power for building works\n\n- an auxiliary plant to bring the main plant up to operating temperatures\n\n- a mobile source of heat or power for agricultural purposes\n\nIf the use of your chimney changes you must re-apply for approval.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/preventing-air-pollution", + "answerable": true, + "scenario": "I run a hotel business and our fireplace is always smoking and produces a dark smoke which causes a lot of nuisance and complaints from my customers. In one occasion an asthmatic patient nearly collapsed.", + "original_question": "Are there chimney restrictions put across by the local council?" + }, + { + "id": "train-1338", + "question": "Scenario: I am on a two year fixed term contract for a project that my employer is undertaking. We are building a bridge. There are many permanent staff also in the company.\n\nQuestion: Am I entitled to the same rights as permanent employees?\n\nDocument - Fixed-term employment contracts:\n## What counts as a fixed-term contract\n\nEmployees are on a fixed-term contract if both of the following apply:\n\n- they have an employment contract with the organisation they work for\n\n- their contract ends on a particular date, or on completion of a specific task, eg a project\n\nWorkers don\u2019t count as fixed-term employees if they:\n\n- have a contract with an agency rather than the company they\u2019re working for\n\n- are a student or trainee on a work-experience placement\n\n- are working under a \u2018contract of apprenticeship\u2019\n\n- are a member of the armed forces\n\nThey may be a fixed-term employee if they\u2019re:\n\n- a seasonal or casual employee taken on for up to 6 months during a peak period\n\n- a specialist employee for a project\n\n- covering for maternity leave\n\n## Employees' rights\n\nEmployers must not treat workers on fixed-term contracts less favourably than permanent employees doing the same or largely the same job, unless the employer can show that there is a good business reason to do so.\n\nThis is known as \u2018objective justification\u2019.\n\nEmployers must also ensure that fixed-term employees get:\n\n- the same pay and conditions as permanent staff\n\n- the same or equivalent benefits package\n\n- information about permanent vacancies in the organisation\n\n- protection against redundancy or dismissal\n\nHowever, they\u2019re only entitled to the same rights as permanent staff working for the same employer, and not an associated employer\u2019s organisation.\n\nAnyone who\u2019s worked continually for the same employer for 2 years or more has the same redundancy rights as a permanent employee.\n\n## Workplace disputes\n\nWorkers on fixed-term contracts should try to sort out any concerns they have with their manager.\n\nIf they\u2019re still not satisfied, they can ask their employer for a written statement explaining their treatment, or complain using the employer\u2019s grievance procedure.\n\nTheir final option is to make a claim to an employment tribunal.\n\n## Renewing or ending a fixed-term contract\n\n## Ending a fixed-term contract\n\nFixed-term contracts will normally end automatically when they reach the agreed end date. The employer doesn\u2019t have to give any notice.\n\n## If a contract isn\u2019t renewed\n\nThis is considered to be a dismissal, and if the employee has 2 years\u2019 service the employer needs to show that there\u2019s a \u2018fair\u2019 reason for not renewing the contract (eg, if they were planning to stop doing the work the contract was for).\n\nWorkers have the right:\n\n- not to be unfairly dismissed after 2 years\u2019 service - for employees who were in employment before 6 April 2012, it\u2019s 1 year\u2019s service\n\n- to a written statement of reasons for not renewing the contract - after 1 year\u2019s service\n\nThey may be entitled to statutory redundancy payments after 2 years\u2019 service if the reason for non-renewal is redundancy.\n\n## If the employer wants to end the contract earlier\n\nWhat happens depends on the terms of the contract. If it says:\n\n- nothing about being ended early, the employer may be in breach of contract\n\n- it can be ended early, and the employer has given proper notice, the contract can be ended\n\n## Minimum notice period\n\nFixed-term employees have the right to a minimum notice period of:\n\n- 1 week if they\u2019ve worked continuously for at least 1 month\n\n- 1 week for each year they\u2019ve worked, if they\u2019ve worked continuously for 2 years or more\n\nThese are the minimum periods. The contract may specify a longer notice period.\n\nIf an employer ends a contract without giving the proper notice, the employee may be able to claim breach of contract.\n\n## Working longer than the contract\u2019s end date\n\nIf an employee continues working past the end of a contract without it being formally renewed, there\u2019s an \u2018implied agreement\u2019 by the employer that the end date has changed.\n\nThe employer still needs to give proper notice if they want to dismiss the worker.\n\n## The limit on renewing a fixed-term contract\n\nAny employee on fixed-term contracts for 4 or more years will automatically become a permanent employee, unless the employer can show there is a good business reason not to do so.\n\nHowever, an employer and unions (or a staff association) may make a collective agreement that removes the automatic right to become a permanent employee in these circumstances.\n\n## Renewing a fixed-term contract on less favourable terms\n\nIf an employer wants to do this, the employee can negotiate with them to reach an agreement.\n\nIf the contract ends and they have been unable to reach an agreement, the employee may be able to claim unfair dismissal.\n\n## Ending the contract early\n\nEmployees must hand in their notice 1 week in advance if they\u2019ve worked for an employer for a month or more. The contract may state that they need to give more notice.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/fixed-term-contracts", + "answerable": true, + "scenario": "I am on a two year fixed term contract for a project that my employer is undertaking. We are building a bridge. There are many permanent staff also in the company.", + "original_question": "Am I entitled to the same rights as permanent employees?" + }, + { + "id": "train-1344", + "question": "Scenario: I want to transfer one of my employees to our sister company in France within the next 24 hours because his services are needed there urgently.\n\nQuestion: Could this be reasonable use of the flexibility clause?\n\nDocument - Changing an employment contract:\n## Getting agreement\n\nUsually, the employer and employee both need to agree to any contract changes. But an employee can insist on a change if they have a legal right to it.\n\n## Employers\n\nYou must get an employee\u2019s agreement if you want to make changes to their contract.\n\nYou should:\n\n- consult or negotiate with employees or their representatives (for example from a trade union or staff association)\n\n- explain the reasons for changes\n\n- listen to alternative ideas from employees\n\nYou may also want to talk with workers, asking them about their future plans. With older employees this can include talking about their thoughts on retirement and their options for staying in the job, for example changes to their role, hours or working pattern.\n\n## Employees\n\nExplain to your employer why you want to make the changes. You can insist on a change if it\u2019s covered by a statutory right - for example not working on a Sunday.\n\n## Making changes\n\nOnce employers have agreed on changes with their staff, they need to:\n\n- update the terms of their employees\u2019 \u2018written statement\u2019 of employment conditions\n\n- write to their employees within a month to tell them exactly what has changed\n\nIf an employer changes terms and conditions that are not in the written statement (for example the right to sick leave), they should tell their employees where to find information about the change. This could be in a company handbook, noticeboard or intranet site.\n\n## Collective agreements\n\nEmployers must write to their staff to let them know about any changes to collective agreements with trade unions or staff associations.\n\nThese changes might affect the terms of employees\u2019 written statements, including pay and working hours, whether or not they\u2019re a member of the union or staff association.\n\n## Flexibility clauses\n\nFlexibility clauses are terms in a contract that give employers the right to change some conditions of employment, for example relocation.\n\nEmployers can only use flexibility clauses to make reasonable changes.\n\n## Changes of employer\n\nIf someone starts working for a different employer, they\u2019ll normally have to be given a new written statement within 2 months.\n\nHowever, if the name of a business changes or there\u2019s a new employer but no other changes in terms and conditions, the employer does not need to issue a new written statement. They still need to write to their staff about the changes within a month.\n\n## Disciplinary measures\n\nSometimes changes to an employee\u2019s terms and conditions, like a demotion, can happen as a result of a disciplinary measure.\n\nEmployers should make sure the staff handbook or intranet site contains information about how this could happen in the section dealing with disciplinary procedures.\n\n## Dealing with problems\n\nProblems can arise if:\n\n- an employer tries to change a contract without agreement, or re-employs someone on new terms and conditions\n\n- there is a breach of contract where one of the terms in a contract is broken (for example an employer does not pay agreed wages or employees do not work agreed hours)\n\n## Solving disputes\n\nEmployers and their staff should try to solve disputes about contract changes by talking informally or through mediation.\n\nEmployees can also get advice from their trade union representative (if they\u2019re a member of a union), Citizen\u2019s Advice or Acas (Advisory, Conciliation and Arbitration Service). In Northern Ireland, they can get advice from the Labour Relations Agency (LRA) .\n\nIf the problem cannot be solved, employers or employees may have the right to take legal action. It\u2019s important to get advice first because legal action can be expensive. Trade union members may be able to get legal advice from their union.\n\n## Making a change without agreement\n\nIf an employer makes a change to a contract without getting agreement (including by using flexibility clauses unreasonably), employees may:\n\n- have the right to refuse to work under the new conditions\n\n- say that they\u2019re working any new terms under protest, and are treating the change as a breach of contract\n\n- resign and claim constructive dismissal\n\n- be able to take a case to an employment tribunal\n\nIn Northern Ireland an employment tribunal is known as an \u2018industrial tribunal\u2019.\n\nIf an employee disagrees with new terms and conditions but does not say or do anything, this may count as agreeing to the changes.\n\n## Re-employment on new terms and conditions\n\nEmployers may, as a last resort, end a contract and re-employ someone on new terms and conditions.\n\nEmployers who are dismissing employees must follow the legally required:\n\n- redundancy procedure in England, Wales and Scotland\n\n- statutory minimum dismissal in Northern Ireland\n\nIf an employer does dismiss and re-employ someone, they may be able to take a case to a tribunal and claim:\n\n- breach of contract\n\n- unfair dismissal\n\n## Breach of contract claims\n\nIf an employee claims breach of contract and they cannot solve things informally with their employer, they may be able to take their case to a civil court or an employment tribunal (or an industrial tribunal in Northern Ireland).\n\nTheir employer may be able to make a counter-claim.\n\nClaims and counter-claims can only go to a tribunal if they:\n\n- are related to an employment contract issue\n\n- still have not been solved when the employee ends their employment\n\nThe claim or counter-claim cannot be related to a personal injury, or certain types of contract term like intellectual property rights.\n\n## Time limits\n\nUsually, employees must make a claim to a tribunal within 3 months of ending their employment. The employer gets 6 weeks from receiving a copy of the claim to decide whether to make a counter-claim.\n\n## Compensation limits\n\nIf the tribunal agrees with the employee\u2019s claim, they may award compensation. This can only be for financial loss (for example, non-payment of wages) up to a maximum of \u00a325,000.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/your-employment-contract-how-it-can-be-changed", + "answerable": true, + "scenario": "I want to transfer one of my employees to our sister company in France within the next 24 hours because his services are needed there urgently.", + "original_question": "Could this be reasonable use of the flexibility clause?" + }, + { + "id": "train-1345", + "question": "Scenario: I am planning to sell my company to a potential business investor. All the employees terms of contract will change.\n\nQuestion: Do i need to make consultations with my employees?\n\nDocument - Changing an employment contract:\n## Getting agreement\n\nUsually, the employer and employee both need to agree to any contract changes. But an employee can insist on a change if they have a legal right to it.\n\n## Employers\n\nYou must get an employee\u2019s agreement if you want to make changes to their contract.\n\nYou should:\n\n- consult or negotiate with employees or their representatives (for example from a trade union or staff association)\n\n- explain the reasons for changes\n\n- listen to alternative ideas from employees\n\nYou may also want to talk with workers, asking them about their future plans. With older employees this can include talking about their thoughts on retirement and their options for staying in the job, for example changes to their role, hours or working pattern.\n\n## Employees\n\nExplain to your employer why you want to make the changes. You can insist on a change if it\u2019s covered by a statutory right - for example not working on a Sunday.\n\n## Making changes\n\nOnce employers have agreed on changes with their staff, they need to:\n\n- update the terms of their employees\u2019 \u2018written statement\u2019 of employment conditions\n\n- write to their employees within a month to tell them exactly what has changed\n\nIf an employer changes terms and conditions that are not in the written statement (for example the right to sick leave), they should tell their employees where to find information about the change. This could be in a company handbook, noticeboard or intranet site.\n\n## Collective agreements\n\nEmployers must write to their staff to let them know about any changes to collective agreements with trade unions or staff associations.\n\nThese changes might affect the terms of employees\u2019 written statements, including pay and working hours, whether or not they\u2019re a member of the union or staff association.\n\n## Flexibility clauses\n\nFlexibility clauses are terms in a contract that give employers the right to change some conditions of employment, for example relocation.\n\nEmployers can only use flexibility clauses to make reasonable changes.\n\n## Changes of employer\n\nIf someone starts working for a different employer, they\u2019ll normally have to be given a new written statement within 2 months.\n\nHowever, if the name of a business changes or there\u2019s a new employer but no other changes in terms and conditions, the employer does not need to issue a new written statement. They still need to write to their staff about the changes within a month.\n\n## Disciplinary measures\n\nSometimes changes to an employee\u2019s terms and conditions, like a demotion, can happen as a result of a disciplinary measure.\n\nEmployers should make sure the staff handbook or intranet site contains information about how this could happen in the section dealing with disciplinary procedures.\n\n## Dealing with problems\n\nProblems can arise if:\n\n- an employer tries to change a contract without agreement, or re-employs someone on new terms and conditions\n\n- there is a breach of contract where one of the terms in a contract is broken (for example an employer does not pay agreed wages or employees do not work agreed hours)\n\n## Solving disputes\n\nEmployers and their staff should try to solve disputes about contract changes by talking informally or through mediation.\n\nEmployees can also get advice from their trade union representative (if they\u2019re a member of a union), Citizen\u2019s Advice or Acas (Advisory, Conciliation and Arbitration Service). In Northern Ireland, they can get advice from the Labour Relations Agency (LRA) .\n\nIf the problem cannot be solved, employers or employees may have the right to take legal action. It\u2019s important to get advice first because legal action can be expensive. Trade union members may be able to get legal advice from their union.\n\n## Making a change without agreement\n\nIf an employer makes a change to a contract without getting agreement (including by using flexibility clauses unreasonably), employees may:\n\n- have the right to refuse to work under the new conditions\n\n- say that they\u2019re working any new terms under protest, and are treating the change as a breach of contract\n\n- resign and claim constructive dismissal\n\n- be able to take a case to an employment tribunal\n\nIn Northern Ireland an employment tribunal is known as an \u2018industrial tribunal\u2019.\n\nIf an employee disagrees with new terms and conditions but does not say or do anything, this may count as agreeing to the changes.\n\n## Re-employment on new terms and conditions\n\nEmployers may, as a last resort, end a contract and re-employ someone on new terms and conditions.\n\nEmployers who are dismissing employees must follow the legally required:\n\n- redundancy procedure in England, Wales and Scotland\n\n- statutory minimum dismissal in Northern Ireland\n\nIf an employer does dismiss and re-employ someone, they may be able to take a case to a tribunal and claim:\n\n- breach of contract\n\n- unfair dismissal\n\n## Breach of contract claims\n\nIf an employee claims breach of contract and they cannot solve things informally with their employer, they may be able to take their case to a civil court or an employment tribunal (or an industrial tribunal in Northern Ireland).\n\nTheir employer may be able to make a counter-claim.\n\nClaims and counter-claims can only go to a tribunal if they:\n\n- are related to an employment contract issue\n\n- still have not been solved when the employee ends their employment\n\nThe claim or counter-claim cannot be related to a personal injury, or certain types of contract term like intellectual property rights.\n\n## Time limits\n\nUsually, employees must make a claim to a tribunal within 3 months of ending their employment. The employer gets 6 weeks from receiving a copy of the claim to decide whether to make a counter-claim.\n\n## Compensation limits\n\nIf the tribunal agrees with the employee\u2019s claim, they may award compensation. This can only be for financial loss (for example, non-payment of wages) up to a maximum of \u00a325,000.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/your-employment-contract-how-it-can-be-changed", + "answerable": true, + "scenario": "I am planning to sell my company to a potential business investor. All the employees terms of contract will change.", + "original_question": "Do i need to make consultations with my employees?" + }, + { + "id": "train-1348", + "question": "Scenario: My uncle practices commercial farming and has an underground tank containing oil in his farm. He uses it for heating and on the farmhouse.\n\nQuestion: Does he need to follow oil storage regulations?\n\nDocument - Storing oil at your home or business:\n## Overview\n\nYou have to follow certain regulations if you have an oil storage container at your home, business or farm.\n\nOil storage containers include tanks, drums, intermediate bulk containers (IBCs) and mobile containers called \u2018bowsers\u2019.\n\nThe person responsible for the property or premises is usually legally responsible for the oil storage container, for example the homeowner, business owner or site manager.\n\n## Which regulations to follow\n\nThe regulations are different depending on where you store your oil.\n\n## At your home\n\nYou normally have to follow building regulations if you have an oil storage container installed at your home.\n\nIf your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.\n\n## At your business\n\nYou have to follow oil storage regulations if the container at your business can hold 201 litres or more of certain types of oil.\n\nThe regulations for businesses also apply to public sector buildings like schools, hospitals, churches and residential care homes.\n\n## At your farm\n\nYou have to follow different regulations depending on whether you\u2019re storing oil:\n\n- for heat and power for agriculture, for example to fuel your tractor or run a grain dryer\n\n- to heat your farmhouse\n\n- for a separate part of your business, for example to fuel vehicles you hire out\n\n## Checking and labelling your tank\n\nYou should get your oil storage container inspected every year by a professional.\n\nThe person inspecting your tank will let you know when you should replace it.\n\nOil Care suggest that you look at your oil tank at least once a month, and learn what to do if you have an oil leak or spill.\n\n## Storing oil at your home\n\nYou must meet building regulations if you have a new or replacement oil storage container installed at your home in England, for example to fuel your cooker or central heating.\n\nBuilding regulations are different if your home is in Wales, Scotland or Northern Ireland.\n\nIf your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.\n\n## Choosing someone to install your tank\n\nYou should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme. They can self-certify that their work complies with building regulations and can deal with building control issues, like objections.\n\nIf you do not use someone registered with a \u2018Competent Person\u2019 scheme, you\u2019ll have to get a Building Control Notice from your local council and arrange and pay for an inspection yourself.\n\nWithout approval you will not have the certificates of compliance you may need when you want to sell your home.\n\n## Penalties\n\nThe person installing your tank could be prosecuted and fined if they do not comply with building regulations.\n\nYou\u2019re also responsible for making sure their work meets the regulations. Your local authority could make you pay for faulty work to be fixed.\n\n## Catching oil leaks and spills\n\nThe person installing your tank will do a risk assessment, and they\u2019ll let you know if your tank has to have secondary containment (a \u2018bund\u2019). The bund must:\n\n- hold 110% of the tank\u2019s capacity\n\n- be impermeable to oil and water\n\nYou\u2019ll need a bund if your tank\u2019s in any of the following places:\n\n- where oil spills could run into an open drain or a loose manhole cover\n\n- where the tank vent pipes cannot be seen when the tank\u2019s being filled, for example because the delivery tanker is parked too far away\n\n- within 10 metres of coastal waters or inland fresh waters like lakes or streams\n\n- within 50 metres of a drinking water source, for example wells, boreholes or springs\n\n- where oil spills could run over hard ground and reach coastal waters, inland fresh waters or a drinking water source\n\n- in the inner zone of groundwater source protection zone 1\n\nYou\u2019ll also need a bund if your tank can hold more than 2,500 litres of oil.\n\nYour oil storage container must have a sticker in a prominent position that tells you how to look after your oil and what to do if you have a spill. The person installing your new tank will put this on - but you can find out how to order a new sticker.\n\n## Storing oil at your business\n\nYou must follow the regulations for businesses if your oil container can hold 201 litres or more of:\n\n- petrol\n\n- diesel\n\n- biofuels\n\n- kerosene\n\n- vegetable oil and plant-based oils, for example sunflower oil or aromatherapy oil - including waste cooking oil\n\n- synthetic oils, for example motor oil - including waste oil\n\n- oils used as solvents\n\n- biodegradable oils, for example lubricating or hydraulic oils\n\n- liquid bitumen-based products, for example waterproofing or damp proofing products, or coatings for a road surface\n\nThe regulations do not apply to:\n\n- liquid petroleum gas (LPG)\n\n- hydrocarbon products that are solid when unheated, like bitumen\n\n- solvents that are not oil based, for example trichloroethylene\n\n- aromatic hydrocarbons like benzene and toluene\n\n- waste mineral oils drained from vehicles, and mixtures of diesel and petrol that cannot be used as vehicle fuel\n\nYou must follow different regulations in Scotland, Northern Ireland and Wales.\n\n## Other exceptions\n\nYou do not have to follow oil storage regulations if your oil is:\n\n- on a farm and you use it for heat and power for agriculture or for your farmhouse\n\n- stored for distribution to other places\n\n- in use, for example lubrication in a hydraulic system\n\nThe regulations do not apply if your storage containers are:\n\n- underground\n\n- in a building that would capture leaking oil - contact your local council to find out if you have to meet any extra fire safety regulations\n\n- at a refinery\n\n- at a premises for onward distribution of oil - but not a premises which sells oil directly to end users or a premises that uses oil\n\nCheck if you need an environmental permit if you\u2019re storing certain waste oils.\n\n## Choosing someone to install your oil storage tank\n\nYou should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme.\n\nYou\u2019re responsible for any pollution caused by problems with your oil storage container. You need to know the regulations about oil storage containers, including where it\u2019s located and how it\u2019s protected.\n\n## Penalties\n\nYou can be fined if you do not follow the oil storage regulations.\n\nThe Environment Agency can also serve an anti-pollution works notice to make you bring your tank up to legal requirements.\n\n## Get advice\n\nContact the Environment Agency if you have a question about following oil storage regulations in England.\n\nIf your business is outside England, contact one of the following:\n\n- Natural Resources Wales\n\n- Scottish Environment Protection Agency\n\n- Department of the Environment (Northern Ireland)", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/oil-storage-regulations-and-safety", + "answerable": true, + "scenario": "My uncle practices commercial farming and has an underground tank containing oil in his farm. He uses it for heating and on the farmhouse.", + "original_question": "Does he need to follow oil storage regulations?" + }, + { + "id": "train-1350", + "question": "Scenario: I am Jake from Taiwan. I wanted to come to the UK to visit my sister but my visa was rejected and i got the notice last week.\n\nQuestion: Can I apply for a review on this decision?\n\nDocument - Ask for a visa administrative review:\n## If you're outside the UK\n\nYou\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.\n\nYou can only ask for an administrative review if all of the following apply:\n\n- you\u2019re outside the UK\n\n- you applied outside the UK\n\n- your application was refused on or after 6 April 2015\n\n- you do not have a right of appeal against the refusal\n\n- you did not make an application as a short term student or a visitor (except if you applied as an S2 Healthcare Visitor)\n\nThere\u2019s a different way to ask for an administrative review if you applied:\n\n- to the EU Settlement Scheme\n\n- as a Frontier Worker\n\n- as an S2 Healthcare Visitor\n\n- as a Service Provider from Switzerland\n\n## How to apply\n\nYou must apply for an administrative review within 28 days of getting the decision. It costs \u00a380.\n\nYou can apply online.\n\nThe decision will be checked for the errors you point out.\n\nYou\u2019ll usually receive the result of the administrative review within 28 calendar days.\n\nYou cannot request a second review (unless the result of the first review found new reasons why you were refused).\n\n## Withdraw your request\n\nYour request for an administrative review will be withdrawn (cancelled) if you make any other immigration or visa application.\n\nYour request will be rejected if you ask for a review of a previous decision after submitting a new application.\n\nYou can email the Home Office and ask for your request to be withdrawn.\n\nYou must include your name, date of birth, nationality and your Global Web Form (GWF) reference number.\n\nYour GWF reference number was given to you when you first applied. You can find it on emails and letters from the Home Office about your application.\n\n## If you're in the UK\n\nYou\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.\n\nYou can ask for your application to be reviewed if one of the following apply:\n\n- your application was refused\n\n- your application was granted but you\u2019re unhappy with the amount or conditions of your leave\n\nThis is known as an \u2018administrative review\u2019.\n\nYou may be able to appeal if you\u2019re not eligible for an administrative review.\n\nThere\u2019s a different way to ask for an administrative review if you applied:\n\n- to the EU Settlement Scheme\n\n- as a Frontier Worker\n\n- as an S2 Healthcare Visitor\n\n- as a Service Provider from Switzerland\n\n## Apply for administrative review\n\nIf your application was refused, you must apply for an administrative review within 14 days of getting the decision.\n\nYour refusal letter will tell you how to apply. You may be able to apply online. It costs \u00a380.\n\nYou must apply within 7 days if you\u2019ve been detained.\n\nIf your application was granted but you\u2019re unhappy with the amount or conditions of your leave, you must email the Home Office within 14 days of getting your biometric residence permit.\n\nContact UK Visas and Immigration (UKVI) if you have a general enquiry about immigration.\n\n## Get a decision\n\nThe decision will be checked for the errors you point out. Do not send new information or documents for review unless you\u2019ve been asked to.\n\nYou\u2019ll usually receive the result of the administrative review within 28 days. You cannot request a second review (unless the result included new reasons why you were refused).\n\nIf your visa\u2019s expired, you will not usually be removed from the UK until your review has been completed.\n\n## Withdraw your request\n\nYour request for an administrative review will be withdrawn (cancelled) if you:\n\n- make any other immigration or visa application\n\n- ask for your passport back so you can travel\n\n- leave the UK\n\nYour request will be rejected if you ask for a review of a previous decision after submitting a new application.\n\nYou can also email the Home Office and ask for your request to be withdrawn.\n\nYou must include your name, date of birth, nationality and either your administrative review payment reference number or Home Office reference number in your email.\n\n## If your visa was cancelled at the border\n\nYou\u2019ll be told in your decision letter if you can ask for the decision to cancel your visa to be reviewed. This is known as an \u2018administrative review\u2019.\n\nYou can ask for the decision to be reviewed if your visa was cancelled for one or more of the following reasons:\n\n- there has been a change in your circumstances\n\n- you gave false information\n\n- you failed to include relevant facts\n\n## Apply for administrative review\n\nYour letter will tell you how to apply. It costs \u00a380.\n\n## If you were given temporary admission to the UK\n\nYou must apply for an administrative review within 14 days of your visa being cancelled or 7 days if you are detained. You need to do this from the UK.\n\n## If your visa was cancelled at border controls outside the UK\n\nYou must apply for an administrative review within 28 days of your visa being cancelled in any of the following cities:\n\n- Paris\n\n- Brussels\n\n- Dunkirk\n\n- Coquelles\n\n- Calais\n\n- Lille\n\n## Get a decision\n\nThe decision will be checked for the errors you point out. Do not send new information or documents unless you\u2019ve been asked to.\n\nYou\u2019ll usually receive the result of the administrative review within 28 days. You cannot request a second review (unless the result included new reasons for the cancellation of your leave).\n\nIf you\u2019re in the UK, you will not usually be removed until your review has been completed.\n\n## Withdraw your request\n\nYour request for an administrative review will be withdrawn (cancelled) if you:\n\n- make any other immigration or visa application\n\n- ask for your passport back so you can travel\n\n- leave the UK\n\nYour request will be rejected if you ask for a review of a previous decision after submitting a new application.\n\nYou can also email the Home Office and ask for your request to be withdrawn.\n\nYou must include your name, date of birth, nationality and either your administrative review payment reference number or Home Office reference number in your email.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/ask-for-a-visa-administrative-review", + "answerable": true, + "scenario": "I am Jake from Taiwan. I wanted to come to the UK to visit my sister but my visa was rejected and i got the notice last week.", + "original_question": "Can I apply for a review on this decision?" + }, + { + "id": "train-1352", + "question": "Scenario: I was born and live in Canada, but my father is a British citizen. I currently do not have a British passport, but have a Canadian one. I want to move to the UK to work and live in January 2022.\n\nQuestion: Can I apply to get a certificate of entitlement to live and work in the UK?\n\nDocument - Prove you have right of abode in the UK:\n## Overview\n\nHaving right of abode means you\u2019re allowed to live or work in the UK without any immigration restrictions, which means:\n\n- you will not need a visa to come to the UK\n\n- there\u2019s no limit on the length of time you can spend in the country\n\nAll British citizens automatically have right of abode in the UK.\n\nSome Commonwealth citizens may also have right of abode.\n\nYou can prove you have right of abode if you have a UK passport describing you as a British citizen or British subject with right of abode.\n\nOtherwise you need to apply for a \u2018certificate of entitlement\u2019.\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Commonwealth citizens\n\nIf you\u2019re part of the \u2018Windrush generation\u2019 (also known as \u2018Windrush cases\u2019), there\u2019s a different way to prove your right to live in the UK.\n\nYou may have right of abode in the UK either because of your parents or because you are or were married to someone with right of abode.\n\n## Parents\n\nYou have right of abode if all the following apply:\n\n- one of your parents was born in the UK and a citizen of the United Kingdom and colonies when you were born or adopted\n\n- you were a Commonwealth citizen on 31 December 1982\n\n- you did not stop being a Commonwealth citizen (even temporarily) at any point after 31 December 1982\n\n## Marriage\n\nYou can only get right to abode through marriage if you\u2019re a female Commonwealth citizen.\n\nYou must have:\n\n- been married to someone with right of abode before 1 January 1983\n\n- not stopped being a Commonwealth citizen (even temporarily) at any point after 31 December 1982\n\nYou usually will not have right of abode if the person you were married to has another living wife or widow who:\n\n- is in the UK, or has been in the UK at any time since her marriage (unless they entered the country illegally, came as a visitor or only have temporary permission to stay)\n\n- has a certificate of entitlement to right of abode or permission to enter the UK because of her marriage\n\nHowever, you may still have right of abode if:\n\n- you entered the UK while married and before 1 August 1988, even if your husband has other wives in the UK\n\n- you\u2019ve been in the UK since your marriage and at that time were your husband\u2019s only wife to have legally entered the UK or been given permission to do so\n\n## Apply for a certificate of entitlement\n\nYou can apply for a certificate of entitlement to prove you have right of abode in the UK. It goes in your passport.\n\nYou need to apply for a new certificate when your passport expires.\n\nHow you apply for a certificate of entitlement depends on whether you\u2019re inside or outside the UK.\n\nYou cannot get a certificate if you already have a British passport or a valid certificate of entitlement in another foreign passport.\n\n## Apply in the UK, Channel Islands or the Isle of Man\n\nA certificate of entitlement costs \u00a3372 in the UK.\n\nRead the guidance to check you can apply.\n\nFill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.\n\nYou can also apply in other ways.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Apply from outside the UK or from a British overseas territory\n\nIf you are not in the UK, or you live in a British overseas territory, you must apply online.\n\nA certificate of entitlement costs \u00a3388 outside the UK.\n\n## North Korea\n\nYou cannot apply online if you\u2019re living in North Korea.\n\nTo apply from North Korea you must:\n\n- download the application form and guidance - read the guidance if you need help filling in the form\n\n- read the instructions to find out where to take your completed form\n\n## If your application is refused\n\nYour application fee will not be refunded if your application is refused because you do not qualify for right of abode or you do not send in enough evidence to support your claim.\n\n## Appeals\n\nYou\u2019ll be told how you can appeal if your application is rejected.\n\nYou will not have a right of appeal if your rejected application was received on or after 6 April 2015.\n\nIf you made your application in the UK, you can apply to have your application reconsidered if you think UKVI did not make the decision in line with the law or their policy.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/right-of-abode", + "answerable": true, + "scenario": "I was born and live in Canada, but my father is a British citizen. I currently do not have a British passport, but have a Canadian one. I want to move to the UK to work and live in January 2022.", + "original_question": "Can I apply to get a certificate of entitlement to live and work in the UK?" + }, + { + "id": "train-1353", + "question": "Scenario: I was born in the UK and have a UK passport, however I have lived in China since I was 3 years old (45 years). I want to move to the UK as an adult as my business in China has failed and my family in China has passed away..\n\nQuestion: Is my British passport sufficient to prove I have the right to abode in the UK?\n\nDocument - Prove you have right of abode in the UK:\n## Overview\n\nHaving right of abode means you\u2019re allowed to live or work in the UK without any immigration restrictions, which means:\n\n- you will not need a visa to come to the UK\n\n- there\u2019s no limit on the length of time you can spend in the country\n\nAll British citizens automatically have right of abode in the UK.\n\nSome Commonwealth citizens may also have right of abode.\n\nYou can prove you have right of abode if you have a UK passport describing you as a British citizen or British subject with right of abode.\n\nOtherwise you need to apply for a \u2018certificate of entitlement\u2019.\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Commonwealth citizens\n\nIf you\u2019re part of the \u2018Windrush generation\u2019 (also known as \u2018Windrush cases\u2019), there\u2019s a different way to prove your right to live in the UK.\n\nYou may have right of abode in the UK either because of your parents or because you are or were married to someone with right of abode.\n\n## Parents\n\nYou have right of abode if all the following apply:\n\n- one of your parents was born in the UK and a citizen of the United Kingdom and colonies when you were born or adopted\n\n- you were a Commonwealth citizen on 31 December 1982\n\n- you did not stop being a Commonwealth citizen (even temporarily) at any point after 31 December 1982\n\n## Marriage\n\nYou can only get right to abode through marriage if you\u2019re a female Commonwealth citizen.\n\nYou must have:\n\n- been married to someone with right of abode before 1 January 1983\n\n- not stopped being a Commonwealth citizen (even temporarily) at any point after 31 December 1982\n\nYou usually will not have right of abode if the person you were married to has another living wife or widow who:\n\n- is in the UK, or has been in the UK at any time since her marriage (unless they entered the country illegally, came as a visitor or only have temporary permission to stay)\n\n- has a certificate of entitlement to right of abode or permission to enter the UK because of her marriage\n\nHowever, you may still have right of abode if:\n\n- you entered the UK while married and before 1 August 1988, even if your husband has other wives in the UK\n\n- you\u2019ve been in the UK since your marriage and at that time were your husband\u2019s only wife to have legally entered the UK or been given permission to do so\n\n## Apply for a certificate of entitlement\n\nYou can apply for a certificate of entitlement to prove you have right of abode in the UK. It goes in your passport.\n\nYou need to apply for a new certificate when your passport expires.\n\nHow you apply for a certificate of entitlement depends on whether you\u2019re inside or outside the UK.\n\nYou cannot get a certificate if you already have a British passport or a valid certificate of entitlement in another foreign passport.\n\n## Apply in the UK, Channel Islands or the Isle of Man\n\nA certificate of entitlement costs \u00a3372 in the UK.\n\nRead the guidance to check you can apply.\n\nFill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.\n\nYou can also apply in other ways.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Apply from outside the UK or from a British overseas territory\n\nIf you are not in the UK, or you live in a British overseas territory, you must apply online.\n\nA certificate of entitlement costs \u00a3388 outside the UK.\n\n## North Korea\n\nYou cannot apply online if you\u2019re living in North Korea.\n\nTo apply from North Korea you must:\n\n- download the application form and guidance - read the guidance if you need help filling in the form\n\n- read the instructions to find out where to take your completed form\n\n## If your application is refused\n\nYour application fee will not be refunded if your application is refused because you do not qualify for right of abode or you do not send in enough evidence to support your claim.\n\n## Appeals\n\nYou\u2019ll be told how you can appeal if your application is rejected.\n\nYou will not have a right of appeal if your rejected application was received on or after 6 April 2015.\n\nIf you made your application in the UK, you can apply to have your application reconsidered if you think UKVI did not make the decision in line with the law or their policy.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/right-of-abode", + "answerable": true, + "scenario": "I was born in the UK and have a UK passport, however I have lived in China since I was 3 years old (45 years). I want to move to the UK as an adult as my business in China has failed and my family in China has passed away..", + "original_question": "Is my British passport sufficient to prove I have the right to abode in the UK?" + }, + { + "id": "train-1354", + "question": "Scenario: I am 50 years old and a serving police officer. I have been in my job for nearly thirty years and I want to take early retirement, even though I am not at state pension age. I have a private pension through the police force.\n\nQuestion: Can I take at least my private pension if I retire early?\n\nDocument - Early retirement, your pension and benefits:\n## State Pension\n\nThe earliest you can get your State Pension is when you reach your State Pension age. You\u2019ll have to wait to claim your State Pension if you retire before you reach that age.\n\n## The amount you\u2019ll get\n\nThe amount you\u2019ll get depends on your National Insurance record and when you reach State Pension age.\n\nYou\u2019ll claim basic State Pension and Additional State Pension if you reached State Pension age before 6 April 2016.\n\nYou\u2019ll claim the new State Pension if you reach State Pension age on or after 6 April 2016.\n\n## Personal and workplace pensions\n\nWhen you can take money from your pension pot will depend on your pension scheme\u2019s rules, but it\u2019s usually after you\u2019re 55.\n\nYou may be able to take money out before this age if either:\n\n- you\u2019re retiring early because of ill health\n\n- you had the right under the scheme you joined before 6 April 2006 to take your pension before you\u2019re 55 \u2013 ask your pension provider if you\u2019re not sure\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. This could be an unauthorised payment. If it\u2019s unauthorised, you pay up to 55% tax on it.\n\nThe pension pot that you build up will probably be smaller if you retire early, because it\u2019s had less time to increase in value.\n\n## Taking your pension early because of ill health\n\nYou might be able to get higher payments if you need to take your pension early because of a health condition. Check with your provider.\n\n## If your life expectancy is less than a year\n\nYou may be able to take your whole pension pot as a tax-free lump sum if all of the following apply to you:\n\n- you\u2019re expected to live less than a year because of serious illness\n\n- you\u2019re under 75\n\n- you do not have more than the lifetime allowance of \u00a31,073,100 in pension savings\n\nIf you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.\n\nCheck with your pension provider. Some pension funds will keep at least 50% of your pension pot for your spouse or civil partner.\n\n## Benefits\n\nThe amount of money you get from any income-related benefits could be affected if you take your pension early, such as money you get from:\n\n- Housing Benefit\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Universal Credit\n\n## Benefits if you retire early because of ill health\n\nIf you retire early because of ill health you may be entitled to other benefits. Use a benefits calculator to check.\n\n## Get help\n\nPension Wise has information about how taking a personal or workplace pension early can affect your benefits.\n\nYou can also get help from:\n\n- Citizens Advice\n\n- the Money Advice Service", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/early-retirement-pension", + "answerable": true, + "scenario": "I am 50 years old and a serving police officer. I have been in my job for nearly thirty years and I want to take early retirement, even though I am not at state pension age. I have a private pension through the police force.", + "original_question": "Can I take at least my private pension if I retire early?" + }, + { + "id": "train-1355", + "question": "Scenario: I am forty years old and a primary school teacher. I have recently been diagnosed with an aggressive type of cancer. I want to spend my remaining time with my family.\n\nQuestion: Although I am not at state pension age, can I claim both my state and private pensions given my state of health?\n\nDocument - Early retirement, your pension and benefits:\n## State Pension\n\nThe earliest you can get your State Pension is when you reach your State Pension age. You\u2019ll have to wait to claim your State Pension if you retire before you reach that age.\n\n## The amount you\u2019ll get\n\nThe amount you\u2019ll get depends on your National Insurance record and when you reach State Pension age.\n\nYou\u2019ll claim basic State Pension and Additional State Pension if you reached State Pension age before 6 April 2016.\n\nYou\u2019ll claim the new State Pension if you reach State Pension age on or after 6 April 2016.\n\n## Personal and workplace pensions\n\nWhen you can take money from your pension pot will depend on your pension scheme\u2019s rules, but it\u2019s usually after you\u2019re 55.\n\nYou may be able to take money out before this age if either:\n\n- you\u2019re retiring early because of ill health\n\n- you had the right under the scheme you joined before 6 April 2006 to take your pension before you\u2019re 55 \u2013 ask your pension provider if you\u2019re not sure\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. This could be an unauthorised payment. If it\u2019s unauthorised, you pay up to 55% tax on it.\n\nThe pension pot that you build up will probably be smaller if you retire early, because it\u2019s had less time to increase in value.\n\n## Taking your pension early because of ill health\n\nYou might be able to get higher payments if you need to take your pension early because of a health condition. Check with your provider.\n\n## If your life expectancy is less than a year\n\nYou may be able to take your whole pension pot as a tax-free lump sum if all of the following apply to you:\n\n- you\u2019re expected to live less than a year because of serious illness\n\n- you\u2019re under 75\n\n- you do not have more than the lifetime allowance of \u00a31,073,100 in pension savings\n\nIf you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.\n\nCheck with your pension provider. Some pension funds will keep at least 50% of your pension pot for your spouse or civil partner.\n\n## Benefits\n\nThe amount of money you get from any income-related benefits could be affected if you take your pension early, such as money you get from:\n\n- Housing Benefit\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Universal Credit\n\n## Benefits if you retire early because of ill health\n\nIf you retire early because of ill health you may be entitled to other benefits. Use a benefits calculator to check.\n\n## Get help\n\nPension Wise has information about how taking a personal or workplace pension early can affect your benefits.\n\nYou can also get help from:\n\n- Citizens Advice\n\n- the Money Advice Service", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/early-retirement-pension", + "answerable": true, + "scenario": "I am forty years old and a primary school teacher. I have recently been diagnosed with an aggressive type of cancer. I want to spend my remaining time with my family.", + "original_question": "Although I am not at state pension age, can I claim both my state and private pensions given my state of health?" + }, + { + "id": "train-1357", + "question": "Scenario: i have been enjoying the work at my current workplace until recently. they told me that i have to start working on weekends when that was not previously the case. as a parent, weekends are when i spend time with my children.\n\nQuestion: can an employer make me work on weekends ?\n\nDocument - Changing an employment contract:\n## Getting agreement\n\nUsually, the employer and employee both need to agree to any contract changes. But an employee can insist on a change if they have a legal right to it.\n\n## Employers\n\nYou must get an employee\u2019s agreement if you want to make changes to their contract.\n\nYou should:\n\n- consult or negotiate with employees or their representatives (for example from a trade union or staff association)\n\n- explain the reasons for changes\n\n- listen to alternative ideas from employees\n\nYou may also want to talk with workers, asking them about their future plans. With older employees this can include talking about their thoughts on retirement and their options for staying in the job, for example changes to their role, hours or working pattern.\n\n## Employees\n\nExplain to your employer why you want to make the changes. You can insist on a change if it\u2019s covered by a statutory right - for example not working on a Sunday.\n\n## Making changes\n\nOnce employers have agreed on changes with their staff, they need to:\n\n- update the terms of their employees\u2019 \u2018written statement\u2019 of employment conditions\n\n- write to their employees within a month to tell them exactly what has changed\n\nIf an employer changes terms and conditions that are not in the written statement (for example the right to sick leave), they should tell their employees where to find information about the change. This could be in a company handbook, noticeboard or intranet site.\n\n## Collective agreements\n\nEmployers must write to their staff to let them know about any changes to collective agreements with trade unions or staff associations.\n\nThese changes might affect the terms of employees\u2019 written statements, including pay and working hours, whether or not they\u2019re a member of the union or staff association.\n\n## Flexibility clauses\n\nFlexibility clauses are terms in a contract that give employers the right to change some conditions of employment, for example relocation.\n\nEmployers can only use flexibility clauses to make reasonable changes.\n\n## Changes of employer\n\nIf someone starts working for a different employer, they\u2019ll normally have to be given a new written statement within 2 months.\n\nHowever, if the name of a business changes or there\u2019s a new employer but no other changes in terms and conditions, the employer does not need to issue a new written statement. They still need to write to their staff about the changes within a month.\n\n## Disciplinary measures\n\nSometimes changes to an employee\u2019s terms and conditions, like a demotion, can happen as a result of a disciplinary measure.\n\nEmployers should make sure the staff handbook or intranet site contains information about how this could happen in the section dealing with disciplinary procedures.\n\n## Dealing with problems\n\nProblems can arise if:\n\n- an employer tries to change a contract without agreement, or re-employs someone on new terms and conditions\n\n- there is a breach of contract where one of the terms in a contract is broken (for example an employer does not pay agreed wages or employees do not work agreed hours)\n\n## Solving disputes\n\nEmployers and their staff should try to solve disputes about contract changes by talking informally or through mediation.\n\nEmployees can also get advice from their trade union representative (if they\u2019re a member of a union), Citizen\u2019s Advice or Acas (Advisory, Conciliation and Arbitration Service). In Northern Ireland, they can get advice from the Labour Relations Agency (LRA) .\n\nIf the problem cannot be solved, employers or employees may have the right to take legal action. It\u2019s important to get advice first because legal action can be expensive. Trade union members may be able to get legal advice from their union.\n\n## Making a change without agreement\n\nIf an employer makes a change to a contract without getting agreement (including by using flexibility clauses unreasonably), employees may:\n\n- have the right to refuse to work under the new conditions\n\n- say that they\u2019re working any new terms under protest, and are treating the change as a breach of contract\n\n- resign and claim constructive dismissal\n\n- be able to take a case to an employment tribunal\n\nIn Northern Ireland an employment tribunal is known as an \u2018industrial tribunal\u2019.\n\nIf an employee disagrees with new terms and conditions but does not say or do anything, this may count as agreeing to the changes.\n\n## Re-employment on new terms and conditions\n\nEmployers may, as a last resort, end a contract and re-employ someone on new terms and conditions.\n\nEmployers who are dismissing employees must follow the legally required:\n\n- redundancy procedure in England, Wales and Scotland\n\n- statutory minimum dismissal in Northern Ireland\n\nIf an employer does dismiss and re-employ someone, they may be able to take a case to a tribunal and claim:\n\n- breach of contract\n\n- unfair dismissal\n\n## Breach of contract claims\n\nIf an employee claims breach of contract and they cannot solve things informally with their employer, they may be able to take their case to a civil court or an employment tribunal (or an industrial tribunal in Northern Ireland).\n\nTheir employer may be able to make a counter-claim.\n\nClaims and counter-claims can only go to a tribunal if they:\n\n- are related to an employment contract issue\n\n- still have not been solved when the employee ends their employment\n\nThe claim or counter-claim cannot be related to a personal injury, or certain types of contract term like intellectual property rights.\n\n## Time limits\n\nUsually, employees must make a claim to a tribunal within 3 months of ending their employment. The employer gets 6 weeks from receiving a copy of the claim to decide whether to make a counter-claim.\n\n## Compensation limits\n\nIf the tribunal agrees with the employee\u2019s claim, they may award compensation. This can only be for financial loss (for example, non-payment of wages) up to a maximum of \u00a325,000.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/your-employment-contract-how-it-can-be-changed", + "answerable": true, + "scenario": "i have been enjoying the work at my current workplace until recently. they told me that i have to start working on weekends when that was not previously the case. as a parent, weekends are when i spend time with my children.", + "original_question": "can an employer make me work on weekends ?" + }, + { + "id": "train-1360", + "question": "Scenario: I am travelling from Africa to the USA via Heathrow airport. My sister lives close to the airport and i would like to stay the night at her place before heading on.\n\nQuestion: Will a visitor in transit visa cover me for this?\n\nDocument - Visa to pass through the UK in transit:\n## Overview\n\nYou might need a visa to pass through the UK in transit (on your way to another country).\n\nCheck if you need one before you apply.\n\nTo get a transit visa you must prove that:\n\n- you\u2019ll be in transit to another country, with enough funds and the intention to travel on\n\n- you can enter that country\n\n- the only purpose of your visit to the UK is transit\n\nYou do not need a transit visa if you:\n\n- have an EEA family permit\n\n- have an EU Settlement Scheme family permit\n\n- have a Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- have a Standard Visitor visa\n\n- have a Marriage Visitor visa\n\n## Types of transit visa\n\nThe visa you need depends on whether you\u2019re going through UK border control when you arrive in the UK.\n\nYour airline can tell you if you\u2019ll go through border control.\n\n## You\u2019re not going through UK border control\n\nApply for a Direct Airside Transit visa (DATV) if you\u2019ll be changing flights in the UK and will not be going through UK border control.\n\n## You\u2019re going through UK border control\n\nApply for a Visitor in Transit visa if you\u2019ll be going through UK border control but leaving the UK within 48 hours.\n\nYou\u2019ll need to apply for a Standard Visitor visa if:\n\n- you need to stay longer in the UK\n\n- you can prove you need to frequently pass through the UK over a longer period\n\n## Fees\n\n- Direct Airside Transit visa (DATV) - \u00a335\n\n- Visitor in Transit visa - \u00a364\n\nThe cost may vary slightly depending on which country you\u2019re in.\n\n## Direct Airside Transit visa\n\nYou might need a Direct Airside Transit visa (DATV) if you:\n\n- will be changing flights in the UK on your way to another country\n\n- will not go through UK border control\n\nYou may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.\n\nYou do not need one if you have a valid:\n\n- EEA family permit\n\n- EU Settlement Scheme family permit\n\n- Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- Standard Visitor visa\n\n- Marriage Visitor visa\n\nYou must apply for another type of visitor visa if you\u2019re travelling to or from Ireland, the Channel Islands or the Isle of Man.\n\n## Documents you need\n\nTo apply for a DATV, you must have a current passport or other valid travel document.\n\nYou need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:\n\n- residence permit\n\n- green card\n\n- valid visa\n\nIf you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.\n\nYou must also provide evidence that your onward journey is booked or confirmed, such as:\n\n- a flight booking email\n\n- printed tickets\n\n- confirmation from a travel agent\n\nBring your visa and documents with you when you travel through the UK.\n\n## Apply\n\nYou must apply online for a Direct Airside Transit visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nYou may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.\n\nApply now\n\n## Visitor in Transit visa\n\nYou might need a Visitor in Transit visa if you\u2019re:\n\n- changing flights in the UK on your way to another country\n\n- going through UK border control, for example to check in your luggage for a connecting flight\n\n- leaving the UK within 48 hours\n\n- not working or studying while in the UK\n\nYou may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.\n\nIf you will not be going through UK border control, check if you need a Direct Airside Transit visa instead.\n\nYou do not need a transit visa if you have a valid:\n\n- EEA family permit\n\n- EU Settlement Scheme family permit\n\n- Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- Standard Visitor visa\n\n- Marriage Visitor visa\n\nYou need to apply for a Standard Visitor visa if you\u2019re staying in the UK for more than 48 hours.\n\n## Travel to the Channel Islands, the Isle of Man or Ireland\n\nYou might need to apply for a visitor visa to travel through the UK to get to the Channel Islands, the Isle of Man or Ireland.\n\nYou\u2019ll usually need to apply for a Standard Visitor visa unless you\u2019re exempt.\n\nYou do not need a UK visitor visa if:\n\n- you have a valid visa for the Channel Islands or the Isle of Man\n\n- you have a valid Irish biometric visa (marked \u2018BC\u2019 or \u2018BC BIVS\u2019 in the \u2018Remarks\u2019 section)\n\n## If you need to pass through the UK regularly\n\nYou can also apply for a long-term Standard Visitor visa if you need to pass through the UK in transit regularly over a longer period. You can stay for a maximum of 6 months on each visit and your visa can last for 2, 5 or 10 years.\n\n## Documents you need\n\nTo apply for a Visitor in Transit visa, you must have a current passport or other valid travel document.\n\nYou need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:\n\n- residence permit\n\n- green card\n\n- valid visa\n\nIf you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.\n\nYou must also provide evidence that your onward journey is booked or confirmed, such as:\n\n- a flight booking email\n\n- printed tickets\n\n- confirmation from a travel agent\n\nYour onward flight must be within 48 hours of your arrival in the UK.\n\nBring your visa and documents with you when you travel through the UK.\n\n## Apply\n\nYou must apply online for a Visitor in Transit visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nYou may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.\n\nApply now", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/transit-visa", + "answerable": true, + "scenario": "I am travelling from Africa to the USA via Heathrow airport. My sister lives close to the airport and i would like to stay the night at her place before heading on.", + "original_question": "Will a visitor in transit visa cover me for this?" + }, + { + "id": "train-1361", + "question": "Scenario: After my doctor's visit yesterday I was informed that I have a little under a year left to live. I am only 67 years old and while I am not in great health this came as somewhat of a shock to me.\n\nQuestion: Am I eligible to receive my pension pot as a lump sum?\n\nDocument - Early retirement, your pension and benefits:\n## State Pension\n\nThe earliest you can get your State Pension is when you reach your State Pension age. You\u2019ll have to wait to claim your State Pension if you retire before you reach that age.\n\n## The amount you\u2019ll get\n\nThe amount you\u2019ll get depends on your National Insurance record and when you reach State Pension age.\n\nYou\u2019ll claim basic State Pension and Additional State Pension if you reached State Pension age before 6 April 2016.\n\nYou\u2019ll claim the new State Pension if you reach State Pension age on or after 6 April 2016.\n\n## Personal and workplace pensions\n\nWhen you can take money from your pension pot will depend on your pension scheme\u2019s rules, but it\u2019s usually after you\u2019re 55.\n\nYou may be able to take money out before this age if either:\n\n- you\u2019re retiring early because of ill health\n\n- you had the right under the scheme you joined before 6 April 2006 to take your pension before you\u2019re 55 \u2013 ask your pension provider if you\u2019re not sure\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. This could be an unauthorised payment. If it\u2019s unauthorised, you pay up to 55% tax on it.\n\nThe pension pot that you build up will probably be smaller if you retire early, because it\u2019s had less time to increase in value.\n\n## Taking your pension early because of ill health\n\nYou might be able to get higher payments if you need to take your pension early because of a health condition. Check with your provider.\n\n## If your life expectancy is less than a year\n\nYou may be able to take your whole pension pot as a tax-free lump sum if all of the following apply to you:\n\n- you\u2019re expected to live less than a year because of serious illness\n\n- you\u2019re under 75\n\n- you do not have more than the lifetime allowance of \u00a31,073,100 in pension savings\n\nIf you\u2019re over 75 you\u2019ll pay Income Tax on the lump sum.\n\nCheck with your pension provider. Some pension funds will keep at least 50% of your pension pot for your spouse or civil partner.\n\n## Benefits\n\nThe amount of money you get from any income-related benefits could be affected if you take your pension early, such as money you get from:\n\n- Housing Benefit\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\n- Universal Credit\n\n## Benefits if you retire early because of ill health\n\nIf you retire early because of ill health you may be entitled to other benefits. Use a benefits calculator to check.\n\n## Get help\n\nPension Wise has information about how taking a personal or workplace pension early can affect your benefits.\n\nYou can also get help from:\n\n- Citizens Advice\n\n- the Money Advice Service", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/early-retirement-pension", + "answerable": true, + "scenario": "After my doctor's visit yesterday I was informed that I have a little under a year left to live. I am only 67 years old and while I am not in great health this came as somewhat of a shock to me.", + "original_question": "Am I eligible to receive my pension pot as a lump sum?" + }, + { + "id": "train-1364", + "question": "Scenario: We have organised a street party for our close. Everyone is bringing their own food and drink but I am worried about licensing\n\nQuestion: Do I need to apply for an alcohol license?\n\nDocument - Organising a street party:\n## Telling your local council\n\nStreet parties on quiet streets that don\u2019t affect the wider road network count as small events. If you\u2019re planning a small event for neighbours, apply to hold a street party through your local council.\n\nTell your council about your event 4 to 12 weeks before it happens.\n\nTell your council:\n\n- the date and time of the party or event\n\n- whether or not you want to close a road or section of road, and its name\n\n- if the road is part of a bus route or used by through traffic\n\n- a list of any properties or businesses affected\n\n- if you\u2019ve consulted neighbours\n\n## Smaller events\n\nYou don\u2019t have to tell the council if you hold a smaller event.\n\n## Closing a road\n\nYou\u2019ll need to get permission from your local council to close a road. Some local councils will lend you signs and cones, or you can hire or buy signs. The Street Party site gives advice on road closures.\n\nMake sure that the emergency services can still get down the street if they need to.\n\nIf your party is on a bus route, the bus company will want to know about it in advance.\n\nSome councils will contact emergency services and transport providers for you, but others expect you to do it.\n\n## Licences\n\n## Alcohol and food\n\nA licence isn\u2019t needed if you\u2019re going to provide alcohol for free at your event.\n\nTo sell alcohol you\u2019ll need a \u2018temporary events notice\u2019 which costs \u00a321. You can get one from your local council.\n\nFood can be served and sold up to 11pm without a licence. If you want to serve or sell it after 11pm, contact your council.\n\nYou don\u2019t need a licence to give alcoholic beverages away as prizes, like a bottle of champagne for a winning raffle ticket, but there are rules about what can be given away. Contact your council for more information.\n\n## Music\n\nYou don\u2019t need a music licence, whether the music is live or prerecorded, as long as your street party is a private party for residents and you haven\u2019t advertised the music to make money or attract people.\n\n## Raffles and tombolas\n\nGambling regulations don\u2019t apply if tombola or raffle tickets are sold on the day and the prizes aren\u2019t worth more than \u00a3500 in total.\n\nIf tickets are sold in advance or your prizes are worth more than \u00a3500 contact your local council as you might have to register your raffle as a lottery.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/organise-street-party", + "answerable": true, + "scenario": "We have organised a street party for our close. Everyone is bringing their own food and drink but I am worried about licensing", + "original_question": "Do I need to apply for an alcohol license?" + }, + { + "id": "train-1365", + "question": "Scenario: we do not have much space in our home and we want to hold our son's 16th birthday out on the street in front of our house so that all his friends can be able to attend.\n\nQuestion: can i hold a birthday party on the street in front of our home ?\n\nDocument - Organising a street party:\n## Telling your local council\n\nStreet parties on quiet streets that don\u2019t affect the wider road network count as small events. If you\u2019re planning a small event for neighbours, apply to hold a street party through your local council.\n\nTell your council about your event 4 to 12 weeks before it happens.\n\nTell your council:\n\n- the date and time of the party or event\n\n- whether or not you want to close a road or section of road, and its name\n\n- if the road is part of a bus route or used by through traffic\n\n- a list of any properties or businesses affected\n\n- if you\u2019ve consulted neighbours\n\n## Smaller events\n\nYou don\u2019t have to tell the council if you hold a smaller event.\n\n## Closing a road\n\nYou\u2019ll need to get permission from your local council to close a road. Some local councils will lend you signs and cones, or you can hire or buy signs. The Street Party site gives advice on road closures.\n\nMake sure that the emergency services can still get down the street if they need to.\n\nIf your party is on a bus route, the bus company will want to know about it in advance.\n\nSome councils will contact emergency services and transport providers for you, but others expect you to do it.\n\n## Licences\n\n## Alcohol and food\n\nA licence isn\u2019t needed if you\u2019re going to provide alcohol for free at your event.\n\nTo sell alcohol you\u2019ll need a \u2018temporary events notice\u2019 which costs \u00a321. You can get one from your local council.\n\nFood can be served and sold up to 11pm without a licence. If you want to serve or sell it after 11pm, contact your council.\n\nYou don\u2019t need a licence to give alcoholic beverages away as prizes, like a bottle of champagne for a winning raffle ticket, but there are rules about what can be given away. Contact your council for more information.\n\n## Music\n\nYou don\u2019t need a music licence, whether the music is live or prerecorded, as long as your street party is a private party for residents and you haven\u2019t advertised the music to make money or attract people.\n\n## Raffles and tombolas\n\nGambling regulations don\u2019t apply if tombola or raffle tickets are sold on the day and the prizes aren\u2019t worth more than \u00a3500 in total.\n\nIf tickets are sold in advance or your prizes are worth more than \u00a3500 contact your local council as you might have to register your raffle as a lottery.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/organise-street-party", + "answerable": true, + "scenario": "we do not have much space in our home and we want to hold our son's 16th birthday out on the street in front of our house so that all his friends can be able to attend.", + "original_question": "can i hold a birthday party on the street in front of our home ?" + }, + { + "id": "train-1366", + "question": "Scenario: we plan to have a neighbourhood street party. we'd like to have food, drinks and hold a raffle for a bit of fun.\n\nQuestion: do we need a license to serve food and drinks at our street party ?\n\nDocument - Organising a street party:\n## Telling your local council\n\nStreet parties on quiet streets that don\u2019t affect the wider road network count as small events. If you\u2019re planning a small event for neighbours, apply to hold a street party through your local council.\n\nTell your council about your event 4 to 12 weeks before it happens.\n\nTell your council:\n\n- the date and time of the party or event\n\n- whether or not you want to close a road or section of road, and its name\n\n- if the road is part of a bus route or used by through traffic\n\n- a list of any properties or businesses affected\n\n- if you\u2019ve consulted neighbours\n\n## Smaller events\n\nYou don\u2019t have to tell the council if you hold a smaller event.\n\n## Closing a road\n\nYou\u2019ll need to get permission from your local council to close a road. Some local councils will lend you signs and cones, or you can hire or buy signs. The Street Party site gives advice on road closures.\n\nMake sure that the emergency services can still get down the street if they need to.\n\nIf your party is on a bus route, the bus company will want to know about it in advance.\n\nSome councils will contact emergency services and transport providers for you, but others expect you to do it.\n\n## Licences\n\n## Alcohol and food\n\nA licence isn\u2019t needed if you\u2019re going to provide alcohol for free at your event.\n\nTo sell alcohol you\u2019ll need a \u2018temporary events notice\u2019 which costs \u00a321. You can get one from your local council.\n\nFood can be served and sold up to 11pm without a licence. If you want to serve or sell it after 11pm, contact your council.\n\nYou don\u2019t need a licence to give alcoholic beverages away as prizes, like a bottle of champagne for a winning raffle ticket, but there are rules about what can be given away. Contact your council for more information.\n\n## Music\n\nYou don\u2019t need a music licence, whether the music is live or prerecorded, as long as your street party is a private party for residents and you haven\u2019t advertised the music to make money or attract people.\n\n## Raffles and tombolas\n\nGambling regulations don\u2019t apply if tombola or raffle tickets are sold on the day and the prizes aren\u2019t worth more than \u00a3500 in total.\n\nIf tickets are sold in advance or your prizes are worth more than \u00a3500 contact your local council as you might have to register your raffle as a lottery.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/organise-street-party", + "answerable": true, + "scenario": "we plan to have a neighbourhood street party. we'd like to have food, drinks and hold a raffle for a bit of fun.", + "original_question": "do we need a license to serve food and drinks at our street party ?" + }, + { + "id": "train-1368", + "question": "Scenario: I run a small company with about 10 staff. One I think is a long haired, hippy, dope head. I don't want to cause a scene but I don't like him.\n\nQuestion: Can I only do a drug test on him?\n\nDocument - Being monitored at work: workers' rights:\n## Overview\n\nEmployers might monitor workers. This could be done in various ways, like:\n\n- CCTV\n\n- drug testing\n\n- bag searches\n\n- checking a worker\u2019s emails or the websites they look at\n\nData protection law covers any monitoring that involves taking data, images or drug testing.\n\nIf workers are unhappy about being monitored, they can check their staff handbook or contract to see if the employer is allowed to do this.\n\nIf they\u2019re not, the worker might be able to resign and claim unfair (\u2018constructive\u2019) dismissal. But this is a last resort - they should try to sort the problem out first - read the advice to help solve a workplace dispute.\n\n## Searches\n\nEmployers should have a written policy on searching. Searches should:\n\n- respect privacy\n\n- be done by a member of the same sex\n\n- be done with a witness present\n\nIf a search or drug test is badly handled, workers might have a claim for discrimination, assault or false imprisonment.\n\nFor advice about work issues, talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.\n\n## Drug testing\n\nEmployers have to have consent if they want to test for drugs. Usually this is when they have a full contractual health and safety policy, which should be in the contract or staff handbook.\n\nEmployers should:\n\n- limit testing to employees that need to be tested\n\n- ensure the tests are random\n\n- not single out particular employees for testing unless this is justified by the nature of their jobs\n\nWorkers can\u2019t be made to take a drugs test but if they refuse when the employer has good grounds for testing, they may face disciplinary action.\n\n## Email, CCTV and other monitoring\n\nEmployers must explain the amount of monitoring clearly in the staff handbook or contract. They should tell workers:\n\n- if they\u2019re being monitored\n\n- what counts as a reasonable number of personal emails and phone calls\n\n- if personal emails and calls are not allowed\n\nExamples of monitoring could include:\n\n- looking at which websites workers have visited\n\n- CCTV in the building\n\n- checking workers\u2019 bags as they leave\n\nEmployers are not allowed to monitor workers everywhere (not in the toilet, for example). If they don\u2019t respect this they could be in breach of the Data Protection Act.\n\nRead the advice on workplace disputes or talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice for more advice. Workers can also contact their trade union representative.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/monitoring-work-workers-rights", + "answerable": true, + "scenario": "I run a small company with about 10 staff. One I think is a long haired, hippy, dope head. I don't want to cause a scene but I don't like him.", + "original_question": "Can I only do a drug test on him?" + }, + { + "id": "train-1370", + "question": "Scenario: I have applied for a certificate of entitlement outside the UK in Guyana for the rights to abode in the UK but it has been refused.\n\nQuestion: Will my application fee be refunded?\n\nDocument - Prove you have right of abode in the UK:\n## Overview\n\nHaving right of abode means you\u2019re allowed to live or work in the UK without any immigration restrictions, which means:\n\n- you will not need a visa to come to the UK\n\n- there\u2019s no limit on the length of time you can spend in the country\n\nAll British citizens automatically have right of abode in the UK.\n\nSome Commonwealth citizens may also have right of abode.\n\nYou can prove you have right of abode if you have a UK passport describing you as a British citizen or British subject with right of abode.\n\nOtherwise you need to apply for a \u2018certificate of entitlement\u2019.\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## Commonwealth citizens\n\nIf you\u2019re part of the \u2018Windrush generation\u2019 (also known as \u2018Windrush cases\u2019), there\u2019s a different way to prove your right to live in the UK.\n\nYou may have right of abode in the UK either because of your parents or because you are or were married to someone with right of abode.\n\n## Parents\n\nYou have right of abode if all the following apply:\n\n- one of your parents was born in the UK and a citizen of the United Kingdom and colonies when you were born or adopted\n\n- you were a Commonwealth citizen on 31 December 1982\n\n- you did not stop being a Commonwealth citizen (even temporarily) at any point after 31 December 1982\n\n## Marriage\n\nYou can only get right to abode through marriage if you\u2019re a female Commonwealth citizen.\n\nYou must have:\n\n- been married to someone with right of abode before 1 January 1983\n\n- not stopped being a Commonwealth citizen (even temporarily) at any point after 31 December 1982\n\nYou usually will not have right of abode if the person you were married to has another living wife or widow who:\n\n- is in the UK, or has been in the UK at any time since her marriage (unless they entered the country illegally, came as a visitor or only have temporary permission to stay)\n\n- has a certificate of entitlement to right of abode or permission to enter the UK because of her marriage\n\nHowever, you may still have right of abode if:\n\n- you entered the UK while married and before 1 August 1988, even if your husband has other wives in the UK\n\n- you\u2019ve been in the UK since your marriage and at that time were your husband\u2019s only wife to have legally entered the UK or been given permission to do so\n\n## Apply for a certificate of entitlement\n\nYou can apply for a certificate of entitlement to prove you have right of abode in the UK. It goes in your passport.\n\nYou need to apply for a new certificate when your passport expires.\n\nHow you apply for a certificate of entitlement depends on whether you\u2019re inside or outside the UK.\n\nYou cannot get a certificate if you already have a British passport or a valid certificate of entitlement in another foreign passport.\n\n## Apply in the UK, Channel Islands or the Isle of Man\n\nA certificate of entitlement costs \u00a3372 in the UK.\n\nRead the guidance to check you can apply.\n\nFill in the form online. You\u2019ll usually be able to keep your documents while your application is being processed.\n\nYou can also apply in other ways.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Apply from outside the UK or from a British overseas territory\n\nIf you are not in the UK, or you live in a British overseas territory, you must apply online.\n\nA certificate of entitlement costs \u00a3388 outside the UK.\n\n## North Korea\n\nYou cannot apply online if you\u2019re living in North Korea.\n\nTo apply from North Korea you must:\n\n- download the application form and guidance - read the guidance if you need help filling in the form\n\n- read the instructions to find out where to take your completed form\n\n## If your application is refused\n\nYour application fee will not be refunded if your application is refused because you do not qualify for right of abode or you do not send in enough evidence to support your claim.\n\n## Appeals\n\nYou\u2019ll be told how you can appeal if your application is rejected.\n\nYou will not have a right of appeal if your rejected application was received on or after 6 April 2015.\n\nIf you made your application in the UK, you can apply to have your application reconsidered if you think UKVI did not make the decision in line with the law or their policy.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/right-of-abode", + "answerable": true, + "scenario": "I have applied for a certificate of entitlement outside the UK in Guyana for the rights to abode in the UK but it has been refused.", + "original_question": "Will my application fee be refunded?" + }, + { + "id": "train-1371", + "question": "Scenario: I am a regular church goer and i have been asked to make my donations to the collection in an envelope and tick Gift Aid.\n\nQuestion: Does this mean my donation is free of tax?\n\nDocument - Claim Income Tax reliefs:\n## Overview\n\n\u2018Tax relief\u2019 means that you either:\n\n- pay less tax to take account of money you\u2019ve spent on specific things, like business expenses if you\u2019re self-employed\n\n- get tax back or get it repaid in another way, like into a personal pension\n\nYou get some types of tax relief automatically - but some you must apply for.\n\n## When you can get tax relief\n\nTax relief applies to pension contributions, charity donations, maintenance payments and time spent working on a ship outside the UK.\n\nIt also applies to work or business expenses \u2013\u00a0you may be able to:\n\n- get tax relief on what you spend running your business if you\u2019re self-employed (a sole trader or partner in a partnership)\n\n- claim tax relief if you\u2019re employed and you use your own money for travel and things that you must buy for your job\n\n## Charity donations: tax relief\n\nDonations to charity from individuals are tax free. You can get tax relief if you donate:\n\n- through Gift Aid\n\n- straight from your wages or pension, through Payroll Giving\n\n## Donations through Gift Aid\n\nCharities and community amateur sports clubs (CASCs) can register with HM Revenue and Customs (HMRC) to be part of the Gift Aid scheme. When they\u2019re registered, they can claim back the tax you\u2019ve already paid on your donation.\n\nThe charity or CASC will give you a form to sign. They must also have an HMRC charity reference number - ask the charity or CASC if you\u2019re not sure.\n\nIf the charity or CASC gets back more tax than you\u2019ve paid, HMRC may ask you to pay more tax to cover the difference.\n\n## You pay Income Tax above the 20% basic rate\n\nYou can claim back the difference between the tax you\u2019ve paid on the donation and what the charity got back when you fill in your Self Assessment tax return.\n\nIf you don\u2019t fill in a Self Assessment tax return, call HMRC to tell them about your charity donations.\n\n## You get Married Couple\u2019s Allowance\n\nYour tax-free allowance may increase if you make donations through Gift Aid and claim Married Couple\u2019s Allowance.\n\nIf you fill in a Self Assessment tax return, your allowance will be adjusted automatically if it needs to be.\n\nIf you don\u2019t, call HMRC to tell them about your charity donations.\n\n## Payroll Giving schemes\n\nIf your employer or pension provider offers a Payroll Giving scheme, any donations you give through the scheme will be taken before Income Tax is taken off.\n\nYou\u2019ll still pay National Insurance contributions on the amount of your donation. But you won\u2019t pay any Income Tax on the amount you donate.\n\n## Maintenance payments: tax relief\n\nMaintenance Payments Relief reduces your Income Tax if you make maintenance payments to an ex-spouse or civil partner.\n\nYou can get it if all of the following apply:\n\n- either of you were born before 6 April 1935\n\n- you\u2019re paying maintenance under a court order after the relationship has ended\n\n- the payments are for the maintenance of your ex-spouse or former civil partner (provided they aren\u2019t now remarried or in a new civil partnership) or for your children who are under 21\n\nMaintenance Payments Relief is worth 10% of the maintenance you pay to your ex-spouse or civil partner, up to a maximum of \u00a3326 a year (or 10% of \u00a33,260).\n\nTo claim it, call HM Revenue and Customs (HMRC).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/income-tax-reliefs", + "answerable": true, + "scenario": "I am a regular church goer and i have been asked to make my donations to the collection in an envelope and tick Gift Aid.", + "original_question": "Does this mean my donation is free of tax?" + }, + { + "id": "train-1372", + "question": "Scenario: My wife and I divorced a couple of years ago. I pay maintenance regularly as a contribution to brining up the children.\n\nQuestion: Do maintenance payments qualify for tax relief?\n\nDocument - Claim Income Tax reliefs:\n## Overview\n\n\u2018Tax relief\u2019 means that you either:\n\n- pay less tax to take account of money you\u2019ve spent on specific things, like business expenses if you\u2019re self-employed\n\n- get tax back or get it repaid in another way, like into a personal pension\n\nYou get some types of tax relief automatically - but some you must apply for.\n\n## When you can get tax relief\n\nTax relief applies to pension contributions, charity donations, maintenance payments and time spent working on a ship outside the UK.\n\nIt also applies to work or business expenses \u2013\u00a0you may be able to:\n\n- get tax relief on what you spend running your business if you\u2019re self-employed (a sole trader or partner in a partnership)\n\n- claim tax relief if you\u2019re employed and you use your own money for travel and things that you must buy for your job\n\n## Charity donations: tax relief\n\nDonations to charity from individuals are tax free. You can get tax relief if you donate:\n\n- through Gift Aid\n\n- straight from your wages or pension, through Payroll Giving\n\n## Donations through Gift Aid\n\nCharities and community amateur sports clubs (CASCs) can register with HM Revenue and Customs (HMRC) to be part of the Gift Aid scheme. When they\u2019re registered, they can claim back the tax you\u2019ve already paid on your donation.\n\nThe charity or CASC will give you a form to sign. They must also have an HMRC charity reference number - ask the charity or CASC if you\u2019re not sure.\n\nIf the charity or CASC gets back more tax than you\u2019ve paid, HMRC may ask you to pay more tax to cover the difference.\n\n## You pay Income Tax above the 20% basic rate\n\nYou can claim back the difference between the tax you\u2019ve paid on the donation and what the charity got back when you fill in your Self Assessment tax return.\n\nIf you don\u2019t fill in a Self Assessment tax return, call HMRC to tell them about your charity donations.\n\n## You get Married Couple\u2019s Allowance\n\nYour tax-free allowance may increase if you make donations through Gift Aid and claim Married Couple\u2019s Allowance.\n\nIf you fill in a Self Assessment tax return, your allowance will be adjusted automatically if it needs to be.\n\nIf you don\u2019t, call HMRC to tell them about your charity donations.\n\n## Payroll Giving schemes\n\nIf your employer or pension provider offers a Payroll Giving scheme, any donations you give through the scheme will be taken before Income Tax is taken off.\n\nYou\u2019ll still pay National Insurance contributions on the amount of your donation. But you won\u2019t pay any Income Tax on the amount you donate.\n\n## Maintenance payments: tax relief\n\nMaintenance Payments Relief reduces your Income Tax if you make maintenance payments to an ex-spouse or civil partner.\n\nYou can get it if all of the following apply:\n\n- either of you were born before 6 April 1935\n\n- you\u2019re paying maintenance under a court order after the relationship has ended\n\n- the payments are for the maintenance of your ex-spouse or former civil partner (provided they aren\u2019t now remarried or in a new civil partnership) or for your children who are under 21\n\nMaintenance Payments Relief is worth 10% of the maintenance you pay to your ex-spouse or civil partner, up to a maximum of \u00a3326 a year (or 10% of \u00a33,260).\n\nTo claim it, call HM Revenue and Customs (HMRC).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/income-tax-reliefs", + "answerable": true, + "scenario": "My wife and I divorced a couple of years ago. I pay maintenance regularly as a contribution to brining up the children.", + "original_question": "Do maintenance payments qualify for tax relief?" + }, + { + "id": "train-1373", + "question": "Scenario: i recently separated from my partner. i am afraid that they may throw me out of the house we once shared which will leave me at a loss since i have no where else to go.\n\nQuestion: can my ex-partner throw me out of the house we shared ?\n\nDocument - Staying in your partner's property during a divorce or separation:\n## Overview\n\nYou can register your \u2018home rights\u2019 with HM Land Registry - this can help stop your partner from selling your home.\n\nYour rights are different if you own the property jointly with your spouse or civil partner.\n\nYou cannot apply for home rights if your spouse or civil partner owns the property with someone else - unless your spouse or civil partner would get all the money if the property was sold (also known as being the \u2018sole beneficial owner\u2019).\n\nThis guide is also available in Welsh (Cymraeg).\n\nIf you\u2019re not married or in a civil partnership, Citizens Advice have guidance on what happens when you separate.\n\n## Before you apply for home rights\n\nYou\u2019ll need to know if the property is registered in your partner\u2019s name, and its title number if it is.\n\nYou can search the register to find this information.\n\n## How to apply\n\nYou must complete a different application process for home rights depending on whether:\n\n- the property is registered\n\n- the property is unregistered\n\n## How long you can stay in the property\n\nYou can usually only live in the property until the divorce, annulment or dissolution has been finalised and a court settlement agreed.\n\nYou may be able to continue living in the property for longer, for example during an ongoing dispute about who owns what, if a court has made a \u2018continuation order\u2019 allowing you to do this.\n\n## What else you can do\n\nYou may be able to take legal action against your partner if they try to:\n\n- make you move out\n\n- stop you moving back into a home you\u2019re not currently living in, for example if you moved out temporarily\n\nA solicitor can advise you about this.\n\n## Apply if the property is registered\n\nDownload and fill in the application for registration of a notice for home rights.\n\nSend it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\nYou\u2019ll get a letter from HM Land Registry telling you when they\u2019ve registered your rights. Your spouse or civil partner will also get a letter telling them you\u2019ve done this.\n\n## If you want to move to a different property\n\nYou can only protect your right to live in one property at a time.\n\nYou can ask HM Land Registry to transfer your home rights to another property owned by your spouse or civil partner if you\u2019ve already got home rights for one property.\n\nDownload and fill in the application for registration of a notice for home rights.\n\nSend it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\nFollow the application process for unregistered properties if the property you\u2019re moving into is not registered - you can search the register to find out if it\u2019s registered.\n\n## Staying in the property after divorce or separation\n\nYou may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.\n\nHow you apply depends on whether you\u2019ve already registered your home rights.\n\nDownload and fill in either an:\n\n- application for renewal of registration in respect of home rights - if you\u2019ve registered your home rights\n\n- application for registration of a notice for home rights - if you have not registered your home rights\n\nSend the form, along with an official copy of the court\u2019s continuation order, to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\nYou\u2019ll get a letter from HM Land Registry telling you when they\u2019ve registered your continued rights. Your ex-spouse or civil partner will also get a letter telling them you\u2019ve done this.\n\n## Apply if the property is unregistered\n\nDownload and fill in the application for registration of a \u2018Class F Land Charge\u2019.\n\nThere\u2019s a \u00a31 fee - payment instructions are on the form.\n\nSend the form and payment to the address on the form.\n\n## If you want to move to a different property\n\nYou can only protect your right to live in one property at a time.\n\nYou can ask HM Land Registry to transfer your home rights to another property owned by your spouse or civil partner if you\u2019ve already registered your right to live in one property.\n\nDownload and fill in the application for registration of a \u2018Class F Land Charge\u2019.\n\nThere\u2019s a \u00a31 fee - payment instructions are on the form.\n\nSend the form and payment to the address on the form.\n\nFollow the application process for registered properties if the property you\u2019re moving into is registered - you can search the register to find out if it\u2019s registered.\n\n## Staying in the property after divorce or separation\n\nYou may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.\n\nHow you apply depends on whether you\u2019ve already registered your home rights.\n\nDownload and fill in either an:\n\n- application for the renewal of a registration of a \u2018Class F Land Charge\u2019 - if you have home rights\n\n- application for registration of a \u2018Class F Land Charge\u2019 - if you do not have home rights\n\nThere\u2019s a \u00a31 fee - payment instructions are on the form.\n\nSend the form and payment to the address on the form.\n\nYou\u2019ll get a letter from HM Land Registry when they\u2019ve registered your continued rights.\n\nYour ex-spouse or civil partner will also get a letter telling them you\u2019ve made the application.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/stay-in-home-during-separation-or-divorce", + "answerable": true, + "scenario": "i recently separated from my partner. i am afraid that they may throw me out of the house we once shared which will leave me at a loss since i have no where else to go.", + "original_question": "can my ex-partner throw me out of the house we shared ?" + }, + { + "id": "train-1374", + "question": "Scenario: we are separated from my long term partner and have since moved on. we decided to sell the house we once shared and split the proceeds of the sale equally.\n\nQuestion: Can I stay in the house after the proceedings are finalised?\n\nDocument - Staying in your partner's property during a divorce or separation:\n## Overview\n\nYou can register your \u2018home rights\u2019 with HM Land Registry - this can help stop your partner from selling your home.\n\nYour rights are different if you own the property jointly with your spouse or civil partner.\n\nYou cannot apply for home rights if your spouse or civil partner owns the property with someone else - unless your spouse or civil partner would get all the money if the property was sold (also known as being the \u2018sole beneficial owner\u2019).\n\nThis guide is also available in Welsh (Cymraeg).\n\nIf you\u2019re not married or in a civil partnership, Citizens Advice have guidance on what happens when you separate.\n\n## Before you apply for home rights\n\nYou\u2019ll need to know if the property is registered in your partner\u2019s name, and its title number if it is.\n\nYou can search the register to find this information.\n\n## How to apply\n\nYou must complete a different application process for home rights depending on whether:\n\n- the property is registered\n\n- the property is unregistered\n\n## How long you can stay in the property\n\nYou can usually only live in the property until the divorce, annulment or dissolution has been finalised and a court settlement agreed.\n\nYou may be able to continue living in the property for longer, for example during an ongoing dispute about who owns what, if a court has made a \u2018continuation order\u2019 allowing you to do this.\n\n## What else you can do\n\nYou may be able to take legal action against your partner if they try to:\n\n- make you move out\n\n- stop you moving back into a home you\u2019re not currently living in, for example if you moved out temporarily\n\nA solicitor can advise you about this.\n\n## Apply if the property is registered\n\nDownload and fill in the application for registration of a notice for home rights.\n\nSend it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\nYou\u2019ll get a letter from HM Land Registry telling you when they\u2019ve registered your rights. Your spouse or civil partner will also get a letter telling them you\u2019ve done this.\n\n## If you want to move to a different property\n\nYou can only protect your right to live in one property at a time.\n\nYou can ask HM Land Registry to transfer your home rights to another property owned by your spouse or civil partner if you\u2019ve already got home rights for one property.\n\nDownload and fill in the application for registration of a notice for home rights.\n\nSend it to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\nFollow the application process for unregistered properties if the property you\u2019re moving into is not registered - you can search the register to find out if it\u2019s registered.\n\n## Staying in the property after divorce or separation\n\nYou may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.\n\nHow you apply depends on whether you\u2019ve already registered your home rights.\n\nDownload and fill in either an:\n\n- application for renewal of registration in respect of home rights - if you\u2019ve registered your home rights\n\n- application for registration of a notice for home rights - if you have not registered your home rights\n\nSend the form, along with an official copy of the court\u2019s continuation order, to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\nYou\u2019ll get a letter from HM Land Registry telling you when they\u2019ve registered your continued rights. Your ex-spouse or civil partner will also get a letter telling them you\u2019ve done this.\n\n## Apply if the property is unregistered\n\nDownload and fill in the application for registration of a \u2018Class F Land Charge\u2019.\n\nThere\u2019s a \u00a31 fee - payment instructions are on the form.\n\nSend the form and payment to the address on the form.\n\n## If you want to move to a different property\n\nYou can only protect your right to live in one property at a time.\n\nYou can ask HM Land Registry to transfer your home rights to another property owned by your spouse or civil partner if you\u2019ve already registered your right to live in one property.\n\nDownload and fill in the application for registration of a \u2018Class F Land Charge\u2019.\n\nThere\u2019s a \u00a31 fee - payment instructions are on the form.\n\nSend the form and payment to the address on the form.\n\nFollow the application process for registered properties if the property you\u2019re moving into is registered - you can search the register to find out if it\u2019s registered.\n\n## Staying in the property after divorce or separation\n\nYou may be able to continue living in your home for longer, for example if a court has made a \u2018continuation order\u2019 allowing you to do so during an ongoing dispute about who owns what.\n\nHow you apply depends on whether you\u2019ve already registered your home rights.\n\nDownload and fill in either an:\n\n- application for the renewal of a registration of a \u2018Class F Land Charge\u2019 - if you have home rights\n\n- application for registration of a \u2018Class F Land Charge\u2019 - if you do not have home rights\n\nThere\u2019s a \u00a31 fee - payment instructions are on the form.\n\nSend the form and payment to the address on the form.\n\nYou\u2019ll get a letter from HM Land Registry when they\u2019ve registered your continued rights.\n\nYour ex-spouse or civil partner will also get a letter telling them you\u2019ve made the application.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/stay-in-home-during-separation-or-divorce", + "answerable": true, + "scenario": "we are separated from my long term partner and have since moved on. we decided to sell the house we once shared and split the proceeds of the sale equally.", + "original_question": "Can I stay in the house after the proceedings are finalised?" + }, + { + "id": "train-1376", + "question": "Scenario: I have just finished university. While in university, I was working a part time job. This month, I quit my part time job and started a full time job - both of which will pay me this month. Since I did not use my complete tax allowance during my part time job, I am afraid I will overpay income tax. I do not have a P800.\n\nQuestion: Can I get a refund for the overpaid tax?\n\nDocument - Tax overpayments and underpayments:\n## Your tax calculation\n\nIf you\u2019re employed or get a pension, your employer or pension provider uses your tax code to work out how much tax to take from you.\n\nYou could still be paying too much or too little tax. For example, if you got a company benefit or pay rise that HMRC did not know about, and so they did not update your tax code.\n\nIf you have not paid the right amount at the end of the tax year, HMRC will send you a P800 or a Simple Assessment tax calculation.\n\nYour P800 or Simple Assessment will tell you how to get a refund or pay tax you owe.\n\nYou will not get a P800 or Simple Assessment if you\u2019re registered for Self Assessment. Your bill will be adjusted automatically if you\u2019ve underpaid or overpaid tax.\n\n## When you might get a P800\n\nYou might get a P800 if you:\n\n- finished one job, started a new one and were paid by both in the same month\n\n- started receiving a pension at work\n\n- received Employment and Support Allowance or Jobseeker\u2019s Allowance\n\nP800s are sent out after the tax year ends on 5 April. You\u2019ll normally get yours by the end of November.\n\n## When you might get a Simple Assessment letter\n\nYou might get a Simple Assessment letter if you:\n\n- owe tax that cannot be automatically taken out of your income\n\n- owe HMRC more than \u00a33,000\n\n- have to pay tax on the State Pension\n\nYou can pay your Simple Assessment bill online.\n\n## Checking your tax calculation\n\nYour letter will show the income you should have paid tax on. This includes any income from pay, pensions, state benefits, savings interest and employee benefits.\n\nCompare the figures with your records, for example your P60, bank statements or letters from the Department for Work and Pensions. If your state benefit was paid every 4 weeks, work out the total paid in a year by multiplying your regular payment by 13 (not 12).\n\nYou may be able to use the HMRC tax checker to work out how much tax you should have paid.\n\n## If you think your tax calculation is wrong\n\nContact HMRC if you think the amounts used in your letter are wrong, or HMRC did not act on information you gave them.\n\nYou have 60 days to query your simple assessment in writing or by telephone. The details of how to do that will be mentioned in your Simple Assesment letter.\n\n## If your P800 says you're due a refund\n\nYour P800 tax calculation will tell you how you can get your refund.\n\n## If your P800 says you can claim online\n\nYour P800 will tell you if you can claim your refund online. You\u2019ll be sent the money within 5 working days - it\u2019ll be in your UK account once your bank has processed the payment.\n\nIf you do not claim within 21 days, HM Revenue and Customs (HMRC) will send you a cheque. You\u2019ll get this within 6 weeks of the date on your P800.\n\nContact HMRC if you cannot claim your refund online.\n\n## If your P800 says you\u2019ll get a cheque\n\nYour P800 will tell you if HMRC will send you a cheque. You do not need to make a claim.\n\nYou\u2019ll get your cheque within 14 days of the date on your P800. If you\u2019re owed tax from more than one year, you\u2019ll get a single cheque for the entire amount.\n\n## If you do not have a P800\n\nYou can check how much Income Tax you should have paid.\n\nContact HMRC if you think you\u2019ve paid too much tax. If they agree, they\u2019ll send you a P800.\n\n## If your P800 says you owe tax\n\nHM Revenue and Customs (HMRC) will usually collect the tax you owe in instalments over the next year. This will happen automatically if you:\n\n- pay Income Tax through an employer or pension provider\n\n- earn enough income over your Personal Allowance to cover the underpayment\n\n- owe less than \u00a33,000\n\nHMRC will write to you about how you can pay if they cannot collect the money this way.\n\n## Other ways to pay\n\n## Online\n\nYour P800 will tell you if you can pay the tax you owe online.\n\n## By post\n\nYou can pay with a cheque, made payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your National Insurance Number on the back of the cheque. Send it with a covering letter including:\n\n- your full name and address\n\n- your National Insurance number\n\n- the amount of the payment\n\n- what the payment relates to, for example, PAYE\n\n- the year the payment is for\n\nAllow 3 working days for your payment to reach HMRC. Send your cheque to:\n\nYou do not need to include a street name, city name or PO box with this address.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-overpayments-and-underpayments", + "answerable": true, + "scenario": "I have just finished university. While in university, I was working a part time job. This month, I quit my part time job and started a full time job - both of which will pay me this month. Since I did not use my complete tax allowance during my part time job, I am afraid I will overpay income tax. I do not have a P800.", + "original_question": "Can I get a refund for the overpaid tax?" + }, + { + "id": "train-1377", + "question": "Scenario: I am a fifty year old married female and my twenty five year old daughter has just sprung the news on us that she is to be married in the US in five days. This is wonderful, but my husband's passport has expired.\n\nQuestion: Is there any way of getting a renewed passport within five days?\n\nDocument - Get a passport urgently:\n## How to apply\n\nYou can pay for a faster service if you need a passport within the next 3 weeks.\n\nYou need to book a passport office appointment and pay online. You can book an appointment up to 3 weeks in advance.\n\nIf you need a passport to travel urgently for medical treatment or because a friend or family member is seriously ill or has died, call the \u2018Passport Adviceline\u2019 instead.\n\nCheck current coronavirus (COVID-19) travel advice before travelling. If your passport application is successful, it does not mean you\u2019re currently allowed to travel.\n\n## Who can apply\n\nYou can apply for a faster service if you\u2019re in the UK and need to renew or replace a passport, or get a first child passport.\n\nUse the non-urgent service if either:\n\n- you\u2019re applying for a first adult passport\n\n- you do not need your passport within the next 3 weeks\n\nIf you\u2019re outside the UK, apply for an emergency travel document.\n\nTrack your passport application if you\u2019ve already applied for a passport and have not received it. Do not pay for an urgent passport - you will not get your passport sooner or get a refund.\n\n## Ways to apply\n\nThere are 2 ways to apply for an urgent passport.\n\nAs part of the application, you\u2019ll need to attend an appointment at your nearest passport office.\n\n## Online Premium\n\nYou get your new passport at your appointment. Appointments last up to 30 minutes.\n\nYou can use this service to renew an adult passport.\n\nUse the Online Premium service.\n\n## 1 week Fast Track\n\nYour new passport is delivered to your home within 1 week of your appointment. Someone might need to be in to sign for it.\n\nYou can use this service to:\n\n- renew an adult or child passport\n\n- change your name on your passport (for example with a marriage certificate or deed poll)\n\n- make changes to your personal details on your passport (for example, your gender)\n\n- replace a lost, stolen or damaged passport\n\n- apply for a first child passport\n\nUse the 1 week Fast Track service.\n\n## If you cannot apply online\n\nYou can book your appointment and pay by calling the \u2018Passport Adviceline\u2019.\n\n## Online Premium service\n\nYou\u2019ll apply, pay and book an appointment online. The earliest you can get an appointment is 2 days from when you apply.\n\nYou\u2019ll get your new passport at your appointment. Appointments can last up to 30 minutes.\n\nDo not book an appointment if you\u2019re self-isolating or you or someone you live with has coronavirus (COVID-19) symptoms.\n\nIt costs \u00a3177 (or \u00a3187 for a 50 page frequent traveller passport).\n\nYou can only use Online Premium to renew an adult passport that was issued after 31 December 2001.\n\n## Apply, book an appointment and pay\n\nTo use the Online Premium service you\u2019ll need:\n\n- your old passport\n\n- a device that takes digital photos (like a smartphone, tablet or digital camera) and someone to take your photo\n\n- a digital photo of you\n\nApply, book an appointment and pay\n\n## What to bring to your appointment\n\nYou need to bring your old passport.\n\nYou can ask someone else to go to your appointment for you. They\u2019ll need to bring:\n\n- your old passport\n\n- a signed and dated letter from you, naming them and giving them permission to collect the passport\n\n- their ID (for example passport, driving licence, or utility bill that\u2019s less than 3 months old)\n\n## Changing your appointment\n\nCall the \u2018Passport Adviceline\u2019 to reschedule your appointment.\n\nDo not go to your appointment if:\n\n- you\u2019re self-isolating because of COVID-19\n\n- you or someone you live with has COVID-19 symptoms\n\n## 1 week Fast Track service\n\nIt costs:\n\n- \u00a3142 for an adult passport (or \u00a3152 for a 50 page frequent traveller passport)\n\n- \u00a3122 for a child passport (or \u00a3132 for a 50 page frequent traveller passport)\n\nYou can use 1 week Fast Track to:\n\n- renew an adult or child passport that has expired or that is about to expire\n\n- change personal details on your passport (for example your name, place of birth or gender)\n\n- replace a lost, stolen or damaged passport\n\n- apply for a first child passport\n\n## What you need to do\n\n- Get a paper application form from a Post Office - you cannot apply online.\n\n- Book an appointment online and pay the fee.\n\n- Fill in your application form and gather your documents before your appointment.\n\n## Book an appointment and pay by card\n\nWhen you have an application form, you can book an appointment online.\n\nBook an appointment and pay by card\n\n## What to bring to your appointment\n\nYou need:\n\n- 2 identical printed passport photos\n\n- your completed paper application form\n\n- your supporting documents - read the booklet that comes with the paper form to find out what you need\n\n## If you cannot go to your appointment\n\nYou can change your appointment or send someone in your place.\n\n## Changing your appointment because of coronavirus (COVID-19)\n\nYou can change your appointment at any time up to your appointment slot if:\n\n- you\u2019re self-isolating\n\n- you or someone you live with has COVID-19 or COVID-19 symptoms\n\nCall the \u2018Passport Adviceline\u2019 to change your appointment.\n\n## Changing your appointment for another reason\n\nYou can change your appointment if your booking is more than 2 days away. Use the link in the confirmation email you got after paying and booking.\n\n## Sending someone in your place\n\nIf you\u2019re in the UK, you can ask someone to go to your appointment for you. They\u2019ll need to bring:\n\n- your 2 identical printed passport photos\n\n- your completed paper application form\n\n- your supporting documents - read the booklet that comes with the paper form to find out what you need", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/get-a-passport-urgently", + "answerable": true, + "scenario": "I am a fifty year old married female and my twenty five year old daughter has just sprung the news on us that she is to be married in the US in five days. This is wonderful, but my husband's passport has expired.", + "original_question": "Is there any way of getting a renewed passport within five days?" + }, + { + "id": "train-1378", + "question": "Scenario: My wife works from home and is self employed: she manages a huge Amazon shop.She nominated me has her business partner on her paperwork. I have a full time job but now she is asking me to keep records of her business I don't know what to do.\n\nQuestion: I don't really want to put effort in it and I think this should be my wife's duty. Do I have to keep record's of my wife's business even if I don't any work for her?\n\nDocument - Business records if you're self-employed:\n## Overview\n\nYou must keep records of your business income and expenses for your tax return if you\u2019re self-employed as a:\n\n- sole trader\n\n- partner in a business partnership\n\nYou\u2019ll also need to keep records of your personal income.\n\nIf you\u2019re the nominated partner in a partnership, you must also keep records for the partnership.\n\nThere are different rules on keeping records for limited companies.\n\n## Accounting methods\n\nYou\u2019ll need to choose an accounting method.\n\n## Traditional accounting\n\nMany businesses use traditional accounting where you record income and expenses by the date you invoiced or were billed.\n\n## Cash basis accounting\n\nMost small businesses with an income of \u00a3150,000 or less can use cash basis reporting.\n\nWith this method, you only record income or expenses when you receive money or pay a bill. This means you will not need to pay Income Tax on money you have not yet received in your accounting period.\n\n## What records to keep\n\nYou\u2019ll need to keep records of:\n\n- all sales and income\n\n- all business expenses\n\n- VAT records if you\u2019re registered for VAT\n\n- PAYE records if you employ people\n\n- records about your personal income\n\n- your grant, if you claimed through the Self-Employment Income Support Scheme because of coronavirus\n\n## Why you keep records\n\nYou do not need to send your records in when you submit your tax return but you need to keep them so you can:\n\n- work out your profit or loss for your tax return\n\n- show them to HM Revenue and Customs (HMRC) if asked\n\nYou must make sure your records are accurate.\n\n## Keep proof\n\nTypes of proof include:\n\n- all receipts for goods and stock\n\n- bank statements, chequebook stubs\n\n- sales invoices, till rolls and bank slips\n\n## If you\u2019re using traditional accounting\n\nAs well as the standard records, you\u2019ll also need to keep further records so that your tax return includes:\n\n- what you\u2019re owed but have not received yet\n\n- what you\u2019ve committed to spend but have not paid out yet, for example you\u2019ve received an invoice but have not paid it yet\n\n- the value of stock and work in progress at the end of your accounting period\n\n- your year end bank balances\n\n- how much you\u2019ve invested in the business in the year\n\n- how much money you\u2019ve taken out for your own use\n\n## How long to keep your records\n\nYou must keep your records for at least 5 years after the 31 January submission deadline of the relevant tax year. HM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.\n\n## Very late returns\n\nIf you send your tax return more than 4 years after the deadline, you\u2019ll need to keep your records for 15 months after you send your tax return.\n\n## If your records are lost, stolen or destroyed\n\nIf you cannot replace your records, you must do your best to provide figures. Tell HMRC when you file your tax return if you\u2019re using:\n\n- estimated figures - your best guess when you cannot provide the actual figures\n\n- provisional figures - your temporary estimated figures while you wait for actual figures (you\u2019ll also need to submit actual figures when available)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/self-employed-records", + "answerable": true, + "scenario": "My wife works from home and is self employed: she manages a huge Amazon shop.She nominated me has her business partner on her paperwork. I have a full time job but now she is asking me to keep records of her business I don't know what to do.", + "original_question": "I don't really want to put effort in it and I think this should be my wife's duty. Do I have to keep record's of my wife's business even if I don't any work for her?" + }, + { + "id": "train-1382", + "question": "Scenario: I am eighteen and have just accepted a part time job working in a local grocery store. I am sometimes the only person in the store but have learned that my employee is watching my via a CCTV camera. This makes me feel very uncomfortable\n\nQuestion: Is it legal for my employer to be spying on me like this?\n\nDocument - Being monitored at work: workers' rights:\n## Overview\n\nEmployers might monitor workers. This could be done in various ways, like:\n\n- CCTV\n\n- drug testing\n\n- bag searches\n\n- checking a worker\u2019s emails or the websites they look at\n\nData protection law covers any monitoring that involves taking data, images or drug testing.\n\nIf workers are unhappy about being monitored, they can check their staff handbook or contract to see if the employer is allowed to do this.\n\nIf they\u2019re not, the worker might be able to resign and claim unfair (\u2018constructive\u2019) dismissal. But this is a last resort - they should try to sort the problem out first - read the advice to help solve a workplace dispute.\n\n## Searches\n\nEmployers should have a written policy on searching. Searches should:\n\n- respect privacy\n\n- be done by a member of the same sex\n\n- be done with a witness present\n\nIf a search or drug test is badly handled, workers might have a claim for discrimination, assault or false imprisonment.\n\nFor advice about work issues, talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.\n\n## Drug testing\n\nEmployers have to have consent if they want to test for drugs. Usually this is when they have a full contractual health and safety policy, which should be in the contract or staff handbook.\n\nEmployers should:\n\n- limit testing to employees that need to be tested\n\n- ensure the tests are random\n\n- not single out particular employees for testing unless this is justified by the nature of their jobs\n\nWorkers can\u2019t be made to take a drugs test but if they refuse when the employer has good grounds for testing, they may face disciplinary action.\n\n## Email, CCTV and other monitoring\n\nEmployers must explain the amount of monitoring clearly in the staff handbook or contract. They should tell workers:\n\n- if they\u2019re being monitored\n\n- what counts as a reasonable number of personal emails and phone calls\n\n- if personal emails and calls are not allowed\n\nExamples of monitoring could include:\n\n- looking at which websites workers have visited\n\n- CCTV in the building\n\n- checking workers\u2019 bags as they leave\n\nEmployers are not allowed to monitor workers everywhere (not in the toilet, for example). If they don\u2019t respect this they could be in breach of the Data Protection Act.\n\nRead the advice on workplace disputes or talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice for more advice. Workers can also contact their trade union representative.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/monitoring-work-workers-rights", + "answerable": true, + "scenario": "I am eighteen and have just accepted a part time job working in a local grocery store. I am sometimes the only person in the store but have learned that my employee is watching my via a CCTV camera. This makes me feel very uncomfortable", + "original_question": "Is it legal for my employer to be spying on me like this?" + }, + { + "id": "train-1383", + "question": "Scenario: I am the owner of a taxi firm and have half a dozen employees, doing both full time and part time jobs. I have reason to suspect that one of my younger employees might be taking drugs on the nights before his shifts, or even during the shifts themselves.\n\nQuestion: What is my legal position in this situation? can I have my employee drug tested?\n\nDocument - Being monitored at work: workers' rights:\n## Overview\n\nEmployers might monitor workers. This could be done in various ways, like:\n\n- CCTV\n\n- drug testing\n\n- bag searches\n\n- checking a worker\u2019s emails or the websites they look at\n\nData protection law covers any monitoring that involves taking data, images or drug testing.\n\nIf workers are unhappy about being monitored, they can check their staff handbook or contract to see if the employer is allowed to do this.\n\nIf they\u2019re not, the worker might be able to resign and claim unfair (\u2018constructive\u2019) dismissal. But this is a last resort - they should try to sort the problem out first - read the advice to help solve a workplace dispute.\n\n## Searches\n\nEmployers should have a written policy on searching. Searches should:\n\n- respect privacy\n\n- be done by a member of the same sex\n\n- be done with a witness present\n\nIf a search or drug test is badly handled, workers might have a claim for discrimination, assault or false imprisonment.\n\nFor advice about work issues, talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.\n\n## Drug testing\n\nEmployers have to have consent if they want to test for drugs. Usually this is when they have a full contractual health and safety policy, which should be in the contract or staff handbook.\n\nEmployers should:\n\n- limit testing to employees that need to be tested\n\n- ensure the tests are random\n\n- not single out particular employees for testing unless this is justified by the nature of their jobs\n\nWorkers can\u2019t be made to take a drugs test but if they refuse when the employer has good grounds for testing, they may face disciplinary action.\n\n## Email, CCTV and other monitoring\n\nEmployers must explain the amount of monitoring clearly in the staff handbook or contract. They should tell workers:\n\n- if they\u2019re being monitored\n\n- what counts as a reasonable number of personal emails and phone calls\n\n- if personal emails and calls are not allowed\n\nExamples of monitoring could include:\n\n- looking at which websites workers have visited\n\n- CCTV in the building\n\n- checking workers\u2019 bags as they leave\n\nEmployers are not allowed to monitor workers everywhere (not in the toilet, for example). If they don\u2019t respect this they could be in breach of the Data Protection Act.\n\nRead the advice on workplace disputes or talk to Acas (the Advisory, Conciliation and Arbitration Service), Citizens Advice for more advice. Workers can also contact their trade union representative.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/monitoring-work-workers-rights", + "answerable": true, + "scenario": "I am the owner of a taxi firm and have half a dozen employees, doing both full time and part time jobs. I have reason to suspect that one of my younger employees might be taking drugs on the nights before his shifts, or even during the shifts themselves.", + "original_question": "What is my legal position in this situation? can I have my employee drug tested?" + }, + { + "id": "train-1386", + "question": "Scenario: I am a farmer and a licensed shotgun owner. Recently I have been plagued by foxes which are disturbing some of my smaller animals. I would like to cull them on the grounds that they are affecting my livelihood.\n\nQuestion: Can I legally shoot a fox on my own land?\n\nDocument - Hunting and shooting wildlife:\n## Overview\n\nYou must follow the rules for hunting and shooting wildlife including:\n\n- what you can hunt or shoot\n\n- when you can do it\n\n- what equipment you can use\n\nYou can be fined or jailed for hunting illegally or causing unnecessary suffering to an animal.\n\nYou must have permission from the land owner.\n\n## Firearms and shotgun certificates\n\nYou must get a certificate to use a shotgun, rifle or other firearm.\n\nYou don\u2019t need a certificate for:\n\n- air rifles up to 12ft lb in power\n\n- air pistols up to 6ft lb in power\n\nYou can\u2019t use:\n\n- bows or crossbows\n\n- explosives (other than the legal ammunition for a firearm)\n\n## Managing wildlife and controlling pests\n\nThere are different rules about what you can do to manage wildlife on your land or control pests on your property.\n\n## Birds\n\nYou can shoot certain species of game birds, quarry birds and waterfowl but only during the shooting season.\n\nSometimes you can only shoot in certain locations, for example you can\u2019t shoot some waterfowl above the high water line.\n\nYou can\u2019t shoot birds in the closed season.\n\nYou must get a falconry licence to hunt birds with a falcon.\n\n## Equipment\n\nIf you\u2019re using a shotgun to shoot birds, the internal diameter of the shotgun can\u2019t be more than 1.75 inches.\n\nYou can\u2019t use:\n\n- a firearm that can hold more than 2 rounds of ammunition in the magazine (such as an automatic or semi-automatic weapon)\n\n- artificial lighting\n\n- a sighting device for night shooting, or a device for lighting up targets\n\n## Mammals\n\nThere are different rules for foxes, deer and other mammals.\n\n## Foxes\n\nIt\u2019s illegal to hunt foxes with a pack of dogs. You can use dogs to simulate hunting, for example \u2018drag\u2019 or \u2018trail\u2019 hunting.\n\nYou can use up to 2 dogs to chase (\u2018flush\u2019 or \u2018stalk\u2019) foxes out of hiding if the fox is causing damage to your property or the environment.\n\nYour dogs can\u2019t go underground to find the foxes unless they\u2019re threatening wild or game birds kept for shooting - only one dog can go underground at any time.\n\nYou must:\n\n- shoot the fox quickly after it\u2019s been found\n\n- carry proof you own the land you\u2019re shooting on or written permission from the landowner\n\nYou can be fined, and your dogs or hunting equipment taken away, if you break the law.\n\nThere are other ways you can control foxes if they\u2019re causing damage to your property or the environment.\n\n## Deer\n\nYou must follow the restrictions on when you can shoot deer and what type of firearms and ammunition you can use.\n\nYou need a licence to shoot deer:\n\n- in the closed season\n\n- at night (at any time of the year)\n\nYou can\u2019t use a vehicle to chase deer.\n\n## Other mammals\n\nYou can hunt or shoot some other mammals.\n\nThere are rules on when you can hunt or shoot and what equipment you can use.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/hunting", + "answerable": true, + "scenario": "I am a farmer and a licensed shotgun owner. Recently I have been plagued by foxes which are disturbing some of my smaller animals. I would like to cull them on the grounds that they are affecting my livelihood.", + "original_question": "Can I legally shoot a fox on my own land?" + }, + { + "id": "train-1387", + "question": "Scenario: We are leaving on holiday in two weeks and, being a numpty, i have realised my passport has expired. This COVID thing has messed with my head.\n\nQuestion: Can I get a passport within 2 weeks?\n\nDocument - Get a passport urgently:\n## How to apply\n\nYou can pay for a faster service if you need a passport within the next 3 weeks.\n\nYou need to book a passport office appointment and pay online. You can book an appointment up to 3 weeks in advance.\n\nIf you need a passport to travel urgently for medical treatment or because a friend or family member is seriously ill or has died, call the \u2018Passport Adviceline\u2019 instead.\n\nCheck current coronavirus (COVID-19) travel advice before travelling. If your passport application is successful, it does not mean you\u2019re currently allowed to travel.\n\n## Who can apply\n\nYou can apply for a faster service if you\u2019re in the UK and need to renew or replace a passport, or get a first child passport.\n\nUse the non-urgent service if either:\n\n- you\u2019re applying for a first adult passport\n\n- you do not need your passport within the next 3 weeks\n\nIf you\u2019re outside the UK, apply for an emergency travel document.\n\nTrack your passport application if you\u2019ve already applied for a passport and have not received it. Do not pay for an urgent passport - you will not get your passport sooner or get a refund.\n\n## Ways to apply\n\nThere are 2 ways to apply for an urgent passport.\n\nAs part of the application, you\u2019ll need to attend an appointment at your nearest passport office.\n\n## Online Premium\n\nYou get your new passport at your appointment. Appointments last up to 30 minutes.\n\nYou can use this service to renew an adult passport.\n\nUse the Online Premium service.\n\n## 1 week Fast Track\n\nYour new passport is delivered to your home within 1 week of your appointment. Someone might need to be in to sign for it.\n\nYou can use this service to:\n\n- renew an adult or child passport\n\n- change your name on your passport (for example with a marriage certificate or deed poll)\n\n- make changes to your personal details on your passport (for example, your gender)\n\n- replace a lost, stolen or damaged passport\n\n- apply for a first child passport\n\nUse the 1 week Fast Track service.\n\n## If you cannot apply online\n\nYou can book your appointment and pay by calling the \u2018Passport Adviceline\u2019.\n\n## Online Premium service\n\nYou\u2019ll apply, pay and book an appointment online. The earliest you can get an appointment is 2 days from when you apply.\n\nYou\u2019ll get your new passport at your appointment. Appointments can last up to 30 minutes.\n\nDo not book an appointment if you\u2019re self-isolating or you or someone you live with has coronavirus (COVID-19) symptoms.\n\nIt costs \u00a3177 (or \u00a3187 for a 50 page frequent traveller passport).\n\nYou can only use Online Premium to renew an adult passport that was issued after 31 December 2001.\n\n## Apply, book an appointment and pay\n\nTo use the Online Premium service you\u2019ll need:\n\n- your old passport\n\n- a device that takes digital photos (like a smartphone, tablet or digital camera) and someone to take your photo\n\n- a digital photo of you\n\nApply, book an appointment and pay\n\n## What to bring to your appointment\n\nYou need to bring your old passport.\n\nYou can ask someone else to go to your appointment for you. They\u2019ll need to bring:\n\n- your old passport\n\n- a signed and dated letter from you, naming them and giving them permission to collect the passport\n\n- their ID (for example passport, driving licence, or utility bill that\u2019s less than 3 months old)\n\n## Changing your appointment\n\nCall the \u2018Passport Adviceline\u2019 to reschedule your appointment.\n\nDo not go to your appointment if:\n\n- you\u2019re self-isolating because of COVID-19\n\n- you or someone you live with has COVID-19 symptoms\n\n## 1 week Fast Track service\n\nIt costs:\n\n- \u00a3142 for an adult passport (or \u00a3152 for a 50 page frequent traveller passport)\n\n- \u00a3122 for a child passport (or \u00a3132 for a 50 page frequent traveller passport)\n\nYou can use 1 week Fast Track to:\n\n- renew an adult or child passport that has expired or that is about to expire\n\n- change personal details on your passport (for example your name, place of birth or gender)\n\n- replace a lost, stolen or damaged passport\n\n- apply for a first child passport\n\n## What you need to do\n\n- Get a paper application form from a Post Office - you cannot apply online.\n\n- Book an appointment online and pay the fee.\n\n- Fill in your application form and gather your documents before your appointment.\n\n## Book an appointment and pay by card\n\nWhen you have an application form, you can book an appointment online.\n\nBook an appointment and pay by card\n\n## What to bring to your appointment\n\nYou need:\n\n- 2 identical printed passport photos\n\n- your completed paper application form\n\n- your supporting documents - read the booklet that comes with the paper form to find out what you need\n\n## If you cannot go to your appointment\n\nYou can change your appointment or send someone in your place.\n\n## Changing your appointment because of coronavirus (COVID-19)\n\nYou can change your appointment at any time up to your appointment slot if:\n\n- you\u2019re self-isolating\n\n- you or someone you live with has COVID-19 or COVID-19 symptoms\n\nCall the \u2018Passport Adviceline\u2019 to change your appointment.\n\n## Changing your appointment for another reason\n\nYou can change your appointment if your booking is more than 2 days away. Use the link in the confirmation email you got after paying and booking.\n\n## Sending someone in your place\n\nIf you\u2019re in the UK, you can ask someone to go to your appointment for you. They\u2019ll need to bring:\n\n- your 2 identical printed passport photos\n\n- your completed paper application form\n\n- your supporting documents - read the booklet that comes with the paper form to find out what you need", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/get-a-passport-urgently", + "answerable": true, + "scenario": "We are leaving on holiday in two weeks and, being a numpty, i have realised my passport has expired. This COVID thing has messed with my head.", + "original_question": "Can I get a passport within 2 weeks?" + }, + { + "id": "train-1391", + "question": "Scenario: I own a farm which is ran like a business. It is not my personal home but instead me and a few employees take care of quite a large farm area and I sell the produce for profit. We operate a few tractors and since getting them refilled with fuel from the nearest gas station is inefficient I decided to install a 1000 litre diesel tank underground.\n\nQuestion: Do I have to follow oil storage regulations for businesses?\n\nDocument - Storing oil at your home or business:\n## Overview\n\nYou have to follow certain regulations if you have an oil storage container at your home, business or farm.\n\nOil storage containers include tanks, drums, intermediate bulk containers (IBCs) and mobile containers called \u2018bowsers\u2019.\n\nThe person responsible for the property or premises is usually legally responsible for the oil storage container, for example the homeowner, business owner or site manager.\n\n## Which regulations to follow\n\nThe regulations are different depending on where you store your oil.\n\n## At your home\n\nYou normally have to follow building regulations if you have an oil storage container installed at your home.\n\nIf your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.\n\n## At your business\n\nYou have to follow oil storage regulations if the container at your business can hold 201 litres or more of certain types of oil.\n\nThe regulations for businesses also apply to public sector buildings like schools, hospitals, churches and residential care homes.\n\n## At your farm\n\nYou have to follow different regulations depending on whether you\u2019re storing oil:\n\n- for heat and power for agriculture, for example to fuel your tractor or run a grain dryer\n\n- to heat your farmhouse\n\n- for a separate part of your business, for example to fuel vehicles you hire out\n\n## Checking and labelling your tank\n\nYou should get your oil storage container inspected every year by a professional.\n\nThe person inspecting your tank will let you know when you should replace it.\n\nOil Care suggest that you look at your oil tank at least once a month, and learn what to do if you have an oil leak or spill.\n\n## Storing oil at your home\n\nYou must meet building regulations if you have a new or replacement oil storage container installed at your home in England, for example to fuel your cooker or central heating.\n\nBuilding regulations are different if your home is in Wales, Scotland or Northern Ireland.\n\nIf your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.\n\n## Choosing someone to install your tank\n\nYou should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme. They can self-certify that their work complies with building regulations and can deal with building control issues, like objections.\n\nIf you do not use someone registered with a \u2018Competent Person\u2019 scheme, you\u2019ll have to get a Building Control Notice from your local council and arrange and pay for an inspection yourself.\n\nWithout approval you will not have the certificates of compliance you may need when you want to sell your home.\n\n## Penalties\n\nThe person installing your tank could be prosecuted and fined if they do not comply with building regulations.\n\nYou\u2019re also responsible for making sure their work meets the regulations. Your local authority could make you pay for faulty work to be fixed.\n\n## Catching oil leaks and spills\n\nThe person installing your tank will do a risk assessment, and they\u2019ll let you know if your tank has to have secondary containment (a \u2018bund\u2019). The bund must:\n\n- hold 110% of the tank\u2019s capacity\n\n- be impermeable to oil and water\n\nYou\u2019ll need a bund if your tank\u2019s in any of the following places:\n\n- where oil spills could run into an open drain or a loose manhole cover\n\n- where the tank vent pipes cannot be seen when the tank\u2019s being filled, for example because the delivery tanker is parked too far away\n\n- within 10 metres of coastal waters or inland fresh waters like lakes or streams\n\n- within 50 metres of a drinking water source, for example wells, boreholes or springs\n\n- where oil spills could run over hard ground and reach coastal waters, inland fresh waters or a drinking water source\n\n- in the inner zone of groundwater source protection zone 1\n\nYou\u2019ll also need a bund if your tank can hold more than 2,500 litres of oil.\n\nYour oil storage container must have a sticker in a prominent position that tells you how to look after your oil and what to do if you have a spill. The person installing your new tank will put this on - but you can find out how to order a new sticker.\n\n## Storing oil at your business\n\nYou must follow the regulations for businesses if your oil container can hold 201 litres or more of:\n\n- petrol\n\n- diesel\n\n- biofuels\n\n- kerosene\n\n- vegetable oil and plant-based oils, for example sunflower oil or aromatherapy oil - including waste cooking oil\n\n- synthetic oils, for example motor oil - including waste oil\n\n- oils used as solvents\n\n- biodegradable oils, for example lubricating or hydraulic oils\n\n- liquid bitumen-based products, for example waterproofing or damp proofing products, or coatings for a road surface\n\nThe regulations do not apply to:\n\n- liquid petroleum gas (LPG)\n\n- hydrocarbon products that are solid when unheated, like bitumen\n\n- solvents that are not oil based, for example trichloroethylene\n\n- aromatic hydrocarbons like benzene and toluene\n\n- waste mineral oils drained from vehicles, and mixtures of diesel and petrol that cannot be used as vehicle fuel\n\nYou must follow different regulations in Scotland, Northern Ireland and Wales.\n\n## Other exceptions\n\nYou do not have to follow oil storage regulations if your oil is:\n\n- on a farm and you use it for heat and power for agriculture or for your farmhouse\n\n- stored for distribution to other places\n\n- in use, for example lubrication in a hydraulic system\n\nThe regulations do not apply if your storage containers are:\n\n- underground\n\n- in a building that would capture leaking oil - contact your local council to find out if you have to meet any extra fire safety regulations\n\n- at a refinery\n\n- at a premises for onward distribution of oil - but not a premises which sells oil directly to end users or a premises that uses oil\n\nCheck if you need an environmental permit if you\u2019re storing certain waste oils.\n\n## Choosing someone to install your oil storage tank\n\nYou should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme.\n\nYou\u2019re responsible for any pollution caused by problems with your oil storage container. You need to know the regulations about oil storage containers, including where it\u2019s located and how it\u2019s protected.\n\n## Penalties\n\nYou can be fined if you do not follow the oil storage regulations.\n\nThe Environment Agency can also serve an anti-pollution works notice to make you bring your tank up to legal requirements.\n\n## Get advice\n\nContact the Environment Agency if you have a question about following oil storage regulations in England.\n\nIf your business is outside England, contact one of the following:\n\n- Natural Resources Wales\n\n- Scottish Environment Protection Agency\n\n- Department of the Environment (Northern Ireland)", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/oil-storage-regulations-and-safety", + "answerable": true, + "scenario": "I own a farm which is ran like a business. It is not my personal home but instead me and a few employees take care of quite a large farm area and I sell the produce for profit. We operate a few tractors and since getting them refilled with fuel from the nearest gas station is inefficient I decided to install a 1000 litre diesel tank underground.", + "original_question": "Do I have to follow oil storage regulations for businesses?" + }, + { + "id": "train-1392", + "question": "Scenario: I want to install a large oil tank at my home. I own a large house around 50 kilometres out of town and plan on using it as a heating source as well as to fuel my personal vehicles more conveniently. The tank size I am currently looking at is around 5000 litres. I want it to be large enough so I don't have to worry about filling it up every other month\n\nQuestion: Are there different regulations for storing oil at my home or for storing oil at a business?\n\nDocument - Storing oil at your home or business:\n## Overview\n\nYou have to follow certain regulations if you have an oil storage container at your home, business or farm.\n\nOil storage containers include tanks, drums, intermediate bulk containers (IBCs) and mobile containers called \u2018bowsers\u2019.\n\nThe person responsible for the property or premises is usually legally responsible for the oil storage container, for example the homeowner, business owner or site manager.\n\n## Which regulations to follow\n\nThe regulations are different depending on where you store your oil.\n\n## At your home\n\nYou normally have to follow building regulations if you have an oil storage container installed at your home.\n\nIf your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.\n\n## At your business\n\nYou have to follow oil storage regulations if the container at your business can hold 201 litres or more of certain types of oil.\n\nThe regulations for businesses also apply to public sector buildings like schools, hospitals, churches and residential care homes.\n\n## At your farm\n\nYou have to follow different regulations depending on whether you\u2019re storing oil:\n\n- for heat and power for agriculture, for example to fuel your tractor or run a grain dryer\n\n- to heat your farmhouse\n\n- for a separate part of your business, for example to fuel vehicles you hire out\n\n## Checking and labelling your tank\n\nYou should get your oil storage container inspected every year by a professional.\n\nThe person inspecting your tank will let you know when you should replace it.\n\nOil Care suggest that you look at your oil tank at least once a month, and learn what to do if you have an oil leak or spill.\n\n## Storing oil at your home\n\nYou must meet building regulations if you have a new or replacement oil storage container installed at your home in England, for example to fuel your cooker or central heating.\n\nBuilding regulations are different if your home is in Wales, Scotland or Northern Ireland.\n\nIf your storage container can hold 3,501 litres or more, you must follow the regulations for businesses.\n\n## Choosing someone to install your tank\n\nYou should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme. They can self-certify that their work complies with building regulations and can deal with building control issues, like objections.\n\nIf you do not use someone registered with a \u2018Competent Person\u2019 scheme, you\u2019ll have to get a Building Control Notice from your local council and arrange and pay for an inspection yourself.\n\nWithout approval you will not have the certificates of compliance you may need when you want to sell your home.\n\n## Penalties\n\nThe person installing your tank could be prosecuted and fined if they do not comply with building regulations.\n\nYou\u2019re also responsible for making sure their work meets the regulations. Your local authority could make you pay for faulty work to be fixed.\n\n## Catching oil leaks and spills\n\nThe person installing your tank will do a risk assessment, and they\u2019ll let you know if your tank has to have secondary containment (a \u2018bund\u2019). The bund must:\n\n- hold 110% of the tank\u2019s capacity\n\n- be impermeable to oil and water\n\nYou\u2019ll need a bund if your tank\u2019s in any of the following places:\n\n- where oil spills could run into an open drain or a loose manhole cover\n\n- where the tank vent pipes cannot be seen when the tank\u2019s being filled, for example because the delivery tanker is parked too far away\n\n- within 10 metres of coastal waters or inland fresh waters like lakes or streams\n\n- within 50 metres of a drinking water source, for example wells, boreholes or springs\n\n- where oil spills could run over hard ground and reach coastal waters, inland fresh waters or a drinking water source\n\n- in the inner zone of groundwater source protection zone 1\n\nYou\u2019ll also need a bund if your tank can hold more than 2,500 litres of oil.\n\nYour oil storage container must have a sticker in a prominent position that tells you how to look after your oil and what to do if you have a spill. The person installing your new tank will put this on - but you can find out how to order a new sticker.\n\n## Storing oil at your business\n\nYou must follow the regulations for businesses if your oil container can hold 201 litres or more of:\n\n- petrol\n\n- diesel\n\n- biofuels\n\n- kerosene\n\n- vegetable oil and plant-based oils, for example sunflower oil or aromatherapy oil - including waste cooking oil\n\n- synthetic oils, for example motor oil - including waste oil\n\n- oils used as solvents\n\n- biodegradable oils, for example lubricating or hydraulic oils\n\n- liquid bitumen-based products, for example waterproofing or damp proofing products, or coatings for a road surface\n\nThe regulations do not apply to:\n\n- liquid petroleum gas (LPG)\n\n- hydrocarbon products that are solid when unheated, like bitumen\n\n- solvents that are not oil based, for example trichloroethylene\n\n- aromatic hydrocarbons like benzene and toluene\n\n- waste mineral oils drained from vehicles, and mixtures of diesel and petrol that cannot be used as vehicle fuel\n\nYou must follow different regulations in Scotland, Northern Ireland and Wales.\n\n## Other exceptions\n\nYou do not have to follow oil storage regulations if your oil is:\n\n- on a farm and you use it for heat and power for agriculture or for your farmhouse\n\n- stored for distribution to other places\n\n- in use, for example lubrication in a hydraulic system\n\nThe regulations do not apply if your storage containers are:\n\n- underground\n\n- in a building that would capture leaking oil - contact your local council to find out if you have to meet any extra fire safety regulations\n\n- at a refinery\n\n- at a premises for onward distribution of oil - but not a premises which sells oil directly to end users or a premises that uses oil\n\nCheck if you need an environmental permit if you\u2019re storing certain waste oils.\n\n## Choosing someone to install your oil storage tank\n\nYou should choose someone who\u2019s registered with a \u2018Competent Person\u2019 scheme.\n\nYou\u2019re responsible for any pollution caused by problems with your oil storage container. You need to know the regulations about oil storage containers, including where it\u2019s located and how it\u2019s protected.\n\n## Penalties\n\nYou can be fined if you do not follow the oil storage regulations.\n\nThe Environment Agency can also serve an anti-pollution works notice to make you bring your tank up to legal requirements.\n\n## Get advice\n\nContact the Environment Agency if you have a question about following oil storage regulations in England.\n\nIf your business is outside England, contact one of the following:\n\n- Natural Resources Wales\n\n- Scottish Environment Protection Agency\n\n- Department of the Environment (Northern Ireland)", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/oil-storage-regulations-and-safety", + "answerable": true, + "scenario": "I want to install a large oil tank at my home. I own a large house around 50 kilometres out of town and plan on using it as a heating source as well as to fuel my personal vehicles more conveniently. The tank size I am currently looking at is around 5000 litres. I want it to be large enough so I don't have to worry about filling it up every other month", + "original_question": "Are there different regulations for storing oil at my home or for storing oil at a business?" + }, + { + "id": "train-1394", + "question": "Scenario: I am an American citizen who will be travelling to Paris on business this summer. I will be obliged to stop for a short conference in London and will be flying into Heathrow airport\n\nQuestion: Is it possible for me to get a visa for the UK for just a few hours?\n\nDocument - Visa to pass through the UK in transit:\n## Overview\n\nYou might need a visa to pass through the UK in transit (on your way to another country).\n\nCheck if you need one before you apply.\n\nTo get a transit visa you must prove that:\n\n- you\u2019ll be in transit to another country, with enough funds and the intention to travel on\n\n- you can enter that country\n\n- the only purpose of your visit to the UK is transit\n\nYou do not need a transit visa if you:\n\n- have an EEA family permit\n\n- have an EU Settlement Scheme family permit\n\n- have a Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- have a Standard Visitor visa\n\n- have a Marriage Visitor visa\n\n## Types of transit visa\n\nThe visa you need depends on whether you\u2019re going through UK border control when you arrive in the UK.\n\nYour airline can tell you if you\u2019ll go through border control.\n\n## You\u2019re not going through UK border control\n\nApply for a Direct Airside Transit visa (DATV) if you\u2019ll be changing flights in the UK and will not be going through UK border control.\n\n## You\u2019re going through UK border control\n\nApply for a Visitor in Transit visa if you\u2019ll be going through UK border control but leaving the UK within 48 hours.\n\nYou\u2019ll need to apply for a Standard Visitor visa if:\n\n- you need to stay longer in the UK\n\n- you can prove you need to frequently pass through the UK over a longer period\n\n## Fees\n\n- Direct Airside Transit visa (DATV) - \u00a335\n\n- Visitor in Transit visa - \u00a364\n\nThe cost may vary slightly depending on which country you\u2019re in.\n\n## Direct Airside Transit visa\n\nYou might need a Direct Airside Transit visa (DATV) if you:\n\n- will be changing flights in the UK on your way to another country\n\n- will not go through UK border control\n\nYou may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.\n\nYou do not need one if you have a valid:\n\n- EEA family permit\n\n- EU Settlement Scheme family permit\n\n- Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- Standard Visitor visa\n\n- Marriage Visitor visa\n\nYou must apply for another type of visitor visa if you\u2019re travelling to or from Ireland, the Channel Islands or the Isle of Man.\n\n## Documents you need\n\nTo apply for a DATV, you must have a current passport or other valid travel document.\n\nYou need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:\n\n- residence permit\n\n- green card\n\n- valid visa\n\nIf you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.\n\nYou must also provide evidence that your onward journey is booked or confirmed, such as:\n\n- a flight booking email\n\n- printed tickets\n\n- confirmation from a travel agent\n\nBring your visa and documents with you when you travel through the UK.\n\n## Apply\n\nYou must apply online for a Direct Airside Transit visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nYou may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.\n\nApply now\n\n## Visitor in Transit visa\n\nYou might need a Visitor in Transit visa if you\u2019re:\n\n- changing flights in the UK on your way to another country\n\n- going through UK border control, for example to check in your luggage for a connecting flight\n\n- leaving the UK within 48 hours\n\n- not working or studying while in the UK\n\nYou may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.\n\nIf you will not be going through UK border control, check if you need a Direct Airside Transit visa instead.\n\nYou do not need a transit visa if you have a valid:\n\n- EEA family permit\n\n- EU Settlement Scheme family permit\n\n- Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- Standard Visitor visa\n\n- Marriage Visitor visa\n\nYou need to apply for a Standard Visitor visa if you\u2019re staying in the UK for more than 48 hours.\n\n## Travel to the Channel Islands, the Isle of Man or Ireland\n\nYou might need to apply for a visitor visa to travel through the UK to get to the Channel Islands, the Isle of Man or Ireland.\n\nYou\u2019ll usually need to apply for a Standard Visitor visa unless you\u2019re exempt.\n\nYou do not need a UK visitor visa if:\n\n- you have a valid visa for the Channel Islands or the Isle of Man\n\n- you have a valid Irish biometric visa (marked \u2018BC\u2019 or \u2018BC BIVS\u2019 in the \u2018Remarks\u2019 section)\n\n## If you need to pass through the UK regularly\n\nYou can also apply for a long-term Standard Visitor visa if you need to pass through the UK in transit regularly over a longer period. You can stay for a maximum of 6 months on each visit and your visa can last for 2, 5 or 10 years.\n\n## Documents you need\n\nTo apply for a Visitor in Transit visa, you must have a current passport or other valid travel document.\n\nYou need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:\n\n- residence permit\n\n- green card\n\n- valid visa\n\nIf you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.\n\nYou must also provide evidence that your onward journey is booked or confirmed, such as:\n\n- a flight booking email\n\n- printed tickets\n\n- confirmation from a travel agent\n\nYour onward flight must be within 48 hours of your arrival in the UK.\n\nBring your visa and documents with you when you travel through the UK.\n\n## Apply\n\nYou must apply online for a Visitor in Transit visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nYou may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.\n\nApply now", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/transit-visa", + "answerable": true, + "scenario": "I am an American citizen who will be travelling to Paris on business this summer. I will be obliged to stop for a short conference in London and will be flying into Heathrow airport", + "original_question": "Is it possible for me to get a visa for the UK for just a few hours?" + }, + { + "id": "train-1395", + "question": "Scenario: I am an asylum seeker who has recently arrived from Syria with my family. I do not have permission to be in the UK but would not be safe if we returned to our home country.\n\nQuestion: As we are awaiting refugee status, do we still need a transit visa?\n\nDocument - Visa to pass through the UK in transit:\n## Overview\n\nYou might need a visa to pass through the UK in transit (on your way to another country).\n\nCheck if you need one before you apply.\n\nTo get a transit visa you must prove that:\n\n- you\u2019ll be in transit to another country, with enough funds and the intention to travel on\n\n- you can enter that country\n\n- the only purpose of your visit to the UK is transit\n\nYou do not need a transit visa if you:\n\n- have an EEA family permit\n\n- have an EU Settlement Scheme family permit\n\n- have a Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- have a Standard Visitor visa\n\n- have a Marriage Visitor visa\n\n## Types of transit visa\n\nThe visa you need depends on whether you\u2019re going through UK border control when you arrive in the UK.\n\nYour airline can tell you if you\u2019ll go through border control.\n\n## You\u2019re not going through UK border control\n\nApply for a Direct Airside Transit visa (DATV) if you\u2019ll be changing flights in the UK and will not be going through UK border control.\n\n## You\u2019re going through UK border control\n\nApply for a Visitor in Transit visa if you\u2019ll be going through UK border control but leaving the UK within 48 hours.\n\nYou\u2019ll need to apply for a Standard Visitor visa if:\n\n- you need to stay longer in the UK\n\n- you can prove you need to frequently pass through the UK over a longer period\n\n## Fees\n\n- Direct Airside Transit visa (DATV) - \u00a335\n\n- Visitor in Transit visa - \u00a364\n\nThe cost may vary slightly depending on which country you\u2019re in.\n\n## Direct Airside Transit visa\n\nYou might need a Direct Airside Transit visa (DATV) if you:\n\n- will be changing flights in the UK on your way to another country\n\n- will not go through UK border control\n\nYou may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.\n\nYou do not need one if you have a valid:\n\n- EEA family permit\n\n- EU Settlement Scheme family permit\n\n- Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- Standard Visitor visa\n\n- Marriage Visitor visa\n\nYou must apply for another type of visitor visa if you\u2019re travelling to or from Ireland, the Channel Islands or the Isle of Man.\n\n## Documents you need\n\nTo apply for a DATV, you must have a current passport or other valid travel document.\n\nYou need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:\n\n- residence permit\n\n- green card\n\n- valid visa\n\nIf you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.\n\nYou must also provide evidence that your onward journey is booked or confirmed, such as:\n\n- a flight booking email\n\n- printed tickets\n\n- confirmation from a travel agent\n\nBring your visa and documents with you when you travel through the UK.\n\n## Apply\n\nYou must apply online for a Direct Airside Transit visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nYou may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.\n\nApply now\n\n## Visitor in Transit visa\n\nYou might need a Visitor in Transit visa if you\u2019re:\n\n- changing flights in the UK on your way to another country\n\n- going through UK border control, for example to check in your luggage for a connecting flight\n\n- leaving the UK within 48 hours\n\n- not working or studying while in the UK\n\nYou may not have to apply for a visa. What you need to do depends on your nationality and whether you need to enter the UK. Check if you need to apply for a visa.\n\nIf you will not be going through UK border control, check if you need a Direct Airside Transit visa instead.\n\nYou do not need a transit visa if you have a valid:\n\n- EEA family permit\n\n- EU Settlement Scheme family permit\n\n- Home Office travel document, for example you\u2019re a refugee or stateless person\n\n- Standard Visitor visa\n\n- Marriage Visitor visa\n\nYou need to apply for a Standard Visitor visa if you\u2019re staying in the UK for more than 48 hours.\n\n## Travel to the Channel Islands, the Isle of Man or Ireland\n\nYou might need to apply for a visitor visa to travel through the UK to get to the Channel Islands, the Isle of Man or Ireland.\n\nYou\u2019ll usually need to apply for a Standard Visitor visa unless you\u2019re exempt.\n\nYou do not need a UK visitor visa if:\n\n- you have a valid visa for the Channel Islands or the Isle of Man\n\n- you have a valid Irish biometric visa (marked \u2018BC\u2019 or \u2018BC BIVS\u2019 in the \u2018Remarks\u2019 section)\n\n## If you need to pass through the UK regularly\n\nYou can also apply for a long-term Standard Visitor visa if you need to pass through the UK in transit regularly over a longer period. You can stay for a maximum of 6 months on each visit and your visa can last for 2, 5 or 10 years.\n\n## Documents you need\n\nTo apply for a Visitor in Transit visa, you must have a current passport or other valid travel document.\n\nYou need to provide evidence that you\u2019re allowed to enter the country you\u2019re travelling to, such as a:\n\n- residence permit\n\n- green card\n\n- valid visa\n\nIf you\u2019re not a resident or national of the country you\u2019re travelling to, you may need to explain why you\u2019re going there. You may need to provide details of where you\u2019re staying.\n\nYou must also provide evidence that your onward journey is booked or confirmed, such as:\n\n- a flight booking email\n\n- printed tickets\n\n- confirmation from a travel agent\n\nYour onward flight must be within 48 hours of your arrival in the UK.\n\nBring your visa and documents with you when you travel through the UK.\n\n## Apply\n\nYou must apply online for a Visitor in Transit visa.\n\nYou\u2019ll need to have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of your application.\n\nYou may be able to get your visa faster or other services depending on what country you\u2019re in - check with your visa application centre.\n\nApply now", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/transit-visa", + "answerable": true, + "scenario": "I am an asylum seeker who has recently arrived from Syria with my family. I do not have permission to be in the UK but would not be safe if we returned to our home country.", + "original_question": "As we are awaiting refugee status, do we still need a transit visa?" + }, + { + "id": "train-1396", + "question": "Scenario: I am married, live in England and currently earn \u00a310,200 pa from my job, plus another \u00a33,200 from a private pension. My wife earns a little over \u00a326,000 pa, and pays income tax at the basic rate.\n\nQuestion: If I claim marriage allowance, will my pension income be counted against my personal allowance when determining how much is transferred to my wife?\n\nDocument - Marriage Allowance:\n## How it works\n\nMarriage Allowance lets you transfer \u00a31,260 of your Personal Allowance to your husband, wife or civil partner.\n\nThis reduces their tax by up to \u00a3252 in the tax year (6 April to 5 April the next year).\n\nThis guide is also available in Welsh (Cymraeg).\n\nTo benefit as a couple, you (as the lower earner) must normally have an income below your Personal Allowance - this is usually \u00a312,570.\n\nYou can calculate how much tax you could save as a couple. You should call the Income Tax helpline instead if you receive other income such as dividends, savings or benefits from your job. You can also call if you do not know what your taxable income is.\n\nWhen you transfer some of your Personal Allowance to your husband, wife or civil partner you might have to pay more tax yourself, but you could still pay less as a couple.\n\n## Who can apply\n\nYou can benefit from Marriage Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you do not pay Income Tax or your income is below your Personal Allowance (usually \u00a312,570)\n\n- your partner pays Income Tax at the basic rate, which usually means their income is between \u00a312,571 and \u00a350,270 before they receive Marriage Allowance\n\nYou cannot claim Marriage Allowance if you\u2019re living together but you\u2019re not married or in a civil partnership.\n\nIf you\u2019re in Scotland, your partner must pay the starter, basic or intermediate rate, which usually means their income is between \u00a312,571 and \u00a343,662.\n\nIt will not affect your application for Marriage Allowance if you or your partner:\n\n- are currently receiving a pension\n\n- live abroad - as long as you get a Personal Allowance.\n\nIf you or your partner were born before 6 April 1935, you might benefit more as a couple by applying for Married Couple\u2019s Allowance instead.\n\nYou cannot get Marriage Allowance and Married Couple\u2019s Allowance at the same time.\n\n## Backdating your claim\n\nYou can backdate your claim to include any tax year since 5 April 2017 that you were eligible for Marriage Allowance.\n\nYour partner\u2019s tax bill will be reduced depending on the Personal Allowance rate for the years you\u2019re backdating.\n\nIf your partner has died since 5 April 2017 you can still claim - phone the Income Tax helpline. If your partner was the lower earner, the person responsible for managing their tax affairs needs to phone.\n\n## Stopping Marriage Allowance\n\nYour Personal Allowance will transfer automatically to your partner every year until you cancel Marriage Allowance - for example if your income changes or your relationship ends.\n\n## How to apply\n\nIt\u2019s free to apply for Marriage Allowance.\n\nIf both of you have no income other than your wages, then the person who earns the least should make the claim.\n\nIf either of you gets other income, such as dividends or savings, you may need to work out who should claim. You can call the Income Tax helpline if you\u2019re unsure.\n\nChanges to your Personal Allowances will be backdated to the start of the tax year (6 April) if your application is successful.\n\n## How your Personal Allowances change\n\nHM Revenue and Customs (HMRC) will give your partner the allowance you have transferred to them either:\n\n- by changing their tax code - this can take up to 2 months\n\n- when they send their Self Assessment tax return\n\nIf your new Personal Allowance is lower than your income after you\u2019ve made a claim, you might have to pay some income tax. However, you might still benefit as a couple.\n\n## How your tax code will change\n\nYou and your partner will get new tax codes that reflect the transferred allowance. Your tax code will end with:\n\n- \u2018M\u2019 if you are receiving the allowance\n\n- \u2018N\u2019 if you are transferring the allowance\n\nYour tax code will also change if you\u2019re employed or get a pension.\n\n## If your circumstances change\n\nYou must cancel Marriage Allowance if any of the following apply:\n\n- your relationship ends - because you\u2019ve divorced, ended (\u2018dissolved\u2019) your civil partnership or legally separated\n\n- your income changes and you\u2019re no longer eligible\n\n- you no longer want to claim\n\nIf your income changes and you\u2019re not sure if you should still claim, call HMRC Marriage Allowance enquiries.\n\n## How to cancel\n\nEither of you can cancel if your relationship has ended.\n\nIf you\u2019re cancelling for another reason, the person who made the claim must cancel.\n\n## Online\n\nYou can cancel Marriage Allowance online. You\u2019ll be asked to prove your identity using information HMRC holds about you.\n\n## By phone\n\nContact Marriage Allowance enquiries to cancel or get help.\n\n## After you cancel\n\nIf you cancel because of a change of income, the allowance will run until the end of the tax year (5 April).\n\nIf your relationship has ended, the change may be backdated to the start of the tax year (6 April).\n\nThis might mean you or your partner underpays tax for the year.\n\n## If your partner dies\n\nIf your partner dies after you\u2019ve transferred some of your Personal Allowance to them:\n\n- their estate will be treated as having the increased Personal Allowance\n\n- your Personal Allowance will go back to the normal amount\n\nIf your partner transferred some of their Personal Allowance to you before they died:\n\n- your Personal Allowance will remain at the higher level until the end of the tax year (5 April)\n\n- their estate will be treated as having the smaller amount", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/marriage-allowance", + "answerable": true, + "scenario": "I am married, live in England and currently earn \u00a310,200 pa from my job, plus another \u00a33,200 from a private pension. My wife earns a little over \u00a326,000 pa, and pays income tax at the basic rate.", + "original_question": "If I claim marriage allowance, will my pension income be counted against my personal allowance when determining how much is transferred to my wife?" + }, + { + "id": "train-1397", + "question": "Scenario: My wife and I live in Wales and have claimed marriage allowance for the past six years, which has allowed some of my personal allowance to be transferred to her each year. However, she is now terminally ill and I am reluctantly being forced to consider what will happen on her death.\n\nQuestion: Will my allowance revert to normal on her death, and will the amount that I have transferred already be counted against her estate?\n\nDocument - Marriage Allowance:\n## How it works\n\nMarriage Allowance lets you transfer \u00a31,260 of your Personal Allowance to your husband, wife or civil partner.\n\nThis reduces their tax by up to \u00a3252 in the tax year (6 April to 5 April the next year).\n\nThis guide is also available in Welsh (Cymraeg).\n\nTo benefit as a couple, you (as the lower earner) must normally have an income below your Personal Allowance - this is usually \u00a312,570.\n\nYou can calculate how much tax you could save as a couple. You should call the Income Tax helpline instead if you receive other income such as dividends, savings or benefits from your job. You can also call if you do not know what your taxable income is.\n\nWhen you transfer some of your Personal Allowance to your husband, wife or civil partner you might have to pay more tax yourself, but you could still pay less as a couple.\n\n## Who can apply\n\nYou can benefit from Marriage Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you do not pay Income Tax or your income is below your Personal Allowance (usually \u00a312,570)\n\n- your partner pays Income Tax at the basic rate, which usually means their income is between \u00a312,571 and \u00a350,270 before they receive Marriage Allowance\n\nYou cannot claim Marriage Allowance if you\u2019re living together but you\u2019re not married or in a civil partnership.\n\nIf you\u2019re in Scotland, your partner must pay the starter, basic or intermediate rate, which usually means their income is between \u00a312,571 and \u00a343,662.\n\nIt will not affect your application for Marriage Allowance if you or your partner:\n\n- are currently receiving a pension\n\n- live abroad - as long as you get a Personal Allowance.\n\nIf you or your partner were born before 6 April 1935, you might benefit more as a couple by applying for Married Couple\u2019s Allowance instead.\n\nYou cannot get Marriage Allowance and Married Couple\u2019s Allowance at the same time.\n\n## Backdating your claim\n\nYou can backdate your claim to include any tax year since 5 April 2017 that you were eligible for Marriage Allowance.\n\nYour partner\u2019s tax bill will be reduced depending on the Personal Allowance rate for the years you\u2019re backdating.\n\nIf your partner has died since 5 April 2017 you can still claim - phone the Income Tax helpline. If your partner was the lower earner, the person responsible for managing their tax affairs needs to phone.\n\n## Stopping Marriage Allowance\n\nYour Personal Allowance will transfer automatically to your partner every year until you cancel Marriage Allowance - for example if your income changes or your relationship ends.\n\n## How to apply\n\nIt\u2019s free to apply for Marriage Allowance.\n\nIf both of you have no income other than your wages, then the person who earns the least should make the claim.\n\nIf either of you gets other income, such as dividends or savings, you may need to work out who should claim. You can call the Income Tax helpline if you\u2019re unsure.\n\nChanges to your Personal Allowances will be backdated to the start of the tax year (6 April) if your application is successful.\n\n## How your Personal Allowances change\n\nHM Revenue and Customs (HMRC) will give your partner the allowance you have transferred to them either:\n\n- by changing their tax code - this can take up to 2 months\n\n- when they send their Self Assessment tax return\n\nIf your new Personal Allowance is lower than your income after you\u2019ve made a claim, you might have to pay some income tax. However, you might still benefit as a couple.\n\n## How your tax code will change\n\nYou and your partner will get new tax codes that reflect the transferred allowance. Your tax code will end with:\n\n- \u2018M\u2019 if you are receiving the allowance\n\n- \u2018N\u2019 if you are transferring the allowance\n\nYour tax code will also change if you\u2019re employed or get a pension.\n\n## If your circumstances change\n\nYou must cancel Marriage Allowance if any of the following apply:\n\n- your relationship ends - because you\u2019ve divorced, ended (\u2018dissolved\u2019) your civil partnership or legally separated\n\n- your income changes and you\u2019re no longer eligible\n\n- you no longer want to claim\n\nIf your income changes and you\u2019re not sure if you should still claim, call HMRC Marriage Allowance enquiries.\n\n## How to cancel\n\nEither of you can cancel if your relationship has ended.\n\nIf you\u2019re cancelling for another reason, the person who made the claim must cancel.\n\n## Online\n\nYou can cancel Marriage Allowance online. You\u2019ll be asked to prove your identity using information HMRC holds about you.\n\n## By phone\n\nContact Marriage Allowance enquiries to cancel or get help.\n\n## After you cancel\n\nIf you cancel because of a change of income, the allowance will run until the end of the tax year (5 April).\n\nIf your relationship has ended, the change may be backdated to the start of the tax year (6 April).\n\nThis might mean you or your partner underpays tax for the year.\n\n## If your partner dies\n\nIf your partner dies after you\u2019ve transferred some of your Personal Allowance to them:\n\n- their estate will be treated as having the increased Personal Allowance\n\n- your Personal Allowance will go back to the normal amount\n\nIf your partner transferred some of their Personal Allowance to you before they died:\n\n- your Personal Allowance will remain at the higher level until the end of the tax year (5 April)\n\n- their estate will be treated as having the smaller amount", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/marriage-allowance", + "answerable": true, + "scenario": "My wife and I live in Wales and have claimed marriage allowance for the past six years, which has allowed some of my personal allowance to be transferred to her each year. However, she is now terminally ill and I am reluctantly being forced to consider what will happen on her death.", + "original_question": "Will my allowance revert to normal on her death, and will the amount that I have transferred already be counted against her estate?" + }, + { + "id": "train-1398", + "question": "Scenario: I have been watching a lot of TV on hunting and am really excited to try it myself. I do want to do it legally since I have no interest in breaking the law. I know about the hunting/ shooting seasons but I am not sure where they apply.\n\nQuestion: Can I hunt bird outside of the hunting season?\n\nDocument - Hunting and shooting wildlife:\n## Overview\n\nYou must follow the rules for hunting and shooting wildlife including:\n\n- what you can hunt or shoot\n\n- when you can do it\n\n- what equipment you can use\n\nYou can be fined or jailed for hunting illegally or causing unnecessary suffering to an animal.\n\nYou must have permission from the land owner.\n\n## Firearms and shotgun certificates\n\nYou must get a certificate to use a shotgun, rifle or other firearm.\n\nYou don\u2019t need a certificate for:\n\n- air rifles up to 12ft lb in power\n\n- air pistols up to 6ft lb in power\n\nYou can\u2019t use:\n\n- bows or crossbows\n\n- explosives (other than the legal ammunition for a firearm)\n\n## Managing wildlife and controlling pests\n\nThere are different rules about what you can do to manage wildlife on your land or control pests on your property.\n\n## Birds\n\nYou can shoot certain species of game birds, quarry birds and waterfowl but only during the shooting season.\n\nSometimes you can only shoot in certain locations, for example you can\u2019t shoot some waterfowl above the high water line.\n\nYou can\u2019t shoot birds in the closed season.\n\nYou must get a falconry licence to hunt birds with a falcon.\n\n## Equipment\n\nIf you\u2019re using a shotgun to shoot birds, the internal diameter of the shotgun can\u2019t be more than 1.75 inches.\n\nYou can\u2019t use:\n\n- a firearm that can hold more than 2 rounds of ammunition in the magazine (such as an automatic or semi-automatic weapon)\n\n- artificial lighting\n\n- a sighting device for night shooting, or a device for lighting up targets\n\n## Mammals\n\nThere are different rules for foxes, deer and other mammals.\n\n## Foxes\n\nIt\u2019s illegal to hunt foxes with a pack of dogs. You can use dogs to simulate hunting, for example \u2018drag\u2019 or \u2018trail\u2019 hunting.\n\nYou can use up to 2 dogs to chase (\u2018flush\u2019 or \u2018stalk\u2019) foxes out of hiding if the fox is causing damage to your property or the environment.\n\nYour dogs can\u2019t go underground to find the foxes unless they\u2019re threatening wild or game birds kept for shooting - only one dog can go underground at any time.\n\nYou must:\n\n- shoot the fox quickly after it\u2019s been found\n\n- carry proof you own the land you\u2019re shooting on or written permission from the landowner\n\nYou can be fined, and your dogs or hunting equipment taken away, if you break the law.\n\nThere are other ways you can control foxes if they\u2019re causing damage to your property or the environment.\n\n## Deer\n\nYou must follow the restrictions on when you can shoot deer and what type of firearms and ammunition you can use.\n\nYou need a licence to shoot deer:\n\n- in the closed season\n\n- at night (at any time of the year)\n\nYou can\u2019t use a vehicle to chase deer.\n\n## Other mammals\n\nYou can hunt or shoot some other mammals.\n\nThere are rules on when you can hunt or shoot and what equipment you can use.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/hunting", + "answerable": true, + "scenario": "I have been watching a lot of TV on hunting and am really excited to try it myself. I do want to do it legally since I have no interest in breaking the law. I know about the hunting/ shooting seasons but I am not sure where they apply.", + "original_question": "Can I hunt bird outside of the hunting season?" + }, + { + "id": "train-1399", + "question": "Scenario: A couple of friends got me in hunting this season and I plan on giving it a try. They are both using firearms but since I practice archery as a sport I have a bow which I plan on using when I join them.\n\nQuestion: Am I permitted to use my bow for hunting wildlife?\n\nDocument - Hunting and shooting wildlife:\n## Overview\n\nYou must follow the rules for hunting and shooting wildlife including:\n\n- what you can hunt or shoot\n\n- when you can do it\n\n- what equipment you can use\n\nYou can be fined or jailed for hunting illegally or causing unnecessary suffering to an animal.\n\nYou must have permission from the land owner.\n\n## Firearms and shotgun certificates\n\nYou must get a certificate to use a shotgun, rifle or other firearm.\n\nYou don\u2019t need a certificate for:\n\n- air rifles up to 12ft lb in power\n\n- air pistols up to 6ft lb in power\n\nYou can\u2019t use:\n\n- bows or crossbows\n\n- explosives (other than the legal ammunition for a firearm)\n\n## Managing wildlife and controlling pests\n\nThere are different rules about what you can do to manage wildlife on your land or control pests on your property.\n\n## Birds\n\nYou can shoot certain species of game birds, quarry birds and waterfowl but only during the shooting season.\n\nSometimes you can only shoot in certain locations, for example you can\u2019t shoot some waterfowl above the high water line.\n\nYou can\u2019t shoot birds in the closed season.\n\nYou must get a falconry licence to hunt birds with a falcon.\n\n## Equipment\n\nIf you\u2019re using a shotgun to shoot birds, the internal diameter of the shotgun can\u2019t be more than 1.75 inches.\n\nYou can\u2019t use:\n\n- a firearm that can hold more than 2 rounds of ammunition in the magazine (such as an automatic or semi-automatic weapon)\n\n- artificial lighting\n\n- a sighting device for night shooting, or a device for lighting up targets\n\n## Mammals\n\nThere are different rules for foxes, deer and other mammals.\n\n## Foxes\n\nIt\u2019s illegal to hunt foxes with a pack of dogs. You can use dogs to simulate hunting, for example \u2018drag\u2019 or \u2018trail\u2019 hunting.\n\nYou can use up to 2 dogs to chase (\u2018flush\u2019 or \u2018stalk\u2019) foxes out of hiding if the fox is causing damage to your property or the environment.\n\nYour dogs can\u2019t go underground to find the foxes unless they\u2019re threatening wild or game birds kept for shooting - only one dog can go underground at any time.\n\nYou must:\n\n- shoot the fox quickly after it\u2019s been found\n\n- carry proof you own the land you\u2019re shooting on or written permission from the landowner\n\nYou can be fined, and your dogs or hunting equipment taken away, if you break the law.\n\nThere are other ways you can control foxes if they\u2019re causing damage to your property or the environment.\n\n## Deer\n\nYou must follow the restrictions on when you can shoot deer and what type of firearms and ammunition you can use.\n\nYou need a licence to shoot deer:\n\n- in the closed season\n\n- at night (at any time of the year)\n\nYou can\u2019t use a vehicle to chase deer.\n\n## Other mammals\n\nYou can hunt or shoot some other mammals.\n\nThere are rules on when you can hunt or shoot and what equipment you can use.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/hunting", + "answerable": true, + "scenario": "A couple of friends got me in hunting this season and I plan on giving it a try. They are both using firearms but since I practice archery as a sport I have a bow which I plan on using when I join them.", + "original_question": "Am I permitted to use my bow for hunting wildlife?" + }, + { + "id": "train-1400", + "question": "Scenario: I am currently unemployed and i am receiving a jobseekers allowance. the other day i got a P800 in the mail.\n\nQuestion: Does the P800 come by mistake?\n\nDocument - Tax overpayments and underpayments:\n## Your tax calculation\n\nIf you\u2019re employed or get a pension, your employer or pension provider uses your tax code to work out how much tax to take from you.\n\nYou could still be paying too much or too little tax. For example, if you got a company benefit or pay rise that HMRC did not know about, and so they did not update your tax code.\n\nIf you have not paid the right amount at the end of the tax year, HMRC will send you a P800 or a Simple Assessment tax calculation.\n\nYour P800 or Simple Assessment will tell you how to get a refund or pay tax you owe.\n\nYou will not get a P800 or Simple Assessment if you\u2019re registered for Self Assessment. Your bill will be adjusted automatically if you\u2019ve underpaid or overpaid tax.\n\n## When you might get a P800\n\nYou might get a P800 if you:\n\n- finished one job, started a new one and were paid by both in the same month\n\n- started receiving a pension at work\n\n- received Employment and Support Allowance or Jobseeker\u2019s Allowance\n\nP800s are sent out after the tax year ends on 5 April. You\u2019ll normally get yours by the end of November.\n\n## When you might get a Simple Assessment letter\n\nYou might get a Simple Assessment letter if you:\n\n- owe tax that cannot be automatically taken out of your income\n\n- owe HMRC more than \u00a33,000\n\n- have to pay tax on the State Pension\n\nYou can pay your Simple Assessment bill online.\n\n## Checking your tax calculation\n\nYour letter will show the income you should have paid tax on. This includes any income from pay, pensions, state benefits, savings interest and employee benefits.\n\nCompare the figures with your records, for example your P60, bank statements or letters from the Department for Work and Pensions. If your state benefit was paid every 4 weeks, work out the total paid in a year by multiplying your regular payment by 13 (not 12).\n\nYou may be able to use the HMRC tax checker to work out how much tax you should have paid.\n\n## If you think your tax calculation is wrong\n\nContact HMRC if you think the amounts used in your letter are wrong, or HMRC did not act on information you gave them.\n\nYou have 60 days to query your simple assessment in writing or by telephone. The details of how to do that will be mentioned in your Simple Assesment letter.\n\n## If your P800 says you're due a refund\n\nYour P800 tax calculation will tell you how you can get your refund.\n\n## If your P800 says you can claim online\n\nYour P800 will tell you if you can claim your refund online. You\u2019ll be sent the money within 5 working days - it\u2019ll be in your UK account once your bank has processed the payment.\n\nIf you do not claim within 21 days, HM Revenue and Customs (HMRC) will send you a cheque. You\u2019ll get this within 6 weeks of the date on your P800.\n\nContact HMRC if you cannot claim your refund online.\n\n## If your P800 says you\u2019ll get a cheque\n\nYour P800 will tell you if HMRC will send you a cheque. You do not need to make a claim.\n\nYou\u2019ll get your cheque within 14 days of the date on your P800. If you\u2019re owed tax from more than one year, you\u2019ll get a single cheque for the entire amount.\n\n## If you do not have a P800\n\nYou can check how much Income Tax you should have paid.\n\nContact HMRC if you think you\u2019ve paid too much tax. If they agree, they\u2019ll send you a P800.\n\n## If your P800 says you owe tax\n\nHM Revenue and Customs (HMRC) will usually collect the tax you owe in instalments over the next year. This will happen automatically if you:\n\n- pay Income Tax through an employer or pension provider\n\n- earn enough income over your Personal Allowance to cover the underpayment\n\n- owe less than \u00a33,000\n\nHMRC will write to you about how you can pay if they cannot collect the money this way.\n\n## Other ways to pay\n\n## Online\n\nYour P800 will tell you if you can pay the tax you owe online.\n\n## By post\n\nYou can pay with a cheque, made payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your National Insurance Number on the back of the cheque. Send it with a covering letter including:\n\n- your full name and address\n\n- your National Insurance number\n\n- the amount of the payment\n\n- what the payment relates to, for example, PAYE\n\n- the year the payment is for\n\nAllow 3 working days for your payment to reach HMRC. Send your cheque to:\n\nYou do not need to include a street name, city name or PO box with this address.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-overpayments-and-underpayments", + "answerable": true, + "scenario": "I am currently unemployed and i am receiving a jobseekers allowance. the other day i got a P800 in the mail.", + "original_question": "Does the P800 come by mistake?" + }, + { + "id": "train-1402", + "question": "Scenario: I am a sole business trader with a high running cost . I spend a lot of money paying employees bonuses, benefits, and training costs.\n\nQuestion: Can i claim a tax relief?\n\nDocument - Claim Income Tax reliefs:\n## Overview\n\n\u2018Tax relief\u2019 means that you either:\n\n- pay less tax to take account of money you\u2019ve spent on specific things, like business expenses if you\u2019re self-employed\n\n- get tax back or get it repaid in another way, like into a personal pension\n\nYou get some types of tax relief automatically - but some you must apply for.\n\n## When you can get tax relief\n\nTax relief applies to pension contributions, charity donations, maintenance payments and time spent working on a ship outside the UK.\n\nIt also applies to work or business expenses \u2013\u00a0you may be able to:\n\n- get tax relief on what you spend running your business if you\u2019re self-employed (a sole trader or partner in a partnership)\n\n- claim tax relief if you\u2019re employed and you use your own money for travel and things that you must buy for your job\n\n## Charity donations: tax relief\n\nDonations to charity from individuals are tax free. You can get tax relief if you donate:\n\n- through Gift Aid\n\n- straight from your wages or pension, through Payroll Giving\n\n## Donations through Gift Aid\n\nCharities and community amateur sports clubs (CASCs) can register with HM Revenue and Customs (HMRC) to be part of the Gift Aid scheme. When they\u2019re registered, they can claim back the tax you\u2019ve already paid on your donation.\n\nThe charity or CASC will give you a form to sign. They must also have an HMRC charity reference number - ask the charity or CASC if you\u2019re not sure.\n\nIf the charity or CASC gets back more tax than you\u2019ve paid, HMRC may ask you to pay more tax to cover the difference.\n\n## You pay Income Tax above the 20% basic rate\n\nYou can claim back the difference between the tax you\u2019ve paid on the donation and what the charity got back when you fill in your Self Assessment tax return.\n\nIf you don\u2019t fill in a Self Assessment tax return, call HMRC to tell them about your charity donations.\n\n## You get Married Couple\u2019s Allowance\n\nYour tax-free allowance may increase if you make donations through Gift Aid and claim Married Couple\u2019s Allowance.\n\nIf you fill in a Self Assessment tax return, your allowance will be adjusted automatically if it needs to be.\n\nIf you don\u2019t, call HMRC to tell them about your charity donations.\n\n## Payroll Giving schemes\n\nIf your employer or pension provider offers a Payroll Giving scheme, any donations you give through the scheme will be taken before Income Tax is taken off.\n\nYou\u2019ll still pay National Insurance contributions on the amount of your donation. But you won\u2019t pay any Income Tax on the amount you donate.\n\n## Maintenance payments: tax relief\n\nMaintenance Payments Relief reduces your Income Tax if you make maintenance payments to an ex-spouse or civil partner.\n\nYou can get it if all of the following apply:\n\n- either of you were born before 6 April 1935\n\n- you\u2019re paying maintenance under a court order after the relationship has ended\n\n- the payments are for the maintenance of your ex-spouse or former civil partner (provided they aren\u2019t now remarried or in a new civil partnership) or for your children who are under 21\n\nMaintenance Payments Relief is worth 10% of the maintenance you pay to your ex-spouse or civil partner, up to a maximum of \u00a3326 a year (or 10% of \u00a33,260).\n\nTo claim it, call HM Revenue and Customs (HMRC).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/income-tax-reliefs", + "answerable": true, + "scenario": "I am a sole business trader with a high running cost . I spend a lot of money paying employees bonuses, benefits, and training costs.", + "original_question": "Can i claim a tax relief?" + }, + { + "id": "train-1408", + "question": "Scenario: I have built a brand new home in Bradford. I was thinking about using it for a charity as i have not lived in it for 3 years. The materials set me back a lot of money.\n\nQuestion: Would I be able to claim a VAT refund?\n\nDocument - Building a new home and VAT:\n## Overview\n\nYou can apply for a VAT refund on building materials and services if you\u2019re:\n\n- building a new home\n\n- converting a property into a home\n\n- building a non-profit communal residence - eg a hospice\n\n- building a property for a charity\n\nThe building work and materials have to qualify and you must apply to HM Revenue and Customs (HMRC) within 3 months of completing the work.\n\nThere is a separate guide to VAT if you\u2019re working in the construction industry.\n\n## Eligibility\n\nThe application form has guidance on what building projects and materials qualify for a VAT refund. The basics are listed below.\n\n## New homes\n\nThe home must:\n\n- be separate and self-contained\n\n- be for you or your family to live or holiday in\n\n- not be for business purposes (you can use one room as a work from home office)\n\nBuilders working on new buildings should be zero-rated anyway and you won\u2019t pay any VAT on their services.\n\n## Conversions\n\nThe building being converted must usually be a non-residential building. Residential buildings qualify if they haven\u2019t been lived in for at least 10 years.\n\nYou may claim a refund for builders\u2019 work on a conversion of non-residential building into a home.\n\nFor other conversions builders can charge a reduced VAT rate.\n\n## Communal and charity buildings\n\nYou may get a VAT refund if the building is for one of the following purposes:\n\n- non-business - you can\u2019t charge a fee for the use of the building\n\n- charitable, for example a hospice\n\n- residential, for example a children\u2019s home\n\n## Building materials\n\nYou may claim a VAT refund for building materials that are incorporated into the building and can\u2019t be removed without tools or damaging the building.\n\n## What doesn\u2019t qualify\n\nYou can\u2019t get a VAT refund for:\n\n- building projects in the Channel Islands\n\n- materials or services that don\u2019t have any VAT - for example, they were zero-rated or exempt\n\n- professional or supervisory fees - for example, architects or surveyors\n\n- hiring machinery or equipment\n\n- buildings for business purposes\n\n- buildings that can\u2019t be sold or used separately from another property because of a planning permission condition\n\n- building materials that aren\u2019t permanently attached to or part of the building itself\n\n- fitted furniture, some electrical and gas appliances, carpets or garden ornaments\n\n## How to claim\n\nFill in form 431NB to claim a VAT refund on a new build, or 431C to claim for a conversion.\n\nSend your claim form to HM Revenue and Customs (HMRC).\n\nYou must claim within 3 months of the building work being completed.\n\n## What you need to include\n\nYou must include all the documents listed in the claim form as part of your application.\n\nIf an invoice is in your business\u2019s name, you\u2019ll need proof that you\u2019ve refunded the amount from your personal bank - for example, a bank statement.\n\nVAT invoices must be valid and show the correct rate of VAT or they will not be accepted. For invoices not in sterling, convert the amounts into sterling.\n\n## How long it takes\n\nHMRC will write to you about when you can expect your VAT refund if your claim is successful. They will usually write to you within 6 weeks.\n\n## Help with VAT for building materials\n\nContact HMRC if you have further questions.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-building-new-home", + "answerable": true, + "scenario": "I have built a brand new home in Bradford. I was thinking about using it for a charity as i have not lived in it for 3 years. The materials set me back a lot of money.", + "original_question": "Would I be able to claim a VAT refund?" + }, + { + "id": "train-1410", + "question": "Scenario: I am about to get engaged to my partner and want to know what the tax implications will be once we actually get married.\n\nQuestion: Can I share my tax free allowance with my partner?\n\nDocument - Marriage Allowance:\n## How it works\n\nMarriage Allowance lets you transfer \u00a31,260 of your Personal Allowance to your husband, wife or civil partner.\n\nThis reduces their tax by up to \u00a3252 in the tax year (6 April to 5 April the next year).\n\nThis guide is also available in Welsh (Cymraeg).\n\nTo benefit as a couple, you (as the lower earner) must normally have an income below your Personal Allowance - this is usually \u00a312,570.\n\nYou can calculate how much tax you could save as a couple. You should call the Income Tax helpline instead if you receive other income such as dividends, savings or benefits from your job. You can also call if you do not know what your taxable income is.\n\nWhen you transfer some of your Personal Allowance to your husband, wife or civil partner you might have to pay more tax yourself, but you could still pay less as a couple.\n\n## Who can apply\n\nYou can benefit from Marriage Allowance if all the following apply:\n\n- you\u2019re married or in a civil partnership\n\n- you do not pay Income Tax or your income is below your Personal Allowance (usually \u00a312,570)\n\n- your partner pays Income Tax at the basic rate, which usually means their income is between \u00a312,571 and \u00a350,270 before they receive Marriage Allowance\n\nYou cannot claim Marriage Allowance if you\u2019re living together but you\u2019re not married or in a civil partnership.\n\nIf you\u2019re in Scotland, your partner must pay the starter, basic or intermediate rate, which usually means their income is between \u00a312,571 and \u00a343,662.\n\nIt will not affect your application for Marriage Allowance if you or your partner:\n\n- are currently receiving a pension\n\n- live abroad - as long as you get a Personal Allowance.\n\nIf you or your partner were born before 6 April 1935, you might benefit more as a couple by applying for Married Couple\u2019s Allowance instead.\n\nYou cannot get Marriage Allowance and Married Couple\u2019s Allowance at the same time.\n\n## Backdating your claim\n\nYou can backdate your claim to include any tax year since 5 April 2017 that you were eligible for Marriage Allowance.\n\nYour partner\u2019s tax bill will be reduced depending on the Personal Allowance rate for the years you\u2019re backdating.\n\nIf your partner has died since 5 April 2017 you can still claim - phone the Income Tax helpline. If your partner was the lower earner, the person responsible for managing their tax affairs needs to phone.\n\n## Stopping Marriage Allowance\n\nYour Personal Allowance will transfer automatically to your partner every year until you cancel Marriage Allowance - for example if your income changes or your relationship ends.\n\n## How to apply\n\nIt\u2019s free to apply for Marriage Allowance.\n\nIf both of you have no income other than your wages, then the person who earns the least should make the claim.\n\nIf either of you gets other income, such as dividends or savings, you may need to work out who should claim. You can call the Income Tax helpline if you\u2019re unsure.\n\nChanges to your Personal Allowances will be backdated to the start of the tax year (6 April) if your application is successful.\n\n## How your Personal Allowances change\n\nHM Revenue and Customs (HMRC) will give your partner the allowance you have transferred to them either:\n\n- by changing their tax code - this can take up to 2 months\n\n- when they send their Self Assessment tax return\n\nIf your new Personal Allowance is lower than your income after you\u2019ve made a claim, you might have to pay some income tax. However, you might still benefit as a couple.\n\n## How your tax code will change\n\nYou and your partner will get new tax codes that reflect the transferred allowance. Your tax code will end with:\n\n- \u2018M\u2019 if you are receiving the allowance\n\n- \u2018N\u2019 if you are transferring the allowance\n\nYour tax code will also change if you\u2019re employed or get a pension.\n\n## If your circumstances change\n\nYou must cancel Marriage Allowance if any of the following apply:\n\n- your relationship ends - because you\u2019ve divorced, ended (\u2018dissolved\u2019) your civil partnership or legally separated\n\n- your income changes and you\u2019re no longer eligible\n\n- you no longer want to claim\n\nIf your income changes and you\u2019re not sure if you should still claim, call HMRC Marriage Allowance enquiries.\n\n## How to cancel\n\nEither of you can cancel if your relationship has ended.\n\nIf you\u2019re cancelling for another reason, the person who made the claim must cancel.\n\n## Online\n\nYou can cancel Marriage Allowance online. You\u2019ll be asked to prove your identity using information HMRC holds about you.\n\n## By phone\n\nContact Marriage Allowance enquiries to cancel or get help.\n\n## After you cancel\n\nIf you cancel because of a change of income, the allowance will run until the end of the tax year (5 April).\n\nIf your relationship has ended, the change may be backdated to the start of the tax year (6 April).\n\nThis might mean you or your partner underpays tax for the year.\n\n## If your partner dies\n\nIf your partner dies after you\u2019ve transferred some of your Personal Allowance to them:\n\n- their estate will be treated as having the increased Personal Allowance\n\n- your Personal Allowance will go back to the normal amount\n\nIf your partner transferred some of their Personal Allowance to you before they died:\n\n- your Personal Allowance will remain at the higher level until the end of the tax year (5 April)\n\n- their estate will be treated as having the smaller amount", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/marriage-allowance", + "answerable": true, + "scenario": "I am about to get engaged to my partner and want to know what the tax implications will be once we actually get married.", + "original_question": "Can I share my tax free allowance with my partner?" + }, + { + "id": "train-1412", + "question": "Scenario: A fellow business owner and a close friend of mine told me about the VAT Cash Accounting Scheme. I was instantly interested since it seems like something that will benefit my business a lot. He mentioned that there is a VAT taxable turnover limit for people to be eligible. Last year my taxable turnover was a little over \u00a3250000.\n\nQuestion: Am I eligible to apply for the scheme?\n\nDocument - VAT Cash Accounting Scheme:\n## Overview\n\nUsually, the amount of VAT you pay HM Revenue and Customs (HMRC) is the difference between your sales invoices and purchase invoices. You have to\nreport these figures and pay any money to HMRC even if the invoices have not been paid.\n\nWith the Cash Accounting Scheme you:\n\n- pay VAT on your sales when your customers pay you\n\n- reclaim VAT on your purchases when you have paid your supplier\n\nTo join the scheme your VAT taxable turnover must be \u00a31.35 million or less.\n\nTalk to an accountant or tax adviser if you want advice on whether the Cash Accounting Scheme is right for you.\n\n## Eligibility\n\nYou can use cash accounting if:\n\n- your business is registered for VAT\n\n- your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use cash accounting if:\n\n- you use the VAT Flat Rate Scheme - instead, the Flat Rate Scheme has its own cash-based turnover method\n\n- you\u2019re not up to date with your VAT Returns or payments\n\n- you\u2019ve committed a VAT offence in the last 12 months, for example VAT evasion\n\nYou cannot use it for the following transactions (you have to use standard VAT accounting instead):\n\n- where the payment terms of a VAT invoice are 6 months or more\n\n- where a VAT invoice is raised in advance\n\n- buying or selling goods using lease purchase, hire purchase, conditional sale or credit sale\n\n- importing goods into Northern Ireland from the EU\n\n- moving goods outside a customs warehouse\n\nYou must leave the scheme if your VAT taxable turnover is more than \u00a31.6 million\n\n## Join or leave the scheme\n\n## How to join\n\nYou must be eligible to join the scheme. You join at the beginning of a VAT accounting period.\n\nYou do not have to tell HM Revenue and Customs (HMRC) you use cash accounting.\n\n## How to leave\n\nYou can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to use it. You should leave at the end of a VAT accounting period.\n\nYou do not have to tell HMRC you\u2019ve stopped using it, but you must report and pay HMRC any outstanding VAT (whether your customers have paid you or not).\n\nYou can report and pay the outstanding VAT over 6 months.\n\nIf your VAT taxable turnover exceeded \u00a31.35 million in the last 3 months you must report and pay straight away.\n\nYou must pay immediately if HMRC has written to you to withdraw your use of the scheme.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-cash-accounting-scheme", + "answerable": true, + "scenario": "A fellow business owner and a close friend of mine told me about the VAT Cash Accounting Scheme. I was instantly interested since it seems like something that will benefit my business a lot. He mentioned that there is a VAT taxable turnover limit for people to be eligible. Last year my taxable turnover was a little over \u00a3250000.", + "original_question": "Am I eligible to apply for the scheme?" + }, + { + "id": "train-1413", + "question": "Scenario: I have been a part of the VAT Cash Accounting Scheme for over a year now. Since I was accepted into the scheme my VAT taxable turnover exceeded \u00a31.5 million. I know that is over the limit to be eligible for the scheme but I was already accepted and have been using it for a while.\n\nQuestion: Do I need to withdraw from the scheme?\n\nDocument - VAT Cash Accounting Scheme:\n## Overview\n\nUsually, the amount of VAT you pay HM Revenue and Customs (HMRC) is the difference between your sales invoices and purchase invoices. You have to\nreport these figures and pay any money to HMRC even if the invoices have not been paid.\n\nWith the Cash Accounting Scheme you:\n\n- pay VAT on your sales when your customers pay you\n\n- reclaim VAT on your purchases when you have paid your supplier\n\nTo join the scheme your VAT taxable turnover must be \u00a31.35 million or less.\n\nTalk to an accountant or tax adviser if you want advice on whether the Cash Accounting Scheme is right for you.\n\n## Eligibility\n\nYou can use cash accounting if:\n\n- your business is registered for VAT\n\n- your estimated VAT taxable turnover is \u00a31.35 million or less in the next 12 months\n\nVAT taxable turnover is the total of everything sold that is not VAT exempt.\n\n## Exceptions\n\nYou cannot use cash accounting if:\n\n- you use the VAT Flat Rate Scheme - instead, the Flat Rate Scheme has its own cash-based turnover method\n\n- you\u2019re not up to date with your VAT Returns or payments\n\n- you\u2019ve committed a VAT offence in the last 12 months, for example VAT evasion\n\nYou cannot use it for the following transactions (you have to use standard VAT accounting instead):\n\n- where the payment terms of a VAT invoice are 6 months or more\n\n- where a VAT invoice is raised in advance\n\n- buying or selling goods using lease purchase, hire purchase, conditional sale or credit sale\n\n- importing goods into Northern Ireland from the EU\n\n- moving goods outside a customs warehouse\n\nYou must leave the scheme if your VAT taxable turnover is more than \u00a31.6 million\n\n## Join or leave the scheme\n\n## How to join\n\nYou must be eligible to join the scheme. You join at the beginning of a VAT accounting period.\n\nYou do not have to tell HM Revenue and Customs (HMRC) you use cash accounting.\n\n## How to leave\n\nYou can leave the scheme at any time, but you must leave if you\u2019re no longer eligible to use it. You should leave at the end of a VAT accounting period.\n\nYou do not have to tell HMRC you\u2019ve stopped using it, but you must report and pay HMRC any outstanding VAT (whether your customers have paid you or not).\n\nYou can report and pay the outstanding VAT over 6 months.\n\nIf your VAT taxable turnover exceeded \u00a31.35 million in the last 3 months you must report and pay straight away.\n\nYou must pay immediately if HMRC has written to you to withdraw your use of the scheme.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-cash-accounting-scheme", + "answerable": true, + "scenario": "I have been a part of the VAT Cash Accounting Scheme for over a year now. Since I was accepted into the scheme my VAT taxable turnover exceeded \u00a31.5 million. I know that is over the limit to be eligible for the scheme but I was already accepted and have been using it for a while.", + "original_question": "Do I need to withdraw from the scheme?" + }, + { + "id": "train-1414", + "question": "Scenario: Good morning. I have some savings and portfolio of share I inherited from my father. I am trying to understand my tax situation.\n\nQuestion: Are there tax free allowances for savings and interest?\n\nDocument - Income Tax rates and Personal Allowances:\n## Current rates and allowances\n\nHow much Income Tax you pay in each tax year depends on:\n\n- how much of your income is above your Personal Allowance\n\n- how much of your income falls within each tax band\n\nSome income is tax-free.\n\nThe current tax year is from 6 April 2021 to 5 April 2022.\n\n## Your tax-free Personal Allowance\n\nThe standard Personal Allowance is \u00a312,570, which is the amount of income you do not have to pay tax on.\n\nYour Personal Allowance may be bigger if you claim Marriage Allowance or Blind Person\u2019s Allowance. It\u2019s smaller if your income is over \u00a3100,000.\n\n## Income Tax rates and bands\n\nThe table shows the tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570.\n\nIncome tax bands are different if you live in Scotland.\n\n| Band | Taxable income | Tax rate |\n\n| Personal Allowance | Up to \u00a312,570 | 0% |\n\n| Basic rate | \u00a312,571 to \u00a350,270 | 20% |\n\n| Higher rate | \u00a350,271 to \u00a3150,000 | 40% |\n\n| Additional rate | over \u00a3150,000 | 45% |\n\nYou can also see the rates and bands without the Personal Allowance. You do not get a Personal Allowance on taxable income over \u00a3125,140.\n\n## If you\u2019re employed or get a pension\n\nCheck your Income Tax to see:\n\n- your Personal Allowance and tax code\n\n- how much tax you\u2019ve paid in the current tax year\n\n- how much you\u2019re likely to pay for the rest of the year\n\n## Other allowances\n\nYou have tax-free allowances for:\n\n- savings interest\n\n- dividends, if you own shares in a company\n\nYou may also have tax-free allowances for:\n\n- your first \u00a31,000 of income from self-employment - this is your \u2018trading allowance\u2019\n\n- your first \u00a31,000 of income from property you rent (unless you\u2019re using the Rent a Room Scheme)\n\nFind out whether you\u2019re eligible for the trading and property allowances.\n\nYou pay tax on any interest, dividends or income over your allowances.\n\n## Paying less Income Tax\n\nYou may be able to claim Income Tax reliefs if you\u2019re eligible for them.\n\n## If you\u2019re married or in a civil partnership\n\nYou may be able to claim Marriage Allowance to reduce your partner\u2019s tax if your income is less than the standard Personal Allowance.\n\nIf you do not claim Marriage Allowance and you or your partner were born before 6 April 1935, you may be able to claim Married Couple\u2019s Allowance.\n\n## Previous tax years\n\nThe standard Personal Allowance from 6 April 2020 to 5 April 2021 was \u00a312,500.\n\n| Tax rate | Taxable income above your Personal Allowance for 2020 to 2021 |\n\n| Basic rate 20% | \u00a30 to \u00a337,500 People with the standard Personal Allowance started paying this rate on income over \u00a312,500 |\n\n| Higher rate 40% | \u00a337,501 to \u00a3150,000 People with the standard Personal Allowance started paying this rate on income over \u00a350,000 |\n\n| Additional rate 45% | Over \u00a3150,000 |\n\nYour Personal Allowance would have been smaller if your income was over \u00a3100,000, or bigger if you got Marriage Allowance or Blind Person\u2019s Allowance.\n\n## Other rates and earlier tax years\n\nHM Revenue and Customs (HMRC) publishes tables with full rates and allowances for current and past tax years.\n\n## Income over \u00a3100,000\n\nYour Personal Allowance goes down by \u00a31 for every \u00a32 that your adjusted net income is above \u00a3100,000. This means your allowance is zero if your income is \u00a3125,140 or above.\n\nYou\u2019ll also need to do a Self Assessment tax return.\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.\n\n## Register for Self Assessment\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/income-tax-rates", + "answerable": true, + "scenario": "Good morning. I have some savings and portfolio of share I inherited from my father. I am trying to understand my tax situation.", + "original_question": "Are there tax free allowances for savings and interest?" + }, + { + "id": "train-1415", + "question": "Scenario: I am a married blind man and have just received my self assessment form to complete. I am interested in saving as much money as i can.\n\nQuestion: Can I apply Marriage allowance for blind married people like me?\n\nDocument - Income Tax rates and Personal Allowances:\n## Current rates and allowances\n\nHow much Income Tax you pay in each tax year depends on:\n\n- how much of your income is above your Personal Allowance\n\n- how much of your income falls within each tax band\n\nSome income is tax-free.\n\nThe current tax year is from 6 April 2021 to 5 April 2022.\n\n## Your tax-free Personal Allowance\n\nThe standard Personal Allowance is \u00a312,570, which is the amount of income you do not have to pay tax on.\n\nYour Personal Allowance may be bigger if you claim Marriage Allowance or Blind Person\u2019s Allowance. It\u2019s smaller if your income is over \u00a3100,000.\n\n## Income Tax rates and bands\n\nThe table shows the tax rates you pay in each band if you have a standard Personal Allowance of \u00a312,570.\n\nIncome tax bands are different if you live in Scotland.\n\n| Band | Taxable income | Tax rate |\n\n| Personal Allowance | Up to \u00a312,570 | 0% |\n\n| Basic rate | \u00a312,571 to \u00a350,270 | 20% |\n\n| Higher rate | \u00a350,271 to \u00a3150,000 | 40% |\n\n| Additional rate | over \u00a3150,000 | 45% |\n\nYou can also see the rates and bands without the Personal Allowance. You do not get a Personal Allowance on taxable income over \u00a3125,140.\n\n## If you\u2019re employed or get a pension\n\nCheck your Income Tax to see:\n\n- your Personal Allowance and tax code\n\n- how much tax you\u2019ve paid in the current tax year\n\n- how much you\u2019re likely to pay for the rest of the year\n\n## Other allowances\n\nYou have tax-free allowances for:\n\n- savings interest\n\n- dividends, if you own shares in a company\n\nYou may also have tax-free allowances for:\n\n- your first \u00a31,000 of income from self-employment - this is your \u2018trading allowance\u2019\n\n- your first \u00a31,000 of income from property you rent (unless you\u2019re using the Rent a Room Scheme)\n\nFind out whether you\u2019re eligible for the trading and property allowances.\n\nYou pay tax on any interest, dividends or income over your allowances.\n\n## Paying less Income Tax\n\nYou may be able to claim Income Tax reliefs if you\u2019re eligible for them.\n\n## If you\u2019re married or in a civil partnership\n\nYou may be able to claim Marriage Allowance to reduce your partner\u2019s tax if your income is less than the standard Personal Allowance.\n\nIf you do not claim Marriage Allowance and you or your partner were born before 6 April 1935, you may be able to claim Married Couple\u2019s Allowance.\n\n## Previous tax years\n\nThe standard Personal Allowance from 6 April 2020 to 5 April 2021 was \u00a312,500.\n\n| Tax rate | Taxable income above your Personal Allowance for 2020 to 2021 |\n\n| Basic rate 20% | \u00a30 to \u00a337,500 People with the standard Personal Allowance started paying this rate on income over \u00a312,500 |\n\n| Higher rate 40% | \u00a337,501 to \u00a3150,000 People with the standard Personal Allowance started paying this rate on income over \u00a350,000 |\n\n| Additional rate 45% | Over \u00a3150,000 |\n\nYour Personal Allowance would have been smaller if your income was over \u00a3100,000, or bigger if you got Marriage Allowance or Blind Person\u2019s Allowance.\n\n## Other rates and earlier tax years\n\nHM Revenue and Customs (HMRC) publishes tables with full rates and allowances for current and past tax years.\n\n## Income over \u00a3100,000\n\nYour Personal Allowance goes down by \u00a31 for every \u00a32 that your adjusted net income is above \u00a3100,000. This means your allowance is zero if your income is \u00a3125,140 or above.\n\nYou\u2019ll also need to do a Self Assessment tax return.\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.\n\n## Register for Self Assessment\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/income-tax-rates", + "answerable": true, + "scenario": "I am a married blind man and have just received my self assessment form to complete. I am interested in saving as much money as i can.", + "original_question": "Can I apply Marriage allowance for blind married people like me?" + }, + { + "id": "train-1416", + "question": "Scenario: we are putting up a shelter for abandoned and abused animals which will operate as a not for profit organization.\n\nQuestion: can i apply for a VAT refund on building materials for an animal shelter ?\n\nDocument - Building a new home and VAT:\n## Overview\n\nYou can apply for a VAT refund on building materials and services if you\u2019re:\n\n- building a new home\n\n- converting a property into a home\n\n- building a non-profit communal residence - eg a hospice\n\n- building a property for a charity\n\nThe building work and materials have to qualify and you must apply to HM Revenue and Customs (HMRC) within 3 months of completing the work.\n\nThere is a separate guide to VAT if you\u2019re working in the construction industry.\n\n## Eligibility\n\nThe application form has guidance on what building projects and materials qualify for a VAT refund. The basics are listed below.\n\n## New homes\n\nThe home must:\n\n- be separate and self-contained\n\n- be for you or your family to live or holiday in\n\n- not be for business purposes (you can use one room as a work from home office)\n\nBuilders working on new buildings should be zero-rated anyway and you won\u2019t pay any VAT on their services.\n\n## Conversions\n\nThe building being converted must usually be a non-residential building. Residential buildings qualify if they haven\u2019t been lived in for at least 10 years.\n\nYou may claim a refund for builders\u2019 work on a conversion of non-residential building into a home.\n\nFor other conversions builders can charge a reduced VAT rate.\n\n## Communal and charity buildings\n\nYou may get a VAT refund if the building is for one of the following purposes:\n\n- non-business - you can\u2019t charge a fee for the use of the building\n\n- charitable, for example a hospice\n\n- residential, for example a children\u2019s home\n\n## Building materials\n\nYou may claim a VAT refund for building materials that are incorporated into the building and can\u2019t be removed without tools or damaging the building.\n\n## What doesn\u2019t qualify\n\nYou can\u2019t get a VAT refund for:\n\n- building projects in the Channel Islands\n\n- materials or services that don\u2019t have any VAT - for example, they were zero-rated or exempt\n\n- professional or supervisory fees - for example, architects or surveyors\n\n- hiring machinery or equipment\n\n- buildings for business purposes\n\n- buildings that can\u2019t be sold or used separately from another property because of a planning permission condition\n\n- building materials that aren\u2019t permanently attached to or part of the building itself\n\n- fitted furniture, some electrical and gas appliances, carpets or garden ornaments\n\n## How to claim\n\nFill in form 431NB to claim a VAT refund on a new build, or 431C to claim for a conversion.\n\nSend your claim form to HM Revenue and Customs (HMRC).\n\nYou must claim within 3 months of the building work being completed.\n\n## What you need to include\n\nYou must include all the documents listed in the claim form as part of your application.\n\nIf an invoice is in your business\u2019s name, you\u2019ll need proof that you\u2019ve refunded the amount from your personal bank - for example, a bank statement.\n\nVAT invoices must be valid and show the correct rate of VAT or they will not be accepted. For invoices not in sterling, convert the amounts into sterling.\n\n## How long it takes\n\nHMRC will write to you about when you can expect your VAT refund if your claim is successful. They will usually write to you within 6 weeks.\n\n## Help with VAT for building materials\n\nContact HMRC if you have further questions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vat-building-new-home", + "answerable": true, + "scenario": "we are putting up a shelter for abandoned and abused animals which will operate as a not for profit organization.", + "original_question": "can i apply for a VAT refund on building materials for an animal shelter ?" + }, + { + "id": "train-1417", + "question": "Scenario: we have acquired a three bedroom house from its previous owners who were living there until recently. we want to convert it to a five bedroom house to accomodate our family.\n\nQuestion: can we apply for a VAT refund on a home conversion we want to carry out ?\n\nDocument - Building a new home and VAT:\n## Overview\n\nYou can apply for a VAT refund on building materials and services if you\u2019re:\n\n- building a new home\n\n- converting a property into a home\n\n- building a non-profit communal residence - eg a hospice\n\n- building a property for a charity\n\nThe building work and materials have to qualify and you must apply to HM Revenue and Customs (HMRC) within 3 months of completing the work.\n\nThere is a separate guide to VAT if you\u2019re working in the construction industry.\n\n## Eligibility\n\nThe application form has guidance on what building projects and materials qualify for a VAT refund. The basics are listed below.\n\n## New homes\n\nThe home must:\n\n- be separate and self-contained\n\n- be for you or your family to live or holiday in\n\n- not be for business purposes (you can use one room as a work from home office)\n\nBuilders working on new buildings should be zero-rated anyway and you won\u2019t pay any VAT on their services.\n\n## Conversions\n\nThe building being converted must usually be a non-residential building. Residential buildings qualify if they haven\u2019t been lived in for at least 10 years.\n\nYou may claim a refund for builders\u2019 work on a conversion of non-residential building into a home.\n\nFor other conversions builders can charge a reduced VAT rate.\n\n## Communal and charity buildings\n\nYou may get a VAT refund if the building is for one of the following purposes:\n\n- non-business - you can\u2019t charge a fee for the use of the building\n\n- charitable, for example a hospice\n\n- residential, for example a children\u2019s home\n\n## Building materials\n\nYou may claim a VAT refund for building materials that are incorporated into the building and can\u2019t be removed without tools or damaging the building.\n\n## What doesn\u2019t qualify\n\nYou can\u2019t get a VAT refund for:\n\n- building projects in the Channel Islands\n\n- materials or services that don\u2019t have any VAT - for example, they were zero-rated or exempt\n\n- professional or supervisory fees - for example, architects or surveyors\n\n- hiring machinery or equipment\n\n- buildings for business purposes\n\n- buildings that can\u2019t be sold or used separately from another property because of a planning permission condition\n\n- building materials that aren\u2019t permanently attached to or part of the building itself\n\n- fitted furniture, some electrical and gas appliances, carpets or garden ornaments\n\n## How to claim\n\nFill in form 431NB to claim a VAT refund on a new build, or 431C to claim for a conversion.\n\nSend your claim form to HM Revenue and Customs (HMRC).\n\nYou must claim within 3 months of the building work being completed.\n\n## What you need to include\n\nYou must include all the documents listed in the claim form as part of your application.\n\nIf an invoice is in your business\u2019s name, you\u2019ll need proof that you\u2019ve refunded the amount from your personal bank - for example, a bank statement.\n\nVAT invoices must be valid and show the correct rate of VAT or they will not be accepted. For invoices not in sterling, convert the amounts into sterling.\n\n## How long it takes\n\nHMRC will write to you about when you can expect your VAT refund if your claim is successful. They will usually write to you within 6 weeks.\n\n## Help with VAT for building materials\n\nContact HMRC if you have further questions.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-building-new-home", + "answerable": true, + "scenario": "we have acquired a three bedroom house from its previous owners who were living there until recently. we want to convert it to a five bedroom house to accomodate our family.", + "original_question": "can we apply for a VAT refund on a home conversion we want to carry out ?" + }, + { + "id": "train-1418", + "question": "Scenario: I am 25 and an immigrant from Somalia. I have been in the UK for seven years. In this time I have qualified as a doctor and wish to return to my home country to help people there.\n\nQuestion: Is there any sort of financial assistance I am eligible for to help me return to my home country?\n\nDocument - Get help to return home if you\u2019re a migrant in the UK:\n## Overview\n\nYou can get help to return to your home country. This is known as \u2018voluntary return\u2019.\n\nIf you are eligible, the voluntary returns service can:\n\n- explain your options for returning home\n\n- help you get travel documents, such as a passport\n\n- pay for travel tickets, if you are unable to\n\nYou can still get help if you\u2019re already making your own plans to return to your home country.\n\nYou may also be eligible to apply for financial support of up to \u00a33,000, which you can use to find somewhere to live, find a job or start a business in your home country.\n\n## Who can get help\n\nYou can usually apply for help to return home (\u2018voluntary return\u2019) if any of the following are true:\n\n- you\u2019re in the UK illegally or have overstayed your visa or permission to stay\n\n- you\u2019ve withdrawn, or want to withdraw, your application to stay in the UK\n\n- you\u2019ve made a claim for asylum in the UK\n\n- you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery\n\n## When you cannot apply\n\nYou cannot apply for voluntary return if you:\n\n- are currently being investigated by the police or detained by the Home Office\n\n- have been given a prison sentence that\u2019s 12 months or longer\n\n- have been convicted of an immigration offence and given a deportation order\n\n- have already been given humanitarian protection, indefinite leave to remain or refugee status in the UK\n\n- have a Service Providers from Switzerland visa\n\n- have a Frontier Worker permit\n\n- have an S2 Healthcare Visitor visa\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nYou cannot apply for voluntary return if you either:\n\n- applied for, or have, settled or pre-settled status under the EU settlement scheme - even if you withdraw your application\n\n- started living in the UK before 1 January 2021 and meet the \u2018right to reside\u2019 criteria\n\n## Who can get financial support\n\nThe voluntary returns service can provide up to \u00a33,000 in financial support to help you after you leave the UK. If you are eligible, you will receive a single payment on a card before you leave the UK. You can only use the card in your home country.\n\nYou can apply for financial support if any of the following are true:\n\n- you are returning to a \u2018developing country\u2019, as defined by the Organisation for Economic Co-operation and Development (OECD)\n\n- your claim for asylum in the UK has been refused\n\n- you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery\n\n- you\u2019re part of a family group that will travel together, including someone under 18 years old\n\n- you\u2019re under 18 and travelling alone\n\n- you\u2019re under 21 and a care leaver\n\n- you\u2019re sleeping rough\n\n- you need more help with your return - for example, because you have a medical condition\n\nContact the voluntary returns service if you\u2019re not sure whether or not you\u2019re eligible.\n\n## How to apply\n\nTo apply online for help to return to your home country you\u2019ll need:\n\n- your address in the UK\n\n- an email address\n\nYou cannot apply if you\u2019ve booked a flight to leave the UK in the next 7 days.\n\nApply for help online to return to your home country.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have access to the internet or a device\n\nYou cannot get immigration advice through this service.\n\n## If you cannot apply online\n\nContact the voluntary returns service.\n\n## What happens next\n\nThe Home Office will contact you within 3 days to let you know they\u2019ve received your application.\n\nYou might need to provide further information to support your application. Your application can be cancelled if you do not do this.\n\nIf your passport or travel document is being held by the Home Office, it will be returned to you at the airport when you leave the UK.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/return-home-voluntarily", + "answerable": true, + "scenario": "I am 25 and an immigrant from Somalia. I have been in the UK for seven years. In this time I have qualified as a doctor and wish to return to my home country to help people there.", + "original_question": "Is there any sort of financial assistance I am eligible for to help me return to my home country?" + }, + { + "id": "train-1419", + "question": "Scenario: I have been paying Council Tax on my house for over 7 years now. When I started my house was located in a semi-rural area, but then nearby city has been expanding rapidly and that is no longer the case. Around 3 months ago an ASDA supermarket was opened close to my house.\n\nQuestion: Am I eligible to challenge my band under these circumstances?\n\nDocument - Challenge your Council Tax band:\n## Challenging your band\n\nCouncil Tax bands are based on how much a property was worth on:\n\n- 1 April 1991, for England and Scotland\n\n- 1 April 2003, for Wales\n\nYou might be able to challenge your Council Tax band if you have evidence that suggests the band is wrong.\n\n## When you can challenge your band\n\nYou can challenge your band if you have been paying Council Tax on your property for less than 6 months.\n\nIf you\u2019ve been paying Council Tax on your property for more than 6 months you can only challenge your band in specific circumstances. These include if:\n\n- your property has changed - for example, it\u2019s been demolished, split into multiple properties or merged into one\n\n- your property\u2019s use has changed - for example, part of your property is now used for business\n\n- your local area has changed - for example, a new supermarket has been built\n\n## Before you challenge your band\n\nContact the Valuation Office Agency (VOA) to explain why you think your band is wrong. You must be able to provide evidence that supports your opinion. The VOA may be able to review and change your band without you needing to challenge it.\n\nThere\u2019s currently a reduced telephone service because of coronavirus (COVID-19). Only contact the VOA by telephone if you cannot email them.\n\n## How to challenge your band\n\nIf the VOA has reviewed your band and you do not agree with their decision, you can then formally challenge your band.\n\n- Find your property\u2019s Council Tax band on the valuation list.\n\n- Select your property. From \u2018Council Tax band details\u2019 choose \u2018Do you think this Council Tax band is wrong?\u2019\n\n- From \u2018If you think your Council Tax band is wrong\u2019 choose \u2018Check if you can formally challenge your Council Tax band\u2019.\n\n- Answer the questions on the checklist to find out if you can make a challenge.\n\n- Select \u2018Make a formal challenge against your Council Tax band online\u2019 to fill in the challenge form.\n\n- Provide evidence that supports your challenge in the \u2018Formal challenge details\u2019 section.\n\nYou must continue paying your Council Tax while the challenge is happening.\n\nYou can also appoint someone else to challenge on your behalf.\n\nIf you\u2019re in Scotland use the Scottish Assessors website to check your Council Tax band, then follow the link \u2018Make a proposal\u2019.\n\n## Evidence that supports your challenge\n\nYou must send evidence that your council tax band is wrong to the Valuation Office Agency (VOA) if you\u2019re in England or Wales.\n\nIf you\u2019re in Scotland, use the Scottish Assessors website to check what evidence you need.\n\n## Evidence you can send\n\nSend the addresses of up to 5 similar properties in a lower Council Tax band than yours.\n\nThey must be the same as your property in:\n\n- age\n\n- style and design\n\n- size (the VOA will also consider properties that are larger than yours)\n\n- type (for example, they must be semi-detached houses if you live in a semi-detached house)\n\nThey must also be either:\n\n- in the same street or estate - if you live in a town or city\n\n- in the same village - if you live in the countryside\n\n## Evidence from house prices\n\nYou can also use the price that your property or similar properties sold for as evidence, if the sales were between:\n\n- 1 April 1989 and 31 March 1993 - if your property is in England\n\n- 1 April 2001 and 31 March 2005 - if your property is in Wales\n\nYou can look up property sale prices online from 1995 onwards.\n\nCompare the sale prices to what the properties were valued at:\n\n| Council Tax band | Properties is in England - value in April 1991 | Properties in Wales - value in April 2003 |\n\n| A | Up to \u00a340,000 | Up to \u00a344,000 |\n\n| B | More than \u00a340,000 and up to \u00a352,000 | More than \u00a344,000 and up to \u00a365,000 |\n\n| C | More than \u00a352,000 and up to \u00a368,000 | More than \u00a365,000 and up to \u00a391,000 |\n\n| D | More than \u00a368,000 and up to \u00a388,000 | More than \u00a391,000 and up to \u00a3123,000 |\n\n| E | More than \u00a388,000 and up to \u00a3120,000 | More than \u00a3123,000 and up to \u00a3162,000 |\n\n| F | More than \u00a3120,000 and up to \u00a3160,000 | More than \u00a3162,000 and up to \u00a3223,000 |\n\n| G | More than \u00a3160,000 and up to \u00a3320,000 | More than \u00a3223,000 and up to \u00a3324,000 |\n\n| H | More than \u00a3320,000 | More than \u00a3324,000 and up to \u00a3424,000 |\n\n| I | - | More than \u00a3424,000 |\n\nIf the sale prices are different from the Council Tax bands the properties are in, send:\n\n- the addresses of the properties\n\n- the sale prices\n\n- the dates the properties were sold\n\nIf your property is in England, you\u2019ll also need to send proof of the sale prices, such as:\n\n- a letter from a solicitor\n\n- the contract for the sale\n\nDo not send data about average house prices in your area from websites such as Nationwide House Price Index, Nethouseprices, Rightmove or Zoopla.\n\n## After you make a challenge\n\nYou\u2019ll get a decision from the Valuation Office Agency (VOA) within 4 months. They\u2019ll either:\n\n- change your Council Tax band - your local council will revise your bill and adjust your payments\n\n- tell you why your band cannot be changed\n\n## If you disagree with the VOA\u2019s decision\n\nIn England, if you make a formal challenge and disagree with the VOA\u2019s decision, you can appeal to the Valuation Tribunal.\n\nIf you\u2019re in Wales, send it to the Welsh Tribunal.\n\nThe Valuation Tribunal is independent of the VOA. It\u2019s free, but you have to pay your own costs.\n\nYou must appeal within 3 months of getting the VOA\u2019s decision. You may be able to get the time limit extended if you cannot apply in time.\n\nIf the tribunal agrees with you, the VOA will change your band and the council will update your bill.\n\n## Get help\n\nThe Valuation Tribunal has guidance on:\n\n- what you need to do for the hearing\n\n- preparing for the hearing\n\nYou can also contact the tribunal for help.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/challenge-council-tax-band", + "answerable": true, + "scenario": "I have been paying Council Tax on my house for over 7 years now. When I started my house was located in a semi-rural area, but then nearby city has been expanding rapidly and that is no longer the case. Around 3 months ago an ASDA supermarket was opened close to my house.", + "original_question": "Am I eligible to challenge my band under these circumstances?" + }, + { + "id": "train-1420", + "question": "Scenario: Me and my son recently challenged my Council Tax band after he informed me that the property and its surroundings has changed enough for us to challenge the band. I let him help me with the process and now we are waiting no the results. He was not sure about some details surrounding the process.\n\nQuestion: Do I stop paying the current Council Tax band while the challenge is in action?\n\nDocument - Challenge your Council Tax band:\n## Challenging your band\n\nCouncil Tax bands are based on how much a property was worth on:\n\n- 1 April 1991, for England and Scotland\n\n- 1 April 2003, for Wales\n\nYou might be able to challenge your Council Tax band if you have evidence that suggests the band is wrong.\n\n## When you can challenge your band\n\nYou can challenge your band if you have been paying Council Tax on your property for less than 6 months.\n\nIf you\u2019ve been paying Council Tax on your property for more than 6 months you can only challenge your band in specific circumstances. These include if:\n\n- your property has changed - for example, it\u2019s been demolished, split into multiple properties or merged into one\n\n- your property\u2019s use has changed - for example, part of your property is now used for business\n\n- your local area has changed - for example, a new supermarket has been built\n\n## Before you challenge your band\n\nContact the Valuation Office Agency (VOA) to explain why you think your band is wrong. You must be able to provide evidence that supports your opinion. The VOA may be able to review and change your band without you needing to challenge it.\n\nThere\u2019s currently a reduced telephone service because of coronavirus (COVID-19). Only contact the VOA by telephone if you cannot email them.\n\n## How to challenge your band\n\nIf the VOA has reviewed your band and you do not agree with their decision, you can then formally challenge your band.\n\n- Find your property\u2019s Council Tax band on the valuation list.\n\n- Select your property. From \u2018Council Tax band details\u2019 choose \u2018Do you think this Council Tax band is wrong?\u2019\n\n- From \u2018If you think your Council Tax band is wrong\u2019 choose \u2018Check if you can formally challenge your Council Tax band\u2019.\n\n- Answer the questions on the checklist to find out if you can make a challenge.\n\n- Select \u2018Make a formal challenge against your Council Tax band online\u2019 to fill in the challenge form.\n\n- Provide evidence that supports your challenge in the \u2018Formal challenge details\u2019 section.\n\nYou must continue paying your Council Tax while the challenge is happening.\n\nYou can also appoint someone else to challenge on your behalf.\n\nIf you\u2019re in Scotland use the Scottish Assessors website to check your Council Tax band, then follow the link \u2018Make a proposal\u2019.\n\n## Evidence that supports your challenge\n\nYou must send evidence that your council tax band is wrong to the Valuation Office Agency (VOA) if you\u2019re in England or Wales.\n\nIf you\u2019re in Scotland, use the Scottish Assessors website to check what evidence you need.\n\n## Evidence you can send\n\nSend the addresses of up to 5 similar properties in a lower Council Tax band than yours.\n\nThey must be the same as your property in:\n\n- age\n\n- style and design\n\n- size (the VOA will also consider properties that are larger than yours)\n\n- type (for example, they must be semi-detached houses if you live in a semi-detached house)\n\nThey must also be either:\n\n- in the same street or estate - if you live in a town or city\n\n- in the same village - if you live in the countryside\n\n## Evidence from house prices\n\nYou can also use the price that your property or similar properties sold for as evidence, if the sales were between:\n\n- 1 April 1989 and 31 March 1993 - if your property is in England\n\n- 1 April 2001 and 31 March 2005 - if your property is in Wales\n\nYou can look up property sale prices online from 1995 onwards.\n\nCompare the sale prices to what the properties were valued at:\n\n| Council Tax band | Properties is in England - value in April 1991 | Properties in Wales - value in April 2003 |\n\n| A | Up to \u00a340,000 | Up to \u00a344,000 |\n\n| B | More than \u00a340,000 and up to \u00a352,000 | More than \u00a344,000 and up to \u00a365,000 |\n\n| C | More than \u00a352,000 and up to \u00a368,000 | More than \u00a365,000 and up to \u00a391,000 |\n\n| D | More than \u00a368,000 and up to \u00a388,000 | More than \u00a391,000 and up to \u00a3123,000 |\n\n| E | More than \u00a388,000 and up to \u00a3120,000 | More than \u00a3123,000 and up to \u00a3162,000 |\n\n| F | More than \u00a3120,000 and up to \u00a3160,000 | More than \u00a3162,000 and up to \u00a3223,000 |\n\n| G | More than \u00a3160,000 and up to \u00a3320,000 | More than \u00a3223,000 and up to \u00a3324,000 |\n\n| H | More than \u00a3320,000 | More than \u00a3324,000 and up to \u00a3424,000 |\n\n| I | - | More than \u00a3424,000 |\n\nIf the sale prices are different from the Council Tax bands the properties are in, send:\n\n- the addresses of the properties\n\n- the sale prices\n\n- the dates the properties were sold\n\nIf your property is in England, you\u2019ll also need to send proof of the sale prices, such as:\n\n- a letter from a solicitor\n\n- the contract for the sale\n\nDo not send data about average house prices in your area from websites such as Nationwide House Price Index, Nethouseprices, Rightmove or Zoopla.\n\n## After you make a challenge\n\nYou\u2019ll get a decision from the Valuation Office Agency (VOA) within 4 months. They\u2019ll either:\n\n- change your Council Tax band - your local council will revise your bill and adjust your payments\n\n- tell you why your band cannot be changed\n\n## If you disagree with the VOA\u2019s decision\n\nIn England, if you make a formal challenge and disagree with the VOA\u2019s decision, you can appeal to the Valuation Tribunal.\n\nIf you\u2019re in Wales, send it to the Welsh Tribunal.\n\nThe Valuation Tribunal is independent of the VOA. It\u2019s free, but you have to pay your own costs.\n\nYou must appeal within 3 months of getting the VOA\u2019s decision. You may be able to get the time limit extended if you cannot apply in time.\n\nIf the tribunal agrees with you, the VOA will change your band and the council will update your bill.\n\n## Get help\n\nThe Valuation Tribunal has guidance on:\n\n- what you need to do for the hearing\n\n- preparing for the hearing\n\nYou can also contact the tribunal for help.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/challenge-council-tax-band", + "answerable": true, + "scenario": "Me and my son recently challenged my Council Tax band after he informed me that the property and its surroundings has changed enough for us to challenge the band. I let him help me with the process and now we are waiting no the results. He was not sure about some details surrounding the process.", + "original_question": "Do I stop paying the current Council Tax band while the challenge is in action?" + }, + { + "id": "train-1422", + "question": "Scenario: I have had seven jobs throughout my working life of 25 years. Each one had a different pension scheme.\n\nQuestion: Can I take the money from each scheme and invest them for my retirement?\n\nDocument - Transferring your pension:\n## Overview\n\nYou may want to move some or all of your pension fund (sometimes called a \u2018pension pot\u2019) if:\n\n- you\u2019re changing job\n\n- your pension scheme is being closed or wound up\n\n- you want to transfer to a better pension scheme\n\n- you have pensions from more than one employer and want to bring them together\n\n- you\u2019re moving overseas and want to move your pension to a scheme in that country\n\n## Get help and advice\n\nYou can get free, impartial information about transferring your pension from:\n\n- the Money Advice Service\n\n- the Pensions Advisory Service\n\nYou can also get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.\n\n## If you\u2019re concerned about a pension scam\n\nContact Action Fraud if you\u2019re transferring a pension and are concerned about a scam.\n\nYou can also report a pension scam online to Action Fraud.\n\n## Transferring to a UK pension scheme\n\nYou can transfer your UK pension pot to another registered UK pension scheme.\n\nYou can also use it to buy a \u2018deferred annuity contract\u2019 - an agreement that gives you a guaranteed income in the future.\n\nTransferring your pension pot anywhere else - or taking it as an unauthorised lump sum - will be an \u2018unauthorised payment\u2019 and you\u2019ll have to pay tax on the transfer.\n\n## Before you make a transfer\n\nContact your current pension provider and the provider you want to transfer to. You\u2019ll need to check if:\n\n- your existing pension scheme allows you to transfer some or all of your pension pot\n\n- the scheme that you wish to transfer into will accept the transfer\n\nGet help and advice including if you\u2019re concerned about a pension scam.\n\nIf you transfer your pension, you may:\n\n- have to make payments to the new scheme\n\n- have to pay a fee to make the transfer\n\n- lose any right you had to take your pension at a certain age\n\n- lose any fixed or enhanced protection you have when you transfer\n\n- lose any right you had to take a tax free lump sum of more than 25% of your pension pot\n\nYour pension providers can tell you whether any of these will apply.\n\n## Transferring to an overseas pension scheme\n\nYou may be able to transfer your UK pension savings to an overseas pension scheme.\n\nGet help and advice including if you\u2019re concerned about a pension scam.\n\n## Schemes you can transfer to\n\nThe overseas scheme you want to transfer your pension savings to must be a \u2018qualifying recognised overseas pension scheme\u2019 (QROPS). It\u2019s up to you to check this with the overseas scheme or your UK pension provider or adviser.\n\nIf it\u2019s not a QROPS, your UK pension scheme may refuse to make the transfer, or you\u2019ll have to pay at least 40% tax on the transfer.\n\n## Tax when you transfer to a QROPS\n\nWhether you pay tax depends on where the QROPS you transfer to is based. It\u2019s your responsibility to find out where this is.\n\nYou do not have to pay any tax if you asked for a transfer to a QROPS before 9 March 2017.\n\nYou usually do not pay tax if you transfer to a QROPS provided by your employer. Check with the scheme to find out.\n\n## You transfer to a QROPS based in the European Economic Area (EEA) or Gibraltar\n\nYou pay 25% tax if you either:\n\n- live outside the UK, Gibraltar or the EEA\n\n- move to live outside the UK, Gibraltar or the EEA within 5 years\n\nOtherwise you do not pay tax.\n\nYou can get tax refunded if you move to the UK, Gibraltar or an EEA country within 5 years of the transfer. To claim, tell your UK scheme\u2019s administrator and your overseas scheme manager you\u2019ve moved using form APSS 241. They\u2019ll put the tax refund back into the pension it was taken from.\n\n## You transfer to a QROPS based outside the UK, Gibraltar or the EEA\n\nYou do not have to pay tax if you live in the country your QROPS is based in. Otherwise you\u2019ll have to pay 25% tax.\n\nIf you move countries within 5 years of the transfer, fill in form APSS 241 and give it to your scheme administrator. You\u2019ll:\n\n- get a refund if you\u2019ve moved to the country your QROPS is based in\n\n- have to pay 25% tax on your transfer if you\u2019ve moved away from the country your QROPS is based in\n\n## How to transfer\n\nForm APSS 263 tells you what information you\u2019ll need to provide before making a transfer.\n\nDownload and fill in the form and give it to your UK pension scheme administrator.\n\nYour transfer will be taxed at 25% if you do not provide all the information the form asks for within 60 days of requesting the transfer.\n\nIf you\u2019re under 75, your UK pension scheme administrator will work out what percentage of your lifetime allowance is used by the transfer.\n\nThey\u2019ll tell you if the amount you\u2019re transferring is more than your allowance and if you\u2019ll be taxed on it.\n\n## Payments from an overseas pension\n\nYou may have to pay UK tax on some payments from your overseas scheme. This depends on when you were a UK resident.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/transferring-your-pension", + "answerable": true, + "scenario": "I have had seven jobs throughout my working life of 25 years. Each one had a different pension scheme.", + "original_question": "Can I take the money from each scheme and invest them for my retirement?" + }, + { + "id": "train-1429", + "question": "Scenario: i have a disability that makes it hard to get around. i have made a booking to take the life in the uk test at a local test centre.\n\nQuestion: Are rules the same to those with disabilities who want to take the test ?\n\nDocument - Life in the UK Test:\n## Book the Life in the UK Test\n\nThis is the only official government service for booking the Life in the UK Test. You need to take the test as part of your application for British citizenship or settlement in the UK.\n\nYou must book your Life in the UK Test online at least 3 days in advance. It costs \u00a350.\n\nThere are over 30 test centres in the UK. You can choose where to take your test when you book.\n\n## Prepare for the test\n\nYou\u2019ll be tested on information in the official handbook for the Life in the UK Test. You should study it to prepare for the test. The handbook is available as a book, an eBook, an e-Learning subscription or in audio formats.\n\nYou\u2019ll have 45 minutes to answer 24 questions about British traditions and customs.\n\n## Book the test\n\nYou need all of the following to book a test:\n\n- email address\n\n- debit or credit card\n\n- an accepted form of ID\n\nStart now\n\n## Accepted forms of ID\n\nYou can use one of the following as ID to book the test:\n\n- valid passport\n\n- valid travel document with a photo (you cannot use an emergency travel document)\n\n- biometric residence permit\n\n- biometric residence card\n\nCheck the \u2018Identification requirements\u2019 document to make sure the ID you have is acceptable.\n\nEmail nationalityenquiries@homeoffice.gov.uk for help if you do not have any of these documents.\n\nThe name you give on your test booking must be an exact match with the name on the ID you use to book the test.\n\nIf you have a previous gender (including a different name) that you do not want the test centre staff to see or for it to show on your test result, email\u00a0sensitivebookings@homeoffice.gov.uk\u00a0before booking your test. They\u2019ll tell you what you need to do.\n\n## If you have a disability\n\nYou can make special requests when you book your test, for example if you have a disability and need extra equipment or help accessing the centre.\n\n## Get help\n\nContact the Life in the UK Test Helpline if you need help with your booking.\n\n## When you do not need to take the test\n\nYou do not need to take the test if you:\n\n- are under 18\n\n- are 65 or over\n\n- have passed it before - for example, if you\u2019re applying to become a citizen and already passed it as part of your settlement application\n\n- have a long-term physical or mental condition - you must provide either a form or letter from a doctor confirming your physical or mental condition\n\nIf you\u2019re an EU citizen and you were living in the UK by 31 December 2020, you can apply to the EU Settlement Scheme to continue living here after 30 June 2021. If you want to move to the UK from 1 January 2021, you may need to apply for a visa.\n\n## What happens at the test\n\nYou have 45 minutes to answer 24 questions based on the Life in the UK handbook.\n\nYou cannot bring children or other family members with you to the centre.\n\n## What to bring to your test\n\nYou must bring the same ID that you used to book the test. Your photo will also be taken on the day to confirm your ID.\n\nYou will not be able to take the test and you will not get a refund if you do not bring the correct ID or if you refuse to have your photo taken.\n\n## If you pass the test\n\nYou must score 75% or more to pass the test.\n\nYou\u2019ll get a \u2018unique reference number\u2019. You\u2019ll need this number to complete your citizenship or settlement application. The Home Office will use it to check that you\u2019ve passed.\n\nIf you took your test before 17 December 2019, you\u2019ll have a letter with a \u2018test reference ID\u2019 instead of a unique reference number.\n\nIf you have lost your letter, send a letter explaining that you have lost it with your citizenship or settlement application.\n\n## If you fail the test\n\nYou must wait 7 days before taking the test again, but you can take the test as many times as you need to. You need to book and pay again each time.\n\n## Cancellations, refunds and complaints\n\nYou must cancel your test if you cannot make it.\n\nYou\u2019ll get a refund if you cancel your test at least 3 days (72 hours) before you\u2019re due to take the test. You will not get a refund if you cancel or rearrange within 3 days of your test.\n\n## How to cancel\n\n- Sign into your Life in the UK account.\n\n- Select \u2018Confirmed tests\u2019.\n\n- Select \u2018Cancel tests\u2019.\n\nIf you\u2019re eligible for a refund due to cancellation, the \u00a350 fee will be refunded to the card you used to book the test - you do not need to contact UK Visas and Immigration.\n\nYou can then book a test on another date.\n\n## Ask for a refund\n\nYou can ask for a refund if the test centre cancels the test.\n\nYou cannot ask for a refund for any other reason, for example if you brought the wrong ID, you were ill, you were late, you did not bring the right documents or you refused to have your photo taken.\n\nYou must ask for a refund within 3 months of the test date. The fee will be refunded to the card you used to book the test.\n\nContact PSI to ask for a refund.\n\nOr write to PSI e-Assessments.\n\n## Make a complaint\n\nContact PSI to make a complaint.\n\nYou\u2019ll get a response within 10 working days.\n\nYou must make your complaint within 3 months of the test date.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/life-in-the-uk-test", + "answerable": true, + "scenario": "i have a disability that makes it hard to get around. i have made a booking to take the life in the uk test at a local test centre.", + "original_question": "Are rules the same to those with disabilities who want to take the test ?" + }, + { + "id": "train-1433", + "question": "Scenario: I am a school headteacher and in June last year we witnessed a lot of floods due to heavy rainfalls which destroyed part of our buildings. We need to be prepared for future catastrophes.\n\nQuestion: Is there a template of a flood plan i can follow to prepare?\n\nDocument - Prepare for flooding:\n## If you\u2019re about to be flooded\n\nCheck the National Flood Forum or speak to a Floodline adviser to find out how to stay safe during a flood.\n\nYou can check if there\u2019s currently a flood warning in your area.\n\n## Sandbags\n\nContact your local council to find out where to get sandbags. You can also get them from some DIY or building supplies shops.\n\n## If you need to travel\n\nCheck flood warnings and road travel information.\n\n## Protect yourself from future flooding\n\nPlan how you\u2019ll respond to a flood. Use a template to make a:\n\n- personal flood plan\n\n- community or group flood plan - if you\u2019re responsible for an organisation such as a school, hospital, care home or community group\n\n- business flood plan\n\n## Protect your property\n\nYou can:\n\n- get advice from the National Flood Forum about how to protect your property and how much this will cost\n\n- find flood protection products and services at Blue Pages\n\nYou may need permission to do work that will affect the flow of a river or divert flood water.\n\n## If you own a riverside property\n\nIf you own property next to a watercourse, for example a river, culvert, brook or mill stream, you must:\n\n- maintain river beds and banks\n\n- not obstruct the water flow\n\nRead guidance on the rights and responsibilities of owning a riverside property.\n\nContact the Environment Agency if you have questions about your responsibilities.\n\n## If your property\u2019s next to a canal\n\nContact the Canal and River Trust to check who\u2019s responsible for maintaining the canal.\n\n## If you have a disability or need extra help\n\nAsk your council if you can be put on a list to get extra help during a flood.\n\nCitizens Advice can help make sure you\u2019ll get support if your energy supply is affected.\n\nAsk Floodline to send flood warnings to a friend or relative on your behalf.\n\n## Get insurance\n\nYou can:\n\n- find lower-cost home insurance through Flood Re if you\u2019re in a flood-risk area\n\n- get insurance advice from the National Flood Forum\n\n- find a broker that specialises in properties that are difficult to insure\n\n## Get evidence of flood risk\n\nContact the Environment Agency if your insurer asks for evidence of your flood risk.\n\nYou\u2019ll get a letter within 20 days. It\u2019s free for individuals and businesses.\n\n## If you\u2019ve done work on your property\n\nYou or a surveyor can complete a Flood Risk Report. This will tell insurers or buyers how the work has reduced the flood risk.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/prepare-for-flooding", + "answerable": true, + "scenario": "I am a school headteacher and in June last year we witnessed a lot of floods due to heavy rainfalls which destroyed part of our buildings. We need to be prepared for future catastrophes.", + "original_question": "Is there a template of a flood plan i can follow to prepare?" + }, + { + "id": "train-1438", + "question": "Scenario: I am a refugee coming to the UK on a refugee visa. When I arrived at UK boarder control, I was informed that my visa had been cancelled. I have nowhere to go and am not allowed to stay in the UK.\n\nQuestion: Can I appeal the visa cancellation?\n\nDocument - Ask for a visa administrative review:\n## If you're outside the UK\n\nYou\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.\n\nYou can only ask for an administrative review if all of the following apply:\n\n- you\u2019re outside the UK\n\n- you applied outside the UK\n\n- your application was refused on or after 6 April 2015\n\n- you do not have a right of appeal against the refusal\n\n- you did not make an application as a short term student or a visitor (except if you applied as an S2 Healthcare Visitor)\n\nThere\u2019s a different way to ask for an administrative review if you applied:\n\n- to the EU Settlement Scheme\n\n- as a Frontier Worker\n\n- as an S2 Healthcare Visitor\n\n- as a Service Provider from Switzerland\n\n## How to apply\n\nYou must apply for an administrative review within 28 days of getting the decision. It costs \u00a380.\n\nYou can apply online.\n\nThe decision will be checked for the errors you point out.\n\nYou\u2019ll usually receive the result of the administrative review within 28 calendar days.\n\nYou cannot request a second review (unless the result of the first review found new reasons why you were refused).\n\n## Withdraw your request\n\nYour request for an administrative review will be withdrawn (cancelled) if you make any other immigration or visa application.\n\nYour request will be rejected if you ask for a review of a previous decision after submitting a new application.\n\nYou can email the Home Office and ask for your request to be withdrawn.\n\nYou must include your name, date of birth, nationality and your Global Web Form (GWF) reference number.\n\nYour GWF reference number was given to you when you first applied. You can find it on emails and letters from the Home Office about your application.\n\n## If you're in the UK\n\nYou\u2019ll be told in your application refusal letter if you can ask for the decision on your visa application to be reviewed. This is known as an \u2018administrative review\u2019.\n\nYou can ask for your application to be reviewed if one of the following apply:\n\n- your application was refused\n\n- your application was granted but you\u2019re unhappy with the amount or conditions of your leave\n\nThis is known as an \u2018administrative review\u2019.\n\nYou may be able to appeal if you\u2019re not eligible for an administrative review.\n\nThere\u2019s a different way to ask for an administrative review if you applied:\n\n- to the EU Settlement Scheme\n\n- as a Frontier Worker\n\n- as an S2 Healthcare Visitor\n\n- as a Service Provider from Switzerland\n\n## Apply for administrative review\n\nIf your application was refused, you must apply for an administrative review within 14 days of getting the decision.\n\nYour refusal letter will tell you how to apply. You may be able to apply online. It costs \u00a380.\n\nYou must apply within 7 days if you\u2019ve been detained.\n\nIf your application was granted but you\u2019re unhappy with the amount or conditions of your leave, you must email the Home Office within 14 days of getting your biometric residence permit.\n\nContact UK Visas and Immigration (UKVI) if you have a general enquiry about immigration.\n\n## Get a decision\n\nThe decision will be checked for the errors you point out. Do not send new information or documents for review unless you\u2019ve been asked to.\n\nYou\u2019ll usually receive the result of the administrative review within 28 days. You cannot request a second review (unless the result included new reasons why you were refused).\n\nIf your visa\u2019s expired, you will not usually be removed from the UK until your review has been completed.\n\n## Withdraw your request\n\nYour request for an administrative review will be withdrawn (cancelled) if you:\n\n- make any other immigration or visa application\n\n- ask for your passport back so you can travel\n\n- leave the UK\n\nYour request will be rejected if you ask for a review of a previous decision after submitting a new application.\n\nYou can also email the Home Office and ask for your request to be withdrawn.\n\nYou must include your name, date of birth, nationality and either your administrative review payment reference number or Home Office reference number in your email.\n\n## If your visa was cancelled at the border\n\nYou\u2019ll be told in your decision letter if you can ask for the decision to cancel your visa to be reviewed. This is known as an \u2018administrative review\u2019.\n\nYou can ask for the decision to be reviewed if your visa was cancelled for one or more of the following reasons:\n\n- there has been a change in your circumstances\n\n- you gave false information\n\n- you failed to include relevant facts\n\n## Apply for administrative review\n\nYour letter will tell you how to apply. It costs \u00a380.\n\n## If you were given temporary admission to the UK\n\nYou must apply for an administrative review within 14 days of your visa being cancelled or 7 days if you are detained. You need to do this from the UK.\n\n## If your visa was cancelled at border controls outside the UK\n\nYou must apply for an administrative review within 28 days of your visa being cancelled in any of the following cities:\n\n- Paris\n\n- Brussels\n\n- Dunkirk\n\n- Coquelles\n\n- Calais\n\n- Lille\n\n## Get a decision\n\nThe decision will be checked for the errors you point out. Do not send new information or documents unless you\u2019ve been asked to.\n\nYou\u2019ll usually receive the result of the administrative review within 28 days. You cannot request a second review (unless the result included new reasons for the cancellation of your leave).\n\nIf you\u2019re in the UK, you will not usually be removed until your review has been completed.\n\n## Withdraw your request\n\nYour request for an administrative review will be withdrawn (cancelled) if you:\n\n- make any other immigration or visa application\n\n- ask for your passport back so you can travel\n\n- leave the UK\n\nYour request will be rejected if you ask for a review of a previous decision after submitting a new application.\n\nYou can also email the Home Office and ask for your request to be withdrawn.\n\nYou must include your name, date of birth, nationality and either your administrative review payment reference number or Home Office reference number in your email.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/ask-for-a-visa-administrative-review", + "answerable": true, + "scenario": "I am a refugee coming to the UK on a refugee visa. When I arrived at UK boarder control, I was informed that my visa had been cancelled. I have nowhere to go and am not allowed to stay in the UK.", + "original_question": "Can I appeal the visa cancellation?" + }, + { + "id": "train-1443", + "question": "Scenario: My name is Valentine. I was trafficked by a gang and held against my will in a seedy brothel and used as a sex slave.All I want is to return to my family in Albania.\n\nQuestion: As i have no money or passport, can i get assistance?\n\nDocument - Get help to return home if you\u2019re a migrant in the UK:\n## Overview\n\nYou can get help to return to your home country. This is known as \u2018voluntary return\u2019.\n\nIf you are eligible, the voluntary returns service can:\n\n- explain your options for returning home\n\n- help you get travel documents, such as a passport\n\n- pay for travel tickets, if you are unable to\n\nYou can still get help if you\u2019re already making your own plans to return to your home country.\n\nYou may also be eligible to apply for financial support of up to \u00a33,000, which you can use to find somewhere to live, find a job or start a business in your home country.\n\n## Who can get help\n\nYou can usually apply for help to return home (\u2018voluntary return\u2019) if any of the following are true:\n\n- you\u2019re in the UK illegally or have overstayed your visa or permission to stay\n\n- you\u2019ve withdrawn, or want to withdraw, your application to stay in the UK\n\n- you\u2019ve made a claim for asylum in the UK\n\n- you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery\n\n## When you cannot apply\n\nYou cannot apply for voluntary return if you:\n\n- are currently being investigated by the police or detained by the Home Office\n\n- have been given a prison sentence that\u2019s 12 months or longer\n\n- have been convicted of an immigration offence and given a deportation order\n\n- have already been given humanitarian protection, indefinite leave to remain or refugee status in the UK\n\n- have a Service Providers from Switzerland visa\n\n- have a Frontier Worker permit\n\n- have an S2 Healthcare Visitor visa\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nYou cannot apply for voluntary return if you either:\n\n- applied for, or have, settled or pre-settled status under the EU settlement scheme - even if you withdraw your application\n\n- started living in the UK before 1 January 2021 and meet the \u2018right to reside\u2019 criteria\n\n## Who can get financial support\n\nThe voluntary returns service can provide up to \u00a33,000 in financial support to help you after you leave the UK. If you are eligible, you will receive a single payment on a card before you leave the UK. You can only use the card in your home country.\n\nYou can apply for financial support if any of the following are true:\n\n- you are returning to a \u2018developing country\u2019, as defined by the Organisation for Economic Co-operation and Development (OECD)\n\n- your claim for asylum in the UK has been refused\n\n- you have a letter from UK Visas and Immigration confirming you\u2019re a victim of modern slavery\n\n- you\u2019re part of a family group that will travel together, including someone under 18 years old\n\n- you\u2019re under 18 and travelling alone\n\n- you\u2019re under 21 and a care leaver\n\n- you\u2019re sleeping rough\n\n- you need more help with your return - for example, because you have a medical condition\n\nContact the voluntary returns service if you\u2019re not sure whether or not you\u2019re eligible.\n\n## How to apply\n\nTo apply online for help to return to your home country you\u2019ll need:\n\n- your address in the UK\n\n- an email address\n\nYou cannot apply if you\u2019ve booked a flight to leave the UK in the next 7 days.\n\nApply for help online to return to your home country.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have access to the internet or a device\n\nYou cannot get immigration advice through this service.\n\n## If you cannot apply online\n\nContact the voluntary returns service.\n\n## What happens next\n\nThe Home Office will contact you within 3 days to let you know they\u2019ve received your application.\n\nYou might need to provide further information to support your application. Your application can be cancelled if you do not do this.\n\nIf your passport or travel document is being held by the Home Office, it will be returned to you at the airport when you leave the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/return-home-voluntarily", + "answerable": true, + "scenario": "My name is Valentine. I was trafficked by a gang and held against my will in a seedy brothel and used as a sex slave.All I want is to return to my family in Albania.", + "original_question": "As i have no money or passport, can i get assistance?" + }, + { + "id": "train-1445", + "question": "Scenario: I am self-employed and have a business registered as a sole trader. I am new to the construction business and am finding it difficult to register for the Construction Industry Scheme.\n\nQuestion: Can I apply for the scheme online as a sole trader?\n\nDocument - What you must do as a Construction Industry Scheme (CIS) subcontractor:\n## Overview\n\nYou should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:\n\n- self-employed\n\n- the owner of a limited company\n\n- a partner in a partnership or trust\n\nUnder CIS, a contractor must deduct 20% from your payments and pass it to HM Revenue and Customs (HMRC).\n\nThese deductions count as advance payments towards your tax and National Insurance bill.\n\nIf you do not register for the scheme, contractors must deduct 30% from your payments instead.\n\n## If you do not want deductions made\n\nIf you do not want deductions to be made in advance by contractors, you can apply for \u2018gross payment status\u2019. You can do this when you register for CIS.\n\nYou do not need to register for CIS if you\u2019re an employee. Check your employment status if you\u2019re not sure.\n\n## How to register\n\nTo register for the Construction Industry Scheme (CIS) you\u2019ll need:\n\n- your legal business name - you can also give a trading name if it\u2019s different to your business name\n\n- your National Insurance Number\n\n- the unique taxpayer reference number (UTR) for your business\n\n- your VAT registration number (if you\u2019re VAT registered)\n\nIf you\u2019re a subcontractor and a contractor (you pay subcontractors to do construction work), you\u2019ll need to register for CIS as both.\n\n## Register as a sole trader\n\nIf you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).\n\nYou can apply for gross payment status at the same time.\n\nIf you do not have a UTR, register as a new business for Self Assessment and choose \u2018working as a subcontractor\u2019 when prompted. You\u2019ll be registered for Self Assessment and CIS at the same time.\n\nYou can also call the CIS helpline to register.\n\n## Register as another type of business\n\nFill in the online form for limited companies or the online form for partnerships.\n\nHMRC will register the partnership separately to your sole trader registration. They will need the partnership UTR and trading name.\n\n## You are based abroad\n\nYou should still register for CIS if you are a subcontractor based abroad but do construction work in the UK.\n\n## Help and support\n\nCall the CIS helpline for help with registering.\n\nYou can also sign up for webinars and emails or watch videos from HMRC about CIS.\n\n## Get paid\n\nTo be paid correctly by a contractor, make sure you give them the exact same legal business name or trading name you gave when you registered for the Construction Industry Scheme (CIS). You should also give them your Unique Taxpayer Reference (UTR) so they can verify you.\n\nIf you do not, this could affect how much you get paid.\n\n## Deduction rates\n\nWhen a contractor pays you under CIS, they\u2019ll normally make deductions at the standard rate of 20%.\n\nContractors will make deductions at a higher rate of 30% if:\n\n- you are not registered for CIS\n\n- they cannot verify you\n\n- you give the wrong name for your business\n\nYour contractor should give you monthly statements of payments and deductions. Use them to calculate whether you still owe tax and National Insurance to HM Revenue and Customs (HMRC) or are due a refund.\n\n## Gross payment status\n\nYou can apply for gross payment status when you register for CIS. This means the contractor will not make deductions from your payments and you\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\n## What does not count as your pay\n\nContractors will not make a deduction from amounts you charge on your invoice for:\n\n- VAT\n\n- materials that you have paid for directly\n\n- equipment which is now unusable (\u2018consumable stores\u2019)\n\n- plant hired for the job\n\n- manufacturing or prefabricating materials\n\n## Pay tax and claim back deductions\n\nWhen you\u2019re registered with the Construction Industry Scheme (CIS), you\u2019re still responsible for paying the correct tax and National Insurance for your business, even if deductions have been made by contractors throughout the year.\n\nContractors will give you a monthly statement of what they\u2019ve paid you and deductions they\u2019ve made to help with your accounting.\n\n## Sole traders and partners\n\nAt the end of the tax year, send in your Self Assessment tax return as usual. You should record:\n\n- the full amounts on your invoices as income\n\n- any deductions contractors have made in the \u2018CIS deductions\u2019 field\n\nHM Revenue and Customs (HMRC) will work out your tax and National Insurance bill and take off any deductions made by contractors.\n\nIf you still owe tax after this, you\u2019ll need to pay it by 31 January following the end of the tax year.\n\nIf you\u2019re due a tax refund, HMRC will pay the money back.\n\n## Limited companies\n\nIf you have gross payment status, declare all your income in your Corporation Tax return as usual.\n\nIf you pay CIS deductions, you must claim these back through your company\u2019s monthly payroll scheme. Do not try to claim back through your Corporation Tax return - you may get a penalty if you do.\n\n- Send your monthly Full Payment Submission (FPS) as usual to HMRC.\n\n- Also send an Employer Payment Summary (EPS). Enter the total CIS deductions for the year to date.\n\n- HMRC will take your CIS deductions off what you owe in PAYE tax and National Insurance. Pay the balance by the usual date.\n\nIf your company\u2019s PAYE bill for the period is reduced to zero and you still have some CIS deductions you have not been able to claim back, carry these forward to the next month or quarter (in the same tax year). Tell HMRC in the EPS that you have nothing to pay.\n\n## If HMRC thinks your claim is wrong\n\nHMRC may ask you to provide evidence for your CIS deductions or to change your claim.\n\nIf you do not do this by the deadline they give you, you will not be able to make any more claims in that tax year.\n\nYou can appeal HMRC\u2019s decision. They\u2019ll tell you how to do this.\n\n## Keep records\n\nYour company must keep a record of amounts claimed back against your monthly or quarterly PAYE bill.\n\nYou can use form CIS132 to do this or keep your own records.\n\n## If you paid too much in CIS deductions\n\nHMRC will pay back any deductions your company has not been able to claim back from its PAYE bill during the tax year.\n\n## If your company goes into administration\n\nIf your company goes into administration or liquidation, the person managing it should write to HMRC to ask for CIS deductions to be repaid straight away.\n\n## If you do not have all your CIS statements\n\nIf you have not received all the CIS statements you need from your contractor, you can ask them to send you replacement copies.\n\nIf the contractor you\u2019re working for stops trading and you have not been able to get all your CIS statements you should write to HMRC.\n\nInclude the following information:\n\n- your name, address and Unique Taxpayer Reference (UTR)\n\n- the name and address of the contractor\n\n- the contractor\u2019s tax reference - if you know it\n\n- the dates of the payments or the tax months when the contractor paid you\n\n- the reason why you do not have the statements or duplicates\n\n## How to get gross payment status\n\nYou can apply for gross payment status when you register for CIS.\n\nThis means contractors will pay you in full, without deductions. You\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\nIf you\u2019re already registered for CIS, you can apply for gross payment status by calling the CIS helpline or applying online.\n\n## Apply for gross payment status online\n\n- Sign in to Government Gateway - you\u2019ll need the Government Gateway user ID and password you used when you registered for CIS. If you do not have a user ID, you can create one when you register for CIS.\n\n- From \u2018Your tax account\u2019, go to \u2018Other services\u2019.\n\n- Choose \u2018Construction Industry Scheme \u2013 Subcontractors\u2019.\n\n## To qualify\n\nYou must show HM Revenue and Customs (HMRC) that your business passes some tests. You\u2019ll need to show that:\n\n- you\u2019ve paid your tax and National Insurance on time in the past\n\n- your business does construction work (or provides labour for it) in the UK\n\n- your business is run through a bank account\n\nHMRC will look at your turnover for the last 12 months. Ignoring VAT and the cost of materials, your turnover must be at least:\n\n- \u00a330,000 if you\u2019re a sole trader\n\n- \u00a330,000 for each partner in a partnership, or at least \u00a3100,000 for the whole partnership\n\n- \u00a330,000 for each director of a company, or at least \u00a3100,000 for the whole company\n\nIf your company\u2019s controlled by 5 people or fewer, you must have an annual turnover of \u00a330,000 for each of them.\n\nYou could be fined if you provide false information or help someone else to make a false application.\n\n## Paying tax when you have gross payment status\n\nYou must declare your payments as income at the end of the tax year in:\n\n- your Self Assessment tax return if you\u2019re a sole trader or partner\n\n- your Corporation Tax return if you own a limited company\n\n## Annual review\n\nIf you have gross payment status, HM Revenue and Customs (HMRC) will review your business every year, to decide if you can keep your status.\n\nYou must be on time with your tax returns and payments to keep your gross payment status.\n\nIf you run a limited company, HMRC will review the company itself, rather than individual directors or shareholders.\n\n## You do not meet all the conditions\n\nYou could fail the review and HMRC will remove your gross payment status. You\u2019ll be allowed a small amount of late payments or returns.\n\nContact HMRC if you have problems paying your tax on time. If HMRC give you more time to pay, this will not affect your gross payment status.\n\n## You fail your review\n\nYou\u2019ll get a letter explaining you\u2019re about to fail the review, along with the reasons why.\n\nIf you disagree, you can write back with your reasons.\n\nIf HMRC accept your explanation, they will not remove your gross payment status.\n\nIf you do not reply to the letter or HMRC does not accept your explanation, they\u2019ll write to explain:\n\n- what conditions you have not met\n\n- that they\u2019re withdrawing your gross payment status in 90 days\n\nIf you think HMRC have made the wrong decision, you have 30 days from the date of this letter to appeal.\n\n## Reapplying for gross payment status\n\nIf HMRC cancel your gross payment status, you need to wait a year from the date of the cancellation before you can reapply.\n\n## Changes you need to report\n\nReport changes by calling the Construction Industry Scheme (CIS) helpline.\n\nTell them if you:\n\n- change from a sole trader to a partnership\n\n- leave a partnership or company to become a sole trader\n\n- create a company or change your business to a company\n\nYou\u2019ll usually need to register again for CIS - as you cannot transfer the registration from your old business structure.\n\nIf you have gross payment status, you\u2019ll need to apply again.\n\nYou must also tell HM Revenue and Customs (HMRC) if you:\n\n- change your trading name\n\n- change your business, private or registered office address\n\n- stop trading\n\n- add new shareholders - HMRC may withdraw your gross payment status if you do not tell them within 30 days\n\n## Stop trading\n\nIf your business goes into administration it can keep receiving payments for work it\u2019s done under CIS. It should be paid in the same way that it was paid normally - either gross or under deduction.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "answerable": true, + "scenario": "I am self-employed and have a business registered as a sole trader. I am new to the construction business and am finding it difficult to register for the Construction Industry Scheme.", + "original_question": "Can I apply for the scheme online as a sole trader?" + }, + { + "id": "train-1446", + "question": "Scenario: I have been operating as a sole trader in the construction business for a few years now. Recently I have been in talks with a few other traders in the same boat as me. We have began looking into forming a partnership and working together from here on out.\n\nQuestion: Do we need to report the switch from sole traders to a partnership to the HM Revenue and Customs?\n\nDocument - What you must do as a Construction Industry Scheme (CIS) subcontractor:\n## Overview\n\nYou should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:\n\n- self-employed\n\n- the owner of a limited company\n\n- a partner in a partnership or trust\n\nUnder CIS, a contractor must deduct 20% from your payments and pass it to HM Revenue and Customs (HMRC).\n\nThese deductions count as advance payments towards your tax and National Insurance bill.\n\nIf you do not register for the scheme, contractors must deduct 30% from your payments instead.\n\n## If you do not want deductions made\n\nIf you do not want deductions to be made in advance by contractors, you can apply for \u2018gross payment status\u2019. You can do this when you register for CIS.\n\nYou do not need to register for CIS if you\u2019re an employee. Check your employment status if you\u2019re not sure.\n\n## How to register\n\nTo register for the Construction Industry Scheme (CIS) you\u2019ll need:\n\n- your legal business name - you can also give a trading name if it\u2019s different to your business name\n\n- your National Insurance Number\n\n- the unique taxpayer reference number (UTR) for your business\n\n- your VAT registration number (if you\u2019re VAT registered)\n\nIf you\u2019re a subcontractor and a contractor (you pay subcontractors to do construction work), you\u2019ll need to register for CIS as both.\n\n## Register as a sole trader\n\nIf you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).\n\nYou can apply for gross payment status at the same time.\n\nIf you do not have a UTR, register as a new business for Self Assessment and choose \u2018working as a subcontractor\u2019 when prompted. You\u2019ll be registered for Self Assessment and CIS at the same time.\n\nYou can also call the CIS helpline to register.\n\n## Register as another type of business\n\nFill in the online form for limited companies or the online form for partnerships.\n\nHMRC will register the partnership separately to your sole trader registration. They will need the partnership UTR and trading name.\n\n## You are based abroad\n\nYou should still register for CIS if you are a subcontractor based abroad but do construction work in the UK.\n\n## Help and support\n\nCall the CIS helpline for help with registering.\n\nYou can also sign up for webinars and emails or watch videos from HMRC about CIS.\n\n## Get paid\n\nTo be paid correctly by a contractor, make sure you give them the exact same legal business name or trading name you gave when you registered for the Construction Industry Scheme (CIS). You should also give them your Unique Taxpayer Reference (UTR) so they can verify you.\n\nIf you do not, this could affect how much you get paid.\n\n## Deduction rates\n\nWhen a contractor pays you under CIS, they\u2019ll normally make deductions at the standard rate of 20%.\n\nContractors will make deductions at a higher rate of 30% if:\n\n- you are not registered for CIS\n\n- they cannot verify you\n\n- you give the wrong name for your business\n\nYour contractor should give you monthly statements of payments and deductions. Use them to calculate whether you still owe tax and National Insurance to HM Revenue and Customs (HMRC) or are due a refund.\n\n## Gross payment status\n\nYou can apply for gross payment status when you register for CIS. This means the contractor will not make deductions from your payments and you\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\n## What does not count as your pay\n\nContractors will not make a deduction from amounts you charge on your invoice for:\n\n- VAT\n\n- materials that you have paid for directly\n\n- equipment which is now unusable (\u2018consumable stores\u2019)\n\n- plant hired for the job\n\n- manufacturing or prefabricating materials\n\n## Pay tax and claim back deductions\n\nWhen you\u2019re registered with the Construction Industry Scheme (CIS), you\u2019re still responsible for paying the correct tax and National Insurance for your business, even if deductions have been made by contractors throughout the year.\n\nContractors will give you a monthly statement of what they\u2019ve paid you and deductions they\u2019ve made to help with your accounting.\n\n## Sole traders and partners\n\nAt the end of the tax year, send in your Self Assessment tax return as usual. You should record:\n\n- the full amounts on your invoices as income\n\n- any deductions contractors have made in the \u2018CIS deductions\u2019 field\n\nHM Revenue and Customs (HMRC) will work out your tax and National Insurance bill and take off any deductions made by contractors.\n\nIf you still owe tax after this, you\u2019ll need to pay it by 31 January following the end of the tax year.\n\nIf you\u2019re due a tax refund, HMRC will pay the money back.\n\n## Limited companies\n\nIf you have gross payment status, declare all your income in your Corporation Tax return as usual.\n\nIf you pay CIS deductions, you must claim these back through your company\u2019s monthly payroll scheme. Do not try to claim back through your Corporation Tax return - you may get a penalty if you do.\n\n- Send your monthly Full Payment Submission (FPS) as usual to HMRC.\n\n- Also send an Employer Payment Summary (EPS). Enter the total CIS deductions for the year to date.\n\n- HMRC will take your CIS deductions off what you owe in PAYE tax and National Insurance. Pay the balance by the usual date.\n\nIf your company\u2019s PAYE bill for the period is reduced to zero and you still have some CIS deductions you have not been able to claim back, carry these forward to the next month or quarter (in the same tax year). Tell HMRC in the EPS that you have nothing to pay.\n\n## If HMRC thinks your claim is wrong\n\nHMRC may ask you to provide evidence for your CIS deductions or to change your claim.\n\nIf you do not do this by the deadline they give you, you will not be able to make any more claims in that tax year.\n\nYou can appeal HMRC\u2019s decision. They\u2019ll tell you how to do this.\n\n## Keep records\n\nYour company must keep a record of amounts claimed back against your monthly or quarterly PAYE bill.\n\nYou can use form CIS132 to do this or keep your own records.\n\n## If you paid too much in CIS deductions\n\nHMRC will pay back any deductions your company has not been able to claim back from its PAYE bill during the tax year.\n\n## If your company goes into administration\n\nIf your company goes into administration or liquidation, the person managing it should write to HMRC to ask for CIS deductions to be repaid straight away.\n\n## If you do not have all your CIS statements\n\nIf you have not received all the CIS statements you need from your contractor, you can ask them to send you replacement copies.\n\nIf the contractor you\u2019re working for stops trading and you have not been able to get all your CIS statements you should write to HMRC.\n\nInclude the following information:\n\n- your name, address and Unique Taxpayer Reference (UTR)\n\n- the name and address of the contractor\n\n- the contractor\u2019s tax reference - if you know it\n\n- the dates of the payments or the tax months when the contractor paid you\n\n- the reason why you do not have the statements or duplicates\n\n## How to get gross payment status\n\nYou can apply for gross payment status when you register for CIS.\n\nThis means contractors will pay you in full, without deductions. You\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\nIf you\u2019re already registered for CIS, you can apply for gross payment status by calling the CIS helpline or applying online.\n\n## Apply for gross payment status online\n\n- Sign in to Government Gateway - you\u2019ll need the Government Gateway user ID and password you used when you registered for CIS. If you do not have a user ID, you can create one when you register for CIS.\n\n- From \u2018Your tax account\u2019, go to \u2018Other services\u2019.\n\n- Choose \u2018Construction Industry Scheme \u2013 Subcontractors\u2019.\n\n## To qualify\n\nYou must show HM Revenue and Customs (HMRC) that your business passes some tests. You\u2019ll need to show that:\n\n- you\u2019ve paid your tax and National Insurance on time in the past\n\n- your business does construction work (or provides labour for it) in the UK\n\n- your business is run through a bank account\n\nHMRC will look at your turnover for the last 12 months. Ignoring VAT and the cost of materials, your turnover must be at least:\n\n- \u00a330,000 if you\u2019re a sole trader\n\n- \u00a330,000 for each partner in a partnership, or at least \u00a3100,000 for the whole partnership\n\n- \u00a330,000 for each director of a company, or at least \u00a3100,000 for the whole company\n\nIf your company\u2019s controlled by 5 people or fewer, you must have an annual turnover of \u00a330,000 for each of them.\n\nYou could be fined if you provide false information or help someone else to make a false application.\n\n## Paying tax when you have gross payment status\n\nYou must declare your payments as income at the end of the tax year in:\n\n- your Self Assessment tax return if you\u2019re a sole trader or partner\n\n- your Corporation Tax return if you own a limited company\n\n## Annual review\n\nIf you have gross payment status, HM Revenue and Customs (HMRC) will review your business every year, to decide if you can keep your status.\n\nYou must be on time with your tax returns and payments to keep your gross payment status.\n\nIf you run a limited company, HMRC will review the company itself, rather than individual directors or shareholders.\n\n## You do not meet all the conditions\n\nYou could fail the review and HMRC will remove your gross payment status. You\u2019ll be allowed a small amount of late payments or returns.\n\nContact HMRC if you have problems paying your tax on time. If HMRC give you more time to pay, this will not affect your gross payment status.\n\n## You fail your review\n\nYou\u2019ll get a letter explaining you\u2019re about to fail the review, along with the reasons why.\n\nIf you disagree, you can write back with your reasons.\n\nIf HMRC accept your explanation, they will not remove your gross payment status.\n\nIf you do not reply to the letter or HMRC does not accept your explanation, they\u2019ll write to explain:\n\n- what conditions you have not met\n\n- that they\u2019re withdrawing your gross payment status in 90 days\n\nIf you think HMRC have made the wrong decision, you have 30 days from the date of this letter to appeal.\n\n## Reapplying for gross payment status\n\nIf HMRC cancel your gross payment status, you need to wait a year from the date of the cancellation before you can reapply.\n\n## Changes you need to report\n\nReport changes by calling the Construction Industry Scheme (CIS) helpline.\n\nTell them if you:\n\n- change from a sole trader to a partnership\n\n- leave a partnership or company to become a sole trader\n\n- create a company or change your business to a company\n\nYou\u2019ll usually need to register again for CIS - as you cannot transfer the registration from your old business structure.\n\nIf you have gross payment status, you\u2019ll need to apply again.\n\nYou must also tell HM Revenue and Customs (HMRC) if you:\n\n- change your trading name\n\n- change your business, private or registered office address\n\n- stop trading\n\n- add new shareholders - HMRC may withdraw your gross payment status if you do not tell them within 30 days\n\n## Stop trading\n\nIf your business goes into administration it can keep receiving payments for work it\u2019s done under CIS. It should be paid in the same way that it was paid normally - either gross or under deduction.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "answerable": true, + "scenario": "I have been operating as a sole trader in the construction business for a few years now. Recently I have been in talks with a few other traders in the same boat as me. We have began looking into forming a partnership and working together from here on out.", + "original_question": "Do we need to report the switch from sole traders to a partnership to the HM Revenue and Customs?" + }, + { + "id": "train-1448", + "question": "Scenario: I run into a lot of unexpected expenses due to the nature of my work and am not able to assess how many I am likely to get during the course of one year.\n\nQuestion: Does the irregularity of my expenses preclude me from access to this scheme?\n\nDocument - PAYE Settlement Agreements:\n## Overview\n\nA PAYE Settlement Agreement (PSA) allows you to make one annual payment to cover all the tax and National Insurance due on minor, irregular or impracticable expenses or benefits for your employees.\n\nIf you get a PSA for these items you will not need to:\n\n- put them through your payroll to work out tax and National Insurance\n\n- include them in your end-of-year P11D forms\n\n- pay Class 1A National Insurance on them at the end of the tax year (you pay Class 1B National Insurance as part of your PSA instead)\n\nSome employee expenses are covered by exemptions (which have replaced dispensations). This means you will not have to include them in your end-of-year reports.\n\n## What's included\n\nThe expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.\n\n## Minor\n\nExamples of minor benefits and expenses include:\n\n- incentive awards, for example for long-service\n\n- telephone bills\n\n- small gifts and vouchers\n\n- staff entertainment, for example a ticket to an event\n\n- non-business expenses while travelling overnight on business that are over the daily limit\n\nYou do not need to include trivial benefits in your PSA.\n\n## Irregular\n\nIrregular benefits and expenses are things that are not paid at regular intervals over the course of a tax year, for example weekly or monthly. They\u2019re also things that employees do not have a contractual right to. Examples of irregular expenses and benefits include:\n\n- relocation expenses over \u00a38,000 (these are tax-free below \u00a38,000)\n\n- the cost of attending overseas conferences\n\n- expenses of a spouse accompanying an employee abroad\n\n- use of a company holiday flat\n\n## Impracticable\n\nImpracticable expenses and benefits are things that are difficult to place a value on or divide up between individual employees. Examples of impracticable expenses and benefits include:\n\n- staff entertainment that is not exempt from tax or National Insurance Contributions\n\n- shared cars\n\n- personal care expenses, for example hairdressing\n\n## What\u2019s not included\n\nYou cannot include wages, high-value benefits like company cars, or cash payments such as:\n\n- bonuses\n\n- round sum allowances\n\n- beneficial loans in a PSA\n\nIf you apply after the start of the tax year, there are extra restrictions on what you can include.\n\n## How to get a PSA\n\n- Write to HM Revenue and Customs (HMRC) Business Tax and Customs describing the expenses and benefits you want the PAYE Settlement Agreement (PSA) to cover.\n\n- Once they\u2019ve agreed on what can be included, they\u2019ll send you 2 draft copies of form P626. Sign and return both copies. HMRC will authorise your request and send back a form - this is your PSA.\n\n- You\u2019ll need to report anything that cannot be included separately using form P11D. You do not need to send a P11D if you\u2019re paying employees\u2019 expenses and benefits through your payroll.\n\n- Use form PSA1 to help you calculate the overall amount you\u2019ll need to pay. If you do not, HMRC will calculate the amount. You\u2019ll be charged more if this happens.\n\n- Send the completed form to HMRC as soon as possible after the end of the tax year. They\u2019ll get in touch with you before 19 October following the tax year that the PSA covers to confirm the total tax and National Insurance you need to pay.\n\nYou\u2019ll need to give an agent a signed letter of authority to make a PSA on your behalf if they do not have authorisation to do so.\n\nContact the HMRC employer helpline for advice on getting and calculating your PSA.\n\n## What happens next\n\nThe agreement will continue until either you or HMRC cancels it or you need to change it. You do not need to renew the PSA each tax year.\n\n## Deadlines and payment\n\nThe deadline for applying for a PAYE Settlement Agreement (PSA) is 5 July following the first tax year it applies to.\n\n## When to pay\n\nYou must pay any tax and National Insurance owed under a PSA by 22 October after the tax year the PSA applies to (19 October if you pay by post).\n\nYou may be fined or charged interest if you do not pay or your payment is late.\n\n## What to pay when the PSA is first approved\n\nIf HM Revenue and Customs (HMRC) approves your PSA before the start of a tax year, you can include any expenses and benefits contained in the agreement.\n\nIf they approve it after the start of the tax year, you might need to report some items separately.\n\n## If your PSA is approved before 6 April\n\nYou must use form P11D to report expenses and benefits provided before the agreement date that you:\n\n- have already included in your employee\u2019s tax code\n\n- included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions\n\n## If your PSA is approved between 6 April and 5 July\n\nYou must use form P11D to report expenses and benefits provided during the tax year that you:\n\n- have already included in your employee\u2019s tax code\n\n- included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions\n\n## Change or cancel a PSA\n\nTo change the items covered by your PAYE Settlement Agreement (PSA), send details of the changes to the office that issued it. HM Revenue and Customs (HMRC) will send you a revised P626 that you need to sign and return.\n\n## Cancel a PSA\n\nTo cancel your PSA, fill in the return slip section of the P626 and send it to HMRC.\n\nHMRC will cancel your PSA on the date you put on the return slip.\n\nYou need to report any outstanding tax and National Insurance Contributions (NICs) due on benefits and expenses using forms P11D and PSA1.\n\nYou need to pay any outstanding tax and NICs by 22 October after the tax year the PSA applies to (19 October if you pay by post).\n\nYou need to pay any NICs owed on expenses or benefits listed on the P11D form by 22 July after the tax year it applies to (19 July if you pay by post).\n\nIf you continue providing benefits after you\u2019ve cancelled your PSA, you need to either:\n\n- report them on a P11D form\n\n- put them through payroll\n\nYou can pay any tax or NICs due via PAYE.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/paye-settlement-agreements", + "answerable": true, + "scenario": "I run into a lot of unexpected expenses due to the nature of my work and am not able to assess how many I am likely to get during the course of one year.", + "original_question": "Does the irregularity of my expenses preclude me from access to this scheme?" + }, + { + "id": "train-1449", + "question": "Scenario: I lead a team that manages the property for a large UK religion that is registered as a charity. In one location, the land around our place of worship was larger than we needed, so we built two houses on the spare land. We have now sold these to private individuals.\n\nQuestion: Do we need to pay tax on the profits gained from the house sales?\n\nDocument - Charities and tax:\n## Overview\n\nAs a charity you can get certain tax reliefs. To benefit you must be recognised by HM Revenue and Customs (HMRC).\n\nCharities do not pay tax on most types of income as long as they use the money for charitable purposes.\n\nYou can claim back tax that\u2019s been deducted, for example on bank interest and donations (this is known as Gift Aid).\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you need to pay tax\n\nYour charity may need to pay tax if you\u2019ve:\n\n- received income that does not qualify for tax relief\n\n- spent any of your income on non-charitable purposes\n\nYou need to complete a tax return if your charity has tax to pay.\n\nCommunity amateur sports clubs (CASCs) get different tax reliefs.\n\n## Tax reliefs for charities\n\nAs a charity you do not pay tax on most of your income and gains if you use it for charitable purposes - this is known as \u2018charitable expenditure\u2019.\n\nThis includes tax:\n\n- on donations\n\n- on profits from trading\n\n- on rental or investment income, for example bank interest\n\n- on profits when you sell or \u2018dispose of\u2019 an asset, like property or shares\n\n- when you buy property\n\nTo get tax relief you must be recognised by HM Revenue and Customs (HMRC).\n\nCommunity amateur sports clubs (CASCs) get different tax reliefs.\n\n## When you do pay tax\n\nCharities pay tax on:\n\n- dividends received from UK companies before 6 April 2016\n\n- profits from developing land or property\n\n- purchases - but there are special VAT rules for charities\n\nCharities pay business rates on non-domestic buildings, but they get an 80% discount.\n\nYou must pay tax on any money you do not use for charitable purposes. This is known as \u2018non-charitable expenditure\u2019.\n\n## Pay tax\n\nYou must complete a tax return if your charity needs to pay tax or if HMRC asks you to.\n\n## Reclaim tax\n\nYou can claim back tax that\u2019s been deducted, for example on:\n\n- donations (this is known as Gift Aid)\n\n- bank interest\n\n## Get recognition for tax purposes\n\nTo get tax relief your charity must be:\n\n- based in the UK, EU, Iceland, Liechtenstein or Norway\n\n- established for charitable purposes only\n\n- registered with the Charity Commission or another regulator, if this applies to you\n\n- run by \u2018fit and proper persons\u2019\n\n- recognised by HM Revenue and Customs (HMRC)\n\n## Apply for recognition\n\nRegister your charity\u2019s details using HMRC\u2019s online service.\n\n## Reclaim tax\n\nIf you receive income with tax deducted, for example donations you can claim Gift Aid on, you can claim it back:\n\n- online, using the Charities Online service\n\n- through software that works with Charities Online\n\n- by post, using form ChR1 - call the helpline to order it\n\n## Bank interest\n\nYou can arrange to receive interest without tax deducted. Show your bank your letter of recognition from HM Revenue and Customs (HMRC).\n\nIf tax has already been taken from your interest you can claim it back for:\n\n- the current tax year by asking your bank\n\n- previous tax years by claiming it from HMRC\n\n## Pay tax\n\nIf your charity has income that does not qualify for tax relief you must complete a tax return.\n\nIf you have no tax to pay, complete a tax return only if HM Revenue and Customs (HMRC) asks you to.\n\nIf your charity\u2019s income is over \u00a310,000 you must submit an annual return to the Charity Commission.\n\n## Company Tax Returns\n\nComplete a Company Tax Return if your charity is a limited company or unincorporated association. Include the supplementary pages for charities and community amateur sports clubs (CASCs).\n\nA charity is a limited company if it was set up by a:\n\n- constitution\n\n- memorandum and articles of association\n\n- royal charter or Act of Parliament\n\nLimited companies must also send annual accounts to Companies House.\n\n## Trusts\n\nComplete a Trust and Estate Self Assessment tax return if your charity is a trust. A charity is a trust if it was set up by a trust deed or will.\n\n## Penalties and deadlines\n\nYou must complete a tax return when HMRC asks you to, even if no tax is due.\n\nYou may have to pay a penalty if your tax return is late or you do not complete one when you should.\n\nThe deadline depends on whether you complete a Company Tax Return or a Self Assessment tax return.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/charities-and-tax", + "answerable": true, + "scenario": "I lead a team that manages the property for a large UK religion that is registered as a charity. In one location, the land around our place of worship was larger than we needed, so we built two houses on the spare land. We have now sold these to private individuals.", + "original_question": "Do we need to pay tax on the profits gained from the house sales?" + }, + { + "id": "train-1451", + "question": "Scenario: Me and my business partner had a falling apart and I sold my equity in the company to him. Now he claims I owe him around \u00a36000 for merchandise that has gone missing. I am certain I have not taken anything that belongs to the company and have only collected my personal belongings.\n\nQuestion: Do I have to appear in court in order to defend and fight against the claim?\n\nDocument - Respond to a court claim for money:\n## How to respond\n\nYou\u2019ll get a letter or email if someone claims you owe them money. You must respond by the date on the email or letter you receive.\n\nYou can respond by:\n\n- paying the full amount\n\n- paying only what you think you owe\n\n- defending the claim (if you do not think you owe any money or you\u2019ve already paid)\n\nYou might have to pay more or get a county court judgment (CCJ) if you do not respond in time.\n\n## If you need more time to respond\n\nYou can ask for another 14 days to respond if you\u2019re defending the claim or paying only what you think you owe.\n\nDownload and fill in the acknowledgement of service form in the response pack.\n\nSend it to the court address on the claim form.\n\nThe process is different in Scotland.\n\n## Pay the full amount\n\nSend a cheque or postal order made payable to the person or business you owe money to (the \u2018claimant\u2019). Their name and address will be on the claim form.\n\nYou can also pay the claimant in person.\n\nKeep proof (for example, your bank records or a receipt from the claimant) to show you\u2019ve paid.\n\n## If you cannot afford to pay the full amount at once\n\nYou can offer to pay in instalments or by a certain date.\n\nDownload and fill in either:\n\n- form N9A if the claim is for a specified amount\n\n- form N9C if the claim is for an unspecified amount\n\nYou must say how you want to pay (a certain amount per month for example) and send the completed form to the address on the claim form.\n\nIf the claimant does not accept your offer, the court will decide how you pay.\n\nYou can be taken to court and you may have to pay extra costs if you do not keep up the payments.\n\n## If the claim is for an unspecified amount\n\nDownload and fill in admission form N9A. Either:\n\n- ask the court to decide how much you owe\n\n- offer to pay a certain amount\n\nYou might have to give more information at a hearing if you ask the court to decide or the claimant rejects your offer.\n\nThe court will tell you when and where the hearing will take place.\n\n## If you\u2019ve already paid\n\nYou must defend the claim if you\u2019ve already paid the claimant.\n\nYou might still have to pay court fees if you paid the claimant after they made the claim.\n\n## Pay some of the money\n\nIf you do not agree with the amount on the claim form, you can apply to the court to pay only what you think you owe.\n\nYou must send the court both:\n\n- an admission form to say how much you\u2019ll pay\n\n- a defence form to explain why you do not owe the full amount\n\nRespond online if the claim was made using Money Claim Online.\n\nOtherwise, which forms you fill in will depend on whether the claim is for a fixed (\u2018specified\u2019) or an unspecified amount.\n\n## The claim is for a specified amount\n\nDownload and fill in:\n\n- admission form N9A\n\n- defence form N9B\n\n## The claim is for an unspecified amount\n\nDownload and fill in:\n\n- admission form N9C\n\n- defence form N9D\n\n## If your offer is rejected\n\nThe court will decide how much you owe.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Defend the claim\n\nYou can defend the claim if either:\n\n- you do not think you owe the other person or business any money\n\n- you\u2019ve already paid them\n\nYou can also make a claim against them (\u2018counterclaim\u2019) if you think they owe you money. You might have to pay a court fee.\n\nDownload and fill in either:\n\n- form N9B if the claim is for a fixed (\u2018specified\u2019) amount\n\n- form N9D if the claim is for an unspecified amount\n\nYou can respond online if the claim was made using an online service.\n\nThe court will decide whether you owe any money, and how much.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Going to a court hearing\n\nIf there\u2019s a hearing, you can:\n\n- represent yourself\n\n- pay for a barrister or solicitor to represent you\n\n- ask someone to advise you in court - they do not have to be a lawyer\n\n- ask someone to speak on your behalf - you might need to get the court\u2019s permission\n\nYour hearing can be held in the judge\u2019s room or a courtroom in a county court if the claim is for less than \u00a310,000. There might be a more formal hearing if the claim is for more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## After the hearing\n\nYou\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.\n\n## Appeal the decision\n\nYou can ask to appeal the decision if you think the judge made a mistake during the hearing. You must ask within 21 days of the date the decision was made.\n\nFind out which court or tribunal to appeal to.\n\nContact Citizens Advice to get advice on appealing.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "answerable": true, + "scenario": "Me and my business partner had a falling apart and I sold my equity in the company to him. Now he claims I owe him around \u00a36000 for merchandise that has gone missing. I am certain I have not taken anything that belongs to the company and have only collected my personal belongings.", + "original_question": "Do I have to appear in court in order to defend and fight against the claim?" + }, + { + "id": "train-1452", + "question": "Scenario: I was working with an advertising company to design a new website for them. There was an error in the calculation of my hourly rates which led to them signing me on and paying me more than what I should have been payed. Even though this was a mistake on their part when drafting up my contract I still agreed to pay back the difference and keep the actual amount I was supposed to be payed. They decided to file a claim requesting the entire sum of money back. Unfortunately I am out of the country at the moment and am having a hard time responding to and dealing with the claim.\n\nQuestion: Am I able to request an extension on the time I was given to respond?\n\nDocument - Respond to a court claim for money:\n## How to respond\n\nYou\u2019ll get a letter or email if someone claims you owe them money. You must respond by the date on the email or letter you receive.\n\nYou can respond by:\n\n- paying the full amount\n\n- paying only what you think you owe\n\n- defending the claim (if you do not think you owe any money or you\u2019ve already paid)\n\nYou might have to pay more or get a county court judgment (CCJ) if you do not respond in time.\n\n## If you need more time to respond\n\nYou can ask for another 14 days to respond if you\u2019re defending the claim or paying only what you think you owe.\n\nDownload and fill in the acknowledgement of service form in the response pack.\n\nSend it to the court address on the claim form.\n\nThe process is different in Scotland.\n\n## Pay the full amount\n\nSend a cheque or postal order made payable to the person or business you owe money to (the \u2018claimant\u2019). Their name and address will be on the claim form.\n\nYou can also pay the claimant in person.\n\nKeep proof (for example, your bank records or a receipt from the claimant) to show you\u2019ve paid.\n\n## If you cannot afford to pay the full amount at once\n\nYou can offer to pay in instalments or by a certain date.\n\nDownload and fill in either:\n\n- form N9A if the claim is for a specified amount\n\n- form N9C if the claim is for an unspecified amount\n\nYou must say how you want to pay (a certain amount per month for example) and send the completed form to the address on the claim form.\n\nIf the claimant does not accept your offer, the court will decide how you pay.\n\nYou can be taken to court and you may have to pay extra costs if you do not keep up the payments.\n\n## If the claim is for an unspecified amount\n\nDownload and fill in admission form N9A. Either:\n\n- ask the court to decide how much you owe\n\n- offer to pay a certain amount\n\nYou might have to give more information at a hearing if you ask the court to decide or the claimant rejects your offer.\n\nThe court will tell you when and where the hearing will take place.\n\n## If you\u2019ve already paid\n\nYou must defend the claim if you\u2019ve already paid the claimant.\n\nYou might still have to pay court fees if you paid the claimant after they made the claim.\n\n## Pay some of the money\n\nIf you do not agree with the amount on the claim form, you can apply to the court to pay only what you think you owe.\n\nYou must send the court both:\n\n- an admission form to say how much you\u2019ll pay\n\n- a defence form to explain why you do not owe the full amount\n\nRespond online if the claim was made using Money Claim Online.\n\nOtherwise, which forms you fill in will depend on whether the claim is for a fixed (\u2018specified\u2019) or an unspecified amount.\n\n## The claim is for a specified amount\n\nDownload and fill in:\n\n- admission form N9A\n\n- defence form N9B\n\n## The claim is for an unspecified amount\n\nDownload and fill in:\n\n- admission form N9C\n\n- defence form N9D\n\n## If your offer is rejected\n\nThe court will decide how much you owe.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Defend the claim\n\nYou can defend the claim if either:\n\n- you do not think you owe the other person or business any money\n\n- you\u2019ve already paid them\n\nYou can also make a claim against them (\u2018counterclaim\u2019) if you think they owe you money. You might have to pay a court fee.\n\nDownload and fill in either:\n\n- form N9B if the claim is for a fixed (\u2018specified\u2019) amount\n\n- form N9D if the claim is for an unspecified amount\n\nYou can respond online if the claim was made using an online service.\n\nThe court will decide whether you owe any money, and how much.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Going to a court hearing\n\nIf there\u2019s a hearing, you can:\n\n- represent yourself\n\n- pay for a barrister or solicitor to represent you\n\n- ask someone to advise you in court - they do not have to be a lawyer\n\n- ask someone to speak on your behalf - you might need to get the court\u2019s permission\n\nYour hearing can be held in the judge\u2019s room or a courtroom in a county court if the claim is for less than \u00a310,000. There might be a more formal hearing if the claim is for more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## After the hearing\n\nYou\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.\n\n## Appeal the decision\n\nYou can ask to appeal the decision if you think the judge made a mistake during the hearing. You must ask within 21 days of the date the decision was made.\n\nFind out which court or tribunal to appeal to.\n\nContact Citizens Advice to get advice on appealing.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "answerable": true, + "scenario": "I was working with an advertising company to design a new website for them. There was an error in the calculation of my hourly rates which led to them signing me on and paying me more than what I should have been payed. Even though this was a mistake on their part when drafting up my contract I still agreed to pay back the difference and keep the actual amount I was supposed to be payed. They decided to file a claim requesting the entire sum of money back. Unfortunately I am out of the country at the moment and am having a hard time responding to and dealing with the claim.", + "original_question": "Am I able to request an extension on the time I was given to respond?" + }, + { + "id": "train-1454", + "question": "Scenario: My Software company wants to change its share structure because the share holders are unhappy with their returns. \n\nQuestion: Would this requite a special resolution with an overwhelming majority to pass?\n\nDocument - Make changes to your private limited company:\n## Overview\n\nYou must tell Companies House if you change your company\u2019s:\n\n- name\n\n- address\n\n- directors and company secretaries, including changes to their details\n\n- type, for example becoming a public limited company or unlimited company\n\n- share, for example issuing new shares or changing your share structure\n\n- constitution and articles of association - how your company is run\n\n- mortgages and loan guarantees (sometimes called \u2018charges\u2019), for example if the company takes out a secured loan\n\nYou may need your company\u2019s agreement before you can make some changes.\n\nYou may also need to tell HM Revenue and Customs (HMRC) about company changes.\n\n## When to tell Companies House\n\nYou must tell Companies House within 14 days if you make changes to:\n\n- where you keep your company records\n\n- your directors, or their personal details change, for example their address\n\n- company secretaries\n\nYou must tell Companies House within 15 days if you make changes to your constitution or articles of association.\n\nYou must tell Companies House within a month if you issue more shares in your company.\n\nYou must tell Companies House all other changes within 21 days.\n\n## How to tell Companies House\n\nYou can either:\n\n- use the Companies House online service if it\u2019s available for the change you need to make\n\n- download and fill in paper forms\n\n## Get agreement from your company\n\nYou usually need to get directors or entitled shareholders to vote (known as \u2018passing a resolution\u2019) on whether or not to make some changes.\n\nThings that usually need a resolution include:\n\n- changing your company name\n\n- removing a director\n\n- changing your company\u2019s constitution and articles of association - how your company is run\n\n- changing your company\u2019s share structure\n\nMost resolutions simply need more shareholders to agree than disagree (called an \u2018ordinary resolution\u2019). They may be simply done by a show of hands at a meeting. Ordinary resolutions are used for most routine changes, for example, increasing a company\u2019s share capital.\n\nSome decisions, for example changing your articles, might require a 75% or even 95% majority (called a \u2018special resolution\u2019 or \u2018extraordinary resolution\u2019).\n\nYour company articles will usually tell you if you need a resolution, and what type it should be.\n\nYou must let your shareholders (and auditors if relevant) know when there\u2019s going to be a vote on a resolution.\n\nYou must file special or extraordinary resolutions with Companies House within 15 days of passing them.\n\n## Shareholder voting for special and extraordinary resolutions\n\nWhen you\u2019re working out the majority in special or extraordinary resolutions you count the number of shares that give the owner the right to vote, rather than the number of shareholders.\n\n## How to hold a resolution\n\nYou do not always need to have a meeting to pass a resolution. If enough shareholders or directors have told you they agree, you can usually confirm the resolution in writing.\n\nYou must write to all shareholders letting them know about the outcome of a resolution.\n\n## Company name\n\nA company can change its name either by:\n\n- a special resolution\n\n- permission given in the company\u2019s articles of association\n\nYour new name must follow all the rules for company names.\n\nYour company name will not officially change until Companies House registers it.\n\n## Register online\n\nYou can use the Companies House online service to file changes of name by special resolution only.\n\nIt costs \u00a38 to file, or \u00a330 for the same-day service.\n\n## Register by post\n\n## If you\u2019re applying by special resolution\n\nDownload and fill in form NM01.\n\nYou must attach a copy of your resolution with your application.\n\nSend your form and a cheque for \u00a310 to the address on the form, or \u00a350 for the same-day service.\n\n## If you\u2019re registering with permission from the articles of association\n\nDownload and fill in form NM04.\n\nSend your form and a cheque for \u00a310 to the address on the form, or \u00a350 for the same-day service.\n\n## Company address\n\nYou must tell Companies House if you want to change:\n\n- your registered office address\n\n- the address where you keep your records, and which records you\u2019ll keep there\n\nYour address will not officially change until it\u2019s registered at Companies House.\n\nYour company\u2019s new addresses must be in the same part of the UK that the company was registered (\u2018incorporated\u2019).\n\nFor example, if your company was registered in Scotland, the new registered office address must be in Scotland.\n\nYou must re-incorporate your company if you move to another part of the UK, for example from England to Scotland.\n\nCompanies House will tell HM Revenue and Customs (HMRC) that you\u2019ve changed your registered office address.\n\n## Register online\n\nYou can use the Companies House online service.\n\n## Register by post\n\nDownload and fill in a change of address form. Send your completed form to the Companies House address on the form.\n\n## Directors and company secretaries\n\nYou must tell Companies House about changes to your company\u2019s directors and secretaries, such as:\n\n- new appointments\n\n- resignations\n\n- changes to personal details, for example residential addresses\n\n## Register online\n\nYou can use the Companies House online service.\n\n## Register by post\n\nYou can send your changes by post.\n\nDownload and fill in the change forms you need and send them to the address on the forms\n\n## Shares\n\nYou must tell Companies House about any changes to your company\u2019s share structure that you make outside your annual return.\n\nYou may need a special resolution to change your company\u2019s share structure. This includes if you:\n\n- change the number of shares the company has and their total value - this is your \u2018share capital\u2019 (the part of your company\u2019s money that comes from shares)\n\n- change how your shares are distributed\n\n- cancel any of your shares\n\n- change (\u2018denominate\u2019) your shares into other currencies\n\nYou must tell Companies House within a month if you issue more shares in your company.\n\nYou must report all other changes to your share structure within 21 days.\n\n## Documents you must provide\n\nYou must include a notice about the change you\u2019ve made and a statement declaring:\n\n- the company\u2019s total number of shares\n\n- the total value of those shares\n\n- how many shares have been paid for or not paid for\n\nThis is sometimes known as a \u2018statement of capital\u2019.\n\nYour shares may be normal (\u2018ordinary\u2019) or have special rights or restrictions.\n\nFor each type of share your company has, you must declare:\n\n- the rights that come with it\n\n- how many of the shares are issued\n\n- their total value before any additional costs are added\n\nAn accountant can help you prepare your statement of capital.\n\n## Register online\n\nYou can register changes to the shares your company issues online.\n\nYou must register all other changes to your shares by post.\n\n## Register by post\n\nYou can send your changes by post. Download and fill in the share change forms depending on the changes you\u2019re making.\n\nSend your completed forms, a copy of your resolution if needed and your statement of capital to the address on the forms.\n\n## Constitution and articles of association\n\nYou\u2019ll need agreement from your shareholders before changing your company\u2019s articles of association - the rules about how your company is run.\n\nThis can include changes to your company\u2019s \u2018objects\u2019 - what your company does as a business.\n\n## When you must change your constitution\n\nYou can change your constitution whenever your shareholders agree to the change in a \u2018resolution\u2019.\n\nYou must also change your constitution if:\n\n- a change in the law means your constitution would be illegal\n\n- ordered to by the courts or a regulating authority (for example the Charity Commission) tells you to change it\n\n## Sending your changes\n\nYou must include a copy of both the resolution you passed and the new articles of association when you make any changes to your company\u2019s constitution.\n\nDepending on why you\u2019re making the change you may also need to fill in one of the following:\n\n- a statement of company objects if your company is changing the objects in its articles\n\n- change of constitution by enactment if your change is because of a change in the law\n\n- change of constitution by order of court or other authority if your change has been ordered\n\nSend the copy of the resolution, the copy of your new articles and completed form (if any) to Companies House.\n\nIf a special enactment makes the change, you must include a copy of the enactment.\n\n## Deadline\n\nYou must send:\n\n- a copy of the resolution within 15 days of it being agreed\n\n- a copy of the amended articles of association within 15 days of them taking effect\n\n- any forms (if needed) within 15 days of the changes\n\n## Mortgages and loan guarantees\n\nYou can use your company\u2019s assets as a security for a loan or overdraft (sometimes known as \u2018charges\u2019), for example a mortgage for a property.\n\nYou must register details about any company charges with Companies House, including information about property or projects that are being backed by the charge.\n\nYou must also register changes to charges you\u2019ve previously registered, for example when a charge\u2019s been paid in part or in full.\n\nYou must register charges within 21 days from when they\u2019re set up - you will need a court order to register them later.\n\n## Register online\n\nYou can use the Companies House online service.\n\nIt costs \u00a310 to register online.\n\n## Register by post\n\nYou can send changes to your charges by post:\n\nDownload and fill in the forms you need and send them to the address on the forms.\n\nIt costs \u00a313 to register by post.\n\nCompanies House will reject your application if it\u2019s wrong or incomplete.\n\nYou can register for informal correction if you want Companies House to be able to correct certain types of information required to your form.\n\nOnce you\u2019re registered Companies House will contact you if they need more information or for permission to make a correction.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/make-changes-to-your-limited-company", + "answerable": true, + "scenario": "My Software company wants to change its share structure because the share holders are unhappy with their returns. ", + "original_question": "Would this requite a special resolution with an overwhelming majority to pass?" + }, + { + "id": "train-1455", + "question": "Scenario: I own and manage a hairdressers and we are currently under performing.\n\nQuestion: Is it possible to claim on interest payments for equipment I have bought?\n\nDocument - Claim capital allowances:\n## Overview\n\nYou can claim capital allowances when you buy assets that you keep to use in your business, for example:\n\n- equipment\n\n- machinery\n\n- business vehicles, for example cars, vans or lorries\n\nThese are known as plant and machinery.\n\nYou can deduct some or all of the value of the item from your profits before you pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\nIf you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.\n\n## Work out the value of your item\n\nIn most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:\n\n- you owned it before you started using it in your business\n\n- it was a gift\n\n## Other business costs\n\nYou claim for the cost of things that are not business assets in a different way. This includes:\n\n- your business\u2019s day-to-day running costs\n\n- items that it\u2019s your trade to buy and sell\n\n- interest payments or finance costs for buying assets\n\nClaim these costs as business expenses if you\u2019re a sole trader or partner, or deduct from your profits as a business cost if you\u2019re a limited company.\n\n## Other capital allowances\n\nAs well as plant and machinery, you can also claim capital allowances for:\n\n- renovating business premises in disadvantaged areas of the UK\n\n- extracting minerals\n\n- research and development\n\n- \u2018know-how\u2019 (intellectual property about industrial techniques)\n\n- patents\n\n- dredging\n\n- structure and buildings\n\n## If you let out residential property\n\nYou can only claim for items in residential property if your business qualifies as a furnished holiday lettings business. In each year the property must be:\n\n- available for holiday letting for 210 days\n\n- let for 105 days or more\n\n## What you can claim on\n\nYou can claim capital allowances on items that you keep to use in your business - these are known as \u2018plant and machinery\u2019.\n\nIn most cases you can deduct the full cost of these items from your profits before tax using annual investment allowance (AIA).\n\nIf you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.\n\n## What does not count as plant and machinery\n\nYou cannot claim capital allowances on:\n\n- things you lease - you must own them\n\n- buildings, including doors, gates, shutters, mains water and gas systems\n\n- land and structures, for example bridges, roads, docks\n\n- items used only for business entertainment, for example a yacht or karaoke machine\n\n## What counts as plant and machinery\n\nPlant and machinery includes:\n\n- items that you keep to use in your business, including cars\n\n- costs of demolishing plant and machinery\n\n- parts of a building considered integral, known as \u2018integral features\u2019\n\n- some fixtures, for example fitted kitchens or bathroom suites\n\n- alterations to a building to install other plant and machinery - this does not include repairs\n\nClaim repairs as business expenses if you\u2019re a sole trader or partner - deduct from your profits as a business cost if you\u2019re a limited company.\n\n## Integral features\n\nIntegral features are:\n\n- lifts, escalators and moving walkways\n\n- space and water heating systems\n\n- air-conditioning and air cooling systems\n\n- hot and cold water systems (but not toilet and kitchen facilities)\n\n- electrical systems, including lighting systems\n\n- external solar shading\n\n## Fixtures\n\nYou can claim for fixtures, for example:\n\n- fitted kitchens\n\n- bathroom suites\n\n- fire alarm and CCTV systems\n\nYou can claim if you rent or own the building, but only the person who bought the item can claim.\n\nWhen you buy a building from a previous business owner you can only claim for integral features and fixtures that they claimed for.\n\nYou must agree the value of the fixtures with the seller. If you do not you cannot claim for them. Agreeing the value also means the person selling the assets can account correctly for them.\n\n## If you let residential property\n\nYou can only claim for items in residential property if either:\n\n- you run a furnished holiday lettings business\n\n- the item is in the common parts of a residential building, for example a table in the hallway of a block of flats\n\n## Care workers\n\nThere are special rules if you run a care business.\n\n## Annual investment allowance\n\nYou can deduct the full value of an item that qualifies for annual investment allowance (AIA) from your profits before tax.\n\nIf you sell the item after claiming AIA you may need to pay tax.\n\n## What you can claim on\n\nYou can claim AIA on most plant and machinery up to the AIA amount.\n\n## What you cannot claim on\n\nYou cannot claim AIA on:\n\n- cars\n\n- items you owned for another reason before you started using them in your business\n\n- items given to you or your business\n\nClaim writing down allowances instead.\n\n## The AIA amount\n\nThe AIA amount has temporarily increased to \u00a31 million between 1 January 2019 and 31 December 2020.\n\n## Changes to the AIA\n\nThe\u00a0AIA\u00a0amount has changed several times since April 2008.\n\nIf the AIA changed in the period you\u2019re claiming for, you need to adjust the amount you can claim.\n\n| AIA | Sole traders/partners | Limited companies |\n\n| 1 million | 1 January 2019 - 31 December 2020 | 1 January 2019 - 31 December 2020 |\n\n| \u00a3200,000 | 1 January 2016 - 31 December 2018 | 1 January 2016 - 31 December 2018 |\n\n| \u00a3500,000 | 6 April 2014 - 31 December 2015 | 1 April 2014 - 31 December 2015 |\n\n| \u00a3250,000 | 1 January 2013 - 5 April 2014 | 1 January 2013 - 31 March 2014 |\n\n| \u00a325,000 | 6 April 2012 - 31 December 2012 | 1 April 2012 - 31 December 2012 |\n\n| \u00a3100,000 | 6 April 2010 - 5 April 2012 | 1 April 2010 - 31 March 2012 |\n\n| \u00a350,000 | 6 April 2008 - 5 April 2010 | 1 April 2008 - 31 March 2010 |\n\nYou get a new allowance for each accounting period.\n\n## If your accounting period is more or less than 12 months\n\nAdjust your AIA if your accounting period is more or less than 12 months.\n\nThe rules are different if your accounting period is longer than 18 months or you have a gap or overlap between accounting periods.\n\n## When you can claim\n\nYou can only claim AIA in the period you bought the item.\n\nThe date you bought it is:\n\n- when you signed the contract, if payment is due within less than 4 months\n\n- when payment\u2019s due, if it\u2019s due more than 4 months later\n\nIf you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.\n\nIf your business closes, you cannot claim AIA for items bought in the final accounting period.\n\n## If you do not want to claim the full cost\n\nIf you do not want to claim the full cost, for example you have low profits, you can claim:\n\n- writing down allowances instead\n\n- part of the cost as AIA and part as writing down allowances\n\n## Items you also use outside your business\n\nYou cannot claim the full value of items you also use outside your business if you\u2019re a sole trader or partner. Reduce the capital allowances you claim by the amount you use the asset outside your business.\n\n## If you spend more than the AIA amount\n\nClaim writing down allowances on any amount above the AIA. If a single item takes you above the AIA amount you can split the value between the types of allowance.\n\n## Mixed partnerships\n\nAIA is not available for partnerships where one of the partners is a company or another partnership.\n\n## More than one business or trade\n\nIf you\u2019re a sole trader or a partner and you have more than one business or trade, each business usually gets an AIA.\n\nYou only get one AIA if the businesses are both:\n\n- controlled by the same person\n\n- in the same premises or have similar activities\n\nIf 2 or more limited companies are controlled by the same person they only get one AIA between them. They can choose how to share the AIA.\n\n## How to claim\n\nClaim on your tax return.\n\n## First year allowances\n\nIf you buy an asset that qualifies for first year allowances you can deduct the full cost from your profits before tax.\n\nYou can claim first year allowances in addition to annual investment allowance - they do not count towards your AIA limit.\n\n## What qualifies\n\nYou can claim \u2018enhanced capital allowances\u2019 (a type of first year allowances) for the following energy and water efficient equipment:\n\n- some cars with low CO2 emissions\n\n- energy saving equipment that\u2019s on the energy technology product list, for example certain motors\n\n- water saving equipment that\u2019s on the water efficient technologies product list, for example meters, efficient toilets and taps\n\n- plant and machinery for gas refuelling stations, for example storage tanks, pumps\n\n- gas, biogas and hydrogen refuelling equipment\n\n- new zero-emission goods vehicles\n\nYou cannot normally claim on items your business buys to lease to other people or for use within a home you let out.\n\n## How to claim\n\nClaim on your tax return.\n\nIf you do not claim all the first year allowances you\u2019re entitled to, you can claim part of the cost in the next accounting period using writing down allowances.\n\n## Business cars\n\nYou can claim capital allowances on cars you buy and use in your business. This means you can deduct part of the value from your profits before you pay tax.\n\nUse writing down allowances to work out what you can claim - cars do not qualify for annual investment allowance (AIA).\n\n## Sole traders and partners\n\nIf you\u2019re a sole trader or a partner you can claim simplified mileage expenses on business vehicles instead - as long as you have not already claimed for them in another way.\n\n## Employees\n\nIf you\u2019re an employee you cannot claim capital allowances for cars, motorbikes and bicycles you use for work, but you may be able to claim for business mileage and fuel costs.\n\n## What counts as a car\n\nFor capital allowances a car is a type of vehicle that:\n\n- is suitable for private use - this includes motorhomes\n\n- most people use privately\n\n- was not built for transporting goods\n\n## What does not count\n\nBecause they do not count as cars you can claim AIA on:\n\n- motorcycles - apart from those bought before 6 April 2009\n\n- lorries, vans and trucks\n\n## Rates for cars\n\nThe rate you can claim depends on the CO2 emissions of your car and the date you bought it.\n\nThe main and special rates apply from 1 April for limited companies, and 6 April for sole traders and partners. The first year allowances rate applies from 1 April for all businesses.\n\n## Cars bought from April 2021\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 0g/km (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 1g/km and 50g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are between 1g/km and 50g/km (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 50g/km | Special rate allowances |\n\n## Cars bought between April 2018 and April 2021\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 50g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 50g/km and 110g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 110g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 110g/km | Special rate allowances |\n\n## Cars bought between April 2015 and April 2018\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 75g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 75g/km and 130g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 130g/km | Special rate allowances |\n\n## Cars bought between April 2013 and April 2015\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 95g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 95g/km and 130g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 130g/km | Special rate allowances |\n\n## Cars bought between April 2009 and April 2013\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 110g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 110g/km and 160g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 160g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions above 160g/km | Special rate allowances |\n\nMove the balance of any cars bought before April 2009 to your main rate allowances pool.\n\nIf your car does not have an emissions figure use the special rate - use the main rate if it was registered before 1 March 2001.\n\n## Using cars outside your business\n\nIf you\u2019re a sole trader or partner and you also use your car outside your business, calculate how much you can claim based on the amount of business use.\n\nIf your business provides a car for an employee or director you can claim capital allowances on the full cost. You may need to report it as a benefit if they use it personally.\n\n## How to claim\n\nWhen you\u2019ve worked out your capital allowances, claim on your:\n\n- Self Assessment tax return if you\u2019re a sole trader\n\n- partnership tax return if you\u2019re a partner\n\n- Company Tax Return if you\u2019re a limited company - you must include a separate capital allowances calculation\n\nEmployees must claim in a different way.\n\nThe amount you can claim is deducted from your profits.\n\n## When you can claim\n\nYou must claim in the accounting period you bought the item if you want to claim the full value under:\n\n- annual investment allowance\n\n- first year allowances\n\nIf you do not want to claim the full value you can claim part of it using writing down allowances. You can do this at any time as long as you still own the item.\n\n## When you bought it\n\nThe date you bought it is:\n\n- when you signed the contract, if payment is due within less than 4 months\n\n- when payment\u2019s due, if it\u2019s due more than 4 months later\n\nIf you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/capital-allowances", + "answerable": true, + "scenario": "I own and manage a hairdressers and we are currently under performing.", + "original_question": "Is it possible to claim on interest payments for equipment I have bought?" + }, + { + "id": "train-1456", + "question": "Scenario: I am an employee of an IT consulting firm. I drive 30 minutes to work every morning. I am aware that I can claim back some fuel costs.\n\nQuestion: Can I also claim capitol allowances for cars?\n\nDocument - Claim capital allowances:\n## Overview\n\nYou can claim capital allowances when you buy assets that you keep to use in your business, for example:\n\n- equipment\n\n- machinery\n\n- business vehicles, for example cars, vans or lorries\n\nThese are known as plant and machinery.\n\nYou can deduct some or all of the value of the item from your profits before you pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\nIf you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.\n\n## Work out the value of your item\n\nIn most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:\n\n- you owned it before you started using it in your business\n\n- it was a gift\n\n## Other business costs\n\nYou claim for the cost of things that are not business assets in a different way. This includes:\n\n- your business\u2019s day-to-day running costs\n\n- items that it\u2019s your trade to buy and sell\n\n- interest payments or finance costs for buying assets\n\nClaim these costs as business expenses if you\u2019re a sole trader or partner, or deduct from your profits as a business cost if you\u2019re a limited company.\n\n## Other capital allowances\n\nAs well as plant and machinery, you can also claim capital allowances for:\n\n- renovating business premises in disadvantaged areas of the UK\n\n- extracting minerals\n\n- research and development\n\n- \u2018know-how\u2019 (intellectual property about industrial techniques)\n\n- patents\n\n- dredging\n\n- structure and buildings\n\n## If you let out residential property\n\nYou can only claim for items in residential property if your business qualifies as a furnished holiday lettings business. In each year the property must be:\n\n- available for holiday letting for 210 days\n\n- let for 105 days or more\n\n## What you can claim on\n\nYou can claim capital allowances on items that you keep to use in your business - these are known as \u2018plant and machinery\u2019.\n\nIn most cases you can deduct the full cost of these items from your profits before tax using annual investment allowance (AIA).\n\nIf you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.\n\n## What does not count as plant and machinery\n\nYou cannot claim capital allowances on:\n\n- things you lease - you must own them\n\n- buildings, including doors, gates, shutters, mains water and gas systems\n\n- land and structures, for example bridges, roads, docks\n\n- items used only for business entertainment, for example a yacht or karaoke machine\n\n## What counts as plant and machinery\n\nPlant and machinery includes:\n\n- items that you keep to use in your business, including cars\n\n- costs of demolishing plant and machinery\n\n- parts of a building considered integral, known as \u2018integral features\u2019\n\n- some fixtures, for example fitted kitchens or bathroom suites\n\n- alterations to a building to install other plant and machinery - this does not include repairs\n\nClaim repairs as business expenses if you\u2019re a sole trader or partner - deduct from your profits as a business cost if you\u2019re a limited company.\n\n## Integral features\n\nIntegral features are:\n\n- lifts, escalators and moving walkways\n\n- space and water heating systems\n\n- air-conditioning and air cooling systems\n\n- hot and cold water systems (but not toilet and kitchen facilities)\n\n- electrical systems, including lighting systems\n\n- external solar shading\n\n## Fixtures\n\nYou can claim for fixtures, for example:\n\n- fitted kitchens\n\n- bathroom suites\n\n- fire alarm and CCTV systems\n\nYou can claim if you rent or own the building, but only the person who bought the item can claim.\n\nWhen you buy a building from a previous business owner you can only claim for integral features and fixtures that they claimed for.\n\nYou must agree the value of the fixtures with the seller. If you do not you cannot claim for them. Agreeing the value also means the person selling the assets can account correctly for them.\n\n## If you let residential property\n\nYou can only claim for items in residential property if either:\n\n- you run a furnished holiday lettings business\n\n- the item is in the common parts of a residential building, for example a table in the hallway of a block of flats\n\n## Care workers\n\nThere are special rules if you run a care business.\n\n## Annual investment allowance\n\nYou can deduct the full value of an item that qualifies for annual investment allowance (AIA) from your profits before tax.\n\nIf you sell the item after claiming AIA you may need to pay tax.\n\n## What you can claim on\n\nYou can claim AIA on most plant and machinery up to the AIA amount.\n\n## What you cannot claim on\n\nYou cannot claim AIA on:\n\n- cars\n\n- items you owned for another reason before you started using them in your business\n\n- items given to you or your business\n\nClaim writing down allowances instead.\n\n## The AIA amount\n\nThe AIA amount has temporarily increased to \u00a31 million between 1 January 2019 and 31 December 2020.\n\n## Changes to the AIA\n\nThe\u00a0AIA\u00a0amount has changed several times since April 2008.\n\nIf the AIA changed in the period you\u2019re claiming for, you need to adjust the amount you can claim.\n\n| AIA | Sole traders/partners | Limited companies |\n\n| 1 million | 1 January 2019 - 31 December 2020 | 1 January 2019 - 31 December 2020 |\n\n| \u00a3200,000 | 1 January 2016 - 31 December 2018 | 1 January 2016 - 31 December 2018 |\n\n| \u00a3500,000 | 6 April 2014 - 31 December 2015 | 1 April 2014 - 31 December 2015 |\n\n| \u00a3250,000 | 1 January 2013 - 5 April 2014 | 1 January 2013 - 31 March 2014 |\n\n| \u00a325,000 | 6 April 2012 - 31 December 2012 | 1 April 2012 - 31 December 2012 |\n\n| \u00a3100,000 | 6 April 2010 - 5 April 2012 | 1 April 2010 - 31 March 2012 |\n\n| \u00a350,000 | 6 April 2008 - 5 April 2010 | 1 April 2008 - 31 March 2010 |\n\nYou get a new allowance for each accounting period.\n\n## If your accounting period is more or less than 12 months\n\nAdjust your AIA if your accounting period is more or less than 12 months.\n\nThe rules are different if your accounting period is longer than 18 months or you have a gap or overlap between accounting periods.\n\n## When you can claim\n\nYou can only claim AIA in the period you bought the item.\n\nThe date you bought it is:\n\n- when you signed the contract, if payment is due within less than 4 months\n\n- when payment\u2019s due, if it\u2019s due more than 4 months later\n\nIf you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.\n\nIf your business closes, you cannot claim AIA for items bought in the final accounting period.\n\n## If you do not want to claim the full cost\n\nIf you do not want to claim the full cost, for example you have low profits, you can claim:\n\n- writing down allowances instead\n\n- part of the cost as AIA and part as writing down allowances\n\n## Items you also use outside your business\n\nYou cannot claim the full value of items you also use outside your business if you\u2019re a sole trader or partner. Reduce the capital allowances you claim by the amount you use the asset outside your business.\n\n## If you spend more than the AIA amount\n\nClaim writing down allowances on any amount above the AIA. If a single item takes you above the AIA amount you can split the value between the types of allowance.\n\n## Mixed partnerships\n\nAIA is not available for partnerships where one of the partners is a company or another partnership.\n\n## More than one business or trade\n\nIf you\u2019re a sole trader or a partner and you have more than one business or trade, each business usually gets an AIA.\n\nYou only get one AIA if the businesses are both:\n\n- controlled by the same person\n\n- in the same premises or have similar activities\n\nIf 2 or more limited companies are controlled by the same person they only get one AIA between them. They can choose how to share the AIA.\n\n## How to claim\n\nClaim on your tax return.\n\n## First year allowances\n\nIf you buy an asset that qualifies for first year allowances you can deduct the full cost from your profits before tax.\n\nYou can claim first year allowances in addition to annual investment allowance - they do not count towards your AIA limit.\n\n## What qualifies\n\nYou can claim \u2018enhanced capital allowances\u2019 (a type of first year allowances) for the following energy and water efficient equipment:\n\n- some cars with low CO2 emissions\n\n- energy saving equipment that\u2019s on the energy technology product list, for example certain motors\n\n- water saving equipment that\u2019s on the water efficient technologies product list, for example meters, efficient toilets and taps\n\n- plant and machinery for gas refuelling stations, for example storage tanks, pumps\n\n- gas, biogas and hydrogen refuelling equipment\n\n- new zero-emission goods vehicles\n\nYou cannot normally claim on items your business buys to lease to other people or for use within a home you let out.\n\n## How to claim\n\nClaim on your tax return.\n\nIf you do not claim all the first year allowances you\u2019re entitled to, you can claim part of the cost in the next accounting period using writing down allowances.\n\n## Business cars\n\nYou can claim capital allowances on cars you buy and use in your business. This means you can deduct part of the value from your profits before you pay tax.\n\nUse writing down allowances to work out what you can claim - cars do not qualify for annual investment allowance (AIA).\n\n## Sole traders and partners\n\nIf you\u2019re a sole trader or a partner you can claim simplified mileage expenses on business vehicles instead - as long as you have not already claimed for them in another way.\n\n## Employees\n\nIf you\u2019re an employee you cannot claim capital allowances for cars, motorbikes and bicycles you use for work, but you may be able to claim for business mileage and fuel costs.\n\n## What counts as a car\n\nFor capital allowances a car is a type of vehicle that:\n\n- is suitable for private use - this includes motorhomes\n\n- most people use privately\n\n- was not built for transporting goods\n\n## What does not count\n\nBecause they do not count as cars you can claim AIA on:\n\n- motorcycles - apart from those bought before 6 April 2009\n\n- lorries, vans and trucks\n\n## Rates for cars\n\nThe rate you can claim depends on the CO2 emissions of your car and the date you bought it.\n\nThe main and special rates apply from 1 April for limited companies, and 6 April for sole traders and partners. The first year allowances rate applies from 1 April for all businesses.\n\n## Cars bought from April 2021\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 0g/km (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 1g/km and 50g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are between 1g/km and 50g/km (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 50g/km | Special rate allowances |\n\n## Cars bought between April 2018 and April 2021\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 50g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 50g/km and 110g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 110g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 110g/km | Special rate allowances |\n\n## Cars bought between April 2015 and April 2018\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 75g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 75g/km and 130g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 130g/km | Special rate allowances |\n\n## Cars bought between April 2013 and April 2015\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 95g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 95g/km and 130g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 130g/km | Special rate allowances |\n\n## Cars bought between April 2009 and April 2013\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 110g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 110g/km and 160g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 160g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions above 160g/km | Special rate allowances |\n\nMove the balance of any cars bought before April 2009 to your main rate allowances pool.\n\nIf your car does not have an emissions figure use the special rate - use the main rate if it was registered before 1 March 2001.\n\n## Using cars outside your business\n\nIf you\u2019re a sole trader or partner and you also use your car outside your business, calculate how much you can claim based on the amount of business use.\n\nIf your business provides a car for an employee or director you can claim capital allowances on the full cost. You may need to report it as a benefit if they use it personally.\n\n## How to claim\n\nWhen you\u2019ve worked out your capital allowances, claim on your:\n\n- Self Assessment tax return if you\u2019re a sole trader\n\n- partnership tax return if you\u2019re a partner\n\n- Company Tax Return if you\u2019re a limited company - you must include a separate capital allowances calculation\n\nEmployees must claim in a different way.\n\nThe amount you can claim is deducted from your profits.\n\n## When you can claim\n\nYou must claim in the accounting period you bought the item if you want to claim the full value under:\n\n- annual investment allowance\n\n- first year allowances\n\nIf you do not want to claim the full value you can claim part of it using writing down allowances. You can do this at any time as long as you still own the item.\n\n## When you bought it\n\nThe date you bought it is:\n\n- when you signed the contract, if payment is due within less than 4 months\n\n- when payment\u2019s due, if it\u2019s due more than 4 months later\n\nIf you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/capital-allowances", + "answerable": true, + "scenario": "I am an employee of an IT consulting firm. I drive 30 minutes to work every morning. I am aware that I can claim back some fuel costs.", + "original_question": "Can I also claim capitol allowances for cars?" + }, + { + "id": "train-1457", + "question": "Scenario: I am a photographer for weddings and other events, recently I decided to look into working with an agency to help me find work. I signed a contract with the agency a little over a month ago and they are yet to make any of my information available to potential hirers. Since then I established my own website and find a steady flow of work through it.\n\nQuestion: Am I able to request a refund from the agency based on my circumstances?\n\nDocument - Charge fees as an entertainment and modelling agency:\n## Overview\n\nYou can charge fees as an entertainment and modelling agency for finding someone work.\n\nThe fees you charge depend on if the person is:\n\n- a performer or worker\n\n- a model\n\nWorkers, performers and models need to agree to your terms and conditions before you can charge fees.\n\n## Terms and conditions\n\nTerms and conditions of your service and your fees must be agreed in writing (for example, in a contract) with the worker, performer or model.\n\nThese must include details of:\n\n- the work-finding services that you\u2019ll provide them\n\n- any authority you have to act on behalf of them\n\n- any authorisations to receive any money on behalf of them\n\n- any fees or commissions you\u2019ll charge for finding work\n\n- how your fee or commission will be paid\n\n- how any commissions or fees will be refunded\n\n- the length of time the worker, performer or model needs to give to end the contract\n\n- the length of time you need to give to end a worker, performer or models\u2019s contract\n\n## Fees for performers and workers\n\nYou can\u2019t charge fees or deduct money from an entertainment worker or performer\u2019s earnings until they agree to your terms and conditions.\n\n## Promotional fees for performers and entertainment workers (not models)\n\nYou can only charge upfront fees for listing the worker or performer\u2019s details in promotional publications or on websites to help them find work.\n\nPromotional publication includes listing information in publications or on websites and photographs or audio or video recordings.\n\nYou must give the worker or performer a chance to see any copies.\n\nOther fees or commission for finding work normally come out of the worker or performer\u2019s earnings from the employment that you found.\n\n## Fees for promoting performers\n\nYou can only charge fees 30 days after the start of the contract (if there is a fee for promoting a performer).\n\nIn that 30-day period the performer can cancel or withdraw from the contract without penalty and won\u2019t have to make any payment.\n\nYou need to show the performer any promotional photographs, audio or video before its published. They then have 7 days to object to anything being used.\n\nYou can\u2019t charge the performer until the 7 days is over or you\u2019ve dealt with any reasonable requirement from the performer, whichever is later.\n\nYou can charge fees for the following performers:\n\n- actors\n\n- background artists\n\n- dancers\n\n- extras\n\n- musicians\n\n- singers\n\n- other performers\n\n## Fees for entertainment workers (except models)\n\nIf there is a fee for promoting a worker, you can only charge this 7 days after the start of the contract.\n\nIn that 7-day period:\n\n- the worker can cancel or withdraw from the contract without penalty\n\n- the worker doesn\u2019t have to make any payment under the contract\n\n- the worker can say what information shouldn\u2019t be included in the publication\n\nThis covers the following types of workers:\n\n- composer\n\n- writer\n\n- artist\n\n- director or producer\n\n- production manager\n\n- lighting cameraman, camera operator\n\n- make up artist, clothes, hair or make up stylist\n\n- film editor\n\n- action arranger or co-ordinator, stunt arranger\n\n- costume or production designer\n\n- recording engineer\n\n- property master\n\n- film continuity person\n\n- sound mixer\n\n- photographer\n\n- stage manager\n\n- choreographer or theatre designer\n\n## Refunds for promotional services\n\nWork-seekers have the right to a refund if the promotional information isn\u2019t made available to potential hirers within 60 days of a fee being paid.\n\n## Fees for fashion and photographic models\n\nYou can\u2019t charge fees or deduct money from a model\u2019s earnings until they agree to your terms and conditions.\n\nYou can\u2019t charge any upfront fees for finding work for photographic and fashion models. This includes putting information about the models in a publication or website.\n\nHowever, after you\u2019ve found work for a model you can charge fees for:\n\n- including information about them in a publication or website\n\n- providing a service to find the model work (these fees must have been agreed with the model before you started looking for work for them)\n\n## Fees for other services\n\nYou can charge fees for other services such as producing a photo or show reel. You have to put the terms and conditions for these in a separate document. You need to give this to the performer, model or entertainment worker before providing these services.\n\nYou can\u2019t make using other services you provide a condition of you finding work for someone.\n\nYou can\u2019t charge fees until 30 days after the start of the contract for these services.\u00a0The performer, model or entertainment worker can cancel within these 30 days and won\u2019t have to pay you anything.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/entertainment-and-modelling-agencies", + "answerable": true, + "scenario": "I am a photographer for weddings and other events, recently I decided to look into working with an agency to help me find work. I signed a contract with the agency a little over a month ago and they are yet to make any of my information available to potential hirers. Since then I established my own website and find a steady flow of work through it.", + "original_question": "Am I able to request a refund from the agency based on my circumstances?" + }, + { + "id": "train-1461", + "question": "Scenario: I would like to buy \u00a3800 of shares in an IT company. \n\nQuestion: If I am using a stock transfer form, will I need to pay stamp duty?\n\nDocument - Tax when you buy shares:\n## Overview\n\nWhen you buy shares, you usually pay a tax or duty of 0.5% on the transaction.\n\nIf you buy:\n\n- shares electronically, you\u2019ll pay Stamp Duty Reserve Tax (SDRT)\n\n- shares using a stock transfer form, you\u2019ll pay Stamp Duty if the transaction is over \u00a31,000\n\nYou\u2019ll have to pay tax at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.\n\nYou pay tax on the price you pay for the shares, even if their actual market value is much higher.\n\n## Transactions you pay tax on\n\nYou pay tax when you buy:\n\n- existing shares in a company incorporated in the UK\n\n- an option to buy shares\n\n- an interest in shares, for example an interest in the money from selling them\n\n- shares in a foreign company that has a share register in the UK\n\n- rights arising from shares, for example rights you have when new shares are issued\n\n## When you do not pay tax\n\nYou do not have to pay tax if you:\n\n- are given shares for nothing\n\n- subscribe to a new issue of shares in a company\n\n- buy shares in an \u2018open ended investment company\u2019 (OEIC) from the fund manager\n\n- buy units in a unit trust from the fund manager\n\nYou do not normally have to pay Stamp Duty or SDRT if you buy foreign shares outside the UK. But you may have to pay other taxes.\n\n## When you sell the shares\n\nYou may need to pay Capital Gains Tax when you sell your shares.\n\n## Help and advice\n\nContact Stamp Duty share enquiries for general information about Stamp Duty on shares.\n\nContact Stamp Duty Reserve Tax enquiries if you have questions about Stamp Duty on electronic paperless share transactions.\n\nYou can also get professional help (for example, from a tax adviser) with your tax.\n\n## Buying shares electronically\n\nYou\u2019ll pay Stamp Duty Reserve Tax (SDRT) if you buy shares electronically through the \u2018CREST\u2019 system (a computerised register of shares and shareowners).\n\nThe tax is taken automatically when you buy the shares, so you do not need to do anything else about your tax.\n\nSDRT is charged at 0.5% when you buy shares electronically.\n\nIf you do not pay cash for your shares but give something else of value to buy them, you pay SDRT based on the value of what you gave.\n\nIf you\u2019re given shares for nothing, you do not have to pay any tax.\n\n## Buying shares \u2018off-market\u2019\n\nYou must also pay SDRT on \u2018off-market\u2019 transactions. This is when shares are transferred outside CREST.\n\n## How to pay\n\nTax is not deducted automatically when you buy shares off-market.\n\nYou\u2019ll need to send HM Revenue and Customs (HMRC) a written notice with details of the transaction.\n\nIf you do not pay on time, you\u2019ll be charged interest from the due date until the date you pay. You may also get a penalty.\n\n## Buying shares using a stock transfer form\n\nYou must pay Stamp Duty on your shares if:\n\n- you buy shares through a stock transfer form\n\n- the transaction is over \u00a31,000\n\nYou pay 0.5% duty, which will be rounded up to the nearest \u00a35.\n\nFor shares under \u00a31,000, you will not need to pay anything.\n\n## Get a stock transfer form\n\nYou can get a stock transfer form from:\n\n- a broker\n\n- a lawyer or an accountant who deals in shares\n\nYou can also download a stock transfer form from the internet.\n\nFind out what you need to include in a stock transfer form.\n\n## Send the transfer form to HMRC and pay Stamp Duty\n\nYou must send a copy of your stock transfer form to the Stamp Office within 30 days of it being signed and dated.\n\nEmail an electronic version or a scan of your paper form to stampdutymailbox@hmrc.gov.uk.\n\nIf you cannot email your stock transfer form, send a photocopy by post. You must keep the original signed document for your records.\n\nThere is a different address to send a stock transfer form by courier.\n\nYou must also pay the Stamp Duty within 30 days of the stock transfer form being signed and dated.\n\nYou may get a penalty if you do not pay on time.\n\n## Special share arrangements\n\nYou pay Stamp Duty Reserve Tax (SDRT) or Stamp Duty at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.\n\nThis is when the shares are transferred to a service operated by a third party (for example, a bank). The shares can then be traded free of Stamp Duty or SDRT.\n\nNot all of these schemes work like this. Sometimes the higher rate is not charged and you pay Stamp Duty or SDRT in the normal way. Check the details of your scheme with your stockbroker.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-buy-shares", + "answerable": true, + "scenario": "I would like to buy \u00a3800 of shares in an IT company. ", + "original_question": "If I am using a stock transfer form, will I need to pay stamp duty?" + }, + { + "id": "train-1465", + "question": "Scenario: I recently started designing and printing out stickers, posters and other decorative pieces. Currently I am operating from a small room in my house dedicated to my business venture and sending out the products through post. This is the first time I am operating a business and all of the taxes and regulations are new to me.\n\nQuestion: Do my circumstances demand from me to pay business rates?\n\nDocument - Business rates:\n## Overview\n\nBusiness rates are charged on most non-domestic properties, like:\n\n- shops\n\n- offices\n\n- pubs\n\n- warehouses\n\n- factories\n\n- holiday rental homes or guest houses\n\nYou\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What to pay and when\n\nYour local council will send you a business rates bill in February or March each year. This is for the following tax year. You can also estimate your business rates bill.\n\nYou can get help with business rates from:\n\n- your council if you have questions about your bill\n\n- the Valuation Office Agency (VOA) if you think your \u2018rateable value\u2019 is wrong\n\n## Relief schemes\n\nYou may be able to get business rates relief from your local council to reduce your bill. This is sometimes automatic, but you may need to apply.\n\nThe process depends on whether you\u2019re in England or Wales.\n\n## Who does not need to pay\n\nCertain properties are exempt from business rates, for example farm buildings or places used for the welfare of disabled people.\n\n## If you own a stable\n\nYou usually need to pay business rates on your stables, unless you use your horses for farming.\n\nYou may pay Council Tax instead if your stables are in your garden. Contact VOA to check if you\u2019re not sure which you should pay.\n\n## How your rates are calculated\n\nBusiness rates are worked out based on your property\u2019s \u2018rateable value\u2019.\n\nThis is its open market rental value on 1 April 2015, based on an estimate by the Valuation Office Agency (VOA).\n\nYou can estimate your business rates by multiplying the rateable value by the correct \u2018multiplier\u2019 (an amount set by central government).\n\nYour bill will be reduced if your property\u2019s eligible for business rates relief.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## If you think your rates are wrong\n\nYou can ask for your property\u2019s rateable value to be corrected if you think it\u2019s wrong.\n\n## If you\u2019re asked to provide rental information\n\nThe VOA may ask you to provide rental information about your property so they can work out its rateable value.\n\nContact the VOA if you need more time to send in your rental information.\n\n## Revaluation\n\nAt revaluation, the Valuation Office Agency (VOA) adjusts the rateable value of business properties to reflect changes in the property market.\n\nIt usually happens every 5 years. The most recent revaluation came into effect in England and Wales on 1 April 2017, based on rateable values from 1 April 2015.\n\nYou can check your valuation when you estimate your business rates.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What happens at revaluation\n\nAt revaluation:\n\n- all properties are given a new rateable value\n\n- multipliers are revised\n\nThis means that a change in your rateable value does not always mean a change in your bill.\n\nTo make sure your valuations are accurate, you may need to give VOA up-to-date rental evidence for your property at revaluation.\n\n## Get business rates relief\n\nYou may be able to get a discount from your local council if you\u2019re eligible for business rates relief.\n\nFor example you may be able to get:\n\n- transitional relief so that changes to your bill as a result of revaluation are phased in gradually\n\n- small business relief so that you pay no business rates if your rateable value is below \u00a315,000\n\n## Get help with business rates\n\nYou may be able to get a discount from your local council on your business rates if you\u2019re eligible for one or more business rates relief schemes.\n\nFor help with your property\u2019s rateable value, contact the Valuation Office Agency (VOA).\n\nFor help with your business rates bill (for example to pay in instalments) or rate relief, contact your council.\n\n## Get professional advice\n\nYou can also get help from a qualified rating surveyor through one of the following organisations:\n\n- Royal Institution of Chartered Surveyors (RICS)\n\n- Institute of Revenues, Rating and Valuation (IRRV)\n\n- Rating Surveyors Association\n\nYou may be charged for any advice you get from a rating surveyor right from the start.\n\nYou can call the RICS enquiry line for advice. The first 30 minutes are free.\n\n## If your business or premises change\n\nYour business rates could change if:\n\n- you move or make changes to your premises\n\n- the nature of your business changes\n\n- you sublet part of your property\n\n- you merge 2 or more properties into 1\n\nYou must report any changes to ensure you\u2019re paying the right amount and do not get a backdated increase in your bill.\n\nReport changes using the Valuation Office Agency (VOA) service in England or Wales.\n\nBusiness rates are handled differently in Scotland and Northern Ireland\n\n## If your premises are affected by local disruption\n\nYou may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).\n\nReport changes using the VOA service.\n\n## Working at home\n\nYou do not usually have to pay business rates for home-based businesses if you:\n\n- use a small part of your home for your business, for example if you use a bedroom as an office\n\n- sell goods by post\n\nYou may need to pay business rates as well as Council Tax if:\n\n- your property is part business and part domestic, for example if you live above your shop\n\n- you sell goods or services to people who visit your property\n\n- you employ other people to work at your property\n\n- you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s\n\nContact the Valuation Office Agency (VOA) to find out if you should be paying business rates. In Scotland, contact your local assessor.\n\n## Pubs and licensed trade\n\nIn England and Wales, the Valuation Office Agency (VOA) works out your rateable value based on the annual level of trade (excluding VAT) that a pub is expected to achieve if operated in a reasonably efficient way.\n\nThis is called \u2018fair maintainable trade\u2019 and it\u2019s based on:\n\n- the type of pub or licensed premises\n\n- the area it\u2019s in\n\n- the services it offers, for example food, gaming, or sports screenings\n\nThe VOA also looks at rents and turnovers to work out the fair maintainable trade figure, then applies a percentage to work out the rateable value.\n\nThe percentages are agreed with the British Beer and Pub Association and they\u2019re in the VOA\u2019s pub guide.\n\nYou can read more about how the VOA values pubs and other licensed premises for business rates.\n\nContact the VOA if you want to check the figures they\u2019re using or do not agree with the figures being used.\n\nYou can also find and check your business rates valuation online.\n\nYou\u2019ll need to provide details of turnover (excluding VAT) for all sources, such as liquor, food and gaming.\n\nYou can also use the online contact VOA service.\n\n## Scotland\n\nIn Scotland, your local assessor works out your rateable value.\n\nIf you want to check the figures they\u2019re using or do not agree with the figures being used, contact your local assessor.\n\n## Self-catering and holiday let accommodation\n\nIf your property is in England and available to let for short periods that total 140 days or more per year, it will be rated as a self-catering property and valued for business rates.\n\nIf your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:\n\n- available to let for short periods that total 140 days or more per year\n\n- actually let for 70 days\n\nThere are different rules in Scotland.\n\nThe Valuation Office will work out the rateable value of your property based on its type, size, location, quality and how much income you\u2019re likely to make from letting it.\n\nIf you only let one property and its rateable value is less than \u00a315,000 you may be eligible for small business rate relief.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/introduction-to-business-rates", + "answerable": true, + "scenario": "I recently started designing and printing out stickers, posters and other decorative pieces. Currently I am operating from a small room in my house dedicated to my business venture and sending out the products through post. This is the first time I am operating a business and all of the taxes and regulations are new to me.", + "original_question": "Do my circumstances demand from me to pay business rates?" + }, + { + "id": "train-1467", + "question": "Scenario: I run a small family owned construction company specialising in groundworks. We are looking to expand, and as part of that take on some contractors so we can work on several sites at once.\n\nQuestion: Do I need to register as a contractor with the Construction Industry Scheme?\n\nDocument - What you must do as a Construction Industry Scheme (CIS) contractor:\n## Overview\n\nYou must register as a contractor with the Construction Industry Scheme (CIS) if:\n\n- you pay subcontractors to do construction work\n\n- your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment\n\nYou may be a sole trader, in a partnership or own a limited company.\n\nIf you\u2019re not sure if you need to register, check who is covered by CIS.\n\n## Rules you must follow\n\n- You must register for CIS before you take on your first subcontractor.\n\n- You must check if you should employ the person instead of subcontracting the work. You may get a penalty if they should be an employee instead.\n\n- Check with HM Revenue and Customs (HMRC) that your subcontractors are registered with CIS.\n\n- When you pay subcontractors, you\u2019ll usually need to make deductions from their payments and pay the money to HMRC. Deductions count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.\n\n- You\u2019ll need to file monthly returns and keep full CIS records - you may get a penalty if you do not.\n\n- You must let HMRC know about any changes to your business.\n\n## Who is covered by CIS\n\nThe Construction Industry Scheme (CIS) covers most construction work to buildings, including site preparation, decorating and refurbishment.\n\n## Mainstream contractors\n\nIf your business is construction and you pay subcontractors for construction work, you\u2019re a \u2018mainstream\u2019 contractor. This applies if you\u2019re a:\n\n- builder\n\n- labour agency\n\n- gangmaster (or gang leader)\n\n- property developer\n\n## Deemed contractors\n\nYou count as a \u2018deemed\u2019 contractor if your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment. This could apply to:\n\n- housing association or arm\u2019s length management organisations (ALMOs)\n\n- local authorities\n\n- government departments\n\nYou must monitor your construction spend if you are likely to become a deemed contractor.\n\n## Exceptions for contractors\n\nCIS does not apply if your work is:\n\n- paid for by a charity or trust\n\n- paid for by a governing body or head teacher of a maintained school on behalf of the local education authority\n\n- on the subcontractor\u2019s own property and worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption\n\nCIS also does not apply if you\u2019re a deemed contractor paying for:\n\n- work on property (that is not for sale or rent) for your own business use\n\n- a construction contract worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption\n\n## Construction work not covered by CIS\n\nThere are also certain jobs that are exempt from the scheme, including:\n\n- architecture and surveying\n\n- scaffolding hire (with no labour)\n\n- carpet fitting\n\n- delivering materials\n\n- work on construction sites that is clearly not construction, for example running a canteen or site facilities\n\nThe CIS guide for contractors and subcontractors explains in full what type of work is covered by CIS.\n\n## How to register\n\nTo register as a contractor, you need to follow the process for setting up as a new employer.\n\nWhen done, you\u2019ll get a letter from HM Revenue and Customs (HMRC) with the information you need to start working as a Construction Industry Scheme (CIS) contractor.\n\nIf your business is based outside the UK but you do construction work here, you follow a different registration process.\n\n## Help with registering\n\nIf you need help, call the new employer helpline or the CIS helpline.\n\nYou can also sign up for webinars and emails or watch videos from HMRC about CIS.\n\n## Verify subcontractors\n\nBefore you can pay a new subcontractor, you\u2019ll need to \u2018verify\u2019 them with HM Revenue and Customs (HMRC).\n\nHMRC will tell you:\n\n- whether they\u2019re registered for the Construction Industry Scheme (CIS)\n\n- what rate of deduction to use or if you can pay them without making deductions\n\nYou must also verify subcontractors you\u2019ve used before if you have not included them on a CIS return in the current or last 2 tax years.\n\n## How to verify\n\nYou can verify subcontractors using:\n\n- the free HMRC CIS online service\n\n- commercial CIS software\n\nIf you need to verify more than 50 subcontractors you\u2019ll need to use commercial CIS software.\n\n## What you\u2019ll need\n\nMake sure you have:\n\n- your Unique Taxpayer Reference (UTR)\n\n- the reference number for your HMRC accounts office\n\n- your HMRC employer reference\n\nYou\u2019ll also need your subcontractor\u2019s:\n\n- UTR\n\n- National Insurance number if they\u2019re a sole trader - you cannot verify temporary numbers, which start with \u2018TN\u2019 or 2 digits\n\n- company name, company UTR and registration number if they\u2019re a limited company\n\n- nominated partner details, trading name and partnership UTR if they\u2019re a partnership\n\nThe details you provide to verify the subcontractor must exactly match the details the subcontractor used to register with HMRC.\n\n## Make deductions and pay subcontractors\n\nWhen you pay a subcontractor, you usually make some deductions from their payments.\n\nHM Revenue and Customs (HMRC) will tell you how much to deduct from a subcontractor\u2019s payments when you verify them.\n\nThe Construction Industry Scheme (CIS) deduction rates are:\n\n- 20% for registered subcontractors\n\n- 30% for unregistered subcontractors\n\n- 0% if the subcontractor has \u2018gross payment\u2019 status - for example they do not have deductions made\n\nYou must pay these deductions to HMRC - they count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.\n\n## How to make a CIS deduction\n\nTo make a deduction from a subcontractor\u2019s payment, start with the total (gross) amount of the subcontractor\u2019s invoice.\n\nTake away the amount the subcontractor has paid for:\n\n- VAT\n\n- materials\n\n- equipment which is now unusable (\u2018consumable stores\u2019)\n\n- fuel used, except for travelling\n\n- equipment hired for this job (\u2018plant hire\u2019)\n\n- manufacturing or prefabricating materials\n\nOnly deduct materials the subcontractor has paid for directly. Ask the subcontractor for evidence that they paid for the materials if you\u2019re unsure.\n\nFinally, deduct the CIS percentage rate (as given to you by HMRC) from the amount left. You\u2019ll be left with the net amount you need to pay the subcontractor.\n\n## Paying subcontractors\n\nYou usually pay your subcontractors directly. But you can pay them through a third party (such as a relative or debt company) if they ask you to.\n\nIf you make deductions, you must give the subcontractor a payment and deduction statement within 14 days of the end of each tax month.\n\n## If you\u2019re not making payments\n\nIf you know you\u2019re not going to make any payments to subcontractors for up to 6 months, you can ask for your scheme to be made \u2018inactive\u2019. HMRC will not send you any returns for that period.\n\nYou must file a return when you start paying subcontractors again.\n\n## Pay deductions to HMRC\n\nYou must pay HM Revenue and Customs (HMRC) any deductions you\u2019ve made.\n\nHMRC will set up a Construction Industry Scheme (CIS) payment scheme for you when you register as a contractor.\n\nIf you already have employees, HMRC will change your existing PAYE Scheme to a PAYE/CIS scheme. You should make one payment each month or quarter to cover your PAYE tax, National Insurance and CIS deductions.\n\n## When and how to pay\n\nPay HMRC every month by the 22nd (or the 19th if you\u2019re paying by post). You may be charged interest and penalties if you pay late.\n\nPay CIS deductions to HMRC in the same way as PAYE and National Insurance payments.\n\n## File your monthly returns\n\nYou must tell HM Revenue and Customs (HMRC) each month about payments you\u2019ve made to subcontractors through your monthly return.\n\nYou can file returns by using:\n\n- the HMRC CIS online service\n\n- some commercial CIS software\n\nOn your return, you must declare that the subcontractors listed are not employees.\n\nYou could get a penalty of up to \u00a33,000 if you give the wrong employment status for a subcontractor on your monthly return.\n\n## If you made no payments\n\nYou do not have to file a return for the months when you made no payments to subcontractors, but you must tell HMRC that no return is due.\n\nYou can contact HMRC to make an \u2018inactivity request if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.\n\nYou must tell HMRC if you start using subcontractors again.\n\nPhone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.\n\n## Using commercial CIS software\n\nYour return must not include any negative values if you\u2019re using commercial CIS software.\n\nIf any entries come to less than 0, you should put \u20180\u2019 instead.\n\nHMRC might ask you later to give details of any entries you\u2019ve replaced.\n\n## Deadlines\n\nSend your monthly returns to HMRC by the 19th of every month following the last tax month.\n\n## Penalties for late returns\n\nYou\u2019ll get a penalty if you miss the deadline for filing returns.\n\nThe penalty will be cancelled if you let HMRC know that you did not pay any subcontractors that month.\n\n| How late the return is | Penalty |\n\n| 1 day late | \u00a3100 |\n\n| 2 months late | \u00a3200 |\n\n| 6 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher |\n\n| 12 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher |\n\nFor returns later than this, you may be given an additional penalty of up to \u00a33,000 or 100% of the CIS deductions on the return, whichever is higher.\n\nPay your late filing penalty.\n\n## If you disagree with a penalty\n\nYou can appeal within 30 days of the date on the penalty notice:\n\n- through HMRC\u2019s online service\n\n- by writing to HMRC - quote your Unique Taxpayer Reference (UTR) and the payment reference shown on the notice\n\n## Correcting or changing returns\n\nUse the HMRC CIS online service to change or correct something on your return.\n\nCall the CIS helpline if you need any help with this.\n\n## Record keeping\n\nUnder the Construction Industry Scheme (CIS), you must keep records of:\n\n- the gross amount of each payment invoiced by subcontractors, excluding VAT\n\n- any deductions you\u2019ve made from subcontractor payments\n\nIf you made deductions, you must also keep records of the costs of materials the subcontractor invoiced you for, excluding VAT.\n\nKeep these details for at least 3 years after the end of the tax year they relate to. HM Revenue and Customs (HMRC) could ask to see your CIS records at any time.\n\nYou could be fined up to \u00a33,000 if you cannot show your CIS records when asked by HMRC.\n\n## Tell HMRC about changes\n\nYou must tell HM Revenue and Customs (HMRC) if:\n\n- you change address (as an individual or business)\n\n- you change your business structure - for example from sole trader to limited company or vice versa\n\n- a contractor dies\n\n- you\u2019re a multiple contractor and you take on another contractor\u2019s business - you must tell HMRC within 90 days\n\n## If you stop trading or using subcontractors\n\nYou must:\n\n- tell HMRC\n\n- stop filing monthly CIS reports\n\nDo this even if you\u2019ve stopped using subcontractors temporarily, for example because you\u2019re using your own employees to carry out work.\n\n## If you\u2019ve temporarily stopped using subcontractors\n\nYou can contact HMRC to make an \u2018inactivity request\u2019 if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.\n\nYou must tell HMRC if you start using subcontractors again.\n\nPhone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "answerable": true, + "scenario": "I run a small family owned construction company specialising in groundworks. We are looking to expand, and as part of that take on some contractors so we can work on several sites at once.", + "original_question": "Do I need to register as a contractor with the Construction Industry Scheme?" + }, + { + "id": "train-1468", + "question": "Scenario: I am a site manager for the site of a large property developer. We want to install a temporary canteen staffed by contractors as there are large numbers of employed workers on site right now.\n\nQuestion: Do we have to register as a contractor with the Construction Industry Scheme for the canteen?\n\nDocument - What you must do as a Construction Industry Scheme (CIS) contractor:\n## Overview\n\nYou must register as a contractor with the Construction Industry Scheme (CIS) if:\n\n- you pay subcontractors to do construction work\n\n- your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment\n\nYou may be a sole trader, in a partnership or own a limited company.\n\nIf you\u2019re not sure if you need to register, check who is covered by CIS.\n\n## Rules you must follow\n\n- You must register for CIS before you take on your first subcontractor.\n\n- You must check if you should employ the person instead of subcontracting the work. You may get a penalty if they should be an employee instead.\n\n- Check with HM Revenue and Customs (HMRC) that your subcontractors are registered with CIS.\n\n- When you pay subcontractors, you\u2019ll usually need to make deductions from their payments and pay the money to HMRC. Deductions count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.\n\n- You\u2019ll need to file monthly returns and keep full CIS records - you may get a penalty if you do not.\n\n- You must let HMRC know about any changes to your business.\n\n## Who is covered by CIS\n\nThe Construction Industry Scheme (CIS) covers most construction work to buildings, including site preparation, decorating and refurbishment.\n\n## Mainstream contractors\n\nIf your business is construction and you pay subcontractors for construction work, you\u2019re a \u2018mainstream\u2019 contractor. This applies if you\u2019re a:\n\n- builder\n\n- labour agency\n\n- gangmaster (or gang leader)\n\n- property developer\n\n## Deemed contractors\n\nYou count as a \u2018deemed\u2019 contractor if your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment. This could apply to:\n\n- housing association or arm\u2019s length management organisations (ALMOs)\n\n- local authorities\n\n- government departments\n\nYou must monitor your construction spend if you are likely to become a deemed contractor.\n\n## Exceptions for contractors\n\nCIS does not apply if your work is:\n\n- paid for by a charity or trust\n\n- paid for by a governing body or head teacher of a maintained school on behalf of the local education authority\n\n- on the subcontractor\u2019s own property and worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption\n\nCIS also does not apply if you\u2019re a deemed contractor paying for:\n\n- work on property (that is not for sale or rent) for your own business use\n\n- a construction contract worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption\n\n## Construction work not covered by CIS\n\nThere are also certain jobs that are exempt from the scheme, including:\n\n- architecture and surveying\n\n- scaffolding hire (with no labour)\n\n- carpet fitting\n\n- delivering materials\n\n- work on construction sites that is clearly not construction, for example running a canteen or site facilities\n\nThe CIS guide for contractors and subcontractors explains in full what type of work is covered by CIS.\n\n## How to register\n\nTo register as a contractor, you need to follow the process for setting up as a new employer.\n\nWhen done, you\u2019ll get a letter from HM Revenue and Customs (HMRC) with the information you need to start working as a Construction Industry Scheme (CIS) contractor.\n\nIf your business is based outside the UK but you do construction work here, you follow a different registration process.\n\n## Help with registering\n\nIf you need help, call the new employer helpline or the CIS helpline.\n\nYou can also sign up for webinars and emails or watch videos from HMRC about CIS.\n\n## Verify subcontractors\n\nBefore you can pay a new subcontractor, you\u2019ll need to \u2018verify\u2019 them with HM Revenue and Customs (HMRC).\n\nHMRC will tell you:\n\n- whether they\u2019re registered for the Construction Industry Scheme (CIS)\n\n- what rate of deduction to use or if you can pay them without making deductions\n\nYou must also verify subcontractors you\u2019ve used before if you have not included them on a CIS return in the current or last 2 tax years.\n\n## How to verify\n\nYou can verify subcontractors using:\n\n- the free HMRC CIS online service\n\n- commercial CIS software\n\nIf you need to verify more than 50 subcontractors you\u2019ll need to use commercial CIS software.\n\n## What you\u2019ll need\n\nMake sure you have:\n\n- your Unique Taxpayer Reference (UTR)\n\n- the reference number for your HMRC accounts office\n\n- your HMRC employer reference\n\nYou\u2019ll also need your subcontractor\u2019s:\n\n- UTR\n\n- National Insurance number if they\u2019re a sole trader - you cannot verify temporary numbers, which start with \u2018TN\u2019 or 2 digits\n\n- company name, company UTR and registration number if they\u2019re a limited company\n\n- nominated partner details, trading name and partnership UTR if they\u2019re a partnership\n\nThe details you provide to verify the subcontractor must exactly match the details the subcontractor used to register with HMRC.\n\n## Make deductions and pay subcontractors\n\nWhen you pay a subcontractor, you usually make some deductions from their payments.\n\nHM Revenue and Customs (HMRC) will tell you how much to deduct from a subcontractor\u2019s payments when you verify them.\n\nThe Construction Industry Scheme (CIS) deduction rates are:\n\n- 20% for registered subcontractors\n\n- 30% for unregistered subcontractors\n\n- 0% if the subcontractor has \u2018gross payment\u2019 status - for example they do not have deductions made\n\nYou must pay these deductions to HMRC - they count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.\n\n## How to make a CIS deduction\n\nTo make a deduction from a subcontractor\u2019s payment, start with the total (gross) amount of the subcontractor\u2019s invoice.\n\nTake away the amount the subcontractor has paid for:\n\n- VAT\n\n- materials\n\n- equipment which is now unusable (\u2018consumable stores\u2019)\n\n- fuel used, except for travelling\n\n- equipment hired for this job (\u2018plant hire\u2019)\n\n- manufacturing or prefabricating materials\n\nOnly deduct materials the subcontractor has paid for directly. Ask the subcontractor for evidence that they paid for the materials if you\u2019re unsure.\n\nFinally, deduct the CIS percentage rate (as given to you by HMRC) from the amount left. You\u2019ll be left with the net amount you need to pay the subcontractor.\n\n## Paying subcontractors\n\nYou usually pay your subcontractors directly. But you can pay them through a third party (such as a relative or debt company) if they ask you to.\n\nIf you make deductions, you must give the subcontractor a payment and deduction statement within 14 days of the end of each tax month.\n\n## If you\u2019re not making payments\n\nIf you know you\u2019re not going to make any payments to subcontractors for up to 6 months, you can ask for your scheme to be made \u2018inactive\u2019. HMRC will not send you any returns for that period.\n\nYou must file a return when you start paying subcontractors again.\n\n## Pay deductions to HMRC\n\nYou must pay HM Revenue and Customs (HMRC) any deductions you\u2019ve made.\n\nHMRC will set up a Construction Industry Scheme (CIS) payment scheme for you when you register as a contractor.\n\nIf you already have employees, HMRC will change your existing PAYE Scheme to a PAYE/CIS scheme. You should make one payment each month or quarter to cover your PAYE tax, National Insurance and CIS deductions.\n\n## When and how to pay\n\nPay HMRC every month by the 22nd (or the 19th if you\u2019re paying by post). You may be charged interest and penalties if you pay late.\n\nPay CIS deductions to HMRC in the same way as PAYE and National Insurance payments.\n\n## File your monthly returns\n\nYou must tell HM Revenue and Customs (HMRC) each month about payments you\u2019ve made to subcontractors through your monthly return.\n\nYou can file returns by using:\n\n- the HMRC CIS online service\n\n- some commercial CIS software\n\nOn your return, you must declare that the subcontractors listed are not employees.\n\nYou could get a penalty of up to \u00a33,000 if you give the wrong employment status for a subcontractor on your monthly return.\n\n## If you made no payments\n\nYou do not have to file a return for the months when you made no payments to subcontractors, but you must tell HMRC that no return is due.\n\nYou can contact HMRC to make an \u2018inactivity request if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.\n\nYou must tell HMRC if you start using subcontractors again.\n\nPhone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.\n\n## Using commercial CIS software\n\nYour return must not include any negative values if you\u2019re using commercial CIS software.\n\nIf any entries come to less than 0, you should put \u20180\u2019 instead.\n\nHMRC might ask you later to give details of any entries you\u2019ve replaced.\n\n## Deadlines\n\nSend your monthly returns to HMRC by the 19th of every month following the last tax month.\n\n## Penalties for late returns\n\nYou\u2019ll get a penalty if you miss the deadline for filing returns.\n\nThe penalty will be cancelled if you let HMRC know that you did not pay any subcontractors that month.\n\n| How late the return is | Penalty |\n\n| 1 day late | \u00a3100 |\n\n| 2 months late | \u00a3200 |\n\n| 6 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher |\n\n| 12 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher |\n\nFor returns later than this, you may be given an additional penalty of up to \u00a33,000 or 100% of the CIS deductions on the return, whichever is higher.\n\nPay your late filing penalty.\n\n## If you disagree with a penalty\n\nYou can appeal within 30 days of the date on the penalty notice:\n\n- through HMRC\u2019s online service\n\n- by writing to HMRC - quote your Unique Taxpayer Reference (UTR) and the payment reference shown on the notice\n\n## Correcting or changing returns\n\nUse the HMRC CIS online service to change or correct something on your return.\n\nCall the CIS helpline if you need any help with this.\n\n## Record keeping\n\nUnder the Construction Industry Scheme (CIS), you must keep records of:\n\n- the gross amount of each payment invoiced by subcontractors, excluding VAT\n\n- any deductions you\u2019ve made from subcontractor payments\n\nIf you made deductions, you must also keep records of the costs of materials the subcontractor invoiced you for, excluding VAT.\n\nKeep these details for at least 3 years after the end of the tax year they relate to. HM Revenue and Customs (HMRC) could ask to see your CIS records at any time.\n\nYou could be fined up to \u00a33,000 if you cannot show your CIS records when asked by HMRC.\n\n## Tell HMRC about changes\n\nYou must tell HM Revenue and Customs (HMRC) if:\n\n- you change address (as an individual or business)\n\n- you change your business structure - for example from sole trader to limited company or vice versa\n\n- a contractor dies\n\n- you\u2019re a multiple contractor and you take on another contractor\u2019s business - you must tell HMRC within 90 days\n\n## If you stop trading or using subcontractors\n\nYou must:\n\n- tell HMRC\n\n- stop filing monthly CIS reports\n\nDo this even if you\u2019ve stopped using subcontractors temporarily, for example because you\u2019re using your own employees to carry out work.\n\n## If you\u2019ve temporarily stopped using subcontractors\n\nYou can contact HMRC to make an \u2018inactivity request\u2019 if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.\n\nYou must tell HMRC if you start using subcontractors again.\n\nPhone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "answerable": true, + "scenario": "I am a site manager for the site of a large property developer. We want to install a temporary canteen staffed by contractors as there are large numbers of employed workers on site right now.", + "original_question": "Do we have to register as a contractor with the Construction Industry Scheme for the canteen?" + }, + { + "id": "train-1469", + "question": "Scenario: I am on a permanent job and receive an income of more than \u00a360,000. I pay a tax of more than \u00a37000. I want to help a charity who use the money for a cancer research\n\nQuestion: As I tax already deducted thru PAYE , Can the charity reclaim my tax money ?\n\nDocument - Charities and tax:\n## Overview\n\nAs a charity you can get certain tax reliefs. To benefit you must be recognised by HM Revenue and Customs (HMRC).\n\nCharities do not pay tax on most types of income as long as they use the money for charitable purposes.\n\nYou can claim back tax that\u2019s been deducted, for example on bank interest and donations (this is known as Gift Aid).\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you need to pay tax\n\nYour charity may need to pay tax if you\u2019ve:\n\n- received income that does not qualify for tax relief\n\n- spent any of your income on non-charitable purposes\n\nYou need to complete a tax return if your charity has tax to pay.\n\nCommunity amateur sports clubs (CASCs) get different tax reliefs.\n\n## Tax reliefs for charities\n\nAs a charity you do not pay tax on most of your income and gains if you use it for charitable purposes - this is known as \u2018charitable expenditure\u2019.\n\nThis includes tax:\n\n- on donations\n\n- on profits from trading\n\n- on rental or investment income, for example bank interest\n\n- on profits when you sell or \u2018dispose of\u2019 an asset, like property or shares\n\n- when you buy property\n\nTo get tax relief you must be recognised by HM Revenue and Customs (HMRC).\n\nCommunity amateur sports clubs (CASCs) get different tax reliefs.\n\n## When you do pay tax\n\nCharities pay tax on:\n\n- dividends received from UK companies before 6 April 2016\n\n- profits from developing land or property\n\n- purchases - but there are special VAT rules for charities\n\nCharities pay business rates on non-domestic buildings, but they get an 80% discount.\n\nYou must pay tax on any money you do not use for charitable purposes. This is known as \u2018non-charitable expenditure\u2019.\n\n## Pay tax\n\nYou must complete a tax return if your charity needs to pay tax or if HMRC asks you to.\n\n## Reclaim tax\n\nYou can claim back tax that\u2019s been deducted, for example on:\n\n- donations (this is known as Gift Aid)\n\n- bank interest\n\n## Get recognition for tax purposes\n\nTo get tax relief your charity must be:\n\n- based in the UK, EU, Iceland, Liechtenstein or Norway\n\n- established for charitable purposes only\n\n- registered with the Charity Commission or another regulator, if this applies to you\n\n- run by \u2018fit and proper persons\u2019\n\n- recognised by HM Revenue and Customs (HMRC)\n\n## Apply for recognition\n\nRegister your charity\u2019s details using HMRC\u2019s online service.\n\n## Reclaim tax\n\nIf you receive income with tax deducted, for example donations you can claim Gift Aid on, you can claim it back:\n\n- online, using the Charities Online service\n\n- through software that works with Charities Online\n\n- by post, using form ChR1 - call the helpline to order it\n\n## Bank interest\n\nYou can arrange to receive interest without tax deducted. Show your bank your letter of recognition from HM Revenue and Customs (HMRC).\n\nIf tax has already been taken from your interest you can claim it back for:\n\n- the current tax year by asking your bank\n\n- previous tax years by claiming it from HMRC\n\n## Pay tax\n\nIf your charity has income that does not qualify for tax relief you must complete a tax return.\n\nIf you have no tax to pay, complete a tax return only if HM Revenue and Customs (HMRC) asks you to.\n\nIf your charity\u2019s income is over \u00a310,000 you must submit an annual return to the Charity Commission.\n\n## Company Tax Returns\n\nComplete a Company Tax Return if your charity is a limited company or unincorporated association. Include the supplementary pages for charities and community amateur sports clubs (CASCs).\n\nA charity is a limited company if it was set up by a:\n\n- constitution\n\n- memorandum and articles of association\n\n- royal charter or Act of Parliament\n\nLimited companies must also send annual accounts to Companies House.\n\n## Trusts\n\nComplete a Trust and Estate Self Assessment tax return if your charity is a trust. A charity is a trust if it was set up by a trust deed or will.\n\n## Penalties and deadlines\n\nYou must complete a tax return when HMRC asks you to, even if no tax is due.\n\nYou may have to pay a penalty if your tax return is late or you do not complete one when you should.\n\nThe deadline depends on whether you complete a Company Tax Return or a Self Assessment tax return.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/charities-and-tax", + "answerable": true, + "scenario": "I am on a permanent job and receive an income of more than \u00a360,000. I pay a tax of more than \u00a37000. I want to help a charity who use the money for a cancer research", + "original_question": "As I tax already deducted thru PAYE , Can the charity reclaim my tax money ?" + }, + { + "id": "train-1470", + "question": "Scenario: We recently build a religious building and worshiped by many in my. neighbourhood. We been registered as an charity as well. People come for worship have donated money\n\nQuestion: Do we have to pay tax on the donation money received from worshippers ?\n\nDocument - Charities and tax:\n## Overview\n\nAs a charity you can get certain tax reliefs. To benefit you must be recognised by HM Revenue and Customs (HMRC).\n\nCharities do not pay tax on most types of income as long as they use the money for charitable purposes.\n\nYou can claim back tax that\u2019s been deducted, for example on bank interest and donations (this is known as Gift Aid).\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you need to pay tax\n\nYour charity may need to pay tax if you\u2019ve:\n\n- received income that does not qualify for tax relief\n\n- spent any of your income on non-charitable purposes\n\nYou need to complete a tax return if your charity has tax to pay.\n\nCommunity amateur sports clubs (CASCs) get different tax reliefs.\n\n## Tax reliefs for charities\n\nAs a charity you do not pay tax on most of your income and gains if you use it for charitable purposes - this is known as \u2018charitable expenditure\u2019.\n\nThis includes tax:\n\n- on donations\n\n- on profits from trading\n\n- on rental or investment income, for example bank interest\n\n- on profits when you sell or \u2018dispose of\u2019 an asset, like property or shares\n\n- when you buy property\n\nTo get tax relief you must be recognised by HM Revenue and Customs (HMRC).\n\nCommunity amateur sports clubs (CASCs) get different tax reliefs.\n\n## When you do pay tax\n\nCharities pay tax on:\n\n- dividends received from UK companies before 6 April 2016\n\n- profits from developing land or property\n\n- purchases - but there are special VAT rules for charities\n\nCharities pay business rates on non-domestic buildings, but they get an 80% discount.\n\nYou must pay tax on any money you do not use for charitable purposes. This is known as \u2018non-charitable expenditure\u2019.\n\n## Pay tax\n\nYou must complete a tax return if your charity needs to pay tax or if HMRC asks you to.\n\n## Reclaim tax\n\nYou can claim back tax that\u2019s been deducted, for example on:\n\n- donations (this is known as Gift Aid)\n\n- bank interest\n\n## Get recognition for tax purposes\n\nTo get tax relief your charity must be:\n\n- based in the UK, EU, Iceland, Liechtenstein or Norway\n\n- established for charitable purposes only\n\n- registered with the Charity Commission or another regulator, if this applies to you\n\n- run by \u2018fit and proper persons\u2019\n\n- recognised by HM Revenue and Customs (HMRC)\n\n## Apply for recognition\n\nRegister your charity\u2019s details using HMRC\u2019s online service.\n\n## Reclaim tax\n\nIf you receive income with tax deducted, for example donations you can claim Gift Aid on, you can claim it back:\n\n- online, using the Charities Online service\n\n- through software that works with Charities Online\n\n- by post, using form ChR1 - call the helpline to order it\n\n## Bank interest\n\nYou can arrange to receive interest without tax deducted. Show your bank your letter of recognition from HM Revenue and Customs (HMRC).\n\nIf tax has already been taken from your interest you can claim it back for:\n\n- the current tax year by asking your bank\n\n- previous tax years by claiming it from HMRC\n\n## Pay tax\n\nIf your charity has income that does not qualify for tax relief you must complete a tax return.\n\nIf you have no tax to pay, complete a tax return only if HM Revenue and Customs (HMRC) asks you to.\n\nIf your charity\u2019s income is over \u00a310,000 you must submit an annual return to the Charity Commission.\n\n## Company Tax Returns\n\nComplete a Company Tax Return if your charity is a limited company or unincorporated association. Include the supplementary pages for charities and community amateur sports clubs (CASCs).\n\nA charity is a limited company if it was set up by a:\n\n- constitution\n\n- memorandum and articles of association\n\n- royal charter or Act of Parliament\n\nLimited companies must also send annual accounts to Companies House.\n\n## Trusts\n\nComplete a Trust and Estate Self Assessment tax return if your charity is a trust. A charity is a trust if it was set up by a trust deed or will.\n\n## Penalties and deadlines\n\nYou must complete a tax return when HMRC asks you to, even if no tax is due.\n\nYou may have to pay a penalty if your tax return is late or you do not complete one when you should.\n\nThe deadline depends on whether you complete a Company Tax Return or a Self Assessment tax return.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/charities-and-tax", + "answerable": true, + "scenario": "We recently build a religious building and worshiped by many in my. neighbourhood. We been registered as an charity as well. People come for worship have donated money", + "original_question": "Do we have to pay tax on the donation money received from worshippers ?" + }, + { + "id": "train-1471", + "question": "Scenario: I buy and sell goods online and this forms the major part of my income. I want to protect myself against potential complaints on unsatisfactory services.\n\nQuestion: Can I add terms on user's satisfaction to avoid such potential complaints?\n\nDocument - Avoid unfair terms in sales contracts:\n## Overview\n\nYour standard sales contracts must be \u2018fair\u2019 or you won\u2019t be able to enforce them.\n\nThere are different rules on what\u2019s fair for:\n\n- consumer contracts\n\n- business contracts\n\nYou\u2019re legally responsible for certain situations, eg when goods you sell are faulty. You must not try to claim you\u2019re not responsible.\n\nYou have more responsibilities towards consumers than towards other businesses.\n\n## Customers\u2019 rights\n\nYour customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.\n\n## Unfair consumer contracts\n\nYou can\u2019t enforce unfair terms in a consumer contract, or unfair consumer notices (eg signs on a shop wall or in a car park).\n\nYou can never enforce terms or notices that try to avoid your responsibility for:\n\n- death\n\n- injury\n\n- faulty goods\n\n- goods that aren\u2019t as described\n\n- selling goods that aren\u2019t yours to sell\n\nYou might not be able to enforce terms or notices if they try to avoid your responsibility in other ways, eg:\n\n- delays\n\n- unsatisfactory services\n\n- not doing what was agreed\n\nYour contract terms might also be unfair if they weigh the contract significantly in your favour, eg:\n\n- by providing for excessive cancellation charges and automatic loss of all upfront payments\n\n- by creating unbalanced rights, eg being able to cancel a contract at any time, but requiring the customer to give 3 months\u2019 notice\n\n- by allowing you to increase the agreed price at a later date\n\nYour contract won\u2019t be unfair just because it sets a price that\u2019s higher than another business charges.\n\nContracts must be written in plain language to avoid being misleading and unfair.\n\n## If a customer complains\n\nIt\u2019s up to the courts to decide if a term in your contract or wording in your notices is unfair.\n\nYou can be taken to court by the Competition and Markets Authority or a local trading standards office to stop you using unfair terms or notices.\n\nConsumers can also take legal action themselves to challenge unfair terms or notices.\n\nRead the guidance on unfair terms.\n\n## Unfair business contracts\n\nYour standard contract would be unfair if you try to not take responsibility for:\n\n- death or injury - under any circumstances\n\n- losses caused by negligence - unless to do so is \u2018reasonable\u2019\n\n- defective or poor quality goods - unless to do so is \u2018reasonable\u2019\n\nYou must not try to claim you\u2019re not responsible for these things.\n\n## What is reasonable\n\nIt\u2019s up to the courts to decide what is reasonable.\n\nCourts will take into account:\n\n- the information available to both parties when the contract was drawn up\n\n- if the contract was negotiated or in standard form\n\n- if the buyer had the bargaining power to negotiate better terms\n\n## Implied and statutory rights\n\nYour customers have implied rights when buying your goods or services.\n\nSome implied rights are also known as \u2018statutory rights\u2019.\n\n## Products\n\nImplied rights mean a product must be:\n\n- as described\n\n- of satisfactory quality, eg safe, in working order, free of defects\n\n- fit for purpose - capable of doing what the customer has asked for\n\nContracts for hiring, hire purchase and part exchange also have these implied rights.\n\nConsumers always have these implied rights when buying goods - the contract can\u2019t legally state otherwise.\n\n## Services\n\nImplied rights mean services must be carried out:\n\n- with reasonable care and skill\n\n- within a reasonable time (if no specific time has been agreed)\n\n- for a reasonable charge (if no exact price has been agreed)\n\nYou\u2019re unlikely to be able to enforce terms in a consumer contract for services if they try to deny a customer\u2019s implied rights.\n\n## Business contracts\n\nYour business customers have implied rights unless the contract legally states otherwise in a way a court would decide is reasonable.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "answerable": true, + "scenario": "I buy and sell goods online and this forms the major part of my income. I want to protect myself against potential complaints on unsatisfactory services.", + "original_question": "Can I add terms on user's satisfaction to avoid such potential complaints?" + }, + { + "id": "train-1472", + "question": "Scenario: I recently bought a car online and it immediately broke down when I got it home. The vendor is refusing to interact with me because they claim in their terms that they will not be responsible to the car if it has left their store.\n\nQuestion: Can I make a complaint?\n\nDocument - Avoid unfair terms in sales contracts:\n## Overview\n\nYour standard sales contracts must be \u2018fair\u2019 or you won\u2019t be able to enforce them.\n\nThere are different rules on what\u2019s fair for:\n\n- consumer contracts\n\n- business contracts\n\nYou\u2019re legally responsible for certain situations, eg when goods you sell are faulty. You must not try to claim you\u2019re not responsible.\n\nYou have more responsibilities towards consumers than towards other businesses.\n\n## Customers\u2019 rights\n\nYour customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.\n\n## Unfair consumer contracts\n\nYou can\u2019t enforce unfair terms in a consumer contract, or unfair consumer notices (eg signs on a shop wall or in a car park).\n\nYou can never enforce terms or notices that try to avoid your responsibility for:\n\n- death\n\n- injury\n\n- faulty goods\n\n- goods that aren\u2019t as described\n\n- selling goods that aren\u2019t yours to sell\n\nYou might not be able to enforce terms or notices if they try to avoid your responsibility in other ways, eg:\n\n- delays\n\n- unsatisfactory services\n\n- not doing what was agreed\n\nYour contract terms might also be unfair if they weigh the contract significantly in your favour, eg:\n\n- by providing for excessive cancellation charges and automatic loss of all upfront payments\n\n- by creating unbalanced rights, eg being able to cancel a contract at any time, but requiring the customer to give 3 months\u2019 notice\n\n- by allowing you to increase the agreed price at a later date\n\nYour contract won\u2019t be unfair just because it sets a price that\u2019s higher than another business charges.\n\nContracts must be written in plain language to avoid being misleading and unfair.\n\n## If a customer complains\n\nIt\u2019s up to the courts to decide if a term in your contract or wording in your notices is unfair.\n\nYou can be taken to court by the Competition and Markets Authority or a local trading standards office to stop you using unfair terms or notices.\n\nConsumers can also take legal action themselves to challenge unfair terms or notices.\n\nRead the guidance on unfair terms.\n\n## Unfair business contracts\n\nYour standard contract would be unfair if you try to not take responsibility for:\n\n- death or injury - under any circumstances\n\n- losses caused by negligence - unless to do so is \u2018reasonable\u2019\n\n- defective or poor quality goods - unless to do so is \u2018reasonable\u2019\n\nYou must not try to claim you\u2019re not responsible for these things.\n\n## What is reasonable\n\nIt\u2019s up to the courts to decide what is reasonable.\n\nCourts will take into account:\n\n- the information available to both parties when the contract was drawn up\n\n- if the contract was negotiated or in standard form\n\n- if the buyer had the bargaining power to negotiate better terms\n\n## Implied and statutory rights\n\nYour customers have implied rights when buying your goods or services.\n\nSome implied rights are also known as \u2018statutory rights\u2019.\n\n## Products\n\nImplied rights mean a product must be:\n\n- as described\n\n- of satisfactory quality, eg safe, in working order, free of defects\n\n- fit for purpose - capable of doing what the customer has asked for\n\nContracts for hiring, hire purchase and part exchange also have these implied rights.\n\nConsumers always have these implied rights when buying goods - the contract can\u2019t legally state otherwise.\n\n## Services\n\nImplied rights mean services must be carried out:\n\n- with reasonable care and skill\n\n- within a reasonable time (if no specific time has been agreed)\n\n- for a reasonable charge (if no exact price has been agreed)\n\nYou\u2019re unlikely to be able to enforce terms in a consumer contract for services if they try to deny a customer\u2019s implied rights.\n\n## Business contracts\n\nYour business customers have implied rights unless the contract legally states otherwise in a way a court would decide is reasonable.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "answerable": true, + "scenario": "I recently bought a car online and it immediately broke down when I got it home. The vendor is refusing to interact with me because they claim in their terms that they will not be responsible to the car if it has left their store.", + "original_question": "Can I make a complaint?" + }, + { + "id": "train-1475", + "question": "Scenario: I have 4 different arcade games machines in my pub and they all cost different amounts to play.\n\nQuestion: do I have to pay different machine games duty depending on the cost to play?\n\nDocument - Machine Games Duty:\n## What you pay it on\n\nYou may have to pay Machine Games Duty (MGD) if there are machines that give cash prizes on your premises. You pay duty on:\n\n- slot and fruit machines, and other gaming machines\n\n- quiz machines and other \u2018skill with prize\u2019 machines\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou do not pay it on machines where the prize is less than the cost to play, or on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.\n\nYour takings from machine games will be exempt from VAT if you pay MGD.\n\nIf you\u2019re responsible for MGD you\u2019ll need to register, send regular returns, pay duty and keep records.\n\n## Who\u2019s responsible for registering and paying\n\nIt\u2019s your responsibility if you hold any of the following licences:\n\n- premises licence, for example for gambling or alcohol\n\n- family entertainment centre gaming machine permit\n\n- club premises certificate, a club gaming permit or club machine permit\n\n- prize gaming permit or amusement permit\n\n- registration certificate including a club registration certificate\n\n- bookmaking office licence or bingo club licence\n\n- licence to sell alcohol in Northern Ireland\n\nThere are different rules if you\u2019re the tenant of a pub. You\u2019re responsible for MGD, not the premises licence owner (usually the pub\u2019s owner). When you stop being the tenant, you need to cancel your registration.\n\nYou are not responsible for MGD if you supply the machines, unless you also hold the licence or permit for the premises.\n\nIf your premises does not have a licence, HM Revenue and Customs (HMRC) will ask someone else, usually the manager or owner, to register and pay the duty.\n\nYou may have to pay a penalty if you do not register when you should.\n\n## Register\n\nRegister for Machine Games Duty (MGD) at least 14 days before you make your machines available to play.\n\nYou register by adding MGD to your HM Revenue and Customs (HMRC) account. If you do not have one (or only have an account for personal tax), create an account as an organisation.\n\nTo register for MGD, you\u2019ll need:\n\n- any licence or permit numbers for your premises\n\n- your Unique Taxpayer Reference (UTR), if you\u2019re registered for Self Assessment or Corporation Tax\n\n- your VAT number, if you\u2019re registered for VAT\n\n- your National Insurance number\n\n- to know how many machines you have\n\n- your accountant\u2019s MGD agent reference number and postcode, if you want them to file returns on your behalf\n\nRegister now\n\n## After you\u2019ve registered\n\nYou\u2019ll need to keep accurate records to show:\n\n- how you worked out the figures for your return\n\n- that the amount you\u2019ve paid is correct\n\nKeep your records for 4 years as HMRC might ask to see them.\n\n## If you want to file paper returns\n\nFill in and send the registration form if you want to file paper returns.\n\n## How much you pay\n\nYou pay Machine Games Duty (MGD) on the total net takings from your machine games.\n\nThis is what you charge to play the games minus the amount you pay as winnings, including non-cash prizes.\n\nYou do not pay it on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.\n\n## MGD rates\n\n| | Cost to play | Prize | Rate you pay |\n\n| Machine type 1 - lower rate | 20 pence or less | \u00a310 or less | 5% |\n\n| Machine type 2 - standard rate | 21 pence to \u00a35 | \u00a311 or more | 20% |\n\n| All other machine types - higher rate | More than \u00a35 | Any | 25% |\n\nIf your machine has more than one type of game, you pay the rate for the highest rated game on all takings from the machine.\n\n## File your return\n\nYou must file a Machine Games Duty (MGD) return every 3 months.\n\nYour return is due within 30 days of the end of the accounting period. You\u2019ll get a reminder if you included your email address when you registered online.\n\nYou\u2019ll need:\n\n- records of your total net takings from machine games\n\n- details of how you worked out the figures\n\nYou still fill in a return even if you do not owe anything, or your business has not traded during this accounting period. This can be for any reason, including if you\u2019ve closed because of coronavirus (COVID-19). Enter \u20180\u2019 in all boxes.\n\nFile your return\n\n## If you chose to file using paper forms\n\nHM Revenue and Customs (HMRC) will send you paper forms when your return is due. If you do not receive them, contact the helpline.\n\n## After you\u2019ve filed your return\n\nPay your Machine Games Duty bill within 30 days of the end of your accounting period.\n\nYou may have to pay a penalty if your return or payment is late. HMRC can also charge you an estimate of what you owe.\n\n## Change your details\n\nSign in to the Machine Games Duty (MGD) service to:\n\n- change your contact address or other details\n\n- cancel your registration if you\u2019ve stopped trading, no longer have machine games or want to be registered as part of a group of companies\n\n- add, change or remove an authorised agent to file returns for you\n\nYou can also contact HM Revenue and Customs (HMRC) by phone or post. You\u2019ll need to tell them your registration number.\n\n## Switch to file online instead of sending paper returns\n\nIf you already have an HMRC online account, sign in to add the MGD service.\n\nOtherwise, register for an HMRC account and sign up for MGD.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/machine-game-duty", + "answerable": true, + "scenario": "I have 4 different arcade games machines in my pub and they all cost different amounts to play.", + "original_question": "do I have to pay different machine games duty depending on the cost to play?" + }, + { + "id": "train-1476", + "question": "Scenario: I have just taken over the rent for a small shop in Birmingham for my business. It seems that the business rates due are ridiculously high.\n\nQuestion: Is there any way of getting the property rateable value corrected?\n\nDocument - Business rates:\n## Overview\n\nBusiness rates are charged on most non-domestic properties, like:\n\n- shops\n\n- offices\n\n- pubs\n\n- warehouses\n\n- factories\n\n- holiday rental homes or guest houses\n\nYou\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What to pay and when\n\nYour local council will send you a business rates bill in February or March each year. This is for the following tax year. You can also estimate your business rates bill.\n\nYou can get help with business rates from:\n\n- your council if you have questions about your bill\n\n- the Valuation Office Agency (VOA) if you think your \u2018rateable value\u2019 is wrong\n\n## Relief schemes\n\nYou may be able to get business rates relief from your local council to reduce your bill. This is sometimes automatic, but you may need to apply.\n\nThe process depends on whether you\u2019re in England or Wales.\n\n## Who does not need to pay\n\nCertain properties are exempt from business rates, for example farm buildings or places used for the welfare of disabled people.\n\n## If you own a stable\n\nYou usually need to pay business rates on your stables, unless you use your horses for farming.\n\nYou may pay Council Tax instead if your stables are in your garden. Contact VOA to check if you\u2019re not sure which you should pay.\n\n## How your rates are calculated\n\nBusiness rates are worked out based on your property\u2019s \u2018rateable value\u2019.\n\nThis is its open market rental value on 1 April 2015, based on an estimate by the Valuation Office Agency (VOA).\n\nYou can estimate your business rates by multiplying the rateable value by the correct \u2018multiplier\u2019 (an amount set by central government).\n\nYour bill will be reduced if your property\u2019s eligible for business rates relief.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## If you think your rates are wrong\n\nYou can ask for your property\u2019s rateable value to be corrected if you think it\u2019s wrong.\n\n## If you\u2019re asked to provide rental information\n\nThe VOA may ask you to provide rental information about your property so they can work out its rateable value.\n\nContact the VOA if you need more time to send in your rental information.\n\n## Revaluation\n\nAt revaluation, the Valuation Office Agency (VOA) adjusts the rateable value of business properties to reflect changes in the property market.\n\nIt usually happens every 5 years. The most recent revaluation came into effect in England and Wales on 1 April 2017, based on rateable values from 1 April 2015.\n\nYou can check your valuation when you estimate your business rates.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What happens at revaluation\n\nAt revaluation:\n\n- all properties are given a new rateable value\n\n- multipliers are revised\n\nThis means that a change in your rateable value does not always mean a change in your bill.\n\nTo make sure your valuations are accurate, you may need to give VOA up-to-date rental evidence for your property at revaluation.\n\n## Get business rates relief\n\nYou may be able to get a discount from your local council if you\u2019re eligible for business rates relief.\n\nFor example you may be able to get:\n\n- transitional relief so that changes to your bill as a result of revaluation are phased in gradually\n\n- small business relief so that you pay no business rates if your rateable value is below \u00a315,000\n\n## Get help with business rates\n\nYou may be able to get a discount from your local council on your business rates if you\u2019re eligible for one or more business rates relief schemes.\n\nFor help with your property\u2019s rateable value, contact the Valuation Office Agency (VOA).\n\nFor help with your business rates bill (for example to pay in instalments) or rate relief, contact your council.\n\n## Get professional advice\n\nYou can also get help from a qualified rating surveyor through one of the following organisations:\n\n- Royal Institution of Chartered Surveyors (RICS)\n\n- Institute of Revenues, Rating and Valuation (IRRV)\n\n- Rating Surveyors Association\n\nYou may be charged for any advice you get from a rating surveyor right from the start.\n\nYou can call the RICS enquiry line for advice. The first 30 minutes are free.\n\n## If your business or premises change\n\nYour business rates could change if:\n\n- you move or make changes to your premises\n\n- the nature of your business changes\n\n- you sublet part of your property\n\n- you merge 2 or more properties into 1\n\nYou must report any changes to ensure you\u2019re paying the right amount and do not get a backdated increase in your bill.\n\nReport changes using the Valuation Office Agency (VOA) service in England or Wales.\n\nBusiness rates are handled differently in Scotland and Northern Ireland\n\n## If your premises are affected by local disruption\n\nYou may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).\n\nReport changes using the VOA service.\n\n## Working at home\n\nYou do not usually have to pay business rates for home-based businesses if you:\n\n- use a small part of your home for your business, for example if you use a bedroom as an office\n\n- sell goods by post\n\nYou may need to pay business rates as well as Council Tax if:\n\n- your property is part business and part domestic, for example if you live above your shop\n\n- you sell goods or services to people who visit your property\n\n- you employ other people to work at your property\n\n- you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s\n\nContact the Valuation Office Agency (VOA) to find out if you should be paying business rates. In Scotland, contact your local assessor.\n\n## Pubs and licensed trade\n\nIn England and Wales, the Valuation Office Agency (VOA) works out your rateable value based on the annual level of trade (excluding VAT) that a pub is expected to achieve if operated in a reasonably efficient way.\n\nThis is called \u2018fair maintainable trade\u2019 and it\u2019s based on:\n\n- the type of pub or licensed premises\n\n- the area it\u2019s in\n\n- the services it offers, for example food, gaming, or sports screenings\n\nThe VOA also looks at rents and turnovers to work out the fair maintainable trade figure, then applies a percentage to work out the rateable value.\n\nThe percentages are agreed with the British Beer and Pub Association and they\u2019re in the VOA\u2019s pub guide.\n\nYou can read more about how the VOA values pubs and other licensed premises for business rates.\n\nContact the VOA if you want to check the figures they\u2019re using or do not agree with the figures being used.\n\nYou can also find and check your business rates valuation online.\n\nYou\u2019ll need to provide details of turnover (excluding VAT) for all sources, such as liquor, food and gaming.\n\nYou can also use the online contact VOA service.\n\n## Scotland\n\nIn Scotland, your local assessor works out your rateable value.\n\nIf you want to check the figures they\u2019re using or do not agree with the figures being used, contact your local assessor.\n\n## Self-catering and holiday let accommodation\n\nIf your property is in England and available to let for short periods that total 140 days or more per year, it will be rated as a self-catering property and valued for business rates.\n\nIf your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:\n\n- available to let for short periods that total 140 days or more per year\n\n- actually let for 70 days\n\nThere are different rules in Scotland.\n\nThe Valuation Office will work out the rateable value of your property based on its type, size, location, quality and how much income you\u2019re likely to make from letting it.\n\nIf you only let one property and its rateable value is less than \u00a315,000 you may be eligible for small business rate relief.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/introduction-to-business-rates", + "answerable": true, + "scenario": "I have just taken over the rent for a small shop in Birmingham for my business. It seems that the business rates due are ridiculously high.", + "original_question": "Is there any way of getting the property rateable value corrected?" + }, + { + "id": "train-1477", + "question": "Scenario: I am a farmer in Oxfordshire. The farm includes several stable blocks. I rent out some of the stable space to nearby horse owners.\n\nQuestion: Do I need to pay business rates on the stables?\n\nDocument - Business rates:\n## Overview\n\nBusiness rates are charged on most non-domestic properties, like:\n\n- shops\n\n- offices\n\n- pubs\n\n- warehouses\n\n- factories\n\n- holiday rental homes or guest houses\n\nYou\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What to pay and when\n\nYour local council will send you a business rates bill in February or March each year. This is for the following tax year. You can also estimate your business rates bill.\n\nYou can get help with business rates from:\n\n- your council if you have questions about your bill\n\n- the Valuation Office Agency (VOA) if you think your \u2018rateable value\u2019 is wrong\n\n## Relief schemes\n\nYou may be able to get business rates relief from your local council to reduce your bill. This is sometimes automatic, but you may need to apply.\n\nThe process depends on whether you\u2019re in England or Wales.\n\n## Who does not need to pay\n\nCertain properties are exempt from business rates, for example farm buildings or places used for the welfare of disabled people.\n\n## If you own a stable\n\nYou usually need to pay business rates on your stables, unless you use your horses for farming.\n\nYou may pay Council Tax instead if your stables are in your garden. Contact VOA to check if you\u2019re not sure which you should pay.\n\n## How your rates are calculated\n\nBusiness rates are worked out based on your property\u2019s \u2018rateable value\u2019.\n\nThis is its open market rental value on 1 April 2015, based on an estimate by the Valuation Office Agency (VOA).\n\nYou can estimate your business rates by multiplying the rateable value by the correct \u2018multiplier\u2019 (an amount set by central government).\n\nYour bill will be reduced if your property\u2019s eligible for business rates relief.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## If you think your rates are wrong\n\nYou can ask for your property\u2019s rateable value to be corrected if you think it\u2019s wrong.\n\n## If you\u2019re asked to provide rental information\n\nThe VOA may ask you to provide rental information about your property so they can work out its rateable value.\n\nContact the VOA if you need more time to send in your rental information.\n\n## Revaluation\n\nAt revaluation, the Valuation Office Agency (VOA) adjusts the rateable value of business properties to reflect changes in the property market.\n\nIt usually happens every 5 years. The most recent revaluation came into effect in England and Wales on 1 April 2017, based on rateable values from 1 April 2015.\n\nYou can check your valuation when you estimate your business rates.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What happens at revaluation\n\nAt revaluation:\n\n- all properties are given a new rateable value\n\n- multipliers are revised\n\nThis means that a change in your rateable value does not always mean a change in your bill.\n\nTo make sure your valuations are accurate, you may need to give VOA up-to-date rental evidence for your property at revaluation.\n\n## Get business rates relief\n\nYou may be able to get a discount from your local council if you\u2019re eligible for business rates relief.\n\nFor example you may be able to get:\n\n- transitional relief so that changes to your bill as a result of revaluation are phased in gradually\n\n- small business relief so that you pay no business rates if your rateable value is below \u00a315,000\n\n## Get help with business rates\n\nYou may be able to get a discount from your local council on your business rates if you\u2019re eligible for one or more business rates relief schemes.\n\nFor help with your property\u2019s rateable value, contact the Valuation Office Agency (VOA).\n\nFor help with your business rates bill (for example to pay in instalments) or rate relief, contact your council.\n\n## Get professional advice\n\nYou can also get help from a qualified rating surveyor through one of the following organisations:\n\n- Royal Institution of Chartered Surveyors (RICS)\n\n- Institute of Revenues, Rating and Valuation (IRRV)\n\n- Rating Surveyors Association\n\nYou may be charged for any advice you get from a rating surveyor right from the start.\n\nYou can call the RICS enquiry line for advice. The first 30 minutes are free.\n\n## If your business or premises change\n\nYour business rates could change if:\n\n- you move or make changes to your premises\n\n- the nature of your business changes\n\n- you sublet part of your property\n\n- you merge 2 or more properties into 1\n\nYou must report any changes to ensure you\u2019re paying the right amount and do not get a backdated increase in your bill.\n\nReport changes using the Valuation Office Agency (VOA) service in England or Wales.\n\nBusiness rates are handled differently in Scotland and Northern Ireland\n\n## If your premises are affected by local disruption\n\nYou may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).\n\nReport changes using the VOA service.\n\n## Working at home\n\nYou do not usually have to pay business rates for home-based businesses if you:\n\n- use a small part of your home for your business, for example if you use a bedroom as an office\n\n- sell goods by post\n\nYou may need to pay business rates as well as Council Tax if:\n\n- your property is part business and part domestic, for example if you live above your shop\n\n- you sell goods or services to people who visit your property\n\n- you employ other people to work at your property\n\n- you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s\n\nContact the Valuation Office Agency (VOA) to find out if you should be paying business rates. In Scotland, contact your local assessor.\n\n## Pubs and licensed trade\n\nIn England and Wales, the Valuation Office Agency (VOA) works out your rateable value based on the annual level of trade (excluding VAT) that a pub is expected to achieve if operated in a reasonably efficient way.\n\nThis is called \u2018fair maintainable trade\u2019 and it\u2019s based on:\n\n- the type of pub or licensed premises\n\n- the area it\u2019s in\n\n- the services it offers, for example food, gaming, or sports screenings\n\nThe VOA also looks at rents and turnovers to work out the fair maintainable trade figure, then applies a percentage to work out the rateable value.\n\nThe percentages are agreed with the British Beer and Pub Association and they\u2019re in the VOA\u2019s pub guide.\n\nYou can read more about how the VOA values pubs and other licensed premises for business rates.\n\nContact the VOA if you want to check the figures they\u2019re using or do not agree with the figures being used.\n\nYou can also find and check your business rates valuation online.\n\nYou\u2019ll need to provide details of turnover (excluding VAT) for all sources, such as liquor, food and gaming.\n\nYou can also use the online contact VOA service.\n\n## Scotland\n\nIn Scotland, your local assessor works out your rateable value.\n\nIf you want to check the figures they\u2019re using or do not agree with the figures being used, contact your local assessor.\n\n## Self-catering and holiday let accommodation\n\nIf your property is in England and available to let for short periods that total 140 days or more per year, it will be rated as a self-catering property and valued for business rates.\n\nIf your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:\n\n- available to let for short periods that total 140 days or more per year\n\n- actually let for 70 days\n\nThere are different rules in Scotland.\n\nThe Valuation Office will work out the rateable value of your property based on its type, size, location, quality and how much income you\u2019re likely to make from letting it.\n\nIf you only let one property and its rateable value is less than \u00a315,000 you may be eligible for small business rate relief.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/introduction-to-business-rates", + "answerable": true, + "scenario": "I am a farmer in Oxfordshire. The farm includes several stable blocks. I rent out some of the stable space to nearby horse owners.", + "original_question": "Do I need to pay business rates on the stables?" + }, + { + "id": "train-1478", + "question": "Scenario: I have a VAT registered business and sell hand gloves. I got some samples from a company for my staffs and loyal customers to test the product so I can place a bulk order\n\nQuestion: Do I have to pay VAT on the products that I received as samples ?\n\nDocument - Businesses and charging VAT:\n## How VAT works\n\nYou can only charge VAT if your business is registered for VAT.\n\nVAT is charged on things like:\n\n- business sales - for example when you sell goods and services\n\n- hiring or loaning goods to someone\n\n- selling business assets\n\n- commission\n\n- items sold to staff - for example canteen meals\n\n- business goods used for personal reasons\n\n- \u2018non-sales\u2019 like bartering, part-exchange and gifts\n\nThese are known as \u2018taxable supplies\u2019. There are different rules for charities.\n\n## Responsibilities\n\nVAT-registered businesses:\n\n- must charge VAT on their goods or services\n\n- may reclaim any VAT they\u2019ve paid on business-related goods or services\n\n- must account for import VAT on their VAT return if they use import VAT this way (known as \u2018postponed VAT accounting\u2019)\n\nIf you\u2019re a VAT-registered business you must report to HM Revenue and Customs (HMRC) the amount of VAT you\u2019ve charged and the amount of VAT you\u2019ve paid. This is done through your VAT Return which is usually due every 3 months.\n\nYou may want to appoint an agent to deal with HMRC on your behalf.\n\nYou must account for VAT on the full value of what you sell, even if you:\n\n- receive goods or services instead of money (for example if you take something in part-exchange)\n\n- haven\u2019t charged any VAT to the customer - whatever price you charge is treated as including VAT\n\nIf you\u2019ve charged more VAT than you\u2019ve paid, you have to pay the difference to HMRC. If you\u2019ve paid more VAT than you\u2019ve charged, you can reclaim the difference from HMRC.\n\n## VAT rates\n\nThere are 3 different rates of VAT and you must make sure you charge the right amount.\n\nGet a list of reduced or zero-rated goods and services.\n\n## Standard rate\n\nMost goods and services are standard rate. You should charge this rate unless the goods or services are classed as reduced or zero-rated.\n\nThis includes any goods below the distance selling threshold you supply from Northern Ireland to non-VAT registered EU customers. If you go over the threshold, you\u2019ll have to register for VAT in that country.\n\n## Reduced rate\n\nWhen you charge this rate can depend on what the item is as well as the circumstances of the sale, for example:\n\n- children\u2019s car seats and domestic fuel or power are always charged at 5%\n\n- mobility aids for older people are only charged at 5% if they\u2019re for someone over 60 and the goods are installed in their home\n\n## Zero rate\n\nZero-rated means that the goods are still VAT-taxable but the rate of VAT you must charge your customers is 0%. You still have to record them in your VAT accounts and report them on your VAT Return. Examples include:\n\n- books and newspapers\n\n- children\u2019s clothes and shoes\n\n- motorcycle helmets\n\n- most goods you export from England, Wales and Scotland (Great Britain) to a country outside the UK\n\n- most goods you export from Northern Ireland to a country outside the EU and the UK\n\n- goods you supply from Northern Ireland to a VAT registered EU business - you can check if the VAT number is valid\n\nIf you sent goods to the EU from Northern Ireland, you\u2019ll need their VAT number and paperwork proving that the goods have been sent within certain time limits (usually 3 months).\n\nRates can change and you must apply any changes to the rates from the date they change.\n\n## What you must do when charging VAT\n\nYou need to know the right VAT rate so you can charge it correctly and reclaim it on your purchases.\n\nIf a transaction is a standard, reduced or zero-rated taxable supply, you must:\n\n- charge the right rate of VAT\n\n- work out the VAT if a single price is shown that includes or excludes VAT\n\n- show the VAT information on your invoice\n\n- show the transaction in your VAT account - a summary of your VAT\n\n- show the amount on your VAT Return\n\nYou may be able to reclaim the VAT on purchases that relate to these sales.\n\nYou cannot claim back all of the amount you\u2019ve paid if you pay the wrong amount of VAT on a purchase.\n\n## VAT-inclusive and exclusive prices\n\nYou\u2019ll need to make a calculation when charging VAT on goods or services, or when working out the amount of VAT you can claim back on items which were sold inclusive of VAT.\n\n## VAT-inclusive prices\n\nTo work out a price including the standard rate of VAT (20%), multiply the price excluding VAT by 1.2.\n\nTo work out a price including the reduced rate of VAT (5%), multiply the price excluding VAT by 1.05.\n\n## VAT-exclusive prices\n\nTo work out a price excluding the standard rate of VAT (20%) divide the price including VAT by 1.2.\n\nTo work out a price excluding the reduced rate of VAT (5%) divide the price including VAT by 1.05.\n\n## When not to charge VAT\n\nYou cannot charge VAT on exempt or \u2018out of scope\u2019 items.\n\n## Exempt goods and services\n\nExempt goods or services are supplies that you cannot charge VAT on.\n\nIf you buy or sell an exempt item you should still record the transaction in your general business accounts. Examples of exempt items include:\n\n- insurance\n\n- postage stamps or services\n\n- health services provided by doctors\n\nGet a list of goods and services that are VAT exempt.\n\n## VAT registration\n\nBusinesses that sell only VAT-exempt goods and services cannot register for VAT.\n\nIf you start selling items that aren\u2019t exempt, you can register for VAT voluntarily. You must register if the total value of non-exempt goods and services goes over the VAT taxable turnover threshold.\n\n## Out of scope\n\nSome goods and services are outside the VAT tax system so you cannot charge or reclaim the VAT on them. For example, out of scope items include:\n\n- goods or services you buy and use outside the UK\n\n- statutory fees - like the London congestion charge\n\n- goods you sell as part of a hobby - like stamps from a collection\n\n- donations to a charity - if given without receiving anything in return\n\n## Charging VAT to charities\n\nAs a VAT-registered business, you can sell certain goods and services to charities at the zero or reduced rate of VAT.\n\nIt\u2019s your responsibility to check the charity is eligible, and to apply the correct rate.\n\nCommunity amateur sports clubs (CASCs) don\u2019t qualify for VAT reliefs for charities.\n\n## Check the charity is eligible\n\nTo make sure the charity is eligible, ask them for:\n\n- evidence that they\u2019re a charity\n\n- a written declaration or \u2018certificate\u2019 confirming they meet the conditions for the particular VAT relief\n\n## Evidence of charitable status\n\nThe charity should give you either:\n\n- their Charity Commission registration number\n\n- a letter of recognition from HM Revenue and Customs (HMRC) if they\u2019re not registered with the Charity Commission for England and Wales (for example if they\u2019re a Scottish or Northern Irish charity)\n\n## Written declaration\n\nCharities are legally required to give you an eligibility certificate when you supply eligible building or construction services to them at zero VAT. The certificate must contain specific information.\n\nA declaration is not legally required for other items you sell at the zero or reduced rate, but you should ask for one to prove the charity is eligible for the relief.\n\nThese sample declarations contain examples of the information a charity should give you when buying:\n\n- medical and scientific equipment, motor vehicles and computer software\n\n- charity advertising\n\n- goods and services for disabled people\n\nThe written declaration should be separate from the order form or invoice for the goods or services the charity is buying.\n\nYou must keep the completed declarations for at least 4 years.\n\n## Items that qualify for the reduced rate\n\nYou may be able to apply the reduced VAT rate when you sell fuel and power in certain circumstances to an eligible charity.\n\n## Items that qualify for the zero rate\n\nYou may be able to apply zero VAT when you sell the following to an eligible charity:\n\n- advertising and items for collecting donations\n\n- aids for disabled people\n\n- construction services\n\n- drugs and chemicals\n\n- equipment for making \u2018talking\u2019 books and newspapers\n\n- lifeboats and associated equipment, including fuel\n\n- medicine or ingredients for medicine\n\n- resuscitation training models\n\n## Equipment for medical and veterinary use\n\nYou may also be able to zero-rate some other medical and veterinary equipment when you sell it to:\n\n- certain health bodies, for example NHS Trusts\n\n- not-for-profit research institutions\n\n- charities that provide institutional care, or medical or surgical treatment for chronically sick or disabled people\n\n- charities that provide transport services for disabled people\n\n- charities that provide rescue or first aid services to humans or animals\n\n- someone buying it specifically for donation to one of these bodies\n\nThe money used to buy the equipment must be from charitable or donated funds. This should be stated on the eligibility declaration.\n\nThe eligible items include:\n\n- medical, veterinary and scientific equipment\n\n- ambulances\n\n- goods for disabled people\n\n- motor vehicles for medical use\n\n- rescue equipment\n\n- resuscitation training dummies\n\n## Returned goods\n\nWhen you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled by issuing either a:\n\n- replacement invoice\n\n- credit or debit note\n\nIf you exchange the goods for goods of the same value you don\u2019t need to issue a new VAT invoice.\n\n## Credit and debit notes\n\nThese must show the same information as the VAT invoice and:\n\n- why it was issued\n\n- the total amount credited, excluding VAT\n\n- the number and date of the original VAT invoice\n\n## Discounts and free gifts\n\n## Discounts\n\nVAT may have to be charged on discounts and deals.\n\n| Offer | How to charge VAT |\n\n| Discounts | Charged on the discounted price (not the full price) |\n\n| Gifts | Charged on the gift\u2019s full value - there are some exceptions listed below |\n\n| Multi-buys | Charged on the combined price if all the items have the same VAT rate. If not, VAT is \u2018apportioned\u2019 as mixed-rate goods |\n\n| Money-off coupons, vouchers etc | No VAT due if given away free at time of a purchase. If not, VAT due on the price charged |\n\n| \u2018Face value\u2019 vouchers that can be used for more than one type of good or service | No VAT due, if sold at or below their monetary value |\n\n| Redeemed face value vouchers | Charged on the full value of the transaction |\n\n| Redeemed face value vouchers sold at a discount | Charged on the discounted value of the transaction |\n\n| Link-save offers (buy one get one free or discounted) | VAT is apportioned as mixed-rate goods - there are exceptions |\n\n## Exceptions for gifts and link-save offers\n\nThere\u2019s no VAT due on gifts given to the same person if their total value in a 12 month period is less than \u00a350.\n\nVAT is charged on the combined value of link-save items if the incentive product:\n\n- has a resale value of less than \u00a31\n\n- has a sale value of less than \u00a35\n\n- costs you less than 20% of the total of the other items in the offer\n\n- isn\u2019t sold at a separate price from the main product\n\n## Free goods and services\n\nYou don\u2019t have to pay VAT on things like free samples if they meet certain conditions.\n\n| Supplies | Condition to meet so no VAT due |\n\n| Free samples | Used for marketing purposes and provided in a quantity that lets potential customers test the product |\n\n| Free loans of business assets | The cost of hiring the asset is included in something else you sell to the customer |\n\n| Free gifts | The total cost of all gifts to the same person is less than \u00a350 in a 12 month period |\n\n| Free services | You don\u2019t get any payment or goods or services in return |", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-businesses", + "answerable": true, + "scenario": "I have a VAT registered business and sell hand gloves. I got some samples from a company for my staffs and loyal customers to test the product so I can place a bulk order", + "original_question": "Do I have to pay VAT on the products that I received as samples ?" + }, + { + "id": "train-1480", + "question": "Scenario: My business partners and I developed a novelty tech accessory for laptops and computers. Business has been growing rapidly the past few years and we had begun to struggle keeping up with demand. This led to us deciding to open a larger factory designed specifically with producing our product in mind. In the past 10 months we have spent over \u00a34 million on construction for our mega factory.\n\nQuestion: Do we have to register for the Construction Registry Scheme?\n\nDocument - What you must do as a Construction Industry Scheme (CIS) contractor:\n## Overview\n\nYou must register as a contractor with the Construction Industry Scheme (CIS) if:\n\n- you pay subcontractors to do construction work\n\n- your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment\n\nYou may be a sole trader, in a partnership or own a limited company.\n\nIf you\u2019re not sure if you need to register, check who is covered by CIS.\n\n## Rules you must follow\n\n- You must register for CIS before you take on your first subcontractor.\n\n- You must check if you should employ the person instead of subcontracting the work. You may get a penalty if they should be an employee instead.\n\n- Check with HM Revenue and Customs (HMRC) that your subcontractors are registered with CIS.\n\n- When you pay subcontractors, you\u2019ll usually need to make deductions from their payments and pay the money to HMRC. Deductions count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.\n\n- You\u2019ll need to file monthly returns and keep full CIS records - you may get a penalty if you do not.\n\n- You must let HMRC know about any changes to your business.\n\n## Who is covered by CIS\n\nThe Construction Industry Scheme (CIS) covers most construction work to buildings, including site preparation, decorating and refurbishment.\n\n## Mainstream contractors\n\nIf your business is construction and you pay subcontractors for construction work, you\u2019re a \u2018mainstream\u2019 contractor. This applies if you\u2019re a:\n\n- builder\n\n- labour agency\n\n- gangmaster (or gang leader)\n\n- property developer\n\n## Deemed contractors\n\nYou count as a \u2018deemed\u2019 contractor if your business does not do construction work but you have spent more than \u00a33 million on construction in the 12 months since you made your first payment. This could apply to:\n\n- housing association or arm\u2019s length management organisations (ALMOs)\n\n- local authorities\n\n- government departments\n\nYou must monitor your construction spend if you are likely to become a deemed contractor.\n\n## Exceptions for contractors\n\nCIS does not apply if your work is:\n\n- paid for by a charity or trust\n\n- paid for by a governing body or head teacher of a maintained school on behalf of the local education authority\n\n- on the subcontractor\u2019s own property and worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption\n\nCIS also does not apply if you\u2019re a deemed contractor paying for:\n\n- work on property (that is not for sale or rent) for your own business use\n\n- a construction contract worth less than \u00a31,000 excluding materials - you must call the CIS helpline to get an exemption\n\n## Construction work not covered by CIS\n\nThere are also certain jobs that are exempt from the scheme, including:\n\n- architecture and surveying\n\n- scaffolding hire (with no labour)\n\n- carpet fitting\n\n- delivering materials\n\n- work on construction sites that is clearly not construction, for example running a canteen or site facilities\n\nThe CIS guide for contractors and subcontractors explains in full what type of work is covered by CIS.\n\n## How to register\n\nTo register as a contractor, you need to follow the process for setting up as a new employer.\n\nWhen done, you\u2019ll get a letter from HM Revenue and Customs (HMRC) with the information you need to start working as a Construction Industry Scheme (CIS) contractor.\n\nIf your business is based outside the UK but you do construction work here, you follow a different registration process.\n\n## Help with registering\n\nIf you need help, call the new employer helpline or the CIS helpline.\n\nYou can also sign up for webinars and emails or watch videos from HMRC about CIS.\n\n## Verify subcontractors\n\nBefore you can pay a new subcontractor, you\u2019ll need to \u2018verify\u2019 them with HM Revenue and Customs (HMRC).\n\nHMRC will tell you:\n\n- whether they\u2019re registered for the Construction Industry Scheme (CIS)\n\n- what rate of deduction to use or if you can pay them without making deductions\n\nYou must also verify subcontractors you\u2019ve used before if you have not included them on a CIS return in the current or last 2 tax years.\n\n## How to verify\n\nYou can verify subcontractors using:\n\n- the free HMRC CIS online service\n\n- commercial CIS software\n\nIf you need to verify more than 50 subcontractors you\u2019ll need to use commercial CIS software.\n\n## What you\u2019ll need\n\nMake sure you have:\n\n- your Unique Taxpayer Reference (UTR)\n\n- the reference number for your HMRC accounts office\n\n- your HMRC employer reference\n\nYou\u2019ll also need your subcontractor\u2019s:\n\n- UTR\n\n- National Insurance number if they\u2019re a sole trader - you cannot verify temporary numbers, which start with \u2018TN\u2019 or 2 digits\n\n- company name, company UTR and registration number if they\u2019re a limited company\n\n- nominated partner details, trading name and partnership UTR if they\u2019re a partnership\n\nThe details you provide to verify the subcontractor must exactly match the details the subcontractor used to register with HMRC.\n\n## Make deductions and pay subcontractors\n\nWhen you pay a subcontractor, you usually make some deductions from their payments.\n\nHM Revenue and Customs (HMRC) will tell you how much to deduct from a subcontractor\u2019s payments when you verify them.\n\nThe Construction Industry Scheme (CIS) deduction rates are:\n\n- 20% for registered subcontractors\n\n- 30% for unregistered subcontractors\n\n- 0% if the subcontractor has \u2018gross payment\u2019 status - for example they do not have deductions made\n\nYou must pay these deductions to HMRC - they count as advance payments towards the subcontractor\u2019s tax and National Insurance bill.\n\n## How to make a CIS deduction\n\nTo make a deduction from a subcontractor\u2019s payment, start with the total (gross) amount of the subcontractor\u2019s invoice.\n\nTake away the amount the subcontractor has paid for:\n\n- VAT\n\n- materials\n\n- equipment which is now unusable (\u2018consumable stores\u2019)\n\n- fuel used, except for travelling\n\n- equipment hired for this job (\u2018plant hire\u2019)\n\n- manufacturing or prefabricating materials\n\nOnly deduct materials the subcontractor has paid for directly. Ask the subcontractor for evidence that they paid for the materials if you\u2019re unsure.\n\nFinally, deduct the CIS percentage rate (as given to you by HMRC) from the amount left. You\u2019ll be left with the net amount you need to pay the subcontractor.\n\n## Paying subcontractors\n\nYou usually pay your subcontractors directly. But you can pay them through a third party (such as a relative or debt company) if they ask you to.\n\nIf you make deductions, you must give the subcontractor a payment and deduction statement within 14 days of the end of each tax month.\n\n## If you\u2019re not making payments\n\nIf you know you\u2019re not going to make any payments to subcontractors for up to 6 months, you can ask for your scheme to be made \u2018inactive\u2019. HMRC will not send you any returns for that period.\n\nYou must file a return when you start paying subcontractors again.\n\n## Pay deductions to HMRC\n\nYou must pay HM Revenue and Customs (HMRC) any deductions you\u2019ve made.\n\nHMRC will set up a Construction Industry Scheme (CIS) payment scheme for you when you register as a contractor.\n\nIf you already have employees, HMRC will change your existing PAYE Scheme to a PAYE/CIS scheme. You should make one payment each month or quarter to cover your PAYE tax, National Insurance and CIS deductions.\n\n## When and how to pay\n\nPay HMRC every month by the 22nd (or the 19th if you\u2019re paying by post). You may be charged interest and penalties if you pay late.\n\nPay CIS deductions to HMRC in the same way as PAYE and National Insurance payments.\n\n## File your monthly returns\n\nYou must tell HM Revenue and Customs (HMRC) each month about payments you\u2019ve made to subcontractors through your monthly return.\n\nYou can file returns by using:\n\n- the HMRC CIS online service\n\n- some commercial CIS software\n\nOn your return, you must declare that the subcontractors listed are not employees.\n\nYou could get a penalty of up to \u00a33,000 if you give the wrong employment status for a subcontractor on your monthly return.\n\n## If you made no payments\n\nYou do not have to file a return for the months when you made no payments to subcontractors, but you must tell HMRC that no return is due.\n\nYou can contact HMRC to make an \u2018inactivity request if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.\n\nYou must tell HMRC if you start using subcontractors again.\n\nPhone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.\n\n## Using commercial CIS software\n\nYour return must not include any negative values if you\u2019re using commercial CIS software.\n\nIf any entries come to less than 0, you should put \u20180\u2019 instead.\n\nHMRC might ask you later to give details of any entries you\u2019ve replaced.\n\n## Deadlines\n\nSend your monthly returns to HMRC by the 19th of every month following the last tax month.\n\n## Penalties for late returns\n\nYou\u2019ll get a penalty if you miss the deadline for filing returns.\n\nThe penalty will be cancelled if you let HMRC know that you did not pay any subcontractors that month.\n\n| How late the return is | Penalty |\n\n| 1 day late | \u00a3100 |\n\n| 2 months late | \u00a3200 |\n\n| 6 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher |\n\n| 12 months late | \u00a3300 or 5% of the CIS deductions on the return, whichever is higher |\n\nFor returns later than this, you may be given an additional penalty of up to \u00a33,000 or 100% of the CIS deductions on the return, whichever is higher.\n\nPay your late filing penalty.\n\n## If you disagree with a penalty\n\nYou can appeal within 30 days of the date on the penalty notice:\n\n- through HMRC\u2019s online service\n\n- by writing to HMRC - quote your Unique Taxpayer Reference (UTR) and the payment reference shown on the notice\n\n## Correcting or changing returns\n\nUse the HMRC CIS online service to change or correct something on your return.\n\nCall the CIS helpline if you need any help with this.\n\n## Record keeping\n\nUnder the Construction Industry Scheme (CIS), you must keep records of:\n\n- the gross amount of each payment invoiced by subcontractors, excluding VAT\n\n- any deductions you\u2019ve made from subcontractor payments\n\nIf you made deductions, you must also keep records of the costs of materials the subcontractor invoiced you for, excluding VAT.\n\nKeep these details for at least 3 years after the end of the tax year they relate to. HM Revenue and Customs (HMRC) could ask to see your CIS records at any time.\n\nYou could be fined up to \u00a33,000 if you cannot show your CIS records when asked by HMRC.\n\n## Tell HMRC about changes\n\nYou must tell HM Revenue and Customs (HMRC) if:\n\n- you change address (as an individual or business)\n\n- you change your business structure - for example from sole trader to limited company or vice versa\n\n- a contractor dies\n\n- you\u2019re a multiple contractor and you take on another contractor\u2019s business - you must tell HMRC within 90 days\n\n## If you stop trading or using subcontractors\n\nYou must:\n\n- tell HMRC\n\n- stop filing monthly CIS reports\n\nDo this even if you\u2019ve stopped using subcontractors temporarily, for example because you\u2019re using your own employees to carry out work.\n\n## If you\u2019ve temporarily stopped using subcontractors\n\nYou can contact HMRC to make an \u2018inactivity request\u2019 if you\u2019ve temporarily stopped using subcontractors. This lasts for 6 months.\n\nYou must tell HMRC if you start using subcontractors again.\n\nPhone lines are currently busier than usual because of coronavirus (COVID-19). You can use your online account to tell HMRC.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-contractor", + "answerable": true, + "scenario": "My business partners and I developed a novelty tech accessory for laptops and computers. Business has been growing rapidly the past few years and we had begun to struggle keeping up with demand. This led to us deciding to open a larger factory designed specifically with producing our product in mind. In the past 10 months we have spent over \u00a34 million on construction for our mega factory.", + "original_question": "Do we have to register for the Construction Registry Scheme?" + }, + { + "id": "train-1482", + "question": "Scenario: My business partner applied for a lawful development certificate and I disagree with the decision that was made and want to appeal it.\n\nQuestion: Can I appeal the decision on my business partner's behalf or do they have to appeal themselves?\n\nDocument - Appeal a decision about a lawful development certificate:\n## When you can appeal\n\nYour local planning authority makes decisions about lawful development certificates.\n\nYou can appeal against a lawful development certificate decision if either:\n\n- you disagree with it\n\n- the decision was not made within 8 weeks (6 weeks for work to a listed building)\n\nDo not appeal if you\u2019ve already been given an enforcement notice. You may have to pay additional costs if you do.\n\nOnly the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nThere\u2019s normally no deadline. If you\u2019re appealing an application about a listed building lawful development certificate, you must appeal within 6 months of the decision.\n\nYou can apply for planning permission at the same time as appealing a lawful development certificate decision.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the local planning authority\u2019s decision notice - if they did not make a decision, send a copy of the letter acknowledging your application\n\n- all plans, drawings and documents you sent to the local planning authority\n\n- any letters or emails between you and the local planning authority\n\nYou\u2019ll also need to submit:\n\n- a map of the site\n\n- any other documents that directly support your appeal, for example your grounds of appeal\n\nIf you think your land or building is now lawful because the time limit for enforcement has passed, you also need to submit evidence like:\n\n- dated photographs of the site\n\n- letters from neighbours\n\n- receipts or invoices for work\n\n- plans and drawings\n\nYou can upload these documents or pictures of these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on a lawful development certificate appeal. Find the case on the appeals casework portal. The deadline for comments is 6 weeks after the start date of the appeal.\n\nYour local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. The local planning authority has to do this within 2 weeks of the appeal being validated by the Planning Inspectorate.\n\nIf there\u2019s going to be an inquiry, interested parties can apply to have \u2018rule 6 status\u2019, which means they\u2019ll play a much bigger part. For example, they can call witnesses and give evidence.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "answerable": true, + "scenario": "My business partner applied for a lawful development certificate and I disagree with the decision that was made and want to appeal it.", + "original_question": "Can I appeal the decision on my business partner's behalf or do they have to appeal themselves?" + }, + { + "id": "train-1483", + "question": "Scenario: I have a medium sized dairy farm in England and am starting to sell my own milk.\n\nQuestion: can I sell my milk in imperial pints without reference to metric measurements on the packaging?\n\nDocument - Weights and measures: the law:\n## Units of measurement\n\nYou must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.\n\nThere are different rules in Northern Ireland.\n\nThe only products you can sell in imperial measures are:\n\n- draught beer or cider by pint\n\n- milk in returnable containers by pint\n\n- precious metals by troy ounce\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Specified quantities\n\nSome goods must be sold in fixed sizes known as \u2018specified quantities\u2019.\n\n## Alcohol\n\nThere are different rules depending on whether you\u2019re selling by the glass or bottle.\n\n## By the glass\n\n| | Measures |\n\n| Still wine | 125ml, 175ml, multiples of 125ml and 175ml |\n\n| Port, sherry or other fortified wine | 50ml, 70ml, multiples of 50ml or 70ml |\n\n| Gin, rum, vodka and whisky | Either 25ml and multiples of 25ml, or 35ml and multiples of 35ml (not both on the same premises) |\n\n| Draught beer and cider | Third, half, two-thirds of a pint and multiples of half a pint |\n\nThere are no specified quantities for sparkling wine or yellow wine by the glass or spirits other than gin, rum, vodka and whisky.\n\n## Packaged in bottles, boxes or similar\n\n| | Volume by millilitre (ml) |\n\n| Still wine | 100, 187, 250, 375, 500, 750, 1000, 1500 |\n\n| Yellow wine | 620 |\n\n| Sparkling wine | 125, 200, 375, 750, 1500 |\n\n| Fortified wine | 100, 200, 375, 500, 750, 1000, 1500 |\n\n| Spirit drinks | 100, 200, 350, 500, 700, 1000, 1500, 1750, 2000 |\n\nYou can sell packaged alcohol in any volume if it\u2019s below the minimum or above the maximum allowed for specified quantities.\n\n| | Minimum (ml) | Maximum (ml) |\n\n| Still wine | 100 | 1500 |\n\n| Yellow wine | 100 | 1500 |\n\n| Sparkling wine | 125 | 1500 |\n\n| Fortified wine | 100 | 1500 |\n\n| Spirit drinks | 100 | 2000 |\n\nThere are no specified quantities for packaged beer or cider.\n\n## Solid fuel\n\nYou can sell sealed bags of solid fuel in any size you wish but if you\u2019re selling it loose, you can only sell it in quantities of:\n\n- 25kg\n\n- 50kg\n\n- multiples of 50kg\n\n## Packaged goods\n\nPackaged goods are products that are all of these:\n\n- sold sealed\n\n- between 5g and 25kg or 5ml and 25 litres\n\n- the same weight or volume as other products of the same type\n\nThere are 2 ways to pack your products.\n\n## Minimum system\n\nYou can pack your products so that they contain at least the quantity displayed on the label. The packages can contain more than the label says, but not less.\n\n## Average system\n\nYou can pack your products to an average measurement that is on the label. You must check your packages to make sure a random sample is packed to meet all these rules - known as the \u2018three packers\u2019 rules\u2019:\n\n- the contents of the packages must not be less, on average, than the weight on the label\n\n- only a small number can fall below a certain margin of error, known as the \u2018tolerable negative error\u2019 (TNE)\n\n- no package can be underweight by more than twice the TNE\n\n| Quantity in grams and millilitres | TNE as % of quantity | TNE in grams or millilitres |\n\n| 5 to 50 | 9 | n/a |\n\n| 50 to 100 | n/a | 4.5 |\n\n| 100 to 200 | 4.5 | n/a |\n\n| 200 to 300 | n/a | 9 |\n\n| 300 to 500 | 3 | n/a |\n\n| 500 to 1,000 | n/a | 15 |\n\n| 1,000 to 10,000 | 1.5 | n/a |\n\n| 10,000 to 15,000 | n/a | 150 |\n\n| more than 15,000 | 1 | n/a |\n\nIf you\u2019re calculating the TNE as a percentage of the quantity, you must round up the weight or volume to the nearest 0.10 of a gram or millilitre.\n\nContact your local Trading Standards office for help with packing to the average system.\n\nRead the \u2018Weights and Measures (Packaged Goods) 2006\u2019 guidance for business for more information.\n\nYou must make sure packaged goods you\u2019re producing or importing are packed and labelled correctly.\n\nYou can be fined or sent to prison if you break the rules.\n\n## Equipment and records\n\n## Equipment for packaged goods\n\nThe equipment you use to weigh or measure your packaged goods has to be suitable. There are no hard and fast rules about what equipment you should use but you cannot use domestic scales to weigh goods you intend to sell.\n\nYour local Trading Standards office will tell you what is suitable equipment for your business sector.\n\nTrading Standards will check the weights and measures of your goods on your production line to make sure the equipment is accurate.\n\n## Records\n\nYou must keep records if you pack your products using the average system. You must record the results of your sample batches and show that they meet the \u2018three packers\u2019 rules.\n\nYou do not have to keep records if you measure every package or you use the minimum system to pack your products.\n\nYou must keep your records for at least one year from either the date you ship the packages or the \u2018use by\u2019 date on the package - whichever is shorter.\n\nYour local Trading Standards office can advise you about how to keep records.\n\n## Labelling packaged goods\n\nYou must put the weight or volume of your packaged goods on the label.\n\nThe quantity marking must be:\n\n- permanent\n\n- easy to see\n\n- meet a minimum height requirement\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Food\n\nRead the rules about what you must show on packaged food labels.\n\n## Exporting packaged goods\n\nYou must meet the rules for packaged goods in the country you\u2019re exporting to.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "answerable": true, + "scenario": "I have a medium sized dairy farm in England and am starting to sell my own milk.", + "original_question": "can I sell my milk in imperial pints without reference to metric measurements on the packaging?" + }, + { + "id": "train-1487", + "question": "Scenario: I own a small business that services bicycles. I own an office building, and employ seven employees that work directly in this office. I want to carry out a fire risk assessment but I have no expertise.\n\nQuestion: Can I appoint someone to help with the fire risk assessment?\n\nDocument - Fire safety in the workplace:\n## Who's responsible\n\nYou\u2019re responsible for fire safety in business or other non-domestic premises if you\u2019re:\n\n- an employer\n\n- the owner\n\n- the landlord\n\n- an occupier\n\n- anyone else with control of the premises, for example a facilities manager, building manager, managing agent or risk assessor\n\nYou\u2019re known as the \u2018responsible person\u2019. If there\u2019s more than one responsible person, you have to work together to meet your responsibilities.\n\nThe Fire Safety Order also applies if you have paying guests, for example if you run a bed and breakfast, guesthouse or let a self-catering property.\n\nFire safety rules are different in Scotland and Northern Ireland.\n\n## Responsibilities\n\nAs the responsible person you must:\n\n- carry out a fire risk assessment of the premises and review it regularly\n\n- tell staff or their representatives about the risks you\u2019ve identified\n\n- put in place, and maintain, appropriate fire safety measures\n\n- plan for an emergency\n\n- provide staff information, fire safety instruction and training\n\nYou can read about how to make sure your premises are safe from fire.\n\n## Non-domestic premises\n\nNon-domestic premises are:\n\n- all workplaces and commercial premises\n\n- all premises the public have access to\n\n- the common areas of multi-occupied residential buildings\n\n## Shared premises\n\nIn shared premises it\u2019s likely there\u2019ll be more than one responsible person. You\u2019ll need to co-ordinate your fire safety plans to make sure people on or around the premises are safe.\n\nFor common or shared areas, the responsible person is the landlord, freeholder or managing agent.\n\n## Alterations, extensions and new buildings\n\nWhen building new premises or doing building work on existing premises, you must comply with building regulations. This includes designing fire safety into the proposed building or extension.\n\nRead the fire safety building regulations.\n\n## Penalties and enforcement\n\nYou could be fined or go to prison if you do not follow fire safety regulations.\n\nLocal fire and rescue authorities inspect premises and can issue fire safety notices telling you about changes you need to make.\n\n## Fire risk assessments\n\nAs the responsible person you must carry out and regularly review a fire risk assessment of the premises. This will identify what you need to do to prevent fire and keep people safe.\n\nYou must keep a written record of your fire risk assessment if your business has 5 or more people.\n\n## Carrying out the assessment\n\n- Identify the fire hazards.\n\n- Identify people at risk.\n\n- Evaluate, remove or reduce the risks.\n\n- Record your findings, prepare an emergency plan and provide training.\n\n- Review and update the fire risk assessment regularly.\n\nThe fire safety risk assessment chart gives more detailed information about these steps.\n\nYou\u2019ll need to consider:\n\n- emergency routes and exits\n\n- fire detection and warning systems\n\n- fire fighting equipment\n\n- the removal or safe storage of dangerous substances\n\n- an emergency fire evacuation plan\n\n- the needs of vulnerable people, for example the elderly, young children or those with disabilities\n\n- providing information to employees and other people on the premises\n\n- staff fire safety training\n\n## Help with the assessment\n\nYou can do the fire risk assessment yourself with the help of standard fire safety risk assessment guides.\n\nIf you do not have the expertise or time to do the fire risk assessment yourself you need to appoint a \u2018competent person\u2019 to help, for example a professional risk assessor.\n\nYour local fire and rescue authority might be able to give you advice if you\u2019re not sure your risk assessment\u2019s been carried out properly. However, they cannot carry out risk assessments for you.\n\n## Assessment guides\n\nYou can download the following guides on risk assessments in:\n\n- offices and shops\n\n- factories and warehouses\n\n- sleeping accommodation\n\n- residential care premises\n\n- educational premises\n\n- small and medium places of assembly (holding 300 people or less)\n\n- large places of assembly (holding more than 300 people)\n\n- theatres, cinemas and similar premises\n\n- open air events and venues\n\n- healthcare premises\n\n- animal premises and stables\n\n- transport premises and facilities\n\nYou can also find guidance on:\n\n- risk assessments if you work in construction\n\n- purpose-built blocks of flats and other types of housing if you\u2019re a landlord\n\n## Fire safety and evacuation plans\n\nYour plan must show how you have:\n\n- a clear passageway to all escape routes\n\n- clearly marked escape routes that are as short and direct as possible\n\n- enough exits and routes for all people to escape\n\n- emergency doors that open easily\n\n- emergency lighting where needed\n\n- training for all employees to know and use the escape routes\n\n- a safe meeting point for staff\n\n## People with mobility needs\n\nYou should also make special arrangements for people with mobility needs, for example make sure there are people to help wheelchair users get downstairs if there\u2019s a fire.\n\n## Fire safety equipment, drills and training\n\n## Fire detection and warning systems\n\nYou must have a fire detection and warning system. You may need different types of detectors, depending on the type of building and the work carried out in it.\n\n## Fire fighting equipment\n\nThe types of equipment you need depend on your business premises. You\u2019ll need to have any equipment properly installed, tested and maintained and train your staff to use them if necessary.\n\n## Maintenance and testing\n\nYou must carry out regular checks to make sure that:\n\n- all fire alarm systems are working\n\n- the emergency lighting is working\n\n- you record any faults in systems and equipment\n\n- all escape routes are clear and the floor is in good condition\n\n- all fire escapes can be opened easily\n\n- automatic fire doors close correctly\n\n- fire exit signs are in the right place\n\n## Fire drills and training\n\nYou need to train new staff when they start work and tell all employees about any new fire risks.\n\nYou should carry out at least one fire drill per year and record the results. You must keep the results as part of your fire safety and evacuation plan.\n\n## Enforcement, appeals and penalties\n\nYour local fire and rescue authority visits premises to check the fire risk assessment and fire prevention measures are appropriate. Fire safety officers should help you understand the rules and comply with them.\n\nThey can also take action if they think your fire safety measures are not adequate. For example, they might issue an informal notice suggesting safety measures.\n\nThey could also give you a formal fire safety notice. They\u2019ll tell you how to fix the problems described in the notice.\n\n## Alterations notice\n\nYou could get an alterations notice if your premises have high safety risks or will have high safety risks if the use of the premises changes.\n\n## Enforcement notice\n\nYou could get an enforcement notice if the fire and rescue authority finds a serious risk that\u2019s not being managed. It will say what improvements are needed by when.\n\n## Prohibition notice\n\nThese take effect immediately if the fire and rescue authority thinks the fire risk is so great that access to your premises needs to be prohibited or restricted.\n\n## Appeals\n\nYou may be able to arrange an informal review from your fire and rescue authority if you disagree with the decision to issue a fire safety notice.\n\nYou can appeal to your local magistrates\u2019 court within 21 days of receiving a notice.\n\nIn certain circumstances, you and the fire and rescue authority can ask for a \u2018determination\u2019 from the Home Secretary to resolve a dispute.\n\n## Penalties\n\nYou could be fined or go to prison if you do not follow fire safety regulations.\n\nMinor penalties can be up to \u00a35,000. Major penalties can have unlimited fines and up to 2 years in prison.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "answerable": true, + "scenario": "I own a small business that services bicycles. I own an office building, and employ seven employees that work directly in this office. I want to carry out a fire risk assessment but I have no expertise.", + "original_question": "Can I appoint someone to help with the fire risk assessment?" + }, + { + "id": "train-1490", + "question": "Scenario: My printery business still has a fax machine as certain business customers still communicate this way. We keep recieving unsolicited marketing fax messages.\n\nQuestion: Is it legal to send unsolicited fax messages to companies?\n\nDocument - Marketing and advertising: the law:\n## Overview\n\nAll marketing and advertising must be:\n\n- an accurate description of the product or service\n\n- legal\n\n- decent\n\n- truthful\n\n- honest\n\n- socially responsible (not encouraging illegal, unsafe or anti-social behaviour)\n\nThere are regulations that restrict what advertisers can and cannot do.\n\nAs well as the regulations, there are 2 advertising codes of practice that you need to follow to help you advertise legally.\n\nYou must describe your product or service accurately.\n\n## Requirements for specific products\n\nThere are also specific requirements that apply to certain sectors, such as:\n\n- food\n\n- alcohol\n\n- beauty products\n\n- environmentally friendly products\n\n- medicines\n\n- tobacco\n\nFor example, you can only claim your drink is \u2018low in alcohol\u2019 if it contains between 0.5% and 1.2% alcohol by volume.\n\n## Data protection\n\nIf you\u2019re gathering, storing or using information about customers or potential customers, you must also protect their data.\n\n## Regulations that affect advertising\n\n## Advertising to consumers\n\nThe Consumer Protection from Unfair Trading Regulations mean you cannot mislead or harass consumers by, for example:\n\n- including false or deceptive messages\n\n- leaving out important information\n\n- using aggressive sales techniques\n\nRead \u2018The consumer protection from unfair trading regulations\u2019 for the rules on advertising legally.\n\n## Advertising to businesses\n\nAdvertising to businesses is covered by the Business Protection from Misleading Marketing Regulations. As well as being accurate and honest, you must not make misleading comparisons with competitors, that includes:\n\n- using a competitor\u2019s logo or trademark, or something very similar\n\n- comparing your product with a competitor\u2019s product that\u2019s not the same\n\nDownload \u2018The Business Protection from Misleading Marketing Regulations 2008\u2019 for more detail about the regulations that cover advertising to businesses.\n\n## Penalties\n\nIf you break the regulations, you could be reported to a local Trading Standards office. You could be fined, prosecuted or imprisoned.\n\n## Advertising codes of practice\n\nThere are 2 advertising codes of practice that describe how businesses should advertise.\n\nThey cover all kinds of promotional communications, depending where the advert or promotion will appear.\n\n## Non-broadcast media\n\nThe CAP non-broadcast code has rules that cover non-broadcast advertising (for example print, online), sales promotion and direct marketing (such as telesales and email).\n\nThe code specifies standards for accuracy and honesty that businesses must stick to, including specific conditions, such as:\n\n- advertising to children\n\n- causing offence\n\n- political advertising\n\n## Broadcast media (for example TV, radio)\n\nYou must follow the CAP broadcast code, which covers issues including taste, decency and product placement.\n\nAs well as setting standards about accuracy and honesty businesses must stick to, they also have rules about things like scheduling.\n\n## General broadcasting rules\n\nYou also need to follow rules about taste, decency, product placement etc that apply to all broadcasting.\n\nThese are called \u2018broadcast codes\u2019. Find out more about them on the Ofcom website.\n\n## Enforcing the rules\n\nThe rules are enforced by the Advertising Standards Authority (ASA).\n\nAnyone who thinks advertising rules have been broken can complain to the ASA within 3 months of the advert appearing.\n\nIf an advert breaks the rules, it may be withdrawn. If the product does not match the description or the advert breaks the law, you could be prosecuted.\n\n## Describing your product\n\nYou must describe your product accurately. This means if you make a claim about your product, you must be able to prove what you say.\n\n## Prices\n\nYour adverts must describe the actual cost accurately, including any ongoing or associated costs (like subscription fees) and taxes (such as VAT).\n\n## Direct marketing\n\nYou must check if customers want to be contacted by fax, phone, post or email, and give them the chance to object. You must be able to prove you\u2019ve done this.\n\nWhen you collect customer details, you must get their permission if you want to send them other offers or promotions.\n\nYou must also ask for their permission if you want to share their information with another organisation.\n\n## Letting customers opt out\n\nCustomers have the right to stop their information being used for direct marketing.\n\nYou must make it easy to opt out - for example by sending a \u2018STOP\u2019 text to a short number, or using an \u2018unsubscribe\u2019 link.\n\n## Telesales and fax marketing\n\nYou must say who you are when you make a telesales call, and give your address or phone number if you\u2019re asked for it. The number for customers to call must be a freephone number.\n\nYou\u2019re not allowed to send marketing faxes to individuals unless you\u2019ve received their prior permission, but you can send unsolicited faxes to companies.\n\nYou must be able to prove that you\u2019ve checked you\u2019re not contacting anyone who does not want to be contacted.\n\nCheck who\u2019s asked not to receive calls or faxes using the:\n\n- Telephone Preference Service\n\n- Fax Preference Service\n\nIt\u2019s illegal to phone or fax someone registered with these services if you do not have their permission. You can be fined up to \u00a3500,000 for each unsolicited phonecall.\n\n## Automated calls\n\nIf you want to make automated calls - with pre-recorded phone messages - you must get the permission of the individual or business first.\n\n## Direct mail\n\nCheck that your mailing lists do not include anyone who\u2019s asked not to receive direct mailing, using the Mail Preference Service.\n\n## Email marketing and text messages\n\nYou\u2019re only allowed to send marketing emails to individual customers if they\u2019ve given you permission.\n\nEmails or text messages must clearly indicate:\n\n- who you are\n\n- that you\u2019re selling something\n\n- what the promotions are, and any conditions\n\nCheck that you are not sending emails to anyone who\u2019s asked not to receive them, using the Email Preference Service.\n\nIf you buy or rent a mailing list, ask the supplier if you have the right to use it for email marketing.\n\nEvery marketing email you send must give the person the ability to opt out of (or \u2018unsubscribe from\u2019) further emails.\n\nYou must tell customers if you add them to a list of people who do not want to be emailed.\n\n## Cookies\n\nYou must tell visitors to your website how your site uses cookies, and ask if they want to accept them.\n\nThe information should be easy to understand.\n\nFind out more about cookies on the Information Commissioner\u2019s Office website and AboutCookies.org.\n\nCustomers can complain if you misuse their information, and you could be ordered to pay a fine or compensation.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/marketing-advertising-law", + "answerable": true, + "scenario": "My printery business still has a fax machine as certain business customers still communicate this way. We keep recieving unsolicited marketing fax messages.", + "original_question": "Is it legal to send unsolicited fax messages to companies?" + }, + { + "id": "train-1494", + "question": "Scenario: I am a take away owner and a rival take away has taken to consistently undercutting my prices and duplicating any special deals which we offer. This is affecting our turnover.\n\nQuestion: Can I report this behaviour and have it stopped?\n\nDocument - Avoid and report anti-competitive activity:\n## Overview\n\nAll businesses, whatever their size, must understand how they\u2019re affected by competition law.\n\nYou must follow the rules on all types of anti-competitive activity including:\n\n- price fixing, bid rigging and other ways of agreeing not to compete (sometimes called \u2018cartels\u2019)\n\n- abuse of a dominant market position\n\nYou should manage the risk of breaking the law, for example by having clear policies, guidelines and training for your staff.\n\nYou can report anti-competitive activity if you think another business is breaking the law, or if you might have been involved yourself.\n\n## If you\u2019re involved in anti-competitive activity\n\nYour business can be fined up to 10% of its worldwide turnover and sued for damages.\n\nYou can be fined or sent to prison for up to 5 years if you\u2019re found guilty of being involved in cartel activity.\n\nCompany directors can be disqualified from being a director for up to 15 years.\n\nGet legal advice or contact the Competition Pro Bono Scheme if you think something your business is doing might break the law.\n\n## Types of anti-competitive activity\n\nYou must avoid all types of anti-competitive activity in your business including:\n\n- agreeing not to compete with another business\n\n- abusing a dominant position\n\nYou can report anti-competitive activity if you see it.\n\n## Agreeing not to compete with another business (\u2018cartels\u2019)\n\nIf 2 or more businesses agree not to compete with each other in certain ways, it\u2019s called a \u2018cartel\u2019.\n\nThe rules on cartels apply to businesses of any size.\n\nRules about cartels cover:\n\n- price fixing\n\n- bid rigging\n\n- sharing markets or customers\n\n- sharing commercially sensitive information\n\nAn agreement does not have to be in writing for it to be illegal. You can break the law if you have an informal conversation (or \u2018gentleman\u2019s agreement\u2019) with another business, even if the agreement is not carried out.\n\nYou can work with other businesses without breaking competition law. Get legal advice or contact the Competition Pro Bono Scheme if you need to, and make sure you manage any risks.\n\n## Price fixing\n\nYou must not discuss the prices you\u2019re going to charge your customers with your competitors.\n\nYou\u2019ll be breaking the law if you agree with another business:\n\n- to charge the same prices to your customers\n\n- to offer discounts or increase your prices at the same time\n\n- to charge the same fees to intermediaries, for example retailers selling your products\n\n## Bid rigging\n\nYou cannot discuss bids for a contract tender with your competitors. Bid rigging includes:\n\n- agreeing with your competitors how much you\u2019ll bid for a contract or share information about your bid\n\n- taking turns to win contracts\n\n- asking other businesses to bid when they do not want the contract (called \u2018cover bids\u2019)\n\n- paying other businesses not to bid or when you win a tender\n\n- agreeing with other businesses not to bid or to withdrawing your bid\n\n## Market sharing\n\nYou cannot agree with other businesses to share markets or customers. You\u2019ll be breaking competition law if you agree with another business:\n\n- not to approach each other\u2019s customers\n\n- not to compete with them for customers, for example in specific locations\n\n## Sharing information\n\nYou cannot share information with other businesses that might reduce competition between you, for example information about:\n\n- prices\n\n- production\n\n- your suppliers, customers or contractors\n\n- the markets you sell or plan to sell to\n\nThis includes sharing information through a third party, for example a trade association.\n\n## Abusing a dominant position\n\nYour business might have a \u2018dominant position\u2019 in the market if:\n\n- it has more than a 40% market share\n\n- it\u2019s not affected by normal competitive restraints\n\nYou might be abusing your dominant position if you\u2019re unfair to your customers or other businesses, for example you:\n\n- treat customers differently, for example by offering different prices or terms to similar customers\n\n- make customers buy products they do not want, for example forcing them to take warranties for electrical products\n\n- charge low prices that do not cover your costs so you drive out competitors\n\nIf you think you have a dominant market position, get legal advice or contact the Competition Pro Bono Scheme to find out what you can and cannot do.\n\n## Other anti-competitive activities\n\nYou must avoid other activities that break competition law, eg:\n\n- buying or selling jointly with your competitors\n\n- agreeing with your competitors to reduce production of something to raise its market value\n\n- restricting how much other businesses can sell your product for\n\n- agreeing with your competitors not to sell to certain customers or deal with certain suppliers\n\n- having long-term exclusive contracts with any customers or suppliers\n\n## Manage risk\n\nThe people who run your business are responsible for ensuring it does not break competition law. You should:\n\n- work out where your business is at risk and how serious any risks are\n\n- set up policies, guidelines and training for your staff if you need to\n\nYour business can still be given a penalty and sued for damages even if your senior managers did not know about the illegal activity.\n\n## Work out if your business is at risk\n\nYou\u2019re more likely to be at risk if:\n\n- you or your employees have contact with your competitors, for example at conferences or trade association meetings\n\n- your employees regularly move to or from jobs with your competitors\n\n- you have partnerships with your competitors, for example joint buying or selling\n\n- you have any long-term exclusive contracts with any customers or suppliers\n\n- your business has a dominant position in any market where you do business\n\n## Set up policies, guidelines and training\n\nYou should ask a senior member of staff, for example a director, to make sure your employees know how to avoid and report anti-competitive behaviour.\n\nThere\u2019s further guidance from the Competition and Markets Authority (CMA) on reducing the risk of your business breaking the law.\n\n## Report anti-competitive activity\n\nThe way you report anti-competitive activity depends on the type of activity.\n\n## Report a cartel\n\nA cartel is where two or more businesses agree not to compete with each other, for example by sharing a market or fixing prices.\n\nContact the Competition and Markets Authority (CMA) cartels hotline if you:\n\n- know about a cartel\n\n- have been involved in one\n\nYou may:\n\n- get a financial reward for information that leads to an investigation\n\n- be treated with leniency if you report a cartel you\u2019ve been involved with\n\n## Report other anti-competitive activity\n\nTell the CMA if you have concerns about anti-competitive activity. Email general.enquiries@cma.gov.uk with the following information:\n\n- your contact details\n\n- the business you have concerns about and a description of the issue along with any supporting evidence\n\n- the market area according to the UK Standard Classification Index\n\n- details of any other organisations you have contacted\n\nIf you want help with a consumer problem, contact Citizens Advice (or the Financial Conduct Authority for consumer credit-related issues).\n\n## Report your concerns to an industry regulator\n\nYou can also report concerns about anti-competitive activity in certain sectors to a regulator. These are:\n\n- Civil Aviation Authority for airports and air traffic services\n\n- Financial Conduct Authority for financial services in the UK\n\n- Monitor for health services in England\n\n- Ofcom for television, radio, telephone, postal and internet services\n\n- Ofgem for gas and electricity in England, Wales and Scotland\n\n- Ofwat for water and sewage services in England and Wales\n\n- Office of Road and Rail for railways in England, Wales and Scotland\n\n- Payment Systems Regulator for payment systems in the UK\n\n- Utility Regulator for gas, electricity, water and sewerage in Northern Ireland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/cartels-price-fixing", + "answerable": true, + "scenario": "I am a take away owner and a rival take away has taken to consistently undercutting my prices and duplicating any special deals which we offer. This is affecting our turnover.", + "original_question": "Can I report this behaviour and have it stopped?" + }, + { + "id": "train-1496", + "question": "Scenario: My hardware store generated quite a decent amount of profit in the past year. That being said we sent out larger holiday bonuses to our employees and expanded the stores stock to feature more high-end models of specific products. I am interested in applying for a PSA but am a bit confused on exactly what it would cover.\n\nQuestion: Will the PSA be able to cover the company bonuses that were payed out?\n\nDocument - PAYE Settlement Agreements:\n## Overview\n\nA PAYE Settlement Agreement (PSA) allows you to make one annual payment to cover all the tax and National Insurance due on minor, irregular or impracticable expenses or benefits for your employees.\n\nIf you get a PSA for these items you will not need to:\n\n- put them through your payroll to work out tax and National Insurance\n\n- include them in your end-of-year P11D forms\n\n- pay Class 1A National Insurance on them at the end of the tax year (you pay Class 1B National Insurance as part of your PSA instead)\n\nSome employee expenses are covered by exemptions (which have replaced dispensations). This means you will not have to include them in your end-of-year reports.\n\n## What's included\n\nThe expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.\n\n## Minor\n\nExamples of minor benefits and expenses include:\n\n- incentive awards, for example for long-service\n\n- telephone bills\n\n- small gifts and vouchers\n\n- staff entertainment, for example a ticket to an event\n\n- non-business expenses while travelling overnight on business that are over the daily limit\n\nYou do not need to include trivial benefits in your PSA.\n\n## Irregular\n\nIrregular benefits and expenses are things that are not paid at regular intervals over the course of a tax year, for example weekly or monthly. They\u2019re also things that employees do not have a contractual right to. Examples of irregular expenses and benefits include:\n\n- relocation expenses over \u00a38,000 (these are tax-free below \u00a38,000)\n\n- the cost of attending overseas conferences\n\n- expenses of a spouse accompanying an employee abroad\n\n- use of a company holiday flat\n\n## Impracticable\n\nImpracticable expenses and benefits are things that are difficult to place a value on or divide up between individual employees. Examples of impracticable expenses and benefits include:\n\n- staff entertainment that is not exempt from tax or National Insurance Contributions\n\n- shared cars\n\n- personal care expenses, for example hairdressing\n\n## What\u2019s not included\n\nYou cannot include wages, high-value benefits like company cars, or cash payments such as:\n\n- bonuses\n\n- round sum allowances\n\n- beneficial loans in a PSA\n\nIf you apply after the start of the tax year, there are extra restrictions on what you can include.\n\n## How to get a PSA\n\n- Write to HM Revenue and Customs (HMRC) Business Tax and Customs describing the expenses and benefits you want the PAYE Settlement Agreement (PSA) to cover.\n\n- Once they\u2019ve agreed on what can be included, they\u2019ll send you 2 draft copies of form P626. Sign and return both copies. HMRC will authorise your request and send back a form - this is your PSA.\n\n- You\u2019ll need to report anything that cannot be included separately using form P11D. You do not need to send a P11D if you\u2019re paying employees\u2019 expenses and benefits through your payroll.\n\n- Use form PSA1 to help you calculate the overall amount you\u2019ll need to pay. If you do not, HMRC will calculate the amount. You\u2019ll be charged more if this happens.\n\n- Send the completed form to HMRC as soon as possible after the end of the tax year. They\u2019ll get in touch with you before 19 October following the tax year that the PSA covers to confirm the total tax and National Insurance you need to pay.\n\nYou\u2019ll need to give an agent a signed letter of authority to make a PSA on your behalf if they do not have authorisation to do so.\n\nContact the HMRC employer helpline for advice on getting and calculating your PSA.\n\n## What happens next\n\nThe agreement will continue until either you or HMRC cancels it or you need to change it. You do not need to renew the PSA each tax year.\n\n## Deadlines and payment\n\nThe deadline for applying for a PAYE Settlement Agreement (PSA) is 5 July following the first tax year it applies to.\n\n## When to pay\n\nYou must pay any tax and National Insurance owed under a PSA by 22 October after the tax year the PSA applies to (19 October if you pay by post).\n\nYou may be fined or charged interest if you do not pay or your payment is late.\n\n## What to pay when the PSA is first approved\n\nIf HM Revenue and Customs (HMRC) approves your PSA before the start of a tax year, you can include any expenses and benefits contained in the agreement.\n\nIf they approve it after the start of the tax year, you might need to report some items separately.\n\n## If your PSA is approved before 6 April\n\nYou must use form P11D to report expenses and benefits provided before the agreement date that you:\n\n- have already included in your employee\u2019s tax code\n\n- included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions\n\n## If your PSA is approved between 6 April and 5 July\n\nYou must use form P11D to report expenses and benefits provided during the tax year that you:\n\n- have already included in your employee\u2019s tax code\n\n- included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions\n\n## Change or cancel a PSA\n\nTo change the items covered by your PAYE Settlement Agreement (PSA), send details of the changes to the office that issued it. HM Revenue and Customs (HMRC) will send you a revised P626 that you need to sign and return.\n\n## Cancel a PSA\n\nTo cancel your PSA, fill in the return slip section of the P626 and send it to HMRC.\n\nHMRC will cancel your PSA on the date you put on the return slip.\n\nYou need to report any outstanding tax and National Insurance Contributions (NICs) due on benefits and expenses using forms P11D and PSA1.\n\nYou need to pay any outstanding tax and NICs by 22 October after the tax year the PSA applies to (19 October if you pay by post).\n\nYou need to pay any NICs owed on expenses or benefits listed on the P11D form by 22 July after the tax year it applies to (19 July if you pay by post).\n\nIf you continue providing benefits after you\u2019ve cancelled your PSA, you need to either:\n\n- report them on a P11D form\n\n- put them through payroll\n\nYou can pay any tax or NICs due via PAYE.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/paye-settlement-agreements", + "answerable": true, + "scenario": "My hardware store generated quite a decent amount of profit in the past year. That being said we sent out larger holiday bonuses to our employees and expanded the stores stock to feature more high-end models of specific products. I am interested in applying for a PSA but am a bit confused on exactly what it would cover.", + "original_question": "Will the PSA be able to cover the company bonuses that were payed out?" + }, + { + "id": "train-1498", + "question": "Scenario: I hold 1000 shares of a construction company. As part of settling a loan from a bank I decided to transfer some of my shares to the bank and the bank agreed as well\n\nQuestion: Are there any stamp duty I have to pay when I transfer my shares to the bank ?\n\nDocument - Tax when you buy shares:\n## Overview\n\nWhen you buy shares, you usually pay a tax or duty of 0.5% on the transaction.\n\nIf you buy:\n\n- shares electronically, you\u2019ll pay Stamp Duty Reserve Tax (SDRT)\n\n- shares using a stock transfer form, you\u2019ll pay Stamp Duty if the transaction is over \u00a31,000\n\nYou\u2019ll have to pay tax at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.\n\nYou pay tax on the price you pay for the shares, even if their actual market value is much higher.\n\n## Transactions you pay tax on\n\nYou pay tax when you buy:\n\n- existing shares in a company incorporated in the UK\n\n- an option to buy shares\n\n- an interest in shares, for example an interest in the money from selling them\n\n- shares in a foreign company that has a share register in the UK\n\n- rights arising from shares, for example rights you have when new shares are issued\n\n## When you do not pay tax\n\nYou do not have to pay tax if you:\n\n- are given shares for nothing\n\n- subscribe to a new issue of shares in a company\n\n- buy shares in an \u2018open ended investment company\u2019 (OEIC) from the fund manager\n\n- buy units in a unit trust from the fund manager\n\nYou do not normally have to pay Stamp Duty or SDRT if you buy foreign shares outside the UK. But you may have to pay other taxes.\n\n## When you sell the shares\n\nYou may need to pay Capital Gains Tax when you sell your shares.\n\n## Help and advice\n\nContact Stamp Duty share enquiries for general information about Stamp Duty on shares.\n\nContact Stamp Duty Reserve Tax enquiries if you have questions about Stamp Duty on electronic paperless share transactions.\n\nYou can also get professional help (for example, from a tax adviser) with your tax.\n\n## Buying shares electronically\n\nYou\u2019ll pay Stamp Duty Reserve Tax (SDRT) if you buy shares electronically through the \u2018CREST\u2019 system (a computerised register of shares and shareowners).\n\nThe tax is taken automatically when you buy the shares, so you do not need to do anything else about your tax.\n\nSDRT is charged at 0.5% when you buy shares electronically.\n\nIf you do not pay cash for your shares but give something else of value to buy them, you pay SDRT based on the value of what you gave.\n\nIf you\u2019re given shares for nothing, you do not have to pay any tax.\n\n## Buying shares \u2018off-market\u2019\n\nYou must also pay SDRT on \u2018off-market\u2019 transactions. This is when shares are transferred outside CREST.\n\n## How to pay\n\nTax is not deducted automatically when you buy shares off-market.\n\nYou\u2019ll need to send HM Revenue and Customs (HMRC) a written notice with details of the transaction.\n\nIf you do not pay on time, you\u2019ll be charged interest from the due date until the date you pay. You may also get a penalty.\n\n## Buying shares using a stock transfer form\n\nYou must pay Stamp Duty on your shares if:\n\n- you buy shares through a stock transfer form\n\n- the transaction is over \u00a31,000\n\nYou pay 0.5% duty, which will be rounded up to the nearest \u00a35.\n\nFor shares under \u00a31,000, you will not need to pay anything.\n\n## Get a stock transfer form\n\nYou can get a stock transfer form from:\n\n- a broker\n\n- a lawyer or an accountant who deals in shares\n\nYou can also download a stock transfer form from the internet.\n\nFind out what you need to include in a stock transfer form.\n\n## Send the transfer form to HMRC and pay Stamp Duty\n\nYou must send a copy of your stock transfer form to the Stamp Office within 30 days of it being signed and dated.\n\nEmail an electronic version or a scan of your paper form to stampdutymailbox@hmrc.gov.uk.\n\nIf you cannot email your stock transfer form, send a photocopy by post. You must keep the original signed document for your records.\n\nThere is a different address to send a stock transfer form by courier.\n\nYou must also pay the Stamp Duty within 30 days of the stock transfer form being signed and dated.\n\nYou may get a penalty if you do not pay on time.\n\n## Special share arrangements\n\nYou pay Stamp Duty Reserve Tax (SDRT) or Stamp Duty at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.\n\nThis is when the shares are transferred to a service operated by a third party (for example, a bank). The shares can then be traded free of Stamp Duty or SDRT.\n\nNot all of these schemes work like this. Sometimes the higher rate is not charged and you pay Stamp Duty or SDRT in the normal way. Check the details of your scheme with your stockbroker.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-buy-shares", + "answerable": true, + "scenario": "I hold 1000 shares of a construction company. As part of settling a loan from a bank I decided to transfer some of my shares to the bank and the bank agreed as well", + "original_question": "Are there any stamp duty I have to pay when I transfer my shares to the bank ?" + }, + { + "id": "train-1500", + "question": "Scenario: I work as a burlesque dancer on a freelance basis, ie my agent finds me work in various different venues. My income varies tremendously according to the availabity of work.\n\nQuestion: Is it possible that my agent is taking a bigger fee than they should be?\n\nDocument - Charge fees as an entertainment and modelling agency:\n## Overview\n\nYou can charge fees as an entertainment and modelling agency for finding someone work.\n\nThe fees you charge depend on if the person is:\n\n- a performer or worker\n\n- a model\n\nWorkers, performers and models need to agree to your terms and conditions before you can charge fees.\n\n## Terms and conditions\n\nTerms and conditions of your service and your fees must be agreed in writing (for example, in a contract) with the worker, performer or model.\n\nThese must include details of:\n\n- the work-finding services that you\u2019ll provide them\n\n- any authority you have to act on behalf of them\n\n- any authorisations to receive any money on behalf of them\n\n- any fees or commissions you\u2019ll charge for finding work\n\n- how your fee or commission will be paid\n\n- how any commissions or fees will be refunded\n\n- the length of time the worker, performer or model needs to give to end the contract\n\n- the length of time you need to give to end a worker, performer or models\u2019s contract\n\n## Fees for performers and workers\n\nYou can\u2019t charge fees or deduct money from an entertainment worker or performer\u2019s earnings until they agree to your terms and conditions.\n\n## Promotional fees for performers and entertainment workers (not models)\n\nYou can only charge upfront fees for listing the worker or performer\u2019s details in promotional publications or on websites to help them find work.\n\nPromotional publication includes listing information in publications or on websites and photographs or audio or video recordings.\n\nYou must give the worker or performer a chance to see any copies.\n\nOther fees or commission for finding work normally come out of the worker or performer\u2019s earnings from the employment that you found.\n\n## Fees for promoting performers\n\nYou can only charge fees 30 days after the start of the contract (if there is a fee for promoting a performer).\n\nIn that 30-day period the performer can cancel or withdraw from the contract without penalty and won\u2019t have to make any payment.\n\nYou need to show the performer any promotional photographs, audio or video before its published. They then have 7 days to object to anything being used.\n\nYou can\u2019t charge the performer until the 7 days is over or you\u2019ve dealt with any reasonable requirement from the performer, whichever is later.\n\nYou can charge fees for the following performers:\n\n- actors\n\n- background artists\n\n- dancers\n\n- extras\n\n- musicians\n\n- singers\n\n- other performers\n\n## Fees for entertainment workers (except models)\n\nIf there is a fee for promoting a worker, you can only charge this 7 days after the start of the contract.\n\nIn that 7-day period:\n\n- the worker can cancel or withdraw from the contract without penalty\n\n- the worker doesn\u2019t have to make any payment under the contract\n\n- the worker can say what information shouldn\u2019t be included in the publication\n\nThis covers the following types of workers:\n\n- composer\n\n- writer\n\n- artist\n\n- director or producer\n\n- production manager\n\n- lighting cameraman, camera operator\n\n- make up artist, clothes, hair or make up stylist\n\n- film editor\n\n- action arranger or co-ordinator, stunt arranger\n\n- costume or production designer\n\n- recording engineer\n\n- property master\n\n- film continuity person\n\n- sound mixer\n\n- photographer\n\n- stage manager\n\n- choreographer or theatre designer\n\n## Refunds for promotional services\n\nWork-seekers have the right to a refund if the promotional information isn\u2019t made available to potential hirers within 60 days of a fee being paid.\n\n## Fees for fashion and photographic models\n\nYou can\u2019t charge fees or deduct money from a model\u2019s earnings until they agree to your terms and conditions.\n\nYou can\u2019t charge any upfront fees for finding work for photographic and fashion models. This includes putting information about the models in a publication or website.\n\nHowever, after you\u2019ve found work for a model you can charge fees for:\n\n- including information about them in a publication or website\n\n- providing a service to find the model work (these fees must have been agreed with the model before you started looking for work for them)\n\n## Fees for other services\n\nYou can charge fees for other services such as producing a photo or show reel. You have to put the terms and conditions for these in a separate document. You need to give this to the performer, model or entertainment worker before providing these services.\n\nYou can\u2019t make using other services you provide a condition of you finding work for someone.\n\nYou can\u2019t charge fees until 30 days after the start of the contract for these services.\u00a0The performer, model or entertainment worker can cancel within these 30 days and won\u2019t have to pay you anything.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/entertainment-and-modelling-agencies", + "answerable": true, + "scenario": "I work as a burlesque dancer on a freelance basis, ie my agent finds me work in various different venues. My income varies tremendously according to the availabity of work.", + "original_question": "Is it possible that my agent is taking a bigger fee than they should be?" + }, + { + "id": "train-1501", + "question": "Scenario: I own a house with a private garden . My garden fence is only 3 feet from a public road so for more privacy I decided to erect a 8 feet fence but the allowed height is only 6 feet\n\nQuestion: I applied for a permission to have a 8 feet fence. My application was made 10 weeks before but no decision made. Can I appeal ?\n\nDocument - Appeal a decision about a lawful development certificate:\n## When you can appeal\n\nYour local planning authority makes decisions about lawful development certificates.\n\nYou can appeal against a lawful development certificate decision if either:\n\n- you disagree with it\n\n- the decision was not made within 8 weeks (6 weeks for work to a listed building)\n\nDo not appeal if you\u2019ve already been given an enforcement notice. You may have to pay additional costs if you do.\n\nOnly the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nThere\u2019s normally no deadline. If you\u2019re appealing an application about a listed building lawful development certificate, you must appeal within 6 months of the decision.\n\nYou can apply for planning permission at the same time as appealing a lawful development certificate decision.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the local planning authority\u2019s decision notice - if they did not make a decision, send a copy of the letter acknowledging your application\n\n- all plans, drawings and documents you sent to the local planning authority\n\n- any letters or emails between you and the local planning authority\n\nYou\u2019ll also need to submit:\n\n- a map of the site\n\n- any other documents that directly support your appeal, for example your grounds of appeal\n\nIf you think your land or building is now lawful because the time limit for enforcement has passed, you also need to submit evidence like:\n\n- dated photographs of the site\n\n- letters from neighbours\n\n- receipts or invoices for work\n\n- plans and drawings\n\nYou can upload these documents or pictures of these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on a lawful development certificate appeal. Find the case on the appeals casework portal. The deadline for comments is 6 weeks after the start date of the appeal.\n\nYour local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. The local planning authority has to do this within 2 weeks of the appeal being validated by the Planning Inspectorate.\n\nIf there\u2019s going to be an inquiry, interested parties can apply to have \u2018rule 6 status\u2019, which means they\u2019ll play a much bigger part. For example, they can call witnesses and give evidence.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "answerable": true, + "scenario": "I own a house with a private garden . My garden fence is only 3 feet from a public road so for more privacy I decided to erect a 8 feet fence but the allowed height is only 6 feet", + "original_question": "I applied for a permission to have a 8 feet fence. My application was made 10 weeks before but no decision made. Can I appeal ?" + }, + { + "id": "train-1505", + "question": "Scenario: Recently I purchased a jar of homemade rum butter from a local market. I was verbally assured that it would have no trace of nuts, even though there was no label to this effect. When my son ate some he had an allergic reaction and ended up in hospital. I am very angry about this\n\nQuestion: Was the vendor/manufactuer breaking the law in not correctly labelling their product?\n\nDocument - Food labelling and packaging:\n## Overview\n\nTo sell food and drink products, the label must be:\n\n- clear and easy to read\n\n- permanent\n\n- easy to understand\n\n- easily visible\n\n- not misleading\n\nYou must show certain basic information and list the ingredients. You might also have to show certain warnings.\n\nThere are special regulations for labelling wine.\n\n## Products sold loose or in catering businesses\n\nIf you run a catering business, you sell food loose or package it for sale in your shop, you only need to show:\n\n- the name of the food\n\n- if any of the ingredients have been irradiated, or have come from genetically modified sources\n\n- certain warnings\n\n- any food additive you have added\n\n- allergen information\n\nYou must show more information if you sell meat products loose.\n\n## Packaging\n\nIf you package food yourself, you must use packaging that\u2019s suitable for food use. Suitable packaging is marked \u2018for food contact\u2019 or has a symbol on it that looks like a wine glass and a fork.\n\nThere are special rules for using plastics, ceramics or cellophane for packaging. You must have written evidence that you\u2019ve kept to them.\n\nThis is known as a \u2018declaration of compliance\u2019 and you can get it from your packaging supplier. You also have to get one if you buy food that\u2019s already packaged for sale in any of those materials.\n\nRead the national legislation on food contact materials for England, Northern Ireland, Wales or Scotland.\n\n## Food assurance schemes\n\nYou could also join voluntary food assurance schemes such as Red Tractor or Lion Eggs. These schemes let customers know food has been produced to certain standards, for example on food safety or animal welfare.\n\n## Food labelling - what you must show\n\nYou must show the following information:\n\n- the name of the food\n\n- a \u2018best before\u2019 or \u2018use by\u2019 date\n\n- any necessary warnings\n\n- net quantity information\n\n- a list of ingredients (if there is more than 1)\n\n- the country or place of origin, if required\n\n- the lot number or use-by date\n\n- any special storage conditions\n\n- instructions for use or cooking, if necessary\n\nIf you\u2019re selling food in Great Britain (England, Wales and Scotland), you must also include the name and address of the UK or EU business responsible for the information on the food. If the business is not in the UK or EU, you must include the name and address of the importer.\n\nIf you\u2019re selling food in Northern Ireland, you must include the name and address of the Northern Irish or EU business responsible for the information on the food. If the business is not in Northern Ireland or the EU, you must include the name and address of the importer.\n\nCheck if there are other food labelling standards you must follow.\n\n## Quantity information\n\nYou must put the net quantity in grams, kilograms, millilitres or litres on the label of:\n\n- packaged food over 5g or 5ml\n\n- packaged herbs and spices\n\nSolid foods packed in a liquid (or an ice glaze) must show the drained net weight.\n\nThe net quantity must be close enough to the name of the food that you can see all this information at the same time. This also applies to the alcoholic strength for alcoholic drinks.\n\nYou do not have to show the weight or volume on foods sold by number, for example 2 bread rolls, provided that you can clearly see the number of items inside the packaging.\n\nRead more guidance on quantity labelling.\n\n## Information you may have to show\n\nYou must also show these if they apply to your product:\n\n- a warning for drinks with an alcohol content above 1.2%\n\n- a warning if the product contains GM ingredients, unless their presence is accidental and 0.9% or less\n\n- a warning if the product has been irradiated\n\n- the words \u2018packaged in a protective atmosphere\u2019 if the food is packaged using a packaging gas\n\n## Country or place of origin\n\nYou must show the country or place of origin for:\n\n- beef, veal, lamb, mutton, pork, goat and poultry\n\n- fish and shellfish\n\n- honey\n\n- olive oil\n\n- wine\n\n- fruit and vegetables\n\nYou can label certain food from EU countries and Northern Ireland as \u2018origin EU\u2019. Food from and sold in Great Britain can be labelled as \u2018origin EU\u2019 until 30 September 2022. Check the rules for when to label meat, fish and shellfish with their country of origin.\n\nYou must also show the country of origin if customers might be misled without this information, for example if the label for a pizza shows the leaning tower of Pisa but the pizza is made in the UK.\n\nIf the primary ingredient in the food comes from somewhere different from where the product says it was made, the label must show this. For example, a pork pie labelled \u2018British\u2019 that\u2019s produced in the UK with pork from Denmark, must state \u2018with pork from Denmark\u2019 or \u2018made with pork from outside the UK\u2019.\n\n## Special rules for some products\n\nThere are special rules about what you have to show on the label if you supply any of the following:\n\n- bottled water\n\n- bread and flour\n\n- cocoa and chocolate products\n\n- fats and oils\n\n- fish\n\n- fruit juices and nectars\n\n- honey\n\n- jams and preserves\n\n- meat and meat products\n\n- milk and milk products\n\n- soluble coffee\n\n- sugar\n\n## Ingredients list\n\nIf your food or drink product has 2 or more ingredients (including any additives), you must list them all. Ingredients must be listed in order of weight, with the main ingredient first.\n\n## Ingredient quantities\n\nYou also have to show the percentage of an ingredient if it is:\n\n- highlighted by the labelling or a picture on a package, for example \u2018extra cheese\u2019\n\n- mentioned in the name of the product, for example \u2018cheese and onion pasty\u2019\n\n- normally connected with the name by the consumer, for example fruit in a summer pudding\n\n## Allergens\n\nYou must highlight allergens on the label using a different font, style or background colour. You must also list them in the ingredients.\n\nThe allergens you need to highlight and list are:\n\n- celery\n\n- cereals containing gluten - including wheat, rye, barley and oats\n\n- crustaceans - including prawns, crab and lobster\n\n- eggs\n\n- fish\n\n- lupin\n\n- milk\n\n- molluscs - including squid, mussels, cockles, whelks and snails\n\n- mustard\n\n- nuts\n\n- peanuts\n\n- sesame seeds\n\n- soya beans\n\n- sulphur dioxide or sulphites at levels above 10mg per kilogram or per litre\n\n## Food and drink warnings\n\nYou must show an appropriate warning on the label if your food contains certain ingredients.\n\n| Ingredient | Wording you must use |\n\n| Allura red (E129) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Aspartame | \u2018Contains a source of phenylalanine\u2019 |\n\n| Caffeine over 150 mg/l | \u2018Not suitable for children, pregnant women and persons sensitive to caffeine\u2019 |\n\n| Carmoisine (E122) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Liquorice | \u2018Contains liquorice\u2019 (you may need extra wording for confectionery or alcohol containing liquorice) |\n\n| Polyols | \u2018Excessive consumption may cause a laxative effect\u2019 |\n\n| Ponceau 4R (E124) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Quinoline yellow (E104) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Raw milk | \u2018This milk has not been heat-treated and may therefore contain organisms harmful to health\u2019 |\n\n| Skimmed milk with non-milk fat | There\u2019s no fixed wording, but you must show a warning that the product is unfit or not to be used for babies. |\n\n| Sulphur dioxide over 10mg/l | \u2018Contains sulphur dioxide (or sulphites/sulfites)\u2019 |\n\n| Sunset yellow (E110) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Sweeteners | \u2018With sweetener(s)\u2019 |\n\n| Sweeteners and sugar | \u2018With sugar and sweetener(s)\u2019 |\n\n| Tartrazine (E102) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n## Nutrition, health claims and supplement labelling\n\n## Nutrition labelling\n\nYou must follow nutrition labelling information rules for all pre-packed products unless both of the following apply:\n\n- you\u2019re a small business with under 10 employees and a turnover of less than \u00a31.4 million\n\n- you supply either direct to consumers or to local retailers - local means within your county, your neighbouring county, or up to 30 miles from your county boundary\n\n## Nutrition and health claims\n\nYou have to follow certain rules if you want to make a nutrition claim (for example, low fat) or a health claim (for example, calcium helps maintain normal bones).\n\nYou cannot claim or imply that food can treat, prevent or cure any disease or medical condition.\n\n## Food supplements, fortified foods and foods for specific nutritional uses\n\nYou must follow certain rules if you are manufacturing, selling or importing:\n\n- a food supplement\n\n- a food fortified with vitamins and minerals\n\nThere are also specific rules for \u2018parnuts foods\u2019, for example:\n\n- formula milk for infants and young children\n\n- baby food\n\n- meal and total diet replacement for weight control\n\n- medical foods\n\nYou must tell the Department for Health if you want to sell infant formula or medical food in the UK.\n\n## Organic food\n\nIf you\u2019re a retailer, you can label products \u2018organic\u2019 as long as:\n\n- at least 95% of the farm-grown ingredients are organic\n\n- you sell direct to customers in your shop\n\n## Organic certification\n\nYou must be certified by one of the organic control bodies if you produce or prepare organic food and you want to sell or label it as organic.\n\nYou can decide which body to register with based on your location and needs.\n\nOnce registered you\u2019ll have to:\n\n- follow a strict set of guidelines laid down by national and international law\n\n- keep thorough and accurate records of production processes\n\n- allow annual and random inspections\n\nYou\u2019ll also have to follow the rules for labelling organic products.\n\nYou can check how food labelling rules are enforced.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/food-labelling-and-packaging", + "answerable": true, + "scenario": "Recently I purchased a jar of homemade rum butter from a local market. I was verbally assured that it would have no trace of nuts, even though there was no label to this effect. When my son ate some he had an allergic reaction and ended up in hospital. I am very angry about this", + "original_question": "Was the vendor/manufactuer breaking the law in not correctly labelling their product?" + }, + { + "id": "train-1507", + "question": "Scenario: I use a car for my small home delivery business. The car is used exclusively for business purposes and not for private use.SI\n\nQuestion: Is there a distinction between business and private use when it come to vehicle ownership?\n\nDocument - Claim capital allowances:\n## Overview\n\nYou can claim capital allowances when you buy assets that you keep to use in your business, for example:\n\n- equipment\n\n- machinery\n\n- business vehicles, for example cars, vans or lorries\n\nThese are known as plant and machinery.\n\nYou can deduct some or all of the value of the item from your profits before you pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\nIf you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.\n\n## Work out the value of your item\n\nIn most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:\n\n- you owned it before you started using it in your business\n\n- it was a gift\n\n## Other business costs\n\nYou claim for the cost of things that are not business assets in a different way. This includes:\n\n- your business\u2019s day-to-day running costs\n\n- items that it\u2019s your trade to buy and sell\n\n- interest payments or finance costs for buying assets\n\nClaim these costs as business expenses if you\u2019re a sole trader or partner, or deduct from your profits as a business cost if you\u2019re a limited company.\n\n## Other capital allowances\n\nAs well as plant and machinery, you can also claim capital allowances for:\n\n- renovating business premises in disadvantaged areas of the UK\n\n- extracting minerals\n\n- research and development\n\n- \u2018know-how\u2019 (intellectual property about industrial techniques)\n\n- patents\n\n- dredging\n\n- structure and buildings\n\n## If you let out residential property\n\nYou can only claim for items in residential property if your business qualifies as a furnished holiday lettings business. In each year the property must be:\n\n- available for holiday letting for 210 days\n\n- let for 105 days or more\n\n## What you can claim on\n\nYou can claim capital allowances on items that you keep to use in your business - these are known as \u2018plant and machinery\u2019.\n\nIn most cases you can deduct the full cost of these items from your profits before tax using annual investment allowance (AIA).\n\nIf you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.\n\n## What does not count as plant and machinery\n\nYou cannot claim capital allowances on:\n\n- things you lease - you must own them\n\n- buildings, including doors, gates, shutters, mains water and gas systems\n\n- land and structures, for example bridges, roads, docks\n\n- items used only for business entertainment, for example a yacht or karaoke machine\n\n## What counts as plant and machinery\n\nPlant and machinery includes:\n\n- items that you keep to use in your business, including cars\n\n- costs of demolishing plant and machinery\n\n- parts of a building considered integral, known as \u2018integral features\u2019\n\n- some fixtures, for example fitted kitchens or bathroom suites\n\n- alterations to a building to install other plant and machinery - this does not include repairs\n\nClaim repairs as business expenses if you\u2019re a sole trader or partner - deduct from your profits as a business cost if you\u2019re a limited company.\n\n## Integral features\n\nIntegral features are:\n\n- lifts, escalators and moving walkways\n\n- space and water heating systems\n\n- air-conditioning and air cooling systems\n\n- hot and cold water systems (but not toilet and kitchen facilities)\n\n- electrical systems, including lighting systems\n\n- external solar shading\n\n## Fixtures\n\nYou can claim for fixtures, for example:\n\n- fitted kitchens\n\n- bathroom suites\n\n- fire alarm and CCTV systems\n\nYou can claim if you rent or own the building, but only the person who bought the item can claim.\n\nWhen you buy a building from a previous business owner you can only claim for integral features and fixtures that they claimed for.\n\nYou must agree the value of the fixtures with the seller. If you do not you cannot claim for them. Agreeing the value also means the person selling the assets can account correctly for them.\n\n## If you let residential property\n\nYou can only claim for items in residential property if either:\n\n- you run a furnished holiday lettings business\n\n- the item is in the common parts of a residential building, for example a table in the hallway of a block of flats\n\n## Care workers\n\nThere are special rules if you run a care business.\n\n## Annual investment allowance\n\nYou can deduct the full value of an item that qualifies for annual investment allowance (AIA) from your profits before tax.\n\nIf you sell the item after claiming AIA you may need to pay tax.\n\n## What you can claim on\n\nYou can claim AIA on most plant and machinery up to the AIA amount.\n\n## What you cannot claim on\n\nYou cannot claim AIA on:\n\n- cars\n\n- items you owned for another reason before you started using them in your business\n\n- items given to you or your business\n\nClaim writing down allowances instead.\n\n## The AIA amount\n\nThe AIA amount has temporarily increased to \u00a31 million between 1 January 2019 and 31 December 2020.\n\n## Changes to the AIA\n\nThe\u00a0AIA\u00a0amount has changed several times since April 2008.\n\nIf the AIA changed in the period you\u2019re claiming for, you need to adjust the amount you can claim.\n\n| AIA | Sole traders/partners | Limited companies |\n\n| 1 million | 1 January 2019 - 31 December 2020 | 1 January 2019 - 31 December 2020 |\n\n| \u00a3200,000 | 1 January 2016 - 31 December 2018 | 1 January 2016 - 31 December 2018 |\n\n| \u00a3500,000 | 6 April 2014 - 31 December 2015 | 1 April 2014 - 31 December 2015 |\n\n| \u00a3250,000 | 1 January 2013 - 5 April 2014 | 1 January 2013 - 31 March 2014 |\n\n| \u00a325,000 | 6 April 2012 - 31 December 2012 | 1 April 2012 - 31 December 2012 |\n\n| \u00a3100,000 | 6 April 2010 - 5 April 2012 | 1 April 2010 - 31 March 2012 |\n\n| \u00a350,000 | 6 April 2008 - 5 April 2010 | 1 April 2008 - 31 March 2010 |\n\nYou get a new allowance for each accounting period.\n\n## If your accounting period is more or less than 12 months\n\nAdjust your AIA if your accounting period is more or less than 12 months.\n\nThe rules are different if your accounting period is longer than 18 months or you have a gap or overlap between accounting periods.\n\n## When you can claim\n\nYou can only claim AIA in the period you bought the item.\n\nThe date you bought it is:\n\n- when you signed the contract, if payment is due within less than 4 months\n\n- when payment\u2019s due, if it\u2019s due more than 4 months later\n\nIf you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.\n\nIf your business closes, you cannot claim AIA for items bought in the final accounting period.\n\n## If you do not want to claim the full cost\n\nIf you do not want to claim the full cost, for example you have low profits, you can claim:\n\n- writing down allowances instead\n\n- part of the cost as AIA and part as writing down allowances\n\n## Items you also use outside your business\n\nYou cannot claim the full value of items you also use outside your business if you\u2019re a sole trader or partner. Reduce the capital allowances you claim by the amount you use the asset outside your business.\n\n## If you spend more than the AIA amount\n\nClaim writing down allowances on any amount above the AIA. If a single item takes you above the AIA amount you can split the value between the types of allowance.\n\n## Mixed partnerships\n\nAIA is not available for partnerships where one of the partners is a company or another partnership.\n\n## More than one business or trade\n\nIf you\u2019re a sole trader or a partner and you have more than one business or trade, each business usually gets an AIA.\n\nYou only get one AIA if the businesses are both:\n\n- controlled by the same person\n\n- in the same premises or have similar activities\n\nIf 2 or more limited companies are controlled by the same person they only get one AIA between them. They can choose how to share the AIA.\n\n## How to claim\n\nClaim on your tax return.\n\n## First year allowances\n\nIf you buy an asset that qualifies for first year allowances you can deduct the full cost from your profits before tax.\n\nYou can claim first year allowances in addition to annual investment allowance - they do not count towards your AIA limit.\n\n## What qualifies\n\nYou can claim \u2018enhanced capital allowances\u2019 (a type of first year allowances) for the following energy and water efficient equipment:\n\n- some cars with low CO2 emissions\n\n- energy saving equipment that\u2019s on the energy technology product list, for example certain motors\n\n- water saving equipment that\u2019s on the water efficient technologies product list, for example meters, efficient toilets and taps\n\n- plant and machinery for gas refuelling stations, for example storage tanks, pumps\n\n- gas, biogas and hydrogen refuelling equipment\n\n- new zero-emission goods vehicles\n\nYou cannot normally claim on items your business buys to lease to other people or for use within a home you let out.\n\n## How to claim\n\nClaim on your tax return.\n\nIf you do not claim all the first year allowances you\u2019re entitled to, you can claim part of the cost in the next accounting period using writing down allowances.\n\n## Business cars\n\nYou can claim capital allowances on cars you buy and use in your business. This means you can deduct part of the value from your profits before you pay tax.\n\nUse writing down allowances to work out what you can claim - cars do not qualify for annual investment allowance (AIA).\n\n## Sole traders and partners\n\nIf you\u2019re a sole trader or a partner you can claim simplified mileage expenses on business vehicles instead - as long as you have not already claimed for them in another way.\n\n## Employees\n\nIf you\u2019re an employee you cannot claim capital allowances for cars, motorbikes and bicycles you use for work, but you may be able to claim for business mileage and fuel costs.\n\n## What counts as a car\n\nFor capital allowances a car is a type of vehicle that:\n\n- is suitable for private use - this includes motorhomes\n\n- most people use privately\n\n- was not built for transporting goods\n\n## What does not count\n\nBecause they do not count as cars you can claim AIA on:\n\n- motorcycles - apart from those bought before 6 April 2009\n\n- lorries, vans and trucks\n\n## Rates for cars\n\nThe rate you can claim depends on the CO2 emissions of your car and the date you bought it.\n\nThe main and special rates apply from 1 April for limited companies, and 6 April for sole traders and partners. The first year allowances rate applies from 1 April for all businesses.\n\n## Cars bought from April 2021\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 0g/km (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 1g/km and 50g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are between 1g/km and 50g/km (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 50g/km | Special rate allowances |\n\n## Cars bought between April 2018 and April 2021\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 50g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 50g/km and 110g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 110g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 110g/km | Special rate allowances |\n\n## Cars bought between April 2015 and April 2018\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 75g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 75g/km and 130g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 130g/km | Special rate allowances |\n\n## Cars bought between April 2013 and April 2015\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 95g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 95g/km and 130g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 130g/km | Special rate allowances |\n\n## Cars bought between April 2009 and April 2013\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 110g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 110g/km and 160g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 160g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions above 160g/km | Special rate allowances |\n\nMove the balance of any cars bought before April 2009 to your main rate allowances pool.\n\nIf your car does not have an emissions figure use the special rate - use the main rate if it was registered before 1 March 2001.\n\n## Using cars outside your business\n\nIf you\u2019re a sole trader or partner and you also use your car outside your business, calculate how much you can claim based on the amount of business use.\n\nIf your business provides a car for an employee or director you can claim capital allowances on the full cost. You may need to report it as a benefit if they use it personally.\n\n## How to claim\n\nWhen you\u2019ve worked out your capital allowances, claim on your:\n\n- Self Assessment tax return if you\u2019re a sole trader\n\n- partnership tax return if you\u2019re a partner\n\n- Company Tax Return if you\u2019re a limited company - you must include a separate capital allowances calculation\n\nEmployees must claim in a different way.\n\nThe amount you can claim is deducted from your profits.\n\n## When you can claim\n\nYou must claim in the accounting period you bought the item if you want to claim the full value under:\n\n- annual investment allowance\n\n- first year allowances\n\nIf you do not want to claim the full value you can claim part of it using writing down allowances. You can do this at any time as long as you still own the item.\n\n## When you bought it\n\nThe date you bought it is:\n\n- when you signed the contract, if payment is due within less than 4 months\n\n- when payment\u2019s due, if it\u2019s due more than 4 months later\n\nIf you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/capital-allowances", + "answerable": true, + "scenario": "I use a car for my small home delivery business. The car is used exclusively for business purposes and not for private use.SI", + "original_question": "Is there a distinction between business and private use when it come to vehicle ownership?" + }, + { + "id": "train-1509", + "question": "Scenario: I make homemade toffee and fudge to sell at a local market store. This is sold loose according to how much the customer wants.\n\nQuestion: Could I be in trouble if I sold the goods in imperial units?\n\nDocument - Weights and measures: the law:\n## Units of measurement\n\nYou must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.\n\nThere are different rules in Northern Ireland.\n\nThe only products you can sell in imperial measures are:\n\n- draught beer or cider by pint\n\n- milk in returnable containers by pint\n\n- precious metals by troy ounce\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Specified quantities\n\nSome goods must be sold in fixed sizes known as \u2018specified quantities\u2019.\n\n## Alcohol\n\nThere are different rules depending on whether you\u2019re selling by the glass or bottle.\n\n## By the glass\n\n| | Measures |\n\n| Still wine | 125ml, 175ml, multiples of 125ml and 175ml |\n\n| Port, sherry or other fortified wine | 50ml, 70ml, multiples of 50ml or 70ml |\n\n| Gin, rum, vodka and whisky | Either 25ml and multiples of 25ml, or 35ml and multiples of 35ml (not both on the same premises) |\n\n| Draught beer and cider | Third, half, two-thirds of a pint and multiples of half a pint |\n\nThere are no specified quantities for sparkling wine or yellow wine by the glass or spirits other than gin, rum, vodka and whisky.\n\n## Packaged in bottles, boxes or similar\n\n| | Volume by millilitre (ml) |\n\n| Still wine | 100, 187, 250, 375, 500, 750, 1000, 1500 |\n\n| Yellow wine | 620 |\n\n| Sparkling wine | 125, 200, 375, 750, 1500 |\n\n| Fortified wine | 100, 200, 375, 500, 750, 1000, 1500 |\n\n| Spirit drinks | 100, 200, 350, 500, 700, 1000, 1500, 1750, 2000 |\n\nYou can sell packaged alcohol in any volume if it\u2019s below the minimum or above the maximum allowed for specified quantities.\n\n| | Minimum (ml) | Maximum (ml) |\n\n| Still wine | 100 | 1500 |\n\n| Yellow wine | 100 | 1500 |\n\n| Sparkling wine | 125 | 1500 |\n\n| Fortified wine | 100 | 1500 |\n\n| Spirit drinks | 100 | 2000 |\n\nThere are no specified quantities for packaged beer or cider.\n\n## Solid fuel\n\nYou can sell sealed bags of solid fuel in any size you wish but if you\u2019re selling it loose, you can only sell it in quantities of:\n\n- 25kg\n\n- 50kg\n\n- multiples of 50kg\n\n## Packaged goods\n\nPackaged goods are products that are all of these:\n\n- sold sealed\n\n- between 5g and 25kg or 5ml and 25 litres\n\n- the same weight or volume as other products of the same type\n\nThere are 2 ways to pack your products.\n\n## Minimum system\n\nYou can pack your products so that they contain at least the quantity displayed on the label. The packages can contain more than the label says, but not less.\n\n## Average system\n\nYou can pack your products to an average measurement that is on the label. You must check your packages to make sure a random sample is packed to meet all these rules - known as the \u2018three packers\u2019 rules\u2019:\n\n- the contents of the packages must not be less, on average, than the weight on the label\n\n- only a small number can fall below a certain margin of error, known as the \u2018tolerable negative error\u2019 (TNE)\n\n- no package can be underweight by more than twice the TNE\n\n| Quantity in grams and millilitres | TNE as % of quantity | TNE in grams or millilitres |\n\n| 5 to 50 | 9 | n/a |\n\n| 50 to 100 | n/a | 4.5 |\n\n| 100 to 200 | 4.5 | n/a |\n\n| 200 to 300 | n/a | 9 |\n\n| 300 to 500 | 3 | n/a |\n\n| 500 to 1,000 | n/a | 15 |\n\n| 1,000 to 10,000 | 1.5 | n/a |\n\n| 10,000 to 15,000 | n/a | 150 |\n\n| more than 15,000 | 1 | n/a |\n\nIf you\u2019re calculating the TNE as a percentage of the quantity, you must round up the weight or volume to the nearest 0.10 of a gram or millilitre.\n\nContact your local Trading Standards office for help with packing to the average system.\n\nRead the \u2018Weights and Measures (Packaged Goods) 2006\u2019 guidance for business for more information.\n\nYou must make sure packaged goods you\u2019re producing or importing are packed and labelled correctly.\n\nYou can be fined or sent to prison if you break the rules.\n\n## Equipment and records\n\n## Equipment for packaged goods\n\nThe equipment you use to weigh or measure your packaged goods has to be suitable. There are no hard and fast rules about what equipment you should use but you cannot use domestic scales to weigh goods you intend to sell.\n\nYour local Trading Standards office will tell you what is suitable equipment for your business sector.\n\nTrading Standards will check the weights and measures of your goods on your production line to make sure the equipment is accurate.\n\n## Records\n\nYou must keep records if you pack your products using the average system. You must record the results of your sample batches and show that they meet the \u2018three packers\u2019 rules.\n\nYou do not have to keep records if you measure every package or you use the minimum system to pack your products.\n\nYou must keep your records for at least one year from either the date you ship the packages or the \u2018use by\u2019 date on the package - whichever is shorter.\n\nYour local Trading Standards office can advise you about how to keep records.\n\n## Labelling packaged goods\n\nYou must put the weight or volume of your packaged goods on the label.\n\nThe quantity marking must be:\n\n- permanent\n\n- easy to see\n\n- meet a minimum height requirement\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Food\n\nRead the rules about what you must show on packaged food labels.\n\n## Exporting packaged goods\n\nYou must meet the rules for packaged goods in the country you\u2019re exporting to.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "answerable": true, + "scenario": "I make homemade toffee and fudge to sell at a local market store. This is sold loose according to how much the customer wants.", + "original_question": "Could I be in trouble if I sold the goods in imperial units?" + }, + { + "id": "train-1511", + "question": "Scenario: I am setting up a small business from home selling honey from Greece in the UK. The honey comes in ceramic pots and I have bought it as already packaged to sell. \n\nQuestion: do I still need a declaration of compliance?\n\nDocument - Food labelling and packaging:\n## Overview\n\nTo sell food and drink products, the label must be:\n\n- clear and easy to read\n\n- permanent\n\n- easy to understand\n\n- easily visible\n\n- not misleading\n\nYou must show certain basic information and list the ingredients. You might also have to show certain warnings.\n\nThere are special regulations for labelling wine.\n\n## Products sold loose or in catering businesses\n\nIf you run a catering business, you sell food loose or package it for sale in your shop, you only need to show:\n\n- the name of the food\n\n- if any of the ingredients have been irradiated, or have come from genetically modified sources\n\n- certain warnings\n\n- any food additive you have added\n\n- allergen information\n\nYou must show more information if you sell meat products loose.\n\n## Packaging\n\nIf you package food yourself, you must use packaging that\u2019s suitable for food use. Suitable packaging is marked \u2018for food contact\u2019 or has a symbol on it that looks like a wine glass and a fork.\n\nThere are special rules for using plastics, ceramics or cellophane for packaging. You must have written evidence that you\u2019ve kept to them.\n\nThis is known as a \u2018declaration of compliance\u2019 and you can get it from your packaging supplier. You also have to get one if you buy food that\u2019s already packaged for sale in any of those materials.\n\nRead the national legislation on food contact materials for England, Northern Ireland, Wales or Scotland.\n\n## Food assurance schemes\n\nYou could also join voluntary food assurance schemes such as Red Tractor or Lion Eggs. These schemes let customers know food has been produced to certain standards, for example on food safety or animal welfare.\n\n## Food labelling - what you must show\n\nYou must show the following information:\n\n- the name of the food\n\n- a \u2018best before\u2019 or \u2018use by\u2019 date\n\n- any necessary warnings\n\n- net quantity information\n\n- a list of ingredients (if there is more than 1)\n\n- the country or place of origin, if required\n\n- the lot number or use-by date\n\n- any special storage conditions\n\n- instructions for use or cooking, if necessary\n\nIf you\u2019re selling food in Great Britain (England, Wales and Scotland), you must also include the name and address of the UK or EU business responsible for the information on the food. If the business is not in the UK or EU, you must include the name and address of the importer.\n\nIf you\u2019re selling food in Northern Ireland, you must include the name and address of the Northern Irish or EU business responsible for the information on the food. If the business is not in Northern Ireland or the EU, you must include the name and address of the importer.\n\nCheck if there are other food labelling standards you must follow.\n\n## Quantity information\n\nYou must put the net quantity in grams, kilograms, millilitres or litres on the label of:\n\n- packaged food over 5g or 5ml\n\n- packaged herbs and spices\n\nSolid foods packed in a liquid (or an ice glaze) must show the drained net weight.\n\nThe net quantity must be close enough to the name of the food that you can see all this information at the same time. This also applies to the alcoholic strength for alcoholic drinks.\n\nYou do not have to show the weight or volume on foods sold by number, for example 2 bread rolls, provided that you can clearly see the number of items inside the packaging.\n\nRead more guidance on quantity labelling.\n\n## Information you may have to show\n\nYou must also show these if they apply to your product:\n\n- a warning for drinks with an alcohol content above 1.2%\n\n- a warning if the product contains GM ingredients, unless their presence is accidental and 0.9% or less\n\n- a warning if the product has been irradiated\n\n- the words \u2018packaged in a protective atmosphere\u2019 if the food is packaged using a packaging gas\n\n## Country or place of origin\n\nYou must show the country or place of origin for:\n\n- beef, veal, lamb, mutton, pork, goat and poultry\n\n- fish and shellfish\n\n- honey\n\n- olive oil\n\n- wine\n\n- fruit and vegetables\n\nYou can label certain food from EU countries and Northern Ireland as \u2018origin EU\u2019. Food from and sold in Great Britain can be labelled as \u2018origin EU\u2019 until 30 September 2022. Check the rules for when to label meat, fish and shellfish with their country of origin.\n\nYou must also show the country of origin if customers might be misled without this information, for example if the label for a pizza shows the leaning tower of Pisa but the pizza is made in the UK.\n\nIf the primary ingredient in the food comes from somewhere different from where the product says it was made, the label must show this. For example, a pork pie labelled \u2018British\u2019 that\u2019s produced in the UK with pork from Denmark, must state \u2018with pork from Denmark\u2019 or \u2018made with pork from outside the UK\u2019.\n\n## Special rules for some products\n\nThere are special rules about what you have to show on the label if you supply any of the following:\n\n- bottled water\n\n- bread and flour\n\n- cocoa and chocolate products\n\n- fats and oils\n\n- fish\n\n- fruit juices and nectars\n\n- honey\n\n- jams and preserves\n\n- meat and meat products\n\n- milk and milk products\n\n- soluble coffee\n\n- sugar\n\n## Ingredients list\n\nIf your food or drink product has 2 or more ingredients (including any additives), you must list them all. Ingredients must be listed in order of weight, with the main ingredient first.\n\n## Ingredient quantities\n\nYou also have to show the percentage of an ingredient if it is:\n\n- highlighted by the labelling or a picture on a package, for example \u2018extra cheese\u2019\n\n- mentioned in the name of the product, for example \u2018cheese and onion pasty\u2019\n\n- normally connected with the name by the consumer, for example fruit in a summer pudding\n\n## Allergens\n\nYou must highlight allergens on the label using a different font, style or background colour. You must also list them in the ingredients.\n\nThe allergens you need to highlight and list are:\n\n- celery\n\n- cereals containing gluten - including wheat, rye, barley and oats\n\n- crustaceans - including prawns, crab and lobster\n\n- eggs\n\n- fish\n\n- lupin\n\n- milk\n\n- molluscs - including squid, mussels, cockles, whelks and snails\n\n- mustard\n\n- nuts\n\n- peanuts\n\n- sesame seeds\n\n- soya beans\n\n- sulphur dioxide or sulphites at levels above 10mg per kilogram or per litre\n\n## Food and drink warnings\n\nYou must show an appropriate warning on the label if your food contains certain ingredients.\n\n| Ingredient | Wording you must use |\n\n| Allura red (E129) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Aspartame | \u2018Contains a source of phenylalanine\u2019 |\n\n| Caffeine over 150 mg/l | \u2018Not suitable for children, pregnant women and persons sensitive to caffeine\u2019 |\n\n| Carmoisine (E122) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Liquorice | \u2018Contains liquorice\u2019 (you may need extra wording for confectionery or alcohol containing liquorice) |\n\n| Polyols | \u2018Excessive consumption may cause a laxative effect\u2019 |\n\n| Ponceau 4R (E124) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Quinoline yellow (E104) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Raw milk | \u2018This milk has not been heat-treated and may therefore contain organisms harmful to health\u2019 |\n\n| Skimmed milk with non-milk fat | There\u2019s no fixed wording, but you must show a warning that the product is unfit or not to be used for babies. |\n\n| Sulphur dioxide over 10mg/l | \u2018Contains sulphur dioxide (or sulphites/sulfites)\u2019 |\n\n| Sunset yellow (E110) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Sweeteners | \u2018With sweetener(s)\u2019 |\n\n| Sweeteners and sugar | \u2018With sugar and sweetener(s)\u2019 |\n\n| Tartrazine (E102) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n## Nutrition, health claims and supplement labelling\n\n## Nutrition labelling\n\nYou must follow nutrition labelling information rules for all pre-packed products unless both of the following apply:\n\n- you\u2019re a small business with under 10 employees and a turnover of less than \u00a31.4 million\n\n- you supply either direct to consumers or to local retailers - local means within your county, your neighbouring county, or up to 30 miles from your county boundary\n\n## Nutrition and health claims\n\nYou have to follow certain rules if you want to make a nutrition claim (for example, low fat) or a health claim (for example, calcium helps maintain normal bones).\n\nYou cannot claim or imply that food can treat, prevent or cure any disease or medical condition.\n\n## Food supplements, fortified foods and foods for specific nutritional uses\n\nYou must follow certain rules if you are manufacturing, selling or importing:\n\n- a food supplement\n\n- a food fortified with vitamins and minerals\n\nThere are also specific rules for \u2018parnuts foods\u2019, for example:\n\n- formula milk for infants and young children\n\n- baby food\n\n- meal and total diet replacement for weight control\n\n- medical foods\n\nYou must tell the Department for Health if you want to sell infant formula or medical food in the UK.\n\n## Organic food\n\nIf you\u2019re a retailer, you can label products \u2018organic\u2019 as long as:\n\n- at least 95% of the farm-grown ingredients are organic\n\n- you sell direct to customers in your shop\n\n## Organic certification\n\nYou must be certified by one of the organic control bodies if you produce or prepare organic food and you want to sell or label it as organic.\n\nYou can decide which body to register with based on your location and needs.\n\nOnce registered you\u2019ll have to:\n\n- follow a strict set of guidelines laid down by national and international law\n\n- keep thorough and accurate records of production processes\n\n- allow annual and random inspections\n\nYou\u2019ll also have to follow the rules for labelling organic products.\n\nYou can check how food labelling rules are enforced.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/food-labelling-and-packaging", + "answerable": true, + "scenario": "I am setting up a small business from home selling honey from Greece in the UK. The honey comes in ceramic pots and I have bought it as already packaged to sell. ", + "original_question": "do I still need a declaration of compliance?" + }, + { + "id": "train-1512", + "question": "Scenario: As a sole trader, if I am selling a product that is very long lasting on my stall at the village fair, such as apple cider vinegar. \n\nQuestion: Can I safely drop the 'best before date' on the food packaging?\n\nDocument - Food labelling and packaging:\n## Overview\n\nTo sell food and drink products, the label must be:\n\n- clear and easy to read\n\n- permanent\n\n- easy to understand\n\n- easily visible\n\n- not misleading\n\nYou must show certain basic information and list the ingredients. You might also have to show certain warnings.\n\nThere are special regulations for labelling wine.\n\n## Products sold loose or in catering businesses\n\nIf you run a catering business, you sell food loose or package it for sale in your shop, you only need to show:\n\n- the name of the food\n\n- if any of the ingredients have been irradiated, or have come from genetically modified sources\n\n- certain warnings\n\n- any food additive you have added\n\n- allergen information\n\nYou must show more information if you sell meat products loose.\n\n## Packaging\n\nIf you package food yourself, you must use packaging that\u2019s suitable for food use. Suitable packaging is marked \u2018for food contact\u2019 or has a symbol on it that looks like a wine glass and a fork.\n\nThere are special rules for using plastics, ceramics or cellophane for packaging. You must have written evidence that you\u2019ve kept to them.\n\nThis is known as a \u2018declaration of compliance\u2019 and you can get it from your packaging supplier. You also have to get one if you buy food that\u2019s already packaged for sale in any of those materials.\n\nRead the national legislation on food contact materials for England, Northern Ireland, Wales or Scotland.\n\n## Food assurance schemes\n\nYou could also join voluntary food assurance schemes such as Red Tractor or Lion Eggs. These schemes let customers know food has been produced to certain standards, for example on food safety or animal welfare.\n\n## Food labelling - what you must show\n\nYou must show the following information:\n\n- the name of the food\n\n- a \u2018best before\u2019 or \u2018use by\u2019 date\n\n- any necessary warnings\n\n- net quantity information\n\n- a list of ingredients (if there is more than 1)\n\n- the country or place of origin, if required\n\n- the lot number or use-by date\n\n- any special storage conditions\n\n- instructions for use or cooking, if necessary\n\nIf you\u2019re selling food in Great Britain (England, Wales and Scotland), you must also include the name and address of the UK or EU business responsible for the information on the food. If the business is not in the UK or EU, you must include the name and address of the importer.\n\nIf you\u2019re selling food in Northern Ireland, you must include the name and address of the Northern Irish or EU business responsible for the information on the food. If the business is not in Northern Ireland or the EU, you must include the name and address of the importer.\n\nCheck if there are other food labelling standards you must follow.\n\n## Quantity information\n\nYou must put the net quantity in grams, kilograms, millilitres or litres on the label of:\n\n- packaged food over 5g or 5ml\n\n- packaged herbs and spices\n\nSolid foods packed in a liquid (or an ice glaze) must show the drained net weight.\n\nThe net quantity must be close enough to the name of the food that you can see all this information at the same time. This also applies to the alcoholic strength for alcoholic drinks.\n\nYou do not have to show the weight or volume on foods sold by number, for example 2 bread rolls, provided that you can clearly see the number of items inside the packaging.\n\nRead more guidance on quantity labelling.\n\n## Information you may have to show\n\nYou must also show these if they apply to your product:\n\n- a warning for drinks with an alcohol content above 1.2%\n\n- a warning if the product contains GM ingredients, unless their presence is accidental and 0.9% or less\n\n- a warning if the product has been irradiated\n\n- the words \u2018packaged in a protective atmosphere\u2019 if the food is packaged using a packaging gas\n\n## Country or place of origin\n\nYou must show the country or place of origin for:\n\n- beef, veal, lamb, mutton, pork, goat and poultry\n\n- fish and shellfish\n\n- honey\n\n- olive oil\n\n- wine\n\n- fruit and vegetables\n\nYou can label certain food from EU countries and Northern Ireland as \u2018origin EU\u2019. Food from and sold in Great Britain can be labelled as \u2018origin EU\u2019 until 30 September 2022. Check the rules for when to label meat, fish and shellfish with their country of origin.\n\nYou must also show the country of origin if customers might be misled without this information, for example if the label for a pizza shows the leaning tower of Pisa but the pizza is made in the UK.\n\nIf the primary ingredient in the food comes from somewhere different from where the product says it was made, the label must show this. For example, a pork pie labelled \u2018British\u2019 that\u2019s produced in the UK with pork from Denmark, must state \u2018with pork from Denmark\u2019 or \u2018made with pork from outside the UK\u2019.\n\n## Special rules for some products\n\nThere are special rules about what you have to show on the label if you supply any of the following:\n\n- bottled water\n\n- bread and flour\n\n- cocoa and chocolate products\n\n- fats and oils\n\n- fish\n\n- fruit juices and nectars\n\n- honey\n\n- jams and preserves\n\n- meat and meat products\n\n- milk and milk products\n\n- soluble coffee\n\n- sugar\n\n## Ingredients list\n\nIf your food or drink product has 2 or more ingredients (including any additives), you must list them all. Ingredients must be listed in order of weight, with the main ingredient first.\n\n## Ingredient quantities\n\nYou also have to show the percentage of an ingredient if it is:\n\n- highlighted by the labelling or a picture on a package, for example \u2018extra cheese\u2019\n\n- mentioned in the name of the product, for example \u2018cheese and onion pasty\u2019\n\n- normally connected with the name by the consumer, for example fruit in a summer pudding\n\n## Allergens\n\nYou must highlight allergens on the label using a different font, style or background colour. You must also list them in the ingredients.\n\nThe allergens you need to highlight and list are:\n\n- celery\n\n- cereals containing gluten - including wheat, rye, barley and oats\n\n- crustaceans - including prawns, crab and lobster\n\n- eggs\n\n- fish\n\n- lupin\n\n- milk\n\n- molluscs - including squid, mussels, cockles, whelks and snails\n\n- mustard\n\n- nuts\n\n- peanuts\n\n- sesame seeds\n\n- soya beans\n\n- sulphur dioxide or sulphites at levels above 10mg per kilogram or per litre\n\n## Food and drink warnings\n\nYou must show an appropriate warning on the label if your food contains certain ingredients.\n\n| Ingredient | Wording you must use |\n\n| Allura red (E129) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Aspartame | \u2018Contains a source of phenylalanine\u2019 |\n\n| Caffeine over 150 mg/l | \u2018Not suitable for children, pregnant women and persons sensitive to caffeine\u2019 |\n\n| Carmoisine (E122) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Liquorice | \u2018Contains liquorice\u2019 (you may need extra wording for confectionery or alcohol containing liquorice) |\n\n| Polyols | \u2018Excessive consumption may cause a laxative effect\u2019 |\n\n| Ponceau 4R (E124) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Quinoline yellow (E104) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Raw milk | \u2018This milk has not been heat-treated and may therefore contain organisms harmful to health\u2019 |\n\n| Skimmed milk with non-milk fat | There\u2019s no fixed wording, but you must show a warning that the product is unfit or not to be used for babies. |\n\n| Sulphur dioxide over 10mg/l | \u2018Contains sulphur dioxide (or sulphites/sulfites)\u2019 |\n\n| Sunset yellow (E110) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Sweeteners | \u2018With sweetener(s)\u2019 |\n\n| Sweeteners and sugar | \u2018With sugar and sweetener(s)\u2019 |\n\n| Tartrazine (E102) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n## Nutrition, health claims and supplement labelling\n\n## Nutrition labelling\n\nYou must follow nutrition labelling information rules for all pre-packed products unless both of the following apply:\n\n- you\u2019re a small business with under 10 employees and a turnover of less than \u00a31.4 million\n\n- you supply either direct to consumers or to local retailers - local means within your county, your neighbouring county, or up to 30 miles from your county boundary\n\n## Nutrition and health claims\n\nYou have to follow certain rules if you want to make a nutrition claim (for example, low fat) or a health claim (for example, calcium helps maintain normal bones).\n\nYou cannot claim or imply that food can treat, prevent or cure any disease or medical condition.\n\n## Food supplements, fortified foods and foods for specific nutritional uses\n\nYou must follow certain rules if you are manufacturing, selling or importing:\n\n- a food supplement\n\n- a food fortified with vitamins and minerals\n\nThere are also specific rules for \u2018parnuts foods\u2019, for example:\n\n- formula milk for infants and young children\n\n- baby food\n\n- meal and total diet replacement for weight control\n\n- medical foods\n\nYou must tell the Department for Health if you want to sell infant formula or medical food in the UK.\n\n## Organic food\n\nIf you\u2019re a retailer, you can label products \u2018organic\u2019 as long as:\n\n- at least 95% of the farm-grown ingredients are organic\n\n- you sell direct to customers in your shop\n\n## Organic certification\n\nYou must be certified by one of the organic control bodies if you produce or prepare organic food and you want to sell or label it as organic.\n\nYou can decide which body to register with based on your location and needs.\n\nOnce registered you\u2019ll have to:\n\n- follow a strict set of guidelines laid down by national and international law\n\n- keep thorough and accurate records of production processes\n\n- allow annual and random inspections\n\nYou\u2019ll also have to follow the rules for labelling organic products.\n\nYou can check how food labelling rules are enforced.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/food-labelling-and-packaging", + "answerable": true, + "scenario": "As a sole trader, if I am selling a product that is very long lasting on my stall at the village fair, such as apple cider vinegar. ", + "original_question": "Can I safely drop the 'best before date' on the food packaging?" + }, + { + "id": "train-1513", + "question": "Scenario: My company operates a few food stands in a few cities. The last 12 months our profits plummeted and we are in debt of over \u00a35000. As it stands it would appear that I we are unable to maintain operation for long. I have a business partner and we both own 50% of the business. He believes we will be able to get back on our feet and turn a profit in the next 6 months.\n\nQuestion: Can I apply to liquidate the company if I own only 50%?\n\nDocument - Liquidate your limited company:\n## Overview\n\nYou can choose to liquidate your limited company (also called \u2018winding up\u2019 a company).\n\nThe company will stop doing business and employing people. The company will not exist once it\u2019s been removed (\u2018struck off\u2019) from the companies register at Companies House.\n\nWhen you liquidate a company, its assets are used to pay off its debts. Any money left goes to shareholders. You\u2019ll need a validation order to access your company bank account.\n\nIf that money has not been shared between the shareholders by the time the company is removed from the register, it will go to the state.\n\nYou\u2019ll need to restore your company to claim back money after it\u2019s been removed from the register.\n\nThere are 3 types of liquidation:\n\n- creditors\u2019 voluntary liquidation - your company cannot pay its debts and you involve your creditors when you liquidate it\n\n- compulsory liquidation - your company cannot pay its debts and you apply to the courts to liquidate it\n\n- members\u2019 voluntary liquidation - your company can pay its debts but you want to close it\n\nYour company may be forced into liquidation if it cannot pay its debts.\n\n## Arrange liquidation with your creditors\n\nA director can propose a company stops trading and be liquidated (\u2018wound up\u2019) if:\n\n- the company cannot pay its debts (it\u2019s \u2018insolvent\u2019)\n\n- enough shareholders agree\n\n## Get shareholders\u2019 agreement\n\nYou must call a meeting of shareholders and ask them to vote.\n\n75% (by value of shares) of shareholders must agree to the winding-up to pass a \u2018winding-up resolution\u2019.\n\nOnce the resolution is made there are 3 steps you must follow.\n\n- Appoint an authorised insolvency practitioner as liquidator to take charge of liquidating the company. You can find an insolvency practitioner online.\n\n- Send the resolution to Companies House within 15 days.\n\n- Advertise the resolution in The Gazette within 14 days.\n\nYour responsibilities as a director will change.\n\n## Apply directly to the court\n\nA director can ask a court to order the company to stop trading and be liquidated (\u2018wound up\u2019).\n\nThis is known as \u2018compulsory liquidation\u2019.\n\nYou need to show the court that:\n\n- the company cannot pay its debts of \u00a3750 or more\n\n- 75% (by value of shares) of shareholders agree that the court can wind up the company\n\nYour company can be based anywhere but must carry out most of its business in England, Scotland and Wales.\n\n## How to apply\n\nFill in a \u2018winding-up petition\u2019 (form Comp 1) and send it to the court with:\n\n- form Comp 2 confirming the details of your petition\n\n- the winding-up resolution from the shareholders\n\nWhere you send the petition depends on how much \u2018paid-up share capital\u2019 your company has. You can find this on the Companies House register.\n\n## Your paid-up share capital is \u00a3120,000 or more\n\nSubmit the petition online. It\u2019ll go to the High Court.\n\n## Your paid-up share capital is under \u00a3120,000\n\nFind your nearest court that deals with bankruptcy.\n\nSubmit the petition online if it\u2019s one of these courts:\n\n- Admiralty and Commercial Court\n\n- Chancery Division\n\n- Companies Court\n\n- High Court (including Bankruptcy Court)\n\n- London Mercantile Court\n\n- Rolls Building\n\nIf it was another court you\u2019ll need to submit the petition by post.\n\n## Fees\n\nIt costs:\n\n- \u00a31,600 to submit the petition\n\n- \u00a3280 for the court hearing\n\n## After you apply\n\nYou\u2019ll get a date for the hearing if the court accepts your petition.\n\nBefore the court hearing, you must:\n\n- give (\u2018serve\u2019) a copy of the petition to your company - fill in a certificate of service to let the court know you\u2019ve done this\n\n- put an advert in The Gazette at least 7 days before the hearing\n\n- send a copy of the advert and the certificate of service to the court\n\n## The court hearing\n\nYou or your solicitor must be at the court hearing. You do not have to give any evidence.\n\nIf the court gives a winding-up order, the court will put an official receiver in charge of the liquidation. They\u2019ll start liquidating your company. A copy of the winding-up order will be sent to your company\u2019s registered office.\n\nYour role as a director will change.\n\n## Liquidate a company you do not want to run anymore\n\nYou may choose members\u2019 voluntary liquidation if your company is \u2018solvent\u2019 (can pay its debts) and one of the following applies:\n\n- you want to retire\n\n- you want to step down from the family business and nobody else wants to run it\n\n- you do not want to run the business any more\n\nTo pass a resolution for members\u2019 voluntary liquidation, you must:\n\n- make a \u2018Declaration of solvency\u2019 - English and Welsh companies\n\n- ask the Accountant in Bankruptcy for form 4.25 (Scot) - Scottish companies\n\nYou\u2019ll need to review the company\u2019s assets and liabilities just before making the declaration.\n\n## Make a declaration of solvency\n\nWrite a statement saying that the directors have assessed the company and believe it can pay its debts, with interest at the official rate. You should also include:\n\n- the name and address of the company\n\n- the names and addresses of the company\u2019s directors\n\n- how long it will take the company to pay its debts - this must be no longer than 12 months from when the company\u2019s liquidated\n\nYou also need to include the statement of the company\u2019s assets and liabilities.\n\n## After you\u2019ve signed the declaration or form\n\nThere are 5 further steps to members\u2019 voluntary liquidation.\n\n- Sign the declaration or form 4.25 (Scot) - it must be signed by the majority of directors in front of a solicitor or \u2018notary public\u2019.\n\n- Call a general meeting with shareholders no more than 5 weeks later and pass a resolution for voluntary winding up.\n\n- At the meeting appoint an authorised insolvency practitioner as a liquidator who will take charge of winding up the company. You can find an insolvency practitioner online.\n\n- Advertise the resolution in The Gazette within 14 days.\n\n- Send your signed declaration to Companies House or form 4.25 (Scot) to the Accountant in Bankruptcy (for Scottish companies) within 15 days of passing the resolution.\n\nWhen the liquidator is appointed they take control of the company. Your responsibilities as a director will change.\n\n## What the liquidator does\n\nThe liquidator is an authorised insolvency practitioner or official receiver who runs the liquidation process.\n\nAs soon as the liquidator is appointed, they\u2019ll take control of the business.\n\nThey will:\n\n- settle any legal disputes or outstanding contracts\n\n- sell off the company\u2019s assets and use any money to pay creditors\n\n- meet deadlines for paperwork and keep authorities informed\n\n- pay liquidation costs and the final VAT bill\n\n- keep creditors informed and involve them in decisions where necessary\n\n- make payments to creditors\n\n- interview the directors and report on what went wrong in the business\n\n- get the company removed from the companies register\n\nIn a creditors\u2019 voluntary liquidation, the liquidator acts in the interest of the creditors not the directors.\n\n## What happens to directors\n\nWhen a liquidator is appointed, directors:\n\n- no longer have control of the company or anything it owns\n\n- cannot act for or on behalf of the company\n\nIf you\u2019re a director you must:\n\n- give the liquidator any information about the company they ask for\n\n- hand over the company\u2019s assets, records and paperwork\n\n- allow the liquidator to interview you, if they ask\n\nYou can be banned from being a director for 2 to 15 years or prosecuted if the liquidator decides your conduct was unfit.\n\n## Re-using company names\n\nIf you were a director of a company in compulsory liquidation or creditors\u2019 voluntary liquidation, you\u2019ll be banned for 5 years from forming, managing or promoting any business with the same or similar name to your liquidated company. This includes the company\u2019s registered name and any trading names (if it had any).\n\nThe only exceptions to this are where:\n\n- the business is sold by a licensed insolvency practitioner giving the legally required notice\n\n- you get the court\u2019s permission to use the name\n\n- you\u2019re involved with another company that\u2019s been using the same name as the liquidated company for at least a year\n\nRead the guidance on re-using company names.\n\n## Access to your bank account\n\nYour company\u2019s bank account will be frozen when someone files a petition to wind up the company.\n\nYou need a validation order to access it.\n\n## How to apply for a validation order\n\nTell the person who filed the winding-up petition (the respondent) you\u2019re applying for a validation order. You must also tell them what court you\u2019ll apply to (usually the Companies Court) and when you\u2019ll apply.\n\nFill in Form IAA and write a witness statement. Take the form and the statement to the court.\n\nYou need to pay a \u00a3155 fee.\n\n## What happens after you apply\n\nYou\u2019ll be given a hearing on the same day or within the next few days.\n\nAt the hearing, you present your case to a registrar or district judge.\n\nThe respondent will present their case if they object to you getting a validation order.\n\nAt the end of the hearing you\u2019ll either:\n\n- get a decision - you\u2019ll also get a written copy sent to you\n\n- be asked to attend another hearing if the court wants more evidence\n\nYou\u2019ll be given the validation order if your application is successful. You must give your bank a copy of this to access your company\u2019s bank account.\n\nIf you do not agree with the decision you may be able to appeal to the Chancery Division of the High Court.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/liquidate-your-company", + "answerable": true, + "scenario": "My company operates a few food stands in a few cities. The last 12 months our profits plummeted and we are in debt of over \u00a35000. As it stands it would appear that I we are unable to maintain operation for long. I have a business partner and we both own 50% of the business. He believes we will be able to get back on our feet and turn a profit in the next 6 months.", + "original_question": "Can I apply to liquidate the company if I own only 50%?" + }, + { + "id": "train-1515", + "question": "Scenario: I run an Indian takeaway business. I have recently had a visit from the council hygiene inspector, and unfortunately the results came back lower than expected, with a score of 3 out of 5. I am planning to get re-tested after making improvements.\n\nQuestion: Do I have to display the current rating to my customers?\n\nDocument - Food safety - your responsibilities:\n## Food safety\n\nIf your business deals in food you must:\n\n- make sure food is safe to eat\n\n- make sure you don\u2019t add, remove or treat food in a way that makes it harmful to eat\n\n- make sure the food is the same quality that you say it is\n\n- make sure you don\u2019t mislead people by the way food is labelled, advertised or marketed\n\n- keep records on where you got food from and show this information on demand - known as \u2018traceability\u2019 (PDF, 90KB)\n\n- withdraw unsafe food and complete an incident report\n\n- tell people why food has been withdrawn or recalled, for example by using a leaflet or poster\n\n- display your food hygiene rating (if you sell food direct to the public)\n\n## Food additives\n\nIf you use an additive in food you must:\n\n- only use an approved additive\n\n- only use it if it is approved for use in that food\n\nThe food additive must not exceed the maximum permitted level.\n\n## Food hygiene\n\nPart of complying with food safety is managing food hygiene.\n\n## Hazard Analysis and Critical Control Point (HACCP) plan\n\nYou usually have to write a plan based on the HACCP principles if you run a food business. This keeps your food safe from biological, chemical and physical safety hazards.\n\n## Food contact materials\n\nMaterials and packaging that can be reasonably expected to come into contact with food are called \u2018food contact materials\u2019. These can include:\n\n- packaging\n\n- food processing equipment\n\n- cookware\n\n- work surfaces\n\n## To keep food safe for consumption:\n\n- make sure food contact materials don\u2019t transfer anything to food they touch\n\n- make sure food contact materials don\u2019t change the food they touch\n\n- when inspected, be able to show where the food contact materials came from\n\n## Bacteria and food poisoning\n\nTo keep food safe from bacteria, you should follow HACCP. Bacteria that cause serious health problems are:\n\n- E.coli O157 and campylobacter\n\n- salmonella, especially with the storage and handling of eggs\n\n## Food hygiene training\n\nEmployers are responsible for staff hygiene training. It can be either a formal programme or informal training, such as on the job training or self study.\n\n## Food allergies\n\nIf you are a food retailer or caterer you need to manage food allergies when preparing and selling food.\n\n## Food inspections\n\nYou can be inspected by your local council at any point in the food production and distribution process. All inspectors must follow the Food Law Code of Practice. Usually, you won\u2019t be told an inspection is going to happen.\n\nHow often you\u2019re inspected depends on the risk your business poses to public health. You might not be inspected as often if you\u2019re a member of a recognised assurance scheme. You can search for a registered assurance scheme online.\n\nIf you\u2019re a food retailer or caterer you will be inspected on a more regular basis to make sure you comply with food safety laws.\n\nYour premises, food, records and procedures can be inspected. Food samples can be taken as well as photographed.\n\nFind your local council enforcement officers.\n\n## After the inspection\n\nYou\u2019ll be sent a letter confirming any improvements you need to make and by when. Usually, you\u2019re responsible for confirming these\nimprovements have been made.\n\nFor serious food safety problems you may be sent a \u2018notice\u2019. The notice can include banning you from using certain equipment or processes until improvements have been made. Your business will be revisited to make sure you have followed the improvements in the notice. Example notices include a:\n\n- Hygiene Improvement Notice\n\n- Hygiene Emergency Prohibition Notices - banning you from using certain equipment or following certain processes\n\n## Appeals\n\nYour letter or notice should tell you how you can appeal a decision by an inspector.\n\n## Report a food safety incident\n\nYou must tell the Food Standards Agency (FSA) if you think any food your business:\n\n- has sold is unsafe\n\n- has is unsafe\n\nThe FSA will tell you if the food must be withdrawn and customers asked to return it.\n\nSubmit a food safety incident report.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "answerable": true, + "scenario": "I run an Indian takeaway business. I have recently had a visit from the council hygiene inspector, and unfortunately the results came back lower than expected, with a score of 3 out of 5. I am planning to get re-tested after making improvements.", + "original_question": "Do I have to display the current rating to my customers?" + }, + { + "id": "train-1518", + "question": "Scenario: I employee ten people in my bicycle repair shop in Salford. I pay a flat rate as part of their earnings to cover the cost of their uniforms and tools for work.\n\nQuestion: Can my employees check their own expenses?\n\nDocument - Expenses and benefits for employers:\n## Overview\n\nIf you\u2019re an employer and provide expenses or benefits to employees or directors, you might need to tell HM Revenue and Customs (HMRC) and pay tax and National Insurance on them.\n\nExamples of expenses and benefits include:\n\n- company cars\n\n- health insurance\n\n- travel and entertainment expenses\n\n- childcare\n\nThere are different rules for what you have to report and pay depending on the type of expense or benefit that you provide.\n\n## Reporting and paying\n\nAt the end of the tax year you\u2019ll usually need to submit a P11D form to HM Revenue and Customs (HMRC) for each employee you\u2019ve provided with expenses or benefits.\n\nYou\u2019ll also need to submit a P11D(b) form if:\n\n- you\u2019ve submitted any P11D forms\n\n- you\u2019ve paid employees\u2019 expenses or benefits through your payroll\n\n- HMRC have asked you to - either by sending you a form or an email\n\nYour P11D(b) tells HMRC how much Class 1A National Insurance you need to pay on all the expenses and benefits you\u2019ve provided.\n\nIf HMRC have asked you to submit a P11D(b), you can tell them you do not owe Class 1A National Insurance by completing a declaration.\n\n## Paying tax on benefits through your payroll\n\nYou can deduct and pay tax on most employee expenses through your payroll (sometimes called \u2018payrolling\u2019) as long as you\u2019ve registered with HMRC before the start of the tax year (6 April).\n\nYou do not need to submit a P11D form for an employee if you\u2019re paying tax on all their benefits through your payroll.\n\nYou\u2019ll still need to submit a P11D(b) form so you can pay any Class 1A National Insurance you owe.\n\n## What to report\n\nEach expense or benefit is calculated differently. Find the type of expense or benefit you\u2019ve provided to see what you\u2019ll need to report and pay.\n\nFor \u2018minor\u2019 expenses or benefits, you might be able to make a one-off payment, known as a PAYE Settlement Agreement.\n\n## How to report\n\nYou can use any of the following methods:\n\n- commercial payroll software\n\n- HMRC\u2019s PAYE Online service\n\n- HMRC\u2019s Online End of Year Expenses and Benefits service\n\nYou can also download and fill in forms P11D and P11D(b) and send them to the P11D Support Team.\n\n## Correct an error\n\nIf you\u2019re correcting a P11D form include all the benefits and expenses for the tax year, not just the ones you want to change.\n\nIf you\u2019re correcting a P11D(b) form include the total amount of Class 1A National Insurance you need to pay, not the difference from your previous version.\n\nYou must submit a paper form, even if you originally submitted online.\n\nThe forms will show the most recent tax year. Write a different tax year on the form if you need to report for a different year. You must write:\n\n- that you\u2019re using the form to correct an error made in a different year to the one printed on the form\n\n- the tax year you\u2019re making the amendment for\n\n## Where to send forms\n\nSend new or corrected paper forms to:\n\n## Penalties\n\nYou may be charged a penalty if you carelessly or deliberately give inaccurate information in your tax return that results in you:\n\n- not paying enough tax\n\n- over-claiming tax reliefs\n\n## Deadlines\n\n| What you need to do | Deadline |\n\n| Submit your P11D forms online to HMRC | 6 July following the end of the tax year |\n\n| Give your employees a copy of the information on your forms | 6 July |\n\n| Tell HMRC the total amount of Class 1A National Insurance you owe on form P11D(b) | 6 July |\n\n| Pay any Class 1A National Insurance owed on expenses or benefits | Must reach HMRC by 22 July (19 July if you pay by cheque) |\n\n| If you have a PAYE Settlement Agreement pay tax and Class 1B National Insurance | Must reach HMRC by 22 October (19 October if you pay by cheque) |\n\n| Pay any PAYE tax or Class 1 National Insurance owed on expenses or benefits | Pay monthly through payroll |\n\nYou\u2019ll get a penalty of \u00a3100 per 50 employees for each month or part month your P11D(b) is late. You\u2019ll also be charged penalties and interest if you\u2019re late paying HMRC.\n\n## Record keeping\n\nYou must keep a record of all expenses and benefits you provide to your employees.\n\nYour records need to show that you\u2019ve reported accurately and your end-of-year forms are correct.\n\nHM Revenue and Customs (HMRC) may ask to see evidence of how you accounted for each expense or benefit at the end of the tax year.\n\n## What you should keep\n\nYou\u2019ll need to keep a record of:\n\n- the date and details of every expense or benefit you provide\n\n- any information needed to work out the amounts you put on your end-of-year forms\n\n- any payment your employee contributes to an expense or benefit\n\nYou should also keep any correspondence you have with HMRC.\n\nRecords must be kept for 3 years from the end of the tax year they relate to.\n\n## Exemptions and dispensations\n\nYou don\u2019t have to report some routine employee expenses to HM Revenue and Customs (HMRC). This is called an \u2018exemption\u2019.\n\nExemptions have replaced dispensations. You can\u2019t apply for a dispensation any more.\n\n## Expenses covered by an exemption\n\nYou don\u2019t have to report certain business expenses and benefits like:\n\n- business travel\n\n- phone bills\n\n- business entertainment expenses\n\n- uniform and tools for work\n\nTo qualify for an exemption, you must be either be:\n\n- paying a flat rate to your employee as part of their earnings - this must be either a benchmark rate or a special (\u2018bespoke\u2019) rate approved by HMRC\n\n- paying back the employee\u2019s actual costs\n\nYou must deduct and pay tax and National Insurance on all other expenses and benefits you give to your employees, and report them to HMRC as normal.\n\n## Apply for an exemption\n\nYou don\u2019t need to apply for an exemption if you\u2019re paying HMRC\u2019s benchmark rates for allowable expenses.\n\nYou only need to apply for an exemption if you want to pay bespoke rates to your employees.\n\nYou\u2019ll have to give HMRC evidence that the rates you\u2019re suggesting are based on your employees\u2019 actual expenses.\n\n## If you had a dispensation from HMRC\n\nYour dispensation won\u2019t apply after 5 April 2016, but the expenses covered by it should also be covered by the exemption.\n\nIf you agreed bespoke rates with HMRC between 6 April 2011 and 5 April 2016 as part of your dispensation, you can apply to carry on using them.\n\nYou can only use the bespoke rates for up to 5 years from the date they were agreed.\n\n## Checking expenses\n\nYou must have a system in place to check payments you make at benchmark or bespoke rates.\n\nYour employees aren\u2019t allowed to check their own expenses, so someone else within your company needs to do this to make sure they\u2019re legitimate.\n\nTell your employees to keep proof of their expenses, for example receipts or bills, in case you need to check them.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employer-reporting-expenses-benefits", + "answerable": true, + "scenario": "I employee ten people in my bicycle repair shop in Salford. I pay a flat rate as part of their earnings to cover the cost of their uniforms and tools for work.", + "original_question": "Can my employees check their own expenses?" + }, + { + "id": "train-1520", + "question": "Scenario: My software retail business has suffered significant losses in the past 12 months and my creditors have applied to wind the business. I attended a hearing in court and the verdict stated that I am found unable to pay my debts.\n\nQuestion: Am I still going to be able to access and use the company related bank accounts?\n\nDocument - Dealing with your limited company's debts:\n## If your company cannot pay its debts\n\nYour limited company can be liquidated (\u2018wound up\u2019) if it cannot pay its debts.\n\nThe people or organisations your company owes money to (your \u2018creditors\u2019) can apply to the court to get their debts paid.\n\nThey can do this by either:\n\n- getting a court judgment\n\n- making an official request for payment - this is called a statutory demand\n\nGet professional advice from a solicitor or insolvency practitioner if your company is in debt.\n\n## Responding to a court judgment\n\nYou have 14 days to respond to a court judgment.\n\nTo respond, you must do one of the following:\n\n- pay the debt\n\n- reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement\n\n- put your company into administration\n\n- apply to liquidate (\u2018wind up\u2019) your company yourself\n\n- challenge the court judgment\n\nIf you do not respond to the court judgment within 14 days, your creditors can apply to have your assets seized by a bailiff or sheriff.\n\nYour creditors can apply to wind up your company if your assets are not worth enough to pay your debts.\n\n## Responding to a statutory demand\n\nYou have 21 days to respond to a statutory demand.\n\nTo respond, you must do one of the following:\n\n- pay the debt\n\n- reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement\n\n- put your company into administration\n\n- apply to liquidate (\u2018wind up\u2019) your company yourself\n\nYour creditors can apply to wind up your company if you do not respond to the statutory demand within 21 days.\n\n## Stop your creditors from applying to wind up your company\n\nYou can apply to the court to stop (\u2018restrain\u2019) your creditors from applying to wind up your company. You must do this within 21 days of getting the statutory demand.\n\nDownload and fill in application form IAA.\n\nWhich court you apply to depends on how much money shareholders have paid into your company by buying shares (\u2018paid up share capital\u2019).\n\nCheck the Companies House register to find out your company\u2019s paid up share capital.\n\n## Your paid up share capital is less than \u00a3120,000\n\nUse the court finder to find a court dealing with insolvency. You must use the court nearest your company\u2019s registered office.\n\n## Your paid up share capital is more than \u00a3120,000\n\nYou must apply to the High Court.\n\n## Getting a winding-up order\n\nYour creditors can apply to the court to close down your company. They do this by making an application called a \u2018winding-up petition\u2019.\n\nYou can apply to stop your creditors from making a winding-up petition if you were given a statutory demand.\n\nThey can withdraw the petition if your company pays the debt or makes an arrangement to pay it.\n\n## Attending the hearing\n\nIf the petition is accepted, the court will arrange a date for a hearing.\n\nYou must attend the hearing. Your creditors will announce when and where the hearing will take place in The Gazette.\n\nYour company can be put into the control of someone else until the hearing happens. This is known as \u2018provisional liquidation\u2019.\n\n## If the court decides you cannot pay your debts\n\nThe court will issue a winding-up order.\n\nAn officer of the court (\u2018official receiver\u2019) will be put in charge of winding-up your company. You must co-operate with the official receiver.\n\nWhen you get a winding-up order:\n\n- your company\u2019s bank account will usually be frozen\n\n- its assets or property will be sold by the official receiver\n\nIf any part of your company is bought with the intention of discontinuing the business (not running it as a \u2018going concern\u2019) then your employees will lose their jobs.\n\nYou can be banned from being a director for up to 15 years if you do not carry out your duties properly.\n\n## Cancel a winding-up order\n\nYou can apply to cancel a winding-up order if you do not think you need to pay your creditors. You must do this within 5 working days of getting the order.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/protecting-company-from-compulsory-liquidation", + "answerable": true, + "scenario": "My software retail business has suffered significant losses in the past 12 months and my creditors have applied to wind the business. I attended a hearing in court and the verdict stated that I am found unable to pay my debts.", + "original_question": "Am I still going to be able to access and use the company related bank accounts?" + }, + { + "id": "train-1521", + "question": "Scenario: I run a shoe business. I purchased a bulk order from a dealer because of the demand during a festive period. I have paid for the order in full but they claim that I have not paid in full\n\nQuestion: The dealer has filed a court claim for the money. I want to counterclaim, is it possible ?\n\nDocument - Respond to a court claim for money:\n## How to respond\n\nYou\u2019ll get a letter or email if someone claims you owe them money. You must respond by the date on the email or letter you receive.\n\nYou can respond by:\n\n- paying the full amount\n\n- paying only what you think you owe\n\n- defending the claim (if you do not think you owe any money or you\u2019ve already paid)\n\nYou might have to pay more or get a county court judgment (CCJ) if you do not respond in time.\n\n## If you need more time to respond\n\nYou can ask for another 14 days to respond if you\u2019re defending the claim or paying only what you think you owe.\n\nDownload and fill in the acknowledgement of service form in the response pack.\n\nSend it to the court address on the claim form.\n\nThe process is different in Scotland.\n\n## Pay the full amount\n\nSend a cheque or postal order made payable to the person or business you owe money to (the \u2018claimant\u2019). Their name and address will be on the claim form.\n\nYou can also pay the claimant in person.\n\nKeep proof (for example, your bank records or a receipt from the claimant) to show you\u2019ve paid.\n\n## If you cannot afford to pay the full amount at once\n\nYou can offer to pay in instalments or by a certain date.\n\nDownload and fill in either:\n\n- form N9A if the claim is for a specified amount\n\n- form N9C if the claim is for an unspecified amount\n\nYou must say how you want to pay (a certain amount per month for example) and send the completed form to the address on the claim form.\n\nIf the claimant does not accept your offer, the court will decide how you pay.\n\nYou can be taken to court and you may have to pay extra costs if you do not keep up the payments.\n\n## If the claim is for an unspecified amount\n\nDownload and fill in admission form N9A. Either:\n\n- ask the court to decide how much you owe\n\n- offer to pay a certain amount\n\nYou might have to give more information at a hearing if you ask the court to decide or the claimant rejects your offer.\n\nThe court will tell you when and where the hearing will take place.\n\n## If you\u2019ve already paid\n\nYou must defend the claim if you\u2019ve already paid the claimant.\n\nYou might still have to pay court fees if you paid the claimant after they made the claim.\n\n## Pay some of the money\n\nIf you do not agree with the amount on the claim form, you can apply to the court to pay only what you think you owe.\n\nYou must send the court both:\n\n- an admission form to say how much you\u2019ll pay\n\n- a defence form to explain why you do not owe the full amount\n\nRespond online if the claim was made using Money Claim Online.\n\nOtherwise, which forms you fill in will depend on whether the claim is for a fixed (\u2018specified\u2019) or an unspecified amount.\n\n## The claim is for a specified amount\n\nDownload and fill in:\n\n- admission form N9A\n\n- defence form N9B\n\n## The claim is for an unspecified amount\n\nDownload and fill in:\n\n- admission form N9C\n\n- defence form N9D\n\n## If your offer is rejected\n\nThe court will decide how much you owe.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Defend the claim\n\nYou can defend the claim if either:\n\n- you do not think you owe the other person or business any money\n\n- you\u2019ve already paid them\n\nYou can also make a claim against them (\u2018counterclaim\u2019) if you think they owe you money. You might have to pay a court fee.\n\nDownload and fill in either:\n\n- form N9B if the claim is for a fixed (\u2018specified\u2019) amount\n\n- form N9D if the claim is for an unspecified amount\n\nYou can respond online if the claim was made using an online service.\n\nThe court will decide whether you owe any money, and how much.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Going to a court hearing\n\nIf there\u2019s a hearing, you can:\n\n- represent yourself\n\n- pay for a barrister or solicitor to represent you\n\n- ask someone to advise you in court - they do not have to be a lawyer\n\n- ask someone to speak on your behalf - you might need to get the court\u2019s permission\n\nYour hearing can be held in the judge\u2019s room or a courtroom in a county court if the claim is for less than \u00a310,000. There might be a more formal hearing if the claim is for more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## After the hearing\n\nYou\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.\n\n## Appeal the decision\n\nYou can ask to appeal the decision if you think the judge made a mistake during the hearing. You must ask within 21 days of the date the decision was made.\n\nFind out which court or tribunal to appeal to.\n\nContact Citizens Advice to get advice on appealing.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "answerable": true, + "scenario": "I run a shoe business. I purchased a bulk order from a dealer because of the demand during a festive period. I have paid for the order in full but they claim that I have not paid in full", + "original_question": "The dealer has filed a court claim for the money. I want to counterclaim, is it possible ?" + }, + { + "id": "train-1522", + "question": "Scenario: I run a door lock repair business. Due to the pandemic, there was not much work and borrowed some money from a small money lending firm and could not repay it and they have filed a court claim\n\nQuestion: I am prepared to pay the money in instalments. Will the court accept me paying in instalments ?\n\nDocument - Respond to a court claim for money:\n## How to respond\n\nYou\u2019ll get a letter or email if someone claims you owe them money. You must respond by the date on the email or letter you receive.\n\nYou can respond by:\n\n- paying the full amount\n\n- paying only what you think you owe\n\n- defending the claim (if you do not think you owe any money or you\u2019ve already paid)\n\nYou might have to pay more or get a county court judgment (CCJ) if you do not respond in time.\n\n## If you need more time to respond\n\nYou can ask for another 14 days to respond if you\u2019re defending the claim or paying only what you think you owe.\n\nDownload and fill in the acknowledgement of service form in the response pack.\n\nSend it to the court address on the claim form.\n\nThe process is different in Scotland.\n\n## Pay the full amount\n\nSend a cheque or postal order made payable to the person or business you owe money to (the \u2018claimant\u2019). Their name and address will be on the claim form.\n\nYou can also pay the claimant in person.\n\nKeep proof (for example, your bank records or a receipt from the claimant) to show you\u2019ve paid.\n\n## If you cannot afford to pay the full amount at once\n\nYou can offer to pay in instalments or by a certain date.\n\nDownload and fill in either:\n\n- form N9A if the claim is for a specified amount\n\n- form N9C if the claim is for an unspecified amount\n\nYou must say how you want to pay (a certain amount per month for example) and send the completed form to the address on the claim form.\n\nIf the claimant does not accept your offer, the court will decide how you pay.\n\nYou can be taken to court and you may have to pay extra costs if you do not keep up the payments.\n\n## If the claim is for an unspecified amount\n\nDownload and fill in admission form N9A. Either:\n\n- ask the court to decide how much you owe\n\n- offer to pay a certain amount\n\nYou might have to give more information at a hearing if you ask the court to decide or the claimant rejects your offer.\n\nThe court will tell you when and where the hearing will take place.\n\n## If you\u2019ve already paid\n\nYou must defend the claim if you\u2019ve already paid the claimant.\n\nYou might still have to pay court fees if you paid the claimant after they made the claim.\n\n## Pay some of the money\n\nIf you do not agree with the amount on the claim form, you can apply to the court to pay only what you think you owe.\n\nYou must send the court both:\n\n- an admission form to say how much you\u2019ll pay\n\n- a defence form to explain why you do not owe the full amount\n\nRespond online if the claim was made using Money Claim Online.\n\nOtherwise, which forms you fill in will depend on whether the claim is for a fixed (\u2018specified\u2019) or an unspecified amount.\n\n## The claim is for a specified amount\n\nDownload and fill in:\n\n- admission form N9A\n\n- defence form N9B\n\n## The claim is for an unspecified amount\n\nDownload and fill in:\n\n- admission form N9C\n\n- defence form N9D\n\n## If your offer is rejected\n\nThe court will decide how much you owe.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Defend the claim\n\nYou can defend the claim if either:\n\n- you do not think you owe the other person or business any money\n\n- you\u2019ve already paid them\n\nYou can also make a claim against them (\u2018counterclaim\u2019) if you think they owe you money. You might have to pay a court fee.\n\nDownload and fill in either:\n\n- form N9B if the claim is for a fixed (\u2018specified\u2019) amount\n\n- form N9D if the claim is for an unspecified amount\n\nYou can respond online if the claim was made using an online service.\n\nThe court will decide whether you owe any money, and how much.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Going to a court hearing\n\nIf there\u2019s a hearing, you can:\n\n- represent yourself\n\n- pay for a barrister or solicitor to represent you\n\n- ask someone to advise you in court - they do not have to be a lawyer\n\n- ask someone to speak on your behalf - you might need to get the court\u2019s permission\n\nYour hearing can be held in the judge\u2019s room or a courtroom in a county court if the claim is for less than \u00a310,000. There might be a more formal hearing if the claim is for more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## After the hearing\n\nYou\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.\n\n## Appeal the decision\n\nYou can ask to appeal the decision if you think the judge made a mistake during the hearing. You must ask within 21 days of the date the decision was made.\n\nFind out which court or tribunal to appeal to.\n\nContact Citizens Advice to get advice on appealing.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "answerable": true, + "scenario": "I run a door lock repair business. Due to the pandemic, there was not much work and borrowed some money from a small money lending firm and could not repay it and they have filed a court claim", + "original_question": "I am prepared to pay the money in instalments. Will the court accept me paying in instalments ?" + }, + { + "id": "train-1524", + "question": "Scenario: I am close friends with my neighbour. She has asked me if I would be a childminder for her children aged 4 and 7 for 1-2 hours a day during the week.\n\nQuestion: Do I need to formally register as a childminder to do this?\n\nDocument - Become a childminder or nanny (England):\n## Overview\n\nIf you want to be paid to look after children under 8, you might need to register with Ofsted or a childminder agency.\n\nYou can get a fine if you do not register when you need to.\n\nYou must register as a childminder if all of the following apply:\n\n- the children are under the age of 8\n\n- you look after them for more than 2 hours a day\n\n- you look after them in your own home\n\n- you get paid to look after them - including payment in kind\n\nYou can register with Ofsted online. To register with a childminder agency, contact them directly.\n\nThere are different rules if you want to provide daycare outside someone\u2019s home - for example a nursery or creche.\n\nYou do not need to register if you\u2019re:\n\n- a nanny\n\n- a tutor\n\n- a babysitter and if you look after the children between 6pm and 2am\n\n- a family friend and if you look after the children less than 3 hours a day\n\nYou can still choose to register if you\u2019re a nanny or in other situations. This helps the child\u2019s parents qualify for free childcare.\n\nCheck which register to join if you\u2019re not sure.\n\n## Who cannot register\n\nYou cannot register if you:\n\n- are under 18\n\n- are related to all of the children you look after\n\n- do not have the legal right to work in the UK\n\n- are barred from working with children\n\n- have been disqualified\n\n- have been refused registration in the past or had your registration cancelled - unless it was because you did not pay your annual fee\n\n- are childminding in a home where a disqualified person lives or works\n\nIf you\u2019ve been disqualified, you may be able to apply to waive your disqualification\n\n## Which register to join\n\nThere are 2 registers - the Early Years Register and the Childcare Register.\n\nWhich register you join depends on:\n\n- the age of the children you\u2019re looking after\n\n- if you\u2019re registering as a childminder or a nanny\n\nYou\u2019ll be prompted to join the correct register when you apply.\n\n## Children up to the age of 5\n\nIf you\u2019re a childminder and you look after children from birth to 5 years old you must join the Early Years Register. This lets you look after children up to 31 August after their fifth birthday.\n\nYou\u2019ll get a registration visit from Ofsted when you apply.\n\nAfter you join the register you must follow the early years foundation stage (EYFS) framework.\n\nNannies cannot join the Early Years Register.\n\n## Children from 5 to 8 years old\n\nIf you\u2019re a childminder and you look after children from 5 to 8 years old you must join the Childcare Register. This lets you look after children from 1 September after their fifth birthday up to their eighth birthday.\n\nAs a nanny you can choose to join the Childcare Register, regardless of the age of the children you\u2019re looking after.\n\nYou may be inspected by Ofsted. You may also get a registration visit.\n\n## How much it costs\n\nYou need to pay an annual registration fee to Ofsted. You\u2019ll also have to pay for things like criminal record checks, training and insurance.\n\n## Registration fee\n\nYou\u2019ll have to pay the registration fee each year.\n\n| | Cost for childminders | Cost for nannies |\n\n| Childminders - caring only for children aged 5 or under | \u00a335 | Not applicable |\n\n| Childminders - caring only for children aged 5 or older | \u00a3103 | Not applicable |\n\n| Childminders - caring for children of all ages | \u00a335 | Not applicable |\n\n| Register as a nanny | Not applicable | \u00a3103 |\n\n## Criminal record and health checks\n\n| | Cost for childminders | Cost for nannies |\n\n| Your criminal record check | \u00a348.10 | \u00a348.10 |\n\n| Checks for adults in your home | \u00a348.10 each | Not applicable |\n\n| Criminal record check update service (recommended) | \u00a313/year | \u00a313/year |\n\n| GP to fill in and sign health declaration booklet | \u00a390 (approximately) | Not applicable |\n\n## Training\n\n| | Cost for childminders | Cost for nannies |\n\n| First aid course to cover the age groups you look after | \u00a360 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately) |\n\n| Childcare training on the type of care you will provide - ask your council | \u00a350 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately) |\n\n## Other costs\n\n| Insurance | Cost |\n\n| Public liability insurance | \u00a325 to \u00a3100 (approximately) |\n\n| Keeping digital records | Cost |\n\n| Register with ICO to keep digital records of children (childminders only) | \u00a340 |\n\n## Register as a nanny\n\nYou can register with Ofsted as a nanny or au pair to look after children in their own home.\n\nA nanny can look after children from 1 or 2 families at the same time.\n\nIf you want to look after children from more than 2 families at the same time in your home, you\u2019ll need to register as a childminder instead.\n\nYou will need:\n\n- an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check\n\n- first aid training\n\n- childcare training - speak to your local council\n\n- public liability insurance\n\n- a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years\n\nOfsted will reject your application if you do not have the correct documents.\n\n## How much it costs\n\nIt costs \u00a3103 to register with Ofsted. This fee is not refundable.\n\nFind out about other costs.\n\n## How long it takes\n\nIt usually takes up to 12 weeks to process your application.\n\n## Register online\n\nIt should take you about 15 minutes to fill in the form.\n\nRegister as a nanny\n\n## Register as a childminder\n\nYou must register with Ofsted to look after children in your home.\n\nIf you\u2019re looking after children in their own home, you should register with Ofsted as a nanny or au pair instead.\n\nYou will need:\n\n- an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check\n\n- first aid training for the age group you will look after\n\n- childcare training - speak to your local council\n\n- a health declaration booklet\n\n- contact details for 2 references\n\n- a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years\n\nOfsted will reject your application if you do not have the correct documents.\n\n## Checks on other people in your home\n\nIf anyone aged 16 or over lives with you or works in your home regularly, they\u2019ll need to get an enhanced criminal record check with barred lists.\n\nThe type of check they get depends on their role. For example your partner would need to get a different check to someone who works in your home, like a cleaner.\n\nThey\u2019ll also need to get a certificate of good character from an embassy if they\u2019ve lived abroad in the last 5 years.\n\n## How much it costs\n\nIt usually costs \u00a335 to register with Ofsted. This fee is not refundable.\n\nFind out about other costs.\n\n## How long it takes\n\nIt usually takes up to 12 weeks to process your application.\n\n## Register online\n\nIt should take you about 30 minutes to fill in the form.\n\nRegister as a childminder\n\n## After you apply\n\nWhen you submit your application Ofsted will:\n\n- do background checks with local authorities\n\n- check your references\n\n- give you a reference number to use if you have questions about your application\n\n## If you\u2019re a childminder\n\nAn inspector will visit you to check:\n\n- your identity and qualifications - including first aid qualifications\n\n- your house and garden are safe for children\n\n- that you\u2019re familiar with the early years foundation stage (EYFS) requirements and know how to put them into practice\n\n- your level of English\n\nYou will not usually get a registration visit if you\u2019re only looking after children aged over 5.\n\nFind out how to prepare for your registration visit.\n\n## If your application is approved\n\nYou\u2019ll get a certificate of registration if your application is approved. You will need this to start work as a childminder.\n\nOfsted will publish your unique reference number (\u2018URN\u2019) and inspection reports online. If you\u2019re a childminder they will also publish your name and address - unless you tell them not to.\n\n## If your application is refused\n\nOfsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.\n\nYou\u2019ll be disqualified from applying again in future.\n\n## Object to a decision\n\nYou can object to a decision if you\u2019ve been sent a \u2018notice of intention\u2019.\n\nYou must object within 14 days of the date on the notice.\n\nOfsted will consider your objection, then tell you if:\n\n- you\u2019re still refused registration\n\n- you cannot look after children in a particular home\n\n- your decision is overturned\n\nIf you do not object, or Ofsted does not change its decision, you\u2019ll get a second letter called a \u2018notice of decision\u2019. This is the final decision to refuse registration or approval of a certain premises.\n\n## Appeal a decision\n\nIf you disagree with Ofsted\u2019s final decision, you can appeal to an independent tribunal.\n\nYou must appeal within 3 months of the date that you\u2019re sent the notice of decision.\n\n## After you're registered\n\nYou must continue to meet the registration standards while you\u2019re working as a childminder or nanny.\n\nYou\u2019ll need to:\n\n- pay the annual registration fee\n\n- keep your details up to date\n\n- report any major accidents or incidents\n\nOfsted will inspect childminders and some nannies.\n\n## Keep your details up to date\n\nYou must tell Ofsted if:\n\n- you change where you\u2019re working\n\n- your contact details change\n\n- you stop working as a childminder or nanny\n\n## If you\u2019re a childminder\n\nYou must tell Ofsted if:\n\n- anyone 16 or over moves into your home or leaves your home\n\n- your childminding assistants change\n\n## Reporting accidents and incidents\n\nUse the early years incident online form to report:\n\n- a serious accident, injury or illness to a child, for example food poisoning\n\n- allegations that someone living, working or looking after children in your household has committed serious harm or abuse\n\n- anything that might affect the suitability of someone on the premises to look after children\n\n- a child\u2019s death\n\n## Providing other types of childcare\n\nIf you\u2019re a childminder, you can apply to set up childcare on non-domestic premises (for example, a playgroup or after-school club). You can work here for up to half of your time.\n\nIf you want to work with 3 or more childminders or childminding assistants in your home, you\u2019ll need to register as a daycare organisation (this is known as \u2018providing childcare on domestic premises\u2019).", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/become-childminder-nanny", + "answerable": true, + "scenario": "I am close friends with my neighbour. She has asked me if I would be a childminder for her children aged 4 and 7 for 1-2 hours a day during the week.", + "original_question": "Do I need to formally register as a childminder to do this?" + }, + { + "id": "train-1525", + "question": "Scenario: I am a self employed brick layer working regularly in my local area. \n\nQuestion: Will the Construction Industry Scheme save me money on my deduction?\n\nDocument - What you must do as a Construction Industry Scheme (CIS) subcontractor:\n## Overview\n\nYou should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:\n\n- self-employed\n\n- the owner of a limited company\n\n- a partner in a partnership or trust\n\nUnder CIS, a contractor must deduct 20% from your payments and pass it to HM Revenue and Customs (HMRC).\n\nThese deductions count as advance payments towards your tax and National Insurance bill.\n\nIf you do not register for the scheme, contractors must deduct 30% from your payments instead.\n\n## If you do not want deductions made\n\nIf you do not want deductions to be made in advance by contractors, you can apply for \u2018gross payment status\u2019. You can do this when you register for CIS.\n\nYou do not need to register for CIS if you\u2019re an employee. Check your employment status if you\u2019re not sure.\n\n## How to register\n\nTo register for the Construction Industry Scheme (CIS) you\u2019ll need:\n\n- your legal business name - you can also give a trading name if it\u2019s different to your business name\n\n- your National Insurance Number\n\n- the unique taxpayer reference number (UTR) for your business\n\n- your VAT registration number (if you\u2019re VAT registered)\n\nIf you\u2019re a subcontractor and a contractor (you pay subcontractors to do construction work), you\u2019ll need to register for CIS as both.\n\n## Register as a sole trader\n\nIf you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).\n\nYou can apply for gross payment status at the same time.\n\nIf you do not have a UTR, register as a new business for Self Assessment and choose \u2018working as a subcontractor\u2019 when prompted. You\u2019ll be registered for Self Assessment and CIS at the same time.\n\nYou can also call the CIS helpline to register.\n\n## Register as another type of business\n\nFill in the online form for limited companies or the online form for partnerships.\n\nHMRC will register the partnership separately to your sole trader registration. They will need the partnership UTR and trading name.\n\n## You are based abroad\n\nYou should still register for CIS if you are a subcontractor based abroad but do construction work in the UK.\n\n## Help and support\n\nCall the CIS helpline for help with registering.\n\nYou can also sign up for webinars and emails or watch videos from HMRC about CIS.\n\n## Get paid\n\nTo be paid correctly by a contractor, make sure you give them the exact same legal business name or trading name you gave when you registered for the Construction Industry Scheme (CIS). You should also give them your Unique Taxpayer Reference (UTR) so they can verify you.\n\nIf you do not, this could affect how much you get paid.\n\n## Deduction rates\n\nWhen a contractor pays you under CIS, they\u2019ll normally make deductions at the standard rate of 20%.\n\nContractors will make deductions at a higher rate of 30% if:\n\n- you are not registered for CIS\n\n- they cannot verify you\n\n- you give the wrong name for your business\n\nYour contractor should give you monthly statements of payments and deductions. Use them to calculate whether you still owe tax and National Insurance to HM Revenue and Customs (HMRC) or are due a refund.\n\n## Gross payment status\n\nYou can apply for gross payment status when you register for CIS. This means the contractor will not make deductions from your payments and you\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\n## What does not count as your pay\n\nContractors will not make a deduction from amounts you charge on your invoice for:\n\n- VAT\n\n- materials that you have paid for directly\n\n- equipment which is now unusable (\u2018consumable stores\u2019)\n\n- plant hired for the job\n\n- manufacturing or prefabricating materials\n\n## Pay tax and claim back deductions\n\nWhen you\u2019re registered with the Construction Industry Scheme (CIS), you\u2019re still responsible for paying the correct tax and National Insurance for your business, even if deductions have been made by contractors throughout the year.\n\nContractors will give you a monthly statement of what they\u2019ve paid you and deductions they\u2019ve made to help with your accounting.\n\n## Sole traders and partners\n\nAt the end of the tax year, send in your Self Assessment tax return as usual. You should record:\n\n- the full amounts on your invoices as income\n\n- any deductions contractors have made in the \u2018CIS deductions\u2019 field\n\nHM Revenue and Customs (HMRC) will work out your tax and National Insurance bill and take off any deductions made by contractors.\n\nIf you still owe tax after this, you\u2019ll need to pay it by 31 January following the end of the tax year.\n\nIf you\u2019re due a tax refund, HMRC will pay the money back.\n\n## Limited companies\n\nIf you have gross payment status, declare all your income in your Corporation Tax return as usual.\n\nIf you pay CIS deductions, you must claim these back through your company\u2019s monthly payroll scheme. Do not try to claim back through your Corporation Tax return - you may get a penalty if you do.\n\n- Send your monthly Full Payment Submission (FPS) as usual to HMRC.\n\n- Also send an Employer Payment Summary (EPS). Enter the total CIS deductions for the year to date.\n\n- HMRC will take your CIS deductions off what you owe in PAYE tax and National Insurance. Pay the balance by the usual date.\n\nIf your company\u2019s PAYE bill for the period is reduced to zero and you still have some CIS deductions you have not been able to claim back, carry these forward to the next month or quarter (in the same tax year). Tell HMRC in the EPS that you have nothing to pay.\n\n## If HMRC thinks your claim is wrong\n\nHMRC may ask you to provide evidence for your CIS deductions or to change your claim.\n\nIf you do not do this by the deadline they give you, you will not be able to make any more claims in that tax year.\n\nYou can appeal HMRC\u2019s decision. They\u2019ll tell you how to do this.\n\n## Keep records\n\nYour company must keep a record of amounts claimed back against your monthly or quarterly PAYE bill.\n\nYou can use form CIS132 to do this or keep your own records.\n\n## If you paid too much in CIS deductions\n\nHMRC will pay back any deductions your company has not been able to claim back from its PAYE bill during the tax year.\n\n## If your company goes into administration\n\nIf your company goes into administration or liquidation, the person managing it should write to HMRC to ask for CIS deductions to be repaid straight away.\n\n## If you do not have all your CIS statements\n\nIf you have not received all the CIS statements you need from your contractor, you can ask them to send you replacement copies.\n\nIf the contractor you\u2019re working for stops trading and you have not been able to get all your CIS statements you should write to HMRC.\n\nInclude the following information:\n\n- your name, address and Unique Taxpayer Reference (UTR)\n\n- the name and address of the contractor\n\n- the contractor\u2019s tax reference - if you know it\n\n- the dates of the payments or the tax months when the contractor paid you\n\n- the reason why you do not have the statements or duplicates\n\n## How to get gross payment status\n\nYou can apply for gross payment status when you register for CIS.\n\nThis means contractors will pay you in full, without deductions. You\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\nIf you\u2019re already registered for CIS, you can apply for gross payment status by calling the CIS helpline or applying online.\n\n## Apply for gross payment status online\n\n- Sign in to Government Gateway - you\u2019ll need the Government Gateway user ID and password you used when you registered for CIS. If you do not have a user ID, you can create one when you register for CIS.\n\n- From \u2018Your tax account\u2019, go to \u2018Other services\u2019.\n\n- Choose \u2018Construction Industry Scheme \u2013 Subcontractors\u2019.\n\n## To qualify\n\nYou must show HM Revenue and Customs (HMRC) that your business passes some tests. You\u2019ll need to show that:\n\n- you\u2019ve paid your tax and National Insurance on time in the past\n\n- your business does construction work (or provides labour for it) in the UK\n\n- your business is run through a bank account\n\nHMRC will look at your turnover for the last 12 months. Ignoring VAT and the cost of materials, your turnover must be at least:\n\n- \u00a330,000 if you\u2019re a sole trader\n\n- \u00a330,000 for each partner in a partnership, or at least \u00a3100,000 for the whole partnership\n\n- \u00a330,000 for each director of a company, or at least \u00a3100,000 for the whole company\n\nIf your company\u2019s controlled by 5 people or fewer, you must have an annual turnover of \u00a330,000 for each of them.\n\nYou could be fined if you provide false information or help someone else to make a false application.\n\n## Paying tax when you have gross payment status\n\nYou must declare your payments as income at the end of the tax year in:\n\n- your Self Assessment tax return if you\u2019re a sole trader or partner\n\n- your Corporation Tax return if you own a limited company\n\n## Annual review\n\nIf you have gross payment status, HM Revenue and Customs (HMRC) will review your business every year, to decide if you can keep your status.\n\nYou must be on time with your tax returns and payments to keep your gross payment status.\n\nIf you run a limited company, HMRC will review the company itself, rather than individual directors or shareholders.\n\n## You do not meet all the conditions\n\nYou could fail the review and HMRC will remove your gross payment status. You\u2019ll be allowed a small amount of late payments or returns.\n\nContact HMRC if you have problems paying your tax on time. If HMRC give you more time to pay, this will not affect your gross payment status.\n\n## You fail your review\n\nYou\u2019ll get a letter explaining you\u2019re about to fail the review, along with the reasons why.\n\nIf you disagree, you can write back with your reasons.\n\nIf HMRC accept your explanation, they will not remove your gross payment status.\n\nIf you do not reply to the letter or HMRC does not accept your explanation, they\u2019ll write to explain:\n\n- what conditions you have not met\n\n- that they\u2019re withdrawing your gross payment status in 90 days\n\nIf you think HMRC have made the wrong decision, you have 30 days from the date of this letter to appeal.\n\n## Reapplying for gross payment status\n\nIf HMRC cancel your gross payment status, you need to wait a year from the date of the cancellation before you can reapply.\n\n## Changes you need to report\n\nReport changes by calling the Construction Industry Scheme (CIS) helpline.\n\nTell them if you:\n\n- change from a sole trader to a partnership\n\n- leave a partnership or company to become a sole trader\n\n- create a company or change your business to a company\n\nYou\u2019ll usually need to register again for CIS - as you cannot transfer the registration from your old business structure.\n\nIf you have gross payment status, you\u2019ll need to apply again.\n\nYou must also tell HM Revenue and Customs (HMRC) if you:\n\n- change your trading name\n\n- change your business, private or registered office address\n\n- stop trading\n\n- add new shareholders - HMRC may withdraw your gross payment status if you do not tell them within 30 days\n\n## Stop trading\n\nIf your business goes into administration it can keep receiving payments for work it\u2019s done under CIS. It should be paid in the same way that it was paid normally - either gross or under deduction.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "answerable": true, + "scenario": "I am a self employed brick layer working regularly in my local area. ", + "original_question": "Will the Construction Industry Scheme save me money on my deduction?" + }, + { + "id": "train-1530", + "question": "Scenario: I am extending my caf\u00e9, the building work will allow for more tables and hopefully more custom. \n\nQuestion: For a small extension, will fire safety have to be designed into the work the builder is doing?\n\nDocument - Fire safety in the workplace:\n## Who's responsible\n\nYou\u2019re responsible for fire safety in business or other non-domestic premises if you\u2019re:\n\n- an employer\n\n- the owner\n\n- the landlord\n\n- an occupier\n\n- anyone else with control of the premises, for example a facilities manager, building manager, managing agent or risk assessor\n\nYou\u2019re known as the \u2018responsible person\u2019. If there\u2019s more than one responsible person, you have to work together to meet your responsibilities.\n\nThe Fire Safety Order also applies if you have paying guests, for example if you run a bed and breakfast, guesthouse or let a self-catering property.\n\nFire safety rules are different in Scotland and Northern Ireland.\n\n## Responsibilities\n\nAs the responsible person you must:\n\n- carry out a fire risk assessment of the premises and review it regularly\n\n- tell staff or their representatives about the risks you\u2019ve identified\n\n- put in place, and maintain, appropriate fire safety measures\n\n- plan for an emergency\n\n- provide staff information, fire safety instruction and training\n\nYou can read about how to make sure your premises are safe from fire.\n\n## Non-domestic premises\n\nNon-domestic premises are:\n\n- all workplaces and commercial premises\n\n- all premises the public have access to\n\n- the common areas of multi-occupied residential buildings\n\n## Shared premises\n\nIn shared premises it\u2019s likely there\u2019ll be more than one responsible person. You\u2019ll need to co-ordinate your fire safety plans to make sure people on or around the premises are safe.\n\nFor common or shared areas, the responsible person is the landlord, freeholder or managing agent.\n\n## Alterations, extensions and new buildings\n\nWhen building new premises or doing building work on existing premises, you must comply with building regulations. This includes designing fire safety into the proposed building or extension.\n\nRead the fire safety building regulations.\n\n## Penalties and enforcement\n\nYou could be fined or go to prison if you do not follow fire safety regulations.\n\nLocal fire and rescue authorities inspect premises and can issue fire safety notices telling you about changes you need to make.\n\n## Fire risk assessments\n\nAs the responsible person you must carry out and regularly review a fire risk assessment of the premises. This will identify what you need to do to prevent fire and keep people safe.\n\nYou must keep a written record of your fire risk assessment if your business has 5 or more people.\n\n## Carrying out the assessment\n\n- Identify the fire hazards.\n\n- Identify people at risk.\n\n- Evaluate, remove or reduce the risks.\n\n- Record your findings, prepare an emergency plan and provide training.\n\n- Review and update the fire risk assessment regularly.\n\nThe fire safety risk assessment chart gives more detailed information about these steps.\n\nYou\u2019ll need to consider:\n\n- emergency routes and exits\n\n- fire detection and warning systems\n\n- fire fighting equipment\n\n- the removal or safe storage of dangerous substances\n\n- an emergency fire evacuation plan\n\n- the needs of vulnerable people, for example the elderly, young children or those with disabilities\n\n- providing information to employees and other people on the premises\n\n- staff fire safety training\n\n## Help with the assessment\n\nYou can do the fire risk assessment yourself with the help of standard fire safety risk assessment guides.\n\nIf you do not have the expertise or time to do the fire risk assessment yourself you need to appoint a \u2018competent person\u2019 to help, for example a professional risk assessor.\n\nYour local fire and rescue authority might be able to give you advice if you\u2019re not sure your risk assessment\u2019s been carried out properly. However, they cannot carry out risk assessments for you.\n\n## Assessment guides\n\nYou can download the following guides on risk assessments in:\n\n- offices and shops\n\n- factories and warehouses\n\n- sleeping accommodation\n\n- residential care premises\n\n- educational premises\n\n- small and medium places of assembly (holding 300 people or less)\n\n- large places of assembly (holding more than 300 people)\n\n- theatres, cinemas and similar premises\n\n- open air events and venues\n\n- healthcare premises\n\n- animal premises and stables\n\n- transport premises and facilities\n\nYou can also find guidance on:\n\n- risk assessments if you work in construction\n\n- purpose-built blocks of flats and other types of housing if you\u2019re a landlord\n\n## Fire safety and evacuation plans\n\nYour plan must show how you have:\n\n- a clear passageway to all escape routes\n\n- clearly marked escape routes that are as short and direct as possible\n\n- enough exits and routes for all people to escape\n\n- emergency doors that open easily\n\n- emergency lighting where needed\n\n- training for all employees to know and use the escape routes\n\n- a safe meeting point for staff\n\n## People with mobility needs\n\nYou should also make special arrangements for people with mobility needs, for example make sure there are people to help wheelchair users get downstairs if there\u2019s a fire.\n\n## Fire safety equipment, drills and training\n\n## Fire detection and warning systems\n\nYou must have a fire detection and warning system. You may need different types of detectors, depending on the type of building and the work carried out in it.\n\n## Fire fighting equipment\n\nThe types of equipment you need depend on your business premises. You\u2019ll need to have any equipment properly installed, tested and maintained and train your staff to use them if necessary.\n\n## Maintenance and testing\n\nYou must carry out regular checks to make sure that:\n\n- all fire alarm systems are working\n\n- the emergency lighting is working\n\n- you record any faults in systems and equipment\n\n- all escape routes are clear and the floor is in good condition\n\n- all fire escapes can be opened easily\n\n- automatic fire doors close correctly\n\n- fire exit signs are in the right place\n\n## Fire drills and training\n\nYou need to train new staff when they start work and tell all employees about any new fire risks.\n\nYou should carry out at least one fire drill per year and record the results. You must keep the results as part of your fire safety and evacuation plan.\n\n## Enforcement, appeals and penalties\n\nYour local fire and rescue authority visits premises to check the fire risk assessment and fire prevention measures are appropriate. Fire safety officers should help you understand the rules and comply with them.\n\nThey can also take action if they think your fire safety measures are not adequate. For example, they might issue an informal notice suggesting safety measures.\n\nThey could also give you a formal fire safety notice. They\u2019ll tell you how to fix the problems described in the notice.\n\n## Alterations notice\n\nYou could get an alterations notice if your premises have high safety risks or will have high safety risks if the use of the premises changes.\n\n## Enforcement notice\n\nYou could get an enforcement notice if the fire and rescue authority finds a serious risk that\u2019s not being managed. It will say what improvements are needed by when.\n\n## Prohibition notice\n\nThese take effect immediately if the fire and rescue authority thinks the fire risk is so great that access to your premises needs to be prohibited or restricted.\n\n## Appeals\n\nYou may be able to arrange an informal review from your fire and rescue authority if you disagree with the decision to issue a fire safety notice.\n\nYou can appeal to your local magistrates\u2019 court within 21 days of receiving a notice.\n\nIn certain circumstances, you and the fire and rescue authority can ask for a \u2018determination\u2019 from the Home Secretary to resolve a dispute.\n\n## Penalties\n\nYou could be fined or go to prison if you do not follow fire safety regulations.\n\nMinor penalties can be up to \u00a35,000. Major penalties can have unlimited fines and up to 2 years in prison.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "answerable": true, + "scenario": "I am extending my caf\u00e9, the building work will allow for more tables and hopefully more custom. ", + "original_question": "For a small extension, will fire safety have to be designed into the work the builder is doing?" + }, + { + "id": "train-1532", + "question": "Scenario: I have a limited company and I am the director and because of the recent IR35 rules I have decided to take a permanent role and planning to apply for liquidation of my company . I have three shareholder in my limited company\n\nQuestion: Do I have get share holder's permission to file a liquidation ?\n\nDocument - Liquidate your limited company:\n## Overview\n\nYou can choose to liquidate your limited company (also called \u2018winding up\u2019 a company).\n\nThe company will stop doing business and employing people. The company will not exist once it\u2019s been removed (\u2018struck off\u2019) from the companies register at Companies House.\n\nWhen you liquidate a company, its assets are used to pay off its debts. Any money left goes to shareholders. You\u2019ll need a validation order to access your company bank account.\n\nIf that money has not been shared between the shareholders by the time the company is removed from the register, it will go to the state.\n\nYou\u2019ll need to restore your company to claim back money after it\u2019s been removed from the register.\n\nThere are 3 types of liquidation:\n\n- creditors\u2019 voluntary liquidation - your company cannot pay its debts and you involve your creditors when you liquidate it\n\n- compulsory liquidation - your company cannot pay its debts and you apply to the courts to liquidate it\n\n- members\u2019 voluntary liquidation - your company can pay its debts but you want to close it\n\nYour company may be forced into liquidation if it cannot pay its debts.\n\n## Arrange liquidation with your creditors\n\nA director can propose a company stops trading and be liquidated (\u2018wound up\u2019) if:\n\n- the company cannot pay its debts (it\u2019s \u2018insolvent\u2019)\n\n- enough shareholders agree\n\n## Get shareholders\u2019 agreement\n\nYou must call a meeting of shareholders and ask them to vote.\n\n75% (by value of shares) of shareholders must agree to the winding-up to pass a \u2018winding-up resolution\u2019.\n\nOnce the resolution is made there are 3 steps you must follow.\n\n- Appoint an authorised insolvency practitioner as liquidator to take charge of liquidating the company. You can find an insolvency practitioner online.\n\n- Send the resolution to Companies House within 15 days.\n\n- Advertise the resolution in The Gazette within 14 days.\n\nYour responsibilities as a director will change.\n\n## Apply directly to the court\n\nA director can ask a court to order the company to stop trading and be liquidated (\u2018wound up\u2019).\n\nThis is known as \u2018compulsory liquidation\u2019.\n\nYou need to show the court that:\n\n- the company cannot pay its debts of \u00a3750 or more\n\n- 75% (by value of shares) of shareholders agree that the court can wind up the company\n\nYour company can be based anywhere but must carry out most of its business in England, Scotland and Wales.\n\n## How to apply\n\nFill in a \u2018winding-up petition\u2019 (form Comp 1) and send it to the court with:\n\n- form Comp 2 confirming the details of your petition\n\n- the winding-up resolution from the shareholders\n\nWhere you send the petition depends on how much \u2018paid-up share capital\u2019 your company has. You can find this on the Companies House register.\n\n## Your paid-up share capital is \u00a3120,000 or more\n\nSubmit the petition online. It\u2019ll go to the High Court.\n\n## Your paid-up share capital is under \u00a3120,000\n\nFind your nearest court that deals with bankruptcy.\n\nSubmit the petition online if it\u2019s one of these courts:\n\n- Admiralty and Commercial Court\n\n- Chancery Division\n\n- Companies Court\n\n- High Court (including Bankruptcy Court)\n\n- London Mercantile Court\n\n- Rolls Building\n\nIf it was another court you\u2019ll need to submit the petition by post.\n\n## Fees\n\nIt costs:\n\n- \u00a31,600 to submit the petition\n\n- \u00a3280 for the court hearing\n\n## After you apply\n\nYou\u2019ll get a date for the hearing if the court accepts your petition.\n\nBefore the court hearing, you must:\n\n- give (\u2018serve\u2019) a copy of the petition to your company - fill in a certificate of service to let the court know you\u2019ve done this\n\n- put an advert in The Gazette at least 7 days before the hearing\n\n- send a copy of the advert and the certificate of service to the court\n\n## The court hearing\n\nYou or your solicitor must be at the court hearing. You do not have to give any evidence.\n\nIf the court gives a winding-up order, the court will put an official receiver in charge of the liquidation. They\u2019ll start liquidating your company. A copy of the winding-up order will be sent to your company\u2019s registered office.\n\nYour role as a director will change.\n\n## Liquidate a company you do not want to run anymore\n\nYou may choose members\u2019 voluntary liquidation if your company is \u2018solvent\u2019 (can pay its debts) and one of the following applies:\n\n- you want to retire\n\n- you want to step down from the family business and nobody else wants to run it\n\n- you do not want to run the business any more\n\nTo pass a resolution for members\u2019 voluntary liquidation, you must:\n\n- make a \u2018Declaration of solvency\u2019 - English and Welsh companies\n\n- ask the Accountant in Bankruptcy for form 4.25 (Scot) - Scottish companies\n\nYou\u2019ll need to review the company\u2019s assets and liabilities just before making the declaration.\n\n## Make a declaration of solvency\n\nWrite a statement saying that the directors have assessed the company and believe it can pay its debts, with interest at the official rate. You should also include:\n\n- the name and address of the company\n\n- the names and addresses of the company\u2019s directors\n\n- how long it will take the company to pay its debts - this must be no longer than 12 months from when the company\u2019s liquidated\n\nYou also need to include the statement of the company\u2019s assets and liabilities.\n\n## After you\u2019ve signed the declaration or form\n\nThere are 5 further steps to members\u2019 voluntary liquidation.\n\n- Sign the declaration or form 4.25 (Scot) - it must be signed by the majority of directors in front of a solicitor or \u2018notary public\u2019.\n\n- Call a general meeting with shareholders no more than 5 weeks later and pass a resolution for voluntary winding up.\n\n- At the meeting appoint an authorised insolvency practitioner as a liquidator who will take charge of winding up the company. You can find an insolvency practitioner online.\n\n- Advertise the resolution in The Gazette within 14 days.\n\n- Send your signed declaration to Companies House or form 4.25 (Scot) to the Accountant in Bankruptcy (for Scottish companies) within 15 days of passing the resolution.\n\nWhen the liquidator is appointed they take control of the company. Your responsibilities as a director will change.\n\n## What the liquidator does\n\nThe liquidator is an authorised insolvency practitioner or official receiver who runs the liquidation process.\n\nAs soon as the liquidator is appointed, they\u2019ll take control of the business.\n\nThey will:\n\n- settle any legal disputes or outstanding contracts\n\n- sell off the company\u2019s assets and use any money to pay creditors\n\n- meet deadlines for paperwork and keep authorities informed\n\n- pay liquidation costs and the final VAT bill\n\n- keep creditors informed and involve them in decisions where necessary\n\n- make payments to creditors\n\n- interview the directors and report on what went wrong in the business\n\n- get the company removed from the companies register\n\nIn a creditors\u2019 voluntary liquidation, the liquidator acts in the interest of the creditors not the directors.\n\n## What happens to directors\n\nWhen a liquidator is appointed, directors:\n\n- no longer have control of the company or anything it owns\n\n- cannot act for or on behalf of the company\n\nIf you\u2019re a director you must:\n\n- give the liquidator any information about the company they ask for\n\n- hand over the company\u2019s assets, records and paperwork\n\n- allow the liquidator to interview you, if they ask\n\nYou can be banned from being a director for 2 to 15 years or prosecuted if the liquidator decides your conduct was unfit.\n\n## Re-using company names\n\nIf you were a director of a company in compulsory liquidation or creditors\u2019 voluntary liquidation, you\u2019ll be banned for 5 years from forming, managing or promoting any business with the same or similar name to your liquidated company. This includes the company\u2019s registered name and any trading names (if it had any).\n\nThe only exceptions to this are where:\n\n- the business is sold by a licensed insolvency practitioner giving the legally required notice\n\n- you get the court\u2019s permission to use the name\n\n- you\u2019re involved with another company that\u2019s been using the same name as the liquidated company for at least a year\n\nRead the guidance on re-using company names.\n\n## Access to your bank account\n\nYour company\u2019s bank account will be frozen when someone files a petition to wind up the company.\n\nYou need a validation order to access it.\n\n## How to apply for a validation order\n\nTell the person who filed the winding-up petition (the respondent) you\u2019re applying for a validation order. You must also tell them what court you\u2019ll apply to (usually the Companies Court) and when you\u2019ll apply.\n\nFill in Form IAA and write a witness statement. Take the form and the statement to the court.\n\nYou need to pay a \u00a3155 fee.\n\n## What happens after you apply\n\nYou\u2019ll be given a hearing on the same day or within the next few days.\n\nAt the hearing, you present your case to a registrar or district judge.\n\nThe respondent will present their case if they object to you getting a validation order.\n\nAt the end of the hearing you\u2019ll either:\n\n- get a decision - you\u2019ll also get a written copy sent to you\n\n- be asked to attend another hearing if the court wants more evidence\n\nYou\u2019ll be given the validation order if your application is successful. You must give your bank a copy of this to access your company\u2019s bank account.\n\nIf you do not agree with the decision you may be able to appeal to the Chancery Division of the High Court.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/liquidate-your-company", + "answerable": true, + "scenario": "I have a limited company and I am the director and because of the recent IR35 rules I have decided to take a permanent role and planning to apply for liquidation of my company . I have three shareholder in my limited company", + "original_question": "Do I have get share holder's permission to file a liquidation ?" + }, + { + "id": "train-1533", + "question": "Scenario: We have recently created a beauty product and been selling to the local supermarket stores. Recently we decided to market the product online we have started receiving orders and queries from customers. As part of this we have store some customer information\n\nQuestion: Can we use their information to send them targeted advertisement?\n\nDocument - Marketing and advertising: the law:\n## Overview\n\nAll marketing and advertising must be:\n\n- an accurate description of the product or service\n\n- legal\n\n- decent\n\n- truthful\n\n- honest\n\n- socially responsible (not encouraging illegal, unsafe or anti-social behaviour)\n\nThere are regulations that restrict what advertisers can and cannot do.\n\nAs well as the regulations, there are 2 advertising codes of practice that you need to follow to help you advertise legally.\n\nYou must describe your product or service accurately.\n\n## Requirements for specific products\n\nThere are also specific requirements that apply to certain sectors, such as:\n\n- food\n\n- alcohol\n\n- beauty products\n\n- environmentally friendly products\n\n- medicines\n\n- tobacco\n\nFor example, you can only claim your drink is \u2018low in alcohol\u2019 if it contains between 0.5% and 1.2% alcohol by volume.\n\n## Data protection\n\nIf you\u2019re gathering, storing or using information about customers or potential customers, you must also protect their data.\n\n## Regulations that affect advertising\n\n## Advertising to consumers\n\nThe Consumer Protection from Unfair Trading Regulations mean you cannot mislead or harass consumers by, for example:\n\n- including false or deceptive messages\n\n- leaving out important information\n\n- using aggressive sales techniques\n\nRead \u2018The consumer protection from unfair trading regulations\u2019 for the rules on advertising legally.\n\n## Advertising to businesses\n\nAdvertising to businesses is covered by the Business Protection from Misleading Marketing Regulations. As well as being accurate and honest, you must not make misleading comparisons with competitors, that includes:\n\n- using a competitor\u2019s logo or trademark, or something very similar\n\n- comparing your product with a competitor\u2019s product that\u2019s not the same\n\nDownload \u2018The Business Protection from Misleading Marketing Regulations 2008\u2019 for more detail about the regulations that cover advertising to businesses.\n\n## Penalties\n\nIf you break the regulations, you could be reported to a local Trading Standards office. You could be fined, prosecuted or imprisoned.\n\n## Advertising codes of practice\n\nThere are 2 advertising codes of practice that describe how businesses should advertise.\n\nThey cover all kinds of promotional communications, depending where the advert or promotion will appear.\n\n## Non-broadcast media\n\nThe CAP non-broadcast code has rules that cover non-broadcast advertising (for example print, online), sales promotion and direct marketing (such as telesales and email).\n\nThe code specifies standards for accuracy and honesty that businesses must stick to, including specific conditions, such as:\n\n- advertising to children\n\n- causing offence\n\n- political advertising\n\n## Broadcast media (for example TV, radio)\n\nYou must follow the CAP broadcast code, which covers issues including taste, decency and product placement.\n\nAs well as setting standards about accuracy and honesty businesses must stick to, they also have rules about things like scheduling.\n\n## General broadcasting rules\n\nYou also need to follow rules about taste, decency, product placement etc that apply to all broadcasting.\n\nThese are called \u2018broadcast codes\u2019. Find out more about them on the Ofcom website.\n\n## Enforcing the rules\n\nThe rules are enforced by the Advertising Standards Authority (ASA).\n\nAnyone who thinks advertising rules have been broken can complain to the ASA within 3 months of the advert appearing.\n\nIf an advert breaks the rules, it may be withdrawn. If the product does not match the description or the advert breaks the law, you could be prosecuted.\n\n## Describing your product\n\nYou must describe your product accurately. This means if you make a claim about your product, you must be able to prove what you say.\n\n## Prices\n\nYour adverts must describe the actual cost accurately, including any ongoing or associated costs (like subscription fees) and taxes (such as VAT).\n\n## Direct marketing\n\nYou must check if customers want to be contacted by fax, phone, post or email, and give them the chance to object. You must be able to prove you\u2019ve done this.\n\nWhen you collect customer details, you must get their permission if you want to send them other offers or promotions.\n\nYou must also ask for their permission if you want to share their information with another organisation.\n\n## Letting customers opt out\n\nCustomers have the right to stop their information being used for direct marketing.\n\nYou must make it easy to opt out - for example by sending a \u2018STOP\u2019 text to a short number, or using an \u2018unsubscribe\u2019 link.\n\n## Telesales and fax marketing\n\nYou must say who you are when you make a telesales call, and give your address or phone number if you\u2019re asked for it. The number for customers to call must be a freephone number.\n\nYou\u2019re not allowed to send marketing faxes to individuals unless you\u2019ve received their prior permission, but you can send unsolicited faxes to companies.\n\nYou must be able to prove that you\u2019ve checked you\u2019re not contacting anyone who does not want to be contacted.\n\nCheck who\u2019s asked not to receive calls or faxes using the:\n\n- Telephone Preference Service\n\n- Fax Preference Service\n\nIt\u2019s illegal to phone or fax someone registered with these services if you do not have their permission. You can be fined up to \u00a3500,000 for each unsolicited phonecall.\n\n## Automated calls\n\nIf you want to make automated calls - with pre-recorded phone messages - you must get the permission of the individual or business first.\n\n## Direct mail\n\nCheck that your mailing lists do not include anyone who\u2019s asked not to receive direct mailing, using the Mail Preference Service.\n\n## Email marketing and text messages\n\nYou\u2019re only allowed to send marketing emails to individual customers if they\u2019ve given you permission.\n\nEmails or text messages must clearly indicate:\n\n- who you are\n\n- that you\u2019re selling something\n\n- what the promotions are, and any conditions\n\nCheck that you are not sending emails to anyone who\u2019s asked not to receive them, using the Email Preference Service.\n\nIf you buy or rent a mailing list, ask the supplier if you have the right to use it for email marketing.\n\nEvery marketing email you send must give the person the ability to opt out of (or \u2018unsubscribe from\u2019) further emails.\n\nYou must tell customers if you add them to a list of people who do not want to be emailed.\n\n## Cookies\n\nYou must tell visitors to your website how your site uses cookies, and ask if they want to accept them.\n\nThe information should be easy to understand.\n\nFind out more about cookies on the Information Commissioner\u2019s Office website and AboutCookies.org.\n\nCustomers can complain if you misuse their information, and you could be ordered to pay a fine or compensation.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/marketing-advertising-law", + "answerable": true, + "scenario": "We have recently created a beauty product and been selling to the local supermarket stores. Recently we decided to market the product online we have started receiving orders and queries from customers. As part of this we have store some customer information", + "original_question": "Can we use their information to send them targeted advertisement?" + }, + { + "id": "train-1536", + "question": "Scenario: I run a small business making bicycles that is based in England. I want to start shipping our products to Northern Ireland.\n\nQuestion: To get an XI EORI number, do I need to have a GB EORI number first?\n\nDocument - Get an EORI number:\n## Who needs an EORI\n\nYou may need an Economic Operators Registration and Identification number (EORI number) if you move goods:\n\n- between Great Britain (England, Scotland and Wales) or the Isle of Man and any other country (including the EU)\n\n- between Great Britain and Northern Ireland\n\n- between Great Britain and the Channel Islands\n\n- between Northern Ireland and countries outside the EU\n\nThis guide is also available in Welsh (Cymraeg).\n\nTo get an EORI number, your business usually needs to have premises based in the country you want to import to or export from - this is called \u2018being established\u2019. Your premises will need to be either a:\n\n- registered office\n\n- central headquarters\n\n- permanent business establishment - premises where some of your customs-related activities are taking place and your HR and technical resources are permanently located\n\nYou do not need an EORI number if you\u2019re moving goods for personal use only.\n\n## If your business is not based in the country you\u2019re moving goods to or from\n\nYou should still get an EORI number if you\u2019re:\n\n- making a customs declaration - check if you\u2019re eligible to make a customs declaration\n\n- making an entry summary declaration\n\n- making an exit summary declaration\n\n- making a temporary storage declaration\n\n- making a customs declaration for temporary admission or re-export declaration where you have a guarantee\n\n- acting as a carrier for transporting goods by sea, inland waterway or air\n\n- acting as a carrier connected to the customs system and you want to get notifications regarding the lodging or amendment of entry summary declarations\n\n- established in a common transit country where the declaration is lodged instead of an entry summary declaration or is used as a pre-departure declaration\n\nIf you\u2019re not eligible to apply for an EORI number yourself, you\u2019ll need to appoint someone to deal with customs on your behalf. The person you appoint will need to get the EORI number instead of you.\n\nIf you\u2019re based in the Channel Islands and you move goods to or from the UK, you do not need an EORI number. You\u2019ll need an EORI number if you use HMRC\u2019s customs systems like Customs Handling of Import and Export Freight (CHIEF).\n\n## When you\u2019ll need your EORI number\n\nYou\u2019ll need your EORI number if you:\n\n- appoint someone to deal with customs for you and are \u2018established\u2019 in the country you\u2019re importing to or exporting from\n\n- make customs declarations\n\n- use customs systems, such as the CHIEF system\nand the Import Control System Northern Ireland (ICS NI)\n\n- apply for a customs decision\n\n## Check which EORI number you need\n\nWhich type of EORI number you need and where you get it from depends on where you\u2019re moving goods to and from. You may need more than one.\n\nIf you do not have the right EORI number, you may have delays at customs and increased costs, for example your goods may have to be stored until you get an EORI.\n\n## If you\u2019re moving goods to or from Great Britain\n\nIf you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.\n\n## If you\u2019re moving goods to or from Northern Ireland\n\nYou may also need an EORI number starting with XI if you move goods to or from Northern Ireland.\n\nYou do not need an EORI number starting with XI if you already have an EORI number from an EU country.\n\n## If your business will be making declarations or getting a customs decision in the EU\n\nYou may need an EU EORI number from an EU country. Contact the customs authority in an EU country to get an EORI number. You do not need an EORI number from an EU country if you already have an EORI number starting with XI.\n\n## If you move goods to or from Northern Ireland\n\nYou must have an Economic Operators Registration and Identification number (EORI number) that starts with XI if you:\n\n- move goods into Northern Ireland from Great Britain (England, Scotland and Wales)\n\n- move goods from Northern Ireland to another non-EU country\n\n- make a declaration in Northern Ireland\n\n- apply for a customs decision in Northern Ireland\n\nYou only need to declare certain goods you move from Northern Ireland to Great Britain. Check if you need to make an export declaration and will need an EORI number that starts with XI.\n\nOnly people or organisations based in Northern Ireland or the EU can be named as the \u2018declarant\u2019 on import and export declarations made in Northern Ireland.\n\nYou do not need an EORI number if you only move goods on the island of Ireland or between an EU country and Northern Ireland.\n\nIf you already have an EU EORI number you do not need to apply for an XI EORI number.\n\nFind out how to apply for an XI EORI number.\n\n## Get help and advice if you move goods between Great Britain and Northern Ireland\n\nSign up for the Trader Support Service to get advice on EORI numbers and moving goods between Great Britain and Northern Ireland.\n\nFind more guidance on moving goods to and from Northern Ireland.\n\n## Apply for an EORI number\n\n## Apply for an EORI number that starts with GB\n\nTo apply for an Economic Operators Registration and Identification number (EORI number) you need your:\n\n- Unique Taxpayer Reference (UTR) - find your UTR if you do not know it\n\n- business start date and Standard Industrial Classification (SIC) code - these are in the Companies House register\n\n- Government Gateway user ID and password\n\n- VAT number and effective date of registration (if you\u2019re VAT registered) - these are on your VAT registration certificate\n\n- National Insurance number - if you\u2019re an individual or a sole trader\n\nIf you do not already have a Government Gateway user ID, you\u2019ll be able to create one when you apply.\n\nApply for a GB EORI number\n\nYou\u2019ll get your GB EORI number immediately unless HMRC needs to make any checks on your application. If they do, it can take up to 5 working days.\n\n## Apply for an EORI number that starts with XI\n\nBefore you apply, check you\u2019re eligible for an XI EORI number.\n\nYou must have applied for a GB EORI number before you can get an XI EORI number.\n\nOnce you have your GB EORI number then fill in an enquiry form, making sure you:\n\n- tick the box to say you will be trading with Northern Ireland or are based in Northern Ireland\n\n- tick the box saying your enquiry is a \u201cQuery regarding a current EORI number application\u201d\n\nYou\u2019ll get your XI EORI within 4 days.\n\n## Get help with an EORI number\n\nYou can check the status of an application you have already made.\n\nFill in an enquiry form if you have forgotten your EORI number, your details have changed or you have a question about your application.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/eori", + "answerable": true, + "scenario": "I run a small business making bicycles that is based in England. I want to start shipping our products to Northern Ireland.", + "original_question": "To get an XI EORI number, do I need to have a GB EORI number first?" + }, + { + "id": "train-1537", + "question": "Scenario: I am self employed as a carer and often drive my own car to the homes of those I support. \n\nQuestion: Can I use a flat rate for my vehicle mileage when I calculate it at the end of the year?\n\nDocument - Simplified expenses if you're self-employed:\n## Overview\n\nSimplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.\n\nYou do not have to use simplified expenses. You can decide if it suits your business.\n\n## Who can use simplified expenses\n\nSimplified expenses can be used by:\n\n- sole traders\n\n- business partnerships that have no companies as partners\n\nSimplified expenses cannot be used by limited companies or business partnerships involving a limited company.\n\n## Types of expenses\n\nYou can use flat rates for:\n\n- business costs for some vehicles\n\n- working from home\n\n- living in your business premises\n\nYou must calculate all other expenses by working out the actual costs.\n\n## How to use simplified expenses\n\n- Keep records your business miles for vehicles, hours you work at home and how many people live at your business premises over the year.\n\n- At the end of the tax year use the flat rates for vehicle mileage, working from home, and living at your business premises to work out your expenses.\n\n- Include these amounts in the total for your expenses in your Self Assessment tax return.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs. This will help you work out if simplified expenses suits your business.\n\n## Vehicles\n\nCalculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.\n\nYou can use simplified expenses for:\n\n- cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)\n\n- goods vehicles (for example, vans)\n\n- motorcycles\n\nYou cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.\n\n| Vehicle | Flat rate per mile with simplified expenses |\n\n| Cars and goods vehicles first 10,000 miles | 45p |\n\n| Cars and goods vehicles after 10,000 miles | 25p |\n\n| Motorcycles | 24p |\n\nYou do not have to use flat rates for all your vehicles. Once you use the flat rates for a vehicle, you must continue to do so as long as you use that vehicle for your business.\n\nYou can claim all other travel expenses (for example train journeys) and parking on top of your vehicle expenses.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Working from home\n\nCalculate your allowable expenses using a flat rate based on the hours you work from home each month.\n\nThis means you do not have to work out the proportion of personal and business use for your home, for example how much of your utility bills are for business.\n\nThe flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.\n\nYou can only use simplified expenses if you work for 25 hours or more a month from home.\n\n| Hours of business use per month | Flat rate per month |\n\n| 25 to 50 | \u00a310 |\n\n| 51 to 100 | \u00a318 |\n\n| 101 and more | \u00a326 |\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Living at your business premises\n\nA small number of businesses use their business premises as their home, for example a guesthouse, bed and breakfast or small care home.\n\nYou can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.\n\nWith simplified expenses you calculate the total expenses for the premises.\n\nThen use the flat rates to subtract an amount for your personal use of the premises, based on the number of people living on the premises and claim the rest as your business expenses.\n\n| Number of people | Flat rate per month |\n\n| 1 | \u00a3350 |\n\n| 2 | \u00a3500 |\n\n| 3+ | \u00a3650 |\n\nIf someone lives at your business premises for part of the year, you can deduct only the relevant flat rate for the months they live there.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "answerable": true, + "scenario": "I am self employed as a carer and often drive my own car to the homes of those I support. ", + "original_question": "Can I use a flat rate for my vehicle mileage when I calculate it at the end of the year?" + }, + { + "id": "train-1538", + "question": "Scenario: I am a sole trader and use a motorcycle to deliver my magazines. \n\nQuestion: Does the flat rate for simplified expenses change dependant on total mileage?\n\nDocument - Simplified expenses if you're self-employed:\n## Overview\n\nSimplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.\n\nYou do not have to use simplified expenses. You can decide if it suits your business.\n\n## Who can use simplified expenses\n\nSimplified expenses can be used by:\n\n- sole traders\n\n- business partnerships that have no companies as partners\n\nSimplified expenses cannot be used by limited companies or business partnerships involving a limited company.\n\n## Types of expenses\n\nYou can use flat rates for:\n\n- business costs for some vehicles\n\n- working from home\n\n- living in your business premises\n\nYou must calculate all other expenses by working out the actual costs.\n\n## How to use simplified expenses\n\n- Keep records your business miles for vehicles, hours you work at home and how many people live at your business premises over the year.\n\n- At the end of the tax year use the flat rates for vehicle mileage, working from home, and living at your business premises to work out your expenses.\n\n- Include these amounts in the total for your expenses in your Self Assessment tax return.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs. This will help you work out if simplified expenses suits your business.\n\n## Vehicles\n\nCalculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.\n\nYou can use simplified expenses for:\n\n- cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)\n\n- goods vehicles (for example, vans)\n\n- motorcycles\n\nYou cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.\n\n| Vehicle | Flat rate per mile with simplified expenses |\n\n| Cars and goods vehicles first 10,000 miles | 45p |\n\n| Cars and goods vehicles after 10,000 miles | 25p |\n\n| Motorcycles | 24p |\n\nYou do not have to use flat rates for all your vehicles. Once you use the flat rates for a vehicle, you must continue to do so as long as you use that vehicle for your business.\n\nYou can claim all other travel expenses (for example train journeys) and parking on top of your vehicle expenses.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Working from home\n\nCalculate your allowable expenses using a flat rate based on the hours you work from home each month.\n\nThis means you do not have to work out the proportion of personal and business use for your home, for example how much of your utility bills are for business.\n\nThe flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.\n\nYou can only use simplified expenses if you work for 25 hours or more a month from home.\n\n| Hours of business use per month | Flat rate per month |\n\n| 25 to 50 | \u00a310 |\n\n| 51 to 100 | \u00a318 |\n\n| 101 and more | \u00a326 |\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Living at your business premises\n\nA small number of businesses use their business premises as their home, for example a guesthouse, bed and breakfast or small care home.\n\nYou can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.\n\nWith simplified expenses you calculate the total expenses for the premises.\n\nThen use the flat rates to subtract an amount for your personal use of the premises, based on the number of people living on the premises and claim the rest as your business expenses.\n\n| Number of people | Flat rate per month |\n\n| 1 | \u00a3350 |\n\n| 2 | \u00a3500 |\n\n| 3+ | \u00a3650 |\n\nIf someone lives at your business premises for part of the year, you can deduct only the relevant flat rate for the months they live there.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "answerable": true, + "scenario": "I am a sole trader and use a motorcycle to deliver my magazines. ", + "original_question": "Does the flat rate for simplified expenses change dependant on total mileage?" + }, + { + "id": "train-1540", + "question": "Scenario: I am self employed and an Information. technology professional. I work from home a lot and pay excess telephone and internet charges\n\nQuestion: Will I be able to claim telephone expenses through flat rate ?\n\nDocument - Simplified expenses if you're self-employed:\n## Overview\n\nSimplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.\n\nYou do not have to use simplified expenses. You can decide if it suits your business.\n\n## Who can use simplified expenses\n\nSimplified expenses can be used by:\n\n- sole traders\n\n- business partnerships that have no companies as partners\n\nSimplified expenses cannot be used by limited companies or business partnerships involving a limited company.\n\n## Types of expenses\n\nYou can use flat rates for:\n\n- business costs for some vehicles\n\n- working from home\n\n- living in your business premises\n\nYou must calculate all other expenses by working out the actual costs.\n\n## How to use simplified expenses\n\n- Keep records your business miles for vehicles, hours you work at home and how many people live at your business premises over the year.\n\n- At the end of the tax year use the flat rates for vehicle mileage, working from home, and living at your business premises to work out your expenses.\n\n- Include these amounts in the total for your expenses in your Self Assessment tax return.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs. This will help you work out if simplified expenses suits your business.\n\n## Vehicles\n\nCalculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.\n\nYou can use simplified expenses for:\n\n- cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)\n\n- goods vehicles (for example, vans)\n\n- motorcycles\n\nYou cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.\n\n| Vehicle | Flat rate per mile with simplified expenses |\n\n| Cars and goods vehicles first 10,000 miles | 45p |\n\n| Cars and goods vehicles after 10,000 miles | 25p |\n\n| Motorcycles | 24p |\n\nYou do not have to use flat rates for all your vehicles. Once you use the flat rates for a vehicle, you must continue to do so as long as you use that vehicle for your business.\n\nYou can claim all other travel expenses (for example train journeys) and parking on top of your vehicle expenses.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Working from home\n\nCalculate your allowable expenses using a flat rate based on the hours you work from home each month.\n\nThis means you do not have to work out the proportion of personal and business use for your home, for example how much of your utility bills are for business.\n\nThe flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.\n\nYou can only use simplified expenses if you work for 25 hours or more a month from home.\n\n| Hours of business use per month | Flat rate per month |\n\n| 25 to 50 | \u00a310 |\n\n| 51 to 100 | \u00a318 |\n\n| 101 and more | \u00a326 |\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Living at your business premises\n\nA small number of businesses use their business premises as their home, for example a guesthouse, bed and breakfast or small care home.\n\nYou can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.\n\nWith simplified expenses you calculate the total expenses for the premises.\n\nThen use the flat rates to subtract an amount for your personal use of the premises, based on the number of people living on the premises and claim the rest as your business expenses.\n\n| Number of people | Flat rate per month |\n\n| 1 | \u00a3350 |\n\n| 2 | \u00a3500 |\n\n| 3+ | \u00a3650 |\n\nIf someone lives at your business premises for part of the year, you can deduct only the relevant flat rate for the months they live there.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "answerable": true, + "scenario": "I am self employed and an Information. technology professional. I work from home a lot and pay excess telephone and internet charges", + "original_question": "Will I be able to claim telephone expenses through flat rate ?" + }, + { + "id": "train-1542", + "question": "Scenario: I have recently started working on a job as a landscape gardener and the work is taking longer than expected. As I have been very busy with family life, no time has been agreed as to how long it should take.\n\nQuestion: does the customer have implied rights in this area?\n\nDocument - Avoid unfair terms in sales contracts:\n## Overview\n\nYour standard sales contracts must be \u2018fair\u2019 or you won\u2019t be able to enforce them.\n\nThere are different rules on what\u2019s fair for:\n\n- consumer contracts\n\n- business contracts\n\nYou\u2019re legally responsible for certain situations, eg when goods you sell are faulty. You must not try to claim you\u2019re not responsible.\n\nYou have more responsibilities towards consumers than towards other businesses.\n\n## Customers\u2019 rights\n\nYour customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.\n\n## Unfair consumer contracts\n\nYou can\u2019t enforce unfair terms in a consumer contract, or unfair consumer notices (eg signs on a shop wall or in a car park).\n\nYou can never enforce terms or notices that try to avoid your responsibility for:\n\n- death\n\n- injury\n\n- faulty goods\n\n- goods that aren\u2019t as described\n\n- selling goods that aren\u2019t yours to sell\n\nYou might not be able to enforce terms or notices if they try to avoid your responsibility in other ways, eg:\n\n- delays\n\n- unsatisfactory services\n\n- not doing what was agreed\n\nYour contract terms might also be unfair if they weigh the contract significantly in your favour, eg:\n\n- by providing for excessive cancellation charges and automatic loss of all upfront payments\n\n- by creating unbalanced rights, eg being able to cancel a contract at any time, but requiring the customer to give 3 months\u2019 notice\n\n- by allowing you to increase the agreed price at a later date\n\nYour contract won\u2019t be unfair just because it sets a price that\u2019s higher than another business charges.\n\nContracts must be written in plain language to avoid being misleading and unfair.\n\n## If a customer complains\n\nIt\u2019s up to the courts to decide if a term in your contract or wording in your notices is unfair.\n\nYou can be taken to court by the Competition and Markets Authority or a local trading standards office to stop you using unfair terms or notices.\n\nConsumers can also take legal action themselves to challenge unfair terms or notices.\n\nRead the guidance on unfair terms.\n\n## Unfair business contracts\n\nYour standard contract would be unfair if you try to not take responsibility for:\n\n- death or injury - under any circumstances\n\n- losses caused by negligence - unless to do so is \u2018reasonable\u2019\n\n- defective or poor quality goods - unless to do so is \u2018reasonable\u2019\n\nYou must not try to claim you\u2019re not responsible for these things.\n\n## What is reasonable\n\nIt\u2019s up to the courts to decide what is reasonable.\n\nCourts will take into account:\n\n- the information available to both parties when the contract was drawn up\n\n- if the contract was negotiated or in standard form\n\n- if the buyer had the bargaining power to negotiate better terms\n\n## Implied and statutory rights\n\nYour customers have implied rights when buying your goods or services.\n\nSome implied rights are also known as \u2018statutory rights\u2019.\n\n## Products\n\nImplied rights mean a product must be:\n\n- as described\n\n- of satisfactory quality, eg safe, in working order, free of defects\n\n- fit for purpose - capable of doing what the customer has asked for\n\nContracts for hiring, hire purchase and part exchange also have these implied rights.\n\nConsumers always have these implied rights when buying goods - the contract can\u2019t legally state otherwise.\n\n## Services\n\nImplied rights mean services must be carried out:\n\n- with reasonable care and skill\n\n- within a reasonable time (if no specific time has been agreed)\n\n- for a reasonable charge (if no exact price has been agreed)\n\nYou\u2019re unlikely to be able to enforce terms in a consumer contract for services if they try to deny a customer\u2019s implied rights.\n\n## Business contracts\n\nYour business customers have implied rights unless the contract legally states otherwise in a way a court would decide is reasonable.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "answerable": true, + "scenario": "I have recently started working on a job as a landscape gardener and the work is taking longer than expected. As I have been very busy with family life, no time has been agreed as to how long it should take.", + "original_question": "does the customer have implied rights in this area?" + }, + { + "id": "train-1546", + "question": "Scenario: I run a jewellery store but have only ever traded instore. I know very little about the internet but I am told it might be a good way to expand my customer base. I have no idea how to go about this though.\n\nQuestion: Can I get advise on trading on the internet?\n\nDocument - Find overseas customers and export opportunities:\n## Find export opportunities\n\nUse great.gov.uk to:\n\n- make sure your business is ready to export\n\n- show your products directly to overseas buyers through the \u2018find a buyer\u2019 service\n\n- find overseas opportunities for your product or service\n\nStart now\n\n## Find customers online\n\nGet help selling online overseas and take advantage of special deals negotiated by the government.\n\nAnd join the e-exporting programme to get:\n\n- advice on developing a strategy from e-commerce and international trade experts\n\n- special rates for some of the world\u2019s most popular online selling platforms\n\n- regular updates on e-commerce trends and opportunities to hear from industry experts and network with other online traders\n\nContact e-exporting@trade.gov.uk to join the e-exporting programme.\n\n## Get help from a trade specialist\n\nThe Department for International Trade (DIT) has a network of trade specialists who can also help you find overseas customers by:\n\n- helping you prepare for a trade show or overseas market visit (sometimes grants are available - check with the event organiser)\n\n- arranging introductions to potential overseas buyers, agents and distributors (there\u2019s a charge for this service)\n\nTo find out more, first see the export guidance on great.gov.uk, then contact a trade adviser in your region.\n\n## If you had an OMIS account\n\nIf you had an Overseas Market Introduction Service (OMIS) account and want to talk about something you commissioned, contact a trade adviser in your region or email omis.orders@digital.trade.gov.uk.\n\n## Defence, security and cyber security\n\nContact the Defence and Security Organisation (DSO) for help with:\n\n- presentations, product demonstrations and hosting delegations (including a bespoke hanger for exhibitions and demonstration centre for cyber security products)\n\n- displaying your products on the DSO stand at exhibitions and trade shows\n\n- booking military personnel to appear on your stand at an exhibition or trade show\n\n- providing after sales training to customers\n\nDSO provides media support for product launches or overseas campaigns. Call +44 (0)20 7215 8467.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/overseas-customers-export-opportunities", + "answerable": true, + "scenario": "I run a jewellery store but have only ever traded instore. I know very little about the internet but I am told it might be a good way to expand my customer base. I have no idea how to go about this though.", + "original_question": "Can I get advise on trading on the internet?" + }, + { + "id": "train-1550", + "question": "Scenario: I manage a hardware store, which sells products primarily to consumers. I am considering starting a tool hire service as a side line, operating from the same premises and under the same owner.\n\nQuestion: Does the doctrine of \"implied rights\" cover products which are hired out rather than sold?\n\nDocument - Avoid unfair terms in sales contracts:\n## Overview\n\nYour standard sales contracts must be \u2018fair\u2019 or you won\u2019t be able to enforce them.\n\nThere are different rules on what\u2019s fair for:\n\n- consumer contracts\n\n- business contracts\n\nYou\u2019re legally responsible for certain situations, eg when goods you sell are faulty. You must not try to claim you\u2019re not responsible.\n\nYou have more responsibilities towards consumers than towards other businesses.\n\n## Customers\u2019 rights\n\nYour customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.\n\n## Unfair consumer contracts\n\nYou can\u2019t enforce unfair terms in a consumer contract, or unfair consumer notices (eg signs on a shop wall or in a car park).\n\nYou can never enforce terms or notices that try to avoid your responsibility for:\n\n- death\n\n- injury\n\n- faulty goods\n\n- goods that aren\u2019t as described\n\n- selling goods that aren\u2019t yours to sell\n\nYou might not be able to enforce terms or notices if they try to avoid your responsibility in other ways, eg:\n\n- delays\n\n- unsatisfactory services\n\n- not doing what was agreed\n\nYour contract terms might also be unfair if they weigh the contract significantly in your favour, eg:\n\n- by providing for excessive cancellation charges and automatic loss of all upfront payments\n\n- by creating unbalanced rights, eg being able to cancel a contract at any time, but requiring the customer to give 3 months\u2019 notice\n\n- by allowing you to increase the agreed price at a later date\n\nYour contract won\u2019t be unfair just because it sets a price that\u2019s higher than another business charges.\n\nContracts must be written in plain language to avoid being misleading and unfair.\n\n## If a customer complains\n\nIt\u2019s up to the courts to decide if a term in your contract or wording in your notices is unfair.\n\nYou can be taken to court by the Competition and Markets Authority or a local trading standards office to stop you using unfair terms or notices.\n\nConsumers can also take legal action themselves to challenge unfair terms or notices.\n\nRead the guidance on unfair terms.\n\n## Unfair business contracts\n\nYour standard contract would be unfair if you try to not take responsibility for:\n\n- death or injury - under any circumstances\n\n- losses caused by negligence - unless to do so is \u2018reasonable\u2019\n\n- defective or poor quality goods - unless to do so is \u2018reasonable\u2019\n\nYou must not try to claim you\u2019re not responsible for these things.\n\n## What is reasonable\n\nIt\u2019s up to the courts to decide what is reasonable.\n\nCourts will take into account:\n\n- the information available to both parties when the contract was drawn up\n\n- if the contract was negotiated or in standard form\n\n- if the buyer had the bargaining power to negotiate better terms\n\n## Implied and statutory rights\n\nYour customers have implied rights when buying your goods or services.\n\nSome implied rights are also known as \u2018statutory rights\u2019.\n\n## Products\n\nImplied rights mean a product must be:\n\n- as described\n\n- of satisfactory quality, eg safe, in working order, free of defects\n\n- fit for purpose - capable of doing what the customer has asked for\n\nContracts for hiring, hire purchase and part exchange also have these implied rights.\n\nConsumers always have these implied rights when buying goods - the contract can\u2019t legally state otherwise.\n\n## Services\n\nImplied rights mean services must be carried out:\n\n- with reasonable care and skill\n\n- within a reasonable time (if no specific time has been agreed)\n\n- for a reasonable charge (if no exact price has been agreed)\n\nYou\u2019re unlikely to be able to enforce terms in a consumer contract for services if they try to deny a customer\u2019s implied rights.\n\n## Business contracts\n\nYour business customers have implied rights unless the contract legally states otherwise in a way a court would decide is reasonable.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "answerable": true, + "scenario": "I manage a hardware store, which sells products primarily to consumers. I am considering starting a tool hire service as a side line, operating from the same premises and under the same owner.", + "original_question": "Does the doctrine of \"implied rights\" cover products which are hired out rather than sold?" + }, + { + "id": "train-1551", + "question": "Scenario: I live and work in the UK, and wish to purchase shares in a company incorporated in France. They do not appear to have a share office here in the UK.\n\nQuestion: Will I have to pay tax and/or Stamp Duty on this purchase?\n\nDocument - Tax when you buy shares:\n## Overview\n\nWhen you buy shares, you usually pay a tax or duty of 0.5% on the transaction.\n\nIf you buy:\n\n- shares electronically, you\u2019ll pay Stamp Duty Reserve Tax (SDRT)\n\n- shares using a stock transfer form, you\u2019ll pay Stamp Duty if the transaction is over \u00a31,000\n\nYou\u2019ll have to pay tax at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.\n\nYou pay tax on the price you pay for the shares, even if their actual market value is much higher.\n\n## Transactions you pay tax on\n\nYou pay tax when you buy:\n\n- existing shares in a company incorporated in the UK\n\n- an option to buy shares\n\n- an interest in shares, for example an interest in the money from selling them\n\n- shares in a foreign company that has a share register in the UK\n\n- rights arising from shares, for example rights you have when new shares are issued\n\n## When you do not pay tax\n\nYou do not have to pay tax if you:\n\n- are given shares for nothing\n\n- subscribe to a new issue of shares in a company\n\n- buy shares in an \u2018open ended investment company\u2019 (OEIC) from the fund manager\n\n- buy units in a unit trust from the fund manager\n\nYou do not normally have to pay Stamp Duty or SDRT if you buy foreign shares outside the UK. But you may have to pay other taxes.\n\n## When you sell the shares\n\nYou may need to pay Capital Gains Tax when you sell your shares.\n\n## Help and advice\n\nContact Stamp Duty share enquiries for general information about Stamp Duty on shares.\n\nContact Stamp Duty Reserve Tax enquiries if you have questions about Stamp Duty on electronic paperless share transactions.\n\nYou can also get professional help (for example, from a tax adviser) with your tax.\n\n## Buying shares electronically\n\nYou\u2019ll pay Stamp Duty Reserve Tax (SDRT) if you buy shares electronically through the \u2018CREST\u2019 system (a computerised register of shares and shareowners).\n\nThe tax is taken automatically when you buy the shares, so you do not need to do anything else about your tax.\n\nSDRT is charged at 0.5% when you buy shares electronically.\n\nIf you do not pay cash for your shares but give something else of value to buy them, you pay SDRT based on the value of what you gave.\n\nIf you\u2019re given shares for nothing, you do not have to pay any tax.\n\n## Buying shares \u2018off-market\u2019\n\nYou must also pay SDRT on \u2018off-market\u2019 transactions. This is when shares are transferred outside CREST.\n\n## How to pay\n\nTax is not deducted automatically when you buy shares off-market.\n\nYou\u2019ll need to send HM Revenue and Customs (HMRC) a written notice with details of the transaction.\n\nIf you do not pay on time, you\u2019ll be charged interest from the due date until the date you pay. You may also get a penalty.\n\n## Buying shares using a stock transfer form\n\nYou must pay Stamp Duty on your shares if:\n\n- you buy shares through a stock transfer form\n\n- the transaction is over \u00a31,000\n\nYou pay 0.5% duty, which will be rounded up to the nearest \u00a35.\n\nFor shares under \u00a31,000, you will not need to pay anything.\n\n## Get a stock transfer form\n\nYou can get a stock transfer form from:\n\n- a broker\n\n- a lawyer or an accountant who deals in shares\n\nYou can also download a stock transfer form from the internet.\n\nFind out what you need to include in a stock transfer form.\n\n## Send the transfer form to HMRC and pay Stamp Duty\n\nYou must send a copy of your stock transfer form to the Stamp Office within 30 days of it being signed and dated.\n\nEmail an electronic version or a scan of your paper form to stampdutymailbox@hmrc.gov.uk.\n\nIf you cannot email your stock transfer form, send a photocopy by post. You must keep the original signed document for your records.\n\nThere is a different address to send a stock transfer form by courier.\n\nYou must also pay the Stamp Duty within 30 days of the stock transfer form being signed and dated.\n\nYou may get a penalty if you do not pay on time.\n\n## Special share arrangements\n\nYou pay Stamp Duty Reserve Tax (SDRT) or Stamp Duty at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.\n\nThis is when the shares are transferred to a service operated by a third party (for example, a bank). The shares can then be traded free of Stamp Duty or SDRT.\n\nNot all of these schemes work like this. Sometimes the higher rate is not charged and you pay Stamp Duty or SDRT in the normal way. Check the details of your scheme with your stockbroker.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-buy-shares", + "answerable": true, + "scenario": "I live and work in the UK, and wish to purchase shares in a company incorporated in France. They do not appear to have a share office here in the UK.", + "original_question": "Will I have to pay tax and/or Stamp Duty on this purchase?" + }, + { + "id": "train-1552", + "question": "Scenario: My company is one of the two largest vendors in our target market, having just over 50% share with our main rival having a little under 40%. Informal contact with representatives of this rival (via our mutual membership in a trade association) has produced an \"understanding\" whereby we don't approach each other's customers in certain sectors of the market.\n\nQuestion: Does our informal arrangement constitute anti-competitive practice?\n\nDocument - Avoid and report anti-competitive activity:\n## Overview\n\nAll businesses, whatever their size, must understand how they\u2019re affected by competition law.\n\nYou must follow the rules on all types of anti-competitive activity including:\n\n- price fixing, bid rigging and other ways of agreeing not to compete (sometimes called \u2018cartels\u2019)\n\n- abuse of a dominant market position\n\nYou should manage the risk of breaking the law, for example by having clear policies, guidelines and training for your staff.\n\nYou can report anti-competitive activity if you think another business is breaking the law, or if you might have been involved yourself.\n\n## If you\u2019re involved in anti-competitive activity\n\nYour business can be fined up to 10% of its worldwide turnover and sued for damages.\n\nYou can be fined or sent to prison for up to 5 years if you\u2019re found guilty of being involved in cartel activity.\n\nCompany directors can be disqualified from being a director for up to 15 years.\n\nGet legal advice or contact the Competition Pro Bono Scheme if you think something your business is doing might break the law.\n\n## Types of anti-competitive activity\n\nYou must avoid all types of anti-competitive activity in your business including:\n\n- agreeing not to compete with another business\n\n- abusing a dominant position\n\nYou can report anti-competitive activity if you see it.\n\n## Agreeing not to compete with another business (\u2018cartels\u2019)\n\nIf 2 or more businesses agree not to compete with each other in certain ways, it\u2019s called a \u2018cartel\u2019.\n\nThe rules on cartels apply to businesses of any size.\n\nRules about cartels cover:\n\n- price fixing\n\n- bid rigging\n\n- sharing markets or customers\n\n- sharing commercially sensitive information\n\nAn agreement does not have to be in writing for it to be illegal. You can break the law if you have an informal conversation (or \u2018gentleman\u2019s agreement\u2019) with another business, even if the agreement is not carried out.\n\nYou can work with other businesses without breaking competition law. Get legal advice or contact the Competition Pro Bono Scheme if you need to, and make sure you manage any risks.\n\n## Price fixing\n\nYou must not discuss the prices you\u2019re going to charge your customers with your competitors.\n\nYou\u2019ll be breaking the law if you agree with another business:\n\n- to charge the same prices to your customers\n\n- to offer discounts or increase your prices at the same time\n\n- to charge the same fees to intermediaries, for example retailers selling your products\n\n## Bid rigging\n\nYou cannot discuss bids for a contract tender with your competitors. Bid rigging includes:\n\n- agreeing with your competitors how much you\u2019ll bid for a contract or share information about your bid\n\n- taking turns to win contracts\n\n- asking other businesses to bid when they do not want the contract (called \u2018cover bids\u2019)\n\n- paying other businesses not to bid or when you win a tender\n\n- agreeing with other businesses not to bid or to withdrawing your bid\n\n## Market sharing\n\nYou cannot agree with other businesses to share markets or customers. You\u2019ll be breaking competition law if you agree with another business:\n\n- not to approach each other\u2019s customers\n\n- not to compete with them for customers, for example in specific locations\n\n## Sharing information\n\nYou cannot share information with other businesses that might reduce competition between you, for example information about:\n\n- prices\n\n- production\n\n- your suppliers, customers or contractors\n\n- the markets you sell or plan to sell to\n\nThis includes sharing information through a third party, for example a trade association.\n\n## Abusing a dominant position\n\nYour business might have a \u2018dominant position\u2019 in the market if:\n\n- it has more than a 40% market share\n\n- it\u2019s not affected by normal competitive restraints\n\nYou might be abusing your dominant position if you\u2019re unfair to your customers or other businesses, for example you:\n\n- treat customers differently, for example by offering different prices or terms to similar customers\n\n- make customers buy products they do not want, for example forcing them to take warranties for electrical products\n\n- charge low prices that do not cover your costs so you drive out competitors\n\nIf you think you have a dominant market position, get legal advice or contact the Competition Pro Bono Scheme to find out what you can and cannot do.\n\n## Other anti-competitive activities\n\nYou must avoid other activities that break competition law, eg:\n\n- buying or selling jointly with your competitors\n\n- agreeing with your competitors to reduce production of something to raise its market value\n\n- restricting how much other businesses can sell your product for\n\n- agreeing with your competitors not to sell to certain customers or deal with certain suppliers\n\n- having long-term exclusive contracts with any customers or suppliers\n\n## Manage risk\n\nThe people who run your business are responsible for ensuring it does not break competition law. You should:\n\n- work out where your business is at risk and how serious any risks are\n\n- set up policies, guidelines and training for your staff if you need to\n\nYour business can still be given a penalty and sued for damages even if your senior managers did not know about the illegal activity.\n\n## Work out if your business is at risk\n\nYou\u2019re more likely to be at risk if:\n\n- you or your employees have contact with your competitors, for example at conferences or trade association meetings\n\n- your employees regularly move to or from jobs with your competitors\n\n- you have partnerships with your competitors, for example joint buying or selling\n\n- you have any long-term exclusive contracts with any customers or suppliers\n\n- your business has a dominant position in any market where you do business\n\n## Set up policies, guidelines and training\n\nYou should ask a senior member of staff, for example a director, to make sure your employees know how to avoid and report anti-competitive behaviour.\n\nThere\u2019s further guidance from the Competition and Markets Authority (CMA) on reducing the risk of your business breaking the law.\n\n## Report anti-competitive activity\n\nThe way you report anti-competitive activity depends on the type of activity.\n\n## Report a cartel\n\nA cartel is where two or more businesses agree not to compete with each other, for example by sharing a market or fixing prices.\n\nContact the Competition and Markets Authority (CMA) cartels hotline if you:\n\n- know about a cartel\n\n- have been involved in one\n\nYou may:\n\n- get a financial reward for information that leads to an investigation\n\n- be treated with leniency if you report a cartel you\u2019ve been involved with\n\n## Report other anti-competitive activity\n\nTell the CMA if you have concerns about anti-competitive activity. Email general.enquiries@cma.gov.uk with the following information:\n\n- your contact details\n\n- the business you have concerns about and a description of the issue along with any supporting evidence\n\n- the market area according to the UK Standard Classification Index\n\n- details of any other organisations you have contacted\n\nIf you want help with a consumer problem, contact Citizens Advice (or the Financial Conduct Authority for consumer credit-related issues).\n\n## Report your concerns to an industry regulator\n\nYou can also report concerns about anti-competitive activity in certain sectors to a regulator. These are:\n\n- Civil Aviation Authority for airports and air traffic services\n\n- Financial Conduct Authority for financial services in the UK\n\n- Monitor for health services in England\n\n- Ofcom for television, radio, telephone, postal and internet services\n\n- Ofgem for gas and electricity in England, Wales and Scotland\n\n- Ofwat for water and sewage services in England and Wales\n\n- Office of Road and Rail for railways in England, Wales and Scotland\n\n- Payment Systems Regulator for payment systems in the UK\n\n- Utility Regulator for gas, electricity, water and sewerage in Northern Ireland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/cartels-price-fixing", + "answerable": true, + "scenario": "My company is one of the two largest vendors in our target market, having just over 50% share with our main rival having a little under 40%. Informal contact with representatives of this rival (via our mutual membership in a trade association) has produced an \"understanding\" whereby we don't approach each other's customers in certain sectors of the market.", + "original_question": "Does our informal arrangement constitute anti-competitive practice?" + }, + { + "id": "train-1553", + "question": "Scenario: I own and manage a small dairy, which supplies products to large retailers as well as selling packaged products directly to the public. We use the metric system in-house, but many of our customers prefer our products to be sold in traditional Imperial units (pints, gallons etc).\n\nQuestion: Is it still legal to display weights or volumes in Imperial Measurements on our packaging?\n\nDocument - Weights and measures: the law:\n## Units of measurement\n\nYou must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.\n\nThere are different rules in Northern Ireland.\n\nThe only products you can sell in imperial measures are:\n\n- draught beer or cider by pint\n\n- milk in returnable containers by pint\n\n- precious metals by troy ounce\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Specified quantities\n\nSome goods must be sold in fixed sizes known as \u2018specified quantities\u2019.\n\n## Alcohol\n\nThere are different rules depending on whether you\u2019re selling by the glass or bottle.\n\n## By the glass\n\n| | Measures |\n\n| Still wine | 125ml, 175ml, multiples of 125ml and 175ml |\n\n| Port, sherry or other fortified wine | 50ml, 70ml, multiples of 50ml or 70ml |\n\n| Gin, rum, vodka and whisky | Either 25ml and multiples of 25ml, or 35ml and multiples of 35ml (not both on the same premises) |\n\n| Draught beer and cider | Third, half, two-thirds of a pint and multiples of half a pint |\n\nThere are no specified quantities for sparkling wine or yellow wine by the glass or spirits other than gin, rum, vodka and whisky.\n\n## Packaged in bottles, boxes or similar\n\n| | Volume by millilitre (ml) |\n\n| Still wine | 100, 187, 250, 375, 500, 750, 1000, 1500 |\n\n| Yellow wine | 620 |\n\n| Sparkling wine | 125, 200, 375, 750, 1500 |\n\n| Fortified wine | 100, 200, 375, 500, 750, 1000, 1500 |\n\n| Spirit drinks | 100, 200, 350, 500, 700, 1000, 1500, 1750, 2000 |\n\nYou can sell packaged alcohol in any volume if it\u2019s below the minimum or above the maximum allowed for specified quantities.\n\n| | Minimum (ml) | Maximum (ml) |\n\n| Still wine | 100 | 1500 |\n\n| Yellow wine | 100 | 1500 |\n\n| Sparkling wine | 125 | 1500 |\n\n| Fortified wine | 100 | 1500 |\n\n| Spirit drinks | 100 | 2000 |\n\nThere are no specified quantities for packaged beer or cider.\n\n## Solid fuel\n\nYou can sell sealed bags of solid fuel in any size you wish but if you\u2019re selling it loose, you can only sell it in quantities of:\n\n- 25kg\n\n- 50kg\n\n- multiples of 50kg\n\n## Packaged goods\n\nPackaged goods are products that are all of these:\n\n- sold sealed\n\n- between 5g and 25kg or 5ml and 25 litres\n\n- the same weight or volume as other products of the same type\n\nThere are 2 ways to pack your products.\n\n## Minimum system\n\nYou can pack your products so that they contain at least the quantity displayed on the label. The packages can contain more than the label says, but not less.\n\n## Average system\n\nYou can pack your products to an average measurement that is on the label. You must check your packages to make sure a random sample is packed to meet all these rules - known as the \u2018three packers\u2019 rules\u2019:\n\n- the contents of the packages must not be less, on average, than the weight on the label\n\n- only a small number can fall below a certain margin of error, known as the \u2018tolerable negative error\u2019 (TNE)\n\n- no package can be underweight by more than twice the TNE\n\n| Quantity in grams and millilitres | TNE as % of quantity | TNE in grams or millilitres |\n\n| 5 to 50 | 9 | n/a |\n\n| 50 to 100 | n/a | 4.5 |\n\n| 100 to 200 | 4.5 | n/a |\n\n| 200 to 300 | n/a | 9 |\n\n| 300 to 500 | 3 | n/a |\n\n| 500 to 1,000 | n/a | 15 |\n\n| 1,000 to 10,000 | 1.5 | n/a |\n\n| 10,000 to 15,000 | n/a | 150 |\n\n| more than 15,000 | 1 | n/a |\n\nIf you\u2019re calculating the TNE as a percentage of the quantity, you must round up the weight or volume to the nearest 0.10 of a gram or millilitre.\n\nContact your local Trading Standards office for help with packing to the average system.\n\nRead the \u2018Weights and Measures (Packaged Goods) 2006\u2019 guidance for business for more information.\n\nYou must make sure packaged goods you\u2019re producing or importing are packed and labelled correctly.\n\nYou can be fined or sent to prison if you break the rules.\n\n## Equipment and records\n\n## Equipment for packaged goods\n\nThe equipment you use to weigh or measure your packaged goods has to be suitable. There are no hard and fast rules about what equipment you should use but you cannot use domestic scales to weigh goods you intend to sell.\n\nYour local Trading Standards office will tell you what is suitable equipment for your business sector.\n\nTrading Standards will check the weights and measures of your goods on your production line to make sure the equipment is accurate.\n\n## Records\n\nYou must keep records if you pack your products using the average system. You must record the results of your sample batches and show that they meet the \u2018three packers\u2019 rules.\n\nYou do not have to keep records if you measure every package or you use the minimum system to pack your products.\n\nYou must keep your records for at least one year from either the date you ship the packages or the \u2018use by\u2019 date on the package - whichever is shorter.\n\nYour local Trading Standards office can advise you about how to keep records.\n\n## Labelling packaged goods\n\nYou must put the weight or volume of your packaged goods on the label.\n\nThe quantity marking must be:\n\n- permanent\n\n- easy to see\n\n- meet a minimum height requirement\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Food\n\nRead the rules about what you must show on packaged food labels.\n\n## Exporting packaged goods\n\nYou must meet the rules for packaged goods in the country you\u2019re exporting to.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "answerable": true, + "scenario": "I own and manage a small dairy, which supplies products to large retailers as well as selling packaged products directly to the public. We use the metric system in-house, but many of our customers prefer our products to be sold in traditional Imperial units (pints, gallons etc).", + "original_question": "Is it still legal to display weights or volumes in Imperial Measurements on our packaging?" + }, + { + "id": "train-1556", + "question": "Scenario: I am 24 years old, divorced and live in England. I have an application in process to register as as childminder, have public liability insurance and have already passed my childcare training and full DBS Check.\n\nQuestion: If my application is approved, can I prevent Ofsted from publishing my address?\n\nDocument - Become a childminder or nanny (England):\n## Overview\n\nIf you want to be paid to look after children under 8, you might need to register with Ofsted or a childminder agency.\n\nYou can get a fine if you do not register when you need to.\n\nYou must register as a childminder if all of the following apply:\n\n- the children are under the age of 8\n\n- you look after them for more than 2 hours a day\n\n- you look after them in your own home\n\n- you get paid to look after them - including payment in kind\n\nYou can register with Ofsted online. To register with a childminder agency, contact them directly.\n\nThere are different rules if you want to provide daycare outside someone\u2019s home - for example a nursery or creche.\n\nYou do not need to register if you\u2019re:\n\n- a nanny\n\n- a tutor\n\n- a babysitter and if you look after the children between 6pm and 2am\n\n- a family friend and if you look after the children less than 3 hours a day\n\nYou can still choose to register if you\u2019re a nanny or in other situations. This helps the child\u2019s parents qualify for free childcare.\n\nCheck which register to join if you\u2019re not sure.\n\n## Who cannot register\n\nYou cannot register if you:\n\n- are under 18\n\n- are related to all of the children you look after\n\n- do not have the legal right to work in the UK\n\n- are barred from working with children\n\n- have been disqualified\n\n- have been refused registration in the past or had your registration cancelled - unless it was because you did not pay your annual fee\n\n- are childminding in a home where a disqualified person lives or works\n\nIf you\u2019ve been disqualified, you may be able to apply to waive your disqualification\n\n## Which register to join\n\nThere are 2 registers - the Early Years Register and the Childcare Register.\n\nWhich register you join depends on:\n\n- the age of the children you\u2019re looking after\n\n- if you\u2019re registering as a childminder or a nanny\n\nYou\u2019ll be prompted to join the correct register when you apply.\n\n## Children up to the age of 5\n\nIf you\u2019re a childminder and you look after children from birth to 5 years old you must join the Early Years Register. This lets you look after children up to 31 August after their fifth birthday.\n\nYou\u2019ll get a registration visit from Ofsted when you apply.\n\nAfter you join the register you must follow the early years foundation stage (EYFS) framework.\n\nNannies cannot join the Early Years Register.\n\n## Children from 5 to 8 years old\n\nIf you\u2019re a childminder and you look after children from 5 to 8 years old you must join the Childcare Register. This lets you look after children from 1 September after their fifth birthday up to their eighth birthday.\n\nAs a nanny you can choose to join the Childcare Register, regardless of the age of the children you\u2019re looking after.\n\nYou may be inspected by Ofsted. You may also get a registration visit.\n\n## How much it costs\n\nYou need to pay an annual registration fee to Ofsted. You\u2019ll also have to pay for things like criminal record checks, training and insurance.\n\n## Registration fee\n\nYou\u2019ll have to pay the registration fee each year.\n\n| | Cost for childminders | Cost for nannies |\n\n| Childminders - caring only for children aged 5 or under | \u00a335 | Not applicable |\n\n| Childminders - caring only for children aged 5 or older | \u00a3103 | Not applicable |\n\n| Childminders - caring for children of all ages | \u00a335 | Not applicable |\n\n| Register as a nanny | Not applicable | \u00a3103 |\n\n## Criminal record and health checks\n\n| | Cost for childminders | Cost for nannies |\n\n| Your criminal record check | \u00a348.10 | \u00a348.10 |\n\n| Checks for adults in your home | \u00a348.10 each | Not applicable |\n\n| Criminal record check update service (recommended) | \u00a313/year | \u00a313/year |\n\n| GP to fill in and sign health declaration booklet | \u00a390 (approximately) | Not applicable |\n\n## Training\n\n| | Cost for childminders | Cost for nannies |\n\n| First aid course to cover the age groups you look after | \u00a360 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately) |\n\n| Childcare training on the type of care you will provide - ask your council | \u00a350 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately) |\n\n## Other costs\n\n| Insurance | Cost |\n\n| Public liability insurance | \u00a325 to \u00a3100 (approximately) |\n\n| Keeping digital records | Cost |\n\n| Register with ICO to keep digital records of children (childminders only) | \u00a340 |\n\n## Register as a nanny\n\nYou can register with Ofsted as a nanny or au pair to look after children in their own home.\n\nA nanny can look after children from 1 or 2 families at the same time.\n\nIf you want to look after children from more than 2 families at the same time in your home, you\u2019ll need to register as a childminder instead.\n\nYou will need:\n\n- an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check\n\n- first aid training\n\n- childcare training - speak to your local council\n\n- public liability insurance\n\n- a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years\n\nOfsted will reject your application if you do not have the correct documents.\n\n## How much it costs\n\nIt costs \u00a3103 to register with Ofsted. This fee is not refundable.\n\nFind out about other costs.\n\n## How long it takes\n\nIt usually takes up to 12 weeks to process your application.\n\n## Register online\n\nIt should take you about 15 minutes to fill in the form.\n\nRegister as a nanny\n\n## Register as a childminder\n\nYou must register with Ofsted to look after children in your home.\n\nIf you\u2019re looking after children in their own home, you should register with Ofsted as a nanny or au pair instead.\n\nYou will need:\n\n- an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check\n\n- first aid training for the age group you will look after\n\n- childcare training - speak to your local council\n\n- a health declaration booklet\n\n- contact details for 2 references\n\n- a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years\n\nOfsted will reject your application if you do not have the correct documents.\n\n## Checks on other people in your home\n\nIf anyone aged 16 or over lives with you or works in your home regularly, they\u2019ll need to get an enhanced criminal record check with barred lists.\n\nThe type of check they get depends on their role. For example your partner would need to get a different check to someone who works in your home, like a cleaner.\n\nThey\u2019ll also need to get a certificate of good character from an embassy if they\u2019ve lived abroad in the last 5 years.\n\n## How much it costs\n\nIt usually costs \u00a335 to register with Ofsted. This fee is not refundable.\n\nFind out about other costs.\n\n## How long it takes\n\nIt usually takes up to 12 weeks to process your application.\n\n## Register online\n\nIt should take you about 30 minutes to fill in the form.\n\nRegister as a childminder\n\n## After you apply\n\nWhen you submit your application Ofsted will:\n\n- do background checks with local authorities\n\n- check your references\n\n- give you a reference number to use if you have questions about your application\n\n## If you\u2019re a childminder\n\nAn inspector will visit you to check:\n\n- your identity and qualifications - including first aid qualifications\n\n- your house and garden are safe for children\n\n- that you\u2019re familiar with the early years foundation stage (EYFS) requirements and know how to put them into practice\n\n- your level of English\n\nYou will not usually get a registration visit if you\u2019re only looking after children aged over 5.\n\nFind out how to prepare for your registration visit.\n\n## If your application is approved\n\nYou\u2019ll get a certificate of registration if your application is approved. You will need this to start work as a childminder.\n\nOfsted will publish your unique reference number (\u2018URN\u2019) and inspection reports online. If you\u2019re a childminder they will also publish your name and address - unless you tell them not to.\n\n## If your application is refused\n\nOfsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.\n\nYou\u2019ll be disqualified from applying again in future.\n\n## Object to a decision\n\nYou can object to a decision if you\u2019ve been sent a \u2018notice of intention\u2019.\n\nYou must object within 14 days of the date on the notice.\n\nOfsted will consider your objection, then tell you if:\n\n- you\u2019re still refused registration\n\n- you cannot look after children in a particular home\n\n- your decision is overturned\n\nIf you do not object, or Ofsted does not change its decision, you\u2019ll get a second letter called a \u2018notice of decision\u2019. This is the final decision to refuse registration or approval of a certain premises.\n\n## Appeal a decision\n\nIf you disagree with Ofsted\u2019s final decision, you can appeal to an independent tribunal.\n\nYou must appeal within 3 months of the date that you\u2019re sent the notice of decision.\n\n## After you're registered\n\nYou must continue to meet the registration standards while you\u2019re working as a childminder or nanny.\n\nYou\u2019ll need to:\n\n- pay the annual registration fee\n\n- keep your details up to date\n\n- report any major accidents or incidents\n\nOfsted will inspect childminders and some nannies.\n\n## Keep your details up to date\n\nYou must tell Ofsted if:\n\n- you change where you\u2019re working\n\n- your contact details change\n\n- you stop working as a childminder or nanny\n\n## If you\u2019re a childminder\n\nYou must tell Ofsted if:\n\n- anyone 16 or over moves into your home or leaves your home\n\n- your childminding assistants change\n\n## Reporting accidents and incidents\n\nUse the early years incident online form to report:\n\n- a serious accident, injury or illness to a child, for example food poisoning\n\n- allegations that someone living, working or looking after children in your household has committed serious harm or abuse\n\n- anything that might affect the suitability of someone on the premises to look after children\n\n- a child\u2019s death\n\n## Providing other types of childcare\n\nIf you\u2019re a childminder, you can apply to set up childcare on non-domestic premises (for example, a playgroup or after-school club). You can work here for up to half of your time.\n\nIf you want to work with 3 or more childminders or childminding assistants in your home, you\u2019ll need to register as a daycare organisation (this is known as \u2018providing childcare on domestic premises\u2019).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-childminder-nanny", + "answerable": true, + "scenario": "I am 24 years old, divorced and live in England. I have an application in process to register as as childminder, have public liability insurance and have already passed my childcare training and full DBS Check.", + "original_question": "If my application is approved, can I prevent Ofsted from publishing my address?" + }, + { + "id": "train-1557", + "question": "Scenario: I live in Wales, and also own a small cottage close to my residence. I let this property out to tourists during the \"summer\" months (May to September, 153 days in total), although due to the pandemic occupancy was very low (10 days!) over the previous financial year (2020).\n\nQuestion: Am I expected to pay business rates on my rental property, given the very low occupancy?\n\nDocument - Business rates:\n## Overview\n\nBusiness rates are charged on most non-domestic properties, like:\n\n- shops\n\n- offices\n\n- pubs\n\n- warehouses\n\n- factories\n\n- holiday rental homes or guest houses\n\nYou\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What to pay and when\n\nYour local council will send you a business rates bill in February or March each year. This is for the following tax year. You can also estimate your business rates bill.\n\nYou can get help with business rates from:\n\n- your council if you have questions about your bill\n\n- the Valuation Office Agency (VOA) if you think your \u2018rateable value\u2019 is wrong\n\n## Relief schemes\n\nYou may be able to get business rates relief from your local council to reduce your bill. This is sometimes automatic, but you may need to apply.\n\nThe process depends on whether you\u2019re in England or Wales.\n\n## Who does not need to pay\n\nCertain properties are exempt from business rates, for example farm buildings or places used for the welfare of disabled people.\n\n## If you own a stable\n\nYou usually need to pay business rates on your stables, unless you use your horses for farming.\n\nYou may pay Council Tax instead if your stables are in your garden. Contact VOA to check if you\u2019re not sure which you should pay.\n\n## How your rates are calculated\n\nBusiness rates are worked out based on your property\u2019s \u2018rateable value\u2019.\n\nThis is its open market rental value on 1 April 2015, based on an estimate by the Valuation Office Agency (VOA).\n\nYou can estimate your business rates by multiplying the rateable value by the correct \u2018multiplier\u2019 (an amount set by central government).\n\nYour bill will be reduced if your property\u2019s eligible for business rates relief.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## If you think your rates are wrong\n\nYou can ask for your property\u2019s rateable value to be corrected if you think it\u2019s wrong.\n\n## If you\u2019re asked to provide rental information\n\nThe VOA may ask you to provide rental information about your property so they can work out its rateable value.\n\nContact the VOA if you need more time to send in your rental information.\n\n## Revaluation\n\nAt revaluation, the Valuation Office Agency (VOA) adjusts the rateable value of business properties to reflect changes in the property market.\n\nIt usually happens every 5 years. The most recent revaluation came into effect in England and Wales on 1 April 2017, based on rateable values from 1 April 2015.\n\nYou can check your valuation when you estimate your business rates.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What happens at revaluation\n\nAt revaluation:\n\n- all properties are given a new rateable value\n\n- multipliers are revised\n\nThis means that a change in your rateable value does not always mean a change in your bill.\n\nTo make sure your valuations are accurate, you may need to give VOA up-to-date rental evidence for your property at revaluation.\n\n## Get business rates relief\n\nYou may be able to get a discount from your local council if you\u2019re eligible for business rates relief.\n\nFor example you may be able to get:\n\n- transitional relief so that changes to your bill as a result of revaluation are phased in gradually\n\n- small business relief so that you pay no business rates if your rateable value is below \u00a315,000\n\n## Get help with business rates\n\nYou may be able to get a discount from your local council on your business rates if you\u2019re eligible for one or more business rates relief schemes.\n\nFor help with your property\u2019s rateable value, contact the Valuation Office Agency (VOA).\n\nFor help with your business rates bill (for example to pay in instalments) or rate relief, contact your council.\n\n## Get professional advice\n\nYou can also get help from a qualified rating surveyor through one of the following organisations:\n\n- Royal Institution of Chartered Surveyors (RICS)\n\n- Institute of Revenues, Rating and Valuation (IRRV)\n\n- Rating Surveyors Association\n\nYou may be charged for any advice you get from a rating surveyor right from the start.\n\nYou can call the RICS enquiry line for advice. The first 30 minutes are free.\n\n## If your business or premises change\n\nYour business rates could change if:\n\n- you move or make changes to your premises\n\n- the nature of your business changes\n\n- you sublet part of your property\n\n- you merge 2 or more properties into 1\n\nYou must report any changes to ensure you\u2019re paying the right amount and do not get a backdated increase in your bill.\n\nReport changes using the Valuation Office Agency (VOA) service in England or Wales.\n\nBusiness rates are handled differently in Scotland and Northern Ireland\n\n## If your premises are affected by local disruption\n\nYou may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).\n\nReport changes using the VOA service.\n\n## Working at home\n\nYou do not usually have to pay business rates for home-based businesses if you:\n\n- use a small part of your home for your business, for example if you use a bedroom as an office\n\n- sell goods by post\n\nYou may need to pay business rates as well as Council Tax if:\n\n- your property is part business and part domestic, for example if you live above your shop\n\n- you sell goods or services to people who visit your property\n\n- you employ other people to work at your property\n\n- you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s\n\nContact the Valuation Office Agency (VOA) to find out if you should be paying business rates. In Scotland, contact your local assessor.\n\n## Pubs and licensed trade\n\nIn England and Wales, the Valuation Office Agency (VOA) works out your rateable value based on the annual level of trade (excluding VAT) that a pub is expected to achieve if operated in a reasonably efficient way.\n\nThis is called \u2018fair maintainable trade\u2019 and it\u2019s based on:\n\n- the type of pub or licensed premises\n\n- the area it\u2019s in\n\n- the services it offers, for example food, gaming, or sports screenings\n\nThe VOA also looks at rents and turnovers to work out the fair maintainable trade figure, then applies a percentage to work out the rateable value.\n\nThe percentages are agreed with the British Beer and Pub Association and they\u2019re in the VOA\u2019s pub guide.\n\nYou can read more about how the VOA values pubs and other licensed premises for business rates.\n\nContact the VOA if you want to check the figures they\u2019re using or do not agree with the figures being used.\n\nYou can also find and check your business rates valuation online.\n\nYou\u2019ll need to provide details of turnover (excluding VAT) for all sources, such as liquor, food and gaming.\n\nYou can also use the online contact VOA service.\n\n## Scotland\n\nIn Scotland, your local assessor works out your rateable value.\n\nIf you want to check the figures they\u2019re using or do not agree with the figures being used, contact your local assessor.\n\n## Self-catering and holiday let accommodation\n\nIf your property is in England and available to let for short periods that total 140 days or more per year, it will be rated as a self-catering property and valued for business rates.\n\nIf your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:\n\n- available to let for short periods that total 140 days or more per year\n\n- actually let for 70 days\n\nThere are different rules in Scotland.\n\nThe Valuation Office will work out the rateable value of your property based on its type, size, location, quality and how much income you\u2019re likely to make from letting it.\n\nIf you only let one property and its rateable value is less than \u00a315,000 you may be eligible for small business rate relief.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/introduction-to-business-rates", + "answerable": true, + "scenario": "I live in Wales, and also own a small cottage close to my residence. I let this property out to tourists during the \"summer\" months (May to September, 153 days in total), although due to the pandemic occupancy was very low (10 days!) over the previous financial year (2020).", + "original_question": "Am I expected to pay business rates on my rental property, given the very low occupancy?" + }, + { + "id": "train-1558", + "question": "Scenario: I am the owner of a greengrocers with a head office and chain of stores in Great Britain. We import many of our tomatoes from Guernsey in the Channel Islands, where we have a registered office.\n\nQuestion: Do we need an EORI number to move our produce through customs?\n\nDocument - Get an EORI number:\n## Who needs an EORI\n\nYou may need an Economic Operators Registration and Identification number (EORI number) if you move goods:\n\n- between Great Britain (England, Scotland and Wales) or the Isle of Man and any other country (including the EU)\n\n- between Great Britain and Northern Ireland\n\n- between Great Britain and the Channel Islands\n\n- between Northern Ireland and countries outside the EU\n\nThis guide is also available in Welsh (Cymraeg).\n\nTo get an EORI number, your business usually needs to have premises based in the country you want to import to or export from - this is called \u2018being established\u2019. Your premises will need to be either a:\n\n- registered office\n\n- central headquarters\n\n- permanent business establishment - premises where some of your customs-related activities are taking place and your HR and technical resources are permanently located\n\nYou do not need an EORI number if you\u2019re moving goods for personal use only.\n\n## If your business is not based in the country you\u2019re moving goods to or from\n\nYou should still get an EORI number if you\u2019re:\n\n- making a customs declaration - check if you\u2019re eligible to make a customs declaration\n\n- making an entry summary declaration\n\n- making an exit summary declaration\n\n- making a temporary storage declaration\n\n- making a customs declaration for temporary admission or re-export declaration where you have a guarantee\n\n- acting as a carrier for transporting goods by sea, inland waterway or air\n\n- acting as a carrier connected to the customs system and you want to get notifications regarding the lodging or amendment of entry summary declarations\n\n- established in a common transit country where the declaration is lodged instead of an entry summary declaration or is used as a pre-departure declaration\n\nIf you\u2019re not eligible to apply for an EORI number yourself, you\u2019ll need to appoint someone to deal with customs on your behalf. The person you appoint will need to get the EORI number instead of you.\n\nIf you\u2019re based in the Channel Islands and you move goods to or from the UK, you do not need an EORI number. You\u2019ll need an EORI number if you use HMRC\u2019s customs systems like Customs Handling of Import and Export Freight (CHIEF).\n\n## When you\u2019ll need your EORI number\n\nYou\u2019ll need your EORI number if you:\n\n- appoint someone to deal with customs for you and are \u2018established\u2019 in the country you\u2019re importing to or exporting from\n\n- make customs declarations\n\n- use customs systems, such as the CHIEF system\nand the Import Control System Northern Ireland (ICS NI)\n\n- apply for a customs decision\n\n## Check which EORI number you need\n\nWhich type of EORI number you need and where you get it from depends on where you\u2019re moving goods to and from. You may need more than one.\n\nIf you do not have the right EORI number, you may have delays at customs and increased costs, for example your goods may have to be stored until you get an EORI.\n\n## If you\u2019re moving goods to or from Great Britain\n\nIf you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.\n\n## If you\u2019re moving goods to or from Northern Ireland\n\nYou may also need an EORI number starting with XI if you move goods to or from Northern Ireland.\n\nYou do not need an EORI number starting with XI if you already have an EORI number from an EU country.\n\n## If your business will be making declarations or getting a customs decision in the EU\n\nYou may need an EU EORI number from an EU country. Contact the customs authority in an EU country to get an EORI number. You do not need an EORI number from an EU country if you already have an EORI number starting with XI.\n\n## If you move goods to or from Northern Ireland\n\nYou must have an Economic Operators Registration and Identification number (EORI number) that starts with XI if you:\n\n- move goods into Northern Ireland from Great Britain (England, Scotland and Wales)\n\n- move goods from Northern Ireland to another non-EU country\n\n- make a declaration in Northern Ireland\n\n- apply for a customs decision in Northern Ireland\n\nYou only need to declare certain goods you move from Northern Ireland to Great Britain. Check if you need to make an export declaration and will need an EORI number that starts with XI.\n\nOnly people or organisations based in Northern Ireland or the EU can be named as the \u2018declarant\u2019 on import and export declarations made in Northern Ireland.\n\nYou do not need an EORI number if you only move goods on the island of Ireland or between an EU country and Northern Ireland.\n\nIf you already have an EU EORI number you do not need to apply for an XI EORI number.\n\nFind out how to apply for an XI EORI number.\n\n## Get help and advice if you move goods between Great Britain and Northern Ireland\n\nSign up for the Trader Support Service to get advice on EORI numbers and moving goods between Great Britain and Northern Ireland.\n\nFind more guidance on moving goods to and from Northern Ireland.\n\n## Apply for an EORI number\n\n## Apply for an EORI number that starts with GB\n\nTo apply for an Economic Operators Registration and Identification number (EORI number) you need your:\n\n- Unique Taxpayer Reference (UTR) - find your UTR if you do not know it\n\n- business start date and Standard Industrial Classification (SIC) code - these are in the Companies House register\n\n- Government Gateway user ID and password\n\n- VAT number and effective date of registration (if you\u2019re VAT registered) - these are on your VAT registration certificate\n\n- National Insurance number - if you\u2019re an individual or a sole trader\n\nIf you do not already have a Government Gateway user ID, you\u2019ll be able to create one when you apply.\n\nApply for a GB EORI number\n\nYou\u2019ll get your GB EORI number immediately unless HMRC needs to make any checks on your application. If they do, it can take up to 5 working days.\n\n## Apply for an EORI number that starts with XI\n\nBefore you apply, check you\u2019re eligible for an XI EORI number.\n\nYou must have applied for a GB EORI number before you can get an XI EORI number.\n\nOnce you have your GB EORI number then fill in an enquiry form, making sure you:\n\n- tick the box to say you will be trading with Northern Ireland or are based in Northern Ireland\n\n- tick the box saying your enquiry is a \u201cQuery regarding a current EORI number application\u201d\n\nYou\u2019ll get your XI EORI within 4 days.\n\n## Get help with an EORI number\n\nYou can check the status of an application you have already made.\n\nFill in an enquiry form if you have forgotten your EORI number, your details have changed or you have a question about your application.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/eori", + "answerable": true, + "scenario": "I am the owner of a greengrocers with a head office and chain of stores in Great Britain. We import many of our tomatoes from Guernsey in the Channel Islands, where we have a registered office.", + "original_question": "Do we need an EORI number to move our produce through customs?" + }, + { + "id": "train-1559", + "question": "Scenario: I own and run a small bookshop, which has two other employees. The shop is currently being remodelled to add a small caf\u00e9 to the premises, and I have prepared a basic HACCP plan for the handling of the food and drink.\n\nQuestion: Is it necessary for my employees to undergo formal, accredited training in food hygiene?\n\nDocument - Food safety - your responsibilities:\n## Food safety\n\nIf your business deals in food you must:\n\n- make sure food is safe to eat\n\n- make sure you don\u2019t add, remove or treat food in a way that makes it harmful to eat\n\n- make sure the food is the same quality that you say it is\n\n- make sure you don\u2019t mislead people by the way food is labelled, advertised or marketed\n\n- keep records on where you got food from and show this information on demand - known as \u2018traceability\u2019 (PDF, 90KB)\n\n- withdraw unsafe food and complete an incident report\n\n- tell people why food has been withdrawn or recalled, for example by using a leaflet or poster\n\n- display your food hygiene rating (if you sell food direct to the public)\n\n## Food additives\n\nIf you use an additive in food you must:\n\n- only use an approved additive\n\n- only use it if it is approved for use in that food\n\nThe food additive must not exceed the maximum permitted level.\n\n## Food hygiene\n\nPart of complying with food safety is managing food hygiene.\n\n## Hazard Analysis and Critical Control Point (HACCP) plan\n\nYou usually have to write a plan based on the HACCP principles if you run a food business. This keeps your food safe from biological, chemical and physical safety hazards.\n\n## Food contact materials\n\nMaterials and packaging that can be reasonably expected to come into contact with food are called \u2018food contact materials\u2019. These can include:\n\n- packaging\n\n- food processing equipment\n\n- cookware\n\n- work surfaces\n\n## To keep food safe for consumption:\n\n- make sure food contact materials don\u2019t transfer anything to food they touch\n\n- make sure food contact materials don\u2019t change the food they touch\n\n- when inspected, be able to show where the food contact materials came from\n\n## Bacteria and food poisoning\n\nTo keep food safe from bacteria, you should follow HACCP. Bacteria that cause serious health problems are:\n\n- E.coli O157 and campylobacter\n\n- salmonella, especially with the storage and handling of eggs\n\n## Food hygiene training\n\nEmployers are responsible for staff hygiene training. It can be either a formal programme or informal training, such as on the job training or self study.\n\n## Food allergies\n\nIf you are a food retailer or caterer you need to manage food allergies when preparing and selling food.\n\n## Food inspections\n\nYou can be inspected by your local council at any point in the food production and distribution process. All inspectors must follow the Food Law Code of Practice. Usually, you won\u2019t be told an inspection is going to happen.\n\nHow often you\u2019re inspected depends on the risk your business poses to public health. You might not be inspected as often if you\u2019re a member of a recognised assurance scheme. You can search for a registered assurance scheme online.\n\nIf you\u2019re a food retailer or caterer you will be inspected on a more regular basis to make sure you comply with food safety laws.\n\nYour premises, food, records and procedures can be inspected. Food samples can be taken as well as photographed.\n\nFind your local council enforcement officers.\n\n## After the inspection\n\nYou\u2019ll be sent a letter confirming any improvements you need to make and by when. Usually, you\u2019re responsible for confirming these\nimprovements have been made.\n\nFor serious food safety problems you may be sent a \u2018notice\u2019. The notice can include banning you from using certain equipment or processes until improvements have been made. Your business will be revisited to make sure you have followed the improvements in the notice. Example notices include a:\n\n- Hygiene Improvement Notice\n\n- Hygiene Emergency Prohibition Notices - banning you from using certain equipment or following certain processes\n\n## Appeals\n\nYour letter or notice should tell you how you can appeal a decision by an inspector.\n\n## Report a food safety incident\n\nYou must tell the Food Standards Agency (FSA) if you think any food your business:\n\n- has sold is unsafe\n\n- has is unsafe\n\nThe FSA will tell you if the food must be withdrawn and customers asked to return it.\n\nSubmit a food safety incident report.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "answerable": true, + "scenario": "I own and run a small bookshop, which has two other employees. The shop is currently being remodelled to add a small caf\u00e9 to the premises, and I have prepared a basic HACCP plan for the handling of the food and drink.", + "original_question": "Is it necessary for my employees to undergo formal, accredited training in food hygiene?" + }, + { + "id": "train-1561", + "question": "Scenario: I am the chief executive of a small, Oxford-based charity in which provides volunteer hospice care for the elderly and terminally ill. We are registered with the Charity Commission and have a letter of recognition from HMRC. Almost all of our income is from donations; however, we also receive some bank interest on accumulated funds.\n\nQuestion: Can we claim back the tax which the bank has deducted from our interest payments?\n\nDocument - Charities and tax:\n## Overview\n\nAs a charity you can get certain tax reliefs. To benefit you must be recognised by HM Revenue and Customs (HMRC).\n\nCharities do not pay tax on most types of income as long as they use the money for charitable purposes.\n\nYou can claim back tax that\u2019s been deducted, for example on bank interest and donations (this is known as Gift Aid).\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you need to pay tax\n\nYour charity may need to pay tax if you\u2019ve:\n\n- received income that does not qualify for tax relief\n\n- spent any of your income on non-charitable purposes\n\nYou need to complete a tax return if your charity has tax to pay.\n\nCommunity amateur sports clubs (CASCs) get different tax reliefs.\n\n## Tax reliefs for charities\n\nAs a charity you do not pay tax on most of your income and gains if you use it for charitable purposes - this is known as \u2018charitable expenditure\u2019.\n\nThis includes tax:\n\n- on donations\n\n- on profits from trading\n\n- on rental or investment income, for example bank interest\n\n- on profits when you sell or \u2018dispose of\u2019 an asset, like property or shares\n\n- when you buy property\n\nTo get tax relief you must be recognised by HM Revenue and Customs (HMRC).\n\nCommunity amateur sports clubs (CASCs) get different tax reliefs.\n\n## When you do pay tax\n\nCharities pay tax on:\n\n- dividends received from UK companies before 6 April 2016\n\n- profits from developing land or property\n\n- purchases - but there are special VAT rules for charities\n\nCharities pay business rates on non-domestic buildings, but they get an 80% discount.\n\nYou must pay tax on any money you do not use for charitable purposes. This is known as \u2018non-charitable expenditure\u2019.\n\n## Pay tax\n\nYou must complete a tax return if your charity needs to pay tax or if HMRC asks you to.\n\n## Reclaim tax\n\nYou can claim back tax that\u2019s been deducted, for example on:\n\n- donations (this is known as Gift Aid)\n\n- bank interest\n\n## Get recognition for tax purposes\n\nTo get tax relief your charity must be:\n\n- based in the UK, EU, Iceland, Liechtenstein or Norway\n\n- established for charitable purposes only\n\n- registered with the Charity Commission or another regulator, if this applies to you\n\n- run by \u2018fit and proper persons\u2019\n\n- recognised by HM Revenue and Customs (HMRC)\n\n## Apply for recognition\n\nRegister your charity\u2019s details using HMRC\u2019s online service.\n\n## Reclaim tax\n\nIf you receive income with tax deducted, for example donations you can claim Gift Aid on, you can claim it back:\n\n- online, using the Charities Online service\n\n- through software that works with Charities Online\n\n- by post, using form ChR1 - call the helpline to order it\n\n## Bank interest\n\nYou can arrange to receive interest without tax deducted. Show your bank your letter of recognition from HM Revenue and Customs (HMRC).\n\nIf tax has already been taken from your interest you can claim it back for:\n\n- the current tax year by asking your bank\n\n- previous tax years by claiming it from HMRC\n\n## Pay tax\n\nIf your charity has income that does not qualify for tax relief you must complete a tax return.\n\nIf you have no tax to pay, complete a tax return only if HM Revenue and Customs (HMRC) asks you to.\n\nIf your charity\u2019s income is over \u00a310,000 you must submit an annual return to the Charity Commission.\n\n## Company Tax Returns\n\nComplete a Company Tax Return if your charity is a limited company or unincorporated association. Include the supplementary pages for charities and community amateur sports clubs (CASCs).\n\nA charity is a limited company if it was set up by a:\n\n- constitution\n\n- memorandum and articles of association\n\n- royal charter or Act of Parliament\n\nLimited companies must also send annual accounts to Companies House.\n\n## Trusts\n\nComplete a Trust and Estate Self Assessment tax return if your charity is a trust. A charity is a trust if it was set up by a trust deed or will.\n\n## Penalties and deadlines\n\nYou must complete a tax return when HMRC asks you to, even if no tax is due.\n\nYou may have to pay a penalty if your tax return is late or you do not complete one when you should.\n\nThe deadline depends on whether you complete a Company Tax Return or a Self Assessment tax return.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/charities-and-tax", + "answerable": true, + "scenario": "I am the chief executive of a small, Oxford-based charity in which provides volunteer hospice care for the elderly and terminally ill. We are registered with the Charity Commission and have a letter of recognition from HMRC. Almost all of our income is from donations; however, we also receive some bank interest on accumulated funds.", + "original_question": "Can we claim back the tax which the bank has deducted from our interest payments?" + }, + { + "id": "train-1563", + "question": "Scenario: I own and operate a small gift/souvenir shop based in a large country park which is open to the public. We wish to start selling home-produced preserves and organic honey to our customers.\n\nQuestion: Do I need to list all ingredients with their weights and percentages on the food labels?\n\nDocument - Food labelling and packaging:\n## Overview\n\nTo sell food and drink products, the label must be:\n\n- clear and easy to read\n\n- permanent\n\n- easy to understand\n\n- easily visible\n\n- not misleading\n\nYou must show certain basic information and list the ingredients. You might also have to show certain warnings.\n\nThere are special regulations for labelling wine.\n\n## Products sold loose or in catering businesses\n\nIf you run a catering business, you sell food loose or package it for sale in your shop, you only need to show:\n\n- the name of the food\n\n- if any of the ingredients have been irradiated, or have come from genetically modified sources\n\n- certain warnings\n\n- any food additive you have added\n\n- allergen information\n\nYou must show more information if you sell meat products loose.\n\n## Packaging\n\nIf you package food yourself, you must use packaging that\u2019s suitable for food use. Suitable packaging is marked \u2018for food contact\u2019 or has a symbol on it that looks like a wine glass and a fork.\n\nThere are special rules for using plastics, ceramics or cellophane for packaging. You must have written evidence that you\u2019ve kept to them.\n\nThis is known as a \u2018declaration of compliance\u2019 and you can get it from your packaging supplier. You also have to get one if you buy food that\u2019s already packaged for sale in any of those materials.\n\nRead the national legislation on food contact materials for England, Northern Ireland, Wales or Scotland.\n\n## Food assurance schemes\n\nYou could also join voluntary food assurance schemes such as Red Tractor or Lion Eggs. These schemes let customers know food has been produced to certain standards, for example on food safety or animal welfare.\n\n## Food labelling - what you must show\n\nYou must show the following information:\n\n- the name of the food\n\n- a \u2018best before\u2019 or \u2018use by\u2019 date\n\n- any necessary warnings\n\n- net quantity information\n\n- a list of ingredients (if there is more than 1)\n\n- the country or place of origin, if required\n\n- the lot number or use-by date\n\n- any special storage conditions\n\n- instructions for use or cooking, if necessary\n\nIf you\u2019re selling food in Great Britain (England, Wales and Scotland), you must also include the name and address of the UK or EU business responsible for the information on the food. If the business is not in the UK or EU, you must include the name and address of the importer.\n\nIf you\u2019re selling food in Northern Ireland, you must include the name and address of the Northern Irish or EU business responsible for the information on the food. If the business is not in Northern Ireland or the EU, you must include the name and address of the importer.\n\nCheck if there are other food labelling standards you must follow.\n\n## Quantity information\n\nYou must put the net quantity in grams, kilograms, millilitres or litres on the label of:\n\n- packaged food over 5g or 5ml\n\n- packaged herbs and spices\n\nSolid foods packed in a liquid (or an ice glaze) must show the drained net weight.\n\nThe net quantity must be close enough to the name of the food that you can see all this information at the same time. This also applies to the alcoholic strength for alcoholic drinks.\n\nYou do not have to show the weight or volume on foods sold by number, for example 2 bread rolls, provided that you can clearly see the number of items inside the packaging.\n\nRead more guidance on quantity labelling.\n\n## Information you may have to show\n\nYou must also show these if they apply to your product:\n\n- a warning for drinks with an alcohol content above 1.2%\n\n- a warning if the product contains GM ingredients, unless their presence is accidental and 0.9% or less\n\n- a warning if the product has been irradiated\n\n- the words \u2018packaged in a protective atmosphere\u2019 if the food is packaged using a packaging gas\n\n## Country or place of origin\n\nYou must show the country or place of origin for:\n\n- beef, veal, lamb, mutton, pork, goat and poultry\n\n- fish and shellfish\n\n- honey\n\n- olive oil\n\n- wine\n\n- fruit and vegetables\n\nYou can label certain food from EU countries and Northern Ireland as \u2018origin EU\u2019. Food from and sold in Great Britain can be labelled as \u2018origin EU\u2019 until 30 September 2022. Check the rules for when to label meat, fish and shellfish with their country of origin.\n\nYou must also show the country of origin if customers might be misled without this information, for example if the label for a pizza shows the leaning tower of Pisa but the pizza is made in the UK.\n\nIf the primary ingredient in the food comes from somewhere different from where the product says it was made, the label must show this. For example, a pork pie labelled \u2018British\u2019 that\u2019s produced in the UK with pork from Denmark, must state \u2018with pork from Denmark\u2019 or \u2018made with pork from outside the UK\u2019.\n\n## Special rules for some products\n\nThere are special rules about what you have to show on the label if you supply any of the following:\n\n- bottled water\n\n- bread and flour\n\n- cocoa and chocolate products\n\n- fats and oils\n\n- fish\n\n- fruit juices and nectars\n\n- honey\n\n- jams and preserves\n\n- meat and meat products\n\n- milk and milk products\n\n- soluble coffee\n\n- sugar\n\n## Ingredients list\n\nIf your food or drink product has 2 or more ingredients (including any additives), you must list them all. Ingredients must be listed in order of weight, with the main ingredient first.\n\n## Ingredient quantities\n\nYou also have to show the percentage of an ingredient if it is:\n\n- highlighted by the labelling or a picture on a package, for example \u2018extra cheese\u2019\n\n- mentioned in the name of the product, for example \u2018cheese and onion pasty\u2019\n\n- normally connected with the name by the consumer, for example fruit in a summer pudding\n\n## Allergens\n\nYou must highlight allergens on the label using a different font, style or background colour. You must also list them in the ingredients.\n\nThe allergens you need to highlight and list are:\n\n- celery\n\n- cereals containing gluten - including wheat, rye, barley and oats\n\n- crustaceans - including prawns, crab and lobster\n\n- eggs\n\n- fish\n\n- lupin\n\n- milk\n\n- molluscs - including squid, mussels, cockles, whelks and snails\n\n- mustard\n\n- nuts\n\n- peanuts\n\n- sesame seeds\n\n- soya beans\n\n- sulphur dioxide or sulphites at levels above 10mg per kilogram or per litre\n\n## Food and drink warnings\n\nYou must show an appropriate warning on the label if your food contains certain ingredients.\n\n| Ingredient | Wording you must use |\n\n| Allura red (E129) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Aspartame | \u2018Contains a source of phenylalanine\u2019 |\n\n| Caffeine over 150 mg/l | \u2018Not suitable for children, pregnant women and persons sensitive to caffeine\u2019 |\n\n| Carmoisine (E122) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Liquorice | \u2018Contains liquorice\u2019 (you may need extra wording for confectionery or alcohol containing liquorice) |\n\n| Polyols | \u2018Excessive consumption may cause a laxative effect\u2019 |\n\n| Ponceau 4R (E124) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Quinoline yellow (E104) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Raw milk | \u2018This milk has not been heat-treated and may therefore contain organisms harmful to health\u2019 |\n\n| Skimmed milk with non-milk fat | There\u2019s no fixed wording, but you must show a warning that the product is unfit or not to be used for babies. |\n\n| Sulphur dioxide over 10mg/l | \u2018Contains sulphur dioxide (or sulphites/sulfites)\u2019 |\n\n| Sunset yellow (E110) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n| Sweeteners | \u2018With sweetener(s)\u2019 |\n\n| Sweeteners and sugar | \u2018With sugar and sweetener(s)\u2019 |\n\n| Tartrazine (E102) | \u2018May have an adverse effect on activity and attention in children\u2019 |\n\n## Nutrition, health claims and supplement labelling\n\n## Nutrition labelling\n\nYou must follow nutrition labelling information rules for all pre-packed products unless both of the following apply:\n\n- you\u2019re a small business with under 10 employees and a turnover of less than \u00a31.4 million\n\n- you supply either direct to consumers or to local retailers - local means within your county, your neighbouring county, or up to 30 miles from your county boundary\n\n## Nutrition and health claims\n\nYou have to follow certain rules if you want to make a nutrition claim (for example, low fat) or a health claim (for example, calcium helps maintain normal bones).\n\nYou cannot claim or imply that food can treat, prevent or cure any disease or medical condition.\n\n## Food supplements, fortified foods and foods for specific nutritional uses\n\nYou must follow certain rules if you are manufacturing, selling or importing:\n\n- a food supplement\n\n- a food fortified with vitamins and minerals\n\nThere are also specific rules for \u2018parnuts foods\u2019, for example:\n\n- formula milk for infants and young children\n\n- baby food\n\n- meal and total diet replacement for weight control\n\n- medical foods\n\nYou must tell the Department for Health if you want to sell infant formula or medical food in the UK.\n\n## Organic food\n\nIf you\u2019re a retailer, you can label products \u2018organic\u2019 as long as:\n\n- at least 95% of the farm-grown ingredients are organic\n\n- you sell direct to customers in your shop\n\n## Organic certification\n\nYou must be certified by one of the organic control bodies if you produce or prepare organic food and you want to sell or label it as organic.\n\nYou can decide which body to register with based on your location and needs.\n\nOnce registered you\u2019ll have to:\n\n- follow a strict set of guidelines laid down by national and international law\n\n- keep thorough and accurate records of production processes\n\n- allow annual and random inspections\n\nYou\u2019ll also have to follow the rules for labelling organic products.\n\nYou can check how food labelling rules are enforced.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/food-labelling-and-packaging", + "answerable": true, + "scenario": "I own and operate a small gift/souvenir shop based in a large country park which is open to the public. We wish to start selling home-produced preserves and organic honey to our customers.", + "original_question": "Do I need to list all ingredients with their weights and percentages on the food labels?" + }, + { + "id": "train-1564", + "question": "Scenario: I am the owner and a director of a limited company which designs bespoke headstones and other memorials for relatives of the deceased. We recently acquired a new zero-emission people carrier, which is used both by our sales representatives when visiting clients and also for the delivery of some of our smaller products.\n\nQuestion: Can the cost of this vehicle be claimed against our Annual Investment Allowance?\n\nDocument - Claim capital allowances:\n## Overview\n\nYou can claim capital allowances when you buy assets that you keep to use in your business, for example:\n\n- equipment\n\n- machinery\n\n- business vehicles, for example cars, vans or lorries\n\nThese are known as plant and machinery.\n\nYou can deduct some or all of the value of the item from your profits before you pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\nIf you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.\n\n## Work out the value of your item\n\nIn most cases, the value is what you paid for the item. Use the market value (the amount you\u2019d expect to sell it for) instead if:\n\n- you owned it before you started using it in your business\n\n- it was a gift\n\n## Other business costs\n\nYou claim for the cost of things that are not business assets in a different way. This includes:\n\n- your business\u2019s day-to-day running costs\n\n- items that it\u2019s your trade to buy and sell\n\n- interest payments or finance costs for buying assets\n\nClaim these costs as business expenses if you\u2019re a sole trader or partner, or deduct from your profits as a business cost if you\u2019re a limited company.\n\n## Other capital allowances\n\nAs well as plant and machinery, you can also claim capital allowances for:\n\n- renovating business premises in disadvantaged areas of the UK\n\n- extracting minerals\n\n- research and development\n\n- \u2018know-how\u2019 (intellectual property about industrial techniques)\n\n- patents\n\n- dredging\n\n- structure and buildings\n\n## If you let out residential property\n\nYou can only claim for items in residential property if your business qualifies as a furnished holiday lettings business. In each year the property must be:\n\n- available for holiday letting for 210 days\n\n- let for 105 days or more\n\n## What you can claim on\n\nYou can claim capital allowances on items that you keep to use in your business - these are known as \u2018plant and machinery\u2019.\n\nIn most cases you can deduct the full cost of these items from your profits before tax using annual investment allowance (AIA).\n\nIf you\u2019re a sole trader or partner and have an income of \u00a3150,000 or less a year, you may be able to use a simpler system called cash basis instead.\n\n## What does not count as plant and machinery\n\nYou cannot claim capital allowances on:\n\n- things you lease - you must own them\n\n- buildings, including doors, gates, shutters, mains water and gas systems\n\n- land and structures, for example bridges, roads, docks\n\n- items used only for business entertainment, for example a yacht or karaoke machine\n\n## What counts as plant and machinery\n\nPlant and machinery includes:\n\n- items that you keep to use in your business, including cars\n\n- costs of demolishing plant and machinery\n\n- parts of a building considered integral, known as \u2018integral features\u2019\n\n- some fixtures, for example fitted kitchens or bathroom suites\n\n- alterations to a building to install other plant and machinery - this does not include repairs\n\nClaim repairs as business expenses if you\u2019re a sole trader or partner - deduct from your profits as a business cost if you\u2019re a limited company.\n\n## Integral features\n\nIntegral features are:\n\n- lifts, escalators and moving walkways\n\n- space and water heating systems\n\n- air-conditioning and air cooling systems\n\n- hot and cold water systems (but not toilet and kitchen facilities)\n\n- electrical systems, including lighting systems\n\n- external solar shading\n\n## Fixtures\n\nYou can claim for fixtures, for example:\n\n- fitted kitchens\n\n- bathroom suites\n\n- fire alarm and CCTV systems\n\nYou can claim if you rent or own the building, but only the person who bought the item can claim.\n\nWhen you buy a building from a previous business owner you can only claim for integral features and fixtures that they claimed for.\n\nYou must agree the value of the fixtures with the seller. If you do not you cannot claim for them. Agreeing the value also means the person selling the assets can account correctly for them.\n\n## If you let residential property\n\nYou can only claim for items in residential property if either:\n\n- you run a furnished holiday lettings business\n\n- the item is in the common parts of a residential building, for example a table in the hallway of a block of flats\n\n## Care workers\n\nThere are special rules if you run a care business.\n\n## Annual investment allowance\n\nYou can deduct the full value of an item that qualifies for annual investment allowance (AIA) from your profits before tax.\n\nIf you sell the item after claiming AIA you may need to pay tax.\n\n## What you can claim on\n\nYou can claim AIA on most plant and machinery up to the AIA amount.\n\n## What you cannot claim on\n\nYou cannot claim AIA on:\n\n- cars\n\n- items you owned for another reason before you started using them in your business\n\n- items given to you or your business\n\nClaim writing down allowances instead.\n\n## The AIA amount\n\nThe AIA amount has temporarily increased to \u00a31 million between 1 January 2019 and 31 December 2020.\n\n## Changes to the AIA\n\nThe\u00a0AIA\u00a0amount has changed several times since April 2008.\n\nIf the AIA changed in the period you\u2019re claiming for, you need to adjust the amount you can claim.\n\n| AIA | Sole traders/partners | Limited companies |\n\n| 1 million | 1 January 2019 - 31 December 2020 | 1 January 2019 - 31 December 2020 |\n\n| \u00a3200,000 | 1 January 2016 - 31 December 2018 | 1 January 2016 - 31 December 2018 |\n\n| \u00a3500,000 | 6 April 2014 - 31 December 2015 | 1 April 2014 - 31 December 2015 |\n\n| \u00a3250,000 | 1 January 2013 - 5 April 2014 | 1 January 2013 - 31 March 2014 |\n\n| \u00a325,000 | 6 April 2012 - 31 December 2012 | 1 April 2012 - 31 December 2012 |\n\n| \u00a3100,000 | 6 April 2010 - 5 April 2012 | 1 April 2010 - 31 March 2012 |\n\n| \u00a350,000 | 6 April 2008 - 5 April 2010 | 1 April 2008 - 31 March 2010 |\n\nYou get a new allowance for each accounting period.\n\n## If your accounting period is more or less than 12 months\n\nAdjust your AIA if your accounting period is more or less than 12 months.\n\nThe rules are different if your accounting period is longer than 18 months or you have a gap or overlap between accounting periods.\n\n## When you can claim\n\nYou can only claim AIA in the period you bought the item.\n\nThe date you bought it is:\n\n- when you signed the contract, if payment is due within less than 4 months\n\n- when payment\u2019s due, if it\u2019s due more than 4 months later\n\nIf you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.\n\nIf your business closes, you cannot claim AIA for items bought in the final accounting period.\n\n## If you do not want to claim the full cost\n\nIf you do not want to claim the full cost, for example you have low profits, you can claim:\n\n- writing down allowances instead\n\n- part of the cost as AIA and part as writing down allowances\n\n## Items you also use outside your business\n\nYou cannot claim the full value of items you also use outside your business if you\u2019re a sole trader or partner. Reduce the capital allowances you claim by the amount you use the asset outside your business.\n\n## If you spend more than the AIA amount\n\nClaim writing down allowances on any amount above the AIA. If a single item takes you above the AIA amount you can split the value between the types of allowance.\n\n## Mixed partnerships\n\nAIA is not available for partnerships where one of the partners is a company or another partnership.\n\n## More than one business or trade\n\nIf you\u2019re a sole trader or a partner and you have more than one business or trade, each business usually gets an AIA.\n\nYou only get one AIA if the businesses are both:\n\n- controlled by the same person\n\n- in the same premises or have similar activities\n\nIf 2 or more limited companies are controlled by the same person they only get one AIA between them. They can choose how to share the AIA.\n\n## How to claim\n\nClaim on your tax return.\n\n## First year allowances\n\nIf you buy an asset that qualifies for first year allowances you can deduct the full cost from your profits before tax.\n\nYou can claim first year allowances in addition to annual investment allowance - they do not count towards your AIA limit.\n\n## What qualifies\n\nYou can claim \u2018enhanced capital allowances\u2019 (a type of first year allowances) for the following energy and water efficient equipment:\n\n- some cars with low CO2 emissions\n\n- energy saving equipment that\u2019s on the energy technology product list, for example certain motors\n\n- water saving equipment that\u2019s on the water efficient technologies product list, for example meters, efficient toilets and taps\n\n- plant and machinery for gas refuelling stations, for example storage tanks, pumps\n\n- gas, biogas and hydrogen refuelling equipment\n\n- new zero-emission goods vehicles\n\nYou cannot normally claim on items your business buys to lease to other people or for use within a home you let out.\n\n## How to claim\n\nClaim on your tax return.\n\nIf you do not claim all the first year allowances you\u2019re entitled to, you can claim part of the cost in the next accounting period using writing down allowances.\n\n## Business cars\n\nYou can claim capital allowances on cars you buy and use in your business. This means you can deduct part of the value from your profits before you pay tax.\n\nUse writing down allowances to work out what you can claim - cars do not qualify for annual investment allowance (AIA).\n\n## Sole traders and partners\n\nIf you\u2019re a sole trader or a partner you can claim simplified mileage expenses on business vehicles instead - as long as you have not already claimed for them in another way.\n\n## Employees\n\nIf you\u2019re an employee you cannot claim capital allowances for cars, motorbikes and bicycles you use for work, but you may be able to claim for business mileage and fuel costs.\n\n## What counts as a car\n\nFor capital allowances a car is a type of vehicle that:\n\n- is suitable for private use - this includes motorhomes\n\n- most people use privately\n\n- was not built for transporting goods\n\n## What does not count\n\nBecause they do not count as cars you can claim AIA on:\n\n- motorcycles - apart from those bought before 6 April 2009\n\n- lorries, vans and trucks\n\n## Rates for cars\n\nThe rate you can claim depends on the CO2 emissions of your car and the date you bought it.\n\nThe main and special rates apply from 1 April for limited companies, and 6 April for sole traders and partners. The first year allowances rate applies from 1 April for all businesses.\n\n## Cars bought from April 2021\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 0g/km (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 1g/km and 50g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are between 1g/km and 50g/km (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 50g/km | Special rate allowances |\n\n## Cars bought between April 2018 and April 2021\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 50g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 50g/km and 110g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 110g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 110g/km | Special rate allowances |\n\n## Cars bought between April 2015 and April 2018\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 75g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 75g/km and 130g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 130g/km | Special rate allowances |\n\n## Cars bought between April 2013 and April 2015\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 95g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 95g/km and 130g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 130g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions are above 130g/km | Special rate allowances |\n\n## Cars bought between April 2009 and April 2013\n\n| Description of car | What you can claim |\n\n| New and unused, CO2 emissions are 110g/km or less (or car is electric) | First year allowances |\n\n| New and unused, CO2 emissions are between 110g/km and 160g/km | Main rate allowances |\n\n| Second hand, CO2 emissions are 160g/km or less (or car is electric) | Main rate allowances |\n\n| New or second hand, CO2 emissions above 160g/km | Special rate allowances |\n\nMove the balance of any cars bought before April 2009 to your main rate allowances pool.\n\nIf your car does not have an emissions figure use the special rate - use the main rate if it was registered before 1 March 2001.\n\n## Using cars outside your business\n\nIf you\u2019re a sole trader or partner and you also use your car outside your business, calculate how much you can claim based on the amount of business use.\n\nIf your business provides a car for an employee or director you can claim capital allowances on the full cost. You may need to report it as a benefit if they use it personally.\n\n## How to claim\n\nWhen you\u2019ve worked out your capital allowances, claim on your:\n\n- Self Assessment tax return if you\u2019re a sole trader\n\n- partnership tax return if you\u2019re a partner\n\n- Company Tax Return if you\u2019re a limited company - you must include a separate capital allowances calculation\n\nEmployees must claim in a different way.\n\nThe amount you can claim is deducted from your profits.\n\n## When you can claim\n\nYou must claim in the accounting period you bought the item if you want to claim the full value under:\n\n- annual investment allowance\n\n- first year allowances\n\nIf you do not want to claim the full value you can claim part of it using writing down allowances. You can do this at any time as long as you still own the item.\n\n## When you bought it\n\nThe date you bought it is:\n\n- when you signed the contract, if payment is due within less than 4 months\n\n- when payment\u2019s due, if it\u2019s due more than 4 months later\n\nIf you buy something under a hire purchase contract you can claim for the payments you have not made yet when you start using the item. You cannot claim on the interest payments.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/capital-allowances", + "answerable": true, + "scenario": "I am the owner and a director of a limited company which designs bespoke headstones and other memorials for relatives of the deceased. We recently acquired a new zero-emission people carrier, which is used both by our sales representatives when visiting clients and also for the delivery of some of our smaller products.", + "original_question": "Can the cost of this vehicle be claimed against our Annual Investment Allowance?" + }, + { + "id": "train-1565", + "question": "Scenario: I own and operate a hardware store in Southern England. We are VAT registered, and have a returns policy by which customers can return faulty goods within their guarantee period for an identical replacement.\n\nQuestion: Is it necessary to issue a second VAT invoice for the replacement product?\n\nDocument - Businesses and charging VAT:\n## How VAT works\n\nYou can only charge VAT if your business is registered for VAT.\n\nVAT is charged on things like:\n\n- business sales - for example when you sell goods and services\n\n- hiring or loaning goods to someone\n\n- selling business assets\n\n- commission\n\n- items sold to staff - for example canteen meals\n\n- business goods used for personal reasons\n\n- \u2018non-sales\u2019 like bartering, part-exchange and gifts\n\nThese are known as \u2018taxable supplies\u2019. There are different rules for charities.\n\n## Responsibilities\n\nVAT-registered businesses:\n\n- must charge VAT on their goods or services\n\n- may reclaim any VAT they\u2019ve paid on business-related goods or services\n\n- must account for import VAT on their VAT return if they use import VAT this way (known as \u2018postponed VAT accounting\u2019)\n\nIf you\u2019re a VAT-registered business you must report to HM Revenue and Customs (HMRC) the amount of VAT you\u2019ve charged and the amount of VAT you\u2019ve paid. This is done through your VAT Return which is usually due every 3 months.\n\nYou may want to appoint an agent to deal with HMRC on your behalf.\n\nYou must account for VAT on the full value of what you sell, even if you:\n\n- receive goods or services instead of money (for example if you take something in part-exchange)\n\n- haven\u2019t charged any VAT to the customer - whatever price you charge is treated as including VAT\n\nIf you\u2019ve charged more VAT than you\u2019ve paid, you have to pay the difference to HMRC. If you\u2019ve paid more VAT than you\u2019ve charged, you can reclaim the difference from HMRC.\n\n## VAT rates\n\nThere are 3 different rates of VAT and you must make sure you charge the right amount.\n\nGet a list of reduced or zero-rated goods and services.\n\n## Standard rate\n\nMost goods and services are standard rate. You should charge this rate unless the goods or services are classed as reduced or zero-rated.\n\nThis includes any goods below the distance selling threshold you supply from Northern Ireland to non-VAT registered EU customers. If you go over the threshold, you\u2019ll have to register for VAT in that country.\n\n## Reduced rate\n\nWhen you charge this rate can depend on what the item is as well as the circumstances of the sale, for example:\n\n- children\u2019s car seats and domestic fuel or power are always charged at 5%\n\n- mobility aids for older people are only charged at 5% if they\u2019re for someone over 60 and the goods are installed in their home\n\n## Zero rate\n\nZero-rated means that the goods are still VAT-taxable but the rate of VAT you must charge your customers is 0%. You still have to record them in your VAT accounts and report them on your VAT Return. Examples include:\n\n- books and newspapers\n\n- children\u2019s clothes and shoes\n\n- motorcycle helmets\n\n- most goods you export from England, Wales and Scotland (Great Britain) to a country outside the UK\n\n- most goods you export from Northern Ireland to a country outside the EU and the UK\n\n- goods you supply from Northern Ireland to a VAT registered EU business - you can check if the VAT number is valid\n\nIf you sent goods to the EU from Northern Ireland, you\u2019ll need their VAT number and paperwork proving that the goods have been sent within certain time limits (usually 3 months).\n\nRates can change and you must apply any changes to the rates from the date they change.\n\n## What you must do when charging VAT\n\nYou need to know the right VAT rate so you can charge it correctly and reclaim it on your purchases.\n\nIf a transaction is a standard, reduced or zero-rated taxable supply, you must:\n\n- charge the right rate of VAT\n\n- work out the VAT if a single price is shown that includes or excludes VAT\n\n- show the VAT information on your invoice\n\n- show the transaction in your VAT account - a summary of your VAT\n\n- show the amount on your VAT Return\n\nYou may be able to reclaim the VAT on purchases that relate to these sales.\n\nYou cannot claim back all of the amount you\u2019ve paid if you pay the wrong amount of VAT on a purchase.\n\n## VAT-inclusive and exclusive prices\n\nYou\u2019ll need to make a calculation when charging VAT on goods or services, or when working out the amount of VAT you can claim back on items which were sold inclusive of VAT.\n\n## VAT-inclusive prices\n\nTo work out a price including the standard rate of VAT (20%), multiply the price excluding VAT by 1.2.\n\nTo work out a price including the reduced rate of VAT (5%), multiply the price excluding VAT by 1.05.\n\n## VAT-exclusive prices\n\nTo work out a price excluding the standard rate of VAT (20%) divide the price including VAT by 1.2.\n\nTo work out a price excluding the reduced rate of VAT (5%) divide the price including VAT by 1.05.\n\n## When not to charge VAT\n\nYou cannot charge VAT on exempt or \u2018out of scope\u2019 items.\n\n## Exempt goods and services\n\nExempt goods or services are supplies that you cannot charge VAT on.\n\nIf you buy or sell an exempt item you should still record the transaction in your general business accounts. Examples of exempt items include:\n\n- insurance\n\n- postage stamps or services\n\n- health services provided by doctors\n\nGet a list of goods and services that are VAT exempt.\n\n## VAT registration\n\nBusinesses that sell only VAT-exempt goods and services cannot register for VAT.\n\nIf you start selling items that aren\u2019t exempt, you can register for VAT voluntarily. You must register if the total value of non-exempt goods and services goes over the VAT taxable turnover threshold.\n\n## Out of scope\n\nSome goods and services are outside the VAT tax system so you cannot charge or reclaim the VAT on them. For example, out of scope items include:\n\n- goods or services you buy and use outside the UK\n\n- statutory fees - like the London congestion charge\n\n- goods you sell as part of a hobby - like stamps from a collection\n\n- donations to a charity - if given without receiving anything in return\n\n## Charging VAT to charities\n\nAs a VAT-registered business, you can sell certain goods and services to charities at the zero or reduced rate of VAT.\n\nIt\u2019s your responsibility to check the charity is eligible, and to apply the correct rate.\n\nCommunity amateur sports clubs (CASCs) don\u2019t qualify for VAT reliefs for charities.\n\n## Check the charity is eligible\n\nTo make sure the charity is eligible, ask them for:\n\n- evidence that they\u2019re a charity\n\n- a written declaration or \u2018certificate\u2019 confirming they meet the conditions for the particular VAT relief\n\n## Evidence of charitable status\n\nThe charity should give you either:\n\n- their Charity Commission registration number\n\n- a letter of recognition from HM Revenue and Customs (HMRC) if they\u2019re not registered with the Charity Commission for England and Wales (for example if they\u2019re a Scottish or Northern Irish charity)\n\n## Written declaration\n\nCharities are legally required to give you an eligibility certificate when you supply eligible building or construction services to them at zero VAT. The certificate must contain specific information.\n\nA declaration is not legally required for other items you sell at the zero or reduced rate, but you should ask for one to prove the charity is eligible for the relief.\n\nThese sample declarations contain examples of the information a charity should give you when buying:\n\n- medical and scientific equipment, motor vehicles and computer software\n\n- charity advertising\n\n- goods and services for disabled people\n\nThe written declaration should be separate from the order form or invoice for the goods or services the charity is buying.\n\nYou must keep the completed declarations for at least 4 years.\n\n## Items that qualify for the reduced rate\n\nYou may be able to apply the reduced VAT rate when you sell fuel and power in certain circumstances to an eligible charity.\n\n## Items that qualify for the zero rate\n\nYou may be able to apply zero VAT when you sell the following to an eligible charity:\n\n- advertising and items for collecting donations\n\n- aids for disabled people\n\n- construction services\n\n- drugs and chemicals\n\n- equipment for making \u2018talking\u2019 books and newspapers\n\n- lifeboats and associated equipment, including fuel\n\n- medicine or ingredients for medicine\n\n- resuscitation training models\n\n## Equipment for medical and veterinary use\n\nYou may also be able to zero-rate some other medical and veterinary equipment when you sell it to:\n\n- certain health bodies, for example NHS Trusts\n\n- not-for-profit research institutions\n\n- charities that provide institutional care, or medical or surgical treatment for chronically sick or disabled people\n\n- charities that provide transport services for disabled people\n\n- charities that provide rescue or first aid services to humans or animals\n\n- someone buying it specifically for donation to one of these bodies\n\nThe money used to buy the equipment must be from charitable or donated funds. This should be stated on the eligibility declaration.\n\nThe eligible items include:\n\n- medical, veterinary and scientific equipment\n\n- ambulances\n\n- goods for disabled people\n\n- motor vehicles for medical use\n\n- rescue equipment\n\n- resuscitation training dummies\n\n## Returned goods\n\nWhen you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled by issuing either a:\n\n- replacement invoice\n\n- credit or debit note\n\nIf you exchange the goods for goods of the same value you don\u2019t need to issue a new VAT invoice.\n\n## Credit and debit notes\n\nThese must show the same information as the VAT invoice and:\n\n- why it was issued\n\n- the total amount credited, excluding VAT\n\n- the number and date of the original VAT invoice\n\n## Discounts and free gifts\n\n## Discounts\n\nVAT may have to be charged on discounts and deals.\n\n| Offer | How to charge VAT |\n\n| Discounts | Charged on the discounted price (not the full price) |\n\n| Gifts | Charged on the gift\u2019s full value - there are some exceptions listed below |\n\n| Multi-buys | Charged on the combined price if all the items have the same VAT rate. If not, VAT is \u2018apportioned\u2019 as mixed-rate goods |\n\n| Money-off coupons, vouchers etc | No VAT due if given away free at time of a purchase. If not, VAT due on the price charged |\n\n| \u2018Face value\u2019 vouchers that can be used for more than one type of good or service | No VAT due, if sold at or below their monetary value |\n\n| Redeemed face value vouchers | Charged on the full value of the transaction |\n\n| Redeemed face value vouchers sold at a discount | Charged on the discounted value of the transaction |\n\n| Link-save offers (buy one get one free or discounted) | VAT is apportioned as mixed-rate goods - there are exceptions |\n\n## Exceptions for gifts and link-save offers\n\nThere\u2019s no VAT due on gifts given to the same person if their total value in a 12 month period is less than \u00a350.\n\nVAT is charged on the combined value of link-save items if the incentive product:\n\n- has a resale value of less than \u00a31\n\n- has a sale value of less than \u00a35\n\n- costs you less than 20% of the total of the other items in the offer\n\n- isn\u2019t sold at a separate price from the main product\n\n## Free goods and services\n\nYou don\u2019t have to pay VAT on things like free samples if they meet certain conditions.\n\n| Supplies | Condition to meet so no VAT due |\n\n| Free samples | Used for marketing purposes and provided in a quantity that lets potential customers test the product |\n\n| Free loans of business assets | The cost of hiring the asset is included in something else you sell to the customer |\n\n| Free gifts | The total cost of all gifts to the same person is less than \u00a350 in a 12 month period |\n\n| Free services | You don\u2019t get any payment or goods or services in return |", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-businesses", + "answerable": true, + "scenario": "I own and operate a hardware store in Southern England. We are VAT registered, and have a returns policy by which customers can return faulty goods within their guarantee period for an identical replacement.", + "original_question": "Is it necessary to issue a second VAT invoice for the replacement product?" + }, + { + "id": "train-1570", + "question": "Scenario: I own a building in central Manchester, in which I rent office space to several small start-up companies. I obtained an EPC on the completion of construction in 2014. During the recent pandemic-induced vacation of much of the occupied space I took the opportunity to have the air conditioning completely refurbished, which involved considerable re-organisation of the internal divisions too.\n\nQuestion: Is my current EPC still valid, or do I need to be assessed for a new one?\n\nDocument - Energy Performance Certificates for your business premises:\n## Overview\n\nAn Energy Performance Certificate (EPC) rates how energy efficient your building is using grades from A to G (with \u2018A\u2019 the most efficient grade).\n\n## When you need an EPC\n\nYou must have an EPC if:\n\n- you rent out or sell the premises\n\n- a building under construction is finished\n\n- there are changes to the number of parts used for separate occupation and these changes involve providing or extending fixed heating, air conditioning or mechanical ventilation systems\n\nYou can be fined between \u00a3500 and \u00a35,000 based on the rateable value of the building if you don\u2019t make an EPC available to any prospective buyer or tenant.\n\n## When you must display one\n\nYou must display an EPC by fixing it to your commercial building if all these apply:\n\n- the total useful floor area is over 500 square metres\n\n- the building is frequently visited by the public\n\n- an EPC has already been produced for the building\u2019s sale, rental or construction\n\n## How much it costs\n\nThe cost of an EPC will depend on the building being assessed. All EPCs are valid for 10 years.\n\n## How to get a certificate\n\nYou can only get an Energy Performance Certificate (EPC) from a commercial energy assessor.\n\nThe type of assessor you\u2019ll need will depend on the complexity and features of the building. If you need advice on choosing one, speak to a commercial (non-domestic) energy assessor or contact the approved accreditation scheme they belong to.\n\n## Exemptions\n\nYou don\u2019t need an Energy Performance Certificate (EPC) if you can demonstrate that the building is any of these:\n\n- listed or officially protected and the minimum energy performance requirements would unacceptably alter it\n\n- a temporary building only going to be used for 2 years or less\n\n- used as a place of worship or for other religious activities\n\n- an industrial site, workshop or non-residential agricultural building that doesn\u2019t use much energy\n\n- a detached building with a total floor space under 50 square metres\n\n- due to be demolished by the seller or landlord and they have all the relevant planning and conservation consents\n\n## Vacant buildings and demolition\n\nA building is also exempt if all of the following are true:\n\n- it\u2019s due to be sold or rented out with vacant possession\n\n- it\u2019s suitable for demolition and the site could be redeveloped\n\n- the buyer or tenant has applied for planning permission to demolish it\n\n## Appeal a penalty charge\n\nYou can ask for a review if you get a penalty charge notice. The notice will tell you how to do this. If the review fails you\u2019ll get a letter confirming your penalty.\n\nYou can then appeal to the county court (or sheriff court in Scotland) but you must do this within 28 days of receiving your confirmed penalty.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/energy-performance-certificate-commercial-property", + "answerable": true, + "scenario": "I own a building in central Manchester, in which I rent office space to several small start-up companies. I obtained an EPC on the completion of construction in 2014. During the recent pandemic-induced vacation of much of the occupied space I took the opportunity to have the air conditioning completely refurbished, which involved considerable re-organisation of the internal divisions too.", + "original_question": "Is my current EPC still valid, or do I need to be assessed for a new one?" + }, + { + "id": "train-1572", + "question": "Scenario: A neighbouring landowner recently had an application for a Lawful Development Certificate for the conversion of one of his outbuildings into a dwelling refused by the local council. I opposed this proposed change of use, and have now been notified by the council that the landowner intends to appeal their decision.\n\nQuestion: Is there a means by which I can register my opposition to this appeal?\n\nDocument - Appeal a decision about a lawful development certificate:\n## When you can appeal\n\nYour local planning authority makes decisions about lawful development certificates.\n\nYou can appeal against a lawful development certificate decision if either:\n\n- you disagree with it\n\n- the decision was not made within 8 weeks (6 weeks for work to a listed building)\n\nDo not appeal if you\u2019ve already been given an enforcement notice. You may have to pay additional costs if you do.\n\nOnly the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nThere\u2019s normally no deadline. If you\u2019re appealing an application about a listed building lawful development certificate, you must appeal within 6 months of the decision.\n\nYou can apply for planning permission at the same time as appealing a lawful development certificate decision.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the local planning authority\u2019s decision notice - if they did not make a decision, send a copy of the letter acknowledging your application\n\n- all plans, drawings and documents you sent to the local planning authority\n\n- any letters or emails between you and the local planning authority\n\nYou\u2019ll also need to submit:\n\n- a map of the site\n\n- any other documents that directly support your appeal, for example your grounds of appeal\n\nIf you think your land or building is now lawful because the time limit for enforcement has passed, you also need to submit evidence like:\n\n- dated photographs of the site\n\n- letters from neighbours\n\n- receipts or invoices for work\n\n- plans and drawings\n\nYou can upload these documents or pictures of these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on a lawful development certificate appeal. Find the case on the appeals casework portal. The deadline for comments is 6 weeks after the start date of the appeal.\n\nYour local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. The local planning authority has to do this within 2 weeks of the appeal being validated by the Planning Inspectorate.\n\nIf there\u2019s going to be an inquiry, interested parties can apply to have \u2018rule 6 status\u2019, which means they\u2019ll play a much bigger part. For example, they can call witnesses and give evidence.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "answerable": true, + "scenario": "A neighbouring landowner recently had an application for a Lawful Development Certificate for the conversion of one of his outbuildings into a dwelling refused by the local council. I opposed this proposed change of use, and have now been notified by the council that the landowner intends to appeal their decision.", + "original_question": "Is there a means by which I can register my opposition to this appeal?" + }, + { + "id": "train-1573", + "question": "Scenario: I am a self-employed web designer, operating primarily over the internet while based at home. I work around 160 hrs per month. My internet usage is charged at a single, fixed fee per month with unlimited data transfer.\n\nQuestion: Can I use a flat rate to work out my internet connection expenses?\n\nDocument - Simplified expenses if you're self-employed:\n## Overview\n\nSimplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.\n\nYou do not have to use simplified expenses. You can decide if it suits your business.\n\n## Who can use simplified expenses\n\nSimplified expenses can be used by:\n\n- sole traders\n\n- business partnerships that have no companies as partners\n\nSimplified expenses cannot be used by limited companies or business partnerships involving a limited company.\n\n## Types of expenses\n\nYou can use flat rates for:\n\n- business costs for some vehicles\n\n- working from home\n\n- living in your business premises\n\nYou must calculate all other expenses by working out the actual costs.\n\n## How to use simplified expenses\n\n- Keep records your business miles for vehicles, hours you work at home and how many people live at your business premises over the year.\n\n- At the end of the tax year use the flat rates for vehicle mileage, working from home, and living at your business premises to work out your expenses.\n\n- Include these amounts in the total for your expenses in your Self Assessment tax return.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs. This will help you work out if simplified expenses suits your business.\n\n## Vehicles\n\nCalculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.\n\nYou can use simplified expenses for:\n\n- cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)\n\n- goods vehicles (for example, vans)\n\n- motorcycles\n\nYou cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.\n\n| Vehicle | Flat rate per mile with simplified expenses |\n\n| Cars and goods vehicles first 10,000 miles | 45p |\n\n| Cars and goods vehicles after 10,000 miles | 25p |\n\n| Motorcycles | 24p |\n\nYou do not have to use flat rates for all your vehicles. Once you use the flat rates for a vehicle, you must continue to do so as long as you use that vehicle for your business.\n\nYou can claim all other travel expenses (for example train journeys) and parking on top of your vehicle expenses.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Working from home\n\nCalculate your allowable expenses using a flat rate based on the hours you work from home each month.\n\nThis means you do not have to work out the proportion of personal and business use for your home, for example how much of your utility bills are for business.\n\nThe flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.\n\nYou can only use simplified expenses if you work for 25 hours or more a month from home.\n\n| Hours of business use per month | Flat rate per month |\n\n| 25 to 50 | \u00a310 |\n\n| 51 to 100 | \u00a318 |\n\n| 101 and more | \u00a326 |\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Living at your business premises\n\nA small number of businesses use their business premises as their home, for example a guesthouse, bed and breakfast or small care home.\n\nYou can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.\n\nWith simplified expenses you calculate the total expenses for the premises.\n\nThen use the flat rates to subtract an amount for your personal use of the premises, based on the number of people living on the premises and claim the rest as your business expenses.\n\n| Number of people | Flat rate per month |\n\n| 1 | \u00a3350 |\n\n| 2 | \u00a3500 |\n\n| 3+ | \u00a3650 |\n\nIf someone lives at your business premises for part of the year, you can deduct only the relevant flat rate for the months they live there.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "answerable": true, + "scenario": "I am a self-employed web designer, operating primarily over the internet while based at home. I work around 160 hrs per month. My internet usage is charged at a single, fixed fee per month with unlimited data transfer.", + "original_question": "Can I use a flat rate to work out my internet connection expenses?" + }, + { + "id": "train-1574", + "question": "Scenario: I own a medium-sized electronic components business based in the UK and headquartered in Abingdon. We recently received regulatory approval for a new product, and are looking to export it via suitable local distributors.\n\nQuestion: Can the DIT provide suitable expert(s) to advise us on finding the right distribution channels?\n\nDocument - Find overseas customers and export opportunities:\n## Find export opportunities\n\nUse great.gov.uk to:\n\n- make sure your business is ready to export\n\n- show your products directly to overseas buyers through the \u2018find a buyer\u2019 service\n\n- find overseas opportunities for your product or service\n\nStart now\n\n## Find customers online\n\nGet help selling online overseas and take advantage of special deals negotiated by the government.\n\nAnd join the e-exporting programme to get:\n\n- advice on developing a strategy from e-commerce and international trade experts\n\n- special rates for some of the world\u2019s most popular online selling platforms\n\n- regular updates on e-commerce trends and opportunities to hear from industry experts and network with other online traders\n\nContact e-exporting@trade.gov.uk to join the e-exporting programme.\n\n## Get help from a trade specialist\n\nThe Department for International Trade (DIT) has a network of trade specialists who can also help you find overseas customers by:\n\n- helping you prepare for a trade show or overseas market visit (sometimes grants are available - check with the event organiser)\n\n- arranging introductions to potential overseas buyers, agents and distributors (there\u2019s a charge for this service)\n\nTo find out more, first see the export guidance on great.gov.uk, then contact a trade adviser in your region.\n\n## If you had an OMIS account\n\nIf you had an Overseas Market Introduction Service (OMIS) account and want to talk about something you commissioned, contact a trade adviser in your region or email omis.orders@digital.trade.gov.uk.\n\n## Defence, security and cyber security\n\nContact the Defence and Security Organisation (DSO) for help with:\n\n- presentations, product demonstrations and hosting delegations (including a bespoke hanger for exhibitions and demonstration centre for cyber security products)\n\n- displaying your products on the DSO stand at exhibitions and trade shows\n\n- booking military personnel to appear on your stand at an exhibition or trade show\n\n- providing after sales training to customers\n\nDSO provides media support for product launches or overseas campaigns. Call +44 (0)20 7215 8467.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/overseas-customers-export-opportunities", + "answerable": true, + "scenario": "I own a medium-sized electronic components business based in the UK and headquartered in Abingdon. We recently received regulatory approval for a new product, and are looking to export it via suitable local distributors.", + "original_question": "Can the DIT provide suitable expert(s) to advise us on finding the right distribution channels?" + }, + { + "id": "train-1576", + "question": "Scenario: I am the tenant of a public house in Northern Ireland, hold the neccessary licenses to sell alcohol and provide amusements and am VAT registered. The pub's owner has recently installed an old quiz machine, acquired from another pub which was being closed down.\n\nQuestion: Do I need to pay Machine Games Duty, or is this a matter for the pub's owner?\n\nDocument - Machine Games Duty:\n## What you pay it on\n\nYou may have to pay Machine Games Duty (MGD) if there are machines that give cash prizes on your premises. You pay duty on:\n\n- slot and fruit machines, and other gaming machines\n\n- quiz machines and other \u2018skill with prize\u2019 machines\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou do not pay it on machines where the prize is less than the cost to play, or on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.\n\nYour takings from machine games will be exempt from VAT if you pay MGD.\n\nIf you\u2019re responsible for MGD you\u2019ll need to register, send regular returns, pay duty and keep records.\n\n## Who\u2019s responsible for registering and paying\n\nIt\u2019s your responsibility if you hold any of the following licences:\n\n- premises licence, for example for gambling or alcohol\n\n- family entertainment centre gaming machine permit\n\n- club premises certificate, a club gaming permit or club machine permit\n\n- prize gaming permit or amusement permit\n\n- registration certificate including a club registration certificate\n\n- bookmaking office licence or bingo club licence\n\n- licence to sell alcohol in Northern Ireland\n\nThere are different rules if you\u2019re the tenant of a pub. You\u2019re responsible for MGD, not the premises licence owner (usually the pub\u2019s owner). When you stop being the tenant, you need to cancel your registration.\n\nYou are not responsible for MGD if you supply the machines, unless you also hold the licence or permit for the premises.\n\nIf your premises does not have a licence, HM Revenue and Customs (HMRC) will ask someone else, usually the manager or owner, to register and pay the duty.\n\nYou may have to pay a penalty if you do not register when you should.\n\n## Register\n\nRegister for Machine Games Duty (MGD) at least 14 days before you make your machines available to play.\n\nYou register by adding MGD to your HM Revenue and Customs (HMRC) account. If you do not have one (or only have an account for personal tax), create an account as an organisation.\n\nTo register for MGD, you\u2019ll need:\n\n- any licence or permit numbers for your premises\n\n- your Unique Taxpayer Reference (UTR), if you\u2019re registered for Self Assessment or Corporation Tax\n\n- your VAT number, if you\u2019re registered for VAT\n\n- your National Insurance number\n\n- to know how many machines you have\n\n- your accountant\u2019s MGD agent reference number and postcode, if you want them to file returns on your behalf\n\nRegister now\n\n## After you\u2019ve registered\n\nYou\u2019ll need to keep accurate records to show:\n\n- how you worked out the figures for your return\n\n- that the amount you\u2019ve paid is correct\n\nKeep your records for 4 years as HMRC might ask to see them.\n\n## If you want to file paper returns\n\nFill in and send the registration form if you want to file paper returns.\n\n## How much you pay\n\nYou pay Machine Games Duty (MGD) on the total net takings from your machine games.\n\nThis is what you charge to play the games minus the amount you pay as winnings, including non-cash prizes.\n\nYou do not pay it on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.\n\n## MGD rates\n\n| | Cost to play | Prize | Rate you pay |\n\n| Machine type 1 - lower rate | 20 pence or less | \u00a310 or less | 5% |\n\n| Machine type 2 - standard rate | 21 pence to \u00a35 | \u00a311 or more | 20% |\n\n| All other machine types - higher rate | More than \u00a35 | Any | 25% |\n\nIf your machine has more than one type of game, you pay the rate for the highest rated game on all takings from the machine.\n\n## File your return\n\nYou must file a Machine Games Duty (MGD) return every 3 months.\n\nYour return is due within 30 days of the end of the accounting period. You\u2019ll get a reminder if you included your email address when you registered online.\n\nYou\u2019ll need:\n\n- records of your total net takings from machine games\n\n- details of how you worked out the figures\n\nYou still fill in a return even if you do not owe anything, or your business has not traded during this accounting period. This can be for any reason, including if you\u2019ve closed because of coronavirus (COVID-19). Enter \u20180\u2019 in all boxes.\n\nFile your return\n\n## If you chose to file using paper forms\n\nHM Revenue and Customs (HMRC) will send you paper forms when your return is due. If you do not receive them, contact the helpline.\n\n## After you\u2019ve filed your return\n\nPay your Machine Games Duty bill within 30 days of the end of your accounting period.\n\nYou may have to pay a penalty if your return or payment is late. HMRC can also charge you an estimate of what you owe.\n\n## Change your details\n\nSign in to the Machine Games Duty (MGD) service to:\n\n- change your contact address or other details\n\n- cancel your registration if you\u2019ve stopped trading, no longer have machine games or want to be registered as part of a group of companies\n\n- add, change or remove an authorised agent to file returns for you\n\nYou can also contact HM Revenue and Customs (HMRC) by phone or post. You\u2019ll need to tell them your registration number.\n\n## Switch to file online instead of sending paper returns\n\nIf you already have an HMRC online account, sign in to add the MGD service.\n\nOtherwise, register for an HMRC account and sign up for MGD.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/machine-game-duty", + "answerable": true, + "scenario": "I am the tenant of a public house in Northern Ireland, hold the neccessary licenses to sell alcohol and provide amusements and am VAT registered. The pub's owner has recently installed an old quiz machine, acquired from another pub which was being closed down.", + "original_question": "Do I need to pay Machine Games Duty, or is this a matter for the pub's owner?" + }, + { + "id": "train-1577", + "question": "Scenario: My uncle is a sole business trader of a construction company. He is very busy and occupied such that he has no time to work out allowable expenses as he run his day to day business.\n\nQuestion: Can he use simplified expenses to calculate his expenses?\n\nDocument - Simplified expenses if you're self-employed:\n## Overview\n\nSimplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.\n\nYou do not have to use simplified expenses. You can decide if it suits your business.\n\n## Who can use simplified expenses\n\nSimplified expenses can be used by:\n\n- sole traders\n\n- business partnerships that have no companies as partners\n\nSimplified expenses cannot be used by limited companies or business partnerships involving a limited company.\n\n## Types of expenses\n\nYou can use flat rates for:\n\n- business costs for some vehicles\n\n- working from home\n\n- living in your business premises\n\nYou must calculate all other expenses by working out the actual costs.\n\n## How to use simplified expenses\n\n- Keep records your business miles for vehicles, hours you work at home and how many people live at your business premises over the year.\n\n- At the end of the tax year use the flat rates for vehicle mileage, working from home, and living at your business premises to work out your expenses.\n\n- Include these amounts in the total for your expenses in your Self Assessment tax return.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs. This will help you work out if simplified expenses suits your business.\n\n## Vehicles\n\nCalculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.\n\nYou can use simplified expenses for:\n\n- cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)\n\n- goods vehicles (for example, vans)\n\n- motorcycles\n\nYou cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.\n\n| Vehicle | Flat rate per mile with simplified expenses |\n\n| Cars and goods vehicles first 10,000 miles | 45p |\n\n| Cars and goods vehicles after 10,000 miles | 25p |\n\n| Motorcycles | 24p |\n\nYou do not have to use flat rates for all your vehicles. Once you use the flat rates for a vehicle, you must continue to do so as long as you use that vehicle for your business.\n\nYou can claim all other travel expenses (for example train journeys) and parking on top of your vehicle expenses.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Working from home\n\nCalculate your allowable expenses using a flat rate based on the hours you work from home each month.\n\nThis means you do not have to work out the proportion of personal and business use for your home, for example how much of your utility bills are for business.\n\nThe flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.\n\nYou can only use simplified expenses if you work for 25 hours or more a month from home.\n\n| Hours of business use per month | Flat rate per month |\n\n| 25 to 50 | \u00a310 |\n\n| 51 to 100 | \u00a318 |\n\n| 101 and more | \u00a326 |\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Living at your business premises\n\nA small number of businesses use their business premises as their home, for example a guesthouse, bed and breakfast or small care home.\n\nYou can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.\n\nWith simplified expenses you calculate the total expenses for the premises.\n\nThen use the flat rates to subtract an amount for your personal use of the premises, based on the number of people living on the premises and claim the rest as your business expenses.\n\n| Number of people | Flat rate per month |\n\n| 1 | \u00a3350 |\n\n| 2 | \u00a3500 |\n\n| 3+ | \u00a3650 |\n\nIf someone lives at your business premises for part of the year, you can deduct only the relevant flat rate for the months they live there.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "answerable": true, + "scenario": "My uncle is a sole business trader of a construction company. He is very busy and occupied such that he has no time to work out allowable expenses as he run his day to day business.", + "original_question": "Can he use simplified expenses to calculate his expenses?" + }, + { + "id": "train-1578", + "question": "Scenario: My uncle will like to change the business name and one of the company\n\nQuestion: Is it important he reports the changes to HMRC?\n\nDocument - Make changes to your private limited company:\n## Overview\n\nYou must tell Companies House if you change your company\u2019s:\n\n- name\n\n- address\n\n- directors and company secretaries, including changes to their details\n\n- type, for example becoming a public limited company or unlimited company\n\n- share, for example issuing new shares or changing your share structure\n\n- constitution and articles of association - how your company is run\n\n- mortgages and loan guarantees (sometimes called \u2018charges\u2019), for example if the company takes out a secured loan\n\nYou may need your company\u2019s agreement before you can make some changes.\n\nYou may also need to tell HM Revenue and Customs (HMRC) about company changes.\n\n## When to tell Companies House\n\nYou must tell Companies House within 14 days if you make changes to:\n\n- where you keep your company records\n\n- your directors, or their personal details change, for example their address\n\n- company secretaries\n\nYou must tell Companies House within 15 days if you make changes to your constitution or articles of association.\n\nYou must tell Companies House within a month if you issue more shares in your company.\n\nYou must tell Companies House all other changes within 21 days.\n\n## How to tell Companies House\n\nYou can either:\n\n- use the Companies House online service if it\u2019s available for the change you need to make\n\n- download and fill in paper forms\n\n## Get agreement from your company\n\nYou usually need to get directors or entitled shareholders to vote (known as \u2018passing a resolution\u2019) on whether or not to make some changes.\n\nThings that usually need a resolution include:\n\n- changing your company name\n\n- removing a director\n\n- changing your company\u2019s constitution and articles of association - how your company is run\n\n- changing your company\u2019s share structure\n\nMost resolutions simply need more shareholders to agree than disagree (called an \u2018ordinary resolution\u2019). They may be simply done by a show of hands at a meeting. Ordinary resolutions are used for most routine changes, for example, increasing a company\u2019s share capital.\n\nSome decisions, for example changing your articles, might require a 75% or even 95% majority (called a \u2018special resolution\u2019 or \u2018extraordinary resolution\u2019).\n\nYour company articles will usually tell you if you need a resolution, and what type it should be.\n\nYou must let your shareholders (and auditors if relevant) know when there\u2019s going to be a vote on a resolution.\n\nYou must file special or extraordinary resolutions with Companies House within 15 days of passing them.\n\n## Shareholder voting for special and extraordinary resolutions\n\nWhen you\u2019re working out the majority in special or extraordinary resolutions you count the number of shares that give the owner the right to vote, rather than the number of shareholders.\n\n## How to hold a resolution\n\nYou do not always need to have a meeting to pass a resolution. If enough shareholders or directors have told you they agree, you can usually confirm the resolution in writing.\n\nYou must write to all shareholders letting them know about the outcome of a resolution.\n\n## Company name\n\nA company can change its name either by:\n\n- a special resolution\n\n- permission given in the company\u2019s articles of association\n\nYour new name must follow all the rules for company names.\n\nYour company name will not officially change until Companies House registers it.\n\n## Register online\n\nYou can use the Companies House online service to file changes of name by special resolution only.\n\nIt costs \u00a38 to file, or \u00a330 for the same-day service.\n\n## Register by post\n\n## If you\u2019re applying by special resolution\n\nDownload and fill in form NM01.\n\nYou must attach a copy of your resolution with your application.\n\nSend your form and a cheque for \u00a310 to the address on the form, or \u00a350 for the same-day service.\n\n## If you\u2019re registering with permission from the articles of association\n\nDownload and fill in form NM04.\n\nSend your form and a cheque for \u00a310 to the address on the form, or \u00a350 for the same-day service.\n\n## Company address\n\nYou must tell Companies House if you want to change:\n\n- your registered office address\n\n- the address where you keep your records, and which records you\u2019ll keep there\n\nYour address will not officially change until it\u2019s registered at Companies House.\n\nYour company\u2019s new addresses must be in the same part of the UK that the company was registered (\u2018incorporated\u2019).\n\nFor example, if your company was registered in Scotland, the new registered office address must be in Scotland.\n\nYou must re-incorporate your company if you move to another part of the UK, for example from England to Scotland.\n\nCompanies House will tell HM Revenue and Customs (HMRC) that you\u2019ve changed your registered office address.\n\n## Register online\n\nYou can use the Companies House online service.\n\n## Register by post\n\nDownload and fill in a change of address form. Send your completed form to the Companies House address on the form.\n\n## Directors and company secretaries\n\nYou must tell Companies House about changes to your company\u2019s directors and secretaries, such as:\n\n- new appointments\n\n- resignations\n\n- changes to personal details, for example residential addresses\n\n## Register online\n\nYou can use the Companies House online service.\n\n## Register by post\n\nYou can send your changes by post.\n\nDownload and fill in the change forms you need and send them to the address on the forms\n\n## Shares\n\nYou must tell Companies House about any changes to your company\u2019s share structure that you make outside your annual return.\n\nYou may need a special resolution to change your company\u2019s share structure. This includes if you:\n\n- change the number of shares the company has and their total value - this is your \u2018share capital\u2019 (the part of your company\u2019s money that comes from shares)\n\n- change how your shares are distributed\n\n- cancel any of your shares\n\n- change (\u2018denominate\u2019) your shares into other currencies\n\nYou must tell Companies House within a month if you issue more shares in your company.\n\nYou must report all other changes to your share structure within 21 days.\n\n## Documents you must provide\n\nYou must include a notice about the change you\u2019ve made and a statement declaring:\n\n- the company\u2019s total number of shares\n\n- the total value of those shares\n\n- how many shares have been paid for or not paid for\n\nThis is sometimes known as a \u2018statement of capital\u2019.\n\nYour shares may be normal (\u2018ordinary\u2019) or have special rights or restrictions.\n\nFor each type of share your company has, you must declare:\n\n- the rights that come with it\n\n- how many of the shares are issued\n\n- their total value before any additional costs are added\n\nAn accountant can help you prepare your statement of capital.\n\n## Register online\n\nYou can register changes to the shares your company issues online.\n\nYou must register all other changes to your shares by post.\n\n## Register by post\n\nYou can send your changes by post. Download and fill in the share change forms depending on the changes you\u2019re making.\n\nSend your completed forms, a copy of your resolution if needed and your statement of capital to the address on the forms.\n\n## Constitution and articles of association\n\nYou\u2019ll need agreement from your shareholders before changing your company\u2019s articles of association - the rules about how your company is run.\n\nThis can include changes to your company\u2019s \u2018objects\u2019 - what your company does as a business.\n\n## When you must change your constitution\n\nYou can change your constitution whenever your shareholders agree to the change in a \u2018resolution\u2019.\n\nYou must also change your constitution if:\n\n- a change in the law means your constitution would be illegal\n\n- ordered to by the courts or a regulating authority (for example the Charity Commission) tells you to change it\n\n## Sending your changes\n\nYou must include a copy of both the resolution you passed and the new articles of association when you make any changes to your company\u2019s constitution.\n\nDepending on why you\u2019re making the change you may also need to fill in one of the following:\n\n- a statement of company objects if your company is changing the objects in its articles\n\n- change of constitution by enactment if your change is because of a change in the law\n\n- change of constitution by order of court or other authority if your change has been ordered\n\nSend the copy of the resolution, the copy of your new articles and completed form (if any) to Companies House.\n\nIf a special enactment makes the change, you must include a copy of the enactment.\n\n## Deadline\n\nYou must send:\n\n- a copy of the resolution within 15 days of it being agreed\n\n- a copy of the amended articles of association within 15 days of them taking effect\n\n- any forms (if needed) within 15 days of the changes\n\n## Mortgages and loan guarantees\n\nYou can use your company\u2019s assets as a security for a loan or overdraft (sometimes known as \u2018charges\u2019), for example a mortgage for a property.\n\nYou must register details about any company charges with Companies House, including information about property or projects that are being backed by the charge.\n\nYou must also register changes to charges you\u2019ve previously registered, for example when a charge\u2019s been paid in part or in full.\n\nYou must register charges within 21 days from when they\u2019re set up - you will need a court order to register them later.\n\n## Register online\n\nYou can use the Companies House online service.\n\nIt costs \u00a310 to register online.\n\n## Register by post\n\nYou can send changes to your charges by post:\n\nDownload and fill in the forms you need and send them to the address on the forms.\n\nIt costs \u00a313 to register by post.\n\nCompanies House will reject your application if it\u2019s wrong or incomplete.\n\nYou can register for informal correction if you want Companies House to be able to correct certain types of information required to your form.\n\nOnce you\u2019re registered Companies House will contact you if they need more information or for permission to make a correction.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/make-changes-to-your-limited-company", + "answerable": true, + "scenario": "My uncle will like to change the business name and one of the company", + "original_question": "Is it important he reports the changes to HMRC?" + }, + { + "id": "train-1579", + "question": "Scenario: My sister has been working online from her house during the covid pandemic. She has now decided to keep on working from home till the end of next year.\n\nQuestion: Does she qualify to pay business rates?\n\nDocument - Business rates:\n## Overview\n\nBusiness rates are charged on most non-domestic properties, like:\n\n- shops\n\n- offices\n\n- pubs\n\n- warehouses\n\n- factories\n\n- holiday rental homes or guest houses\n\nYou\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What to pay and when\n\nYour local council will send you a business rates bill in February or March each year. This is for the following tax year. You can also estimate your business rates bill.\n\nYou can get help with business rates from:\n\n- your council if you have questions about your bill\n\n- the Valuation Office Agency (VOA) if you think your \u2018rateable value\u2019 is wrong\n\n## Relief schemes\n\nYou may be able to get business rates relief from your local council to reduce your bill. This is sometimes automatic, but you may need to apply.\n\nThe process depends on whether you\u2019re in England or Wales.\n\n## Who does not need to pay\n\nCertain properties are exempt from business rates, for example farm buildings or places used for the welfare of disabled people.\n\n## If you own a stable\n\nYou usually need to pay business rates on your stables, unless you use your horses for farming.\n\nYou may pay Council Tax instead if your stables are in your garden. Contact VOA to check if you\u2019re not sure which you should pay.\n\n## How your rates are calculated\n\nBusiness rates are worked out based on your property\u2019s \u2018rateable value\u2019.\n\nThis is its open market rental value on 1 April 2015, based on an estimate by the Valuation Office Agency (VOA).\n\nYou can estimate your business rates by multiplying the rateable value by the correct \u2018multiplier\u2019 (an amount set by central government).\n\nYour bill will be reduced if your property\u2019s eligible for business rates relief.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## If you think your rates are wrong\n\nYou can ask for your property\u2019s rateable value to be corrected if you think it\u2019s wrong.\n\n## If you\u2019re asked to provide rental information\n\nThe VOA may ask you to provide rental information about your property so they can work out its rateable value.\n\nContact the VOA if you need more time to send in your rental information.\n\n## Revaluation\n\nAt revaluation, the Valuation Office Agency (VOA) adjusts the rateable value of business properties to reflect changes in the property market.\n\nIt usually happens every 5 years. The most recent revaluation came into effect in England and Wales on 1 April 2017, based on rateable values from 1 April 2015.\n\nYou can check your valuation when you estimate your business rates.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What happens at revaluation\n\nAt revaluation:\n\n- all properties are given a new rateable value\n\n- multipliers are revised\n\nThis means that a change in your rateable value does not always mean a change in your bill.\n\nTo make sure your valuations are accurate, you may need to give VOA up-to-date rental evidence for your property at revaluation.\n\n## Get business rates relief\n\nYou may be able to get a discount from your local council if you\u2019re eligible for business rates relief.\n\nFor example you may be able to get:\n\n- transitional relief so that changes to your bill as a result of revaluation are phased in gradually\n\n- small business relief so that you pay no business rates if your rateable value is below \u00a315,000\n\n## Get help with business rates\n\nYou may be able to get a discount from your local council on your business rates if you\u2019re eligible for one or more business rates relief schemes.\n\nFor help with your property\u2019s rateable value, contact the Valuation Office Agency (VOA).\n\nFor help with your business rates bill (for example to pay in instalments) or rate relief, contact your council.\n\n## Get professional advice\n\nYou can also get help from a qualified rating surveyor through one of the following organisations:\n\n- Royal Institution of Chartered Surveyors (RICS)\n\n- Institute of Revenues, Rating and Valuation (IRRV)\n\n- Rating Surveyors Association\n\nYou may be charged for any advice you get from a rating surveyor right from the start.\n\nYou can call the RICS enquiry line for advice. The first 30 minutes are free.\n\n## If your business or premises change\n\nYour business rates could change if:\n\n- you move or make changes to your premises\n\n- the nature of your business changes\n\n- you sublet part of your property\n\n- you merge 2 or more properties into 1\n\nYou must report any changes to ensure you\u2019re paying the right amount and do not get a backdated increase in your bill.\n\nReport changes using the Valuation Office Agency (VOA) service in England or Wales.\n\nBusiness rates are handled differently in Scotland and Northern Ireland\n\n## If your premises are affected by local disruption\n\nYou may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).\n\nReport changes using the VOA service.\n\n## Working at home\n\nYou do not usually have to pay business rates for home-based businesses if you:\n\n- use a small part of your home for your business, for example if you use a bedroom as an office\n\n- sell goods by post\n\nYou may need to pay business rates as well as Council Tax if:\n\n- your property is part business and part domestic, for example if you live above your shop\n\n- you sell goods or services to people who visit your property\n\n- you employ other people to work at your property\n\n- you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s\n\nContact the Valuation Office Agency (VOA) to find out if you should be paying business rates. In Scotland, contact your local assessor.\n\n## Pubs and licensed trade\n\nIn England and Wales, the Valuation Office Agency (VOA) works out your rateable value based on the annual level of trade (excluding VAT) that a pub is expected to achieve if operated in a reasonably efficient way.\n\nThis is called \u2018fair maintainable trade\u2019 and it\u2019s based on:\n\n- the type of pub or licensed premises\n\n- the area it\u2019s in\n\n- the services it offers, for example food, gaming, or sports screenings\n\nThe VOA also looks at rents and turnovers to work out the fair maintainable trade figure, then applies a percentage to work out the rateable value.\n\nThe percentages are agreed with the British Beer and Pub Association and they\u2019re in the VOA\u2019s pub guide.\n\nYou can read more about how the VOA values pubs and other licensed premises for business rates.\n\nContact the VOA if you want to check the figures they\u2019re using or do not agree with the figures being used.\n\nYou can also find and check your business rates valuation online.\n\nYou\u2019ll need to provide details of turnover (excluding VAT) for all sources, such as liquor, food and gaming.\n\nYou can also use the online contact VOA service.\n\n## Scotland\n\nIn Scotland, your local assessor works out your rateable value.\n\nIf you want to check the figures they\u2019re using or do not agree with the figures being used, contact your local assessor.\n\n## Self-catering and holiday let accommodation\n\nIf your property is in England and available to let for short periods that total 140 days or more per year, it will be rated as a self-catering property and valued for business rates.\n\nIf your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:\n\n- available to let for short periods that total 140 days or more per year\n\n- actually let for 70 days\n\nThere are different rules in Scotland.\n\nThe Valuation Office will work out the rateable value of your property based on its type, size, location, quality and how much income you\u2019re likely to make from letting it.\n\nIf you only let one property and its rateable value is less than \u00a315,000 you may be eligible for small business rate relief.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/introduction-to-business-rates", + "answerable": true, + "scenario": "My sister has been working online from her house during the covid pandemic. She has now decided to keep on working from home till the end of next year.", + "original_question": "Does she qualify to pay business rates?" + }, + { + "id": "train-1580", + "question": "Scenario: I want to invest in stocks and shares inorder to build my financial independent future. I would like to be mindful of tax obligation. To grow my funds efficiently.\n\nQuestion: Is there a way i can buy shares Tax free?\n\nDocument - Tax when you buy shares:\n## Overview\n\nWhen you buy shares, you usually pay a tax or duty of 0.5% on the transaction.\n\nIf you buy:\n\n- shares electronically, you\u2019ll pay Stamp Duty Reserve Tax (SDRT)\n\n- shares using a stock transfer form, you\u2019ll pay Stamp Duty if the transaction is over \u00a31,000\n\nYou\u2019ll have to pay tax at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.\n\nYou pay tax on the price you pay for the shares, even if their actual market value is much higher.\n\n## Transactions you pay tax on\n\nYou pay tax when you buy:\n\n- existing shares in a company incorporated in the UK\n\n- an option to buy shares\n\n- an interest in shares, for example an interest in the money from selling them\n\n- shares in a foreign company that has a share register in the UK\n\n- rights arising from shares, for example rights you have when new shares are issued\n\n## When you do not pay tax\n\nYou do not have to pay tax if you:\n\n- are given shares for nothing\n\n- subscribe to a new issue of shares in a company\n\n- buy shares in an \u2018open ended investment company\u2019 (OEIC) from the fund manager\n\n- buy units in a unit trust from the fund manager\n\nYou do not normally have to pay Stamp Duty or SDRT if you buy foreign shares outside the UK. But you may have to pay other taxes.\n\n## When you sell the shares\n\nYou may need to pay Capital Gains Tax when you sell your shares.\n\n## Help and advice\n\nContact Stamp Duty share enquiries for general information about Stamp Duty on shares.\n\nContact Stamp Duty Reserve Tax enquiries if you have questions about Stamp Duty on electronic paperless share transactions.\n\nYou can also get professional help (for example, from a tax adviser) with your tax.\n\n## Buying shares electronically\n\nYou\u2019ll pay Stamp Duty Reserve Tax (SDRT) if you buy shares electronically through the \u2018CREST\u2019 system (a computerised register of shares and shareowners).\n\nThe tax is taken automatically when you buy the shares, so you do not need to do anything else about your tax.\n\nSDRT is charged at 0.5% when you buy shares electronically.\n\nIf you do not pay cash for your shares but give something else of value to buy them, you pay SDRT based on the value of what you gave.\n\nIf you\u2019re given shares for nothing, you do not have to pay any tax.\n\n## Buying shares \u2018off-market\u2019\n\nYou must also pay SDRT on \u2018off-market\u2019 transactions. This is when shares are transferred outside CREST.\n\n## How to pay\n\nTax is not deducted automatically when you buy shares off-market.\n\nYou\u2019ll need to send HM Revenue and Customs (HMRC) a written notice with details of the transaction.\n\nIf you do not pay on time, you\u2019ll be charged interest from the due date until the date you pay. You may also get a penalty.\n\n## Buying shares using a stock transfer form\n\nYou must pay Stamp Duty on your shares if:\n\n- you buy shares through a stock transfer form\n\n- the transaction is over \u00a31,000\n\nYou pay 0.5% duty, which will be rounded up to the nearest \u00a35.\n\nFor shares under \u00a31,000, you will not need to pay anything.\n\n## Get a stock transfer form\n\nYou can get a stock transfer form from:\n\n- a broker\n\n- a lawyer or an accountant who deals in shares\n\nYou can also download a stock transfer form from the internet.\n\nFind out what you need to include in a stock transfer form.\n\n## Send the transfer form to HMRC and pay Stamp Duty\n\nYou must send a copy of your stock transfer form to the Stamp Office within 30 days of it being signed and dated.\n\nEmail an electronic version or a scan of your paper form to stampdutymailbox@hmrc.gov.uk.\n\nIf you cannot email your stock transfer form, send a photocopy by post. You must keep the original signed document for your records.\n\nThere is a different address to send a stock transfer form by courier.\n\nYou must also pay the Stamp Duty within 30 days of the stock transfer form being signed and dated.\n\nYou may get a penalty if you do not pay on time.\n\n## Special share arrangements\n\nYou pay Stamp Duty Reserve Tax (SDRT) or Stamp Duty at 1.5% if you transfer shares into some \u2018depositary receipt schemes\u2019 or \u2018clearance services\u2019.\n\nThis is when the shares are transferred to a service operated by a third party (for example, a bank). The shares can then be traded free of Stamp Duty or SDRT.\n\nNot all of these schemes work like this. Sometimes the higher rate is not charged and you pay Stamp Duty or SDRT in the normal way. Check the details of your scheme with your stockbroker.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-buy-shares", + "answerable": true, + "scenario": "I want to invest in stocks and shares inorder to build my financial independent future. I would like to be mindful of tax obligation. To grow my funds efficiently.", + "original_question": "Is there a way i can buy shares Tax free?" + }, + { + "id": "train-1582", + "question": "Scenario: I run a restaurant and to motivate my staffs i give them small gifts vouchers ,pay their telephone bills , organise employee of the month award.\n\nQuestion: Should i include all these expenses in PAYE settlement agreement?\n\nDocument - PAYE Settlement Agreements:\n## Overview\n\nA PAYE Settlement Agreement (PSA) allows you to make one annual payment to cover all the tax and National Insurance due on minor, irregular or impracticable expenses or benefits for your employees.\n\nIf you get a PSA for these items you will not need to:\n\n- put them through your payroll to work out tax and National Insurance\n\n- include them in your end-of-year P11D forms\n\n- pay Class 1A National Insurance on them at the end of the tax year (you pay Class 1B National Insurance as part of your PSA instead)\n\nSome employee expenses are covered by exemptions (which have replaced dispensations). This means you will not have to include them in your end-of-year reports.\n\n## What's included\n\nThe expenses or benefits you include in a PAYE Settlement Agreement (PSA) must be minor, irregular or impracticable.\n\n## Minor\n\nExamples of minor benefits and expenses include:\n\n- incentive awards, for example for long-service\n\n- telephone bills\n\n- small gifts and vouchers\n\n- staff entertainment, for example a ticket to an event\n\n- non-business expenses while travelling overnight on business that are over the daily limit\n\nYou do not need to include trivial benefits in your PSA.\n\n## Irregular\n\nIrregular benefits and expenses are things that are not paid at regular intervals over the course of a tax year, for example weekly or monthly. They\u2019re also things that employees do not have a contractual right to. Examples of irregular expenses and benefits include:\n\n- relocation expenses over \u00a38,000 (these are tax-free below \u00a38,000)\n\n- the cost of attending overseas conferences\n\n- expenses of a spouse accompanying an employee abroad\n\n- use of a company holiday flat\n\n## Impracticable\n\nImpracticable expenses and benefits are things that are difficult to place a value on or divide up between individual employees. Examples of impracticable expenses and benefits include:\n\n- staff entertainment that is not exempt from tax or National Insurance Contributions\n\n- shared cars\n\n- personal care expenses, for example hairdressing\n\n## What\u2019s not included\n\nYou cannot include wages, high-value benefits like company cars, or cash payments such as:\n\n- bonuses\n\n- round sum allowances\n\n- beneficial loans in a PSA\n\nIf you apply after the start of the tax year, there are extra restrictions on what you can include.\n\n## How to get a PSA\n\n- Write to HM Revenue and Customs (HMRC) Business Tax and Customs describing the expenses and benefits you want the PAYE Settlement Agreement (PSA) to cover.\n\n- Once they\u2019ve agreed on what can be included, they\u2019ll send you 2 draft copies of form P626. Sign and return both copies. HMRC will authorise your request and send back a form - this is your PSA.\n\n- You\u2019ll need to report anything that cannot be included separately using form P11D. You do not need to send a P11D if you\u2019re paying employees\u2019 expenses and benefits through your payroll.\n\n- Use form PSA1 to help you calculate the overall amount you\u2019ll need to pay. If you do not, HMRC will calculate the amount. You\u2019ll be charged more if this happens.\n\n- Send the completed form to HMRC as soon as possible after the end of the tax year. They\u2019ll get in touch with you before 19 October following the tax year that the PSA covers to confirm the total tax and National Insurance you need to pay.\n\nYou\u2019ll need to give an agent a signed letter of authority to make a PSA on your behalf if they do not have authorisation to do so.\n\nContact the HMRC employer helpline for advice on getting and calculating your PSA.\n\n## What happens next\n\nThe agreement will continue until either you or HMRC cancels it or you need to change it. You do not need to renew the PSA each tax year.\n\n## Deadlines and payment\n\nThe deadline for applying for a PAYE Settlement Agreement (PSA) is 5 July following the first tax year it applies to.\n\n## When to pay\n\nYou must pay any tax and National Insurance owed under a PSA by 22 October after the tax year the PSA applies to (19 October if you pay by post).\n\nYou may be fined or charged interest if you do not pay or your payment is late.\n\n## What to pay when the PSA is first approved\n\nIf HM Revenue and Customs (HMRC) approves your PSA before the start of a tax year, you can include any expenses and benefits contained in the agreement.\n\nIf they approve it after the start of the tax year, you might need to report some items separately.\n\n## If your PSA is approved before 6 April\n\nYou must use form P11D to report expenses and benefits provided before the agreement date that you:\n\n- have already included in your employee\u2019s tax code\n\n- included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions\n\n## If your PSA is approved between 6 April and 5 July\n\nYou must use form P11D to report expenses and benefits provided during the tax year that you:\n\n- have already included in your employee\u2019s tax code\n\n- included (or should have included) in your employee\u2019s PAYE tax and National Insurance deductions\n\n## Change or cancel a PSA\n\nTo change the items covered by your PAYE Settlement Agreement (PSA), send details of the changes to the office that issued it. HM Revenue and Customs (HMRC) will send you a revised P626 that you need to sign and return.\n\n## Cancel a PSA\n\nTo cancel your PSA, fill in the return slip section of the P626 and send it to HMRC.\n\nHMRC will cancel your PSA on the date you put on the return slip.\n\nYou need to report any outstanding tax and National Insurance Contributions (NICs) due on benefits and expenses using forms P11D and PSA1.\n\nYou need to pay any outstanding tax and NICs by 22 October after the tax year the PSA applies to (19 October if you pay by post).\n\nYou need to pay any NICs owed on expenses or benefits listed on the P11D form by 22 July after the tax year it applies to (19 July if you pay by post).\n\nIf you continue providing benefits after you\u2019ve cancelled your PSA, you need to either:\n\n- report them on a P11D form\n\n- put them through payroll\n\nYou can pay any tax or NICs due via PAYE.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paye-settlement-agreements", + "answerable": true, + "scenario": "I run a restaurant and to motivate my staffs i give them small gifts vouchers ,pay their telephone bills , organise employee of the month award.", + "original_question": "Should i include all these expenses in PAYE settlement agreement?" + }, + { + "id": "train-1584", + "question": "Scenario: My uncle owns a pub and unfortunately there are two adjacent pub owners who have conversed to set their prices very low to attract more customers. This price fixing strategy has caused a lot of distress to my uncle and he is on the verge of closing his pub.\n\nQuestion: Can he report these two pub owners?\n\nDocument - Avoid and report anti-competitive activity:\n## Overview\n\nAll businesses, whatever their size, must understand how they\u2019re affected by competition law.\n\nYou must follow the rules on all types of anti-competitive activity including:\n\n- price fixing, bid rigging and other ways of agreeing not to compete (sometimes called \u2018cartels\u2019)\n\n- abuse of a dominant market position\n\nYou should manage the risk of breaking the law, for example by having clear policies, guidelines and training for your staff.\n\nYou can report anti-competitive activity if you think another business is breaking the law, or if you might have been involved yourself.\n\n## If you\u2019re involved in anti-competitive activity\n\nYour business can be fined up to 10% of its worldwide turnover and sued for damages.\n\nYou can be fined or sent to prison for up to 5 years if you\u2019re found guilty of being involved in cartel activity.\n\nCompany directors can be disqualified from being a director for up to 15 years.\n\nGet legal advice or contact the Competition Pro Bono Scheme if you think something your business is doing might break the law.\n\n## Types of anti-competitive activity\n\nYou must avoid all types of anti-competitive activity in your business including:\n\n- agreeing not to compete with another business\n\n- abusing a dominant position\n\nYou can report anti-competitive activity if you see it.\n\n## Agreeing not to compete with another business (\u2018cartels\u2019)\n\nIf 2 or more businesses agree not to compete with each other in certain ways, it\u2019s called a \u2018cartel\u2019.\n\nThe rules on cartels apply to businesses of any size.\n\nRules about cartels cover:\n\n- price fixing\n\n- bid rigging\n\n- sharing markets or customers\n\n- sharing commercially sensitive information\n\nAn agreement does not have to be in writing for it to be illegal. You can break the law if you have an informal conversation (or \u2018gentleman\u2019s agreement\u2019) with another business, even if the agreement is not carried out.\n\nYou can work with other businesses without breaking competition law. Get legal advice or contact the Competition Pro Bono Scheme if you need to, and make sure you manage any risks.\n\n## Price fixing\n\nYou must not discuss the prices you\u2019re going to charge your customers with your competitors.\n\nYou\u2019ll be breaking the law if you agree with another business:\n\n- to charge the same prices to your customers\n\n- to offer discounts or increase your prices at the same time\n\n- to charge the same fees to intermediaries, for example retailers selling your products\n\n## Bid rigging\n\nYou cannot discuss bids for a contract tender with your competitors. Bid rigging includes:\n\n- agreeing with your competitors how much you\u2019ll bid for a contract or share information about your bid\n\n- taking turns to win contracts\n\n- asking other businesses to bid when they do not want the contract (called \u2018cover bids\u2019)\n\n- paying other businesses not to bid or when you win a tender\n\n- agreeing with other businesses not to bid or to withdrawing your bid\n\n## Market sharing\n\nYou cannot agree with other businesses to share markets or customers. You\u2019ll be breaking competition law if you agree with another business:\n\n- not to approach each other\u2019s customers\n\n- not to compete with them for customers, for example in specific locations\n\n## Sharing information\n\nYou cannot share information with other businesses that might reduce competition between you, for example information about:\n\n- prices\n\n- production\n\n- your suppliers, customers or contractors\n\n- the markets you sell or plan to sell to\n\nThis includes sharing information through a third party, for example a trade association.\n\n## Abusing a dominant position\n\nYour business might have a \u2018dominant position\u2019 in the market if:\n\n- it has more than a 40% market share\n\n- it\u2019s not affected by normal competitive restraints\n\nYou might be abusing your dominant position if you\u2019re unfair to your customers or other businesses, for example you:\n\n- treat customers differently, for example by offering different prices or terms to similar customers\n\n- make customers buy products they do not want, for example forcing them to take warranties for electrical products\n\n- charge low prices that do not cover your costs so you drive out competitors\n\nIf you think you have a dominant market position, get legal advice or contact the Competition Pro Bono Scheme to find out what you can and cannot do.\n\n## Other anti-competitive activities\n\nYou must avoid other activities that break competition law, eg:\n\n- buying or selling jointly with your competitors\n\n- agreeing with your competitors to reduce production of something to raise its market value\n\n- restricting how much other businesses can sell your product for\n\n- agreeing with your competitors not to sell to certain customers or deal with certain suppliers\n\n- having long-term exclusive contracts with any customers or suppliers\n\n## Manage risk\n\nThe people who run your business are responsible for ensuring it does not break competition law. You should:\n\n- work out where your business is at risk and how serious any risks are\n\n- set up policies, guidelines and training for your staff if you need to\n\nYour business can still be given a penalty and sued for damages even if your senior managers did not know about the illegal activity.\n\n## Work out if your business is at risk\n\nYou\u2019re more likely to be at risk if:\n\n- you or your employees have contact with your competitors, for example at conferences or trade association meetings\n\n- your employees regularly move to or from jobs with your competitors\n\n- you have partnerships with your competitors, for example joint buying or selling\n\n- you have any long-term exclusive contracts with any customers or suppliers\n\n- your business has a dominant position in any market where you do business\n\n## Set up policies, guidelines and training\n\nYou should ask a senior member of staff, for example a director, to make sure your employees know how to avoid and report anti-competitive behaviour.\n\nThere\u2019s further guidance from the Competition and Markets Authority (CMA) on reducing the risk of your business breaking the law.\n\n## Report anti-competitive activity\n\nThe way you report anti-competitive activity depends on the type of activity.\n\n## Report a cartel\n\nA cartel is where two or more businesses agree not to compete with each other, for example by sharing a market or fixing prices.\n\nContact the Competition and Markets Authority (CMA) cartels hotline if you:\n\n- know about a cartel\n\n- have been involved in one\n\nYou may:\n\n- get a financial reward for information that leads to an investigation\n\n- be treated with leniency if you report a cartel you\u2019ve been involved with\n\n## Report other anti-competitive activity\n\nTell the CMA if you have concerns about anti-competitive activity. Email general.enquiries@cma.gov.uk with the following information:\n\n- your contact details\n\n- the business you have concerns about and a description of the issue along with any supporting evidence\n\n- the market area according to the UK Standard Classification Index\n\n- details of any other organisations you have contacted\n\nIf you want help with a consumer problem, contact Citizens Advice (or the Financial Conduct Authority for consumer credit-related issues).\n\n## Report your concerns to an industry regulator\n\nYou can also report concerns about anti-competitive activity in certain sectors to a regulator. These are:\n\n- Civil Aviation Authority for airports and air traffic services\n\n- Financial Conduct Authority for financial services in the UK\n\n- Monitor for health services in England\n\n- Ofcom for television, radio, telephone, postal and internet services\n\n- Ofgem for gas and electricity in England, Wales and Scotland\n\n- Ofwat for water and sewage services in England and Wales\n\n- Office of Road and Rail for railways in England, Wales and Scotland\n\n- Payment Systems Regulator for payment systems in the UK\n\n- Utility Regulator for gas, electricity, water and sewerage in Northern Ireland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/cartels-price-fixing", + "answerable": true, + "scenario": "My uncle owns a pub and unfortunately there are two adjacent pub owners who have conversed to set their prices very low to attract more customers. This price fixing strategy has caused a lot of distress to my uncle and he is on the verge of closing his pub.", + "original_question": "Can he report these two pub owners?" + }, + { + "id": "train-1585", + "question": "Scenario: My uncle owns a pub and has several fruit machines inside which entertains his customers and makes them gamble as they drink alcohol.\n\nQuestion: Should he register and pay Machine Game duty?\n\nDocument - Machine Games Duty:\n## What you pay it on\n\nYou may have to pay Machine Games Duty (MGD) if there are machines that give cash prizes on your premises. You pay duty on:\n\n- slot and fruit machines, and other gaming machines\n\n- quiz machines and other \u2018skill with prize\u2019 machines\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou do not pay it on machines where the prize is less than the cost to play, or on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.\n\nYour takings from machine games will be exempt from VAT if you pay MGD.\n\nIf you\u2019re responsible for MGD you\u2019ll need to register, send regular returns, pay duty and keep records.\n\n## Who\u2019s responsible for registering and paying\n\nIt\u2019s your responsibility if you hold any of the following licences:\n\n- premises licence, for example for gambling or alcohol\n\n- family entertainment centre gaming machine permit\n\n- club premises certificate, a club gaming permit or club machine permit\n\n- prize gaming permit or amusement permit\n\n- registration certificate including a club registration certificate\n\n- bookmaking office licence or bingo club licence\n\n- licence to sell alcohol in Northern Ireland\n\nThere are different rules if you\u2019re the tenant of a pub. You\u2019re responsible for MGD, not the premises licence owner (usually the pub\u2019s owner). When you stop being the tenant, you need to cancel your registration.\n\nYou are not responsible for MGD if you supply the machines, unless you also hold the licence or permit for the premises.\n\nIf your premises does not have a licence, HM Revenue and Customs (HMRC) will ask someone else, usually the manager or owner, to register and pay the duty.\n\nYou may have to pay a penalty if you do not register when you should.\n\n## Register\n\nRegister for Machine Games Duty (MGD) at least 14 days before you make your machines available to play.\n\nYou register by adding MGD to your HM Revenue and Customs (HMRC) account. If you do not have one (or only have an account for personal tax), create an account as an organisation.\n\nTo register for MGD, you\u2019ll need:\n\n- any licence or permit numbers for your premises\n\n- your Unique Taxpayer Reference (UTR), if you\u2019re registered for Self Assessment or Corporation Tax\n\n- your VAT number, if you\u2019re registered for VAT\n\n- your National Insurance number\n\n- to know how many machines you have\n\n- your accountant\u2019s MGD agent reference number and postcode, if you want them to file returns on your behalf\n\nRegister now\n\n## After you\u2019ve registered\n\nYou\u2019ll need to keep accurate records to show:\n\n- how you worked out the figures for your return\n\n- that the amount you\u2019ve paid is correct\n\nKeep your records for 4 years as HMRC might ask to see them.\n\n## If you want to file paper returns\n\nFill in and send the registration form if you want to file paper returns.\n\n## How much you pay\n\nYou pay Machine Games Duty (MGD) on the total net takings from your machine games.\n\nThis is what you charge to play the games minus the amount you pay as winnings, including non-cash prizes.\n\nYou do not pay it on takings from charity events, tournaments, lottery machines or if the machine is for domestic use.\n\n## MGD rates\n\n| | Cost to play | Prize | Rate you pay |\n\n| Machine type 1 - lower rate | 20 pence or less | \u00a310 or less | 5% |\n\n| Machine type 2 - standard rate | 21 pence to \u00a35 | \u00a311 or more | 20% |\n\n| All other machine types - higher rate | More than \u00a35 | Any | 25% |\n\nIf your machine has more than one type of game, you pay the rate for the highest rated game on all takings from the machine.\n\n## File your return\n\nYou must file a Machine Games Duty (MGD) return every 3 months.\n\nYour return is due within 30 days of the end of the accounting period. You\u2019ll get a reminder if you included your email address when you registered online.\n\nYou\u2019ll need:\n\n- records of your total net takings from machine games\n\n- details of how you worked out the figures\n\nYou still fill in a return even if you do not owe anything, or your business has not traded during this accounting period. This can be for any reason, including if you\u2019ve closed because of coronavirus (COVID-19). Enter \u20180\u2019 in all boxes.\n\nFile your return\n\n## If you chose to file using paper forms\n\nHM Revenue and Customs (HMRC) will send you paper forms when your return is due. If you do not receive them, contact the helpline.\n\n## After you\u2019ve filed your return\n\nPay your Machine Games Duty bill within 30 days of the end of your accounting period.\n\nYou may have to pay a penalty if your return or payment is late. HMRC can also charge you an estimate of what you owe.\n\n## Change your details\n\nSign in to the Machine Games Duty (MGD) service to:\n\n- change your contact address or other details\n\n- cancel your registration if you\u2019ve stopped trading, no longer have machine games or want to be registered as part of a group of companies\n\n- add, change or remove an authorised agent to file returns for you\n\nYou can also contact HM Revenue and Customs (HMRC) by phone or post. You\u2019ll need to tell them your registration number.\n\n## Switch to file online instead of sending paper returns\n\nIf you already have an HMRC online account, sign in to add the MGD service.\n\nOtherwise, register for an HMRC account and sign up for MGD.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/machine-game-duty", + "answerable": true, + "scenario": "My uncle owns a pub and has several fruit machines inside which entertains his customers and makes them gamble as they drink alcohol.", + "original_question": "Should he register and pay Machine Game duty?" + }, + { + "id": "train-1586", + "question": "Scenario: My uncle owns a delivery company and has been diagnosed with a terminal bowel cancer. He does not wish to continue running it since it not viable It has no pending debts.\n\nQuestion: Can he voluntarily liquidate the business?\n\nDocument - Liquidate your limited company:\n## Overview\n\nYou can choose to liquidate your limited company (also called \u2018winding up\u2019 a company).\n\nThe company will stop doing business and employing people. The company will not exist once it\u2019s been removed (\u2018struck off\u2019) from the companies register at Companies House.\n\nWhen you liquidate a company, its assets are used to pay off its debts. Any money left goes to shareholders. You\u2019ll need a validation order to access your company bank account.\n\nIf that money has not been shared between the shareholders by the time the company is removed from the register, it will go to the state.\n\nYou\u2019ll need to restore your company to claim back money after it\u2019s been removed from the register.\n\nThere are 3 types of liquidation:\n\n- creditors\u2019 voluntary liquidation - your company cannot pay its debts and you involve your creditors when you liquidate it\n\n- compulsory liquidation - your company cannot pay its debts and you apply to the courts to liquidate it\n\n- members\u2019 voluntary liquidation - your company can pay its debts but you want to close it\n\nYour company may be forced into liquidation if it cannot pay its debts.\n\n## Arrange liquidation with your creditors\n\nA director can propose a company stops trading and be liquidated (\u2018wound up\u2019) if:\n\n- the company cannot pay its debts (it\u2019s \u2018insolvent\u2019)\n\n- enough shareholders agree\n\n## Get shareholders\u2019 agreement\n\nYou must call a meeting of shareholders and ask them to vote.\n\n75% (by value of shares) of shareholders must agree to the winding-up to pass a \u2018winding-up resolution\u2019.\n\nOnce the resolution is made there are 3 steps you must follow.\n\n- Appoint an authorised insolvency practitioner as liquidator to take charge of liquidating the company. You can find an insolvency practitioner online.\n\n- Send the resolution to Companies House within 15 days.\n\n- Advertise the resolution in The Gazette within 14 days.\n\nYour responsibilities as a director will change.\n\n## Apply directly to the court\n\nA director can ask a court to order the company to stop trading and be liquidated (\u2018wound up\u2019).\n\nThis is known as \u2018compulsory liquidation\u2019.\n\nYou need to show the court that:\n\n- the company cannot pay its debts of \u00a3750 or more\n\n- 75% (by value of shares) of shareholders agree that the court can wind up the company\n\nYour company can be based anywhere but must carry out most of its business in England, Scotland and Wales.\n\n## How to apply\n\nFill in a \u2018winding-up petition\u2019 (form Comp 1) and send it to the court with:\n\n- form Comp 2 confirming the details of your petition\n\n- the winding-up resolution from the shareholders\n\nWhere you send the petition depends on how much \u2018paid-up share capital\u2019 your company has. You can find this on the Companies House register.\n\n## Your paid-up share capital is \u00a3120,000 or more\n\nSubmit the petition online. It\u2019ll go to the High Court.\n\n## Your paid-up share capital is under \u00a3120,000\n\nFind your nearest court that deals with bankruptcy.\n\nSubmit the petition online if it\u2019s one of these courts:\n\n- Admiralty and Commercial Court\n\n- Chancery Division\n\n- Companies Court\n\n- High Court (including Bankruptcy Court)\n\n- London Mercantile Court\n\n- Rolls Building\n\nIf it was another court you\u2019ll need to submit the petition by post.\n\n## Fees\n\nIt costs:\n\n- \u00a31,600 to submit the petition\n\n- \u00a3280 for the court hearing\n\n## After you apply\n\nYou\u2019ll get a date for the hearing if the court accepts your petition.\n\nBefore the court hearing, you must:\n\n- give (\u2018serve\u2019) a copy of the petition to your company - fill in a certificate of service to let the court know you\u2019ve done this\n\n- put an advert in The Gazette at least 7 days before the hearing\n\n- send a copy of the advert and the certificate of service to the court\n\n## The court hearing\n\nYou or your solicitor must be at the court hearing. You do not have to give any evidence.\n\nIf the court gives a winding-up order, the court will put an official receiver in charge of the liquidation. They\u2019ll start liquidating your company. A copy of the winding-up order will be sent to your company\u2019s registered office.\n\nYour role as a director will change.\n\n## Liquidate a company you do not want to run anymore\n\nYou may choose members\u2019 voluntary liquidation if your company is \u2018solvent\u2019 (can pay its debts) and one of the following applies:\n\n- you want to retire\n\n- you want to step down from the family business and nobody else wants to run it\n\n- you do not want to run the business any more\n\nTo pass a resolution for members\u2019 voluntary liquidation, you must:\n\n- make a \u2018Declaration of solvency\u2019 - English and Welsh companies\n\n- ask the Accountant in Bankruptcy for form 4.25 (Scot) - Scottish companies\n\nYou\u2019ll need to review the company\u2019s assets and liabilities just before making the declaration.\n\n## Make a declaration of solvency\n\nWrite a statement saying that the directors have assessed the company and believe it can pay its debts, with interest at the official rate. You should also include:\n\n- the name and address of the company\n\n- the names and addresses of the company\u2019s directors\n\n- how long it will take the company to pay its debts - this must be no longer than 12 months from when the company\u2019s liquidated\n\nYou also need to include the statement of the company\u2019s assets and liabilities.\n\n## After you\u2019ve signed the declaration or form\n\nThere are 5 further steps to members\u2019 voluntary liquidation.\n\n- Sign the declaration or form 4.25 (Scot) - it must be signed by the majority of directors in front of a solicitor or \u2018notary public\u2019.\n\n- Call a general meeting with shareholders no more than 5 weeks later and pass a resolution for voluntary winding up.\n\n- At the meeting appoint an authorised insolvency practitioner as a liquidator who will take charge of winding up the company. You can find an insolvency practitioner online.\n\n- Advertise the resolution in The Gazette within 14 days.\n\n- Send your signed declaration to Companies House or form 4.25 (Scot) to the Accountant in Bankruptcy (for Scottish companies) within 15 days of passing the resolution.\n\nWhen the liquidator is appointed they take control of the company. Your responsibilities as a director will change.\n\n## What the liquidator does\n\nThe liquidator is an authorised insolvency practitioner or official receiver who runs the liquidation process.\n\nAs soon as the liquidator is appointed, they\u2019ll take control of the business.\n\nThey will:\n\n- settle any legal disputes or outstanding contracts\n\n- sell off the company\u2019s assets and use any money to pay creditors\n\n- meet deadlines for paperwork and keep authorities informed\n\n- pay liquidation costs and the final VAT bill\n\n- keep creditors informed and involve them in decisions where necessary\n\n- make payments to creditors\n\n- interview the directors and report on what went wrong in the business\n\n- get the company removed from the companies register\n\nIn a creditors\u2019 voluntary liquidation, the liquidator acts in the interest of the creditors not the directors.\n\n## What happens to directors\n\nWhen a liquidator is appointed, directors:\n\n- no longer have control of the company or anything it owns\n\n- cannot act for or on behalf of the company\n\nIf you\u2019re a director you must:\n\n- give the liquidator any information about the company they ask for\n\n- hand over the company\u2019s assets, records and paperwork\n\n- allow the liquidator to interview you, if they ask\n\nYou can be banned from being a director for 2 to 15 years or prosecuted if the liquidator decides your conduct was unfit.\n\n## Re-using company names\n\nIf you were a director of a company in compulsory liquidation or creditors\u2019 voluntary liquidation, you\u2019ll be banned for 5 years from forming, managing or promoting any business with the same or similar name to your liquidated company. This includes the company\u2019s registered name and any trading names (if it had any).\n\nThe only exceptions to this are where:\n\n- the business is sold by a licensed insolvency practitioner giving the legally required notice\n\n- you get the court\u2019s permission to use the name\n\n- you\u2019re involved with another company that\u2019s been using the same name as the liquidated company for at least a year\n\nRead the guidance on re-using company names.\n\n## Access to your bank account\n\nYour company\u2019s bank account will be frozen when someone files a petition to wind up the company.\n\nYou need a validation order to access it.\n\n## How to apply for a validation order\n\nTell the person who filed the winding-up petition (the respondent) you\u2019re applying for a validation order. You must also tell them what court you\u2019ll apply to (usually the Companies Court) and when you\u2019ll apply.\n\nFill in Form IAA and write a witness statement. Take the form and the statement to the court.\n\nYou need to pay a \u00a3155 fee.\n\n## What happens after you apply\n\nYou\u2019ll be given a hearing on the same day or within the next few days.\n\nAt the hearing, you present your case to a registrar or district judge.\n\nThe respondent will present their case if they object to you getting a validation order.\n\nAt the end of the hearing you\u2019ll either:\n\n- get a decision - you\u2019ll also get a written copy sent to you\n\n- be asked to attend another hearing if the court wants more evidence\n\nYou\u2019ll be given the validation order if your application is successful. You must give your bank a copy of this to access your company\u2019s bank account.\n\nIf you do not agree with the decision you may be able to appeal to the Chancery Division of the High Court.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/liquidate-your-company", + "answerable": true, + "scenario": "My uncle owns a delivery company and has been diagnosed with a terminal bowel cancer. He does not wish to continue running it since it not viable It has no pending debts.", + "original_question": "Can he voluntarily liquidate the business?" + }, + { + "id": "train-1587", + "question": "Scenario: My uncle owns a pub and loves to ensure that he sells his customers with standard drinks as set by government guidelines . Using the right measuring bottles and glasses.\n\nQuestion: Can he get penalised if he does not use specified quantities?\n\nDocument - Weights and measures: the law:\n## Units of measurement\n\nYou must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.\n\nThere are different rules in Northern Ireland.\n\nThe only products you can sell in imperial measures are:\n\n- draught beer or cider by pint\n\n- milk in returnable containers by pint\n\n- precious metals by troy ounce\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Specified quantities\n\nSome goods must be sold in fixed sizes known as \u2018specified quantities\u2019.\n\n## Alcohol\n\nThere are different rules depending on whether you\u2019re selling by the glass or bottle.\n\n## By the glass\n\n| | Measures |\n\n| Still wine | 125ml, 175ml, multiples of 125ml and 175ml |\n\n| Port, sherry or other fortified wine | 50ml, 70ml, multiples of 50ml or 70ml |\n\n| Gin, rum, vodka and whisky | Either 25ml and multiples of 25ml, or 35ml and multiples of 35ml (not both on the same premises) |\n\n| Draught beer and cider | Third, half, two-thirds of a pint and multiples of half a pint |\n\nThere are no specified quantities for sparkling wine or yellow wine by the glass or spirits other than gin, rum, vodka and whisky.\n\n## Packaged in bottles, boxes or similar\n\n| | Volume by millilitre (ml) |\n\n| Still wine | 100, 187, 250, 375, 500, 750, 1000, 1500 |\n\n| Yellow wine | 620 |\n\n| Sparkling wine | 125, 200, 375, 750, 1500 |\n\n| Fortified wine | 100, 200, 375, 500, 750, 1000, 1500 |\n\n| Spirit drinks | 100, 200, 350, 500, 700, 1000, 1500, 1750, 2000 |\n\nYou can sell packaged alcohol in any volume if it\u2019s below the minimum or above the maximum allowed for specified quantities.\n\n| | Minimum (ml) | Maximum (ml) |\n\n| Still wine | 100 | 1500 |\n\n| Yellow wine | 100 | 1500 |\n\n| Sparkling wine | 125 | 1500 |\n\n| Fortified wine | 100 | 1500 |\n\n| Spirit drinks | 100 | 2000 |\n\nThere are no specified quantities for packaged beer or cider.\n\n## Solid fuel\n\nYou can sell sealed bags of solid fuel in any size you wish but if you\u2019re selling it loose, you can only sell it in quantities of:\n\n- 25kg\n\n- 50kg\n\n- multiples of 50kg\n\n## Packaged goods\n\nPackaged goods are products that are all of these:\n\n- sold sealed\n\n- between 5g and 25kg or 5ml and 25 litres\n\n- the same weight or volume as other products of the same type\n\nThere are 2 ways to pack your products.\n\n## Minimum system\n\nYou can pack your products so that they contain at least the quantity displayed on the label. The packages can contain more than the label says, but not less.\n\n## Average system\n\nYou can pack your products to an average measurement that is on the label. You must check your packages to make sure a random sample is packed to meet all these rules - known as the \u2018three packers\u2019 rules\u2019:\n\n- the contents of the packages must not be less, on average, than the weight on the label\n\n- only a small number can fall below a certain margin of error, known as the \u2018tolerable negative error\u2019 (TNE)\n\n- no package can be underweight by more than twice the TNE\n\n| Quantity in grams and millilitres | TNE as % of quantity | TNE in grams or millilitres |\n\n| 5 to 50 | 9 | n/a |\n\n| 50 to 100 | n/a | 4.5 |\n\n| 100 to 200 | 4.5 | n/a |\n\n| 200 to 300 | n/a | 9 |\n\n| 300 to 500 | 3 | n/a |\n\n| 500 to 1,000 | n/a | 15 |\n\n| 1,000 to 10,000 | 1.5 | n/a |\n\n| 10,000 to 15,000 | n/a | 150 |\n\n| more than 15,000 | 1 | n/a |\n\nIf you\u2019re calculating the TNE as a percentage of the quantity, you must round up the weight or volume to the nearest 0.10 of a gram or millilitre.\n\nContact your local Trading Standards office for help with packing to the average system.\n\nRead the \u2018Weights and Measures (Packaged Goods) 2006\u2019 guidance for business for more information.\n\nYou must make sure packaged goods you\u2019re producing or importing are packed and labelled correctly.\n\nYou can be fined or sent to prison if you break the rules.\n\n## Equipment and records\n\n## Equipment for packaged goods\n\nThe equipment you use to weigh or measure your packaged goods has to be suitable. There are no hard and fast rules about what equipment you should use but you cannot use domestic scales to weigh goods you intend to sell.\n\nYour local Trading Standards office will tell you what is suitable equipment for your business sector.\n\nTrading Standards will check the weights and measures of your goods on your production line to make sure the equipment is accurate.\n\n## Records\n\nYou must keep records if you pack your products using the average system. You must record the results of your sample batches and show that they meet the \u2018three packers\u2019 rules.\n\nYou do not have to keep records if you measure every package or you use the minimum system to pack your products.\n\nYou must keep your records for at least one year from either the date you ship the packages or the \u2018use by\u2019 date on the package - whichever is shorter.\n\nYour local Trading Standards office can advise you about how to keep records.\n\n## Labelling packaged goods\n\nYou must put the weight or volume of your packaged goods on the label.\n\nThe quantity marking must be:\n\n- permanent\n\n- easy to see\n\n- meet a minimum height requirement\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Food\n\nRead the rules about what you must show on packaged food labels.\n\n## Exporting packaged goods\n\nYou must meet the rules for packaged goods in the country you\u2019re exporting to.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "answerable": true, + "scenario": "My uncle owns a pub and loves to ensure that he sells his customers with standard drinks as set by government guidelines . Using the right measuring bottles and glasses.", + "original_question": "Can he get penalised if he does not use specified quantities?" + }, + { + "id": "train-1588", + "question": "Scenario: I run a B&B and a kitchen which is operated by 3 employees inorder to ensure our business and customers safety, I need to have all my staffs trained on fire safety.\n\nQuestion: Can they be trained on fire evacuation procedure?\n\nDocument - Fire safety in the workplace:\n## Who's responsible\n\nYou\u2019re responsible for fire safety in business or other non-domestic premises if you\u2019re:\n\n- an employer\n\n- the owner\n\n- the landlord\n\n- an occupier\n\n- anyone else with control of the premises, for example a facilities manager, building manager, managing agent or risk assessor\n\nYou\u2019re known as the \u2018responsible person\u2019. If there\u2019s more than one responsible person, you have to work together to meet your responsibilities.\n\nThe Fire Safety Order also applies if you have paying guests, for example if you run a bed and breakfast, guesthouse or let a self-catering property.\n\nFire safety rules are different in Scotland and Northern Ireland.\n\n## Responsibilities\n\nAs the responsible person you must:\n\n- carry out a fire risk assessment of the premises and review it regularly\n\n- tell staff or their representatives about the risks you\u2019ve identified\n\n- put in place, and maintain, appropriate fire safety measures\n\n- plan for an emergency\n\n- provide staff information, fire safety instruction and training\n\nYou can read about how to make sure your premises are safe from fire.\n\n## Non-domestic premises\n\nNon-domestic premises are:\n\n- all workplaces and commercial premises\n\n- all premises the public have access to\n\n- the common areas of multi-occupied residential buildings\n\n## Shared premises\n\nIn shared premises it\u2019s likely there\u2019ll be more than one responsible person. You\u2019ll need to co-ordinate your fire safety plans to make sure people on or around the premises are safe.\n\nFor common or shared areas, the responsible person is the landlord, freeholder or managing agent.\n\n## Alterations, extensions and new buildings\n\nWhen building new premises or doing building work on existing premises, you must comply with building regulations. This includes designing fire safety into the proposed building or extension.\n\nRead the fire safety building regulations.\n\n## Penalties and enforcement\n\nYou could be fined or go to prison if you do not follow fire safety regulations.\n\nLocal fire and rescue authorities inspect premises and can issue fire safety notices telling you about changes you need to make.\n\n## Fire risk assessments\n\nAs the responsible person you must carry out and regularly review a fire risk assessment of the premises. This will identify what you need to do to prevent fire and keep people safe.\n\nYou must keep a written record of your fire risk assessment if your business has 5 or more people.\n\n## Carrying out the assessment\n\n- Identify the fire hazards.\n\n- Identify people at risk.\n\n- Evaluate, remove or reduce the risks.\n\n- Record your findings, prepare an emergency plan and provide training.\n\n- Review and update the fire risk assessment regularly.\n\nThe fire safety risk assessment chart gives more detailed information about these steps.\n\nYou\u2019ll need to consider:\n\n- emergency routes and exits\n\n- fire detection and warning systems\n\n- fire fighting equipment\n\n- the removal or safe storage of dangerous substances\n\n- an emergency fire evacuation plan\n\n- the needs of vulnerable people, for example the elderly, young children or those with disabilities\n\n- providing information to employees and other people on the premises\n\n- staff fire safety training\n\n## Help with the assessment\n\nYou can do the fire risk assessment yourself with the help of standard fire safety risk assessment guides.\n\nIf you do not have the expertise or time to do the fire risk assessment yourself you need to appoint a \u2018competent person\u2019 to help, for example a professional risk assessor.\n\nYour local fire and rescue authority might be able to give you advice if you\u2019re not sure your risk assessment\u2019s been carried out properly. However, they cannot carry out risk assessments for you.\n\n## Assessment guides\n\nYou can download the following guides on risk assessments in:\n\n- offices and shops\n\n- factories and warehouses\n\n- sleeping accommodation\n\n- residential care premises\n\n- educational premises\n\n- small and medium places of assembly (holding 300 people or less)\n\n- large places of assembly (holding more than 300 people)\n\n- theatres, cinemas and similar premises\n\n- open air events and venues\n\n- healthcare premises\n\n- animal premises and stables\n\n- transport premises and facilities\n\nYou can also find guidance on:\n\n- risk assessments if you work in construction\n\n- purpose-built blocks of flats and other types of housing if you\u2019re a landlord\n\n## Fire safety and evacuation plans\n\nYour plan must show how you have:\n\n- a clear passageway to all escape routes\n\n- clearly marked escape routes that are as short and direct as possible\n\n- enough exits and routes for all people to escape\n\n- emergency doors that open easily\n\n- emergency lighting where needed\n\n- training for all employees to know and use the escape routes\n\n- a safe meeting point for staff\n\n## People with mobility needs\n\nYou should also make special arrangements for people with mobility needs, for example make sure there are people to help wheelchair users get downstairs if there\u2019s a fire.\n\n## Fire safety equipment, drills and training\n\n## Fire detection and warning systems\n\nYou must have a fire detection and warning system. You may need different types of detectors, depending on the type of building and the work carried out in it.\n\n## Fire fighting equipment\n\nThe types of equipment you need depend on your business premises. You\u2019ll need to have any equipment properly installed, tested and maintained and train your staff to use them if necessary.\n\n## Maintenance and testing\n\nYou must carry out regular checks to make sure that:\n\n- all fire alarm systems are working\n\n- the emergency lighting is working\n\n- you record any faults in systems and equipment\n\n- all escape routes are clear and the floor is in good condition\n\n- all fire escapes can be opened easily\n\n- automatic fire doors close correctly\n\n- fire exit signs are in the right place\n\n## Fire drills and training\n\nYou need to train new staff when they start work and tell all employees about any new fire risks.\n\nYou should carry out at least one fire drill per year and record the results. You must keep the results as part of your fire safety and evacuation plan.\n\n## Enforcement, appeals and penalties\n\nYour local fire and rescue authority visits premises to check the fire risk assessment and fire prevention measures are appropriate. Fire safety officers should help you understand the rules and comply with them.\n\nThey can also take action if they think your fire safety measures are not adequate. For example, they might issue an informal notice suggesting safety measures.\n\nThey could also give you a formal fire safety notice. They\u2019ll tell you how to fix the problems described in the notice.\n\n## Alterations notice\n\nYou could get an alterations notice if your premises have high safety risks or will have high safety risks if the use of the premises changes.\n\n## Enforcement notice\n\nYou could get an enforcement notice if the fire and rescue authority finds a serious risk that\u2019s not being managed. It will say what improvements are needed by when.\n\n## Prohibition notice\n\nThese take effect immediately if the fire and rescue authority thinks the fire risk is so great that access to your premises needs to be prohibited or restricted.\n\n## Appeals\n\nYou may be able to arrange an informal review from your fire and rescue authority if you disagree with the decision to issue a fire safety notice.\n\nYou can appeal to your local magistrates\u2019 court within 21 days of receiving a notice.\n\nIn certain circumstances, you and the fire and rescue authority can ask for a \u2018determination\u2019 from the Home Secretary to resolve a dispute.\n\n## Penalties\n\nYou could be fined or go to prison if you do not follow fire safety regulations.\n\nMinor penalties can be up to \u00a35,000. Major penalties can have unlimited fines and up to 2 years in prison.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/workplace-fire-safety-your-responsibilities", + "answerable": true, + "scenario": "I run a B&B and a kitchen which is operated by 3 employees inorder to ensure our business and customers safety, I need to have all my staffs trained on fire safety.", + "original_question": "Can they be trained on fire evacuation procedure?" + }, + { + "id": "train-1589", + "question": "Scenario: My aunt signed an agreement with white goods seller to buy a fridge at \u00a3700 . Which was to be paid in two instalments. When she cleared all the payments , the fridge seller changed his mind and demanded more money than the agreed one.\n\nQuestion: Can my aunt file a claim in court for customer rights?\n\nDocument - Avoid unfair terms in sales contracts:\n## Overview\n\nYour standard sales contracts must be \u2018fair\u2019 or you won\u2019t be able to enforce them.\n\nThere are different rules on what\u2019s fair for:\n\n- consumer contracts\n\n- business contracts\n\nYou\u2019re legally responsible for certain situations, eg when goods you sell are faulty. You must not try to claim you\u2019re not responsible.\n\nYou have more responsibilities towards consumers than towards other businesses.\n\n## Customers\u2019 rights\n\nYour customers also have implied rights when buying your goods or services, unless the contract legally states otherwise.\n\n## Unfair consumer contracts\n\nYou can\u2019t enforce unfair terms in a consumer contract, or unfair consumer notices (eg signs on a shop wall or in a car park).\n\nYou can never enforce terms or notices that try to avoid your responsibility for:\n\n- death\n\n- injury\n\n- faulty goods\n\n- goods that aren\u2019t as described\n\n- selling goods that aren\u2019t yours to sell\n\nYou might not be able to enforce terms or notices if they try to avoid your responsibility in other ways, eg:\n\n- delays\n\n- unsatisfactory services\n\n- not doing what was agreed\n\nYour contract terms might also be unfair if they weigh the contract significantly in your favour, eg:\n\n- by providing for excessive cancellation charges and automatic loss of all upfront payments\n\n- by creating unbalanced rights, eg being able to cancel a contract at any time, but requiring the customer to give 3 months\u2019 notice\n\n- by allowing you to increase the agreed price at a later date\n\nYour contract won\u2019t be unfair just because it sets a price that\u2019s higher than another business charges.\n\nContracts must be written in plain language to avoid being misleading and unfair.\n\n## If a customer complains\n\nIt\u2019s up to the courts to decide if a term in your contract or wording in your notices is unfair.\n\nYou can be taken to court by the Competition and Markets Authority or a local trading standards office to stop you using unfair terms or notices.\n\nConsumers can also take legal action themselves to challenge unfair terms or notices.\n\nRead the guidance on unfair terms.\n\n## Unfair business contracts\n\nYour standard contract would be unfair if you try to not take responsibility for:\n\n- death or injury - under any circumstances\n\n- losses caused by negligence - unless to do so is \u2018reasonable\u2019\n\n- defective or poor quality goods - unless to do so is \u2018reasonable\u2019\n\nYou must not try to claim you\u2019re not responsible for these things.\n\n## What is reasonable\n\nIt\u2019s up to the courts to decide what is reasonable.\n\nCourts will take into account:\n\n- the information available to both parties when the contract was drawn up\n\n- if the contract was negotiated or in standard form\n\n- if the buyer had the bargaining power to negotiate better terms\n\n## Implied and statutory rights\n\nYour customers have implied rights when buying your goods or services.\n\nSome implied rights are also known as \u2018statutory rights\u2019.\n\n## Products\n\nImplied rights mean a product must be:\n\n- as described\n\n- of satisfactory quality, eg safe, in working order, free of defects\n\n- fit for purpose - capable of doing what the customer has asked for\n\nContracts for hiring, hire purchase and part exchange also have these implied rights.\n\nConsumers always have these implied rights when buying goods - the contract can\u2019t legally state otherwise.\n\n## Services\n\nImplied rights mean services must be carried out:\n\n- with reasonable care and skill\n\n- within a reasonable time (if no specific time has been agreed)\n\n- for a reasonable charge (if no exact price has been agreed)\n\nYou\u2019re unlikely to be able to enforce terms in a consumer contract for services if they try to deny a customer\u2019s implied rights.\n\n## Business contracts\n\nYour business customers have implied rights unless the contract legally states otherwise in a way a court would decide is reasonable.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/unfair-terms-in-sales-contracts", + "answerable": true, + "scenario": "My aunt signed an agreement with white goods seller to buy a fridge at \u00a3700 . Which was to be paid in two instalments. When she cleared all the payments , the fridge seller changed his mind and demanded more money than the agreed one.", + "original_question": "Can my aunt file a claim in court for customer rights?" + }, + { + "id": "train-1590", + "question": "Scenario: My uncle owns a take away food kiosk his business has been hit hard by imposed covid restrictions. As the rules are being lifted he want to give the best quality service to his customers. He wants to re train his staff on food safety and hygiene.\n\nQuestion: Is he allowed to do on job training of staffs?\n\nDocument - Food safety - your responsibilities:\n## Food safety\n\nIf your business deals in food you must:\n\n- make sure food is safe to eat\n\n- make sure you don\u2019t add, remove or treat food in a way that makes it harmful to eat\n\n- make sure the food is the same quality that you say it is\n\n- make sure you don\u2019t mislead people by the way food is labelled, advertised or marketed\n\n- keep records on where you got food from and show this information on demand - known as \u2018traceability\u2019 (PDF, 90KB)\n\n- withdraw unsafe food and complete an incident report\n\n- tell people why food has been withdrawn or recalled, for example by using a leaflet or poster\n\n- display your food hygiene rating (if you sell food direct to the public)\n\n## Food additives\n\nIf you use an additive in food you must:\n\n- only use an approved additive\n\n- only use it if it is approved for use in that food\n\nThe food additive must not exceed the maximum permitted level.\n\n## Food hygiene\n\nPart of complying with food safety is managing food hygiene.\n\n## Hazard Analysis and Critical Control Point (HACCP) plan\n\nYou usually have to write a plan based on the HACCP principles if you run a food business. This keeps your food safe from biological, chemical and physical safety hazards.\n\n## Food contact materials\n\nMaterials and packaging that can be reasonably expected to come into contact with food are called \u2018food contact materials\u2019. These can include:\n\n- packaging\n\n- food processing equipment\n\n- cookware\n\n- work surfaces\n\n## To keep food safe for consumption:\n\n- make sure food contact materials don\u2019t transfer anything to food they touch\n\n- make sure food contact materials don\u2019t change the food they touch\n\n- when inspected, be able to show where the food contact materials came from\n\n## Bacteria and food poisoning\n\nTo keep food safe from bacteria, you should follow HACCP. Bacteria that cause serious health problems are:\n\n- E.coli O157 and campylobacter\n\n- salmonella, especially with the storage and handling of eggs\n\n## Food hygiene training\n\nEmployers are responsible for staff hygiene training. It can be either a formal programme or informal training, such as on the job training or self study.\n\n## Food allergies\n\nIf you are a food retailer or caterer you need to manage food allergies when preparing and selling food.\n\n## Food inspections\n\nYou can be inspected by your local council at any point in the food production and distribution process. All inspectors must follow the Food Law Code of Practice. Usually, you won\u2019t be told an inspection is going to happen.\n\nHow often you\u2019re inspected depends on the risk your business poses to public health. You might not be inspected as often if you\u2019re a member of a recognised assurance scheme. You can search for a registered assurance scheme online.\n\nIf you\u2019re a food retailer or caterer you will be inspected on a more regular basis to make sure you comply with food safety laws.\n\nYour premises, food, records and procedures can be inspected. Food samples can be taken as well as photographed.\n\nFind your local council enforcement officers.\n\n## After the inspection\n\nYou\u2019ll be sent a letter confirming any improvements you need to make and by when. Usually, you\u2019re responsible for confirming these\nimprovements have been made.\n\nFor serious food safety problems you may be sent a \u2018notice\u2019. The notice can include banning you from using certain equipment or processes until improvements have been made. Your business will be revisited to make sure you have followed the improvements in the notice. Example notices include a:\n\n- Hygiene Improvement Notice\n\n- Hygiene Emergency Prohibition Notices - banning you from using certain equipment or following certain processes\n\n## Appeals\n\nYour letter or notice should tell you how you can appeal a decision by an inspector.\n\n## Report a food safety incident\n\nYou must tell the Food Standards Agency (FSA) if you think any food your business:\n\n- has sold is unsafe\n\n- has is unsafe\n\nThe FSA will tell you if the food must be withdrawn and customers asked to return it.\n\nSubmit a food safety incident report.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/food-safety-your-responsibilities", + "answerable": true, + "scenario": "My uncle owns a take away food kiosk his business has been hit hard by imposed covid restrictions. As the rules are being lifted he want to give the best quality service to his customers. He wants to re train his staff on food safety and hygiene.", + "original_question": "Is he allowed to do on job training of staffs?" + }, + { + "id": "train-1592", + "question": "Scenario: My family owns a textile company in UK and want to ship our textile merchandise to France and we need to be mindful on shipping requiremets post Brexit.\n\nQuestion: Do we need an EORI number to export or import goods between the EU to the UK ?\n\nDocument - Get an EORI number:\n## Who needs an EORI\n\nYou may need an Economic Operators Registration and Identification number (EORI number) if you move goods:\n\n- between Great Britain (England, Scotland and Wales) or the Isle of Man and any other country (including the EU)\n\n- between Great Britain and Northern Ireland\n\n- between Great Britain and the Channel Islands\n\n- between Northern Ireland and countries outside the EU\n\nThis guide is also available in Welsh (Cymraeg).\n\nTo get an EORI number, your business usually needs to have premises based in the country you want to import to or export from - this is called \u2018being established\u2019. Your premises will need to be either a:\n\n- registered office\n\n- central headquarters\n\n- permanent business establishment - premises where some of your customs-related activities are taking place and your HR and technical resources are permanently located\n\nYou do not need an EORI number if you\u2019re moving goods for personal use only.\n\n## If your business is not based in the country you\u2019re moving goods to or from\n\nYou should still get an EORI number if you\u2019re:\n\n- making a customs declaration - check if you\u2019re eligible to make a customs declaration\n\n- making an entry summary declaration\n\n- making an exit summary declaration\n\n- making a temporary storage declaration\n\n- making a customs declaration for temporary admission or re-export declaration where you have a guarantee\n\n- acting as a carrier for transporting goods by sea, inland waterway or air\n\n- acting as a carrier connected to the customs system and you want to get notifications regarding the lodging or amendment of entry summary declarations\n\n- established in a common transit country where the declaration is lodged instead of an entry summary declaration or is used as a pre-departure declaration\n\nIf you\u2019re not eligible to apply for an EORI number yourself, you\u2019ll need to appoint someone to deal with customs on your behalf. The person you appoint will need to get the EORI number instead of you.\n\nIf you\u2019re based in the Channel Islands and you move goods to or from the UK, you do not need an EORI number. You\u2019ll need an EORI number if you use HMRC\u2019s customs systems like Customs Handling of Import and Export Freight (CHIEF).\n\n## When you\u2019ll need your EORI number\n\nYou\u2019ll need your EORI number if you:\n\n- appoint someone to deal with customs for you and are \u2018established\u2019 in the country you\u2019re importing to or exporting from\n\n- make customs declarations\n\n- use customs systems, such as the CHIEF system\nand the Import Control System Northern Ireland (ICS NI)\n\n- apply for a customs decision\n\n## Check which EORI number you need\n\nWhich type of EORI number you need and where you get it from depends on where you\u2019re moving goods to and from. You may need more than one.\n\nIf you do not have the right EORI number, you may have delays at customs and increased costs, for example your goods may have to be stored until you get an EORI.\n\n## If you\u2019re moving goods to or from Great Britain\n\nIf you move goods to or from Great Britain you must get an EORI number that starts with GB. If you already have an EORI number and it does not start with GB, you must apply for a GB EORI number.\n\n## If you\u2019re moving goods to or from Northern Ireland\n\nYou may also need an EORI number starting with XI if you move goods to or from Northern Ireland.\n\nYou do not need an EORI number starting with XI if you already have an EORI number from an EU country.\n\n## If your business will be making declarations or getting a customs decision in the EU\n\nYou may need an EU EORI number from an EU country. Contact the customs authority in an EU country to get an EORI number. You do not need an EORI number from an EU country if you already have an EORI number starting with XI.\n\n## If you move goods to or from Northern Ireland\n\nYou must have an Economic Operators Registration and Identification number (EORI number) that starts with XI if you:\n\n- move goods into Northern Ireland from Great Britain (England, Scotland and Wales)\n\n- move goods from Northern Ireland to another non-EU country\n\n- make a declaration in Northern Ireland\n\n- apply for a customs decision in Northern Ireland\n\nYou only need to declare certain goods you move from Northern Ireland to Great Britain. Check if you need to make an export declaration and will need an EORI number that starts with XI.\n\nOnly people or organisations based in Northern Ireland or the EU can be named as the \u2018declarant\u2019 on import and export declarations made in Northern Ireland.\n\nYou do not need an EORI number if you only move goods on the island of Ireland or between an EU country and Northern Ireland.\n\nIf you already have an EU EORI number you do not need to apply for an XI EORI number.\n\nFind out how to apply for an XI EORI number.\n\n## Get help and advice if you move goods between Great Britain and Northern Ireland\n\nSign up for the Trader Support Service to get advice on EORI numbers and moving goods between Great Britain and Northern Ireland.\n\nFind more guidance on moving goods to and from Northern Ireland.\n\n## Apply for an EORI number\n\n## Apply for an EORI number that starts with GB\n\nTo apply for an Economic Operators Registration and Identification number (EORI number) you need your:\n\n- Unique Taxpayer Reference (UTR) - find your UTR if you do not know it\n\n- business start date and Standard Industrial Classification (SIC) code - these are in the Companies House register\n\n- Government Gateway user ID and password\n\n- VAT number and effective date of registration (if you\u2019re VAT registered) - these are on your VAT registration certificate\n\n- National Insurance number - if you\u2019re an individual or a sole trader\n\nIf you do not already have a Government Gateway user ID, you\u2019ll be able to create one when you apply.\n\nApply for a GB EORI number\n\nYou\u2019ll get your GB EORI number immediately unless HMRC needs to make any checks on your application. If they do, it can take up to 5 working days.\n\n## Apply for an EORI number that starts with XI\n\nBefore you apply, check you\u2019re eligible for an XI EORI number.\n\nYou must have applied for a GB EORI number before you can get an XI EORI number.\n\nOnce you have your GB EORI number then fill in an enquiry form, making sure you:\n\n- tick the box to say you will be trading with Northern Ireland or are based in Northern Ireland\n\n- tick the box saying your enquiry is a \u201cQuery regarding a current EORI number application\u201d\n\nYou\u2019ll get your XI EORI within 4 days.\n\n## Get help with an EORI number\n\nYou can check the status of an application you have already made.\n\nFill in an enquiry form if you have forgotten your EORI number, your details have changed or you have a question about your application.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/eori", + "answerable": true, + "scenario": "My family owns a textile company in UK and want to ship our textile merchandise to France and we need to be mindful on shipping requiremets post Brexit.", + "original_question": "Do we need an EORI number to export or import goods between the EU to the UK ?" + }, + { + "id": "train-1593", + "question": "Scenario: My uncle wanted to build an extension of his sitting room towards the garden and had applied for a Lawful Development cerificate but it was refused after a close neighbour made a complaint.\n\nQuestion: Can he make an appeal to overturn the decision?\n\nDocument - Appeal a decision about a lawful development certificate:\n## When you can appeal\n\nYour local planning authority makes decisions about lawful development certificates.\n\nYou can appeal against a lawful development certificate decision if either:\n\n- you disagree with it\n\n- the decision was not made within 8 weeks (6 weeks for work to a listed building)\n\nDo not appeal if you\u2019ve already been given an enforcement notice. You may have to pay additional costs if you do.\n\nOnly the person who made the lawful development certificate application can appeal. If you did not apply, you can comment on an appeal instead.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nThere\u2019s normally no deadline. If you\u2019re appealing an application about a listed building lawful development certificate, you must appeal within 6 months of the decision.\n\nYou can apply for planning permission at the same time as appealing a lawful development certificate decision.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the local planning authority\u2019s decision notice - if they did not make a decision, send a copy of the letter acknowledging your application\n\n- all plans, drawings and documents you sent to the local planning authority\n\n- any letters or emails between you and the local planning authority\n\nYou\u2019ll also need to submit:\n\n- a map of the site\n\n- any other documents that directly support your appeal, for example your grounds of appeal\n\nIf you think your land or building is now lawful because the time limit for enforcement has passed, you also need to submit evidence like:\n\n- dated photographs of the site\n\n- letters from neighbours\n\n- receipts or invoices for work\n\n- plans and drawings\n\nYou can upload these documents or pictures of these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on a lawful development certificate appeal. Find the case on the appeals casework portal. The deadline for comments is 6 weeks after the start date of the appeal.\n\nYour local planning authority must tell anyone who has commented on the application (\u2018interested parties\u2019) that there\u2019s an appeal. The local planning authority has to do this within 2 weeks of the appeal being validated by the Planning Inspectorate.\n\nIf there\u2019s going to be an inquiry, interested parties can apply to have \u2018rule 6 status\u2019, which means they\u2019ll play a much bigger part. For example, they can call witnesses and give evidence.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-lawful-development-certificate-decision", + "answerable": true, + "scenario": "My uncle wanted to build an extension of his sitting room towards the garden and had applied for a Lawful Development cerificate but it was refused after a close neighbour made a complaint.", + "original_question": "Can he make an appeal to overturn the decision?" + }, + { + "id": "train-1596", + "question": "Scenario: My uncle runs a construction limited company as self employed and would like to register for construction industry scheme. He wants to be compliant.\n\nQuestion: Can he register for CIS online?\n\nDocument - What you must do as a Construction Industry Scheme (CIS) subcontractor:\n## Overview\n\nYou should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:\n\n- self-employed\n\n- the owner of a limited company\n\n- a partner in a partnership or trust\n\nUnder CIS, a contractor must deduct 20% from your payments and pass it to HM Revenue and Customs (HMRC).\n\nThese deductions count as advance payments towards your tax and National Insurance bill.\n\nIf you do not register for the scheme, contractors must deduct 30% from your payments instead.\n\n## If you do not want deductions made\n\nIf you do not want deductions to be made in advance by contractors, you can apply for \u2018gross payment status\u2019. You can do this when you register for CIS.\n\nYou do not need to register for CIS if you\u2019re an employee. Check your employment status if you\u2019re not sure.\n\n## How to register\n\nTo register for the Construction Industry Scheme (CIS) you\u2019ll need:\n\n- your legal business name - you can also give a trading name if it\u2019s different to your business name\n\n- your National Insurance Number\n\n- the unique taxpayer reference number (UTR) for your business\n\n- your VAT registration number (if you\u2019re VAT registered)\n\nIf you\u2019re a subcontractor and a contractor (you pay subcontractors to do construction work), you\u2019ll need to register for CIS as both.\n\n## Register as a sole trader\n\nIf you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).\n\nYou can apply for gross payment status at the same time.\n\nIf you do not have a UTR, register as a new business for Self Assessment and choose \u2018working as a subcontractor\u2019 when prompted. You\u2019ll be registered for Self Assessment and CIS at the same time.\n\nYou can also call the CIS helpline to register.\n\n## Register as another type of business\n\nFill in the online form for limited companies or the online form for partnerships.\n\nHMRC will register the partnership separately to your sole trader registration. They will need the partnership UTR and trading name.\n\n## You are based abroad\n\nYou should still register for CIS if you are a subcontractor based abroad but do construction work in the UK.\n\n## Help and support\n\nCall the CIS helpline for help with registering.\n\nYou can also sign up for webinars and emails or watch videos from HMRC about CIS.\n\n## Get paid\n\nTo be paid correctly by a contractor, make sure you give them the exact same legal business name or trading name you gave when you registered for the Construction Industry Scheme (CIS). You should also give them your Unique Taxpayer Reference (UTR) so they can verify you.\n\nIf you do not, this could affect how much you get paid.\n\n## Deduction rates\n\nWhen a contractor pays you under CIS, they\u2019ll normally make deductions at the standard rate of 20%.\n\nContractors will make deductions at a higher rate of 30% if:\n\n- you are not registered for CIS\n\n- they cannot verify you\n\n- you give the wrong name for your business\n\nYour contractor should give you monthly statements of payments and deductions. Use them to calculate whether you still owe tax and National Insurance to HM Revenue and Customs (HMRC) or are due a refund.\n\n## Gross payment status\n\nYou can apply for gross payment status when you register for CIS. This means the contractor will not make deductions from your payments and you\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\n## What does not count as your pay\n\nContractors will not make a deduction from amounts you charge on your invoice for:\n\n- VAT\n\n- materials that you have paid for directly\n\n- equipment which is now unusable (\u2018consumable stores\u2019)\n\n- plant hired for the job\n\n- manufacturing or prefabricating materials\n\n## Pay tax and claim back deductions\n\nWhen you\u2019re registered with the Construction Industry Scheme (CIS), you\u2019re still responsible for paying the correct tax and National Insurance for your business, even if deductions have been made by contractors throughout the year.\n\nContractors will give you a monthly statement of what they\u2019ve paid you and deductions they\u2019ve made to help with your accounting.\n\n## Sole traders and partners\n\nAt the end of the tax year, send in your Self Assessment tax return as usual. You should record:\n\n- the full amounts on your invoices as income\n\n- any deductions contractors have made in the \u2018CIS deductions\u2019 field\n\nHM Revenue and Customs (HMRC) will work out your tax and National Insurance bill and take off any deductions made by contractors.\n\nIf you still owe tax after this, you\u2019ll need to pay it by 31 January following the end of the tax year.\n\nIf you\u2019re due a tax refund, HMRC will pay the money back.\n\n## Limited companies\n\nIf you have gross payment status, declare all your income in your Corporation Tax return as usual.\n\nIf you pay CIS deductions, you must claim these back through your company\u2019s monthly payroll scheme. Do not try to claim back through your Corporation Tax return - you may get a penalty if you do.\n\n- Send your monthly Full Payment Submission (FPS) as usual to HMRC.\n\n- Also send an Employer Payment Summary (EPS). Enter the total CIS deductions for the year to date.\n\n- HMRC will take your CIS deductions off what you owe in PAYE tax and National Insurance. Pay the balance by the usual date.\n\nIf your company\u2019s PAYE bill for the period is reduced to zero and you still have some CIS deductions you have not been able to claim back, carry these forward to the next month or quarter (in the same tax year). Tell HMRC in the EPS that you have nothing to pay.\n\n## If HMRC thinks your claim is wrong\n\nHMRC may ask you to provide evidence for your CIS deductions or to change your claim.\n\nIf you do not do this by the deadline they give you, you will not be able to make any more claims in that tax year.\n\nYou can appeal HMRC\u2019s decision. They\u2019ll tell you how to do this.\n\n## Keep records\n\nYour company must keep a record of amounts claimed back against your monthly or quarterly PAYE bill.\n\nYou can use form CIS132 to do this or keep your own records.\n\n## If you paid too much in CIS deductions\n\nHMRC will pay back any deductions your company has not been able to claim back from its PAYE bill during the tax year.\n\n## If your company goes into administration\n\nIf your company goes into administration or liquidation, the person managing it should write to HMRC to ask for CIS deductions to be repaid straight away.\n\n## If you do not have all your CIS statements\n\nIf you have not received all the CIS statements you need from your contractor, you can ask them to send you replacement copies.\n\nIf the contractor you\u2019re working for stops trading and you have not been able to get all your CIS statements you should write to HMRC.\n\nInclude the following information:\n\n- your name, address and Unique Taxpayer Reference (UTR)\n\n- the name and address of the contractor\n\n- the contractor\u2019s tax reference - if you know it\n\n- the dates of the payments or the tax months when the contractor paid you\n\n- the reason why you do not have the statements or duplicates\n\n## How to get gross payment status\n\nYou can apply for gross payment status when you register for CIS.\n\nThis means contractors will pay you in full, without deductions. You\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\nIf you\u2019re already registered for CIS, you can apply for gross payment status by calling the CIS helpline or applying online.\n\n## Apply for gross payment status online\n\n- Sign in to Government Gateway - you\u2019ll need the Government Gateway user ID and password you used when you registered for CIS. If you do not have a user ID, you can create one when you register for CIS.\n\n- From \u2018Your tax account\u2019, go to \u2018Other services\u2019.\n\n- Choose \u2018Construction Industry Scheme \u2013 Subcontractors\u2019.\n\n## To qualify\n\nYou must show HM Revenue and Customs (HMRC) that your business passes some tests. You\u2019ll need to show that:\n\n- you\u2019ve paid your tax and National Insurance on time in the past\n\n- your business does construction work (or provides labour for it) in the UK\n\n- your business is run through a bank account\n\nHMRC will look at your turnover for the last 12 months. Ignoring VAT and the cost of materials, your turnover must be at least:\n\n- \u00a330,000 if you\u2019re a sole trader\n\n- \u00a330,000 for each partner in a partnership, or at least \u00a3100,000 for the whole partnership\n\n- \u00a330,000 for each director of a company, or at least \u00a3100,000 for the whole company\n\nIf your company\u2019s controlled by 5 people or fewer, you must have an annual turnover of \u00a330,000 for each of them.\n\nYou could be fined if you provide false information or help someone else to make a false application.\n\n## Paying tax when you have gross payment status\n\nYou must declare your payments as income at the end of the tax year in:\n\n- your Self Assessment tax return if you\u2019re a sole trader or partner\n\n- your Corporation Tax return if you own a limited company\n\n## Annual review\n\nIf you have gross payment status, HM Revenue and Customs (HMRC) will review your business every year, to decide if you can keep your status.\n\nYou must be on time with your tax returns and payments to keep your gross payment status.\n\nIf you run a limited company, HMRC will review the company itself, rather than individual directors or shareholders.\n\n## You do not meet all the conditions\n\nYou could fail the review and HMRC will remove your gross payment status. You\u2019ll be allowed a small amount of late payments or returns.\n\nContact HMRC if you have problems paying your tax on time. If HMRC give you more time to pay, this will not affect your gross payment status.\n\n## You fail your review\n\nYou\u2019ll get a letter explaining you\u2019re about to fail the review, along with the reasons why.\n\nIf you disagree, you can write back with your reasons.\n\nIf HMRC accept your explanation, they will not remove your gross payment status.\n\nIf you do not reply to the letter or HMRC does not accept your explanation, they\u2019ll write to explain:\n\n- what conditions you have not met\n\n- that they\u2019re withdrawing your gross payment status in 90 days\n\nIf you think HMRC have made the wrong decision, you have 30 days from the date of this letter to appeal.\n\n## Reapplying for gross payment status\n\nIf HMRC cancel your gross payment status, you need to wait a year from the date of the cancellation before you can reapply.\n\n## Changes you need to report\n\nReport changes by calling the Construction Industry Scheme (CIS) helpline.\n\nTell them if you:\n\n- change from a sole trader to a partnership\n\n- leave a partnership or company to become a sole trader\n\n- create a company or change your business to a company\n\nYou\u2019ll usually need to register again for CIS - as you cannot transfer the registration from your old business structure.\n\nIf you have gross payment status, you\u2019ll need to apply again.\n\nYou must also tell HM Revenue and Customs (HMRC) if you:\n\n- change your trading name\n\n- change your business, private or registered office address\n\n- stop trading\n\n- add new shareholders - HMRC may withdraw your gross payment status if you do not tell them within 30 days\n\n## Stop trading\n\nIf your business goes into administration it can keep receiving payments for work it\u2019s done under CIS. It should be paid in the same way that it was paid normally - either gross or under deduction.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "answerable": true, + "scenario": "My uncle runs a construction limited company as self employed and would like to register for construction industry scheme. He wants to be compliant.", + "original_question": "Can he register for CIS online?" + }, + { + "id": "train-1597", + "question": "Scenario: My aunt has been running a stationery business and on her way home from work she got a serious accident which left her paralysed . Her business dream was shattered and decided to liquidate the business. She has several debts .\n\nQuestion: Can she get creditors to liquidate her business?\n\nDocument - Dealing with your limited company's debts:\n## If your company cannot pay its debts\n\nYour limited company can be liquidated (\u2018wound up\u2019) if it cannot pay its debts.\n\nThe people or organisations your company owes money to (your \u2018creditors\u2019) can apply to the court to get their debts paid.\n\nThey can do this by either:\n\n- getting a court judgment\n\n- making an official request for payment - this is called a statutory demand\n\nGet professional advice from a solicitor or insolvency practitioner if your company is in debt.\n\n## Responding to a court judgment\n\nYou have 14 days to respond to a court judgment.\n\nTo respond, you must do one of the following:\n\n- pay the debt\n\n- reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement\n\n- put your company into administration\n\n- apply to liquidate (\u2018wind up\u2019) your company yourself\n\n- challenge the court judgment\n\nIf you do not respond to the court judgment within 14 days, your creditors can apply to have your assets seized by a bailiff or sheriff.\n\nYour creditors can apply to wind up your company if your assets are not worth enough to pay your debts.\n\n## Responding to a statutory demand\n\nYou have 21 days to respond to a statutory demand.\n\nTo respond, you must do one of the following:\n\n- pay the debt\n\n- reach an agreement with the creditor to pay the debt in the future, for example by using a Company Voluntary Arrangement\n\n- put your company into administration\n\n- apply to liquidate (\u2018wind up\u2019) your company yourself\n\nYour creditors can apply to wind up your company if you do not respond to the statutory demand within 21 days.\n\n## Stop your creditors from applying to wind up your company\n\nYou can apply to the court to stop (\u2018restrain\u2019) your creditors from applying to wind up your company. You must do this within 21 days of getting the statutory demand.\n\nDownload and fill in application form IAA.\n\nWhich court you apply to depends on how much money shareholders have paid into your company by buying shares (\u2018paid up share capital\u2019).\n\nCheck the Companies House register to find out your company\u2019s paid up share capital.\n\n## Your paid up share capital is less than \u00a3120,000\n\nUse the court finder to find a court dealing with insolvency. You must use the court nearest your company\u2019s registered office.\n\n## Your paid up share capital is more than \u00a3120,000\n\nYou must apply to the High Court.\n\n## Getting a winding-up order\n\nYour creditors can apply to the court to close down your company. They do this by making an application called a \u2018winding-up petition\u2019.\n\nYou can apply to stop your creditors from making a winding-up petition if you were given a statutory demand.\n\nThey can withdraw the petition if your company pays the debt or makes an arrangement to pay it.\n\n## Attending the hearing\n\nIf the petition is accepted, the court will arrange a date for a hearing.\n\nYou must attend the hearing. Your creditors will announce when and where the hearing will take place in The Gazette.\n\nYour company can be put into the control of someone else until the hearing happens. This is known as \u2018provisional liquidation\u2019.\n\n## If the court decides you cannot pay your debts\n\nThe court will issue a winding-up order.\n\nAn officer of the court (\u2018official receiver\u2019) will be put in charge of winding-up your company. You must co-operate with the official receiver.\n\nWhen you get a winding-up order:\n\n- your company\u2019s bank account will usually be frozen\n\n- its assets or property will be sold by the official receiver\n\nIf any part of your company is bought with the intention of discontinuing the business (not running it as a \u2018going concern\u2019) then your employees will lose their jobs.\n\nYou can be banned from being a director for up to 15 years if you do not carry out your duties properly.\n\n## Cancel a winding-up order\n\nYou can apply to cancel a winding-up order if you do not think you need to pay your creditors. You must do this within 5 working days of getting the order.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/protecting-company-from-compulsory-liquidation", + "answerable": true, + "scenario": "My aunt has been running a stationery business and on her way home from work she got a serious accident which left her paralysed . Her business dream was shattered and decided to liquidate the business. She has several debts .", + "original_question": "Can she get creditors to liquidate her business?" + }, + { + "id": "train-1598", + "question": "Scenario: My sister has taken a step further in her passion for caring for little children by training as a childminder. She would like to apply for a job as soon as she completes her course.\n\nQuestion: Is it necessary for her to register as a childminder?\n\nDocument - Become a childminder or nanny (England):\n## Overview\n\nIf you want to be paid to look after children under 8, you might need to register with Ofsted or a childminder agency.\n\nYou can get a fine if you do not register when you need to.\n\nYou must register as a childminder if all of the following apply:\n\n- the children are under the age of 8\n\n- you look after them for more than 2 hours a day\n\n- you look after them in your own home\n\n- you get paid to look after them - including payment in kind\n\nYou can register with Ofsted online. To register with a childminder agency, contact them directly.\n\nThere are different rules if you want to provide daycare outside someone\u2019s home - for example a nursery or creche.\n\nYou do not need to register if you\u2019re:\n\n- a nanny\n\n- a tutor\n\n- a babysitter and if you look after the children between 6pm and 2am\n\n- a family friend and if you look after the children less than 3 hours a day\n\nYou can still choose to register if you\u2019re a nanny or in other situations. This helps the child\u2019s parents qualify for free childcare.\n\nCheck which register to join if you\u2019re not sure.\n\n## Who cannot register\n\nYou cannot register if you:\n\n- are under 18\n\n- are related to all of the children you look after\n\n- do not have the legal right to work in the UK\n\n- are barred from working with children\n\n- have been disqualified\n\n- have been refused registration in the past or had your registration cancelled - unless it was because you did not pay your annual fee\n\n- are childminding in a home where a disqualified person lives or works\n\nIf you\u2019ve been disqualified, you may be able to apply to waive your disqualification\n\n## Which register to join\n\nThere are 2 registers - the Early Years Register and the Childcare Register.\n\nWhich register you join depends on:\n\n- the age of the children you\u2019re looking after\n\n- if you\u2019re registering as a childminder or a nanny\n\nYou\u2019ll be prompted to join the correct register when you apply.\n\n## Children up to the age of 5\n\nIf you\u2019re a childminder and you look after children from birth to 5 years old you must join the Early Years Register. This lets you look after children up to 31 August after their fifth birthday.\n\nYou\u2019ll get a registration visit from Ofsted when you apply.\n\nAfter you join the register you must follow the early years foundation stage (EYFS) framework.\n\nNannies cannot join the Early Years Register.\n\n## Children from 5 to 8 years old\n\nIf you\u2019re a childminder and you look after children from 5 to 8 years old you must join the Childcare Register. This lets you look after children from 1 September after their fifth birthday up to their eighth birthday.\n\nAs a nanny you can choose to join the Childcare Register, regardless of the age of the children you\u2019re looking after.\n\nYou may be inspected by Ofsted. You may also get a registration visit.\n\n## How much it costs\n\nYou need to pay an annual registration fee to Ofsted. You\u2019ll also have to pay for things like criminal record checks, training and insurance.\n\n## Registration fee\n\nYou\u2019ll have to pay the registration fee each year.\n\n| | Cost for childminders | Cost for nannies |\n\n| Childminders - caring only for children aged 5 or under | \u00a335 | Not applicable |\n\n| Childminders - caring only for children aged 5 or older | \u00a3103 | Not applicable |\n\n| Childminders - caring for children of all ages | \u00a335 | Not applicable |\n\n| Register as a nanny | Not applicable | \u00a3103 |\n\n## Criminal record and health checks\n\n| | Cost for childminders | Cost for nannies |\n\n| Your criminal record check | \u00a348.10 | \u00a348.10 |\n\n| Checks for adults in your home | \u00a348.10 each | Not applicable |\n\n| Criminal record check update service (recommended) | \u00a313/year | \u00a313/year |\n\n| GP to fill in and sign health declaration booklet | \u00a390 (approximately) | Not applicable |\n\n## Training\n\n| | Cost for childminders | Cost for nannies |\n\n| First aid course to cover the age groups you look after | \u00a360 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately) |\n\n| Childcare training on the type of care you will provide - ask your council | \u00a350 to \u00a3200 (approximately) | \u00a360 to \u00a3200 (approximately) |\n\n## Other costs\n\n| Insurance | Cost |\n\n| Public liability insurance | \u00a325 to \u00a3100 (approximately) |\n\n| Keeping digital records | Cost |\n\n| Register with ICO to keep digital records of children (childminders only) | \u00a340 |\n\n## Register as a nanny\n\nYou can register with Ofsted as a nanny or au pair to look after children in their own home.\n\nA nanny can look after children from 1 or 2 families at the same time.\n\nIf you want to look after children from more than 2 families at the same time in your home, you\u2019ll need to register as a childminder instead.\n\nYou will need:\n\n- an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check\n\n- first aid training\n\n- childcare training - speak to your local council\n\n- public liability insurance\n\n- a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years\n\nOfsted will reject your application if you do not have the correct documents.\n\n## How much it costs\n\nIt costs \u00a3103 to register with Ofsted. This fee is not refundable.\n\nFind out about other costs.\n\n## How long it takes\n\nIt usually takes up to 12 weeks to process your application.\n\n## Register online\n\nIt should take you about 15 minutes to fill in the form.\n\nRegister as a nanny\n\n## Register as a childminder\n\nYou must register with Ofsted to look after children in your home.\n\nIf you\u2019re looking after children in their own home, you should register with Ofsted as a nanny or au pair instead.\n\nYou will need:\n\n- an enhanced criminal record check with barred lists from the Disclosure and Barring Service (DBS) - you must get the right criminal record check\n\n- first aid training for the age group you will look after\n\n- childcare training - speak to your local council\n\n- a health declaration booklet\n\n- contact details for 2 references\n\n- a certificate of good character from an embassy - if you\u2019ve lived abroad in the past 5 years\n\nOfsted will reject your application if you do not have the correct documents.\n\n## Checks on other people in your home\n\nIf anyone aged 16 or over lives with you or works in your home regularly, they\u2019ll need to get an enhanced criminal record check with barred lists.\n\nThe type of check they get depends on their role. For example your partner would need to get a different check to someone who works in your home, like a cleaner.\n\nThey\u2019ll also need to get a certificate of good character from an embassy if they\u2019ve lived abroad in the last 5 years.\n\n## How much it costs\n\nIt usually costs \u00a335 to register with Ofsted. This fee is not refundable.\n\nFind out about other costs.\n\n## How long it takes\n\nIt usually takes up to 12 weeks to process your application.\n\n## Register online\n\nIt should take you about 30 minutes to fill in the form.\n\nRegister as a childminder\n\n## After you apply\n\nWhen you submit your application Ofsted will:\n\n- do background checks with local authorities\n\n- check your references\n\n- give you a reference number to use if you have questions about your application\n\n## If you\u2019re a childminder\n\nAn inspector will visit you to check:\n\n- your identity and qualifications - including first aid qualifications\n\n- your house and garden are safe for children\n\n- that you\u2019re familiar with the early years foundation stage (EYFS) requirements and know how to put them into practice\n\n- your level of English\n\nYou will not usually get a registration visit if you\u2019re only looking after children aged over 5.\n\nFind out how to prepare for your registration visit.\n\n## If your application is approved\n\nYou\u2019ll get a certificate of registration if your application is approved. You will need this to start work as a childminder.\n\nOfsted will publish your unique reference number (\u2018URN\u2019) and inspection reports online. If you\u2019re a childminder they will also publish your name and address - unless you tell them not to.\n\n## If your application is refused\n\nOfsted will send you a letter called a \u2018notice of intention\u2019 which will tell you why you\u2019ve been turned down.\n\nYou\u2019ll be disqualified from applying again in future.\n\n## Object to a decision\n\nYou can object to a decision if you\u2019ve been sent a \u2018notice of intention\u2019.\n\nYou must object within 14 days of the date on the notice.\n\nOfsted will consider your objection, then tell you if:\n\n- you\u2019re still refused registration\n\n- you cannot look after children in a particular home\n\n- your decision is overturned\n\nIf you do not object, or Ofsted does not change its decision, you\u2019ll get a second letter called a \u2018notice of decision\u2019. This is the final decision to refuse registration or approval of a certain premises.\n\n## Appeal a decision\n\nIf you disagree with Ofsted\u2019s final decision, you can appeal to an independent tribunal.\n\nYou must appeal within 3 months of the date that you\u2019re sent the notice of decision.\n\n## After you're registered\n\nYou must continue to meet the registration standards while you\u2019re working as a childminder or nanny.\n\nYou\u2019ll need to:\n\n- pay the annual registration fee\n\n- keep your details up to date\n\n- report any major accidents or incidents\n\nOfsted will inspect childminders and some nannies.\n\n## Keep your details up to date\n\nYou must tell Ofsted if:\n\n- you change where you\u2019re working\n\n- your contact details change\n\n- you stop working as a childminder or nanny\n\n## If you\u2019re a childminder\n\nYou must tell Ofsted if:\n\n- anyone 16 or over moves into your home or leaves your home\n\n- your childminding assistants change\n\n## Reporting accidents and incidents\n\nUse the early years incident online form to report:\n\n- a serious accident, injury or illness to a child, for example food poisoning\n\n- allegations that someone living, working or looking after children in your household has committed serious harm or abuse\n\n- anything that might affect the suitability of someone on the premises to look after children\n\n- a child\u2019s death\n\n## Providing other types of childcare\n\nIf you\u2019re a childminder, you can apply to set up childcare on non-domestic premises (for example, a playgroup or after-school club). You can work here for up to half of your time.\n\nIf you want to work with 3 or more childminders or childminding assistants in your home, you\u2019ll need to register as a daycare organisation (this is known as \u2018providing childcare on domestic premises\u2019).", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-childminder-nanny", + "answerable": true, + "scenario": "My sister has taken a step further in her passion for caring for little children by training as a childminder. She would like to apply for a job as soon as she completes her course.", + "original_question": "Is it necessary for her to register as a childminder?" + }, + { + "id": "train-1606", + "question": "Scenario: I took the theory test this morning but unfortunately failed the multiple choices questions part of the test. I will retake my test in 3 days.\n\nQuestion: Can I skip the hazard perception test because I've passed it last time?\n\nDocument - Theory test: cars:\n## Booking your test\n\nYou must have a provisional driving licence to book your theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You must pass both parts to pass the test.\n\n## When you can take the theory test\n\nYou can take the theory test from your 17th birthday onwards.\n\nYou can take it from your 16th birthday if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).\n\n## Who needs to take the theory test\n\nYou usually need to take the theory test before you can get your full car driving licence.\n\nYou do not need to take the car theory test if you:\n\n- want to upgrade an automatic car licence to a manual one\n\n- have a category B1 driving licence (3 or 4-wheeled light vehicles) from before 1 February 2001\n\n## If you have a moped or motorcycle licence\n\nYou must pass a car theory test before taking the car driving test.\n\n## If your licence is not from Great Britain\n\nFind out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.\n\n## Change or check your test details\n\nYou can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.\n\n## Theory test revision and practice\n\nYou can use books and software to revise for the theory test and take practice tests.\n\n## Multiple-choice questions\n\nThe multiple-choice questions in the theory test are based on 3 books:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Driving - the essential skills\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them from most high street and online book shops.\n\n## Take a practice test\n\nTake a practice theory test to check how much you\u2019ve learnt.\n\nThe questions are not used in the real test, but they are based on the same topics as the test.\n\n## Hazard perception test\n\nTo prepare for this test you can use the official guide to hazard perception.\n\nYou can buy the guide in these formats:\n\n- online for your PC or Mac\n\n- app for Apple phones and tablets\n\n- app for Android phones and tablets\n\nYou can also buy it as an interactive DVD from most high street and online book shops.\n\n## Translations into foreign languages\n\nSome official books and software are translated into other languages by approved organisations.\n\nHowever, you can only take the test in English, Welsh or British Sign Language.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## Lost your licence\n\nYou need to apply for a replacement driving licence if you lose yours. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get the new licence in enough time.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 57 minutes to answer 50 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\nThree of the questions are about a short video. It will show a normal driving situation, such as:\n\n- driving through a town centre\n\n- driving on a country road\n\nThe video is silent. You can watch it as many times as you like during the test.\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou\u2019ll get the result at the test centre after taking the theory test. You must pass both parts to pass the test.\n\n| | Pass mark | Points available |\n\n| Multiple-choice questions | 43 | 50 |\n\n| Hazard perception | 44 | 75 |\n\n## If you pass\n\nYou\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your driving test.\n\nYour pass certificate number lasts for 2 years. You must pass your driving test in that time, otherwise you\u2019ll have to pass the theory test again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou must book and take the full test again, even if you passed one part this time.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have a reading difficulty, disability or health condition\n\nWhen you book your theory test you should say if you have a:\n\n- reading difficulty\n\n- disability\n\n- health condition\n\n## You have reading difficulties\n\nYou can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.\n\nYou can listen to the questions and possible answers as many times as you need to.\n\n## Other types of support\n\nYou can get other support during your theory test if you send proof that you have reading difficulties.\n\nThis can be an email, letter or report from:\n\n- a teacher or other educational professional\n\n- a doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association\n\nYou can get:\n\n- extra time to take the test\n\n- someone to read what\u2019s on the screen and record your answers\n\n- someone to reword the questions for you\n\nThe Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.\n\nIf DVSA agrees that you need extra support, they will send you an email with:\n\n- a reference number (you will need this when you book your test)\n\n- instructions on how to book your test\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple choice questions part of the theory test.\n\n## Reading what\u2019s on the screen and recording your answers\n\nA member of staff at the test centre can read out the instructions and questions on the screen.\n\nThey can also record your answers to the multiple-choice questions.\n\nThis can be done by either:\n\n- listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen\n\n- the member of staff sitting near you in the test room\n\n## Rewording the questions for you\n\nYou can ask for a member of staff to reword the theory test questions to make them easier for you to understand.\n\nThe person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.\n\nYou still need to answer each question yourself.\n\n## You\u2019re deaf or have a hearing impairment\n\nYou can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.\n\nA BSL video appears on the screen next to the questions and answers.\n\n## Take a BSL interpreter\n\nYou can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.\n\n## Hearing loop and lip speakers\n\nYou can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).\n\nTo use either service you\u2019ll need to contact DVSA before your test.\n\n## Other disabilities or health conditions\n\nContact DVSA to discuss any other disability or health condition before you book your test.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/theory-test", + "answerable": true, + "scenario": "I took the theory test this morning but unfortunately failed the multiple choices questions part of the test. I will retake my test in 3 days.", + "original_question": "Can I skip the hazard perception test because I've passed it last time?" + }, + { + "id": "train-1609", + "question": "Scenario: I recently found out that the man who stabbed me and left me with a disability man be allowed on parole, this is very upsetting to me as I do not feel safe with them walking on the streets and am angry that their sentence may be made shorter.\n\nQuestion: Can a victims statment stop parole or influence the judges decision in this case?\n\nDocument - Make a victim personal statement to the Parole Board:\n## Who can make a victim personal statement and when\n\nThe Parole Board decides if prisoners who are eligible for parole can be released. It also makes recommendations on whether it\u2019s safe for prisoners to be:\n\n- transferred to an open prison\n\n- given a temporary release under supervision (known as being \u2018on licence\u2019 or probation)\n\n## Victims\n\nYou can make a \u2018victim personal statement\u2019 to be presented at the Parole Board hearing if you\u2019re a victim of the prisoner.\n\nThis is sometimes known as an \u2018impact statement\u2019.\n\nIf you\u2019re in Scotland, you need to make a written representation to the Parole Board for Scotland.\n\nYou can use your statement to explain how the crime has affected you - from the time it was committed until now.\n\nThis includes the effect the crime has had on you and your family:\n\n- physically\n\n- mentally\n\n- emotionally\n\n- financially\n\n## Relatives of victims\n\nYou can make a victim personal statement if you\u2019re a close relative of a victim who:\n\n- has died\n\n- is aged under 18\n\n- cannot make a statement themselves - for example, because of mental incapacity or illness\n\nClose relatives include spouses and partners, parents, children, grandparents, grandchildren, siblings and dependants. Other family members, guardians and carers of victims may also be allowed to make a statement.\n\nWhen more than one relative wants to make a statement, the Parole Board may ask for 1 or 2 statements to represent them all.\n\n## When to make your victim personal statement\n\nIf you choose to join the Victim Contact Scheme, your Victim Liaison Officer will tell you when a prisoner is being considered for parole.\n\nThey\u2019ll tell you when to write your victim personal statement. They\u2019ll also send it to the Parole Board for you at least 28 days before the hearing.\n\nIf you did not join the Victim Contact Scheme, you can contact your local probation office about:\n\n- giving a statement\n\n- joining the scheme if you want to be told when a prisoner is being considered for release or transfer\n\nThe Parole Board has more information about making a victim personal statement and joining the Victim Contact Scheme.\n\n## How a victim personal statement is used\n\nThe Parole Board panel makes a decision based on whether a prisoner is a risk to the public.\n\nThe panel can use your victim personal statement to help it:\n\n- understand the impact of the crime\n\n- decide what questions to ask the prisoner, to find out about their understanding of how their crimes have affected victims\n\n- decide what the prisoner can and cannot do (known as \u2018licence conditions\u2019) if they\u2019re released\n\nThe Parole Board will make its decision by:\n\n- privately reviewing a file of information and reports about the prisoner\n\n- holding a hearing, if the board needs more information\n\nYou can ask to attend the hearing to read out your statement if you want, or have it read out for you. The Parole Board decides if you can attend.\n\n## Write your victim personal statement\n\nYour victim personal statement is your opportunity to explain how a crime has affected you and your family - for example, physically, emotionally, financially or in any other way.\n\nYou can update the statement that you wrote for the prisoner\u2019s trial or write a new one.\n\nYour statement should take less than 10 minutes to read out.\n\nYou can usually choose how your statement is presented at an oral hearing.\n\nYou must always submit a written version of your statement.\n\n## What to include\n\nYou need to include how the:\n\n- crime affected you at the time\n\n- crime has affected you since it happened\n\n- prisoner\u2019s release or move to an open prison would affect you, your family, friends or community\n\nDo not include:\n\n- whether you think the prisoner should be released\n\n- long descriptions of the original crime\n\n- any threats or critical comments to or about the prisoner or the Parole Board\n\nTell your Victim Liaison Officer if you think you have other information that will help the Parole Board make a decision.\n\n## Young victims and children\n\nIf you do not want to or cannot make a written victim personal statement, you can tell your Victim Liaison Officer about how:\n\n- you and your family were hurt\n\n- the crime makes you feel now\n\n- you think you would feel if the prisoner was released\n\nYour Victim Liaison Officer will write this down and give it to the Parole Board.\n\nYour parent or guardian can also make a statement if they want to.\n\n## The prisoner\u2019s access to your victim personal statement\n\nPrisoners usually have full access to all victim personal statements presented at their hearing.\n\nSpeak to your Victim Liaison Officer if you do not want the prisoner to have access to your statement.\n\nYou\u2019ll need to make a good case that it will:\n\n- put you or your family at risk\n\n- have a negative effect on you in some other way\n\nStatements are only withheld from prisoners under exceptional circumstances.\n\n## Choose how your victim personal statement is presented at the hearing\n\nYou\u2019ll usually have a choice of how your victim personal statement is presented at the hearing.\n\nYou can ask:\n\n- for the Parole Board panel to read your statement themselves\n\n- to attend the hearing and read out your statement in person\n\n- to attend the hearing and choose someone else to read out your statement\n\n- to choose someone to go the hearing instead of you and read out your statement\n\nBecause of coronavirus (COVID-19) you cannot currently attend hearings in person. You will have to submit your statement remotely.\n\nAt some hearings you may be able to read out your statement via a live video link or make a recording for the panel.\n\nRequests by victims to attend hearings are usually granted, but it\u2019s not a legal right and you can be refused.\n\nYou can usually bring your Victim Liaison Officer or a family member or friend if you come to the hearing.\n\nPeople under 18 years of age usually cannot attend parole hearings in person and must choose one of the other options, such as getting someone else to read out your statement.\n\n## What happens at a parole hearing\n\nYou\u2019ll be asked to read out your victim personal statement (unless someone else is reading it for you).\n\nYou will not be able to add anything to your written statement at the hearing and will not usually be asked questions.\n\nAfter you\u2019ve made your statement you\u2019ll be asked to leave and the hearing will continue.\n\nYour Victim Liaison Officer will tell you the outcome.\n\nRead the guide on getting parole for detailed information on what happens at a parole hearing.\n\n## Prisoners at parole hearings\n\nPrisoners are usually not present while their victims read their statements. The prisoner\u2019s legal representative is usually there.\n\nYou can ask that the prisoner is present while you read your statement, but they\u2019ll need to agree to this and the Parole Board has to allow it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "answerable": true, + "scenario": "I recently found out that the man who stabbed me and left me with a disability man be allowed on parole, this is very upsetting to me as I do not feel safe with them walking on the streets and am angry that their sentence may be made shorter.", + "original_question": "Can a victims statment stop parole or influence the judges decision in this case?" + }, + { + "id": "train-1610", + "question": "Scenario: I ama prisoner in prison although I am suposed to be getting parole, I am aware that the victim has made a statement that might effect the outcome of my parole and I would like access to this to see if I can dispute it.\n\nQuestion: Can I see the victims statment?\n\nDocument - Make a victim personal statement to the Parole Board:\n## Who can make a victim personal statement and when\n\nThe Parole Board decides if prisoners who are eligible for parole can be released. It also makes recommendations on whether it\u2019s safe for prisoners to be:\n\n- transferred to an open prison\n\n- given a temporary release under supervision (known as being \u2018on licence\u2019 or probation)\n\n## Victims\n\nYou can make a \u2018victim personal statement\u2019 to be presented at the Parole Board hearing if you\u2019re a victim of the prisoner.\n\nThis is sometimes known as an \u2018impact statement\u2019.\n\nIf you\u2019re in Scotland, you need to make a written representation to the Parole Board for Scotland.\n\nYou can use your statement to explain how the crime has affected you - from the time it was committed until now.\n\nThis includes the effect the crime has had on you and your family:\n\n- physically\n\n- mentally\n\n- emotionally\n\n- financially\n\n## Relatives of victims\n\nYou can make a victim personal statement if you\u2019re a close relative of a victim who:\n\n- has died\n\n- is aged under 18\n\n- cannot make a statement themselves - for example, because of mental incapacity or illness\n\nClose relatives include spouses and partners, parents, children, grandparents, grandchildren, siblings and dependants. Other family members, guardians and carers of victims may also be allowed to make a statement.\n\nWhen more than one relative wants to make a statement, the Parole Board may ask for 1 or 2 statements to represent them all.\n\n## When to make your victim personal statement\n\nIf you choose to join the Victim Contact Scheme, your Victim Liaison Officer will tell you when a prisoner is being considered for parole.\n\nThey\u2019ll tell you when to write your victim personal statement. They\u2019ll also send it to the Parole Board for you at least 28 days before the hearing.\n\nIf you did not join the Victim Contact Scheme, you can contact your local probation office about:\n\n- giving a statement\n\n- joining the scheme if you want to be told when a prisoner is being considered for release or transfer\n\nThe Parole Board has more information about making a victim personal statement and joining the Victim Contact Scheme.\n\n## How a victim personal statement is used\n\nThe Parole Board panel makes a decision based on whether a prisoner is a risk to the public.\n\nThe panel can use your victim personal statement to help it:\n\n- understand the impact of the crime\n\n- decide what questions to ask the prisoner, to find out about their understanding of how their crimes have affected victims\n\n- decide what the prisoner can and cannot do (known as \u2018licence conditions\u2019) if they\u2019re released\n\nThe Parole Board will make its decision by:\n\n- privately reviewing a file of information and reports about the prisoner\n\n- holding a hearing, if the board needs more information\n\nYou can ask to attend the hearing to read out your statement if you want, or have it read out for you. The Parole Board decides if you can attend.\n\n## Write your victim personal statement\n\nYour victim personal statement is your opportunity to explain how a crime has affected you and your family - for example, physically, emotionally, financially or in any other way.\n\nYou can update the statement that you wrote for the prisoner\u2019s trial or write a new one.\n\nYour statement should take less than 10 minutes to read out.\n\nYou can usually choose how your statement is presented at an oral hearing.\n\nYou must always submit a written version of your statement.\n\n## What to include\n\nYou need to include how the:\n\n- crime affected you at the time\n\n- crime has affected you since it happened\n\n- prisoner\u2019s release or move to an open prison would affect you, your family, friends or community\n\nDo not include:\n\n- whether you think the prisoner should be released\n\n- long descriptions of the original crime\n\n- any threats or critical comments to or about the prisoner or the Parole Board\n\nTell your Victim Liaison Officer if you think you have other information that will help the Parole Board make a decision.\n\n## Young victims and children\n\nIf you do not want to or cannot make a written victim personal statement, you can tell your Victim Liaison Officer about how:\n\n- you and your family were hurt\n\n- the crime makes you feel now\n\n- you think you would feel if the prisoner was released\n\nYour Victim Liaison Officer will write this down and give it to the Parole Board.\n\nYour parent or guardian can also make a statement if they want to.\n\n## The prisoner\u2019s access to your victim personal statement\n\nPrisoners usually have full access to all victim personal statements presented at their hearing.\n\nSpeak to your Victim Liaison Officer if you do not want the prisoner to have access to your statement.\n\nYou\u2019ll need to make a good case that it will:\n\n- put you or your family at risk\n\n- have a negative effect on you in some other way\n\nStatements are only withheld from prisoners under exceptional circumstances.\n\n## Choose how your victim personal statement is presented at the hearing\n\nYou\u2019ll usually have a choice of how your victim personal statement is presented at the hearing.\n\nYou can ask:\n\n- for the Parole Board panel to read your statement themselves\n\n- to attend the hearing and read out your statement in person\n\n- to attend the hearing and choose someone else to read out your statement\n\n- to choose someone to go the hearing instead of you and read out your statement\n\nBecause of coronavirus (COVID-19) you cannot currently attend hearings in person. You will have to submit your statement remotely.\n\nAt some hearings you may be able to read out your statement via a live video link or make a recording for the panel.\n\nRequests by victims to attend hearings are usually granted, but it\u2019s not a legal right and you can be refused.\n\nYou can usually bring your Victim Liaison Officer or a family member or friend if you come to the hearing.\n\nPeople under 18 years of age usually cannot attend parole hearings in person and must choose one of the other options, such as getting someone else to read out your statement.\n\n## What happens at a parole hearing\n\nYou\u2019ll be asked to read out your victim personal statement (unless someone else is reading it for you).\n\nYou will not be able to add anything to your written statement at the hearing and will not usually be asked questions.\n\nAfter you\u2019ve made your statement you\u2019ll be asked to leave and the hearing will continue.\n\nYour Victim Liaison Officer will tell you the outcome.\n\nRead the guide on getting parole for detailed information on what happens at a parole hearing.\n\n## Prisoners at parole hearings\n\nPrisoners are usually not present while their victims read their statements. The prisoner\u2019s legal representative is usually there.\n\nYou can ask that the prisoner is present while you read your statement, but they\u2019ll need to agree to this and the Parole Board has to allow it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "answerable": true, + "scenario": "I ama prisoner in prison although I am suposed to be getting parole, I am aware that the victim has made a statement that might effect the outcome of my parole and I would like access to this to see if I can dispute it.", + "original_question": "Can I see the victims statment?" + }, + { + "id": "train-1611", + "question": "Scenario: My son is currently in prison and I want to make contact with him although I am worried that my phone calls will be listened to and my letters might be read by people that are not my son.\n\nQuestion: Are phone calls and letters in prison private?\n\nDocument - Staying in touch with someone in prison:\n## Letters, video and telephone calls\n\n## Letters\n\nYou can contact a prisoner by writing to them. Write the person\u2019s prisoner number on the envelope. Normally there\u2019s no limit on the number of letters you can send.\n\nMost letters sent to and from prison are checked by prison staff.\n\nPrisons cannot open letters from solicitors and courts except in special cases, for example if they suspect a letter is not really from a legal adviser.\n\nYou can complain to the prison if you think your letters are being read when they should not be, or if your letters are not reaching the prisoner.\n\n## Video calls\n\nYou can make video calls to people in some prisons using your mobile phone or tablet.\n\nVideo calls are free at the moment. This is because of coronavirus (COVID-19).\n\nCalls can last up to 30 minutes. A prisoner is allowed 1 video call a month.\n\n## Who can call\n\nYou must be over 18 and on the prisoner\u2019s list of friends and family.\n\nYou can invite up to 3 other people (of any age) on the call if they are on the prisoner\u2019s visitor list.\n\n## How to call\n\n- Find out if the prison offers video calls.\n\n- Install an app on your phone or tablet (it can take up to 24 hours for your account on the app to be verified).\n\n- Check if everyone who wants to join the call is on the prisoner\u2019s list of friends and family.\n\n- Request a video call using the app or ask the prisoner to request a call.\n\n- Prison staff will schedule the call and send confirmation by email.\n\nAll video calls are recorded. Prison staff may watch video calls while they are happening.\n\n## Telephone calls\n\nThe prisoner has to call you using a prison phone.\n\nThey can only call people named on their list of friends and family. This list is checked by security when they first arrive so it may take a few days before they\u2019re able to call.\n\nPrison staff can listen to and record most types of call. Some calls are not monitored, for example when a prisoner calls a legal adviser.\n\nYou can also exchange voice messages with a prisoner using the Prison Voicemail service.\n\n## Email and social media\n\nPrisoners are not allowed to access social networking websites (such as Facebook or Twitter) while they\u2019re in custody.\n\nYou cannot email prisoners directly, but you can use a service called Email a Prisoner. If you send a message this way, it\u2019ll be printed out and delivered by prison staff. Each email costs 40p and you need to buy credit to use the service.\n\nIn some prisons, prisoners can also reply and attach a photo through Email a Prisoner. Check which prisons allow replies.\n\n## Banned items\n\nYou must not send or give anything to a prisoner that:\n\n- is indecent or obscene\n\n- threatens the security of the prison\n\n- is written in code\n\nYou must not take anything written by a prisoner that they want to publish and be paid for.\n\nIt\u2019s a criminal offence to send or give a prisoner:\n\n- illegal drugs\n\n- alcohol\n\n- weapons\n\n- a camera\n\n- a mobile phone\n\nContact the prison if you\u2019re unsure what you can send or give.\n\n## Sending money\n\nYou can send money to someone in prison by making an online payment by Visa, Mastercard and Maestro debit card.\n\nThe money is paid into the prisoner\u2019s account - a basic cash account they can use to send and receive money.\n\nYou can no longer send money by bank transfer, cheque, postal order or send cash by post to any prison. You\u2019ll need to use a debit card instead.\n\n## If you cannot make an online payment\n\nYou may be able to apply for an exemption - for example if you:\n\n- are unable to use a computer, a smart phone or the internet\n\n- do not have a debit card\n\nThis will allow you to send money by post.\n\nYou can also find out how to get a debit card by setting up a basic bank account.\n\n## Visiting someone in prison\n\nYou can normally visit partners and close family members in some prisons. There are restrictions because of coronavirus (COVID-19).\n\nFind out which prisons are open for visits and what you need to do.\n\nYou can only visit a prisoner if they\u2019ve added you to their visitor list. The prison will contact you once you\u2019re on this list.\n\n## Get help with the cost of visiting someone\n\nYou might be able to get help paying for a prison visit, for example travel costs, if you\u2019re receiving certain benefits.\n\n## How often you can visit someone in prison\n\nA convicted prisoner is usually allowed at least two 1-hour visits every 4 weeks.\n\nA prisoner on remand (waiting for their trial) is allowed three 1-hour visits a week.\n\nYou can find out more about the exact rules on visits on the prison information page of the prison you\u2019re visiting.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/staying-in-touch-with-someone-in-prison", + "answerable": true, + "scenario": "My son is currently in prison and I want to make contact with him although I am worried that my phone calls will be listened to and my letters might be read by people that are not my son.", + "original_question": "Are phone calls and letters in prison private?" + }, + { + "id": "train-1612", + "question": "Scenario: My cousin has recently been convicted and is now in prison although I can not afford to go and visit him because I am unemoloyed and only claim benifits. I think I am entitled to get extra money to visit the person in prison but I am not sure.\n\nQuestion: Can I get financial help so I can go and see my cousin in prison.\n\nDocument - Staying in touch with someone in prison:\n## Letters, video and telephone calls\n\n## Letters\n\nYou can contact a prisoner by writing to them. Write the person\u2019s prisoner number on the envelope. Normally there\u2019s no limit on the number of letters you can send.\n\nMost letters sent to and from prison are checked by prison staff.\n\nPrisons cannot open letters from solicitors and courts except in special cases, for example if they suspect a letter is not really from a legal adviser.\n\nYou can complain to the prison if you think your letters are being read when they should not be, or if your letters are not reaching the prisoner.\n\n## Video calls\n\nYou can make video calls to people in some prisons using your mobile phone or tablet.\n\nVideo calls are free at the moment. This is because of coronavirus (COVID-19).\n\nCalls can last up to 30 minutes. A prisoner is allowed 1 video call a month.\n\n## Who can call\n\nYou must be over 18 and on the prisoner\u2019s list of friends and family.\n\nYou can invite up to 3 other people (of any age) on the call if they are on the prisoner\u2019s visitor list.\n\n## How to call\n\n- Find out if the prison offers video calls.\n\n- Install an app on your phone or tablet (it can take up to 24 hours for your account on the app to be verified).\n\n- Check if everyone who wants to join the call is on the prisoner\u2019s list of friends and family.\n\n- Request a video call using the app or ask the prisoner to request a call.\n\n- Prison staff will schedule the call and send confirmation by email.\n\nAll video calls are recorded. Prison staff may watch video calls while they are happening.\n\n## Telephone calls\n\nThe prisoner has to call you using a prison phone.\n\nThey can only call people named on their list of friends and family. This list is checked by security when they first arrive so it may take a few days before they\u2019re able to call.\n\nPrison staff can listen to and record most types of call. Some calls are not monitored, for example when a prisoner calls a legal adviser.\n\nYou can also exchange voice messages with a prisoner using the Prison Voicemail service.\n\n## Email and social media\n\nPrisoners are not allowed to access social networking websites (such as Facebook or Twitter) while they\u2019re in custody.\n\nYou cannot email prisoners directly, but you can use a service called Email a Prisoner. If you send a message this way, it\u2019ll be printed out and delivered by prison staff. Each email costs 40p and you need to buy credit to use the service.\n\nIn some prisons, prisoners can also reply and attach a photo through Email a Prisoner. Check which prisons allow replies.\n\n## Banned items\n\nYou must not send or give anything to a prisoner that:\n\n- is indecent or obscene\n\n- threatens the security of the prison\n\n- is written in code\n\nYou must not take anything written by a prisoner that they want to publish and be paid for.\n\nIt\u2019s a criminal offence to send or give a prisoner:\n\n- illegal drugs\n\n- alcohol\n\n- weapons\n\n- a camera\n\n- a mobile phone\n\nContact the prison if you\u2019re unsure what you can send or give.\n\n## Sending money\n\nYou can send money to someone in prison by making an online payment by Visa, Mastercard and Maestro debit card.\n\nThe money is paid into the prisoner\u2019s account - a basic cash account they can use to send and receive money.\n\nYou can no longer send money by bank transfer, cheque, postal order or send cash by post to any prison. You\u2019ll need to use a debit card instead.\n\n## If you cannot make an online payment\n\nYou may be able to apply for an exemption - for example if you:\n\n- are unable to use a computer, a smart phone or the internet\n\n- do not have a debit card\n\nThis will allow you to send money by post.\n\nYou can also find out how to get a debit card by setting up a basic bank account.\n\n## Visiting someone in prison\n\nYou can normally visit partners and close family members in some prisons. There are restrictions because of coronavirus (COVID-19).\n\nFind out which prisons are open for visits and what you need to do.\n\nYou can only visit a prisoner if they\u2019ve added you to their visitor list. The prison will contact you once you\u2019re on this list.\n\n## Get help with the cost of visiting someone\n\nYou might be able to get help paying for a prison visit, for example travel costs, if you\u2019re receiving certain benefits.\n\n## How often you can visit someone in prison\n\nA convicted prisoner is usually allowed at least two 1-hour visits every 4 weeks.\n\nA prisoner on remand (waiting for their trial) is allowed three 1-hour visits a week.\n\nYou can find out more about the exact rules on visits on the prison information page of the prison you\u2019re visiting.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/staying-in-touch-with-someone-in-prison", + "answerable": true, + "scenario": "My cousin has recently been convicted and is now in prison although I can not afford to go and visit him because I am unemoloyed and only claim benifits. I think I am entitled to get extra money to visit the person in prison but I am not sure.", + "original_question": "Can I get financial help so I can go and see my cousin in prison." + }, + { + "id": "train-1613", + "question": "Scenario: I have a disability and I have recently bought a new vehicle. I am unsure about how much tax I should be paying.\n\nQuestion: Do I have to pay for tax? How much will I pay if I have to?\n\nDocument - Change your vehicle's tax class:\n## Vehicle changes that affect tax\n\nIf you make changes to your vehicle it could affect:\n\n- how much vehicle tax you pay\n\n- your vehicle\u2019s tax class\n\nChanges that affect your vehicle include:\n\n- the engine size (cc)\n\n- the fuel type\n\n- the weight (goods vehicles only)\n\n- the number of seats (buses only)\n\n- what you use the vehicle for, for example using a minibus for profit\n\nYou will not have to pay vehicle tax or will pay a lower rate if it\u2019s being used by:\n\n- a disabled person\n\n- an organisation providing transport for disabled people\n\n## How to change your vehicle\u2019s tax class\n\nHow you change your vehicle\u2019s tax class depends on if:\n\n- the tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)\n\n- the tax is not due to run out\n\n- you\u2019re changing whether or not the vehicle is exempt from vehicle tax, for example changing a car into or out of the disabled tax class\n\n## Work out the new tax rate\n\nYou need to work out if you\u2019ll need to pay more tax because of the change.\n\n- Find out the new rate of vehicle tax.\n\n- Work out the difference between the old and new rates of your vehicle tax. For example, if the old rate is \u00a3100 and the new rate is \u00a3130, the difference is \u00a330.\n\n- Divide the difference by the number of months you pay your tax over. For example, \u00a330 divided by 12 months is \u00a32.50.\n\n- Multiply this by the number of months remaining on the tax. For example, \u00a32.50 multiplied by 4 months is \u00a310.\n\n- Pay the extra vehicle tax. In this example you would need to pay \u00a310 extra tax.\n\n## If the tax rate increases\n\nYou have to pay the increased rate from the first day of the month you change the tax rate in.\n\n## If the tax rate decreases\n\nYou pay the decreased rate from the first day of the next month.\n\n## Tax is not due to run out\n\nUse form V70 to change your vehicle\u2019s tax class if the tax is not due to run out.\n\nYou apply a different way if you\u2019ve had a reminder letter or \u2018last chance\u2019 warning letter.\n\n## What to send\n\nSend the form to DVLA with:\n\n- the V5C vehicle registration certificate (log book) with any changes marked on it\n\n- a cheque or postal order made payable to \u2018DVLA, Swansea\u2019 for any extra vehicle tax you have to pay - damaged or altered cheques will not be accepted\n\n- a current MOT certificate (if your vehicle needs one)\n\n- written proof if you\u2019ve decreased engine size or changed fuel type, for example a new engine receipt or letter from the garage that made the change\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you do not have the V5C, download and fill in a V62 form. Send it to DVLA with the \u00a325 fee.\n\n## Lorries and buses\n\nYou also need to send the following if they\u2019re required for your vehicle:\n\n- a plating or weight certificate\n\n- for buses only - a certificate of initial fitness, certificate of conformity or equivalent PSV401, PSV408, PDV500 or PSV506\n\n## What happens next\n\n- You\u2019ll get a confirmation from DVLA that the change has been made.\n\n- DVLA will send you an updated V5C.\n\n- You\u2019ll get a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).\n\nYou can still use your vehicle while your application is being processed.\n\n## Tax is due to run out or changing if the vehicle is exempt\n\nChange your vehicle\u2019s tax class at a Post Office that deals with vehicle tax if either:\n\n- the vehicle tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)\n\n- you\u2019re changing whether a vehicle is exempt from vehicle tax or not, for example, it\u2019s being used by a disabled person\n\nIf you\u2019re eligible for a vehicle tax reduction because you\u2019re disabled, you need to apply by post to DVLA.\n\n## What to take to the Post Office\n\n## Vehicle registration documents\n\nTake the V5C registration certificate (log book) in your name.\n\nIf you do not have one, you\u2019ll need:\n\n- a completed application for a new registration certificate - either download form V62 or get it from the Post Office\n\n- your \u2018new keeper\u2019 slip, if you\u2019ve just bought the vehicle\n\nA new registration certificate is free if you have a \u2018new keeper\u2019 slip. Otherwise the cost is \u00a325.\n\n## Other documents\n\nYou must also take:\n\n- your vehicle tax reminder letter (V11) if you have one\n\n- an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)\n\n- evidence of any eligibility for a disability exemption\n\n- payment for vehicle tax (if you have to pay for your new tax class)\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you drive a lorry or bus, you also need to take the vehicle\u2019s latest annual test certificate or exemption (V112G).\n\n## What happens next\n\n- The Post Office sends your V5C, new keeper slip or V62 to DVLA.\n\n- You\u2019ll get a confirmation from DVLA that the change has been made.\n\n- DVLA will send you an updated V5C.\n\n- DVLA will send you a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).\n\nYou can still use your vehicle while your application is being processed.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/change-vehicle-tax-class", + "answerable": true, + "scenario": "I have a disability and I have recently bought a new vehicle. I am unsure about how much tax I should be paying.", + "original_question": "Do I have to pay for tax? How much will I pay if I have to?" + }, + { + "id": "train-1615", + "question": "Scenario: I have just turned 18 and I have been convicted for three crimes, theift, vandalism and bodily harm to others I think that my age might reduce my sentence but I am not sure.\n\nQuestion: Does being a younger person reduce my collective sentences?\n\nDocument - Types of prison sentences:\n## Concurrent and consecutive sentences\n\nIf someone\u2019s convicted of committing more than one crime, they\u2019re usually given a sentence for each crime.\n\nConcurrent sentences are served at the same time.\n\nConsecutive sentences are served one after the other, for example a 6 month sentence followed by a 3 month sentence.\n\nThe judge (or magistrate) tells the person what type of sentence they get and how it must be served.\n\n## Suspended prison sentences\n\nA \u2018suspended\u2019 prison sentence is carried out in the community.\n\nThe person has to meet certain conditions, for example:\n\n- having to stay away from a certain place or person\n\n- doing unpaid work - called \u2018Community Payback\u2019\n\nIf the person breaks the conditions of their sentence they can be sent to prison.\n\n## Determinate prison sentences - fixed length of time\n\nA \u2018determinate\u2019 prison sentence is for a fixed length of time.\n\n## If the sentence is for 12 months or more\n\nFor prison sentences of 12 months or more the person spends the first half of the sentence in prison and the second half in the community \u2018on licence\u2019.\n\nIf they break any licence conditions, for example they commit another crime, they could go back to prison.\n\n## If the sentence is under 12 months\n\nFor prison sentences under 12 months, the person\u2019s normally released automatically halfway through.\n\n## Indeterminate prison sentences - no fixed length of time\n\nAn \u2018indeterminate\u2019 prison sentence does not have a fixed length of time.\n\nThis means:\n\n- no date is set when the person will be released\n\n- they have to spend a minimum amount of time in prison (called a \u2018tariff\u2019) before they\u2019re considered for release\n\nThe Parole Board is responsible for deciding if someone can be released from prison.\n\nIndeterminate sentences are given if a court thinks an offender is a danger to the public.\n\n## Life sentences\n\nIf a person\u2019s found guilty of murder, a court must give them a life sentence.\n\nA court may choose to give a life sentence for serious offences like:\n\n- rape\n\n- armed robbery\n\nA life sentence lasts for the rest of a person\u2019s life \u2013 if they\u2019re released from prison and commit another crime they can be sent back to prison at any time.\n\n## Whole life term\n\nA whole life term means there\u2019s no minimum term set by the judge, and the person\u2019s never considered for release.\n\n## Sentences for young people\n\nPeople under 18 get different sentences to adults.\n\n## Detention and Training Order\n\nA Detention and Training Order can be given to someone aged between 12 and 17.\n\nThey last between 4 months and 2 years.\n\nThe first half of a Detention and Training Order is served in custody, the second half is served in the community.\n\n## Violent or sexual crimes\n\nFor severe crimes - usually violent or sexual - young people can get an \u2018extended sentence\u2019. They could spend a long time in custody, and when released they\u2019ll be put under supervision for a long time (for example being tagged).\n\n## Murder\n\nFor murder, the court sets the minimum amount of time to be spent in custody. The young person can\u2019t apply for parole before this time.\n\nWhen released, the young person will be kept under supervision for the rest of their life.\n\n## Other serious crimes\n\nSometimes the sentence for a young person can last as long as the sentence for an adult for the same offence (but not longer). This includes life sentences.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/types-of-prison-sentence", + "answerable": true, + "scenario": "I have just turned 18 and I have been convicted for three crimes, theift, vandalism and bodily harm to others I think that my age might reduce my sentence but I am not sure.", + "original_question": "Does being a younger person reduce my collective sentences?" + }, + { + "id": "train-1621", + "question": "Scenario: I have a car that has just become 40 years old since the date it was registered. The car has had the entire subframe replaced last year.\n\nQuestion: Is the vehicle eligible to exempt from MOT with the replacement of the subframe?\n\nDocument - Historic (classic) vehicles: MOT and vehicle tax:\n## Eligibility\n\nThe date your vehicle was built or first registered affects whether you need to:\n\n- get an MOT\n\n- pay vehicle tax\n\n## Vehicles that do not need an MOT\n\nYou do not need to get an MOT if:\n\n- the vehicle was built or first registered more than 40 years ago\n\n- no \u2018substantial changes\u2019 have been made to the vehicle in the last 30 years, for example replacing the chassis, body, axles or engine to change the way the vehicle works\n\nIf you\u2019re not sure if there have been any substantial changes you can:\n\n- read the full guidance on MOT exemptions for historic vehicles\n\n- speak to a historic vehicle expert\n\n## Vehicles exempt from vehicle tax\n\nIf your vehicle was built before 1 January 1981, you can stop paying vehicle tax from 1 April 2021.\n\nIf you do not know when your vehicle was built, but it was registered before 8 January 1981, you do not need to pay vehicle tax from 1 April 2021.\n\n## What you have to do\n\nYou must apply for a vehicle tax exemption to stop paying vehicle tax. This is sometimes called putting a vehicle into the \u2018historic tax class\u2019.\n\nYou do not have to apply to stop getting an MOT for your vehicle each year. However, you must still keep it in a roadworthy condition.\n\nYou can be fined up to \u00a32,500 and get 3 penalty points for using a vehicle in a dangerous condition.\n\n## Historic vehicle tax exemption\n\nYou can apply to stop paying for vehicle tax from 1 April 2021 if your vehicle was built before 1 January 1981. You must tax your vehicle even if you do not have to pay.\n\nIf you do not know when your vehicle was built, but it was first registered before 8 January 1981, you can still apply to stop paying vehicle tax.\n\nYour vehicle will not be exempt from vehicle tax if:\n\n- it\u2019s used for hire or reward (for example, it\u2019s used as a taxi for paying customers)\n\n- it\u2019s used commercially for a trade or business\n\nContact DVLA if you\u2019re not sure if your vehicle is exempt.\n\n## Eligible vehicles\n\nYou can apply for these vehicles to be made exempt:\n\n- cars\n\n- vans\n\n- motorcycles\n\n- tricycles\n\n## Large vehicles and buses\n\nYou can apply for these vehicles to be made exempt:\n\n- private heavy goods vehicles (HGVs) - they cannot be designed or adapted for transporting goods, or be used for driver training\n\n- buses used for voluntary or community purposes\n\n## Specialist vehicles\n\nYou can also apply for these vehicles to be made exempt:\n\n- mobile cranes and pumps\n\n- road rollers, works trucks and digging machines\n\n- agricultural machines and mowing machines\n\n- snowploughs and gritting vehicles\n\n- electric vehicles\n\n- steam vehicles\n\n## Apply for a vehicle tax exemption\n\nApply at a Post Office that deals with vehicle tax.\n\nYou need to take:\n\n- the log book (V5C) in your name\n\n- your vehicle tax reminder letter (V11), if you have one\n\n- an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you do not have the log book, download and fill in an application for a log book (V62). Take it to the Post Office with the \u00a325 fee.\n\n## What happens next\n\n- The Post Office sends your log book to DVLA.\n\n- DVLA will send you an updated log book.\n\n- You\u2019ll get a refund (if you\u2019re due one). It will take longer than usual to get your refund because of coronavirus (COVID-19). Contact DVLA if you have not got your refund within 6 weeks of getting your updated log book.\n\nYou can still use your vehicle while your application is being processed.\n\n## Renewing your historic vehicle's vehicle tax\n\nDVLA will send you a vehicle tax reminder letter before your tax is due to expire. You\u2019ll need to tax your vehicle, but will not need to pay.\n\nIt\u2019s illegal to drive your vehicle if you have not taxed it. You can be fined \u00a380 if you do not tax your vehicle on time.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/historic-vehicles", + "answerable": true, + "scenario": "I have a car that has just become 40 years old since the date it was registered. The car has had the entire subframe replaced last year.", + "original_question": "Is the vehicle eligible to exempt from MOT with the replacement of the subframe?" + }, + { + "id": "train-1622", + "question": "Scenario: My van was registered on the 1 January 1981. I do not know when the van was built, but I know it must have been built before this date.\n\nQuestion: Will the van be eligible to be considered a historic vehicle in this case?\n\nDocument - Historic (classic) vehicles: MOT and vehicle tax:\n## Eligibility\n\nThe date your vehicle was built or first registered affects whether you need to:\n\n- get an MOT\n\n- pay vehicle tax\n\n## Vehicles that do not need an MOT\n\nYou do not need to get an MOT if:\n\n- the vehicle was built or first registered more than 40 years ago\n\n- no \u2018substantial changes\u2019 have been made to the vehicle in the last 30 years, for example replacing the chassis, body, axles or engine to change the way the vehicle works\n\nIf you\u2019re not sure if there have been any substantial changes you can:\n\n- read the full guidance on MOT exemptions for historic vehicles\n\n- speak to a historic vehicle expert\n\n## Vehicles exempt from vehicle tax\n\nIf your vehicle was built before 1 January 1981, you can stop paying vehicle tax from 1 April 2021.\n\nIf you do not know when your vehicle was built, but it was registered before 8 January 1981, you do not need to pay vehicle tax from 1 April 2021.\n\n## What you have to do\n\nYou must apply for a vehicle tax exemption to stop paying vehicle tax. This is sometimes called putting a vehicle into the \u2018historic tax class\u2019.\n\nYou do not have to apply to stop getting an MOT for your vehicle each year. However, you must still keep it in a roadworthy condition.\n\nYou can be fined up to \u00a32,500 and get 3 penalty points for using a vehicle in a dangerous condition.\n\n## Historic vehicle tax exemption\n\nYou can apply to stop paying for vehicle tax from 1 April 2021 if your vehicle was built before 1 January 1981. You must tax your vehicle even if you do not have to pay.\n\nIf you do not know when your vehicle was built, but it was first registered before 8 January 1981, you can still apply to stop paying vehicle tax.\n\nYour vehicle will not be exempt from vehicle tax if:\n\n- it\u2019s used for hire or reward (for example, it\u2019s used as a taxi for paying customers)\n\n- it\u2019s used commercially for a trade or business\n\nContact DVLA if you\u2019re not sure if your vehicle is exempt.\n\n## Eligible vehicles\n\nYou can apply for these vehicles to be made exempt:\n\n- cars\n\n- vans\n\n- motorcycles\n\n- tricycles\n\n## Large vehicles and buses\n\nYou can apply for these vehicles to be made exempt:\n\n- private heavy goods vehicles (HGVs) - they cannot be designed or adapted for transporting goods, or be used for driver training\n\n- buses used for voluntary or community purposes\n\n## Specialist vehicles\n\nYou can also apply for these vehicles to be made exempt:\n\n- mobile cranes and pumps\n\n- road rollers, works trucks and digging machines\n\n- agricultural machines and mowing machines\n\n- snowploughs and gritting vehicles\n\n- electric vehicles\n\n- steam vehicles\n\n## Apply for a vehicle tax exemption\n\nApply at a Post Office that deals with vehicle tax.\n\nYou need to take:\n\n- the log book (V5C) in your name\n\n- your vehicle tax reminder letter (V11), if you have one\n\n- an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you do not have the log book, download and fill in an application for a log book (V62). Take it to the Post Office with the \u00a325 fee.\n\n## What happens next\n\n- The Post Office sends your log book to DVLA.\n\n- DVLA will send you an updated log book.\n\n- You\u2019ll get a refund (if you\u2019re due one). It will take longer than usual to get your refund because of coronavirus (COVID-19). Contact DVLA if you have not got your refund within 6 weeks of getting your updated log book.\n\nYou can still use your vehicle while your application is being processed.\n\n## Renewing your historic vehicle's vehicle tax\n\nDVLA will send you a vehicle tax reminder letter before your tax is due to expire. You\u2019ll need to tax your vehicle, but will not need to pay.\n\nIt\u2019s illegal to drive your vehicle if you have not taxed it. You can be fined \u00a380 if you do not tax your vehicle on time.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/historic-vehicles", + "answerable": true, + "scenario": "My van was registered on the 1 January 1981. I do not know when the van was built, but I know it must have been built before this date.", + "original_question": "Will the van be eligible to be considered a historic vehicle in this case?" + }, + { + "id": "train-1623", + "question": "Scenario: I passed my test about six months ago and am insured to drive my parents' car (I am eighteen). I am very wary about the idea of motorway driving, however.\n\nQuestion: Can this scheme help me work on my motorway driving skills?\n\nDocument - Pass Plus:\n## Overview\n\nPass Plus is a practical training course that takes at least 6 hours and is for drivers to improve their skills and drive more safely.\n\nIt can be taken at any time although it should be most useful to new drivers in the year after passing their test.\n\nYou\u2019ll need a Pass Plus registered approved driving instructor (ADI) to teach you.\n\nIt may help you get a car insurance discount if you successfully complete the course.\n\n## Booking Pass Plus\n\nYou need to book Pass Plus with an approved driving instructor (ADI) who is registered with Pass Plus.\n\nYou can contact the Driver and Vehicle Standards Agency (DVSA) to check if an instructor is registered with Pass Plus. You\u2019ll need their name and ADI number.\n\n## Fees\n\nPass Plus fees depend on where you live, the instructor or driving school and how long your training takes.\n\nSome local councils can offer discounts off the full Pass Plus training costs.\n\n## Local councils offering discounts\n\nSome local councils can offer discounts off the full Pass Plus training costs\n\nContact your borough, town, city or county council if they are listed to see if they can help you with the cost of your training.\n\nYou must live in the council\u2019s area to be eligible for the discount.\n\n## East Midlands\n\n## North-west\n\n## South-east\n\n## South-west\n\n## Scotland\n\n## Wales\n\nAll local councils in Wales offer discounted Pass Plus courses. Go to Pass Plus Cymru for more information.\n\n## How Pass Plus training works\n\nPass Plus training takes at least 6 hours. It has 6 modules, covering driving:\n\n- in town\n\n- in all weathers\n\n- on rural roads\n\n- at night\n\n- on dual carriageways\n\n- on motorways\n\nAll modules should be practical sessions, although local conditions may mean some are theory based. You\u2019ll normally spend at least 5.5 hours driving.\n\nYou will not take a test but you\u2019ll be assessed throughout the course. To pass you\u2019ll have to reach the required standard in all modules.\n\nContact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team for more information.\n\n## Apply for a Pass Plus certificate\n\nYou must apply for your own Pass Plus certificate if you want one.\n\nYou need a certificate if you want a discount on your car insurance.\n\nYou\u2019ll get a training report form from your instructor when you\u2019ve reached the required standard in all modules. You and your instructor must sign the form.\n\nContact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team to apply for your certificate.\n\n## Car insurance discounts\n\nOnce you\u2019ve completed Pass Plus you may be able to get a car insurance discount. You\u2019ll need your Pass Plus certificate.\n\nCheck with insurers that you can still get a discount if you passed your practical driving test more than a year ago.\n\nThe amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.\n\nYou might be able to put the discount on hold for up to 2 years if you do not have a car at the moment - check with the insurance company first.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pass-plus", + "answerable": true, + "scenario": "I passed my test about six months ago and am insured to drive my parents' car (I am eighteen). I am very wary about the idea of motorway driving, however.", + "original_question": "Can this scheme help me work on my motorway driving skills?" + }, + { + "id": "train-1628", + "question": "Scenario: I am due to being released soon snd I have a young child who is currently staying withmy parents although I am going to be staying with them after I leave prison.\n\nQuestion: Can I see my child before leaving prison so they adjust to seeing me more.\n\nDocument - Leaving prison:\n## When someone can leave prison\n\nWhen a prisoner is released depends on:\n\n- the length of their sentence\n\n- their behaviour in prison\n\n- any time spent on remand (waiting for their trial)\n\n## If the prisoner has a fixed term (determinate) sentence\n\nA prisoner serving a determinate sentence is normally released automatically halfway through their sentence.\n\nIf their sentence is 12 months or more, they\u2019ll be released on probation.\n\nA Parole Board is not involved.\n\n## When a Parole Board reviews a case\n\nPrisoners can apply for parole if they have an extended sentence, or a fixed-term sentence for:\n\n- 4 years or more\n\n- a serious violent or sexual crime committed before 4 April 2005\n\n## If the prisoner has a non fixed term (indeterminate) or life sentence\n\nThe government will apply for parole on the prisoner\u2019s behalf.\n\n## Temporary release from prison\n\nA prisoner may be allowed to leave prison for short periods towards the end of their sentence - whatever its type or length.\n\nHowever, the prison will not release someone if it thinks they\u2019re a risk to the public or may commit more crime.\n\n## Resettlement day release\n\nA resettlement day release lets a prisoner out during the day - for example to go on a training course to help them find work once they\u2019re released.\n\n## Resettlement overnight release\n\nA resettlement overnight release lets a prisoner spend the night at the place they\u2019ll live at after they\u2019re released.\n\n## Childcare resettlement licence\n\nA childcare resettlement licence lets a prisoner spend time with their child. They can only apply for this if they\u2019ll be the sole carer of a child when they finish their prison sentence.\n\n## Before someone leaves prison\n\nAll prisoners get help preparing for life when they leave prison. In the last 12 weeks of their sentence, they\u2019re given advice and support on:\n\n- finding somewhere to live\n\n- getting a job\n\n- looking after money\n\nPrisoners get additional support if they:\n\n- have abused substances (such as drugs or alcohol)\n\n- are sex workers\n\n- are the victim of domestic violence\n\nMost prisoners spend the last few months of their sentence in a prison near where they plan to live.\n\n## Support when someone leaves prison\n\nA person leaving prison may get the following financial support:\n\n- Universal Credit\n\n- Jobseeker\u2019s Allowance\n\n- help from your local council\n\n- Scottish Welfare Fund in Scotland\n\n- Discretionary Assistance Fund in Wales\n\nPrisons may also work with organisations in their local area, such as charities, to help prisoners prepare for their release. You can find out about these organisations in the prison information pages.\n\n## Useful websites\n\nThere are organisations that can provide support for people leaving prison, including:\n\n- Nacro (previously National Association for the Care and Resettlement of Offenders)\n\n- Prison Reform Trust\n\n- The Hardman Directory\n\n- Shelter\n\n- Unlock", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/leaving-prison", + "answerable": true, + "scenario": "I am due to being released soon snd I have a young child who is currently staying withmy parents although I am going to be staying with them after I leave prison.", + "original_question": "Can I see my child before leaving prison so they adjust to seeing me more." + }, + { + "id": "train-1634", + "question": "Scenario: My brother had booked his drink-driving course to reduce his driving ban. He now wants to change to another course provider.\n\nQuestion: Will he pay to change?\n\nDocument - Drink-drive rehabilitation courses:\n## When you can take a course\n\nYou can be offered a rehabilitation course to reduce your driving ban if:\n\n- you\u2019re found guilty of a drink-drive offence\n\n- your ban is for 12 months or more\n\nYou have to pay to take the course. It can cost up to \u00a3250.\n\n## Reducing the length of your ban\n\nYour ban will be reduced if you complete the course within a certain time. The ban is usually reduced by a quarter.\n\n## Deciding to take a course\n\nYou have to decide in court if you want to take a course or not. You cannot change your mind later.\n\nThere\u2019s a different process for taking a drink-drive course in Northern Ireland.\n\n## Choose a course\n\nBefore you go to court, find a drink-drive course that you want to take if you\u2019re found guilty and offered a course.\n\nThe court will send your details to the course provider. They\u2019ll then send you details of:\n\n- the available course dates\n\n- when you must complete your course by\n\nYou\u2019re responsible for completing the course by the deadline.\n\n## Changing courses\n\nYou can change to another course with a different provider at any point before you book. It\u2019s free to change your course.\n\nAsk the provider of the course you\u2019d originally chosen to arrange this.\n\n## How the course works\n\nThe course aims to stop you from drink-driving again. They:\n\n- are face-to-face\n\n- take place over 16 hours (usually run on 3 days spread over 3 weeks)\n\n- will have other drink-drive offenders at them\n\nThe course syllabus tells you more about what\u2019s covered during the course.\n\n## After the course\n\nYou\u2019ll get a \u2018certificate of course completion\u2019 from the course provider when you complete the course. They\u2019ll also send a copy to the court that sentenced you.\n\nThe court will tell DVLA so that your driving ban is reduced.\n\nYour driving ban will not be reduced if you do not complete the course or do not pay for your course.\n\n## If you\u2019re a \u2018high risk offender\u2019\n\nYou need to reapply for a driving licence and take a medical if you\u2019re classified as a \u2018high risk offender\u2019. Check with your course provider if you\u2019re not sure if you are.\n\n## Complain about a course\n\nComplain to the course provider if you\u2019re not happy with the course.\n\nContact the Driver and Vehicle Standards Agency if you cannot sort out the problem with the course provider.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/drink-drive-course", + "answerable": true, + "scenario": "My brother had booked his drink-driving course to reduce his driving ban. He now wants to change to another course provider.", + "original_question": "Will he pay to change?" + }, + { + "id": "train-1636", + "question": "Scenario: I participated in an employment tribunal against my employer with a group of colleagues. I was not lead claimant, but I did pay for the tribunal fees.\n\nQuestion: Am I able to get a refund on the tribunal fees?\n\nDocument - Make a claim to an employment tribunal:\n## When you can claim\n\nYou can make a claim to an employment tribunal if you think someone has treated you unlawfully, such as your employer, a potential employer or a trade union.\n\nUnlawful treatment can include:\n\n- unfair dismissal\n\n- discrimination\n\n- unfair deductions from your pay\n\nThis guide and the online service are also available in Welsh (Cymraeg).\n\nYou usually have to make a claim to the tribunal within 3 months of your employment ending or the problem happening.\n\nThe tribunal is independent of government and will listen to you (the \u2018claimant\u2019) and the person you\u2019re making a claim against (the \u2018respondent\u2019) before making a decision.\n\nSee if there\u2019s another way to solve the problem before you make a claim to a tribunal, such as using a grievance procedure.\n\n## Before you make a claim\n\nYou must tell the Advisory, Conciliation and Arbitration Service (Acas) that you intend to make a claim to the tribunal.\n\nYou\u2019ll be offered the chance to try and settle the dispute without going to court by using Acas\u2019s free \u2018Early Conciliation\u2019 service.\n\nIf early conciliation does not work, Acas will send you an early conciliation certificate - use this when you make a claim to the tribunal.\n\nOnce you receive your certificate, you\u2019ll have at least one month left to make your claim.\n\n## Help you can get\n\nCall the Employment Tribunal customer contact centre if you have any questions about your claim. They cannot give you legal advice.\n\nCall Acas if you have any questions about early conciliation. They cannot answer questions about your claim.\n\n## Legal help\n\nYou may want to get legal help or advice if you\u2019re in England and Wales or Scotland before you make your claim.\n\nYour trade union may be able to pay for a solicitor.\n\nYou can also get free legal advice from Citizens Advice or Citizens Advice Scotland.\n\nThe Equality Advisory and Support Service can help if your claim is about discrimination. You may also be able to get legal aid.\n\n## Make a claim\n\nYou can make a claim to the employment tribunal online.\n\nYou should read the guidance for whistleblowing if it relates to your claim.\n\nThis online service is also available in Welsh (Cymraeg).\n\nThere\u2019s a different way to claim if you live in Northern Ireland.\n\nClaim online\n\n## Make a claim by post\n\nYou can also download and fill in a claim form.\n\nRead the guidance for making a claim before you fill in the form. You should also read the guidance for whistleblowing if it relates to your claim.\n\nYou do not have to pay a fee to make a claim to the Employment Tribunal, even if it says so on the form.\n\nSend your completed form to one of the following addresses, depending on where you were working.\n\n## Talk-through service\n\nUse the employment tribunal talk-through service only if you\u2019re unable to use a computer without help.\n\nBefore calling make sure you have:\n\n- your Acas early conciliation certificate number or a valid reason why you do not have one\n\n- details of your claim including the background, dates and people involved\n\nThis service will not give you advice on the details of your claim. Contact the number for general enquiries instead.\n\n## After you make a claim\n\nThe respondent usually has to reply to your claim in writing within 28 days of getting your claim form. They will give their side of the case.\n\nOnce they\u2019ve replied, the tribunal will decide whether there will be a full hearing to decide on your case.\n\nIf they do not reply, the tribunal may decide on your case without you having to go to a hearing.\n\n## Hearings and coronavirus (COVID-19)\n\nBecause of coronavirus, your hearing may take place by phone, by video or in person.\n\nIf you\u2019re a legal professional, read guidance on how cases are affected by COVID-19.\n\n## \u2018Preliminary hearing\u2019\n\nYou may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:\n\n- whether part or all of your claim can go ahead\n\n- the date and time of a hearing\n\n- how long the hearing should take\n\n## Arrange documents\n\nYou can ask the respondent for documents that will help you with your case, and they can request documents from you.\n\nExamples of documents include:\n\n- a contract of employment\n\n- pay slips\n\n- details of your pension scheme\n\n- notes from relevant meetings you attended at work\n\nUsually the tribunal will issue an order setting out a timetable for when you should exchange documents.\n\nYou\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.\n\n## Organise witnesses\n\nYou can bring witnesses to the hearing if they can give evidence directly relevant to your case.\n\nIf you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with your case, giving:\n\n- the name and address of the witness\n\n- details of what the witness may be able to say and how it will help your case\n\n- the reason the witness has refused to attend (if they gave you one)\n\nYou\u2019ll most likely be responsible for paying the witness\u2019s expenses.\n\n## Going to a tribunal hearing\n\nCases are normally held at the employment tribunal office closest to where you worked.\n\nYou must take the documents you\u2019re using to support your case. You can take a colleague or someone else with you if you want.\n\nYou cannot claim for expenses for going to the hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. If you need to attend in person, find out what to expect when coming to your hearing. The tribunal will contact you and tell you how the hearing will take place.\n\n## What happens at the hearing\n\nYou\u2019ll present your case to the tribunal - someone else can do this for you, for example a lawyer, friend or family member. The respondent will present their case against you.\n\nYou\u2019ll normally give evidence first, unless your case is about unfair dismissal. You can also call witnesses to give evidence.\n\nYou will usually be asked questions by:\n\n- the judge\n\n- the respondent\n\n- two other tribunal members (only in certain cases)\n\n## Get a decision\n\nYou\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.\n\n## If you win your case\n\nIf you win your case, the tribunal can order the losing party to do certain things depending on the type of case. Examples include:\n\n- paying you compensation\n\n- paying you any witness expenses you\u2019ve paid\n\n- improving your working conditions\n\n- giving you your job back, if appropriate\n\nIf you get compensation, the amount can depend on:\n\n- the type of case - there are limits on certain cases\n\n- how much money you\u2019ve lost because of the respondent\u2019s actions\n\n- your age, length of service and salary\n\n## If the respondent does not pay\n\nIf you do not get your payment, contact them to find out why.\n\nIf they still do not pay you can ask to have them fined and named online by the government. You can also ask a court to force them to pay.\n\nYou cannot do these things if the respondent has appealed, or is about to. They have 42 days to appeal.\n\n## Get the respondent fined and named online by the government\n\nUse the penalty enforcement form. Post it to the address on the form or email it to the Department for Business, Energy and Industrial Strategy.\n\nThe respondent will initially get a warning notice telling them they may be fined, and named online by the government.\n\nIf they do not pay the compensation within 28 days of this notice they\u2019ll have to pay a fine and may be named online by the government.\n\nYou can still get a court to force them to pay.\n\n## Forcing them to pay if you\u2019re in England or Wales\n\nYou can use the Fast Track scheme to send a High Court Enforcement Officer - similar to a bailiff - to demand payment from the respondent.\n\nIt costs \u00a366, which you get back from the respondent when they pay.\n\nFill in the Fast Track Enforcement form (or the Acas settlement form if your case was settled before a hearing) and send it to the address on the form.\n\nYou can also ask the local county court to send an enforcement officer to get the money from the respondent. This costs \u00a344.\n\nFill in an application to enforce an award form and send it with a copy of the tribunal\u2019s decision to your local county court.\n\n## Forcing them to pay if you\u2019re in Scotland\n\nWrite to the office that heard your case and ask for an \u2018extract of the judgment\u2019. A sheriff officer can use this to force the respondent to pay.\n\nIf the respondent is \u2018insolvent\u2019 (for example, they\u2019re in administration, liquidation or receivership) you can make a claim for money they owe you, including redundancy payments.\n\n## If you lose your case\n\nYou can ask the tribunal to reconsider the decision (or \u2018judgment\u2019) if you lose your case.\n\nYou must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.\n\nYou also need to give good reasons, for example:\n\n- the tribunal made a mistake in the way it reached its decision\n\n- you were not told about the hearing, or were not at the hearing\n\n- there\u2019s new evidence\n\nSend your letter to the tribunal office that dealt with your case.\n\n## Appeal to the Employment Appeal Tribunal\n\nYou can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.\n\n## Get a refund for tribunal fees\n\nYou can get a refund if you paid fees at an Employment Tribunal or Employment Appeals Tribunal between 29 July 2013 and 26 July 2017.\n\n## How to apply\n\nYou can apply online if:\n\n- you have not changed your name since you made the claim to the tribunal\n\n- your claim was against one employer\n\n- you have a UK bank account\n\nOtherwise, you can apply by post or email.\n\nYou\u2019ll need to include how much you paid in tribunal fees.\n\n## Apply online\n\nUse the service to apply for a refund online.\n\n## Apply by email or post\n\nThe form you use depends on why you paid the fees.\n\nUse form 1/2-CR if:\n\n- you made the claim on your own and paid the fees\n\n- a claim was brought against you and you were ordered to pay someone\u2019s fees, or if you paid any other fees to the tribunal\n\n- you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for less than 11 people\n\nUse form 3-S if:\n\n- you paid the fees for someone else to make the claim\n\n- you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for over 10 people\n\nSend your completed form by post or email to HM Courts and Tribunals Service (HMCTS).\n\n## Get help applying\n\nContact HMCTS if you need help applying or have questions about refunds.\n\nFind out about call charges.\n\n## What happens next\n\nIf you\u2019re entitled to a refund it\u2019ll be transferred to your bank account (plus 0.5% interest). You\u2019ll get a letter confirming the amount.\n\n## Legislation\n\nThe Employment Tribunal follows rules and processes that you also have to follow.\n\nYou can also read other relevant tribunal rules and regulations.\n\nThe tribunal has issued guidance and practice directions for England and Wales and Scotland which provide more information about specific areas, such as postponing hearings and serving documents.\n\nYou can also read guidance about specific cases.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employment-tribunals", + "answerable": true, + "scenario": "I participated in an employment tribunal against my employer with a group of colleagues. I was not lead claimant, but I did pay for the tribunal fees.", + "original_question": "Am I able to get a refund on the tribunal fees?" + }, + { + "id": "train-1639", + "question": "Scenario: My neighbour was jailed due to gun related case . His wife Karen cries everyday as she misses him. She is disabled and diabetic.\n\nQuestion: Do they allow video calls in prison?\n\nDocument - Staying in touch with someone in prison:\n## Letters, video and telephone calls\n\n## Letters\n\nYou can contact a prisoner by writing to them. Write the person\u2019s prisoner number on the envelope. Normally there\u2019s no limit on the number of letters you can send.\n\nMost letters sent to and from prison are checked by prison staff.\n\nPrisons cannot open letters from solicitors and courts except in special cases, for example if they suspect a letter is not really from a legal adviser.\n\nYou can complain to the prison if you think your letters are being read when they should not be, or if your letters are not reaching the prisoner.\n\n## Video calls\n\nYou can make video calls to people in some prisons using your mobile phone or tablet.\n\nVideo calls are free at the moment. This is because of coronavirus (COVID-19).\n\nCalls can last up to 30 minutes. A prisoner is allowed 1 video call a month.\n\n## Who can call\n\nYou must be over 18 and on the prisoner\u2019s list of friends and family.\n\nYou can invite up to 3 other people (of any age) on the call if they are on the prisoner\u2019s visitor list.\n\n## How to call\n\n- Find out if the prison offers video calls.\n\n- Install an app on your phone or tablet (it can take up to 24 hours for your account on the app to be verified).\n\n- Check if everyone who wants to join the call is on the prisoner\u2019s list of friends and family.\n\n- Request a video call using the app or ask the prisoner to request a call.\n\n- Prison staff will schedule the call and send confirmation by email.\n\nAll video calls are recorded. Prison staff may watch video calls while they are happening.\n\n## Telephone calls\n\nThe prisoner has to call you using a prison phone.\n\nThey can only call people named on their list of friends and family. This list is checked by security when they first arrive so it may take a few days before they\u2019re able to call.\n\nPrison staff can listen to and record most types of call. Some calls are not monitored, for example when a prisoner calls a legal adviser.\n\nYou can also exchange voice messages with a prisoner using the Prison Voicemail service.\n\n## Email and social media\n\nPrisoners are not allowed to access social networking websites (such as Facebook or Twitter) while they\u2019re in custody.\n\nYou cannot email prisoners directly, but you can use a service called Email a Prisoner. If you send a message this way, it\u2019ll be printed out and delivered by prison staff. Each email costs 40p and you need to buy credit to use the service.\n\nIn some prisons, prisoners can also reply and attach a photo through Email a Prisoner. Check which prisons allow replies.\n\n## Banned items\n\nYou must not send or give anything to a prisoner that:\n\n- is indecent or obscene\n\n- threatens the security of the prison\n\n- is written in code\n\nYou must not take anything written by a prisoner that they want to publish and be paid for.\n\nIt\u2019s a criminal offence to send or give a prisoner:\n\n- illegal drugs\n\n- alcohol\n\n- weapons\n\n- a camera\n\n- a mobile phone\n\nContact the prison if you\u2019re unsure what you can send or give.\n\n## Sending money\n\nYou can send money to someone in prison by making an online payment by Visa, Mastercard and Maestro debit card.\n\nThe money is paid into the prisoner\u2019s account - a basic cash account they can use to send and receive money.\n\nYou can no longer send money by bank transfer, cheque, postal order or send cash by post to any prison. You\u2019ll need to use a debit card instead.\n\n## If you cannot make an online payment\n\nYou may be able to apply for an exemption - for example if you:\n\n- are unable to use a computer, a smart phone or the internet\n\n- do not have a debit card\n\nThis will allow you to send money by post.\n\nYou can also find out how to get a debit card by setting up a basic bank account.\n\n## Visiting someone in prison\n\nYou can normally visit partners and close family members in some prisons. There are restrictions because of coronavirus (COVID-19).\n\nFind out which prisons are open for visits and what you need to do.\n\nYou can only visit a prisoner if they\u2019ve added you to their visitor list. The prison will contact you once you\u2019re on this list.\n\n## Get help with the cost of visiting someone\n\nYou might be able to get help paying for a prison visit, for example travel costs, if you\u2019re receiving certain benefits.\n\n## How often you can visit someone in prison\n\nA convicted prisoner is usually allowed at least two 1-hour visits every 4 weeks.\n\nA prisoner on remand (waiting for their trial) is allowed three 1-hour visits a week.\n\nYou can find out more about the exact rules on visits on the prison information page of the prison you\u2019re visiting.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/staying-in-touch-with-someone-in-prison", + "answerable": true, + "scenario": "My neighbour was jailed due to gun related case . His wife Karen cries everyday as she misses him. She is disabled and diabetic.", + "original_question": "Do they allow video calls in prison?" + }, + { + "id": "train-1640", + "question": "Scenario: My brother has been jailed and my father is very worried and would like to know which items are allowed in prison.\n\nQuestion: Can he take a mobile phone to him?\n\nDocument - Staying in touch with someone in prison:\n## Letters, video and telephone calls\n\n## Letters\n\nYou can contact a prisoner by writing to them. Write the person\u2019s prisoner number on the envelope. Normally there\u2019s no limit on the number of letters you can send.\n\nMost letters sent to and from prison are checked by prison staff.\n\nPrisons cannot open letters from solicitors and courts except in special cases, for example if they suspect a letter is not really from a legal adviser.\n\nYou can complain to the prison if you think your letters are being read when they should not be, or if your letters are not reaching the prisoner.\n\n## Video calls\n\nYou can make video calls to people in some prisons using your mobile phone or tablet.\n\nVideo calls are free at the moment. This is because of coronavirus (COVID-19).\n\nCalls can last up to 30 minutes. A prisoner is allowed 1 video call a month.\n\n## Who can call\n\nYou must be over 18 and on the prisoner\u2019s list of friends and family.\n\nYou can invite up to 3 other people (of any age) on the call if they are on the prisoner\u2019s visitor list.\n\n## How to call\n\n- Find out if the prison offers video calls.\n\n- Install an app on your phone or tablet (it can take up to 24 hours for your account on the app to be verified).\n\n- Check if everyone who wants to join the call is on the prisoner\u2019s list of friends and family.\n\n- Request a video call using the app or ask the prisoner to request a call.\n\n- Prison staff will schedule the call and send confirmation by email.\n\nAll video calls are recorded. Prison staff may watch video calls while they are happening.\n\n## Telephone calls\n\nThe prisoner has to call you using a prison phone.\n\nThey can only call people named on their list of friends and family. This list is checked by security when they first arrive so it may take a few days before they\u2019re able to call.\n\nPrison staff can listen to and record most types of call. Some calls are not monitored, for example when a prisoner calls a legal adviser.\n\nYou can also exchange voice messages with a prisoner using the Prison Voicemail service.\n\n## Email and social media\n\nPrisoners are not allowed to access social networking websites (such as Facebook or Twitter) while they\u2019re in custody.\n\nYou cannot email prisoners directly, but you can use a service called Email a Prisoner. If you send a message this way, it\u2019ll be printed out and delivered by prison staff. Each email costs 40p and you need to buy credit to use the service.\n\nIn some prisons, prisoners can also reply and attach a photo through Email a Prisoner. Check which prisons allow replies.\n\n## Banned items\n\nYou must not send or give anything to a prisoner that:\n\n- is indecent or obscene\n\n- threatens the security of the prison\n\n- is written in code\n\nYou must not take anything written by a prisoner that they want to publish and be paid for.\n\nIt\u2019s a criminal offence to send or give a prisoner:\n\n- illegal drugs\n\n- alcohol\n\n- weapons\n\n- a camera\n\n- a mobile phone\n\nContact the prison if you\u2019re unsure what you can send or give.\n\n## Sending money\n\nYou can send money to someone in prison by making an online payment by Visa, Mastercard and Maestro debit card.\n\nThe money is paid into the prisoner\u2019s account - a basic cash account they can use to send and receive money.\n\nYou can no longer send money by bank transfer, cheque, postal order or send cash by post to any prison. You\u2019ll need to use a debit card instead.\n\n## If you cannot make an online payment\n\nYou may be able to apply for an exemption - for example if you:\n\n- are unable to use a computer, a smart phone or the internet\n\n- do not have a debit card\n\nThis will allow you to send money by post.\n\nYou can also find out how to get a debit card by setting up a basic bank account.\n\n## Visiting someone in prison\n\nYou can normally visit partners and close family members in some prisons. There are restrictions because of coronavirus (COVID-19).\n\nFind out which prisons are open for visits and what you need to do.\n\nYou can only visit a prisoner if they\u2019ve added you to their visitor list. The prison will contact you once you\u2019re on this list.\n\n## Get help with the cost of visiting someone\n\nYou might be able to get help paying for a prison visit, for example travel costs, if you\u2019re receiving certain benefits.\n\n## How often you can visit someone in prison\n\nA convicted prisoner is usually allowed at least two 1-hour visits every 4 weeks.\n\nA prisoner on remand (waiting for their trial) is allowed three 1-hour visits a week.\n\nYou can find out more about the exact rules on visits on the prison information page of the prison you\u2019re visiting.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/staying-in-touch-with-someone-in-prison", + "answerable": true, + "scenario": "My brother has been jailed and my father is very worried and would like to know which items are allowed in prison.", + "original_question": "Can he take a mobile phone to him?" + }, + { + "id": "train-1641", + "question": "Scenario: I am 73 years old, and I have been recently diagnosed with a heart condition. My driving license has just expired and I am about to apply for a new one.\n\nQuestion: Do I have to inform the DVLA about my heart condition?\n\nDocument - Medical conditions, disabilities and driving:\n## Telling DVLA about a medical condition or disability\n\nYou must tell DVLA if you have a driving licence and:\n\n- you develop a \u2018notifiable\u2019 medical condition or disability\n\n- a condition or disability has got worse since you got your licence\n\nNotifiable conditions are anything that could affect your ability to drive safely. They can include:\n\n- diabetes or taking insulin\n\n- syncope (fainting)\n\n- heart conditions (including atrial fibrillation and pacemakers)\n\n- sleep apnoea\n\n- epilepsy\n\n- strokes\n\n- glaucoma\n\n## How to tell DVLA\n\nCheck if you need to tell DVLA about your condition to find the forms or questionnaires you need. The address you need is on the forms.\n\nIf you\u2019re in Northern Ireland you must contact the Driver and Vehicle Agency (DVA).\n\nThere are different forms for different conditions and disabilities.\n\nContact DVLA if you\u2019re not sure what to do.\n\nYou could be fined up to \u00a31,000 if you do not tell DVLA about a condition that might affect your ability to drive safely. You could also be prosecuted if you have an accident.\n\n## Surrendering your licence\n\nYou must surrender your licence to DVLA if any of the following are true:\n\n- your doctor tells you to stop driving for 3 months or more\n\n- your medical condition affects your ability to drive safely and lasts for 3 months or more\n\n- you do not meet the required standards for driving because of your medical condition\n\nYou can apply to get your licence back when you meet the medical standards for driving again.\n\n## First licence or renewal if you\u2019re 70 or over\n\nYou must also tell DVLA about notifiable conditions if you:\n\n- apply for your first licence\n\n- renew your licence (if you\u2019re 70 or over)\n\nYou\u2019ll be asked for this information in your application form. You do not need to contact DVLA separately.\n\n## What happens after you tell DVLA\n\nYou\u2019ll usually get a decision within 6 weeks. You\u2019ll get a letter from DVLA if it\u2019s going to take longer.\n\nDVLA might:\n\n- contact your doctor or consultant\n\n- arrange for you to be examined\n\n- ask you to take a driving assessment, or an eyesight or driving test\n\nYou can usually keep driving while DVLA are considering your application.\n\nIf you\u2019ve told DVLA about a condition when applying to renew your licence, follow the guidance about driving that\u2019s in the form.\n\nContact DVLA if you need advice or to check on your case.\n\n## What DVLA will decide\n\nDVLA will assess your medical condition or disability and decide if:\n\n- you need to get a new driving licence\n\n- you can have a shorter licence - for 1, 2, 3 or 5 years\n\n- you need to adapt your car by fitting special controls\n\n- you must stop driving and give up your licence\n\n## You need to adapt your vehicle\n\nIf you\u2019ve been told that you must adapt your car, you get an independent assessment of your adaptation needs through Driving Mobility.\n\nFind out more about adapting your vehicle and where to get special controls fitted through the Research Institute for Disabled Consumers.\n\n## You must stop driving\n\nYou\u2019ll be given a medical reason why you must stop driving, and be told if and when you can reapply for your licence.\n\n## If you disagree with DVLA\u2019s decision\n\nYou can write to DVLA if you disagree with the decision to stop you driving. You must be able to provide relevant information that was not included in the original assessment.\n\nYou must also include:\n\n- proof that you meet the required standards for driving (these are explained in the decision letter DVLA sent you)\n\n- the reference number from your decision letter\n\nYou can also appeal the decision if you contact your local magistrate\u2019s court within 6 months, or your local sheriff\u2019s court in Scotland within 21 days.\n\nYou may want to get legal advice before you appeal - you might be able to get legal aid to pay for it.\n\nYou must tell DVLA in writing if you choose to appeal.\n\n## Make a complaint\n\nYou can make a complaint if you\u2019re unhappy with the service you get from DVLA.\n\n## Renewing or reapplying for your licence\n\nHow you reapply for or renew your licence depends on if you had to give up your licence, or if you have a short-term licence.\n\n## You\u2019ve got a short-term licence\n\nDVLA will send you a renewal letter 90 days before your 1, 2, 3 or 5-year licence is due to expire.\n\nRenew your licence online, or send the renewal reminder back by post.\n\n## You gave up your licence and stopped driving\n\nThe letter DVLA sends you when your licence is taken away tells you if you have to wait before you can reapply.\n\nYou must check with your doctor that you\u2019re fit to drive before you reapply for your licence, if it was taken away because of a medical condition.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-medical-conditions", + "answerable": true, + "scenario": "I am 73 years old, and I have been recently diagnosed with a heart condition. My driving license has just expired and I am about to apply for a new one.", + "original_question": "Do I have to inform the DVLA about my heart condition?" + }, + { + "id": "train-1643", + "question": "Scenario: I have been fined by the court for not paying my council bills. My income changed during the covid pandemic and I have no job .\n\nQuestion: Can get the fine reviewed?\n\nDocument - Appeal a magistrates\u2019 court decision:\n## What you can appeal\n\nYou can appeal to the magistrates\u2019 court against your:\n\n- sentence, if you pleaded guilty\n\n- conviction and sentence, if you pleaded not guilty\n\nYou should talk to your legal representative (if you have one) or get help from a legal adviser before you appeal.\n\n## Ask the court to reconsider a decision\n\nIf you think the decision was wrong, you can ask the court to reconsider a sentence or conviction. For example, if there was a serious mistake or the court did not follow the right steps.\n\nIf you disagree with the decision but there has been no mistake you will normally need to appeal to the Crown Court.\n\n## If you did not know about your court case\n\nIf you did not know about your case before a decision was made, you can make a statutory declaration to a magistrates\u2019 court to reopen your case.\n\n## Change the amount you\u2019ve been fined\n\nYou can ask the court to change the amount you\u2019ve been fined if:\n\n- your financial circumstances have changed\n\n- the court did not know your income at the time of your conviction\n\n## Ask the court to reconsider a decision\n\nYou can ask the court to reconsider your conviction, sentence or court order if you think the decision was wrong for a legal reason, for example if the court did not:\n\n- give proper reasons for its decision, or back up the decision with facts\n\n- apply the law properly\n\nThis is different to making an appeal to the Crown Court.\n\nIf you pleaded guilty, you cannot ask the court to reconsider your conviction.\n\n## How to get a decision reconsidered\n\nSubmit your request as early as possible by writing to the magistrates\u2019 court where you had your hearing.\n\nYou must include:\n\n- information about your conviction, sentence or court order\n\n- why you think the decision should change\n\n- what the conviction, sentence or order should be changed to\n\nSend a copy of your application to the prosecutor\u2019s office (you can find the address of the prosecutor by contacting\nthe magistrates\u2019 court where you were convicted).\n\nThe court will decide if a hearing is needed.\n\n## If you did not know about your case\n\nIf a magistrates\u2019 court convicted you without you knowing, you can make a statutory declaration before a magistrates\u2019 court or to a commissioner for oaths (for example a solicitor).\n\nIf the court accepts your declaration they will start the proceedings again. Your conviction or sentence will no longer apply.\n\n## When to make your declaration\n\nYou must give your completed declaration to the court within 21 days of finding out about your case.\n\nIf you want to give a declaration after 21 days, you\u2019ll have to ask the court if they\u2019ll accept it.\n\n## Making a statutory declaration\n\n- Download a statutory declaration (called an ignorance of proceedings form) or ask for a copy at your local magistrates\u2019 court.\n\n- Fill out the form telling the court when and how you heard about your court case. You\u2019ll need to provide details of your case, including where your hearing was held and on what date.\n\n- Arrange an appointment to make your statutory declaration before a solicitor or any magistrates\u2019 court.\n\n- Sign and date your form.\n\n- Give your declaration to the court or ask your solicitor to do it.\n\nIf your case was decided by a magistrate without a hearing, you\u2019ll need to give a written plea (or a completed single justice procedure notice if you have one) to the court or your solicitor along with your statutory declaration.\n\n## Get a fine reviewed\n\nYou can ask the court to change a fine if:\n\n- your financial circumstances have changed\n\n- the court did not know your income when they convicted you\n\nYour original conviction or record of your offence will not change.\n\n## How to ask for a review\n\nWrite to the court or go to your court hearing with evidence of your income and living expenses.\n\nIf your income has changed since you were sentenced you need to also provide your income on the date you were sentenced.\n\nYou can ask your legal adviser if you\u2019re not sure what documents you need.\n\n## What happens next\n\nThe court will decide if the decision should be reconsidered.\n\nYou may need to attend court for another hearing. They\u2019ll let you know when the hearing will take place.\n\n## Appeal to the Crown Court\n\nIf you disagree with a decision but there has been no mistake you can appeal to the Crown Court.\n\nDownload and fill in the \u2018Appeal to the Crown Court\u2019 form that relates to your crime or sentence. Send the form by post or email. The address is on the form.\n\nIf you were convicted at a magistrates\u2019 court but sentenced at a Crown Court, follow the rules for appealing a Crown Court decision.\n\nIf you pleaded guilty, you can only appeal against your sentence.\n\n## When to appeal\n\nYou must appeal within 21 days of the date you were sentenced.\n\nIf you want to appeal after 21 days, you\u2019ll have to ask the Crown Court for permission before you can appeal. The magistrates\u2019 court where you were sentenced will tell you how to do this.\n\nTalk to your legal representative (if you have one) or get help from a legal adviser before you appeal.\n\n## The court hearing\n\nThe Crown Court will make a decision on your appeal at a hearing.\n\nYou\u2019ll get a letter within 80 days of making your appeal to let you know when and where the hearing will take place.\n\nThe hearing is usually held at your nearest Crown Court.\n\n## What happens at the hearing\n\nYou\u2019ll have the chance to present your case to the judge and magistrates. Representatives from the prosecution will present the case against you.\n\nThe judge might also ask you questions during the hearing.\n\nYou\u2019ll be told whether you\u2019ve won your appeal at the hearing. You\u2019ll also be sent a copy of the judge\u2019s decision by post.\n\n## Stopping your appeal\n\nYou can apply to stop your appeal before the hearing. Your appeal cannot be restarted once it\u2019s been stopped.\n\nSend a \u2018notice of abandonment of appeal\u2019 to the magistrates\u2019 court where you sent your appeal and the Crown Court where your hearing will take place.\n\nYou must also send a copy to any other parties involved in the case, for example a prosecutor.\n\n## If you win your appeal\n\nIf you win your appeal against your conviction, your sentence will no longer apply. You might be able to apply to get compensation.\n\nIf you win your appeal against your sentence, it will be reduced.\n\nThe court might decide you can get some of your legal costs paid back, for example your solicitor\u2019s fee.\n\n## If you lose your appeal\n\nYour original sentence or conviction might change.\n\nCheck with your legal adviser if you can appeal again. You might have to pay extra costs if you do.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "answerable": true, + "scenario": "I have been fined by the court for not paying my council bills. My income changed during the covid pandemic and I have no job .", + "original_question": "Can get the fine reviewed?" + }, + { + "id": "train-1644", + "question": "Scenario: My friend Andrew was charged with domestic abuse and assault. After a court hearing it was decided that he was guilty . He wants the court decision to be reconsidered since it was not backed by facts .\n\nQuestion: Can he appeal the decision?\n\nDocument - Appeal a magistrates\u2019 court decision:\n## What you can appeal\n\nYou can appeal to the magistrates\u2019 court against your:\n\n- sentence, if you pleaded guilty\n\n- conviction and sentence, if you pleaded not guilty\n\nYou should talk to your legal representative (if you have one) or get help from a legal adviser before you appeal.\n\n## Ask the court to reconsider a decision\n\nIf you think the decision was wrong, you can ask the court to reconsider a sentence or conviction. For example, if there was a serious mistake or the court did not follow the right steps.\n\nIf you disagree with the decision but there has been no mistake you will normally need to appeal to the Crown Court.\n\n## If you did not know about your court case\n\nIf you did not know about your case before a decision was made, you can make a statutory declaration to a magistrates\u2019 court to reopen your case.\n\n## Change the amount you\u2019ve been fined\n\nYou can ask the court to change the amount you\u2019ve been fined if:\n\n- your financial circumstances have changed\n\n- the court did not know your income at the time of your conviction\n\n## Ask the court to reconsider a decision\n\nYou can ask the court to reconsider your conviction, sentence or court order if you think the decision was wrong for a legal reason, for example if the court did not:\n\n- give proper reasons for its decision, or back up the decision with facts\n\n- apply the law properly\n\nThis is different to making an appeal to the Crown Court.\n\nIf you pleaded guilty, you cannot ask the court to reconsider your conviction.\n\n## How to get a decision reconsidered\n\nSubmit your request as early as possible by writing to the magistrates\u2019 court where you had your hearing.\n\nYou must include:\n\n- information about your conviction, sentence or court order\n\n- why you think the decision should change\n\n- what the conviction, sentence or order should be changed to\n\nSend a copy of your application to the prosecutor\u2019s office (you can find the address of the prosecutor by contacting\nthe magistrates\u2019 court where you were convicted).\n\nThe court will decide if a hearing is needed.\n\n## If you did not know about your case\n\nIf a magistrates\u2019 court convicted you without you knowing, you can make a statutory declaration before a magistrates\u2019 court or to a commissioner for oaths (for example a solicitor).\n\nIf the court accepts your declaration they will start the proceedings again. Your conviction or sentence will no longer apply.\n\n## When to make your declaration\n\nYou must give your completed declaration to the court within 21 days of finding out about your case.\n\nIf you want to give a declaration after 21 days, you\u2019ll have to ask the court if they\u2019ll accept it.\n\n## Making a statutory declaration\n\n- Download a statutory declaration (called an ignorance of proceedings form) or ask for a copy at your local magistrates\u2019 court.\n\n- Fill out the form telling the court when and how you heard about your court case. You\u2019ll need to provide details of your case, including where your hearing was held and on what date.\n\n- Arrange an appointment to make your statutory declaration before a solicitor or any magistrates\u2019 court.\n\n- Sign and date your form.\n\n- Give your declaration to the court or ask your solicitor to do it.\n\nIf your case was decided by a magistrate without a hearing, you\u2019ll need to give a written plea (or a completed single justice procedure notice if you have one) to the court or your solicitor along with your statutory declaration.\n\n## Get a fine reviewed\n\nYou can ask the court to change a fine if:\n\n- your financial circumstances have changed\n\n- the court did not know your income when they convicted you\n\nYour original conviction or record of your offence will not change.\n\n## How to ask for a review\n\nWrite to the court or go to your court hearing with evidence of your income and living expenses.\n\nIf your income has changed since you were sentenced you need to also provide your income on the date you were sentenced.\n\nYou can ask your legal adviser if you\u2019re not sure what documents you need.\n\n## What happens next\n\nThe court will decide if the decision should be reconsidered.\n\nYou may need to attend court for another hearing. They\u2019ll let you know when the hearing will take place.\n\n## Appeal to the Crown Court\n\nIf you disagree with a decision but there has been no mistake you can appeal to the Crown Court.\n\nDownload and fill in the \u2018Appeal to the Crown Court\u2019 form that relates to your crime or sentence. Send the form by post or email. The address is on the form.\n\nIf you were convicted at a magistrates\u2019 court but sentenced at a Crown Court, follow the rules for appealing a Crown Court decision.\n\nIf you pleaded guilty, you can only appeal against your sentence.\n\n## When to appeal\n\nYou must appeal within 21 days of the date you were sentenced.\n\nIf you want to appeal after 21 days, you\u2019ll have to ask the Crown Court for permission before you can appeal. The magistrates\u2019 court where you were sentenced will tell you how to do this.\n\nTalk to your legal representative (if you have one) or get help from a legal adviser before you appeal.\n\n## The court hearing\n\nThe Crown Court will make a decision on your appeal at a hearing.\n\nYou\u2019ll get a letter within 80 days of making your appeal to let you know when and where the hearing will take place.\n\nThe hearing is usually held at your nearest Crown Court.\n\n## What happens at the hearing\n\nYou\u2019ll have the chance to present your case to the judge and magistrates. Representatives from the prosecution will present the case against you.\n\nThe judge might also ask you questions during the hearing.\n\nYou\u2019ll be told whether you\u2019ve won your appeal at the hearing. You\u2019ll also be sent a copy of the judge\u2019s decision by post.\n\n## Stopping your appeal\n\nYou can apply to stop your appeal before the hearing. Your appeal cannot be restarted once it\u2019s been stopped.\n\nSend a \u2018notice of abandonment of appeal\u2019 to the magistrates\u2019 court where you sent your appeal and the Crown Court where your hearing will take place.\n\nYou must also send a copy to any other parties involved in the case, for example a prosecutor.\n\n## If you win your appeal\n\nIf you win your appeal against your conviction, your sentence will no longer apply. You might be able to apply to get compensation.\n\nIf you win your appeal against your sentence, it will be reduced.\n\nThe court might decide you can get some of your legal costs paid back, for example your solicitor\u2019s fee.\n\n## If you lose your appeal\n\nYour original sentence or conviction might change.\n\nCheck with your legal adviser if you can appeal again. You might have to pay extra costs if you do.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "answerable": true, + "scenario": "My friend Andrew was charged with domestic abuse and assault. After a court hearing it was decided that he was guilty . He wants the court decision to be reconsidered since it was not backed by facts .", + "original_question": "Can he appeal the decision?" + }, + { + "id": "train-1645", + "question": "Scenario: I manage a company with 200 cars that help disabled people commute from their home to office. We've registered our cars as business cars.\n\nQuestion: How much tax do I need to pay?\n\nDocument - Change your vehicle's tax class:\n## Vehicle changes that affect tax\n\nIf you make changes to your vehicle it could affect:\n\n- how much vehicle tax you pay\n\n- your vehicle\u2019s tax class\n\nChanges that affect your vehicle include:\n\n- the engine size (cc)\n\n- the fuel type\n\n- the weight (goods vehicles only)\n\n- the number of seats (buses only)\n\n- what you use the vehicle for, for example using a minibus for profit\n\nYou will not have to pay vehicle tax or will pay a lower rate if it\u2019s being used by:\n\n- a disabled person\n\n- an organisation providing transport for disabled people\n\n## How to change your vehicle\u2019s tax class\n\nHow you change your vehicle\u2019s tax class depends on if:\n\n- the tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)\n\n- the tax is not due to run out\n\n- you\u2019re changing whether or not the vehicle is exempt from vehicle tax, for example changing a car into or out of the disabled tax class\n\n## Work out the new tax rate\n\nYou need to work out if you\u2019ll need to pay more tax because of the change.\n\n- Find out the new rate of vehicle tax.\n\n- Work out the difference between the old and new rates of your vehicle tax. For example, if the old rate is \u00a3100 and the new rate is \u00a3130, the difference is \u00a330.\n\n- Divide the difference by the number of months you pay your tax over. For example, \u00a330 divided by 12 months is \u00a32.50.\n\n- Multiply this by the number of months remaining on the tax. For example, \u00a32.50 multiplied by 4 months is \u00a310.\n\n- Pay the extra vehicle tax. In this example you would need to pay \u00a310 extra tax.\n\n## If the tax rate increases\n\nYou have to pay the increased rate from the first day of the month you change the tax rate in.\n\n## If the tax rate decreases\n\nYou pay the decreased rate from the first day of the next month.\n\n## Tax is not due to run out\n\nUse form V70 to change your vehicle\u2019s tax class if the tax is not due to run out.\n\nYou apply a different way if you\u2019ve had a reminder letter or \u2018last chance\u2019 warning letter.\n\n## What to send\n\nSend the form to DVLA with:\n\n- the V5C vehicle registration certificate (log book) with any changes marked on it\n\n- a cheque or postal order made payable to \u2018DVLA, Swansea\u2019 for any extra vehicle tax you have to pay - damaged or altered cheques will not be accepted\n\n- a current MOT certificate (if your vehicle needs one)\n\n- written proof if you\u2019ve decreased engine size or changed fuel type, for example a new engine receipt or letter from the garage that made the change\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you do not have the V5C, download and fill in a V62 form. Send it to DVLA with the \u00a325 fee.\n\n## Lorries and buses\n\nYou also need to send the following if they\u2019re required for your vehicle:\n\n- a plating or weight certificate\n\n- for buses only - a certificate of initial fitness, certificate of conformity or equivalent PSV401, PSV408, PDV500 or PSV506\n\n## What happens next\n\n- You\u2019ll get a confirmation from DVLA that the change has been made.\n\n- DVLA will send you an updated V5C.\n\n- You\u2019ll get a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).\n\nYou can still use your vehicle while your application is being processed.\n\n## Tax is due to run out or changing if the vehicle is exempt\n\nChange your vehicle\u2019s tax class at a Post Office that deals with vehicle tax if either:\n\n- the vehicle tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)\n\n- you\u2019re changing whether a vehicle is exempt from vehicle tax or not, for example, it\u2019s being used by a disabled person\n\nIf you\u2019re eligible for a vehicle tax reduction because you\u2019re disabled, you need to apply by post to DVLA.\n\n## What to take to the Post Office\n\n## Vehicle registration documents\n\nTake the V5C registration certificate (log book) in your name.\n\nIf you do not have one, you\u2019ll need:\n\n- a completed application for a new registration certificate - either download form V62 or get it from the Post Office\n\n- your \u2018new keeper\u2019 slip, if you\u2019ve just bought the vehicle\n\nA new registration certificate is free if you have a \u2018new keeper\u2019 slip. Otherwise the cost is \u00a325.\n\n## Other documents\n\nYou must also take:\n\n- your vehicle tax reminder letter (V11) if you have one\n\n- an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)\n\n- evidence of any eligibility for a disability exemption\n\n- payment for vehicle tax (if you have to pay for your new tax class)\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you drive a lorry or bus, you also need to take the vehicle\u2019s latest annual test certificate or exemption (V112G).\n\n## What happens next\n\n- The Post Office sends your V5C, new keeper slip or V62 to DVLA.\n\n- You\u2019ll get a confirmation from DVLA that the change has been made.\n\n- DVLA will send you an updated V5C.\n\n- DVLA will send you a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).\n\nYou can still use your vehicle while your application is being processed.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/change-vehicle-tax-class", + "answerable": true, + "scenario": "I manage a company with 200 cars that help disabled people commute from their home to office. We've registered our cars as business cars.", + "original_question": "How much tax do I need to pay?" + }, + { + "id": "train-1646", + "question": "Scenario: I have a mini bus bussiness which has undergone several changes, for example I now only collect children for school trips where as I used to collect disabled people.\n\nQuestion: Do I need to pay more taxes due to the chamge of my bussiness?\n\nDocument - Change your vehicle's tax class:\n## Vehicle changes that affect tax\n\nIf you make changes to your vehicle it could affect:\n\n- how much vehicle tax you pay\n\n- your vehicle\u2019s tax class\n\nChanges that affect your vehicle include:\n\n- the engine size (cc)\n\n- the fuel type\n\n- the weight (goods vehicles only)\n\n- the number of seats (buses only)\n\n- what you use the vehicle for, for example using a minibus for profit\n\nYou will not have to pay vehicle tax or will pay a lower rate if it\u2019s being used by:\n\n- a disabled person\n\n- an organisation providing transport for disabled people\n\n## How to change your vehicle\u2019s tax class\n\nHow you change your vehicle\u2019s tax class depends on if:\n\n- the tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)\n\n- the tax is not due to run out\n\n- you\u2019re changing whether or not the vehicle is exempt from vehicle tax, for example changing a car into or out of the disabled tax class\n\n## Work out the new tax rate\n\nYou need to work out if you\u2019ll need to pay more tax because of the change.\n\n- Find out the new rate of vehicle tax.\n\n- Work out the difference between the old and new rates of your vehicle tax. For example, if the old rate is \u00a3100 and the new rate is \u00a3130, the difference is \u00a330.\n\n- Divide the difference by the number of months you pay your tax over. For example, \u00a330 divided by 12 months is \u00a32.50.\n\n- Multiply this by the number of months remaining on the tax. For example, \u00a32.50 multiplied by 4 months is \u00a310.\n\n- Pay the extra vehicle tax. In this example you would need to pay \u00a310 extra tax.\n\n## If the tax rate increases\n\nYou have to pay the increased rate from the first day of the month you change the tax rate in.\n\n## If the tax rate decreases\n\nYou pay the decreased rate from the first day of the next month.\n\n## Tax is not due to run out\n\nUse form V70 to change your vehicle\u2019s tax class if the tax is not due to run out.\n\nYou apply a different way if you\u2019ve had a reminder letter or \u2018last chance\u2019 warning letter.\n\n## What to send\n\nSend the form to DVLA with:\n\n- the V5C vehicle registration certificate (log book) with any changes marked on it\n\n- a cheque or postal order made payable to \u2018DVLA, Swansea\u2019 for any extra vehicle tax you have to pay - damaged or altered cheques will not be accepted\n\n- a current MOT certificate (if your vehicle needs one)\n\n- written proof if you\u2019ve decreased engine size or changed fuel type, for example a new engine receipt or letter from the garage that made the change\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you do not have the V5C, download and fill in a V62 form. Send it to DVLA with the \u00a325 fee.\n\n## Lorries and buses\n\nYou also need to send the following if they\u2019re required for your vehicle:\n\n- a plating or weight certificate\n\n- for buses only - a certificate of initial fitness, certificate of conformity or equivalent PSV401, PSV408, PDV500 or PSV506\n\n## What happens next\n\n- You\u2019ll get a confirmation from DVLA that the change has been made.\n\n- DVLA will send you an updated V5C.\n\n- You\u2019ll get a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).\n\nYou can still use your vehicle while your application is being processed.\n\n## Tax is due to run out or changing if the vehicle is exempt\n\nChange your vehicle\u2019s tax class at a Post Office that deals with vehicle tax if either:\n\n- the vehicle tax is due to run out (you\u2019ve had a reminder or \u2018last chance\u2019 warning letter)\n\n- you\u2019re changing whether a vehicle is exempt from vehicle tax or not, for example, it\u2019s being used by a disabled person\n\nIf you\u2019re eligible for a vehicle tax reduction because you\u2019re disabled, you need to apply by post to DVLA.\n\n## What to take to the Post Office\n\n## Vehicle registration documents\n\nTake the V5C registration certificate (log book) in your name.\n\nIf you do not have one, you\u2019ll need:\n\n- a completed application for a new registration certificate - either download form V62 or get it from the Post Office\n\n- your \u2018new keeper\u2019 slip, if you\u2019ve just bought the vehicle\n\nA new registration certificate is free if you have a \u2018new keeper\u2019 slip. Otherwise the cost is \u00a325.\n\n## Other documents\n\nYou must also take:\n\n- your vehicle tax reminder letter (V11) if you have one\n\n- an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)\n\n- evidence of any eligibility for a disability exemption\n\n- payment for vehicle tax (if you have to pay for your new tax class)\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you drive a lorry or bus, you also need to take the vehicle\u2019s latest annual test certificate or exemption (V112G).\n\n## What happens next\n\n- The Post Office sends your V5C, new keeper slip or V62 to DVLA.\n\n- You\u2019ll get a confirmation from DVLA that the change has been made.\n\n- DVLA will send you an updated V5C.\n\n- DVLA will send you a refund if you\u2019re due one. It will take longer than usual to send your refund because of coronavirus (COVID-19).\n\nYou can still use your vehicle while your application is being processed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/change-vehicle-tax-class", + "answerable": true, + "scenario": "I have a mini bus bussiness which has undergone several changes, for example I now only collect children for school trips where as I used to collect disabled people.", + "original_question": "Do I need to pay more taxes due to the chamge of my bussiness?" + }, + { + "id": "train-1647", + "question": "Scenario: I have been having a lot of issues with my husband. He slowly became more and more abusive over the last years. I have given him plenty of chances to show me that he can go back to his old self but that seems impossible at this point. I recently filed for a divorce but he refuses to sign the papers and his anger has only ramped up because of it. I make slightly above minimum wage and would not have any money to set a side to fight him in court.\n\nQuestion: Could I be asked to pay some of the money towards the costs of my case?\n\nDocument - Legal aid:\n## Overview\n\nLegal aid can help meet the costs of legal advice, family mediation and representation in a court or tribunal.\n\nYou\u2019ll usually need to show that:\n\n- your case is eligible for legal aid\n\n- the problem is serious\n\n- you cannot afford to pay for legal costs\n\nYou could for example get legal aid if:\n\n- you or your family are at risk of abuse or serious harm, for example domestic violence or forced marriage\n\n- you\u2019re at risk of homelessness or losing your home\n\n- you\u2019ve been accused of a crime, face prison or detention\n\n- you\u2019re being discriminated against\n\n- you need family mediation\n\n- you\u2019re adding legal arguments or bringing a case under the Human Rights Act\n\nYou\u2019ll usually need to show that you cannot afford to pay for this help. You may have to pay some money towards the legal costs of your case or pay costs back later.\n\nCheck if you can get legal aid to get help with civil cases. Your legal adviser will usually apply for legal aid on your behalf.\n\nLegal aid rules are different in Scotland and Northern Ireland.\n\n## What you can get\n\nYou could get help with the costs of legal advice or getting someone to speak or negotiate for you.\n\nYou may have to pay some money towards the legal costs of your case.\n\nIf your problem is covered by legal aid and you qualify you could get:\n\n- advice on your rights and options\n\n- help with negotiations and paperwork\n\n- help if you\u2019re accused of a crime, for example advice at a police station\n\n- a solicitor or barrister to get your case ready and speak on your behalf in court and some tribunals\n\n## What you can get legal aid for\n\nYou might be able to get legal aid for problems like:\n\n- homelessness or losing your home, or if it\u2019s in serious disrepair\n\n- protecting yourself or your child from abuse or harassment, for example domestic violence or forced marriage\n\n- poor quality care you or a family member are getting due to age, disability or special educational needs\n\n- needing advice on finances, children or divorce if you\u2019ve been in an abusive relationship\n\n- a child in your family being at risk of being taken into care\n\n- family mediation, for example if you\u2019re separating or getting a divorce\n\n- discrimination\n\n- challenging the way the government has made a decision about you\n\n- seeking asylum or if you\u2019ve been the victim of human trafficking\n\n- being arrested, charged or questioned by the police\n\n- needing representation at a mental health tribunal or inquest\n\n- appealing a decision made by the social security tribunal about your benefits to the Upper Tribunal, Court of Appeal or Supreme Court\n\n## Exceptional case funding\n\nYou may be able to get legal aid in other exceptional cases, if you can show that being refused legal aid would infringe:\n\n- your rights under the European Convention on Human Rights (ECHR)\n\n- your EU rights to legal representation\n\nGet advice from a legal adviser about whether you\u2019re eligible and how to apply.\n\nYou can also apply directly to the Exceptional Case Funding team at the Legal Aid Agency.\n\n## Eligibility\n\nWhether you qualify for legal aid will depend on:\n\n- the type of case\n\n- your financial circumstances\n\n## Civil (non-criminal) cases\n\nCivil cases include things like debt, family or housing problems. To get legal aid, you usually need to show you cannot afford to pay for legal costs and your problem is serious.\n\nYou\u2019ll usually have to give details and evidence of your income, benefits, savings and property, and those of your partner. If you\u2019re under 18, you may need to give information about your parents\u2019 or guardians\u2019 income.\n\nYour financial situation is not taken into account for cases about:\n\n- mental health tribunals\n\n- children in care\n\n- child abduction\n\nYou may also have to provide evidence about your problem, for example in a divorce case by providing a court order or GP letter showing that you or your child have been a victim of abuse.\n\nCheck if you qualify for legal aid to get help with civil cases.\n\n## Paying the costs of your case\n\nLegal aid might not cover all the costs of your case. You may have to:\n\n- pay some of the costs upfront\n\n- pay back some of the cost if you win money or property from your case\n\nRead about paying for legal aid.\n\nThe Legal Aid Agency (LAA) will make a charge or claim \u2013 known as the \u2018statutory charge\u2019 \u2013 on any money or property you win. If this is your home, payment can be deferred and the debt placed as a charge on your home (similar to a mortgage).\n\nYour legal adviser will explain how this works.\n\nContact the LAA\u2019s Secured Debt Team to discuss how to pay.\n\nIf legal aid is withdrawn, you may have to repay the full legal costs.\n\n## Criminal cases\n\nYou have the right to free legal advice if you\u2019re questioned at a police station.\n\nYou\u2019ll automatically get legal aid for legal representation in court if you\u2019re under 16 (or under 18 and in full-time education) or on certain benefits.\n\n## Alternatives to legal aid\n\nIf you cannot get legal aid, you may be able to get free advice from:\n\n- the Law Centres Network\n\n- Citizens Advice\n\n- AdviceNow\n\nYou can also pay for advice from a local legal adviser or solicitor.\n\n## How to claim\n\nCheck if you can get legal aid in England or Wales.\n\nSearch for a legal aid solicitor if you\u2019re in Scotland or Northern Ireland.\n\nYour legal adviser or family mediator will apply for legal aid on your behalf. If you qualify, the government will pay their costs directly.\n\n## Getting legal aid in an emergency\n\nYou can get emergency help if you need urgent representation in court, for example to keep you and your children safe from domestic abuse.\n\nYour legal adviser will apply for Emergency Legal Representation to cover any immediate action. You still need to apply for legal aid in the normal way for any ongoing work.\n\n## Criminal cases\n\nA police custody officer will help you get legal aid if you\u2019ve been arrested and held at a police station. You\u2019ll be offered free advice:\n\n- by telephone (if the offence is less serious)\n\n- from the police station\u2019s duty solicitor\n\n- from your own legal adviser\n\n## If you\u2019re charged or go to court\n\nA solicitor will check if you qualify for legal aid if you\u2019re charged with a crime or have to go to court. You can then:\n\n- get advice from the same organisation that helped you at the police station\n\n- ask to speak to the court duty solicitor\n\n- find your own criminal legal aid solicitor\n\n## What you need to bring to your legal adviser\n\nYou\u2019ll need to give information about the following for both yourself and your partner:\n\n- benefits - including benefits statements\n\n- income, savings and spending - including pay slips and bank statements\n\n- National Insurance numbers\n\nYou\u2019ll also need copies of evidence relating to your case, eg:\n\n- court documents\n\n- marriage and birth certificates (for family cases)\n\n- relevant letters\n\nTell your legal adviser if any of your financial circumstances change.\n\n## Domestic abuse or violence\n\nYou might be able to get legal aid if you have evidence that you or your children have been victims of domestic abuse or violence and you cannot afford to pay legal costs.\n\nYou do not have to get evidence before talking to a legal aid solicitor or Civil Legal Advice (CLA), but they\u2019ll need to see it before deciding whether you can get legal aid.\n\n## What counts as domestic abuse for legal aid\n\nYou or your children must have been victims of either:\n\n- domestic abuse or violence\n\n- financial control, for example being stopped from accessing a joint bank account\n\n## What counts as evidence\n\nYou\u2019ll usually need to show that you or your children were at risk of harm from an ex-partner.\n\nYou can ask for evidence from:\n\n- the courts\n\n- the police\n\n- a multi-agency risk assessment conference (MARAC)\n\n- social services\n\n- a health professional, for example a doctor, nurse, midwife, psychologist or health visitor\n\n- a refuge manager\n\n- a domestic violence support service\n\n- your bank, for example credit card accounts, loan documents and statements\n\n- your employer, or education or training provider\n\n- the provider of any benefits you\u2019ve received\n\n## How to get evidence\n\nYou can download and print a sample letter to send to the police, courts, or medical and social services.\n\nThis helps you get the proof you need, depending on whether:\n\n- you\u2019ve been a victim\n\n- your children have been victims\n\nGive the letter to the person you\u2019re asking to provide evidence. They\u2019ll be able to fill in the details for you.\n\nYou might have to pay a fee for this.\n\n## When you have the evidence\n\nShow the evidence to your legal aid solicitor or CLA adviser.\n\n## Legal problems abroad\n\nYou can apply for legal aid in:\n\n- Albania\n\n- Austria\n\n- Azerbaijan\n\n- Belgium\n\n- Bosnia and Herzegovina\n\n- Bulgaria\n\n- Cyprus\n\n- Czech Republic\n\n- Denmark\n\n- Estonia\n\n- Finland\n\n- France\n\n- Georgia\n\n- Greece\n\n- Ireland\n\n- Italy\n\n- Latvia\n\n- Lithuania\n\n- Luxembourg\n\n- Montenegro\n\n- Netherlands\n\n- North Macedonia\n\n- Norway\n\n- Poland\n\n- Portugal\n\n- Romania\n\n- Serbia\n\n- Spain\n\n- Sweden\n\n- Switzerland\n\n- Turkey\n\n- Ukraine\n\nYou can get help with your application from a publicly funded solicitor, including getting documents translated.\n\nContact the embassy or consulate of that country or the Legal Aid Agency to find out how to apply.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/legal-aid", + "answerable": true, + "scenario": "I have been having a lot of issues with my husband. He slowly became more and more abusive over the last years. I have given him plenty of chances to show me that he can go back to his old self but that seems impossible at this point. I recently filed for a divorce but he refuses to sign the papers and his anger has only ramped up because of it. I make slightly above minimum wage and would not have any money to set a side to fight him in court.", + "original_question": "Could I be asked to pay some of the money towards the costs of my case?" + }, + { + "id": "train-1651", + "question": "Scenario: My husband and I lived in a house together, which is owned by him. I am a victim of abuse and want to stop him living with me and my children.\n\nQuestion: Is there a way to block him from occupying the home even though I don't own it?\n\nDocument - Get an injunction if you've been the victim of domestic abuse:\n## How to apply\n\nYou can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:\n\n- protects you or your child from being harmed or threatened by the person who\u2019s abused you - this is called a \u2018non-molestation order\u2019\n\n- decides who can live in the family home or enter the surrounding area - this is called an \u2018occupation order\u2019\n\nThe person named in the injunction can be arrested if they break it.\n\nGet advice on applying for an injunction from a charity, for example Refuge, Women\u2019s Aid, Citizens Advice or the Men\u2019s Advice Line.\n\nYou may be able to get free legal representation.\n\nIf you\u2019re in immediate danger of being abused or have been abused, report it to the police.\n\n## Apply online\n\nYou can use the RCJ Citizens Advice CourtNav service to prepare an injunction application online.\n\nYou\u2019ll need to:\n\n- create an online account\n\n- explain what happened to you\n\n- include the name and address of the person who\u2019s abused you\n\nAs part of your application, you can choose a law firm to review it.\n\nIf you\u2019re unable to get legal aid or pay for legal advice, your application can be sent back to a legal adviser at RCJ Citizens Advice to check for free.\n\nThe legal adviser will tell you if you need to make a court application and how to submit one.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call. If you need a face-to-face hearing, you\u2019ll need to explain why in your application.\n\n## Apply by email or post\n\nFollow these steps to apply for an injunction by email or post.\n\n- Check if you\u2019re eligible to apply for a non-molestation order or an occupation order.\n\n- Download and fill in the application form (form FL401) and make 2 copies.\n\n- Write your witness statement telling the court what has happened and asking for the relevant order.\n\n- At the bottom of the witness statement write a statement of truth. Use the following words: \u201cI believe that the facts stated in this witness statement are true.\u201d Sign and date the statement of truth.\n\n- Download and fill in form C8 if you want to keep your address and telephone number private.\n\n- Email or send all the documents to a court which deals with domestic abuse cases - there\u2019s no fee.\n\nMany courts are closed because of coronavirus. You\u2019ll need to check that the court is open and staffed before you send in your application.\n\n## Emergency orders\n\nIf you need protection immediately, ask for an emergency order when you apply. You do not have to tell the person you want protection from that you\u2019re applying so it\u2019s known as a \u2018without notice\u2019 or \u2018ex-parte\u2019 application.\n\nThe court will hold a hearing which you must attend. It may issue an order at the hearing.\n\nYou\u2019ll still have to tell that person about your application after the order has been issued.\n\nAn emergency order will usually last until your hearing.\n\n## If you\u2019re 17 or under\n\nIf you\u2019re under 16 you\u2019ll need permission to apply from the High Court.\n\nIf you\u2019re 16 or 17 you\u2019ll need to appoint a \u2018litigation friend\u2019 to represent you in court \u2013 this is usually a parent, family member or close friend.\n\n## After you\u2019ve applied\n\nAfter you\u2019ve applied you must arrange for the person you\u2019re applying to get an injunction against to be told about your application.\n\n## Who can apply: non-molestation order\n\nYou can usually apply if you\u2019re a victim of domestic abuse and the person you want to be protected from (\u2018the respondent\u2019) is:\n\n- someone you\u2019re having or have had a relationship with\n\n- a family member\n\n- someone you\u2019re living or have lived with\n\nCheck the following lists to make sure you can apply.\n\nIf you\u2019re under 16 you need permission from the High Court to apply.\n\n## Husband, wife, civil partner or other relationship\n\nYou can apply if you\u2019re a victim of domestic abuse and the respondent is your:\n\n- husband, wife or civil partner\n\n- former husband, former wife or former civil partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- former fianc\u00e9, former fianc\u00e9e or former proposed civil partner \u2013 if your engagement or agreement to form a civil partnership ended less than 3 years ago\n\n- boyfriend, girlfriend, partner or a person you\u2019re in or have been in a relationship with for more than 6 months\n\nIf you were engaged to or had agreed to form a civil partnership with the respondent, you\u2019ll need to provide evidence, such as a ring or statement from a witness who attended a ceremony or celebration.\n\n## Family member\n\nYou can apply if the respondent is a close family member, for example a parent, brother, sister, aunt or uncle.\n\n## People who have parental responsibility for your child or grandchild\n\nYou can apply if you have a child or grandchild and the respondent is the child\u2019s parent or person you share parental responsibility with.\n\nIf your child (or grandchild) has been adopted, you can also apply to get an injunction against their:\n\n- adoptive parent\n\n- anyone who has applied to adopt them\n\n- anyone the child has been placed with for adoption\n\nYou can also apply for an order against the child or grandchild if they\u2019ve been adopted.\n\nYou can report anyone who abuses you to your neighbourhood police team.\n\n## Who can apply: occupation order\n\nYou can apply for an occupation order if you\u2019re a victim of domestic abuse and meet the requirements. The order will say who can live in the family home or enter the surrounding area.\n\nYou can apply if:\n\n- you own or rent the home and it is, was, or was intended to be shared with a husband or wife, civil partner, cohabitant, family member, person you\u2019re engaged to or parent of your child\n\n- you do not own or rent the home but you\u2019re married or in a civil partnership with the owner and you\u2019re living in the home (known as \u2018matrimonial home rights\u2019)\n\n- your former husband, wife or civil partner is the owner or tenant, and the home is, was, or was intended to be your shared matrimonial home\n\n- the person you cohabit or cohabited with is the owner or tenant, and the home is, was, or was intended to be your shared home\n\n## After you submit your application\n\nYou\u2019ll be given a document called a \u2018Notice of Proceedings\u2019 by the court. This tells you when your court hearing will take place.\n\n## Telling people about your application\n\nThe court will send you back a sealed copy of your application. You must arrange for the sealed copy and your witness statement to be \u2018served\u2019 on the person named in the application. This means making sure they get a copy of the documents in person.\n\nYour solicitor will do this if you\u2019re using one or you can ask the court to serve the documents for free.\n\nDo not serve the documents yourself.\n\n## Your court hearing\n\nYour hearing will be held in private (sometimes called \u2018in chambers\u2019). In most cases only you and the person you\u2019re applying for an injunction against, and any legal representatives, can attend. Read about what to expect when you go to a court hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call.\n\nThe court will provide an interpreter if you asked for one when you applied for the injunction. They can translate what happens during the hearing but they cannot represent you or give you legal advice.\n\nContact the court before the hearing if you need support or extra protection.\n\nThe judge may make a decision without a hearing if, for example:\n\n- you\u2019re self-isolating because of coronavirus\n\n- the person you\u2019re applying for an injunction against lives with you\n\nThis is called \u2018on paper\u2019.\n\n## Get a decision\n\nAt the end of the hearing the court will make one of the following decisions:\n\n- the person you\u2019ve applied for an injunction against must make an \u2018undertaking\u2019 (a promise) to do or not do something\n\n- you must provide more information - the court may issue a short-term order (an \u2018interim order\u2019) to protect you while you get this information\n\n- it will issue an order - when that ends they may hold another hearing to decide whether to renew the order\n\nYou\u2019ll get a copy of the order if the court issues one. It will say what the respondent can and cannot do.\n\nIf your order expires and you still want protection, you\u2019ll have to apply again.\n\n## After the hearing\n\nYou must arrange for the order to be \u2018served\u2019 on the respondent. This means making sure they get a copy of the order in person.\n\nIf you have a solicitor, they will arrange for the documents to be served. If you do not have a solicitor you can:\n\n- ask the court to serve the documents - you will not need to pay for this\n\n- hire a professional process server to serve the documents\n\nDo not serve the documents yourself.\n\nThe court will send the order and the statement of service to the officer in charge of your neighbourhood police station or the police station named in the court order.\n\nIf the person named in your injunction does not follow the court order, you can call the police.\n\n## Complaints and appeals\n\nYou can complain to the court where you had the hearing if you\u2019re unhappy with the service they provided.\n\nYou may be able to make an appeal about the decision if you think there\u2019s been a serious mistake. You\u2019ll have to get permission to make the appeal and there\u2019s usually a fee. Read the guidance on how to make an appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/injunction-domestic-violence", + "answerable": true, + "scenario": "My husband and I lived in a house together, which is owned by him. I am a victim of abuse and want to stop him living with me and my children.", + "original_question": "Is there a way to block him from occupying the home even though I don't own it?" + }, + { + "id": "train-1652", + "question": "Scenario: We adopted our child from an adoption agency. He has become quite abusive to use as parents, and we want him to leave the house. We know about the existence of the injunctions.\n\nQuestion: Are injunctions also applicable to adopted family members?\n\nDocument - Get an injunction if you've been the victim of domestic abuse:\n## How to apply\n\nYou can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:\n\n- protects you or your child from being harmed or threatened by the person who\u2019s abused you - this is called a \u2018non-molestation order\u2019\n\n- decides who can live in the family home or enter the surrounding area - this is called an \u2018occupation order\u2019\n\nThe person named in the injunction can be arrested if they break it.\n\nGet advice on applying for an injunction from a charity, for example Refuge, Women\u2019s Aid, Citizens Advice or the Men\u2019s Advice Line.\n\nYou may be able to get free legal representation.\n\nIf you\u2019re in immediate danger of being abused or have been abused, report it to the police.\n\n## Apply online\n\nYou can use the RCJ Citizens Advice CourtNav service to prepare an injunction application online.\n\nYou\u2019ll need to:\n\n- create an online account\n\n- explain what happened to you\n\n- include the name and address of the person who\u2019s abused you\n\nAs part of your application, you can choose a law firm to review it.\n\nIf you\u2019re unable to get legal aid or pay for legal advice, your application can be sent back to a legal adviser at RCJ Citizens Advice to check for free.\n\nThe legal adviser will tell you if you need to make a court application and how to submit one.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call. If you need a face-to-face hearing, you\u2019ll need to explain why in your application.\n\n## Apply by email or post\n\nFollow these steps to apply for an injunction by email or post.\n\n- Check if you\u2019re eligible to apply for a non-molestation order or an occupation order.\n\n- Download and fill in the application form (form FL401) and make 2 copies.\n\n- Write your witness statement telling the court what has happened and asking for the relevant order.\n\n- At the bottom of the witness statement write a statement of truth. Use the following words: \u201cI believe that the facts stated in this witness statement are true.\u201d Sign and date the statement of truth.\n\n- Download and fill in form C8 if you want to keep your address and telephone number private.\n\n- Email or send all the documents to a court which deals with domestic abuse cases - there\u2019s no fee.\n\nMany courts are closed because of coronavirus. You\u2019ll need to check that the court is open and staffed before you send in your application.\n\n## Emergency orders\n\nIf you need protection immediately, ask for an emergency order when you apply. You do not have to tell the person you want protection from that you\u2019re applying so it\u2019s known as a \u2018without notice\u2019 or \u2018ex-parte\u2019 application.\n\nThe court will hold a hearing which you must attend. It may issue an order at the hearing.\n\nYou\u2019ll still have to tell that person about your application after the order has been issued.\n\nAn emergency order will usually last until your hearing.\n\n## If you\u2019re 17 or under\n\nIf you\u2019re under 16 you\u2019ll need permission to apply from the High Court.\n\nIf you\u2019re 16 or 17 you\u2019ll need to appoint a \u2018litigation friend\u2019 to represent you in court \u2013 this is usually a parent, family member or close friend.\n\n## After you\u2019ve applied\n\nAfter you\u2019ve applied you must arrange for the person you\u2019re applying to get an injunction against to be told about your application.\n\n## Who can apply: non-molestation order\n\nYou can usually apply if you\u2019re a victim of domestic abuse and the person you want to be protected from (\u2018the respondent\u2019) is:\n\n- someone you\u2019re having or have had a relationship with\n\n- a family member\n\n- someone you\u2019re living or have lived with\n\nCheck the following lists to make sure you can apply.\n\nIf you\u2019re under 16 you need permission from the High Court to apply.\n\n## Husband, wife, civil partner or other relationship\n\nYou can apply if you\u2019re a victim of domestic abuse and the respondent is your:\n\n- husband, wife or civil partner\n\n- former husband, former wife or former civil partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- former fianc\u00e9, former fianc\u00e9e or former proposed civil partner \u2013 if your engagement or agreement to form a civil partnership ended less than 3 years ago\n\n- boyfriend, girlfriend, partner or a person you\u2019re in or have been in a relationship with for more than 6 months\n\nIf you were engaged to or had agreed to form a civil partnership with the respondent, you\u2019ll need to provide evidence, such as a ring or statement from a witness who attended a ceremony or celebration.\n\n## Family member\n\nYou can apply if the respondent is a close family member, for example a parent, brother, sister, aunt or uncle.\n\n## People who have parental responsibility for your child or grandchild\n\nYou can apply if you have a child or grandchild and the respondent is the child\u2019s parent or person you share parental responsibility with.\n\nIf your child (or grandchild) has been adopted, you can also apply to get an injunction against their:\n\n- adoptive parent\n\n- anyone who has applied to adopt them\n\n- anyone the child has been placed with for adoption\n\nYou can also apply for an order against the child or grandchild if they\u2019ve been adopted.\n\nYou can report anyone who abuses you to your neighbourhood police team.\n\n## Who can apply: occupation order\n\nYou can apply for an occupation order if you\u2019re a victim of domestic abuse and meet the requirements. The order will say who can live in the family home or enter the surrounding area.\n\nYou can apply if:\n\n- you own or rent the home and it is, was, or was intended to be shared with a husband or wife, civil partner, cohabitant, family member, person you\u2019re engaged to or parent of your child\n\n- you do not own or rent the home but you\u2019re married or in a civil partnership with the owner and you\u2019re living in the home (known as \u2018matrimonial home rights\u2019)\n\n- your former husband, wife or civil partner is the owner or tenant, and the home is, was, or was intended to be your shared matrimonial home\n\n- the person you cohabit or cohabited with is the owner or tenant, and the home is, was, or was intended to be your shared home\n\n## After you submit your application\n\nYou\u2019ll be given a document called a \u2018Notice of Proceedings\u2019 by the court. This tells you when your court hearing will take place.\n\n## Telling people about your application\n\nThe court will send you back a sealed copy of your application. You must arrange for the sealed copy and your witness statement to be \u2018served\u2019 on the person named in the application. This means making sure they get a copy of the documents in person.\n\nYour solicitor will do this if you\u2019re using one or you can ask the court to serve the documents for free.\n\nDo not serve the documents yourself.\n\n## Your court hearing\n\nYour hearing will be held in private (sometimes called \u2018in chambers\u2019). In most cases only you and the person you\u2019re applying for an injunction against, and any legal representatives, can attend. Read about what to expect when you go to a court hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call.\n\nThe court will provide an interpreter if you asked for one when you applied for the injunction. They can translate what happens during the hearing but they cannot represent you or give you legal advice.\n\nContact the court before the hearing if you need support or extra protection.\n\nThe judge may make a decision without a hearing if, for example:\n\n- you\u2019re self-isolating because of coronavirus\n\n- the person you\u2019re applying for an injunction against lives with you\n\nThis is called \u2018on paper\u2019.\n\n## Get a decision\n\nAt the end of the hearing the court will make one of the following decisions:\n\n- the person you\u2019ve applied for an injunction against must make an \u2018undertaking\u2019 (a promise) to do or not do something\n\n- you must provide more information - the court may issue a short-term order (an \u2018interim order\u2019) to protect you while you get this information\n\n- it will issue an order - when that ends they may hold another hearing to decide whether to renew the order\n\nYou\u2019ll get a copy of the order if the court issues one. It will say what the respondent can and cannot do.\n\nIf your order expires and you still want protection, you\u2019ll have to apply again.\n\n## After the hearing\n\nYou must arrange for the order to be \u2018served\u2019 on the respondent. This means making sure they get a copy of the order in person.\n\nIf you have a solicitor, they will arrange for the documents to be served. If you do not have a solicitor you can:\n\n- ask the court to serve the documents - you will not need to pay for this\n\n- hire a professional process server to serve the documents\n\nDo not serve the documents yourself.\n\nThe court will send the order and the statement of service to the officer in charge of your neighbourhood police station or the police station named in the court order.\n\nIf the person named in your injunction does not follow the court order, you can call the police.\n\n## Complaints and appeals\n\nYou can complain to the court where you had the hearing if you\u2019re unhappy with the service they provided.\n\nYou may be able to make an appeal about the decision if you think there\u2019s been a serious mistake. You\u2019ll have to get permission to make the appeal and there\u2019s usually a fee. Read the guidance on how to make an appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/injunction-domestic-violence", + "answerable": true, + "scenario": "We adopted our child from an adoption agency. He has become quite abusive to use as parents, and we want him to leave the house. We know about the existence of the injunctions.", + "original_question": "Are injunctions also applicable to adopted family members?" + }, + { + "id": "train-1653", + "question": "Scenario: My sister lost her job after a work colleague accused her wrongly of theft. After a thorough investigation they found out that my sister was innocent .\n\nQuestion: Can she make a claim?\n\nDocument - Make a claim to an employment tribunal:\n## When you can claim\n\nYou can make a claim to an employment tribunal if you think someone has treated you unlawfully, such as your employer, a potential employer or a trade union.\n\nUnlawful treatment can include:\n\n- unfair dismissal\n\n- discrimination\n\n- unfair deductions from your pay\n\nThis guide and the online service are also available in Welsh (Cymraeg).\n\nYou usually have to make a claim to the tribunal within 3 months of your employment ending or the problem happening.\n\nThe tribunal is independent of government and will listen to you (the \u2018claimant\u2019) and the person you\u2019re making a claim against (the \u2018respondent\u2019) before making a decision.\n\nSee if there\u2019s another way to solve the problem before you make a claim to a tribunal, such as using a grievance procedure.\n\n## Before you make a claim\n\nYou must tell the Advisory, Conciliation and Arbitration Service (Acas) that you intend to make a claim to the tribunal.\n\nYou\u2019ll be offered the chance to try and settle the dispute without going to court by using Acas\u2019s free \u2018Early Conciliation\u2019 service.\n\nIf early conciliation does not work, Acas will send you an early conciliation certificate - use this when you make a claim to the tribunal.\n\nOnce you receive your certificate, you\u2019ll have at least one month left to make your claim.\n\n## Help you can get\n\nCall the Employment Tribunal customer contact centre if you have any questions about your claim. They cannot give you legal advice.\n\nCall Acas if you have any questions about early conciliation. They cannot answer questions about your claim.\n\n## Legal help\n\nYou may want to get legal help or advice if you\u2019re in England and Wales or Scotland before you make your claim.\n\nYour trade union may be able to pay for a solicitor.\n\nYou can also get free legal advice from Citizens Advice or Citizens Advice Scotland.\n\nThe Equality Advisory and Support Service can help if your claim is about discrimination. You may also be able to get legal aid.\n\n## Make a claim\n\nYou can make a claim to the employment tribunal online.\n\nYou should read the guidance for whistleblowing if it relates to your claim.\n\nThis online service is also available in Welsh (Cymraeg).\n\nThere\u2019s a different way to claim if you live in Northern Ireland.\n\nClaim online\n\n## Make a claim by post\n\nYou can also download and fill in a claim form.\n\nRead the guidance for making a claim before you fill in the form. You should also read the guidance for whistleblowing if it relates to your claim.\n\nYou do not have to pay a fee to make a claim to the Employment Tribunal, even if it says so on the form.\n\nSend your completed form to one of the following addresses, depending on where you were working.\n\n## Talk-through service\n\nUse the employment tribunal talk-through service only if you\u2019re unable to use a computer without help.\n\nBefore calling make sure you have:\n\n- your Acas early conciliation certificate number or a valid reason why you do not have one\n\n- details of your claim including the background, dates and people involved\n\nThis service will not give you advice on the details of your claim. Contact the number for general enquiries instead.\n\n## After you make a claim\n\nThe respondent usually has to reply to your claim in writing within 28 days of getting your claim form. They will give their side of the case.\n\nOnce they\u2019ve replied, the tribunal will decide whether there will be a full hearing to decide on your case.\n\nIf they do not reply, the tribunal may decide on your case without you having to go to a hearing.\n\n## Hearings and coronavirus (COVID-19)\n\nBecause of coronavirus, your hearing may take place by phone, by video or in person.\n\nIf you\u2019re a legal professional, read guidance on how cases are affected by COVID-19.\n\n## \u2018Preliminary hearing\u2019\n\nYou may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:\n\n- whether part or all of your claim can go ahead\n\n- the date and time of a hearing\n\n- how long the hearing should take\n\n## Arrange documents\n\nYou can ask the respondent for documents that will help you with your case, and they can request documents from you.\n\nExamples of documents include:\n\n- a contract of employment\n\n- pay slips\n\n- details of your pension scheme\n\n- notes from relevant meetings you attended at work\n\nUsually the tribunal will issue an order setting out a timetable for when you should exchange documents.\n\nYou\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.\n\n## Organise witnesses\n\nYou can bring witnesses to the hearing if they can give evidence directly relevant to your case.\n\nIf you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with your case, giving:\n\n- the name and address of the witness\n\n- details of what the witness may be able to say and how it will help your case\n\n- the reason the witness has refused to attend (if they gave you one)\n\nYou\u2019ll most likely be responsible for paying the witness\u2019s expenses.\n\n## Going to a tribunal hearing\n\nCases are normally held at the employment tribunal office closest to where you worked.\n\nYou must take the documents you\u2019re using to support your case. You can take a colleague or someone else with you if you want.\n\nYou cannot claim for expenses for going to the hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. If you need to attend in person, find out what to expect when coming to your hearing. The tribunal will contact you and tell you how the hearing will take place.\n\n## What happens at the hearing\n\nYou\u2019ll present your case to the tribunal - someone else can do this for you, for example a lawyer, friend or family member. The respondent will present their case against you.\n\nYou\u2019ll normally give evidence first, unless your case is about unfair dismissal. You can also call witnesses to give evidence.\n\nYou will usually be asked questions by:\n\n- the judge\n\n- the respondent\n\n- two other tribunal members (only in certain cases)\n\n## Get a decision\n\nYou\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.\n\n## If you win your case\n\nIf you win your case, the tribunal can order the losing party to do certain things depending on the type of case. Examples include:\n\n- paying you compensation\n\n- paying you any witness expenses you\u2019ve paid\n\n- improving your working conditions\n\n- giving you your job back, if appropriate\n\nIf you get compensation, the amount can depend on:\n\n- the type of case - there are limits on certain cases\n\n- how much money you\u2019ve lost because of the respondent\u2019s actions\n\n- your age, length of service and salary\n\n## If the respondent does not pay\n\nIf you do not get your payment, contact them to find out why.\n\nIf they still do not pay you can ask to have them fined and named online by the government. You can also ask a court to force them to pay.\n\nYou cannot do these things if the respondent has appealed, or is about to. They have 42 days to appeal.\n\n## Get the respondent fined and named online by the government\n\nUse the penalty enforcement form. Post it to the address on the form or email it to the Department for Business, Energy and Industrial Strategy.\n\nThe respondent will initially get a warning notice telling them they may be fined, and named online by the government.\n\nIf they do not pay the compensation within 28 days of this notice they\u2019ll have to pay a fine and may be named online by the government.\n\nYou can still get a court to force them to pay.\n\n## Forcing them to pay if you\u2019re in England or Wales\n\nYou can use the Fast Track scheme to send a High Court Enforcement Officer - similar to a bailiff - to demand payment from the respondent.\n\nIt costs \u00a366, which you get back from the respondent when they pay.\n\nFill in the Fast Track Enforcement form (or the Acas settlement form if your case was settled before a hearing) and send it to the address on the form.\n\nYou can also ask the local county court to send an enforcement officer to get the money from the respondent. This costs \u00a344.\n\nFill in an application to enforce an award form and send it with a copy of the tribunal\u2019s decision to your local county court.\n\n## Forcing them to pay if you\u2019re in Scotland\n\nWrite to the office that heard your case and ask for an \u2018extract of the judgment\u2019. A sheriff officer can use this to force the respondent to pay.\n\nIf the respondent is \u2018insolvent\u2019 (for example, they\u2019re in administration, liquidation or receivership) you can make a claim for money they owe you, including redundancy payments.\n\n## If you lose your case\n\nYou can ask the tribunal to reconsider the decision (or \u2018judgment\u2019) if you lose your case.\n\nYou must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.\n\nYou also need to give good reasons, for example:\n\n- the tribunal made a mistake in the way it reached its decision\n\n- you were not told about the hearing, or were not at the hearing\n\n- there\u2019s new evidence\n\nSend your letter to the tribunal office that dealt with your case.\n\n## Appeal to the Employment Appeal Tribunal\n\nYou can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.\n\n## Get a refund for tribunal fees\n\nYou can get a refund if you paid fees at an Employment Tribunal or Employment Appeals Tribunal between 29 July 2013 and 26 July 2017.\n\n## How to apply\n\nYou can apply online if:\n\n- you have not changed your name since you made the claim to the tribunal\n\n- your claim was against one employer\n\n- you have a UK bank account\n\nOtherwise, you can apply by post or email.\n\nYou\u2019ll need to include how much you paid in tribunal fees.\n\n## Apply online\n\nUse the service to apply for a refund online.\n\n## Apply by email or post\n\nThe form you use depends on why you paid the fees.\n\nUse form 1/2-CR if:\n\n- you made the claim on your own and paid the fees\n\n- a claim was brought against you and you were ordered to pay someone\u2019s fees, or if you paid any other fees to the tribunal\n\n- you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for less than 11 people\n\nUse form 3-S if:\n\n- you paid the fees for someone else to make the claim\n\n- you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for over 10 people\n\nSend your completed form by post or email to HM Courts and Tribunals Service (HMCTS).\n\n## Get help applying\n\nContact HMCTS if you need help applying or have questions about refunds.\n\nFind out about call charges.\n\n## What happens next\n\nIf you\u2019re entitled to a refund it\u2019ll be transferred to your bank account (plus 0.5% interest). You\u2019ll get a letter confirming the amount.\n\n## Legislation\n\nThe Employment Tribunal follows rules and processes that you also have to follow.\n\nYou can also read other relevant tribunal rules and regulations.\n\nThe tribunal has issued guidance and practice directions for England and Wales and Scotland which provide more information about specific areas, such as postponing hearings and serving documents.\n\nYou can also read guidance about specific cases.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employment-tribunals", + "answerable": true, + "scenario": "My sister lost her job after a work colleague accused her wrongly of theft. After a thorough investigation they found out that my sister was innocent .", + "original_question": "Can she make a claim?" + }, + { + "id": "train-1654", + "question": "Scenario: I have filed a case against my employer . He reduced my salary without notice citing that I did not report to work for 2 weeks. I have witnesses who want to testify in court .\n\nQuestion: Can I ask my employer to pay the witness expenses?\n\nDocument - Make a claim to an employment tribunal:\n## When you can claim\n\nYou can make a claim to an employment tribunal if you think someone has treated you unlawfully, such as your employer, a potential employer or a trade union.\n\nUnlawful treatment can include:\n\n- unfair dismissal\n\n- discrimination\n\n- unfair deductions from your pay\n\nThis guide and the online service are also available in Welsh (Cymraeg).\n\nYou usually have to make a claim to the tribunal within 3 months of your employment ending or the problem happening.\n\nThe tribunal is independent of government and will listen to you (the \u2018claimant\u2019) and the person you\u2019re making a claim against (the \u2018respondent\u2019) before making a decision.\n\nSee if there\u2019s another way to solve the problem before you make a claim to a tribunal, such as using a grievance procedure.\n\n## Before you make a claim\n\nYou must tell the Advisory, Conciliation and Arbitration Service (Acas) that you intend to make a claim to the tribunal.\n\nYou\u2019ll be offered the chance to try and settle the dispute without going to court by using Acas\u2019s free \u2018Early Conciliation\u2019 service.\n\nIf early conciliation does not work, Acas will send you an early conciliation certificate - use this when you make a claim to the tribunal.\n\nOnce you receive your certificate, you\u2019ll have at least one month left to make your claim.\n\n## Help you can get\n\nCall the Employment Tribunal customer contact centre if you have any questions about your claim. They cannot give you legal advice.\n\nCall Acas if you have any questions about early conciliation. They cannot answer questions about your claim.\n\n## Legal help\n\nYou may want to get legal help or advice if you\u2019re in England and Wales or Scotland before you make your claim.\n\nYour trade union may be able to pay for a solicitor.\n\nYou can also get free legal advice from Citizens Advice or Citizens Advice Scotland.\n\nThe Equality Advisory and Support Service can help if your claim is about discrimination. You may also be able to get legal aid.\n\n## Make a claim\n\nYou can make a claim to the employment tribunal online.\n\nYou should read the guidance for whistleblowing if it relates to your claim.\n\nThis online service is also available in Welsh (Cymraeg).\n\nThere\u2019s a different way to claim if you live in Northern Ireland.\n\nClaim online\n\n## Make a claim by post\n\nYou can also download and fill in a claim form.\n\nRead the guidance for making a claim before you fill in the form. You should also read the guidance for whistleblowing if it relates to your claim.\n\nYou do not have to pay a fee to make a claim to the Employment Tribunal, even if it says so on the form.\n\nSend your completed form to one of the following addresses, depending on where you were working.\n\n## Talk-through service\n\nUse the employment tribunal talk-through service only if you\u2019re unable to use a computer without help.\n\nBefore calling make sure you have:\n\n- your Acas early conciliation certificate number or a valid reason why you do not have one\n\n- details of your claim including the background, dates and people involved\n\nThis service will not give you advice on the details of your claim. Contact the number for general enquiries instead.\n\n## After you make a claim\n\nThe respondent usually has to reply to your claim in writing within 28 days of getting your claim form. They will give their side of the case.\n\nOnce they\u2019ve replied, the tribunal will decide whether there will be a full hearing to decide on your case.\n\nIf they do not reply, the tribunal may decide on your case without you having to go to a hearing.\n\n## Hearings and coronavirus (COVID-19)\n\nBecause of coronavirus, your hearing may take place by phone, by video or in person.\n\nIf you\u2019re a legal professional, read guidance on how cases are affected by COVID-19.\n\n## \u2018Preliminary hearing\u2019\n\nYou may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:\n\n- whether part or all of your claim can go ahead\n\n- the date and time of a hearing\n\n- how long the hearing should take\n\n## Arrange documents\n\nYou can ask the respondent for documents that will help you with your case, and they can request documents from you.\n\nExamples of documents include:\n\n- a contract of employment\n\n- pay slips\n\n- details of your pension scheme\n\n- notes from relevant meetings you attended at work\n\nUsually the tribunal will issue an order setting out a timetable for when you should exchange documents.\n\nYou\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.\n\n## Organise witnesses\n\nYou can bring witnesses to the hearing if they can give evidence directly relevant to your case.\n\nIf you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with your case, giving:\n\n- the name and address of the witness\n\n- details of what the witness may be able to say and how it will help your case\n\n- the reason the witness has refused to attend (if they gave you one)\n\nYou\u2019ll most likely be responsible for paying the witness\u2019s expenses.\n\n## Going to a tribunal hearing\n\nCases are normally held at the employment tribunal office closest to where you worked.\n\nYou must take the documents you\u2019re using to support your case. You can take a colleague or someone else with you if you want.\n\nYou cannot claim for expenses for going to the hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. If you need to attend in person, find out what to expect when coming to your hearing. The tribunal will contact you and tell you how the hearing will take place.\n\n## What happens at the hearing\n\nYou\u2019ll present your case to the tribunal - someone else can do this for you, for example a lawyer, friend or family member. The respondent will present their case against you.\n\nYou\u2019ll normally give evidence first, unless your case is about unfair dismissal. You can also call witnesses to give evidence.\n\nYou will usually be asked questions by:\n\n- the judge\n\n- the respondent\n\n- two other tribunal members (only in certain cases)\n\n## Get a decision\n\nYou\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.\n\n## If you win your case\n\nIf you win your case, the tribunal can order the losing party to do certain things depending on the type of case. Examples include:\n\n- paying you compensation\n\n- paying you any witness expenses you\u2019ve paid\n\n- improving your working conditions\n\n- giving you your job back, if appropriate\n\nIf you get compensation, the amount can depend on:\n\n- the type of case - there are limits on certain cases\n\n- how much money you\u2019ve lost because of the respondent\u2019s actions\n\n- your age, length of service and salary\n\n## If the respondent does not pay\n\nIf you do not get your payment, contact them to find out why.\n\nIf they still do not pay you can ask to have them fined and named online by the government. You can also ask a court to force them to pay.\n\nYou cannot do these things if the respondent has appealed, or is about to. They have 42 days to appeal.\n\n## Get the respondent fined and named online by the government\n\nUse the penalty enforcement form. Post it to the address on the form or email it to the Department for Business, Energy and Industrial Strategy.\n\nThe respondent will initially get a warning notice telling them they may be fined, and named online by the government.\n\nIf they do not pay the compensation within 28 days of this notice they\u2019ll have to pay a fine and may be named online by the government.\n\nYou can still get a court to force them to pay.\n\n## Forcing them to pay if you\u2019re in England or Wales\n\nYou can use the Fast Track scheme to send a High Court Enforcement Officer - similar to a bailiff - to demand payment from the respondent.\n\nIt costs \u00a366, which you get back from the respondent when they pay.\n\nFill in the Fast Track Enforcement form (or the Acas settlement form if your case was settled before a hearing) and send it to the address on the form.\n\nYou can also ask the local county court to send an enforcement officer to get the money from the respondent. This costs \u00a344.\n\nFill in an application to enforce an award form and send it with a copy of the tribunal\u2019s decision to your local county court.\n\n## Forcing them to pay if you\u2019re in Scotland\n\nWrite to the office that heard your case and ask for an \u2018extract of the judgment\u2019. A sheriff officer can use this to force the respondent to pay.\n\nIf the respondent is \u2018insolvent\u2019 (for example, they\u2019re in administration, liquidation or receivership) you can make a claim for money they owe you, including redundancy payments.\n\n## If you lose your case\n\nYou can ask the tribunal to reconsider the decision (or \u2018judgment\u2019) if you lose your case.\n\nYou must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.\n\nYou also need to give good reasons, for example:\n\n- the tribunal made a mistake in the way it reached its decision\n\n- you were not told about the hearing, or were not at the hearing\n\n- there\u2019s new evidence\n\nSend your letter to the tribunal office that dealt with your case.\n\n## Appeal to the Employment Appeal Tribunal\n\nYou can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.\n\n## Get a refund for tribunal fees\n\nYou can get a refund if you paid fees at an Employment Tribunal or Employment Appeals Tribunal between 29 July 2013 and 26 July 2017.\n\n## How to apply\n\nYou can apply online if:\n\n- you have not changed your name since you made the claim to the tribunal\n\n- your claim was against one employer\n\n- you have a UK bank account\n\nOtherwise, you can apply by post or email.\n\nYou\u2019ll need to include how much you paid in tribunal fees.\n\n## Apply online\n\nUse the service to apply for a refund online.\n\n## Apply by email or post\n\nThe form you use depends on why you paid the fees.\n\nUse form 1/2-CR if:\n\n- you made the claim on your own and paid the fees\n\n- a claim was brought against you and you were ordered to pay someone\u2019s fees, or if you paid any other fees to the tribunal\n\n- you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for less than 11 people\n\nUse form 3-S if:\n\n- you paid the fees for someone else to make the claim\n\n- you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for over 10 people\n\nSend your completed form by post or email to HM Courts and Tribunals Service (HMCTS).\n\n## Get help applying\n\nContact HMCTS if you need help applying or have questions about refunds.\n\nFind out about call charges.\n\n## What happens next\n\nIf you\u2019re entitled to a refund it\u2019ll be transferred to your bank account (plus 0.5% interest). You\u2019ll get a letter confirming the amount.\n\n## Legislation\n\nThe Employment Tribunal follows rules and processes that you also have to follow.\n\nYou can also read other relevant tribunal rules and regulations.\n\nThe tribunal has issued guidance and practice directions for England and Wales and Scotland which provide more information about specific areas, such as postponing hearings and serving documents.\n\nYou can also read guidance about specific cases.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employment-tribunals", + "answerable": true, + "scenario": "I have filed a case against my employer . He reduced my salary without notice citing that I did not report to work for 2 weeks. I have witnesses who want to testify in court .", + "original_question": "Can I ask my employer to pay the witness expenses?" + }, + { + "id": "train-1655", + "question": "Scenario: I am an employee of a company that has been summoned for jury service. I have difficulty hearing, and believe this would make it difficult to participate.\n\nQuestion: Is poor hearing grounds to be excused from jury service?\n\nDocument - Jury service:\n## How jury service works\n\nIf you get a jury summons in the post, you must respond within 7 days and confirm if you can attend.\n\nYour name was chosen randomly from the electoral register.\n\nYou\u2019ll be part of a jury of 12 people to decide the outcome of a criminal trial.\n\nYou can watch a video about jury service. There\u2019s also a Welsh language version of the video.\n\n## Jury service and coronavirus (COVID-19)\n\nIf you\u2019ve received a jury summons, you will need to attend. Jury staff will contact you to confirm the days and times you need to attend.\n\nDo not go to court if you have COVID-19 symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\nYou can read more about how coronavirus is affecting jury service including the social distancing measures that are in place.\n\n## How long jury service lasts\n\nJury service usually lasts up to 10 working days.\n\nIf the trial is likely to last longer than 10 days, jury staff will let you know. If the trial is shorter than 10 days, you may be asked to be a juror on other trials.\n\nYou\u2019ll usually need to be at court from 10am to 5:30pm Monday to Friday, but times can vary.\n\nYou\u2019ll need to arrive at court earlier on your first day. Check your summons letter for the exact time.\n\n## What you can claim\n\nYou will not be paid for doing jury service, but you can claim some money back if you lose earnings. You can also claim some expenses, for example travel.\n\nFind out what you can claim:\n\n- if you\u2019re an employee\n\n- if you\u2019re self-employed\n\n- if you\u2019re not working\n\n## What you can claim if you\u2019re an employee\n\nYou will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:\n\n- up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements\n\n- \u00a35.71 for food and drink\n\n- the cost of travel to and from court\n\nYou\u2019ll be told how to claim expenses after your jury service has ended.\n\n## Taking time off work\n\nGive a copy of your jury summons to your employer.\n\nYour employer must let you have time off work, but can ask you to delay your jury service if your absence will have a serious effect on their business.\n\n## Problems with your employer\n\nIf you\u2019re not allowed to take time off work for jury service, you can complain to an employment tribunal.\n\nIf you\u2019re sacked because you do jury service you may be able to claim unfair dismissal.\n\n## Getting paid during jury service\n\nYour employer can choose whether or not to pay you during your service.\n\nIf they do not pay you, you can claim for loss of earnings from the court.\n\n## If you get benefits or financial support\n\nShow your jury summons to your benefit office or work coach as soon as you get it.\n\nYou\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.\n\n## What you can claim\n\nThere\u2019s a limit to how much you can claim for each day you\u2019re at court.\n\n## Loss of earnings, childcare and other care costs\n\nHow much you can claim to cover loss of earnings and care costs depends on the length of your jury service and how many hours you spend at court each day.\n\nFor the first 10 days of jury service, you can claim up to:\n\n- \u00a364.95 a day if you spend more than 4 hours at court\n\n- \u00a332.47 a day if you spend 4 hours or less at court\n\nIf your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:\n\n- \u00a3129.91 a day if you spend more than 4 hours at court\n\n- \u00a364.95 a day if you spend 4 hours or less at court\n\n## Travel and parking costs\n\nHow much you can claim depends on how you travel to court.\n\n| How you travel to court | The court will pay |\n\n| Bus or underground | Cost of the ticket |\n\n| Train | Cost of the ticket (standard class return fare) |\n\n| Bicycle | 9.6p per mile |\n\n| Motorcycle | 31.4p per mile |\n\n| Car | 31.4p per mile - check if the court will pay for parking |\n\n| Car - for one other juror as a passenger | 4.2p per mile |\n\n| Car - for each additional passenger | 3.2p per mile |\n\n| Taxi | The fare - ask the court for permission before using a taxi |\n\n## Food and drink\n\nHow much you can claim depends on how many hours you spend in court each day.\n\n| Time spent each day | The court will pay up to |\n\n| Up to and including 10 hours a day | \u00a35.71 per day |\n\n| Over 10 hours a day | \u00a312.17 per day |\n\n## Estimate your expenses\n\nYou can use a calculator to check what you can claim.\n\n## What you can claim if you\u2019re self-employed\n\nYou will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:\n\n- up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements\n\n- \u00a35.71 for food and drink\n\n- the cost of travel to and from court\n\nYou\u2019ll be told how to claim expenses after your jury service has ended.\n\nYou can ask to delay your jury service if you cannot do jury service on the dates in your summons letter.\n\n## If you get benefits or financial support\n\nShow your jury summons to your benefit office or work coach as soon as you get it.\n\nYou\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.\n\n## What you can claim\n\nThere\u2019s a limit to how much you can claim for each day you\u2019re at court.\n\n## Loss of earnings, childcare and other care costs\n\nHow much you can claim to cover loss of earnings and care costs depends on the length of your jury service and how many hours you spend at court each day.\n\nFor the first 10 days of jury service, you can claim up to:\n\n- \u00a364.95 a day if you spend more than 4 hours at court\n\n- \u00a332.47 a day if you spend 4 hours or less at court\n\nIf your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:\n\n- \u00a3129.91 a day if you spend more than 4 hours at court\n\n- \u00a364.95 a day if you spend 4 hours or less at court\n\n## Travel and parking costs\n\nHow much you can claim depends on how you travel to court.\n\n| How you travel to court | The court will pay |\n\n| Bus or underground | Cost of the ticket |\n\n| Train | Cost of the ticket (standard class return fare) |\n\n| Bicycle | 9.6p per mile |\n\n| Motorcycle | 31.4p per mile |\n\n| Car | 31.4p per mile - check if the court will pay for parking |\n\n| Car - for one other juror as a passenger | 4.2p per mile |\n\n| Car - for each additional passenger | 3.2p per mile |\n\n| Taxi | The fare - ask the court for permission before using a taxi |\n\n## Food and drink\n\nHow much you can claim depends on how many hours you spend in court each day.\n\n| Time spent each day | The court will pay up to |\n\n| Up to and including 10 hours a day | \u00a35.71 per day |\n\n| Over 10 hours a day | \u00a312.17 per day |\n\n## Estimate your expenses\n\nYou can use a calculator to check what you can claim.\n\n## What you can claim if you're not working\n\nYou will not be paid for doing jury service, but you can claim some money back if your earnings are affected. For each day you\u2019re at court, you can usually claim:\n\n- up to \u00a364.95 towards your loss of earnings, and any care or childcare costs outside of your usual arrangements\n\n- \u00a35.71 for food and drink\n\n- the cost of travel to and from court\n\nYou\u2019ll be told how to claim expenses after your jury service has ended.\n\nYou can ask to delay your jury service if you cannot do jury service on the dates in your summons letter.\n\n## If you get benefits or financial support\n\nShow your jury summons to your benefit office or work coach as soon as you get it.\n\nYou\u2019ll continue to get financial support and benefits (such as Universal Credit) for the first 8 weeks. After that, the court will give you a loss of earnings form to give to your benefit office or work coach.\n\n## What you can claim\n\nThere\u2019s a limit to how much you can claim for each day you\u2019re at court.\n\n## Childcare and other care costs if you are not working\n\nHow much you can claim to cover care costs depends on the length of your jury service and how many hours you spend at court each day.\n\nFor the first 10 days of jury service, you can claim up to:\n\n- \u00a364.95 a day if you spend more than 4 hours at court\n\n- \u00a332.47 a day if you spend 4 hours or less at court\n\nIf your jury service lasts longer than 10 working days, the amount you can claim increases. You\u2019ll be able to claim up to:\n\n- \u00a3129.91 a day if you spend more than 4 hours at court\n\n- \u00a364.95 a day if you spend 4 hours or less at court\n\n## Travel and parking costs\n\nHow much you can claim depends on how you travel to court.\n\n| How you travel to court | The court will pay |\n\n| Bus or underground | Cost of the ticket |\n\n| Train | Cost of the ticket (standard class return fare) |\n\n| Bicycle | 9.6p per mile |\n\n| Motorcycle | 31.4p per mile |\n\n| Car | 31.4p per mile - check if the court will pay for parking |\n\n| Car - for one other juror as a passenger | 4.2p per mile |\n\n| Car - for each additional passenger | 3.2p per mile |\n\n| Taxi | The fare - ask the court for permission before using a taxi |\n\n## Food and drink\n\nHow much you can claim depends on how many hours you spend in court each day.\n\n| Time spent each day | The court will pay up to |\n\n| Up to and including 10 hours a day | \u00a35.71 per day |\n\n| Over 10 hours a day | \u00a312.17 per day |\n\n## Estimate your expenses\n\nYou can use a calculator to check what you can claim.\n\n## Ask to change the date or be excused\n\nIf you cannot do jury service on the dates in your summons letter, you can ask to change the date or be excused.\n\n## Ask to change the date of your jury service\n\nYou might be able to change the date of your jury service to another date within the next 12 months. You\u2019ll need a good reason, for example:\n\n- you\u2019re having an operation\n\n- you\u2019re sitting an exam\n\n- your employer will not give you time off work\n\n- you have a holiday booked\n\n- you\u2019re a new parent\n\nYou can only ask to change the date once.\n\nTo change the date, reply to your jury summons explaining your reasons in detail. When you reply you can suggest 3 possible dates in the next 12 months that work for you.\n\n## Ask to be excused from jury service\n\nIf it\u2019s not possible for you to do jury service in the next 12 months, you can ask to be excused. You\u2019ll only be allowed to do this in exceptional circumstances, for example:\n\n- you have a serious illness or disability that prevents you from doing jury service\n\n- you\u2019re a full time carer of someone with an illness or disability\n\n- you\u2019re a new parent and will not be able to serve at any other time in the next 12 months\n\nIf you cannot do jury service because of coronavirus (COVID-19), you should ask to change the date.\n\nYou can also ask to be excused from jury service if you\u2019ve done it in the last 2 years.\n\nIf you do not do jury service this time, you could still receive a summons in the future.\n\nTo ask to be excused, reply to your jury summons explaining your reasons in detail. You might need to give proof, for example, if you\u2019re ill you might be asked for a letter from your doctor.\n\nIf your request is turned down, you can still ask to change the date of your jury service.\n\n## If you disagree with the decision\n\nYou can appeal if your request to change the date of your jury service or be excused is refused. Write to the Jury Central Summoning Bureau, including:\n\n- why you disagree with the decision\n\n- your juror number (this is on your summons letter)\n\n- your name and address\n\n- your date of birth\n\n- the name and address of the court you\u2019ve been summoned to\n\n- the dates of your jury service\n\n## Get help\n\nContact the Jury Central Summoning Bureau if you have questions about jury service.\n\n## Respond to the summons\n\nYou must respond to your jury summons within 7 days of getting it.\n\nYou can either:\n\n- reply to the jury summons online\n\n- complete and return the form by post\n\nYou can be fined up to \u00a31,000 if you do not return the form or turn up for your jury service.\n\n## After you respond\n\nThe Jury Central Summoning Bureau will send you a letter to confirm details of your jury service, including when and where it will take place.\n\nIf you asked to change the date or to be excused, the letter will explain if your request was accepted.\n\nYou\u2019ll need to bring your summons or confirmation letter to court with you on your first day of jury service.\n\nDue to coronavirus (COVID-19), you may be asked to go to a different location than the one you were summoned to. If the court needs to change the venue, they will contact you at least one week before your jury service is due to start. Check which courts offer additional locations.\n\n## Get help\n\nContact the Jury Central Summoning Bureau if you have questions about jury service or about a decision.\n\nThe Jury Central Summoning Bureau may be able to change the location of your jury service if you\u2019ve been summoned to a court far from where you live. For example, if you\u2019ve recently moved house or if you\u2019re at university and you\u2019ve been summoned to a court near your family home.\n\nContact the court if you:\n\n- need directions\n\n- have a question about your expenses claim\n\n## Going to court as a juror\n\nOn your first day, you should bring:\n\n- your jury summons form or your jury service confirmation letter\n\n- some identification, such as your passport, photo driving licence or Home Office documents showing your UK immigration status\n\nIf you do not have identification, you can bring any 2 documents from the following:\n\n- your birth certificate\n\n- your credit card with 3 statements and proof of signature\n\n- your cheque book and bank card with 3 statements and proof of signature\n\n- 3 utility bills showing your name and address\n\n## Laptops, tablets and mobile phones\n\nYou can bring your mobile phone, tablet or laptop into the court building and use it in the jury assembly area.\n\nYou cannot take your phone, laptop or tablet into the deliberation room. All courts have lockers or somewhere you can safely store your personal items.\n\nThere is free wifi in most courts.\n\n## What to wear\n\nThere is no strict dress code and you can wear clothes you\u2019re comfortable in, such as jeans and a t-shirt.\n\nVery casual clothing such as shorts or clothing with inappropriate logos or slogans are not allowed.\n\n## What will happen when you arrive at court\n\nAllow extra time to go through security at court.\n\nCourt staff will show you where the jury assembly area is and the jury manager will:\n\n- tell you about jury service\n\n- explain your responsibilities\n\n- tell you what expenses you can claim and how to claim them\n\nThere are extra security and hygiene measures in place because of coronavirus (COVID-19).\n\n## If you have a disability\n\nCheck what facilities are available in the court you\u2019re going to.\n\nContact the Jury Central Summoning Bureau if you have questions about the facilities or to arrange a visit to the court.\n\n## Discussing the trial\n\nDo not discuss the trial with anyone until it\u2019s finished, except with other jury members in the deliberation room.\n\nAfter the trial you must not talk about what happened in the deliberation room, even with family members. You can talk about what happened in the courtroom.\n\nDo not post comments about the trial on social media websites like Facebook or Twitter - even after the trial\u2019s finished. This is contempt of court and you can be fined or sent to prison.\n\n## If anyone approaches you about the trial\n\nTell a court officer if you\u2019re approached about the trial. If you\u2019re approached outside court, tell a police officer.\n\n## If you find the trial distressing\n\nYou may be upset by the trial and want to speak to someone privately. Speak to court staff - they\u2019ll give you advice.\n\nFor emotional support speak to your GP to find out what support is available. You can also contact the Samaritans - although they cannot give advice.\n\n## How to claim expenses\n\nMake your claim for expenses at the end of your jury service - and no more than 12 months after your jury service started.\n\nYou\u2019ll usually be paid 7 to 10 working days after submitting your claim form.\n\nThe court may be able to pay your expenses during the trial if it\u2019s likely to last a long time or if you\u2019re facing financial hardship. Ask jury staff for more information.\n\n## Food, drink and travel expenses\n\nFill in the claim form you received at the start of jury service. Return it to the court with the relevant receipts.\n\n## Loss of earnings\n\nWhat you need to do depends on whether you are employed or self-employed.\n\n## If you\u2019re an employee\n\nYour employer needs to fill in a loss of earnings form if they\u2019ve told you they are not going to pay you during jury service. Bring it to court on your first day of jury service.\n\n## If you\u2019re self-employed\n\nFill in a self-employed loss of earnings form. You\u2019ll need to include evidence of lost earnings, such as your most recent tax return.\n\n## Care and childcare expenses\n\nYou and the carer need to fill in the care expenses form to claim for costs outside of your usual care arrangements.\n\nIf you\u2019re using a registered childminder, they need to write their Ofsted number on the form. If a family member or friend is looking after your children, they must write a letter saying how many hours they\u2019ve cared for your child.\n\nBring your child\u2019s birth certificate or passport to court during your service or attach a copy to the claim form.\n\nReturn the form to the court with evidence of the cost of care, for example invoices or receipts.\n\n## Questions about expenses\n\nContact the court where you did jury service if you have questions about expenses.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/jury-service", + "answerable": true, + "scenario": "I am an employee of a company that has been summoned for jury service. I have difficulty hearing, and believe this would make it difficult to participate.", + "original_question": "Is poor hearing grounds to be excused from jury service?" + }, + { + "id": "train-1656", + "question": "Scenario: My brother and I had issues with the documentation regarding the home my father left us in his will. We were able to reach a decision among ourselves shortly after we applied to the land registration tribunal.\n\nQuestion: Is the hearing required if both of us agree with making a decision without a hearing?\n\nDocument - Apply to the land registration tribunal:\n## Overview\n\nYou need to apply to the Land Registration division of the Property Chamber (First-tier Tribunal) if you want to correct or cancel certain documents relating to registered land.\n\nYou may also be referred to the tribunal by HM Land Registry if you\u2019re in a dispute over a change to the land register (known as a \u2018reference case\u2019).\n\nIf you want to change the title register or title plan, contact HM Land Registry directly.\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou may want to get help and advice before you appeal, for example from a lawyer.\n\n## Apply to the tribunal\n\nApply to the tribunal if you want to correct or cancel (sometimes known as \u2018set aside\u2019) certain documents relating to registered land. You can also object to someone else\u2019s application. These are known as \u2018rectification cases\u2019.\n\n## Apply to make a change to a document\n\nDownload and fill in the application form and send it to the address on the form.\n\nYou must also include a statement saying that you believe that the facts stated in the application are true.\n\nThe tribunal will then send, or tell you to send, a copy of the application to all other interested parties.\n\nYou\u2019ll be told whether there\u2019ll be a hearing to decide your case.\n\n## Object to a change of a document\n\nDownload and fill in the objection form and send it to the address given in the form.\n\nYou must send the form within 28 days of getting your copy of an application to change the register.\n\nYour response must include your reasons for objecting to the application, giving all relevant facts and evidence\n\nYou\u2019ll need to include a list of and copies of all documents that:\n\n- are important to your case\n\n- the tribunal and all interested parties will need to understand the case\n\nYou\u2019ll be told by the tribunal if there\u2019ll be a hearing to decide your case.\n\n## Get help\n\nYou can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.\n\n## Being referred to the tribunal\n\nYour case may be referred to the Land Registration division of the Property Chamber if somebody disputes your application to HM Land Registry. This is known as a \u2018reference case\u2019.\n\nBoth parties will be sent a letter by the tribunal after your case has been referred by HM Land Registry.\n\nThe letter will explain whether you\u2019re the \u2018applicant\u2019 or the \u2018respondent\u2019. Generally, you\u2019ll be named as the applicant if the tribunal thinks you\u2019re the party that needs to prove its case.\n\n## Making a \u2018statement of case\u2019\n\n## Applicants\n\nYou have 28 days after getting the letter to send your \u2018statement of case\u2019 to the tribunal and the respondent. The letter will tell you where to send your statement.\n\nYour statement must include:\n\n- your name and address (and an address where documents can be sent to you)\n\n- the name and address of your legal representative (if you have one)\n\n- your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence\n\nYou need to include copies of documents that:\n\n- are important to your case\n\n- are needed to understand the case\n\nYou also need to include a list of the documents.\n\nAfter the other parties have responded to the tribunal, you\u2019ll be told if there\u2019s going to be a hearing.\n\n## Respondents\n\nYou have 28 days after getting the applicants \u2018statement of case\u2019 to send your own case to the tribunal and the applicant.\n\nYour statement must include your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence.\n\nYou need to include copies of all documents that:\n\n- are important to your case\n\n- are needed to understand the case\n\nYou also need to include a list of these documents.\n\nThe tribunal will then contact you to tell you if there\u2019s going to be a hearing.\n\n## Starting court proceedings\n\nYou or the other party can be ordered by the tribunal to start court proceedings at any time. This will happen if the tribunal cannot handle your case.\n\nYou can also contact the tribunal and ask them to make the other party start court proceedings, or voluntarily start proceedings yourself.\n\n## Get help\n\nYou can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.\n\n## What happens at the hearing\n\nYou may have to attend a hearing where you (or your legal representative) and the other parties will present your cases to a judge.\n\nThe judge will decide:\n\n- which party wins the case\n\n- if any costs are payable by one party to another\n\nYou\u2019ll usually be told the outcome of the case within 42 days of the hearing.\n\n## Preparing for the hearing\n\nYou\u2019ll be told the time and date of the hearing and where its being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.\n\nYou\u2019ll be sent instructions on how to prepare and exchange evidence after all the parties have given their statements of case.\n\n## Decisions without hearings\n\nThe tribunal may make a decision without a hearing if all the people involved agree or if no one objects once given notice.\n\nThe people involved can also ask the tribunal to make a decision without a hearing.\n\n## Getting a time extension\n\nYou can ask for a time extension at any point in the proceedings.\n\nYou should ask all other parties involved to agree to an extension before applying to the tribunal.\n\n## If you lose your case\n\nYou can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.\n\nYou can also ask the First-tier Tribunal to set aside their decision if you think there was a problem with the tribunal\u2019s procedure, for example you did not receive a notice of a hearing.\n\nRead guidance on how to challenge a decision for details.\n\nYou can complain about the tribunal staff or the service you received. You cannot complain about the decision.\n\n## Legislation and previous decisions\n\nYou can read the rules the tribunal must follow and its decisions on previous cases if you\u2019re representing yourself or someone else.\n\nThe tribunal will make a decision based on the Land Registration Act 2002.\n\nThe tribunal must follow the rules and process in:\n\n- Tribunal Procedure (First-tier Tribunal) (Property Chamber) Rules 2013\n\n- Practice Directions issued by the Senior President of Tribunals (30 July 2013) (PDF, 49KB)\n\n- Practice Statement issued by the Senior President of Tribunals (8 August 2017) (PDF, 0.1MB)\n\nYou can also search the decisions database to see how and why previous decisions have been made.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "answerable": true, + "scenario": "My brother and I had issues with the documentation regarding the home my father left us in his will. We were able to reach a decision among ourselves shortly after we applied to the land registration tribunal.", + "original_question": "Is the hearing required if both of us agree with making a decision without a hearing?" + }, + { + "id": "train-1659", + "question": "Scenario: My nephew is 22 years old and lives in UK. He has a manual driving license. He would like to offer driving lessons to my 19 years old son.\n\nQuestion: Is this allowed?\n\nDocument - Driving lessons and learning to drive:\n## Overview\n\nYou can apply for a provisional driving licence when you\u2019re 15 years and 9 months old.\n\nYou can start driving a car when you\u2019re 17.\n\nYou can drive a car when you are 16 if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).\n\nCheck which vehicles you can learn to drive.\n\n## Learning to drive during coronavirus (COVID-19)\n\nYou can take driving lessons anywhere in the UK.\n\nYou and any passengers should wear a face covering, unless you\u2019re exempt.\n\nIn Scotland, you can be fined if you do not wear a face covering during a driving lesson.\n\nCheck the rules for practising with friends and family.\n\n## If you\u2019re learning to drive in Scotland\n\nYou and the person teaching you to drive must wear face coverings during driving lessons and practice sessions in Scotland.\n\nIf you do not wear a face covering, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\n- you and the person teaching you live in the same household\n\nWearing glasses does not count as a good reason.\n\nYou can be fined \u00a360 if you do not wear a face covering during a driving lesson in Scotland. This will be reduced to \u00a330 if you pay within 28 days.\n\n## Rules for learning to drive\n\nYou must have a provisional driving licence for Great Britain or Northern Ireland when you\u2019re learning to drive or ride.\n\nYou must be supervised when you\u2019re learning to drive a car. This can be by a driving instructor or someone else who meets the rules, for example family or friends.\n\nThe car you learn in must display \u2018L\u2019 plates.\n\nYou can drive at any time, day and night.\n\nYou can only drive on motorways if all of the following apply:\n\n- you\u2019re driving in England, Scotland or Wales\n\n- you\u2019re with an approved driving instructor\n\n- the car is fitted with dual controls\n\n## Speed limits\n\nIn England, Scotland and Wales the speed limits when driving with \u2018L\u2019 plates are the same as when you\u2019ve passed your test.\n\nIn Northern Ireland the speed limit is 45 miles per hour when you\u2019re learning to drive a car.\n\n## Taking driving lessons\n\nAnyone you pay to teach you to drive must be either:\n\n- a qualified and approved driving instructor (ADI)\n\n- a trainee driving instructor\n\nYou can find your nearest driving instructors.\n\nThere are different rules in Northern Ireland for choosing an instructor.\n\nInstructors set their own prices for driving lessons - there\u2019s no minimum or maximum cost.\n\n## Check your instructor\u2019s badge\n\nInstructors have to display a badge in their windscreen to prove they\u2019re registered with the Driver and Vehicle Standards Agency (DVSA). They display:\n\n- a green badge if they\u2019re a qualified driving instructor\n\n- a pink badge if they\u2019re a trainee\n\nYou can report someone to DVSA if they charge for driving lessons and are not a qualified driving instructor or trainee.\n\n## Driving lessons\n\nThere\u2019s no minimum number of lessons you must have or hours you must practise driving.\n\nHow many lessons you need will depend on how quickly you learn. You can download a form to record your progress with your instructor.\n\nYou can complain about a driving instructor if you\u2019re not happy with their service or behaviour.\n\n## Practising with family or friends\n\nIn England, you can practice driving with family or friends, but this is restricted to groups of no more than 6 people, or 2 households. Follow the rules for car sharing in the coronavirus (COVID-19) travel guidance.\n\nIn Scotland, there are different rules depending on which area level you are in, but you are legally required to wear a face covering unless you are exempt. Read the guidance on driving lessons in Scotland.\n\nIn Wales, you can practice driving with people you live with or those within your support bubble. You do not need to stay in your local council area.\n\nAnyone you practise your driving with (without paying them) must:\n\n- be over 21\n\n- be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car\n\n- have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)\n\nYou can be fined up to \u00a31,000 and get up to 6 penalty points on your provisional licence if you drive without the right supervision.\n\nIt\u2019s illegal for your friend or family member to use a mobile phone while supervising you.\n\n## Insurance\n\nYou need your own insurance as a learner driver if you\u2019re practising in a car you own. Your family member or friend will usually be covered on this.\n\nIf you\u2019re practising in someone else\u2019s car, you need to make sure their insurance policy covers you as a learner driver.\n\nSome insurance companies require the person supervising you to be over 25 years old.\n\nYou can get an unlimited fine, be banned from driving and get up to 8 penalty points for driving without insurance.\n\n## Recording your practice\n\nYou can download a form to record any practice you do without your driving instructor.\n\n## Using 'L' and 'P' plates\n\nYou must put an L plate on the front and back of your vehicle so they can be seen easily.\n\nIn Wales, you can use a D plate instead.\n\nAn L plate or D plate must:\n\n- have a red L or D on a white background\n\n- be the right size\n\nYou can get up to 6 penalty points if you do not display an L plate or if it\u2019s not the right size.\n\nYou should take L plates off your vehicle when it\u2019s not being used by a learner.\n\n## P plates\n\nYou can display green \u2018probationary\u2019 P plates to show that you\u2019ve just passed your driving test. You do not have to display them. You can leave them on your vehicle for as long as you like.\n\nIn Northern Ireland you must use \u2018R\u2019 plates (restricted driver plates) for one year after you pass your test.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "answerable": true, + "scenario": "My nephew is 22 years old and lives in UK. He has a manual driving license. He would like to offer driving lessons to my 19 years old son.", + "original_question": "Is this allowed?" + }, + { + "id": "train-1662", + "question": "Scenario: My neighbor was attacked and raped by two gangsters at night in her house.she later identified them and were jailed. She just received news that they are on parole and soon will be released. She is worried.\n\nQuestion: Can she ask someone else to make a victim personal statement to the parole board?\n\nDocument - Make a victim personal statement to the Parole Board:\n## Who can make a victim personal statement and when\n\nThe Parole Board decides if prisoners who are eligible for parole can be released. It also makes recommendations on whether it\u2019s safe for prisoners to be:\n\n- transferred to an open prison\n\n- given a temporary release under supervision (known as being \u2018on licence\u2019 or probation)\n\n## Victims\n\nYou can make a \u2018victim personal statement\u2019 to be presented at the Parole Board hearing if you\u2019re a victim of the prisoner.\n\nThis is sometimes known as an \u2018impact statement\u2019.\n\nIf you\u2019re in Scotland, you need to make a written representation to the Parole Board for Scotland.\n\nYou can use your statement to explain how the crime has affected you - from the time it was committed until now.\n\nThis includes the effect the crime has had on you and your family:\n\n- physically\n\n- mentally\n\n- emotionally\n\n- financially\n\n## Relatives of victims\n\nYou can make a victim personal statement if you\u2019re a close relative of a victim who:\n\n- has died\n\n- is aged under 18\n\n- cannot make a statement themselves - for example, because of mental incapacity or illness\n\nClose relatives include spouses and partners, parents, children, grandparents, grandchildren, siblings and dependants. Other family members, guardians and carers of victims may also be allowed to make a statement.\n\nWhen more than one relative wants to make a statement, the Parole Board may ask for 1 or 2 statements to represent them all.\n\n## When to make your victim personal statement\n\nIf you choose to join the Victim Contact Scheme, your Victim Liaison Officer will tell you when a prisoner is being considered for parole.\n\nThey\u2019ll tell you when to write your victim personal statement. They\u2019ll also send it to the Parole Board for you at least 28 days before the hearing.\n\nIf you did not join the Victim Contact Scheme, you can contact your local probation office about:\n\n- giving a statement\n\n- joining the scheme if you want to be told when a prisoner is being considered for release or transfer\n\nThe Parole Board has more information about making a victim personal statement and joining the Victim Contact Scheme.\n\n## How a victim personal statement is used\n\nThe Parole Board panel makes a decision based on whether a prisoner is a risk to the public.\n\nThe panel can use your victim personal statement to help it:\n\n- understand the impact of the crime\n\n- decide what questions to ask the prisoner, to find out about their understanding of how their crimes have affected victims\n\n- decide what the prisoner can and cannot do (known as \u2018licence conditions\u2019) if they\u2019re released\n\nThe Parole Board will make its decision by:\n\n- privately reviewing a file of information and reports about the prisoner\n\n- holding a hearing, if the board needs more information\n\nYou can ask to attend the hearing to read out your statement if you want, or have it read out for you. The Parole Board decides if you can attend.\n\n## Write your victim personal statement\n\nYour victim personal statement is your opportunity to explain how a crime has affected you and your family - for example, physically, emotionally, financially or in any other way.\n\nYou can update the statement that you wrote for the prisoner\u2019s trial or write a new one.\n\nYour statement should take less than 10 minutes to read out.\n\nYou can usually choose how your statement is presented at an oral hearing.\n\nYou must always submit a written version of your statement.\n\n## What to include\n\nYou need to include how the:\n\n- crime affected you at the time\n\n- crime has affected you since it happened\n\n- prisoner\u2019s release or move to an open prison would affect you, your family, friends or community\n\nDo not include:\n\n- whether you think the prisoner should be released\n\n- long descriptions of the original crime\n\n- any threats or critical comments to or about the prisoner or the Parole Board\n\nTell your Victim Liaison Officer if you think you have other information that will help the Parole Board make a decision.\n\n## Young victims and children\n\nIf you do not want to or cannot make a written victim personal statement, you can tell your Victim Liaison Officer about how:\n\n- you and your family were hurt\n\n- the crime makes you feel now\n\n- you think you would feel if the prisoner was released\n\nYour Victim Liaison Officer will write this down and give it to the Parole Board.\n\nYour parent or guardian can also make a statement if they want to.\n\n## The prisoner\u2019s access to your victim personal statement\n\nPrisoners usually have full access to all victim personal statements presented at their hearing.\n\nSpeak to your Victim Liaison Officer if you do not want the prisoner to have access to your statement.\n\nYou\u2019ll need to make a good case that it will:\n\n- put you or your family at risk\n\n- have a negative effect on you in some other way\n\nStatements are only withheld from prisoners under exceptional circumstances.\n\n## Choose how your victim personal statement is presented at the hearing\n\nYou\u2019ll usually have a choice of how your victim personal statement is presented at the hearing.\n\nYou can ask:\n\n- for the Parole Board panel to read your statement themselves\n\n- to attend the hearing and read out your statement in person\n\n- to attend the hearing and choose someone else to read out your statement\n\n- to choose someone to go the hearing instead of you and read out your statement\n\nBecause of coronavirus (COVID-19) you cannot currently attend hearings in person. You will have to submit your statement remotely.\n\nAt some hearings you may be able to read out your statement via a live video link or make a recording for the panel.\n\nRequests by victims to attend hearings are usually granted, but it\u2019s not a legal right and you can be refused.\n\nYou can usually bring your Victim Liaison Officer or a family member or friend if you come to the hearing.\n\nPeople under 18 years of age usually cannot attend parole hearings in person and must choose one of the other options, such as getting someone else to read out your statement.\n\n## What happens at a parole hearing\n\nYou\u2019ll be asked to read out your victim personal statement (unless someone else is reading it for you).\n\nYou will not be able to add anything to your written statement at the hearing and will not usually be asked questions.\n\nAfter you\u2019ve made your statement you\u2019ll be asked to leave and the hearing will continue.\n\nYour Victim Liaison Officer will tell you the outcome.\n\nRead the guide on getting parole for detailed information on what happens at a parole hearing.\n\n## Prisoners at parole hearings\n\nPrisoners are usually not present while their victims read their statements. The prisoner\u2019s legal representative is usually there.\n\nYou can ask that the prisoner is present while you read your statement, but they\u2019ll need to agree to this and the Parole Board has to allow it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "answerable": true, + "scenario": "My neighbor was attacked and raped by two gangsters at night in her house.she later identified them and were jailed. She just received news that they are on parole and soon will be released. She is worried.", + "original_question": "Can she ask someone else to make a victim personal statement to the parole board?" + }, + { + "id": "train-1663", + "question": "Scenario: My Uncle lost his wife through a armed robbery. The culprits were jailed and are now on parole. He made a victim personal statement on what happened.\n\nQuestion: Is he allowed to add more information during reading of his victim personal statement?\n\nDocument - Make a victim personal statement to the Parole Board:\n## Who can make a victim personal statement and when\n\nThe Parole Board decides if prisoners who are eligible for parole can be released. It also makes recommendations on whether it\u2019s safe for prisoners to be:\n\n- transferred to an open prison\n\n- given a temporary release under supervision (known as being \u2018on licence\u2019 or probation)\n\n## Victims\n\nYou can make a \u2018victim personal statement\u2019 to be presented at the Parole Board hearing if you\u2019re a victim of the prisoner.\n\nThis is sometimes known as an \u2018impact statement\u2019.\n\nIf you\u2019re in Scotland, you need to make a written representation to the Parole Board for Scotland.\n\nYou can use your statement to explain how the crime has affected you - from the time it was committed until now.\n\nThis includes the effect the crime has had on you and your family:\n\n- physically\n\n- mentally\n\n- emotionally\n\n- financially\n\n## Relatives of victims\n\nYou can make a victim personal statement if you\u2019re a close relative of a victim who:\n\n- has died\n\n- is aged under 18\n\n- cannot make a statement themselves - for example, because of mental incapacity or illness\n\nClose relatives include spouses and partners, parents, children, grandparents, grandchildren, siblings and dependants. Other family members, guardians and carers of victims may also be allowed to make a statement.\n\nWhen more than one relative wants to make a statement, the Parole Board may ask for 1 or 2 statements to represent them all.\n\n## When to make your victim personal statement\n\nIf you choose to join the Victim Contact Scheme, your Victim Liaison Officer will tell you when a prisoner is being considered for parole.\n\nThey\u2019ll tell you when to write your victim personal statement. They\u2019ll also send it to the Parole Board for you at least 28 days before the hearing.\n\nIf you did not join the Victim Contact Scheme, you can contact your local probation office about:\n\n- giving a statement\n\n- joining the scheme if you want to be told when a prisoner is being considered for release or transfer\n\nThe Parole Board has more information about making a victim personal statement and joining the Victim Contact Scheme.\n\n## How a victim personal statement is used\n\nThe Parole Board panel makes a decision based on whether a prisoner is a risk to the public.\n\nThe panel can use your victim personal statement to help it:\n\n- understand the impact of the crime\n\n- decide what questions to ask the prisoner, to find out about their understanding of how their crimes have affected victims\n\n- decide what the prisoner can and cannot do (known as \u2018licence conditions\u2019) if they\u2019re released\n\nThe Parole Board will make its decision by:\n\n- privately reviewing a file of information and reports about the prisoner\n\n- holding a hearing, if the board needs more information\n\nYou can ask to attend the hearing to read out your statement if you want, or have it read out for you. The Parole Board decides if you can attend.\n\n## Write your victim personal statement\n\nYour victim personal statement is your opportunity to explain how a crime has affected you and your family - for example, physically, emotionally, financially or in any other way.\n\nYou can update the statement that you wrote for the prisoner\u2019s trial or write a new one.\n\nYour statement should take less than 10 minutes to read out.\n\nYou can usually choose how your statement is presented at an oral hearing.\n\nYou must always submit a written version of your statement.\n\n## What to include\n\nYou need to include how the:\n\n- crime affected you at the time\n\n- crime has affected you since it happened\n\n- prisoner\u2019s release or move to an open prison would affect you, your family, friends or community\n\nDo not include:\n\n- whether you think the prisoner should be released\n\n- long descriptions of the original crime\n\n- any threats or critical comments to or about the prisoner or the Parole Board\n\nTell your Victim Liaison Officer if you think you have other information that will help the Parole Board make a decision.\n\n## Young victims and children\n\nIf you do not want to or cannot make a written victim personal statement, you can tell your Victim Liaison Officer about how:\n\n- you and your family were hurt\n\n- the crime makes you feel now\n\n- you think you would feel if the prisoner was released\n\nYour Victim Liaison Officer will write this down and give it to the Parole Board.\n\nYour parent or guardian can also make a statement if they want to.\n\n## The prisoner\u2019s access to your victim personal statement\n\nPrisoners usually have full access to all victim personal statements presented at their hearing.\n\nSpeak to your Victim Liaison Officer if you do not want the prisoner to have access to your statement.\n\nYou\u2019ll need to make a good case that it will:\n\n- put you or your family at risk\n\n- have a negative effect on you in some other way\n\nStatements are only withheld from prisoners under exceptional circumstances.\n\n## Choose how your victim personal statement is presented at the hearing\n\nYou\u2019ll usually have a choice of how your victim personal statement is presented at the hearing.\n\nYou can ask:\n\n- for the Parole Board panel to read your statement themselves\n\n- to attend the hearing and read out your statement in person\n\n- to attend the hearing and choose someone else to read out your statement\n\n- to choose someone to go the hearing instead of you and read out your statement\n\nBecause of coronavirus (COVID-19) you cannot currently attend hearings in person. You will have to submit your statement remotely.\n\nAt some hearings you may be able to read out your statement via a live video link or make a recording for the panel.\n\nRequests by victims to attend hearings are usually granted, but it\u2019s not a legal right and you can be refused.\n\nYou can usually bring your Victim Liaison Officer or a family member or friend if you come to the hearing.\n\nPeople under 18 years of age usually cannot attend parole hearings in person and must choose one of the other options, such as getting someone else to read out your statement.\n\n## What happens at a parole hearing\n\nYou\u2019ll be asked to read out your victim personal statement (unless someone else is reading it for you).\n\nYou will not be able to add anything to your written statement at the hearing and will not usually be asked questions.\n\nAfter you\u2019ve made your statement you\u2019ll be asked to leave and the hearing will continue.\n\nYour Victim Liaison Officer will tell you the outcome.\n\nRead the guide on getting parole for detailed information on what happens at a parole hearing.\n\n## Prisoners at parole hearings\n\nPrisoners are usually not present while their victims read their statements. The prisoner\u2019s legal representative is usually there.\n\nYou can ask that the prisoner is present while you read your statement, but they\u2019ll need to agree to this and the Parole Board has to allow it.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "answerable": true, + "scenario": "My Uncle lost his wife through a armed robbery. The culprits were jailed and are now on parole. He made a victim personal statement on what happened.", + "original_question": "Is he allowed to add more information during reading of his victim personal statement?" + }, + { + "id": "train-1664", + "question": "Scenario: I inherited a piece of land from my late father and would like to change his name to mine so that I can sell it.\n\nQuestion: Can apply to the land chamber tribunal?\n\nDocument - Apply to the land registration tribunal:\n## Overview\n\nYou need to apply to the Land Registration division of the Property Chamber (First-tier Tribunal) if you want to correct or cancel certain documents relating to registered land.\n\nYou may also be referred to the tribunal by HM Land Registry if you\u2019re in a dispute over a change to the land register (known as a \u2018reference case\u2019).\n\nIf you want to change the title register or title plan, contact HM Land Registry directly.\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou may want to get help and advice before you appeal, for example from a lawyer.\n\n## Apply to the tribunal\n\nApply to the tribunal if you want to correct or cancel (sometimes known as \u2018set aside\u2019) certain documents relating to registered land. You can also object to someone else\u2019s application. These are known as \u2018rectification cases\u2019.\n\n## Apply to make a change to a document\n\nDownload and fill in the application form and send it to the address on the form.\n\nYou must also include a statement saying that you believe that the facts stated in the application are true.\n\nThe tribunal will then send, or tell you to send, a copy of the application to all other interested parties.\n\nYou\u2019ll be told whether there\u2019ll be a hearing to decide your case.\n\n## Object to a change of a document\n\nDownload and fill in the objection form and send it to the address given in the form.\n\nYou must send the form within 28 days of getting your copy of an application to change the register.\n\nYour response must include your reasons for objecting to the application, giving all relevant facts and evidence\n\nYou\u2019ll need to include a list of and copies of all documents that:\n\n- are important to your case\n\n- the tribunal and all interested parties will need to understand the case\n\nYou\u2019ll be told by the tribunal if there\u2019ll be a hearing to decide your case.\n\n## Get help\n\nYou can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.\n\n## Being referred to the tribunal\n\nYour case may be referred to the Land Registration division of the Property Chamber if somebody disputes your application to HM Land Registry. This is known as a \u2018reference case\u2019.\n\nBoth parties will be sent a letter by the tribunal after your case has been referred by HM Land Registry.\n\nThe letter will explain whether you\u2019re the \u2018applicant\u2019 or the \u2018respondent\u2019. Generally, you\u2019ll be named as the applicant if the tribunal thinks you\u2019re the party that needs to prove its case.\n\n## Making a \u2018statement of case\u2019\n\n## Applicants\n\nYou have 28 days after getting the letter to send your \u2018statement of case\u2019 to the tribunal and the respondent. The letter will tell you where to send your statement.\n\nYour statement must include:\n\n- your name and address (and an address where documents can be sent to you)\n\n- the name and address of your legal representative (if you have one)\n\n- your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence\n\nYou need to include copies of documents that:\n\n- are important to your case\n\n- are needed to understand the case\n\nYou also need to include a list of the documents.\n\nAfter the other parties have responded to the tribunal, you\u2019ll be told if there\u2019s going to be a hearing.\n\n## Respondents\n\nYou have 28 days after getting the applicants \u2018statement of case\u2019 to send your own case to the tribunal and the applicant.\n\nYour statement must include your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence.\n\nYou need to include copies of all documents that:\n\n- are important to your case\n\n- are needed to understand the case\n\nYou also need to include a list of these documents.\n\nThe tribunal will then contact you to tell you if there\u2019s going to be a hearing.\n\n## Starting court proceedings\n\nYou or the other party can be ordered by the tribunal to start court proceedings at any time. This will happen if the tribunal cannot handle your case.\n\nYou can also contact the tribunal and ask them to make the other party start court proceedings, or voluntarily start proceedings yourself.\n\n## Get help\n\nYou can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.\n\n## What happens at the hearing\n\nYou may have to attend a hearing where you (or your legal representative) and the other parties will present your cases to a judge.\n\nThe judge will decide:\n\n- which party wins the case\n\n- if any costs are payable by one party to another\n\nYou\u2019ll usually be told the outcome of the case within 42 days of the hearing.\n\n## Preparing for the hearing\n\nYou\u2019ll be told the time and date of the hearing and where its being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.\n\nYou\u2019ll be sent instructions on how to prepare and exchange evidence after all the parties have given their statements of case.\n\n## Decisions without hearings\n\nThe tribunal may make a decision without a hearing if all the people involved agree or if no one objects once given notice.\n\nThe people involved can also ask the tribunal to make a decision without a hearing.\n\n## Getting a time extension\n\nYou can ask for a time extension at any point in the proceedings.\n\nYou should ask all other parties involved to agree to an extension before applying to the tribunal.\n\n## If you lose your case\n\nYou can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.\n\nYou can also ask the First-tier Tribunal to set aside their decision if you think there was a problem with the tribunal\u2019s procedure, for example you did not receive a notice of a hearing.\n\nRead guidance on how to challenge a decision for details.\n\nYou can complain about the tribunal staff or the service you received. You cannot complain about the decision.\n\n## Legislation and previous decisions\n\nYou can read the rules the tribunal must follow and its decisions on previous cases if you\u2019re representing yourself or someone else.\n\nThe tribunal will make a decision based on the Land Registration Act 2002.\n\nThe tribunal must follow the rules and process in:\n\n- Tribunal Procedure (First-tier Tribunal) (Property Chamber) Rules 2013\n\n- Practice Directions issued by the Senior President of Tribunals (30 July 2013) (PDF, 49KB)\n\n- Practice Statement issued by the Senior President of Tribunals (8 August 2017) (PDF, 0.1MB)\n\nYou can also search the decisions database to see how and why previous decisions have been made.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "answerable": true, + "scenario": "I inherited a piece of land from my late father and would like to change his name to mine so that I can sell it.", + "original_question": "Can apply to the land chamber tribunal?" + }, + { + "id": "train-1665", + "question": "Scenario: I have lost a land case to my neighbor who acquired it through fraud. I didn't receive timely court proceedings and I am saddened by the decision.\n\nQuestion: Can i appeal the decision?\n\nDocument - Apply to the land registration tribunal:\n## Overview\n\nYou need to apply to the Land Registration division of the Property Chamber (First-tier Tribunal) if you want to correct or cancel certain documents relating to registered land.\n\nYou may also be referred to the tribunal by HM Land Registry if you\u2019re in a dispute over a change to the land register (known as a \u2018reference case\u2019).\n\nIf you want to change the title register or title plan, contact HM Land Registry directly.\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou may want to get help and advice before you appeal, for example from a lawyer.\n\n## Apply to the tribunal\n\nApply to the tribunal if you want to correct or cancel (sometimes known as \u2018set aside\u2019) certain documents relating to registered land. You can also object to someone else\u2019s application. These are known as \u2018rectification cases\u2019.\n\n## Apply to make a change to a document\n\nDownload and fill in the application form and send it to the address on the form.\n\nYou must also include a statement saying that you believe that the facts stated in the application are true.\n\nThe tribunal will then send, or tell you to send, a copy of the application to all other interested parties.\n\nYou\u2019ll be told whether there\u2019ll be a hearing to decide your case.\n\n## Object to a change of a document\n\nDownload and fill in the objection form and send it to the address given in the form.\n\nYou must send the form within 28 days of getting your copy of an application to change the register.\n\nYour response must include your reasons for objecting to the application, giving all relevant facts and evidence\n\nYou\u2019ll need to include a list of and copies of all documents that:\n\n- are important to your case\n\n- the tribunal and all interested parties will need to understand the case\n\nYou\u2019ll be told by the tribunal if there\u2019ll be a hearing to decide your case.\n\n## Get help\n\nYou can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.\n\n## Being referred to the tribunal\n\nYour case may be referred to the Land Registration division of the Property Chamber if somebody disputes your application to HM Land Registry. This is known as a \u2018reference case\u2019.\n\nBoth parties will be sent a letter by the tribunal after your case has been referred by HM Land Registry.\n\nThe letter will explain whether you\u2019re the \u2018applicant\u2019 or the \u2018respondent\u2019. Generally, you\u2019ll be named as the applicant if the tribunal thinks you\u2019re the party that needs to prove its case.\n\n## Making a \u2018statement of case\u2019\n\n## Applicants\n\nYou have 28 days after getting the letter to send your \u2018statement of case\u2019 to the tribunal and the respondent. The letter will tell you where to send your statement.\n\nYour statement must include:\n\n- your name and address (and an address where documents can be sent to you)\n\n- the name and address of your legal representative (if you have one)\n\n- your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence\n\nYou need to include copies of documents that:\n\n- are important to your case\n\n- are needed to understand the case\n\nYou also need to include a list of the documents.\n\nAfter the other parties have responded to the tribunal, you\u2019ll be told if there\u2019s going to be a hearing.\n\n## Respondents\n\nYou have 28 days after getting the applicants \u2018statement of case\u2019 to send your own case to the tribunal and the applicant.\n\nYour statement must include your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence.\n\nYou need to include copies of all documents that:\n\n- are important to your case\n\n- are needed to understand the case\n\nYou also need to include a list of these documents.\n\nThe tribunal will then contact you to tell you if there\u2019s going to be a hearing.\n\n## Starting court proceedings\n\nYou or the other party can be ordered by the tribunal to start court proceedings at any time. This will happen if the tribunal cannot handle your case.\n\nYou can also contact the tribunal and ask them to make the other party start court proceedings, or voluntarily start proceedings yourself.\n\n## Get help\n\nYou can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.\n\n## What happens at the hearing\n\nYou may have to attend a hearing where you (or your legal representative) and the other parties will present your cases to a judge.\n\nThe judge will decide:\n\n- which party wins the case\n\n- if any costs are payable by one party to another\n\nYou\u2019ll usually be told the outcome of the case within 42 days of the hearing.\n\n## Preparing for the hearing\n\nYou\u2019ll be told the time and date of the hearing and where its being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.\n\nYou\u2019ll be sent instructions on how to prepare and exchange evidence after all the parties have given their statements of case.\n\n## Decisions without hearings\n\nThe tribunal may make a decision without a hearing if all the people involved agree or if no one objects once given notice.\n\nThe people involved can also ask the tribunal to make a decision without a hearing.\n\n## Getting a time extension\n\nYou can ask for a time extension at any point in the proceedings.\n\nYou should ask all other parties involved to agree to an extension before applying to the tribunal.\n\n## If you lose your case\n\nYou can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.\n\nYou can also ask the First-tier Tribunal to set aside their decision if you think there was a problem with the tribunal\u2019s procedure, for example you did not receive a notice of a hearing.\n\nRead guidance on how to challenge a decision for details.\n\nYou can complain about the tribunal staff or the service you received. You cannot complain about the decision.\n\n## Legislation and previous decisions\n\nYou can read the rules the tribunal must follow and its decisions on previous cases if you\u2019re representing yourself or someone else.\n\nThe tribunal will make a decision based on the Land Registration Act 2002.\n\nThe tribunal must follow the rules and process in:\n\n- Tribunal Procedure (First-tier Tribunal) (Property Chamber) Rules 2013\n\n- Practice Directions issued by the Senior President of Tribunals (30 July 2013) (PDF, 49KB)\n\n- Practice Statement issued by the Senior President of Tribunals (8 August 2017) (PDF, 0.1MB)\n\nYou can also search the decisions database to see how and why previous decisions have been made.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "answerable": true, + "scenario": "I have lost a land case to my neighbor who acquired it through fraud. I didn't receive timely court proceedings and I am saddened by the decision.", + "original_question": "Can i appeal the decision?" + }, + { + "id": "train-1667", + "question": "Scenario: I am a man in my early 20\u2019s and I have struggled with my relationship with alcohol I only recently got my drivers licence so I dont want to lose it.\n\nQuestion: Can I take the course to get myself back on track again?\n\nDocument - Drink-drive rehabilitation courses:\n## When you can take a course\n\nYou can be offered a rehabilitation course to reduce your driving ban if:\n\n- you\u2019re found guilty of a drink-drive offence\n\n- your ban is for 12 months or more\n\nYou have to pay to take the course. It can cost up to \u00a3250.\n\n## Reducing the length of your ban\n\nYour ban will be reduced if you complete the course within a certain time. The ban is usually reduced by a quarter.\n\n## Deciding to take a course\n\nYou have to decide in court if you want to take a course or not. You cannot change your mind later.\n\nThere\u2019s a different process for taking a drink-drive course in Northern Ireland.\n\n## Choose a course\n\nBefore you go to court, find a drink-drive course that you want to take if you\u2019re found guilty and offered a course.\n\nThe court will send your details to the course provider. They\u2019ll then send you details of:\n\n- the available course dates\n\n- when you must complete your course by\n\nYou\u2019re responsible for completing the course by the deadline.\n\n## Changing courses\n\nYou can change to another course with a different provider at any point before you book. It\u2019s free to change your course.\n\nAsk the provider of the course you\u2019d originally chosen to arrange this.\n\n## How the course works\n\nThe course aims to stop you from drink-driving again. They:\n\n- are face-to-face\n\n- take place over 16 hours (usually run on 3 days spread over 3 weeks)\n\n- will have other drink-drive offenders at them\n\nThe course syllabus tells you more about what\u2019s covered during the course.\n\n## After the course\n\nYou\u2019ll get a \u2018certificate of course completion\u2019 from the course provider when you complete the course. They\u2019ll also send a copy to the court that sentenced you.\n\nThe court will tell DVLA so that your driving ban is reduced.\n\nYour driving ban will not be reduced if you do not complete the course or do not pay for your course.\n\n## If you\u2019re a \u2018high risk offender\u2019\n\nYou need to reapply for a driving licence and take a medical if you\u2019re classified as a \u2018high risk offender\u2019. Check with your course provider if you\u2019re not sure if you are.\n\n## Complain about a course\n\nComplain to the course provider if you\u2019re not happy with the course.\n\nContact the Driver and Vehicle Standards Agency if you cannot sort out the problem with the course provider.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/drink-drive-course", + "answerable": true, + "scenario": "I am a man in my early 20\u2019s and I have struggled with my relationship with alcohol I only recently got my drivers licence so I dont want to lose it.", + "original_question": "Can I take the course to get myself back on track again?" + }, + { + "id": "train-1669", + "question": "Scenario: My friend asked me to drive his car back to London because he had been drinking. We were involved in an accident, and I found out my friend has no insurance.\n\nQuestion: Will I be punished even though I am not the registered keeper?\n\nDocument - Vehicle insurance:\n## Overview\n\nYou must have motor insurance to drive your vehicle on UK roads.\n\nThird party insurance is the legal minimum. This means you\u2019re covered if you have an accident causing damage or injury to any other person, vehicle, animal or property. It does not cover any other costs like repair to your own vehicle.\n\nYou may want to use an insurance broker.\n\n## If you\u2019re in an accident\n\nIf you have an accident causing damage or injury you must give the following to anyone with \u2018reasonable grounds for requiring them\u2019, for example an insurance company:\n\n- your name and address\n\n- the vehicle registration number\n\nYou also need to give the owner\u2019s name and address if the vehicle is not yours.\n\nYou must report the accident to the police within 24 hours if you do not give your details at the time of the accident.\n\nYou must also report the accident to your insurance company, even if you\u2019re not planning to make a claim.\n\n## Accidents with uninsured motorists\n\nYou should tell the police if you have an accident with someone who\u2019s not insured.\n\nYour insurance company will also be able to give you more advice.\n\nYou might also be able to get compensation if you\u2019re the victim of an uninsured or hit and run driver.\n\n## Driving abroad\n\n## If you\u2019re driving in most European countries\n\nAll UK vehicle insurance provides the minimum third party cover to drive in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nCheck with your insurer if your policy has extra cover for things like theft or damage to your car abroad.\n\nYou also need to carry a physical copy of a \u2018green card\u2019 to drive your vehicle in these countries.\n\n## If you\u2019re driving in the rest of the world\n\nYou may need to carry a green card to prove you have the minimum insurance cover required by the country you\u2019re driving in.\n\nYou may also need additional insurance for your vehicle, trailer or caravan. Check the travel advice for the country you\u2019re going to.\n\n## Getting a green card from your insurer\n\nA green card is proof that you have vehicle insurance when driving abroad.\n\nContact your insurer to get one for your vehicle. They\u2019ll either:\n\n- post you a green card - allow up to 6 weeks\n\n- tell you how to download a green card to print yourself\n\nYou will need to carry extra green cards if:\n\n- you\u2019re towing a trailer or caravan (one for the towing vehicle and one for the trailer or caravan)\n\n- you have 2 insurance policies covering your trip (one card for each policy)\n\n- you have multi-car or fleet insurance (one for each vehicle on the policy)\n\n## Showing your green card when driving abroad\n\nYou must show your green card if you\u2019re involved in an accident.\n\nYou may have to show your green card:\n\n- at the border when moving between countries\n\n- if you\u2019re stopped by the police\n\n## Uninsured vehicles\n\n## Rules in England, Wales and Scotland\n\nYou must have motor insurance for your vehicle if you use it on roads and in public places.\n\nYou do not need to insure your vehicle if it is kept off the road and declared as off the road (SORN). This rule is called \u2018continuous insurance enforcement\u2019.\n\nIf not, you could:\n\n- get a fixed penalty of \u00a3100\n\n- have your vehicle wheel-clamped, impounded or destroyed\n\n- face a court prosecution, with a possible maximum fine of \u00a31,000\n\nIt does not matter who is driving the car - if you\u2019re the registered keeper, you could get penalised.\n\nYou will also still have to pay for your insurance on top of any fines received.\n\nYou can check if your vehicle is insured on askMID.\n\n## Motor traders - exceptions\n\nIf a vehicle is between registered keepers or registered as \u2018in trade\u2019 with the Driver and Vehicle Licensing Agency (DVLA), it is excluded from continuous insurance enforcement.\n\nVehicles you keep for your own use are not excluded.\n\n## Rules in Northern Ireland\n\nThere are different rules for vehicle insurance in Northern Ireland.\n\n## Driving without insurance\n\nIt\u2019s illegal to drive a vehicle on a road or in a public place without at least 3rd party insurance.\n\nEven if the vehicle itself is insured, if you\u2019re not correctly insured to drive it you could get penalised.\n\n## Penalties for uninsured drivers:\n\nThe police could give you a fixed penalty of \u00a3300 and 6 penalty points if you\u2019re caught driving a vehicle you\u2019re not insured to drive.\n\nIf the case goes to court you could get:\n\n- an unlimited fine\n\n- disqualified from driving\n\nThe police also have the power to seize, and in some cases, destroy the vehicle that\u2019s being driven uninsured.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vehicle-insurance", + "answerable": true, + "scenario": "My friend asked me to drive his car back to London because he had been drinking. We were involved in an accident, and I found out my friend has no insurance.", + "original_question": "Will I be punished even though I am not the registered keeper?" + }, + { + "id": "train-1670", + "question": "Scenario: I live in Britain, and I have comprehensive insurance for my own car. I need to do some driving abroad when I go to Japan for business reasons.\n\nQuestion: Will my insurance be sufficient to cover my drive in Japan?\n\nDocument - Vehicle insurance:\n## Overview\n\nYou must have motor insurance to drive your vehicle on UK roads.\n\nThird party insurance is the legal minimum. This means you\u2019re covered if you have an accident causing damage or injury to any other person, vehicle, animal or property. It does not cover any other costs like repair to your own vehicle.\n\nYou may want to use an insurance broker.\n\n## If you\u2019re in an accident\n\nIf you have an accident causing damage or injury you must give the following to anyone with \u2018reasonable grounds for requiring them\u2019, for example an insurance company:\n\n- your name and address\n\n- the vehicle registration number\n\nYou also need to give the owner\u2019s name and address if the vehicle is not yours.\n\nYou must report the accident to the police within 24 hours if you do not give your details at the time of the accident.\n\nYou must also report the accident to your insurance company, even if you\u2019re not planning to make a claim.\n\n## Accidents with uninsured motorists\n\nYou should tell the police if you have an accident with someone who\u2019s not insured.\n\nYour insurance company will also be able to give you more advice.\n\nYou might also be able to get compensation if you\u2019re the victim of an uninsured or hit and run driver.\n\n## Driving abroad\n\n## If you\u2019re driving in most European countries\n\nAll UK vehicle insurance provides the minimum third party cover to drive in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nCheck with your insurer if your policy has extra cover for things like theft or damage to your car abroad.\n\nYou also need to carry a physical copy of a \u2018green card\u2019 to drive your vehicle in these countries.\n\n## If you\u2019re driving in the rest of the world\n\nYou may need to carry a green card to prove you have the minimum insurance cover required by the country you\u2019re driving in.\n\nYou may also need additional insurance for your vehicle, trailer or caravan. Check the travel advice for the country you\u2019re going to.\n\n## Getting a green card from your insurer\n\nA green card is proof that you have vehicle insurance when driving abroad.\n\nContact your insurer to get one for your vehicle. They\u2019ll either:\n\n- post you a green card - allow up to 6 weeks\n\n- tell you how to download a green card to print yourself\n\nYou will need to carry extra green cards if:\n\n- you\u2019re towing a trailer or caravan (one for the towing vehicle and one for the trailer or caravan)\n\n- you have 2 insurance policies covering your trip (one card for each policy)\n\n- you have multi-car or fleet insurance (one for each vehicle on the policy)\n\n## Showing your green card when driving abroad\n\nYou must show your green card if you\u2019re involved in an accident.\n\nYou may have to show your green card:\n\n- at the border when moving between countries\n\n- if you\u2019re stopped by the police\n\n## Uninsured vehicles\n\n## Rules in England, Wales and Scotland\n\nYou must have motor insurance for your vehicle if you use it on roads and in public places.\n\nYou do not need to insure your vehicle if it is kept off the road and declared as off the road (SORN). This rule is called \u2018continuous insurance enforcement\u2019.\n\nIf not, you could:\n\n- get a fixed penalty of \u00a3100\n\n- have your vehicle wheel-clamped, impounded or destroyed\n\n- face a court prosecution, with a possible maximum fine of \u00a31,000\n\nIt does not matter who is driving the car - if you\u2019re the registered keeper, you could get penalised.\n\nYou will also still have to pay for your insurance on top of any fines received.\n\nYou can check if your vehicle is insured on askMID.\n\n## Motor traders - exceptions\n\nIf a vehicle is between registered keepers or registered as \u2018in trade\u2019 with the Driver and Vehicle Licensing Agency (DVLA), it is excluded from continuous insurance enforcement.\n\nVehicles you keep for your own use are not excluded.\n\n## Rules in Northern Ireland\n\nThere are different rules for vehicle insurance in Northern Ireland.\n\n## Driving without insurance\n\nIt\u2019s illegal to drive a vehicle on a road or in a public place without at least 3rd party insurance.\n\nEven if the vehicle itself is insured, if you\u2019re not correctly insured to drive it you could get penalised.\n\n## Penalties for uninsured drivers:\n\nThe police could give you a fixed penalty of \u00a3300 and 6 penalty points if you\u2019re caught driving a vehicle you\u2019re not insured to drive.\n\nIf the case goes to court you could get:\n\n- an unlimited fine\n\n- disqualified from driving\n\nThe police also have the power to seize, and in some cases, destroy the vehicle that\u2019s being driven uninsured.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vehicle-insurance", + "answerable": true, + "scenario": "I live in Britain, and I have comprehensive insurance for my own car. I need to do some driving abroad when I go to Japan for business reasons.", + "original_question": "Will my insurance be sufficient to cover my drive in Japan?" + }, + { + "id": "train-1671", + "question": "Scenario: I am an elderly man and I have a mobility scooter although I don\u2019t know if I am able to register it or not, I also have bad vision and will need help with viewing the computer when registering.\n\nQuestion: Do I need to register my mobility scooter?\n\nDocument - Mobility scooters and powered wheelchairs: the rules:\n## Overview\n\nYou do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.\n\nMobility scooters and powered wheelchairs come in 2 categories:\n\n- \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph\n\n- \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road\n\nYou do not need to register a class 2 invalid carriage.\n\nYou must register class 3 invalid carriages.\n\nYou must be 14 or over to drive a class 3 invalid carriage.\n\n## Rules for class 3 invalid carriages\n\nThe law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:\n\n- a maximum unladen weight of 150kg\n\n- a maximum width of 0.85 metres\n\n- a device to limit its speed to 4mph\n\n- a maximum speed of 8mph\n\n- an efficient braking system\n\n- front and rear lights and reflectors\n\n- direction indicators able to operate as a hazard warning signal\n\n- an audible horn\n\n- a rear view mirror\n\n- an amber flashing light if it\u2019s used on a dual carriageway\n\nYou could be stopped by the police if your class 3 invalid carriage does not have these features.\n\n## Driving on the road\n\nYou can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.\n\nYou cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.\n\nYou must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.\n\n## Road rules\n\nYou must follow the Highway Code if you drive your mobility scooter on the road.\n\n## Driving on footpaths and parking\n\nAll mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.\n\nYou cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.\n\n## Parking\n\nAll normal parking restrictions apply to mobility scooters and powered wheelchairs.\n\nYour vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.\n\n## Eyesight requirements\n\nThere is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).\n\nYou must check that you can still do this regularly.\n\nYou might have to pay compensation if you have an accident and poor eyesight was part of the cause.\n\n## Who can use them\n\nYou can only drive a mobility scooter or powered wheelchair if you:\n\n- have trouble walking because of an injury, physical disability or medical condition\n\n- are demonstrating the vehicle before it\u2019s sold\n\n- are training a disabled user\n\n- are taking the vehicle to or from maintenance or repair\n\n## Vehicle tax, registration and insurance\n\nYou do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.\n\nCheck whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.\n\n## Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair\n\nWhen you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.\n\nIf you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.\n\n## Change your name or address\n\nIf you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.\n\n## If your mobility scooter or powered wheelchair is not a registered vehicle\n\nMost scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.\n\nIf your vehicle is not registered, register it by filling in:\n\n- form V55/4 for new vehicles\n\n- form V55/5 for used vehicles\n\n## Insurance\n\nYou do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "answerable": true, + "scenario": "I am an elderly man and I have a mobility scooter although I don\u2019t know if I am able to register it or not, I also have bad vision and will need help with viewing the computer when registering.", + "original_question": "Do I need to register my mobility scooter?" + }, + { + "id": "train-1672", + "question": "Scenario: I need a mobility scooter for daily use however I have very bad vision and can not see very well, will this effect my ability to get a scooter to use. I can always get an updated vision test if needed.\n\nQuestion: Can I still use my mobility scooter daily if I have problems with my vision?\n\nDocument - Mobility scooters and powered wheelchairs: the rules:\n## Overview\n\nYou do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.\n\nMobility scooters and powered wheelchairs come in 2 categories:\n\n- \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph\n\n- \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road\n\nYou do not need to register a class 2 invalid carriage.\n\nYou must register class 3 invalid carriages.\n\nYou must be 14 or over to drive a class 3 invalid carriage.\n\n## Rules for class 3 invalid carriages\n\nThe law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:\n\n- a maximum unladen weight of 150kg\n\n- a maximum width of 0.85 metres\n\n- a device to limit its speed to 4mph\n\n- a maximum speed of 8mph\n\n- an efficient braking system\n\n- front and rear lights and reflectors\n\n- direction indicators able to operate as a hazard warning signal\n\n- an audible horn\n\n- a rear view mirror\n\n- an amber flashing light if it\u2019s used on a dual carriageway\n\nYou could be stopped by the police if your class 3 invalid carriage does not have these features.\n\n## Driving on the road\n\nYou can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.\n\nYou cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.\n\nYou must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.\n\n## Road rules\n\nYou must follow the Highway Code if you drive your mobility scooter on the road.\n\n## Driving on footpaths and parking\n\nAll mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.\n\nYou cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.\n\n## Parking\n\nAll normal parking restrictions apply to mobility scooters and powered wheelchairs.\n\nYour vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.\n\n## Eyesight requirements\n\nThere is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).\n\nYou must check that you can still do this regularly.\n\nYou might have to pay compensation if you have an accident and poor eyesight was part of the cause.\n\n## Who can use them\n\nYou can only drive a mobility scooter or powered wheelchair if you:\n\n- have trouble walking because of an injury, physical disability or medical condition\n\n- are demonstrating the vehicle before it\u2019s sold\n\n- are training a disabled user\n\n- are taking the vehicle to or from maintenance or repair\n\n## Vehicle tax, registration and insurance\n\nYou do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.\n\nCheck whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.\n\n## Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair\n\nWhen you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.\n\nIf you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.\n\n## Change your name or address\n\nIf you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.\n\n## If your mobility scooter or powered wheelchair is not a registered vehicle\n\nMost scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.\n\nIf your vehicle is not registered, register it by filling in:\n\n- form V55/4 for new vehicles\n\n- form V55/5 for used vehicles\n\n## Insurance\n\nYou do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "answerable": true, + "scenario": "I need a mobility scooter for daily use however I have very bad vision and can not see very well, will this effect my ability to get a scooter to use. I can always get an updated vision test if needed.", + "original_question": "Can I still use my mobility scooter daily if I have problems with my vision?" + }, + { + "id": "train-1673", + "question": "Scenario: My friend Martin has served 10 years in prison and is now paroled. He is set to be released from prison.\n\nQuestion: Can he be given time to start looking for work?\n\nDocument - Leaving prison:\n## When someone can leave prison\n\nWhen a prisoner is released depends on:\n\n- the length of their sentence\n\n- their behaviour in prison\n\n- any time spent on remand (waiting for their trial)\n\n## If the prisoner has a fixed term (determinate) sentence\n\nA prisoner serving a determinate sentence is normally released automatically halfway through their sentence.\n\nIf their sentence is 12 months or more, they\u2019ll be released on probation.\n\nA Parole Board is not involved.\n\n## When a Parole Board reviews a case\n\nPrisoners can apply for parole if they have an extended sentence, or a fixed-term sentence for:\n\n- 4 years or more\n\n- a serious violent or sexual crime committed before 4 April 2005\n\n## If the prisoner has a non fixed term (indeterminate) or life sentence\n\nThe government will apply for parole on the prisoner\u2019s behalf.\n\n## Temporary release from prison\n\nA prisoner may be allowed to leave prison for short periods towards the end of their sentence - whatever its type or length.\n\nHowever, the prison will not release someone if it thinks they\u2019re a risk to the public or may commit more crime.\n\n## Resettlement day release\n\nA resettlement day release lets a prisoner out during the day - for example to go on a training course to help them find work once they\u2019re released.\n\n## Resettlement overnight release\n\nA resettlement overnight release lets a prisoner spend the night at the place they\u2019ll live at after they\u2019re released.\n\n## Childcare resettlement licence\n\nA childcare resettlement licence lets a prisoner spend time with their child. They can only apply for this if they\u2019ll be the sole carer of a child when they finish their prison sentence.\n\n## Before someone leaves prison\n\nAll prisoners get help preparing for life when they leave prison. In the last 12 weeks of their sentence, they\u2019re given advice and support on:\n\n- finding somewhere to live\n\n- getting a job\n\n- looking after money\n\nPrisoners get additional support if they:\n\n- have abused substances (such as drugs or alcohol)\n\n- are sex workers\n\n- are the victim of domestic violence\n\nMost prisoners spend the last few months of their sentence in a prison near where they plan to live.\n\n## Support when someone leaves prison\n\nA person leaving prison may get the following financial support:\n\n- Universal Credit\n\n- Jobseeker\u2019s Allowance\n\n- help from your local council\n\n- Scottish Welfare Fund in Scotland\n\n- Discretionary Assistance Fund in Wales\n\nPrisons may also work with organisations in their local area, such as charities, to help prisoners prepare for their release. You can find out about these organisations in the prison information pages.\n\n## Useful websites\n\nThere are organisations that can provide support for people leaving prison, including:\n\n- Nacro (previously National Association for the Care and Resettlement of Offenders)\n\n- Prison Reform Trust\n\n- The Hardman Directory\n\n- Shelter\n\n- Unlock", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/leaving-prison", + "answerable": true, + "scenario": "My friend Martin has served 10 years in prison and is now paroled. He is set to be released from prison.", + "original_question": "Can he be given time to start looking for work?" + }, + { + "id": "train-1674", + "question": "Scenario: My Uncle is leaving prison after being paroled. He has no house or source of income. I am afraid he will go i to depression.\n\nQuestion: Is he entittled for financial support?\n\nDocument - Leaving prison:\n## When someone can leave prison\n\nWhen a prisoner is released depends on:\n\n- the length of their sentence\n\n- their behaviour in prison\n\n- any time spent on remand (waiting for their trial)\n\n## If the prisoner has a fixed term (determinate) sentence\n\nA prisoner serving a determinate sentence is normally released automatically halfway through their sentence.\n\nIf their sentence is 12 months or more, they\u2019ll be released on probation.\n\nA Parole Board is not involved.\n\n## When a Parole Board reviews a case\n\nPrisoners can apply for parole if they have an extended sentence, or a fixed-term sentence for:\n\n- 4 years or more\n\n- a serious violent or sexual crime committed before 4 April 2005\n\n## If the prisoner has a non fixed term (indeterminate) or life sentence\n\nThe government will apply for parole on the prisoner\u2019s behalf.\n\n## Temporary release from prison\n\nA prisoner may be allowed to leave prison for short periods towards the end of their sentence - whatever its type or length.\n\nHowever, the prison will not release someone if it thinks they\u2019re a risk to the public or may commit more crime.\n\n## Resettlement day release\n\nA resettlement day release lets a prisoner out during the day - for example to go on a training course to help them find work once they\u2019re released.\n\n## Resettlement overnight release\n\nA resettlement overnight release lets a prisoner spend the night at the place they\u2019ll live at after they\u2019re released.\n\n## Childcare resettlement licence\n\nA childcare resettlement licence lets a prisoner spend time with their child. They can only apply for this if they\u2019ll be the sole carer of a child when they finish their prison sentence.\n\n## Before someone leaves prison\n\nAll prisoners get help preparing for life when they leave prison. In the last 12 weeks of their sentence, they\u2019re given advice and support on:\n\n- finding somewhere to live\n\n- getting a job\n\n- looking after money\n\nPrisoners get additional support if they:\n\n- have abused substances (such as drugs or alcohol)\n\n- are sex workers\n\n- are the victim of domestic violence\n\nMost prisoners spend the last few months of their sentence in a prison near where they plan to live.\n\n## Support when someone leaves prison\n\nA person leaving prison may get the following financial support:\n\n- Universal Credit\n\n- Jobseeker\u2019s Allowance\n\n- help from your local council\n\n- Scottish Welfare Fund in Scotland\n\n- Discretionary Assistance Fund in Wales\n\nPrisons may also work with organisations in their local area, such as charities, to help prisoners prepare for their release. You can find out about these organisations in the prison information pages.\n\n## Useful websites\n\nThere are organisations that can provide support for people leaving prison, including:\n\n- Nacro (previously National Association for the Care and Resettlement of Offenders)\n\n- Prison Reform Trust\n\n- The Hardman Directory\n\n- Shelter\n\n- Unlock", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/leaving-prison", + "answerable": true, + "scenario": "My Uncle is leaving prison after being paroled. He has no house or source of income. I am afraid he will go i to depression.", + "original_question": "Is he entittled for financial support?" + }, + { + "id": "train-1678", + "question": "Scenario: I am 27 years old and have been told I can use a mobility scooter due to my heart problem. I also have bad eyesight, but this has not been mentioned by anyone as being an issue.\n\nQuestion: Are there any issues with having poor eyesight?\n\nDocument - Mobility scooters and powered wheelchairs: the rules:\n## Overview\n\nYou do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.\n\nMobility scooters and powered wheelchairs come in 2 categories:\n\n- \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph\n\n- \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road\n\nYou do not need to register a class 2 invalid carriage.\n\nYou must register class 3 invalid carriages.\n\nYou must be 14 or over to drive a class 3 invalid carriage.\n\n## Rules for class 3 invalid carriages\n\nThe law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:\n\n- a maximum unladen weight of 150kg\n\n- a maximum width of 0.85 metres\n\n- a device to limit its speed to 4mph\n\n- a maximum speed of 8mph\n\n- an efficient braking system\n\n- front and rear lights and reflectors\n\n- direction indicators able to operate as a hazard warning signal\n\n- an audible horn\n\n- a rear view mirror\n\n- an amber flashing light if it\u2019s used on a dual carriageway\n\nYou could be stopped by the police if your class 3 invalid carriage does not have these features.\n\n## Driving on the road\n\nYou can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.\n\nYou cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.\n\nYou must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.\n\n## Road rules\n\nYou must follow the Highway Code if you drive your mobility scooter on the road.\n\n## Driving on footpaths and parking\n\nAll mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.\n\nYou cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.\n\n## Parking\n\nAll normal parking restrictions apply to mobility scooters and powered wheelchairs.\n\nYour vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.\n\n## Eyesight requirements\n\nThere is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).\n\nYou must check that you can still do this regularly.\n\nYou might have to pay compensation if you have an accident and poor eyesight was part of the cause.\n\n## Who can use them\n\nYou can only drive a mobility scooter or powered wheelchair if you:\n\n- have trouble walking because of an injury, physical disability or medical condition\n\n- are demonstrating the vehicle before it\u2019s sold\n\n- are training a disabled user\n\n- are taking the vehicle to or from maintenance or repair\n\n## Vehicle tax, registration and insurance\n\nYou do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.\n\nCheck whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.\n\n## Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair\n\nWhen you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.\n\nIf you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.\n\n## Change your name or address\n\nIf you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.\n\n## If your mobility scooter or powered wheelchair is not a registered vehicle\n\nMost scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.\n\nIf your vehicle is not registered, register it by filling in:\n\n- form V55/4 for new vehicles\n\n- form V55/5 for used vehicles\n\n## Insurance\n\nYou do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "answerable": true, + "scenario": "I am 27 years old and have been told I can use a mobility scooter due to my heart problem. I also have bad eyesight, but this has not been mentioned by anyone as being an issue.", + "original_question": "Are there any issues with having poor eyesight?" + }, + { + "id": "train-1681", + "question": "Scenario: I am a 26 years old disabled person who cannot walk. There is no ramp at my workplace for my wheelchair and i need to struggle up steps to get into the building.\n\nQuestion: Does my employer have to provide me with safe access to my workplace?\n\nDocument - Disability rights:\n## Overview\n\nAs a disabled person, you have rights to protect you from discrimination. These rights cover most areas including:\n\n- employment\n\n- education\n\n- dealing with the police\n\nThe Equality Act 2010 and the United Nations (UN) Convention on disability rights help to enforce, protect and promote your rights.\n\n## Employment\n\nIt\u2019s against the law for employers to discriminate against you because of a disability. The Equality Act 2010 protects you and covers areas including:\n\n- application forms\n\n- interview arrangements\n\n- aptitude or proficiency tests\n\n- job offers\n\n- terms of employment, including pay\n\n- promotion, transfer and training opportunities\n\n- dismissal or redundancy\n\n- discipline and grievances\n\n## Reasonable adjustments in the workplace\n\nAn employer has to make \u2018reasonable adjustments\u2019 to avoid you being put at a disadvantage compared to non-disabled people in the workplace. For example, adjusting your working hours or providing you with a special piece of equipment to help you do the job.\n\n## Recruitment\n\nAn employer who\u2019s recruiting staff may make limited enquiries about your health or disability.\n\nYou can only be asked about your health or disability:\n\n- to help decide if you can carry out a task that is an essential part of the work\n\n- to help find out if you can take part in an interview\n\n- to help decide if the interviewers need to make reasonable adjustments for you in a selection process\n\n- to help monitoring\n\n- if they want to increase the number of disabled people they employ\n\n- if they need to know for the purposes of national security checks\n\nYou may be asked whether you have a health condition or disability on an application form or in an interview. You need to think about whether the question is one that is allowed to be asked at that stage of recruitment.\n\n## Redundancy and retirement\n\nYou can\u2019t be chosen for redundancy just because you\u2019re disabled. The selection process for redundancy must be fair and balanced for all employees.\n\nYour employer cannot force you to retire if you become disabled.\n\n## Education\n\nIt\u2019s against the law for a school or other education provider to treat disabled students unfavourably. This includes:\n\n- direct discrimination, for example refusing admission to a student or excluding them because of disability\n\n- indirect discrimination, for example only providing application forms in one format that may not be accessible\n\n- discrimination arising from a disability, for example a disabled pupil is prevented from going outside at break time because it takes too long to get there\n\n- harassment, for example a teacher shouts at a disabled student for not paying attention when the student\u2019s disability stops them from easily concentrating\n\n- victimisation, for example suspending a disabled student because they\u2019ve complained about harassment\n\n## Reasonable adjustments\n\nAn education provider has a duty to make \u2018reasonable adjustments\u2019 to make sure disabled students are not discriminated against. These changes could include providing extra support and aids (like specialist teachers or equipment).\n\nSchools are not subject to the reasonable adjustment duty to make alterations to physical features, like adding ramps. They must make the buildings accessible for their disabled pupils as part of their overall planning duties.\n\n## Special educational needs and disabilities (SEND)\n\nAll publicly funded pre-schools, nurseries, state schools and local authorities must try to identify and help assess children with special educational needs and disabilities (SEND).\n\nIf a child has an an education, health and care (EHC) plan or a statement of special educational needs, these must be reviewed annually. From year 9 the child will get a full review to understand what support they will need to prepare them for adulthood.\n\n## Higher education\n\nAll universities and higher education colleges should have a person in charge of disability issues that you can talk to about the support they offer.\n\nYou can also ask local social services for an assessment to help with your day-to-day living needs.\n\n## Police\n\nIf you\u2019re being questioned or interviewed at a police station you have certain rights depending on your impairment.\n\n## Deaf, hearing-impaired or speech difficulties\n\nThe police should arrange for an interpreter to be present with you. The police can interview you without an interpreter if a delay would result in harm to people, property or evidence.\n\n## Learning disabilities\n\nThe police should only interview someone who has a learning disability when a responsible person (referred to as an \u2018appropriate adult\u2019) is present. The appropriate adult should not work for the police and should have experience of people with learning disabilities. The police can interview you without an appropriate adult if a delay would result in harm to people, property or evidence.\n\n## Right to medical treatment\n\nIf you\u2019re being kept in a police cell, you have the right to a medical examination by a healthcare worker. A healthcare worker may be a paramedic, nurse or a police surgeon (sometimes referred to as a \u2018Forensic Medical Examiner\u2019).\n\nIf you do not want to be examined by the healthcare worker provided, you could be examined by a general practitioner (GP) that you choose - if they\u2019re available. You may have to pay for this, and this payment will be noted down.\n\n## The Equality Act 2010 and UN Convention\n\nThe Equality Act 2010 protects you from discrimination. It provides legal rights for you in the areas of:\n\n- employment\n\n- education\n\n- access to goods, services and facilities\n\n- buying and renting land or property\n\nThe Equality Act 2010 also protects your rights if you have an association with a disabled person, for example a carer or parent.\n\nGet more information about the Equality Act 2010.\n\n## United Nations (UN) Convention on disability rights\n\nThe UN Convention on disability rights has been agreed by the UK to protect and promote the rights of disabled people.\n\nGet more information about the UN Convention on disability rights from the Office for Disability Issues.\n\n## Further help and advice\n\nCheck if you can get legal aid to help with your legal costs if you think you\u2019ve been discriminated against. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\nYou can get advice and information on your rights from:\n\n- Equality Advisory Support Service\n\n- Disability Rights UK\n\n- Advicenow\n\n- Citizens Advice", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/rights-disabled-person", + "answerable": true, + "scenario": "I am a 26 years old disabled person who cannot walk. There is no ramp at my workplace for my wheelchair and i need to struggle up steps to get into the building.", + "original_question": "Does my employer have to provide me with safe access to my workplace?" + }, + { + "id": "train-1683", + "question": "Scenario: I am 18 years old, and want to start learning to drive. My father, who is 40 years old, has said that he is willing to teach me to drive.\n\nQuestion: Is my father allowed to teach me or do I need to use an instructor?\n\nDocument - Driving lessons and learning to drive:\n## Overview\n\nYou can apply for a provisional driving licence when you\u2019re 15 years and 9 months old.\n\nYou can start driving a car when you\u2019re 17.\n\nYou can drive a car when you are 16 if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).\n\nCheck which vehicles you can learn to drive.\n\n## Learning to drive during coronavirus (COVID-19)\n\nYou can take driving lessons anywhere in the UK.\n\nYou and any passengers should wear a face covering, unless you\u2019re exempt.\n\nIn Scotland, you can be fined if you do not wear a face covering during a driving lesson.\n\nCheck the rules for practising with friends and family.\n\n## If you\u2019re learning to drive in Scotland\n\nYou and the person teaching you to drive must wear face coverings during driving lessons and practice sessions in Scotland.\n\nIf you do not wear a face covering, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\n- you and the person teaching you live in the same household\n\nWearing glasses does not count as a good reason.\n\nYou can be fined \u00a360 if you do not wear a face covering during a driving lesson in Scotland. This will be reduced to \u00a330 if you pay within 28 days.\n\n## Rules for learning to drive\n\nYou must have a provisional driving licence for Great Britain or Northern Ireland when you\u2019re learning to drive or ride.\n\nYou must be supervised when you\u2019re learning to drive a car. This can be by a driving instructor or someone else who meets the rules, for example family or friends.\n\nThe car you learn in must display \u2018L\u2019 plates.\n\nYou can drive at any time, day and night.\n\nYou can only drive on motorways if all of the following apply:\n\n- you\u2019re driving in England, Scotland or Wales\n\n- you\u2019re with an approved driving instructor\n\n- the car is fitted with dual controls\n\n## Speed limits\n\nIn England, Scotland and Wales the speed limits when driving with \u2018L\u2019 plates are the same as when you\u2019ve passed your test.\n\nIn Northern Ireland the speed limit is 45 miles per hour when you\u2019re learning to drive a car.\n\n## Taking driving lessons\n\nAnyone you pay to teach you to drive must be either:\n\n- a qualified and approved driving instructor (ADI)\n\n- a trainee driving instructor\n\nYou can find your nearest driving instructors.\n\nThere are different rules in Northern Ireland for choosing an instructor.\n\nInstructors set their own prices for driving lessons - there\u2019s no minimum or maximum cost.\n\n## Check your instructor\u2019s badge\n\nInstructors have to display a badge in their windscreen to prove they\u2019re registered with the Driver and Vehicle Standards Agency (DVSA). They display:\n\n- a green badge if they\u2019re a qualified driving instructor\n\n- a pink badge if they\u2019re a trainee\n\nYou can report someone to DVSA if they charge for driving lessons and are not a qualified driving instructor or trainee.\n\n## Driving lessons\n\nThere\u2019s no minimum number of lessons you must have or hours you must practise driving.\n\nHow many lessons you need will depend on how quickly you learn. You can download a form to record your progress with your instructor.\n\nYou can complain about a driving instructor if you\u2019re not happy with their service or behaviour.\n\n## Practising with family or friends\n\nIn England, you can practice driving with family or friends, but this is restricted to groups of no more than 6 people, or 2 households. Follow the rules for car sharing in the coronavirus (COVID-19) travel guidance.\n\nIn Scotland, there are different rules depending on which area level you are in, but you are legally required to wear a face covering unless you are exempt. Read the guidance on driving lessons in Scotland.\n\nIn Wales, you can practice driving with people you live with or those within your support bubble. You do not need to stay in your local council area.\n\nAnyone you practise your driving with (without paying them) must:\n\n- be over 21\n\n- be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car\n\n- have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)\n\nYou can be fined up to \u00a31,000 and get up to 6 penalty points on your provisional licence if you drive without the right supervision.\n\nIt\u2019s illegal for your friend or family member to use a mobile phone while supervising you.\n\n## Insurance\n\nYou need your own insurance as a learner driver if you\u2019re practising in a car you own. Your family member or friend will usually be covered on this.\n\nIf you\u2019re practising in someone else\u2019s car, you need to make sure their insurance policy covers you as a learner driver.\n\nSome insurance companies require the person supervising you to be over 25 years old.\n\nYou can get an unlimited fine, be banned from driving and get up to 8 penalty points for driving without insurance.\n\n## Recording your practice\n\nYou can download a form to record any practice you do without your driving instructor.\n\n## Using 'L' and 'P' plates\n\nYou must put an L plate on the front and back of your vehicle so they can be seen easily.\n\nIn Wales, you can use a D plate instead.\n\nAn L plate or D plate must:\n\n- have a red L or D on a white background\n\n- be the right size\n\nYou can get up to 6 penalty points if you do not display an L plate or if it\u2019s not the right size.\n\nYou should take L plates off your vehicle when it\u2019s not being used by a learner.\n\n## P plates\n\nYou can display green \u2018probationary\u2019 P plates to show that you\u2019ve just passed your driving test. You do not have to display them. You can leave them on your vehicle for as long as you like.\n\nIn Northern Ireland you must use \u2018R\u2019 plates (restricted driver plates) for one year after you pass your test.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "answerable": true, + "scenario": "I am 18 years old, and want to start learning to drive. My father, who is 40 years old, has said that he is willing to teach me to drive.", + "original_question": "Is my father allowed to teach me or do I need to use an instructor?" + }, + { + "id": "train-1686", + "question": "Scenario: My sister passed her driving test in July 2019 . Last week she was pulled over because she was driving while using her mobile phone.\n\nQuestion: Can she get banned from driving?\n\nDocument - Being stopped by the police while driving:\n## Overview\n\nThe police can stop a vehicle for any reason. If they ask you to stop, you should always pull over when it\u2019s safe to do so. You\u2019re breaking the law if you do not stop.\n\nIf you\u2019re stopped, the police can ask to see your:\n\n- driving licence\n\n- insurance certificate\n\n- MOT certificate\n\nIf you do not have these documents with you, you have 7 days to take them to a police station. You\u2019re breaking the law if you do not show the requested documents within 7 days.\n\nThe police can also give you an on-the-spot fixed penalty notice for many minor offences and make you take a breath test in certain circumstances.\n\nYou can also have your vehicle seized if you\u2019re stopped on suspicion of driving without insurance and for some other offences.\n\n## Breath tests\n\nThe police can stop you at any time and ask you to take a breath test (\u2018breathalyse\u2019 you) if:\n\n- they think you\u2019ve been drinking\n\n- you\u2019ve committed a traffic offence\n\n- you\u2019ve been involved in a road traffic accident\n\nIf you refuse to take a breath test, or fail to supply a sample of breath and do not have a \u2018reasonable excuse\u2019, you can be arrested. A reasonable excuse could be a genuine physical or mental condition stopping you from giving a sample.\n\nThe breath test gives a result straight away. If it shows you\u2019re not over the drink drive limit, you may be allowed to go.\n\nIf you fail the breath test, you\u2019ll be taken to a police station and given a final breath test. If it\u2019s positive, you will be charged.\n\nIf the officer thinks you\u2019re under the influence of alcohol or drugs, they can ask you to:\n\n- take a drug test\n\n- do a physical test (a \u2018field impairment test\u2019), for example walk in a straight line then turn around and walk back\n\nYou can be arrested if you fail the test.\n\nIf you fail a breath test you cannot drive your car until you\u2019re sober. You can ask someone else to collect your car for you.\n\n## Minor motoring offences\n\nThe police can give you a \u2018fixed penalty notice\u2019 for less serious traffic offences, including for:\n\n- careless or inconsiderate driving\n\n- using a mobile phone while driving\n\n- not wearing a seat belt\n\n- driving too close to another vehicle\n\nYou can be fined up to \u00a3200 and get penalty points on your licence if you get a fixed penalty notice - you may be disqualified from driving if you build up 12 points within 3 years.\n\nThe police can also decide to:\n\n- take no action\n\n- issue a warning\n\n- offer driver training\n\n- charge you with an offence\n\nYou can choose not to pay the fixed penalty if you believe that it was given unjustly, but you\u2019ll have to argue your case in court.\n\n## Faults with your vehicle\n\nIf your vehicle has something wrong with it, for example a broken brake light, the police may give you a \u2018vehicle defect rectification notice\u2019.\n\nYou\u2019ll need to get your vehicle fixed and provide proof that it\u2019s been fixed, for example a receipt for the work from a mechanic. You have 14 days from the date of the notice to show the proof to the police.\n\n## When the police can seize your vehicle\n\nThe police can seize a vehicle if they think it\u2019s being used in a way that causes alarm, harassment or distress, for example careless or inconsiderate driving.\n\nThey can also seize a vehicle if they think it\u2019s:\n\n- being driven by someone who does not have a proper licence or insurance\n\n- dangerously, illegally or obstructively parked\n\n- broken-down or abandoned\n\nIf your vehicle is seized there\u2019s a \u2018release fee\u2019 of up to \u00a3200 plus a storage fee of \u00a320 for every day or part day.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "answerable": true, + "scenario": "My sister passed her driving test in July 2019 . Last week she was pulled over because she was driving while using her mobile phone.", + "original_question": "Can she get banned from driving?" + }, + { + "id": "train-1689", + "question": "Scenario: My car failed its MOT based on the side mirror being cracked. I have had this repaired at the mechanics. I am going to have the car retested, a day after the original MOT test. My mechanic wants me to pay for the retest.\n\nQuestion: Do you need to pay for an MOT retest?\n\nDocument - Getting an MOT:\n## When to get an MOT\n\nThe MOT test checks that your vehicle meets road safety and environmental standards.\n\nYou must get an MOT for your vehicle by either:\n\n- the third anniversary of its registration\n\n- the anniversary of its last MOT, if it\u2019s over 3 years old\n\nSome vehicles need to be tested at one year old - check the MOT fees table to see which.\n\nFind out how to check your MOT expiry date.\n\nThere are different rules and processes in Northern Ireland for MOTs for vehicles registered in Northern Ireland.\n\n## Coronavirus (COVID-19): getting an MOT\n\nYou need to get an MOT for your vehicle as usual.\n\nDo not take your vehicle to an MOT centre in person if:\n\n- you or someone you live with has coronavirus symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has coronavirus\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## If you cannot take your vehicle in person\n\nSome MOT centres will collect your vehicle for the MOT and then return it. Contact an MOT centre to see if this service is available.\n\nYou can also get someone else to take your vehicle into a test centre if you insure them on your vehicle.\n\nIf you cannot get your vehicle collected or taken in for you, you must wait until you\u2019re no longer self-isolating to take it into a test centre.\n\n## If the MOT has run out\n\n- If your tax is due to run out, register your vehicle as \u2018off the road\u2019 - you cannot renew your vehicle tax if your MOT has expired.\n\n- Book an MOT test.\n\n- Tax your vehicle once it has passed its MOT.\n\nYou cannot drive or park your vehicle on the road if the MOT has run out. You can be prosecuted if caught.\n\nThe only exceptions are to drive it:\n\n- to or from somewhere to be repaired\n\n- to a pre-arranged MOT test\n\n## Earliest date you can get an MOT\n\nAn MOT lasts for a year. The date it runs out is printed on your current MOT pass certificate.\n\nYou can be fined up to \u00a31,000 for driving a vehicle without a valid MOT.\n\nYou can get an MOT up to a month (minus a day) before it runs out and keep the same renewal date.\n\nYou can get an MOT earlier, but the renewal date for the following year will change to one year (minus a day) from the date the vehicle last passed its MOT.\n\n## Booking an MOT\n\nYou must use an approved MOT test centre to get your MOT.\n\nOnly centres showing the blue sign with 3 white triangles can carry out your MOT.\n\n## How you can book\n\nContact an MOT centre to book an MOT.\n\nThere are maximum fees that the MOT centre can charge.\n\nThere\u2019s a different process to book an MOT in Northern Ireland.\n\n## MOT costs\n\nThere\u2019s a maximum amount MOT test stations can charge. This depends on the type of vehicle.\n\nThe maximum fee for a car is \u00a354.85 and \u00a329.65 for a standard motorcycle.\n\nYou do not pay VAT on the fee.\n\n| | Vehicle class | Age first MOT needed (years) | Maximum MOT fee |\n\n| Motorcycle (engine size up to 200cc) | 1 | 3 | \u00a329.65 |\n\n| Motorcycle with sidecar (engine size up to 200cc) | 1 | 3 | \u00a337.80 |\n\n| Motorcycle (engine size over 200cc) | 2 | 3 | \u00a329.65 |\n\n| Motorcycle with sidecar (engine size over 200cc) | 2 | 3 | \u00a337.80 |\n\n| 3-wheeled vehicles (up to 450kg unladen weight) | 3 | 3 | \u00a337.80 |\n\n| 3-wheeled vehicles (over 450kg unladen weight) | 4 | 3 | \u00a354.85 |\n\n| Cars (up to 8 passenger seats) | 4 | 3 | \u00a354.85 |\n\n| Motor caravans | 4 | 3 | \u00a354.85 |\n\n| Quads (max unladen weight 400kg - for goods vehicles 550kg and max net power of 15kw) | 4 | 3 | \u00a354.85 |\n\n| Dual purpose vehicles | 4 | 3 | \u00a354.85 |\n\n| Private hire and public service vehicles (up to 8 seats) | 4 | 3 | \u00a354.85 |\n\n| Ambulances and taxis | 4 | 1 | \u00a354.85 |\n\n| Private passenger vehicles and ambulances (9 to 12 passenger seats) | 4 | 1 | \u00a357.30 |\n\n| Goods vehicles (up to 3,000kg design gross weight) | 4 | 3 | \u00a354.85 |\n\n| Class 4 vehicles (9 to 12 passenger seats) with a seat belt installation check | 4a | n/a | \u00a364 |\n\n| Private passenger vehicles and ambulances (13 to 16 passenger seats) | 5 | 1 | \u00a359.55 |\n\n| Private passenger vehicles and ambulances (more than 16 passenger seats) | 5 | 1 | \u00a380.65 |\n\n| Playbuses | 5 | 1 | \u00a380.65 |\n\n| Class 5 vehicles (13 to 16 passenger seats) with a seatbelt installation check | 5a | n/a | \u00a380.50 |\n\n| Class 5 vehicles (more than 16 passenger seats) with a seatbelt installation check | 5a | n/a | \u00a3124.50 |\n\n| Goods vehicles (over 3,000kg up to 3,500kg design gross weight) | 7 | 3 | \u00a358.60 |\n\n## How the MOT test works\n\nDuring the MOT, important parts on your vehicle will be checked to make sure they meet the legal standards.\n\nYou can watch the test from a viewing area but you\u2019re not allowed to interrupt the tester.\n\n## Parts that are tested\n\nYou can read more about what\u2019s tested for cars and motorcycles.\n\nThe test does not cover the condition of the engine, clutch or gearbox.\n\nThe MOT guide and inspection manuals tell you everything that\u2019s tested.\n\n## MOT test result\n\nYour vehicle can either pass or fail the MOT.\n\n## Passing the MOT\n\nIf your vehicle passes the MOT:\n\n- you\u2019ll get an MOT certificate from the test centre\n\n- it will be recorded in the MOT database\n\nYou might also get a list of \u2018minor\u2019 or \u2018advisory\u2019 problems to monitor or fix in the future.\n\n## Failing the MOT\n\nYour vehicle will fail if the test result lists \u2018dangerous\u2019 or \u2018major\u2019 problems with your vehicle. You might not be allowed to drive until you fix the problems.\n\nYou might also get a list of \u2018minor\u2019 or \u2018advisory\u2019 problems to monitor or fix in the future.\n\nIf your vehicle fails the MOT:\n\n- you\u2019ll get a \u2018refusal of an MOT test certificate\u2019 from the test centre\n\n- it will be recorded in the MOT database\n\nYou can appeal the result if you think it\u2019s wrong.\n\n## Driving a vehicle that\u2019s failed\n\nYou can take your vehicle away if:\n\n- your current MOT certificate is still valid\n\n- no \u2018dangerous\u2019 problems were listed in the MOT\n\nOtherwise, you\u2019ll need to get it repaired before you can drive.\n\nIf you can take your vehicle away, it must still meet the minimum standards of roadworthiness at all times.\n\nYou can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle that has failed its MOT because of a \u2018dangerous\u2019 problem.\n\n## Retest after a repair\n\nIn some cases your vehicle can have a partial retest for free or a reduced MOT fee.\n\n## Leaving your vehicle for repair\n\nYou only need a partial retest if you leave the vehicle at the test centre for repair and it\u2019s retested within 10 working days. There\u2019s no fee for this.\n\n## Taking your vehicle away for repairs\n\nYou can take your vehicle away if your MOT certificate is still valid.\n\nIf your MOT has run out you can take your vehicle to:\n\n- have the failed defects fixed\n\n- a pre-arranged MOT test appointment\n\nIn both cases, your vehicle still needs to meet the minimum standards of roadworthiness at all times or you can be fined.\n\n## Taking it back for a retest the next working day\n\nYou will not have to pay again if you take it back to the same test centre before the end of the next working day for a partial retest on one or more of these items:\n\n- access panels\n\n- battery\n\n- bonnet\n\n- bootlid\n\n- brake pedal antislip\n\n- break glass hammer (class 5 vehicles only)\n\n- doors (including hinges, catches and pillars)\n\n- door open warning device (class 5 vehicles only)\n\n- dropsides\n\n- electrical wiring\n\n- emergency exits and signs (class 5 vehicles only)\n\n- entrance door remote control (class 5 vehicles only)\n\n- entrance/exit steps (class 5 vehicles only)\n\n- fuel filler cap\n\n- headlamp cleaning or levelling devices (that does not need a headlamp aim check)\n\n- horn\n\n- lamps (excluding headlamp aim)\n\n- loading door\n\n- main beam \u2018tell-tale\u2019\n\n- mirrors\n\n- rear reflectors\n\n- registration plates\n\n- seatbelts (but not anchorages), seatbelt load limiter and seatbelt pre-tensioner\n\n- seats\n\n- sharp edges or projections\n\n- stairs (class 5 vehicles only)\n\n- steering wheel\n\n- tailboard\n\n- tailgate\n\n- trailer electrical sockets\n\n- towbars (excluding body around anchorage points)\n\n- tyre pressure monitoring system\n\n- vehicle identification number (VIN)\n\n- windscreen glass, wipers and washers\n\n- wheels and tyres (excluding motorcycles and motorcycles with sidecar)\n\n## Taking it back for a retest within 10 working days\n\nYou\u2019ll only need a partial retest if you take the vehicle from the test centre for repairs and take it back within 10 working days. You can be charged a partial retest fee for this.\n\nIn all other cases, you\u2019ll need to get a full retest and pay the full MOT test fee again.\n\n## Test result appeals and problems\n\nYou can appeal an MOT test failure or complain to the Driver and Vehicle Standards Agency (DVSA) if you think your vehicle should not have passed.\n\nYou can take your own action against an MOT test centre through Trading Standards, personal legal proceedings or reporting the centre to the police. DVSA cannot help you take action against a centre.\n\n## Appeal if your vehicle failed an MOT\n\nYou need to discuss your test results with the test centre before anyone starts repairs.\n\nYou can appeal against the failure if you think it\u2019s wrong. Fill in the complaint form and send it to DVSA within 14 working days of the test.\n\nDVSA will contact you within 5 days to discuss your appeal.\n\nIf DVSA decides to recheck your vehicle, you\u2019ll need to arrange a date and pay the full test fee again. They\u2019ll send you an inspection report listing any vehicle defects.\n\nYou should not have any repairs made until the appeal process has finished.\n\n## If you think your car has passed when it should not have\n\nYou\u2019ll need to complain to DVSA if you do not think your car should have passed its MOT. Fill in the complaint form and send it to DVSA within the time limits below.\n\nDVSA will contact you within 5 days to discuss your complaint.\n\nIf DVSA decides to recheck your vehicle, you\u2019ll need to arrange a date. You will not need to pay the test fee again. They\u2019ll send you an inspection report listing any vehicle defects.\n\n## Time limits\n\nIf your vehicle passed, you need to complain within:\n\n- within 3 months of the MOT if it\u2019s a corrosion-related problem\n\n- within 28 days has passed for other defects\n\n## If you think your MOT certificate is not genuine\n\nYou can check that your MOT certificate is genuine by checking its MOT status.\n\n## If you\u2019re unhappy with your MOT service\n\nContact DVSA if you\u2019re not happy with your MOT service.\n\n## Vehicles that do not need an MOT\n\nYou do not need to get an MOT for a vehicle until it reaches the age shown in the MOT fees table.\n\n## Exempt vehicles\n\nOther vehicles that do not need an MOT include:\n\n- goods vehicles powered by electricity and registered before 1 March 2015\n\n- tractors\n\n- some historic (\u2018classic\u2019) vehicles\n\nA list of exempt types of vehicles is on the MOT exemption form (V112). You need to fill in the form if your vehicle is listed so that you can either tax it or apply for tax exemption.\n\n## Lorries, buses and trailers\n\nYou must get an annual test for lorries, buses and trailers instead of an MOT. It\u2019s sometimes called the \u2018annual vehicle test\u2019.\n\n## Fix mistakes on your MOT certificate\n\nYou can get information corrected on your MOT certificate (such as the mileage or vehicle details) if it\u2019s wrong.\n\n## Get the wrong mileage corrected\n\nThe way you get the mileage corrected depends on when your MOT was.\n\n## Your MOT was less than 28 days ago\n\nAsk the MOT centre to check the mileage. They\u2019ll give you a replacement certificate if the mileage is wrong.\n\n## Your MOT was more than 28 days ago\n\nReport the mistake to the Driver and Vehicle Standards Agency (DVSA) to get it corrected.\n\nYou also need to email proof of the mileage, such as a scan or photo of:\n\n- an invoice for the MOT\n\n- an emissions printout\n\n- a service receipt\n\n- a vehicle job card from the MOT centre\n\nThey need to show what the mileage should be, and show the same date as the MOT test.\n\nIf your scan or photo includes personal information, for example your payment details, you should blank it out or remove it.\n\nIf you do not send the right evidence, DVSA will not fix the mistakes.\n\nOnce DVSA has updated the mileage, you can check your vehicle\u2019s MOT history and download or print a corrected MOT certificate.\n\n## Get vehicle details or the MOT centre corrected\n\nContact DVSA if your MOT certificate has the wrong:\n\n- vehicle make or model\n\n- vehicle colour\n\n- country where the vehicle was registered\n\n- MOT test centre\n\n## Add or remove test records\n\nIf there\u2019s an MOT test missing from your vehicle\u2019s MOT history, or a test that does not belong there, email or call DVSA to have it corrected.\n\nYou\u2019ll need to give your:\n\n- name\n\n- telephone number\n\n- vehicle number plate\n\n- vehicle make and model\n\n- date of the MOT\n\n- MOT test number (if you know it)\n\n- MOT test centre name and address", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/getting-an-mot", + "answerable": true, + "scenario": "My car failed its MOT based on the side mirror being cracked. I have had this repaired at the mechanics. I am going to have the car retested, a day after the original MOT test. My mechanic wants me to pay for the retest.", + "original_question": "Do you need to pay for an MOT retest?" + }, + { + "id": "train-1690", + "question": "Scenario: I am a 30 year old woman who doesn\u2019t work and I have recently escaped an abusive relationship although my ex partner keeps trying to contact me and is harrasing me so I would like to try and get a restraining order.\n\nQuestion: Can I get legal aid as I do not work and am being threatened by my ex?\n\nDocument - Legal aid:\n## Overview\n\nLegal aid can help meet the costs of legal advice, family mediation and representation in a court or tribunal.\n\nYou\u2019ll usually need to show that:\n\n- your case is eligible for legal aid\n\n- the problem is serious\n\n- you cannot afford to pay for legal costs\n\nYou could for example get legal aid if:\n\n- you or your family are at risk of abuse or serious harm, for example domestic violence or forced marriage\n\n- you\u2019re at risk of homelessness or losing your home\n\n- you\u2019ve been accused of a crime, face prison or detention\n\n- you\u2019re being discriminated against\n\n- you need family mediation\n\n- you\u2019re adding legal arguments or bringing a case under the Human Rights Act\n\nYou\u2019ll usually need to show that you cannot afford to pay for this help. You may have to pay some money towards the legal costs of your case or pay costs back later.\n\nCheck if you can get legal aid to get help with civil cases. Your legal adviser will usually apply for legal aid on your behalf.\n\nLegal aid rules are different in Scotland and Northern Ireland.\n\n## What you can get\n\nYou could get help with the costs of legal advice or getting someone to speak or negotiate for you.\n\nYou may have to pay some money towards the legal costs of your case.\n\nIf your problem is covered by legal aid and you qualify you could get:\n\n- advice on your rights and options\n\n- help with negotiations and paperwork\n\n- help if you\u2019re accused of a crime, for example advice at a police station\n\n- a solicitor or barrister to get your case ready and speak on your behalf in court and some tribunals\n\n## What you can get legal aid for\n\nYou might be able to get legal aid for problems like:\n\n- homelessness or losing your home, or if it\u2019s in serious disrepair\n\n- protecting yourself or your child from abuse or harassment, for example domestic violence or forced marriage\n\n- poor quality care you or a family member are getting due to age, disability or special educational needs\n\n- needing advice on finances, children or divorce if you\u2019ve been in an abusive relationship\n\n- a child in your family being at risk of being taken into care\n\n- family mediation, for example if you\u2019re separating or getting a divorce\n\n- discrimination\n\n- challenging the way the government has made a decision about you\n\n- seeking asylum or if you\u2019ve been the victim of human trafficking\n\n- being arrested, charged or questioned by the police\n\n- needing representation at a mental health tribunal or inquest\n\n- appealing a decision made by the social security tribunal about your benefits to the Upper Tribunal, Court of Appeal or Supreme Court\n\n## Exceptional case funding\n\nYou may be able to get legal aid in other exceptional cases, if you can show that being refused legal aid would infringe:\n\n- your rights under the European Convention on Human Rights (ECHR)\n\n- your EU rights to legal representation\n\nGet advice from a legal adviser about whether you\u2019re eligible and how to apply.\n\nYou can also apply directly to the Exceptional Case Funding team at the Legal Aid Agency.\n\n## Eligibility\n\nWhether you qualify for legal aid will depend on:\n\n- the type of case\n\n- your financial circumstances\n\n## Civil (non-criminal) cases\n\nCivil cases include things like debt, family or housing problems. To get legal aid, you usually need to show you cannot afford to pay for legal costs and your problem is serious.\n\nYou\u2019ll usually have to give details and evidence of your income, benefits, savings and property, and those of your partner. If you\u2019re under 18, you may need to give information about your parents\u2019 or guardians\u2019 income.\n\nYour financial situation is not taken into account for cases about:\n\n- mental health tribunals\n\n- children in care\n\n- child abduction\n\nYou may also have to provide evidence about your problem, for example in a divorce case by providing a court order or GP letter showing that you or your child have been a victim of abuse.\n\nCheck if you qualify for legal aid to get help with civil cases.\n\n## Paying the costs of your case\n\nLegal aid might not cover all the costs of your case. You may have to:\n\n- pay some of the costs upfront\n\n- pay back some of the cost if you win money or property from your case\n\nRead about paying for legal aid.\n\nThe Legal Aid Agency (LAA) will make a charge or claim \u2013 known as the \u2018statutory charge\u2019 \u2013 on any money or property you win. If this is your home, payment can be deferred and the debt placed as a charge on your home (similar to a mortgage).\n\nYour legal adviser will explain how this works.\n\nContact the LAA\u2019s Secured Debt Team to discuss how to pay.\n\nIf legal aid is withdrawn, you may have to repay the full legal costs.\n\n## Criminal cases\n\nYou have the right to free legal advice if you\u2019re questioned at a police station.\n\nYou\u2019ll automatically get legal aid for legal representation in court if you\u2019re under 16 (or under 18 and in full-time education) or on certain benefits.\n\n## Alternatives to legal aid\n\nIf you cannot get legal aid, you may be able to get free advice from:\n\n- the Law Centres Network\n\n- Citizens Advice\n\n- AdviceNow\n\nYou can also pay for advice from a local legal adviser or solicitor.\n\n## How to claim\n\nCheck if you can get legal aid in England or Wales.\n\nSearch for a legal aid solicitor if you\u2019re in Scotland or Northern Ireland.\n\nYour legal adviser or family mediator will apply for legal aid on your behalf. If you qualify, the government will pay their costs directly.\n\n## Getting legal aid in an emergency\n\nYou can get emergency help if you need urgent representation in court, for example to keep you and your children safe from domestic abuse.\n\nYour legal adviser will apply for Emergency Legal Representation to cover any immediate action. You still need to apply for legal aid in the normal way for any ongoing work.\n\n## Criminal cases\n\nA police custody officer will help you get legal aid if you\u2019ve been arrested and held at a police station. You\u2019ll be offered free advice:\n\n- by telephone (if the offence is less serious)\n\n- from the police station\u2019s duty solicitor\n\n- from your own legal adviser\n\n## If you\u2019re charged or go to court\n\nA solicitor will check if you qualify for legal aid if you\u2019re charged with a crime or have to go to court. You can then:\n\n- get advice from the same organisation that helped you at the police station\n\n- ask to speak to the court duty solicitor\n\n- find your own criminal legal aid solicitor\n\n## What you need to bring to your legal adviser\n\nYou\u2019ll need to give information about the following for both yourself and your partner:\n\n- benefits - including benefits statements\n\n- income, savings and spending - including pay slips and bank statements\n\n- National Insurance numbers\n\nYou\u2019ll also need copies of evidence relating to your case, eg:\n\n- court documents\n\n- marriage and birth certificates (for family cases)\n\n- relevant letters\n\nTell your legal adviser if any of your financial circumstances change.\n\n## Domestic abuse or violence\n\nYou might be able to get legal aid if you have evidence that you or your children have been victims of domestic abuse or violence and you cannot afford to pay legal costs.\n\nYou do not have to get evidence before talking to a legal aid solicitor or Civil Legal Advice (CLA), but they\u2019ll need to see it before deciding whether you can get legal aid.\n\n## What counts as domestic abuse for legal aid\n\nYou or your children must have been victims of either:\n\n- domestic abuse or violence\n\n- financial control, for example being stopped from accessing a joint bank account\n\n## What counts as evidence\n\nYou\u2019ll usually need to show that you or your children were at risk of harm from an ex-partner.\n\nYou can ask for evidence from:\n\n- the courts\n\n- the police\n\n- a multi-agency risk assessment conference (MARAC)\n\n- social services\n\n- a health professional, for example a doctor, nurse, midwife, psychologist or health visitor\n\n- a refuge manager\n\n- a domestic violence support service\n\n- your bank, for example credit card accounts, loan documents and statements\n\n- your employer, or education or training provider\n\n- the provider of any benefits you\u2019ve received\n\n## How to get evidence\n\nYou can download and print a sample letter to send to the police, courts, or medical and social services.\n\nThis helps you get the proof you need, depending on whether:\n\n- you\u2019ve been a victim\n\n- your children have been victims\n\nGive the letter to the person you\u2019re asking to provide evidence. They\u2019ll be able to fill in the details for you.\n\nYou might have to pay a fee for this.\n\n## When you have the evidence\n\nShow the evidence to your legal aid solicitor or CLA adviser.\n\n## Legal problems abroad\n\nYou can apply for legal aid in:\n\n- Albania\n\n- Austria\n\n- Azerbaijan\n\n- Belgium\n\n- Bosnia and Herzegovina\n\n- Bulgaria\n\n- Cyprus\n\n- Czech Republic\n\n- Denmark\n\n- Estonia\n\n- Finland\n\n- France\n\n- Georgia\n\n- Greece\n\n- Ireland\n\n- Italy\n\n- Latvia\n\n- Lithuania\n\n- Luxembourg\n\n- Montenegro\n\n- Netherlands\n\n- North Macedonia\n\n- Norway\n\n- Poland\n\n- Portugal\n\n- Romania\n\n- Serbia\n\n- Spain\n\n- Sweden\n\n- Switzerland\n\n- Turkey\n\n- Ukraine\n\nYou can get help with your application from a publicly funded solicitor, including getting documents translated.\n\nContact the embassy or consulate of that country or the Legal Aid Agency to find out how to apply.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/legal-aid", + "answerable": true, + "scenario": "I am a 30 year old woman who doesn\u2019t work and I have recently escaped an abusive relationship although my ex partner keeps trying to contact me and is harrasing me so I would like to try and get a restraining order.", + "original_question": "Can I get legal aid as I do not work and am being threatened by my ex?" + }, + { + "id": "train-1694", + "question": "Scenario: My cousin has a severe mental illness and will not be able to represent themselves in court as they lack capacity. This is a family case and focuses on my cousins divorce. I am worried about my cousin.\n\nQuestion: Can I be appointed a litigation friend to make decisions about the court case for my cousin?\n\nDocument - Litigation friends:\n## Overview\n\nYou can be appointed as litigation friend to make decisions about a court case for either:\n\n- an adult who lacks the mental capacity to manage their own court case either with or without a solicitor\n\n- a child\n\nThe court case can be any of the following:\n\n- a civil case, except a tribunal\n\n- a family case\n\n- a Court of Protection case\n\nYou\u2019ll have to go to court if there\u2019s a hearing, but you cannot act as the other person\u2019s lawyer.\n\nAn adult with a litigation friend is called the \u2018protected party\u2019 in court.\n\n## How you\u2019re appointed\n\nYou can either:\n\n- apply to be someone\u2019s litigation friend\n\n- be appointed by the court if someone involved in a case asks them to appoint a litigation friend for one of the other people involved\n\nThe court will check if you\u2019re suitable. It can appoint you as soon as the case has started or at any time during the case.\n\nWhen there\u2019s no one suitable, willing and able to be a litigation friend, the court may ask the Official Solicitor to step in.\n\n## When your appointment ends\n\nIf you\u2019re the litigation friend for a child who turns 18 or an adult who recovers capacity during the case, you may need to apply to stop being a litigation friend.\n\nYou may be replaced by the court if you do not carry out your duties properly.\n\n## Duties\n\nYou must \u2018direct the proceedings\u2019 on behalf of the other person if you\u2019re their litigation friend. This means you\u2019ll:\n\n- make decisions in their best interests\n\n- do everything you can to tell them what\u2019s happening in the case and find out their wishes and feelings\n\n- talk to their solicitor about what\u2019s happening, get advice from them and give instructions to them in the other person\u2019s best interests\n\n- pay any costs ordered by the court\n\n## Civil cases: settlement hearings\n\nIf the person\u2019s going to be paid money to settle the case, there\u2019ll be a hearing to approve the settlement.\n\nYou\u2019ll need to fill in and bring:\n\n- form CFO 320 if they\u2019re a child - also bring the child\u2019s original birth certificate or a certified copy\n\n- form CFO 320 PB if they\u2019re an adult and the money is going in to a Court Funds Office (CFO) account\n\nRead guidance on CFO accounts and investments for help with the forms.\n\n## After the court case\n\nYour role usually ends after the court case, unless you\u2019re the litigation friend of someone awarded money that\u2019s going into a CFO account.\n\nYou\u2019ll need to remain the contact for a child\u2019s CFO account until they turn 18 or the court directs that the money is paid out. If you cannot carry out this role, you\u2019ll need to be replaced as a litigation friend.\n\nIf you\u2019re the deputy of an adult awarded more than \u00a350,000 into a CFO account, you\u2019ll need to manage the account for them. The Court of Protection may agree that a deputy is not needed.\n\n## Civil cases: expenses\n\nYou can apply to the court to be paid back any expenses you\u2019ve had while acting as litigation friend. This can include the premium for a court costs insurance policy or the interest on a loan taken out to pay for a costs insurance policy.\n\nWrite to the judge in charge of your case giving details of what you spent and when. Include your receipts. The court will check whether your expenses are reasonable.\n\n## Who can be a litigation friend\n\nThe court can appoint anyone to be a litigation friend, for example:\n\n- a parent or guardian\n\n- a family member or friend\n\n- a solicitor\n\n- a professional advocate, such as an Independent Mental Capacity Advocate (IMCA)\n\n- a Court of Protection deputy\n\n- someone who has a lasting or enduring power of attorney\n\n## Suitability\n\nThe court will check you\u2019re suitable by making sure:\n\n- your interests do not conflict with theirs\n\n- you can make decisions about the case in a fair and competent way\n\nYou must fill in a certificate of suitability if you\u2019re applying be someone\u2019s litigation friend.\n\n## If there\u2019s no one suitable to be litigation friend\n\nThe Official Solicitor will act as a litigation friend if:\n\n- nobody else is suitable and willing to be litigation friend\n\n- there\u2019s money available to pay the Official Solicitor\u2019s costs, for example legal aid\n\n- the person\u2019s doctor or another medical professional, for example their psychiatrist, confirms they lack capacity to manage the case (unless they\u2019re a child)\n\nThe court will appoint the Official Solicitor - if he agrees - at the relevant time.\n\nContact the relevant section of the Official Solicitor\u2019s office if you have a query about his involvement in a case.\n\n## Apply to be a litigation friend\n\nYou can apply to be someone\u2019s litigation friend by either:\n\n- providing a copy of the court order that appointed you as the person\u2019s deputy if it gives you permission to act as their litigation friend\n\n- filling in a certificate of suitability if you\u2019re not the person\u2019s deputy\n\nYou must send (\u2018file\u2019) your court order or certificate of suitability with the court before you can act on the person\u2019s behalf.\n\nThe person\u2019s solicitor usually does this, but you can do it yourself if there\u2019s no solicitor yet. Contact the court to find out where to deliver your documents. You\u2019ll then have to find a solicitor to act for the other person.\n\n## Deputies: civil cases\n\nIf you\u2019re the deputy of the claimant (the person bringing the case to court) and your deputy\u2019s court order gives you permission to be litigation friend, you must file your court order together with the claim form that starts the court case.\n\n## Certificate of suitability\n\nDownload and fill in the relevant form to apply in the:\n\n- civil courts\n\n- family courts\n\n- Court of Protection\n\nDeliver in person (\u2018serve\u2019) a completed copy of the relevant form to the:\n\n- parent, guardian or carer, if you\u2019re applying to be a child\u2019s litigation friend\n\n- deputy, attorney with a lasting power of attorney or enduring power of attorney, or carer of the adult you want to be litigation friend for\n\n- the adult, known as the \u2018protected party\u2019, you want to be litigation friend for\n\nIf you\u2019re applying to act for an adult, explain on the certificate of suitability form why you think they need someone to make decisions about the case on their behalf.\n\n## Certificate of service\n\nWhen you\u2019ve served the certificate of suitability, download and fill in the relevant certificate of service for a:\n\n- civil case\n\n- family case\n\n- Court of Protection case depending on whether you\u2019re serving the other person or someone else\n\n## What to do with the forms\n\nDeliver or send the certificate of suitability and certificate of service to the court at the same time.\n\nIf you\u2019re applying to be litigation friend for the person making the claim in a civil case, your forms must be delivered with the claim form.\n\n## Ask the court to appoint a litigation friend\n\nYou or anyone involved can apply to the court to get a litigation friend appointed at any time during the case.\n\n## How to apply\n\nDownload and fill in the relevant form to apply in the:\n\n- civil courts\n\n- family courts\n\n- Court of Protection\n\nYou\u2019ll need to provide evidence that the person you want the court to appoint:\n\n- agrees to be the litigation friend\n\n- is suitable and willing\n\n- is able to carry out the duties\n\nDeliver in person (\u2018serve\u2019) a completed copy of the relevant form to the:\n\n- parent, guardian or carer if you\u2019re applying to get a litigation friend appointed for a child\n\n- deputy, attorney with a lasting power of attorney or enduring power of attorney, or carer if you\u2019re applying to get a litigation friend appointed for an adult\n\n- the adult you\u2019re applying to get a litigation friend appointed for\n\n## Certificate of service\n\nWhen you\u2019ve served the certificate of suitability, download and fill in the relevant certificate of service for a:\n\n- civil case\n\n- family case\n\n- Court of Protection case depending on whether you\u2019re serving the other person or someone else\n\nDeliver or send the certificate of suitability and certificate of service to the court at the same time.\n\n## Stop being a litigation friend\n\nYou\u2019ll usually stop being a litigation friend when:\n\n- the case ends, unless you\u2019re litigation friend for a child and they\u2019ve been given a settlement\n\n- the child turns 18\n\n- the adult who did not have mental capacity recovers or gets mental capacity\n\n- you or someone else applies to the court for a replacement litigation friend\n\n## If you\u2019re litigation friend for a child\n\nIf the case has already been settled and you\u2019re managing a Court Funds Office account on the child\u2019s behalf, the Court Funds Office will write to them and explain how they can get their money.\n\nWhen a child turns 18 during the court case, they must write a statement telling the court and everyone involved in the case:\n\n- they\u2019ve turned 18\n\n- you\u2019ve stopped being their litigation friend\n\n- they are or are not going to carry on with the legal case\n\n- their address so documents can be sent to them\n\nThey must file the statement with the court and give a copy to everyone involved in the case.\n\n## When the adult recovers or gets mental capacity\n\nYou, as the litigation friend of someone who recovers mental capacity, or the person themselves can apply to the court for an order to stop you acting as litigation friend.\n\nYou or they must include:\n\n- medical evidence that they\u2019ve recovered capacity\n\n- any Court of Protection orders or declarations\n\nThen they must write a statement telling the court and anyone involved in the case:\n\n- you\u2019ve stopped being their litigation friend\n\n- they are or are not going to carry on with the legal case\n\n- their address so documents can be sent to them\n\nThey must file the statement with the court and give a copy to everyone involved in the case (\u2018serve\u2019 it).\n\nIn a civil case, the person must serve the statement within 28 days from when you stopped being their litigation friend. If they do not, anyone involved in the case can make an application to have their case dismissed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/litigation-friend", + "answerable": true, + "scenario": "My cousin has a severe mental illness and will not be able to represent themselves in court as they lack capacity. This is a family case and focuses on my cousins divorce. I am worried about my cousin.", + "original_question": "Can I be appointed a litigation friend to make decisions about the court case for my cousin?" + }, + { + "id": "train-1704", + "question": "Scenario: I moved to the UK seven years ago. I had the right of movement due to being from France, an EU member state. I have been told that I am going to lose have my status revoked. I currently live in the UK.\n\nQuestion: Do I need to attend a hearing for my appeal?\n\nDocument - Appeal against a visa or immigration decision:\n## Overview\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber) if the Home Office has decided to:\n\n- refuse your protection claim (also known as \u2018asylum claim\u2019 or \u2018humanitarian protection\u2019)\n\n- revoke your protection status\n\n- refuse your human rights claim\n\n- refuse you a residence document or deport you under the Immigration (European Economic Area) Regulations 2016\n\n- revoke your British citizenship\n\n- refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme\n\n- refuse or revoke your travel permit or family permit under the EU Settlement Scheme or restrict your rights to enter or leave the UK under those permits\n\n- refuse or revoke your permit, or deport you if you\u2019re a frontier worker\n\n- refuse or revoke your leave, or deport you if you\u2019re an S2 healthcare visitor\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\nIf you do not have the right to appeal, you might be able to ask the Home Office for an administrative review.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nFind out how to appeal from:\n\n- within the UK\n\n- outside the UK\n\nThere\u2019s a different way to appeal if you made your application before 6 April 2015.\n\n## Help you can get\n\nYou can get help and advice from a solicitor or an immigration adviser.\n\nYou can also contact Citizens Advice.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYou may be able to get asylum support (such as housing and money) if you\u2019ve been refused asylum.\n\nContact the tribunal if you have any questions about your appeal. The tribunal cannot give you legal advice.\n\n## Urgent appeal applications\n\nYou need to write to the tribunal with:\n\n- the reason why your case should be heard urgently\n\n- evidence of compelling or compassionate grounds, for example letters from a doctor or hospital\n\nYou should write \u2018expedite requests\u2019 on the top of any documents you send with your application.\n\nA judge will review your evidence and decide whether your application should be heard sooner than usual.\n\nYour application will only be reviewed if you\u2019ve paid your tribunal fee (if you need to pay one).\n\n## Where to send your application\n\nSend your reasons for the urgent appeal and evidence to the tribunal.\n\nContact the tribunal to check if your application has been received.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nYou can apply again for the EU Settlement Scheme, Frontier Worker permit or S2 Healthcare Visitor visa for free if you have new evidence to submit.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Appeal from within the UK\n\nYou can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.\n\nTalk to a solicitor or an immigration adviser if you\u2019re not sure.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYour decision letter will usually tell you if you can apply for an administrative review if you do not have the right to appeal.\n\nThe administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nYou have 14 days to appeal from the date the decision was sent.\n\nIf you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.\n\nYou can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.\n\nApply online if you can - online appeals are quicker than post or fax appeals.\n\n| What you\u2019re appealing | How you can appeal |\n\n| A decision to refuse your human rights claim or protection claim while you\u2019re in the UK | Online or by post or fax with form IAFT-5 |\n\n| A decision to revoke your protection status | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5 |\n\n| A decision where you\u2019ve been detained in an Immigration detention centre and your decision letter was sent by the Home Office | By post or fax with form IAFT-DIA |\n\n| A decision where you\u2019ve been detained in prison and your decision letter was sent by the Home Office. | Online or by post or fax with form IAFT-5 |\n\n| A decision to remove your British citizenship | Online or by post or fax with form IAFT-5 |\n\n| Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form |\n\nIf you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.\n\n## Ask for an oral hearing\n\nYou can ask on your appeal form for a decision to be made either:\n\n- just on the information in your appeal form and any documents supplied to the tribunal\n\n- at a hearing that you and your representative can attend\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend.\n\nIf the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and the documents.\n\nHearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\n## Special requirements\n\nContact the Customer Enquiry Unit before your hearing if you need any special help, for example you need wheelchair access.\n\n## Fees\n\nIt costs:\n\n- \u00a380 without a hearing\n\n- \u00a3140 with a hearing\n\nYou may not have to pay if you:\n\n- get asylum support\n\n- get legal aid\n\n- get services from your local council and you\u2019re under 18\n\nYou can also get help with court fees if any of the following apply:\n\n- you have little or no savings\n\n- you\u2019re on certain benefits\n\n- you have a low income\n\nRead the tribunal fees guidance for more information.\n\nContact the tribunal if you\u2019re unsure if you have to pay a fee.\n\n## How to pay\n\nYou can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.\n\nIf you\u2019ve already made your appeal you can also pay your fee online.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nIf you have new evidence to submit, you can:\n\n- apply for the EU Settlement Scheme\n\n- apply for a Frontier Worker permit\n\n- apply for a S2 Healthcare Visitor visa\n\nIt\u2019s free to apply.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Appeal from outside the UK\n\nYou can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.\n\nIf you\u2019ve been refused a tier 1, 2, 4 or 5 visa you will be able to ask for the decision to be reviewed at an administrative review - your refusal letter will usually tell you if you can.\n\nThe administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.\n\nTalk to a solicitor or an immigration adviser if you\u2019re unsure whether you can appeal.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nYou have 28 days to appeal after you get your decision. If you have to leave the country before you\u2019re allowed to appeal, you have 28 days to appeal once you\u2019ve left the country.\n\nIf you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.\n\nYou can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.\n\nApply online if you can - online appeals are quicker than post or fax appeals.\n\n| What you\u2019re appealing | How you can appeal |\n\n| A decision to refuse a human rights claim for entry clearance | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse a human rights claim or protection claim (where you can only apply after you\u2019ve left the country) | Online or by post or fax with form IAFT-7 |\n\n| A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5 |\n\n| Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form |\n\nIf you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.\n\n## Ask for an oral hearing\n\nYou can ask on your appeal form for a decision to be made either:\n\n- just on the information in your appeal form and any documents supplied to the tribunal\n\n- at a hearing that your representatives can attend\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case.\n\nIf the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and documents.\n\nHearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\n## Special requirements\n\nContact the Customer Enquiry Unit before your hearing if any special help is needed, for example someone attending on your behalf needs wheelchair access.\n\n## Fees\n\nIt costs:\n\n- \u00a380 without a hearing\n\n- \u00a3140 with a hearing\n\nYou may not have to pay if you get legal aid.\n\nRead the tribunal fees guidance for more information.\n\nContact the tribunal if you\u2019re not sure if you have to pay a fee.\n\n## How to pay\n\nYou can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.\n\nIf you\u2019ve already made your appeal you can also pay your fee online.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nIf you have new evidence to submit, you can:\n\n- apply for the EU Settlement Scheme\n\n- apply for a Frontier Worker permit\n\n- apply for a S2 Healthcare Visitor visa\n\nIt\u2019s free to apply.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Applications made before 6 April 2015\n\nYou might be able to appeal against a decision made by the Home Office if you submitted your application before 6 April 2015 and it was refused.\n\n## Tier 1, 2 or 5 migrants and family members\n\nYou can make an appeal if you applied for leave to remain as a Tier 1, 2 or 5 migrant or family member before 2 March 2015 and your application was refused on or after 6 April 2015.\n\nYou can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nAppeal online or by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Tier 4 migrants and family members\n\nYou can make an appeal if you applied for permission to remain as a Tier 4 migrant or family member before 20 October 2014 and your application was refused on or after 6 April 2015.\n\nYou can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nAppeal online or by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Other decisions\n\nYou can appeal against certain other Home Office decisions if you applied before 6 April 2015 and your application was refused on or after the same date.\n\nYou can only do this if the Home Office\u2019s decision did not include refusing an asylum or human rights claim.\n\n## Leave to enter\n\nYou can appeal online if your application for leave to enter was refused.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Vary your leave to enter or remain\n\nYou can appeal online if your application to change (\u2018vary\u2019) the length and conditions of your stay in the UK was refused. You can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Entry clearance\n\nYou can appeal online if your application for entry clearance was refused.\n\nYou can also appeal by post or fax with form IAFT-2.\n\n## Certificate of entitlement\n\nYou can appeal online if your application for a certificate of entitlement to prove you have a right of abode in the UK was refused.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## If there's a hearing\n\nYou\u2019ll get a letter or email with details of how to attend your hearing. You may be asked to attend in person at a tribunal building, or asked to attend remotely by a video link or by phone.\n\nIf you\u2019ll be attending remotely, the letter or email will tell you how to prepare for this.\n\nYou can check the daily courts lists on the day of your hearing to find out if anything has changed.\n\nIf you cannot attend yourself you can ask someone to represent you and ask witnesses to attend.\n\nYou may have to give evidence at the hearing and answer questions.\n\nYou may need to take part in a \u2018pre-hearing\u2019, where the tribunal will check that you\u2019re ready for a full hearing.\n\nThe hearing will normally be attended by:\n\n- a judge, sometimes with other tribunal members\n\n- a clerk and other tribunal staff, to help run the hearing\n\n- your representative, if you have one\n\n- a Home Office \u2018presenting officer\u2019, who will argue the case for the Home Office\n\n- any witnesses called to give evidence\n\n- an interpreter, if you\u2019ve asked for one\n\nIt can also normally be attended by:\n\n- your sponsor, if you have one\n\n- members of the public\n\n- the press or media\n\n## If your appeal cannot be resolved at the hearing\n\nIf your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be rescheduled for another day.\n\nYour hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it cannot be resolved on the day. The tribunal will arrange another hearing with the same people present.\n\n## Get a decision\n\nYou\u2019ll be given a decision in person or by post.\n\nThe tribunal will either decide to:\n\n- allow your appeal - this does not automatically mean you\u2019ll be able to enter or stay in the country and may simply mean the Home Office has to reconsider its decision\n\n- dismiss your appeal and uphold the Home Office\u2019s original decision\n\nYou\u2019ll usually get a copy of the tribunal\u2019s decision within 4 weeks of the hearing.\n\nBoth you and the Home Office can appeal the decision of the tribunal.\n\nThe tribunal can order either you or the Home Office to pay the other\u2019s costs if either of you has acted unreasonably.\n\n## If you win your appeal\n\nThe Home Office will change (\u2018revise\u2019) its decision if you win your appeal. The Home Office may reconsider your entire application if your circumstances have changed since you first made your appeal.\n\nThe judge may order the Home Office to pay you a \u2018fee award\u2019 if you win your appeal, up to the amount you paid for your tribunal fee.\n\nEmail the Home Office if you do not get your fee award after 60 days.\n\nInclude the following information:\n\n- your Home Office reference number\n\n- your appeal reference number\n\n- the date of the tribunal decision letter\n\n## If you lose your appeal\n\nYou can ask for permission to appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you lose your case and you think there\u2019s a legal mistake with the tribunal\u2019s decision.\n\nFor example, you think the tribunal:\n\n- got the law wrong\n\n- do not apply the correct law\n\n- do not follow the correct procedures, which affected the decision\n\n- had no evidence to support its decision\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and the guidance it\u2019s issued.\n\nAll parties must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Immigration and Asylum Chamber) Rules 2014.\n\nThe tribunal will make a decision based on legislation, including the:\n\n- Immigration Act 1971\n\n- Nationality, Immigration and Asylum Act 2002\n\n- Immigration, Asylum and Nationality Act 2006\n\n- Tribunals, Courts and Enforcement Act 2007\n\n- UK Borders Act 2007\n\n- Borders, Citizenship and Immigration Act 2009\n\n- Immigration Rules\n\n- Immigration (European Economic Area) Regulations 2016\n\nThe tribunal fees are set out in the First-tier Tribunal (Immigration and Asylum Chamber) Fees Order 2011.\n\nThe president of the tribunal has issued guidance which provides more detail on certain issues.\n\nThere are also older guidance notes for the Asylum and Immigration Tribunal which still apply to the First-tier Tribunal (Immigration and Asylum Chamber).\n\nCheck the decisions database to see how previous decisions on appeals have been made by the Immigration and Asylum Chamber.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/immigration-asylum-tribunal", + "answerable": true, + "scenario": "I moved to the UK seven years ago. I had the right of movement due to being from France, an EU member state. I have been told that I am going to lose have my status revoked. I currently live in the UK.", + "original_question": "Do I need to attend a hearing for my appeal?" + }, + { + "id": "train-1705", + "question": "Scenario: I migrated to the UK from Japan to live with my husband. I have appealed against a decision to be deported and will have a hearing.\n\nQuestion: Can I bring someone to support me at the hearing?\n\nDocument - Appeal against a visa or immigration decision:\n## Overview\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber) if the Home Office has decided to:\n\n- refuse your protection claim (also known as \u2018asylum claim\u2019 or \u2018humanitarian protection\u2019)\n\n- revoke your protection status\n\n- refuse your human rights claim\n\n- refuse you a residence document or deport you under the Immigration (European Economic Area) Regulations 2016\n\n- revoke your British citizenship\n\n- refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme\n\n- refuse or revoke your travel permit or family permit under the EU Settlement Scheme or restrict your rights to enter or leave the UK under those permits\n\n- refuse or revoke your permit, or deport you if you\u2019re a frontier worker\n\n- refuse or revoke your leave, or deport you if you\u2019re an S2 healthcare visitor\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\nIf you do not have the right to appeal, you might be able to ask the Home Office for an administrative review.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nFind out how to appeal from:\n\n- within the UK\n\n- outside the UK\n\nThere\u2019s a different way to appeal if you made your application before 6 April 2015.\n\n## Help you can get\n\nYou can get help and advice from a solicitor or an immigration adviser.\n\nYou can also contact Citizens Advice.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYou may be able to get asylum support (such as housing and money) if you\u2019ve been refused asylum.\n\nContact the tribunal if you have any questions about your appeal. The tribunal cannot give you legal advice.\n\n## Urgent appeal applications\n\nYou need to write to the tribunal with:\n\n- the reason why your case should be heard urgently\n\n- evidence of compelling or compassionate grounds, for example letters from a doctor or hospital\n\nYou should write \u2018expedite requests\u2019 on the top of any documents you send with your application.\n\nA judge will review your evidence and decide whether your application should be heard sooner than usual.\n\nYour application will only be reviewed if you\u2019ve paid your tribunal fee (if you need to pay one).\n\n## Where to send your application\n\nSend your reasons for the urgent appeal and evidence to the tribunal.\n\nContact the tribunal to check if your application has been received.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nYou can apply again for the EU Settlement Scheme, Frontier Worker permit or S2 Healthcare Visitor visa for free if you have new evidence to submit.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Appeal from within the UK\n\nYou can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.\n\nTalk to a solicitor or an immigration adviser if you\u2019re not sure.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYour decision letter will usually tell you if you can apply for an administrative review if you do not have the right to appeal.\n\nThe administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nYou have 14 days to appeal from the date the decision was sent.\n\nIf you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.\n\nYou can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.\n\nApply online if you can - online appeals are quicker than post or fax appeals.\n\n| What you\u2019re appealing | How you can appeal |\n\n| A decision to refuse your human rights claim or protection claim while you\u2019re in the UK | Online or by post or fax with form IAFT-5 |\n\n| A decision to revoke your protection status | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5 |\n\n| A decision where you\u2019ve been detained in an Immigration detention centre and your decision letter was sent by the Home Office | By post or fax with form IAFT-DIA |\n\n| A decision where you\u2019ve been detained in prison and your decision letter was sent by the Home Office. | Online or by post or fax with form IAFT-5 |\n\n| A decision to remove your British citizenship | Online or by post or fax with form IAFT-5 |\n\n| Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form |\n\nIf you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.\n\n## Ask for an oral hearing\n\nYou can ask on your appeal form for a decision to be made either:\n\n- just on the information in your appeal form and any documents supplied to the tribunal\n\n- at a hearing that you and your representative can attend\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend.\n\nIf the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and the documents.\n\nHearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\n## Special requirements\n\nContact the Customer Enquiry Unit before your hearing if you need any special help, for example you need wheelchair access.\n\n## Fees\n\nIt costs:\n\n- \u00a380 without a hearing\n\n- \u00a3140 with a hearing\n\nYou may not have to pay if you:\n\n- get asylum support\n\n- get legal aid\n\n- get services from your local council and you\u2019re under 18\n\nYou can also get help with court fees if any of the following apply:\n\n- you have little or no savings\n\n- you\u2019re on certain benefits\n\n- you have a low income\n\nRead the tribunal fees guidance for more information.\n\nContact the tribunal if you\u2019re unsure if you have to pay a fee.\n\n## How to pay\n\nYou can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.\n\nIf you\u2019ve already made your appeal you can also pay your fee online.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nIf you have new evidence to submit, you can:\n\n- apply for the EU Settlement Scheme\n\n- apply for a Frontier Worker permit\n\n- apply for a S2 Healthcare Visitor visa\n\nIt\u2019s free to apply.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Appeal from outside the UK\n\nYou can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.\n\nIf you\u2019ve been refused a tier 1, 2, 4 or 5 visa you will be able to ask for the decision to be reviewed at an administrative review - your refusal letter will usually tell you if you can.\n\nThe administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.\n\nTalk to a solicitor or an immigration adviser if you\u2019re unsure whether you can appeal.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nYou have 28 days to appeal after you get your decision. If you have to leave the country before you\u2019re allowed to appeal, you have 28 days to appeal once you\u2019ve left the country.\n\nIf you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.\n\nYou can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.\n\nApply online if you can - online appeals are quicker than post or fax appeals.\n\n| What you\u2019re appealing | How you can appeal |\n\n| A decision to refuse a human rights claim for entry clearance | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse a human rights claim or protection claim (where you can only apply after you\u2019ve left the country) | Online or by post or fax with form IAFT-7 |\n\n| A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5 |\n\n| Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form |\n\nIf you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.\n\n## Ask for an oral hearing\n\nYou can ask on your appeal form for a decision to be made either:\n\n- just on the information in your appeal form and any documents supplied to the tribunal\n\n- at a hearing that your representatives can attend\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case.\n\nIf the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and documents.\n\nHearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\n## Special requirements\n\nContact the Customer Enquiry Unit before your hearing if any special help is needed, for example someone attending on your behalf needs wheelchair access.\n\n## Fees\n\nIt costs:\n\n- \u00a380 without a hearing\n\n- \u00a3140 with a hearing\n\nYou may not have to pay if you get legal aid.\n\nRead the tribunal fees guidance for more information.\n\nContact the tribunal if you\u2019re not sure if you have to pay a fee.\n\n## How to pay\n\nYou can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.\n\nIf you\u2019ve already made your appeal you can also pay your fee online.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nIf you have new evidence to submit, you can:\n\n- apply for the EU Settlement Scheme\n\n- apply for a Frontier Worker permit\n\n- apply for a S2 Healthcare Visitor visa\n\nIt\u2019s free to apply.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Applications made before 6 April 2015\n\nYou might be able to appeal against a decision made by the Home Office if you submitted your application before 6 April 2015 and it was refused.\n\n## Tier 1, 2 or 5 migrants and family members\n\nYou can make an appeal if you applied for leave to remain as a Tier 1, 2 or 5 migrant or family member before 2 March 2015 and your application was refused on or after 6 April 2015.\n\nYou can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nAppeal online or by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Tier 4 migrants and family members\n\nYou can make an appeal if you applied for permission to remain as a Tier 4 migrant or family member before 20 October 2014 and your application was refused on or after 6 April 2015.\n\nYou can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nAppeal online or by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Other decisions\n\nYou can appeal against certain other Home Office decisions if you applied before 6 April 2015 and your application was refused on or after the same date.\n\nYou can only do this if the Home Office\u2019s decision did not include refusing an asylum or human rights claim.\n\n## Leave to enter\n\nYou can appeal online if your application for leave to enter was refused.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Vary your leave to enter or remain\n\nYou can appeal online if your application to change (\u2018vary\u2019) the length and conditions of your stay in the UK was refused. You can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Entry clearance\n\nYou can appeal online if your application for entry clearance was refused.\n\nYou can also appeal by post or fax with form IAFT-2.\n\n## Certificate of entitlement\n\nYou can appeal online if your application for a certificate of entitlement to prove you have a right of abode in the UK was refused.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## If there's a hearing\n\nYou\u2019ll get a letter or email with details of how to attend your hearing. You may be asked to attend in person at a tribunal building, or asked to attend remotely by a video link or by phone.\n\nIf you\u2019ll be attending remotely, the letter or email will tell you how to prepare for this.\n\nYou can check the daily courts lists on the day of your hearing to find out if anything has changed.\n\nIf you cannot attend yourself you can ask someone to represent you and ask witnesses to attend.\n\nYou may have to give evidence at the hearing and answer questions.\n\nYou may need to take part in a \u2018pre-hearing\u2019, where the tribunal will check that you\u2019re ready for a full hearing.\n\nThe hearing will normally be attended by:\n\n- a judge, sometimes with other tribunal members\n\n- a clerk and other tribunal staff, to help run the hearing\n\n- your representative, if you have one\n\n- a Home Office \u2018presenting officer\u2019, who will argue the case for the Home Office\n\n- any witnesses called to give evidence\n\n- an interpreter, if you\u2019ve asked for one\n\nIt can also normally be attended by:\n\n- your sponsor, if you have one\n\n- members of the public\n\n- the press or media\n\n## If your appeal cannot be resolved at the hearing\n\nIf your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be rescheduled for another day.\n\nYour hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it cannot be resolved on the day. The tribunal will arrange another hearing with the same people present.\n\n## Get a decision\n\nYou\u2019ll be given a decision in person or by post.\n\nThe tribunal will either decide to:\n\n- allow your appeal - this does not automatically mean you\u2019ll be able to enter or stay in the country and may simply mean the Home Office has to reconsider its decision\n\n- dismiss your appeal and uphold the Home Office\u2019s original decision\n\nYou\u2019ll usually get a copy of the tribunal\u2019s decision within 4 weeks of the hearing.\n\nBoth you and the Home Office can appeal the decision of the tribunal.\n\nThe tribunal can order either you or the Home Office to pay the other\u2019s costs if either of you has acted unreasonably.\n\n## If you win your appeal\n\nThe Home Office will change (\u2018revise\u2019) its decision if you win your appeal. The Home Office may reconsider your entire application if your circumstances have changed since you first made your appeal.\n\nThe judge may order the Home Office to pay you a \u2018fee award\u2019 if you win your appeal, up to the amount you paid for your tribunal fee.\n\nEmail the Home Office if you do not get your fee award after 60 days.\n\nInclude the following information:\n\n- your Home Office reference number\n\n- your appeal reference number\n\n- the date of the tribunal decision letter\n\n## If you lose your appeal\n\nYou can ask for permission to appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you lose your case and you think there\u2019s a legal mistake with the tribunal\u2019s decision.\n\nFor example, you think the tribunal:\n\n- got the law wrong\n\n- do not apply the correct law\n\n- do not follow the correct procedures, which affected the decision\n\n- had no evidence to support its decision\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and the guidance it\u2019s issued.\n\nAll parties must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Immigration and Asylum Chamber) Rules 2014.\n\nThe tribunal will make a decision based on legislation, including the:\n\n- Immigration Act 1971\n\n- Nationality, Immigration and Asylum Act 2002\n\n- Immigration, Asylum and Nationality Act 2006\n\n- Tribunals, Courts and Enforcement Act 2007\n\n- UK Borders Act 2007\n\n- Borders, Citizenship and Immigration Act 2009\n\n- Immigration Rules\n\n- Immigration (European Economic Area) Regulations 2016\n\nThe tribunal fees are set out in the First-tier Tribunal (Immigration and Asylum Chamber) Fees Order 2011.\n\nThe president of the tribunal has issued guidance which provides more detail on certain issues.\n\nThere are also older guidance notes for the Asylum and Immigration Tribunal which still apply to the First-tier Tribunal (Immigration and Asylum Chamber).\n\nCheck the decisions database to see how previous decisions on appeals have been made by the Immigration and Asylum Chamber.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/immigration-asylum-tribunal", + "answerable": true, + "scenario": "I migrated to the UK from Japan to live with my husband. I have appealed against a decision to be deported and will have a hearing.", + "original_question": "Can I bring someone to support me at the hearing?" + }, + { + "id": "train-1706", + "question": "Scenario: I recently pleeded guilty for a crime I did not comit, I don\u2019t know what I can do about this. I am wondering if I can appeal as it is not fair to serve a sentence that I am not responsible for.\n\nQuestion: can I appeal against my conviction?\n\nDocument - Appeal a magistrates\u2019 court decision:\n## What you can appeal\n\nYou can appeal to the magistrates\u2019 court against your:\n\n- sentence, if you pleaded guilty\n\n- conviction and sentence, if you pleaded not guilty\n\nYou should talk to your legal representative (if you have one) or get help from a legal adviser before you appeal.\n\n## Ask the court to reconsider a decision\n\nIf you think the decision was wrong, you can ask the court to reconsider a sentence or conviction. For example, if there was a serious mistake or the court did not follow the right steps.\n\nIf you disagree with the decision but there has been no mistake you will normally need to appeal to the Crown Court.\n\n## If you did not know about your court case\n\nIf you did not know about your case before a decision was made, you can make a statutory declaration to a magistrates\u2019 court to reopen your case.\n\n## Change the amount you\u2019ve been fined\n\nYou can ask the court to change the amount you\u2019ve been fined if:\n\n- your financial circumstances have changed\n\n- the court did not know your income at the time of your conviction\n\n## Ask the court to reconsider a decision\n\nYou can ask the court to reconsider your conviction, sentence or court order if you think the decision was wrong for a legal reason, for example if the court did not:\n\n- give proper reasons for its decision, or back up the decision with facts\n\n- apply the law properly\n\nThis is different to making an appeal to the Crown Court.\n\nIf you pleaded guilty, you cannot ask the court to reconsider your conviction.\n\n## How to get a decision reconsidered\n\nSubmit your request as early as possible by writing to the magistrates\u2019 court where you had your hearing.\n\nYou must include:\n\n- information about your conviction, sentence or court order\n\n- why you think the decision should change\n\n- what the conviction, sentence or order should be changed to\n\nSend a copy of your application to the prosecutor\u2019s office (you can find the address of the prosecutor by contacting\nthe magistrates\u2019 court where you were convicted).\n\nThe court will decide if a hearing is needed.\n\n## If you did not know about your case\n\nIf a magistrates\u2019 court convicted you without you knowing, you can make a statutory declaration before a magistrates\u2019 court or to a commissioner for oaths (for example a solicitor).\n\nIf the court accepts your declaration they will start the proceedings again. Your conviction or sentence will no longer apply.\n\n## When to make your declaration\n\nYou must give your completed declaration to the court within 21 days of finding out about your case.\n\nIf you want to give a declaration after 21 days, you\u2019ll have to ask the court if they\u2019ll accept it.\n\n## Making a statutory declaration\n\n- Download a statutory declaration (called an ignorance of proceedings form) or ask for a copy at your local magistrates\u2019 court.\n\n- Fill out the form telling the court when and how you heard about your court case. You\u2019ll need to provide details of your case, including where your hearing was held and on what date.\n\n- Arrange an appointment to make your statutory declaration before a solicitor or any magistrates\u2019 court.\n\n- Sign and date your form.\n\n- Give your declaration to the court or ask your solicitor to do it.\n\nIf your case was decided by a magistrate without a hearing, you\u2019ll need to give a written plea (or a completed single justice procedure notice if you have one) to the court or your solicitor along with your statutory declaration.\n\n## Get a fine reviewed\n\nYou can ask the court to change a fine if:\n\n- your financial circumstances have changed\n\n- the court did not know your income when they convicted you\n\nYour original conviction or record of your offence will not change.\n\n## How to ask for a review\n\nWrite to the court or go to your court hearing with evidence of your income and living expenses.\n\nIf your income has changed since you were sentenced you need to also provide your income on the date you were sentenced.\n\nYou can ask your legal adviser if you\u2019re not sure what documents you need.\n\n## What happens next\n\nThe court will decide if the decision should be reconsidered.\n\nYou may need to attend court for another hearing. They\u2019ll let you know when the hearing will take place.\n\n## Appeal to the Crown Court\n\nIf you disagree with a decision but there has been no mistake you can appeal to the Crown Court.\n\nDownload and fill in the \u2018Appeal to the Crown Court\u2019 form that relates to your crime or sentence. Send the form by post or email. The address is on the form.\n\nIf you were convicted at a magistrates\u2019 court but sentenced at a Crown Court, follow the rules for appealing a Crown Court decision.\n\nIf you pleaded guilty, you can only appeal against your sentence.\n\n## When to appeal\n\nYou must appeal within 21 days of the date you were sentenced.\n\nIf you want to appeal after 21 days, you\u2019ll have to ask the Crown Court for permission before you can appeal. The magistrates\u2019 court where you were sentenced will tell you how to do this.\n\nTalk to your legal representative (if you have one) or get help from a legal adviser before you appeal.\n\n## The court hearing\n\nThe Crown Court will make a decision on your appeal at a hearing.\n\nYou\u2019ll get a letter within 80 days of making your appeal to let you know when and where the hearing will take place.\n\nThe hearing is usually held at your nearest Crown Court.\n\n## What happens at the hearing\n\nYou\u2019ll have the chance to present your case to the judge and magistrates. Representatives from the prosecution will present the case against you.\n\nThe judge might also ask you questions during the hearing.\n\nYou\u2019ll be told whether you\u2019ve won your appeal at the hearing. You\u2019ll also be sent a copy of the judge\u2019s decision by post.\n\n## Stopping your appeal\n\nYou can apply to stop your appeal before the hearing. Your appeal cannot be restarted once it\u2019s been stopped.\n\nSend a \u2018notice of abandonment of appeal\u2019 to the magistrates\u2019 court where you sent your appeal and the Crown Court where your hearing will take place.\n\nYou must also send a copy to any other parties involved in the case, for example a prosecutor.\n\n## If you win your appeal\n\nIf you win your appeal against your conviction, your sentence will no longer apply. You might be able to apply to get compensation.\n\nIf you win your appeal against your sentence, it will be reduced.\n\nThe court might decide you can get some of your legal costs paid back, for example your solicitor\u2019s fee.\n\n## If you lose your appeal\n\nYour original sentence or conviction might change.\n\nCheck with your legal adviser if you can appeal again. You might have to pay extra costs if you do.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/appeal-magistrates-court-decision", + "answerable": true, + "scenario": "I recently pleeded guilty for a crime I did not comit, I don\u2019t know what I can do about this. I am wondering if I can appeal as it is not fair to serve a sentence that I am not responsible for.", + "original_question": "can I appeal against my conviction?" + }, + { + "id": "train-1712", + "question": "Scenario: I received compensation for being a victim of a violent crime. I am not happy about the amount I received.\n\nQuestion: Am I able to appeal to receive a higher compensation?\n\nDocument - Criminal injuries compensation tribunal:\n## Overview\n\nYou can appeal to the First-tier Tribunal (Criminal Injuries Compensation) if you disagree with a decision by the Criminal Injuries Compensation Authority (CICA) on your claim for compensation.\n\nYou may want to appeal if you\u2019re refused compensation or unhappy with the amount.\n\nThe tribunal can:\n\n- uphold CICA\u2019s decision\n\n- increase or reduce your award\n\n- decide you should not get anything\n\n- ask CICA to make the decision again\n\nYou have 90 days to appeal to the tribunal from the date of CICA\u2019s review decision. Explain why you\u2019re late if you miss the deadline, for example if you\u2019re waiting for medical reports.\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou can contact Victim and Witness Information to find local help and support.\n\nYou can represent yourself at the tribunal. To get help and advice before you appeal you can find a solicitor.\n\n## Appeal to the tribunal\n\nDownload and fill in the appeal form giving reasons why you disagree with the the Criminal Injuries Compensation Authority\u2019s (CICA\u2019s) decision.\n\nYou must also provide:\n\n- the decision letter from CICA\n\n- documents supporting your case, for example, medical records or evidence of loss of earnings\n\nSend the form, decision letter and documents to the address on the form.\n\nCall or email the tribunal helpline if you have any questions about completing the form. The tribunal cannot give you legal advice.\n\n## What happens next\n\nThe tribunal will send a copy of your appeal form to the Criminal Injuries Compensation Authority (CICA). CICA will usually respond to you and the tribunal within 6 weeks.\n\nYou\u2019ll have one month to get back to the tribunal with any extra information or arguments.\n\n## How your appeal will be decided\n\nThe tribunal will write to tell you if your appeal will be decided using either:\n\n- the paperwork in the case\n\n- a hearing\n\nYou can ask the tribunal for a hearing if you\u2019re unhappy with not being given one.\n\nThe tribunal judge\u2019s decision will be sent to you by post if your appeal is decided using paperwork.\n\nYou\u2019ll be given at least 14 days\u2019 notice of any hearing.\n\n## Hearings\n\nThe hearing will usually be held in the area covered by the police force which investigated the crime.\n\nThe hearing will be attended by:\n\n- 2 or 3 tribunal judges or members\n\n- a clerk\n\n- a representative from CICA\n\n- any witnesses\n\nA police officer who knows about your case may also attend if they can help the tribunal.\n\nOffenders do not usually attend tribunal hearings.\n\n## What happens at a hearing\n\nYou\u2019ll be asked questions about the crime and your injuries.\n\nYou\u2019ll present your case to the judge - someone else can do this for you, for example a lawyer friend or family member.\n\nWitnesses will come into the hearing room to give evidence - they\u2019ll leave after they\u2019ve done that.\n\nYou or your representative can ask questions during the hearing, and can make points at the end.\n\nYou\u2019ll usually get the tribunal\u2019s decision on the day of the hearing.\n\n## Expenses for going to the hearing\n\nThe tribunal will send you information on how to claim expenses for going to the hearing, such as travel costs.\n\n## If you lose your appeal\n\nThere\u2019s no right of appeal but you may be able to ask for a \u2018judicial review\u2019 of the decision if you think the decision was wrong for a legal reason. This means they may hear the case again.\n\nContact a solicitor for legal advice if you\u2019re unsure.\n\n## Before you apply\n\nBefore applying for a judicial review:\n\n- write to the tribunal, saying why you think the decision was wrong\n\n- ask for written reasons for its decision\n\nYou must do this within 1 month of the date of the decision.\n\n## How to apply - England and Wales\n\nYou must get permission from the Upper Tribunal (Administrative Appeals Chamber) if you live in England or Wales.\n\nFill in the judicial review claim form and return it to the address on the form.\n\nFind out more about appealing to the Upper Tribunal.\n\n## How to apply - Scotland\n\nYou must get permission from the Court of Session if you live in Scotland by using the application for leave to appeal form.\n\nSend the form to:\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\nThe tribunal will make a decision based on the Criminal Injuries Compensation Scheme 2012.\n\n## Legislation\n\nThe tribunal must follow the rules in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.\n\nRead the Practice Directions and Statements for more information.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/criminal-injuries-compensation-tribunal", + "answerable": true, + "scenario": "I received compensation for being a victim of a violent crime. I am not happy about the amount I received.", + "original_question": "Am I able to appeal to receive a higher compensation?" + }, + { + "id": "train-1714", + "question": "Scenario: I have recently lost a case to my employee about pay. I am happy to pay back the money I am owed them although am not happy to pay compensation and am not sure if this will be enforced by the courts.\n\nQuestion: Will I need to pay compensation to my employee?\n\nDocument - Being taken to an employment tribunal:\n## Overview\n\nYou can be taken to an employment tribunal by an employee or someone else (for example a job applicant or trade union) over various issues, including:\n\n- pay\n\n- dismissal\n\n- discrimination\n\nThis guide is also available in Welsh (Cymraeg).\n\nThe tribunal is independent of government and will listen to you (the \u2018respondent\u2019) and the other party (the \u2018claimant\u2019) before making a decision.\n\nYou may have to pay compensation or reinstate the claimant if you lose the case.\n\n## Solve the dispute without a hearing\n\nYou\u2019ll be contacted by the Advisory, Conciliation and Arbitration Service (Acas) if someone wants to make a claim against you. They\u2019ll offer to work with you and the claimant to try to solve the problem without it going to a tribunal - this is called \u2018conciliation\u2019.\n\nCall Acas for help and advice.\n\n## Respond to a claim\n\nThe tribunal will send you a letter (known as a \u2018response pack\u2019) if a claim has been made against you and conciliation has not worked. You can respond either:\n\n- online\n\n- by filling out and returning the response pack you\u2019re sent\n\n- by downloading and filling in the response form and sending it to the tribunal office dealing with the case\n\nRead the response guidance before you fill in the form.\n\nYou must respond to the claim within 28 days.\n\nYou may be able to get more time to respond - ask the tribunal. If you\u2019re late or do not respond, the tribunal may make a decision against you without a hearing.\n\n## Offer the claimant compensation\n\nYou can try to settle the case at any time by offering to pay compensation to the claimant (known as a \u2018settlement agreement\u2019).\n\n## Get help or legal advice\n\nYou may want to get legal advice if a claim is made against you.\n\nCall the employment tribunal enquiry line for general guidance on how the process works. They cannot give you legal advice.\n\n## If you\u2019re in Northern Ireland\n\nYour case will be dealt with by the Office of Industrial Tribunals and the Fair Employment Tribunal.\n\n## Before the hearing\n\nYou\u2019ll be given at least 14 days\u2019 notice before the hearing - you\u2019ll get a letter confirming this. You must prepare documents and arrange for witnesses to attend in advance.\n\n## \u2018Preliminary hearing\u2019\n\nYou may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:\n\n- the date and time of a hearing\n\n- how long the hearing should take\n\nThe tribunal will let you know if you\u2019ll have to give evidence or provide any extra information.\n\n## Arrange documents\n\nYou can ask the claimant for documents that will help you with the case, and they can request documents from you.\n\nExamples of documents include:\n\n- a contract of employment\n\n- pay slips\n\n- details of a pension scheme\n\n- notes from relevant meetings\n\nUsually the tribunal will issue an order setting out a timetable for when you should exchange documents.\n\nYou\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.\n\n## Organise witnesses\n\nYou can bring witnesses to the hearing if they can give evidence directly relevant to the case.\n\nIf you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with the case, giving:\n\n- the name and address of the witness\n\n- details of what the witness may be able to say and how it will help the case\n\n- the reason the witness has refused to attend (if they gave you one)\n\nYou\u2019ll most likely be responsible for paying the witness\u2019s expenses.\n\n## At the hearing\n\nCases are normally held at the employment tribunal office closest to where you worked.\n\nYou must take the documents you\u2019re using to support the case.\n\nYou cannot claim for expenses for going to the hearing.\n\n## What happens at the hearing\n\nYou\u2019ll present the case to the tribunal - someone else can do this for you, such as a lawyer, friend or family member. The claimant will present their case against you.\n\nYou may be asked questions by:\n\n- the judge\n\n- the claimant\n\n- 2 other tribunal members (only in certain tribunals)\n\n## Get a decision\n\nYou\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.\n\n## If you win the case\n\nIn most cases, you will not be awarded any compensation if you win. However, if the claimant acted unreasonably or if their case had no hope of success, you can ask to be awarded costs by the tribunal.\n\n## If you lose the case\n\nIf you lose, the tribunal can order you to do certain things depending on the type of case. Examples include:\n\n- giving the claimant their job back\n\n- paying compensation if you cannot give the claimant their job back\n\n- paying witness expenses\n\n- paying damages or loss of earnings\n\n## Pay compensation\n\nPaying compensation is the most common outcome of a tribunal. There can be limits to the amount of money a tribunal can award. There\u2019s no limit in cases of discrimination.\n\nThe tribunal usually works out the amount based on the financial loss the person has suffered as a result of your actions.\n\nInterest is calculated from the day the judgment is received, but you will not have to pay interest if you pay the full compensation award within 14 days.\n\nYou can be taken to court and forced to pay. You can also be fined and named online by the government if you do not pay.\n\n## Pay back state benefits\n\nYou might have to pay back any Jobseeker\u2019s Allowance, Income Support or Employment Support Allowance (ESA) that the claimant claimed while taking their case to the tribunal.\n\nThis is to prevent them from getting paid twice.\n\nThe tribunal and the Compensation Recovery Unit will tell you what you need to do and how much to pay.\n\n## If you disagree with a tribunal decision\n\nYou can ask the tribunal to reconsider the decision if you lose the case.\n\nYou must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.\n\nYou need to give good reasons, such as:\n\n- the tribunal made a mistake in the way it reached its decision\n\n- you were not told about the hearing\n\n- new evidence has turned up since the hearing\n\nSend your letter to the tribunal office that dealt with the case.\n\n## Appeal to the Employment Appeal Tribunal\n\nYou can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.\n\n## Legislation\n\nThe Employment Tribunal follows certain rules and processes that you also have to follow.\n\nYou can also read other relevant tribunal rules and regulations.\n\nThe tribunal has issued guidance and practice directions which provides more information about specific areas, such as postponing hearings and serving documents.\n\nYou can also read guidance about specific cases.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/being-taken-to-employment-tribunal-by-employee", + "answerable": true, + "scenario": "I have recently lost a case to my employee about pay. I am happy to pay back the money I am owed them although am not happy to pay compensation and am not sure if this will be enforced by the courts.", + "original_question": "Will I need to pay compensation to my employee?" + }, + { + "id": "train-1715", + "question": "Scenario: My ex-husband is failing to pay his child support obligations as ordered by the lower court.He has neglected his role and I would like the court to enforce.\n\nQuestion: Can i apply to the administrative appeal chamber?\n\nDocument - Appeal to the Upper Tribunal (Administrative Appeals Chamber):\n## Overview\n\nYou may be able to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you think there was a legal mistake with a decision made against you by certain lower tribunals and organisations.\n\nYou might be able to appeal if your case was about:\n\n- social security or child support\n\n- war pensions and armed forces compensation\n\n- mental health\n\n- special education needs or disabilities\n\n- a dispute that was heard by the General Regulatory Chamber\n\n- a decision made by the Disclosure and Barring Service\n\n- a decision made by the Traffic Commissioner (or the Transport Regulation Unit in Northern Ireland)\n\nThere are also other cases that the tribunal deals with.\n\nThere\u2019s a different process if your case is about criminal injuries compensation.\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nYou\u2019ll need to apply to Northern Ireland commissioners if your case was heard in Northern Ireland and was about social security or war pensions.\n\n## Get help with your appeal\n\nYou can read more detail about the appeal process.\n\nYou may also be able to get free legal advice from Citizens Advice or help from Welfare Rights if you\u2019re in Scotland.\n\n## Contact the tribunal\n\n## England and Wales\n\n## Scotland\n\n## Northern Ireland\n\n## How to appeal\n\nYou may have to ask for permission to appeal - it depends on your case.\n\n## If you\u2019re appealing a decision made by another tribunal\n\nYou must get permission to appeal.\n\nFirst ask the tribunal who made the decision for permission to appeal. You usually have to do this within 28 days of the decision - speak to that tribunal to find out the deadline.\n\nOnce you have permission, download and fill in the relevant appeal form. Send it to the address on the form within 1 month of getting permission.\n\n## If you\u2019re refused permission\n\nYou can ask the Upper Tribunal (Administrative Appeals Chamber) for permission directly using the relevant permission form. Send it to the address on the form within 1 month of being refused.\n\n## If you\u2019re appealing a decision made by an organisation\n\nYou will not need to ask for permission to appeal (unless you\u2019re appealing a decision made by Disclosure and Barring Service).\n\nAppeal using the relevant appeal form and send it to the address on the form.\n\n## Appealing a Disclosure and Barring Service decision\n\nYou\u2019ll need to ask the Upper Tribunal (Administrative Appeals Chamber) for permission before you can appeal.\n\nUse the relevant permission form and send it to the address on the form.\n\n## How your case will be decided\n\nA judge will make a decision using:\n\n- your appeal form\n\n- the documents you\u2019ve provided\n\n- the documents used by the lower tribunal or organisation that decided your case\n\nThe decision will be sent to you by post.\n\n## Attending a hearing\n\nIn certain cases you may be asked to attend a hearing to present your case. You can also ask for a hearing when you apply - the judge will decide if it\u2019s necessary.\n\nYou\u2019ll be told the time and date of the hearing and where it\u2019s being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.\n\nYou\u2019ll be sent instructions on how to prepare and what documents you\u2019ll need to provide.\n\n## Getting a time extension\n\nYou may be able to get a time extension if you need more time to prepare - ask the judge.\n\nYou must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.\n\n## If you lose your case\n\nYou may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.\n\nGet legal help or advice if you\u2019re not sure about this.\n\n## Ask for permission\n\nYou must write to the tribunal and ask for permission before you appeal.\n\nYou must do this within one month of getting the decision (or 3 months for social security, child support, or war pensions and armed forces cases).\n\n## England and Wales\n\n## Scotland\n\n## Northern Ireland\n\nOnce you have permission, you should appeal to the relevant higher court:\n\n- The Court of Appeal in England and Wales\n\n- The Court of Session in Scotland\n\n- The Court of Appeal in Northern Ireland\n\nYou must do this within:\n\n- 28 days of being given permission (England and Wales)\n\n- 42 days of being given permission (Scotland)\n\n- 6 weeks of being given permission (Northern Ireland)\n\nYou may have to pay court fees and the other party\u2019s costs.\n\n## If you\u2019re refused permission\n\nYou can ask the relevant higher court for permission.\n\nYou must do this within 28 days of being refused permission in England and Wales.\n\nThe time limits are different in Scotland and Northern Ireland - contact the relevant tribunal office for details.\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\n## Legislation\n\nThe tribunal must follow the rules and process set out in The Tribunal Procedure (Upper Tribunal) Rules 2008.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/administrative-appeals-tribunal", + "answerable": true, + "scenario": "My ex-husband is failing to pay his child support obligations as ordered by the lower court.He has neglected his role and I would like the court to enforce.", + "original_question": "Can i apply to the administrative appeal chamber?" + }, + { + "id": "train-1716", + "question": "Scenario: I have been hospitalised after suffering a cardiac arrest and i had a court hearing at the administrative appeal chamber on my war pension case.\n\nQuestion: Can i ask for extension?\n\nDocument - Appeal to the Upper Tribunal (Administrative Appeals Chamber):\n## Overview\n\nYou may be able to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you think there was a legal mistake with a decision made against you by certain lower tribunals and organisations.\n\nYou might be able to appeal if your case was about:\n\n- social security or child support\n\n- war pensions and armed forces compensation\n\n- mental health\n\n- special education needs or disabilities\n\n- a dispute that was heard by the General Regulatory Chamber\n\n- a decision made by the Disclosure and Barring Service\n\n- a decision made by the Traffic Commissioner (or the Transport Regulation Unit in Northern Ireland)\n\nThere are also other cases that the tribunal deals with.\n\nThere\u2019s a different process if your case is about criminal injuries compensation.\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nYou\u2019ll need to apply to Northern Ireland commissioners if your case was heard in Northern Ireland and was about social security or war pensions.\n\n## Get help with your appeal\n\nYou can read more detail about the appeal process.\n\nYou may also be able to get free legal advice from Citizens Advice or help from Welfare Rights if you\u2019re in Scotland.\n\n## Contact the tribunal\n\n## England and Wales\n\n## Scotland\n\n## Northern Ireland\n\n## How to appeal\n\nYou may have to ask for permission to appeal - it depends on your case.\n\n## If you\u2019re appealing a decision made by another tribunal\n\nYou must get permission to appeal.\n\nFirst ask the tribunal who made the decision for permission to appeal. You usually have to do this within 28 days of the decision - speak to that tribunal to find out the deadline.\n\nOnce you have permission, download and fill in the relevant appeal form. Send it to the address on the form within 1 month of getting permission.\n\n## If you\u2019re refused permission\n\nYou can ask the Upper Tribunal (Administrative Appeals Chamber) for permission directly using the relevant permission form. Send it to the address on the form within 1 month of being refused.\n\n## If you\u2019re appealing a decision made by an organisation\n\nYou will not need to ask for permission to appeal (unless you\u2019re appealing a decision made by Disclosure and Barring Service).\n\nAppeal using the relevant appeal form and send it to the address on the form.\n\n## Appealing a Disclosure and Barring Service decision\n\nYou\u2019ll need to ask the Upper Tribunal (Administrative Appeals Chamber) for permission before you can appeal.\n\nUse the relevant permission form and send it to the address on the form.\n\n## How your case will be decided\n\nA judge will make a decision using:\n\n- your appeal form\n\n- the documents you\u2019ve provided\n\n- the documents used by the lower tribunal or organisation that decided your case\n\nThe decision will be sent to you by post.\n\n## Attending a hearing\n\nIn certain cases you may be asked to attend a hearing to present your case. You can also ask for a hearing when you apply - the judge will decide if it\u2019s necessary.\n\nYou\u2019ll be told the time and date of the hearing and where it\u2019s being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.\n\nYou\u2019ll be sent instructions on how to prepare and what documents you\u2019ll need to provide.\n\n## Getting a time extension\n\nYou may be able to get a time extension if you need more time to prepare - ask the judge.\n\nYou must have a good reason, for example you\u2019re having problems finding a document or you\u2019re ill.\n\n## If you lose your case\n\nYou may be able to appeal to a higher court if you think there was a legal mistake made by the tribunal.\n\nGet legal help or advice if you\u2019re not sure about this.\n\n## Ask for permission\n\nYou must write to the tribunal and ask for permission before you appeal.\n\nYou must do this within one month of getting the decision (or 3 months for social security, child support, or war pensions and armed forces cases).\n\n## England and Wales\n\n## Scotland\n\n## Northern Ireland\n\nOnce you have permission, you should appeal to the relevant higher court:\n\n- The Court of Appeal in England and Wales\n\n- The Court of Session in Scotland\n\n- The Court of Appeal in Northern Ireland\n\nYou must do this within:\n\n- 28 days of being given permission (England and Wales)\n\n- 42 days of being given permission (Scotland)\n\n- 6 weeks of being given permission (Northern Ireland)\n\nYou may have to pay court fees and the other party\u2019s costs.\n\n## If you\u2019re refused permission\n\nYou can ask the relevant higher court for permission.\n\nYou must do this within 28 days of being refused permission in England and Wales.\n\nThe time limits are different in Scotland and Northern Ireland - contact the relevant tribunal office for details.\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\n## Legislation\n\nThe tribunal must follow the rules and process set out in The Tribunal Procedure (Upper Tribunal) Rules 2008.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/administrative-appeals-tribunal", + "answerable": true, + "scenario": "I have been hospitalised after suffering a cardiac arrest and i had a court hearing at the administrative appeal chamber on my war pension case.", + "original_question": "Can i ask for extension?" + }, + { + "id": "train-1717", + "question": "Scenario: I have received the decision to a employment tribunal. The decision was sent to me late, despite the decision being made 47 days ago.\n\nQuestion: Will I still be able to request an appeal knowing that the fault was not with me?\n\nDocument - Appeal to the Employment Appeal Tribunal (EAT):\n## Overview\n\nYou can appeal to the Employment Appeal Tribunal (EAT) if you think a legal mistake was made in an employment tribunal case.\n\nFor example, you could appeal if it:\n\n- got the law wrong\n\n- did not apply the correct law\n\n- did not follow the correct procedures and this affected the decision\n\n- had no evidence to support its decision\n\n- was unfairly biased towards the other party\n\nGet legal advice if you\u2019re unsure about this.\n\nEAT is independent of government and will listen to both sides of the argument before making a decision.\n\n## Before you appeal\n\nAsk the employment tribunal to send you the reasons for the decision, if you do not already have them. You can continue your appeal while you wait for them.\n\n## Help with your appeal\n\nRead the rules that EAT follows when making decisions.\n\nYou can also get free legal advice from Citizens Advice and Citizens Advice Scotland.\n\n## Contact EAT\n\nContact the enquiry line for more information.\n\nEAT public enquiry line\nTelephone: 020 7273 1041 (England and Wales) \nTelephone: 0131 225 3963 (Scotland)\nFind out about call charges\n\n## How to appeal\n\n- Read the full practice direction and appeal guidance.\n\n- Fill in the notice of appeal form.\n\n- Send the form, with the supporting documents listed on it, to the Employment Appeal Tribunal (EAT) office.\n\nYou do not have to pay a fee to make an appeal.\n\n## Deadline for appealing\n\nYou must appeal within 42 days of the date that either:\n\n- the decision was sent to you\n\n- the reasons were sent to you (but only if the Employment Tribunal did not provide reasons at the hearing or you asked for the reasons within 14 days of the decision being sent to you)\n\nYour appeal must arrive by 4pm on the final day.\n\nYou can ask for an appeal to be considered even if it\u2019s late, but extensions are rarely given, and you must have a good reason.\n\n## Where to send your appeal\n\nYou can send it by email. You must send any documents as attachments, and the email must be 10MB or less.\n\nYou can also send your appeal by fax or post.\n\n## For cases in England and Wales\n\n## For cases in Scotland\n\n## After you appeal\n\nEAT will decide if your case can go ahead. If it can, you may be asked to attend a hearing to present your case.\n\nIf your appeal cannot go ahead, you\u2019ll be sent a letter explaining why and whether you can appeal further.\n\n## The tribunal hearing\n\nYou may have to attend a hearing where you (or your representative) will present your case.\n\nThe Employment Appeal Tribunal (EAT) will decide if your appeal has been successful.\n\nYou\u2019ll be told the outcome of the case either at the end of the hearing or afterwards by letter.\n\n## Preparing for the hearing\n\nYou\u2019ll usually be asked when you\u2019re available to attend a hearing. In certain cases you may be told when a hearing will take place, but you\u2019ll be told at least 14 days beforehand. Hearings can be held sooner than this under exceptional circumstances.\n\nYou\u2019ll be told what documents you need to send to EAT and to other parties.\n\nYou may be able to get free advice immediately before the hearing if you do not have a representative - ask EAT for details.\n\nYou cannot claim any expenses for going to a hearing.\n\n## What happens at the hearing\n\nYou\u2019ll present your case - someone else can do this for you, for example a lawyer, friend or family member. The other party will present the case against you. You may be asked questions about your case.\n\n## If you lose your case\n\nYou may be able to appeal to a higher court if you think there was a legal problem with the Employment Appeal Tribunal\u2019s (EAT\u2019s) decision.\n\nGet legal help or advice if you\u2019re not sure about this.\n\n## Ask permission to appeal\n\nYou must ask for permission before you appeal. You can either ask EAT or the higher court directly.\n\n## Asking EAT\n\nYou must ask within 7 days of receiving the decision (or within 42 days if the employment tribunal whose decision you are appealing was held in Scotland).\n\nYou can ask for permission on the day of your hearing (if you receive your decision on the day).\n\nYou must provide your grounds for appeal and the legal problem with the decision.\n\nIf you\u2019re refused permission, you can ask the higher court directly.\n\n## Asking the higher court\n\nYou can ask the Court of Appeal for permission. You must do this within 21 days of the date you were told you lost your case or were refused permission by EAT.\n\nIf the employment tribunal that made the initial decision was based in Scotland, ask the Court of Session for permission.\n\n## Appeal to the higher court\n\nYou can appeal to the Court of Appeal once you\u2019ve been given permission.\n\nIf the employment tribunal that made the initial decision was based in Scotland, you should appeal to the Court of Session.\n\n## Legislation and previous decisions\n\nRead the rules the Employment Appeal Tribunal (EAT) must follow and its decisions on previous cases.\n\n## Legislation\n\nEAT must follow the rules and process in the:\n\n- Employment Appeal Tribunal Rules 1993 (as amended)\n\n- Employment Tribunals Act 1996\n\nEAT has also issued a practice direction that provides more detailed guidance.\n\n## Previous decisions\n\nYou can search for decisions made in other EAT cases.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-employment-appeal-tribunal", + "answerable": true, + "scenario": "I have received the decision to a employment tribunal. The decision was sent to me late, despite the decision being made 47 days ago.", + "original_question": "Will I still be able to request an appeal knowing that the fault was not with me?" + }, + { + "id": "train-1719", + "question": "Scenario: My Uncle is scheduled for a police interview tomorrow and he is deaf . His inability places him at a disadvantage since he can't articulate and hear well .\n\nQuestion: Will uncle be helped at the police station?\n\nDocument - Disability rights:\n## Overview\n\nAs a disabled person, you have rights to protect you from discrimination. These rights cover most areas including:\n\n- employment\n\n- education\n\n- dealing with the police\n\nThe Equality Act 2010 and the United Nations (UN) Convention on disability rights help to enforce, protect and promote your rights.\n\n## Employment\n\nIt\u2019s against the law for employers to discriminate against you because of a disability. The Equality Act 2010 protects you and covers areas including:\n\n- application forms\n\n- interview arrangements\n\n- aptitude or proficiency tests\n\n- job offers\n\n- terms of employment, including pay\n\n- promotion, transfer and training opportunities\n\n- dismissal or redundancy\n\n- discipline and grievances\n\n## Reasonable adjustments in the workplace\n\nAn employer has to make \u2018reasonable adjustments\u2019 to avoid you being put at a disadvantage compared to non-disabled people in the workplace. For example, adjusting your working hours or providing you with a special piece of equipment to help you do the job.\n\n## Recruitment\n\nAn employer who\u2019s recruiting staff may make limited enquiries about your health or disability.\n\nYou can only be asked about your health or disability:\n\n- to help decide if you can carry out a task that is an essential part of the work\n\n- to help find out if you can take part in an interview\n\n- to help decide if the interviewers need to make reasonable adjustments for you in a selection process\n\n- to help monitoring\n\n- if they want to increase the number of disabled people they employ\n\n- if they need to know for the purposes of national security checks\n\nYou may be asked whether you have a health condition or disability on an application form or in an interview. You need to think about whether the question is one that is allowed to be asked at that stage of recruitment.\n\n## Redundancy and retirement\n\nYou can\u2019t be chosen for redundancy just because you\u2019re disabled. The selection process for redundancy must be fair and balanced for all employees.\n\nYour employer cannot force you to retire if you become disabled.\n\n## Education\n\nIt\u2019s against the law for a school or other education provider to treat disabled students unfavourably. This includes:\n\n- direct discrimination, for example refusing admission to a student or excluding them because of disability\n\n- indirect discrimination, for example only providing application forms in one format that may not be accessible\n\n- discrimination arising from a disability, for example a disabled pupil is prevented from going outside at break time because it takes too long to get there\n\n- harassment, for example a teacher shouts at a disabled student for not paying attention when the student\u2019s disability stops them from easily concentrating\n\n- victimisation, for example suspending a disabled student because they\u2019ve complained about harassment\n\n## Reasonable adjustments\n\nAn education provider has a duty to make \u2018reasonable adjustments\u2019 to make sure disabled students are not discriminated against. These changes could include providing extra support and aids (like specialist teachers or equipment).\n\nSchools are not subject to the reasonable adjustment duty to make alterations to physical features, like adding ramps. They must make the buildings accessible for their disabled pupils as part of their overall planning duties.\n\n## Special educational needs and disabilities (SEND)\n\nAll publicly funded pre-schools, nurseries, state schools and local authorities must try to identify and help assess children with special educational needs and disabilities (SEND).\n\nIf a child has an an education, health and care (EHC) plan or a statement of special educational needs, these must be reviewed annually. From year 9 the child will get a full review to understand what support they will need to prepare them for adulthood.\n\n## Higher education\n\nAll universities and higher education colleges should have a person in charge of disability issues that you can talk to about the support they offer.\n\nYou can also ask local social services for an assessment to help with your day-to-day living needs.\n\n## Police\n\nIf you\u2019re being questioned or interviewed at a police station you have certain rights depending on your impairment.\n\n## Deaf, hearing-impaired or speech difficulties\n\nThe police should arrange for an interpreter to be present with you. The police can interview you without an interpreter if a delay would result in harm to people, property or evidence.\n\n## Learning disabilities\n\nThe police should only interview someone who has a learning disability when a responsible person (referred to as an \u2018appropriate adult\u2019) is present. The appropriate adult should not work for the police and should have experience of people with learning disabilities. The police can interview you without an appropriate adult if a delay would result in harm to people, property or evidence.\n\n## Right to medical treatment\n\nIf you\u2019re being kept in a police cell, you have the right to a medical examination by a healthcare worker. A healthcare worker may be a paramedic, nurse or a police surgeon (sometimes referred to as a \u2018Forensic Medical Examiner\u2019).\n\nIf you do not want to be examined by the healthcare worker provided, you could be examined by a general practitioner (GP) that you choose - if they\u2019re available. You may have to pay for this, and this payment will be noted down.\n\n## The Equality Act 2010 and UN Convention\n\nThe Equality Act 2010 protects you from discrimination. It provides legal rights for you in the areas of:\n\n- employment\n\n- education\n\n- access to goods, services and facilities\n\n- buying and renting land or property\n\nThe Equality Act 2010 also protects your rights if you have an association with a disabled person, for example a carer or parent.\n\nGet more information about the Equality Act 2010.\n\n## United Nations (UN) Convention on disability rights\n\nThe UN Convention on disability rights has been agreed by the UK to protect and promote the rights of disabled people.\n\nGet more information about the UN Convention on disability rights from the Office for Disability Issues.\n\n## Further help and advice\n\nCheck if you can get legal aid to help with your legal costs if you think you\u2019ve been discriminated against. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\nYou can get advice and information on your rights from:\n\n- Equality Advisory Support Service\n\n- Disability Rights UK\n\n- Advicenow\n\n- Citizens Advice", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/rights-disabled-person", + "answerable": true, + "scenario": "My Uncle is scheduled for a police interview tomorrow and he is deaf . His inability places him at a disadvantage since he can't articulate and hear well .", + "original_question": "Will uncle be helped at the police station?" + }, + { + "id": "train-1722", + "question": "Scenario: I suffer from diabetic retinopathy and although I passed a medical driving test last year my eyesight has declined by a considerable amount during the last 12 months and I am unsure if I would pass now.\n\nQuestion: Can I wait until my next renewal and then notify DVLA?\n\nDocument - Medical conditions, disabilities and driving:\n## Telling DVLA about a medical condition or disability\n\nYou must tell DVLA if you have a driving licence and:\n\n- you develop a \u2018notifiable\u2019 medical condition or disability\n\n- a condition or disability has got worse since you got your licence\n\nNotifiable conditions are anything that could affect your ability to drive safely. They can include:\n\n- diabetes or taking insulin\n\n- syncope (fainting)\n\n- heart conditions (including atrial fibrillation and pacemakers)\n\n- sleep apnoea\n\n- epilepsy\n\n- strokes\n\n- glaucoma\n\n## How to tell DVLA\n\nCheck if you need to tell DVLA about your condition to find the forms or questionnaires you need. The address you need is on the forms.\n\nIf you\u2019re in Northern Ireland you must contact the Driver and Vehicle Agency (DVA).\n\nThere are different forms for different conditions and disabilities.\n\nContact DVLA if you\u2019re not sure what to do.\n\nYou could be fined up to \u00a31,000 if you do not tell DVLA about a condition that might affect your ability to drive safely. You could also be prosecuted if you have an accident.\n\n## Surrendering your licence\n\nYou must surrender your licence to DVLA if any of the following are true:\n\n- your doctor tells you to stop driving for 3 months or more\n\n- your medical condition affects your ability to drive safely and lasts for 3 months or more\n\n- you do not meet the required standards for driving because of your medical condition\n\nYou can apply to get your licence back when you meet the medical standards for driving again.\n\n## First licence or renewal if you\u2019re 70 or over\n\nYou must also tell DVLA about notifiable conditions if you:\n\n- apply for your first licence\n\n- renew your licence (if you\u2019re 70 or over)\n\nYou\u2019ll be asked for this information in your application form. You do not need to contact DVLA separately.\n\n## What happens after you tell DVLA\n\nYou\u2019ll usually get a decision within 6 weeks. You\u2019ll get a letter from DVLA if it\u2019s going to take longer.\n\nDVLA might:\n\n- contact your doctor or consultant\n\n- arrange for you to be examined\n\n- ask you to take a driving assessment, or an eyesight or driving test\n\nYou can usually keep driving while DVLA are considering your application.\n\nIf you\u2019ve told DVLA about a condition when applying to renew your licence, follow the guidance about driving that\u2019s in the form.\n\nContact DVLA if you need advice or to check on your case.\n\n## What DVLA will decide\n\nDVLA will assess your medical condition or disability and decide if:\n\n- you need to get a new driving licence\n\n- you can have a shorter licence - for 1, 2, 3 or 5 years\n\n- you need to adapt your car by fitting special controls\n\n- you must stop driving and give up your licence\n\n## You need to adapt your vehicle\n\nIf you\u2019ve been told that you must adapt your car, you get an independent assessment of your adaptation needs through Driving Mobility.\n\nFind out more about adapting your vehicle and where to get special controls fitted through the Research Institute for Disabled Consumers.\n\n## You must stop driving\n\nYou\u2019ll be given a medical reason why you must stop driving, and be told if and when you can reapply for your licence.\n\n## If you disagree with DVLA\u2019s decision\n\nYou can write to DVLA if you disagree with the decision to stop you driving. You must be able to provide relevant information that was not included in the original assessment.\n\nYou must also include:\n\n- proof that you meet the required standards for driving (these are explained in the decision letter DVLA sent you)\n\n- the reference number from your decision letter\n\nYou can also appeal the decision if you contact your local magistrate\u2019s court within 6 months, or your local sheriff\u2019s court in Scotland within 21 days.\n\nYou may want to get legal advice before you appeal - you might be able to get legal aid to pay for it.\n\nYou must tell DVLA in writing if you choose to appeal.\n\n## Make a complaint\n\nYou can make a complaint if you\u2019re unhappy with the service you get from DVLA.\n\n## Renewing or reapplying for your licence\n\nHow you reapply for or renew your licence depends on if you had to give up your licence, or if you have a short-term licence.\n\n## You\u2019ve got a short-term licence\n\nDVLA will send you a renewal letter 90 days before your 1, 2, 3 or 5-year licence is due to expire.\n\nRenew your licence online, or send the renewal reminder back by post.\n\n## You gave up your licence and stopped driving\n\nThe letter DVLA sends you when your licence is taken away tells you if you have to wait before you can reapply.\n\nYou must check with your doctor that you\u2019re fit to drive before you reapply for your licence, if it was taken away because of a medical condition.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/driving-medical-conditions", + "answerable": true, + "scenario": "I suffer from diabetic retinopathy and although I passed a medical driving test last year my eyesight has declined by a considerable amount during the last 12 months and I am unsure if I would pass now.", + "original_question": "Can I wait until my next renewal and then notify DVLA?" + }, + { + "id": "train-1725", + "question": "Scenario: I am 72 years old, and last year I was advised by my GP to surrender my driving license due to my steadily declining eyesight (specifically, progressive night-blindness). I have since acquired a Class 3 invalid carriage (scooter) due to having problems walking.\n\nQuestion: Does my failing eyesight effect my entitlement to drive the scooter?\n\nDocument - Mobility scooters and powered wheelchairs: the rules:\n## Overview\n\nYou do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.\n\nMobility scooters and powered wheelchairs come in 2 categories:\n\n- \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph\n\n- \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road\n\nYou do not need to register a class 2 invalid carriage.\n\nYou must register class 3 invalid carriages.\n\nYou must be 14 or over to drive a class 3 invalid carriage.\n\n## Rules for class 3 invalid carriages\n\nThe law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:\n\n- a maximum unladen weight of 150kg\n\n- a maximum width of 0.85 metres\n\n- a device to limit its speed to 4mph\n\n- a maximum speed of 8mph\n\n- an efficient braking system\n\n- front and rear lights and reflectors\n\n- direction indicators able to operate as a hazard warning signal\n\n- an audible horn\n\n- a rear view mirror\n\n- an amber flashing light if it\u2019s used on a dual carriageway\n\nYou could be stopped by the police if your class 3 invalid carriage does not have these features.\n\n## Driving on the road\n\nYou can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.\n\nYou cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.\n\nYou must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.\n\n## Road rules\n\nYou must follow the Highway Code if you drive your mobility scooter on the road.\n\n## Driving on footpaths and parking\n\nAll mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.\n\nYou cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.\n\n## Parking\n\nAll normal parking restrictions apply to mobility scooters and powered wheelchairs.\n\nYour vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.\n\n## Eyesight requirements\n\nThere is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).\n\nYou must check that you can still do this regularly.\n\nYou might have to pay compensation if you have an accident and poor eyesight was part of the cause.\n\n## Who can use them\n\nYou can only drive a mobility scooter or powered wheelchair if you:\n\n- have trouble walking because of an injury, physical disability or medical condition\n\n- are demonstrating the vehicle before it\u2019s sold\n\n- are training a disabled user\n\n- are taking the vehicle to or from maintenance or repair\n\n## Vehicle tax, registration and insurance\n\nYou do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.\n\nCheck whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.\n\n## Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair\n\nWhen you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.\n\nIf you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.\n\n## Change your name or address\n\nIf you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.\n\n## If your mobility scooter or powered wheelchair is not a registered vehicle\n\nMost scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.\n\nIf your vehicle is not registered, register it by filling in:\n\n- form V55/4 for new vehicles\n\n- form V55/5 for used vehicles\n\n## Insurance\n\nYou do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "answerable": true, + "scenario": "I am 72 years old, and last year I was advised by my GP to surrender my driving license due to my steadily declining eyesight (specifically, progressive night-blindness). I have since acquired a Class 3 invalid carriage (scooter) due to having problems walking.", + "original_question": "Does my failing eyesight effect my entitlement to drive the scooter?" + }, + { + "id": "train-1726", + "question": "Scenario: I live in England and have lost the use of my legs due to a serious accident at work. I have a powered wheelchair and would like to use this to visit my physiotherapist at the local medical centre, which has limited car parking spaces.\n\nQuestion: Am I allowed to park my wheelchair on the pavement, or does it need to go on the road?\n\nDocument - Mobility scooters and powered wheelchairs: the rules:\n## Overview\n\nYou do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.\n\nMobility scooters and powered wheelchairs come in 2 categories:\n\n- \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph\n\n- \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road\n\nYou do not need to register a class 2 invalid carriage.\n\nYou must register class 3 invalid carriages.\n\nYou must be 14 or over to drive a class 3 invalid carriage.\n\n## Rules for class 3 invalid carriages\n\nThe law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:\n\n- a maximum unladen weight of 150kg\n\n- a maximum width of 0.85 metres\n\n- a device to limit its speed to 4mph\n\n- a maximum speed of 8mph\n\n- an efficient braking system\n\n- front and rear lights and reflectors\n\n- direction indicators able to operate as a hazard warning signal\n\n- an audible horn\n\n- a rear view mirror\n\n- an amber flashing light if it\u2019s used on a dual carriageway\n\nYou could be stopped by the police if your class 3 invalid carriage does not have these features.\n\n## Driving on the road\n\nYou can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.\n\nYou cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.\n\nYou must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.\n\n## Road rules\n\nYou must follow the Highway Code if you drive your mobility scooter on the road.\n\n## Driving on footpaths and parking\n\nAll mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.\n\nYou cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.\n\n## Parking\n\nAll normal parking restrictions apply to mobility scooters and powered wheelchairs.\n\nYour vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.\n\n## Eyesight requirements\n\nThere is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).\n\nYou must check that you can still do this regularly.\n\nYou might have to pay compensation if you have an accident and poor eyesight was part of the cause.\n\n## Who can use them\n\nYou can only drive a mobility scooter or powered wheelchair if you:\n\n- have trouble walking because of an injury, physical disability or medical condition\n\n- are demonstrating the vehicle before it\u2019s sold\n\n- are training a disabled user\n\n- are taking the vehicle to or from maintenance or repair\n\n## Vehicle tax, registration and insurance\n\nYou do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.\n\nCheck whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.\n\n## Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair\n\nWhen you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.\n\nIf you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.\n\n## Change your name or address\n\nIf you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.\n\n## If your mobility scooter or powered wheelchair is not a registered vehicle\n\nMost scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.\n\nIf your vehicle is not registered, register it by filling in:\n\n- form V55/4 for new vehicles\n\n- form V55/5 for used vehicles\n\n## Insurance\n\nYou do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "answerable": true, + "scenario": "I live in England and have lost the use of my legs due to a serious accident at work. I have a powered wheelchair and would like to use this to visit my physiotherapist at the local medical centre, which has limited car parking spaces.", + "original_question": "Am I allowed to park my wheelchair on the pavement, or does it need to go on the road?" + }, + { + "id": "train-1727", + "question": "Scenario: I am 48, live in England and hold a full driving license. I have recently been diagnosed with mild angina by my GP, but this is asymptomatic unless I am exercising vigorously.\n\nQuestion: Do I need to tell the DVLA about my angina?\n\nDocument - Medical conditions, disabilities and driving:\n## Telling DVLA about a medical condition or disability\n\nYou must tell DVLA if you have a driving licence and:\n\n- you develop a \u2018notifiable\u2019 medical condition or disability\n\n- a condition or disability has got worse since you got your licence\n\nNotifiable conditions are anything that could affect your ability to drive safely. They can include:\n\n- diabetes or taking insulin\n\n- syncope (fainting)\n\n- heart conditions (including atrial fibrillation and pacemakers)\n\n- sleep apnoea\n\n- epilepsy\n\n- strokes\n\n- glaucoma\n\n## How to tell DVLA\n\nCheck if you need to tell DVLA about your condition to find the forms or questionnaires you need. The address you need is on the forms.\n\nIf you\u2019re in Northern Ireland you must contact the Driver and Vehicle Agency (DVA).\n\nThere are different forms for different conditions and disabilities.\n\nContact DVLA if you\u2019re not sure what to do.\n\nYou could be fined up to \u00a31,000 if you do not tell DVLA about a condition that might affect your ability to drive safely. You could also be prosecuted if you have an accident.\n\n## Surrendering your licence\n\nYou must surrender your licence to DVLA if any of the following are true:\n\n- your doctor tells you to stop driving for 3 months or more\n\n- your medical condition affects your ability to drive safely and lasts for 3 months or more\n\n- you do not meet the required standards for driving because of your medical condition\n\nYou can apply to get your licence back when you meet the medical standards for driving again.\n\n## First licence or renewal if you\u2019re 70 or over\n\nYou must also tell DVLA about notifiable conditions if you:\n\n- apply for your first licence\n\n- renew your licence (if you\u2019re 70 or over)\n\nYou\u2019ll be asked for this information in your application form. You do not need to contact DVLA separately.\n\n## What happens after you tell DVLA\n\nYou\u2019ll usually get a decision within 6 weeks. You\u2019ll get a letter from DVLA if it\u2019s going to take longer.\n\nDVLA might:\n\n- contact your doctor or consultant\n\n- arrange for you to be examined\n\n- ask you to take a driving assessment, or an eyesight or driving test\n\nYou can usually keep driving while DVLA are considering your application.\n\nIf you\u2019ve told DVLA about a condition when applying to renew your licence, follow the guidance about driving that\u2019s in the form.\n\nContact DVLA if you need advice or to check on your case.\n\n## What DVLA will decide\n\nDVLA will assess your medical condition or disability and decide if:\n\n- you need to get a new driving licence\n\n- you can have a shorter licence - for 1, 2, 3 or 5 years\n\n- you need to adapt your car by fitting special controls\n\n- you must stop driving and give up your licence\n\n## You need to adapt your vehicle\n\nIf you\u2019ve been told that you must adapt your car, you get an independent assessment of your adaptation needs through Driving Mobility.\n\nFind out more about adapting your vehicle and where to get special controls fitted through the Research Institute for Disabled Consumers.\n\n## You must stop driving\n\nYou\u2019ll be given a medical reason why you must stop driving, and be told if and when you can reapply for your licence.\n\n## If you disagree with DVLA\u2019s decision\n\nYou can write to DVLA if you disagree with the decision to stop you driving. You must be able to provide relevant information that was not included in the original assessment.\n\nYou must also include:\n\n- proof that you meet the required standards for driving (these are explained in the decision letter DVLA sent you)\n\n- the reference number from your decision letter\n\nYou can also appeal the decision if you contact your local magistrate\u2019s court within 6 months, or your local sheriff\u2019s court in Scotland within 21 days.\n\nYou may want to get legal advice before you appeal - you might be able to get legal aid to pay for it.\n\nYou must tell DVLA in writing if you choose to appeal.\n\n## Make a complaint\n\nYou can make a complaint if you\u2019re unhappy with the service you get from DVLA.\n\n## Renewing or reapplying for your licence\n\nHow you reapply for or renew your licence depends on if you had to give up your licence, or if you have a short-term licence.\n\n## You\u2019ve got a short-term licence\n\nDVLA will send you a renewal letter 90 days before your 1, 2, 3 or 5-year licence is due to expire.\n\nRenew your licence online, or send the renewal reminder back by post.\n\n## You gave up your licence and stopped driving\n\nThe letter DVLA sends you when your licence is taken away tells you if you have to wait before you can reapply.\n\nYou must check with your doctor that you\u2019re fit to drive before you reapply for your licence, if it was taken away because of a medical condition.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-medical-conditions", + "answerable": true, + "scenario": "I am 48, live in England and hold a full driving license. I have recently been diagnosed with mild angina by my GP, but this is asymptomatic unless I am exercising vigorously.", + "original_question": "Do I need to tell the DVLA about my angina?" + }, + { + "id": "train-1730", + "question": "Scenario: I am 43, live in England and have a 17 year old daughter who wishes to learn to drive. I have been driving for nearly 25 years myself, and have a car which should be easily manageable by a learner.\n\nQuestion: Is it permissible for her to practice in our family car, as long as I am present to supervise her and have arranged suitable insurance?\n\nDocument - Driving lessons and learning to drive:\n## Overview\n\nYou can apply for a provisional driving licence when you\u2019re 15 years and 9 months old.\n\nYou can start driving a car when you\u2019re 17.\n\nYou can drive a car when you are 16 if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).\n\nCheck which vehicles you can learn to drive.\n\n## Learning to drive during coronavirus (COVID-19)\n\nYou can take driving lessons anywhere in the UK.\n\nYou and any passengers should wear a face covering, unless you\u2019re exempt.\n\nIn Scotland, you can be fined if you do not wear a face covering during a driving lesson.\n\nCheck the rules for practising with friends and family.\n\n## If you\u2019re learning to drive in Scotland\n\nYou and the person teaching you to drive must wear face coverings during driving lessons and practice sessions in Scotland.\n\nIf you do not wear a face covering, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\n- you and the person teaching you live in the same household\n\nWearing glasses does not count as a good reason.\n\nYou can be fined \u00a360 if you do not wear a face covering during a driving lesson in Scotland. This will be reduced to \u00a330 if you pay within 28 days.\n\n## Rules for learning to drive\n\nYou must have a provisional driving licence for Great Britain or Northern Ireland when you\u2019re learning to drive or ride.\n\nYou must be supervised when you\u2019re learning to drive a car. This can be by a driving instructor or someone else who meets the rules, for example family or friends.\n\nThe car you learn in must display \u2018L\u2019 plates.\n\nYou can drive at any time, day and night.\n\nYou can only drive on motorways if all of the following apply:\n\n- you\u2019re driving in England, Scotland or Wales\n\n- you\u2019re with an approved driving instructor\n\n- the car is fitted with dual controls\n\n## Speed limits\n\nIn England, Scotland and Wales the speed limits when driving with \u2018L\u2019 plates are the same as when you\u2019ve passed your test.\n\nIn Northern Ireland the speed limit is 45 miles per hour when you\u2019re learning to drive a car.\n\n## Taking driving lessons\n\nAnyone you pay to teach you to drive must be either:\n\n- a qualified and approved driving instructor (ADI)\n\n- a trainee driving instructor\n\nYou can find your nearest driving instructors.\n\nThere are different rules in Northern Ireland for choosing an instructor.\n\nInstructors set their own prices for driving lessons - there\u2019s no minimum or maximum cost.\n\n## Check your instructor\u2019s badge\n\nInstructors have to display a badge in their windscreen to prove they\u2019re registered with the Driver and Vehicle Standards Agency (DVSA). They display:\n\n- a green badge if they\u2019re a qualified driving instructor\n\n- a pink badge if they\u2019re a trainee\n\nYou can report someone to DVSA if they charge for driving lessons and are not a qualified driving instructor or trainee.\n\n## Driving lessons\n\nThere\u2019s no minimum number of lessons you must have or hours you must practise driving.\n\nHow many lessons you need will depend on how quickly you learn. You can download a form to record your progress with your instructor.\n\nYou can complain about a driving instructor if you\u2019re not happy with their service or behaviour.\n\n## Practising with family or friends\n\nIn England, you can practice driving with family or friends, but this is restricted to groups of no more than 6 people, or 2 households. Follow the rules for car sharing in the coronavirus (COVID-19) travel guidance.\n\nIn Scotland, there are different rules depending on which area level you are in, but you are legally required to wear a face covering unless you are exempt. Read the guidance on driving lessons in Scotland.\n\nIn Wales, you can practice driving with people you live with or those within your support bubble. You do not need to stay in your local council area.\n\nAnyone you practise your driving with (without paying them) must:\n\n- be over 21\n\n- be qualified to drive the type of vehicle you want to learn in, for example they must have a manual car licence if they\u2019re supervising you in a manual car\n\n- have had their full driving licence for 3 years (from the UK, the EU, Switzerland, Norway, Iceland or Liechtenstein)\n\nYou can be fined up to \u00a31,000 and get up to 6 penalty points on your provisional licence if you drive without the right supervision.\n\nIt\u2019s illegal for your friend or family member to use a mobile phone while supervising you.\n\n## Insurance\n\nYou need your own insurance as a learner driver if you\u2019re practising in a car you own. Your family member or friend will usually be covered on this.\n\nIf you\u2019re practising in someone else\u2019s car, you need to make sure their insurance policy covers you as a learner driver.\n\nSome insurance companies require the person supervising you to be over 25 years old.\n\nYou can get an unlimited fine, be banned from driving and get up to 8 penalty points for driving without insurance.\n\n## Recording your practice\n\nYou can download a form to record any practice you do without your driving instructor.\n\n## Using 'L' and 'P' plates\n\nYou must put an L plate on the front and back of your vehicle so they can be seen easily.\n\nIn Wales, you can use a D plate instead.\n\nAn L plate or D plate must:\n\n- have a red L or D on a white background\n\n- be the right size\n\nYou can get up to 6 penalty points if you do not display an L plate or if it\u2019s not the right size.\n\nYou should take L plates off your vehicle when it\u2019s not being used by a learner.\n\n## P plates\n\nYou can display green \u2018probationary\u2019 P plates to show that you\u2019ve just passed your driving test. You do not have to display them. You can leave them on your vehicle for as long as you like.\n\nIn Northern Ireland you must use \u2018R\u2019 plates (restricted driver plates) for one year after you pass your test.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-lessons-learning-to-drive", + "answerable": true, + "scenario": "I am 43, live in England and have a 17 year old daughter who wishes to learn to drive. I have been driving for nearly 25 years myself, and have a car which should be easily manageable by a learner.", + "original_question": "Is it permissible for her to practice in our family car, as long as I am present to supervise her and have arranged suitable insurance?" + }, + { + "id": "train-1731", + "question": "Scenario: I live in Southern England, and own, drive and insure a motor car. The nature of my job requires me to make periodic business trips to the mainland of Europe.\n\nQuestion: If I take my car to France, will my UK insurance provide the basic third-part cover required by French Law?\n\nDocument - Vehicle insurance:\n## Overview\n\nYou must have motor insurance to drive your vehicle on UK roads.\n\nThird party insurance is the legal minimum. This means you\u2019re covered if you have an accident causing damage or injury to any other person, vehicle, animal or property. It does not cover any other costs like repair to your own vehicle.\n\nYou may want to use an insurance broker.\n\n## If you\u2019re in an accident\n\nIf you have an accident causing damage or injury you must give the following to anyone with \u2018reasonable grounds for requiring them\u2019, for example an insurance company:\n\n- your name and address\n\n- the vehicle registration number\n\nYou also need to give the owner\u2019s name and address if the vehicle is not yours.\n\nYou must report the accident to the police within 24 hours if you do not give your details at the time of the accident.\n\nYou must also report the accident to your insurance company, even if you\u2019re not planning to make a claim.\n\n## Accidents with uninsured motorists\n\nYou should tell the police if you have an accident with someone who\u2019s not insured.\n\nYour insurance company will also be able to give you more advice.\n\nYou might also be able to get compensation if you\u2019re the victim of an uninsured or hit and run driver.\n\n## Driving abroad\n\n## If you\u2019re driving in most European countries\n\nAll UK vehicle insurance provides the minimum third party cover to drive in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nCheck with your insurer if your policy has extra cover for things like theft or damage to your car abroad.\n\nYou also need to carry a physical copy of a \u2018green card\u2019 to drive your vehicle in these countries.\n\n## If you\u2019re driving in the rest of the world\n\nYou may need to carry a green card to prove you have the minimum insurance cover required by the country you\u2019re driving in.\n\nYou may also need additional insurance for your vehicle, trailer or caravan. Check the travel advice for the country you\u2019re going to.\n\n## Getting a green card from your insurer\n\nA green card is proof that you have vehicle insurance when driving abroad.\n\nContact your insurer to get one for your vehicle. They\u2019ll either:\n\n- post you a green card - allow up to 6 weeks\n\n- tell you how to download a green card to print yourself\n\nYou will need to carry extra green cards if:\n\n- you\u2019re towing a trailer or caravan (one for the towing vehicle and one for the trailer or caravan)\n\n- you have 2 insurance policies covering your trip (one card for each policy)\n\n- you have multi-car or fleet insurance (one for each vehicle on the policy)\n\n## Showing your green card when driving abroad\n\nYou must show your green card if you\u2019re involved in an accident.\n\nYou may have to show your green card:\n\n- at the border when moving between countries\n\n- if you\u2019re stopped by the police\n\n## Uninsured vehicles\n\n## Rules in England, Wales and Scotland\n\nYou must have motor insurance for your vehicle if you use it on roads and in public places.\n\nYou do not need to insure your vehicle if it is kept off the road and declared as off the road (SORN). This rule is called \u2018continuous insurance enforcement\u2019.\n\nIf not, you could:\n\n- get a fixed penalty of \u00a3100\n\n- have your vehicle wheel-clamped, impounded or destroyed\n\n- face a court prosecution, with a possible maximum fine of \u00a31,000\n\nIt does not matter who is driving the car - if you\u2019re the registered keeper, you could get penalised.\n\nYou will also still have to pay for your insurance on top of any fines received.\n\nYou can check if your vehicle is insured on askMID.\n\n## Motor traders - exceptions\n\nIf a vehicle is between registered keepers or registered as \u2018in trade\u2019 with the Driver and Vehicle Licensing Agency (DVLA), it is excluded from continuous insurance enforcement.\n\nVehicles you keep for your own use are not excluded.\n\n## Rules in Northern Ireland\n\nThere are different rules for vehicle insurance in Northern Ireland.\n\n## Driving without insurance\n\nIt\u2019s illegal to drive a vehicle on a road or in a public place without at least 3rd party insurance.\n\nEven if the vehicle itself is insured, if you\u2019re not correctly insured to drive it you could get penalised.\n\n## Penalties for uninsured drivers:\n\nThe police could give you a fixed penalty of \u00a3300 and 6 penalty points if you\u2019re caught driving a vehicle you\u2019re not insured to drive.\n\nIf the case goes to court you could get:\n\n- an unlimited fine\n\n- disqualified from driving\n\nThe police also have the power to seize, and in some cases, destroy the vehicle that\u2019s being driven uninsured.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vehicle-insurance", + "answerable": true, + "scenario": "I live in Southern England, and own, drive and insure a motor car. The nature of my job requires me to make periodic business trips to the mainland of Europe.", + "original_question": "If I take my car to France, will my UK insurance provide the basic third-part cover required by French Law?" + }, + { + "id": "train-1732", + "question": "Scenario: I live in Scotland and am a licensed motor trader by profession. In addition to my own vehicle I typically have 3-5 other vehicles which are awaiting buyers in my possession at any given time, and I register these as \"in trade\" with the DVLA.\n\nQuestion: Am I required by law to insure these vehicles that I own only for trading purposes?\n\nDocument - Vehicle insurance:\n## Overview\n\nYou must have motor insurance to drive your vehicle on UK roads.\n\nThird party insurance is the legal minimum. This means you\u2019re covered if you have an accident causing damage or injury to any other person, vehicle, animal or property. It does not cover any other costs like repair to your own vehicle.\n\nYou may want to use an insurance broker.\n\n## If you\u2019re in an accident\n\nIf you have an accident causing damage or injury you must give the following to anyone with \u2018reasonable grounds for requiring them\u2019, for example an insurance company:\n\n- your name and address\n\n- the vehicle registration number\n\nYou also need to give the owner\u2019s name and address if the vehicle is not yours.\n\nYou must report the accident to the police within 24 hours if you do not give your details at the time of the accident.\n\nYou must also report the accident to your insurance company, even if you\u2019re not planning to make a claim.\n\n## Accidents with uninsured motorists\n\nYou should tell the police if you have an accident with someone who\u2019s not insured.\n\nYour insurance company will also be able to give you more advice.\n\nYou might also be able to get compensation if you\u2019re the victim of an uninsured or hit and run driver.\n\n## Driving abroad\n\n## If you\u2019re driving in most European countries\n\nAll UK vehicle insurance provides the minimum third party cover to drive in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nCheck with your insurer if your policy has extra cover for things like theft or damage to your car abroad.\n\nYou also need to carry a physical copy of a \u2018green card\u2019 to drive your vehicle in these countries.\n\n## If you\u2019re driving in the rest of the world\n\nYou may need to carry a green card to prove you have the minimum insurance cover required by the country you\u2019re driving in.\n\nYou may also need additional insurance for your vehicle, trailer or caravan. Check the travel advice for the country you\u2019re going to.\n\n## Getting a green card from your insurer\n\nA green card is proof that you have vehicle insurance when driving abroad.\n\nContact your insurer to get one for your vehicle. They\u2019ll either:\n\n- post you a green card - allow up to 6 weeks\n\n- tell you how to download a green card to print yourself\n\nYou will need to carry extra green cards if:\n\n- you\u2019re towing a trailer or caravan (one for the towing vehicle and one for the trailer or caravan)\n\n- you have 2 insurance policies covering your trip (one card for each policy)\n\n- you have multi-car or fleet insurance (one for each vehicle on the policy)\n\n## Showing your green card when driving abroad\n\nYou must show your green card if you\u2019re involved in an accident.\n\nYou may have to show your green card:\n\n- at the border when moving between countries\n\n- if you\u2019re stopped by the police\n\n## Uninsured vehicles\n\n## Rules in England, Wales and Scotland\n\nYou must have motor insurance for your vehicle if you use it on roads and in public places.\n\nYou do not need to insure your vehicle if it is kept off the road and declared as off the road (SORN). This rule is called \u2018continuous insurance enforcement\u2019.\n\nIf not, you could:\n\n- get a fixed penalty of \u00a3100\n\n- have your vehicle wheel-clamped, impounded or destroyed\n\n- face a court prosecution, with a possible maximum fine of \u00a31,000\n\nIt does not matter who is driving the car - if you\u2019re the registered keeper, you could get penalised.\n\nYou will also still have to pay for your insurance on top of any fines received.\n\nYou can check if your vehicle is insured on askMID.\n\n## Motor traders - exceptions\n\nIf a vehicle is between registered keepers or registered as \u2018in trade\u2019 with the Driver and Vehicle Licensing Agency (DVLA), it is excluded from continuous insurance enforcement.\n\nVehicles you keep for your own use are not excluded.\n\n## Rules in Northern Ireland\n\nThere are different rules for vehicle insurance in Northern Ireland.\n\n## Driving without insurance\n\nIt\u2019s illegal to drive a vehicle on a road or in a public place without at least 3rd party insurance.\n\nEven if the vehicle itself is insured, if you\u2019re not correctly insured to drive it you could get penalised.\n\n## Penalties for uninsured drivers:\n\nThe police could give you a fixed penalty of \u00a3300 and 6 penalty points if you\u2019re caught driving a vehicle you\u2019re not insured to drive.\n\nIf the case goes to court you could get:\n\n- an unlimited fine\n\n- disqualified from driving\n\nThe police also have the power to seize, and in some cases, destroy the vehicle that\u2019s being driven uninsured.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vehicle-insurance", + "answerable": true, + "scenario": "I live in Scotland and am a licensed motor trader by profession. In addition to my own vehicle I typically have 3-5 other vehicles which are awaiting buyers in my possession at any given time, and I register these as \"in trade\" with the DVLA.", + "original_question": "Am I required by law to insure these vehicles that I own only for trading purposes?" + }, + { + "id": "train-1734", + "question": "Scenario: I am 11 and have just moved to a new area with my parents, who are looking for a new secondary school for me to join in Year 7. I have mild dyslexia, but have not been classified as SEND up to this point.\n\nQuestion: Does the provision of specialist teachers fall under the school's \"reasonable adjustments\" duty?\n\nDocument - Disability rights:\n## Overview\n\nAs a disabled person, you have rights to protect you from discrimination. These rights cover most areas including:\n\n- employment\n\n- education\n\n- dealing with the police\n\nThe Equality Act 2010 and the United Nations (UN) Convention on disability rights help to enforce, protect and promote your rights.\n\n## Employment\n\nIt\u2019s against the law for employers to discriminate against you because of a disability. The Equality Act 2010 protects you and covers areas including:\n\n- application forms\n\n- interview arrangements\n\n- aptitude or proficiency tests\n\n- job offers\n\n- terms of employment, including pay\n\n- promotion, transfer and training opportunities\n\n- dismissal or redundancy\n\n- discipline and grievances\n\n## Reasonable adjustments in the workplace\n\nAn employer has to make \u2018reasonable adjustments\u2019 to avoid you being put at a disadvantage compared to non-disabled people in the workplace. For example, adjusting your working hours or providing you with a special piece of equipment to help you do the job.\n\n## Recruitment\n\nAn employer who\u2019s recruiting staff may make limited enquiries about your health or disability.\n\nYou can only be asked about your health or disability:\n\n- to help decide if you can carry out a task that is an essential part of the work\n\n- to help find out if you can take part in an interview\n\n- to help decide if the interviewers need to make reasonable adjustments for you in a selection process\n\n- to help monitoring\n\n- if they want to increase the number of disabled people they employ\n\n- if they need to know for the purposes of national security checks\n\nYou may be asked whether you have a health condition or disability on an application form or in an interview. You need to think about whether the question is one that is allowed to be asked at that stage of recruitment.\n\n## Redundancy and retirement\n\nYou can\u2019t be chosen for redundancy just because you\u2019re disabled. The selection process for redundancy must be fair and balanced for all employees.\n\nYour employer cannot force you to retire if you become disabled.\n\n## Education\n\nIt\u2019s against the law for a school or other education provider to treat disabled students unfavourably. This includes:\n\n- direct discrimination, for example refusing admission to a student or excluding them because of disability\n\n- indirect discrimination, for example only providing application forms in one format that may not be accessible\n\n- discrimination arising from a disability, for example a disabled pupil is prevented from going outside at break time because it takes too long to get there\n\n- harassment, for example a teacher shouts at a disabled student for not paying attention when the student\u2019s disability stops them from easily concentrating\n\n- victimisation, for example suspending a disabled student because they\u2019ve complained about harassment\n\n## Reasonable adjustments\n\nAn education provider has a duty to make \u2018reasonable adjustments\u2019 to make sure disabled students are not discriminated against. These changes could include providing extra support and aids (like specialist teachers or equipment).\n\nSchools are not subject to the reasonable adjustment duty to make alterations to physical features, like adding ramps. They must make the buildings accessible for their disabled pupils as part of their overall planning duties.\n\n## Special educational needs and disabilities (SEND)\n\nAll publicly funded pre-schools, nurseries, state schools and local authorities must try to identify and help assess children with special educational needs and disabilities (SEND).\n\nIf a child has an an education, health and care (EHC) plan or a statement of special educational needs, these must be reviewed annually. From year 9 the child will get a full review to understand what support they will need to prepare them for adulthood.\n\n## Higher education\n\nAll universities and higher education colleges should have a person in charge of disability issues that you can talk to about the support they offer.\n\nYou can also ask local social services for an assessment to help with your day-to-day living needs.\n\n## Police\n\nIf you\u2019re being questioned or interviewed at a police station you have certain rights depending on your impairment.\n\n## Deaf, hearing-impaired or speech difficulties\n\nThe police should arrange for an interpreter to be present with you. The police can interview you without an interpreter if a delay would result in harm to people, property or evidence.\n\n## Learning disabilities\n\nThe police should only interview someone who has a learning disability when a responsible person (referred to as an \u2018appropriate adult\u2019) is present. The appropriate adult should not work for the police and should have experience of people with learning disabilities. The police can interview you without an appropriate adult if a delay would result in harm to people, property or evidence.\n\n## Right to medical treatment\n\nIf you\u2019re being kept in a police cell, you have the right to a medical examination by a healthcare worker. A healthcare worker may be a paramedic, nurse or a police surgeon (sometimes referred to as a \u2018Forensic Medical Examiner\u2019).\n\nIf you do not want to be examined by the healthcare worker provided, you could be examined by a general practitioner (GP) that you choose - if they\u2019re available. You may have to pay for this, and this payment will be noted down.\n\n## The Equality Act 2010 and UN Convention\n\nThe Equality Act 2010 protects you from discrimination. It provides legal rights for you in the areas of:\n\n- employment\n\n- education\n\n- access to goods, services and facilities\n\n- buying and renting land or property\n\nThe Equality Act 2010 also protects your rights if you have an association with a disabled person, for example a carer or parent.\n\nGet more information about the Equality Act 2010.\n\n## United Nations (UN) Convention on disability rights\n\nThe UN Convention on disability rights has been agreed by the UK to protect and promote the rights of disabled people.\n\nGet more information about the UN Convention on disability rights from the Office for Disability Issues.\n\n## Further help and advice\n\nCheck if you can get legal aid to help with your legal costs if you think you\u2019ve been discriminated against. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\nYou can get advice and information on your rights from:\n\n- Equality Advisory Support Service\n\n- Disability Rights UK\n\n- Advicenow\n\n- Citizens Advice", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/rights-disabled-person", + "answerable": true, + "scenario": "I am 11 and have just moved to a new area with my parents, who are looking for a new secondary school for me to join in Year 7. I have mild dyslexia, but have not been classified as SEND up to this point.", + "original_question": "Does the provision of specialist teachers fall under the school's \"reasonable adjustments\" duty?" + }, + { + "id": "train-1735", + "question": "Scenario: I am 21 and live in London. I passed my driving test and received my license 3 months ago. I own a car, and am now shopping around for car insurance.\n\nQuestion: Can taking the Pass Plus course get me a discount on my car insurance?\n\nDocument - Pass Plus:\n## Overview\n\nPass Plus is a practical training course that takes at least 6 hours and is for drivers to improve their skills and drive more safely.\n\nIt can be taken at any time although it should be most useful to new drivers in the year after passing their test.\n\nYou\u2019ll need a Pass Plus registered approved driving instructor (ADI) to teach you.\n\nIt may help you get a car insurance discount if you successfully complete the course.\n\n## Booking Pass Plus\n\nYou need to book Pass Plus with an approved driving instructor (ADI) who is registered with Pass Plus.\n\nYou can contact the Driver and Vehicle Standards Agency (DVSA) to check if an instructor is registered with Pass Plus. You\u2019ll need their name and ADI number.\n\n## Fees\n\nPass Plus fees depend on where you live, the instructor or driving school and how long your training takes.\n\nSome local councils can offer discounts off the full Pass Plus training costs.\n\n## Local councils offering discounts\n\nSome local councils can offer discounts off the full Pass Plus training costs\n\nContact your borough, town, city or county council if they are listed to see if they can help you with the cost of your training.\n\nYou must live in the council\u2019s area to be eligible for the discount.\n\n## East Midlands\n\n## North-west\n\n## South-east\n\n## South-west\n\n## Scotland\n\n## Wales\n\nAll local councils in Wales offer discounted Pass Plus courses. Go to Pass Plus Cymru for more information.\n\n## How Pass Plus training works\n\nPass Plus training takes at least 6 hours. It has 6 modules, covering driving:\n\n- in town\n\n- in all weathers\n\n- on rural roads\n\n- at night\n\n- on dual carriageways\n\n- on motorways\n\nAll modules should be practical sessions, although local conditions may mean some are theory based. You\u2019ll normally spend at least 5.5 hours driving.\n\nYou will not take a test but you\u2019ll be assessed throughout the course. To pass you\u2019ll have to reach the required standard in all modules.\n\nContact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team for more information.\n\n## Apply for a Pass Plus certificate\n\nYou must apply for your own Pass Plus certificate if you want one.\n\nYou need a certificate if you want a discount on your car insurance.\n\nYou\u2019ll get a training report form from your instructor when you\u2019ve reached the required standard in all modules. You and your instructor must sign the form.\n\nContact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team to apply for your certificate.\n\n## Car insurance discounts\n\nOnce you\u2019ve completed Pass Plus you may be able to get a car insurance discount. You\u2019ll need your Pass Plus certificate.\n\nCheck with insurers that you can still get a discount if you passed your practical driving test more than a year ago.\n\nThe amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.\n\nYou might be able to put the discount on hold for up to 2 years if you do not have a car at the moment - check with the insurance company first.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pass-plus", + "answerable": true, + "scenario": "I am 21 and live in London. I passed my driving test and received my license 3 months ago. I own a car, and am now shopping around for car insurance.", + "original_question": "Can taking the Pass Plus course get me a discount on my car insurance?" + }, + { + "id": "train-1738", + "question": "Scenario: I own a 2017-registered VW Passat, whose MOT certificate and road tax both expire at the end of next week. I took it to be tested this morning, and it unfortunately failed due to a single \"major\" fault. To make matters worse, the garage at which it was tested isn't able to carry out the necessary repair work before the date of MOT expiry.\n\nQuestion: Can I legally drive the car to another garage for immediate repair?\n\nDocument - Getting an MOT:\n## When to get an MOT\n\nThe MOT test checks that your vehicle meets road safety and environmental standards.\n\nYou must get an MOT for your vehicle by either:\n\n- the third anniversary of its registration\n\n- the anniversary of its last MOT, if it\u2019s over 3 years old\n\nSome vehicles need to be tested at one year old - check the MOT fees table to see which.\n\nFind out how to check your MOT expiry date.\n\nThere are different rules and processes in Northern Ireland for MOTs for vehicles registered in Northern Ireland.\n\n## Coronavirus (COVID-19): getting an MOT\n\nYou need to get an MOT for your vehicle as usual.\n\nDo not take your vehicle to an MOT centre in person if:\n\n- you or someone you live with has coronavirus symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has coronavirus\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## If you cannot take your vehicle in person\n\nSome MOT centres will collect your vehicle for the MOT and then return it. Contact an MOT centre to see if this service is available.\n\nYou can also get someone else to take your vehicle into a test centre if you insure them on your vehicle.\n\nIf you cannot get your vehicle collected or taken in for you, you must wait until you\u2019re no longer self-isolating to take it into a test centre.\n\n## If the MOT has run out\n\n- If your tax is due to run out, register your vehicle as \u2018off the road\u2019 - you cannot renew your vehicle tax if your MOT has expired.\n\n- Book an MOT test.\n\n- Tax your vehicle once it has passed its MOT.\n\nYou cannot drive or park your vehicle on the road if the MOT has run out. You can be prosecuted if caught.\n\nThe only exceptions are to drive it:\n\n- to or from somewhere to be repaired\n\n- to a pre-arranged MOT test\n\n## Earliest date you can get an MOT\n\nAn MOT lasts for a year. The date it runs out is printed on your current MOT pass certificate.\n\nYou can be fined up to \u00a31,000 for driving a vehicle without a valid MOT.\n\nYou can get an MOT up to a month (minus a day) before it runs out and keep the same renewal date.\n\nYou can get an MOT earlier, but the renewal date for the following year will change to one year (minus a day) from the date the vehicle last passed its MOT.\n\n## Booking an MOT\n\nYou must use an approved MOT test centre to get your MOT.\n\nOnly centres showing the blue sign with 3 white triangles can carry out your MOT.\n\n## How you can book\n\nContact an MOT centre to book an MOT.\n\nThere are maximum fees that the MOT centre can charge.\n\nThere\u2019s a different process to book an MOT in Northern Ireland.\n\n## MOT costs\n\nThere\u2019s a maximum amount MOT test stations can charge. This depends on the type of vehicle.\n\nThe maximum fee for a car is \u00a354.85 and \u00a329.65 for a standard motorcycle.\n\nYou do not pay VAT on the fee.\n\n| | Vehicle class | Age first MOT needed (years) | Maximum MOT fee |\n\n| Motorcycle (engine size up to 200cc) | 1 | 3 | \u00a329.65 |\n\n| Motorcycle with sidecar (engine size up to 200cc) | 1 | 3 | \u00a337.80 |\n\n| Motorcycle (engine size over 200cc) | 2 | 3 | \u00a329.65 |\n\n| Motorcycle with sidecar (engine size over 200cc) | 2 | 3 | \u00a337.80 |\n\n| 3-wheeled vehicles (up to 450kg unladen weight) | 3 | 3 | \u00a337.80 |\n\n| 3-wheeled vehicles (over 450kg unladen weight) | 4 | 3 | \u00a354.85 |\n\n| Cars (up to 8 passenger seats) | 4 | 3 | \u00a354.85 |\n\n| Motor caravans | 4 | 3 | \u00a354.85 |\n\n| Quads (max unladen weight 400kg - for goods vehicles 550kg and max net power of 15kw) | 4 | 3 | \u00a354.85 |\n\n| Dual purpose vehicles | 4 | 3 | \u00a354.85 |\n\n| Private hire and public service vehicles (up to 8 seats) | 4 | 3 | \u00a354.85 |\n\n| Ambulances and taxis | 4 | 1 | \u00a354.85 |\n\n| Private passenger vehicles and ambulances (9 to 12 passenger seats) | 4 | 1 | \u00a357.30 |\n\n| Goods vehicles (up to 3,000kg design gross weight) | 4 | 3 | \u00a354.85 |\n\n| Class 4 vehicles (9 to 12 passenger seats) with a seat belt installation check | 4a | n/a | \u00a364 |\n\n| Private passenger vehicles and ambulances (13 to 16 passenger seats) | 5 | 1 | \u00a359.55 |\n\n| Private passenger vehicles and ambulances (more than 16 passenger seats) | 5 | 1 | \u00a380.65 |\n\n| Playbuses | 5 | 1 | \u00a380.65 |\n\n| Class 5 vehicles (13 to 16 passenger seats) with a seatbelt installation check | 5a | n/a | \u00a380.50 |\n\n| Class 5 vehicles (more than 16 passenger seats) with a seatbelt installation check | 5a | n/a | \u00a3124.50 |\n\n| Goods vehicles (over 3,000kg up to 3,500kg design gross weight) | 7 | 3 | \u00a358.60 |\n\n## How the MOT test works\n\nDuring the MOT, important parts on your vehicle will be checked to make sure they meet the legal standards.\n\nYou can watch the test from a viewing area but you\u2019re not allowed to interrupt the tester.\n\n## Parts that are tested\n\nYou can read more about what\u2019s tested for cars and motorcycles.\n\nThe test does not cover the condition of the engine, clutch or gearbox.\n\nThe MOT guide and inspection manuals tell you everything that\u2019s tested.\n\n## MOT test result\n\nYour vehicle can either pass or fail the MOT.\n\n## Passing the MOT\n\nIf your vehicle passes the MOT:\n\n- you\u2019ll get an MOT certificate from the test centre\n\n- it will be recorded in the MOT database\n\nYou might also get a list of \u2018minor\u2019 or \u2018advisory\u2019 problems to monitor or fix in the future.\n\n## Failing the MOT\n\nYour vehicle will fail if the test result lists \u2018dangerous\u2019 or \u2018major\u2019 problems with your vehicle. You might not be allowed to drive until you fix the problems.\n\nYou might also get a list of \u2018minor\u2019 or \u2018advisory\u2019 problems to monitor or fix in the future.\n\nIf your vehicle fails the MOT:\n\n- you\u2019ll get a \u2018refusal of an MOT test certificate\u2019 from the test centre\n\n- it will be recorded in the MOT database\n\nYou can appeal the result if you think it\u2019s wrong.\n\n## Driving a vehicle that\u2019s failed\n\nYou can take your vehicle away if:\n\n- your current MOT certificate is still valid\n\n- no \u2018dangerous\u2019 problems were listed in the MOT\n\nOtherwise, you\u2019ll need to get it repaired before you can drive.\n\nIf you can take your vehicle away, it must still meet the minimum standards of roadworthiness at all times.\n\nYou can be fined up to \u00a32,500, be banned from driving and get 3 penalty points for driving a vehicle that has failed its MOT because of a \u2018dangerous\u2019 problem.\n\n## Retest after a repair\n\nIn some cases your vehicle can have a partial retest for free or a reduced MOT fee.\n\n## Leaving your vehicle for repair\n\nYou only need a partial retest if you leave the vehicle at the test centre for repair and it\u2019s retested within 10 working days. There\u2019s no fee for this.\n\n## Taking your vehicle away for repairs\n\nYou can take your vehicle away if your MOT certificate is still valid.\n\nIf your MOT has run out you can take your vehicle to:\n\n- have the failed defects fixed\n\n- a pre-arranged MOT test appointment\n\nIn both cases, your vehicle still needs to meet the minimum standards of roadworthiness at all times or you can be fined.\n\n## Taking it back for a retest the next working day\n\nYou will not have to pay again if you take it back to the same test centre before the end of the next working day for a partial retest on one or more of these items:\n\n- access panels\n\n- battery\n\n- bonnet\n\n- bootlid\n\n- brake pedal antislip\n\n- break glass hammer (class 5 vehicles only)\n\n- doors (including hinges, catches and pillars)\n\n- door open warning device (class 5 vehicles only)\n\n- dropsides\n\n- electrical wiring\n\n- emergency exits and signs (class 5 vehicles only)\n\n- entrance door remote control (class 5 vehicles only)\n\n- entrance/exit steps (class 5 vehicles only)\n\n- fuel filler cap\n\n- headlamp cleaning or levelling devices (that does not need a headlamp aim check)\n\n- horn\n\n- lamps (excluding headlamp aim)\n\n- loading door\n\n- main beam \u2018tell-tale\u2019\n\n- mirrors\n\n- rear reflectors\n\n- registration plates\n\n- seatbelts (but not anchorages), seatbelt load limiter and seatbelt pre-tensioner\n\n- seats\n\n- sharp edges or projections\n\n- stairs (class 5 vehicles only)\n\n- steering wheel\n\n- tailboard\n\n- tailgate\n\n- trailer electrical sockets\n\n- towbars (excluding body around anchorage points)\n\n- tyre pressure monitoring system\n\n- vehicle identification number (VIN)\n\n- windscreen glass, wipers and washers\n\n- wheels and tyres (excluding motorcycles and motorcycles with sidecar)\n\n## Taking it back for a retest within 10 working days\n\nYou\u2019ll only need a partial retest if you take the vehicle from the test centre for repairs and take it back within 10 working days. You can be charged a partial retest fee for this.\n\nIn all other cases, you\u2019ll need to get a full retest and pay the full MOT test fee again.\n\n## Test result appeals and problems\n\nYou can appeal an MOT test failure or complain to the Driver and Vehicle Standards Agency (DVSA) if you think your vehicle should not have passed.\n\nYou can take your own action against an MOT test centre through Trading Standards, personal legal proceedings or reporting the centre to the police. DVSA cannot help you take action against a centre.\n\n## Appeal if your vehicle failed an MOT\n\nYou need to discuss your test results with the test centre before anyone starts repairs.\n\nYou can appeal against the failure if you think it\u2019s wrong. Fill in the complaint form and send it to DVSA within 14 working days of the test.\n\nDVSA will contact you within 5 days to discuss your appeal.\n\nIf DVSA decides to recheck your vehicle, you\u2019ll need to arrange a date and pay the full test fee again. They\u2019ll send you an inspection report listing any vehicle defects.\n\nYou should not have any repairs made until the appeal process has finished.\n\n## If you think your car has passed when it should not have\n\nYou\u2019ll need to complain to DVSA if you do not think your car should have passed its MOT. Fill in the complaint form and send it to DVSA within the time limits below.\n\nDVSA will contact you within 5 days to discuss your complaint.\n\nIf DVSA decides to recheck your vehicle, you\u2019ll need to arrange a date. You will not need to pay the test fee again. They\u2019ll send you an inspection report listing any vehicle defects.\n\n## Time limits\n\nIf your vehicle passed, you need to complain within:\n\n- within 3 months of the MOT if it\u2019s a corrosion-related problem\n\n- within 28 days has passed for other defects\n\n## If you think your MOT certificate is not genuine\n\nYou can check that your MOT certificate is genuine by checking its MOT status.\n\n## If you\u2019re unhappy with your MOT service\n\nContact DVSA if you\u2019re not happy with your MOT service.\n\n## Vehicles that do not need an MOT\n\nYou do not need to get an MOT for a vehicle until it reaches the age shown in the MOT fees table.\n\n## Exempt vehicles\n\nOther vehicles that do not need an MOT include:\n\n- goods vehicles powered by electricity and registered before 1 March 2015\n\n- tractors\n\n- some historic (\u2018classic\u2019) vehicles\n\nA list of exempt types of vehicles is on the MOT exemption form (V112). You need to fill in the form if your vehicle is listed so that you can either tax it or apply for tax exemption.\n\n## Lorries, buses and trailers\n\nYou must get an annual test for lorries, buses and trailers instead of an MOT. It\u2019s sometimes called the \u2018annual vehicle test\u2019.\n\n## Fix mistakes on your MOT certificate\n\nYou can get information corrected on your MOT certificate (such as the mileage or vehicle details) if it\u2019s wrong.\n\n## Get the wrong mileage corrected\n\nThe way you get the mileage corrected depends on when your MOT was.\n\n## Your MOT was less than 28 days ago\n\nAsk the MOT centre to check the mileage. They\u2019ll give you a replacement certificate if the mileage is wrong.\n\n## Your MOT was more than 28 days ago\n\nReport the mistake to the Driver and Vehicle Standards Agency (DVSA) to get it corrected.\n\nYou also need to email proof of the mileage, such as a scan or photo of:\n\n- an invoice for the MOT\n\n- an emissions printout\n\n- a service receipt\n\n- a vehicle job card from the MOT centre\n\nThey need to show what the mileage should be, and show the same date as the MOT test.\n\nIf your scan or photo includes personal information, for example your payment details, you should blank it out or remove it.\n\nIf you do not send the right evidence, DVSA will not fix the mistakes.\n\nOnce DVSA has updated the mileage, you can check your vehicle\u2019s MOT history and download or print a corrected MOT certificate.\n\n## Get vehicle details or the MOT centre corrected\n\nContact DVSA if your MOT certificate has the wrong:\n\n- vehicle make or model\n\n- vehicle colour\n\n- country where the vehicle was registered\n\n- MOT test centre\n\n## Add or remove test records\n\nIf there\u2019s an MOT test missing from your vehicle\u2019s MOT history, or a test that does not belong there, email or call DVSA to have it corrected.\n\nYou\u2019ll need to give your:\n\n- name\n\n- telephone number\n\n- vehicle number plate\n\n- vehicle make and model\n\n- date of the MOT\n\n- MOT test number (if you know it)\n\n- MOT test centre name and address", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/getting-an-mot", + "answerable": true, + "scenario": "I own a 2017-registered VW Passat, whose MOT certificate and road tax both expire at the end of next week. I took it to be tested this morning, and it unfortunately failed due to a single \"major\" fault. To make matters worse, the garage at which it was tested isn't able to carry out the necessary repair work before the date of MOT expiry.", + "original_question": "Can I legally drive the car to another garage for immediate repair?" + }, + { + "id": "train-1739", + "question": "Scenario: I am the proud owner of a 1981 DMC DeLorean sports car which, thanks to its stainless steel body, has not needed substantial modification at any point in its lifetime. This will soon pass it's 40th birthday.\n\nQuestion: Do I need to make an application to get MOT exempt status for my car?\n\nDocument - Historic (classic) vehicles: MOT and vehicle tax:\n## Eligibility\n\nThe date your vehicle was built or first registered affects whether you need to:\n\n- get an MOT\n\n- pay vehicle tax\n\n## Vehicles that do not need an MOT\n\nYou do not need to get an MOT if:\n\n- the vehicle was built or first registered more than 40 years ago\n\n- no \u2018substantial changes\u2019 have been made to the vehicle in the last 30 years, for example replacing the chassis, body, axles or engine to change the way the vehicle works\n\nIf you\u2019re not sure if there have been any substantial changes you can:\n\n- read the full guidance on MOT exemptions for historic vehicles\n\n- speak to a historic vehicle expert\n\n## Vehicles exempt from vehicle tax\n\nIf your vehicle was built before 1 January 1981, you can stop paying vehicle tax from 1 April 2021.\n\nIf you do not know when your vehicle was built, but it was registered before 8 January 1981, you do not need to pay vehicle tax from 1 April 2021.\n\n## What you have to do\n\nYou must apply for a vehicle tax exemption to stop paying vehicle tax. This is sometimes called putting a vehicle into the \u2018historic tax class\u2019.\n\nYou do not have to apply to stop getting an MOT for your vehicle each year. However, you must still keep it in a roadworthy condition.\n\nYou can be fined up to \u00a32,500 and get 3 penalty points for using a vehicle in a dangerous condition.\n\n## Historic vehicle tax exemption\n\nYou can apply to stop paying for vehicle tax from 1 April 2021 if your vehicle was built before 1 January 1981. You must tax your vehicle even if you do not have to pay.\n\nIf you do not know when your vehicle was built, but it was first registered before 8 January 1981, you can still apply to stop paying vehicle tax.\n\nYour vehicle will not be exempt from vehicle tax if:\n\n- it\u2019s used for hire or reward (for example, it\u2019s used as a taxi for paying customers)\n\n- it\u2019s used commercially for a trade or business\n\nContact DVLA if you\u2019re not sure if your vehicle is exempt.\n\n## Eligible vehicles\n\nYou can apply for these vehicles to be made exempt:\n\n- cars\n\n- vans\n\n- motorcycles\n\n- tricycles\n\n## Large vehicles and buses\n\nYou can apply for these vehicles to be made exempt:\n\n- private heavy goods vehicles (HGVs) - they cannot be designed or adapted for transporting goods, or be used for driver training\n\n- buses used for voluntary or community purposes\n\n## Specialist vehicles\n\nYou can also apply for these vehicles to be made exempt:\n\n- mobile cranes and pumps\n\n- road rollers, works trucks and digging machines\n\n- agricultural machines and mowing machines\n\n- snowploughs and gritting vehicles\n\n- electric vehicles\n\n- steam vehicles\n\n## Apply for a vehicle tax exemption\n\nApply at a Post Office that deals with vehicle tax.\n\nYou need to take:\n\n- the log book (V5C) in your name\n\n- your vehicle tax reminder letter (V11), if you have one\n\n- an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you do not have the log book, download and fill in an application for a log book (V62). Take it to the Post Office with the \u00a325 fee.\n\n## What happens next\n\n- The Post Office sends your log book to DVLA.\n\n- DVLA will send you an updated log book.\n\n- You\u2019ll get a refund (if you\u2019re due one). It will take longer than usual to get your refund because of coronavirus (COVID-19). Contact DVLA if you have not got your refund within 6 weeks of getting your updated log book.\n\nYou can still use your vehicle while your application is being processed.\n\n## Renewing your historic vehicle's vehicle tax\n\nDVLA will send you a vehicle tax reminder letter before your tax is due to expire. You\u2019ll need to tax your vehicle, but will not need to pay.\n\nIt\u2019s illegal to drive your vehicle if you have not taxed it. You can be fined \u00a380 if you do not tax your vehicle on time.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/historic-vehicles", + "answerable": true, + "scenario": "I am the proud owner of a 1981 DMC DeLorean sports car which, thanks to its stainless steel body, has not needed substantial modification at any point in its lifetime. This will soon pass it's 40th birthday.", + "original_question": "Do I need to make an application to get MOT exempt status for my car?" + }, + { + "id": "train-1740", + "question": "Scenario: I live in Northern Ireland, and am the owner of one of the few surviving Triumph T140 TSX motorbikes, manufacturered and first registered in 1982.\n\nQuestion: Do I need to produce an Insurance Certificate when the time comes to apply for a vehicle tax exemption for my motorbike?\n\nDocument - Historic (classic) vehicles: MOT and vehicle tax:\n## Eligibility\n\nThe date your vehicle was built or first registered affects whether you need to:\n\n- get an MOT\n\n- pay vehicle tax\n\n## Vehicles that do not need an MOT\n\nYou do not need to get an MOT if:\n\n- the vehicle was built or first registered more than 40 years ago\n\n- no \u2018substantial changes\u2019 have been made to the vehicle in the last 30 years, for example replacing the chassis, body, axles or engine to change the way the vehicle works\n\nIf you\u2019re not sure if there have been any substantial changes you can:\n\n- read the full guidance on MOT exemptions for historic vehicles\n\n- speak to a historic vehicle expert\n\n## Vehicles exempt from vehicle tax\n\nIf your vehicle was built before 1 January 1981, you can stop paying vehicle tax from 1 April 2021.\n\nIf you do not know when your vehicle was built, but it was registered before 8 January 1981, you do not need to pay vehicle tax from 1 April 2021.\n\n## What you have to do\n\nYou must apply for a vehicle tax exemption to stop paying vehicle tax. This is sometimes called putting a vehicle into the \u2018historic tax class\u2019.\n\nYou do not have to apply to stop getting an MOT for your vehicle each year. However, you must still keep it in a roadworthy condition.\n\nYou can be fined up to \u00a32,500 and get 3 penalty points for using a vehicle in a dangerous condition.\n\n## Historic vehicle tax exemption\n\nYou can apply to stop paying for vehicle tax from 1 April 2021 if your vehicle was built before 1 January 1981. You must tax your vehicle even if you do not have to pay.\n\nIf you do not know when your vehicle was built, but it was first registered before 8 January 1981, you can still apply to stop paying vehicle tax.\n\nYour vehicle will not be exempt from vehicle tax if:\n\n- it\u2019s used for hire or reward (for example, it\u2019s used as a taxi for paying customers)\n\n- it\u2019s used commercially for a trade or business\n\nContact DVLA if you\u2019re not sure if your vehicle is exempt.\n\n## Eligible vehicles\n\nYou can apply for these vehicles to be made exempt:\n\n- cars\n\n- vans\n\n- motorcycles\n\n- tricycles\n\n## Large vehicles and buses\n\nYou can apply for these vehicles to be made exempt:\n\n- private heavy goods vehicles (HGVs) - they cannot be designed or adapted for transporting goods, or be used for driver training\n\n- buses used for voluntary or community purposes\n\n## Specialist vehicles\n\nYou can also apply for these vehicles to be made exempt:\n\n- mobile cranes and pumps\n\n- road rollers, works trucks and digging machines\n\n- agricultural machines and mowing machines\n\n- snowploughs and gritting vehicles\n\n- electric vehicles\n\n- steam vehicles\n\n## Apply for a vehicle tax exemption\n\nApply at a Post Office that deals with vehicle tax.\n\nYou need to take:\n\n- the log book (V5C) in your name\n\n- your vehicle tax reminder letter (V11), if you have one\n\n- an MOT certificate that\u2019s valid when the tax starts, or evidence if your vehicle\u2019s exempt from an MOT (V112)\n\n- an insurance certificate or cover note (only in Northern Ireland)\n\nIf you do not have the log book, download and fill in an application for a log book (V62). Take it to the Post Office with the \u00a325 fee.\n\n## What happens next\n\n- The Post Office sends your log book to DVLA.\n\n- DVLA will send you an updated log book.\n\n- You\u2019ll get a refund (if you\u2019re due one). It will take longer than usual to get your refund because of coronavirus (COVID-19). Contact DVLA if you have not got your refund within 6 weeks of getting your updated log book.\n\nYou can still use your vehicle while your application is being processed.\n\n## Renewing your historic vehicle's vehicle tax\n\nDVLA will send you a vehicle tax reminder letter before your tax is due to expire. You\u2019ll need to tax your vehicle, but will not need to pay.\n\nIt\u2019s illegal to drive your vehicle if you have not taxed it. You can be fined \u00a380 if you do not tax your vehicle on time.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/historic-vehicles", + "answerable": true, + "scenario": "I live in Northern Ireland, and am the owner of one of the few surviving Triumph T140 TSX motorbikes, manufacturered and first registered in 1982.", + "original_question": "Do I need to produce an Insurance Certificate when the time comes to apply for a vehicle tax exemption for my motorbike?" + }, + { + "id": "train-1742", + "question": "Scenario: I am 42 and partially sighted, which requires me to be accompanied by my guide dog Bella when out in public. I wish to visit London, and will be arriving by train.\n\nQuestion: If I hail a taxi at the station, is the driver obliged to allow my guide dog to accompany me in the car?\n\nDocument - Transport support services for disabled people:\n## Trains\n\nYou can give National Rail train companies advance notice if you think you\u2019ll need any help from staff.\n\nYou can also check if a station has accessible facilities.\n\n## Wheelchairs on trains\n\nOn mainline (intercity, suburban and cross-country) trains there\u2019s space for your wheelchair. Put your chair in this space and use the brakes (or switch your wheelchair\u2019s power off) when the train\u2019s moving.\n\n## How to get help\n\nAll licensed train companies must be able to tell you:\n\n- what services and facilities are available\n\n- how to get assistance - including when there are disruptions\n\nThis is called an Accessible Travel Policy (ATP). You can get a copy of an ATP from the train company.\n\n## Disabled person\u2019s railcard\n\nIf you\u2019re eligible you can get up to a third off rail tickets by applying for a disabled person\u2019s railcard. You must provide evidence of a relevant disability.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the train company directly.\n\nIf you cannot resolve the complaint, you may be able to complain to the Rail Ombudsman. They can only consider complaints about companies that have joined the Rail Ombudsman scheme.\n\n## Planes\n\nTell your airline at least 48 hours before departure if you\u2019ll need help.\n\nAirlines and airports have different facilities for disabled people. Find out from your airport or airline if they have the facilities you need, for example a toilet with disabled access.\n\n## Help at the airport\n\nIf you have a sensory, physical or learning disability which affects your mobility when using transport, at airports in the UK and EU you have the right to:\n\n- help at specific arrival points, such as at terminal entrances, at transport interchanges and in car parks\n\n- help to reach check-in\n\n- help with registration at check-in\n\n- help with moving through the airport if you need it, including to toilets\n\n- help to board the plane\n\nYou\u2019ll also have the right to help because of your age or a temporary illness or injury - for example if you\u2019ve broken your leg and it\u2019s in a cast.\n\nYou can travel with up to 2 items of mobility equipment free of charge if you\u2019re disabled. This will not count as part of your baggage allowance.\n\n## Help on the plane\n\nIf you have a sensory, physical or learning disability which affects your mobility on a flight, in the UK and EU you have the right to:\n\n- get information about your flight in a way you understand it\n\n- help to find a seat that is suited to your needs\n\n- help to move around the plane, including to toilets\n\n## Taking your wheelchair on the plane\n\nYou cannot take your own wheelchair into the passenger cabin of a plane - it will be stored in the hold. Speak to your airline to find out what help they\u2019ll provide when boarding.\n\nTell your airline, travel agent or tour operator as soon as possible if you\u2019re taking on a battery-powered wheelchair or mobility aid.\n\n## Travelling with a companion\n\nYou must travel with a companion if you\u2019re not self reliant, for example if you need help with feeding, breathing, using medication or using the toilet.\n\nThe airline you\u2019re flying with will do their best to make sure you sit next to each other, so long as you tell them at least 48 hours before departure.\n\n## Travelling with an assistance dog\n\nYou have the right to travel with your assistance dog. You\u2019ll need to follow the rules on pet travel.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the airport or airline directly.\n\nIf you cannot resolve the problem with them, you can complain to either:\n\n- an alternative dispute resolution (ADR) body\n\n- the Civil Aviation Authority (CAA) if the airline or airport does not have an agreement with an ADR\n\n## Cars, buses and coaches\n\nFind out what you need to do if you\u2019re driving and you have a medical condition or disability, for example learning to drive and getting insured.\n\nYou may be able to get a Blue Badge so you can park closer to where you want to go.\n\n## The Motability Scheme\n\nThe Motability Scheme can help you with leasing a car, powered wheelchair or scooter.\n\n## Buses and coaches\n\nYou can get a bus pass for free travel if you\u2019re disabled. Passes from councils in England can be used anywhere in England:\n\n- at any time on a Saturday, Sunday or bank holiday\n\n- from 9:30am to 11pm on any other day\n\nFor travel outside of these times, contact the relevant council.\n\n## Help getting on and off\n\nThe law says bus and coach drivers must give reasonable assistance to disabled people, for example by helping them get on and off the bus or coach. This does not mean physically lifting passengers or heavy mobility equipment.\n\nIf you need help to get on and off a coach, you should ask for this when you book your ticket.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the bus or coach service operator directly.\n\nIf you cannot resolve the problem with the operator, contact:\n\n- Bus Users UK for complaints about services outside of London\n\n- London TravelWatch for complaints about services in London\n\n- your local government ombudsman for complaints about bus passes\n\n## Taxis and minicabs\n\nLicensed taxis can be hailed on the street, picked up at ranks or pre-booked, but you can only pre-book minicabs (also called \u2018private hire vehicles\u2019).\n\n## Wheelchair access\n\nIn some areas (mainly larger cities), licensed taxis have to be wheelchair accessible.\n\nTo find out if there are accessible taxis near you, contact the taxi licensing office at your local council.\n\n## London taxis\n\nIn London, all black cabs are wheelchair accessible.\n\nSome of the newer \u2018black cabs\u2019 are also fitted with induction loops and intercoms for hearing aid users.\n\n## Assistance dogs\n\nIf you travel with an assistance dog they must be allowed into the taxi or minicab with you, unless the driver has an exemption certificate. This can be issued if they\u2019ve got a medical condition made worse by contact with dogs.\n\nA driver with an exemption certificate will have a \u2018Notice of Exemption\u2019 notice on their vehicle windscreen.\n\nIt\u2019s illegal to be charged extra to travel in a taxi or minicab with an assistance dog. Otherwise the driver could be fined up to \u00a31,000.\n\nThe following types of dog can be taken with you in taxis or minicabs:\n\n- guide dogs\n\n- hearing dogs\n\n- assistance dogs trained by Dogs for the Disabled, Support Dogs or Canine Partners\n\n## Travelling with your dog\n\nTaxi and private hire vehicle drivers have been told how to identify assistance dogs.\n\nYour assistance dog should wear its harness or identification jacket when you are travelling with it. If an identification card was issued for the dog, this should also be carried.\n\nDogs should remain on the floor and under control at all times. If your dog causes any damage to the vehicle, the driver could ask you to pay for it.\n\n## Report a problem\n\nAs well as the rules on wheelchairs and assistance dogs, all taxi and minicab drivers must make sure they do not discriminate against you and cannot treat you less favourably than other customers. They should also make any \u2018reasonable adjustments\u2019 to their service for you to make your journey easier.\n\nYou should report any problems to the taxi licensing office at your local council.\n\n## Ships\n\nYou can get help if you\u2019re disabled and travelling on any of the following:\n\n- a cruise ship that\u2019s leaving from a port within the UK\n\n- a ferry that\u2019s leaving from or going to a port within the UK\n\n- a local ferry service, for example by river bus\n\nIf you need to make specific arrangements for your journey (for example if you have certain accommodation or seating requirements), you should tell the cruise line, ferry service, travel agent or tour operator at least 48 hours before departure.\n\n## Travelling with a carer\n\nYou should let the cruise line or ferry service know if you need to travel with a carer. On a ferry, your carer might be able to travel for free.\n\n## Help getting on and off\n\nTell the cruise line or ferry service at least 48 hours before departure if you need help getting on and off the ship.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the cruise line or ferry service company directly.\n\nIf it cannot be resolved you can contact an independent organisation to look into your complaint.\n\nIn England or Wales, you can contact:\n\n- Association of British Travel Agents (ABTA), for complaints about ferries\n\n- London Travel Watch, for complaints about London River Bus services\n\n- Cruise Line International Association (CLIA), for complaints about cruises\n\nIn Scotland, you can contact Transport Scotland.\n\nIn Northern Ireland, you can contact the Consumer Council of Northern Ireland.\n\n## Wheelchairs\n\nShopmobility lends wheelchairs and powered scooters to people who are disabled so they can shop or visit leisure facilities in a town, city or shopping centre.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/transport-disabled", + "answerable": true, + "scenario": "I am 42 and partially sighted, which requires me to be accompanied by my guide dog Bella when out in public. I wish to visit London, and will be arriving by train.", + "original_question": "If I hail a taxi at the station, is the driver obliged to allow my guide dog to accompany me in the car?" + }, + { + "id": "train-1743", + "question": "Scenario: I am 34, married, have two children with my husband and currently live in a house which he owns. Six months ago he became violently abusive to both my elder child and myself, and has since fled. He is now threatening to return.\n\nQuestion: Can I get an Occupation Order which will prevent my husband from entering the family home?\n\nDocument - Get an injunction if you've been the victim of domestic abuse:\n## How to apply\n\nYou can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:\n\n- protects you or your child from being harmed or threatened by the person who\u2019s abused you - this is called a \u2018non-molestation order\u2019\n\n- decides who can live in the family home or enter the surrounding area - this is called an \u2018occupation order\u2019\n\nThe person named in the injunction can be arrested if they break it.\n\nGet advice on applying for an injunction from a charity, for example Refuge, Women\u2019s Aid, Citizens Advice or the Men\u2019s Advice Line.\n\nYou may be able to get free legal representation.\n\nIf you\u2019re in immediate danger of being abused or have been abused, report it to the police.\n\n## Apply online\n\nYou can use the RCJ Citizens Advice CourtNav service to prepare an injunction application online.\n\nYou\u2019ll need to:\n\n- create an online account\n\n- explain what happened to you\n\n- include the name and address of the person who\u2019s abused you\n\nAs part of your application, you can choose a law firm to review it.\n\nIf you\u2019re unable to get legal aid or pay for legal advice, your application can be sent back to a legal adviser at RCJ Citizens Advice to check for free.\n\nThe legal adviser will tell you if you need to make a court application and how to submit one.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call. If you need a face-to-face hearing, you\u2019ll need to explain why in your application.\n\n## Apply by email or post\n\nFollow these steps to apply for an injunction by email or post.\n\n- Check if you\u2019re eligible to apply for a non-molestation order or an occupation order.\n\n- Download and fill in the application form (form FL401) and make 2 copies.\n\n- Write your witness statement telling the court what has happened and asking for the relevant order.\n\n- At the bottom of the witness statement write a statement of truth. Use the following words: \u201cI believe that the facts stated in this witness statement are true.\u201d Sign and date the statement of truth.\n\n- Download and fill in form C8 if you want to keep your address and telephone number private.\n\n- Email or send all the documents to a court which deals with domestic abuse cases - there\u2019s no fee.\n\nMany courts are closed because of coronavirus. You\u2019ll need to check that the court is open and staffed before you send in your application.\n\n## Emergency orders\n\nIf you need protection immediately, ask for an emergency order when you apply. You do not have to tell the person you want protection from that you\u2019re applying so it\u2019s known as a \u2018without notice\u2019 or \u2018ex-parte\u2019 application.\n\nThe court will hold a hearing which you must attend. It may issue an order at the hearing.\n\nYou\u2019ll still have to tell that person about your application after the order has been issued.\n\nAn emergency order will usually last until your hearing.\n\n## If you\u2019re 17 or under\n\nIf you\u2019re under 16 you\u2019ll need permission to apply from the High Court.\n\nIf you\u2019re 16 or 17 you\u2019ll need to appoint a \u2018litigation friend\u2019 to represent you in court \u2013 this is usually a parent, family member or close friend.\n\n## After you\u2019ve applied\n\nAfter you\u2019ve applied you must arrange for the person you\u2019re applying to get an injunction against to be told about your application.\n\n## Who can apply: non-molestation order\n\nYou can usually apply if you\u2019re a victim of domestic abuse and the person you want to be protected from (\u2018the respondent\u2019) is:\n\n- someone you\u2019re having or have had a relationship with\n\n- a family member\n\n- someone you\u2019re living or have lived with\n\nCheck the following lists to make sure you can apply.\n\nIf you\u2019re under 16 you need permission from the High Court to apply.\n\n## Husband, wife, civil partner or other relationship\n\nYou can apply if you\u2019re a victim of domestic abuse and the respondent is your:\n\n- husband, wife or civil partner\n\n- former husband, former wife or former civil partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- former fianc\u00e9, former fianc\u00e9e or former proposed civil partner \u2013 if your engagement or agreement to form a civil partnership ended less than 3 years ago\n\n- boyfriend, girlfriend, partner or a person you\u2019re in or have been in a relationship with for more than 6 months\n\nIf you were engaged to or had agreed to form a civil partnership with the respondent, you\u2019ll need to provide evidence, such as a ring or statement from a witness who attended a ceremony or celebration.\n\n## Family member\n\nYou can apply if the respondent is a close family member, for example a parent, brother, sister, aunt or uncle.\n\n## People who have parental responsibility for your child or grandchild\n\nYou can apply if you have a child or grandchild and the respondent is the child\u2019s parent or person you share parental responsibility with.\n\nIf your child (or grandchild) has been adopted, you can also apply to get an injunction against their:\n\n- adoptive parent\n\n- anyone who has applied to adopt them\n\n- anyone the child has been placed with for adoption\n\nYou can also apply for an order against the child or grandchild if they\u2019ve been adopted.\n\nYou can report anyone who abuses you to your neighbourhood police team.\n\n## Who can apply: occupation order\n\nYou can apply for an occupation order if you\u2019re a victim of domestic abuse and meet the requirements. The order will say who can live in the family home or enter the surrounding area.\n\nYou can apply if:\n\n- you own or rent the home and it is, was, or was intended to be shared with a husband or wife, civil partner, cohabitant, family member, person you\u2019re engaged to or parent of your child\n\n- you do not own or rent the home but you\u2019re married or in a civil partnership with the owner and you\u2019re living in the home (known as \u2018matrimonial home rights\u2019)\n\n- your former husband, wife or civil partner is the owner or tenant, and the home is, was, or was intended to be your shared matrimonial home\n\n- the person you cohabit or cohabited with is the owner or tenant, and the home is, was, or was intended to be your shared home\n\n## After you submit your application\n\nYou\u2019ll be given a document called a \u2018Notice of Proceedings\u2019 by the court. This tells you when your court hearing will take place.\n\n## Telling people about your application\n\nThe court will send you back a sealed copy of your application. You must arrange for the sealed copy and your witness statement to be \u2018served\u2019 on the person named in the application. This means making sure they get a copy of the documents in person.\n\nYour solicitor will do this if you\u2019re using one or you can ask the court to serve the documents for free.\n\nDo not serve the documents yourself.\n\n## Your court hearing\n\nYour hearing will be held in private (sometimes called \u2018in chambers\u2019). In most cases only you and the person you\u2019re applying for an injunction against, and any legal representatives, can attend. Read about what to expect when you go to a court hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call.\n\nThe court will provide an interpreter if you asked for one when you applied for the injunction. They can translate what happens during the hearing but they cannot represent you or give you legal advice.\n\nContact the court before the hearing if you need support or extra protection.\n\nThe judge may make a decision without a hearing if, for example:\n\n- you\u2019re self-isolating because of coronavirus\n\n- the person you\u2019re applying for an injunction against lives with you\n\nThis is called \u2018on paper\u2019.\n\n## Get a decision\n\nAt the end of the hearing the court will make one of the following decisions:\n\n- the person you\u2019ve applied for an injunction against must make an \u2018undertaking\u2019 (a promise) to do or not do something\n\n- you must provide more information - the court may issue a short-term order (an \u2018interim order\u2019) to protect you while you get this information\n\n- it will issue an order - when that ends they may hold another hearing to decide whether to renew the order\n\nYou\u2019ll get a copy of the order if the court issues one. It will say what the respondent can and cannot do.\n\nIf your order expires and you still want protection, you\u2019ll have to apply again.\n\n## After the hearing\n\nYou must arrange for the order to be \u2018served\u2019 on the respondent. This means making sure they get a copy of the order in person.\n\nIf you have a solicitor, they will arrange for the documents to be served. If you do not have a solicitor you can:\n\n- ask the court to serve the documents - you will not need to pay for this\n\n- hire a professional process server to serve the documents\n\nDo not serve the documents yourself.\n\nThe court will send the order and the statement of service to the officer in charge of your neighbourhood police station or the police station named in the court order.\n\nIf the person named in your injunction does not follow the court order, you can call the police.\n\n## Complaints and appeals\n\nYou can complain to the court where you had the hearing if you\u2019re unhappy with the service they provided.\n\nYou may be able to make an appeal about the decision if you think there\u2019s been a serious mistake. You\u2019ll have to get permission to make the appeal and there\u2019s usually a fee. Read the guidance on how to make an appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/injunction-domestic-violence", + "answerable": true, + "scenario": "I am 34, married, have two children with my husband and currently live in a house which he owns. Six months ago he became violently abusive to both my elder child and myself, and has since fled. He is now threatening to return.", + "original_question": "Can I get an Occupation Order which will prevent my husband from entering the family home?" + }, + { + "id": "train-1744", + "question": "Scenario: I am 15, live in Wales and for two years was sexually abused by my uncle, a former police officer. He has been arrested and is currently on bail awaiting a charging decision from the CPS. I am afraid that he will try and contact me.\n\nQuestion: Can I apply for a non-molestation order against my uncle, despite my not being a legal adult yet?\n\nDocument - Get an injunction if you've been the victim of domestic abuse:\n## How to apply\n\nYou can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:\n\n- protects you or your child from being harmed or threatened by the person who\u2019s abused you - this is called a \u2018non-molestation order\u2019\n\n- decides who can live in the family home or enter the surrounding area - this is called an \u2018occupation order\u2019\n\nThe person named in the injunction can be arrested if they break it.\n\nGet advice on applying for an injunction from a charity, for example Refuge, Women\u2019s Aid, Citizens Advice or the Men\u2019s Advice Line.\n\nYou may be able to get free legal representation.\n\nIf you\u2019re in immediate danger of being abused or have been abused, report it to the police.\n\n## Apply online\n\nYou can use the RCJ Citizens Advice CourtNav service to prepare an injunction application online.\n\nYou\u2019ll need to:\n\n- create an online account\n\n- explain what happened to you\n\n- include the name and address of the person who\u2019s abused you\n\nAs part of your application, you can choose a law firm to review it.\n\nIf you\u2019re unable to get legal aid or pay for legal advice, your application can be sent back to a legal adviser at RCJ Citizens Advice to check for free.\n\nThe legal adviser will tell you if you need to make a court application and how to submit one.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call. If you need a face-to-face hearing, you\u2019ll need to explain why in your application.\n\n## Apply by email or post\n\nFollow these steps to apply for an injunction by email or post.\n\n- Check if you\u2019re eligible to apply for a non-molestation order or an occupation order.\n\n- Download and fill in the application form (form FL401) and make 2 copies.\n\n- Write your witness statement telling the court what has happened and asking for the relevant order.\n\n- At the bottom of the witness statement write a statement of truth. Use the following words: \u201cI believe that the facts stated in this witness statement are true.\u201d Sign and date the statement of truth.\n\n- Download and fill in form C8 if you want to keep your address and telephone number private.\n\n- Email or send all the documents to a court which deals with domestic abuse cases - there\u2019s no fee.\n\nMany courts are closed because of coronavirus. You\u2019ll need to check that the court is open and staffed before you send in your application.\n\n## Emergency orders\n\nIf you need protection immediately, ask for an emergency order when you apply. You do not have to tell the person you want protection from that you\u2019re applying so it\u2019s known as a \u2018without notice\u2019 or \u2018ex-parte\u2019 application.\n\nThe court will hold a hearing which you must attend. It may issue an order at the hearing.\n\nYou\u2019ll still have to tell that person about your application after the order has been issued.\n\nAn emergency order will usually last until your hearing.\n\n## If you\u2019re 17 or under\n\nIf you\u2019re under 16 you\u2019ll need permission to apply from the High Court.\n\nIf you\u2019re 16 or 17 you\u2019ll need to appoint a \u2018litigation friend\u2019 to represent you in court \u2013 this is usually a parent, family member or close friend.\n\n## After you\u2019ve applied\n\nAfter you\u2019ve applied you must arrange for the person you\u2019re applying to get an injunction against to be told about your application.\n\n## Who can apply: non-molestation order\n\nYou can usually apply if you\u2019re a victim of domestic abuse and the person you want to be protected from (\u2018the respondent\u2019) is:\n\n- someone you\u2019re having or have had a relationship with\n\n- a family member\n\n- someone you\u2019re living or have lived with\n\nCheck the following lists to make sure you can apply.\n\nIf you\u2019re under 16 you need permission from the High Court to apply.\n\n## Husband, wife, civil partner or other relationship\n\nYou can apply if you\u2019re a victim of domestic abuse and the respondent is your:\n\n- husband, wife or civil partner\n\n- former husband, former wife or former civil partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- former fianc\u00e9, former fianc\u00e9e or former proposed civil partner \u2013 if your engagement or agreement to form a civil partnership ended less than 3 years ago\n\n- boyfriend, girlfriend, partner or a person you\u2019re in or have been in a relationship with for more than 6 months\n\nIf you were engaged to or had agreed to form a civil partnership with the respondent, you\u2019ll need to provide evidence, such as a ring or statement from a witness who attended a ceremony or celebration.\n\n## Family member\n\nYou can apply if the respondent is a close family member, for example a parent, brother, sister, aunt or uncle.\n\n## People who have parental responsibility for your child or grandchild\n\nYou can apply if you have a child or grandchild and the respondent is the child\u2019s parent or person you share parental responsibility with.\n\nIf your child (or grandchild) has been adopted, you can also apply to get an injunction against their:\n\n- adoptive parent\n\n- anyone who has applied to adopt them\n\n- anyone the child has been placed with for adoption\n\nYou can also apply for an order against the child or grandchild if they\u2019ve been adopted.\n\nYou can report anyone who abuses you to your neighbourhood police team.\n\n## Who can apply: occupation order\n\nYou can apply for an occupation order if you\u2019re a victim of domestic abuse and meet the requirements. The order will say who can live in the family home or enter the surrounding area.\n\nYou can apply if:\n\n- you own or rent the home and it is, was, or was intended to be shared with a husband or wife, civil partner, cohabitant, family member, person you\u2019re engaged to or parent of your child\n\n- you do not own or rent the home but you\u2019re married or in a civil partnership with the owner and you\u2019re living in the home (known as \u2018matrimonial home rights\u2019)\n\n- your former husband, wife or civil partner is the owner or tenant, and the home is, was, or was intended to be your shared matrimonial home\n\n- the person you cohabit or cohabited with is the owner or tenant, and the home is, was, or was intended to be your shared home\n\n## After you submit your application\n\nYou\u2019ll be given a document called a \u2018Notice of Proceedings\u2019 by the court. This tells you when your court hearing will take place.\n\n## Telling people about your application\n\nThe court will send you back a sealed copy of your application. You must arrange for the sealed copy and your witness statement to be \u2018served\u2019 on the person named in the application. This means making sure they get a copy of the documents in person.\n\nYour solicitor will do this if you\u2019re using one or you can ask the court to serve the documents for free.\n\nDo not serve the documents yourself.\n\n## Your court hearing\n\nYour hearing will be held in private (sometimes called \u2018in chambers\u2019). In most cases only you and the person you\u2019re applying for an injunction against, and any legal representatives, can attend. Read about what to expect when you go to a court hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call.\n\nThe court will provide an interpreter if you asked for one when you applied for the injunction. They can translate what happens during the hearing but they cannot represent you or give you legal advice.\n\nContact the court before the hearing if you need support or extra protection.\n\nThe judge may make a decision without a hearing if, for example:\n\n- you\u2019re self-isolating because of coronavirus\n\n- the person you\u2019re applying for an injunction against lives with you\n\nThis is called \u2018on paper\u2019.\n\n## Get a decision\n\nAt the end of the hearing the court will make one of the following decisions:\n\n- the person you\u2019ve applied for an injunction against must make an \u2018undertaking\u2019 (a promise) to do or not do something\n\n- you must provide more information - the court may issue a short-term order (an \u2018interim order\u2019) to protect you while you get this information\n\n- it will issue an order - when that ends they may hold another hearing to decide whether to renew the order\n\nYou\u2019ll get a copy of the order if the court issues one. It will say what the respondent can and cannot do.\n\nIf your order expires and you still want protection, you\u2019ll have to apply again.\n\n## After the hearing\n\nYou must arrange for the order to be \u2018served\u2019 on the respondent. This means making sure they get a copy of the order in person.\n\nIf you have a solicitor, they will arrange for the documents to be served. If you do not have a solicitor you can:\n\n- ask the court to serve the documents - you will not need to pay for this\n\n- hire a professional process server to serve the documents\n\nDo not serve the documents yourself.\n\nThe court will send the order and the statement of service to the officer in charge of your neighbourhood police station or the police station named in the court order.\n\nIf the person named in your injunction does not follow the court order, you can call the police.\n\n## Complaints and appeals\n\nYou can complain to the court where you had the hearing if you\u2019re unhappy with the service they provided.\n\nYou may be able to make an appeal about the decision if you think there\u2019s been a serious mistake. You\u2019ll have to get permission to make the appeal and there\u2019s usually a fee. Read the guidance on how to make an appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/injunction-domestic-violence", + "answerable": true, + "scenario": "I am 15, live in Wales and for two years was sexually abused by my uncle, a former police officer. He has been arrested and is currently on bail awaiting a charging decision from the CPS. I am afraid that he will try and contact me.", + "original_question": "Can I apply for a non-molestation order against my uncle, despite my not being a legal adult yet?" + }, + { + "id": "train-1746", + "question": "Scenario: I am learning to drive, have my provisional license and have booked my theory test for car drivers at a driving test centre here in Scotland. I have quite serious seasonal allergies, which can be exacerbated by face coverings.\n\nQuestion: Will I have to wear a face covering while taking my theory test?\n\nDocument - Theory test: cars:\n## Booking your test\n\nYou must have a provisional driving licence to book your theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You must pass both parts to pass the test.\n\n## When you can take the theory test\n\nYou can take the theory test from your 17th birthday onwards.\n\nYou can take it from your 16th birthday if you get, or have applied for, the enhanced rate of the mobility component of Personal Independence Payment (PIP).\n\n## Who needs to take the theory test\n\nYou usually need to take the theory test before you can get your full car driving licence.\n\nYou do not need to take the car theory test if you:\n\n- want to upgrade an automatic car licence to a manual one\n\n- have a category B1 driving licence (3 or 4-wheeled light vehicles) from before 1 February 2001\n\n## If you have a moped or motorcycle licence\n\nYou must pass a car theory test before taking the car driving test.\n\n## If your licence is not from Great Britain\n\nFind out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.\n\n## Change or check your test details\n\nYou can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.\n\n## Theory test revision and practice\n\nYou can use books and software to revise for the theory test and take practice tests.\n\n## Multiple-choice questions\n\nThe multiple-choice questions in the theory test are based on 3 books:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Driving - the essential skills\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them from most high street and online book shops.\n\n## Take a practice test\n\nTake a practice theory test to check how much you\u2019ve learnt.\n\nThe questions are not used in the real test, but they are based on the same topics as the test.\n\n## Hazard perception test\n\nTo prepare for this test you can use the official guide to hazard perception.\n\nYou can buy the guide in these formats:\n\n- online for your PC or Mac\n\n- app for Apple phones and tablets\n\n- app for Android phones and tablets\n\nYou can also buy it as an interactive DVD from most high street and online book shops.\n\n## Translations into foreign languages\n\nSome official books and software are translated into other languages by approved organisations.\n\nHowever, you can only take the test in English, Welsh or British Sign Language.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## Lost your licence\n\nYou need to apply for a replacement driving licence if you lose yours. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get the new licence in enough time.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 57 minutes to answer 50 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\nThree of the questions are about a short video. It will show a normal driving situation, such as:\n\n- driving through a town centre\n\n- driving on a country road\n\nThe video is silent. You can watch it as many times as you like during the test.\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou\u2019ll get the result at the test centre after taking the theory test. You must pass both parts to pass the test.\n\n| | Pass mark | Points available |\n\n| Multiple-choice questions | 43 | 50 |\n\n| Hazard perception | 44 | 75 |\n\n## If you pass\n\nYou\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your driving test.\n\nYour pass certificate number lasts for 2 years. You must pass your driving test in that time, otherwise you\u2019ll have to pass the theory test again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou must book and take the full test again, even if you passed one part this time.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have a reading difficulty, disability or health condition\n\nWhen you book your theory test you should say if you have a:\n\n- reading difficulty\n\n- disability\n\n- health condition\n\n## You have reading difficulties\n\nYou can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.\n\nYou can listen to the questions and possible answers as many times as you need to.\n\n## Other types of support\n\nYou can get other support during your theory test if you send proof that you have reading difficulties.\n\nThis can be an email, letter or report from:\n\n- a teacher or other educational professional\n\n- a doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association\n\nYou can get:\n\n- extra time to take the test\n\n- someone to read what\u2019s on the screen and record your answers\n\n- someone to reword the questions for you\n\nThe Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.\n\nIf DVSA agrees that you need extra support, they will send you an email with:\n\n- a reference number (you will need this when you book your test)\n\n- instructions on how to book your test\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple choice questions part of the theory test.\n\n## Reading what\u2019s on the screen and recording your answers\n\nA member of staff at the test centre can read out the instructions and questions on the screen.\n\nThey can also record your answers to the multiple-choice questions.\n\nThis can be done by either:\n\n- listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen\n\n- the member of staff sitting near you in the test room\n\n## Rewording the questions for you\n\nYou can ask for a member of staff to reword the theory test questions to make them easier for you to understand.\n\nThe person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.\n\nYou still need to answer each question yourself.\n\n## You\u2019re deaf or have a hearing impairment\n\nYou can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.\n\nA BSL video appears on the screen next to the questions and answers.\n\n## Take a BSL interpreter\n\nYou can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.\n\n## Hearing loop and lip speakers\n\nYou can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).\n\nTo use either service you\u2019ll need to contact DVSA before your test.\n\n## Other disabilities or health conditions\n\nContact DVSA to discuss any other disability or health condition before you book your test.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/theory-test", + "answerable": true, + "scenario": "I am learning to drive, have my provisional license and have booked my theory test for car drivers at a driving test centre here in Scotland. I have quite serious seasonal allergies, which can be exacerbated by face coverings.", + "original_question": "Will I have to wear a face covering while taking my theory test?" + }, + { + "id": "train-1747", + "question": "Scenario: I live in Southern England and own and a drive a motor car. I am also an amateur musician who tours local public houses and music clubs, which requires a lot of driving at night in areas which have a high incidence of drink-driving.\n\nQuestion: Can the police make me do an American-style \"sobriety test\" (in addition to a breath test) if they randomly stop me and suspect that I have been drinking?\n\nDocument - Being stopped by the police while driving:\n## Overview\n\nThe police can stop a vehicle for any reason. If they ask you to stop, you should always pull over when it\u2019s safe to do so. You\u2019re breaking the law if you do not stop.\n\nIf you\u2019re stopped, the police can ask to see your:\n\n- driving licence\n\n- insurance certificate\n\n- MOT certificate\n\nIf you do not have these documents with you, you have 7 days to take them to a police station. You\u2019re breaking the law if you do not show the requested documents within 7 days.\n\nThe police can also give you an on-the-spot fixed penalty notice for many minor offences and make you take a breath test in certain circumstances.\n\nYou can also have your vehicle seized if you\u2019re stopped on suspicion of driving without insurance and for some other offences.\n\n## Breath tests\n\nThe police can stop you at any time and ask you to take a breath test (\u2018breathalyse\u2019 you) if:\n\n- they think you\u2019ve been drinking\n\n- you\u2019ve committed a traffic offence\n\n- you\u2019ve been involved in a road traffic accident\n\nIf you refuse to take a breath test, or fail to supply a sample of breath and do not have a \u2018reasonable excuse\u2019, you can be arrested. A reasonable excuse could be a genuine physical or mental condition stopping you from giving a sample.\n\nThe breath test gives a result straight away. If it shows you\u2019re not over the drink drive limit, you may be allowed to go.\n\nIf you fail the breath test, you\u2019ll be taken to a police station and given a final breath test. If it\u2019s positive, you will be charged.\n\nIf the officer thinks you\u2019re under the influence of alcohol or drugs, they can ask you to:\n\n- take a drug test\n\n- do a physical test (a \u2018field impairment test\u2019), for example walk in a straight line then turn around and walk back\n\nYou can be arrested if you fail the test.\n\nIf you fail a breath test you cannot drive your car until you\u2019re sober. You can ask someone else to collect your car for you.\n\n## Minor motoring offences\n\nThe police can give you a \u2018fixed penalty notice\u2019 for less serious traffic offences, including for:\n\n- careless or inconsiderate driving\n\n- using a mobile phone while driving\n\n- not wearing a seat belt\n\n- driving too close to another vehicle\n\nYou can be fined up to \u00a3200 and get penalty points on your licence if you get a fixed penalty notice - you may be disqualified from driving if you build up 12 points within 3 years.\n\nThe police can also decide to:\n\n- take no action\n\n- issue a warning\n\n- offer driver training\n\n- charge you with an offence\n\nYou can choose not to pay the fixed penalty if you believe that it was given unjustly, but you\u2019ll have to argue your case in court.\n\n## Faults with your vehicle\n\nIf your vehicle has something wrong with it, for example a broken brake light, the police may give you a \u2018vehicle defect rectification notice\u2019.\n\nYou\u2019ll need to get your vehicle fixed and provide proof that it\u2019s been fixed, for example a receipt for the work from a mechanic. You have 14 days from the date of the notice to show the proof to the police.\n\n## When the police can seize your vehicle\n\nThe police can seize a vehicle if they think it\u2019s being used in a way that causes alarm, harassment or distress, for example careless or inconsiderate driving.\n\nThey can also seize a vehicle if they think it\u2019s:\n\n- being driven by someone who does not have a proper licence or insurance\n\n- dangerously, illegally or obstructively parked\n\n- broken-down or abandoned\n\nIf your vehicle is seized there\u2019s a \u2018release fee\u2019 of up to \u00a3200 plus a storage fee of \u00a320 for every day or part day.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "answerable": true, + "scenario": "I live in Southern England and own and a drive a motor car. I am also an amateur musician who tours local public houses and music clubs, which requires a lot of driving at night in areas which have a high incidence of drink-driving.", + "original_question": "Can the police make me do an American-style \"sobriety test\" (in addition to a breath test) if they randomly stop me and suspect that I have been drinking?" + }, + { + "id": "train-1749", + "question": "Scenario: I have been practicing for my motorcycle driving test for the past month and a half. I finally feel ready and have booked my test for next week. I plan on using an Automatic motorcycle, that I have been training on.\n\nQuestion: Will I be able to drive a motorcycle with a manual transmission if I pass my test under these circumstances?\n\nDocument - Motorcycle and moped tests:\n## Booking your tests\n\nAfter you\u2019ve passed your theory test you\u2019ll also need to pass:\n\n- an off-road riding test (known as the \u2018module 1 test\u2019)\n\n- an on-road riding test (known as the \u2018module 2 test\u2019)\n\nNormally, you can book the riding tests separately or at the same time, but you must pass the module 1 test before you take the module 2 test. There\u2019s a different fee for each module.\n\n## Motorcycle and moped tests and coronavirus (COVID-19)\n\nWear a face covering at the start and end of the test (when you\u2019ll be talking to the examiner). If you cannot wear a face covering, you must tell DVSA when booking your appointment.\n\nYou can cancel your test appointment and get a refund if you cannot or do not want to attend because of COVID-19. Your instructor will need to cancel your test for you if they booked it.\n\n## What you need to do to pass the tests\n\nTo pass the riding tests you must be able to:\n\n- ride safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you ride\n\nThe national standard for riding mopeds and motorcycles tells you everything that you must be able to do to pass the tests.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your tests.\n\n## What to take to your tests\n\nYou must take:\n\n- your UK photocard driving licence\n\n- your theory test pass certificate\n\n- a moped or motorbike\n\n- your compulsory basic training (CBT) certificate - unless you\u2019re taking the test to upgrade your full motorcycle licence\n\n- your module 1 test pass certificate - if you\u2019re taking your module 2 test\n\n- a face covering, unless you have a good reason not to wear one\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Clothing\n\nYou must wear:\n\n- a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban)\n\n- motorcycle boots or other sturdy footwear that supports and protects your ankles\n\n- textile or leather motorcycle trousers or heavy denim trousers\n\n- a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath\n\n- motorcycle gloves\n\n## Wearing a face covering\n\nYou must bring and wear a face covering at the start and end of the test when you\u2019ll be talking to the examiner, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nIf you cannot wear a face covering at the start and end of the test, you or your instructor must tell DVSA when booking.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nYou should rearrange your test if you do not get the new licence in enough time. You must do this at least 3 working days before your test date or you\u2019ll have to pay again.\n\n## If you have a paper licence\n\nYou must bring a valid passport and your paper licence if you do not have a photocard driving licence.\n\n## If you have a licence from Northern Ireland\n\nYou must bring the photocard and paper counterpart if you have a licence from Northern Ireland.\n\n## If you\u2019ve lost your theory test certificate\n\nContact DVSA with your:\n\n- name\n\n- address\n\n- date of birth\n\n- driving licence number\n\nYou\u2019ll be sent a letter that you can take to your test instead of your pass certificate.\n\n## Motorcycles and mopeds you can use for the tests\n\nThe motorcycle or moped you use for your tests must:\n\n- be a solo machine - you can only use a sidecar if you have certain disabilities\n\n- have a speedometer measuring speed in miles per hour (mph)\n\n- display L plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- be insured, taxed and roadworthy and have no engine warning lights showing\n\nRead the list of A2 and A motorcycles that can be used for riding tests.\n\n## Subcategories of motorcycles and mopeds\n\nThere are 4 subcategories of mopeds and motorcycles.\n\nIn both modules of the test, you must use:\n\n- the same subcategory as the licence you\u2019re applying for\n\n- a vehicle with the same type of transmission (manual, automatic or semi-automatic)\n\n| | Moped, tricycle or quad bike | Light motorcycle | Standard motorcycle | Unrestricted motorcycle |\n\n| Licence category | AM | A1 | A2 | A |\n\n| Minimum age of rider | 16 | 17 | 19 | 24 (direct access) or 21 (progressive access) |\n\n| Engine capacity | Up to 50cc | 120 to 125cc | At least 395cc | At least 595cc |\n\n| Maximum speed | Up to 28mph | 55mph or above | - | - |\n\n| Engine power | Up to 4kW | Up to 11kW | 20 to 35kW | At least 50kW |\n\n| Motorcycle weight (without rider) | - | - | - | At least 175kg |\n\n| Power to weight ratio | - | Up to 0.1kW/kg | Up to 0.2 kW/kg | - |\n\n## Automatic and semi-automatic motorcycles\n\nIf you pass your tests on a motorcycle with automatic or semi-automatic transmission, you\u2019ll only get a licence for those types of motorcycle.\n\n## Engines with restricted power\n\nYou can restrict the engine power of a motorcycle so that it fits within subcategory A2 (20 to 35kW). You cannot restrict it below half its original power.\n\nThis means that if the unrestricted power of the motorcycle is 60kW, you cannot restrict it any lower than 30kW. A motorcycle\u2019s unrestricted power must not be more than 70kW.\n\nYou must bring proof if you\u2019ve restricted a motorcycle to subcategory A2 - if you do not your test will be cancelled.\n\nThe proof must:\n\n- be on headed paper\n\n- be from a main dealer, official importer or recognised specialist\n\n- show the motorcycle\u2019s number plate (registration number)\n\nYou cannot use a dyno test certificate as proof of the restriction.\n\n## Motorcycles with variable power modes\n\nIf you use a switchable engine control unit (ECU) or variable power device, your motorcycle cannot have:\n\n- interchangeable carburettor heads\n\n- an exhaust manifold restrictor\n\n- a hidden ECU - it must be clear what power mode the motorcycle is in\n\n## Electric motorcycles\n\nYou can use an electric motorcycle or moped if it both:\n\n- has the same engine power as the petrol version\n\n- can keep that power for at least 30 minutes\n\nThis is known as the \u2018continuous power rating\u2019 - you can check this with the manufacturer.\n\n## If you have a disability\n\nYou can use a motorcycle with a sidecar for your tests if you have certain disabilities. You cannot have a passenger in the sidecar during the tests.\n\nYour licence will only let you ride motorcycles with sidecars.\n\nYou might be able to use a different vehicle if you\u2019re disabled - contact the Driver and Vehicle Standards Agency (DVSA) before you book your test.\n\n## Module 1 off-road test: what happens\n\nYou\u2019ll take the module 1 test in an off-road motorcycle manoeuvring area.\n\nThe test normally takes about 20 minutes and includes:\n\n- wheeling the moped or motorcycle and using the stand\n\n- riding a slalom and figure of 8\n\n- a slow ride\n\n- a U-turn\n\n- cornering and a controlled stop\n\n- cornering and an emergency stop\n\n- cornering and hazard avoidance\n\nFor the hazard avoidance and emergency stop exercises you must ride at a minimum speed of:\n\n- 19 mph on a moped\n\n- 31 mph on a motorcycle\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 1 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 1 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 5 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate - you need to take this to the module 2 test\n\nIf you\u2019re upgrading your licence through \u2018progressive access\u2019, you must pass module 2 within 6 months. You have to pass module 1 again if you do not.\n\n## If you do not pass\n\nYou\u2019ll have to book another module 1 test and pay again. You have to choose a date at least 3 working days away.\n\nIf you\u2019ve already booked the module 2 test you might need to change the date, since you must pass module 1 before you can take module 2.\n\nYou\u2019ll lose your fee if you do not give 3 full days\u2019 notice to cancel your module 2 test. Sundays and public holidays do not count as working days.\n\n## Module 2 on-road test: what happens\n\nYou must pass module 1 before you can take the module 2 test.\n\nYou can book both modules at the same time, but if you do not pass module 1 you must wait 3 working days before you can retake it.\n\nThe module 2 test normally takes about 40 minutes and includes:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- road riding\n\n- independent riding\n\nYou must bring your module 1 pass certificate to the module 2 test, plus all the documents you had to bring to the module 1 test.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nYou\u2019ll fail your riding test if you fail the eyesight check.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.\n\n## Road riding\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways. You\u2019ll be asked to carry out:\n\n- normal stops\n\n- an angle start (pulling out from behind a parked vehicle)\n\n- a hill start (where possible)\n\nThe examiner will give you directions using a radio. They\u2019ll normally follow you on a motorcycle.\n\nDriving test routes are not published, so you can not check them before your test.\n\n## Independent riding\n\nYou\u2019ll have about 10 minutes of independent riding. This is designed to assess your ability to ride safely while making your own decisions.\n\nYou can ask the examiner to repeat the directions if you forget them - you will not fail the test if you go off the route. You can not use sat nav.\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 2 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 2 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 10 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nYou can start riding without L plates straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nYou have to book another module 2 test and pay again. You have to choose a date at least 10 working days away.\n\n## If your test is cancelled or there\u2019s bad weather\n\nYour riding test can be cancelled or stopped because of bad weather, problems with your vehicle, or for other reasons.\n\n## Bad weather\n\nRiding tests are not carried out in dangerous weather conditions, for example when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is in your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your vehicle\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example if you feel unwell while taking your test\n\n- your vehicle, for example if it breaks down during the test or does not meet the rules\n\n## Your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your tests you should say if you have a:\n\n- disability\n\n- learning difficulty\n\n- health condition\n\nYou\u2019ll still have to ride to the same standard to pass, but the examiner can make adjustments for your situation.\n\nIf your health condition or disability means you cannot wear a face covering to your test, you or your instructor must tell DVSA when booking.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour motorcycle instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge.\n\n## You have reading difficulties\n\nYou\u2019ll do an eyesight check at the start of the module 2 test. The examiner will ask you to read the number plate on a parked vehicle.\n\nYou can write down what you see if you have reading difficulties.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent riding part of the module 2 test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.\n\nYou might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.\n\n## You\u2019re pregnant\n\nYou can take the tests at any stage of your pregnancy. However, you must be able and willing to:\n\n- do an emergency stop\n\n- manually handle and wheel the motorcycle\n\n- do the cornering and hazard avoidance exercise", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/motorcycle-test", + "answerable": true, + "scenario": "I have been practicing for my motorcycle driving test for the past month and a half. I finally feel ready and have booked my test for next week. I plan on using an Automatic motorcycle, that I have been training on.", + "original_question": "Will I be able to drive a motorcycle with a manual transmission if I pass my test under these circumstances?" + }, + { + "id": "train-1750", + "question": "Scenario: I was scheduled to have my motorcycle driving test yesterday but a few hours before the appointed time I received a call that due to the worsening weather it will have to be rescheduled. They provided me with a new date that will not work with my schedule.\n\nQuestion: Can I change the date of my test?\n\nDocument - Motorcycle and moped tests:\n## Booking your tests\n\nAfter you\u2019ve passed your theory test you\u2019ll also need to pass:\n\n- an off-road riding test (known as the \u2018module 1 test\u2019)\n\n- an on-road riding test (known as the \u2018module 2 test\u2019)\n\nNormally, you can book the riding tests separately or at the same time, but you must pass the module 1 test before you take the module 2 test. There\u2019s a different fee for each module.\n\n## Motorcycle and moped tests and coronavirus (COVID-19)\n\nWear a face covering at the start and end of the test (when you\u2019ll be talking to the examiner). If you cannot wear a face covering, you must tell DVSA when booking your appointment.\n\nYou can cancel your test appointment and get a refund if you cannot or do not want to attend because of COVID-19. Your instructor will need to cancel your test for you if they booked it.\n\n## What you need to do to pass the tests\n\nTo pass the riding tests you must be able to:\n\n- ride safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you ride\n\nThe national standard for riding mopeds and motorcycles tells you everything that you must be able to do to pass the tests.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your tests.\n\n## What to take to your tests\n\nYou must take:\n\n- your UK photocard driving licence\n\n- your theory test pass certificate\n\n- a moped or motorbike\n\n- your compulsory basic training (CBT) certificate - unless you\u2019re taking the test to upgrade your full motorcycle licence\n\n- your module 1 test pass certificate - if you\u2019re taking your module 2 test\n\n- a face covering, unless you have a good reason not to wear one\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with someone who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Clothing\n\nYou must wear:\n\n- a motorcycle helmet that meets British safety standards (unless you\u2019re Sikh and wearing a turban)\n\n- motorcycle boots or other sturdy footwear that supports and protects your ankles\n\n- textile or leather motorcycle trousers or heavy denim trousers\n\n- a textile or leather motorcycle jacket or a heavy denim jacket with several layers underneath\n\n- motorcycle gloves\n\n## Wearing a face covering\n\nYou must bring and wear a face covering at the start and end of the test when you\u2019ll be talking to the examiner, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nIf you cannot wear a face covering at the start and end of the test, you or your instructor must tell DVSA when booking.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nYou should rearrange your test if you do not get the new licence in enough time. You must do this at least 3 working days before your test date or you\u2019ll have to pay again.\n\n## If you have a paper licence\n\nYou must bring a valid passport and your paper licence if you do not have a photocard driving licence.\n\n## If you have a licence from Northern Ireland\n\nYou must bring the photocard and paper counterpart if you have a licence from Northern Ireland.\n\n## If you\u2019ve lost your theory test certificate\n\nContact DVSA with your:\n\n- name\n\n- address\n\n- date of birth\n\n- driving licence number\n\nYou\u2019ll be sent a letter that you can take to your test instead of your pass certificate.\n\n## Motorcycles and mopeds you can use for the tests\n\nThe motorcycle or moped you use for your tests must:\n\n- be a solo machine - you can only use a sidecar if you have certain disabilities\n\n- have a speedometer measuring speed in miles per hour (mph)\n\n- display L plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- be insured, taxed and roadworthy and have no engine warning lights showing\n\nRead the list of A2 and A motorcycles that can be used for riding tests.\n\n## Subcategories of motorcycles and mopeds\n\nThere are 4 subcategories of mopeds and motorcycles.\n\nIn both modules of the test, you must use:\n\n- the same subcategory as the licence you\u2019re applying for\n\n- a vehicle with the same type of transmission (manual, automatic or semi-automatic)\n\n| | Moped, tricycle or quad bike | Light motorcycle | Standard motorcycle | Unrestricted motorcycle |\n\n| Licence category | AM | A1 | A2 | A |\n\n| Minimum age of rider | 16 | 17 | 19 | 24 (direct access) or 21 (progressive access) |\n\n| Engine capacity | Up to 50cc | 120 to 125cc | At least 395cc | At least 595cc |\n\n| Maximum speed | Up to 28mph | 55mph or above | - | - |\n\n| Engine power | Up to 4kW | Up to 11kW | 20 to 35kW | At least 50kW |\n\n| Motorcycle weight (without rider) | - | - | - | At least 175kg |\n\n| Power to weight ratio | - | Up to 0.1kW/kg | Up to 0.2 kW/kg | - |\n\n## Automatic and semi-automatic motorcycles\n\nIf you pass your tests on a motorcycle with automatic or semi-automatic transmission, you\u2019ll only get a licence for those types of motorcycle.\n\n## Engines with restricted power\n\nYou can restrict the engine power of a motorcycle so that it fits within subcategory A2 (20 to 35kW). You cannot restrict it below half its original power.\n\nThis means that if the unrestricted power of the motorcycle is 60kW, you cannot restrict it any lower than 30kW. A motorcycle\u2019s unrestricted power must not be more than 70kW.\n\nYou must bring proof if you\u2019ve restricted a motorcycle to subcategory A2 - if you do not your test will be cancelled.\n\nThe proof must:\n\n- be on headed paper\n\n- be from a main dealer, official importer or recognised specialist\n\n- show the motorcycle\u2019s number plate (registration number)\n\nYou cannot use a dyno test certificate as proof of the restriction.\n\n## Motorcycles with variable power modes\n\nIf you use a switchable engine control unit (ECU) or variable power device, your motorcycle cannot have:\n\n- interchangeable carburettor heads\n\n- an exhaust manifold restrictor\n\n- a hidden ECU - it must be clear what power mode the motorcycle is in\n\n## Electric motorcycles\n\nYou can use an electric motorcycle or moped if it both:\n\n- has the same engine power as the petrol version\n\n- can keep that power for at least 30 minutes\n\nThis is known as the \u2018continuous power rating\u2019 - you can check this with the manufacturer.\n\n## If you have a disability\n\nYou can use a motorcycle with a sidecar for your tests if you have certain disabilities. You cannot have a passenger in the sidecar during the tests.\n\nYour licence will only let you ride motorcycles with sidecars.\n\nYou might be able to use a different vehicle if you\u2019re disabled - contact the Driver and Vehicle Standards Agency (DVSA) before you book your test.\n\n## Module 1 off-road test: what happens\n\nYou\u2019ll take the module 1 test in an off-road motorcycle manoeuvring area.\n\nThe test normally takes about 20 minutes and includes:\n\n- wheeling the moped or motorcycle and using the stand\n\n- riding a slalom and figure of 8\n\n- a slow ride\n\n- a U-turn\n\n- cornering and a controlled stop\n\n- cornering and an emergency stop\n\n- cornering and hazard avoidance\n\nFor the hazard avoidance and emergency stop exercises you must ride at a minimum speed of:\n\n- 19 mph on a moped\n\n- 31 mph on a motorcycle\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 1 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 1 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 5 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate - you need to take this to the module 2 test\n\nIf you\u2019re upgrading your licence through \u2018progressive access\u2019, you must pass module 2 within 6 months. You have to pass module 1 again if you do not.\n\n## If you do not pass\n\nYou\u2019ll have to book another module 1 test and pay again. You have to choose a date at least 3 working days away.\n\nIf you\u2019ve already booked the module 2 test you might need to change the date, since you must pass module 1 before you can take module 2.\n\nYou\u2019ll lose your fee if you do not give 3 full days\u2019 notice to cancel your module 2 test. Sundays and public holidays do not count as working days.\n\n## Module 2 on-road test: what happens\n\nYou must pass module 1 before you can take the module 2 test.\n\nYou can book both modules at the same time, but if you do not pass module 1 you must wait 3 working days before you can retake it.\n\nThe module 2 test normally takes about 40 minutes and includes:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- road riding\n\n- independent riding\n\nYou must bring your module 1 pass certificate to the module 2 test, plus all the documents you had to bring to the module 1 test.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nYou\u2019ll fail your riding test if you fail the eyesight check.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions. These test that you know how to carry out basic safety checks.\n\n## Road riding\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways. You\u2019ll be asked to carry out:\n\n- normal stops\n\n- an angle start (pulling out from behind a parked vehicle)\n\n- a hill start (where possible)\n\nThe examiner will give you directions using a radio. They\u2019ll normally follow you on a motorcycle.\n\nDriving test routes are not published, so you can not check them before your test.\n\n## Independent riding\n\nYou\u2019ll have about 10 minutes of independent riding. This is designed to assess your ability to ride safely while making your own decisions.\n\nYou can ask the examiner to repeat the directions if you forget them - you will not fail the test if you go off the route. You can not use sat nav.\n\n## Your test result\n\nYou\u2019ll be told if you\u2019ve passed module 2 at the end of the test.\n\nThe examiner will make a note of:\n\n- dangerous faults - these involve actual danger to you, the examiner, the public or property\n\n- serious faults - these are potentially dangerous\n\n- riding faults - these are not potentially dangerous, but could become serious if you keep making the same mistake\n\nYou\u2019ll pass module 2 if you make:\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n- no more than 10 riding faults (sometimes called \u2018minors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nYou can start riding without L plates straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nYou have to book another module 2 test and pay again. You have to choose a date at least 10 working days away.\n\n## If your test is cancelled or there\u2019s bad weather\n\nYour riding test can be cancelled or stopped because of bad weather, problems with your vehicle, or for other reasons.\n\n## Bad weather\n\nRiding tests are not carried out in dangerous weather conditions, for example when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is in your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your vehicle\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example if you feel unwell while taking your test\n\n- your vehicle, for example if it breaks down during the test or does not meet the rules\n\n## Your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your tests you should say if you have a:\n\n- disability\n\n- learning difficulty\n\n- health condition\n\nYou\u2019ll still have to ride to the same standard to pass, but the examiner can make adjustments for your situation.\n\nIf your health condition or disability means you cannot wear a face covering to your test, you or your instructor must tell DVSA when booking.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour motorcycle instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge.\n\n## You have reading difficulties\n\nYou\u2019ll do an eyesight check at the start of the module 2 test. The examiner will ask you to read the number plate on a parked vehicle.\n\nYou can write down what you see if you have reading difficulties.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent riding part of the module 2 test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of verbal directions.\n\nYou might be able to choose to follow a set of directions using a diagram. You\u2019ll normally be asked to follow up to 3 directions at a time, but the examiner can reduce this to 2 at a time.\n\n## You\u2019re pregnant\n\nYou can take the tests at any stage of your pregnancy. However, you must be able and willing to:\n\n- do an emergency stop\n\n- manually handle and wheel the motorcycle\n\n- do the cornering and hazard avoidance exercise", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/motorcycle-test", + "answerable": true, + "scenario": "I was scheduled to have my motorcycle driving test yesterday but a few hours before the appointed time I received a call that due to the worsening weather it will have to be rescheduled. They provided me with a new date that will not work with my schedule.", + "original_question": "Can I change the date of my test?" + }, + { + "id": "train-1751", + "question": "Scenario: I was finally eligible to receive a Tachograph workshop smart card last year. Since the end of March is approaching I can see that it is about to expire soon.\n\nQuestion: Do I need to take any steps to renew my Tachograph workshop smart card?\n\nDocument - Setting up an Approved Tachograph Centre (ATC):\n## How to apply\n\nIf you want to set up an Approved Tachograph Centre (ATC), you will need to read the ATC manual and fill in form GV207.\n\nSend your application to the address on the form.\n\nYou can also contact the Driver and Vehicle Standards Agency (DVSA) for the form and manual.\n\n## Costs and equipment\n\nIt costs:\n\n- \u00a3361 to register as an Approved Tachograph Centre (ATC)\n\n- \u00a3148 to renew your registration each year\n\nYou can register to work on analogue tachographs, digital tachographs, or both.\n\n## Equipment\n\nThe ATC manual tells you what equipment you\u2019ll need to buy.\n\n## Who can work for you\n\nYou can only employ \u2018nominated technicians\u2019 to carry out work at an Approved Tachograph Centre (ATC). They must be skilled technicians with experience working on tachographs.\n\nIf they need to road test vehicles, they must also have a driving licence for the relevant categories of vehicles they\u2019re testing.\n\nThey\u2019ll also need to hold a \u2018certificate of competence\u2019 for each class of tachograph (digital, analogue or both) that they want to work on.\n\nThey\u2019ll get this only after they\u2019ve successfully completed a DVSA-approved training course. You\u2019ll find details in the ATC manual.\n\n## Tachograph workshop smart cards\n\nA tachograph workshop card is used to calibrate digital tachographs. To be eligible for a workshop card, you must:\n\n- be a nominated technician working at an Approved Tachograph Centre (ATC) with digital status\n\n- hold a digital training certificate\n\nTachograph workshop cards are issued free of charge. They are automatically renewed every year on 31 March.\n\nThe cards are issued to a nominated technician, not to a centre - this means that only the individual who has the card can use it.\n\nIf you\u2019re the nominated technician and you work at 2 workshops, you\u2019ll need a card for each workshop.\n\n## How to apply\n\nPrint off and fill in form D778B and send it to DVSA, with a copy of an up-to-date analogue and digital training certificate.\n\nOnce DVSA has checked and approved your application it will be forwarded to the Driver and Vehicle Licensing Agency (DVLA), who will issue your card to the ATC where you work.\n\nYou\u2019ll need a PIN code to use a workshop card. This will be sent to your home address, and must only be used by you.\n\nIf you enter the wrong PIN code 5 times in a row it will lock the card and you\u2019ll need to apply for a new card using form D778B. You\u2019ll also be issued with a new PIN code\n\nRead \u2018How to fill in your application for a digital tachograph workshop card (D778B)\u2019 before you fill in the form.\n\nFor more help, contact the DVSA helpline.\n\n## Working with tachograph workshop cards\n\nWorkshop cards can hold:\n\n- details of 88 calibrations\n\n- a small amount of events and faults data\n\nA workshop card must not be used instead of a company card. If you have a card used by your calibration centre, this must only be used in accordance with the tachograph centre\u2019s duties and not as a substitute company card.\n\nAll insertions of a card are recorded on the vehicle unit and the card.\n\n## Renewal of workshop cards\n\nDVLA sends a renewal list to DVSA 2 months before a card\u2019s expiry. This is then checked and returned to DVLA with details of technicians whose cards can be renewed.\n\nYou must report any lost or stolen cards to DVSA and the police immediately.\n\nIf your card is lost or stolen, you can apply for a replacement by printing off and filling in form D778B to DVSA. You\u2019ll need to provide a police incident reference number for stolen cards.\n\n## If your card stops working\n\nTry using the card in a different vehicle unit. If it still does not work, print off and fill in form D778B and sent it with the faulty card to DVSA to get a new card.\n\nAny misuse of workshop cards may lead to the withdrawal of your nominated technician and tachograph centre\u2019s approval.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/setting-up-an-approved-tachograph-centre", + "answerable": true, + "scenario": "I was finally eligible to receive a Tachograph workshop smart card last year. Since the end of March is approaching I can see that it is about to expire soon.", + "original_question": "Do I need to take any steps to renew my Tachograph workshop smart card?" + }, + { + "id": "train-1754", + "question": "Scenario: I recently got hired as an apprentice as a mechanic shop. I thought I had landed myself a sweet gig, earning some money whilst doing something I have a lot of passion for. It was either this or a waiter position at a local restaurant. I chose to earn a bit less money but enjoy my time more. The monetary compensation is still quite important to me however, since I want to buy myself a car before I start college, after my gap year. I fell sick last week and my employer says that I will not receive sick pay despite the fact that I have shown all necessary proof.\n\nQuestion: Do I have the right to sick pay as an apprentice?\n\nDocument - Employing an apprentice:\n## Overview\n\nApprentices are aged 16 or over and combine working with studying to gain skills and knowledge in a specific job.\n\nApprentices can be new or current employees.\n\nYou must pay the apprentice at least the minimum wage.\n\nYour apprentice must:\n\n- work with experienced staff\n\n- learn job-specific skills\n\n- get time for training or study during their working week (at least 20% of their normal working hours)\n\n## Hiring your apprentice\n\nThere are several steps to taking on an apprentice.\n\n- Choose an apprenticeship for your business or organisation.\n\n- Find an organisation that offers training for the apprenticeship you\u2019ve chosen.\n\n- Check what funding is available for training and other costs to your organisation.\n\n- Advertise your apprenticeship - you or your training provider can do this through the recruit an apprentice service.\n\n- Select your apprentice and make an apprenticeship agreement and commitment statement with them.\n\nIf you do not want to hire and train the apprentice yourself, you can use an apprenticeship training agency. The apprentice will be employed by the agency but will work in your organisation.\n\n## How long it lasts\n\nApprenticeships must last for at least a year. They can last up to 5 years depending on the level the apprentice is studying.\n\n## Get help\n\nFill in the enquiry form or contact the National Apprenticeship Service for more information.\n\nYou can get more information or use the webchat service on the apprenticeship service employer support site.\n\n## Scotland, Wales and Northern Ireland\n\nContact your apprenticeship authority if you\u2019re an employer in:\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\n## Get funding\n\nYou can get help from the government:\n\n- to pay for apprenticeship training and assessment\n\n- as an incentive payment for other costs\n\n## Help to pay for apprenticeship training and assessment\n\nThe amount you get depends on whether you pay the apprenticeship levy or not. You pay the levy if you\u2019re an employer with a pay bill over \u00a33 million each year.\n\n## If you do not need to pay the levy\n\nYou pay 5% towards the cost of training and assessing your apprentice. You need to:\n\n- agree a payment schedule with the training provider\n\n- pay them directly for the training\n\nThe government will pay the rest (95%) up to the funding band maximum. They\u2019ll pay it directly to the training provider.\n\nYou could be eligible for extra funding depending on both your and your apprentice\u2019s circumstances.\n\nYou contribute 10% towards the cost of training and assessing your apprentice and the government pays the rest (90%) if your apprentice started before 1 April 2019. This rate continues until your apprentice completes their training.\n\n## If you pay the levy\n\nYou\u2019ll receive funds to spend on training and assessing your apprentices. The government will add 10%.\n\nHow you get your funds and pay for training depends on whether you\u2019re in:\n\n- England\n\n- Scotland\n\n- Wales\n\n- Northern Ireland\n\n## Help to pay for other costs\n\nYou can claim for an incentive payment for new apprentices who join your organisation.\n\nYou can claim \u00a33,000 for apprentices who start between 1 April 2021 and 30 September 2021.\n\nThe closing date for applications is 30 November 2021.\n\nFind out if you are eligible, what you can use the payment for and how to apply.\n\n## Register for a digital service account\n\nRegister for an apprenticeship service account to access funds or pay for training. You\u2019ll be able to apply for the incentive payment after you add new apprentices to your account.\n\nIf you pay the apprenticeship levy and use an apprenticeship training agency, you cannot use funds from your digital account to pay for the training agency\u2019s services.\n\n## Get help\n\nFill in the enquiry form or contact the National Apprenticeship Service for more information.\n\nYou can get more information or use the webchat service on the apprenticeship service employer support site.\n\n## Pay and conditions for apprentices\n\nYou are responsible for:\n\n- giving your apprentice their contract of employment\n\n- paying your apprentice\u2019s wage\n\n- signing an apprenticeship agreement\n\n## Pay for apprentices\n\nYou must pay apprentices at least the National Minimum Wage.\n\nThere\u2019s different rates of pay for apprentices depending on their age and what year of their apprenticeship they\u2019ve completed.\n\nThe contract of employment should make it clear what wage you\u2019ll pay your apprentice and for what hours.\n\n## Aged 16 to 18\n\nThe current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.\n\n## Aged 19 or over and in their first year\n\nThe current National Minimum Wage rate for an apprentice is \u00a34.30 per hour.\n\n## Aged 19 or over and have completed their first year\n\nApprentices will be entitled to the National Minimum Wage or National Living Wage rate for their age.\n\nUse the National Minimum Wage and Living Wage calculator to check if you\u2019re paying your apprentices correctly.\n\n## Conditions\n\nApprentices must work towards an approved apprenticeship. Their training must last at least 12 months.\n\nThey must be employed in a real job that gives them the opportunity to gain the knowledge and skills they need to pass their assessment.\n\n## Training and study\n\nYou must pay your apprentice for time spent training or studying for their apprenticeship.\n\nApprentices must spend at least 20% of their normal working hours training.\n\nThe training might take place:\n\n- at their place of work\n\n- somewhere else (for example, a college or training provider)\n\n- online\n\nIf your apprentice is also studying for English or maths qualifications required by their apprenticeship, they are entitled to paid study time during their normal working hours.\n\n## Employee rights\n\nYou must offer apprentices the same conditions as other employees working at similar grades or in similar roles. This includes:\n\n- paid holidays\n\n- sick pay\n\n- any benefits you offer such as childcare voucher schemes\n\n- any support you offer such as coaching or mentoring\n\n## Apprentices and redundancy\n\nApprentices have the same employment rights as your other employees. Follow the process for making staff redundant if you have to make an apprentice redundant.\n\nGet legal advice if you want to end the apprenticeship early for another reason.\n\n## Support for apprentices\n\nYour apprentice can get support if they\u2019re being made redundant or are at risk of redundancy.\n\nThey can get:\n\n- financial and legal advice\n\n- support for their health and wellbeing\n\n- help finding another apprenticeship\n\n## Make an apprenticeship agreement\n\nYou must sign an apprenticeship agreement with your apprentice.\n\nThis gives details of:\n\n- the skill, trade or occupation the apprentice is being trained for\n\n- the name of the apprenticeship they\u2019re working towards\n\n- the start and end dates for the apprenticeship\n\n- the amount of training you\u2019ll give them\n\nYou can write your own apprentice agreement or download an apprenticeship agreement template.\n\n## Commitment statement\n\nYou must sign a commitment statement with your apprentice and the training provider.\n\nYou can write your own commitment statement or use the ESFA apprenticeship commitment statement template.\n\nIt must include:\n\n- the planned content and schedule for training\n\n- what is expected and offered by the employer, the training provider and the apprentice\n\n- how to resolve queries or complaints", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employing-an-apprentice", + "answerable": true, + "scenario": "I recently got hired as an apprentice as a mechanic shop. I thought I had landed myself a sweet gig, earning some money whilst doing something I have a lot of passion for. It was either this or a waiter position at a local restaurant. I chose to earn a bit less money but enjoy my time more. The monetary compensation is still quite important to me however, since I want to buy myself a car before I start college, after my gap year. I fell sick last week and my employer says that I will not receive sick pay despite the fact that I have shown all necessary proof.", + "original_question": "Do I have the right to sick pay as an apprentice?" + }, + { + "id": "train-1755", + "question": "Scenario: I have always been passionate about motorcycles and have personally been driving mine for over 8 years now. A friend of mine recently pointed out the DVSA enhanced rider scheme trainer program which got me intrigued immediately. I have already began the application process and am doing as much research as possible on everything I might need.\n\nQuestion: Is the theory test portion just a multiple-choice quiz?\n\nDocument - DVSA enhanced rider scheme trainer:\n## Overview\n\nYou can become a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer if you want to train fully qualified motorcyclists in the DVSA enhanced rider scheme.\n\nThis is the new name for the register of post-test motorcycle trainers (RPMT).\n\nThe scheme provides training for people who:\n\n- have recently passed their motorcycle test\n\n- are upgrading to a bigger bike\n\n- are returning to riding after a break\n\n- want to improve their skills to be a better, safer rider\n\nWhen you qualify, your details will be given to motorcyclists looking for training.\n\n## Who can become a trainer\n\nTo become a DVSA enhanced rider scheme trainer you must:\n\n- be 21 or older\n\n- have had a full category A or A2 motorcycle licence for at least 3 years\n\n## Trainer test and registration fees\n\n| Fee type | Price |\n\n| Theory test | \u00a366 |\n\n| Registration and renewal fee (1 year) | \u00a390 |\n\n| Registration and renewal fee (4 years) | \u00a3240 |\n\n## Ways to become a trainer\n\n- Apply to become a DVSA enhanced rider scheme trainer.\n\n- Get an advanced riding qualification if you do not already have one.\n\n- Pass a theory test.\n\n- If you\u2019re not a direct access scheme (DAS) certified instructor, you also need to take a training course accredited by DVSA.\n\nYou must complete the training course within 2 years of passing the theory test, or you\u2019ll have to start the process again.\n\n## Advanced riding qualifications\n\nThe advanced riding qualifications that are accepted are:\n\n- BMF Blue Riband rider award (gold or silver grade)\n\n- DVSA special test (gold or silver grade)\n\n- IAM Advanced Rider Course\n\n- RoSPA advanced riding test (gold or silver grade)\n\n- Diamond advanced motorcycle test or Diamond elite motorcycle test (if taken after 1 January 2017)\n\n## Taking the theory test\n\nYou can book your instructor theory test when the Driver and Vehicle Standards Agency (DVSA) has accepted your application to join the register.\n\nThere are 2 parts to the test - multiple-choice questions and hazard perception. You have to pass both parts.\n\nYou have 3 attempts to pass the test. If you fail the third attempt, you have to wait 12 months before you can take it again.\n\n## Documents to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right documents with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## Multiple-choice questions\n\nYou have 1 hour and 30 minutes to answer 100 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions\n\n## How the questions work\n\nThere are 25 questions in each of these 4 categories:\n\n- rider practices and procedures, road and traffic signs, and motorway riding\n\n- rider responsibilities, rider attitude, riders and the law, and environmental issues\n\n- motorcycle and rider safety, motorcycle dynamics and handling, and dealing with incidents\n\n- development and training, instructional and coaching techniques, and hazard perception\n\nTo pass the multiple-choice part, you must get both:\n\n- an overall score of at least 85 out of 100\n\n- at least 20 out of 25 in each of the 4 categories of questions\n\n## Hazard perception\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips featuring everyday road scenes. These will contain at least one \u2018developing hazard\u2019.\n\nYou can score up to 5 points for each developing hazard. You need to score at least 57 points out of 75 to pass this part.\n\n## Managing your registration\n\nYou must carry your Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer certificate with you whenever you are giving training.\n\n## Renewing your registration\n\nYour registration lasts for either 1 year or 4 years. The registration and renewal fee is:\n\n- \u00a390 for 1 year\n\n- \u00a3240 for 4 years\n\nYou should apply to renew your registration at least 2 weeks before your current registration runs out.\n\nYou\u2019re responsible for remembering when to renew your registration.\n\nTo renew, download the application form and send it to DVSA.\n\n## If your registration expired in the last 12 months\n\nYou can re-register using the same form. You will not have to go through the qualifying process again.\n\n## Standards checks and monitoring\n\nYou must take a standards check to make sure you can continue to be a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer. DVSA will contact you to arrange this.\n\nA DVSA examiner will watch you train a pupil to assess your training skills.\n\nHow you\u2019re checked depends on whether you\u2019re a direct access scheme (DAS) certified instructor.\n\n## If you\u2019re a DAS instructor\n\nYour standards check will be based on a DVSA enhanced rider scheme lesson.\n\nYou must score 43 or more out of 51 to continue being an enhanced rider scheme trainer.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer.\n\n## If you cannot carry out a lesson because there\u2019s no pupil available\n\nThe DVSA examiner will carry out a motorcycle trainer standards check while you provide compulsory basic training (CBT). You need to score 43 or above to pass.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer, and will need to restart the qualification process. You can also be removed from the CBT instructor register.\n\n## If you\u2019re not a DAS instructor\n\nYou must take a standards check within the first year of qualifying as a DVSA enhanced rider scheme trainer. DVSA will contact you to arrange this.\n\nYour standards check will be based on a DVSA enhanced rider scheme lesson.\n\nYou must score 43 or more out of 51 to pass.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as a trainer.\n\nIf this happens and you want to continue as a trainer, you\u2019ll need to:\n\n- have an up to date recognised advanced rider qualification\n\n- pass another theory test\n\n- take additional training at an approved enhanced rider scheme trainer centre and provide proof of the development you\u2019ve taken\n\n## Documents to record training\n\nThe Driver and Vehicle Standards Agency (DVSA) will email you the following documents when you first qualify:\n\n- DVSA enhanced rider scheme syllabus and list of modules\n\n- rider\u2019s log book\n\n- details of how to issue the DVSA certificate of competence\n\nUse these to provide and record training, and to issue certificates to riders who complete the DVSA enhanced rider scheme.\n\nYou\u2019ll also be sent leaflets and posters you can use to advertise the DVSA enhanced rider scheme.\n\n## If you lose your documents\n\nContact DVSA to get the documents sent again.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "answerable": true, + "scenario": "I have always been passionate about motorcycles and have personally been driving mine for over 8 years now. A friend of mine recently pointed out the DVSA enhanced rider scheme trainer program which got me intrigued immediately. I have already began the application process and am doing as much research as possible on everything I might need.", + "original_question": "Is the theory test portion just a multiple-choice quiz?" + }, + { + "id": "train-1756", + "question": "Scenario: This is my first year working as an enhanced rider trainer. I recently remembered that I will be subjected to a standards check in the next few months. The problem is my personal life has been a mess which has impacted both the amount of work I am capable of doing as well as its quality.\n\nQuestion: Is there a chance that I can continue as a trainer if I fail the standards check twice?\n\nDocument - DVSA enhanced rider scheme trainer:\n## Overview\n\nYou can become a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer if you want to train fully qualified motorcyclists in the DVSA enhanced rider scheme.\n\nThis is the new name for the register of post-test motorcycle trainers (RPMT).\n\nThe scheme provides training for people who:\n\n- have recently passed their motorcycle test\n\n- are upgrading to a bigger bike\n\n- are returning to riding after a break\n\n- want to improve their skills to be a better, safer rider\n\nWhen you qualify, your details will be given to motorcyclists looking for training.\n\n## Who can become a trainer\n\nTo become a DVSA enhanced rider scheme trainer you must:\n\n- be 21 or older\n\n- have had a full category A or A2 motorcycle licence for at least 3 years\n\n## Trainer test and registration fees\n\n| Fee type | Price |\n\n| Theory test | \u00a366 |\n\n| Registration and renewal fee (1 year) | \u00a390 |\n\n| Registration and renewal fee (4 years) | \u00a3240 |\n\n## Ways to become a trainer\n\n- Apply to become a DVSA enhanced rider scheme trainer.\n\n- Get an advanced riding qualification if you do not already have one.\n\n- Pass a theory test.\n\n- If you\u2019re not a direct access scheme (DAS) certified instructor, you also need to take a training course accredited by DVSA.\n\nYou must complete the training course within 2 years of passing the theory test, or you\u2019ll have to start the process again.\n\n## Advanced riding qualifications\n\nThe advanced riding qualifications that are accepted are:\n\n- BMF Blue Riband rider award (gold or silver grade)\n\n- DVSA special test (gold or silver grade)\n\n- IAM Advanced Rider Course\n\n- RoSPA advanced riding test (gold or silver grade)\n\n- Diamond advanced motorcycle test or Diamond elite motorcycle test (if taken after 1 January 2017)\n\n## Taking the theory test\n\nYou can book your instructor theory test when the Driver and Vehicle Standards Agency (DVSA) has accepted your application to join the register.\n\nThere are 2 parts to the test - multiple-choice questions and hazard perception. You have to pass both parts.\n\nYou have 3 attempts to pass the test. If you fail the third attempt, you have to wait 12 months before you can take it again.\n\n## Documents to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right documents with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## Multiple-choice questions\n\nYou have 1 hour and 30 minutes to answer 100 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions\n\n## How the questions work\n\nThere are 25 questions in each of these 4 categories:\n\n- rider practices and procedures, road and traffic signs, and motorway riding\n\n- rider responsibilities, rider attitude, riders and the law, and environmental issues\n\n- motorcycle and rider safety, motorcycle dynamics and handling, and dealing with incidents\n\n- development and training, instructional and coaching techniques, and hazard perception\n\nTo pass the multiple-choice part, you must get both:\n\n- an overall score of at least 85 out of 100\n\n- at least 20 out of 25 in each of the 4 categories of questions\n\n## Hazard perception\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips featuring everyday road scenes. These will contain at least one \u2018developing hazard\u2019.\n\nYou can score up to 5 points for each developing hazard. You need to score at least 57 points out of 75 to pass this part.\n\n## Managing your registration\n\nYou must carry your Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer certificate with you whenever you are giving training.\n\n## Renewing your registration\n\nYour registration lasts for either 1 year or 4 years. The registration and renewal fee is:\n\n- \u00a390 for 1 year\n\n- \u00a3240 for 4 years\n\nYou should apply to renew your registration at least 2 weeks before your current registration runs out.\n\nYou\u2019re responsible for remembering when to renew your registration.\n\nTo renew, download the application form and send it to DVSA.\n\n## If your registration expired in the last 12 months\n\nYou can re-register using the same form. You will not have to go through the qualifying process again.\n\n## Standards checks and monitoring\n\nYou must take a standards check to make sure you can continue to be a Driver and Vehicle Standards Agency (DVSA) enhanced rider scheme trainer. DVSA will contact you to arrange this.\n\nA DVSA examiner will watch you train a pupil to assess your training skills.\n\nHow you\u2019re checked depends on whether you\u2019re a direct access scheme (DAS) certified instructor.\n\n## If you\u2019re a DAS instructor\n\nYour standards check will be based on a DVSA enhanced rider scheme lesson.\n\nYou must score 43 or more out of 51 to continue being an enhanced rider scheme trainer.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer.\n\n## If you cannot carry out a lesson because there\u2019s no pupil available\n\nThe DVSA examiner will carry out a motorcycle trainer standards check while you provide compulsory basic training (CBT). You need to score 43 or above to pass.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as an enhanced rider scheme trainer, and will need to restart the qualification process. You can also be removed from the CBT instructor register.\n\n## If you\u2019re not a DAS instructor\n\nYou must take a standards check within the first year of qualifying as a DVSA enhanced rider scheme trainer. DVSA will contact you to arrange this.\n\nYour standards check will be based on a DVSA enhanced rider scheme lesson.\n\nYou must score 43 or more out of 51 to pass.\n\nIf you do not pass, you\u2019ll need to take another standards check. If you fail a second time, you will not be allowed to continue as a trainer.\n\nIf this happens and you want to continue as a trainer, you\u2019ll need to:\n\n- have an up to date recognised advanced rider qualification\n\n- pass another theory test\n\n- take additional training at an approved enhanced rider scheme trainer centre and provide proof of the development you\u2019ve taken\n\n## Documents to record training\n\nThe Driver and Vehicle Standards Agency (DVSA) will email you the following documents when you first qualify:\n\n- DVSA enhanced rider scheme syllabus and list of modules\n\n- rider\u2019s log book\n\n- details of how to issue the DVSA certificate of competence\n\nUse these to provide and record training, and to issue certificates to riders who complete the DVSA enhanced rider scheme.\n\nYou\u2019ll also be sent leaflets and posters you can use to advertise the DVSA enhanced rider scheme.\n\n## If you lose your documents\n\nContact DVSA to get the documents sent again.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/dvsa-enhanced-rider-scheme-trainer", + "answerable": true, + "scenario": "This is my first year working as an enhanced rider trainer. I recently remembered that I will be subjected to a standards check in the next few months. The problem is my personal life has been a mess which has impacted both the amount of work I am capable of doing as well as its quality.", + "original_question": "Is there a chance that I can continue as a trainer if I fail the standards check twice?" + }, + { + "id": "train-1757", + "question": "Scenario: I recently turned 19 and will be continuing on the last year of my software engineering course. I started the course 2 years ago after a friend's work in the field inspired me to follow in his footsteps.\n\nQuestion: Am I eligible for the 16 to 19 Bursary under these conditions?\n\nDocument - 16 to 19 Bursary Fund:\n## Overview\n\nYou could get a bursary to help with education-related costs if you\u2019re aged 16 to 19 and:\n\n- studying at a publicly funded school or college in England - not a university\n\n- on a training course, including unpaid work experience\n\nA publicly funded school is one that does not charge you for attending it.\n\nThere\u2019s a different scheme in Wales, Scotland and Northern Ireland.\n\n## If you\u2019re 19 and over\n\nYou could also get a bursary if you either:\n\n- are continuing on a course you started aged 16 to 18 (known as being a \u201919+ continuer\u2019)\n\n- have an Education, Health and Care Plan (EHCP)\n\n## What a bursary is for\n\nA bursary is money that you, or your education or training provider, can use to pay for things like:\n\n- clothing, books and other equipment for your course\n\n- transport and lunch on days you study or train\n\n## What you'll get\n\nThere are 2 types of 16 to 19 bursary:\n\n- a bursary for students in vulnerable groups\n\n- a discretionary bursary\n\n## Bursary for students in vulnerable groups\n\nYou could get a bursary worth up to \u00a31,200, depending on your circumstances and benefits.\n\n## Discretionary bursary\n\nYou could get a discretionary bursary if you need financial help but do not qualify for a bursary for students in vulnerable groups. Your education or training provider decides how much you get and what it\u2019s used for.\n\nIf you\u2019re over 19, you\u2019ll only be eligible for a discretionary bursary.\n\nYour provider will decide how you get your bursary. You might get:\n\n- an instalment paid by cash, cheque or bank transfer\n\n- things like a travel pass, free meals or books\n\nSome providers also offer one-off payments to cover study trips or travel for university interviews.\n\nYour provider could stop payments if you break their rules, for example about attendance or how your bursary is used.\n\n## Eligibility\n\nYou must:\n\n- be at least 16 and under 19 on 31 August 2021\n\n- study at a publicly funded school or college, or be on an unpaid training course\n\n- meet the residency requirements - your school or college can check this\n\n## Bursary for students in vulnerable groups\n\nYou may be able to get a bursary if at least one of the following applies:\n\n- you\u2019re in or you recently left local authority care\n\n- you get Income Support or Universal Credit because you\u2019re financially supporting yourself\n\n- you get Disability Living Allowance (DLA) in your name and either Employment and Support Allowance (ESA) or Universal Credit\n\n- you get Personal Independence Payment (PIP) in your name and either ESA or Universal Credit\n\nThe amount you may get depends on the costs you have and what you need for your course. This might include money for books, equipment or travel costs to school or college.\n\n## Discretionary bursary\n\nYour school or college will have their own criteria for discretionary bursaries. They\u2019ll look at your individual circumstances - this usually includes your family income.\n\nAsk student services about their criteria and any evidence you\u2019ll need.\n\nYou can apply to a discretionary bursary if you\u2019re over 19 and either:\n\n- continuing on a course you started aged 16 to 18 (known as being a \u201819+ continuer\u2019)\n\n- have an Education, Health and Care Plan (EHCP)\n\n## How to claim\n\nApply to your school, college or training provider. Ask student services or your tutor to explain what you need to do.\n\n## When to apply\n\nApply once you know where you\u2019ll study or train, so you\u2019ll get your bursary as soon as possible.\n\nYou might need to reapply for a bursary for each year of your course. Check with your provider.\n\n## Help\n\nYour tutor or student services can help you decide if you\u2019re eligible for a bursary and explain how to apply.\n\nContact the Education and Skills Funding Agency (ESFA) if your tutor or student services cannot answer your question.\n\n## You think a decision is unfair\n\nSpeak to student services if you\u2019re unhappy with a decision. Follow their complaints process if you cannot resolve the problem.\n\n## Emergencies and hardship\n\nYou might be able to get more support if your circumstances change or you have an emergency. Your provider might also have a separate hardship fund. Speak to student services if you need extra help.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/1619-bursary-fund", + "answerable": true, + "scenario": "I recently turned 19 and will be continuing on the last year of my software engineering course. I started the course 2 years ago after a friend's work in the field inspired me to follow in his footsteps.", + "original_question": "Am I eligible for the 16 to 19 Bursary under these conditions?" + }, + { + "id": "train-1759", + "question": "Scenario: I recently moved to the UK from Germany with my wife. We have not bought a car yet but are thinking of doing so. We decided to look into how our existing driving licenses might speed up the process of getting permission to drive in the UK.\n\nQuestion: Can we use our existing licenses to take the driving test?\n\nDocument - Driving disqualifications:\n## Overview\n\nYou can be banned (disqualified) from driving if you are either:\n\n- convicted of a driving offence\n\n- get 12 or more penalty points (endorsements) within 3 years\n\nYou\u2019ll get a summons in the post that tells you when you must go to court.\n\nSome disqualification rules are different in Northern Ireland.\n\n## How long a driving ban will last\n\nThe court will decide how long the disqualification will last, based on how serious they think the offence is.\n\nYou can be banned from driving if you already have 12 or more penalty points on your licence. Your ban can last:\n\n- 6 months, if you get 12 or more penalty points within 3 years\n\n- 12 months, if you get a second disqualification within 3 years\n\n- 2 years, if you get a third disqualification within 3 years\n\n## Disqualified for 56 days or more\n\nIf you\u2019re disqualified for 56 days or more you must apply for a new licence before driving again.\n\nYou might also have to retake your driving test or take an extended driving test before getting your full licence. The court will tell you if you have to do this.\n\n## Disqualified for less than 56 days\n\nView your driving licence record online to check the disqualification. You cannot drive until it has ended.\n\nYou do not need to apply for a new licence before you can drive again.\n\n## Disqualification outside Great Britain\n\nYou cannot drive in Northern Ireland and the Isle of Man if you\u2019ve been banned from driving on your Great Britain driving licence.\n\nThis is called \u2018mutual recognition of disqualification\u2019. Disqualified drivers from Northern Ireland and the Isle of Man are also banned from driving in Great Britain.\n\n## Check when your disqualification ends\n\nYou can find the date your driving ban ends:\n\n- online\n\n- on the reminder form D27 that DVLA sends you 56 days before your disqualification ends\n\n- on the D27PH letter issued 90 days before certain drink-related disqualifications end\n\n- by contacting DVLA (if you\u2019re in Northern Ireland, contact DVA)\n\n## Apply to reduce your disqualification period\n\nYou can ask the court to reduce your disqualification period after you\u2019ve been banned from driving for:\n\n- 2 years - if the disqualification was for fewer than 4 years\n\n- half the disqualification period - if it was for at least 4 but under 10 years\n\n- 5 years - if the disqualification was for 10 years or more\n\nYou must have a good reason for asking for the disqualification to be reduced. For example, if you think the court made a legal mistake or there were reasons you committed the driving offence that the court did not take into account.\n\nWrite to the court that disqualified you with the date of offence, date of conviction and any other supporting information.\n\nThe court will tell DVLA if it decides to reduce your disqualification period. If it does, you\u2019ll need to apply for a new licence.\n\nIf the court refuses your request you have to wait 3 months before you can ask again.\n\n## If your disqualification is reduced\n\n## Car or motorbike licences\n\nApply for a new licence by sending DVLA a completed form D1 \u2018Application for a driving licence\u2019, available from the DVLA form ordering service or most Post Offices. You must pay a fee.\n\n## Lorry or bus licences\n\nApply for a new licence by sending DVLA a completed form D2 \u2018Application for a lorry/bus licence\u2019, available from the DVLA form ordering service. You must pay a fee.\n\n## Northern Ireland\n\nApply to the DVA to renew your licence.\n\n## If you need to retake your test\n\nIf the court told you that you must take another driving test before driving again, you\u2019ll have to apply for a new provisional licence.\n\nYou can drive as soon as your ban is over and you\u2019ve passed the tests you need to take.\n\n## How to get a new licence\n\n- DVLA will send you a reminder 56 days before your disqualification ends - use this to apply for a new provisional driving licence. If you did not get a reminder, order an application form instead. Order form D1 for a car and motorbike licence or form D2 for a lorry and bus licence.\n\n- Book and take a theory and practical test (or compulsory basic training and motorcycle practical test if you ride a motorcycle). Book and take an extended practical test if the court told you to take one. The extended practical test lasts at least 60 minutes and has higher fees.\n\n- When you\u2019ve passed the practical test, ask the examiner to arrange for your new licence to be sent to you - you can legally drive as soon as you\u2019ve passed the practical test.\n\nIf you want to drive a large vehicle (category C) or a bus (category D) the local traffic commissioner must agree - DVLA will ask them when you apply for your new full licence.\n\nThere\u2019s a different process in Northern Ireland.\n\n## If you\u2019ve got a licence from an EU country\n\nDo not apply for a provisional licence - you can use your EU driving licence to take the test instead.\n\nFollow the usual rules for learning to drive until you retake your test and pass.\n\n## Changes to your name and address while disqualified\n\nTell DVLA if you change your name or address while disqualified.\n\nWrite with details of your old and new address, name if changed, your driving licence number (if known) and date of birth.\n\nThere\u2019s a different process in Northern Ireland.\n\n## Disqualification for drink-driving\n\nYou can be disqualified if you\u2019re found guilty of drink-driving. Depending on your offence, you can also be fined or sent to prison.\n\nYou\u2019ll need to apply for a new licence after your disqualification ends.\n\nIf you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.\n\n## High risk offenders\n\nIf you\u2019re a \u2018high risk offender\u2019, you will not get your new licence until you can prove you\u2019re fit to drive again. You\u2019ll need to pass a medical examination with one of DVLA\u2019s appointed doctors.\n\nYou\u2019re a high risk offender if you:\n\n- were convicted of 2 drink driving offences within 10 years\n\n- were driving with an alcohol reading of at least 87.5 microgrammes of alcohol per 100 millilitres (ml) of breath, 200 milligrammes (mg) of alcohol per 100 ml of blood, or 267.5 mg of alcohol per 100 ml of urine\n\n- refused to give the police a sample of breath, blood or urine to test for alcohol\n\n- refused to allow a sample of your blood to be tested for alcohol (for example if it was taken when you were unconscious)\n\nYou\u2019ll get a D27PH renewal form 90 days before your disqualification ends. You must fill in the form and send it to DVLA to reapply for your licence.\n\n## Medical examination with a DVLA doctor\n\nOnce DVLA receive your application for a new licence, they\u2019ll send you the doctors details so you can make an appointment.\n\nYou have to pay for your examination.\n\nDuring the examination, you\u2019ll:\n\n- complete a questionnaire about your medical history and use of alcohol\n\n- take part in a physical examination\n\n- have your blood tested\n\nThe process is different in Northern Ireland.\n\n## Disqualification for drug driving\n\nYou can be disqualified from driving for at least 1 year if you\u2019re found guilty of drug driving. Depending on your offence, you can also be fined or sent to prison.\n\nYou must apply for a new licence before you can drive again.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-disqualifications", + "answerable": true, + "scenario": "I recently moved to the UK from Germany with my wife. We have not bought a car yet but are thinking of doing so. We decided to look into how our existing driving licenses might speed up the process of getting permission to drive in the UK.", + "original_question": "Can we use our existing licenses to take the driving test?" + }, + { + "id": "train-1760", + "question": "Scenario: Around 6 months ago I was in a very dark place emotionally. I let life get to me and was drinking excessively believing that self destruction is the only way for me. This thinking led me to drink and drive and in term get my license suspended for 18 months. A lot has changed since then, I have met some amazing people and am slowly piecing my life back together.\n\nQuestion: Is there a way for me to reduce the time of my driving disqualification?\n\nDocument - Driving disqualifications:\n## Overview\n\nYou can be banned (disqualified) from driving if you are either:\n\n- convicted of a driving offence\n\n- get 12 or more penalty points (endorsements) within 3 years\n\nYou\u2019ll get a summons in the post that tells you when you must go to court.\n\nSome disqualification rules are different in Northern Ireland.\n\n## How long a driving ban will last\n\nThe court will decide how long the disqualification will last, based on how serious they think the offence is.\n\nYou can be banned from driving if you already have 12 or more penalty points on your licence. Your ban can last:\n\n- 6 months, if you get 12 or more penalty points within 3 years\n\n- 12 months, if you get a second disqualification within 3 years\n\n- 2 years, if you get a third disqualification within 3 years\n\n## Disqualified for 56 days or more\n\nIf you\u2019re disqualified for 56 days or more you must apply for a new licence before driving again.\n\nYou might also have to retake your driving test or take an extended driving test before getting your full licence. The court will tell you if you have to do this.\n\n## Disqualified for less than 56 days\n\nView your driving licence record online to check the disqualification. You cannot drive until it has ended.\n\nYou do not need to apply for a new licence before you can drive again.\n\n## Disqualification outside Great Britain\n\nYou cannot drive in Northern Ireland and the Isle of Man if you\u2019ve been banned from driving on your Great Britain driving licence.\n\nThis is called \u2018mutual recognition of disqualification\u2019. Disqualified drivers from Northern Ireland and the Isle of Man are also banned from driving in Great Britain.\n\n## Check when your disqualification ends\n\nYou can find the date your driving ban ends:\n\n- online\n\n- on the reminder form D27 that DVLA sends you 56 days before your disqualification ends\n\n- on the D27PH letter issued 90 days before certain drink-related disqualifications end\n\n- by contacting DVLA (if you\u2019re in Northern Ireland, contact DVA)\n\n## Apply to reduce your disqualification period\n\nYou can ask the court to reduce your disqualification period after you\u2019ve been banned from driving for:\n\n- 2 years - if the disqualification was for fewer than 4 years\n\n- half the disqualification period - if it was for at least 4 but under 10 years\n\n- 5 years - if the disqualification was for 10 years or more\n\nYou must have a good reason for asking for the disqualification to be reduced. For example, if you think the court made a legal mistake or there were reasons you committed the driving offence that the court did not take into account.\n\nWrite to the court that disqualified you with the date of offence, date of conviction and any other supporting information.\n\nThe court will tell DVLA if it decides to reduce your disqualification period. If it does, you\u2019ll need to apply for a new licence.\n\nIf the court refuses your request you have to wait 3 months before you can ask again.\n\n## If your disqualification is reduced\n\n## Car or motorbike licences\n\nApply for a new licence by sending DVLA a completed form D1 \u2018Application for a driving licence\u2019, available from the DVLA form ordering service or most Post Offices. You must pay a fee.\n\n## Lorry or bus licences\n\nApply for a new licence by sending DVLA a completed form D2 \u2018Application for a lorry/bus licence\u2019, available from the DVLA form ordering service. You must pay a fee.\n\n## Northern Ireland\n\nApply to the DVA to renew your licence.\n\n## If you need to retake your test\n\nIf the court told you that you must take another driving test before driving again, you\u2019ll have to apply for a new provisional licence.\n\nYou can drive as soon as your ban is over and you\u2019ve passed the tests you need to take.\n\n## How to get a new licence\n\n- DVLA will send you a reminder 56 days before your disqualification ends - use this to apply for a new provisional driving licence. If you did not get a reminder, order an application form instead. Order form D1 for a car and motorbike licence or form D2 for a lorry and bus licence.\n\n- Book and take a theory and practical test (or compulsory basic training and motorcycle practical test if you ride a motorcycle). Book and take an extended practical test if the court told you to take one. The extended practical test lasts at least 60 minutes and has higher fees.\n\n- When you\u2019ve passed the practical test, ask the examiner to arrange for your new licence to be sent to you - you can legally drive as soon as you\u2019ve passed the practical test.\n\nIf you want to drive a large vehicle (category C) or a bus (category D) the local traffic commissioner must agree - DVLA will ask them when you apply for your new full licence.\n\nThere\u2019s a different process in Northern Ireland.\n\n## If you\u2019ve got a licence from an EU country\n\nDo not apply for a provisional licence - you can use your EU driving licence to take the test instead.\n\nFollow the usual rules for learning to drive until you retake your test and pass.\n\n## Changes to your name and address while disqualified\n\nTell DVLA if you change your name or address while disqualified.\n\nWrite with details of your old and new address, name if changed, your driving licence number (if known) and date of birth.\n\nThere\u2019s a different process in Northern Ireland.\n\n## Disqualification for drink-driving\n\nYou can be disqualified if you\u2019re found guilty of drink-driving. Depending on your offence, you can also be fined or sent to prison.\n\nYou\u2019ll need to apply for a new licence after your disqualification ends.\n\nIf you\u2019re disqualified from driving for 12 months or more, you might be able to reduce your ban by taking a drink-drive rehabilitation course.\n\n## High risk offenders\n\nIf you\u2019re a \u2018high risk offender\u2019, you will not get your new licence until you can prove you\u2019re fit to drive again. You\u2019ll need to pass a medical examination with one of DVLA\u2019s appointed doctors.\n\nYou\u2019re a high risk offender if you:\n\n- were convicted of 2 drink driving offences within 10 years\n\n- were driving with an alcohol reading of at least 87.5 microgrammes of alcohol per 100 millilitres (ml) of breath, 200 milligrammes (mg) of alcohol per 100 ml of blood, or 267.5 mg of alcohol per 100 ml of urine\n\n- refused to give the police a sample of breath, blood or urine to test for alcohol\n\n- refused to allow a sample of your blood to be tested for alcohol (for example if it was taken when you were unconscious)\n\nYou\u2019ll get a D27PH renewal form 90 days before your disqualification ends. You must fill in the form and send it to DVLA to reapply for your licence.\n\n## Medical examination with a DVLA doctor\n\nOnce DVLA receive your application for a new licence, they\u2019ll send you the doctors details so you can make an appointment.\n\nYou have to pay for your examination.\n\nDuring the examination, you\u2019ll:\n\n- complete a questionnaire about your medical history and use of alcohol\n\n- take part in a physical examination\n\n- have your blood tested\n\nThe process is different in Northern Ireland.\n\n## Disqualification for drug driving\n\nYou can be disqualified from driving for at least 1 year if you\u2019re found guilty of drug driving. Depending on your offence, you can also be fined or sent to prison.\n\nYou must apply for a new licence before you can drive again.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-disqualifications", + "answerable": true, + "scenario": "Around 6 months ago I was in a very dark place emotionally. I let life get to me and was drinking excessively believing that self destruction is the only way for me. This thinking led me to drink and drive and in term get my license suspended for 18 months. A lot has changed since then, I have met some amazing people and am slowly piecing my life back together.", + "original_question": "Is there a way for me to reduce the time of my driving disqualification?" + }, + { + "id": "train-1761", + "question": "Scenario: I have been operating a private service vehicle business in Liverpool for around 5 years now. I am interested in expanding our operations to London. I have all necessary documentation and have people lined up for the necessary jobs - as drivers and vehicle maintenance men.\n\nQuestion: Do I need additional documentation to operate in London or is the process the same as in Liverpool?\n\nDocument - PSV (Public Service Vehicle) operator licences:\n## Overview\n\nYou need a public service vehicle (PSV) operator\u2019s licence to:\n\n- operate a vehicle for hire or reward (payment or payment in kind) that can carry 9 or more passengers\n\n- operate a smaller vehicle carrying passengers and charging separate fares for the journey\n\nRead PSV437, PSV operator licensing: a guide for operators.\n\n## Types of PSV licence\n\nThere are 4 types of PSV operator licences, plus special licensing rules in London.\n\n## Standard licence - national operations only\n\nYou can only operate in Great Britain if you apply for a standard licence. Most full-time commercial operators use standard licences.\n\n## Standard licence - national and international operations\n\nThis kind of licence lets you take passengers abroad as well as within Great Britain.\n\n## Restricted licence\n\nYou can only apply for a restricted licence for small-scale operations. They allow you to use 1 or 2 vehicles, and neither can carry more than 8 passengers.\n\nYou can carry up to 16 passengers in either vehicle if you do not use it as part of a passenger transport business, or you\u2019re operating your vehicles as a sideline and not as your main job.\n\n## Special restricted licence\n\nSpecial restricted licences are used to operate a licensed taxi on a local service. You can only apply for this licence if you\u2019re a licensed taxi operator. A local service is one where:\n\n- stops are no more than 24.15 kilometres (15 miles) apart\n\n- at least one stop is within the area of the district council that issued your taxi or private hire vehicle (PHV) licence\n\nThe service must be registered with the local Traffic Commissioner.\n\n## Licensing in London\n\nYou\u2019ll need a London Service Permit to run a private bus or coach service in London.\n\nTaxis and private hire services in London are licensed by Transport for London (TfL).\n\n## How to apply for a PSV licence\n\nYou can apply for a PSV operator\u2019s licence online. You\u2019ll usually get a decision within 7 weeks.\n\nIt\u2019s illegal to operate a vehicle before your licence has been issued.\n\nOnce you\u2019ve got your licence it will not have an expiry date, but you\u2019ll be asked to confirm your details every 5 years. The Traffic Commissioner\u2019s Office will get in touch with you to check them. You\u2019ll need to pay a continuation fee if you\u2019ve got a special restricted (taxi) licence.\n\nThe Traffic Commissioner can suspend or revoke your licence if they suspect you\u2019ve been breaking its terms.\n\nYou must also tell the Traffic Commissioner if your circumstances change.\n\n## Fees\n\n| Type of licence | Fees |\n\n| Application for a standard licence | \u00a3209 |\n\n| Application for a restricted licence | \u00a3209 |\n\n| Application for a special restricted (taxi) licence | \u00a361 |\n\n| Continuation fee for a special restricted (taxi) licence (payable every 5 years) | \u00a361 |\n\n| Make changes to a licence | \u00a3122 |\n\n## Ways you can pay\n\nPay for your licence online, by phone or by post.\n\n## Paying online\n\nYou can pay any application or licence fees when you apply for a vehicle operator licence online.\n\n## Paying by phone\n\nYou can pay by phone by calling the DVSA helpline.\n\n## Paying by post\n\nSend a cheque or postal order made payable to \u2018DVSA\u2019 to the Central Licensing Office.\n\n## Making changes to your PSV licence\n\nYou can make changes to your PSV operator\u2019s licence once you have it, for example add more vehicles to it.\n\nYou can update your licence online.\n\nYou can make most changes to your licence for free. You must pay \u00a3122 if you want to:\n\n- increase the vehicle limit on your licence\n\n- upgrade your licence from standard national to standard international and increase the vehicle limit at the same time\n\n## Changes of circumstance\n\nYou must tell the Traffic Commissioner within 28 days if:\n\n- there\u2019s any change to the correspondence address of the business\n\n- there\u2019s any change to the establishment address (standard licences only)\n\n- there\u2019s any change in the address of your operating centres\n\n- there\u2019s any change in the trading name of the business\n\n- any of the persons named on the licence have died - you may need a new licence\n\n- there\u2019s been a change of partners if it\u2019s a partnership firm - you may need a new licence\n\n- there\u2019s been a change of transport managers\n\n- you, your transport manager, officers employees or agents have any relevant convictions\n\n- there\u2019s been any other change that the Traffic Commissioner asked you to report as a condition of getting your licence\n\nYou\u2019ll also have to tell the Traffic Commissioner if there\u2019s been a change in the \u2018legal entity\u2019 of your business, for example if:\n\n- your company changes from being a sole trader or partnership to a limited company\n\n- there\u2019s been a change in your registered company number\n\n- there\u2019s been a change of directors or change in share holding\n\nSend details of any changes to the Office of the Traffic Commissioner\u2019s Central Licensing Office at the DVSA.\n\n## Appealing a decision\n\nYou can appeal if your application for a PSV operator licence is refused.\n\nYou\u2019ll need to send a written notice of appeal to the Upper Tribunal, Administrative Appeals Chamber. There is no fee.\n\nYour notice of appeal needs to be received within one month of the Traffic Commissioner\u2019s decision.\n\n## Guidance on making an appeal\n\nDownload detailed Tribunals Service guidance on making an appeal.\n\n## Appealing an Upper Tribunal decision\n\nIf your appeal is unsuccessful and you think that the decision is wrong, you can appeal to the Court of Appeal (England and Wales) or the Court of Session (Scotland).\n\nYou must have permission from the Upper Tribunal, or if the Upper Tribunal refuses, from the Court.\n\nYour application for permission to appeal must be received within 1 month of the original appeal decision.\n\nDownload detailed guidance about appealing an Upper Tribunal decision.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/psv-operator-licences", + "answerable": true, + "scenario": "I have been operating a private service vehicle business in Liverpool for around 5 years now. I am interested in expanding our operations to London. I have all necessary documentation and have people lined up for the necessary jobs - as drivers and vehicle maintenance men.", + "original_question": "Do I need additional documentation to operate in London or is the process the same as in Liverpool?" + }, + { + "id": "train-1764", + "question": "Scenario: I was scheduled to take my car driving test yesterday but a few hours before I ran a high fever which rendered me incapable of ever leaving my house. I called to cancel my test and will ask for a new date when I feel better.\n\nQuestion: Will I have to pay to book the test again?\n\nDocument - Driving test: cars:\n## Booking your test\n\nYou can book your driving test when you\u2019ve passed your theory test.\n\nYou do not need to pass another theory test if you\u2019re upgrading an automatic car licence to a manual licence.\n\nTo pass the driving test you must be able to:\n\n- drive safely in different road and traffic conditions\n\n- show that you know The Highway Code by the way you drive\n\nThe national standard for driving cars tells you everything you must be able to do to pass the test. Only take your test when you can do everything without instruction.\n\nThere\u2019s no minimum number of lessons you must have done before you book and take your test.\n\n## Change or check your test details\n\nYou can change the date of your test after you\u2019ve booked.\n\nYou can check the details if you\u2019ve lost the email confirmation you were sent when you booked your test.\n\n## Rebook your test\n\nRebook your driving test if you failed your test and want to resit it. You have to choose a date at least 10 working days away.\n\n## What to take to your test\n\nYou must take:\n\n- your UK driving licence\n\n- your theory test pass certificate, if you have it\n\n- a face covering, unless you have a good reason not to wear one\n\n- a car - most people use their driving instructor\u2019s, but you can use your own car if it meets the rules\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\n## Wearing a face covering\n\nYou must bring and wear a face covering for your test, unless you have a good reason not to. Good reasons are things like:\n\n- having a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you have a good reason not to wear a face covering when you book your test.\n\nYour test will be cancelled if you come for your test without a face covering and you did not say that you could not wear one when you booked it.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\nBecause of COVID-19 the car you use must have the windows open throughout the test. Wear clothing suitable for the weather.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\nRearrange your test if you do not get the new licence in enough time.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence.\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## If you\u2019ve lost your theory test certificate\n\nYou do not need to get a replacement theory test certificate. Your driving examiner will check that you\u2019ve passed your theory test before your driving test starts.\n\n## What happens during the test\n\nThere are 5 parts to the driving test:\n\n- an eyesight check\n\n- \u2018show me, tell me\u2019 vehicle safety questions\n\n- general driving ability\n\n- reversing your vehicle\n\n- independent driving\n\nThe test is the same for both manual and automatic cars.\n\n## How long the test lasts\n\nYou\u2019ll drive for around 40 minutes.\n\nYou\u2019ll drive for around 70 minutes if you\u2019re taking an extended driving test because you\u2019ve been banned from driving.\n\n## Eyesight check\n\nYou\u2019ll have to read a number plate from a distance of:\n\n- 20 metres for vehicles with a new-style number plate\n\n- 20.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, such as AB51 ABC.\n\nYou\u2019ll fail your driving test if you fail the eyesight check. The test will end.\n\n## \u2018Show me, tell me\u2019 questions\n\nYou\u2019ll be asked 2 vehicle safety questions known as the \u2018show me, tell me\u2019 questions.\n\nYou\u2019ll be asked the:\n\n- \u2018tell me\u2019 question at the start of your test, before you start driving\n\n- \u2018show me\u2019 question while you\u2019re driving\n\n## Your general driving ability\n\nYou\u2019ll drive in various road and traffic conditions, but not on motorways.\n\nThe examiner will give you directions that you should follow. Driving test routes are not published, so you cannot check them before your test.\n\n## Pulling over at the side of the road\n\nYou\u2019ll be asked to pull over and pull away during your test, including:\n\n- normal stops at the side of the road\n\n- pulling out from behind a parked vehicle\n\n- a hill start\n\nYou might also be asked to carry out an emergency stop.\n\n## Reversing your vehicle\n\nThe examiner will ask you to do one of the following exercises:\n\n- parallel park at the side of the road\n\n- park in a parking bay - either by driving in and reversing out, or reversing in and driving out (the examiner will tell you which you have to do)\n\n- pull up on the right-hand side of the road, reverse for around 2 car lengths, and rejoin the traffic\n\n## Independent driving\n\nYou\u2019ll have to drive for about 20 minutes by following either:\n\n- directions from a sat nav\n\n- traffic signs\n\nThe examiner will tell you which you have to follow.\n\nThey\u2019ll set the sat nav up for you. You cannot use your own sat nav.\n\n## If you cannot see traffic signs\n\nIf you cannot see a traffic sign (for example, because it\u2019s covered by trees), the examiner will give you directions until you can see the next one.\n\n## Going off the route\n\nThe examiner will not give you a fault for taking a wrong turning.\n\nThey\u2019ll help you get back on the route if you do.\n\n## If you make mistakes during your test\n\nYou can carry on if you make a mistake. It might not affect your test result if it\u2019s not serious.\n\nYour driving examiner will direct you back to the driving test centre if the mistake you made means you\u2019ve failed. The test will end early.\n\n## Other people at your test\n\nYour driving examiner\u2019s supervisor might sit in on your test to watch your examiner\u2019s performance. If you refuse, your test can be cancelled and you\u2019ll have to book another test and pay again.\n\n## Driving test faults and your result\n\nThere are 3 types of faults you can make:\n\n- a dangerous fault - this involves actual danger to you, the examiner, the public or property\n\n- a serious fault - something potentially dangerous\n\n- a driving fault - this is not potentially dangerous, but if you keep making the same fault, it could become a serious fault\n\n## Pass mark\n\nYou\u2019ll pass your driving test if you make:\n\n- no more than 15 driving faults (sometimes called \u2018minors\u2019)\n\n- no serious or dangerous faults (sometimes called \u2018majors\u2019)\n\n## If you pass your test\n\nThe examiner will:\n\n- tell you what faults you made, if any\n\n- give you a pass certificate\n\n- ask you if you want your full licence to be sent to you automatically - give the examiner your provisional licence if you want to do this\n\nApply for your full driving licence within 2 years of passing your test if you do not want to get your licence automatically.\n\n## When you can start driving\n\nYou can start driving straight away when you\u2019ve passed your test. You do not need to wait for your full licence to arrive.\n\nContact DVLA if your full licence has not arrived 3 weeks after you applied for it.\n\n## If you do not pass\n\nThe examiner will tell you what faults you made.\n\nYou have to book another test and pay again. You have to choose a date at least 10 working days away.\n\n## Appeal your driving test\n\nYou can appeal your driving test if you can prove that your driving examiner did not follow the law.\n\nRead the guidance on appealing your driving test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint you may be able to appeal to a court instead.\n\n## Appeal your driving test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your driving test in England and Wales\n\n- 21 days of your driving test in Scotland\n\nCheck if you can appeal.\n\n## If your test is cancelled or there's bad weather\n\nYour driving test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is suspended due to coronavirus (COVID-19)\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou need to have passed a theory test in the last 2 years to take your driving test. Your theory test certificate will not be extended.\n\n## Bad weather\n\nDriving tests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your car\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your car, for example, if it breaks down during the test or does not meet the rules to be used\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.\n\n## If you have a disability, health condition or learning difficulty\n\nWhen you book your driving test you should say if you have a:\n\n- disability\n\n- health condition\n\n- learning difficulty\n\n- reason not to wear a face covering\n\nYou\u2019ll still have to drive to the same standard to pass, but the examiner can make adjustments for your situation.\n\n## You have a disability\n\nYou\u2019ll have time with the examiner once you start the test to talk about:\n\n- your disability\n\n- any adaptations fitted to your car\n\nThey might also agree for you to have more time for instructions and directions during your test.\n\n## You\u2019re deaf or have a hearing impairment\n\nThe examiner will use written notes at the start of the test to explain what will happen. If you lip read, they\u2019ll also look at you so you can lip read what they\u2019re saying.\n\nThe examiner will usually give directions to you as hand signals. These will be explained to you before your test starts.\n\n## Using a sign language interpreter\n\nYou can take a British Sign Language (BSL) interpreter with you. They must be at least 16 years old.\n\nYour driving instructor can be your interpreter.\n\nYou need to arrange your own interpreter and pay any fees that they charge. You can claim the cost back after your test.\n\n## You\u2019re pregnant\n\nYou can take a driving test at any stage of your pregnancy. However, you must be able and willing to do an emergency stop.\n\n## You have reading difficulties\n\nWhen you do the eyesight check at the start of the driving test, you can write down the number plate instead of reading it out loud.\n\n## You have learning difficulties\n\nThe examiner will make adjustments for the independent driving part of the test if you have learning difficulties.\n\nThey might ask if you\u2019d prefer to follow traffic signs instead of directions from a sat nav.\n\n## Using your own car for your test\n\nYou can take your driving test in your own car rather than your driving instructor\u2019s if it meets certain rules.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Rules about the car\n\nYour car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19, you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying unnecessary items from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Things that must be fitted\n\nThe car must have:\n\n- an extra interior rear-view mirror for the examiner\n\n- L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear\n\n- a passenger seatbelt for the examiner and a proper passenger head restraint (not a slip-on type)\n\n## Dashcams and other cameras\n\nYou can use a camera fitted for insurance purposes, as long as it:\n\n- faces outside of the car and does not film the inside\n\n- does not record audio from inside the car\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Manual and automatic cars\n\nYou can take the test in a:\n\n- manual car - these have 3 pedals\n\n- automatic or semi-automatic car - these have 2 pedals\n\nIf you take your test in a semi-automatic car you\u2019ll only be able to drive automatic and semi-automatic cars once you\u2019ve passed your test.\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Cars you cannot use\n\nSome cars cannot be used in the test because they do not give the examiner all-round vision.\n\nYou cannot use any of the following:\n\n- BMW Mini convertible\n\n- Ford KA convertible\n\n- Toyota iQ\n\n- VW Beetle convertible\n\nCheck with the Driver and Vehicle Standards Agency (DVSA) before you book your test if you want to use a:\n\n- convertible car\n\n- panel van\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\nYou must bring the proof that it\u2019s safe with you when you take your test.\n\n| | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and\u00a00N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/driving-test", + "answerable": true, + "scenario": "I was scheduled to take my car driving test yesterday but a few hours before I ran a high fever which rendered me incapable of ever leaving my house. I called to cancel my test and will ask for a new date when I feel better.", + "original_question": "Will I have to pay to book the test again?" + }, + { + "id": "train-1765", + "question": "Scenario: Me and my son are driving to my approved driving instructor test. He opened the website to check whether I had remembered the time of my appointment correctly and noticed that our car might not be suitable for the test.\n\nQuestion: Will I get my money back if my test is cancelled based on me not bringing a suitable vehicle?\n\nDocument - Approved driving instructor (ADI) part 3 test:\n## Booking your test\n\nYou can book your approved driving instructor (ADI) part 3 test when you\u2019ve passed your ADI part 2 test.\n\nIt\u2019s the last of 3 tests you have to pass to qualify as an ADI. It\u2019s a test of your ability to teach pupils.\n\nYour driving examiner will call you a few days before your test to agree:\n\n- the start time with you\n\n- where you want the test to start from (either the driving test centre or somewhere within 5 minutes of the driving test centre)\n\nThe ADI part 3 test works differently in Northern Ireland.\n\nThe national standard for driver and rider training tells you everything you must be able to do to pass the test.\n\nYou can find driving instructor training if you need help to prepare for the test.\n\n## What to take to your test\n\nYou must bring:\n\n- your UK driving licence\n\n- a face covering, unless it\u2019s not safe for you to wear one\n\n- a suitable car\n\n- a pupil\n\nYou should also bring a log of the training you\u2019ve been doing to qualify as an approved driving instructor (ADI).\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Reasons why you must not go to your test\n\nDo not go to your driving test if you or your pupil:\n\n- have coronavirus (COVID-19) symptoms, or someone you live with has symptoms\n\n- have been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- are self-isolating because you recently entered the UK\n\nChange your test appointment or cancel your test for free if you\u2019re not able to go.\n\n## Wearing a face covering\n\nYou and your pupil must each bring and wear a face covering for your test, unless it\u2019s not safe for you to do so. For example, because:\n\n- you have a physical or mental illness or impairment, or a disability\n\n- wearing it would cause you severe distress\n\nYou need to say if you cannot wear a face covering when you book your test. Otherwise, your test will be cancelled if you arrive without one.\n\nYou can take it off during your test if you need to avoid harm or injury.\n\n## Your driving licence\n\nYou need to apply for a replacement driving licence if you lose yours before your test. This could take up to 15 days to arrive.\n\n## If you do not have a photocard licence\n\nBring a valid passport and your paper licence, or your trainee driving instructor licence (if you have one).\n\n## If you have a licence from Northern Ireland\n\nBring the Northern Ireland photocard and paper counterpart.\n\n## Rules for the car you use\n\nWhen you take your test, your car must:\n\n- be taxed\n\n- be insured for a driving test (check with your insurance company)\n\n- be roadworthy and have a current MOT (if it\u2019s over 3 years old)\n\n- be a saloon, hatchback or estate car in good working condition - you cannot use a convertible\n\n- have full-size rear seats\n\n- have no warning lights showing, for example, the airbag warning light\n\n- have no tyre damage and the legal tread depth on each tyre - you cannot have a space-saver spare tyre fitted\n\n- be smoke-free - this means you cannot smoke in it just before or during the test\n\n- be able to reach at least 62mph and have an mph speedometer\n\n- have 4 wheels and a maximum authorised mass (MAM) of no more than 3,500 kg\n\nThe MAM is the limit on how much the car can weigh when it\u2019s loaded. It\u2019ll be in the car\u2019s handbook.\n\nYour test will be cancelled and you\u2019ll have to pay again if your car does not meet the rules.\n\n## Coronavirus (COVID-19) safety\n\nBecause of COVID-19 you must clean the inside of your car before your test.\n\nThis means:\n\n- tidying any unnecessary items away from the dashboard, footwells, door pockets, cup holders and seats\n\n- wiping down the dashboard and car controls\n\nThe examiner will do an additional clean of some surfaces.\n\nThe car you use for your test must have at least one window open on each side throughout the test. Any combination of windows can be opened - for example, one from the front and one from the back. Wear clothing suitable for the weather.\n\n## Vehicle fittings and features\n\nThe car must have:\n\n- L-plates (\u2018L\u2019 or \u2018D\u2019 plates in Wales) on the front and rear if your pupil is a learner\n\n- working rear seat belts\n\n## Dashcams and other cameras\n\nYou can use a camera fitted for insurance purposes, as long as it:\n\n- faces outside of the car and does not film the inside\n\n- does not record audio from inside the car\n\n## Vehicle features\n\nYou can use a car with:\n\n- an electronic parking brake\n\n- hill-start assist\n\n## Hire cars\n\nYou can take your test in a hire car if it\u2019s fitted with dual controls and meets all the other rules.\n\n## Manual and automatic cars\n\nIf you have a manual licence, you can take the test in either a manual or automatic car. You\u2019ll be able to train people in both types of car when you\u2019ve qualified.\n\nIf you have an automatic licence, you must take the test in an automatic car. You\u2019ll only be able to train people in an automatic car when you\u2019ve qualified.\n\n## Cars with known safety faults\n\nYou cannot use one of the cars shown in the table unless you have proof that it\u2019s safe. This is because these cars have been recalled for a safety reason.\n\nYou must bring the proof that it\u2019s safe with you when you take your test.\n\n| Model | Reason for recall | Vehicles affected | Recall issue date |\n\n| Citroen C1 | Steering failure | Vehicles built between 9 Sep 2014 and 15 Oct 2014, with vehicle identification numbers (VINs) between wF7xxxxxxER516105 and VF7xxxxxxER523367 | 28 Jun 2016 |\n\n| Peugeot 108 | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between VF3xxxxxxER256527 and F3xxxxxxER017078 | 28 Jun 2016 |\n\n| Toyota Aygo | Steering failure | Vehicles built between 9 Jun 2014 and 15 Oct 2014, with VINs between JTDJGNEC#0N022080 and 0N026438, JTDJPNEC#0N002099 and 0N002100, JTDKGNEC#0N022186 and 0N031372, and JTDKPNEC#0N002083 and 0N002102 | 28 Jun 2016 |\n\n| Toyota Yaris | Potentially defective seat rail track and/or steering column mounting | Some models built between Jun 2005 and May 2010 (\u201805\u2019 to \u201810\u2019 registration plates) | 9 Apr 2014 |\n\n| Vauxhall ADAM | Potential steering problem | VINs with last 8 digits between E6077301 to E6113446, and F6000001 to F6006544 | 29 Sep 2014 |\n\n| Vauxhall Corsa D | Potential steering problem | VINs with last 8 digits between E6071016 and E6118738, and E4181031 and E4308122 | 29 Sep 2014 |\n\n## Proof you need to bring to your test\n\nYou must bring proof that says one of the following:\n\n- the car was recalled and the recall work has been done\n\n- the car was recalled but did not need any work to be done\n\n- the car was not part of the recall\n\nThe proof must be either:\n\n- the recall letter or safety notice, stamped by the manufacturer or dealer\n\n- on official or headed notepaper from the manufacturer or a dealer\n\nYour test will be cancelled and you could lose your fee if you do not bring the right proof.\n\n## What happens during the test\n\nA Driver and Vehicle Standards Agency (DVSA) examiner will watch you give a client-centred driving lesson lasting about 45 minutes to one of your pupils.\n\nYour pupil must drive for at least 40 minutes of the lesson.\n\nAt the start of the lesson, discuss the goals for the lesson and risk management with your pupil. Because of coronavirus (COVID-19), this should take no more than 3 minutes.\n\nAt the end of the lesson, give your pupil no more than 3 minutes to reflect on their performance.\n\nThe examiner will look for evidence that you meet the national standard for driver and rider training.\n\n## Your pupil\n\nYour pupil can be a:\n\n- partly trained learner\n\n- fully trained learner\n\n- full licence holder\n\nYour pupil cannot be:\n\n- a learner who has just started learning to drive\n\n- an approved driving instructor (ADI) or someone else who is preparing to take the ADI part 3 test\n\n## What you\u2019ll be marked on\n\nYou\u2019ll be marked on 17 areas of competence that are grouped into 3 categories:\n\n- lesson planning\n\n- risk management\n\n- teaching and learning strategies\n\nThe 17 areas of competence are listed in the ADI part 3 test report form, which the examiner will fill in at the end of your test.\n\nYou\u2019ll get a score from 0 to 3 for each of the 17 competencies, which are added up to work out if you\u2019ve passed the test, and what your grade will be.\n\n## Your test result\n\nAfter you give the lesson, the examiner will discuss your performance and give you your result.\n\nYou\u2019ll get your grade, along with your completed approved driving instructor (ADI) part 3 test report form.\n\n| Total score | Grade | Description |\n\n| 0-30 | Fail | Your performance is unsatisfactory, and you will not join the ADI register |\n\n| 31-42 | Grade B | You\u2019ll be allowed to join the ADI register |\n\n| 43-51 | Grade A | You have shown a high standard of instruction and you\u2019ll be allowed to join the ADI register |\n\nYou\u2019ll automatically fail if:\n\n- you get a score of 7 or less in the \u2018risk management\u2019 category\n\n- the examiner stops the lesson because you\u2019ve put yourself or someone else in danger\n\n## If you pass\n\nYou can apply for your first ADI badge if you pass the ADI part 3 test.\n\nYou must apply within 12 months of passing the test, or you\u2019ll have to pass all 3 qualifying tests again.\n\n## If you do not pass\n\nYou can take the test again if you fail the first or second attempt. You must book the next attempt within 2 years of passing your ADI part 1 test.\n\nIf you chose the extra training option (option 2) when you applied for your trainee licence, you must do 5 hours of extra training before you retake the test.\n\n## Failing the third attempt\n\nYou have to retake and pass the ADI part 1 test and ADI part 2 test again if you fail the ADI part 3 test at your third attempt.\n\nYou must wait 2 years from when you originally passed the ADI part 1 test before you can take it again.\n\n## Appeal your ADI part 3 test\n\nYou can appeal your test if you can prove that your examiner did not follow the law.\n\nRead the guidance on appealing your test to check if your examiner followed the law.\n\nIf you have proof they did not follow the law you can complain to the Driver and Vehicle and Standards Agency (DVSA)\n\nIf DVSA agrees with your complaint, your test result cannot be changed but you might get a refund or a free retest.\n\nIf DVSA does not agree with your complaint you may be able to appeal to a court instead.\n\n## Appeal your test to a court\n\nYou can appeal if you can prove that your examiner did not follow the law when they carried out your test.\n\nYour test result cannot be changed, but you might get a refund or a free retest if your appeal is successful.\n\nYou might have to pay significant legal costs if your appeal is unsuccessful.\n\nYou\u2019ll need to appeal within:\n\n- 6 months of your test in England and Wales\n\n- 21 days of your test in Scotland\n\nCheck if you can appeal.\n\n## If your test is cancelled or there's bad weather\n\nYour approved driving instructor (ADI) part 3 test can be cancelled or stopped because of bad weather, problems with your car, or for other reasons.\n\n## If your test is suspended due to coronavirus (COVID-19)\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou need to have passed a theory test in the last 2 years to take this test. Your theory test certificate will not be extended.\n\n## Bad weather\n\nTests are not carried out in dangerous weather conditions, such as when the roads are icy or if there\u2019s flooding, thick fog or high winds.\n\nCall your test centre if there are any of these conditions on the day of your test.\n\nThe phone number for the test centre is on your booking confirmation email.\n\n## If your test cannot go ahead\n\nThe Driver and Vehicle Standards Agency (DVSA) will:\n\n- automatically book the next available date for your test\n\n- send you the details within 3 working days - it can take up to 7 days if there\u2019s a long period of bad weather\n\nYou can change the date you\u2019re given if it\u2019s not suitable.\n\nYou cannot claim for any out-of-pocket expenses if your test is cancelled because of bad weather.\n\n## Problems with you or your car\n\nYou\u2019ll have to book another test and pay again if your test cannot be completed because of a problem with:\n\n- you, for example, if you feel unwell while taking your test\n\n- your car, for example, if it breaks down during the test or does not meet the rules to be used\n\n## If your test is cancelled for another reason\n\nSometimes DVSA has to cancel tests for other reasons, for example, if the examiner is unwell.\n\nYou\u2019ll be sent a new date for your test if this happens. You can change the date if it\u2019s not suitable.\n\nYou can apply for a refund of out-of-pocket expenses if DVSA cancels your test at short notice.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/adi-part-3-test", + "answerable": true, + "scenario": "Me and my son are driving to my approved driving instructor test. He opened the website to check whether I had remembered the time of my appointment correctly and noticed that our car might not be suitable for the test.", + "original_question": "Will I get my money back if my test is cancelled based on me not bringing a suitable vehicle?" + }, + { + "id": "train-1767", + "question": "Scenario: Since I was a kid I have always dreamed of driving a motorcycle. I will be turning 16 soon and my friends at school are telling me I will be able to finally start learning how to drive a motorcycle. After that its only time before I pass my theory and driving tests and begin driving my own motorcycle!\n\nQuestion: Can I take the theory test for riding a motorcycle at 16 years old?\n\nDocument - Theory test: motorcycles and mopeds:\n## Booking your test\n\nYou need to have a provisional motorcycle licence to book your theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You have to pass both parts to pass the test.\n\n## When you can take the theory test\n\nYou can take the theory test from your:\n\n- 16th birthday onwards if you\u2019re learning to ride a moped (no more than 50cc)\n\n- 17th birthday onwards if you\u2019re learning to ride a motorcycle\n\nYou can take the theory test before or after you\u2019ve taken compulsory basic training (CBT).\n\n## Who needs to take the theory test\n\nYou usually need to have passed a motorcycle theory test before you take the motorcycle test.\n\nFind out which motorcycles you can ride and which tests you need to take.\n\nYou do not need to take the theory test if you passed a moped test after 1 July 1996 and want to either:\n\n- take the motorcycle test on a category A1 small motorcycle\n\n- upgrade your motorcycle licence under the \u2018progressive access\u2019 (also known as \u2018staged access\u2019) rules\n\n## If you have a car licence\n\nYou have to pass a motorcycle theory test before taking the motorcycle test.\n\n## If your licence is not from Great Britain\n\nFind out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.\n\n## Change or check your test details\n\nYou can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.\n\n## Theory test revision and practice\n\nYou can use books and software to revise for the theory test and take practice tests.\n\n## Multiple-choice questions\n\nThe questions in the theory test are based on 3 books:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Riding - the essential skills\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them from most high street and online book shops.\n\n## Take a practice test\n\nTake a practice theory test to check how much you\u2019ve learnt.\n\nThe practice questions are not used in the real test, but they\u2019re based on the same topics as the test.\n\n## Hazard perception part\n\nBuy the official guide to hazard perception for your PC or Mac to learn hazard perception skills and then test them.\n\nYou can buy it from most high street and online book shops.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 57 minutes to answer 50 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\nSome questions are given as a case study. The case study will:\n\n- show a short story that 5 questions will be based on\n\n- be about a real life situation you could come across when driving\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou get the result at the test centre after taking the theory test. You need to pass both parts to pass the test.\n\n| Test part | Pass mark | Points available |\n\n| Multiple-choice questions | 43 | 50 |\n\n| Hazard perception | 44 | 75 |\n\n## If you pass\n\nYou\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your motorcycle test.\n\nYour pass certificate number lasts for 2 years. You need to pass both modules of the motorcycle test in that time, otherwise you\u2019ll have to pass the theory test again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou have to book and take the full test again, even if you passed one part this time.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have a reading difficulty, disability or health condition\n\nWhen you book your theory test you should say if you have a:\n\n- reading difficulty\n\n- disability\n\n- health condition\n\n## You have reading difficulties\n\nYou can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.\n\nYou can listen to the questions and possible answers as many times as you need to.\n\n## Other types of support\n\nYou can get other support during your theory test if you send proof that you have reading difficulties.\n\nThis can be an email, letter or report from:\n\n- a teacher or other educational professional\n\n- a doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association\n\nYou can get:\n\n- extra time to take the test\n\n- someone to read what\u2019s on the screen and record your answers\n\n- someone to reword the questions for you\n\nThe Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.\n\nIf DVSA agrees that you need extra support, they will send you an email with:\n\n- a reference number (you will need this when you book your test)\n\n- instructions on how to book your test\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple choice questions part of the theory test.\n\n## Reading what\u2019s on the screen and recording your answers\n\nA member of staff at the test centre can read out the instructions and questions on the screen.\n\nThey can also record your answers to the multiple-choice questions.\n\nThis can be done by either:\n\n- listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen\n\n- the member of staff sitting near you in the test room\n\n## Rewording the questions for you\n\nYou can ask for a member of staff to reword the theory test questions to make them easier for you to understand.\n\nThe person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.\n\nYou still need to answer each question yourself.\n\n## You\u2019re deaf or have a hearing impairment\n\nYou can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.\n\nA BSL video appears on the screen next to the questions and answers.\n\n## Take a BSL interpreter\n\nYou can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.\n\n## Hearing loop and lip speakers\n\nYou can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).\n\nTo use either service you\u2019ll need to contact DVSA before your test.\n\n## Other disabilities or health conditions\n\nContact DVSA to discuss any other disability or health condition before you book your test.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/motorcycle-theory-test", + "answerable": true, + "scenario": "Since I was a kid I have always dreamed of driving a motorcycle. I will be turning 16 soon and my friends at school are telling me I will be able to finally start learning how to drive a motorcycle. After that its only time before I pass my theory and driving tests and begin driving my own motorcycle!", + "original_question": "Can I take the theory test for riding a motorcycle at 16 years old?" + }, + { + "id": "train-1768", + "question": "Scenario: I recently took a motorcycle theory test. I was so nervous and excited that I don't remember whether I passed my multiple-choice quiz or not. I remember my score was 45 but I must have zoned out when they were telling me the passing mark.\n\nQuestion: Have I passed my multiple choice quiz?\n\nDocument - Theory test: motorcycles and mopeds:\n## Booking your test\n\nYou need to have a provisional motorcycle licence to book your theory test.\n\nThere are 2 parts to the test:\n\n- multiple-choice questions\n\n- hazard perception - a video test about spotting hazards on the road\n\nYou book and take them as a single test. You have to pass both parts to pass the test.\n\n## When you can take the theory test\n\nYou can take the theory test from your:\n\n- 16th birthday onwards if you\u2019re learning to ride a moped (no more than 50cc)\n\n- 17th birthday onwards if you\u2019re learning to ride a motorcycle\n\nYou can take the theory test before or after you\u2019ve taken compulsory basic training (CBT).\n\n## Who needs to take the theory test\n\nYou usually need to have passed a motorcycle theory test before you take the motorcycle test.\n\nFind out which motorcycles you can ride and which tests you need to take.\n\nYou do not need to take the theory test if you passed a moped test after 1 July 1996 and want to either:\n\n- take the motorcycle test on a category A1 small motorcycle\n\n- upgrade your motorcycle licence under the \u2018progressive access\u2019 (also known as \u2018staged access\u2019) rules\n\n## If you have a car licence\n\nYou have to pass a motorcycle theory test before taking the motorcycle test.\n\n## If your licence is not from Great Britain\n\nFind out if you can drive in Great Britain (GB) with your non-GB licence without taking a theory and driving test.\n\n## Change or check your test details\n\nYou can change the date of your theory test after you\u2019ve booked it. This includes if you cannot or do not want to attend because of coronavirus (COVID-19).\n\nYou can check your appointment details if you\u2019ve lost your booking confirmation.\n\n## Rebook your test\n\nRebook your theory test if you failed your test and want to resit it. You have to choose a date at least 3 working days away.\n\n## Theory test revision and practice\n\nYou can use books and software to revise for the theory test and take practice tests.\n\n## Multiple-choice questions\n\nThe questions in the theory test are based on 3 books:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Riding - the essential skills\n\nStudy these to learn the rules and skills you\u2019ll be tested on.\n\nYou can buy them from most high street and online book shops.\n\n## Take a practice test\n\nTake a practice theory test to check how much you\u2019ve learnt.\n\nThe practice questions are not used in the real test, but they\u2019re based on the same topics as the test.\n\n## Hazard perception part\n\nBuy the official guide to hazard perception for your PC or Mac to learn hazard perception skills and then test them.\n\nYou can buy it from most high street and online book shops.\n\n## What to take to your test\n\nYou must take your UK photocard driving licence to your test.\n\nIf you have a licence from Northern Ireland, bring the photocard and paper counterpart licence.\n\nYour test will be cancelled and you will not get your money back if you do not take the right things with you.\n\n## Wearing a face covering at your test\n\nYou must wear a face covering at your test. If you do not wear one, you must have a good reason, for example:\n\n- you have a physical or mental illness, impairment or disability\n\n- wearing it would cause you severe distress\n\nWearing glasses does not count as a good reason.\n\nYou need to say why you cannot wear a face covering when you book your test. If you do not, and you come to your test without a face covering, your test will be cancelled.\n\nIf you\u2019ve already booked your test and did not say that you cannot wear a face covering, contact DVSA.\n\n## When you must not go to your test\n\nYou must not go to your test if:\n\n- you or someone you live with has coronavirus (COVID-19) symptoms\n\n- you\u2019ve been told by the NHS Test and Trace service that you\u2019ve been in contact with a person who has COVID-19\n\n- you\u2019re self-isolating because you recently entered the UK\n\nChange your theory test appointment for free if you need to self-isolate on the day of your test.\n\n## If you have a paper licence\n\nBring a valid passport as well as your paper licence.\n\nIf you do not have a passport, you need to get a photocard licence.\n\n## Personal belongings\n\nYou will not have access to your personal items in the test room. This includes things like:\n\n- bags\n\n- earphones\n\n- mobile phones\n\n- watches\n\nYou\u2019ll usually have to store any personal items in a locker.\n\nIf your test centre does not have lockers, you must:\n\n- turn off your phone before you enter the test centre\n\n- put your belongings in a clear plastic box that will be given to you - this must be stored under your desk during the test\n\nThe test centre staff will check if you have anything with you that could be used to cheat. Your test will not go ahead if you do not let them check.\n\nIt\u2019s illegal to cheat at the theory test. You can be sent to prison and banned from driving.\n\n## Multiple-choice questions\n\nYou have 57 minutes to answer 50 multiple-choice questions.\n\nBefore the test starts you\u2019ll get:\n\n- instructions on how the test works\n\n- the chance to do some practice questions to get used to the screens\n\n## How the test works\n\nA question and several possible answers appear on a screen. You have to select the right answer.\n\nSome questions are given as a case study. The case study will:\n\n- show a short story that 5 questions will be based on\n\n- be about a real life situation you could come across when driving\n\n## Leaving a question\n\nYou can \u2018flag\u2019 questions that you want to come back to later.\n\n## Changing your answers\n\nYou can go back to any question to review and change your answer at any point.\n\n## When you\u2019ve finished\n\nYou can finish the multiple-choice questions part when you\u2019ve answered all of the questions. You do not have to use the full 57 minutes.\n\nYou can have a break of up to 3 minutes before the hazard perception test starts.\n\n## Hazard perception test\n\nBefore you start the hazard perception test, you\u2019ll be shown a video about how it works.\n\nYou\u2019ll then watch 14 video clips. The clips:\n\n- feature everyday road scenes\n\n- contain at least one \u2018developing hazard\u2019 - but one of the clips features 2 developing hazards\n\nYou get points for spotting the developing hazards as soon as they start to happen.\n\n## What a \u2018developing hazard\u2019 is\n\nA developing hazard is something that would cause you to take action, like changing speed or direction.\n\n## How the scoring works\n\nYou can score up to 5 points for each developing hazard.\n\nTo get a high score, click the mouse as soon as you see the hazard starting to develop.\n\nYou do not lose points if you click and get it wrong. However, you will not score anything if you click continuously or in a pattern.\n\nYou only get one attempt at each clip. You cannot review or change your responses.\n\n## Pass mark and test result\n\nYou get the result at the test centre after taking the theory test. You need to pass both parts to pass the test.\n\n| Test part | Pass mark | Points available |\n\n| Multiple-choice questions | 43 | 50 |\n\n| Hazard perception | 44 | 75 |\n\n## If you pass\n\nYou\u2019ll get a letter with a pass certificate number at the test centre. You need this when you book and take your motorcycle test.\n\nYour pass certificate number lasts for 2 years. You need to pass both modules of the motorcycle test in that time, otherwise you\u2019ll have to pass the theory test again.\n\n## If you fail\n\nYou\u2019ll get a letter at the test centre. It\u2019ll tell you which parts you did not score enough points on so you know what to practise.\n\nYou have to book and take the full test again, even if you passed one part this time.\n\nYou have to wait at least 3 working days before taking your test again.\n\n## If you have a reading difficulty, disability or health condition\n\nWhen you book your theory test you should say if you have a:\n\n- reading difficulty\n\n- disability\n\n- health condition\n\n## You have reading difficulties\n\nYou can ask to hear the test through headphones when you book your test. You can hear it in English or Welsh.\n\nYou can listen to the questions and possible answers as many times as you need to.\n\n## Other types of support\n\nYou can get other support during your theory test if you send proof that you have reading difficulties.\n\nThis can be an email, letter or report from:\n\n- a teacher or other educational professional\n\n- a doctor or medical professional\n\n- an occupational therapist\n\n- an online dyslexia screening product assured by the British Dyslexia Association\n\nYou can get:\n\n- extra time to take the test\n\n- someone to read what\u2019s on the screen and record your answers\n\n- someone to reword the questions for you\n\nThe Driver and Vehicle Standards Agency (DVSA) will select the best type of support for you.\n\nIf DVSA agrees that you need extra support, they will send you an email with:\n\n- a reference number (you will need this when you book your test)\n\n- instructions on how to book your test\n\n## Extra time to take the test\n\nYou can ask for more time to do the multiple choice questions part of the theory test.\n\n## Reading what\u2019s on the screen and recording your answers\n\nA member of staff at the test centre can read out the instructions and questions on the screen.\n\nThey can also record your answers to the multiple-choice questions.\n\nThis can be done by either:\n\n- listening to the member of staff through headphones while they\u2019re in another room - they\u2019ll be able to see what\u2019s on your screen\n\n- the member of staff sitting near you in the test room\n\n## Rewording the questions for you\n\nYou can ask for a member of staff to reword the theory test questions to make them easier for you to understand.\n\nThe person cannot change the technical language that you need to know. But they can change the order of the sentence and other non-technical words and phrases.\n\nYou still need to answer each question yourself.\n\n## You\u2019re deaf or have a hearing impairment\n\nYou can take the theory test in British Sign Language (BSL) if you\u2019re deaf or have a hearing impairment.\n\nA BSL video appears on the screen next to the questions and answers.\n\n## Take a BSL interpreter\n\nYou can have a BSL interpreter with you during the test. Contact DVSA to arrange this. You will not be charged an extra fee.\n\n## Hearing loop and lip speakers\n\nYou can arrange to have a lip speaker with you at the theory test centre or use a listening aid (hearing loop).\n\nTo use either service you\u2019ll need to contact DVSA before your test.\n\n## Other disabilities or health conditions\n\nContact DVSA to discuss any other disability or health condition before you book your test.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/motorcycle-theory-test", + "answerable": true, + "scenario": "I recently took a motorcycle theory test. I was so nervous and excited that I don't remember whether I passed my multiple-choice quiz or not. I remember my score was 45 but I must have zoned out when they were telling me the passing mark.", + "original_question": "Have I passed my multiple choice quiz?" + }, + { + "id": "train-1769", + "question": "Scenario: I have been running a local bus service as a sole driver for the past year. The experience was great and I love my job. However my health has started to rapidly deteriorate over the past few weeks and I wont be able to keep providing the service.\n\nQuestion: Will I be charged a fee to cancel the local bus service I am providing?\n\nDocument - Run a local bus service:\n## Overview\n\nA local bus service uses public service vehicles (PSVs) to carry passengers who pay separate fares over short distances.\n\nThe route can be any length, as long as passengers can get off within 15 miles (measured in a straight line) of where they got on.\n\nYou must usually register with the local authority and the local traffic commissioner if you\u2019re operating a local service outside London - there are some exceptions.\n\nYou need a London Service Permit to run a service in London.\n\n## Who can register\n\nYou can register a local bus service if you:\n\n- hold a valid PSV operator\u2019s licence\n\n- hold a community bus permit\n\n- are a local education authority and want to provide a local service using a school bus belonging to you\n\nTaxi or private hire vehicle owners can also register by getting a special PSV operator\u2019s licence.\n\n## Before you register\n\nBefore registering a local bus service you should consider if:\n\n- your route is suitable\n\n- you have the right sort of vehicles\n\n- you can keep to the timetable given the traffic conditions on route\n\n- you have enough drivers to cover absences though sicknesses, holidays, etc\n\n- you have replacement vehicles if other vehicles are off-road\n\n- there are any traffic regulation conditions \u2013 contact your local traffic area office\n\n- a Quality Partnership or Quality Contract Scheme exists - contact your local transport authority\n\nYou must run the service just as you have registered it, even if staff members are ill or a vehicle is off the road. There are penalties if you do not.\n\n## How to register\n\nYou must tell the local authority in England or the local council in Scotland that you\u2019re starting a bus service. You must do this 28 days before you apply to the traffic commissioner.\n\nApply to the traffic commissioner at least 42 days before your service starts - or 56 days before if your service is in Wales.\n\nThis notice period begins on the day when the traffic commissioner accepts your application.\n\nHolders of a \u2018Section 22\u2019 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.\n\nIf you want to start the service sooner you must complete a supplementary form. The traffic commissioner decides whether or not to agree to this.\n\nIf you\u2019re planning a service in Strathclyde, you must also give notice to the Strathclyde Partnership for Transport 28 days before you apply to the traffic commissioner.\n\n## Fees\n\nIt costs:\n\n- \u00a360 to register a local bus service\n\n- \u00a313 to register a community bus service\n\n## Apply online\n\nYou can register through the electronic bus service registration (EBSR) system. Telephone the Driver and Vehicle Standards Agency (DVSA) helpline for information on how to do this.\n\n## Apply by post\n\nPrint off and fill in the application form for the type of service you want to run:\n\n- PSV350 - application to register a bus service (England, Wales and Scotland)\n\n- Application to register a local bus service with a flexible route\n\n- PSV350A - supplementary form: application to start, change or cancel a registered bus service with less than 56 days\u2019 notice (England, Wales and Scotland)\n\n## Where to send the form\n\nSend the form and fees to:\n\n- Central Licensing Office - for England and Wales (except London)\n\n- Office of the Traffic Commissioner \u2013 for Scotland\n\n## Other people you must tell\n\nYou must also send copies to:\n\n- all councils your route passes through - for example the county council, shire council, unitary authority\n\n- the relevant Passenger Transport Executive if there is one\n\n## Getting help\n\nRead the following guides for more information on:\n\n- local bus service registration: guide for operators (England, Scotland and Wales)\n\n- the registration of flexibly routed local bus services: guide for operators\n\n## Change or cancel a bus service\n\nApply to the local authority and the traffic commissioner if you want to:\n\n- change a timetable, route or other detail of your service\n\n- cancel the service\n\nYou must tell the local authority in England or the local council in Scotland that you\u2019re changing or cancelling a bus service. You must do this 28 days before you apply to the traffic commissioner.\n\nApply to the traffic commissioner at least 42 days before your service changes or stops - or 56 days before if your service is in Wales.\n\nHolders of a section 22 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.\n\nIf you want to make the changes or cancel the service sooner, you must fill in a supplementary form (England, Scotland or Wales). The traffic commissioner decides whether or not to agree to this.\n\n## Fees\n\nIt costs:\n\n- \u00a360 to change a local bus service\n\n- \u00a313 to change a community bus service\n\nThere\u2019s no fee for a cancellation.\n\n## Application and supplementary forms\n\nPrint off and fill in the application and supplementary forms to:\n\n- change or cancel a registered bus service (England, Scotland or Wales)\n\n- change or cancel a registered bus service with less than 56 days notice (England, Scotland or Wales)\n\n## Exemptions\n\nYou do not have to register a bus service if all of the following apply:\n\n- someone other than you or your agent is responsible for arranging the journey and bringing the passengers together\n\n- the journey is not advertised in advance to the general public\n\n- all passengers travel together to or from the same place - for example a school or factory\n\n- passengers pay the same fare no matter how far they travel\n\n## School or college bus services\n\nIf you operate a bus service provided by a local education authority in England or Wales, you may not have to register it.\n\nYou do not need to register a service if the only passengers who pay fares are either:\n\n- studying at a school or college\n\n- supervising pupils or students\n\n- teachers or assistants working at the school or college\n\nIf other people can also use the service, it must be registered.\n\n## Other exemptions\n\nYou do not need to register:\n\n- a replacement bus service (for example when a train service is temporarily cancelled and a bus is used instead) provided under an agreement with the Secretary of State, the Scottish Ministers or the National Assembly for Wales\n\n- excursions or tours - unless they operate once a week or more for at least 6 weeks in a row\n\nAn excursion or tour is where passengers travel together on a journey, with or without breaks, from one or more places to one or more places and back.\n\n## Traffic regulation conditions\n\nThe local council can ask the traffic commissioner to impose conditions on your licence. The traffic commissioner will decide if conditions are needed to:\n\n- prevent dangers to other road users\n\n- reduce traffic congestion\n\n- limit environmental pollution\n\nThe conditions could affect:\n\n- your bus routes\n\n- where you can stop\n\n- when you can stop and for how long\n\n- where you can turn or reverse\n\n- the number of vehicles, their type or their frequency\n\nIn some cases the conditions will start straight away.\n\nYou\u2019ll be told if conditions have been imposed and they\u2019ll be added to your licence.\n\n## You cannot meet the conditions\n\nYou must change the registration within 28 days if you cannot run your service under the conditions. You will not have to pay a fee if you change the registration because of these conditions. You must meet the conditions until the change of registration takes effect.\n\n## You disagree with the conditions\n\nYou can ask for a public inquiry within 28 days if you disagree with the traffic commissioner\u2019s decision.\n\nIt\u2019s against the law to disobey traffic regulation conditions.\n\n## Penalties for poor service\n\nOnce you have registered your service you must run it:\n\n- at the times you\u2019ve said it would run\n\n- along the route you\u2019ve registered\n\n## Penalties\n\nIf you do not run a reliable or punctual service the traffic commissioner can stop you from running the service - or even running any services at all.\n\nThe traffic commissioner can also fine you. The size of the fine is based on the number of vehicles you\u2019re licensed to use.\n\nIf you provide the local bus service in England and Wales, you may also have to:\n\n- spend money on providing or improving local services or facilities\n\n- compensate passengers\n\nYou can appeal to the Upper Tribunal if you disagree with the traffic commissioner\u2019s decision.\n\nRead more about the standards for local bus services and how traffic commissioners expect you to operate.\n\n## Register a bus service in London\n\nTo run a bus service in London you must have a London Service Permit. Permits last for 5 years and you must normally apply at least 3 months before starting the service.\n\nYou can apply for a shorter period of notice if Transport for London (TfL) agrees.\n\n## Concessionary fares\n\nYou may be eligible to take part in a concessionary fare scheme. This reimburses you for carrying passengers who get discounted travel, such as:\n\n- older people\n\n- disabled people\n\n- children\n\nContact your local council for more information on taking part.\n\nSome councils offer a voluntary membership scheme for operators. Others have a compulsory scheme.\n\n## Find out more\n\nFind out more about concessionary fare schemes for:\n\n- England\n\n- Scotland\n\n- Wales\n\n## Grants for local bus services\n\nYou might qualify for the Bus Service Operator\u2019s Grant (in England or Scotland) or the Regional Transport Services Grant (in Wales) if you provide a service where:\n\n- at least half the seats are available to and regularly used by the general public\n\n- stops on the route are in places that people are likely to use reasonably often - fixed bus stops or otherwise\n\n- single journey fares are reasonably priced\n\n- fares can be paid conveniently\n\n- the bus does not have signs or any other indication that it\u2019s not available to the general public\n\n- information about the service, its route and timetable is accessible to the general public\n\n- advance bookings of flexible services do not deter people who want to make a single journey\n\nThere are slightly different conditions if your bus service is intended for transporting pupils, people with disabilities or elderly people.\n\nRead more about the Bus Service Operator\u2019s Grant (England and Scotland).\n\n## How to apply\n\nContact the helpline for your area.\n\n## England\n\n## Scotland\n\n## Wales\n\nThe grant is administered through the Regional Transport Consortia:", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/run-local-bus-service", + "answerable": true, + "scenario": "I have been running a local bus service as a sole driver for the past year. The experience was great and I love my job. However my health has started to rapidly deteriorate over the past few weeks and I wont be able to keep providing the service.", + "original_question": "Will I be charged a fee to cancel the local bus service I am providing?" + }, + { + "id": "train-1770", + "question": "Scenario: I am interested in starting a local bus service. I have selected routs which appear to have many potential passengers but no direct lines of transportation. Me and my partners all hold PSV licenses and have formed a company which will execute this service. We have already informed the local authority in England.\n\nQuestion: Can we begin operation 30 days from now if we have not informed the traffic commissioner yet?\n\nDocument - Run a local bus service:\n## Overview\n\nA local bus service uses public service vehicles (PSVs) to carry passengers who pay separate fares over short distances.\n\nThe route can be any length, as long as passengers can get off within 15 miles (measured in a straight line) of where they got on.\n\nYou must usually register with the local authority and the local traffic commissioner if you\u2019re operating a local service outside London - there are some exceptions.\n\nYou need a London Service Permit to run a service in London.\n\n## Who can register\n\nYou can register a local bus service if you:\n\n- hold a valid PSV operator\u2019s licence\n\n- hold a community bus permit\n\n- are a local education authority and want to provide a local service using a school bus belonging to you\n\nTaxi or private hire vehicle owners can also register by getting a special PSV operator\u2019s licence.\n\n## Before you register\n\nBefore registering a local bus service you should consider if:\n\n- your route is suitable\n\n- you have the right sort of vehicles\n\n- you can keep to the timetable given the traffic conditions on route\n\n- you have enough drivers to cover absences though sicknesses, holidays, etc\n\n- you have replacement vehicles if other vehicles are off-road\n\n- there are any traffic regulation conditions \u2013 contact your local traffic area office\n\n- a Quality Partnership or Quality Contract Scheme exists - contact your local transport authority\n\nYou must run the service just as you have registered it, even if staff members are ill or a vehicle is off the road. There are penalties if you do not.\n\n## How to register\n\nYou must tell the local authority in England or the local council in Scotland that you\u2019re starting a bus service. You must do this 28 days before you apply to the traffic commissioner.\n\nApply to the traffic commissioner at least 42 days before your service starts - or 56 days before if your service is in Wales.\n\nThis notice period begins on the day when the traffic commissioner accepts your application.\n\nHolders of a \u2018Section 22\u2019 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.\n\nIf you want to start the service sooner you must complete a supplementary form. The traffic commissioner decides whether or not to agree to this.\n\nIf you\u2019re planning a service in Strathclyde, you must also give notice to the Strathclyde Partnership for Transport 28 days before you apply to the traffic commissioner.\n\n## Fees\n\nIt costs:\n\n- \u00a360 to register a local bus service\n\n- \u00a313 to register a community bus service\n\n## Apply online\n\nYou can register through the electronic bus service registration (EBSR) system. Telephone the Driver and Vehicle Standards Agency (DVSA) helpline for information on how to do this.\n\n## Apply by post\n\nPrint off and fill in the application form for the type of service you want to run:\n\n- PSV350 - application to register a bus service (England, Wales and Scotland)\n\n- Application to register a local bus service with a flexible route\n\n- PSV350A - supplementary form: application to start, change or cancel a registered bus service with less than 56 days\u2019 notice (England, Wales and Scotland)\n\n## Where to send the form\n\nSend the form and fees to:\n\n- Central Licensing Office - for England and Wales (except London)\n\n- Office of the Traffic Commissioner \u2013 for Scotland\n\n## Other people you must tell\n\nYou must also send copies to:\n\n- all councils your route passes through - for example the county council, shire council, unitary authority\n\n- the relevant Passenger Transport Executive if there is one\n\n## Getting help\n\nRead the following guides for more information on:\n\n- local bus service registration: guide for operators (England, Scotland and Wales)\n\n- the registration of flexibly routed local bus services: guide for operators\n\n## Change or cancel a bus service\n\nApply to the local authority and the traffic commissioner if you want to:\n\n- change a timetable, route or other detail of your service\n\n- cancel the service\n\nYou must tell the local authority in England or the local council in Scotland that you\u2019re changing or cancelling a bus service. You must do this 28 days before you apply to the traffic commissioner.\n\nApply to the traffic commissioner at least 42 days before your service changes or stops - or 56 days before if your service is in Wales.\n\nHolders of a section 22 community bus permit must give at least 28 days\u2019 notice in England and Wales, and 56 days in Scotland.\n\nIf you want to make the changes or cancel the service sooner, you must fill in a supplementary form (England, Scotland or Wales). The traffic commissioner decides whether or not to agree to this.\n\n## Fees\n\nIt costs:\n\n- \u00a360 to change a local bus service\n\n- \u00a313 to change a community bus service\n\nThere\u2019s no fee for a cancellation.\n\n## Application and supplementary forms\n\nPrint off and fill in the application and supplementary forms to:\n\n- change or cancel a registered bus service (England, Scotland or Wales)\n\n- change or cancel a registered bus service with less than 56 days notice (England, Scotland or Wales)\n\n## Exemptions\n\nYou do not have to register a bus service if all of the following apply:\n\n- someone other than you or your agent is responsible for arranging the journey and bringing the passengers together\n\n- the journey is not advertised in advance to the general public\n\n- all passengers travel together to or from the same place - for example a school or factory\n\n- passengers pay the same fare no matter how far they travel\n\n## School or college bus services\n\nIf you operate a bus service provided by a local education authority in England or Wales, you may not have to register it.\n\nYou do not need to register a service if the only passengers who pay fares are either:\n\n- studying at a school or college\n\n- supervising pupils or students\n\n- teachers or assistants working at the school or college\n\nIf other people can also use the service, it must be registered.\n\n## Other exemptions\n\nYou do not need to register:\n\n- a replacement bus service (for example when a train service is temporarily cancelled and a bus is used instead) provided under an agreement with the Secretary of State, the Scottish Ministers or the National Assembly for Wales\n\n- excursions or tours - unless they operate once a week or more for at least 6 weeks in a row\n\nAn excursion or tour is where passengers travel together on a journey, with or without breaks, from one or more places to one or more places and back.\n\n## Traffic regulation conditions\n\nThe local council can ask the traffic commissioner to impose conditions on your licence. The traffic commissioner will decide if conditions are needed to:\n\n- prevent dangers to other road users\n\n- reduce traffic congestion\n\n- limit environmental pollution\n\nThe conditions could affect:\n\n- your bus routes\n\n- where you can stop\n\n- when you can stop and for how long\n\n- where you can turn or reverse\n\n- the number of vehicles, their type or their frequency\n\nIn some cases the conditions will start straight away.\n\nYou\u2019ll be told if conditions have been imposed and they\u2019ll be added to your licence.\n\n## You cannot meet the conditions\n\nYou must change the registration within 28 days if you cannot run your service under the conditions. You will not have to pay a fee if you change the registration because of these conditions. You must meet the conditions until the change of registration takes effect.\n\n## You disagree with the conditions\n\nYou can ask for a public inquiry within 28 days if you disagree with the traffic commissioner\u2019s decision.\n\nIt\u2019s against the law to disobey traffic regulation conditions.\n\n## Penalties for poor service\n\nOnce you have registered your service you must run it:\n\n- at the times you\u2019ve said it would run\n\n- along the route you\u2019ve registered\n\n## Penalties\n\nIf you do not run a reliable or punctual service the traffic commissioner can stop you from running the service - or even running any services at all.\n\nThe traffic commissioner can also fine you. The size of the fine is based on the number of vehicles you\u2019re licensed to use.\n\nIf you provide the local bus service in England and Wales, you may also have to:\n\n- spend money on providing or improving local services or facilities\n\n- compensate passengers\n\nYou can appeal to the Upper Tribunal if you disagree with the traffic commissioner\u2019s decision.\n\nRead more about the standards for local bus services and how traffic commissioners expect you to operate.\n\n## Register a bus service in London\n\nTo run a bus service in London you must have a London Service Permit. Permits last for 5 years and you must normally apply at least 3 months before starting the service.\n\nYou can apply for a shorter period of notice if Transport for London (TfL) agrees.\n\n## Concessionary fares\n\nYou may be eligible to take part in a concessionary fare scheme. This reimburses you for carrying passengers who get discounted travel, such as:\n\n- older people\n\n- disabled people\n\n- children\n\nContact your local council for more information on taking part.\n\nSome councils offer a voluntary membership scheme for operators. Others have a compulsory scheme.\n\n## Find out more\n\nFind out more about concessionary fare schemes for:\n\n- England\n\n- Scotland\n\n- Wales\n\n## Grants for local bus services\n\nYou might qualify for the Bus Service Operator\u2019s Grant (in England or Scotland) or the Regional Transport Services Grant (in Wales) if you provide a service where:\n\n- at least half the seats are available to and regularly used by the general public\n\n- stops on the route are in places that people are likely to use reasonably often - fixed bus stops or otherwise\n\n- single journey fares are reasonably priced\n\n- fares can be paid conveniently\n\n- the bus does not have signs or any other indication that it\u2019s not available to the general public\n\n- information about the service, its route and timetable is accessible to the general public\n\n- advance bookings of flexible services do not deter people who want to make a single journey\n\nThere are slightly different conditions if your bus service is intended for transporting pupils, people with disabilities or elderly people.\n\nRead more about the Bus Service Operator\u2019s Grant (England and Scotland).\n\n## How to apply\n\nContact the helpline for your area.\n\n## England\n\n## Scotland\n\n## Wales\n\nThe grant is administered through the Regional Transport Consortia:", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/run-local-bus-service", + "answerable": true, + "scenario": "I am interested in starting a local bus service. I have selected routs which appear to have many potential passengers but no direct lines of transportation. Me and my partners all hold PSV licenses and have formed a company which will execute this service. We have already informed the local authority in England.", + "original_question": "Can we begin operation 30 days from now if we have not informed the traffic commissioner yet?" + }, + { + "id": "train-1771", + "question": "Scenario: The truck I bought for my company has a maximum permissible weight of 3 tons. However, in combination with its second trailer that goes up to 5 tons. I usually never use the second trailer but I might have to for a large delivery next week.\n\nQuestion: Does this truck combination follow the GB domestic rules?\n\nDocument - Drivers' hours:\n## Overview\n\nIf you drive a goods vehicle or a passenger-carrying vehicle you must follow the rules on how many hours you can drive and the breaks that you need to take.\n\nThere are 3 sets of rules that could apply to your journey:\n\n- EU rules\n\n- AETR rules\n\n- GB domestic rules\n\nThe rules that apply depend on:\n\n- the type of vehicle you\u2019re driving\n\n- which country you\u2019re driving in\n\nIf you drive under the EU or GB domestic drivers\u2019 hours rules, you also need to follow the working time rules.\n\nIf you\u2019re an employer of drivers or mobile workers there are more rules you must follow.\n\nThere are different drivers\u2019 hours rules in Northern Ireland.\n\n## If you do not follow the rules\n\nIf you break the drivers\u2019 hours rules, the Driver and Vehicle Standards Agency (DVSA) can give you:\n\n- a verbal warning, for minor offences made by accident or because of inexperience\n\n- an offence rectification notice, for offences which are not a risk to road safety - you\u2019ll have 21 days to fix the issue\n\n- a prohibition notice, for serious or dangerous offences - you must stop a dangerous activity or start following the regulations\n\n- a fine or points on your licence (a \u2018fixed penalty\u2019) \u2013 the amount depends on how serious the offence is\n\nYou can be prosecuted for very serious or multiple offences.\n\nDVSA can give you further penalties (such as an improvement or prohibition notice) if you also break the working time rules.\n\nYou can ask for an emergency exemption from the rules. Read the guidance on emergency exemption and temporary relaxation of drivers\u2019 hours and working time rules.\n\n## Drivers\u2019 hours checklists\n\nYou can also print out the \u2018Staying legal\u2019 checklists, which cover the basic rules:\n\n- Staying legal - the basics (HGV drivers)\n\n- Staying legal - the basics (PSV drivers)\n\n## Rules for employers\n\nIf you employ drivers or other mobile workers, you must:\n\n- keep drivers\u2019 hours records for at least one year\n\n- make sure they are properly trained and understand the rules\n\n- organise their time so that they can follow the rules\n\n- check your drivers\u2019 hours records and data\n\n- monitor your workers\u2019 working time\n\nMobile workers are:\n\n- drivers - including employed drivers, own-account drivers and agency drivers\n\n- members of the vehicle crew, for example a second driver on a coach\n\n- anyone else who is part of the travelling staff, for example a bus conductor, a drayman or a security guard aboard a vehicle carrying high-value goods\n\n## Goods vehicles\n\nThe rules that apply to goods vehicles depend on the weight of your vehicle, the country you\u2019re driving in and what you\u2019re using the vehicle for.\n\n## EU rules\n\nEU rules apply if the maximum permissible weight of your vehicle or vehicle combination is more than 3.5 tonnes and you\u2019re driving in any of the following:\n\n- the EU (including the UK)\n\n- an European Economic Area (EEA) country\n\n- Switzerland\n\nSome vehicles are exempt from EU rules when driven in the UK.\n\n## AETR rules\n\nAETR (European Agreement Concerning the Work of Crews Engaged in International Road Transport) rules apply if your vehicle will pass through an AETR country.\n\n## GB domestic rules\n\nGB domestic rules apply if both the following are true:\n\n- the maximum permissible weight of your vehicle or vehicle combination is under 3.5 tonnes\n\n- your vehicle is exempt from EU rules when driven in the UK\n\nIf you\u2019ll be driving through a country outside of the UK, EU, EEA or Switzerland, you should contact the UK embassy of the country to check on local rules.\n\n## More information\n\nRead Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nRead the rules for drivers\u2019 hours in the recovery vehicle industry.\n\nYou can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.\n\nThere are specific rules for tachographs and horse boxes or trailers.\n\n## Passenger-carrying vehicles\n\nIf you\u2019re driving a vehicle that carries passengers the rules that apply to you depend on:\n\n- the number of passenger seats\n\n- how far you\u2019re driving (the distance of your route)\n\n- if you\u2019re driving to or from another country\n\n- if you\u2019re driving on a regular or a non-regular service\n\nA regular service follows a specified route, with stopping points for passengers to get on or off.\n\n## Public service vehicles (PSV)\n\nA public service vehicle is a vehicle that\u2019s used to carry passengers for hire or payment.\n\n| Type of operation | 8 or fewer passenger seats | 9 to 12 passenger seats | 13 to 16 passenger seats | 17 or more passenger seats |\n\n| Regular service on route not exceeding 50km | GB domestic rules | GB domestic rules | GB Domestic rules | GB Domestic rules |\n\n| National or international regular service on route exceeding 50km | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules |\n\n| National or international non-regular service for example commercial excursions, tours or private hire | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules |\n\n## Other passenger-carrying vehicles\n\nYou do not need to follow any drivers\u2019 hours rules if you drive a police, fire service or armed forces vehicle.\n\nIf you drive for a different public authority or for a business, and your vehicle is a non-PSV with:\n\n- up to 8 passenger seats - you do not need to follow any drivers\u2019 hours rules\n\n- 9 or more passenger seats - you must follow the EU rules (unless your vehicle is exempt from EU law)\n\n## If you drive a \u2018non-commercial\u2019 vehicle\n\nYou drive a non-commercial vehicle if:\n\n- passengers are not charged to use the vehicle\n\n- you and any other workers are not paid to operate or work in the vehicle\n\n- the vehicle is not used professionally or commercially\n\nIf your vehicle has up to 8 passenger seats, you do not need to follow any drivers\u2019 hours rules.\n\nIf your vehicle has 9 or more passenger seats, you usually need to follow the EU rules. You need to follow GB rules instead if your vehicle has between 10 and 17 passenger seats and is only used for non-commercial journeys.\n\n## If you use your vehicle outside the UK\n\nIf you drive between the UK and another country and your vehicle has:\n\n- up to 8 passenger seats - you must follow the local rules for the country you\u2019re driving in\n\n- 9 or more passenger seats - you must follow the EU or the European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules\n\n## More information\n\nRead Passenger vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nYou can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.\n\n## Exemptions from EU law\n\nSome types of vehicle are exempt from EU rules. This means they come under GB domestic rules in the UK.\n\nThe main types of exempt vehicle are:\n\n- vehicles that cannot go faster than 40 kilometres per hour, including vehicles that are restricted by a set speed limiter\n\n- emergency aid vehicles - vehicles used in the non-commercial transport of humanitarian aid for use in emergencies or rescue operations\n\n- breakdown vehicles - specialised breakdown vehicles working within a 100km of their base\n\n- vehicles undergoing road tests for technical development, repair or maintenance purposes, and new or rebuilt vehicles which have not yet been put into service\n\n- vehicles manufactured more than 25 years ago\n\n- vehicles used by agricultural, horticultural, forestry, farming or fishery businesses for carrying goods within 100km of where the business is based\n\n- vehicles that are used to carry live animals between a farm and a market, or from a market to a slaughterhouse where the distance is less than 100km\n\n- vehicles that are used to carry animal waste or carcasses that are not intended for human consumption\n\n- educational vehicles, for example play buses and mobile libraries\n\n- vehicles or combinations of vehicles with a maximum permissible weight of 7.5 tonnes or less that are used for carrying work equipment for the driver where the distance is less than 100km\n\n- vehicles driven only on islands whose area does not exceed 2,300 square kilometres\n\n- vehicles with a maximum weight of 7.5 tonnes which use natural or liquefied gas or electricity as fuel and carry goods within 50km from their base\n\n- driving instruction or exams - vehicles used for driving instruction and examination. Includes instruction for renewal of Driver Certificate of Professional Competence (CPC)\n\n- circus vehicles - specialised vehicles transporting circus and funfair equipment\n\n- milk collection - vehicles used for collecting milk from farms or returning milk containers or milk products for animal feed to farms\n\n- any vehicle that is propelled by steam\n\nRead the full list of exempt vehicles.\n\n## EU rules\n\n## Driving hours\n\nThe main EU rules on driving hours are that you must not drive more than:\n\n- 9 hours in a day - this can be extended to 10 hours twice a week\n\n- 56 hours in a week\n\n- 90 hours in any 2 consecutive weeks\n\nAll driving you do under EU rules must be recorded on a tachograph.\n\n## Breaks and rest\n\nThe main points of EU rules on breaks and rest are that you must take:\n\n- at least 11 hours rest every day - you can reduce this to 9 hours rest 3 times between any 2 weekly rest periods\n\n- an unbroken rest period of 45 hours every week - you can reduce this to 24 hours every other week\n\n- a break or breaks totalling at least 45 minutes after no more than 4 hours 30 minutes driving\n\n- your weekly rest after 6 consecutive 24-hour periods of working, starting from the end of the last weekly rest period taken\n\nCoach drivers on an international trip can take their weekly rest after 12 consecutive 24-hour periods, starting from the end of the last weekly rest period taken.\n\nFor more details on rests and breaks read:\n\n- Goods vehicles: rules on drivers\u2019 hours and tachographs\n\n- Passenger vehicles: rules on drivers\u2019 hours and tachographs\n\n## AETR rules\n\nThe European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules are now the same as the EU rules on drivers\u2019 hours.\n\nThe AETR rules cover all EU countries and:\n\n- Albania\n\n- Andorra\n\n- Armenia\n\n- Azerbaijan\n\n- Belarus\n\n- Bosnia and Herzegovina\n\n- Georgia\n\n- Kazakhstan\n\n- Liechtenstein\n\n- Monaco\n\n- Montenegro\n\n- Moldova\n\n- North Macedonia\n\n- Norway\n\n- Russia\n\n- San Marino\n\n- Serbia\n\n- Turkey\n\n- Turkmenistan\n\n- Ukraine\n\n- United Kingdom\n\n- Uzbekistan\n\n## GB domestic rules\n\nThe GB domestic drivers\u2019 hours rules apply to most passenger-carrying vehicles and goods vehicles that do not have to follow the EU rules.\n\nGB domestic rules apply in Great Britain - there are separate rules in Northern Ireland.\n\n## Goods vehicles\n\n## Duty time\n\nIf you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.\n\n## Daily driving limit\n\nYou must not drive for more than 10 hours in a day:\n\n- on a public road\n\n- off-road if not during duty time\n\nOff-road driving counts as duty time if it\u2019s for:\n\n- agriculture\n\n- quarrying\n\n- forestry\n\n- building work\n\n- civil engineering\n\n## Daily duty limit\n\nYou must not be on duty for more than 11 hours in any working day. This limit does not apply on any working day when you do not drive.\n\nYou must record your hours on a weekly record sheet or on a tachograph.\n\n## Exemptions\n\nYou do not need to follow the GB domestic rules if you:\n\n- are dealing with an emergency - for example, a major disruption to public services or danger to life\n\n- are using the vehicle for private driving and not for work\n\n- drive off-road or on private roads during duty time\n\n- drive a vehicle used by the armed forces, police or fire brigade\n\n## Passenger-carrying vehicles\n\n## Duty time\n\nIf you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.\n\n## Daily driving limit\n\nYou must not drive for more than 10 hours in any working day.\n\n## Breaks and continuous driving\n\nAfter 5 hours 30 minutes of driving you must take a break of at least 30 minutes for rest and refreshment.\n\nOr, within any period of 8 hours 30 minutes, you must take at least 45 minutes in breaks. You must also have a break of at least 30 minutes at the end of this period, unless it\u2019s the end of the working day.\n\n## Length of working day (\u2018spreadover\u2019)\n\nYou must not work more than 16 hours between the times of starting and finishing work - including non-driving work and any times when you\u2019re off.\n\n## Daily rest periods\n\nYou must take a rest of 10 hours before the first duty and immediately after the last duty in a working week.\n\nYou must take a rest of at least 10 hours between 2 working days (or spreadovers) - this can be reduced to 8.5 hours up to 3 times a week.\n\n## Fortnightly rest periods\n\nEvery 2 weeks you must take at least one period of 24 hours off duty.\n\nA fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.\n\n## Exemptions\n\nYou do not need to follow the GB domestic rules if you:\n\n- are dealing with an emergency - for example, a major disruption to public services or danger to life\n\n- drive for less than 4 hours a day in a week\n\nIf you drive for more than 4 hours for up to 2 days a week, you do not need to follow all of the rules. You need to:\n\n- follow the rules for daily driving limits and length of working day\n\n- start and finish all of your duties within a 24-hour period\n\n- take a rest of 10 hours before the first duty and immediately after the last duty\n\nIf you work overnight and the rules applied on the day your shift began, you must follow the rules for your entire shift - even if your shift finishes during a week in which you\u2019re exempt from the rules.\n\n## Driving under both EU and GB domestic rules\n\nIf you work partly under EU/AETR rules and partly under GB domestic rules during a day or a week you need to know the following:\n\n- driving under EU rules counts towards the driving and duty limits under GB domestic rules\n\n- on any days you drive under EU rules you must take EU daily rest periods, as well as a weekly rest period\n\n- you cannot count the time you spend driving under EU rules as an off-duty period under GB domestic rules\n\n- driving and other duty under GB domestic rules count as \u2018attendance at work\u2019, not as a break or rest period under EU rules\n\n## Driving limits\n\nYou must follow the GB domestic limit of a maximum of 10 hours driving a day. But at any time when you\u2019re actually driving under the EU rules you must follow all the rules on EU driving limits.\n\n## Other duty limits\n\nYou must follow the GB domestic limit of a maximum of:\n\n- 11 hours on duty if you drive a goods vehicle\n\n- 16 hours on duty if you drive a passenger-carrying vehicle\n\n## Rest periods and breaks\n\nYou must follow the EU rules on rest periods and breaks on days and weeks when you drive under EU rules.\n\nA fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.\n\nRead Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nRead the rules for drivers\u2019 hours in the recovery vehicle industry.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/drivers-hours", + "answerable": true, + "scenario": "The truck I bought for my company has a maximum permissible weight of 3 tons. However, in combination with its second trailer that goes up to 5 tons. I usually never use the second trailer but I might have to for a large delivery next week.", + "original_question": "Does this truck combination follow the GB domestic rules?" + }, + { + "id": "train-1772", + "question": "Scenario: I took a new route driving a passenger bus across the EU, from France to Germany. The towns I will be connecting are 10 hours apart and I am expected to drive the distance without rest twice a week. Once on Monday and once on Thursday.\n\nQuestion: Does this follow the EU regulations for drivers' hours?\n\nDocument - Drivers' hours:\n## Overview\n\nIf you drive a goods vehicle or a passenger-carrying vehicle you must follow the rules on how many hours you can drive and the breaks that you need to take.\n\nThere are 3 sets of rules that could apply to your journey:\n\n- EU rules\n\n- AETR rules\n\n- GB domestic rules\n\nThe rules that apply depend on:\n\n- the type of vehicle you\u2019re driving\n\n- which country you\u2019re driving in\n\nIf you drive under the EU or GB domestic drivers\u2019 hours rules, you also need to follow the working time rules.\n\nIf you\u2019re an employer of drivers or mobile workers there are more rules you must follow.\n\nThere are different drivers\u2019 hours rules in Northern Ireland.\n\n## If you do not follow the rules\n\nIf you break the drivers\u2019 hours rules, the Driver and Vehicle Standards Agency (DVSA) can give you:\n\n- a verbal warning, for minor offences made by accident or because of inexperience\n\n- an offence rectification notice, for offences which are not a risk to road safety - you\u2019ll have 21 days to fix the issue\n\n- a prohibition notice, for serious or dangerous offences - you must stop a dangerous activity or start following the regulations\n\n- a fine or points on your licence (a \u2018fixed penalty\u2019) \u2013 the amount depends on how serious the offence is\n\nYou can be prosecuted for very serious or multiple offences.\n\nDVSA can give you further penalties (such as an improvement or prohibition notice) if you also break the working time rules.\n\nYou can ask for an emergency exemption from the rules. Read the guidance on emergency exemption and temporary relaxation of drivers\u2019 hours and working time rules.\n\n## Drivers\u2019 hours checklists\n\nYou can also print out the \u2018Staying legal\u2019 checklists, which cover the basic rules:\n\n- Staying legal - the basics (HGV drivers)\n\n- Staying legal - the basics (PSV drivers)\n\n## Rules for employers\n\nIf you employ drivers or other mobile workers, you must:\n\n- keep drivers\u2019 hours records for at least one year\n\n- make sure they are properly trained and understand the rules\n\n- organise their time so that they can follow the rules\n\n- check your drivers\u2019 hours records and data\n\n- monitor your workers\u2019 working time\n\nMobile workers are:\n\n- drivers - including employed drivers, own-account drivers and agency drivers\n\n- members of the vehicle crew, for example a second driver on a coach\n\n- anyone else who is part of the travelling staff, for example a bus conductor, a drayman or a security guard aboard a vehicle carrying high-value goods\n\n## Goods vehicles\n\nThe rules that apply to goods vehicles depend on the weight of your vehicle, the country you\u2019re driving in and what you\u2019re using the vehicle for.\n\n## EU rules\n\nEU rules apply if the maximum permissible weight of your vehicle or vehicle combination is more than 3.5 tonnes and you\u2019re driving in any of the following:\n\n- the EU (including the UK)\n\n- an European Economic Area (EEA) country\n\n- Switzerland\n\nSome vehicles are exempt from EU rules when driven in the UK.\n\n## AETR rules\n\nAETR (European Agreement Concerning the Work of Crews Engaged in International Road Transport) rules apply if your vehicle will pass through an AETR country.\n\n## GB domestic rules\n\nGB domestic rules apply if both the following are true:\n\n- the maximum permissible weight of your vehicle or vehicle combination is under 3.5 tonnes\n\n- your vehicle is exempt from EU rules when driven in the UK\n\nIf you\u2019ll be driving through a country outside of the UK, EU, EEA or Switzerland, you should contact the UK embassy of the country to check on local rules.\n\n## More information\n\nRead Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nRead the rules for drivers\u2019 hours in the recovery vehicle industry.\n\nYou can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.\n\nThere are specific rules for tachographs and horse boxes or trailers.\n\n## Passenger-carrying vehicles\n\nIf you\u2019re driving a vehicle that carries passengers the rules that apply to you depend on:\n\n- the number of passenger seats\n\n- how far you\u2019re driving (the distance of your route)\n\n- if you\u2019re driving to or from another country\n\n- if you\u2019re driving on a regular or a non-regular service\n\nA regular service follows a specified route, with stopping points for passengers to get on or off.\n\n## Public service vehicles (PSV)\n\nA public service vehicle is a vehicle that\u2019s used to carry passengers for hire or payment.\n\n| Type of operation | 8 or fewer passenger seats | 9 to 12 passenger seats | 13 to 16 passenger seats | 17 or more passenger seats |\n\n| Regular service on route not exceeding 50km | GB domestic rules | GB domestic rules | GB Domestic rules | GB Domestic rules |\n\n| National or international regular service on route exceeding 50km | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules |\n\n| National or international non-regular service for example commercial excursions, tours or private hire | The local rules of the countries you drive in (GB domestic rules in the UK) | EU/AETR rules | EU/AETR rules | EU/AETR rules |\n\n## Other passenger-carrying vehicles\n\nYou do not need to follow any drivers\u2019 hours rules if you drive a police, fire service or armed forces vehicle.\n\nIf you drive for a different public authority or for a business, and your vehicle is a non-PSV with:\n\n- up to 8 passenger seats - you do not need to follow any drivers\u2019 hours rules\n\n- 9 or more passenger seats - you must follow the EU rules (unless your vehicle is exempt from EU law)\n\n## If you drive a \u2018non-commercial\u2019 vehicle\n\nYou drive a non-commercial vehicle if:\n\n- passengers are not charged to use the vehicle\n\n- you and any other workers are not paid to operate or work in the vehicle\n\n- the vehicle is not used professionally or commercially\n\nIf your vehicle has up to 8 passenger seats, you do not need to follow any drivers\u2019 hours rules.\n\nIf your vehicle has 9 or more passenger seats, you usually need to follow the EU rules. You need to follow GB rules instead if your vehicle has between 10 and 17 passenger seats and is only used for non-commercial journeys.\n\n## If you use your vehicle outside the UK\n\nIf you drive between the UK and another country and your vehicle has:\n\n- up to 8 passenger seats - you must follow the local rules for the country you\u2019re driving in\n\n- 9 or more passenger seats - you must follow the EU or the European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules\n\n## More information\n\nRead Passenger vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nYou can also print out the \u2018Staying legal\u2019 leaflet, which includes checklists covering the basic rules.\n\n## Exemptions from EU law\n\nSome types of vehicle are exempt from EU rules. This means they come under GB domestic rules in the UK.\n\nThe main types of exempt vehicle are:\n\n- vehicles that cannot go faster than 40 kilometres per hour, including vehicles that are restricted by a set speed limiter\n\n- emergency aid vehicles - vehicles used in the non-commercial transport of humanitarian aid for use in emergencies or rescue operations\n\n- breakdown vehicles - specialised breakdown vehicles working within a 100km of their base\n\n- vehicles undergoing road tests for technical development, repair or maintenance purposes, and new or rebuilt vehicles which have not yet been put into service\n\n- vehicles manufactured more than 25 years ago\n\n- vehicles used by agricultural, horticultural, forestry, farming or fishery businesses for carrying goods within 100km of where the business is based\n\n- vehicles that are used to carry live animals between a farm and a market, or from a market to a slaughterhouse where the distance is less than 100km\n\n- vehicles that are used to carry animal waste or carcasses that are not intended for human consumption\n\n- educational vehicles, for example play buses and mobile libraries\n\n- vehicles or combinations of vehicles with a maximum permissible weight of 7.5 tonnes or less that are used for carrying work equipment for the driver where the distance is less than 100km\n\n- vehicles driven only on islands whose area does not exceed 2,300 square kilometres\n\n- vehicles with a maximum weight of 7.5 tonnes which use natural or liquefied gas or electricity as fuel and carry goods within 50km from their base\n\n- driving instruction or exams - vehicles used for driving instruction and examination. Includes instruction for renewal of Driver Certificate of Professional Competence (CPC)\n\n- circus vehicles - specialised vehicles transporting circus and funfair equipment\n\n- milk collection - vehicles used for collecting milk from farms or returning milk containers or milk products for animal feed to farms\n\n- any vehicle that is propelled by steam\n\nRead the full list of exempt vehicles.\n\n## EU rules\n\n## Driving hours\n\nThe main EU rules on driving hours are that you must not drive more than:\n\n- 9 hours in a day - this can be extended to 10 hours twice a week\n\n- 56 hours in a week\n\n- 90 hours in any 2 consecutive weeks\n\nAll driving you do under EU rules must be recorded on a tachograph.\n\n## Breaks and rest\n\nThe main points of EU rules on breaks and rest are that you must take:\n\n- at least 11 hours rest every day - you can reduce this to 9 hours rest 3 times between any 2 weekly rest periods\n\n- an unbroken rest period of 45 hours every week - you can reduce this to 24 hours every other week\n\n- a break or breaks totalling at least 45 minutes after no more than 4 hours 30 minutes driving\n\n- your weekly rest after 6 consecutive 24-hour periods of working, starting from the end of the last weekly rest period taken\n\nCoach drivers on an international trip can take their weekly rest after 12 consecutive 24-hour periods, starting from the end of the last weekly rest period taken.\n\nFor more details on rests and breaks read:\n\n- Goods vehicles: rules on drivers\u2019 hours and tachographs\n\n- Passenger vehicles: rules on drivers\u2019 hours and tachographs\n\n## AETR rules\n\nThe European Agreement Concerning the Work of Crews of Vehicles Engaged in International Road Transport (AETR) rules are now the same as the EU rules on drivers\u2019 hours.\n\nThe AETR rules cover all EU countries and:\n\n- Albania\n\n- Andorra\n\n- Armenia\n\n- Azerbaijan\n\n- Belarus\n\n- Bosnia and Herzegovina\n\n- Georgia\n\n- Kazakhstan\n\n- Liechtenstein\n\n- Monaco\n\n- Montenegro\n\n- Moldova\n\n- North Macedonia\n\n- Norway\n\n- Russia\n\n- San Marino\n\n- Serbia\n\n- Turkey\n\n- Turkmenistan\n\n- Ukraine\n\n- United Kingdom\n\n- Uzbekistan\n\n## GB domestic rules\n\nThe GB domestic drivers\u2019 hours rules apply to most passenger-carrying vehicles and goods vehicles that do not have to follow the EU rules.\n\nGB domestic rules apply in Great Britain - there are separate rules in Northern Ireland.\n\n## Goods vehicles\n\n## Duty time\n\nIf you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.\n\n## Daily driving limit\n\nYou must not drive for more than 10 hours in a day:\n\n- on a public road\n\n- off-road if not during duty time\n\nOff-road driving counts as duty time if it\u2019s for:\n\n- agriculture\n\n- quarrying\n\n- forestry\n\n- building work\n\n- civil engineering\n\n## Daily duty limit\n\nYou must not be on duty for more than 11 hours in any working day. This limit does not apply on any working day when you do not drive.\n\nYou must record your hours on a weekly record sheet or on a tachograph.\n\n## Exemptions\n\nYou do not need to follow the GB domestic rules if you:\n\n- are dealing with an emergency - for example, a major disruption to public services or danger to life\n\n- are using the vehicle for private driving and not for work\n\n- drive off-road or on private roads during duty time\n\n- drive a vehicle used by the armed forces, police or fire brigade\n\n## Passenger-carrying vehicles\n\n## Duty time\n\nIf you work as a driver for a company, duty time is any working time. If you\u2019re self-employed, duty time is only time you spend driving the vehicle or doing other work related to the vehicle or its load.\n\n## Daily driving limit\n\nYou must not drive for more than 10 hours in any working day.\n\n## Breaks and continuous driving\n\nAfter 5 hours 30 minutes of driving you must take a break of at least 30 minutes for rest and refreshment.\n\nOr, within any period of 8 hours 30 minutes, you must take at least 45 minutes in breaks. You must also have a break of at least 30 minutes at the end of this period, unless it\u2019s the end of the working day.\n\n## Length of working day (\u2018spreadover\u2019)\n\nYou must not work more than 16 hours between the times of starting and finishing work - including non-driving work and any times when you\u2019re off.\n\n## Daily rest periods\n\nYou must take a rest of 10 hours before the first duty and immediately after the last duty in a working week.\n\nYou must take a rest of at least 10 hours between 2 working days (or spreadovers) - this can be reduced to 8.5 hours up to 3 times a week.\n\n## Fortnightly rest periods\n\nEvery 2 weeks you must take at least one period of 24 hours off duty.\n\nA fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.\n\n## Exemptions\n\nYou do not need to follow the GB domestic rules if you:\n\n- are dealing with an emergency - for example, a major disruption to public services or danger to life\n\n- drive for less than 4 hours a day in a week\n\nIf you drive for more than 4 hours for up to 2 days a week, you do not need to follow all of the rules. You need to:\n\n- follow the rules for daily driving limits and length of working day\n\n- start and finish all of your duties within a 24-hour period\n\n- take a rest of 10 hours before the first duty and immediately after the last duty\n\nIf you work overnight and the rules applied on the day your shift began, you must follow the rules for your entire shift - even if your shift finishes during a week in which you\u2019re exempt from the rules.\n\n## Driving under both EU and GB domestic rules\n\nIf you work partly under EU/AETR rules and partly under GB domestic rules during a day or a week you need to know the following:\n\n- driving under EU rules counts towards the driving and duty limits under GB domestic rules\n\n- on any days you drive under EU rules you must take EU daily rest periods, as well as a weekly rest period\n\n- you cannot count the time you spend driving under EU rules as an off-duty period under GB domestic rules\n\n- driving and other duty under GB domestic rules count as \u2018attendance at work\u2019, not as a break or rest period under EU rules\n\n## Driving limits\n\nYou must follow the GB domestic limit of a maximum of 10 hours driving a day. But at any time when you\u2019re actually driving under the EU rules you must follow all the rules on EU driving limits.\n\n## Other duty limits\n\nYou must follow the GB domestic limit of a maximum of:\n\n- 11 hours on duty if you drive a goods vehicle\n\n- 16 hours on duty if you drive a passenger-carrying vehicle\n\n## Rest periods and breaks\n\nYou must follow the EU rules on rest periods and breaks on days and weeks when you drive under EU rules.\n\nA fixed week is from 00:00 hours on Monday to 24:00 hours the next Sunday.\n\nRead Goods vehicles: rules on drivers\u2019 hours and tachographs for the main rules.\n\nRead the rules for drivers\u2019 hours in the recovery vehicle industry.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/drivers-hours", + "answerable": true, + "scenario": "I took a new route driving a passenger bus across the EU, from France to Germany. The towns I will be connecting are 10 hours apart and I am expected to drive the distance without rest twice a week. Once on Monday and once on Thursday.", + "original_question": "Does this follow the EU regulations for drivers' hours?" + }, + { + "id": "train-1773", + "question": "Scenario: I am interested in becoming a DAS motorcycle instructor. I have been looking into the requirements and I believe I meet almost all of them. I have booked my assessment and will be attending next Monday at 8:30. However I will have to pick up my kids from school at around 2pm.\n\nQuestion: Will the assessment last the whole day?\n\nDocument - Become a direct access scheme (DAS) motorcycle instructor:\n## Overview\n\nYou can apply to the Driver and Vehicle Standards Agency (DVSA) to become a direct access scheme (DAS) certified instructor.\n\nAll provisional licence holders training on a motorbike over 125cc and 11kW power output must be trained by a qualified DAS instructor.\n\n## Rules for becoming a DAS instructor\n\nTo become a DAS certified instructor you must have a driving licence from either:\n\n- Great Britain or Northern Ireland\n\n- the EU or EEA - but you must register it\n first\n\nYou must also:\n\n- be 21 or over\n\n- have had a full category A2 or A motorcycle licence for at least 3 years\n\n- have passed the 2-day assessment to become a DVSA assessed compulsory basic training (CBT) instructor\n\nYou\u2019ll have to take a 2-day assessment at a DVSA training and development centre.\n\n## When you qualify\n\nWhen you pass you\u2019ll be able to give DAS training.\n\n## How to book your assessment\n\nThe direct access scheme (DAS) instructor assessment lasts for half a day. You can book a:\n\n- morning assessment, which starts at 8:30am\n\n- afternoon assessment, which starts at 1pm\n\nFill in the application form to book your assessment and send it to the address on the form. There\u2019s no charge for the assessment.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.\n\nYour application will be valid for 6 months.\n\n## If you cannot go to your assessment\n\nTell DVSA by email if you cannot attend your assessment.\n\nYou must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.\n\n## Preparing for the assessment\n\nStudy the training guidance before you take the assessment.\n\nSign up for email alerts to be told when the guidance is updated.\n\n## Other preparation\n\nYou should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Learning to Ride\n\n- Riding - the Essential Skills\n\n- Theory Test for Motorcyclists\n\nYou can buy them from most high street and online book shops.\n\n## What to bring to your assessment\n\nYou need to bring:\n\n- your valid driving licence\n\n- your CBT1 card\n\n- your joining instructions\n\n- a fully taxed and roadworthy motorcycle with a power output of at least 20kW\n\n- a full-face safety helmet\n\nIf you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.\n\nYour assessment will be cancelled if you do not bring these.\n\nYou\u2019re allowed to bring relevant training aids and preparation material with you.\n\n## What the assessment involves\n\nThere are 3 main sessions in the direct access scheme (DAS) instructor assessment. You\u2019ll get a full explanation before the assessment starts.\n\n## Session 1 - theory\n\nThis session lasts around 15 minutes. The Driver and Vehicle Standards Agency (DVSA) assessor will play the role of a rider who:\n\n- has done their compulsory basic training (CBT) on a 125cc motorcycle\n\n- is new to riding larger and more powerful motorcycles\n\nYou have to show and tell them the main differences between large motorcycles and the smaller motorcycles used for CBT. You\u2019ll do this alongside the motorcycle.\n\n## Session 2 - on-site handling assessment\n\nIn this session of the assessment you\u2019ll be given the scenario of a rider who has:\n\n- already taken CBT\n\n- difficulties in the basic control of a large motorcycle when riding it on private land\n\nYou have to:\n\n- decide how to overcome the difficulties\n\n- give instruction to develop the rider\u2019s basic skills off-road\n\nThe scenario will include 2 of the following riding skills requiring attention:\n\n- moving off and stopping the bike\n\n- controlled braking\n\n- gear-changing\n\n- slow riding skills\n\n- slow controlled turning (similar to the \u2018figure of 8\u2019 exercise on CBT)\n\n## Session 3 - on-road assessments\n\nThis session of the assessment will last for around 1 hour 30 minutes. The assessor will play the part of a trainee.\n\nYou\u2019ll have to give 3 on-road lessons during this session.\n\nThe assessor will select the lessons from:\n\n- positioning in normal riding and dealing with bends\n\n- negotiating left and right turns at junctions\n\n- dealing with different types of crossroads\n\n- dealing with town centre riding\n\n- negotiating roundabouts\n\n- dealing with dual carriageways\n\n- dealing with other traffic safely when following behind and overtaking other vehicles\n\n- moving off from all positions\n\n- riding in areas with a national speed limit\n\n- joining and leaving dual carriageways and following behind other traffic\n\n- dealing with overtaking, meeting, filtering and leaving enough clearance to stationary vehicles\n\n- moving off, the emergency stop exercise, u-turn exercises (pushing and riding) and taking the motorcycle on and off the stand\n\n## During the on-road assessments\n\nDuring the ride you\u2019ll be expected to:\n\n- give any instruction you feel necessary\n\n- correct any riding faults that may occur\n\nYou can ask the trainee to pull up so that you can give face-to-face instruction or guidance.\n\n## Your assessment result\n\nYou\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.\n\nIt\u2019s your responsibility to tell your approved training body your result.\n\n## Passing the assessment\n\nIf you pass, fill in Form 4 to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a direct access scheme (DAS) certified instructor.\n\nYou\u2019ll have to give details of any motoring or non-motoring offences you\u2019ve got within the last 4 years on your application form. These will be taken into account when DVSA assesses your suitability to be authorised.\n\nYou are not allowed to conduct DAS courses until you\u2019ve got your registration certificate.\n\n## Failing the assessment\n\nYou\u2019ll be sent another DAS assessment application form if you do not pass so you can book again if you want to.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "answerable": true, + "scenario": "I am interested in becoming a DAS motorcycle instructor. I have been looking into the requirements and I believe I meet almost all of them. I have booked my assessment and will be attending next Monday at 8:30. However I will have to pick up my kids from school at around 2pm.", + "original_question": "Will the assessment last the whole day?" + }, + { + "id": "train-1774", + "question": "Scenario: I will be attending my DAS motorcycle instructor assessment tomorrow. I am aware that its split up into 3 Sessions with the third one being the on-road assessment one, which is the one I am the most excited and most anxious about. I have always struggled with roundabouts, especially with the new ones they set up in my area.\n\nQuestion: Could the assessor request a lesson on roundabouts?\n\nDocument - Become a direct access scheme (DAS) motorcycle instructor:\n## Overview\n\nYou can apply to the Driver and Vehicle Standards Agency (DVSA) to become a direct access scheme (DAS) certified instructor.\n\nAll provisional licence holders training on a motorbike over 125cc and 11kW power output must be trained by a qualified DAS instructor.\n\n## Rules for becoming a DAS instructor\n\nTo become a DAS certified instructor you must have a driving licence from either:\n\n- Great Britain or Northern Ireland\n\n- the EU or EEA - but you must register it\n first\n\nYou must also:\n\n- be 21 or over\n\n- have had a full category A2 or A motorcycle licence for at least 3 years\n\n- have passed the 2-day assessment to become a DVSA assessed compulsory basic training (CBT) instructor\n\nYou\u2019ll have to take a 2-day assessment at a DVSA training and development centre.\n\n## When you qualify\n\nWhen you pass you\u2019ll be able to give DAS training.\n\n## How to book your assessment\n\nThe direct access scheme (DAS) instructor assessment lasts for half a day. You can book a:\n\n- morning assessment, which starts at 8:30am\n\n- afternoon assessment, which starts at 1pm\n\nFill in the application form to book your assessment and send it to the address on the form. There\u2019s no charge for the assessment.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.\n\nYour application will be valid for 6 months.\n\n## If you cannot go to your assessment\n\nTell DVSA by email if you cannot attend your assessment.\n\nYou must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.\n\n## Preparing for the assessment\n\nStudy the training guidance before you take the assessment.\n\nSign up for email alerts to be told when the guidance is updated.\n\n## Other preparation\n\nYou should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Learning to Ride\n\n- Riding - the Essential Skills\n\n- Theory Test for Motorcyclists\n\nYou can buy them from most high street and online book shops.\n\n## What to bring to your assessment\n\nYou need to bring:\n\n- your valid driving licence\n\n- your CBT1 card\n\n- your joining instructions\n\n- a fully taxed and roadworthy motorcycle with a power output of at least 20kW\n\n- a full-face safety helmet\n\nIf you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.\n\nYour assessment will be cancelled if you do not bring these.\n\nYou\u2019re allowed to bring relevant training aids and preparation material with you.\n\n## What the assessment involves\n\nThere are 3 main sessions in the direct access scheme (DAS) instructor assessment. You\u2019ll get a full explanation before the assessment starts.\n\n## Session 1 - theory\n\nThis session lasts around 15 minutes. The Driver and Vehicle Standards Agency (DVSA) assessor will play the role of a rider who:\n\n- has done their compulsory basic training (CBT) on a 125cc motorcycle\n\n- is new to riding larger and more powerful motorcycles\n\nYou have to show and tell them the main differences between large motorcycles and the smaller motorcycles used for CBT. You\u2019ll do this alongside the motorcycle.\n\n## Session 2 - on-site handling assessment\n\nIn this session of the assessment you\u2019ll be given the scenario of a rider who has:\n\n- already taken CBT\n\n- difficulties in the basic control of a large motorcycle when riding it on private land\n\nYou have to:\n\n- decide how to overcome the difficulties\n\n- give instruction to develop the rider\u2019s basic skills off-road\n\nThe scenario will include 2 of the following riding skills requiring attention:\n\n- moving off and stopping the bike\n\n- controlled braking\n\n- gear-changing\n\n- slow riding skills\n\n- slow controlled turning (similar to the \u2018figure of 8\u2019 exercise on CBT)\n\n## Session 3 - on-road assessments\n\nThis session of the assessment will last for around 1 hour 30 minutes. The assessor will play the part of a trainee.\n\nYou\u2019ll have to give 3 on-road lessons during this session.\n\nThe assessor will select the lessons from:\n\n- positioning in normal riding and dealing with bends\n\n- negotiating left and right turns at junctions\n\n- dealing with different types of crossroads\n\n- dealing with town centre riding\n\n- negotiating roundabouts\n\n- dealing with dual carriageways\n\n- dealing with other traffic safely when following behind and overtaking other vehicles\n\n- moving off from all positions\n\n- riding in areas with a national speed limit\n\n- joining and leaving dual carriageways and following behind other traffic\n\n- dealing with overtaking, meeting, filtering and leaving enough clearance to stationary vehicles\n\n- moving off, the emergency stop exercise, u-turn exercises (pushing and riding) and taking the motorcycle on and off the stand\n\n## During the on-road assessments\n\nDuring the ride you\u2019ll be expected to:\n\n- give any instruction you feel necessary\n\n- correct any riding faults that may occur\n\nYou can ask the trainee to pull up so that you can give face-to-face instruction or guidance.\n\n## Your assessment result\n\nYou\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.\n\nIt\u2019s your responsibility to tell your approved training body your result.\n\n## Passing the assessment\n\nIf you pass, fill in Form 4 to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a direct access scheme (DAS) certified instructor.\n\nYou\u2019ll have to give details of any motoring or non-motoring offences you\u2019ve got within the last 4 years on your application form. These will be taken into account when DVSA assesses your suitability to be authorised.\n\nYou are not allowed to conduct DAS courses until you\u2019ve got your registration certificate.\n\n## Failing the assessment\n\nYou\u2019ll be sent another DAS assessment application form if you do not pass so you can book again if you want to.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-direct-access-scheme-motorcycle-instructor", + "answerable": true, + "scenario": "I will be attending my DAS motorcycle instructor assessment tomorrow. I am aware that its split up into 3 Sessions with the third one being the on-road assessment one, which is the one I am the most excited and most anxious about. I have always struggled with roundabouts, especially with the new ones they set up in my area.", + "original_question": "Could the assessor request a lesson on roundabouts?" + }, + { + "id": "train-1775", + "question": "Scenario: I successfully applied for an advanced learner loan for a high level software course I was interested in taking. I believe this course is going to jump start my career as a software engineer but in all of the chaos with the applications I missed a few details regarding the loan.\n\nQuestion: Do I have to start repaying the loan as soon as I am done with the course?\n\nDocument - Advanced Learner Loan:\n## Overview\n\nYou can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.\n\nLoan eligibility does not depend on your income and there are no credit checks.\n\nCheck if you\u2019re eligible before you apply for an Advanced Learner Loan.\n\nDifferent funding is available if you want to study in Scotland, Northern Ireland or Wales.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## Access to Higher Education (HE) course\n\nStudent Finance England will \u2018write off\u2019 any outstanding Advanced Learner Loan balances you owe for an Access to HE course once you complete a higher education course. This means you do not have to repay it.\n\nThe higher education course must be eligible for student finance.\n\n## Loan Bursary Fund\n\nYou may also be eligible for money from the Advanced Learner Loan Bursary Fund if you need help with some costs while studying, for example childcare, travel or trips related to your course.\n\nUse the Money Advice Service to work out the cost of borrowing.\n\n## What you'll get\n\nHow much you get depends on:\n\n- the type of course\n\n- your course fees\n\n- the maximum loan available for your course\n\nThe minimum loan you can get is \u00a3300 and is paid directly to your college or training provider.\n\nYou do not have to borrow the full cost of your course - you can pay for some of it yourself.\n\n## Number of loans you can get\n\nYou can apply for up to 4 loans and you can get more than one at the same time.\n\nYou can apply for another loan to take the same level of a course, for example the same level qualification in History if you\u2019ve already had a loan for the same level in Maths.\n\nYou can only apply once for an Access to Higher Education course.\n\n## A Levels\n\nYou can apply for a loan to fund each course you take towards your A Levels - up to a maximum of 4 A Levels.\n\nThis means you can have up to 8 loans if you\u2019re taking each A Level as 2 separate courses.\n\nThe courses must be in the same subject to qualify for a full A Level.\n\nYou can get 3 more loans for non A Level courses either before or after your course of A Levels.\n\n## Eligibility\n\nWhether you qualify for an Advanced Learner Loan depends on your:\n\n- age\n\n- course\n\n- college or training provider\n\n- nationality or residency status\n\nYou must be 19 or older on the first day of your course.\n\nYour course must be:\n\n- a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate\n\n- at an approved college or training provider in England\n\nAsk your college or training provider if you do not know if your course is eligible.\n\n## Your nationality or residency status\n\nIn most cases, all of the following must apply. You must:\n\n- be living in the UK on the first day of your course\n\n- be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)\n\n- have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course\n\nIf you have settled status because you\u2019re a victim of domestic violence, you do not need to have lived in the UK, Channel Islands or Isle of Man for 3 years.\n\nYou may also qualify if you\u2019re:\n\n- a UK national, or someone with settled status, but you live in the European Economic Area (EEA)\n\n- an EU national or a family member of one\n\n- not a UK national but you\u2019ve lived in the UK for at least 20 years (or at least half of your life)\n\n- a refugee or a relative of one\n\n- a migrant worker\n\n- the child of a Swiss national\n\n- the child of a Turkish worker\n\n- under humanitarian protection or a relative of someone who has been granted it\n\n- staying in the UK as a stateless person (or their family member) and your course started on or after 1 August 2018\n\n- a serving member of the UK armed forces (or their spouse, civil partner or a dependent parent or child living with them) doing a distance learning course from outside the UK that started on or after 1 August 2017\n\n- someone granted \u2018Calais leave\u2019 to remain or a child of someone granted \u2018Calais leave\u2019 to remain - if your course starts on or after 1 August 2020 and you\u2019ve lived in the UK for at least 3 years before the first day of the first academic year of your course\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## How to apply\n\n- Check with your college or training provider that the course qualifies.\n\n- Ask them for a \u2018Learning and funding information\u2019 letter - you need this to complete the application. It contains the details about your course.\n\n- Apply online - you\u2019ll need to register first. You can apply by post if you cannot apply online.\n\n- You\u2019ll get a letter confirming your loan - usually within 2 weeks if you apply online (postal applications take longer).\n\n## What you need to know\n\nYou cannot apply until you get a \u2018learning and funding information letter\u2019 from your college or training provider.\n\nYou can apply for a loan without a National Insurance number but you must have one before the loan can be paid.\n\n## Apply by post\n\nIf you cannot apply online, apply by post - the address is on the form.\n\n## Proof of identity\n\nIf you\u2019re a UK national, include your UK passport details in your application as proof of identity. If you forget, use the \u2018UK passport details form\u2019.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re from an EU country, send your EU passport or identity card the first time you apply.\n\n## Supporting information\n\nUse the \u2018Evidence return form\u2019 if you need to send extra information to support your application, such as proof of residency status.\n\n## Change an application\n\nOnce your application has been approved you can log in to your account to make a change online.\n\nIf you just want to change your loan amount you can use the loan request form instead.\n\n## Bursary fund\n\nYou may apply to get money from the Loan Bursary Fund after you\u2019ve received a letter approving your Advanced Learner Loan.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare\n\n- classroom assistance for a disability or learning difficulty - once you\u2019re assessed by your college or training provider\n\n## How to apply\n\nApply to your college or training provider - each one has its own application process. How much you get depends on the provider\u2019s scheme and your circumstances.\n\nSpeak to student services if you need support with your application.\n\n## How the money is paid\n\nYour college or training provider decides how the money is paid. You\u2019ll normally be paid direct. You might be able to arrange for the money to be paid to someone else instead, for example your landlord or childcare provider.\n\nIn some situations fund money must be paid back. This is generally if you\u2019re a student experiencing a temporary financial difficulty and need a loan, for example for help with your mortgage or rent.\n\n## Eligibility\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Disability Living Allowance\n\nYou cannot apply if you\u2019re:\n\n- getting student finance for higher education\n\n- on an apprenticeship training scheme\n\n- on a Community Learning course\n\n## Appeal a decision\n\nContact your college or training provider to appeal a decision from the Loan Bursary Fund.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/advanced-learner-loan", + "answerable": true, + "scenario": "I successfully applied for an advanced learner loan for a high level software course I was interested in taking. I believe this course is going to jump start my career as a software engineer but in all of the chaos with the applications I missed a few details regarding the loan.", + "original_question": "Do I have to start repaying the loan as soon as I am done with the course?" + }, + { + "id": "train-1776", + "question": "Scenario: I am currently studying mechanical engineering in South-West England. I am an European student who was eligible to receive a student finance loan for my bachelor's degree.\n\nQuestion: Am I eligible to get money from the Bursary fund under these circumstances?\n\nDocument - Advanced Learner Loan:\n## Overview\n\nYou can apply for an Advanced Learner Loan to help with the costs of a course at a college or training provider in England.\n\nLoan eligibility does not depend on your income and there are no credit checks.\n\nCheck if you\u2019re eligible before you apply for an Advanced Learner Loan.\n\nDifferent funding is available if you want to study in Scotland, Northern Ireland or Wales.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## Access to Higher Education (HE) course\n\nStudent Finance England will \u2018write off\u2019 any outstanding Advanced Learner Loan balances you owe for an Access to HE course once you complete a higher education course. This means you do not have to repay it.\n\nThe higher education course must be eligible for student finance.\n\n## Loan Bursary Fund\n\nYou may also be eligible for money from the Advanced Learner Loan Bursary Fund if you need help with some costs while studying, for example childcare, travel or trips related to your course.\n\nUse the Money Advice Service to work out the cost of borrowing.\n\n## What you'll get\n\nHow much you get depends on:\n\n- the type of course\n\n- your course fees\n\n- the maximum loan available for your course\n\nThe minimum loan you can get is \u00a3300 and is paid directly to your college or training provider.\n\nYou do not have to borrow the full cost of your course - you can pay for some of it yourself.\n\n## Number of loans you can get\n\nYou can apply for up to 4 loans and you can get more than one at the same time.\n\nYou can apply for another loan to take the same level of a course, for example the same level qualification in History if you\u2019ve already had a loan for the same level in Maths.\n\nYou can only apply once for an Access to Higher Education course.\n\n## A Levels\n\nYou can apply for a loan to fund each course you take towards your A Levels - up to a maximum of 4 A Levels.\n\nThis means you can have up to 8 loans if you\u2019re taking each A Level as 2 separate courses.\n\nThe courses must be in the same subject to qualify for a full A Level.\n\nYou can get 3 more loans for non A Level courses either before or after your course of A Levels.\n\n## Eligibility\n\nWhether you qualify for an Advanced Learner Loan depends on your:\n\n- age\n\n- course\n\n- college or training provider\n\n- nationality or residency status\n\nYou must be 19 or older on the first day of your course.\n\nYour course must be:\n\n- a Level 3, 4, 5 or 6 qualification, for example A Levels or graduate certificate\n\n- at an approved college or training provider in England\n\nAsk your college or training provider if you do not know if your course is eligible.\n\n## Your nationality or residency status\n\nIn most cases, all of the following must apply. You must:\n\n- be living in the UK on the first day of your course\n\n- be a UK national or have \u2018settled status\u2019 (this means there are no restrictions on how long you can stay)\n\n- have been living in the UK, Channel Islands or Isle of Man for 3 years before starting your course\n\nIf you have settled status because you\u2019re a victim of domestic violence, you do not need to have lived in the UK, Channel Islands or Isle of Man for 3 years.\n\nYou may also qualify if you\u2019re:\n\n- a UK national, or someone with settled status, but you live in the European Economic Area (EEA)\n\n- an EU national or a family member of one\n\n- not a UK national but you\u2019ve lived in the UK for at least 20 years (or at least half of your life)\n\n- a refugee or a relative of one\n\n- a migrant worker\n\n- the child of a Swiss national\n\n- the child of a Turkish worker\n\n- under humanitarian protection or a relative of someone who has been granted it\n\n- staying in the UK as a stateless person (or their family member) and your course started on or after 1 August 2018\n\n- a serving member of the UK armed forces (or their spouse, civil partner or a dependent parent or child living with them) doing a distance learning course from outside the UK that started on or after 1 August 2017\n\n- someone granted \u2018Calais leave\u2019 to remain or a child of someone granted \u2018Calais leave\u2019 to remain - if your course starts on or after 1 August 2020 and you\u2019ve lived in the UK for at least 3 years before the first day of the first academic year of your course\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## How to apply\n\n- Check with your college or training provider that the course qualifies.\n\n- Ask them for a \u2018Learning and funding information\u2019 letter - you need this to complete the application. It contains the details about your course.\n\n- Apply online - you\u2019ll need to register first. You can apply by post if you cannot apply online.\n\n- You\u2019ll get a letter confirming your loan - usually within 2 weeks if you apply online (postal applications take longer).\n\n## What you need to know\n\nYou cannot apply until you get a \u2018learning and funding information letter\u2019 from your college or training provider.\n\nYou can apply for a loan without a National Insurance number but you must have one before the loan can be paid.\n\n## Apply by post\n\nIf you cannot apply online, apply by post - the address is on the form.\n\n## Proof of identity\n\nIf you\u2019re a UK national, include your UK passport details in your application as proof of identity. If you forget, use the \u2018UK passport details form\u2019.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re from an EU country, send your EU passport or identity card the first time you apply.\n\n## Supporting information\n\nUse the \u2018Evidence return form\u2019 if you need to send extra information to support your application, such as proof of residency status.\n\n## Change an application\n\nOnce your application has been approved you can log in to your account to make a change online.\n\nIf you just want to change your loan amount you can use the loan request form instead.\n\n## Bursary fund\n\nYou may apply to get money from the Loan Bursary Fund after you\u2019ve received a letter approving your Advanced Learner Loan.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare\n\n- classroom assistance for a disability or learning difficulty - once you\u2019re assessed by your college or training provider\n\n## How to apply\n\nApply to your college or training provider - each one has its own application process. How much you get depends on the provider\u2019s scheme and your circumstances.\n\nSpeak to student services if you need support with your application.\n\n## How the money is paid\n\nYour college or training provider decides how the money is paid. You\u2019ll normally be paid direct. You might be able to arrange for the money to be paid to someone else instead, for example your landlord or childcare provider.\n\nIn some situations fund money must be paid back. This is generally if you\u2019re a student experiencing a temporary financial difficulty and need a loan, for example for help with your mortgage or rent.\n\n## Eligibility\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Disability Living Allowance\n\nYou cannot apply if you\u2019re:\n\n- getting student finance for higher education\n\n- on an apprenticeship training scheme\n\n- on a Community Learning course\n\n## Appeal a decision\n\nContact your college or training provider to appeal a decision from the Loan Bursary Fund.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/advanced-learner-loan", + "answerable": true, + "scenario": "I am currently studying mechanical engineering in South-West England. I am an European student who was eligible to receive a student finance loan for my bachelor's degree.", + "original_question": "Am I eligible to get money from the Bursary fund under these circumstances?" + }, + { + "id": "train-1777", + "question": "Scenario: Me and my wife are planning a trip to Germany next month. We both have photocard driving licenses issued in the UK. We will be staying for a little over 5 weeks and will most definitely be renting a car to get around easier. We haven't been on a trip outside of the UK together yet so we are excited to explore other cultures.\n\nQuestion: Do I need additional documentation to drive in Germany?\n\nDocument - Driving abroad:\n## Driving abroad on holiday\n\nYou need to take your Great Britain or Northern Ireland driving licence with you to drive abroad. Check yours is still valid and renew your driving licence online if it\u2019s expired or about to expire. You\u2019ll need to apply to renew your licence at least a week before you travel.\n\nIf you\u2019re taking your own vehicle, you also need to take your log book (V5C) and your insurance certificate.\n\nIf you\u2019re taking a vehicle abroad that you\u2019ve hired or leased in the UK, you\u2019ll need a VE103 certificate.\n\n## Check if you need an international driving permit (IDP)\n\nYou might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.\n\nYou can get IDPs over the counter at the Post Office. You might need one for each country you\u2019re visiting.\n\nDo not apply for an IDP if you\u2019re moving abroad. You\u2019ll need to either exchange your UK licence or apply for a new one in the country you\u2019re moving to.\n\n## Check the overseas driving rules\n\nMake sure you follow overseas driving rules, including local speed limits and drink driving laws. You may be breaking the law and get a fine if you do not.\n\nDepending on the country you\u2019re visiting you may need:\n\n- extra equipment - for example, you need a reflective jacket and a warning triangle in many countries\n\n- emission stickers (permits) in some European cities - you may need to buy these weeks before you go abroad\n\n- headlight converter stickers\n\n- a GB sticker\n\nIf you\u2019re hiring a car, it\u2019s your responsibility to check you have the equipment you need.\n\nCheck what you need to do if you\u2019re driving in the EU.\n\nCheck the travel advice for all countries.\n\n## Check your insurance if you\u2019re taking your own vehicle\n\nYour UK vehicle insurance gives you a minimum of third party cover to drive your vehicle in EU countries. Check with your insurer if your policy covers extra things like theft or damage.\n\nYou need to carry a physical copy of a \u2018green card\u2019 for your vehicle if you\u2019re driving in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nIn other countries, you may need additional insurance and a green card to show you\u2019re covered. Check the travel advice for the country you\u2019re driving in.\n\n## Towing your trailer or caravan abroad\n\nCheck if you need to register your trailer before you can take it abroad.\n\nWhen driving in the EU (including Ireland), Andorra, Iceland, Liechtenstein, Norway, Serbia and Switzerland, you need to carry a separate green card for both:\n\n- the vehicle you\u2019re driving\n\n- the trailer or caravan you\u2019re towing\n\nIn other countries, you may need additional insurance and a green card for each trailer or caravan you tow. Check what you need to bring with your insurer before you travel.\n\n## Hiring a car abroad\n\nYour hire company may ask to see your driving licence information when you pick up the car. You can share this by getting a licence \u2018check code\u2019. You can do this up to 21 days before your trip.\n\nIf you\u2019re hiring a car, insurance is included. Check what you\u2019re covered for with the hire company.\n\n## Check if you need an international driving permit (IDP)\n\nYou may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:\n\n- which country you\u2019re visiting\n\n- how long you\u2019re staying\n\nYou need to have a valid Great Britain (GB) or Northern Ireland driving licence to get an IDP.\n\n## Driving in Europe\n\nYou do not need an IDP to drive in the EU, Switzerland, Norway, Iceland or Liechtenstein if you have a photocard driving licence issued in the UK.\n\nYou might need an IDP to drive in some EU countries and Norway if you have either:\n\n- a paper driving licence\n\n- a licence issued in Gibraltar, Guernsey, Jersey or the Isle of Man\n\nCheck with the embassy of the country you will be driving in.\n\n## Check which IDP you need\n\nCheck the table to find out if you need an IDP. There are 3 types of IDP:\n\n- 1926\n\n- 1949\n\n- 1968\n\nThe IDP you need depends on what country you\u2019re visiting.\n\nIf you\u2019re travelling through more than one country, you might need more than one type of IDP.\n\nIf the country you\u2019re visiting is not included in the table, check with the embassy of the country you\u2019re travelling to.\n\nIf you\u2019re hiring a car, check with your car hire company.\n\nIf you already have an IDP, make sure it\u2019s still valid in the country you\u2019re visiting.\n\n| Country or territory | Type of IDP | More information |\n\n| Albania | 1968 | |\n\n| Algeria | 1949 | |\n\n| Andorra | 1949 | |\n\n| Argentina | 1949 | |\n\n| Armenia | 1968 | |\n\n| Australia | 1949 | |\n\n| Austria | None | You do not need an IDP to drive here. |\n\n| Azerbaijan | 1968 | |\n\n| Bahamas | 1968 | IDP needed for stays longer than 90 days. |\n\n| Bahrain | 1968 | IDP needed for car hire, and for stays longer than 90 days. You must get your permit certified by local authorities when you arrive. |\n\n| Bangladesh | 1949 | |\n\n| Barbados | 1949 | |\n\n| Belarus | 1968 | |\n\n| Belgium | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Belgian Embassy. |\n\n| Benin | 1949 | |\n\n| Bosnia and Herzegovina | 1968 | |\n\n| Botswana | 1949 | IDP needed for car hire. |\n\n| Brazil | 1968 | You need to get a certified translation of your IDP from the British consulate. |\n\n| Bulgaria | None | You do not need an IDP to drive here. |\n\n| Burkina Faso | 1949 | |\n\n| Cambodia | 1949 | |\n\n| Canada | 1949 | |\n\n| Cape Verde | 1968 | |\n\n| Central African Republic | 1968 | |\n\n| Chile | 1949 | |\n\n| Congo | 1949 | |\n\n| Cote d\u2019Ivoire (Ivory Coast) | 1968 | |\n\n| Croatia | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Croatian Embassy. |\n\n| Cuba | 1968 | |\n\n| Cyprus | None | You do not need an IDP to drive here for visits up to 30 days. For visits longer than 30 days you will need a 1949 IDP. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1949 IDP for any length of visit. Check with the High Commission of Cyprus. |\n\n| Czech Republic | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Czech Republic Embassy. |\n\n| Democratic Republic of Congo | 1968 | |\n\n| Denmark | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Dominican Republic | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ecuador | 1949 | |\n\n| Egypt | 1949 | |\n\n| Estonia | None | You do not need an IDP to drive here for up to 90 days in any 180-day period. If you hold a paper driving licence you may need a 1968 IDP. Check with the Estonian Embassy. |\n\n| Eswatini (previously Swaziland) | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Fiji | 1949 | |\n\n| Finland | None | You do not need an IDP to drive here. |\n\n| France | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the French Embassy. |\n\n| French Polynesia | 1968 | |\n\n| Georgia | 1968 | IDP needed for stays longer than 90 days. |\n\n| Germany | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the German Embassy. |\n\n| Ghana | 1949 | |\n\n| Greece | None | You do not need an IDP to drive here. |\n\n| Guam | 1949 | IDP needed for stays longer than 30 days. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Guatemala | 1949 | |\n\n| Guyana | 1968 | |\n\n| Haiti | 1949 | IDP needed for stays longer than 90 days. |\n\n| Hungary | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Hungarian Embassy. |\n\n| Iceland | None | You do not need an IDP to drive here for periods up to 30 days. |\n\n| India | 1949 | |\n\n| Iran | 1968 | |\n\n| Iraq | 1968 | |\n\n| Ireland | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Israel | 1968 | |\n\n| Italy | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Italian Embassy. |\n\n| Jamaica | 1949 | |\n\n| Japan | 1949 | |\n\n| Jordan | 1949 | |\n\n| Kazakhstan | 1968 | |\n\n| Kenya | 1968 | IDP needed for stays longer than 90 days. |\n\n| Kuwait | 1968 | |\n\n| Kyrgyzstan | 1968 | |\n\n| Laos | 1949 | |\n\n| Latvia | None | You do not need an IDP to drive here. |\n\n| Lebanon | 1949 | |\n\n| Lesotho | 1949 | |\n\n| Liberia | 1968 | |\n\n| Libya | 1949 | |\n\n| Liechtenstein | None | You do not need an IDP to drive here. |\n\n| Lithuania | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Luxembourg | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Macao (Macau) | 1949 | |\n\n| Madagascar | 1949 | |\n\n| Malawi | 1949 | IDP needed for stays longer than 90 days. |\n\n| Malaysia (Sabah) | 1949 | |\n\n| Mali | 1949 | |\n\n| Malta | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from Guernsey or the Isle of Man, you may need a 1949 IDP. Check with the Malta High Commission. |\n\n| Mexico | 1926 | |\n\n| Moldova | 1968 | |\n\n| Monaco | 1968 | |\n\n| Mongolia | 1968 | |\n\n| Montenegro | 1968 | |\n\n| Morocco | 1968 | |\n\n| Myanmar (previously Burma) | 1968 | |\n\n| Namibia | 1949 | IDP needed for car hire. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Netherlands | None | You do not need an IDP to drive here. |\n\n| New Zealand | 1949 | |\n\n| Niger | 1968 | |\n\n| Nigeria | 1968 | |\n\n| North Macedonia | 1968 | |\n\n| Norway | None | You do not need an IDP to drive here for periods up to 90 days. If you hold a paper driving licence you may need a 1968 IDP. Check with the Norwegian Embassy. |\n\n| Pakistan | 1968 | |\n\n| Papua New Guinea | 1949 | IDP needed for stays longer than 30 days. |\n\n| Paraguay | 1949 | |\n\n| Peru | 1968 | |\n\n| Philippines | 1968 | IDP needed for car hire, and for stays longer than 90 days. |\n\n| Poland | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Portugal | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Qatar | 1968 | |\n\n| Romania | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Romanian Embassy. |\n\n| Russian Federation | 1968 | |\n\n| Rwanda | 1949 | |\n\n| San Marino | 1968 | |\n\n| Saudi Arabia | 1968 | IDP needed for car hire. |\n\n| Senegal | 1968 | |\n\n| Serbia | 1968 | |\n\n| Seychelles | 1968 | |\n\n| Sierra Leone | 1949 | |\n\n| Singapore | 1949 | IDP needed for car hire, and for stays longer than 30 days. |\n\n| Slovakia | None | You do not need an IDP to drive here for periods up to 6 months. For visits longer than 6 months you\u2019ll need a 1968 IDP. |\n\n| Slovenia | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Somalia | 1926 | |\n\n| South Africa | 1968 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| South Korea | 1949 | |\n\n| Spain (including Balearic and Canary Isles) | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Sri Lanka | 1949 | As well as the IDP, you must get a Sri Lankan recognition permit from the Automobile Association of Ceylon (AAC) in Colombo. |\n\n| St. Lucia | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| St. Vincent | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| Sweden | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Switzerland | None | You do not need an IDP to drive here. |\n\n| Syria | 1949 | |\n\n| Tajikistan | 1968 | |\n\n| Taiwan | 1949 | IDP needed for stays longer than 30 days. |\n\n| Thailand | 1949 | |\n\n| Togo | 1949 | |\n\n| Trinidad & Tobago | 1949 | IDP needed for stays longer than 90 days. |\n\n| Tunisia | 1968 | |\n\n| Turkey | 1968 | |\n\n| Turkmenistan | 1968 | |\n\n| Uganda | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ukraine | 1968 | |\n\n| United Arab Emirates | 1968 | |\n\n| United States | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Uruguay | 1968 | |\n\n| Uzbekistan | 1968 | |\n\n| Vatican City | 1949 | |\n\n| Venezuela | 1949 | |\n\n| Vietnam | 1968 | |\n\n| Zimbabwe | 1968 | |\n\n## Get an international driving permit (IDP)\n\nYou can get an IDP over the counter at the Post Office.\n\nThey cost \u00a35.50 and you must:\n\n- live in Great Britain or Northern Ireland\n\n- have a full UK driving licence\n\n- be 18 or over\n\nCheck if you need an IDP first.\n\nA 1926 or 1949 permit lasts for 12 months. A 1968 permit lasts for 3 years or until your UK driving licence expires, whichever comes first.\n\n## Driving if you move abroad\n\nYou need to get a local driving licence if you move abroad. Check with the driving licence authorities there to find out how to apply.\n\nIn some countries you can exchange your UK licence without taking another driving test.\n\nIf you move to an EU country, check the rules for exchanging your licence in the EU.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/driving-abroad", + "answerable": true, + "scenario": "Me and my wife are planning a trip to Germany next month. We both have photocard driving licenses issued in the UK. We will be staying for a little over 5 weeks and will most definitely be renting a car to get around easier. We haven't been on a trip outside of the UK together yet so we are excited to explore other cultures.", + "original_question": "Do I need additional documentation to drive in Germany?" + }, + { + "id": "train-1778", + "question": "Scenario: Me, my wife and my son are planning a road trip across he EU this summer. Since a lot of driving will be involved and my son just got his license at 17 we are probably gonna let him drive on some less populated roads. I am aware that some countries require an international driving permit and me and my wife will be getting ours soon.\n\nQuestion: Is my son eligible to purchase an international driving permit?\n\nDocument - Driving abroad:\n## Driving abroad on holiday\n\nYou need to take your Great Britain or Northern Ireland driving licence with you to drive abroad. Check yours is still valid and renew your driving licence online if it\u2019s expired or about to expire. You\u2019ll need to apply to renew your licence at least a week before you travel.\n\nIf you\u2019re taking your own vehicle, you also need to take your log book (V5C) and your insurance certificate.\n\nIf you\u2019re taking a vehicle abroad that you\u2019ve hired or leased in the UK, you\u2019ll need a VE103 certificate.\n\n## Check if you need an international driving permit (IDP)\n\nYou might need an international driving permit (IDP) to drive in some countries. Check if you need an IDP.\n\nYou can get IDPs over the counter at the Post Office. You might need one for each country you\u2019re visiting.\n\nDo not apply for an IDP if you\u2019re moving abroad. You\u2019ll need to either exchange your UK licence or apply for a new one in the country you\u2019re moving to.\n\n## Check the overseas driving rules\n\nMake sure you follow overseas driving rules, including local speed limits and drink driving laws. You may be breaking the law and get a fine if you do not.\n\nDepending on the country you\u2019re visiting you may need:\n\n- extra equipment - for example, you need a reflective jacket and a warning triangle in many countries\n\n- emission stickers (permits) in some European cities - you may need to buy these weeks before you go abroad\n\n- headlight converter stickers\n\n- a GB sticker\n\nIf you\u2019re hiring a car, it\u2019s your responsibility to check you have the equipment you need.\n\nCheck what you need to do if you\u2019re driving in the EU.\n\nCheck the travel advice for all countries.\n\n## Check your insurance if you\u2019re taking your own vehicle\n\nYour UK vehicle insurance gives you a minimum of third party cover to drive your vehicle in EU countries. Check with your insurer if your policy covers extra things like theft or damage.\n\nYou need to carry a physical copy of a \u2018green card\u2019 for your vehicle if you\u2019re driving in:\n\n- the EU (including Ireland)\n\n- Andorra\n\n- Iceland\n\n- Liechtenstein\n\n- Norway\n\n- Serbia\n\n- Switzerland\n\nIn other countries, you may need additional insurance and a green card to show you\u2019re covered. Check the travel advice for the country you\u2019re driving in.\n\n## Towing your trailer or caravan abroad\n\nCheck if you need to register your trailer before you can take it abroad.\n\nWhen driving in the EU (including Ireland), Andorra, Iceland, Liechtenstein, Norway, Serbia and Switzerland, you need to carry a separate green card for both:\n\n- the vehicle you\u2019re driving\n\n- the trailer or caravan you\u2019re towing\n\nIn other countries, you may need additional insurance and a green card for each trailer or caravan you tow. Check what you need to bring with your insurer before you travel.\n\n## Hiring a car abroad\n\nYour hire company may ask to see your driving licence information when you pick up the car. You can share this by getting a licence \u2018check code\u2019. You can do this up to 21 days before your trip.\n\nIf you\u2019re hiring a car, insurance is included. Check what you\u2019re covered for with the hire company.\n\n## Check if you need an international driving permit (IDP)\n\nYou may need an international driving permit (IDP) to drive in some countries. The permit you may need depends on:\n\n- which country you\u2019re visiting\n\n- how long you\u2019re staying\n\nYou need to have a valid Great Britain (GB) or Northern Ireland driving licence to get an IDP.\n\n## Driving in Europe\n\nYou do not need an IDP to drive in the EU, Switzerland, Norway, Iceland or Liechtenstein if you have a photocard driving licence issued in the UK.\n\nYou might need an IDP to drive in some EU countries and Norway if you have either:\n\n- a paper driving licence\n\n- a licence issued in Gibraltar, Guernsey, Jersey or the Isle of Man\n\nCheck with the embassy of the country you will be driving in.\n\n## Check which IDP you need\n\nCheck the table to find out if you need an IDP. There are 3 types of IDP:\n\n- 1926\n\n- 1949\n\n- 1968\n\nThe IDP you need depends on what country you\u2019re visiting.\n\nIf you\u2019re travelling through more than one country, you might need more than one type of IDP.\n\nIf the country you\u2019re visiting is not included in the table, check with the embassy of the country you\u2019re travelling to.\n\nIf you\u2019re hiring a car, check with your car hire company.\n\nIf you already have an IDP, make sure it\u2019s still valid in the country you\u2019re visiting.\n\n| Country or territory | Type of IDP | More information |\n\n| Albania | 1968 | |\n\n| Algeria | 1949 | |\n\n| Andorra | 1949 | |\n\n| Argentina | 1949 | |\n\n| Armenia | 1968 | |\n\n| Australia | 1949 | |\n\n| Austria | None | You do not need an IDP to drive here. |\n\n| Azerbaijan | 1968 | |\n\n| Bahamas | 1968 | IDP needed for stays longer than 90 days. |\n\n| Bahrain | 1968 | IDP needed for car hire, and for stays longer than 90 days. You must get your permit certified by local authorities when you arrive. |\n\n| Bangladesh | 1949 | |\n\n| Barbados | 1949 | |\n\n| Belarus | 1968 | |\n\n| Belgium | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Belgian Embassy. |\n\n| Benin | 1949 | |\n\n| Bosnia and Herzegovina | 1968 | |\n\n| Botswana | 1949 | IDP needed for car hire. |\n\n| Brazil | 1968 | You need to get a certified translation of your IDP from the British consulate. |\n\n| Bulgaria | None | You do not need an IDP to drive here. |\n\n| Burkina Faso | 1949 | |\n\n| Cambodia | 1949 | |\n\n| Canada | 1949 | |\n\n| Cape Verde | 1968 | |\n\n| Central African Republic | 1968 | |\n\n| Chile | 1949 | |\n\n| Congo | 1949 | |\n\n| Cote d\u2019Ivoire (Ivory Coast) | 1968 | |\n\n| Croatia | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Croatian Embassy. |\n\n| Cuba | 1968 | |\n\n| Cyprus | None | You do not need an IDP to drive here for visits up to 30 days. For visits longer than 30 days you will need a 1949 IDP. If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1949 IDP for any length of visit. Check with the High Commission of Cyprus. |\n\n| Czech Republic | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Czech Republic Embassy. |\n\n| Democratic Republic of Congo | 1968 | |\n\n| Denmark | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Dominican Republic | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ecuador | 1949 | |\n\n| Egypt | 1949 | |\n\n| Estonia | None | You do not need an IDP to drive here for up to 90 days in any 180-day period. If you hold a paper driving licence you may need a 1968 IDP. Check with the Estonian Embassy. |\n\n| Eswatini (previously Swaziland) | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Fiji | 1949 | |\n\n| Finland | None | You do not need an IDP to drive here. |\n\n| France | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the French Embassy. |\n\n| French Polynesia | 1968 | |\n\n| Georgia | 1968 | IDP needed for stays longer than 90 days. |\n\n| Germany | None | You do not need an IDP to drive here for periods up to 6 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the German Embassy. |\n\n| Ghana | 1949 | |\n\n| Greece | None | You do not need an IDP to drive here. |\n\n| Guam | 1949 | IDP needed for stays longer than 30 days. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Guatemala | 1949 | |\n\n| Guyana | 1968 | |\n\n| Haiti | 1949 | IDP needed for stays longer than 90 days. |\n\n| Hungary | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Hungarian Embassy. |\n\n| Iceland | None | You do not need an IDP to drive here for periods up to 30 days. |\n\n| India | 1949 | |\n\n| Iran | 1968 | |\n\n| Iraq | 1968 | |\n\n| Ireland | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Israel | 1968 | |\n\n| Italy | None | If you hold a paper driving licence or a driving licence from Gibraltar, Jersey, Guernsey or the Isle of Man, you may need a 1968 IDP. Check with the Italian Embassy. |\n\n| Jamaica | 1949 | |\n\n| Japan | 1949 | |\n\n| Jordan | 1949 | |\n\n| Kazakhstan | 1968 | |\n\n| Kenya | 1968 | IDP needed for stays longer than 90 days. |\n\n| Kuwait | 1968 | |\n\n| Kyrgyzstan | 1968 | |\n\n| Laos | 1949 | |\n\n| Latvia | None | You do not need an IDP to drive here. |\n\n| Lebanon | 1949 | |\n\n| Lesotho | 1949 | |\n\n| Liberia | 1968 | |\n\n| Libya | 1949 | |\n\n| Liechtenstein | None | You do not need an IDP to drive here. |\n\n| Lithuania | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Luxembourg | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Macao (Macau) | 1949 | |\n\n| Madagascar | 1949 | |\n\n| Malawi | 1949 | IDP needed for stays longer than 90 days. |\n\n| Malaysia (Sabah) | 1949 | |\n\n| Mali | 1949 | |\n\n| Malta | None | You do not need an IDP to drive here for periods up to 12 months. If you hold a paper driving licence or a driving licence from Guernsey or the Isle of Man, you may need a 1949 IDP. Check with the Malta High Commission. |\n\n| Mexico | 1926 | |\n\n| Moldova | 1968 | |\n\n| Monaco | 1968 | |\n\n| Mongolia | 1968 | |\n\n| Montenegro | 1968 | |\n\n| Morocco | 1968 | |\n\n| Myanmar (previously Burma) | 1968 | |\n\n| Namibia | 1949 | IDP needed for car hire. If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Netherlands | None | You do not need an IDP to drive here. |\n\n| New Zealand | 1949 | |\n\n| Niger | 1968 | |\n\n| Nigeria | 1968 | |\n\n| North Macedonia | 1968 | |\n\n| Norway | None | You do not need an IDP to drive here for periods up to 90 days. If you hold a paper driving licence you may need a 1968 IDP. Check with the Norwegian Embassy. |\n\n| Pakistan | 1968 | |\n\n| Papua New Guinea | 1949 | IDP needed for stays longer than 30 days. |\n\n| Paraguay | 1949 | |\n\n| Peru | 1968 | |\n\n| Philippines | 1968 | IDP needed for car hire, and for stays longer than 90 days. |\n\n| Poland | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Portugal | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Qatar | 1968 | |\n\n| Romania | None | If you hold a paper driving licence or a driving licence from the Isle of Man, you may need a 1968 IDP. Check with the Romanian Embassy. |\n\n| Russian Federation | 1968 | |\n\n| Rwanda | 1949 | |\n\n| San Marino | 1968 | |\n\n| Saudi Arabia | 1968 | IDP needed for car hire. |\n\n| Senegal | 1968 | |\n\n| Serbia | 1968 | |\n\n| Seychelles | 1968 | |\n\n| Sierra Leone | 1949 | |\n\n| Singapore | 1949 | IDP needed for car hire, and for stays longer than 30 days. |\n\n| Slovakia | None | You do not need an IDP to drive here for periods up to 6 months. For visits longer than 6 months you\u2019ll need a 1968 IDP. |\n\n| Slovenia | None | You do not need an IDP to drive here for periods up to 90 days. |\n\n| Somalia | 1926 | |\n\n| South Africa | 1968 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| South Korea | 1949 | |\n\n| Spain (including Balearic and Canary Isles) | None | You do not need an IDP to drive here for periods up to 6 months. |\n\n| Sri Lanka | 1949 | As well as the IDP, you must get a Sri Lankan recognition permit from the Automobile Association of Ceylon (AAC) in Colombo. |\n\n| St. Lucia | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| St. Vincent | 1949 | Show your UK driving licence or IDP to the police to get a visitor\u2019s licence. |\n\n| Sweden | None | You do not need an IDP to drive here for periods up to 12 months. |\n\n| Switzerland | None | You do not need an IDP to drive here. |\n\n| Syria | 1949 | |\n\n| Tajikistan | 1968 | |\n\n| Taiwan | 1949 | IDP needed for stays longer than 30 days. |\n\n| Thailand | 1949 | |\n\n| Togo | 1949 | |\n\n| Trinidad & Tobago | 1949 | IDP needed for stays longer than 90 days. |\n\n| Tunisia | 1968 | |\n\n| Turkey | 1968 | |\n\n| Turkmenistan | 1968 | |\n\n| Uganda | 1949 | IDP needed for stays longer than 90 days. |\n\n| Ukraine | 1968 | |\n\n| United Arab Emirates | 1968 | |\n\n| United States | 1949 | If you have an older, paper UK driving licence, you must take another form of photographic ID, such as your passport. You may need to show an IDP to your insurance company if you\u2019re involved in an accident. |\n\n| Uruguay | 1968 | |\n\n| Uzbekistan | 1968 | |\n\n| Vatican City | 1949 | |\n\n| Venezuela | 1949 | |\n\n| Vietnam | 1968 | |\n\n| Zimbabwe | 1968 | |\n\n## Get an international driving permit (IDP)\n\nYou can get an IDP over the counter at the Post Office.\n\nThey cost \u00a35.50 and you must:\n\n- live in Great Britain or Northern Ireland\n\n- have a full UK driving licence\n\n- be 18 or over\n\nCheck if you need an IDP first.\n\nA 1926 or 1949 permit lasts for 12 months. A 1968 permit lasts for 3 years or until your UK driving licence expires, whichever comes first.\n\n## Driving if you move abroad\n\nYou need to get a local driving licence if you move abroad. Check with the driving licence authorities there to find out how to apply.\n\nIn some countries you can exchange your UK licence without taking another driving test.\n\nIf you move to an EU country, check the rules for exchanging your licence in the EU.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/driving-abroad", + "answerable": true, + "scenario": "Me, my wife and my son are planning a road trip across he EU this summer. Since a lot of driving will be involved and my son just got his license at 17 we are probably gonna let him drive on some less populated roads. I am aware that some countries require an international driving permit and me and my wife will be getting ours soon.", + "original_question": "Is my son eligible to purchase an international driving permit?" + }, + { + "id": "train-1779", + "question": "Scenario: I am interested in acquiring a category G driving license. I got my category B license over 5 years ago now but since my dad's health is worsening I might need to help him more with the his construction business which will be easier if I got a category G license.\n\nQuestion: Do I have to bring my current driver's license to the category G driving test?\n\nDocument - Learning to drive a tractor or specialist vehicle:\n## Driving licence requirements\n\nIf you pass a regular car driving test (category B) you\u2019ll get entitlement to drive:\n\n- agricultural tractors (category F)\n\n- mowing machines or pedestrian-controlled vehicles (category K)\n\nFor all other categories you need the correct full licence to drive the tractor or special vehicle on the road.\n\nTo get this you first need to get the right provisional driving licence entitlement and then pass a tractor or specialist vehicle driving test.\n\n## Exemptions\n\nYou do not need a licence to drive or operate:\n\n- a tractor or specialist vehicle off the public road (there are age limits)\n\n- pedestrian-controlled mowing machines (you must be at least 16)\n\n- electric bikes\n\n- mobility scooters or powered wheelchairs\n\nYou do need a driving licence to drive quad bikes on the road.\n\n## Road rollers and tracked vehicles\n\nYou need a full category B car licence with provisional entitlement for categories G and H to drive:\n\n- road rollers (category G)\n\n- tracked vehicles (category H)\n\nFind out how to add higher categories to your driving licence.\n\n## Age limits\n\n| | Category | Minimum age |\n\n| Agricultural tractors | F | 16/17* |\n\n| Road rollers | G | 21** |\n\n| Tracked vehicles | H | 17/21*** |\n\n| Mowing machine or pedestrian-controlled vehicle | K | 16 |\n\n*If you\u2019re 16 you can only drive tractors less than 2.45 metres wide and tow trailers less than 2.45 metres wide with 2 wheels, or 4 wheels close-coupled (close together).\n\n**If you\u2019re between 17 and 20 these must be small road road-rollers with metal or hard rollers. They cannot be steam powered, weigh more than 11,960kg or be made for carrying loads.\n\n***If you\u2019re between 17 and 20 the Maximum Authorised Mass (MAM) of the vehicle cannot be more than 3,500kg. (Maximum Authorised Mass is the maximum weight of a vehicle including the maximum load that can be carried safely while used on the road.)\n\n## Practising driving a tractor or specialist vehicle\n\nYou can get a provisional licence for a tractor or specialist vehicle at 16, but you cannot practise driving them on the road until you\u2019re 17.\n\nThe only exception is when you\u2019re driving to or from your practical driving test.\n\nYou must be accompanied by a qualified driver if the vehicle was made with a passenger seat. Removing a seat is not allowed.\n\n## Other rules for practising\n\nYou need to display L plates (L or D plates in Wales) when you\u2019re practising driving a tractor or specialist vehicle on public roads.\n\nYour vehicle must also be properly insured and roadworthy.\n\n## Finding an instructor\n\nYou might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.\n\nYour instructor may have to walk alongside you calling out advice if your vehicle does not have space for 2 people on board.\n\n## Driving tests for tractors and specialist vehicles\n\nThe type of driving test you have to do depends on the type of vehicle.\n\n## Category F, G, H or K vehicles\n\nThe examiner will give you instructions at the side of the road and watch how you:\n\n- drive as you go around left and right circuits\n\n- turn round using forward and reverse gears\n\nFor very slow vehicles, like pedestrian-controlled vehicles, your examiner may walk near you where they can watch your driving.\n\nYou\u2019ll also have an eyesight test and at the end of the category F, G, H or K test, you\u2019ll be asked 5 questions on the Highway Code and other motoring matters. You\u2019ll then be asked to identify 6 different traffic signs.\n\n## Category H tests\n\nIn category H driving tests you need to drive the vehicle backwards and turn it around, using its tracks, so it\u2019s facing the opposite direction.\n\nYour examiner will tell you how you should make this manoeuvre.\n\n## Documents you need to bring to your test\n\nYou must bring either:\n\n- a valid, signed photocard driving licence from the UK or an EU country\n\n- an old-style valid, signed UK paper driving licence along with a valid passport\n\n## Cancelled tests\n\nYou might be able to apply for a refund of out-of-pocket expenses if the Driver and Vehicle Standards Agency (DVSA) cancels your test at short notice.\n\n## Rules for test vehicles\n\nAll test vehicles have to meet certain rules, depending on their category.\n\n## Category B1 - quadricycles and light 4-wheeled vehicles\n\nYou can only take a test on a category B1 vehicle if you\u2019re registered as disabled.\n\nThe vehicle must:\n\n- weigh no more than 550kg unladen\n\n- be able to drive at 37mph\n\n## Category F - tractors\n\nCategory F includes tractors with 2 or more axles, built for off-road agriculture or forestry work.\n\n## Category G - road rollers\n\nIf you\u2019re between 17 and 20, these must be small road rollers with metal or hard rollers. They cannot:\n\n- be steam powered\n\n- weigh more than 11,690kg\n\n- be made for carrying loads\n\n## Category H - tracked vehicles\n\nCategory H vehicles must have adequate all-round visibility to let the driver carry out manoeuvres and deal with junctions safely.\n\nAny vehicle needing a second person to help with observation, such as a military vehicle, cannot be used for a category H test.\n\n## Category K - mowing machines or pedestrian-controlled vehicles\n\nA mowing machine is a specialist ride-on grass-cutting vehicle with permanent cutting equipment. You must be 16 to use this type of vehicle.\n\nA pedestrian-controlled vehicle is where the operator walks with but doesn\u2019t ride on the vehicle. You do not need a licence to operate one.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "answerable": true, + "scenario": "I am interested in acquiring a category G driving license. I got my category B license over 5 years ago now but since my dad's health is worsening I might need to help him more with the his construction business which will be easier if I got a category G license.", + "original_question": "Do I have to bring my current driver's license to the category G driving test?" + }, + { + "id": "train-1780", + "question": "Scenario: I am 19 years old and am in the process of getting my category G driving license. I plan on following in my father's footsteps in the construction business and am looking forward to working side by side with him. He says he will be able to provide me with a test vehicle for my driving test. His employer is apparently giving him a 10 ton, steam powered road roller for a week so I can practice on it and take the test with it.\n\nQuestion: Can I use this vehicle to take my category G driving test?\n\nDocument - Learning to drive a tractor or specialist vehicle:\n## Driving licence requirements\n\nIf you pass a regular car driving test (category B) you\u2019ll get entitlement to drive:\n\n- agricultural tractors (category F)\n\n- mowing machines or pedestrian-controlled vehicles (category K)\n\nFor all other categories you need the correct full licence to drive the tractor or special vehicle on the road.\n\nTo get this you first need to get the right provisional driving licence entitlement and then pass a tractor or specialist vehicle driving test.\n\n## Exemptions\n\nYou do not need a licence to drive or operate:\n\n- a tractor or specialist vehicle off the public road (there are age limits)\n\n- pedestrian-controlled mowing machines (you must be at least 16)\n\n- electric bikes\n\n- mobility scooters or powered wheelchairs\n\nYou do need a driving licence to drive quad bikes on the road.\n\n## Road rollers and tracked vehicles\n\nYou need a full category B car licence with provisional entitlement for categories G and H to drive:\n\n- road rollers (category G)\n\n- tracked vehicles (category H)\n\nFind out how to add higher categories to your driving licence.\n\n## Age limits\n\n| | Category | Minimum age |\n\n| Agricultural tractors | F | 16/17* |\n\n| Road rollers | G | 21** |\n\n| Tracked vehicles | H | 17/21*** |\n\n| Mowing machine or pedestrian-controlled vehicle | K | 16 |\n\n*If you\u2019re 16 you can only drive tractors less than 2.45 metres wide and tow trailers less than 2.45 metres wide with 2 wheels, or 4 wheels close-coupled (close together).\n\n**If you\u2019re between 17 and 20 these must be small road road-rollers with metal or hard rollers. They cannot be steam powered, weigh more than 11,960kg or be made for carrying loads.\n\n***If you\u2019re between 17 and 20 the Maximum Authorised Mass (MAM) of the vehicle cannot be more than 3,500kg. (Maximum Authorised Mass is the maximum weight of a vehicle including the maximum load that can be carried safely while used on the road.)\n\n## Practising driving a tractor or specialist vehicle\n\nYou can get a provisional licence for a tractor or specialist vehicle at 16, but you cannot practise driving them on the road until you\u2019re 17.\n\nThe only exception is when you\u2019re driving to or from your practical driving test.\n\nYou must be accompanied by a qualified driver if the vehicle was made with a passenger seat. Removing a seat is not allowed.\n\n## Other rules for practising\n\nYou need to display L plates (L or D plates in Wales) when you\u2019re practising driving a tractor or specialist vehicle on public roads.\n\nYour vehicle must also be properly insured and roadworthy.\n\n## Finding an instructor\n\nYou might be able to use an approved driving instructor (ADI) if you\u2019re learning to drive a vehicle with controls similar to a car and with 2 front seats.\n\nYour instructor may have to walk alongside you calling out advice if your vehicle does not have space for 2 people on board.\n\n## Driving tests for tractors and specialist vehicles\n\nThe type of driving test you have to do depends on the type of vehicle.\n\n## Category F, G, H or K vehicles\n\nThe examiner will give you instructions at the side of the road and watch how you:\n\n- drive as you go around left and right circuits\n\n- turn round using forward and reverse gears\n\nFor very slow vehicles, like pedestrian-controlled vehicles, your examiner may walk near you where they can watch your driving.\n\nYou\u2019ll also have an eyesight test and at the end of the category F, G, H or K test, you\u2019ll be asked 5 questions on the Highway Code and other motoring matters. You\u2019ll then be asked to identify 6 different traffic signs.\n\n## Category H tests\n\nIn category H driving tests you need to drive the vehicle backwards and turn it around, using its tracks, so it\u2019s facing the opposite direction.\n\nYour examiner will tell you how you should make this manoeuvre.\n\n## Documents you need to bring to your test\n\nYou must bring either:\n\n- a valid, signed photocard driving licence from the UK or an EU country\n\n- an old-style valid, signed UK paper driving licence along with a valid passport\n\n## Cancelled tests\n\nYou might be able to apply for a refund of out-of-pocket expenses if the Driver and Vehicle Standards Agency (DVSA) cancels your test at short notice.\n\n## Rules for test vehicles\n\nAll test vehicles have to meet certain rules, depending on their category.\n\n## Category B1 - quadricycles and light 4-wheeled vehicles\n\nYou can only take a test on a category B1 vehicle if you\u2019re registered as disabled.\n\nThe vehicle must:\n\n- weigh no more than 550kg unladen\n\n- be able to drive at 37mph\n\n## Category F - tractors\n\nCategory F includes tractors with 2 or more axles, built for off-road agriculture or forestry work.\n\n## Category G - road rollers\n\nIf you\u2019re between 17 and 20, these must be small road rollers with metal or hard rollers. They cannot:\n\n- be steam powered\n\n- weigh more than 11,690kg\n\n- be made for carrying loads\n\n## Category H - tracked vehicles\n\nCategory H vehicles must have adequate all-round visibility to let the driver carry out manoeuvres and deal with junctions safely.\n\nAny vehicle needing a second person to help with observation, such as a military vehicle, cannot be used for a category H test.\n\n## Category K - mowing machines or pedestrian-controlled vehicles\n\nA mowing machine is a specialist ride-on grass-cutting vehicle with permanent cutting equipment. You must be 16 to use this type of vehicle.\n\nA pedestrian-controlled vehicle is where the operator walks with but doesn\u2019t ride on the vehicle. You do not need a licence to operate one.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/learning-to-drive-a-tractor-or-specialist-vehicle", + "answerable": true, + "scenario": "I am 19 years old and am in the process of getting my category G driving license. I plan on following in my father's footsteps in the construction business and am looking forward to working side by side with him. He says he will be able to provide me with a test vehicle for my driving test. His employer is apparently giving him a 10 ton, steam powered road roller for a week so I can practice on it and take the test with it.", + "original_question": "Can I use this vehicle to take my category G driving test?" + }, + { + "id": "train-1781", + "question": "Scenario: I got accepted into my chosen University studying to become a Pediatrician. I applied for a Doctoral Loan 4 months ago and recently got the notice that I have been accepted for that as well. In the whole process of the loan application I realized I missed some details.\n\nQuestion: Do I have to start repaying my loan as soon as I graduate?\n\nDocument - Doctoral Loan:\n## Overview\n\nA Postgraduate Doctoral Loan can help with course fees and living costs while you study a postgraduate doctoral course, such as a PhD.\n\nThere\u2019s different funding if you normally live in Wales. Moving somewhere to study does not count as normally living there.\n\nYou can also get extra support if you have a disability.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## When you can apply\n\nYou\u2019ll be able to apply for funding for the 2021 to 2022 academic year from summer 2021. Applications are not yet open - this guide will be updated as soon as they are.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a327,265 if your course starts on or after 1 August 2021\n\n- \u00a326,445 if your course starts between 1 August 2020 and 31 July 2021\n\n- \u00a325,700 if your course started between 1 August 2019 and 31 July 2020\n\nThe amount you\u2019ll get is not based on you or your family\u2019s income.\n\nThe Department for Work and Pensions (DWP) may take account of the loan when working out any benefits you receive.\n\nThe loan is paid directly to you. You can use it for your course fees and living costs.\n\nThe loan will be divided equally across each year of your course.\n\n## If you apply after your first year\n\nYou can apply for a Postgraduate Doctoral Loan in any year of your course. But if you apply after your first year, you might not get the maximum amount.\n\nYou can get up to:\n\n- \u00a311,570 each year if your course starts on or after 1 August 2021\n\n- \u00a311,222 each year if your course started between 1 August 2020 and 31 July 2021\n\n- \u00a310,906 each year if your course started between 1 August 2019 and 31 July 2020\n\n## When you\u2019re paid\n\nYou get the first payment after your course start date, once your university or college confirms that you\u2019ve registered.\n\nThe loan will be paid in 3 instalments of 33%, 33% and 34% each year. After your application has been approved you\u2019ll be sent a letter with your payment dates or you can check them in your online account.\n\n## Eligibility\n\nWhether you qualify depends on:\n\n- your course\n\n- your age\n\n- your nationality or residency status\n\nYou will not be able to get a Postgraduate Doctoral Loan if:\n\n- you\u2019ve received or will receive Research Council funding (for example, studentships, stipends, scholarships and tuition fee support)\n\n- you\u2019re already getting a social work bursary\n\n- you\u2019re already getting an Educational Psychology bursary and your course starts on or after 1 August 2020\n\n- you\u2019re eligible to apply for an NHS bursary (even if you\u2019re not receiving it)\n\n- you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying\n\n- you\u2019ve received a Postgraduate Doctoral Loan before - unless you left your course due to illness, bereavement or another serious personal reason\n\n- you already have a doctoral degree, or a qualification that\u2019s equivalent or higher\n\n- you\u2019re receiving a doctorate by publication\n\n- you\u2019re behind in repayments for any previous loans from the Student Loans Company\n\n## Your course\n\nIt must:\n\n- be a full, standalone doctoral course (not a top-up course)\n\n- have started on or after 1 August 2018\n\n- last between 3 to 8 academic years\n\n- be provided by a university in the UK with research degree awarding powers\n\nIf more than one university delivers your course and one is overseas, you\u2019ll still be eligible for the Postgraduate Doctoral Loan so long as:\n\n- the UK university is the lead institution\n\n- you spend at least 50% of your study time over the whole course in the UK\n\nIt can be:\n\n- full-time or part-time\n\n- taught or research-based, or a combination of both\n\nExamples of postgraduate doctoral qualifications include:\n\n- PhD / DPhil (Doctor of Philosophy)\n\n- EdD (Doctor of Education)\n\n- EngD (Doctor of Engineering)\n\n## Integrated doctorals\n\nYou can apply for a loan if your doctoral programme includes an integrated master\u2019s degree (even if you already have a master\u2019s degree).\n\nYou must register for a full doctoral degree.\n\nYou will not be able to apply for a separate Postgraduate Master\u2019s Loan.\n\n## Distance learning\n\nTo qualify for a Postgraduate Doctoral Loan for distance learning, you\u2019ll need to be living in England on the first day of the first academic year of your course.\n\nYou\u2019ll also need to live in:\n\n- England for the whole of your course, if you\u2019re an EU national\n\n- the UK for the whole of your course, if you\u2019re not an EU national\n\nThis usually does not apply if you\u2019re:\n\n- serving in the armed forces\n\n- a spouse or civil partner of a serving member of the armed forces\n\n- a dependent parent living with a serving member of the armed forces\n\n## Your age\n\nYou must be under 60 on the first day of the first academic year of your course.\n\nThe academic year is a period of 12 months starting on:\n\n- 1 September, if your course starts between 1 August and 31 December\n\n- 1 January, if your course starts between 1 January and 31 March\n\n- 1 April, if your course starts between 1 April and 30 June\n\n- 1 July, if your course starts between 1 July and 31 July\n\n## Your nationality or residency status\n\nYou can apply for the Postgraduate Doctoral Loan if all of the following are true:\n\n- you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay\n\n- you normally live in England\n\n- you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday\n\nYou may also be eligible if you\u2019re a UK national (or family member of a UK national) who either:\n\n- returned to the UK on or after 1 January 2018 and by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- was living in the EU, Switzerland, Norway, Iceland or Liechtenstein on 31 December 2020 and has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years\n\n## If you\u2019re an EU national or a family member of an EU national\n\nYou may be eligible if you\u2019re an EU national, or a family member of an EU national, and all the following apply:\n\n- you have settled or pre-settled status under the EU Settlement Scheme (no restrictions on how long you can stay)\n\n- you\u2019ve normally lived in the UK, Gibraltar, EU, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years (this is also known as being \u2018ordinarily resident\u2019)\n\n- you\u2019ll be studying at a university in England\n\nYou could also be eligible if you\u2019re:\n\n- the child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme\n\n- a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein, or a family member of one with settled or pre-settled status\n\n- a resident of Gibraltar who is a UK or EU national, or their family member\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## If you have a different residency status\n\nYou may also be eligible if your residency status is one of the following:\n\n- refugee (including family members)\n\n- humanitarian protection (including family members)\n\n- child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020\n\n- a stateless person (including family members)\n\n- an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment\n\n- a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)\n\n- granted \u2018Calais leave\u2019 to remain\n\n- a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)\n\n- you\u2019ve been given settled status but not under the EU Settlement Scheme\n\n- you\u2019ve been given indefinite leave to remain because you\u2019ve been the victim of domestic violence\n\n- you\u2019ve been granted indefinite leave to remain as a bereaved partner\n\n- you\u2019re the family member of a person of Northern Ireland and you have pre-settled status under the EU Settlement Scheme\n\n## If you\u2019re a non-UK national and have lived in the UK for a certain number of years\n\nYou could also be eligible if you\u2019re not a UK national and are either:\n\n- under 18 and have lived in the UK for at least 7 years\n\n- 18 or over and have lived in the UK for at least 20 years (or at least half of your life)\n\nYou must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.\n\n## How to apply\n\nYou can apply now for courses that start or started in the following academic years:\n\n- 2020 to 2021\n\n- 2019 to 2020\n\n- 2018 to 2019\n\nYou can apply in summer 2021 for courses that start in the academic year 2021 to 2022. Applications are not yet open - this guide will be updated as soon as they are.\n\nCheck whether you\u2019re eligible before you apply.\n\nYou only need to apply once for the Postgraduate Doctoral Loan. Student Finance England will write to you in the summer to tell you how much you\u2019ll get in the next academic year.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## Apply online\n\nIf you\u2019ve taken out a loan with Student Finance England before, use your account to apply.\n\nIf you do not already have one, set up an account.\n\n## Apply by post\n\nIf you cannot apply online, apply by post \u2013 the address is on the form.\n\n## If your course starts in the 2020 to 2021 academic year\n\n## If your course starts in the 2019 to 2020 academic year\n\n## If your course started in the 2018\u00a0to 2019\u00a0academic year\n\nRead the student finance privacy notice to find out how the information you provide will be used.\n\n## When to apply by\n\nThe deadline for applying depends on when you start your course.\n\nYou need to apply within 9 months of the first day of the last academic year of the course.\n\n## The academic year\n\nThe academic year is a period of 12 months.\n\n| Course start date between | First day of academic year |\n\n| 1 August and 31 December | 1 September |\n\n| 1 January and 31 March | 1 January |\n\n| 1 April and 30 June | 1 April |\n\n| 1 July and 31 July | 1 July |\n\n## Proof of identity\n\nInclude valid UK passport details in your application.\n\nUse the \u2018UK passport details\u2019 form if you need to send the details after your application. Do not send the passport itself.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re an EU national, send your passport or national identity card.\n\n## Supporting information\n\nYou should use the evidence return form for extra information to support your application, for example evidence of your residency status.\n\nYou may also be asked to complete the UK employment status form.\n\n## Change an application\n\nUse your online account to change your personal details, for example bank or contact details. Contact Student Finance England directly if you do not have an account.\n\n## Change the amount you\u2019ve asked for\n\nUse the loan request form to change the amount you\u2019ve applied for - you cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course starts in the 2019 to 2020 academic year:\n\n## Other changes\n\nUse the change of circumstances form if you need to change any other details, for example your university or course. You cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course starts in the 2019 to 2020 academic year:\n\n## Taking a break or withdrawing from your course\n\nTell Student Finance England and your institution straight away if you need to withdraw from your course. It may affect your future payments and eligibility for funding.\n\n## Extra help\n\nYou may qualify for other funding, for example grants from charities or trusts.\n\nStudent Finance England also has more information about other kinds of student finance.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## Disabled students\n\nIf you have a disability, long-term health condition, mental health condition or specific learning difficulty (for example dyslexia) you can apply for:\n\n- Disabled Students\u2019 Allowance\n\n- extra help if you\u2019re experiencing financial hardship\n\nYou may also qualify for disability related benefits.\n\n## Further information\n\nYou can learn more about the Postgraduate Doctoral Loan at the Student \nRoom website.\n\nContact Student Finance England if you have further questions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/doctoral-loan", + "answerable": true, + "scenario": "I got accepted into my chosen University studying to become a Pediatrician. I applied for a Doctoral Loan 4 months ago and recently got the notice that I have been accepted for that as well. In the whole process of the loan application I realized I missed some details.", + "original_question": "Do I have to start repaying my loan as soon as I graduate?" + }, + { + "id": "train-1782", + "question": "Scenario: I received a letter around a week ago informing me that I have been approved for my Doctoral loan. I was relieved to know that I will be more financially secure since I will be moving quite far from home to complete my postgraduate course. There are still details I am a bit uncertain about.\n\nQuestion: Will the loan be payed directly to me?\n\nDocument - Doctoral Loan:\n## Overview\n\nA Postgraduate Doctoral Loan can help with course fees and living costs while you study a postgraduate doctoral course, such as a PhD.\n\nThere\u2019s different funding if you normally live in Wales. Moving somewhere to study does not count as normally living there.\n\nYou can also get extra support if you have a disability.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## When you can apply\n\nYou\u2019ll be able to apply for funding for the 2021 to 2022 academic year from summer 2021. Applications are not yet open - this guide will be updated as soon as they are.\n\n## When you repay your loan\n\nYou\u2019ll have to start repaying your loan when your income is over a certain amount (the \u2018threshold\u2019 amount).\n\nYou\u2019ll be charged interest from the day you get the first payment.\n\n## What you'll get\n\nYou can get up to:\n\n- \u00a327,265 if your course starts on or after 1 August 2021\n\n- \u00a326,445 if your course starts between 1 August 2020 and 31 July 2021\n\n- \u00a325,700 if your course started between 1 August 2019 and 31 July 2020\n\nThe amount you\u2019ll get is not based on you or your family\u2019s income.\n\nThe Department for Work and Pensions (DWP) may take account of the loan when working out any benefits you receive.\n\nThe loan is paid directly to you. You can use it for your course fees and living costs.\n\nThe loan will be divided equally across each year of your course.\n\n## If you apply after your first year\n\nYou can apply for a Postgraduate Doctoral Loan in any year of your course. But if you apply after your first year, you might not get the maximum amount.\n\nYou can get up to:\n\n- \u00a311,570 each year if your course starts on or after 1 August 2021\n\n- \u00a311,222 each year if your course started between 1 August 2020 and 31 July 2021\n\n- \u00a310,906 each year if your course started between 1 August 2019 and 31 July 2020\n\n## When you\u2019re paid\n\nYou get the first payment after your course start date, once your university or college confirms that you\u2019ve registered.\n\nThe loan will be paid in 3 instalments of 33%, 33% and 34% each year. After your application has been approved you\u2019ll be sent a letter with your payment dates or you can check them in your online account.\n\n## Eligibility\n\nWhether you qualify depends on:\n\n- your course\n\n- your age\n\n- your nationality or residency status\n\nYou will not be able to get a Postgraduate Doctoral Loan if:\n\n- you\u2019ve received or will receive Research Council funding (for example, studentships, stipends, scholarships and tuition fee support)\n\n- you\u2019re already getting a social work bursary\n\n- you\u2019re already getting an Educational Psychology bursary and your course starts on or after 1 August 2020\n\n- you\u2019re eligible to apply for an NHS bursary (even if you\u2019re not receiving it)\n\n- you\u2019re already getting payments from Student Finance England for another course that you\u2019re studying\n\n- you\u2019ve received a Postgraduate Doctoral Loan before - unless you left your course due to illness, bereavement or another serious personal reason\n\n- you already have a doctoral degree, or a qualification that\u2019s equivalent or higher\n\n- you\u2019re receiving a doctorate by publication\n\n- you\u2019re behind in repayments for any previous loans from the Student Loans Company\n\n## Your course\n\nIt must:\n\n- be a full, standalone doctoral course (not a top-up course)\n\n- have started on or after 1 August 2018\n\n- last between 3 to 8 academic years\n\n- be provided by a university in the UK with research degree awarding powers\n\nIf more than one university delivers your course and one is overseas, you\u2019ll still be eligible for the Postgraduate Doctoral Loan so long as:\n\n- the UK university is the lead institution\n\n- you spend at least 50% of your study time over the whole course in the UK\n\nIt can be:\n\n- full-time or part-time\n\n- taught or research-based, or a combination of both\n\nExamples of postgraduate doctoral qualifications include:\n\n- PhD / DPhil (Doctor of Philosophy)\n\n- EdD (Doctor of Education)\n\n- EngD (Doctor of Engineering)\n\n## Integrated doctorals\n\nYou can apply for a loan if your doctoral programme includes an integrated master\u2019s degree (even if you already have a master\u2019s degree).\n\nYou must register for a full doctoral degree.\n\nYou will not be able to apply for a separate Postgraduate Master\u2019s Loan.\n\n## Distance learning\n\nTo qualify for a Postgraduate Doctoral Loan for distance learning, you\u2019ll need to be living in England on the first day of the first academic year of your course.\n\nYou\u2019ll also need to live in:\n\n- England for the whole of your course, if you\u2019re an EU national\n\n- the UK for the whole of your course, if you\u2019re not an EU national\n\nThis usually does not apply if you\u2019re:\n\n- serving in the armed forces\n\n- a spouse or civil partner of a serving member of the armed forces\n\n- a dependent parent living with a serving member of the armed forces\n\n## Your age\n\nYou must be under 60 on the first day of the first academic year of your course.\n\nThe academic year is a period of 12 months starting on:\n\n- 1 September, if your course starts between 1 August and 31 December\n\n- 1 January, if your course starts between 1 January and 31 March\n\n- 1 April, if your course starts between 1 April and 30 June\n\n- 1 July, if your course starts between 1 July and 31 July\n\n## Your nationality or residency status\n\nYou can apply for the Postgraduate Doctoral Loan if all of the following are true:\n\n- you\u2019re a UK or Irish national or have settled or pre-settled status under the EU Settlement Scheme or indefinite leave to remain so there are no restrictions on how long you can stay\n\n- you normally live in England\n\n- you\u2019ve been living in the UK, the Channel Islands, the Isle of Man or Ireland for 3 continuous years before the first day of your course, apart from temporary absences such as going on holiday\n\nYou may also be eligible if you\u2019re a UK national (or family member of a UK national) who either:\n\n- returned to the UK on or after 1 January 2018 and by 31 December 2020 after living in the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- was living in the EU, Switzerland, Norway, Iceland or Liechtenstein on 31 December 2020 and has been living in the UK, the EU, Gibraltar, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years\n\n## If you\u2019re an EU national or a family member of an EU national\n\nYou may be eligible if you\u2019re an EU national, or a family member of an EU national, and all the following apply:\n\n- you have settled or pre-settled status under the EU Settlement Scheme (no restrictions on how long you can stay)\n\n- you\u2019ve normally lived in the UK, Gibraltar, EU, Switzerland, Norway, Iceland or Liechtenstein for the past 3 years (this is also known as being \u2018ordinarily resident\u2019)\n\n- you\u2019ll be studying at a university in England\n\nYou could also be eligible if you\u2019re:\n\n- the child of a Swiss national and you and your parent have settled or pre-settled status under the EU Settlement Scheme\n\n- a migrant worker from the EU, Switzerland, Norway, Iceland or Liechtenstein, or a family member of one with settled or pre-settled status\n\n- a resident of Gibraltar who is a UK or EU national, or their family member\n\n## Student finance for EU, Swiss, Norwegian, Icelandic or Liechtenstein nationals from August 2021\n\nIf you\u2019re starting a course on or after 1 August 2021, you must have settled or pre-settled status under the EU Settlement Scheme to get student finance.\n\nYou need to have started living in the UK before 31 December 2020 to apply to the EU Settlement Scheme. If you\u2019re coming to the UK from 1 January 2021, you may need to apply for a visa to study in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme. They can apply to the EU Settlement Scheme if they wish to - for example, to apply on behalf of a child.\n\n## If you have a different residency status\n\nYou may also be eligible if your residency status is one of the following:\n\n- refugee (including family members)\n\n- humanitarian protection (including family members)\n\n- child of a Turkish worker who has permission to stay in the UK - you and your Turkish worker parent must have been living in the UK by 31 December 2020\n\n- a stateless person (including family members)\n\n- an unaccompanied child granted \u2018Section 67 leave\u2019 under the Dubs Amendment\n\n- a child who is under the protection of someone granted \u2018Section 67 leave\u2019, who is also allowed to stay in the UK for the same period of time as the person responsible for them (known as \u2018leave in line\u2019)\n\n- granted \u2018Calais leave\u2019 to remain\n\n- a child of someone granted \u2018Calais leave\u2019 to remain, who is also allowed to stay in the UK for the same period of time as their parent (known as \u2018leave in line\u2019)\n\n- you\u2019ve been given settled status but not under the EU Settlement Scheme\n\n- you\u2019ve been given indefinite leave to remain because you\u2019ve been the victim of domestic violence\n\n- you\u2019ve been granted indefinite leave to remain as a bereaved partner\n\n- you\u2019re the family member of a person of Northern Ireland and you have pre-settled status under the EU Settlement Scheme\n\n## If you\u2019re a non-UK national and have lived in the UK for a certain number of years\n\nYou could also be eligible if you\u2019re not a UK national and are either:\n\n- under 18 and have lived in the UK for at least 7 years\n\n- 18 or over and have lived in the UK for at least 20 years (or at least half of your life)\n\nYou must have been living in the UK, the Channel Islands or the Isle of Man for 3 continuous years before the first day of your course.\n\n## How to apply\n\nYou can apply now for courses that start or started in the following academic years:\n\n- 2020 to 2021\n\n- 2019 to 2020\n\n- 2018 to 2019\n\nYou can apply in summer 2021 for courses that start in the academic year 2021 to 2022. Applications are not yet open - this guide will be updated as soon as they are.\n\nCheck whether you\u2019re eligible before you apply.\n\nYou only need to apply once for the Postgraduate Doctoral Loan. Student Finance England will write to you in the summer to tell you how much you\u2019ll get in the next academic year.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## Apply online\n\nIf you\u2019ve taken out a loan with Student Finance England before, use your account to apply.\n\nIf you do not already have one, set up an account.\n\n## Apply by post\n\nIf you cannot apply online, apply by post \u2013 the address is on the form.\n\n## If your course starts in the 2020 to 2021 academic year\n\n## If your course starts in the 2019 to 2020 academic year\n\n## If your course started in the 2018\u00a0to 2019\u00a0academic year\n\nRead the student finance privacy notice to find out how the information you provide will be used.\n\n## When to apply by\n\nThe deadline for applying depends on when you start your course.\n\nYou need to apply within 9 months of the first day of the last academic year of the course.\n\n## The academic year\n\nThe academic year is a period of 12 months.\n\n| Course start date between | First day of academic year |\n\n| 1 August and 31 December | 1 September |\n\n| 1 January and 31 March | 1 January |\n\n| 1 April and 30 June | 1 April |\n\n| 1 July and 31 July | 1 July |\n\n## Proof of identity\n\nInclude valid UK passport details in your application.\n\nUse the \u2018UK passport details\u2019 form if you need to send the details after your application. Do not send the passport itself.\n\nIf you do not have a UK passport (or it has expired), send your original birth or adoption certificate to Student Finance England.\n\nInclude your name and address. You should also include your customer reference number if you have one. This is an 11-digit number. You can find it on letters or emails you\u2019ve had from Student Finance England.\n\nIf you\u2019re an EU national, send your passport or national identity card.\n\n## Supporting information\n\nYou should use the evidence return form for extra information to support your application, for example evidence of your residency status.\n\nYou may also be asked to complete the UK employment status form.\n\n## Change an application\n\nUse your online account to change your personal details, for example bank or contact details. Contact Student Finance England directly if you do not have an account.\n\n## Change the amount you\u2019ve asked for\n\nUse the loan request form to change the amount you\u2019ve applied for - you cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course starts in the 2019 to 2020 academic year:\n\n## Other changes\n\nUse the change of circumstances form if you need to change any other details, for example your university or course. You cannot do this online.\n\nIf your course starts in the 2020 to 2021 academic year:\n\nIf your course starts in the 2019 to 2020 academic year:\n\n## Taking a break or withdrawing from your course\n\nTell Student Finance England and your institution straight away if you need to withdraw from your course. It may affect your future payments and eligibility for funding.\n\n## Extra help\n\nYou may qualify for other funding, for example grants from charities or trusts.\n\nStudent Finance England also has more information about other kinds of student finance.\n\nYou will not be eligible for an Adult Dependants\u2019 Grant, a Childcare Grant or Parents\u2019 Learning Allowance from Student Finance if you\u2019re studying a doctoral course.\n\n## Disabled students\n\nIf you have a disability, long-term health condition, mental health condition or specific learning difficulty (for example dyslexia) you can apply for:\n\n- Disabled Students\u2019 Allowance\n\n- extra help if you\u2019re experiencing financial hardship\n\nYou may also qualify for disability related benefits.\n\n## Further information\n\nYou can learn more about the Postgraduate Doctoral Loan at the Student \nRoom website.\n\nContact Student Finance England if you have further questions.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/doctoral-loan", + "answerable": true, + "scenario": "I received a letter around a week ago informing me that I have been approved for my Doctoral loan. I was relieved to know that I will be more financially secure since I will be moving quite far from home to complete my postgraduate course. There are still details I am a bit uncertain about.", + "original_question": "Will the loan be payed directly to me?" + }, + { + "id": "train-1783", + "question": "Scenario: I have a certificate from the SCTW stating that I am fully qualified to operate a water vessel. I have spoken to a few of my boatmaster friends and the opinion is that this document should be enough for me to become a boastmaster. Without the need for a separate boatmastes' license.\n\nQuestion: Can I use my STCW certificate of competancy as an alternative to the boatmastes' license?\n\nDocument - Boatmasters' licence:\n## Check if you need a licence\n\nYou must have a boatmasters\u2019 licence if you\u2019re the master of certain vessels on:\n\n- inland waters in categories A to D, such as canals, rivers, lakes and some estuaries\n\n- \u2018limited\u2019 coastal area operations - no more than 5 miles from the land and 15 miles from where your vessel sets off or arrives\n\nYou may be prosecuted and fined for not having the right boatmasters\u2019 licence.\n\nFind out what types and class of vessels can operate on UK inland waters.\n\n## When you do not need a licence\n\nYou do not need a boatmasters\u2019 licence if you\u2019re in charge of:\n\n- a pleasure vessel, including hire boats used as pleasure vessels\n\n- fishing vessels\n\n## Using alternative certificates\n\nSome certificates can be used instead of a boatmasters\u2019 licence, including STCW certificates of competency and certificates awarded by the Royal Yachting Association.\n\nIf you have an alternative certificate, you must:\n\n- check if you need a paper endorsement or a boat handling test - read sections 3 and 4 of the boatmasters\u2019 qualifications and hours of work notice\n\n- download and fill in the application form and send it to your nearest marine office\n\n- pay the right fees\n\n## Before you apply\n\nRead the boatmasters\u2019 qualifications and hours of work notice to find out:\n\n- which vessels you need a boatmasters\u2019 licence for\n\n- what kinds of boatmasters\u2019 licence you can apply for\n\n- what you need to apply for a boatmasters\u2019 licence\n\n- what you need to revalidate a boatmasters\u2019 licence\n\n- alternative qualifications you can have instead of a boatmasters\u2019 licence\n\n- information on local knowledge requirements\n\nYou should also:\n\n- keep records of relevant work and training for your licence application\n\n- check for local regulations, such as byelaws that you may need to know\n\n- check that you have safety training from an approved training provider\n\n## How to apply\n\nYou\u2019ll need to:\n\n- read the boatmasters\u2019 qualifications and hours of work notice\n\n- download the application form for a boatmasters\u2019 licence\n\n- pay the right fees\n\n## Replacing your licence\n\nDownload the application form for a replacement boatmasters\u2019 licence.\n\nReplacing your licence costs \u00a323.\n\n## Renewing your licence\n\nYour boatmasters\u2019 licence usually lasts 5 years.\n\nRenewing your licence costs \u00a331.\n\nDownload the boatmasters\u2019 licence renewal application form. Send it to the address on the form.\n\n## Upgrading your licence\n\nDownload the form to upgrade your licence, or add another area to your licence.\n\nThe fee for upgrading your licence can vary.\n\n## Exemptions under the 2006 Boatmasters' Regulations\n\nYou need to apply for a \u2018Tier 2 Level 2\u2019 licence before your exemption expires if you want to keep working. This will cover all the areas described on your exemption certificate.\n\nYou may be prosecuted and fined for not having the right boatmasters\u2019 licence when your exemption expires.\n\n## How to apply\n\nIf you have an exemption certificate and want to continue working, you must:\n\n- check if you can apply for a Tier 2 boatmasters\u2019 licence by reading section 22 of the boatmasters\u2019 qualifications and hours of work notice\n\n- download and fill in the application form and send it to your nearest marine office\n\n- pay the right fees", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/boatmasters-licence", + "answerable": true, + "scenario": "I have a certificate from the SCTW stating that I am fully qualified to operate a water vessel. I have spoken to a few of my boatmaster friends and the opinion is that this document should be enough for me to become a boastmaster. Without the need for a separate boatmastes' license.", + "original_question": "Can I use my STCW certificate of competancy as an alternative to the boatmastes' license?" + }, + { + "id": "train-1784", + "question": "Scenario: I will need to revalidate my boatmasters' license since I moved from the west to the east coast. I have gathered all of the necessary documentation and will be applying for the process next week.\n\nQuestion: Do I have to worry about local regulations being different than what I am used to?\n\nDocument - Boatmasters' licence:\n## Check if you need a licence\n\nYou must have a boatmasters\u2019 licence if you\u2019re the master of certain vessels on:\n\n- inland waters in categories A to D, such as canals, rivers, lakes and some estuaries\n\n- \u2018limited\u2019 coastal area operations - no more than 5 miles from the land and 15 miles from where your vessel sets off or arrives\n\nYou may be prosecuted and fined for not having the right boatmasters\u2019 licence.\n\nFind out what types and class of vessels can operate on UK inland waters.\n\n## When you do not need a licence\n\nYou do not need a boatmasters\u2019 licence if you\u2019re in charge of:\n\n- a pleasure vessel, including hire boats used as pleasure vessels\n\n- fishing vessels\n\n## Using alternative certificates\n\nSome certificates can be used instead of a boatmasters\u2019 licence, including STCW certificates of competency and certificates awarded by the Royal Yachting Association.\n\nIf you have an alternative certificate, you must:\n\n- check if you need a paper endorsement or a boat handling test - read sections 3 and 4 of the boatmasters\u2019 qualifications and hours of work notice\n\n- download and fill in the application form and send it to your nearest marine office\n\n- pay the right fees\n\n## Before you apply\n\nRead the boatmasters\u2019 qualifications and hours of work notice to find out:\n\n- which vessels you need a boatmasters\u2019 licence for\n\n- what kinds of boatmasters\u2019 licence you can apply for\n\n- what you need to apply for a boatmasters\u2019 licence\n\n- what you need to revalidate a boatmasters\u2019 licence\n\n- alternative qualifications you can have instead of a boatmasters\u2019 licence\n\n- information on local knowledge requirements\n\nYou should also:\n\n- keep records of relevant work and training for your licence application\n\n- check for local regulations, such as byelaws that you may need to know\n\n- check that you have safety training from an approved training provider\n\n## How to apply\n\nYou\u2019ll need to:\n\n- read the boatmasters\u2019 qualifications and hours of work notice\n\n- download the application form for a boatmasters\u2019 licence\n\n- pay the right fees\n\n## Replacing your licence\n\nDownload the application form for a replacement boatmasters\u2019 licence.\n\nReplacing your licence costs \u00a323.\n\n## Renewing your licence\n\nYour boatmasters\u2019 licence usually lasts 5 years.\n\nRenewing your licence costs \u00a331.\n\nDownload the boatmasters\u2019 licence renewal application form. Send it to the address on the form.\n\n## Upgrading your licence\n\nDownload the form to upgrade your licence, or add another area to your licence.\n\nThe fee for upgrading your licence can vary.\n\n## Exemptions under the 2006 Boatmasters' Regulations\n\nYou need to apply for a \u2018Tier 2 Level 2\u2019 licence before your exemption expires if you want to keep working. This will cover all the areas described on your exemption certificate.\n\nYou may be prosecuted and fined for not having the right boatmasters\u2019 licence when your exemption expires.\n\n## How to apply\n\nIf you have an exemption certificate and want to continue working, you must:\n\n- check if you can apply for a Tier 2 boatmasters\u2019 licence by reading section 22 of the boatmasters\u2019 qualifications and hours of work notice\n\n- download and fill in the application form and send it to your nearest marine office\n\n- pay the right fees", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/boatmasters-licence", + "answerable": true, + "scenario": "I will need to revalidate my boatmasters' license since I moved from the west to the east coast. I have gathered all of the necessary documentation and will be applying for the process next week.", + "original_question": "Do I have to worry about local regulations being different than what I am used to?" + }, + { + "id": "train-1786", + "question": "Scenario: I have my assessed CBT test tomorrow but I am a bit worried about it now after my daughter raised concerns over my eyesight. I was aware that there will be an eye exam, and was fairly confident in my vision. Until last night when my daughter jokingly decided to make me look at an eye chart and I got almost everything wrong.\n\nQuestion: Will I be able to continue with the assessment if I fail the eye exam?\n\nDocument - Become a DVSA assessed CBT motorcycle instructor:\n## Overview\n\nYou can apply to the Driver and Vehicle Standards Agency (DVSA) to become a DVSA assessed compulsory basic training (CBT) motorcycle instructor.\n\nCBT is a training course that most learner motorcycle and moped riders must take before riding on the road.\n\n## Rules for becoming a CBT instructor\n\nTo become a DVSA assessed CBT motorcycle instructor you must have a driving licence from either:\n\n- Great Britain or Northern Ireland\n\n- the EU or EEA - but you must register it\n first\n\nYou must also:\n\n- be 21 or older\n\n- have had a full category A2 or A motorcycle licence for at least 3 years\n\nYou\u2019ll have to take a 2-day assessment at a DVSA training and development centre.\n\n## When you qualify\n\nWhen you pass you must work for a motorcycle approved training body (ATB) to be able to:\n\n- provide the CBT course to learner riders\n\n- train up to 10 instructors at the ATB to also deliver CBT courses (this is known as \u2018down-training\u2019)\n\n- apply to become a direct access scheme instructor\n\n## How to book your assessment\n\nFill in the application form to book an assessment and send it to the address on the form. There\u2019s no charge for the assessment.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.\n\n## If you cannot go to your assessment\n\nTell DVSA by email if you cannot attend your assessment.\n\nYou must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.\n\nYour approved training body cannot tell DVSA without giving your signature.\n\nYour application will become invalid and will count as an unsuccessful attempt if you do not tell DVSA in enough time.\n\nYou\u2019re only allowed 2 unsuccessful attempts before you have to wait a year before applying to take another assessment.\n\n## Preparing for the assessment\n\nStudy the compulsory basic training (CBT) syllabus before you take the assessment.\n\n## Other preparation\n\nYou should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Learning to Ride\n\n- Riding - the Essential Skills\n\n- Theory Test for Motorcyclists\n\nYou can buy them from most high street and online book shops.\n\n## What to bring to your assessment\n\nYou need to bring:\n\n- your valid driving licence\n\n- your CBT1 card if you have one\n\n- a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kW\n\nIf you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.\n\nYour assessment will be cancelled if you do not bring these.\n\nYou\u2019re allowed to bring a pen and any notes or training aids to help you.\n\n## What the assessment involves\n\nThe compulsory basic training (CBT) instructor assessment assesses your ability to:\n\n- train learner motorcyclists in the requirements of CBT\n\n- train and guide other instructors within an approved training body\n\nThere will usually be 2 other instructors taking the assessment at the same time as you.\n\nThe DVSA assessor will play the role of a novice rider throughout the assessment.\n\nYou\u2019ll be asked to deliver lessons based on the topics being assessed. One or both of the other instructors will act as your supervisor. You\u2019ll then swap the roles of the instructor and supervisor.\n\n## Eyesight test\n\nYou\u2019ll have to pass an eyesight test before the assessment starts. You\u2019ll have to read a number plate from a distance of:\n\n- 26.5 metres for vehicles with a new-style number plate\n\n- 27.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nThe rest of the assessment will not go ahead if you fail the eyesight test.\n\n## Session 1\n\nThis session focuses on element A of the CBT syllabus - introduction to CBT.\n\nThe DVSA assessor will give you an overview of the assessment.\n\nYou\u2019ll then deliver a lesson on the modules within element A of the CBT syllabus. You\u2019re allowed to use notes and training aids. The other candidates will watch your instruction and decide whether it\u2019s valid and achieves the objective.\n\n## Session 2\n\nThis session focuses on element B of the CBT syllabus - practical on-site training.\n\nYou\u2019ll be introduced to the motorcycle that will be used on-site. You should familiarise yourself with it so you can give a controls lesson or basic machine check lesson.\n\nThe \u2018novice rider\u2019 will act on the instruction you give. The other candidates will watch the instruction you give and decide whether it\u2019s a valid lesson and achieves the objective.\n\n## Sessions 3 and 4\n\nThese sessions focus on element C of the CBT syllabus - practical on-site riding.\n\nYou\u2019ll instruct the \u2018novice rider\u2019. The other candidates give a debrief at the end of each lesson.\n\nThe roles will be changed several times so you can prove your ability as an instructor and supervisor.\n\n## Session 5\n\nThis session focuses on element D of the CBT syllabus - practical on-road training.\n\nYou\u2019ll give a lesson made up of 3 modules from element D. The other candidates will supervise you, and then the roles will be swapped.\n\n## Sessions 6 and 7\n\nThese sessions focus on element E of the CBT syllabus - practical on-road riding.\n\nYou\u2019ll ride a motorcycle and follow the \u2018novice rider\u2019 on the road. You\u2019ll have to:\n\n- give instructions\n\n- correct any faults that they make\n\n- direct them over a route on public roads using radio equipment\n\nYou\u2019ll need to use your own motorcycle for sessions 6 and 7.\n\n## Your assessment result\n\nYou\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.\n\n## Passing the assessment\n\nYou\u2019ll be sent more information about how to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a DVSA assessed instructor.\n\nUntil you\u2019ve got your registration certificate you are not allowed to:\n\n- conduct compulsory basic training (CBT) courses\n\n- train any instructors on behalf of your approved training body (ATB)\n\n## Failing the assessment\n\nYou cannot apply to retake the assessment if you fail it twice within a 12-month period. You\u2019ll have to wait until 1 year after the date of the second assessment before applying again.\n\n## Failing if you\u2019re a down-trained instructor\n\nYou can continue to give CBT training if you\u2019re a down-trained instructor, but you\u2019ll have to have a standards check at your ATB in the near future.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "answerable": true, + "scenario": "I have my assessed CBT test tomorrow but I am a bit worried about it now after my daughter raised concerns over my eyesight. I was aware that there will be an eye exam, and was fairly confident in my vision. Until last night when my daughter jokingly decided to make me look at an eye chart and I got almost everything wrong.", + "original_question": "Will I be able to continue with the assessment if I fail the eye exam?" + }, + { + "id": "train-1787", + "question": "Scenario: I have sent in an appeal for a decision made my the Traffic Penalty Tribunal regarding my parking violation. The officer that issues the ticked didn't take into the consideration my disability parking note and simply assumed I parked illegally.\n\nQuestion: If my appeal is successful do I have to pay anything?\n\nDocument - Appeal against a penalty charge notice:\n## Appealing to an independent tribunal\n\nYou may be able to appeal to an independent tribunal against a penalty charge notice (PCN) if you think it\u2019s wrong.\n\nYou can only do this if you\u2019ve already tried making making a formal challenge (\u2018representation\u2019).\n\nThis includes any PCN issued in England or Wales for:\n\n- parking\n\n- breaking traffic rules, for example going against a \u2018no right turn\u2019 sign or driving in a bus lane when you shouldn\u2019t\n\n- not paying the Dartford Crossing, London congestion or low emissions zone charge on time\n\nThere are different ways to appeal in Scotland and Northern Ireland.\n\n## When to appeal\n\nYou then have 28 days to appeal after you get a \u2018notice of rejection\u2019 to say your formal challenge has failed.\n\n## How to appeal\n\nFind out how to appeal to:\n\n- London Tribunals if your PCN was issued in London\n\n- the Traffic Penalty Tribunal if your PCN was issued outside London, in England or Wales - this includes PCNs from Dart Charge\n\nIf your appeal is successful the PCN will be cancelled and you won\u2019t have to pay anything.\n\n## If your appeal fails\n\nYou\u2019ll have 28 days to pay the penalty charge notice (PCN) if your appeal is refused.\n\n## If you don\u2019t pay within 28 days\n\nYou\u2019ll get a \u2018charge certificate\u2019 and you\u2019ll have to pay 50% more within 14 days.\n\nYou\u2019ll get a court order demanding payment if you don\u2019t pay a charge certificate within 14 days.\n\n## If you get a court order\n\nYou\u2019ll have 21 days to pay the penalty charge notice (PCN) or challenge a court order demanding payment (known as an \u2018order of recovery\u2019).\n\nBailiffs (\u2018enforcement agents\u2019) will be told to visit your home to collect what you owe if you don\u2019t pay or challenge within 21 days.\n\n## When you can challenge\n\nYou can challenge an order of recovery if you:\n\n- didn\u2019t get a \u2018notice to owner\u2019 telling you how to make a formal challenge\n\n- made a formal challenge on time but didn\u2019t get a \u2018notice of rejection\u2019\n\n- appealed to an independent tribunal on time but didn\u2019t get a response\n\n- have proof you\u2019ve paid the penalty charge, such as a credit card statement\n\n## How to challenge\n\nThe form you use to challenge an order of recovery depends on whether it relates to:\n\n- a parking PCN - use form TE9\n\n- a Dart Charge PCN - use form TE9 Dart Charge\n\n- a low emission zone PCN - use form PE3 vehicle emissions\n\n- any other PCN, for example for driving in a bus lane - use form PE3\n\nSend it to the Traffic Enforcement Centre (TEC) within 21 days.\n\nYou may be able to get more time to challenge an order of recovery.\n\n## If your challenge is successful\n\nThe order of recovery will be withdrawn and bailiffs won\u2019t be able to seize your property.\n\nThe council or authority that issued the PCN will then do one of the following:\n\n- cancel the PCN, for example because you paid it in full\n\n- issue a new notice to owner - you\u2019ll have 28 days to pay or challenge\n\n- refer your case to an independent tribunal\n\n## Getting more time to challenge a court order\n\nYou can ask for more time to challenge a court order (\u2018order of recovery\u2019) if you:\n\n- were contacted about a penalty charge notice (PCN) you didn\u2019t know about\n\n- were contacted about a paid or cancelled PCN\n\n- didn\u2019t get a response to your formal challenge (\u2018representation\u2019) or appeal\n\nDo this by making an \u2018out of time\u2019 challenge to the order of recovery.\n\n## Making an \u2018out of time\u2019 challenge\n\nUse an \u2018out of time\u2019 form to explain why you\u2019re making a late challenge. Send it with the form you need to challenge the order of recovery.\n\nThe \u2018out of time\u2019 form you use depends on whether it relates to:\n\n- a parking PCN\n\n- a Dart Charge PCN\n\n- any other PCN - for example for driving in a bus lane\n\n## What happens next\n\nBailiffs will be told to stop any action while your \u2018out of time\u2019 challenge is considered by the council or authority that issued the PCN.\n\n## If your \u2018out of time\u2019 challenge is accepted\n\nBailiffs will have to return any property they seized and the council or authority will decide what happens next if your challenge is successful.\n\n## If your \u2018out of time\u2019 challenge is refused\n\nThe Traffic Enforcement Centre (TEC) will review your \u2018out of time\u2019 challenge if it\u2019s refused by the council or authority. You\u2019ll get a letter to tell you if your challenge is successful or not.\n\nIf it\u2019s not, you can ask a judge to review the TEC\u2019s decision.\n\nThe council or authority that issued the PCN can also ask a judge to review the TEC\u2019s decision.\n\n## Getting a judge to review the TEC\u2019s decision\n\nSend application notice N244 to the TEC with your fee within 14 days of the date the decision was made.\n\nRead the N244 guidelines for help filling in the application.\n\n## Fee\n\nHow much you pay depends on whether you want to attend a hearing to present your case.\n\n| How you want your case to be decided | Fee |\n\n| With hearing at your local county court | \u00a3255 |\n\n| Without hearing by a district judge | \u00a3100 |\n\nIf you\u2019re on a low income, or you\u2019re on certain benefits and don\u2019t have much in savings, you might be able to get money off the fee.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "answerable": true, + "scenario": "I have sent in an appeal for a decision made my the Traffic Penalty Tribunal regarding my parking violation. The officer that issues the ticked didn't take into the consideration my disability parking note and simply assumed I parked illegally.", + "original_question": "If my appeal is successful do I have to pay anything?" + }, + { + "id": "train-1788", + "question": "Scenario: My house sitter notified me today that my appeal regarding a penalty charge notice for running a red light has been unsuccessful. I am on vacation out of the country for the entire month and wont be able to pay it until after I get back.\n\nQuestion: Will I have to pay more when I come back from vacation?\n\nDocument - Appeal against a penalty charge notice:\n## Appealing to an independent tribunal\n\nYou may be able to appeal to an independent tribunal against a penalty charge notice (PCN) if you think it\u2019s wrong.\n\nYou can only do this if you\u2019ve already tried making making a formal challenge (\u2018representation\u2019).\n\nThis includes any PCN issued in England or Wales for:\n\n- parking\n\n- breaking traffic rules, for example going against a \u2018no right turn\u2019 sign or driving in a bus lane when you shouldn\u2019t\n\n- not paying the Dartford Crossing, London congestion or low emissions zone charge on time\n\nThere are different ways to appeal in Scotland and Northern Ireland.\n\n## When to appeal\n\nYou then have 28 days to appeal after you get a \u2018notice of rejection\u2019 to say your formal challenge has failed.\n\n## How to appeal\n\nFind out how to appeal to:\n\n- London Tribunals if your PCN was issued in London\n\n- the Traffic Penalty Tribunal if your PCN was issued outside London, in England or Wales - this includes PCNs from Dart Charge\n\nIf your appeal is successful the PCN will be cancelled and you won\u2019t have to pay anything.\n\n## If your appeal fails\n\nYou\u2019ll have 28 days to pay the penalty charge notice (PCN) if your appeal is refused.\n\n## If you don\u2019t pay within 28 days\n\nYou\u2019ll get a \u2018charge certificate\u2019 and you\u2019ll have to pay 50% more within 14 days.\n\nYou\u2019ll get a court order demanding payment if you don\u2019t pay a charge certificate within 14 days.\n\n## If you get a court order\n\nYou\u2019ll have 21 days to pay the penalty charge notice (PCN) or challenge a court order demanding payment (known as an \u2018order of recovery\u2019).\n\nBailiffs (\u2018enforcement agents\u2019) will be told to visit your home to collect what you owe if you don\u2019t pay or challenge within 21 days.\n\n## When you can challenge\n\nYou can challenge an order of recovery if you:\n\n- didn\u2019t get a \u2018notice to owner\u2019 telling you how to make a formal challenge\n\n- made a formal challenge on time but didn\u2019t get a \u2018notice of rejection\u2019\n\n- appealed to an independent tribunal on time but didn\u2019t get a response\n\n- have proof you\u2019ve paid the penalty charge, such as a credit card statement\n\n## How to challenge\n\nThe form you use to challenge an order of recovery depends on whether it relates to:\n\n- a parking PCN - use form TE9\n\n- a Dart Charge PCN - use form TE9 Dart Charge\n\n- a low emission zone PCN - use form PE3 vehicle emissions\n\n- any other PCN, for example for driving in a bus lane - use form PE3\n\nSend it to the Traffic Enforcement Centre (TEC) within 21 days.\n\nYou may be able to get more time to challenge an order of recovery.\n\n## If your challenge is successful\n\nThe order of recovery will be withdrawn and bailiffs won\u2019t be able to seize your property.\n\nThe council or authority that issued the PCN will then do one of the following:\n\n- cancel the PCN, for example because you paid it in full\n\n- issue a new notice to owner - you\u2019ll have 28 days to pay or challenge\n\n- refer your case to an independent tribunal\n\n## Getting more time to challenge a court order\n\nYou can ask for more time to challenge a court order (\u2018order of recovery\u2019) if you:\n\n- were contacted about a penalty charge notice (PCN) you didn\u2019t know about\n\n- were contacted about a paid or cancelled PCN\n\n- didn\u2019t get a response to your formal challenge (\u2018representation\u2019) or appeal\n\nDo this by making an \u2018out of time\u2019 challenge to the order of recovery.\n\n## Making an \u2018out of time\u2019 challenge\n\nUse an \u2018out of time\u2019 form to explain why you\u2019re making a late challenge. Send it with the form you need to challenge the order of recovery.\n\nThe \u2018out of time\u2019 form you use depends on whether it relates to:\n\n- a parking PCN\n\n- a Dart Charge PCN\n\n- any other PCN - for example for driving in a bus lane\n\n## What happens next\n\nBailiffs will be told to stop any action while your \u2018out of time\u2019 challenge is considered by the council or authority that issued the PCN.\n\n## If your \u2018out of time\u2019 challenge is accepted\n\nBailiffs will have to return any property they seized and the council or authority will decide what happens next if your challenge is successful.\n\n## If your \u2018out of time\u2019 challenge is refused\n\nThe Traffic Enforcement Centre (TEC) will review your \u2018out of time\u2019 challenge if it\u2019s refused by the council or authority. You\u2019ll get a letter to tell you if your challenge is successful or not.\n\nIf it\u2019s not, you can ask a judge to review the TEC\u2019s decision.\n\nThe council or authority that issued the PCN can also ask a judge to review the TEC\u2019s decision.\n\n## Getting a judge to review the TEC\u2019s decision\n\nSend application notice N244 to the TEC with your fee within 14 days of the date the decision was made.\n\nRead the N244 guidelines for help filling in the application.\n\n## Fee\n\nHow much you pay depends on whether you want to attend a hearing to present your case.\n\n| How you want your case to be decided | Fee |\n\n| With hearing at your local county court | \u00a3255 |\n\n| Without hearing by a district judge | \u00a3100 |\n\nIf you\u2019re on a low income, or you\u2019re on certain benefits and don\u2019t have much in savings, you might be able to get money off the fee.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-against-a-penalty-charge-notice", + "answerable": true, + "scenario": "My house sitter notified me today that my appeal regarding a penalty charge notice for running a red light has been unsuccessful. I am on vacation out of the country for the entire month and wont be able to pay it until after I get back.", + "original_question": "Will I have to pay more when I come back from vacation?" + }, + { + "id": "train-1790", + "question": "Scenario: I was finally able to acquire all of the equipment I will need to operate my MOT test station. The last tool I needed arrived today and it appears to be an older model than what I ordered. The company said they will send me the correct one and that I can keep the current one. I had ordered a category A decelerometer but received a class B instead.\n\nQuestion: Can I still conduct tests on all classes of vehicles with the older model?\n\nDocument - Set up an MOT test station:\n## What you need to set up and start testing\n\nYou must meet a number of legal requirements if you want to set up an MOT test station.\n\n## Set up the test station\n\nYou need:\n\n- suitable premises and approved equipment for the vehicle classes you want to test\n\n- an authorised examiner (AE)\n\nThe AE is an individual, partnership or company authorised by the Driver and Vehicle Standards Agency (DVSA). The AE is responsible for making sure that:\n\n- MOT tests are properly conducted\n\n- the test facilities and equipment are checked and well-maintained\n\n- MOT documents are correctly stored and access to electronic MOT test systems is only given to eligible users\n\n- the MOT testers are assessed correctly and complete training and assessments\n\n- DVSA staff have access to the premises for checks on staff and equipment\n\n- DVSA is informed about significant changes to the business within 7 working days\n\n## Start MOT testing\n\nBefore you can carry out MOT testing you also need:\n\n- an MOT business manager (sometimes called an \u2018AE designated manager\u2019) who is in charge of all MOT testing by your business\n\n- an MOT tester approved for the vehicle classes you want to test\n\nThe MOT business manager must have taken an approved course, for example the former 2-day DVSA course or a level 3 award in MOT Test Centre Management.\n\nFind an MOT manager qualification course and book it with the course provider.\n\nYou have to pay to take the course. The price is set by the course provider.\n\n## Apply for authorised examiner status\n\nYou need an authorised examiner (AE) to set up an MOT test station. The AE can be an individual, partnership or company.\n\nAE status does not transfer with a business. If you\u2019re buying an existing MOT station, you need to apply for AE status in your own right.\n\n## How to apply\n\nSend form VT01 to the Driver and Vehicle Standards Agency (DVSA). The address is on the form.\n\nUse the same form if you already have AE status and want to open a test station.\n\nThe application form has guidance notes explaining the information you need to include. There is no fee.\n\nIf your application is refused, DVSA will write to you - you can appeal the decision and ask for a hearing by writing to DVSA within 14 days.\n\n## When you must reapply\n\nYou must reapply for AE status if your company is reconstructed in a way that means it\u2019s given a new company registration number.\n\n## Equipment and premises\n\nYou need to make sure that your equipment and premises are suitable for the vehicle classes you plan to test.\n\n## Equipment\n\nYou need to have a:\n\n- computer, laptop or tablet with internet connection\n\n- printer\n\nThese need to met the minimum IT specification.\n\n## Approved testing equipment\n\nDifferent classes of vehicle need different specialist test equipment.\n\nYou must make sure you have at least the minimum level for each vehicle class you\u2019re approved to test.\n\nAll equipment must be kept in good working order and calibrated properly.\n\nYou\u2019ll need to use approved equipment for:\n\n- brake pedal application devices\n\n- decelerometers\n\n- diesel smoke meters\n\n- exhaust gas analysers (catalyst vehicles)\n\n- exhaust gas analysers (non-catalyst vehicles)\n\n- headlamp aim testers\n\n- plate brake testers\n\n- roller brake testers\n\n- tow bar socket testers\n\n- tyre tread depth gauges\n\n- wheel play detectors\n\nThere are 3 categories of decelerometers:\n\n- category A are approved for all classes of vehicle\n\n- category B are approved for class 3, 4, 5 and 7 vehicles\n\n- category C are approved for class 1 and 2 vehicles\n\nYou can download the lists of approved equipment.\n\n## Premises\n\nYou need to make sure your premises are suitable and testing bay sizes are correct for the vehicle classes you\u2019ll be testing. You can find the minimum standards in the MOT testing guide.\n\n## Approval in principle\n\nYour premises will be given an approval in principle when you apply for authorised examiner (AE) status. This will help you avoid committing to expensive work or alterations before your premises are approved.\n\nIf you\u2019ve already got AE status and want to make changes to the test facilities, write to the Driver and Vehicle Standards Agency (DVSA) before you make any changes. Include supporting drawings, to show that the changes will not affect the testing station\u2019s approval.\n\n## Meeting ongoing standards\n\nYou must clearly and publicly display the MOT test fees and appeals poster (VT9A) in your station.\n\nYou should conduct regular checks to make sure your MOT testing station meets the best practice standards at all times.\n\n## Prepare for site reviews\n\nThe Driver and Vehicle Standards Agency (DVSA) will carry out regular risk-based site reviews of your station to make sure you continue to meet the standards.\n\nThis will involve checking your station is well maintained and that it offers clean and comfortable facilities, for example suitable customer waiting areas.\n\n## Learn about changes to MOT rules\n\nDVSA uses \u2018special notices\u2019 to tell you about changes to the MOT scheme. Authorised examiners (AEs) receive these automatically within the online MOT testing service.\n\n## If your service is not good enough\n\nDVSA can take disciplinary action or stop you operating as a testing station if your service is not good enough.\n\nIf you lose AE status for disciplinary reasons, anyone else applying for AE status at the same test station must prove they\u2019re sufficiently independent from you.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/become-an-mot-station", + "answerable": true, + "scenario": "I was finally able to acquire all of the equipment I will need to operate my MOT test station. The last tool I needed arrived today and it appears to be an older model than what I ordered. The company said they will send me the correct one and that I can keep the current one. I had ordered a category A decelerometer but received a class B instead.", + "original_question": "Can I still conduct tests on all classes of vehicles with the older model?" + }, + { + "id": "train-1791", + "question": "Scenario: I applied for learner support with University College London and got approved around a week ago. With how unstable my financial situation is I am really hoping there is a way for me to receive money which I will not have to pay back.\n\nQuestion: Could I be payed money directly which I will not be expected to pay back?\n\nDocument - Learner Support:\n## Overview\n\nIf you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.\n\nYou apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare - if you qualify\n\n## What you'll get\n\nYour learning provider (for example, a college) decides how much you get. It depends on their scheme and your circumstances.\n\n## How the money is paid\n\nThe money could be:\n\n- a direct payment to you - which you don\u2019t have to pay back\n\n- a loan - which you have to pay back\n\n- paid to someone else, for example a landlord\n\nYour learning provider decides how the money is paid to you. It depends on their scheme and what the money is for.\n\nCheck with the student support staff at your college or the National Careers Service about other funding you could get.\n\n## Eligibility\n\nTo get Learner Support you must be:\n\n- 19 or over\n\n- studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)\n\nYou must be 20 or over to get help with childcare costs. If you\u2019re 19, apply for Care to Learn instead.\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Care to Learn\n\n- Disability Living Allowance\n\n## Who can\u2019t apply\n\nYou can\u2019t claim if you\u2019re:\n\n- getting student finance for higher education\n\n- on a Community Learning course\n\n## How to claim\n\nApply directly to your learning provider (for example, a college) - they each have their own application process.\n\nSpeak to your student support services to:\n\n- get help applying\n\n- find out what\u2019s available\n\n## Appeal a decision\n\nIf you\u2019re not happy with the decision about your Learner Support, contact your learning provider to appeal it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/learner-support", + "answerable": true, + "scenario": "I applied for learner support with University College London and got approved around a week ago. With how unstable my financial situation is I am really hoping there is a way for me to receive money which I will not have to pay back.", + "original_question": "Could I be payed money directly which I will not be expected to pay back?" + }, + { + "id": "train-1792", + "question": "Scenario: My financial situation at home as been getting worse over the course of the summer break and after my parents' divorce. Thankfully I got approved for a student loan with Student Finance England which gave me hope that I might be able to complete my higher education. I recently found out about Learner Support and since I really need all the help I could get I would love to apply.\n\nQuestion: Am I eligible to receive Learner Support?\n\nDocument - Learner Support:\n## Overview\n\nIf you\u2019re aged 19 or over, on a further education course and facing financial hardship, you could get Learner Support.\n\nYou apply to your learning provider (for example your college) for Learner Support. How much you get depends on your circumstances.\n\nThe money can help pay for things like:\n\n- accommodation and travel\n\n- course materials and equipment\n\n- childcare - if you qualify\n\n## What you'll get\n\nYour learning provider (for example, a college) decides how much you get. It depends on their scheme and your circumstances.\n\n## How the money is paid\n\nThe money could be:\n\n- a direct payment to you - which you don\u2019t have to pay back\n\n- a loan - which you have to pay back\n\n- paid to someone else, for example a landlord\n\nYour learning provider decides how the money is paid to you. It depends on their scheme and what the money is for.\n\nCheck with the student support staff at your college or the National Careers Service about other funding you could get.\n\n## Eligibility\n\nTo get Learner Support you must be:\n\n- 19 or over\n\n- studying at a learning provider funded by the Education and Skills Funding Agency (check with your college)\n\nYou must be 20 or over to get help with childcare costs. If you\u2019re 19, apply for Care to Learn instead.\n\nYou can apply even if you get other types of funding, for example:\n\n- Professional and Career Development Loans\n\n- Care to Learn\n\n- Disability Living Allowance\n\n## Who can\u2019t apply\n\nYou can\u2019t claim if you\u2019re:\n\n- getting student finance for higher education\n\n- on a Community Learning course\n\n## How to claim\n\nApply directly to your learning provider (for example, a college) - they each have their own application process.\n\nSpeak to your student support services to:\n\n- get help applying\n\n- find out what\u2019s available\n\n## Appeal a decision\n\nIf you\u2019re not happy with the decision about your Learner Support, contact your learning provider to appeal it.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/learner-support", + "answerable": true, + "scenario": "My financial situation at home as been getting worse over the course of the summer break and after my parents' divorce. Thankfully I got approved for a student loan with Student Finance England which gave me hope that I might be able to complete my higher education. I recently found out about Learner Support and since I really need all the help I could get I would love to apply.", + "original_question": "Am I eligible to receive Learner Support?" + }, + { + "id": "train-1793", + "question": "Scenario: I am interested in setting up an approved training body, to teach people how to operate motorcycle vehicles. I am concerned that my theft conviction from 6 years ago might interrupt the process.\n\nQuestion: Is the DVSA going to be alarmed by my conviction?\n\nDocument - Set up and run a motorcycle approved training body (ATB):\n## Overview\n\nYou must be an approved training body (ATB) with the Driver and Vehicle Standards Agency (DVSA) to provide:\n\n- compulsory basic training (CBT) for learner motorcyclists\n\n- direct access scheme (DAS) training to riders learning to ride a large motorcycle\n\nCBT and DAS training must be given by instructors certified by DVSA working for your approved training body.\n\nThe sites you use to provide training from must also be approved by DVSA.\n\nThe process is different Northern Ireland.\n\n## Rules for being an ATB\n\nYou must meet certain rules to be an approved training body (ATB).\n\n## \u2018Fit and proper\u2019\n\nYou must be a \u2018fit and proper\u2019 person to run the ATB.\n\nWhen deciding if you\u2019re a \u2018fit and proper\u2019 person, DVSA will look at if you have:\n\n- had any convictions in the last 4 years\n\n- any motoring convictions\n\n- been disqualified from driving\n\n- any penalty points on your licence\n\n- any court proceedings pending against you\n\n## Training\n\nYou must provide compulsory basic training (CBT) as an ATB. Any CBT and direct access scheme (DAS) courses you provide must meet the legal requirements.\n\nThe CBT syllabus and guidance notes gives full details on what must be provided.\n\nAn instructor is only allowed to supervise up to 2 trainees during on-road tuition.\n\nYour instructors must be in radio contact with all trainees at all times during on-road tuition.\n\n## Training sites\n\nYou must have the use of a suitable site or sites for training in the off-road parts of the CBT course.\n\nThese sites must be authorised by DVSA before they\u2019re used.\n\n## Instructors\n\nYou must make sure that all your instructors have a valid instructor certificate for the type of training they give. This must show the name of your ATB.\n\nAt least 1 of your instructors must have successfully completed DVSA\u2019s assessment course for motorcycle training.\n\nDVSA-assessed instructors are allowed to train other people that you want to appoint as instructors - this is known as \u2018down-training\u2019.\n\nYou should have at least 1 DVSA-assessed instructor for every 10 instructors that have been down-trained.\n\n## Monitoring\n\nYou should send all required information about the courses you provide to DVSA including:\n\n- reporting any incidents\n\n- dates when you\u2019re providing CBT courses\n\n- the CBT certificates of completion you issue\n\nThe ATB manual gives more details about what you have to send.\n\n## Apply to become an ATB\n\nTo apply to register an approved training body (ATB), download these 3 application forms, and send them to DVSA:\n\n- \u2018Application to provide compulsory basic training (CBT) courses\u2019\n\n- \u2018Compulsory basic training (CBT) site application form\u2019\n\n- \u2018Application to be authorised as a certified motorcycle instructor\u2019\n\nIt takes up to 8 weeks to process an application. This includes the time to inspect the site to be used for the off-road elements of compulsory basic training.\n\n## Apply for CBT site authorisation\n\nAll the sites you intend to use for the practical training and riding elements of the compulsory basic training (CBT) course must be authorised by DVSA.\n\nYou can\u2019t use a site until you\u2019ve got authorisation from DVSA.\n\nDownload the compulsory basic training site application form to apply for authorisation.\n\nSend the completed form to DVSA. You\u2019ll also need to include a draft plan of the intended site, eg an annotated satellite image.\n\n## Site inspection\n\nDVSA will:\n\n- inspect the site\n\n- send a site report to you\n\n- send a unique site code to you if the site is suitable\n\nThe site report will explain any rules set by DVSA. This will include how many trainees are allowed on the site.\n\nYou should make sure all your instructors are aware of these details.\n\n## Changes to authorised sites\n\nYou must tell DVSA straight away if a site is altered or added to.\n\nDownload the compulsory basic training site application form and send it to DVSA.\n\nYou\u2019ll also need to include:\n\n- a draft plan showing any changes to the original authorised site\n\n- a permission letter signed by the site owner\n\nThe site\u2019s authorisation can be removed if it has become unsuitable.\n\n## Stopping using a site\n\nYou must tell DVSA straight away if you stop using a site for CBT.\n\nYou can email DVSA - you\u2019ll need to include your approved training body number and the site\u2019s unique code.\n\n## Providing the CBT course\n\nThe compulsory basic training (CBT) course is made up of 5 parts.\n\nThe course syllabus and the order in which the parts must be delivered is set out in law.\n\n## CBT certificate of completion\n\nYou must give trainees a CBT certificate of completion (DL196) when they reach the required standard.\n\nThe certificate must be completed and signed by the instructor, usually the one who conducted part E of the CBT course.\n\nThe name and address of your approved training body (ATB) should be included on the certificate.\n\n## Ordering DL196 certificates\n\nYou can buy books of DL196 certificates online from DVSA.\n\nEach book contains 25 certificates and costs \u00a3200.\n\n## How your ATB is monitored\n\nDVSA monitors the standard of instruction given by:\n\n- approved training bodies (ATBs)\n\n- instructors delivering compulsory basic training (CBT) courses\n\nYou must make your instructors available for regular standards checks.\n\nYou should tell your local DVSA CBT manager the dates and times when your ATB will be running CBT courses.\n\n## After an assessment\n\nYou\u2019ll get a letter of confirmation and report from DVSA after an assessment visit if the training delivered meets the required standard.\n\nDVSA can conduct more assessments if:\n\n- the training falls short of the required standard\n\n- there are breaches of regulations\n\n- there are reports of failure to follow the conditions of appointment\n\nDVSA will consider withdrawing an instructor\u2019s authority to deliver courses if they fail to achieve the required standard during the subsequent assessments.\n\nDVSA can withdraw your ATB\u2019s authorisation to deliver training courses if assessments show that it doesn\u2019t consistently provide full and proper CBT courses.\n\n## Disagreeing with DVSA\u2019s decision\n\nYou can appeal to DVSA if you or an instructor disagrees with DVSA\u2019s decision to withdraw their authority.\n\n## Documents for ATBs\n\nDVSA produces the following documents for approved training bodies (ATBs).\n\n## ATB manual\n\nThe ATB manual gives more details about the rules and processes you should follow when you\u2019re running an ATB.\n\n## Safe and Responsible Riding\n\nThe \u2018National standard for riding mopeds and motorcycles\u2019 sets out the skills, knowledge and understanding that learners need to prove they\u2019re safe and responsible riders.\n\n## Compulsory basic training (CBT) syllabus and guidance notes\n\nThe CBT syllabus and guidance notes sets out what trainers need to do and what learners need to understand when taking the course.\n\n## Direct access scheme (DAS) motorcycle training guidance\n\nThe DAS motorcycle training guidance sets out what trainers need to do and what learners need to understand when taking the course.\n\nChanges to the CBT syllabus and guidance notes\n\nYou can keep up to date with new versions if you sign up for DVSA email alerts.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/set-up-run-motorcycle-approved-training-body-atb", + "answerable": true, + "scenario": "I am interested in setting up an approved training body, to teach people how to operate motorcycle vehicles. I am concerned that my theft conviction from 6 years ago might interrupt the process.", + "original_question": "Is the DVSA going to be alarmed by my conviction?" + }, + { + "id": "train-1795", + "question": "Scenario: I am a Master's student at University College London, studying Software Engineering. Since I am not able to afford to pay for my education I took out a Postgraduate loan. On the other hand my father's health is deteriorating fast and I am the only one available to take care of him however I can. He can not work and is reliant on me for most things, including financials.\n\nQuestion: Am I eligible to apply for an Adult Dependants\u2019 Grant under these circumstances?\n\nDocument - Adult Dependants' Grant:\n## Overview\n\nIf you\u2019re a full-time student in higher education and an adult depends on you financially, you can apply for an Adult Dependants\u2019 Grant of up to:\n\n- \u00a33,190 for the 2021 to 2022 academic year\n\n- \u00a33,094 for the 2020 to 2021 academic year\n\nThe grant:\n\n- does not have to be paid back\n\n- is paid on top of your other student finance\n\nYou cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.\n\n## What you'll get\n\nThe maximum Adult Dependants\u2019 Grant is:\n\n- \u00a33,190 for the 2021 to 2022 academic year\n\n- \u00a33,094 for the 2020 to 2021 academic year\n\nYou do not have to pay this money back.\n\nAdult Dependants\u2019 Grant will affect any income-related benefits and tax credits you might get.\n\n## What it\u2019s based on\n\nThe amount you get depends on:\n\n- your income\n\n- the adult dependant\u2019s income\n\n- your personal circumstances, for example if you\u2019re married or have children\n\n- what other grants you\u2019re receiving, for example Childcare Grant\n\n## How you\u2019re paid\n\nThe money is paid in 3 instalments (one at the start of each term) directly into your bank account.\n\n## Eligibility\n\nUsually the adult dependant will be:\n\n- your husband, wife, partner or civil partner\n\n- a relative, such as a parent or grandparent\n\nIf you\u2019re under 25, the adult dependant cannot be your partner unless you\u2019re married or in a civil partnership.\n\nYou\u2019re not eligible if the adult dependant is:\n\n- your child\n\n- a relative who earns more than \u00a33,796 a year\n\n- getting student finance\n\nYou cannot get an Adult Dependants\u2019 Grant if you\u2019re getting a Postgraduate Loan.\n\n## How to apply\n\n- Fill in the Adult Dependants\u2019 Grant section on your main student finance application - you\u2019ll need to give estimates of your household income.\n\n- Student Finance England will assess your application and contact you if they need more information.\n\n- Student Finance England will send you a letter telling you if you qualify and how much money you\u2019ll get.\n\n## Supporting information\n\nStudent Finance England may contact you and ask for further information on your financial circumstances. This can include a copy of:\n\n- your P60\n\n- Child Benefit details\n\n- family tax credits details\n\n- financial information from your partner, for example bank statements", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/adult-dependants-grant", + "answerable": true, + "scenario": "I am a Master's student at University College London, studying Software Engineering. Since I am not able to afford to pay for my education I took out a Postgraduate loan. On the other hand my father's health is deteriorating fast and I am the only one available to take care of him however I can. He can not work and is reliant on me for most things, including financials.", + "original_question": "Am I eligible to apply for an Adult Dependants\u2019 Grant under these circumstances?" + }, + { + "id": "train-1797", + "question": "Scenario: I am a business trader and sells white goods among other electrical appliances. My business has a annual turnover of \u00a380000. I sell all my products online.I want an effective waste disposal scheme. I don't have a physical stores.\n\nQuestion: Can i join the distributors takeback scheme?\n\nDocument - Electrical waste: retailer and distributor responsibilities:\n## Your responsibilities\n\nYou have certain responsibilities if you sell electrical and electronic equipment (EEE).\n\nYou must provide a way for your customers to dispose of their old household electrical and electronic equipment when you sell them a new version of the same item.\n\nThe waste electrical and electronic equipment (WEEE) regulations apply regardless of how you sell the products, whether direct or by internet, mail order or telephone.\n\nYou must either:\n\n- provide a free, in store, take back service to your customers\n\n- set up an alternative, free take back service\n\nIf you do not have your own take back service, you must join the Distributor Takeback Scheme (DTS).\n\nYou can be prosecuted if you do not comply with the regulations.\n\n## Tell your customers which service you provide\n\nYou must provide free written information to your customers on:\n\n- which take back service you provide, including collect on delivery\n\n- how they can reuse and recycle electrical and electronic equipment\n\n- why this waste needs to be separated from other waste\n\n- the damaging effects of not recycling electrical and electronic equipment\n\n- the meaning of the crossed-out wheelie bin symbol\n\n## Shops\n\nYou can provide this information by, for example:\n\n- displaying posters in your store about which service you provide\n\n- including information leaflets with the electrical and electronic equipment you sell\n\n## Online retailers\n\nYou must publish this information on your website. You can download free customer information if you offer a take back service. DTS members can get these from the scheme.\n\nYou have other responsibilities if you\u2019re a \u2018producer\u2019 - for example you make and sell EEE under your own brand, or sell it in UK from abroad.\n\n## Take back waste in store\n\nYou must offer to take back waste of the same type as the item your customers buy from you, regardless of:\n\n- whether they buy in-store, online or by mail order\n\n- the brand of the item\n\nYou must also take back items that have the same function. For example, you would:\n\n- take back a customer\u2019s old kettle when they buy a new one\n\n- take back a video player if the customer buys a DVD player\n\nYou must:\n\n- offer the in-store service for free - but you can charge to cover transport costs if you\u2019re collecting items from customers\u2019 homes\n\n- give customers at least 28 days to bring back their waste item\n\n- take back all types of electrical and electronic equipment that you sell - you can choose to extend your service to cover all kinds of electrical and electronic waste\n\n## Small electronic equipment\n\n\u2018Very small WEEE\u2019 are items of waste electrical and electronic equipment that are less than 25cm on their longest side.\n\nYou must take back all items of \u2018very small WEEE\u2019 in store if your electrical and electronic equipment sales area is greater than 400 square metres including aisle, display and shelf space.\n\nYou must provide this service to everyone for free, regardless of whether they\u2019ve bought anything from your store.\n\nYou\u2019re exempt if you\u2019ve joined the Distributor Takeback Scheme (DTS) or an assessment shows you already have an effective system.\n\n## Store waste\n\nCheck the conditions to see if you can store the waste temporarily before you dispose of it.\n\n## Dispose of waste\n\nTo dispose of the waste you\u2019ve collected you can do one of the following.\n\n## Producer compliance schemes\n\nContact a producer compliance scheme (PCS).\n\nThe PCS will arrange for the waste to be recycled or prepared for re-use at an Approved Authorised Treatment Facility (AATF).\n\nYou may be charged for the collection and transportation of the waste to the AATF or the PCS collection point.\n\n## Transport the waste yourself\n\nYou can transport the waste to an AATF or PCS collection point yourself.\n\nYou need to register as a waste carrier in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nYou may also need to follow the rules on transporting hazardous waste in:\n\n- England and Wales\n\n- Scotland\n\n- Northern Ireland\n\n## Keep records\n\nYou must keep records of all electrical and electronic waste that you collect and dispose of - you can use a template.\n\nInclude the number of units you\u2019ve received through take back and say how many of these were returned to a PCS.\n\nYou need to keep all documentation you make, or are given by the PCS or the AATF, when you dispose of electrical and electronic waste.\n\nYou also need to keep records of how you tell customers about your take back scheme.\n\nKeep all your records for 4 years.\n\n## Set up an alternative take back service\n\nYou can set up a \u2018designated collection facility\u2019 (DCF) where your customers can take all types of electrical and electronic waste.\n\nYou can do this on your own or with other distributors.\n\nYou must follow the waste electrical and electronic equipment (WEEE) regulations, other waste management legislation and local planning requirements when managing a DCF.\n\nYou must agree with a producer compliance scheme (PCS) to return the electrical and electronic equipment (EEE) direct to an Approved Authorised Treatment Facility (AATF).\n\n## Use the Distributor Takeback Scheme\n\nYou can use the Distributor Takeback Scheme (DTS) instead of providing a takeback service, if either of the following apply:\n\n- your business sells less than \u00a3100,000 of electrical and electronic equipment (EEE) per year\n\n- you only sell online\n\nIf your business sells \u00a3100,000 or more of EEE per year and has physical stores, you cannot use the DTS after 31 December 2020. You\u2019ll need to take back waste in store or set up an alternative collection point instead.\n\n## How the scheme works\n\nYou pay a fee that covers your waste electrical and electronic equipment (WEEE) obligations until 31 December 2021. The amount you pay depends on:\n\n- the size of your business\n\n- whether you only sell online\n\n- how much EEE you sell\n\nThis money goes towards supporting the recycling centres run by local authorities.\n\nYou\u2019ll need to keep a record of what information you give to your customers about where they should take their WEEE.\n\n## If you do not comply\n\nIf you fail to comply with the waste electrical and electronic equipment (WEEE) regulations, you can be prosecuted and fined up to \u00a35,000 at a magistrates\u2019 court, or get an unlimited fine from a Crown Court.\n\nYou may sometimes get warning letters and formal cautions before a prosecution.\n\nThe Office for Product Safety and Standards enforces these regulations. You can contact them online, call or write to them.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "answerable": true, + "scenario": "I am a business trader and sells white goods among other electrical appliances. My business has a annual turnover of \u00a380000. I sell all my products online.I want an effective waste disposal scheme. I don't have a physical stores.", + "original_question": "Can i join the distributors takeback scheme?" + }, + { + "id": "train-1798", + "question": "Scenario: My friend John sells electronics / electrical equipment in his retail shop. He has not provided his customers with a free waste take back service.He does not have a physical take back store or joined any electrical waste scheme.\n\nQuestion: Can he be penalised ?\n\nDocument - Electrical waste: retailer and distributor responsibilities:\n## Your responsibilities\n\nYou have certain responsibilities if you sell electrical and electronic equipment (EEE).\n\nYou must provide a way for your customers to dispose of their old household electrical and electronic equipment when you sell them a new version of the same item.\n\nThe waste electrical and electronic equipment (WEEE) regulations apply regardless of how you sell the products, whether direct or by internet, mail order or telephone.\n\nYou must either:\n\n- provide a free, in store, take back service to your customers\n\n- set up an alternative, free take back service\n\nIf you do not have your own take back service, you must join the Distributor Takeback Scheme (DTS).\n\nYou can be prosecuted if you do not comply with the regulations.\n\n## Tell your customers which service you provide\n\nYou must provide free written information to your customers on:\n\n- which take back service you provide, including collect on delivery\n\n- how they can reuse and recycle electrical and electronic equipment\n\n- why this waste needs to be separated from other waste\n\n- the damaging effects of not recycling electrical and electronic equipment\n\n- the meaning of the crossed-out wheelie bin symbol\n\n## Shops\n\nYou can provide this information by, for example:\n\n- displaying posters in your store about which service you provide\n\n- including information leaflets with the electrical and electronic equipment you sell\n\n## Online retailers\n\nYou must publish this information on your website. You can download free customer information if you offer a take back service. DTS members can get these from the scheme.\n\nYou have other responsibilities if you\u2019re a \u2018producer\u2019 - for example you make and sell EEE under your own brand, or sell it in UK from abroad.\n\n## Take back waste in store\n\nYou must offer to take back waste of the same type as the item your customers buy from you, regardless of:\n\n- whether they buy in-store, online or by mail order\n\n- the brand of the item\n\nYou must also take back items that have the same function. For example, you would:\n\n- take back a customer\u2019s old kettle when they buy a new one\n\n- take back a video player if the customer buys a DVD player\n\nYou must:\n\n- offer the in-store service for free - but you can charge to cover transport costs if you\u2019re collecting items from customers\u2019 homes\n\n- give customers at least 28 days to bring back their waste item\n\n- take back all types of electrical and electronic equipment that you sell - you can choose to extend your service to cover all kinds of electrical and electronic waste\n\n## Small electronic equipment\n\n\u2018Very small WEEE\u2019 are items of waste electrical and electronic equipment that are less than 25cm on their longest side.\n\nYou must take back all items of \u2018very small WEEE\u2019 in store if your electrical and electronic equipment sales area is greater than 400 square metres including aisle, display and shelf space.\n\nYou must provide this service to everyone for free, regardless of whether they\u2019ve bought anything from your store.\n\nYou\u2019re exempt if you\u2019ve joined the Distributor Takeback Scheme (DTS) or an assessment shows you already have an effective system.\n\n## Store waste\n\nCheck the conditions to see if you can store the waste temporarily before you dispose of it.\n\n## Dispose of waste\n\nTo dispose of the waste you\u2019ve collected you can do one of the following.\n\n## Producer compliance schemes\n\nContact a producer compliance scheme (PCS).\n\nThe PCS will arrange for the waste to be recycled or prepared for re-use at an Approved Authorised Treatment Facility (AATF).\n\nYou may be charged for the collection and transportation of the waste to the AATF or the PCS collection point.\n\n## Transport the waste yourself\n\nYou can transport the waste to an AATF or PCS collection point yourself.\n\nYou need to register as a waste carrier in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nYou may also need to follow the rules on transporting hazardous waste in:\n\n- England and Wales\n\n- Scotland\n\n- Northern Ireland\n\n## Keep records\n\nYou must keep records of all electrical and electronic waste that you collect and dispose of - you can use a template.\n\nInclude the number of units you\u2019ve received through take back and say how many of these were returned to a PCS.\n\nYou need to keep all documentation you make, or are given by the PCS or the AATF, when you dispose of electrical and electronic waste.\n\nYou also need to keep records of how you tell customers about your take back scheme.\n\nKeep all your records for 4 years.\n\n## Set up an alternative take back service\n\nYou can set up a \u2018designated collection facility\u2019 (DCF) where your customers can take all types of electrical and electronic waste.\n\nYou can do this on your own or with other distributors.\n\nYou must follow the waste electrical and electronic equipment (WEEE) regulations, other waste management legislation and local planning requirements when managing a DCF.\n\nYou must agree with a producer compliance scheme (PCS) to return the electrical and electronic equipment (EEE) direct to an Approved Authorised Treatment Facility (AATF).\n\n## Use the Distributor Takeback Scheme\n\nYou can use the Distributor Takeback Scheme (DTS) instead of providing a takeback service, if either of the following apply:\n\n- your business sells less than \u00a3100,000 of electrical and electronic equipment (EEE) per year\n\n- you only sell online\n\nIf your business sells \u00a3100,000 or more of EEE per year and has physical stores, you cannot use the DTS after 31 December 2020. You\u2019ll need to take back waste in store or set up an alternative collection point instead.\n\n## How the scheme works\n\nYou pay a fee that covers your waste electrical and electronic equipment (WEEE) obligations until 31 December 2021. The amount you pay depends on:\n\n- the size of your business\n\n- whether you only sell online\n\n- how much EEE you sell\n\nThis money goes towards supporting the recycling centres run by local authorities.\n\nYou\u2019ll need to keep a record of what information you give to your customers about where they should take their WEEE.\n\n## If you do not comply\n\nIf you fail to comply with the waste electrical and electronic equipment (WEEE) regulations, you can be prosecuted and fined up to \u00a35,000 at a magistrates\u2019 court, or get an unlimited fine from a Crown Court.\n\nYou may sometimes get warning letters and formal cautions before a prosecution.\n\nThe Office for Product Safety and Standards enforces these regulations. You can contact them online, call or write to them.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "answerable": true, + "scenario": "My friend John sells electronics / electrical equipment in his retail shop. He has not provided his customers with a free waste take back service.He does not have a physical take back store or joined any electrical waste scheme.", + "original_question": "Can he be penalised ?" + }, + { + "id": "train-1803", + "question": "Scenario: I wanted to put some shutters on the front of my shop but the council turned me down. I think this is unfair and it puts by business at risk.\n\nQuestion: I am within my rights to appeal this decision?\n\nDocument - Appeal a minor commercial development decision:\n## When you can appeal\n\nYour local planning authority makes decisions on applications about minor commercial developments, for example ground floor alterations like shop fronts and security shutters.\n\nYou can appeal a minor commercial development decision if you disagree with it.\n\nThere\u2019s no fee for appealing.\n\nOnly the person who made the application can appeal.\n\n## Deadline for appealing\n\nYou must appeal within 12 weeks of the date on the decision notice from your local planning authority.\n\nThe deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the site ownership certificate\n\n- the local planning authority\u2019s decision notice\n\nYou\u2019ll also need to submit:\n\n- a map of the surrounding area\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nNo-one can comment on a minor commercial development decision appeal.\n\nYour local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.\n\nThey have to do this within 5 working days of the appeal being started by the Planning Inspectorate.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "answerable": true, + "scenario": "I wanted to put some shutters on the front of my shop but the council turned me down. I think this is unfair and it puts by business at risk.", + "original_question": "I am within my rights to appeal this decision?" + }, + { + "id": "train-1806", + "question": "Scenario: My employer has become insolvent. They have failed to pay my last month's wages before making me redundant. It has been two weeks since I was made redundant. I am a British citizen.\n\nQuestion: Am I able to apply for money I am owed?\n\nDocument - Your rights if your employer is insolvent:\n## Overview\n\nYour employer is insolvent if it cannot pay its debts.\n\nThey might:\n\n- make you redundant\n\n- ask you to keep working\n\n- transfer you to a new employer (if the business has been sold)\n\nThere are different types of insolvency:\n\n- administration\n\n- liquidation\n\n- bankruptcy\n\n- receivership\n\n- company voluntary arrangement\n\n- individual voluntary arrangement\n\n- debt relief order\n\nCheck if your employer is insolvent.\n\nDepending on your situation, you can apply to the government for:\n\n- a redundancy payment\n\n- holiday pay\n\n- outstanding payments like unpaid wages, overtime and commission\n\n- money you would have earned working your notice period (\u2018statutory notice pay\u2019)\n\nYou may be eligible for unemployment benefits if you lose your job. If you do not apply for benefits after you lose your job, you might get less money in your statutory notice pay payment.\n\n## Your rights\n\nYou have different rights depending on whether your employer:\n\n- makes you redundant (dismisses you)\n\n- asks you to keep working\n\n- transfers you to a new employer (if the business has been sold)\n\nYour employer must have a consultation about why redundancies are happening and if there are any alternatives - they do not have to consult you directly.\n\n## If you\u2019re made redundant\n\nYou\u2019re made redundant if you\u2019re dismissed from your job.\n\nThe person who is dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) must tell you how your job is affected and what to do next.\n\nThey\u2019ll also give you a:\n\n- RP1 fact sheet\n\n- \u2018CN\u2019 (case reference) number to use when you apply for money you\u2019re owed\n\nYou can apply to the government for:\n\n- a redundancy payment\n\n- holiday pay\n\n- outstanding payments like unpaid wages, overtime and commission\n\n- money you would have earned working your notice period (\u2018statutory notice pay\u2019)\n\nBusinesses can go through more than one insolvency. You cannot claim outstanding payments between the day of the first insolvency and the day you were dismissed, even if you did not know about the previous insolvency.\n\nYou can also apply to the court for compensation if you think you were dismissed unfairly or not consulted properly.\n\n## Compensation because you were dismissed unfairly\n\nYou can make a claim to the employment tribunal if:\n\n- you were dismissed unfairly (\u2018basic award\u2019)\n\n- there was not a consultation about your redundancy (\u2018protective award\u2019)\n\nYou\u2019ll be claiming against the Secretary of State for Business, Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).\n\n## If you continue working after the insolvency\n\nYou might be asked to continue working for your employer after they become insolvent.\n\nYou\u2019ll still be eligible to claim for redundancy pay and other money you\u2019re owed if you\u2019re made redundant at a later date.\n\nYou cannot claim holiday pay, wages, bonuses or commission that you\u2019re owed between the day of the insolvency and the day you were dismissed.\n\n## If you\u2019re transferred to a new employer\n\nYou cannot claim any money from the government if you were transferred before your former employer became insolvent.\n\nIf you were transferred afterwards, you can apply for redundancy pay, statutory notice pay and outstanding payments such holiday pay, wages, commission and bonuses.\n\n## What you can get\n\nWhat money you\u2019re entitled to depends on:\n\n- how long you were employed\n\n- what was in your employment contract\n\n- your age\n\nPayments are capped.\n\n## Redundancy pay\n\nYou\u2019re normally entitled to redundancy pay if you:\n\n- have been made redundant\n\n- were an employee\n\n- were continuously employed by the insolvent business for 2 years or more\n\nYou\u2019ll get:\n\n- half a week\u2019s pay for each full year you were employed and under 22 years old\n\n- one week\u2019s pay for each full year you were employed and between 22 and 40 years old\n\n- one and half week\u2019s pay for each full year you were employed and 41 or older\n\nRedundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).\n\nYou can get a payment for a maximum of 20 years that you were employed at the business.\n\nCalculate your redundancy pay.\n\n## Wages and other money you\u2019re owed\n\nYou can apply for unpaid wages and other money you\u2019re owed by your employer, for example bonuses, overtime and commission.\n\nYou\u2019re only entitled to money that\u2019s in your employment contract.\n\nYou\u2019ll get up to 8 weeks of money you\u2019re owed. It counts as a week even if you\u2019re only owed money for a few days.\n\nPayments for wages and other money you\u2019re owed are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).\n\nYou pay income tax and National Insurance when you get unpaid wages and other money you\u2019re owed. You might be able to claim a tax refund if you\u2019ve paid too much.\n\n## Holiday pay\n\nYou can get paid for:\n\n- holiday days owed that you did not take (\u2018holiday pay accrued\u2019)\n\n- holiday days you took but were not paid for (\u2018holiday pay taken\u2019)\n\nYou\u2019re only paid for holidays you took or accrued in the 12 months before your employer became insolvent.\n\nYou\u2019ll only get payments for up to 6 weeks of holiday days. Holiday pay is capped at \u00a3544 per week (\u00a3538 per week if your employer went insolvent before 6 April 2021).\n\nYou pay income tax and National Insurance on your holiday payment. You might be able to claim a tax refund if you\u2019ve paid too much.\n\n## Statutory notice pay\n\nYou\u2019re entitled to a paid notice period when you\u2019re made redundant, even if it is not in your contract.\n\nYou can claim for statutory notice pay if you:\n\n- did not work a notice period\n\n- worked some of your notice period\n\n- worked an unpaid notice period\n\nYour statutory notice pay is worked out as one week\u2019s notice for every year you were employed, up to a maximum of twelve weeks.\n\nPayments are capped at \u00a3544 per week (\u00a3538 if you were made redundant before 6 April 2021).\n\n## Pension contributions\n\nContact the insolvency practitioner or official receiver if you\u2019re missing contributions to your pension.\n\n## Apply for money you're owed\n\nYou\u2019re eligible to apply if:\n\n- you were an employee\n\n- you\u2019re a UK or EEA national (or a foreign national with permission to work in the UK)\n\nIf you\u2019re not eligible (for example you\u2019re a contractor) register as a creditor instead.\n\n- Apply for redundancy, unpaid wages and holiday within 6 months of being dismissed. You request to claim for loss of notice pay (\u2018statutory notice pay\u2019) in your application.\n\n- If you requested to claim statutory notice pay, you\u2019ll get sent a letter telling you when you can apply.\n\n## Claiming for redundancy, unpaid wages and holiday pay\n\nYou can apply as soon as you\u2019ve been made redundant. The person dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) will give you a \u2018CN\u2019 (case reference) number. You cannot claim without the CN number.\n\nYou must apply for redundancy pay within 6 months of being dismissed.\n\nThe application will ask if you want to apply for statutory notice pay. Choosing \u2018Yes\u2019 does not mean you\u2019ve applied. You\u2019ll be told when to apply.\n\nApply for redundancy, unpaid wages and holiday online.\n\n## Claiming for loss of notice pay (\u2018statutory notice pay\u2019)\n\nYou need an \u2018LN\u2019 reference number to make a claim. It\u2019ll be sent after your notice period would have ended. This is usually no more than 12 weeks after you\u2019re dismissed.\n\nYou must apply for redundancy first - even if you\u2019re not owed any money.\n\nEmployees at the same business can have different notice periods.\n\nOnce you have the LN reference number, claim online for loss of notice.\n\nMoney you get (or could have got) by claiming benefits will be deducted from your payment.\n\n## Help completing the online forms\n\nContact the Redundancy Payments Service if you have queries about completing the online forms. You\u2019ll need your case reference number or National Insurance number.\n\nYou cannot currently call the Redundancy Payments Service.\n\n## After you apply\n\nIt usually takes up to 6 weeks to get your payment but can take longer.\n\nYour information will be checked against the employer\u2019s records, for example how much holiday you had accrued. You\u2019ll only get a payment if the records show you\u2019re owed money.\n\nAny benefits you\u2019re eligible to claim will be deducted from your statutory notice payment (even if you did not claim them).\n\n## If your application is rejected\n\nContact the Redundancy Payments Service - they\u2019ll explain why your claim was rejected.\n\nYou can make a claim to the employment tribunal if you disagree with the decision. You\u2019ll be claiming against the Secretary of State for Business Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).\n\n## Help and advice\n\nContact the Redundancy Payments Service if you need help. You\u2019ll need your case reference number or National Insurance number.\n\nYou cannot currently call the Redundancy Payments Service.\n\n## Help finding a new job\n\nContact your local Jobcentre Plus and ask for their Rapid Response Service for help finding a new job.\n\nYou\u2019ll be able to use the service for up to 13 weeks after you\u2019re made redundant. You must have started your notice period to be eligible.\n\nGet help to find a new job, improve your skills and claim benefits.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "answerable": true, + "scenario": "My employer has become insolvent. They have failed to pay my last month's wages before making me redundant. It has been two weeks since I was made redundant. I am a British citizen.", + "original_question": "Am I able to apply for money I am owed?" + }, + { + "id": "train-1807", + "question": "Scenario: My company has run bankrupt and I have been made redundant without any formal notice after working as a full time employee for 10 years . I have lost my job and benefits.\n\nQuestion: Can i apply to the government for a redundancy payment?\n\nDocument - Your rights if your employer is insolvent:\n## Overview\n\nYour employer is insolvent if it cannot pay its debts.\n\nThey might:\n\n- make you redundant\n\n- ask you to keep working\n\n- transfer you to a new employer (if the business has been sold)\n\nThere are different types of insolvency:\n\n- administration\n\n- liquidation\n\n- bankruptcy\n\n- receivership\n\n- company voluntary arrangement\n\n- individual voluntary arrangement\n\n- debt relief order\n\nCheck if your employer is insolvent.\n\nDepending on your situation, you can apply to the government for:\n\n- a redundancy payment\n\n- holiday pay\n\n- outstanding payments like unpaid wages, overtime and commission\n\n- money you would have earned working your notice period (\u2018statutory notice pay\u2019)\n\nYou may be eligible for unemployment benefits if you lose your job. If you do not apply for benefits after you lose your job, you might get less money in your statutory notice pay payment.\n\n## Your rights\n\nYou have different rights depending on whether your employer:\n\n- makes you redundant (dismisses you)\n\n- asks you to keep working\n\n- transfers you to a new employer (if the business has been sold)\n\nYour employer must have a consultation about why redundancies are happening and if there are any alternatives - they do not have to consult you directly.\n\n## If you\u2019re made redundant\n\nYou\u2019re made redundant if you\u2019re dismissed from your job.\n\nThe person who is dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) must tell you how your job is affected and what to do next.\n\nThey\u2019ll also give you a:\n\n- RP1 fact sheet\n\n- \u2018CN\u2019 (case reference) number to use when you apply for money you\u2019re owed\n\nYou can apply to the government for:\n\n- a redundancy payment\n\n- holiday pay\n\n- outstanding payments like unpaid wages, overtime and commission\n\n- money you would have earned working your notice period (\u2018statutory notice pay\u2019)\n\nBusinesses can go through more than one insolvency. You cannot claim outstanding payments between the day of the first insolvency and the day you were dismissed, even if you did not know about the previous insolvency.\n\nYou can also apply to the court for compensation if you think you were dismissed unfairly or not consulted properly.\n\n## Compensation because you were dismissed unfairly\n\nYou can make a claim to the employment tribunal if:\n\n- you were dismissed unfairly (\u2018basic award\u2019)\n\n- there was not a consultation about your redundancy (\u2018protective award\u2019)\n\nYou\u2019ll be claiming against the Secretary of State for Business, Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).\n\n## If you continue working after the insolvency\n\nYou might be asked to continue working for your employer after they become insolvent.\n\nYou\u2019ll still be eligible to claim for redundancy pay and other money you\u2019re owed if you\u2019re made redundant at a later date.\n\nYou cannot claim holiday pay, wages, bonuses or commission that you\u2019re owed between the day of the insolvency and the day you were dismissed.\n\n## If you\u2019re transferred to a new employer\n\nYou cannot claim any money from the government if you were transferred before your former employer became insolvent.\n\nIf you were transferred afterwards, you can apply for redundancy pay, statutory notice pay and outstanding payments such holiday pay, wages, commission and bonuses.\n\n## What you can get\n\nWhat money you\u2019re entitled to depends on:\n\n- how long you were employed\n\n- what was in your employment contract\n\n- your age\n\nPayments are capped.\n\n## Redundancy pay\n\nYou\u2019re normally entitled to redundancy pay if you:\n\n- have been made redundant\n\n- were an employee\n\n- were continuously employed by the insolvent business for 2 years or more\n\nYou\u2019ll get:\n\n- half a week\u2019s pay for each full year you were employed and under 22 years old\n\n- one week\u2019s pay for each full year you were employed and between 22 and 40 years old\n\n- one and half week\u2019s pay for each full year you were employed and 41 or older\n\nRedundancy payments are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).\n\nYou can get a payment for a maximum of 20 years that you were employed at the business.\n\nCalculate your redundancy pay.\n\n## Wages and other money you\u2019re owed\n\nYou can apply for unpaid wages and other money you\u2019re owed by your employer, for example bonuses, overtime and commission.\n\nYou\u2019re only entitled to money that\u2019s in your employment contract.\n\nYou\u2019ll get up to 8 weeks of money you\u2019re owed. It counts as a week even if you\u2019re only owed money for a few days.\n\nPayments for wages and other money you\u2019re owed are capped at \u00a3544 a week (\u00a3538 if you were made redundant before 6 April 2021).\n\nYou pay income tax and National Insurance when you get unpaid wages and other money you\u2019re owed. You might be able to claim a tax refund if you\u2019ve paid too much.\n\n## Holiday pay\n\nYou can get paid for:\n\n- holiday days owed that you did not take (\u2018holiday pay accrued\u2019)\n\n- holiday days you took but were not paid for (\u2018holiday pay taken\u2019)\n\nYou\u2019re only paid for holidays you took or accrued in the 12 months before your employer became insolvent.\n\nYou\u2019ll only get payments for up to 6 weeks of holiday days. Holiday pay is capped at \u00a3544 per week (\u00a3538 per week if your employer went insolvent before 6 April 2021).\n\nYou pay income tax and National Insurance on your holiday payment. You might be able to claim a tax refund if you\u2019ve paid too much.\n\n## Statutory notice pay\n\nYou\u2019re entitled to a paid notice period when you\u2019re made redundant, even if it is not in your contract.\n\nYou can claim for statutory notice pay if you:\n\n- did not work a notice period\n\n- worked some of your notice period\n\n- worked an unpaid notice period\n\nYour statutory notice pay is worked out as one week\u2019s notice for every year you were employed, up to a maximum of twelve weeks.\n\nPayments are capped at \u00a3544 per week (\u00a3538 if you were made redundant before 6 April 2021).\n\n## Pension contributions\n\nContact the insolvency practitioner or official receiver if you\u2019re missing contributions to your pension.\n\n## Apply for money you're owed\n\nYou\u2019re eligible to apply if:\n\n- you were an employee\n\n- you\u2019re a UK or EEA national (or a foreign national with permission to work in the UK)\n\nIf you\u2019re not eligible (for example you\u2019re a contractor) register as a creditor instead.\n\n- Apply for redundancy, unpaid wages and holiday within 6 months of being dismissed. You request to claim for loss of notice pay (\u2018statutory notice pay\u2019) in your application.\n\n- If you requested to claim statutory notice pay, you\u2019ll get sent a letter telling you when you can apply.\n\n## Claiming for redundancy, unpaid wages and holiday pay\n\nYou can apply as soon as you\u2019ve been made redundant. The person dealing with the insolvency (the \u2018insolvency practitioner\u2019 or \u2018official receiver\u2019) will give you a \u2018CN\u2019 (case reference) number. You cannot claim without the CN number.\n\nYou must apply for redundancy pay within 6 months of being dismissed.\n\nThe application will ask if you want to apply for statutory notice pay. Choosing \u2018Yes\u2019 does not mean you\u2019ve applied. You\u2019ll be told when to apply.\n\nApply for redundancy, unpaid wages and holiday online.\n\n## Claiming for loss of notice pay (\u2018statutory notice pay\u2019)\n\nYou need an \u2018LN\u2019 reference number to make a claim. It\u2019ll be sent after your notice period would have ended. This is usually no more than 12 weeks after you\u2019re dismissed.\n\nYou must apply for redundancy first - even if you\u2019re not owed any money.\n\nEmployees at the same business can have different notice periods.\n\nOnce you have the LN reference number, claim online for loss of notice.\n\nMoney you get (or could have got) by claiming benefits will be deducted from your payment.\n\n## Help completing the online forms\n\nContact the Redundancy Payments Service if you have queries about completing the online forms. You\u2019ll need your case reference number or National Insurance number.\n\nYou cannot currently call the Redundancy Payments Service.\n\n## After you apply\n\nIt usually takes up to 6 weeks to get your payment but can take longer.\n\nYour information will be checked against the employer\u2019s records, for example how much holiday you had accrued. You\u2019ll only get a payment if the records show you\u2019re owed money.\n\nAny benefits you\u2019re eligible to claim will be deducted from your statutory notice payment (even if you did not claim them).\n\n## If your application is rejected\n\nContact the Redundancy Payments Service - they\u2019ll explain why your claim was rejected.\n\nYou can make a claim to the employment tribunal if you disagree with the decision. You\u2019ll be claiming against the Secretary of State for Business Energy and Industrial Strategy and your former employer (\u2018the respondents\u2019).\n\n## Help and advice\n\nContact the Redundancy Payments Service if you need help. You\u2019ll need your case reference number or National Insurance number.\n\nYou cannot currently call the Redundancy Payments Service.\n\n## Help finding a new job\n\nContact your local Jobcentre Plus and ask for their Rapid Response Service for help finding a new job.\n\nYou\u2019ll be able to use the service for up to 13 weeks after you\u2019re made redundant. You must have started your notice period to be eligible.\n\nGet help to find a new job, improve your skills and claim benefits.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/your-rights-if-your-employer-is-insolvent", + "answerable": true, + "scenario": "My company has run bankrupt and I have been made redundant without any formal notice after working as a full time employee for 10 years . I have lost my job and benefits.", + "original_question": "Can i apply to the government for a redundancy payment?" + }, + { + "id": "train-1809", + "question": "Scenario: My father has received an enforcement letter from the local authority because he built a new extension of his kitchen without planning permission. The land is his property.\n\nQuestion: Can he appeal?\n\nDocument - Appeal an enforcement notice:\n## When you can appeal\n\nYour local planning authority may send you an enforcement notice if you\u2019ve built or changed something without planning permission.\n\nYou can appeal against an enforcement notice if you own, rent or lawfully occupy the property or land it applies to.\n\nAnyone can comment on an appeal.\n\nThere\u2019s no fee for appealing, unless you also apply for planning permission.\n\n## Deadline for appealing\n\nYour appeal must be received before the date the enforcement notice takes effect.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long planning appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one enforcement notice you must make a separate appeal for each. Each person should appeal separately.\n\nYou also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit:\n\n- a copy of your enforcement notice\n\n- a plan (if there is one)\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on an enforcement notice appeal. Find the case on the appeals casework portal.\n\nThe deadline for comments is 6 weeks after the start date of the appeal.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you the start date, what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-enforcement-notice", + "answerable": true, + "scenario": "My father has received an enforcement letter from the local authority because he built a new extension of his kitchen without planning permission. The land is his property.", + "original_question": "Can he appeal?" + }, + { + "id": "train-1810", + "question": "Scenario: I made an appeal after receiving an enforcement letter . This was because of changing my residential property into a bed and breakfast facility. My appeal decision was disagreed upon and I suspect that the planning officer made a mistake.\n\nQuestion: Can i challenge this negative appeal decision ?\n\nDocument - Appeal an enforcement notice:\n## When you can appeal\n\nYour local planning authority may send you an enforcement notice if you\u2019ve built or changed something without planning permission.\n\nYou can appeal against an enforcement notice if you own, rent or lawfully occupy the property or land it applies to.\n\nAnyone can comment on an appeal.\n\nThere\u2019s no fee for appealing, unless you also apply for planning permission.\n\n## Deadline for appealing\n\nYour appeal must be received before the date the enforcement notice takes effect.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long planning appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one enforcement notice you must make a separate appeal for each. Each person should appeal separately.\n\nYou also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit:\n\n- a copy of your enforcement notice\n\n- a plan (if there is one)\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on an enforcement notice appeal. Find the case on the appeals casework portal.\n\nThe deadline for comments is 6 weeks after the start date of the appeal.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you the start date, what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-enforcement-notice", + "answerable": true, + "scenario": "I made an appeal after receiving an enforcement letter . This was because of changing my residential property into a bed and breakfast facility. My appeal decision was disagreed upon and I suspect that the planning officer made a mistake.", + "original_question": "Can i challenge this negative appeal decision ?" + }, + { + "id": "train-1812", + "question": "Scenario: I have applied to the land registry for the change of my name after I got married.I have accumulated all the needed documents as proof of name change.\n\nQuestion: Do i need to attach a copy of marriage certificate?\n\nDocument - Registering land or property with HM Land Registry:\n## When you must register\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must register all land or property with HM Land Registry if you\u2019ve:\n\n- bought it\n\n- been given it\n\n- inherited it\n\n- received it in exchange for other property or land\n\n- mortgaged the property\n\nYou do not usually need to register leasehold land or property if there are 7 years or less on the lease when you take ownership.\n\nYou must register your land with the Rural Land Register as well as HM Land Registry if you own agricultural land.\n\nYour property might not be registered if you owned it before 1990 and have not mortgaged it since. Check if your property\u2019s registered.\n\nYou must tell HM Land Registry if you transfer ownership of your registered property to someone else.\n\n## Once you\u2019re registered\n\nHM Land Registry publishes information online about most registered property, including:\n\n- the names of owners\n\n- the price paid for the property\n\n- a plan of the property\u2019s boundaries\n\nYou cannot opt out of your property information being published.\n\n## If you live in Scotland or Northern Ireland\n\nHM Land Registry only deals with land and property in England and Wales.\n\n## Scotland\n\nRegister your land or property with Registers of Scotland.\n\n## Northern Ireland\n\nRegister your land or property with Land and Property Services.\n\n## Register for the first time\n\nLand or property must be registered for the first time if it\u2019s unregistered when you take ownership of it or mortgage it.\n\nEven if you do not have to register, registering voluntarily:\n\n- gives you proof of ownership\n\n- helps protect your land from fraud\n\n- makes it easier to change, sell or give your property away in the future\n\nYou can register property yourself or get a solicitor or conveyancer to do it for you.\n\n## Register land or property for the first time\n\n- Search the register to make sure your property is not already registered.\n\n- Apply for a search from the Land Charges Department to search against all previous owners since 1925. They will send you the results.\n\n- Fill in an application for first registration.\n\n- Prepare a scale plan showing where the land is outlined, if it\u2019s not shown in the deeds.\n\n- Find the forms you need depending on your circumstances and fill out 2 copies of the list of documents form.\n\n- Find out the correct registration fee - this depends on the value of your property.\n\n- Send your documents, forms and fee to HM Land Registry.\n\n## If you bought the property\n\nInclude the same forms as for registering for the first time and a \u2018transfer of whole of registered title\u2019 form.\n\n## If you inherited the property\n\nInclude the same forms as for registering for the first time and include either:\n\n- a completed \u2018whole of registered title assent\u2019 form - the executor needs to fill this out if the property was in the name of a sole registered owner and it\u2019s been left to you in a will\n\n- a completed \u2018transfer of whole of registered title\u2019 form - the surviving owner needs to fill this out if they jointly owned the property and you are inheriting a share\n\nContact HM Land Registry if you\u2019re unsure which form you need.\n\n## Other documents you may need\n\nYou may also need to send:\n\n- a \u2018proof of identity\u2019 form if you are not a legal professional, such as a conveyancer\n\n- a \u2018disclosable interests\u2019 form if there are unregistered interests in the property not mentioned in the deeds (such as a short-term lease or a right of occupation) - read detailed guidance on unregistered rights from HM Land Registry\n\n- a Land Transaction Return certificate if you\u2019ve paid Stamp Duty (for a property in England and Northern Ireland) or Land Transaction Tax (for properties sold in Wales or after 1 April 2018)\n\n- a certified copy of the lease, if you\u2019re applying to register leasehold land or property\n\n## Transfer ownership of your property\n\nYou must tell HM Land Registry when you change the registered owner of your property, for example if you\u2019re transferring it into another person\u2019s name, or if you want to add your partner as a joint owner.\n\n- Download and fill in an application to change the register.\n\n- Fill in either a \u2018transfer of whole of registered title\u2019 form, if you\u2019re transferring your whole property, or a \u2018transfer of part of registered title\u2019 form if you\u2019re only transferring part of your property.\n\n- Fill in a certificate of identity for a private individual.\n\n- Find out the correct fee. Use the \u2018Scale 2 fees\u2019 if you\u2019re transferring ownership of a property without selling it, for example as inheritance. Use the Land Registry fee calculator if you\u2019re transferring part or all of a property as a sale.\n\n- Send your documents, forms and fee to HM Land Registry.\n\n## Update or correct the register\n\nYou must tell HM Land Registry if anything in the register changes or it is incorrect.\n\n## Update or correct contact addresses\n\nYou can register up to 3 addresses (including email and non-UK addresses) with HM Land Registry for each property.\n\nTo change your contact details or those of other owners or agents send a request to update registered owners\u2019 contact address. You do not have to pay anything to do this.\n\n## Change your name\n\nYou must send HM Land Registry an application to change the register when you change your name. You do not have to pay anything to do this.\n\nHow to apply depends on which documents you can send that prove your name has changed. You\u2019ll get back any official certificates you send in after the register has been updated.\n\nUse application form AP1 if you have any of the following documents:\n\n- an official or certified copy of a certificate showing the name change, such as a marriage or civil partnership certificate\n\n- a copy of a deed poll\n\n- a statement of truth\n\n- a statutory declaration sworn before someone able to take oaths\n\nYou must also send additional proof if you\u2019re not sending a certificate or using a conveyancer (for example a solicitor). When you send from AP1, include both:\n\n- a filled-in confirmation of identity form in your new name\n\n- a copy of an official document in your former name, such as a passport, driving licence or utility bill\n\n## If you\u2019ve changed your gender\n\nUse application form CNG if you have any of the following documents:\n\n- a gender recognition certificate\n\n- a new birth certificate\n\n- a letter from a UK-based medical practitioner (such as a doctor) confirming you\u2019ve changed gender\n\nSend the completed form and one of the documents to the address on the form. You must send original documents, not copies.\n\nIf you\u2019re sending a gender recognition certificate, write \u2018Private and confidential\u2019 on the envelope.\n\n## Returning to your original surname\n\nTo return to your original surname after a divorce or dissolution of a civil partnership send HM Land Registry:\n\n- application form AP1\n\n- a copy of your marriage or civil partnership certificate\n\nHM Land Registry will let you know if they need more information.\n\n## Stop your previous name being seen on old documents\n\nYour previous name will still appear on any documents that were filed with HM Land Registry before you changed your name. Previous names cannot be changed but you might be able to stop them from being copied or inspected by making an exempt document application.\n\nIt costs:\n\n- \u00a312 per document for electronic applications - only businesses and organisations can apply electronically, for example conveyancers\n\n- \u00a325 per document for paper applications\n\nYou will need to fill in form EX1 and form EX1A.\n\n## Mortgage completion\n\nYou must tell HM Land Registry if a mortgage on a registered property is paid off (\u2018discharged\u2019).\n\nUsually your mortgage lender will do this for you automatically but they may send you a completed \u2018cancellation of charges\u2019 form.\n\nOnce you have this, fill in an application to \u2018cancel entries relating to a charge\u2019 and a confirmation of identity form.\n\nSend all forms to the Citizen Centre.\n\nHM Land Registry will update your details and tell you that the register has been updated.\n\n## Other changes\n\nTransfer ownership of your property if you\u2019ve:\n\n- sold it\n\n- divorced or separated and want to remove an owner\n\n- married and want to add an owner\n\n- given the property away\n\n## Send your requests\n\nSend completed forms to the HM Land Registry Citizen Centre.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/registering-land-or-property-with-land-registry", + "answerable": true, + "scenario": "I have applied to the land registry for the change of my name after I got married.I have accumulated all the needed documents as proof of name change.", + "original_question": "Do i need to attach a copy of marriage certificate?" + }, + { + "id": "train-1815", + "question": "Scenario: I own a canal boat. I am currently planning to use my boat on the Royal Military Canal, between West Hythe Dam and Kent. I do not have a registration at this time.\n\nQuestion: Do I need to register my boat for this use?\n\nDocument - Register a boat:\n## Overview\n\nYou usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.\n\nA boat is:\n\n- any vessel with or without a motor, for example a sailing boat, river boat, canal boat or houseboat\n\n- any \u2018open boat\u2019 such as canoe, paddle board, rowing boat or dinghy\n\nTo get a boat registration you may need:\n\n- insurance\n\n- a Boat Safety Scheme (BSS) certificate\n\nYou must renew each year for the waterway you want to keep or use your boat on. You can buy a visitor registration or licence for shorter periods.\n\n## Carry more than 12 passengers\n\nYou must have a passenger-carrying certificate issued by the Maritime and Coastguard Agency if you want to carry more than 12 passengers.\n\n## Commercial use\n\nYou must apply for a boatmaster\u2019s licence if you want to use your boat commercially.\n\n## Use at sea\n\nYou can register your boat with the UK Ship Register for use at sea.\n\n## Who to contact\n\nRegister or license your boat with the navigation authority responsible for the waterway you want to use.\n\n## Most canals and some rivers, like the Severn, Trent and Ouse\n\nRegister with the Canal & River Trust.\n\n## Norfolk and Suffolk Broads, and adjacent waters\n\nRegister with the Broads Authority.\n\n## River Thames, River Medway, and the rivers of East Anglia\n\nDownload the application form for the waterway you want to use and register with the Environment Agency:\n\n- River Thames\n\n- River Medway\n\n- Anglian waterways (Great Ouse System, River Nene, River Stour, River Ancholme, Black Sluice, River Welland and River Glen)\n\n- Rye Harbour\n\nRiver Thames annual registrations run from 1 January to 31 December. Other registrations run from 1 April to 31 March.\n\n## The Royal Military Canal\n\nYou do not need to register a boat for use between West Hythe Dam in Shorncliffe, Kent and Iden Lock in Cliffe End, East Sussex.\n\nContact Shepway District Council to register a boat for use between West Hythe Dam and Seabrook.\n\n## Scotland and Northern Ireland\n\nCheck if you need to register your boat with Scottish Canals or NI Direct.\n\n## Other areas\n\nCheck with the Inland Waterways Association to find the navigation authority for other areas.\n\n## Using more than one waterway\n\nYou can buy a \u2018gold licence\u2019 which lets you use all Environment Agency and Canal & River Trust waterways.\n\n## Canoe or rowing boat exemptions\n\nYou may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.\n\nRowing clubs or associations can register a rowing boat for use on some waterways through British Rowing.\n\n## Penalties\n\nAn enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:\n\n- it\u2019s not licensed or registered\n\n- it\u2019s not licensed or registered for the waterway you\u2019re using\n\n- your licence or registration is not displayed\n\n- it breaches the terms and conditions of the licence or registration\n\nCheck your licence or registration for additional rules that apply to your waterway.\n\nYou may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.\n\n## Questions about a penalty notice\n\nContact your navigation authority if you have questions about a penalty notice.\n\n## The UK Ship Register\n\nYou need to register your boat with the UK Ship Register to use it at sea.\n\nWhether you can use the register depends on your citizenship status. Check the eligibility requirements for each part of the UK Ship Register.\n\nThere are 4 different parts of the register. Which part you use depends on what you\u2019re using your boat for:\n\n- Part 1 - commercial or pleasure boats\n\n- Part 2 - fishing boats\n\n- Part 3 - small boats\n\n- Part 4 - charter boats\n\n## Part 1 registration - commercial or pleasure boats\n\nYou can use Part 1 of the register if you have either:\n\n- a commercial boat, unless you plan to use it for fishing\n\n- a \u2018pleasure vessel\u2019 - this means you do not make any money from it\n\nRegistering your boat on Part 1 of the register means you\u2019ll be able to:\n\n- get a marine mortgage against your boat\n\n- spend more than 6 months outside the UK\n\nIt costs \u00a3153 to register for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew. It costs \u00a372 to renew your registration for another 5 years.\n\n## Part 2 registration - fishing boats\n\nUse Part 2 of the register if you\u2019re using your boat to catch and sell fish.\n\nYou can choose from \u2018simple\u2019 or \u2018full\u2019 registration. If you choose full registration you can get a marine mortgage against your boat.\n\nTo register for 5 years it costs:\n\n- \u00a3159 for simple registration\n\n- \u00a3196 for full registration\n\n## Part 3 registration - small boats\n\nUse Part 3 of the register (small ships register) if:\n\n- your boat is less than 24 metres long\n\n- your boat is a pleasure vessel\n\n- you live in the UK for at least 185 days of the year\n\nYou cannot use Part 3 of the register if you\u2019re a business.\n\nRegistering on Part 3 of the register means you\u2019ll be able to prove your boat\u2019s nationality when sailing outside UK waters.\n\nIt costs \u00a335 for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew.\n\n## Part 4 registration - charter boats\n\nUse Part 4 of the register if you plan to hire out (charter) your boat.\n\nIt costs between \u00a335 and \u00a3196 for 5 years. The amount you\u2019ll pay depends on the type of boat you\u2019re registering.\n\n## How to register\n\nYou can register your boat online. You\u2019ll need to create an account if you do not already have one.\n\nIf you own the boat with other people, all owners must have an account before you can register your boat online.\n\nStart now\n\nYou can pay by debit or credit card.\n\nYou can also use the online service to renew, cancel or change the details of your registration.\n\n## Before you start\n\nYou\u2019ll need:\n\n- the dimensions of your boat\n\n- the previous registration details of the boat (if it\u2019s been registered before)\n\n- the bill of sale\n\n- the radio signal detail - including your UK radio call sign, Maritime Mobile Service Identity (MMSI) number and International Maritime Organization (IMO) number\n\n- the builders certificate\n\n- a certificate of survey for tonnage and measurement\n\n- an international tonnage certificate (ITC69)\n\n- safety certificates\n\n## Other ways to register\n\nYou can also register by post. Download and fill in the form for the type of boat you want to register.\n\n## Contact\n\nYou can contact the UK Ship Register by email, phone or post.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/register-a-boat", + "answerable": true, + "scenario": "I own a canal boat. I am currently planning to use my boat on the Royal Military Canal, between West Hythe Dam and Kent. I do not have a registration at this time.", + "original_question": "Do I need to register my boat for this use?" + }, + { + "id": "train-1816", + "question": "Scenario: I am the owner of a boat. My boat has been registered, and has an up-to-date licence. An enforcement officer has fined me for not displaying this registration and licence.\n\nQuestion: Can I get this fine removed as I do hold an up-to-date licence and registration?\n\nDocument - Register a boat:\n## Overview\n\nYou usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.\n\nA boat is:\n\n- any vessel with or without a motor, for example a sailing boat, river boat, canal boat or houseboat\n\n- any \u2018open boat\u2019 such as canoe, paddle board, rowing boat or dinghy\n\nTo get a boat registration you may need:\n\n- insurance\n\n- a Boat Safety Scheme (BSS) certificate\n\nYou must renew each year for the waterway you want to keep or use your boat on. You can buy a visitor registration or licence for shorter periods.\n\n## Carry more than 12 passengers\n\nYou must have a passenger-carrying certificate issued by the Maritime and Coastguard Agency if you want to carry more than 12 passengers.\n\n## Commercial use\n\nYou must apply for a boatmaster\u2019s licence if you want to use your boat commercially.\n\n## Use at sea\n\nYou can register your boat with the UK Ship Register for use at sea.\n\n## Who to contact\n\nRegister or license your boat with the navigation authority responsible for the waterway you want to use.\n\n## Most canals and some rivers, like the Severn, Trent and Ouse\n\nRegister with the Canal & River Trust.\n\n## Norfolk and Suffolk Broads, and adjacent waters\n\nRegister with the Broads Authority.\n\n## River Thames, River Medway, and the rivers of East Anglia\n\nDownload the application form for the waterway you want to use and register with the Environment Agency:\n\n- River Thames\n\n- River Medway\n\n- Anglian waterways (Great Ouse System, River Nene, River Stour, River Ancholme, Black Sluice, River Welland and River Glen)\n\n- Rye Harbour\n\nRiver Thames annual registrations run from 1 January to 31 December. Other registrations run from 1 April to 31 March.\n\n## The Royal Military Canal\n\nYou do not need to register a boat for use between West Hythe Dam in Shorncliffe, Kent and Iden Lock in Cliffe End, East Sussex.\n\nContact Shepway District Council to register a boat for use between West Hythe Dam and Seabrook.\n\n## Scotland and Northern Ireland\n\nCheck if you need to register your boat with Scottish Canals or NI Direct.\n\n## Other areas\n\nCheck with the Inland Waterways Association to find the navigation authority for other areas.\n\n## Using more than one waterway\n\nYou can buy a \u2018gold licence\u2019 which lets you use all Environment Agency and Canal & River Trust waterways.\n\n## Canoe or rowing boat exemptions\n\nYou may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.\n\nRowing clubs or associations can register a rowing boat for use on some waterways through British Rowing.\n\n## Penalties\n\nAn enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:\n\n- it\u2019s not licensed or registered\n\n- it\u2019s not licensed or registered for the waterway you\u2019re using\n\n- your licence or registration is not displayed\n\n- it breaches the terms and conditions of the licence or registration\n\nCheck your licence or registration for additional rules that apply to your waterway.\n\nYou may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.\n\n## Questions about a penalty notice\n\nContact your navigation authority if you have questions about a penalty notice.\n\n## The UK Ship Register\n\nYou need to register your boat with the UK Ship Register to use it at sea.\n\nWhether you can use the register depends on your citizenship status. Check the eligibility requirements for each part of the UK Ship Register.\n\nThere are 4 different parts of the register. Which part you use depends on what you\u2019re using your boat for:\n\n- Part 1 - commercial or pleasure boats\n\n- Part 2 - fishing boats\n\n- Part 3 - small boats\n\n- Part 4 - charter boats\n\n## Part 1 registration - commercial or pleasure boats\n\nYou can use Part 1 of the register if you have either:\n\n- a commercial boat, unless you plan to use it for fishing\n\n- a \u2018pleasure vessel\u2019 - this means you do not make any money from it\n\nRegistering your boat on Part 1 of the register means you\u2019ll be able to:\n\n- get a marine mortgage against your boat\n\n- spend more than 6 months outside the UK\n\nIt costs \u00a3153 to register for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew. It costs \u00a372 to renew your registration for another 5 years.\n\n## Part 2 registration - fishing boats\n\nUse Part 2 of the register if you\u2019re using your boat to catch and sell fish.\n\nYou can choose from \u2018simple\u2019 or \u2018full\u2019 registration. If you choose full registration you can get a marine mortgage against your boat.\n\nTo register for 5 years it costs:\n\n- \u00a3159 for simple registration\n\n- \u00a3196 for full registration\n\n## Part 3 registration - small boats\n\nUse Part 3 of the register (small ships register) if:\n\n- your boat is less than 24 metres long\n\n- your boat is a pleasure vessel\n\n- you live in the UK for at least 185 days of the year\n\nYou cannot use Part 3 of the register if you\u2019re a business.\n\nRegistering on Part 3 of the register means you\u2019ll be able to prove your boat\u2019s nationality when sailing outside UK waters.\n\nIt costs \u00a335 for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew.\n\n## Part 4 registration - charter boats\n\nUse Part 4 of the register if you plan to hire out (charter) your boat.\n\nIt costs between \u00a335 and \u00a3196 for 5 years. The amount you\u2019ll pay depends on the type of boat you\u2019re registering.\n\n## How to register\n\nYou can register your boat online. You\u2019ll need to create an account if you do not already have one.\n\nIf you own the boat with other people, all owners must have an account before you can register your boat online.\n\nStart now\n\nYou can pay by debit or credit card.\n\nYou can also use the online service to renew, cancel or change the details of your registration.\n\n## Before you start\n\nYou\u2019ll need:\n\n- the dimensions of your boat\n\n- the previous registration details of the boat (if it\u2019s been registered before)\n\n- the bill of sale\n\n- the radio signal detail - including your UK radio call sign, Maritime Mobile Service Identity (MMSI) number and International Maritime Organization (IMO) number\n\n- the builders certificate\n\n- a certificate of survey for tonnage and measurement\n\n- an international tonnage certificate (ITC69)\n\n- safety certificates\n\n## Other ways to register\n\nYou can also register by post. Download and fill in the form for the type of boat you want to register.\n\n## Contact\n\nYou can contact the UK Ship Register by email, phone or post.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/register-a-boat", + "answerable": true, + "scenario": "I am the owner of a boat. My boat has been registered, and has an up-to-date licence. An enforcement officer has fined me for not displaying this registration and licence.", + "original_question": "Can I get this fine removed as I do hold an up-to-date licence and registration?" + }, + { + "id": "train-1817", + "question": "Scenario: I had an application to remove a high hedge that is on my land rejected. I want to appeal this decision, which was made two months ago.\n\nQuestion: Am I still able to appeal against this decision?\n\nDocument - Appeal a high hedges decision:\n## When you can appeal\n\nYour council makes decisions about high hedges.\n\nYou can appeal against a high hedge remedial notice or the council\u2019s decision not to issue one if you either:\n\n- complained to the council about the hedge\n\n- own, rent or occupy the land that the hedge is on\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nYou must appeal within 28 days of:\n\n- the remedial notice\n\n- your council\u2019s decision either to take no action, or to change an existing remedial notice (withdraw, waive or relax)\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 34 weeks.\n\n## How to appeal\n\nFill in a high hedges appeal form.\n\nYou also need:\n\n- a copy of the council\u2019s decision\n\n- the remedial notice (if the council have issued one)\n\n- any other documents that directly support your appeal\n\nEmail these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nYour appeal will be decided based on the information you send and a site visit. Your case officer will write to you if they require additional information.\n\nYou\u2019ll normally get a decision within 34 weeks.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/appeal-high-hedges-decision", + "answerable": true, + "scenario": "I had an application to remove a high hedge that is on my land rejected. I want to appeal this decision, which was made two months ago.", + "original_question": "Am I still able to appeal against this decision?" + }, + { + "id": "train-1818", + "question": "Scenario: I have appealed against a rejection for my application to have a high hedge on my land. \n\nQuestion: Will I site inspection be needed for the appeal process?\n\nDocument - Appeal a high hedges decision:\n## When you can appeal\n\nYour council makes decisions about high hedges.\n\nYou can appeal against a high hedge remedial notice or the council\u2019s decision not to issue one if you either:\n\n- complained to the council about the hedge\n\n- own, rent or occupy the land that the hedge is on\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nYou must appeal within 28 days of:\n\n- the remedial notice\n\n- your council\u2019s decision either to take no action, or to change an existing remedial notice (withdraw, waive or relax)\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 34 weeks.\n\n## How to appeal\n\nFill in a high hedges appeal form.\n\nYou also need:\n\n- a copy of the council\u2019s decision\n\n- the remedial notice (if the council have issued one)\n\n- any other documents that directly support your appeal\n\nEmail these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nYour appeal will be decided based on the information you send and a site visit. Your case officer will write to you if they require additional information.\n\nYou\u2019ll normally get a decision within 34 weeks.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-high-hedges-decision", + "answerable": true, + "scenario": "I have appealed against a rejection for my application to have a high hedge on my land. ", + "original_question": "Will I site inspection be needed for the appeal process?" + }, + { + "id": "train-1819", + "question": "Scenario: My brother works full time. He has lived with his wife for 10 years together in their rented flat and has been paying full council tax bills. Currently have divorced and don't live together anymore.\n\nQuestion: Does he pay the full council tax bill now that he lives alone?\n\nDocument - Council Tax:\n## Working out your Council Tax\n\nYou\u2019ll need to know 3 things:\n\n- the valuation band for your home in England and Wales or in Scotland\n\n- how much your local council charges for that band\n\n- whether you can get a discount or exemption from the full bill\n\nYou may be able to get Council Tax Reduction (this used to be called Council Tax Benefit) if you\u2019re on a low income or get benefits.\n\nYou can challenge your Council Tax band if you think your home is in the wrong valuation band.\n\n## Changes that may affect your Council Tax band\n\nYour property may be revalued and put in a different band in some circumstances, for example if:\n\n- you demolish part of your property and do not rebuild it\n\n- you alter your property to create 2 or more self-contained units, for example an annexe - each unit will have its own band\n\n- you split a single property into self-contained flats\n\n- you convert flats into a single property\n\n- you start or stop working from home\n\n- the previous owner made changes to your property\n\n- there are significant changes to your local area, like a new road being built\n\n- a similar property in your area has its Council Tax band changed\n\nAsk the Valuation Office Agency (VOA) if you want to know if changes to your property will affect your Council Tax band.\n\n## Who has to pay\n\nYou\u2019ll usually have to pay Council Tax if you\u2019re 18 or over and own or rent a home.\n\nA full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.\n\nYou\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:\n\n- you live on your own\n\n- no-one else in your home counts as an adult\n\nYou\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.\n\nYou will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.\n\nApply for a Council Tax discount.\n\n## Who does not count as an adult?\n\nThese people are not counted as adults for Council Tax:\n\n- children under 18\n\n- people on some apprentice schemes\n\n- 18 and 19-year-olds in full-time education\n\n- full-time college and university students\n\n- young people under 25 who get funding from the Skills Funding Agency or Young People\u2019s Learning Agency\n\n- student nurses\n\n- foreign language assistants registered with the British Council\n\n- people with a severe mental impairment\n\n- live-in carers who look after someone who is not their partner, spouse, or child under 18\n\n- diplomats\n\nContact your local council if you\u2019re unsure about whether you can get a discount or who\u2019s responsible for paying.\n\n## People on apprentice schemes\n\nTo show that you do not qualify as an adult for Council Tax, you\u2019ll need a declaration from your employer stating that:\n\n- you will not be paid more than \u00a3195 a week\n\n- the training leads to a qualification accredited by a body recognised by the Office of Qualifications and Examinations Regulation (Ofqual) or the Scottish Vocational Education Council (SVEC)\n\n## If you get a Council Tax discount by mistake\n\nYou must tell your council. If you do not, you could get a fine.\n\nThe council may ask you to pay back the discount.\n\n## Discounts for full-time students\n\nHouseholds where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.\n\nTo count as a full-time student, your course must:\n\n- last at least 1 year\n\n- involve at least 21 hours study per week\n\nIf you study for a qualification up to A level and you\u2019re under 20, your course must:\n\n- last at least 3 months\n\n- involve at least 12 hours study per week\n\nYou\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.\n\n## Discounts for disabled people\n\nPeople who are severely mentally impaired are not included when working out Council Tax.\n\nYou also are not included if you\u2019re a live-in carer looking after someone who is not your partner, spouse, or child under 18.\n\nApply for a Council Tax discount.\n\n## Disabled Band Reduction Scheme\n\nYou may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.\n\nYou\u2019ll have to show that you\u2019ve either:\n\n- an extra bathroom, kitchen or other room that you need for the disabled person\n\n- extra space inside the property for using a wheelchair\n\nThe property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.\n\nCheck if you qualify for the scheme.\n\n## Second homes and empty properties\n\nYou may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.\n\nCouncils can charge extra Council Tax for empty properties.\n\n## Second homes\n\nYou may pay less Council Tax for a property you own or rent that\u2019s not your main home.\n\nCouncils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.\n\n## Empty properties\n\nYou\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.\n\nYou can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).\n\nThe rules are different in Scotland.\n\n## When you do not pay Council Tax\n\nIf you\u2019re selling a property on behalf of an owner who\u2019s died, you won\u2019t need to pay Council Tax until after you get probate as long as the property remains empty. After probate is granted, you may be able to get a Council Tax exemption for another 6 months if the property is both:\n\n- unoccupied\n\n- still owned and in the name of the person who died\n\nSome homes do not get a Council Tax bill for as long as they stay empty. They include homes:\n\n- of someone in prison (except for not paying a fine or Council Tax)\n\n- of someone who\u2019s moved into a care home or hospital\n\n- that have been repossessed\n\n- that cannot be lived in by law, for example if they\u2019re derelict\n\n- that are empty because they\u2019ve been compulsory purchased and will be demolished\n\nYou may get a discount if your home is undergoing major repair work or structural changes, for example your walls are being rebuilt.\n\n## If your property\u2019s been refurbished\n\nYour council will tell you when you have to start paying Council Tax if you\u2019ve been carrying out major home improvements on an empty property or building a new property.\n\nYou\u2019ll get a \u2018completion notice\u2019 that tells you the date you must start paying Council Tax.\n\n## If your property\u2019s derelict\n\nYour property\u2019s only considered derelict if it:\n\n- is not possible to live in it, for example because it\u2019s been damaged by weather, rot or vandalism\n\n- would need major structural works to make it \u2018wind and watertight\u2019 again\n\nYou can challenge your Council Tax band if you think a derelict property should be removed from the Council Tax valuation list.\n\n## Paying your bill\n\nYour Council Tax bill tells you:\n\n- how much you have to pay for the year\n\n- how that amount has been worked out\n\n- the dates you have to pay\n\nThe cost is usually split into 10 monthly payments. Contact your council immediately if you\u2019re having trouble paying - they can help you, for example by spreading your payments over 12 months instead of 10.\n\nThe council can take action to reclaim any debts you owe if you get behind with your payments.\n\n## Ways to pay\n\nYou can usually pay your Council Tax online.\n\nYou can also use \u2018Paypoint\u2019, \u2018Payzone\u2019 or \u2018Quickcards\u2019 for cash payments at post offices, banks, newsagents and convenience stores.\n\nCheck your bill to find out which other payment methods you can use.\n\n## If you\u2019ve overpaid\n\nContact your local council if you\u2019ve paid too much Council Tax and have not received an automatic refund.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/council-tax", + "answerable": true, + "scenario": "My brother works full time. He has lived with his wife for 10 years together in their rented flat and has been paying full council tax bills. Currently have divorced and don't live together anymore.", + "original_question": "Does he pay the full council tax bill now that he lives alone?" + }, + { + "id": "train-1820", + "question": "Scenario: My Aunt is mentally disabled after she was diagnosed with dementia . She lives in my father's flat but is under full attendance care.\n\nQuestion: Can she count as an adult when paying council tax bill?\n\nDocument - Council Tax:\n## Working out your Council Tax\n\nYou\u2019ll need to know 3 things:\n\n- the valuation band for your home in England and Wales or in Scotland\n\n- how much your local council charges for that band\n\n- whether you can get a discount or exemption from the full bill\n\nYou may be able to get Council Tax Reduction (this used to be called Council Tax Benefit) if you\u2019re on a low income or get benefits.\n\nYou can challenge your Council Tax band if you think your home is in the wrong valuation band.\n\n## Changes that may affect your Council Tax band\n\nYour property may be revalued and put in a different band in some circumstances, for example if:\n\n- you demolish part of your property and do not rebuild it\n\n- you alter your property to create 2 or more self-contained units, for example an annexe - each unit will have its own band\n\n- you split a single property into self-contained flats\n\n- you convert flats into a single property\n\n- you start or stop working from home\n\n- the previous owner made changes to your property\n\n- there are significant changes to your local area, like a new road being built\n\n- a similar property in your area has its Council Tax band changed\n\nAsk the Valuation Office Agency (VOA) if you want to know if changes to your property will affect your Council Tax band.\n\n## Who has to pay\n\nYou\u2019ll usually have to pay Council Tax if you\u2019re 18 or over and own or rent a home.\n\nA full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.\n\nYou\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:\n\n- you live on your own\n\n- no-one else in your home counts as an adult\n\nYou\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.\n\nYou will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.\n\nApply for a Council Tax discount.\n\n## Who does not count as an adult?\n\nThese people are not counted as adults for Council Tax:\n\n- children under 18\n\n- people on some apprentice schemes\n\n- 18 and 19-year-olds in full-time education\n\n- full-time college and university students\n\n- young people under 25 who get funding from the Skills Funding Agency or Young People\u2019s Learning Agency\n\n- student nurses\n\n- foreign language assistants registered with the British Council\n\n- people with a severe mental impairment\n\n- live-in carers who look after someone who is not their partner, spouse, or child under 18\n\n- diplomats\n\nContact your local council if you\u2019re unsure about whether you can get a discount or who\u2019s responsible for paying.\n\n## People on apprentice schemes\n\nTo show that you do not qualify as an adult for Council Tax, you\u2019ll need a declaration from your employer stating that:\n\n- you will not be paid more than \u00a3195 a week\n\n- the training leads to a qualification accredited by a body recognised by the Office of Qualifications and Examinations Regulation (Ofqual) or the Scottish Vocational Education Council (SVEC)\n\n## If you get a Council Tax discount by mistake\n\nYou must tell your council. If you do not, you could get a fine.\n\nThe council may ask you to pay back the discount.\n\n## Discounts for full-time students\n\nHouseholds where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.\n\nTo count as a full-time student, your course must:\n\n- last at least 1 year\n\n- involve at least 21 hours study per week\n\nIf you study for a qualification up to A level and you\u2019re under 20, your course must:\n\n- last at least 3 months\n\n- involve at least 12 hours study per week\n\nYou\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.\n\n## Discounts for disabled people\n\nPeople who are severely mentally impaired are not included when working out Council Tax.\n\nYou also are not included if you\u2019re a live-in carer looking after someone who is not your partner, spouse, or child under 18.\n\nApply for a Council Tax discount.\n\n## Disabled Band Reduction Scheme\n\nYou may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.\n\nYou\u2019ll have to show that you\u2019ve either:\n\n- an extra bathroom, kitchen or other room that you need for the disabled person\n\n- extra space inside the property for using a wheelchair\n\nThe property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.\n\nCheck if you qualify for the scheme.\n\n## Second homes and empty properties\n\nYou may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.\n\nCouncils can charge extra Council Tax for empty properties.\n\n## Second homes\n\nYou may pay less Council Tax for a property you own or rent that\u2019s not your main home.\n\nCouncils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.\n\n## Empty properties\n\nYou\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.\n\nYou can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).\n\nThe rules are different in Scotland.\n\n## When you do not pay Council Tax\n\nIf you\u2019re selling a property on behalf of an owner who\u2019s died, you won\u2019t need to pay Council Tax until after you get probate as long as the property remains empty. After probate is granted, you may be able to get a Council Tax exemption for another 6 months if the property is both:\n\n- unoccupied\n\n- still owned and in the name of the person who died\n\nSome homes do not get a Council Tax bill for as long as they stay empty. They include homes:\n\n- of someone in prison (except for not paying a fine or Council Tax)\n\n- of someone who\u2019s moved into a care home or hospital\n\n- that have been repossessed\n\n- that cannot be lived in by law, for example if they\u2019re derelict\n\n- that are empty because they\u2019ve been compulsory purchased and will be demolished\n\nYou may get a discount if your home is undergoing major repair work or structural changes, for example your walls are being rebuilt.\n\n## If your property\u2019s been refurbished\n\nYour council will tell you when you have to start paying Council Tax if you\u2019ve been carrying out major home improvements on an empty property or building a new property.\n\nYou\u2019ll get a \u2018completion notice\u2019 that tells you the date you must start paying Council Tax.\n\n## If your property\u2019s derelict\n\nYour property\u2019s only considered derelict if it:\n\n- is not possible to live in it, for example because it\u2019s been damaged by weather, rot or vandalism\n\n- would need major structural works to make it \u2018wind and watertight\u2019 again\n\nYou can challenge your Council Tax band if you think a derelict property should be removed from the Council Tax valuation list.\n\n## Paying your bill\n\nYour Council Tax bill tells you:\n\n- how much you have to pay for the year\n\n- how that amount has been worked out\n\n- the dates you have to pay\n\nThe cost is usually split into 10 monthly payments. Contact your council immediately if you\u2019re having trouble paying - they can help you, for example by spreading your payments over 12 months instead of 10.\n\nThe council can take action to reclaim any debts you owe if you get behind with your payments.\n\n## Ways to pay\n\nYou can usually pay your Council Tax online.\n\nYou can also use \u2018Paypoint\u2019, \u2018Payzone\u2019 or \u2018Quickcards\u2019 for cash payments at post offices, banks, newsagents and convenience stores.\n\nCheck your bill to find out which other payment methods you can use.\n\n## If you\u2019ve overpaid\n\nContact your local council if you\u2019ve paid too much Council Tax and have not received an automatic refund.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/council-tax", + "answerable": true, + "scenario": "My Aunt is mentally disabled after she was diagnosed with dementia . She lives in my father's flat but is under full attendance care.", + "original_question": "Can she count as an adult when paying council tax bill?" + }, + { + "id": "train-1821", + "question": "Scenario: I want to cut down a tree with a tree preservation order in my garden. After the survey it has seen to cause a crack in my house walls. The local council has not been helpful to me as they told me it is a preserved tree.\n\nQuestion: Can i appeal?\n\nDocument - Appeal a decision about a tree preservation order:\n## When you can appeal\n\nYour council makes decisions about work on trees protected by preservation orders.\n\nYou can appeal if you applied to cut down or carry out work on a protected tree and:\n\n- you disagree with the decision\n\n- a decision was not made within 8 weeks\n\nYou can also appeal if you disagree with a tree replacement notice you\u2019ve been given.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nYou must appeal:\n\n- within 28 days of the date on the council\u2019s decision notice\n\n- before the date the tree replacement notice comes into effect\n\nThere\u2019s no deadline if you\u2019re appealing because your application was not decided within 8 weeks.\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 27 weeks.\n\n## How to appeal\n\nFill in a tree preservation order appeal form or a tree replacement notice appeal form.\n\nYou also need:\n\n- a copy of the council\u2019s decision or notice\n\n- any other documents that directly support your appeal\n\nEmail these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nTheir decision about your appeal will be based on:\n\n- the information you send\n\n- a site visit\n\n- your council\u2019s documents, for example the tree preservation order\n\nYour case officer will write to you if they need more information.\n\nYou\u2019ll normally get a decision within 27 weeks.\n\n## Interested parties\n\nThe council may decide to contact anyone who commented on your original application (\u2018interested parties\u2019). Your case officer will consider the statements any interested parties made.\n\nInterested parties cannot make any further comments during the appeal but can withdraw their original statement.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "answerable": true, + "scenario": "I want to cut down a tree with a tree preservation order in my garden. After the survey it has seen to cause a crack in my house walls. The local council has not been helpful to me as they told me it is a preserved tree.", + "original_question": "Can i appeal?" + }, + { + "id": "train-1826", + "question": "Scenario: I want to sell my home. The house is believed to be worth \u00a3450,000. The property was bought on the 30th September 2013. It is my main home.\n\nQuestion: How much tax will I pay for selling this house?\n\nDocument - Buying or selling your home:\n## Overview\n\nBuying or selling a home normally takes 2 to 3 months. The process can take longer if you\u2019re part of a chain of buyers and sellers.\n\nThere are several steps you\u2019ll need to follow:\n\n- sellers must provide an Energy Performance Certificate for the property\n\n- if a seller is using an estate agent, potential buyers must make any offers through the agent\n\n- once a buyer\u2019s offer has been accepted, the seller\u2019s responsible for drawing up a legal contract to transfer ownership\n\n- an offer is not legally binding until contracts are exchanged\n\n- depending on the amount given for property, the buyer may have to pay tax\n\nThis guide relates to England and Wales. Shelter has advice about buying and selling a home in Scotland.\n\n## If you\u2019re buying property with someone else\n\nYou can own a home with up to 3 other people. Find out more about the different types of joint property ownership.\n\n## Energy Performance Certificates\n\nEnergy Performance Certificates (EPCs) are needed whenever a property is:\n\n- built\n\n- sold\n\n- rented\n\nYou must order an EPC for potential buyers and tenants before you market your property to sell or rent.\n\nIn Scotland, you must display the EPC somewhere in the property, for example in the meter cupboard or next to the boiler.\n\nAn EPC contains:\n\n- information about a property\u2019s energy use and typical energy costs\n\n- recommendations about how to reduce energy use and save money\n\nAn EPC gives a property an energy efficiency rating from A (most efficient) to G (least efficient) and is valid for 10 years.\n\nCheck how you could make your home more energy efficient using the Energy Savings Trust\u2019s home energy check.\n\n## How to get an EPC\n\nYou\u2019ll need to find an accredited assessor if you\u2019re selling or renting out your home in:\n\n- England, Wales and Northern Ireland\n\n- Scotland\n\nThey\u2019ll assess your property and produce the certificate.\n\nYou can be fined if you do not get an EPC when you need one.\n\nThe person selling the house, the landlord or the letting agent must show you the EPC if you\u2019re buying or renting.\n\n## Buildings that do not need an EPC\n\nThese include:\n\n- places of worship\n\n- temporary buildings that will be used for less than 2 years\n\n- stand-alone buildings with total useful floor space of less than 50 square metres\n\n- industrial sites, workshops and non-residential agricultural buildings that do not use a lot of energy\n\n- some buildings that are due to be demolished\n\n- holiday accommodation that\u2019s rented out for less than 4 months a year or is let under a licence to occupy\n\n- listed buildings - you should get advice from your local authority conservation officer if the work would alter the building\u2019s character\n\n- residential buildings intended to be used less than 4 months a year\n\n## See other properties\u2019 EPCs\n\nYou can look at the EPCs of other properties free of charge. This lets you compare your home\u2019s energy performance with that of similar homes. You can search by the property\u2019s address or by the EPC\u2019s report reference number..\n\nYou can opt out of the EPC register if you do not want other people to be able to see your EPC.\n\n## Estate agents\n\nYou must sign a legally binding contract with an estate agent if you use one to sell your home.\n\nYou must stick to the terms of the contract or you could be taken to court.\n\nEstate agents must also treat buyers fairly. They must show any offers promptly and in writing to the person selling the house.\n\nEstate agents are also legally obliged to pass on any other offers for the property right up to when contracts are exchanged.\n\n## Complain about an estate agent\n\nYou must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:\n\n- The Property Ombudsman\n\n- Property Redress Scheme\n\nAsk the estate agent which scheme they belong to.\n\n## Offers\n\nA buyer must make an offer through the estate agent if a home is sold through one.\n\nA buyer can make their offer directly to the seller for a private sale.\n\nBuyers can make offers verbally (over the phone or in person) or in writing.\n\nAn offer is not legally binding in England and Wales until contracts are exchanged.\n\nIf a buyer makes an offer \u2018subject to contract\u2019, this means the price can still be negotiated (for example if a survey finds a problem with the property).\n\nThe law is different if you\u2019re making an offer for property in Scotland.\n\n## Transferring ownership (conveyancing)\n\n## Once the offer is accepted\n\nThe seller is responsible for drawing up a legal contract to transfer ownership.\n\nThe contract contains details about:\n\n- the sale price\n\n- the property boundaries\n\n- which fixtures and fittings (like carpets and kitchen units) are included\n\n- any legal restrictions or rights, like public footpaths or rules about using the property\n\n- any planning restrictions\n\n- services to the property, like drainage and gas\n\n- when the sale will complete\n\nIf the seller has hired a solicitor or conveyancer, they will:\n\n- draft the initial contract\n\n- answer questions from the buyer\u2019s solicitor or conveyancer (with the seller\u2019s help)\n\n- negotiate the details of the contract if necessary\n\n## Exchanging contracts\n\nWhen the buyer and seller are happy with the contract, both sides sign final copies and send them to each other.\n\nThe agreement to sell and buy is legally binding once this happens. Usually neither party can pull out without paying compensation.\n\n## Completion\n\nOnce you exchange contracts and deal with any remaining checks the buyer has asked for:\n\n- The money is transferred from the buyer to the seller.\n\n- The legal documents needed to transfer ownership are handed over to the buyer.\n\n- The seller moves out and leaves the property in the state agreed in the contract.\n\n- The seller hands over the keys to the buyer.\n\n- The property now belongs to the buyer.\n\nCitizens Advice has more advice about buying or selling your home.\n\n## Tax\n\nYou may need to pay:\n\n- Stamp Duty Land Tax when you buy a home in England\n\n- Land Transaction Tax when you buy a home in Wales\n\n- Capital Gains Tax when you sell a home\n\n## Stamp Duty Land Tax\n\n## If you buy between 8 July 2020 and 30 June 2021\n\nYou pay SDLT if you paid more than \u00a3500,000 for the property.\n\n## If you buy between 1 July 2021 and 30 September 2021\n\nYou pay SDLT if you paid more than \u00a3250,000 for the property.\n\n## If you buy from 1 October 2021\n\nYou pay SDLT if you paid more than \u00a3125,000 for the property. This threshold also applies to any property bought before 8 July 2020.\n\nYou still have to pay if you swap something of economic value for a property, for example shares or another property.\n\n## If you\u2019re buying your first home\n\nFrom 1 July 2021 you do not have to pay SDLT if the property is \u00a3300,000 or less.\n\n## Capital Gains Tax\n\nYou do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:\n\n- you\u2019ve lived in it as your main home for all the time you\u2019ve owned it\n\n- you have not let part of it out or used part of it for business only\n\n- the grounds, including the buildings, are smaller than 5,000 square metres (just over an acre)\n\nThis is because you automatically get a tax relief called Private Residence Relief. You do not need to do anything.\n\nIf you do not meet all these criteria you may have to pay some Capital Gains Tax.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/buy-sell-your-home", + "answerable": true, + "scenario": "I want to sell my home. The house is believed to be worth \u00a3450,000. The property was bought on the 30th September 2013. It is my main home.", + "original_question": "How much tax will I pay for selling this house?" + }, + { + "id": "train-1827", + "question": "Scenario: I am planning to rent out my home on a short-term basis. I am uncertain as to whether I will need to use it again in the future, and so I want the option to be able to terminate my tenant's rent at any time.\n\nQuestion: Is there an agreement that can be made with the tenant for this purpose?\n\nDocument - Tenancy agreements: a guide for landlords (England and Wales):\n## Overview\n\nA tenancy agreement is a contract between you and your tenants. It sets out the legal terms and conditions of the tenancy. It can be written down or oral.\n\nA tenancy can either be:\n\n- fixed-term (running for a set period of time)\n\n- periodic (running on a week-by-week or month-by-month basis)\n\n## Rights and responsibilities\n\nBoth you and your tenants have certain rights and responsibilities, whether or not there is a tenancy agreement.\n\n## Tenancy types\n\n## Assured shorthold tenancies (ASTs)\n\nThe most common form of tenancy is an AST. Most new tenancies are automatically this type.\n\nA tenancy can be an AST if all of the following apply:\n\n- you\u2019re a private landlord or housing association\n\n- the tenancy started on or after 15 January 1989\n\n- the property is your tenants\u2019 main accommodation\n\n- you do not live in the property\n\nA tenancy cannot be an AST if:\n\n- it began or was agreed before 15 January 1989\n\n- the rent is more than \u00a3100,000 a year\n\n- the rent is less than \u00a3250 a year (less than \u00a31,000 in London)\n\n- it\u2019s a business tenancy or tenancy of licensed premises\n\n- it\u2019s a holiday let\n\n- the landlord is a local council\n\n## Other tenancies\n\nThere are other tenancies that are not as common as ASTs, including:\n\n- excluded tenancies or licences\n\n- assured tenancies\n\n- regulated tenancies\n\n## Excluded tenancies or licences\n\nIf you have a lodger living in your home and share rooms with them, like a kitchen or bathroom, you may have one of these. This usually gives your lodger less protection from eviction than other types of agreement.\n\n## Assured tenancies\n\nTenancies starting between 15 January 1989 and 27 February 1997 may be assured. Your tenants have increased protection from eviction with this type of agreement.\n\n## Regulated tenancies\n\nTenancies starting before 15 January 1989 may be regulated. Your tenants have increased protection from eviction and can apply for a \u2018fair rent\u2019.\n\n## What you should include in a tenancy agreement\n\nThe tenancy agreement should include:\n\n- the names of all people involved\n\n- the rental price and how it\u2019s paid\n\n- information on how and when the rent will be reviewed\n\n- the deposit amount and how it will be protected\n\n- when the deposit can be fully or partly withheld, for example to repair damage caused by tenants\n\n- the property address\n\n- the start and end date of the tenancy\n\n- any tenant or landlord obligations\n\n- which bills your tenants are responsible for\n\nIt can also include information on:\n\n- whether the tenancy can be ended early and how this can be done\n\n- who\u2019s responsible for minor repairs (other than those that the landlord is legally responsible for)\n\n- whether the property can be let to someone else (sublet) or have lodgers\n\nThe terms of the tenancy must be fair and comply with the law. You can use a model agreement as a template.\n\nYou cannot have anything in your tenancy agreement that may indirectly discriminate against your tenants.\n\n## Changes to tenancy agreements\n\nYou must get the agreement of your tenants if you want to make changes to the terms of their tenancy agreement.\n\n## Preventing discrimination\n\nYou cannot discriminate against or harass your tenants on the grounds of:\n\n- age\n\n- being or becoming a transsexual person\n\n- being married or in a civil partnership\n\n- being pregnant or on maternity leave\n\n- disability\n\n- race including colour, nationality, ethnic or national origin\n\n- religion, belief or lack of religion or belief\n\n- sex\n\n- sexual orientation\n\n## If you get managed payments from your local council\n\nWhen your tenants move to Universal Credit, you can help them set up their new rent payments.\n\nYou can read more about Universal Credit and how it affects landlords.\n\n## Ending a tenancy\n\nIf you want your tenants to leave, you must give them notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.\n\n## Assured shorthold tenancies (ASTs)\n\nIn some circumstances, you can take back your property without giving any reason. To do this, and all of the following must apply:\n\n- you\u2019ve protected your tenants\u2019 deposit in a deposit protection scheme\n\n- the date they must leave is at least 6 months after the original tenancy began (the one they signed on first moving in)\n\n- they have a periodic tenancy - or they have a fixed-term tenancy and you are not asking them to leave before the end of the fixed term\n\n## How much notice you need to give\n\nYou must give your tenants written notice that you want the property back (\u2018notice to quit\u2019) and the date they must leave. The notice period you give them must be at least:\n\n- 2 months if you gave notice before 26 March 2020\n\n- 3 months if you gave notice between 26 March 2020 and 28 August 2020\n\n- 6 months if you gave notice on or after 29 August 2020\n\nIf you gave a section 8 notice, the notice period is sometimes shorter, depending on the reason for eviction.\n\nThis change is because of coronavirus (COVID-19).\n\n## During the fixed term\n\nIf you\u2019re still in the fixed term, you can only ask your tenants to leave if you have a reason for wanting possession that\u2019s in the Housing Act 1988.\n\nExamples of reasons include:\n\n- your tenants are behind with rent payments (\u2018in arrears\u2019)\n\n- your tenants have used the property for illegal purposes, for example selling drugs\n\nIf you gave your tenant notice before 26 March 2020, you would have needed to give them up to 2 months to leave, depending on the reason.\n\nBecause of coronavirus, in most cases you must now give them a longer notice period.\n\nIf you gave your tenant notice between 26 March 2020 and 28 August 2020, period must have been at least 3 months.\n\nIf you gave your tenant notice on or after 29 August 2020, the notice period must be at least 6 months. It can be shorter in some cases, for example if you evict them for antisocial behaviour.\n\nThe Ministry of Housing, Communities and Local Government has information on reasons for possession for a property let on an AST.\n\n## Assured tenancies\n\nYou will need to use one of the reasons for possession in the Housing Act 1988.\n\n## Excluded tenancies or licences\n\nIf you live with a lodger and share rooms with them, you\u2019ll often have an excluded tenancy or licence.\n\nIn this case, you only need to give \u2018reasonable notice\u2019 to quit. Usually this means the length of the rental payment period \u2013 so if you collect rent monthly, you\u2019ll need to give 1 month\u2019s notice.\n\nThe notice does not have to be in writing.\n\n## Non-excluded tenancy or licence\n\nYou can end the agreement at any time by serving a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but it\u2019s usually at least 4 weeks.\n\n## Break clauses\n\nIf there\u2019s a break clause in the tenancy agreement, you can give your tenants notice after this. However, you do not have a guaranteed right to possession during the first 6 months of the tenancy.\n\n## If your tenant does not leave the property\n\nYou cannot remove your tenants by force. If the notice period expires and your tenants do not leave the property, you can start the process of eviction through the courts.\n\n## If your tenants want to leave\n\n## Tenancies\n\nThe tenancy agreement should say how much notice your tenants need to give before they can leave the property.\n\nTenants are responsible for paying rent for their entire fixed-term tenancy. They can move out early without paying rent for the full tenancy if:\n\n- there is a break clause in their tenancy agreement\n\n- you agree to ending the tenancy early\n\nThey can also leave if their tenancy is up after giving their notice (whether it is fixed-term or not).\n\n## Licence agreements\n\nIf the licence automatically runs out after a specific date and your lodger wants to end the agreement, they should let you know this before the licence runs out.\n\n## If your tenant dies without an executor or a will\n\nThe tenancy is transferred temporarily to the Public Trustee if a tenant dies:\n\n- without a will\n\n- with a will but without an executor\n\nYou cannot take back a property automatically even if the tenancy was due to end.\n\nYou may be fined if you try to repossess a property without following the rules.\n\n## Reclaim your property\n\nYou must:\n\n- post or deliver a letter to the tenant\u2019s last known address saying you\u2019re giving written notice\n\n- email a copy of your notice and a completed NL1 form to the Public Trustee\n\n- pay an application fee to the Public Trustee to register the notice\n\n## Give notice\n\nAddress the written notice to: \u201cThe Personal Representative of [full name of the tenant who died] of [last known address for the tenant who died]\u201d.\n\n## Email the notice and NL1 form to the Public Trustee\n\nOrder a NL1 application form to register a notice from OyezStore or from Shaws. The form costs no more than \u00a38.26.\n\nYou\u2019ll get it by post. Email a copy of the notice and a scan of your completed NL1 form to osptcontrolunit@ospt.gov.uk.\n\nYou must buy a new form for each application - you cannot use a photocopy. You can make your own version of the form, as long as it\u2019s laid out in the same way and includes all the relevant information.\n\n## Pay the application fee\n\nIt costs \u00a340 to register the notice. You can only pay by Bacs. Transfer the fee to the following account:\n\n| Sort code | Account number | Account name |\n\n| 80 26 50 | 10014069 | The Public Trustee |\n\nInclude the name of the deceased in the payment reference.\n\n## Get a decision about your application\n\nThe Public Trustee will register or reject your application. You should get an email within 15 working days of the Public Trustee getting your application and payment.\n\nIf your application is registered, you\u2019ll be told the date it was put in the register.\n\nIf your application is rejected, for example because it\u2019s incomplete, you\u2019ll be told why the Public Trustee cannot register it.\n\nYou can search the Public Trustee\u2019s register if your notice is registered, for example to check that you can legally rent the property again or sell it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "answerable": true, + "scenario": "I am planning to rent out my home on a short-term basis. I am uncertain as to whether I will need to use it again in the future, and so I want the option to be able to terminate my tenant's rent at any time.", + "original_question": "Is there an agreement that can be made with the tenant for this purpose?" + }, + { + "id": "train-1828", + "question": "Scenario: I am a landlord who has a tenant that signed a two-year contract. The tenant has died. He had no will nor executor. This has left me confused about what to do with the property.\n\nQuestion: Do I automatically come back into possession of the property?\n\nDocument - Tenancy agreements: a guide for landlords (England and Wales):\n## Overview\n\nA tenancy agreement is a contract between you and your tenants. It sets out the legal terms and conditions of the tenancy. It can be written down or oral.\n\nA tenancy can either be:\n\n- fixed-term (running for a set period of time)\n\n- periodic (running on a week-by-week or month-by-month basis)\n\n## Rights and responsibilities\n\nBoth you and your tenants have certain rights and responsibilities, whether or not there is a tenancy agreement.\n\n## Tenancy types\n\n## Assured shorthold tenancies (ASTs)\n\nThe most common form of tenancy is an AST. Most new tenancies are automatically this type.\n\nA tenancy can be an AST if all of the following apply:\n\n- you\u2019re a private landlord or housing association\n\n- the tenancy started on or after 15 January 1989\n\n- the property is your tenants\u2019 main accommodation\n\n- you do not live in the property\n\nA tenancy cannot be an AST if:\n\n- it began or was agreed before 15 January 1989\n\n- the rent is more than \u00a3100,000 a year\n\n- the rent is less than \u00a3250 a year (less than \u00a31,000 in London)\n\n- it\u2019s a business tenancy or tenancy of licensed premises\n\n- it\u2019s a holiday let\n\n- the landlord is a local council\n\n## Other tenancies\n\nThere are other tenancies that are not as common as ASTs, including:\n\n- excluded tenancies or licences\n\n- assured tenancies\n\n- regulated tenancies\n\n## Excluded tenancies or licences\n\nIf you have a lodger living in your home and share rooms with them, like a kitchen or bathroom, you may have one of these. This usually gives your lodger less protection from eviction than other types of agreement.\n\n## Assured tenancies\n\nTenancies starting between 15 January 1989 and 27 February 1997 may be assured. Your tenants have increased protection from eviction with this type of agreement.\n\n## Regulated tenancies\n\nTenancies starting before 15 January 1989 may be regulated. Your tenants have increased protection from eviction and can apply for a \u2018fair rent\u2019.\n\n## What you should include in a tenancy agreement\n\nThe tenancy agreement should include:\n\n- the names of all people involved\n\n- the rental price and how it\u2019s paid\n\n- information on how and when the rent will be reviewed\n\n- the deposit amount and how it will be protected\n\n- when the deposit can be fully or partly withheld, for example to repair damage caused by tenants\n\n- the property address\n\n- the start and end date of the tenancy\n\n- any tenant or landlord obligations\n\n- which bills your tenants are responsible for\n\nIt can also include information on:\n\n- whether the tenancy can be ended early and how this can be done\n\n- who\u2019s responsible for minor repairs (other than those that the landlord is legally responsible for)\n\n- whether the property can be let to someone else (sublet) or have lodgers\n\nThe terms of the tenancy must be fair and comply with the law. You can use a model agreement as a template.\n\nYou cannot have anything in your tenancy agreement that may indirectly discriminate against your tenants.\n\n## Changes to tenancy agreements\n\nYou must get the agreement of your tenants if you want to make changes to the terms of their tenancy agreement.\n\n## Preventing discrimination\n\nYou cannot discriminate against or harass your tenants on the grounds of:\n\n- age\n\n- being or becoming a transsexual person\n\n- being married or in a civil partnership\n\n- being pregnant or on maternity leave\n\n- disability\n\n- race including colour, nationality, ethnic or national origin\n\n- religion, belief or lack of religion or belief\n\n- sex\n\n- sexual orientation\n\n## If you get managed payments from your local council\n\nWhen your tenants move to Universal Credit, you can help them set up their new rent payments.\n\nYou can read more about Universal Credit and how it affects landlords.\n\n## Ending a tenancy\n\nIf you want your tenants to leave, you must give them notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.\n\n## Assured shorthold tenancies (ASTs)\n\nIn some circumstances, you can take back your property without giving any reason. To do this, and all of the following must apply:\n\n- you\u2019ve protected your tenants\u2019 deposit in a deposit protection scheme\n\n- the date they must leave is at least 6 months after the original tenancy began (the one they signed on first moving in)\n\n- they have a periodic tenancy - or they have a fixed-term tenancy and you are not asking them to leave before the end of the fixed term\n\n## How much notice you need to give\n\nYou must give your tenants written notice that you want the property back (\u2018notice to quit\u2019) and the date they must leave. The notice period you give them must be at least:\n\n- 2 months if you gave notice before 26 March 2020\n\n- 3 months if you gave notice between 26 March 2020 and 28 August 2020\n\n- 6 months if you gave notice on or after 29 August 2020\n\nIf you gave a section 8 notice, the notice period is sometimes shorter, depending on the reason for eviction.\n\nThis change is because of coronavirus (COVID-19).\n\n## During the fixed term\n\nIf you\u2019re still in the fixed term, you can only ask your tenants to leave if you have a reason for wanting possession that\u2019s in the Housing Act 1988.\n\nExamples of reasons include:\n\n- your tenants are behind with rent payments (\u2018in arrears\u2019)\n\n- your tenants have used the property for illegal purposes, for example selling drugs\n\nIf you gave your tenant notice before 26 March 2020, you would have needed to give them up to 2 months to leave, depending on the reason.\n\nBecause of coronavirus, in most cases you must now give them a longer notice period.\n\nIf you gave your tenant notice between 26 March 2020 and 28 August 2020, period must have been at least 3 months.\n\nIf you gave your tenant notice on or after 29 August 2020, the notice period must be at least 6 months. It can be shorter in some cases, for example if you evict them for antisocial behaviour.\n\nThe Ministry of Housing, Communities and Local Government has information on reasons for possession for a property let on an AST.\n\n## Assured tenancies\n\nYou will need to use one of the reasons for possession in the Housing Act 1988.\n\n## Excluded tenancies or licences\n\nIf you live with a lodger and share rooms with them, you\u2019ll often have an excluded tenancy or licence.\n\nIn this case, you only need to give \u2018reasonable notice\u2019 to quit. Usually this means the length of the rental payment period \u2013 so if you collect rent monthly, you\u2019ll need to give 1 month\u2019s notice.\n\nThe notice does not have to be in writing.\n\n## Non-excluded tenancy or licence\n\nYou can end the agreement at any time by serving a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but it\u2019s usually at least 4 weeks.\n\n## Break clauses\n\nIf there\u2019s a break clause in the tenancy agreement, you can give your tenants notice after this. However, you do not have a guaranteed right to possession during the first 6 months of the tenancy.\n\n## If your tenant does not leave the property\n\nYou cannot remove your tenants by force. If the notice period expires and your tenants do not leave the property, you can start the process of eviction through the courts.\n\n## If your tenants want to leave\n\n## Tenancies\n\nThe tenancy agreement should say how much notice your tenants need to give before they can leave the property.\n\nTenants are responsible for paying rent for their entire fixed-term tenancy. They can move out early without paying rent for the full tenancy if:\n\n- there is a break clause in their tenancy agreement\n\n- you agree to ending the tenancy early\n\nThey can also leave if their tenancy is up after giving their notice (whether it is fixed-term or not).\n\n## Licence agreements\n\nIf the licence automatically runs out after a specific date and your lodger wants to end the agreement, they should let you know this before the licence runs out.\n\n## If your tenant dies without an executor or a will\n\nThe tenancy is transferred temporarily to the Public Trustee if a tenant dies:\n\n- without a will\n\n- with a will but without an executor\n\nYou cannot take back a property automatically even if the tenancy was due to end.\n\nYou may be fined if you try to repossess a property without following the rules.\n\n## Reclaim your property\n\nYou must:\n\n- post or deliver a letter to the tenant\u2019s last known address saying you\u2019re giving written notice\n\n- email a copy of your notice and a completed NL1 form to the Public Trustee\n\n- pay an application fee to the Public Trustee to register the notice\n\n## Give notice\n\nAddress the written notice to: \u201cThe Personal Representative of [full name of the tenant who died] of [last known address for the tenant who died]\u201d.\n\n## Email the notice and NL1 form to the Public Trustee\n\nOrder a NL1 application form to register a notice from OyezStore or from Shaws. The form costs no more than \u00a38.26.\n\nYou\u2019ll get it by post. Email a copy of the notice and a scan of your completed NL1 form to osptcontrolunit@ospt.gov.uk.\n\nYou must buy a new form for each application - you cannot use a photocopy. You can make your own version of the form, as long as it\u2019s laid out in the same way and includes all the relevant information.\n\n## Pay the application fee\n\nIt costs \u00a340 to register the notice. You can only pay by Bacs. Transfer the fee to the following account:\n\n| Sort code | Account number | Account name |\n\n| 80 26 50 | 10014069 | The Public Trustee |\n\nInclude the name of the deceased in the payment reference.\n\n## Get a decision about your application\n\nThe Public Trustee will register or reject your application. You should get an email within 15 working days of the Public Trustee getting your application and payment.\n\nIf your application is registered, you\u2019ll be told the date it was put in the register.\n\nIf your application is rejected, for example because it\u2019s incomplete, you\u2019ll be told why the Public Trustee cannot register it.\n\nYou can search the Public Trustee\u2019s register if your notice is registered, for example to check that you can legally rent the property again or sell it.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "answerable": true, + "scenario": "I am a landlord who has a tenant that signed a two-year contract. The tenant has died. He had no will nor executor. This has left me confused about what to do with the property.", + "original_question": "Do I automatically come back into possession of the property?" + }, + { + "id": "train-1831", + "question": "Scenario: I have inherited a property from my late grandfather. He left me the property through a will. I am the will executor and would like to know about stamp duty land tax.\n\nQuestion: Do l qualify for an SDLT exception?\n\nDocument - Stamp Duty Land Tax:\n## Overview\n\nYou must pay Stamp Duty Land Tax (SDLT) if you buy a property or land over a certain price in England and Northern Ireland.\n\nThe tax is different if the property or land is in:\n\n- Scotland - pay Land and Buildings Transaction Tax\n\n- Wales - pay Land Transaction Tax if the sale was completed on or after 1 April 2018\n\nYou pay the tax when you:\n\n- buy a freehold property\n\n- buy a new or existing leasehold\n\n- buy a property through a shared ownership scheme\n\n- are transferred land or property in exchange for payment, for example you take on a mortgage or buy a share in a house\n\n## Thresholds\n\nThe threshold is where SDLT starts to apply. If you buy a property for less than the threshold, there\u2019s no SDLT to pay.\n\nThe current SDLT threshold for residential properties is \u00a3500,000. This changes on 1 July 2021.\n\nThe threshold for non-residential land and properties is \u00a3150,000.\n\n## Property purchases from 1 July 2021 to 30 September 2021\n\nThe SDLT thresholds will be:\n\n- \u00a3250,000 for residential properties\n\n- \u00a3150,000 for non-residential land and properties\n\nThe threshold for residential properties will change on 1 October 2021.\n\n## Property purchases from 1 October 2021\n\nThe SDLT thresholds will be:\n\n- \u00a3125,000 for residential properties\n\n- \u00a3150,000 for non-residential land and properties\n\nThese thresholds are the same as they were before 8 July 2020.\n\n## First-time buyers\n\nFrom 1 July 2021, you\u2019ll get a discount (relief) that means you\u2019ll pay less or no tax if both the following apply:\n\n- you, and anyone else you\u2019re buying with, are first-time buyers\n\n- the purchase price is \u00a3500,000 or less\n\nYou\u2019ll also be eligible for this discount if you bought your first home before 8 July 2020.\n\n## How much you pay\n\nHow much you pay depends on whether the land or property is residential or non-residential or mixed-use.\n\nIf you\u2019re buying a residential property there are different rates of SDLT if:\n\n- you\u2019re a first-time buyer\n\n- you already own a property and you\u2019re buying an additional property\n\n- you\u2019re not a UK resident\n\nYou can use HM Revenue and Customs\u2019 (HMRC) Stamp Duty Land Tax calculator to work out how much tax you\u2019ll pay.\n\nYou may be able to reduce the amount of tax you pay by claiming relief, such as if you\u2019re a first-time buyer or purchasing more than one property (\u2018multiple dwellings\u2019).\n\n## The value you pay SDLT on (the \u2018consideration\u2019)\n\nThe total value you pay SDLT on (sometimes called the \u2018consideration\u2019) is usually the price you pay for the property or land.\n\nSometimes it might include another type of payment like:\n\n- goods\n\n- works or services\n\n- release from a debt\n\n- transfer of a debt, including the value of any outstanding mortgage\n\nFind out how to work out the consideration if your situation is complicated.\n\n## How and when to pay\n\nYou must send an SDLT return to HMRC and pay the tax within 14 days of completion.\n\nIf you have a solicitor, agent or conveyancer, they\u2019ll usually file your return and pay the tax on your behalf on the day of completion and add the amount to their fees. They\u2019ll also claim any relief you\u2019re eligible for, such as if you\u2019re a first-time buyer.\n\nIf they do not do this for you, you can file a return and pay the tax yourself.\n\nThere are certain situations where you do not need to send a return.\n\nYou may be charged penalties and interest if you do not file your return and make your payment within 14 days of completion.\n\n## Residential property rates\n\nYou usually pay Stamp Duty Land Tax (SDLT) on increasing portions of the property price when you buy residential property, for example a house or flat. SDLT only applies to properties over a certain value.\n\nThe amount you pay depends on:\n\n- when you bought the property\n\n- how much you paid for it\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\nYou must send an SDLT return if you pay more than \u00a340,000 for a property - even if there\u2019s no SDLT due. There are some exemptions.\n\n## Rates from 8 July 2020 to 30 June 2021\n\nYou can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3500,000 | Zero |\n\n| The next \u00a3425,000 (the portion from \u00a3500,001 to \u00a3925,000) | 5% |\n\n| The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10% |\n\n| The remaining amount (the portion above \u00a31.5 million) | 12% |\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Rates from 1 July 2021 to 30 September 2021\n\nYou can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3250,000 | Zero |\n\n| The next \u00a3675,000 (the portion from \u00a3250,001 to \u00a3925,000) | 5% |\n\n| The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10% |\n\n| The remaining amount (the portion above \u00a31.5 million) | 12% |\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Rates from 1 October 2021\n\nThese rates also apply if you bought a property before 8 July 2020.\n\nYou can also use this table to work out the SDLT for the purchase price of a lease (the \u2018lease premium\u2019).\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3125,000 | Zero |\n\n| The next \u00a3125,000 (the portion from \u00a3125,001 to \u00a3250,000) | 2% |\n\n| The next \u00a3675,000 (the portion from \u00a3250,001 to \u00a3925,000) | 5% |\n\n| The next \u00a3575,000 (the portion from \u00a3925,001 to \u00a31.5 million) | 10% |\n\n| The remaining amount (the portion above \u00a31.5 million) | 12% |\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## If you\u2019re buying your first home\n\nYou can claim a discount (relief) if you buy your first home before 8 July 2020 or from 1 July 2021. This means you\u2019ll pay:\n\n- no SDLT up to \u00a3300,000\n\n- 5% SDLT on the portion from \u00a3300,001 to \u00a3500,000\n\nYou\u2019re eligible if you and anyone else you\u2019re buying with are first-time buyers.\n\nIf the price is over \u00a3500,000, you follow the rules for people who\u2019ve bought a home before.\n\n## New leasehold sales and transfers\n\nWhen you buy a new residential leasehold property you pay SDLT on the purchase price of the lease (the \u2018lease premium\u2019) using the rates above.\n\nIf the total rent over the life of the lease (known as the \u2018net present value\u2019) is more than the SDLT threshold), you\u2019ll pay SDLT at 1% on the portion of net present value over:\n\n- \u00a3500,000 for purchases from 8 July 2020 to 30 June 2021\n\n- \u00a3250,000 for purchases from 1 July 2021 to 30 September 2021\n\n- \u00a3125,000 for purchases from 1 October 2021\n\nThis does not apply to existing (\u2018assigned\u2019) leases.\n\nYou can work out how much SDLT you\u2019ll pay for your new residential lease using HMRC\u2019s:\n\n- SDLT calculator\n\n- guidance on leasehold purchases\n\n## Higher rates for additional properties\n\nYou\u2019ll usually have to pay 3% on top of SDLT rates if buying a new residential property means you\u2019ll own more than one.\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\nYou may not have to pay the higher rates if you exchanged contracts before 26 November 2015.\n\n## If you\u2019re replacing your main residence\n\nYou will not pay the extra 3% SDLT if the property you\u2019re buying is replacing your main residence and that has already been sold.\n\nIf you have not sold your main residence on the day you complete your new purchase you\u2019ll have to pay higher rates. This is because you own 2 properties.\n\nYou can apply for a refund if you sell your previous main home within 36 months.\n\nThere are special rules if you own property with someone else or already own a property outside England, Wales and Northern Ireland.\n\n## If it takes longer than 36 months to sell your previous main home\n\nYou may still be able to get a refund of the extra 3% SDLT if:\n\n- you purchased your new home on or after 1 January 2017\n\n- the delay was outside your control, for example because of coronavirus (COVID-19) or a public authority blocking the sale\n\n- you have now sold your old home\n\nTo claim a refund, write to HMRC and explain why the sale took longer than 36 months.\n\nInclude:\n\n- your details\n\n- details of the main buyer - if different to your own\n\n- details of the property where higher rate SDLT was paid - including the address, date of purchase and SDLT unique transaction reference number\n\n- details of the previous main residence - including the address, date of sale and SDLT unique transaction reference number\n\n- the amount of higher rate SDLT paid\n\n- the amount of tax you\u2019re asking for a repayment of\n\n- a bank account and sort code for the person receiving the payment\n\n## Rates if you\u2019re not a UK resident\n\nIf you\u2019re not present in the UK for at least 183 days (6 months) during the 12 months before your purchase you are \u2018not a UK resident\u2019 for the purposes of SDLT.\n\nYou\u2019ll usually pay a 2% surcharge if you\u2019re buying a residential property in England or Northern Ireland on or after 1 April 2021.\n\nYou may not have to pay a surcharge on certain properties, transactions or if you\u2019re a particular type of buyer. Check the rules on who has to pay the surcharge, when you do not have to pay, and if you can claim relief.\n\nIf you have to pay the surcharge, you\u2019ll also have to pay any other rates of SDLT that apply, for example:\n\n- if you already own a property and you\u2019re buying an additional property\n\n- if you\u2019re a first-time buyer\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Special rates\n\nThere are different SDLT rules and rate calculations for:\n\n- corporate bodies\n\n- people buying 6 or more residential properties in one transaction\n\n- shared ownership properties\n\n- multiple purchases or transfers between the same buyer and seller (\u2018linked purchases\u2019)\n\n- purchases that mean you own more than one property\n\n- companies and trusts buying residential property\n\n## Rates for non-residential and mixed land and property\n\nYou pay SDLT on increasing portions of the property price (or \u2018consideration\u2019) when you pay \u00a3150,000 or more for non-residential or mixed (also known as \u2018mixed use\u2019) land or property.\n\nYou must still send an SDLT return for most transactions under \u00a3150,000.\n\nNon-residential property includes:\n\n- commercial property, for example shops or offices\n\n- property that isn\u2019t suitable to be lived in\n\n- forests\n\n- agricultural land that\u2019s part of a working farm or used for agricultural reasons\n\n- any other land or property that is not part of a dwelling\u2019s garden or grounds\n\n- 6 or more residential properties bought in a single transaction\n\nYou pay residential SDLT rates on agricultural land if it\u2019s sold as part of the garden or grounds of a dwelling, for example a cottage with fields.\n\nA \u2018mixed\u2019 property is one that has both residential and non-residential elements, for example a flat connected to a shop, doctor\u2019s surgery or office.\n\nUse the SDLT calculator to work out how much tax you\u2019ll pay.\n\n## Freehold sales and transfers\n\nYou can also use this table to work out the SDLT rate for a lease premium.\n\n| |\n\n| Property or lease premium or transfer value | SDLT rate |\n\n| Up to \u00a3150,000 | Zero |\n\n| The next \u00a3100,000 (the portion from \u00a3150,001 to \u00a3250,000) | 2% |\n\n| The remaining amount (the portion above \u00a3250,000) | 5% |\n\n## New leasehold sales and transfers\n\nWhen you buy a new non-residential or mixed leasehold you pay SDLT on both the:\n\n- purchase price of the lease (the \u2018lease premium\u2019) using the rates above\n\n- value of the annual rent you pay (the \u2018net present value\u2019)\n\nThese are calculated separately then added together.\n\nIf you buy an existing (\u2018assigned\u2019) lease, you only pay SDLT on the lease price (or \u2018consideration\u2019).\n\nThe net present value (NPV) is based on the total rent over the life of the lease. You do not pay SDLT on the rent if the NPV is less than \u00a3150,000.\n\n| Net present value of rent | SDLT rate |\n\n| \u00a30 to \u00a3150,000 | Zero |\n\n| The portion from \u00a3150,001 to \u00a35,000,000 | 1% |\n\n| The portion above \u00a35,000,000 | 2% |\n\n## How much you\u2019ll pay\n\nYou can work out how much SDLT you\u2019ll pay for your non-residential lease using HM Revenue and Customs\u2019 (HMRC):\n\n- SDLT calculator\n\n- guidance on buying leasehold properties\n\nYou may pay a higher rate of SDLT for multiple purchases or transfers from the same seller.\n\n## Using previous SDLT rates\n\nYou may qualify for previous SDLT rates if you exchanged contracts before 17 March 2016 but completed on or after that date.\n\nIf you qualify for the previous rates, you can choose to pay SDLT using the current or previous rates.\n\nUse HMRC\u2019s SDLT calculator to work out if you qualify and how much you\u2019ll pay using both rates.\n\nEnter the figure for the rate you choose in your SDLT return.\n\n## Land and property transfers\n\nYou may have to pay Stamp Duty Land Tax (SDLT) if the ownership of land or property is transferred to you in exchange for any payment or \u2018consideration\u2019.\n\nThe rules around SDLT depend on the specific circumstances surrounding the transfer.\n\nHM Revenue and Customs (HMRC) has guidance on transfers:\n\n- as a result of marriage, civil partnerships or moving in together\n\n- on divorce, separation or the end of a civil partnership\n\n- of jointly owned property or land\n\n- if the larger share is given as a gift\n\n- given as a gift or left in a will\n\n- to or from a company\n\n## Shared ownership property\n\nYou may have to pay Stamp Duty Land Tax (SDLT) when you buy a property through a shared ownership scheme run by an approved public body.\n\nThis includes:\n\n- local housing authorities\n\n- housing associations\n\n- housing action trusts\n\n- the Northern Ireland Housing Executive\n\n- the Commission for the New Towns\n\n- development corporations\n\nYou can choose to either:\n\n- make a one-off payment based on the market value of the property (\u2018market value election\u2019)\n\n- pay SDLT in stages\n\n## Market value election\n\nSubmit a return and pay SDLT at the residential rate. Use the total market value of the property to calculate how much to pay - even if you\u2019re only buying a share.\n\nYou do not pay any more SDLT after this, even if you buy a bigger share in the property later on.\n\nHM Revenue and Customs (HMRC) has guidance on SDLT if you do not have the right to the freehold.\n\n## Paying in stages\n\nYou make your first SDLT payment on the price you pay for the lease (the \u2018lease premium\u2019) if it\u2019s above the SDLT threshold. If the lease premium is below the threshold, you do not pay SDLT at this point - but you still have to submit a return.\n\nYou may have to pay extra SDLT if the total rent over the life of the lease (known as the \u2018net present value\u2019) is more than the SDLT threshold.\n\nWork this out on HMRC\u2019s SDLT calculator. You pay SDLT of 1% on the amount over the threshold - add this to any SDLT you\u2019re paying on the lease premium.\n\n## SDLT if you buy more shares\n\nIf you buy any more shares in the property, you do not have to pay any more SDLT or send a return to HMRC until you own more than an 80% share.\n\nOnce your share of the property goes over 80% you must send a return and pay SDLT on:\n\n- the transaction that took you over 80%\n\n- any transactions after that\n\n## Calculating your SDLT\n\nTo work out the SDLT if you buy more shares that take you over 80%:\n\n- Work out the SDLT due on the total you\u2019ve paid for the property to date - include any amounts you did not pay tax on. Use the SDLT rate that applies at the time you bought the new share. For example, if your total purchases before 8 July 2020 were \u00a3160,000, the SDLT due would be \u00a3700.\n\n- Divide the amount you\u2019re paying for this share by the total amount you\u2019ve paid for the property to date. For example, if you\u2019re paying \u00a340,000 for this share, divide \u00a340,000 by \u00a3160,000 = 0.25.\n\n- Multiply the two figures, for example SDLT of \u00a3700 multiplied by 0.25 = \u00a3175. This is the amount you would need to pay in SDLT for this share.\n\nIf you\u2019ve paid less than \u00a3500,000 for your property between 8 July 2020 and 30 June 2021, or less than \u00a3250,000 between 1 July 2021 and 30 September 2021, the amount of SDLT you\u2019d need to pay on any additional shares would be zero. This is because of the temporary SDLT rate.\n\n## Additional tax if payments are linked\n\nYou may have to pay extra SDLT on previous shares if they become \u2018linked\u2019 to later shares. Shares only become linked once you own over 80% of the property.\n\nYou can read more about paying SDLT when you buy more shares.\n\n## Reliefs and exemptions\n\nYou may be eligible for Stamp Duty Land Tax (SDLT) reliefs if you\u2019re buying your first home and in certain other situations. These reliefs can reduce the amount of tax you pay.\n\nYou must complete an SDLT return to claim relief, even if no tax is due.\n\nHM Revenue and Customs (HMRC) has guidance on SDLT reliefs for:\n\n- first-time buyers\n\n- multiple dwellings\n\n- building companies buying an individual\u2019s home\n\n- employers buying an employee\u2019s house\n\n- local authorities making compulsory purchases\n\n- property developers providing amenities to communities\n\n- companies transferring property to another company\n\n- charities\n\n- right to buy properties\n\n- registered social landlords\n\n- Crown employees\n\n## Exemptions\n\nYou do not have to pay SDLT or file a return if:\n\n- no money or other payment changes hands for a land or property transfer\n\n- property is left to you in a will\n\n- property is transferred because of divorce or dissolution of a civil partnership\n\n- you buy a freehold property for less than \u00a340,000\n\n- you buy a new or assigned lease of 7 years or more, as long as the premium is less than \u00a340,000 and the annual rent is less than \u00a31,000\n\n- you buy a new or assigned lease of less than 7 years, as long as the amount you pay is less than the residential or non-residential SDLT threshold\n\n- you use alternative property financial arrangements, for example to comply with Sharia law\n\nRead HMRC\u2019s guidance on transactions that do not need a return.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/stamp-duty-land-tax", + "answerable": true, + "scenario": "I have inherited a property from my late grandfather. He left me the property through a will. I am the will executor and would like to know about stamp duty land tax.", + "original_question": "Do l qualify for an SDLT exception?" + }, + { + "id": "train-1833", + "question": "Scenario: I have a new landlord, who has just bought the freehold to the property I lease. He has decided to increase the ground rent, even though the lease agreement stipulates this cannot be done. He has refused to listen to my complaints, and so I want to take this to a tribunal.\n\nQuestion: Is the issue I have eligible to be used in a tribunal case?\n\nDocument - Leasehold property:\n## Overview\n\nYou only own a leasehold property for a fixed period of time.\n\nYou\u2019ll have a legal agreement with the landlord (sometimes known as the \u2018freeholder\u2019) called a \u2018lease\u2019. This tells you how many years you\u2019ll own the property.\n\nOwnership of the property returns to the landlord when the lease comes to an end.\n\nMost flats are leasehold. Houses can be leasehold too and usually are if they\u2019re bought through a shared ownership scheme.\n\nThe rules about leasehold property are different in Northern Ireland.\n\n## Leaseholder rights and responsibilities\n\n## Your responsibilities\n\nYour lease will tell you what conditions you\u2019ve agreed to, for example:\n\n- if you need permission to make alterations\n\n- how much you\u2019ll have to pay to maintain the property\n\n- whether you or your landlord has responsibility for repairs and dealing with noisy neighbours\n\nYou might be taken to court and be ordered to pay for any damage If you do not follow the conditions of the lease. The court may also take away your lease.\n\n## Your rights\n\nYou have the right to:\n\n- get information about service charges or insurance\n\n- know the landlord\u2019s (freeholder\u2019s) name and address\n\n- be consulted about certain maintenance and running costs\n\n- challenge certain charges under some circumstances\n\n## Service charges and other expenses\n\n## Service charges\n\nYour lease sets out the way the service charge is organised and what can be charged. If you pay a service charge, you have the right to:\n\n- ask for a summary showing how the charge is worked out and what it\u2019s spent on\n\n- see any paperwork supporting the summary, such as receipts\n\nYour landlord must give you this information - it\u2019s a criminal offence if they do not.\n\n## Ground rent\n\nYou do not have to pay ground rent unless your landlord has sent you a formal, written demand for it. They can take legal action if you do not pay after you\u2019ve received the demand.\n\nYour landlord can recover unpaid ground rent going back 6 years - they can ask you for the full amount in one go.\n\nYour landlord can only increase the ground rent if you agree to the increase or the lease says this can happen.\n\n## Building insurance\n\nYour landlord will usually be responsible for insurance of the building (not the contents) - this will be part of your service charge.\n\nYou have a right to:\n\n- ask for a summary of the insurance policy\n\n- challenge the cost through a tribunal if you think it\u2019s unreasonable\n\n## Reserve or sinking funds\n\nYou might have to pay into a fund to help cover any unexpected maintenance or repairs, like replacing the roof. There are rules about how landlords must manage these funds.\n\nYou will not usually be able to get back any money you pay into them, for example if you move house.\n\n## Consulting over charges\n\nYou have the right to be consulted about charges for running or maintaining the building if you have to pay more than:\n\n- \u00a3250 for planned work\n\n- \u00a3100 per year for work and services lasting more than 12 months\n\nThere are steps your landlord must follow when they consult you, known as a \u2018Section 20\u2019 consultation. There\u2019s a limit on how much you have to pay if you have not been consulted properly - contact Leasehold Advisory Service for advice.\n\n## Disputing a charge\n\nYou may be able to apply to a tribunal if you pay a charge and you:\n\n- think it\u2019s unreasonable\n\n- think the standard of work it relates to is unsatisfactory\n\n- do not think you should be paying it at all\n\nContact Leasehold Advisory Service for advice.\n\nYou cannot apply to the tribunal if:\n\n- you\u2019ve agreed to pay the charge\n\n- the dispute is already being dealt with, for example by the court\n\n- you pay a fixed charge\n\nTry mediation - you may also be able to change the management of your building instead.\n\nYour landlord can take you to court if you stop paying a charge you\u2019re responsible for.\n\n## More information\n\nThe Leasehold Advisory Service has more information on service charges and other issues.\n\n## Extending, changing or ending a lease\n\n## Extending the lease\n\nYou can ask the landlord to extend your lease at any time.\n\nYou might be able to extend your lease by:\n\n- 90 years on a flat if you qualify\n\n- 50 years on a house if you qualify\n\nThe Leasehold Advisory Service\u2019s (LAS) lease extension calculator gives you a guide to the costs of extending the lease of a flat.\n\n## Changing the lease\n\nYou can negotiate certain changes to the lease, sometimes known as \u2018varying the lease\u2019. Speak to your landlord first.\n\nIf you cannot agree, you may be able to apply to a tribunal - contact Leasehold Advisory Service for advice.\n\n## Ending the lease\n\nIt\u2019s very rare that a landlord can end the lease and evict you. There are some circumstances and leases that let them do this, sometimes known as \u2018forfeiture proceedings\u2019. They need to send you a formal written notice and get the court\u2019s permission.\n\nYou can usually end a lease by giving at least 1 month\u2019s notice.\n\nThe LAS has information about ending a lease.\n\n## When the lease runs out\n\nYou do not have to leave the property when the lease expires. In law, a lease is a tenancy and the leaseholder is a tenant. The tenancy will continue on exactly the same terms unless you or the landlord decide to end it.\n\n## Buying the freehold\n\nYou can ask the landlord to sell you the freehold at any time.\n\nThere are different legal steps and rules depending on whether your home is a:\n\n- flat - you\u2019ll need to buy a share of the freehold\n\n- house - you may have the right to buy the freehold\n\n## Right of first refusal\n\nLandlords who want to sell the freehold of a building containing flats usually have to offer the leaseholders the first chance to buy it. This is known as your right of first refusal.\n\nThere are different rules and steps to buying the freehold of your home in Northern Ireland\n\n## Right to Manage and management disputes\n\nYou may be able to change the management of your building if you\u2019re unhappy with the way it\u2019s being run and you live in a leasehold flat. You can either:\n\n- ask a tribunal to appoint a new manager\n\n- take over the management responsibilities, known as your \u2018Right to Manage\u2019\n\n## Appoint a new manager\n\nYou must prove bad management if you want to appoint a new manager, for example:\n\n- you have to pay unreasonable service charges\n\n- the landlord has not complied with an approved code of management practice\n\nApply to a tribunal in England, or the Leasehold Valuation Tribunals in Wales.\n\nYou can only apply to the tribunal if you\u2019ve sent the landlord a \u2018Section 22 notice\u2019 - this gives them a chance to fix the problems. Contact Leasehold Advisory Service for advice.\n\n## Right to Manage\n\nThe Right to Manage lets you and the other leaseholders take over certain management responsibilities from the landlord without having to prove bad management.\n\nYou\u2019ll need to find out if you qualify - contact Leasehold Advisory Service for advice.\n\nYou and the other leaseholders can manage the building yourselves or pay a managing agent to do it.\n\n## Leasehold disputes\n\nThere is a different dispute process in Wales.\n\nYou can use a mediation service to help you and your landlord come to an agreement if you are in dispute about your lease. You might have to pay a fee.\n\nYou can also get free advice from the Leasehold Advisory Service (LAS) on issues like:\n\n- service charges\n\n- extending your lease\n\n- buying the freehold\n\n## Apply to a tribunal\n\nYou can apply to a tribunal if you\u2019re in a dispute with your landlord, for example:\n\n- service or administration charges\n\n- the cost of building insurance\n\n- appointment of a manager\n\n- Right to Manage\n\n- breach of a lease\n\n- varying a lease\n\n- recognising a tenants\u2019 association\n\n- buying the freehold\n\n- extending the lease\n\nApply to the Leasehold Valuation Tribunals if you\u2019re in Wales.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/leasehold-property", + "answerable": true, + "scenario": "I have a new landlord, who has just bought the freehold to the property I lease. He has decided to increase the ground rent, even though the lease agreement stipulates this cannot be done. He has refused to listen to my complaints, and so I want to take this to a tribunal.", + "original_question": "Is the issue I have eligible to be used in a tribunal case?" + }, + { + "id": "train-1834", + "question": "Scenario: I own three houses. Two of these houses, situated in England, are now empty, and will remain so for the next six months.\n\nQuestion: Are there any Council Tax reductions that I can get for these two properties?\n\nDocument - Council Tax:\n## Working out your Council Tax\n\nYou\u2019ll need to know 3 things:\n\n- the valuation band for your home in England and Wales or in Scotland\n\n- how much your local council charges for that band\n\n- whether you can get a discount or exemption from the full bill\n\nYou may be able to get Council Tax Reduction (this used to be called Council Tax Benefit) if you\u2019re on a low income or get benefits.\n\nYou can challenge your Council Tax band if you think your home is in the wrong valuation band.\n\n## Changes that may affect your Council Tax band\n\nYour property may be revalued and put in a different band in some circumstances, for example if:\n\n- you demolish part of your property and do not rebuild it\n\n- you alter your property to create 2 or more self-contained units, for example an annexe - each unit will have its own band\n\n- you split a single property into self-contained flats\n\n- you convert flats into a single property\n\n- you start or stop working from home\n\n- the previous owner made changes to your property\n\n- there are significant changes to your local area, like a new road being built\n\n- a similar property in your area has its Council Tax band changed\n\nAsk the Valuation Office Agency (VOA) if you want to know if changes to your property will affect your Council Tax band.\n\n## Who has to pay\n\nYou\u2019ll usually have to pay Council Tax if you\u2019re 18 or over and own or rent a home.\n\nA full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.\n\nYou\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:\n\n- you live on your own\n\n- no-one else in your home counts as an adult\n\nYou\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.\n\nYou will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.\n\nApply for a Council Tax discount.\n\n## Who does not count as an adult?\n\nThese people are not counted as adults for Council Tax:\n\n- children under 18\n\n- people on some apprentice schemes\n\n- 18 and 19-year-olds in full-time education\n\n- full-time college and university students\n\n- young people under 25 who get funding from the Skills Funding Agency or Young People\u2019s Learning Agency\n\n- student nurses\n\n- foreign language assistants registered with the British Council\n\n- people with a severe mental impairment\n\n- live-in carers who look after someone who is not their partner, spouse, or child under 18\n\n- diplomats\n\nContact your local council if you\u2019re unsure about whether you can get a discount or who\u2019s responsible for paying.\n\n## People on apprentice schemes\n\nTo show that you do not qualify as an adult for Council Tax, you\u2019ll need a declaration from your employer stating that:\n\n- you will not be paid more than \u00a3195 a week\n\n- the training leads to a qualification accredited by a body recognised by the Office of Qualifications and Examinations Regulation (Ofqual) or the Scottish Vocational Education Council (SVEC)\n\n## If you get a Council Tax discount by mistake\n\nYou must tell your council. If you do not, you could get a fine.\n\nThe council may ask you to pay back the discount.\n\n## Discounts for full-time students\n\nHouseholds where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.\n\nTo count as a full-time student, your course must:\n\n- last at least 1 year\n\n- involve at least 21 hours study per week\n\nIf you study for a qualification up to A level and you\u2019re under 20, your course must:\n\n- last at least 3 months\n\n- involve at least 12 hours study per week\n\nYou\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.\n\n## Discounts for disabled people\n\nPeople who are severely mentally impaired are not included when working out Council Tax.\n\nYou also are not included if you\u2019re a live-in carer looking after someone who is not your partner, spouse, or child under 18.\n\nApply for a Council Tax discount.\n\n## Disabled Band Reduction Scheme\n\nYou may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.\n\nYou\u2019ll have to show that you\u2019ve either:\n\n- an extra bathroom, kitchen or other room that you need for the disabled person\n\n- extra space inside the property for using a wheelchair\n\nThe property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.\n\nCheck if you qualify for the scheme.\n\n## Second homes and empty properties\n\nYou may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.\n\nCouncils can charge extra Council Tax for empty properties.\n\n## Second homes\n\nYou may pay less Council Tax for a property you own or rent that\u2019s not your main home.\n\nCouncils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.\n\n## Empty properties\n\nYou\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.\n\nYou can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).\n\nThe rules are different in Scotland.\n\n## When you do not pay Council Tax\n\nIf you\u2019re selling a property on behalf of an owner who\u2019s died, you won\u2019t need to pay Council Tax until after you get probate as long as the property remains empty. After probate is granted, you may be able to get a Council Tax exemption for another 6 months if the property is both:\n\n- unoccupied\n\n- still owned and in the name of the person who died\n\nSome homes do not get a Council Tax bill for as long as they stay empty. They include homes:\n\n- of someone in prison (except for not paying a fine or Council Tax)\n\n- of someone who\u2019s moved into a care home or hospital\n\n- that have been repossessed\n\n- that cannot be lived in by law, for example if they\u2019re derelict\n\n- that are empty because they\u2019ve been compulsory purchased and will be demolished\n\nYou may get a discount if your home is undergoing major repair work or structural changes, for example your walls are being rebuilt.\n\n## If your property\u2019s been refurbished\n\nYour council will tell you when you have to start paying Council Tax if you\u2019ve been carrying out major home improvements on an empty property or building a new property.\n\nYou\u2019ll get a \u2018completion notice\u2019 that tells you the date you must start paying Council Tax.\n\n## If your property\u2019s derelict\n\nYour property\u2019s only considered derelict if it:\n\n- is not possible to live in it, for example because it\u2019s been damaged by weather, rot or vandalism\n\n- would need major structural works to make it \u2018wind and watertight\u2019 again\n\nYou can challenge your Council Tax band if you think a derelict property should be removed from the Council Tax valuation list.\n\n## Paying your bill\n\nYour Council Tax bill tells you:\n\n- how much you have to pay for the year\n\n- how that amount has been worked out\n\n- the dates you have to pay\n\nThe cost is usually split into 10 monthly payments. Contact your council immediately if you\u2019re having trouble paying - they can help you, for example by spreading your payments over 12 months instead of 10.\n\nThe council can take action to reclaim any debts you owe if you get behind with your payments.\n\n## Ways to pay\n\nYou can usually pay your Council Tax online.\n\nYou can also use \u2018Paypoint\u2019, \u2018Payzone\u2019 or \u2018Quickcards\u2019 for cash payments at post offices, banks, newsagents and convenience stores.\n\nCheck your bill to find out which other payment methods you can use.\n\n## If you\u2019ve overpaid\n\nContact your local council if you\u2019ve paid too much Council Tax and have not received an automatic refund.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/council-tax", + "answerable": true, + "scenario": "I own three houses. Two of these houses, situated in England, are now empty, and will remain so for the next six months.", + "original_question": "Are there any Council Tax reductions that I can get for these two properties?" + }, + { + "id": "train-1835", + "question": "Scenario: I am a university student. The course I am undertaking is three years long and is full time (40 hours per week). I am living alone in a flat. I have just received an council tax bill.\n\nQuestion: Do I have to pay council tax?\n\nDocument - Council Tax:\n## Working out your Council Tax\n\nYou\u2019ll need to know 3 things:\n\n- the valuation band for your home in England and Wales or in Scotland\n\n- how much your local council charges for that band\n\n- whether you can get a discount or exemption from the full bill\n\nYou may be able to get Council Tax Reduction (this used to be called Council Tax Benefit) if you\u2019re on a low income or get benefits.\n\nYou can challenge your Council Tax band if you think your home is in the wrong valuation band.\n\n## Changes that may affect your Council Tax band\n\nYour property may be revalued and put in a different band in some circumstances, for example if:\n\n- you demolish part of your property and do not rebuild it\n\n- you alter your property to create 2 or more self-contained units, for example an annexe - each unit will have its own band\n\n- you split a single property into self-contained flats\n\n- you convert flats into a single property\n\n- you start or stop working from home\n\n- the previous owner made changes to your property\n\n- there are significant changes to your local area, like a new road being built\n\n- a similar property in your area has its Council Tax band changed\n\nAsk the Valuation Office Agency (VOA) if you want to know if changes to your property will affect your Council Tax band.\n\n## Who has to pay\n\nYou\u2019ll usually have to pay Council Tax if you\u2019re 18 or over and own or rent a home.\n\nA full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.\n\nYou\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:\n\n- you live on your own\n\n- no-one else in your home counts as an adult\n\nYou\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.\n\nYou will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.\n\nApply for a Council Tax discount.\n\n## Who does not count as an adult?\n\nThese people are not counted as adults for Council Tax:\n\n- children under 18\n\n- people on some apprentice schemes\n\n- 18 and 19-year-olds in full-time education\n\n- full-time college and university students\n\n- young people under 25 who get funding from the Skills Funding Agency or Young People\u2019s Learning Agency\n\n- student nurses\n\n- foreign language assistants registered with the British Council\n\n- people with a severe mental impairment\n\n- live-in carers who look after someone who is not their partner, spouse, or child under 18\n\n- diplomats\n\nContact your local council if you\u2019re unsure about whether you can get a discount or who\u2019s responsible for paying.\n\n## People on apprentice schemes\n\nTo show that you do not qualify as an adult for Council Tax, you\u2019ll need a declaration from your employer stating that:\n\n- you will not be paid more than \u00a3195 a week\n\n- the training leads to a qualification accredited by a body recognised by the Office of Qualifications and Examinations Regulation (Ofqual) or the Scottish Vocational Education Council (SVEC)\n\n## If you get a Council Tax discount by mistake\n\nYou must tell your council. If you do not, you could get a fine.\n\nThe council may ask you to pay back the discount.\n\n## Discounts for full-time students\n\nHouseholds where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.\n\nTo count as a full-time student, your course must:\n\n- last at least 1 year\n\n- involve at least 21 hours study per week\n\nIf you study for a qualification up to A level and you\u2019re under 20, your course must:\n\n- last at least 3 months\n\n- involve at least 12 hours study per week\n\nYou\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.\n\n## Discounts for disabled people\n\nPeople who are severely mentally impaired are not included when working out Council Tax.\n\nYou also are not included if you\u2019re a live-in carer looking after someone who is not your partner, spouse, or child under 18.\n\nApply for a Council Tax discount.\n\n## Disabled Band Reduction Scheme\n\nYou may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.\n\nYou\u2019ll have to show that you\u2019ve either:\n\n- an extra bathroom, kitchen or other room that you need for the disabled person\n\n- extra space inside the property for using a wheelchair\n\nThe property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.\n\nCheck if you qualify for the scheme.\n\n## Second homes and empty properties\n\nYou may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.\n\nCouncils can charge extra Council Tax for empty properties.\n\n## Second homes\n\nYou may pay less Council Tax for a property you own or rent that\u2019s not your main home.\n\nCouncils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.\n\n## Empty properties\n\nYou\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.\n\nYou can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).\n\nThe rules are different in Scotland.\n\n## When you do not pay Council Tax\n\nIf you\u2019re selling a property on behalf of an owner who\u2019s died, you won\u2019t need to pay Council Tax until after you get probate as long as the property remains empty. After probate is granted, you may be able to get a Council Tax exemption for another 6 months if the property is both:\n\n- unoccupied\n\n- still owned and in the name of the person who died\n\nSome homes do not get a Council Tax bill for as long as they stay empty. They include homes:\n\n- of someone in prison (except for not paying a fine or Council Tax)\n\n- of someone who\u2019s moved into a care home or hospital\n\n- that have been repossessed\n\n- that cannot be lived in by law, for example if they\u2019re derelict\n\n- that are empty because they\u2019ve been compulsory purchased and will be demolished\n\nYou may get a discount if your home is undergoing major repair work or structural changes, for example your walls are being rebuilt.\n\n## If your property\u2019s been refurbished\n\nYour council will tell you when you have to start paying Council Tax if you\u2019ve been carrying out major home improvements on an empty property or building a new property.\n\nYou\u2019ll get a \u2018completion notice\u2019 that tells you the date you must start paying Council Tax.\n\n## If your property\u2019s derelict\n\nYour property\u2019s only considered derelict if it:\n\n- is not possible to live in it, for example because it\u2019s been damaged by weather, rot or vandalism\n\n- would need major structural works to make it \u2018wind and watertight\u2019 again\n\nYou can challenge your Council Tax band if you think a derelict property should be removed from the Council Tax valuation list.\n\n## Paying your bill\n\nYour Council Tax bill tells you:\n\n- how much you have to pay for the year\n\n- how that amount has been worked out\n\n- the dates you have to pay\n\nThe cost is usually split into 10 monthly payments. Contact your council immediately if you\u2019re having trouble paying - they can help you, for example by spreading your payments over 12 months instead of 10.\n\nThe council can take action to reclaim any debts you owe if you get behind with your payments.\n\n## Ways to pay\n\nYou can usually pay your Council Tax online.\n\nYou can also use \u2018Paypoint\u2019, \u2018Payzone\u2019 or \u2018Quickcards\u2019 for cash payments at post offices, banks, newsagents and convenience stores.\n\nCheck your bill to find out which other payment methods you can use.\n\n## If you\u2019ve overpaid\n\nContact your local council if you\u2019ve paid too much Council Tax and have not received an automatic refund.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/council-tax", + "answerable": true, + "scenario": "I am a university student. The course I am undertaking is three years long and is full time (40 hours per week). I am living alone in a flat. I have just received an council tax bill.", + "original_question": "Do I have to pay council tax?" + }, + { + "id": "train-1838", + "question": "Scenario: I am renting a property. My landlord has decided to do work on the property that makes half of the rooms unusable. I feel as if I am not getting my money's worth.\n\nQuestion: Is there any discount I am eligible to get on my rent for this period?\n\nDocument - Renting out your property:\n## Landlord responsibilities\n\nYou\u2019re a landlord if you rent out your property. As a landlord you must:\n\n- keep your rented properties safe and free from health hazards\n\n- make sure all gas and electrical equipment is safely installed and maintained\n\n- provide an Energy Performance Certificate for the property\n\n- protect your tenant\u2019s deposit in a government-approved scheme\n\n- check your tenant has the right to rent your property if it\u2019s in England\n\n- give your tenant a copy of the How to rent checklist when they start renting from you (you can email it to them)\n\nThere are different rules if you rent out property in Scotland or Northern Ireland.\n\n## Coronavirus (COVID-19) and your responsibilities\n\nYour responsibilities as a landlord have not changed because of coronavirus. However, you should follow the government\u2019s coronavirus advice.\n\nRead the coronavirus and renting guidance for tenants and landlords.\n\n## Fire safety\n\nIt\u2019s your responsibility to:\n\n- fit and test smoke alarms and carbon monoxide alarms\n\n- follow fire safety regulations for property in a purpose-built block of flats or for houses and property adapted into flats\n\n## Health and safety inspections\n\nThe Housing Health and Safety Rating System (HHSRS) is used by your council to make sure that properties in its area are safe for the people who live there.\nThis involves inspecting your property for possible hazards, such as uneven stairs.\n\nIf you own a property and rent it out, the council may decide to do an HHSRS inspection because:\n\n- your tenants have asked for an inspection\n\n- the council has done a survey of local properties and thinks your property might be hazardous\n\n## HHSRS hazard ratings\n\nInspectors look at 29 health and safety areas and score each hazard they find as category 1 or 2, according to its seriousness.\n\nYou must take action on enforcement notices from your council. You also have the right to appeal enforcement notices.\n\nThe council can do any of the following if they find a serious hazard:\n\n- issue an improvement notice\n\n- fix the hazard themselves and bill you for the cost\n\n- stop you or anyone else from using part or all of the property\n\n## Financial responsibilities\n\nYou have to pay:\n\n- Income Tax on your rental income, minus your day-to-day running expenses\n\n- Class 2 National Insurance if the work you do renting out property counts as running a business\n\nIf you only occasionally rent out your property or part of your home (for example through short-term rental apps), check if you need to tell HMRC about this income.\n\nIf you have a mortgage on the property you want to rent out, you must get permission from your mortgage lender.\n\n## Regulated tenancies\n\nThere are special rules for changing rents and terms for regulated tenancies (usually private tenancies starting before 15 January 1989).\n\n## Making repairs\n\nYou must keep your property in good condition, and any gas or electrical systems must meet specified safety standards.\n\nWhen doing repairs in your property, make sure you keep you and your tenants safe from coronavirus (COVID-19).\n\nThere is more information about doing repairs and maintenance in section 3 of the coronavirus and renting guidance for tenants and landlords.\n\nThere are different rules around making repairs if you rent out property in Scotland or Northern Ireland.\n\n## When you can enter the property\n\nYou have a legal right to enter your property to inspect it or carry out repairs. You must give your tenants at least 24 hours\u2019 notice, although immediate access may be possible in emergencies. Your tenants have the right to stay in the property during the repairs.\n\nYou\u2019re normally responsible for repairs to:\n\n- the structure of your property\n\n- basins, sinks, baths and other sanitary fittings\n\n- heating and hot water systems\n\n- anything you damage through attempting repairs\n\nIf your property is seriously damaged by a fire, flood or other similar incident, you do not have to rebuild or renovate it. However, if you do, you cannot charge your tenants for any repairs made.\n\n## Common areas\n\nIf you own a block of flats, you\u2019re usually responsible for repairing common areas, like staircases. Councils can ask landlords to fix problems in common areas, or to repair a tenant\u2019s flat that\u2019s been damaged by another tenant.\n\n## What happens if repairs are not done properly\n\nIf you refuse to carry out repairs, tenants can:\n\n- start a claim in the small claims court for repairs under \u00a35,000\n\n- in some circumstances, carry out the repairs themselves and deduct the cost from their rent\n\nIf you do not make repairs to remove hazards, your tenants can ask the council to inspect the property under the Housing Health and Safety Rating System (HHSRS) and to take any action that is necessary.\n\nIf the council finds serious hazards, it must take enforcement action to make sure the hazard is removed.\n\n## If the property is temporarily unfit to live in\n\nYou can ask tenants to move out during major repairs. Before this happens, you should agree in writing:\n\n- how long the works will last\n\n- the tenants\u2019 right to return\n\n- details of any alternative accommodation\n\nYou cannot repossess a property to do repairs. However, if you\u2019re planning substantial works, or want to redevelop the property, you can apply to the courts for an order for your tenants to leave. The courts are more likely to grant this if you provide alternative accommodation.\n\n## Repairs and charging rent\n\nIf the repairs are very disruptive, your tenants may be able to claim a reduction on their rent known as a \u2018rent abatement\u2019. This will depend on how much of the property is unusable.\n\nYou may have the right to increase the rent after carrying out repairs and improvements, depending on the tenancy agreement.\n\n## Rent increases\n\nThe tenancy agreement should include how and when you\u2019ll review the rent.\n\nThere are special rules for increasing regulated tenancy rents.\n\n## When you can increase rent\n\nFor a periodic tenancy (rolling on a week-by-week or month-by-month basis) you can usually only increase the rent once a year.\n\nFor a fixed-term tenancy (running for a set period) you can only increase the rent if your tenancy agreement permits this. Otherwise, you can only raise the rent when the fixed term ends.\n\n## How you can increase the rent\n\nIf a fixed-term tenancy agreement says how the rent can be increased, you must stick to this.\n\nFor a periodic tenancy, you can:\n\n- agree a rent increase with your tenants and produce a written record of the agreement that you both sign\n\n- use a \u2018Landlord\u2019s notice proposing a new rent\u2019 form, giving your tenant at least a month\u2019s notice\n\nThere are different rules around increasing rent if you rent out property in Scotland or Northern Ireland.\n\nThe rent increase must be fair and realistic - that is, in line with reasonable rents on the open market.\n\n## If your tenants do not agree\n\nIf your tenants think the rent increase is unfair, they can ask the First Tier Property Tribunal to decide the right amount.\n\n## Coronavirus (COVID-19) and rent\n\nTenant responsibilities have not changed because of coronavirus. Your tenant should continue to pay rent if they can.\n\nIf your tenant is unable to pay their rent, you can agree a different way to pay. For example, you can agree to accept a lower rent payment for a set amount of time and they pay off the rent arrears later.\n\nRead the coronavirus and renting guidance for tenants and landlords.\n\nYou and your tenant can get advice from Shelter, Citizens Advice and the Money Advice Service.\n\n## Settling disputes\n\nYou can often sort out disputes with your tenants without going to court:\n\n- Speak to your tenants about your concerns.\n\n- If this does not work, write a formal letter setting out the problem.\n\n- Use a mediation service, which is usually cheaper and quicker than going to court.\n\n- As a last resort, you can take your tenants to court.\n\nThere are different rules for settling disputes if you rent out property in Scotland or Northern Ireland.\n\n## Going to court\n\nIf you take legal action, the case may go to a small claims court. Small claims cases are those worth less than \u00a310,000 (or \u00a31,000 if the case is about repairs to a property).\n\nThe courts provide a free mediation service for small claims cases, which can take place over the phone.\n\nIf you want to get your property back because your tenants owe you rent money, you can make a possession claim online.\n\nYou must follow specific rules if you want to evict tenants.\n\n## Coronavirus (COVID-19) and possession claims\n\nThe court process for possession claims is different because of coronavirus.\n\nYou must tell the court if your tenant and their dependants have been affected by coronavirus. For example, if they lost income because of coronavirus, which meant they were not able to pay your rent.\n\n## Free advice for disputes\n\nYou can get free advice about disputes or housing problems from Citizens Advice or Shelter.\n\nIn Wales, you can contact Shelter Cymru.\n\nYou might be able to get free and confidential legal advice from Civil Legal Advice (CLA) as part of legal aid, if you\u2019re in England and Wales.\n\nA solicitor can also help you, but they might charge a fee.\n\n## Houses in Multiple Occupation (HMO)\n\nIf you let your property to several tenants who are not members of the same family, it may be a \u2018House in Multiple Occupation\u2019 (HMO).\n\nThe rules about HMOs are different in Scotland and Northern Ireland.\n\nYour property is an HMO if both of the following apply:\n\n- at least 3 tenants live there, forming more than one household\n\n- toilet, bathroom or kitchen facilities are shared\n\nA household consists of either a single person or members of the same family who live together. It includes people who are married or living together and people in same-sex relationships.\n\nIf someone in an HMO becomes ill with coronavirus (COVID-19), you do not have to find alternative accommodation for the other tenants. You also cannot make someone leave their home because they have coronavirus. Read the coronavirus and renting guidance for tenants and landlords.\n\n## Licences\n\nAn HMO must have a licence if it is occupied by 5 or more people. A council can also include other types of HMOs for licensing.\n\nFind out if you need an HMO licence from your council.\n\n## Risk assessment\n\nThe council has to carry out a Housing Health and Safety Rating System (HHSRS) risk assessment on your HMO within 5 years of receiving a licence application. If the inspector finds any unacceptable risks during the assessment, you must carry out work to eliminate them.\n\n## Reporting changes\n\nYou must tell the council if:\n\n- you plan to make changes to an HMO\n\n- your tenants make changes\n\n- your tenants\u2019 circumstances change (for example they have a child)\n\n## Paying tax and National Insurance\n\nWhen you rent out property you may have to pay tax.\n\n## Running a property business\n\nYou have to pay Class 2 National Insurance if your profits are \u00a36,515 a year or more and what you do counts as running a business, for example if all the following apply:\n\n- being a landlord is your main job\n\n- you rent out more than one property\n\n- you\u2019re buying new properties to rent out\n\nIf your profits are under \u00a36,515, you can make voluntary Class 2 National Insurance payments, for example to make sure you get the full State Pension.\n\nYou do not pay National Insurance if you\u2019re not running a business - even if you do work like arranging repairs, advertising for tenants and arranging tenancy agreements.\n\n## Property you personally own\n\nThe first \u00a31,000 of your income from property rental is tax-free. This is your \u2018property allowance\u2019.\n\nContact HMRC if your income from property rental is between \u00a31,000 and \u00a32,500 a year.\n\nYou must report it on a Self Assessment tax return if it\u2019s:\n\n- \u00a32,500 to \u00a39,999 after allowable expenses\n\n- \u00a310,000 or more before allowable expenses\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had rental income.\n\nRegister now\n\n## Declaring unpaid tax\n\nYou can declare unpaid tax by telling HMRC about rental income from previous years. If you have to pay a penalty it\u2019ll be lower than if HMRC find out about the income themselves.\n\nYou\u2019ll be given a disclosure reference number. You then have 3 months to work out what you owe and pay it.\n\nDo not include the \u00a31,000 tax-free property allowance for any tax years before 2017 to 2018.\n\n## Property owned by a company\n\nCount the rental income the same way as any other business income.\n\n## Costs you can claim to reduce tax\n\nThere are different tax rules for:\n\n- residential properties\n\n- furnished holiday lettings\n\n- commercial properties\n\n## Residential properties\n\nYou or your company must pay tax on the profit you make from renting out the property, after deductions for \u2018allowable expenses\u2019.\n\nAllowable expenses are things you need to spend money on in the day-to-day running of the property, like:\n\n- letting agents\u2019 fees\n\n- legal fees for lets of a year or less, or for renewing a lease for less than 50 years\n\n- accountants\u2019 fees\n\n- buildings and contents insurance\n\n- interest on property loans\n\n- maintenance and repairs to the property (but not improvements)\n\n- utility bills, like gas, water and electricity\n\n- rent, ground rent, service charges\n\n- Council Tax\n\n- services you pay for, like cleaning or gardening\n\n- other direct costs of letting the property, like phone calls, stationery and advertising\n\nAllowable expenses do not include \u2018capital expenditure\u2019 - like buying a property or renovating it beyond repairs for wear and tear.\n\nYou may be able to claim tax relief on money spent on replacing a \u2018domestic item\u2019. This is called \u2018replacement of domestic items relief\u2019.\n\nDomestic items include:\n\n- beds\n\n- sofas\n\n- curtains\n\n- carpets\n\n- fridges\n\n- crockery and cutlery\n\nYou must have only bought the domestic item for use by tenants in a residential property and the item you replaced must no longer be used in that property.\n\nThe replacement of domestic items relief is available from:\n\n- the 2016 to 2017 tax year for individuals and partnerships\n\n- 1 April 2016 for companies\n\n## Furnished residential lettings\n\nYou may be able to claim \u2018wear and tear allowance\u2019:\n\n- for the 2015 to 2016 tax year for individuals and partnerships\n\n- on or before 31 March 2016 for companies\n\n## Furnished holiday lettings\n\nFor furnished holiday homes, you may be able to claim:\n\n- plant and machinery capital allowances on furniture, furnishings and so on in the let property, as well as on equipment used outside the property (like vans and tools)\n\n- Capital Gains Tax reliefs - Business Asset Rollover Relief, Entrepreneurs\u2019 Relief, relief for gifts of business assets and relief for loans to traders\n\nYou can only claim these if all the following apply:\n\n- the property is offered to let for at least 210 days a year\n\n- it\u2019s let for more than 105 days a year\n\n- no single let is more than 31 days\n\n- you charge the going rate for similar properties in the area (\u2018market value\u2019)\n\nIf you own the property personally, your profits count as earnings for pension purposes.\n\nYou can download helpsheets to help you with your tax return:\n\n- capital allowances\n\n- furnished holiday lettings\n\n## Commercial properties\n\nYou can claim plant and machinery capital allowances on some items if you rent out a commercial property - like a shop, garage or lock-up.\n\n## Working out your profit\n\nYou work out the net profit or loss for all your property lettings (except furnished holiday lettings) as if it\u2019s a single business. To do this, you:\n\n- add together all your rental income\n\n- add together all your allowable expenses\n\n- take the expenses away from the income\n\nWork out the profit or loss from furnished holiday lettings separately from any other rental business to make sure you only claim these tax advantages for eligible properties.\n\n## Making a loss\n\nDeduct any losses from your profit and enter the figure on your Self Assessment form.\n\nYou can offset your loss against:\n\n- future profits by carrying it forward to a later year\n\n- profits from other properties (if you have them)\n\nYou can only offset losses against future profits in the same business.\n\n## Changing a regulated tenancy (fair rent)\n\nThere are special rules for changing rents and terms for regulated tenancies (sometimes called \u2018fair rents\u2019) which usually started before 15 January 1989.\n\nThere are different rules for increasing rents in regulated tenancies in Scotland and rent-controlled tenancies in Northern Ireland.\n\n## When you can increase rent\n\nYou can only increase the rent up to the maximum set by the Valuation Office Agency (VOA) - check the register of rents to find out what it is.\n\nYou can ask VOA to review the rent every 2 years, or earlier if something has affected the value, so that it remains fair. Your rent might increase or decrease.\n\nDownload and fill in a fair rent form to get your rent reviewed. Send the completed form to the VOA Network Support Office by post.\n\nEmail the VOA Network Support Office if you have any questions about increasing your rent.\n\n## If the fair rent increases\n\nYou must serve a notice of increase of rent on your tenant. You can charge the new rent from the date it\u2019s registered.\n\nFill in a \u2018notice of increase\u2019 form (available from legal stationers) and send it to your tenant.\n\nYou can backdate your notice of rent increase for up to 4 weeks.\n\n## Cancel a registered rent\n\nDownload and fill in an application form to cancel a registered rent and send it to the address on the form, for example if the tenancy stops being regulated, or you and the tenant agree to cancel it.\n\nIt may take up to 6 weeks to cancel a registered rent.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/renting-out-a-property", + "answerable": true, + "scenario": "I am renting a property. My landlord has decided to do work on the property that makes half of the rooms unusable. I feel as if I am not getting my money's worth.", + "original_question": "Is there any discount I am eligible to get on my rent for this period?" + }, + { + "id": "train-1839", + "question": "Scenario: I am a landlord who rents out rooms to two tenants, who are not related. I am considering renting out another room. There will be at least three separate people renting rooms in this property.\n\nQuestion: Will I need a licence for a HMO in these circumnstances?\n\nDocument - Renting out your property:\n## Landlord responsibilities\n\nYou\u2019re a landlord if you rent out your property. As a landlord you must:\n\n- keep your rented properties safe and free from health hazards\n\n- make sure all gas and electrical equipment is safely installed and maintained\n\n- provide an Energy Performance Certificate for the property\n\n- protect your tenant\u2019s deposit in a government-approved scheme\n\n- check your tenant has the right to rent your property if it\u2019s in England\n\n- give your tenant a copy of the How to rent checklist when they start renting from you (you can email it to them)\n\nThere are different rules if you rent out property in Scotland or Northern Ireland.\n\n## Coronavirus (COVID-19) and your responsibilities\n\nYour responsibilities as a landlord have not changed because of coronavirus. However, you should follow the government\u2019s coronavirus advice.\n\nRead the coronavirus and renting guidance for tenants and landlords.\n\n## Fire safety\n\nIt\u2019s your responsibility to:\n\n- fit and test smoke alarms and carbon monoxide alarms\n\n- follow fire safety regulations for property in a purpose-built block of flats or for houses and property adapted into flats\n\n## Health and safety inspections\n\nThe Housing Health and Safety Rating System (HHSRS) is used by your council to make sure that properties in its area are safe for the people who live there.\nThis involves inspecting your property for possible hazards, such as uneven stairs.\n\nIf you own a property and rent it out, the council may decide to do an HHSRS inspection because:\n\n- your tenants have asked for an inspection\n\n- the council has done a survey of local properties and thinks your property might be hazardous\n\n## HHSRS hazard ratings\n\nInspectors look at 29 health and safety areas and score each hazard they find as category 1 or 2, according to its seriousness.\n\nYou must take action on enforcement notices from your council. You also have the right to appeal enforcement notices.\n\nThe council can do any of the following if they find a serious hazard:\n\n- issue an improvement notice\n\n- fix the hazard themselves and bill you for the cost\n\n- stop you or anyone else from using part or all of the property\n\n## Financial responsibilities\n\nYou have to pay:\n\n- Income Tax on your rental income, minus your day-to-day running expenses\n\n- Class 2 National Insurance if the work you do renting out property counts as running a business\n\nIf you only occasionally rent out your property or part of your home (for example through short-term rental apps), check if you need to tell HMRC about this income.\n\nIf you have a mortgage on the property you want to rent out, you must get permission from your mortgage lender.\n\n## Regulated tenancies\n\nThere are special rules for changing rents and terms for regulated tenancies (usually private tenancies starting before 15 January 1989).\n\n## Making repairs\n\nYou must keep your property in good condition, and any gas or electrical systems must meet specified safety standards.\n\nWhen doing repairs in your property, make sure you keep you and your tenants safe from coronavirus (COVID-19).\n\nThere is more information about doing repairs and maintenance in section 3 of the coronavirus and renting guidance for tenants and landlords.\n\nThere are different rules around making repairs if you rent out property in Scotland or Northern Ireland.\n\n## When you can enter the property\n\nYou have a legal right to enter your property to inspect it or carry out repairs. You must give your tenants at least 24 hours\u2019 notice, although immediate access may be possible in emergencies. Your tenants have the right to stay in the property during the repairs.\n\nYou\u2019re normally responsible for repairs to:\n\n- the structure of your property\n\n- basins, sinks, baths and other sanitary fittings\n\n- heating and hot water systems\n\n- anything you damage through attempting repairs\n\nIf your property is seriously damaged by a fire, flood or other similar incident, you do not have to rebuild or renovate it. However, if you do, you cannot charge your tenants for any repairs made.\n\n## Common areas\n\nIf you own a block of flats, you\u2019re usually responsible for repairing common areas, like staircases. Councils can ask landlords to fix problems in common areas, or to repair a tenant\u2019s flat that\u2019s been damaged by another tenant.\n\n## What happens if repairs are not done properly\n\nIf you refuse to carry out repairs, tenants can:\n\n- start a claim in the small claims court for repairs under \u00a35,000\n\n- in some circumstances, carry out the repairs themselves and deduct the cost from their rent\n\nIf you do not make repairs to remove hazards, your tenants can ask the council to inspect the property under the Housing Health and Safety Rating System (HHSRS) and to take any action that is necessary.\n\nIf the council finds serious hazards, it must take enforcement action to make sure the hazard is removed.\n\n## If the property is temporarily unfit to live in\n\nYou can ask tenants to move out during major repairs. Before this happens, you should agree in writing:\n\n- how long the works will last\n\n- the tenants\u2019 right to return\n\n- details of any alternative accommodation\n\nYou cannot repossess a property to do repairs. However, if you\u2019re planning substantial works, or want to redevelop the property, you can apply to the courts for an order for your tenants to leave. The courts are more likely to grant this if you provide alternative accommodation.\n\n## Repairs and charging rent\n\nIf the repairs are very disruptive, your tenants may be able to claim a reduction on their rent known as a \u2018rent abatement\u2019. This will depend on how much of the property is unusable.\n\nYou may have the right to increase the rent after carrying out repairs and improvements, depending on the tenancy agreement.\n\n## Rent increases\n\nThe tenancy agreement should include how and when you\u2019ll review the rent.\n\nThere are special rules for increasing regulated tenancy rents.\n\n## When you can increase rent\n\nFor a periodic tenancy (rolling on a week-by-week or month-by-month basis) you can usually only increase the rent once a year.\n\nFor a fixed-term tenancy (running for a set period) you can only increase the rent if your tenancy agreement permits this. Otherwise, you can only raise the rent when the fixed term ends.\n\n## How you can increase the rent\n\nIf a fixed-term tenancy agreement says how the rent can be increased, you must stick to this.\n\nFor a periodic tenancy, you can:\n\n- agree a rent increase with your tenants and produce a written record of the agreement that you both sign\n\n- use a \u2018Landlord\u2019s notice proposing a new rent\u2019 form, giving your tenant at least a month\u2019s notice\n\nThere are different rules around increasing rent if you rent out property in Scotland or Northern Ireland.\n\nThe rent increase must be fair and realistic - that is, in line with reasonable rents on the open market.\n\n## If your tenants do not agree\n\nIf your tenants think the rent increase is unfair, they can ask the First Tier Property Tribunal to decide the right amount.\n\n## Coronavirus (COVID-19) and rent\n\nTenant responsibilities have not changed because of coronavirus. Your tenant should continue to pay rent if they can.\n\nIf your tenant is unable to pay their rent, you can agree a different way to pay. For example, you can agree to accept a lower rent payment for a set amount of time and they pay off the rent arrears later.\n\nRead the coronavirus and renting guidance for tenants and landlords.\n\nYou and your tenant can get advice from Shelter, Citizens Advice and the Money Advice Service.\n\n## Settling disputes\n\nYou can often sort out disputes with your tenants without going to court:\n\n- Speak to your tenants about your concerns.\n\n- If this does not work, write a formal letter setting out the problem.\n\n- Use a mediation service, which is usually cheaper and quicker than going to court.\n\n- As a last resort, you can take your tenants to court.\n\nThere are different rules for settling disputes if you rent out property in Scotland or Northern Ireland.\n\n## Going to court\n\nIf you take legal action, the case may go to a small claims court. Small claims cases are those worth less than \u00a310,000 (or \u00a31,000 if the case is about repairs to a property).\n\nThe courts provide a free mediation service for small claims cases, which can take place over the phone.\n\nIf you want to get your property back because your tenants owe you rent money, you can make a possession claim online.\n\nYou must follow specific rules if you want to evict tenants.\n\n## Coronavirus (COVID-19) and possession claims\n\nThe court process for possession claims is different because of coronavirus.\n\nYou must tell the court if your tenant and their dependants have been affected by coronavirus. For example, if they lost income because of coronavirus, which meant they were not able to pay your rent.\n\n## Free advice for disputes\n\nYou can get free advice about disputes or housing problems from Citizens Advice or Shelter.\n\nIn Wales, you can contact Shelter Cymru.\n\nYou might be able to get free and confidential legal advice from Civil Legal Advice (CLA) as part of legal aid, if you\u2019re in England and Wales.\n\nA solicitor can also help you, but they might charge a fee.\n\n## Houses in Multiple Occupation (HMO)\n\nIf you let your property to several tenants who are not members of the same family, it may be a \u2018House in Multiple Occupation\u2019 (HMO).\n\nThe rules about HMOs are different in Scotland and Northern Ireland.\n\nYour property is an HMO if both of the following apply:\n\n- at least 3 tenants live there, forming more than one household\n\n- toilet, bathroom or kitchen facilities are shared\n\nA household consists of either a single person or members of the same family who live together. It includes people who are married or living together and people in same-sex relationships.\n\nIf someone in an HMO becomes ill with coronavirus (COVID-19), you do not have to find alternative accommodation for the other tenants. You also cannot make someone leave their home because they have coronavirus. Read the coronavirus and renting guidance for tenants and landlords.\n\n## Licences\n\nAn HMO must have a licence if it is occupied by 5 or more people. A council can also include other types of HMOs for licensing.\n\nFind out if you need an HMO licence from your council.\n\n## Risk assessment\n\nThe council has to carry out a Housing Health and Safety Rating System (HHSRS) risk assessment on your HMO within 5 years of receiving a licence application. If the inspector finds any unacceptable risks during the assessment, you must carry out work to eliminate them.\n\n## Reporting changes\n\nYou must tell the council if:\n\n- you plan to make changes to an HMO\n\n- your tenants make changes\n\n- your tenants\u2019 circumstances change (for example they have a child)\n\n## Paying tax and National Insurance\n\nWhen you rent out property you may have to pay tax.\n\n## Running a property business\n\nYou have to pay Class 2 National Insurance if your profits are \u00a36,515 a year or more and what you do counts as running a business, for example if all the following apply:\n\n- being a landlord is your main job\n\n- you rent out more than one property\n\n- you\u2019re buying new properties to rent out\n\nIf your profits are under \u00a36,515, you can make voluntary Class 2 National Insurance payments, for example to make sure you get the full State Pension.\n\nYou do not pay National Insurance if you\u2019re not running a business - even if you do work like arranging repairs, advertising for tenants and arranging tenancy agreements.\n\n## Property you personally own\n\nThe first \u00a31,000 of your income from property rental is tax-free. This is your \u2018property allowance\u2019.\n\nContact HMRC if your income from property rental is between \u00a31,000 and \u00a32,500 a year.\n\nYou must report it on a Self Assessment tax return if it\u2019s:\n\n- \u00a32,500 to \u00a39,999 after allowable expenses\n\n- \u00a310,000 or more before allowable expenses\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had rental income.\n\nRegister now\n\n## Declaring unpaid tax\n\nYou can declare unpaid tax by telling HMRC about rental income from previous years. If you have to pay a penalty it\u2019ll be lower than if HMRC find out about the income themselves.\n\nYou\u2019ll be given a disclosure reference number. You then have 3 months to work out what you owe and pay it.\n\nDo not include the \u00a31,000 tax-free property allowance for any tax years before 2017 to 2018.\n\n## Property owned by a company\n\nCount the rental income the same way as any other business income.\n\n## Costs you can claim to reduce tax\n\nThere are different tax rules for:\n\n- residential properties\n\n- furnished holiday lettings\n\n- commercial properties\n\n## Residential properties\n\nYou or your company must pay tax on the profit you make from renting out the property, after deductions for \u2018allowable expenses\u2019.\n\nAllowable expenses are things you need to spend money on in the day-to-day running of the property, like:\n\n- letting agents\u2019 fees\n\n- legal fees for lets of a year or less, or for renewing a lease for less than 50 years\n\n- accountants\u2019 fees\n\n- buildings and contents insurance\n\n- interest on property loans\n\n- maintenance and repairs to the property (but not improvements)\n\n- utility bills, like gas, water and electricity\n\n- rent, ground rent, service charges\n\n- Council Tax\n\n- services you pay for, like cleaning or gardening\n\n- other direct costs of letting the property, like phone calls, stationery and advertising\n\nAllowable expenses do not include \u2018capital expenditure\u2019 - like buying a property or renovating it beyond repairs for wear and tear.\n\nYou may be able to claim tax relief on money spent on replacing a \u2018domestic item\u2019. This is called \u2018replacement of domestic items relief\u2019.\n\nDomestic items include:\n\n- beds\n\n- sofas\n\n- curtains\n\n- carpets\n\n- fridges\n\n- crockery and cutlery\n\nYou must have only bought the domestic item for use by tenants in a residential property and the item you replaced must no longer be used in that property.\n\nThe replacement of domestic items relief is available from:\n\n- the 2016 to 2017 tax year for individuals and partnerships\n\n- 1 April 2016 for companies\n\n## Furnished residential lettings\n\nYou may be able to claim \u2018wear and tear allowance\u2019:\n\n- for the 2015 to 2016 tax year for individuals and partnerships\n\n- on or before 31 March 2016 for companies\n\n## Furnished holiday lettings\n\nFor furnished holiday homes, you may be able to claim:\n\n- plant and machinery capital allowances on furniture, furnishings and so on in the let property, as well as on equipment used outside the property (like vans and tools)\n\n- Capital Gains Tax reliefs - Business Asset Rollover Relief, Entrepreneurs\u2019 Relief, relief for gifts of business assets and relief for loans to traders\n\nYou can only claim these if all the following apply:\n\n- the property is offered to let for at least 210 days a year\n\n- it\u2019s let for more than 105 days a year\n\n- no single let is more than 31 days\n\n- you charge the going rate for similar properties in the area (\u2018market value\u2019)\n\nIf you own the property personally, your profits count as earnings for pension purposes.\n\nYou can download helpsheets to help you with your tax return:\n\n- capital allowances\n\n- furnished holiday lettings\n\n## Commercial properties\n\nYou can claim plant and machinery capital allowances on some items if you rent out a commercial property - like a shop, garage or lock-up.\n\n## Working out your profit\n\nYou work out the net profit or loss for all your property lettings (except furnished holiday lettings) as if it\u2019s a single business. To do this, you:\n\n- add together all your rental income\n\n- add together all your allowable expenses\n\n- take the expenses away from the income\n\nWork out the profit or loss from furnished holiday lettings separately from any other rental business to make sure you only claim these tax advantages for eligible properties.\n\n## Making a loss\n\nDeduct any losses from your profit and enter the figure on your Self Assessment form.\n\nYou can offset your loss against:\n\n- future profits by carrying it forward to a later year\n\n- profits from other properties (if you have them)\n\nYou can only offset losses against future profits in the same business.\n\n## Changing a regulated tenancy (fair rent)\n\nThere are special rules for changing rents and terms for regulated tenancies (sometimes called \u2018fair rents\u2019) which usually started before 15 January 1989.\n\nThere are different rules for increasing rents in regulated tenancies in Scotland and rent-controlled tenancies in Northern Ireland.\n\n## When you can increase rent\n\nYou can only increase the rent up to the maximum set by the Valuation Office Agency (VOA) - check the register of rents to find out what it is.\n\nYou can ask VOA to review the rent every 2 years, or earlier if something has affected the value, so that it remains fair. Your rent might increase or decrease.\n\nDownload and fill in a fair rent form to get your rent reviewed. Send the completed form to the VOA Network Support Office by post.\n\nEmail the VOA Network Support Office if you have any questions about increasing your rent.\n\n## If the fair rent increases\n\nYou must serve a notice of increase of rent on your tenant. You can charge the new rent from the date it\u2019s registered.\n\nFill in a \u2018notice of increase\u2019 form (available from legal stationers) and send it to your tenant.\n\nYou can backdate your notice of rent increase for up to 4 weeks.\n\n## Cancel a registered rent\n\nDownload and fill in an application form to cancel a registered rent and send it to the address on the form, for example if the tenancy stops being regulated, or you and the tenant agree to cancel it.\n\nIt may take up to 6 weeks to cancel a registered rent.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/renting-out-a-property", + "answerable": true, + "scenario": "I am a landlord who rents out rooms to two tenants, who are not related. I am considering renting out another room. There will be at least three separate people renting rooms in this property.", + "original_question": "Will I need a licence for a HMO in these circumnstances?" + }, + { + "id": "train-1841", + "question": "Scenario: My mother is a leaseholder and is very concerned about knowing if the house has insurance. She has witnessed a lot of people losing lives due to fire outbreaks and loss of property.\n\nQuestion: Can she ask the landlord for the insurance policy summary?\n\nDocument - Leasehold property:\n## Overview\n\nYou only own a leasehold property for a fixed period of time.\n\nYou\u2019ll have a legal agreement with the landlord (sometimes known as the \u2018freeholder\u2019) called a \u2018lease\u2019. This tells you how many years you\u2019ll own the property.\n\nOwnership of the property returns to the landlord when the lease comes to an end.\n\nMost flats are leasehold. Houses can be leasehold too and usually are if they\u2019re bought through a shared ownership scheme.\n\nThe rules about leasehold property are different in Northern Ireland.\n\n## Leaseholder rights and responsibilities\n\n## Your responsibilities\n\nYour lease will tell you what conditions you\u2019ve agreed to, for example:\n\n- if you need permission to make alterations\n\n- how much you\u2019ll have to pay to maintain the property\n\n- whether you or your landlord has responsibility for repairs and dealing with noisy neighbours\n\nYou might be taken to court and be ordered to pay for any damage If you do not follow the conditions of the lease. The court may also take away your lease.\n\n## Your rights\n\nYou have the right to:\n\n- get information about service charges or insurance\n\n- know the landlord\u2019s (freeholder\u2019s) name and address\n\n- be consulted about certain maintenance and running costs\n\n- challenge certain charges under some circumstances\n\n## Service charges and other expenses\n\n## Service charges\n\nYour lease sets out the way the service charge is organised and what can be charged. If you pay a service charge, you have the right to:\n\n- ask for a summary showing how the charge is worked out and what it\u2019s spent on\n\n- see any paperwork supporting the summary, such as receipts\n\nYour landlord must give you this information - it\u2019s a criminal offence if they do not.\n\n## Ground rent\n\nYou do not have to pay ground rent unless your landlord has sent you a formal, written demand for it. They can take legal action if you do not pay after you\u2019ve received the demand.\n\nYour landlord can recover unpaid ground rent going back 6 years - they can ask you for the full amount in one go.\n\nYour landlord can only increase the ground rent if you agree to the increase or the lease says this can happen.\n\n## Building insurance\n\nYour landlord will usually be responsible for insurance of the building (not the contents) - this will be part of your service charge.\n\nYou have a right to:\n\n- ask for a summary of the insurance policy\n\n- challenge the cost through a tribunal if you think it\u2019s unreasonable\n\n## Reserve or sinking funds\n\nYou might have to pay into a fund to help cover any unexpected maintenance or repairs, like replacing the roof. There are rules about how landlords must manage these funds.\n\nYou will not usually be able to get back any money you pay into them, for example if you move house.\n\n## Consulting over charges\n\nYou have the right to be consulted about charges for running or maintaining the building if you have to pay more than:\n\n- \u00a3250 for planned work\n\n- \u00a3100 per year for work and services lasting more than 12 months\n\nThere are steps your landlord must follow when they consult you, known as a \u2018Section 20\u2019 consultation. There\u2019s a limit on how much you have to pay if you have not been consulted properly - contact Leasehold Advisory Service for advice.\n\n## Disputing a charge\n\nYou may be able to apply to a tribunal if you pay a charge and you:\n\n- think it\u2019s unreasonable\n\n- think the standard of work it relates to is unsatisfactory\n\n- do not think you should be paying it at all\n\nContact Leasehold Advisory Service for advice.\n\nYou cannot apply to the tribunal if:\n\n- you\u2019ve agreed to pay the charge\n\n- the dispute is already being dealt with, for example by the court\n\n- you pay a fixed charge\n\nTry mediation - you may also be able to change the management of your building instead.\n\nYour landlord can take you to court if you stop paying a charge you\u2019re responsible for.\n\n## More information\n\nThe Leasehold Advisory Service has more information on service charges and other issues.\n\n## Extending, changing or ending a lease\n\n## Extending the lease\n\nYou can ask the landlord to extend your lease at any time.\n\nYou might be able to extend your lease by:\n\n- 90 years on a flat if you qualify\n\n- 50 years on a house if you qualify\n\nThe Leasehold Advisory Service\u2019s (LAS) lease extension calculator gives you a guide to the costs of extending the lease of a flat.\n\n## Changing the lease\n\nYou can negotiate certain changes to the lease, sometimes known as \u2018varying the lease\u2019. Speak to your landlord first.\n\nIf you cannot agree, you may be able to apply to a tribunal - contact Leasehold Advisory Service for advice.\n\n## Ending the lease\n\nIt\u2019s very rare that a landlord can end the lease and evict you. There are some circumstances and leases that let them do this, sometimes known as \u2018forfeiture proceedings\u2019. They need to send you a formal written notice and get the court\u2019s permission.\n\nYou can usually end a lease by giving at least 1 month\u2019s notice.\n\nThe LAS has information about ending a lease.\n\n## When the lease runs out\n\nYou do not have to leave the property when the lease expires. In law, a lease is a tenancy and the leaseholder is a tenant. The tenancy will continue on exactly the same terms unless you or the landlord decide to end it.\n\n## Buying the freehold\n\nYou can ask the landlord to sell you the freehold at any time.\n\nThere are different legal steps and rules depending on whether your home is a:\n\n- flat - you\u2019ll need to buy a share of the freehold\n\n- house - you may have the right to buy the freehold\n\n## Right of first refusal\n\nLandlords who want to sell the freehold of a building containing flats usually have to offer the leaseholders the first chance to buy it. This is known as your right of first refusal.\n\nThere are different rules and steps to buying the freehold of your home in Northern Ireland\n\n## Right to Manage and management disputes\n\nYou may be able to change the management of your building if you\u2019re unhappy with the way it\u2019s being run and you live in a leasehold flat. You can either:\n\n- ask a tribunal to appoint a new manager\n\n- take over the management responsibilities, known as your \u2018Right to Manage\u2019\n\n## Appoint a new manager\n\nYou must prove bad management if you want to appoint a new manager, for example:\n\n- you have to pay unreasonable service charges\n\n- the landlord has not complied with an approved code of management practice\n\nApply to a tribunal in England, or the Leasehold Valuation Tribunals in Wales.\n\nYou can only apply to the tribunal if you\u2019ve sent the landlord a \u2018Section 22 notice\u2019 - this gives them a chance to fix the problems. Contact Leasehold Advisory Service for advice.\n\n## Right to Manage\n\nThe Right to Manage lets you and the other leaseholders take over certain management responsibilities from the landlord without having to prove bad management.\n\nYou\u2019ll need to find out if you qualify - contact Leasehold Advisory Service for advice.\n\nYou and the other leaseholders can manage the building yourselves or pay a managing agent to do it.\n\n## Leasehold disputes\n\nThere is a different dispute process in Wales.\n\nYou can use a mediation service to help you and your landlord come to an agreement if you are in dispute about your lease. You might have to pay a fee.\n\nYou can also get free advice from the Leasehold Advisory Service (LAS) on issues like:\n\n- service charges\n\n- extending your lease\n\n- buying the freehold\n\n## Apply to a tribunal\n\nYou can apply to a tribunal if you\u2019re in a dispute with your landlord, for example:\n\n- service or administration charges\n\n- the cost of building insurance\n\n- appointment of a manager\n\n- Right to Manage\n\n- breach of a lease\n\n- varying a lease\n\n- recognising a tenants\u2019 association\n\n- buying the freehold\n\n- extending the lease\n\nApply to the Leasehold Valuation Tribunals if you\u2019re in Wales.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/leasehold-property", + "answerable": true, + "scenario": "My mother is a leaseholder and is very concerned about knowing if the house has insurance. She has witnessed a lot of people losing lives due to fire outbreaks and loss of property.", + "original_question": "Can she ask the landlord for the insurance policy summary?" + }, + { + "id": "train-1844", + "question": "Scenario: I have tried to make alterations to the shop front. My application to the planning committee was rejected. Five weeks have past, and after being informed that this should have been accepted, we are considering appealing the decision.\n\nQuestion: Are we still able to appeal this decision?\n\nDocument - Appeal a minor commercial development decision:\n## When you can appeal\n\nYour local planning authority makes decisions on applications about minor commercial developments, for example ground floor alterations like shop fronts and security shutters.\n\nYou can appeal a minor commercial development decision if you disagree with it.\n\nThere\u2019s no fee for appealing.\n\nOnly the person who made the application can appeal.\n\n## Deadline for appealing\n\nYou must appeal within 12 weeks of the date on the decision notice from your local planning authority.\n\nThe deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the site ownership certificate\n\n- the local planning authority\u2019s decision notice\n\nYou\u2019ll also need to submit:\n\n- a map of the surrounding area\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nNo-one can comment on a minor commercial development decision appeal.\n\nYour local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.\n\nThey have to do this within 5 working days of the appeal being started by the Planning Inspectorate.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "answerable": true, + "scenario": "I have tried to make alterations to the shop front. My application to the planning committee was rejected. Five weeks have past, and after being informed that this should have been accepted, we are considering appealing the decision.", + "original_question": "Are we still able to appeal this decision?" + }, + { + "id": "train-1846", + "question": "Scenario: My brother wants to buy a canoe boat to spend his summer holiday rowing along the river Thames. He wants to register so that he can use it.\n\nQuestion: Will he need to insure it ?\n\nDocument - Register a boat:\n## Overview\n\nYou usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.\n\nA boat is:\n\n- any vessel with or without a motor, for example a sailing boat, river boat, canal boat or houseboat\n\n- any \u2018open boat\u2019 such as canoe, paddle board, rowing boat or dinghy\n\nTo get a boat registration you may need:\n\n- insurance\n\n- a Boat Safety Scheme (BSS) certificate\n\nYou must renew each year for the waterway you want to keep or use your boat on. You can buy a visitor registration or licence for shorter periods.\n\n## Carry more than 12 passengers\n\nYou must have a passenger-carrying certificate issued by the Maritime and Coastguard Agency if you want to carry more than 12 passengers.\n\n## Commercial use\n\nYou must apply for a boatmaster\u2019s licence if you want to use your boat commercially.\n\n## Use at sea\n\nYou can register your boat with the UK Ship Register for use at sea.\n\n## Who to contact\n\nRegister or license your boat with the navigation authority responsible for the waterway you want to use.\n\n## Most canals and some rivers, like the Severn, Trent and Ouse\n\nRegister with the Canal & River Trust.\n\n## Norfolk and Suffolk Broads, and adjacent waters\n\nRegister with the Broads Authority.\n\n## River Thames, River Medway, and the rivers of East Anglia\n\nDownload the application form for the waterway you want to use and register with the Environment Agency:\n\n- River Thames\n\n- River Medway\n\n- Anglian waterways (Great Ouse System, River Nene, River Stour, River Ancholme, Black Sluice, River Welland and River Glen)\n\n- Rye Harbour\n\nRiver Thames annual registrations run from 1 January to 31 December. Other registrations run from 1 April to 31 March.\n\n## The Royal Military Canal\n\nYou do not need to register a boat for use between West Hythe Dam in Shorncliffe, Kent and Iden Lock in Cliffe End, East Sussex.\n\nContact Shepway District Council to register a boat for use between West Hythe Dam and Seabrook.\n\n## Scotland and Northern Ireland\n\nCheck if you need to register your boat with Scottish Canals or NI Direct.\n\n## Other areas\n\nCheck with the Inland Waterways Association to find the navigation authority for other areas.\n\n## Using more than one waterway\n\nYou can buy a \u2018gold licence\u2019 which lets you use all Environment Agency and Canal & River Trust waterways.\n\n## Canoe or rowing boat exemptions\n\nYou may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.\n\nRowing clubs or associations can register a rowing boat for use on some waterways through British Rowing.\n\n## Penalties\n\nAn enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:\n\n- it\u2019s not licensed or registered\n\n- it\u2019s not licensed or registered for the waterway you\u2019re using\n\n- your licence or registration is not displayed\n\n- it breaches the terms and conditions of the licence or registration\n\nCheck your licence or registration for additional rules that apply to your waterway.\n\nYou may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.\n\n## Questions about a penalty notice\n\nContact your navigation authority if you have questions about a penalty notice.\n\n## The UK Ship Register\n\nYou need to register your boat with the UK Ship Register to use it at sea.\n\nWhether you can use the register depends on your citizenship status. Check the eligibility requirements for each part of the UK Ship Register.\n\nThere are 4 different parts of the register. Which part you use depends on what you\u2019re using your boat for:\n\n- Part 1 - commercial or pleasure boats\n\n- Part 2 - fishing boats\n\n- Part 3 - small boats\n\n- Part 4 - charter boats\n\n## Part 1 registration - commercial or pleasure boats\n\nYou can use Part 1 of the register if you have either:\n\n- a commercial boat, unless you plan to use it for fishing\n\n- a \u2018pleasure vessel\u2019 - this means you do not make any money from it\n\nRegistering your boat on Part 1 of the register means you\u2019ll be able to:\n\n- get a marine mortgage against your boat\n\n- spend more than 6 months outside the UK\n\nIt costs \u00a3153 to register for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew. It costs \u00a372 to renew your registration for another 5 years.\n\n## Part 2 registration - fishing boats\n\nUse Part 2 of the register if you\u2019re using your boat to catch and sell fish.\n\nYou can choose from \u2018simple\u2019 or \u2018full\u2019 registration. If you choose full registration you can get a marine mortgage against your boat.\n\nTo register for 5 years it costs:\n\n- \u00a3159 for simple registration\n\n- \u00a3196 for full registration\n\n## Part 3 registration - small boats\n\nUse Part 3 of the register (small ships register) if:\n\n- your boat is less than 24 metres long\n\n- your boat is a pleasure vessel\n\n- you live in the UK for at least 185 days of the year\n\nYou cannot use Part 3 of the register if you\u2019re a business.\n\nRegistering on Part 3 of the register means you\u2019ll be able to prove your boat\u2019s nationality when sailing outside UK waters.\n\nIt costs \u00a335 for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew.\n\n## Part 4 registration - charter boats\n\nUse Part 4 of the register if you plan to hire out (charter) your boat.\n\nIt costs between \u00a335 and \u00a3196 for 5 years. The amount you\u2019ll pay depends on the type of boat you\u2019re registering.\n\n## How to register\n\nYou can register your boat online. You\u2019ll need to create an account if you do not already have one.\n\nIf you own the boat with other people, all owners must have an account before you can register your boat online.\n\nStart now\n\nYou can pay by debit or credit card.\n\nYou can also use the online service to renew, cancel or change the details of your registration.\n\n## Before you start\n\nYou\u2019ll need:\n\n- the dimensions of your boat\n\n- the previous registration details of the boat (if it\u2019s been registered before)\n\n- the bill of sale\n\n- the radio signal detail - including your UK radio call sign, Maritime Mobile Service Identity (MMSI) number and International Maritime Organization (IMO) number\n\n- the builders certificate\n\n- a certificate of survey for tonnage and measurement\n\n- an international tonnage certificate (ITC69)\n\n- safety certificates\n\n## Other ways to register\n\nYou can also register by post. Download and fill in the form for the type of boat you want to register.\n\n## Contact\n\nYou can contact the UK Ship Register by email, phone or post.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/register-a-boat", + "answerable": true, + "scenario": "My brother wants to buy a canoe boat to spend his summer holiday rowing along the river Thames. He wants to register so that he can use it.", + "original_question": "Will he need to insure it ?" + }, + { + "id": "train-1847", + "question": "Scenario: My friend Mark owns a canoe boat along the river Severn. It is not registered nor licensed . He sometimes rows it to different waterways during summer.\n\nQuestion: Can he be penalised?\n\nDocument - Register a boat:\n## Overview\n\nYou usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.\n\nA boat is:\n\n- any vessel with or without a motor, for example a sailing boat, river boat, canal boat or houseboat\n\n- any \u2018open boat\u2019 such as canoe, paddle board, rowing boat or dinghy\n\nTo get a boat registration you may need:\n\n- insurance\n\n- a Boat Safety Scheme (BSS) certificate\n\nYou must renew each year for the waterway you want to keep or use your boat on. You can buy a visitor registration or licence for shorter periods.\n\n## Carry more than 12 passengers\n\nYou must have a passenger-carrying certificate issued by the Maritime and Coastguard Agency if you want to carry more than 12 passengers.\n\n## Commercial use\n\nYou must apply for a boatmaster\u2019s licence if you want to use your boat commercially.\n\n## Use at sea\n\nYou can register your boat with the UK Ship Register for use at sea.\n\n## Who to contact\n\nRegister or license your boat with the navigation authority responsible for the waterway you want to use.\n\n## Most canals and some rivers, like the Severn, Trent and Ouse\n\nRegister with the Canal & River Trust.\n\n## Norfolk and Suffolk Broads, and adjacent waters\n\nRegister with the Broads Authority.\n\n## River Thames, River Medway, and the rivers of East Anglia\n\nDownload the application form for the waterway you want to use and register with the Environment Agency:\n\n- River Thames\n\n- River Medway\n\n- Anglian waterways (Great Ouse System, River Nene, River Stour, River Ancholme, Black Sluice, River Welland and River Glen)\n\n- Rye Harbour\n\nRiver Thames annual registrations run from 1 January to 31 December. Other registrations run from 1 April to 31 March.\n\n## The Royal Military Canal\n\nYou do not need to register a boat for use between West Hythe Dam in Shorncliffe, Kent and Iden Lock in Cliffe End, East Sussex.\n\nContact Shepway District Council to register a boat for use between West Hythe Dam and Seabrook.\n\n## Scotland and Northern Ireland\n\nCheck if you need to register your boat with Scottish Canals or NI Direct.\n\n## Other areas\n\nCheck with the Inland Waterways Association to find the navigation authority for other areas.\n\n## Using more than one waterway\n\nYou can buy a \u2018gold licence\u2019 which lets you use all Environment Agency and Canal & River Trust waterways.\n\n## Canoe or rowing boat exemptions\n\nYou may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.\n\nRowing clubs or associations can register a rowing boat for use on some waterways through British Rowing.\n\n## Penalties\n\nAn enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:\n\n- it\u2019s not licensed or registered\n\n- it\u2019s not licensed or registered for the waterway you\u2019re using\n\n- your licence or registration is not displayed\n\n- it breaches the terms and conditions of the licence or registration\n\nCheck your licence or registration for additional rules that apply to your waterway.\n\nYou may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.\n\n## Questions about a penalty notice\n\nContact your navigation authority if you have questions about a penalty notice.\n\n## The UK Ship Register\n\nYou need to register your boat with the UK Ship Register to use it at sea.\n\nWhether you can use the register depends on your citizenship status. Check the eligibility requirements for each part of the UK Ship Register.\n\nThere are 4 different parts of the register. Which part you use depends on what you\u2019re using your boat for:\n\n- Part 1 - commercial or pleasure boats\n\n- Part 2 - fishing boats\n\n- Part 3 - small boats\n\n- Part 4 - charter boats\n\n## Part 1 registration - commercial or pleasure boats\n\nYou can use Part 1 of the register if you have either:\n\n- a commercial boat, unless you plan to use it for fishing\n\n- a \u2018pleasure vessel\u2019 - this means you do not make any money from it\n\nRegistering your boat on Part 1 of the register means you\u2019ll be able to:\n\n- get a marine mortgage against your boat\n\n- spend more than 6 months outside the UK\n\nIt costs \u00a3153 to register for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew. It costs \u00a372 to renew your registration for another 5 years.\n\n## Part 2 registration - fishing boats\n\nUse Part 2 of the register if you\u2019re using your boat to catch and sell fish.\n\nYou can choose from \u2018simple\u2019 or \u2018full\u2019 registration. If you choose full registration you can get a marine mortgage against your boat.\n\nTo register for 5 years it costs:\n\n- \u00a3159 for simple registration\n\n- \u00a3196 for full registration\n\n## Part 3 registration - small boats\n\nUse Part 3 of the register (small ships register) if:\n\n- your boat is less than 24 metres long\n\n- your boat is a pleasure vessel\n\n- you live in the UK for at least 185 days of the year\n\nYou cannot use Part 3 of the register if you\u2019re a business.\n\nRegistering on Part 3 of the register means you\u2019ll be able to prove your boat\u2019s nationality when sailing outside UK waters.\n\nIt costs \u00a335 for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew.\n\n## Part 4 registration - charter boats\n\nUse Part 4 of the register if you plan to hire out (charter) your boat.\n\nIt costs between \u00a335 and \u00a3196 for 5 years. The amount you\u2019ll pay depends on the type of boat you\u2019re registering.\n\n## How to register\n\nYou can register your boat online. You\u2019ll need to create an account if you do not already have one.\n\nIf you own the boat with other people, all owners must have an account before you can register your boat online.\n\nStart now\n\nYou can pay by debit or credit card.\n\nYou can also use the online service to renew, cancel or change the details of your registration.\n\n## Before you start\n\nYou\u2019ll need:\n\n- the dimensions of your boat\n\n- the previous registration details of the boat (if it\u2019s been registered before)\n\n- the bill of sale\n\n- the radio signal detail - including your UK radio call sign, Maritime Mobile Service Identity (MMSI) number and International Maritime Organization (IMO) number\n\n- the builders certificate\n\n- a certificate of survey for tonnage and measurement\n\n- an international tonnage certificate (ITC69)\n\n- safety certificates\n\n## Other ways to register\n\nYou can also register by post. Download and fill in the form for the type of boat you want to register.\n\n## Contact\n\nYou can contact the UK Ship Register by email, phone or post.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/register-a-boat", + "answerable": true, + "scenario": "My friend Mark owns a canoe boat along the river Severn. It is not registered nor licensed . He sometimes rows it to different waterways during summer.", + "original_question": "Can he be penalised?" + }, + { + "id": "train-1848", + "question": "Scenario: My friend Ann and I have joint property ownership. Ann has been diagnosed with schizophrenia and can't sign legal documents but she has a deputy. I want to sell the property.\n\nQuestion: Can I appoint her deputy to represent her during property selling process?\n\nDocument - Joint property ownership:\n## Overview\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must decide which type of joint ownership you want if you buy, inherit or become a trustee of a property with someone else. You tell HM Land Registry about this when you register the property.\n\nYou can own a property as either \u2018joint tenants\u2019 or \u2018tenants in common\u2019.\n\nThe type of ownership affects what you can do with the property if your relationship with a joint owner breaks down, or if one owner dies.\n\nYou can get legal advice from someone who specialises in property.\n\n## Joint tenants\n\nAs joint tenants (sometimes called \u2018beneficial joint tenants\u2019):\n\n- you have equal rights to the whole property\n\n- the property automatically goes to the other owners if you die\n\n- you cannot pass on your ownership of the property in your will\n\n## Tenants in common\n\nAs tenants in common:\n\n- you can own different shares of the property\n\n- the property does not automatically go to the other owners if you die\n\n- you can pass on your share of the property in your will\n\n## Change your type of ownership\n\nYou can change from being either:\n\n- joint tenants to tenants in common, for example if you divorce or separate and want to leave your share of the property to someone else\n\n- tenants in common to joint tenants, for example if you get married and want to have equal rights to the whole property\n\nThere\u2019s no fee to do this.\n\nYou can also change from sole ownership to tenants in common or joint tenants, for example, if you want to add your partner as joint owner. This is called transferring ownership.\n\n## Sell the property if the other owner has lost mental capacity\n\nYou\u2019ll have to apply to the Court of Protection if you want to sell the property but the other owner has lost \u2018mental capacity\u2019.\n\n## Check your ownership details\n\nYou can find out what type of joint ownership you have by checking documents such as a:\n\n- property transfer\n\n- property lease\n\n- trust deed, also known as a \u2018declaration of trust\u2019 (a document stating an owner\u2019s share in a jointly owned property)\n\nA solicitor, conveyancer or legal executive can help you check what type of joint ownership you have if you\u2019re unsure.\n\nYour type of ownership can sometimes change without your knowledge, for example if one of the other owners goes bankrupt.\n\n## Change from joint tenants to tenants in common\n\nThis is called \u2018severance of joint tenancy\u2019. You should apply for a \u2018Form A restriction\u2019.\n\nYou can make this change without the other owners\u2019 agreement.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply if the other owners do not agree to the change\n\n- Serve a written notice of the change (a \u2018notice of severance\u2019) on the other owners - a conveyancer can help you do this.\n\n- Download and fill in form SEV to register a restriction without the other owners\u2019 agreement. You can also fill in form RX1 to register a \u2018form A restriction\u2019 if you cannot provide any of the evidence of severance options listed in form SEV.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou should include an original or certified copy of the notice of severance signed by all the owners.\n\nIf you cannot get the other owners\u2019 signatures you can instead send a letter certifying that you\u2019ve done one of the following with the notice of severance:\n\n- given it to all the other owners\n\n- left it at the other owners\u2019 last known home or business address in the UK\n\n- sent it by registered post or recorded delivery to the other owners\u2019 last known home or business address and it has not been returned undelivered\n\n## How to apply if the other owners agree to the change\n\n- Download and fill in form SEV to register a \u2018form A restriction\u2019 if all owners agree.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Where to send your application\n\n## Change from tenants in common to joint tenants\n\nYou need the agreement of all the other joint owners to change from being tenants in common to joint tenants.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply\n\n- Fill in a new or updated trust deed - a conveyancer can help you do this.\n\n- Download and fill in the form to cancel a restriction, if one has been registered.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou must include one of the following:\n\n- an original or certified copy of the new or updated trust deed signed by all the owners\n\n- a certified copy of a transfer showing that all owners with individual shares of the property have transferred these to all the beneficial joint tenants\n\n- a certificate from your conveyancer confirming that all owners with shares of the property have signed a new trust deed\n\nYou must also include either:\n\n- a statutory declaration prepared by your conveyancer\n\n- a \u2018statement of truth\u2019 - either one you\u2019ve prepared yourself or using form ST5\n\nA statement of truth must be:\n\n- in writing and include the wording \u201cI believe that the facts and matters contained in this statement are true\u201d\n\n- signed by the person who makes it\n\nThe supporting documents must prove all the following:\n\n- nobody else except the named joint owners have shares of the property\n\n- none of the joint owners is being made bankrupt, has a charging order from creditors or is mortgaging their share of the property\n\n- all the joint owners now own the property together as beneficial joint tenants\n\n## Where to send your application\n\n## Selling when an owner has lost mental capacity\n\nYou must apply to the Court of Protection if all of the following apply:\n\n- you\u2019re one of 2 or more owners of property or land\n\n- one of the owners has lost \u2018mental capacity\u2019\n\n- you want to sell the property or land\n\nLosing mental capacity means someone cannot make a decision for themselves at the time it needs to be made.\n\nThis means that:\n\n- the owner who\u2019s lost mental capacity cannot sign legally binding documents and needs help to make decisions\n\n- you\u2019ll have to apply to appoint someone to take the place of the owner who\u2019s lost capacity so the sale can go ahead\n\n## Appoint someone to act on behalf of an owner\n\nYou\u2019ll have to appoint someone to act on behalf of the owner who\u2019s lost mental capacity even if:\n\n- you\u2019re already acting on behalf of an owner as a \u2018deputy\u2019\n\n- the Official Solicitor is a \u2018litigation friend\u2019 for an owner\n\nYou may not need to apply if you\u2019ve got a registered power of attorney.\n\nRead the guidance on the sale of jointly owned property (COP GN2) to find out if you need to apply.\n\n## Get the forms\n\nDownload and fill in:\n\n- the Court of Protection application form (COP1) so you can appoint someone who can deal with the sale of the property\n\n- the special undertaking by trustees (COP12)\n\n- an information form (COP1D)\n\n- the witness statement (COP24) - use the guidance on the sale of jointly owned property (COP GN2) to fill this in\n\n- another witness statement (COP24) as a certificate of fitness (for example, a character reference) if you\u2019re not appointing yourself or your solicitor to act for the owner\n\n## Fees\n\nIt costs \u00a3365 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Enquiries\n\nContact the Court of Protection for help and to find out if you need to fill in other forms.\n\nYou can also write to the Court of Protection or visit the public counter.\n\nYou cannot get legal advice from court staff.\n\n## Send your application\n\nSend the original and one copy of each of the following to the Court of Protection:\n\n- the application forms\n\n- witness statement\n\n- a copy of the entries at HM Land Registry if the sale includes any registered land\n\n- a copy of the conveyance if the property is unregistered\n\n- any other documents and information asked for\n\n## Tell people about your application\n\nThe Court of Protection will send you a copy of your application forms, stamped with an issue date, a week after you apply.\n\nYou must tell (\u2018serve\u2019) anyone named in your application (such as the person who\u2019s lost capacity) about applying within 14 days of the issue date.\n\nRead the guidance at the end of application form COP1 to find out who to tell.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told about this\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax\n\n- in person\n\n## Confirm you\u2019ve told people\n\nWithin 7 days of serving the documents, you must download and fill in the forms (\u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the owner who\u2019s lost mental capacity (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## After you apply\n\nRead the guidance to find out what happens if you have to attend a Court of Protection hearing.\n\nUpdate the property records after you\u2019ve appointed someone to act for the owner who\u2019s lost mental capacity.\n\n## If your application is rejected and you did not have a hearing\n\nYou can ask for a decision to be reconsidered if your application is rejected and you did not have a hearing.\n\nDownload and fill in application form COP9.\n\nSend the original, one copy of the form and any documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made.\n\nIt\u2019s free.\n\n## If your application is rejected and you had a hearing\n\nYou can appeal the decision if your application is rejected and you had an oral hearing.\n\nDownload and fill in the appellant\u2019s notice (COP35).\n\nSend it and any other documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made or within the time limit set by the judge who rejected your application.\n\n## Fees\n\nIt costs \u00a3320 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Emergency applications\n\nContact the Court of Protection to make an emergency application, for example to stop someone who lacks mental capacity being removed from where they live.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/joint-property-ownership", + "answerable": true, + "scenario": "My friend Ann and I have joint property ownership. Ann has been diagnosed with schizophrenia and can't sign legal documents but she has a deputy. I want to sell the property.", + "original_question": "Can I appoint her deputy to represent her during property selling process?" + }, + { + "id": "train-1849", + "question": "Scenario: My brother and his partner are tenants in common. They are now officially married and would like to have full rights to the property. They want to change the property ownership from tenants in common to joint tenants.\n\nQuestion: Can that be possible?\n\nDocument - Joint property ownership:\n## Overview\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must decide which type of joint ownership you want if you buy, inherit or become a trustee of a property with someone else. You tell HM Land Registry about this when you register the property.\n\nYou can own a property as either \u2018joint tenants\u2019 or \u2018tenants in common\u2019.\n\nThe type of ownership affects what you can do with the property if your relationship with a joint owner breaks down, or if one owner dies.\n\nYou can get legal advice from someone who specialises in property.\n\n## Joint tenants\n\nAs joint tenants (sometimes called \u2018beneficial joint tenants\u2019):\n\n- you have equal rights to the whole property\n\n- the property automatically goes to the other owners if you die\n\n- you cannot pass on your ownership of the property in your will\n\n## Tenants in common\n\nAs tenants in common:\n\n- you can own different shares of the property\n\n- the property does not automatically go to the other owners if you die\n\n- you can pass on your share of the property in your will\n\n## Change your type of ownership\n\nYou can change from being either:\n\n- joint tenants to tenants in common, for example if you divorce or separate and want to leave your share of the property to someone else\n\n- tenants in common to joint tenants, for example if you get married and want to have equal rights to the whole property\n\nThere\u2019s no fee to do this.\n\nYou can also change from sole ownership to tenants in common or joint tenants, for example, if you want to add your partner as joint owner. This is called transferring ownership.\n\n## Sell the property if the other owner has lost mental capacity\n\nYou\u2019ll have to apply to the Court of Protection if you want to sell the property but the other owner has lost \u2018mental capacity\u2019.\n\n## Check your ownership details\n\nYou can find out what type of joint ownership you have by checking documents such as a:\n\n- property transfer\n\n- property lease\n\n- trust deed, also known as a \u2018declaration of trust\u2019 (a document stating an owner\u2019s share in a jointly owned property)\n\nA solicitor, conveyancer or legal executive can help you check what type of joint ownership you have if you\u2019re unsure.\n\nYour type of ownership can sometimes change without your knowledge, for example if one of the other owners goes bankrupt.\n\n## Change from joint tenants to tenants in common\n\nThis is called \u2018severance of joint tenancy\u2019. You should apply for a \u2018Form A restriction\u2019.\n\nYou can make this change without the other owners\u2019 agreement.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply if the other owners do not agree to the change\n\n- Serve a written notice of the change (a \u2018notice of severance\u2019) on the other owners - a conveyancer can help you do this.\n\n- Download and fill in form SEV to register a restriction without the other owners\u2019 agreement. You can also fill in form RX1 to register a \u2018form A restriction\u2019 if you cannot provide any of the evidence of severance options listed in form SEV.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou should include an original or certified copy of the notice of severance signed by all the owners.\n\nIf you cannot get the other owners\u2019 signatures you can instead send a letter certifying that you\u2019ve done one of the following with the notice of severance:\n\n- given it to all the other owners\n\n- left it at the other owners\u2019 last known home or business address in the UK\n\n- sent it by registered post or recorded delivery to the other owners\u2019 last known home or business address and it has not been returned undelivered\n\n## How to apply if the other owners agree to the change\n\n- Download and fill in form SEV to register a \u2018form A restriction\u2019 if all owners agree.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Where to send your application\n\n## Change from tenants in common to joint tenants\n\nYou need the agreement of all the other joint owners to change from being tenants in common to joint tenants.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply\n\n- Fill in a new or updated trust deed - a conveyancer can help you do this.\n\n- Download and fill in the form to cancel a restriction, if one has been registered.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou must include one of the following:\n\n- an original or certified copy of the new or updated trust deed signed by all the owners\n\n- a certified copy of a transfer showing that all owners with individual shares of the property have transferred these to all the beneficial joint tenants\n\n- a certificate from your conveyancer confirming that all owners with shares of the property have signed a new trust deed\n\nYou must also include either:\n\n- a statutory declaration prepared by your conveyancer\n\n- a \u2018statement of truth\u2019 - either one you\u2019ve prepared yourself or using form ST5\n\nA statement of truth must be:\n\n- in writing and include the wording \u201cI believe that the facts and matters contained in this statement are true\u201d\n\n- signed by the person who makes it\n\nThe supporting documents must prove all the following:\n\n- nobody else except the named joint owners have shares of the property\n\n- none of the joint owners is being made bankrupt, has a charging order from creditors or is mortgaging their share of the property\n\n- all the joint owners now own the property together as beneficial joint tenants\n\n## Where to send your application\n\n## Selling when an owner has lost mental capacity\n\nYou must apply to the Court of Protection if all of the following apply:\n\n- you\u2019re one of 2 or more owners of property or land\n\n- one of the owners has lost \u2018mental capacity\u2019\n\n- you want to sell the property or land\n\nLosing mental capacity means someone cannot make a decision for themselves at the time it needs to be made.\n\nThis means that:\n\n- the owner who\u2019s lost mental capacity cannot sign legally binding documents and needs help to make decisions\n\n- you\u2019ll have to apply to appoint someone to take the place of the owner who\u2019s lost capacity so the sale can go ahead\n\n## Appoint someone to act on behalf of an owner\n\nYou\u2019ll have to appoint someone to act on behalf of the owner who\u2019s lost mental capacity even if:\n\n- you\u2019re already acting on behalf of an owner as a \u2018deputy\u2019\n\n- the Official Solicitor is a \u2018litigation friend\u2019 for an owner\n\nYou may not need to apply if you\u2019ve got a registered power of attorney.\n\nRead the guidance on the sale of jointly owned property (COP GN2) to find out if you need to apply.\n\n## Get the forms\n\nDownload and fill in:\n\n- the Court of Protection application form (COP1) so you can appoint someone who can deal with the sale of the property\n\n- the special undertaking by trustees (COP12)\n\n- an information form (COP1D)\n\n- the witness statement (COP24) - use the guidance on the sale of jointly owned property (COP GN2) to fill this in\n\n- another witness statement (COP24) as a certificate of fitness (for example, a character reference) if you\u2019re not appointing yourself or your solicitor to act for the owner\n\n## Fees\n\nIt costs \u00a3365 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Enquiries\n\nContact the Court of Protection for help and to find out if you need to fill in other forms.\n\nYou can also write to the Court of Protection or visit the public counter.\n\nYou cannot get legal advice from court staff.\n\n## Send your application\n\nSend the original and one copy of each of the following to the Court of Protection:\n\n- the application forms\n\n- witness statement\n\n- a copy of the entries at HM Land Registry if the sale includes any registered land\n\n- a copy of the conveyance if the property is unregistered\n\n- any other documents and information asked for\n\n## Tell people about your application\n\nThe Court of Protection will send you a copy of your application forms, stamped with an issue date, a week after you apply.\n\nYou must tell (\u2018serve\u2019) anyone named in your application (such as the person who\u2019s lost capacity) about applying within 14 days of the issue date.\n\nRead the guidance at the end of application form COP1 to find out who to tell.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told about this\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax\n\n- in person\n\n## Confirm you\u2019ve told people\n\nWithin 7 days of serving the documents, you must download and fill in the forms (\u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the owner who\u2019s lost mental capacity (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## After you apply\n\nRead the guidance to find out what happens if you have to attend a Court of Protection hearing.\n\nUpdate the property records after you\u2019ve appointed someone to act for the owner who\u2019s lost mental capacity.\n\n## If your application is rejected and you did not have a hearing\n\nYou can ask for a decision to be reconsidered if your application is rejected and you did not have a hearing.\n\nDownload and fill in application form COP9.\n\nSend the original, one copy of the form and any documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made.\n\nIt\u2019s free.\n\n## If your application is rejected and you had a hearing\n\nYou can appeal the decision if your application is rejected and you had an oral hearing.\n\nDownload and fill in the appellant\u2019s notice (COP35).\n\nSend it and any other documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made or within the time limit set by the judge who rejected your application.\n\n## Fees\n\nIt costs \u00a3320 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Emergency applications\n\nContact the Court of Protection to make an emergency application, for example to stop someone who lacks mental capacity being removed from where they live.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/joint-property-ownership", + "answerable": true, + "scenario": "My brother and his partner are tenants in common. They are now officially married and would like to have full rights to the property. They want to change the property ownership from tenants in common to joint tenants.", + "original_question": "Can that be possible?" + }, + { + "id": "train-1859", + "question": "Scenario: I appealed a decision against a replacement notice. I have been told to replace the hedgerow that I took out near my property. The roots were causing damage to the foundations. My appeal failed. I disagree with this decision.\n\nQuestion: Can I go any further with this appeal process?\n\nDocument - Appeal a hedgerow notice:\n## When you can appeal\n\nYour council makes decisions about hedgerow notices.\n\nYou can appeal a decision if they\u2019ve sent you either:\n\n- a retention notice, saying you cannot remove a hedgerow\n\n- a replacement notice, telling you to replace a hedgerow you\u2019ve already removed\n\nOnly the person who made the application can appeal.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nYou must appeal within 28 days of the date on the council\u2019s notice.\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 31 weeks.\n\n## How to appeal\n\nFill in a hedgerow appeal form.\n\nYou also need:\n\n- a copy of your original application\n\n- the reason for your appeal\n\n- a copy of the local planning authority\u2019s decision notice\n\n- any other documents that directly support your appeal\n\nEmail these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post.\n\n## Comment on an appeal\n\nAnyone can comment on a hedgerow appeal.\n\nBecause of coronavirus (COVID-19), you cannot currently comment by post. You can still comment by email.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. You\u2019ll normally get a decision within 31 weeks.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-hedgerow-notice", + "answerable": true, + "scenario": "I appealed a decision against a replacement notice. I have been told to replace the hedgerow that I took out near my property. The roots were causing damage to the foundations. My appeal failed. I disagree with this decision.", + "original_question": "Can I go any further with this appeal process?" + }, + { + "id": "train-1861", + "question": "Scenario: I am one of two tenants owning a property as joint tenants. I want to sell the property, but the other tenant has lost the mental capacity to make a decision.\n\nQuestion: Do I have to appoint someone to represent the other tenant?\n\nDocument - Joint property ownership:\n## Overview\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must decide which type of joint ownership you want if you buy, inherit or become a trustee of a property with someone else. You tell HM Land Registry about this when you register the property.\n\nYou can own a property as either \u2018joint tenants\u2019 or \u2018tenants in common\u2019.\n\nThe type of ownership affects what you can do with the property if your relationship with a joint owner breaks down, or if one owner dies.\n\nYou can get legal advice from someone who specialises in property.\n\n## Joint tenants\n\nAs joint tenants (sometimes called \u2018beneficial joint tenants\u2019):\n\n- you have equal rights to the whole property\n\n- the property automatically goes to the other owners if you die\n\n- you cannot pass on your ownership of the property in your will\n\n## Tenants in common\n\nAs tenants in common:\n\n- you can own different shares of the property\n\n- the property does not automatically go to the other owners if you die\n\n- you can pass on your share of the property in your will\n\n## Change your type of ownership\n\nYou can change from being either:\n\n- joint tenants to tenants in common, for example if you divorce or separate and want to leave your share of the property to someone else\n\n- tenants in common to joint tenants, for example if you get married and want to have equal rights to the whole property\n\nThere\u2019s no fee to do this.\n\nYou can also change from sole ownership to tenants in common or joint tenants, for example, if you want to add your partner as joint owner. This is called transferring ownership.\n\n## Sell the property if the other owner has lost mental capacity\n\nYou\u2019ll have to apply to the Court of Protection if you want to sell the property but the other owner has lost \u2018mental capacity\u2019.\n\n## Check your ownership details\n\nYou can find out what type of joint ownership you have by checking documents such as a:\n\n- property transfer\n\n- property lease\n\n- trust deed, also known as a \u2018declaration of trust\u2019 (a document stating an owner\u2019s share in a jointly owned property)\n\nA solicitor, conveyancer or legal executive can help you check what type of joint ownership you have if you\u2019re unsure.\n\nYour type of ownership can sometimes change without your knowledge, for example if one of the other owners goes bankrupt.\n\n## Change from joint tenants to tenants in common\n\nThis is called \u2018severance of joint tenancy\u2019. You should apply for a \u2018Form A restriction\u2019.\n\nYou can make this change without the other owners\u2019 agreement.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply if the other owners do not agree to the change\n\n- Serve a written notice of the change (a \u2018notice of severance\u2019) on the other owners - a conveyancer can help you do this.\n\n- Download and fill in form SEV to register a restriction without the other owners\u2019 agreement. You can also fill in form RX1 to register a \u2018form A restriction\u2019 if you cannot provide any of the evidence of severance options listed in form SEV.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou should include an original or certified copy of the notice of severance signed by all the owners.\n\nIf you cannot get the other owners\u2019 signatures you can instead send a letter certifying that you\u2019ve done one of the following with the notice of severance:\n\n- given it to all the other owners\n\n- left it at the other owners\u2019 last known home or business address in the UK\n\n- sent it by registered post or recorded delivery to the other owners\u2019 last known home or business address and it has not been returned undelivered\n\n## How to apply if the other owners agree to the change\n\n- Download and fill in form SEV to register a \u2018form A restriction\u2019 if all owners agree.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Where to send your application\n\n## Change from tenants in common to joint tenants\n\nYou need the agreement of all the other joint owners to change from being tenants in common to joint tenants.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply\n\n- Fill in a new or updated trust deed - a conveyancer can help you do this.\n\n- Download and fill in the form to cancel a restriction, if one has been registered.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou must include one of the following:\n\n- an original or certified copy of the new or updated trust deed signed by all the owners\n\n- a certified copy of a transfer showing that all owners with individual shares of the property have transferred these to all the beneficial joint tenants\n\n- a certificate from your conveyancer confirming that all owners with shares of the property have signed a new trust deed\n\nYou must also include either:\n\n- a statutory declaration prepared by your conveyancer\n\n- a \u2018statement of truth\u2019 - either one you\u2019ve prepared yourself or using form ST5\n\nA statement of truth must be:\n\n- in writing and include the wording \u201cI believe that the facts and matters contained in this statement are true\u201d\n\n- signed by the person who makes it\n\nThe supporting documents must prove all the following:\n\n- nobody else except the named joint owners have shares of the property\n\n- none of the joint owners is being made bankrupt, has a charging order from creditors or is mortgaging their share of the property\n\n- all the joint owners now own the property together as beneficial joint tenants\n\n## Where to send your application\n\n## Selling when an owner has lost mental capacity\n\nYou must apply to the Court of Protection if all of the following apply:\n\n- you\u2019re one of 2 or more owners of property or land\n\n- one of the owners has lost \u2018mental capacity\u2019\n\n- you want to sell the property or land\n\nLosing mental capacity means someone cannot make a decision for themselves at the time it needs to be made.\n\nThis means that:\n\n- the owner who\u2019s lost mental capacity cannot sign legally binding documents and needs help to make decisions\n\n- you\u2019ll have to apply to appoint someone to take the place of the owner who\u2019s lost capacity so the sale can go ahead\n\n## Appoint someone to act on behalf of an owner\n\nYou\u2019ll have to appoint someone to act on behalf of the owner who\u2019s lost mental capacity even if:\n\n- you\u2019re already acting on behalf of an owner as a \u2018deputy\u2019\n\n- the Official Solicitor is a \u2018litigation friend\u2019 for an owner\n\nYou may not need to apply if you\u2019ve got a registered power of attorney.\n\nRead the guidance on the sale of jointly owned property (COP GN2) to find out if you need to apply.\n\n## Get the forms\n\nDownload and fill in:\n\n- the Court of Protection application form (COP1) so you can appoint someone who can deal with the sale of the property\n\n- the special undertaking by trustees (COP12)\n\n- an information form (COP1D)\n\n- the witness statement (COP24) - use the guidance on the sale of jointly owned property (COP GN2) to fill this in\n\n- another witness statement (COP24) as a certificate of fitness (for example, a character reference) if you\u2019re not appointing yourself or your solicitor to act for the owner\n\n## Fees\n\nIt costs \u00a3365 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Enquiries\n\nContact the Court of Protection for help and to find out if you need to fill in other forms.\n\nYou can also write to the Court of Protection or visit the public counter.\n\nYou cannot get legal advice from court staff.\n\n## Send your application\n\nSend the original and one copy of each of the following to the Court of Protection:\n\n- the application forms\n\n- witness statement\n\n- a copy of the entries at HM Land Registry if the sale includes any registered land\n\n- a copy of the conveyance if the property is unregistered\n\n- any other documents and information asked for\n\n## Tell people about your application\n\nThe Court of Protection will send you a copy of your application forms, stamped with an issue date, a week after you apply.\n\nYou must tell (\u2018serve\u2019) anyone named in your application (such as the person who\u2019s lost capacity) about applying within 14 days of the issue date.\n\nRead the guidance at the end of application form COP1 to find out who to tell.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told about this\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax\n\n- in person\n\n## Confirm you\u2019ve told people\n\nWithin 7 days of serving the documents, you must download and fill in the forms (\u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the owner who\u2019s lost mental capacity (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## After you apply\n\nRead the guidance to find out what happens if you have to attend a Court of Protection hearing.\n\nUpdate the property records after you\u2019ve appointed someone to act for the owner who\u2019s lost mental capacity.\n\n## If your application is rejected and you did not have a hearing\n\nYou can ask for a decision to be reconsidered if your application is rejected and you did not have a hearing.\n\nDownload and fill in application form COP9.\n\nSend the original, one copy of the form and any documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made.\n\nIt\u2019s free.\n\n## If your application is rejected and you had a hearing\n\nYou can appeal the decision if your application is rejected and you had an oral hearing.\n\nDownload and fill in the appellant\u2019s notice (COP35).\n\nSend it and any other documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made or within the time limit set by the judge who rejected your application.\n\n## Fees\n\nIt costs \u00a3320 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Emergency applications\n\nContact the Court of Protection to make an emergency application, for example to stop someone who lacks mental capacity being removed from where they live.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/joint-property-ownership", + "answerable": true, + "scenario": "I am one of two tenants owning a property as joint tenants. I want to sell the property, but the other tenant has lost the mental capacity to make a decision.", + "original_question": "Do I have to appoint someone to represent the other tenant?" + }, + { + "id": "train-1863", + "question": "Scenario: I am a landlord and the cost of the property repairs and maintenance has increased. Would like to make a slight increase in the monthly rent.\n\nQuestion: Should i inform my tenant about this change?\n\nDocument - Tenancy agreements: a guide for landlords (England and Wales):\n## Overview\n\nA tenancy agreement is a contract between you and your tenants. It sets out the legal terms and conditions of the tenancy. It can be written down or oral.\n\nA tenancy can either be:\n\n- fixed-term (running for a set period of time)\n\n- periodic (running on a week-by-week or month-by-month basis)\n\n## Rights and responsibilities\n\nBoth you and your tenants have certain rights and responsibilities, whether or not there is a tenancy agreement.\n\n## Tenancy types\n\n## Assured shorthold tenancies (ASTs)\n\nThe most common form of tenancy is an AST. Most new tenancies are automatically this type.\n\nA tenancy can be an AST if all of the following apply:\n\n- you\u2019re a private landlord or housing association\n\n- the tenancy started on or after 15 January 1989\n\n- the property is your tenants\u2019 main accommodation\n\n- you do not live in the property\n\nA tenancy cannot be an AST if:\n\n- it began or was agreed before 15 January 1989\n\n- the rent is more than \u00a3100,000 a year\n\n- the rent is less than \u00a3250 a year (less than \u00a31,000 in London)\n\n- it\u2019s a business tenancy or tenancy of licensed premises\n\n- it\u2019s a holiday let\n\n- the landlord is a local council\n\n## Other tenancies\n\nThere are other tenancies that are not as common as ASTs, including:\n\n- excluded tenancies or licences\n\n- assured tenancies\n\n- regulated tenancies\n\n## Excluded tenancies or licences\n\nIf you have a lodger living in your home and share rooms with them, like a kitchen or bathroom, you may have one of these. This usually gives your lodger less protection from eviction than other types of agreement.\n\n## Assured tenancies\n\nTenancies starting between 15 January 1989 and 27 February 1997 may be assured. Your tenants have increased protection from eviction with this type of agreement.\n\n## Regulated tenancies\n\nTenancies starting before 15 January 1989 may be regulated. Your tenants have increased protection from eviction and can apply for a \u2018fair rent\u2019.\n\n## What you should include in a tenancy agreement\n\nThe tenancy agreement should include:\n\n- the names of all people involved\n\n- the rental price and how it\u2019s paid\n\n- information on how and when the rent will be reviewed\n\n- the deposit amount and how it will be protected\n\n- when the deposit can be fully or partly withheld, for example to repair damage caused by tenants\n\n- the property address\n\n- the start and end date of the tenancy\n\n- any tenant or landlord obligations\n\n- which bills your tenants are responsible for\n\nIt can also include information on:\n\n- whether the tenancy can be ended early and how this can be done\n\n- who\u2019s responsible for minor repairs (other than those that the landlord is legally responsible for)\n\n- whether the property can be let to someone else (sublet) or have lodgers\n\nThe terms of the tenancy must be fair and comply with the law. You can use a model agreement as a template.\n\nYou cannot have anything in your tenancy agreement that may indirectly discriminate against your tenants.\n\n## Changes to tenancy agreements\n\nYou must get the agreement of your tenants if you want to make changes to the terms of their tenancy agreement.\n\n## Preventing discrimination\n\nYou cannot discriminate against or harass your tenants on the grounds of:\n\n- age\n\n- being or becoming a transsexual person\n\n- being married or in a civil partnership\n\n- being pregnant or on maternity leave\n\n- disability\n\n- race including colour, nationality, ethnic or national origin\n\n- religion, belief or lack of religion or belief\n\n- sex\n\n- sexual orientation\n\n## If you get managed payments from your local council\n\nWhen your tenants move to Universal Credit, you can help them set up their new rent payments.\n\nYou can read more about Universal Credit and how it affects landlords.\n\n## Ending a tenancy\n\nIf you want your tenants to leave, you must give them notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.\n\n## Assured shorthold tenancies (ASTs)\n\nIn some circumstances, you can take back your property without giving any reason. To do this, and all of the following must apply:\n\n- you\u2019ve protected your tenants\u2019 deposit in a deposit protection scheme\n\n- the date they must leave is at least 6 months after the original tenancy began (the one they signed on first moving in)\n\n- they have a periodic tenancy - or they have a fixed-term tenancy and you are not asking them to leave before the end of the fixed term\n\n## How much notice you need to give\n\nYou must give your tenants written notice that you want the property back (\u2018notice to quit\u2019) and the date they must leave. The notice period you give them must be at least:\n\n- 2 months if you gave notice before 26 March 2020\n\n- 3 months if you gave notice between 26 March 2020 and 28 August 2020\n\n- 6 months if you gave notice on or after 29 August 2020\n\nIf you gave a section 8 notice, the notice period is sometimes shorter, depending on the reason for eviction.\n\nThis change is because of coronavirus (COVID-19).\n\n## During the fixed term\n\nIf you\u2019re still in the fixed term, you can only ask your tenants to leave if you have a reason for wanting possession that\u2019s in the Housing Act 1988.\n\nExamples of reasons include:\n\n- your tenants are behind with rent payments (\u2018in arrears\u2019)\n\n- your tenants have used the property for illegal purposes, for example selling drugs\n\nIf you gave your tenant notice before 26 March 2020, you would have needed to give them up to 2 months to leave, depending on the reason.\n\nBecause of coronavirus, in most cases you must now give them a longer notice period.\n\nIf you gave your tenant notice between 26 March 2020 and 28 August 2020, period must have been at least 3 months.\n\nIf you gave your tenant notice on or after 29 August 2020, the notice period must be at least 6 months. It can be shorter in some cases, for example if you evict them for antisocial behaviour.\n\nThe Ministry of Housing, Communities and Local Government has information on reasons for possession for a property let on an AST.\n\n## Assured tenancies\n\nYou will need to use one of the reasons for possession in the Housing Act 1988.\n\n## Excluded tenancies or licences\n\nIf you live with a lodger and share rooms with them, you\u2019ll often have an excluded tenancy or licence.\n\nIn this case, you only need to give \u2018reasonable notice\u2019 to quit. Usually this means the length of the rental payment period \u2013 so if you collect rent monthly, you\u2019ll need to give 1 month\u2019s notice.\n\nThe notice does not have to be in writing.\n\n## Non-excluded tenancy or licence\n\nYou can end the agreement at any time by serving a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but it\u2019s usually at least 4 weeks.\n\n## Break clauses\n\nIf there\u2019s a break clause in the tenancy agreement, you can give your tenants notice after this. However, you do not have a guaranteed right to possession during the first 6 months of the tenancy.\n\n## If your tenant does not leave the property\n\nYou cannot remove your tenants by force. If the notice period expires and your tenants do not leave the property, you can start the process of eviction through the courts.\n\n## If your tenants want to leave\n\n## Tenancies\n\nThe tenancy agreement should say how much notice your tenants need to give before they can leave the property.\n\nTenants are responsible for paying rent for their entire fixed-term tenancy. They can move out early without paying rent for the full tenancy if:\n\n- there is a break clause in their tenancy agreement\n\n- you agree to ending the tenancy early\n\nThey can also leave if their tenancy is up after giving their notice (whether it is fixed-term or not).\n\n## Licence agreements\n\nIf the licence automatically runs out after a specific date and your lodger wants to end the agreement, they should let you know this before the licence runs out.\n\n## If your tenant dies without an executor or a will\n\nThe tenancy is transferred temporarily to the Public Trustee if a tenant dies:\n\n- without a will\n\n- with a will but without an executor\n\nYou cannot take back a property automatically even if the tenancy was due to end.\n\nYou may be fined if you try to repossess a property without following the rules.\n\n## Reclaim your property\n\nYou must:\n\n- post or deliver a letter to the tenant\u2019s last known address saying you\u2019re giving written notice\n\n- email a copy of your notice and a completed NL1 form to the Public Trustee\n\n- pay an application fee to the Public Trustee to register the notice\n\n## Give notice\n\nAddress the written notice to: \u201cThe Personal Representative of [full name of the tenant who died] of [last known address for the tenant who died]\u201d.\n\n## Email the notice and NL1 form to the Public Trustee\n\nOrder a NL1 application form to register a notice from OyezStore or from Shaws. The form costs no more than \u00a38.26.\n\nYou\u2019ll get it by post. Email a copy of the notice and a scan of your completed NL1 form to osptcontrolunit@ospt.gov.uk.\n\nYou must buy a new form for each application - you cannot use a photocopy. You can make your own version of the form, as long as it\u2019s laid out in the same way and includes all the relevant information.\n\n## Pay the application fee\n\nIt costs \u00a340 to register the notice. You can only pay by Bacs. Transfer the fee to the following account:\n\n| Sort code | Account number | Account name |\n\n| 80 26 50 | 10014069 | The Public Trustee |\n\nInclude the name of the deceased in the payment reference.\n\n## Get a decision about your application\n\nThe Public Trustee will register or reject your application. You should get an email within 15 working days of the Public Trustee getting your application and payment.\n\nIf your application is registered, you\u2019ll be told the date it was put in the register.\n\nIf your application is rejected, for example because it\u2019s incomplete, you\u2019ll be told why the Public Trustee cannot register it.\n\nYou can search the Public Trustee\u2019s register if your notice is registered, for example to check that you can legally rent the property again or sell it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "answerable": true, + "scenario": "I am a landlord and the cost of the property repairs and maintenance has increased. Would like to make a slight increase in the monthly rent.", + "original_question": "Should i inform my tenant about this change?" + }, + { + "id": "train-1866", + "question": "Scenario: My uncle works in the British army and has lived in the armed forces accommodation for 4 years together with his wife. They have made it their main home and they would like to see if can have rights to acquire.\n\nQuestion: Can they qualify?\n\nDocument - Right to Acquire: buying your housing association home:\n## Overview\n\nRight to Acquire allows most housing association tenants to buy their home at a discount. You apply using the Right to Acquire application form.\n\nYou can apply to buy your housing association home if you\u2019ve had a public sector landlord for 3 years. These landlords include:\n\n- housing associations\n\n- councils\n\n- the armed services\n\n- NHS trusts and foundation trusts\n\n## Eligible properties\n\nYour property must either have been:\n\n- built or bought by a housing association after 31 March 1997 (and funded through a social housing grant provided by the Housing Corporation or local council)\n\n- transferred from a local council to a housing association after 31 March 1997\n\nYour landlord must be registered with the Regulator of Social Housing.\n\nThe home you want to buy must also be:\n\n- a self-contained property\n\n- your only or main home\n\n## Joint applications\n\nYou can make a joint application with:\n\n- someone who shares your tenancy\n\n- up to 3 family members who\u2019ve lived with you for the past 12 months (even if they don\u2019t share your tenancy)\n\n## Who doesn\u2019t qualify\n\nYou can\u2019t use Right to Acquire if:\n\n- you\u2019re being made bankrupt\n\n- a court has ordered you to leave your home\n\n- you\u2019re a council tenant \u2013 you may be able to use Right to Buy instead\n\n- you have \u2018Preserved Right to Buy\u2019\n\n## Discounts\n\nYou can get a discount of between \u00a39,000 and \u00a316,000 on the price of your property.\n\nThe amount of discount you\u2019ll get depends on where you live in the UK.\n\nYour landlord will tell you what discount you\u2019ll get when you apply to buy your home. You can also download a table of discounts, broken down by location.\n\nYour discount might be reduced if you\u2019ve used Right to Acquire or Right to Buy in the past.\n\n## Applying\n\n- Fill in the Right to Acquire application form\n\n- Send it to your landlord.\n\n- Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why. You can\u2019t appeal against the landlord\u2019s decision.\n\n- If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.\n\nYour landlord might offer you the choice of buying your home, or another empty one that they own. You don\u2019t have to accept the other property and your landlord doesn\u2019t have to offer you one.\n\n## Your landlord\u2019s offer\n\nIf your landlord agrees to sell, their offer will tell you:\n\n- the price they think you should pay for the property and how it was worked out\n\n- your discount and how it was worked out\n\n- a description of the property and any land included in the price\n\n- estimates of any service charge (for a flat or maisonette) for the first 5 years\n\n- any known problems with the property\u2019s structure, eg subsidence\n\n## Deciding to buy\n\nOnce you get your landlord\u2019s offer, you have 12 weeks to tell them that you still want to buy.\n\nIf you don\u2019t reply, the landlord will send you a reminder (called an \u2018RTA4\u2019). You\u2019ll have a reasonable time (at least 28 days) to reply. If you don\u2019t, your landlord will send a final reminder (called an \u2018RTA5\u2019). If you don\u2019t reply to that, your landlord can drop your application.\n\nYou can pull out of the sale and continue to rent at any time.\n\n## If you disagree with the landlord\u2019s offer\n\nContact your landlord and tell them why.\n\nIf you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask for an independent valuation.\n\nA district valuer from HM Revenue & Customs will visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.\n\n## Selling your home\n\nIf you sell your home within 10 years of buying it through Right to Acquire, you must first offer it to your old landlord.\n\nThe property should be sold at the full market price agreed between you and the landlord.\n\nIf you can\u2019t agree, a district valuer will say how much your home is worth and set the price. You won\u2019t have to pay for their valuation.\n\nIf the landlord doesn\u2019t agree to buy your home within 8 weeks, you can sell it to anyone.\n\n## Paying back your discount\n\nIf you sell your home within 5 years of buying it, you\u2019ll have to pay back some or all of the discount you got.\n\nIf you sell within the first year, you\u2019ll have to pay back all of the discount. On top of this, the amount you pay back depends on the value of your home when you sell it. So, if you got a 10% discount, you\u2019ll have to pay back 10% of the selling price.\n\nIf you sell after the first year, the total amount you pay back reduces. You pay back:\n\n- 80% of the discount in the second year\n\n- 60% of the discount in the third year\n\n- 40% of the discount in the fourth year\n\n- 20% of the discount in the fifth year\n\n## Help and advice\n\nThe Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.\n\nYou can also get advice on Right to Acquire from:\n\n- Citizens Advice\n\n- Shelter\n\n- your local Law Centre", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/right-to-acquire-buying-housing-association-home", + "answerable": true, + "scenario": "My uncle works in the British army and has lived in the armed forces accommodation for 4 years together with his wife. They have made it their main home and they would like to see if can have rights to acquire.", + "original_question": "Can they qualify?" + }, + { + "id": "train-1868", + "question": "Scenario: I own some land that has an old tree. This tree is protected by a preservation order. The roots of this tree are damaging the foundations of my house. My application to cut it down was rejected 20 days ago.\n\nQuestion: Am I still able to appeal against this decision?\n\nDocument - Appeal a decision about a tree preservation order:\n## When you can appeal\n\nYour council makes decisions about work on trees protected by preservation orders.\n\nYou can appeal if you applied to cut down or carry out work on a protected tree and:\n\n- you disagree with the decision\n\n- a decision was not made within 8 weeks\n\nYou can also appeal if you disagree with a tree replacement notice you\u2019ve been given.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nYou must appeal:\n\n- within 28 days of the date on the council\u2019s decision notice\n\n- before the date the tree replacement notice comes into effect\n\nThere\u2019s no deadline if you\u2019re appealing because your application was not decided within 8 weeks.\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 27 weeks.\n\n## How to appeal\n\nFill in a tree preservation order appeal form or a tree replacement notice appeal form.\n\nYou also need:\n\n- a copy of the council\u2019s decision or notice\n\n- any other documents that directly support your appeal\n\nEmail these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nTheir decision about your appeal will be based on:\n\n- the information you send\n\n- a site visit\n\n- your council\u2019s documents, for example the tree preservation order\n\nYour case officer will write to you if they need more information.\n\nYou\u2019ll normally get a decision within 27 weeks.\n\n## Interested parties\n\nThe council may decide to contact anyone who commented on your original application (\u2018interested parties\u2019). Your case officer will consider the statements any interested parties made.\n\nInterested parties cannot make any further comments during the appeal but can withdraw their original statement.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "answerable": true, + "scenario": "I own some land that has an old tree. This tree is protected by a preservation order. The roots of this tree are damaging the foundations of my house. My application to cut it down was rejected 20 days ago.", + "original_question": "Am I still able to appeal against this decision?" + }, + { + "id": "train-1870", + "question": "Scenario: I own a business that sells electronic attachments to mobiles. We make sales of \u00a370,000 per year. We also only sell online. We are looking at joining the Distributor Takeback scheme.\n\nQuestion: Will we be eligible to join this scheme?\n\nDocument - Electrical waste: retailer and distributor responsibilities:\n## Your responsibilities\n\nYou have certain responsibilities if you sell electrical and electronic equipment (EEE).\n\nYou must provide a way for your customers to dispose of their old household electrical and electronic equipment when you sell them a new version of the same item.\n\nThe waste electrical and electronic equipment (WEEE) regulations apply regardless of how you sell the products, whether direct or by internet, mail order or telephone.\n\nYou must either:\n\n- provide a free, in store, take back service to your customers\n\n- set up an alternative, free take back service\n\nIf you do not have your own take back service, you must join the Distributor Takeback Scheme (DTS).\n\nYou can be prosecuted if you do not comply with the regulations.\n\n## Tell your customers which service you provide\n\nYou must provide free written information to your customers on:\n\n- which take back service you provide, including collect on delivery\n\n- how they can reuse and recycle electrical and electronic equipment\n\n- why this waste needs to be separated from other waste\n\n- the damaging effects of not recycling electrical and electronic equipment\n\n- the meaning of the crossed-out wheelie bin symbol\n\n## Shops\n\nYou can provide this information by, for example:\n\n- displaying posters in your store about which service you provide\n\n- including information leaflets with the electrical and electronic equipment you sell\n\n## Online retailers\n\nYou must publish this information on your website. You can download free customer information if you offer a take back service. DTS members can get these from the scheme.\n\nYou have other responsibilities if you\u2019re a \u2018producer\u2019 - for example you make and sell EEE under your own brand, or sell it in UK from abroad.\n\n## Take back waste in store\n\nYou must offer to take back waste of the same type as the item your customers buy from you, regardless of:\n\n- whether they buy in-store, online or by mail order\n\n- the brand of the item\n\nYou must also take back items that have the same function. For example, you would:\n\n- take back a customer\u2019s old kettle when they buy a new one\n\n- take back a video player if the customer buys a DVD player\n\nYou must:\n\n- offer the in-store service for free - but you can charge to cover transport costs if you\u2019re collecting items from customers\u2019 homes\n\n- give customers at least 28 days to bring back their waste item\n\n- take back all types of electrical and electronic equipment that you sell - you can choose to extend your service to cover all kinds of electrical and electronic waste\n\n## Small electronic equipment\n\n\u2018Very small WEEE\u2019 are items of waste electrical and electronic equipment that are less than 25cm on their longest side.\n\nYou must take back all items of \u2018very small WEEE\u2019 in store if your electrical and electronic equipment sales area is greater than 400 square metres including aisle, display and shelf space.\n\nYou must provide this service to everyone for free, regardless of whether they\u2019ve bought anything from your store.\n\nYou\u2019re exempt if you\u2019ve joined the Distributor Takeback Scheme (DTS) or an assessment shows you already have an effective system.\n\n## Store waste\n\nCheck the conditions to see if you can store the waste temporarily before you dispose of it.\n\n## Dispose of waste\n\nTo dispose of the waste you\u2019ve collected you can do one of the following.\n\n## Producer compliance schemes\n\nContact a producer compliance scheme (PCS).\n\nThe PCS will arrange for the waste to be recycled or prepared for re-use at an Approved Authorised Treatment Facility (AATF).\n\nYou may be charged for the collection and transportation of the waste to the AATF or the PCS collection point.\n\n## Transport the waste yourself\n\nYou can transport the waste to an AATF or PCS collection point yourself.\n\nYou need to register as a waste carrier in:\n\n- England\n\n- Wales\n\n- Scotland\n\n- Northern Ireland\n\nYou may also need to follow the rules on transporting hazardous waste in:\n\n- England and Wales\n\n- Scotland\n\n- Northern Ireland\n\n## Keep records\n\nYou must keep records of all electrical and electronic waste that you collect and dispose of - you can use a template.\n\nInclude the number of units you\u2019ve received through take back and say how many of these were returned to a PCS.\n\nYou need to keep all documentation you make, or are given by the PCS or the AATF, when you dispose of electrical and electronic waste.\n\nYou also need to keep records of how you tell customers about your take back scheme.\n\nKeep all your records for 4 years.\n\n## Set up an alternative take back service\n\nYou can set up a \u2018designated collection facility\u2019 (DCF) where your customers can take all types of electrical and electronic waste.\n\nYou can do this on your own or with other distributors.\n\nYou must follow the waste electrical and electronic equipment (WEEE) regulations, other waste management legislation and local planning requirements when managing a DCF.\n\nYou must agree with a producer compliance scheme (PCS) to return the electrical and electronic equipment (EEE) direct to an Approved Authorised Treatment Facility (AATF).\n\n## Use the Distributor Takeback Scheme\n\nYou can use the Distributor Takeback Scheme (DTS) instead of providing a takeback service, if either of the following apply:\n\n- your business sells less than \u00a3100,000 of electrical and electronic equipment (EEE) per year\n\n- you only sell online\n\nIf your business sells \u00a3100,000 or more of EEE per year and has physical stores, you cannot use the DTS after 31 December 2020. You\u2019ll need to take back waste in store or set up an alternative collection point instead.\n\n## How the scheme works\n\nYou pay a fee that covers your waste electrical and electronic equipment (WEEE) obligations until 31 December 2021. The amount you pay depends on:\n\n- the size of your business\n\n- whether you only sell online\n\n- how much EEE you sell\n\nThis money goes towards supporting the recycling centres run by local authorities.\n\nYou\u2019ll need to keep a record of what information you give to your customers about where they should take their WEEE.\n\n## If you do not comply\n\nIf you fail to comply with the waste electrical and electronic equipment (WEEE) regulations, you can be prosecuted and fined up to \u00a35,000 at a magistrates\u2019 court, or get an unlimited fine from a Crown Court.\n\nYou may sometimes get warning letters and formal cautions before a prosecution.\n\nThe Office for Product Safety and Standards enforces these regulations. You can contact them online, call or write to them.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/electricalwaste-producer-supplier-responsibilities", + "answerable": true, + "scenario": "I own a business that sells electronic attachments to mobiles. We make sales of \u00a370,000 per year. We also only sell online. We are looking at joining the Distributor Takeback scheme.", + "original_question": "Will we be eligible to join this scheme?" + }, + { + "id": "train-1872", + "question": "Scenario: I am a contractor. I was recently hired to build a new tree house and have received an enforcement notice to remove it. It says it is oversized and required planning permission.\n\nQuestion: Can I proceed to appeal this decision?\n\nDocument - Appeal an enforcement notice:\n## When you can appeal\n\nYour local planning authority may send you an enforcement notice if you\u2019ve built or changed something without planning permission.\n\nYou can appeal against an enforcement notice if you own, rent or lawfully occupy the property or land it applies to.\n\nAnyone can comment on an appeal.\n\nThere\u2019s no fee for appealing, unless you also apply for planning permission.\n\n## Deadline for appealing\n\nYour appeal must be received before the date the enforcement notice takes effect.\n\n## When you can expect a decision\n\nYou\u2019ll get a decision once your appeal is validated.\n\nCheck how long planning appeal decisions normally take.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one enforcement notice you must make a separate appeal for each. Each person should appeal separately.\n\nYou also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit:\n\n- a copy of your enforcement notice\n\n- a plan (if there is one)\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nAnyone can comment on an enforcement notice appeal. Find the case on the appeals casework portal.\n\nThe deadline for comments is 6 weeks after the start date of the appeal.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you the start date, what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/appeal-enforcement-notice", + "answerable": true, + "scenario": "I am a contractor. I was recently hired to build a new tree house and have received an enforcement notice to remove it. It says it is oversized and required planning permission.", + "original_question": "Can I proceed to appeal this decision?" + }, + { + "id": "train-1873", + "question": "Scenario: I live near an open fields that has been left unattended for several years. Most of my neighbors use it to walk their dogs and running . My brother wants to learn how to drive and since I am a fully insured driver I have accepted to teach him how to drive. The open field is accessible .\n\nQuestion: Can we use the field for car driving test?\n\nDocument - Rights of way and accessing land:\n## Overview\n\nYou have the right to access some land for walking or certain other leisure activities.\n\nYou can:\n\n- use public roads and pavements or public rights of way, for example footpaths or bridleways\n\n- use your right to roam on open access land including mountains, moors, heaths, downs, common land and some land around the England Coast Path\n\nIf neither of these apply, you may still be able to access private land if:\n\n- the land was used as a public right of way in the past - check old maps and documents\n\n- the land was accessed by the public for at least 20 years and nobody has asked them to stop\n\n- the landowner has given permission (\u2018permissive access\u2019)\n\nHelp protect the natural environment by following the Countryside Code.\n\n## Use public rights of way\n\nYou can walk on all public rights of way.\n\nSome public rights of way are also open to horse riders, cyclists or motorists.\n\nYou can use:\n\n- footpaths - for walking, running, mobility scooters or powered wheelchairs\n\n- bridleways - for walking, horse riding, bicycles, mobility scooters or powered wheelchairs\n\n- restricted byways - for any transport without a motor and mobility scooters or powered wheelchairs\n\n- byways open to all traffic - for any kind of transport, including cars (but they\u2019re mainly used by walkers, cyclists and horse riders)\n\n## Rights of way in England, Wales and Northern Ireland\n\nPublic rights of way are marked with signs or coloured arrows, for example yellow for footpaths, blue for bridleways.\n\nYou can find the route of public rights of way:\n\n- on Ordnance Survey and other maps\n\n- on some council websites\n\n## Rights of way in Scotland\n\nYou can find rights of way through the charity Scotways.\n\n## Report problems with a right of way\n\nContact the local council to report a problem, for example obstructions, poor maintenance or a misleading sign.\n\n## Change a public right of way\n\nContact the local council about adding, changing or removing a public right of way temporarily or permanently.\n\nYou can contact the Local Government Ombudsman if you think your council has not dealt with your enquiry properly.\n\n## Use your right to roam\n\nYou can access some land across England without having to use paths - this land is known as \u2018open access land\u2019 or \u2018access land\u2019.\n\nAccess land includes mountains, moors, heaths and downs that are privately owned. It also includes common land registered with the local council and some land around the England Coast Path.\n\nYour right to access this land is called the \u2018right to roam\u2019, or \u2018freedom to roam\u2019.\n\n## What you can and cannot do\n\nYou can use access land for walking, running, watching wildlife and climbing.\n\nThere are certain activities you cannot usually do on open access land, including:\n\n- horse-riding\n\n- cycling\n\n- camping\n\n- taking animals other than dogs on to the land\n\n- driving a vehicle (except mobility scooters and powered wheelchairs)\n\n- water sports\n\nBut you can use access land for horse-riding and cycling if:\n\n- the landowner allows it\n\n- public bridleways or byways cross the land \u2013 horse riders and cyclists can ride along these\n\n- there are local traditions, or rights, of access\n\n## Dogs on open access land\n\nYou must keep your dog on a lead no more than 2 metres long on open access land:\n\n- between 1 March and 31 July - to protect ground-nesting birds\n\n- at all times around livestock\n\nOn land next to the England Coast Path you must keep your dog under close control.\n\nThere may be other local or seasonal restrictions. These do not apply to public rights of way or assistance dogs.\n\n## Excepted land\n\nOn access land some areas remain private (\u2018excepted land\u2019). You do not have the right to access these areas, even if they appear on a map of open access land.\n\nExcepted land includes:\n\n- houses, buildings and the land they\u2019re on (such as courtyards)\n\n- land used to grow crops\n\n- building sites and land that\u2019s being developed\n\n- parks and gardens\n\n- golf courses and racecourses\n\n- railways and tramways\n\n- working quarries\n\nUse public rights of way to cross excepted land.\n\n## Find open access land\n\nSearch for open access land in England and find out about land that\u2019s currently closed to walkers.\n\nFind open access land in Wales.\n\nContact the local council to find common land near you.\n\n## Report problems with open access land\n\nYou can report problems to the local access authority - contact them through the local council.\n\nIf the problem is in a national park, you can contact them directly.\n\nYou can also contact the Open Access Contact Centre for information about open access land in England.\n\n## Access private land\n\nYou may be able to access private land if the landowner has agreed to let people use it, for example for walking, cycling or horse riding (sometimes known as giving \u2018permissive access\u2019). Look for signs.\n\nSearch for farms and other land with access for schools, families and other groups.\n\nSearch for land of outstanding scenic or scientific interest, including land with permissive access, in the HM Revenue and Customs (HMRC) directory.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/right-of-way-open-access-land", + "answerable": true, + "scenario": "I live near an open fields that has been left unattended for several years. Most of my neighbors use it to walk their dogs and running . My brother wants to learn how to drive and since I am a fully insured driver I have accepted to teach him how to drive. The open field is accessible .", + "original_question": "Can we use the field for car driving test?" + }, + { + "id": "train-1874", + "question": "Scenario: I am a landowner with a very expansive land adjacent to new housing . The public are walking over it and parking on the field as well as hosting parties.They have disregarded the post signs I have elected. I have now given up.\n\nQuestion: Can i provide the public permission to use the land ?\n\nDocument - Rights of way and accessing land:\n## Overview\n\nYou have the right to access some land for walking or certain other leisure activities.\n\nYou can:\n\n- use public roads and pavements or public rights of way, for example footpaths or bridleways\n\n- use your right to roam on open access land including mountains, moors, heaths, downs, common land and some land around the England Coast Path\n\nIf neither of these apply, you may still be able to access private land if:\n\n- the land was used as a public right of way in the past - check old maps and documents\n\n- the land was accessed by the public for at least 20 years and nobody has asked them to stop\n\n- the landowner has given permission (\u2018permissive access\u2019)\n\nHelp protect the natural environment by following the Countryside Code.\n\n## Use public rights of way\n\nYou can walk on all public rights of way.\n\nSome public rights of way are also open to horse riders, cyclists or motorists.\n\nYou can use:\n\n- footpaths - for walking, running, mobility scooters or powered wheelchairs\n\n- bridleways - for walking, horse riding, bicycles, mobility scooters or powered wheelchairs\n\n- restricted byways - for any transport without a motor and mobility scooters or powered wheelchairs\n\n- byways open to all traffic - for any kind of transport, including cars (but they\u2019re mainly used by walkers, cyclists and horse riders)\n\n## Rights of way in England, Wales and Northern Ireland\n\nPublic rights of way are marked with signs or coloured arrows, for example yellow for footpaths, blue for bridleways.\n\nYou can find the route of public rights of way:\n\n- on Ordnance Survey and other maps\n\n- on some council websites\n\n## Rights of way in Scotland\n\nYou can find rights of way through the charity Scotways.\n\n## Report problems with a right of way\n\nContact the local council to report a problem, for example obstructions, poor maintenance or a misleading sign.\n\n## Change a public right of way\n\nContact the local council about adding, changing or removing a public right of way temporarily or permanently.\n\nYou can contact the Local Government Ombudsman if you think your council has not dealt with your enquiry properly.\n\n## Use your right to roam\n\nYou can access some land across England without having to use paths - this land is known as \u2018open access land\u2019 or \u2018access land\u2019.\n\nAccess land includes mountains, moors, heaths and downs that are privately owned. It also includes common land registered with the local council and some land around the England Coast Path.\n\nYour right to access this land is called the \u2018right to roam\u2019, or \u2018freedom to roam\u2019.\n\n## What you can and cannot do\n\nYou can use access land for walking, running, watching wildlife and climbing.\n\nThere are certain activities you cannot usually do on open access land, including:\n\n- horse-riding\n\n- cycling\n\n- camping\n\n- taking animals other than dogs on to the land\n\n- driving a vehicle (except mobility scooters and powered wheelchairs)\n\n- water sports\n\nBut you can use access land for horse-riding and cycling if:\n\n- the landowner allows it\n\n- public bridleways or byways cross the land \u2013 horse riders and cyclists can ride along these\n\n- there are local traditions, or rights, of access\n\n## Dogs on open access land\n\nYou must keep your dog on a lead no more than 2 metres long on open access land:\n\n- between 1 March and 31 July - to protect ground-nesting birds\n\n- at all times around livestock\n\nOn land next to the England Coast Path you must keep your dog under close control.\n\nThere may be other local or seasonal restrictions. These do not apply to public rights of way or assistance dogs.\n\n## Excepted land\n\nOn access land some areas remain private (\u2018excepted land\u2019). You do not have the right to access these areas, even if they appear on a map of open access land.\n\nExcepted land includes:\n\n- houses, buildings and the land they\u2019re on (such as courtyards)\n\n- land used to grow crops\n\n- building sites and land that\u2019s being developed\n\n- parks and gardens\n\n- golf courses and racecourses\n\n- railways and tramways\n\n- working quarries\n\nUse public rights of way to cross excepted land.\n\n## Find open access land\n\nSearch for open access land in England and find out about land that\u2019s currently closed to walkers.\n\nFind open access land in Wales.\n\nContact the local council to find common land near you.\n\n## Report problems with open access land\n\nYou can report problems to the local access authority - contact them through the local council.\n\nIf the problem is in a national park, you can contact them directly.\n\nYou can also contact the Open Access Contact Centre for information about open access land in England.\n\n## Access private land\n\nYou may be able to access private land if the landowner has agreed to let people use it, for example for walking, cycling or horse riding (sometimes known as giving \u2018permissive access\u2019). Look for signs.\n\nSearch for farms and other land with access for schools, families and other groups.\n\nSearch for land of outstanding scenic or scientific interest, including land with permissive access, in the HM Revenue and Customs (HMRC) directory.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/right-of-way-open-access-land", + "answerable": true, + "scenario": "I am a landowner with a very expansive land adjacent to new housing . The public are walking over it and parking on the field as well as hosting parties.They have disregarded the post signs I have elected. I have now given up.", + "original_question": "Can i provide the public permission to use the land ?" + }, + { + "id": "train-1875", + "question": "Scenario: I have been living in my property 3 years and now i am moving out. One of the doors was broken by myself when i was moving furniture. I paid \u00a3600 deposit.\n\nQuestion: Can the landlord take money to replace the door from the deposit scheme?\n\nDocument - Deposit protection schemes and landlords:\n## Overview\n\nYou must place your tenants\u2019 deposit in a tenancy deposit protection (TDP) scheme if you rent out your home on an assured shorthold tenancy that started after 6 April 2007.\n\nIf you receive a valuable item as a deposit instead of money (for example a car or watch), you do not have to put it in a TDP.\n\nThese government-backed schemes ensure your tenants will get their deposit back if they:\n\n- meet the terms of your tenancy agreement\n\n- do not damage the property\n\n- pay the rent and bills\n\nYou (or your letting agent) must put your tenants\u2019 deposit in the scheme within 30 days of getting it.\n\n## Available schemes\n\nYou can use any of the following schemes if your property is in England or Wales:\n\n- Deposit Protection Service\n\n- MyDeposits\n\n- Tenancy Deposit Scheme\n\nThere are separate TDP schemes in Scotland and Northern Ireland.\n\nAll TDP schemes offer you 2 options:\n\n- the scheme hold the deposit for free - known as a \u2018custodial\u2019 scheme\n\n- you or the agent holds the deposit and you pay the scheme to insure it - known as an \u2018insured\u2019 scheme\n\n## At the end of the tenancy\n\nThe deposit must be returned to your tenants within 10 days of you both agreeing how much they\u2019ll get back.\n\n## If you\u2019re in a dispute with your tenants\n\nThe deposit is protected in the scheme until the issue is settled.\n\nIf you\u2019re in an \u2018insured\u2019 scheme, you or the agent must give the deposit to the TDP scheme. They will hold it until the issue is settled.\n\n## Holding deposits\n\nIf you\u2019ve received a holding deposit from your future tenants (money to \u2018hold\u2019 a property before an agreement is signed), you do not have to protect it. Once they become tenants the holding deposit becomes a deposit, and you must protect it.\n\n## Deposits made by a third party\n\nYou must use a TDP scheme even if the deposit is paid by someone else, like a rent deposit scheme or a tenant\u2019s parents.\n\n## Information you must give to your tenants\n\nWithin 30 days of getting their deposit, you must tell your tenants:\n\n- the address of the rented property\n\n- how much deposit they\u2019ve paid\n\n- how the deposit is protected\n\n- the name and contact details of the tenancy deposit protection (TDP) scheme and its dispute resolution service\n\n- your (or your letting agency\u2019s) name and contact details\n\n- the name and contact details of any third party who paid the deposit\n\n- why you would keep some or all of the deposit - for example, because your tenants damaged the property and you need to fix it\n\n- how to apply to get the deposit back at the end of the tenancy\n\n- what to do if they cannot get hold of you at the end of the tenancy\n\n- what to do if there\u2019s a dispute over the amount of deposit to be returned at the end of the tenancy\n\n## If you do not protect your tenants' deposit\n\nYour tenants can apply to a county court if you do not use a tenancy deposit protection (TDP) scheme when you have to. They can do this at any time during the tenancy.\n\nIf the court finds you have not protected the deposit, it can order you to either:\n\n- repay it to your tenants\n\n- pay it into a custodial TDP scheme\u2019s bank account within 14 days\n\nThe court may also order you to repay your tenants up to 3 times their original deposit within 14 days of making the order.\n\n## At the end of the tenancy\n\nThe court may also decide that your tenants do not have to leave the property when the tenancy ends if you did not use a TDP scheme when you should have.\n\n## Disputes\n\nUse your tenancy deposit protection (TDP) scheme\u2019s free dispute resolution service if you disagree with your tenants about how much deposit should be returned.\n\nContact your TDP scheme for more information on the dispute resolution service. The schemes are:\n\n- Deposit Protection Service\n\n- MyDeposits\n\n- Tenancy Deposit Scheme\n\n## Help and advice\n\nYou can get more help and advice from:\n\n- your local Citizens Advice Bureau\n\n- a solicitor", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/deposit-protection-schemes-and-landlords", + "answerable": true, + "scenario": "I have been living in my property 3 years and now i am moving out. One of the doors was broken by myself when i was moving furniture. I paid \u00a3600 deposit.", + "original_question": "Can the landlord take money to replace the door from the deposit scheme?" + }, + { + "id": "train-1877", + "question": "Scenario: My brother was in the British army, he lived in the armed forces accommodation for 4 years.His wife too was a member of the armed forces.\n\nQuestion: Can they use the time lived there for the discount?\n\nDocument - Right to Buy: buying your council home:\n## Overview\n\nRight to Buy allows most council tenants to buy their council home at a discount. Use the eligibility checker on the Own Your Home website to find out if you can apply.\n\nThere are different rules for Wales, Scotland and Northern Ireland.\n\nYou can apply to buy your council home if:\n\n- it\u2019s your only or main home\n\n- it\u2019s self-contained\n\n- you\u2019re a secure tenant\n\n- you\u2019ve had a public sector landlord (for example, a council, housing association or NHS trust) for 3 years - it does not have to be 3 years in a row\n\n## Joint applications\n\nYou can make a joint application with:\n\n- someone who shares your tenancy\n\n- up to 3 family members who\u2019ve lived with you for the past 12 months (even if they do not share your tenancy)\n\n## Ex-council homes\n\nIf your home used to be owned by the council, but they sold it to another landlord (like a housing association) while you were living in it, you may have the Right to Buy. This is called \u2018Preserved Right to Buy\u2019.\n\nAsk your landlord if this applies to you.\n\n## Other ways to buy your home\n\nIf you were not living in your home when it was sold by the council you may still be able to buy it through the Voluntary Right to Buy pilot.\n\n## Discounts\n\nYou can get a discount on the market value of your home when you buy it if you qualify for Right to Buy.\n\nThe maximum discount is \u00a384,600 across England, except in London boroughs where it is \u00a3112,800. It will increase each year in April in line with the consumer price index (CPI).\n\nThe discount is based on:\n\n- how long you\u2019ve been a tenant with a public sector landlord\n\n- the type of property you\u2019re buying - a flat or house\n\n- the value of your home\n\nIf you\u2019re buying with someone else, you count the years of whoever\u2019s been a public sector tenant the longest.\n\nYou\u2019ll usually have to repay some or all your discount if you sell your home within 5 years.\n\nYou might get a smaller discount if you\u2019ve used Right to Buy in the past.\n\n## Working out the discount\n\nUse the Right to Buy calculator to find out how much discount you could get.\n\nThere are different discount levels for houses and flats.\n\n## Houses\n\nYou get a 35% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.\n\nAfter 5 years, the discount goes up 1% for every extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).\n\n## Flats\n\nYou get a 50% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.\n\nAfter 5 years, the discount goes up by 2% for each extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).\n\n## If your landlord has spent money on your home\n\nYour discount will be less if your landlord has spent money building or maintaining your home:\n\n- in the last 10 years - if your landlord built or acquired your home before 2 April 2012\n\n- in the last 15 years - if you\u2019re buying your home through Preserved Right to Buy, or if your landlord acquired your home after 2 April 2012\n\nYou will not get any discount if your landlord has spent more money than your home is now worth.\n\n## Applying\n\n- Fill in the Right to Buy application form (RTB1 notice).\n\n- Send it to your landlord.\n\n- Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why.\n\n- If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.\n\n## Your landlord's offer\n\nIf your landlord agrees to sell, their offer will tell you:\n\n- the price they think you should pay for the property and how it was worked out\n\n- your discount and how it was worked out\n\n- a description of the property and any land included in the price\n\n- estimates of any service charges (for a flat or maisonette) for the first 5 years\n\n- any known problems with the property\u2019s structure, for example, subsidence\n\n## Deciding to buy\n\nYou have 12 weeks after you get your landlord\u2019s offer to tell them you still want to buy.\n\nThe landlord will send you a reminder if you do not reply to the offer. You have 28 days to reply to the reminder, or the landlord could drop your application.\n\nYou can pull out of the sale and continue to rent at any time.\n\n## If you disagree with the landlord\u2019s offer\n\nContact your landlord and tell them why.\n\nIf you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask them for an independent valuation.\n\nA district valuer from HM Revenue and Customs (HMRC) will then visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.\n\n## Appeals\n\nYou can appeal to a tribunal if you\u2019re stopped from buying your home because it\u2019s suitable for housing elderly people.\n\nYou must appeal within 56 days of the council turning down your application.\n\n## Delays\n\nYour landlord must complete parts of your Right to Buy application within set time limits.\n\nYou could get a reduction in the sale price if they do not.\n\n## Applying for a reduction because of a delay\n\nFill in the \u2018Initial notice of delay\u2019 form (RTB6) and send it to your landlord.\n\nYour landlord must then either move the sale along within 1 month or send you a \u2018counter notice\u2019. The counter notice will say that they\u2019ve already replied or explain why they cannot speed things up.\n\nIf your landlord does not reply within a month of getting the RTB6, fill in the \u2018Operative notice of delay\u2019 form (RTB8). This means that any rent you pay while you\u2019re waiting to hear from your landlord could be taken off the sale price.\n\nYou can do this each time your landlord is late getting back to you.\n\n## Selling your home\n\nIf you sell your home within 10 years of buying it through Right to Buy, you must first offer it to either:\n\n- your old landlord\n\n- another social landlord in the area\n\nThe property should be sold at the full market price agreed between you and the landlord.\n\nIf you cannot agree, a district valuer will say how much your home is worth and set the price. You will not have to pay for their valuation.\n\nYou can sell your home to anyone if the landlord does not agree to buy it within 8 weeks.\n\n## Paying back your discount\n\nYou\u2019ll have to pay back some or all of the discount you got if you sell your Right to Buy home within 5 years of buying it.\n\nYou\u2019ll have to pay back all of the discount if you sell within the first year. After that, the total amount you pay back reduces to:\n\n- 80% of the discount in the second year\n\n- 60% of the discount in the third year\n\n- 40% of the discount in the fourth year\n\n- 20% of the discount in the fifth year\n\nThe amount you pay back depends on the value of your home when you sell it.\n\nYou may not have to pay back the discount if you transfer ownership of your home to a member of your family. You\u2019ll need to agree this first with your landlord and then get a solicitor to do this for you.\n\n## Rural homes\n\nYour former landlord may limit who you can sell your home to if your home is in:\n\n- a national park\n\n- an area of outstanding natural beauty\n\n- an area the government says is rural for Right to Buy\n\nFor example, you may have to sell your home to someone who\u2019s lived or worked in the area for more than 3 years. This may mean you have difficulty getting a mortgage to buy your home.\n\nYour landlord will tell you if this could apply to your home when you apply for Right to Buy.\n\n## Help and advice\n\nYou can get free advice about:\n\n- how to complete your Right to Buy application\n\n- whether the scheme is right for you\n\n- how much it will cost you\n\n- your eligibility\n\nAsk your landlord about Right to Buy. They may also be able to help you complete the application form.\n\n## Right to Buy Agent service\n\nThe Right to Buy Agent service offers free advice on things like:\n\n- the Right to Buy process\n\n- eligibility\n\n- filling out your application form\n\n- where you can get financial and legal advice\n\n- what to do if your application is delayed\n\n## Money Advice Service\n\nThe Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.\n\n## Other help\n\nRead the Right to Buy summary booklet and the Right to Buy guidance.\n\nYou can also get advice on Right to Buy from:\n\n- the Own Your Home website\n\n- Citizens Advice\n\n- Shelter\n\n- your local Law Centre", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "answerable": true, + "scenario": "My brother was in the British army, he lived in the armed forces accommodation for 4 years.His wife too was a member of the armed forces.", + "original_question": "Can they use the time lived there for the discount?" + }, + { + "id": "train-1878", + "question": "Scenario: My Aunt lives in a self-contained council house . She has lived there with her young family for 5 years. She made an application to buy the house but her efforts were stopped by the council citing that it's ideal accommodation to house the elderly.\n\nQuestion: Can she make an appeal?\n\nDocument - Right to Buy: buying your council home:\n## Overview\n\nRight to Buy allows most council tenants to buy their council home at a discount. Use the eligibility checker on the Own Your Home website to find out if you can apply.\n\nThere are different rules for Wales, Scotland and Northern Ireland.\n\nYou can apply to buy your council home if:\n\n- it\u2019s your only or main home\n\n- it\u2019s self-contained\n\n- you\u2019re a secure tenant\n\n- you\u2019ve had a public sector landlord (for example, a council, housing association or NHS trust) for 3 years - it does not have to be 3 years in a row\n\n## Joint applications\n\nYou can make a joint application with:\n\n- someone who shares your tenancy\n\n- up to 3 family members who\u2019ve lived with you for the past 12 months (even if they do not share your tenancy)\n\n## Ex-council homes\n\nIf your home used to be owned by the council, but they sold it to another landlord (like a housing association) while you were living in it, you may have the Right to Buy. This is called \u2018Preserved Right to Buy\u2019.\n\nAsk your landlord if this applies to you.\n\n## Other ways to buy your home\n\nIf you were not living in your home when it was sold by the council you may still be able to buy it through the Voluntary Right to Buy pilot.\n\n## Discounts\n\nYou can get a discount on the market value of your home when you buy it if you qualify for Right to Buy.\n\nThe maximum discount is \u00a384,600 across England, except in London boroughs where it is \u00a3112,800. It will increase each year in April in line with the consumer price index (CPI).\n\nThe discount is based on:\n\n- how long you\u2019ve been a tenant with a public sector landlord\n\n- the type of property you\u2019re buying - a flat or house\n\n- the value of your home\n\nIf you\u2019re buying with someone else, you count the years of whoever\u2019s been a public sector tenant the longest.\n\nYou\u2019ll usually have to repay some or all your discount if you sell your home within 5 years.\n\nYou might get a smaller discount if you\u2019ve used Right to Buy in the past.\n\n## Working out the discount\n\nUse the Right to Buy calculator to find out how much discount you could get.\n\nThere are different discount levels for houses and flats.\n\n## Houses\n\nYou get a 35% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.\n\nAfter 5 years, the discount goes up 1% for every extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).\n\n## Flats\n\nYou get a 50% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.\n\nAfter 5 years, the discount goes up by 2% for each extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).\n\n## If your landlord has spent money on your home\n\nYour discount will be less if your landlord has spent money building or maintaining your home:\n\n- in the last 10 years - if your landlord built or acquired your home before 2 April 2012\n\n- in the last 15 years - if you\u2019re buying your home through Preserved Right to Buy, or if your landlord acquired your home after 2 April 2012\n\nYou will not get any discount if your landlord has spent more money than your home is now worth.\n\n## Applying\n\n- Fill in the Right to Buy application form (RTB1 notice).\n\n- Send it to your landlord.\n\n- Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why.\n\n- If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.\n\n## Your landlord's offer\n\nIf your landlord agrees to sell, their offer will tell you:\n\n- the price they think you should pay for the property and how it was worked out\n\n- your discount and how it was worked out\n\n- a description of the property and any land included in the price\n\n- estimates of any service charges (for a flat or maisonette) for the first 5 years\n\n- any known problems with the property\u2019s structure, for example, subsidence\n\n## Deciding to buy\n\nYou have 12 weeks after you get your landlord\u2019s offer to tell them you still want to buy.\n\nThe landlord will send you a reminder if you do not reply to the offer. You have 28 days to reply to the reminder, or the landlord could drop your application.\n\nYou can pull out of the sale and continue to rent at any time.\n\n## If you disagree with the landlord\u2019s offer\n\nContact your landlord and tell them why.\n\nIf you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask them for an independent valuation.\n\nA district valuer from HM Revenue and Customs (HMRC) will then visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.\n\n## Appeals\n\nYou can appeal to a tribunal if you\u2019re stopped from buying your home because it\u2019s suitable for housing elderly people.\n\nYou must appeal within 56 days of the council turning down your application.\n\n## Delays\n\nYour landlord must complete parts of your Right to Buy application within set time limits.\n\nYou could get a reduction in the sale price if they do not.\n\n## Applying for a reduction because of a delay\n\nFill in the \u2018Initial notice of delay\u2019 form (RTB6) and send it to your landlord.\n\nYour landlord must then either move the sale along within 1 month or send you a \u2018counter notice\u2019. The counter notice will say that they\u2019ve already replied or explain why they cannot speed things up.\n\nIf your landlord does not reply within a month of getting the RTB6, fill in the \u2018Operative notice of delay\u2019 form (RTB8). This means that any rent you pay while you\u2019re waiting to hear from your landlord could be taken off the sale price.\n\nYou can do this each time your landlord is late getting back to you.\n\n## Selling your home\n\nIf you sell your home within 10 years of buying it through Right to Buy, you must first offer it to either:\n\n- your old landlord\n\n- another social landlord in the area\n\nThe property should be sold at the full market price agreed between you and the landlord.\n\nIf you cannot agree, a district valuer will say how much your home is worth and set the price. You will not have to pay for their valuation.\n\nYou can sell your home to anyone if the landlord does not agree to buy it within 8 weeks.\n\n## Paying back your discount\n\nYou\u2019ll have to pay back some or all of the discount you got if you sell your Right to Buy home within 5 years of buying it.\n\nYou\u2019ll have to pay back all of the discount if you sell within the first year. After that, the total amount you pay back reduces to:\n\n- 80% of the discount in the second year\n\n- 60% of the discount in the third year\n\n- 40% of the discount in the fourth year\n\n- 20% of the discount in the fifth year\n\nThe amount you pay back depends on the value of your home when you sell it.\n\nYou may not have to pay back the discount if you transfer ownership of your home to a member of your family. You\u2019ll need to agree this first with your landlord and then get a solicitor to do this for you.\n\n## Rural homes\n\nYour former landlord may limit who you can sell your home to if your home is in:\n\n- a national park\n\n- an area of outstanding natural beauty\n\n- an area the government says is rural for Right to Buy\n\nFor example, you may have to sell your home to someone who\u2019s lived or worked in the area for more than 3 years. This may mean you have difficulty getting a mortgage to buy your home.\n\nYour landlord will tell you if this could apply to your home when you apply for Right to Buy.\n\n## Help and advice\n\nYou can get free advice about:\n\n- how to complete your Right to Buy application\n\n- whether the scheme is right for you\n\n- how much it will cost you\n\n- your eligibility\n\nAsk your landlord about Right to Buy. They may also be able to help you complete the application form.\n\n## Right to Buy Agent service\n\nThe Right to Buy Agent service offers free advice on things like:\n\n- the Right to Buy process\n\n- eligibility\n\n- filling out your application form\n\n- where you can get financial and legal advice\n\n- what to do if your application is delayed\n\n## Money Advice Service\n\nThe Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.\n\n## Other help\n\nRead the Right to Buy summary booklet and the Right to Buy guidance.\n\nYou can also get advice on Right to Buy from:\n\n- the Own Your Home website\n\n- Citizens Advice\n\n- Shelter\n\n- your local Law Centre", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "answerable": true, + "scenario": "My Aunt lives in a self-contained council house . She has lived there with her young family for 5 years. She made an application to buy the house but her efforts were stopped by the council citing that it's ideal accommodation to house the elderly.", + "original_question": "Can she make an appeal?" + }, + { + "id": "train-1879", + "question": "Scenario: I recently bought a building that comes with a substantial piece of land. It had been deserted for over ten years and people have been using the land to camp on, often making a mess.\n\nQuestion: Do I have the legal right to turf people off my land if they have been using it freely for some long?\n\nDocument - Rights of way and accessing land:\n## Overview\n\nYou have the right to access some land for walking or certain other leisure activities.\n\nYou can:\n\n- use public roads and pavements or public rights of way, for example footpaths or bridleways\n\n- use your right to roam on open access land including mountains, moors, heaths, downs, common land and some land around the England Coast Path\n\nIf neither of these apply, you may still be able to access private land if:\n\n- the land was used as a public right of way in the past - check old maps and documents\n\n- the land was accessed by the public for at least 20 years and nobody has asked them to stop\n\n- the landowner has given permission (\u2018permissive access\u2019)\n\nHelp protect the natural environment by following the Countryside Code.\n\n## Use public rights of way\n\nYou can walk on all public rights of way.\n\nSome public rights of way are also open to horse riders, cyclists or motorists.\n\nYou can use:\n\n- footpaths - for walking, running, mobility scooters or powered wheelchairs\n\n- bridleways - for walking, horse riding, bicycles, mobility scooters or powered wheelchairs\n\n- restricted byways - for any transport without a motor and mobility scooters or powered wheelchairs\n\n- byways open to all traffic - for any kind of transport, including cars (but they\u2019re mainly used by walkers, cyclists and horse riders)\n\n## Rights of way in England, Wales and Northern Ireland\n\nPublic rights of way are marked with signs or coloured arrows, for example yellow for footpaths, blue for bridleways.\n\nYou can find the route of public rights of way:\n\n- on Ordnance Survey and other maps\n\n- on some council websites\n\n## Rights of way in Scotland\n\nYou can find rights of way through the charity Scotways.\n\n## Report problems with a right of way\n\nContact the local council to report a problem, for example obstructions, poor maintenance or a misleading sign.\n\n## Change a public right of way\n\nContact the local council about adding, changing or removing a public right of way temporarily or permanently.\n\nYou can contact the Local Government Ombudsman if you think your council has not dealt with your enquiry properly.\n\n## Use your right to roam\n\nYou can access some land across England without having to use paths - this land is known as \u2018open access land\u2019 or \u2018access land\u2019.\n\nAccess land includes mountains, moors, heaths and downs that are privately owned. It also includes common land registered with the local council and some land around the England Coast Path.\n\nYour right to access this land is called the \u2018right to roam\u2019, or \u2018freedom to roam\u2019.\n\n## What you can and cannot do\n\nYou can use access land for walking, running, watching wildlife and climbing.\n\nThere are certain activities you cannot usually do on open access land, including:\n\n- horse-riding\n\n- cycling\n\n- camping\n\n- taking animals other than dogs on to the land\n\n- driving a vehicle (except mobility scooters and powered wheelchairs)\n\n- water sports\n\nBut you can use access land for horse-riding and cycling if:\n\n- the landowner allows it\n\n- public bridleways or byways cross the land \u2013 horse riders and cyclists can ride along these\n\n- there are local traditions, or rights, of access\n\n## Dogs on open access land\n\nYou must keep your dog on a lead no more than 2 metres long on open access land:\n\n- between 1 March and 31 July - to protect ground-nesting birds\n\n- at all times around livestock\n\nOn land next to the England Coast Path you must keep your dog under close control.\n\nThere may be other local or seasonal restrictions. These do not apply to public rights of way or assistance dogs.\n\n## Excepted land\n\nOn access land some areas remain private (\u2018excepted land\u2019). You do not have the right to access these areas, even if they appear on a map of open access land.\n\nExcepted land includes:\n\n- houses, buildings and the land they\u2019re on (such as courtyards)\n\n- land used to grow crops\n\n- building sites and land that\u2019s being developed\n\n- parks and gardens\n\n- golf courses and racecourses\n\n- railways and tramways\n\n- working quarries\n\nUse public rights of way to cross excepted land.\n\n## Find open access land\n\nSearch for open access land in England and find out about land that\u2019s currently closed to walkers.\n\nFind open access land in Wales.\n\nContact the local council to find common land near you.\n\n## Report problems with open access land\n\nYou can report problems to the local access authority - contact them through the local council.\n\nIf the problem is in a national park, you can contact them directly.\n\nYou can also contact the Open Access Contact Centre for information about open access land in England.\n\n## Access private land\n\nYou may be able to access private land if the landowner has agreed to let people use it, for example for walking, cycling or horse riding (sometimes known as giving \u2018permissive access\u2019). Look for signs.\n\nSearch for farms and other land with access for schools, families and other groups.\n\nSearch for land of outstanding scenic or scientific interest, including land with permissive access, in the HM Revenue and Customs (HMRC) directory.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/right-of-way-open-access-land", + "answerable": true, + "scenario": "I recently bought a building that comes with a substantial piece of land. It had been deserted for over ten years and people have been using the land to camp on, often making a mess.", + "original_question": "Do I have the legal right to turf people off my land if they have been using it freely for some long?" + }, + { + "id": "train-1881", + "question": "Scenario: I am getting married. My surname will be changing to my husband's surname. I want to apply for a new passport before the ceremony.\n\nQuestion: Will I be able to apply for a new passport before the wedding day?\n\nDocument - Change your name or personal details on your passport:\n## How it works\n\nYou\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:\n\n- your name\n\n- your gender\n\n- your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)\n\nThe name on your passport must match the one you use when you book your travel.\n\nYou\u2019ll be sent a new 10 year passport. Time left on your old passport will not be added to your new one.\n\n## When you do not need a new passport\n\nYou do not need to get a new passport if you:\n\n- change your address or contact details\n\n- get a new job\n\n- change your appearance slightly - for example, dye your hair or grow a beard\n\n- change your marital status (divorce, marry or form a civil partnership) but keep your name\n\n- change your title, for example, doctor or professor\n\n- become a national of another country as well as the UK\n\n- emigrate\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport. It takes longer to apply by post than online.\n\nYou may be able to get a passport urgently if you need to travel sooner.\n\nDo not book travel until you have a valid passport - your new passport will not have the same number as your old one.\n\n## Apply online\n\nYou can apply for a new passport online. It costs \u00a375.50.\n\nStart now\n\n## Apply using a paper application form\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications. Use the online service to get your passport.\n\nYou can get a paper application form by either:\n\n- going to a Post Office that has a Check and Send service\n\n- calling the Passport Adviceline\n\nIt costs \u00a385.\n\nFill in and sign your passport application using the name that you want to see printed on your passport.\n\n## Countersignatures\n\nYou must get a countersignature if your appearance has changed and you cannot be recognised from your existing passport.\n\nYou do not need a countersignature if you\u2019re changing your name or adding a title.\n\n## Unexpired visas\n\nUnexpired visas in your old passport may become invalid if you change your name. Check with the embassy or consulate of the country that issued the visa.\n\n## If you have a non-British passport\n\nIf you have dual citizenship (\u2018dual nationality\u2019) and have a non-British passport, the name on your non-British passport must match the name and gender you want on your British passport.\n\nIf it\u2019s different, change the details on your non-British passport before you apply for a new British passport.\n\n## Marriage or civil partnership change\n\nYou can get a new passport in your new name either before or after the ceremony.\n\nThe name on your passport must match the one you use when you book your travel.\n\n## Get a new passport after the ceremony\n\nSend your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.\n\n## Get a new passport before the ceremony\n\nYou can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.\n\nYour old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.\n\nSome countries will not issue visas for post-dated passports - check with the country\u2019s embassy or consulate.\n\nYou must send a \u2018passports for newly weds and civil partners\u2019 form with your documents. It must be signed by the religious minister or registrar who will conduct the ceremony.\n\n## Divorce or returning to a previous surname\n\nWhen you apply, you also need to send:\n\n- your birth certificate\n\n- a statement signed by you saying you\u2019ve gone back to a previous surname (for example your maiden name) \u2018for all purposes\u2019 - that is, you will not use your married or civil partnership name at all\n\n- a document that shows you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\n- your decree absolute or final order showing both names\n\n- a marriage or civil partnership certificate showing both names - if you do not have it you can order a copy\n\n## Gender change\n\nSend one of the following when you apply for a passport:\n\n- a Gender Recognition Certificate\n\n- a new birth or adoption certificate showing your acquired gender\n\n- a letter from your doctor or medical consultant confirming your change of gender is likely to be permanent\n\nIf you\u2019re sending a letter from your doctor or medical consultant and you\u2019re changing your name, you\u2019ll also need to supply both of the following:\n\n- evidence of your change of name (such as a deed poll)\n\n- evidence that you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\nRead the information about passports for transgender and transsexual people if you need help.\n\n## Titles and small changes to forenames\n\nYou can:\n\n- change the spelling of your name slightly - for example, Jane to Jayne\n\n- change the order of your forenames\n\n- remove middle names\n\nSend 2 documents that show you\u2019re using your new name. These can include a:\n\n- letter from a local council or government department\n\n- driving licence\n\n- bank statement\n\n- baptism or confirmation certificate\n\n## Titles you can use on your passport\n\nYou can include:\n\n- professional titles - for example, doctor, judge, minister of religion, professor, QC, or JP if you\u2019re a magistrate\n\n- honours or military decorations\n\nPut the details in the \u2018other title\u2019 box of your application and send evidence of your title.\n\nYour title will be on the \u2018observations\u2019 page of your passport - it will not be part of your name, except if it\u2019s a title of nobility, for example knight, dame or a lord.\n\n## Other name changes\n\nYou can change your name on your passport with one of the following documents:\n\n- a deed poll\n\n- a statutory declaration\n\n- an affidavit\n\nSend it with both:\n\n- proof of any previous name changes you\u2019ve made\n\n- evidence that you\u2019re using your new name (for example a payslip or a letter from your local council)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/changing-passport-information", + "answerable": true, + "scenario": "I am getting married. My surname will be changing to my husband's surname. I want to apply for a new passport before the ceremony.", + "original_question": "Will I be able to apply for a new passport before the wedding day?" + }, + { + "id": "train-1882", + "question": "Scenario: I was in a bad car accident that required surgery. My face is unrecognisable from the picture on my passport.\n\nQuestion: Will I need to apply for a new passport?\n\nDocument - Change your name or personal details on your passport:\n## How it works\n\nYou\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:\n\n- your name\n\n- your gender\n\n- your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)\n\nThe name on your passport must match the one you use when you book your travel.\n\nYou\u2019ll be sent a new 10 year passport. Time left on your old passport will not be added to your new one.\n\n## When you do not need a new passport\n\nYou do not need to get a new passport if you:\n\n- change your address or contact details\n\n- get a new job\n\n- change your appearance slightly - for example, dye your hair or grow a beard\n\n- change your marital status (divorce, marry or form a civil partnership) but keep your name\n\n- change your title, for example, doctor or professor\n\n- become a national of another country as well as the UK\n\n- emigrate\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport. It takes longer to apply by post than online.\n\nYou may be able to get a passport urgently if you need to travel sooner.\n\nDo not book travel until you have a valid passport - your new passport will not have the same number as your old one.\n\n## Apply online\n\nYou can apply for a new passport online. It costs \u00a375.50.\n\nStart now\n\n## Apply using a paper application form\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications. Use the online service to get your passport.\n\nYou can get a paper application form by either:\n\n- going to a Post Office that has a Check and Send service\n\n- calling the Passport Adviceline\n\nIt costs \u00a385.\n\nFill in and sign your passport application using the name that you want to see printed on your passport.\n\n## Countersignatures\n\nYou must get a countersignature if your appearance has changed and you cannot be recognised from your existing passport.\n\nYou do not need a countersignature if you\u2019re changing your name or adding a title.\n\n## Unexpired visas\n\nUnexpired visas in your old passport may become invalid if you change your name. Check with the embassy or consulate of the country that issued the visa.\n\n## If you have a non-British passport\n\nIf you have dual citizenship (\u2018dual nationality\u2019) and have a non-British passport, the name on your non-British passport must match the name and gender you want on your British passport.\n\nIf it\u2019s different, change the details on your non-British passport before you apply for a new British passport.\n\n## Marriage or civil partnership change\n\nYou can get a new passport in your new name either before or after the ceremony.\n\nThe name on your passport must match the one you use when you book your travel.\n\n## Get a new passport after the ceremony\n\nSend your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.\n\n## Get a new passport before the ceremony\n\nYou can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.\n\nYour old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.\n\nSome countries will not issue visas for post-dated passports - check with the country\u2019s embassy or consulate.\n\nYou must send a \u2018passports for newly weds and civil partners\u2019 form with your documents. It must be signed by the religious minister or registrar who will conduct the ceremony.\n\n## Divorce or returning to a previous surname\n\nWhen you apply, you also need to send:\n\n- your birth certificate\n\n- a statement signed by you saying you\u2019ve gone back to a previous surname (for example your maiden name) \u2018for all purposes\u2019 - that is, you will not use your married or civil partnership name at all\n\n- a document that shows you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\n- your decree absolute or final order showing both names\n\n- a marriage or civil partnership certificate showing both names - if you do not have it you can order a copy\n\n## Gender change\n\nSend one of the following when you apply for a passport:\n\n- a Gender Recognition Certificate\n\n- a new birth or adoption certificate showing your acquired gender\n\n- a letter from your doctor or medical consultant confirming your change of gender is likely to be permanent\n\nIf you\u2019re sending a letter from your doctor or medical consultant and you\u2019re changing your name, you\u2019ll also need to supply both of the following:\n\n- evidence of your change of name (such as a deed poll)\n\n- evidence that you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\nRead the information about passports for transgender and transsexual people if you need help.\n\n## Titles and small changes to forenames\n\nYou can:\n\n- change the spelling of your name slightly - for example, Jane to Jayne\n\n- change the order of your forenames\n\n- remove middle names\n\nSend 2 documents that show you\u2019re using your new name. These can include a:\n\n- letter from a local council or government department\n\n- driving licence\n\n- bank statement\n\n- baptism or confirmation certificate\n\n## Titles you can use on your passport\n\nYou can include:\n\n- professional titles - for example, doctor, judge, minister of religion, professor, QC, or JP if you\u2019re a magistrate\n\n- honours or military decorations\n\nPut the details in the \u2018other title\u2019 box of your application and send evidence of your title.\n\nYour title will be on the \u2018observations\u2019 page of your passport - it will not be part of your name, except if it\u2019s a title of nobility, for example knight, dame or a lord.\n\n## Other name changes\n\nYou can change your name on your passport with one of the following documents:\n\n- a deed poll\n\n- a statutory declaration\n\n- an affidavit\n\nSend it with both:\n\n- proof of any previous name changes you\u2019ve made\n\n- evidence that you\u2019re using your new name (for example a payslip or a letter from your local council)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/changing-passport-information", + "answerable": true, + "scenario": "I was in a bad car accident that required surgery. My face is unrecognisable from the picture on my passport.", + "original_question": "Will I need to apply for a new passport?" + }, + { + "id": "train-1883", + "question": "Scenario: I am a mother who is taking a baby on a plane when we leave from the UK. I want to take frozen baby milk on holiday.\n\nQuestion: Am I allowed to take this in the on-board luggage?\n\nDocument - Hand luggage restrictions at UK airports:\n## Overview\n\nThere are restrictions on what items you can take in your hand luggage and hold luggage when boarding a plane in the UK.\n\nThere are different rules if you\u2019re taking goods to sell or temporarily abroad for business reasons, for example sales samples, professional equipment or musical instruments for a performance.\n\nAirport security staff will not let anything through that they consider dangerous - even if it\u2019s normally allowed in hand luggage.\n\n## Hand luggage allowances\n\nCheck with your airline how many and what size bags you can take on the plane with you.\n\nCheck the rules for electronic items and devices you\u2019re allowed to take on a flight before you travel - there are different rules depending on which country you are travelling to or from.\n\n## Taking liquids through security\n\nThere are restrictions on the amount of liquids you can take in your hand luggage. If possible, pack liquids in your hold baggage (luggage that you check in).\n\nLiquids include:\n\n- all drinks, including water\n\n- liquid or semi-liquid foods, for example soup, jam, honey and syrups\n\n- cosmetics and toiletries, including creams, lotions, oils, perfumes, mascara and lip gloss\n\n- sprays, including shaving foam, hairspray and spray deodorants\n\n- pastes, including toothpaste\n\n- gels, including hair and shower gel\n\n- contact lens solution\n\n- any other solutions and items of similar consistency\n\nIf you do take liquids in your hand luggage:\n\n- containers must hold no more than 100ml\n\n- containers must be in a single, transparent, resealable plastic bag, which holds no more than a litre and measures approximately 20cm x 20cm\n\n- contents must fit comfortably inside the bag so it can be sealed\n\n- the bag must not be knotted or tied at the top\n\n- you\u2019re limited to 1 plastic bag per person\n\n- you must show the bag at the airport security point\n\nLiquids in containers larger than 100ml generally cannot go through security even if the container is only part full. There are some exemptions.\n\n## Exemptions\n\nYou can take liquid containers larger than 100ml through security if they:\n\n- are for essential medical purposes\n\n- are for special dietary requirements\n\n- contain baby food or baby milk\n\nYou can also take liquids bought at an airport or on a plane (such as duty free) through security if:\n\n- the items are sealed inside a security bag when you buy them\n\n- the receipt for the items is sealed in the security bag and visible\n\nYou must not open the security bag until you reach your final destination. Airport staff may need to open the items to screen the liquid at the security point.\n\n## Liquid restrictions outside the EU\n\nCountries outside the EU might have different rules on carrying liquids as a transit or transfer passenger. You should check these rules with the relevant airlines and airports before travelling.\n\n## Lighters\n\nYou can only carry 1 lighter on board. You should put it inside a resealable plastic bag (like the ones used for liquids), which you must keep on you throughout the flight. You cannot:\n\n- put it in your hold luggage\n\n- put it in your hand luggage after screening\n\n## Food and powders\n\nFood items and powders in your hand luggage can obstruct images on x-ray machines. Your bags may need to be checked again manually by security. You can put these items in your hold luggage to minimise delays.\n\n## Baby food and baby milk\n\nWhen travelling with a baby you\u2019re allowed to take enough baby food, baby milk and sterilised water for the journey. There is no legal limit to how much you can take however check with your airport before you travel.\n\nYou can carry breast milk in hand luggage even if you\u2019re not travelling with a baby. You cannot carry frozen breast milk in hand luggage.\n\nIndividual containers of breast milk must hold no more than 2,000ml. Each container will need to be screened at the security point. Airport staff might need to open the containers to screen the liquids.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Breast milk | Yes, in containers up to 2,000ml | Yes |\n\n| Frozen breast milk | No | Yes |\n\n| Formula milk, cow\u2019s milk | Yes (baby must be present) | Yes |\n\n| Sterilised water for the baby | Yes (baby must be present) | Yes |\n\n| Soya milk for babies | Yes (baby must be present) | Yes |\n\n| Baby food | Yes (baby must be present) | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n## Personal items\n\n## Musical instruments\n\nContact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.\n\nMusical instruments will be screened separately.\n\n## Mobility aids\n\nPushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.\n\nFor battery-powered wheelchairs or mobility aids check with your airline first.\n\n## Other personal items\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Corkscrew | No | Yes |\n\n| Spoon | Yes | Yes |\n\n| Knife (with a sharp or pointed blade and/or blade longer than 6cm) | No | Yes (check with your airline) |\n\n| Small scissors (with blades no longer than 6cm) | Yes | Yes |\n\n| Large scissors (with blades longer than 6cm) | No | Yes (check with your airline) |\n\n| Round-ended/blunt scissors | Yes | Yes |\n\n| Fixed-cartridge razor blades (disposable razor) | Yes | Yes |\n\n| Nail clippers/nail file | Yes | Yes |\n\n| Tweezers | Yes | Yes |\n\n| Knitting needles | Yes | Yes |\n\n| Sewing needle | Yes | Yes |\n\n| Umbrella | Yes | Yes |\n\n| Walking stick/cane, walking aid | Yes | Yes |\n\n| Pushchair | Yes | Yes |\n\n| Wheelchair | Yes | Yes |\n\n| Safety matches | Yes | No |\n\n| Non-safety matches | No | No |\n\n| Fireworks, flares and other pyrotechnics, including party poppers and toy caps | No | No |\n\n| Cigarette lighter | No, but you can put a lighter in a plastic liquids bag and keep it on your person | No |\n\n| Contact lens solution | Yes (up to 100ml) | Yes |\n\n## Medicines, medical equipment and dietary requirements\n\nYou\u2019re allowed to carry the following in your hand luggage:\n\n- essential medicines of more than 100ml, including liquid dietary foodstuffs and inhalers\n\n- medical equipment, if it\u2019s essential for your journey\n\nYou\u2019ll need supporting documentation from a relevant medical professional (for example a letter from your doctor or a copy of your prescription).\n\nAirport staff might need to open the containers to screen the liquids at the security point. Medical equipment is screened separately.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tablets and capsules | Yes | Yes |\n\n| Essential liquid medicines | Yes | Yes |\n\n| Hypodermic syringes | Yes | Yes |\n\n| Inhalers | Yes | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n| Medical equipment (for example CPAP and TENS machines) | Yes | Yes |\n\n| Special food and liquids needed for medical reasons | Yes | Yes |\n\n| Oxygen cylinders | Contact your airline | Contact your airline |\n\n## Electronic devices and electrical items\n\nYou can only take certain electronic devices and electrical items on flights to the UK.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Mobile phone | Yes | Yes |\n\n| Laptop | Yes | Yes |\n\n| Tablet devices | Yes | Yes |\n\n| MP3 player | Yes | Yes |\n\n| Hairdryer or straighteners | Yes | Yes |\n\n| Travel iron | Yes | Yes |\n\n| Electric shaver | Yes | Yes |\n\n| E-cigarettes | Yes | No |\n\nSome airlines might also have different restrictions. Check with your airline before you travel if you\u2019re not sure about what you can take as hand luggage.\n\n## Cameras\n\nYou can usually take camera equipment in your hand and hold luggage.\n\nThere might be restrictions on specialist equipment, for example professional video cameras.\n\n## Make sure your devices are charged\n\nMake sure your electronic devices are charged before you travel. If your device does not switch on when requested, you will not be allowed to take it onto the aircraft.\n\n## Batteries for your device\n\nCheck the restrictions on certain types of batteries or contact your airline if you\u2019re not sure what you can carry.\n\n## Gas-powered hair curlers\n\nYou can take hair curlers containing a gas cartridge in hand or hold luggage as long as the safety cover is fitted at all times. You must not take separate gas cartridges on board.\n\n## Sports equipment\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Sports parachute | Yes | Yes |\n\n| Heavy bats and sticks (including baseball, softball and cricket bats) | No | Yes |\n\n| Tennis racquets | Yes | Yes |\n\n| Snooker, pool or billiard cue | Yes | Yes |\n\n| Golf clubs | No | Yes |\n\n| Darts | No | Yes |\n\n| Walking/hiking poles | No | Yes |\n\n| Fishing rod | Yes | Yes |\n\n| Catapult | No | Yes |\n\n| Firearms (including replica firearms) | No | Check with your airline before you travel |\n\n| Harpoon or spear gun | No | Check with your airline before you travel |\n\n| Crossbow | No | Yes |\n\n| Martial arts equipment (including knuckledusters, clubs, coshes, rice flails and nunchuks) | No | Yes |\n\n| Diving equipment | Check with your airline before you travel | Check with your airline before you travel |\n\n## Work tools\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tool with a blade or shaft longer than 6cm (for example chisel) | No | Yes |\n\n| Drill and drill bits | No | Yes |\n\n| Stanley knife | No | Yes |\n\n| Saw (including portable power saw) | No | Yes |\n\n| Screwdriver | No | Yes |\n\n| Hammer | No | Yes |\n\n| Pliers | No | Yes |\n\n| Wrench or spanner | No | Yes |\n\n| Bolt gun or nail gun | No | Yes |\n\n| Crowbar | No | Yes |\n\n| Blowtorch | No | Yes |\n\n## Chemicals and toxic substances\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- oxidisers and organic peroxides, including bleach and car body repair kits\n\n- acids and alkalis (for example spillable \u2018wet\u2019 batteries)\n\n- corrosives or bleaching agents (including mercury and chlorine)\n\n- vehicle batteries and fuel systems\n\n- self defence or disabling sprays (for example mace, pepper spray)\n\n- radioactive materials (including medicinal or commercial isotopes)\n\n- poisons or toxic substances (for example rat poison)\n\n- biological hazards (for example infected blood, bacteria, viruses)\n\n- materials that could spontaneously combust (burst into flames)\n\n- fire extinguishers\n\n## Ammunition\n\nYou cannot take any guns or firearms (including air rifles and starting pistols) as hand luggage. You may be able to take them as hold luggage - check with your airline before you travel.\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- blasting caps\n\n- detonators and fuses\n\n- imitation explosive devices (including replica or model guns)\n\n- mines, grenades, and other explosive military stores\n\n- fireworks and pyrotechnics\n\n- smoke canisters\n\n- smoke cartridges\n\n- dynamite\n\n- gunpowder\n\n- plastic explosives (including black powder and percussion caps)\n\n- flares\n\n- hand grenades\n\n- gun cigarette lighters", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/hand-luggage-restrictions", + "answerable": true, + "scenario": "I am a mother who is taking a baby on a plane when we leave from the UK. I want to take frozen baby milk on holiday.", + "original_question": "Am I allowed to take this in the on-board luggage?" + }, + { + "id": "train-1884", + "question": "Scenario: I am going on a performance to Spain from the UK. I am going to be taking my cello with me.\n\nQuestion: Can I take it in my hand luggage?\n\nDocument - Hand luggage restrictions at UK airports:\n## Overview\n\nThere are restrictions on what items you can take in your hand luggage and hold luggage when boarding a plane in the UK.\n\nThere are different rules if you\u2019re taking goods to sell or temporarily abroad for business reasons, for example sales samples, professional equipment or musical instruments for a performance.\n\nAirport security staff will not let anything through that they consider dangerous - even if it\u2019s normally allowed in hand luggage.\n\n## Hand luggage allowances\n\nCheck with your airline how many and what size bags you can take on the plane with you.\n\nCheck the rules for electronic items and devices you\u2019re allowed to take on a flight before you travel - there are different rules depending on which country you are travelling to or from.\n\n## Taking liquids through security\n\nThere are restrictions on the amount of liquids you can take in your hand luggage. If possible, pack liquids in your hold baggage (luggage that you check in).\n\nLiquids include:\n\n- all drinks, including water\n\n- liquid or semi-liquid foods, for example soup, jam, honey and syrups\n\n- cosmetics and toiletries, including creams, lotions, oils, perfumes, mascara and lip gloss\n\n- sprays, including shaving foam, hairspray and spray deodorants\n\n- pastes, including toothpaste\n\n- gels, including hair and shower gel\n\n- contact lens solution\n\n- any other solutions and items of similar consistency\n\nIf you do take liquids in your hand luggage:\n\n- containers must hold no more than 100ml\n\n- containers must be in a single, transparent, resealable plastic bag, which holds no more than a litre and measures approximately 20cm x 20cm\n\n- contents must fit comfortably inside the bag so it can be sealed\n\n- the bag must not be knotted or tied at the top\n\n- you\u2019re limited to 1 plastic bag per person\n\n- you must show the bag at the airport security point\n\nLiquids in containers larger than 100ml generally cannot go through security even if the container is only part full. There are some exemptions.\n\n## Exemptions\n\nYou can take liquid containers larger than 100ml through security if they:\n\n- are for essential medical purposes\n\n- are for special dietary requirements\n\n- contain baby food or baby milk\n\nYou can also take liquids bought at an airport or on a plane (such as duty free) through security if:\n\n- the items are sealed inside a security bag when you buy them\n\n- the receipt for the items is sealed in the security bag and visible\n\nYou must not open the security bag until you reach your final destination. Airport staff may need to open the items to screen the liquid at the security point.\n\n## Liquid restrictions outside the EU\n\nCountries outside the EU might have different rules on carrying liquids as a transit or transfer passenger. You should check these rules with the relevant airlines and airports before travelling.\n\n## Lighters\n\nYou can only carry 1 lighter on board. You should put it inside a resealable plastic bag (like the ones used for liquids), which you must keep on you throughout the flight. You cannot:\n\n- put it in your hold luggage\n\n- put it in your hand luggage after screening\n\n## Food and powders\n\nFood items and powders in your hand luggage can obstruct images on x-ray machines. Your bags may need to be checked again manually by security. You can put these items in your hold luggage to minimise delays.\n\n## Baby food and baby milk\n\nWhen travelling with a baby you\u2019re allowed to take enough baby food, baby milk and sterilised water for the journey. There is no legal limit to how much you can take however check with your airport before you travel.\n\nYou can carry breast milk in hand luggage even if you\u2019re not travelling with a baby. You cannot carry frozen breast milk in hand luggage.\n\nIndividual containers of breast milk must hold no more than 2,000ml. Each container will need to be screened at the security point. Airport staff might need to open the containers to screen the liquids.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Breast milk | Yes, in containers up to 2,000ml | Yes |\n\n| Frozen breast milk | No | Yes |\n\n| Formula milk, cow\u2019s milk | Yes (baby must be present) | Yes |\n\n| Sterilised water for the baby | Yes (baby must be present) | Yes |\n\n| Soya milk for babies | Yes (baby must be present) | Yes |\n\n| Baby food | Yes (baby must be present) | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n## Personal items\n\n## Musical instruments\n\nContact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.\n\nMusical instruments will be screened separately.\n\n## Mobility aids\n\nPushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.\n\nFor battery-powered wheelchairs or mobility aids check with your airline first.\n\n## Other personal items\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Corkscrew | No | Yes |\n\n| Spoon | Yes | Yes |\n\n| Knife (with a sharp or pointed blade and/or blade longer than 6cm) | No | Yes (check with your airline) |\n\n| Small scissors (with blades no longer than 6cm) | Yes | Yes |\n\n| Large scissors (with blades longer than 6cm) | No | Yes (check with your airline) |\n\n| Round-ended/blunt scissors | Yes | Yes |\n\n| Fixed-cartridge razor blades (disposable razor) | Yes | Yes |\n\n| Nail clippers/nail file | Yes | Yes |\n\n| Tweezers | Yes | Yes |\n\n| Knitting needles | Yes | Yes |\n\n| Sewing needle | Yes | Yes |\n\n| Umbrella | Yes | Yes |\n\n| Walking stick/cane, walking aid | Yes | Yes |\n\n| Pushchair | Yes | Yes |\n\n| Wheelchair | Yes | Yes |\n\n| Safety matches | Yes | No |\n\n| Non-safety matches | No | No |\n\n| Fireworks, flares and other pyrotechnics, including party poppers and toy caps | No | No |\n\n| Cigarette lighter | No, but you can put a lighter in a plastic liquids bag and keep it on your person | No |\n\n| Contact lens solution | Yes (up to 100ml) | Yes |\n\n## Medicines, medical equipment and dietary requirements\n\nYou\u2019re allowed to carry the following in your hand luggage:\n\n- essential medicines of more than 100ml, including liquid dietary foodstuffs and inhalers\n\n- medical equipment, if it\u2019s essential for your journey\n\nYou\u2019ll need supporting documentation from a relevant medical professional (for example a letter from your doctor or a copy of your prescription).\n\nAirport staff might need to open the containers to screen the liquids at the security point. Medical equipment is screened separately.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tablets and capsules | Yes | Yes |\n\n| Essential liquid medicines | Yes | Yes |\n\n| Hypodermic syringes | Yes | Yes |\n\n| Inhalers | Yes | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n| Medical equipment (for example CPAP and TENS machines) | Yes | Yes |\n\n| Special food and liquids needed for medical reasons | Yes | Yes |\n\n| Oxygen cylinders | Contact your airline | Contact your airline |\n\n## Electronic devices and electrical items\n\nYou can only take certain electronic devices and electrical items on flights to the UK.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Mobile phone | Yes | Yes |\n\n| Laptop | Yes | Yes |\n\n| Tablet devices | Yes | Yes |\n\n| MP3 player | Yes | Yes |\n\n| Hairdryer or straighteners | Yes | Yes |\n\n| Travel iron | Yes | Yes |\n\n| Electric shaver | Yes | Yes |\n\n| E-cigarettes | Yes | No |\n\nSome airlines might also have different restrictions. Check with your airline before you travel if you\u2019re not sure about what you can take as hand luggage.\n\n## Cameras\n\nYou can usually take camera equipment in your hand and hold luggage.\n\nThere might be restrictions on specialist equipment, for example professional video cameras.\n\n## Make sure your devices are charged\n\nMake sure your electronic devices are charged before you travel. If your device does not switch on when requested, you will not be allowed to take it onto the aircraft.\n\n## Batteries for your device\n\nCheck the restrictions on certain types of batteries or contact your airline if you\u2019re not sure what you can carry.\n\n## Gas-powered hair curlers\n\nYou can take hair curlers containing a gas cartridge in hand or hold luggage as long as the safety cover is fitted at all times. You must not take separate gas cartridges on board.\n\n## Sports equipment\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Sports parachute | Yes | Yes |\n\n| Heavy bats and sticks (including baseball, softball and cricket bats) | No | Yes |\n\n| Tennis racquets | Yes | Yes |\n\n| Snooker, pool or billiard cue | Yes | Yes |\n\n| Golf clubs | No | Yes |\n\n| Darts | No | Yes |\n\n| Walking/hiking poles | No | Yes |\n\n| Fishing rod | Yes | Yes |\n\n| Catapult | No | Yes |\n\n| Firearms (including replica firearms) | No | Check with your airline before you travel |\n\n| Harpoon or spear gun | No | Check with your airline before you travel |\n\n| Crossbow | No | Yes |\n\n| Martial arts equipment (including knuckledusters, clubs, coshes, rice flails and nunchuks) | No | Yes |\n\n| Diving equipment | Check with your airline before you travel | Check with your airline before you travel |\n\n## Work tools\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tool with a blade or shaft longer than 6cm (for example chisel) | No | Yes |\n\n| Drill and drill bits | No | Yes |\n\n| Stanley knife | No | Yes |\n\n| Saw (including portable power saw) | No | Yes |\n\n| Screwdriver | No | Yes |\n\n| Hammer | No | Yes |\n\n| Pliers | No | Yes |\n\n| Wrench or spanner | No | Yes |\n\n| Bolt gun or nail gun | No | Yes |\n\n| Crowbar | No | Yes |\n\n| Blowtorch | No | Yes |\n\n## Chemicals and toxic substances\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- oxidisers and organic peroxides, including bleach and car body repair kits\n\n- acids and alkalis (for example spillable \u2018wet\u2019 batteries)\n\n- corrosives or bleaching agents (including mercury and chlorine)\n\n- vehicle batteries and fuel systems\n\n- self defence or disabling sprays (for example mace, pepper spray)\n\n- radioactive materials (including medicinal or commercial isotopes)\n\n- poisons or toxic substances (for example rat poison)\n\n- biological hazards (for example infected blood, bacteria, viruses)\n\n- materials that could spontaneously combust (burst into flames)\n\n- fire extinguishers\n\n## Ammunition\n\nYou cannot take any guns or firearms (including air rifles and starting pistols) as hand luggage. You may be able to take them as hold luggage - check with your airline before you travel.\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- blasting caps\n\n- detonators and fuses\n\n- imitation explosive devices (including replica or model guns)\n\n- mines, grenades, and other explosive military stores\n\n- fireworks and pyrotechnics\n\n- smoke canisters\n\n- smoke cartridges\n\n- dynamite\n\n- gunpowder\n\n- plastic explosives (including black powder and percussion caps)\n\n- flares\n\n- hand grenades\n\n- gun cigarette lighters", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/hand-luggage-restrictions", + "answerable": true, + "scenario": "I am going on a performance to Spain from the UK. I am going to be taking my cello with me.", + "original_question": "Can I take it in my hand luggage?" + }, + { + "id": "train-1902", + "question": "Scenario: I am travelling to the UK from India. I want to bring over \u20ac12,000 in cash and some products that I plan to sell in my business.\n\nQuestion: Will I need to declare these items at customs?\n\nDocument - Entering the UK:\n## Overview\n\nIf you\u2019re travelling to England, what you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:\n\n- green list - you must take a coronavirus (COVID-19) test on or before day 2\n\n- amber list - you must quarantine in the place you\u2019re staying and take 2 COVID-19 tests\n\n- red list - you must quarantine in a hotel and take 2 COVID-19 tests\n\nYou cannot currently enter the UK if you\u2019ve been in or through a country on the red list unless you\u2019re British, Irish or you have the right to live in the UK.\n\nYou must follow these rules even if you have been vaccinated.\n\nFind out which list the country you\u2019ve been in is on and what you need to do.\n\nFind out what to do if you\u2019re:\n\n- travelling to Scotland\n\n- travelling to Wales\n\n- travelling to Northern Ireland\n\n## Before you leave for the UK\n\nYou\u2019ll need to:\n\n- provide proof of a negative COVID-19 test taken in the 3 days before you leave for the UK\n\n- complete a passenger locator form\n\nFind out more about what you\u2019ll need to do before you leave for the UK because of COVID-19.\n\nYour passport or identity card will be checked when you arrive at a UK port or airport to make sure you\u2019re allowed to come into the country. It should be valid for the whole of your stay.\n\nYou may also need a visa to come into or travel through the UK, depending on your nationality.\n\n## What you can bring with you\n\nWhat you can bring with you depends on where you\u2019re travelling from. You must declare to customs:\n\n- anything over your duty-free allowance\n\n- banned or restricted goods in the UK\n\n- goods that you plan to sell\n\n- more than \u20ac10,000 (or its equivalent) in cash, if you\u2019re coming from outside the EU\n\nYou and your baggage may be checked for anything you must declare.\n\n## COVID-19 restrictions in the UK\n\nCOVID-19 restrictions currently apply in England. Find out about the:\n\n- rules in Scotland\n\n- rules in Wales\n\n- rules in Northern Ireland\n\n## Before you leave for the UK\n\nEveryone travelling to the UK must:\n\n- book at least one coronavirus (COVID-19) test for after you arrive\n\n- provide your contact details by completing the online passenger locator form\n\n- provide proof of a negative COVID-19 test taken in the 3 days before you leave for the UK\n\n- follow the testing and quarantine rules in England, Scotland, Wales or Northern Ireland\n\nYou\u2019ll be committing a criminal offence if you do not have proof of a negative test or you have not completed the passenger locator form. You may be fined. You may not be allowed to board. If you are not British or Irish, you may not be allowed to enter the UK.\n\n## COVID-19 testing and quarantine in England\n\nWhat you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:\n\n- green list - you must book a COVID-19 test to take after you arrive\n\n- amber list - you must book 2 COVID-19 tests to take after you arrive and quarantine in the place you\u2019re staying\n\n- red list - you must book a hotel quarantine package, which includes 2 COVID-19 tests\n\nFind out which list the country you\u2019ve been in is on and what you need to do.\n\nYou must follow these rules even if you have been vaccinated.\n\nYou might be exempt from some or all COVID-19 travel and entry requirements because of your job. Check if your job means you\u2019re exempt.\n\nChildren aged 4 and under do not need to take any COVID-19 travel tests after they arrive in England.\n\nIf you\u2019re travelling from a country on the amber list, you may be able to end your quarantine early by booking a third coronavirus test through Test to Release.\n\n## COVID-19 testing and quarantine in Scotland, Wales and Northern Ireland\n\nCheck the rules and exemptions for quarantine and COVID-19 tests:\n\n- if you\u2019re travelling to Scotland\n\n- if you\u2019re travelling to Wales\n\n- If you\u2019re travelling to Northern Ireland\n\n## Complete the passenger locator form\n\nYou need to provide your journey and contact details in the 48 hours before you arrive in the UK. You must do this by completing the online passenger locator form.\n\nYou\u2019ll need to show your completed passenger locator form when you check in to travel or board your plane, train or ferry.\n\nYou\u2019ll also need to show proof that you\u2019ve completed the form when you arrive at the UK border.\n\n## Provide a negative COVID-19 test to travel to the UK\n\nYou must have proof of a negative COVID-19 test to travel to the UK - even if you\u2019re a UK citizen.\n\nIf your test result is positive you must not travel. You must follow the local COVID-19 rules and guidance.\n\nThe test must be taken in the 3 days before you depart. The results must be in English, French or Spanish.\n\nYou\u2019ll need to show the test results when you check in to travel or board your plane, train or ferry. You may also be asked to show them when you arrive.\n\nYou could be fined \u00a3500 when you arrive at the border if you cannot provide proof that you have had a negative COVID-19 test.\n\nFind out more about providing a COVID-19 test result, including exemptions and acceptable types of test.\n\n## When you do not need to provide a negative COVID-19 test\n\nYou do not need a test if you\u2019re travelling:\n\n- within the UK, the Isle of Man, Jersey and Guernsey\n\n- from Ireland\n\n- from Ascension, Falkland Islands, St Helena and Myanmar\n\nChildren under 11 do not need a test.\n\nThere are other reasons you might not need a test, for example:\n\n- you have a job on the \u2018exempt jobs\u2019 list\n\n- you\u2019re travelling to the UK for medical reasons\n\n- you\u2019re travelling from a country where you cannot access testing facilities\n\nRead the guidance about:\n\n- taking a COVID-19 test before you travel to England\n\n- taking a COVID-19 test before you travel to Scotland\n\nYou must still follow the rules for quarantining when you arrive in the UK.\n\n## You\u2019re from an EEA country or Switzerland\n\nYou can enter the UK with either a passport or national identity card issued by an EEA country or Switzerland that should be valid for the whole of your stay.\n\nFrom 1 October 2021, you will not be able to use an EEA or Swiss national identity card to enter the UK unless you:\n\n- have settled or pre-settled status under the EU Settlement Scheme\n\n- have an EU Settlement Scheme family permit\n\n- have a Frontier Worker permit\n\n- are an S2 Healthcare Visitor\n\n- are a Swiss Service Provider\n\nCheck if you need a visa to come to the UK after 1 January 2021.\n\n## You\u2019re not from an EEA country\n\nYou must have a valid passport to enter the UK. It should be valid for the whole of your stay.\n\nYou may also need a visa, depending on which country you\u2019re from.\n\nCheck if you need a visa to enter the UK.\n\nYou may also need a visa if you\u2019re \u2018transiting\u2019 or travelling through the UK, for example you\u2019re changing flights at a UK airport.\n\n## Applying for a visa\n\nYou must apply for your visa before you arrive in the UK.\n\n## Travelling with children\n\nYou may be asked at the border to prove the relationship between yourself and any children travelling with you, if you do not seem to be the parent, for example if you have a different surname.\n\nYou can prove this with:\n\n- a birth or adoption certificate showing your relationship with the child\n\n- divorce or marriage certificates if you\u2019re the parent but have a different surname from the child\n\n- a letter from the child\u2019s parent giving permission for the child to travel with you and providing contact details, if you\u2019re not the parent\n\n## Before you board\n\nYour \u2018carrier\u2019 (for example airline or transport provider) will check your passport and other travel documents. They\u2019ll send this information electronically to Border Force.\n\nYou can ask to see the information about you that\u2019s been sent by carriers.\n\n## At border control\n\nYou must wear a face covering at the airport, port or station you\u2019re arriving into and follow social distancing rules.\n\nYou\u2019ll need to show:\n\n- your passport or identity card\n\n- your proof of a negative coronavirus (COVID-19) test\n\n- your passenger locator form\n\nYou must:\n\n- have your passport or identity card ready - remove it from a holder or wallet if you use one\n\n- remove your face covering or sunglasses, if you\u2019re wearing them\n\n- move through passport control together if you\u2019re in a family\n\nYou will have to wait longer than usual at border control because of COVID-19.\n\n## Showing your passenger locator form\n\nYou need to show proof that you\u2019ve completed a passenger locator form when you arrive at the UK border. The government will use the form to contact you if someone you\u2019ve travelled with develops COVID-19 symptoms.\n\nWhen you submit the form you\u2019ll receive a confirmation email with a document attached. At border control you must show either a:\n\n- printed copy of the document\n\n- downloaded copy of document on your phone\n\nBorder Force officers will scan the QR code at the top of this document to check you have completed the form successfully.\n\nIt is a criminal offence to provide false or deliberately misleading information when filling out your passenger locator form. You could be fined up to \u00a310,000, imprisoned for up to 10 years, or both, if you do not provide accurate details about the countries you have visited in the 10 days before you arrived in the UK.\n\nYou may also need to show proof of a negative coronavirus test at the border. You could be fined up to \u00a3500 if you cannot show proof when asked.\n\n## Arriving by bus or coach\n\nYou have to leave the bus when you arrive at border control.\n\nMake sure you:\n\n- are ready to get off the bus when you arrive\n\n- have your travel documents ready\n\nRead the guidance for school parties and groups coming to the UK by coach.\n\n## If you\u2019re from an EEA country or Switzerland\n\nYou can use the UK/EEA channel to get your passport or identity card checked - this is usually faster than the other channels.\n\nThe EEA includes the EU countries and also Iceland, Liechtenstein, and Norway.\n\nYou can use automatic ePassport gates at some airports if your passport has a \u2018chip\u2019 on it and you\u2019re 12 or over. If you\u2019re between 12 and 17, you must be accompanied by an adult.\n\nThese gates use facial recognition technology to check your identity against the photo in your passport.\n\n## If you\u2019re from a non-EEA country\n\nYour passport (and visa if you have one) will be checked at border control. You\u2019ll usually be asked why you\u2019re coming to the UK.\n\nYou can use the UK/EEA immigration lanes and the automatic ePassport gates if you\u2019re from:\n\n- Australia\n\n- Canada\n\n- Japan\n\n- New Zealand\n\n- Singapore\n\n- South Korea\n\n- United States\n\n## When you cannot use an ePassport gate\n\nYou must see a border control officer and get a stamp in your passport if you are entering the UK:\n\n- with a Tier 5 Creative or Sporting certificate of sponsorship for up to 3 months (and you want to enter without a visa)\n\n- on a permitted paid engagement\n\nYou cannot get a stamp if you use the ePassport gates. Without a stamp you will not be allowed to carry out the activities you came to the UK to do.\n\n## Registered Travellers\n\nYou can use the UK/EEA immigration lanes and the automatic ePassport gates.\n\n## Travelling with a UK biometric residence permit\n\nYou\u2019ll have a biometric residence permit if your fingerprints were taken when you applied.\n\nYour fingerprints will be checked at border control - they\u2019ll be checked against the ones stored on your visa document.\n\n## If you\u2019re refused entry\n\nYou\u2019ll be told in writing:\n\n- why you\u2019ve been refused entry to the UK\n\n- if you can appeal against the decision\n\n- when you will be removed from the UK\n\nYou\u2019ll usually have to leave the UK immediately.\n\nYou may be allowed into the UK temporarily (usually for up to a week) but your passport will be taken from you and you must report to immigration officers at set times.\n\n## Baggage checks\n\nYou must co-operate if you\u2019re stopped and asked about your baggage.\n\nIf you break the rules your goods and any vehicle you use to transport them may be seized.\n\n## If your baggage is checked\n\nYour baggage is usually checked in front of you.\n\nCustoms officers keep a record of:\n\n- all baggage they open and check\n\n- any damage to your baggage or belongings during a check\n\n## If your things are damaged\n\nYou may be offered compensation if your baggage or belongings are damaged during a customs check.\n\n## Making a complaint\n\nYou can:\n\n- ask for the duty manager if you want to complain about a customs check while you\u2019re at the border\n\n- send your complaint to Border Force if you want to complain later\n\n## Layovers and transiting through a UK airport\n\nPassing through a UK airport while on the way to another country is called \u2018transiting\u2019. Some travellers call it a \u2018layover\u2019.\n\nThere are 2 types of transiting:\n\n- \u2018airside\u2019 - you do not pass through UK border control before you leave on your connecting journey\n\n- \u2018landside\u2019 - you do pass through UK border control, but come back through it and leave the UK within a short amount of time (usually 24 hours)\n\nFind out if you need a UK visa for your layover.\n\n## Coronavirus (COVID-19) testing and quarantine\n\nBefore you travel you need to:\n\n- provide your contact details by completing the online passenger locator form\n\n- provide proof of a negative COVID-19 test\n\nCheck the rules for transiting.\n\n## Quarantining when you arrive in the UK\n\nIf you\u2019re travelling to England, what you need to do depends on where you have been in the 10 days before you arrive. If you have been in a country or territory on the:\n\n- green list - you do not need to quarantine but you must take a COVID-19 test on or before day 2\n\n- amber list - you must quarantine in the place you\u2019re staying and take 2 COVID-19 tests\n\n- red list - you must quarantine in a hotel and take 2 COVID-19 tests\n\nYou must follow these rules even if you have been vaccinated.\n\nFind out which list the country you\u2019ve been in is on and what you need to do.\n\nYou may be fined if you do not quarantine in the place you\u2019re staying or in a managed quarantine hotel when you need to. You can be prosecuted if you do not pay on time.\n\nSome people are exempt from some or all COVID-19 travel and entry requirements because of their jobs. Check if your job means you\u2019re exempt.\n\n## Quarantine rules in Scotland, Wales and Northern Ireland\n\nFind out what to do and whether you\u2019re exempt if you\u2019re:\n\n- travelling to Scotland\n\n- travelling to Wales\n\n- travelling to Northern Ireland\n\n## Ending quarantine early through Test to Release\n\nYou may be able to end quarantine early through the \u2018Test to Release\u2019 scheme if you pay for a private coronavirus (COVID-19) test.\n\nYou must still take the 2 COVID-19 tests you booked before you travelled. Find out more about the tests you must book and take.\n\nYou cannot use the Test to Release scheme if you\u2019ve been in or through a country on the red list in the 10 days before you arrive in England.\n\nThis guidance is for England. Find out what to do if you\u2019re:\n\n- travelling to Scotland\n\n- travelling to Wales\n\n- travelling to Northern Ireland\n\n## When you can take the private COVID-19 test\n\nThe earliest you can take a test is 5 days after you arrive in England. For example, if you arrive on a Monday, you can take a test from the following Saturday.\n\n## When you can stop quarantining\n\nIf the test is negative you can stop quarantining as soon as you get the result.\n\nIf the test is positive you need to quarantine for another 10 days. Count the 10 days starting from the day you took the test, or from when you first had symptoms if that is earlier.\n\nIf you\u2019re living or staying with someone in the UK they should also self-isolate for 10 days, starting from the day you took the test.\n\nIf the test is inconclusive you also need to quarantine for another 10 days. You can stop quarantining if you take another test with an eligible private provider and the result is negative.\n\nYou may be fined up to \u00a310,000 if you do not quarantine when you need to. You can be prosecuted if you do not pay the fine on time.\n\n## What you\u2019ll need\n\nBefore arriving in England, you\u2019ll need to:\n\n- book a test with an eligible private provider\n\n- say that you\u2019ll be using the Test to Release scheme on the passenger locator form\n\nYou cannot take a test through NHS Test and Trace to shorten your quarantine period. You must continue to quarantine if the result from an NHS Test and Trace test is negative.\n\nIf you did not book the test before you arrived in England, you can book one after you arrive. You will need to complete another passenger locator form to opt into the scheme.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/uk-border-control", + "answerable": true, + "scenario": "I am travelling to the UK from India. I want to bring over \u20ac12,000 in cash and some products that I plan to sell in my business.", + "original_question": "Will I need to declare these items at customs?" + }, + { + "id": "train-1903", + "question": "Scenario: I am a 32 year old who is planning to come to the UK on a family visa, along with my 10 year old son and 34 year old spouse. We have a combined income of \u00a320,000\n\nQuestion: Is our income enough for us to be allowed to the UK on a family visa?\n\nDocument - Family visas: apply, extend or switch:\n## Overview\n\nYou need a family visa to live with a family member in the UK for more than 6 months.\n\n## Applying from outside the UK\n\nYou can apply for a family visa to live with your:\n\n- spouse or partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- child\n\n- parent\n\n- relative who\u2019ll provide long-term care for you\n\nIf you\u2019re visiting the UK for 6 months or less, check if you need a Standard Visitor visa or Marriage Visitor visa.\n\n## Extending your family visa\n\nYou can apply to extend your stay with your family member if you\u2019re already in the UK on a family visa.\n\nYou can extend at any time before your current permission to stay in the UK expires.\n\nIf you\u2019re extending to stay with the same family member, you\u2019ll only get up to 28 days left on your current stay added to your new visa.\n\nYou must live in the UK for a certain amount of time before you\u2019re eligible for settlement (\u2018indefinite leave to remain\u2019). Before you extend your visa, check how much time you need to settle in the UK.\n\nYou might be able to apply to stay on the basis of your private life if you\u2019ve lived in the UK for many years already.\n\n## Switching to a family visa\n\nIf you came to the UK on a different visa, you might be able to switch to a family visa to stay with your:\n\n- spouse or partner\n\n- child\n\n- parent\n\nYou can switch at any time before your current permission to stay in the UK expires.\n\n## If you do not meet the rules because of coronavirus (COVID-19)\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus, you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Fees\n\nHow much it costs depends on how you apply.\n\n| | Apply outside the UK | Apply in the UK |\n\n| Cost if joining your partner, parent or child | \u00a31,523 | \u00a31,033 |\n\n| Cost for each dependant added to your application | \u00a31,523 each person | \u00a31,033 each person |\n\n| Cost for an adult who needs to be looked after by a relative | \u00a33,250 | \u00a31,033 |\n\nLet your bank know that a large amount of money will be coming out of your account - otherwise it might cancel your payment.\n\n## Healthcare surcharge\n\nYou might also need to pay the healthcare surcharge as part of your application.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying from the UK, you may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.\n\nYou cannot use the super priority service if you\u2019re applying as an adult coming to be cared for by a relative.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long it takes\n\nIf you apply outside the UK a decision will usually be made within 12 weeks.\n\nIf you apply in the UK a decision will usually be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will usually be made:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nIt might take longer if your application is complex, for example you:\n\n- do not meet the minimum income requirement\n\n- cannot prove your knowledge of English\n\n- need to attend an interview\n\n- have not provided all the evidence that the Home Office needs\n\n- have a criminal conviction or another personal circumstance that needs to be reviewed\n\n## Other ways you can stay\n\n## You were the victim of domestic abuse or your partner died\n\nYou might be able to apply to settle in the UK if you had permission to stay in the UK as a partner when either:\n\n- you were the victim of domestic abuse\n\n- your partner died\n\n## Your family member has refugee status or humanitarian protection\n\nYou might be able to apply for \u2018family reunion\u2019 to join a partner or parent who has either:\n\n- refugee status in the UK\n\n- humanitarian protection in the UK\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. Otherwise you need a visa or family permit to come to the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## When you cannot get a family visa\n\nIn some circumstances you cannot apply for, or switch to, a family visa.\n\n## Your family member has a work visa or student visa\n\nYou cannot apply for a family visa if your family member is in the UK temporarily on a work visa or student visa.\n\nYou can apply to stay with them as a dependant instead.\n\n## You have a visitor visa or a visa for 6 months or less\n\nYou\u2019ll usually need to leave the UK to apply for a family visa if either:\n\n- you have permission to be in the UK as a visitor\n\n- your visa is for 6 months or less\n\nHowever, you might be able to switch to a family visa in the UK if you have either:\n\n- a 6-month family visa as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- permission to stay in the UK for the outcome of a family court case or divorce\n\n## Apply as a partner or spouse\n\nTo apply as a partner, you and your partner both need to be 18 or over.\n\nYour partner must also either:\n\n- be a British or Irish citizen\n\n- have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- have a Turkish Businessperson visa or Turkish Worker visa\n\n- have refugee status or humanitarian protection in the UK\n\nYou and your partner must intend to live together permanently in the UK after you apply.\n\nIf your partner has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.\n\n## What you\u2019ll need to prove\n\nYou must be able to prove one of the following:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n- you are a fianc\u00e9, fianc\u00e9e or proposed civil partner and will marry or enter into a civil partnership in the UK within 6 months of arriving\n\nIf your wedding or civil ceremony has been delayed because of coronavirus (COVID-19), you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.\n\nYou also need to prove you:\n\n- have a good knowledge of English\n\n- can financially support yourself and your dependants\n\nIf you do not meet these requirements you may still be able to apply for a visa or extend your permission to stay if:\n\n- you have a child in the UK who is a British or Irish citizen or has lived in the UK for 7 years and it would be unreasonable for them to leave the UK\n\n- there would be very significant difficulties for you and your partner if you lived together as a couple outside the UK that could not be overcome\n\n- it would breach your human rights to stop you coming to the UK or make you leave\n\n## If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\nYou must prove that:\n\n- any previous marriages or civil partnerships have ended\n\n- you plan to marry or become civil partners within 6 months of arriving in the UK\n\nIf your wedding or civil ceremony has been delayed because of COVID-19, you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.\n\nYou will not be able to work during your engagement.\n\n## How long you can stay\n\nYou can stay in the UK for 2 years and 9 months on this visa. If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner, you can stay for 6 months.\n\nAfter this you\u2019ll need to apply to extend your stay.\n\n## If you extend or switch to this visa\n\nIf you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nHow you apply depends on whether you\u2019re in the UK or not.\n\n## Outside the UK\n\nYou must apply online from outside the UK.\n\n## In the UK\n\nYou must apply online in the UK.\n\n## If you cannot pay the fee\n\nFill in the online fee waiver request form as well if you cannot pay the fee because you:\n\n- do not have a place to live and cannot afford one\n\n- have a place to live but cannot afford essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Applying with your children\n\nYou can add children to your application as dependants if both of the following apply:\n\n- they are under 18 when you apply, or were under 18 when they were first granted leave\n\n- they do not live an independent life\n\nYour child is living an independent life if, for example, they\u2019ve left home, got married and had children.\n\n## When you can settle permanently\n\nThe earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a partner.\n\nYou cannot include time you\u2019ve spent in the UK:\n\n- on any other visa\n\n- as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\nThe rules are different if you applied before 9 July 2012.\n\n## If you applied before 9 July 2012\n\nYou can only extend your family visa if all the following are true:\n\n- you were given permission to stay in the UK as a partner before 9 July 2012\n\n- you are not eligible to settle in the UK\n\n- you have not been granted or refused another visa\n\nYou must also prove that:\n\n- you and your partner have enough money to financially support yourself and your dependants without relying on public funds\n\n- you have knowledge of English\n\n## Apply as a parent\n\nYou can apply to live in the UK to care for your child.\n\nIf you\u2019re eligible to apply as a partner, you must do that instead of applying as a parent.\n\nYour child must either:\n\n- be under 18 on the date you apply\n\n- have been under 18 when you were first granted leave and not live an independent life\n\nYour child is living an independent life if, for example, they\u2019ve left home, got married and had children.\n\nYour child must be living in the UK. One of the following must also be true:\n\n- they\u2019re a British or Irish citizen\n\n- they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- if you\u2019re applying in the UK, they must have lived in the UK for 7 years continuously and it would not be reasonable for them to leave\n\nIf your child has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Parental responsibility\n\nYou need to have sole or shared parental responsibility for your child.\n\nIf you share parental responsibility, the child\u2019s other parent must not be your partner. They must also either:\n\n- be a British or Irish citizen\n\n- have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\nIf the child lives with their other parent or carer, you must have access to the child in person, as agreed with the other parent or carer or by a court order.\n\n## What you\u2019ll need to prove\n\nYou must be able to prove that you\u2019re taking an active role in your child\u2019s upbringing and you plan to continue after you apply. For example you could provide letters from your child\u2019s:\n\n- school confirming you take them to school or go to parent evenings\n\n- doctor, dentist, or health visitor confirming that you take them to appointments\n\n- other parent confirming how much contact you have with your child\n\nIf you provide a letter from the other parent, you\u2019ll need to include proof of their identity. This should be an official document which has their signature on it, for example a copy of their passport, tax return or photocard driving licence.\n\n## English language and financial requirements\n\nYou must also prove you:\n\n- have a good knowledge of English\n\n- can financially support yourself without claiming public funds\n\nIf your child or any other dependants live with you, you must also prove you can financially support them without claiming public funds.\n\nIf you do not meet the English language and financial requirements you can still extend your permission to stay if:\n\n- your child in the UK is a British or Irish citizen or has lived in the UK for 7 years\n\n- it would be unreasonable for them to leave the UK\n\n## How long you can stay\n\nYou can stay in the UK for 2 years and 9 months on this visa. After this you\u2019ll need to apply to extend your stay.\n\nIf you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nHow you apply depends on whether you\u2019re in the UK or not.\n\n## Outside the UK\n\nYou must apply online outside the UK. You must also complete Appendix 5.\n\n## In the UK\n\nYou must apply online in the UK.\n\nIf you cannot afford to pay the fee, you must also apply online to waive the fee. You might not have to pay the fee if you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\nRead the guidance for parents before applying.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Applying with other children\n\nYou can add other children to your application as dependants if one of the following applies:\n\n- they are under 18 on the date you apply\n\n- they were under 18 when they were first granted leave on a family visa and do not live an independent life\n\n## When you can settle permanently\n\nThe earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a parent.\n\nYou cannot include time you\u2019ve spent in the UK on any other visa.\n\nThe rules are different if you applied before 9 July 2012.\n\n## Apply as a child\n\nYou can apply for a family visa to join your parent in the UK.\n\nYou may not need a family visa if at least one of your parents has indefinite leave to remain or proof of permanent residence. Check if you can apply to settle in the UK.\n\nIf your parent has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## You were born in the UK\n\nYou\u2019ll get the same permission to stay as your parent if you were born in the UK.\n\n## If you\u2019re under 18\n\nYou can either:\n\n- be added to your parent\u2019s next application as a dependant\n\n- apply separately\n\nTo apply separately, you\u2019ll need to know what kind of permission to stay in the UK (\u2018limited leave to remain\u2019) your parent has.\n\n## If you\u2019re over 18\n\nYour parent can only include you in their application as a dependant if you:\n\n- got permission to come to or stay in the UK (\u2018leave to enter or remain\u2019) on a family visa when you were under 18\n\n- do not live an independent life\n\n- are applying from inside the UK\n\nYou\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.\n\n## You were born outside the UK\n\nWhether you can apply depends on your age and how your parent applied.\n\n## If you\u2019re under 18\n\nYou must:\n\n- not be married, in a civil partnership or living an independent life\n\n- be financially supported without claiming public funds\n\nOne of your parents must also be applying or have applied for a visa or to extend their permission to stay as a:\n\n- partner - and the partner they\u2019re joining is your other parent\n\n- parent - and they have sole parental responsibility for you\n\nOtherwise, you might still be eligible to apply if there are serious reasons to let you come to, or stay in the UK and there are plans for your care.\n\n## If you\u2019re over 18\n\nYour parent can include you in their application as a dependant, or you can apply separately yourself. You can only apply if you:\n\n- got permission to stay in the UK (\u2018leave to remain\u2019) on a family visa when you were under 18\n\n- do not live an independent life\n\nYou\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.\n\nIf your parent cannot include you in their form and you\u2019re in the UK, you may be eligible to apply for Private Life in the UK (10-year route).\n\n## Apply from outside the UK\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\n## Apply at the same time as your parent\n\nWhich form you need to fill in depends on whether your parent is applying to enter the UK as the partner of one of the following:\n\n- a British or Irish citizen\n\n- a person with indefinite leave to remain\n\n- a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021\n\n- a person with a Turkish Businessperson visa or Turkish Worker visa\n\n- a person with refugee status or humanitarian protection\n\nIf they are applying as one of these, you must fill in the Appendix FM online form.\n\nIf they are not, you must fill in both:\n\n- the online application form\n\n- the Appendix 1 paper form\n\n## Apply separately\n\nWhich form you need to fill in depends on whether your parent has leave to enter or remain in the UK on a 5 or 10-year route to settlement as the partner of:\n\n- a British or Irish citizen\n\n- a person with indefinite leave to remain\n\n- a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021\n\n- a person with a Turkish Businessperson visa or Turkish Worker visa\n\n- a person with refugee status or humanitarian protection\n\nIf they do, you must fill in the Appendix FM online form.\n\nIf they do not, you must fill in both:\n\n- the online application form\n\n- the Appendix 1 paper form\n\n## Apply from the UK\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nIf you\u2019re already in the UK, you must apply online.\n\nFill in the online fee waiver request form as well if you cannot pay the fee because you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\nYou can also check if you\u2019re eligible for a different type of visa.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Apply as an adult coming to be cared for by a relative\n\nYou must be outside the UK to apply and need long-term care from a parent, grandchild, brother, sister, son or daughter who is living permanently in the UK.\n\nOne of the following must also apply to the relative:\n\n- they\u2019re a British or Irish citizen\n\n- they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- they have refugee status or humanitarian protection in the UK\n\nIf your family member has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.\n\nYou must prove all of the following:\n\n- you need long-term care to do everyday personal and household tasks because of illness, disability or your age\n\n- the care you need is not available or affordable in the country you live in\n\n- the person you\u2019ll be joining in the UK will be able to support, accommodate and care for you without claiming public funds for at least 5 years\n\n- you\u2019re 18 or over\n\n## How long you can stay for\n\nHow long you can stay depends on the status of your family member.\n\n## If your family member is British, Irish or settled in the UK\n\nYour stay is unlimited. You will not need to apply to extend or settle.\n\n## If your family member has pre-settled status\n\nThey must have started living in the UK before 1 January 2021. You can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.\n\n## If your family member has refugee status or humanitarian protection in the UK\n\nYou can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nYou must apply as an adult dependent relative online and complete Appendix 1.\n\n## Apply to extend your stay\n\nApply online to extend your stay in the UK.\n\n## Apply on the basis of your private life\n\nYou can only apply on the basis of your private life if you\u2019re already living in the UK.\n\nYou must be able to prove that you\u2019re:\n\n- under 18 and you\u2019ve lived in the UK continuously for at least 7 years, and it would be unreasonable to expect you to leave the UK\n\n- between 18 and 24 and you\u2019ve lived continuously in the UK for more than half your life\n\n- 18 or over, have spent less than 20 years in the UK and would have very significant problems living in the country you\u2019d have to go to - for example, you do not speak the language and could not learn it\n\n- 25 or over and you\u2019ve been in the UK continuously for 20 years\n\nYour family members can apply on the same application - you\u2019ll be considered separately.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## How to apply\n\nYou must apply online.\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\n## If you cannot pay the application fee\n\nFill in the online fee waiver request form as well if you cannot afford to pay the fee because you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\n## Get help using a computer to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\n## When you do not need to prove it\n\nYou do not need to prove your knowledge of English or take a test if one of the following is true:\n\n- you\u2019re applying as a child\n\n- you\u2019re applying as an adult coming to be cared for by a relative\n\n- you\u2019ve been in the UK on a family visa for 5 years and you\u2019re extending it as a partner or parent\n\n- you\u2019re over 65\n\n- you have a physical or mental condition that prevents you from meeting the requirement\n\nYou also will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## How to prove your knowledge of English\n\nYou can prove it with an academic qualification, or by taking a test.\n\n## Academic qualifications\n\nYou can prove your knowledge of English if you have a degree or academic qualification that was taught or researched in English.\n\nIf your qualification is from a UK university or college, you only need your degree certificate.\n\n## If your qualification is from a university or college outside the UK\n\nYou\u2019ll need to provide a certificate from Ecctis (formerly UK NARIC) to show that your qualification is equivalent to a UK bachelor\u2019s degree or higher and that it was taught in English.\n\nThere are 2 kinds of certificate:\n\n- a statement of comparability\n\n- a visa and nationality statement\n\nYou need a statement of comparability if you got your qualification from a university or college in one of these countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Ireland\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nIf you got your qualification from a university or college in any other country, you need a visa and nationality statement.\n\n## Take an approved English language test\n\nYou can prove your knowledge of English by passing an approved English language test.\n\nYou must pass at least level A1 on the Common European Framework of Reference for Languages (CEFR) scale for your first visa application. You can choose to take a higher level test.\n\nIf you pass level B1 level or higher, the test will be accepted if it\u2019s still on the list of approved English language tests when you apply for settlement after 5 years.\n\nIf you cannot take an English language test because of coronavirus (COVID-19), you might be able to apply for an exemption. Read the guidance for UK visa applicants and temporary UK residents.\n\n## If you want to settle permanently in the UK within 5 years\n\nYou may have to pass a higher CEFR level if you want to stay in the UK after 2.5 years. What you need to do depends on what CEFR level you passed for your first visa.\n\nIf you passed:\n\n- level A1 you\u2019ll need to pass level A2 in speaking and listening\n\n- level A2, B1, B2, C1 or C2 you can use the test again for your application if it\u2019s still on the list of approved English language tests\n\nIf you were given an exemption, you\u2019ll need to pass a test at level A1.\n\nRead the English language requirement: family members guidance.\n\n## Give proof of your income\n\nYou and your partner must have a combined income of at least \u00a318,600 a year if:\n\n- you\u2019re applying as a partner\n\n- you want to settle in the UK (get \u2018indefinite leave to remain\u2019) within 5 years\n\nYou must prove you have extra money if you have children who:\n\n- are not British or Irish citizens\n\n- do not have pre-settled status\n\n- are not permanently settled in the UK\n\nYou might not need to prove you have extra money if your children are citizens of the EU, Iceland, Liechtenstein, Norway or Switzerland and they do not have pre-settled status or are not permanently settled in the UK. Check the guidance in appendix FM 1.7: financial requirement for more information.\n\nIf you need to prove extra money for your children, you\u2019ll need to earn an extra:\n\n- \u00a33,800 for your first child\n\n- \u00a32,400 for each child you have after your first child\n\nThis is called the \u2018minimum income requirement\u2019.\n\nYou may be able to use your savings instead of income.\n\nHow you prove you have the money depends on how you got the income.\n\nIf you\u2019ve experienced a loss of income because of coronavirus (COVID-19), for example if you\u2019ve been furloughed or you\u2019re self employed, you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.\n\n## What counts as income\n\nYou and your partner can use:\n\n- income from employment before tax and National Insurance (check your P60 or payslips) - you can only use your own income if you earn it in the UK\n\n- income you earn from self-employment or as a director of a limited company in the UK - check your Self Assessment tax return\n\n- cash savings above \u00a316,000\n\n- money from a pension\n\n- non-work income, for example from property rentals or dividends\n\nIf you\u2019re using income from self-employment or employment, you\u2019ll need to prove you or your partner received that income for 6 months or more.\n\n## What proof you need to give\n\nYou\u2019ll need to provide proof of your income with your application. If you or your partner are employed, you could include:\n\n- bank statements showing you or your partner\u2019s income\n\n- 6 months of payslips\n\n- a letter from an employer, dated and on headed paper\n\nThe employer\u2019s letter should confirm:\n\n- you or your partner are employed there\n\n- the job title or position you or your partner hold\n\n- how long you or your partner have worked there\n\n- the type of contract (for example, permanent, fixed term)\n\n- what you or your partner earn before tax and National Insurance\n\n- how long you or your partner have been paid your current salary\n\n- the payslips are genuine\n\nYou\u2019ll be told exactly what documents to provide when you apply online.\n\nCheck the guidance in appendix FM 1.7: financial requirement if:\n\n- you or your partner\u2019s income is more complicated\n\n- you or your partner have taken maternity or paternity leave in the last 6 months\n\n- you want to combine different income sources\n\nThe detailed guidance also explains the evidence you need to provide for each of the types of income you\u2019re relying on.\n\n## If you cannot meet the minimum income requirement\n\nYou need to show you and your partner meet the minimum income requirement if you want to settle in 5 years as a partner.\n\nIf you do not meet the requirement, you may be able to settle in 10 years.\n\n## When you do not need to meet the income requirement\n\nYou may be able to settle in 5 years without meeting the minimum income requirement if either:\n\n- you\u2019re applying as a parent\n\n- you get certain benefits, for example Disability Living Allowance or Carer\u2019s Allowance.\n\nYou need to show you and your family have enough money to adequately support and accommodate yourselves without relying on public funds. The caseworker considers your income and housing costs.\n\nCheck the guidance in appendix FM 1.7: financial requirement for more information\n\n## Information you must provide\n\nYou\u2019ll need to have information and some evidence ready when you make your application. Include information for you and any dependants applying at the same time.\n\nYou\u2019ll need to provide:\n\n- all your names\n\n- your date of birth\n\n- your current passport or other valid travel ID\n\n- copies of the photo page and any visa or entry stamps in your previous passports\n\n- a copy of your biometric residence permit, if you have one\n\n- details of any previous immigration applications you\u2019ve made\n\n- details of any criminal convictions\n\n- your national insurance number, if you have one\n\n- your parents\u2019 date of birth and nationality if you\u2019re applying from outside the UK\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a certified translation of any document that is not in English or Welsh\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa if you\u2019re applying outside the UK.\n\nYou\u2019ll need an email address to make an online application.\n\nYou\u2019ll also need to:\n\n- give proof of your finances\n\n- prove your knowledge of English\n\nYou may need to provide additional documents depending on your circumstances - for example a sponsorship form from your family member in the UK.\n\nYou\u2019ll be told how to provide your documents when you apply.\n\nIf you\u2019re unable to provide specified documents because of coronavirus (COVID-19), you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Your partner\u2019s details\n\nIf you have a partner, you\u2019ll be asked about their:\n\n- name\n\n- date of birth\n\n- nationality\n\n- passport\n\n- right to be in the UK, for example they\u2019re a British citizen\n\nYou\u2019ll also need to give details of:\n\n- any people your partner was previously married to, in a civil partnership with or had children with\n\n- evidence of marriages ending, for example a divorce certificate\n\n- anyone your partner supports with money, for example their parents\n\n## Proof of relationship\n\nIf you\u2019re applying as a spouse or partner, you\u2019ll be asked about:\n\n- your relationship with your partner, for example how you met and how often you see each other\n\n- how long you\u2019ve lived together - you\u2019ll need to provide proof like council tax bills\n\n- things you pay for together\n\n- whether you\u2019re your partner\u2019s carer\n\n## Your previous partners\n\nYou\u2019ll need to include details of anyone you previously married or had children with. Include evidence of marriages ending, for example a divorce certificate.\n\n## Children\n\nYou\u2019ll need to give details of your children (and your partner\u2019s children if you have one). You\u2019ll be asked about all children, even if they\u2019re not applying.\n\nYou\u2019ll need to give details of:\n\n- their name\n\n- their nationality\n\n- their date of birth\n\n- their passport details\n\n- who the child normally lives with\n\n- any other people with parental responsibility for your child, for example your step children\u2019s other parents\n\n- how you\u2019re involved in their day to day life\n\n- arrangements you have to see the child - for example the courts have granted you access\n\n- the child\u2019s extended family\n\n- any countries your child has visited or lived in\n\n## Your life outside the UK\n\nYou\u2019ll need to give details of:\n\n- countries outside the UK you\u2019ve lived in and visited\n\n- family and friends in the countries where you were born or have nationality\n\n## After you apply\n\nYou\u2019ll need to attend an appointment to provide your biometric information (fingerprints and a photo). You\u2019ll be told how to make an appointment when you apply.\n\n## Getting your documents back\n\nYou can ask for your passport and other documents to be returned if you\u2019ve provided them with your application but need them urgently.\n\nYou might have to cancel your application to get your documents back.\n\n## If your application is approved\n\nYou\u2019ll get a biometric residence permit.\n\nYou can:\n\n- work\n\n- study\n\nYou cannot work or study if you\u2019re applying for a visa or extending your stay to get married or become civil partners.\n\nYou cannot:\n\n- usually get benefits or other public funds for you or your dependants\n\n- apply to settle in the UK until you\u2019re eligible", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/uk-family-visa", + "answerable": true, + "scenario": "I am a 32 year old who is planning to come to the UK on a family visa, along with my 10 year old son and 34 year old spouse. We have a combined income of \u00a320,000", + "original_question": "Is our income enough for us to be allowed to the UK on a family visa?" + }, + { + "id": "train-1904", + "question": "Scenario: My family and i have made an application for a visa to the UK. I have managed to collate all our documents and we all speak English as our first language. We are planning on staying in the UK for 32 days and i feel our income of \u00a354,000 per annum allows for this.\n\nQuestion: Would we need to renew our visa during our stay?\n\nDocument - Family visas: apply, extend or switch:\n## Overview\n\nYou need a family visa to live with a family member in the UK for more than 6 months.\n\n## Applying from outside the UK\n\nYou can apply for a family visa to live with your:\n\n- spouse or partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- child\n\n- parent\n\n- relative who\u2019ll provide long-term care for you\n\nIf you\u2019re visiting the UK for 6 months or less, check if you need a Standard Visitor visa or Marriage Visitor visa.\n\n## Extending your family visa\n\nYou can apply to extend your stay with your family member if you\u2019re already in the UK on a family visa.\n\nYou can extend at any time before your current permission to stay in the UK expires.\n\nIf you\u2019re extending to stay with the same family member, you\u2019ll only get up to 28 days left on your current stay added to your new visa.\n\nYou must live in the UK for a certain amount of time before you\u2019re eligible for settlement (\u2018indefinite leave to remain\u2019). Before you extend your visa, check how much time you need to settle in the UK.\n\nYou might be able to apply to stay on the basis of your private life if you\u2019ve lived in the UK for many years already.\n\n## Switching to a family visa\n\nIf you came to the UK on a different visa, you might be able to switch to a family visa to stay with your:\n\n- spouse or partner\n\n- child\n\n- parent\n\nYou can switch at any time before your current permission to stay in the UK expires.\n\n## If you do not meet the rules because of coronavirus (COVID-19)\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus, you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Fees\n\nHow much it costs depends on how you apply.\n\n| | Apply outside the UK | Apply in the UK |\n\n| Cost if joining your partner, parent or child | \u00a31,523 | \u00a31,033 |\n\n| Cost for each dependant added to your application | \u00a31,523 each person | \u00a31,033 each person |\n\n| Cost for an adult who needs to be looked after by a relative | \u00a33,250 | \u00a31,033 |\n\nLet your bank know that a large amount of money will be coming out of your account - otherwise it might cancel your payment.\n\n## Healthcare surcharge\n\nYou might also need to pay the healthcare surcharge as part of your application.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying from the UK, you may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.\n\nYou cannot use the super priority service if you\u2019re applying as an adult coming to be cared for by a relative.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long it takes\n\nIf you apply outside the UK a decision will usually be made within 12 weeks.\n\nIf you apply in the UK a decision will usually be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will usually be made:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nIt might take longer if your application is complex, for example you:\n\n- do not meet the minimum income requirement\n\n- cannot prove your knowledge of English\n\n- need to attend an interview\n\n- have not provided all the evidence that the Home Office needs\n\n- have a criminal conviction or another personal circumstance that needs to be reviewed\n\n## Other ways you can stay\n\n## You were the victim of domestic abuse or your partner died\n\nYou might be able to apply to settle in the UK if you had permission to stay in the UK as a partner when either:\n\n- you were the victim of domestic abuse\n\n- your partner died\n\n## Your family member has refugee status or humanitarian protection\n\nYou might be able to apply for \u2018family reunion\u2019 to join a partner or parent who has either:\n\n- refugee status in the UK\n\n- humanitarian protection in the UK\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. Otherwise you need a visa or family permit to come to the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## When you cannot get a family visa\n\nIn some circumstances you cannot apply for, or switch to, a family visa.\n\n## Your family member has a work visa or student visa\n\nYou cannot apply for a family visa if your family member is in the UK temporarily on a work visa or student visa.\n\nYou can apply to stay with them as a dependant instead.\n\n## You have a visitor visa or a visa for 6 months or less\n\nYou\u2019ll usually need to leave the UK to apply for a family visa if either:\n\n- you have permission to be in the UK as a visitor\n\n- your visa is for 6 months or less\n\nHowever, you might be able to switch to a family visa in the UK if you have either:\n\n- a 6-month family visa as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- permission to stay in the UK for the outcome of a family court case or divorce\n\n## Apply as a partner or spouse\n\nTo apply as a partner, you and your partner both need to be 18 or over.\n\nYour partner must also either:\n\n- be a British or Irish citizen\n\n- have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- have a Turkish Businessperson visa or Turkish Worker visa\n\n- have refugee status or humanitarian protection in the UK\n\nYou and your partner must intend to live together permanently in the UK after you apply.\n\nIf your partner has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.\n\n## What you\u2019ll need to prove\n\nYou must be able to prove one of the following:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n- you are a fianc\u00e9, fianc\u00e9e or proposed civil partner and will marry or enter into a civil partnership in the UK within 6 months of arriving\n\nIf your wedding or civil ceremony has been delayed because of coronavirus (COVID-19), you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.\n\nYou also need to prove you:\n\n- have a good knowledge of English\n\n- can financially support yourself and your dependants\n\nIf you do not meet these requirements you may still be able to apply for a visa or extend your permission to stay if:\n\n- you have a child in the UK who is a British or Irish citizen or has lived in the UK for 7 years and it would be unreasonable for them to leave the UK\n\n- there would be very significant difficulties for you and your partner if you lived together as a couple outside the UK that could not be overcome\n\n- it would breach your human rights to stop you coming to the UK or make you leave\n\n## If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\nYou must prove that:\n\n- any previous marriages or civil partnerships have ended\n\n- you plan to marry or become civil partners within 6 months of arriving in the UK\n\nIf your wedding or civil ceremony has been delayed because of COVID-19, you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.\n\nYou will not be able to work during your engagement.\n\n## How long you can stay\n\nYou can stay in the UK for 2 years and 9 months on this visa. If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner, you can stay for 6 months.\n\nAfter this you\u2019ll need to apply to extend your stay.\n\n## If you extend or switch to this visa\n\nIf you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nHow you apply depends on whether you\u2019re in the UK or not.\n\n## Outside the UK\n\nYou must apply online from outside the UK.\n\n## In the UK\n\nYou must apply online in the UK.\n\n## If you cannot pay the fee\n\nFill in the online fee waiver request form as well if you cannot pay the fee because you:\n\n- do not have a place to live and cannot afford one\n\n- have a place to live but cannot afford essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Applying with your children\n\nYou can add children to your application as dependants if both of the following apply:\n\n- they are under 18 when you apply, or were under 18 when they were first granted leave\n\n- they do not live an independent life\n\nYour child is living an independent life if, for example, they\u2019ve left home, got married and had children.\n\n## When you can settle permanently\n\nThe earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a partner.\n\nYou cannot include time you\u2019ve spent in the UK:\n\n- on any other visa\n\n- as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\nThe rules are different if you applied before 9 July 2012.\n\n## If you applied before 9 July 2012\n\nYou can only extend your family visa if all the following are true:\n\n- you were given permission to stay in the UK as a partner before 9 July 2012\n\n- you are not eligible to settle in the UK\n\n- you have not been granted or refused another visa\n\nYou must also prove that:\n\n- you and your partner have enough money to financially support yourself and your dependants without relying on public funds\n\n- you have knowledge of English\n\n## Apply as a parent\n\nYou can apply to live in the UK to care for your child.\n\nIf you\u2019re eligible to apply as a partner, you must do that instead of applying as a parent.\n\nYour child must either:\n\n- be under 18 on the date you apply\n\n- have been under 18 when you were first granted leave and not live an independent life\n\nYour child is living an independent life if, for example, they\u2019ve left home, got married and had children.\n\nYour child must be living in the UK. One of the following must also be true:\n\n- they\u2019re a British or Irish citizen\n\n- they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- if you\u2019re applying in the UK, they must have lived in the UK for 7 years continuously and it would not be reasonable for them to leave\n\nIf your child has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Parental responsibility\n\nYou need to have sole or shared parental responsibility for your child.\n\nIf you share parental responsibility, the child\u2019s other parent must not be your partner. They must also either:\n\n- be a British or Irish citizen\n\n- have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\nIf the child lives with their other parent or carer, you must have access to the child in person, as agreed with the other parent or carer or by a court order.\n\n## What you\u2019ll need to prove\n\nYou must be able to prove that you\u2019re taking an active role in your child\u2019s upbringing and you plan to continue after you apply. For example you could provide letters from your child\u2019s:\n\n- school confirming you take them to school or go to parent evenings\n\n- doctor, dentist, or health visitor confirming that you take them to appointments\n\n- other parent confirming how much contact you have with your child\n\nIf you provide a letter from the other parent, you\u2019ll need to include proof of their identity. This should be an official document which has their signature on it, for example a copy of their passport, tax return or photocard driving licence.\n\n## English language and financial requirements\n\nYou must also prove you:\n\n- have a good knowledge of English\n\n- can financially support yourself without claiming public funds\n\nIf your child or any other dependants live with you, you must also prove you can financially support them without claiming public funds.\n\nIf you do not meet the English language and financial requirements you can still extend your permission to stay if:\n\n- your child in the UK is a British or Irish citizen or has lived in the UK for 7 years\n\n- it would be unreasonable for them to leave the UK\n\n## How long you can stay\n\nYou can stay in the UK for 2 years and 9 months on this visa. After this you\u2019ll need to apply to extend your stay.\n\nIf you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nHow you apply depends on whether you\u2019re in the UK or not.\n\n## Outside the UK\n\nYou must apply online outside the UK. You must also complete Appendix 5.\n\n## In the UK\n\nYou must apply online in the UK.\n\nIf you cannot afford to pay the fee, you must also apply online to waive the fee. You might not have to pay the fee if you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\nRead the guidance for parents before applying.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Applying with other children\n\nYou can add other children to your application as dependants if one of the following applies:\n\n- they are under 18 on the date you apply\n\n- they were under 18 when they were first granted leave on a family visa and do not live an independent life\n\n## When you can settle permanently\n\nThe earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a parent.\n\nYou cannot include time you\u2019ve spent in the UK on any other visa.\n\nThe rules are different if you applied before 9 July 2012.\n\n## Apply as a child\n\nYou can apply for a family visa to join your parent in the UK.\n\nYou may not need a family visa if at least one of your parents has indefinite leave to remain or proof of permanent residence. Check if you can apply to settle in the UK.\n\nIf your parent has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## You were born in the UK\n\nYou\u2019ll get the same permission to stay as your parent if you were born in the UK.\n\n## If you\u2019re under 18\n\nYou can either:\n\n- be added to your parent\u2019s next application as a dependant\n\n- apply separately\n\nTo apply separately, you\u2019ll need to know what kind of permission to stay in the UK (\u2018limited leave to remain\u2019) your parent has.\n\n## If you\u2019re over 18\n\nYour parent can only include you in their application as a dependant if you:\n\n- got permission to come to or stay in the UK (\u2018leave to enter or remain\u2019) on a family visa when you were under 18\n\n- do not live an independent life\n\n- are applying from inside the UK\n\nYou\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.\n\n## You were born outside the UK\n\nWhether you can apply depends on your age and how your parent applied.\n\n## If you\u2019re under 18\n\nYou must:\n\n- not be married, in a civil partnership or living an independent life\n\n- be financially supported without claiming public funds\n\nOne of your parents must also be applying or have applied for a visa or to extend their permission to stay as a:\n\n- partner - and the partner they\u2019re joining is your other parent\n\n- parent - and they have sole parental responsibility for you\n\nOtherwise, you might still be eligible to apply if there are serious reasons to let you come to, or stay in the UK and there are plans for your care.\n\n## If you\u2019re over 18\n\nYour parent can include you in their application as a dependant, or you can apply separately yourself. You can only apply if you:\n\n- got permission to stay in the UK (\u2018leave to remain\u2019) on a family visa when you were under 18\n\n- do not live an independent life\n\nYou\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.\n\nIf your parent cannot include you in their form and you\u2019re in the UK, you may be eligible to apply for Private Life in the UK (10-year route).\n\n## Apply from outside the UK\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\n## Apply at the same time as your parent\n\nWhich form you need to fill in depends on whether your parent is applying to enter the UK as the partner of one of the following:\n\n- a British or Irish citizen\n\n- a person with indefinite leave to remain\n\n- a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021\n\n- a person with a Turkish Businessperson visa or Turkish Worker visa\n\n- a person with refugee status or humanitarian protection\n\nIf they are applying as one of these, you must fill in the Appendix FM online form.\n\nIf they are not, you must fill in both:\n\n- the online application form\n\n- the Appendix 1 paper form\n\n## Apply separately\n\nWhich form you need to fill in depends on whether your parent has leave to enter or remain in the UK on a 5 or 10-year route to settlement as the partner of:\n\n- a British or Irish citizen\n\n- a person with indefinite leave to remain\n\n- a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021\n\n- a person with a Turkish Businessperson visa or Turkish Worker visa\n\n- a person with refugee status or humanitarian protection\n\nIf they do, you must fill in the Appendix FM online form.\n\nIf they do not, you must fill in both:\n\n- the online application form\n\n- the Appendix 1 paper form\n\n## Apply from the UK\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nIf you\u2019re already in the UK, you must apply online.\n\nFill in the online fee waiver request form as well if you cannot pay the fee because you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\nYou can also check if you\u2019re eligible for a different type of visa.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Apply as an adult coming to be cared for by a relative\n\nYou must be outside the UK to apply and need long-term care from a parent, grandchild, brother, sister, son or daughter who is living permanently in the UK.\n\nOne of the following must also apply to the relative:\n\n- they\u2019re a British or Irish citizen\n\n- they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- they have refugee status or humanitarian protection in the UK\n\nIf your family member has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.\n\nYou must prove all of the following:\n\n- you need long-term care to do everyday personal and household tasks because of illness, disability or your age\n\n- the care you need is not available or affordable in the country you live in\n\n- the person you\u2019ll be joining in the UK will be able to support, accommodate and care for you without claiming public funds for at least 5 years\n\n- you\u2019re 18 or over\n\n## How long you can stay for\n\nHow long you can stay depends on the status of your family member.\n\n## If your family member is British, Irish or settled in the UK\n\nYour stay is unlimited. You will not need to apply to extend or settle.\n\n## If your family member has pre-settled status\n\nThey must have started living in the UK before 1 January 2021. You can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.\n\n## If your family member has refugee status or humanitarian protection in the UK\n\nYou can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nYou must apply as an adult dependent relative online and complete Appendix 1.\n\n## Apply to extend your stay\n\nApply online to extend your stay in the UK.\n\n## Apply on the basis of your private life\n\nYou can only apply on the basis of your private life if you\u2019re already living in the UK.\n\nYou must be able to prove that you\u2019re:\n\n- under 18 and you\u2019ve lived in the UK continuously for at least 7 years, and it would be unreasonable to expect you to leave the UK\n\n- between 18 and 24 and you\u2019ve lived continuously in the UK for more than half your life\n\n- 18 or over, have spent less than 20 years in the UK and would have very significant problems living in the country you\u2019d have to go to - for example, you do not speak the language and could not learn it\n\n- 25 or over and you\u2019ve been in the UK continuously for 20 years\n\nYour family members can apply on the same application - you\u2019ll be considered separately.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## How to apply\n\nYou must apply online.\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\n## If you cannot pay the application fee\n\nFill in the online fee waiver request form as well if you cannot afford to pay the fee because you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\n## Get help using a computer to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\n## When you do not need to prove it\n\nYou do not need to prove your knowledge of English or take a test if one of the following is true:\n\n- you\u2019re applying as a child\n\n- you\u2019re applying as an adult coming to be cared for by a relative\n\n- you\u2019ve been in the UK on a family visa for 5 years and you\u2019re extending it as a partner or parent\n\n- you\u2019re over 65\n\n- you have a physical or mental condition that prevents you from meeting the requirement\n\nYou also will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## How to prove your knowledge of English\n\nYou can prove it with an academic qualification, or by taking a test.\n\n## Academic qualifications\n\nYou can prove your knowledge of English if you have a degree or academic qualification that was taught or researched in English.\n\nIf your qualification is from a UK university or college, you only need your degree certificate.\n\n## If your qualification is from a university or college outside the UK\n\nYou\u2019ll need to provide a certificate from Ecctis (formerly UK NARIC) to show that your qualification is equivalent to a UK bachelor\u2019s degree or higher and that it was taught in English.\n\nThere are 2 kinds of certificate:\n\n- a statement of comparability\n\n- a visa and nationality statement\n\nYou need a statement of comparability if you got your qualification from a university or college in one of these countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Ireland\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nIf you got your qualification from a university or college in any other country, you need a visa and nationality statement.\n\n## Take an approved English language test\n\nYou can prove your knowledge of English by passing an approved English language test.\n\nYou must pass at least level A1 on the Common European Framework of Reference for Languages (CEFR) scale for your first visa application. You can choose to take a higher level test.\n\nIf you pass level B1 level or higher, the test will be accepted if it\u2019s still on the list of approved English language tests when you apply for settlement after 5 years.\n\nIf you cannot take an English language test because of coronavirus (COVID-19), you might be able to apply for an exemption. Read the guidance for UK visa applicants and temporary UK residents.\n\n## If you want to settle permanently in the UK within 5 years\n\nYou may have to pass a higher CEFR level if you want to stay in the UK after 2.5 years. What you need to do depends on what CEFR level you passed for your first visa.\n\nIf you passed:\n\n- level A1 you\u2019ll need to pass level A2 in speaking and listening\n\n- level A2, B1, B2, C1 or C2 you can use the test again for your application if it\u2019s still on the list of approved English language tests\n\nIf you were given an exemption, you\u2019ll need to pass a test at level A1.\n\nRead the English language requirement: family members guidance.\n\n## Give proof of your income\n\nYou and your partner must have a combined income of at least \u00a318,600 a year if:\n\n- you\u2019re applying as a partner\n\n- you want to settle in the UK (get \u2018indefinite leave to remain\u2019) within 5 years\n\nYou must prove you have extra money if you have children who:\n\n- are not British or Irish citizens\n\n- do not have pre-settled status\n\n- are not permanently settled in the UK\n\nYou might not need to prove you have extra money if your children are citizens of the EU, Iceland, Liechtenstein, Norway or Switzerland and they do not have pre-settled status or are not permanently settled in the UK. Check the guidance in appendix FM 1.7: financial requirement for more information.\n\nIf you need to prove extra money for your children, you\u2019ll need to earn an extra:\n\n- \u00a33,800 for your first child\n\n- \u00a32,400 for each child you have after your first child\n\nThis is called the \u2018minimum income requirement\u2019.\n\nYou may be able to use your savings instead of income.\n\nHow you prove you have the money depends on how you got the income.\n\nIf you\u2019ve experienced a loss of income because of coronavirus (COVID-19), for example if you\u2019ve been furloughed or you\u2019re self employed, you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.\n\n## What counts as income\n\nYou and your partner can use:\n\n- income from employment before tax and National Insurance (check your P60 or payslips) - you can only use your own income if you earn it in the UK\n\n- income you earn from self-employment or as a director of a limited company in the UK - check your Self Assessment tax return\n\n- cash savings above \u00a316,000\n\n- money from a pension\n\n- non-work income, for example from property rentals or dividends\n\nIf you\u2019re using income from self-employment or employment, you\u2019ll need to prove you or your partner received that income for 6 months or more.\n\n## What proof you need to give\n\nYou\u2019ll need to provide proof of your income with your application. If you or your partner are employed, you could include:\n\n- bank statements showing you or your partner\u2019s income\n\n- 6 months of payslips\n\n- a letter from an employer, dated and on headed paper\n\nThe employer\u2019s letter should confirm:\n\n- you or your partner are employed there\n\n- the job title or position you or your partner hold\n\n- how long you or your partner have worked there\n\n- the type of contract (for example, permanent, fixed term)\n\n- what you or your partner earn before tax and National Insurance\n\n- how long you or your partner have been paid your current salary\n\n- the payslips are genuine\n\nYou\u2019ll be told exactly what documents to provide when you apply online.\n\nCheck the guidance in appendix FM 1.7: financial requirement if:\n\n- you or your partner\u2019s income is more complicated\n\n- you or your partner have taken maternity or paternity leave in the last 6 months\n\n- you want to combine different income sources\n\nThe detailed guidance also explains the evidence you need to provide for each of the types of income you\u2019re relying on.\n\n## If you cannot meet the minimum income requirement\n\nYou need to show you and your partner meet the minimum income requirement if you want to settle in 5 years as a partner.\n\nIf you do not meet the requirement, you may be able to settle in 10 years.\n\n## When you do not need to meet the income requirement\n\nYou may be able to settle in 5 years without meeting the minimum income requirement if either:\n\n- you\u2019re applying as a parent\n\n- you get certain benefits, for example Disability Living Allowance or Carer\u2019s Allowance.\n\nYou need to show you and your family have enough money to adequately support and accommodate yourselves without relying on public funds. The caseworker considers your income and housing costs.\n\nCheck the guidance in appendix FM 1.7: financial requirement for more information\n\n## Information you must provide\n\nYou\u2019ll need to have information and some evidence ready when you make your application. Include information for you and any dependants applying at the same time.\n\nYou\u2019ll need to provide:\n\n- all your names\n\n- your date of birth\n\n- your current passport or other valid travel ID\n\n- copies of the photo page and any visa or entry stamps in your previous passports\n\n- a copy of your biometric residence permit, if you have one\n\n- details of any previous immigration applications you\u2019ve made\n\n- details of any criminal convictions\n\n- your national insurance number, if you have one\n\n- your parents\u2019 date of birth and nationality if you\u2019re applying from outside the UK\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a certified translation of any document that is not in English or Welsh\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa if you\u2019re applying outside the UK.\n\nYou\u2019ll need an email address to make an online application.\n\nYou\u2019ll also need to:\n\n- give proof of your finances\n\n- prove your knowledge of English\n\nYou may need to provide additional documents depending on your circumstances - for example a sponsorship form from your family member in the UK.\n\nYou\u2019ll be told how to provide your documents when you apply.\n\nIf you\u2019re unable to provide specified documents because of coronavirus (COVID-19), you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Your partner\u2019s details\n\nIf you have a partner, you\u2019ll be asked about their:\n\n- name\n\n- date of birth\n\n- nationality\n\n- passport\n\n- right to be in the UK, for example they\u2019re a British citizen\n\nYou\u2019ll also need to give details of:\n\n- any people your partner was previously married to, in a civil partnership with or had children with\n\n- evidence of marriages ending, for example a divorce certificate\n\n- anyone your partner supports with money, for example their parents\n\n## Proof of relationship\n\nIf you\u2019re applying as a spouse or partner, you\u2019ll be asked about:\n\n- your relationship with your partner, for example how you met and how often you see each other\n\n- how long you\u2019ve lived together - you\u2019ll need to provide proof like council tax bills\n\n- things you pay for together\n\n- whether you\u2019re your partner\u2019s carer\n\n## Your previous partners\n\nYou\u2019ll need to include details of anyone you previously married or had children with. Include evidence of marriages ending, for example a divorce certificate.\n\n## Children\n\nYou\u2019ll need to give details of your children (and your partner\u2019s children if you have one). You\u2019ll be asked about all children, even if they\u2019re not applying.\n\nYou\u2019ll need to give details of:\n\n- their name\n\n- their nationality\n\n- their date of birth\n\n- their passport details\n\n- who the child normally lives with\n\n- any other people with parental responsibility for your child, for example your step children\u2019s other parents\n\n- how you\u2019re involved in their day to day life\n\n- arrangements you have to see the child - for example the courts have granted you access\n\n- the child\u2019s extended family\n\n- any countries your child has visited or lived in\n\n## Your life outside the UK\n\nYou\u2019ll need to give details of:\n\n- countries outside the UK you\u2019ve lived in and visited\n\n- family and friends in the countries where you were born or have nationality\n\n## After you apply\n\nYou\u2019ll need to attend an appointment to provide your biometric information (fingerprints and a photo). You\u2019ll be told how to make an appointment when you apply.\n\n## Getting your documents back\n\nYou can ask for your passport and other documents to be returned if you\u2019ve provided them with your application but need them urgently.\n\nYou might have to cancel your application to get your documents back.\n\n## If your application is approved\n\nYou\u2019ll get a biometric residence permit.\n\nYou can:\n\n- work\n\n- study\n\nYou cannot work or study if you\u2019re applying for a visa or extending your stay to get married or become civil partners.\n\nYou cannot:\n\n- usually get benefits or other public funds for you or your dependants\n\n- apply to settle in the UK until you\u2019re eligible", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/uk-family-visa", + "answerable": true, + "scenario": "My family and i have made an application for a visa to the UK. I have managed to collate all our documents and we all speak English as our first language. We are planning on staying in the UK for 32 days and i feel our income of \u00a354,000 per annum allows for this.", + "original_question": "Would we need to renew our visa during our stay?" + }, + { + "id": "train-1905", + "question": "Scenario: I am French former professional footballer, and I am completing a Sports Science doctoral degree at a UK University and have a student visa. I have been offered the job as coach of a local league football team.\n\nQuestion: Can I switch to the Creative and Sporting visa?\n\nDocument - Temporary Worker - Creative and Sporting visa (T5):\n## Overview\n\nYou must apply for a Temporary Worker - Creative and Sporting visa (T5) if:\n\n- you\u2019ve been offered work in the UK as a sports person or creative worker\n\n- you meet the other eligibility requirements\n\nA creative worker is someone who works in the creative industry, for example an actor, dancer, musician or film crew member.\n\nThis visa has replaced the Tier 5 (Temporary Worker - Creative and Sporting) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it takes\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can come to the UK for a maximum of up to 12 months, or the time given in your certificate of sponsorship plus up to 28 days, whichever is shorter.\n\nYou may be able to extend your visa.\n\nYour stay must start no more than 14 days before the start date on your certificate of sponsorship.\n\nIf you intend to work in the UK for 3 months or less, you may be able to use the Temporary Worker - Creative and Sporting visa (T5) concession instead of applying for the visa.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n## Eligibility\n\nYour eligibility for a Temporary Worker - Creative and Sporting visa (T5) depends on whether you\u2019re a sports person or a creative worker.\n\n## Sports person\n\nYou need to make a significant contribution to your sport at the highest level in the UK to be eligible for this visa.\n\nYou\u2019ll also need all of the following:\n\n- a certificate of sponsorship reference number\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Creative worker\n\nYou need all of the following to be eligible for the creative category:\n\n- make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity\n\n- certificate of sponsorship reference number\n\n- be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nYou need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example how much you\u2019ll be paid.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\nChanging your sponsor does not change how long you can stay in the UK. You can only stay the maximum length of time allowed by this visa.\n\n## Multiple entry\n\nYour sponsor needs to give you a multiple entry certificate of sponsorship if you need to leave and come back to the UK as part of the job you\u2019re doing.\n\n## Multiple jobs when you\u2019re a creative worker\n\nYour sponsor can give you a certificate that covers the entire length of your stay, even if you need to perform at more than one engagement. If you\u2019re working for more than one sponsor, you can get a certificate from each sponsor.\n\nThere cannot be a gap of more than 14 days between each job. If you leave the UK and come back, your time away will not count towards those 14 days.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply, you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Creative and Sporting visa (T5).\n\nYou should apply before your current visa expires.\n\nYou cannot extend your stay if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\n## Creative worker\n\nYou can extend your visa for whichever is the shortest of:\n\n- up to 12 months\n\n- the time on your certificate of sponsorship plus 14 days\n\n- the time needed to extend your stay to the maximum of 24 months\n\nYou must stay with the same sponsor.\n\n## Sports person\n\nYou can extend your visa up to 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Switch to this visa\n\nYou can switch to a Temporary Worker - Creative and Sporting visa (T5) if you\u2019re in the UK on a Standard Visitor visa and your sponsor gave you a certificate of sponsorship for this visa before you came to the UK.\n\nYou should apply before your current visa expires.\n\nYou cannot switch to this visa if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## How long you can stay\n\nYou can stay for a maximum of up to 12 months after switching to a Temporary Worker - Creative and Sporting visa (T5).\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to switch to this visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Temporary Worker - Creative and Sporting visa (T5) concession\n\nYou can enter the UK without applying for a visa in advance if you:\n\n- have a valid Temporary Worker - Creative and Sporting visa (T5) certificate of sponsorship\n\n- are coming to work in the UK for 3 months or less\n\n- do not normally need a visa to enter the UK as a visitor\n\nYou must still meet the Temporary Worker - Creative and Sporting visa (T5) eligibility criteria.\n\nYou will not be able to extend your stay while you are in the UK, or switch to another temporary worker visa or a Skilled Worker visa.\n\nYour partner and children can travel with you if they also do not normally need a visa to enter the UK as a visitor.\n\n## When you arrive in the UK\n\nYou must see an immigration officer when you arrive in the UK - do not use the automatic ePassport gates. The officer will check:\n\n- your certificate of sponsorship is valid\n\n- you have enough money to support yourself\n\nYou will not be allowed to work if you use an automatic ePassport gate. You must see an immigration officer.\n\n## If you enter the UK from Ireland\n\nIf you\u2019re travelling to the UK from Ireland using the Temporary Worker - Creative and Sporting visa (T5) concession, you must apply for remote clearance at least 72 hours before you arrive in the UK.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n- extend your stay or switch to another visa", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "answerable": true, + "scenario": "I am French former professional footballer, and I am completing a Sports Science doctoral degree at a UK University and have a student visa. I have been offered the job as coach of a local league football team.", + "original_question": "Can I switch to the Creative and Sporting visa?" + }, + { + "id": "train-1906", + "question": "Scenario: I am a stage manager from Chile and have a Temporary Worker - Creative and Sporting visa (T5). I work at a London theatre. I wish for my wife, who is still in Chile, to join me in the UK.\n\nQuestion: Can my wife come to live with me whilst I am working in the UK under my current visa?\n\nDocument - Temporary Worker - Creative and Sporting visa (T5):\n## Overview\n\nYou must apply for a Temporary Worker - Creative and Sporting visa (T5) if:\n\n- you\u2019ve been offered work in the UK as a sports person or creative worker\n\n- you meet the other eligibility requirements\n\nA creative worker is someone who works in the creative industry, for example an actor, dancer, musician or film crew member.\n\nThis visa has replaced the Tier 5 (Temporary Worker - Creative and Sporting) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it takes\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can come to the UK for a maximum of up to 12 months, or the time given in your certificate of sponsorship plus up to 28 days, whichever is shorter.\n\nYou may be able to extend your visa.\n\nYour stay must start no more than 14 days before the start date on your certificate of sponsorship.\n\nIf you intend to work in the UK for 3 months or less, you may be able to use the Temporary Worker - Creative and Sporting visa (T5) concession instead of applying for the visa.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n## Eligibility\n\nYour eligibility for a Temporary Worker - Creative and Sporting visa (T5) depends on whether you\u2019re a sports person or a creative worker.\n\n## Sports person\n\nYou need to make a significant contribution to your sport at the highest level in the UK to be eligible for this visa.\n\nYou\u2019ll also need all of the following:\n\n- a certificate of sponsorship reference number\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Creative worker\n\nYou need all of the following to be eligible for the creative category:\n\n- make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity\n\n- certificate of sponsorship reference number\n\n- be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nYou need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example how much you\u2019ll be paid.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\nChanging your sponsor does not change how long you can stay in the UK. You can only stay the maximum length of time allowed by this visa.\n\n## Multiple entry\n\nYour sponsor needs to give you a multiple entry certificate of sponsorship if you need to leave and come back to the UK as part of the job you\u2019re doing.\n\n## Multiple jobs when you\u2019re a creative worker\n\nYour sponsor can give you a certificate that covers the entire length of your stay, even if you need to perform at more than one engagement. If you\u2019re working for more than one sponsor, you can get a certificate from each sponsor.\n\nThere cannot be a gap of more than 14 days between each job. If you leave the UK and come back, your time away will not count towards those 14 days.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply, you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Creative and Sporting visa (T5).\n\nYou should apply before your current visa expires.\n\nYou cannot extend your stay if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\n## Creative worker\n\nYou can extend your visa for whichever is the shortest of:\n\n- up to 12 months\n\n- the time on your certificate of sponsorship plus 14 days\n\n- the time needed to extend your stay to the maximum of 24 months\n\nYou must stay with the same sponsor.\n\n## Sports person\n\nYou can extend your visa up to 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Switch to this visa\n\nYou can switch to a Temporary Worker - Creative and Sporting visa (T5) if you\u2019re in the UK on a Standard Visitor visa and your sponsor gave you a certificate of sponsorship for this visa before you came to the UK.\n\nYou should apply before your current visa expires.\n\nYou cannot switch to this visa if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## How long you can stay\n\nYou can stay for a maximum of up to 12 months after switching to a Temporary Worker - Creative and Sporting visa (T5).\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to switch to this visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Temporary Worker - Creative and Sporting visa (T5) concession\n\nYou can enter the UK without applying for a visa in advance if you:\n\n- have a valid Temporary Worker - Creative and Sporting visa (T5) certificate of sponsorship\n\n- are coming to work in the UK for 3 months or less\n\n- do not normally need a visa to enter the UK as a visitor\n\nYou must still meet the Temporary Worker - Creative and Sporting visa (T5) eligibility criteria.\n\nYou will not be able to extend your stay while you are in the UK, or switch to another temporary worker visa or a Skilled Worker visa.\n\nYour partner and children can travel with you if they also do not normally need a visa to enter the UK as a visitor.\n\n## When you arrive in the UK\n\nYou must see an immigration officer when you arrive in the UK - do not use the automatic ePassport gates. The officer will check:\n\n- your certificate of sponsorship is valid\n\n- you have enough money to support yourself\n\nYou will not be allowed to work if you use an automatic ePassport gate. You must see an immigration officer.\n\n## If you enter the UK from Ireland\n\nIf you\u2019re travelling to the UK from Ireland using the Temporary Worker - Creative and Sporting visa (T5) concession, you must apply for remote clearance at least 72 hours before you arrive in the UK.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n- extend your stay or switch to another visa", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "answerable": true, + "scenario": "I am a stage manager from Chile and have a Temporary Worker - Creative and Sporting visa (T5). I work at a London theatre. I wish for my wife, who is still in Chile, to join me in the UK.", + "original_question": "Can my wife come to live with me whilst I am working in the UK under my current visa?" + }, + { + "id": "train-1907", + "question": "Scenario: I am a worker who has been offered a religious role in the UK. I have received a certificate of sponsorship for my religious worker visa application. I have \u00a315,000.\n\nQuestion: Will this amount of savings be sufficient for my application?\n\nDocument - Temporary Worker - Religious Worker visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - Religious Worker visa (T5) if:\n\n- you want to do religious work in a non-pastoral role or religious order\n\n- you meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Religious Worker) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou must have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to your sponsor organisation\u2019s work.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you are applying to extend from inside the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou\u2019ll be given a visa to live and work in the UK for up to 24 months, or up to 28 days more than the time on your certificate of sponsorship. You may be sponsored for a shorter period.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector at the same level as your main job for up to 20 hours per week outside the hours of your main job\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week outside the hours of your main job\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot get public funds.\n\n## Eligibility\n\nYou must have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a unique reference number that holds information about the job you\u2019ll do and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you the certificate of sponsorship.\n\nYour sponsor must also give you the information they used on your certificate about your job, for example your working hours.\n\nYour sponsor must be recognised by the UK government to issue certificates of sponsorship.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nYou may need to provide additional documents depending on your circumstances.\n\nRead the guide for a full list of documents you can provide.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Religious Worker visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must apply again if you want to change your job within the same organisation or move to a new organisation.\n\n## How long you can stay\n\nYou can apply to take your stay in the UK up to a maximum of 24 months, or the time on your certificate of sponsorship plus 14 days - whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/religious-worker-visa", + "answerable": true, + "scenario": "I am a worker who has been offered a religious role in the UK. I have received a certificate of sponsorship for my religious worker visa application. I have \u00a315,000.", + "original_question": "Will this amount of savings be sufficient for my application?" + }, + { + "id": "train-1908", + "question": "Scenario: I have just turned 16 years old, so I am old enough to get an adult's passport. I currently have a British child's passport with three years left on it.\n\nQuestion: Do I need to get an adult's passport now?\n\nDocument - Getting your first adult passport:\n## Who can apply\n\nYou can apply for a first adult passport if all of the following apply:\n\n- you\u2019re a British national\n\n- you\u2019re aged 16 or over (or will be in 3 weeks)\n\n- you\u2019ve never had a UK passport before\n\nYou must also apply if your last UK passport was issued before 1 January 1994.\n\nYou can use your child passport until it expires, even if you\u2019re over 18.\n\nAn adult passport is valid for 10 years.\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport.\n\nIf you need a passport to travel urgently for medical treatment or because a friend or family member is seriously ill or has died, call the Passport Adviceline.\n\nDo not book travel until you get your passport.\n\n## Ways to apply\n\nIf you\u2019re in the UK, you can either:\n\n- apply online - it costs \u00a375.50\n\n- apply with a paper form - it costs \u00a385\n\nIt\u2019s taking longer to process paper applications than online applications at the moment because of coronavirus (COVID-19). Use the online service to get your passport.\n\nThere\u2019s a different way to apply if you\u2019re overseas.\n\n## What documents you need to apply\n\nYou must send original documents. Photocopies are not accepted.\n\nIf you do not have your original certificates (for example, your birth certificate), you need to get an official copy.\n\nIf your documents are not in English or Welsh, you need to send a certified translation.\n\nYou can send laminated documents if that\u2019s the only format they are issued in.\n\n## You were born or adopted in the UK\n\nWhat documents you need depend on when you were born.\n\n## Before 1 January 1983\n\nYou\u2019ll need your full birth certificate or adoption certificate.\n\n## On or after 1 January 1983\n\nYou\u2019ll need your full birth certificate or adoption certificate and either:\n\n- your mother\u2019s or father\u2019s full UK birth certificate, or the Home Office certificate of registration or naturalisation, or a British passport belonging to one of your parents that was valid when you were born, or a British passport number for either parent\n\n- evidence of one of your parents\u2019 immigration status in the UK at the time of your birth, for example a foreign passport belonging to one of your parents that was valid when you were born\n\nIf you send documents relating to your father, you must also send your parents\u2019 marriage certificate.\n\n## You were born outside the UK\n\nWhat documents you need depend on your circumstances.\n\n## You have a certificate of naturalisation or registration\n\nYou\u2019ll need both:\n\n- your naturalisation or registration certificate\n\n- the passport you used to come into the UK or the foreign passport you\u2019re included on\n\n## Citizen of a British overseas territory and born before 1 January 1983\n\nYou\u2019ll need all of the following:\n\n- your birth certificate\n\n- your current passport\n\n- the passport you used to come into the UK or the foreign passport you\u2019re included on\n\n## Born before 1 January 1983 and your father was born in the UK\n\nYou\u2019ll need all of the following:\n\n- your full birth certificate showing your parents\u2019 details\n\n- your father\u2019s birth certificate\n\n- your parents\u2019 marriage certificate\n\n- the passport you used to come into the UK or foreign passport you\u2019re included on\n\n## Born on or after 1 January 1983\n\nYou\u2019ll need all of the following:\n\n- your full birth certificate showing your parents\u2019 details\n\n- the passport you used to come into the UK or any foreign passport that you\u2019re included on\n\n- evidence of one parent\u2019s British nationality, for example their UK birth or adoption, naturalisation or registration certificate\n\nIf these documents relate to your father, you must include the marriage certificate showing when he married your mother.\n\n## Your circumstances are different\n\nIf your circumstances are not listed, read the guidance booklet to find out what documents you\u2019ll need. If you apply online you\u2019ll be told what documents you need as part of your application.\n\n## How your documents will be sent back\n\nThe supporting documents will be returned separately from your passport. How you get them depends on the delivery option you choose when you fill in your application.\n\n## Apply online\n\nTo apply online you\u2019ll need:\n\n- a digital photo of you (or a device that takes digital photos and someone to take your photo)\n\n- someone who can confirm your identity\n\n- supporting documents\n\n- a credit or debit card\n\nIt costs \u00a375.50.\n\n## Start your application\n\nApply and pay for your passport online.\n\nStart now\n\n## Ask someone to confirm your identity\n\nAfter you\u2019ve paid and submitted your application, you\u2019ll need to ask someone to confirm your identity.\n\nLet the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your identity online - they do not need to sign a printed photo.\n\nFind out who can confirm your identity and what they need to do.\n\n## Send your documents\n\nAfter the person you asked has confirmed your identity, you\u2019ll receive an email explaining what documents you need to send and where to send them.\n\nAfter you apply, you may be asked to attend an interview.\n\n## Apply with a paper form\n\nTo apply with a paper form you\u2019ll need:\n\n- a filled-in application form\n\n- 2 identical printed passport photos\n\n- someone who can confirm your identity (a \u2018countersignatory\u2019)\n\n- supporting documents\n\nIt costs \u00a385. The booklet that comes with the form explains how to pay.\n\nIt takes longer to apply by post than online.\n\n## Fill in your application form\n\nYou can get a paper application form from either:\n\n- a Post Office that offers the Passport Check and Send service\n\n- the Passport Adviceline\n\nFill in sections 1, 2, 3, 4, 5 and 9. Your countersignatory will need to fill in section 10.\n\nRead the booklet that comes with the form if you need help with your application.\n\n## Get a countersignatory\n\nYou need to get someone else to confirm your identity (a \u2018countersignatory\u2019). They\u2019ll need to:\n\n- fill in section 10 of your form\n\n- sign and date one of your photos\n\nFind out who can be a countersignatory and what they need to do.\n\n## Gather your documents and send your application\n\nYou need to send all of the following:\n\n- your filled-in application form\n\n- your supporting documents\n\n- your 2 passport photos (one of them signed and dated by your countersignatory)\n\nTo send in your form, documents and photos, you can either:\n\n- post them using the pre-printed envelope that comes with the form\n\n- take them to the Post Office if you want to use the Passport Check and Send service\n\nAfter you apply, you may be asked to attend an interview.\n\n## After you apply\n\n## Passport interviews\n\nAfter you apply, you may need to be interviewed to confirm your identity.\n\nPassport offices are temporarily closed and face-to-face interviews are suspended because of coronavirus (COVID-19).\n\nVideo interviews are taking place online. If you need an interview, you\u2019ll be contacted after your application has been processed to book it.\n\n## Getting your new passport and supporting documents\n\nYou\u2019ll receive your new passport by courier or recorded delivery.\n\nThe supporting documents will be returned separately from your passport. How you get them depends on the delivery option you choose when you fill in your application.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/apply-first-adult-passport", + "answerable": true, + "scenario": "I have just turned 16 years old, so I am old enough to get an adult's passport. I currently have a British child's passport with three years left on it.", + "original_question": "Do I need to get an adult's passport now?" + }, + { + "id": "train-1910", + "question": "Scenario: I am a doctor from the US who will be getting a job in the UK. The job will be in accounting, and I will receive a salary of \u00a350,000 per year.\n\nQuestion: Will I be eligible for a Skilled Worker visa?\n\nDocument - Skilled Worker visa:\n## Overview\n\nA Skilled Worker visa allows you to come to or stay in the UK to do an eligible job with an approved employer.\n\nThis visa has replaced the Tier 2 (General) work visa.\n\nSome\u00a0health workers and their families will get their visas extended for free because of coronavirus (COVID-19).\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Eligibility\n\n## Your job\n\nTo qualify for a Skilled Worker visa, you must:\n\n- work for a UK employer that\u2019s been approved by the Home Office\n\n- have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK\n\n- do a job that\u2019s on the list of eligible occupations\n\n- be paid a minimum salary - how much depends on the type of work you do\n\nThe specific eligibility depends on your job.\n\nYou must have a confirmed job offer before you apply for your visa.\n\n## Knowledge of English\n\nYou must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.\n\n## If you\u2019re not eligible for a Skilled Worker visa\n\nYou may be eligible for another type of visa to work in the UK.\n\n## How long you can stay\n\nYour visa can last for up to 5 years before you need to extend it. You\u2019ll need to apply to extend or update your visa when it expires or if you change jobs or employer.\n\n## If you want to stay longer in the UK\n\nYou can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.\n\nAfter 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\nIf you want to change your job or employer, you must apply to update your visa.\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How long it takes\n\nYou can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## How much it costs\n\nYou, your partner or children will each need to:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove you have enough personal savings\n\nCheck how much money you\u2019ll need.\n\n## If you work in public sector healthcare\n\nIf you\u2019re a doctor or nurse, or you work in health or adult social care, check if you\u2019re eligible to apply for the Health and Care Worker visa instead. It\u2019s cheaper to apply for and you do not need to pay the annual immigration health surcharge.\n\n## What you can and cannot do\n\nWith a Skilled Worker visa you can:\n\n- work in an eligible job\n\n- study\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- take on additional work in certain circumstances\n\n- do voluntary work\n\n- travel abroad and return to the UK\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- change jobs or employer unless you apply to update your visa\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Skilled Worker visa.\n\n## Your job\n\nYou must meet all of the following requirements to be eligible for a Skilled Worker visa:\n\n- your job is eligible for this visa\n\n- you\u2019ll be working for a UK employer that\u2019s been approved by the Home Office\n\n- you\u2019ll be paid at least the minimum salary for the type of work you\u2019ll be doing\n\nThe minimum salary for the type of work you\u2019ll be doing is whichever is the highest out of the following 3 options:\n\n- \u00a325,600 per year\n\n- \u00a310.10 per hour\n\n- the \u2018going rate\u2019 for the type of work you\u2019ll be doing\n\n## Check if your job is eligible\n\nBefore you can find out if your job is eligible, you need to know its 4-digit occupation code.\n\nIf you already have a job offer, ask your employer for your occupation code.\n\n## Look up your job\u2019s occupation code\n\nIf you do not know your code, you can search for your job in the ONS occupation coding tool.\n\nNot every job title is included. If you cannot find your exact job title, try searching for similar jobs.\n\nMake sure the job description matches what you\u2019ll be doing. Some similar jobs have different codes, for example chefs and cooks. Chefs are eligible for a Skilled Worker visa, but cooks are not.\n\n## Check if an occupation code is eligible for this visa\n\nWhen you know your occupation code, view the table of eligible jobs to see if it\u2019s included.\n\nThe table is very large. It\u2019s sorted in order of occupation code, with the smallest numbers at the top. You may be able to use your web browser to search for your code on the page.\n\n## Salary requirements\n\nYou\u2019ll usually need to be paid at least \u00a325,600 per year or \u00a310.10 per hour, whichever is higher. If the \u2018going rate\u2019 for your job is higher than both of these, you\u2019ll usually need to be paid at least the going rate.\n\nEach occupation code has its own annual going rate. Check the going rate for your job in the going rates table.\n\n## If you work in healthcare or education\n\nThere are different salary rules if you work in some healthcare or education jobs, where the going rate is based on national pay scales.\n\n## When you can be paid less\n\nIf you do not meet the usual salary requirements, and you do not work in healthcare or education, you might still be eligible if your salary will be at least \u00a320,480 per year and at least \u00a310.10 per hour.\n\nCheck when you can be paid less.\n\n## Approved UK employers\n\nYou must have a job offer from an approved UK employer before you apply for a Skilled Worker visa. Approved employers are also known as sponsors, because they are sponsoring you to come to or stay in the UK.\n\nView the list of approved UK employers.\n\nIf your employer is not currently approved, they can apply for a sponsor licence if they\u2019re eligible.\n\nThey\u2019ll need to pay a fee - \u00a3536 for small businesses and charities or \u00a31,476 for medium and large organisations. It usually takes around 8 weeks to process a licence application.\n\n## If you already have a job offer from an approved employer\n\nYour employer - also known as your sponsor - will check that you meet the eligibility requirements. They\u2019ll give you a \u2018certificate of sponsorship\u2019 to prove this.\n\nThe certificate of sponsorship is an electronic record, not a physical document. It will have a reference number, which you\u2019ll need for your visa application.\n\nYou must apply for your visa within 3 months of getting your certificate of sponsorship.\n\nCheck which documents you\u2019ll need to apply.\n\n## When you can be paid less\n\nYou might still be able to apply for a Skilled Worker visa if your job is eligible but your salary is less than \u00a325,600 or your job\u2019s usual \u2018going rate\u2019. You must still be paid at least \u00a310.10 per hour.\n\nYou can be paid between 70% and 90% of the usual going rate for your job if your salary is at least \u00a320,480 per year and you meet one of the following criteria:\n\n- your job is in a shortage occupation\n\n- you\u2019re under 26, studying or a recent graduate, or in professional training\n\n- you have a science, technology, engineering or maths (STEM) PhD level qualification that\u2019s relevant to your job (if you have a relevant PhD level qualification in any other subject your salary must be at least \u00a323,040)\n\n- you have a postdoctoral position in science or higher education\n\nThere are different salary rules if you work in some healthcare or education jobs.\n\n## Your job is in a shortage occupation\n\nA \u2018shortage occupation\u2019 is a skilled job where there is a shortage of workers in the UK.\n\nIf your job is on the shortage occupation list, you can:\n\n- be paid 80% of the job\u2019s usual going rate\n\n- pay a lower fee for your visa\n\nView the shortage occupations list to see if your job is included and how much you\u2019ll need to be paid.\n\nMake sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.\n\n## You\u2019re under 26, studying or a recent graduate, or in professional training\n\nYou can be paid 70% of your job\u2019s usual going rate if one of the following applies:\n\n- you\u2019re under 26 on the date you apply\n\n- you\u2019re currently in the UK on a Student visa studying at bachelor\u2019s degree level or above - or you have been in the last 2 years, and a Student or visit visa was your most recent visa\n\n- you\u2019re currently in the UK on a Graduate Entrepreneur visa\n\n- you\u2019ll be working towards a recognised qualification in a UK regulated profession\n\n- you\u2019ll be working towards full registration or chartered status in the job you\u2019re being sponsored for\n\nIf this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.\n\nYour total stay in the UK cannot be more than 4 years if you apply for one of these reasons. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.\n\n## You have a PhD level qualification that\u2019s relevant to your job\n\nIf your job is eligible for a PhD salary discount, you can be paid 80% or 90% of the job\u2019s usual going rate, depending on which subject you are qualified in.\n\nIf you have a science, technology, engineering or maths (STEM) qualification, you can be paid 80% of your job\u2019s usual going rate, as long as you will still be paid at least \u00a320,480 per year.\n\nIf you have a non-STEM qualification, you can be paid 90% of your job\u2019s usual going rate, as long as you will still be paid at least \u00a323,040 a year.\n\nIn both situations, you must:\n\n- have a UK PhD or an equivalent doctorate-level overseas qualification - you\u2019ll need to apply through Ecctis (formerly UK NARIC) to check if an overseas qualification is equivalent to a UK PhD\n\n- be able to prove your qualification is relevant to the job you\u2019ll be doing in the UK - your employer can confirm this\n\nView the list of jobs that qualify for a PhD salary discount to see if your job is included and how much you need to be paid.\n\nIf you\u2019re a research or academic leader, you may also be eligible to apply for the Global Talent visa. This visa has no language or minimum salary requirements.\n\n## You have a postdoctoral position in science or higher education\n\nYou can be paid 70% of your job\u2019s usual going rate if you\u2019ll be working in a postdoctoral position in certain science or higher education roles.\n\nYour job must be in one of the following occupation codes to qualify for this salary discount:\n\n- 2111: chemical scientists\n\n- 2112: biological scientists and biochemists\n\n- 2113: physical scientists\n\n- 2114: social and humanities scientists\n\n- 2119: natural and social science professionals that are \u2018not elsewhere classified\u2019, such as research fellows and sports scientists\n\n- 2311: higher education teaching professionals\n\nIf this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.\n\nYour total stay in the UK cannot be more than 4 years if you apply to work in a postdoctoral position at 70% of the usual going rate. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.\n\n## If you work in healthcare or education\n\nThere are different salary rules if you work in some healthcare or education jobs. Your salary must be at least \u00a320,480 - or more if your job\u2019s \u2018going rate\u2019 is higher.\n\nThe going rates for these jobs are based on the national pay scales set by the relevant independent body, for example the NHS.\n\nView the list of eligible healthcare and education jobs to see if your job is included.\n\n## National pay scales tables\n\nIf your job is on the list, your salary must be at least the national pay scale rate for the job you\u2019ll be doing.\n\nThese going rates apply whether you\u2019ll be working in the public or private sector.\n\nCheck how much you\u2019ll need to be paid in the:\n\n- table of national pay scales for eligible healthcare jobs - listed by NHS pay band and area of the UK\n\n- table of national pay scales for eligible teaching and education leadership jobs - listed by role and area of the UK\n\nAsk your employer if you\u2019re not sure what your role or pay band will be.\n\n## If your job is on the shortage occupation list\n\nYou and your family will pay a lower application fee if your job is in a shortage occupation.\n\nView the list of healthcare and education shortage occupations to see if your job is included.\n\nMake sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.\n\nIf your job is on the list, the reduced fee for each person applying is:\n\n- \u00a3464 if you\u2019re staying for up to 3 years\n\n- \u00a3928 if you\u2019re staying for more than 3 years\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\nYou\u2019ll also need to pay the healthcare surcharge and prove you can support yourself in the UK - check how much money you\u2019ll need.\n\n## Knowledge of English\n\nYou\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to at least level B1 on the Common European Framework of Reference for Languages (CEFR) scale.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18\n\n- having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply through Ecctis (formerly UK NARIC) for confirmation that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## If you\u2019re a doctor, dentist, nurse, midwife or vet\n\nYou do not need to prove your knowledge of English if you\u2019ve already passed an English Language assessment that is accepted by the relevant regulated professional body.\n\nIf you\u2019re a vet, you may need to prove that you passed an English Language assessment with the Royal College of Veterinary Surgeons.\n\n## How much it costs\n\nWhen you apply for a Skilled Worker visa, you\u2019ll need to have enough money to:\n\n- pay the application fee - the standard fee ranges from \u00a3610 to \u00a31,408 depending on your circumstances\n\n- pay the healthcare surcharge - this is usually \u00a3624 per year\n\n- support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\nYou\u2019ll pay a lower application fee if your job is on the shortage occupation list.\n\nYou\u2019ll be told how much you need to pay when you apply.\n\n## Application fees\n\nIf you\u2019re applying from outside the UK, the standard fee depends on whether you\u2019ll be in the UK for:\n\n- up to 3 years - \u00a3610 per person\n\n- more than 3 years - \u00a31,220 per person\n\nIf you\u2019re applying from inside the UK to extend, switch or update your visa, the standard fee depends on whether you\u2019ll be in the UK for:\n\n- up to 3 years - \u00a3704 per person\n\n- more than 3 years - \u00a31,408 per person\n\n## If your job is on the shortage occupation list\n\nYou and your family will pay a lower application fee if your job is on the shortage occupation list.\n\nThe fee for each person applying is:\n\n- \u00a3464 if you\u2019re staying for up to 3 years\n\n- \u00a3928 if you\u2019re staying for more than 3 years\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\nThere\u2019s a different list of shortage occupations if you work in healthcare or education.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nIf your job is on the shortage occupation list, you\u2019ll get this reduction as well as paying a lower fee.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge for each year of your stay - this is usually \u00a3624 per year. Check how much you\u2019ll have to pay before you apply.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- proof of your knowledge of English\n\n- a valid passport or other document that shows your identity and nationality\n\n- your job title and annual salary\n\n- your job\u2019s occupation code\n\n- the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship\n\nAsk your employer for a copy of your certificate of sponsorship if you do not have one.\n\n## If your certificate of sponsorship was issued before 1 December 2020\n\nYour certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (General) work visa was replaced by the Skilled Worker visa.\n\nAsk your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.\n\n## Other documents you might need\n\nDepending on your circumstances, you might be asked to provide:\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a listed country\n\n- a criminal record certificate - if you\u2019re working in certain jobs\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\n- your UK PhD certificate, or your unique Ecctis reference number (formerly unique UK NARIC reference number) if your qualification is from outside the UK - you\u2019ll need to apply through Ecctis\n\nYou\u2019ll need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\n## Criminal record certificate\n\nYou\u2019ll need to provide a criminal record certificate if you\u2019re applying from outside the UK and you work in:\n\n- education, for example teachers, education advisers and school inspectors, childminders, teaching assistants\n\n- healthcare, for example nurses, doctors, paramedics, managers, pharmacists, dentists and dental nurses, ophthalmic opticians\n\n- therapy, for example psychologists, speech and language therapists, counsellors\n\n- social services, for example social workers, managers, probation officers, welfare and housing officers\n\nCheck how to apply for criminal records checks.\n\nIf you work in healthcare, you might be able to apply for the Health and Care Worker visa instead.\n\n## If you\u2019ve lived in more than one country\n\nYou might need to provide a certificate from each country you\u2019ve lived in, depending on your age and how long you stayed in each country.\n\nIf you\u2019re under 28, you\u2019ll need a certificate from any country you\u2019ve stayed in for a total of 12 months or more since you turned 18.\n\nIf you\u2019re 28 or over, you\u2019ll need a certificate from any country you\u2019ve stayed in over the last 10 years.\n\n## When you\u2019ve got your documents ready\n\nYou can apply online once your documents are ready.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\nIf you\u2019ve read the guidance and you\u2019re not sure if you\u2019re eligible, you can use a Home Office checker tool. You\u2019ll be asked to confirm that you meet all of the eligibility requirements.\n\n## Apply from outside the UK\n\nYou must apply online for a Skilled Worker visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for a Skilled Worker visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as your partner\n\n- apply online as your child\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity.\n\nThey\u2019ll either:\n\n- have their fingerprints and photograph taken at a \nvisa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\nIf they do need an appointment:\n\n- the visa application centre may need to keep their passport and documents while they process their application\n\n- they may have to travel to get to their nearest centre (this could be in another country)\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nApply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your Skilled Worker visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch to your Skilled Worker visa as your partner\n\n- extend or switch to your Skilled Worker visa as your child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou must apply for your child\u2019s dependant visa if you want to travel in and out of the UK with them.\n\nThe form you fill in depends on if:\n\n- your child is inside the UK\n\n- your child is outside the UK\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Extend your visa\n\nYou can usually apply to extend a Skilled Worker visa or a Tier 2 (General) work visa if all of the following are true:\n\n- you have the same job as when you were given your previous permission to enter or stay in the UK\n\n- your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK\n\n- you\u2019re still working for the employer who gave you your current certificate of sponsorship\n\nSome\u00a0health workers and their families will get their visas extended for free because of coronavirus (COVID-19).\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## If you have a Tier 2 (General) work visa\n\nYou may need to meet different eligibility requirements, depending on:\n\n- whether you got the certificate of sponsorship for your first Tier 2 visa before or after 24 November 2016\n\n- whether you applied for your first Tier 2 (General) or Skilled Worker visa before 6 April 2021\n\n- your occupation code - some have different going rates\n\nThe requirements will apply if you either:\n\n- have a Tier 2 (General) work visa\n\n- had a Tier 2 (General) work visa which you\u2019ve extended as a Skilled Worker visa\n\n## If you got your certificate of sponsorship before 24 November 2016\n\nIf you apply to extend before 24 May 2023, the minimum salary you\u2019ll need to be paid is fixed at a lower rate. You\u2019ll need to be paid at least \u00a320,800 per year unless the \u2018going rate\u2019 for your job is higher than this.\n\n## If you got your certificate of sponsorship on or after 24 November 2016\n\nIf you apply to extend before 1 December 2026, you will still need to meet the new salary requirements, but your salary may also include allowances, such as London weighting. Any allowances must be guaranteed for the length of your stay.\n\n## If you applied for your first Tier 2 (General) or Skilled Worker visa before 6 April 2021\n\nThe minimum salary requirement of \u00a310.10 per hour or the going rate for the type of work you\u2019ll be doing does not apply.\n\n## Jobs with different going rates\n\nFor some jobs, the going rate for the Skilled Worker visa is different.\n\n| Occupation code | Going rate for Skilled Worker visa | 90% of going rate (for relevant STEM PhD) | 80% of going rate (for relevant non-STEM PhD or shortage occupation) | 70% of going rate (for new entrants) |\n\n| 2113 Physical scientists | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour) |\n\n| 2119 Natural and social science professionals | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour) |\n\n| 2311 Higher education teaching professionals | \u00a333,000 (\u00a315.87 per hour) | \u00a329,700 (14.28 per hour) | \u00a326,400 (\u00a312.69 per hour) | \u00a323,100 (\u00a311.11 per hour) |\n\n## If you\u2019ve changed job or employer\n\nYou\u2019ll need to apply to update your visa instead.\n\n## Fees\n\nCheck how much it costs for your type of visa.\n\nYou may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Skilled Worker visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Update your visa if you change job or employer\n\nYou\u2019ll need to apply to update your Skilled Worker or Tier 2 (General) work visa if:\n\n- you want to change your job and your new job is with a different employer\n\n- your job changes to a different occupation code, and you\u2019re not in a graduate training programme\n\n- you leave a job that\u2019s on the shortage occupation list for a job that is not on the list\n\nYou do not need to apply again if you stay in the same job, but your job is taken off the shortage occupation list.\n\nIf you\u2019ll be doing a different job for your current employer, you only need to apply to update your visa if your new job is in a different occupation code.\n\nYour partner or children will need to apply separately.\n\n## Eligibility and documents you\u2019ll need to apply\n\nYour new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.\n\nYou\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.\n\n## If you\u2019re applying to add a second job to your current visa\n\nYou must apply to update your visa if you take on a second job that is either:\n\n- more than 20 paid hours a week in addition to the job you\u2019re being sponsored for\n\n- in a different occupation code\n\nYour second job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.\n\nYou\u2019ll also need to include a letter with your application explaining that you want to change your current permission to stay.\n\nYour letter must state:\n\n- your name\n\n- your date of birth\n\n- your current certificate of sponsorship reference number\n\n- the date when your current permission to stay runs out\n\nIf your application is successful, you\u2019ll get a new visa giving you permission to do both jobs.\n\nYou do not need to apply to update your visa if you\u2019re taking on additional work in the same occupation code or you\u2019ll be doing less than 20 paid hours a week.\n\n## When to apply to update your visa\n\nYou can apply to update your visa up to 3 months before the start date of your new job.\n\nYou can continue working in your current job while your new application is being considered, or to work out your notice period - as long as you apply before your current visa expires.\n\nYou should not start your new job until you\u2019ve got confirmation of your new permission.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.\n\n## Apply to update your visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to a Skilled Worker visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Eligibility\n\nYou must meet the following requirements:\n\n- your job meets the eligibility requirements\n\n- you can speak, read, write and understand English\n\n## Who cannot apply to switch to this visa\n\nYou cannot apply to switch to this visa if you\u2019re currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because you were given permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and apply for a Skilled Worker visa from abroad if you\u2019re in one of these categories.\n\n## Fees\n\nEach person applying will need to pay:\n\n- the visa application fee\n\n- the healthcare surcharge for each year of their stay - check how much you\u2019ll have to pay\n\nYou may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\nIf you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to switch to a Skilled Worker visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Taking on additional work\n\nYou can do additional paid work on this visa as long as you\u2019re still doing the job you\u2019re being sponsored for. You can also do unpaid voluntary work.\n\nYou can work up to 20 hours a week in a job that\u2019s either:\n\n- in the same occupation code and at the same level as your main job\n\n- in a shortage occupation\n\nCheck if your job is on the list of:\n\n- healthcare and education shortage occupations\n\n- all other shortage occupations\n\nDue to coronavirus (COVID-19), there\u2019s currently no limit on the number of hours you can work or volunteer if you have a second job as an NHS doctor, nurse or paramedic.\n\n## If you\u2019ll be working more than 20 hours a week or in a different occupation code\n\nYou\u2019ll need to apply to update your visa so that you\u2019re being sponsored to do both jobs.\n\nYou\u2019ll need to:\n\n- get a new certificate of sponsorship from your second employer\n\n- include a letter with your application explaining that you want to change your current permission to stay", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/skilled-worker-visa", + "answerable": true, + "scenario": "I am a doctor from the US who will be getting a job in the UK. The job will be in accounting, and I will receive a salary of \u00a350,000 per year.", + "original_question": "Will I be eligible for a Skilled Worker visa?" + }, + { + "id": "train-1912", + "question": "Scenario: I am a German citizen and I work for Microsoft. I have been offered the opportunity to relocate permanently to the UK but I am not sure what steps to take.\n\nQuestion: Do I need an intra company visa?\n\nDocument - Intra-company visas:\n## Overview\n\nAn Intra-company visa allows you to come to or stay in the UK to do an eligible job at your employer\u2019s UK branch.\n\n## If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Types of Intra-company visa\n\nThere are 2 types of Intra-company visa.\n\n## Intra-company Transfer visa\n\nApply for this visa if you\u2019re being transferred by your employer to a role in the UK.\n\nYou\u2019ll need to have worked for your employer overseas for more than 12 months, unless they\u2019re going to pay you \u00a373,900 a year or more to work in the UK.\n\nThis visa has replaced the Tier 2 (Intra-company Transfer) Long-term Staff visa.\n\n## Intra-company Graduate Trainee visa\n\nThis visa is for transfers to the UK as part of a graduate training programme for a managerial or specialist role.\n\nYou\u2019ll need to have worked for your employer overseas for at least 3 months immediately before the date you apply.\n\nThis visa has replaced the Tier 2 (Intra-company Transfer) Graduate Trainee visa.\n\n## Eligibility\n\nTo qualify for an Intra-company visa, you must:\n\n- be an existing employee of an organisation that\u2019s been approved by the Home Office as a sponsor\n\n- have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK\n\n- do a job that\u2019s on the list of eligible occupations\n\n- be paid at least \u00a341,500 for an Intra-company Transfer visa or at least \u00a323,000 for an Intra-company Graduate Trainee visa\n\nThe specific eligibility requirements depend on your job.\n\n## How long you can stay\n\nHow long you can stay in the UK with an Intra-company visa depends on which visa you\u2019re applying for and how long your employer is sponsoring you for.\n\n## If you\u2019re applying for an Intra-company Transfer visa\n\nYou can stay in the UK with an Intra-company Transfer visa for whichever is shorter of:\n\n- the time given on your certificate of sponsorship plus 14 days\n\n- 5 years\n\n- the length of time that takes you to the maximum total stay allowed\n\nThe maximum total stay allowed for an Intra-company Transfer visa is:\n\n- 5 years in any 6 year period if you\u2019re paid less than \u00a373,900 a year\n\n- 9 years in any 10 year period if you\u2019re paid \u00a373,900 a year or more\n\nYou can extend your visa or apply for another one up to the maximum total stay. If you have already been in the UK with an Intra-company visa before your application, that time will be included in your total stay.\n\n## If you\u2019re applying for an Intra-company Graduate Trainee visa\n\nYou can stay in the UK with an Intra-company Graduate Trainee visa for whichever is shorter of:\n\n- the time given on your certificate of sponsorship plus 14 days\n\n- 12 months\n\n- the length of time that takes you to the maximum total stay allowed\n\nYou cannot extend your visa, but you can apply for another Intra-company Graduate Trainee visa from outside the UK. You have to have been working for your sponsor outside the UK for at least 3 months immediately before the date you apply.\n\nThe maximum total stay allowed for an Intra-company Graduate Trainee visa is 5 years in any 6 year period. If you have already been in the UK with an Intra-company visa before your application, that time will be included in your total stay.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How much it costs\n\nYou, your partner or children will each need to:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove you have enough personal savings\n\nCheck how much it costs.\n\n## How long it takes\n\nYou can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## What you can and cannot do\n\nWith an Intra-company visa you can:\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- study\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- do a second job for up to 20 hours a week that\u2019s either in the same profession and at the same level as your main job or on the Skilled Worker shortage occupation list\n\n- do voluntary work\n\n- travel abroad and return to the UK\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- change jobs unless you update your visa\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019)\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with an Intra-company visa.\n\n## Eligibility\n\nTo be eligible for an Intra-company visa you need to:\n\n- have a valid certificate of sponsorship from your employer\n\n- have worked for your employer outside the UK - how long you need to have worked for them depends on the visa you\u2019re applying for and your salary\n\n- do a job that\u2019s on the list of eligible occupations\n\n- be paid the minimum eligible salary required for your job\n\n## Getting a certificate of sponsorship\n\nYour employer - also known as your sponsor - will give you a \u2018certificate of sponsorship\u2019 with information about the role you have been offered in the UK. It\u2019s an electronic record, not a paper document.\n\nYou\u2019ll need the reference number from the certificate of sponsorship for your visa application. You must apply for your visa within 3 months of getting your certificate of sponsorship.\n\nIf your employer is not currently licensed to sponsor people to work in the UK, they can apply for a sponsor licence if they\u2019re eligible.\n\n## How long you need to have worked for your employer outside the UK\n\nYou must have worked for your employer outside of the UK. How long you need to have worked for them depends on what visa you\u2019re applying for and how much you\u2019re paid.\n\n| What visa you\u2019re applying for | How long you need to have worked for your employer outside the UK |\n\n| Intra-company Transfer (earning less than \u00a373,900 a year) | 12 months |\n\n| Intra-company Transfer (earning \u00a373,900 a year or more) | no minimum time |\n\n| Intra-company Graduate Trainee | 3 months |\n\nIf you\u2019re applying for an Intra-company Graduate Trainee visa, you must have worked for your employer overseas for the 3 months immediately before the date you apply.\n\n## Check if your job is eligible\n\nBefore you can find out if your job is eligible, you need to know its 4-digit occupation code. You can get this from your employer or your certificate of sponsorship.\n\nWhen you know your occupation code, check the table of eligible jobs to see if it\u2019s eligible for your visa type.\n\n## Salary requirements\n\nIf you\u2019re applying for an Intra-company Transfer visa you must be paid at least \u00a341,500 or the \u2018going rate\u2019 for your job - whichever is higher.\n\nIf you\u2019re applying for an Intra-company Graduate Trainee visa you must be paid at least \u00a323,000 or 70% of the \u2018going rate\u2019 for your job - whichever is higher.\n\nEach occupation code has its own annual going rate. Check the going rate for your job in the going rates table.\n\n## How much it costs\n\nWhen you apply for an Intra-company visa, you\u2019ll need to have enough money to:\n\n- pay the application fee - the standard fee ranges from \u00a3610 to \u00a31,408 depending on your circumstances\n\n- pay the healthcare surcharge - this is usually \u00a3624 per year\n\n- support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\nYou\u2019ll be told how much you need to pay when you apply.\n\n## Application fee\n\nHow much you pay to apply for an Intra-company visa depends on the type of visa and where you\u2019re applying from.\n\n| What you\u2019re applying for | Apply from outside the UK | Extend or switch in the UK |\n\n| Intra-company Transfer (up to 3 years) | \u00a3610 per person | \u00a3704 per person |\n\n| Intra-company Transfer (more than 3 years) | \u00a31,220 per person | \u00a31,408 per person |\n\n| Intra-company Graduate Trainee | \u00a3482 per person | \u00a3482 per person |\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge for each year of your stay - this is usually \u00a3624 per year. Check how much you\u2019ll have to pay before you apply.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself when you arrive in the UK.\n\nYou will need to have had the money available for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date you apply.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for 12 months or more\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- your job title and annual salary\n\n- your job\u2019s occupation code\n\n- the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a listed country\n\nAsk your employer for a copy of your certificate of sponsorship if you do not have one.\n\n## If your certificate of sponsorship was issued before 1 December 2020\n\nYour certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (Intra-company Transfer) Long-term Staff visa and Tier 2 (Intra-company Transfer) Graduate Trainee visa were replaced.\n\nAsk your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.\n\n## Other documents you might need\n\nDepending on your circumstances, you might be asked to provide:\n\n- evidence you\u2019ve worked for your employer outside the UK\n\n- details of your training programme if you\u2019re applying for an Intra-company Graduate Trainee visa\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\nYou\u2019ll need a blank page in your passport for your visa if you need to give your biometric information (fingerprints and a photograph) at a visa application centre. You\u2019ll be told if you need to do this when you apply.\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\n## Evidence you\u2019ve worked for your employer outside the UK\n\nAfter you apply you might be asked to show you\u2019ve worked for your employer for a certain amount of time.\n\nThe length of time depends on what visa you\u2019re applying for:\n\n- Intra-company Transfer earning less than \u00a373,900 a year - 12 months\n\n- Intra-company Transfer earning \u00a373,900 a year or more - no minimum time\n\n- Intra-company Graduate Trainee - 3 months\n\nIf you\u2019re asked, you\u2019ll need to show you\u2019ve been paid by your employer over this time period. You can provide:\n\n- printed payslips\n\n- online payslips supported by a letter from your sponsor signed by a senior staff member\n\n- bank or building society statements\n\n- a building society pass book\n\n## Apply from outside the UK\n\nYou must apply online for an Intra-company visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the visa application centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest centre (this could be in another country)\n\n## Apply for an Intra-company visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email with the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 consecutive days. The end date of the 28 day period must be within 31 days of the date you or they apply for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as a partner\n\n- apply online as a child\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document (they\u2019ll also create or sign into their UK Visas and Immigration (UKVI) account)\n\nThey\u2019ll be told what they need to do when they apply.\n\nIf they do need an appointment:\n\n- the visa application centre may need to keep their passport and documents while they process their application\n\n- they may have to travel to get to their nearest centre (this could be in another country)\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nApply for your partner or child\u2019s visa at the same time as you extend or switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children will not be able to apply to switch to this visa if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document (they\u2019ll also create or sign into their UK Visas and Immigration (UKVI) account)\n\nThey\u2019ll be told what they need to do when they apply.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Intra-company Transfer visa from inside the UK if all of the following are true:\n\n- you have the same job as when you were given your previous permission to enter or stay in the UK\n\n- your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK\n\n- you\u2019re still working for the employer who gave you your current certificate of sponsorship\n\n- you have not reached the maximum total stay\n\nYou cannot extend an Intra-company Graduate Trainee visa from inside the UK.\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## If your job changes\n\nYou\u2019ll need to apply to update your visa instead.\n\n## Fees\n\nCheck how much it costs for your type of visa.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Intra-company Transfer visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.\n\n## Update your visa if your job changes\n\nYou\u2019ll need to apply to update your Intra-company visa if your job changes to a different occupation code. You must still have the same employer.\n\nYou do not need to apply again if you have an Intra-company Graduate Trainee visa and your job changes as part of your graduate training programme. Your employer will notify UK Visas and Immigration.\n\nYour partner or children will need to apply separately.\n\n## Eligibility and documents you\u2019ll need to apply\n\nYour new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship.\n\nYou\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.\n\n## When to apply to update your visa\n\nYou can apply to update your visa up to 3 months before the start date of your new job.\n\nYou can continue working in your current job while your new application is being considered - as long as you apply before your current visa expires.\n\nYou should not start your new job until you\u2019ve got confirmation of your new permission.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told how to do this when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.\n\n## Apply to update your visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.\n\n## Switch to an Intra-company visa\n\nYou might be able to apply to change (\u2018switch\u2019) to an Intra-company Transfer visa if you\u2019re already in the UK on a different type of visa. You must meet the eligibility requirements\n\nYou cannot switch to an Intra-company Graduate Trainee visa from inside the UK.\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Who cannot apply to switch\n\nYou cannot apply to switch to an Intra-company visa if you\u2019re currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because you were given permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and apply for an Intra-company Transfer visa from abroad if you\u2019re in one of these categories.\n\n## Fees\n\nCheck how much it costs.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document (you will also create or sign in to your UK Visas and Immigration (UKVI) account)\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to switch to an Intra-company Transfer visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. Your fee will only be refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter with the decision on your application. This will explain what you need to do next.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/intracompany-transfer-worker-visa", + "answerable": true, + "scenario": "I am a German citizen and I work for Microsoft. I have been offered the opportunity to relocate permanently to the UK but I am not sure what steps to take.", + "original_question": "Do I need an intra company visa?" + }, + { + "id": "train-1914", + "question": "Scenario: I am a minister from the US who has been offered a position in the UK. I am fluent in English. I have enough \u00a38,000 in savings to support myself during my time in the UK.\n\nQuestion: Will I be eligible for a Minister of Religion visa?\n\nDocument - Minister of Religion visa (T2):\n## Overview\n\nYou can apply for a Minister of Religion visa (T2) if:\n\n- you\u2019ve been offered a job within a faith community (for example as a minister of religion, missionary, or member of a religious order) in the UK\n\n- you meet the other eligibility requirements\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Getting sponsored\n\nYou need to be employed by a licensed sponsor to apply to live in the UK.\n\nYour sponsor checks that you can do the job they\u2019re hiring you for and if it qualifies you for a visa. They\u2019ll give you a certificate of sponsorship to prove this.\n\nThey must also give you other information you need when you apply, for example how much you\u2019ll be paid.\n\n## How long it will take\n\nYou can apply for a visa up to 3 months before the day you\u2019re due to start work in the UK. This date is listed on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nHow much you pay for a Minister of Religion visa (T2) depends on where you are.\n\n| Who you\u2019re applying for | Apply outside the UK | Extend or switch in the UK |\n\n| You | \u00a3610 | \u00a3704 |\n\n| All dependants | \u00a3610 each person | \u00a3704 each person |\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can come to the UK with a Minister of Religion visa (T2) for a maximum of up to 3 years and 1 month, or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.\n\nYou can apply to extend your stay.\n\nYou must apply before your visa expires.\n\n## What you can and cannot do\n\nYou can:\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job - in certain circumstances\n\n- do voluntary work\n\n- study as long as it does not interfere with the job you\u2019re sponsored for\n\n- travel abroad and return to the UK\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- own more than 10% of your sponsor\u2019s shares (unless you earn more than \u00a3159,600 a year)\n\n- get public funds\n\n## Eligibility\n\nYou need to:\n\n- have a certificate of sponsorship for your job\n\n- prove your knowledge of English\n\n- have personal savings so you can support yourself when you arrive in the UK\n\n- show you can travel and your travel history over the last 5 years\n\n- have tuberculosis test results if you\u2019re from a listed country\n\nYou need to have an eligible qualification if you\u2019re switching from a Tier 4 visa.\n\n## Certificate of sponsorship\n\nA certificate of sponsorship holds your personal details and information about the job you\u2019ve been offered. It\u2019s an electronic record, not a paper document. Your sponsor will give you a certificate of sponsorship reference number to add to your application.\n\nYou can only use your certificate of sponsorship reference number once. You must use it within 3 months of getting it.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\nYou can prove your knowledge of English by either:\n\n- passing an approved English language test with at least CEFR level B2 in reading, writing, speaking and listening\n\n- having an academic qualification that was taught in English and is recognised by Ecctis (formerly UK NARIC) as being equivalent to a UK bachelors degree, master\u2019s degree or PhD\n\nYou may be able to meet the English language requirement in other ways. Check the full visa guidance for detailed information.\n\n## Exceptions\n\nYou will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nYou also may not have to prove your knowledge of English in other circumstances - check the full visa guidance.\n\n## Documents you'll need\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number (your employer will give you this)\n\n- proof of your knowledge of English\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- a valid passport or other document that shows your identity and nationality - you need a blank page in your passport for your visa\n\n- expired passports or travel documents if you need them to show your travel history\n\n- your tuberculosis test results if you\u2019re from a listed country\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\nYou may need to provide additional documents depending on your circumstances.\n\nSee the full list of documents you can provide.\n\nRead the guidance about the money you\u2019ll need and how to prove it.\n\n## Apply from outside the UK\n\nYou must apply online for a Minister of Religion visa (T2).\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre.\n\nYou\u2019ll have your fingerprints and photograph taken at the visa application centre, so you can get a biometric residence permit.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.\n\n## Apply for a Minister of Religion visa (T2)\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## After you apply\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.\n\nYou\u2019ll get an email containing the decision on your application. This will explain what you need to do next.\n\n## Extend your visa\n\nYou may be able to apply to extend your stay in the UK under a Minister of Religion visa (T2).\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou\u2019ll still need to meet the eligibility criteria and provide the right documents.\n\nYou\u2019ll also need a new certificate of sponsorship from your sponsor.\n\n## How long you can stay\n\nYou can extend a Minister of Religion visa (T2) for up to 3 years, or the time given in your certificate of sponsorship plus 14 days, or the time required to take your total stay in the UK to a maximum of 6 years, whichever time is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## Apply to extend your Minister of Religion visa (T2)\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou\u2019ll usually get a decision:\n\n- within 8 weeks of your application date if you use the standard service\n\n- within 5 working days of your UKVCAS appointment if you use the priority service\n\nIf you use the super priority service you\u2019ll get a decision:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your circumstances or application are more complicated, for example if:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- you have a criminal conviction\n\n## Switch to this visa\n\nYou can apply to change (\u2018switch\u2019) from another visa to a Minister of Religion visa (T2).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must meet the Minister of Religion visa (T2) eligibility requirements and must already be in the UK under any of the following visas:\n\n- Tier 1 visa\n\n- Tier 2 (Sportsperson) visa\n\n- Tier 2 (General) visa\n\n- Tier 2 (Intra-company Transfer) visa under the Immigration Rules in place before 6 April 2010 and you\u2019re applying to change sponsor\n\n- Tier 4 visa - if you have an eligible qualification\n\n- Start-up visa\n\n- Innovator visa\n\nYou can also switch to this visa if you meet the eligibility requirements and you\u2019re:\n\n- a dependent partner of someone with a Tier 4 visa\n\n- a representative of an overseas business\n\nYou must leave the UK and make your Minister of Religion visa (T2) application from abroad if you\u2019re not in any of these categories.\n\n## Eligible qualifications for Tier 4 visa\n\nYou must have been sponsored by a licensed sponsor to get one of the following qualifications:\n\n- a UK bachelors degree\n\n- a UK masters degree\n\n- a postgraduate certificate in education\n\n- a professional graduate diploma of education\n\nIf you\u2019re a PhD student, you must have also have completed the last 12 months\u2019 study during your most recent stay in the UK. This can be through a licensed sponsor or another visa that allowed you to study.\n\n## How long you can stay\n\nYou can stay up to 3 years after switching to a Minister of Religion visa (T2).\n\n## Fees\n\nCheck the fees for your visa.\n\n## Apply to switch to a Minister of Religion visa (T2)\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou\u2019ll usually get a decision:\n\n- within 8 weeks of your application date if you use the standard service\n\n- within 5 working days of your UKVCAS appointment if you use the priority service\n\nIf you use the super priority service you\u2019ll get a decision:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAs appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.\n\n## Taking a second job\n\nYou can take a second job on this visa if you\u2019re working up to 20 hours a week in either:\n\n- the same profession as your main job\n\n- a profession on the Skilled Worker shortage occupation list\n\nYou can also do unpaid voluntary work.\n\nOtherwise, you\u2019ll need to apply for a new visa. You\u2019ll need to be sponsored by your second employer and get a new certificate of sponsorship.\n\n## When to apply for a new visa\n\nYou cannot apply for a new visa until you\u2019ve started work with your first sponsor.\n\nYou cannot start work with your second sponsor until your visa application has been approved.\n\n## How to apply\n\nRead the guidance before you apply.\n\nYou must apply online.\n\nYou must be in the UK to apply.\n\n## Documents you must provide\n\nYou\u2019ll need to provide some documents with your application.\n\nYou must also provide a letter explaining that you want to change your current permission to stay.\n\nYour letter must state:\n\n- your name\n\n- your date of birth\n\n- your current certificate of sponsorship reference number\n\n- the date when your current permission to stay runs out", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/minister-of-religion-visa", + "answerable": true, + "scenario": "I am a minister from the US who has been offered a position in the UK. I am fluent in English. I have enough \u00a38,000 in savings to support myself during my time in the UK.", + "original_question": "Will I be eligible for a Minister of Religion visa?" + }, + { + "id": "train-1918", + "question": "Scenario: My partner, myself and my son have been in the UK for eighteen months whilst my partner works as a contractor here on a seasonal worker visa. I have recently had what I believe is an innovative business idea which we can fund for ourselves. We are very keen on this idea and think it could work very well.\n\nQuestion: We want to switch our visa status to that of start up visa but do not know if this is possible in our situation. Is it?\n\nDocument - Start-up visa:\n## Overview\n\nYou can apply for a Start-up visa if:\n\n- you want to set up an innovative business in the UK - it must be something that\u2019s different from anything else on the market\n\n- you meet the other eligibility requirements\n\n## If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Eligibility\n\nYou must be endorsed by an authorised body that is either:\n\n- a UK higher education institution\n\n- a business organisation with a history of supporting UK entrepreneurs\n\nYou must be able to show that your business idea is:\n\n- a new idea - you cannot join in a business that is already trading\n\n- innovative - you must have an original business idea which is different from anything else on the market\n\n- viable - it has potential for growth\n\n## If you\u2019re not eligible for a Start-up visa\n\nYou may be eligible for another type of visa to work in the UK.\n\n## How long you can stay\n\nYou can stay for 2 years if you either:\n\n- come to the UK on a Start-up visa\n\n- switch to this visa from another visa while in the UK\n\n## If you want to stay longer in the UK\n\nYou cannot apply to extend this visa.\n\nYou may be able to switch to an Innovator visa if you set up a business while on a Start-up visa and:\n\n- your endorsing body assessed and agreed it\n\n- it is active, trading and sustainable\n\n- you have day to day involvement in it\n\n## If your endorsement is withdrawn\n\nYour visa may be cut short if your endorsement is withdrawn by the endorsing body. If you want to stay longer, you must re-apply with a new endorsement before your current visa expires.\n\nYou can only stay for a total of 2 years even if you\u2019re granted a new visa with a new endorsement.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and switching from a different visa\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## Fees\n\nHow much you pay for a Start-up visa depends on your situation and where you apply from.\n\n| Who you\u2019re applying for | Apply (outside the UK) | Switch (in the UK) |\n\n| Yourself | \u00a3363 | \u00a3493 |\n\n| Your partner and children | \u00a3363 each person | \u00a3493 each person |\n\nYou must pay the visa fee for each person that applies at the same time as you or applies later to join you in the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to switch in the UK\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## What you can and cannot do\n\nWith a Start-up visa you can:\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- work in another job, as well as working for your business\n\n- travel abroad and return to the UK\n\nYou can also switch to this visa from some other visa categories.\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- work as a professional sportsperson, for example a sports coach\n\n- settle in the UK on this visa\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Start-up visa.\n\n## Eligibility\n\nBefore you apply you need to have your business or business idea assessed by an endorsing body.\n\nThey will provide you with an endorsement letter if your business is viable.\n\nYou must also:\n\n- be at least 18 years old\n\n- meet the English language requirement\n\n- be able to prove that you have enough personal savings to support yourself while you\u2019re in the UK\n\nRead the specific requirements for the Start-up visa before you apply.\n\n## Supporting yourself\n\nYou need to have had at least \u00a31270 in your bank account for 28 consecutive days before you apply, or if you\u2019ve been in the UK for less than a year and applying to switch to this visa.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## Knowledge of English\n\nYou\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English gained through study at a UK school that you began when you were under 18\n\n- having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## Documents you'll need to apply\n\nWhen you apply you need to provide an \u2018endorsement letter\u2019 to show that an endorsing body has assessed your business.\n\nYou\u2019ll also need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- bank statements showing you\u2019ve had at least \u00a31270 in savings in your bank account for 28 consecutive days before you apply\n\n- proof that you meet the English language requirement\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\nYou\u2019ll need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nYou must apply online for a Start-up visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for a Start-up visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must each have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nIn addition to the \u00a31,270 you must have to support yourself, you - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou\u2019ll need to have had the money in your bank account or your dependant\u2019s bank account for at least 28 days before you or they apply.\n\nYou\u2019ll usually need to show proof of this when you apply, unless you or they are applying from inside the UK and you\u2019ve been here for 1 year or more.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as a partner\n\n- apply online as a child\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre. This is to get a biometric residence permit, which they\u2019ll need to collect within 10 days of when they said they\u2019d arrive in the UK.\n\n## Apply from inside the UK (switch)\n\nApply for your partner or child\u2019s visa at the same time as you switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children will not be able to apply to switch to a Start-up visa if they are currently in the UK in one of the following circumstances:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and child must apply online to either:\n\n- switch to a Start-up visa as your partner\n\n- switch to a Start-up visa as your child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## Getting a faster decision\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to a Start-up visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or children will need to apply separately.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply to switch to this visa if you meet the eligibility requirements.\n\n## Who cannot apply to switch to this visa\n\nYou cannot switch to this visa if you have one of the following:\n\n- a visit visa\n\n- a short-term student visa\n\n- a Parent of a Child Student visa\n\n- a seasonal worker visa\n\n- a domestic worker in a private household visa\n\n- immigration bail\n\n- permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and make your application from abroad if you\u2019re here on a different type of visa.\n\n## How long you can stay\n\nYou can stay in the UK for 2 years on a Start-up visa. Any time you\u2019ve already spent in the UK on a Tier 1 (Graduate Entrepreneur) visa counts as part of the 2 years.\n\n## How much it costs\n\nCheck the visa application fees.\n\nIf you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply to switch to a Start-up visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/start-up-visa", + "answerable": true, + "scenario": "My partner, myself and my son have been in the UK for eighteen months whilst my partner works as a contractor here on a seasonal worker visa. I have recently had what I believe is an innovative business idea which we can fund for ourselves. We are very keen on this idea and think it could work very well.", + "original_question": "We want to switch our visa status to that of start up visa but do not know if this is possible in our situation. Is it?" + }, + { + "id": "train-1919", + "question": "Scenario: I started a business 5 months ago and sell lots of products, I have sold over \u00a390,000 worth of products.\n\nQuestion: Do I have to store my VAT digitally?\n\nDocument - VAT record keeping:\n## Overview\n\nVAT-registered businesses must:\n\n- keep records of sales and purchases\n\n- keep a separate summary of VAT called a VAT account\n\n- issue correct VAT invoices\n\nThis guide is also available in Welsh (Cymraeg).\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.\n\nIf you\u2019ve signed up for Making Tax Digital for VAT, the records you need to keep are the same as any VAT-registered business but you\u2019ll need to keep some of them digitally.\n\n## How to keep VAT records\n\nYou must keep VAT records for at least 6 years (or 10 years if you used the VAT MOSS service).\n\nYou can keep VAT records on paper, electronically or as part of a software program (such as book-keeping software). Records must be accurate, complete and readable.\n\nIf your taxable turnover is more than \u00a385,000, you must keep a digital record of anything that\u2019s needed for your VAT Return.\n\nIf you\u2019ve lost a VAT invoice or it is damaged and no longer readable, ask the supplier for a duplicate (marked \u2018duplicate\u2019).\n\nHMRC can visit your business to inspect your record keeping and charge you a penalty if your records are not in order.\n\nYou can hire a professional (such as an accountant) if you need help with your VAT.\n\n## VAT invoices\n\nOnly VAT-registered businesses can issue VAT invoices and you must:\n\n- issue and keep valid invoices - these can be paper or electronic\n\n- keep copies of all the sales invoices you issue even if you cancel them or produce one by mistake\n\n- keep all purchase invoices for items you buy\n\n## Valid invoices\n\nYou\u2019ll use a full VAT invoice for most transactions. You can use:\n\n- a modified invoice for retail supplies over \u00a3250\n\n- a simplified invoice for retail supplies under \u00a3250 - and for other supplies from 1 January 2013\n\nYou cannot reclaim VAT using an invalid invoice, pro-forma invoice, statement or delivery note.\n\nInclude the following on your invoice, depending on which type you use.\n\n| Invoice information | Full invoice | Simplified invoice | Modified invoice |\n\n| Unique invoice number that follows on from the last invoice | Yes | Yes | Yes |\n\n| Your business name and address | Yes | Yes | Yes |\n\n| Your VAT number | Yes | Yes | Yes |\n\n| Date | Yes | No | Yes |\n\n| The tax point (or \u2018time of supply\u2019) if this is different from the invoice date | Yes | Yes | Yes |\n\n| Customer\u2019s name or trading name, and address | Yes | No | Yes |\n\n| Description of the goods or services | Yes | Yes | Yes |\n\n| Total amount excluding VAT | Yes | No | Yes |\n\n| Total amount of VAT | Yes | No | Yes |\n\n| Price per item, excluding VAT | Yes | No | Yes |\n\n| Quantity of each type of item | Yes | No | Yes |\n\n| Rate of any discount per item | Yes | No | Yes |\n\n| Rate of VAT charged per item - if an item is exempt or zero-rated make clear no VAT on these items | Yes | Yes (1) | Yes |\n\n| Total amount including VAT | No | Yes (1) | Yes |\n\n(1) If items are charged at different VAT rates, then show this for each.\n\n## Accounting schemes\n\nIf you use the Cash Accounting Scheme you have to stamp an invoice with the amount of cash paid and the date.\n\nThere are different rules for record keeping and invoicing if you use a VAT Margin Scheme.\n\n## Deadlines\n\nUsually VAT invoices must be issued within 30 days of the date of supply or the date of payment (if you\u2019re paid in advance).\n\n## International trade\n\nYou do not have to show all amounts on your invoices in sterling. If you issue VAT invoices in a foreign currency or language, you must:\n\n- show the total VAT payable in sterling on your VAT invoice if the supply takes place in the UK\n\n- be able to provide an English translation of any invoice within 30 days if asked to do so by a visiting VAT officer\n\n## Converting to sterling\n\nTo convert to sterling you can:\n\n- use the market selling rate at the time of supply\n\n- use the European Central Bank\u2019s rate\n\n- use HMRC\u2019s period rates of exchange - the rates usually stay the same for each calendar month\n\n- apply to HMRC to use a different method to account for the VAT\n\nThere are different rules if you use the Tour Operator\u2019s Scheme.\n\n## Exceptions\n\nYou do not need to issue a VAT invoice if:\n\n- your invoice is only for exempt or zero-rated sales within the UK\n\n- you\u2019re giving goods as a gift\n\n- you sell goods under a VAT second-hand margin scheme\n\n- your customer operates a self-billing arrangement\n\n## VAT records\n\nRecords you must keep include:\n\n- copies of all invoices you issue\n\n- all invoices you receive (originals or electronic copies)\n\n- self-billing agreements - this is where the customer prepares the invoice\n\n- name, address and VAT number of any self-billing suppliers\n\n- debit or credit notes\n\n- import and export records\n\n- records of items you cannot reclaim VAT on - for example business entertainment\n\n- records of any goods you give away or take from stock for your private use\n\n- records of all the zero-rated, reduced or VAT exempt items you buy or sell\n\n- a VAT account\n\nYou must also keep general business records such as bank statements, cash books, cheque stubs, paying-in slips and till rolls.\n\nIf you use the Cash Accounting Scheme you must use these records to match them against your payment records and receipts.\n\nIf you supply digital services in the EU and use VAT MOSS, you must keep additional records.\n\nHM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.\n\n## Keeping digital records\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.\n\n## Retailers\n\nIf you\u2019re a retailer you do not have to issue VAT invoices unless a customer asks for one. Keep a copy if you do. Retailers can issue \u2018simplified invoices\u2019 for supplies under \u00a3250.\n\n## Debit and credit notes\n\nWhen you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled with a credit or debit note.\n\nRecord these in your accounts and keep any original notes.\n\n## VAT records for Making Tax Digital\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019 by keeping some records digitally, unless:\n\n- your business uses the VAT GIANT service, for example if you\u2019re a government department or an NHS Trust\n\n- you apply for an exemption\n\nYou can choose to sign up to Making Tax Digital for VAT if your business earns less than \u00a385,000.\n\nFrom 1 April 2022 all VAT registered businesses must sign up, whatever they earn.\n\n## Records you must keep digitally\n\nYou need to keep the following records digitally:\n\n- your business name, address and VAT registration number\n\n- any VAT accounting schemes you use\n\n- the VAT on goods and services you supply, for example everything you sell, lease, transfer or hire out (supplies made)\n\n- the VAT on goods and services you receive, for example everything you buy, lease, rent or hire (supplies received)\n\n- any adjustments you make to a return\n\n- the \u2018time of supply\u2019 and \u2018value of supply\u2019 (value excluding VAT) for everything you buy and sell\n\n- the rate of VAT charged on goods and services you supply\n\n- reverse charge transactions - where you record the VAT on both the sale price and the purchase price of goods and services you buy\n\n- your total daily gross takings if you use a retail scheme\n\n- items you can reclaim VAT on if you use the Flat Rate Scheme\n\n- your total sales, and the VAT on those sales, if you trade in gold and use the Gold Accounting Scheme\n\nYou also need to keep digital copies of documents that cover multiple transactions made on behalf of your business by:\n\n- volunteers for charity fundraising\n\n- a third party business\n\n- employees for expenses in petty cash\n\nYou must add all your transactions to your digital records, but you do not need to scan paper records like invoices or receipts.\n\n## How to keep digital records\n\nYou need to use a compatible software package or other software (like spreadsheets) that connect to HMRC systems.\n\nIf you use more than one software package to keep records and submit returns, you need to link them.\n\nSome ways you can link your software include:\n\n- using formulas to link cells in spreadsheets\n\n- emailing records\n\n- putting records on a portable device to give to your agent\n\n- importing and exporting XML and CSV files\n\n- downloading and uploading files\n\nYou must have links between the software you use by your first VAT period after 1 April 2021.\n\n## When to send your VAT return\n\nThe deadlines for sending your VAT returns will not change after you sign up for Making Tax Digital for VAT.\n\nTo see when your next return is due, sign in to your VAT online account.\n\n## How to sign up for Making Tax Digital for VAT\n\nHow you sign up depends on whether you\u2019re:\n\n- a business\n\n- an agent acting for a client\n\n## Sign up for Making Tax Digital for VAT\n\nYou must sign up for \u2018Making Tax Digital for VAT\u2019 if your taxable turnover is more than \u00a385,000, so you can:\n\n- keep digital records\n\n- submit your business\u2019s VAT return using compatible software\n\nThere\u2019s a different way to sign up if you\u2019re an agent.\n\n## Before you start\n\nYou must have compatible software before you sign up.\n\n## What you need\n\nTo sign up you need:\n\n- your business email address\n\n- a Government Gateway user ID and password - if you do not have a user ID, you can create one when you use the service\n\n- your VAT registration number and latest VAT return\n\nYou\u2019ll also need:\n\n- your National Insurance number if you\u2019re a sole trader\n\n- your company registration number and Unique Taxpayer Reference if you\u2019re a limited company or registered society\n\n- your Unique Taxpayer Reference and the postcode where you\u2019re registered for Self Assessment if you\u2019re a general partnership\n\n- your Unique Taxpayer Reference, the postcode where you\u2019re registered for Self Assessment and your company\u2019s registration number if you\u2019re a limited partnership\n\n## When to sign up\n\nIf you already pay by Direct Debit do not sign up too close to the date your return is due, or you may pay twice.\n\nTo avoid this, do not sign up less than:\n\n- 7 days before your return is due\n\n- 5 days after your return is due\n\nIf you do not pay by Direct Debit, sign up at least 3 days before your return is due.\n\nIf you\u2019re finding it difficult to access the service, check if there\u2019s a technical issue or other known problem.\n\nSign up now\n\n## After you\u2019ve signed up\n\nYou should get a confirmation email from noreply@tax.service.gov.uk within 3 days of signing up. It might go to your spam folder.\n\nDo not submit a VAT Return until you get a confirmation email.\n\nContact HMRC if you do not get an email.\n\n## VAT account\n\nYou must keep a separate record of the VAT you charge and the VAT you pay on your purchases. This record is called a \u2018VAT account\u2019.\n\nYou use the figures in your VAT account to complete your VAT Return.\n\nThere are no rules on what a VAT account should look like, but it must show:\n\n- your total VAT sales\n\n- your total VAT purchases\n\n- the VAT you owe HM Revenue and Customs (HMRC)\n\n- the VAT you can reclaim from HMRC\n\n- if your business uses the VAT Flat Rate Scheme - the flat rate percentage and turnover it applies to\n\nIf you are registered for VAT in Northern Ireland, you must also show the VAT on any EU purchases or sales.\n\n## Errors\n\nIf you\u2019ve made an error in your VAT Return the VAT account must show:\n\n- the date you discovered the error\n\n- details about the error - for example how it happened, how you corrected it\n\nYou may also need to report the error to HMRC.\n\n## Bad debts\n\nIf you write off an invoice as a bad debt, you must keep a separate \u2018VAT bad debt account\u2019. The debt must be older than 6 months and for each bad debt you must show:\n\n- total amount of VAT involved\n\n- amount written off and any payments you\u2019ve received\n\n- the VAT you\u2019re claiming on the debt\n\n- the VAT period(s) you paid the VAT and are claiming the relief\n\n- invoices details like date, customer name\n\nYou must keep this information for 4 years.\n\n## Time of supply or tax point\n\nThe tax point (or \u2018time of supply\u2019) for a transaction is the date the transaction takes place for VAT purposes.\n\nYou need to know this because, for example:\n\n- it\u2019s included on VAT invoices\n\n- it tells you which VAT period the transaction belongs to\n\n- it tells you which VAT Return to put the transaction on\n\nThe tax point can vary, but is usually the following.\n\n| Situation | Tax point |\n\n| No invoice needed | Date of supply |\n\n| VAT invoice issued | Date of invoice |\n\n| VAT invoice issued 15 days or more after the date of supply | Date the supply took place |\n\n| Payment or invoice issued in advance of supply | Date of payment or invoice (whichever is earlier) |\n\n| Payment in advance of supply and no VAT invoice yet issued | Date payment received |\n\nThe date of supply is:\n\n- for goods - the date they\u2019re sent, collected or made available (for example installed in the customer\u2019s house)\n\n- for services - the date the work is finished\n\n## Exceptions\n\nIf you use the VAT Cash Accounting Scheme, the tax point is always the date the payment is received.\n\nThere are different tax point rules for:\n\n- certain trades - like barristers, building and construction\n\n- where the supply is not a \u2018sale\u2019 \u2013 for example business items taken for personal use\n\nSometimes, one sale can give rise to 2 or more tax points - for example where the customer pays a deposit in advance, and then a final payment.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vat-record-keeping", + "answerable": true, + "scenario": "I started a business 5 months ago and sell lots of products, I have sold over \u00a390,000 worth of products.", + "original_question": "Do I have to store my VAT digitally?" + }, + { + "id": "train-1921", + "question": "Scenario: I am a Greek citizen and am working in a skilled occupation. I have been offered work in a similar occupation in the UK, which would be starting in three months from now.\n\nQuestion: would I be eligible to get a skilled worker's visa?\n\nDocument - Skilled Worker visa:\n## Overview\n\nA Skilled Worker visa allows you to come to or stay in the UK to do an eligible job with an approved employer.\n\nThis visa has replaced the Tier 2 (General) work visa.\n\nSome\u00a0health workers and their families will get their visas extended for free because of coronavirus (COVID-19).\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Eligibility\n\n## Your job\n\nTo qualify for a Skilled Worker visa, you must:\n\n- work for a UK employer that\u2019s been approved by the Home Office\n\n- have a \u2018certificate of sponsorship\u2019 from your employer with information about the role you\u2019ve been offered in the UK\n\n- do a job that\u2019s on the list of eligible occupations\n\n- be paid a minimum salary - how much depends on the type of work you do\n\nThe specific eligibility depends on your job.\n\nYou must have a confirmed job offer before you apply for your visa.\n\n## Knowledge of English\n\nYou must be able to speak, read, write and understand English. You\u2019ll usually need to prove your knowledge of English when you apply.\n\n## If you\u2019re not eligible for a Skilled Worker visa\n\nYou may be eligible for another type of visa to work in the UK.\n\n## How long you can stay\n\nYour visa can last for up to 5 years before you need to extend it. You\u2019ll need to apply to extend or update your visa when it expires or if you change jobs or employer.\n\n## If you want to stay longer in the UK\n\nYou can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.\n\nAfter 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\nIf you want to change your job or employer, you must apply to update your visa.\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How long it takes\n\nYou can apply for a visa up to 3 months before the day you are due to start work in the UK. This date is listed on your certificate of sponsorship.\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## How much it costs\n\nYou, your partner or children will each need to:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove you have enough personal savings\n\nCheck how much money you\u2019ll need.\n\n## If you work in public sector healthcare\n\nIf you\u2019re a doctor or nurse, or you work in health or adult social care, check if you\u2019re eligible to apply for the Health and Care Worker visa instead. It\u2019s cheaper to apply for and you do not need to pay the annual immigration health surcharge.\n\n## What you can and cannot do\n\nWith a Skilled Worker visa you can:\n\n- work in an eligible job\n\n- study\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- take on additional work in certain circumstances\n\n- do voluntary work\n\n- travel abroad and return to the UK\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- change jobs or employer unless you apply to update your visa\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Skilled Worker visa.\n\n## Your job\n\nYou must meet all of the following requirements to be eligible for a Skilled Worker visa:\n\n- your job is eligible for this visa\n\n- you\u2019ll be working for a UK employer that\u2019s been approved by the Home Office\n\n- you\u2019ll be paid at least the minimum salary for the type of work you\u2019ll be doing\n\nThe minimum salary for the type of work you\u2019ll be doing is whichever is the highest out of the following 3 options:\n\n- \u00a325,600 per year\n\n- \u00a310.10 per hour\n\n- the \u2018going rate\u2019 for the type of work you\u2019ll be doing\n\n## Check if your job is eligible\n\nBefore you can find out if your job is eligible, you need to know its 4-digit occupation code.\n\nIf you already have a job offer, ask your employer for your occupation code.\n\n## Look up your job\u2019s occupation code\n\nIf you do not know your code, you can search for your job in the ONS occupation coding tool.\n\nNot every job title is included. If you cannot find your exact job title, try searching for similar jobs.\n\nMake sure the job description matches what you\u2019ll be doing. Some similar jobs have different codes, for example chefs and cooks. Chefs are eligible for a Skilled Worker visa, but cooks are not.\n\n## Check if an occupation code is eligible for this visa\n\nWhen you know your occupation code, view the table of eligible jobs to see if it\u2019s included.\n\nThe table is very large. It\u2019s sorted in order of occupation code, with the smallest numbers at the top. You may be able to use your web browser to search for your code on the page.\n\n## Salary requirements\n\nYou\u2019ll usually need to be paid at least \u00a325,600 per year or \u00a310.10 per hour, whichever is higher. If the \u2018going rate\u2019 for your job is higher than both of these, you\u2019ll usually need to be paid at least the going rate.\n\nEach occupation code has its own annual going rate. Check the going rate for your job in the going rates table.\n\n## If you work in healthcare or education\n\nThere are different salary rules if you work in some healthcare or education jobs, where the going rate is based on national pay scales.\n\n## When you can be paid less\n\nIf you do not meet the usual salary requirements, and you do not work in healthcare or education, you might still be eligible if your salary will be at least \u00a320,480 per year and at least \u00a310.10 per hour.\n\nCheck when you can be paid less.\n\n## Approved UK employers\n\nYou must have a job offer from an approved UK employer before you apply for a Skilled Worker visa. Approved employers are also known as sponsors, because they are sponsoring you to come to or stay in the UK.\n\nView the list of approved UK employers.\n\nIf your employer is not currently approved, they can apply for a sponsor licence if they\u2019re eligible.\n\nThey\u2019ll need to pay a fee - \u00a3536 for small businesses and charities or \u00a31,476 for medium and large organisations. It usually takes around 8 weeks to process a licence application.\n\n## If you already have a job offer from an approved employer\n\nYour employer - also known as your sponsor - will check that you meet the eligibility requirements. They\u2019ll give you a \u2018certificate of sponsorship\u2019 to prove this.\n\nThe certificate of sponsorship is an electronic record, not a physical document. It will have a reference number, which you\u2019ll need for your visa application.\n\nYou must apply for your visa within 3 months of getting your certificate of sponsorship.\n\nCheck which documents you\u2019ll need to apply.\n\n## When you can be paid less\n\nYou might still be able to apply for a Skilled Worker visa if your job is eligible but your salary is less than \u00a325,600 or your job\u2019s usual \u2018going rate\u2019. You must still be paid at least \u00a310.10 per hour.\n\nYou can be paid between 70% and 90% of the usual going rate for your job if your salary is at least \u00a320,480 per year and you meet one of the following criteria:\n\n- your job is in a shortage occupation\n\n- you\u2019re under 26, studying or a recent graduate, or in professional training\n\n- you have a science, technology, engineering or maths (STEM) PhD level qualification that\u2019s relevant to your job (if you have a relevant PhD level qualification in any other subject your salary must be at least \u00a323,040)\n\n- you have a postdoctoral position in science or higher education\n\nThere are different salary rules if you work in some healthcare or education jobs.\n\n## Your job is in a shortage occupation\n\nA \u2018shortage occupation\u2019 is a skilled job where there is a shortage of workers in the UK.\n\nIf your job is on the shortage occupation list, you can:\n\n- be paid 80% of the job\u2019s usual going rate\n\n- pay a lower fee for your visa\n\nView the shortage occupations list to see if your job is included and how much you\u2019ll need to be paid.\n\nMake sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.\n\n## You\u2019re under 26, studying or a recent graduate, or in professional training\n\nYou can be paid 70% of your job\u2019s usual going rate if one of the following applies:\n\n- you\u2019re under 26 on the date you apply\n\n- you\u2019re currently in the UK on a Student visa studying at bachelor\u2019s degree level or above - or you have been in the last 2 years, and a Student or visit visa was your most recent visa\n\n- you\u2019re currently in the UK on a Graduate Entrepreneur visa\n\n- you\u2019ll be working towards a recognised qualification in a UK regulated profession\n\n- you\u2019ll be working towards full registration or chartered status in the job you\u2019re being sponsored for\n\nIf this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.\n\nYour total stay in the UK cannot be more than 4 years if you apply for one of these reasons. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.\n\n## You have a PhD level qualification that\u2019s relevant to your job\n\nIf your job is eligible for a PhD salary discount, you can be paid 80% or 90% of the job\u2019s usual going rate, depending on which subject you are qualified in.\n\nIf you have a science, technology, engineering or maths (STEM) qualification, you can be paid 80% of your job\u2019s usual going rate, as long as you will still be paid at least \u00a320,480 per year.\n\nIf you have a non-STEM qualification, you can be paid 90% of your job\u2019s usual going rate, as long as you will still be paid at least \u00a323,040 a year.\n\nIn both situations, you must:\n\n- have a UK PhD or an equivalent doctorate-level overseas qualification - you\u2019ll need to apply through Ecctis (formerly UK NARIC) to check if an overseas qualification is equivalent to a UK PhD\n\n- be able to prove your qualification is relevant to the job you\u2019ll be doing in the UK - your employer can confirm this\n\nView the list of jobs that qualify for a PhD salary discount to see if your job is included and how much you need to be paid.\n\nIf you\u2019re a research or academic leader, you may also be eligible to apply for the Global Talent visa. This visa has no language or minimum salary requirements.\n\n## You have a postdoctoral position in science or higher education\n\nYou can be paid 70% of your job\u2019s usual going rate if you\u2019ll be working in a postdoctoral position in certain science or higher education roles.\n\nYour job must be in one of the following occupation codes to qualify for this salary discount:\n\n- 2111: chemical scientists\n\n- 2112: biological scientists and biochemists\n\n- 2113: physical scientists\n\n- 2114: social and humanities scientists\n\n- 2119: natural and social science professionals that are \u2018not elsewhere classified\u2019, such as research fellows and sports scientists\n\n- 2311: higher education teaching professionals\n\nIf this applies to you, check how much you\u2019ll need to be paid to qualify for this visa.\n\nYour total stay in the UK cannot be more than 4 years if you apply to work in a postdoctoral position at 70% of the usual going rate. This includes any time you\u2019ve already spent in the UK on a Tier 2 (General) work visa.\n\n## If you work in healthcare or education\n\nThere are different salary rules if you work in some healthcare or education jobs. Your salary must be at least \u00a320,480 - or more if your job\u2019s \u2018going rate\u2019 is higher.\n\nThe going rates for these jobs are based on the national pay scales set by the relevant independent body, for example the NHS.\n\nView the list of eligible healthcare and education jobs to see if your job is included.\n\n## National pay scales tables\n\nIf your job is on the list, your salary must be at least the national pay scale rate for the job you\u2019ll be doing.\n\nThese going rates apply whether you\u2019ll be working in the public or private sector.\n\nCheck how much you\u2019ll need to be paid in the:\n\n- table of national pay scales for eligible healthcare jobs - listed by NHS pay band and area of the UK\n\n- table of national pay scales for eligible teaching and education leadership jobs - listed by role and area of the UK\n\nAsk your employer if you\u2019re not sure what your role or pay band will be.\n\n## If your job is on the shortage occupation list\n\nYou and your family will pay a lower application fee if your job is in a shortage occupation.\n\nView the list of healthcare and education shortage occupations to see if your job is included.\n\nMake sure you check there\u2019s a shortage in the part of the UK you\u2019ll be working in - England, Scotland, Wales or Northern Ireland.\n\nIf your job is on the list, the reduced fee for each person applying is:\n\n- \u00a3464 if you\u2019re staying for up to 3 years\n\n- \u00a3928 if you\u2019re staying for more than 3 years\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\nYou\u2019ll also need to pay the healthcare surcharge and prove you can support yourself in the UK - check how much money you\u2019ll need.\n\n## Knowledge of English\n\nYou\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to at least level B1 on the Common European Framework of Reference for Languages (CEFR) scale.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English, gained through study at a UK school that you began when you were under 18\n\n- having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply through Ecctis (formerly UK NARIC) for confirmation that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## If you\u2019re a doctor, dentist, nurse, midwife or vet\n\nYou do not need to prove your knowledge of English if you\u2019ve already passed an English Language assessment that is accepted by the relevant regulated professional body.\n\nIf you\u2019re a vet, you may need to prove that you passed an English Language assessment with the Royal College of Veterinary Surgeons.\n\n## How much it costs\n\nWhen you apply for a Skilled Worker visa, you\u2019ll need to have enough money to:\n\n- pay the application fee - the standard fee ranges from \u00a3610 to \u00a31,408 depending on your circumstances\n\n- pay the healthcare surcharge - this is usually \u00a3624 per year\n\n- support yourself when you arrive in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\nYou\u2019ll pay a lower application fee if your job is on the shortage occupation list.\n\nYou\u2019ll be told how much you need to pay when you apply.\n\n## Application fees\n\nIf you\u2019re applying from outside the UK, the standard fee depends on whether you\u2019ll be in the UK for:\n\n- up to 3 years - \u00a3610 per person\n\n- more than 3 years - \u00a31,220 per person\n\nIf you\u2019re applying from inside the UK to extend, switch or update your visa, the standard fee depends on whether you\u2019ll be in the UK for:\n\n- up to 3 years - \u00a3704 per person\n\n- more than 3 years - \u00a31,408 per person\n\n## If your job is on the shortage occupation list\n\nYou and your family will pay a lower application fee if your job is on the shortage occupation list.\n\nThe fee for each person applying is:\n\n- \u00a3464 if you\u2019re staying for up to 3 years\n\n- \u00a3928 if you\u2019re staying for more than 3 years\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\nThere\u2019s a different list of shortage occupations if you work in healthcare or education.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nIf your job is on the shortage occupation list, you\u2019ll get this reduction as well as paying a lower fee.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge for each year of your stay - this is usually \u00a3624 per year. Check how much you\u2019ll have to pay before you apply.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- proof of your knowledge of English\n\n- a valid passport or other document that shows your identity and nationality\n\n- your job title and annual salary\n\n- your job\u2019s occupation code\n\n- the name of your employer and their sponsor licence number - this will be on your certificate of sponsorship\n\nAsk your employer for a copy of your certificate of sponsorship if you do not have one.\n\n## If your certificate of sponsorship was issued before 1 December 2020\n\nYour certificate of sponsorship will need to be updated because it was assigned to you before the Tier 2 (General) work visa was replaced by the Skilled Worker visa.\n\nAsk your employer to update the \u2018sponsor notes\u2019 section in the UK visa sponsorship management system.\n\n## Other documents you might need\n\nDepending on your circumstances, you might be asked to provide:\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a listed country\n\n- a criminal record certificate - if you\u2019re working in certain jobs\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\n- your UK PhD certificate, or your unique Ecctis reference number (formerly unique UK NARIC reference number) if your qualification is from outside the UK - you\u2019ll need to apply through Ecctis\n\nYou\u2019ll need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\n## Criminal record certificate\n\nYou\u2019ll need to provide a criminal record certificate if you\u2019re applying from outside the UK and you work in:\n\n- education, for example teachers, education advisers and school inspectors, childminders, teaching assistants\n\n- healthcare, for example nurses, doctors, paramedics, managers, pharmacists, dentists and dental nurses, ophthalmic opticians\n\n- therapy, for example psychologists, speech and language therapists, counsellors\n\n- social services, for example social workers, managers, probation officers, welfare and housing officers\n\nCheck how to apply for criminal records checks.\n\nIf you work in healthcare, you might be able to apply for the Health and Care Worker visa instead.\n\n## If you\u2019ve lived in more than one country\n\nYou might need to provide a certificate from each country you\u2019ve lived in, depending on your age and how long you stayed in each country.\n\nIf you\u2019re under 28, you\u2019ll need a certificate from any country you\u2019ve stayed in for a total of 12 months or more since you turned 18.\n\nIf you\u2019re 28 or over, you\u2019ll need a certificate from any country you\u2019ve stayed in over the last 10 years.\n\n## When you\u2019ve got your documents ready\n\nYou can apply online once your documents are ready.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and extending your current visa\n\n- inside the UK and switching from a different visa\n\nIf you\u2019ve read the guidance and you\u2019re not sure if you\u2019re eligible, you can use a Home Office checker tool. You\u2019ll be asked to confirm that you meet all of the eligibility requirements.\n\n## Apply from outside the UK\n\nYou must apply online for a Skilled Worker visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for a Skilled Worker visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as your partner\n\n- apply online as your child\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity.\n\nThey\u2019ll either:\n\n- have their fingerprints and photograph taken at a \nvisa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\nIf they do need an appointment:\n\n- the visa application centre may need to keep their passport and documents while they process their application\n\n- they may have to travel to get to their nearest centre (this could be in another country)\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster or use other services depending on which country they\u2019re in - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nApply for your partner or child\u2019s visa at the same time as you apply to extend or switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your Skilled Worker visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch to your Skilled Worker visa as your partner\n\n- extend or switch to your Skilled Worker visa as your child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou must apply for your child\u2019s dependant visa if you want to travel in and out of the UK with them.\n\nThe form you fill in depends on if:\n\n- your child is inside the UK\n\n- your child is outside the UK\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Extend your visa\n\nYou can usually apply to extend a Skilled Worker visa or a Tier 2 (General) work visa if all of the following are true:\n\n- you have the same job as when you were given your previous permission to enter or stay in the UK\n\n- your job is in the same occupation code as when you were given your previous permission to enter or stay in the UK\n\n- you\u2019re still working for the employer who gave you your current certificate of sponsorship\n\nSome\u00a0health workers and their families will get their visas extended for free because of coronavirus (COVID-19).\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## If you have a Tier 2 (General) work visa\n\nYou may need to meet different eligibility requirements, depending on:\n\n- whether you got the certificate of sponsorship for your first Tier 2 visa before or after 24 November 2016\n\n- whether you applied for your first Tier 2 (General) or Skilled Worker visa before 6 April 2021\n\n- your occupation code - some have different going rates\n\nThe requirements will apply if you either:\n\n- have a Tier 2 (General) work visa\n\n- had a Tier 2 (General) work visa which you\u2019ve extended as a Skilled Worker visa\n\n## If you got your certificate of sponsorship before 24 November 2016\n\nIf you apply to extend before 24 May 2023, the minimum salary you\u2019ll need to be paid is fixed at a lower rate. You\u2019ll need to be paid at least \u00a320,800 per year unless the \u2018going rate\u2019 for your job is higher than this.\n\n## If you got your certificate of sponsorship on or after 24 November 2016\n\nIf you apply to extend before 1 December 2026, you will still need to meet the new salary requirements, but your salary may also include allowances, such as London weighting. Any allowances must be guaranteed for the length of your stay.\n\n## If you applied for your first Tier 2 (General) or Skilled Worker visa before 6 April 2021\n\nThe minimum salary requirement of \u00a310.10 per hour or the going rate for the type of work you\u2019ll be doing does not apply.\n\n## Jobs with different going rates\n\nFor some jobs, the going rate for the Skilled Worker visa is different.\n\n| Occupation code | Going rate for Skilled Worker visa | 90% of going rate (for relevant STEM PhD) | 80% of going rate (for relevant non-STEM PhD or shortage occupation) | 70% of going rate (for new entrants) |\n\n| 2113 Physical scientists | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour) |\n\n| 2119 Natural and social science professionals | \u00a329,000 (\u00a313.94 per hour) | \u00a326,100 (\u00a312.55 per hour) | \u00a323,200 (\u00a311.15 per hour) | \u00a320,300 (\u00a39.76 per hour) |\n\n| 2311 Higher education teaching professionals | \u00a333,000 (\u00a315.87 per hour) | \u00a329,700 (14.28 per hour) | \u00a326,400 (\u00a312.69 per hour) | \u00a323,100 (\u00a311.11 per hour) |\n\n## If you\u2019ve changed job or employer\n\nYou\u2019ll need to apply to update your visa instead.\n\n## Fees\n\nCheck how much it costs for your type of visa.\n\nYou may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Skilled Worker visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Update your visa if you change job or employer\n\nYou\u2019ll need to apply to update your Skilled Worker or Tier 2 (General) work visa if:\n\n- you want to change your job and your new job is with a different employer\n\n- your job changes to a different occupation code, and you\u2019re not in a graduate training programme\n\n- you leave a job that\u2019s on the shortage occupation list for a job that is not on the list\n\nYou do not need to apply again if you stay in the same job, but your job is taken off the shortage occupation list.\n\nIf you\u2019ll be doing a different job for your current employer, you only need to apply to update your visa if your new job is in a different occupation code.\n\nYour partner or children will need to apply separately.\n\n## Eligibility and documents you\u2019ll need to apply\n\nYour new job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.\n\nYou\u2019ll only need to provide other evidence again if you\u2019ve been in the UK for less than one year.\n\n## If you\u2019re applying to add a second job to your current visa\n\nYou must apply to update your visa if you take on a second job that is either:\n\n- more than 20 paid hours a week in addition to the job you\u2019re being sponsored for\n\n- in a different occupation code\n\nYour second job must meet the eligibility requirements and you\u2019ll need a new certificate of sponsorship to prove this.\n\nYou\u2019ll also need to include a letter with your application explaining that you want to change your current permission to stay.\n\nYour letter must state:\n\n- your name\n\n- your date of birth\n\n- your current certificate of sponsorship reference number\n\n- the date when your current permission to stay runs out\n\nIf your application is successful, you\u2019ll get a new visa giving you permission to do both jobs.\n\nYou do not need to apply to update your visa if you\u2019re taking on additional work in the same occupation code or you\u2019ll be doing less than 20 paid hours a week.\n\n## When to apply to update your visa\n\nYou can apply to update your visa up to 3 months before the start date of your new job.\n\nYou can continue working in your current job while your new application is being considered, or to work out your notice period - as long as you apply before your current visa expires.\n\nYou should not start your new job until you\u2019ve got confirmation of your new permission.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply. You\u2019ll also be told how to provide your supporting documents if you need to.\n\n## Apply to update your visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to a Skilled Worker visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or children will need to apply separately.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Eligibility\n\nYou must meet the following requirements:\n\n- your job meets the eligibility requirements\n\n- you can speak, read, write and understand English\n\n## Who cannot apply to switch to this visa\n\nYou cannot apply to switch to this visa if you\u2019re currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because you were given permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and apply for a Skilled Worker visa from abroad if you\u2019re in one of these categories.\n\n## Fees\n\nEach person applying will need to pay:\n\n- the visa application fee\n\n- the healthcare surcharge for each year of their stay - check how much you\u2019ll have to pay\n\nYou may also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\nIf you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity.\n\nHow you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a \nUK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to switch to a Skilled Worker visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 8 weeks of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Taking on additional work\n\nYou can do additional paid work on this visa as long as you\u2019re still doing the job you\u2019re being sponsored for. You can also do unpaid voluntary work.\n\nYou can work up to 20 hours a week in a job that\u2019s either:\n\n- in the same occupation code and at the same level as your main job\n\n- in a shortage occupation\n\nCheck if your job is on the list of:\n\n- healthcare and education shortage occupations\n\n- all other shortage occupations\n\nDue to coronavirus (COVID-19), there\u2019s currently no limit on the number of hours you can work or volunteer if you have a second job as an NHS doctor, nurse or paramedic.\n\n## If you\u2019ll be working more than 20 hours a week or in a different occupation code\n\nYou\u2019ll need to apply to update your visa so that you\u2019re being sponsored to do both jobs.\n\nYou\u2019ll need to:\n\n- get a new certificate of sponsorship from your second employer\n\n- include a letter with your application explaining that you want to change your current permission to stay", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/skilled-worker-visa", + "answerable": true, + "scenario": "I am a Greek citizen and am working in a skilled occupation. I have been offered work in a similar occupation in the UK, which would be starting in three months from now.", + "original_question": "would I be eligible to get a skilled worker's visa?" + }, + { + "id": "train-1924", + "question": "Scenario: My friend Lucy is a nurse by profession, she lives and works in Jamaica. She has been selected to come to the UK and work for a period of 5 months in a UK hospital under the authorized Jamaica Nursing Exchange. She is considering staying at the hospital after the completion of this exchange program.\n\nQuestion: Is she allowed to do so?\n\nDocument - Temporary Worker - Government Authorised Exchange visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - Government Authorised Exchange visa (T5) if you:\n\n- want to come to the UK for a short time for work experience or to do training, an Overseas Government Language Programme, research or a fellowship through an approved government authorised exchange scheme\n\n- have a sponsor\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Government Authorised Exchange) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.\n\nYour work, training or research in the UK must relate to the work of your sponsor organisation.\n\nYour sponsor can be any of the following:\n\n- an organisation running an approved exchange scheme\n\n- a higher education institution (if you are a sponsored researcher, visiting academic or examiner)\n\n- a government department or agency\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work in the job described in your certificate of sponsorship\n\n- do a second job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week as well as your main job\n\n- apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re in the government authorised exchange scheme for sponsored researchers\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- take a permanent job\n\n- get public funds\n\n## Eligibility\n\nYou must have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example your working hours.\n\nYou\u2019ll need to add your certificate of sponsorship reference number to your application form - you can only use it once.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\nYou need a blank page in your passport for your visa.\n\nYou must also provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary worker - Government Authorised Exchange visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou might be able to extend your stay. You must still meet the eligibility requirements.\n\nYou must apply while you\u2019re still in the UK.\n\n## How long you can stay\n\nYou can apply to stay in the UK for up to a maximum of:\n\n- 12 months, if you\u2019re doing work experience\n\n- 24 months, if you\u2019re doing research, training or an Overseas Government Language Programme\n\nYou can also stay for the length of time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\n## Switch to this visa\n\nYou can apply to change (\u2018switch\u2019) to a Temporary Worker - Government Authorised Exchange visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply if you\u2019re a:\n\n- student, whether studying, resitting an examination or writing a thesis\n\n- student union sabbatical officer\n\n- student nurse\n\n- postgraduate doctor or dentist\n\n- student visa holder (including Tier 4)\n\n- sponsored researcher who came to the UK on a work permit and you want to continue in the same job with your sponsor\n\nYou must have completed a UK bachelor\u2019s or master\u2019s degree during your last grant of leave.\n\nYou must also meet the other eligibility requirements.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to switch your visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/government-authorised-exchange", + "answerable": true, + "scenario": "My friend Lucy is a nurse by profession, she lives and works in Jamaica. She has been selected to come to the UK and work for a period of 5 months in a UK hospital under the authorized Jamaica Nursing Exchange. She is considering staying at the hospital after the completion of this exchange program.", + "original_question": "Is she allowed to do so?" + }, + { + "id": "train-1929", + "question": "Scenario: I am a Bangladeshi national who is currently applying for indefinite leave to remain in the UK as part of a family reunion scheme. I have no dependants and will be living with my brother in Slough initially.\n\nQuestion: Is it possible to use the NHS without paying the IHS?\n\nDocument - Pay for UK healthcare as part of your immigration application:\n## Overview\n\nYou might need to pay a healthcare surcharge (called the \u2018immigration health surcharge\u2019 or IHS) as part of your immigration application.\n\nWhether you need to pay depends on the immigration status you\u2019re applying for.\n\n## When you must pay\n\nIf you\u2019re making your immigration application online, you pay the surcharge as part of your application or when you book an appointment.\n\nIf you\u2019re applying by post, you pay the surcharge online before you send your application. You\u2019ll need to include the IHS reference number on your application form.\n\n## When you can start to use the NHS\n\nYou can start using the National Health Service (NHS) when both:\n\n- you\u2019ve paid the healthcare surcharge (or are exempt from paying it)\n\n- your visa or immigration application is granted\n\nYou\u2019ll still need to pay for certain types of services, such as prescriptions, dental treatment, eye tests and assisted conception.\n\nWhen you access healthcare in the UK, you may need to:\n\n- provide your biometric residence permit, if you have one\n\n- prove your status online using a share code, if you have a digital immigration status\n\n## Who needs to pay\n\nYou usually need to pay the healthcare surcharge if you\u2019re applying for a visa or immigration application:\n\n- for more than 6 months, if you\u2019re applying outside the UK\n\n- for any length of time, if you\u2019re applying inside the UK\n\nYou do not need to pay if you\u2019re applying for a visitor visa or to remain in the UK permanently.\n\nYou still need to pay even if you have private medical insurance.\n\n## Who only needs an IHS reference number\n\nYou still need to use the payment service to get an immigration health surcharge (IHS) reference number but you will not need to pay if:\n\n- you\u2019re a child under 18 who has been taken into care by a local authority\n\n- you\u2019re a relevant civilian employee at NATO or the Australian Department of Defence in the UK (or you\u2019re their dependant)\n\nThe service will tell you that you do not have to pay anything and will give you your healthcare surcharge reference number for your application.\n\nYou\u2019ll be able to use the National Health Service (NHS) even if you\u2019re exempt from paying.\n\n## Who does not need to pay or get an IHS reference number\n\nYou\u2019ll be able to use the NHS without paying the surcharge or getting a reference number if:\n\n- you\u2019re applying for indefinite leave to enter or remain\n\n- you\u2019re a health and care worker who is eligible for a Health and Care Worker visa (or you\u2019re their dependant)\n\n- you\u2019re applying to the EU Settlement Scheme\n\n- you\u2019re a diplomat or a member of a visiting armed forces and not subject to immigration control\n\n- you\u2019re a dependant of a member of the UK\u2019s armed forces\n\n- you\u2019re the dependant of a member of another country\u2019s armed forces who is exempt from immigration control\n\n- you\u2019re applying for a visa for the Isle of Man or Channel Islands\n\n- you\u2019re a British Overseas Territory citizen resident in the Falkland Islands\n\n- you\u2019re an asylum seeker or applying for humanitarian protection (or you\u2019re their dependant)\n\n- you\u2019re a domestic worker who has been identified as a victim of slavery or human trafficking\n\n- you\u2019re applying for discretionary leave to remain in the UK as someone who has been identified as a victim of slavery or human trafficking (or you\u2019re their dependant)\n\n- the Home Office\u2019s domestic violence concession applies to you (or you\u2019re their dependant)\n\n- being made to leave the UK would be against your rights under Article 3 of the European Convention of Human Rights (or you\u2019re their dependant)\n\n- you\u2019re an S2 Healthcare Visitor\n\n- you\u2019re eligible for a Frontier Worker permit and have an S1 certificate\n\nYou need to pay the healthcare surcharge if you apply for indefinite leave to remain but are only given limited leave. You\u2019ll need to pay before you\u2019re given the leave.\n\n## Visitor visas and short-term visas\n\nYou do not need to pay the surcharge or get an IHS reference number if you\u2019re applying for a:\n\n- visitor visa\n\n- visa for 6 months or less from outside the UK\n\nYou will need to pay for any NHS care you get at the point you use it - unless it\u2019s a service that\u2019s free.\n\n## How much you have to pay\n\nYou\u2019ll have to pay:\n\n- \u00a3470 per year for a student or Youth Mobility Scheme visa, for example \u00a3940 for a 2-year visa\n\n- \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application\n\n- \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa\n\nDependants aged 18 or over usually need to pay the same amount as you.\n\nThe exact amount you have to pay depends on how much leave you\u2019re granted. Calculate how much you\u2019ll have to pay before you apply.\n\nYou\u2019ll pay half of the yearly amount if your application includes part of a year that is less than 6 months.\n\nYou\u2019ll pay for a whole year if your application includes part of a year that is more than 6 months.\n\nYou\u2019ll automatically get a partial refund if you paid the healthcare surcharge for more years than you were granted leave.\n\n## When you must pay\n\nIf you apply for a visa online, you pay the surcharge as part of the application.\n\nIf you apply for a visa by post, you must pay the surcharge online before you send your application. You\u2019ll need to include your IHS reference number on the application form.\n\n## If you do not pay\n\nYou\u2019ll get an email from UK Visas and Immigration if you do not pay the surcharge (or do not pay enough) as part of your visa or immigration application.\n\nCheck your junk folder if you cannot see the email in your inbox.\n\nOnce you get the email, you must pay the surcharge within:\n\n- 10 working days if you\u2019re inside the UK\n\n- 7 working days if you\u2019re outside the UK\n\nYour visa or immigration application will be turned down if you do not pay the full amount in this time.\n\n## Pay the healthcare surcharge\n\nIf you\u2019re making an immigration application online you pay the healthcare surcharge as part of the application process. You must complete the payment and return to the online immigration application in less than 30 minutes.\n\nIf you\u2019re making an immigration application by post you must pay the healthcare surcharge before you complete your application.\n\nYou must pay the healthcare surcharge by debit or credit card.\n\nIf you\u2019re applying online, you\u2019ll be asked for:\n\n- the start and end dates on your certificate of sponsorship, if you have one\n\n- your course dates, if you\u2019re applying as a student\n\nIf you\u2019re applying by post, you\u2019ll also be asked for:\n\n- the type of visa you\u2019re applying for\n\n- your passport or travel document number\n\n- an email address\n\nPay now\n\nYou need to pay by cash at the UK embassy if you\u2019re in the Democratic People\u2019s Republic of Korea.\n\n## Family members\n\nYou\u2019ll need the same information that you used to pay for:\n\n- any person applying for a visa or other immigration application with you, for example a dependant\n\n- any person you\u2019re applying to join or remain who is already in the UK (you do not need to add this person\u2019s details if they are a UK or EEA citizen)\n\nYou\u2019ll also need their leave expiry date if you\u2019re joining someone in the UK (or IHS reference number if they have one).\n\n## Finish your visa or immigration application\n\n- You\u2019ll be sent an email with an IHS reference number. This will also be shown on screen when you\u2019ve paid. You can only use this number once - you\u2019ll need to get another one if you reapply.\n\n- You\u2019ll need to write this on the cover of your visa application if you\u2019re applying by post. You need this reference even if you\u2019re exempt from paying the healthcare surcharge.\n\n- Finish your application form and pay your visa or immigration application fee.\n\n## Refunds\n\nYou\u2019ll get a full immigration health surcharge (IHS) refund if:\n\n- you paid twice\n\n- your visa application is refused\n\n- you withdraw your visa application\n\nYou\u2019ll get a partial IHS refund if your visa application\u2019s successful but:\n\n- you get less time on your visa than you asked for\n\n- any dependants on your visa application are refused\n\nIf you are due a full or partial refund for these reasons, you do not have to do anything to get it. It will be automatically paid to the account or card you paid with.\n\nYou will not get a refund if:\n\n- your visa application is successful but you do not come to the UK\n\n- you leave the UK before your visa ends, for example to make a new application\n\n- you\u2019re told to leave the UK before your visa expires\n\n- you\u2019re applying for indefinite leave to remain\n\n## If your healthcare is paid for by an EU country\n\nYou may get a full or partial IHS refund if you have an S1 certificate registered with the NHS Business Services Authority.\n\nYou can also apply for a full or partial IHS refund if all of the following are true:\n\n- you\u2019re a full-time student in UK higher education\n\n- your visa started on or after 1 January 2021\n\n- you have a European Healthcare Insurance Card (EHIC) issued in an EU country\n\n- you do not work\n\nIf you\u2019re claiming as a full-time student with an EHIC, you can apply for a refund of the IHS you paid to cover any period starting on or after 1 January 2021. Applications open from 1 January 2022.\n\nThe amount you\u2019re refunded will depend on the date your S1 certificate or EHIC runs out.\n\nFind out more about applying for a refund.\n\n## If you work in health and care\n\nYou and your dependants may be able to get a refund of the IHS if you work in health and care.\n\nCheck if you\u2019re eligible for a refund as a health or care worker.\n\n## How long it takes\n\nYou usually get your refund within 6 weeks of getting a decision on your visa application. It can take longer if you appeal or ask for an administrative review after your visa application is refused.\n\n## If you appeal or ask for an administrative review\n\nIf you applied from:\n\n- inside the UK - you\u2019ll get your refund up to 6 weeks after your appeal or administrative review is dismissed\n\n- outside the UK - you\u2019ll get your refund up to 6 weeks after your visa application is refused\n\nYou\u2019ll have to repay the IHS if your appeal or administrative review is successful and you\u2019ve already got your IHS refund.\n\nYou might have to repay a different amount if:\n\n- the length of your stay changes\n\n- you get less time on your visa than you asked for\n\nContact UK Visas and Immigration (UKVI) if your refund is not paid within 6 weeks.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/healthcare-immigration-application", + "answerable": true, + "scenario": "I am a Bangladeshi national who is currently applying for indefinite leave to remain in the UK as part of a family reunion scheme. I have no dependants and will be living with my brother in Slough initially.", + "original_question": "Is it possible to use the NHS without paying the IHS?" + }, + { + "id": "train-1930", + "question": "Scenario: I am a 21 year old Spanish national who is applying for a 3-year student visa to study for a degree at a UK University. I've calculated that I will have to pay the sum of \u00a31410 for IHS surcharges in addition to my visa processing fee, which seems rather a lot to have to pay in one go.\n\nQuestion: Do I have to pay the surcharge before I can complete my visa application?\n\nDocument - Pay for UK healthcare as part of your immigration application:\n## Overview\n\nYou might need to pay a healthcare surcharge (called the \u2018immigration health surcharge\u2019 or IHS) as part of your immigration application.\n\nWhether you need to pay depends on the immigration status you\u2019re applying for.\n\n## When you must pay\n\nIf you\u2019re making your immigration application online, you pay the surcharge as part of your application or when you book an appointment.\n\nIf you\u2019re applying by post, you pay the surcharge online before you send your application. You\u2019ll need to include the IHS reference number on your application form.\n\n## When you can start to use the NHS\n\nYou can start using the National Health Service (NHS) when both:\n\n- you\u2019ve paid the healthcare surcharge (or are exempt from paying it)\n\n- your visa or immigration application is granted\n\nYou\u2019ll still need to pay for certain types of services, such as prescriptions, dental treatment, eye tests and assisted conception.\n\nWhen you access healthcare in the UK, you may need to:\n\n- provide your biometric residence permit, if you have one\n\n- prove your status online using a share code, if you have a digital immigration status\n\n## Who needs to pay\n\nYou usually need to pay the healthcare surcharge if you\u2019re applying for a visa or immigration application:\n\n- for more than 6 months, if you\u2019re applying outside the UK\n\n- for any length of time, if you\u2019re applying inside the UK\n\nYou do not need to pay if you\u2019re applying for a visitor visa or to remain in the UK permanently.\n\nYou still need to pay even if you have private medical insurance.\n\n## Who only needs an IHS reference number\n\nYou still need to use the payment service to get an immigration health surcharge (IHS) reference number but you will not need to pay if:\n\n- you\u2019re a child under 18 who has been taken into care by a local authority\n\n- you\u2019re a relevant civilian employee at NATO or the Australian Department of Defence in the UK (or you\u2019re their dependant)\n\nThe service will tell you that you do not have to pay anything and will give you your healthcare surcharge reference number for your application.\n\nYou\u2019ll be able to use the National Health Service (NHS) even if you\u2019re exempt from paying.\n\n## Who does not need to pay or get an IHS reference number\n\nYou\u2019ll be able to use the NHS without paying the surcharge or getting a reference number if:\n\n- you\u2019re applying for indefinite leave to enter or remain\n\n- you\u2019re a health and care worker who is eligible for a Health and Care Worker visa (or you\u2019re their dependant)\n\n- you\u2019re applying to the EU Settlement Scheme\n\n- you\u2019re a diplomat or a member of a visiting armed forces and not subject to immigration control\n\n- you\u2019re a dependant of a member of the UK\u2019s armed forces\n\n- you\u2019re the dependant of a member of another country\u2019s armed forces who is exempt from immigration control\n\n- you\u2019re applying for a visa for the Isle of Man or Channel Islands\n\n- you\u2019re a British Overseas Territory citizen resident in the Falkland Islands\n\n- you\u2019re an asylum seeker or applying for humanitarian protection (or you\u2019re their dependant)\n\n- you\u2019re a domestic worker who has been identified as a victim of slavery or human trafficking\n\n- you\u2019re applying for discretionary leave to remain in the UK as someone who has been identified as a victim of slavery or human trafficking (or you\u2019re their dependant)\n\n- the Home Office\u2019s domestic violence concession applies to you (or you\u2019re their dependant)\n\n- being made to leave the UK would be against your rights under Article 3 of the European Convention of Human Rights (or you\u2019re their dependant)\n\n- you\u2019re an S2 Healthcare Visitor\n\n- you\u2019re eligible for a Frontier Worker permit and have an S1 certificate\n\nYou need to pay the healthcare surcharge if you apply for indefinite leave to remain but are only given limited leave. You\u2019ll need to pay before you\u2019re given the leave.\n\n## Visitor visas and short-term visas\n\nYou do not need to pay the surcharge or get an IHS reference number if you\u2019re applying for a:\n\n- visitor visa\n\n- visa for 6 months or less from outside the UK\n\nYou will need to pay for any NHS care you get at the point you use it - unless it\u2019s a service that\u2019s free.\n\n## How much you have to pay\n\nYou\u2019ll have to pay:\n\n- \u00a3470 per year for a student or Youth Mobility Scheme visa, for example \u00a3940 for a 2-year visa\n\n- \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application\n\n- \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa\n\nDependants aged 18 or over usually need to pay the same amount as you.\n\nThe exact amount you have to pay depends on how much leave you\u2019re granted. Calculate how much you\u2019ll have to pay before you apply.\n\nYou\u2019ll pay half of the yearly amount if your application includes part of a year that is less than 6 months.\n\nYou\u2019ll pay for a whole year if your application includes part of a year that is more than 6 months.\n\nYou\u2019ll automatically get a partial refund if you paid the healthcare surcharge for more years than you were granted leave.\n\n## When you must pay\n\nIf you apply for a visa online, you pay the surcharge as part of the application.\n\nIf you apply for a visa by post, you must pay the surcharge online before you send your application. You\u2019ll need to include your IHS reference number on the application form.\n\n## If you do not pay\n\nYou\u2019ll get an email from UK Visas and Immigration if you do not pay the surcharge (or do not pay enough) as part of your visa or immigration application.\n\nCheck your junk folder if you cannot see the email in your inbox.\n\nOnce you get the email, you must pay the surcharge within:\n\n- 10 working days if you\u2019re inside the UK\n\n- 7 working days if you\u2019re outside the UK\n\nYour visa or immigration application will be turned down if you do not pay the full amount in this time.\n\n## Pay the healthcare surcharge\n\nIf you\u2019re making an immigration application online you pay the healthcare surcharge as part of the application process. You must complete the payment and return to the online immigration application in less than 30 minutes.\n\nIf you\u2019re making an immigration application by post you must pay the healthcare surcharge before you complete your application.\n\nYou must pay the healthcare surcharge by debit or credit card.\n\nIf you\u2019re applying online, you\u2019ll be asked for:\n\n- the start and end dates on your certificate of sponsorship, if you have one\n\n- your course dates, if you\u2019re applying as a student\n\nIf you\u2019re applying by post, you\u2019ll also be asked for:\n\n- the type of visa you\u2019re applying for\n\n- your passport or travel document number\n\n- an email address\n\nPay now\n\nYou need to pay by cash at the UK embassy if you\u2019re in the Democratic People\u2019s Republic of Korea.\n\n## Family members\n\nYou\u2019ll need the same information that you used to pay for:\n\n- any person applying for a visa or other immigration application with you, for example a dependant\n\n- any person you\u2019re applying to join or remain who is already in the UK (you do not need to add this person\u2019s details if they are a UK or EEA citizen)\n\nYou\u2019ll also need their leave expiry date if you\u2019re joining someone in the UK (or IHS reference number if they have one).\n\n## Finish your visa or immigration application\n\n- You\u2019ll be sent an email with an IHS reference number. This will also be shown on screen when you\u2019ve paid. You can only use this number once - you\u2019ll need to get another one if you reapply.\n\n- You\u2019ll need to write this on the cover of your visa application if you\u2019re applying by post. You need this reference even if you\u2019re exempt from paying the healthcare surcharge.\n\n- Finish your application form and pay your visa or immigration application fee.\n\n## Refunds\n\nYou\u2019ll get a full immigration health surcharge (IHS) refund if:\n\n- you paid twice\n\n- your visa application is refused\n\n- you withdraw your visa application\n\nYou\u2019ll get a partial IHS refund if your visa application\u2019s successful but:\n\n- you get less time on your visa than you asked for\n\n- any dependants on your visa application are refused\n\nIf you are due a full or partial refund for these reasons, you do not have to do anything to get it. It will be automatically paid to the account or card you paid with.\n\nYou will not get a refund if:\n\n- your visa application is successful but you do not come to the UK\n\n- you leave the UK before your visa ends, for example to make a new application\n\n- you\u2019re told to leave the UK before your visa expires\n\n- you\u2019re applying for indefinite leave to remain\n\n## If your healthcare is paid for by an EU country\n\nYou may get a full or partial IHS refund if you have an S1 certificate registered with the NHS Business Services Authority.\n\nYou can also apply for a full or partial IHS refund if all of the following are true:\n\n- you\u2019re a full-time student in UK higher education\n\n- your visa started on or after 1 January 2021\n\n- you have a European Healthcare Insurance Card (EHIC) issued in an EU country\n\n- you do not work\n\nIf you\u2019re claiming as a full-time student with an EHIC, you can apply for a refund of the IHS you paid to cover any period starting on or after 1 January 2021. Applications open from 1 January 2022.\n\nThe amount you\u2019re refunded will depend on the date your S1 certificate or EHIC runs out.\n\nFind out more about applying for a refund.\n\n## If you work in health and care\n\nYou and your dependants may be able to get a refund of the IHS if you work in health and care.\n\nCheck if you\u2019re eligible for a refund as a health or care worker.\n\n## How long it takes\n\nYou usually get your refund within 6 weeks of getting a decision on your visa application. It can take longer if you appeal or ask for an administrative review after your visa application is refused.\n\n## If you appeal or ask for an administrative review\n\nIf you applied from:\n\n- inside the UK - you\u2019ll get your refund up to 6 weeks after your appeal or administrative review is dismissed\n\n- outside the UK - you\u2019ll get your refund up to 6 weeks after your visa application is refused\n\nYou\u2019ll have to repay the IHS if your appeal or administrative review is successful and you\u2019ve already got your IHS refund.\n\nYou might have to repay a different amount if:\n\n- the length of your stay changes\n\n- you get less time on your visa than you asked for\n\nContact UK Visas and Immigration (UKVI) if your refund is not paid within 6 weeks.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/healthcare-immigration-application", + "answerable": true, + "scenario": "I am a 21 year old Spanish national who is applying for a 3-year student visa to study for a degree at a UK University. I've calculated that I will have to pay the sum of \u00a31410 for IHS surcharges in addition to my visa processing fee, which seems rather a lot to have to pay in one go.", + "original_question": "Do I have to pay the surcharge before I can complete my visa application?" + }, + { + "id": "train-1931", + "question": "Scenario: I have a child that is 10 years old and a student. I have enough money to support my child and myself in the UK. I would like to move to the UK.\n\nQuestion: Will I be able to get a child student visa?\n\nDocument - Parent of a Child Student visa:\n## Who can apply\n\nYou can only apply for a Parent of a Child Student visa if your child has or is applying for a Child Student visa. Or if they currently have a Tier 4 (Child) visa.\n\nYour child must be aged between 4 and 11 when you apply, and be attending an independent school in the UK.\n\nYou must also:\n\n- be the only parent accompanying your child in the UK\n\n- have enough money to support yourself and your child in the UK\n\n- maintain your main home outside the UK\n\n- plan to leave the UK when your visa expires\n\n## Bringing family members with you\n\nTo be eligible for a Parent of a Child Student visa you must be the only parent accompanying your child in the UK. The child\u2019s other parent must live abroad, and cannot apply to join you in the UK.\n\nYou can bring your other children with you if they also have or are applying for a Child Student visa.\n\nYou cannot bring other family members with you on this visa. They may be able to apply to come to the UK on a short-term visit visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to come to the UK for more than 6 months. The earliest your Parent of a Child Student visa will start from is 1 January 2021.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long you can stay\n\nYou can stay in the UK until your child\u2019s visa expires or they turn 12, whichever happens first.\n\nYou can extend your visa while in the UK as long as you meet the eligibility requirements.\n\n## If you leave the UK\n\nIf your child is staying in education in the UK without you, you must make arrangements for their ongoing care. For example, if your child turns 12 and their visa is still valid, they may be able to start boarding at their current school, or live with other family members in the UK.\n\n## What you cannot do\n\nWhile you\u2019re in the UK on a Parent of a Child Student visa, you cannot:\n\n- do paid work\n\n- study\n\n- start a business\n\n- make the UK your main home\n\n- apply for benefits (public funds), or the State Pension\n\n- bring other family members with you\n\n- switch to a different type of visa\n\n## Money you need\n\nWhen you apply for a Parent of a Child Student visa, you must:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove that you have enough money to support yourself and your child while you\u2019re in the UK\n\n## Visa application fee\n\nA Parent of a Child Student visa costs \u00a3516.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3624 per year.\n\nThis is so you can use the National Health Service (NHS) in the UK.\n\nCheck how much you\u2019ll need to pay before you apply.\n\nYou pay the surcharge as part of your online visa application.\n\n## Money to support yourself and your child\n\nYou\u2019ll need to show that you have enough money to support yourself and your child in the UK.\n\nYou\u2019ll need \u00a31,560 for each month of your stay up to a maximum of 9 months. This amount is to support both you and your child.\n\nFor example, if you\u2019re staying for 9 months or longer you\u2019ll need to prove you have \u00a314,040 (9 months \u00d7 \u00a31,560).\n\n## If you want to bring your other children\n\nYou\u2019ll need an extra \u00a3625 per month, up to a maximum of 9 months, for each additional child that accompanies you to the UK. They must be a sibling of your other child and also have a Child Student visa.\n\n## If you\u2019re extending your visa\n\nIf you\u2019ve been in the UK for at least 12 months on a valid visa, you do not need to prove you have money to support yourself and your child for your visa application.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel document\n\n- proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa\n\n- evidence that you have a permanent home outside the UK\n\nDepending on your circumstances, you might also need to provide:\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test\n\n- a certified translation of any documents that are not in English or Welsh\n\n## Apply from outside the UK\n\nYou must apply online for a Parent of a Child Student visa before you travel to the UK.\n\nThe earliest you can apply is 6 months before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Apply online\n\nAs part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\nYou\u2019ll be told what you need to do when you apply.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply online\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nYou may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\n## Extend your visa\n\nYou can apply to extend your visa while in the UK as long as you and your child meet the eligibility requirements. This includes if your child currently has a Tier 4 (Child) student visa.\n\n## How long you can stay\n\nWhen you extend your visa you can stay in the UK until the date your child\u2019s student visa expires or they turn 12, whichever happens first.\n\n## When to apply to extend your visa\n\nYou must apply before your current visa expires.\n\nYou can stay in the UK until you get a decision on your visa application.\n\n## Apply to extend your visa\n\nYou must apply online.\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point. At the appointment you must provide your biometric information (your fingerprints and a photo). It costs \u00a319.20.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply to extend\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 8 weeks.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\nYou can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\nIf you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "answerable": true, + "scenario": "I have a child that is 10 years old and a student. I have enough money to support my child and myself in the UK. I would like to move to the UK.", + "original_question": "Will I be able to get a child student visa?" + }, + { + "id": "train-1935", + "question": "Scenario: I am a person who is looking to work at a charity in the UK with an annual income of \u00a323,000. I am looking at my eligibility for the Charity Worker visa. I have a certificate of sponsorship and \u00a35,000 in savings.\n\nQuestion: Am I eligible for the Charity Worker visa?\n\nDocument - Temporary Worker - Charity Worker visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - Charity Worker visa (T5) if:\n\n- you want to do unpaid voluntary work for a charity\n\n- you meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Charity Worker) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou must have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the the next working day after your UK Visa and Citizenship Application Services (UKVCAS) appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\n## How long you can stay\n\nYou can stay for up to 12 months or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- bring your partner and children with you, if they\u2019re eligible\n\nYou cannot:\n\n- receive any payment for work\n\n- take a permanent job\n\n- get public funds\n\n## Eligibility\n\nTo be eligible for a Temporary Worker - Charity Worker visa (T5) you need:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a unique reference number that holds information about the job you will do and your personal details. It is not a certificate or paper document.\n\nYour sponsor will give you the certificate of sponsorship.\n\nYour sponsor must also give you the information they used on your certificate about your job, for example your working hours.\n\nYour sponsor must be recognised by the UK government to issue certificates of sponsorship.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guidance on documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Charity Worker visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\nYou can apply to take your stay in the UK up to a maximum of 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou can apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/temporary-worker-charity-worker-visa", + "answerable": true, + "scenario": "I am a person who is looking to work at a charity in the UK with an annual income of \u00a323,000. I am looking at my eligibility for the Charity Worker visa. I have a certificate of sponsorship and \u00a35,000 in savings.", + "original_question": "Am I eligible for the Charity Worker visa?" + }, + { + "id": "train-1937", + "question": "Scenario: I have just completed transitioning from male to female. My appearance has also changed a significant amount in the eight years since my passport picture was last taken.\n\nQuestion: Do I have to have a new passport picture taken?\n\nDocument - Change your name or personal details on your passport:\n## How it works\n\nYou\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:\n\n- your name\n\n- your gender\n\n- your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)\n\nThe name on your passport must match the one you use when you book your travel.\n\nYou\u2019ll be sent a new 10 year passport. Time left on your old passport will not be added to your new one.\n\n## When you do not need a new passport\n\nYou do not need to get a new passport if you:\n\n- change your address or contact details\n\n- get a new job\n\n- change your appearance slightly - for example, dye your hair or grow a beard\n\n- change your marital status (divorce, marry or form a civil partnership) but keep your name\n\n- change your title, for example, doctor or professor\n\n- become a national of another country as well as the UK\n\n- emigrate\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport. It takes longer to apply by post than online.\n\nYou may be able to get a passport urgently if you need to travel sooner.\n\nDo not book travel until you have a valid passport - your new passport will not have the same number as your old one.\n\n## Apply online\n\nYou can apply for a new passport online. It costs \u00a375.50.\n\nStart now\n\n## Apply using a paper application form\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications. Use the online service to get your passport.\n\nYou can get a paper application form by either:\n\n- going to a Post Office that has a Check and Send service\n\n- calling the Passport Adviceline\n\nIt costs \u00a385.\n\nFill in and sign your passport application using the name that you want to see printed on your passport.\n\n## Countersignatures\n\nYou must get a countersignature if your appearance has changed and you cannot be recognised from your existing passport.\n\nYou do not need a countersignature if you\u2019re changing your name or adding a title.\n\n## Unexpired visas\n\nUnexpired visas in your old passport may become invalid if you change your name. Check with the embassy or consulate of the country that issued the visa.\n\n## If you have a non-British passport\n\nIf you have dual citizenship (\u2018dual nationality\u2019) and have a non-British passport, the name on your non-British passport must match the name and gender you want on your British passport.\n\nIf it\u2019s different, change the details on your non-British passport before you apply for a new British passport.\n\n## Marriage or civil partnership change\n\nYou can get a new passport in your new name either before or after the ceremony.\n\nThe name on your passport must match the one you use when you book your travel.\n\n## Get a new passport after the ceremony\n\nSend your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.\n\n## Get a new passport before the ceremony\n\nYou can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.\n\nYour old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.\n\nSome countries will not issue visas for post-dated passports - check with the country\u2019s embassy or consulate.\n\nYou must send a \u2018passports for newly weds and civil partners\u2019 form with your documents. It must be signed by the religious minister or registrar who will conduct the ceremony.\n\n## Divorce or returning to a previous surname\n\nWhen you apply, you also need to send:\n\n- your birth certificate\n\n- a statement signed by you saying you\u2019ve gone back to a previous surname (for example your maiden name) \u2018for all purposes\u2019 - that is, you will not use your married or civil partnership name at all\n\n- a document that shows you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\n- your decree absolute or final order showing both names\n\n- a marriage or civil partnership certificate showing both names - if you do not have it you can order a copy\n\n## Gender change\n\nSend one of the following when you apply for a passport:\n\n- a Gender Recognition Certificate\n\n- a new birth or adoption certificate showing your acquired gender\n\n- a letter from your doctor or medical consultant confirming your change of gender is likely to be permanent\n\nIf you\u2019re sending a letter from your doctor or medical consultant and you\u2019re changing your name, you\u2019ll also need to supply both of the following:\n\n- evidence of your change of name (such as a deed poll)\n\n- evidence that you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\nRead the information about passports for transgender and transsexual people if you need help.\n\n## Titles and small changes to forenames\n\nYou can:\n\n- change the spelling of your name slightly - for example, Jane to Jayne\n\n- change the order of your forenames\n\n- remove middle names\n\nSend 2 documents that show you\u2019re using your new name. These can include a:\n\n- letter from a local council or government department\n\n- driving licence\n\n- bank statement\n\n- baptism or confirmation certificate\n\n## Titles you can use on your passport\n\nYou can include:\n\n- professional titles - for example, doctor, judge, minister of religion, professor, QC, or JP if you\u2019re a magistrate\n\n- honours or military decorations\n\nPut the details in the \u2018other title\u2019 box of your application and send evidence of your title.\n\nYour title will be on the \u2018observations\u2019 page of your passport - it will not be part of your name, except if it\u2019s a title of nobility, for example knight, dame or a lord.\n\n## Other name changes\n\nYou can change your name on your passport with one of the following documents:\n\n- a deed poll\n\n- a statutory declaration\n\n- an affidavit\n\nSend it with both:\n\n- proof of any previous name changes you\u2019ve made\n\n- evidence that you\u2019re using your new name (for example a payslip or a letter from your local council)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/changing-passport-information", + "answerable": true, + "scenario": "I have just completed transitioning from male to female. My appearance has also changed a significant amount in the eight years since my passport picture was last taken.", + "original_question": "Do I have to have a new passport picture taken?" + }, + { + "id": "train-1938", + "question": "Scenario: I am a thirty year old woman and I am due to be married next year. I will be changing my name when I do. We will go on honeymoon the day after the wedding. The reservation was made under my new name.\n\nQuestion: Can I change the name on my passport after I go?\n\nDocument - Change your name or personal details on your passport:\n## How it works\n\nYou\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:\n\n- your name\n\n- your gender\n\n- your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)\n\nThe name on your passport must match the one you use when you book your travel.\n\nYou\u2019ll be sent a new 10 year passport. Time left on your old passport will not be added to your new one.\n\n## When you do not need a new passport\n\nYou do not need to get a new passport if you:\n\n- change your address or contact details\n\n- get a new job\n\n- change your appearance slightly - for example, dye your hair or grow a beard\n\n- change your marital status (divorce, marry or form a civil partnership) but keep your name\n\n- change your title, for example, doctor or professor\n\n- become a national of another country as well as the UK\n\n- emigrate\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport. It takes longer to apply by post than online.\n\nYou may be able to get a passport urgently if you need to travel sooner.\n\nDo not book travel until you have a valid passport - your new passport will not have the same number as your old one.\n\n## Apply online\n\nYou can apply for a new passport online. It costs \u00a375.50.\n\nStart now\n\n## Apply using a paper application form\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications. Use the online service to get your passport.\n\nYou can get a paper application form by either:\n\n- going to a Post Office that has a Check and Send service\n\n- calling the Passport Adviceline\n\nIt costs \u00a385.\n\nFill in and sign your passport application using the name that you want to see printed on your passport.\n\n## Countersignatures\n\nYou must get a countersignature if your appearance has changed and you cannot be recognised from your existing passport.\n\nYou do not need a countersignature if you\u2019re changing your name or adding a title.\n\n## Unexpired visas\n\nUnexpired visas in your old passport may become invalid if you change your name. Check with the embassy or consulate of the country that issued the visa.\n\n## If you have a non-British passport\n\nIf you have dual citizenship (\u2018dual nationality\u2019) and have a non-British passport, the name on your non-British passport must match the name and gender you want on your British passport.\n\nIf it\u2019s different, change the details on your non-British passport before you apply for a new British passport.\n\n## Marriage or civil partnership change\n\nYou can get a new passport in your new name either before or after the ceremony.\n\nThe name on your passport must match the one you use when you book your travel.\n\n## Get a new passport after the ceremony\n\nSend your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.\n\n## Get a new passport before the ceremony\n\nYou can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.\n\nYour old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.\n\nSome countries will not issue visas for post-dated passports - check with the country\u2019s embassy or consulate.\n\nYou must send a \u2018passports for newly weds and civil partners\u2019 form with your documents. It must be signed by the religious minister or registrar who will conduct the ceremony.\n\n## Divorce or returning to a previous surname\n\nWhen you apply, you also need to send:\n\n- your birth certificate\n\n- a statement signed by you saying you\u2019ve gone back to a previous surname (for example your maiden name) \u2018for all purposes\u2019 - that is, you will not use your married or civil partnership name at all\n\n- a document that shows you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\n- your decree absolute or final order showing both names\n\n- a marriage or civil partnership certificate showing both names - if you do not have it you can order a copy\n\n## Gender change\n\nSend one of the following when you apply for a passport:\n\n- a Gender Recognition Certificate\n\n- a new birth or adoption certificate showing your acquired gender\n\n- a letter from your doctor or medical consultant confirming your change of gender is likely to be permanent\n\nIf you\u2019re sending a letter from your doctor or medical consultant and you\u2019re changing your name, you\u2019ll also need to supply both of the following:\n\n- evidence of your change of name (such as a deed poll)\n\n- evidence that you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\nRead the information about passports for transgender and transsexual people if you need help.\n\n## Titles and small changes to forenames\n\nYou can:\n\n- change the spelling of your name slightly - for example, Jane to Jayne\n\n- change the order of your forenames\n\n- remove middle names\n\nSend 2 documents that show you\u2019re using your new name. These can include a:\n\n- letter from a local council or government department\n\n- driving licence\n\n- bank statement\n\n- baptism or confirmation certificate\n\n## Titles you can use on your passport\n\nYou can include:\n\n- professional titles - for example, doctor, judge, minister of religion, professor, QC, or JP if you\u2019re a magistrate\n\n- honours or military decorations\n\nPut the details in the \u2018other title\u2019 box of your application and send evidence of your title.\n\nYour title will be on the \u2018observations\u2019 page of your passport - it will not be part of your name, except if it\u2019s a title of nobility, for example knight, dame or a lord.\n\n## Other name changes\n\nYou can change your name on your passport with one of the following documents:\n\n- a deed poll\n\n- a statutory declaration\n\n- an affidavit\n\nSend it with both:\n\n- proof of any previous name changes you\u2019ve made\n\n- evidence that you\u2019re using your new name (for example a payslip or a letter from your local council)", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/changing-passport-information", + "answerable": true, + "scenario": "I am a thirty year old woman and I am due to be married next year. I will be changing my name when I do. We will go on honeymoon the day after the wedding. The reservation was made under my new name.", + "original_question": "Can I change the name on my passport after I go?" + }, + { + "id": "train-1939", + "question": "Scenario: My friends and I have just finished our A Levels and want to go to Europe for a few days to unwind. Some of us have personal passports but most do not. At least five of us would need a collective passport\n\nQuestion: Is five too many people to travel on one collective passport?\n\nDocument - Collective (group) passports:\n## Overview\n\nIt takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.\n\nA collective (or group) passport is a way for an organised group of young people to make a trip to certain European countries.\n\nA collective passport costs \u00a339.\n\nYoung people should travel on their own passports if possible.\n\n## Who can use a collective passport\n\nThe passport is not for families but for groups such as:\n\n- schools and sixth form colleges\n\n- guides\n\n- scouts\n\n- other recognised youth organisations\n\nYou can have between 5 and 50 children on a group passport. If there are more than 50 in the group, you can split the group and apply for 2 or more passports.\n\nEveryone on the passport must be a British national and under 18 by the end of the trip.\n\nA group leader must be named on the passport. The passport is invalid if the group leader cannot travel, but if a deputy leader is named on the application, they can take over.\n\nThe group leader and deputy leader must:\n\n- be aged 21 or over\n\n- be a British citizen and have a British passport\n\n- be a UK resident\n\n## Countries you can visit\n\nThe countries you can travel to or through on a collective passport are:\n\n- Austria\n\n- Denmark\n\n- France\n\n- Italy\n\n- Malta\n\n- Norway\n\n- Romania\n\n- Spain\n\n- Switzerland\n\n## Check if you need a visa\n\nYou may need a visa if you\u2019re travelling on a group passport, even if you do not need one when travelling on an individual passport. Contact the country\u2019s embassy or consulate in the UK to check.\n\n## How to apply\n\nIt takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.\n\n- Download the application form.\n\n- Save it to your computer and fill it in (handwritten applications are not accepted).\n\n- Collect your supporting documents.\n\n- Email your completed application form to HMPassportofficeDurhamCollectives@hmpo.gov.uk.\n\n- Print a paper copy and get it signed by the group leader and deputy leader.\n\n- Send the paper copy with the \u00a339 fee and supporting documents to Collective Passport Applications.\n\n## Paying the fee\n\nInclude a cheque for \u00a339, payable to \u2018Her Majesty\u2019s Passport Office\u2019, or pay by credit or debit card using the card payment form - use capital letters to fill in the form.\n\n## Checks on your application\n\nHM Passport Office may contact your organisation to verify the application. Include a contact number on the form that will be answered during school holidays or your application could be delayed.\n\n## Supporting documents\n\nEach application must include:\n\n- a nationality questionnaire and parental consent form for each child\n\n- a collective passport photo identity card for each child\n\n- one supporting letter for the whole application\n\n## Nationality questionnaire and consent form\n\nThe nationality questionnaire and consent form (\u2018CPNQ\u2019 form) must be filled in by the person who can give consent for the child to travel. They must fill in either the:\n\n- form for a child born in the UK\n\n- form for a child born outside the UK\n\nDetails of who can give consent are on the form.\n\n## Request collective passport photo identity cards\n\nEmail your request for collective passport photo cards to HMPassportofficeDurhamCollectives@hmpo.gov.uk. Your email should include:\n\n- the number of cards you need\n\n- the full name and address of the school or organised group\n\n- a contact name and phone number\n\n## Complete collective passport photo identity cards\n\nEach card must be filled in with the child\u2019s details exactly as they appear on their nationality questionnaire and parental consent form.\n\nYou must attach a recent passport-sized photo to each card.\n\n## Rules for photos\n\nThe photos:\n\n- should be of a similar quality to standard passport photos\n\n- should not have been previously used on another document\n\n- must not be laminated or photocopies\n\nYou can use:\n\n- a school photo - as long as it does not have \u2018proof\u2019 written across it\n\n- printed digital photos\n\nThe group leader must complete their own details and sign the photo cards before submitting the application.\n\nEach child must sign their card before they travel.\n\n## Supporting letter\n\nEach application must include one supporting letter on headed paper confirming consent to the trip.\n\nIf the group is going abroad to perform (for example, in a sports competition) the letter must say:\n\n- all members of the group are amateurs\n\n- they will not get any payment\n\nIf children from more than one organisation are travelling together, you need a supporting letter from each organisation.\n\nThe letter must be signed - digital or photocopied signatures are not accepted.\n\nThe table shows who can supply and sign the supporting letter.\n\n| Type of organisation | Who can supply and sign the supporting letter |\n\n| School | The head teacher, a member of the board of governors or the education authority from each school making up the party |\n\n| Scout or guide group | The assistant county or area commissioner or someone from Association Headquarters |\n\n| Football or rugby club | Someone from the local football association or the league chairperson or secretary |\n\n| Swimming or judo clubs | Someone from the national headquarters |\n\n| Youth orchestras or choirs | Someone from the local education authority, or the vicar for church groups |\n\n| Army or Airforce cadets | The commanding officer or someone from the services authority |\n\n| Clubs or youth clubs | Someone from the local authority where the club is registered, or the national headquarters |\n\n| Registered charities | The director or a person in a similar position in the organisation |\n\n## Getting the passport changed\n\nCheck your passport when it arrives for mistakes. Children cannot travel if they\u2019re not on the passport.\n\n## If you need to amend the passport\n\nSend the passport back to HM Passport Office Collective Passport Applications with a letter explaining the reasons.\n\nIf your trip is postponed but you arrange alternative travel within the same season, you can usually get your passport amended free of charge.\n\nIf several changes are needed (for example, you\u2019re adding lots of names), you have to pay for a new one.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/collective-group-passports", + "answerable": true, + "scenario": "My friends and I have just finished our A Levels and want to go to Europe for a few days to unwind. Some of us have personal passports but most do not. At least five of us would need a collective passport", + "original_question": "Is five too many people to travel on one collective passport?" + }, + { + "id": "train-1940", + "question": "Scenario: Some colleagues and I have a collective passport and had intended to go to Prague for the weekend soon. Now one of our members has dropped out.\n\nQuestion: Is it necessary to amend the passport now that one member is not coming with us anymore?\n\nDocument - Collective (group) passports:\n## Overview\n\nIt takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.\n\nA collective (or group) passport is a way for an organised group of young people to make a trip to certain European countries.\n\nA collective passport costs \u00a339.\n\nYoung people should travel on their own passports if possible.\n\n## Who can use a collective passport\n\nThe passport is not for families but for groups such as:\n\n- schools and sixth form colleges\n\n- guides\n\n- scouts\n\n- other recognised youth organisations\n\nYou can have between 5 and 50 children on a group passport. If there are more than 50 in the group, you can split the group and apply for 2 or more passports.\n\nEveryone on the passport must be a British national and under 18 by the end of the trip.\n\nA group leader must be named on the passport. The passport is invalid if the group leader cannot travel, but if a deputy leader is named on the application, they can take over.\n\nThe group leader and deputy leader must:\n\n- be aged 21 or over\n\n- be a British citizen and have a British passport\n\n- be a UK resident\n\n## Countries you can visit\n\nThe countries you can travel to or through on a collective passport are:\n\n- Austria\n\n- Denmark\n\n- France\n\n- Italy\n\n- Malta\n\n- Norway\n\n- Romania\n\n- Spain\n\n- Switzerland\n\n## Check if you need a visa\n\nYou may need a visa if you\u2019re travelling on a group passport, even if you do not need one when travelling on an individual passport. Contact the country\u2019s embassy or consulate in the UK to check.\n\n## How to apply\n\nIt takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.\n\n- Download the application form.\n\n- Save it to your computer and fill it in (handwritten applications are not accepted).\n\n- Collect your supporting documents.\n\n- Email your completed application form to HMPassportofficeDurhamCollectives@hmpo.gov.uk.\n\n- Print a paper copy and get it signed by the group leader and deputy leader.\n\n- Send the paper copy with the \u00a339 fee and supporting documents to Collective Passport Applications.\n\n## Paying the fee\n\nInclude a cheque for \u00a339, payable to \u2018Her Majesty\u2019s Passport Office\u2019, or pay by credit or debit card using the card payment form - use capital letters to fill in the form.\n\n## Checks on your application\n\nHM Passport Office may contact your organisation to verify the application. Include a contact number on the form that will be answered during school holidays or your application could be delayed.\n\n## Supporting documents\n\nEach application must include:\n\n- a nationality questionnaire and parental consent form for each child\n\n- a collective passport photo identity card for each child\n\n- one supporting letter for the whole application\n\n## Nationality questionnaire and consent form\n\nThe nationality questionnaire and consent form (\u2018CPNQ\u2019 form) must be filled in by the person who can give consent for the child to travel. They must fill in either the:\n\n- form for a child born in the UK\n\n- form for a child born outside the UK\n\nDetails of who can give consent are on the form.\n\n## Request collective passport photo identity cards\n\nEmail your request for collective passport photo cards to HMPassportofficeDurhamCollectives@hmpo.gov.uk. Your email should include:\n\n- the number of cards you need\n\n- the full name and address of the school or organised group\n\n- a contact name and phone number\n\n## Complete collective passport photo identity cards\n\nEach card must be filled in with the child\u2019s details exactly as they appear on their nationality questionnaire and parental consent form.\n\nYou must attach a recent passport-sized photo to each card.\n\n## Rules for photos\n\nThe photos:\n\n- should be of a similar quality to standard passport photos\n\n- should not have been previously used on another document\n\n- must not be laminated or photocopies\n\nYou can use:\n\n- a school photo - as long as it does not have \u2018proof\u2019 written across it\n\n- printed digital photos\n\nThe group leader must complete their own details and sign the photo cards before submitting the application.\n\nEach child must sign their card before they travel.\n\n## Supporting letter\n\nEach application must include one supporting letter on headed paper confirming consent to the trip.\n\nIf the group is going abroad to perform (for example, in a sports competition) the letter must say:\n\n- all members of the group are amateurs\n\n- they will not get any payment\n\nIf children from more than one organisation are travelling together, you need a supporting letter from each organisation.\n\nThe letter must be signed - digital or photocopied signatures are not accepted.\n\nThe table shows who can supply and sign the supporting letter.\n\n| Type of organisation | Who can supply and sign the supporting letter |\n\n| School | The head teacher, a member of the board of governors or the education authority from each school making up the party |\n\n| Scout or guide group | The assistant county or area commissioner or someone from Association Headquarters |\n\n| Football or rugby club | Someone from the local football association or the league chairperson or secretary |\n\n| Swimming or judo clubs | Someone from the national headquarters |\n\n| Youth orchestras or choirs | Someone from the local education authority, or the vicar for church groups |\n\n| Army or Airforce cadets | The commanding officer or someone from the services authority |\n\n| Clubs or youth clubs | Someone from the local authority where the club is registered, or the national headquarters |\n\n| Registered charities | The director or a person in a similar position in the organisation |\n\n## Getting the passport changed\n\nCheck your passport when it arrives for mistakes. Children cannot travel if they\u2019re not on the passport.\n\n## If you need to amend the passport\n\nSend the passport back to HM Passport Office Collective Passport Applications with a letter explaining the reasons.\n\nIf your trip is postponed but you arrange alternative travel within the same season, you can usually get your passport amended free of charge.\n\nIf several changes are needed (for example, you\u2019re adding lots of names), you have to pay for a new one.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/collective-group-passports", + "answerable": true, + "scenario": "Some colleagues and I have a collective passport and had intended to go to Prague for the weekend soon. Now one of our members has dropped out.", + "original_question": "Is it necessary to amend the passport now that one member is not coming with us anymore?" + }, + { + "id": "train-1941", + "question": "Scenario: My 71 year old father is coming to live with me for 6 months in the UK. He does not speak English very well. I heard that a test is needed to be done.\n\nQuestion: Will my father need to prove he can speak English?\n\nDocument - Family visas: apply, extend or switch:\n## Overview\n\nYou need a family visa to live with a family member in the UK for more than 6 months.\n\n## Applying from outside the UK\n\nYou can apply for a family visa to live with your:\n\n- spouse or partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- child\n\n- parent\n\n- relative who\u2019ll provide long-term care for you\n\nIf you\u2019re visiting the UK for 6 months or less, check if you need a Standard Visitor visa or Marriage Visitor visa.\n\n## Extending your family visa\n\nYou can apply to extend your stay with your family member if you\u2019re already in the UK on a family visa.\n\nYou can extend at any time before your current permission to stay in the UK expires.\n\nIf you\u2019re extending to stay with the same family member, you\u2019ll only get up to 28 days left on your current stay added to your new visa.\n\nYou must live in the UK for a certain amount of time before you\u2019re eligible for settlement (\u2018indefinite leave to remain\u2019). Before you extend your visa, check how much time you need to settle in the UK.\n\nYou might be able to apply to stay on the basis of your private life if you\u2019ve lived in the UK for many years already.\n\n## Switching to a family visa\n\nIf you came to the UK on a different visa, you might be able to switch to a family visa to stay with your:\n\n- spouse or partner\n\n- child\n\n- parent\n\nYou can switch at any time before your current permission to stay in the UK expires.\n\n## If you do not meet the rules because of coronavirus (COVID-19)\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus, you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Fees\n\nHow much it costs depends on how you apply.\n\n| | Apply outside the UK | Apply in the UK |\n\n| Cost if joining your partner, parent or child | \u00a31,523 | \u00a31,033 |\n\n| Cost for each dependant added to your application | \u00a31,523 each person | \u00a31,033 each person |\n\n| Cost for an adult who needs to be looked after by a relative | \u00a33,250 | \u00a31,033 |\n\nLet your bank know that a large amount of money will be coming out of your account - otherwise it might cancel your payment.\n\n## Healthcare surcharge\n\nYou might also need to pay the healthcare surcharge as part of your application.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying from the UK, you may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.\n\nYou cannot use the super priority service if you\u2019re applying as an adult coming to be cared for by a relative.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long it takes\n\nIf you apply outside the UK a decision will usually be made within 12 weeks.\n\nIf you apply in the UK a decision will usually be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will usually be made:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nIt might take longer if your application is complex, for example you:\n\n- do not meet the minimum income requirement\n\n- cannot prove your knowledge of English\n\n- need to attend an interview\n\n- have not provided all the evidence that the Home Office needs\n\n- have a criminal conviction or another personal circumstance that needs to be reviewed\n\n## Other ways you can stay\n\n## You were the victim of domestic abuse or your partner died\n\nYou might be able to apply to settle in the UK if you had permission to stay in the UK as a partner when either:\n\n- you were the victim of domestic abuse\n\n- your partner died\n\n## Your family member has refugee status or humanitarian protection\n\nYou might be able to apply for \u2018family reunion\u2019 to join a partner or parent who has either:\n\n- refugee status in the UK\n\n- humanitarian protection in the UK\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. Otherwise you need a visa or family permit to come to the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## When you cannot get a family visa\n\nIn some circumstances you cannot apply for, or switch to, a family visa.\n\n## Your family member has a work visa or student visa\n\nYou cannot apply for a family visa if your family member is in the UK temporarily on a work visa or student visa.\n\nYou can apply to stay with them as a dependant instead.\n\n## You have a visitor visa or a visa for 6 months or less\n\nYou\u2019ll usually need to leave the UK to apply for a family visa if either:\n\n- you have permission to be in the UK as a visitor\n\n- your visa is for 6 months or less\n\nHowever, you might be able to switch to a family visa in the UK if you have either:\n\n- a 6-month family visa as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- permission to stay in the UK for the outcome of a family court case or divorce\n\n## Apply as a partner or spouse\n\nTo apply as a partner, you and your partner both need to be 18 or over.\n\nYour partner must also either:\n\n- be a British or Irish citizen\n\n- have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- have a Turkish Businessperson visa or Turkish Worker visa\n\n- have refugee status or humanitarian protection in the UK\n\nYou and your partner must intend to live together permanently in the UK after you apply.\n\nIf your partner has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.\n\n## What you\u2019ll need to prove\n\nYou must be able to prove one of the following:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n- you are a fianc\u00e9, fianc\u00e9e or proposed civil partner and will marry or enter into a civil partnership in the UK within 6 months of arriving\n\nIf your wedding or civil ceremony has been delayed because of coronavirus (COVID-19), you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.\n\nYou also need to prove you:\n\n- have a good knowledge of English\n\n- can financially support yourself and your dependants\n\nIf you do not meet these requirements you may still be able to apply for a visa or extend your permission to stay if:\n\n- you have a child in the UK who is a British or Irish citizen or has lived in the UK for 7 years and it would be unreasonable for them to leave the UK\n\n- there would be very significant difficulties for you and your partner if you lived together as a couple outside the UK that could not be overcome\n\n- it would breach your human rights to stop you coming to the UK or make you leave\n\n## If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\nYou must prove that:\n\n- any previous marriages or civil partnerships have ended\n\n- you plan to marry or become civil partners within 6 months of arriving in the UK\n\nIf your wedding or civil ceremony has been delayed because of COVID-19, you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.\n\nYou will not be able to work during your engagement.\n\n## How long you can stay\n\nYou can stay in the UK for 2 years and 9 months on this visa. If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner, you can stay for 6 months.\n\nAfter this you\u2019ll need to apply to extend your stay.\n\n## If you extend or switch to this visa\n\nIf you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nHow you apply depends on whether you\u2019re in the UK or not.\n\n## Outside the UK\n\nYou must apply online from outside the UK.\n\n## In the UK\n\nYou must apply online in the UK.\n\n## If you cannot pay the fee\n\nFill in the online fee waiver request form as well if you cannot pay the fee because you:\n\n- do not have a place to live and cannot afford one\n\n- have a place to live but cannot afford essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Applying with your children\n\nYou can add children to your application as dependants if both of the following apply:\n\n- they are under 18 when you apply, or were under 18 when they were first granted leave\n\n- they do not live an independent life\n\nYour child is living an independent life if, for example, they\u2019ve left home, got married and had children.\n\n## When you can settle permanently\n\nThe earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a partner.\n\nYou cannot include time you\u2019ve spent in the UK:\n\n- on any other visa\n\n- as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\nThe rules are different if you applied before 9 July 2012.\n\n## If you applied before 9 July 2012\n\nYou can only extend your family visa if all the following are true:\n\n- you were given permission to stay in the UK as a partner before 9 July 2012\n\n- you are not eligible to settle in the UK\n\n- you have not been granted or refused another visa\n\nYou must also prove that:\n\n- you and your partner have enough money to financially support yourself and your dependants without relying on public funds\n\n- you have knowledge of English\n\n## Apply as a parent\n\nYou can apply to live in the UK to care for your child.\n\nIf you\u2019re eligible to apply as a partner, you must do that instead of applying as a parent.\n\nYour child must either:\n\n- be under 18 on the date you apply\n\n- have been under 18 when you were first granted leave and not live an independent life\n\nYour child is living an independent life if, for example, they\u2019ve left home, got married and had children.\n\nYour child must be living in the UK. One of the following must also be true:\n\n- they\u2019re a British or Irish citizen\n\n- they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- if you\u2019re applying in the UK, they must have lived in the UK for 7 years continuously and it would not be reasonable for them to leave\n\nIf your child has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Parental responsibility\n\nYou need to have sole or shared parental responsibility for your child.\n\nIf you share parental responsibility, the child\u2019s other parent must not be your partner. They must also either:\n\n- be a British or Irish citizen\n\n- have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\nIf the child lives with their other parent or carer, you must have access to the child in person, as agreed with the other parent or carer or by a court order.\n\n## What you\u2019ll need to prove\n\nYou must be able to prove that you\u2019re taking an active role in your child\u2019s upbringing and you plan to continue after you apply. For example you could provide letters from your child\u2019s:\n\n- school confirming you take them to school or go to parent evenings\n\n- doctor, dentist, or health visitor confirming that you take them to appointments\n\n- other parent confirming how much contact you have with your child\n\nIf you provide a letter from the other parent, you\u2019ll need to include proof of their identity. This should be an official document which has their signature on it, for example a copy of their passport, tax return or photocard driving licence.\n\n## English language and financial requirements\n\nYou must also prove you:\n\n- have a good knowledge of English\n\n- can financially support yourself without claiming public funds\n\nIf your child or any other dependants live with you, you must also prove you can financially support them without claiming public funds.\n\nIf you do not meet the English language and financial requirements you can still extend your permission to stay if:\n\n- your child in the UK is a British or Irish citizen or has lived in the UK for 7 years\n\n- it would be unreasonable for them to leave the UK\n\n## How long you can stay\n\nYou can stay in the UK for 2 years and 9 months on this visa. After this you\u2019ll need to apply to extend your stay.\n\nIf you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nHow you apply depends on whether you\u2019re in the UK or not.\n\n## Outside the UK\n\nYou must apply online outside the UK. You must also complete Appendix 5.\n\n## In the UK\n\nYou must apply online in the UK.\n\nIf you cannot afford to pay the fee, you must also apply online to waive the fee. You might not have to pay the fee if you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\nRead the guidance for parents before applying.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Applying with other children\n\nYou can add other children to your application as dependants if one of the following applies:\n\n- they are under 18 on the date you apply\n\n- they were under 18 when they were first granted leave on a family visa and do not live an independent life\n\n## When you can settle permanently\n\nThe earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a parent.\n\nYou cannot include time you\u2019ve spent in the UK on any other visa.\n\nThe rules are different if you applied before 9 July 2012.\n\n## Apply as a child\n\nYou can apply for a family visa to join your parent in the UK.\n\nYou may not need a family visa if at least one of your parents has indefinite leave to remain or proof of permanent residence. Check if you can apply to settle in the UK.\n\nIf your parent has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## You were born in the UK\n\nYou\u2019ll get the same permission to stay as your parent if you were born in the UK.\n\n## If you\u2019re under 18\n\nYou can either:\n\n- be added to your parent\u2019s next application as a dependant\n\n- apply separately\n\nTo apply separately, you\u2019ll need to know what kind of permission to stay in the UK (\u2018limited leave to remain\u2019) your parent has.\n\n## If you\u2019re over 18\n\nYour parent can only include you in their application as a dependant if you:\n\n- got permission to come to or stay in the UK (\u2018leave to enter or remain\u2019) on a family visa when you were under 18\n\n- do not live an independent life\n\n- are applying from inside the UK\n\nYou\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.\n\n## You were born outside the UK\n\nWhether you can apply depends on your age and how your parent applied.\n\n## If you\u2019re under 18\n\nYou must:\n\n- not be married, in a civil partnership or living an independent life\n\n- be financially supported without claiming public funds\n\nOne of your parents must also be applying or have applied for a visa or to extend their permission to stay as a:\n\n- partner - and the partner they\u2019re joining is your other parent\n\n- parent - and they have sole parental responsibility for you\n\nOtherwise, you might still be eligible to apply if there are serious reasons to let you come to, or stay in the UK and there are plans for your care.\n\n## If you\u2019re over 18\n\nYour parent can include you in their application as a dependant, or you can apply separately yourself. You can only apply if you:\n\n- got permission to stay in the UK (\u2018leave to remain\u2019) on a family visa when you were under 18\n\n- do not live an independent life\n\nYou\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.\n\nIf your parent cannot include you in their form and you\u2019re in the UK, you may be eligible to apply for Private Life in the UK (10-year route).\n\n## Apply from outside the UK\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\n## Apply at the same time as your parent\n\nWhich form you need to fill in depends on whether your parent is applying to enter the UK as the partner of one of the following:\n\n- a British or Irish citizen\n\n- a person with indefinite leave to remain\n\n- a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021\n\n- a person with a Turkish Businessperson visa or Turkish Worker visa\n\n- a person with refugee status or humanitarian protection\n\nIf they are applying as one of these, you must fill in the Appendix FM online form.\n\nIf they are not, you must fill in both:\n\n- the online application form\n\n- the Appendix 1 paper form\n\n## Apply separately\n\nWhich form you need to fill in depends on whether your parent has leave to enter or remain in the UK on a 5 or 10-year route to settlement as the partner of:\n\n- a British or Irish citizen\n\n- a person with indefinite leave to remain\n\n- a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021\n\n- a person with a Turkish Businessperson visa or Turkish Worker visa\n\n- a person with refugee status or humanitarian protection\n\nIf they do, you must fill in the Appendix FM online form.\n\nIf they do not, you must fill in both:\n\n- the online application form\n\n- the Appendix 1 paper form\n\n## Apply from the UK\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nIf you\u2019re already in the UK, you must apply online.\n\nFill in the online fee waiver request form as well if you cannot pay the fee because you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\nYou can also check if you\u2019re eligible for a different type of visa.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Apply as an adult coming to be cared for by a relative\n\nYou must be outside the UK to apply and need long-term care from a parent, grandchild, brother, sister, son or daughter who is living permanently in the UK.\n\nOne of the following must also apply to the relative:\n\n- they\u2019re a British or Irish citizen\n\n- they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- they have refugee status or humanitarian protection in the UK\n\nIf your family member has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.\n\nYou must prove all of the following:\n\n- you need long-term care to do everyday personal and household tasks because of illness, disability or your age\n\n- the care you need is not available or affordable in the country you live in\n\n- the person you\u2019ll be joining in the UK will be able to support, accommodate and care for you without claiming public funds for at least 5 years\n\n- you\u2019re 18 or over\n\n## How long you can stay for\n\nHow long you can stay depends on the status of your family member.\n\n## If your family member is British, Irish or settled in the UK\n\nYour stay is unlimited. You will not need to apply to extend or settle.\n\n## If your family member has pre-settled status\n\nThey must have started living in the UK before 1 January 2021. You can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.\n\n## If your family member has refugee status or humanitarian protection in the UK\n\nYou can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nYou must apply as an adult dependent relative online and complete Appendix 1.\n\n## Apply to extend your stay\n\nApply online to extend your stay in the UK.\n\n## Apply on the basis of your private life\n\nYou can only apply on the basis of your private life if you\u2019re already living in the UK.\n\nYou must be able to prove that you\u2019re:\n\n- under 18 and you\u2019ve lived in the UK continuously for at least 7 years, and it would be unreasonable to expect you to leave the UK\n\n- between 18 and 24 and you\u2019ve lived continuously in the UK for more than half your life\n\n- 18 or over, have spent less than 20 years in the UK and would have very significant problems living in the country you\u2019d have to go to - for example, you do not speak the language and could not learn it\n\n- 25 or over and you\u2019ve been in the UK continuously for 20 years\n\nYour family members can apply on the same application - you\u2019ll be considered separately.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## How to apply\n\nYou must apply online.\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\n## If you cannot pay the application fee\n\nFill in the online fee waiver request form as well if you cannot afford to pay the fee because you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\n## Get help using a computer to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\n## When you do not need to prove it\n\nYou do not need to prove your knowledge of English or take a test if one of the following is true:\n\n- you\u2019re applying as a child\n\n- you\u2019re applying as an adult coming to be cared for by a relative\n\n- you\u2019ve been in the UK on a family visa for 5 years and you\u2019re extending it as a partner or parent\n\n- you\u2019re over 65\n\n- you have a physical or mental condition that prevents you from meeting the requirement\n\nYou also will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## How to prove your knowledge of English\n\nYou can prove it with an academic qualification, or by taking a test.\n\n## Academic qualifications\n\nYou can prove your knowledge of English if you have a degree or academic qualification that was taught or researched in English.\n\nIf your qualification is from a UK university or college, you only need your degree certificate.\n\n## If your qualification is from a university or college outside the UK\n\nYou\u2019ll need to provide a certificate from Ecctis (formerly UK NARIC) to show that your qualification is equivalent to a UK bachelor\u2019s degree or higher and that it was taught in English.\n\nThere are 2 kinds of certificate:\n\n- a statement of comparability\n\n- a visa and nationality statement\n\nYou need a statement of comparability if you got your qualification from a university or college in one of these countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Ireland\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nIf you got your qualification from a university or college in any other country, you need a visa and nationality statement.\n\n## Take an approved English language test\n\nYou can prove your knowledge of English by passing an approved English language test.\n\nYou must pass at least level A1 on the Common European Framework of Reference for Languages (CEFR) scale for your first visa application. You can choose to take a higher level test.\n\nIf you pass level B1 level or higher, the test will be accepted if it\u2019s still on the list of approved English language tests when you apply for settlement after 5 years.\n\nIf you cannot take an English language test because of coronavirus (COVID-19), you might be able to apply for an exemption. Read the guidance for UK visa applicants and temporary UK residents.\n\n## If you want to settle permanently in the UK within 5 years\n\nYou may have to pass a higher CEFR level if you want to stay in the UK after 2.5 years. What you need to do depends on what CEFR level you passed for your first visa.\n\nIf you passed:\n\n- level A1 you\u2019ll need to pass level A2 in speaking and listening\n\n- level A2, B1, B2, C1 or C2 you can use the test again for your application if it\u2019s still on the list of approved English language tests\n\nIf you were given an exemption, you\u2019ll need to pass a test at level A1.\n\nRead the English language requirement: family members guidance.\n\n## Give proof of your income\n\nYou and your partner must have a combined income of at least \u00a318,600 a year if:\n\n- you\u2019re applying as a partner\n\n- you want to settle in the UK (get \u2018indefinite leave to remain\u2019) within 5 years\n\nYou must prove you have extra money if you have children who:\n\n- are not British or Irish citizens\n\n- do not have pre-settled status\n\n- are not permanently settled in the UK\n\nYou might not need to prove you have extra money if your children are citizens of the EU, Iceland, Liechtenstein, Norway or Switzerland and they do not have pre-settled status or are not permanently settled in the UK. Check the guidance in appendix FM 1.7: financial requirement for more information.\n\nIf you need to prove extra money for your children, you\u2019ll need to earn an extra:\n\n- \u00a33,800 for your first child\n\n- \u00a32,400 for each child you have after your first child\n\nThis is called the \u2018minimum income requirement\u2019.\n\nYou may be able to use your savings instead of income.\n\nHow you prove you have the money depends on how you got the income.\n\nIf you\u2019ve experienced a loss of income because of coronavirus (COVID-19), for example if you\u2019ve been furloughed or you\u2019re self employed, you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.\n\n## What counts as income\n\nYou and your partner can use:\n\n- income from employment before tax and National Insurance (check your P60 or payslips) - you can only use your own income if you earn it in the UK\n\n- income you earn from self-employment or as a director of a limited company in the UK - check your Self Assessment tax return\n\n- cash savings above \u00a316,000\n\n- money from a pension\n\n- non-work income, for example from property rentals or dividends\n\nIf you\u2019re using income from self-employment or employment, you\u2019ll need to prove you or your partner received that income for 6 months or more.\n\n## What proof you need to give\n\nYou\u2019ll need to provide proof of your income with your application. If you or your partner are employed, you could include:\n\n- bank statements showing you or your partner\u2019s income\n\n- 6 months of payslips\n\n- a letter from an employer, dated and on headed paper\n\nThe employer\u2019s letter should confirm:\n\n- you or your partner are employed there\n\n- the job title or position you or your partner hold\n\n- how long you or your partner have worked there\n\n- the type of contract (for example, permanent, fixed term)\n\n- what you or your partner earn before tax and National Insurance\n\n- how long you or your partner have been paid your current salary\n\n- the payslips are genuine\n\nYou\u2019ll be told exactly what documents to provide when you apply online.\n\nCheck the guidance in appendix FM 1.7: financial requirement if:\n\n- you or your partner\u2019s income is more complicated\n\n- you or your partner have taken maternity or paternity leave in the last 6 months\n\n- you want to combine different income sources\n\nThe detailed guidance also explains the evidence you need to provide for each of the types of income you\u2019re relying on.\n\n## If you cannot meet the minimum income requirement\n\nYou need to show you and your partner meet the minimum income requirement if you want to settle in 5 years as a partner.\n\nIf you do not meet the requirement, you may be able to settle in 10 years.\n\n## When you do not need to meet the income requirement\n\nYou may be able to settle in 5 years without meeting the minimum income requirement if either:\n\n- you\u2019re applying as a parent\n\n- you get certain benefits, for example Disability Living Allowance or Carer\u2019s Allowance.\n\nYou need to show you and your family have enough money to adequately support and accommodate yourselves without relying on public funds. The caseworker considers your income and housing costs.\n\nCheck the guidance in appendix FM 1.7: financial requirement for more information\n\n## Information you must provide\n\nYou\u2019ll need to have information and some evidence ready when you make your application. Include information for you and any dependants applying at the same time.\n\nYou\u2019ll need to provide:\n\n- all your names\n\n- your date of birth\n\n- your current passport or other valid travel ID\n\n- copies of the photo page and any visa or entry stamps in your previous passports\n\n- a copy of your biometric residence permit, if you have one\n\n- details of any previous immigration applications you\u2019ve made\n\n- details of any criminal convictions\n\n- your national insurance number, if you have one\n\n- your parents\u2019 date of birth and nationality if you\u2019re applying from outside the UK\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a certified translation of any document that is not in English or Welsh\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa if you\u2019re applying outside the UK.\n\nYou\u2019ll need an email address to make an online application.\n\nYou\u2019ll also need to:\n\n- give proof of your finances\n\n- prove your knowledge of English\n\nYou may need to provide additional documents depending on your circumstances - for example a sponsorship form from your family member in the UK.\n\nYou\u2019ll be told how to provide your documents when you apply.\n\nIf you\u2019re unable to provide specified documents because of coronavirus (COVID-19), you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Your partner\u2019s details\n\nIf you have a partner, you\u2019ll be asked about their:\n\n- name\n\n- date of birth\n\n- nationality\n\n- passport\n\n- right to be in the UK, for example they\u2019re a British citizen\n\nYou\u2019ll also need to give details of:\n\n- any people your partner was previously married to, in a civil partnership with or had children with\n\n- evidence of marriages ending, for example a divorce certificate\n\n- anyone your partner supports with money, for example their parents\n\n## Proof of relationship\n\nIf you\u2019re applying as a spouse or partner, you\u2019ll be asked about:\n\n- your relationship with your partner, for example how you met and how often you see each other\n\n- how long you\u2019ve lived together - you\u2019ll need to provide proof like council tax bills\n\n- things you pay for together\n\n- whether you\u2019re your partner\u2019s carer\n\n## Your previous partners\n\nYou\u2019ll need to include details of anyone you previously married or had children with. Include evidence of marriages ending, for example a divorce certificate.\n\n## Children\n\nYou\u2019ll need to give details of your children (and your partner\u2019s children if you have one). You\u2019ll be asked about all children, even if they\u2019re not applying.\n\nYou\u2019ll need to give details of:\n\n- their name\n\n- their nationality\n\n- their date of birth\n\n- their passport details\n\n- who the child normally lives with\n\n- any other people with parental responsibility for your child, for example your step children\u2019s other parents\n\n- how you\u2019re involved in their day to day life\n\n- arrangements you have to see the child - for example the courts have granted you access\n\n- the child\u2019s extended family\n\n- any countries your child has visited or lived in\n\n## Your life outside the UK\n\nYou\u2019ll need to give details of:\n\n- countries outside the UK you\u2019ve lived in and visited\n\n- family and friends in the countries where you were born or have nationality\n\n## After you apply\n\nYou\u2019ll need to attend an appointment to provide your biometric information (fingerprints and a photo). You\u2019ll be told how to make an appointment when you apply.\n\n## Getting your documents back\n\nYou can ask for your passport and other documents to be returned if you\u2019ve provided them with your application but need them urgently.\n\nYou might have to cancel your application to get your documents back.\n\n## If your application is approved\n\nYou\u2019ll get a biometric residence permit.\n\nYou can:\n\n- work\n\n- study\n\nYou cannot work or study if you\u2019re applying for a visa or extending your stay to get married or become civil partners.\n\nYou cannot:\n\n- usually get benefits or other public funds for you or your dependants\n\n- apply to settle in the UK until you\u2019re eligible", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/uk-family-visa", + "answerable": true, + "scenario": "My 71 year old father is coming to live with me for 6 months in the UK. He does not speak English very well. I heard that a test is needed to be done.", + "original_question": "Will my father need to prove he can speak English?" + }, + { + "id": "train-1942", + "question": "Scenario: I am a 37 year old planning on visiting the UK for 6 weeks. I have \u00a310,000 in savings and a valid passport.\n\nQuestion: Am I eligible for a Permitted Paid Engagement visa?\n\nDocument - Permitted Paid Engagement visa:\n## Overview\n\nYou may be able to visit the UK for a paid engagement if you\u2019ve been invited as an expert in your profession.\n\nYou can apply for a Permitted Paid Engagement visa if you:\n\n- are invited by a UK-based organisation or client\n\n- want to come to the UK to do specific paid work without having to be sponsored under the points-based visa system\n\n- meet the other eligibility requirements\n\nYou may not have to apply for a visa. What you need to do depends on your nationality.\n\nCheck if you need to apply for a UK visa.\n\n## What you can and cannot do\n\nYou can be invited by a UK-based organisation or client to:\n\n- be a student examiner or assessor\n\n- take part in selection panels as a highly qualified academic if you\u2019re invited by an education, arts or research organisation\n\n- give lectures at a higher education institution, as long as it\u2019s not a part-time or full-time role\n\n- examine UK-based pilots so they meet the standards of the country you come from if you\u2019re invited by an approved UK training organisation regulated by the UK Civil Aviation Authority\n\n- provide advocacy in a particular area of law\n\n- take part in arts, entertainment or sporting activities including broadcasting\n\n- take part in fashion modelling assignments\n\nYou can also do minor activities related to your work or business overseas, such as attend meetings.\n\nYou cannot:\n\n- do paid work unrelated to your main job or area of expertise at home, other than what\u2019s allowed by your visa\n\n- extend this visa or switch to another visa\n\n- live in the UK for extended periods\n\n- get public funds (benefits)\n\n- study\n\n- marry or register a civil partnership, or give notice of marriage or civil partnership\n\n- bring family members (\u2018dependants\u2019) with you on your application - they must apply separately\n\nRead the guidance for more information about what you can and cannot do with a Permitted Paid Engagement visa.\n\n## How long you can stay\n\nYou can stay in the UK for up to 1 month.\n\n## When to apply and how long it takes\n\nIf you need a visa, you must apply online before you come to the UK.\n\nAs part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your \napplication.\n\nThe earliest you can apply is 3 months before you travel.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## Fees\n\nA Permitted Paid Engagement visa costs \u00a395.\n\n## Eligibility\n\nYou must show that:\n\n- you\u2019re 18 or over\n\n- you\u2019re visiting the UK for no more than 1 month\n\n- you\u2019ve been formally invited and paid by a UK-based organisation to attend an event or other permitted engagement\n\n- you\u2019ll leave the UK at the end of your visit\n\n- you will not live in the UK for extended periods through frequent or successive visits, or make the UK your main home\n\n- you\u2019re able to support yourself during your trip (or have funding from someone else to support you)\n\n- you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)\n\n- you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules\n\n## Documents you'll need\n\nWhen you apply you must provide:\n\n- a current passport or other valid travel document - your passport must have a blank page for your visa\n\n- a formal invitation from the UK-based organisation or client you\u2019ll be paid by\n\n- proof that the paid engagement relates to your expertise, qualifications and main job in your home country, for example a letter from your employer\n\nSee the full list of documents you can provide to prove your eligibility.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## Additional documents\n\nYou must provide extra documents if you\u2019re an established arts, entertainment or sporting professional. You can provide any of the following:\n\n- publications\n\n- publicity material\n\n- proof of awards\n\n- media coverage and reviews\n\n- proof of recent performances\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nIf you need a visa, you must apply online before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\n## Apply for a Permitted Paid Engagement visa\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Apply with family members\n\nEach family member must make their own application and pay the fee.\n\nYou can apply on behalf of your partner and child, if they cannot apply for themselves.\n\nThey must attend their own appointment at a visa application centre.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "answerable": true, + "scenario": "I am a 37 year old planning on visiting the UK for 6 weeks. I have \u00a310,000 in savings and a valid passport.", + "original_question": "Am I eligible for a Permitted Paid Engagement visa?" + }, + { + "id": "train-1943", + "question": "Scenario: i've been invited to the UK for 3 weeks. I'm 33 and my younger brother would love to join me. he's never been to the UK before and it would be lovely for him.\n\nQuestion: Can I bring my brother along with my application?\n\nDocument - Permitted Paid Engagement visa:\n## Overview\n\nYou may be able to visit the UK for a paid engagement if you\u2019ve been invited as an expert in your profession.\n\nYou can apply for a Permitted Paid Engagement visa if you:\n\n- are invited by a UK-based organisation or client\n\n- want to come to the UK to do specific paid work without having to be sponsored under the points-based visa system\n\n- meet the other eligibility requirements\n\nYou may not have to apply for a visa. What you need to do depends on your nationality.\n\nCheck if you need to apply for a UK visa.\n\n## What you can and cannot do\n\nYou can be invited by a UK-based organisation or client to:\n\n- be a student examiner or assessor\n\n- take part in selection panels as a highly qualified academic if you\u2019re invited by an education, arts or research organisation\n\n- give lectures at a higher education institution, as long as it\u2019s not a part-time or full-time role\n\n- examine UK-based pilots so they meet the standards of the country you come from if you\u2019re invited by an approved UK training organisation regulated by the UK Civil Aviation Authority\n\n- provide advocacy in a particular area of law\n\n- take part in arts, entertainment or sporting activities including broadcasting\n\n- take part in fashion modelling assignments\n\nYou can also do minor activities related to your work or business overseas, such as attend meetings.\n\nYou cannot:\n\n- do paid work unrelated to your main job or area of expertise at home, other than what\u2019s allowed by your visa\n\n- extend this visa or switch to another visa\n\n- live in the UK for extended periods\n\n- get public funds (benefits)\n\n- study\n\n- marry or register a civil partnership, or give notice of marriage or civil partnership\n\n- bring family members (\u2018dependants\u2019) with you on your application - they must apply separately\n\nRead the guidance for more information about what you can and cannot do with a Permitted Paid Engagement visa.\n\n## How long you can stay\n\nYou can stay in the UK for up to 1 month.\n\n## When to apply and how long it takes\n\nIf you need a visa, you must apply online before you come to the UK.\n\nAs part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your \napplication.\n\nThe earliest you can apply is 3 months before you travel.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## Fees\n\nA Permitted Paid Engagement visa costs \u00a395.\n\n## Eligibility\n\nYou must show that:\n\n- you\u2019re 18 or over\n\n- you\u2019re visiting the UK for no more than 1 month\n\n- you\u2019ve been formally invited and paid by a UK-based organisation to attend an event or other permitted engagement\n\n- you\u2019ll leave the UK at the end of your visit\n\n- you will not live in the UK for extended periods through frequent or successive visits, or make the UK your main home\n\n- you\u2019re able to support yourself during your trip (or have funding from someone else to support you)\n\n- you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)\n\n- you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules\n\n## Documents you'll need\n\nWhen you apply you must provide:\n\n- a current passport or other valid travel document - your passport must have a blank page for your visa\n\n- a formal invitation from the UK-based organisation or client you\u2019ll be paid by\n\n- proof that the paid engagement relates to your expertise, qualifications and main job in your home country, for example a letter from your employer\n\nSee the full list of documents you can provide to prove your eligibility.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## Additional documents\n\nYou must provide extra documents if you\u2019re an established arts, entertainment or sporting professional. You can provide any of the following:\n\n- publications\n\n- publicity material\n\n- proof of awards\n\n- media coverage and reviews\n\n- proof of recent performances\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nIf you need a visa, you must apply online before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\n## Apply for a Permitted Paid Engagement visa\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Apply with family members\n\nEach family member must make their own application and pay the fee.\n\nYou can apply on behalf of your partner and child, if they cannot apply for themselves.\n\nThey must attend their own appointment at a visa application centre.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "answerable": true, + "scenario": "i've been invited to the UK for 3 weeks. I'm 33 and my younger brother would love to join me. he's never been to the UK before and it would be lovely for him.", + "original_question": "Can I bring my brother along with my application?" + }, + { + "id": "train-1944", + "question": "Scenario: I am a US citizen and my nine year old son has been offered a place at an Independent school in the UK. I am willing to spend a year in th UK with him. We are financially solvent.\n\nQuestion: My child has a visa already but I need a parent of child visa. Am I eligible?\n\nDocument - Parent of a Child Student visa:\n## Who can apply\n\nYou can only apply for a Parent of a Child Student visa if your child has or is applying for a Child Student visa. Or if they currently have a Tier 4 (Child) visa.\n\nYour child must be aged between 4 and 11 when you apply, and be attending an independent school in the UK.\n\nYou must also:\n\n- be the only parent accompanying your child in the UK\n\n- have enough money to support yourself and your child in the UK\n\n- maintain your main home outside the UK\n\n- plan to leave the UK when your visa expires\n\n## Bringing family members with you\n\nTo be eligible for a Parent of a Child Student visa you must be the only parent accompanying your child in the UK. The child\u2019s other parent must live abroad, and cannot apply to join you in the UK.\n\nYou can bring your other children with you if they also have or are applying for a Child Student visa.\n\nYou cannot bring other family members with you on this visa. They may be able to apply to come to the UK on a short-term visit visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to come to the UK for more than 6 months. The earliest your Parent of a Child Student visa will start from is 1 January 2021.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long you can stay\n\nYou can stay in the UK until your child\u2019s visa expires or they turn 12, whichever happens first.\n\nYou can extend your visa while in the UK as long as you meet the eligibility requirements.\n\n## If you leave the UK\n\nIf your child is staying in education in the UK without you, you must make arrangements for their ongoing care. For example, if your child turns 12 and their visa is still valid, they may be able to start boarding at their current school, or live with other family members in the UK.\n\n## What you cannot do\n\nWhile you\u2019re in the UK on a Parent of a Child Student visa, you cannot:\n\n- do paid work\n\n- study\n\n- start a business\n\n- make the UK your main home\n\n- apply for benefits (public funds), or the State Pension\n\n- bring other family members with you\n\n- switch to a different type of visa\n\n## Money you need\n\nWhen you apply for a Parent of a Child Student visa, you must:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove that you have enough money to support yourself and your child while you\u2019re in the UK\n\n## Visa application fee\n\nA Parent of a Child Student visa costs \u00a3516.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3624 per year.\n\nThis is so you can use the National Health Service (NHS) in the UK.\n\nCheck how much you\u2019ll need to pay before you apply.\n\nYou pay the surcharge as part of your online visa application.\n\n## Money to support yourself and your child\n\nYou\u2019ll need to show that you have enough money to support yourself and your child in the UK.\n\nYou\u2019ll need \u00a31,560 for each month of your stay up to a maximum of 9 months. This amount is to support both you and your child.\n\nFor example, if you\u2019re staying for 9 months or longer you\u2019ll need to prove you have \u00a314,040 (9 months \u00d7 \u00a31,560).\n\n## If you want to bring your other children\n\nYou\u2019ll need an extra \u00a3625 per month, up to a maximum of 9 months, for each additional child that accompanies you to the UK. They must be a sibling of your other child and also have a Child Student visa.\n\n## If you\u2019re extending your visa\n\nIf you\u2019ve been in the UK for at least 12 months on a valid visa, you do not need to prove you have money to support yourself and your child for your visa application.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel document\n\n- proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa\n\n- evidence that you have a permanent home outside the UK\n\nDepending on your circumstances, you might also need to provide:\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test\n\n- a certified translation of any documents that are not in English or Welsh\n\n## Apply from outside the UK\n\nYou must apply online for a Parent of a Child Student visa before you travel to the UK.\n\nThe earliest you can apply is 6 months before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Apply online\n\nAs part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\nYou\u2019ll be told what you need to do when you apply.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply online\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nYou may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\n## Extend your visa\n\nYou can apply to extend your visa while in the UK as long as you and your child meet the eligibility requirements. This includes if your child currently has a Tier 4 (Child) student visa.\n\n## How long you can stay\n\nWhen you extend your visa you can stay in the UK until the date your child\u2019s student visa expires or they turn 12, whichever happens first.\n\n## When to apply to extend your visa\n\nYou must apply before your current visa expires.\n\nYou can stay in the UK until you get a decision on your visa application.\n\n## Apply to extend your visa\n\nYou must apply online.\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point. At the appointment you must provide your biometric information (your fingerprints and a photo). It costs \u00a319.20.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply to extend\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 8 weeks.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\nYou can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\nIf you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "answerable": true, + "scenario": "I am a US citizen and my nine year old son has been offered a place at an Independent school in the UK. I am willing to spend a year in th UK with him. We are financially solvent.", + "original_question": "My child has a visa already but I need a parent of child visa. Am I eligible?" + }, + { + "id": "train-1950", + "question": "Scenario: I am 30 and currently live in the UK with a Youth Mobility Scheme visa. I will be turning to 31 in the next month and I am wondering if I will have to leave the country. My visa won't expire until next year.\n\nQuestion: Do I need to leave the country before I turning to 31?\n\nDocument - Youth Mobility Scheme visa (T5):\n## Overview\n\nYou can apply for a Youth Mobility Scheme visa (T5) if you:\n\n- want to live and work in the UK for up to 2 years\n\n- are aged 18 to 30\n\n- have \u00a32,530 in savings\n\n- have certain types of British Nationality or are from certain countries or territories\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Youth Mobility Scheme) visa.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 6 months before you travel.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Fees\n\nIt costs \u00a3244 to apply.\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## How long you can stay\n\nYou\u2019ll be given a visa to live and work in the UK for up to 24 months.\n\nYou can enter the UK at any time while your visa is valid, and leave and come back at any time during your stay.\n\nIf you turn 31 while you\u2019re in the UK, you can stay for as long as your visa is valid.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work in most jobs\n\n- be self-employed and set up a company - as long as your premises are rented, your equipment is not worth more than \u00a35,000 and you do not have any employees\n\nYou cannot:\n\n- work as a professional sportsperson (for example as a coach)\n\n- extend your stay\n\n- get public funds\n\n- bring in family members on your application - they must apply separately\n\n## Eligibility\n\nYou can apply for a Youth Mobility Scheme visa (T5) if you\u2019re aged 18 to 30 and you\u2019re from:\n\n- Australia\n\n- Canada\n\n- Monaco\n\n- New Zealand\n\n- San Marino\n\nYou must be selected in the Youth Mobility Scheme ballot before you can apply for your visa if you\u2019re from:\n\n- Hong Kong\n\n- Japan\n\n- South Korea\n\n- Taiwan\n\nYou must also be aged 18 to 30 on the date you apply for your visa.\n\nYou can also apply if you\u2019re 18 to 30 and a:\n\n- British overseas citizen\n\n- British overseas territories citizen\n\n- British national (overseas)\n\nYou cannot apply if you have:\n\n- children under the age of 18 who live with you\n\n- children you\u2019re financially responsible for\n\n- already been in the UK under the scheme\n\n## Money to support yourself\n\nYou must have at least \u00a32,530 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll need to show proof of this when you apply.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- a bank statement showing you have at least \u00a32,530 in savings\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the Youth Mobility Scheme guidance before you apply.\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\nIf you\u2019re from Hong Kong, Japan, South Korea or Taiwan, you must be successfully selected in the Youth Mobility Scheme ballot before you can apply for your visa.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## If you have a child while you\u2019re in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/youth-mobility", + "answerable": true, + "scenario": "I am 30 and currently live in the UK with a Youth Mobility Scheme visa. I will be turning to 31 in the next month and I am wondering if I will have to leave the country. My visa won't expire until next year.", + "original_question": "Do I need to leave the country before I turning to 31?" + }, + { + "id": "train-1951", + "question": "Scenario: I am 26 and planning on applying for a start-up visa for my new business in the UK. I speak fluent English. I have a valid passport but all the pages are full.\n\nQuestion: Can I use my current passport for my application?\n\nDocument - Start-up visa:\n## Overview\n\nYou can apply for a Start-up visa if:\n\n- you want to set up an innovative business in the UK - it must be something that\u2019s different from anything else on the market\n\n- you meet the other eligibility requirements\n\n## If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Eligibility\n\nYou must be endorsed by an authorised body that is either:\n\n- a UK higher education institution\n\n- a business organisation with a history of supporting UK entrepreneurs\n\nYou must be able to show that your business idea is:\n\n- a new idea - you cannot join in a business that is already trading\n\n- innovative - you must have an original business idea which is different from anything else on the market\n\n- viable - it has potential for growth\n\n## If you\u2019re not eligible for a Start-up visa\n\nYou may be eligible for another type of visa to work in the UK.\n\n## How long you can stay\n\nYou can stay for 2 years if you either:\n\n- come to the UK on a Start-up visa\n\n- switch to this visa from another visa while in the UK\n\n## If you want to stay longer in the UK\n\nYou cannot apply to extend this visa.\n\nYou may be able to switch to an Innovator visa if you set up a business while on a Start-up visa and:\n\n- your endorsing body assessed and agreed it\n\n- it is active, trading and sustainable\n\n- you have day to day involvement in it\n\n## If your endorsement is withdrawn\n\nYour visa may be cut short if your endorsement is withdrawn by the endorsing body. If you want to stay longer, you must re-apply with a new endorsement before your current visa expires.\n\nYou can only stay for a total of 2 years even if you\u2019re granted a new visa with a new endorsement.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and switching from a different visa\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## Fees\n\nHow much you pay for a Start-up visa depends on your situation and where you apply from.\n\n| Who you\u2019re applying for | Apply (outside the UK) | Switch (in the UK) |\n\n| Yourself | \u00a3363 | \u00a3493 |\n\n| Your partner and children | \u00a3363 each person | \u00a3493 each person |\n\nYou must pay the visa fee for each person that applies at the same time as you or applies later to join you in the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to switch in the UK\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## What you can and cannot do\n\nWith a Start-up visa you can:\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- work in another job, as well as working for your business\n\n- travel abroad and return to the UK\n\nYou can also switch to this visa from some other visa categories.\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- work as a professional sportsperson, for example a sports coach\n\n- settle in the UK on this visa\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Start-up visa.\n\n## Eligibility\n\nBefore you apply you need to have your business or business idea assessed by an endorsing body.\n\nThey will provide you with an endorsement letter if your business is viable.\n\nYou must also:\n\n- be at least 18 years old\n\n- meet the English language requirement\n\n- be able to prove that you have enough personal savings to support yourself while you\u2019re in the UK\n\nRead the specific requirements for the Start-up visa before you apply.\n\n## Supporting yourself\n\nYou need to have had at least \u00a31270 in your bank account for 28 consecutive days before you apply, or if you\u2019ve been in the UK for less than a year and applying to switch to this visa.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## Knowledge of English\n\nYou\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English gained through study at a UK school that you began when you were under 18\n\n- having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## Documents you'll need to apply\n\nWhen you apply you need to provide an \u2018endorsement letter\u2019 to show that an endorsing body has assessed your business.\n\nYou\u2019ll also need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- bank statements showing you\u2019ve had at least \u00a31270 in savings in your bank account for 28 consecutive days before you apply\n\n- proof that you meet the English language requirement\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\nYou\u2019ll need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nYou must apply online for a Start-up visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for a Start-up visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must each have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nIn addition to the \u00a31,270 you must have to support yourself, you - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou\u2019ll need to have had the money in your bank account or your dependant\u2019s bank account for at least 28 days before you or they apply.\n\nYou\u2019ll usually need to show proof of this when you apply, unless you or they are applying from inside the UK and you\u2019ve been here for 1 year or more.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as a partner\n\n- apply online as a child\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre. This is to get a biometric residence permit, which they\u2019ll need to collect within 10 days of when they said they\u2019d arrive in the UK.\n\n## Apply from inside the UK (switch)\n\nApply for your partner or child\u2019s visa at the same time as you switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children will not be able to apply to switch to a Start-up visa if they are currently in the UK in one of the following circumstances:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and child must apply online to either:\n\n- switch to a Start-up visa as your partner\n\n- switch to a Start-up visa as your child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## Getting a faster decision\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to a Start-up visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or children will need to apply separately.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply to switch to this visa if you meet the eligibility requirements.\n\n## Who cannot apply to switch to this visa\n\nYou cannot switch to this visa if you have one of the following:\n\n- a visit visa\n\n- a short-term student visa\n\n- a Parent of a Child Student visa\n\n- a seasonal worker visa\n\n- a domestic worker in a private household visa\n\n- immigration bail\n\n- permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and make your application from abroad if you\u2019re here on a different type of visa.\n\n## How long you can stay\n\nYou can stay in the UK for 2 years on a Start-up visa. Any time you\u2019ve already spent in the UK on a Tier 1 (Graduate Entrepreneur) visa counts as part of the 2 years.\n\n## How much it costs\n\nCheck the visa application fees.\n\nIf you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply to switch to a Start-up visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/start-up-visa", + "answerable": true, + "scenario": "I am 26 and planning on applying for a start-up visa for my new business in the UK. I speak fluent English. I have a valid passport but all the pages are full.", + "original_question": "Can I use my current passport for my application?" + }, + { + "id": "train-1952", + "question": "Scenario: I'm a 32 year old Australian looking to apply for a start-up visa in the UK. I have \u00a33500 in my account and it has been there for 26 consecutive days.\n\nQuestion: Can i apply for my visa yet?\n\nDocument - Start-up visa:\n## Overview\n\nYou can apply for a Start-up visa if:\n\n- you want to set up an innovative business in the UK - it must be something that\u2019s different from anything else on the market\n\n- you meet the other eligibility requirements\n\n## If you\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Eligibility\n\nYou must be endorsed by an authorised body that is either:\n\n- a UK higher education institution\n\n- a business organisation with a history of supporting UK entrepreneurs\n\nYou must be able to show that your business idea is:\n\n- a new idea - you cannot join in a business that is already trading\n\n- innovative - you must have an original business idea which is different from anything else on the market\n\n- viable - it has potential for growth\n\n## If you\u2019re not eligible for a Start-up visa\n\nYou may be eligible for another type of visa to work in the UK.\n\n## How long you can stay\n\nYou can stay for 2 years if you either:\n\n- come to the UK on a Start-up visa\n\n- switch to this visa from another visa while in the UK\n\n## If you want to stay longer in the UK\n\nYou cannot apply to extend this visa.\n\nYou may be able to switch to an Innovator visa if you set up a business while on a Start-up visa and:\n\n- your endorsing body assessed and agreed it\n\n- it is active, trading and sustainable\n\n- you have day to day involvement in it\n\n## If your endorsement is withdrawn\n\nYour visa may be cut short if your endorsement is withdrawn by the endorsing body. If you want to stay longer, you must re-apply with a new endorsement before your current visa expires.\n\nYou can only stay for a total of 2 years even if you\u2019re granted a new visa with a new endorsement.\n\n## How to apply\n\nYou must apply online.\n\nHow you apply depends on whether you\u2019re:\n\n- outside the UK and are coming to the UK\n\n- inside the UK and switching from a different visa\n\nYou can include your partner and children in your application to stay in the UK if they are eligible.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\n\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within:\n\n- 3 weeks, if you\u2019re outside the UK\n\n- 8 weeks, if you\u2019re inside the UK\n\nIf you need to go to an appointment, you may be able to pay for a faster decision. How you do this depends on whether you\u2019re outside the UK or inside the UK.\n\n## Fees\n\nHow much you pay for a Start-up visa depends on your situation and where you apply from.\n\n| Who you\u2019re applying for | Apply (outside the UK) | Switch (in the UK) |\n\n| Yourself | \u00a3363 | \u00a3493 |\n\n| Your partner and children | \u00a3363 each person | \u00a3493 each person |\n\nYou must pay the visa fee for each person that applies at the same time as you or applies later to join you in the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application.\n\nCheck how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to switch in the UK\n\nYou may need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## What you can and cannot do\n\nWith a Start-up visa you can:\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\n- work in another job, as well as working for your business\n\n- travel abroad and return to the UK\n\nYou can also switch to this visa from some other visa categories.\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- work as a professional sportsperson, for example a sports coach\n\n- settle in the UK on this visa\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Start-up visa.\n\n## Eligibility\n\nBefore you apply you need to have your business or business idea assessed by an endorsing body.\n\nThey will provide you with an endorsement letter if your business is viable.\n\nYou must also:\n\n- be at least 18 years old\n\n- meet the English language requirement\n\n- be able to prove that you have enough personal savings to support yourself while you\u2019re in the UK\n\nRead the specific requirements for the Start-up visa before you apply.\n\n## Supporting yourself\n\nYou need to have had at least \u00a31270 in your bank account for 28 consecutive days before you apply, or if you\u2019ve been in the UK for less than a year and applying to switch to this visa.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## Knowledge of English\n\nYou\u2019ll usually need to prove your knowledge of the English language when you apply, unless you did this in a previous successful visa application.\n\n## Level of English\n\nYou must prove you can read, write, speak and understand English to a level B2 on the Common European Framework of Reference for Languages (CEFR) scale.\n\nYou can prove your knowledge of English by:\n\n- passing a Secure English Language Test (SELT) from an approved provider\n\n- having a GCSE, A level, Scottish National Qualification level 4 or 5, Scottish Higher or Advanced Higher in English gained through study at a UK school that you began when you were under 18\n\n- having a degree-level academic qualification that was taught in English - if you studied abroad, you\u2019ll need to apply for confirmation through Ecctis (formerly UK NARIC) that your qualification is equivalent to a UK bachelor\u2019s degree, master\u2019s degree or PhD\n\n## Who does not need to prove their knowledge of English\n\nYou do not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## Documents you'll need to apply\n\nWhen you apply you need to provide an \u2018endorsement letter\u2019 to show that an endorsing body has assessed your business.\n\nYou\u2019ll also need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- bank statements showing you\u2019ve had at least \u00a31270 in savings in your bank account for 28 consecutive days before you apply\n\n- proof that you meet the English language requirement\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\nIf your documents are not in English or Welsh you\u2019ll also need to provide a certified translation.\n\nYou\u2019ll need a blank page in your passport for your visa if you\u2019re:\n\n- from outside the EU, Switzerland, Norway, Iceland or Liechtenstein\n\n- from the EU, Switzerland, Norway, Iceland or Liechtenstein but do not have a biometric passport with a chip in it\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nYou must apply online for a Start-up visa.\n\nCheck which documents you\u2019ll need to apply.\n\nYour partner or children will need to apply separately.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply for a Start-up visa\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide 2 of the following documents confirming their address:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must each have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nIn addition to the \u00a31,270 you must have to support yourself, you - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou\u2019ll need to have had the money in your bank account or your dependant\u2019s bank account for at least 28 days before you or they apply.\n\nYou\u2019ll usually need to show proof of this when you apply, unless you or they are applying from inside the UK and you\u2019ve been here for 1 year or more.\n\n## Apply from outside the UK\n\nYour partner and children must either:\n\n- apply online as a partner\n\n- apply online as a child\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll need to have their fingerprints and photograph taken at a visa application centre. This is to get a biometric residence permit, which they\u2019ll need to collect within 10 days of when they said they\u2019d arrive in the UK.\n\n## Apply from inside the UK (switch)\n\nApply for your partner or child\u2019s visa at the same time as you switch your own visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children will not be able to apply to switch to a Start-up visa if they are currently in the UK in one of the following circumstances:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and child must apply online to either:\n\n- switch to a Start-up visa as your partner\n\n- switch to a Start-up visa as your child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, they\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide their biometric information (fingerprints and a photo).\n\nThey\u2019ll also need to submit their supporting documents. They can:\n\n- upload them into the online service\n\n- have them scanned at their UKVCAS appointment\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## Getting a faster decision\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Switch to this visa\n\nYou might be able to apply to change (\u2018switch\u2019) to a Start-up visa if you\u2019re already in the UK on a different type of visa.\n\nYour partner or children will need to apply separately.\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply to switch to this visa if you meet the eligibility requirements.\n\n## Who cannot apply to switch to this visa\n\nYou cannot switch to this visa if you have one of the following:\n\n- a visit visa\n\n- a short-term student visa\n\n- a Parent of a Child Student visa\n\n- a seasonal worker visa\n\n- a domestic worker in a private household visa\n\n- immigration bail\n\n- permission to stay outside the immigration rules, for example on compassionate grounds\n\nYou must leave the UK and make your application from abroad if you\u2019re here on a different type of visa.\n\n## How long you can stay\n\nYou can stay in the UK for 2 years on a Start-up visa. Any time you\u2019ve already spent in the UK on a Tier 1 (Graduate Entrepreneur) visa counts as part of the 2 years.\n\n## How much it costs\n\nCheck the visa application fees.\n\nIf you\u2019ve been in the UK for less than 1 year, you\u2019ll also need to prove you have enough money to support yourself.\n\n## Proving your identity and supplying supporting documents\n\nAs part of your application, you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and what type of passport you have.\n\nYou\u2019ll either:\n\n- have your fingerprints and photograph taken at a visa application centre - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign into your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\nIf you do need an appointment:\n\n- the centre may need to keep your passport and documents while they process your application\n\n- you may have to travel to get to your nearest visa application centre (this could be in another country)\n\n## Apply to switch to a Start-up visa\n\nYou must apply online.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nStart now\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision within 3 weeks.\n\nYou\u2019ll be contacted if your application will take longer, for example:\n\n- if you\u2019re applying with a family member who needs an appointment but you do not\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\nIf you\u2019ve applied through a visa application centre, find out if you can pay to get a faster decision - this depends on where you\u2019re applying from.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\nOnce you\u2019ve applied you can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/start-up-visa", + "answerable": true, + "scenario": "I'm a 32 year old Australian looking to apply for a start-up visa in the UK. I have \u00a33500 in my account and it has been there for 26 consecutive days.", + "original_question": "Can i apply for my visa yet?" + }, + { + "id": "train-1955", + "question": "Scenario: I am a musician, who is well known for his game music. I am looking to move to the UK to work for a video game's company. I have \u00a312,000 in savings, and I will be earning \u00a340,000 for the five months of work.\n\nQuestion: Will I be eligible for a Creative and Sporting visa?\n\nDocument - Temporary Worker - Creative and Sporting visa (T5):\n## Overview\n\nYou must apply for a Temporary Worker - Creative and Sporting visa (T5) if:\n\n- you\u2019ve been offered work in the UK as a sports person or creative worker\n\n- you meet the other eligibility requirements\n\nA creative worker is someone who works in the creative industry, for example an actor, dancer, musician or film crew member.\n\nThis visa has replaced the Tier 5 (Temporary Worker - Creative and Sporting) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed employer before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to the work of your sponsor organisation.\n\n## How long it takes\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can come to the UK for a maximum of up to 12 months, or the time given in your certificate of sponsorship plus up to 28 days, whichever is shorter.\n\nYou may be able to extend your visa.\n\nYour stay must start no more than 14 days before the start date on your certificate of sponsorship.\n\nIf you intend to work in the UK for 3 months or less, you may be able to use the Temporary Worker - Creative and Sporting visa (T5) concession instead of applying for the visa.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n## Eligibility\n\nYour eligibility for a Temporary Worker - Creative and Sporting visa (T5) depends on whether you\u2019re a sports person or a creative worker.\n\n## Sports person\n\nYou need to make a significant contribution to your sport at the highest level in the UK to be eligible for this visa.\n\nYou\u2019ll also need all of the following:\n\n- a certificate of sponsorship reference number\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Creative worker\n\nYou need all of the following to be eligible for the creative category:\n\n- make a unique contribution to the UK labour market, for example you\u2019re internationally renowned or are required for continuity\n\n- certificate of sponsorship reference number\n\n- be paid the minimum salary as set by Equity, PACT or BECTU (except for models, musicians or circuses)\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nYou need a licensed sponsor to give you a certificate of sponsorship before you can apply to work in the UK.\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example how much you\u2019ll be paid.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\nChanging your sponsor does not change how long you can stay in the UK. You can only stay the maximum length of time allowed by this visa.\n\n## Multiple entry\n\nYour sponsor needs to give you a multiple entry certificate of sponsorship if you need to leave and come back to the UK as part of the job you\u2019re doing.\n\n## Multiple jobs when you\u2019re a creative worker\n\nYour sponsor can give you a certificate that covers the entire length of your stay, even if you need to perform at more than one engagement. If you\u2019re working for more than one sponsor, you can get a certificate from each sponsor.\n\nThere cannot be a gap of more than 14 days between each job. If you leave the UK and come back, your time away will not count towards those 14 days.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply, you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a letter of endorsement from your sport\u2019s governing body, if you\u2019re applying as a sportsperson or coach\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Creative and Sporting visa (T5).\n\nYou should apply before your current visa expires.\n\nYou cannot extend your stay if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must be in the UK to extend your visa.\n\n## How long you can stay\n\n## Creative worker\n\nYou can extend your visa for whichever is the shortest of:\n\n- up to 12 months\n\n- the time on your certificate of sponsorship plus 14 days\n\n- the time needed to extend your stay to the maximum of 24 months\n\nYou must stay with the same sponsor.\n\n## Sports person\n\nYou can extend your visa up to 12 months, or the time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Switch to this visa\n\nYou can switch to a Temporary Worker - Creative and Sporting visa (T5) if you\u2019re in the UK on a Standard Visitor visa and your sponsor gave you a certificate of sponsorship for this visa before you came to the UK.\n\nYou should apply before your current visa expires.\n\nYou cannot switch to this visa if you\u2019ve used the Temporary Worker - Creative and Sporting visa (T5) concession to enter the UK.\n\n## How long you can stay\n\nYou can stay for a maximum of up to 12 months after switching to a Temporary Worker - Creative and Sporting visa (T5).\n\n## Fees\n\nCheck the fees for this visa.\n\n## How to switch to this visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.\n\n## Temporary Worker - Creative and Sporting visa (T5) concession\n\nYou can enter the UK without applying for a visa in advance if you:\n\n- have a valid Temporary Worker - Creative and Sporting visa (T5) certificate of sponsorship\n\n- are coming to work in the UK for 3 months or less\n\n- do not normally need a visa to enter the UK as a visitor\n\nYou must still meet the Temporary Worker - Creative and Sporting visa (T5) eligibility criteria.\n\nYou will not be able to extend your stay while you are in the UK, or switch to another temporary worker visa or a Skilled Worker visa.\n\nYour partner and children can travel with you if they also do not normally need a visa to enter the UK as a visitor.\n\n## When you arrive in the UK\n\nYou must see an immigration officer when you arrive in the UK - do not use the automatic ePassport gates. The officer will check:\n\n- your certificate of sponsorship is valid\n\n- you have enough money to support yourself\n\nYou will not be allowed to work if you use an automatic ePassport gate. You must see an immigration officer.\n\n## If you enter the UK from Ireland\n\nIf you\u2019re travelling to the UK from Ireland using the Temporary Worker - Creative and Sporting visa (T5) concession, you must apply for remote clearance at least 72 hours before you arrive in the UK.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector and at the same level as your main job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week\n\n- work as a sportsperson for your national team while it is playing in a British University and College Sport (BUCS) competition\n\n- work as a sports broadcaster\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- get public funds\n\n- start your own business\n\n- extend your stay or switch to another visa", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/temporary-worker-creative-and-sporting-visa", + "answerable": true, + "scenario": "I am a musician, who is well known for his game music. I am looking to move to the UK to work for a video game's company. I have \u00a312,000 in savings, and I will be earning \u00a340,000 for the five months of work.", + "original_question": "Will I be eligible for a Creative and Sporting visa?" + }, + { + "id": "train-1958", + "question": "Scenario: I am the finance director of a medium-sized software consulting firm based in Oxford, UK. Because of our diverse client base (medical, healthcare, retail etc) we have to charge a variety of different VAT rates on our services, and the intangible nature of our product can make it difficult to precisely determine the timing of their supply.\n\nQuestion: Is the tax point (time of supply) for VAT on consulting services just the date of the invoice?\n\nDocument - VAT record keeping:\n## Overview\n\nVAT-registered businesses must:\n\n- keep records of sales and purchases\n\n- keep a separate summary of VAT called a VAT account\n\n- issue correct VAT invoices\n\nThis guide is also available in Welsh (Cymraeg).\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.\n\nIf you\u2019ve signed up for Making Tax Digital for VAT, the records you need to keep are the same as any VAT-registered business but you\u2019ll need to keep some of them digitally.\n\n## How to keep VAT records\n\nYou must keep VAT records for at least 6 years (or 10 years if you used the VAT MOSS service).\n\nYou can keep VAT records on paper, electronically or as part of a software program (such as book-keeping software). Records must be accurate, complete and readable.\n\nIf your taxable turnover is more than \u00a385,000, you must keep a digital record of anything that\u2019s needed for your VAT Return.\n\nIf you\u2019ve lost a VAT invoice or it is damaged and no longer readable, ask the supplier for a duplicate (marked \u2018duplicate\u2019).\n\nHMRC can visit your business to inspect your record keeping and charge you a penalty if your records are not in order.\n\nYou can hire a professional (such as an accountant) if you need help with your VAT.\n\n## VAT invoices\n\nOnly VAT-registered businesses can issue VAT invoices and you must:\n\n- issue and keep valid invoices - these can be paper or electronic\n\n- keep copies of all the sales invoices you issue even if you cancel them or produce one by mistake\n\n- keep all purchase invoices for items you buy\n\n## Valid invoices\n\nYou\u2019ll use a full VAT invoice for most transactions. You can use:\n\n- a modified invoice for retail supplies over \u00a3250\n\n- a simplified invoice for retail supplies under \u00a3250 - and for other supplies from 1 January 2013\n\nYou cannot reclaim VAT using an invalid invoice, pro-forma invoice, statement or delivery note.\n\nInclude the following on your invoice, depending on which type you use.\n\n| Invoice information | Full invoice | Simplified invoice | Modified invoice |\n\n| Unique invoice number that follows on from the last invoice | Yes | Yes | Yes |\n\n| Your business name and address | Yes | Yes | Yes |\n\n| Your VAT number | Yes | Yes | Yes |\n\n| Date | Yes | No | Yes |\n\n| The tax point (or \u2018time of supply\u2019) if this is different from the invoice date | Yes | Yes | Yes |\n\n| Customer\u2019s name or trading name, and address | Yes | No | Yes |\n\n| Description of the goods or services | Yes | Yes | Yes |\n\n| Total amount excluding VAT | Yes | No | Yes |\n\n| Total amount of VAT | Yes | No | Yes |\n\n| Price per item, excluding VAT | Yes | No | Yes |\n\n| Quantity of each type of item | Yes | No | Yes |\n\n| Rate of any discount per item | Yes | No | Yes |\n\n| Rate of VAT charged per item - if an item is exempt or zero-rated make clear no VAT on these items | Yes | Yes (1) | Yes |\n\n| Total amount including VAT | No | Yes (1) | Yes |\n\n(1) If items are charged at different VAT rates, then show this for each.\n\n## Accounting schemes\n\nIf you use the Cash Accounting Scheme you have to stamp an invoice with the amount of cash paid and the date.\n\nThere are different rules for record keeping and invoicing if you use a VAT Margin Scheme.\n\n## Deadlines\n\nUsually VAT invoices must be issued within 30 days of the date of supply or the date of payment (if you\u2019re paid in advance).\n\n## International trade\n\nYou do not have to show all amounts on your invoices in sterling. If you issue VAT invoices in a foreign currency or language, you must:\n\n- show the total VAT payable in sterling on your VAT invoice if the supply takes place in the UK\n\n- be able to provide an English translation of any invoice within 30 days if asked to do so by a visiting VAT officer\n\n## Converting to sterling\n\nTo convert to sterling you can:\n\n- use the market selling rate at the time of supply\n\n- use the European Central Bank\u2019s rate\n\n- use HMRC\u2019s period rates of exchange - the rates usually stay the same for each calendar month\n\n- apply to HMRC to use a different method to account for the VAT\n\nThere are different rules if you use the Tour Operator\u2019s Scheme.\n\n## Exceptions\n\nYou do not need to issue a VAT invoice if:\n\n- your invoice is only for exempt or zero-rated sales within the UK\n\n- you\u2019re giving goods as a gift\n\n- you sell goods under a VAT second-hand margin scheme\n\n- your customer operates a self-billing arrangement\n\n## VAT records\n\nRecords you must keep include:\n\n- copies of all invoices you issue\n\n- all invoices you receive (originals or electronic copies)\n\n- self-billing agreements - this is where the customer prepares the invoice\n\n- name, address and VAT number of any self-billing suppliers\n\n- debit or credit notes\n\n- import and export records\n\n- records of items you cannot reclaim VAT on - for example business entertainment\n\n- records of any goods you give away or take from stock for your private use\n\n- records of all the zero-rated, reduced or VAT exempt items you buy or sell\n\n- a VAT account\n\nYou must also keep general business records such as bank statements, cash books, cheque stubs, paying-in slips and till rolls.\n\nIf you use the Cash Accounting Scheme you must use these records to match them against your payment records and receipts.\n\nIf you supply digital services in the EU and use VAT MOSS, you must keep additional records.\n\nHM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.\n\n## Keeping digital records\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.\n\n## Retailers\n\nIf you\u2019re a retailer you do not have to issue VAT invoices unless a customer asks for one. Keep a copy if you do. Retailers can issue \u2018simplified invoices\u2019 for supplies under \u00a3250.\n\n## Debit and credit notes\n\nWhen you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled with a credit or debit note.\n\nRecord these in your accounts and keep any original notes.\n\n## VAT records for Making Tax Digital\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019 by keeping some records digitally, unless:\n\n- your business uses the VAT GIANT service, for example if you\u2019re a government department or an NHS Trust\n\n- you apply for an exemption\n\nYou can choose to sign up to Making Tax Digital for VAT if your business earns less than \u00a385,000.\n\nFrom 1 April 2022 all VAT registered businesses must sign up, whatever they earn.\n\n## Records you must keep digitally\n\nYou need to keep the following records digitally:\n\n- your business name, address and VAT registration number\n\n- any VAT accounting schemes you use\n\n- the VAT on goods and services you supply, for example everything you sell, lease, transfer or hire out (supplies made)\n\n- the VAT on goods and services you receive, for example everything you buy, lease, rent or hire (supplies received)\n\n- any adjustments you make to a return\n\n- the \u2018time of supply\u2019 and \u2018value of supply\u2019 (value excluding VAT) for everything you buy and sell\n\n- the rate of VAT charged on goods and services you supply\n\n- reverse charge transactions - where you record the VAT on both the sale price and the purchase price of goods and services you buy\n\n- your total daily gross takings if you use a retail scheme\n\n- items you can reclaim VAT on if you use the Flat Rate Scheme\n\n- your total sales, and the VAT on those sales, if you trade in gold and use the Gold Accounting Scheme\n\nYou also need to keep digital copies of documents that cover multiple transactions made on behalf of your business by:\n\n- volunteers for charity fundraising\n\n- a third party business\n\n- employees for expenses in petty cash\n\nYou must add all your transactions to your digital records, but you do not need to scan paper records like invoices or receipts.\n\n## How to keep digital records\n\nYou need to use a compatible software package or other software (like spreadsheets) that connect to HMRC systems.\n\nIf you use more than one software package to keep records and submit returns, you need to link them.\n\nSome ways you can link your software include:\n\n- using formulas to link cells in spreadsheets\n\n- emailing records\n\n- putting records on a portable device to give to your agent\n\n- importing and exporting XML and CSV files\n\n- downloading and uploading files\n\nYou must have links between the software you use by your first VAT period after 1 April 2021.\n\n## When to send your VAT return\n\nThe deadlines for sending your VAT returns will not change after you sign up for Making Tax Digital for VAT.\n\nTo see when your next return is due, sign in to your VAT online account.\n\n## How to sign up for Making Tax Digital for VAT\n\nHow you sign up depends on whether you\u2019re:\n\n- a business\n\n- an agent acting for a client\n\n## Sign up for Making Tax Digital for VAT\n\nYou must sign up for \u2018Making Tax Digital for VAT\u2019 if your taxable turnover is more than \u00a385,000, so you can:\n\n- keep digital records\n\n- submit your business\u2019s VAT return using compatible software\n\nThere\u2019s a different way to sign up if you\u2019re an agent.\n\n## Before you start\n\nYou must have compatible software before you sign up.\n\n## What you need\n\nTo sign up you need:\n\n- your business email address\n\n- a Government Gateway user ID and password - if you do not have a user ID, you can create one when you use the service\n\n- your VAT registration number and latest VAT return\n\nYou\u2019ll also need:\n\n- your National Insurance number if you\u2019re a sole trader\n\n- your company registration number and Unique Taxpayer Reference if you\u2019re a limited company or registered society\n\n- your Unique Taxpayer Reference and the postcode where you\u2019re registered for Self Assessment if you\u2019re a general partnership\n\n- your Unique Taxpayer Reference, the postcode where you\u2019re registered for Self Assessment and your company\u2019s registration number if you\u2019re a limited partnership\n\n## When to sign up\n\nIf you already pay by Direct Debit do not sign up too close to the date your return is due, or you may pay twice.\n\nTo avoid this, do not sign up less than:\n\n- 7 days before your return is due\n\n- 5 days after your return is due\n\nIf you do not pay by Direct Debit, sign up at least 3 days before your return is due.\n\nIf you\u2019re finding it difficult to access the service, check if there\u2019s a technical issue or other known problem.\n\nSign up now\n\n## After you\u2019ve signed up\n\nYou should get a confirmation email from noreply@tax.service.gov.uk within 3 days of signing up. It might go to your spam folder.\n\nDo not submit a VAT Return until you get a confirmation email.\n\nContact HMRC if you do not get an email.\n\n## VAT account\n\nYou must keep a separate record of the VAT you charge and the VAT you pay on your purchases. This record is called a \u2018VAT account\u2019.\n\nYou use the figures in your VAT account to complete your VAT Return.\n\nThere are no rules on what a VAT account should look like, but it must show:\n\n- your total VAT sales\n\n- your total VAT purchases\n\n- the VAT you owe HM Revenue and Customs (HMRC)\n\n- the VAT you can reclaim from HMRC\n\n- if your business uses the VAT Flat Rate Scheme - the flat rate percentage and turnover it applies to\n\nIf you are registered for VAT in Northern Ireland, you must also show the VAT on any EU purchases or sales.\n\n## Errors\n\nIf you\u2019ve made an error in your VAT Return the VAT account must show:\n\n- the date you discovered the error\n\n- details about the error - for example how it happened, how you corrected it\n\nYou may also need to report the error to HMRC.\n\n## Bad debts\n\nIf you write off an invoice as a bad debt, you must keep a separate \u2018VAT bad debt account\u2019. The debt must be older than 6 months and for each bad debt you must show:\n\n- total amount of VAT involved\n\n- amount written off and any payments you\u2019ve received\n\n- the VAT you\u2019re claiming on the debt\n\n- the VAT period(s) you paid the VAT and are claiming the relief\n\n- invoices details like date, customer name\n\nYou must keep this information for 4 years.\n\n## Time of supply or tax point\n\nThe tax point (or \u2018time of supply\u2019) for a transaction is the date the transaction takes place for VAT purposes.\n\nYou need to know this because, for example:\n\n- it\u2019s included on VAT invoices\n\n- it tells you which VAT period the transaction belongs to\n\n- it tells you which VAT Return to put the transaction on\n\nThe tax point can vary, but is usually the following.\n\n| Situation | Tax point |\n\n| No invoice needed | Date of supply |\n\n| VAT invoice issued | Date of invoice |\n\n| VAT invoice issued 15 days or more after the date of supply | Date the supply took place |\n\n| Payment or invoice issued in advance of supply | Date of payment or invoice (whichever is earlier) |\n\n| Payment in advance of supply and no VAT invoice yet issued | Date payment received |\n\nThe date of supply is:\n\n- for goods - the date they\u2019re sent, collected or made available (for example installed in the customer\u2019s house)\n\n- for services - the date the work is finished\n\n## Exceptions\n\nIf you use the VAT Cash Accounting Scheme, the tax point is always the date the payment is received.\n\nThere are different tax point rules for:\n\n- certain trades - like barristers, building and construction\n\n- where the supply is not a \u2018sale\u2019 \u2013 for example business items taken for personal use\n\nSometimes, one sale can give rise to 2 or more tax points - for example where the customer pays a deposit in advance, and then a final payment.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/vat-record-keeping", + "answerable": true, + "scenario": "I am the finance director of a medium-sized software consulting firm based in Oxford, UK. Because of our diverse client base (medical, healthcare, retail etc) we have to charge a variety of different VAT rates on our services, and the intangible nature of our product can make it difficult to precisely determine the timing of their supply.", + "original_question": "Is the tax point (time of supply) for VAT on consulting services just the date of the invoice?" + }, + { + "id": "train-1961", + "question": "Scenario: I am travelling to UK using a visitor visa. I want to have healthcare included with this visa that I have applied for.\n\nQuestion: Do I need to pay for healthcare on top of the visa?\n\nDocument - Pay for UK healthcare as part of your immigration application:\n## Overview\n\nYou might need to pay a healthcare surcharge (called the \u2018immigration health surcharge\u2019 or IHS) as part of your immigration application.\n\nWhether you need to pay depends on the immigration status you\u2019re applying for.\n\n## When you must pay\n\nIf you\u2019re making your immigration application online, you pay the surcharge as part of your application or when you book an appointment.\n\nIf you\u2019re applying by post, you pay the surcharge online before you send your application. You\u2019ll need to include the IHS reference number on your application form.\n\n## When you can start to use the NHS\n\nYou can start using the National Health Service (NHS) when both:\n\n- you\u2019ve paid the healthcare surcharge (or are exempt from paying it)\n\n- your visa or immigration application is granted\n\nYou\u2019ll still need to pay for certain types of services, such as prescriptions, dental treatment, eye tests and assisted conception.\n\nWhen you access healthcare in the UK, you may need to:\n\n- provide your biometric residence permit, if you have one\n\n- prove your status online using a share code, if you have a digital immigration status\n\n## Who needs to pay\n\nYou usually need to pay the healthcare surcharge if you\u2019re applying for a visa or immigration application:\n\n- for more than 6 months, if you\u2019re applying outside the UK\n\n- for any length of time, if you\u2019re applying inside the UK\n\nYou do not need to pay if you\u2019re applying for a visitor visa or to remain in the UK permanently.\n\nYou still need to pay even if you have private medical insurance.\n\n## Who only needs an IHS reference number\n\nYou still need to use the payment service to get an immigration health surcharge (IHS) reference number but you will not need to pay if:\n\n- you\u2019re a child under 18 who has been taken into care by a local authority\n\n- you\u2019re a relevant civilian employee at NATO or the Australian Department of Defence in the UK (or you\u2019re their dependant)\n\nThe service will tell you that you do not have to pay anything and will give you your healthcare surcharge reference number for your application.\n\nYou\u2019ll be able to use the National Health Service (NHS) even if you\u2019re exempt from paying.\n\n## Who does not need to pay or get an IHS reference number\n\nYou\u2019ll be able to use the NHS without paying the surcharge or getting a reference number if:\n\n- you\u2019re applying for indefinite leave to enter or remain\n\n- you\u2019re a health and care worker who is eligible for a Health and Care Worker visa (or you\u2019re their dependant)\n\n- you\u2019re applying to the EU Settlement Scheme\n\n- you\u2019re a diplomat or a member of a visiting armed forces and not subject to immigration control\n\n- you\u2019re a dependant of a member of the UK\u2019s armed forces\n\n- you\u2019re the dependant of a member of another country\u2019s armed forces who is exempt from immigration control\n\n- you\u2019re applying for a visa for the Isle of Man or Channel Islands\n\n- you\u2019re a British Overseas Territory citizen resident in the Falkland Islands\n\n- you\u2019re an asylum seeker or applying for humanitarian protection (or you\u2019re their dependant)\n\n- you\u2019re a domestic worker who has been identified as a victim of slavery or human trafficking\n\n- you\u2019re applying for discretionary leave to remain in the UK as someone who has been identified as a victim of slavery or human trafficking (or you\u2019re their dependant)\n\n- the Home Office\u2019s domestic violence concession applies to you (or you\u2019re their dependant)\n\n- being made to leave the UK would be against your rights under Article 3 of the European Convention of Human Rights (or you\u2019re their dependant)\n\n- you\u2019re an S2 Healthcare Visitor\n\n- you\u2019re eligible for a Frontier Worker permit and have an S1 certificate\n\nYou need to pay the healthcare surcharge if you apply for indefinite leave to remain but are only given limited leave. You\u2019ll need to pay before you\u2019re given the leave.\n\n## Visitor visas and short-term visas\n\nYou do not need to pay the surcharge or get an IHS reference number if you\u2019re applying for a:\n\n- visitor visa\n\n- visa for 6 months or less from outside the UK\n\nYou will need to pay for any NHS care you get at the point you use it - unless it\u2019s a service that\u2019s free.\n\n## How much you have to pay\n\nYou\u2019ll have to pay:\n\n- \u00a3470 per year for a student or Youth Mobility Scheme visa, for example \u00a3940 for a 2-year visa\n\n- \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application\n\n- \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa\n\nDependants aged 18 or over usually need to pay the same amount as you.\n\nThe exact amount you have to pay depends on how much leave you\u2019re granted. Calculate how much you\u2019ll have to pay before you apply.\n\nYou\u2019ll pay half of the yearly amount if your application includes part of a year that is less than 6 months.\n\nYou\u2019ll pay for a whole year if your application includes part of a year that is more than 6 months.\n\nYou\u2019ll automatically get a partial refund if you paid the healthcare surcharge for more years than you were granted leave.\n\n## When you must pay\n\nIf you apply for a visa online, you pay the surcharge as part of the application.\n\nIf you apply for a visa by post, you must pay the surcharge online before you send your application. You\u2019ll need to include your IHS reference number on the application form.\n\n## If you do not pay\n\nYou\u2019ll get an email from UK Visas and Immigration if you do not pay the surcharge (or do not pay enough) as part of your visa or immigration application.\n\nCheck your junk folder if you cannot see the email in your inbox.\n\nOnce you get the email, you must pay the surcharge within:\n\n- 10 working days if you\u2019re inside the UK\n\n- 7 working days if you\u2019re outside the UK\n\nYour visa or immigration application will be turned down if you do not pay the full amount in this time.\n\n## Pay the healthcare surcharge\n\nIf you\u2019re making an immigration application online you pay the healthcare surcharge as part of the application process. You must complete the payment and return to the online immigration application in less than 30 minutes.\n\nIf you\u2019re making an immigration application by post you must pay the healthcare surcharge before you complete your application.\n\nYou must pay the healthcare surcharge by debit or credit card.\n\nIf you\u2019re applying online, you\u2019ll be asked for:\n\n- the start and end dates on your certificate of sponsorship, if you have one\n\n- your course dates, if you\u2019re applying as a student\n\nIf you\u2019re applying by post, you\u2019ll also be asked for:\n\n- the type of visa you\u2019re applying for\n\n- your passport or travel document number\n\n- an email address\n\nPay now\n\nYou need to pay by cash at the UK embassy if you\u2019re in the Democratic People\u2019s Republic of Korea.\n\n## Family members\n\nYou\u2019ll need the same information that you used to pay for:\n\n- any person applying for a visa or other immigration application with you, for example a dependant\n\n- any person you\u2019re applying to join or remain who is already in the UK (you do not need to add this person\u2019s details if they are a UK or EEA citizen)\n\nYou\u2019ll also need their leave expiry date if you\u2019re joining someone in the UK (or IHS reference number if they have one).\n\n## Finish your visa or immigration application\n\n- You\u2019ll be sent an email with an IHS reference number. This will also be shown on screen when you\u2019ve paid. You can only use this number once - you\u2019ll need to get another one if you reapply.\n\n- You\u2019ll need to write this on the cover of your visa application if you\u2019re applying by post. You need this reference even if you\u2019re exempt from paying the healthcare surcharge.\n\n- Finish your application form and pay your visa or immigration application fee.\n\n## Refunds\n\nYou\u2019ll get a full immigration health surcharge (IHS) refund if:\n\n- you paid twice\n\n- your visa application is refused\n\n- you withdraw your visa application\n\nYou\u2019ll get a partial IHS refund if your visa application\u2019s successful but:\n\n- you get less time on your visa than you asked for\n\n- any dependants on your visa application are refused\n\nIf you are due a full or partial refund for these reasons, you do not have to do anything to get it. It will be automatically paid to the account or card you paid with.\n\nYou will not get a refund if:\n\n- your visa application is successful but you do not come to the UK\n\n- you leave the UK before your visa ends, for example to make a new application\n\n- you\u2019re told to leave the UK before your visa expires\n\n- you\u2019re applying for indefinite leave to remain\n\n## If your healthcare is paid for by an EU country\n\nYou may get a full or partial IHS refund if you have an S1 certificate registered with the NHS Business Services Authority.\n\nYou can also apply for a full or partial IHS refund if all of the following are true:\n\n- you\u2019re a full-time student in UK higher education\n\n- your visa started on or after 1 January 2021\n\n- you have a European Healthcare Insurance Card (EHIC) issued in an EU country\n\n- you do not work\n\nIf you\u2019re claiming as a full-time student with an EHIC, you can apply for a refund of the IHS you paid to cover any period starting on or after 1 January 2021. Applications open from 1 January 2022.\n\nThe amount you\u2019re refunded will depend on the date your S1 certificate or EHIC runs out.\n\nFind out more about applying for a refund.\n\n## If you work in health and care\n\nYou and your dependants may be able to get a refund of the IHS if you work in health and care.\n\nCheck if you\u2019re eligible for a refund as a health or care worker.\n\n## How long it takes\n\nYou usually get your refund within 6 weeks of getting a decision on your visa application. It can take longer if you appeal or ask for an administrative review after your visa application is refused.\n\n## If you appeal or ask for an administrative review\n\nIf you applied from:\n\n- inside the UK - you\u2019ll get your refund up to 6 weeks after your appeal or administrative review is dismissed\n\n- outside the UK - you\u2019ll get your refund up to 6 weeks after your visa application is refused\n\nYou\u2019ll have to repay the IHS if your appeal or administrative review is successful and you\u2019ve already got your IHS refund.\n\nYou might have to repay a different amount if:\n\n- the length of your stay changes\n\n- you get less time on your visa than you asked for\n\nContact UK Visas and Immigration (UKVI) if your refund is not paid within 6 weeks.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/healthcare-immigration-application", + "answerable": true, + "scenario": "I am travelling to UK using a visitor visa. I want to have healthcare included with this visa that I have applied for.", + "original_question": "Do I need to pay for healthcare on top of the visa?" + }, + { + "id": "train-1965", + "question": "Scenario: Nathan is 20 years British national . He wants to go for a holiday with a UK passport in United states. He wants to apply online and pay the fee.\n\nQuestion: Can it he apply online?\n\nDocument - Getting your first adult passport:\n## Who can apply\n\nYou can apply for a first adult passport if all of the following apply:\n\n- you\u2019re a British national\n\n- you\u2019re aged 16 or over (or will be in 3 weeks)\n\n- you\u2019ve never had a UK passport before\n\nYou must also apply if your last UK passport was issued before 1 January 1994.\n\nYou can use your child passport until it expires, even if you\u2019re over 18.\n\nAn adult passport is valid for 10 years.\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport.\n\nIf you need a passport to travel urgently for medical treatment or because a friend or family member is seriously ill or has died, call the Passport Adviceline.\n\nDo not book travel until you get your passport.\n\n## Ways to apply\n\nIf you\u2019re in the UK, you can either:\n\n- apply online - it costs \u00a375.50\n\n- apply with a paper form - it costs \u00a385\n\nIt\u2019s taking longer to process paper applications than online applications at the moment because of coronavirus (COVID-19). Use the online service to get your passport.\n\nThere\u2019s a different way to apply if you\u2019re overseas.\n\n## What documents you need to apply\n\nYou must send original documents. Photocopies are not accepted.\n\nIf you do not have your original certificates (for example, your birth certificate), you need to get an official copy.\n\nIf your documents are not in English or Welsh, you need to send a certified translation.\n\nYou can send laminated documents if that\u2019s the only format they are issued in.\n\n## You were born or adopted in the UK\n\nWhat documents you need depend on when you were born.\n\n## Before 1 January 1983\n\nYou\u2019ll need your full birth certificate or adoption certificate.\n\n## On or after 1 January 1983\n\nYou\u2019ll need your full birth certificate or adoption certificate and either:\n\n- your mother\u2019s or father\u2019s full UK birth certificate, or the Home Office certificate of registration or naturalisation, or a British passport belonging to one of your parents that was valid when you were born, or a British passport number for either parent\n\n- evidence of one of your parents\u2019 immigration status in the UK at the time of your birth, for example a foreign passport belonging to one of your parents that was valid when you were born\n\nIf you send documents relating to your father, you must also send your parents\u2019 marriage certificate.\n\n## You were born outside the UK\n\nWhat documents you need depend on your circumstances.\n\n## You have a certificate of naturalisation or registration\n\nYou\u2019ll need both:\n\n- your naturalisation or registration certificate\n\n- the passport you used to come into the UK or the foreign passport you\u2019re included on\n\n## Citizen of a British overseas territory and born before 1 January 1983\n\nYou\u2019ll need all of the following:\n\n- your birth certificate\n\n- your current passport\n\n- the passport you used to come into the UK or the foreign passport you\u2019re included on\n\n## Born before 1 January 1983 and your father was born in the UK\n\nYou\u2019ll need all of the following:\n\n- your full birth certificate showing your parents\u2019 details\n\n- your father\u2019s birth certificate\n\n- your parents\u2019 marriage certificate\n\n- the passport you used to come into the UK or foreign passport you\u2019re included on\n\n## Born on or after 1 January 1983\n\nYou\u2019ll need all of the following:\n\n- your full birth certificate showing your parents\u2019 details\n\n- the passport you used to come into the UK or any foreign passport that you\u2019re included on\n\n- evidence of one parent\u2019s British nationality, for example their UK birth or adoption, naturalisation or registration certificate\n\nIf these documents relate to your father, you must include the marriage certificate showing when he married your mother.\n\n## Your circumstances are different\n\nIf your circumstances are not listed, read the guidance booklet to find out what documents you\u2019ll need. If you apply online you\u2019ll be told what documents you need as part of your application.\n\n## How your documents will be sent back\n\nThe supporting documents will be returned separately from your passport. How you get them depends on the delivery option you choose when you fill in your application.\n\n## Apply online\n\nTo apply online you\u2019ll need:\n\n- a digital photo of you (or a device that takes digital photos and someone to take your photo)\n\n- someone who can confirm your identity\n\n- supporting documents\n\n- a credit or debit card\n\nIt costs \u00a375.50.\n\n## Start your application\n\nApply and pay for your passport online.\n\nStart now\n\n## Ask someone to confirm your identity\n\nAfter you\u2019ve paid and submitted your application, you\u2019ll need to ask someone to confirm your identity.\n\nLet the person know that they\u2019ll receive an email from HM Passport Office telling them what to do. They\u2019ll confirm your identity online - they do not need to sign a printed photo.\n\nFind out who can confirm your identity and what they need to do.\n\n## Send your documents\n\nAfter the person you asked has confirmed your identity, you\u2019ll receive an email explaining what documents you need to send and where to send them.\n\nAfter you apply, you may be asked to attend an interview.\n\n## Apply with a paper form\n\nTo apply with a paper form you\u2019ll need:\n\n- a filled-in application form\n\n- 2 identical printed passport photos\n\n- someone who can confirm your identity (a \u2018countersignatory\u2019)\n\n- supporting documents\n\nIt costs \u00a385. The booklet that comes with the form explains how to pay.\n\nIt takes longer to apply by post than online.\n\n## Fill in your application form\n\nYou can get a paper application form from either:\n\n- a Post Office that offers the Passport Check and Send service\n\n- the Passport Adviceline\n\nFill in sections 1, 2, 3, 4, 5 and 9. Your countersignatory will need to fill in section 10.\n\nRead the booklet that comes with the form if you need help with your application.\n\n## Get a countersignatory\n\nYou need to get someone else to confirm your identity (a \u2018countersignatory\u2019). They\u2019ll need to:\n\n- fill in section 10 of your form\n\n- sign and date one of your photos\n\nFind out who can be a countersignatory and what they need to do.\n\n## Gather your documents and send your application\n\nYou need to send all of the following:\n\n- your filled-in application form\n\n- your supporting documents\n\n- your 2 passport photos (one of them signed and dated by your countersignatory)\n\nTo send in your form, documents and photos, you can either:\n\n- post them using the pre-printed envelope that comes with the form\n\n- take them to the Post Office if you want to use the Passport Check and Send service\n\nAfter you apply, you may be asked to attend an interview.\n\n## After you apply\n\n## Passport interviews\n\nAfter you apply, you may need to be interviewed to confirm your identity.\n\nPassport offices are temporarily closed and face-to-face interviews are suspended because of coronavirus (COVID-19).\n\nVideo interviews are taking place online. If you need an interview, you\u2019ll be contacted after your application has been processed to book it.\n\n## Getting your new passport and supporting documents\n\nYou\u2019ll receive your new passport by courier or recorded delivery.\n\nThe supporting documents will be returned separately from your passport. How you get them depends on the delivery option you choose when you fill in your application.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-first-adult-passport", + "answerable": true, + "scenario": "Nathan is 20 years British national . He wants to go for a holiday with a UK passport in United states. He wants to apply online and pay the fee.", + "original_question": "Can it he apply online?" + }, + { + "id": "train-1966", + "question": "Scenario: My son is a British national aged 16 years old.He is a member of a local youth orchestra group and are planning a trip to Spain for sightseeing and some adventures for 14 days.\n\nQuestion: Can he use a school photo for group passport application?\n\nDocument - Collective (group) passports:\n## Overview\n\nIt takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.\n\nA collective (or group) passport is a way for an organised group of young people to make a trip to certain European countries.\n\nA collective passport costs \u00a339.\n\nYoung people should travel on their own passports if possible.\n\n## Who can use a collective passport\n\nThe passport is not for families but for groups such as:\n\n- schools and sixth form colleges\n\n- guides\n\n- scouts\n\n- other recognised youth organisations\n\nYou can have between 5 and 50 children on a group passport. If there are more than 50 in the group, you can split the group and apply for 2 or more passports.\n\nEveryone on the passport must be a British national and under 18 by the end of the trip.\n\nA group leader must be named on the passport. The passport is invalid if the group leader cannot travel, but if a deputy leader is named on the application, they can take over.\n\nThe group leader and deputy leader must:\n\n- be aged 21 or over\n\n- be a British citizen and have a British passport\n\n- be a UK resident\n\n## Countries you can visit\n\nThe countries you can travel to or through on a collective passport are:\n\n- Austria\n\n- Denmark\n\n- France\n\n- Italy\n\n- Malta\n\n- Norway\n\n- Romania\n\n- Spain\n\n- Switzerland\n\n## Check if you need a visa\n\nYou may need a visa if you\u2019re travelling on a group passport, even if you do not need one when travelling on an individual passport. Contact the country\u2019s embassy or consulate in the UK to check.\n\n## How to apply\n\nIt takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.\n\n- Download the application form.\n\n- Save it to your computer and fill it in (handwritten applications are not accepted).\n\n- Collect your supporting documents.\n\n- Email your completed application form to HMPassportofficeDurhamCollectives@hmpo.gov.uk.\n\n- Print a paper copy and get it signed by the group leader and deputy leader.\n\n- Send the paper copy with the \u00a339 fee and supporting documents to Collective Passport Applications.\n\n## Paying the fee\n\nInclude a cheque for \u00a339, payable to \u2018Her Majesty\u2019s Passport Office\u2019, or pay by credit or debit card using the card payment form - use capital letters to fill in the form.\n\n## Checks on your application\n\nHM Passport Office may contact your organisation to verify the application. Include a contact number on the form that will be answered during school holidays or your application could be delayed.\n\n## Supporting documents\n\nEach application must include:\n\n- a nationality questionnaire and parental consent form for each child\n\n- a collective passport photo identity card for each child\n\n- one supporting letter for the whole application\n\n## Nationality questionnaire and consent form\n\nThe nationality questionnaire and consent form (\u2018CPNQ\u2019 form) must be filled in by the person who can give consent for the child to travel. They must fill in either the:\n\n- form for a child born in the UK\n\n- form for a child born outside the UK\n\nDetails of who can give consent are on the form.\n\n## Request collective passport photo identity cards\n\nEmail your request for collective passport photo cards to HMPassportofficeDurhamCollectives@hmpo.gov.uk. Your email should include:\n\n- the number of cards you need\n\n- the full name and address of the school or organised group\n\n- a contact name and phone number\n\n## Complete collective passport photo identity cards\n\nEach card must be filled in with the child\u2019s details exactly as they appear on their nationality questionnaire and parental consent form.\n\nYou must attach a recent passport-sized photo to each card.\n\n## Rules for photos\n\nThe photos:\n\n- should be of a similar quality to standard passport photos\n\n- should not have been previously used on another document\n\n- must not be laminated or photocopies\n\nYou can use:\n\n- a school photo - as long as it does not have \u2018proof\u2019 written across it\n\n- printed digital photos\n\nThe group leader must complete their own details and sign the photo cards before submitting the application.\n\nEach child must sign their card before they travel.\n\n## Supporting letter\n\nEach application must include one supporting letter on headed paper confirming consent to the trip.\n\nIf the group is going abroad to perform (for example, in a sports competition) the letter must say:\n\n- all members of the group are amateurs\n\n- they will not get any payment\n\nIf children from more than one organisation are travelling together, you need a supporting letter from each organisation.\n\nThe letter must be signed - digital or photocopied signatures are not accepted.\n\nThe table shows who can supply and sign the supporting letter.\n\n| Type of organisation | Who can supply and sign the supporting letter |\n\n| School | The head teacher, a member of the board of governors or the education authority from each school making up the party |\n\n| Scout or guide group | The assistant county or area commissioner or someone from Association Headquarters |\n\n| Football or rugby club | Someone from the local football association or the league chairperson or secretary |\n\n| Swimming or judo clubs | Someone from the national headquarters |\n\n| Youth orchestras or choirs | Someone from the local education authority, or the vicar for church groups |\n\n| Army or Airforce cadets | The commanding officer or someone from the services authority |\n\n| Clubs or youth clubs | Someone from the local authority where the club is registered, or the national headquarters |\n\n| Registered charities | The director or a person in a similar position in the organisation |\n\n## Getting the passport changed\n\nCheck your passport when it arrives for mistakes. Children cannot travel if they\u2019re not on the passport.\n\n## If you need to amend the passport\n\nSend the passport back to HM Passport Office Collective Passport Applications with a letter explaining the reasons.\n\nIf your trip is postponed but you arrange alternative travel within the same season, you can usually get your passport amended free of charge.\n\nIf several changes are needed (for example, you\u2019re adding lots of names), you have to pay for a new one.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/collective-group-passports", + "answerable": true, + "scenario": "My son is a British national aged 16 years old.He is a member of a local youth orchestra group and are planning a trip to Spain for sightseeing and some adventures for 14 days.", + "original_question": "Can he use a school photo for group passport application?" + }, + { + "id": "train-1968", + "question": "Scenario: Jane has a 9 Months old baby and is traveling by flight to Spain for a family visit. She wants to know which liquids are allowed in the hand luggage.\n\nQuestion: Can unfozen milk be put in the hand luggage bag?\n\nDocument - Hand luggage restrictions at UK airports:\n## Overview\n\nThere are restrictions on what items you can take in your hand luggage and hold luggage when boarding a plane in the UK.\n\nThere are different rules if you\u2019re taking goods to sell or temporarily abroad for business reasons, for example sales samples, professional equipment or musical instruments for a performance.\n\nAirport security staff will not let anything through that they consider dangerous - even if it\u2019s normally allowed in hand luggage.\n\n## Hand luggage allowances\n\nCheck with your airline how many and what size bags you can take on the plane with you.\n\nCheck the rules for electronic items and devices you\u2019re allowed to take on a flight before you travel - there are different rules depending on which country you are travelling to or from.\n\n## Taking liquids through security\n\nThere are restrictions on the amount of liquids you can take in your hand luggage. If possible, pack liquids in your hold baggage (luggage that you check in).\n\nLiquids include:\n\n- all drinks, including water\n\n- liquid or semi-liquid foods, for example soup, jam, honey and syrups\n\n- cosmetics and toiletries, including creams, lotions, oils, perfumes, mascara and lip gloss\n\n- sprays, including shaving foam, hairspray and spray deodorants\n\n- pastes, including toothpaste\n\n- gels, including hair and shower gel\n\n- contact lens solution\n\n- any other solutions and items of similar consistency\n\nIf you do take liquids in your hand luggage:\n\n- containers must hold no more than 100ml\n\n- containers must be in a single, transparent, resealable plastic bag, which holds no more than a litre and measures approximately 20cm x 20cm\n\n- contents must fit comfortably inside the bag so it can be sealed\n\n- the bag must not be knotted or tied at the top\n\n- you\u2019re limited to 1 plastic bag per person\n\n- you must show the bag at the airport security point\n\nLiquids in containers larger than 100ml generally cannot go through security even if the container is only part full. There are some exemptions.\n\n## Exemptions\n\nYou can take liquid containers larger than 100ml through security if they:\n\n- are for essential medical purposes\n\n- are for special dietary requirements\n\n- contain baby food or baby milk\n\nYou can also take liquids bought at an airport or on a plane (such as duty free) through security if:\n\n- the items are sealed inside a security bag when you buy them\n\n- the receipt for the items is sealed in the security bag and visible\n\nYou must not open the security bag until you reach your final destination. Airport staff may need to open the items to screen the liquid at the security point.\n\n## Liquid restrictions outside the EU\n\nCountries outside the EU might have different rules on carrying liquids as a transit or transfer passenger. You should check these rules with the relevant airlines and airports before travelling.\n\n## Lighters\n\nYou can only carry 1 lighter on board. You should put it inside a resealable plastic bag (like the ones used for liquids), which you must keep on you throughout the flight. You cannot:\n\n- put it in your hold luggage\n\n- put it in your hand luggage after screening\n\n## Food and powders\n\nFood items and powders in your hand luggage can obstruct images on x-ray machines. Your bags may need to be checked again manually by security. You can put these items in your hold luggage to minimise delays.\n\n## Baby food and baby milk\n\nWhen travelling with a baby you\u2019re allowed to take enough baby food, baby milk and sterilised water for the journey. There is no legal limit to how much you can take however check with your airport before you travel.\n\nYou can carry breast milk in hand luggage even if you\u2019re not travelling with a baby. You cannot carry frozen breast milk in hand luggage.\n\nIndividual containers of breast milk must hold no more than 2,000ml. Each container will need to be screened at the security point. Airport staff might need to open the containers to screen the liquids.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Breast milk | Yes, in containers up to 2,000ml | Yes |\n\n| Frozen breast milk | No | Yes |\n\n| Formula milk, cow\u2019s milk | Yes (baby must be present) | Yes |\n\n| Sterilised water for the baby | Yes (baby must be present) | Yes |\n\n| Soya milk for babies | Yes (baby must be present) | Yes |\n\n| Baby food | Yes (baby must be present) | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n## Personal items\n\n## Musical instruments\n\nContact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.\n\nMusical instruments will be screened separately.\n\n## Mobility aids\n\nPushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.\n\nFor battery-powered wheelchairs or mobility aids check with your airline first.\n\n## Other personal items\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Corkscrew | No | Yes |\n\n| Spoon | Yes | Yes |\n\n| Knife (with a sharp or pointed blade and/or blade longer than 6cm) | No | Yes (check with your airline) |\n\n| Small scissors (with blades no longer than 6cm) | Yes | Yes |\n\n| Large scissors (with blades longer than 6cm) | No | Yes (check with your airline) |\n\n| Round-ended/blunt scissors | Yes | Yes |\n\n| Fixed-cartridge razor blades (disposable razor) | Yes | Yes |\n\n| Nail clippers/nail file | Yes | Yes |\n\n| Tweezers | Yes | Yes |\n\n| Knitting needles | Yes | Yes |\n\n| Sewing needle | Yes | Yes |\n\n| Umbrella | Yes | Yes |\n\n| Walking stick/cane, walking aid | Yes | Yes |\n\n| Pushchair | Yes | Yes |\n\n| Wheelchair | Yes | Yes |\n\n| Safety matches | Yes | No |\n\n| Non-safety matches | No | No |\n\n| Fireworks, flares and other pyrotechnics, including party poppers and toy caps | No | No |\n\n| Cigarette lighter | No, but you can put a lighter in a plastic liquids bag and keep it on your person | No |\n\n| Contact lens solution | Yes (up to 100ml) | Yes |\n\n## Medicines, medical equipment and dietary requirements\n\nYou\u2019re allowed to carry the following in your hand luggage:\n\n- essential medicines of more than 100ml, including liquid dietary foodstuffs and inhalers\n\n- medical equipment, if it\u2019s essential for your journey\n\nYou\u2019ll need supporting documentation from a relevant medical professional (for example a letter from your doctor or a copy of your prescription).\n\nAirport staff might need to open the containers to screen the liquids at the security point. Medical equipment is screened separately.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tablets and capsules | Yes | Yes |\n\n| Essential liquid medicines | Yes | Yes |\n\n| Hypodermic syringes | Yes | Yes |\n\n| Inhalers | Yes | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n| Medical equipment (for example CPAP and TENS machines) | Yes | Yes |\n\n| Special food and liquids needed for medical reasons | Yes | Yes |\n\n| Oxygen cylinders | Contact your airline | Contact your airline |\n\n## Electronic devices and electrical items\n\nYou can only take certain electronic devices and electrical items on flights to the UK.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Mobile phone | Yes | Yes |\n\n| Laptop | Yes | Yes |\n\n| Tablet devices | Yes | Yes |\n\n| MP3 player | Yes | Yes |\n\n| Hairdryer or straighteners | Yes | Yes |\n\n| Travel iron | Yes | Yes |\n\n| Electric shaver | Yes | Yes |\n\n| E-cigarettes | Yes | No |\n\nSome airlines might also have different restrictions. Check with your airline before you travel if you\u2019re not sure about what you can take as hand luggage.\n\n## Cameras\n\nYou can usually take camera equipment in your hand and hold luggage.\n\nThere might be restrictions on specialist equipment, for example professional video cameras.\n\n## Make sure your devices are charged\n\nMake sure your electronic devices are charged before you travel. If your device does not switch on when requested, you will not be allowed to take it onto the aircraft.\n\n## Batteries for your device\n\nCheck the restrictions on certain types of batteries or contact your airline if you\u2019re not sure what you can carry.\n\n## Gas-powered hair curlers\n\nYou can take hair curlers containing a gas cartridge in hand or hold luggage as long as the safety cover is fitted at all times. You must not take separate gas cartridges on board.\n\n## Sports equipment\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Sports parachute | Yes | Yes |\n\n| Heavy bats and sticks (including baseball, softball and cricket bats) | No | Yes |\n\n| Tennis racquets | Yes | Yes |\n\n| Snooker, pool or billiard cue | Yes | Yes |\n\n| Golf clubs | No | Yes |\n\n| Darts | No | Yes |\n\n| Walking/hiking poles | No | Yes |\n\n| Fishing rod | Yes | Yes |\n\n| Catapult | No | Yes |\n\n| Firearms (including replica firearms) | No | Check with your airline before you travel |\n\n| Harpoon or spear gun | No | Check with your airline before you travel |\n\n| Crossbow | No | Yes |\n\n| Martial arts equipment (including knuckledusters, clubs, coshes, rice flails and nunchuks) | No | Yes |\n\n| Diving equipment | Check with your airline before you travel | Check with your airline before you travel |\n\n## Work tools\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tool with a blade or shaft longer than 6cm (for example chisel) | No | Yes |\n\n| Drill and drill bits | No | Yes |\n\n| Stanley knife | No | Yes |\n\n| Saw (including portable power saw) | No | Yes |\n\n| Screwdriver | No | Yes |\n\n| Hammer | No | Yes |\n\n| Pliers | No | Yes |\n\n| Wrench or spanner | No | Yes |\n\n| Bolt gun or nail gun | No | Yes |\n\n| Crowbar | No | Yes |\n\n| Blowtorch | No | Yes |\n\n## Chemicals and toxic substances\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- oxidisers and organic peroxides, including bleach and car body repair kits\n\n- acids and alkalis (for example spillable \u2018wet\u2019 batteries)\n\n- corrosives or bleaching agents (including mercury and chlorine)\n\n- vehicle batteries and fuel systems\n\n- self defence or disabling sprays (for example mace, pepper spray)\n\n- radioactive materials (including medicinal or commercial isotopes)\n\n- poisons or toxic substances (for example rat poison)\n\n- biological hazards (for example infected blood, bacteria, viruses)\n\n- materials that could spontaneously combust (burst into flames)\n\n- fire extinguishers\n\n## Ammunition\n\nYou cannot take any guns or firearms (including air rifles and starting pistols) as hand luggage. You may be able to take them as hold luggage - check with your airline before you travel.\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- blasting caps\n\n- detonators and fuses\n\n- imitation explosive devices (including replica or model guns)\n\n- mines, grenades, and other explosive military stores\n\n- fireworks and pyrotechnics\n\n- smoke canisters\n\n- smoke cartridges\n\n- dynamite\n\n- gunpowder\n\n- plastic explosives (including black powder and percussion caps)\n\n- flares\n\n- hand grenades\n\n- gun cigarette lighters", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/hand-luggage-restrictions", + "answerable": true, + "scenario": "Jane has a 9 Months old baby and is traveling by flight to Spain for a family visit. She wants to know which liquids are allowed in the hand luggage.", + "original_question": "Can unfozen milk be put in the hand luggage bag?" + }, + { + "id": "train-1969", + "question": "Scenario: My friend Mark is a German national and an IT specialist. He wishes to spend a few weeks in England. He works online and wants to carry his laptop and tablet devices .\n\nQuestion: Can he put them in his hand luggage bag?\n\nDocument - Hand luggage restrictions at UK airports:\n## Overview\n\nThere are restrictions on what items you can take in your hand luggage and hold luggage when boarding a plane in the UK.\n\nThere are different rules if you\u2019re taking goods to sell or temporarily abroad for business reasons, for example sales samples, professional equipment or musical instruments for a performance.\n\nAirport security staff will not let anything through that they consider dangerous - even if it\u2019s normally allowed in hand luggage.\n\n## Hand luggage allowances\n\nCheck with your airline how many and what size bags you can take on the plane with you.\n\nCheck the rules for electronic items and devices you\u2019re allowed to take on a flight before you travel - there are different rules depending on which country you are travelling to or from.\n\n## Taking liquids through security\n\nThere are restrictions on the amount of liquids you can take in your hand luggage. If possible, pack liquids in your hold baggage (luggage that you check in).\n\nLiquids include:\n\n- all drinks, including water\n\n- liquid or semi-liquid foods, for example soup, jam, honey and syrups\n\n- cosmetics and toiletries, including creams, lotions, oils, perfumes, mascara and lip gloss\n\n- sprays, including shaving foam, hairspray and spray deodorants\n\n- pastes, including toothpaste\n\n- gels, including hair and shower gel\n\n- contact lens solution\n\n- any other solutions and items of similar consistency\n\nIf you do take liquids in your hand luggage:\n\n- containers must hold no more than 100ml\n\n- containers must be in a single, transparent, resealable plastic bag, which holds no more than a litre and measures approximately 20cm x 20cm\n\n- contents must fit comfortably inside the bag so it can be sealed\n\n- the bag must not be knotted or tied at the top\n\n- you\u2019re limited to 1 plastic bag per person\n\n- you must show the bag at the airport security point\n\nLiquids in containers larger than 100ml generally cannot go through security even if the container is only part full. There are some exemptions.\n\n## Exemptions\n\nYou can take liquid containers larger than 100ml through security if they:\n\n- are for essential medical purposes\n\n- are for special dietary requirements\n\n- contain baby food or baby milk\n\nYou can also take liquids bought at an airport or on a plane (such as duty free) through security if:\n\n- the items are sealed inside a security bag when you buy them\n\n- the receipt for the items is sealed in the security bag and visible\n\nYou must not open the security bag until you reach your final destination. Airport staff may need to open the items to screen the liquid at the security point.\n\n## Liquid restrictions outside the EU\n\nCountries outside the EU might have different rules on carrying liquids as a transit or transfer passenger. You should check these rules with the relevant airlines and airports before travelling.\n\n## Lighters\n\nYou can only carry 1 lighter on board. You should put it inside a resealable plastic bag (like the ones used for liquids), which you must keep on you throughout the flight. You cannot:\n\n- put it in your hold luggage\n\n- put it in your hand luggage after screening\n\n## Food and powders\n\nFood items and powders in your hand luggage can obstruct images on x-ray machines. Your bags may need to be checked again manually by security. You can put these items in your hold luggage to minimise delays.\n\n## Baby food and baby milk\n\nWhen travelling with a baby you\u2019re allowed to take enough baby food, baby milk and sterilised water for the journey. There is no legal limit to how much you can take however check with your airport before you travel.\n\nYou can carry breast milk in hand luggage even if you\u2019re not travelling with a baby. You cannot carry frozen breast milk in hand luggage.\n\nIndividual containers of breast milk must hold no more than 2,000ml. Each container will need to be screened at the security point. Airport staff might need to open the containers to screen the liquids.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Breast milk | Yes, in containers up to 2,000ml | Yes |\n\n| Frozen breast milk | No | Yes |\n\n| Formula milk, cow\u2019s milk | Yes (baby must be present) | Yes |\n\n| Sterilised water for the baby | Yes (baby must be present) | Yes |\n\n| Soya milk for babies | Yes (baby must be present) | Yes |\n\n| Baby food | Yes (baby must be present) | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n## Personal items\n\n## Musical instruments\n\nContact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.\n\nMusical instruments will be screened separately.\n\n## Mobility aids\n\nPushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.\n\nFor battery-powered wheelchairs or mobility aids check with your airline first.\n\n## Other personal items\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Corkscrew | No | Yes |\n\n| Spoon | Yes | Yes |\n\n| Knife (with a sharp or pointed blade and/or blade longer than 6cm) | No | Yes (check with your airline) |\n\n| Small scissors (with blades no longer than 6cm) | Yes | Yes |\n\n| Large scissors (with blades longer than 6cm) | No | Yes (check with your airline) |\n\n| Round-ended/blunt scissors | Yes | Yes |\n\n| Fixed-cartridge razor blades (disposable razor) | Yes | Yes |\n\n| Nail clippers/nail file | Yes | Yes |\n\n| Tweezers | Yes | Yes |\n\n| Knitting needles | Yes | Yes |\n\n| Sewing needle | Yes | Yes |\n\n| Umbrella | Yes | Yes |\n\n| Walking stick/cane, walking aid | Yes | Yes |\n\n| Pushchair | Yes | Yes |\n\n| Wheelchair | Yes | Yes |\n\n| Safety matches | Yes | No |\n\n| Non-safety matches | No | No |\n\n| Fireworks, flares and other pyrotechnics, including party poppers and toy caps | No | No |\n\n| Cigarette lighter | No, but you can put a lighter in a plastic liquids bag and keep it on your person | No |\n\n| Contact lens solution | Yes (up to 100ml) | Yes |\n\n## Medicines, medical equipment and dietary requirements\n\nYou\u2019re allowed to carry the following in your hand luggage:\n\n- essential medicines of more than 100ml, including liquid dietary foodstuffs and inhalers\n\n- medical equipment, if it\u2019s essential for your journey\n\nYou\u2019ll need supporting documentation from a relevant medical professional (for example a letter from your doctor or a copy of your prescription).\n\nAirport staff might need to open the containers to screen the liquids at the security point. Medical equipment is screened separately.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tablets and capsules | Yes | Yes |\n\n| Essential liquid medicines | Yes | Yes |\n\n| Hypodermic syringes | Yes | Yes |\n\n| Inhalers | Yes | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n| Medical equipment (for example CPAP and TENS machines) | Yes | Yes |\n\n| Special food and liquids needed for medical reasons | Yes | Yes |\n\n| Oxygen cylinders | Contact your airline | Contact your airline |\n\n## Electronic devices and electrical items\n\nYou can only take certain electronic devices and electrical items on flights to the UK.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Mobile phone | Yes | Yes |\n\n| Laptop | Yes | Yes |\n\n| Tablet devices | Yes | Yes |\n\n| MP3 player | Yes | Yes |\n\n| Hairdryer or straighteners | Yes | Yes |\n\n| Travel iron | Yes | Yes |\n\n| Electric shaver | Yes | Yes |\n\n| E-cigarettes | Yes | No |\n\nSome airlines might also have different restrictions. Check with your airline before you travel if you\u2019re not sure about what you can take as hand luggage.\n\n## Cameras\n\nYou can usually take camera equipment in your hand and hold luggage.\n\nThere might be restrictions on specialist equipment, for example professional video cameras.\n\n## Make sure your devices are charged\n\nMake sure your electronic devices are charged before you travel. If your device does not switch on when requested, you will not be allowed to take it onto the aircraft.\n\n## Batteries for your device\n\nCheck the restrictions on certain types of batteries or contact your airline if you\u2019re not sure what you can carry.\n\n## Gas-powered hair curlers\n\nYou can take hair curlers containing a gas cartridge in hand or hold luggage as long as the safety cover is fitted at all times. You must not take separate gas cartridges on board.\n\n## Sports equipment\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Sports parachute | Yes | Yes |\n\n| Heavy bats and sticks (including baseball, softball and cricket bats) | No | Yes |\n\n| Tennis racquets | Yes | Yes |\n\n| Snooker, pool or billiard cue | Yes | Yes |\n\n| Golf clubs | No | Yes |\n\n| Darts | No | Yes |\n\n| Walking/hiking poles | No | Yes |\n\n| Fishing rod | Yes | Yes |\n\n| Catapult | No | Yes |\n\n| Firearms (including replica firearms) | No | Check with your airline before you travel |\n\n| Harpoon or spear gun | No | Check with your airline before you travel |\n\n| Crossbow | No | Yes |\n\n| Martial arts equipment (including knuckledusters, clubs, coshes, rice flails and nunchuks) | No | Yes |\n\n| Diving equipment | Check with your airline before you travel | Check with your airline before you travel |\n\n## Work tools\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tool with a blade or shaft longer than 6cm (for example chisel) | No | Yes |\n\n| Drill and drill bits | No | Yes |\n\n| Stanley knife | No | Yes |\n\n| Saw (including portable power saw) | No | Yes |\n\n| Screwdriver | No | Yes |\n\n| Hammer | No | Yes |\n\n| Pliers | No | Yes |\n\n| Wrench or spanner | No | Yes |\n\n| Bolt gun or nail gun | No | Yes |\n\n| Crowbar | No | Yes |\n\n| Blowtorch | No | Yes |\n\n## Chemicals and toxic substances\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- oxidisers and organic peroxides, including bleach and car body repair kits\n\n- acids and alkalis (for example spillable \u2018wet\u2019 batteries)\n\n- corrosives or bleaching agents (including mercury and chlorine)\n\n- vehicle batteries and fuel systems\n\n- self defence or disabling sprays (for example mace, pepper spray)\n\n- radioactive materials (including medicinal or commercial isotopes)\n\n- poisons or toxic substances (for example rat poison)\n\n- biological hazards (for example infected blood, bacteria, viruses)\n\n- materials that could spontaneously combust (burst into flames)\n\n- fire extinguishers\n\n## Ammunition\n\nYou cannot take any guns or firearms (including air rifles and starting pistols) as hand luggage. You may be able to take them as hold luggage - check with your airline before you travel.\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- blasting caps\n\n- detonators and fuses\n\n- imitation explosive devices (including replica or model guns)\n\n- mines, grenades, and other explosive military stores\n\n- fireworks and pyrotechnics\n\n- smoke canisters\n\n- smoke cartridges\n\n- dynamite\n\n- gunpowder\n\n- plastic explosives (including black powder and percussion caps)\n\n- flares\n\n- hand grenades\n\n- gun cigarette lighters", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/hand-luggage-restrictions", + "answerable": true, + "scenario": "My friend Mark is a German national and an IT specialist. He wishes to spend a few weeks in England. He works online and wants to carry his laptop and tablet devices .", + "original_question": "Can he put them in his hand luggage bag?" + }, + { + "id": "train-1971", + "question": "Scenario: My business is UK VAT registered and I follow the rules for making TAX digital for VAT. I usually keep records of zero-rated goods\n\nQuestion: Do we need to issue an invoices for zero rated sales?\n\nDocument - VAT record keeping:\n## Overview\n\nVAT-registered businesses must:\n\n- keep records of sales and purchases\n\n- keep a separate summary of VAT called a VAT account\n\n- issue correct VAT invoices\n\nThis guide is also available in Welsh (Cymraeg).\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.\n\nIf you\u2019ve signed up for Making Tax Digital for VAT, the records you need to keep are the same as any VAT-registered business but you\u2019ll need to keep some of them digitally.\n\n## How to keep VAT records\n\nYou must keep VAT records for at least 6 years (or 10 years if you used the VAT MOSS service).\n\nYou can keep VAT records on paper, electronically or as part of a software program (such as book-keeping software). Records must be accurate, complete and readable.\n\nIf your taxable turnover is more than \u00a385,000, you must keep a digital record of anything that\u2019s needed for your VAT Return.\n\nIf you\u2019ve lost a VAT invoice or it is damaged and no longer readable, ask the supplier for a duplicate (marked \u2018duplicate\u2019).\n\nHMRC can visit your business to inspect your record keeping and charge you a penalty if your records are not in order.\n\nYou can hire a professional (such as an accountant) if you need help with your VAT.\n\n## VAT invoices\n\nOnly VAT-registered businesses can issue VAT invoices and you must:\n\n- issue and keep valid invoices - these can be paper or electronic\n\n- keep copies of all the sales invoices you issue even if you cancel them or produce one by mistake\n\n- keep all purchase invoices for items you buy\n\n## Valid invoices\n\nYou\u2019ll use a full VAT invoice for most transactions. You can use:\n\n- a modified invoice for retail supplies over \u00a3250\n\n- a simplified invoice for retail supplies under \u00a3250 - and for other supplies from 1 January 2013\n\nYou cannot reclaim VAT using an invalid invoice, pro-forma invoice, statement or delivery note.\n\nInclude the following on your invoice, depending on which type you use.\n\n| Invoice information | Full invoice | Simplified invoice | Modified invoice |\n\n| Unique invoice number that follows on from the last invoice | Yes | Yes | Yes |\n\n| Your business name and address | Yes | Yes | Yes |\n\n| Your VAT number | Yes | Yes | Yes |\n\n| Date | Yes | No | Yes |\n\n| The tax point (or \u2018time of supply\u2019) if this is different from the invoice date | Yes | Yes | Yes |\n\n| Customer\u2019s name or trading name, and address | Yes | No | Yes |\n\n| Description of the goods or services | Yes | Yes | Yes |\n\n| Total amount excluding VAT | Yes | No | Yes |\n\n| Total amount of VAT | Yes | No | Yes |\n\n| Price per item, excluding VAT | Yes | No | Yes |\n\n| Quantity of each type of item | Yes | No | Yes |\n\n| Rate of any discount per item | Yes | No | Yes |\n\n| Rate of VAT charged per item - if an item is exempt or zero-rated make clear no VAT on these items | Yes | Yes (1) | Yes |\n\n| Total amount including VAT | No | Yes (1) | Yes |\n\n(1) If items are charged at different VAT rates, then show this for each.\n\n## Accounting schemes\n\nIf you use the Cash Accounting Scheme you have to stamp an invoice with the amount of cash paid and the date.\n\nThere are different rules for record keeping and invoicing if you use a VAT Margin Scheme.\n\n## Deadlines\n\nUsually VAT invoices must be issued within 30 days of the date of supply or the date of payment (if you\u2019re paid in advance).\n\n## International trade\n\nYou do not have to show all amounts on your invoices in sterling. If you issue VAT invoices in a foreign currency or language, you must:\n\n- show the total VAT payable in sterling on your VAT invoice if the supply takes place in the UK\n\n- be able to provide an English translation of any invoice within 30 days if asked to do so by a visiting VAT officer\n\n## Converting to sterling\n\nTo convert to sterling you can:\n\n- use the market selling rate at the time of supply\n\n- use the European Central Bank\u2019s rate\n\n- use HMRC\u2019s period rates of exchange - the rates usually stay the same for each calendar month\n\n- apply to HMRC to use a different method to account for the VAT\n\nThere are different rules if you use the Tour Operator\u2019s Scheme.\n\n## Exceptions\n\nYou do not need to issue a VAT invoice if:\n\n- your invoice is only for exempt or zero-rated sales within the UK\n\n- you\u2019re giving goods as a gift\n\n- you sell goods under a VAT second-hand margin scheme\n\n- your customer operates a self-billing arrangement\n\n## VAT records\n\nRecords you must keep include:\n\n- copies of all invoices you issue\n\n- all invoices you receive (originals or electronic copies)\n\n- self-billing agreements - this is where the customer prepares the invoice\n\n- name, address and VAT number of any self-billing suppliers\n\n- debit or credit notes\n\n- import and export records\n\n- records of items you cannot reclaim VAT on - for example business entertainment\n\n- records of any goods you give away or take from stock for your private use\n\n- records of all the zero-rated, reduced or VAT exempt items you buy or sell\n\n- a VAT account\n\nYou must also keep general business records such as bank statements, cash books, cheque stubs, paying-in slips and till rolls.\n\nIf you use the Cash Accounting Scheme you must use these records to match them against your payment records and receipts.\n\nIf you supply digital services in the EU and use VAT MOSS, you must keep additional records.\n\nHM Revenue and Customs (HMRC) may check your records to make sure you\u2019re paying the right amount of tax.\n\n## Keeping digital records\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019.\n\n## Retailers\n\nIf you\u2019re a retailer you do not have to issue VAT invoices unless a customer asks for one. Keep a copy if you do. Retailers can issue \u2018simplified invoices\u2019 for supplies under \u00a3250.\n\n## Debit and credit notes\n\nWhen you return goods to a supplier or a customer returns goods to you, the balance of payment can be settled with a credit or debit note.\n\nRecord these in your accounts and keep any original notes.\n\n## VAT records for Making Tax Digital\n\nVAT registered businesses with a taxable turnover of more than \u00a385,000 must follow the rules for \u2018Making Tax Digital for VAT\u2019 by keeping some records digitally, unless:\n\n- your business uses the VAT GIANT service, for example if you\u2019re a government department or an NHS Trust\n\n- you apply for an exemption\n\nYou can choose to sign up to Making Tax Digital for VAT if your business earns less than \u00a385,000.\n\nFrom 1 April 2022 all VAT registered businesses must sign up, whatever they earn.\n\n## Records you must keep digitally\n\nYou need to keep the following records digitally:\n\n- your business name, address and VAT registration number\n\n- any VAT accounting schemes you use\n\n- the VAT on goods and services you supply, for example everything you sell, lease, transfer or hire out (supplies made)\n\n- the VAT on goods and services you receive, for example everything you buy, lease, rent or hire (supplies received)\n\n- any adjustments you make to a return\n\n- the \u2018time of supply\u2019 and \u2018value of supply\u2019 (value excluding VAT) for everything you buy and sell\n\n- the rate of VAT charged on goods and services you supply\n\n- reverse charge transactions - where you record the VAT on both the sale price and the purchase price of goods and services you buy\n\n- your total daily gross takings if you use a retail scheme\n\n- items you can reclaim VAT on if you use the Flat Rate Scheme\n\n- your total sales, and the VAT on those sales, if you trade in gold and use the Gold Accounting Scheme\n\nYou also need to keep digital copies of documents that cover multiple transactions made on behalf of your business by:\n\n- volunteers for charity fundraising\n\n- a third party business\n\n- employees for expenses in petty cash\n\nYou must add all your transactions to your digital records, but you do not need to scan paper records like invoices or receipts.\n\n## How to keep digital records\n\nYou need to use a compatible software package or other software (like spreadsheets) that connect to HMRC systems.\n\nIf you use more than one software package to keep records and submit returns, you need to link them.\n\nSome ways you can link your software include:\n\n- using formulas to link cells in spreadsheets\n\n- emailing records\n\n- putting records on a portable device to give to your agent\n\n- importing and exporting XML and CSV files\n\n- downloading and uploading files\n\nYou must have links between the software you use by your first VAT period after 1 April 2021.\n\n## When to send your VAT return\n\nThe deadlines for sending your VAT returns will not change after you sign up for Making Tax Digital for VAT.\n\nTo see when your next return is due, sign in to your VAT online account.\n\n## How to sign up for Making Tax Digital for VAT\n\nHow you sign up depends on whether you\u2019re:\n\n- a business\n\n- an agent acting for a client\n\n## Sign up for Making Tax Digital for VAT\n\nYou must sign up for \u2018Making Tax Digital for VAT\u2019 if your taxable turnover is more than \u00a385,000, so you can:\n\n- keep digital records\n\n- submit your business\u2019s VAT return using compatible software\n\nThere\u2019s a different way to sign up if you\u2019re an agent.\n\n## Before you start\n\nYou must have compatible software before you sign up.\n\n## What you need\n\nTo sign up you need:\n\n- your business email address\n\n- a Government Gateway user ID and password - if you do not have a user ID, you can create one when you use the service\n\n- your VAT registration number and latest VAT return\n\nYou\u2019ll also need:\n\n- your National Insurance number if you\u2019re a sole trader\n\n- your company registration number and Unique Taxpayer Reference if you\u2019re a limited company or registered society\n\n- your Unique Taxpayer Reference and the postcode where you\u2019re registered for Self Assessment if you\u2019re a general partnership\n\n- your Unique Taxpayer Reference, the postcode where you\u2019re registered for Self Assessment and your company\u2019s registration number if you\u2019re a limited partnership\n\n## When to sign up\n\nIf you already pay by Direct Debit do not sign up too close to the date your return is due, or you may pay twice.\n\nTo avoid this, do not sign up less than:\n\n- 7 days before your return is due\n\n- 5 days after your return is due\n\nIf you do not pay by Direct Debit, sign up at least 3 days before your return is due.\n\nIf you\u2019re finding it difficult to access the service, check if there\u2019s a technical issue or other known problem.\n\nSign up now\n\n## After you\u2019ve signed up\n\nYou should get a confirmation email from noreply@tax.service.gov.uk within 3 days of signing up. It might go to your spam folder.\n\nDo not submit a VAT Return until you get a confirmation email.\n\nContact HMRC if you do not get an email.\n\n## VAT account\n\nYou must keep a separate record of the VAT you charge and the VAT you pay on your purchases. This record is called a \u2018VAT account\u2019.\n\nYou use the figures in your VAT account to complete your VAT Return.\n\nThere are no rules on what a VAT account should look like, but it must show:\n\n- your total VAT sales\n\n- your total VAT purchases\n\n- the VAT you owe HM Revenue and Customs (HMRC)\n\n- the VAT you can reclaim from HMRC\n\n- if your business uses the VAT Flat Rate Scheme - the flat rate percentage and turnover it applies to\n\nIf you are registered for VAT in Northern Ireland, you must also show the VAT on any EU purchases or sales.\n\n## Errors\n\nIf you\u2019ve made an error in your VAT Return the VAT account must show:\n\n- the date you discovered the error\n\n- details about the error - for example how it happened, how you corrected it\n\nYou may also need to report the error to HMRC.\n\n## Bad debts\n\nIf you write off an invoice as a bad debt, you must keep a separate \u2018VAT bad debt account\u2019. The debt must be older than 6 months and for each bad debt you must show:\n\n- total amount of VAT involved\n\n- amount written off and any payments you\u2019ve received\n\n- the VAT you\u2019re claiming on the debt\n\n- the VAT period(s) you paid the VAT and are claiming the relief\n\n- invoices details like date, customer name\n\nYou must keep this information for 4 years.\n\n## Time of supply or tax point\n\nThe tax point (or \u2018time of supply\u2019) for a transaction is the date the transaction takes place for VAT purposes.\n\nYou need to know this because, for example:\n\n- it\u2019s included on VAT invoices\n\n- it tells you which VAT period the transaction belongs to\n\n- it tells you which VAT Return to put the transaction on\n\nThe tax point can vary, but is usually the following.\n\n| Situation | Tax point |\n\n| No invoice needed | Date of supply |\n\n| VAT invoice issued | Date of invoice |\n\n| VAT invoice issued 15 days or more after the date of supply | Date the supply took place |\n\n| Payment or invoice issued in advance of supply | Date of payment or invoice (whichever is earlier) |\n\n| Payment in advance of supply and no VAT invoice yet issued | Date payment received |\n\nThe date of supply is:\n\n- for goods - the date they\u2019re sent, collected or made available (for example installed in the customer\u2019s house)\n\n- for services - the date the work is finished\n\n## Exceptions\n\nIf you use the VAT Cash Accounting Scheme, the tax point is always the date the payment is received.\n\nThere are different tax point rules for:\n\n- certain trades - like barristers, building and construction\n\n- where the supply is not a \u2018sale\u2019 \u2013 for example business items taken for personal use\n\nSometimes, one sale can give rise to 2 or more tax points - for example where the customer pays a deposit in advance, and then a final payment.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/vat-record-keeping", + "answerable": true, + "scenario": "My business is UK VAT registered and I follow the rules for making TAX digital for VAT. I usually keep records of zero-rated goods", + "original_question": "Do we need to issue an invoices for zero rated sales?" + }, + { + "id": "train-1972", + "question": "Scenario: I applied for my newborn baby's UK passport but her name is slightly misspelt and I want it corrected .\n\nQuestion: Can i apply for the error correction?\n\nDocument - Change your name or personal details on your passport:\n## How it works\n\nYou\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:\n\n- your name\n\n- your gender\n\n- your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)\n\nThe name on your passport must match the one you use when you book your travel.\n\nYou\u2019ll be sent a new 10 year passport. Time left on your old passport will not be added to your new one.\n\n## When you do not need a new passport\n\nYou do not need to get a new passport if you:\n\n- change your address or contact details\n\n- get a new job\n\n- change your appearance slightly - for example, dye your hair or grow a beard\n\n- change your marital status (divorce, marry or form a civil partnership) but keep your name\n\n- change your title, for example, doctor or professor\n\n- become a national of another country as well as the UK\n\n- emigrate\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport. It takes longer to apply by post than online.\n\nYou may be able to get a passport urgently if you need to travel sooner.\n\nDo not book travel until you have a valid passport - your new passport will not have the same number as your old one.\n\n## Apply online\n\nYou can apply for a new passport online. It costs \u00a375.50.\n\nStart now\n\n## Apply using a paper application form\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications. Use the online service to get your passport.\n\nYou can get a paper application form by either:\n\n- going to a Post Office that has a Check and Send service\n\n- calling the Passport Adviceline\n\nIt costs \u00a385.\n\nFill in and sign your passport application using the name that you want to see printed on your passport.\n\n## Countersignatures\n\nYou must get a countersignature if your appearance has changed and you cannot be recognised from your existing passport.\n\nYou do not need a countersignature if you\u2019re changing your name or adding a title.\n\n## Unexpired visas\n\nUnexpired visas in your old passport may become invalid if you change your name. Check with the embassy or consulate of the country that issued the visa.\n\n## If you have a non-British passport\n\nIf you have dual citizenship (\u2018dual nationality\u2019) and have a non-British passport, the name on your non-British passport must match the name and gender you want on your British passport.\n\nIf it\u2019s different, change the details on your non-British passport before you apply for a new British passport.\n\n## Marriage or civil partnership change\n\nYou can get a new passport in your new name either before or after the ceremony.\n\nThe name on your passport must match the one you use when you book your travel.\n\n## Get a new passport after the ceremony\n\nSend your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.\n\n## Get a new passport before the ceremony\n\nYou can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.\n\nYour old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.\n\nSome countries will not issue visas for post-dated passports - check with the country\u2019s embassy or consulate.\n\nYou must send a \u2018passports for newly weds and civil partners\u2019 form with your documents. It must be signed by the religious minister or registrar who will conduct the ceremony.\n\n## Divorce or returning to a previous surname\n\nWhen you apply, you also need to send:\n\n- your birth certificate\n\n- a statement signed by you saying you\u2019ve gone back to a previous surname (for example your maiden name) \u2018for all purposes\u2019 - that is, you will not use your married or civil partnership name at all\n\n- a document that shows you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\n- your decree absolute or final order showing both names\n\n- a marriage or civil partnership certificate showing both names - if you do not have it you can order a copy\n\n## Gender change\n\nSend one of the following when you apply for a passport:\n\n- a Gender Recognition Certificate\n\n- a new birth or adoption certificate showing your acquired gender\n\n- a letter from your doctor or medical consultant confirming your change of gender is likely to be permanent\n\nIf you\u2019re sending a letter from your doctor or medical consultant and you\u2019re changing your name, you\u2019ll also need to supply both of the following:\n\n- evidence of your change of name (such as a deed poll)\n\n- evidence that you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\nRead the information about passports for transgender and transsexual people if you need help.\n\n## Titles and small changes to forenames\n\nYou can:\n\n- change the spelling of your name slightly - for example, Jane to Jayne\n\n- change the order of your forenames\n\n- remove middle names\n\nSend 2 documents that show you\u2019re using your new name. These can include a:\n\n- letter from a local council or government department\n\n- driving licence\n\n- bank statement\n\n- baptism or confirmation certificate\n\n## Titles you can use on your passport\n\nYou can include:\n\n- professional titles - for example, doctor, judge, minister of religion, professor, QC, or JP if you\u2019re a magistrate\n\n- honours or military decorations\n\nPut the details in the \u2018other title\u2019 box of your application and send evidence of your title.\n\nYour title will be on the \u2018observations\u2019 page of your passport - it will not be part of your name, except if it\u2019s a title of nobility, for example knight, dame or a lord.\n\n## Other name changes\n\nYou can change your name on your passport with one of the following documents:\n\n- a deed poll\n\n- a statutory declaration\n\n- an affidavit\n\nSend it with both:\n\n- proof of any previous name changes you\u2019ve made\n\n- evidence that you\u2019re using your new name (for example a payslip or a letter from your local council)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/changing-passport-information", + "answerable": true, + "scenario": "I applied for my newborn baby's UK passport but her name is slightly misspelt and I want it corrected .", + "original_question": "Can i apply for the error correction?" + }, + { + "id": "train-1973", + "question": "Scenario: My husband and I are getting married. We are planning to have our marriage ceremony soon and would like to change my surname to match his. We also want to travel before the ceremony.\n\nQuestion: Can I apply for the new passport?\n\nDocument - Change your name or personal details on your passport:\n## How it works\n\nYou\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:\n\n- your name\n\n- your gender\n\n- your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)\n\nThe name on your passport must match the one you use when you book your travel.\n\nYou\u2019ll be sent a new 10 year passport. Time left on your old passport will not be added to your new one.\n\n## When you do not need a new passport\n\nYou do not need to get a new passport if you:\n\n- change your address or contact details\n\n- get a new job\n\n- change your appearance slightly - for example, dye your hair or grow a beard\n\n- change your marital status (divorce, marry or form a civil partnership) but keep your name\n\n- change your title, for example, doctor or professor\n\n- become a national of another country as well as the UK\n\n- emigrate\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport. It takes longer to apply by post than online.\n\nYou may be able to get a passport urgently if you need to travel sooner.\n\nDo not book travel until you have a valid passport - your new passport will not have the same number as your old one.\n\n## Apply online\n\nYou can apply for a new passport online. It costs \u00a375.50.\n\nStart now\n\n## Apply using a paper application form\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications. Use the online service to get your passport.\n\nYou can get a paper application form by either:\n\n- going to a Post Office that has a Check and Send service\n\n- calling the Passport Adviceline\n\nIt costs \u00a385.\n\nFill in and sign your passport application using the name that you want to see printed on your passport.\n\n## Countersignatures\n\nYou must get a countersignature if your appearance has changed and you cannot be recognised from your existing passport.\n\nYou do not need a countersignature if you\u2019re changing your name or adding a title.\n\n## Unexpired visas\n\nUnexpired visas in your old passport may become invalid if you change your name. Check with the embassy or consulate of the country that issued the visa.\n\n## If you have a non-British passport\n\nIf you have dual citizenship (\u2018dual nationality\u2019) and have a non-British passport, the name on your non-British passport must match the name and gender you want on your British passport.\n\nIf it\u2019s different, change the details on your non-British passport before you apply for a new British passport.\n\n## Marriage or civil partnership change\n\nYou can get a new passport in your new name either before or after the ceremony.\n\nThe name on your passport must match the one you use when you book your travel.\n\n## Get a new passport after the ceremony\n\nSend your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.\n\n## Get a new passport before the ceremony\n\nYou can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.\n\nYour old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.\n\nSome countries will not issue visas for post-dated passports - check with the country\u2019s embassy or consulate.\n\nYou must send a \u2018passports for newly weds and civil partners\u2019 form with your documents. It must be signed by the religious minister or registrar who will conduct the ceremony.\n\n## Divorce or returning to a previous surname\n\nWhen you apply, you also need to send:\n\n- your birth certificate\n\n- a statement signed by you saying you\u2019ve gone back to a previous surname (for example your maiden name) \u2018for all purposes\u2019 - that is, you will not use your married or civil partnership name at all\n\n- a document that shows you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\n- your decree absolute or final order showing both names\n\n- a marriage or civil partnership certificate showing both names - if you do not have it you can order a copy\n\n## Gender change\n\nSend one of the following when you apply for a passport:\n\n- a Gender Recognition Certificate\n\n- a new birth or adoption certificate showing your acquired gender\n\n- a letter from your doctor or medical consultant confirming your change of gender is likely to be permanent\n\nIf you\u2019re sending a letter from your doctor or medical consultant and you\u2019re changing your name, you\u2019ll also need to supply both of the following:\n\n- evidence of your change of name (such as a deed poll)\n\n- evidence that you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\nRead the information about passports for transgender and transsexual people if you need help.\n\n## Titles and small changes to forenames\n\nYou can:\n\n- change the spelling of your name slightly - for example, Jane to Jayne\n\n- change the order of your forenames\n\n- remove middle names\n\nSend 2 documents that show you\u2019re using your new name. These can include a:\n\n- letter from a local council or government department\n\n- driving licence\n\n- bank statement\n\n- baptism or confirmation certificate\n\n## Titles you can use on your passport\n\nYou can include:\n\n- professional titles - for example, doctor, judge, minister of religion, professor, QC, or JP if you\u2019re a magistrate\n\n- honours or military decorations\n\nPut the details in the \u2018other title\u2019 box of your application and send evidence of your title.\n\nYour title will be on the \u2018observations\u2019 page of your passport - it will not be part of your name, except if it\u2019s a title of nobility, for example knight, dame or a lord.\n\n## Other name changes\n\nYou can change your name on your passport with one of the following documents:\n\n- a deed poll\n\n- a statutory declaration\n\n- an affidavit\n\nSend it with both:\n\n- proof of any previous name changes you\u2019ve made\n\n- evidence that you\u2019re using your new name (for example a payslip or a letter from your local council)", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/changing-passport-information", + "answerable": true, + "scenario": "My husband and I are getting married. We are planning to have our marriage ceremony soon and would like to change my surname to match his. We also want to travel before the ceremony.", + "original_question": "Can I apply for the new passport?" + }, + { + "id": "train-1978", + "question": "Scenario: My friend Lisa is a doctor by profession from the United States.She is eligible for a heath and care work visa. She wants to compile documents and pay all the needed fees.\n\nQuestion: Doe she need to pay for a healthcare surcharge ?\n\nDocument - Pay for UK healthcare as part of your immigration application:\n## Overview\n\nYou might need to pay a healthcare surcharge (called the \u2018immigration health surcharge\u2019 or IHS) as part of your immigration application.\n\nWhether you need to pay depends on the immigration status you\u2019re applying for.\n\n## When you must pay\n\nIf you\u2019re making your immigration application online, you pay the surcharge as part of your application or when you book an appointment.\n\nIf you\u2019re applying by post, you pay the surcharge online before you send your application. You\u2019ll need to include the IHS reference number on your application form.\n\n## When you can start to use the NHS\n\nYou can start using the National Health Service (NHS) when both:\n\n- you\u2019ve paid the healthcare surcharge (or are exempt from paying it)\n\n- your visa or immigration application is granted\n\nYou\u2019ll still need to pay for certain types of services, such as prescriptions, dental treatment, eye tests and assisted conception.\n\nWhen you access healthcare in the UK, you may need to:\n\n- provide your biometric residence permit, if you have one\n\n- prove your status online using a share code, if you have a digital immigration status\n\n## Who needs to pay\n\nYou usually need to pay the healthcare surcharge if you\u2019re applying for a visa or immigration application:\n\n- for more than 6 months, if you\u2019re applying outside the UK\n\n- for any length of time, if you\u2019re applying inside the UK\n\nYou do not need to pay if you\u2019re applying for a visitor visa or to remain in the UK permanently.\n\nYou still need to pay even if you have private medical insurance.\n\n## Who only needs an IHS reference number\n\nYou still need to use the payment service to get an immigration health surcharge (IHS) reference number but you will not need to pay if:\n\n- you\u2019re a child under 18 who has been taken into care by a local authority\n\n- you\u2019re a relevant civilian employee at NATO or the Australian Department of Defence in the UK (or you\u2019re their dependant)\n\nThe service will tell you that you do not have to pay anything and will give you your healthcare surcharge reference number for your application.\n\nYou\u2019ll be able to use the National Health Service (NHS) even if you\u2019re exempt from paying.\n\n## Who does not need to pay or get an IHS reference number\n\nYou\u2019ll be able to use the NHS without paying the surcharge or getting a reference number if:\n\n- you\u2019re applying for indefinite leave to enter or remain\n\n- you\u2019re a health and care worker who is eligible for a Health and Care Worker visa (or you\u2019re their dependant)\n\n- you\u2019re applying to the EU Settlement Scheme\n\n- you\u2019re a diplomat or a member of a visiting armed forces and not subject to immigration control\n\n- you\u2019re a dependant of a member of the UK\u2019s armed forces\n\n- you\u2019re the dependant of a member of another country\u2019s armed forces who is exempt from immigration control\n\n- you\u2019re applying for a visa for the Isle of Man or Channel Islands\n\n- you\u2019re a British Overseas Territory citizen resident in the Falkland Islands\n\n- you\u2019re an asylum seeker or applying for humanitarian protection (or you\u2019re their dependant)\n\n- you\u2019re a domestic worker who has been identified as a victim of slavery or human trafficking\n\n- you\u2019re applying for discretionary leave to remain in the UK as someone who has been identified as a victim of slavery or human trafficking (or you\u2019re their dependant)\n\n- the Home Office\u2019s domestic violence concession applies to you (or you\u2019re their dependant)\n\n- being made to leave the UK would be against your rights under Article 3 of the European Convention of Human Rights (or you\u2019re their dependant)\n\n- you\u2019re an S2 Healthcare Visitor\n\n- you\u2019re eligible for a Frontier Worker permit and have an S1 certificate\n\nYou need to pay the healthcare surcharge if you apply for indefinite leave to remain but are only given limited leave. You\u2019ll need to pay before you\u2019re given the leave.\n\n## Visitor visas and short-term visas\n\nYou do not need to pay the surcharge or get an IHS reference number if you\u2019re applying for a:\n\n- visitor visa\n\n- visa for 6 months or less from outside the UK\n\nYou will need to pay for any NHS care you get at the point you use it - unless it\u2019s a service that\u2019s free.\n\n## How much you have to pay\n\nYou\u2019ll have to pay:\n\n- \u00a3470 per year for a student or Youth Mobility Scheme visa, for example \u00a3940 for a 2-year visa\n\n- \u00a3470 per year for visa and immigration applicants who are under the age of 18 at time of application\n\n- \u00a3624 per year for all other visa and immigration applications, for example \u00a33,120 for a 5-year visa\n\nDependants aged 18 or over usually need to pay the same amount as you.\n\nThe exact amount you have to pay depends on how much leave you\u2019re granted. Calculate how much you\u2019ll have to pay before you apply.\n\nYou\u2019ll pay half of the yearly amount if your application includes part of a year that is less than 6 months.\n\nYou\u2019ll pay for a whole year if your application includes part of a year that is more than 6 months.\n\nYou\u2019ll automatically get a partial refund if you paid the healthcare surcharge for more years than you were granted leave.\n\n## When you must pay\n\nIf you apply for a visa online, you pay the surcharge as part of the application.\n\nIf you apply for a visa by post, you must pay the surcharge online before you send your application. You\u2019ll need to include your IHS reference number on the application form.\n\n## If you do not pay\n\nYou\u2019ll get an email from UK Visas and Immigration if you do not pay the surcharge (or do not pay enough) as part of your visa or immigration application.\n\nCheck your junk folder if you cannot see the email in your inbox.\n\nOnce you get the email, you must pay the surcharge within:\n\n- 10 working days if you\u2019re inside the UK\n\n- 7 working days if you\u2019re outside the UK\n\nYour visa or immigration application will be turned down if you do not pay the full amount in this time.\n\n## Pay the healthcare surcharge\n\nIf you\u2019re making an immigration application online you pay the healthcare surcharge as part of the application process. You must complete the payment and return to the online immigration application in less than 30 minutes.\n\nIf you\u2019re making an immigration application by post you must pay the healthcare surcharge before you complete your application.\n\nYou must pay the healthcare surcharge by debit or credit card.\n\nIf you\u2019re applying online, you\u2019ll be asked for:\n\n- the start and end dates on your certificate of sponsorship, if you have one\n\n- your course dates, if you\u2019re applying as a student\n\nIf you\u2019re applying by post, you\u2019ll also be asked for:\n\n- the type of visa you\u2019re applying for\n\n- your passport or travel document number\n\n- an email address\n\nPay now\n\nYou need to pay by cash at the UK embassy if you\u2019re in the Democratic People\u2019s Republic of Korea.\n\n## Family members\n\nYou\u2019ll need the same information that you used to pay for:\n\n- any person applying for a visa or other immigration application with you, for example a dependant\n\n- any person you\u2019re applying to join or remain who is already in the UK (you do not need to add this person\u2019s details if they are a UK or EEA citizen)\n\nYou\u2019ll also need their leave expiry date if you\u2019re joining someone in the UK (or IHS reference number if they have one).\n\n## Finish your visa or immigration application\n\n- You\u2019ll be sent an email with an IHS reference number. This will also be shown on screen when you\u2019ve paid. You can only use this number once - you\u2019ll need to get another one if you reapply.\n\n- You\u2019ll need to write this on the cover of your visa application if you\u2019re applying by post. You need this reference even if you\u2019re exempt from paying the healthcare surcharge.\n\n- Finish your application form and pay your visa or immigration application fee.\n\n## Refunds\n\nYou\u2019ll get a full immigration health surcharge (IHS) refund if:\n\n- you paid twice\n\n- your visa application is refused\n\n- you withdraw your visa application\n\nYou\u2019ll get a partial IHS refund if your visa application\u2019s successful but:\n\n- you get less time on your visa than you asked for\n\n- any dependants on your visa application are refused\n\nIf you are due a full or partial refund for these reasons, you do not have to do anything to get it. It will be automatically paid to the account or card you paid with.\n\nYou will not get a refund if:\n\n- your visa application is successful but you do not come to the UK\n\n- you leave the UK before your visa ends, for example to make a new application\n\n- you\u2019re told to leave the UK before your visa expires\n\n- you\u2019re applying for indefinite leave to remain\n\n## If your healthcare is paid for by an EU country\n\nYou may get a full or partial IHS refund if you have an S1 certificate registered with the NHS Business Services Authority.\n\nYou can also apply for a full or partial IHS refund if all of the following are true:\n\n- you\u2019re a full-time student in UK higher education\n\n- your visa started on or after 1 January 2021\n\n- you have a European Healthcare Insurance Card (EHIC) issued in an EU country\n\n- you do not work\n\nIf you\u2019re claiming as a full-time student with an EHIC, you can apply for a refund of the IHS you paid to cover any period starting on or after 1 January 2021. Applications open from 1 January 2022.\n\nThe amount you\u2019re refunded will depend on the date your S1 certificate or EHIC runs out.\n\nFind out more about applying for a refund.\n\n## If you work in health and care\n\nYou and your dependants may be able to get a refund of the IHS if you work in health and care.\n\nCheck if you\u2019re eligible for a refund as a health or care worker.\n\n## How long it takes\n\nYou usually get your refund within 6 weeks of getting a decision on your visa application. It can take longer if you appeal or ask for an administrative review after your visa application is refused.\n\n## If you appeal or ask for an administrative review\n\nIf you applied from:\n\n- inside the UK - you\u2019ll get your refund up to 6 weeks after your appeal or administrative review is dismissed\n\n- outside the UK - you\u2019ll get your refund up to 6 weeks after your visa application is refused\n\nYou\u2019ll have to repay the IHS if your appeal or administrative review is successful and you\u2019ve already got your IHS refund.\n\nYou might have to repay a different amount if:\n\n- the length of your stay changes\n\n- you get less time on your visa than you asked for\n\nContact UK Visas and Immigration (UKVI) if your refund is not paid within 6 weeks.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/healthcare-immigration-application", + "answerable": true, + "scenario": "My friend Lisa is a doctor by profession from the United States.She is eligible for a heath and care work visa. She wants to compile documents and pay all the needed fees.", + "original_question": "Doe she need to pay for a healthcare surcharge ?" + }, + { + "id": "train-1980", + "question": "Scenario: I am a UK registered traveller from Botswana and I have 30 days left on my membership. I want to add my son to my Registered traveller membership .\n\nQuestion: Is it possible?\n\nDocument - Registered Traveller: faster entry through the UK border:\n## Overview\n\nThe Registered Traveller service can help you get through the UK border faster.\n\nRegistered Travellers can use UK channels at some airports and train stations. You can use:\n\n- UK passport entry lanes\n\n- ePassport gates - if your passport has a \u2018chip\u2019\n\nYou\u2019ll need to carry your visa or biometric residence permit, if you have one.\n\nYou can no longer use the Registered Traveller service if you\u2019re from Australia, Canada, Japan, New Zealand, Singapore, South Korea or the United States. You may be able to use the ePassport gates instead.\n\n## Eligibility\n\nTo apply for Registered Traveller membership, you must be 18 or older and have an eligible passport.\n\nYou must also either:\n\n- have a UK visa or entry clearance\n\n- have visited the UK at least 4 times in the last 24 months\n\nIt counts as visiting when you enter the UK from another country. It does not count if you\u2019re just passing through the UK on your way to another country.\n\n## Eligible passports\n\n## Africa\n\nBotswana, Namibia, Seychelles.\n\n## Asia\n\nBrunei, Hong Kong (Special Administrative Region passports only), Macao Special Administrative Region, Malaysia, Maldives, Taiwan (if your passport has a personal ID number on the photo page).\n\n## Europe\n\nAndorra, Monaco, Vatican City State.\n\n## Middle East\n\nIsrael.\n\n## North America\n\nBahamas, Mexico, Saint Vincent and the Grenadines.\n\n## Oceania\n\nNauru, Papua New Guinea, Samoa, Tonga.\n\n## South and Central America\n\nArgentina, Belize, Brazil, Chile, Costa Rica, El Salvador, Guatemala, Honduras, Nicaragua, Panama, Paraguay, Trinidad and Tobago, Uruguay.\n\n## Where you can use Registered Traveller\n\nYou can use the service at the following airports:\n\n- Birmingham\n\n- Bristol\n\n- Cardiff\n\n- East Midlands\n\n- Edinburgh\n\n- Gatwick\n\n- Glasgow\n\n- Heathrow\n\n- London City\n\n- Luton\n\n- Manchester\n\n- Southend\n\n- Stansted\n\nYou can use the service at the following Eurostar terminals:\n\n- Brussels\n\n- Lille\n\n- Paris\n\n## How to apply\n\nBefore you apply, check you\u2019re eligible.\n\n- Apply online for Registered Traveller membership. You\u2019ll need your passport number and expiry date. It costs \u00a370 and and lasts 12 months.\n\n- You\u2019ll get a decision on your application within 10 working days. You\u2019ll get \u00a350 back if your application is unsuccessful.\n\n- If your application is accepted, the next time you travel to the UK you must go through the \u2018other passports\u2019 lane.\n\n- The immigration officer will check that you meet the criteria and tell you if you can become a member. Your 12 month membership will start on the day you submitted your application.\n\n## Renew or update your membership\n\nIt costs \u00a350 to renew your Registered Traveller membership for another year.\n\nIt costs \u00a320 to update your passport details if you get a new passport. You must do this before you travel to the UK.\n\nYou must also update your details if your visa or immigration status changes. There\u2019s no fee to do this.\n\nYou can also renew or update your child\u2019s membership.\n\n## Add children to your membership\n\nYou can apply to add your children to your Registered Traveller membership if you have 29 days or more left on it.\n\nOnce your child is added to your membership, you can both use the UK passport lanes together.\n\nYou will not be able to use the ePassport gates.\n\nYour child\u2019s membership will expire at the same time as yours. You\u2019ll need to renew or update your and your child\u2019s memberships separately.\n\nOnce you\u2019ve added the child to your membership, they can also travel with their other parent as long as they\u2019re also a member. Before they travel together, you\u2019ll need to email the Home Office with full names and Registered Traveller numbers for:\n\n- you\n\n- your child\n\n- your child\u2019s other parent\n\nHome Office Registered Traveller service\nrtinbox@homeoffice.gov.uk\n\n## Eligibility\n\nYour child must:\n\n- be 17 or under\n\n- have an eligible passport\n\n- have a visa or entry clearance, if they\u2019re not applying as a visitor\n\n## Fee\n\nYou must pay a \u00a320 administration fee to apply for each child, plus a membership fee. This is worked out as \u00a32 a month until your membership expires.\n\nYou\u2019ll be told how much you need to pay when you apply.\n\nYou\u2019ll get the membership fee back if your application is unsuccessful. You will not get the \u00a320 administration fee back.\n\n## How to apply\n\nYou must apply and pay for each child separately.\n\nYou\u2019ll need your:\n\n\u2022 Registered Traveller number\n\u2022 child\u2019s passport number and expiry date\n\nYou\u2019ll get a decision on your application within 10 working days.\n\n## Renew or update your child\u2019s membership\n\nYou\u2019ll need to sign in with your child\u2019s Registered Traveller number and date of birth to renew or update their membership.\n\nYou\u2019ll have to pay a membership fee to renew your child\u2019s membership, which is worked out as \u00a32 a month until your membership expires.\n\nIt costs \u00a320 to update your child\u2019s passport details if they get a new passport. You must do this before your child travels to the UK.\n\nYou must also update your child\u2019s details if their visa or immigration status changes. There\u2019s no fee to do this.\n\n## When you travel to the UK\n\nIf your application is successful, the first time you and your child travel to the UK you must both go through the \u2018other passports\u2019 lane together.\n\nYou might need to prove the relationship between you and any children travelling with you, for example if you have different surnames.\n\nYou can do this with:\n\n\u2022 a birth or adoption certificate showing your relationship to the child\n\u2022 a divorce or marriage certificate if you\u2019re the parent but have a different surname to the child\n\nThe immigration officer will then confirm your child has been added to your membership. You\u2019ll get a confirmation email within 48 hours.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/registered-traveller", + "answerable": true, + "scenario": "I am a UK registered traveller from Botswana and I have 30 days left on my membership. I want to add my son to my Registered traveller membership .", + "original_question": "Is it possible?" + }, + { + "id": "train-1982", + "question": "Scenario: I am 25 and have only been in my retail job for five months. I have just been told that there is not enough work for all of the employees and so I am being put on short time. I am unhappy about this as I can't pay my rent now.\n\nQuestion: Is it legal for my employer to have done this?\n\nDocument - Lay-offs and short-time working:\n## Overview\n\nYour employer can ask you to stay at home or take unpaid leave if there\u2019s not enough work for you.\n\nA lay-off is if you\u2019re off work for at least 1 working day. Short-time working is when your hours are cut.\n\n## How long you can be laid off\n\nThere\u2019s no limit for how long you can be laid off or put on short-time. You could apply for redundancy and claim redundancy pay if it\u2019s been:\n\n- 4 weeks in a row\n\n- 6 weeks in a 13-week period\n\n## Lay-off pay entitlement and short-time working payments\n\nYou should get your full pay unless your contract allows unpaid or reduced pay lay-offs.\n\nIf you\u2019re unpaid, you\u2019re entitled to guarantee pay.\n\nIf you\u2019ve been told to take unpaid leave or reduced pay because of Coronavirus (COVID-19), your employer might still be able to pay 80% of your wages.\n\n## Guarantee pay\n\n## Rate and length of statutory lay-off pay\n\nYou\u2019re entitled to guarantee pay during lay off or short-time working. The maximum you can get is \u00a330 a day for 5 days in any 3-month period - so a maximum of \u00a3150.\n\nIf you usually earn less than \u00a330 a day you\u2019ll get your normal daily rate.\n\nIf you work part-time, your entitlement is worked out proportionally.\n\nYou cannot claim guarantee pay for any day that you do some work.\n\n## Eligibility for statutory lay-off pay\n\nYou must:\n\n- have been employed continuously for 1 month (includes part-time workers)\n\n- reasonably make sure you\u2019re available for work\n\n- not refuse any reasonable alternative work (including work not in your contract)\n\n- not have been laid off because of industrial action\n\n## Statutory lay-off pay and your employment contract\n\nYour employer may have their own guarantee pay scheme. It cannot be less than the statutory arrangements. If you get your employer\u2019s payments, you do not get statutory lay-off pay on top of this.\n\nNot paying guarantee pay counts as an unlawful deduction from your wages - you could make a claim to an employment tribunal.\n\n## Applying for redundancy\n\nYou could apply for redundancy and claim redundancy pay if you\u2019ve been laid off without pay or put on short-time and receive less than half a week\u2019s pay for:\n\n- 4 or more weeks in a row\n\n- 6 or more weeks in a 13-week period\n\n- Write to your employer to claim redundancy within 4 weeks of the last day of the lay-off or short-time period.\n\n- Your employer has 7 days to accept your claim or give you a written counter-notice.\n\n- If your employer does not give you counter-notice, you can assume they\u2019ve accepted your redundancy claim.\n\n- A counter-notice means your employer expects work will soon be available - it must start within 4 weeks and must last at least 13 weeks.\n\nYour employer can withdraw their counter-notice in writing.\n\n## Resigning\n\nYou must resign to get redundancy pay. The timing is crucial - you have 3 weeks to hand in your notice, starting from:\n\n- 7 days after you gave written notice to your employer (if you did not get a counter-notice)\n\n- the date your employer withdrew their counter-notice\n\nYou can get help from Citizens Advice.\n\n## Extra work or claiming benefits\n\nYou can take on another job while you\u2019re laid off or on short-time (unless your contract says you must not).\n\nYou should:\n\n- get your employer\u2019s agreement\n\n- make sure you\u2019re not working for a competitor\n\n- make sure you\u2019re available for your original job once the lay-off or short-time ends\n\n## Benefits you can claim\n\nYou might be able to get Universal Credit or \u2018new style\u2019 Jobseeker\u2019s Allowance (or both) while you\u2019re laid off or on short-time.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/lay-offs-short-timeworking", + "answerable": true, + "scenario": "I am 25 and have only been in my retail job for five months. I have just been told that there is not enough work for all of the employees and so I am being put on short time. I am unhappy about this as I can't pay my rent now.", + "original_question": "Is it legal for my employer to have done this?" + }, + { + "id": "train-1986", + "question": "Scenario: I am a 21 year old factory worker and have been in my job for four months. My supervisor is wanting to call a strike for better pay. My co workers are going to strike but I am afraid that I will be sacked if I join as I've been there so short a time.\n\nQuestion: Are there any potential penalities likely to be taken against me if I participate in industrial action?\n\nDocument - Taking part in industrial action and strikes:\n## Overview\n\nIndustrial action is when workers:\n\n- go on strike\n\n- take other action, like refusing to do overtime (known as \u2018action short of a strike\u2019)\n\nSometimes an employer may stop their workers from working or coming back to work during a dispute. This is called a \u2018lock-out\u2019.\n\n## Calling industrial action\n\nIndustrial action happens when trade union members are in a dispute with their employers that can\u2019t be solved through negotiations.\n\nA trade union can only call for industrial action if a majority of its members involved support it in a properly organised postal vote - called a \u2018ballot\u2019.\n\nBefore organising a ballot, a union must decide which members affected by a dispute it wants to ask to take industrial action. It must tell all members entitled to vote and the employer what the ballot results were.\n\nA trade union calls industrial action by telling members and the employer when and how this action will be taken. This should be done by a trade union official or committee that has the legal right to do so. Your voting paper must have said who this is.\n\n## Taking part in industrial action - your rights\n\nIf you\u2019re a trade union member, you have the right to vote before your union asks you to take industrial action. You don\u2019t have to take part in industrial action and can\u2019t be disciplined by your union if you don\u2019t.\n\nIf you do get excluded or expelled from your union, you can complain to an employment tribunal.\n\n## Secondary action\n\nIt\u2019s against the law to take part in \u2018secondary action\u2019 (going on strike in sympathy with people who work for a different employer).\n\n## Holding a ballot\n\nYour union must have a vote (a \u2018ballot\u2019) that\u2019s properly organised according to legal rules.\n\n## Properly organised ballots\n\nA ballot for industrial action must:\n\n- be supervised by a qualified independent person (a \u2018scrutineer\u2019 - often someone from an organisation like the Electoral Reform Society) appointed by the union if over 50 members are being balloted\n\n- be held before the union asks members to take or continue taking action\n\n- be open to all members the union wants to take action\n\n- be a postal ballot where members vote by marking a box on a voting paper and return it in a prepaid envelope\n\n- include information on what the ballot is about and where to post your vote\n\nThe union must tell everyone entitled to vote how many people voted, the number of yes votes, no votes or spoiled papers as soon as it can after the ballot.\n\nIt must also give the employer one week\u2019s notice of the start of the ballot and tell them the result as soon as\u00a0possible once it\u2019s available.\n\nThere\u2019s practical guidance on these rules in the code of practice on industrial action ballots.\n\n## Questions on the voting paper\n\nWhen you\u2019re balloted, your voting paper must ask whether you want to take part in either (or both):\n\n- strike action\n\n- action short of a strike\n\nThe union can only call on members to take action if a majority of members who voted were in favour of that particular action. If both questions are asked on the ballot paper and members vote yes to both, the union can decide what industrial action to take.\n\n## Complaining about ballots\n\nYou can apply for a court order if your union breaks the rules on industrial action ballots. You can take legal advice before doing this.\n\nThe court may order the union not to organise action if it decides a ballot wasn\u2019t held according to the rules.\n\nYou can apply for a temporary injunction that tells the union not to call industrial action if your case can\u2019t be heard in court straight away.\n\nIf the union doesn\u2019t do what the court says, you can ask them to \u2018declare the union to be in contempt of court\u2019 and the union can be fined.\n\n## Your employment rights during industrial action\n\nYou have the right to take industrial action and you can\u2019t be legally forced to stay at, or go back to, work (unless a ballot wasn\u2019t organised properly).\n\nIf you take industrial action, you\u2019ll probably have broken (be \u2018in breach of\u2019) your employment contract and your employer:\n\n- is unlikely to pay for the work you didn\u2019t do when you took industrial action\n\n- can sue you for breaking your contract (this doesn\u2019t happen often)\n\nTaking industrial action doesn\u2019t usually mean that your employer will say you\u2019ve broken your period of continuous employment with them. This begins when you start working for your employer and ends on the day your employer uses to calculate your length of service.\n\nHowever, if you take industrial action, your employer will reduce your length of service with them by the number of days you were on strike. This is important when working out your pension and things like statutory redundancy pay.\n\n## Dismissal for industrial action\n\nYou can\u2019t be dismissed for industrial action if:\n\n- it\u2019s called as a result of a properly organised ballot\n\n- it\u2019s about a trade dispute between workers and their employer (eg about your terms and conditions)\n\n- a detailed notice about the industrial action (which is legally required) has been given to the employer at least 7 days before it begins\n\nYou can claim unfair dismissal at an employment tribunal if you\u2019re dismissed for taking industrial action at any time within the 12 weeks after the action began.\n\nAfter 12 weeks, you can be dismissed if you take industrial action and your employer has tried to settle the dispute. For example, your employer may bring in advisers from Acas to help find a solution.\n\n## When you may be dismissed\n\nYou could be dismissed for taking part in industrial action if:\n\n- the union hasn\u2019t held a properly organised ballot\n\n- the union hasn\u2019t given the employer the correct notice for balloting members or taking action\n\n- the union hasn\u2019t called its members to take action because they think the dispute is settled or action is called by someone who doesn\u2019t have the authority to do so\n\n- it\u2019s in support of workers taking action against another employer (otherwise known as \u2018sympathy\u2019 or \u2018secondary\u2019 action)\n\n- it\u2019s in support of only employing union members (otherwise known as a \u2018closed shop\u2019)\n\n- it breaks any other parts of industrial action law\n\nIf you take part in industrial action that breaks the regulations and you\u2019re dismissed, you can\u2019t usually claim unfair dismissal if all employees taking part are dismissed as well.\n\nThere\u2019s more detail on legal rights and protections in the guidance on industrial action and the law.\n\n## Industrial action by non-union members\n\nNon-union members who take part in legal, official industrial action have the same rights as union members not to be dismissed as a result of taking action.\n\n## Going on strike and picketing\n\nA picket line is where workers and union reps (\u2018picketers\u2019 or \u2018pickets\u2019) stand outside a workplace to tell other people why they are striking. Pickets may also ask people not to:\n\n- do some of their usual work\n\n- go into work\n\nPickets must not prevent people from going to work or doing their usual work if they want to do so.\n\nThe picketing code of practice explains the rules around lawful picketing.\n\n## Picketing and the law\n\nIt\u2019s a criminal offence for pickets to:\n\n- use threatening or abusive behaviour to people walking past or crossing the picket line\n\n- block people or vehicles trying to get into the workplace which is on strike (called \u2018causing an obstruction\u2019 by police)\n\n- carry weapons\n\n- damage property\n\n- cause or threaten to cause a \u2018breach of the peace\u2019\n\n- try to block roads near the picket line (called \u2018causing an obstruction to the public highway\u2019)\n\n- try to stop the police who are outside the workplace from doing their job\n\nYou can have legal action taken against you if you break the law or encourage others to do so when you\u2019re picketing. This includes:\n\n- trespassing (trying to enter a building without permission)\n\n- making a noise nuisance\n\n- using threatening language or offensive material, libel or slander in leaflets, banners, placards, chants or speeches\n\nIf you break a court order banning you or your trade union from holding a picket, you could be open to further legal action (otherwise known as \u2018contempt of court\u2019).\n\n## Mass picketing\n\nPolice have special powers to stop a mass picket if they think there\u2019s a danger of:\n\n- serious public disorder (like a riot)\n\n- serious damage to property\n\nThe Code of Practice on picketing says usually there should be no more than 6 people outside an entrance to a workplace.\n\nIf you don\u2019t stop picketing when told do so by police, you can be arrested.\n\n## Flying pickets\n\nFlying pickets are groups of striking workers that move from one workplace to another to picket them. Usually flying pickets are illegal - you can only join a picket line at your workplace.\n\nTrade union reps can be on picket lines at different workplaces if they\u2019re responsible for organising workers in those workplaces.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/industrial-action-strikes", + "answerable": true, + "scenario": "I am a 21 year old factory worker and have been in my job for four months. My supervisor is wanting to call a strike for better pay. My co workers are going to strike but I am afraid that I will be sacked if I join as I've been there so short a time.", + "original_question": "Are there any potential penalities likely to be taken against me if I participate in industrial action?" + }, + { + "id": "train-1989", + "question": "Scenario: Myself and my Husband are Registered Travellers from North America. We have visited the UK many times before and have just applied for our visas. I had a baby last year.\n\nQuestion: Is it possible to add children onto our Registered Travellers membership?\n\nDocument - Registered Traveller: faster entry through the UK border:\n## Overview\n\nThe Registered Traveller service can help you get through the UK border faster.\n\nRegistered Travellers can use UK channels at some airports and train stations. You can use:\n\n- UK passport entry lanes\n\n- ePassport gates - if your passport has a \u2018chip\u2019\n\nYou\u2019ll need to carry your visa or biometric residence permit, if you have one.\n\nYou can no longer use the Registered Traveller service if you\u2019re from Australia, Canada, Japan, New Zealand, Singapore, South Korea or the United States. You may be able to use the ePassport gates instead.\n\n## Eligibility\n\nTo apply for Registered Traveller membership, you must be 18 or older and have an eligible passport.\n\nYou must also either:\n\n- have a UK visa or entry clearance\n\n- have visited the UK at least 4 times in the last 24 months\n\nIt counts as visiting when you enter the UK from another country. It does not count if you\u2019re just passing through the UK on your way to another country.\n\n## Eligible passports\n\n## Africa\n\nBotswana, Namibia, Seychelles.\n\n## Asia\n\nBrunei, Hong Kong (Special Administrative Region passports only), Macao Special Administrative Region, Malaysia, Maldives, Taiwan (if your passport has a personal ID number on the photo page).\n\n## Europe\n\nAndorra, Monaco, Vatican City State.\n\n## Middle East\n\nIsrael.\n\n## North America\n\nBahamas, Mexico, Saint Vincent and the Grenadines.\n\n## Oceania\n\nNauru, Papua New Guinea, Samoa, Tonga.\n\n## South and Central America\n\nArgentina, Belize, Brazil, Chile, Costa Rica, El Salvador, Guatemala, Honduras, Nicaragua, Panama, Paraguay, Trinidad and Tobago, Uruguay.\n\n## Where you can use Registered Traveller\n\nYou can use the service at the following airports:\n\n- Birmingham\n\n- Bristol\n\n- Cardiff\n\n- East Midlands\n\n- Edinburgh\n\n- Gatwick\n\n- Glasgow\n\n- Heathrow\n\n- London City\n\n- Luton\n\n- Manchester\n\n- Southend\n\n- Stansted\n\nYou can use the service at the following Eurostar terminals:\n\n- Brussels\n\n- Lille\n\n- Paris\n\n## How to apply\n\nBefore you apply, check you\u2019re eligible.\n\n- Apply online for Registered Traveller membership. You\u2019ll need your passport number and expiry date. It costs \u00a370 and and lasts 12 months.\n\n- You\u2019ll get a decision on your application within 10 working days. You\u2019ll get \u00a350 back if your application is unsuccessful.\n\n- If your application is accepted, the next time you travel to the UK you must go through the \u2018other passports\u2019 lane.\n\n- The immigration officer will check that you meet the criteria and tell you if you can become a member. Your 12 month membership will start on the day you submitted your application.\n\n## Renew or update your membership\n\nIt costs \u00a350 to renew your Registered Traveller membership for another year.\n\nIt costs \u00a320 to update your passport details if you get a new passport. You must do this before you travel to the UK.\n\nYou must also update your details if your visa or immigration status changes. There\u2019s no fee to do this.\n\nYou can also renew or update your child\u2019s membership.\n\n## Add children to your membership\n\nYou can apply to add your children to your Registered Traveller membership if you have 29 days or more left on it.\n\nOnce your child is added to your membership, you can both use the UK passport lanes together.\n\nYou will not be able to use the ePassport gates.\n\nYour child\u2019s membership will expire at the same time as yours. You\u2019ll need to renew or update your and your child\u2019s memberships separately.\n\nOnce you\u2019ve added the child to your membership, they can also travel with their other parent as long as they\u2019re also a member. Before they travel together, you\u2019ll need to email the Home Office with full names and Registered Traveller numbers for:\n\n- you\n\n- your child\n\n- your child\u2019s other parent\n\nHome Office Registered Traveller service\nrtinbox@homeoffice.gov.uk\n\n## Eligibility\n\nYour child must:\n\n- be 17 or under\n\n- have an eligible passport\n\n- have a visa or entry clearance, if they\u2019re not applying as a visitor\n\n## Fee\n\nYou must pay a \u00a320 administration fee to apply for each child, plus a membership fee. This is worked out as \u00a32 a month until your membership expires.\n\nYou\u2019ll be told how much you need to pay when you apply.\n\nYou\u2019ll get the membership fee back if your application is unsuccessful. You will not get the \u00a320 administration fee back.\n\n## How to apply\n\nYou must apply and pay for each child separately.\n\nYou\u2019ll need your:\n\n\u2022 Registered Traveller number\n\u2022 child\u2019s passport number and expiry date\n\nYou\u2019ll get a decision on your application within 10 working days.\n\n## Renew or update your child\u2019s membership\n\nYou\u2019ll need to sign in with your child\u2019s Registered Traveller number and date of birth to renew or update their membership.\n\nYou\u2019ll have to pay a membership fee to renew your child\u2019s membership, which is worked out as \u00a32 a month until your membership expires.\n\nIt costs \u00a320 to update your child\u2019s passport details if they get a new passport. You must do this before your child travels to the UK.\n\nYou must also update your child\u2019s details if their visa or immigration status changes. There\u2019s no fee to do this.\n\n## When you travel to the UK\n\nIf your application is successful, the first time you and your child travel to the UK you must both go through the \u2018other passports\u2019 lane together.\n\nYou might need to prove the relationship between you and any children travelling with you, for example if you have different surnames.\n\nYou can do this with:\n\n\u2022 a birth or adoption certificate showing your relationship to the child\n\u2022 a divorce or marriage certificate if you\u2019re the parent but have a different surname to the child\n\nThe immigration officer will then confirm your child has been added to your membership. You\u2019ll get a confirmation email within 48 hours.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/registered-traveller", + "answerable": true, + "scenario": "Myself and my Husband are Registered Travellers from North America. We have visited the UK many times before and have just applied for our visas. I had a baby last year.", + "original_question": "Is it possible to add children onto our Registered Travellers membership?" + }, + { + "id": "train-1994", + "question": "Scenario: I have lived in the UK with my husband for six years, who has a Turkish Businessperson visa. I have met the language and English knowledge requirements. I am dependant on my husband. I want to apply for indefinite stay with my husband.\n\nQuestion: Will I be able to apply for indefinite leave to remain?\n\nDocument - Apply for settlement if you're a Turkish Worker or Businessperson:\n## Overview\n\nYou can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:\n\n- Turkish Worker visa\n\n- Turkish Businessperson visa\n\nYour family members (\u2018dependants\u2019) can also apply for settlement.\n\n## Fees\n\nThe application fee is \u00a32,389.\n\nYou also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\nIf you have family members applying for settlement with you, you\u2019ll need to pay the \u00a32,389 application fee and the \u00a319.20 biometric information fee for each person.\n\nIf your partner is applying to extend their visa, their fee is \u00a31,033 instead. They\u2019ll need to pay the healthcare surcharge.\n\n## How long you can stay\n\nGetting indefinite leave to remain means you can continue to live and work in the UK for as long as you like. It will mean you\u2019re eligible:\n\n- to take up any job\n\n- to run a business\n\n- for public services, such as healthcare and schools\n\n- for public funds and pensions\n\n- for British citizenship, if you meet the requirements\n\n## Eligibility\n\nTo be eligible to settle in the UK, you must have:\n\n- met the knowledge of language requirement\n\n- passed the Life in the UK test\n\n- registered with the police if you were told to\n\n- been living and working in the UK for the last 5 years without receiving public funds\n\n- spent no more than 180 days outside the UK in any 12 months in the last 5 years\n\nYou must continue to run a business if you\u2019re on a Turkish Businessperson visa.\n\nYour application might be refused if, for example, you\u2019ve:\n\n- got a criminal record in the UK or another country\n\n- provided false or incomplete information to the Home Office\n\n- broken UK immigration law\n\nRead the guidance on why applications can be refused.\n\n## Documents you must provide\n\nYou must provide:\n\n- a current passport or other valid travel identification\n\n- previous passports showing you\u2019ve been living legally in the UK for the past 5 years - if your current passport does not show this\n\n- the unique reference code that proves you passed the English language requirement\n\n- your police registration certificate covering the past 5 years (unless you did not need to register)\n\n## If you\u2019re a Turkish Businessperson\n\nYou\u2019ll also need to prove that you\u2019re continuing to run a business. You might need to provide documents, such as:\n\n- invoices showing work done\n\n- business bank statements\n\n- proof of National Insurance contributions - if appropriate\n\n- advertising materials\n\n- proof of renting or having purchased business premises\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 5 years before applying to settle)\n\n- your child under 21 or in limited circumstances over 21 (including children born in the UK)\n\n## Partners applying for indefinite leave to remain\n\nIf your partner is applying for indefinite leave to remain, they must:\n\n- have been granted leave as your dependant\n\n- have lived in the UK with you for a continuous period of 5 years\n\n- have met the knowledge of language and Life in the UK test\n\n## Partners applying to extend their visa\n\nIf you already have indefinite leave to remain, but your partner has not been here for 5 years on your visa they can apply to extend their visa.\n\nFor your partner to qualify, they must:\n\n- have last been granted entry clearance or leave to remain as your dependant\n\n- be living together with you in a genuine relationship\n\n- be living in suitable accommodation which you maintain without access to public funds\n\n- be registered with the police if they were told to\n\n## Children applying for indefinite leave to remain\n\nFor your children or child to apply for indefinite leave to remain, they must:\n\n- have been granted leave as your dependant\n\n- apply at the same time as both parents, or where both parents are settled already\n\n- not be married, in a civil partnership, have formed an independent family unit or be leading an independent life\n\n- have met the knowledge of language requirement and Life in the UK test - if they\u2019re 18 or over\n\n- have registered with the police if they were told to and are 16 or over\n\nYour child may also be able to apply if one of the following applies:\n\n- you\u2019re the child\u2019s only living parent\n\n- you have sole responsibility for them\n\n- there are serious reasons to let your child stay in the UK, for example they have a serious illness\n\n- their other parent is in the UK legally\n\nIf you already have indefinite leave to remain, your child may be eligible to apply if their other parent is extending a Turkish visa.\n\n## Documents your family need to provide\n\nEach family member must provide:\n\n- a current passport or other valid travel identification\n\n- 2 passport size colour photographs\n\n- proof of your relationship, for example a marriage or birth certificate, council tax bills or bank statements\n\n- proof they will live permanently with you, for example letters from your child\u2019s school or their doctor\n\n- proof that you have sole responsibility for any children aged under 21 if the other parent will not be in the UK (for example, written permission or relevant legal documents)\n\n## Apply\n\nYou can apply to settle in the UK (indefinite leave to remain). Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa. You must be in the UK to apply.\n\nYou must apply online.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who you\u2019ve included in your application form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "answerable": true, + "scenario": "I have lived in the UK with my husband for six years, who has a Turkish Businessperson visa. I have met the language and English knowledge requirements. I am dependant on my husband. I want to apply for indefinite stay with my husband.", + "original_question": "Will I be able to apply for indefinite leave to remain?" + }, + { + "id": "train-2003", + "question": "Scenario: I have an appeal going ahead and i am wondering about it. English is not my first language and I am scared.\n\nQuestion: Can I get some support with my English at the oral hearing?\n\nDocument - Appeal an asylum support decision:\n## Overview\n\nYou can appeal to the First-tier Tribunal (Asylum Support) if:\n\n- you\u2019ve applied for asylum support and been turned down\n\n- you were claiming asylum support and it\u2019s been stopped\n\nThe tribunal must receive your appeal within 3 days of you getting the letter about the decision - you may be able to carry on claiming asylum support (if you were already getting it) while you appeal.\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou may want to get help and advice before you appeal.\n\nContact the Asylum Support Appeals Project for free advice and legal representation if you have an appeal at the First-tier Tribunal (Asylum Support).\n\nYou can contact British Red Cross, Refugee Action and Refugee Council for advice and support - they may be able to find another organisation near to you.\n\nYou can also get other legal advice, including from a lawyer.\n\n## Apply to the tribunal\n\nDownload and fill in a \u2018notice of appeal\u2019 form. You must include:\n\n- why you\u2019re appealing (your \u2018grounds of appeal\u2019)\n\n- a copy of the decision you\u2019re appealing against\n\n- any documents that help support your appeal\n\n- why your appeal is late (if it is)\n\n- whether you\u2019d like a \u2018paper\u2019 or \u2018oral\u2019 hearing\n\nBecause of coronavirus, most hearings are paper hearings. These are based on documents only. If a judge decides that an oral hearing is required, it will most likely be held by phone or video link.\n\nRead guidance on how cases are affected by coronavirus.\n\nIf a judge decides you have to go to an oral hearing in person, you\u2019ll need to travel to London. The Home Office will pay for you to get there (usually by train). You\u2019ll get free accommodation the night before if you have far to travel.\n\n## Send the form\n\nPost, email or fax the notice of appeal form to HM Courts and Tribunals Service. The contact details are on the form.\n\nBecause of coronavirus, it\u2019s taking longer than usual for staff to reply to forms sent by post.\n\nCall the helpline if you have any questions about completing the form. The helpline cannot give you legal advice.\n\n## After you send your appeal\n\nYou\u2019ll normally find out within a week of sending the form:\n\n- whether the tribunal will consider your case\n\n- whether the tribunal needs more information, for example if your appeal was late\n\nYou\u2019ll then be told when your hearing will take place, and whether it\u2019s paper or oral.\n\nIf you have an oral hearing, you\u2019ll be told a few days before the hearing what documents to bring with you - or to send by post in advance. The letter will also tell you if the tribunal wants to call up any witnesses - you must contact them and make sure they appear at the hearing.\n\nYou\u2019ll usually get the decision at the hearing.\n\n## If you need to send more information\n\nIf the tribunal asks you to send more information before the hearing, you may need to discuss this with a casework team.\n\nContact the Section 95 casework team if you\u2019re an asylum seeker.\n\nContact the Section 4 casework team if you\u2019ve been refused asylum.\n\n## What happens at the hearing\n\nWhat happens at the hearing depends on whether you have a paper or oral hearing.\n\n## Paper hearing\n\nYou will not go to a paper hearing. A judge will make a decision based on:\n\n- your notice of appeal form\n\n- your documents\n\n- documents provided by the Home Office\n\n## Oral hearing\n\nBecause of coronavirus, oral hearings will most likely be held via phone or video link.\n\nYou\u2019ll present your case to the judge - someone else can do this for you, for example a lawyer, friend or family member. The Home Office will present the case against you.\n\nThe tribunal will provide you with an interpreter if you\u2019ve asked for one. They can translate what happens during the tribunal but they cannot represent you or give you legal advice.\n\nYou may be asked questions by:\n\n- your legal representative (if you have one)\n\n- the Home Office\u2019s representative\n\n- the judge\n\nThe hearing is public. Family and friends can attend. If the hearing is in person, they\u2019ll have to pay their own travel costs unless they are witnesses.\n\nChildren can only attend if you cannot make childcare arrangements. They can either:\n\n- wait in the waiting room with your family or friends\n\n- be with you during the hearing\n\n## Get a decision\n\nYou\u2019ll get the decision either:\n\n- at the oral hearing (if you have one) - you\u2019ll also get full written reasons within 3 days\n\n- by post the day after the paper hearing\n\nThe judge will either:\n\n- allow the appeal - this means you\u2019ll either get asylum support, or carry on getting it\n\n- turn down (\u2018dismiss\u2019) your appeal\n\n- ask the Home Office to look at the decision again (known as \u2018remitting\u2019 the appeal)\n\nThe judge\u2019s decision is final - you cannot appeal again.\n\nYou may be able to get a judicial review of the decision if your appeal was turned down and you think the judge did not follow the law correctly. Talk to a solicitor as soon as possible.\n\nYou cannot complain about the decision - you can only complain about the tribunal staff and the way the hearing took place.\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and its decisions on previous cases.\n\n## Previous decisions\n\nSearch the decisions database to see how and why previous decisions have been made.\n\n## Legislation\n\nThe tribunal will make a decision based on:\n\n- Immigration and Asylum Act 1999\n\n- Nationality, Immigration and Asylum Act 2002\n\nThe tribunal must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008 and Amendments to the Tribunal Procedure (First-tier Tribunal) (Social Entitlement Chamber) Rules 2008.\n\n## Failed asylum seekers\n\nThe tribunal will make a decision based on:\n\n- section 4, Immigration and Asylum Act 1999\n\n- Immigration and Asylum Regulations 2005\n\n## If asylum support was stopped while the application was being considered\n\nThe tribunal will make a decision based on:\n\n- section 95, Immigration and Asylum 1999\n\n- Asylum Support Regulations 2000", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-first-tier-asylum-support-tribunal", + "answerable": true, + "scenario": "I have an appeal going ahead and i am wondering about it. English is not my first language and I am scared.", + "original_question": "Can I get some support with my English at the oral hearing?" + }, + { + "id": "train-2007", + "question": "Scenario: I am about to reach state pension age in one months time. I will reach state pension age on the 20th September 2021. I have been looking at the additional state pension.\n\nQuestion: Will I be eligible for the additional state pension?\n\nDocument - Additional State Pension:\n## Overview\n\nThe Additional State Pension is an extra amount of money you could get on top of your basic State Pension if you\u2019re:\n\n- a man born before 6 April 1951\n\n- a woman born before 6 April 1953\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou get the new State Pension if you were born on or after this date. You will not qualify for the Additional State Pension, but you might still be able to inherit Additional State Pension from your partner.\n\nYou get the Additional State Pension automatically if you\u2019re eligible for it, unless you\u2019ve contracted out of it.\n\nThe Additional State Pension is paid with your basic State Pension.\n\n## What you'll get\n\nThere is no fixed amount for the Additional State Pension.\n\nHow much you get depends on:\n\n- how many years you paid National Insurance for\n\n- your earnings\n\n- whether you\u2019ve contracted out of the scheme\n\n- whether you topped up your basic State Pension (this was only possible between 12 October 2015 and 5 April 2017)\n\n## How you\u2019re paid\n\nThe Additional State Pension is paid with your basic State Pension into your bank account.\n\n## Eligibility\n\n## You reached State Pension age on or after 6 April 2016\n\nYou will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.\n\n## You reached State Pension age before 6 April 2016\n\nIf you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.\n\nYou may not get any Additional State Pension for periods when you were contracted out of it.\n\n## When you have contributed to the Additional State Pension\n\nThe Additional State Pension is made up of 3 schemes. You might have contributed to more than one, depending on:\n\n- how long you\u2019ve been working\n\n- whether you chose to top up your State Pension\n\n| Time | Scheme | You contributed if |\n\n| 2002 to 2016 | State Second Pension | You were employed or claiming certain benefits |\n\n| 1978 to 2002 | State Earnings-Related Pension Scheme (SERPS) | You were employed |\n\n| 12 October 2015 to 5 April 2017 | State Pension top up | You reached State Pension age before 6 April 2016 and opted in |\n\n## The State Second Pension since 2002\n\nYou contributed through your National Insurance contributions if at any time between 6 April 2002 and 5 April 2016 you were:\n\n- employed and earning at least the lower earnings limit - this was \u00a35,824 in the 2015 to 2016 tax year\n\n- looking after children under 12 and claiming Child Benefit\n\n- caring for a sick or disabled person more than 20 hours a week and claiming Carer\u2019s Credit\n\n- working as a registered foster carer and claiming Carer\u2019s Credit\n\n- receiving certain other benefits due to illness or disability\n\n## Contracting out\n\nYou could only contract out of the Additional State Pension if your employer ran a contracted-out pension scheme. Check with them.\n\nWhile you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.\n\nYou cannot contract out after 6 April 2016. If you were contracted out, your National Insurance contributions increased to your standard rate after this date.\n\nThe extra pension you get from a contracted-out pension scheme is usually the same as, or more than, the Additional State Pension you would have got if you did not contract out.\n\n## Check if you were contracted out\n\nYou can find out if you were contracted out by:\n\n- checking an old payslip\n\n- calling your pension provider\n\nThe Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.\n\n## National Insurance while contracting out\n\nYou paid lower National Insurance contributions while you were contracted out if:\n\n- you earned between \u00a3155 and \u00a3770 a week\n\n- you were under State Pension age\n\n- you did not pay reduced rate National Insurance\n\n## What happens when you retire\n\nYou\u2019ll get a pension from your employer\u2019s workplace pension scheme.\n\n## How to claim\n\nYou do not have to do anything to claim the Additional State Pension.\n\nIf you\u2019re eligible for an Additional State Pension, you\u2019ll automatically get it when you claim your State Pension.\n\nAfter you claim, the Pension Service will write to you and tell you how much you\u2019re getting.\n\n## Inheriting Additional State Pension\n\nIf your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.\n\n## Maximum State Second Pension you can inherit\n\nYou can inherit up to 50% of your spouse or civil partner\u2019s State Second Pension.\n\n## Maximum SERPS pension and State Pension top up you can inherit\n\nThe maximum you can inherit depends on when your spouse or civil partner died.\n\nIf they died before 6 October 2002, you can inherit up to 100% of their SERPS pension.\n\nIf they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.\n\n| Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit |\n\n| 5 October 1937 or before | 5 October 1942 or before | 100% |\n\n| 6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90% |\n\n| 6 October 1939 to 5 October 1941 | 6 October 1944 to 5 October 1946 | 80% |\n\n| 6 October 1941 to 5 October 1943 | 6 October 1946 to 5 October 1948 | 70% |\n\n| 6 October 1943 to 5 October 1945 | 6 October 1948 to 5 July 1950 | 60% |\n\n| 6 October 1945 and after | 6 July 1950 and after | 50% |\n\nIf your spouse or civil partner died within 90 days of topping up their State Pension, the top up should have been refunded to their estate (their total property, money and possessions), minus any payments they received before they died. This means you will not inherit the top up as part of their Additional State Pension.\n\n## How it\u2019s paid\n\nAny Additional State Pension you inherit will be paid on top of your State Pension when you reach State Pension age.\n\n## If you get your own Additional State Pension\n\nThe maximum amount of Additional State Pension you can get is \u00a3180.31 per week.\u00a0The limit does not include State Pension top up.\n\n## If you get Widowed Parent\u2019s Allowance\n\nYou may inherit Additional State Pension before you reach State Pension age. You\u2019ll stop receiving it if your Widowed Parent\u2019s Allowance ends.\n\nYou may receive it again when you reach State Pension age if you were over 45 when you were entitled to Widowed Parent\u2019s Allowance.\n\nIf your Widowed Parent\u2019s Allowance or Bereavement Allowance ended before you were 55, you\u2019ll receive less Additional State Pension.\n\n## When you cannot inherit Additional State Pension\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.\n\nThe date you reach State Pension age also affects whether you can inherit Additional State Pension.\n\n## If you reached State Pension age before 6 April 2010\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if they died before they reached their State Pension age and after you reached yours.\n\nThis does not apply if you\u2019re a woman who was married to:\n\n- a man\n\n- a woman who legally changed their gender from male to female during your marriage\n\n## If you reached State Pension age on or after 6 April 2016\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:\n\n- your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016\n\n- you started your marriage or civil partnership on or after 6 April 2016\n\n## If you get divorced\n\nIf you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.\n\nYou\u2019ll have to fill in form BR20 to give details of your Additional State Pension.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/additional-state-pension", + "answerable": true, + "scenario": "I am about to reach state pension age in one months time. I will reach state pension age on the 20th September 2021. I have been looking at the additional state pension.", + "original_question": "Will I be eligible for the additional state pension?" + }, + { + "id": "train-2008", + "question": "Scenario: My husband died on the 30th of July 2021. He was born on the 4th October 1945. He was eligible and was receiving an additional state pension.\n\nQuestion: Will I be able to claim any of this state pension as inheritance?\n\nDocument - Additional State Pension:\n## Overview\n\nThe Additional State Pension is an extra amount of money you could get on top of your basic State Pension if you\u2019re:\n\n- a man born before 6 April 1951\n\n- a woman born before 6 April 1953\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou get the new State Pension if you were born on or after this date. You will not qualify for the Additional State Pension, but you might still be able to inherit Additional State Pension from your partner.\n\nYou get the Additional State Pension automatically if you\u2019re eligible for it, unless you\u2019ve contracted out of it.\n\nThe Additional State Pension is paid with your basic State Pension.\n\n## What you'll get\n\nThere is no fixed amount for the Additional State Pension.\n\nHow much you get depends on:\n\n- how many years you paid National Insurance for\n\n- your earnings\n\n- whether you\u2019ve contracted out of the scheme\n\n- whether you topped up your basic State Pension (this was only possible between 12 October 2015 and 5 April 2017)\n\n## How you\u2019re paid\n\nThe Additional State Pension is paid with your basic State Pension into your bank account.\n\n## Eligibility\n\n## You reached State Pension age on or after 6 April 2016\n\nYou will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.\n\n## You reached State Pension age before 6 April 2016\n\nIf you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.\n\nYou may not get any Additional State Pension for periods when you were contracted out of it.\n\n## When you have contributed to the Additional State Pension\n\nThe Additional State Pension is made up of 3 schemes. You might have contributed to more than one, depending on:\n\n- how long you\u2019ve been working\n\n- whether you chose to top up your State Pension\n\n| Time | Scheme | You contributed if |\n\n| 2002 to 2016 | State Second Pension | You were employed or claiming certain benefits |\n\n| 1978 to 2002 | State Earnings-Related Pension Scheme (SERPS) | You were employed |\n\n| 12 October 2015 to 5 April 2017 | State Pension top up | You reached State Pension age before 6 April 2016 and opted in |\n\n## The State Second Pension since 2002\n\nYou contributed through your National Insurance contributions if at any time between 6 April 2002 and 5 April 2016 you were:\n\n- employed and earning at least the lower earnings limit - this was \u00a35,824 in the 2015 to 2016 tax year\n\n- looking after children under 12 and claiming Child Benefit\n\n- caring for a sick or disabled person more than 20 hours a week and claiming Carer\u2019s Credit\n\n- working as a registered foster carer and claiming Carer\u2019s Credit\n\n- receiving certain other benefits due to illness or disability\n\n## Contracting out\n\nYou could only contract out of the Additional State Pension if your employer ran a contracted-out pension scheme. Check with them.\n\nWhile you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.\n\nYou cannot contract out after 6 April 2016. If you were contracted out, your National Insurance contributions increased to your standard rate after this date.\n\nThe extra pension you get from a contracted-out pension scheme is usually the same as, or more than, the Additional State Pension you would have got if you did not contract out.\n\n## Check if you were contracted out\n\nYou can find out if you were contracted out by:\n\n- checking an old payslip\n\n- calling your pension provider\n\nThe Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.\n\n## National Insurance while contracting out\n\nYou paid lower National Insurance contributions while you were contracted out if:\n\n- you earned between \u00a3155 and \u00a3770 a week\n\n- you were under State Pension age\n\n- you did not pay reduced rate National Insurance\n\n## What happens when you retire\n\nYou\u2019ll get a pension from your employer\u2019s workplace pension scheme.\n\n## How to claim\n\nYou do not have to do anything to claim the Additional State Pension.\n\nIf you\u2019re eligible for an Additional State Pension, you\u2019ll automatically get it when you claim your State Pension.\n\nAfter you claim, the Pension Service will write to you and tell you how much you\u2019re getting.\n\n## Inheriting Additional State Pension\n\nIf your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.\n\n## Maximum State Second Pension you can inherit\n\nYou can inherit up to 50% of your spouse or civil partner\u2019s State Second Pension.\n\n## Maximum SERPS pension and State Pension top up you can inherit\n\nThe maximum you can inherit depends on when your spouse or civil partner died.\n\nIf they died before 6 October 2002, you can inherit up to 100% of their SERPS pension.\n\nIf they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.\n\n| Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit |\n\n| 5 October 1937 or before | 5 October 1942 or before | 100% |\n\n| 6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90% |\n\n| 6 October 1939 to 5 October 1941 | 6 October 1944 to 5 October 1946 | 80% |\n\n| 6 October 1941 to 5 October 1943 | 6 October 1946 to 5 October 1948 | 70% |\n\n| 6 October 1943 to 5 October 1945 | 6 October 1948 to 5 July 1950 | 60% |\n\n| 6 October 1945 and after | 6 July 1950 and after | 50% |\n\nIf your spouse or civil partner died within 90 days of topping up their State Pension, the top up should have been refunded to their estate (their total property, money and possessions), minus any payments they received before they died. This means you will not inherit the top up as part of their Additional State Pension.\n\n## How it\u2019s paid\n\nAny Additional State Pension you inherit will be paid on top of your State Pension when you reach State Pension age.\n\n## If you get your own Additional State Pension\n\nThe maximum amount of Additional State Pension you can get is \u00a3180.31 per week.\u00a0The limit does not include State Pension top up.\n\n## If you get Widowed Parent\u2019s Allowance\n\nYou may inherit Additional State Pension before you reach State Pension age. You\u2019ll stop receiving it if your Widowed Parent\u2019s Allowance ends.\n\nYou may receive it again when you reach State Pension age if you were over 45 when you were entitled to Widowed Parent\u2019s Allowance.\n\nIf your Widowed Parent\u2019s Allowance or Bereavement Allowance ended before you were 55, you\u2019ll receive less Additional State Pension.\n\n## When you cannot inherit Additional State Pension\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.\n\nThe date you reach State Pension age also affects whether you can inherit Additional State Pension.\n\n## If you reached State Pension age before 6 April 2010\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if they died before they reached their State Pension age and after you reached yours.\n\nThis does not apply if you\u2019re a woman who was married to:\n\n- a man\n\n- a woman who legally changed their gender from male to female during your marriage\n\n## If you reached State Pension age on or after 6 April 2016\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:\n\n- your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016\n\n- you started your marriage or civil partnership on or after 6 April 2016\n\n## If you get divorced\n\nIf you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.\n\nYou\u2019ll have to fill in form BR20 to give details of your Additional State Pension.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/additional-state-pension", + "answerable": true, + "scenario": "My husband died on the 30th of July 2021. He was born on the 4th October 1945. He was eligible and was receiving an additional state pension.", + "original_question": "Will I be able to claim any of this state pension as inheritance?" + }, + { + "id": "train-2009", + "question": "Scenario: I am a part-time employee who is getting paid \u00a312 per hour. I have found out that a full-time employee, who is doing exactly the same job, is getting \u00a315 per hour.\n\nQuestion: Should I be getting paid a lower hourly rate than the full-time employee?\n\nDocument - Understanding your pay:\n## Overview\n\nWhen you start work, your employer should tell you how much you\u2019ll be paid and how often. They should also tell you:\n\n- the day or date you\u2019ll be paid, for example each Friday or the last day of the month\n\n- how you\u2019ll be paid, for example cash, cheque or bank transfer\n\nIf you\u2019re an employee or \u2018worker\u2019 (not a contractor or freelancer), you have the right to a payslip, which shows:\n\n- your earnings before and after any deductions\n\n- the amount of any deductions that may change each time you\u2019re paid, for example tax and National Insurance\n\n- the number of hours you worked, if your pay varies depending on time worked\n\nYou might need to know how to work out your weekly pay if you have to claim payments for redundancy or compensation from your employer.\n\n## Part-time workers\n\nIf you\u2019re a part-time worker, you must get at least the same hourly pay rate as a full-time worker doing a similar job.\n\n## Working out your pay\n\nKnowing how to work out your weekly pay is important because it\u2019s used to work out how much you should get for:\n\n- redundancy pay and pay during time off for job-hunting if you\u2019re made redundant\n\n- pay during your notice period when leaving a job\n\n- holiday pay\n\n- guarantee pay for work - you get this if your employer cannot provide you with work, but your contract says they have to pay you anyway\n\n- compensation awarded by Employment Tribunals\n\nWhat you\u2019re entitled to depends on your work status.\n\nYou do not need to calculate your weekly pay, if you\u2019re paid weekly and your pay does not vary.\n\nIf your pay varies or you\u2019re not paid weekly, you have to use a 12-week period for working it out.\n\n## The 12-week period\n\nYou can work out your weekly pay by getting an average figure for a 12-week period. The particular 12 weeks you use varies depending on what you\u2019re calculating your pay for.\n\n## Redundancy\n\nUse the 12 weeks up to the day you got your redundancy notice to work out your pay.\n\n## Notice pay\n\nUse the 12 weeks up to the first day of the notice period to work out what your notice pay should be.\n\n## Paid annual leave\n\nWork this out using the 12 weeks leading up to your holiday.\n\n## Guarantee payments\n\nUse the 12 weeks leading up to when your payment is due. If you no longer work for that employer, use the last 12 weeks of your employment with them.\n\nIf you\u2019ve worked for your employer for less than 12 weeks, you should be allowed to calculate your average weekly pay using:\n\n- the number of hours you would have worked\n\n- the hours of other workers doing a similar job for your employer\n\n## Working out your weekly figure\n\nAdd up the total amount of pay for the period and divide it by 12 to get the weekly figure. You do this even if you\u2019ve had to use a period of more than 12 weeks.\n\nYou can also include bonuses.\n\n## Overtime\n\nYou can include overtime in your calculations if your contract says your employer has to pay it.\n\n## Work done for a previous employer\n\nYou can include pay for work done for a previous employer if you\u2019re calculating your average weekly pay and you did not have a gap in employment when you changed jobs.\n\n## Get help with the calculations\n\nYou can get help to calculate a week\u2019s pay from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.\n\n## Pay calculations if you work shifts or get bonuses\n\nIf your pay or working hours vary from week to week, the calculations for working out your weekly pay are more complicated.\n\n## Bonuses and commission\n\nYour pay could vary depending on the amount of work you do, because of:\n\n- bonuses\n\n- commission\n\n- \u2018piece work\u2019 - you\u2019re paid by the amount of work you do, rather than by the hour\n\n## The 12-week period\n\nIf you get bonuses, commission or piece work, you\u2019ll need to work out your average hourly rate over a 12-week period to work out your weekly pay.\n\nAdd up your total pay for the 12 weeks first. You can include overtime and bonuses. There are special calculations for bonuses.\n\n## Quarterly bonuses\n\nYou can include a proportion of your quarterly bonuses in your calculations.\n\n- Divide the bonus amount by 13 (the number of weeks in a quarter of a year).\n\n- Multiply this figure by 12 (the number of weeks your pay is averaged across).\n\n## Annual bonuses\n\nIf you get an annual bonus here\u2019s what you need to do.\n\n- Divide the bonus amount by 52 (the number of weeks in a year).\n\n- Multiply this by 12.\n\n## Hourly rate\n\nWork out the average hourly rate by dividing the total amount you earned in 12-week period by the number of hours you worked.\n\n## Weekly rate\n\nMultiply your hourly rate by the average number of hours you worked each week in the 12-week period, to get your weekly rate.\n\n## Shift or rota work\n\nYour week\u2019s pay will be the average number of hours you work at an average pay rate over a 12-week period.\n\n## Get help with the calculations\n\nYou can get help to calculate a week\u2019s pay from Acas (Advisory, Conciliation and Arbitration Service) or Citizens Advice.\n\n## Performance-related pay\n\nYour employer should base your performance-related pay on clear, measurable targets - they should tell you about these.\n\nThere are 2 main types of performance pay:\n\n- short-term schemes, like bonus payments or sales commission\n\n- long-term schemes, like company shares\n\n## Non-payment of bonuses or commission\n\nIf you do not get a bonus or commission you\u2019re owed and you think there\u2019s been a mistake:\n\n- speak to your employer to see if there\u2019s been a misunderstanding\n\n- ask them set out in writing how they\u2019ve calculated your pay\n\n- keep copies of any letters and notes of any meetings\n\nIf a bonus or commission is included in your contract, non-payment is a breach of contract. You can get help with making a complaint.\n\nNon-payment of bonuses may also be covered legally under:\n\n- unlawful deductions from wages - for example, you\u2019re entitled to payment but it has not been given\n\n- unlawful discrimination - your employer must not discriminate against particular groups, for example giving smaller bonuses to women\n\nYou can get advice from Acas (Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.\n\n## Deductions from your pay\n\nYour employer is not allowed to make deductions unless:\n\n- it\u2019s required or allowed by law, for example National Insurance, income tax or student loan repayments\n\n- you agree in writing\n\n- your contract says they can\n\n- there\u2019s a statutory payment due to a public authority\n\n- you have not worked due to taking part in a strike or industrial action\n\n- there\u2019s been an earlier overpayment of wages or expenses\n\n- it\u2019s a result of a court order\n\nA deduction cannot normally reduce your pay below the National Minimum Wage even if you agree to it, except if the deduction is for:\n\n- tax or National Insurance\n\n- something you\u2019ve done and your contract says you\u2019re liable for it, for example a shortfall in your till if you work in a shop\n\n- repayment of a loan or advance of wages\n\n- repayment of an accidental overpayment of wages\n\n- buying shares or share options in the business\n\n- accommodation provided by your employer\n\n- your own use, for example union subscriptions or pension contributions\n\n## If you work in retail - for example shops, restaurants\n\nYour employer cannot take more than 10% from your gross pay (pay before tax and National Insurance) each pay period to cover any shortfalls.\n\n## If you have not been paid in full\n\nSpeak to your employer first to try to sort out the problem informally.\n\nIf this does not work, talk to Acas (Advisory, Conciliation and Arbitration Service), Citizens Advice or your trade union representative.\n\nYou have the right to go to an Employment Tribunal to get your money.\n\n## If you leave your job\n\nCheck your contract to see if your employer is allowed to withhold your pay. Normally you\u2019re entitled to be paid everything you\u2019ve earned up to the point you finish.\n\nIf you\u2019re forced to resign because your employer refuses to pay you, you may be able to make a constructive dismissal claim in an Employment Tribunal.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/understanding-your-pay", + "answerable": true, + "scenario": "I am a part-time employee who is getting paid \u00a312 per hour. I have found out that a full-time employee, who is doing exactly the same job, is getting \u00a315 per hour.", + "original_question": "Should I be getting paid a lower hourly rate than the full-time employee?" + }, + { + "id": "train-2011", + "question": "Scenario: I have been on lay-off for eight weeks in a row. I have been working for current employer for 10 years, and I am considering redundancy.\n\nQuestion: Can I apply for redundancy now?\n\nDocument - Lay-offs and short-time working:\n## Overview\n\nYour employer can ask you to stay at home or take unpaid leave if there\u2019s not enough work for you.\n\nA lay-off is if you\u2019re off work for at least 1 working day. Short-time working is when your hours are cut.\n\n## How long you can be laid off\n\nThere\u2019s no limit for how long you can be laid off or put on short-time. You could apply for redundancy and claim redundancy pay if it\u2019s been:\n\n- 4 weeks in a row\n\n- 6 weeks in a 13-week period\n\n## Lay-off pay entitlement and short-time working payments\n\nYou should get your full pay unless your contract allows unpaid or reduced pay lay-offs.\n\nIf you\u2019re unpaid, you\u2019re entitled to guarantee pay.\n\nIf you\u2019ve been told to take unpaid leave or reduced pay because of Coronavirus (COVID-19), your employer might still be able to pay 80% of your wages.\n\n## Guarantee pay\n\n## Rate and length of statutory lay-off pay\n\nYou\u2019re entitled to guarantee pay during lay off or short-time working. The maximum you can get is \u00a330 a day for 5 days in any 3-month period - so a maximum of \u00a3150.\n\nIf you usually earn less than \u00a330 a day you\u2019ll get your normal daily rate.\n\nIf you work part-time, your entitlement is worked out proportionally.\n\nYou cannot claim guarantee pay for any day that you do some work.\n\n## Eligibility for statutory lay-off pay\n\nYou must:\n\n- have been employed continuously for 1 month (includes part-time workers)\n\n- reasonably make sure you\u2019re available for work\n\n- not refuse any reasonable alternative work (including work not in your contract)\n\n- not have been laid off because of industrial action\n\n## Statutory lay-off pay and your employment contract\n\nYour employer may have their own guarantee pay scheme. It cannot be less than the statutory arrangements. If you get your employer\u2019s payments, you do not get statutory lay-off pay on top of this.\n\nNot paying guarantee pay counts as an unlawful deduction from your wages - you could make a claim to an employment tribunal.\n\n## Applying for redundancy\n\nYou could apply for redundancy and claim redundancy pay if you\u2019ve been laid off without pay or put on short-time and receive less than half a week\u2019s pay for:\n\n- 4 or more weeks in a row\n\n- 6 or more weeks in a 13-week period\n\n- Write to your employer to claim redundancy within 4 weeks of the last day of the lay-off or short-time period.\n\n- Your employer has 7 days to accept your claim or give you a written counter-notice.\n\n- If your employer does not give you counter-notice, you can assume they\u2019ve accepted your redundancy claim.\n\n- A counter-notice means your employer expects work will soon be available - it must start within 4 weeks and must last at least 13 weeks.\n\nYour employer can withdraw their counter-notice in writing.\n\n## Resigning\n\nYou must resign to get redundancy pay. The timing is crucial - you have 3 weeks to hand in your notice, starting from:\n\n- 7 days after you gave written notice to your employer (if you did not get a counter-notice)\n\n- the date your employer withdrew their counter-notice\n\nYou can get help from Citizens Advice.\n\n## Extra work or claiming benefits\n\nYou can take on another job while you\u2019re laid off or on short-time (unless your contract says you must not).\n\nYou should:\n\n- get your employer\u2019s agreement\n\n- make sure you\u2019re not working for a competitor\n\n- make sure you\u2019re available for your original job once the lay-off or short-time ends\n\n## Benefits you can claim\n\nYou might be able to get Universal Credit or \u2018new style\u2019 Jobseeker\u2019s Allowance (or both) while you\u2019re laid off or on short-time.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/lay-offs-short-timeworking", + "answerable": true, + "scenario": "I have been on lay-off for eight weeks in a row. I have been working for current employer for 10 years, and I am considering redundancy.", + "original_question": "Can I apply for redundancy now?" + }, + { + "id": "train-2013", + "question": "Scenario: My brother is a full time employee and pays income tax. Has also invested in both workplace and personal pension schemes.\n\nQuestion: Can he qualify for a government tax relief?\n\nDocument - Workplace pensions:\n## About workplace pensions\n\nA workplace pension is a way of saving for your retirement that\u2019s arranged by your employer.\n\nSome workplace pensions are called \u2018occupational\u2019, \u2018works\u2019, \u2018company\u2019 or \u2018work-based\u2019 pensions.\n\n## How they work\n\nA percentage of your pay is put into the pension scheme automatically every payday.\n\nIn most cases, your employer also adds money into the pension scheme for you. You may also get tax relief from the government.\n\n## Joining a workplace pension\n\nAll employers must provide a workplace pension scheme. This is called \u2018automatic enrolment\u2019.\n\nYour employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:\n\n- you\u2019re classed as a \u2018worker\u2019\n\n- you\u2019re aged between 22 and State Pension age\n\n- you earn at least \u00a310,000 per year\n\n- you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)\n\n## When your employer does not have to automatically enrol you\n\nYour employer usually does not have to automatically enrol you if you do not meet the previous criteria or if any of the following apply:\n\n- you\u2019ve already given notice to your employer that you\u2019re leaving your job, or they\u2019ve given you notice\n\n- you have evidence of your lifetime allowance protection (for example, a certificate from HMRC)\n\n- you\u2019ve already taken a pension that meets the automatic enrolment rules and your employer arranged it\n\n- you get a one-off payment from a workplace pension scheme that\u2019s closed (a \u2018winding up lump sum\u2019), and then leave and rejoin the same job within 12 months of getting the payment\n\n- more than 12 months before your staging date, you left (\u2018opted out\u2019) of a pension arranged through your employer\n\n- you\u2019re from an EU member state and are in a EU cross-border pension scheme\n\n- you\u2019re in a limited liability partnership\n\n- you\u2019re a director without an employment contract and employ at least one other person in your company\n\nYou can usually still join their pension if you want to. Your employer cannot refuse.\n\n## If your income is low\n\nYour employer does not have to contribute to your pension if you earn these amounts or less:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\n## What happens when you\u2019re automatically enrolled\n\nYour employer must write to you when you\u2019ve been automatically enrolled into their workplace pension scheme. They must tell you:\n\n- the date they added you to the pension scheme\n\n- the type of pension scheme and who runs it\n\n- how much they\u2019ll contribute and how much you\u2019ll have to pay in\n\n- how to leave the scheme, if you want to\n\n- how tax relief applies to you\n\n## Delaying your enrolment date\n\nYour employer can delay the date they must enrol you into a pension scheme by up to 3 months.\n\nIn some cases they may be able to delay longer if they\u2019ve chosen either:\n\n- a \u2018defined benefit\u2019 pension\n\n- a \u2018hybrid\u2019 pension (a mixture of defined benefit and defined contribution pensions) that allows you to take a defined benefit pension\n\nYour employer must:\n\n- tell you about the delay in writing\n\n- let you join in the meantime if you ask to\n\n## What your employer cannot do\n\nYour employer cannot:\n\n- unfairly dismiss or discriminate against you for being in a workplace pension scheme\n\n- encourage or force you to opt out\n\n## What you, your employer and the government pay\n\nThe amount you and your employer pay towards the pension depends on:\n\n- what type of workplace pension scheme you\u2019re in\n\n- whether you\u2019ve been automatically enrolled in a workplace pension or you\u2019ve joined one voluntarily (\u2018opted in\u2019)\n\nUse the Money Advice Service\u2019s contributions calculator to work out how much you and your employer will put in.\n\n## Tax relief\n\nThe government will usually add money to your workplace pension in the form of tax relief if both of the following apply:\n\n- you pay Income Tax\n\n- you pay into a personal pension or workplace pension\n\nEven if you do not pay Income Tax, you\u2019ll still get an additional payment if your pension scheme uses \u2018relief at source\u2019 to add money to your pension pot.\n\n## If you\u2019ve been automatically enrolled\n\nYou and your employer must pay a percentage of your earnings into your workplace pension scheme.\n\nHow much you pay and what counts as earnings depend on the pension scheme your employer has chosen. Ask your employer about your pension scheme rules.\n\nIn most automatic enrolment schemes, you\u2019ll make contributions based on your total earnings between \u00a36,240 and \u00a350,270 a year before tax.\u00a0Your total earnings include:\n\n- salary or wages\n\n- bonuses and commission\n\n- overtime\n\n- statutory sick pay\n\n- statutory maternity, paternity or adoption pay\n\n## Workplace pension contributions\n\n| | The minimum your employer pays | You pay | Total minimum contribution |\n\n| From April 2019 | 3% | 5% | 8% |\n\nThese amounts could be higher for you or your employer because of your pension scheme rules. They\u2019re higher for most defined benefit pension schemes.\n\nIn some schemes, your employer has the option to pay in more than the legal minimum. In these schemes, you can pay in less as long as your employer puts in enough to meet the total minimum contribution.\n\n## If you\u2019ve voluntarily enrolled in a workplace pension\n\nYour employer must contribute the minimum amount if you earn more than:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\nThey do not have to contribute anything if you earn these amounts or less.\n\n## How your take-home pay changes\n\nJoining a workplace pension scheme means that your take-home income will be reduced. But this may:\n\n- mean you\u2019re entitled to tax credits or an increase in the amount of tax credits you get (although you may not get this until the next tax year)\n\n- mean you\u2019re entitled to an income-related benefit or an increase in the amount of benefit you get\n\n- reduce the amount of student loan repayments you need to make\n\n## Payments using salary sacrifice\n\nYou and your employer may agree to use \u2018salary sacrifice\u2019 (sometimes known as a \u2018SMART\u2019 scheme).\n\nIf you do this, you give up part of your salary and your employer pays this straight into your pension. In some cases, this will mean you and your employer pay less tax and National Insurance.\n\nAsk your employer if they use salary sacrifice.\n\n## Protection for your pension\n\nHow your pension is protected depends on the type of scheme.\n\n## Defined contribution pension schemes\n\n## If your employer goes bust\n\nDefined contribution pensions are usually run by pension providers, not employers. You will not lose your pension pot if your employer goes bust.\n\n## If your pension provider goes bust\n\nIf the pension provider was authorised by the Financial Conduct Authority and cannot pay you, you can get compensation from the Financial Services Compensation Scheme (FSCS).\n\n## Trust-based schemes\n\nSome defined contribution schemes are run by a trust appointed by the employer. These are called \u2018trust-based schemes\u2019.\n\nYou\u2019ll still get your pension if your employer goes out of business. But you might not get as much because the scheme\u2019s running costs will be paid by members\u2019 pension pots instead of the employer.\n\n## Defined benefit pension schemes\n\nYour employer is responsible for making sure there\u2019s enough money in a defined benefit pension to pay each member the promised amount.\n\nYour employer cannot touch the money in your pension if they\u2019re in financial trouble.\n\nYou\u2019re usually protected by the Pension Protection Fund if your employer goes bust and cannot pay your pension.\n\nThe Pension Protection Fund usually pays:\n\n- 100% compensation if you\u2019ve reached the scheme\u2019s pension age\n\n- 90% compensation if you\u2019re below the scheme\u2019s pension age\n\n## Fraud, theft or bad management\n\nIf there\u2019s a shortfall in your company\u2019s pension fund because of fraud or theft, you may be eligible for compensation from the Fraud Compensation Fund.\n\nContact one of the following organisations if you want to make a complaint about the way your workplace pension scheme is run:\n\n- the Pensions Advisory Service\n\n- the Pensions Ombudsman\n\n## Managing your pension\n\nYour pension provider will send you a statement each year to tell you how much is in your pension pot. You can also ask them for an estimate of how much you\u2019ll get when you start taking your pension pot.\n\n## What you see on your payslip\n\nYou do not need to do anything to get tax relief at the basic rate on your pension contributions. There are 2 types of arrangements:\n\n- net pay\n\n- relief at source\n\nCheck with your employer or pension provider which arrangement your workplace pension uses. This determines what you\u2019ll see on your payslip.\n\n## \u2018Net pay\u2019\n\nYour employer takes your contribution from your pay before it\u2019s taxed. You only pay tax on what\u2019s left. This means you get full tax relief, no matter if you pay tax at the basic, higher or additional rate.\n\nThe amount you\u2019ll see on your payslip is your contribution plus the tax relief.\n\nYou will not get tax relief if you do not pay tax, for example because you earn less than the tax threshold.\n\n## \u2018Relief at source\u2019\n\nYour employer takes your pension contribution after taking tax and National Insurance from your pay. However much you earn, your pension provider then adds tax relief to your pension pot at the basic rate.\n\nWith \u2018relief at source\u2019, the amount you see on your payslip is only your contributions, not the tax relief.\n\nYou may be able to claim money back if:\n\n- you pay higher or additional rate Income Tax\n\n- you pay higher or top rate Income Tax in Scotland\n\n## Tracing lost pensions\n\nThe Pension Tracing Service could help you find pensions you\u2019ve paid into but lost track of.\n\n## Nominate someone to get your pension if you die\n\nYou may be able to nominate (choose) someone to get your pension if you die before reaching the scheme\u2019s pension age. You can do this when you first join the pension or by writing to your provider.\n\nAsk your pension provider if you can nominate someone and what they\u2019d get if you die, for example regular payments or lump sums. Check your scheme\u2019s rules about:\n\n- who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23\n\n- whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die\n\nYou can change your nomination at any time. It\u2019s important to keep your nominee\u2019s details up to date.\n\nSometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.\n\n## Taking your pension\n\nMost pension schemes set an age when you can take your pension, usually between 60 and 65. In some circumstances you can take your pension early. The earliest is usually 55.\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. Taking your pension early in this way could mean you pay tax of up to 55%.\n\nIf the amount of money in your pension pot is quite small, you may be able to take it all as a lump sum. You can take 25% of it tax free, but you\u2019ll pay Income Tax on the rest.\n\nHow you get money from your pension depends on the type of scheme you\u2019re in.\n\n## Defined contribution pension schemes\n\nYou\u2019ll need to decide how to take your money if you\u2019re in a defined contribution pension scheme.\n\n## Defined benefit pension schemes\n\nYou may be able to take some money as a tax-free lump sum if you\u2019re in a defined benefit pension scheme - check with your pension provider. You\u2019ll get the rest as a guaranteed amount each year.\n\n## Changing jobs and taking leave\n\n## If you change jobs\n\nYour workplace pension still belongs to you. If you do not carry on paying into the scheme, the money will remain invested and you\u2019ll get a pension when you reach the scheme\u2019s pension age.\n\nYou can join another workplace pension scheme if you get a new job.\n\nIf you do, you might be able to:\n\n- carry on making contributions to your old pension\n\n- combine the old and new pension schemes\n\nAsk your pension providers about your options.\n\nIf you move jobs but pay into an old pension, you may not get some of that pension\u2019s benefits - check if they\u2019re only available to current workers.\n\n## If you worked at your job for less than 2 years before you left\n\nIf you were in a defined benefit pension scheme for less than 2 years, you might be able to either:\n\n- get a refund on what you contributed\n\n- transfer the value of its benefits to another scheme (a \u2018cash sum transfer\u2019)\n\nThis depends on the type of defined benefit scheme and its rules. Check with your employer or the pension scheme provider.\n\n## Paid leave\n\nDuring paid leave, you and your employer carry on making pension contributions.\n\nThe amount you contribute is based on your actual pay during this time, but your employer pays contributions based on the salary you would have received if you were not on leave.\n\n## Maternity and other parental leave\n\nYou and your employer will continue to make pension contributions if you\u2019re getting paid during maternity leave.\n\nIf you\u2019re not getting paid, your employer still has to make pension contributions in the first 26 weeks of your leave (\u2018Ordinary Maternity Leave\u2019). They have to carry on making contributions afterwards if it\u2019s in your contract. Check your employer\u2019s maternity policy.\n\n## Unpaid leave\n\nYou may be able to make contributions if you want to - check with your employer or the pension scheme provider.\n\n## If you become self-employed or stop working\n\nYou may be able to carry on contributing to your workplace pension - ask the scheme provider.\n\nYou could use the National Employment Saving Trust (NEST) - a workplace pension scheme that working self-employed people or sole directors of limited companies can use.\n\nYou could set up a personal or stakeholder pension.\n\nYou can get help with your workplace pension options.\n\n## If you want to leave your workplace pension scheme\n\nWhat you do if you want to leave a workplace pension depends on whether you\u2019ve been \u2018automatically enrolled\u2019 in it or not.\n\n## If you have not been automatically enrolled\n\nCheck with your employer - they\u2019ll tell you what to do.\n\n## If you\u2019ve been automatically enrolled\n\nYour employer will have sent you a letter telling you that you\u2019ve been added to the scheme.\n\nYou can leave (called \u2018opting out\u2019) if you want to.\n\nIf you opt out within a month of your employer adding you to the scheme, you\u2019ll get back any money you\u2019ve already paid in.\n\nYou may not be able to get your payments refunded if you opt out later - they\u2019ll usually stay in your pension until you retire.\n\nYou can opt out by contacting your pension provider. Your employer must tell you how to do this.\n\n## Reducing your payments\n\nYou may be able to reduce the amount you contribute to your workplace pension for a short time. Check with both your employer and your pension provider to see if you can do this and how long you can do it for.\n\n## Opting back in\n\nYou can do this at any time by writing to your employer. They do not have to accept you back into their workplace scheme if you\u2019ve opted in and then opted out in the past 12 months.\n\n## Rejoining the scheme automatically\n\nYour employer will automatically re-enrol you in the scheme. They must do this either every 3 years (from the date you first enrolled), or they can choose to do it sooner. They\u2019ll write to you when they do this.\n\n## When you do not rejoin automatically\n\nIf you no longer qualify for the scheme, you will not be automatically re-enrolled.\n\nIf you chose to leave the scheme in the 12 months before the date you would have been re-enrolled, your employer does not have to automatically re-enrol you. But they can choose to re-enrol you.\n\n## Get help\n\nFor questions about the specific terms of your workplace pension scheme, talk to your pension provider or your employer.\n\nYou can get free, impartial information about your workplace pension options from:\n\n- the Money Advice Service\n\n- the Pensions Advisory Service\n\n- Pension Wise if you\u2019re in a defined contribution pension scheme\n\nYou can get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.\n\nFor general questions on workplace pensions contact the DWP Workplace Pension Information Line.\n\nOnly use the information line if you\u2019re a worker - employers should contact The Pensions Regulator.\n\n## Problems with being \u2018automatically enrolled\u2019\n\nContact the The Pensions Regulator if you have concerns about the way your employer is dealing with automatic enrolment.\n\nThe Pensions Advisory Service may also be able to help you.\n\n## If you\u2019re already paying into a personal pension\n\nCheck whether it\u2019s better for you to:\n\n- carry on with just your personal pension\n\n- stop paying into your personal pension and join your workplace pension\n\n- keep paying into both\n\n## If you\u2019re saving large amounts in pensions\n\nYou may have to pay a tax charge if your total savings in workplace pensions and any other personal pension scheme go above your:\n\n- lifetime allowance - \u00a31,055,000\n\n- annual allowance - usually the lowest out of \u00a340,000 or 100% of your annual income\n\nIf you start taking your pension pot your annual allowance could drop to as low as \u00a34,000.\n\n## If your pension scheme is closing\n\nThis can happen if your employer decides they do not want to use a scheme anymore or they can no longer pay their contributions. What happens to the money you paid in depends on the pension scheme you\u2019ve joined.\n\nIf you\u2019ve been automatically enrolled, your employer cannot close a pension scheme without automatically enrolling you into another one.\n\n## If you\u2019re getting a divorce\n\nYou and your spouse or partner will have to tell the court the value of each of your pension pots. You then have different options to work out what happens to your pension when you get a divorce.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/workplace-pensions", + "answerable": true, + "scenario": "My brother is a full time employee and pays income tax. Has also invested in both workplace and personal pension schemes.", + "original_question": "Can he qualify for a government tax relief?" + }, + { + "id": "train-2014", + "question": "Scenario: My daughter is 25 years old and working full time in the UK . She is earning a salary of \u00a316,000 per year.\n\nQuestion: Can she be automatically enrolled to the workplace pension scheme?\n\nDocument - Workplace pensions:\n## About workplace pensions\n\nA workplace pension is a way of saving for your retirement that\u2019s arranged by your employer.\n\nSome workplace pensions are called \u2018occupational\u2019, \u2018works\u2019, \u2018company\u2019 or \u2018work-based\u2019 pensions.\n\n## How they work\n\nA percentage of your pay is put into the pension scheme automatically every payday.\n\nIn most cases, your employer also adds money into the pension scheme for you. You may also get tax relief from the government.\n\n## Joining a workplace pension\n\nAll employers must provide a workplace pension scheme. This is called \u2018automatic enrolment\u2019.\n\nYour employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:\n\n- you\u2019re classed as a \u2018worker\u2019\n\n- you\u2019re aged between 22 and State Pension age\n\n- you earn at least \u00a310,000 per year\n\n- you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)\n\n## When your employer does not have to automatically enrol you\n\nYour employer usually does not have to automatically enrol you if you do not meet the previous criteria or if any of the following apply:\n\n- you\u2019ve already given notice to your employer that you\u2019re leaving your job, or they\u2019ve given you notice\n\n- you have evidence of your lifetime allowance protection (for example, a certificate from HMRC)\n\n- you\u2019ve already taken a pension that meets the automatic enrolment rules and your employer arranged it\n\n- you get a one-off payment from a workplace pension scheme that\u2019s closed (a \u2018winding up lump sum\u2019), and then leave and rejoin the same job within 12 months of getting the payment\n\n- more than 12 months before your staging date, you left (\u2018opted out\u2019) of a pension arranged through your employer\n\n- you\u2019re from an EU member state and are in a EU cross-border pension scheme\n\n- you\u2019re in a limited liability partnership\n\n- you\u2019re a director without an employment contract and employ at least one other person in your company\n\nYou can usually still join their pension if you want to. Your employer cannot refuse.\n\n## If your income is low\n\nYour employer does not have to contribute to your pension if you earn these amounts or less:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\n## What happens when you\u2019re automatically enrolled\n\nYour employer must write to you when you\u2019ve been automatically enrolled into their workplace pension scheme. They must tell you:\n\n- the date they added you to the pension scheme\n\n- the type of pension scheme and who runs it\n\n- how much they\u2019ll contribute and how much you\u2019ll have to pay in\n\n- how to leave the scheme, if you want to\n\n- how tax relief applies to you\n\n## Delaying your enrolment date\n\nYour employer can delay the date they must enrol you into a pension scheme by up to 3 months.\n\nIn some cases they may be able to delay longer if they\u2019ve chosen either:\n\n- a \u2018defined benefit\u2019 pension\n\n- a \u2018hybrid\u2019 pension (a mixture of defined benefit and defined contribution pensions) that allows you to take a defined benefit pension\n\nYour employer must:\n\n- tell you about the delay in writing\n\n- let you join in the meantime if you ask to\n\n## What your employer cannot do\n\nYour employer cannot:\n\n- unfairly dismiss or discriminate against you for being in a workplace pension scheme\n\n- encourage or force you to opt out\n\n## What you, your employer and the government pay\n\nThe amount you and your employer pay towards the pension depends on:\n\n- what type of workplace pension scheme you\u2019re in\n\n- whether you\u2019ve been automatically enrolled in a workplace pension or you\u2019ve joined one voluntarily (\u2018opted in\u2019)\n\nUse the Money Advice Service\u2019s contributions calculator to work out how much you and your employer will put in.\n\n## Tax relief\n\nThe government will usually add money to your workplace pension in the form of tax relief if both of the following apply:\n\n- you pay Income Tax\n\n- you pay into a personal pension or workplace pension\n\nEven if you do not pay Income Tax, you\u2019ll still get an additional payment if your pension scheme uses \u2018relief at source\u2019 to add money to your pension pot.\n\n## If you\u2019ve been automatically enrolled\n\nYou and your employer must pay a percentage of your earnings into your workplace pension scheme.\n\nHow much you pay and what counts as earnings depend on the pension scheme your employer has chosen. Ask your employer about your pension scheme rules.\n\nIn most automatic enrolment schemes, you\u2019ll make contributions based on your total earnings between \u00a36,240 and \u00a350,270 a year before tax.\u00a0Your total earnings include:\n\n- salary or wages\n\n- bonuses and commission\n\n- overtime\n\n- statutory sick pay\n\n- statutory maternity, paternity or adoption pay\n\n## Workplace pension contributions\n\n| | The minimum your employer pays | You pay | Total minimum contribution |\n\n| From April 2019 | 3% | 5% | 8% |\n\nThese amounts could be higher for you or your employer because of your pension scheme rules. They\u2019re higher for most defined benefit pension schemes.\n\nIn some schemes, your employer has the option to pay in more than the legal minimum. In these schemes, you can pay in less as long as your employer puts in enough to meet the total minimum contribution.\n\n## If you\u2019ve voluntarily enrolled in a workplace pension\n\nYour employer must contribute the minimum amount if you earn more than:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\nThey do not have to contribute anything if you earn these amounts or less.\n\n## How your take-home pay changes\n\nJoining a workplace pension scheme means that your take-home income will be reduced. But this may:\n\n- mean you\u2019re entitled to tax credits or an increase in the amount of tax credits you get (although you may not get this until the next tax year)\n\n- mean you\u2019re entitled to an income-related benefit or an increase in the amount of benefit you get\n\n- reduce the amount of student loan repayments you need to make\n\n## Payments using salary sacrifice\n\nYou and your employer may agree to use \u2018salary sacrifice\u2019 (sometimes known as a \u2018SMART\u2019 scheme).\n\nIf you do this, you give up part of your salary and your employer pays this straight into your pension. In some cases, this will mean you and your employer pay less tax and National Insurance.\n\nAsk your employer if they use salary sacrifice.\n\n## Protection for your pension\n\nHow your pension is protected depends on the type of scheme.\n\n## Defined contribution pension schemes\n\n## If your employer goes bust\n\nDefined contribution pensions are usually run by pension providers, not employers. You will not lose your pension pot if your employer goes bust.\n\n## If your pension provider goes bust\n\nIf the pension provider was authorised by the Financial Conduct Authority and cannot pay you, you can get compensation from the Financial Services Compensation Scheme (FSCS).\n\n## Trust-based schemes\n\nSome defined contribution schemes are run by a trust appointed by the employer. These are called \u2018trust-based schemes\u2019.\n\nYou\u2019ll still get your pension if your employer goes out of business. But you might not get as much because the scheme\u2019s running costs will be paid by members\u2019 pension pots instead of the employer.\n\n## Defined benefit pension schemes\n\nYour employer is responsible for making sure there\u2019s enough money in a defined benefit pension to pay each member the promised amount.\n\nYour employer cannot touch the money in your pension if they\u2019re in financial trouble.\n\nYou\u2019re usually protected by the Pension Protection Fund if your employer goes bust and cannot pay your pension.\n\nThe Pension Protection Fund usually pays:\n\n- 100% compensation if you\u2019ve reached the scheme\u2019s pension age\n\n- 90% compensation if you\u2019re below the scheme\u2019s pension age\n\n## Fraud, theft or bad management\n\nIf there\u2019s a shortfall in your company\u2019s pension fund because of fraud or theft, you may be eligible for compensation from the Fraud Compensation Fund.\n\nContact one of the following organisations if you want to make a complaint about the way your workplace pension scheme is run:\n\n- the Pensions Advisory Service\n\n- the Pensions Ombudsman\n\n## Managing your pension\n\nYour pension provider will send you a statement each year to tell you how much is in your pension pot. You can also ask them for an estimate of how much you\u2019ll get when you start taking your pension pot.\n\n## What you see on your payslip\n\nYou do not need to do anything to get tax relief at the basic rate on your pension contributions. There are 2 types of arrangements:\n\n- net pay\n\n- relief at source\n\nCheck with your employer or pension provider which arrangement your workplace pension uses. This determines what you\u2019ll see on your payslip.\n\n## \u2018Net pay\u2019\n\nYour employer takes your contribution from your pay before it\u2019s taxed. You only pay tax on what\u2019s left. This means you get full tax relief, no matter if you pay tax at the basic, higher or additional rate.\n\nThe amount you\u2019ll see on your payslip is your contribution plus the tax relief.\n\nYou will not get tax relief if you do not pay tax, for example because you earn less than the tax threshold.\n\n## \u2018Relief at source\u2019\n\nYour employer takes your pension contribution after taking tax and National Insurance from your pay. However much you earn, your pension provider then adds tax relief to your pension pot at the basic rate.\n\nWith \u2018relief at source\u2019, the amount you see on your payslip is only your contributions, not the tax relief.\n\nYou may be able to claim money back if:\n\n- you pay higher or additional rate Income Tax\n\n- you pay higher or top rate Income Tax in Scotland\n\n## Tracing lost pensions\n\nThe Pension Tracing Service could help you find pensions you\u2019ve paid into but lost track of.\n\n## Nominate someone to get your pension if you die\n\nYou may be able to nominate (choose) someone to get your pension if you die before reaching the scheme\u2019s pension age. You can do this when you first join the pension or by writing to your provider.\n\nAsk your pension provider if you can nominate someone and what they\u2019d get if you die, for example regular payments or lump sums. Check your scheme\u2019s rules about:\n\n- who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23\n\n- whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die\n\nYou can change your nomination at any time. It\u2019s important to keep your nominee\u2019s details up to date.\n\nSometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.\n\n## Taking your pension\n\nMost pension schemes set an age when you can take your pension, usually between 60 and 65. In some circumstances you can take your pension early. The earliest is usually 55.\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. Taking your pension early in this way could mean you pay tax of up to 55%.\n\nIf the amount of money in your pension pot is quite small, you may be able to take it all as a lump sum. You can take 25% of it tax free, but you\u2019ll pay Income Tax on the rest.\n\nHow you get money from your pension depends on the type of scheme you\u2019re in.\n\n## Defined contribution pension schemes\n\nYou\u2019ll need to decide how to take your money if you\u2019re in a defined contribution pension scheme.\n\n## Defined benefit pension schemes\n\nYou may be able to take some money as a tax-free lump sum if you\u2019re in a defined benefit pension scheme - check with your pension provider. You\u2019ll get the rest as a guaranteed amount each year.\n\n## Changing jobs and taking leave\n\n## If you change jobs\n\nYour workplace pension still belongs to you. If you do not carry on paying into the scheme, the money will remain invested and you\u2019ll get a pension when you reach the scheme\u2019s pension age.\n\nYou can join another workplace pension scheme if you get a new job.\n\nIf you do, you might be able to:\n\n- carry on making contributions to your old pension\n\n- combine the old and new pension schemes\n\nAsk your pension providers about your options.\n\nIf you move jobs but pay into an old pension, you may not get some of that pension\u2019s benefits - check if they\u2019re only available to current workers.\n\n## If you worked at your job for less than 2 years before you left\n\nIf you were in a defined benefit pension scheme for less than 2 years, you might be able to either:\n\n- get a refund on what you contributed\n\n- transfer the value of its benefits to another scheme (a \u2018cash sum transfer\u2019)\n\nThis depends on the type of defined benefit scheme and its rules. Check with your employer or the pension scheme provider.\n\n## Paid leave\n\nDuring paid leave, you and your employer carry on making pension contributions.\n\nThe amount you contribute is based on your actual pay during this time, but your employer pays contributions based on the salary you would have received if you were not on leave.\n\n## Maternity and other parental leave\n\nYou and your employer will continue to make pension contributions if you\u2019re getting paid during maternity leave.\n\nIf you\u2019re not getting paid, your employer still has to make pension contributions in the first 26 weeks of your leave (\u2018Ordinary Maternity Leave\u2019). They have to carry on making contributions afterwards if it\u2019s in your contract. Check your employer\u2019s maternity policy.\n\n## Unpaid leave\n\nYou may be able to make contributions if you want to - check with your employer or the pension scheme provider.\n\n## If you become self-employed or stop working\n\nYou may be able to carry on contributing to your workplace pension - ask the scheme provider.\n\nYou could use the National Employment Saving Trust (NEST) - a workplace pension scheme that working self-employed people or sole directors of limited companies can use.\n\nYou could set up a personal or stakeholder pension.\n\nYou can get help with your workplace pension options.\n\n## If you want to leave your workplace pension scheme\n\nWhat you do if you want to leave a workplace pension depends on whether you\u2019ve been \u2018automatically enrolled\u2019 in it or not.\n\n## If you have not been automatically enrolled\n\nCheck with your employer - they\u2019ll tell you what to do.\n\n## If you\u2019ve been automatically enrolled\n\nYour employer will have sent you a letter telling you that you\u2019ve been added to the scheme.\n\nYou can leave (called \u2018opting out\u2019) if you want to.\n\nIf you opt out within a month of your employer adding you to the scheme, you\u2019ll get back any money you\u2019ve already paid in.\n\nYou may not be able to get your payments refunded if you opt out later - they\u2019ll usually stay in your pension until you retire.\n\nYou can opt out by contacting your pension provider. Your employer must tell you how to do this.\n\n## Reducing your payments\n\nYou may be able to reduce the amount you contribute to your workplace pension for a short time. Check with both your employer and your pension provider to see if you can do this and how long you can do it for.\n\n## Opting back in\n\nYou can do this at any time by writing to your employer. They do not have to accept you back into their workplace scheme if you\u2019ve opted in and then opted out in the past 12 months.\n\n## Rejoining the scheme automatically\n\nYour employer will automatically re-enrol you in the scheme. They must do this either every 3 years (from the date you first enrolled), or they can choose to do it sooner. They\u2019ll write to you when they do this.\n\n## When you do not rejoin automatically\n\nIf you no longer qualify for the scheme, you will not be automatically re-enrolled.\n\nIf you chose to leave the scheme in the 12 months before the date you would have been re-enrolled, your employer does not have to automatically re-enrol you. But they can choose to re-enrol you.\n\n## Get help\n\nFor questions about the specific terms of your workplace pension scheme, talk to your pension provider or your employer.\n\nYou can get free, impartial information about your workplace pension options from:\n\n- the Money Advice Service\n\n- the Pensions Advisory Service\n\n- Pension Wise if you\u2019re in a defined contribution pension scheme\n\nYou can get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.\n\nFor general questions on workplace pensions contact the DWP Workplace Pension Information Line.\n\nOnly use the information line if you\u2019re a worker - employers should contact The Pensions Regulator.\n\n## Problems with being \u2018automatically enrolled\u2019\n\nContact the The Pensions Regulator if you have concerns about the way your employer is dealing with automatic enrolment.\n\nThe Pensions Advisory Service may also be able to help you.\n\n## If you\u2019re already paying into a personal pension\n\nCheck whether it\u2019s better for you to:\n\n- carry on with just your personal pension\n\n- stop paying into your personal pension and join your workplace pension\n\n- keep paying into both\n\n## If you\u2019re saving large amounts in pensions\n\nYou may have to pay a tax charge if your total savings in workplace pensions and any other personal pension scheme go above your:\n\n- lifetime allowance - \u00a31,055,000\n\n- annual allowance - usually the lowest out of \u00a340,000 or 100% of your annual income\n\nIf you start taking your pension pot your annual allowance could drop to as low as \u00a34,000.\n\n## If your pension scheme is closing\n\nThis can happen if your employer decides they do not want to use a scheme anymore or they can no longer pay their contributions. What happens to the money you paid in depends on the pension scheme you\u2019ve joined.\n\nIf you\u2019ve been automatically enrolled, your employer cannot close a pension scheme without automatically enrolling you into another one.\n\n## If you\u2019re getting a divorce\n\nYou and your spouse or partner will have to tell the court the value of each of your pension pots. You then have different options to work out what happens to your pension when you get a divorce.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/workplace-pensions", + "answerable": true, + "scenario": "My daughter is 25 years old and working full time in the UK . She is earning a salary of \u00a316,000 per year.", + "original_question": "Can she be automatically enrolled to the workplace pension scheme?" + }, + { + "id": "train-2015", + "question": "Scenario: I have been told by employer that I will be having a disciplinary hearing. They have not provided me with the reason for this, nor provided me with it in writing.\n\nQuestion: Should my employer be giving me these details in writing?\n\nDocument - Disciplinary procedures and action against you at work:\n## Overview\n\nYour employer could start formal disciplinary action against you if they have concerns about your work, conduct or absence.\n\nBefore taking formal disciplinary action or dismissing you, your employer may try to raise the matter informally with you. However, they can go straight to their formal disciplinary or dismissal procedures.\n\nDisciplinary procedures are a set way for an employer to deal with disciplinary issues. They should include a disciplinary hearing where you\u2019re given a chance to explain your side of the story.\n\nThere should also be a chance to appeal any disciplinary action your employer decides to take.\n\n## How disciplinary procedures work\n\nYour employer should put their disciplinary procedure in writing, and make it easily available to all staff.\n\nIt should say what performance and behaviour might lead to disciplinary action and what action your employer might take.\n\nIt should also include the name of someone you can speak to if you do not agree with your employer\u2019s disciplinary decision.\n\n## Disciplinary steps\n\nYour employer\u2019s disciplinary procedure should include the following steps:\n\n- A letter setting out the issue.\n\n- A meeting to discuss the issue.\n\n- A disciplinary decision.\n\n- A chance to appeal this decision.\n\n## Acas (Advisory, Conciliation and Arbitration Service) Code of Practice\n\nYour employer\u2019s disciplinary procedures should follow the Acas code of practice.\n\nYour employer does not have to follow the Acas code. However, if they do not and you win an employment tribunal against them, you could get a larger payout.\n\nThere\u2019s more guidance about how employers should run disciplinaries in the Acas guide on discipline and grievances at work.\n\n## Disciplinary procedures and employment contracts\n\nYour employer can also put their disciplinary procedures in your employment contract.\n\nIf your employer does this and then does not follow these procedures you could sue them for breach of contract.\n\n## Northern Ireland\n\nNorthern Ireland has different ways of solving workplace disputes.\n\n## Disciplinary hearings\n\nYour employer should not take any disciplinary action before meeting with you first and discussing the problem.\n\nThis disciplinary meeting (normally called a \u2018hearing\u2019) should be at a reasonable time and place.\n\nAt the hearing your employer should:\n\n- explain the complaint against you\n\n- go through the evidence\n\n- give you a chance to tell your side of the story\n\nIf you raise a significant new fact or issue at the hearing your employer might stop it and look into the issue. They should then rearrange the hearing at a later date.\n\n## Taking someone with you to a disciplinary hearing\n\nYou have the right to take someone with you to a disciplinary hearing, but you must tell your employer about this first.\n\nYour companion can be either:\n\n- a colleague\n\n- a trade union representative\n\n- a trade union official\n\nIf a colleague cannot go with you and you\u2019re not in the union you can ask to bring a family member or a Citizens Advice worker. However, your employer does not have to agree to this unless your employment contract says they must.\n\nThe companion can:\n\n- present and/or sum up your case and say things to support your case\n\n- speak to you during the hearing\n\nYour companion cannot answer questions on your behalf.\n\nYour companion cannot be disciplined for supporting you.\n\n## Disciplinary action\n\nAfter the hearing your employer should write to you as soon as possible, saying what action they\u2019re going to take, and telling you about your right to appeal.\n\nThe decision might be:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\nIt might also be anything else that could resolve the problem, for example an agreement to mediate with a co-worker you\u2019ve had personal problems with.\n\n## Disciplinary appeals\n\nIf you think disciplinary action taken against you is unfair you can appeal.\n\nWrite to your employer saying you\u2019re appealing and why.\n\n## Appeal hearings\n\nYou should be offered another meeting to discuss your appeal. This appeal hearing should be held as soon as possible.\n\nIf possible it should be dealt with by someone who has not already been involved with your disciplinary action.\n\nAn appeal hearing will be similar to your original disciplinary meeting and you\u2019ll have the right to bring a companion.\n\n## Final decision\n\nAfter the appeal meeting your employer should write to you with their final decision.\n\n## Suspension from work\n\nWhen a disciplinary issue is being looked into you might be suspended from work. This does not happen very often. If it does it should normally be with pay and you should be told why you\u2019re being suspended.\n\n## Employment contracts\n\nYou can be suspended without pay if your employment contract says your employer can do this, but they must be acting reasonably.\n\nIf your employment contract does not say your employer can do this, your employer may still be able to suspend you, but with pay. To show that it\u2019s not a punishment the suspension will normally be on full pay.\n\n## Employment rights when suspended\n\nYou keep your employment rights while suspended. If you do not get the right pay you may be able to make a claim to an employment tribunal for \u2018unlawful deduction from wages\u2019.\n\n## Talking to other employees, customers and/or suppliers\n\nIf you\u2019re suspended, you might be told not to talk to other employees, customers and/or suppliers. If this means you cannot defend yourself properly at a disciplinary hearing, you could make an appeal.\n\nBut if you\u2019ve been asked not to talk and you do, your employer might decide to take further disciplinary action against you.\n\n## Help and advice with disciplinary issues\n\nThere are several organisations that could give you advice about disciplinary issues.\n\n## Acas\n\nAcas (the Advisory, Conciliation and Arbitration Service) offers free, confidential and impartial advice about all employment rights issues.\n\n## Citizens Advice\n\nYour local Citizens Advice can also give free and impartial advice.\n\n## Trade unions\n\nIf you\u2019re a member of a trade union you can get help and advice from them.\n\n## Equality Advisory Support Service\n\nContact the Equality Advisory Support Service for advice about discrimination, equality and human rights.\n\nYou can also find more information on the Equality Advisory Support Service website.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "answerable": true, + "scenario": "I have been told by employer that I will be having a disciplinary hearing. They have not provided me with the reason for this, nor provided me with it in writing.", + "original_question": "Should my employer be giving me these details in writing?" + }, + { + "id": "train-2016", + "question": "Scenario: I have been told that I am going to be suspended due to a colleague's accusation. I have been told that I am not allowed to speak to my colleagues at work, but this will hinder my defence.\n\nQuestion: Will I be able to appeal against this decision?\n\nDocument - Disciplinary procedures and action against you at work:\n## Overview\n\nYour employer could start formal disciplinary action against you if they have concerns about your work, conduct or absence.\n\nBefore taking formal disciplinary action or dismissing you, your employer may try to raise the matter informally with you. However, they can go straight to their formal disciplinary or dismissal procedures.\n\nDisciplinary procedures are a set way for an employer to deal with disciplinary issues. They should include a disciplinary hearing where you\u2019re given a chance to explain your side of the story.\n\nThere should also be a chance to appeal any disciplinary action your employer decides to take.\n\n## How disciplinary procedures work\n\nYour employer should put their disciplinary procedure in writing, and make it easily available to all staff.\n\nIt should say what performance and behaviour might lead to disciplinary action and what action your employer might take.\n\nIt should also include the name of someone you can speak to if you do not agree with your employer\u2019s disciplinary decision.\n\n## Disciplinary steps\n\nYour employer\u2019s disciplinary procedure should include the following steps:\n\n- A letter setting out the issue.\n\n- A meeting to discuss the issue.\n\n- A disciplinary decision.\n\n- A chance to appeal this decision.\n\n## Acas (Advisory, Conciliation and Arbitration Service) Code of Practice\n\nYour employer\u2019s disciplinary procedures should follow the Acas code of practice.\n\nYour employer does not have to follow the Acas code. However, if they do not and you win an employment tribunal against them, you could get a larger payout.\n\nThere\u2019s more guidance about how employers should run disciplinaries in the Acas guide on discipline and grievances at work.\n\n## Disciplinary procedures and employment contracts\n\nYour employer can also put their disciplinary procedures in your employment contract.\n\nIf your employer does this and then does not follow these procedures you could sue them for breach of contract.\n\n## Northern Ireland\n\nNorthern Ireland has different ways of solving workplace disputes.\n\n## Disciplinary hearings\n\nYour employer should not take any disciplinary action before meeting with you first and discussing the problem.\n\nThis disciplinary meeting (normally called a \u2018hearing\u2019) should be at a reasonable time and place.\n\nAt the hearing your employer should:\n\n- explain the complaint against you\n\n- go through the evidence\n\n- give you a chance to tell your side of the story\n\nIf you raise a significant new fact or issue at the hearing your employer might stop it and look into the issue. They should then rearrange the hearing at a later date.\n\n## Taking someone with you to a disciplinary hearing\n\nYou have the right to take someone with you to a disciplinary hearing, but you must tell your employer about this first.\n\nYour companion can be either:\n\n- a colleague\n\n- a trade union representative\n\n- a trade union official\n\nIf a colleague cannot go with you and you\u2019re not in the union you can ask to bring a family member or a Citizens Advice worker. However, your employer does not have to agree to this unless your employment contract says they must.\n\nThe companion can:\n\n- present and/or sum up your case and say things to support your case\n\n- speak to you during the hearing\n\nYour companion cannot answer questions on your behalf.\n\nYour companion cannot be disciplined for supporting you.\n\n## Disciplinary action\n\nAfter the hearing your employer should write to you as soon as possible, saying what action they\u2019re going to take, and telling you about your right to appeal.\n\nThe decision might be:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\nIt might also be anything else that could resolve the problem, for example an agreement to mediate with a co-worker you\u2019ve had personal problems with.\n\n## Disciplinary appeals\n\nIf you think disciplinary action taken against you is unfair you can appeal.\n\nWrite to your employer saying you\u2019re appealing and why.\n\n## Appeal hearings\n\nYou should be offered another meeting to discuss your appeal. This appeal hearing should be held as soon as possible.\n\nIf possible it should be dealt with by someone who has not already been involved with your disciplinary action.\n\nAn appeal hearing will be similar to your original disciplinary meeting and you\u2019ll have the right to bring a companion.\n\n## Final decision\n\nAfter the appeal meeting your employer should write to you with their final decision.\n\n## Suspension from work\n\nWhen a disciplinary issue is being looked into you might be suspended from work. This does not happen very often. If it does it should normally be with pay and you should be told why you\u2019re being suspended.\n\n## Employment contracts\n\nYou can be suspended without pay if your employment contract says your employer can do this, but they must be acting reasonably.\n\nIf your employment contract does not say your employer can do this, your employer may still be able to suspend you, but with pay. To show that it\u2019s not a punishment the suspension will normally be on full pay.\n\n## Employment rights when suspended\n\nYou keep your employment rights while suspended. If you do not get the right pay you may be able to make a claim to an employment tribunal for \u2018unlawful deduction from wages\u2019.\n\n## Talking to other employees, customers and/or suppliers\n\nIf you\u2019re suspended, you might be told not to talk to other employees, customers and/or suppliers. If this means you cannot defend yourself properly at a disciplinary hearing, you could make an appeal.\n\nBut if you\u2019ve been asked not to talk and you do, your employer might decide to take further disciplinary action against you.\n\n## Help and advice with disciplinary issues\n\nThere are several organisations that could give you advice about disciplinary issues.\n\n## Acas\n\nAcas (the Advisory, Conciliation and Arbitration Service) offers free, confidential and impartial advice about all employment rights issues.\n\n## Citizens Advice\n\nYour local Citizens Advice can also give free and impartial advice.\n\n## Trade unions\n\nIf you\u2019re a member of a trade union you can get help and advice from them.\n\n## Equality Advisory Support Service\n\nContact the Equality Advisory Support Service for advice about discrimination, equality and human rights.\n\nYou can also find more information on the Equality Advisory Support Service website.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "answerable": true, + "scenario": "I have been told that I am going to be suspended due to a colleague's accusation. I have been told that I am not allowed to speak to my colleagues at work, but this will hinder my defence.", + "original_question": "Will I be able to appeal against this decision?" + }, + { + "id": "train-2017", + "question": "Scenario: I have been living in the UK for six years as a refugee. I want to apply for settlement. I previously served a six year jail sentence for theft in my previous country.\n\nQuestion: Will I be eligible for settlement?\n\nDocument - Settlement: refugee or humanitarian protection:\n## Overview\n\nYou can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) if you\u2019ve got a residence card as a:\n\n- refugee\n\n- person with humanitarian protection\n\nCheck if you\u2019re eligible in the relevant category.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person who\u2019s been given humanitarian protection.\n\n## Family members\n\nYou may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.\n\nCheck if your family member is eligible.\n\nIf your application is successful, your family members will have the same permission to stay in the UK as you do.\n\n## If you cannot include your family members on your settlement application\n\nIf your family was formed before you left your country, your partner and children can apply to be reunited with you in the UK.\n\nYour family members must apply for a visa to join you in the UK if one of the following is true:\n\n- they\u2019re not eligible to apply as a partner or a child\n\n- your family was formed after you left your country\n\nIf your application is successful, your family members will have permission to stay in the UK for the same length of time as you.\n\n## Eligibility\n\nYou can apply after 5 years in the UK as either:\n\n- a refugee\n\n- someone with humanitarian protection\n\n## If your application is refused\n\nYour settlement application may be refused if you\u2019ve got a criminal record or been in prison - read why applications are refused.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person with humanitarian protection.\n\n## Family reunion\n\nYour partner or child may be able to join or stay with you in the UK if:\n\n- you were part of a family before you were forced to leave your country\n\n- you have refugee status, 5 years\u2019 humanitarian protection or settlement on protection grounds but do not yet have British citizenship\n\nYour partner or child cannot join you if:\n\n- you have not received a decision on your asylum claim\n\n- you\u2019re under 18\n\nIf their application is successful, your family members will be allowed to come to or stay in the UK with the same permission as you.\n\n## Eligibility\n\nYour partner and any children must meet the following requirements.\n\n## Partner\n\nYour partner is someone you\u2019re in a genuine relationship with. You must be able to prove one of the following:\n\n- you\u2019re married\n\n- you\u2019re in a civil partnership\n\nIf you\u2019re not married or in a civil partnership, your partner may be able to join you if:\n\n- you were given refugee status or humanitarian protection on or after 9 October 2006\n\n- you\u2019ve lived together in a relationship like in a marriage or civil partnership for 2 years and you\u2019ve been given asylum or humanitarian protection after 9 October 2006\n\nYou and your partner must intend to live together and continue your relationship after they apply.\n\n## Children\n\nYour child is:\n\n- under the age of 18\n\n- going to live with you and your partner\n\n- not married or in a civil partnership\n\n## Apply outside the UK\n\nYour partner or child must apply online for family reunion.\n\nYou can apply on behalf of your child but, in most cases, your partner must make their own application.\n\nThey\u2019ll also have to complete application form VAF4A with Appendix 4.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\n## North Korea\n\nYour partner or child cannot apply online if they\u2019re applying from North Korea.\n\nThey need to download application form VAF4A with Appendix 4.\n\nThey should read the guidance on filling in the form and the instructions for North Korea.\n\n## Apply in the UK\n\nYour partner or child can apply to stay with you in the UK if all the following are true:\n\n- you have refugee status or humanitarian protection in the UK\n\n- they\u2019re making their first application to stay with you and they\u2019re already in the UK\n\n- they can prove their relationship pre-dates your departure from your home country because of persecution\n\nThey must apply by letter to:\n\n## Providing biometric information and supporting documents\n\nWhen your family member applies, they\u2019ll be asked to make an appointment at a Service and Support Centre to provide their biometric information (their fingerprints and a photo) and have their supporting documents checked.\n\n## Fees\n\nThere\u2019s no fee for applying for family reunion for eligible family members.\n\n## Family applying as dependants\n\nIf you\u2019re a refugee or have humanitarian protection, your family members can apply for settlement on the same form as you if they\u2019re already in the UK.\n\nFamily members are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 2 years before applying to settle)\n\n- your child or children - born in the UK or abroad\n\n## Eligibility\n\nYour family members must either have been given permission to be in the UK with you:\n\n- as your dependant, at the same time you were granted asylum or Humanitarian Protection\n\n- using the family reunion route\n\nA child of yours born in the UK who is not a British citizen is also eligible.\n\nYou need to provide evidence of your relationship - check the application form.\n\n## Children over 18\n\nYou can only include your children over 18 in your settlement application if:\n\n- they were granted as your dependant when you got your original grant of asylum and leave to enter or remain\n\n- they were granted leave to enter or remain by applying for family reunion\n\n## Other exceptions\n\nYou cannot include a partner or other dependant who:\n\n- already has permission to be in the UK in another category\n\n- is currently in the UK without permission\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement for a family member.\n\n## If your application is refused\n\nIf you have a criminal record or have been in prison, you may be refused settlement.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "answerable": true, + "scenario": "I have been living in the UK for six years as a refugee. I want to apply for settlement. I previously served a six year jail sentence for theft in my previous country.", + "original_question": "Will I be eligible for settlement?" + }, + { + "id": "train-2018", + "question": "Scenario: I am 16 years of age. I moved to the UK with Humanitarian Protection status. I have received a decision on my asylum claim. In my previous country, I was married to a woman.\n\nQuestion: Will my wife be able to join me in the UK?\n\nDocument - Settlement: refugee or humanitarian protection:\n## Overview\n\nYou can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) if you\u2019ve got a residence card as a:\n\n- refugee\n\n- person with humanitarian protection\n\nCheck if you\u2019re eligible in the relevant category.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person who\u2019s been given humanitarian protection.\n\n## Family members\n\nYou may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.\n\nCheck if your family member is eligible.\n\nIf your application is successful, your family members will have the same permission to stay in the UK as you do.\n\n## If you cannot include your family members on your settlement application\n\nIf your family was formed before you left your country, your partner and children can apply to be reunited with you in the UK.\n\nYour family members must apply for a visa to join you in the UK if one of the following is true:\n\n- they\u2019re not eligible to apply as a partner or a child\n\n- your family was formed after you left your country\n\nIf your application is successful, your family members will have permission to stay in the UK for the same length of time as you.\n\n## Eligibility\n\nYou can apply after 5 years in the UK as either:\n\n- a refugee\n\n- someone with humanitarian protection\n\n## If your application is refused\n\nYour settlement application may be refused if you\u2019ve got a criminal record or been in prison - read why applications are refused.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person with humanitarian protection.\n\n## Family reunion\n\nYour partner or child may be able to join or stay with you in the UK if:\n\n- you were part of a family before you were forced to leave your country\n\n- you have refugee status, 5 years\u2019 humanitarian protection or settlement on protection grounds but do not yet have British citizenship\n\nYour partner or child cannot join you if:\n\n- you have not received a decision on your asylum claim\n\n- you\u2019re under 18\n\nIf their application is successful, your family members will be allowed to come to or stay in the UK with the same permission as you.\n\n## Eligibility\n\nYour partner and any children must meet the following requirements.\n\n## Partner\n\nYour partner is someone you\u2019re in a genuine relationship with. You must be able to prove one of the following:\n\n- you\u2019re married\n\n- you\u2019re in a civil partnership\n\nIf you\u2019re not married or in a civil partnership, your partner may be able to join you if:\n\n- you were given refugee status or humanitarian protection on or after 9 October 2006\n\n- you\u2019ve lived together in a relationship like in a marriage or civil partnership for 2 years and you\u2019ve been given asylum or humanitarian protection after 9 October 2006\n\nYou and your partner must intend to live together and continue your relationship after they apply.\n\n## Children\n\nYour child is:\n\n- under the age of 18\n\n- going to live with you and your partner\n\n- not married or in a civil partnership\n\n## Apply outside the UK\n\nYour partner or child must apply online for family reunion.\n\nYou can apply on behalf of your child but, in most cases, your partner must make their own application.\n\nThey\u2019ll also have to complete application form VAF4A with Appendix 4.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\n## North Korea\n\nYour partner or child cannot apply online if they\u2019re applying from North Korea.\n\nThey need to download application form VAF4A with Appendix 4.\n\nThey should read the guidance on filling in the form and the instructions for North Korea.\n\n## Apply in the UK\n\nYour partner or child can apply to stay with you in the UK if all the following are true:\n\n- you have refugee status or humanitarian protection in the UK\n\n- they\u2019re making their first application to stay with you and they\u2019re already in the UK\n\n- they can prove their relationship pre-dates your departure from your home country because of persecution\n\nThey must apply by letter to:\n\n## Providing biometric information and supporting documents\n\nWhen your family member applies, they\u2019ll be asked to make an appointment at a Service and Support Centre to provide their biometric information (their fingerprints and a photo) and have their supporting documents checked.\n\n## Fees\n\nThere\u2019s no fee for applying for family reunion for eligible family members.\n\n## Family applying as dependants\n\nIf you\u2019re a refugee or have humanitarian protection, your family members can apply for settlement on the same form as you if they\u2019re already in the UK.\n\nFamily members are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 2 years before applying to settle)\n\n- your child or children - born in the UK or abroad\n\n## Eligibility\n\nYour family members must either have been given permission to be in the UK with you:\n\n- as your dependant, at the same time you were granted asylum or Humanitarian Protection\n\n- using the family reunion route\n\nA child of yours born in the UK who is not a British citizen is also eligible.\n\nYou need to provide evidence of your relationship - check the application form.\n\n## Children over 18\n\nYou can only include your children over 18 in your settlement application if:\n\n- they were granted as your dependant when you got your original grant of asylum and leave to enter or remain\n\n- they were granted leave to enter or remain by applying for family reunion\n\n## Other exceptions\n\nYou cannot include a partner or other dependant who:\n\n- already has permission to be in the UK in another category\n\n- is currently in the UK without permission\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement for a family member.\n\n## If your application is refused\n\nIf you have a criminal record or have been in prison, you may be refused settlement.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "answerable": true, + "scenario": "I am 16 years of age. I moved to the UK with Humanitarian Protection status. I have received a decision on my asylum claim. In my previous country, I was married to a woman.", + "original_question": "Will my wife be able to join me in the UK?" + }, + { + "id": "train-2019", + "question": "Scenario: I am a Turkish Business Person holding a visa to reside in the UK. I want my children and their carer, who is a family employee, to join me in the UK.\n\nQuestion: Can my children and their long term carer enter the UK and become a resident?\n\nDocument - Apply for settlement if you're a Turkish Worker or Businessperson:\n## Overview\n\nYou can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:\n\n- Turkish Worker visa\n\n- Turkish Businessperson visa\n\nYour family members (\u2018dependants\u2019) can also apply for settlement.\n\n## Fees\n\nThe application fee is \u00a32,389.\n\nYou also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\nIf you have family members applying for settlement with you, you\u2019ll need to pay the \u00a32,389 application fee and the \u00a319.20 biometric information fee for each person.\n\nIf your partner is applying to extend their visa, their fee is \u00a31,033 instead. They\u2019ll need to pay the healthcare surcharge.\n\n## How long you can stay\n\nGetting indefinite leave to remain means you can continue to live and work in the UK for as long as you like. It will mean you\u2019re eligible:\n\n- to take up any job\n\n- to run a business\n\n- for public services, such as healthcare and schools\n\n- for public funds and pensions\n\n- for British citizenship, if you meet the requirements\n\n## Eligibility\n\nTo be eligible to settle in the UK, you must have:\n\n- met the knowledge of language requirement\n\n- passed the Life in the UK test\n\n- registered with the police if you were told to\n\n- been living and working in the UK for the last 5 years without receiving public funds\n\n- spent no more than 180 days outside the UK in any 12 months in the last 5 years\n\nYou must continue to run a business if you\u2019re on a Turkish Businessperson visa.\n\nYour application might be refused if, for example, you\u2019ve:\n\n- got a criminal record in the UK or another country\n\n- provided false or incomplete information to the Home Office\n\n- broken UK immigration law\n\nRead the guidance on why applications can be refused.\n\n## Documents you must provide\n\nYou must provide:\n\n- a current passport or other valid travel identification\n\n- previous passports showing you\u2019ve been living legally in the UK for the past 5 years - if your current passport does not show this\n\n- the unique reference code that proves you passed the English language requirement\n\n- your police registration certificate covering the past 5 years (unless you did not need to register)\n\n## If you\u2019re a Turkish Businessperson\n\nYou\u2019ll also need to prove that you\u2019re continuing to run a business. You might need to provide documents, such as:\n\n- invoices showing work done\n\n- business bank statements\n\n- proof of National Insurance contributions - if appropriate\n\n- advertising materials\n\n- proof of renting or having purchased business premises\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 5 years before applying to settle)\n\n- your child under 21 or in limited circumstances over 21 (including children born in the UK)\n\n## Partners applying for indefinite leave to remain\n\nIf your partner is applying for indefinite leave to remain, they must:\n\n- have been granted leave as your dependant\n\n- have lived in the UK with you for a continuous period of 5 years\n\n- have met the knowledge of language and Life in the UK test\n\n## Partners applying to extend their visa\n\nIf you already have indefinite leave to remain, but your partner has not been here for 5 years on your visa they can apply to extend their visa.\n\nFor your partner to qualify, they must:\n\n- have last been granted entry clearance or leave to remain as your dependant\n\n- be living together with you in a genuine relationship\n\n- be living in suitable accommodation which you maintain without access to public funds\n\n- be registered with the police if they were told to\n\n## Children applying for indefinite leave to remain\n\nFor your children or child to apply for indefinite leave to remain, they must:\n\n- have been granted leave as your dependant\n\n- apply at the same time as both parents, or where both parents are settled already\n\n- not be married, in a civil partnership, have formed an independent family unit or be leading an independent life\n\n- have met the knowledge of language requirement and Life in the UK test - if they\u2019re 18 or over\n\n- have registered with the police if they were told to and are 16 or over\n\nYour child may also be able to apply if one of the following applies:\n\n- you\u2019re the child\u2019s only living parent\n\n- you have sole responsibility for them\n\n- there are serious reasons to let your child stay in the UK, for example they have a serious illness\n\n- their other parent is in the UK legally\n\nIf you already have indefinite leave to remain, your child may be eligible to apply if their other parent is extending a Turkish visa.\n\n## Documents your family need to provide\n\nEach family member must provide:\n\n- a current passport or other valid travel identification\n\n- 2 passport size colour photographs\n\n- proof of your relationship, for example a marriage or birth certificate, council tax bills or bank statements\n\n- proof they will live permanently with you, for example letters from your child\u2019s school or their doctor\n\n- proof that you have sole responsibility for any children aged under 21 if the other parent will not be in the UK (for example, written permission or relevant legal documents)\n\n## Apply\n\nYou can apply to settle in the UK (indefinite leave to remain). Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa. You must be in the UK to apply.\n\nYou must apply online.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who you\u2019ve included in your application form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "answerable": true, + "scenario": "I am a Turkish Business Person holding a visa to reside in the UK. I want my children and their carer, who is a family employee, to join me in the UK.", + "original_question": "Can my children and their long term carer enter the UK and become a resident?" + }, + { + "id": "train-2020", + "question": "Scenario: I hold a Turkish Business Person visa. I have lived in the UK for 10 years. My estranged husband in Turkey has suffered an accident that has left him requiring 24 hour a day care. I am responsible for his care as his only relative.\n\nQuestion: Can my husband join me in the UK and be granted permanent leave to remain?\n\nDocument - Apply for settlement if you're a Turkish Worker or Businessperson:\n## Overview\n\nYou can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:\n\n- Turkish Worker visa\n\n- Turkish Businessperson visa\n\nYour family members (\u2018dependants\u2019) can also apply for settlement.\n\n## Fees\n\nThe application fee is \u00a32,389.\n\nYou also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\nIf you have family members applying for settlement with you, you\u2019ll need to pay the \u00a32,389 application fee and the \u00a319.20 biometric information fee for each person.\n\nIf your partner is applying to extend their visa, their fee is \u00a31,033 instead. They\u2019ll need to pay the healthcare surcharge.\n\n## How long you can stay\n\nGetting indefinite leave to remain means you can continue to live and work in the UK for as long as you like. It will mean you\u2019re eligible:\n\n- to take up any job\n\n- to run a business\n\n- for public services, such as healthcare and schools\n\n- for public funds and pensions\n\n- for British citizenship, if you meet the requirements\n\n## Eligibility\n\nTo be eligible to settle in the UK, you must have:\n\n- met the knowledge of language requirement\n\n- passed the Life in the UK test\n\n- registered with the police if you were told to\n\n- been living and working in the UK for the last 5 years without receiving public funds\n\n- spent no more than 180 days outside the UK in any 12 months in the last 5 years\n\nYou must continue to run a business if you\u2019re on a Turkish Businessperson visa.\n\nYour application might be refused if, for example, you\u2019ve:\n\n- got a criminal record in the UK or another country\n\n- provided false or incomplete information to the Home Office\n\n- broken UK immigration law\n\nRead the guidance on why applications can be refused.\n\n## Documents you must provide\n\nYou must provide:\n\n- a current passport or other valid travel identification\n\n- previous passports showing you\u2019ve been living legally in the UK for the past 5 years - if your current passport does not show this\n\n- the unique reference code that proves you passed the English language requirement\n\n- your police registration certificate covering the past 5 years (unless you did not need to register)\n\n## If you\u2019re a Turkish Businessperson\n\nYou\u2019ll also need to prove that you\u2019re continuing to run a business. You might need to provide documents, such as:\n\n- invoices showing work done\n\n- business bank statements\n\n- proof of National Insurance contributions - if appropriate\n\n- advertising materials\n\n- proof of renting or having purchased business premises\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 5 years before applying to settle)\n\n- your child under 21 or in limited circumstances over 21 (including children born in the UK)\n\n## Partners applying for indefinite leave to remain\n\nIf your partner is applying for indefinite leave to remain, they must:\n\n- have been granted leave as your dependant\n\n- have lived in the UK with you for a continuous period of 5 years\n\n- have met the knowledge of language and Life in the UK test\n\n## Partners applying to extend their visa\n\nIf you already have indefinite leave to remain, but your partner has not been here for 5 years on your visa they can apply to extend their visa.\n\nFor your partner to qualify, they must:\n\n- have last been granted entry clearance or leave to remain as your dependant\n\n- be living together with you in a genuine relationship\n\n- be living in suitable accommodation which you maintain without access to public funds\n\n- be registered with the police if they were told to\n\n## Children applying for indefinite leave to remain\n\nFor your children or child to apply for indefinite leave to remain, they must:\n\n- have been granted leave as your dependant\n\n- apply at the same time as both parents, or where both parents are settled already\n\n- not be married, in a civil partnership, have formed an independent family unit or be leading an independent life\n\n- have met the knowledge of language requirement and Life in the UK test - if they\u2019re 18 or over\n\n- have registered with the police if they were told to and are 16 or over\n\nYour child may also be able to apply if one of the following applies:\n\n- you\u2019re the child\u2019s only living parent\n\n- you have sole responsibility for them\n\n- there are serious reasons to let your child stay in the UK, for example they have a serious illness\n\n- their other parent is in the UK legally\n\nIf you already have indefinite leave to remain, your child may be eligible to apply if their other parent is extending a Turkish visa.\n\n## Documents your family need to provide\n\nEach family member must provide:\n\n- a current passport or other valid travel identification\n\n- 2 passport size colour photographs\n\n- proof of your relationship, for example a marriage or birth certificate, council tax bills or bank statements\n\n- proof they will live permanently with you, for example letters from your child\u2019s school or their doctor\n\n- proof that you have sole responsibility for any children aged under 21 if the other parent will not be in the UK (for example, written permission or relevant legal documents)\n\n## Apply\n\nYou can apply to settle in the UK (indefinite leave to remain). Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa. You must be in the UK to apply.\n\nYou must apply online.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who you\u2019ve included in your application form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "answerable": true, + "scenario": "I hold a Turkish Business Person visa. I have lived in the UK for 10 years. My estranged husband in Turkey has suffered an accident that has left him requiring 24 hour a day care. I am responsible for his care as his only relative.", + "original_question": "Can my husband join me in the UK and be granted permanent leave to remain?" + }, + { + "id": "train-2021", + "question": "Scenario: My work colleagues and I belong to a trade union and we have work related issues which we need them tacked like low wages, unpaid leave days.\n\nQuestion: Can a trade union do collective bargaining with the employer?\n\nDocument - Joining a trade union:\n## Joining a trade union\n\nA trade union is an organisation with members who are usually workers or employees. It looks after their interests at work by doing things like:\n\n- negotiating agreements with employers on pay and conditions\n\n- discussing big changes like large scale redundancy\n\n- discussing members\u2019 concerns with employers\n\n- going with members to disciplinary and grievance meetings\n\n## Find a union to join\n\nIf there\u2019s a union at work, you can ask the trade union representative (\u2018rep\u2019) about joining. Their contact details may be in your company handbook, intranet site or on the union noticeboard.\n\nThe union rep will tell you if you\u2019re eligible to join and give you a membership form to fill in.\n\n## Trade union contact details\n\nYou can search a list of unions and their contact details put together by the Certification Officer, the independent organisation responsible for the legal regulation of unions.\n\nYou can also use the TUC\u2019s interactive tool to help you find a trade union in your workplace, or one which covers your type of job.\n\n## Trade union membership subscriptions\n\nYour union will charge a union membership fee (\u2018membership sub\u2019) to finance the work of the union. This can be the same amount for all employees or based on how much you\u2019re paid.\n\n## Paying your membership subs\n\nYou can pay your subs by:\n\n- having the amount taken by your employer from your pay and sent to the union (otherwise known as \u2018check-off\u2019)\n\n- direct debit\n\n- cash\n\n- cheque\n\n## Paying by check-off\n\nYour employer does not have to take union membership subs from your pay and send it to the union. They can stop sending your membership subs unless your employment contract says they have to.\n\nYour employer cannot take union membership subs from your pay without your written permission. Many trade unions will get your agreement to pay by check-off when you join, and forward it to your employer.\n\nYou can also ask your employer in writing to stop taking money from your pay for check-off whenever you want. They must then stop taking subs from your pay as soon as it\u2019s possible.\n\nYour employer is responsible for making sure that any check-off payments they make are legal.\n\n## What to do if you have a problem\n\nIf you have a problem with your check-off payments, try to discuss the issue with your employer and your trade union first.\n\nIf your trade union subscriptions are taken from your pay without your consent, you could make a complaint to an employment tribunal against your employer.\n\nIf your complaint is successful the employment tribunal can order your employer to pay you the value of the unauthorised payments.\n\n## Trade union membership: your employment rights\n\nYou have the right to:\n\n- choose to join or not join a union\n\n- decide to leave or remain a member of a union\n\n- belong to the union you choose, even if it\u2019s not the one your employer negotiates with on pay, terms and conditions\n\n- belong to more than one union\n\nYour employer is not allowed to:\n\n- offer you a benefit to leave a trade union\n\n- threaten to treat you unfairly if you do not leave a union\n\n## Refusing to employ you for trade union membership reasons\n\nAn employer or employment agency is not allowed to insist that you:\n\n- join or leave a trade union\n\n- leave one union for another\n\n## Dismissal for trade union membership reasons\n\nYour employer is not allowed to dismiss you or choose you for redundancy because you:\n\n- are or want to be a union member\n\n- are not or do not want to be a union member\n\n- took part or wanted to take part in union activities\n\n## Other unfavourable treatment\n\nYour employer must not treat you unfavourably (for example refusing you promotion or training opportunities) if you:\n\n- join a union\n\n- take part in its meetings\n\n- leave a union\n\n## What to do if you have a problem\n\nYou may be able to use a grievance procedure or go to an employment tribunal if you think your employer has treated you unfairly because of your trade union membership.\n\nContact the Advisory, Conciliation and Arbitration Service (Acas) if you have any questions about trade union membership.\n\n## Role of your trade union rep\n\nA trade union representative (\u2018rep\u2019) is a union member who represents and gives advice to colleagues when they have problems at work.\n\nTrade union reps are not paid but they do get paid time off to do their work as a rep.\n\n## What do union reps do?\n\nReps are there to:\n\n- discuss any concerns you have about your employer\n\n- go with (\u2018accompany\u2019) you to disciplinary or grievance hearings with management\n\n- represent you in negotiations (\u2018collective bargaining\u2019) over your pay and terms and conditions of employment\n\n- meet with your employer to find solutions to workplace issues\n\n- develop the best possible health and safety procedures with your employer\n\nEmployers must consult with union reps if:\n\n- there is going to be a business transfer or takeover\n\n- they are planning to make 20 or more people redundant within 90 days\n\n## Your right to be accompanied\n\nYou have the right to be accompanied by your union rep to some meetings with management - for example, if:\n\n- you\u2019re facing a disciplinary charge\n\n- you wish to raise a grievance with your employer\n\nIf your union rep cannot attend, you may be able to rearrange the meeting or ask a work colleague to go with you.\n\n## Becoming a union rep\n\nIf you want to become a union rep, ask another rep in the workplace or contact your union through its website. Depending on union rules, you may be appointed or elected.\n\nIf you become a union rep, find out what rights you have.\n\n## Union negotiations with your employer\n\nWhen an employer and a union agree to negotiate on pay, terms and conditions, this agreement is called \u2018recognition\u2019 of the union. The negotiations are called \u2018collective bargaining\u2019.\n\n## How collective bargaining works\n\nYour employer and trade union must agree on how collective bargaining will be done including:\n\n- which union, rep or official will represent a group of workers or employees (this group is called a \u2018bargaining unit\u2019)\n\n- who is included in the bargaining unit\n\n- how often meetings will take place\n\n- what issues they\u2019ll discuss\n\n- how disagreements will be handled\n\n- how collective bargaining will work if more than one union is recognised\n\n## Collective agreements\n\nAgreements reached through collective bargaining are called collective agreements and they often mean a change in your employment terms and conditions.\n\nCollective agreements can cover all staff - not just union members.\n\nYour employment contract may say which collective agreements cover you if:\n\n- your employer recognises more than one trade union\n\n- 1 union is recognised to negotiate for more than 1 bargaining unit", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/join-trade-union", + "answerable": true, + "scenario": "My work colleagues and I belong to a trade union and we have work related issues which we need them tacked like low wages, unpaid leave days.", + "original_question": "Can a trade union do collective bargaining with the employer?" + }, + { + "id": "train-2024", + "question": "Scenario: My son is serving in the Royal Navy at the moment and I'd like to send him a parcel of his favourite food and drinks but have been told there are limits on what service people can receive.\n\nQuestion: Am I allowed to send these to my son?\n\nDocument - Send mail with the British Forces Post Office (BFPO):\n## Find a BFPO number\n\nYou can use the British Forces Post Office (BFPO) if you\u2019re sending mail to:\n\n- serving armed forces personnel and their families\n\n- an employee of the Ministry of Defence (MOD), or another official organisation, who\u2019s entitled to use BFPO\n\nYou should only use BFPO to send mail to someone you know - there are other ways to support members of the armed forces.\n\nCheck for updates to postal services, including changes to services because of Christmas, coronavirus or problems like severe weather or industrial action.\n\n## BFPO numbers\n\nSee a list of all BFPO locations with their numbers and postcodes.\n\nOnly use postcodes when ordering items from UK-based websites.\n\n## How to address BFPO mail\n\nWrite the address clearly in capital letters, keeping exactly to the format for the role of the person you\u2019re posting to.\n\nWrite a return address on the back of the mail.\n\nUse a BFPO postcode if you\u2019re ordering goods online, or a BFPO number for anything else.\n\nIf you use a BFPO postcode instead of a BFPO number, it\u2019ll still arrive but it may take longer.\n\nWrite \u2018GB\u2019 after the BFPO number or postcode if you\u2019re posting mail from outside the UK.\n\nYour mail may be delayed or sent to the wrong place if you:\n\n- include the location (such as the town or country) in the address when using a BFPO number\n\n- write anything else on the packaging\n\n## Address format for service personnel\n\n## Address format for family\n\nUse this format if the item is for a dependant of a serving member of HM Forces.\n\n## Address format for non-service personnel\n\nUse this format if the item is for an employee of the Ministry of Defence (MOD), or another official organisation, who\u2019s entitled to use BFPO.\n\n## Customs declarations\n\nYou\u2019ll need to make a customs declaration if you\u2019re sending something outside of the UK.\n\nParcels up to 2kg are delivered by Royal Mail. You must include:\n\n- form CN22 - for contents worth up to \u00a3270\n\n- form CN23 - for contents worth more than \u00a3270\n\nParcels over 2kg and up to 30kg are delivered by Parcelforce. You must include a form PFU 509/CP72 with these - get one from your local Post Office.\n\n## Cost, size and weight\n\nThe cost of using British Forces Post Office (BFPO) depends on the size and weight of the letter or parcel you\u2019re sending.\n\n## Standard letter\n\nLength: up to 240mm \nWidth: up to 165mm \nThickness: up to 5mm\n\n| Weight range | Cost |\n\n| Up to 100g | \u00a30.85 |\n\n## Large letter\n\nLength: up to 353mm \nWidth: up to 250mm \nThickness: up to 25mm\n\n| Weight range | Cost |\n\n| Up to 100g | \u00a31.29 |\n\n| 101g to 250g | \u00a31.83 |\n\n| 251g to 500g | \u00a32.39 |\n\n| 501g to 750g | \u00a33.30 |\n\n## Small parcels\n\nLength: up to 450mm \nWidth: up to 350mm \nThickness: up to 160mm\n\n| Weight range | Cost |\n\n| Up to 1,000g | \u00a33.85 |\n\n| 1,001g to 2,000g | \u00a35.57 |\n\nIf you\u2019re sending a cylindrical parcel, double the diameter and add this to the length. The total cannot be more than 1,040mm. The biggest dimension cannot be more than 900mm.\n\n## Medium parcels (Royal Mail)\n\nThe medium parcels service is available at Forces Post Offices and UK Post Office branches.\n\nAdd up the length, width and depth. This cannot be more than 900mm.\n\n| Weight range | Cost |\n\n| Up to 1kg | \u00a36 |\n\n| 1.1kg to 2kg | \u00a39.02 |\n\n| Up to to 5kg | \u00a315.85 |\n\n| 5.1kg to 10kg | \u00a321.90 |\n\n| 10.1kg to 20kg | \u00a333.40 |\n\n## Worldwide parcels (ParcelForce)\n\nThere are certain size and weight restrictions depending on which service you choose and where you\u2019re sending your parcel.\n\n| Maximum weight | Cost |\n\n| 2kg | \u00a39 |\n\n| 5kg | \u00a311.60 |\n\n| 10kg | \u00a313.45 |\n\n| 15kg | \u00a319.35 |\n\n| 20kg | \u00a323.75 |\n\n| 25kg | \u00a334.20 |\n\n| 30kg | \u00a337.45 |\n\n## Enduring families free mail service (EFFMS)\n\nFamilies and friends in UK and BFPOs can send packets of up to 2kg, free of charge, to service personnel in certain operations and HM Ships.\n\nRead more about the enduring families free mail service.\n\n## Compensation, insurance and special delivery\n\nRead the guidance on claiming compensation for items that are lost or damaged.\n\n## What you cannot send\n\nYou cannot send some items with British Forces Post Office mail, including:\n\n- alcoholic beverages\n\n- arms and ammunition\n\n- batteries\n\n- Christmas crackers\n\n- financial documents\n\n- fragile items\n\n- indecent, obscene or offensive articles\n\n- prescription medicines and drugs sent for scientific purposes\n\n- pressurised containers (including aerosols like deodorants and shaving foams or gels)\n\n- sharp objects and instruments (including scissors and kitchen knives or utensils)\n\nRead the detailed guidance for the full list of items you cannot send.\n\nIf you send these items, your whole parcel may be delayed or returned to you.\n\n## Buying goods online\n\nYou can use the British Forces Post Office (BFPO) to order goods from certain UK-based online retailers.\n\nSee the list of retailers in this scheme.\n\nRead the disclaimer and additional information if you want to use a company that is not on the list of approved retailers.\n\n## Send an INtouch message\n\nThe INtouch service has been discontinued and is no longer available.\n\nYou can send letters using the enduring families free mail service (EFFMS).\n\n## Contacts and enquiries\n\nRead the guidance about what to do if your mail has not arrived within 30 days.\n\n## Other ways to get support\n\nBFPO is also on:\n\n- Twitter\n\n- Facebook", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/bfpo", + "answerable": true, + "scenario": "My son is serving in the Royal Navy at the moment and I'd like to send him a parcel of his favourite food and drinks but have been told there are limits on what service people can receive.", + "original_question": "Am I allowed to send these to my son?" + }, + { + "id": "train-2025", + "question": "Scenario: I am a woman and I was born on exactly April 6th 1951. I have no idea if this means that I should be eligible for the additional state pension or not, given the circumstances.\n\nQuestion: Have I missed out on an additional payment by a day?\n\nDocument - Additional State Pension:\n## Overview\n\nThe Additional State Pension is an extra amount of money you could get on top of your basic State Pension if you\u2019re:\n\n- a man born before 6 April 1951\n\n- a woman born before 6 April 1953\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou get the new State Pension if you were born on or after this date. You will not qualify for the Additional State Pension, but you might still be able to inherit Additional State Pension from your partner.\n\nYou get the Additional State Pension automatically if you\u2019re eligible for it, unless you\u2019ve contracted out of it.\n\nThe Additional State Pension is paid with your basic State Pension.\n\n## What you'll get\n\nThere is no fixed amount for the Additional State Pension.\n\nHow much you get depends on:\n\n- how many years you paid National Insurance for\n\n- your earnings\n\n- whether you\u2019ve contracted out of the scheme\n\n- whether you topped up your basic State Pension (this was only possible between 12 October 2015 and 5 April 2017)\n\n## How you\u2019re paid\n\nThe Additional State Pension is paid with your basic State Pension into your bank account.\n\n## Eligibility\n\n## You reached State Pension age on or after 6 April 2016\n\nYou will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.\n\n## You reached State Pension age before 6 April 2016\n\nIf you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.\n\nYou may not get any Additional State Pension for periods when you were contracted out of it.\n\n## When you have contributed to the Additional State Pension\n\nThe Additional State Pension is made up of 3 schemes. You might have contributed to more than one, depending on:\n\n- how long you\u2019ve been working\n\n- whether you chose to top up your State Pension\n\n| Time | Scheme | You contributed if |\n\n| 2002 to 2016 | State Second Pension | You were employed or claiming certain benefits |\n\n| 1978 to 2002 | State Earnings-Related Pension Scheme (SERPS) | You were employed |\n\n| 12 October 2015 to 5 April 2017 | State Pension top up | You reached State Pension age before 6 April 2016 and opted in |\n\n## The State Second Pension since 2002\n\nYou contributed through your National Insurance contributions if at any time between 6 April 2002 and 5 April 2016 you were:\n\n- employed and earning at least the lower earnings limit - this was \u00a35,824 in the 2015 to 2016 tax year\n\n- looking after children under 12 and claiming Child Benefit\n\n- caring for a sick or disabled person more than 20 hours a week and claiming Carer\u2019s Credit\n\n- working as a registered foster carer and claiming Carer\u2019s Credit\n\n- receiving certain other benefits due to illness or disability\n\n## Contracting out\n\nYou could only contract out of the Additional State Pension if your employer ran a contracted-out pension scheme. Check with them.\n\nWhile you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.\n\nYou cannot contract out after 6 April 2016. If you were contracted out, your National Insurance contributions increased to your standard rate after this date.\n\nThe extra pension you get from a contracted-out pension scheme is usually the same as, or more than, the Additional State Pension you would have got if you did not contract out.\n\n## Check if you were contracted out\n\nYou can find out if you were contracted out by:\n\n- checking an old payslip\n\n- calling your pension provider\n\nThe Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.\n\n## National Insurance while contracting out\n\nYou paid lower National Insurance contributions while you were contracted out if:\n\n- you earned between \u00a3155 and \u00a3770 a week\n\n- you were under State Pension age\n\n- you did not pay reduced rate National Insurance\n\n## What happens when you retire\n\nYou\u2019ll get a pension from your employer\u2019s workplace pension scheme.\n\n## How to claim\n\nYou do not have to do anything to claim the Additional State Pension.\n\nIf you\u2019re eligible for an Additional State Pension, you\u2019ll automatically get it when you claim your State Pension.\n\nAfter you claim, the Pension Service will write to you and tell you how much you\u2019re getting.\n\n## Inheriting Additional State Pension\n\nIf your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.\n\n## Maximum State Second Pension you can inherit\n\nYou can inherit up to 50% of your spouse or civil partner\u2019s State Second Pension.\n\n## Maximum SERPS pension and State Pension top up you can inherit\n\nThe maximum you can inherit depends on when your spouse or civil partner died.\n\nIf they died before 6 October 2002, you can inherit up to 100% of their SERPS pension.\n\nIf they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.\n\n| Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit |\n\n| 5 October 1937 or before | 5 October 1942 or before | 100% |\n\n| 6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90% |\n\n| 6 October 1939 to 5 October 1941 | 6 October 1944 to 5 October 1946 | 80% |\n\n| 6 October 1941 to 5 October 1943 | 6 October 1946 to 5 October 1948 | 70% |\n\n| 6 October 1943 to 5 October 1945 | 6 October 1948 to 5 July 1950 | 60% |\n\n| 6 October 1945 and after | 6 July 1950 and after | 50% |\n\nIf your spouse or civil partner died within 90 days of topping up their State Pension, the top up should have been refunded to their estate (their total property, money and possessions), minus any payments they received before they died. This means you will not inherit the top up as part of their Additional State Pension.\n\n## How it\u2019s paid\n\nAny Additional State Pension you inherit will be paid on top of your State Pension when you reach State Pension age.\n\n## If you get your own Additional State Pension\n\nThe maximum amount of Additional State Pension you can get is \u00a3180.31 per week.\u00a0The limit does not include State Pension top up.\n\n## If you get Widowed Parent\u2019s Allowance\n\nYou may inherit Additional State Pension before you reach State Pension age. You\u2019ll stop receiving it if your Widowed Parent\u2019s Allowance ends.\n\nYou may receive it again when you reach State Pension age if you were over 45 when you were entitled to Widowed Parent\u2019s Allowance.\n\nIf your Widowed Parent\u2019s Allowance or Bereavement Allowance ended before you were 55, you\u2019ll receive less Additional State Pension.\n\n## When you cannot inherit Additional State Pension\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.\n\nThe date you reach State Pension age also affects whether you can inherit Additional State Pension.\n\n## If you reached State Pension age before 6 April 2010\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if they died before they reached their State Pension age and after you reached yours.\n\nThis does not apply if you\u2019re a woman who was married to:\n\n- a man\n\n- a woman who legally changed their gender from male to female during your marriage\n\n## If you reached State Pension age on or after 6 April 2016\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:\n\n- your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016\n\n- you started your marriage or civil partnership on or after 6 April 2016\n\n## If you get divorced\n\nIf you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.\n\nYou\u2019ll have to fill in form BR20 to give details of your Additional State Pension.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/additional-state-pension", + "answerable": true, + "scenario": "I am a woman and I was born on exactly April 6th 1951. I have no idea if this means that I should be eligible for the additional state pension or not, given the circumstances.", + "original_question": "Have I missed out on an additional payment by a day?" + }, + { + "id": "train-2026", + "question": "Scenario: I am 65 and female. I receive the basic state pension. My ex husband and I divorced ten years ago and I have recently learned that before his death he received the additional state pension but did not inform me of this fact. He is fifteen years older than me.\n\nQuestion: Do I have any claim on my ex's state pension, given I did not know he was getting the additional amount?\n\nDocument - Additional State Pension:\n## Overview\n\nThe Additional State Pension is an extra amount of money you could get on top of your basic State Pension if you\u2019re:\n\n- a man born before 6 April 1951\n\n- a woman born before 6 April 1953\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou get the new State Pension if you were born on or after this date. You will not qualify for the Additional State Pension, but you might still be able to inherit Additional State Pension from your partner.\n\nYou get the Additional State Pension automatically if you\u2019re eligible for it, unless you\u2019ve contracted out of it.\n\nThe Additional State Pension is paid with your basic State Pension.\n\n## What you'll get\n\nThere is no fixed amount for the Additional State Pension.\n\nHow much you get depends on:\n\n- how many years you paid National Insurance for\n\n- your earnings\n\n- whether you\u2019ve contracted out of the scheme\n\n- whether you topped up your basic State Pension (this was only possible between 12 October 2015 and 5 April 2017)\n\n## How you\u2019re paid\n\nThe Additional State Pension is paid with your basic State Pension into your bank account.\n\n## Eligibility\n\n## You reached State Pension age on or after 6 April 2016\n\nYou will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.\n\n## You reached State Pension age before 6 April 2016\n\nIf you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.\n\nYou may not get any Additional State Pension for periods when you were contracted out of it.\n\n## When you have contributed to the Additional State Pension\n\nThe Additional State Pension is made up of 3 schemes. You might have contributed to more than one, depending on:\n\n- how long you\u2019ve been working\n\n- whether you chose to top up your State Pension\n\n| Time | Scheme | You contributed if |\n\n| 2002 to 2016 | State Second Pension | You were employed or claiming certain benefits |\n\n| 1978 to 2002 | State Earnings-Related Pension Scheme (SERPS) | You were employed |\n\n| 12 October 2015 to 5 April 2017 | State Pension top up | You reached State Pension age before 6 April 2016 and opted in |\n\n## The State Second Pension since 2002\n\nYou contributed through your National Insurance contributions if at any time between 6 April 2002 and 5 April 2016 you were:\n\n- employed and earning at least the lower earnings limit - this was \u00a35,824 in the 2015 to 2016 tax year\n\n- looking after children under 12 and claiming Child Benefit\n\n- caring for a sick or disabled person more than 20 hours a week and claiming Carer\u2019s Credit\n\n- working as a registered foster carer and claiming Carer\u2019s Credit\n\n- receiving certain other benefits due to illness or disability\n\n## Contracting out\n\nYou could only contract out of the Additional State Pension if your employer ran a contracted-out pension scheme. Check with them.\n\nWhile you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.\n\nYou cannot contract out after 6 April 2016. If you were contracted out, your National Insurance contributions increased to your standard rate after this date.\n\nThe extra pension you get from a contracted-out pension scheme is usually the same as, or more than, the Additional State Pension you would have got if you did not contract out.\n\n## Check if you were contracted out\n\nYou can find out if you were contracted out by:\n\n- checking an old payslip\n\n- calling your pension provider\n\nThe Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.\n\n## National Insurance while contracting out\n\nYou paid lower National Insurance contributions while you were contracted out if:\n\n- you earned between \u00a3155 and \u00a3770 a week\n\n- you were under State Pension age\n\n- you did not pay reduced rate National Insurance\n\n## What happens when you retire\n\nYou\u2019ll get a pension from your employer\u2019s workplace pension scheme.\n\n## How to claim\n\nYou do not have to do anything to claim the Additional State Pension.\n\nIf you\u2019re eligible for an Additional State Pension, you\u2019ll automatically get it when you claim your State Pension.\n\nAfter you claim, the Pension Service will write to you and tell you how much you\u2019re getting.\n\n## Inheriting Additional State Pension\n\nIf your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.\n\n## Maximum State Second Pension you can inherit\n\nYou can inherit up to 50% of your spouse or civil partner\u2019s State Second Pension.\n\n## Maximum SERPS pension and State Pension top up you can inherit\n\nThe maximum you can inherit depends on when your spouse or civil partner died.\n\nIf they died before 6 October 2002, you can inherit up to 100% of their SERPS pension.\n\nIf they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.\n\n| Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit |\n\n| 5 October 1937 or before | 5 October 1942 or before | 100% |\n\n| 6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90% |\n\n| 6 October 1939 to 5 October 1941 | 6 October 1944 to 5 October 1946 | 80% |\n\n| 6 October 1941 to 5 October 1943 | 6 October 1946 to 5 October 1948 | 70% |\n\n| 6 October 1943 to 5 October 1945 | 6 October 1948 to 5 July 1950 | 60% |\n\n| 6 October 1945 and after | 6 July 1950 and after | 50% |\n\nIf your spouse or civil partner died within 90 days of topping up their State Pension, the top up should have been refunded to their estate (their total property, money and possessions), minus any payments they received before they died. This means you will not inherit the top up as part of their Additional State Pension.\n\n## How it\u2019s paid\n\nAny Additional State Pension you inherit will be paid on top of your State Pension when you reach State Pension age.\n\n## If you get your own Additional State Pension\n\nThe maximum amount of Additional State Pension you can get is \u00a3180.31 per week.\u00a0The limit does not include State Pension top up.\n\n## If you get Widowed Parent\u2019s Allowance\n\nYou may inherit Additional State Pension before you reach State Pension age. You\u2019ll stop receiving it if your Widowed Parent\u2019s Allowance ends.\n\nYou may receive it again when you reach State Pension age if you were over 45 when you were entitled to Widowed Parent\u2019s Allowance.\n\nIf your Widowed Parent\u2019s Allowance or Bereavement Allowance ended before you were 55, you\u2019ll receive less Additional State Pension.\n\n## When you cannot inherit Additional State Pension\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.\n\nThe date you reach State Pension age also affects whether you can inherit Additional State Pension.\n\n## If you reached State Pension age before 6 April 2010\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if they died before they reached their State Pension age and after you reached yours.\n\nThis does not apply if you\u2019re a woman who was married to:\n\n- a man\n\n- a woman who legally changed their gender from male to female during your marriage\n\n## If you reached State Pension age on or after 6 April 2016\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:\n\n- your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016\n\n- you started your marriage or civil partnership on or after 6 April 2016\n\n## If you get divorced\n\nIf you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.\n\nYou\u2019ll have to fill in form BR20 to give details of your Additional State Pension.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/additional-state-pension", + "answerable": true, + "scenario": "I am 65 and female. I receive the basic state pension. My ex husband and I divorced ten years ago and I have recently learned that before his death he received the additional state pension but did not inform me of this fact. He is fifteen years older than me.", + "original_question": "Do I have any claim on my ex's state pension, given I did not know he was getting the additional amount?" + }, + { + "id": "train-2031", + "question": "Scenario: I applied for an Armed Forces Compensation about 3 months ago. I received a letter last week informing me that I have been declined due to insufficient information. I do have some additional documents I can submit regarding my case which I was told not to submit the first time around since I apparently I already had enough proof.\n\nQuestion: Can I directly appeal to the case tribunal?\n\nDocument - War Pensions and Armed Forces Compensation Tribunal:\n## Overview\n\nYou can appeal to the First-tier Tribunal (War Pensions and Armed Forces Compensation Chamber) if you disagree with a decision about your war pension or compensation.\n\nYou must appeal within 1 year of getting your decision letter.\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\n## Decisions the tribunal can make\n\nThe tribunal will decide whether your injury was caused or made worse by serving in the armed forces.\n\nIf it was, it can then make decisions about:\n\n- your entitlement to a pension or compensation\n\n- how much pension you get\n\n- your entitlement to extra allowances, for example for mobility needs\n\n- pension start dates\n\n- withheld pensions\n\nThe tribunal deals with appeals for the 2 pension schemes currently running, which are:\n\n- the War Pensions Scheme - for injuries caused or made worse by service before 6 April 2005\n\n- the Armed Forces Compensation Scheme - for injuries caused by service from 6 April 2005 onwards\n\n## Help you can get\n\nYou may want to get legal help or advice before you appeal.\n\nYou may also be able to get help from organisations including:\n\n- Combat Stress\n\n- Blesma: The Limbless Veterans\n\n- Burma Star Association\n\n- National Gulf Veterans and Families Association (NGVFA)\n\n- Royal Air Forces Association (RAFA)\n\n- Royal British Legion (RBL)\n\n- Soldiers Sailors and Airmen\u2019s Families Association Forces Help (SSAFA)\n\n- UK Armed Forces Charities\n\n## How to appeal\n\nYou should appeal within one year of getting your decision letter.\n\n## Before you appeal\n\nWrite a letter to Veterans UK and ask them to reconsider their decision. Explain why you think the decision is wrong and give any information not included in your original claim.\n\nThey will look at your case again and write to you with their decision.\n\nVeterans UK was previously known as the Service Personnel and Veterans Agency (SPVA).\n\n## If you\u2019re still unhappy\n\nContact the Veterans UK helpline and ask for an appeal form to take your case to the tribunal. Fill it in and send it back to Veterans UK.\n\nCall if you need help filling in the form.\n\n## Late appeals\n\nIn some cases you\u2019ll be allowed to appeal after one year, but you must explain why your appeal is late. You cannot appeal against any decision after 2 years.\n\n## After you appeal\n\nVeterans UK will send the response to your appeal to the tribunal - you\u2019ll get a copy of the response. The response will contain information given in your claim and the evidence used to make the decision under appeal, such as medical reports that you may regard as confidential.\n\nYou can choose to reply in writing (a \u2018written submission\u2019) explaining why you disagree with the facts they used - you must do this within one month of receiving the copy.\n\nThe tribunal will look at your case and ask for more information if they need it.\n\nYou can also send any other evidence to support your case to the tribunal.\n\nThe tribunal will tell you if there\u2019ll be a hearing about your case.\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\n## The tribunal hearing\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\nHearings are usually held in major cities across England and Wales. You\u2019ll be told where you have to go.\n\nThe tribunal will give you at least 14 days\u2019 notice of the date of any hearing. You should be given a hearing within 4 months of the tribunal receiving a response from Veterans UK.\n\nYou must tell the tribunal if you cannot make it to the hearing - they might arrange another date if you have a good reason.\n\nThe tribunal might hold the hearing without you if do not attend.\n\n## Prepare for the hearing\n\nYou can go to the hearing on your own or ask someone to help represent you. You can also call a witness to support your case.\n\nOrganisations that can help represent you include:\n\n- Royal British Legion\n\n- Royal Air Forces Association\n\n- Combat Stress\n\n- Blesma: The Limbless Veterans\n\n- National Gulf Veterans and Families Association\n\n- UK Armed Forces Charities\n\nTake your appeal papers and the documents you\u2019re using as evidence to the hearing. You should give copies of any evidence to the tribunal and Veterans UK before the tribunal hearing.\n\n## Tribunal panel\n\nThe tribunal is made up of:\n\n- a judge\n\n- a medical member\n\n- a service member\n\n## What happens at the hearing\n\nThe judge, tribunal members, Veterans UK and your representative (if you have one) will ask you questions about your case.\n\nThe tribunal will then question any witnesses you\u2019ve brought to the hearing.\n\nYou\u2019ll usually get a decision from the tribunal on the day of the hearing.\n\n## Expenses\n\nYou might be able to claim expenses or compensation for:\n\n- travel (only in the UK)\n\n- living expenses for the time you\u2019re away from home\n\n- loss of earnings\n\n## More information\n\nYou can find out more about expenses or contact the tribunal for more information.\n\n## If you lose your appeal\n\nYou can ask the tribunal for permission to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you lose your appeal.\n\nYou must ask for permission to appeal within 6 weeks of getting the decision.\n\nThe Upper Tribunal will look at the case to see if the original decision was correct.\n\n## Reasons for appealing\n\nYou can only appeal if you think the decision was wrong for a legal reason, including if the tribunal did not:\n\n- follow the right procedures - for example it did not tell you in time about the hearing\n\n- give proper reasons for its decision, or back up the decision with facts\n\n- apply the law properly\n\nBefore appealing, ask the original tribunal for the written statement of reasons for its decision.\n\n## Contact the Upper Tribunal\n\n## Legislation\n\nThe tribunal will make decisions based on:\n\n- the Pensions Appeal Tribunals Act 1943\n\n- The Naval, Military and Air Forces Etc. (Disablement and Death) Service Pensions Order 2006\n\n- the Armed Forces and Reserve Forces (Compensation Scheme) Order 2011\n\nThe tribunal must follow the rules and process set out in the:\n\n- the Tribunal Procedure (First-tier Tribunal) (War Pensions and Armed Forces Compensation Chamber) Rules 2008\n\n- the Tribunals, Courts and Enforcement Act 2007", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "answerable": true, + "scenario": "I applied for an Armed Forces Compensation about 3 months ago. I received a letter last week informing me that I have been declined due to insufficient information. I do have some additional documents I can submit regarding my case which I was told not to submit the first time around since I apparently I already had enough proof.", + "original_question": "Can I directly appeal to the case tribunal?" + }, + { + "id": "train-2032", + "question": "Scenario: Last month I was declined my War Pension application. I was informed via a letter regarding the decision. Since the letter included little to no factual backing of their decision I decided to appeal to the tribunal but once again I reached a dead end. I do not know why my application was declined and don't seem to be able to reach anyone who can give me that information.\n\nQuestion: Can I ask for permission to appeal to the Upper Tribunal?\n\nDocument - War Pensions and Armed Forces Compensation Tribunal:\n## Overview\n\nYou can appeal to the First-tier Tribunal (War Pensions and Armed Forces Compensation Chamber) if you disagree with a decision about your war pension or compensation.\n\nYou must appeal within 1 year of getting your decision letter.\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\n## Decisions the tribunal can make\n\nThe tribunal will decide whether your injury was caused or made worse by serving in the armed forces.\n\nIf it was, it can then make decisions about:\n\n- your entitlement to a pension or compensation\n\n- how much pension you get\n\n- your entitlement to extra allowances, for example for mobility needs\n\n- pension start dates\n\n- withheld pensions\n\nThe tribunal deals with appeals for the 2 pension schemes currently running, which are:\n\n- the War Pensions Scheme - for injuries caused or made worse by service before 6 April 2005\n\n- the Armed Forces Compensation Scheme - for injuries caused by service from 6 April 2005 onwards\n\n## Help you can get\n\nYou may want to get legal help or advice before you appeal.\n\nYou may also be able to get help from organisations including:\n\n- Combat Stress\n\n- Blesma: The Limbless Veterans\n\n- Burma Star Association\n\n- National Gulf Veterans and Families Association (NGVFA)\n\n- Royal Air Forces Association (RAFA)\n\n- Royal British Legion (RBL)\n\n- Soldiers Sailors and Airmen\u2019s Families Association Forces Help (SSAFA)\n\n- UK Armed Forces Charities\n\n## How to appeal\n\nYou should appeal within one year of getting your decision letter.\n\n## Before you appeal\n\nWrite a letter to Veterans UK and ask them to reconsider their decision. Explain why you think the decision is wrong and give any information not included in your original claim.\n\nThey will look at your case again and write to you with their decision.\n\nVeterans UK was previously known as the Service Personnel and Veterans Agency (SPVA).\n\n## If you\u2019re still unhappy\n\nContact the Veterans UK helpline and ask for an appeal form to take your case to the tribunal. Fill it in and send it back to Veterans UK.\n\nCall if you need help filling in the form.\n\n## Late appeals\n\nIn some cases you\u2019ll be allowed to appeal after one year, but you must explain why your appeal is late. You cannot appeal against any decision after 2 years.\n\n## After you appeal\n\nVeterans UK will send the response to your appeal to the tribunal - you\u2019ll get a copy of the response. The response will contain information given in your claim and the evidence used to make the decision under appeal, such as medical reports that you may regard as confidential.\n\nYou can choose to reply in writing (a \u2018written submission\u2019) explaining why you disagree with the facts they used - you must do this within one month of receiving the copy.\n\nThe tribunal will look at your case and ask for more information if they need it.\n\nYou can also send any other evidence to support your case to the tribunal.\n\nThe tribunal will tell you if there\u2019ll be a hearing about your case.\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\n## The tribunal hearing\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\nHearings are usually held in major cities across England and Wales. You\u2019ll be told where you have to go.\n\nThe tribunal will give you at least 14 days\u2019 notice of the date of any hearing. You should be given a hearing within 4 months of the tribunal receiving a response from Veterans UK.\n\nYou must tell the tribunal if you cannot make it to the hearing - they might arrange another date if you have a good reason.\n\nThe tribunal might hold the hearing without you if do not attend.\n\n## Prepare for the hearing\n\nYou can go to the hearing on your own or ask someone to help represent you. You can also call a witness to support your case.\n\nOrganisations that can help represent you include:\n\n- Royal British Legion\n\n- Royal Air Forces Association\n\n- Combat Stress\n\n- Blesma: The Limbless Veterans\n\n- National Gulf Veterans and Families Association\n\n- UK Armed Forces Charities\n\nTake your appeal papers and the documents you\u2019re using as evidence to the hearing. You should give copies of any evidence to the tribunal and Veterans UK before the tribunal hearing.\n\n## Tribunal panel\n\nThe tribunal is made up of:\n\n- a judge\n\n- a medical member\n\n- a service member\n\n## What happens at the hearing\n\nThe judge, tribunal members, Veterans UK and your representative (if you have one) will ask you questions about your case.\n\nThe tribunal will then question any witnesses you\u2019ve brought to the hearing.\n\nYou\u2019ll usually get a decision from the tribunal on the day of the hearing.\n\n## Expenses\n\nYou might be able to claim expenses or compensation for:\n\n- travel (only in the UK)\n\n- living expenses for the time you\u2019re away from home\n\n- loss of earnings\n\n## More information\n\nYou can find out more about expenses or contact the tribunal for more information.\n\n## If you lose your appeal\n\nYou can ask the tribunal for permission to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you lose your appeal.\n\nYou must ask for permission to appeal within 6 weeks of getting the decision.\n\nThe Upper Tribunal will look at the case to see if the original decision was correct.\n\n## Reasons for appealing\n\nYou can only appeal if you think the decision was wrong for a legal reason, including if the tribunal did not:\n\n- follow the right procedures - for example it did not tell you in time about the hearing\n\n- give proper reasons for its decision, or back up the decision with facts\n\n- apply the law properly\n\nBefore appealing, ask the original tribunal for the written statement of reasons for its decision.\n\n## Contact the Upper Tribunal\n\n## Legislation\n\nThe tribunal will make decisions based on:\n\n- the Pensions Appeal Tribunals Act 1943\n\n- The Naval, Military and Air Forces Etc. (Disablement and Death) Service Pensions Order 2006\n\n- the Armed Forces and Reserve Forces (Compensation Scheme) Order 2011\n\nThe tribunal must follow the rules and process set out in the:\n\n- the Tribunal Procedure (First-tier Tribunal) (War Pensions and Armed Forces Compensation Chamber) Rules 2008\n\n- the Tribunals, Courts and Enforcement Act 2007", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "answerable": true, + "scenario": "Last month I was declined my War Pension application. I was informed via a letter regarding the decision. Since the letter included little to no factual backing of their decision I decided to appeal to the tribunal but once again I reached a dead end. I do not know why my application was declined and don't seem to be able to reach anyone who can give me that information.", + "original_question": "Can I ask for permission to appeal to the Upper Tribunal?" + }, + { + "id": "train-2036", + "question": "Scenario: I moved to the UK three years ago on an innovator visa. The limited company that I started with \u00a3100,000 of investment has grown to \u00a3500,000 per year. I am looking to apply for indefinite leave to remain, and I am considering the endorsements required.\n\nQuestion: Will this satisfy the endorsement requirments?\n\nDocument - Indefinite leave to remain if you have an Innovator visa:\n## Overview\n\nYou may be eligible for indefinite leave to remain if you have an Innovator visa.\n\nYou cannot apply until March 2022 at the earliest - 3 years after this way to settle was introduced.\n\nIndefinite leave to remain is how you settle in the UK. It gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible. You can use it to apply for British citizenship.\n\n## Eligibility\n\nYou must have:\n\n- lived in the UK for 3 years using an Innovator visa - you cannot include time spent in the UK using any other visa\n\n- a new endorsement that shows you\u2019ve met the requirements for growing your business\n\n## Knowledge of life in the UK\n\nIf you\u2019re 18 to 64 you must pass the Life in the UK Test.\n\n## Time outside the UK\n\nYou must have spent no more than 180 days outside the UK in any 12 months.\n\nIf you think you\u2019re affected by this rule, find out how to calculate your time in the UK (\u2018continuous residence\u2019).\n\n## When to apply\n\nYou\u2019ll be able to apply 28 days before you\u2019re eligible. Your application may be refused if you apply earlier.\n\nDo not wait until your current visa expires. If your visa expires before you can apply for indefinite leave to remain, you\u2019ll need to renew it first.\n\n## Fees and how long it takes\n\nIt costs \u00a32,389 for each person applying. You can include your partner and children on the same application form, if they\u2019re eligible.\n\nYou also need to pay \u00a319.20 per person to have your biometric information (fingerprints and a photo) taken.\n\nYou\u2019ll usually get a decision within 6 months.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\n## Getting endorsed\n\nBefore you can apply, you must show an approved body that you\u2019ve grown your business.\n\nIf you meet the criteria, the body will give you an endorsement letter to show that you\u2019re eligible for indefinite leave to remain.\n\nOnce you\u2019ve got your letter, you must apply for indefinite leave to remain within 3 months.\n\nYou do not need to use the same body that endorsed you for your Innovator visa.\n\n## Endorsement requirements\n\nYou must be actively managing and developing the business.\n\nYour business must be:\n\n- registered with Companies House, and you\u2019re either the director or a member\n\n- currently trading, and be able to continue for at least the next 12 months\n\nYour business must have done 2 of the following:\n\n- had \u00a350,000 of investment, which you\u2019ve spent on developing the business\n\n- doubled the number of customers in the last 3 years - and this number is higher than the average for similar businesses\n\n- applied for intellectual property protection in the UK\n\n- made \u00a31 million revenue in the last full year covered by accounts\n\n- made \u00a3500,000 revenue in the last full year covered by accounts, with \u00a3100,000 of this from exporting overseas\n\n- created the equivalent of 10 full-time jobs that have existed for 12 months\n\n- created the equivalent of 5 full-time jobs that have existed for 12 months, with an average salary of \u00a325,000 a year\n\nYou may have already met some of these criteria when you applied for your visa.\n\n## If you\u2019ve created jobs\n\nThe jobs you\u2019ve created must be for \u2018settled workers\u2019. A settled worker is someone who was one of the following when they started working for you:\n\n- a British citizen\n\n- an EEA citizen who was living in the UK and working for you by 31 December 2020\n\n- a Commonwealth citizen with a UK Ancestry visa\n\n- someone with indefinite leave to remain or settled status\n\n## Family members\n\nYou can include your partner and children on your application if they\u2019re eligible.\n\nYour partner and children can apply separately at a later date, for example if they\u2019re not eligible yet. They can continue to extend their visa as your dependant, even after you get indefinite leave to remain.\n\n## Eligibility for partners\n\nYour partner may qualify if all of the following apply:\n\n- they have permission to be in the UK as your partner (as a \u2018dependant\u2019 on your Innovator visa)\n\n- they\u2019ve lived in the UK with you as your dependant for at least 5 continuous years\n\n- your relationship is genuine\n\n- you intend to keep living together\n\n- you have enough income to support yourselves and your dependants\n\n- you\u2019re not using public funds (benefits)\n\nYour partner can include time they\u2019ve spent as your dependant on another visa to count towards the continuous years they need to qualify. They cannot count any time spent on their own visa (not as your dependant).\n\nYour partner must also:\n\n- pass the Life in the UK Test\n\n- meet the English language requirements\n\n## Eligibility for children\n\nYou can include children as dependants on your application if:\n\n- they have permission to be in the UK as your child (as a \u2018dependant\u2019 on your visa)\n\n- they are not married, in a civil partnership or living an independent life\n\n- they will live with you and be supported by you without relying on public funds (benefits)\n\n- you and your child\u2019s other parent are both currently applying to settle, or are already settled\n\nYour child can also apply to settle in one of the following situations:\n\n- you\u2019re the child\u2019s sole surviving parent\n\n- you have sole responsibility for your child, or they normally live with you\n\n- there are serious or compelling reasons why they should be allowed to stay, for example you or your child has a serious illness\n\n## Extra documents for children over 16\n\nYou\u2019ll need to prove:\n\n- where they live - if they do not live with you, you\u2019ll need to explain why\n\n- any rent or upkeep they pay you each month\n\n- that you support them financially if they do not live with you\n\nYou\u2019ll need to provide 2 documents from this list to prove where they live:\n\n- bank statement\n\n- credit card bill\n\n- driving licence\n\n- NHS registration document\n\n- a letter from their current school, college or university, on headed paper and issued by an authorised official of that organisation\n\nThe documents you provide cannot be more than a month old on the date you make your application.\n\nIf your child lives away from home, you\u2019ll need to provide:\n\n- bank statements for you and your child covering the 3 months before the date you apply (to prove you\u2019ve supported them)\n\n- confirmation from their university or college on headed paper and issued by an authorised official (if they\u2019re studying)\n\n## Children 18 and over\n\nYou can only include older children in your application if they both:\n\n- were under 18 when they got permission to be in the UK as your dependant\n\n- still do not live an independent life - for example, they have not got married or had children\n\nThey also need to:\n\n- pass the Life in the UK Test\n\n- meet the English language requirements\n\nIf your child is over 18 by the time you apply and does not meet these requirements, they must apply separately.\n\n## How to apply\n\nYou cannot apply for indefinite leave to remain using an Innovator visa until March 2022 at the earliest.\n\n## Other ways to stay in the UK\n\nIf you\u2019re not eligible to apply using an Innovator visa, you may be able to stay in the UK another way. Check if you can:\n\n- extend your permission to stay in the UK\n\n- use a different way to apply for indefinite leave to remain", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa", + "answerable": true, + "scenario": "I moved to the UK three years ago on an innovator visa. The limited company that I started with \u00a3100,000 of investment has grown to \u00a3500,000 per year. I am looking to apply for indefinite leave to remain, and I am considering the endorsements required.", + "original_question": "Will this satisfy the endorsement requirments?" + }, + { + "id": "train-2039", + "question": "Scenario: I am 22 years old. I am travelling to the UK for the fifth time in 24 months for a visit. I have been approved for a UK visa. I hold an Argentinian passport.\n\nQuestion: Will I be eligible for the Registered Traveller membership?\n\nDocument - Registered Traveller: faster entry through the UK border:\n## Overview\n\nThe Registered Traveller service can help you get through the UK border faster.\n\nRegistered Travellers can use UK channels at some airports and train stations. You can use:\n\n- UK passport entry lanes\n\n- ePassport gates - if your passport has a \u2018chip\u2019\n\nYou\u2019ll need to carry your visa or biometric residence permit, if you have one.\n\nYou can no longer use the Registered Traveller service if you\u2019re from Australia, Canada, Japan, New Zealand, Singapore, South Korea or the United States. You may be able to use the ePassport gates instead.\n\n## Eligibility\n\nTo apply for Registered Traveller membership, you must be 18 or older and have an eligible passport.\n\nYou must also either:\n\n- have a UK visa or entry clearance\n\n- have visited the UK at least 4 times in the last 24 months\n\nIt counts as visiting when you enter the UK from another country. It does not count if you\u2019re just passing through the UK on your way to another country.\n\n## Eligible passports\n\n## Africa\n\nBotswana, Namibia, Seychelles.\n\n## Asia\n\nBrunei, Hong Kong (Special Administrative Region passports only), Macao Special Administrative Region, Malaysia, Maldives, Taiwan (if your passport has a personal ID number on the photo page).\n\n## Europe\n\nAndorra, Monaco, Vatican City State.\n\n## Middle East\n\nIsrael.\n\n## North America\n\nBahamas, Mexico, Saint Vincent and the Grenadines.\n\n## Oceania\n\nNauru, Papua New Guinea, Samoa, Tonga.\n\n## South and Central America\n\nArgentina, Belize, Brazil, Chile, Costa Rica, El Salvador, Guatemala, Honduras, Nicaragua, Panama, Paraguay, Trinidad and Tobago, Uruguay.\n\n## Where you can use Registered Traveller\n\nYou can use the service at the following airports:\n\n- Birmingham\n\n- Bristol\n\n- Cardiff\n\n- East Midlands\n\n- Edinburgh\n\n- Gatwick\n\n- Glasgow\n\n- Heathrow\n\n- London City\n\n- Luton\n\n- Manchester\n\n- Southend\n\n- Stansted\n\nYou can use the service at the following Eurostar terminals:\n\n- Brussels\n\n- Lille\n\n- Paris\n\n## How to apply\n\nBefore you apply, check you\u2019re eligible.\n\n- Apply online for Registered Traveller membership. You\u2019ll need your passport number and expiry date. It costs \u00a370 and and lasts 12 months.\n\n- You\u2019ll get a decision on your application within 10 working days. You\u2019ll get \u00a350 back if your application is unsuccessful.\n\n- If your application is accepted, the next time you travel to the UK you must go through the \u2018other passports\u2019 lane.\n\n- The immigration officer will check that you meet the criteria and tell you if you can become a member. Your 12 month membership will start on the day you submitted your application.\n\n## Renew or update your membership\n\nIt costs \u00a350 to renew your Registered Traveller membership for another year.\n\nIt costs \u00a320 to update your passport details if you get a new passport. You must do this before you travel to the UK.\n\nYou must also update your details if your visa or immigration status changes. There\u2019s no fee to do this.\n\nYou can also renew or update your child\u2019s membership.\n\n## Add children to your membership\n\nYou can apply to add your children to your Registered Traveller membership if you have 29 days or more left on it.\n\nOnce your child is added to your membership, you can both use the UK passport lanes together.\n\nYou will not be able to use the ePassport gates.\n\nYour child\u2019s membership will expire at the same time as yours. You\u2019ll need to renew or update your and your child\u2019s memberships separately.\n\nOnce you\u2019ve added the child to your membership, they can also travel with their other parent as long as they\u2019re also a member. Before they travel together, you\u2019ll need to email the Home Office with full names and Registered Traveller numbers for:\n\n- you\n\n- your child\n\n- your child\u2019s other parent\n\nHome Office Registered Traveller service\nrtinbox@homeoffice.gov.uk\n\n## Eligibility\n\nYour child must:\n\n- be 17 or under\n\n- have an eligible passport\n\n- have a visa or entry clearance, if they\u2019re not applying as a visitor\n\n## Fee\n\nYou must pay a \u00a320 administration fee to apply for each child, plus a membership fee. This is worked out as \u00a32 a month until your membership expires.\n\nYou\u2019ll be told how much you need to pay when you apply.\n\nYou\u2019ll get the membership fee back if your application is unsuccessful. You will not get the \u00a320 administration fee back.\n\n## How to apply\n\nYou must apply and pay for each child separately.\n\nYou\u2019ll need your:\n\n\u2022 Registered Traveller number\n\u2022 child\u2019s passport number and expiry date\n\nYou\u2019ll get a decision on your application within 10 working days.\n\n## Renew or update your child\u2019s membership\n\nYou\u2019ll need to sign in with your child\u2019s Registered Traveller number and date of birth to renew or update their membership.\n\nYou\u2019ll have to pay a membership fee to renew your child\u2019s membership, which is worked out as \u00a32 a month until your membership expires.\n\nIt costs \u00a320 to update your child\u2019s passport details if they get a new passport. You must do this before your child travels to the UK.\n\nYou must also update your child\u2019s details if their visa or immigration status changes. There\u2019s no fee to do this.\n\n## When you travel to the UK\n\nIf your application is successful, the first time you and your child travel to the UK you must both go through the \u2018other passports\u2019 lane together.\n\nYou might need to prove the relationship between you and any children travelling with you, for example if you have different surnames.\n\nYou can do this with:\n\n\u2022 a birth or adoption certificate showing your relationship to the child\n\u2022 a divorce or marriage certificate if you\u2019re the parent but have a different surname to the child\n\nThe immigration officer will then confirm your child has been added to your membership. You\u2019ll get a confirmation email within 48 hours.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/registered-traveller", + "answerable": true, + "scenario": "I am 22 years old. I am travelling to the UK for the fifth time in 24 months for a visit. I have been approved for a UK visa. I hold an Argentinian passport.", + "original_question": "Will I be eligible for the Registered Traveller membership?" + }, + { + "id": "train-2042", + "question": "Scenario: I am a self-employed painter and decorator, one of three members of an LLP along with my brother and nephew. I am also an army reservist, and two years ago was called up for a six month tour of duty overseas. This imposed considerable costs on my business, requiring the training of an apprentice which I unsuccessfully claimed for financial assistance with.\n\nQuestion: Can I appeal further if they decide against my appeal?\n\nDocument - Appeal a decision against financial assistance for a reservist:\n## Appeal to the tribunal\n\nYou can appeal to the Reserve Forces Appeal Tribunals (RFAT) if your claim for financial assistance has been turned down.\n\nThe tribunal must receive your appeal within 5 days of you getting the decision letter or your application will be rejected.\n\nIf you\u2019re going to miss the deadline and have a valid reason for doing so, then say why in your notice of appeal. Extensions are only granted in exceptional circumstances.\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nContact RFAT or your legal representative if you have any questions about appealing. RFAT cannot give you legal advice.\n\nYou can find legal advice, including from a lawyer.\n\n## How to appeal\n\nWrite a letter called a \u2018notice of appeal\u2019 to the Secretary of Tribunals.\n\nYou must include:\n\n- your name, address and telephone number\n\n- a statement that it\u2019s a \u2018notice of appeal\u2019\n\n- the grounds for appealing the decision\n\n- what you want the tribunal to decide (known as the \u2018determination\u2019)\n\n- whether you want to attend the hearing\n\n- whether you\u2019ll be legally represented\n\n- the names and addresses of any witnesses\n\nYou\u2019ll need to include:\n\n- a copy of the decision you\u2019re appealing\n\n- all documents that were part of your original application\n\n- any relevant documents that were not part of your original application and the reasons why they were not included\n\n## Send your letter\n\nYou can email, fax, post or deliver your notice of appeal in person to:\n\n## After you send your appeal\n\nYou\u2019ll be told straight away when your appeal has been received.\n\nYou\u2019ll also be given:\n\n- a case name\n\n- a case number\n\n- an address for sending any further letters and documents to the tribunal\n\n- a hearing date\n\nYou\u2019ll normally find out within a week of sending your notice of appeal:\n\n- whether the tribunal will consider your case\n\n- whether the Armed Forces opposes the appeal and why\n\n- if the tribunal needs more information\n\nYou\u2019ll get another letter a few days before the hearing telling you what documents to bring with you, or send by post in advance.\n\n## Witnesses\n\nThe tribunal may suggest witnesses. You must contact them and make sure they appear at the hearing.\n\nThe tribunal can force witnesses to appear at the hearing if you\u2019re unable to do it yourself - the tribunal will tell you how.\n\n## What happens at a tribunal hearing\n\n## What happens at the hearing\n\nYou (or your legal representative) will present your case to the tribunal. An \u2018adjudication officer\u2019 will represent the Armed Forces.\n\nBoth sides can to give evidence, call witnesses, question witnesses and make statements to the tribunal.\n\nIf neither side wants to attend a hearing, a decision will be made without a hearing. This is called a \u2018paper hearing\u2019.\n\nYou and any witnesses who attend a hearing may be able to claim for expenses you have, for example accommodation or travel.\n\nHearings are usually held in public.\n\n## The tribunal\u2019s decision\n\nYou may get a decision at the end of the hearing. You\u2019ll also get a written copy sent to you.\n\nIf a decision\u2019s not made at the hearing, you\u2019ll get a letter telling you the decision within 1 month. This is known as a \u2018reserved\u2019 decision.\n\n## If you're unhappy with the tribunal's decision\n\nYou cannot appeal if you lose the case.\n\nIn exceptional circumstances, you may be able to ask for the tribunal to review its decision, for example if:\n\n- new evidence becomes available\n\n- the Secretary of Tribunals made a mistake in the proceedings\n\n- someone had the right to attend the hearing but could not, and had a valid reason for doing so\n\n- something else has gone wrong that\u2019s made the process or decision unfair (known as a review \u2018in the interests of justice\u2019)\n\nYou can get legal advice, including from a lawyer if you need help.\n\nWrite to the Secretary of Tribunals within 5 days of getting the decision.\n\n## What happens next\n\nThe tribunal can:\n\n- \u2018set aside\u2019 the decision - this means you\u2019ll have another hearing\n\n- change the decision\n\n## Legislation\n\nThe tribunal must follow the rules and process in:\n\n- the Reserve Forces Appeal Tribunals Rules 1997\n\n- Part IX of the Reserve Forces Act 1996\n\nThe tribunal will make a decision based on the Reserve Forces (Call-out and Recall) (Financial Assistance) Regulations 2005.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/financial-assistance-mobilised-service", + "answerable": true, + "scenario": "I am a self-employed painter and decorator, one of three members of an LLP along with my brother and nephew. I am also an army reservist, and two years ago was called up for a six month tour of duty overseas. This imposed considerable costs on my business, requiring the training of an apprentice which I unsuccessfully claimed for financial assistance with.", + "original_question": "Can I appeal further if they decide against my appeal?" + }, + { + "id": "train-2043", + "question": "Scenario: Hello chief! I retired in 2015 after a lifetime on the railways. Part of my service might have been contracted out.\n\nQuestion: Does being contracted out affect the additional state pension?\n\nDocument - Additional State Pension:\n## Overview\n\nThe Additional State Pension is an extra amount of money you could get on top of your basic State Pension if you\u2019re:\n\n- a man born before 6 April 1951\n\n- a woman born before 6 April 1953\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou get the new State Pension if you were born on or after this date. You will not qualify for the Additional State Pension, but you might still be able to inherit Additional State Pension from your partner.\n\nYou get the Additional State Pension automatically if you\u2019re eligible for it, unless you\u2019ve contracted out of it.\n\nThe Additional State Pension is paid with your basic State Pension.\n\n## What you'll get\n\nThere is no fixed amount for the Additional State Pension.\n\nHow much you get depends on:\n\n- how many years you paid National Insurance for\n\n- your earnings\n\n- whether you\u2019ve contracted out of the scheme\n\n- whether you topped up your basic State Pension (this was only possible between 12 October 2015 and 5 April 2017)\n\n## How you\u2019re paid\n\nThe Additional State Pension is paid with your basic State Pension into your bank account.\n\n## Eligibility\n\n## You reached State Pension age on or after 6 April 2016\n\nYou will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.\n\n## You reached State Pension age before 6 April 2016\n\nIf you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.\n\nYou may not get any Additional State Pension for periods when you were contracted out of it.\n\n## When you have contributed to the Additional State Pension\n\nThe Additional State Pension is made up of 3 schemes. You might have contributed to more than one, depending on:\n\n- how long you\u2019ve been working\n\n- whether you chose to top up your State Pension\n\n| Time | Scheme | You contributed if |\n\n| 2002 to 2016 | State Second Pension | You were employed or claiming certain benefits |\n\n| 1978 to 2002 | State Earnings-Related Pension Scheme (SERPS) | You were employed |\n\n| 12 October 2015 to 5 April 2017 | State Pension top up | You reached State Pension age before 6 April 2016 and opted in |\n\n## The State Second Pension since 2002\n\nYou contributed through your National Insurance contributions if at any time between 6 April 2002 and 5 April 2016 you were:\n\n- employed and earning at least the lower earnings limit - this was \u00a35,824 in the 2015 to 2016 tax year\n\n- looking after children under 12 and claiming Child Benefit\n\n- caring for a sick or disabled person more than 20 hours a week and claiming Carer\u2019s Credit\n\n- working as a registered foster carer and claiming Carer\u2019s Credit\n\n- receiving certain other benefits due to illness or disability\n\n## Contracting out\n\nYou could only contract out of the Additional State Pension if your employer ran a contracted-out pension scheme. Check with them.\n\nWhile you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.\n\nYou cannot contract out after 6 April 2016. If you were contracted out, your National Insurance contributions increased to your standard rate after this date.\n\nThe extra pension you get from a contracted-out pension scheme is usually the same as, or more than, the Additional State Pension you would have got if you did not contract out.\n\n## Check if you were contracted out\n\nYou can find out if you were contracted out by:\n\n- checking an old payslip\n\n- calling your pension provider\n\nThe Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.\n\n## National Insurance while contracting out\n\nYou paid lower National Insurance contributions while you were contracted out if:\n\n- you earned between \u00a3155 and \u00a3770 a week\n\n- you were under State Pension age\n\n- you did not pay reduced rate National Insurance\n\n## What happens when you retire\n\nYou\u2019ll get a pension from your employer\u2019s workplace pension scheme.\n\n## How to claim\n\nYou do not have to do anything to claim the Additional State Pension.\n\nIf you\u2019re eligible for an Additional State Pension, you\u2019ll automatically get it when you claim your State Pension.\n\nAfter you claim, the Pension Service will write to you and tell you how much you\u2019re getting.\n\n## Inheriting Additional State Pension\n\nIf your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.\n\n## Maximum State Second Pension you can inherit\n\nYou can inherit up to 50% of your spouse or civil partner\u2019s State Second Pension.\n\n## Maximum SERPS pension and State Pension top up you can inherit\n\nThe maximum you can inherit depends on when your spouse or civil partner died.\n\nIf they died before 6 October 2002, you can inherit up to 100% of their SERPS pension.\n\nIf they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.\n\n| Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit |\n\n| 5 October 1937 or before | 5 October 1942 or before | 100% |\n\n| 6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90% |\n\n| 6 October 1939 to 5 October 1941 | 6 October 1944 to 5 October 1946 | 80% |\n\n| 6 October 1941 to 5 October 1943 | 6 October 1946 to 5 October 1948 | 70% |\n\n| 6 October 1943 to 5 October 1945 | 6 October 1948 to 5 July 1950 | 60% |\n\n| 6 October 1945 and after | 6 July 1950 and after | 50% |\n\nIf your spouse or civil partner died within 90 days of topping up their State Pension, the top up should have been refunded to their estate (their total property, money and possessions), minus any payments they received before they died. This means you will not inherit the top up as part of their Additional State Pension.\n\n## How it\u2019s paid\n\nAny Additional State Pension you inherit will be paid on top of your State Pension when you reach State Pension age.\n\n## If you get your own Additional State Pension\n\nThe maximum amount of Additional State Pension you can get is \u00a3180.31 per week.\u00a0The limit does not include State Pension top up.\n\n## If you get Widowed Parent\u2019s Allowance\n\nYou may inherit Additional State Pension before you reach State Pension age. You\u2019ll stop receiving it if your Widowed Parent\u2019s Allowance ends.\n\nYou may receive it again when you reach State Pension age if you were over 45 when you were entitled to Widowed Parent\u2019s Allowance.\n\nIf your Widowed Parent\u2019s Allowance or Bereavement Allowance ended before you were 55, you\u2019ll receive less Additional State Pension.\n\n## When you cannot inherit Additional State Pension\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.\n\nThe date you reach State Pension age also affects whether you can inherit Additional State Pension.\n\n## If you reached State Pension age before 6 April 2010\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if they died before they reached their State Pension age and after you reached yours.\n\nThis does not apply if you\u2019re a woman who was married to:\n\n- a man\n\n- a woman who legally changed their gender from male to female during your marriage\n\n## If you reached State Pension age on or after 6 April 2016\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:\n\n- your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016\n\n- you started your marriage or civil partnership on or after 6 April 2016\n\n## If you get divorced\n\nIf you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.\n\nYou\u2019ll have to fill in form BR20 to give details of your Additional State Pension.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/additional-state-pension", + "answerable": true, + "scenario": "Hello chief! I retired in 2015 after a lifetime on the railways. Part of my service might have been contracted out.", + "original_question": "Does being contracted out affect the additional state pension?" + }, + { + "id": "train-2045", + "question": "Scenario: I am employer. Some of my employees have decided to go on strike about working hours. They have setup a picket that is blocking me, and some of my other employees, from entering the office.\n\nQuestion: Are they allowed to block me from entering my work premises?\n\nDocument - Taking part in industrial action and strikes:\n## Overview\n\nIndustrial action is when workers:\n\n- go on strike\n\n- take other action, like refusing to do overtime (known as \u2018action short of a strike\u2019)\n\nSometimes an employer may stop their workers from working or coming back to work during a dispute. This is called a \u2018lock-out\u2019.\n\n## Calling industrial action\n\nIndustrial action happens when trade union members are in a dispute with their employers that can\u2019t be solved through negotiations.\n\nA trade union can only call for industrial action if a majority of its members involved support it in a properly organised postal vote - called a \u2018ballot\u2019.\n\nBefore organising a ballot, a union must decide which members affected by a dispute it wants to ask to take industrial action. It must tell all members entitled to vote and the employer what the ballot results were.\n\nA trade union calls industrial action by telling members and the employer when and how this action will be taken. This should be done by a trade union official or committee that has the legal right to do so. Your voting paper must have said who this is.\n\n## Taking part in industrial action - your rights\n\nIf you\u2019re a trade union member, you have the right to vote before your union asks you to take industrial action. You don\u2019t have to take part in industrial action and can\u2019t be disciplined by your union if you don\u2019t.\n\nIf you do get excluded or expelled from your union, you can complain to an employment tribunal.\n\n## Secondary action\n\nIt\u2019s against the law to take part in \u2018secondary action\u2019 (going on strike in sympathy with people who work for a different employer).\n\n## Holding a ballot\n\nYour union must have a vote (a \u2018ballot\u2019) that\u2019s properly organised according to legal rules.\n\n## Properly organised ballots\n\nA ballot for industrial action must:\n\n- be supervised by a qualified independent person (a \u2018scrutineer\u2019 - often someone from an organisation like the Electoral Reform Society) appointed by the union if over 50 members are being balloted\n\n- be held before the union asks members to take or continue taking action\n\n- be open to all members the union wants to take action\n\n- be a postal ballot where members vote by marking a box on a voting paper and return it in a prepaid envelope\n\n- include information on what the ballot is about and where to post your vote\n\nThe union must tell everyone entitled to vote how many people voted, the number of yes votes, no votes or spoiled papers as soon as it can after the ballot.\n\nIt must also give the employer one week\u2019s notice of the start of the ballot and tell them the result as soon as\u00a0possible once it\u2019s available.\n\nThere\u2019s practical guidance on these rules in the code of practice on industrial action ballots.\n\n## Questions on the voting paper\n\nWhen you\u2019re balloted, your voting paper must ask whether you want to take part in either (or both):\n\n- strike action\n\n- action short of a strike\n\nThe union can only call on members to take action if a majority of members who voted were in favour of that particular action. If both questions are asked on the ballot paper and members vote yes to both, the union can decide what industrial action to take.\n\n## Complaining about ballots\n\nYou can apply for a court order if your union breaks the rules on industrial action ballots. You can take legal advice before doing this.\n\nThe court may order the union not to organise action if it decides a ballot wasn\u2019t held according to the rules.\n\nYou can apply for a temporary injunction that tells the union not to call industrial action if your case can\u2019t be heard in court straight away.\n\nIf the union doesn\u2019t do what the court says, you can ask them to \u2018declare the union to be in contempt of court\u2019 and the union can be fined.\n\n## Your employment rights during industrial action\n\nYou have the right to take industrial action and you can\u2019t be legally forced to stay at, or go back to, work (unless a ballot wasn\u2019t organised properly).\n\nIf you take industrial action, you\u2019ll probably have broken (be \u2018in breach of\u2019) your employment contract and your employer:\n\n- is unlikely to pay for the work you didn\u2019t do when you took industrial action\n\n- can sue you for breaking your contract (this doesn\u2019t happen often)\n\nTaking industrial action doesn\u2019t usually mean that your employer will say you\u2019ve broken your period of continuous employment with them. This begins when you start working for your employer and ends on the day your employer uses to calculate your length of service.\n\nHowever, if you take industrial action, your employer will reduce your length of service with them by the number of days you were on strike. This is important when working out your pension and things like statutory redundancy pay.\n\n## Dismissal for industrial action\n\nYou can\u2019t be dismissed for industrial action if:\n\n- it\u2019s called as a result of a properly organised ballot\n\n- it\u2019s about a trade dispute between workers and their employer (eg about your terms and conditions)\n\n- a detailed notice about the industrial action (which is legally required) has been given to the employer at least 7 days before it begins\n\nYou can claim unfair dismissal at an employment tribunal if you\u2019re dismissed for taking industrial action at any time within the 12 weeks after the action began.\n\nAfter 12 weeks, you can be dismissed if you take industrial action and your employer has tried to settle the dispute. For example, your employer may bring in advisers from Acas to help find a solution.\n\n## When you may be dismissed\n\nYou could be dismissed for taking part in industrial action if:\n\n- the union hasn\u2019t held a properly organised ballot\n\n- the union hasn\u2019t given the employer the correct notice for balloting members or taking action\n\n- the union hasn\u2019t called its members to take action because they think the dispute is settled or action is called by someone who doesn\u2019t have the authority to do so\n\n- it\u2019s in support of workers taking action against another employer (otherwise known as \u2018sympathy\u2019 or \u2018secondary\u2019 action)\n\n- it\u2019s in support of only employing union members (otherwise known as a \u2018closed shop\u2019)\n\n- it breaks any other parts of industrial action law\n\nIf you take part in industrial action that breaks the regulations and you\u2019re dismissed, you can\u2019t usually claim unfair dismissal if all employees taking part are dismissed as well.\n\nThere\u2019s more detail on legal rights and protections in the guidance on industrial action and the law.\n\n## Industrial action by non-union members\n\nNon-union members who take part in legal, official industrial action have the same rights as union members not to be dismissed as a result of taking action.\n\n## Going on strike and picketing\n\nA picket line is where workers and union reps (\u2018picketers\u2019 or \u2018pickets\u2019) stand outside a workplace to tell other people why they are striking. Pickets may also ask people not to:\n\n- do some of their usual work\n\n- go into work\n\nPickets must not prevent people from going to work or doing their usual work if they want to do so.\n\nThe picketing code of practice explains the rules around lawful picketing.\n\n## Picketing and the law\n\nIt\u2019s a criminal offence for pickets to:\n\n- use threatening or abusive behaviour to people walking past or crossing the picket line\n\n- block people or vehicles trying to get into the workplace which is on strike (called \u2018causing an obstruction\u2019 by police)\n\n- carry weapons\n\n- damage property\n\n- cause or threaten to cause a \u2018breach of the peace\u2019\n\n- try to block roads near the picket line (called \u2018causing an obstruction to the public highway\u2019)\n\n- try to stop the police who are outside the workplace from doing their job\n\nYou can have legal action taken against you if you break the law or encourage others to do so when you\u2019re picketing. This includes:\n\n- trespassing (trying to enter a building without permission)\n\n- making a noise nuisance\n\n- using threatening language or offensive material, libel or slander in leaflets, banners, placards, chants or speeches\n\nIf you break a court order banning you or your trade union from holding a picket, you could be open to further legal action (otherwise known as \u2018contempt of court\u2019).\n\n## Mass picketing\n\nPolice have special powers to stop a mass picket if they think there\u2019s a danger of:\n\n- serious public disorder (like a riot)\n\n- serious damage to property\n\nThe Code of Practice on picketing says usually there should be no more than 6 people outside an entrance to a workplace.\n\nIf you don\u2019t stop picketing when told do so by police, you can be arrested.\n\n## Flying pickets\n\nFlying pickets are groups of striking workers that move from one workplace to another to picket them. Usually flying pickets are illegal - you can only join a picket line at your workplace.\n\nTrade union reps can be on picket lines at different workplaces if they\u2019re responsible for organising workers in those workplaces.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/industrial-action-strikes", + "answerable": true, + "scenario": "I am employer. Some of my employees have decided to go on strike about working hours. They have setup a picket that is blocking me, and some of my other employees, from entering the office.", + "original_question": "Are they allowed to block me from entering my work premises?" + }, + { + "id": "train-2046", + "question": "Scenario: I have joined a strike with my other employees. This strike came as a result of a properly organised ballet. The strike is about low wages being paid by our employer. I have just received notice for my dismissal from my employer.\n\nQuestion: Can my employer dismiss me for this strike action?\n\nDocument - Taking part in industrial action and strikes:\n## Overview\n\nIndustrial action is when workers:\n\n- go on strike\n\n- take other action, like refusing to do overtime (known as \u2018action short of a strike\u2019)\n\nSometimes an employer may stop their workers from working or coming back to work during a dispute. This is called a \u2018lock-out\u2019.\n\n## Calling industrial action\n\nIndustrial action happens when trade union members are in a dispute with their employers that can\u2019t be solved through negotiations.\n\nA trade union can only call for industrial action if a majority of its members involved support it in a properly organised postal vote - called a \u2018ballot\u2019.\n\nBefore organising a ballot, a union must decide which members affected by a dispute it wants to ask to take industrial action. It must tell all members entitled to vote and the employer what the ballot results were.\n\nA trade union calls industrial action by telling members and the employer when and how this action will be taken. This should be done by a trade union official or committee that has the legal right to do so. Your voting paper must have said who this is.\n\n## Taking part in industrial action - your rights\n\nIf you\u2019re a trade union member, you have the right to vote before your union asks you to take industrial action. You don\u2019t have to take part in industrial action and can\u2019t be disciplined by your union if you don\u2019t.\n\nIf you do get excluded or expelled from your union, you can complain to an employment tribunal.\n\n## Secondary action\n\nIt\u2019s against the law to take part in \u2018secondary action\u2019 (going on strike in sympathy with people who work for a different employer).\n\n## Holding a ballot\n\nYour union must have a vote (a \u2018ballot\u2019) that\u2019s properly organised according to legal rules.\n\n## Properly organised ballots\n\nA ballot for industrial action must:\n\n- be supervised by a qualified independent person (a \u2018scrutineer\u2019 - often someone from an organisation like the Electoral Reform Society) appointed by the union if over 50 members are being balloted\n\n- be held before the union asks members to take or continue taking action\n\n- be open to all members the union wants to take action\n\n- be a postal ballot where members vote by marking a box on a voting paper and return it in a prepaid envelope\n\n- include information on what the ballot is about and where to post your vote\n\nThe union must tell everyone entitled to vote how many people voted, the number of yes votes, no votes or spoiled papers as soon as it can after the ballot.\n\nIt must also give the employer one week\u2019s notice of the start of the ballot and tell them the result as soon as\u00a0possible once it\u2019s available.\n\nThere\u2019s practical guidance on these rules in the code of practice on industrial action ballots.\n\n## Questions on the voting paper\n\nWhen you\u2019re balloted, your voting paper must ask whether you want to take part in either (or both):\n\n- strike action\n\n- action short of a strike\n\nThe union can only call on members to take action if a majority of members who voted were in favour of that particular action. If both questions are asked on the ballot paper and members vote yes to both, the union can decide what industrial action to take.\n\n## Complaining about ballots\n\nYou can apply for a court order if your union breaks the rules on industrial action ballots. You can take legal advice before doing this.\n\nThe court may order the union not to organise action if it decides a ballot wasn\u2019t held according to the rules.\n\nYou can apply for a temporary injunction that tells the union not to call industrial action if your case can\u2019t be heard in court straight away.\n\nIf the union doesn\u2019t do what the court says, you can ask them to \u2018declare the union to be in contempt of court\u2019 and the union can be fined.\n\n## Your employment rights during industrial action\n\nYou have the right to take industrial action and you can\u2019t be legally forced to stay at, or go back to, work (unless a ballot wasn\u2019t organised properly).\n\nIf you take industrial action, you\u2019ll probably have broken (be \u2018in breach of\u2019) your employment contract and your employer:\n\n- is unlikely to pay for the work you didn\u2019t do when you took industrial action\n\n- can sue you for breaking your contract (this doesn\u2019t happen often)\n\nTaking industrial action doesn\u2019t usually mean that your employer will say you\u2019ve broken your period of continuous employment with them. This begins when you start working for your employer and ends on the day your employer uses to calculate your length of service.\n\nHowever, if you take industrial action, your employer will reduce your length of service with them by the number of days you were on strike. This is important when working out your pension and things like statutory redundancy pay.\n\n## Dismissal for industrial action\n\nYou can\u2019t be dismissed for industrial action if:\n\n- it\u2019s called as a result of a properly organised ballot\n\n- it\u2019s about a trade dispute between workers and their employer (eg about your terms and conditions)\n\n- a detailed notice about the industrial action (which is legally required) has been given to the employer at least 7 days before it begins\n\nYou can claim unfair dismissal at an employment tribunal if you\u2019re dismissed for taking industrial action at any time within the 12 weeks after the action began.\n\nAfter 12 weeks, you can be dismissed if you take industrial action and your employer has tried to settle the dispute. For example, your employer may bring in advisers from Acas to help find a solution.\n\n## When you may be dismissed\n\nYou could be dismissed for taking part in industrial action if:\n\n- the union hasn\u2019t held a properly organised ballot\n\n- the union hasn\u2019t given the employer the correct notice for balloting members or taking action\n\n- the union hasn\u2019t called its members to take action because they think the dispute is settled or action is called by someone who doesn\u2019t have the authority to do so\n\n- it\u2019s in support of workers taking action against another employer (otherwise known as \u2018sympathy\u2019 or \u2018secondary\u2019 action)\n\n- it\u2019s in support of only employing union members (otherwise known as a \u2018closed shop\u2019)\n\n- it breaks any other parts of industrial action law\n\nIf you take part in industrial action that breaks the regulations and you\u2019re dismissed, you can\u2019t usually claim unfair dismissal if all employees taking part are dismissed as well.\n\nThere\u2019s more detail on legal rights and protections in the guidance on industrial action and the law.\n\n## Industrial action by non-union members\n\nNon-union members who take part in legal, official industrial action have the same rights as union members not to be dismissed as a result of taking action.\n\n## Going on strike and picketing\n\nA picket line is where workers and union reps (\u2018picketers\u2019 or \u2018pickets\u2019) stand outside a workplace to tell other people why they are striking. Pickets may also ask people not to:\n\n- do some of their usual work\n\n- go into work\n\nPickets must not prevent people from going to work or doing their usual work if they want to do so.\n\nThe picketing code of practice explains the rules around lawful picketing.\n\n## Picketing and the law\n\nIt\u2019s a criminal offence for pickets to:\n\n- use threatening or abusive behaviour to people walking past or crossing the picket line\n\n- block people or vehicles trying to get into the workplace which is on strike (called \u2018causing an obstruction\u2019 by police)\n\n- carry weapons\n\n- damage property\n\n- cause or threaten to cause a \u2018breach of the peace\u2019\n\n- try to block roads near the picket line (called \u2018causing an obstruction to the public highway\u2019)\n\n- try to stop the police who are outside the workplace from doing their job\n\nYou can have legal action taken against you if you break the law or encourage others to do so when you\u2019re picketing. This includes:\n\n- trespassing (trying to enter a building without permission)\n\n- making a noise nuisance\n\n- using threatening language or offensive material, libel or slander in leaflets, banners, placards, chants or speeches\n\nIf you break a court order banning you or your trade union from holding a picket, you could be open to further legal action (otherwise known as \u2018contempt of court\u2019).\n\n## Mass picketing\n\nPolice have special powers to stop a mass picket if they think there\u2019s a danger of:\n\n- serious public disorder (like a riot)\n\n- serious damage to property\n\nThe Code of Practice on picketing says usually there should be no more than 6 people outside an entrance to a workplace.\n\nIf you don\u2019t stop picketing when told do so by police, you can be arrested.\n\n## Flying pickets\n\nFlying pickets are groups of striking workers that move from one workplace to another to picket them. Usually flying pickets are illegal - you can only join a picket line at your workplace.\n\nTrade union reps can be on picket lines at different workplaces if they\u2019re responsible for organising workers in those workplaces.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/industrial-action-strikes", + "answerable": true, + "scenario": "I have joined a strike with my other employees. This strike came as a result of a properly organised ballet. The strike is about low wages being paid by our employer. I have just received notice for my dismissal from my employer.", + "original_question": "Can my employer dismiss me for this strike action?" + }, + { + "id": "train-2047", + "question": "Scenario: I was discharged from the army after ten years of service on the grounds of mental health problems. I was awarded a small sum on discharge but was told I am not eligible for a pension.\n\nQuestion: Can I appeal this decision?\n\nDocument - War Pensions and Armed Forces Compensation Tribunal:\n## Overview\n\nYou can appeal to the First-tier Tribunal (War Pensions and Armed Forces Compensation Chamber) if you disagree with a decision about your war pension or compensation.\n\nYou must appeal within 1 year of getting your decision letter.\n\nThe tribunal is independent of government and will listen to both sides of the argument before making a decision.\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\n## Decisions the tribunal can make\n\nThe tribunal will decide whether your injury was caused or made worse by serving in the armed forces.\n\nIf it was, it can then make decisions about:\n\n- your entitlement to a pension or compensation\n\n- how much pension you get\n\n- your entitlement to extra allowances, for example for mobility needs\n\n- pension start dates\n\n- withheld pensions\n\nThe tribunal deals with appeals for the 2 pension schemes currently running, which are:\n\n- the War Pensions Scheme - for injuries caused or made worse by service before 6 April 2005\n\n- the Armed Forces Compensation Scheme - for injuries caused by service from 6 April 2005 onwards\n\n## Help you can get\n\nYou may want to get legal help or advice before you appeal.\n\nYou may also be able to get help from organisations including:\n\n- Combat Stress\n\n- Blesma: The Limbless Veterans\n\n- Burma Star Association\n\n- National Gulf Veterans and Families Association (NGVFA)\n\n- Royal Air Forces Association (RAFA)\n\n- Royal British Legion (RBL)\n\n- Soldiers Sailors and Airmen\u2019s Families Association Forces Help (SSAFA)\n\n- UK Armed Forces Charities\n\n## How to appeal\n\nYou should appeal within one year of getting your decision letter.\n\n## Before you appeal\n\nWrite a letter to Veterans UK and ask them to reconsider their decision. Explain why you think the decision is wrong and give any information not included in your original claim.\n\nThey will look at your case again and write to you with their decision.\n\nVeterans UK was previously known as the Service Personnel and Veterans Agency (SPVA).\n\n## If you\u2019re still unhappy\n\nContact the Veterans UK helpline and ask for an appeal form to take your case to the tribunal. Fill it in and send it back to Veterans UK.\n\nCall if you need help filling in the form.\n\n## Late appeals\n\nIn some cases you\u2019ll be allowed to appeal after one year, but you must explain why your appeal is late. You cannot appeal against any decision after 2 years.\n\n## After you appeal\n\nVeterans UK will send the response to your appeal to the tribunal - you\u2019ll get a copy of the response. The response will contain information given in your claim and the evidence used to make the decision under appeal, such as medical reports that you may regard as confidential.\n\nYou can choose to reply in writing (a \u2018written submission\u2019) explaining why you disagree with the facts they used - you must do this within one month of receiving the copy.\n\nThe tribunal will look at your case and ask for more information if they need it.\n\nYou can also send any other evidence to support your case to the tribunal.\n\nThe tribunal will tell you if there\u2019ll be a hearing about your case.\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\n## The tribunal hearing\n\nThere are different tribunals in Scotland and tribunals in Northern Ireland.\n\nHearings are usually held in major cities across England and Wales. You\u2019ll be told where you have to go.\n\nThe tribunal will give you at least 14 days\u2019 notice of the date of any hearing. You should be given a hearing within 4 months of the tribunal receiving a response from Veterans UK.\n\nYou must tell the tribunal if you cannot make it to the hearing - they might arrange another date if you have a good reason.\n\nThe tribunal might hold the hearing without you if do not attend.\n\n## Prepare for the hearing\n\nYou can go to the hearing on your own or ask someone to help represent you. You can also call a witness to support your case.\n\nOrganisations that can help represent you include:\n\n- Royal British Legion\n\n- Royal Air Forces Association\n\n- Combat Stress\n\n- Blesma: The Limbless Veterans\n\n- National Gulf Veterans and Families Association\n\n- UK Armed Forces Charities\n\nTake your appeal papers and the documents you\u2019re using as evidence to the hearing. You should give copies of any evidence to the tribunal and Veterans UK before the tribunal hearing.\n\n## Tribunal panel\n\nThe tribunal is made up of:\n\n- a judge\n\n- a medical member\n\n- a service member\n\n## What happens at the hearing\n\nThe judge, tribunal members, Veterans UK and your representative (if you have one) will ask you questions about your case.\n\nThe tribunal will then question any witnesses you\u2019ve brought to the hearing.\n\nYou\u2019ll usually get a decision from the tribunal on the day of the hearing.\n\n## Expenses\n\nYou might be able to claim expenses or compensation for:\n\n- travel (only in the UK)\n\n- living expenses for the time you\u2019re away from home\n\n- loss of earnings\n\n## More information\n\nYou can find out more about expenses or contact the tribunal for more information.\n\n## If you lose your appeal\n\nYou can ask the tribunal for permission to appeal to the Upper Tribunal (Administrative Appeals Chamber) if you lose your appeal.\n\nYou must ask for permission to appeal within 6 weeks of getting the decision.\n\nThe Upper Tribunal will look at the case to see if the original decision was correct.\n\n## Reasons for appealing\n\nYou can only appeal if you think the decision was wrong for a legal reason, including if the tribunal did not:\n\n- follow the right procedures - for example it did not tell you in time about the hearing\n\n- give proper reasons for its decision, or back up the decision with facts\n\n- apply the law properly\n\nBefore appealing, ask the original tribunal for the written statement of reasons for its decision.\n\n## Contact the Upper Tribunal\n\n## Legislation\n\nThe tribunal will make decisions based on:\n\n- the Pensions Appeal Tribunals Act 1943\n\n- The Naval, Military and Air Forces Etc. (Disablement and Death) Service Pensions Order 2006\n\n- the Armed Forces and Reserve Forces (Compensation Scheme) Order 2011\n\nThe tribunal must follow the rules and process set out in the:\n\n- the Tribunal Procedure (First-tier Tribunal) (War Pensions and Armed Forces Compensation Chamber) Rules 2008\n\n- the Tribunals, Courts and Enforcement Act 2007", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/war-pension-armed-forces-compensation-tribunal", + "answerable": true, + "scenario": "I was discharged from the army after ten years of service on the grounds of mental health problems. I was awarded a small sum on discharge but was told I am not eligible for a pension.", + "original_question": "Can I appeal this decision?" + }, + { + "id": "train-2050", + "question": "Scenario: I am going to be visiting my cousin, who has been put into an immigration removal centre in Brook House, Gatwick. I have been told that I need to bring identity. \n\nQuestion: I don't have my passport or a driving licence. Can I bring my employer's ID to verify my identity?\n\nDocument - Find an immigration removal centre:\n## Overview\n\nYou can visit someone in an immigration removal centre or short term holding facility.\n\nYou\u2019ll be given a surgical mask when you arrive at the immigration removal centre that you must wear, unless you are exempt.\n\nYou must also follow social distancing guidelines while you\u2019re at the centre.\n\nCheck with the centre:\n\n- what the visiting hours are\n\n- if you need to book an appointment\n\n- what ID you need\n\n- what items you\u2019re allowed to take with you - you may be searched when you arrive\n\nYou may be able to contact someone in a removal centre by phone, email or video call. Contact the immigration removal centre to check.\n\n## Brook House, Gatwick\n\nVisiting hours are 2pm to 5:30pm and 6pm to 9pm each day. Last admission is at 8.30pm.\n\nYou must book at least one day in advance, between 8am and 9pm.\n\nYou must bring the following:\n\n- passport or travel document\n\n- driving licence (paper and photo sections)\n\nOr you can bring 2 of the following:\n\n- birth or marriage certificate\n\n- rail or bus pass with photo\n\n- employer\u2019s ID or student card with photo\n\n- young person\u2019s proof of age card\n\n- trade union membership card\n\n- older person\u2019s bus pass\n\n- benefits book\n\n- application registration card (ARC)\n\nThere\u2019s a free bus service from Atlantic House to Brook House with a stop at Tinsley House. The pick-up point is in front of Atlantic House, just outside Gatwick South Terminal.\n\nThere\u2019s a free on-site car park. If you use a sat nav, use the street name Perimeter Road South, not the postcode.\n\n## Colnbrook, Middlesex\n\nVisiting hours are 2pm to 9pm each day.\n\nYou must bring the following:\n\n- photo ID (passport or driving licence)\n\n- utility bill showing your name and address\n\n## Dungavel House, South Lanarkshire\n\nVisiting hours are 1:30pm to 8:30pm.\n\nYou must bring 1 type of photo ID (passport, driving licence), or 2 of the following:\n\n- birth or marriage certificate\n\n- rail or bus pass with photo\n\n- employer\u2019s ID or student card\n\n- young person\u2019s proof of age card\n\n- trade union membership card\n\n- older person\u2019s bus pass\n\nThere\u2019s a free bus service between Hamilton bus and train station and Dungavel House.\n\n## Harmondsworth, Middlesex\n\nVisiting hours are 2pm to 9pm each day.\n\nYou must bring the following:\n\n- photo ID (a passport or driving licence)\n\n- utility bill showing your name and address\n\n## Larne House short term holding facility, Antrim\n\nVisiting hours are 2pm to 9pm each day \u2013 you must book in advance.\n\nYou must bring the following:\n\n- photo ID (passport or driving licence)\n\n- utility bill showing your name and address\n\n## Morton Hall, Lincolnshire\n\nVisiting hours are:\n\n- 1:30pm to 4:15pm every day except Thursday\n\n- 1:30pm to 8:15pm on Thursday\n\nYou must book in advance.\n\nYou must bring the following:\n\n- photo ID (passport or driving licence)\n\n- utility bill or bank statement, less than 3 months old, showing your name and address\n\nYou can use a free taxi service available to and from Lincoln and Newark rail stations. You must book at least 24 hours in advance on 01522 666 819.\n\n## Manchester short term holding facility\n\nVisiting hours are 2pm to 9pm each day. You must book in advance.\n\nYou must bring the following:\n\n- photo ID (passport or driving licence)\n\n- utility bill showing your name and address\n\nFollow the signs to World Freight Terminal. Building 302 is on the right hand side of the road.\n\n## Tinsley House, Gatwick\n\nVisiting hours are 2pm to 5.30pm and 6pm to 9pm each day. Last admission is at 8:30pm.\n\nYou must book at least one day in advance, between 8am and 9pm.\n\nEveryone who visits must have ID, including children. You must bring one of the following:\n\n- passport or travel document\n\n- driving licence (paper and photo sections)\n\nOr you can bring 2 of the following:\n\n- birth or marriage certificate\n\n- rail or bus pass with photo\n\n- employer\u2019s ID or student card\n\n- young person\u2019s proof of age card\n\n- trade union membership card\n\n- older person\u2019s bus pass\n\n- benefits book\n\n- application registration card (ARC)\n\nThere\u2019s a free bus service from Atlantic House to Tinsley House with a stop at Brook House. The pick-up point is in front of Atlantic House, just outside Gatwick South Terminal.\n\nThere\u2019s a free on-site car park. If you use a sat nav, use the street name Perimeter Road South, not the postcode.\n\n## Yarl's Wood, Bedfordshire\n\nVisiting hours are 2pm to 5pm and 6pm to 9pm each day.\n\nYou must book at least one day in advance.\n\nYou must bring the following:\n\n- photo ID (passport or driving licence)\n\n- utility bill showing your name and address\n\nThere\u2019s a bus service between Bedford station and Yarl\u2019s Wood.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/immigration-removal-centre", + "answerable": true, + "scenario": "I am going to be visiting my cousin, who has been put into an immigration removal centre in Brook House, Gatwick. I have been told that I need to bring identity. ", + "original_question": "I don't have my passport or a driving licence. Can I bring my employer's ID to verify my identity?" + }, + { + "id": "train-2052", + "question": "Scenario: We are in dispute with our employer due to poor working conditions and lack of promotions.Employees who are union members have agreed to do mass picketing and block the main public highway and bring the traffic to a halt.\n\nQuestion: Can the police stop us?\n\nDocument - Taking part in industrial action and strikes:\n## Overview\n\nIndustrial action is when workers:\n\n- go on strike\n\n- take other action, like refusing to do overtime (known as \u2018action short of a strike\u2019)\n\nSometimes an employer may stop their workers from working or coming back to work during a dispute. This is called a \u2018lock-out\u2019.\n\n## Calling industrial action\n\nIndustrial action happens when trade union members are in a dispute with their employers that can\u2019t be solved through negotiations.\n\nA trade union can only call for industrial action if a majority of its members involved support it in a properly organised postal vote - called a \u2018ballot\u2019.\n\nBefore organising a ballot, a union must decide which members affected by a dispute it wants to ask to take industrial action. It must tell all members entitled to vote and the employer what the ballot results were.\n\nA trade union calls industrial action by telling members and the employer when and how this action will be taken. This should be done by a trade union official or committee that has the legal right to do so. Your voting paper must have said who this is.\n\n## Taking part in industrial action - your rights\n\nIf you\u2019re a trade union member, you have the right to vote before your union asks you to take industrial action. You don\u2019t have to take part in industrial action and can\u2019t be disciplined by your union if you don\u2019t.\n\nIf you do get excluded or expelled from your union, you can complain to an employment tribunal.\n\n## Secondary action\n\nIt\u2019s against the law to take part in \u2018secondary action\u2019 (going on strike in sympathy with people who work for a different employer).\n\n## Holding a ballot\n\nYour union must have a vote (a \u2018ballot\u2019) that\u2019s properly organised according to legal rules.\n\n## Properly organised ballots\n\nA ballot for industrial action must:\n\n- be supervised by a qualified independent person (a \u2018scrutineer\u2019 - often someone from an organisation like the Electoral Reform Society) appointed by the union if over 50 members are being balloted\n\n- be held before the union asks members to take or continue taking action\n\n- be open to all members the union wants to take action\n\n- be a postal ballot where members vote by marking a box on a voting paper and return it in a prepaid envelope\n\n- include information on what the ballot is about and where to post your vote\n\nThe union must tell everyone entitled to vote how many people voted, the number of yes votes, no votes or spoiled papers as soon as it can after the ballot.\n\nIt must also give the employer one week\u2019s notice of the start of the ballot and tell them the result as soon as\u00a0possible once it\u2019s available.\n\nThere\u2019s practical guidance on these rules in the code of practice on industrial action ballots.\n\n## Questions on the voting paper\n\nWhen you\u2019re balloted, your voting paper must ask whether you want to take part in either (or both):\n\n- strike action\n\n- action short of a strike\n\nThe union can only call on members to take action if a majority of members who voted were in favour of that particular action. If both questions are asked on the ballot paper and members vote yes to both, the union can decide what industrial action to take.\n\n## Complaining about ballots\n\nYou can apply for a court order if your union breaks the rules on industrial action ballots. You can take legal advice before doing this.\n\nThe court may order the union not to organise action if it decides a ballot wasn\u2019t held according to the rules.\n\nYou can apply for a temporary injunction that tells the union not to call industrial action if your case can\u2019t be heard in court straight away.\n\nIf the union doesn\u2019t do what the court says, you can ask them to \u2018declare the union to be in contempt of court\u2019 and the union can be fined.\n\n## Your employment rights during industrial action\n\nYou have the right to take industrial action and you can\u2019t be legally forced to stay at, or go back to, work (unless a ballot wasn\u2019t organised properly).\n\nIf you take industrial action, you\u2019ll probably have broken (be \u2018in breach of\u2019) your employment contract and your employer:\n\n- is unlikely to pay for the work you didn\u2019t do when you took industrial action\n\n- can sue you for breaking your contract (this doesn\u2019t happen often)\n\nTaking industrial action doesn\u2019t usually mean that your employer will say you\u2019ve broken your period of continuous employment with them. This begins when you start working for your employer and ends on the day your employer uses to calculate your length of service.\n\nHowever, if you take industrial action, your employer will reduce your length of service with them by the number of days you were on strike. This is important when working out your pension and things like statutory redundancy pay.\n\n## Dismissal for industrial action\n\nYou can\u2019t be dismissed for industrial action if:\n\n- it\u2019s called as a result of a properly organised ballot\n\n- it\u2019s about a trade dispute between workers and their employer (eg about your terms and conditions)\n\n- a detailed notice about the industrial action (which is legally required) has been given to the employer at least 7 days before it begins\n\nYou can claim unfair dismissal at an employment tribunal if you\u2019re dismissed for taking industrial action at any time within the 12 weeks after the action began.\n\nAfter 12 weeks, you can be dismissed if you take industrial action and your employer has tried to settle the dispute. For example, your employer may bring in advisers from Acas to help find a solution.\n\n## When you may be dismissed\n\nYou could be dismissed for taking part in industrial action if:\n\n- the union hasn\u2019t held a properly organised ballot\n\n- the union hasn\u2019t given the employer the correct notice for balloting members or taking action\n\n- the union hasn\u2019t called its members to take action because they think the dispute is settled or action is called by someone who doesn\u2019t have the authority to do so\n\n- it\u2019s in support of workers taking action against another employer (otherwise known as \u2018sympathy\u2019 or \u2018secondary\u2019 action)\n\n- it\u2019s in support of only employing union members (otherwise known as a \u2018closed shop\u2019)\n\n- it breaks any other parts of industrial action law\n\nIf you take part in industrial action that breaks the regulations and you\u2019re dismissed, you can\u2019t usually claim unfair dismissal if all employees taking part are dismissed as well.\n\nThere\u2019s more detail on legal rights and protections in the guidance on industrial action and the law.\n\n## Industrial action by non-union members\n\nNon-union members who take part in legal, official industrial action have the same rights as union members not to be dismissed as a result of taking action.\n\n## Going on strike and picketing\n\nA picket line is where workers and union reps (\u2018picketers\u2019 or \u2018pickets\u2019) stand outside a workplace to tell other people why they are striking. Pickets may also ask people not to:\n\n- do some of their usual work\n\n- go into work\n\nPickets must not prevent people from going to work or doing their usual work if they want to do so.\n\nThe picketing code of practice explains the rules around lawful picketing.\n\n## Picketing and the law\n\nIt\u2019s a criminal offence for pickets to:\n\n- use threatening or abusive behaviour to people walking past or crossing the picket line\n\n- block people or vehicles trying to get into the workplace which is on strike (called \u2018causing an obstruction\u2019 by police)\n\n- carry weapons\n\n- damage property\n\n- cause or threaten to cause a \u2018breach of the peace\u2019\n\n- try to block roads near the picket line (called \u2018causing an obstruction to the public highway\u2019)\n\n- try to stop the police who are outside the workplace from doing their job\n\nYou can have legal action taken against you if you break the law or encourage others to do so when you\u2019re picketing. This includes:\n\n- trespassing (trying to enter a building without permission)\n\n- making a noise nuisance\n\n- using threatening language or offensive material, libel or slander in leaflets, banners, placards, chants or speeches\n\nIf you break a court order banning you or your trade union from holding a picket, you could be open to further legal action (otherwise known as \u2018contempt of court\u2019).\n\n## Mass picketing\n\nPolice have special powers to stop a mass picket if they think there\u2019s a danger of:\n\n- serious public disorder (like a riot)\n\n- serious damage to property\n\nThe Code of Practice on picketing says usually there should be no more than 6 people outside an entrance to a workplace.\n\nIf you don\u2019t stop picketing when told do so by police, you can be arrested.\n\n## Flying pickets\n\nFlying pickets are groups of striking workers that move from one workplace to another to picket them. Usually flying pickets are illegal - you can only join a picket line at your workplace.\n\nTrade union reps can be on picket lines at different workplaces if they\u2019re responsible for organising workers in those workplaces.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/industrial-action-strikes", + "answerable": true, + "scenario": "We are in dispute with our employer due to poor working conditions and lack of promotions.Employees who are union members have agreed to do mass picketing and block the main public highway and bring the traffic to a halt.", + "original_question": "Can the police stop us?" + }, + { + "id": "train-2055", + "question": "Scenario: I am an employee at a school. I am a teacher who is looking to join a union, but I do not know whether they have any costs.\n\nQuestion: Will I have to pay to become part of a trade union?\n\nDocument - Joining a trade union:\n## Joining a trade union\n\nA trade union is an organisation with members who are usually workers or employees. It looks after their interests at work by doing things like:\n\n- negotiating agreements with employers on pay and conditions\n\n- discussing big changes like large scale redundancy\n\n- discussing members\u2019 concerns with employers\n\n- going with members to disciplinary and grievance meetings\n\n## Find a union to join\n\nIf there\u2019s a union at work, you can ask the trade union representative (\u2018rep\u2019) about joining. Their contact details may be in your company handbook, intranet site or on the union noticeboard.\n\nThe union rep will tell you if you\u2019re eligible to join and give you a membership form to fill in.\n\n## Trade union contact details\n\nYou can search a list of unions and their contact details put together by the Certification Officer, the independent organisation responsible for the legal regulation of unions.\n\nYou can also use the TUC\u2019s interactive tool to help you find a trade union in your workplace, or one which covers your type of job.\n\n## Trade union membership subscriptions\n\nYour union will charge a union membership fee (\u2018membership sub\u2019) to finance the work of the union. This can be the same amount for all employees or based on how much you\u2019re paid.\n\n## Paying your membership subs\n\nYou can pay your subs by:\n\n- having the amount taken by your employer from your pay and sent to the union (otherwise known as \u2018check-off\u2019)\n\n- direct debit\n\n- cash\n\n- cheque\n\n## Paying by check-off\n\nYour employer does not have to take union membership subs from your pay and send it to the union. They can stop sending your membership subs unless your employment contract says they have to.\n\nYour employer cannot take union membership subs from your pay without your written permission. Many trade unions will get your agreement to pay by check-off when you join, and forward it to your employer.\n\nYou can also ask your employer in writing to stop taking money from your pay for check-off whenever you want. They must then stop taking subs from your pay as soon as it\u2019s possible.\n\nYour employer is responsible for making sure that any check-off payments they make are legal.\n\n## What to do if you have a problem\n\nIf you have a problem with your check-off payments, try to discuss the issue with your employer and your trade union first.\n\nIf your trade union subscriptions are taken from your pay without your consent, you could make a complaint to an employment tribunal against your employer.\n\nIf your complaint is successful the employment tribunal can order your employer to pay you the value of the unauthorised payments.\n\n## Trade union membership: your employment rights\n\nYou have the right to:\n\n- choose to join or not join a union\n\n- decide to leave or remain a member of a union\n\n- belong to the union you choose, even if it\u2019s not the one your employer negotiates with on pay, terms and conditions\n\n- belong to more than one union\n\nYour employer is not allowed to:\n\n- offer you a benefit to leave a trade union\n\n- threaten to treat you unfairly if you do not leave a union\n\n## Refusing to employ you for trade union membership reasons\n\nAn employer or employment agency is not allowed to insist that you:\n\n- join or leave a trade union\n\n- leave one union for another\n\n## Dismissal for trade union membership reasons\n\nYour employer is not allowed to dismiss you or choose you for redundancy because you:\n\n- are or want to be a union member\n\n- are not or do not want to be a union member\n\n- took part or wanted to take part in union activities\n\n## Other unfavourable treatment\n\nYour employer must not treat you unfavourably (for example refusing you promotion or training opportunities) if you:\n\n- join a union\n\n- take part in its meetings\n\n- leave a union\n\n## What to do if you have a problem\n\nYou may be able to use a grievance procedure or go to an employment tribunal if you think your employer has treated you unfairly because of your trade union membership.\n\nContact the Advisory, Conciliation and Arbitration Service (Acas) if you have any questions about trade union membership.\n\n## Role of your trade union rep\n\nA trade union representative (\u2018rep\u2019) is a union member who represents and gives advice to colleagues when they have problems at work.\n\nTrade union reps are not paid but they do get paid time off to do their work as a rep.\n\n## What do union reps do?\n\nReps are there to:\n\n- discuss any concerns you have about your employer\n\n- go with (\u2018accompany\u2019) you to disciplinary or grievance hearings with management\n\n- represent you in negotiations (\u2018collective bargaining\u2019) over your pay and terms and conditions of employment\n\n- meet with your employer to find solutions to workplace issues\n\n- develop the best possible health and safety procedures with your employer\n\nEmployers must consult with union reps if:\n\n- there is going to be a business transfer or takeover\n\n- they are planning to make 20 or more people redundant within 90 days\n\n## Your right to be accompanied\n\nYou have the right to be accompanied by your union rep to some meetings with management - for example, if:\n\n- you\u2019re facing a disciplinary charge\n\n- you wish to raise a grievance with your employer\n\nIf your union rep cannot attend, you may be able to rearrange the meeting or ask a work colleague to go with you.\n\n## Becoming a union rep\n\nIf you want to become a union rep, ask another rep in the workplace or contact your union through its website. Depending on union rules, you may be appointed or elected.\n\nIf you become a union rep, find out what rights you have.\n\n## Union negotiations with your employer\n\nWhen an employer and a union agree to negotiate on pay, terms and conditions, this agreement is called \u2018recognition\u2019 of the union. The negotiations are called \u2018collective bargaining\u2019.\n\n## How collective bargaining works\n\nYour employer and trade union must agree on how collective bargaining will be done including:\n\n- which union, rep or official will represent a group of workers or employees (this group is called a \u2018bargaining unit\u2019)\n\n- who is included in the bargaining unit\n\n- how often meetings will take place\n\n- what issues they\u2019ll discuss\n\n- how disagreements will be handled\n\n- how collective bargaining will work if more than one union is recognised\n\n## Collective agreements\n\nAgreements reached through collective bargaining are called collective agreements and they often mean a change in your employment terms and conditions.\n\nCollective agreements can cover all staff - not just union members.\n\nYour employment contract may say which collective agreements cover you if:\n\n- your employer recognises more than one trade union\n\n- 1 union is recognised to negotiate for more than 1 bargaining unit", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/join-trade-union", + "answerable": true, + "scenario": "I am an employee at a school. I am a teacher who is looking to join a union, but I do not know whether they have any costs.", + "original_question": "Will I have to pay to become part of a trade union?" + }, + { + "id": "train-2056", + "question": "Scenario: I have joined a trade union. My employer has told me that they will offer me a bonus if I were to leave this union.\n\nQuestion: Is my employer allowed to do this?\n\nDocument - Joining a trade union:\n## Joining a trade union\n\nA trade union is an organisation with members who are usually workers or employees. It looks after their interests at work by doing things like:\n\n- negotiating agreements with employers on pay and conditions\n\n- discussing big changes like large scale redundancy\n\n- discussing members\u2019 concerns with employers\n\n- going with members to disciplinary and grievance meetings\n\n## Find a union to join\n\nIf there\u2019s a union at work, you can ask the trade union representative (\u2018rep\u2019) about joining. Their contact details may be in your company handbook, intranet site or on the union noticeboard.\n\nThe union rep will tell you if you\u2019re eligible to join and give you a membership form to fill in.\n\n## Trade union contact details\n\nYou can search a list of unions and their contact details put together by the Certification Officer, the independent organisation responsible for the legal regulation of unions.\n\nYou can also use the TUC\u2019s interactive tool to help you find a trade union in your workplace, or one which covers your type of job.\n\n## Trade union membership subscriptions\n\nYour union will charge a union membership fee (\u2018membership sub\u2019) to finance the work of the union. This can be the same amount for all employees or based on how much you\u2019re paid.\n\n## Paying your membership subs\n\nYou can pay your subs by:\n\n- having the amount taken by your employer from your pay and sent to the union (otherwise known as \u2018check-off\u2019)\n\n- direct debit\n\n- cash\n\n- cheque\n\n## Paying by check-off\n\nYour employer does not have to take union membership subs from your pay and send it to the union. They can stop sending your membership subs unless your employment contract says they have to.\n\nYour employer cannot take union membership subs from your pay without your written permission. Many trade unions will get your agreement to pay by check-off when you join, and forward it to your employer.\n\nYou can also ask your employer in writing to stop taking money from your pay for check-off whenever you want. They must then stop taking subs from your pay as soon as it\u2019s possible.\n\nYour employer is responsible for making sure that any check-off payments they make are legal.\n\n## What to do if you have a problem\n\nIf you have a problem with your check-off payments, try to discuss the issue with your employer and your trade union first.\n\nIf your trade union subscriptions are taken from your pay without your consent, you could make a complaint to an employment tribunal against your employer.\n\nIf your complaint is successful the employment tribunal can order your employer to pay you the value of the unauthorised payments.\n\n## Trade union membership: your employment rights\n\nYou have the right to:\n\n- choose to join or not join a union\n\n- decide to leave or remain a member of a union\n\n- belong to the union you choose, even if it\u2019s not the one your employer negotiates with on pay, terms and conditions\n\n- belong to more than one union\n\nYour employer is not allowed to:\n\n- offer you a benefit to leave a trade union\n\n- threaten to treat you unfairly if you do not leave a union\n\n## Refusing to employ you for trade union membership reasons\n\nAn employer or employment agency is not allowed to insist that you:\n\n- join or leave a trade union\n\n- leave one union for another\n\n## Dismissal for trade union membership reasons\n\nYour employer is not allowed to dismiss you or choose you for redundancy because you:\n\n- are or want to be a union member\n\n- are not or do not want to be a union member\n\n- took part or wanted to take part in union activities\n\n## Other unfavourable treatment\n\nYour employer must not treat you unfavourably (for example refusing you promotion or training opportunities) if you:\n\n- join a union\n\n- take part in its meetings\n\n- leave a union\n\n## What to do if you have a problem\n\nYou may be able to use a grievance procedure or go to an employment tribunal if you think your employer has treated you unfairly because of your trade union membership.\n\nContact the Advisory, Conciliation and Arbitration Service (Acas) if you have any questions about trade union membership.\n\n## Role of your trade union rep\n\nA trade union representative (\u2018rep\u2019) is a union member who represents and gives advice to colleagues when they have problems at work.\n\nTrade union reps are not paid but they do get paid time off to do their work as a rep.\n\n## What do union reps do?\n\nReps are there to:\n\n- discuss any concerns you have about your employer\n\n- go with (\u2018accompany\u2019) you to disciplinary or grievance hearings with management\n\n- represent you in negotiations (\u2018collective bargaining\u2019) over your pay and terms and conditions of employment\n\n- meet with your employer to find solutions to workplace issues\n\n- develop the best possible health and safety procedures with your employer\n\nEmployers must consult with union reps if:\n\n- there is going to be a business transfer or takeover\n\n- they are planning to make 20 or more people redundant within 90 days\n\n## Your right to be accompanied\n\nYou have the right to be accompanied by your union rep to some meetings with management - for example, if:\n\n- you\u2019re facing a disciplinary charge\n\n- you wish to raise a grievance with your employer\n\nIf your union rep cannot attend, you may be able to rearrange the meeting or ask a work colleague to go with you.\n\n## Becoming a union rep\n\nIf you want to become a union rep, ask another rep in the workplace or contact your union through its website. Depending on union rules, you may be appointed or elected.\n\nIf you become a union rep, find out what rights you have.\n\n## Union negotiations with your employer\n\nWhen an employer and a union agree to negotiate on pay, terms and conditions, this agreement is called \u2018recognition\u2019 of the union. The negotiations are called \u2018collective bargaining\u2019.\n\n## How collective bargaining works\n\nYour employer and trade union must agree on how collective bargaining will be done including:\n\n- which union, rep or official will represent a group of workers or employees (this group is called a \u2018bargaining unit\u2019)\n\n- who is included in the bargaining unit\n\n- how often meetings will take place\n\n- what issues they\u2019ll discuss\n\n- how disagreements will be handled\n\n- how collective bargaining will work if more than one union is recognised\n\n## Collective agreements\n\nAgreements reached through collective bargaining are called collective agreements and they often mean a change in your employment terms and conditions.\n\nCollective agreements can cover all staff - not just union members.\n\nYour employment contract may say which collective agreements cover you if:\n\n- your employer recognises more than one trade union\n\n- 1 union is recognised to negotiate for more than 1 bargaining unit", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/join-trade-union", + "answerable": true, + "scenario": "I have joined a trade union. My employer has told me that they will offer me a bonus if I were to leave this union.", + "original_question": "Is my employer allowed to do this?" + }, + { + "id": "train-2057", + "question": "Scenario: I have been working part time in a local general store. I have been there for three years. I was recently dismissed as the owner wanted to give my job to a young relative of theirs. I was told I was not eligible for notice as I was only part time.\n\nQuestion: I feel that this is grossly unfair. Can I make an official complaint?\n\nDocument - Dismissal: your rights:\n## Overview\n\nDismissal is when your employer ends your employment - they do not always have to give you notice.\n\nIf you\u2019re dismissed, your employer must show they\u2019ve:\n\n- a valid reason that they can justify\n\n- acted reasonably in the circumstances\n\nThey must also:\n\n- be consistent - for example, not dismiss you for doing something that they let other employees do\n\n- have investigated the situation fully before dismissing you - for example, if a complaint was made about you\n\nIf you\u2019re a part-time or fixed-term worker, you cannot be treated less favourably than a full-time or permanent employee.\n\nIf you\u2019ve lost your job because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% your wages.\n\n## Notice period\n\nYou must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.\n\nThere are some situations where you can be dismissed immediately - for example, for violence.\n\n## Getting your dismissal in writing\n\nYou have the right to ask for a written statement from your employer giving the reasons why you\u2019ve been dismissed if you\u2019re an employee and have completed 2 years\u2019 service (1 year if you started before 6 April 2012).\n\nYour employer must supply the statement within 14 days of you asking for it.\n\nYour employer must give you a written statement if you\u2019re dismissed while you are on Statutory Maternity Leave. You get this:\n\n- even if you\u2019ve not asked for one\n\n- regardless of how long you\u2019ve worked for your employer\n\nSpeak to your employer or check your employment status if you\u2019re unsure of your employment status.\n\n## Reasons you can be dismissed\n\nThere are some situations when your employer can dismiss you fairly.\n\n## Not being able to do your job properly\n\nYou may not be able to do your job properly if, for example, you:\n\n- have not been able to keep up with important changes to your job - for example, a new computer system\n\n- cannot get along with your colleagues\n\nBefore taking any action, your employer should:\n\n- follow disciplinary procedures - for example, warn you that your work is not satisfactory\n\n- give you a chance to improve - for example, by training you\n\n## Illness\n\nYou can be dismissed if you have a persistent or long-term illness that makes it impossible for you to do your job.\n\nBefore taking any action, your employer should:\n\n- look for ways to support you - for example, considering whether the job itself is making you sick and needs changing\n\n- give you reasonable time to recover from your illness\n\nIf you have a disability (which may include long-term illness), your employer has a legal duty to support disability in the workplace.\n\nDismissal because of a disability may be unlawful discrimination.\n\n## Redundancy\n\nRedundancy is a form of dismissal and is fair in most cases.\n\nIf the reason you are selected for redundancy is unfair then you will have been unfairly dismissed.\n\n## Summary dismissal\n\nYou can be dismissed for \u2018gross misconduct\u2019 without your employer going through the normal disciplinary procedures. This can happen if, for example, you\u2019re violent towards a colleague, customer or property.\n\nYour employer should always investigate the circumstances before making a dismissal, even in possible gross misconduct cases.\n\n## A \u2018statutory restriction\u2019\n\nYou can be dismissed if continuing to employ you would break the law - for example, if you\u2019re a driver in a lorry firm and you lose your driving licence.\n\n## It\u2019s impossible to carry on employing you\n\nIf it\u2019s impossible to carry on employing you, it\u2019s likely to be fair. For example, if a factory burns down and it\u2019s no longer possible to employ anyone.\n\n## A \u2018substantial reason\u2019\n\nYou may be dismissed fairly if, for example:\n\n- you unreasonably refuse to accept a company reorganisation that changes your employment terms\n\n- you\u2019re sent to prison\n\n## Unfair and constructive dismissal\n\nIn certain situations, you may be able to take legal action if you\u2019re dismissed.\n\n## Unfair dismissal\n\nYour dismissal could be unfair if your employer does not:\n\n- have a good reason for dismissing you\n\n- follow the company\u2019s formal disciplinary or dismissal process (or the statutory minimum dismissal procedure in Northern Ireland)\n\nSituations when your dismissal is likely to be unfair include if you:\n\n- asked for flexible working\n\n- refused to give up your working time rights - for example, to take rest breaks\n\n- resigned and gave the correct notice period\n\n- joined a trade union\n\n- took part in legal industrial action that lasted 12 weeks or less\n\n- needed time off for jury service\n\n- applied for maternity, paternity and adoption leave\n\n- were on any maternity, paternity and adoption leave you\u2019re entitled to\n\n- tried to enforce your right to receive Working Tax Credits\n\n- exposed wrongdoing in the workplace (whistleblowing)\n\n- were forced to retire (known as \u2018compulsory retirement\u2019)\n\nCompulsory retirement is not allowed unless your employer can objectively justify it, but you can challenge it at an employment tribunal.\n\n## Constructive dismissal\n\nConstructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.\n\nThe reasons you leave your job must be serious, for example, they:\n\n- do not pay you or suddenly demote you for no reason\n\n- force you to accept unreasonable changes to how you work - for example, tell you to work night shifts when your contract is only for day work\n\n- let other employees harass or bully you\n\nYour employer\u2019s breach of contract may be one serious incident or a series of incidents that are serious when taken together.\n\nYou should try and sort any issues out by speaking to your employer to solve the dispute.\n\nIf you do have a case for constructive dismissal, you should leave your job immediately - your employer may argue that, by staying, you accepted the conduct or treatment.\n\n## What to do if you're dismissed\n\nIf you\u2019re threatened with dismissal (or are dismissed) you can get help from a third party to solve the issue by mediation, conciliation and arbitration.\n\nYou can also speak to your union representative if you\u2019re a member of a trade union.\n\n## Employment tribunals\n\nIf you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.\n\nIn Northern Ireland, you can go to an industrial tribunal.\n\n## Qualifying period to claim unfair dismissal\n\nYou must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:\n\n- on or after 6 April 2012 - the qualifying period is normally 2 years\n\n- before 6 April 2012 - the qualifying period is normally 1 year\n\nIn Northern Ireland, the qualifying period is still normally 1 year.\n\nThere is no qualifying period if you\u2019ve been dismissed from 25 June 2013 because of your political opinions or affiliation. You\u2019ll automatically have the right to go to an employment tribunal.\n\nIn unfair dismissal claims you must make the claim to a tribunal within 3 months of being dismissed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/dismissal", + "answerable": true, + "scenario": "I have been working part time in a local general store. I have been there for three years. I was recently dismissed as the owner wanted to give my job to a young relative of theirs. I was told I was not eligible for notice as I was only part time.", + "original_question": "I feel that this is grossly unfair. Can I make an official complaint?" + }, + { + "id": "train-2058", + "question": "Scenario: I am a PA and for the last two years have been receiving treatment for skin cancer. This has involved a lot of time off work, which I do not feel is my fault. I have just received a notice of dismissal on the grounds of 'constant absenteeism'\n\nQuestion: As I clearly am not responsible for the state of my health, can I take legal action against my employer?\n\nDocument - Dismissal: your rights:\n## Overview\n\nDismissal is when your employer ends your employment - they do not always have to give you notice.\n\nIf you\u2019re dismissed, your employer must show they\u2019ve:\n\n- a valid reason that they can justify\n\n- acted reasonably in the circumstances\n\nThey must also:\n\n- be consistent - for example, not dismiss you for doing something that they let other employees do\n\n- have investigated the situation fully before dismissing you - for example, if a complaint was made about you\n\nIf you\u2019re a part-time or fixed-term worker, you cannot be treated less favourably than a full-time or permanent employee.\n\nIf you\u2019ve lost your job because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% your wages.\n\n## Notice period\n\nYou must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.\n\nThere are some situations where you can be dismissed immediately - for example, for violence.\n\n## Getting your dismissal in writing\n\nYou have the right to ask for a written statement from your employer giving the reasons why you\u2019ve been dismissed if you\u2019re an employee and have completed 2 years\u2019 service (1 year if you started before 6 April 2012).\n\nYour employer must supply the statement within 14 days of you asking for it.\n\nYour employer must give you a written statement if you\u2019re dismissed while you are on Statutory Maternity Leave. You get this:\n\n- even if you\u2019ve not asked for one\n\n- regardless of how long you\u2019ve worked for your employer\n\nSpeak to your employer or check your employment status if you\u2019re unsure of your employment status.\n\n## Reasons you can be dismissed\n\nThere are some situations when your employer can dismiss you fairly.\n\n## Not being able to do your job properly\n\nYou may not be able to do your job properly if, for example, you:\n\n- have not been able to keep up with important changes to your job - for example, a new computer system\n\n- cannot get along with your colleagues\n\nBefore taking any action, your employer should:\n\n- follow disciplinary procedures - for example, warn you that your work is not satisfactory\n\n- give you a chance to improve - for example, by training you\n\n## Illness\n\nYou can be dismissed if you have a persistent or long-term illness that makes it impossible for you to do your job.\n\nBefore taking any action, your employer should:\n\n- look for ways to support you - for example, considering whether the job itself is making you sick and needs changing\n\n- give you reasonable time to recover from your illness\n\nIf you have a disability (which may include long-term illness), your employer has a legal duty to support disability in the workplace.\n\nDismissal because of a disability may be unlawful discrimination.\n\n## Redundancy\n\nRedundancy is a form of dismissal and is fair in most cases.\n\nIf the reason you are selected for redundancy is unfair then you will have been unfairly dismissed.\n\n## Summary dismissal\n\nYou can be dismissed for \u2018gross misconduct\u2019 without your employer going through the normal disciplinary procedures. This can happen if, for example, you\u2019re violent towards a colleague, customer or property.\n\nYour employer should always investigate the circumstances before making a dismissal, even in possible gross misconduct cases.\n\n## A \u2018statutory restriction\u2019\n\nYou can be dismissed if continuing to employ you would break the law - for example, if you\u2019re a driver in a lorry firm and you lose your driving licence.\n\n## It\u2019s impossible to carry on employing you\n\nIf it\u2019s impossible to carry on employing you, it\u2019s likely to be fair. For example, if a factory burns down and it\u2019s no longer possible to employ anyone.\n\n## A \u2018substantial reason\u2019\n\nYou may be dismissed fairly if, for example:\n\n- you unreasonably refuse to accept a company reorganisation that changes your employment terms\n\n- you\u2019re sent to prison\n\n## Unfair and constructive dismissal\n\nIn certain situations, you may be able to take legal action if you\u2019re dismissed.\n\n## Unfair dismissal\n\nYour dismissal could be unfair if your employer does not:\n\n- have a good reason for dismissing you\n\n- follow the company\u2019s formal disciplinary or dismissal process (or the statutory minimum dismissal procedure in Northern Ireland)\n\nSituations when your dismissal is likely to be unfair include if you:\n\n- asked for flexible working\n\n- refused to give up your working time rights - for example, to take rest breaks\n\n- resigned and gave the correct notice period\n\n- joined a trade union\n\n- took part in legal industrial action that lasted 12 weeks or less\n\n- needed time off for jury service\n\n- applied for maternity, paternity and adoption leave\n\n- were on any maternity, paternity and adoption leave you\u2019re entitled to\n\n- tried to enforce your right to receive Working Tax Credits\n\n- exposed wrongdoing in the workplace (whistleblowing)\n\n- were forced to retire (known as \u2018compulsory retirement\u2019)\n\nCompulsory retirement is not allowed unless your employer can objectively justify it, but you can challenge it at an employment tribunal.\n\n## Constructive dismissal\n\nConstructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.\n\nThe reasons you leave your job must be serious, for example, they:\n\n- do not pay you or suddenly demote you for no reason\n\n- force you to accept unreasonable changes to how you work - for example, tell you to work night shifts when your contract is only for day work\n\n- let other employees harass or bully you\n\nYour employer\u2019s breach of contract may be one serious incident or a series of incidents that are serious when taken together.\n\nYou should try and sort any issues out by speaking to your employer to solve the dispute.\n\nIf you do have a case for constructive dismissal, you should leave your job immediately - your employer may argue that, by staying, you accepted the conduct or treatment.\n\n## What to do if you're dismissed\n\nIf you\u2019re threatened with dismissal (or are dismissed) you can get help from a third party to solve the issue by mediation, conciliation and arbitration.\n\nYou can also speak to your union representative if you\u2019re a member of a trade union.\n\n## Employment tribunals\n\nIf you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.\n\nIn Northern Ireland, you can go to an industrial tribunal.\n\n## Qualifying period to claim unfair dismissal\n\nYou must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:\n\n- on or after 6 April 2012 - the qualifying period is normally 2 years\n\n- before 6 April 2012 - the qualifying period is normally 1 year\n\nIn Northern Ireland, the qualifying period is still normally 1 year.\n\nThere is no qualifying period if you\u2019ve been dismissed from 25 June 2013 because of your political opinions or affiliation. You\u2019ll automatically have the right to go to an employment tribunal.\n\nIn unfair dismissal claims you must make the claim to a tribunal within 3 months of being dismissed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/dismissal", + "answerable": true, + "scenario": "I am a PA and for the last two years have been receiving treatment for skin cancer. This has involved a lot of time off work, which I do not feel is my fault. I have just received a notice of dismissal on the grounds of 'constant absenteeism'", + "original_question": "As I clearly am not responsible for the state of my health, can I take legal action against my employer?" + }, + { + "id": "train-2059", + "question": "Scenario: My friend has been forced to leave his work due to unfair treatment by his employer. The employer suddenly changed his day shifts to night shifts without informing him and promoting other work colleagues and demoting him.\n\nQuestion: Can my friend sue his employer for a constructive dismissal?\n\nDocument - Dismissal: your rights:\n## Overview\n\nDismissal is when your employer ends your employment - they do not always have to give you notice.\n\nIf you\u2019re dismissed, your employer must show they\u2019ve:\n\n- a valid reason that they can justify\n\n- acted reasonably in the circumstances\n\nThey must also:\n\n- be consistent - for example, not dismiss you for doing something that they let other employees do\n\n- have investigated the situation fully before dismissing you - for example, if a complaint was made about you\n\nIf you\u2019re a part-time or fixed-term worker, you cannot be treated less favourably than a full-time or permanent employee.\n\nIf you\u2019ve lost your job because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% your wages.\n\n## Notice period\n\nYou must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.\n\nThere are some situations where you can be dismissed immediately - for example, for violence.\n\n## Getting your dismissal in writing\n\nYou have the right to ask for a written statement from your employer giving the reasons why you\u2019ve been dismissed if you\u2019re an employee and have completed 2 years\u2019 service (1 year if you started before 6 April 2012).\n\nYour employer must supply the statement within 14 days of you asking for it.\n\nYour employer must give you a written statement if you\u2019re dismissed while you are on Statutory Maternity Leave. You get this:\n\n- even if you\u2019ve not asked for one\n\n- regardless of how long you\u2019ve worked for your employer\n\nSpeak to your employer or check your employment status if you\u2019re unsure of your employment status.\n\n## Reasons you can be dismissed\n\nThere are some situations when your employer can dismiss you fairly.\n\n## Not being able to do your job properly\n\nYou may not be able to do your job properly if, for example, you:\n\n- have not been able to keep up with important changes to your job - for example, a new computer system\n\n- cannot get along with your colleagues\n\nBefore taking any action, your employer should:\n\n- follow disciplinary procedures - for example, warn you that your work is not satisfactory\n\n- give you a chance to improve - for example, by training you\n\n## Illness\n\nYou can be dismissed if you have a persistent or long-term illness that makes it impossible for you to do your job.\n\nBefore taking any action, your employer should:\n\n- look for ways to support you - for example, considering whether the job itself is making you sick and needs changing\n\n- give you reasonable time to recover from your illness\n\nIf you have a disability (which may include long-term illness), your employer has a legal duty to support disability in the workplace.\n\nDismissal because of a disability may be unlawful discrimination.\n\n## Redundancy\n\nRedundancy is a form of dismissal and is fair in most cases.\n\nIf the reason you are selected for redundancy is unfair then you will have been unfairly dismissed.\n\n## Summary dismissal\n\nYou can be dismissed for \u2018gross misconduct\u2019 without your employer going through the normal disciplinary procedures. This can happen if, for example, you\u2019re violent towards a colleague, customer or property.\n\nYour employer should always investigate the circumstances before making a dismissal, even in possible gross misconduct cases.\n\n## A \u2018statutory restriction\u2019\n\nYou can be dismissed if continuing to employ you would break the law - for example, if you\u2019re a driver in a lorry firm and you lose your driving licence.\n\n## It\u2019s impossible to carry on employing you\n\nIf it\u2019s impossible to carry on employing you, it\u2019s likely to be fair. For example, if a factory burns down and it\u2019s no longer possible to employ anyone.\n\n## A \u2018substantial reason\u2019\n\nYou may be dismissed fairly if, for example:\n\n- you unreasonably refuse to accept a company reorganisation that changes your employment terms\n\n- you\u2019re sent to prison\n\n## Unfair and constructive dismissal\n\nIn certain situations, you may be able to take legal action if you\u2019re dismissed.\n\n## Unfair dismissal\n\nYour dismissal could be unfair if your employer does not:\n\n- have a good reason for dismissing you\n\n- follow the company\u2019s formal disciplinary or dismissal process (or the statutory minimum dismissal procedure in Northern Ireland)\n\nSituations when your dismissal is likely to be unfair include if you:\n\n- asked for flexible working\n\n- refused to give up your working time rights - for example, to take rest breaks\n\n- resigned and gave the correct notice period\n\n- joined a trade union\n\n- took part in legal industrial action that lasted 12 weeks or less\n\n- needed time off for jury service\n\n- applied for maternity, paternity and adoption leave\n\n- were on any maternity, paternity and adoption leave you\u2019re entitled to\n\n- tried to enforce your right to receive Working Tax Credits\n\n- exposed wrongdoing in the workplace (whistleblowing)\n\n- were forced to retire (known as \u2018compulsory retirement\u2019)\n\nCompulsory retirement is not allowed unless your employer can objectively justify it, but you can challenge it at an employment tribunal.\n\n## Constructive dismissal\n\nConstructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.\n\nThe reasons you leave your job must be serious, for example, they:\n\n- do not pay you or suddenly demote you for no reason\n\n- force you to accept unreasonable changes to how you work - for example, tell you to work night shifts when your contract is only for day work\n\n- let other employees harass or bully you\n\nYour employer\u2019s breach of contract may be one serious incident or a series of incidents that are serious when taken together.\n\nYou should try and sort any issues out by speaking to your employer to solve the dispute.\n\nIf you do have a case for constructive dismissal, you should leave your job immediately - your employer may argue that, by staying, you accepted the conduct or treatment.\n\n## What to do if you're dismissed\n\nIf you\u2019re threatened with dismissal (or are dismissed) you can get help from a third party to solve the issue by mediation, conciliation and arbitration.\n\nYou can also speak to your union representative if you\u2019re a member of a trade union.\n\n## Employment tribunals\n\nIf you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.\n\nIn Northern Ireland, you can go to an industrial tribunal.\n\n## Qualifying period to claim unfair dismissal\n\nYou must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:\n\n- on or after 6 April 2012 - the qualifying period is normally 2 years\n\n- before 6 April 2012 - the qualifying period is normally 1 year\n\nIn Northern Ireland, the qualifying period is still normally 1 year.\n\nThere is no qualifying period if you\u2019ve been dismissed from 25 June 2013 because of your political opinions or affiliation. You\u2019ll automatically have the right to go to an employment tribunal.\n\nIn unfair dismissal claims you must make the claim to a tribunal within 3 months of being dismissed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/dismissal", + "answerable": true, + "scenario": "My friend has been forced to leave his work due to unfair treatment by his employer. The employer suddenly changed his day shifts to night shifts without informing him and promoting other work colleagues and demoting him.", + "original_question": "Can my friend sue his employer for a constructive dismissal?" + }, + { + "id": "train-2060", + "question": "Scenario: My brother has been working for 5 years in a transport company.He was involved in a fight with a fellow work colleague and was given a summary dismissal.\n\nQuestion: Is the employer justified to give him a dismissal without a notice?\n\nDocument - Dismissal: your rights:\n## Overview\n\nDismissal is when your employer ends your employment - they do not always have to give you notice.\n\nIf you\u2019re dismissed, your employer must show they\u2019ve:\n\n- a valid reason that they can justify\n\n- acted reasonably in the circumstances\n\nThey must also:\n\n- be consistent - for example, not dismiss you for doing something that they let other employees do\n\n- have investigated the situation fully before dismissing you - for example, if a complaint was made about you\n\nIf you\u2019re a part-time or fixed-term worker, you cannot be treated less favourably than a full-time or permanent employee.\n\nIf you\u2019ve lost your job because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% your wages.\n\n## Notice period\n\nYou must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.\n\nThere are some situations where you can be dismissed immediately - for example, for violence.\n\n## Getting your dismissal in writing\n\nYou have the right to ask for a written statement from your employer giving the reasons why you\u2019ve been dismissed if you\u2019re an employee and have completed 2 years\u2019 service (1 year if you started before 6 April 2012).\n\nYour employer must supply the statement within 14 days of you asking for it.\n\nYour employer must give you a written statement if you\u2019re dismissed while you are on Statutory Maternity Leave. You get this:\n\n- even if you\u2019ve not asked for one\n\n- regardless of how long you\u2019ve worked for your employer\n\nSpeak to your employer or check your employment status if you\u2019re unsure of your employment status.\n\n## Reasons you can be dismissed\n\nThere are some situations when your employer can dismiss you fairly.\n\n## Not being able to do your job properly\n\nYou may not be able to do your job properly if, for example, you:\n\n- have not been able to keep up with important changes to your job - for example, a new computer system\n\n- cannot get along with your colleagues\n\nBefore taking any action, your employer should:\n\n- follow disciplinary procedures - for example, warn you that your work is not satisfactory\n\n- give you a chance to improve - for example, by training you\n\n## Illness\n\nYou can be dismissed if you have a persistent or long-term illness that makes it impossible for you to do your job.\n\nBefore taking any action, your employer should:\n\n- look for ways to support you - for example, considering whether the job itself is making you sick and needs changing\n\n- give you reasonable time to recover from your illness\n\nIf you have a disability (which may include long-term illness), your employer has a legal duty to support disability in the workplace.\n\nDismissal because of a disability may be unlawful discrimination.\n\n## Redundancy\n\nRedundancy is a form of dismissal and is fair in most cases.\n\nIf the reason you are selected for redundancy is unfair then you will have been unfairly dismissed.\n\n## Summary dismissal\n\nYou can be dismissed for \u2018gross misconduct\u2019 without your employer going through the normal disciplinary procedures. This can happen if, for example, you\u2019re violent towards a colleague, customer or property.\n\nYour employer should always investigate the circumstances before making a dismissal, even in possible gross misconduct cases.\n\n## A \u2018statutory restriction\u2019\n\nYou can be dismissed if continuing to employ you would break the law - for example, if you\u2019re a driver in a lorry firm and you lose your driving licence.\n\n## It\u2019s impossible to carry on employing you\n\nIf it\u2019s impossible to carry on employing you, it\u2019s likely to be fair. For example, if a factory burns down and it\u2019s no longer possible to employ anyone.\n\n## A \u2018substantial reason\u2019\n\nYou may be dismissed fairly if, for example:\n\n- you unreasonably refuse to accept a company reorganisation that changes your employment terms\n\n- you\u2019re sent to prison\n\n## Unfair and constructive dismissal\n\nIn certain situations, you may be able to take legal action if you\u2019re dismissed.\n\n## Unfair dismissal\n\nYour dismissal could be unfair if your employer does not:\n\n- have a good reason for dismissing you\n\n- follow the company\u2019s formal disciplinary or dismissal process (or the statutory minimum dismissal procedure in Northern Ireland)\n\nSituations when your dismissal is likely to be unfair include if you:\n\n- asked for flexible working\n\n- refused to give up your working time rights - for example, to take rest breaks\n\n- resigned and gave the correct notice period\n\n- joined a trade union\n\n- took part in legal industrial action that lasted 12 weeks or less\n\n- needed time off for jury service\n\n- applied for maternity, paternity and adoption leave\n\n- were on any maternity, paternity and adoption leave you\u2019re entitled to\n\n- tried to enforce your right to receive Working Tax Credits\n\n- exposed wrongdoing in the workplace (whistleblowing)\n\n- were forced to retire (known as \u2018compulsory retirement\u2019)\n\nCompulsory retirement is not allowed unless your employer can objectively justify it, but you can challenge it at an employment tribunal.\n\n## Constructive dismissal\n\nConstructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.\n\nThe reasons you leave your job must be serious, for example, they:\n\n- do not pay you or suddenly demote you for no reason\n\n- force you to accept unreasonable changes to how you work - for example, tell you to work night shifts when your contract is only for day work\n\n- let other employees harass or bully you\n\nYour employer\u2019s breach of contract may be one serious incident or a series of incidents that are serious when taken together.\n\nYou should try and sort any issues out by speaking to your employer to solve the dispute.\n\nIf you do have a case for constructive dismissal, you should leave your job immediately - your employer may argue that, by staying, you accepted the conduct or treatment.\n\n## What to do if you're dismissed\n\nIf you\u2019re threatened with dismissal (or are dismissed) you can get help from a third party to solve the issue by mediation, conciliation and arbitration.\n\nYou can also speak to your union representative if you\u2019re a member of a trade union.\n\n## Employment tribunals\n\nIf you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.\n\nIn Northern Ireland, you can go to an industrial tribunal.\n\n## Qualifying period to claim unfair dismissal\n\nYou must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:\n\n- on or after 6 April 2012 - the qualifying period is normally 2 years\n\n- before 6 April 2012 - the qualifying period is normally 1 year\n\nIn Northern Ireland, the qualifying period is still normally 1 year.\n\nThere is no qualifying period if you\u2019ve been dismissed from 25 June 2013 because of your political opinions or affiliation. You\u2019ll automatically have the right to go to an employment tribunal.\n\nIn unfair dismissal claims you must make the claim to a tribunal within 3 months of being dismissed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/dismissal", + "answerable": true, + "scenario": "My brother has been working for 5 years in a transport company.He was involved in a fight with a fellow work colleague and was given a summary dismissal.", + "original_question": "Is the employer justified to give him a dismissal without a notice?" + }, + { + "id": "train-2065", + "question": "Scenario: A friend of mine got refugee status in the UK and has his refugee residence card. He is worried about applying for a full citizenship or any type of settlement scheme since he and his family are not financially stable in the UK yet.\n\nQuestion: Will he have to pay any fees to apply for settlement under these circumstances?\n\nDocument - Settlement: refugee or humanitarian protection:\n## Overview\n\nYou can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) if you\u2019ve got a residence card as a:\n\n- refugee\n\n- person with humanitarian protection\n\nCheck if you\u2019re eligible in the relevant category.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person who\u2019s been given humanitarian protection.\n\n## Family members\n\nYou may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.\n\nCheck if your family member is eligible.\n\nIf your application is successful, your family members will have the same permission to stay in the UK as you do.\n\n## If you cannot include your family members on your settlement application\n\nIf your family was formed before you left your country, your partner and children can apply to be reunited with you in the UK.\n\nYour family members must apply for a visa to join you in the UK if one of the following is true:\n\n- they\u2019re not eligible to apply as a partner or a child\n\n- your family was formed after you left your country\n\nIf your application is successful, your family members will have permission to stay in the UK for the same length of time as you.\n\n## Eligibility\n\nYou can apply after 5 years in the UK as either:\n\n- a refugee\n\n- someone with humanitarian protection\n\n## If your application is refused\n\nYour settlement application may be refused if you\u2019ve got a criminal record or been in prison - read why applications are refused.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person with humanitarian protection.\n\n## Family reunion\n\nYour partner or child may be able to join or stay with you in the UK if:\n\n- you were part of a family before you were forced to leave your country\n\n- you have refugee status, 5 years\u2019 humanitarian protection or settlement on protection grounds but do not yet have British citizenship\n\nYour partner or child cannot join you if:\n\n- you have not received a decision on your asylum claim\n\n- you\u2019re under 18\n\nIf their application is successful, your family members will be allowed to come to or stay in the UK with the same permission as you.\n\n## Eligibility\n\nYour partner and any children must meet the following requirements.\n\n## Partner\n\nYour partner is someone you\u2019re in a genuine relationship with. You must be able to prove one of the following:\n\n- you\u2019re married\n\n- you\u2019re in a civil partnership\n\nIf you\u2019re not married or in a civil partnership, your partner may be able to join you if:\n\n- you were given refugee status or humanitarian protection on or after 9 October 2006\n\n- you\u2019ve lived together in a relationship like in a marriage or civil partnership for 2 years and you\u2019ve been given asylum or humanitarian protection after 9 October 2006\n\nYou and your partner must intend to live together and continue your relationship after they apply.\n\n## Children\n\nYour child is:\n\n- under the age of 18\n\n- going to live with you and your partner\n\n- not married or in a civil partnership\n\n## Apply outside the UK\n\nYour partner or child must apply online for family reunion.\n\nYou can apply on behalf of your child but, in most cases, your partner must make their own application.\n\nThey\u2019ll also have to complete application form VAF4A with Appendix 4.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\n## North Korea\n\nYour partner or child cannot apply online if they\u2019re applying from North Korea.\n\nThey need to download application form VAF4A with Appendix 4.\n\nThey should read the guidance on filling in the form and the instructions for North Korea.\n\n## Apply in the UK\n\nYour partner or child can apply to stay with you in the UK if all the following are true:\n\n- you have refugee status or humanitarian protection in the UK\n\n- they\u2019re making their first application to stay with you and they\u2019re already in the UK\n\n- they can prove their relationship pre-dates your departure from your home country because of persecution\n\nThey must apply by letter to:\n\n## Providing biometric information and supporting documents\n\nWhen your family member applies, they\u2019ll be asked to make an appointment at a Service and Support Centre to provide their biometric information (their fingerprints and a photo) and have their supporting documents checked.\n\n## Fees\n\nThere\u2019s no fee for applying for family reunion for eligible family members.\n\n## Family applying as dependants\n\nIf you\u2019re a refugee or have humanitarian protection, your family members can apply for settlement on the same form as you if they\u2019re already in the UK.\n\nFamily members are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 2 years before applying to settle)\n\n- your child or children - born in the UK or abroad\n\n## Eligibility\n\nYour family members must either have been given permission to be in the UK with you:\n\n- as your dependant, at the same time you were granted asylum or Humanitarian Protection\n\n- using the family reunion route\n\nA child of yours born in the UK who is not a British citizen is also eligible.\n\nYou need to provide evidence of your relationship - check the application form.\n\n## Children over 18\n\nYou can only include your children over 18 in your settlement application if:\n\n- they were granted as your dependant when you got your original grant of asylum and leave to enter or remain\n\n- they were granted leave to enter or remain by applying for family reunion\n\n## Other exceptions\n\nYou cannot include a partner or other dependant who:\n\n- already has permission to be in the UK in another category\n\n- is currently in the UK without permission\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement for a family member.\n\n## If your application is refused\n\nIf you have a criminal record or have been in prison, you may be refused settlement.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "answerable": true, + "scenario": "A friend of mine got refugee status in the UK and has his refugee residence card. He is worried about applying for a full citizenship or any type of settlement scheme since he and his family are not financially stable in the UK yet.", + "original_question": "Will he have to pay any fees to apply for settlement under these circumstances?" + }, + { + "id": "train-2066", + "question": "Scenario: A friend of mine and his family want to apply for settlement as refugees. We have been friends for about 2 years now and his family has been living in the UK for the past 7 or so years.\n\nQuestion: Are they eligible to apply for settlement as refugees?\n\nDocument - Settlement: refugee or humanitarian protection:\n## Overview\n\nYou can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) if you\u2019ve got a residence card as a:\n\n- refugee\n\n- person with humanitarian protection\n\nCheck if you\u2019re eligible in the relevant category.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person who\u2019s been given humanitarian protection.\n\n## Family members\n\nYou may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.\n\nCheck if your family member is eligible.\n\nIf your application is successful, your family members will have the same permission to stay in the UK as you do.\n\n## If you cannot include your family members on your settlement application\n\nIf your family was formed before you left your country, your partner and children can apply to be reunited with you in the UK.\n\nYour family members must apply for a visa to join you in the UK if one of the following is true:\n\n- they\u2019re not eligible to apply as a partner or a child\n\n- your family was formed after you left your country\n\nIf your application is successful, your family members will have permission to stay in the UK for the same length of time as you.\n\n## Eligibility\n\nYou can apply after 5 years in the UK as either:\n\n- a refugee\n\n- someone with humanitarian protection\n\n## If your application is refused\n\nYour settlement application may be refused if you\u2019ve got a criminal record or been in prison - read why applications are refused.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person with humanitarian protection.\n\n## Family reunion\n\nYour partner or child may be able to join or stay with you in the UK if:\n\n- you were part of a family before you were forced to leave your country\n\n- you have refugee status, 5 years\u2019 humanitarian protection or settlement on protection grounds but do not yet have British citizenship\n\nYour partner or child cannot join you if:\n\n- you have not received a decision on your asylum claim\n\n- you\u2019re under 18\n\nIf their application is successful, your family members will be allowed to come to or stay in the UK with the same permission as you.\n\n## Eligibility\n\nYour partner and any children must meet the following requirements.\n\n## Partner\n\nYour partner is someone you\u2019re in a genuine relationship with. You must be able to prove one of the following:\n\n- you\u2019re married\n\n- you\u2019re in a civil partnership\n\nIf you\u2019re not married or in a civil partnership, your partner may be able to join you if:\n\n- you were given refugee status or humanitarian protection on or after 9 October 2006\n\n- you\u2019ve lived together in a relationship like in a marriage or civil partnership for 2 years and you\u2019ve been given asylum or humanitarian protection after 9 October 2006\n\nYou and your partner must intend to live together and continue your relationship after they apply.\n\n## Children\n\nYour child is:\n\n- under the age of 18\n\n- going to live with you and your partner\n\n- not married or in a civil partnership\n\n## Apply outside the UK\n\nYour partner or child must apply online for family reunion.\n\nYou can apply on behalf of your child but, in most cases, your partner must make their own application.\n\nThey\u2019ll also have to complete application form VAF4A with Appendix 4.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\n## North Korea\n\nYour partner or child cannot apply online if they\u2019re applying from North Korea.\n\nThey need to download application form VAF4A with Appendix 4.\n\nThey should read the guidance on filling in the form and the instructions for North Korea.\n\n## Apply in the UK\n\nYour partner or child can apply to stay with you in the UK if all the following are true:\n\n- you have refugee status or humanitarian protection in the UK\n\n- they\u2019re making their first application to stay with you and they\u2019re already in the UK\n\n- they can prove their relationship pre-dates your departure from your home country because of persecution\n\nThey must apply by letter to:\n\n## Providing biometric information and supporting documents\n\nWhen your family member applies, they\u2019ll be asked to make an appointment at a Service and Support Centre to provide their biometric information (their fingerprints and a photo) and have their supporting documents checked.\n\n## Fees\n\nThere\u2019s no fee for applying for family reunion for eligible family members.\n\n## Family applying as dependants\n\nIf you\u2019re a refugee or have humanitarian protection, your family members can apply for settlement on the same form as you if they\u2019re already in the UK.\n\nFamily members are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 2 years before applying to settle)\n\n- your child or children - born in the UK or abroad\n\n## Eligibility\n\nYour family members must either have been given permission to be in the UK with you:\n\n- as your dependant, at the same time you were granted asylum or Humanitarian Protection\n\n- using the family reunion route\n\nA child of yours born in the UK who is not a British citizen is also eligible.\n\nYou need to provide evidence of your relationship - check the application form.\n\n## Children over 18\n\nYou can only include your children over 18 in your settlement application if:\n\n- they were granted as your dependant when you got your original grant of asylum and leave to enter or remain\n\n- they were granted leave to enter or remain by applying for family reunion\n\n## Other exceptions\n\nYou cannot include a partner or other dependant who:\n\n- already has permission to be in the UK in another category\n\n- is currently in the UK without permission\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement for a family member.\n\n## If your application is refused\n\nIf you have a criminal record or have been in prison, you may be refused settlement.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "answerable": true, + "scenario": "A friend of mine and his family want to apply for settlement as refugees. We have been friends for about 2 years now and his family has been living in the UK for the past 7 or so years.", + "original_question": "Are they eligible to apply for settlement as refugees?" + }, + { + "id": "train-2071", + "question": "Scenario: I am 25 and have been in the UK for four years on an innovator visa. I am an American citizen. I am single and have no children. I would very much like to remain in the UK.\n\nQuestion: Is it possible for me to get indefinite leave to remain?\n\nDocument - Indefinite leave to remain if you have an Innovator visa:\n## Overview\n\nYou may be eligible for indefinite leave to remain if you have an Innovator visa.\n\nYou cannot apply until March 2022 at the earliest - 3 years after this way to settle was introduced.\n\nIndefinite leave to remain is how you settle in the UK. It gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible. You can use it to apply for British citizenship.\n\n## Eligibility\n\nYou must have:\n\n- lived in the UK for 3 years using an Innovator visa - you cannot include time spent in the UK using any other visa\n\n- a new endorsement that shows you\u2019ve met the requirements for growing your business\n\n## Knowledge of life in the UK\n\nIf you\u2019re 18 to 64 you must pass the Life in the UK Test.\n\n## Time outside the UK\n\nYou must have spent no more than 180 days outside the UK in any 12 months.\n\nIf you think you\u2019re affected by this rule, find out how to calculate your time in the UK (\u2018continuous residence\u2019).\n\n## When to apply\n\nYou\u2019ll be able to apply 28 days before you\u2019re eligible. Your application may be refused if you apply earlier.\n\nDo not wait until your current visa expires. If your visa expires before you can apply for indefinite leave to remain, you\u2019ll need to renew it first.\n\n## Fees and how long it takes\n\nIt costs \u00a32,389 for each person applying. You can include your partner and children on the same application form, if they\u2019re eligible.\n\nYou also need to pay \u00a319.20 per person to have your biometric information (fingerprints and a photo) taken.\n\nYou\u2019ll usually get a decision within 6 months.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\n## Getting endorsed\n\nBefore you can apply, you must show an approved body that you\u2019ve grown your business.\n\nIf you meet the criteria, the body will give you an endorsement letter to show that you\u2019re eligible for indefinite leave to remain.\n\nOnce you\u2019ve got your letter, you must apply for indefinite leave to remain within 3 months.\n\nYou do not need to use the same body that endorsed you for your Innovator visa.\n\n## Endorsement requirements\n\nYou must be actively managing and developing the business.\n\nYour business must be:\n\n- registered with Companies House, and you\u2019re either the director or a member\n\n- currently trading, and be able to continue for at least the next 12 months\n\nYour business must have done 2 of the following:\n\n- had \u00a350,000 of investment, which you\u2019ve spent on developing the business\n\n- doubled the number of customers in the last 3 years - and this number is higher than the average for similar businesses\n\n- applied for intellectual property protection in the UK\n\n- made \u00a31 million revenue in the last full year covered by accounts\n\n- made \u00a3500,000 revenue in the last full year covered by accounts, with \u00a3100,000 of this from exporting overseas\n\n- created the equivalent of 10 full-time jobs that have existed for 12 months\n\n- created the equivalent of 5 full-time jobs that have existed for 12 months, with an average salary of \u00a325,000 a year\n\nYou may have already met some of these criteria when you applied for your visa.\n\n## If you\u2019ve created jobs\n\nThe jobs you\u2019ve created must be for \u2018settled workers\u2019. A settled worker is someone who was one of the following when they started working for you:\n\n- a British citizen\n\n- an EEA citizen who was living in the UK and working for you by 31 December 2020\n\n- a Commonwealth citizen with a UK Ancestry visa\n\n- someone with indefinite leave to remain or settled status\n\n## Family members\n\nYou can include your partner and children on your application if they\u2019re eligible.\n\nYour partner and children can apply separately at a later date, for example if they\u2019re not eligible yet. They can continue to extend their visa as your dependant, even after you get indefinite leave to remain.\n\n## Eligibility for partners\n\nYour partner may qualify if all of the following apply:\n\n- they have permission to be in the UK as your partner (as a \u2018dependant\u2019 on your Innovator visa)\n\n- they\u2019ve lived in the UK with you as your dependant for at least 5 continuous years\n\n- your relationship is genuine\n\n- you intend to keep living together\n\n- you have enough income to support yourselves and your dependants\n\n- you\u2019re not using public funds (benefits)\n\nYour partner can include time they\u2019ve spent as your dependant on another visa to count towards the continuous years they need to qualify. They cannot count any time spent on their own visa (not as your dependant).\n\nYour partner must also:\n\n- pass the Life in the UK Test\n\n- meet the English language requirements\n\n## Eligibility for children\n\nYou can include children as dependants on your application if:\n\n- they have permission to be in the UK as your child (as a \u2018dependant\u2019 on your visa)\n\n- they are not married, in a civil partnership or living an independent life\n\n- they will live with you and be supported by you without relying on public funds (benefits)\n\n- you and your child\u2019s other parent are both currently applying to settle, or are already settled\n\nYour child can also apply to settle in one of the following situations:\n\n- you\u2019re the child\u2019s sole surviving parent\n\n- you have sole responsibility for your child, or they normally live with you\n\n- there are serious or compelling reasons why they should be allowed to stay, for example you or your child has a serious illness\n\n## Extra documents for children over 16\n\nYou\u2019ll need to prove:\n\n- where they live - if they do not live with you, you\u2019ll need to explain why\n\n- any rent or upkeep they pay you each month\n\n- that you support them financially if they do not live with you\n\nYou\u2019ll need to provide 2 documents from this list to prove where they live:\n\n- bank statement\n\n- credit card bill\n\n- driving licence\n\n- NHS registration document\n\n- a letter from their current school, college or university, on headed paper and issued by an authorised official of that organisation\n\nThe documents you provide cannot be more than a month old on the date you make your application.\n\nIf your child lives away from home, you\u2019ll need to provide:\n\n- bank statements for you and your child covering the 3 months before the date you apply (to prove you\u2019ve supported them)\n\n- confirmation from their university or college on headed paper and issued by an authorised official (if they\u2019re studying)\n\n## Children 18 and over\n\nYou can only include older children in your application if they both:\n\n- were under 18 when they got permission to be in the UK as your dependant\n\n- still do not live an independent life - for example, they have not got married or had children\n\nThey also need to:\n\n- pass the Life in the UK Test\n\n- meet the English language requirements\n\nIf your child is over 18 by the time you apply and does not meet these requirements, they must apply separately.\n\n## How to apply\n\nYou cannot apply for indefinite leave to remain using an Innovator visa until March 2022 at the earliest.\n\n## Other ways to stay in the UK\n\nIf you\u2019re not eligible to apply using an Innovator visa, you may be able to stay in the UK another way. Check if you can:\n\n- extend your permission to stay in the UK\n\n- use a different way to apply for indefinite leave to remain", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/indefinite-leave-to-remain-innovator-visa", + "answerable": true, + "scenario": "I am 25 and have been in the UK for four years on an innovator visa. I am an American citizen. I am single and have no children. I would very much like to remain in the UK.", + "original_question": "Is it possible for me to get indefinite leave to remain?" + }, + { + "id": "train-2081", + "question": "Scenario: I am 23 years old. I have just got a new job that will have a salary of \u00a318,000 per year. I do not want to pay into a pension at this time.\n\nQuestion: Does my employer need to automatically enrol me onto a pension?\n\nDocument - Workplace pensions:\n## About workplace pensions\n\nA workplace pension is a way of saving for your retirement that\u2019s arranged by your employer.\n\nSome workplace pensions are called \u2018occupational\u2019, \u2018works\u2019, \u2018company\u2019 or \u2018work-based\u2019 pensions.\n\n## How they work\n\nA percentage of your pay is put into the pension scheme automatically every payday.\n\nIn most cases, your employer also adds money into the pension scheme for you. You may also get tax relief from the government.\n\n## Joining a workplace pension\n\nAll employers must provide a workplace pension scheme. This is called \u2018automatic enrolment\u2019.\n\nYour employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:\n\n- you\u2019re classed as a \u2018worker\u2019\n\n- you\u2019re aged between 22 and State Pension age\n\n- you earn at least \u00a310,000 per year\n\n- you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)\n\n## When your employer does not have to automatically enrol you\n\nYour employer usually does not have to automatically enrol you if you do not meet the previous criteria or if any of the following apply:\n\n- you\u2019ve already given notice to your employer that you\u2019re leaving your job, or they\u2019ve given you notice\n\n- you have evidence of your lifetime allowance protection (for example, a certificate from HMRC)\n\n- you\u2019ve already taken a pension that meets the automatic enrolment rules and your employer arranged it\n\n- you get a one-off payment from a workplace pension scheme that\u2019s closed (a \u2018winding up lump sum\u2019), and then leave and rejoin the same job within 12 months of getting the payment\n\n- more than 12 months before your staging date, you left (\u2018opted out\u2019) of a pension arranged through your employer\n\n- you\u2019re from an EU member state and are in a EU cross-border pension scheme\n\n- you\u2019re in a limited liability partnership\n\n- you\u2019re a director without an employment contract and employ at least one other person in your company\n\nYou can usually still join their pension if you want to. Your employer cannot refuse.\n\n## If your income is low\n\nYour employer does not have to contribute to your pension if you earn these amounts or less:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\n## What happens when you\u2019re automatically enrolled\n\nYour employer must write to you when you\u2019ve been automatically enrolled into their workplace pension scheme. They must tell you:\n\n- the date they added you to the pension scheme\n\n- the type of pension scheme and who runs it\n\n- how much they\u2019ll contribute and how much you\u2019ll have to pay in\n\n- how to leave the scheme, if you want to\n\n- how tax relief applies to you\n\n## Delaying your enrolment date\n\nYour employer can delay the date they must enrol you into a pension scheme by up to 3 months.\n\nIn some cases they may be able to delay longer if they\u2019ve chosen either:\n\n- a \u2018defined benefit\u2019 pension\n\n- a \u2018hybrid\u2019 pension (a mixture of defined benefit and defined contribution pensions) that allows you to take a defined benefit pension\n\nYour employer must:\n\n- tell you about the delay in writing\n\n- let you join in the meantime if you ask to\n\n## What your employer cannot do\n\nYour employer cannot:\n\n- unfairly dismiss or discriminate against you for being in a workplace pension scheme\n\n- encourage or force you to opt out\n\n## What you, your employer and the government pay\n\nThe amount you and your employer pay towards the pension depends on:\n\n- what type of workplace pension scheme you\u2019re in\n\n- whether you\u2019ve been automatically enrolled in a workplace pension or you\u2019ve joined one voluntarily (\u2018opted in\u2019)\n\nUse the Money Advice Service\u2019s contributions calculator to work out how much you and your employer will put in.\n\n## Tax relief\n\nThe government will usually add money to your workplace pension in the form of tax relief if both of the following apply:\n\n- you pay Income Tax\n\n- you pay into a personal pension or workplace pension\n\nEven if you do not pay Income Tax, you\u2019ll still get an additional payment if your pension scheme uses \u2018relief at source\u2019 to add money to your pension pot.\n\n## If you\u2019ve been automatically enrolled\n\nYou and your employer must pay a percentage of your earnings into your workplace pension scheme.\n\nHow much you pay and what counts as earnings depend on the pension scheme your employer has chosen. Ask your employer about your pension scheme rules.\n\nIn most automatic enrolment schemes, you\u2019ll make contributions based on your total earnings between \u00a36,240 and \u00a350,270 a year before tax.\u00a0Your total earnings include:\n\n- salary or wages\n\n- bonuses and commission\n\n- overtime\n\n- statutory sick pay\n\n- statutory maternity, paternity or adoption pay\n\n## Workplace pension contributions\n\n| | The minimum your employer pays | You pay | Total minimum contribution |\n\n| From April 2019 | 3% | 5% | 8% |\n\nThese amounts could be higher for you or your employer because of your pension scheme rules. They\u2019re higher for most defined benefit pension schemes.\n\nIn some schemes, your employer has the option to pay in more than the legal minimum. In these schemes, you can pay in less as long as your employer puts in enough to meet the total minimum contribution.\n\n## If you\u2019ve voluntarily enrolled in a workplace pension\n\nYour employer must contribute the minimum amount if you earn more than:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\nThey do not have to contribute anything if you earn these amounts or less.\n\n## How your take-home pay changes\n\nJoining a workplace pension scheme means that your take-home income will be reduced. But this may:\n\n- mean you\u2019re entitled to tax credits or an increase in the amount of tax credits you get (although you may not get this until the next tax year)\n\n- mean you\u2019re entitled to an income-related benefit or an increase in the amount of benefit you get\n\n- reduce the amount of student loan repayments you need to make\n\n## Payments using salary sacrifice\n\nYou and your employer may agree to use \u2018salary sacrifice\u2019 (sometimes known as a \u2018SMART\u2019 scheme).\n\nIf you do this, you give up part of your salary and your employer pays this straight into your pension. In some cases, this will mean you and your employer pay less tax and National Insurance.\n\nAsk your employer if they use salary sacrifice.\n\n## Protection for your pension\n\nHow your pension is protected depends on the type of scheme.\n\n## Defined contribution pension schemes\n\n## If your employer goes bust\n\nDefined contribution pensions are usually run by pension providers, not employers. You will not lose your pension pot if your employer goes bust.\n\n## If your pension provider goes bust\n\nIf the pension provider was authorised by the Financial Conduct Authority and cannot pay you, you can get compensation from the Financial Services Compensation Scheme (FSCS).\n\n## Trust-based schemes\n\nSome defined contribution schemes are run by a trust appointed by the employer. These are called \u2018trust-based schemes\u2019.\n\nYou\u2019ll still get your pension if your employer goes out of business. But you might not get as much because the scheme\u2019s running costs will be paid by members\u2019 pension pots instead of the employer.\n\n## Defined benefit pension schemes\n\nYour employer is responsible for making sure there\u2019s enough money in a defined benefit pension to pay each member the promised amount.\n\nYour employer cannot touch the money in your pension if they\u2019re in financial trouble.\n\nYou\u2019re usually protected by the Pension Protection Fund if your employer goes bust and cannot pay your pension.\n\nThe Pension Protection Fund usually pays:\n\n- 100% compensation if you\u2019ve reached the scheme\u2019s pension age\n\n- 90% compensation if you\u2019re below the scheme\u2019s pension age\n\n## Fraud, theft or bad management\n\nIf there\u2019s a shortfall in your company\u2019s pension fund because of fraud or theft, you may be eligible for compensation from the Fraud Compensation Fund.\n\nContact one of the following organisations if you want to make a complaint about the way your workplace pension scheme is run:\n\n- the Pensions Advisory Service\n\n- the Pensions Ombudsman\n\n## Managing your pension\n\nYour pension provider will send you a statement each year to tell you how much is in your pension pot. You can also ask them for an estimate of how much you\u2019ll get when you start taking your pension pot.\n\n## What you see on your payslip\n\nYou do not need to do anything to get tax relief at the basic rate on your pension contributions. There are 2 types of arrangements:\n\n- net pay\n\n- relief at source\n\nCheck with your employer or pension provider which arrangement your workplace pension uses. This determines what you\u2019ll see on your payslip.\n\n## \u2018Net pay\u2019\n\nYour employer takes your contribution from your pay before it\u2019s taxed. You only pay tax on what\u2019s left. This means you get full tax relief, no matter if you pay tax at the basic, higher or additional rate.\n\nThe amount you\u2019ll see on your payslip is your contribution plus the tax relief.\n\nYou will not get tax relief if you do not pay tax, for example because you earn less than the tax threshold.\n\n## \u2018Relief at source\u2019\n\nYour employer takes your pension contribution after taking tax and National Insurance from your pay. However much you earn, your pension provider then adds tax relief to your pension pot at the basic rate.\n\nWith \u2018relief at source\u2019, the amount you see on your payslip is only your contributions, not the tax relief.\n\nYou may be able to claim money back if:\n\n- you pay higher or additional rate Income Tax\n\n- you pay higher or top rate Income Tax in Scotland\n\n## Tracing lost pensions\n\nThe Pension Tracing Service could help you find pensions you\u2019ve paid into but lost track of.\n\n## Nominate someone to get your pension if you die\n\nYou may be able to nominate (choose) someone to get your pension if you die before reaching the scheme\u2019s pension age. You can do this when you first join the pension or by writing to your provider.\n\nAsk your pension provider if you can nominate someone and what they\u2019d get if you die, for example regular payments or lump sums. Check your scheme\u2019s rules about:\n\n- who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23\n\n- whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die\n\nYou can change your nomination at any time. It\u2019s important to keep your nominee\u2019s details up to date.\n\nSometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.\n\n## Taking your pension\n\nMost pension schemes set an age when you can take your pension, usually between 60 and 65. In some circumstances you can take your pension early. The earliest is usually 55.\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. Taking your pension early in this way could mean you pay tax of up to 55%.\n\nIf the amount of money in your pension pot is quite small, you may be able to take it all as a lump sum. You can take 25% of it tax free, but you\u2019ll pay Income Tax on the rest.\n\nHow you get money from your pension depends on the type of scheme you\u2019re in.\n\n## Defined contribution pension schemes\n\nYou\u2019ll need to decide how to take your money if you\u2019re in a defined contribution pension scheme.\n\n## Defined benefit pension schemes\n\nYou may be able to take some money as a tax-free lump sum if you\u2019re in a defined benefit pension scheme - check with your pension provider. You\u2019ll get the rest as a guaranteed amount each year.\n\n## Changing jobs and taking leave\n\n## If you change jobs\n\nYour workplace pension still belongs to you. If you do not carry on paying into the scheme, the money will remain invested and you\u2019ll get a pension when you reach the scheme\u2019s pension age.\n\nYou can join another workplace pension scheme if you get a new job.\n\nIf you do, you might be able to:\n\n- carry on making contributions to your old pension\n\n- combine the old and new pension schemes\n\nAsk your pension providers about your options.\n\nIf you move jobs but pay into an old pension, you may not get some of that pension\u2019s benefits - check if they\u2019re only available to current workers.\n\n## If you worked at your job for less than 2 years before you left\n\nIf you were in a defined benefit pension scheme for less than 2 years, you might be able to either:\n\n- get a refund on what you contributed\n\n- transfer the value of its benefits to another scheme (a \u2018cash sum transfer\u2019)\n\nThis depends on the type of defined benefit scheme and its rules. Check with your employer or the pension scheme provider.\n\n## Paid leave\n\nDuring paid leave, you and your employer carry on making pension contributions.\n\nThe amount you contribute is based on your actual pay during this time, but your employer pays contributions based on the salary you would have received if you were not on leave.\n\n## Maternity and other parental leave\n\nYou and your employer will continue to make pension contributions if you\u2019re getting paid during maternity leave.\n\nIf you\u2019re not getting paid, your employer still has to make pension contributions in the first 26 weeks of your leave (\u2018Ordinary Maternity Leave\u2019). They have to carry on making contributions afterwards if it\u2019s in your contract. Check your employer\u2019s maternity policy.\n\n## Unpaid leave\n\nYou may be able to make contributions if you want to - check with your employer or the pension scheme provider.\n\n## If you become self-employed or stop working\n\nYou may be able to carry on contributing to your workplace pension - ask the scheme provider.\n\nYou could use the National Employment Saving Trust (NEST) - a workplace pension scheme that working self-employed people or sole directors of limited companies can use.\n\nYou could set up a personal or stakeholder pension.\n\nYou can get help with your workplace pension options.\n\n## If you want to leave your workplace pension scheme\n\nWhat you do if you want to leave a workplace pension depends on whether you\u2019ve been \u2018automatically enrolled\u2019 in it or not.\n\n## If you have not been automatically enrolled\n\nCheck with your employer - they\u2019ll tell you what to do.\n\n## If you\u2019ve been automatically enrolled\n\nYour employer will have sent you a letter telling you that you\u2019ve been added to the scheme.\n\nYou can leave (called \u2018opting out\u2019) if you want to.\n\nIf you opt out within a month of your employer adding you to the scheme, you\u2019ll get back any money you\u2019ve already paid in.\n\nYou may not be able to get your payments refunded if you opt out later - they\u2019ll usually stay in your pension until you retire.\n\nYou can opt out by contacting your pension provider. Your employer must tell you how to do this.\n\n## Reducing your payments\n\nYou may be able to reduce the amount you contribute to your workplace pension for a short time. Check with both your employer and your pension provider to see if you can do this and how long you can do it for.\n\n## Opting back in\n\nYou can do this at any time by writing to your employer. They do not have to accept you back into their workplace scheme if you\u2019ve opted in and then opted out in the past 12 months.\n\n## Rejoining the scheme automatically\n\nYour employer will automatically re-enrol you in the scheme. They must do this either every 3 years (from the date you first enrolled), or they can choose to do it sooner. They\u2019ll write to you when they do this.\n\n## When you do not rejoin automatically\n\nIf you no longer qualify for the scheme, you will not be automatically re-enrolled.\n\nIf you chose to leave the scheme in the 12 months before the date you would have been re-enrolled, your employer does not have to automatically re-enrol you. But they can choose to re-enrol you.\n\n## Get help\n\nFor questions about the specific terms of your workplace pension scheme, talk to your pension provider or your employer.\n\nYou can get free, impartial information about your workplace pension options from:\n\n- the Money Advice Service\n\n- the Pensions Advisory Service\n\n- Pension Wise if you\u2019re in a defined contribution pension scheme\n\nYou can get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.\n\nFor general questions on workplace pensions contact the DWP Workplace Pension Information Line.\n\nOnly use the information line if you\u2019re a worker - employers should contact The Pensions Regulator.\n\n## Problems with being \u2018automatically enrolled\u2019\n\nContact the The Pensions Regulator if you have concerns about the way your employer is dealing with automatic enrolment.\n\nThe Pensions Advisory Service may also be able to help you.\n\n## If you\u2019re already paying into a personal pension\n\nCheck whether it\u2019s better for you to:\n\n- carry on with just your personal pension\n\n- stop paying into your personal pension and join your workplace pension\n\n- keep paying into both\n\n## If you\u2019re saving large amounts in pensions\n\nYou may have to pay a tax charge if your total savings in workplace pensions and any other personal pension scheme go above your:\n\n- lifetime allowance - \u00a31,055,000\n\n- annual allowance - usually the lowest out of \u00a340,000 or 100% of your annual income\n\nIf you start taking your pension pot your annual allowance could drop to as low as \u00a34,000.\n\n## If your pension scheme is closing\n\nThis can happen if your employer decides they do not want to use a scheme anymore or they can no longer pay their contributions. What happens to the money you paid in depends on the pension scheme you\u2019ve joined.\n\nIf you\u2019ve been automatically enrolled, your employer cannot close a pension scheme without automatically enrolling you into another one.\n\n## If you\u2019re getting a divorce\n\nYou and your spouse or partner will have to tell the court the value of each of your pension pots. You then have different options to work out what happens to your pension when you get a divorce.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/workplace-pensions", + "answerable": true, + "scenario": "I am 23 years old. I have just got a new job that will have a salary of \u00a318,000 per year. I do not want to pay into a pension at this time.", + "original_question": "Does my employer need to automatically enrol me onto a pension?" + }, + { + "id": "train-2082", + "question": "Scenario: I worked for my employer for one year before leaving for a new job. I was making contributions to a workplace pension during my time in employment. I want to take these contributions out.\n\nQuestion: Will I be able to get a refund on the pension contributions I made?\n\nDocument - Workplace pensions:\n## About workplace pensions\n\nA workplace pension is a way of saving for your retirement that\u2019s arranged by your employer.\n\nSome workplace pensions are called \u2018occupational\u2019, \u2018works\u2019, \u2018company\u2019 or \u2018work-based\u2019 pensions.\n\n## How they work\n\nA percentage of your pay is put into the pension scheme automatically every payday.\n\nIn most cases, your employer also adds money into the pension scheme for you. You may also get tax relief from the government.\n\n## Joining a workplace pension\n\nAll employers must provide a workplace pension scheme. This is called \u2018automatic enrolment\u2019.\n\nYour employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:\n\n- you\u2019re classed as a \u2018worker\u2019\n\n- you\u2019re aged between 22 and State Pension age\n\n- you earn at least \u00a310,000 per year\n\n- you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)\n\n## When your employer does not have to automatically enrol you\n\nYour employer usually does not have to automatically enrol you if you do not meet the previous criteria or if any of the following apply:\n\n- you\u2019ve already given notice to your employer that you\u2019re leaving your job, or they\u2019ve given you notice\n\n- you have evidence of your lifetime allowance protection (for example, a certificate from HMRC)\n\n- you\u2019ve already taken a pension that meets the automatic enrolment rules and your employer arranged it\n\n- you get a one-off payment from a workplace pension scheme that\u2019s closed (a \u2018winding up lump sum\u2019), and then leave and rejoin the same job within 12 months of getting the payment\n\n- more than 12 months before your staging date, you left (\u2018opted out\u2019) of a pension arranged through your employer\n\n- you\u2019re from an EU member state and are in a EU cross-border pension scheme\n\n- you\u2019re in a limited liability partnership\n\n- you\u2019re a director without an employment contract and employ at least one other person in your company\n\nYou can usually still join their pension if you want to. Your employer cannot refuse.\n\n## If your income is low\n\nYour employer does not have to contribute to your pension if you earn these amounts or less:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\n## What happens when you\u2019re automatically enrolled\n\nYour employer must write to you when you\u2019ve been automatically enrolled into their workplace pension scheme. They must tell you:\n\n- the date they added you to the pension scheme\n\n- the type of pension scheme and who runs it\n\n- how much they\u2019ll contribute and how much you\u2019ll have to pay in\n\n- how to leave the scheme, if you want to\n\n- how tax relief applies to you\n\n## Delaying your enrolment date\n\nYour employer can delay the date they must enrol you into a pension scheme by up to 3 months.\n\nIn some cases they may be able to delay longer if they\u2019ve chosen either:\n\n- a \u2018defined benefit\u2019 pension\n\n- a \u2018hybrid\u2019 pension (a mixture of defined benefit and defined contribution pensions) that allows you to take a defined benefit pension\n\nYour employer must:\n\n- tell you about the delay in writing\n\n- let you join in the meantime if you ask to\n\n## What your employer cannot do\n\nYour employer cannot:\n\n- unfairly dismiss or discriminate against you for being in a workplace pension scheme\n\n- encourage or force you to opt out\n\n## What you, your employer and the government pay\n\nThe amount you and your employer pay towards the pension depends on:\n\n- what type of workplace pension scheme you\u2019re in\n\n- whether you\u2019ve been automatically enrolled in a workplace pension or you\u2019ve joined one voluntarily (\u2018opted in\u2019)\n\nUse the Money Advice Service\u2019s contributions calculator to work out how much you and your employer will put in.\n\n## Tax relief\n\nThe government will usually add money to your workplace pension in the form of tax relief if both of the following apply:\n\n- you pay Income Tax\n\n- you pay into a personal pension or workplace pension\n\nEven if you do not pay Income Tax, you\u2019ll still get an additional payment if your pension scheme uses \u2018relief at source\u2019 to add money to your pension pot.\n\n## If you\u2019ve been automatically enrolled\n\nYou and your employer must pay a percentage of your earnings into your workplace pension scheme.\n\nHow much you pay and what counts as earnings depend on the pension scheme your employer has chosen. Ask your employer about your pension scheme rules.\n\nIn most automatic enrolment schemes, you\u2019ll make contributions based on your total earnings between \u00a36,240 and \u00a350,270 a year before tax.\u00a0Your total earnings include:\n\n- salary or wages\n\n- bonuses and commission\n\n- overtime\n\n- statutory sick pay\n\n- statutory maternity, paternity or adoption pay\n\n## Workplace pension contributions\n\n| | The minimum your employer pays | You pay | Total minimum contribution |\n\n| From April 2019 | 3% | 5% | 8% |\n\nThese amounts could be higher for you or your employer because of your pension scheme rules. They\u2019re higher for most defined benefit pension schemes.\n\nIn some schemes, your employer has the option to pay in more than the legal minimum. In these schemes, you can pay in less as long as your employer puts in enough to meet the total minimum contribution.\n\n## If you\u2019ve voluntarily enrolled in a workplace pension\n\nYour employer must contribute the minimum amount if you earn more than:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\nThey do not have to contribute anything if you earn these amounts or less.\n\n## How your take-home pay changes\n\nJoining a workplace pension scheme means that your take-home income will be reduced. But this may:\n\n- mean you\u2019re entitled to tax credits or an increase in the amount of tax credits you get (although you may not get this until the next tax year)\n\n- mean you\u2019re entitled to an income-related benefit or an increase in the amount of benefit you get\n\n- reduce the amount of student loan repayments you need to make\n\n## Payments using salary sacrifice\n\nYou and your employer may agree to use \u2018salary sacrifice\u2019 (sometimes known as a \u2018SMART\u2019 scheme).\n\nIf you do this, you give up part of your salary and your employer pays this straight into your pension. In some cases, this will mean you and your employer pay less tax and National Insurance.\n\nAsk your employer if they use salary sacrifice.\n\n## Protection for your pension\n\nHow your pension is protected depends on the type of scheme.\n\n## Defined contribution pension schemes\n\n## If your employer goes bust\n\nDefined contribution pensions are usually run by pension providers, not employers. You will not lose your pension pot if your employer goes bust.\n\n## If your pension provider goes bust\n\nIf the pension provider was authorised by the Financial Conduct Authority and cannot pay you, you can get compensation from the Financial Services Compensation Scheme (FSCS).\n\n## Trust-based schemes\n\nSome defined contribution schemes are run by a trust appointed by the employer. These are called \u2018trust-based schemes\u2019.\n\nYou\u2019ll still get your pension if your employer goes out of business. But you might not get as much because the scheme\u2019s running costs will be paid by members\u2019 pension pots instead of the employer.\n\n## Defined benefit pension schemes\n\nYour employer is responsible for making sure there\u2019s enough money in a defined benefit pension to pay each member the promised amount.\n\nYour employer cannot touch the money in your pension if they\u2019re in financial trouble.\n\nYou\u2019re usually protected by the Pension Protection Fund if your employer goes bust and cannot pay your pension.\n\nThe Pension Protection Fund usually pays:\n\n- 100% compensation if you\u2019ve reached the scheme\u2019s pension age\n\n- 90% compensation if you\u2019re below the scheme\u2019s pension age\n\n## Fraud, theft or bad management\n\nIf there\u2019s a shortfall in your company\u2019s pension fund because of fraud or theft, you may be eligible for compensation from the Fraud Compensation Fund.\n\nContact one of the following organisations if you want to make a complaint about the way your workplace pension scheme is run:\n\n- the Pensions Advisory Service\n\n- the Pensions Ombudsman\n\n## Managing your pension\n\nYour pension provider will send you a statement each year to tell you how much is in your pension pot. You can also ask them for an estimate of how much you\u2019ll get when you start taking your pension pot.\n\n## What you see on your payslip\n\nYou do not need to do anything to get tax relief at the basic rate on your pension contributions. There are 2 types of arrangements:\n\n- net pay\n\n- relief at source\n\nCheck with your employer or pension provider which arrangement your workplace pension uses. This determines what you\u2019ll see on your payslip.\n\n## \u2018Net pay\u2019\n\nYour employer takes your contribution from your pay before it\u2019s taxed. You only pay tax on what\u2019s left. This means you get full tax relief, no matter if you pay tax at the basic, higher or additional rate.\n\nThe amount you\u2019ll see on your payslip is your contribution plus the tax relief.\n\nYou will not get tax relief if you do not pay tax, for example because you earn less than the tax threshold.\n\n## \u2018Relief at source\u2019\n\nYour employer takes your pension contribution after taking tax and National Insurance from your pay. However much you earn, your pension provider then adds tax relief to your pension pot at the basic rate.\n\nWith \u2018relief at source\u2019, the amount you see on your payslip is only your contributions, not the tax relief.\n\nYou may be able to claim money back if:\n\n- you pay higher or additional rate Income Tax\n\n- you pay higher or top rate Income Tax in Scotland\n\n## Tracing lost pensions\n\nThe Pension Tracing Service could help you find pensions you\u2019ve paid into but lost track of.\n\n## Nominate someone to get your pension if you die\n\nYou may be able to nominate (choose) someone to get your pension if you die before reaching the scheme\u2019s pension age. You can do this when you first join the pension or by writing to your provider.\n\nAsk your pension provider if you can nominate someone and what they\u2019d get if you die, for example regular payments or lump sums. Check your scheme\u2019s rules about:\n\n- who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23\n\n- whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die\n\nYou can change your nomination at any time. It\u2019s important to keep your nominee\u2019s details up to date.\n\nSometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.\n\n## Taking your pension\n\nMost pension schemes set an age when you can take your pension, usually between 60 and 65. In some circumstances you can take your pension early. The earliest is usually 55.\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. Taking your pension early in this way could mean you pay tax of up to 55%.\n\nIf the amount of money in your pension pot is quite small, you may be able to take it all as a lump sum. You can take 25% of it tax free, but you\u2019ll pay Income Tax on the rest.\n\nHow you get money from your pension depends on the type of scheme you\u2019re in.\n\n## Defined contribution pension schemes\n\nYou\u2019ll need to decide how to take your money if you\u2019re in a defined contribution pension scheme.\n\n## Defined benefit pension schemes\n\nYou may be able to take some money as a tax-free lump sum if you\u2019re in a defined benefit pension scheme - check with your pension provider. You\u2019ll get the rest as a guaranteed amount each year.\n\n## Changing jobs and taking leave\n\n## If you change jobs\n\nYour workplace pension still belongs to you. If you do not carry on paying into the scheme, the money will remain invested and you\u2019ll get a pension when you reach the scheme\u2019s pension age.\n\nYou can join another workplace pension scheme if you get a new job.\n\nIf you do, you might be able to:\n\n- carry on making contributions to your old pension\n\n- combine the old and new pension schemes\n\nAsk your pension providers about your options.\n\nIf you move jobs but pay into an old pension, you may not get some of that pension\u2019s benefits - check if they\u2019re only available to current workers.\n\n## If you worked at your job for less than 2 years before you left\n\nIf you were in a defined benefit pension scheme for less than 2 years, you might be able to either:\n\n- get a refund on what you contributed\n\n- transfer the value of its benefits to another scheme (a \u2018cash sum transfer\u2019)\n\nThis depends on the type of defined benefit scheme and its rules. Check with your employer or the pension scheme provider.\n\n## Paid leave\n\nDuring paid leave, you and your employer carry on making pension contributions.\n\nThe amount you contribute is based on your actual pay during this time, but your employer pays contributions based on the salary you would have received if you were not on leave.\n\n## Maternity and other parental leave\n\nYou and your employer will continue to make pension contributions if you\u2019re getting paid during maternity leave.\n\nIf you\u2019re not getting paid, your employer still has to make pension contributions in the first 26 weeks of your leave (\u2018Ordinary Maternity Leave\u2019). They have to carry on making contributions afterwards if it\u2019s in your contract. Check your employer\u2019s maternity policy.\n\n## Unpaid leave\n\nYou may be able to make contributions if you want to - check with your employer or the pension scheme provider.\n\n## If you become self-employed or stop working\n\nYou may be able to carry on contributing to your workplace pension - ask the scheme provider.\n\nYou could use the National Employment Saving Trust (NEST) - a workplace pension scheme that working self-employed people or sole directors of limited companies can use.\n\nYou could set up a personal or stakeholder pension.\n\nYou can get help with your workplace pension options.\n\n## If you want to leave your workplace pension scheme\n\nWhat you do if you want to leave a workplace pension depends on whether you\u2019ve been \u2018automatically enrolled\u2019 in it or not.\n\n## If you have not been automatically enrolled\n\nCheck with your employer - they\u2019ll tell you what to do.\n\n## If you\u2019ve been automatically enrolled\n\nYour employer will have sent you a letter telling you that you\u2019ve been added to the scheme.\n\nYou can leave (called \u2018opting out\u2019) if you want to.\n\nIf you opt out within a month of your employer adding you to the scheme, you\u2019ll get back any money you\u2019ve already paid in.\n\nYou may not be able to get your payments refunded if you opt out later - they\u2019ll usually stay in your pension until you retire.\n\nYou can opt out by contacting your pension provider. Your employer must tell you how to do this.\n\n## Reducing your payments\n\nYou may be able to reduce the amount you contribute to your workplace pension for a short time. Check with both your employer and your pension provider to see if you can do this and how long you can do it for.\n\n## Opting back in\n\nYou can do this at any time by writing to your employer. They do not have to accept you back into their workplace scheme if you\u2019ve opted in and then opted out in the past 12 months.\n\n## Rejoining the scheme automatically\n\nYour employer will automatically re-enrol you in the scheme. They must do this either every 3 years (from the date you first enrolled), or they can choose to do it sooner. They\u2019ll write to you when they do this.\n\n## When you do not rejoin automatically\n\nIf you no longer qualify for the scheme, you will not be automatically re-enrolled.\n\nIf you chose to leave the scheme in the 12 months before the date you would have been re-enrolled, your employer does not have to automatically re-enrol you. But they can choose to re-enrol you.\n\n## Get help\n\nFor questions about the specific terms of your workplace pension scheme, talk to your pension provider or your employer.\n\nYou can get free, impartial information about your workplace pension options from:\n\n- the Money Advice Service\n\n- the Pensions Advisory Service\n\n- Pension Wise if you\u2019re in a defined contribution pension scheme\n\nYou can get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.\n\nFor general questions on workplace pensions contact the DWP Workplace Pension Information Line.\n\nOnly use the information line if you\u2019re a worker - employers should contact The Pensions Regulator.\n\n## Problems with being \u2018automatically enrolled\u2019\n\nContact the The Pensions Regulator if you have concerns about the way your employer is dealing with automatic enrolment.\n\nThe Pensions Advisory Service may also be able to help you.\n\n## If you\u2019re already paying into a personal pension\n\nCheck whether it\u2019s better for you to:\n\n- carry on with just your personal pension\n\n- stop paying into your personal pension and join your workplace pension\n\n- keep paying into both\n\n## If you\u2019re saving large amounts in pensions\n\nYou may have to pay a tax charge if your total savings in workplace pensions and any other personal pension scheme go above your:\n\n- lifetime allowance - \u00a31,055,000\n\n- annual allowance - usually the lowest out of \u00a340,000 or 100% of your annual income\n\nIf you start taking your pension pot your annual allowance could drop to as low as \u00a34,000.\n\n## If your pension scheme is closing\n\nThis can happen if your employer decides they do not want to use a scheme anymore or they can no longer pay their contributions. What happens to the money you paid in depends on the pension scheme you\u2019ve joined.\n\nIf you\u2019ve been automatically enrolled, your employer cannot close a pension scheme without automatically enrolling you into another one.\n\n## If you\u2019re getting a divorce\n\nYou and your spouse or partner will have to tell the court the value of each of your pension pots. You then have different options to work out what happens to your pension when you get a divorce.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/workplace-pensions", + "answerable": true, + "scenario": "I worked for my employer for one year before leaving for a new job. I was making contributions to a workplace pension during my time in employment. I want to take these contributions out.", + "original_question": "Will I be able to get a refund on the pension contributions I made?" + }, + { + "id": "train-2084", + "question": "Scenario: I am 35 and work as a builder. I was (falsely) accused of bullying an apprentice and have been suspended from work. I feel that this is very unfair as I am innocent! I am worried about my rights whilst suspended\n\nQuestion: Will I still continue to receive my pay and other benefits whilst I am suspended from work?\n\nDocument - Disciplinary procedures and action against you at work:\n## Overview\n\nYour employer could start formal disciplinary action against you if they have concerns about your work, conduct or absence.\n\nBefore taking formal disciplinary action or dismissing you, your employer may try to raise the matter informally with you. However, they can go straight to their formal disciplinary or dismissal procedures.\n\nDisciplinary procedures are a set way for an employer to deal with disciplinary issues. They should include a disciplinary hearing where you\u2019re given a chance to explain your side of the story.\n\nThere should also be a chance to appeal any disciplinary action your employer decides to take.\n\n## How disciplinary procedures work\n\nYour employer should put their disciplinary procedure in writing, and make it easily available to all staff.\n\nIt should say what performance and behaviour might lead to disciplinary action and what action your employer might take.\n\nIt should also include the name of someone you can speak to if you do not agree with your employer\u2019s disciplinary decision.\n\n## Disciplinary steps\n\nYour employer\u2019s disciplinary procedure should include the following steps:\n\n- A letter setting out the issue.\n\n- A meeting to discuss the issue.\n\n- A disciplinary decision.\n\n- A chance to appeal this decision.\n\n## Acas (Advisory, Conciliation and Arbitration Service) Code of Practice\n\nYour employer\u2019s disciplinary procedures should follow the Acas code of practice.\n\nYour employer does not have to follow the Acas code. However, if they do not and you win an employment tribunal against them, you could get a larger payout.\n\nThere\u2019s more guidance about how employers should run disciplinaries in the Acas guide on discipline and grievances at work.\n\n## Disciplinary procedures and employment contracts\n\nYour employer can also put their disciplinary procedures in your employment contract.\n\nIf your employer does this and then does not follow these procedures you could sue them for breach of contract.\n\n## Northern Ireland\n\nNorthern Ireland has different ways of solving workplace disputes.\n\n## Disciplinary hearings\n\nYour employer should not take any disciplinary action before meeting with you first and discussing the problem.\n\nThis disciplinary meeting (normally called a \u2018hearing\u2019) should be at a reasonable time and place.\n\nAt the hearing your employer should:\n\n- explain the complaint against you\n\n- go through the evidence\n\n- give you a chance to tell your side of the story\n\nIf you raise a significant new fact or issue at the hearing your employer might stop it and look into the issue. They should then rearrange the hearing at a later date.\n\n## Taking someone with you to a disciplinary hearing\n\nYou have the right to take someone with you to a disciplinary hearing, but you must tell your employer about this first.\n\nYour companion can be either:\n\n- a colleague\n\n- a trade union representative\n\n- a trade union official\n\nIf a colleague cannot go with you and you\u2019re not in the union you can ask to bring a family member or a Citizens Advice worker. However, your employer does not have to agree to this unless your employment contract says they must.\n\nThe companion can:\n\n- present and/or sum up your case and say things to support your case\n\n- speak to you during the hearing\n\nYour companion cannot answer questions on your behalf.\n\nYour companion cannot be disciplined for supporting you.\n\n## Disciplinary action\n\nAfter the hearing your employer should write to you as soon as possible, saying what action they\u2019re going to take, and telling you about your right to appeal.\n\nThe decision might be:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\nIt might also be anything else that could resolve the problem, for example an agreement to mediate with a co-worker you\u2019ve had personal problems with.\n\n## Disciplinary appeals\n\nIf you think disciplinary action taken against you is unfair you can appeal.\n\nWrite to your employer saying you\u2019re appealing and why.\n\n## Appeal hearings\n\nYou should be offered another meeting to discuss your appeal. This appeal hearing should be held as soon as possible.\n\nIf possible it should be dealt with by someone who has not already been involved with your disciplinary action.\n\nAn appeal hearing will be similar to your original disciplinary meeting and you\u2019ll have the right to bring a companion.\n\n## Final decision\n\nAfter the appeal meeting your employer should write to you with their final decision.\n\n## Suspension from work\n\nWhen a disciplinary issue is being looked into you might be suspended from work. This does not happen very often. If it does it should normally be with pay and you should be told why you\u2019re being suspended.\n\n## Employment contracts\n\nYou can be suspended without pay if your employment contract says your employer can do this, but they must be acting reasonably.\n\nIf your employment contract does not say your employer can do this, your employer may still be able to suspend you, but with pay. To show that it\u2019s not a punishment the suspension will normally be on full pay.\n\n## Employment rights when suspended\n\nYou keep your employment rights while suspended. If you do not get the right pay you may be able to make a claim to an employment tribunal for \u2018unlawful deduction from wages\u2019.\n\n## Talking to other employees, customers and/or suppliers\n\nIf you\u2019re suspended, you might be told not to talk to other employees, customers and/or suppliers. If this means you cannot defend yourself properly at a disciplinary hearing, you could make an appeal.\n\nBut if you\u2019ve been asked not to talk and you do, your employer might decide to take further disciplinary action against you.\n\n## Help and advice with disciplinary issues\n\nThere are several organisations that could give you advice about disciplinary issues.\n\n## Acas\n\nAcas (the Advisory, Conciliation and Arbitration Service) offers free, confidential and impartial advice about all employment rights issues.\n\n## Citizens Advice\n\nYour local Citizens Advice can also give free and impartial advice.\n\n## Trade unions\n\nIf you\u2019re a member of a trade union you can get help and advice from them.\n\n## Equality Advisory Support Service\n\nContact the Equality Advisory Support Service for advice about discrimination, equality and human rights.\n\nYou can also find more information on the Equality Advisory Support Service website.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "answerable": true, + "scenario": "I am 35 and work as a builder. I was (falsely) accused of bullying an apprentice and have been suspended from work. I feel that this is very unfair as I am innocent! I am worried about my rights whilst suspended", + "original_question": "Will I still continue to receive my pay and other benefits whilst I am suspended from work?" + }, + { + "id": "train-2085", + "question": "Scenario: I am an employee who works for a storage company. I have been diagnosed with a heart condition that stops me from doing heavy lifting. My employer has dismissed me on the basis that I cannot do my job.\n\nQuestion: Will this be considered as an unfair dismissal?\n\nDocument - Dismissal: your rights:\n## Overview\n\nDismissal is when your employer ends your employment - they do not always have to give you notice.\n\nIf you\u2019re dismissed, your employer must show they\u2019ve:\n\n- a valid reason that they can justify\n\n- acted reasonably in the circumstances\n\nThey must also:\n\n- be consistent - for example, not dismiss you for doing something that they let other employees do\n\n- have investigated the situation fully before dismissing you - for example, if a complaint was made about you\n\nIf you\u2019re a part-time or fixed-term worker, you cannot be treated less favourably than a full-time or permanent employee.\n\nIf you\u2019ve lost your job because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% your wages.\n\n## Notice period\n\nYou must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.\n\nThere are some situations where you can be dismissed immediately - for example, for violence.\n\n## Getting your dismissal in writing\n\nYou have the right to ask for a written statement from your employer giving the reasons why you\u2019ve been dismissed if you\u2019re an employee and have completed 2 years\u2019 service (1 year if you started before 6 April 2012).\n\nYour employer must supply the statement within 14 days of you asking for it.\n\nYour employer must give you a written statement if you\u2019re dismissed while you are on Statutory Maternity Leave. You get this:\n\n- even if you\u2019ve not asked for one\n\n- regardless of how long you\u2019ve worked for your employer\n\nSpeak to your employer or check your employment status if you\u2019re unsure of your employment status.\n\n## Reasons you can be dismissed\n\nThere are some situations when your employer can dismiss you fairly.\n\n## Not being able to do your job properly\n\nYou may not be able to do your job properly if, for example, you:\n\n- have not been able to keep up with important changes to your job - for example, a new computer system\n\n- cannot get along with your colleagues\n\nBefore taking any action, your employer should:\n\n- follow disciplinary procedures - for example, warn you that your work is not satisfactory\n\n- give you a chance to improve - for example, by training you\n\n## Illness\n\nYou can be dismissed if you have a persistent or long-term illness that makes it impossible for you to do your job.\n\nBefore taking any action, your employer should:\n\n- look for ways to support you - for example, considering whether the job itself is making you sick and needs changing\n\n- give you reasonable time to recover from your illness\n\nIf you have a disability (which may include long-term illness), your employer has a legal duty to support disability in the workplace.\n\nDismissal because of a disability may be unlawful discrimination.\n\n## Redundancy\n\nRedundancy is a form of dismissal and is fair in most cases.\n\nIf the reason you are selected for redundancy is unfair then you will have been unfairly dismissed.\n\n## Summary dismissal\n\nYou can be dismissed for \u2018gross misconduct\u2019 without your employer going through the normal disciplinary procedures. This can happen if, for example, you\u2019re violent towards a colleague, customer or property.\n\nYour employer should always investigate the circumstances before making a dismissal, even in possible gross misconduct cases.\n\n## A \u2018statutory restriction\u2019\n\nYou can be dismissed if continuing to employ you would break the law - for example, if you\u2019re a driver in a lorry firm and you lose your driving licence.\n\n## It\u2019s impossible to carry on employing you\n\nIf it\u2019s impossible to carry on employing you, it\u2019s likely to be fair. For example, if a factory burns down and it\u2019s no longer possible to employ anyone.\n\n## A \u2018substantial reason\u2019\n\nYou may be dismissed fairly if, for example:\n\n- you unreasonably refuse to accept a company reorganisation that changes your employment terms\n\n- you\u2019re sent to prison\n\n## Unfair and constructive dismissal\n\nIn certain situations, you may be able to take legal action if you\u2019re dismissed.\n\n## Unfair dismissal\n\nYour dismissal could be unfair if your employer does not:\n\n- have a good reason for dismissing you\n\n- follow the company\u2019s formal disciplinary or dismissal process (or the statutory minimum dismissal procedure in Northern Ireland)\n\nSituations when your dismissal is likely to be unfair include if you:\n\n- asked for flexible working\n\n- refused to give up your working time rights - for example, to take rest breaks\n\n- resigned and gave the correct notice period\n\n- joined a trade union\n\n- took part in legal industrial action that lasted 12 weeks or less\n\n- needed time off for jury service\n\n- applied for maternity, paternity and adoption leave\n\n- were on any maternity, paternity and adoption leave you\u2019re entitled to\n\n- tried to enforce your right to receive Working Tax Credits\n\n- exposed wrongdoing in the workplace (whistleblowing)\n\n- were forced to retire (known as \u2018compulsory retirement\u2019)\n\nCompulsory retirement is not allowed unless your employer can objectively justify it, but you can challenge it at an employment tribunal.\n\n## Constructive dismissal\n\nConstructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.\n\nThe reasons you leave your job must be serious, for example, they:\n\n- do not pay you or suddenly demote you for no reason\n\n- force you to accept unreasonable changes to how you work - for example, tell you to work night shifts when your contract is only for day work\n\n- let other employees harass or bully you\n\nYour employer\u2019s breach of contract may be one serious incident or a series of incidents that are serious when taken together.\n\nYou should try and sort any issues out by speaking to your employer to solve the dispute.\n\nIf you do have a case for constructive dismissal, you should leave your job immediately - your employer may argue that, by staying, you accepted the conduct or treatment.\n\n## What to do if you're dismissed\n\nIf you\u2019re threatened with dismissal (or are dismissed) you can get help from a third party to solve the issue by mediation, conciliation and arbitration.\n\nYou can also speak to your union representative if you\u2019re a member of a trade union.\n\n## Employment tribunals\n\nIf you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.\n\nIn Northern Ireland, you can go to an industrial tribunal.\n\n## Qualifying period to claim unfair dismissal\n\nYou must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:\n\n- on or after 6 April 2012 - the qualifying period is normally 2 years\n\n- before 6 April 2012 - the qualifying period is normally 1 year\n\nIn Northern Ireland, the qualifying period is still normally 1 year.\n\nThere is no qualifying period if you\u2019ve been dismissed from 25 June 2013 because of your political opinions or affiliation. You\u2019ll automatically have the right to go to an employment tribunal.\n\nIn unfair dismissal claims you must make the claim to a tribunal within 3 months of being dismissed.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/dismissal", + "answerable": true, + "scenario": "I am an employee who works for a storage company. I have been diagnosed with a heart condition that stops me from doing heavy lifting. My employer has dismissed me on the basis that I cannot do my job.", + "original_question": "Will this be considered as an unfair dismissal?" + }, + { + "id": "train-2086", + "question": "Scenario: I am an employee who has been forced out of their job. My employer demoted me from my position to let his son take over the role. My wages and my duties were reduced.\n\nQuestion: Will this be considered constructive dismissal?\n\nDocument - Dismissal: your rights:\n## Overview\n\nDismissal is when your employer ends your employment - they do not always have to give you notice.\n\nIf you\u2019re dismissed, your employer must show they\u2019ve:\n\n- a valid reason that they can justify\n\n- acted reasonably in the circumstances\n\nThey must also:\n\n- be consistent - for example, not dismiss you for doing something that they let other employees do\n\n- have investigated the situation fully before dismissing you - for example, if a complaint was made about you\n\nIf you\u2019re a part-time or fixed-term worker, you cannot be treated less favourably than a full-time or permanent employee.\n\nIf you\u2019ve lost your job because of coronavirus (COVID-19), your employer might be able to re-employ you and pay 80% your wages.\n\n## Notice period\n\nYou must be given at least the notice stated in your contract or the statutory minimum notice period, whichever is longer.\n\nThere are some situations where you can be dismissed immediately - for example, for violence.\n\n## Getting your dismissal in writing\n\nYou have the right to ask for a written statement from your employer giving the reasons why you\u2019ve been dismissed if you\u2019re an employee and have completed 2 years\u2019 service (1 year if you started before 6 April 2012).\n\nYour employer must supply the statement within 14 days of you asking for it.\n\nYour employer must give you a written statement if you\u2019re dismissed while you are on Statutory Maternity Leave. You get this:\n\n- even if you\u2019ve not asked for one\n\n- regardless of how long you\u2019ve worked for your employer\n\nSpeak to your employer or check your employment status if you\u2019re unsure of your employment status.\n\n## Reasons you can be dismissed\n\nThere are some situations when your employer can dismiss you fairly.\n\n## Not being able to do your job properly\n\nYou may not be able to do your job properly if, for example, you:\n\n- have not been able to keep up with important changes to your job - for example, a new computer system\n\n- cannot get along with your colleagues\n\nBefore taking any action, your employer should:\n\n- follow disciplinary procedures - for example, warn you that your work is not satisfactory\n\n- give you a chance to improve - for example, by training you\n\n## Illness\n\nYou can be dismissed if you have a persistent or long-term illness that makes it impossible for you to do your job.\n\nBefore taking any action, your employer should:\n\n- look for ways to support you - for example, considering whether the job itself is making you sick and needs changing\n\n- give you reasonable time to recover from your illness\n\nIf you have a disability (which may include long-term illness), your employer has a legal duty to support disability in the workplace.\n\nDismissal because of a disability may be unlawful discrimination.\n\n## Redundancy\n\nRedundancy is a form of dismissal and is fair in most cases.\n\nIf the reason you are selected for redundancy is unfair then you will have been unfairly dismissed.\n\n## Summary dismissal\n\nYou can be dismissed for \u2018gross misconduct\u2019 without your employer going through the normal disciplinary procedures. This can happen if, for example, you\u2019re violent towards a colleague, customer or property.\n\nYour employer should always investigate the circumstances before making a dismissal, even in possible gross misconduct cases.\n\n## A \u2018statutory restriction\u2019\n\nYou can be dismissed if continuing to employ you would break the law - for example, if you\u2019re a driver in a lorry firm and you lose your driving licence.\n\n## It\u2019s impossible to carry on employing you\n\nIf it\u2019s impossible to carry on employing you, it\u2019s likely to be fair. For example, if a factory burns down and it\u2019s no longer possible to employ anyone.\n\n## A \u2018substantial reason\u2019\n\nYou may be dismissed fairly if, for example:\n\n- you unreasonably refuse to accept a company reorganisation that changes your employment terms\n\n- you\u2019re sent to prison\n\n## Unfair and constructive dismissal\n\nIn certain situations, you may be able to take legal action if you\u2019re dismissed.\n\n## Unfair dismissal\n\nYour dismissal could be unfair if your employer does not:\n\n- have a good reason for dismissing you\n\n- follow the company\u2019s formal disciplinary or dismissal process (or the statutory minimum dismissal procedure in Northern Ireland)\n\nSituations when your dismissal is likely to be unfair include if you:\n\n- asked for flexible working\n\n- refused to give up your working time rights - for example, to take rest breaks\n\n- resigned and gave the correct notice period\n\n- joined a trade union\n\n- took part in legal industrial action that lasted 12 weeks or less\n\n- needed time off for jury service\n\n- applied for maternity, paternity and adoption leave\n\n- were on any maternity, paternity and adoption leave you\u2019re entitled to\n\n- tried to enforce your right to receive Working Tax Credits\n\n- exposed wrongdoing in the workplace (whistleblowing)\n\n- were forced to retire (known as \u2018compulsory retirement\u2019)\n\nCompulsory retirement is not allowed unless your employer can objectively justify it, but you can challenge it at an employment tribunal.\n\n## Constructive dismissal\n\nConstructive dismissal is when you\u2019re forced to leave your job against your will because of your employer\u2019s conduct.\n\nThe reasons you leave your job must be serious, for example, they:\n\n- do not pay you or suddenly demote you for no reason\n\n- force you to accept unreasonable changes to how you work - for example, tell you to work night shifts when your contract is only for day work\n\n- let other employees harass or bully you\n\nYour employer\u2019s breach of contract may be one serious incident or a series of incidents that are serious when taken together.\n\nYou should try and sort any issues out by speaking to your employer to solve the dispute.\n\nIf you do have a case for constructive dismissal, you should leave your job immediately - your employer may argue that, by staying, you accepted the conduct or treatment.\n\n## What to do if you're dismissed\n\nIf you\u2019re threatened with dismissal (or are dismissed) you can get help from a third party to solve the issue by mediation, conciliation and arbitration.\n\nYou can also speak to your union representative if you\u2019re a member of a trade union.\n\n## Employment tribunals\n\nIf you\u2019ve been unable to solve a problem between you and your employer, you can normally go to an employment tribunal.\n\nIn Northern Ireland, you can go to an industrial tribunal.\n\n## Qualifying period to claim unfair dismissal\n\nYou must have worked for your employer for a minimum period before you qualify for the right to claim unfair dismissal at a tribunal. If you\u2019re classed as an employee and started your job:\n\n- on or after 6 April 2012 - the qualifying period is normally 2 years\n\n- before 6 April 2012 - the qualifying period is normally 1 year\n\nIn Northern Ireland, the qualifying period is still normally 1 year.\n\nThere is no qualifying period if you\u2019ve been dismissed from 25 June 2013 because of your political opinions or affiliation. You\u2019ll automatically have the right to go to an employment tribunal.\n\nIn unfair dismissal claims you must make the claim to a tribunal within 3 months of being dismissed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/dismissal", + "answerable": true, + "scenario": "I am an employee who has been forced out of their job. My employer demoted me from my position to let his son take over the role. My wages and my duties were reduced.", + "original_question": "Will this be considered constructive dismissal?" + }, + { + "id": "train-2087", + "question": "Scenario: I have just started a job which I enjoy but do not intend to keep for life. I have been told that I am being enrolled in a work place pension scheme even though I did not ask to be and do not really want to be\n\nQuestion: Am I obliged to have a pension with this job even though I did not intend to?\n\nDocument - Workplace pensions:\n## About workplace pensions\n\nA workplace pension is a way of saving for your retirement that\u2019s arranged by your employer.\n\nSome workplace pensions are called \u2018occupational\u2019, \u2018works\u2019, \u2018company\u2019 or \u2018work-based\u2019 pensions.\n\n## How they work\n\nA percentage of your pay is put into the pension scheme automatically every payday.\n\nIn most cases, your employer also adds money into the pension scheme for you. You may also get tax relief from the government.\n\n## Joining a workplace pension\n\nAll employers must provide a workplace pension scheme. This is called \u2018automatic enrolment\u2019.\n\nYour employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:\n\n- you\u2019re classed as a \u2018worker\u2019\n\n- you\u2019re aged between 22 and State Pension age\n\n- you earn at least \u00a310,000 per year\n\n- you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)\n\n## When your employer does not have to automatically enrol you\n\nYour employer usually does not have to automatically enrol you if you do not meet the previous criteria or if any of the following apply:\n\n- you\u2019ve already given notice to your employer that you\u2019re leaving your job, or they\u2019ve given you notice\n\n- you have evidence of your lifetime allowance protection (for example, a certificate from HMRC)\n\n- you\u2019ve already taken a pension that meets the automatic enrolment rules and your employer arranged it\n\n- you get a one-off payment from a workplace pension scheme that\u2019s closed (a \u2018winding up lump sum\u2019), and then leave and rejoin the same job within 12 months of getting the payment\n\n- more than 12 months before your staging date, you left (\u2018opted out\u2019) of a pension arranged through your employer\n\n- you\u2019re from an EU member state and are in a EU cross-border pension scheme\n\n- you\u2019re in a limited liability partnership\n\n- you\u2019re a director without an employment contract and employ at least one other person in your company\n\nYou can usually still join their pension if you want to. Your employer cannot refuse.\n\n## If your income is low\n\nYour employer does not have to contribute to your pension if you earn these amounts or less:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\n## What happens when you\u2019re automatically enrolled\n\nYour employer must write to you when you\u2019ve been automatically enrolled into their workplace pension scheme. They must tell you:\n\n- the date they added you to the pension scheme\n\n- the type of pension scheme and who runs it\n\n- how much they\u2019ll contribute and how much you\u2019ll have to pay in\n\n- how to leave the scheme, if you want to\n\n- how tax relief applies to you\n\n## Delaying your enrolment date\n\nYour employer can delay the date they must enrol you into a pension scheme by up to 3 months.\n\nIn some cases they may be able to delay longer if they\u2019ve chosen either:\n\n- a \u2018defined benefit\u2019 pension\n\n- a \u2018hybrid\u2019 pension (a mixture of defined benefit and defined contribution pensions) that allows you to take a defined benefit pension\n\nYour employer must:\n\n- tell you about the delay in writing\n\n- let you join in the meantime if you ask to\n\n## What your employer cannot do\n\nYour employer cannot:\n\n- unfairly dismiss or discriminate against you for being in a workplace pension scheme\n\n- encourage or force you to opt out\n\n## What you, your employer and the government pay\n\nThe amount you and your employer pay towards the pension depends on:\n\n- what type of workplace pension scheme you\u2019re in\n\n- whether you\u2019ve been automatically enrolled in a workplace pension or you\u2019ve joined one voluntarily (\u2018opted in\u2019)\n\nUse the Money Advice Service\u2019s contributions calculator to work out how much you and your employer will put in.\n\n## Tax relief\n\nThe government will usually add money to your workplace pension in the form of tax relief if both of the following apply:\n\n- you pay Income Tax\n\n- you pay into a personal pension or workplace pension\n\nEven if you do not pay Income Tax, you\u2019ll still get an additional payment if your pension scheme uses \u2018relief at source\u2019 to add money to your pension pot.\n\n## If you\u2019ve been automatically enrolled\n\nYou and your employer must pay a percentage of your earnings into your workplace pension scheme.\n\nHow much you pay and what counts as earnings depend on the pension scheme your employer has chosen. Ask your employer about your pension scheme rules.\n\nIn most automatic enrolment schemes, you\u2019ll make contributions based on your total earnings between \u00a36,240 and \u00a350,270 a year before tax.\u00a0Your total earnings include:\n\n- salary or wages\n\n- bonuses and commission\n\n- overtime\n\n- statutory sick pay\n\n- statutory maternity, paternity or adoption pay\n\n## Workplace pension contributions\n\n| | The minimum your employer pays | You pay | Total minimum contribution |\n\n| From April 2019 | 3% | 5% | 8% |\n\nThese amounts could be higher for you or your employer because of your pension scheme rules. They\u2019re higher for most defined benefit pension schemes.\n\nIn some schemes, your employer has the option to pay in more than the legal minimum. In these schemes, you can pay in less as long as your employer puts in enough to meet the total minimum contribution.\n\n## If you\u2019ve voluntarily enrolled in a workplace pension\n\nYour employer must contribute the minimum amount if you earn more than:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\nThey do not have to contribute anything if you earn these amounts or less.\n\n## How your take-home pay changes\n\nJoining a workplace pension scheme means that your take-home income will be reduced. But this may:\n\n- mean you\u2019re entitled to tax credits or an increase in the amount of tax credits you get (although you may not get this until the next tax year)\n\n- mean you\u2019re entitled to an income-related benefit or an increase in the amount of benefit you get\n\n- reduce the amount of student loan repayments you need to make\n\n## Payments using salary sacrifice\n\nYou and your employer may agree to use \u2018salary sacrifice\u2019 (sometimes known as a \u2018SMART\u2019 scheme).\n\nIf you do this, you give up part of your salary and your employer pays this straight into your pension. In some cases, this will mean you and your employer pay less tax and National Insurance.\n\nAsk your employer if they use salary sacrifice.\n\n## Protection for your pension\n\nHow your pension is protected depends on the type of scheme.\n\n## Defined contribution pension schemes\n\n## If your employer goes bust\n\nDefined contribution pensions are usually run by pension providers, not employers. You will not lose your pension pot if your employer goes bust.\n\n## If your pension provider goes bust\n\nIf the pension provider was authorised by the Financial Conduct Authority and cannot pay you, you can get compensation from the Financial Services Compensation Scheme (FSCS).\n\n## Trust-based schemes\n\nSome defined contribution schemes are run by a trust appointed by the employer. These are called \u2018trust-based schemes\u2019.\n\nYou\u2019ll still get your pension if your employer goes out of business. But you might not get as much because the scheme\u2019s running costs will be paid by members\u2019 pension pots instead of the employer.\n\n## Defined benefit pension schemes\n\nYour employer is responsible for making sure there\u2019s enough money in a defined benefit pension to pay each member the promised amount.\n\nYour employer cannot touch the money in your pension if they\u2019re in financial trouble.\n\nYou\u2019re usually protected by the Pension Protection Fund if your employer goes bust and cannot pay your pension.\n\nThe Pension Protection Fund usually pays:\n\n- 100% compensation if you\u2019ve reached the scheme\u2019s pension age\n\n- 90% compensation if you\u2019re below the scheme\u2019s pension age\n\n## Fraud, theft or bad management\n\nIf there\u2019s a shortfall in your company\u2019s pension fund because of fraud or theft, you may be eligible for compensation from the Fraud Compensation Fund.\n\nContact one of the following organisations if you want to make a complaint about the way your workplace pension scheme is run:\n\n- the Pensions Advisory Service\n\n- the Pensions Ombudsman\n\n## Managing your pension\n\nYour pension provider will send you a statement each year to tell you how much is in your pension pot. You can also ask them for an estimate of how much you\u2019ll get when you start taking your pension pot.\n\n## What you see on your payslip\n\nYou do not need to do anything to get tax relief at the basic rate on your pension contributions. There are 2 types of arrangements:\n\n- net pay\n\n- relief at source\n\nCheck with your employer or pension provider which arrangement your workplace pension uses. This determines what you\u2019ll see on your payslip.\n\n## \u2018Net pay\u2019\n\nYour employer takes your contribution from your pay before it\u2019s taxed. You only pay tax on what\u2019s left. This means you get full tax relief, no matter if you pay tax at the basic, higher or additional rate.\n\nThe amount you\u2019ll see on your payslip is your contribution plus the tax relief.\n\nYou will not get tax relief if you do not pay tax, for example because you earn less than the tax threshold.\n\n## \u2018Relief at source\u2019\n\nYour employer takes your pension contribution after taking tax and National Insurance from your pay. However much you earn, your pension provider then adds tax relief to your pension pot at the basic rate.\n\nWith \u2018relief at source\u2019, the amount you see on your payslip is only your contributions, not the tax relief.\n\nYou may be able to claim money back if:\n\n- you pay higher or additional rate Income Tax\n\n- you pay higher or top rate Income Tax in Scotland\n\n## Tracing lost pensions\n\nThe Pension Tracing Service could help you find pensions you\u2019ve paid into but lost track of.\n\n## Nominate someone to get your pension if you die\n\nYou may be able to nominate (choose) someone to get your pension if you die before reaching the scheme\u2019s pension age. You can do this when you first join the pension or by writing to your provider.\n\nAsk your pension provider if you can nominate someone and what they\u2019d get if you die, for example regular payments or lump sums. Check your scheme\u2019s rules about:\n\n- who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23\n\n- whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die\n\nYou can change your nomination at any time. It\u2019s important to keep your nominee\u2019s details up to date.\n\nSometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.\n\n## Taking your pension\n\nMost pension schemes set an age when you can take your pension, usually between 60 and 65. In some circumstances you can take your pension early. The earliest is usually 55.\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. Taking your pension early in this way could mean you pay tax of up to 55%.\n\nIf the amount of money in your pension pot is quite small, you may be able to take it all as a lump sum. You can take 25% of it tax free, but you\u2019ll pay Income Tax on the rest.\n\nHow you get money from your pension depends on the type of scheme you\u2019re in.\n\n## Defined contribution pension schemes\n\nYou\u2019ll need to decide how to take your money if you\u2019re in a defined contribution pension scheme.\n\n## Defined benefit pension schemes\n\nYou may be able to take some money as a tax-free lump sum if you\u2019re in a defined benefit pension scheme - check with your pension provider. You\u2019ll get the rest as a guaranteed amount each year.\n\n## Changing jobs and taking leave\n\n## If you change jobs\n\nYour workplace pension still belongs to you. If you do not carry on paying into the scheme, the money will remain invested and you\u2019ll get a pension when you reach the scheme\u2019s pension age.\n\nYou can join another workplace pension scheme if you get a new job.\n\nIf you do, you might be able to:\n\n- carry on making contributions to your old pension\n\n- combine the old and new pension schemes\n\nAsk your pension providers about your options.\n\nIf you move jobs but pay into an old pension, you may not get some of that pension\u2019s benefits - check if they\u2019re only available to current workers.\n\n## If you worked at your job for less than 2 years before you left\n\nIf you were in a defined benefit pension scheme for less than 2 years, you might be able to either:\n\n- get a refund on what you contributed\n\n- transfer the value of its benefits to another scheme (a \u2018cash sum transfer\u2019)\n\nThis depends on the type of defined benefit scheme and its rules. Check with your employer or the pension scheme provider.\n\n## Paid leave\n\nDuring paid leave, you and your employer carry on making pension contributions.\n\nThe amount you contribute is based on your actual pay during this time, but your employer pays contributions based on the salary you would have received if you were not on leave.\n\n## Maternity and other parental leave\n\nYou and your employer will continue to make pension contributions if you\u2019re getting paid during maternity leave.\n\nIf you\u2019re not getting paid, your employer still has to make pension contributions in the first 26 weeks of your leave (\u2018Ordinary Maternity Leave\u2019). They have to carry on making contributions afterwards if it\u2019s in your contract. Check your employer\u2019s maternity policy.\n\n## Unpaid leave\n\nYou may be able to make contributions if you want to - check with your employer or the pension scheme provider.\n\n## If you become self-employed or stop working\n\nYou may be able to carry on contributing to your workplace pension - ask the scheme provider.\n\nYou could use the National Employment Saving Trust (NEST) - a workplace pension scheme that working self-employed people or sole directors of limited companies can use.\n\nYou could set up a personal or stakeholder pension.\n\nYou can get help with your workplace pension options.\n\n## If you want to leave your workplace pension scheme\n\nWhat you do if you want to leave a workplace pension depends on whether you\u2019ve been \u2018automatically enrolled\u2019 in it or not.\n\n## If you have not been automatically enrolled\n\nCheck with your employer - they\u2019ll tell you what to do.\n\n## If you\u2019ve been automatically enrolled\n\nYour employer will have sent you a letter telling you that you\u2019ve been added to the scheme.\n\nYou can leave (called \u2018opting out\u2019) if you want to.\n\nIf you opt out within a month of your employer adding you to the scheme, you\u2019ll get back any money you\u2019ve already paid in.\n\nYou may not be able to get your payments refunded if you opt out later - they\u2019ll usually stay in your pension until you retire.\n\nYou can opt out by contacting your pension provider. Your employer must tell you how to do this.\n\n## Reducing your payments\n\nYou may be able to reduce the amount you contribute to your workplace pension for a short time. Check with both your employer and your pension provider to see if you can do this and how long you can do it for.\n\n## Opting back in\n\nYou can do this at any time by writing to your employer. They do not have to accept you back into their workplace scheme if you\u2019ve opted in and then opted out in the past 12 months.\n\n## Rejoining the scheme automatically\n\nYour employer will automatically re-enrol you in the scheme. They must do this either every 3 years (from the date you first enrolled), or they can choose to do it sooner. They\u2019ll write to you when they do this.\n\n## When you do not rejoin automatically\n\nIf you no longer qualify for the scheme, you will not be automatically re-enrolled.\n\nIf you chose to leave the scheme in the 12 months before the date you would have been re-enrolled, your employer does not have to automatically re-enrol you. But they can choose to re-enrol you.\n\n## Get help\n\nFor questions about the specific terms of your workplace pension scheme, talk to your pension provider or your employer.\n\nYou can get free, impartial information about your workplace pension options from:\n\n- the Money Advice Service\n\n- the Pensions Advisory Service\n\n- Pension Wise if you\u2019re in a defined contribution pension scheme\n\nYou can get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.\n\nFor general questions on workplace pensions contact the DWP Workplace Pension Information Line.\n\nOnly use the information line if you\u2019re a worker - employers should contact The Pensions Regulator.\n\n## Problems with being \u2018automatically enrolled\u2019\n\nContact the The Pensions Regulator if you have concerns about the way your employer is dealing with automatic enrolment.\n\nThe Pensions Advisory Service may also be able to help you.\n\n## If you\u2019re already paying into a personal pension\n\nCheck whether it\u2019s better for you to:\n\n- carry on with just your personal pension\n\n- stop paying into your personal pension and join your workplace pension\n\n- keep paying into both\n\n## If you\u2019re saving large amounts in pensions\n\nYou may have to pay a tax charge if your total savings in workplace pensions and any other personal pension scheme go above your:\n\n- lifetime allowance - \u00a31,055,000\n\n- annual allowance - usually the lowest out of \u00a340,000 or 100% of your annual income\n\nIf you start taking your pension pot your annual allowance could drop to as low as \u00a34,000.\n\n## If your pension scheme is closing\n\nThis can happen if your employer decides they do not want to use a scheme anymore or they can no longer pay their contributions. What happens to the money you paid in depends on the pension scheme you\u2019ve joined.\n\nIf you\u2019ve been automatically enrolled, your employer cannot close a pension scheme without automatically enrolling you into another one.\n\n## If you\u2019re getting a divorce\n\nYou and your spouse or partner will have to tell the court the value of each of your pension pots. You then have different options to work out what happens to your pension when you get a divorce.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/workplace-pensions", + "answerable": true, + "scenario": "I have just started a job which I enjoy but do not intend to keep for life. I have been told that I am being enrolled in a work place pension scheme even though I did not ask to be and do not really want to be", + "original_question": "Am I obliged to have a pension with this job even though I did not intend to?" + }, + { + "id": "train-2095", + "question": "Scenario: I own a home and energy bills are always high. When I hired a engineer to assess why my energy bills are high. He mentioned the problem is because of insulation. I can't afford to replace the insulation. These energy improvements have been recommended in my Green Deal assessment.\n\nQuestion: Can I get a loan to replace the insulation ?\n\nDocument - Green Deal: energy saving for your home:\n## Overview\n\nThe Green Deal helps you make energy-saving improvements to your home and to find the best way to pay for them.\n\nThe improvements that could save you the most energy depend on your home, but typical examples include:\n\n- insulation, such as solid wall, cavity wall or loft insulation\n\n- heating\n\n- draught-proofing\n\n- double glazing\n\n- renewable energy generation, such as solar panels or heat pumps\n\n## If you need help paying for home improvements\n\nYou may be able to get a loan through the Green Deal, but you\u2019ll have to pay this back.\n\n## Find out if your home will benefit\n\nThere are various ways to check if your property could benefit from energy-saving improvements:\n\n- use the Energy Efficiency Calculator to find out how you can reduce your energy bills\n\n- check which home energy grants you might be able to apply for\n\n- talk to a Green Deal assessor or provider\n\nThe Green Deal may be right for you if you think your property could benefit from energy-saving improvements.\n\nYou can also talk to Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland\n\nFind out about call charges\n\nThe Green Deal is not available in Northern Ireland.\n\n## Green Deal mark\n\nAll Green Deal organisations must be authorised. Look for the quality mark, which is a green house with a tick on the roof.\n\nYou can also check if a Green Deal company is genuine.\n\n## Improvements and benefits to your home\n\nAny household with an electricity meter (including prepayment meters) in England, Scotland or Wales can use the scheme.\n\nBoth the landlord and the tenant must agree to the improvements if the building is rented.\n\n## Eligible improvements\n\nYou can use the Green Deal for a range of different energy saving measures including:\n\n- replacing windows and doors\n\n- installing secondary glazing\n\n- using energy efficient lighting\n\n- insulating your loft or walls\n\n- adding draught proofing\n\n- upgrading your heating\n\n- generating renewable energy from sources such as wind or solar power\n\nBut only if your Green Deal assessment recommends them.\n\n## Get an assessment\n\nYou must get your property assessed to use the Green Deal. Contact a Green Deal assessor or ask a Green Deal provider to find an assessor for you.\n\nYou may have to pay for an assessment. The assessor must tell you the fee in advance.\n\n## What to expect from an assessment\n\nA Green Deal assessor will visit your home, talk to you about your property and your energy use and help you decide if you could benefit from Green Deal improvements.\n\n## When you book\n\nYou may be asked if:\n\n- you own or rent the property\n\n- your home is a listed building, in a conservation area, built before 1900 or constructed in a non-traditional way\n\n- there are access issues, such as access to your loft\n\n- you can provide bills showing your recent energy use\n\n## When the assessor visits\n\nYou may be asked:\n\n- how many people live in your home\n\n- what type of heating and appliances you use\n\n- how often you use your heating\n\n- what energy-saving measures are already installed\n\n## After the visit\n\nYou\u2019ll get a document, called a Green Deal advice report, that contains:\n\n- an Energy Performance Certificate (EPC) that rates your home for energy efficiency\n\n- an occupancy assessment that measures how much energy you and other occupiers are using\n\n- improvements your assessor recommends\n\n- an estimate of the money you could save on your annual energy bills\n\n- a statement on whether the improvements will pay for themselves through reduced energy costs\n\nA Green Deal advice report is valid for 10 years, or until you make changes or energy saving improvements to the property, for example you build an extension or change the windows.\n\nThe actual savings will depend on how much energy you use and the future cost of energy.\n\n## What to do next\n\nYou decide:\n\n- if you want to get the work done\n\n- how you want to pay\n\n## Getting the work done\n\nHow you decide to get the work done will affect your options for how you pay for the work.\n\nAfter you get a Green Deal advice report, you can:\n\n- ask a Green Deal provider to arrange installation and pay for the work yourself\n\n- ask a Green Deal provider to arrange installation and a Green Deal finance plan to pay for the work\n\n- get your own installers to fit the improvements and pay for them yourself\n\n- pay for the work in more than one way, like using a Green Deal finance plan or money of your own\n\nSome companies provide all the services for a Green Deal package - assessment, finance and installation. You can choose to use a different company for each service.\n\n## Get a quote\n\nGive a provider or installer your Green Deal advice report.\n\nProviders will give you a quote and arrange the installers for you. Installers will quote to do the work themselves. A quote from a provider will include the repayment terms if you\u2019re paying with a finance plan.\n\nYou can get more than one quote and you can choose which improvements you want.\n\nYou can ask the provider or installer if you or your property qualify to combine the Green Deal with these other schemes:\n\n- Affordable Warmth Obligation - help from your energy company to improve your home if you\u2019re on certain benefits or a low income, or for certain hard-to-treat properties\n\n- Feed-in Tariffs - payments from your energy provider if you generate your own electricity (such as through solar panels or a wind turbine)\n\n- Renewable Heat Incentive (RHI) - payments for generation and use of renewable energy to heat buildings\n\n- any scheme run by your Local Authority - contact your Local Authority for information\n\n## Agree the work\n\nPick the provider or installer you want to do the work.\n\nThe provider will write you a contract called a Green Deal finance plan if you choose to pay with Green Deal finance. The plan will contain:\n\n- an outline of the work that will be done\n\n- any financial help you can get from other schemes\n\n- the repayments and interest rate\n\n- information on other incentives you can access, such as Feed-in Tarrifs\n\n- information on warranties and guarantees\n\nYour Green Deal repayments will be automatically added to your electricity bill if you have chosen to take Green Deal finance.\n\n## Complaints\n\nYou can complain about your Green Deal.\n\n## How to pay\n\nYou can pay in advance, get a Green Deal finance plan, or use other schemes to fund the work. You can also combine ways to pay.\n\n## Getting a Green Deal finance plan\n\nFinance plans are offered by approved Green Deal providers.\n\nGive your Green Deal assessment to providers you want to get a quote from.\n\nYour provider will find an installer for you.\n\nYou can only get a finance plan for improvements recommended in your Green Deal assessment.\n\nEach provider must tell you:\n\n- how much you\u2019ll pay back\n\n- how long you\u2019ll pay for\n\n## What you can borrow and how much you\u2019ll pay\n\nYou can get finance for an amount based on what you\u2019ll be expected to save on your energy bills.\n\nThe annual repayments on the loan should not be more than the savings you might make on your energy bills.\n\nThere\u2019s no set interest rate. Your interest rate will be determined by the amount of your finance plan. Check with your provider for rates and fees.\n\nThe interest rate is fixed for the full term of the plan so your repayments will be fixed.\n\n## How you pay\n\nYou pay back the loan through a charge added to your electricity bill. If you have a prepayment meter, a small amount will be taken from the meter each day.\n\nThis is because the Green Deal stays with the property. If you move, you no longer benefit from the improvements and therefore stop paying for them.\n\nYou can pay off your Green Deal early, but you might be charged a fee - check with your provider.\n\n## Moving into a property with a Green Deal\n\nIf you move into a property with a Green Deal, the landlord or seller must show you a copy of the Energy Performance Certificate (EPC). This will explain what improvements have been made and how much you\u2019ll need to repay.\n\nThe person who pays the electricity bill pays the money back.\n\nYou can change electricity supplier if the new supplier is participating in the Green Deal.\n\n## Get more information\n\nContact the Green Deal provider if you have specific questions about the improvements, warranties or repayments.\n\nYou can get general information from Simple Energy Advice if you\u2019re in England or Wales, or Home Energy Scotland if you\u2019re in Scotland.\n\nFind out about call charges", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/green-deal-energy-saving-measures", + "answerable": true, + "scenario": "I own a home and energy bills are always high. When I hired a engineer to assess why my energy bills are high. He mentioned the problem is because of insulation. I can't afford to replace the insulation. These energy improvements have been recommended in my Green Deal assessment.", + "original_question": "Can I get a loan to replace the insulation ?" + }, + { + "id": "train-2097", + "question": "Scenario: Our father died recently without leaving a will. My siblings and I do not trust our step-mother to act as estate administrator and we would prefer it if one of his children could handle this instead. My father and step-mother were married at the time of his death.\n\nQuestion: Can children stop a step-parent from handling their deceased parent's probate affairs?\n\nDocument - Applying for probate:\n## Overview\n\nApplying for the legal right to deal with someone\u2019s property, money and possessions (their \u2018estate\u2019) when they die is called \u2018applying for probate\u2019.\n\nYou\u2019ll get a document that allows you to start dealing with the estate. If the person left a will you\u2019ll get either:\n\n- a \u2018grant of probate\u2019\n\n- \u2018letters of administration with will annexed\u2019 (if the will does not name an executor or the named executor is unable to apply)\n\nIf the person did not leave a will, you\u2019ll get \u2018letters of administration\u2019.\n\nThis guide and the service are also available in Welsh (Cymraeg).\n\nThe process is different in Scotland and different in Northern Ireland.\n\nBecause of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process.\n\n## When probate is not needed\n\nYou may not need probate if the person who died:\n\n- had jointly owned land, property, shares or money - these will automatically pass to the surviving owners\n\n- only had savings or premium bonds\n\nContact each asset holder (for example a bank or mortgage company) to find out if you\u2019ll need probate to get access to their assets. Every organisation has its own rules.\n\n## Who can apply\n\nOnly certain people can apply for probate to deal with the estate of someone who died. It depends on whether the person who died left a will.\n\nA will states what should happen to a person\u2019s property and belongings (\u2018estate\u2019) after they die. It\u2019s usually valid if it\u2019s been signed by the person who made it and 2 witnesses.\n\n## If there\u2019s a will\n\nYou can apply for probate if you\u2019re named in the will, or in an update to the will (a \u2018codicil\u2019), as an \u2018executor\u2019.\n\nYou\u2019ll need the original will and any updates to apply for probate. These must be original documents, not photocopies.\n\nIf you do not want to apply for probate, fill in a form to give up executor rights.\n\nFind out what to do if you\u2019re an executor.\n\n## If the person did not leave a will\n\nThe \u2018administrator\u2019 deals with the estate.\n\nYou can apply to become the estate\u2019s administrator if you are 18 or over and you are the most \u2018entitled\u2019 inheritor of the deceased\u2019s estate. This is usually the deceased\u2019s closest living relative.\n\nRelatives are the most entitled inheritors in the following order:\n\n- husband, wife or civil partner (including if they were separated)\n\n- children (including legally adopted children but not step-children)\n\n- grandchildren\n\n- great-grandchildren\n\n- parents\n\n- brothers and sisters\n\n- nieces and nephews\n\n- half-brothers and half-sisters\n\n- half-nieces and half-nephews (the children of the half-brothers and half-sisters of the deceased)\n\n- grandparents\n\n- aunts and uncles\n\n- cousins\n\n- half-aunts and half-uncles (the half-brothers and half-sisters of the deceased\u2019s parent)\n\n- half-cousins (the children of the half-brothers and half-sisters of the deceased\u2019s parent)\n\nTo apply, follow the same steps as applying for probate.\n\nYou\u2019ll receive \u2018letters of administration\u2019 to prove you have the legal right to deal with the estate.\n\nYou cannot apply if you\u2019re the partner of the person but were not their spouse or civil partner when they died. You\u2019re not automatically entitled to any of their estate, unless you\u2019re able to make changes to the inheritance.\n\n## If you do not want to apply\n\nIf you\u2019re the most entitled inheritor and you do not want to apply to be the administrator, you can either:\n\n- appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and get the attorney to send this in with the probate application\n\n- nominate up to 2 people to be the next most entitled inheritor - fill in an \u2018intestate\u2019 form and send it to HMCTS Probate\n\n## Work out who inherits\n\nThe law decides who inherits the estate if there\u2019s no will. Work out who will inherit.\n\nYou\u2019ll need this information to report the estate\u2019s value and find out if there\u2019s Inheritance Tax to pay.\n\nInheritance laws may be different if you live in an EU country.\n\n## Stopping a probate application\n\nIf there\u2019s a dispute, you can challenge an application for probate (\u2018enter a caveat\u2019), before it\u2019s granted.\n\nFind out how to stop a probate application.\n\n## If you\u2019re an executor\n\nAn executor is someone named in a will as responsible for sorting out the estate of the person who\u2019s died.\n\nThe person who died will normally have told you if you\u2019re an executor. You\u2019ll need the original will to apply for probate.\n\n## Find the original will\n\nThe person who died should have told all the executors where to find the original will and any updates, for example:\n\n- at their house\n\n- with a probate practitioner, such as a solicitor\n\n- at the Newcastle District Probate Registry - you\u2019ll need the death certificate and evidence you\u2019re the executor\n\nGet help from a probate practitioner or Citizens Advice if you cannot understand a will or codicil.\n\nIf you cannot find the original will, you\u2019ll need to fill in a lost will form.\n\nIf there\u2019s more than one will, only the most recent will is valid. Do not destroy any copies of earlier wills until you\u2019ve received probate.\n\nAn executor only receives assets if they\u2019re also named as a beneficiary.\n\n## If there\u2019s more than one executor\n\nIf more than one person is named as an executor, you must all agree who makes the application for probate.\n\nUp to 4 executors can be named on the application.\n\nIf only one executor is named on the application they\u2019ll need to prove that they tried to contact all executors named in the will before they applied.\n\nIf you\u2019re having problems finding the other executors, you can contact the Probate Call Centre.\n\nThe Probate Call Centre cannot help with disagreements between executors. You\u2019ll need to find another way to reach an agreement - this could mean getting legal advice.\n\n## If you do not want to or cannot be an executor\n\nThe will may name a replacement executor for someone who becomes \u2018unwilling or unable\u2019 to deal with the estate.\n\nIf no executors are willing or able to apply for probate, fill in a form to give up executor rights and send it to HMCTS Probate.\n\n## You do not want to be an executor\n\nYou can do one of the following:\n\n- completely give up your right to apply for probate (\u2018renunciation\u2019) - fill in a form to give up executor rights and send it with the probate application form\n\n- reserve your right to apply for probate later if another executor cannot deal with the estate (holding \u2018power reserved\u2019)\n\n- appoint an attorney to act on your behalf - fill in an attorney form or set up a signed enduring power of attorney (EPA) or registered lasting power of attorney (LPA) and send it with the probate application\n\n## When an executor is unable to apply for probate\n\nA replacement executor should apply for probate if the executor is unable to, for example because:\n\n- they\u2019ve died\n\n- they do not have \u2018mental capacity\u2019 - get a doctor to fill in a mental capacity form and send it with the probate application\n\n## Apply for probate\n\nYou can apply for probate yourself online or by post, or pay a probate practitioner (such as a solicitor) to do it for you.\n\nBecause of coronavirus (COVID-19), probate applications are taking up to 8 weeks to process. It\u2019s taking longer to process paper applications than online applications.\n\nThis guide and the service are also available in Welsh (Cymraeg).\n\n## Before you apply\n\n- Check if you need probate.\n\n- Check if you can apply for probate.\n\n- You must estimate and report the estate\u2019s value before you apply for probate.\n\n- You must find out whether you need to pay Inheritance Tax. If you do have to pay it, send the appropriate forms to HMRC and wait 20 working days before applying for probate.\n\n- You must have the original will if you\u2019re the executor (you do not need it if you\u2019re an administrator). You must also have the original death certificate or an interim death certificate from the coroner.\n\n## If you need to pay Inheritance Tax\n\nYou normally have to pay at least some of the tax before you\u2019ll get probate. You can claim the tax back from the estate, if you pay it out of your own bank account.\n\n## Probate application fees\n\nYou may have to pay a fee to apply for probate. Whether you need to pay depends on the value of the estate.\n\nIf the value of the estate is over \u00a35,000, the application fee is \u00a3215. You may be able to get help to pay the probate fee and other court fees if you have a low income or are on certain benefits.\n\nThere\u2019s no fee if the estate is \u00a35,000 or less.\n\nExtra copies of the probate cost \u00a31.50 each. This means you can send them to different organisations at the same time.\n\n## If the will has been changed or damaged\n\nYou must include a cover letter if the will or any additions have changed in any way since you\u2019ve had them. This includes them being damaged or separated for photocopying.\n\nThe letter should explain what\u2019s been changed and why.\n\n## Get help and advice\n\nIf you\u2019ve not yet applied and have a question about applying for probate, contact the Courts and Tribunals Service Centre:\n\n## If you\u2019re a probate practitioner\n\nYou should apply for probate for your client using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\n## Apply for probate online\n\nYou can use this service if you\u2019re the executor or administrator and you:\n\n- have the original will and any additions to it (\u2018codicils\u2019) if you\u2019re the executor (you do not need these if you\u2019re an administrator)\n\n- have the original death certificate or an interim death certificate from the coroner\n\n- have already reported the estate\u2019s value\n\n- have submitted tax forms to HMRC and waited 20 working days, if you need to pay Inheritance Tax\n\nThe person who died must have lived in England or Wales most of the time.\n\nThe probate registry will keep the original will and any additions to it. If you make a copy of these for your records, do not remove any staples or bindings from them.\n\nApply for probate\n\nReturn to an existing probate application.\n\n## Apply for probate by post\n\nThe form you need to fill in depends on whether the person left a will or not.\n\nFill in application form PA1P if there is a will.\n\nFill in application form PA1A if there is not a will.\n\nBecause of COVID-19, it\u2019s taking longer to process paper applications than online applications. Use the online service to apply for probate if you can.\n\nYou need to pay before you send the form.\n\nYou can pay by either:\n\n- calling the Courts and Tribunals Service Centre to pay by credit or debit card - you\u2019ll be given a reference number to send with your documents\n\n- sending a cheque payable to \u2018HM Courts and Tribunals Service\u2019 with your documents\n\nSend your completed form to HMCTS Probate with the following documents:\n\n- the original will and any additions to it (\u2018codicils\u2019)\n\n- the death certificate or an interim death certificate from the coroner\n\nUse a signed-for or tracked postal service that will deliver to PO boxes to send your documents.\n\nThe death certificate will be returned to you but the will and any additions to it will not be. If you make a copy of the will and any of its additions for your own records, do not remove any staples or bindings from them.\n\n## After you've applied\n\nYou\u2019ll usually get the grant of probate or letters of administration within 8 weeks of sending in your original documents. If you ordered copies of these documents for use outside the UK, these will take longer to arrive.\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications.\n\nYou should not make any financial plans or put property on the market until you have received the grant of probate or letters of administration.\n\nIf there\u2019s anything wrong with the grant of probate (or letters of administration), return it to the district probate registry listed on the grant or letters.\n\nSend a copy to organisations that hold the assets of the person who died, for example their bank.\n\nOnce you have probate you can start dealing with the estate.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/applying-for-probate", + "answerable": true, + "scenario": "Our father died recently without leaving a will. My siblings and I do not trust our step-mother to act as estate administrator and we would prefer it if one of his children could handle this instead. My father and step-mother were married at the time of his death.", + "original_question": "Can children stop a step-parent from handling their deceased parent's probate affairs?" + }, + { + "id": "train-2100", + "question": "Scenario: I am a widow and my late husband died during a war while serving in the British army in 1991. I receive war pension benefits. My daughter is attending for a full time Bachelor in Pharmacy at Bristol University. My daughter is 17 years old.\n\nQuestion: Can my daughter qualify for the scholarship?\n\nDocument - Scholarships for children whose parent died in service:\n## Overview\n\nYou can apply for help with the costs of further and higher education if all of the following are true:\n\n- one of your parents died as a result of their service in the armed forces\n\n- your parent died on or after 1 January 1990\n\n- you\u2019re 16 or over and in full-time education\n\n- you or a surviving parent receive bereavement benefits from the Armed Forces Compensation scheme, War Pension scheme or Armed Forces Attributable Benefits scheme\n\nYou cannot apply if you were the foster child of the person who died.\n\n## What you can use the scholarship for\n\nYou can use the money to pay tuition fees and your maintenance for:\n\n- a further education course of up to 3 years\n\n- your first undergraduate course at a UK university or other higher education institution (such as a college or art school) - this can include study abroad if it\u2019s part of the course\n\n- a higher level technical education course at qualification levels 4, 5 or 6\n\nIf you\u2019re unsure about the type of course ask the college or university you want to apply to.\n\n## What you'll get\n\nIn the 2018 to 2019 academic year you can apply for up to:\n\n- \u00a31,500 for a further education course\n\n- \u00a39,250 for tuition fees and \u00a34,950 for a Maintenance Grant for a higher education or higher level technical education course\n\nIf you\u2019re studying in Scotland, Northern Ireland or Wales, you can apply for up to \u00a39,000 for tuition fees and \u00a34,950 for a Maintenance Grant.\n\n## How the payments are made\n\nPayments are made 3 times a year no later than:\n\n- 31 October\n\n- 31 January\n\n- 30 April\n\nYour college or university must have confirmed that you\u2019re registered for a course and attending before any payment is sent.\n\nPayments can be backdated in some circumstances, for example you become eligible for a scholarship and apply while studying.\n\nFurther education scholarships are paid to either you or your parent or guardian.\n\nUniversity and other higher education scholarships are paid directly to you.\n\nAll scholarships are tax free.\n\n## How to apply\n\nDownload and fill in the bereavement scholarship scheme application.\n\nPost your application to the address on the form.\n\nIf you\u2019re applying for a higher education scholarship (for example, an undergraduate degree from a UK university), also include:\n\n- a letter from the college or university confirming that you\u2019ve accepted their offer of a place\n\n- proof of the fees, for example a photocopy of your tuition fees invoice\n\n## Deadlines\n\nVeterans UK must receive your application by 31 January in the academic year of your further education or university course.\n\nYou can apply from 1 April in the academic year you\u2019ll begin studying.\n\n## What happens next\n\nThe Veterans UK Scheme Administrator will get in touch to confirm whether you\u2019re eligible for the scholarship you\u2019ve applied for.\n\nHow long it takes to find out if you\u2019re eligible depends on the evidence you provide with your application.\n\n## If you\u2019re applying for a university or higher education scholarship\n\nRegister with the Student Loans Company to ensure you\u2019re charged UK student fees for your course.\n\n## Appeals\n\nIf you disagree with the decision you must appeal to Veterans UK in writing.\n\n## Help with your application\n\nContact the Veterans UK helpline if you have any questions about the scholarships, for example what you need to do to apply or how to fill out the application form.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/support-military-bereaved-children", + "answerable": true, + "scenario": "I am a widow and my late husband died during a war while serving in the British army in 1991. I receive war pension benefits. My daughter is attending for a full time Bachelor in Pharmacy at Bristol University. My daughter is 17 years old.", + "original_question": "Can my daughter qualify for the scholarship?" + }, + { + "id": "train-2103", + "question": "Scenario: I own and run a SME employing just over 50 people. One of my long-term employees has given notice that she intends to claim both statutory maternity leave and statutory maternity pay, but so far has not provided proof of pregnancy. I have not received proof for 14 weeks.\n\nQuestion: Do I have to grant her SMP and SML requests if she doesn't provide this evidence by her SML start date?\n\nDocument - Statutory Maternity Pay and Leave: employer guide:\n## Entitlement\n\n## Statutory Maternity Leave\n\nEligible employees can take up to 52 weeks\u2019 maternity leave. The first 26 weeks is known as \u2018Ordinary Maternity Leave\u2019, the last 26 weeks as \u2018Additional Maternity Leave\u2019.\n\nThe earliest that leave can be taken is 11 weeks before the expected week of childbirth, unless the baby is born early.\n\nEmployees must take at least 2 weeks after the birth (or 4 weeks if they\u2019re a factory worker).\n\n## Statutory Maternity Pay (SMP)\n\nSMP for eligible employees can be paid for up to 39 weeks, usually as follows:\n\n- the first 6 weeks: 90% of their average weekly earnings (AWE) before tax\n\n- the remaining 33 weeks: \u00a3151.97 or 90% of their AWE (whichever is lower)\n\nTax and National Insurance need to be deducted.\n\nUse the SMP calculator to work out an employee\u2019s maternity leave and pay.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement.\n\n## Extra leave or pay\n\nYou can offer more than the statutory amounts if you have a company maternity scheme. You must make sure your maternity leave and pay policies are clear and available to staff.\n\n## If the baby is born early\n\nLeave starts the day after the birth if the baby is born early.\n\nThe employee must give you the child\u2019s birth certificate or a document signed by a doctor or midwife that confirms the actual date of birth.\n\nYou must write to them confirming the new end date for their leave.\n\nFor very premature births where the child is born 15 weeks or more before the due date, you\u2019ll need to calculate SMP using your payroll software (if it has this feature) or work it out manually.\n\n## If the baby dies\n\nEmployees still qualify for leave or pay if the baby:\n\n- is stillborn after the start of the 24th week of pregnancy\n\n- dies after being born\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during maternity leave.\n\nYou still have to pay SMP even if you stop trading.\n\n## Eligibility and proof of pregnancy\n\nSome employees will not qualify for both leave and pay.\n\n## Statutory Maternity Leave\n\nEmployees must:\n\n- have an employment contract - it does not matter how long they\u2019ve worked for you\n\n- give you the correct notice\n\n## Statutory Maternity Pay (SMP)\n\nEmployees must:\n\n- be on your payroll in the \u2018qualifying week\u2019 - the 15th week before the expected week of childbirth\n\n- give you the correct notice\n\n- give you proof they\u2019re pregnant\n\n- have been continuously employed by you for at least 26 weeks up to any day in the qualifying week\n\n- earn at least \u00a3120 a week (gross) in an 8-week \u2018relevant period\u2019\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the maternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and statutory maternity pay.\n\nThere are special rules for some employee situations (for example if they leave, become sick or their baby is born before the qualifying week).\n\n## Proof of pregnancy\n\nYou must get proof of the pregnancy before you pay SMP. This is usually a doctor\u2019s letter or a maternity certificate (known as an MATB1 certificate). Midwives and doctors usually issue these 20 weeks before the due date.\n\nThe employee should give you proof within 21 days of the SMP start date. You can agree to accept it later if you want. You do not have to pay SMP if you have not received proof of the due date 13 weeks after the SMP start date.\n\nYou must keep records of the proof of pregnancy.\n\nEmployees not entitled to SMP may be able to get Maternity Allowance instead.\n\n## Notice period\n\nNotice does not have to be in writing unless you request it.\n\n## Statutory Maternity Leave\n\nAt least 15 weeks before the baby is expected, your employees must tell you the date that:\n\n- the baby is due\n\n- they want to start their maternity leave - they can change this with 28 days\u2019 notice\n\nYou must then confirm their leave start and end dates in writing within 28 days.\n\nEmployees can change their return to work date if they give 8 weeks\u2019 notice.\n\nYou cannot refuse maternity leave or change the amount of leave your employees want to take.\n\n## Statutory Maternity Pay (SMP)\n\nYour employees must give you 28 days\u2019 notice of the date they want to start their SMP. This is usually the same date they want to start their leave.\n\nYou can refuse to pay SMP if your employee does not give you this notice and they do not give you a reasonable excuse.\n\n## Refuse pay form SMP1\n\nYou can refuse Statutory Maternity Pay (SMP) if the employee does not qualify. They may be able to get Maternity Allowance instead.\n\nTo refuse it, give the employee the SMP1 form within 7 days of your decision. They must get this form within 28 days of their request for Statutory Maternity Pay or the birth (whichever is earlier).\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- proof of pregnancy - usually a doctor\u2019s note or a MATB1 certificate (a photocopy is fine)\n\n- the date SMP began\n\n- your SMP payments (including dates)\n\n- the SMP you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for 3 years from the end of the tax year they relate to, for example by using form SMP2 or keeping your own records.\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employers-maternity-pay-leave", + "answerable": true, + "scenario": "I own and run a SME employing just over 50 people. One of my long-term employees has given notice that she intends to claim both statutory maternity leave and statutory maternity pay, but so far has not provided proof of pregnancy. I have not received proof for 14 weeks.", + "original_question": "Do I have to grant her SMP and SML requests if she doesn't provide this evidence by her SML start date?" + }, + { + "id": "train-2105", + "question": "Scenario: I have just sold my house for more than I bought it for 5 years ago. I want know the amount of capital gains tax I am supposed to pay HMRC. The house had been bought to let out to tenants.\n\nQuestion: Do I have to pay capital gains tax?\n\nDocument - Tax when you sell property:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:\n\n- buy-to-let properties\n\n- business premises\n\n- land\n\n- inherited property\n\nThere are different rules if you:\n\n- sell your home\n\n- live abroad\n\n- are a company registered abroad\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you do not pay\n\nYou do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou may get tax relief if the property is a business asset.\n\nIf the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.\n\n## If you need to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your property and the amount you got when you sold (or \u2018disposed of\u2019) it.\n\nIf your combined capital gains are over your allowance for the year you\u2019ll have to report and pay Capital Gains Tax.\n\n## Market value\n\nIn some situations you should use the market value of the property when working out your gain. Do this if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Selling in special circumstances\n\nThere are special rules for calculating your gain if:\n\n- you live abroad\n\n- you sell a lease or part of your land\n\n- your property is compulsorily purchased\n\n## Jointly owned property\n\nIf you own property jointly with other people, work out the gain for the share that you own.\n\n## Deduct costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension (normal maintenance costs, such as decorating, do not count)\n\n## Reliefs\n\nYou may get tax relief if the property was:\n\n- your home\n\n- a business asset\n\n- occupied by a dependent relative - find out more in the guidance on Private Residence Relief\n\n## Work out if you need to pay\n\nOnce you know what your gain on the property is, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold land\n\n- sold business premises\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax on property\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\n## Businesses\n\nYou may get tax relief if you sell property that you use for business. This may reduce or delay the amount of Capital Gains Tax you pay.\n\nIf the purpose of your business is to buy and sell property (you\u2019re a property developer, for example) you do not pay Capital Gains Tax when you sell a property. Instead, you pay:\n\n- Income Tax - if you\u2019re a sole trader or partner\n\n- Corporation Tax - if you\u2019re a limited company\n\nThere are special rules for limited companies that dispose of a single residential property worth more than \u00a32 million.\n\n## Selling overseas property\n\nYou pay Capital Gains Tax when you \u2018dispose of\u2019 overseas property if you\u2019re resident in the UK.\n\nThere are special rules if you\u2019re resident in the UK but your permanent home (\u2018domicile\u2019) is abroad.\n\nYou may also have to pay tax in the country you made the gain. If you\u2019re taxed twice, you may be able to claim relief.\n\n## If you\u2019re non-resident\n\nNon-residents may have to pay UK tax on overseas property if they return to the UK within 5 years of leaving.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-sell-property", + "answerable": true, + "scenario": "I have just sold my house for more than I bought it for 5 years ago. I want know the amount of capital gains tax I am supposed to pay HMRC. The house had been bought to let out to tenants.", + "original_question": "Do I have to pay capital gains tax?" + }, + { + "id": "train-2106", + "question": "Scenario: From 2020 to 2021 i was a care worker but also director of the company. Our Class 1 National Insurance liabilities for all combined Payrolls were \u00a390,000. The care work I do is entirely private.\n\nQuestion: Can I main a claim for Employment allowance?\n\nDocument - Employment Allowance:\n## What you'll get\n\nEmployment Allowance allows eligible employers to reduce their annual National Insurance liability by up to \u00a34,000.\n\nYou\u2019ll pay less employers\u2019 Class 1 National Insurance each time you run your payroll until the \u00a34,000 has gone or the tax year ends (whichever is sooner).\n\nYou can only claim against your employers\u2019 Class 1 National Insurance liability up to a maximum of \u00a34,000 each tax year. You can still claim the allowance if your liability was less than \u00a34,000 a year.\n\n## Check if you're eligible\n\nYou can claim Employment Allowance if you\u2019re a business or charity (including community amateur sports clubs) and your employers\u2019 Class 1 National Insurance liabilities were less than \u00a3100,000 in the previous tax year.\n\nYou can also claim if you employ a care or support worker.\n\nYou can claim Employment Allowance for the previous 4 tax years dating back to the 2017 to 2018 tax year. Some of the rules for claiming are different.\n\n## If you\u2019re part of a group\n\nIf you\u2019re part of a group of charities or companies (also known as connected companies), the total employers\u2019 Class 1 National Insurance liabilities for the group must be less than \u00a3100,000.\n\nOnly one company in the group can claim the allowance.\n\n## If you have more than one payroll\n\nIf you have or had more than one employer PAYE reference, the total employers\u2019 Class 1 National Insurance liabilities for your combined payrolls must be less than \u00a3100,000 in the previous tax year\n\nYou can only claim Employment Allowance against one of the payrolls.\n\n## Off-payroll salary payments\n\nDo not include employers\u2019 Class 1 National Insurance liabilities on payments you make to off-payroll workers in your calculations. These are known as deemed payments. They do not count towards the \u00a3100,000 threshold.\n\n## Check if de minimis state aid rules apply to you\n\nIf you make or sell goods or services, Employment Allowance counts as \u2018de minimis state aid\u2019. There\u2019s a limit to how much de minimis state aid you can get.\n\nYou must:\n\n- check that you\u2019re within the de minimis state aid threshold\n\n- work out how much de minimis state aid you\u2019ve received\n\nYou must do this even if you do not make a profit.\n\nYou do not have to do this if you do not make or sell goods or services, for example you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## Check you\u2019re within the de minimis state aid threshold\n\nEmployment Allowance counts towards the total de minimis state aid you\u2019re allowed to get over a 3 year period.\n\nYou must make sure you will not exceed the de minimis state aid threshold for your sector.\n\nDe minimis state aid and the relevant thresholds are worked out in euros.\n\n| Sector | De minimis state aid threshold over 3 years |\n\n| Agriculture products sector | \u20ac20,000 |\n\n| Fisheries and aquaculture sector | \u20ac30,000 |\n\n| Road freight transport sector | \u20ac100,000 |\n\n| Industrial sector\u202f\u202f/ other | \u20ac200,000 |\n\n## Work out how much de minimis state aid you\u2019ve received\n\n- Check if you\u2019ve received any de minimis state aid - if so, you should have been told in writing.\n\n- Add the total amount of de minimis state aid that you\u2019ve received or been allocated for the current and past 2 tax years.\n\n- Add this to the full amount of Employment Allowance for the year you\u2019re claiming for. You\u2019ll need to convert this into euros using the exchange rate for the end of the previous tax year. If you\u2019re claiming for 2020 to 2021, you\u2019ll need to use the exchange rate on 30 March 2020: \u00a31 to \u20ac1.1249.\n\n- If the total is below the threshold for your sector, you\u2019re eligible to make a claim.\n\nIf you\u2019re a connected company, the total de minimis state aid for all of the companies in the group must be below the de minimis state aid threshold for your sector.\n\nThe rules are different if your business covers more than one sector.\n\n## Who cannot claim Employment Allowance\n\nYou cannot claim if you\u2019re a public body or business doing more than half your work in the public sector (such as local councils and NHS services) - unless you\u2019re a charity.\n\nYou also cannot claim if both of the following apply:\n\n- you\u2019re a company with only one employee paid above the Class 1 National Insurance secondary threshold\n\n- the employee is also a director of the company\n\nCertain employees cannot be included in your claim, such as:\n\n- someone whose earnings are within IR35 \u2018off-payroll working rules\u2019\n\n- someone you employ for personal, household or domestic work (like a nanny or gardener) - unless they\u2019re a care or support worker\n\n## How to claim\n\nHow you claim depends on whether you use your own payroll software or HMRC\u2019s Basic PAYE tools.\n\n## If you use your own software\n\nTo claim through your payroll software, put \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field next time you send an Employment Payment Summary (EPS) to HM Revenue and Customs (HMRC).\n\nIf your payroll software does not have an Employment Payment Summary field, you can use Basic PAYE Tools.\n\n## Select your business sector under \u2018de minimis state aid rules\u2019\n\nYou must select the business sectors that apply to you, even if you do not make a profit.\n\nMost businesses will need to select the \u2018Industrial/other\u2019 category, for example a hair salon or restaurant.\n\nIf you do not make or sell goods or services, choose \u2018State aid rules do not apply\u2019. For example if you\u2019re a charity, an amateur sports club or if you employ a care worker.\n\n## If you use HMRC\u2019s Basic PAYE Tools\n\n- Select the correct name in the \u2018Employer\u2019 menu on the home page.\n\n- Select \u2018Change employer details\u2019.\n\n- Select \u2018Yes\u2019 in the \u2018Employment Allowance indicator\u2019 field.\n\n- Answer \u2018Yes\u2019 to the \u2018Do state aid rules apply?\u2019 question if you sell goods or services. Select the business sectors that apply to you. Otherwise, answer \u2018No\u2019 and select \u2018State aid rules do not apply\u2019.\n\n- Send your EPS as normal.\n\n## Stopping your claim\n\nIf you stop being eligible, select \u2018No\u2019 in the \u2018Employment Allowance indicator\u2019 field in your next EPS.\n\nDo not select \u2018No\u2019 just because:\n\n- you\u2019ve reached the \u00a34,000 limit before the end of the tax year - this does not make you ineligible\n\n- you\u2019re no longer employing anyone - this allowance will stop at the end of the tax year\n\nIf you stop your claim before the end of the tax year (5 April), any allowance you\u2019ve been given that year will be removed. You\u2019ll have to pay any employers\u2019 (secondary) Class 1 National Insurance due as a result.\n\n## When to claim\n\nYou need to claim Employment Allowance every tax year.\n\nYou can claim at any time in the tax year, but the earlier you claim the sooner you will get the allowance.\n\nIf you claim late and do not use your Employment Allowance against your employers\u2019 Class 1 National Insurance liabilities, you\u2019ll have to ask HMRC to do one of the following:\n\n- use any unclaimed allowance at the end of the year to pay any tax or National Insurance you owe (including VAT and Corporation Tax if you do not owe anything on your PAYE bill)\n\n- give you a refund after the end of the tax year if you do not owe anything\n\nYou can see how much Employment Allowance you\u2019ve used in your HMRC online account.\n\n## Claiming for past years\n\nYou can claim Employment Allowance for the previous 4 tax years, dating back to the 2017 to 2018 tax year.\n\nTo claim for past years, it does not matter how much your employers\u2019 Class 1 National Insurance liability was or how much de minimis state aid you received.\n\nThe thresholds for employers\u2019 Class 1 National Insurance and de minimis state aid do not apply.\n\nEmployment allowance was \u00a33,000 each year between April 2016 and April 2020.\n\n## Further information\n\nRead \u2018Claiming Employment Allowance: further employer guidance\u2019 for more information.\n\n## After you've made a claim\n\nYou can begin using your Employment Allowance as soon you submit your claim.\n\nHMRC will not send you a confirmation letter for your Employment Allowance.\n\nIf your claim is rejected, you will receive an automated message from HMRC within 5 working days.\n\nYou may need to tell HMRC if last year\u2019s employers\u2019 Class 1 National Insurance liabilities included deemed payments, taking you over the \u00a3100,000 threshold.\n\n## When your Employment Allowance counts as de minimis state aid\n\nIf you have selected a business sector in your claim, HMRC will send a letter stating that your Employment Allowance counts as de minimis state aid.\n\nYou must keep this letter as you may need it if you apply for other de minimis state aid.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/claim-employment-allowance", + "answerable": true, + "scenario": "From 2020 to 2021 i was a care worker but also director of the company. Our Class 1 National Insurance liabilities for all combined Payrolls were \u00a390,000. The care work I do is entirely private.", + "original_question": "Can I main a claim for Employment allowance?" + }, + { + "id": "train-2108", + "question": "Scenario: I am a medical student currently studying at an English university and living nearby. The next year of my course will involve a placement in Germany for 3 months out of the 12. I will be spend three quarters of the academic year in Germany.\n\nQuestion: Can I claim travel expenses for the overseas placement?\n\nDocument - Studying abroad: travel grants for students (England):\n## Overview\n\nYou may get a grant to cover some of your travel expenses if you normally live in England and:\n\n- you\u2019re studying abroad as part of your course, or on an Erasmus study or Erasmus work placement\n\n- you\u2019re a medical or dental student studying abroad or attending a clinical placement in the UK\n\nYou do not have to pay back a travel grant. There are rules on eligibility and how much you\u2019ll get.\n\nThere\u2019s a different process if you\u2019re a student from Scotland, Wales or Northern Ireland.\n\n## What you'll get\n\nThe amount you get depends on your total household income. This means your income, if you have one, combined with that of your parents or guardians, or spouse or partner if you live with them. Do not count income from other family members you live with.\n\nYou must pay the \ufb01rst \u00a3303 of your travel costs - and your travel grant will be reduced by \u00a31 for each \u00a38.73 of household income over \u00a339,796.\n\nKeep your travel costs as low as possible without being impractical.\n\n## If you\u2019re studying abroad\n\nYou can apply for:\n\n- up to 3 return journeys between your home and the overseas institution during a full academic year abroad\n\n- help with essential expenses, medical insurance and travel visas\n\nYou may be able to apply for your children\u2019s travel costs if you\u2019re a single parent.\n\n## Medical or dental students doing a clinical placement in the UK\n\nYou can apply for travel costs between your home and the hospital or facility where you\u2019re doing your placement.\n\n## Eligibility\n\nYour permanent home address must be in England.\n\n## If you\u2019re studying abroad\n\nYou must attend an overseas institution for at least half of each academic term. This period of study can be compulsory or optional.\n\nYou can also get a travel grant if you\u2019re on an Erasmus study or Erasmus work placement. Other work placements do not count.\n\n## If you\u2019re doing a clinical placement in the UK\n\nThe placement must be an essential part of your medical or dental course. You will not get a travel grant if you\u2019re eligible for means-tested bursaries or awards from the Department of Health.\n\nYou can apply if you get student \ufb01nance that depends on your household income, for example a Maintenance Loan or Maintenance Grant.\n\n## How to apply\n\n## If you\u2019re studying abroad\n\n- Apply for student finance for your study abroad using your student finance account. You can register and set up an account if you do not already have one.\n\n- You\u2019ll then receive a course abroad form.\n\n- Once you\u2019ve filled in and returned the form, you\u2019ll automatically receive a travel grant form if you\u2019re eligible.\n\nKeep all receipts for any expenses you want to apply for - you\u2019ll need to send copies when you apply.\n\nThe money will be paid direct into your bank account.\n\n## If you\u2019re doing a clinical placement in the UK\n\nAfter applying for student finance for clinical study you\u2019ll automatically receive a travel grant form if you\u2019re eligible.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/travel-grants-students-england", + "answerable": true, + "scenario": "I am a medical student currently studying at an English university and living nearby. The next year of my course will involve a placement in Germany for 3 months out of the 12. I will be spend three quarters of the academic year in Germany.", + "original_question": "Can I claim travel expenses for the overseas placement?" + }, + { + "id": "train-2109", + "question": "Scenario: I have received my religious worker Visa to work in a hospice Center in the UK. I am from Ghana. I would like to take some holidays within the year and visit my aging parents in Ghana. My employer has provided me with a multiple entry certificate of sponsorship.\n\nQuestion: Can that be allowed or can i extend it ?\n\nDocument - Temporary Worker - Religious Worker visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - Religious Worker visa (T5) if:\n\n- you want to do religious work in a non-pastoral role or religious order\n\n- you meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Religious Worker) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou must have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.\n\nThe work you do in the UK must relate to your sponsor organisation\u2019s work.\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you are applying to extend from inside the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend from inside the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou\u2019ll be given a visa to live and work in the UK for up to 24 months, or up to 28 days more than the time on your certificate of sponsorship. You may be sponsored for a shorter period.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study - for some courses you\u2019ll need an Academic Technology Approval Scheme certificate\n\n- work for your sponsor in the job described in your certificate of sponsorship\n\n- do a second job in the same sector at the same level as your main job for up to 20 hours per week outside the hours of your main job\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week outside the hours of your main job\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot get public funds.\n\n## Eligibility\n\nYou must have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a unique reference number that holds information about the job you\u2019ll do and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you the certificate of sponsorship.\n\nYour sponsor must also give you the information they used on your certificate about your job, for example your working hours.\n\nYour sponsor must be recognised by the UK government to issue certificates of sponsorship.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the test\n\nYou need a blank page in your passport for your visa.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\nYou may need to provide additional documents depending on your circumstances.\n\nRead the guide for a full list of documents you can provide.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary Worker - Religious Worker visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou must continue to meet the eligibility rules.\n\nYou must apply again if you want to change your job within the same organisation or move to a new organisation.\n\n## How long you can stay\n\nYou can apply to take your stay in the UK up to a maximum of 24 months, or the time on your certificate of sponsorship plus 14 days - whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner or children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than one year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee. They must apply before they travel to the UK.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK to extend\n\nYou can include your partner and children on your application to extend this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend their visas at a later date. This must be before their current visa expires.\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend as a partner\n\n- extend as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply to add them to your visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/religious-worker-visa", + "answerable": true, + "scenario": "I have received my religious worker Visa to work in a hospice Center in the UK. I am from Ghana. I would like to take some holidays within the year and visit my aging parents in Ghana. My employer has provided me with a multiple entry certificate of sponsorship.", + "original_question": "Can that be allowed or can i extend it ?" + }, + { + "id": "train-2110", + "question": "Scenario: I am British and I work for an American company called Amazon Mechanical Turk. My earnings are paid in Amazon vouchers which can only be redeemed on the US Amazon site. My earnings will be taxed in the US, whilst my main job is taxed in the UK.\n\nQuestion: Am I obligated to pay tax on my Turk earnings as a foreign source of income, given that it is my only form of income?\n\nDocument - Tax on foreign income:\n## Overview\n\nYou may need to pay UK Income Tax on your foreign income, such as:\n\n- wages if you work abroad\n\n- foreign investment income, for example dividends and savings interest\n\n- rental income on overseas property\n\n- income from pensions held overseas\n\nForeign income is anything from outside England, Scotland, Wales and Northern Ireland. The Channel Islands and the Isle of Man are classed as foreign.\n\n## Working out if you need to pay\n\nWhether you need to pay depends on if you\u2019re classed as \u2018resident\u2019 in the UK for tax.\n\nIf you\u2019re not UK resident, you will not have to pay UK tax on your foreign income.\n\nIf you\u2019re UK resident, you\u2019ll normally pay tax on your foreign income. But you may not have to if your permanent home (\u2018domicile\u2019) is abroad.\n\n## Reporting foreign income\n\nIf you need to pay tax, you usually report your foreign income in a Self Assessment tax return. But there\u2019s some foreign income that\u2019s taxed differently.\n\n## If your income is taxed in more than one country\n\nYou may be able to claim tax relief if you\u2019re taxed in more than one country.\n\nIf you\u2019ve not yet paid tax on the foreign income, you may need to apply for a certificate of residence to prove you\u2019re eligible for relief.\n\n## UK residence and tax\n\nYour UK residence status affects whether you need to pay tax in the UK on your foreign income.\n\nNon-residents only pay tax on their UK income - they do not pay UK tax on their foreign income.\n\nResidents normally pay UK tax on all their income, whether it\u2019s from the UK or abroad. But there are special rules for UK residents whose permanent home (\u2018domicile\u2019) is abroad.\n\n## Work out your residence status\n\nWhether you\u2019re UK resident usually depends on how many days you spend in the UK in the tax year (6 April to 5 April the following year).\n\nYou\u2019re automatically resident if either:\n\n- you spent 183 or more days in the UK in the tax year\n\n- your only home was in the UK - you must have owned, rented or lived in it for at least 91 days in total - and you spent at least 30 days there in the tax year\n\nYou\u2019re automatically non-resident if either:\n\n- you spent fewer than 16 days in the UK (or 46 days if you have not been classed as UK resident for the 3 previous tax years)\n\n- you work abroad full-time (averaging at least 35 hours a week) and spent fewer than 91 days in the UK, of which no more than 30 were spent working\n\n## Get help\n\nIf your situation\u2019s more complicated or you need to confirm your status, you can:\n\n- read HMRC\u2019s guidance on the Statutory Residence Test\n\n- get professional tax help\n\n## Your residence status when you move\n\nWhen you move in or out of the UK, the tax year is usually split into 2 - a non-resident part and a resident part. This means you only pay UK tax on foreign income based on the time you were living here.\n\nThis is called \u2018split-year treatment\u2019.\n\nYou will not get split-year treatment if you live abroad for less than a full tax year before returning to the UK. You also need to meet other conditions.\n\nTo find out if you qualify and see which split-year treatment \u2018case\u2019 you\u2019ll need to mention on your Self Assessment tax return, you can:\n\n- read chapter 5 of HMRC\u2019s guidance note on the Statutory Residence Test\n\n- contact HMRC\n\n## If your situation changes\n\nYour status can change from one tax year to the next. Check your status if your situation changes, for example:\n\n- you spend more or less time in the UK\n\n- you buy or sell a home in the UK\n\n- you change your job\n\n- your family moves in or out of the UK, or you get married, separate or have children\n\n## Residence and capital gains\n\nYou work out your residence status for capital gains (for example, when you sell shares or a second home) the same way as you do for income.\n\nUK residents have to pay tax on their UK and foreign gains. Non-residents have to pay tax on income, but only pay Capital Gains Tax either:\n\n- on UK property or land\n\n- if they return to the UK\n\n## Residence before April 2013\n\nThere were different rules for working out your residence status before 6 April 2013.\n\n## 'Non-domiciled' residents\n\nUK residents who have their permanent home (\u2018domicile\u2019) outside the UK may not have to pay UK tax on foreign income.\n\nThe same rules apply if you make any foreign capital gains, for example you sell shares or a second home.\n\n## Working out your domicile\n\nYour domicile\u2019s usually the country your father considered his permanent home when you were born. It may have changed if you moved abroad and you do not intend to return.\n\nIf you need help working out which country you\u2019re domiciled in, you can:\n\n- read chapter 5 of HM Revenue and Customs\u2019 (HMRC) guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019\n\n- get professional tax help, for example from a tax adviser\n\nThere are additional rules for domicile and Inheritance Tax.\n\n## Tax if you\u2019re non-domiciled\n\nYou do not pay UK tax on your foreign income or gains if both the following apply:\n\n- they\u2019re less than \u00a32,000 in the tax year\n\n- you do not bring them into the UK, for example by transferring them to a UK bank account\n\nIf this applies to you, you do not need to do anything.\n\nChapter 9 in HMRC\u2019s guidance on \u2018Residence, Domicile and the Remittance \nBasis\u2019 explains the rules for bringing income or gains to the UK.\n\n## If your income is \u00a32,000 or more\n\nYou must report foreign income or gains of \u00a32,000 or more, or any money that you bring to the UK, in a Self Assessment tax return.\n\nYou can either:\n\n- pay UK tax on them - you may be able to claim it back\n\n- claim the \u2018remittance basis\u2019\n\nClaiming the remittance basis means you only pay UK tax on the income or gains you bring to the UK, but you:\n\n- lose tax-free allowances for Income Tax and Capital Gains Tax (some \u2018dual residents\u2019 may keep them)\n\n- pay an annual charge if you\u2019ve been resident of the UK for a certain amount of time\n\nYou pay an annual charge of either:\n\n- \u00a330,000 if you\u2019ve been here for at least 7 of the previous 9 tax years\n\n- \u00a360,000 for at least 12 of the previous 14 tax years\n\nClaiming the remittance basis is complicated. You can:\n\n- contact HMRC\n\n- get professional tax help, for example from a tax adviser\n\n## If you work in the UK and abroad\n\nThere are special rules if you work both in the UK and abroad.\n\nYou do not have to pay tax on foreign income or gains (even those you bring into the UK) if you get the \u2018foreign workers\u2019 exemption\u2019.\n\nYou qualify if:\n\n- your income from your overseas job is less than \u00a310,000\n\n- your other foreign income (such as bank interest) is less than \u00a3100\n\n- all your foreign income has been subject to foreign tax (even if you did not have to pay, for example because of a tax-free allowance)\n\n- your combined UK and foreign income is within the band for basic rate Income Tax\n\n- you do not need to fill in a tax return for any other reason\n\nIf you qualify, you do not need to do anything to claim.\n\n## If you\u2019re seconded to the UK\n\nYou may be able to claim Overseas Workday Relief if your employer sends you to work in the UK on secondment.\n\nIf you qualify you:\n\n- pay UK tax on UK employment income based on the number of days you\u2019ve worked here\n\n- do not pay tax on income from days you work abroad (as long as you do not bring it into the UK)\n\nAsk your employer to find out if you can claim.\n\n## Foreign students\n\nThere are special rules if you come to study in the UK.\n\n## Reporting your foreign income\n\nYou usually need to fill in a Self Assessment tax return if you\u2019re a UK resident with foreign income or capital gains. But there\u2019s some foreign income that\u2019s taxed differently.\n\nYou do not need to fill in a tax return if all the following apply:\n\n- your only foreign income is dividends\n\n- your total dividends - including UK dividends - are less than the \u00a32,000 dividend allowance\n\n- you have no other income to report\n\nDifferent rules may apply if your permanent home (\u2018domicile\u2019) is abroad.\n\n## Register for Self Assessment\n\nIf you do not usually send a tax return, you need to register by 5 October following the tax year you had the income.\n\nYou\u2019ll get a letter telling you what to do next after you\u2019ve registered.\n\nRegister now\n\n## Filling in your tax return\n\nUse the \u2018foreign\u2019 section of the tax return to record your overseas income or gains.\n\nInclude income that\u2019s already been taxed abroad to get Foreign Tax Credit Relief, if you\u2019re eligible.\n\nHMRC has guidance on how to report your foreign income or gains in your tax return in \u2018Foreign notes\u2019.\n\n## Foreign income that's taxed differently\n\nMost foreign income is taxed in the same way as UK income, but there are special rules for:\n\n- pensions\n\n- rent from property\n\n- certain types of employment income\n\n## Pensions\n\nYou have to pay tax on pensions if you\u2019re resident, or were resident in any of the 5 previous tax years.\n\nYou also pay tax on any foreign pension payments, including unauthorised payments like early payments and some lump sums.\n\nCheck with your pension provider to find out how you\u2019ll be taxed.\n\n## Rent from property\n\nYou pay tax in the normal way on overseas property. But if you rent out more than one, you can offset losses against other overseas properties.\n\n## Certain types of employment income\n\nYou usually pay tax in the normal way if you work both in the UK and abroad. There are special rules if you work:\n\n- on a ship or in the offshore gas or oil industry\n\n- for the EU or government, or as a volunteer development worker\n\n## If you're taxed twice\n\nYou may be taxed on your foreign income by the UK and by the country where your income is from.\n\nYou can usually claim tax relief to get some or all of this tax back. How you claim depends on whether your foreign income has already been taxed.\n\nThere\u2019s a different way to claim relief if you\u2019re a non-resident with UK income.\n\n## Apply for tax relief before you get taxed on foreign income\n\nYou have to apply for tax relief in the country your income\u2019s from if:\n\n- the income is exempt from foreign tax but is taxed in the UK (for example, most pensions)\n\n- required by that country\u2019s double-taxation agreement\n\nAsk the foreign tax authority for a form, or apply by letter if they do not have one.\n\nBefore you apply, you must prove you\u2019re eligible for tax relief by either:\n\n- completing the form and sending it to HMRC - they\u2019ll confirm whether you\u2019re resident and send the form back to you\n\n- including a UK certificate of residence, if you\u2019re applying by letter\n\nOnce you\u2019ve got proof, send the form or letter to the foreign tax authority.\n\n## If you\u2019ve already paid tax on your foreign income\n\nYou can usually claim Foreign Tax Credit Relief when you report your overseas income in your tax return.\n\nHow much relief you get depends on the UK\u2019s \u2018double-taxation agreement\u2019 with the country your income\u2019s from.\n\nYou usually still get relief even if there is not an agreement, unless the foreign tax does not correspond to UK Income Tax or Capital Gains Tax.\n\nContact HM Revenue and Customs (HMRC) or a get professional tax help if you\u2019re not sure, or need help with double-taxation relief.\n\n## What you\u2019ll get back\n\nYou may not get back the full amount of foreign tax you paid. You get back less if either:\n\n- a smaller amount is set by the country\u2019s double-taxation agreement\n\n- the income would have been taxed at a lower rate in the UK\n\nHMRC has guidance on how Foreign Tax Credit Relief is calculated, including the special rules for interest and dividends in \u2018Foreign notes\u2019.\n\nYou cannot claim this relief if the UK\u2019s double-taxation agreement requires you to claim tax back from the country your income was from.\n\n## Capital Gains Tax\n\nYou\u2019ll usually pay tax in the country where you\u2019re resident and be exempt from tax in the country where you make the capital gain. You will not usually need to make a claim.\n\nYou have to pay Capital Gains Tax on UK residential property even if you\u2019re not UK resident.\n\n## When to claim relief\n\nThere are different rules if your gain comes from an asset that either:\n\n- cannot be taken out of the country, such as land or a house\n\n- you\u2019re using for business in that country\n\nYou\u2019ll need to pay tax in both countries and get relief from the UK.\n\n## Dual residents\n\nYou can be resident in both the UK and another country. You\u2019ll need to check the other country\u2019s residence rules and when the tax year starts and ends.\n\nHMRC has guidance for claiming double-taxation relief if you\u2019re dual resident.\n\n## If you come to study in the UK\n\nForeign students usually do not pay UK tax on foreign income or gains, as long as they\u2019re used for course fees or living costs like:\n\n- food\n\n- rent\n\n- bills\n\n- study materials\n\nCheck that the country your income\u2019s from has a \u2018double-taxation agreement\u2019 that covers students.\n\nHM Revenue and Customs (HMRC) may ask you to account for your living costs if they\u2019re more than \u00a315,000 in a tax year (excluding course fees). The tax year is from 6 April to 5 April the following year.\n\n## When you need to pay tax\n\nYou may need to pay tax on your foreign income in the normal way if you:\n\n- are from a country without a double-taxation agreement for students\n\n- have other income that you do not bring to the UK\n\n- bring it to the UK and spend it on things other than living costs and course fees\n\n- plan to stay in the UK as your permanent home (\u2018domicile\u2019)\n\n## If you work in the UK\n\nSome double-taxation agreements mean you do not pay UK tax on your income if you work while you\u2019re a student.\n\nIf your country does not have an agreement like this, you have to pay tax in the same way as others who come to live in the UK.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-foreign-income", + "answerable": true, + "scenario": "I am British and I work for an American company called Amazon Mechanical Turk. My earnings are paid in Amazon vouchers which can only be redeemed on the US Amazon site. My earnings will be taxed in the US, whilst my main job is taxed in the UK.", + "original_question": "Am I obligated to pay tax on my Turk earnings as a foreign source of income, given that it is my only form of income?" + }, + { + "id": "train-2112", + "question": "Scenario: I am an overseas Engineering student and I would like to undertake a short work experience opportunities in Engineering companies in the UK . I am under the umbrella of Twin Training International. I want to apply for a Government Authorized exchange Visa. My certificate of sponsorship still has two years left.\n\nQuestion: Can i stay for a year with this Visa in the UK?\n\nDocument - Temporary Worker - Government Authorised Exchange visa (T5):\n## Overview\n\nYou can apply for a Temporary Worker - Government Authorised Exchange visa (T5) if you:\n\n- want to come to the UK for a short time for work experience or to do training, an Overseas Government Language Programme, research or a fellowship through an approved government authorised exchange scheme\n\n- have a sponsor\n\n- meet the other eligibility requirements\n\nThis visa has replaced the Tier 5 (Temporary Worker - Government Authorised Exchange) visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or your close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to work in the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## Sponsorship\n\nYou need to have a certificate of sponsorship from a licensed sponsor before you can apply to come to the UK to work.\n\nYour work, training or research in the UK must relate to the work of your sponsor organisation.\n\nYour sponsor can be any of the following:\n\n- an organisation running an approved exchange scheme\n\n- a higher education institution (if you are a sponsored researcher, visiting academic or examiner)\n\n- a government department or agency\n\n## How long it will take\n\nThe earliest you can apply for a visa is 3 months before the date you\u2019re due to start work. This date is on your certificate of sponsorship.\n\nYou should get a decision on your visa within 3 weeks when you apply from outside the UK.\n\nFind out about paying for a faster decision.\n\n## Application fee\n\nThe application fee for each person applying is \u00a3244.\n\nThe fee is the same whether you\u2019re applying from inside or outside the UK.\n\n## If you\u2019re from an eligible country\n\nYour application fee will be automatically reduced by \u00a355 if you\u2019re from one of the following countries:\n\nAustria, Belgium, Croatia, Republic of Cyprus, Czech Republic, Denmark, Finland, France, Germany, Greece, Hungary, Iceland, Ireland, Italy, Latvia, Luxembourg, Malta, Netherlands, North Macedonia, Norway, Poland, Portugal, Slovakia, Spain, Sweden or Turkey.\n\nThis reduction only applies to your visa application. Your partner and children will still need to pay the full application fee.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your application. Check how much you\u2019ll have to pay before you apply.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying to extend or switch in the UK you can pay an extra \u00a3500 for the priority service to get a decision within 5 working days.\n\nYou can pay an extra \u00a3800 for the super priority service to get a decision:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long you can stay\n\nYou can stay in the UK for up to 12 or 24 months (depending on the scheme you\u2019re applying for) or the time given on your certificate of sponsorship plus 14 days, whichever is shorter.\n\nYou can enter the UK up to 14 days before the start date of your job.\n\n## What you can and cannot do\n\nYou can:\n\n- study (for some courses you\u2019ll need an Academic Technology Approval Scheme certificate)\n\n- work in the job described in your certificate of sponsorship\n\n- do a second job for up to 20 hours per week\n\n- do a job on the Skilled Worker shortage occupation list for up to 20 hours per week as well as your main job\n\n- apply to change (\u2018switch\u2019) to a Global Talent visa if you\u2019re in the government authorised exchange scheme for sponsored researchers\n\n- bring your partner and children with you as your \u2018dependants\u2019, if they\u2019re eligible\n\nYou cannot:\n\n- take a permanent job\n\n- get public funds\n\n## Eligibility\n\nYou must have both of the following:\n\n- a certificate of sponsorship reference number from your UK sponsor\n\n- enough money to support yourself in the UK - you\u2019ll usually need to have at least \u00a31,270 available (unless you\u2019re exempt)\n\n## Certificate of sponsorship\n\nA certificate of sponsorship is a reference number which holds information about the job and your personal details. It\u2019s not an actual certificate or paper document.\n\nYour sponsor will give you your certificate of sponsorship reference number.\n\nThey must also give you some other information to help you to apply, for example your working hours.\n\nYou\u2019ll need to add your certificate of sponsorship reference number to your application form - you can only use it once.\n\nYour certificate of sponsorship is valid for 3 months from the date it is assigned to you.\n\n## Multiple entry\n\nYour sponsor can give you a multiple entry certificate of sponsorship so you can leave and return to the UK.\n\n## Money to support yourself\n\nYou must have at least \u00a31,270 in your bank account to show you can support yourself in the UK.\n\nYou will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of applying for this visa.\n\nYou\u2019ll usually need to show proof of this when you apply, unless either:\n\n- you\u2019ve been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your costs during your first month in the UK, up to \u00a31,270\n\nYour partner and children will also need to prove they can support themselves while they\u2019re in the UK. Check how much they\u2019ll need.\n\nRead the guidance on financial evidence for more information about the money you need and how to prove it.\n\n## If your employer can support you instead\n\nYour certificate of sponsorship must confirm this. Your employer will need to complete the \u2018sponsor certifies maintenance\u2019 section on your certificate. This is under \u2018Additional data\u2019.\n\n## Documents you must provide\n\nWhen you apply you\u2019ll need to provide:\n\n- your certificate of sponsorship reference number - your employer will give you this\n\n- a valid passport or other document that shows your identity and nationality\n\n- evidence that you have enough personal savings to support yourself in the UK, for example bank statements (unless your certificate of sponsorship shows your employer can support you)\n\n- proof of your relationship with your partner or children if they\u2019re applying with you\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a valid ATAS certificate if your employer tells you that you need one because your job involves researching a sensitive subject at PhD level or higher\n\nYou need a blank page in your passport for your visa.\n\nYou must also provide a certified translation of any documents that are not in English or Welsh.\n\nRead the guide for a full list of documents you can provide.\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply\n\nRead the full guidance before you apply.\n\n## Apply from outside the UK\n\nYou must apply online for this visa.\n\nYou\u2019ll need to have your fingerprints and photograph taken at a visa application centre (to get a biometric residence permit) as part of your application.\n\nYou\u2019ll have to collect your biometric residence permit within 10 days of when you said you\u2019d arrive in the UK (even if you actually arrive at a later date).\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in. Check if your visa application centre offers faster decisions and other services.\n\n## Apply from inside the UK\n\nYou can only extend your existing visa or switch to this visa if you\u2019re already in the UK.\n\n## Extend your visa\n\nYou can apply to extend your Temporary worker - Government Authorised Exchange visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou might be able to extend your stay. You must still meet the eligibility requirements.\n\nYou must apply while you\u2019re still in the UK.\n\n## How long you can stay\n\nYou can apply to stay in the UK for up to a maximum of:\n\n- 12 months, if you\u2019re doing work experience\n\n- 24 months, if you\u2019re doing research, training or an Overseas Government Language Programme\n\nYou can also stay for the length of time on your certificate of sponsorship plus 14 days, whichever is shorter.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to extend your visa\n\nYou should read the full guidance before you apply.\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example if you have a criminal conviction\n\n## Changing your sponsor\n\nYou must apply again and meet all the eligibility rules if you want to change your sponsor within the same organisation or move to a new organisation.\n\n## Switch to this visa\n\nYou can apply to change (\u2018switch\u2019) to a Temporary Worker - Government Authorised Exchange visa (T5).\n\nYou should apply before your current visa expires.\n\n## Eligibility\n\nYou can apply if you\u2019re a:\n\n- student, whether studying, resitting an examination or writing a thesis\n\n- student union sabbatical officer\n\n- student nurse\n\n- postgraduate doctor or dentist\n\n- student visa holder (including Tier 4)\n\n- sponsored researcher who came to the UK on a work permit and you want to continue in the same job with your sponsor\n\nYou must have completed a UK bachelor\u2019s or master\u2019s degree during your last grant of leave.\n\nYou must also meet the other eligibility requirements.\n\n## Fees\n\nCheck the fees for your visa.\n\n## How to switch your visa\n\nYou must apply online.\n\n## Your partner and children\n\nYou can add your partner and children to your online application - including children who have turned 18 during your stay.\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## How long it takes\n\nA decision will be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will be made:\n\n- by the end of the next working day after your UKVCAS appointment if your appointment is on a weekday\n\n- 2 working days after your UKVCAS appointment if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example:\n\n- if your supporting documents need to be verified\n\n- if you need to attend an interview\n\n- because of your personal circumstances, for example you have a criminal conviction\n\n## Your partner and children\n\nYour partner and children can apply to join you or to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. If their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 18 - including if they were born in the UK during your stay\n\n- your child over 18 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## If your child is 16 or over\n\nThey must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Money they need to support themselves\n\nYour partner and children must have a certain amount of money available to support themselves while they\u2019re in the UK.\n\nYou - or your partner or child - will need:\n\n- \u00a3285 for your partner\n\n- \u00a3315 for one child\n\n- \u00a3200 for each additional child\n\nYou - or your partner or child - will need to have had the money available for at least 28 days in a row. Day 28 must be within 31 days of you or them applying for this visa.\n\nYou\u2019ll usually need to show proof of this when they apply, unless either:\n\n- you have all been in the UK with a valid visa for at least 12 months\n\n- your employer can cover your family\u2019s costs during your first month in the UK - this must be confirmed on your certificate of sponsorship\n\nIf your partner or child is applying at a different time to you, they\u2019ll only need to prove they have enough money to support themselves if they have been in the UK for less than 1 year.\n\n## Apply from outside the UK\n\nYour partner and children must apply online.\n\nEach family member will need to complete a separate application and pay the visa fee.\n\nThey\u2019ll also need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a visa application centre. They may need to travel to get to their nearest centre (this could be in another country).\n\nThe visa application centre may need to keep their passport and documents while they process their application.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 3 weeks.\n\nThey may be able to pay to get their visa faster - check with the visa application centre.\n\n## Apply from inside the UK (extend or switch their visa)\n\nYou can include your partner and children on your application to extend or switch to this visa. This includes children who were born or have turned 18 during your stay.\n\nIf you cannot apply at the same time, your partner or child can apply to extend or switch their visas at a later date. This must be before their current visa expires.\n\nYour partner or children cannot apply to switch to your visa as your dependants if they are currently in the UK:\n\n- on a visit visa\n\n- on a short-term student visa\n\n- on a Parent of a Child Student visa\n\n- on a seasonal worker visa\n\n- on a domestic worker in a private household visa\n\n- on immigration bail\n\n- because they were given permission to stay outside the immigration rules, for example on compassionate grounds\n\n## How to apply\n\nYour partner and children must apply online to either:\n\n- extend or switch as a partner\n\n- extend or switch as a child\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point.\n\nThey must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until they get a decision. Their application will be withdrawn if they do.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 8 weeks.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their visa as your dependant. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/government-authorised-exchange", + "answerable": true, + "scenario": "I am an overseas Engineering student and I would like to undertake a short work experience opportunities in Engineering companies in the UK . I am under the umbrella of Twin Training International. I want to apply for a Government Authorized exchange Visa. My certificate of sponsorship still has two years left.", + "original_question": "Can i stay for a year with this Visa in the UK?" + }, + { + "id": "train-2115", + "question": "Scenario: I worked for the National Coal Board for thirty years and have now retired. I have a wife and two grown up children and am claiming a state pension. I have qualified to receive the fuel allowance through the NCFS.\n\nQuestion: Does my employment history entitle me to any sort of fuel payment?\n\nDocument - National Concessionary Fuel Scheme:\n## Overview\n\nYou could get free solid fuel or a cash allowance for fuel if you\u2019re an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC).\n\nYou need to qualify to get the fuel allowance through the National Concessionary Fuel Scheme (NCFS), and you can only get the cash allowance if you\u2019re already getting fuel through the scheme.\n\nYou might be eligible for the allowance if you\u2019re the widow or widower of an ex-employee, if the employee qualified for the NCFS.\n\n## What you'll get\n\n## Solid fuel\n\nIf you qualify for the allowance you\u2019ll get a delivery of solid fuel every 4 or 5 weeks, depending on where you live.\n\nYou might be able to change to \u2018cash in lieu\u2019 (or a cash allowance) if you already get fuel through the scheme and your circumstances have not changed.\n\nYou will need to return a Certificate of Continued Entitlement each year to keep your allowance.\n\n## How you\u2019re paid\n\nThe cash allowance is paid every 3 months into your bank or building society account.\n\n## Eligibility\n\nContact the National Concessionary Fuel Office (NCFO) to check if you\u2019re eligible.\n\nYou might be eligible for the National Concessionary Fuel Scheme (NCFS) if you\u2019re:\n\n- an ex-employee of the National Coal Board (NCB) or British Coal Corporation (BCC)\n\n- a widow or widower of an ex-employee who would have been eligible\n\n## Change of circumstances\n\nYour allowance might be affected if your circumstances change, including:\n\n- who owns or rents your property changes\n\n- you change your heating arrangements\n\n- you remarry, marry or move in with a partner (widows, widowers and dependents only)\n\n- who lives in your home changes (family or lodgers moving in)\n\n- you take up employment or self-employment\n\nYou need to inform the NCFO of any changes in circumstances as your allowance can change. If your allowance goes down, any overpayments must be repaid in full.\n\n## How to claim\n\nContact the National Concessionary Fuel Office (NCFO) to apply.\n\n## Applying on behalf of someone else\n\nYou can apply for the fuel allowance on behalf of someone else if they\u2019re unable to.\n\nYou\u2019ll need to get authorisation by having one of:\n\n- a letter from the Department of Work and Pensions (DWP) stating that you are authorised to act on their behalf\n\n- a photocopy of your Power of Attorney\n\n- a letter signed by the person you are applying for stating that you are looking after their affairs\n\nIf payments are paid into a different account from the person getting the allowance, you need:\n\n- a photocopy of your Power of Attorney\n\n- a letter from DWP stating that you are looking after their financial affairs\n\n- a form from the NFCO signed by the person you are applying for\n\nYou need to contact the NFCO for the form or \u2018mandate\u2019.\n\n## Changing your delivery\n\nContact CPL Distribution on 0345 521 5214 to change your fuel delivery date and/or the amount of fuel you want delivered.\n\nFind out about call charges.\n\nContact the NCFO to change the type of fuel you get. You can only get 1 type of fuel delivered at a time. Get advice about the types of fuel to use from the Solid Fuel Association.\n\nYou cannot sell or give away unused fuel. If you change your type of solid fuel appliance you must refuse deliveries and left over fuel must be collected by the distributor.\n\n## Switching from fuel to cash allowance\n\nContact NCFO with your bank or building society account details to switch from fuel to cash. You can switch back to solid fuel but only after 12 months.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-concessionary-fuel-scheme", + "answerable": true, + "scenario": "I worked for the National Coal Board for thirty years and have now retired. I have a wife and two grown up children and am claiming a state pension. I have qualified to receive the fuel allowance through the NCFS.", + "original_question": "Does my employment history entitle me to any sort of fuel payment?" + }, + { + "id": "train-2116", + "question": "Scenario: I am a Chinese National. As i was in the process of applying for a Permitted paid engagement visa online. Immediately after submission I got an email that the UK conference has been cancelled due to one of the event organizer has tested positive of covid 19. the application has not yet been processed.\n\nQuestion: Can i cancel the application and get a refund?\n\nDocument - Permitted Paid Engagement visa:\n## Overview\n\nYou may be able to visit the UK for a paid engagement if you\u2019ve been invited as an expert in your profession.\n\nYou can apply for a Permitted Paid Engagement visa if you:\n\n- are invited by a UK-based organisation or client\n\n- want to come to the UK to do specific paid work without having to be sponsored under the points-based visa system\n\n- meet the other eligibility requirements\n\nYou may not have to apply for a visa. What you need to do depends on your nationality.\n\nCheck if you need to apply for a UK visa.\n\n## What you can and cannot do\n\nYou can be invited by a UK-based organisation or client to:\n\n- be a student examiner or assessor\n\n- take part in selection panels as a highly qualified academic if you\u2019re invited by an education, arts or research organisation\n\n- give lectures at a higher education institution, as long as it\u2019s not a part-time or full-time role\n\n- examine UK-based pilots so they meet the standards of the country you come from if you\u2019re invited by an approved UK training organisation regulated by the UK Civil Aviation Authority\n\n- provide advocacy in a particular area of law\n\n- take part in arts, entertainment or sporting activities including broadcasting\n\n- take part in fashion modelling assignments\n\nYou can also do minor activities related to your work or business overseas, such as attend meetings.\n\nYou cannot:\n\n- do paid work unrelated to your main job or area of expertise at home, other than what\u2019s allowed by your visa\n\n- extend this visa or switch to another visa\n\n- live in the UK for extended periods\n\n- get public funds (benefits)\n\n- study\n\n- marry or register a civil partnership, or give notice of marriage or civil partnership\n\n- bring family members (\u2018dependants\u2019) with you on your application - they must apply separately\n\nRead the guidance for more information about what you can and cannot do with a Permitted Paid Engagement visa.\n\n## How long you can stay\n\nYou can stay in the UK for up to 1 month.\n\n## When to apply and how long it takes\n\nIf you need a visa, you must apply online before you come to the UK.\n\nAs part of your application, you\u2019ll need to book an appointment at a visa application centre to prove your identity and provide your documents.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your \napplication.\n\nThe earliest you can apply is 3 months before you travel.\n\n## Getting a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\n## Fees\n\nA Permitted Paid Engagement visa costs \u00a395.\n\n## Eligibility\n\nYou must show that:\n\n- you\u2019re 18 or over\n\n- you\u2019re visiting the UK for no more than 1 month\n\n- you\u2019ve been formally invited and paid by a UK-based organisation to attend an event or other permitted engagement\n\n- you\u2019ll leave the UK at the end of your visit\n\n- you will not live in the UK for extended periods through frequent or successive visits, or make the UK your main home\n\n- you\u2019re able to support yourself during your trip (or have funding from someone else to support you)\n\n- you\u2019re able to pay for your return or onward journey (or have funding from someone else to pay for the journey)\n\n- you have proof of any business or other activities you want to do in the UK, as allowed by the Visitor Rules\n\n## Documents you'll need\n\nWhen you apply you must provide:\n\n- a current passport or other valid travel document - your passport must have a blank page for your visa\n\n- a formal invitation from the UK-based organisation or client you\u2019ll be paid by\n\n- proof that the paid engagement relates to your expertise, qualifications and main job in your home country, for example a letter from your employer\n\nSee the full list of documents you can provide to prove your eligibility.\n\nYou\u2019ll need to provide a certified translation of any documents that are not in English or Welsh.\n\n## Additional documents\n\nYou must provide extra documents if you\u2019re an established arts, entertainment or sporting professional. You can provide any of the following:\n\n- publications\n\n- publicity material\n\n- proof of awards\n\n- media coverage and reviews\n\n- proof of recent performances\n\nYou may need to provide additional documents depending on your circumstances.\n\n## Apply from outside the UK\n\nIf you need a visa, you must apply online before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Proving your identity and providing supporting documents\n\nAs part of your online application, you need to book an appointment at a visa application centre. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nAllow time to attend your appointment, as the visa application centre could be in another country.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\n## Apply for a Permitted Paid Engagement visa\n\nOnce you\u2019ve started your application you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Apply with family members\n\nEach family member must make their own application and pay the fee.\n\nYou can apply on behalf of your partner and child, if they cannot apply for themselves.\n\nThey must attend their own appointment at a visa application centre.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nFind out how to get your visa decision faster - this depends on what country you\u2019re in.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if the application has not been processed yet.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/permitted-paid-engagement-visa", + "answerable": true, + "scenario": "I am a Chinese National. As i was in the process of applying for a Permitted paid engagement visa online. Immediately after submission I got an email that the UK conference has been cancelled due to one of the event organizer has tested positive of covid 19. the application has not yet been processed.", + "original_question": "Can i cancel the application and get a refund?" + }, + { + "id": "train-2118", + "question": "Scenario: I am a long term, full time employee of a major retailer and have some shares through their save as you earn scheme. These shares have consistently increased in value and it has been recommended that I transfer them to an ISA. My ISA provider has agreed to allow this transfer.\n\nQuestion: Can I transfer them to an ISA?\n\nDocument - Tax and Employee Share Schemes:\n## Overview\n\nIf your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.\n\nTax advantages only apply if the shares are offered through the following schemes:\n\n- Share Incentive Plans\n\n- Save As You Earn (SAYE)\n\n- Company Share Option Plans\n\n- Enterprise Management Incentives (EMIs)\n\nYou may be offered shares outside of these schemes. However these will not have the same tax advantages.\n\nYou can also get tax advantages if you\u2019re an employee shareholder.\n\n## Share Incentive Plans (SIPs)\n\nIf you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.\n\nYou will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.\n\nIf you take them out of the plan, keep them and then sell them later on, you might have to pay Capital Gains Tax if their value has increased.\n\nThere are 4 ways you can get shares under SIPs.\n\n## Free shares\n\nYour employer can give you up to \u00a33,600 of free shares in any tax year.\n\n## Partnership shares\n\nYou can buy shares out of your salary before tax deductions. There\u2019s a limit to how much you can spend - either \u00a31,800 or 10% of your income for the tax year, whichever is lower.\n\n## Matching shares\n\nYour employer can give you up to 2 free matching shares for each partnership share you buy.\n\n## Dividend shares\n\nYou may be able to buy more shares with the dividends you get from free, partnership or matching shares (but only if your employer\u2019s scheme allows it).\n\nYou will not pay Income Tax if you keep the dividend shares for at least 3 years.\n\nYou\u2019ll have to pay Income Tax and National Insurance on any shares you take out of a SIP early.\n\n## Save As You Earn (SAYE)\n\nThis is a savings-related share scheme where you can buy shares with your savings for a fixed price.\n\nYou can save up to \u00a3500 a month under the scheme. At the end of your savings contract (3 or 5 years) you can use the savings to buy shares.\n\nThe tax advantages are:\n\n- the interest and any bonus at the end of the scheme is tax-free\n\n- you do not pay Income Tax or National Insurance on the difference between what you pay for the shares and what they\u2019re worth\n\nYou might have to pay Capital Gains Tax if you sell the shares.\n\nYou\u2019ll not pay Capital Gains Tax if you transfer the shares:\n\n- to an Individual Savings Account (ISA) within 90 days of the scheme ending\n\n- to a pension, directly from the scheme when it ends\n\nIf you do not transfer your shares to a pension immediately when the scheme ends, you can still transfer them up to 90 days later. You may have to pay Capital Gains Tax if they go up in value between when you buy them and when you transfer them.\n\n## Company Share Option Plan\n\nThis gives you the option to buy up to \u00a330,000 worth of shares at a fixed price.\n\nYou will not pay Income Tax or National Insurance contributions on the difference between what you pay for the shares and what they\u2019re actually worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Enterprise Management Incentives (EMIs)\n\nIf you work for a company with assets of \u00a330 million or less, it may be able to offer Enterprise Management Incentives (EMIs).\n\nYour company can grant you share options up to the value of \u00a3250,000 in a 3-year period.\n\nYou will not have to pay Income Tax or National Insurance if you buy the shares for at least the market value they had when you were granted the option.\n\nIf you were given a discount on the market value, you\u2019ll have to pay Income Tax or National Insurance on the difference between what you pay and what the shares were worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Excluded activities\n\nCompanies that work in \u2018excluded activities\u2019 are not allowed to offer EMIs. Excluded activities include:\n\n- banking\n\n- farming\n\n- property development\n\n- provision of legal services\n\n- ship building\n\n## Employee shareholder shares\n\nTo be an employee shareholder, you must own shares in your employer\u2019s company that were worth at least \u00a32,000 when you got them.\n\nYou will not usually pay Income Tax or National Insurance on the first \u00a32,000 worth of employee shareholder shares you get before 1 December 2016.\n\nYou will not get tax relief if you or someone you\u2019re connected with (like a business partner, spouse or family member) have 25% or more voting rights in the company.\n\nWhen you become an employee shareholder your employer must pay for an independent expert to give advice about the terms and effects of the employee shareholder agreement. This advice not count as a taxable benefit.\n\n## Selling your shares\n\nYou might not pay Capital Gains Tax when you sell shares. It depends on when you signed your employee shareholder agreement.\n\n## Before 17 March 2016\n\nYou only pay Capital Gains Tax on shares that were worth over \u00a350,000 when you got them.\n\n## From 17 March 2016\n\nYou only pay Capital Gains Tax on gains over \u00a3100,000 that you make during your lifetime. The \u2018gain\u2019 is the profit you make when you sell shares that have increased in value.\n\n## Transferring your shares to an ISA\n\nYou can transfer up to \u00a320,000 of employee shares into a stocks and shares Individual Savings Account (ISA) if you have shares in a:\n\n- Save As You Earn (SAYE) scheme\n\n- Share Incentive Plan (SIP)\n\nYour ISA provider must agree to the transfer.\n\nYou will not have to pay Capital Gains Tax on any gains you make on your shares if you move them to an ISA.\n\nYou must transfer your shares to your ISA within 90 days of when you took out your SIP or SAYE shares.\n\nThese shares will count towards your \u00a320,000 ISA limit. They cannot be in addition to the limit.\n\nAsk your employer or ISA provider for more information on how to transfer.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-employee-share-schemes", + "answerable": true, + "scenario": "I am a long term, full time employee of a major retailer and have some shares through their save as you earn scheme. These shares have consistently increased in value and it has been recommended that I transfer them to an ISA. My ISA provider has agreed to allow this transfer.", + "original_question": "Can I transfer them to an ISA?" + }, + { + "id": "train-2120", + "question": "Scenario: My 9 year old daughter has recently been diagnosed with AML (leukemia), and is likely to require very intensive care over the next few months. We are both UK citizens and have lived in the UK for all of her life. My 9 year old daughter is expected to have AML for at least another year.\n\nQuestion: Can I claim Disability Living Allowance to offset the costs of her care and transportation costs?\n\nDocument - Disability Living Allowance (DLA) for children:\n## Overview\n\nDisability Living Allowance (DLA) for children may help with the extra costs of looking after a child who:\n\n- is under 16\n\n- has difficulties walking or needs much more looking after than a child of the same age who does not have a disability\n\nThey will need to meet all the eligibility requirements.\n\nThe DLA rate is between \u00a323.70 and \u00a3152.15 a week and depends on the level of help the child needs.\n\n## DLA rates for children\n\nDisability Living Allowance (DLA) for children is a tax-free benefit made up of 2 components (parts). The child might qualify for one or both components.\n\n## Care component\n\n| Care component | Weekly rate |\n\n| Lowest | \u00a323.70 |\n\n| Middle | \u00a360.00 |\n\n| Highest | \u00a389.60 |\n\n## Mobility component\n\n| Mobility component | Weekly rate |\n\n| Lower | \u00a323.70 |\n\n| Higher | \u00a362.55 |\n\n## How DLA for children is paid\n\nDLA is usually paid every 4 weeks on a Tuesday.\n\nIf your payment date is on a bank holiday, you will usually be paid before the bank holiday. After that you\u2019ll continue to get paid as normal.\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Extra help\n\nYou might qualify for Carer\u2019s Allowance if you spend at least 35 hours a week caring for a child who gets the middle or highest care rate of DLA.\n\n## Eligibility\n\nUsually, to qualify for Disability Living Allowance (DLA) for children the child must:\n\n- be under 16 - anyone over 16 must apply for Personal Independence Payment (PIP)\n\n- need extra looking after or have walking dif\ufb01culties\n\n- be in Great Britain, a European Economic Area (EEA) country or Switzerland when you claim - there are some exceptions, such as family members of the Armed Forces\n\n- have lived in Great Britain for at least 6 of the last 12 months, if over 3 years old\n\n- be habitually resident in the UK, Ireland, Isle of Man or the Channel Islands\n\n- not be subject to immigration control\n\nThe process is different in Northern Ireland.\n\nThere are some exceptions to these conditions if the child is living in or coming from an EEA country or Switzerland.\n\nYou can claim DLA for children if you\u2019re in or out of work.\n\n## Children under 3\n\nA child under 6 months must have lived in Great Britain for at least 13 weeks.\n\nA child aged between 6 months and 3 years must have lived in Great Britain for at least 26 of the last 156 weeks.\n\nThe rules on residence do not normally apply if a child is terminally ill.\n\n## The child\u2019s disability or health condition\n\nThe child\u2019s disability or health condition must mean at least one of the following apply:\n\n- they need much more looking after than a child of the same age who does not have a disability\n\n- they have difficulty getting about\n\nThey must have had these difficulties for at least 3 months and expect them to last for at least 6 months. If they\u2019re terminally ill (that is, not expected to live more than 6 months), they do not need to have had these difficulties for 3 months.\n\n## Care component\n\nThe rate the child gets depends on the level of looking after they need, for example:\n\n- lowest rate - help for some of the day\n\n- middle rate - frequent help or constant supervision during the day, supervision at night or someone to help while they\u2019re on dialysis\n\n- highest rate - help or supervision throughout both day and night, or they\u2019re terminally ill\n\n## Mobility component\n\nThe rate the child gets depends on the level of help they need getting about, for example:\n\n- lowest rate - they can walk but need help and or supervision when outdoors\n\n- highest rate - they cannot walk, can only walk a short distance without severe discomfort, could become very ill if they try to walk or they\u2019re blind or severely sight impaired\n\nThere are also age limits to receiving the mobility component:\n\n- lowest rate - the child must be 5 years or over\n\n- highest rate - the child must be 3 years or over\n\nIf your child is under these ages and you claim DLA for them, you should be sent a claim pack 6 months before they turn 3 and 6 months before they turn 5. You can then apply for the mobility component if you think they\u2019re eligible for it.\n\nIf you have not received any claim packs and you think your child may be entitled to the mobility component, contact the Disability Service Centre.\n\n## Change of circumstances\n\nContact the Disability Service Centre as soon as the child\u2019s circumstances change. This can affect how much they get, for example if their disability gets worse or they go abroad for medical treatment.\n\nTheir DLA will not usually be affected if they go:\n\n- into a local authority care home for less than 28 days\n\n- into a hospital\n\n- abroad for less than 13 weeks\n\n- abroad for less than 26 weeks to get medical treatment for a condition which began before they left\n\n## How to claim\n\nTo claim DLA for a child you need to be their parent or look after them as if you\u2019re their parent. This includes step-parents, guardians, grandparents, foster-parents or older brothers or sisters.\n\nTo apply you can either:\n\n- print off and fill in the DLA claim form\n\n- phone the Disability Living Allowance helpline and ask for a printed form\n\nThe process is different in Northern Ireland.\n\n## Alternative formats\n\nCall the Disability Living Allowance helpline to ask for alternative formats, such as braille, large print or audio CD.\n\n## When you\u2019ll be paid\n\nDLA can be paid from the start of your claim. It cannot be backdated. Your claim will start on the date the form is received or the date you call the enquiry line (if you return the claim pack within 6 weeks).\n\nYou\u2019ll usually get a decision letter about 8 weeks (40 working days) after your form is received. The letter will tell you when you\u2019ll get your first payment.\n\n## If the child is terminally ill\n\nThere are special rules if the child is not expected to live more than 6 months, so they can get DLA more quickly.\n\nPhone the Disability Living Allowance helpline to start your claim. Ask a doctor or other healthcare professional for form DS1500. They\u2019ll either fill it in and give the form to you or send it directly to the Department for Work and Pensions (DWP).\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for mandatory reconsideration.\n\n## When your child turns 16\n\nYour child will need to apply for Personal Independence Payment (PIP) when they turn 16.\n\n## When they apply for PIP\n\nYour child will get a letter inviting them to apply for PIP. The letter will be sent:\n\n- shortly after their 16th birthday\n\n- when they leave hospital, if they were in hospital on their 16th birthday\n\n- about 20 weeks before their DLA award ends, if they were awarded DLA under the rules for people who are terminally ill\n\nYour child\u2019s DLA payments will stop unless they apply for PIP by the date given in the letter.\n\nIf they apply by the date given in the letter, they\u2019ll continue to receive DLA until their claim is assessed.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/disability-living-allowance-children", + "answerable": true, + "scenario": "My 9 year old daughter has recently been diagnosed with AML (leukemia), and is likely to require very intensive care over the next few months. We are both UK citizens and have lived in the UK for all of her life. My 9 year old daughter is expected to have AML for at least another year.", + "original_question": "Can I claim Disability Living Allowance to offset the costs of her care and transportation costs?" + }, + { + "id": "train-2121", + "question": "Scenario: I am a trainee social worker. I am currently studying an approved undergraduate social work degree, which is not employment based. I do not receive funding from my employer. I do not have the higher education social work qualification.\n\nQuestion: Will I be eligible for a social work bursary?\n\nDocument - Social work bursaries:\n## Overview\n\nIf you\u2019re training for social work you may get a bursary.\n\nSocial work bursaries:\n\n- help with living costs and tuition fees\n\n- don\u2019t depend on your household income\n\n- don\u2019t have to be paid back\n\n## What you'll get\n\nThe social work bursary is a grant that doesn\u2019t depend on your household income and doesn\u2019t have to be paid back.\n\nThe amount you get depends on:\n\n- where you study\n\n- whether you study full or part-time\n\n- the cost of your tuition\n\nGraduates doing an undergraduate social work course can apply for the Maintenance Loan part of the main student finance \npackage.\n\n## How it\u2019s paid\n\nSocial work bursaries are paid in 3 instalments, one each term.\n\n## If you\u2019re disabled\n\nYou may be able to get extra help if you\u2019re disabled and a postgraduate student.\n\n## Eligibility\n\nSocial work bursaries are available to eligible social work students who:\n\n- don\u2019t get funding from their employer\n\n- are studying an approved undergraduate or postgraduate course in social work\n\n- don\u2019t already have a higher education social work qualification\n\nYour university or college will tell you if your course qualifies.\n\nUndergraduate students may also be able to get help from the main student finance \npackage - apply to Student Finance England.\n\nYou\u2019re not eligible for a bursary if you\u2019re studying on an employment-based course including direct Open University courses.\n\n## How to apply\n\nYou need to download forms from NHS Business Services Authority. The address to send the form is in the guidance notes.\n\nThe deadline for 2017 to 2018 applications depends on when you start your course:\n\n| Course starts | Application deadline |\n\n| Autumn term | 1 November 2017 |\n\n| Winter term | 14 February 2018 |\n\n## Evidence needed\n\nYou may need to prove your identity by sending both:\n\n- your birth certificate\n\n- your passport (which must be valid)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/social-work-bursaries", + "answerable": true, + "scenario": "I am a trainee social worker. I am currently studying an approved undergraduate social work degree, which is not employment based. I do not receive funding from my employer. I do not have the higher education social work qualification.", + "original_question": "Will I be eligible for a social work bursary?" + }, + { + "id": "train-2127", + "question": "Scenario: I want to sell my property. The purchase price of this property was \u00a3150,000. The price I want to sell it at would be \u00a3250,000. This property has been rented out and is not my home.\n\nQuestion: Would the difference of \u00a3100,000 be the amount that will be liable to capital gains tax?\n\nDocument - Tax when you sell property:\n## What you pay it on\n\nYou may have to pay Capital Gains Tax if you make a profit (\u2018gain\u2019) when you sell (or \u2018dispose of\u2019) property that\u2019s not your home, for example:\n\n- buy-to-let properties\n\n- business premises\n\n- land\n\n- inherited property\n\nThere are different rules if you:\n\n- sell your home\n\n- live abroad\n\n- are a company registered abroad\n\nYou\u2019ll need to work out your gain to find out whether you need to pay tax.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## When you do not pay\n\nYou do not usually need to pay tax on gifts to your husband, wife, civil partner or a charity.\n\nYou may get tax relief if the property is a business asset.\n\nIf the property was occupied by a dependent relative you may not have to pay. Find out more in the guidance on Private Residence Relief.\n\n## If you need to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Work out your gain\n\nYour gain is usually the difference between what you paid for your property and the amount you got when you sold (or \u2018disposed of\u2019) it.\n\nIf your combined capital gains are over your allowance for the year you\u2019ll have to report and pay Capital Gains Tax.\n\n## Market value\n\nIn some situations you should use the market value of the property when working out your gain. Do this if:\n\n- it was a gift (there are different rules if it was to your spouse, civil partner or a charity)\n\n- you sold it for less than it was worth to help the buyer\n\n- you inherited it (and do not know the Inheritance Tax value)\n\n- you owned it before April 1982\n\n## Selling in special circumstances\n\nThere are special rules for calculating your gain if:\n\n- you live abroad\n\n- you sell a lease or part of your land\n\n- your property is compulsorily purchased\n\n## Jointly owned property\n\nIf you own property jointly with other people, work out the gain for the share that you own.\n\n## Deduct costs\n\nYou can deduct costs of buying, selling or improving your property from your gain. These include:\n\n- estate agents\u2019 and solicitors\u2019 fees\n\n- costs of improvement works, for example for an extension (normal maintenance costs, such as decorating, do not count)\n\n## Reliefs\n\nYou may get tax relief if the property was:\n\n- your home\n\n- a business asset\n\n- occupied by a dependent relative - find out more in the guidance on Private Residence Relief\n\n## Work out if you need to pay\n\nOnce you know what your gain on the property is, you can calculate if you need to report and pay Capital Gains Tax.\n\nYou cannot use the calculator if you:\n\n- sold land\n\n- sold business premises\n\n- sold other chargeable assets in the tax year, for example shares\n\n- reduced your share of a property that you still jointly own\n\n- claim any reliefs other than Private Residence Relief or Letting Relief\n\n- are a company, agent, trustee or personal representative\n\nCalculate Capital Gains Tax on property\n\n## If you have Capital Gains Tax to pay\n\nYou must report and pay any Capital Gains Tax on most sales of UK property within 30 days.\n\n## Reporting a loss\n\nThe rules are different if you need to report a loss.\n\n## Businesses\n\nYou may get tax relief if you sell property that you use for business. This may reduce or delay the amount of Capital Gains Tax you pay.\n\nIf the purpose of your business is to buy and sell property (you\u2019re a property developer, for example) you do not pay Capital Gains Tax when you sell a property. Instead, you pay:\n\n- Income Tax - if you\u2019re a sole trader or partner\n\n- Corporation Tax - if you\u2019re a limited company\n\nThere are special rules for limited companies that dispose of a single residential property worth more than \u00a32 million.\n\n## Selling overseas property\n\nYou pay Capital Gains Tax when you \u2018dispose of\u2019 overseas property if you\u2019re resident in the UK.\n\nThere are special rules if you\u2019re resident in the UK but your permanent home (\u2018domicile\u2019) is abroad.\n\nYou may also have to pay tax in the country you made the gain. If you\u2019re taxed twice, you may be able to claim relief.\n\n## If you\u2019re non-resident\n\nNon-residents may have to pay UK tax on overseas property if they return to the UK within 5 years of leaving.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tax-sell-property", + "answerable": true, + "scenario": "I want to sell my property. The purchase price of this property was \u00a3150,000. The price I want to sell it at would be \u00a3250,000. This property has been rented out and is not my home.", + "original_question": "Would the difference of \u00a3100,000 be the amount that will be liable to capital gains tax?" + }, + { + "id": "train-2128", + "question": "Scenario: Because I have a family history of dementia, I would like to make a lasting power of attorney naming my daughter as my attorney, should I become mentally incapacitated. I'm 57 years old and live in England. I know that it's quite expensive to create a power of attorney and I'm currently on income support so may struggle to afford it. My earnings are only \u00a310,000 per year at this time.\n\nQuestion: Can you get financial assistance with the cost of making a lasting power of attorney?\n\nDocument - Make, register or end a lasting power of attorney:\n## Overview\n\nA lasting power of attorney (LPA) is a legal document that lets you (the \u2018donor\u2019) appoint one or more people (known as \u2018attorneys\u2019) to help you make decisions or to make decisions on your behalf.\n\nThis gives you more control over what happens to you if you have an accident or an illness and cannot make your own decisions (you \u2018lack mental capacity\u2019).\n\nYou must be 18 or over and have mental capacity (the ability to make your own decisions) when you make your LPA.\n\nYou do not need to live in the UK or be a British citizen.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere are 2 types of LPA:\n\n- health and welfare\n\n- property and financial affairs\n\nYou can choose to make one type or both.\n\nThere\u2019s a different process in Scotland and Northern Ireland.\n\n## How to make a lasting power of attorney\n\n- Choose your attorney (you can have more than one).\n\n- Fill in the forms to appoint them as an attorney.\n\n- Register your LPA with the Office of the Public Guardian (this can take up to 10 weeks).\n\nIt costs \u00a382 to register an LPA unless you get a reduction or exemption.\n\nYou can cancel your LPA if you no longer need it or want to make a new one.\n\n## Health and welfare lasting power of attorney\n\nUse this LPA to give an attorney the power to make decisions about things like:\n\n- your daily routine, for example washing, dressing, eating\n\n- medical care\n\n- moving into a care home\n\n- life-sustaining treatment\n\nIt can only be used when you\u2019re unable to make your own decisions.\n\n## Property and financial affairs lasting power of attorney\n\nUse this LPA to give an attorney the power to make decisions about money and property for you, for example:\n\n- managing a bank or building society account\n\n- paying bills\n\n- collecting benefits or a pension\n\n- selling your home\n\nIt can be used as soon as it\u2019s registered, with your permission.\n\n## Help deciding if you should make a lasting power of attorney\n\nContact the Office of the Public Guardian if you need help.\n\n## Choose your attorney\n\nYou can choose one or more people to be your attorney. If you appoint more than one, you must decide whether they\u2019ll make decisions separately or together.\n\n## Who can be your attorney\n\nYour attorney needs to be 18 or over. They could be:\n\n- a relative\n\n- a friend\n\n- a professional, for example a solicitor\n\n- your husband, wife or partner\n\nYou must appoint someone who has the mental capacity to make their own decisions.\n\nYour attorney does not need to live in the UK or be a British citizen.\n\nWhen choosing an attorney, think about:\n\n- how well they look after their own affairs, for example their finances\n\n- how well you know them\n\n- if you trust them to make decisions in your best interests\n\n- how happy they will be to make decisions for you\n\nRead about an attorney\u2019s responsibilities to help you with your decision.\n\nYou cannot choose someone who is subject to a Debt Relief Order or is bankrupt if you\u2019re making a lasting power of attorney (LPA) for property and financial affairs.\n\n## If there\u2019s more than one attorney\n\nIf you\u2019re appointing more than one person, you must decide if they\u2019ll make decisions:\n\n- separately or together - sometimes called \u2018jointly and severally\u2019 - which means attorneys can make decisions on their own or with other attorneys\n\n- together - sometimes called \u2018jointly\u2019 - which means all the attorneys have to agree on the decision\n\nYou can also choose to let them make some decisions \u2018jointly\u2019, and others \u2018jointly and severally\u2019.\n\nAttorneys who are appointed jointly must all agree or they cannot make the decision.\n\n## Replacement attorneys\n\nWhen you make your LPA you can nominate other people to replace your attorney or attorneys if at some point they cannot act on your behalf anymore.\n\n## Make a lasting power of attorney\n\nYou can make a lasting power of attorney (LPA) online or using paper forms.\n\nEither way, you need to get other people to sign the forms, including the attorneys and witnesses.\n\nYou can get someone else to use the online service or fill in the paper forms for you, for example a family member, friend or solicitor.\n\nYou must register your LPA or your attorney will not be able to make decisions for you.\n\nIt might take longer to make and register an LPA because of coronavirus (COVID-19). It will be quicker if you make it and pay online.\n\n## Make an LPA online\n\nCreate an account to start your LPA.\n\nYou can:\n\n- get help and guidance at each step\n\n- save your forms and complete them later\n\n- review your answers and fix any mistakes\n\nYou need to print out the forms and sign them when you\u2019ve finished.\n\n## Sign in to your account\n\nSign in to continue making your LPA.\n\n## Use the paper forms\n\nDownload the forms and print them out.\n\n## Signing the forms\n\nYou need to sign the forms before you send them off. They also need to be signed by:\n\n- the attorneys\n\n- witnesses\n\n- a \u2018certificate provider\u2019, who confirms you\u2019re making the LPA by choice and you understand what you\u2019re doing\n\nEveryone must sign the same original document. They cannot sign copies or use digital signatures.\n\n## Who can be a witness or certificate provider\n\nWitnesses and certificate providers must be 18 or over.\n\nAttorneys can witness each other sign, but they cannot:\n\n- witness you sign\n\n- sign as the certificate provider\n\nYou cannot be a witness if you\u2019re the person appointing an attorney.\n\n## Get help\n\nAsk the Office of the Public Guardian about help you can get if you:\n\n- do not have a computer or printer\n\n- want to use the online service but need some help\n\n## Register a lasting power of attorney\n\nWhen you\u2019ve made your lasting power of attorney (LPA), you need to register it with the Office of the Public Guardian (OPG).\n\nIt takes up to 15 weeks to register an LPA if there are no mistakes in the application.\n\nYou can apply to register your LPA yourself if you\u2019re able to make your own decisions.\n\nYour attorney can also register it for you. You\u2019ll be told if they do and you can object to the registration.\n\n## Notify people\n\nBefore you register, send a form to notify people (LP3) to all the \u2018people to notify\u2019 (also called \u2018people to be told\u2019) you listed in the LPA.\n\nThey\u2019ll have 3 weeks to raise any concerns with OPG.\n\nIf you\u2019re using the online service to make an LPA, it will create and fill in the LP3 forms for you.\n\n## How to register\n\nApply to register as soon as you\u2019ve sent forms to notify people.\n\nTo register, you need to sign your completed LPA form and send it to OPG.\n\nIf you create your LPA form using the online service, you will need to print it out to do this.\n\nThe address is also on the form. Make sure you include the original LPA form and the fee.\n\nYou can send a certified copy if you do not have the original form. Write a covering letter to explain why you do not have the original.\n\n## If you made your LPA with an older paper form\n\nYou can register by filling in form LP2 if you made your LPA:\n\n- on forms LPA114 or LPA117 before 1 January 2016\n\n- on forms LP PA or LP PW before 1 April 2011\n\nOtherwise you\u2019ll need to make a new LPA.\n\n## How much it costs\n\nIt costs \u00a382 to register each LPA unless you get a reduction or exemption.\n\nThis means it costs \u00a3164 to register both a property and financial affairs LPA and a health and welfare LPA.\n\nYou can pay by:\n\n- credit or debit card\n\n- cheque\n\nMake your cheque payable to \u2018Office of the Public Guardian\u2019 and write your name on the back. Send it to OPG with your forms.\n\n## If you make a mistake on your form\n\nDepending on the type of mistake, OPG may let you correct it and apply again within 3 months for \u00a341.\n\n## Get a reduction or exemption\n\nYou can apply for a reduction if you earn less than \u00a312,000. You might also be able to apply for an exemption if you\u2019re on certain benefits, such as Income Support.\n\nDownload and fill in the application form. The form has more information about eligibility.\n\n## Certify a copy of a lasting power of attorney\n\nYou can confirm that a copy of your lasting power of attorney (LPA) is genuine by \u2018certifying\u2019 it if you\u2019re still able to make your own decisions.\n\nYou or your attorney can use a certified copy to register your LPA if you do not have the original form.\n\nYour attorney can also use the certified copy to prove they have permission to make decisions on your behalf, for example to manage your bank account.\n\n## How to certify a copy\n\nWrite the following text on the bottom of every page of the copy:\n\n\u201cI certify this is a true and complete copy of the corresponding page of the original lasting power of attorney.\u201d\n\nOn the final page of the copy, you must also write:\n\n\u201cI certify this is a true and complete copy of the lasting power of attorney.\u201d\n\nYou need to sign and date every page.\n\n## Other ways to certify a copy\n\nCopies of your LPA can also be certified by:\n\n- a solicitor\n\n- a person authorised to carry out notarial activities\n\n## Change your lasting power of attorney\n\nYou can ask the Office of the Public Guardian (OPG) to change your lasting power of attorney (LPA) if it\u2019s been registered and you still have mental capacity to make decisions.\n\n## If you want to remove one of your attorneys\n\nYou will need to send OPG a written statement called a \u2018partial deed of revocation\u2019.\n\nIf you want to add another attorney you need to end your LPA and make a new one.\n\nUse the following wording. Replace the words in the square brackets with the relevant details.\n\nPartial deed of revocation\n\n\u201cThis partial deed of revocation is made by [donor\u2019s name] of [donor\u2019s address].\n\n1: I granted a lasting power of attorney for property and financial affairs/health and welfare [delete as appropriate] on [date donor signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).\n\n2: I hereby revoke [attorney\u2019s name that you are revoking] ONLY from the lasting power of attorney and the authority granted to him/her.\n\nSigned and delivered as a deed [donor\u2019s signature]\nDate signed [date] \nWitnessed by [signature of witness] \nFull name of witness [name of witness] \nAddress of witness [address of witness]\u201d\n\n## Where to send a partial deed of revocation\n\nSend the partial deed of revocation to the Office of the Public Guardian (OPG) with the original LPA document. You must also tell your attorney or attorneys that you\u2019re ending your LPA.\n\n## If your attorney\u2019s details change\n\nYou must write to OPG if one of your attorneys has changed their:\n\n- name - by marriage or deed poll\n\n- address\n\nYou need to provide supporting documents, such as the original marriage certificate, with their new name and address.\n\nDo not make changes to your LPA document itself, as it might become invalid. You must contact OPG to make changes to your LPA.\n\n## If one of your attorneys dies\n\nYou must tell OPG and send them:\n\n- a copy of their death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n- a return address where your documents can be sent back to\n\n## End your lasting power of attorney\n\nYou can end your lasting power of attorney (LPA) yourself - if you have mental capacity to make that decision.\n\nYou need to send the Office of the Public Guardian (OPG) both:\n\n- the original LPA\n\n- a written statement called a \u2018deed of revocation\u2019\n\nUse the following wording for the deed of revocation. Replace the words in the square brackets with the relevant details.\n\nDeed of revocation\n\n\u201cThis deed of revocation is made by [your name] of [your address].\n\n1: I granted a lasting power of attorney for property and financial affairs/health and welfare (delete as appropriate) on [date you signed the lasting power of attorney] appointing [name of first attorney] of [address of first attorney] and [name of second attorney] of [address of second attorney] to act as my attorney(s).\n\n2: I revoke the lasting power of attorney and the authority granted by it.\n\nSigned and delivered as a deed [your signature]\nDate signed [date]\nWitnessed by [signature of witness]\nFull name of witness [name of witness]\nAddress of witness [address of witness]\u201d\n\nYou must be able to make your own decisions when you end your LPA.\n\nYou can also complain if you have concerns about your attorney, for example if they\u2019re not carrying out their responsibilities properly.\n\n## Other ways a lasting power of attorney can end\n\nYour LPA may end if your attorney:\n\n- loses the ability to make decisions - \u2018loses mental capacity\u2019\n\n- divorces you or ends your civil partnership if they\u2019re your husband, wife or partner\n\n- becomes bankrupt or they\u2019re subject to a Debt Relief Order (DRO) - if they\u2019re a property and financial affairs attorney\n\n- is removed by the Court of Protection\n\n- dies\n\n## If your only attorney dies\n\nYour LPA will end if your attorney dies and you have no replacement attorneys. You must tell OPG and send them:\n\n- a copy of their death certificate\n\n- the original LPA\n\n- all certified copies of the LPA\n\n- a return address where your documents can be sent back to\n\nYour LPA can continue if:\n\n- there are other attorneys who can act \u2018jointly and severally\u2019 - but not if they are only allowed to act \u2018jointly\u2019\n\n- there are replacement attorneys\n\n## If you die\n\nYour LPA will end automatically when you die. Your affairs will be looked after by your executors or personal representatives from that point, not your attorney.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/power-of-attorney", + "answerable": true, + "scenario": "Because I have a family history of dementia, I would like to make a lasting power of attorney naming my daughter as my attorney, should I become mentally incapacitated. I'm 57 years old and live in England. I know that it's quite expensive to create a power of attorney and I'm currently on income support so may struggle to afford it. My earnings are only \u00a310,000 per year at this time.", + "original_question": "Can you get financial assistance with the cost of making a lasting power of attorney?" + }, + { + "id": "train-2129", + "question": "Scenario: I am moving to a new home provided by council. I am already on housing benefits and income support benefits. I am planning to buy some white goods but have no money. I am currently receiving income support.\n\nQuestion: As I am already on benefits , will I be eligible for Budgeting Loans ?\n\nDocument - Budgeting Loans:\n## How they work\n\nA Budgeting Loan can help pay for:\n\n- furniture or household items (for example, washing machines or other \u2018white goods\u2019)\n\n- clothes or footwear\n\n- rent in advance\n\n- costs linked to moving house\n\n- maintenance, improvements or security for your home\n\n- travelling costs within the UK\n\n- costs linked to getting a new job\n\n- maternity costs\n\n- funeral costs\n\n- repaying hire purchase loans\n\n- repaying loans taken for the above items\n\nCrisis Loans are not available any more.\n\nYou may be eligible for a Budgeting Loan if you\u2019ve been on certain benefits for 6 months.\n\nYou only have to pay back the amount you borrow, and repayments are taken automatically from your benefits.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Check if you're eligible\n\nTo get a Budgeting Loan you must have been getting one or more of these benefits for the past 6 months:\n\n- Income Support\n\n- income-based Jobseeker\u2019s Allowance\n\n- income-related Employment and Support Allowance\n\n- Pension Credit\n\nIf you moved from Universal Credit to Pension Credit, any time spent claiming Universal Credit will count towards the 6 months.\n\nYou cannot get a Budgeting Loan if:\n\n- you are currently claiming Universal Credit - apply for a Budgeting Advance instead\n\n- you\u2019re involved in industrial action (for example, a strike, walkout or lockout)\n\n- you owe more than \u00a31,500 in total for Crisis Loans and Budgeting Loans\n\nIf you live in Northern Ireland, go to Budgeting Loans in Northern Ireland.\n\n## What you could get\n\nThe lowest amount you can borrow is \u00a3100. You could get up to:\n\n- \u00a3348 if you\u2019re single\n\n- \u00a3464 if you have a partner\n\n- \u00a3812 if you or your partner claim Child Benefit\n\nHow much you could get depends on whether you:\n\n- can pay the loan back\n\n- have savings of more than \u00a31,000 (\u00a32,000 if you or your partner are 63 or over)\n\n- are paying back an existing Budgeting Loan or Crisis Loan\n\n## Paying back the loan\n\nA Budgeting Loan is interest free so you only pay back what you borrow.\n\nThe repayments will be taken automatically from your benefits. The amount you repay is based on your income - including any benefits you receive - and what you can afford.\n\nAfter you apply for a Budgeting Loan, you\u2019ll get an email, text or letter telling you if you\u2019ve been offered a loan. This explains how much your weekly repayments will be if you accept the loan.\n\nYou normally have to repay the loan within 2 years (104 weeks). If you stop getting benefits, you\u2019ll need to arrange another way to repay.\n\n## Apply\n\nCheck you\u2019re eligible before you apply.\n\nIf you get Universal Credit you cannot get a Budgeting Loan. You\u2019ll need to apply for a Budgeting Advance\u00a0instead.\n\nYou can apply online or using the paper form. It\u2019s quicker to apply online.\n\n## Apply online\n\nWhen you apply online, you can choose to get a decision on your loan by either:\n\n- email\n\n- text message\n\n- letter\n\nIt\u2019s quicker to get the decision by email or text message and accept it online.\n\nThere\u2019s a different way to apply for a Budgeting Loan in Northern Ireland.\n\nApply online\n\n## Apply using the paper form\n\nYou will need to fill in form SF500. You can:\n\n- download and print the form\n\n- phone the Social Fund Enquiry Line and ask for a form to be posted to you - allow 7 days for the form to arrive\n\nReturn your completed form by post.\n\n## After you apply\n\nAfter you apply you will be given a decision on your application. You need to accept the decision before you get your money.\n\n## If you apply online\n\nYou\u2019ll find out if you\u2019ve been offered a loan within:\n\n- 7 days if you get the decision by text or email\n\n- 21 days if you get the decision by letter\n\n## If you apply by post\n\nYou\u2019ll get a letter telling you if you\u2019ve been offered a loan within 21 days.\n\n## Accepting the loan\n\nHow you accept the loan depends on how you applied.\n\n## Accept online\n\nYou can accept the loan offer online by following the instructions in the text or email.\n\n## Accept by post\n\nYou can accept by signing page 4 of the acceptance letter and returning it in the pre-paid envelope provided. Make sure the reply slip is folded so that the return address is fully visible in the envelope window.\n\nReturn it to the address on the letter. Do not send it to your local Jobcentre Plus office as this may delay getting your loan.\n\n## Getting your money\n\nYou\u2019ll get your money within:\n\n- 7 days of accepting the loan offer online\n\n- 21 days of your loan offer acceptance being received by post\n\nThe money will be paid into your bank, building society or credit union account.\n\nYou\u2019ll get a text message confirming this has been done.\n\n## Questions about your application\n\nCall the Social Fund Enquiry Line if you have a question about the progress of your application.\n\nYou should wait:\n\n- 14 days before phoning if you applied online\n\n- 21 days before phoning if you applied by post\n\nYour application may not have been processed before then.\n\n## Other help you can get\n\nYou may be able to get other kinds of support, including:\n\n- help from your local council and Jobcentre Plus\n\n- the Discretionary Assistance Fund in Wales\n\n- a Crisis Grant or Community Care Grant in Scotland\n\n- Discretionary Support or a Short-term Benefit Advance in Northern Ireland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/budgeting-help-benefits", + "answerable": true, + "scenario": "I am moving to a new home provided by council. I am already on housing benefits and income support benefits. I am planning to buy some white goods but have no money. I am currently receiving income support.", + "original_question": "As I am already on benefits , will I be eligible for Budgeting Loans ?" + }, + { + "id": "train-2130", + "question": "Scenario: I am the owner-occupier of a house in Birmingham, where I live with my wife. My wife became a paraplegic as a result of a traffic accident three years ago, and this has required us to extend our house to provide extra storage space for her mobility aids. The property is my wife's main home.\n\nQuestion: If the extension moves our house into a higher council tax band, can I claim a discount on the basis of my wife's disability?\n\nDocument - Council Tax:\n## Working out your Council Tax\n\nYou\u2019ll need to know 3 things:\n\n- the valuation band for your home in England and Wales or in Scotland\n\n- how much your local council charges for that band\n\n- whether you can get a discount or exemption from the full bill\n\nYou may be able to get Council Tax Reduction (this used to be called Council Tax Benefit) if you\u2019re on a low income or get benefits.\n\nYou can challenge your Council Tax band if you think your home is in the wrong valuation band.\n\n## Changes that may affect your Council Tax band\n\nYour property may be revalued and put in a different band in some circumstances, for example if:\n\n- you demolish part of your property and do not rebuild it\n\n- you alter your property to create 2 or more self-contained units, for example an annexe - each unit will have its own band\n\n- you split a single property into self-contained flats\n\n- you convert flats into a single property\n\n- you start or stop working from home\n\n- the previous owner made changes to your property\n\n- there are significant changes to your local area, like a new road being built\n\n- a similar property in your area has its Council Tax band changed\n\nAsk the Valuation Office Agency (VOA) if you want to know if changes to your property will affect your Council Tax band.\n\n## Who has to pay\n\nYou\u2019ll usually have to pay Council Tax if you\u2019re 18 or over and own or rent a home.\n\nA full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.\n\nYou\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:\n\n- you live on your own\n\n- no-one else in your home counts as an adult\n\nYou\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.\n\nYou will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.\n\nApply for a Council Tax discount.\n\n## Who does not count as an adult?\n\nThese people are not counted as adults for Council Tax:\n\n- children under 18\n\n- people on some apprentice schemes\n\n- 18 and 19-year-olds in full-time education\n\n- full-time college and university students\n\n- young people under 25 who get funding from the Skills Funding Agency or Young People\u2019s Learning Agency\n\n- student nurses\n\n- foreign language assistants registered with the British Council\n\n- people with a severe mental impairment\n\n- live-in carers who look after someone who is not their partner, spouse, or child under 18\n\n- diplomats\n\nContact your local council if you\u2019re unsure about whether you can get a discount or who\u2019s responsible for paying.\n\n## People on apprentice schemes\n\nTo show that you do not qualify as an adult for Council Tax, you\u2019ll need a declaration from your employer stating that:\n\n- you will not be paid more than \u00a3195 a week\n\n- the training leads to a qualification accredited by a body recognised by the Office of Qualifications and Examinations Regulation (Ofqual) or the Scottish Vocational Education Council (SVEC)\n\n## If you get a Council Tax discount by mistake\n\nYou must tell your council. If you do not, you could get a fine.\n\nThe council may ask you to pay back the discount.\n\n## Discounts for full-time students\n\nHouseholds where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.\n\nTo count as a full-time student, your course must:\n\n- last at least 1 year\n\n- involve at least 21 hours study per week\n\nIf you study for a qualification up to A level and you\u2019re under 20, your course must:\n\n- last at least 3 months\n\n- involve at least 12 hours study per week\n\nYou\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.\n\n## Discounts for disabled people\n\nPeople who are severely mentally impaired are not included when working out Council Tax.\n\nYou also are not included if you\u2019re a live-in carer looking after someone who is not your partner, spouse, or child under 18.\n\nApply for a Council Tax discount.\n\n## Disabled Band Reduction Scheme\n\nYou may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.\n\nYou\u2019ll have to show that you\u2019ve either:\n\n- an extra bathroom, kitchen or other room that you need for the disabled person\n\n- extra space inside the property for using a wheelchair\n\nThe property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.\n\nCheck if you qualify for the scheme.\n\n## Second homes and empty properties\n\nYou may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.\n\nCouncils can charge extra Council Tax for empty properties.\n\n## Second homes\n\nYou may pay less Council Tax for a property you own or rent that\u2019s not your main home.\n\nCouncils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.\n\n## Empty properties\n\nYou\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.\n\nYou can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).\n\nThe rules are different in Scotland.\n\n## When you do not pay Council Tax\n\nIf you\u2019re selling a property on behalf of an owner who\u2019s died, you won\u2019t need to pay Council Tax until after you get probate as long as the property remains empty. After probate is granted, you may be able to get a Council Tax exemption for another 6 months if the property is both:\n\n- unoccupied\n\n- still owned and in the name of the person who died\n\nSome homes do not get a Council Tax bill for as long as they stay empty. They include homes:\n\n- of someone in prison (except for not paying a fine or Council Tax)\n\n- of someone who\u2019s moved into a care home or hospital\n\n- that have been repossessed\n\n- that cannot be lived in by law, for example if they\u2019re derelict\n\n- that are empty because they\u2019ve been compulsory purchased and will be demolished\n\nYou may get a discount if your home is undergoing major repair work or structural changes, for example your walls are being rebuilt.\n\n## If your property\u2019s been refurbished\n\nYour council will tell you when you have to start paying Council Tax if you\u2019ve been carrying out major home improvements on an empty property or building a new property.\n\nYou\u2019ll get a \u2018completion notice\u2019 that tells you the date you must start paying Council Tax.\n\n## If your property\u2019s derelict\n\nYour property\u2019s only considered derelict if it:\n\n- is not possible to live in it, for example because it\u2019s been damaged by weather, rot or vandalism\n\n- would need major structural works to make it \u2018wind and watertight\u2019 again\n\nYou can challenge your Council Tax band if you think a derelict property should be removed from the Council Tax valuation list.\n\n## Paying your bill\n\nYour Council Tax bill tells you:\n\n- how much you have to pay for the year\n\n- how that amount has been worked out\n\n- the dates you have to pay\n\nThe cost is usually split into 10 monthly payments. Contact your council immediately if you\u2019re having trouble paying - they can help you, for example by spreading your payments over 12 months instead of 10.\n\nThe council can take action to reclaim any debts you owe if you get behind with your payments.\n\n## Ways to pay\n\nYou can usually pay your Council Tax online.\n\nYou can also use \u2018Paypoint\u2019, \u2018Payzone\u2019 or \u2018Quickcards\u2019 for cash payments at post offices, banks, newsagents and convenience stores.\n\nCheck your bill to find out which other payment methods you can use.\n\n## If you\u2019ve overpaid\n\nContact your local council if you\u2019ve paid too much Council Tax and have not received an automatic refund.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/council-tax", + "answerable": true, + "scenario": "I am the owner-occupier of a house in Birmingham, where I live with my wife. My wife became a paraplegic as a result of a traffic accident three years ago, and this has required us to extend our house to provide extra storage space for her mobility aids. The property is my wife's main home.", + "original_question": "If the extension moves our house into a higher council tax band, can I claim a discount on the basis of my wife's disability?" + }, + { + "id": "train-2131", + "question": "Scenario: Our parents in law will be visiting us in Uk during summer time from canada and our house is small. My partner and i have come up with an idea of putting a caravan in our garden to accomodate them. My farm is 16 hectares in size.\n\nQuestion: Is this a permitted development?\n\nDocument - Planning permission for farms:\n## When you need it\n\nFarms are covered by the same planning regulations as other types of property. Some planning rules include special conditions for agricultural buildings and land.\n\nYou need planning permission if:\n\n- you want to change how you use your land or buildings from farming to something else\n\n- you want to build a house on the land\n\nYou will also usually need planning permission if you are applying for a grant to fund a project that needs a building or other development.\n\n## When you don\u2019t need it\n\nYou don\u2019t need planning permission:\n\n- for farming operations\n\n- to use buildings already on your land for farming purposes\n\n- to change the inside of a building, or make small alterations to the outside - eg installing an alarm box\n\n- if there are permitted development rights\n\nBefore starting work on the project, always check with:\n\n- your local planning authority in England and Wales\n\n- your local planning authority in Scotland\n\n- you local area planning office in Northern Ireland\n\nIf you don\u2019t get planning permission when you need it you may have to stop work on the development or demolish it.\n\n## Apply for planning permission\n\nIn England and Wales, you can apply online at the Planning Portal.\n\nIn Scotland you can apply online at ePlanning Scotland.\n\nIn Northern Ireland, you apply for planning permission to your local area planning office.\n\n## Permitted development\n\nPermitted development means that if your farm is 5 hectares or more, you have the right to:\n\n- erect, extend or alter a building\n\n- carry out excavations and engineering operations needed for agricultural purposes - though you may still require approval for certain details of the development.\n\nThe types of permitted development include:\n\n- temporary uses of land\n\n- agricultural buildings below a certain size\n\n- forestry buildings\n\n- caravan sites and related buildings in some circumstances\n\nCheck with your local planning authority (or local area planning office in Northern Ireland) before making use of permitted development rights to make sure your development won\u2019t need planning permission.\n\nThe Agricultural Document Library (ADLib) has policy planning guidance on permitted development and farms.\n\n## Appeals\n\nThe way you appeal and the deadlines for appealing are different depending on which country you\u2019re in. See the relevant planning guide for more information:\n\n- England and Wales\n\n- Scotland", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/planning-permissions-for-farms", + "answerable": true, + "scenario": "Our parents in law will be visiting us in Uk during summer time from canada and our house is small. My partner and i have come up with an idea of putting a caravan in our garden to accomodate them. My farm is 16 hectares in size.", + "original_question": "Is this a permitted development?" + }, + { + "id": "train-2135", + "question": "Scenario: My Brother is a Music artist and just discovered that a certain local radio station is using his Music without his awareness. After contacting them they said that are open for a discussion out of court. We have been unable to reach an agreement.\n\nQuestion: Can he use a mediator?\n\nDocument - Defend your intellectual property:\n## Overview\n\nIt\u2019s your responsibility to defend your intellectual property (IP) and to take action if someone\u2019s used it without permission (known as \u2018infringement\u2019).\n\nExamples of IP infringement include when someone:\n\n- uses, sells or imports your patented product or process\n\n- uses all or some of your work under copyright without your permission\n\n- makes, offers or sells your registered design for commercial gain\n\n- uses a trade mark that\u2019s identical or similar to one you\u2019ve registered\n\nYou can take the following steps.\n\n- Get the other party to stop using your IP or come to an agreement with them, for example license your IP.\n\n- Use mediation or another type of dispute resolution.\n\n- Take legal action if you can\u2019t resolve the dispute by other means.\n\nYou may want to get help from an IP professional, such as a solicitor. The Intellectual Property Office (IPO) can also help.\n\n## Report IP crime\n\nIt can be a criminal offence to copy or use copyright material and registered trade marks and designs without permission.\n\nReport suspected IP crime to Trading Standards by contacting Citizens Advice.\n\nYou can also report it anonymously through:\n\n- Crimestoppers\n\n- Action Fraud\n\n## Get help and advice\n\nAn intellectual property (IP) professional can give you legal advice on a dispute, or act on your behalf.\n\nFind an IP professional through organisations including:\n\n- The Chartered Institute of Patent Attorneys\n\n- The Chartered Institute of Trade Mark Attorneys\n\n- The Law Society (England and Wales)\n\n- The Law Society of Scotland\n\n- The Law Society of Northern Ireland\n\n## Contact the Intellectual Property Office (IPO)\n\nYou can contact IPO for:\n\n- an opinion on whether your patent or supplementary protection certificate is being infringed - it costs \u00a3200\n\n- to start legal proceedings over some types of IP dispute (this does not include copyright infringement)\n\n- general advice on IP\n\n## Come to an agreement\n\nIf someone is using your IP without your permission you can contact them and ask them to stop.\n\nYou can be sued for making unjustified threats. You may want to seek legal advice before contacting the other party.\n\n## Make a deal\n\nYou can offer to make a deal with the other party, which is usually cheaper and quicker than going to court.\n\nRead the guidance on how to license, sell, mortgage and market your:\n\n- copyright\n\n- patent\n\n- design\n\n- trade mark\n\nYou can also come to a coexistence agreement with someone who has a similar trade mark.\n\n## Use a mediator\n\nYou can use a mediator if you can\u2019t come to an agreement over an intellectual property (IP) dispute.\n\nMediation can be used in most IP disputes. This includes disputes about:\n\n- trade marks\n\n- copyright\n\n- designs\n\n- patents\n\nMediation is a way of resolving disputes without going to court. It\u2019s cheaper and quicker than taking legal action and the outcome is usually beneficial to all parties.\n\nMediators provide an independent view on a dispute. They can\u2019t make a decision for you, but they can help to find a solution that both parties accept.\n\nDiscussions with a mediator are confidential and can\u2019t be used in court later if the dispute isn\u2019t resolved.\n\n## IPO mediation service\n\nThe Intellectual Property Office (IPO) has its own mediation service.\n\nWhat you will pay for mediation depends on the type and length of mediation session.\n\nRead guidance on IPO\u2019s mediation service, including information on fees.\n\n## Other mediators you can use\n\nYou can also use the:\n\n- Civil Mediation Council (England and Wales)\n\n- Scottish Mediation Network\n\n- Northern Ireland Mediation\n\n## Take legal action\n\nYou can file legal proceedings either through the Intellectual Property Office (IPO) or through the courts.\n\nSome types of proceedings can only be filed through one or the other. For example, copyright infringement claims can only be filed through the courts.\n\nA court will expect you to have tried to resolve your dispute - possibly using mediation - before starting legal proceedings.\n\nYou can pay an Intellectual Property Professional to help you.\n\n## File through IPO\n\nContact IPO for more information on filing through them.\n\n## File through the courts in England and Wales\n\nThe court you go to depends on the nature, complexity and value of your claim.\n\n## Claims below \u00a310,000\n\nUse the Intellectual Property Enterprise Court (IPEC) small claims track if your claim is for less than \u00a310,000 and for infringement of one of the following:\n\n- copyright\n\n- passing off\n\n- trade marks\n\n- breach of confidence\n\n- unregistered design rights\n\nYou don\u2019t need a lawyer to use the IPEC small claims track.\n\n## Claims up to \u00a3500,000\n\nYou can take a case for any IP right to the Intellectual Property Enterprise Court (IPEC) if you do not wish to claim more than:\n\n- \u00a350,000 for legal costs\n\n- \u00a3500,000 for damages\n\n## If you\u2019re claiming more than \u00a3500,000 in damages\n\nUse the Chancery Division of the High Court of England and Wales - there are no limits to legal costs or damages you can claim.\n\n## File through the courts in Scotland\n\nUse the Court of Session if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.\n\n## File through the courts in Northern Ireland\n\nYou can use the Chancery Division of the High Court of Northern Ireland if your claim is complex or valuable - there are no limits to legal costs or damages you can claim.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/defend-your-intellectual-property", + "answerable": true, + "scenario": "My Brother is a Music artist and just discovered that a certain local radio station is using his Music without his awareness. After contacting them they said that are open for a discussion out of court. We have been unable to reach an agreement.", + "original_question": "Can he use a mediator?" + }, + { + "id": "train-2136", + "question": "Scenario: I am the owner of a high street retailing business which has fallen on hard times in the wake of the pandemic. At our peak we had over 150 employees, who were represented by a trade union whom we voluntarily recognised six years ago. Now our headcount has fallen below 20, and the remaining workers include a union shop steward who is being unreasonably obstructive of our attempts to turn the company around. I have had only 17 employees for the last year.\n\nQuestion: Given the shrunken state of the business, is it now possible to get the union derecognised?\n\nDocument - Derecognise a union:\n## Overview\n\nTrade unions can be recognised to represent groups of employees in a company in negotiations over pay, holidays and working conditions through either:\n\n- a voluntary agreement with the employer\n\n- a declaration by the Central Arbitration Committee (CAC).\n\nThree years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.\n\nIf the application is successful, the union will cease to represent the workforce in negotiations with the employer.\n\n## When employers can apply\n\nWhere recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:\n\n- the number of people employed by the company has fallen to less than 21\n\n- workers in the bargaining unit no longer support the union\n\n- the number of union members in the bargaining unit has fallen to below 50%\n\n## When workers can apply\n\nYou can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.\n\nYou can apply to have a non-independent union derecognised if the majority of workers do not support it.\n\n## Employers: reduced workforce\n\nAs an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:\n\n- you\u2019ve employed less than 21 people for a continuous 13-week period\n\n- it is more than 3 years since recognition was declared by the CAC\n\nYou must give written notice to the union asking for the union to be derecognised. Notice must be given within 5 days of the end of the relevant 13-week period.\n\nYour letter must include the following details:\n\n- the specific 13-week period during which you had less than 21 workers\n\n- the number of workers you employed in that time\n\n- the current bargaining arrangements\n\n- the date you want the arrangements to end - this must be at least 35 working days after the request was made\n\nYou must give a copy of the letter to the CAC. The CAC will tell you within 10 days if the notice you gave the union was valid.\n\n## Your notice is valid\n\nThe union will be derecognised and you won\u2019t have to negotiate with them anymore, unless they make an application to the CAC because they believe that:\n\n- the 13-week period was within 3 years of them gaining recognition\n\n- your company employed 21 or more workers during that time\n\n## Your notice isn\u2019t valid\n\nYou must continue with the current collective bargaining arrangements.\n\n## Employers: union loses support\n\nYou can try to get a union derecognised if the workers in the bargaining unit no longer support it and don\u2019t want it to negotiate on their behalf.\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the union, stating:\n\n- that you wish to end the bargaining arrangements because you believe that the union no longer has the support of the workers\n\n- what the current arrangements are\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union agrees to negotiate\n\nIf they reject your request but agree to negotiate, you\u2019ll have another 20 working days to come to an agreement about derecognition.\n\nWithin this period, either side can ask the Advisory, Conciliation and Arbitration Service (Acas) to help with negotiations. You may extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nYou can apply to the Central Arbitration Committee (CAC) to hold a secret ballot of workers to see if they support derecognition.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your supporting documents to CAC. Send a copy to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange a secret ballot of workers if your application is successful.\n\nYou\u2019ll have to continue negotiating with the union if your application fails.\n\n## Employers: union membership is less than 50%\n\nIf the Central Arbitration Committee (CAC) declared recognition without a ballot more than 3 years ago, a union can be derecognised if the level of union membership in the bargaining unit falls below 50%.\n\nApply to the CAC to hold a secret ballot of employees on whether collective bargaining should be ended.\n\nYou can only apply if:\n\n- the CAC declared recognition without a ballot more than 3 years ago\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the unions, stating:\n\n- that fewer than 50% of the workers in the bargaining unit are union members\n\n- what the current bargaining arrangements are, eg how many workers are in the bargaining unit, where they work\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union rejects your request but is willing to negotiate\n\nYou have 10 days to negotiate an agreement about derecognition. You can extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nApply to CAC to hold a secret ballot of workers to see if they support derecognition.\n\nYou can\u2019t apply if there have been any applications to CAC for an end to bargaining arrangements in the previous 3 years.\n\nProvide evidence (eg letters supporting your application, workplace surveys) that less than 50% of the bargaining unit are union members.\n\nSend the completed form and your supporting documents to CAC. You must send copies of the form and evidence to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange for a secret ballot of the workers to be held if your application is successful.\n\nYou will have to continue negotiating with the union if your application fails.\n\n## Workers: union loses support\n\nYou can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your evidence to both the union and the CAC.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs information to support your application, eg evidence of levels of union support.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Workers: derecognise a non-independent union\n\nAn employee or group of workers can apply to the Central Arbitration Committee (CAC) to derecognise a non-independent union that the employer recognised voluntarily.\n\nA non-independent union represents employees but has not been given a certificate of independence by the Certification Officer. You can check this on the Certification Officer\u2019s website.\n\nYou can apply any time after the union has been recognised by the employer.\n\n## Apply for a secret ballot\n\nApply to CAC to hold a secret ballot of workers to find out if they want the union derecognsied.\n\nThe form must be completed and signed by an employee in the bargaining unit.\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of employees in the bargaining are likely to favour an end to the bargaining arrangements\n\nSend the completed form plus your documents to CAC. Send a signed copy of the form and evidence to the union and your employer.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Holding a derecognition ballot\n\nWhen employers, workers and the union have tried to reach agreement about derecognition but failed, the Central Arbitration Committee (CAC) will hold a secret ballot.\n\nCAC will write to everyone involved, saying that they intend to hold a ballot to allow workers in the bargaining unit to vote on derecognition.\n\n## How the ballot works\n\nCAC will appoint a qualified independent person (QIP) who will aim to conduct the ballot within 20 working days of their appointment. The CAC may extend this period if necessary.\n\nThe QIP will provide an estimate for the cost of running the ballot. The arrangements for the ballot will be decided by the CAC after consulting the employer and the union.\n\nThe final cost of the ballot will be split equally between the employer and the union.\n\nThe employer and the union must follow the Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition.\n\n## Complain when someone doesn\u2019t co-operate\n\nComplain to CAC any time before the ballot is held if you feel someone isn\u2019t co-operating.\n\nThe union can complain to the CAC if the employer is not fulfilling their duties during the ballot.\n\nCAC will investigate and can issue a \u2018remedial order\u2019 demanding that all duties are carried out properly.\n\nIf that order is ignored CAC can cancel the ballot or declare that the union be derecognised.\n\n## Complain about unfair practices\n\nComplain to the Central Arbitration Committee (CAC) if you feel that another party is using unfair practices to influence the ballot, eg bribery or threats.\n\nTo make a complaint fill in the unfair practices application form and send it to CAC. The address is on the form.\n\nComplaints can be made at any time up to the end of day after the ballot closes.\n\nWhere CAC finds that unfair practices were used they may:\n\n- reschedule the ballot\n\n- cancel the ballot and declare that the union is derecognised\n\n- cancel the ballot and refuse the application for derecognition\n\nThe Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.\n\n## After the ballot\n\nYou\u2019ll usually find out the result of the vote 48 hours after the ballot closes.\n\nFor a union to be derecognised the majority of those voting, and at least 40% of the workers in the bargaining unit, must vote in favour of ending the bargaining arrangements.\n\nThe Central Arbitration Committee (CAC) will declare the union as derecognised or will refuse the application for derecognition.\n\n## Paying for the ballot\n\nThe employer and the union will each receive a demand from the qualified independent person (QIP) for their share of the cost of running the ballot.\n\nThis must be paid in 15 days. If either party wishes to dispute the amount they can appeal to an employment tribunal.\n\n## What you must do\n\nAs an employer, you no longer have to work with a union that\u2019s been derecognised.\n\nYou must continue to work with a union if the CAC have refused the application for derecognition. You cannot reapply for the union to be derecognised for 3 years.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/derecognise-a-union", + "answerable": true, + "scenario": "I am the owner of a high street retailing business which has fallen on hard times in the wake of the pandemic. At our peak we had over 150 employees, who were represented by a trade union whom we voluntarily recognised six years ago. Now our headcount has fallen below 20, and the remaining workers include a union shop steward who is being unreasonably obstructive of our attempts to turn the company around. I have had only 17 employees for the last year.", + "original_question": "Given the shrunken state of the business, is it now possible to get the union derecognised?" + }, + { + "id": "train-2139", + "question": "Scenario: I live in England . I have an unpaid mortgage due to the change of my income. I was hospitalized the whole of last year due to long terms covid Complications and lost my job.The lender has taken repossession action against me. I currently only have an income for \u00a35,000 per year.\n\nQuestion: Can i get a legal aid?\n\nDocument - Repossession:\n## Get advice\n\nYou may be able to postpone or stop your home being repossessed.\n\nCheck if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\nFind a solicitor.\n\nYou can also get free advice from:\n\n- Citizens Advice\n\n- National Debtline\n\n- Shelter\n\n- your local council\n\nThe law for repossession in Scotland is different.\n\n## Before it goes to court\n\n## What your mortgage lender must do\n\nBefore a mortgage lender can repossess your home, they must:\n\n- tell you how much you owe\n\n- consider a request from you to change the way you pay your mortgage\n\n- respond to any offer of payment you make\n\n- give you reasons for turning down your offer of payment within 10 days\n\n- give you a reasonable amount of time to consider any proposal they make\n\n- give you 15 days\u2019 written warning if they plan to start court action\n\n- tell you the date and time of a repossession hearing\n\n- let your council know within 5 days of getting notification of the date of the court hearing, in case you need to apply to the council as homeless\n\n## Finding a solution\n\nEven if your mortgage lender starts a court action, you may still be able to reach an agreement with them.\n\nYou\u2019ll still need to attend court to tell the judge about the agreement, unless the court tells you the hearing\u2019s been cancelled or postponed.\n\n## Defence form\n\nIf your lender starts a repossession action against you, the court will send you a blank defence form and guidance on how to fill it in.\n\nYou can use the form to explain why you think the lender should not repossess your home. You need to return it within 14 days.\n\nThe court will also send you:\n\n- copies of the claim forms for possessing your home, filled in by your lender\n\n- a court hearing date\n\n- the court\u2019s contact details\n\n## Help with legal costs\n\n## Legal aid\n\nIf you\u2019re on a low income you may be able to get legal aid.\n\n## Free legal advice on the day\n\nIf you have not got help before, you can get last-minute legal help under the Housing Possession Court Duty scheme.\n\nThe scheme runs in county courts in England and Wales. It provides you with a specialist adviser on the day of your hearing who can:\n\n- represent you\n\n- help you come to an arrangement with your mortgage lender to pay off your debts\n\nTo find out about the scheme in your area, contact your local council or the court where your case is being heard.\n\n## The hearing\n\nRepossession hearings normally take place in a judge\u2019s chambers, not in a court room (although it\u2019s treated as a court).\n\nYou can bring an adviser or friend to the hearing, although they must be an adult.\n\nIf you do not attend the court hearing, it\u2019s likely the judge will give your mortgage lender the right to evict you.\n\nYou must keep to any agreement you make in court to pay off arrears. If you do not, you may still risk losing your home.\n\n## What to bring with you\n\nYou\u2019ll likely be asked for proof of your finances. This can include:\n\n- payslips\n\n- bank statements\n\n- job offers\n\n- letters about benefits\n\n- estate agent letter, for example if you\u2019re trying to sell your home to pay off the mortgage\n\n## Repossession orders\n\nThe lender can only repossess your home if the court grants permission.\n\nThe judge could decide to:\n\n- adjourn (delay) the hearing\n\n- set aside the case, which means no order will be made and the hearing is finished\n\n- make a repossession order\n\n## Outright possession order\n\nThis gives the lender a legal right to own your home on the date given in the order and is sometimes called an \u2018order for possession\u2019. This is usually 28 days after your court hearing.\n\nIf you do not leave your home by the date given in the order, your lender can ask the court to evict you.\n\n## Suspended possession order\n\nThis means that if you make regular payments as set out in the order, you can stay in your home.\n\nIf you do not make the payments, your lender can ask the court to evict you.\n\n## Money order\n\nThis means that you have to pay the lender the amount set out in the order.\n\nIf you do not make these payments:\n\n- money could be deducted from your wages or bank account\n\n- bailiffs may take away things you own\n\nYour lender cannot use a money order to evict you from your home. If you do not make payments set out in a money order on time, your lender could go to court again. As a result, the judge could decide to give them a possession order.\n\n## Possession order with money judgment\n\nA money judgment is usually added to a possession order. It means you owe a specific amount of money usually made up of:\n\n- your mortgage arrears\n\n- court fees\n\n- your lender\u2019s legal costs\n\nA money judgment will not apply if:\n\n- you pay your mortgage arrears and any amount set out in a suspended order\n\n- your lender sells your home and the sale price is more than the amount set out in the money judgment\n\nIf you do not pay the amount set out in the money judgment, the lender may ask the court to carry out the instructions in the possession order and the judgment.\n\n## Time order\n\nThis means that the judge changes the amount you pay on your mortgage for a set time by:\n\n- changing the regular amount you pay\n\n- changing the interest rate on your mortgage\n\n- delaying the next time you have to make a payment\n\nIf you do not make the payments, your lender can ask the court to evict you.\n\nA time order is usually only made on some types of loan like a second mortgage.\n\n## Delaying eviction\n\nYou can ask a judge to \u2018suspend the warrant for possession\u2019. This means delaying the eviction or allowing you to stay in your home if you are able to make payments again.\n\nA new hearing will be held but the judge will not automatically agree to suspend the possession warrant \u2013 it depends what happens in court.\n\nIf you want to get a warrant suspended, get advice immediately.\n\n## Applying for a suspension\n\nIf you want to apply for a suspension, you should fill out the application notice and either send it or deliver it to the court.\n\nYou must tell the court that you need a hearing at short notice (before your eviction date). You\u2019ll have to pay a court fee.\n\nYou may not have to pay the fee (otherwise known as \u2018fee remission\u2019) if you\u2019re on benefits or low pay.\n\n## Appealing a judge's decision\n\nIf you think the judge made mistakes about the law or the facts of your case in the original hearing, you may be able to appeal.\n\nGet legal advice if you want to appeal.\n\nNormally the appeal will be heard by a more senior judge.\n\n## Permission to appeal\n\nYou can ask the judge at the end of your original possession hearing if you can appeal.\n\nIf the judge refuses to give permission to appeal, you can ask a more senior judge.\n\nIf you get permission, make an application as soon as possible after your original possession hearing. You\u2019ll have to pay a court fee.\n\nYou may not have to pay the fee if you\u2019re on benefits or low pay.\n\n## What could happen\n\nAt the appeal, the judge can make a number of decisions including:\n\n- keeping the original decision\n\n- dismissing the previous decision or changing it\n\n- ordering a new hearing\n\nThe judge can also decide who pays the legal costs of the appeal.\n\n## If your home is repossessed\n\n## Help from your council\n\nYour local council must give you advice to help you find a new home.\n\nDepending on your circumstances, they may also be able to provide you with emergency accommodation or a more permanent home.\n\n## Buying another property\n\nYou must tell any new mortgage lender that your previous home was repossessed. This could make getting a new mortgage hard.\n\nYour previous lender may be able to claim some of the proceeds of your new home if you still owe them money when you sell it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/repossession", + "answerable": true, + "scenario": "I live in England . I have an unpaid mortgage due to the change of my income. I was hospitalized the whole of last year due to long terms covid Complications and lost my job.The lender has taken repossession action against me. I currently only have an income for \u00a35,000 per year.", + "original_question": "Can i get a legal aid?" + }, + { + "id": "train-2140", + "question": "Scenario: I am 41, registered blind with my local council and live in England in a home which I share with my wife, who works part-time to provide for us. I have a certificate for my blindness.\n\nQuestion: Can I claim Blind Person's Allowance, and then transfer it to my wife so that she can claim it against her taxes?\n\nDocument - Blind Person's Allowance:\n## Overview\n\nBlind Person\u2019s Allowance is an extra amount of tax-free allowance.\n\nIt means you can earn more before you start paying Income Tax.\n\n## What you'll get\n\nBlind Person\u2019s Allowance is added to your yearly Personal Allowance - the amount of money you can earn before you start paying Income Tax.\n\n| Tax year | Blind Person\u2019s Allowance |\n\n| 2021 to 2022 | \u00a32,520 |\n\n| 2020 to 2021 | \u00a32,500 |\n\nIf you and your spouse or civil partner are both eligible, you\u2019ll each get an allowance.\n\nYou can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or earn enough to use all of your allowance.\n\n## Previous tax years\n\nHM Revenue and Customs (HMRC) publishes tables with tax rates that include Blind Person\u2019s Allowance for current and past tax years.\n\n## Eligibility\n\n## England and Wales\n\nYou can claim Blind Person\u2019s Allowance if both of the following apply:\n\n- you\u2019re registered with your local council as blind or severely sight impaired\n\n- you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)\n\n## Scotland and Northern Ireland\n\nYou can claim Blind Person\u2019s Allowance if both of the following apply:\n\n- you cannot do work for which eyesight is essential\n\n- you have a certificate that says you\u2019re blind or severely sight impaired (or a similar document from your doctor)\n\n## How to claim\n\nContact HM Revenue and Customs (HMRC) to claim.\n\n## Transfer your allowance\n\nYou can transfer your Blind Person\u2019s Allowance to your spouse or civil partner if you do not pay tax or cannot use all of it.\n\nYou can do this:\n\n- if you\u2019re married or in a civil partnership\n\n- if you\u2019re living with your spouse or civil partner\n\n- whether or not your spouse or civil partner is blind\n\nYou can still transfer your allowance if you\u2019re unable to live with your spouse or civil partner because of:\n\n- illness or old age, for example where your spouse or partner is in residential care\n\n- working away from home\n\n- an armed forces posting\n\n- being in prison\n\n- training or education\n\n## How to transfer your allowance\n\nTo transfer your allowance to a spouse or civil partner, use form 575 or call HM Revenue and Customs (HMRC).\n\nYou\u2019ll also get the option to transfer any Married Couple\u2019s Allowance.\n\nIf you\u2019re making a claim to get tax back on savings and investment interest using form R40 you can also ask for a copy of form 575 by ticking the appropriate box.\n\n## Get the form in another format\n\nContact HM Revenue and Customs (HMRC) if you need the form in a different format, for example Braille.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/blind-persons-allowance", + "answerable": true, + "scenario": "I am 41, registered blind with my local council and live in England in a home which I share with my wife, who works part-time to provide for us. I have a certificate for my blindness.", + "original_question": "Can I claim Blind Person's Allowance, and then transfer it to my wife so that she can claim it against her taxes?" + }, + { + "id": "train-2142", + "question": "Scenario: I am currently employed part-time as a care assistant and am also studying for a first degree in social work via a non-residential part-time course offered by my local university. My household income is around \u00a316,000 pa, but my employer does not directly contribute to the cost of my training. The course is approved.\n\nQuestion: Am I likely to be eligible for a social work bursary?\n\nDocument - Social work bursaries:\n## Overview\n\nIf you\u2019re training for social work you may get a bursary.\n\nSocial work bursaries:\n\n- help with living costs and tuition fees\n\n- don\u2019t depend on your household income\n\n- don\u2019t have to be paid back\n\n## What you'll get\n\nThe social work bursary is a grant that doesn\u2019t depend on your household income and doesn\u2019t have to be paid back.\n\nThe amount you get depends on:\n\n- where you study\n\n- whether you study full or part-time\n\n- the cost of your tuition\n\nGraduates doing an undergraduate social work course can apply for the Maintenance Loan part of the main student finance \npackage.\n\n## How it\u2019s paid\n\nSocial work bursaries are paid in 3 instalments, one each term.\n\n## If you\u2019re disabled\n\nYou may be able to get extra help if you\u2019re disabled and a postgraduate student.\n\n## Eligibility\n\nSocial work bursaries are available to eligible social work students who:\n\n- don\u2019t get funding from their employer\n\n- are studying an approved undergraduate or postgraduate course in social work\n\n- don\u2019t already have a higher education social work qualification\n\nYour university or college will tell you if your course qualifies.\n\nUndergraduate students may also be able to get help from the main student finance \npackage - apply to Student Finance England.\n\nYou\u2019re not eligible for a bursary if you\u2019re studying on an employment-based course including direct Open University courses.\n\n## How to apply\n\nYou need to download forms from NHS Business Services Authority. The address to send the form is in the guidance notes.\n\nThe deadline for 2017 to 2018 applications depends on when you start your course:\n\n| Course starts | Application deadline |\n\n| Autumn term | 1 November 2017 |\n\n| Winter term | 14 February 2018 |\n\n## Evidence needed\n\nYou may need to prove your identity by sending both:\n\n- your birth certificate\n\n- your passport (which must be valid)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/social-work-bursaries", + "answerable": true, + "scenario": "I am currently employed part-time as a care assistant and am also studying for a first degree in social work via a non-residential part-time course offered by my local university. My household income is around \u00a316,000 pa, but my employer does not directly contribute to the cost of my training. The course is approved.", + "original_question": "Am I likely to be eligible for a social work bursary?" + }, + { + "id": "train-2143", + "question": "Scenario: I am an employer and due to the reduced work force the number of employees represented by the union has reduced to 10. The union is recognized entity by CAC since 2017. I have only employed 20 people for the past 14 weeks.\n\nQuestion: Can i give notice to CAC to deregister it?\n\nDocument - Derecognise a union:\n## Overview\n\nTrade unions can be recognised to represent groups of employees in a company in negotiations over pay, holidays and working conditions through either:\n\n- a voluntary agreement with the employer\n\n- a declaration by the Central Arbitration Committee (CAC).\n\nThree years after a CAC declaration of recognition, employers and workers can apply to the CAC to have a union derecognised.\n\nIf the application is successful, the union will cease to represent the workforce in negotiations with the employer.\n\n## When employers can apply\n\nWhere recognition has been declared by the CAC, you can apply to have a union derecognised in any of the following situations:\n\n- the number of people employed by the company has fallen to less than 21\n\n- workers in the bargaining unit no longer support the union\n\n- the number of union members in the bargaining unit has fallen to below 50%\n\n## When workers can apply\n\nYou can apply to have a union derecognised if workers in the bargaining unit no longer support the union and don\u2019t want to be represented by the union.\n\nYou can apply to have a non-independent union derecognised if the majority of workers do not support it.\n\n## Employers: reduced workforce\n\nAs an employer, you can apply to the Central Arbitration Committee (CAC) to have a trade union derecognised if both of the following are true:\n\n- you\u2019ve employed less than 21 people for a continuous 13-week period\n\n- it is more than 3 years since recognition was declared by the CAC\n\nYou must give written notice to the union asking for the union to be derecognised. Notice must be given within 5 days of the end of the relevant 13-week period.\n\nYour letter must include the following details:\n\n- the specific 13-week period during which you had less than 21 workers\n\n- the number of workers you employed in that time\n\n- the current bargaining arrangements\n\n- the date you want the arrangements to end - this must be at least 35 working days after the request was made\n\nYou must give a copy of the letter to the CAC. The CAC will tell you within 10 days if the notice you gave the union was valid.\n\n## Your notice is valid\n\nThe union will be derecognised and you won\u2019t have to negotiate with them anymore, unless they make an application to the CAC because they believe that:\n\n- the 13-week period was within 3 years of them gaining recognition\n\n- your company employed 21 or more workers during that time\n\n## Your notice isn\u2019t valid\n\nYou must continue with the current collective bargaining arrangements.\n\n## Employers: union loses support\n\nYou can try to get a union derecognised if the workers in the bargaining unit no longer support it and don\u2019t want it to negotiate on their behalf.\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the union, stating:\n\n- that you wish to end the bargaining arrangements because you believe that the union no longer has the support of the workers\n\n- what the current arrangements are\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union agrees to negotiate\n\nIf they reject your request but agree to negotiate, you\u2019ll have another 20 working days to come to an agreement about derecognition.\n\nWithin this period, either side can ask the Advisory, Conciliation and Arbitration Service (Acas) to help with negotiations. You may extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nYou can apply to the Central Arbitration Committee (CAC) to hold a secret ballot of workers to see if they support derecognition.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your supporting documents to CAC. Send a copy to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange a secret ballot of workers if your application is successful.\n\nYou\u2019ll have to continue negotiating with the union if your application fails.\n\n## Employers: union membership is less than 50%\n\nIf the Central Arbitration Committee (CAC) declared recognition without a ballot more than 3 years ago, a union can be derecognised if the level of union membership in the bargaining unit falls below 50%.\n\nApply to the CAC to hold a secret ballot of employees on whether collective bargaining should be ended.\n\nYou can only apply if:\n\n- the CAC declared recognition without a ballot more than 3 years ago\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\n## Ask the union to voluntarily derecognise\n\nYou must send a written request to the unions, stating:\n\n- that fewer than 50% of the workers in the bargaining unit are union members\n\n- what the current bargaining arrangements are, eg how many workers are in the bargaining unit, where they work\n\n- that the request is made under Schedule A1 of the Trade Union and Labour Relations (Consolidation) Act 1992\n\nThe union has 10 working days to respond to your request.\n\nYou can end the bargaining arrangements and derecognise the union if they accept your request.\n\n## The union rejects your request but is willing to negotiate\n\nYou have 10 days to negotiate an agreement about derecognition. You can extend this period if the union agrees.\n\n## The union doesn\u2019t respond or rejects your request\n\nApply to CAC to hold a secret ballot of workers to see if they support derecognition.\n\nYou can\u2019t apply if there have been any applications to CAC for an end to bargaining arrangements in the previous 3 years.\n\nProvide evidence (eg letters supporting your application, workplace surveys) that less than 50% of the bargaining unit are union members.\n\nSend the completed form and your supporting documents to CAC. You must send copies of the form and evidence to the union.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nThe CAC will arrange for a secret ballot of the workers to be held if your application is successful.\n\nYou will have to continue negotiating with the union if your application fails.\n\n## Workers: union loses support\n\nYou can apply to the Central Arbitration Committee (CAC) for a secret ballot on derecognition if you believe the union no longer has the support of the bargaining unit.\n\nYou can only apply if both of these are true:\n\n- the union has been recognised for longer than 3 years\n\n- there haven\u2019t been any applications to CAC for derecognition in the previous 3 years\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of workers in the bargaining unit are likely vote for derecognition\n\nSend the completed form and your evidence to both the union and the CAC.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs information to support your application, eg evidence of levels of union support.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Workers: derecognise a non-independent union\n\nAn employee or group of workers can apply to the Central Arbitration Committee (CAC) to derecognise a non-independent union that the employer recognised voluntarily.\n\nA non-independent union represents employees but has not been given a certificate of independence by the Certification Officer. You can check this on the Certification Officer\u2019s website.\n\nYou can apply any time after the union has been recognised by the employer.\n\n## Apply for a secret ballot\n\nApply to CAC to hold a secret ballot of workers to find out if they want the union derecognsied.\n\nThe form must be completed and signed by an employee in the bargaining unit.\n\nProvide evidence (eg letters supporting your application, workplace surveys) for both of the following:\n\n- at least 10% of the workers in the bargaining unit want the union to be derecognised\n\n- a majority of employees in the bargaining are likely to favour an end to the bargaining arrangements\n\nSend the completed form plus your documents to CAC. Send a signed copy of the form and evidence to the union and your employer.\n\n## What happens next\n\nCAC has 10 working days to consider your application.\n\nYou may be asked to attend a hearing if CAC needs more information before deciding whether to grant your application.\n\nYour application will either be:\n\n- rejected and the union will continue to represent the bargaining unit\n\n- accepted and you\u2019ll enter a negotiation period of 20 working days\n\n## Taking part in negotiations\n\nCAC will try to help everyone involved reach an agreement. They may extend the 20-day negotiation period if everyone agrees.\n\nThe outcome of the negotiations will be one of the following:\n\n- you withdraw your application and the union continues to represent the bargaining unit\n\n- the union agrees to end the arrangements and is derecognised\n\n- no agreement is reached and CAC arranges a secret ballot\n\n## Holding a derecognition ballot\n\nWhen employers, workers and the union have tried to reach agreement about derecognition but failed, the Central Arbitration Committee (CAC) will hold a secret ballot.\n\nCAC will write to everyone involved, saying that they intend to hold a ballot to allow workers in the bargaining unit to vote on derecognition.\n\n## How the ballot works\n\nCAC will appoint a qualified independent person (QIP) who will aim to conduct the ballot within 20 working days of their appointment. The CAC may extend this period if necessary.\n\nThe QIP will provide an estimate for the cost of running the ballot. The arrangements for the ballot will be decided by the CAC after consulting the employer and the union.\n\nThe final cost of the ballot will be split equally between the employer and the union.\n\nThe employer and the union must follow the Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition.\n\n## Complain when someone doesn\u2019t co-operate\n\nComplain to CAC any time before the ballot is held if you feel someone isn\u2019t co-operating.\n\nThe union can complain to the CAC if the employer is not fulfilling their duties during the ballot.\n\nCAC will investigate and can issue a \u2018remedial order\u2019 demanding that all duties are carried out properly.\n\nIf that order is ignored CAC can cancel the ballot or declare that the union be derecognised.\n\n## Complain about unfair practices\n\nComplain to the Central Arbitration Committee (CAC) if you feel that another party is using unfair practices to influence the ballot, eg bribery or threats.\n\nTo make a complaint fill in the unfair practices application form and send it to CAC. The address is on the form.\n\nComplaints can be made at any time up to the end of day after the ballot closes.\n\nWhere CAC finds that unfair practices were used they may:\n\n- reschedule the ballot\n\n- cancel the ballot and declare that the union is derecognised\n\n- cancel the ballot and refuse the application for derecognition\n\nThe Code of Practice on Access and Unfair Practices during Ballots for Trade Union Recognition or Derecognition has more information.\n\n## After the ballot\n\nYou\u2019ll usually find out the result of the vote 48 hours after the ballot closes.\n\nFor a union to be derecognised the majority of those voting, and at least 40% of the workers in the bargaining unit, must vote in favour of ending the bargaining arrangements.\n\nThe Central Arbitration Committee (CAC) will declare the union as derecognised or will refuse the application for derecognition.\n\n## Paying for the ballot\n\nThe employer and the union will each receive a demand from the qualified independent person (QIP) for their share of the cost of running the ballot.\n\nThis must be paid in 15 days. If either party wishes to dispute the amount they can appeal to an employment tribunal.\n\n## What you must do\n\nAs an employer, you no longer have to work with a union that\u2019s been derecognised.\n\nYou must continue to work with a union if the CAC have refused the application for derecognition. You cannot reapply for the union to be derecognised for 3 years.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/derecognise-a-union", + "answerable": true, + "scenario": "I am an employer and due to the reduced work force the number of employees represented by the union has reduced to 10. The union is recognized entity by CAC since 2017. I have only employed 20 people for the past 14 weeks.", + "original_question": "Can i give notice to CAC to deregister it?" + }, + { + "id": "train-2145", + "question": "Scenario: I am a parent of two school-age children, the eldest of which is about to begin Key Stage 3. I am devoutly religious and have moral objections to aspects of the religious and the sexual education modules taught therein. These parts of the subject are not compulsory.\n\nQuestion: Can I withdraw my child from lessons I find morally offensive?\n\nDocument - The national curriculum:\n## Overview\n\nThe \u2018basic\u2019 school curriculum includes the \u2018national curriculum\u2019, as well as religious education and sex education.\n\nThe national curriculum is a set of subjects and standards used by primary and secondary schools so children learn the same things. It covers what subjects are taught and the standards children should reach in each subject.\n\nOther types of school like academies and private schools do not have to follow the national curriculum. Academies must teach a broad and balanced curriculum including English, maths and science. They must also teach religious education.\n\n## Key stages\n\nThe national curriculum is organised into blocks of years called \u2018key stages\u2019 (KS). At the end of each key stage, the teacher will formally assess your child\u2019s performance.\n\n| Child\u2019s age | Year | Key stage | Assessment |\n\n| 3 to 4 | | Early years | |\n\n| 4 to 5 | Reception | Early years | Teacher assessments (there\u2019s also an optional assessment at the start of the year) |\n\n| 5 to 6 | Year 1 | KS1 | Phonics screening check |\n\n| 6 to 7 | Year 2 | KS1 | National tests and teacher assessments in English, maths and science |\n\n| 7 to 8 | Year 3 | KS2 | |\n\n| 8 to 9 | Year 4 | KS2 | |\n\n| 9 to 10 | Year 5 | KS2 | |\n\n| 10 to 11 | Year 6 | KS2 | National tests and teacher assessments in English and maths, and teacher assessments in science |\n\n| 11 to 12 | Year 7 | KS3 | |\n\n| 12 to 13 | Year 8 | KS3 | |\n\n| 13 to 14 | Year 9 | KS3 | |\n\n| 14 to 15 | Year 10 | KS4 | Some children take GCSEs |\n\n| 15 to 16 | Year 11 | KS4 | Most children take GCSEs or other national |\n\n## Assessments\n\nBy the end of each summer term the school must write a report on your child\u2019s progress and talk it through with you.\n\n## Key stage 1 and 2\n\nCompulsory national curriculum subjects at primary school are:\n\n- English\n\n- maths\n\n- science\n\n- design and technology\n\n- history\n\n- geography\n\n- art and design\n\n- music\n\n- physical education (PE), including swimming\n\n- computing\n\n- ancient and modern foreign languages (at key stage 2)\n\nSchools must provide religious education (RE) but parents can ask for their children to be taken out of the whole lesson or part of it.\n\nSchools often also teach:\n\n- personal, social and health education (PSHE)\n\n- citizenship\n\n- modern foreign languages (at key stage 1)\n\n## Tests and assessments\n\n## Year 1 phonics screening check\n\nThe check will take place in June when your child will read 40 words out loud to a teacher. You\u2019ll find out how your child did, and their teacher will assess whether he or she needs extra help with reading. If your child does not do well enough in the check they\u2019ll have to do it again in Year 2.\n\n## Key stage 1\n\nKey stage 1 tests cover:\n\n- English reading\n\n- English grammar, punctuation and spelling\n\n- maths\n\nYour child will take the tests in May. You can ask the school for the test results.\n\nYou\u2019ll be sent the results of your child\u2019s teacher assessments automatically.\n\n## Key stage 2\n\nYour child will take national tests in May when they reach the end of key stage 2. These test your child\u2019s skills in:\n\n- English reading\n\n- English grammar, punctuation and spelling\n\n- maths\n\nThe tests last less than 4 hours. You\u2019ll get the results in July.\n\nThe school will send you the results of your child\u2019s tests and teacher assessments.\n\n## Key stage 3 and 4\n\n## Key stage 3\n\nCompulsory national curriculum subjects are:\n\n- English\n\n- maths\n\n- science\n\n- history\n\n- geography\n\n- modern foreign languages\n\n- design and technology\n\n- art and design\n\n- music\n\n- physical education\n\n- citizenship\n\n- computing\n\nSchools must provide religious education (RE) and sex education from key stage 3 but parents can ask for their children to be taken out of the whole lesson or part of it.\n\n## Key stage 4\n\nDuring key stage 4 most pupils work towards national qualifications - usually GCSEs.\n\nThe compulsory national curriculum subjects are the \u2018core\u2019 and \u2018foundation\u2019 subjects.\n\nCore subjects are:\n\n- English\n\n- maths\n\n- science\n\nFoundation subjects are:\n\n- computing\n\n- physical education\n\n- citizenship\n\nSchools must also offer at least one subject from each of these areas:\n\n- arts\n\n- design and technology\n\n- humanities\n\n- modern foreign languages\n\nThey must also provide religious education (RE) and sex education at key stage 4.\n\n## English Baccalaureate (EBacc)\n\nThe EBacc is a way to measure how many pupils in a school choose to take a GCSE in these core subjects:\n\n- English language and literature\n\n- maths\n\n- the sciences\n\n- history or geography\n\n- a language\n\nFind out more about the EBacc.\n\n## Other compulsory subjects\n\nChildren must also study:\n\n- sex and relationships education (year 7 onwards)\n\n- religious education (RE)\n\nThey may not have to take exams in these subjects.\n\n## Sex and relationship education\n\nSex and relationship education (SRE) is compulsory from age 11 onwards. It involves teaching children about reproduction, sexuality and sexual health. It does not promote early sexual activity or any particular sexual orientation.\n\nSome parts of sex and relationship education are compulsory - these are part of the national curriculum for science. Parents can withdraw their children from all other parts of sex and relationship education if they want.\n\nAll schools must have a written policy on sex education, which they must make available to parents for free.\n\n## Religious education\n\nSchools have to teach RE but parents can withdraw their children for all or part of the lessons. Pupils can choose to withdraw themselves once they\u2019re 18.\n\nLocal councils are responsible for deciding the RE syllabus, but faith schools and academies can set their own.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/national-curriculum", + "answerable": true, + "scenario": "I am a parent of two school-age children, the eldest of which is about to begin Key Stage 3. I am devoutly religious and have moral objections to aspects of the religious and the sexual education modules taught therein. These parts of the subject are not compulsory.", + "original_question": "Can I withdraw my child from lessons I find morally offensive?" + }, + { + "id": "train-2146", + "question": "Scenario: I am a 41 year old from Chester and I have a CBT course arranged which unfortunately I can not attend. I have given 3 weeks notice for the course.\n\nQuestion: Can I reschedule the course for another date?\n\nDocument - Become a DVSA assessed CBT motorcycle instructor:\n## Overview\n\nYou can apply to the Driver and Vehicle Standards Agency (DVSA) to become a DVSA assessed compulsory basic training (CBT) motorcycle instructor.\n\nCBT is a training course that most learner motorcycle and moped riders must take before riding on the road.\n\n## Rules for becoming a CBT instructor\n\nTo become a DVSA assessed CBT motorcycle instructor you must have a driving licence from either:\n\n- Great Britain or Northern Ireland\n\n- the EU or EEA - but you must register it\n first\n\nYou must also:\n\n- be 21 or older\n\n- have had a full category A2 or A motorcycle licence for at least 3 years\n\nYou\u2019ll have to take a 2-day assessment at a DVSA training and development centre.\n\n## When you qualify\n\nWhen you pass you must work for a motorcycle approved training body (ATB) to be able to:\n\n- provide the CBT course to learner riders\n\n- train up to 10 instructors at the ATB to also deliver CBT courses (this is known as \u2018down-training\u2019)\n\n- apply to become a direct access scheme instructor\n\n## How to book your assessment\n\nFill in the application form to book an assessment and send it to the address on the form. There\u2019s no charge for the assessment.\n\nThe Driver and Vehicle Standards Agency (DVSA) will contact you to arrange a date after checking your application.\n\n## If you cannot go to your assessment\n\nTell DVSA by email if you cannot attend your assessment.\n\nYou must give at least 5 working days\u2019 notice - Saturdays, Sundays and public holidays do not count as working days.\n\nYour approved training body cannot tell DVSA without giving your signature.\n\nYour application will become invalid and will count as an unsuccessful attempt if you do not tell DVSA in enough time.\n\nYou\u2019re only allowed 2 unsuccessful attempts before you have to wait a year before applying to take another assessment.\n\n## Preparing for the assessment\n\nStudy the compulsory basic training (CBT) syllabus before you take the assessment.\n\n## Other preparation\n\nYou should also study the following official Driver and Vehicle Standards Agency (DVSA) publications:\n\n- The Highway Code\n\n- Know your traffic signs\n\n- Learning to Ride\n\n- Riding - the Essential Skills\n\n- Theory Test for Motorcyclists\n\nYou can buy them from most high street and online book shops.\n\n## What to bring to your assessment\n\nYou need to bring:\n\n- your valid driving licence\n\n- your CBT1 card if you have one\n\n- a fully taxed, insured and roadworthy motorcycle with a power output of at least 20kW\n\nIf you have an EU or EEA licence, you must also bring confirmation of your Great Britain (GB) driver number. You need to register your licence to get a GB driver number.\n\nYour assessment will be cancelled if you do not bring these.\n\nYou\u2019re allowed to bring a pen and any notes or training aids to help you.\n\n## What the assessment involves\n\nThe compulsory basic training (CBT) instructor assessment assesses your ability to:\n\n- train learner motorcyclists in the requirements of CBT\n\n- train and guide other instructors within an approved training body\n\nThere will usually be 2 other instructors taking the assessment at the same time as you.\n\nThe DVSA assessor will play the role of a novice rider throughout the assessment.\n\nYou\u2019ll be asked to deliver lessons based on the topics being assessed. One or both of the other instructors will act as your supervisor. You\u2019ll then swap the roles of the instructor and supervisor.\n\n## Eyesight test\n\nYou\u2019ll have to pass an eyesight test before the assessment starts. You\u2019ll have to read a number plate from a distance of:\n\n- 26.5 metres for vehicles with a new-style number plate\n\n- 27.5 metres for vehicles with an old-style number plate\n\nNew-style number plates start with 2 letters followed by 2 numbers, for example AB51 ABC.\n\nThe rest of the assessment will not go ahead if you fail the eyesight test.\n\n## Session 1\n\nThis session focuses on element A of the CBT syllabus - introduction to CBT.\n\nThe DVSA assessor will give you an overview of the assessment.\n\nYou\u2019ll then deliver a lesson on the modules within element A of the CBT syllabus. You\u2019re allowed to use notes and training aids. The other candidates will watch your instruction and decide whether it\u2019s valid and achieves the objective.\n\n## Session 2\n\nThis session focuses on element B of the CBT syllabus - practical on-site training.\n\nYou\u2019ll be introduced to the motorcycle that will be used on-site. You should familiarise yourself with it so you can give a controls lesson or basic machine check lesson.\n\nThe \u2018novice rider\u2019 will act on the instruction you give. The other candidates will watch the instruction you give and decide whether it\u2019s a valid lesson and achieves the objective.\n\n## Sessions 3 and 4\n\nThese sessions focus on element C of the CBT syllabus - practical on-site riding.\n\nYou\u2019ll instruct the \u2018novice rider\u2019. The other candidates give a debrief at the end of each lesson.\n\nThe roles will be changed several times so you can prove your ability as an instructor and supervisor.\n\n## Session 5\n\nThis session focuses on element D of the CBT syllabus - practical on-road training.\n\nYou\u2019ll give a lesson made up of 3 modules from element D. The other candidates will supervise you, and then the roles will be swapped.\n\n## Sessions 6 and 7\n\nThese sessions focus on element E of the CBT syllabus - practical on-road riding.\n\nYou\u2019ll ride a motorcycle and follow the \u2018novice rider\u2019 on the road. You\u2019ll have to:\n\n- give instructions\n\n- correct any faults that they make\n\n- direct them over a route on public roads using radio equipment\n\nYou\u2019ll need to use your own motorcycle for sessions 6 and 7.\n\n## Your assessment result\n\nYou\u2019ll be given your result and a debrief at the end of the assessment by the assessor. You\u2019ll be sent confirmation of your result by post.\n\n## Passing the assessment\n\nYou\u2019ll be sent more information about how to apply to the Driver and Vehicle Standards Agency (DVSA) for registration as a DVSA assessed instructor.\n\nUntil you\u2019ve got your registration certificate you are not allowed to:\n\n- conduct compulsory basic training (CBT) courses\n\n- train any instructors on behalf of your approved training body (ATB)\n\n## Failing the assessment\n\nYou cannot apply to retake the assessment if you fail it twice within a 12-month period. You\u2019ll have to wait until 1 year after the date of the second assessment before applying again.\n\n## Failing if you\u2019re a down-trained instructor\n\nYou can continue to give CBT training if you\u2019re a down-trained instructor, but you\u2019ll have to have a standards check at your ATB in the near future.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-dvsa-assessed-cbt-motorcycle-instructor", + "answerable": true, + "scenario": "I am a 41 year old from Chester and I have a CBT course arranged which unfortunately I can not attend. I have given 3 weeks notice for the course.", + "original_question": "Can I reschedule the course for another date?" + }, + { + "id": "train-2148", + "question": "Scenario: My wife is pregnant. I am an employee who currently earns \u00a3550 per week. I have been working for this employer for five years. I want to take time off to look after my new child when it is born. I have given the correct notice to my employer.\n\nQuestion: Am I eligible for statutory paternity pay?\n\nDocument - Statutory Paternity Pay and Leave: employer guide:\n## Entitlement\n\nEmployees may be eligible for Statutory Paternity Leave and Pay if they and their partner are:\n\n- having a baby\n\n- adopting a child\n\n- having a baby through a surrogacy arrangement\n\n## Statutory Paternity Leave\n\nEmployees can choose to take either 1 week or 2 consecutive weeks\u2019 leave. The amount of time is the same even if they have more than one child (for example twins).\n\nLeave cannot start before the birth. The start date must be one of the following:\n\n- the actual date of birth\n\n- an agreed number of days after the birth\n\n- an agreed number of days after the expected week of childbirth\n\nLeave must finish within 56 days of the birth (or due date if the baby is early). The start and end dates are different if the employee is adopting.\n\n## Statutory Paternity Pay\n\nStatutory Paternity Pay for eligible employees is either \u00a3151.97 a week or 90% of their average weekly earnings (whichever is lower). Tax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator.\n\nSome employment types, like agency workers, directors and educational workers, have different rules for entitlement.\n\n## Extra leave or pay\n\nEmployees can get more leave or pay if:\n\n- their partner returns to work and they qualify for Shared Parental Leave and Pay\n\n- your company scheme offers more\n\nYou must make sure your paternity leave and pay policies are clear and easily accessible to staff.\n\n## Leave for antenatal appointments\n\nEmployees can take unpaid leave to accompany a pregnant woman to antenatal appointments if they are:\n\n- the baby\u2019s father\n\n- the expectant mother\u2019s spouse or civil partner\n\n- in a long term relationship with the expectant mother\n\n- the intended parent (if they\u2019re having a baby through a surrogacy arrangement)\n\nThey can accompany the woman to 2 appointments of up to 6 and a half hours each.\n\n## If the baby dies\n\nEmployees still qualify for paternity leave and pay if the baby is either:\n\n- stillborn from 24 weeks of pregnancy\n\n- born alive at any point in the pregnancy but later dies\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during paternity leave. You still have to pay Statutory Paternity Pay even if you stop trading.\n\n## Eligibility\n\nEmployees must be one of the following, the:\n\n- father\n\n- husband or partner of the mother (or adopter)\n\n- child\u2019s adopter\n\n- intended parent (if they\u2019re having a baby through a surrogacy arrangement)\n\nEmployees must also:\n\n- be classed as an employee (paternity leave only)\n\n- be employed by you up to the date the child is born (or placed with the adopter) (paternity pay only)\n\n- be on your payroll and earn at least \u00a3120 a week (gross) in an 8 week \u2018relevant period\u2019 (paternity pay only)\n\n- give you the correct notice\n\n- be taking time off to look after the child or their partner\n\n- be responsible for the child\u2019s upbringing\n\n- have been continuously employed by you for at least 26 weeks up to any day in the \u2018qualifying week\u2019\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nThe qualifying week is the 15th week before the baby is due. This is different if the employee is adopting.\n\nUse the paternity pay calculator to check an employee\u2019s eligibility and work out their relevant period, notice period and paternity pay.\n\nThere are special rules for some employee situations, for example if they leave or become sick.\n\n## If the child is born early\n\nIf the child is born early, the employee is still eligible if they would have worked for you continuously for at least 26 weeks by the qualifying week.\n\nFor very premature births where the child is born 15 weeks before the due date, you\u2019ll need to calculate paternity pay using your payroll software (if it has this feature) or work it out manually.\n\n## Employees in surrogacy arrangements\n\nParents intending to have a child through a surrogacy arrangement may be eligible for Statutory Paternity Pay and Leave.\n\nIf you ask, they must give you a written statement to confirm that they\u2019ve applied or intend to apply for a parental order in the 6 months after the baby\u2019s birth.\n\nEmployees cannot get Statutory Paternity Pay and Leave if they\u2019ve taken Shared Parental Leave.\n\n## Notice period\n\nThe notice periods and forms are different if the employee is adopting.\n\n## Statutory Paternity Leave\n\nEmployees must tell you at least 15 weeks before the week the baby is expected:\n\n- the baby\u2019s due date\n\n- when they want their leave to start - they can change this with 28 days\u2019 notice\n\n- how much leave they want\n\nNotice does not have to be in writing unless you request it. Employees can use form SC3 to ask for leave and pay.\n\n## Statutory Paternity Pay\n\nEmployees must request paternity pay at least 15 weeks before the week the baby is expected using form SC3 (or your own version). Take a copy and give the original back to the employee.\n\nEmployees having a baby through a surrogacy arrangement must use form SC4 to request leave and pay.\n\n## Late notice\n\nYou can delay the leave or pay start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.\n\n## Adoption\n\nEligible employees are entitled to paternity leave and pay if they\u2019re adopting a child.\n\nCalculate an employee\u2019s paternity leave and pay using the maternity and paternity calculator. For overseas adoptions you\u2019ll need to use your payroll software (if it has this feature) or work it out manually.\n\n## Eligibility\n\nAn employee adopting a child must:\n\n- have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child (UK adoptions)\n\n- have been continuously employed by you for at least 26 weeks by either the date the child arrives in the UK or when they want their pay to start (overseas adoptions)\n\n- confirm that their partner is getting Statutory Adoption Pay in writing or by giving you a copy of their partner\u2019s form SC6\n\n- meet the other eligibility conditions for paternity leave or pay\n\n## Notice period\n\nAn employee adopting a child must send you form SC4 for:\n\n- leave - no later than 7 days of their co-adopter or partner being matched with a child\n\n- pay - 28 days before they want their pay to start\n\nFor overseas adoptions the form and notice period is different. The process is explained on form SC5.\n\n## Leave start date\n\nAn employee taking paternity leave because they\u2019re adopting can start their leave:\n\n- on the date of placement\n\n- an agreed number of days after the date of placement\n\n- on the date the child arrives in the UK or an agreed number of days after this (overseas adoptions)\n\nFor overseas adoptions leave must be taken within 56 days of the date of placement or the child\u2019s arrival in the UK.\n\n## Proof of adoption\n\nEmployees must give you proof of adoption to qualify for paternity pay. Proof is not needed for paternity leave unless you request it. Proof can be a letter from their adoption agency or their matching certificate.\n\nYou must keep records of the proof.\n\n## Refuse pay form SPP1\n\nYou can refuse Statutory Paternity Pay if the employee does not qualify. To do this send them form SPP1 within 28 days of their pay request. You must keep a copy.\n\nThe employee can ask you for a written statement explaining your decision. You have to give this to them within a reasonable time, for example 7 working days.\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- the date Statutory Paternity Pay started\n\n- the paternity payments you\u2019ve made (including dates)\n\n- the payments you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\n- if adopting, a letter from the adoption agency or a matching certificate\n\nYou must keep records for 3 years from the end of the tax year they relate to (for example by using form SPP2 or keeping your own records).\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-paternity-pay-leave", + "answerable": true, + "scenario": "My wife is pregnant. I am an employee who currently earns \u00a3550 per week. I have been working for this employer for five years. I want to take time off to look after my new child when it is born. I have given the correct notice to my employer.", + "original_question": "Am I eligible for statutory paternity pay?" + }, + { + "id": "train-2152", + "question": "Scenario: My parents moved to the united kingdom from a country once ruled by the united kingdom, I plan to stay and work in the united kingdom. My parents moved to the UK from Fiji in 1970.\n\nQuestion: Am I eligable to apply to work and live in the united kingdom under the Windrush Scheme?\n\nDocument - Windrush Scheme: get a document showing your right to be in the UK:\n## Overview\n\nIf you\u2019re settled in the UK but do not have a document to prove it, you may be eligible to apply to the \u2018Windrush Scheme\u2019.\n\nYou may be able to apply for a document to prove you can live and work in the UK if one of the following is true:\n\n- you came to the UK from a Commonwealth country before 1973\n\n- your parents came to the UK from a Commonwealth country before 1973\n\n- you came to the UK from any country before 31 December 1988 and are now settled here\n\nIt\u2019s free to apply.\n\nYou might also be entitled to apply for citizenship for free if you\u2019re a Commonwealth citizen who settled in the UK before 1 January 1973, or you\u2019re the child of someone who did.\n\n## If you suffered losses because you did not have documents\n\nIf you are eligible for this scheme, you might also be able to apply for compensation. The compensation scheme is for losses that happened because you could not show that you had a right to live in the UK.\n\n\u2018Losses\u2019 can be things like not being able to work, find a place to live or get health treatment. They can also include immigration action, like detention or removal from the UK.\n\n## You arrived before 1973 from a Commonwealth country\n\nYou may be able to apply for a document to prove you can live and work in Britain if both of the following apply:\n\n- you\u2019re a Commonwealth citizen\n\n- you were settled in the UK before 1 January 1973\n\nWhat you\u2019re entitled to depends on whether you:\n\n- have been living in the UK continuously\n\n- left the UK for more than 2 years and came back\n\n- are outside the UK\n\n## If you\u2019ve been living in the UK continuously\n\nIf you\u2019ve lived in the UK continuously, or have the right of abode, you can apply for one of the following:\n\n- British citizenship\n\n- evidence you have the right of abode\n\n- a document confirming you have indefinite leave to remain\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019ve left the UK for more than 2 years and come back\n\nIf you\u2019ve been away from the UK for more than 2 years at some point and are now lawfully in the UK, you might be entitled to indefinite leave to remain.\n\nIf you already have indefinite leave to remain you might be able to apply for either:\n\n- a document to prove you have this\n\n- British citizenship\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## If you\u2019re outside the UK\n\nIf you\u2019ve left the UK and have lost your indefinite leave to remain, you might be entitled to:\n\n- a Returning Resident visa\n\n- a 10 year multiple entry visa\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## You're the child of a Commonwealth citizen who arrived before 1973\n\nYou can apply for British citizenship or a document confirming you have indefinite leave to remain.\n\nIf you do not have indefinite leave to remain but are here lawfully, you can apply for it through the scheme.\n\nTo apply, one of your parents must be a Commonwealth citizen and either:\n\n- was settled in the UK before 1 January 1973\n\n- had the right of abode\n\nOne of the following must also be true:\n\n- you were born in the UK\n\n- you came to live in the UK before turning 18\n\nYou must have lived continuously in the UK since arriving (or being born) here.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## You arrived before 1989\n\nYou can apply for a document to prove you can live and work in Britain if you came to live in the UK before 31 December 1988 and are now settled here.\n\nYou can be of any nationality.\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\nFind out how to apply.\n\n## How to apply\n\nWhen you apply, the Home Office will work with other government departments to find records of you living in the UK.\n\nNone of your information will be shared with immigration enforcement teams.\n\n## If you\u2019re in the UK\n\nApply using the Windrush Scheme application form (UK).\n\nPost it to the address on the form with your supporting documents.\n\nThe Windrush helpline can post a paper form to you.\n\n## If you\u2019re outside the UK\n\nYou must apply using an online form.\n\n## Fee\n\nIt\u2019s free to apply.\n\n## What happens next\n\nThe Windrush taskforce will get in touch with you if they have any questions about your application, or if they need more information.\n\n## Give your fingerprints and photo\n\nYou\u2019ll be asked to provide your fingerprints and photo (\u2018biometric information\u2019) once you\u2019ve sent in your form. You will not have to pay anything to do this.\n\n## Commonwealth countries\n\nYou may be eligible for the Windrush Scheme if you arrived in the UK from any country before 1989.\n\nYou may also be eligible if you or your parent is a citizen of one of the following Commonwealth countries:\n\n- Anguilla\n\n- Antigua and Barbuda\n\n- Australia\n\n- The Bahamas\n\n- Bangladesh\n\n- Barbados\n\n- Belize\n\n- Bermuda\n\n- Botswana\n\n- British Antarctic Territory\n\n- British Indian Ocean Territory\n\n- Brunei\n\n- Canada\n\n- Cayman Islands\n\n- Cyprus (excluding the Sovereign base area)\n\n- Dominica\n\n- Falkland Islands\n\n- Fiji\n\n- The Gambia\n\n- Ghana\n\n- Gibraltar\n\n- Grenada\n\n- Guyana\n\n- Hong Kong\n\n- India\n\n- Jamaica\n\n- Kenya\n\n- Kiribati\n\n- Lesotho\n\n- Malawi\n\n- Malaysia\n\n- Maldives\n\n- Malta\n\n- Mauritius\n\n- Monserrat\n\n- Namibia\n\n- Nauru\n\n- New Zealand\n\n- Nigeria\n\n- Pakistan\n\n- Papua New Guinea\n\n- Pitcairn, Henderson, Ducie and Oeno Islands\n\n- Saint Helena, Ascension and Tristan da Cunha\n\n- Saint Lucia\n\n- Samoa\n\n- Seychelles\n\n- Sierra Leone\n\n- Singapore\n\n- Solomon Islands\n\n- South Africa\n\n- South Georgia and the South Sandwich Islands\n\n- Sri Lanka\n\n- St Kitts and Nevis\n\n- St Vincent and The Grenadines\n\n- Swaziland\n\n- Tanzania\n\n- Tonga\n\n- Trinidad and Tobago\n\n- Turks and Caicos Islands\n\n- Tuvalu\n\n- Uganda\n\n- Vanuatu\n\n- Virgin Islands\n\n- Zambia\n\n- Zimbabwe\n\nContact the Windrush helpline for help with working out if you\u2019re eligible.\n\n## Windrush helpline\n\nThe Windrush helpline can:\n\n- help you make a claim\n\n- give extra support to those who need it - for example, elderly or vulnerable claimants\n\n- post a form to you\n\nIf you are outside the UK, email the helpline and request a call back.\n\nOutside of the helpline opening hours, you can leave a message to ask for your call to be returned at a convenient time.\n\nYou can also sign up for email updates about the scheme.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/windrush-prove-your-right-to-be-in-the-uk", + "answerable": true, + "scenario": "My parents moved to the united kingdom from a country once ruled by the united kingdom, I plan to stay and work in the united kingdom. My parents moved to the UK from Fiji in 1970.", + "original_question": "Am I eligable to apply to work and live in the united kingdom under the Windrush Scheme?" + }, + { + "id": "train-2154", + "question": "Scenario: I was born and raised in Australia. I have changed my gender and got a certificate in Australia. I have moved to UK three years back. I am currently 29 years old.\n\nQuestion: I would like to know whether I am eligible to apply for Gender Recognition Certificate in UK ?\n\nDocument - Apply for a Gender Recognition Certificate:\n## Overview\n\nApply to the Gender Recognition Panel for a Gender Recognition Certificate if you want your acquired gender to be legally recognised in the UK.\n\nThere are 3 different ways (\u2018routes\u2019) to get a certificate - which one you use depends on your situation.\n\nRead the full guidance before you apply.\n\n## Standard route\n\nApply by the standard route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria (discomfort with your birth gender) - this is also called gender identity disorder, gender incongruence or transsexualism\n\n- you\u2019ve lived in your acquired gender for at least 2 years\n\n- you intend to live in your acquired gender for the rest of your life\n\n## Alternative route\n\nApply by the alternative route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria or had surgery to change your sexual characteristics\n\n- you live in England, Wales, Northern Ireland or Scotland most of the time\n\n- you intend to live in your acquired gender for the rest of your life\n\n- you\u2019re in (or have been in) a protected marriage or protected civil partnership before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\n- you\u2019ve lived in your acquired gender for at least 6 years before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\nA marriage or civil partnership is protected if it\u2019s one of the following:\n\n- registered under the law of England, Wales or Northern Ireland\n\n- a marriage solemnised in Scotland\n\n- a civil partnership registered in Scotland\n\n- a marriage registered under the law of a country or territory outside the UK\n\n- a marriage on UK consular premises or in an armed forces base, if you elected England, Wales, Northern Ireland or Scotland as the relevant part of the UK\n\n## Overseas route\n\nApply by the overseas route if your acquired gender has been legally accepted in an \u2018approved country or territory\u2019 and you have documents to prove it.\n\nYou must be 18 or over.\n\n## Help you can get\n\nYou can get information, advice and support from a number of voluntary organisations - you can find a list on page 21 of the full guidance.\n\nYou can also contact Citizens Advice or find a legal adviser.\n\n## If you're married or in a civil partnership\n\n## If you\u2019re married\n\nYou can stay married if you apply for a Gender Recognition Certificate.\n\nYou and your spouse must fill in a statutory declaration saying you both agree to stay married.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.\n\nIf your marriage is registered in England, Wales or Northern Ireland and you have an interim certificate, you\u2019ll only get a full certificate once you end your marriage.\n\nIf your marriage was registered in Scotland, you can use an interim certificate to apply to the sheriff court for a full certificate. You do not need to end your marriage first.\n\nContact the administrative team at the Gender Recognition Panel if either you or your spouse change your mind about staying married during the application process.\n\n## If you\u2019re in a civil partnership\n\nYou can stay in your civil partnership if it was registered in England, Wales or Northern Ireland.\n\nYour partner must fill in a statutory declaration saying they agree to stay in a civil partnership with you. Contact the Gender Recognition Panel for help with filling in the declaration.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if your partner does not fill in a statutory declaration.\n\n## Civil partnerships registered in Scotland\n\nIf your civil partnership was registered in Scotland, you must end it or convert your civil partnership to marriage.\n\nIf you decide to convert your civil partnership into a marriage you must do it before you apply to the Gender Recognition Panel.\n\nIf you\u2019re still in a civil partnership when you apply to the Gender Recognition Panel, you\u2019ll get an \u2018interim certificate\u2019. You must end the civil partnership before you can get a full certificate.\n\n## How to apply\n\nDownload and fill in the right form for your application.\n\n| | Form | Guidance |\n\n| Standard route | Form T450 | Leaflet T451 |\n\n| Alternative route | Form T464 | Leaflet T465 |\n\n| Overseas route | Form T453 | Leaflet T454 |\n\nSend the completed form with your fee and any supporting documents relevant to your application.\n\n## Fees\n\nIt costs \u00a35 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\n## Get help with your application\n\nContact the administrative team at the Gender Recognition Panel for advice on the application process.\n\n## Documents you must provide\n\nYou must send certain documents when you apply, depending on which application route you use and whether you\u2019ve ever been married or in a civil partnership.\n\nYou might need to send original documents - you\u2019ll get them back after the Gender Recognition Panel has looked at your application. You will not get any statutory declarations back.\n\nFor all application routes, you must download and fill in the relevant statutory declaration for:\n\n- single people\n\n- married people or civil partners\n\n## If you\u2019ve ever been married or in a civil partnership\n\nFor all application routes you must provide the following (if relevant):\n\n- an original or certified copy of your marriage or civil partnership certificate\n\n- a copy of the decree ending your marriage or proof that any previous civil partnership has been dissolved\n\n- a copy of your spouse\u2019s death certificate\n\nIf you want to stay married, your spouse must fill in a statutory declaration for a spouse.\n\n## Standard or alternative route\n\nFor all application routes you must send:\n\n- an original or certified copy of your birth certificate\n\n- copies of any official documents that show your birth name has changed to your current name\n\n- proof you\u2019ve lived in your acquired gender for the required time\n\n- any required medical reports\n\nYou need to have lived in your acquired gender for 2 years if applying through the standard route.\n\nIf you\u2019re applying through the alternative route you need to have lived in your acquired gender for 6 years before 10 December 2014, or 16 December 2014 if you\u2019re in Scotland.\n\n## Proof you\u2019ve lived in your acquired gender\n\nThis proof must cover the required time that you\u2019ve lived in your acquired gender. It could include copies of your:\n\n- passport\n\n- driving licence\n\n- payslips or benefit documents\n\n- utility bills or other documents of an official nature\n\nAll documents should be in your acquired name and gender. The earliest document must be dated before the beginning of the required time.\n\n## Medical reports\n\nFor the standard and alternative application routes you must send a report that includes details of any treatment you\u2019ve had to change your sexual characteristics, for example hormone treatment or surgery.\n\nThe report must be an original copy from a qualified medical professional, for example a:\n\n- doctor registered with the General Medical Council (GMC)\n\n- psychologist registered with the Health and Care Professions Council\n\nYou can ask your GP or surgeon to fill in a report for you if you do not have one already.\n\nIf you have not had any treatment or surgery yet, you must send a report that includes details of any planned treatment or surgery.\n\nIf you are applying by the standard route you must also send a report with details of your gender dysphoria diagnosis.\n\nRead the list of gender dysphoria specialists to find out who can write this report for you. You can send a report from a registered medical professional not on this list if they can prove they work in gender dysphoria.\n\n## Overseas route\n\nIf you\u2019re applying using the overseas route, you must prove that your gender has been legally recognised in an \u2018approved country or territory\u2019. Send original or certified copies of the following (if you have them):\n\n- your new birth certificate and old birth certificate\n\n- an amended birth certificate that shows the change of gender\n\n- a court order authorising your change of gender\n\n- a document that\u2019s equivalent to a Gender Recognition Certificate\n\n- an entry in a legal register that proves your acquired gender has been recognised\n\n## What happens next\n\nYour application will be assessed by the Gender Recognition Panel - you\u2019ll be contacted if they need more proof or information.\n\nContact the administrative team at the Gender Recognition Panel to find out about your application\u2019s progress.\n\n## If you get a full certificate\n\nYou\u2019ll be sent information on:\n\n- how to get a new birth certificate, marriage certificate or civil partnership where appropriate\n\n- who you must tell about your gender change\n\nYour pension and benefits may be affected.\n\n## If you\u2019re given an interim certificate\n\nYou\u2019ll be sent information on:\n\n- how to annul or dissolve your marriage or civil partnership\n\n- how long you have to convert your civil partnership to a marriage, if applicable\n\n## If your application is turned down\n\nYou\u2019ll be told why your application was rejected.\n\nYou may be able to appeal the decision if you think it\u2019s wrong on a point of law.\n\nWhere you appeal depends on whether you live in:\n\n- England and Wales - appeal to the High Court Family Division\n\n- Scotland - appeal to the Court of Session in Edinburgh\n\n- Northern Ireland - appeal to the High Court\n\nYou\u2019ll be told in your decision letter how to appeal or apply again.\n\n## Legislation\n\nThe Gender Recognition Panel must apply the law in the Gender Recognition Act 2004 and the following amendments:\n\n- Schedule 5, Section 12 of the Marriage (Same Sex Couples) Act 2013\n\n- Part 4 of the Marriage and Civil Partnership (Scotland) Act 2014", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "answerable": true, + "scenario": "I was born and raised in Australia. I have changed my gender and got a certificate in Australia. I have moved to UK three years back. I am currently 29 years old.", + "original_question": "I would like to know whether I am eligible to apply for Gender Recognition Certificate in UK ?" + }, + { + "id": "train-2155", + "question": "Scenario: I live in Essex, England and own a small (7m) vintage fishing smack (unpowered sail boat). I would like to take this out into the Thames Estuary and North Sea to fish for mackerel and plaice. I have never done this before and only plan on doing it from time to time for leisure, as a pleasurable activity.\n\nQuestion: Do I need a Category A fishing vessel license?\n\nDocument - Get a fishing vessel licence: vessels 10 metres or under:\n## Overview\n\nYou need a Category A (10 metres or under) fishing vessel licence if you want to catch and sell sea fish, unless you\u2019re exempt.\n\nCheck the licence you need if your vessel is longer than 10 metres.\n\nFollow these steps to get a Category A (10 metres or under) fishing vessel licence:\n\n- Register your vessel - you must do this before you can get a licence.\n\n- Get a licence entitlement - you\u2019ll need this to get a licence.\n\n- Apply for your licence.\n\nYou must carry your licence on board your vessel at all times.\n\n## Exemptions\n\nYou don\u2019t need a licence for your vessel if any of the following apply:\n\n- it doesn\u2019t have an engine\n\n- it\u2019ll only be used to fish for common eels, salmon or migratory trout\n\n- you fish only within 12 nautical miles of Jersey, Guernsey or the Isle of Man, but you\u2019ll need a licence from the relevant authority\n\n- you only use your vessel to fish for pleasure\n\n## Register your vessel\n\nYou must register your vessel on the UK Ship Registry to get a fishing vessel licence, unless your vessel is registered in the Channel Islands or the Isle of Man.\n\nTo get on the register:\n\n- arrange an inspection by a Maritime and Coastguard Agency (MCA) inspector or surveyor\n\n- fill in application form MSF4740 and send it to the address on the form\n\nYou can choose simple or full registration. Full registration lets you take out a marine mortgage against your vessel.\n\n## Registration fees\n\nSimple registration is \u00a3111 and full registration is \u00a3131.\n\n## Documents you need\n\nYou must include the following documents:\n\n- Declaration of Eligibility (MSF 4728)\n\n- original ownership documents - bill of sale, invoice or builder\u2019s certificate\n\n- Seafish Construction Certificate if your vessel was built after July 2007, or Seafish Inspection Report if your vessel was built before 2007\n\n- Safety Certificate issued by MCA (MSF 1606)\n\n- the vessel\u2019s radio call sign, if you have one\n\n- deletion certificate if the vessel was previously registered on another register\n\n- a copy of the Certificate of Incorporation if the owner is a limited company\n\nYour evidence of ownership must cover the last 3 years if you\u2019re applying for full registration.\n\n## Get a licence entitlement\n\nYou can get an entitlement by:\n\n- buying the entitlement from a vessel that has sunk, been scrapped or is no longer being used for fishing\n\n- buying a vessel with a licence\n\nYou need to make sure the entitlement is suitable for:\n\n- a vessel which is 10 metres or under (Category A)\n\n- the tonnage of your vessel and the size of the engine (kilowattage)\n\nYou can combine 2 or more entitlements if 1 is not enough to cover your vessel. You can also split an entitlement if you don\u2019t need it all.\n\n## Register an entitlement bought without a vessel\n\nGet form AFL7 from your local MMO office.\n\nRead the instructions for filling in form AFL7.\n\nFill in sections A and B of the form and send it to your local MMO office.\n\nMMO will check the previous owner has agreed to the transfer and return the form to you.\n\n## Entitlements bought with a vessel\n\nThe seller will transfer the entitlement into your name as part of the sale. MMO will send you form AFL7.\n\nUse form AFL7 to convert your entitlement into a licence.\n\n## Apply for your licence\n\nFill in application form AFL2 to apply for a Category A (10 metres or under) licence and send it to your local MMO office with your:\n\n- certificate of registry for the vessel\n\n- form AFL7 showing you as the entitlement holder\n\nSend the original documents, not copies.\n\nA licence is valid for 2 years, starting on 1 July and ending 2 years later on 30 June.\n\nYour licence will be renewed automatically.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/fishing-vessel-licence-under-10-metres", + "answerable": true, + "scenario": "I live in Essex, England and own a small (7m) vintage fishing smack (unpowered sail boat). I would like to take this out into the Thames Estuary and North Sea to fish for mackerel and plaice. I have never done this before and only plan on doing it from time to time for leisure, as a pleasurable activity.", + "original_question": "Do I need a Category A fishing vessel license?" + }, + { + "id": "train-2156", + "question": "Scenario: My father passed away 3 years ago after a long service of 30 years with the UK Merchant Navy, as a remembrance gift for my mother i wanted to give her a gift of a veteran seafarers badge that would have been bestowed on him as an honour. I think he would really appreciate the acknowledgement. My mom receives a War Widow's pension. I have access to the documents since I helped her get it.\n\nQuestion: Am I able to order on my dads behalf a Merchant Navy Seafarers badge now that my father has passed away?\n\nDocument - Apply for a veterans badge or a medal:\n## Apply for a veterans badge\n\nYou can get an armed forces veterans badge if you\u2019ve served in any of the UK armed forces - there\u2019s no fee.\n\n## Eligibility\n\nYou can apply if you were in the:\n\n- army\n\n- Royal Navy\n\n- Royal Marines\n\n- Royal Air Force (RAF)\n\n- volunteer or regular reserves\n\nYou cannot apply if you:\n\n- served in the armed forces of another country\n\n- served alongside the UK armed forces, for example in the Canadian Navy or Royal Australian Air Force\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get either:\n\n- a War Widow\u2019s or Widower\u2019s Pension\n\n- compensation under the Survivors Guaranteed Income Payment (SGIP)\n\n## How to apply\n\nDownload and fill in the application for an armed forces veterans badge.\n\nYou can also call the enquiries line to get a paper application form sent to you.\n\nYou\u2019ll need to give as much information on the form as possible, such as:\n\n- the force you served in, for example the army or Royal Navy\n\n- service number\n\n- period of service\n\nPost the form to the Ministry of Defence (MOD) Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your veterans badge within 6 to 8 weeks of applying.\n\nYou can also apply for a medal if you\u2019re eligible.\n\nIf you lose your badge, you can apply for a replacement.\n\n## Get help\n\nIf you need to contact MOD about your veterans badge application, you can phone, fax or send an email to dbs-modmo-vetsbadge@mod.gov.uk.\n\nYou cannot apply for a veterans badge by email.\n\n## Apply for a medal\n\nYou can apply for a medal if you served in the armed forces and are eligible.\n\nFind out the types of medal the Ministry of Defence (MOD) issues.\n\nYou can only apply for World War 1 medals if the original was returned.\n\n## Eligibility\n\nYou can apply if you were awarded a medal for service in any of the following:\n\n- the army\n\n- the Royal Navy\n\n- the Royal Marines\n\n- the Royal Air Force (RAF)\n\n- the Home Guard\n\n- the reserve forces\n\nYou must meet the eligibility requirements for the medal you\u2019re applying for.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply on behalf of a veteran if you have lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules for the official next of kin are:\n\n- the person\u2019s spouse or civil partner has the first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the parent is entitled to apply\n\n- if there\u2019s no spouse, child or parent, the eldest grandchild is entitled to apply\n\n## How to apply\n\nDownload and fill in the medal application form.\n\nApply through your unit if you\u2019re still serving in the armed forces.\n\nIf you\u2019re applying on behalf of someone else, you must include a copy of either your lasting power of attorney or a death certificate.\n\nPost the form, along with any supporting documents, to the MOD Medal Office - the address is on the form. Do not send the form by email.\n\n## After you\u2019ve applied\n\nYou\u2019ll usually get your medal within 12 weeks of sending the application form.\n\nYou can apply for a replacement medal if the original\u2019s been stolen or accidentally destroyed, for example in a fire.\n\n## Get help\n\nIf you need to contact MOD about your medal application, email dbs-medals@mod.gov.uk.\n\n## Replace a badge or medal\n\nYou can get the first replacement veterans badge for free.\n\nYou may be able to get a replacement medal - it depends how it was lost. You\u2019ll have to pay for the replacement medal plus a fee.\n\n## Replace a veterans badge\n\nFollow the instructions for applying for a veterans badge - you can use the same form.\n\nYou\u2019ll usually get your replacement veterans badge within 6 to 8 weeks of applying.\n\nYou do not have to pay a fee if it\u2019s the first veterans badge you\u2019re replacing.\n\n## Replace a medal\n\nYou can only get a replacement medal from the Ministry of Defence (MOD) if it was stolen or destroyed, for example in a fire or flood. The medal must have been awarded for service after World War 1.\n\nYou\u2019ll need to show proof by providing a copy of either a:\n\n- police crime report\n\n- successful insurance claim listing the individual items\n\nYou can also buy replacement medals from a licensed medal dealer.\n\n## How to apply\n\nDownload and fill in the medal application form to ask for a replacement medal. Post the form to the MOD Medal Office, along with:\n\n- a letter explaining how the medal was stolen or destroyed\n\n- a copy of the police report or insurance claim\n\nThe address is on the form.\n\nContact your unit\u2019s human resources (HR) department if you\u2019re currently serving in the armed forces.\n\n## After you\u2019ve applied\n\nYou\u2019ll get a letter from the Medal Office - usually within 10 working days of when your application\u2019s received.\n\nYou\u2019ll be told how much the replacement will cost and how to pay if your application\u2019s successful. The cost depends on the type of medal. It includes an administration fee.\n\nYou\u2019ll get the replacement within 4 weeks from the Medal Office getting your payment.\n\n## Apply for a UK merchant seafarers veterans badge\n\nYou can apply for a UK merchant seafarers veterans badge if you:\n\n- were a Merchant Navy seafarer or fisherman\n\n- served in a vessel used to support the UK Armed Forces\n\n## If you\u2019re applying on behalf of someone who\u2019s died\n\nYou can only apply on behalf of a veteran who\u2019s died if you get a War Widow\u2019s or Widower\u2019s Pension.\n\n## How to apply\n\nYou can apply for a badge through the Merchant Navy Association.\n\n## Members of the Royal Fleet Auxiliary\n\nIf you\u2019re a member of the Royal Fleet Auxiliary, apply for the armed forces veterans badge.\n\n## Apply for a UK merchant navy medal\n\nYou can apply for a UK merchant navy medal if you were a member of the merchant navy and you:\n\n- served in a vessel used to support the UK armed forces\n\n- meet the eligibility requirements for the medal you\u2019re applying for\n\n## How to apply\n\nComplete the application form and send it to the address on the form. You\u2019ll also need to send your seaman\u2019s discharge book.\n\n## If you\u2019re applying for someone else\u2019s medal\n\nYou can apply for someone else if either:\n\n- they\u2019ve died\n\n- you have lasting power of attorney\n\nYou must include a copy of the death certificate or your lasting power of attorney.\n\nIf the veteran has died, you must be the official next of kin. The general rules are:\n\n- the person\u2019s spouse or civil partner has first claim to the medal, and then the eldest child\n\n- if there\u2019s no spouse or child, the eldest grandchild is entitled to apply\n\n## After you\u2019ve applied\n\nYou\u2019ll get a decision within 30 working days of your application being received.\n\n## Get help\n\nEmail seafarers_registry@mcga.gov.uk if you need help with your application.\n\n## Replace a lost or stolen medal\n\nYou\u2019ll need to complete the application form if your medal is lost or has been stolen.\n\n## If you want to appeal or complain\n\nYou can write to or email the Ministry of Defence (MOD) Medal Office if you want to:\n\n- appeal a decision\n\n- complain about how you\u2019ve been treated\n\nYou should include any new evidence you have if you make an appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-medal-or-veterans-badge", + "answerable": true, + "scenario": "My father passed away 3 years ago after a long service of 30 years with the UK Merchant Navy, as a remembrance gift for my mother i wanted to give her a gift of a veteran seafarers badge that would have been bestowed on him as an honour. I think he would really appreciate the acknowledgement. My mom receives a War Widow's pension. I have access to the documents since I helped her get it.", + "original_question": "Am I able to order on my dads behalf a Merchant Navy Seafarers badge now that my father has passed away?" + }, + { + "id": "train-2158", + "question": "Scenario: I am unable to work due to a mental health condition. I have had this condition for several years and it is gradually worsening. I do not see any sign of respite. I am only 35 years old so I do not meet the age requirement for State Pension.\n\nQuestion: Are people with mental health problems eligible for ESA if the condition prevents them from working?\n\nDocument - Employment and Support Allowance (ESA):\n## Overview\n\nYou can apply for Employment and Support Allowance (ESA) if you have a disability or health condition that affects how much you can work.\n\nYou may also be able to get ESA if you were unable to work while self-isolating or \u2018shielding\u2019 because of coronavirus (COVID-19).\n\nESA gives you:\n\n- money to help with living costs if you\u2019re unable to work\n\n- support to get back into work if you\u2019re able to\n\nYou can apply if you\u2019re employed, self-employed or unemployed.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Eligibility\n\nYou can apply for \u2018new style\u2019 Employment and Support Allowance (ESA) if you\u2019re under State Pension age and you have a disability or health condition that affects how much you can work.\n\nYou also need to have both:\n\n- worked as an employee or have been self-employed\n\n- paid enough National Insurance contributions, usually in the last 2 to 3 years - National Insurance credits also count\n\nCheck your National Insurance record for gaps.\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. Universal Credit can help with, for example, your housing and childcare costs.\n\nYou cannot get \u2018new style\u2019 ESA if you:\n\n- claim Jobseeker\u2019s Allowance\n\n- claim Statutory Sick Pay\n\n## If your Statutory Sick Pay (SSP) is due to end\n\nYou can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends. You\u2019ll start getting \u2018new style\u2019 ESA as soon as your SSP ends.\n\n## If you\u2019re working\n\nYou can apply whether you\u2019re in or out of work. There are conditions to working while claiming ESA.\n\n## If you\u2019ve been affected by coronavirus (COVID-19)\n\nYou can apply for \u2018new style\u2019 ESA if you\u2019re unable to claim Statutory Sick Pay and one of the following applies:\n\n- you or your child might have COVID-19 or you\u2019re recovering from it\n\n- you or your child are self-isolating because you came into contact with someone who might have COVID-19\n\n- you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery\n\n- you were advised to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nIf you\u2019re claiming ESA because of COVID-19, you\u2019ll need to give evidence to support your claim.\n\n## Proof if you\u2019re self-isolating because of COVID-19\n\nIf you or your child are self-isolating and you cannot work because of COVID-19, you can get an \u2018isolation note\u2019 online from NHS 111 if you\u2019ve been off work for 7 or more days. You do not have to go to your doctor or a hospital.\n\nIf you\u2019ve been notified by the NHS or public health authorities that you\u2019ve come into contact with someone with COVID-19, your notification is proof.\n\nIf you\u2019ve been advised by your doctor or healthcare professional to self-isolate before going into hospital for surgery, your letter confirming the date of your procedure is proof.\n\n## Proof if you were advised to shield because of COVID-19\n\nYour doctor or health authority should have sent you a letter advising you or your child to \u2018shield\u2019 because you\u2019re clinically extremely vulnerable to COVID-19.\n\nThe letter will have included the period to shield for. It is proof of your eligibility for ESA for days away from work in that period.\n\nYou may have more than one letter covering more than one shielding period.\n\nContact your doctor if you do not have a letter but think you should have one.\n\n## What you'll get\n\nHow much you get will depend on what stage your application is at, as well as things like your age and whether you\u2019re able to get back into work.\n\nIf you get \u2018new style\u2019 ESA you\u2019ll earn Class 1 National Insurance credits, which can help towards your State Pension and some benefits in the future.\n\n## What might affect how much you get paid\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nNeither your or your partner\u2019s savings or income will affect how much \u2018new style\u2019 ESA you\u2019re paid. But a private pension worth more than \u00a385 per week may affect how much you can get.\n\nIf you get income-related ESA, your household income and savings worth \u00a36,000 or more may affect how much you can get.\n\n## While your claim is being assessed\n\nYou\u2019ll normally get the \u2018assessment rate\u2019 for 13 weeks while your claim is being assessed.\n\nThis will be:\n\n- up to \u00a359.20 a week if you\u2019re aged under 25\n\n- up to \u00a374.70 a week if you\u2019re aged 25 or over\n\nIf it takes longer than 13 weeks to assess your claim, you\u2019ll continue getting the \u2018assessment rate\u2019 until you get a decision or until your ESA is due to end. Your ESA will be backdated if you\u2019re owed any money after 13 weeks.\n\n## After you\u2019re assessed\n\nYou\u2019ll be placed into one of 2 groups if you\u2019re entitled to ESA. If you\u2019re able to get back into work in the future, you\u2019ll be put into the work-related activity group. Otherwise, you\u2019ll be put into the support group.\n\nYou\u2019ll get:\n\n- up to \u00a374.70 a week if you\u2019re in the work-related activity group\n\n- up to \u00a3114.10 a week if you\u2019re in the support group\n\n## If you\u2019re in the support group\n\nIf you\u2019re in the support group and on income-related ESA, you\u2019re also entitled to the enhanced disability premium.\n\nYou may also qualify for the severe disability premium.\n\nFind out how to apply for a disability premium.\n\n## How you\u2019re paid\n\nYou\u2019ll get paid ESA every 2 weeks.\n\nAll benefits are paid into your bank, building society or credit union account.\n\n## Other benefits you can claim\n\nUniversal Credit can help with, for example, your housing and childcare costs. You could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA.\n\nUse a benefits calculator to find out what other benefits you could get, for example Personal Independence Payment (PIP) if you have a long-term health condition or disability.\n\nThe benefit cap may affect the total amount of benefit you can get. The cap will not affect you if you\u2019re in the support group.\n\n## If you\u2019re moving to Universal Credit from income-related ESA\n\nIf your income-related ESA claim is ending because you\u2019re making a new claim for Universal Credit, you\u2019ll automatically continue to get the amount of ESA you currently receive, as long as you\u2019re still eligible. You\u2019ll normally get this for 2 weeks, starting from the date of your new claim.\n\nThe Department for Work and Pensions (DWP) will write to you telling you how this works.\n\nYou do not need to pay this money back, and it will not affect the amount of Universal Credit you get.\n\n## Budgeting Loan\n\nYou can apply for a Budgeting Loan if you\u2019ve been on income-related ESA for at least 6 months.\n\n## Advice on money and debt\n\nYou can get help and advice from your Jobcentre Plus work coach or:\n\n- Citizens Advice\n\n- Money Advice Service\n\n- National Debtline\n\n- Shelter\n\n- Turn2us\n\n## Working while you claim\n\nYou can usually work while you are claiming ESA if both of the following apply:\n\n- you work less than 16 hours a week\n\n- you do not earn more than \u00a3143 a week\n\nTell Jobcentre Plus about your work when you make a claim.\n\nSend this form to Jobcentre Plus if you\u2019re already claiming ESA and you want to start work.\n\n## When you can work 16 hours or more a week\n\nYou can work more than 16 hours a week if the work is either voluntary or \u2018supported permitted work\u2019.\n\n## Supported permitted work\n\nThe work must be either:\n\n- supervised by someone from a local council or voluntary organisation who arranges work for disabled people\n\n- part of a treatment programme under medical supervision\n\nYou can still earn no more than \u00a3143 a week.\n\n## How to claim\n\nYou could get Universal Credit at the same time or instead of \u2018new style\u2019 ESA. \nCheck if you\u2019re eligible for Universal Credit.\n\nThere\u2019s a different way to apply in Northern Ireland.\n\n## What you need to apply\n\nYou\u2019ll need:\n\n- your National Insurance number\n\n- your bank or building society account number and sort code (you can use a friend or family member\u2019s account if you do not have one)\n\n- your doctor\u2019s name, address and telephone number\n\n- details of your income if you\u2019re working\n\n- the date your Statutory Sick Pay (SSP) ends if you\u2019re claiming it\n\nYou cannot get \u2018new style\u2019 ESA if you\u2019re getting Statutory Sick Pay (SSP) from an employer. You can apply for \u2018new style\u2019 ESA up to 3 months before your SSP ends.\n\nIf you\u2019re applying because of COVID-19, you\u2019ll also need:\n\n- an \u2018isolation note\u2019 if you\u2019re unable to work because of COVID-19\n\n- your notification from the NHS or public health authorities if you\u2019ve been told to self-isolate because you\u2019ve come into contact with someone with COVID-19\n\n- a letter confirming the date of your procedure if you\u2019ve been advised to self-isolate before going into hospital for surgery\n\n- a letter from your doctor or a health authority advising you or your child to shield (take extra precautions to reduce contact with others) because you\u2019re at very high risk of severe illness from COVID-19\n\nShielding in England, Scotland and Wales has stopped. You can still apply for ESA if you were shielding in England or shielding in Wales before 1 April 2021, or if you were shielding in Scotland before 26 April 2021.\n\nOnce you\u2019ve applied, you\u2019ll be contacted by phone and told when to give the evidence and where to send it.\n\nApply now\n\n## When you can apply by phone\n\nCall the Universal Credit helpline if:\n\n- you cannot make an application online\n\n- you\u2019re an appointee for someone\n\n## After you apply\n\nThe Department for Work and Pensions (DWP) will contact you within 10 working days of applying.\n\n## If you\u2019re eligible\n\nDWP will contact you within 10 working days to schedule an appointment that you must attend. It will normally be over the phone with a work coach from your local Jobcentre Plus office.\n\nYour work coach will explain what you need to do to get \u2018new style\u2019 ESA. They will create an agreement with you called a \u2018Claimant Commitment\u2019.\n\nYou must agree to your Claimant Commitment before you can get \u2018new style\u2019 ESA.\n\nAt the appointment, you\u2019ll be asked to:\n\n- explain how your illness or disability affects your ability to work\n\n- provide medical evidence\n\n- agree to tell your local Jobcentre Plus if your circumstances change\n\n## If you\u2019re not eligible\n\nDWP will send you a letter within 10 working days of applying to explain why you\u2019re not eligible for ESA.\n\n## If you disagree with a decision\n\nYou can challenge a decision about your claim. This is called asking for \u2018mandatory reconsideration\u2019.\n\n## Reapplying for ESA\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\nYou may be able to reapply after your \u2018new style\u2019 ESA ends. You may qualify again depending on:\n\n- what National Insurance contributions you paid in the last 2 full tax years before the tax year you\u2019re claiming in\n\n- whether you\u2019re placed in the support group because you developed a new condition or your health deteriorated\n\n## Your ESA claim\n\nAfter you\u2019ve made your claim, you\u2019ll be told if you need to have a \u2018Work Capability Assessment\u2019 and what group you\u2019ll be put in.\n\n## Work Capability Assessment\n\nA Work Capability Assessment is used to find out if your illness or disability affects how much you can work.\n\nYou might not need one, for example if you\u2019re in hospital or you have a terminal illness.\n\nIf you need a Work Capability Assessment you\u2019ll get a letter telling you to fill in the \u2018Capability for work questionnaire\u2019 and send it to the Health Assessment Advisory Service. The address is on the form. The questionnaire is different in Northern Ireland.\n\nYou\u2019ll be told what happens next, for example if you need an appointment to understand your health condition better.\n\nIf you\u2019re claiming both Universal Credit and \u2018new style\u2019 ESA, you\u2019ll only have one Work Capability Assessment.\n\nYou can ask for your assessment to be recorded. If you would like this, tell the Health Assessment Advisory Service using the contact details in your appointment invite letter.\n\n## How the assessment happens\n\nAssessments can be in person, by video call or on the phone. You\u2019ll be told how your assessment will take place.\n\nIf you\u2019re asked to attend in person you\u2019ll be told how to do this safely because of coronavirus (COVID-19). You can bring one adult from your household with you.\n\nIf your assessment is by phone or video call, you can have someone else with you, for example a friend or support worker. You can ask the assessor to call them if they\u2019re not with you when the assessment starts.\n\nYou\u2019ll stay on the \u2018assessment rate\u2019 until a decision can be made on your Work Capability Assessment.\n\n## After your claim is assessed\n\nIf you\u2019re entitled to ESA you\u2019ll be placed in one of 2 groups:\n\n- a work-related activity group (you cannot work now, but can prepare to work in the future, for example by writing a CV)\n\n- a support group (you cannot work now and you\u2019re not expected to prepare for work in the future)\n\n## If you\u2019re in the work-related activity group\n\nYou must attend regular interviews with a work coach. They can help you improve your skills or write a CV to help you get back into work.\n\n## If you\u2019re in the support group\n\nYou\u2019re usually in this group if your illness or disability severely limits what you can do. You do not have to go to interviews. You can tell your work coach if you\u2019d like to take part in work-related activities.\n\n## How long you\u2019ll get ESA for\n\nYou cannot make a new claim for income-related ESA. You\u2019ll continue to get payments while you\u2019re eligible until your claim ends.\n\n\u2018New style\u2019 and contribution-based ESA last for 365 days if you\u2019re in the work-related activity group.\n\nThere\u2019s no time limit if you\u2019re in the support group, or if you\u2019re getting income-related ESA.\n\nTo keep getting ESA you must report any change in your circumstances. You may also need to send fit notes regularly.\n\n## If you get a sanction\n\nYour ESA can be reduced if you do not attend interviews or do work-related activity as agreed with your work coach in your \u2018Claimant Commitment\u2019. This reduction can continue for up to 4 weeks after you restart work-related activities.\n\nYou\u2019ll get a letter to say you may be sanctioned. Tell your work coach if you have a good reason for not doing what was agreed in your Claimant Commitment.\n\nYou\u2019ll get another letter if the decision is made to give you a sanction. Your benefit will only be affected once a decision has been made.\n\nYou should contact your local council immediately if you claim Housing Benefit or Council Tax Reduction. They\u2019ll tell you what to do to continue getting support.\n\nIf you get a sanction you can:\n\n- ask for the decision to be looked at again\n\n- ask for a hardship payment\n\nYou will not get a sanction if you\u2019re in the support group.\n\n## Hardship payments\n\nIf you get income-related ESA, you may be able to get a hardship payment if your benefit has been reduced because of a sanction or a penalty due to suspected benefit fraud.\n\nA hardship payment is a reduced amount of your ESA. You do not have to pay it back.\n\nYou can get a hardship payment if you cannot pay for rent, heating, food or other basic needs for you or your family. You must be 18 or over.\n\nSpeak to your Jobcentre Plus adviser or work coach to find out how to claim a hardship payment.\n\n## Report a change of circumstances\n\nYou need to report changes to your circumstances so you keep getting the right amount of Employment and Support Allowance (ESA).\n\nYour claim might be stopped or reduced if you do not report a change straight away.\n\nA change of circumstance can include:\n\n- starting or stopping work, education, training or an apprenticeship\n\n- moving house\n\n- changing your name\n\n- people moving into or out of the place you live (for example your partner or a child)\n\n- changes to the benefits you or anyone else in your house gets\n\n- changes to your pension, savings, investments or property\n\n- changes to other money you get (for example student loans or grants, sick pay or money you get from a charity)\n\n- changing your doctor\n\n- any changes to your medical condition or disability\n\n- going into hospital or a care home or sheltered accommodation\n\n- going abroad for any length of time\n\n- changes to your immigration status, if you\u2019re not a British citizen\n\nCall Jobcentre Plus if you\u2019re not sure whether you need to report a change.\n\nYou may be prosecuted or have to pay a \u00a350 penalty if you give wrong or incomplete information.\n\n## If you\u2019ve been paid too much\n\nIf you give wrong or incomplete information or do not report a change straight away, you might be paid too much. If you are, you might have to\u00a0pay some of the money back.\n\n## How to report\n\nYou can report a change of circumstances by:\n\n- calling Jobcentre Plus\n\n- writing to the Jobcentre Plus office that pays your ESA - the address is on the letters you get about your ESA\n\nIf you get Universal Credit at the same time as \u2018new style\u2019 ESA, you must also report the changes of circumstances in your Universal Credit account.\n\n## British Sign Language (BSL) video relay service\n\nWatch a video to check you can use the service\n\nGo to the video relay service\n\nMonday to Friday, 8am to 6pm.\n\nIf you\u2019re in Northern Ireland contact the ESA Centre.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employment-support-allowance", + "answerable": true, + "scenario": "I am unable to work due to a mental health condition. I have had this condition for several years and it is gradually worsening. I do not see any sign of respite. I am only 35 years old so I do not meet the age requirement for State Pension.", + "original_question": "Are people with mental health problems eligible for ESA if the condition prevents them from working?" + }, + { + "id": "train-2160", + "question": "Scenario: I have been working in a pharmacy shop without breaks due to the flow of customers. I have raised my complaint to my senior boss but has not taken it seriously but ignored me. I feel strained and under pressure. I have tried on multiple occasions to resolve the issue with my higher-ups but to no avail.\n\nQuestion: Can i make a claim to the employment tribunal?\n\nDocument - Rest breaks at work:\n## Overview\n\nWorkers over 18 are usually entitled to 3 types of break - rest breaks at work, daily rest and weekly rest.\n\n## Rest breaks at work\n\nWorkers have the right to one uninterrupted 20 minute rest break during their working day, if they work more than 6 hours a day. This could be a tea or lunch break.\n\nThe break doesn\u2019t have to be paid - it depends on their employment contract.\n\n## Daily rest\n\nWorkers have the right to 11 hours rest between working days, eg if they finish work at 8pm, they shouldn\u2019t start work again until 7am the next day.\n\n## Weekly rest\n\nWorkers have the right to either:\n\n- an uninterrupted 24 hours without any work each week\n\n- an uninterrupted 48 hours without any work each fortnight\n\nA worker\u2019s employment contract may say they\u2019re entitled to more or different rights to breaks from work.\n\n## Work that puts health and safety at risk\n\nAn employer should give an employee enough breaks to make sure their health and safety isn\u2019t at risk if that work is \u2018monotonous\u2019 (eg work on a production line).\n\nDomestic workers in a private house (eg a cleaner or au pair) aren\u2019t entitled to rest breaks for health and safety reasons.\n\n## Taking breaks\n\nEmployers can say when employees take rest breaks during work time as long as:\n\n- the break is taken in one go somewhere in the middle of the day (not at the beginning or end)\n\n- workers are allowed to spend it away from their desk or workstation (ie away from where they actually work)\n\nIt doesn\u2019t count as a rest break if an employer says an employee should go back to work before their break is finished.\n\nUnless a worker\u2019s employment contract says so, they don\u2019t have the right to:\n\n- take smoking breaks\n\n- get paid for rest breaks\n\n## Exceptions and special circumstances\n\nThere are exemptions to the rights to rest breaks.\n\nSome workers are entitled to compensatory rest breaks, eg shift workers.\n\nYoung people and lorry and coach drivers have different rights to rest breaks.\n\n## Compensatory rest\n\nWorkers may be entitled to \u2018compensatory rest\u2019 if they don\u2019t have the right to specific rest breaks. Compensatory rest breaks are the same length of time as the break (or part of it) that they\u2019ve missed.\n\nA worker may be entitled to compensatory rest if:\n\n- they\u2019re a shift worker and can\u2019t take daily or weekly rest breaks between ending one shift and starting another\n\n- their workplace is a long way from their home (eg an oil rig)\n\n- they work in different places which are a reasonable distance from each other\n\n- they\u2019re doing security and surveillance-based work\n\n- they\u2019re working in an industry which is very busy at certain times of the year \u2013 like agriculture, retail, postal services or tourism\n\n- they need to work because there\u2019s an exceptional event, an accident or a risk that an accident is about to happen\n\n- the job needs round-the-clock staffing so there aren\u2019t interruptions to any services or production (eg hospital work)\n\n- they work in the rail industry on board trains or their job is linked to making sure trains run on time\n\n- their working day is split up (eg they\u2019re a cleaner and work for part of the morning and the evening)\n\n- there is an agreement between management, trade unions or the workforce (a \u2018collective\u2019 or \u2018workforce\u2019 agreement) that has changed or removed rights to these rest breaks for a group of workers\n\nThe total rest entitlement for a week is 90 hours a week on average - this doesn\u2019t include breaks at work, which are additional.\n\n## Exceptions\n\nWorkers aren\u2019t entitled to the 3 general types of rest break if they work in:\n\n- the armed forces, emergency services or police and they\u2019re dealing with an exceptional catastrophe or disaster\n\n- a job where they freely choose what hours they work (like a managing director) or where the work is not measured (ie no set hours)\n\n- sea transport\n\n- air or road transport (known as \u2018mobile\u2019 workers)\n\nAir, sea or road transport workers may be covered by special rules that give them different rest rights.\n\nMobile workers not covered by any special rules usually have the right to regular rest so that their health and safety (or anyone else\u2019s) isn\u2019t put at risk.\n\nThere are also special rules for young workers and for lorry and coach drivers.\n\n## Young workers\n\nYoung workers (above school leaving age and under 18) are usually entitled to:\n\n- a 30 minute rest break if they work more than 4.5 hours (if possible this should be one continuous break)\n\n- daily rest of 12 hours\n\n- weekly rest of 48 hours\n\n## Exceptions for young workers\n\nYoung workers sometimes aren\u2019t entitled to daily rest or rest breaks at work if their work has to be done because of an exceptional event (eg an accident). This is only where:\n\n- there isn\u2019t a worker over 18 who can do the work\n\n- the work is temporary and must be done immediately\n\n## Compensatory rest for young workers\n\nYoung workers have the right to compensatory rest if they\u2019re not entitled to daily rest or rest breaks at work. This is the same amount of rest that they should have had. It can be taken just after any rest they\u2019ve missed but it must be taken within the following 3 weeks.\n\n## Disputes\n\nWorkers who can\u2019t take or aren\u2019t allowed rest breaks should speak to their manager informally.\n\nGet more information for employees who want to raise a grievance or advice for employers on handling grievances if there is a disagreement about rest breaks.\n\nWorkers can also get advice on rest breaks from the Acas helpline.\n\nIf a worker can\u2019t solve a problem, they may be able to make a claim to an employment tribunal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/rest-breaks-work", + "answerable": true, + "scenario": "I have been working in a pharmacy shop without breaks due to the flow of customers. I have raised my complaint to my senior boss but has not taken it seriously but ignored me. I feel strained and under pressure. I have tried on multiple occasions to resolve the issue with my higher-ups but to no avail.", + "original_question": "Can i make a claim to the employment tribunal?" + }, + { + "id": "train-2164", + "question": "Scenario: We are an IT company and recently we have developed interest in Artificial Intelligence. There is a patent registered on Machine learning that we are interested in buying and seller is happy to sell it.\n\nQuestion: Is it possible to buy a patent when someone is selling it and has agreed to sign all necessary documents and keep a record of the transfer of the patent?\n\nDocument - Using somebody else's intellectual property:\n## Overview\n\nYou can usually get permission to use someone else\u2019s intellectual property (IP) by buying the rights from them or getting their permission to use it.\n\nUsing someone\u2019s trade mark, patent, copyright or design without their permission is known as \u2018IP infringement\u2019 and could lead to a fine, prison or both.\n\nRead about IP crime and enforcement for more information on the penalties.\n\n## Trade marks\n\nTo use an existing trade mark you should contact the current owner.\n\nFind the owner of a registered trade mark by searching the trade marks database.\n\n## Licensing\n\nA licence is a formal agreement to use someone else\u2019s trade mark. You and the owner must agree the terms of the licence, for example the cost or how long it will last.\n\nWhen you\u2019ve agreed a licence to use the trade mark, fill in the form to record a licensee and post it. The address is on the form.\n\nPost an application to remove or amend the record of a licence when the licensing agreement ends or if you need to change it.\n\nThe owner must sign any form you send, or you must send proof of the agreement with your application.\n\nEach application costs \u00a350.\n\n## Buying\n\nYou must tell IPO if you become the new owner of a trade mark, for example by buying it or as the result of a company merger.\n\nIn some cases the owner may only sell you one part of a trade mark, for example they may not sell the right to register derivative marks. This is known as a \u2018partial assignment\u2019.\n\nUse either:\n\n- \u2018Application to record a change of ownership\u2019 form\n\n- \u2018Application to record a partial assignment of goods and/or services\u2019 form\n\nEach application costs \u00a350.\n\nFill in the form and post it. The address is on the form.\n\n## Coexistence agreements\n\nYou may be able to use an identical trade mark (for example company name, logo) as someone else by making a coexistence agreement.\n\nThis means you agree that both of you can continue to use the trade mark.\n\n## Patents\n\nContact the owner of the patent to see if they\u2019ll:\n\n- license it to you\n\n- sell it to you\n\nSearch the patent databases to find the current owner.\n\n## Licensing\n\nAny licence arrangement, including cost, is made directly between you and the patent owner.\n\nYou can ask Intellectual Property Office (IPO) for help to resolve patent disputes if you can\u2019t reach an agreement.\n\nIPO can\u2019t decide the exact terms of the licence (for example the price) but can decide:\n\n- what can and can\u2019t be part of a licence\n\n- if the patent owner must grant you a licence (known as a \u2018compulsory licence under a patent\u2019)\n\n## Licence of right\n\nA patent with \u2018licence of right\u2019, means that the patent owners will give anyone a licence to use it.\n\nYou must still agree with the owner on the terms of the licence before you can use the patent.\n\nYou can ask IPO for help if you can\u2019t reach agreement.\n\n## Registering your licence\n\nRegister a licence agreement (or changes to an existing licence, for example cancellation) by filling in Patents form 21. Send it to the address on the form.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Buying a patent\n\nWhen someone sells you a patent they must transfer ownership to you.\n\nYou need a written document to record the transfer. This is known as an \u2018assignment\u2019 and must be signed by the person selling the patent.\n\nA solicitor can help you draw up this document.\n\nFill in Patents form 21 and return it to the address on the form. Include a copy of your assignment.\n\nYou can use the form to record licences on more than one patent. It costs \u00a350 for each form you submit.\n\n## Copyright\n\nYou can\u2019t copy or use copyright material without permission. For example, you can\u2019t buy a painting and then use copies of it for a book cover, or buy a CD and use a track from it in a film.\n\nTo use something protected by copyright you must either:\n\n- agree a licence with the owner to use it\n\n- buy or acquire the copyright\n\n- confirm that your intended use falls within the exceptions to copyright\n\n## Finding a copyright owner\n\nA person can give permission if they are:\n\n- the person who made it (the creator), or their family or heirs\n\n- the creator\u2019s employer, if it was created it as part of the creator\u2019s job\n\n- a person who bought, acquired or licensed the rights\n\n- an organisation representing the copyright owner\n\nYou may be able to find out who owns copyright from Writers, Artists and their copyright holders (WATCH).\n\nIf you can\u2019t find out who the copyright owner is check if you need a licence to use the work.\n\n## Licensing\n\nYou must agree the terms of an agreement with the current owner to use all or part of copyright works.\n\nThe licence agreement may allow you to use it for one or more specified purposes and may apply only for a limited time or in specific places.\n\n## Exclusive use\n\nYou\u2019ll be the only person able to use something for the duration of the agreement.\n\nThis includes the copyright owner, who won\u2019t be able to use it themselves while the agreement is in place.\n\n## Limited use\n\nYou\u2019ll only be given permission to use something for one or more specific reasons, for example publishing a photograph in one edition of a magazine or using a song as the theme for one series of a TV show.\n\nYou need to agree another licence if you want to use the material for something else.\n\n## Creative Commons licence\n\nSome copyright owners release work under a Creative Commons licence.\n\nYou must check what kind of use the licence allows.\n\n## Buying copyright\n\nWhen you buy copyright the person you\u2019re buying from transfers the copyright to you.\n\nOnce you own the copyright to something you can use it for anything you like, without the creator\u2019s express permission, as long as you respect their moral rights.\n\nYou must have a written agreement, signed by the copyright owner, stating that they have transferred ownership of the copyright to you.\n\n## Moral rights\n\nThe creator may still have certain rights regarding how their work is used even if you\u2019ve bought the copyright.\n\nAuthors, playwrights, composers, artists and film directors have the moral right:\n\n- to be recognised as the creator of the work when copies are made available to the public\n\n- to object to the work being altered in a way that has negative effect on their reputation\n\n- to not have someone else\u2019s work falsely attributed to them\n\nPerformers, such as actors or dancers, have the moral right:\n\n- to be recognised as the performer of the piece\n\n- to object to the performance being altered in a way that is damaging to their reputation\n\nThe creator or performer of a piece of work to which you own the copyright must tell you if they want to exercise these rights.\n\nThey can choose whether or not to use their moral rights.\n\nMoral rights can\u2019t be sold or transferred in the same way as copyright. They last for as long as the piece of work is covered by copyright.\n\n## Performers\u2019 rights\n\nPerformers, for example in films or broadcasts, may still have \u2018economic rights\u2019 to some copyright material, even if you\u2019ve bought the copyright.\n\nFor example, if you\u2019ve bought the copyright to a filmed recording of a play you may still have to pay the actors if you broadcast it.\n\n## Permitted use of copyright works\n\nYou may not need permission if you\u2019re using a copyright work for the following reasons:\n\n- non-commercial research and private study\n\n- criticism, review and reporting current events\n\n- teaching in educational establishments\n\n- helping disabled people\n\n- recording for use at a later date\n\nYou may not need permission if you only want to use a \u2018less than a substantial\u2019 part of a copyright protected work. This is decided on a case by case basis.\n\nGenerally something won\u2019t be less than a substantial part if it could be seen as an important part of the work, for example a frame from a film or the conclusions of a report.\n\nGet legal advice from an intellectual property professional before using copyrighted material, if you\u2019re in any doubt.\n\nRead the guidance on exceptions to copyright for detailed information.\n\n## Designs\n\nTo use a registered design you must contact the current owner and either agree a licence to use the design or buy it from them.\n\nThe licence between you and the design\u2019s owner will tell you:\n\n- what you can do with the design\n\n- how long your licence will last\n\n- what you have to pay - if anything\n\nYou can do anything with a design that you\u2019ve bought.\n\nFill in and send form DF12A to register a licence or transfer ownership of the design - the address is on the form.\n\nThere\u2019s no fee.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/using-somebody-elses-intellectual-property", + "answerable": true, + "scenario": "We are an IT company and recently we have developed interest in Artificial Intelligence. There is a patent registered on Machine learning that we are interested in buying and seller is happy to sell it.", + "original_question": "Is it possible to buy a patent when someone is selling it and has agreed to sign all necessary documents and keep a record of the transfer of the patent?" + }, + { + "id": "train-2166", + "question": "Scenario: We have been married for 20 years and have four kids. Recently we decided to end our relationship. We decided to keep two kids each but are having issues on dividing up the assets\n\nQuestion: We couldn't come to an agreement on dividing up the assets even after attending a meeting about mediation. Can we go to court and get them to decide?\n\nDocument - Money and property when you divorce or separate:\n## Getting a financial agreement\n\nWhen you divorce or end a civil partnership you and your ex-partner need to agree how to separate your finances.\n\nThis includes deciding how you\u2019re going to divide:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nYou might get things like:\n\n- a share of your your partner\u2019s pension - including State Pension or private pension plans\n\n- regular maintenance payments to help with children or living expenses\n\nYou can usually avoid going to court hearings if you agree how to split your money and property.\n\nThe rules are different if you were not married or in a civil partnership. You\u2019ll still have to agree on child maintenance payments for any children.\n\nWhat you can do is different in Scotland and Northern Ireland.\n\n## Making an agreement legally binding\n\nIf you and your ex-partner agree on how to divide money and property, you need to apply for a consent order to make it legally binding.\n\n## Get help agreeing\n\nYou can use a mediator or get other help to resolve issues out of court.\n\n## Get the court to decide\n\nIf you cannot agree on everything, you can ask a court to make a financial order.\n\n## If you agree\n\nIt\u2019s usually more straightforward and less expensive if you agree how to divide your money and property. Get help agreeing.\n\n## Making your agreement legally binding\n\nTo make your agreement legally binding you need to draft a consent order and ask a court to approve it.\n\nIf your agreement is not legally binding, a court cannot enforce it if there are any issues later.\n\nA consent order is a legal document that confirms your agreement. It explains how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\nYou can get legal advice or ask a solicitor to draft a consent order for you.\n\n## When to apply for a consent order\n\nYou can ask the court to approve your consent order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended. This may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to ask the court for approval\n\nYou and your ex-partner have to:\n\n- draft a consent order\n\n- sign the draft consent order - you also need 2 photocopies of the signed original\n\n- fill in a statement of information form\n\nOne of you also needs to fill in a notice of an application for a financial order.\n\nIf you\u2019re ending a civil partnership or legally separating, send the signed forms and copies with the \u00a350 fee to the court dealing with your paperwork. Keep your own copies.\n\nIf you\u2019re divorcing, send the signed forms and copies with the \u00a350 fee to:\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\nThere\u2019s usually no court hearing. A judge will approve your consent order to make it legally binding if they think it\u2019s fair.\n\nIf they do not think it\u2019s fair, they can ask you to change it.\n\n## How much it costs\n\nThe court fee is \u00a350.\n\nSolicitor fees vary depending on their experience and location. They usually charge per hour.\n\n## Get help agreeing\n\nA mediator can help you and your ex-partner agree on how to split money and property, without taking sides.\n\nMediation is not relationship counselling. It can help you agree on how you\u2019ll divide your assets, including:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nMediation can be quicker and cheaper than asking a court to decide for you.\n\nYou need to attend a mediation information assessment meeting (MIAM) before you start mediation.\n\nFind a local mediator.\n\nThe mediator can decide mediation is not right for you (for example, if there\u2019s been domestic abuse and you need to go to court instead).\n\n## How much it costs\n\nA MIAM is usually about \u00a330. If you need more mediation sessions they cost more and fees vary depending on where you live.\n\nCheck if you can get legal aid for mediation.\n\n## Making your agreement legally binding\n\nAt the end of mediation you\u2019ll get a document showing what you agreed. This agreement is not legally binding.\n\nIf you want a legally binding agreement you need to draft a consent order and get a court to approve it. The consent order can be based on what you agreed in mediation.\n\n## If you need more help agreeing\n\nYou can:\n\n- ask a legal adviser about other ways to resolve issues out of court (such as family arbitration or collaborative law)\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- work out your finances with a divorce and separation calculator\n\n## If you do not agree on everything\n\nYou can ask a court to decide on anything you have not agreed on.\n\n## Get the court to decide\n\nIf you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).\n\nThis means the court will decide how assets will be split. Getting the court to decide usually takes longer and is more expensive than if you and your ex-partner agree.\n\nYou must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).\n\nA financial order will describe how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\n## When to apply for a financial order\n\nYou can ask a court to make a financial order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended but it may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to apply\n\nYou need to apply for a financial order.\n\nSend 2 copies of the form to the court dealing with paperwork in your area to divorce or end your civil partnership. Keep a copy for yourself.\n\nYou can hire a solicitor to help you apply for a financial order from the court.\n\n## After you apply\n\nThere are three stages:\n\n- the first appointment - a short hearing with the judge to discuss your application\n\n- financial dispute resolution (FDR) appointment - to help you agree without needing a final hearing (you might need more than one appointment)\n\n- final hearing - if you\u2019re not able to agree, this is when a judge will decide how you must separate your finances\n\nThe court will send you and your ex-partner details when the first appointment will be. This is usually 12 to 14 weeks after you apply.\n\n## Before the first appointment\n\nYou and your ex-partner need to fill in a financial statement for a financial order (Form E) to show a breakdown of your property and debts. This includes giving an estimate of your future living costs.\n\nYou\u2019ll also need to collect documents about your finances, for example:\n\n- rental or mortgage agreements\n\n- pension documents\n\n- loan agreements\n\n- proof of your salary income, for example P60 or recent pay slips\n\n- details of personal belongings worth more than \u00a3500, for example a car or house contents\n\n## How long it takes\n\nIt depends on:\n\n- how many financial dispute resolution appointments you need\n\n- if you need a final hearing\n\nThere can be several months between the appointments.\n\n## How the court decides\n\nIf you cannot agree, a judge will decide how assets will be split. They\u2019ll base their decision on how long you\u2019ve been married or in a civil partnership, as well as your:\n\n- age\n\n- ability to earn\n\n- property and money\n\n- living expenses\n\n- standard of living\n\n- financial needs and responsibilities\n\n- role in looking after the family, for example if you were the main earner or caring for the family or home\n\n- disability or health condition, if you have any\n\nThe judge will decide on the fairest way to divide the assets if there\u2019s enough to meet everyone\u2019s needs. They will make arrangements for any children first - especially their housing arrangements and child maintenance. The reason for the divorce or dissolution is not taken into account.\n\nThe judge will usually try to arrange a \u2018clean break\u2019, so everything is shared out, and you no longer have any financial ties to one another.\n\n## How much it costs\n\nThe court fee is \u00a3255.\n\nSolicitor fees vary depending on their experience and where you live. They usually charge by the hour. How much you pay in total depends on how many financial dispute resolution appointments you need and if there will be a final hearing.\n\nYou can get legal aid to help with court costs in certain situations, for example if you\u2019re separating from an abusive partner.\n\n## Further help and advice\n\nYou can:\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- find out more about how to apply for a financial order\n\n## Maintenance payments\n\nThe court sometimes tells the person with the higher income to make regular maintenance payments to help with the other person\u2019s living costs.\n\nThis is called a \u2018maintenance order\u2019.\n\nA maintenance payment can be set for:\n\n- a limited period of time\n\n- until one of you dies, marries or enters into a new civil partnership\n\nThe payment can also be changed if one of you loses your job or gets much better paid work.\n\n## Child maintenance\n\nThe court can also decide on child maintenance, but this is often arranged by the Child Maintenance Service.\n\nRead more about making arrangements to look after children when you divorce or separate.\n\n## Tax when transferring assets\n\nYou do not usually have to pay Capital Gains Tax if you give, or otherwise \u2018dispose of\u2019, assets to your husband, wife or civil partner before you finalise the divorce or civil partnership.\n\nAssets include shares, certain personal possessions and property. You usually do not have to pay tax if you transfer or sell your main home.\n\n## If you transfer an asset when you\u2019re separated\n\nIf you lived together at any point in the tax year that you transferred the asset, the normal rules for spouses and civil partners apply.\n\nOtherwise you may have to pay Capital Gains Tax. You\u2019ll need to get a valuation of the asset on the date of transfer, and use it to work out the gain or loss.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you transfer an asset after you\u2019ve divorced or dissolved your civil partnership\n\nYou may have to pay Capital Gains Tax on assets you transfer after your relationship has legally ended.\n\nThe rules for working out your gain or loss are complex. Contact HM Revenue and Customs (HMRC) or get professional tax help, such as an accountant or tax adviser. You\u2019ll need to tell them the date of:\n\n- the decree absolute or dissolution\n\n- any court order, if assets were transferred this way\n\n- any other contract showing the transfer of assets", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "answerable": true, + "scenario": "We have been married for 20 years and have four kids. Recently we decided to end our relationship. We decided to keep two kids each but are having issues on dividing up the assets", + "original_question": "We couldn't come to an agreement on dividing up the assets even after attending a meeting about mediation. Can we go to court and get them to decide?" + }, + { + "id": "train-2168", + "question": "Scenario: I am a full time employee. I would like to invest in save as you earn(SAYE) in a shares related scheme.I am aiming to do a monthly contribution of \u00a3400 for the next 5 years. I would prefer to transfer all the savings to an individual savings account(ISA).\n\nQuestion: Do i need to pay capital gain tax if I transfer the shares within 30 days of the scheme ending?\n\nDocument - Tax and Employee Share Schemes:\n## Overview\n\nIf your employer offers you company shares, you could get tax advantages, like not paying Income Tax or National Insurance on their value.\n\nTax advantages only apply if the shares are offered through the following schemes:\n\n- Share Incentive Plans\n\n- Save As You Earn (SAYE)\n\n- Company Share Option Plans\n\n- Enterprise Management Incentives (EMIs)\n\nYou may be offered shares outside of these schemes. However these will not have the same tax advantages.\n\nYou can also get tax advantages if you\u2019re an employee shareholder.\n\n## Share Incentive Plans (SIPs)\n\nIf you get shares through a Share Incentive Plan (SIP) and keep them in the plan for 5 years you will not pay Income Tax or National Insurance on their value.\n\nYou will not pay Capital Gains Tax on shares you sell if you keep them in the plan until you sell them.\n\nIf you take them out of the plan, keep them and then sell them later on, you might have to pay Capital Gains Tax if their value has increased.\n\nThere are 4 ways you can get shares under SIPs.\n\n## Free shares\n\nYour employer can give you up to \u00a33,600 of free shares in any tax year.\n\n## Partnership shares\n\nYou can buy shares out of your salary before tax deductions. There\u2019s a limit to how much you can spend - either \u00a31,800 or 10% of your income for the tax year, whichever is lower.\n\n## Matching shares\n\nYour employer can give you up to 2 free matching shares for each partnership share you buy.\n\n## Dividend shares\n\nYou may be able to buy more shares with the dividends you get from free, partnership or matching shares (but only if your employer\u2019s scheme allows it).\n\nYou will not pay Income Tax if you keep the dividend shares for at least 3 years.\n\nYou\u2019ll have to pay Income Tax and National Insurance on any shares you take out of a SIP early.\n\n## Save As You Earn (SAYE)\n\nThis is a savings-related share scheme where you can buy shares with your savings for a fixed price.\n\nYou can save up to \u00a3500 a month under the scheme. At the end of your savings contract (3 or 5 years) you can use the savings to buy shares.\n\nThe tax advantages are:\n\n- the interest and any bonus at the end of the scheme is tax-free\n\n- you do not pay Income Tax or National Insurance on the difference between what you pay for the shares and what they\u2019re worth\n\nYou might have to pay Capital Gains Tax if you sell the shares.\n\nYou\u2019ll not pay Capital Gains Tax if you transfer the shares:\n\n- to an Individual Savings Account (ISA) within 90 days of the scheme ending\n\n- to a pension, directly from the scheme when it ends\n\nIf you do not transfer your shares to a pension immediately when the scheme ends, you can still transfer them up to 90 days later. You may have to pay Capital Gains Tax if they go up in value between when you buy them and when you transfer them.\n\n## Company Share Option Plan\n\nThis gives you the option to buy up to \u00a330,000 worth of shares at a fixed price.\n\nYou will not pay Income Tax or National Insurance contributions on the difference between what you pay for the shares and what they\u2019re actually worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Enterprise Management Incentives (EMIs)\n\nIf you work for a company with assets of \u00a330 million or less, it may be able to offer Enterprise Management Incentives (EMIs).\n\nYour company can grant you share options up to the value of \u00a3250,000 in a 3-year period.\n\nYou will not have to pay Income Tax or National Insurance if you buy the shares for at least the market value they had when you were granted the option.\n\nIf you were given a discount on the market value, you\u2019ll have to pay Income Tax or National Insurance on the difference between what you pay and what the shares were worth.\n\nYou may have to pay Capital Gains Tax if you sell the shares.\n\n## Excluded activities\n\nCompanies that work in \u2018excluded activities\u2019 are not allowed to offer EMIs. Excluded activities include:\n\n- banking\n\n- farming\n\n- property development\n\n- provision of legal services\n\n- ship building\n\n## Employee shareholder shares\n\nTo be an employee shareholder, you must own shares in your employer\u2019s company that were worth at least \u00a32,000 when you got them.\n\nYou will not usually pay Income Tax or National Insurance on the first \u00a32,000 worth of employee shareholder shares you get before 1 December 2016.\n\nYou will not get tax relief if you or someone you\u2019re connected with (like a business partner, spouse or family member) have 25% or more voting rights in the company.\n\nWhen you become an employee shareholder your employer must pay for an independent expert to give advice about the terms and effects of the employee shareholder agreement. This advice not count as a taxable benefit.\n\n## Selling your shares\n\nYou might not pay Capital Gains Tax when you sell shares. It depends on when you signed your employee shareholder agreement.\n\n## Before 17 March 2016\n\nYou only pay Capital Gains Tax on shares that were worth over \u00a350,000 when you got them.\n\n## From 17 March 2016\n\nYou only pay Capital Gains Tax on gains over \u00a3100,000 that you make during your lifetime. The \u2018gain\u2019 is the profit you make when you sell shares that have increased in value.\n\n## Transferring your shares to an ISA\n\nYou can transfer up to \u00a320,000 of employee shares into a stocks and shares Individual Savings Account (ISA) if you have shares in a:\n\n- Save As You Earn (SAYE) scheme\n\n- Share Incentive Plan (SIP)\n\nYour ISA provider must agree to the transfer.\n\nYou will not have to pay Capital Gains Tax on any gains you make on your shares if you move them to an ISA.\n\nYou must transfer your shares to your ISA within 90 days of when you took out your SIP or SAYE shares.\n\nThese shares will count towards your \u00a320,000 ISA limit. They cannot be in addition to the limit.\n\nAsk your employer or ISA provider for more information on how to transfer.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-employee-share-schemes", + "answerable": true, + "scenario": "I am a full time employee. I would like to invest in save as you earn(SAYE) in a shares related scheme.I am aiming to do a monthly contribution of \u00a3400 for the next 5 years. I would prefer to transfer all the savings to an individual savings account(ISA).", + "original_question": "Do i need to pay capital gain tax if I transfer the shares within 30 days of the scheme ending?" + }, + { + "id": "train-2169", + "question": "Scenario: We would like to dismiss two of our employees without notice due to gross misconduct.We want them to leave immediately for the best interest of our company.\n\nQuestion: Do we have to pay them if their contracts state that they can be suspended without pay at any point and without notice?\n\nDocument - Dismissing staff:\n## Overview\n\nDismissal is when you end an employee\u2019s contract. When dismissing staff, you must do it fairly.\n\nThere are different types of dismissal:\n\n- fair dismissal\n\n- unfair dismissal\n\n- constructive dismissal\n\n- wrongful dismissal\n\nIf you\u2019ve had to dismiss staff because of coronavirus (COVID-19), you might be able to re-employ them and pay their wages through the Coronavirus Job Retention Scheme.\n\n## Fair and unfair dismissal\n\nA dismissal is fair or unfair depending on:\n\n- your reason for it\n\n- how you act during the dismissal process\n\n## Constructive dismissal\n\nThis is when an employee resigns because you\u2019ve breached their employment contract. This could be a single serious event or a series of less serious events.\n\nAn employee could claim constructive dismissal if you:\n\n- cut their wages without agreement\n\n- unlawfully demote them\n\n- allow them to be harassed, bullied or discriminated against\n\n- unfairly increase their workload\n\n- change the location of their workplace at short notice\n\n- make them work in dangerous conditions\n\nA constructive dismissal is not necessarily unfair - but it would be difficult for you to show that a breach of contract was fair.\n\nA constructive dismissal might lead to a claim for wrongful dismissal.\n\n## Wrongful dismissal\n\nThis is where you break the terms of an employee\u2019s contract in the dismissal process, for example dismissing someone without giving them proper notice.\n\nWrongful dismissal is not the same as unfair dismissal.\n\nIf an employee thinks you\u2019ve dismissed them unfairly, constructively or wrongfully, they might take you to an employment tribunal.\n\n## Fair dismissals\n\nYou must have a valid reason for dismissing an employee. Valid reasons include:\n\n- their capability or conduct\n\n- redundancy\n\n- something that prevents them from legally being able to do their job, for example a driver losing their driving licence\n\nThere could be other fair reasons too - these are sometimes called \u2018other substantial reasons\u2019.\n\n## Acting reasonably\n\nEven if you have a fair reason, the dismissal is only fair if you also act reasonably during the dismissal and disciplinary process.\n\nThere\u2019s no legal definition of \u2018reasonableness\u2019, but if you\u2019re taken to an employment or industrial tribunal they would consider whether you:\n\n- genuinely believed that the reason was fair\n\n- carried out proper investigations where appropriate\n\n- followed the relevant procedures\n\n- told the employee why they were being considered for dismissal and listened to their views (in Northern Ireland, the employer must do this in writing)\n\n- allowed the employee to be accompanied at disciplinary/dismissal hearings\n\n- gave the employee the chance to appeal\n\nReasonableness might also depend on whether the employee could be expected to understand the consequences of their behaviour.\n\n## Dismissal and disciplinary procedures\n\nYou must set out your dismissal and disciplinary rules and procedures in writing - if you do not, a tribunal can order you to pay an employee compensation.\n\n## Summary dismissal\n\nThis is when you dismiss someone instantly without notice or pay in lieu of notice, usually because of gross misconduct (for example theft, fraud, violence).\n\nTribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.\n\nIf you feel summary dismissal\u2019s your only choice, you must still follow a fair procedure as you would do for any other disciplinary matter.\n\n## Unfair dismissals\n\nEven if you think you\u2019ve dismissed someone fairly, they could still claim unfair dismissal against you if they think that:\n\n- the reason you gave for the dismissal was not the real one\n\n- the reason was unfair\n\n- you acted unreasonably, for example by failing to give them plenty of warning about their dismissal\n\n## Automatically unfair reasons for dismissal\n\nEven if you\u2019ve acted reasonably, some reasons for dismissal are classed automatically unfair. These are to do with the following areas:\n\n- pregnancy, including all reasons relating to maternity\n\n- family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants\n\n- acting as an employee representative\n\n- acting as a trade union representative\n\n- acting as an occupational pension scheme trustee\n\n- joining or not joining a trade union\n\n- being a part-time or fixed-term employee\n\n- pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage\n\n- whistleblowing\n\nCompulsory retirement on the grounds of age is unlawful unfair dismissal unless you can objectively justify it - but you could be challenged at a tribunal.\n\n## Industrial action\n\nIt\u2019s automatically unfair to dismiss someone for taking part in official (\u2018lawful\u2019) industrial action:\n\n- in the 12-week period from the day the industrial action starts\n\n- if the action lasts longer than 12 weeks and you have not taken reasonable steps to resolve the dispute\n\nOnly an employment or industrial tribunal can decide whether or not you\u2019ve taken reasonable steps to resolve a dispute.\n\nIf you \u2018lock out\u2019 employees taking industrial action, the days of the lock-out are not included in the calculation of the 12-week protected period.\n\nA lock-out is where you prevent employees from getting to their workplace, for example by locking the doors.\n\n## Disability\n\nIf a disabled employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them.\n\n## Political beliefs and groups\n\nIt is not automatically unfair to dismiss someone because of their political beliefs or political groups they belong to, but a tribunal might find this unfair.\n\nThere\u2019s no longer a qualifying period for someone going to an employment tribunal if they\u2019ve been dismissed because of political opinions or affiliation. This applies to anyone dismissed from 25 June 2013.\n\n## Penalties for unfair dismissals\n\nIf a tribunal finds that an employee has been unfairly dismissed, you might be ordered to:\n\n- reinstate them (give them their job back)\n\n- re-engage them (re-employ them in a different job)\n\nYou might also have to pay compensation, which depends on the employee\u2019s:\n\n- age\n\n- gross weekly pay\n\n- length of service\n\nYou might have to pay extra compensation if you do not follow a tribunal\u2019s order to reinstate someone.\n\nThere\u2019s a limit on the amount a tribunal can award for unfair dismissal, apart from in cases relating to:\n\n- health and safety (for example where you unfairly dismiss someone for taking action on health and safety grounds)\n\n- whistleblowing\n\n## Eligibility to claim unfair dismissal\n\nEmployees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.\n\n| Date employment started | When the employee can claim |\n\n| Before 6 April 2012 | After first year of employment |\n\n| After 6 April 2012 | After 2 years of employment |\n\n## Who cannot claim unfair dismissal\n\nThe right to complain to a tribunal about unfair dismissal is not available to:\n\n- self-employed people\n\n- independent contractors\n\n- members of the armed forces\n\n- employees who have reached a settlement with their employer through Acas (Advisory, Conciliation and Arbitration Service) or the Labour Relations Agency (LRA) in Northern Ireland\n\n- employees who have reached a settlement with their employer through a \u2018settlement agreement\u2019 or \u2018compromise agreement\u2019 after taking legal advice\n\n- employees employed under an illegal contract, for example a barman under the age of 18\n\n- employees covered by a dismissal procedure agreement that\u2019s been legally exempted from the unfair dismissal rules\n\n- employees taking part in unofficial industrial action (unless the dismissal is for an automatically unfair reason)\n\n- police officers (unless the dismissal relates to health and safety or whistleblowing)\n\n- those working on a fishing vessel and paid by a share in the profits or gross earnings of the vessel\n\n## Dismissals for conduct or performance reasons\n\nYou can dismiss an employee if:\n\n- they\u2019re incapable of doing their job to the required standard\n\n- they\u2019re capable, but unwilling to do their job properly\n\n- they\u2019ve committed some form of misconduct\n\nIf you want to dismiss someone, there\u2019s no specific process you must go through by law - as long as you do it fairly.\n\nIf a capability issue is linked to someone\u2019s health, you should try as many ways as possible to help them do their job before dismissing them.\n\n## Disciplinary procedures\n\nYou should include examples of what you consider to be misconduct in your disciplinary rules.\n\nDifferent disciplinary procedures are appropriate for different circumstances.\n\nEmployees have the right to be accompanied to all disciplinary meetings and to appeal to a manager. Keep notes of all meetings and give copies to the employee.\n\n## Misconduct\n\nMisconduct can include things like persistent lateness or unauthorised absence from work.\n\nTo make sure the dismissal is fair when misconduct is not \u2018serious\u2019 or \u2018gross\u2019:\n\n- Arrange a meeting with the employee, telling them the reason for it. At the meeting, give them a chance to explain and issue a first written warning if you\u2019re not satisfied with their reasons. In the warning, tell them how you expect them to improve and over what period - warn them that if they do not improve enough, you\u2019ll give them a final written warning.\n\n- Hold a second meeting if their performance or behaviour has not improved enough by the deadline - give them a chance to explain and issue a final written warning if you\u2019re not satisfied with their reasons. Revise the action plan with timescales for improvement and warn them that you\u2019ll consider dismissal if there\u2019s no improvement.\n\n- Hold a third meeting if their performance or behaviour is still not up to standard by these new deadlines. Warn them that dismissal is now possible. After the meeting - or appeal if there is one - decide whether to give the employee a further chance to improve, or dismiss them. You must tell the employee of your final decision, whatever it is.\n\n## Serious misconduct\n\nYou can issue a single \u2018first and final\u2019 written warning if the misconduct or underperformance is serious enough. Explain that not improving could lead to dismissal. \u2018Serious enough\u2019 includes if it\u2019s likely to or has caused serious harm to the organisation itself.\n\n## Gross misconduct\n\nGross misconduct can include things like theft, physical violence, gross negligence or serious insubordination.\n\nWith gross misconduct, you can dismiss the employee immediately as long as you follow a fair procedure. You should investigate the incident and give the employee a chance to respond before deciding to dismiss them.\n\n## One-off incidents\n\nAn informal discussion may be enough to resolve the issue if the misconduct or underperformance was a one-off and the employee has a good disciplinary record.\n\n## Dismissals due to illness\n\nSometimes an employee may have to stop working because of long-term ill health. They may resign, or you may have to consider dismissing them.\n\n## Considering dismissing an employee\n\nDismissal is a last resort and you should consider as many ways as possible to help the employee back to work, including:\n\n- getting a medical report from their GP with the employee\u2019s permission - they have the right to see the report before you do\n\n- arranging an occupational health assessment\n\n- work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job\n\nIf the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.\n\n## How to dismiss someone\n\nDuring the dismissal procedure, make sure you act fairly and reasonably. You must treat the employee with sensitivity.\n\nYour procedure should follow the advice set out in the Acas (Advisory, Conciliation and Arbitration Service) code of practice, or the Labour Relations Agency (LRA) code of practice for Northern Ireland.\n\nIf you do not follow the code and are taken to an employment or industrial tribunal, you may have to pay compensation.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/dismiss-staff", + "answerable": true, + "scenario": "We would like to dismiss two of our employees without notice due to gross misconduct.We want them to leave immediately for the best interest of our company.", + "original_question": "Do we have to pay them if their contracts state that they can be suspended without pay at any point and without notice?" + }, + { + "id": "train-2173", + "question": "Scenario: I don't have an accountant. I am a full time worker and it's towards the end of the financial year. I have paying in slips and the paper statements. I would like to pay for self assessment tax bill to the HMRC.\n\nQuestion: Can I pay through the bank by cash?\n\nDocument - Pay your Self Assessment tax bill:\n## Overview\n\nThe deadlines for paying your tax bill are usually:\n\n- 31 January - for any tax you owe for the previous tax year (known as a balancing payment) and your first payment on account\n\n- 31 July for your second payment on account\n\nIf you delayed making a payment on account in July 2020 because of coronavirus (COVID-19), this will be added to your tax bill due by 31 January 2021.\n\nPay Self Assessment now\n\nYou can pay in regular monthly instalments, if you prefer.\n\nYou can get help if you cannot pay your tax bill on time.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## Ways to pay\n\nMake sure you pay HM Revenue and Customs (HMRC) by the deadline. You\u2019ll be charged interest and may have to pay a penalty if your payment is late.\n\nThe time you need to allow depends on how you pay.\n\nYou can no longer pay at the Post Office.\n\n## Same or next day\n\n- through your online bank account\n\n- online or telephone banking (Faster Payments)\n\n- CHAPS\n\n- by debit or corporate credit card online\n\n- at your bank or building society\n\nYou need a paying-in slip from HMRC to pay at a bank or building society.\n\n## 3 working days\n\n- Bacs\n\n- Direct Debit (if you\u2019ve set one up with HMRC before)\n\n- by cheque through the post\n\n## 5 working days\n\n- Direct Debit (if you have not set one up with HMRC before)\n\nIf the deadline falls on a weekend or bank holiday, make sure your payment reaches HMRC on the last working day before (unless you\u2019re paying by Faster Payments or by debit or credit card).\n\n## Problems with payment services\n\nOnline payment services may be slow during busy times. Check if there are any current problems or times they are not available.\n\n## Direct Debit\n\nSet up a Direct Debit through your HM Revenue and Customs (HMRC) online account to make single payments for 31 January.\n\nYou can also set up another Direct Debit if you need to make a payment on account.\n\nYou\u2019ll need to set up single payments each time you want to pay by Direct Debit.\n\n## Reference number\n\nYou\u2019ll need to use your 11-character payment reference. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.\n\nYou\u2019ll find it either on your:\n\n- HMRC online account\n\n- paying-in slip, if you get paper statements\n\nYour payment may be delayed if you use the wrong reference number.\n\nAllow 5 working days to process a Direct Debit the first time you set one up. It should take 3 working days the next time if you\u2019re using the same bank details.\n\nIf you\u2019re unable to pay your Self-Assessment tax bill in full by card, you should use another payment method like a bank transfer.\n\n## Make an online or telephone bank transfer\n\nYou can pay your Self Assessment bill using Faster Payments, CHAPS or Bacs.\n\n## Pay by Faster Payments, CHAPS or Bacs\n\nYour bill will tell you which account to pay in to. If you do not have a bill, or you\u2019re not sure, use HMRC Cumbernauld.\n\n## Account details to use\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001039 | HMRC Cumbernauld |\n\n| 08 32 10 | 12001020 | HMRC Shipley |\n\n## If your account is overseas\n\n| Bank identifier code (BIC) | Account number (IBAN) | Account name |\n\n| BARCGB22 | GB62BARC20114770297690 | HMRC Cumbernauld |\n\n| BARCGB22 | GB03BARC20114783977692 | HMRC Shipley |\n\n## What you\u2019ll need\n\nYou\u2019ll need to use your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019.\n\nYou can find it on your:\n\n- HMRC online account\n\n- paying-in slip, if you get paper statements\n\nYour payment may be delayed if you use the wrong reference number.\n\n## How long it takes\n\nPayments by Faster Payments (online or telephone banking) usually reach HM Revenue and Customs (HMRC) on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nPayments from overseas may take longer - check with your bank.\n\n## Multiple payments by CHAPS\n\nSend an online CHAPS enquiry form if you want to make a single CHAPS payment for multiple Self Assessment bills, using more than one payment reference number.\n\nHMRC\u2019s banking address is:\n\n## Approve a payment through your online bank account\n\nYou can pay your Self Assessment bill directly using your online or mobile bank account.\n\nWhen you\u2019re ready to pay, select \u2018start a payment\u2019 and then \u2018pay by bank account\u2019. You\u2019ll then be directed to sign in to your online or mobile banking account to approve your Self Assessment payment.\n\nThe payment is usually instant but sometimes it takes up to 2 hours to show in your account.\n\nYou\u2019ll need to have your online banking details ready to pay this way.\n\n## By debit or corporate credit card online\n\nYou can pay online.\n\nThere\u2019s a fee if you pay by corporate credit card or corporate debit card. The fee is not refundable.\n\nThere\u2019s no fee if you pay by personal debit card.\n\nYou cannot pay by personal credit card.\n\nUse your 11-character payment reference when you pay. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find it either:\n\n- in your HMRC online account\n\n- on your paying-in slip, if you get paper statements\n\nHMRC will accept your payment on the date you make it, not the date it reaches their account - including on bank holidays and weekends.\n\nIf you\u2019re unable to pay your Self Assessment tax bill in full by card, you should use another payment method like a bank transfer.\n\n## At your bank or building society\n\nYou can only pay at your branch by cash or cheque if you both:\n\n- still get paper statements from HM Revenue and Customs (HMRC)\n\n- have the paying-in slip HMRC sent you\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find the reference number on the paying-in slip.\n\nHMRC will accept your payment on the date you make it, and not the date it reaches their account (as long as you pay from Monday to Friday).\n\n## If you do not have a paying-in slip\n\nYou\u2019ll need to pay by another method instead, for example:\n\n- debit or corporate credit card online\n\n- online or telephone banking\n\n- Direct Debit\n\n## By cheque through the post\n\nYou can send a cheque by post to HM Revenue and Customs (HMRC).\n\nYou do not need to include a street name, city name or PO box with this address.\n\nAllow 3 working days for your payment to reach HMRC.\n\n## What to include\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite your 11-character payment reference on the back of the cheque. This is your 10-digit Unique Taxpayer Reference (UTR) followed by the letter \u2018K\u2019. You\u2019ll find this on your payslip.\n\nInclude the payslip HMRC sent you (if you still get paper statements). Do not fold the payslip or cheque or fasten them together.\n\nYour payment may be delayed if you do not fill in your cheque correctly.\n\n## If you do not have an HMRC payslip\n\nYou can print a slip to use to pay by post. You cannot use this at a bank.\n\n## Pay in instalments\n\nIf you\u2019ve already filed your Self Assessment tax return, you might be able to pay the bill in instalments.\n\nWhat you need to do depends on whether you want to:\n\n- make payments against your latest bill\n\n- make advance payments against your next bill\n\n## If you cannot afford to pay your latest bill\n\nYou can set up a payment plan to spread the cost of your latest Self Assessment bill if all the following apply:\n\n- you owe \u00a330,000 or less\n\n- you do not have any other payment plans or debts with HMRC\n\n- your tax returns are up to date\n\n- it\u2019s less than 60 days after the payment deadline\n\nYou can choose how much to pay straight away and how much you want to pay each month. You\u2019ll have to pay interest.\n\nIf you don\u2019t keep up with your repayments, HM Revenue and Customs (HMRC) can ask you to pay everything you owe.\n\nThere are 2 ways you can set up a payment plan:\n\n- set up a payment plan online\n\n- call the Payment Support Service\n\n## If you want to make regular payments in advance\n\nYou can set up a budget payment plan if you want to put aside money to cover your next Self Assessment tax bill.\n\nThis is different from payments on account, which you normally make once every 6 months towards your next tax bill.\n\nThe budget payment plan lets you:\n\n- decide how much to pay each week or month\n\n- stop paying for up to 6 months\n\nYou must be up to date with your previous Self Assessment payments.\n\nSet up your plan using your HM Revenue and Customs (HMRC) online account. Go to the Direct Debit section and choose the budget payment option when filling in the Direct Debit form.\n\nIf the amount in your budget payment plan does not cover your next bill in full, you\u2019ll need to pay the difference by the payment deadlines.\n\n## Through your tax code\n\nYou can pay your Self Assessment bill through your PAYE tax code as long as all these apply:\n\n- you owe less than \u00a33,000 on your tax bill\n\n- you already pay tax through PAYE, for example you\u2019re an employee or you get a company pension\n\n- you submitted your paper tax return by 31 October or your online tax return online by 30 December\n\n## How it\u2019s set up\n\nHM Revenue and Customs (HMRC) will automatically collect what you owe through your tax code if you meet all 3 conditions, unless you\u2019ve specifically asked them not to (on your tax return).\n\nIf you\u2019re not eligible, you will not be able to pay this way.\n\n## When you cannot pay through your tax code\n\nYou will not be able to pay your tax bill through your PAYE tax code if:\n\n- you do not have enough PAYE income for HMRC to collect it\n\n- you\u2019d pay more than 50% of your PAYE income in tax\n\n- you\u2019d end up paying more than twice as much tax as you normally do\n\nIf you\u2019re self-employed you cannot pay Class 2 National Insurance through your tax code, unless it\u2019s been due since before 6 April 2015. You must use one of the other ways to pay by the deadline instead.\n\n## How deductions are made\n\nThe tax you owe will be taken from your salary or pension in equal instalments over 12 months, along with your usual tax deductions.\n\n## Check your payment has been received\n\nView your HM Revenue and Customs online account to check if your payment\u2019s been received - it should show as paid between 3 to 6 working days later.\n\nIf paying by post, you can include a letter with your payment to ask for a receipt from HMRC.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pay-self-assessment-tax-bill", + "answerable": true, + "scenario": "I don't have an accountant. I am a full time worker and it's towards the end of the financial year. I have paying in slips and the paper statements. I would like to pay for self assessment tax bill to the HMRC.", + "original_question": "Can I pay through the bank by cash?" + }, + { + "id": "train-2175", + "question": "Scenario: My sister is a widow and on benefits. She got a volunteer job offer. She will be reimbursed out of pocket expenses for travels and meals. Despite this she will still meet the conditions of her benefits.\n\nQuestion: Will this affect her benefits?\n\nDocument - Volunteer opportunities, rights and expenses:\n## Find volunteer opportunities\n\nYou can find volunteering opportunities on the:\n\n- Do-it website\n\n- Volunteering Matters website for young, older and disabled volunteers\n\n- National Association for Voluntary and Community Action website\n\n- local Volunteer Centre website\n\n- Reach Volunteering website for volunteers with specific skills - like accountancy, marketing, law, management, mentoring or IT\n\n- Volunteering Wales website\n\n- Volunteer Scotland website\n\nFind out about volunteering during coronavirus (COVID-19).\n\n## Volunteers' rights\n\nYou do not have a contract of employment as a volunteer, so you do not have the same rights as an employee or worker.\n\nYou will usually be given a volunteer agreement that explains:\n\n- the level of supervision and support you\u2019ll get\n\n- what training you\u2019ll get\n\n- whether you\u2019re covered under the organisation\u2019s employer or public liability insurance\n\n- health and safety issues\n\n- any expenses the organisation will cover\n\nThe volunteer agreement is not compulsory, but sets out what you can expect from the organisation you\u2019re volunteering for. It does not form a contract between you and the organisation.\n\nThe National Council for Voluntary Organisations (NCVO) has information on volunteers\u2019 legal status.\n\n## When you can volunteer\n\n## Age limits\n\nThere\u2019s no upper age limit on volunteering, but anyone over 70 will need to follow public health advice on volunteering during coronavirus (COVID-19).\n\nSome organisations\u2019 insurance policies do not cover you if you\u2019re under 16 or over a certain age.\n\nYou cannot work for a profit-making organisation if you\u2019re under 14, even if you\u2019re not paid.\n\nYour local council might have extra rules about the work you can do as a young person.\n\n## Volunteering and benefits\n\nYou can volunteer and claim benefits if:\n\n- the only money you get from volunteering is to cover expenses, like travel costs\n\n- you continue to meet the conditions of the benefit you get\n\n## Criminal records\n\nIf you have a criminal record you can still volunteer in most roles, depending on your offences. You might need a Disclosure and Barring Service check if you want to volunteer with children or vulnerable adults.\n\n## Pay and expenses\n\nYou are not paid for your time as a volunteer, but you may get money to cover expenses. This is usually limited to food, drink, travel or any equipment you need to buy.\n\nYou may need to pay tax on your driving expenses if you get back more than you spent.\n\nYou might be classed as an employee or worker rather than a volunteer if you get any other payment, reward or benefit in kind. This includes any promise of a contract or paid work in the future.\n\nYou get certain employment rights if you\u2019re classed as an employee or worker, like getting the minimum wage.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/volunteering", + "answerable": true, + "scenario": "My sister is a widow and on benefits. She got a volunteer job offer. She will be reimbursed out of pocket expenses for travels and meals. Despite this she will still meet the conditions of her benefits.", + "original_question": "Will this affect her benefits?" + }, + { + "id": "train-2176", + "question": "Scenario: I got offered a seafarer position from one of my Dad's friends. I recently turned 17 and the offer seems like a nice way to spend the summer and gain some experience. He mentioned that I will mostly be working during the day but may sometimes have to fulfill nightly duties. I was assured my safety and health will be kept as a number one priority.\n\nQuestion: Do I meet the age requirements for the position considering I have been promised that my safety and health will not be compromised?\n\nDocument - Seafarer working and living rights:\n## Overview\n\nAll seafarers have working and living rights that include:\n\n- employment contracts\n\n- accommodation\n\n- food and medical care\n\nA seafarer is anyone who works on board a seagoing ship, including:\n\n- master and crew\n\n- self-employed contractors\n\n- shopkeepers and hairdressers\n\n- entertainers\n\nA seagoing ship is any vessel:\n\n- on an international voyage or from a foreign port\n\n- on a domestic journey from the UK coast\n\n- more than 500 gross tonnes\n\nThe Maritime Labour Convention (MLC) 2006 came into force on 7 August 2014. It replaced all existing laws on seafarers\u2019 rights.\n\n## Working conditions\n\nThere are minimum requirements seafarers must meet to work at sea.\n\n## Minimum age\n\nThe minimum age for seafarers is 16, although this is 18 if the work involves any:\n\n- night work\n\n- hazardous tasks\n\n## Hazardous tasks\n\nManual tasks on a ship can be hazardous if not done properly, like:\n\n- lifting\n\n- hauling\n\n- mooring\n\n- towing\n\nEmployers of seafarers must ensure their staff:\n\n- know how to operate any equipment correctly\n\n- are aware of safety procedures\n\n- have access to protective personal equipment if needed\n\n## Medical certification for seafarers\n\nAnyone in charge of a ship must have an ENG1 seafarer medical certificate.\n\n## Certificates of competency\n\nSome seafarers will need a certificate of competency before they can carry out certain duties.\n\n## Conditions of employment\n\nSeafarers\u2019 employment contracts are covered by the Maritime Labour Convention (MLC) 2006.\n\n## Working time regulations\n\nAll seafarers on seagoing ships are entitled to:\n\n- a minimum of 10 hours\u2019 rest in any 24 hour period\n\n- 77 hours rest in any 7 day period\n\n- at least 4 weeks\u2019 paid annual leave\n\nRead the Merchant Shipping Regulations 2002 for more information.\n\n## The 'human element'\n\nThe term \u2018human element\u2019 covers anything to do with the interaction between a human and any system aboard ship, and is of high importance in maritime safety and security.\n\nFactors which affect the human element include:\n\n- recruitment and selection policies and methods\n\n- crew competence, training and experience\n\n- conditions of service, motivation and morale\n\n- design, construction and ergonomics\n\n- standards of build and certification\n\n- maintenance\n\n- stress and fatigue\n\n- security\n\n- living and working conditions\n\n- manning levels and hours of work\n\n- management policies\n\n- safety management systems\n\n- operational systems\n\n- organisational and safety culture\n\n- culture of continuous improvement and workforce engagement\n\nFor more information read \u2018The human element: a guide to human behaviour in the shipping industry\u2019.\n\n## Safe working practices\n\nAll UK ships must carry copies of the \u2018Code of Safe Working Practices for Merchant Seamen\u2019, unless it\u2019s a fishing boat or pleasure vessel.\n\n## Safe manning of ships\n\nEmployers must ensure their ships have enough properly trained and certificated officers so that it can operate safely at all times.\n\nThere must also be sufficient food on board for the number of seafarers serving.\n\nRead more in \u2018Merchant Shipping Notice 1868 (M) UK requirements for safe manning and watchkeeping\u2019.\n\n## Noise and vibration\n\nA seafarer\u2019s employer must carry out risk assessments to identify who\u2019s at risk from noise or vibration in their work and what can be done to reduce or remove these risks.\n\n## Protective personal equipment (PPE)\n\nA seafarer\u2019s employer must give them suitable protective equipment if they\u2019re performing dangerous tasks.\n\nYou can find further information in the code of safe working practices for merchant seafarers.\n\n## Living conditions\n\nSeafarers\u2019 living conditions are covered by Maritime Labour Convention (MLC) rules on crew accommodation.\n\n## Food and catering\n\nSeafarers\u2019 food and catering conditions are covered by MSN 1845 under MLC rules.\n\n## Health and safety\n\nEmployers of seafarers must follow health and safety rules and provide:\n\n- safe working places and environment\n\n- safe machinery and equipment\n\n- health and safety training, instruction, supervision and information\n\n- a health and safety policy\n\n- protective clothing and equipment where necessary\n\n- information for workers about the findings of their risk assessment\n\n- information on what qualifications any temporary workers must have\n\n- information about their activities and staff to the company\n\n## Risk assessments\n\nAny vessel seafarers work onboard must have had a risk assessment carried out by their employer or the ship owner.\n\n## New or expectant mothers\n\nWhere women of childbearing age are employed as seafarers, a risk assessment must take place of any potential hazard likely to affect a new or expectant mother.\n\nIt does not matter if they are pregnant at the time of the assessment or not.\n\nIf a risk is found that cannot be removed, a new or expectant mother working as a seafarer can be suspended on full pay providing they have either:\n\n- told their employer they\u2019re pregnant\n\n- given birth in the last 6 months\n\n- are breastfeeding\n\nFor more information on health and safety rules for new and expectant mothers, contact the Seafarer Safety and Health Branch of the Maritime and Coastguard Authority (MCA).\n\n## Additional dangers\n\nSeafarers may face additional dangers when living onboard ships.\n\n## Petrol generators\n\nShips that use petrol generators must have a risk assessment carried out to make sure they provide:\n\n- sufficient power for accommodation and lighting\n\n- adequate ventilation\n\n- adequate alarms - for example, carbon monoxide alarms\n\n## Fumigating cargo spaces\n\nIf pesticides are on board a ship, employers must make sure:\n\n- adequate breathing aids are provided for seafarers checking fumigated cargo bulks\n\n- the ship\u2019s destination port is told 24 hours in advance of receiving this cargo\n\n- properly trained personnel check the relevant cargo bulks at port\n\n## Illegal drugs\n\nThe unauthorised presence of drugs on board a ship can have serious legal implications for seafarers and employers, potentially resulting in:\n\n- heavy fines\n\n- detention of a ship\n\n- imprisonment\n\n- the death penalty\n\n## Potentially dangerous cargo\n\nIf seafarers deal with certain toxic cargo or equipment on board ships, their employer must follow a number of specific requirements.\n\nYou can find further information on specialist ships in section 4 of the Code of Safe Working Practices for Merchant Seamen.\n\n## Health and medical care\n\nEmployers must protect their seafarers\u2019 health by:\n\n- providing immunisations for certain infectious diseases\n\n- making sure hygiene measures are effective and minimise the risks of infection\n\n- making arrangements for infection control\n\n- having the right medical supplies\n\n- knowing the routes and destinations of their ships\n\nUntil the UK made the Maritime Labour Convention (MLA) law, seafarers\u2019 health and safety regulations were covered by the Merchant Shipping Act 1995\n\n## Maritime Labour Convention\n\nThe Maritime Labour Convention (MLC) came into force for the UK on 7 August 2014. It sets out the minimum working and living rights for seafarers.\n\n## Exemptions\n\nThe MLC does not cover seafarers serving on the following boats:\n\n- ships navigating inland or sheltered waters subject to port regulations\n\n- fishing vessels\n\n- warships and naval auxiliaries\n\n- traditional ships, such as dhows\n\n## Minimum requirements\n\nThe MLC sets out minimum standards for seafarers to work on a ship, including:\n\n- minimum age\n\n- medical certification\n\n- training and qualifications\n\n## Age\n\nThe minimum age for seafarers will be 16. Night workers have to be 18 or over.\n\nExceptions can be allowed for:\n\n- training purposes\n\n- where the seafarer\u2019s duties require it, as long as their health and safety is not affected\n\n## Medical certification\n\nAll seafarers must have the right medical certificate to work at sea before they can work on ships.\n\n## Training and qualifications\n\nUnder the MLC, seafarers will need to:\n\n- be trained and qualified to perform onboard duties\n\n- receive personal safety training\n\n- for training to conform to International Maritime Organisation standards\n\nFind out more about seafarer training and qualifications.\n\n## Conditions of employment\n\nUnder the MLC, seafarers have minimum working rights covering:\n\n- employment agreements\n\n- wages\n\n- hours of rest\n\n- entitlement to leave\n\n- repatriation\n\n- compensation for a ship\u2019s loss or foundering\n\n- manning levels\n\n- career and skills development\n\n- employment opportunities\n\n## Employment contracts\n\nThe convention makes sure contracts between seafarers and shipowner provide fair living and working conditions.\n\nContracts should be in English and include:\n\n- shipowner\u2019s name and address\n\n- seafarer\u2019s name, date and place of birth\n\n- place and date where agreement signed\n\n- conditions for the termination of agreement\n\n- health and social security protection benefits provided by shipowner\n\n- seafarer\u2019s right to repatriation\n\nSeafarers must also be:\n\n- allowed to read and consider contracts before signing them\n\n- given a record of their employment\n\n- given their own copy of their contract (the shipowner should also have a copy)\n\n## Wages\n\nUnder the MLC, seafarers\u2019 wages must be:\n\n- paid regularly - for example, monthly\n\n- include monthly statements of accounts\n\n- allow seafarers to transfer part or all of their wages\n\n- keep currency conversion charges to reasonable limits\n\n## Hours of rest\n\nHours of rest must be at least:\n\n- 10 hours in any 24 hour period\n\n- 77 hours in any 7 day period\n\nCrew exercises, such as lifeboat drills, must cause minimal disruption to rest periods. Seafarers called out in a rest period are entitled to a rest period to make up for it.\n\nYou can read Merchant Shipping Notice (MSN) 1848 (M) Amendment 3 MLC survey and certification of UK ships.\n\n## Holiday pay\n\nUnder the MLC, seafarers are entitled to paid leave calculated at 2.5 days per calendar month of employment.\n\nRead more about holiday pay for seafarers in the Merchant Shipping Regulations 2002.\n\n## Repatriation\n\nThis gives seafarers the right to be returned to their home country:\n\n- when their employment contract ends or is cancelled\n\n- when they\u2019re no longer able to carry out their duties\n\n- in the event of shipwreck\n\n- if their ship is bound for a war zone they have not agreed to go to\n\nShipowners cannot request advance payment for repatriation from seafarers. If a shipowner does not make repatriation arrangements, seafarers on UK ships can be repatriated by the MCA.\n\n## Accommodation and recreational facilities\n\nThe Maritime and Labour Convention (MLC) ensures seafarers have access to decent accommodation and recreational facilities when living on ships.\n\n## Medical care\n\nThese cover seafarers\u2019 rights to:\n\n- decent on board health protection facilities, including essential dental care\n\n- the right to visit qualified medical personnel while in port\n\n- access to a qualified medical doctor on ships carrying more than 100 people on international voyages lasting more than 3 days\n\n- where there is no doctor on board, there must be designated and able seafarer(s) to provide first aid and medical care\n\n## Shipowner\u2019s liabilities\n\nUnder the MLC, if a seafarer suffers accident or disability because of their work the shipowner must provide where necessary:\n\n- assistance and medical care\n\n- repatriation\n\n- burial or cremation, if they die\n\nThe shipowner must have financial cover in case they are liable for compensation for long-term disability or illness.\n\nA shipowner is not liable when an injury is not related to a seafarer\u2019s duties, when it\u2019s caused by wilful misconduct or when a seafarer intentionally hides an illness or disability.\n\n## Health and safety protection\n\nUnder the MLC, seafarers\u2019 work environments on ships must:\n\n- have regular risk assessments of workplace hazards - for example, from machinery\n\n- take steps to prevent work accidents\n\n- have a system for reporting accidents and occupational diseases\n\n## Enforcement\n\nUnder the MLC, the MCA can withdraw a ship\u2019s maritime labour certificate if seafarer living and working conditions are breached.\n\n## Complaints\n\nSeafarers can complain if the MLC has not been followed. On board a ship seafarers can complain to a manager. On shore seafarers can complain to an MCA surveyor.\n\nRead MSN 1849 On-board complaints procedure and Marine Guidance Note (MGN) 487 Onshore complaints procedure.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/seafarer-working-and-living-rights", + "answerable": true, + "scenario": "I got offered a seafarer position from one of my Dad's friends. I recently turned 17 and the offer seems like a nice way to spend the summer and gain some experience. He mentioned that I will mostly be working during the day but may sometimes have to fulfill nightly duties. I was assured my safety and health will be kept as a number one priority.", + "original_question": "Do I meet the age requirements for the position considering I have been promised that my safety and health will not be compromised?" + }, + { + "id": "train-2177", + "question": "Scenario: We have been having an employee in our company who has been diagnosed with breast cancer. She has been put on long term chemotherapy treatment. She shows no signs of recovery. And there are no adjustments to her work place that can be made for her to be able to work.\n\nQuestion: Is it fair for us to dismiss her from work?\n\nDocument - Dismissing staff:\n## Overview\n\nDismissal is when you end an employee\u2019s contract. When dismissing staff, you must do it fairly.\n\nThere are different types of dismissal:\n\n- fair dismissal\n\n- unfair dismissal\n\n- constructive dismissal\n\n- wrongful dismissal\n\nIf you\u2019ve had to dismiss staff because of coronavirus (COVID-19), you might be able to re-employ them and pay their wages through the Coronavirus Job Retention Scheme.\n\n## Fair and unfair dismissal\n\nA dismissal is fair or unfair depending on:\n\n- your reason for it\n\n- how you act during the dismissal process\n\n## Constructive dismissal\n\nThis is when an employee resigns because you\u2019ve breached their employment contract. This could be a single serious event or a series of less serious events.\n\nAn employee could claim constructive dismissal if you:\n\n- cut their wages without agreement\n\n- unlawfully demote them\n\n- allow them to be harassed, bullied or discriminated against\n\n- unfairly increase their workload\n\n- change the location of their workplace at short notice\n\n- make them work in dangerous conditions\n\nA constructive dismissal is not necessarily unfair - but it would be difficult for you to show that a breach of contract was fair.\n\nA constructive dismissal might lead to a claim for wrongful dismissal.\n\n## Wrongful dismissal\n\nThis is where you break the terms of an employee\u2019s contract in the dismissal process, for example dismissing someone without giving them proper notice.\n\nWrongful dismissal is not the same as unfair dismissal.\n\nIf an employee thinks you\u2019ve dismissed them unfairly, constructively or wrongfully, they might take you to an employment tribunal.\n\n## Fair dismissals\n\nYou must have a valid reason for dismissing an employee. Valid reasons include:\n\n- their capability or conduct\n\n- redundancy\n\n- something that prevents them from legally being able to do their job, for example a driver losing their driving licence\n\nThere could be other fair reasons too - these are sometimes called \u2018other substantial reasons\u2019.\n\n## Acting reasonably\n\nEven if you have a fair reason, the dismissal is only fair if you also act reasonably during the dismissal and disciplinary process.\n\nThere\u2019s no legal definition of \u2018reasonableness\u2019, but if you\u2019re taken to an employment or industrial tribunal they would consider whether you:\n\n- genuinely believed that the reason was fair\n\n- carried out proper investigations where appropriate\n\n- followed the relevant procedures\n\n- told the employee why they were being considered for dismissal and listened to their views (in Northern Ireland, the employer must do this in writing)\n\n- allowed the employee to be accompanied at disciplinary/dismissal hearings\n\n- gave the employee the chance to appeal\n\nReasonableness might also depend on whether the employee could be expected to understand the consequences of their behaviour.\n\n## Dismissal and disciplinary procedures\n\nYou must set out your dismissal and disciplinary rules and procedures in writing - if you do not, a tribunal can order you to pay an employee compensation.\n\n## Summary dismissal\n\nThis is when you dismiss someone instantly without notice or pay in lieu of notice, usually because of gross misconduct (for example theft, fraud, violence).\n\nTribunals may rule a summary dismissal as \u2018procedurally unfair\u2019 - you can only suspend someone without pay if their contract says you can do this. If it does not, you should suspend the employee on full pay and investigate the circumstances.\n\nIf you feel summary dismissal\u2019s your only choice, you must still follow a fair procedure as you would do for any other disciplinary matter.\n\n## Unfair dismissals\n\nEven if you think you\u2019ve dismissed someone fairly, they could still claim unfair dismissal against you if they think that:\n\n- the reason you gave for the dismissal was not the real one\n\n- the reason was unfair\n\n- you acted unreasonably, for example by failing to give them plenty of warning about their dismissal\n\n## Automatically unfair reasons for dismissal\n\nEven if you\u2019ve acted reasonably, some reasons for dismissal are classed automatically unfair. These are to do with the following areas:\n\n- pregnancy, including all reasons relating to maternity\n\n- family, including parental leave, paternity leave (birth and adoption), adoption leave or time off for dependants\n\n- acting as an employee representative\n\n- acting as a trade union representative\n\n- acting as an occupational pension scheme trustee\n\n- joining or not joining a trade union\n\n- being a part-time or fixed-term employee\n\n- pay and working hours, including the Working Time Regulations, annual leave and the National Minimum Wage\n\n- whistleblowing\n\nCompulsory retirement on the grounds of age is unlawful unfair dismissal unless you can objectively justify it - but you could be challenged at a tribunal.\n\n## Industrial action\n\nIt\u2019s automatically unfair to dismiss someone for taking part in official (\u2018lawful\u2019) industrial action:\n\n- in the 12-week period from the day the industrial action starts\n\n- if the action lasts longer than 12 weeks and you have not taken reasonable steps to resolve the dispute\n\nOnly an employment or industrial tribunal can decide whether or not you\u2019ve taken reasonable steps to resolve a dispute.\n\nIf you \u2018lock out\u2019 employees taking industrial action, the days of the lock-out are not included in the calculation of the 12-week protected period.\n\nA lock-out is where you prevent employees from getting to their workplace, for example by locking the doors.\n\n## Disability\n\nIf a disabled employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them.\n\n## Political beliefs and groups\n\nIt is not automatically unfair to dismiss someone because of their political beliefs or political groups they belong to, but a tribunal might find this unfair.\n\nThere\u2019s no longer a qualifying period for someone going to an employment tribunal if they\u2019ve been dismissed because of political opinions or affiliation. This applies to anyone dismissed from 25 June 2013.\n\n## Penalties for unfair dismissals\n\nIf a tribunal finds that an employee has been unfairly dismissed, you might be ordered to:\n\n- reinstate them (give them their job back)\n\n- re-engage them (re-employ them in a different job)\n\nYou might also have to pay compensation, which depends on the employee\u2019s:\n\n- age\n\n- gross weekly pay\n\n- length of service\n\nYou might have to pay extra compensation if you do not follow a tribunal\u2019s order to reinstate someone.\n\nThere\u2019s a limit on the amount a tribunal can award for unfair dismissal, apart from in cases relating to:\n\n- health and safety (for example where you unfairly dismiss someone for taking action on health and safety grounds)\n\n- whistleblowing\n\n## Eligibility to claim unfair dismissal\n\nEmployees can only claim unfair dismissal if they\u2019ve worked for a qualifying period - unless they\u2019re claiming for an automatically unfair reason.\n\n| Date employment started | When the employee can claim |\n\n| Before 6 April 2012 | After first year of employment |\n\n| After 6 April 2012 | After 2 years of employment |\n\n## Who cannot claim unfair dismissal\n\nThe right to complain to a tribunal about unfair dismissal is not available to:\n\n- self-employed people\n\n- independent contractors\n\n- members of the armed forces\n\n- employees who have reached a settlement with their employer through Acas (Advisory, Conciliation and Arbitration Service) or the Labour Relations Agency (LRA) in Northern Ireland\n\n- employees who have reached a settlement with their employer through a \u2018settlement agreement\u2019 or \u2018compromise agreement\u2019 after taking legal advice\n\n- employees employed under an illegal contract, for example a barman under the age of 18\n\n- employees covered by a dismissal procedure agreement that\u2019s been legally exempted from the unfair dismissal rules\n\n- employees taking part in unofficial industrial action (unless the dismissal is for an automatically unfair reason)\n\n- police officers (unless the dismissal relates to health and safety or whistleblowing)\n\n- those working on a fishing vessel and paid by a share in the profits or gross earnings of the vessel\n\n## Dismissals for conduct or performance reasons\n\nYou can dismiss an employee if:\n\n- they\u2019re incapable of doing their job to the required standard\n\n- they\u2019re capable, but unwilling to do their job properly\n\n- they\u2019ve committed some form of misconduct\n\nIf you want to dismiss someone, there\u2019s no specific process you must go through by law - as long as you do it fairly.\n\nIf a capability issue is linked to someone\u2019s health, you should try as many ways as possible to help them do their job before dismissing them.\n\n## Disciplinary procedures\n\nYou should include examples of what you consider to be misconduct in your disciplinary rules.\n\nDifferent disciplinary procedures are appropriate for different circumstances.\n\nEmployees have the right to be accompanied to all disciplinary meetings and to appeal to a manager. Keep notes of all meetings and give copies to the employee.\n\n## Misconduct\n\nMisconduct can include things like persistent lateness or unauthorised absence from work.\n\nTo make sure the dismissal is fair when misconduct is not \u2018serious\u2019 or \u2018gross\u2019:\n\n- Arrange a meeting with the employee, telling them the reason for it. At the meeting, give them a chance to explain and issue a first written warning if you\u2019re not satisfied with their reasons. In the warning, tell them how you expect them to improve and over what period - warn them that if they do not improve enough, you\u2019ll give them a final written warning.\n\n- Hold a second meeting if their performance or behaviour has not improved enough by the deadline - give them a chance to explain and issue a final written warning if you\u2019re not satisfied with their reasons. Revise the action plan with timescales for improvement and warn them that you\u2019ll consider dismissal if there\u2019s no improvement.\n\n- Hold a third meeting if their performance or behaviour is still not up to standard by these new deadlines. Warn them that dismissal is now possible. After the meeting - or appeal if there is one - decide whether to give the employee a further chance to improve, or dismiss them. You must tell the employee of your final decision, whatever it is.\n\n## Serious misconduct\n\nYou can issue a single \u2018first and final\u2019 written warning if the misconduct or underperformance is serious enough. Explain that not improving could lead to dismissal. \u2018Serious enough\u2019 includes if it\u2019s likely to or has caused serious harm to the organisation itself.\n\n## Gross misconduct\n\nGross misconduct can include things like theft, physical violence, gross negligence or serious insubordination.\n\nWith gross misconduct, you can dismiss the employee immediately as long as you follow a fair procedure. You should investigate the incident and give the employee a chance to respond before deciding to dismiss them.\n\n## One-off incidents\n\nAn informal discussion may be enough to resolve the issue if the misconduct or underperformance was a one-off and the employee has a good disciplinary record.\n\n## Dismissals due to illness\n\nSometimes an employee may have to stop working because of long-term ill health. They may resign, or you may have to consider dismissing them.\n\n## Considering dismissing an employee\n\nDismissal is a last resort and you should consider as many ways as possible to help the employee back to work, including:\n\n- getting a medical report from their GP with the employee\u2019s permission - they have the right to see the report before you do\n\n- arranging an occupational health assessment\n\n- work out whether or not they\u2019re disabled and make any reasonable adjustments to help them do their job\n\nIf the employee cannot do their job because there are no reasonable adjustments that can be made, it may be fair for you to dismiss them, even if they\u2019re disabled.\n\n## How to dismiss someone\n\nDuring the dismissal procedure, make sure you act fairly and reasonably. You must treat the employee with sensitivity.\n\nYour procedure should follow the advice set out in the Acas (Advisory, Conciliation and Arbitration Service) code of practice, or the Labour Relations Agency (LRA) code of practice for Northern Ireland.\n\nIf you do not follow the code and are taken to an employment or industrial tribunal, you may have to pay compensation.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/dismiss-staff", + "answerable": true, + "scenario": "We have been having an employee in our company who has been diagnosed with breast cancer. She has been put on long term chemotherapy treatment. She shows no signs of recovery. And there are no adjustments to her work place that can be made for her to be able to work.", + "original_question": "Is it fair for us to dismiss her from work?" + }, + { + "id": "train-2178", + "question": "Scenario: I married my wife 10 years ago. I now want to legally change my gender and I am applying for a Gender Recognition Certificate. My wife says she does not want to remain married after the change.\n\nQuestion: Will will be given a document stating that my wife does not want to remain married to me?\n\nDocument - Apply for a Gender Recognition Certificate:\n## Overview\n\nApply to the Gender Recognition Panel for a Gender Recognition Certificate if you want your acquired gender to be legally recognised in the UK.\n\nThere are 3 different ways (\u2018routes\u2019) to get a certificate - which one you use depends on your situation.\n\nRead the full guidance before you apply.\n\n## Standard route\n\nApply by the standard route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria (discomfort with your birth gender) - this is also called gender identity disorder, gender incongruence or transsexualism\n\n- you\u2019ve lived in your acquired gender for at least 2 years\n\n- you intend to live in your acquired gender for the rest of your life\n\n## Alternative route\n\nApply by the alternative route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria or had surgery to change your sexual characteristics\n\n- you live in England, Wales, Northern Ireland or Scotland most of the time\n\n- you intend to live in your acquired gender for the rest of your life\n\n- you\u2019re in (or have been in) a protected marriage or protected civil partnership before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\n- you\u2019ve lived in your acquired gender for at least 6 years before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\nA marriage or civil partnership is protected if it\u2019s one of the following:\n\n- registered under the law of England, Wales or Northern Ireland\n\n- a marriage solemnised in Scotland\n\n- a civil partnership registered in Scotland\n\n- a marriage registered under the law of a country or territory outside the UK\n\n- a marriage on UK consular premises or in an armed forces base, if you elected England, Wales, Northern Ireland or Scotland as the relevant part of the UK\n\n## Overseas route\n\nApply by the overseas route if your acquired gender has been legally accepted in an \u2018approved country or territory\u2019 and you have documents to prove it.\n\nYou must be 18 or over.\n\n## Help you can get\n\nYou can get information, advice and support from a number of voluntary organisations - you can find a list on page 21 of the full guidance.\n\nYou can also contact Citizens Advice or find a legal adviser.\n\n## If you're married or in a civil partnership\n\n## If you\u2019re married\n\nYou can stay married if you apply for a Gender Recognition Certificate.\n\nYou and your spouse must fill in a statutory declaration saying you both agree to stay married.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.\n\nIf your marriage is registered in England, Wales or Northern Ireland and you have an interim certificate, you\u2019ll only get a full certificate once you end your marriage.\n\nIf your marriage was registered in Scotland, you can use an interim certificate to apply to the sheriff court for a full certificate. You do not need to end your marriage first.\n\nContact the administrative team at the Gender Recognition Panel if either you or your spouse change your mind about staying married during the application process.\n\n## If you\u2019re in a civil partnership\n\nYou can stay in your civil partnership if it was registered in England, Wales or Northern Ireland.\n\nYour partner must fill in a statutory declaration saying they agree to stay in a civil partnership with you. Contact the Gender Recognition Panel for help with filling in the declaration.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if your partner does not fill in a statutory declaration.\n\n## Civil partnerships registered in Scotland\n\nIf your civil partnership was registered in Scotland, you must end it or convert your civil partnership to marriage.\n\nIf you decide to convert your civil partnership into a marriage you must do it before you apply to the Gender Recognition Panel.\n\nIf you\u2019re still in a civil partnership when you apply to the Gender Recognition Panel, you\u2019ll get an \u2018interim certificate\u2019. You must end the civil partnership before you can get a full certificate.\n\n## How to apply\n\nDownload and fill in the right form for your application.\n\n| | Form | Guidance |\n\n| Standard route | Form T450 | Leaflet T451 |\n\n| Alternative route | Form T464 | Leaflet T465 |\n\n| Overseas route | Form T453 | Leaflet T454 |\n\nSend the completed form with your fee and any supporting documents relevant to your application.\n\n## Fees\n\nIt costs \u00a35 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\n## Get help with your application\n\nContact the administrative team at the Gender Recognition Panel for advice on the application process.\n\n## Documents you must provide\n\nYou must send certain documents when you apply, depending on which application route you use and whether you\u2019ve ever been married or in a civil partnership.\n\nYou might need to send original documents - you\u2019ll get them back after the Gender Recognition Panel has looked at your application. You will not get any statutory declarations back.\n\nFor all application routes, you must download and fill in the relevant statutory declaration for:\n\n- single people\n\n- married people or civil partners\n\n## If you\u2019ve ever been married or in a civil partnership\n\nFor all application routes you must provide the following (if relevant):\n\n- an original or certified copy of your marriage or civil partnership certificate\n\n- a copy of the decree ending your marriage or proof that any previous civil partnership has been dissolved\n\n- a copy of your spouse\u2019s death certificate\n\nIf you want to stay married, your spouse must fill in a statutory declaration for a spouse.\n\n## Standard or alternative route\n\nFor all application routes you must send:\n\n- an original or certified copy of your birth certificate\n\n- copies of any official documents that show your birth name has changed to your current name\n\n- proof you\u2019ve lived in your acquired gender for the required time\n\n- any required medical reports\n\nYou need to have lived in your acquired gender for 2 years if applying through the standard route.\n\nIf you\u2019re applying through the alternative route you need to have lived in your acquired gender for 6 years before 10 December 2014, or 16 December 2014 if you\u2019re in Scotland.\n\n## Proof you\u2019ve lived in your acquired gender\n\nThis proof must cover the required time that you\u2019ve lived in your acquired gender. It could include copies of your:\n\n- passport\n\n- driving licence\n\n- payslips or benefit documents\n\n- utility bills or other documents of an official nature\n\nAll documents should be in your acquired name and gender. The earliest document must be dated before the beginning of the required time.\n\n## Medical reports\n\nFor the standard and alternative application routes you must send a report that includes details of any treatment you\u2019ve had to change your sexual characteristics, for example hormone treatment or surgery.\n\nThe report must be an original copy from a qualified medical professional, for example a:\n\n- doctor registered with the General Medical Council (GMC)\n\n- psychologist registered with the Health and Care Professions Council\n\nYou can ask your GP or surgeon to fill in a report for you if you do not have one already.\n\nIf you have not had any treatment or surgery yet, you must send a report that includes details of any planned treatment or surgery.\n\nIf you are applying by the standard route you must also send a report with details of your gender dysphoria diagnosis.\n\nRead the list of gender dysphoria specialists to find out who can write this report for you. You can send a report from a registered medical professional not on this list if they can prove they work in gender dysphoria.\n\n## Overseas route\n\nIf you\u2019re applying using the overseas route, you must prove that your gender has been legally recognised in an \u2018approved country or territory\u2019. Send original or certified copies of the following (if you have them):\n\n- your new birth certificate and old birth certificate\n\n- an amended birth certificate that shows the change of gender\n\n- a court order authorising your change of gender\n\n- a document that\u2019s equivalent to a Gender Recognition Certificate\n\n- an entry in a legal register that proves your acquired gender has been recognised\n\n## What happens next\n\nYour application will be assessed by the Gender Recognition Panel - you\u2019ll be contacted if they need more proof or information.\n\nContact the administrative team at the Gender Recognition Panel to find out about your application\u2019s progress.\n\n## If you get a full certificate\n\nYou\u2019ll be sent information on:\n\n- how to get a new birth certificate, marriage certificate or civil partnership where appropriate\n\n- who you must tell about your gender change\n\nYour pension and benefits may be affected.\n\n## If you\u2019re given an interim certificate\n\nYou\u2019ll be sent information on:\n\n- how to annul or dissolve your marriage or civil partnership\n\n- how long you have to convert your civil partnership to a marriage, if applicable\n\n## If your application is turned down\n\nYou\u2019ll be told why your application was rejected.\n\nYou may be able to appeal the decision if you think it\u2019s wrong on a point of law.\n\nWhere you appeal depends on whether you live in:\n\n- England and Wales - appeal to the High Court Family Division\n\n- Scotland - appeal to the Court of Session in Edinburgh\n\n- Northern Ireland - appeal to the High Court\n\nYou\u2019ll be told in your decision letter how to appeal or apply again.\n\n## Legislation\n\nThe Gender Recognition Panel must apply the law in the Gender Recognition Act 2004 and the following amendments:\n\n- Schedule 5, Section 12 of the Marriage (Same Sex Couples) Act 2013\n\n- Part 4 of the Marriage and Civil Partnership (Scotland) Act 2014", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "answerable": true, + "scenario": "I married my wife 10 years ago. I now want to legally change my gender and I am applying for a Gender Recognition Certificate. My wife says she does not want to remain married after the change.", + "original_question": "Will will be given a document stating that my wife does not want to remain married to me?" + }, + { + "id": "train-2181", + "question": "Scenario: My partner and i have separated after 20 years of marriage but we can\u2019t agree on how to split up our shared properties and assets. Efforts to make a binding agreement have been futile. I have police reports documenting domestic abuse throughout our marriage.\n\nQuestion: Can I directly apply for the court to make a decision?\n\nDocument - Money and property when you divorce or separate:\n## Getting a financial agreement\n\nWhen you divorce or end a civil partnership you and your ex-partner need to agree how to separate your finances.\n\nThis includes deciding how you\u2019re going to divide:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nYou might get things like:\n\n- a share of your your partner\u2019s pension - including State Pension or private pension plans\n\n- regular maintenance payments to help with children or living expenses\n\nYou can usually avoid going to court hearings if you agree how to split your money and property.\n\nThe rules are different if you were not married or in a civil partnership. You\u2019ll still have to agree on child maintenance payments for any children.\n\nWhat you can do is different in Scotland and Northern Ireland.\n\n## Making an agreement legally binding\n\nIf you and your ex-partner agree on how to divide money and property, you need to apply for a consent order to make it legally binding.\n\n## Get help agreeing\n\nYou can use a mediator or get other help to resolve issues out of court.\n\n## Get the court to decide\n\nIf you cannot agree on everything, you can ask a court to make a financial order.\n\n## If you agree\n\nIt\u2019s usually more straightforward and less expensive if you agree how to divide your money and property. Get help agreeing.\n\n## Making your agreement legally binding\n\nTo make your agreement legally binding you need to draft a consent order and ask a court to approve it.\n\nIf your agreement is not legally binding, a court cannot enforce it if there are any issues later.\n\nA consent order is a legal document that confirms your agreement. It explains how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\nYou can get legal advice or ask a solicitor to draft a consent order for you.\n\n## When to apply for a consent order\n\nYou can ask the court to approve your consent order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended. This may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to ask the court for approval\n\nYou and your ex-partner have to:\n\n- draft a consent order\n\n- sign the draft consent order - you also need 2 photocopies of the signed original\n\n- fill in a statement of information form\n\nOne of you also needs to fill in a notice of an application for a financial order.\n\nIf you\u2019re ending a civil partnership or legally separating, send the signed forms and copies with the \u00a350 fee to the court dealing with your paperwork. Keep your own copies.\n\nIf you\u2019re divorcing, send the signed forms and copies with the \u00a350 fee to:\n\nYou may be able to get help with court fees if you\u2019re on benefits or a low income.\n\nThere\u2019s usually no court hearing. A judge will approve your consent order to make it legally binding if they think it\u2019s fair.\n\nIf they do not think it\u2019s fair, they can ask you to change it.\n\n## How much it costs\n\nThe court fee is \u00a350.\n\nSolicitor fees vary depending on their experience and location. They usually charge per hour.\n\n## Get help agreeing\n\nA mediator can help you and your ex-partner agree on how to split money and property, without taking sides.\n\nMediation is not relationship counselling. It can help you agree on how you\u2019ll divide your assets, including:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nMediation can be quicker and cheaper than asking a court to decide for you.\n\nYou need to attend a mediation information assessment meeting (MIAM) before you start mediation.\n\nFind a local mediator.\n\nThe mediator can decide mediation is not right for you (for example, if there\u2019s been domestic abuse and you need to go to court instead).\n\n## How much it costs\n\nA MIAM is usually about \u00a330. If you need more mediation sessions they cost more and fees vary depending on where you live.\n\nCheck if you can get legal aid for mediation.\n\n## Making your agreement legally binding\n\nAt the end of mediation you\u2019ll get a document showing what you agreed. This agreement is not legally binding.\n\nIf you want a legally binding agreement you need to draft a consent order and get a court to approve it. The consent order can be based on what you agreed in mediation.\n\n## If you need more help agreeing\n\nYou can:\n\n- ask a legal adviser about other ways to resolve issues out of court (such as family arbitration or collaborative law)\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- work out your finances with a divorce and separation calculator\n\n## If you do not agree on everything\n\nYou can ask a court to decide on anything you have not agreed on.\n\n## Get the court to decide\n\nIf you and your ex-partner cannot agree how to divide your finances you can ask a court to make a financial order (also known as the \u2018contested\u2019 route or an \u2018ancillary relief order\u2019).\n\nThis means the court will decide how assets will be split. Getting the court to decide usually takes longer and is more expensive than if you and your ex-partner agree.\n\nYou must attend a meeting about mediation before you can apply to the court to decide - except in certain cases (if there\u2019s been domestic abuse, for example).\n\nA financial order will describe how you\u2019re going to divide up assets like:\n\n- pensions\n\n- property\n\n- savings\n\n- investments\n\nIt can also include arrangements for maintenance payments, including child maintenance.\n\n## When to apply for a financial order\n\nYou can ask a court to make a financial order if you\u2019ve started the paperwork to divorce or end your civil partnership.\n\nIt is usually more straightforward to divide money and property before you apply for the final legal document to end the relationship.\n\nThe final legal document is the:\n\n- decree absolute if you\u2019re divorcing\n\n- final order if you\u2019re ending a civil partnership\n\nYou can divide money and property after your divorce is finalised or civil partnership has ended but it may change what you\u2019re entitled to get and you may have to pay tax on it.\n\n## How to apply\n\nYou need to apply for a financial order.\n\nSend 2 copies of the form to the court dealing with paperwork in your area to divorce or end your civil partnership. Keep a copy for yourself.\n\nYou can hire a solicitor to help you apply for a financial order from the court.\n\n## After you apply\n\nThere are three stages:\n\n- the first appointment - a short hearing with the judge to discuss your application\n\n- financial dispute resolution (FDR) appointment - to help you agree without needing a final hearing (you might need more than one appointment)\n\n- final hearing - if you\u2019re not able to agree, this is when a judge will decide how you must separate your finances\n\nThe court will send you and your ex-partner details when the first appointment will be. This is usually 12 to 14 weeks after you apply.\n\n## Before the first appointment\n\nYou and your ex-partner need to fill in a financial statement for a financial order (Form E) to show a breakdown of your property and debts. This includes giving an estimate of your future living costs.\n\nYou\u2019ll also need to collect documents about your finances, for example:\n\n- rental or mortgage agreements\n\n- pension documents\n\n- loan agreements\n\n- proof of your salary income, for example P60 or recent pay slips\n\n- details of personal belongings worth more than \u00a3500, for example a car or house contents\n\n## How long it takes\n\nIt depends on:\n\n- how many financial dispute resolution appointments you need\n\n- if you need a final hearing\n\nThere can be several months between the appointments.\n\n## How the court decides\n\nIf you cannot agree, a judge will decide how assets will be split. They\u2019ll base their decision on how long you\u2019ve been married or in a civil partnership, as well as your:\n\n- age\n\n- ability to earn\n\n- property and money\n\n- living expenses\n\n- standard of living\n\n- financial needs and responsibilities\n\n- role in looking after the family, for example if you were the main earner or caring for the family or home\n\n- disability or health condition, if you have any\n\nThe judge will decide on the fairest way to divide the assets if there\u2019s enough to meet everyone\u2019s needs. They will make arrangements for any children first - especially their housing arrangements and child maintenance. The reason for the divorce or dissolution is not taken into account.\n\nThe judge will usually try to arrange a \u2018clean break\u2019, so everything is shared out, and you no longer have any financial ties to one another.\n\n## How much it costs\n\nThe court fee is \u00a3255.\n\nSolicitor fees vary depending on their experience and where you live. They usually charge by the hour. How much you pay in total depends on how many financial dispute resolution appointments you need and if there will be a final hearing.\n\nYou can get legal aid to help with court costs in certain situations, for example if you\u2019re separating from an abusive partner.\n\n## Further help and advice\n\nYou can:\n\n- get information and advice from Citizens Advice\n\n- read guidance to help you sort out finances when you get divorced\n\n- find out more about how to apply for a financial order\n\n## Maintenance payments\n\nThe court sometimes tells the person with the higher income to make regular maintenance payments to help with the other person\u2019s living costs.\n\nThis is called a \u2018maintenance order\u2019.\n\nA maintenance payment can be set for:\n\n- a limited period of time\n\n- until one of you dies, marries or enters into a new civil partnership\n\nThe payment can also be changed if one of you loses your job or gets much better paid work.\n\n## Child maintenance\n\nThe court can also decide on child maintenance, but this is often arranged by the Child Maintenance Service.\n\nRead more about making arrangements to look after children when you divorce or separate.\n\n## Tax when transferring assets\n\nYou do not usually have to pay Capital Gains Tax if you give, or otherwise \u2018dispose of\u2019, assets to your husband, wife or civil partner before you finalise the divorce or civil partnership.\n\nAssets include shares, certain personal possessions and property. You usually do not have to pay tax if you transfer or sell your main home.\n\n## If you transfer an asset when you\u2019re separated\n\nIf you lived together at any point in the tax year that you transferred the asset, the normal rules for spouses and civil partners apply.\n\nOtherwise you may have to pay Capital Gains Tax. You\u2019ll need to get a valuation of the asset on the date of transfer, and use it to work out the gain or loss.\n\nThe tax year is from 6 April to 5 April the following year.\n\n## If you transfer an asset after you\u2019ve divorced or dissolved your civil partnership\n\nYou may have to pay Capital Gains Tax on assets you transfer after your relationship has legally ended.\n\nThe rules for working out your gain or loss are complex. Contact HM Revenue and Customs (HMRC) or get professional tax help, such as an accountant or tax adviser. You\u2019ll need to tell them the date of:\n\n- the decree absolute or dissolution\n\n- any court order, if assets were transferred this way\n\n- any other contract showing the transfer of assets", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/money-property-when-relationship-ends", + "answerable": true, + "scenario": "My partner and i have separated after 20 years of marriage but we can\u2019t agree on how to split up our shared properties and assets. Efforts to make a binding agreement have been futile. I have police reports documenting domestic abuse throughout our marriage.", + "original_question": "Can I directly apply for the court to make a decision?" + }, + { + "id": "train-2183", + "question": "Scenario: My 76 year old father from Kent has been missing for 5 years now, my sister still thinks there is hope but I do not.\n\nQuestion: Can I get a death certificate for him if my sister sees the advert and challenges the claim?\n\nDocument - Get a declaration of presumed death:\n## Overview\n\nYou can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:\n\n- 7 years or more\n\n- less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster\n\nA missing person is not automatically presumed dead.\n\nYou must make a claim for a declaration of presumed death if you want to do certain things, for example deal with their estate.\n\n## Who can make a claim\n\nYou can make a claim if you\u2019re the missing person\u2019s:\n\n- spouse or civil partner\n\n- parent\n\n- child\n\n- sibling\n\nIf none of these apply, you\u2019ll need to prove to the court that you have enough of a connection to the missing person (\u2018sufficient interest\u2019), for example you\u2019re a distant relative and you have a birth certificate to prove it.\n\n## What else must be true to make a claim\n\nTo make a claim one or more of the following must also apply:\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you treat England or Wales as your permanent home (\u2018domicile\u2019) on the date you make the claim\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you\u2019ve been living in England or Wales for the whole year before the date you make the claim\n\n- the missing person treated England or Wales as their permanent home (\u2018domicile\u2019) on the date they were last known to be alive\n\n- the missing person was living in England or Wales for the whole year before the date they were last known to be alive\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Fees\n\nIt costs \u00a3528 to get a declaration of presumed death. You may be able to get help paying court fees.\n\n## Make a claim for a declaration of presumed death\n\nYou can make a claim yourself or use a legal representative.\n\n- Make your claim.\n\n- Advertise your claim in a newspaper.\n\n- Attend a hearing.\n\n## Make your claim\n\nDownload and fill in a claim form (N208) with details about:\n\n- yourself - known as the \u2018claimant\u2019\n\n- the missing person - known as the \u2018defendant\u2019\n\n- your claim\n\nInclude relevant information about your claim in the section \u2018details of your claim\u2019.\n\nSend the following to a court that can hear High Court cases.\n\n- form N208 - 1 copy for each person named in the form plus a copy for the court\n\n- any supporting evidence, for example statements from witnesses, police reports\n\n- the claim fee of \u00a3528 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019\n\nThe court will stamp your form with an issue date and keep one copy. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.\n\n## Send copies of your claim to other people\n\nSend a copy of form N208 and an acknowledgement of service form within 7 days of the issue date on the form to:\n\n- the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive send it to the missing person\u2019s nearest relative\n\n- any other person or organisation who might have an interest, for example an insurance company\n\nYou must advertise your application in a newspaper within 7 days.\n\n## Advertise your claim in a newspaper\n\nYou must advertise your application in a newspaper local to the missing person\u2019s last known address.\n\nPlace the advert within 7 days of the issue date stamped on the claim form.\n\n## Use standard text for the advert\n\nUse the following text and make sure you:\n\n- put your case number after the words case number\n\n- replace or delete as appropriate the words in square brackets with the relevant details\n\n## Standard text\n\n\u201cIn the High Court of Justice [Chancery] [Family] Division\n\nCase number.\n\nIn the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].\n\nA claim has been issued in the High Court of Justice, for a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.\n\nIf you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.\n\n(If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d\n\n## Send a copy to the court\n\nSend the court a copy of the newspaper page showing the advertisement so it arrives at least 5 days before your court hearing.\n\n## Attend a hearing\n\nYou\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.\n\nBring any relevant documents.\n\nYour claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.\n\nAt the hearing you might be:\n\n- asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need\n\n- told there has to be another hearing - there may be several hearings before a decision is made\n\nIf the court agrees with your application, you\u2019ll get a declaration of presumed death at the hearing or later by letter.\n\n## Get a certificate of presumed death\n\nApply to the General Register Office for a certificate of presumed death.\n\nYou can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.\n\nYou can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.\n\nThe certificate can be used like a normal death certificate, for example to deal with a missing person\u2019s estate.\n\nIt costs \u00a311.\n\n## Appeal a decision\n\nContact the Civil Appeals Office to appeal against the High Court\u2019s decision.\n\n## Make a complaint\n\nUse the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/get-declaration-presumed-death", + "answerable": true, + "scenario": "My 76 year old father from Kent has been missing for 5 years now, my sister still thinks there is hope but I do not.", + "original_question": "Can I get a death certificate for him if my sister sees the advert and challenges the claim?" + }, + { + "id": "train-2186", + "question": "Scenario: I am in the process of being declared bankrupt after having run up debts on credit and store cards which I simply cannot repay. The level of my debt is over thirty thousand pounds. I own quite a lot of good jewelry and an expensive car which I am convinced are worth more than any reasonable replacement.\n\nQuestion: Will I have to surrender my car and jewellery when my bankruptcy is completed?\n\nDocument - Applying to become bankrupt:\n## Overview\n\nYou can apply to make yourself bankrupt if you cannot pay your debts.\n\nCheck if there are other ways you can deal with your debts before you apply for bankruptcy.\n\nYour application will be looked at by someone who works for the Insolvency Service called an \u2018adjudicator\u2019. They\u2019ll decide if you should be made bankrupt.\n\nThe process is different if someone else is applying to make you bankrupt.\n\n## How to apply\n\nYou can only apply for bankruptcy online. It costs \u00a3680.\n\n## What happens when you go bankrupt\n\nIf the adjudicator makes you bankrupt:\n\n- you\u2019ll receive a copy of the bankruptcy order and may be interviewed about your situation\n\n- your assets can be used to pay your debts\n\n- you\u2019ll have to follow the bankruptcy restrictions\n\n- your name and details will be published in the Individual Insolvency Register\n\nYou can apply to have your address removed from the Individual Insolvency Register if publishing it will put you at risk of violence. This will not affect your bankruptcy.\n\nAfter 12 months you\u2019re usually released (\u2018discharged\u2019) from your bankruptcy restrictions and debts. Assets that were part of your estate during the bankruptcy period can still be used to pay your debts.\n\nYou might be able to cancel (\u2018annul\u2019) your bankruptcy before you\u2019re discharged.\n\nBankruptcy only applies to individuals. Find out what your options are if your limited company cannot pay its creditors.\n\n## Get help and information\n\nRead the following:\n\n- the Citizens Advice bankruptcy advice guide\n\n- the Money Advice Service\u2019s guide on options for writing off your debt\n\nYou can also contact the National Debtline for bankruptcy advice.\n\nYou can get free advice from a debt adviser to help you decide how to deal with your debts.\n\n## If you do not live in England or Wales\n\nThe process to become bankrupt is different if you live in Scotland or Northern Ireland. You cannot apply to become bankrupt in England or Wales.\n\nYou might be able to apply if you live anywhere else - talk to a debt adviser.\n\nYou must not break the bankruptcy restrictions in England or Wales. These might also apply outside England and Wales - check the laws of the country you live in.\n\n## Get a person at risk of violence (PARV) order\n\nWhen you\u2019re made bankrupt, your name and address will be published in:\n\n- the Individual Insolvency Register\n\n- the London Gazette\n\nIf having your address published will put you at risk of violence, you can apply to the court for a person at risk of violence (PARV) order.\n\nYour name will still be published, but your address will not be.\n\nYou can only apply for a PARV if you\u2019ve already started a bankruptcy application.\n\n## How to apply\n\nDownload and fill in the application form.\n\nTake your completed form to your nearest court that deals with bankruptcy. They\u2019ll tell you if you need to pay a fee to apply.\n\nYou\u2019ll have to go to a hearing to present your application to a judge - the court will tell you when and where this will take place. You\u2019ll usually get a decision on the same day.\n\nSubmit your bankruptcy application once you have your PARV order.\n\n## After you apply\n\nYou\u2019ll usually get an email or letter from the adjudicator within 28 days of submitting your application to say if you\u2019ve been made bankrupt.\n\nThis can take longer if the adjudicator needs to ask more questions about your application.\n\nThey\u2019ll then issue a bankruptcy order.\n\n## After you get your bankruptcy order\n\nYou\u2019ll get a letter from the official receiver within 2 weeks of getting your bankruptcy order. The official receiver is an officer of the court who manages your bankruptcy.\n\nYou\u2019ll also get an information pack that explains what you need to know and what you must do.\n\nYou might be asked to:\n\n- fill in a questionnaire\n\n- attend an interview with the official receiver\n\n- give the official receiver more information about your debts, creditors, assets and income\n\n## If you\u2019re asked to attend an interview\n\nThe interview can be in person or over the phone. The official receiver will:\n\n- check the information they have about your debts and assets\n\n- ask for more details, for example about your pension or savings\n\n- ask how and why you became bankrupt\n\n- answer any questions you have about the bankruptcy process\n\nYour release (\u2018discharge\u2019) from bankruptcy may be delayed if you do not provide the information you\u2019re asked for.\n\n## Restrictions\n\nYou have to follow bankruptcy restrictions when you\u2019re bankrupt. This means you cannot:\n\n- borrow more than \u00a3500 without telling the lender you\u2019re bankrupt\n\n- act as a director of a company without the court\u2019s permission\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business with a different name without telling people you do business with that you\u2019re bankrupt\n\n- work as an insolvency practitioner (an authorised debt specialist)\n\nIt\u2019s a criminal offence to break the restrictions - you might be prosecuted if you do.\n\nYou must co-operate with the people managing your bankruptcy, for example by providing them with the information they ask for.\n\n## How long the restrictions last\n\nRestrictions last until your bankruptcy ends. This will happen sooner if you cancel your bankruptcy.\n\n## When the restrictions can be extended\n\nBankruptcy restrictions can be extended if you do not carry out your duties under the bankruptcy proceedings or if you\u2019re found to have acted carelessly or dishonestly.\n\nThe official receiver will tell you if the restrictions will be extended.\n\nYou\u2019ll be asked to agree to a Bankruptcy Restrictions Undertaking to extend the restrictions. If you do not agree, they\u2019ll ask the court to issue a Bankruptcy Restrictions Order.\n\n## Your assets\n\nYour assets might be sold to pay your bankruptcy debts. You have to hand over your assets to the person appointed to manage your bankruptcy (your \u2018trustee\u2019). They can be:\n\n- an official receiver - an officer of the court\n\n- an insolvency practitioner - an authorised debt specialist\n\nThe official receiver will usually act as your trustee to begin with.\n\n## Assets you can keep\n\nYou can usually keep:\n\n- items needed for your job, such as tools or a vehicle\n\n- household items, such as clothing, bedding or furniture\n\nYou might have to give these items up if they\u2019re worth more than a reasonable replacement.\n\n## Your bank accounts\n\nYou must give the official receiver your bank cards, cheque books and credit cards for any accounts you\u2019re no longer allowed to use. This includes any account that was overdrawn on the date you were made bankrupt.\n\nYour accounts will be frozen but your trustee may release:\n\n- any money you need urgently, for example to buy food\n\n- your partner\u2019s share of any money in a joint account\n\nYour bank will decide whether to allow you to continue using your accounts.\n\n## Your pension\n\nYou usually keep any money you\u2019ve put into a pension.\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nSpeak to your trustee or read the guidance to find out how bankruptcy will affect your pension.\n\nYou can get free advice on managing your money and how bankruptcy affects your credit rating from Citizens Advice or National Debtline.\n\n## Your home\n\nYour home might be sold depending on your equity - your share after any secured debts (like a mortgage) have been paid.\n\nYou might have to give up:\n\n- your equity\n\n- legal ownership of the property if your equity is \u00a31,000 or more\n\nIf your trustee has not put your home up for sale within 3 years it will be transferred back to you.\n\n## Sole owners\n\nThe equity and legal ownership are transferred to your trustee. This means you cannot sell the property or claim any money from a sale.\n\nA bankruptcy restriction or notice is added to your property\u2019s entry in the land register to say this.\n\nIt can only be removed if it\u2019s been added to your property by mistake. Send HM Land Registry a signed statement saying you are not bankrupt and an application to change the register for a property.\n\n## Joint owners\n\nThe equity is transferred to your trustee.\n\nA \u2018Form J restriction\u2019 is added to your property\u2019s entry in the land register. This means your trustee will be told of any dealings connected with your home, for example if you try to sell it.\n\nIt can be removed if you can prove you (as the bankrupt) do not have a share in the property, for example if your partner owns the property. The owner has to send HM Land Registry a signed statement saying they are not the bankrupt person and an application for the cancellation of a Form J restriction.\n\n## Stop the sale of your home\n\nYou might be able to stop or delay the sale of your home if, for example:\n\n- the value of your equity is less than \u00a31,000\n\n- the equity or legal title can be sold to someone else, such as a partner\n\n- you need to organise somewhere for children or a partner to live - the sale can be delayed for up to 1 year\n\nYou may want to get legal advice to find out if you can stop or delay the sale of your home.\n\nCheck if you can get legal aid to help with your legal costs. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\n## Rented property\n\nYour landlord may be told that you\u2019re bankrupt and your rental situation may be affected.\n\n## Your income\n\nYour trustee will tell you if you have to make monthly payments from your spare income - you\u2019ll only have to do this if you can afford it.\n\nThe arrangement can last for up to 3 years and is called an Income Payments Agreement (IPA).\n\nIf you\u2019re getting pension payments when you\u2019re made bankrupt, those payments usually count as income.\n\nIf you do not agree to the IPA your trustee can ask the court to order you to make monthly payments. This is called an Income Payments Order (IPO).\n\nYour official receiver will set up your IPA or IPO and charge a fee. The fee can be up to \u00a3150 and is taken out of your first payment.\n\n## How much you pay\n\nThe monthly amount you pay depends on how much you can afford after essential expenses like food and bills are paid.\n\n## Cancel a bankruptcy\n\nYou can apply to cancel (\u2018annul\u2019) your bankruptcy if:\n\n- the bankruptcy order should not have been made\n\n- all your debts and bankruptcy fees have been paid or secured (guaranteed) by a third party\n\n- you\u2018ve made an Individual Voluntary Arrangement with your creditors to pay all or part of your debts\n\nIf your circumstances change and you can pay off all your debts, then you must pay it through your official receiver or a solicitor.\n\nThis means you will not have to follow the bankruptcy restrictions.\n\n## How to apply\n\nDownload and fill in the application form.\n\nSend or take your completed form to your nearest court that deals with bankruptcy.\n\nYou must tell the court if you want details of your bankruptcy removed from the Land Charges register.\n\nYou\u2019ll be given a date for a court hearing of your application, which you must attend.\n\nYou\u2019ll still need to attend your interview with the official receiver if you\u2019ve been asked to.\n\nIf the court agrees with your application, they\u2019ll make an annulment order which cancels your bankruptcy.\n\n## Advertise your cancellation order\n\nYou can ask the official receiver to advertise your annulment order within 28 days of getting it. You cannot do this if your bankruptcy order has not been advertised yet.\n\nYour annulment order will be advertised wherever your bankruptcy order was.\n\n## When bankruptcy ends\n\nYour bankruptcy and the restrictions generally end when you\u2019re \u2018discharged\u2019, which is usually automatic.\n\nThis is usually 12 months after the adjudicator made you bankrupt. It can be longer in some circumstances, for example if you do not co-operate with your trustee.\n\nCheck your discharge date online using the Individual Insolvency Register.\n\nIf you cancel your bankruptcy, all restrictions will end immediately and your details will be removed from the Individual Insolvency Register.\n\n## Proof of discharge\n\nEmail the Insolvency Service and ask for a \u2018confirmation letter\u2019 to prove your bankruptcy has ended. There\u2019s no fee.\n\nIf you\u2019re applying for a mortgage, you\u2019ll need a Certificate of Discharge.\n\nHow you get it depends on how you applied for your bankruptcy.\n\nIf you applied:\n\n- at a court, contact the court and pay the \u00a370 fee (\u00a310 for each copy)\n\n- online, email the Insolvency Service - there\u2019s no fee\n\n## Bankruptcy registers\n\nThe Individual Insolvency Register is updated within 3 months of your discharge.\n\nYou must apply to both Land Charges and HM Land Registry to have your bankruptcy entry removed from any properties you still own after paying your debts.\n\nBankruptcy entries are automatically removed from the Land Charges register after 5 years if they\u2019re not renewed.\n\n## Apply to Land Charges\n\nSend an application to cancel an entry in the Land Register (K11) to the Land Charges Department.\n\nYou need to include:\n\n- a copy of your court order permitting the cancellation (or \u2018vacation\u2019) of the entry\n\n- \u00a31 for each entry you want to cancel\n\n## Apply to HM Land Registry\n\nYou need to send HM Land Registry either:\n\n- an application to change the register for a property, if you\u2019re the sole owner of your property\n\n- an application for the cancellation of a Form J restriction, if you own your property with someone else\n\nYou must include a copy of your court order.\n\nAll forms sent will be destroyed once the registers are updated. You can send copies if you write \u201cI certify that this is a true copy of the original\u201d together with your signature on the first page.\n\n## Your credit record\n\nCredit reference agencies will not be told directly when your bankruptcy ends - they\u2019ll get this information from public records.\n\nGet a copy of your credit reference report - contact a credit reference agency if it needs updating.\n\nYour bankruptcy can stay on your credit reference file for 6 years from the date of your bankruptcy.\n\n## Debts that will not be written off\n\nWhen you\u2019re discharged you\u2019ll be released from most, but not all, of the debts you owed at the date of the bankruptcy.\n\nDebts you will not be released from include:\n\n- debts arising from fraud\n\n- anything you owe under family proceedings - unless the court decides otherwise\n\n- damages for personal injuries to anyone - unless the court decides otherwise\n\n- debts which were not included in the bankruptcy itself, for example a debt to the Student Loans Company", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/bankruptcy", + "answerable": true, + "scenario": "I am in the process of being declared bankrupt after having run up debts on credit and store cards which I simply cannot repay. The level of my debt is over thirty thousand pounds. I own quite a lot of good jewelry and an expensive car which I am convinced are worth more than any reasonable replacement.", + "original_question": "Will I have to surrender my car and jewellery when my bankruptcy is completed?" + }, + { + "id": "train-2187", + "question": "Scenario: My partner and I live abroad. We are planning to take our daughter to an independent school in the UK when she turns 5. We admire the UK National curriculum. We also have another daughter which is applying for a Child Student visa.\n\nQuestion: Can we bring our other young daughter through the visa of the first child?\n\nDocument - Parent of a Child Student visa:\n## Who can apply\n\nYou can only apply for a Parent of a Child Student visa if your child has or is applying for a Child Student visa. Or if they currently have a Tier 4 (Child) visa.\n\nYour child must be aged between 4 and 11 when you apply, and be attending an independent school in the UK.\n\nYou must also:\n\n- be the only parent accompanying your child in the UK\n\n- have enough money to support yourself and your child in the UK\n\n- maintain your main home outside the UK\n\n- plan to leave the UK when your visa expires\n\n## Bringing family members with you\n\nTo be eligible for a Parent of a Child Student visa you must be the only parent accompanying your child in the UK. The child\u2019s other parent must live abroad, and cannot apply to join you in the UK.\n\nYou can bring your other children with you if they also have or are applying for a Child Student visa.\n\nYou cannot bring other family members with you on this visa. They may be able to apply to come to the UK on a short-term visit visa.\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme.\n\nOtherwise you need a visa to come to the UK for more than 6 months. The earliest your Parent of a Child Student visa will start from is 1 January 2021.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## How long you can stay\n\nYou can stay in the UK until your child\u2019s visa expires or they turn 12, whichever happens first.\n\nYou can extend your visa while in the UK as long as you meet the eligibility requirements.\n\n## If you leave the UK\n\nIf your child is staying in education in the UK without you, you must make arrangements for their ongoing care. For example, if your child turns 12 and their visa is still valid, they may be able to start boarding at their current school, or live with other family members in the UK.\n\n## What you cannot do\n\nWhile you\u2019re in the UK on a Parent of a Child Student visa, you cannot:\n\n- do paid work\n\n- study\n\n- start a business\n\n- make the UK your main home\n\n- apply for benefits (public funds), or the State Pension\n\n- bring other family members with you\n\n- switch to a different type of visa\n\n## Money you need\n\nWhen you apply for a Parent of a Child Student visa, you must:\n\n- pay the application fee\n\n- pay the healthcare surcharge for each year of your stay\n\n- prove that you have enough money to support yourself and your child while you\u2019re in the UK\n\n## Visa application fee\n\nA Parent of a Child Student visa costs \u00a3516.\n\n## Healthcare surcharge\n\nYou\u2019ll also have to pay the healthcare surcharge as part of your online application. It usually costs \u00a3624 per year.\n\nThis is so you can use the National Health Service (NHS) in the UK.\n\nCheck how much you\u2019ll need to pay before you apply.\n\nYou pay the surcharge as part of your online visa application.\n\n## Money to support yourself and your child\n\nYou\u2019ll need to show that you have enough money to support yourself and your child in the UK.\n\nYou\u2019ll need \u00a31,560 for each month of your stay up to a maximum of 9 months. This amount is to support both you and your child.\n\nFor example, if you\u2019re staying for 9 months or longer you\u2019ll need to prove you have \u00a314,040 (9 months \u00d7 \u00a31,560).\n\n## If you want to bring your other children\n\nYou\u2019ll need an extra \u00a3625 per month, up to a maximum of 9 months, for each additional child that accompanies you to the UK. They must be a sibling of your other child and also have a Child Student visa.\n\n## If you\u2019re extending your visa\n\nIf you\u2019ve been in the UK for at least 12 months on a valid visa, you do not need to prove you have money to support yourself and your child for your visa application.\n\n## Documents you'll need to apply\n\nWhen you apply you\u2019ll need to provide:\n\n- a current passport or other valid travel document\n\n- proof that you have enough money to support yourself and your child - unless you\u2019ve been in the UK for at least 12 months on a valid visa\n\n- evidence that you have a permanent home outside the UK\n\nDepending on your circumstances, you might also need to provide:\n\n- your tuberculosis (TB) test results if you\u2019re from a country where you have to take the TB test\n\n- a certified translation of any documents that are not in English or Welsh\n\n## Apply from outside the UK\n\nYou must apply online for a Parent of a Child Student visa before you travel to the UK.\n\nThe earliest you can apply is 6 months before you travel to the UK.\n\nCheck what documents you\u2019ll need to apply.\n\n## Apply online\n\nAs part of your online application, you will need to book an appointment at a visa application centre to prove your identity. You\u2019ll have your fingerprints and photograph (known as \u2018biometric information\u2019) taken at your appointment.\n\nThe visa application centre may keep your passport and documents while processing your application.\n\nYou\u2019ll be told what you need to do when you apply.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply online\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 3 weeks.\n\nYou may be able to pay to get a faster decision. Check if your visa application centre offers faster decisions and other services.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\n## Extend your visa\n\nYou can apply to extend your visa while in the UK as long as you and your child meet the eligibility requirements. This includes if your child currently has a Tier 4 (Child) student visa.\n\n## How long you can stay\n\nWhen you extend your visa you can stay in the UK until the date your child\u2019s student visa expires or they turn 12, whichever happens first.\n\n## When to apply to extend your visa\n\nYou must apply before your current visa expires.\n\nYou can stay in the UK until you get a decision on your visa application.\n\n## Apply to extend your visa\n\nYou must apply online.\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point. At the appointment you must provide your biometric information (your fingerprints and a photo). It costs \u00a319.20.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply to extend\n\n## Continue your application\n\nYou can sign back into your application if you\u2019ve saved it. Check your email and follow the link to return to your application.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying to extend your visa in the UK.\n\nYou cannot get immigration advice through this service.\n\n## How long it takes to get a decision\n\nOnce you\u2019ve applied online, proved your identity and provided your documents, you\u2019ll usually get a decision on your visa within 8 weeks.\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\nYou can stay in the UK until you\u2019ve been given a decision, as long as you applied before your last visa expired.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## After you apply\n\nYou\u2019ll be contacted if your application is complex and will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- of your personal circumstances (for example if you have a criminal conviction)\n\n## If you need to change or cancel your application\n\nIf you need to change something in your application after you\u2019ve sent it, contact UK Visas and Immigration (UKVI).\n\nYou can ask to withdraw your application by contacting UKVI. Your fee will only be refunded if UKVI has not started processing your application.\n\n## After you get a decision\n\nYou\u2019ll get a letter or an email containing the decision on your application. This will explain what you need to do next.\n\nFind out what happens after you get your decision.\n\nIf you applied for an administrative review because your application was refused, you can stay in the UK until you get your review decision.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/parent-of-a-child-at-school-visa", + "answerable": true, + "scenario": "My partner and I live abroad. We are planning to take our daughter to an independent school in the UK when she turns 5. We admire the UK National curriculum. We also have another daughter which is applying for a Child Student visa.", + "original_question": "Can we bring our other young daughter through the visa of the first child?" + }, + { + "id": "train-2189", + "question": "Scenario: My uncle has a 14 year old step son who moved to England from India last month. He has been looking for a special grammar school for him to join. He is fairly confident he will be able to pass an entrance exam for such a school.\n\nQuestion: Will children who are able to pass an entrance exam for a grammar school be given priority?\n\nDocument - School admissions:\n## Choosing schools\n\nIf you live in England contact your local council to find:\n\n- state-funded schools in your area\n\n- admission criteria for the schools you\u2019re interested in\n\nThe process is different if you live in Scotland, Wales or Northern Ireland.\n\nYou can also contact your local council to apply for places at state schools in other areas. You can search online to find schools in England.\n\n## Private schools or home schooling\n\nIf you\u2019re looking for a place at a private school (also called \u2018independent schools\u2019), contact the school directly.\n\nYou can also choose to teach your child at home, known as home schooling.\n\n## Children with special educational needs (SEN)\n\nIf your child has SEN, their Education, Health and Care (EHC) plan will name a school for them. The school must give your child a place.\n\nYou can ask your local council to carry out an assessment if you think your child needs additional support with their educational, health and social needs.\n\n## Find out about a primary or secondary school\n\nYou can find out more by:\n\n- visiting the school - most schools have open days\n\n- reading the school\u2019s most recent Ofsted reports\n\n- checking school performance tables\n\n- talking to other parents about what they think of the school\n\n## What schools must publish on their website\n\nSchools\u2019 websites must include:\n\n- admission arrangements, including how to apply\n\n- details of the curriculum\n\n- behaviour policy\n\n- links to Ofsted reports\n\n- links to performance data\n\n- the school\u2019s latest key stage 2 and 4 attainment and progress measures\n\n- their policies for children with special educational needs and disabilities\n\n- the amount of money they get for taking underprivileged children (the \u2018pupil premium\u2019), what they do with it and the effect it\u2019s had\n\nYou can also get advice about choosing state-funded schools from your local council.\n\n## Admission criteria\n\nAll schools have admission criteria to decide which children get places. The school or local council usually set these.\n\nAdmission criteria are different for each school. They may give priority to children:\n\n- who live close to the school\n\n- who have a brother or sister at the school already\n\n- from a particular religion (for faith schools)\n\n- who pass an entrance exam (for selective schools, for example grammar schools)\n\n- who went to a particular primary school (a \u2018feeder school\u2019)\n\n- who are eligible for the pupil premium or the service pupil premium\n\n- whose parent has worked at the school for 2 years or more\n\nYour local council can give you information about schools\u2019 criteria and how to apply.\n\n## Children in care\n\nAll state-funded schools must give top priority to admitting children who:\n\n- are in care or being looked after\n\n- have been in care\n\n## Complain about unfair admission arrangements\n\nContact the Schools Adjudicator if you think a school has unlawful or unfair admission arrangements.\n\nYou need to complain by 15 May of the year before you\u2019re applying for a place. For example, to complain about admission arrangements for September 2021 the deadline is 15 May 2020.\n\n## School starting age\n\nMost children start school full-time in the September after their fourth birthday. This means they\u2019ll turn 5 during their first school year.\n\nFor example, if your child\u2019s fourth birthday is between 1 September 2021 and 31 August 2022 they will usually start school in September 2022.\n\n## If you want your child to start later\n\nIf you do not think your child is ready to start school at the usual time, they can start later - as long as they\u2019re in full-time education by the time they reach \u2018compulsory school age\u2019.\n\nThey can start:\n\n- part time\n\n- part-way through the year\n\n- in the next school year, in the September after they turn 5\n\nYou\u2019ll still need to apply for a school place at the same time as everyone else. You request your child\u2019s later start when you apply.\n\n## If your child starts in the September after they turn 5\n\nYour child will go into year 1. Contact the local council or school if you want your child to start in reception instead. They do not have to agree.\n\n## Compulsory school age\n\nYour child must start full-time education once they reach compulsory school age. This is on 31 December, 31 March or 31 August following their fifth birthday - whichever comes first. If your child\u2019s fifth birthday is on one of those dates then they reach compulsory school age on that date.\n\nFor example, if your child reaches compulsory school age on 31 March, they must start full-time education at the beginning of the next term (summer term that year).\n\nChildren must stay in full-time education until they reach school leaving age.\n\nAll 3 to 4-year-olds in England are entitled to free early education before they start school full time.\n\n## How to apply\n\nFollow your local council\u2019s application process to:\n\n- apply for a primary school place\n\n- apply for a secondary school place\n\nYou must still apply for a place, even if the school is linked to your child\u2019s current nursery, infant or primary school.\n\nApply directly for:\n\n- a 6th form place at a school or college\n\n- a place at a private school\n\n## Moving to another area\n\nYou apply through your local council even if you\u2019re applying for schools in another council area or you\u2019ve just moved to England.\n\nIf you\u2019re applying from another country, contact the local council in the area where you\u2019re going to live.\n\nYou may need to:\n\n- supply proof of your new address, for example a mortgage or rental agreement or deeds for the property\n\n- prove that you\u2019ll live in the area before the start of the next school term\n\n## Completing the application\n\nWhen you fill in the form (online or on paper) you\u2019ll be asked to list the schools you\u2019re applying for in order of preference.\n\nListing only one school will not increase your chances of getting a place there.\n\nTo get a copy of the application form on paper, contact your local council.\n\n## When to apply\n\nApplications open on different days in each local council area. Find out from your local council when applications open for primary or secondary schools.\n\n## Applying for a primary school place\n\nYou must apply for a primary school place a year before your child can start school.\n\nApplications open in September and close on 15 January. Your child will be 3 or have just turned 4 when you apply.\n\nYou\u2019ll need to apply then even if you want your child to start part-way through the year.\n\n## Applying for a secondary school place\n\nThe deadline for applying is 31 October.\n\nYour child is less likely to be offered a place at their chosen schools if you miss the deadline for applications.\n\n## When you\u2019ll find out\n\nCouncils will send offers of school places for:\n\n- primary schools on 16 April\n\n- secondary schools on 1 March\n\nIf either date falls on a weekend or a bank holiday, offers are sent the next working day.\n\nYou must accept the offer by the deadline given in the offer letter. Otherwise it may be withdrawn and the place given to someone else.\n\nThe local council must provide a place at another school, if your child is not offered a place at any of the schools you\u2019ve applied for. This is usually your nearest school with places still available.\n\n## Applying after the start of the school year\n\nContact your local council to find out about applying for a school place once the school year has started (known as in-year applications). They can tell you which schools still have places and how to apply.\n\nOnce your child has been offered a place, they will usually start school at the beginning of the following term.\n\n## School waiting lists\n\nIf your child does not have a place, contact your local council for schools with places.\n\nYou can also put your child\u2019s name down on a waiting list. The \u2018admission authority\u2019 for the school (usually the school itself or the council) must keep a waiting list open for at least the first term of each school year.\n\nContact the school or your local council if you want your child\u2019s name added to a waiting list.\n\nYou can add your child\u2019s name to a waiting list even if they have been offered a place at another school.\n\nIf your child is on a waiting list and the school offers you a place, the admission authority will send you a formal offer. You can still accept the offer even if your child has already started at another school.\n\n## Appealing a school's decision\n\nYou\u2019ll be sent a letter with the decision about your child\u2019s school. If your child is refused a place, you can appeal against the decision. The letter will tell you how.\n\nYou must appeal against each rejection separately. You can only appeal once against each rejection.\n\n## Preparing your appeal\n\nThe admission authority for the school must allow you at least 20 school days to appeal from when they send the decision letter.\n\nThe admission authority will set a deadline for submitting information and evidence to support your appeal. If you submit anything after the deadline, it might not be considered and may result in delays to your hearing.\n\nCoram Children\u2019s Legal Centre may be able to give you advice about appeals.\n\n## When the hearing will be\n\nThe admission authority must give you at least 10 school days\u2019 notice of the hearing.\n\nAppeals must be heard within 40 school days of the deadline for making an appeal.\n\n## What happens at the appeal hearing\n\nThere\u2019s a panel of 3 or more people at the appeal hearing. The panel must be independent and must follow the school admission appeals code.\n\n- The admission authority will explain why they turned down your application.\n\n- You\u2019ll be able to give your own reasons why your child should be admitted.\n\n- The appeals panel must decide if the school\u2019s admission criteria were properly followed and comply with the school admissions code.\n\n- If the criteria were not properly followed or do not comply with the school admissions code your appeal must be upheld.\n\n- If your reasons for your child to be admitted outweigh the school\u2019s reasons for not admitting any more children at all, your appeal will be upheld.\n\n- You will usually be sent the decision within 5 school days.\n\nYou can read more about school admission appeals.\n\n## Appeals for infant classes\n\nYou need to go through the same process if you\u2019re appealing a decision about an infant class. In reception, year 1 and year 2, the class size is limited to 30. Your application can be turned down if all the classes already have 30 children.\n\nYour appeal could be successful if:\n\n- giving your child a place will not increase the class size above the limit\n\n- the admission arrangements have not been properly followed\n\n- the admission criteria do not comply with the school admissions code\n\n## Complain about the appeals process\n\nYou can complain about the way the appeal was carried out, but you can not complain about the decision itself.\n\n## Maintained schools\n\nComplain to the Local Government Ombudsman.\n\nFill in the online complaint form.\n\n## If a maintained school becomes an academy\n\nIf you complain about an appeal concerning a maintained school that then converts to academy status, the Local Government Ombudsman will investigate it and pass any actions to the Education and Skills Funding Agency (ESFA).\n\n## Other schools\n\nComplain to ESFA about an appeal made to:\n\n- free schools\n\n- academies, including university technical colleges and studio schools\n\nFill in the online complaint form.\n\nUsing the online form is the quickest way to make a complaint. If you need a paper form instead, contact:\n\nYou should get a decision on your complaint within 9 weeks (45 working days). You\u2019ll be told if it\u2019ll take longer.\n\nYou\u2019ll get a letter explaining the reasons for the decision.\n\nIf ESFA decides something went wrong with the appeals panel, it may:\n\n- ask the school to hold a new appeal hearing with a different panel\n\n- recommend the school reviews its appeals process\n\n## Complain about another school matter\n\nIf you have a complaint about a school that is not related to the appeals process, contact the Department for Education.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/schools-admissions", + "answerable": true, + "scenario": "My uncle has a 14 year old step son who moved to England from India last month. He has been looking for a special grammar school for him to join. He is fairly confident he will be able to pass an entrance exam for such a school.", + "original_question": "Will children who are able to pass an entrance exam for a grammar school be given priority?" + }, + { + "id": "train-2192", + "question": "Scenario: I am a UK business trader and have been running my business at a loss since the covid restrictions were imposed. My business is on the verge of collapsing and I have made most of my employees redundant. Creditors have been making endless calls. I have never applied for any breathing space. I do not have a debt relief order nor an individual voluntary arrangement. There was an interim order issued on the business but it is not active anymore. The company is in good financial standing and is not going bankrupt.\n\nQuestion: Can i apply and get a breathing space?\n\nDocument - Options for paying off your debts:\n## Overview\n\nIf you owe people money (your \u2018creditors\u2019) you can make arrangements to pay your debts. Your options depend on the amount of money and assets you have.\n\n## Where you can get help\n\nSpeak to a debt adviser to get help choosing the best way to deal with your debt.\n\nThe Money Advice Service has information about debt management and free debt advisory services.\n\n## Paying off your debts\n\nYou can pay your debts in instalments by setting up:\n\n- a Debt Management Plan which is an agreement with your creditors managed by a financial company\n\n- an Administration Order when you\u2019ve had a county court judgment (CCJ) or a High Court judgment (HCJ) against you for debts under \u00a35,000\n\n- an Individual Voluntary Arrangement which is managed by an insolvency practitioner\n\nYou can also get temporary protection from your creditors through the \u2018Breathing Space\u2019 scheme, while still making repayments. You\u2019ll need to apply through a debt advisor.\n\nIn Scotland you can arrange a Debt Payment Programme from the Debt Arrangement Scheme.\n\nYou may also have the option of reaching an informal agreement with your creditors.\n\n## If you cannot pay off your debt\n\nYou can apply for a Debt Relief Order or Bankruptcy Order if you cannot pay your debts because you do not have enough money or assets you can sell.\n\nIf you cannot pay off your debts, you can be made bankrupt.\n\n## Breathing Space (Debt Respite Scheme)\n\nIf you live in England or Wales, you can get temporary protection from your creditors while you get debt advice and make a plan. This scheme is called \u2018Breathing Space\u2019.\n\nYou can get temporary protection for up to 60 days.\n\nYou\u2019ll still need to make your debt repayments.\n\nIf you get it:\n\n- enforcement action cannot be taken against you\n\n- your creditors cannot contact you about debts included in your Breathing Space\n\n- your creditors cannot add interest or charges to your debt\n\nIf you\u2019re getting mental health crisis treatment, your protection from creditors will be longer. It will last for the length of your treatment, plus another 30 days.\n\n## How to apply for the Breathing Space scheme\n\nTo apply for the \u2018Breathing Space\u2019 scheme, you need to talk to a debt adviser. They will submit an application on your behalf if it\u2019s the right thing to do.\n\nYou can find a free debt adviser on the Money Advice Service website. You can get confidential advice online, over the phone or in person.\n\nIf you\u2019re receiving mental health treatment and cannot speak to a debt adviser, someone else can do so on your behalf.\n\n## Costs\n\nIt\u2019s free to apply for \u2018Breathing Space\u2019, but some debt advisers may charge you a fee.\n\n## Eligibility\n\nYou must:\n\n- not have a debt relief order (DRO), an individual voluntary arrangement (IVA), an interim order, or be an undischarged bankrupt at the time you apply\n\n- not already be using the \u2018Breathing Space\u2019 scheme\n\n- not have used the \u2018Breathing Space\u2019 scheme in the last 12 months, unless it was for a mental health crisis\n\n## Debt Management Plans\n\nA Debt Management Plan is an agreement between you and your creditors to pay all of your debts.\n\nDebt management plans are usually used when either:\n\n- you can only afford to pay creditors a small amount each month\n\n- you have debt problems but will be able to make repayments in a few months\n\nYou can arrange a plan with your creditors yourself or through a licensed debt management company for a fee. If you arrange this with a company:\n\n- you make regular payments to the company\n\n- the company shares the money out between your creditors\n\nThe Money Advice Service has information on organisations that can give you free advice about whether a Debt Management Plan is right for you.\n\n## Get a Debt Management Plan\n\n- Set up a plan with a debt management company authorised by the Financial Conduct Authority (FCA). Search the Financial Services Register for an authorised company.\n\n- The company works out your monthly payments. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.\n\n- The company contacts your creditors and asks them to agree to the plan (they do not have to).\n\nUnless stated in the agreement, your creditors can still:\n\n- ask you to pay your full debt at a later date\n\n- take action to recover their money even if you keep up your payments\n\n## Costs\n\nSome companies will charge:\n\n- a set up fee\n\n- a handling fee each time you make a payment\n\nMake sure you understand the costs of your plan and how you pay for it.\n\n## Eligibility\n\nDebt Management Plans can only be used to pay \u2018unsecured\u2019 debts, for example debts that have not been guaranteed against your property.\n\n## Your responsibilities\n\nYour plan can be cancelled if you do not keep up your repayments.\n\n## Administration orders\n\nAn administration order is a way to deal with debt if you have a county court or High Court judgment against you and you cannot pay in full.\n\nThe debt must be less than \u00a35,000.\n\nYou make 1 payment a month to your local court. The court will divide this money between your creditors.\n\nCreditors listed on the administration order cannot take any further action against you without the court\u2019s permission.\n\nThe Money Advice Service has information on organisations that can give you free advice about whether an administration order is right for you.\n\n## Get an administration order\n\nFill in an application for an administration order (form N92) and return it to your local court.\n\nThe court decides:\n\n- how much of your debt you have to repay, for example all or just part of it\n\n- how much your monthly repayments will be\n\n- how long the arrangement lasts\n\nThe arrangement is known as a \u2018composition order\u2019 if you cannot pay all your debts.\n\n## Costs\n\nThere\u2019s a court fee each time you make a payment. This cannot be more than 10% of your debt.\n\n## Eligibility\n\nYou must:\n\n- owe less than \u00a35,000, including any interest and charges\n\n- owe money to at least 2 creditors\n\n- prove you can afford regular repayments, for example by giving details of your income\n\n- have a county court or High Court judgment against you, which you cannot pay in full\n\n## Your responsibilities\n\nYou must keep up your repayments or the court can:\n\n- ask your employer take money from your wages \u2013 known as an \u2018attachment of earnings order\u2019\n\n- cancel the arrangement\n\nYou may still be able to keep your business running, if you have one.\n\n## Public records\n\nYour administration order is added to the Register of Judgments, Orders and Fines.\n\nIt\u2019s usually removed 6 years after the date the order was made.\n\nYour entry is marked as \u2018satisfied\u2019 if you repay your debts in full.\n\nYou can also ask the court for a \u2018certificate of satisfaction\u2019. To do this, write to the court and send a cheque for \u00a315 (made payable to Her Majesty\u2019s Courts and Tribunal Service).\n\n## Individual Voluntary Arrangements\n\nAn Individual Voluntary Arrangement (IVA) is an agreement with your creditors to pay all or part of your debts. You agree to make regular payments to an insolvency practitioner, who will divide this money between your creditors.\n\nAn IVA can give you more control of your assets than bankruptcy.\n\nThe Money Advice Service has information on organisations that can give you free advice about whether an IVA is right for you.\n\n## Get an Individual Voluntary Arrangement (IVA)\n\nUse an insolvency practitioner to get an IVA.\n\nYour insolvency practitioner works out what you can afford to repay and how long the IVA lasts. You\u2019ll have to give details about your financial situation, for example your assets, debts, income and creditors.\n\nYour insolvency practitioner will contact your creditors. The IVA will start if the creditors holding 75% of your debts agree to it. It will apply to all your creditors, including any who disagreed to it.\n\nAn IVA will stop your creditors taking action against you for your debts.\n\n## Costs\n\nThere are usually 2 fees:\n\n- a set up fee\n\n- a handling fee each time you make a payment\n\nMake sure you know how much it\u2019s going to cost before asking an insolvency practitioner to act for you.\n\n## Your responsibilities\n\nYour IVA can be cancelled by the insolvency practitioner if you do not keep up your repayments. The insolvency practitioner can make you bankrupt.\n\nYou may still be able to keep your business running, if you have one.\n\n## Public records\n\nYour IVA will be added to the Individual Insolvency Register. It\u2019s removed 3 months after the IVA ends.\n\n## Debt Relief Orders\n\nDebt Relief Orders (DROs) are one way to deal with your debts if you owe less than \u00a320,000, do not have much spare income and do not own your home.\n\nIf you get one:\n\n- your creditors cannot recover their money without the court\u2019s permission\n\n- you\u2019re usually freed (\u2018discharged\u2019) from your debts after 12 months\n\n## Get a Debt Relief Order\n\nYou get a DRO from the official receiver, an officer of the bankruptcy court, but you must apply through an authorised debt adviser. They\u2019ll help you fill in the paperwork.\n\nThere\u2019s a list of organisations that can help you find an authorised debt adviser in the guide to DROs.\n\nThe Money Advice Service has information about where to get free debt advice.\n\n## Costs\n\nThe official receiver\u2019s fee is \u00a390. Your debt adviser can tell you how and when to pay it. In some cases a charity may be able to help you with the cost - ask your debt adviser.\n\n## Eligibility\n\nYou\u2019re generally eligible if you meet all of these criteria:\n\n- you owe less than \u00a320,000\n\n- you\u2019ve less than \u00a350 a month spare income\n\n- you\u2019ve less than \u00a31,000 worth of assets\n\n- you\u2019ve lived or worked in England and Wales within the last 3 years\n\n- you have not applied for a DRO within the last 6 years\n\n## Restrictions\n\nYou must follow rules called \u2018restrictions\u2019 if you get a DRO.\n\nThis means you cannot:\n\n- borrow more than \u00a3500 without telling the lender about your DRO\n\n- act as the director of a company\n\n- create, manage or promote a company without the court\u2019s permission\n\n- manage a business without telling those you do business with about your DRO\n\nIf you want to open a bank account, you may also have to tell the bank or building society about your DRO.\n\nCheck the Individual Insolvency Register to see when the restrictions end.\n\nThe restrictions usually last 12 months. They can be extended if careless or dishonest behaviour caused your debt problem. For example, you lied to get credit.\n\nThe official receiver will tell you if they should be extended. To extend them, you\u2019ll be asked to agree to a \u2018Debt Relief Restrictions Undertaking\u2019. The court can issue a \u2018Debt Relief Restrictions Order\u2019 if you do not agree.\n\n## What you need to know\n\nWhile you have a DRO you still have to pay:\n\n- your rent and bills\n\n- certain debts, for example student loans, court fines\n\nDROs can be cancelled if:\n\n- your finances improve\n\n- you do not co-operate with the official receiver - for example you do not give them the information they ask for\n\nIf you get new debt after your DRO is approved you could:\n\n- get a bankruptcy order\n\n- be prosecuted if you do not tell new creditors about your DRO\n\nYour DRO is added to the Individual Insolvency Register - it\u2019s removed 3 months after the DRO ends.\n\nYour DRO will stay on your credit record for 6 years.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/options-for-paying-off-your-debts", + "answerable": true, + "scenario": "I am a UK business trader and have been running my business at a loss since the covid restrictions were imposed. My business is on the verge of collapsing and I have made most of my employees redundant. Creditors have been making endless calls. I have never applied for any breathing space. I do not have a debt relief order nor an individual voluntary arrangement. There was an interim order issued on the business but it is not active anymore. The company is in good financial standing and is not going bankrupt.", + "original_question": "Can i apply and get a breathing space?" + }, + { + "id": "train-2196", + "question": "Scenario: I married my wife 10 years ago. I now want to legally change my gender and I am applying for a Gender Recognition Certificate.\n\nQuestion: Will my marriage's legal status change if both me and my wife agree to remain married despite the change?\n\nDocument - Apply for a Gender Recognition Certificate:\n## Overview\n\nApply to the Gender Recognition Panel for a Gender Recognition Certificate if you want your acquired gender to be legally recognised in the UK.\n\nThere are 3 different ways (\u2018routes\u2019) to get a certificate - which one you use depends on your situation.\n\nRead the full guidance before you apply.\n\n## Standard route\n\nApply by the standard route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria (discomfort with your birth gender) - this is also called gender identity disorder, gender incongruence or transsexualism\n\n- you\u2019ve lived in your acquired gender for at least 2 years\n\n- you intend to live in your acquired gender for the rest of your life\n\n## Alternative route\n\nApply by the alternative route if all the following are true:\n\n- you\u2019re 18 or over\n\n- you\u2019ve been diagnosed with gender dysphoria or had surgery to change your sexual characteristics\n\n- you live in England, Wales, Northern Ireland or Scotland most of the time\n\n- you intend to live in your acquired gender for the rest of your life\n\n- you\u2019re in (or have been in) a protected marriage or protected civil partnership before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\n- you\u2019ve lived in your acquired gender for at least 6 years before 10 December 2014 (16 December 2014 for Scottish marriages and civil partnerships)\n\nA marriage or civil partnership is protected if it\u2019s one of the following:\n\n- registered under the law of England, Wales or Northern Ireland\n\n- a marriage solemnised in Scotland\n\n- a civil partnership registered in Scotland\n\n- a marriage registered under the law of a country or territory outside the UK\n\n- a marriage on UK consular premises or in an armed forces base, if you elected England, Wales, Northern Ireland or Scotland as the relevant part of the UK\n\n## Overseas route\n\nApply by the overseas route if your acquired gender has been legally accepted in an \u2018approved country or territory\u2019 and you have documents to prove it.\n\nYou must be 18 or over.\n\n## Help you can get\n\nYou can get information, advice and support from a number of voluntary organisations - you can find a list on page 21 of the full guidance.\n\nYou can also contact Citizens Advice or find a legal adviser.\n\n## If you're married or in a civil partnership\n\n## If you\u2019re married\n\nYou can stay married if you apply for a Gender Recognition Certificate.\n\nYou and your spouse must fill in a statutory declaration saying you both agree to stay married.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if you or your spouse do not want to remain married, or if your spouse does not fill in a statutory declaration. You can use the interim certificate as grounds to end the marriage.\n\nIf your marriage is registered in England, Wales or Northern Ireland and you have an interim certificate, you\u2019ll only get a full certificate once you end your marriage.\n\nIf your marriage was registered in Scotland, you can use an interim certificate to apply to the sheriff court for a full certificate. You do not need to end your marriage first.\n\nContact the administrative team at the Gender Recognition Panel if either you or your spouse change your mind about staying married during the application process.\n\n## If you\u2019re in a civil partnership\n\nYou can stay in your civil partnership if it was registered in England, Wales or Northern Ireland.\n\nYour partner must fill in a statutory declaration saying they agree to stay in a civil partnership with you. Contact the Gender Recognition Panel for help with filling in the declaration.\n\nYou\u2019ll get an \u2018interim certificate\u2019 if your partner does not fill in a statutory declaration.\n\n## Civil partnerships registered in Scotland\n\nIf your civil partnership was registered in Scotland, you must end it or convert your civil partnership to marriage.\n\nIf you decide to convert your civil partnership into a marriage you must do it before you apply to the Gender Recognition Panel.\n\nIf you\u2019re still in a civil partnership when you apply to the Gender Recognition Panel, you\u2019ll get an \u2018interim certificate\u2019. You must end the civil partnership before you can get a full certificate.\n\n## How to apply\n\nDownload and fill in the right form for your application.\n\n| | Form | Guidance |\n\n| Standard route | Form T450 | Leaflet T451 |\n\n| Alternative route | Form T464 | Leaflet T465 |\n\n| Overseas route | Form T453 | Leaflet T454 |\n\nSend the completed form with your fee and any supporting documents relevant to your application.\n\n## Fees\n\nIt costs \u00a35 to apply. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\n## Get help with your application\n\nContact the administrative team at the Gender Recognition Panel for advice on the application process.\n\n## Documents you must provide\n\nYou must send certain documents when you apply, depending on which application route you use and whether you\u2019ve ever been married or in a civil partnership.\n\nYou might need to send original documents - you\u2019ll get them back after the Gender Recognition Panel has looked at your application. You will not get any statutory declarations back.\n\nFor all application routes, you must download and fill in the relevant statutory declaration for:\n\n- single people\n\n- married people or civil partners\n\n## If you\u2019ve ever been married or in a civil partnership\n\nFor all application routes you must provide the following (if relevant):\n\n- an original or certified copy of your marriage or civil partnership certificate\n\n- a copy of the decree ending your marriage or proof that any previous civil partnership has been dissolved\n\n- a copy of your spouse\u2019s death certificate\n\nIf you want to stay married, your spouse must fill in a statutory declaration for a spouse.\n\n## Standard or alternative route\n\nFor all application routes you must send:\n\n- an original or certified copy of your birth certificate\n\n- copies of any official documents that show your birth name has changed to your current name\n\n- proof you\u2019ve lived in your acquired gender for the required time\n\n- any required medical reports\n\nYou need to have lived in your acquired gender for 2 years if applying through the standard route.\n\nIf you\u2019re applying through the alternative route you need to have lived in your acquired gender for 6 years before 10 December 2014, or 16 December 2014 if you\u2019re in Scotland.\n\n## Proof you\u2019ve lived in your acquired gender\n\nThis proof must cover the required time that you\u2019ve lived in your acquired gender. It could include copies of your:\n\n- passport\n\n- driving licence\n\n- payslips or benefit documents\n\n- utility bills or other documents of an official nature\n\nAll documents should be in your acquired name and gender. The earliest document must be dated before the beginning of the required time.\n\n## Medical reports\n\nFor the standard and alternative application routes you must send a report that includes details of any treatment you\u2019ve had to change your sexual characteristics, for example hormone treatment or surgery.\n\nThe report must be an original copy from a qualified medical professional, for example a:\n\n- doctor registered with the General Medical Council (GMC)\n\n- psychologist registered with the Health and Care Professions Council\n\nYou can ask your GP or surgeon to fill in a report for you if you do not have one already.\n\nIf you have not had any treatment or surgery yet, you must send a report that includes details of any planned treatment or surgery.\n\nIf you are applying by the standard route you must also send a report with details of your gender dysphoria diagnosis.\n\nRead the list of gender dysphoria specialists to find out who can write this report for you. You can send a report from a registered medical professional not on this list if they can prove they work in gender dysphoria.\n\n## Overseas route\n\nIf you\u2019re applying using the overseas route, you must prove that your gender has been legally recognised in an \u2018approved country or territory\u2019. Send original or certified copies of the following (if you have them):\n\n- your new birth certificate and old birth certificate\n\n- an amended birth certificate that shows the change of gender\n\n- a court order authorising your change of gender\n\n- a document that\u2019s equivalent to a Gender Recognition Certificate\n\n- an entry in a legal register that proves your acquired gender has been recognised\n\n## What happens next\n\nYour application will be assessed by the Gender Recognition Panel - you\u2019ll be contacted if they need more proof or information.\n\nContact the administrative team at the Gender Recognition Panel to find out about your application\u2019s progress.\n\n## If you get a full certificate\n\nYou\u2019ll be sent information on:\n\n- how to get a new birth certificate, marriage certificate or civil partnership where appropriate\n\n- who you must tell about your gender change\n\nYour pension and benefits may be affected.\n\n## If you\u2019re given an interim certificate\n\nYou\u2019ll be sent information on:\n\n- how to annul or dissolve your marriage or civil partnership\n\n- how long you have to convert your civil partnership to a marriage, if applicable\n\n## If your application is turned down\n\nYou\u2019ll be told why your application was rejected.\n\nYou may be able to appeal the decision if you think it\u2019s wrong on a point of law.\n\nWhere you appeal depends on whether you live in:\n\n- England and Wales - appeal to the High Court Family Division\n\n- Scotland - appeal to the Court of Session in Edinburgh\n\n- Northern Ireland - appeal to the High Court\n\nYou\u2019ll be told in your decision letter how to appeal or apply again.\n\n## Legislation\n\nThe Gender Recognition Panel must apply the law in the Gender Recognition Act 2004 and the following amendments:\n\n- Schedule 5, Section 12 of the Marriage (Same Sex Couples) Act 2013\n\n- Part 4 of the Marriage and Civil Partnership (Scotland) Act 2014", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/apply-gender-recognition-certificate", + "answerable": true, + "scenario": "I married my wife 10 years ago. I now want to legally change my gender and I am applying for a Gender Recognition Certificate.", + "original_question": "Will my marriage's legal status change if both me and my wife agree to remain married despite the change?" + }, + { + "id": "train-2205", + "question": "Scenario: We live in England. My brother has not been seen since an earthquake whilst he was on holiday abroad two years ago. He has an estate in the UK I would like to administer for his children. We think he may have died because of the earthquake\n\nQuestion: Is it possible for me to declare my brother dead even though he's only been missing two years?\n\nDocument - Get a declaration of presumed death:\n## Overview\n\nYou can make a claim for a \u2018declaration of presumed death\u2019 from the High Court if someone you know in England and Wales has been missing for:\n\n- 7 years or more\n\n- less than 7 years and you think they\u2019ve died, for example they went missing during a natural disaster\n\nA missing person is not automatically presumed dead.\n\nYou must make a claim for a declaration of presumed death if you want to do certain things, for example deal with their estate.\n\n## Who can make a claim\n\nYou can make a claim if you\u2019re the missing person\u2019s:\n\n- spouse or civil partner\n\n- parent\n\n- child\n\n- sibling\n\nIf none of these apply, you\u2019ll need to prove to the court that you have enough of a connection to the missing person (\u2018sufficient interest\u2019), for example you\u2019re a distant relative and you have a birth certificate to prove it.\n\n## What else must be true to make a claim\n\nTo make a claim one or more of the following must also apply:\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you treat England or Wales as your permanent home (\u2018domicile\u2019) on the date you make the claim\n\n- you\u2019re the missing person\u2019s spouse or civil partner and you\u2019ve been living in England or Wales for the whole year before the date you make the claim\n\n- the missing person treated England or Wales as their permanent home (\u2018domicile\u2019) on the date they were last known to be alive\n\n- the missing person was living in England or Wales for the whole year before the date they were last known to be alive\n\nThe rules are different in Scotland and Northern Ireland.\n\n## Fees\n\nIt costs \u00a3528 to get a declaration of presumed death. You may be able to get help paying court fees.\n\n## Make a claim for a declaration of presumed death\n\nYou can make a claim yourself or use a legal representative.\n\n- Make your claim.\n\n- Advertise your claim in a newspaper.\n\n- Attend a hearing.\n\n## Make your claim\n\nDownload and fill in a claim form (N208) with details about:\n\n- yourself - known as the \u2018claimant\u2019\n\n- the missing person - known as the \u2018defendant\u2019\n\n- your claim\n\nInclude relevant information about your claim in the section \u2018details of your claim\u2019.\n\nSend the following to a court that can hear High Court cases.\n\n- form N208 - 1 copy for each person named in the form plus a copy for the court\n\n- any supporting evidence, for example statements from witnesses, police reports\n\n- the claim fee of \u00a3528 - make your cheque payable to \u2018HM Courts and Tribunals Service\u2019\n\nThe court will stamp your form with an issue date and keep one copy. You\u2019ll get the other copies back, along with \u2018acknowledgement of service\u2019 forms and a case number.\n\n## Send copies of your claim to other people\n\nSend a copy of form N208 and an acknowledgement of service form within 7 days of the issue date on the form to:\n\n- the missing person\u2019s spouse or civil partner, parents, children and siblings - if none of these are alive send it to the missing person\u2019s nearest relative\n\n- any other person or organisation who might have an interest, for example an insurance company\n\nYou must advertise your application in a newspaper within 7 days.\n\n## Advertise your claim in a newspaper\n\nYou must advertise your application in a newspaper local to the missing person\u2019s last known address.\n\nPlace the advert within 7 days of the issue date stamped on the claim form.\n\n## Use standard text for the advert\n\nUse the following text and make sure you:\n\n- put your case number after the words case number\n\n- replace or delete as appropriate the words in square brackets with the relevant details\n\n## Standard text\n\n\u201cIn the High Court of Justice [Chancery] [Family] Division\n\nCase number.\n\nIn the matter of an application for a declaration of the presumed death of [insert the missing person\u2019s name].\n\nA claim has been issued in the High Court of Justice, for a declaration that [insert missing person\u2019s name] whose last known address was [insert missing person\u2019s address] is presumed to be dead. Any person having an interest may apply to the court to intervene in the matter.\n\nIf you wish to apply to the court, you should do so at [court address] as soon as possible, and if possible within 21 days of the date of this notice. Delay may harm your prospects of being able to intervene.\n\n(If the claimant is legally represented) \n [Name of the claimant\u2019s legal representative] \n [Address of the claimant\u2019s legal representative] \n (If the claimant is not legally represented) \n [Claimant\u2019s address for service]\u201d\n\n## Send a copy to the court\n\nSend the court a copy of the newspaper page showing the advertisement so it arrives at least 5 days before your court hearing.\n\n## Attend a hearing\n\nYou\u2019ll have to attend a hearing about your claim with a High Court judge - this should be within 2 months of making your claim.\n\nBring any relevant documents.\n\nYour claim may be challenged at the hearing if someone gets a copy of the claim form or sees the advert.\n\nAt the hearing you might be:\n\n- asked for more information - the court will tell you how to get a court order if someone\u2019s refusing to give you information you need\n\n- told there has to be another hearing - there may be several hearings before a decision is made\n\nIf the court agrees with your application, you\u2019ll get a declaration of presumed death at the hearing or later by letter.\n\n## Get a certificate of presumed death\n\nApply to the General Register Office for a certificate of presumed death.\n\nYou can only do this after you have a declaration of presumed death that is not appealed and the time for appealing against the decision has passed.\n\nYou can usually apply for the certificate 21 days after you get the declaration, unless there\u2019s an appeal or an application for permission to appeal the decision.\n\nThe certificate can be used like a normal death certificate, for example to deal with a missing person\u2019s estate.\n\nIt costs \u00a311.\n\n## Appeal a decision\n\nContact the Civil Appeals Office to appeal against the High Court\u2019s decision.\n\n## Make a complaint\n\nUse the complaints guidance if you\u2019re not happy with the way you\u2019ve been treated.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/get-declaration-presumed-death", + "answerable": true, + "scenario": "We live in England. My brother has not been seen since an earthquake whilst he was on holiday abroad two years ago. He has an estate in the UK I would like to administer for his children. We think he may have died because of the earthquake", + "original_question": "Is it possible for me to declare my brother dead even though he's only been missing two years?" + }, + { + "id": "train-2207", + "question": "Scenario: My father was a highly successful businessman, with property including a large country house and several holiday homes. Sadly he died 2 months ago. I was named as a beneficiary in his will and now I need to pay the inheritance tax.\n\nQuestion: Is interest payable if I agree to pay it in installments and do I have to pay interest on the first instalment ?\n\nDocument - Pay your Inheritance Tax bill:\n## Overview\n\nYou must pay Inheritance Tax by the end of the sixth month after the person died.\n\nThere are different due dates if you\u2019re making payments on a trust.\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay by the due date.\n\n## How to pay\n\nYou\u2019ll need to get a payment reference number before you can pay your Inheritance Tax bill.\n\n## Pay from your own bank account\n\nYou can pay from your own bank account or a joint account with the deceased:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\nYou currently cannot pay Inheritance Tax by cheque because of coronavirus (COVID-19).\n\nYou can claim the money back from the deceased\u2019s estate or the beneficiaries once you get a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\n## Pay from accounts owned by the deceased\n\nYou can pay using the deceased\u2019s:\n\n- bank accounts - including National Savings and Investments (NS&I) accounts\n\n- government stock\n\n## If you do not know how much to pay\n\nYou can make payments before you know the exact amount of Inheritance Tax owed by the deceased person\u2019s estate. These are known as \u2018payments on account\u2019.\n\n## Check your payment has been received\n\nHMRC do not send receipts for each payment you make. They\u2019ll write to tell you when you\u2019ve paid all the Inheritance Tax and interest you owe.\n\nIf you\u2019ve paid through your own bank or building society, check your statement to confirm the payment has left your account.\n\n## If you\u2019ve paid by cheque since 6 April 2020\n\nAsk your bank if your cheque to HMRC has been cashed. If it has not been cashed, you should cancel the cheque and pay HMRC a different way.\n\n## Get a payment reference number\n\nYou\u2019ll need to get an Inheritance Tax reference number from HM Revenue and Customs (HMRC) at least 3 weeks before you make a payment.\n\nYou can apply for one:\n\n- online (unless you need it for a trust)\n\n- by post - using form IHT422, Application for an Inheritance Tax reference (the address you need is on the form)\n\nDo not use the 15-digit number from the online Inheritance Tax service to report an estate\u2019s value.\n\n## Bank details for online or telephone banking, CHAPS, Bacs\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay by Faster Payments (online or telephone banking), CHAPS or Bacs to HM Revenue and Customs\u2019 (HMRC) account.\n\n| Sort code | Account number | Account name |\n\n| 08 32 10 | 12001136 | HMRC Inheritance Tax |\n\nYou\u2019ll need to use your Inheritance Tax payment reference number as the payment reference.\n\n## How long it takes\n\nPayments made by Faster Payments will usually reach HMRC on the same or next day, including weekends and bank holidays.\n\nCHAPS payments usually reach HMRC the same working day if you pay within your bank\u2019s processing times.\n\nBacs payments usually take 3 working days.\n\nCheck your bank\u2019s transaction limits and processing times before making a payment.\n\n## Overseas payments\n\nUse these details to pay from an overseas account.\n\n| Account number (IBAN) | Bank identifier code (BIC) | Account name |\n\n| GB66BARC20114763495590 | BARCGB22 | HMRC Inheritance Tax |\n\nHMRC\u2019s banking address is:\n\n## At your bank or building society\n\nYou can pay Inheritance Tax from your own bank account or a joint bank account if you held one in joint names with the deceased. You can claim it back from the deceased\u2019s estate.\n\nYou can pay at a branch by cash or cheque.\n\nPlease complete one of your bank\u2019s paying in slips with the following HMRC bank account details:\n\nSort code 25 61 21\nAccount number 63495590\nAccount name HM Revenue & Customs Inheritance Tax\n\nSome branches might be closed at the moment because of coronavirus (COVID-19).\n\nMake your cheque payable to \u2018HM Revenue and Customs only\u2019.\n\nWrite the name of the deceased and your Inheritance Tax payment reference number on the back of the cheque. You\u2019ll find the reference number on the letter HMRC sent you.\n\nHMRC will accept your payment on the date you make it and not the date it reaches HMRC\u2019s account, if you pay between Monday and Friday.\n\n## By cheque through the post\n\nYou currently cannot pay Inheritance Tax by post because of coronavirus (COVID-19). You can still pay:\n\n- using online or telephone banking\n\n- using CHAPS or Bacs\n\n- at your bank or building society\n\n## From the deceased's bank account\n\nYou can ask banks, building societies or National Savings & Investments (NS&I) to pay some or all of the Inheritance Tax due from the deceased person\u2019s accounts to HM Revenue and Customs (HMRC). This is called the \u2018Direct Payment Scheme\u2019.\n\n- Ask the bank, building society or NS&I to make you a \u2018personal representative\u2019 - each one will do this in a different way. You can do this before you apply for a \u2018grant of representation\u2019 (known as \u2018probate\u2019). This is known as confirmation in Scotland.\n\n- Get your Inheritance Tax payment reference number.\n\n- Fill in form IHT423 and send it to the bank, building society or NS&I. Send a separate form for each account you want to pay HMRC from.\n\n- Send Inheritance Tax Account form IHT 400, Probate Summary form IHT421, (Confirmation form C1 in Scotland) and any supplementary pages or supporting documents to HMRC.\n\nWhen the bank, building society or NS&I has made the payment, HMRC will stamp and return Probate Summary form IHT421 (Confirmation form C1 in Scotland) so you know the Inheritance Tax has been paid.\n\n## Using British government stock\n\nWrite to Computershare Investor Services, who run the British government stock scheme.\n\nTell them you want to pay Inheritance Tax and how much of the stock you want to use. Enclose a copy of the death certificate and the stock reference number (if you have it).\n\nAt the same time, send HMRC:\n\n- a letter saying how much tax you want to be paid out of the stock\n\n- Inheritance Tax Account form IHT400 - you\u2019ll need to put your Inheritance Tax payment reference number on the form\n\n- Probate Summary form IHT421 (Confirmation form C1 in Scotland)\n\nHMRC will contact Computershare and ask for the money to be transferred. This could take up to 4 weeks.\n\nDo not pay this way if you need to get probate (known as \u2018confirmation\u2019 in Scotland) quickly. (Probate is the right to deal with the deceased person\u2019s property, money and possessions.)\n\n## After the money has been transferred\n\n## In England, Wales or Northern Ireland\n\nHMRC will send your IHT421 form to the Probate Registry so they can send a grant of representation to you (if you\u2019re handling probate yourself) or to your solicitor.\n\n## In Scotland\n\nHMRC will return your C1 Confirmation form to you so you can apply for confirmation.\n\nIf the amount transferred is not enough to cover the Inheritance Tax you owe, HMRC will write to tell you how much to pay and how to pay it.\n\n## By transferring national heritage property\n\nIn very exceptional cases you may be able to make Inheritance Tax payments by transferring national heritage property to the Crown.\n\nNational heritage property may include:\n\n- buildings or land of historic, architectural, scenic or scientific interest\n\n- artworks, books and manuscripts or scientific collections of historic, scenic or scientific interest\n\nOffers to make Inheritance Tax payments by transferring national heritage property to the Crown are dealt with on an individual basis.\n\nContact the HMRC Heritage team for information on making an offer.\n\n## If your offer is accepted\n\nEven if your offer\u2019s accepted, you must first pay all of the Inheritance Tax you owe through other means and have a \u2018grant of representation\u2019 (also known as \u2018probate\u2019). This is called \u2018confirmation\u2019 in Scotland.\n\nOnce your property has been transferred HM Revenue and Customs (HMRC) will repay the Inheritance Tax you\u2019ve paid.\n\n## In yearly instalments\n\nYou can pay your Inheritance Tax on things that may take time to sell in equal annual instalments over 10 years.\n\nYou must say on Inheritance Tax Account form IHT400 if you want to pay in instalments.\n\nYou\u2019ll usually have to pay interest on your instalments. Use the calculator to work out the interest you\u2019ll need to pay.\n\nYou must pay the tax in full when you\u2019ve sold the deceased\u2019s assets, such as their house or shares.\n\n## When you must pay\n\nThe first instalment is due at the end of the sixth month after the death (for example if they died on 12 January, you\u2019d have to pay by 31 July). This is known as the \u2018due date\u2019. Payments are then due every year on that date.\n\n## Paying early\n\nYou can pay off the full tax and interest at any time. Write to HM Revenue and Customs (HMRC) Trusts and Estates asking for a final assessment (you do not have to include payment).\n\n## What you pay interest on\n\nYou will not pay any interest on the first instalment unless you pay late. On each later instalment you must pay interest on both of the following:\n\n- the full outstanding tax balance\n\n- the instalment itself, from the date it\u2019s due to the date of payment (if it\u2019s paid late)\n\n## What you can pay in instalments\n\n## Houses\n\nYou can pay 10% and the interest each year if you decide to keep the house to live in.\n\n## Shares and securities\n\nYou can pay in instalments if the shares or securities allowed the deceased to control more than 50% of a company.\n\n## Unlisted shares and securities\n\nYou can pay in instalments for \u2018unlisted\u2019 shares or securities (ones not traded on a recognised stock exchange) if they\u2019re worth more than \u00a320,000 and either of these apply:\n\n- they represent 10% of the total value of the shares in the company, at the price they were first sold at (known as the \u2018nominal\u2019 value or \u2018face value\u2019)\n\n- they represent 10% of the total value of ordinary shares held in the company, at the price they were first sold at\n\nYou can find the face value of a share and whether it\u2019s an ordinary share on the share certificate.\n\nYou can also pay in instalments if either of these apply:\n\n- at least 20% of the total Inheritance Tax the estate owes is on assets that qualify for payment by instalments\n\n- paying Inheritance Tax on them in one lump sum will cause financial difficulties\n\n## Business run for profit\n\nYou can pay in instalments on the net value of a business, but not its assets.\n\n## Agricultural land and property\n\nThis is rare because most agricultural land and property is exempt from Inheritance Tax.\n\n## Gifts\n\nYou can pay in instalments if there is still Inheritance Tax to pay and you were given:\n\n- buildings\n\n- shares or securities\n\n- part or all of a business\n\nIf the gift was an unlisted share or security, it must still have been unlisted at the time of the death.\n\n## Trusts\n\n- Get your Inheritance Tax payment reference number at least 3 weeks before you want to make a payment by filling in Form IHT122.\n\n- Send Inheritance Tax Account form IHT100 to HM Revenue and Customs (HMRC).\n\n- Pay the Inheritance Tax, either through a bank or building society or by cheque through the post.\n\n## Payment deadlines\n\n## Transfers\n\nYou must pay Inheritance Tax on transfers into a trust or out of a trust (known as \u2018exit charges\u2019) no later than 6 months after the end of the month the transfer was made.\n\n## 10-year anniversary charge\n\nThe 10-year anniversary charge can be paid up to 6 months after the 10th anniversary of the date the trust was set up.\n\n## Pay early to avoid paying interest\n\nYou can make early Inheritance Tax payments before you know the exact amount the estate owes (this is known as a \u2018payment on account\u2019).\n\nHM Revenue and Customs (HMRC) will charge you interest if you do not pay all the tax the estate owes by the due date. If you will not know how much Inheritance Tax the estate owes by the time the payment is due, a payment on account can help you avoid some of the interest.\n\n## If you overpay\n\nIf you pay more money than the final bill says the estate owes, HMRC will refund the excess after you\u2019ve been given probate (confirmation in Scotland). Probate is the right to deal with the deceased person\u2019s property, money and possessions.\n\nHMRC will also pay interest on the amount you\u2019ve overpaid.\n\nTo receive the refund, you\u2019ll need to write to HMRC.\n\nPut \u2018Repayment - further details\u2019 at the top of the letter.\n\nInclude the name, number and sort code of the bank account you want the refund to go to.\n\nThe letter must be signed by the same people who signed forms IHT400 and IHT100 if:\n\n- you\u2019re applying without the help of a solicitor or agent\n\n- the refund is being paid into a different bank account to the one nominated in IHT400 or IHT100\n\nIf you\u2019re an agent acting on behalf of the estate and you\u2019re not asking for the refund to be paid into a different bank account, only put your signature on the letter.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/paying-inheritance-tax", + "answerable": true, + "scenario": "My father was a highly successful businessman, with property including a large country house and several holiday homes. Sadly he died 2 months ago. I was named as a beneficiary in his will and now I need to pay the inheritance tax.", + "original_question": "Is interest payable if I agree to pay it in installments and do I have to pay interest on the first instalment ?" + }, + { + "id": "train-2208", + "question": "Scenario: I own and manage a very small biotechnology startup company, which currently has only four employees. Owing to our small size I run our monthly payroll myself, and file the necessary reports with HMRC. I pay approximately \u00a31300 per month\n\nQuestion: As we are so small, is it possible to make reports and payments at wider intervals than monthly?\n\nDocument - PAYE and payroll for employers:\n## Introduction to PAYE\n\nAs an employer, you normally have to operate PAYE as part of your payroll. PAYE is HM Revenue and Customs\u2019 (HMRC) system to collect Income Tax and National Insurance from employment.\n\nYou do not need to register for PAYE if none of your employees are paid \u00a3120 or more a week, get expenses and benefits, have another job or get a pension. However, you must keep payroll records.\n\n## Payments and deductions\n\nWhen paying your employees through payroll you also need to make deductions for PAYE.\n\n## Payments to your employees\n\nPayments to your employees include their salary or wages, as well as things like any tips or bonuses, or statutory sick or maternity pay.\n\n## Deductions from their pay\n\nFrom these payments, you\u2019ll need to deduct tax and National Insurance for most employees. Other deductions you may need to make include student loan repayments or pension contributions.\n\n## Reporting to and paying HMRC\n\n## Reporting pay and deductions\n\nIf you run payroll yourself, you\u2019ll need to report your employees\u2019 payments and deductions to HMRC on or before each payday.\n\nYour payroll software will work out how much tax and National Insurance you owe, including an employer\u2019s National Insurance contribution on each employee\u2019s earnings above \u00a3170 a week.\n\nYou\u2019ll need to send another report to claim any reduction on what you owe HMRC, for example for statutory pay.\n\n## Paying HMRC\n\nYou\u2019ll be able to view what you owe HMRC, based on your reports. You then have to pay HMRC, usually every month.\n\nIf you\u2019re a small employer that expects to pay less than \u00a31,500 a month, you can arrange to pay quarterly - contact HMRC\u2019s payment enquiry helpline.\n\n## Other things to report\n\nAs part of your regular reports, you should tell HMRC when a new employee joins and if an employee\u2019s circumstances change, for example they reach State Pension age or become a director.\n\nYou have to run annual reports at the end of the tax year - including telling HMRC about any expenses or benefits.\n\n## Choose how to run payroll\n\nIf you have to operate PAYE, you can choose how to run your payroll.\n\n## Choose how to run payroll\n\nYou can operate PAYE by either:\n\n- paying a payroll provider to do it for you\n\n- doing it yourself using payroll software\n\n## Paying a payroll provider\n\nIf you decide to pay a payroll provider (for example, a bureau or accountant) to run your payroll, you\u2019ll need to consider how much support you\u2019ll need.\n\nYou\u2019re responsible for collecting and keeping records of your employee\u2019s details. Your payroll provider will need these to run payroll for you.\n\nSome payroll providers can offer you more support if you need it, for example keeping employee records, providing payslips and making payments to HM Revenue and Customs (HMRC).\n\nAs an employer, you\u2019re legally responsible for completing all PAYE tasks - even if you pay someone else to do them.\n\n## Running payroll yourself\n\nYou need to complete certain tasks to set up payroll and pay your employees for the first time. This includes registering as an employer with HMRC and telling them about your employees.\n\n## Exemptions to online reporting\n\nYou may be exempt from reporting payroll online if:\n\n- you\u2019re prevented from using a computer on religious grounds\n\n- you\u2019re getting care or support services for yourself or a member of your family\n\n- you\u2019re unable to send reports electronically because you\u2019re disabled, elderly or cannot access the internet\n\nHMRC has guidance if you believe you\u2019re exempt and would prefer to report on paper.\n\n## Setting up payroll\n\nIf you decide to run payroll yourself, you need to complete certain tasks to pay your employees for the first time. You can choose when and how often to pay your employees.\n\n- Register as an employer with HM Revenue and Customs (HMRC) and get a login for PAYE Online.\n\n- Choose payroll software to record employee\u2019s details, calculate pay and deductions, and report to HMRC.\n\n- Collect and keep records.\n\n- Tell HMRC about your employees.\n\n- Record pay, make deductions and report to HMRC on or before the first payday.\n\n- Pay HMRC the tax and National Insurance you owe.\n\nYou\u2019ll also need to complete certain annual reports and tasks to prepare for the next tax year, which starts on 6 April.\n\n## Keeping records\n\nYou must collect and keep records of:\n\n- what you pay your employees and the deductions you make\n\n- reports you make to HM Revenue and Customs (HMRC)\n\n- payments you make to HMRC\n\n- employee leave and sickness absences\n\n- tax code notices\n\n- taxable expenses or benefits\n\n- Payroll Giving Scheme documents, including the agency contract and employee authorisation forms\n\nYour records must show you\u2019ve reported accurately, and you need to keep them for 3 years from the end of the tax year they relate to. HMRC may check your records to make sure you\u2019re paying the right amount of tax.\n\nThere are different rules for keeping records to prove you have paid the correct minimum wage.\n\nIf you do not keep full records, HMRC may estimate what you have to pay and charge you a penalty of up to \u00a33,000.\n\n## If your records are lost, stolen or destroyed\n\nTell HMRC as soon as possible if you do not have records and cannot replace them. You must also do your best to recreate them - HMRC may be able to help if you\u2019re not sure how much you paid your employees.\n\nYou must tell HMRC if your final payroll report of the tax year includes figures that are:\n\n- estimated - that you want HMRC to accept as final\n\n- provisional - that you\u2019ll update later with actual figures\n\n## Data protection\n\nYou must follow rules on data protection if your business stores or uses personal information.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/paye-for-employers", + "answerable": true, + "scenario": "I own and manage a very small biotechnology startup company, which currently has only four employees. Owing to our small size I run our monthly payroll myself, and file the necessary reports with HMRC. I pay approximately \u00a31300 per month", + "original_question": "As we are so small, is it possible to make reports and payments at wider intervals than monthly?" + }, + { + "id": "train-2211", + "question": "Scenario: My friend Ramon is in the UK under a Turkish businessperson visa.He operates a viable barbershop business. He has not broken any immigration laws, he has enough money to support himself and his family.He wants more time in the UK to continue running his business. By the way, Ramon has enough funds to support and run his business\n\nQuestion: Can he apply to extend his visa ?\n\nDocument - Turkish Businessperson visa:\n## Overview\n\nYou can apply to extend your Turkish Businessperson visa if you already have permission to stay in the UK as a Turkish Businessperson.\n\nYou can:\n\n- continue running your business in the UK, and start another one\n\n- continue to help run an established business in the UK\n\nYou must meet the eligibility requirements.\n\nNew applications for the Turkish Businessperson visa have closed. Only children under 21 (\u2018child dependants\u2019) can apply to join you in the UK on this visa.\n\n## Eligibility\n\nYou can only extend your visa if you\u2019re already in the UK.\nYou\u2019ll need to meet the eligibility requirements to extend your visa.\n\n## How long you can stay\n\nYou can apply to extend your visa for up to 3 years.\n\n## If you want to stay longer in the UK\n\nYou can apply to extend your visa as many times as you like as long as you still meet the eligibility requirements.\n\nAfter 5 years, you may be able to apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019). This gives you the right to live, work and study here for as long as you like, and apply for benefits if you\u2019re eligible.\n\n## How to apply\n\nYou must apply to extend your visa online.\n\nYour partner and children (\u2018dependants\u2019) can apply separately to extend their dependant visas, if they already have them.\n\nIf your children or your partner\u2019s children want to join you from outside the UK, they\u2019ll need to apply as your dependants.\n\n## How long it takes\n\nAs part of your application, you\u2019ll need to prove your identity and provide your documents.\nYou may need to allow extra time if you need an appointment to do this. You\u2019ll find out if you need one when you start your application.\n\n## Getting a decision\n\nOnce you\u2019ve applied, you\u2019ll usually get a decision on your visa extension within 6 months.\n\n## How much it costs\n\nThere\u2019s no fee to apply to extend your visa.\n\n## What you can and cannot do\n\nWith a Turkish Businessperson visa extension you can:\n\n- keep running your business in the UK, and start another one\n\n- keep being a partner in an existing business which you\u2019ll have an active part in running\n\n- apply to extend your stay if you meet the eligibility requirements\n\n- study\n\n- do voluntary work\n\n- apply to settle permanently in the UK (also known as \u2018indefinite leave to remain\u2019) if you\u2019ve lived in the UK for 5 years and meet the other eligibility requirements\n\nYou cannot:\n\n- apply for most benefits (public funds), or the State Pension\n\n- change jobs or employer\n\nIf your application is successful, you\u2019ll get a full list of what you can and cannot do with a Turkish Businessperson visa.\n\n## Eligibility\n\nTo be eligible to apply for an extension of your Turkish Businessperson visa you need to:\n\n- have a valid Turkish Businessperson visa\n\n- show you have not broken any immigration laws\n\n- keep running a viable business\n\n- keep being able to pay your share of the costs of running the business\n\n- show that your share of the profits continue to be enough to support you and your family without your needing to have another job\n\nIf you are part of an existing partnership or company you\u2019ll need to show that you still have an active part in running the business.\n\n## Documents you\u2019ll need to apply\n\nWhen you apply to extend your visa you\u2019ll need to provide:\n\n- a valid passport or other document that shows your identity and nationality\n\n- proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months\n\n- proof of your living costs, such as a tenancy agreement, mortgage agreement, utility bills, council tax statement, bank statements, documents relating to transfer of money to relatives abroad\n\n- proof of state benefits you\u2019ve received in the UK\n\n- a biometric residence permit showing your Turkish Businessperson visa\n\n- your police registration certificate\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa.\n\nYou may be asked to get a police certificate for yourself and your family in the UK if you or they don\u2019t already have one.\n\n## Proof for your business\n\nYou should provide proof that you\u2019re currently running your business\n\n## If you\u2019re continuing to run a business or partnership\n\nYou may need to provide proof such as:\n\n- insurance documents\n\n- business accounts prepared by a chartered accountant or approved by an auditor\n\n- HM Revenue and Customs (HMRC) documents (including evidence of payment)\n\n- qualifications for running the business, such as relevant formal qualifications or evidence of previous relevant experience\n\n- evidence of your finances and your investment in the business, such as UK or overseas bank statements, overseas money transfers, and bank loans\n\n- evidence of any financial assistance from a third party (for example family member), such as bank statements or other financial documents as evidence of their finances, and a legal or other document confirming their involvement in and share of the business\n\n- a document setting out the terms of your involvement in the business\n\n## If you\u2019re establishing another business or partnership\n\nYou may need to provide proof such as:\n\n- a business plan\n\n- evidence you are investing money of your own into the new business\n\n- documents for your business premises\n\n- partnership agreements\n\n## Extend your visa\n\nYou can usually apply to extend a Turkish Businessperson visa if you\u2019re in the UK and all of the following are true:\n\n- your business is still going\n\n- you\u2019re still able to pay your share of the costs of running the business (its liabilities)\n\n- your share of the profits will be enough to support you and your dependants without you needing to have another job\n\nYour partner or children will need to apply separately, including children who have turned 21 during your stay.\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## Fees\n\nThere\u2019s no fee to apply to extend your visa.\n\n## Proving your identity and providing supporting documents\n\nAs part of your application you\u2019ll need to prove your identity. How you do this depends on where you\u2019re from and the type of passport you have.\n\nYou\u2019ll either:\n\n- give your fingerprints and a photograph (biometric information) at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan your identity document - you\u2019ll also create or sign in to your UK Visas and Immigration (UKVI) account\n\nYou\u2019ll be told what you need to do when you apply.\n\n## Apply to extend your Turkish Businessperson visa\n\nYou must apply online before your current visa expires.\n\nOnce you\u2019ve started your application, you can save your form and complete it later.\n\nApply now\n\n## Continue your application\n\nSign in to your account using the link from your sign-up email.\n\n## How long it takes to get a decision\n\nYou\u2019ll usually get a decision within 6 months of your application date.\n\nYou\u2019ll be contacted if your application will take longer, for example because:\n\n- your supporting documents need to be verified\n\n- you need to attend an interview\n\n- of your personal circumstances, for example if you have a criminal conviction\n\nYou may be able to pay to get a faster decision - you\u2019ll be told if you can when you apply.\n\n## After you apply\n\nIf you need to change something in your application after you\u2019ve sent it contact UK Visas and Immigration (UKVI).\n\nYou can ask to cancel your application. You\u2019ll only get your fee refunded if UKVI has not started processing your application.\n\nYou\u2019ll get an email or a letter containing the decision on your application. This will explain what you need to do next.\n\n## Your partner and children\n\nYour partner and children can apply to extend their permission to stay in the UK as your \u2018dependants\u2019 if they\u2019re eligible. To do this, they must have a valid dependant visa.\n\nYour children or those of your partner can apply to come to the UK if you have a Turkish Worker visa. They\u2019ll need to apply for a visa as your dependant.\n\nIf their application is successful, their visa will end on the same date as yours.\n\n## Your relationship\n\nA dependant partner or child is any of the following:\n\n- your husband, wife, civil partner or unmarried partner\n\n- your child under 21 - including if they were born in the UK during your stay\n\n- your child over 21 if they\u2019re currently in the UK as your dependant\n\nYou\u2019ll need to provide evidence of your relationship when you apply.\n\n## Your partner\n\nYou must be able to prove that either:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n## Your child\n\nYour child must:\n\n- live with you (unless they\u2019re in full-time education at boarding school, college or university)\n\n- not be married, in a civil partnership or have any children\n\n- be financially supported by you\n\nIf your child lives with you, you\u2019ll need to provide evidence of their address such as:\n\n- a bank statement\n\n- credit card bills\n\n- driving licence\n\n- NHS registration document\n\n- an official letter from their university or college\n\n## Documents you must provide\n\nFor each family member in the UK applying to extend you must have:\n\n- a valid passport or other document that shows your identity and nationality\n\n- a biometric residence permit (BRP) showing their current dependant visa\n\n- proof that you have sole responsibility for any dependants aged under 21 if the other parent will not be in the UK, for example written permission or relevant legal documents\n\n- proof that you can support and house yourself and your dependants during your stay, for example bank statements or payslips for the last 6 months\n\nIf your dependant is in the UK and was asked to register with the police when they arrived, you must also provide their police registration certificate.\n\n## Applying inside the UK (extend)\n\nYour partner or children who are already in the UK can apply to extend their visa.\n\nYou can either:\n\n- include your dependants on your visa extension application\n\n- ask your dependant to apply separately\n\n## How to apply\n\nIf the dependant is your partner, they must apply online as a partner.\n\nYou need to apply online for your child.\n\nThey\u2019ll need your application number - you\u2019ll get this when you apply. This number is called a Global Web Form (GWF) or a Unique Application Number (UAN). You\u2019ll find it on emails and letters from the Home Office about your application.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Applying from outside the UK\n\nYour children or those of your partner can apply to come to the UK if you have a Turkish Businessperson visa. They\u2019ll need to apply for a visa as your dependant.\n\nIf you\u2019re already in the UK and want your child to join you, they must apply online for a dependant visa.\n\n## Proving their identity\n\nAs part of their application, your partner and children will need to prove their identity. They\u2019ll either:\n\n- have their fingerprints and photograph taken at a UK Visa and Citizenship Application Services (UKVCAS) service point - this is to get a biometric residence permit\n\n- use the \u2018UK Immigration: ID Check\u2019 app to scan their identity document - they\u2019ll also create or sign in to their UK Visas and Immigration (UKVI) account\n\nThey\u2019ll be told what they need to do when they apply.\n\n## How long it takes to get a decision\n\nOnce they\u2019ve applied online, proved their identity and provided their documents, they\u2019ll usually get a decision within 6 months.\n\nThey may be able to pay to get a faster decision - they\u2019ll be told if they can when they apply.\n\n## Children born in the UK\n\nIf you have a child while you\u2019re in the UK, they do not automatically become a British citizen.\n\nYou can apply online for their dependant visa. You must do this if you want to travel in and out of the UK with your child.\n\nYou\u2019ll need to provide a full UK birth certificate for each child, showing the names of both parents.\n\nYou must apply for their dependant visa before they turn 18 if they want to stay in the UK.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/turkish-business-person", + "answerable": true, + "scenario": "My friend Ramon is in the UK under a Turkish businessperson visa.He operates a viable barbershop business. He has not broken any immigration laws, he has enough money to support himself and his family.He wants more time in the UK to continue running his business. By the way, Ramon has enough funds to support and run his business", + "original_question": "Can he apply to extend his visa ?" + }, + { + "id": "train-2214", + "question": "Scenario: I am 23 with 2 children and my father recently developed dementia, he was about to add me to the will before being diagnosed but never did. He can't make a will because of the illness he have.\n\nQuestion: Can I add myself to my fathers will?\n\nDocument - Make a statutory will on behalf of someone else:\n## Overview\n\nApply to the Court of Protection if you want to make (or change) a will on behalf of someone who cannot do it themselves.\n\nThis may be because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\nYou can apply when the person is not able to understand:\n\n- what making or changing a will means\n\n- how much money they have or what property they own\n\n- how making or changing a will might affect the people they know (either those mentioned in the will or those left out)\n\nSomeone who has lost the mental capacity to manage their finances may still have the ability to make a will. A solicitor will usually be able to tell you if they are.\n\n## How to apply\n\n- Download, fill in and return the forms with details of the proposed will and supporting documents.\n\n- Tell other people that you\u2019ve applied.\n\n- Attend a hearing if the Court of Protection decides to hold one.\n\n- Sign the will, have it witnessed and send it to the Court of Protection to have it \u2018sealed\u2019.\n\n## Emergency applications\n\nYou can apply to the Court of Protection for an emergency decision on a statutory will if the person you\u2019re applying for only has a short time to live.\n\n## Get legal advice\n\nYou can get legal advice from:\n\n- a solicitor - you\u2019ll have to pay for this\n\n- organisations which give advice for free, for example Citizens Advice Bureau\n\n## How to apply\n\nDownload and fill in the following forms to apply to make a will on behalf of someone, or to make changes to their existing will:\n\n- application form (COP1)\n\n- witness statement (COP24)\n\n- information form (COP1C)\n\nYou\u2019ll also need to prove to the Court of Protection that the person is not able to make a will by themselves.\n\nDownload and fill in assessment of capacity form (COP3) - you\u2019ll need to get the person\u2019s doctor or other medical professional to fill in the relevant parts.\n\nSend the completed forms, your supporting documents and payment to the Court of Protection.\n\n## Supporting documents\n\nYou\u2019ll need to include the following information and documents:\n\n- a copy of the person\u2019s current will and any amendments (\u2018codicils\u2019)\n\n- a copy of the proposed new will or codicil\n\n- a copy of any deputyship order\n\n- details of the people who have agreed to deal with the will after the person\u2019s death (\u2018executors\u2019)\n\n- a copy of any registered lasting power of attorney or registered enduring power of attorney\n\n- the person\u2019s family tree\n\n- reasons the person might be expected to provide for people named in the will (\u2018beneficiaries\u2019)\n\n- the person\u2019s address and details about where they\u2019re living, for example care home, hospital\n\nYou must also provide:\n\n- details of the person\u2019s estate and assets\n\n- accounts showing their estimated income and outgoings\n\n- details of any inheritance tax payable in the event of the person\u2019s death\n\n## Acting in the other person\u2019s best interest\n\nDecisions taken on someone\u2019s behalf must always be in their best interest. You must consider:\n\n- what they would do if they were able to make a will themselves\n\n- their beliefs and personal values\n\n- how they\u2019ve acted and made decisions for themselves in the past\n\nRead the Court of Protection practice direction (9E) for more information and an example of a statutory will.\n\n## Fees\n\nAn application for a statutory will costs \u00a3365.\n\nYou may also have to pay:\n\n- \u00a3485 if the court decides to hold a hearing (including telephone hearings)\n\n- solicitor\u2019s fees if a solicitor is appointed by the Official Solicitor to act as the person\u2019s litigation friend\n\n- Counsel\u2019s fees (if there are any)\n\n## How to pay\n\nSend a cheque for \u00a3365 made payable to \u2018HM Courts and Tribunals Service\u2019 with your completed forms and supporting documents.\n\nYou\u2019ll be told when you need to pay any additional costs, for example for court hearings.\n\nYou may be able to claim back any fees you pay from the estate of the person you\u2019re applying for.\n\n## Exemptions and refunds\n\nYou may not have to pay an application or hearing fee, depending on the circumstances of the person you\u2019re applying for, for example they:\n\n- have low (or no) income\n\n- are on certain types of benefit\n\nDownload and fill in the application for a fee remission form and send it the Court of Protection with your application forms. The form contains guidance about exemptions.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving your application.\n\n## After you apply\n\nThe Court of Protection will send you a letter to confirm that your application has been received.\n\nYou\u2019ll also get a stamped copy of your application form and a \u2018directions order\u2019 from the court telling you what to do next.\n\n## The Official Solicitor\n\nThe directions order might tell you to write to the Official Solicitor to tell them about your application. The Official Solicitor makes sure that people who cannot make decisions for themselves have someone to represent them in court cases.\n\n## Tell people named in your application\n\nYour directions order will say who you must tell (\u2018serve\u2019) about your application. This could include the person who the application is about and:\n\n- anyone named in an existing will who would be affected financially, for example they are not a beneficiary in the new will\n\n- anyone who would be expected to benefit if the person were to die without a will (\u2018intestate\u2019), for example family members\n\n- any other people named on your application\n\n- the Official Solicitor\n\nYou must serve both of the following documents within 14 days of the application being issued:\n\n- notice that an application form has been issued (COP15)\n\n- acknowledgment of service form (COP5) so they can confirm they\u2019ve been told about the application and register any objection\n\nYou can serve them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\nYou\u2019ll be given time to reach a decision with the people you\u2019ve served. The Court of Protection may hold a hearing if you cannot.\n\n## Getting a decision\n\nThe Court of Protection will tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you have to provide more information, for example further medical reports\n\n- there\u2019ll be a hearing to get more information\n\n## Court hearings\n\nThe Court of Protection will hold a hearing, or hearings, if you have not been able to reach a decision with the people you\u2019ve served.\n\nYou can also get a solicitor to represent you during the hearing.\n\nRead the guidance on what to expect from a Court of Protection hearing.\n\nYou\u2019ll have to pay a hearing fee after the court makes their final decision.\n\n## Appeal a decision\n\nYou can ask for a decision that was made without a hearing to be reconsidered any time within 21 days of the decision being made.\n\nTo appeal a decision made at a court hearing download and fill in the Appellants Notice Form COP 35.\n\nYou must pay \u00a3320. You can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nSend the form to the Court of Protection with a cheque made payable to \u2018HM Courts and Tribunals Service\u2019 within 21 days of the date the decision was made.\n\n## Finalising the will\n\nYou\u2019ll be sent a court order confirming that your application has been accepted with a letter telling you what to do next.\n\n## Sign the will\n\nYou must sign 2 copies of the will. Both copies should be signed in your name and in the name of the person the will has been made for. You must also get 2 witnesses (aged 18 or over) to sign them.\n\nThe witnesses must:\n\n- be with you when you sign the will\n\n- sign the will straight after you\n\nSend the 2 signed copies of the statutory will to the Court of Protection.\n\nThe 2 copies will be given the court\u2019s official seal and sent back to you.\n\n## When the person dies\n\nThe statutory will can be handled (\u2018executed\u2019) in the normal way, as if the person had made the will themselves.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-statutory-will", + "answerable": true, + "scenario": "I am 23 with 2 children and my father recently developed dementia, he was about to add me to the will before being diagnosed but never did. He can't make a will because of the illness he have.", + "original_question": "Can I add myself to my fathers will?" + }, + { + "id": "train-2215", + "question": "Scenario: I was born on the 19th January 1934. I am separated and pay maintenance payments to my wife on a voluntary basis (i.e. not ordered to as part of any settlement). I am looking at applying for the maintenance payment relief.\n\nQuestion: Would I be eligible for this relief?\n\nDocument - National Insurance and tax after State Pension age:\n## Overview\n\nYou do not pay National Insurance after you reach State Pension age - unless you\u2019re self-employed and pay Class 4 contributions. You stop paying Class 4 contributions at the end of the tax year in which you reach State Pension age.\n\nYou only pay Income Tax if your taxable income - including your private pension and State Pension - is more than your tax-free allowances (the amount of income you\u2019re allowed before you pay tax).\n\nYou must contact HM Revenue and Customs (HMRC) if you think you should be paying tax.\n\n## Stop paying National Insurance\n\nYou pay National Insurance contributions to qualify for certain benefits including the State Pension.\n\nIf you\u2019re employed, you pay Class 1 National Insurance contributions as a percentage of your earnings up to State Pension age.\n\nIf you\u2019re self-employed, you pay Class 2 contributions at a flat weekly rate and Class 4 contributions annually as a percentage of your taxable profits.\n\n## What happens at State Pension age\n\nYou stop paying Class 1 and Class 2 contributions when you reach State Pension age - even if you\u2019re still working.\n\nYou\u2019ll continue paying Class 4 contributions until the end of the tax year in which you reach State Pension age.\n\nFor example, you reach State Pension age on 6 September 2021. You\u2019ll stop making Class 4 contributions on 5 April 2022 and pay your final Class 4 bill by 31 January 2023, together with your Income Tax.\n\nIf you\u2019re self employed, you still need to send a Self Assessment tax return for each year you work - even after you reach State Pension age.\n\nYou can claim back National Insurance if you\u2019ve overpaid.\n\n## If you continue working\n\nShow your employer proof of your age (a birth certificate or passport, for example) to make sure you stop paying National Insurance.\n\nIf you do not want your employer to see your birth certificate or passport, HM Revenue and Customs (HMRC) can send you a letter to show them instead.\n\nThe letter will confirm:\n\n- you\u2019ve reached State Pension age\n\n- you do not need to pay National Insurance\n\nYou\u2019ll need to write to HMRC explaining why you do not want your employer to see your birth certificate or passport.\n\nYou\u2019ll be asked to send your birth certificate or passport for verification if HMRC does not have a record of your date of birth. Certified copies are accepted.\n\nYou can also show a certificate of age exception (CA4140) if you have one.\n\n## Age-related tax allowances\n\n## Married Couple\u2019s Allowance\n\nYou can claim the Married Couple\u2019s Allowance if you\u2019re married or in a civil partnership and at least one partner was born before 6 April 1935. It gets taken off your tax bill - the amount that\u2019s deducted depends on your income.\n\n## Maintenance Payments Relief\n\nYou can get an allowance to reduce your tax bill for maintenance payments you make to an ex-spouse or civil partner if:\n\n- you or they were born before 6 April 1935\n\n- you\u2019re separated or divorced and you\u2019re making payments under a court order\n\n- the payments are for the maintenance of your ex-partner (as long as they have not re-married or formed a new civil partnership) or your children are under 21\n\n## How much you can get\n\nFor the 2021 to 2022 tax year Maintenance Payments Relief can reduce your tax bill by the lower of the following:\n\n- \u00a3353 - where you make maintenance payments of \u00a33,530 or more a year\n\n- 10% of the money you\u2019ve actually paid - where you make payments of less than \u00a33,530 a year\n\nYou cannot claim a tax reduction for any voluntary payments you make.\n\n## Claim back tax or National Insurance\n\n## National Insurance refunds\n\nYou can claim back any overpaid National Insurance.\n\n## Tax refunds\n\nYou can claim a tax refund if you\u2019ve:\n\n- had too much deducted from your pension\n\n- overpaid through your job\n\nIf you complete a tax return, you can also correct mistakes and claim a refund via Self Assessment.\n\n## Claiming back tax on savings interest\n\nIf you\u2019re on a low income, you may be able to get tax-free interest or get some tax back from interest on your savings.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/tax-national-insurance-after-state-pension-age", + "answerable": true, + "scenario": "I was born on the 19th January 1934. I am separated and pay maintenance payments to my wife on a voluntary basis (i.e. not ordered to as part of any settlement). I am looking at applying for the maintenance payment relief.", + "original_question": "Would I be eligible for this relief?" + }, + { + "id": "train-2218", + "question": "Scenario: I am 42 and live and work in England. Three years ago I was sentenced to be bound over the keep the peace with no specific \"end date\", after getting into a fight with a neighbour over a parking dispute. I am now looking for a new job.\n\nQuestion: Is my conviction regarded as \"spent\" yet?\n\nDocument - Telling an employer, university or college about your criminal record:\n## When you need to tell an employer, university or college\n\nWhen you apply for a role or placement, you might need to tell your potential employer, university or college about a:\n\n- conviction you got at court\n\n- caution you got from the police\n\nYou only need tell the employer, university or college about a conviction or caution:\n\n- if they ask you to, for example in an interview or on an application form\n\n- for a specific amount of time after you got it, or always for certain roles\n\nThere are different rules in Scotland and Northern Ireland.\n\n## What information you need to give\n\nThe information you need to give a potential employer, university or college about a conviction or caution depends on:\n\n- if the conviction or caution is on your basic criminal record\n\n- the role you\u2019re applying for\n\n## What\u2019s on your basic criminal record and what\u2019s not\n\nAfter you get a conviction or caution, it\u2019s usually \u2018unspent\u2019 for a specific amount of time. The amount of time depends on the type of punishment or sentence you got.\n\nAn unspent conviction or caution means:\n\n- it\u2019s on your basic criminal record\n\n- it will show up on any DBS check (criminal record check)\n\nMost convictions or cautions then become \u2018spent\u2019 after a specific amount of time. This might be after a few months or years, or straight away.\n\nA spent conviction or caution means:\n\n- it\u2019s not on your basic criminal record anymore\n\n- it will only show up on a more detailed DBS check known as \u2018standard\u2019 or \u2018enhanced\u2019, unless it\u2019s removed (\u2018filtered\u2019) from the DBS certificate\n\nYou can check when a conviction or caution you got will become spent.\n\nYou can also read about different convictions or cautions, for example a court fine or a prison sentence.\n\n## If you have an unspent conviction or caution\n\nYou only need to tell a potential employer, university or college about an unspent conviction or caution if they ask you to.\n\nIf they ask you and you do not tell them about it, they might find out by using a DBS check. They could then reject your application or withdraw a job offer, or you might be charged with a crime.\n\n## If you have a spent conviction or caution\n\nYou only need to tell a potential employer, university or college about a spent conviction or caution if all of the following apply:\n\n- they ask you to\n\n- they tell you that the role needs a standard or enhanced DBS check\n\n- it\u2019s not removed (\u2018filtered\u2019) from DBS certificates\n\nYou can check if the employer, university or college is allowed to request the standard or enhanced DBS check. They can only do this for certain roles, for example if you\u2019re working with children or in healthcare.\n\nIt\u2019s against the law for an employer, university or college to refuse you a role because you\u2019ve got a spent conviction or caution, unless it makes you unsuitable for the role. For example, a driving conviction might make you unsuitable for a job as a driving instructor.\n\n## Check if you need to tell someone about your conviction or caution\n\nUse this tool to check whether:\n\n- a conviction or caution you got in England or Wales is \u2018spent\u2019 (not on your basic criminal record)\n\n- you need to tell a potential employer, university or college about it\n\nYou can also read more about what a spent conviction or caution is.\n\n## Check your conviction or caution\n\nCheck now\n\n## Before you check\n\nFor each conviction or caution you\u2019ve had, you\u2019ll need:\n\n- the type of conviction or caution you got\n\n- the date you got it\n\n- the date any conditions ended, or how long your sentence was\n\nIf you give approximate dates, the result you get will be approximate.\n\nYou will not need to give personal details such as your name. The information you give will not be saved and cannot identify you.\n\n## Cautions\n\nA caution is an official warning from the police.\n\nIt could be a:\n\n- simple caution if you\u2019re 18 or over\n\n- youth caution if you\u2019re under 18\n\n- conditional caution\n\nWhether a caution is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When simple and youth cautions become spent\n\nThey become spent straight away.\n\n## When a conditional caution becomes spent\n\nIt becomes spent either:\n\n- on the date the conditions end\n\n- 3 months after you got it, if the conditions have no end date\n\n## Fines and compensation\n\nA court might order you to pay:\n\n- a fine\n\n- compensation to someone (\u2018compensation order\u2019)\n\nWhether a fine or compensation order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When a fine becomes spent\n\nA fine becomes spent:\n\n- one year after you got it, if you were 18 or over\n\n- 6 months after you got it, if you were under 18\n\nThere are different rules if a court gives you a fine for a driving offence.\n\n## When a compensation order becomes spent\n\nA compensation order becomes spent after you\u2019ve paid someone in full and sent proof of payment to DBS.\n\n## Driving convictions\n\nA court might give you a conviction for a driving offence, for example speeding or drink driving.\n\nThe conviction could be:\n\n- a fine\n\n- a driving ban (\u2018disqualification\u2019)\n\n- community service or a prison sentence\n\nFixed penalty notices (FPN) and penalty charge notices (PCN) are fines for minor driving offences. They will not appear on your criminal record unless a court gives you a conviction because of one.\n\nWhether a driving conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## \u2018Endorsements\u2019 (penalty points)\n\nA court will give a driving ban or fine with penalty points that appear on your driving record. This is known as an \u2018endorsement\u2019.\n\nAn endorsement can stay on your driving record for longer than your criminal record.\n\nThis means a potential employer, university or college might find out about a driving ban or fine after it\u2019s spent, if they request to check your driving record.\n\n## When a fine with an endorsement becomes spent\n\nThe fine becomes spent either:\n\n- 5 years after you got it, if you were 18 or over\n\n- 2 years and 6 months after you got it, if you were under 18\n\n## When a driving ban with an endorsement becomes spent\n\nWhen a driving ban becomes spent depends on how:\n\n- long the ban lasts\n\n- old you were when you got it\n\n## If you were 18 or over\n\nIf the ban lasts less than 5 years, it becomes spent 5 years after you got it.\n\nIf the ban lasts more than 5 years, it becomes spent on the date it ends.\n\n## If you were under 18\n\nIf the ban lasts less than 2 years and 6 months, it becomes spent 2 years and 6 months after you got it.\n\nIf the ban lasts more than 2 years and 6 months, it becomes spent on the date it ends.\n\n## Prison sentences\n\nA court might:\n\n- give you a prison sentence if you\u2019re 18 or over\n\n- give you a detention order (\u2018detention and training order\u2019) if you\u2019re under 18\n\n- order you to stay in hospital instead of prison (\u2018hospital order\u2019) if there are concerns about your mental health\n\nA court can decide to delay a prison sentence for up to 2 years as long as you meet certain conditions. This is known as \u2018suspended\u2019.\n\nWhether a sentence is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When a prison sentence becomes spent\n\nThe length of the prison sentence affects when it becomes spent.\n\n| Length of your sentence | When it becomes spent |\n\n| Less than 6 months | 2 years after the sentence ends |\n\n| 6 months to 2 years and 6 months | 4 years after the sentence ends |\n\n| 2 years and 6 months to 4 years | 7 years after the sentence ends |\n\n| Longer than 4 years | It never becomes spent |\n\n## If your prison sentence was \u2018suspended\u2019 or you were released early\n\nThe full length of the prison sentence affects when it becomes spent - not the amount of the time it was suspended for or how long you were in prison.\n\n## When a detention order becomes spent\n\nThe length of the sentence affects when it becomes spent.\n\n| Length of your sentence | When it becomes spent |\n\n| Less than 6 months | 1 year and 6 months after the sentence ends |\n\n| 6 months to 2 years and 6 months | 2 years after the sentence ends |\n\n| 2 years and 6 months to 4 years | 3 years and 6 months after the sentence ends |\n\n| Longer than 4 years | It never becomes spent |\n\n## When a hospital order becomes spent\n\nA hospital order becomes spent either:\n\n- on the date it ends\n\n- 2 years after you got it, if there\u2019s no end date.\n\n## Community service\n\nA court might give you:\n\n- community service (\u2018community order\u2019) if you\u2019re 18 or over\n\n- a youth order (\u2018youth rehabilitation order\u2019) or a referral order if you\u2019re under 18\n\nFor example unpaid work, a curfew or alcohol treatment.\n\nWhether a community, youth or referral order is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When community service becomes spent\n\nCommunity service becomes spent either:\n\n- one year after its end date\n\n- 2 years after you got it, if there\u2019s no end date\n\n## When a youth order becomes spent\n\nA youth order becomes spent either:\n\n- 6 months after its end date\n\n- 2 years after you got it, if there\u2019s no end date\n\n## When a referral order becomes spent\n\nA referral order becomes spent on its end date.\n\n## Discharges\n\nA discharge is a type of conviction where a court finds you guilty but does not give you a sentence because the offence is very minor.\n\nThe conviction could be:\n\n- an absolute discharge\n\n- a conditional discharge, where you could still get a sentence if you break the conditions\n\n- a \u2018bind over\u2019, where you could get a fine if you break the conditions\n\nWhether a discharge or bind over is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When an absolute discharge becomes spent\n\nIt becomes spent straight away.\n\n## When conditional discharges and bind overs become spent\n\nThey become spent either:\n\n- on the date they end\n\n- 2 years after you got one, if there\u2019s no end date\n\n## Military convictions\n\nA court might give you a military conviction if they find you guilty of a crime while you served in the British armed forces.\n\nThe conviction might be:\n\n- a dismissal\n\n- a service detention\n\n- an overseas community order\n\n- a service community order\n\nWhether a military conviction is \u2018spent\u2019 affects what information you need to give a potential employer, university or college.\n\n## When military convictions become spent\n\nHow long it takes for a conviction to become spent depends on how old you were when you were convicted. If you were:\n\n- 18 or over it takes 12 months\n\n- under 18 it takes 6 months\n\nThe length of time is calculated from:\n\n- the date of your conviction for dismissals\n\n- the day on which the sentence is complete for service detentions\n\n- the end date for overseas and community service orders - if the order has no end date, it becomes spent after 2 years\n\nIf you were given both a dismissal and a service detention then the longer of the two spent dates applies.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tell-employer-or-college-about-criminal-record", + "answerable": true, + "scenario": "I am 42 and live and work in England. Three years ago I was sentenced to be bound over the keep the peace with no specific \"end date\", after getting into a fight with a neighbour over a parking dispute. I am now looking for a new job.", + "original_question": "Is my conviction regarded as \"spent\" yet?" + }, + { + "id": "train-2220", + "question": "Scenario: I own a four-bedroomed family home on the outskirts of Nuneaton, England, which I am now about to sell. This has been the main residence of myself and my partner and children for the past 18 years, and has a total footprint of just under 400 square meters if the garden is included. No part of the house has ever been let out, or used solely for business purposes.\n\nQuestion: Will I need to pay Capital Gains Tax on the sale of this house?\n\nDocument - Buying or selling your home:\n## Overview\n\nBuying or selling a home normally takes 2 to 3 months. The process can take longer if you\u2019re part of a chain of buyers and sellers.\n\nThere are several steps you\u2019ll need to follow:\n\n- sellers must provide an Energy Performance Certificate for the property\n\n- if a seller is using an estate agent, potential buyers must make any offers through the agent\n\n- once a buyer\u2019s offer has been accepted, the seller\u2019s responsible for drawing up a legal contract to transfer ownership\n\n- an offer is not legally binding until contracts are exchanged\n\n- depending on the amount given for property, the buyer may have to pay tax\n\nThis guide relates to England and Wales. Shelter has advice about buying and selling a home in Scotland.\n\n## If you\u2019re buying property with someone else\n\nYou can own a home with up to 3 other people. Find out more about the different types of joint property ownership.\n\n## Energy Performance Certificates\n\nEnergy Performance Certificates (EPCs) are needed whenever a property is:\n\n- built\n\n- sold\n\n- rented\n\nYou must order an EPC for potential buyers and tenants before you market your property to sell or rent.\n\nIn Scotland, you must display the EPC somewhere in the property, for example in the meter cupboard or next to the boiler.\n\nAn EPC contains:\n\n- information about a property\u2019s energy use and typical energy costs\n\n- recommendations about how to reduce energy use and save money\n\nAn EPC gives a property an energy efficiency rating from A (most efficient) to G (least efficient) and is valid for 10 years.\n\nCheck how you could make your home more energy efficient using the Energy Savings Trust\u2019s home energy check.\n\n## How to get an EPC\n\nYou\u2019ll need to find an accredited assessor if you\u2019re selling or renting out your home in:\n\n- England, Wales and Northern Ireland\n\n- Scotland\n\nThey\u2019ll assess your property and produce the certificate.\n\nYou can be fined if you do not get an EPC when you need one.\n\nThe person selling the house, the landlord or the letting agent must show you the EPC if you\u2019re buying or renting.\n\n## Buildings that do not need an EPC\n\nThese include:\n\n- places of worship\n\n- temporary buildings that will be used for less than 2 years\n\n- stand-alone buildings with total useful floor space of less than 50 square metres\n\n- industrial sites, workshops and non-residential agricultural buildings that do not use a lot of energy\n\n- some buildings that are due to be demolished\n\n- holiday accommodation that\u2019s rented out for less than 4 months a year or is let under a licence to occupy\n\n- listed buildings - you should get advice from your local authority conservation officer if the work would alter the building\u2019s character\n\n- residential buildings intended to be used less than 4 months a year\n\n## See other properties\u2019 EPCs\n\nYou can look at the EPCs of other properties free of charge. This lets you compare your home\u2019s energy performance with that of similar homes. You can search by the property\u2019s address or by the EPC\u2019s report reference number..\n\nYou can opt out of the EPC register if you do not want other people to be able to see your EPC.\n\n## Estate agents\n\nYou must sign a legally binding contract with an estate agent if you use one to sell your home.\n\nYou must stick to the terms of the contract or you could be taken to court.\n\nEstate agents must also treat buyers fairly. They must show any offers promptly and in writing to the person selling the house.\n\nEstate agents are also legally obliged to pass on any other offers for the property right up to when contracts are exchanged.\n\n## Complain about an estate agent\n\nYou must complain to the estate agent first and give them a fair chance to sort out your complaint. If they do not, you can complain to one of the following schemes:\n\n- The Property Ombudsman\n\n- Property Redress Scheme\n\nAsk the estate agent which scheme they belong to.\n\n## Offers\n\nA buyer must make an offer through the estate agent if a home is sold through one.\n\nA buyer can make their offer directly to the seller for a private sale.\n\nBuyers can make offers verbally (over the phone or in person) or in writing.\n\nAn offer is not legally binding in England and Wales until contracts are exchanged.\n\nIf a buyer makes an offer \u2018subject to contract\u2019, this means the price can still be negotiated (for example if a survey finds a problem with the property).\n\nThe law is different if you\u2019re making an offer for property in Scotland.\n\n## Transferring ownership (conveyancing)\n\n## Once the offer is accepted\n\nThe seller is responsible for drawing up a legal contract to transfer ownership.\n\nThe contract contains details about:\n\n- the sale price\n\n- the property boundaries\n\n- which fixtures and fittings (like carpets and kitchen units) are included\n\n- any legal restrictions or rights, like public footpaths or rules about using the property\n\n- any planning restrictions\n\n- services to the property, like drainage and gas\n\n- when the sale will complete\n\nIf the seller has hired a solicitor or conveyancer, they will:\n\n- draft the initial contract\n\n- answer questions from the buyer\u2019s solicitor or conveyancer (with the seller\u2019s help)\n\n- negotiate the details of the contract if necessary\n\n## Exchanging contracts\n\nWhen the buyer and seller are happy with the contract, both sides sign final copies and send them to each other.\n\nThe agreement to sell and buy is legally binding once this happens. Usually neither party can pull out without paying compensation.\n\n## Completion\n\nOnce you exchange contracts and deal with any remaining checks the buyer has asked for:\n\n- The money is transferred from the buyer to the seller.\n\n- The legal documents needed to transfer ownership are handed over to the buyer.\n\n- The seller moves out and leaves the property in the state agreed in the contract.\n\n- The seller hands over the keys to the buyer.\n\n- The property now belongs to the buyer.\n\nCitizens Advice has more advice about buying or selling your home.\n\n## Tax\n\nYou may need to pay:\n\n- Stamp Duty Land Tax when you buy a home in England\n\n- Land Transaction Tax when you buy a home in Wales\n\n- Capital Gains Tax when you sell a home\n\n## Stamp Duty Land Tax\n\n## If you buy between 8 July 2020 and 30 June 2021\n\nYou pay SDLT if you paid more than \u00a3500,000 for the property.\n\n## If you buy between 1 July 2021 and 30 September 2021\n\nYou pay SDLT if you paid more than \u00a3250,000 for the property.\n\n## If you buy from 1 October 2021\n\nYou pay SDLT if you paid more than \u00a3125,000 for the property. This threshold also applies to any property bought before 8 July 2020.\n\nYou still have to pay if you swap something of economic value for a property, for example shares or another property.\n\n## If you\u2019re buying your first home\n\nFrom 1 July 2021 you do not have to pay SDLT if the property is \u00a3300,000 or less.\n\n## Capital Gains Tax\n\nYou do not pay Capital Gains Tax when you sell (or \u2018dispose of\u2019) your home if all of the following apply:\n\n- you\u2019ve lived in it as your main home for all the time you\u2019ve owned it\n\n- you have not let part of it out or used part of it for business only\n\n- the grounds, including the buildings, are smaller than 5,000 square metres (just over an acre)\n\nThis is because you automatically get a tax relief called Private Residence Relief. You do not need to do anything.\n\nIf you do not meet all these criteria you may have to pay some Capital Gains Tax.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/buy-sell-your-home", + "answerable": true, + "scenario": "I own a four-bedroomed family home on the outskirts of Nuneaton, England, which I am now about to sell. This has been the main residence of myself and my partner and children for the past 18 years, and has a total footprint of just under 400 square meters if the garden is included. No part of the house has ever been let out, or used solely for business purposes.", + "original_question": "Will I need to pay Capital Gains Tax on the sale of this house?" + }, + { + "id": "train-2221", + "question": "Scenario: My employee is adopting a child from Spain. They had been employed for 36 weeks at the time they informed me about the adoption and gave all of the relevant information. Their pay averaged \u00a3304 per week over the 8 weeks prior to notification, and they are now requesting statutory adoption pay.\n\nQuestion: Is this employee eligible for statutory adoption pay?\n\nDocument - Statutory Adoption Pay and Leave: employer guide:\n## Entitlement\n\nWhen an employee takes time off to adopt a child or have a child through a surrogacy arrangement they might be eligible for Statutory Adoption Pay and Leave.\n\n## Statutory Adoption Leave\n\nEmployees can take up to 52 weeks\u2019 Statutory Adoption Leave. The first 26 weeks is known as \u2018Ordinary Adoption Leave\u2019, the last 26 weeks as \u2018Additional Adoption Leave\u2019.\n\nLeave can start:\n\n- on the date the child starts living with the employee or up to 14 days before the expected placement date (UK adoptions)\n\n- when an employee has been matched with a child to be placed with them by a UK adoption agency\n\n- when the child arrives in the UK or within 28 days of this date (overseas adoptions)\n\n- the day the child\u2019s born or the day after (parents in surrogacy arrangements)\n\n## Statutory Adoption Pay\n\nStatutory Adoption Pay (SAP) for employees is:\n\n- 90% of their gross average weekly earnings for the first 6 weeks\n\n- \u00a3151.97 a week or 90% of their gross average weekly earnings (whichever is lower) for the next 33 weeks\n\nTax and National Insurance need to be deducted.\n\nCalculate an employee\u2019s adoption leave and pay using the maternity and paternity calculator.\n\nSome employment types like agency workers, directors and educational workers have different rules for entitlement.\n\n## Extra leave or pay\n\nYou can offer more than the statutory amounts if you have a company scheme for adoption leave and pay. You must make sure your scheme\u2019s policies are clear and available to staff.\n\n## Employment rights\n\nAn employee\u2019s employment rights (like the right to pay, holidays and returning to a job) are protected during adoption leave. You still have to pay Statutory Adoption Pay even if you stop trading.\n\n## Eligibility\n\nSome employees will not qualify for both leave and pay.\n\n## Statutory Adoption Leave\n\nEmployees must:\n\n- give you the correct notice\n\n- be classed as an employee\n\nThey do not have to give you proof of the adoption or surrogacy unless you ask for it.\n\n## Leave for employees adopting a child from overseas\n\nEmployee must also sign form SC6 if they\u2019re adopting from overseas with a partner. This confirms they\u2019re not taking paternity leave or pay.\n\n## Statutory Adoption Pay\n\nEmployees must:\n\n- have been continuously employed by you for at least 26 weeks up to any day in the week they were matched with a child\n\n- be on your payroll and earn at least \u00a3120 a week in an 8-week period - the \u2018relevant period\u2019\n\n- give you the correct notice\n\n- give you proof of the adoption\n\nIf your employee usually earns an average of \u00a3120 or more a week, and they only earned less in some weeks because they were paid but not working (\u2018on furlough\u2019) under the Coronavirus Job Retention Scheme, they may still be eligible.\n\nUse the adoption pay calculator to check an employee\u2019s eligibility and work out their matching week, relevant period, notice period and adoption pay.\n\nThere are special rules for some employee situations, for example if they leave, become sick or if they or their child dies.\n\n## Pay for employees adopting a child from overseas\n\nThe requirements are the same for employees adopting from overseas, except they must have been continuously employed by you for at least 26 weeks at the start of the week when the pay will begin.\n\nThey must also sign form SC6 if they\u2019re adopting with a partner. This confirms they\u2019re not taking paternity leave or pay.\n\n## Pay for employees in surrogacy arrangements\n\nThe requirements are the same for employees in surrogacy arrangements, except they must have been continuously employed by you for at least 26 weeks up to any day in the 15th week before the baby is due.\n\nIf you ask for it, they must also give you proof that they intend to become the baby\u2019s legal parent.\n\n## Who cannot qualify\n\nEmployees will not qualify for either adoption leave or pay if they:\n\n- become a special guardian or kinship carer\n\n- adopt a stepchild or family member\n\n- adopt privately, for example without permission from a UK authority or adoption agency\n\n## Notice period\n\nNotice does not have to be in writing unless you request it.\n\n## Statutory Adoption Pay\n\nEmployees must give you 28 days\u2019 notice before they want to be paid Statutory Adoption Pay, unless the time between the child being matched and placed is less than that.\n\n## Statutory Adoption Leave\n\nWithin 7 days of being matched with a child, employees must tell you:\n\n- how much leave they want\n\n- their leave start date\n\n- the \u2018date of placement\u2019 - the expected or actual date the child is placed with them\n\nYou have 28 days to write to them confirming their leave start and end date.\n\nThere are different rules for overseas adoptions and surrogacy arrangements.\n\n## Leave for employees adopting a child from overseas\n\nWithin 28 days of getting their \u2018official notification\u2019, employees adopting from overseas must tell you the date of the notification and when they expect the child to arrive in the UK.\n\nIf they\u2019ve worked for you for less than 26 weeks, they can tell you within 28 days of the Sunday in their 26th week instead.\n\nThey must also tell you:\n\n- the actual date the child arrives in the UK - within 28 days of this date\n\n- how much leave they want and when they want it to start - giving you 28 days\u2019 notice\n\nYou have 28 days to write to them confirming their leave start and end date.\n\n## Leave for employees in surrogacy arrangements\n\nAt least 15 weeks before the due date, employees in surrogacy arrangements must tell you when the baby is due and when they want to start their leave. You can ask for this in writing.\n\nYou have 28 days to write to them confirming their leave start and end date.\n\n## Changes to leave dates\n\nEmployees must tell you about changes to leave dates at least 28 days before their original start date or the new start date - whichever is earlier.\n\nYou must write to them if you have to amend their leave start and end dates.\n\nEmployees must give 8 weeks\u2019 notice if they want to change the date they return to work.\n\n## Proof of adoption\n\nEmployees must give you proof of adoption to qualify for Statutory Adoption Pay. Proof is not needed for Statutory Adoption Leave unless you ask for it.\n\nFor adoption, the proof must show the:\n\n- name and address of the agency and employee\n\n- date the child was matched, for example the matching certificate\n\n- expected or actual date of placement, for example a letter from the agency\n\n- relevant UK authority\u2019s \u2018official notification\u2019 confirming the parent is allowed to adopt (overseas adoptions only)\n\n- date the child arrived in the UK, for example a plane ticket (overseas adoptions only)\n\nYou must keep records of the proof.\n\n## Surrogacy arrangements\n\nProof is not needed for leave or pay unless you ask for it.\n\nIf you ask, employees must give you a written statement (\u2018statutory declaration\u2019) to confirm that they:\n\n- intend to apply for a parental order in the 6 months after the baby\u2019s birth\n\n- expect the order to be granted (for example because they do not have any convictions involving children, and the birth mother or father agree to the arrangement)\n\n## Refusing pay or leave\n\n## Statutory Adoption Leave\n\nYou cannot refuse adoption leave or change the amount of leave employees want to take off.\n\nFor adoption, you can delay the start date if the employee does not have a reasonable excuse for giving you the wrong amount of notice. To delay it, write to them within 28 days of their leave request.\n\n## Statutory Adoption Pay\n\nYou can refuse Statutory Adoption Pay if the employee does not qualify.\n\nTo refuse it, give the employee form SAP1 within 7 days of your decision. They must get this form within 28 days of their request for Statutory Adoption Pay or the date they were matched with the child (whichever is earlier).\n\n## Record keeping\n\nYou must keep records for HM Revenue and Customs (HMRC), including:\n\n- proof of adoption\n\n- the date Statutory Adoption Pay started\n\n- the payments of Statutory Adoption Pay you\u2019ve made - including dates\n\n- the payments you\u2019ve reclaimed\n\n- any weeks you did not pay and why\n\nYou must keep records for 3 years from the end of the tax year they relate to (for example by using form SAP2 or keeping your own records).\n\n## Help with statutory pay\n\nFor financial help with statutory pay, you can:\n\n- reclaim payments (usually 92%)\n\n- apply for an advance if you cannot afford payments", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employers-adoption-pay-leave", + "answerable": true, + "scenario": "My employee is adopting a child from Spain. They had been employed for 36 weeks at the time they informed me about the adoption and gave all of the relevant information. Their pay averaged \u00a3304 per week over the 8 weeks prior to notification, and they are now requesting statutory adoption pay.", + "original_question": "Is this employee eligible for statutory adoption pay?" + }, + { + "id": "train-2222", + "question": "Scenario: I purchased my current family home in Norwich, England from the local council 9 years ago under the right-to-buy scheme. With my children having now grown up and left home my partner and I are now looking to sell the house and retire to something a little smaller. I offered to sell the house back to the local council three months ago, but they have indicated that they do not wish to purchase it.\n\nQuestion: Can I now sell my home to whomever I like on the open market?\n\nDocument - Right to Buy: buying your council home:\n## Overview\n\nRight to Buy allows most council tenants to buy their council home at a discount. Use the eligibility checker on the Own Your Home website to find out if you can apply.\n\nThere are different rules for Wales, Scotland and Northern Ireland.\n\nYou can apply to buy your council home if:\n\n- it\u2019s your only or main home\n\n- it\u2019s self-contained\n\n- you\u2019re a secure tenant\n\n- you\u2019ve had a public sector landlord (for example, a council, housing association or NHS trust) for 3 years - it does not have to be 3 years in a row\n\n## Joint applications\n\nYou can make a joint application with:\n\n- someone who shares your tenancy\n\n- up to 3 family members who\u2019ve lived with you for the past 12 months (even if they do not share your tenancy)\n\n## Ex-council homes\n\nIf your home used to be owned by the council, but they sold it to another landlord (like a housing association) while you were living in it, you may have the Right to Buy. This is called \u2018Preserved Right to Buy\u2019.\n\nAsk your landlord if this applies to you.\n\n## Other ways to buy your home\n\nIf you were not living in your home when it was sold by the council you may still be able to buy it through the Voluntary Right to Buy pilot.\n\n## Discounts\n\nYou can get a discount on the market value of your home when you buy it if you qualify for Right to Buy.\n\nThe maximum discount is \u00a384,600 across England, except in London boroughs where it is \u00a3112,800. It will increase each year in April in line with the consumer price index (CPI).\n\nThe discount is based on:\n\n- how long you\u2019ve been a tenant with a public sector landlord\n\n- the type of property you\u2019re buying - a flat or house\n\n- the value of your home\n\nIf you\u2019re buying with someone else, you count the years of whoever\u2019s been a public sector tenant the longest.\n\nYou\u2019ll usually have to repay some or all your discount if you sell your home within 5 years.\n\nYou might get a smaller discount if you\u2019ve used Right to Buy in the past.\n\n## Working out the discount\n\nUse the Right to Buy calculator to find out how much discount you could get.\n\nThere are different discount levels for houses and flats.\n\n## Houses\n\nYou get a 35% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.\n\nAfter 5 years, the discount goes up 1% for every extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).\n\n## Flats\n\nYou get a 50% discount if you\u2019ve been a public sector tenant for between 3 and 5 years.\n\nAfter 5 years, the discount goes up by 2% for each extra year you\u2019ve been a public sector tenant, up to a maximum of 70% or \u00a384,600 across England and \u00a3112,800 in London boroughs (whichever is lower).\n\n## If your landlord has spent money on your home\n\nYour discount will be less if your landlord has spent money building or maintaining your home:\n\n- in the last 10 years - if your landlord built or acquired your home before 2 April 2012\n\n- in the last 15 years - if you\u2019re buying your home through Preserved Right to Buy, or if your landlord acquired your home after 2 April 2012\n\nYou will not get any discount if your landlord has spent more money than your home is now worth.\n\n## Applying\n\n- Fill in the Right to Buy application form (RTB1 notice).\n\n- Send it to your landlord.\n\n- Your landlord must say yes or no within 4 weeks of getting your application (8 weeks if they\u2019ve been your landlord for less than 3 years). If your landlord says no, they must say why.\n\n- If your landlord agrees to sell, they\u2019ll send you an offer. They must do this within 8 weeks of saying yes if you\u2019re buying a freehold property, or 12 weeks if you\u2019re buying a leasehold property.\n\n## Your landlord's offer\n\nIf your landlord agrees to sell, their offer will tell you:\n\n- the price they think you should pay for the property and how it was worked out\n\n- your discount and how it was worked out\n\n- a description of the property and any land included in the price\n\n- estimates of any service charges (for a flat or maisonette) for the first 5 years\n\n- any known problems with the property\u2019s structure, for example, subsidence\n\n## Deciding to buy\n\nYou have 12 weeks after you get your landlord\u2019s offer to tell them you still want to buy.\n\nThe landlord will send you a reminder if you do not reply to the offer. You have 28 days to reply to the reminder, or the landlord could drop your application.\n\nYou can pull out of the sale and continue to rent at any time.\n\n## If you disagree with the landlord\u2019s offer\n\nContact your landlord and tell them why.\n\nIf you think your landlord has set your home\u2019s market value too high, you must write to them within 3 months of getting the offer and ask them for an independent valuation.\n\nA district valuer from HM Revenue and Customs (HMRC) will then visit your home and decide how much it\u2019s worth. You have 12 weeks to accept their valuation or pull out of the sale.\n\n## Appeals\n\nYou can appeal to a tribunal if you\u2019re stopped from buying your home because it\u2019s suitable for housing elderly people.\n\nYou must appeal within 56 days of the council turning down your application.\n\n## Delays\n\nYour landlord must complete parts of your Right to Buy application within set time limits.\n\nYou could get a reduction in the sale price if they do not.\n\n## Applying for a reduction because of a delay\n\nFill in the \u2018Initial notice of delay\u2019 form (RTB6) and send it to your landlord.\n\nYour landlord must then either move the sale along within 1 month or send you a \u2018counter notice\u2019. The counter notice will say that they\u2019ve already replied or explain why they cannot speed things up.\n\nIf your landlord does not reply within a month of getting the RTB6, fill in the \u2018Operative notice of delay\u2019 form (RTB8). This means that any rent you pay while you\u2019re waiting to hear from your landlord could be taken off the sale price.\n\nYou can do this each time your landlord is late getting back to you.\n\n## Selling your home\n\nIf you sell your home within 10 years of buying it through Right to Buy, you must first offer it to either:\n\n- your old landlord\n\n- another social landlord in the area\n\nThe property should be sold at the full market price agreed between you and the landlord.\n\nIf you cannot agree, a district valuer will say how much your home is worth and set the price. You will not have to pay for their valuation.\n\nYou can sell your home to anyone if the landlord does not agree to buy it within 8 weeks.\n\n## Paying back your discount\n\nYou\u2019ll have to pay back some or all of the discount you got if you sell your Right to Buy home within 5 years of buying it.\n\nYou\u2019ll have to pay back all of the discount if you sell within the first year. After that, the total amount you pay back reduces to:\n\n- 80% of the discount in the second year\n\n- 60% of the discount in the third year\n\n- 40% of the discount in the fourth year\n\n- 20% of the discount in the fifth year\n\nThe amount you pay back depends on the value of your home when you sell it.\n\nYou may not have to pay back the discount if you transfer ownership of your home to a member of your family. You\u2019ll need to agree this first with your landlord and then get a solicitor to do this for you.\n\n## Rural homes\n\nYour former landlord may limit who you can sell your home to if your home is in:\n\n- a national park\n\n- an area of outstanding natural beauty\n\n- an area the government says is rural for Right to Buy\n\nFor example, you may have to sell your home to someone who\u2019s lived or worked in the area for more than 3 years. This may mean you have difficulty getting a mortgage to buy your home.\n\nYour landlord will tell you if this could apply to your home when you apply for Right to Buy.\n\n## Help and advice\n\nYou can get free advice about:\n\n- how to complete your Right to Buy application\n\n- whether the scheme is right for you\n\n- how much it will cost you\n\n- your eligibility\n\nAsk your landlord about Right to Buy. They may also be able to help you complete the application form.\n\n## Right to Buy Agent service\n\nThe Right to Buy Agent service offers free advice on things like:\n\n- the Right to Buy process\n\n- eligibility\n\n- filling out your application form\n\n- where you can get financial and legal advice\n\n- what to do if your application is delayed\n\n## Money Advice Service\n\nThe Money Advice Service offers free, impartial advice about money, including buying a home and taking out a mortgage.\n\n## Other help\n\nRead the Right to Buy summary booklet and the Right to Buy guidance.\n\nYou can also get advice on Right to Buy from:\n\n- the Own Your Home website\n\n- Citizens Advice\n\n- Shelter\n\n- your local Law Centre", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/right-to-buy-buying-your-council-home", + "answerable": true, + "scenario": "I purchased my current family home in Norwich, England from the local council 9 years ago under the right-to-buy scheme. With my children having now grown up and left home my partner and I are now looking to sell the house and retire to something a little smaller. I offered to sell the house back to the local council three months ago, but they have indicated that they do not wish to purchase it.", + "original_question": "Can I now sell my home to whomever I like on the open market?" + }, + { + "id": "train-2223", + "question": "Scenario: I am currently getting Reduced Earnings Allowance due to having problems finding regular work. I will soon turn 66, which is the state pension age for my cohort, and am wondering what will happen to my benefits when I do.\n\nQuestion: Will I still be eligible for Reduced Earnings Allowance ?\n\nDocument - Reduced Earnings Allowance:\n## Overview\n\nIf you cannot earn as much as you used to because of an accident or disease caused by your work, you could get up to \u00a373.16 per week Reduced Earnings Allowance.\n\nYou can only get it for accidents that happened, or diseases that started, before 1 October 1990.\n\nYou may also be able to get Industrial Injuries Disablement Benefit (IIDB).\n\n## Effect on other benefits\n\nReduced Earnings Allowance could affect any income-related benefits that you or your partner get.\n\nContact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre for details.\n\n## What you'll get\n\nYou could get up to \u00a373.16 per week.\n\nWhat you get depends on how much you earn in your regular employment.\n\nAsk the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre about how much you can get.\n\nReduced Earnings Allowance will be replaced by another benefit called Retirement Allowance if both the following apply:\n\n- you reach State Pension age\n\n- you\u2019re not in regular employment\n\n## How you\u2019re paid\n\nAll benefits, pensions and allowances are paid into your bank, building society or credit union account.\n\n## Eligibility\n\nYou could get Reduced Earnings Allowance if you have an illness or disability caused by a work-related accident or disease that happened before 1 October 1990.\n\nYou must also meet all of the following criteria:\n\n- your level of disability is assessed to be at least 1%\n\n- you cannot return to your regular occupation\n\n- you cannot do other work with the same level of earnings as your regular occupation\n\n## Going abroad\n\nIf you leave the UK to live abroad permanently, you may not be able to get Reduced Earnings Allowance.\n\nCheck if you can get benefits if you move to the EU, European Economic Area (EEA) or Switzerland.\n\nFor temporary visits to countries outside the EEA, you can usually claim for the first 3 months of your stay.\n\nThis can be longer in special circumstances - check with the International Pensions Centre to see if you qualify.\n\n## Your circumstances change\n\nTell the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre straight away if your circumstances change, for example:\n\n- you stop or start work\n\n- you change your occupation\n\n- your earnings change\n\n## How to claim\n\nYou\u2019ll need to fill in and post a claim form.\n\nContact the Barnsley Industrial Injuries Disablement Benefit (IIDB) centre to get a form.\n\nThe form comes with notes that will:\n\n- help you fill it in\n\n- tell you where to send it\n\nClaim straight away or you might lose benefit.\n\n## Contact the Barnsley IIDB centre\n\n## Alternative formats\n\nCall to ask for alternative formats, such as braille, large print or audio CD.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/reduced-earnings-allowance", + "answerable": true, + "scenario": "I am currently getting Reduced Earnings Allowance due to having problems finding regular work. I will soon turn 66, which is the state pension age for my cohort, and am wondering what will happen to my benefits when I do.", + "original_question": "Will I still be eligible for Reduced Earnings Allowance ?" + }, + { + "id": "train-2224", + "question": "Scenario: My son Richard was born 6 months ago, and has tragically been diagnosed with a progressive neural disease which may retard his mental development as he gets older. I'm thinking about saving something in a Child Trust Fund each month to help pay for his care as an adult, but am worried that he won't be mentally able to use this when it matures.\n\nQuestion: Can I apply for the right to manage this CTF money for him after he turns 18?\n\nDocument - Child Trust Fund:\n## Overview\n\nA Child Trust Fund (CTF) is a long-term tax-free savings account for children.\n\nYou cannot apply for a new Child Trust Fund because the scheme is now closed. You can apply for a Junior ISA instead.\n\nThis guide is also available in Welsh (Cymraeg).\n\n## If you already have a Child Trust Fund\n\nYou can continue to add up to \u00a39,000 a year to your CTF account. The money belongs to the child and they can only take it out when they\u2019re 18. They can take control of the account when they\u2019re 16.\n\nThere\u2019s no tax to pay on the CTF income or any profit it makes. It will not affect any benefits or tax credits you receive.\n\n## Managing the account\n\nIf you\u2019re the main contact for the Child Trust Fund (CTF) account you\u2019re called the \u2018registered contact\u2019. You have certain responsibilities until the child turns 18, or until the child takes control of their own account.\n\n## Your responsibilities as the registered contact\n\nYou\u2019re the only person who can:\n\n- tell the account provider how to invest the fund and run the account\n\n- change the address and other personal details\n\n- change the type of account, for example from cash to stocks and shares\n\n- move the account to another provider\n\nContact your CTF provider to do this.\n\n## Moving to a different account\n\nYou can transfer a CTF account to a Junior ISA. Contact a Junior ISA provider to do this.\n\n## Records you need to keep\n\nKeep the following paperwork:\n\n- your child\u2019s Unique Reference Number (you\u2019ll find this on your annual CTF statement)\n\n- the account statements\n\n- details of the account type and the provider\n\n## Change a registered contact\n\nYou can change the registered contact to someone with parental responsibility for the child, like a parent, step-parent or legal guardian if both parties agree to this.\n\nYour CTF provider can tell you how to change the registered contact of a CTF account.\n\n## When your child is 16 or 18\n\nOnce your child turns 16, they can either:\n\n- take over the account by contacting the CTF provider\n\n- leave you in charge of the account\n\nWhen the child turns 18, they take over the account and can take out the money.\n\n## If your child lacks the mental capacity to manage their account when it matures\n\nYou, or a close friend or relative, need to apply to the Court of Protection (COP) for a financial deputyship order so you can manage your child\u2019s account when they turn 18. Once the account matures, the money can either be taken out or transferred into an ISA.\n\nIn Scotland, applications need to be made to the Office of the Public Guardian in Scotland.\n\nIn Northern Ireland, applications need to be made to the Office of Care and Protection.\n\n## Add money to the account\n\nAnyone can pay money into a Child Trust Fund (CTF) account.\n\nYou cannot apply for a new Child Trust Fund because the scheme is now closed. You can apply for a Junior ISA instead.\n\n## How much you can add\n\nYou can put up to \u00a39,000 a year into the account - the year starts on the child\u2019s birthday and ends the day before their next birthday.\n\nIf you do not use the \u00a39,000 limit, you cannot carry any unused amount over to the following year.\n\n## How to pay money in\n\nFor stakeholder accounts you can add money by:\n\n- cheque\n\n- standing order\n\n- direct debit\n\nFor savings or share accounts, check with your provider.\n\n## Government payments\n\nPayments made by the government do not count towards the \u00a39,000, apart from \npayments made by a local council to a child in care.\n\n## Find a Child Trust Fund\n\nYou can find out where a Child Trust Fund (CTF) is held if you do not know the provider.\n\nFill in the form online to ask HM Revenue and Customs (HMRC) where the account was originally opened.\n\nYou\u2019ll need a Government Gateway user ID and password. If you do not have a user ID, you can create one when you fill in the online form.\n\nIf you\u2019re a parent looking for your child\u2019s trust fund, you\u2019ll need either:\n\n- the child\u2019s Unique Reference Number (you\u2019ll find this on your annual CTF statement)\n\n- their National Insurance number\n\nIf you\u2019re looking for your own trust fund, you\u2019ll need your National Insurance number.\n\nHMRC will send you details of the CTF provider by post within 3 weeks of receiving your request.\n\nHMRC will contact you for more information if you\u2019ve adopted the child or a court has given you parental responsibility for them.\n\n## Applying by post\n\nYou can also contact HMRC by post to find out where a CTF is held.\n\nIf you\u2019re a parent looking for your child\u2019s trust fund, you\u2019ll need to include your full name and address and all of the following:\n\n- child\u2019s full name and address\n\n- child\u2019s date of birth\n\n- child\u2019s National Insurance number or Unique Reference Number if known\n\nIf you\u2019re looking for your own trust fund, you\u2019ll need to include all of the following:\n\n- your full name and address\n\n- your date of birth\n\n- your National Insurance number or Unique Reference Number if known\n\n## Accounts for children in care\n\nSome children looked after by local authorities have a Child Trust Fund (CTF) account set up on their behalf. The Share Foundation acts as the registered contact for these accounts.\n\n## How the account is managed\n\nThe Share Foundation manages the CTF account for the child and will:\n\n- write to the child when they take control of the account\n\n- change the type of CTF account and provider if necessary and write to the child to explain why the change was made\n\n- send account statements to the child\n\nThey\u2019ll manage the account until:\n\n- the child turns 18\n\n- the child turns 16 and decides to manage the account themselves\n\n- someone takes parental responsibility for the child, for example through adoption\n\n## Take over the management of an account\n\nContact the Share Foundation if you\u2019re taking parental responsibility for a child and want to manage their CTF account.\n\nYou\u2019ll need to provide evidence of parental responsibility, for example an adoption certificate.\n\nYou\u2019ll get a letter confirming that you can take over responsibility for the account. Show this to the CTF provider who can update the account to say you\u2019re the registered contact.\n\n## When a child in care turns 16\n\nThe Share Foundation will write to the child about 2 months before their 16th birthday, telling them how to become the registered contact for the account.\n\nIf they choose to take control of the account, they can:\n\n- start managing it when they turn 16\n\n- withdraw money when they turn 18\n\n## If your child is terminally ill or dies\n\nIf your child is terminally ill you can take money out of their Child Trust Fund (CTF) account. If they die, the money passes to whoever inherits their estate (property and possessions).\n\n## If your child is terminally ill\n\n\u2018Terminally ill\u2019 means they have a disease or illness that\u2019s going to get worse and are not likely to live more than 6 months. Only the registered contact can take money out of the account.\n\n## What you need to do\n\nFill in the terminal illness early access form to let HM Revenue and Customs (HMRC) know that:\n\n- your child is terminally ill\n\n- you want to take the money out of the account\n\nYou\u2019ll need to provide evidence that your child is terminally ill.\n\n## If your child dies\n\nThe money in the account will be paid to the person who inherits the child\u2019s estate. This is often one of the child\u2019s parents, but if your child was married, it could be their husband or wife.\n\nIf you get Child Benefit for a child who has died this can still carry on for a short time.\n\n## What you need to do\n\nTell the CTF account provider. They\u2019ll usually need proof, for example the death certificate.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/child-trust-funds", + "answerable": true, + "scenario": "My son Richard was born 6 months ago, and has tragically been diagnosed with a progressive neural disease which may retard his mental development as he gets older. I'm thinking about saving something in a Child Trust Fund each month to help pay for his care as an adult, but am worried that he won't be mentally able to use this when it matures.", + "original_question": "Can I apply for the right to manage this CTF money for him after he turns 18?" + }, + { + "id": "train-2225", + "question": "Scenario: I have just been appointed finance director for a consulting firm based in the City of London, and my duties will of course include our supervising our payroll. After the disruption caused to HMRC by the pandemic, I am concerned that I may not receive my employees' new tax codes for the next financial year in time. All of the affected employees appear to have codes ending in 'M1'.\n\nQuestion: If I don't receive notification of new employee tax codes from HMRC by the end of March, is it OK to carry forward the existing codes into the next financial year?\n\nDocument - Understanding your employees' tax codes:\n## Overview\n\nYou put an employee\u2019s tax code into your payroll software to work out how much tax to deduct from their pay throughout the year.\n\nThis guide is also available in Welsh (Cymraeg).\n\nThere\u2019s a separate guide on tax codes if you\u2019re an employee.\n\n## What you need to do\n\nWhen you take on a new employee, you normally work out their tax code by using their P45. The code will usually be made up of several numbers and a letter, such as 1257L.\n\nYou usually need to update your employee\u2019s tax code at the start of a new tax year. If the tax code changes during the year, HM Revenue and Customs (HMRC) will email you - you should update your payroll records as soon as possible.\n\n## Tax code 1257L\n\nThe most common tax code for tax year 2021 to 2022 is 1257L. It\u2019s used for most people with one job and no untaxed income, unpaid tax or taxable benefits (for example a company car).\n\n1257L is an emergency tax code only if followed by \u2018W1\u2019, \u2018M1\u2019 or \u2018X\u2019. Emergency codes can be used if a new employee doesn\u2019t have a P45.\n\n## What the numbers mean\n\nThe numbers in an employee\u2019s tax code show how much tax-free income they get in that tax year.\n\nYou usually multiply the number in the tax code by 10 to get the total amount of income they can earn before being taxed.\n\nFor example, an employee with the tax code 1257L can earn \u00a312,570 before being taxed. If they earn \u00a327,000 per year, their taxable income is \u00a314,430.\n\nThe process is different if the employee has the letter \u2018K\u2019 in their tax code.\n\n## What the letters mean\n\nLetters in an employee\u2019s tax code refer to their situation and how it affects their Personal Allowance.\n\n| Code | How tax is deducted | When this code is usually used |\n\n| 0T | From all income - there is no Personal Allowance | When an employee hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| BR | From all income at the basic rate | For a second job or pension |\n\n| C | From income in the Welsh tax bands | For an employee whose main home is in Wales |\n\n| C0T | From all income - there is no Personal Allowance | When an employee whose main home is in Wales hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| CBR | From all income at the basic rate in Wales | For a second job or pension |\n\n| CD0 | From all income at the higher rate in Wales | For a second job or pension |\n\n| CD1 | From all income at the additional rate in Wales | For a second job or pension |\n\n| D0 | From all income at the higher rate | For a second job or pension |\n\n| D1 | From all income at the additional rate | For a second job or pension |\n\n| L | At basic, higher and additional rates depending on the amount of taxable income | For an employee entitled to the standard tax-free Personal Allowance |\n\n| M | At basic, higher and additional rates depending on the amount of taxable income | For an employee whose spouse or civil partner has transferred some of their Personal Allowance |\n\n| N | At basic, higher and additional rates depending on the amount of taxable income | For an employee who has transferred some of their Personal Allowance to their spouse or civil partner |\n\n| NT | No tax is deducted | Very specific cases, for example musicians who are regarded as self-employed and not subject to PAYE |\n\n| S | From income in the Scottish tax bands | For an employee whose main home is in Scotland |\n\n| S0T | From all income - there is no Personal Allowance | When an employee whose main home is in Scotland hasn\u2019t given you a P45 or enough details to work out their tax code, or when their Personal Allowance has been used up |\n\n| SBR | From all income at the basic rate in Scotland | For a second job or pension |\n\n| SD0 | From all income at the intermediate rate in Scotland | For a second job or pension |\n\n| SD1 | From all income at the higher rate in Scotland | For a second job or pension |\n\n| SD2 | From all income at the top rate in Scotland | For a second job or pension |\n\n| T | At basic, higher and additional rates depending on the amount of taxable income | When HMRC needs to review some items with the employee |\n\n## If your employee\u2019s tax code has \u2018W1\u2019 or \u2018M1\u2019 at the end\n\nW1 (week 1) and M1 (month 1) are emergency tax codes and appear at the end of an employee\u2019s tax code, for example \u2018577L W1\u2019 or \u2018577L M1\u2019. Calculate your employee\u2019s tax only on what they are paid in the current pay period, not the whole year.\n\n## Tax codes with the letter \u2018K\u2019\n\nThe letter K is used in an employee\u2019s tax code when deductions due for company benefits, state pension or tax owed from previous years are greater than their Personal Allowance.\n\nMultiply the number in their tax code by 10 to show how much should be added to their taxable income before deductions are calculated.\n\nThe tax deduction for each pay period can\u2019t be more than half an employee\u2019s pre-tax pay or pension.\n\n## Changes during the tax year\n\nUsually someone\u2019s tax code changes if their tax-free income (Personal Allowance) goes up or down, for example they start or stop receiving a taxable benefit like a company car.\n\n- HM Revenue and Customs (HMRC) will send you an email alert if one of your employees\u2019 tax codes changes.\n\n- Access the new tax code in PAYE Online (in \u2018tax code notices\u2019), the PAYE Desktop Viewer application, or in your payroll software (if it has this feature). Check if your employee\u2019s previous pay and tax are included with the new tax code. If they are, note these figures.\n\n- As soon as possible, and before you next pay your employee, update their payroll record with their new tax code. Add their previous pay and tax, if you received these figures with the new tax code.\n\nA tax code notice is sometimes called a P6 form.\n\nIf you receive an employee\u2019s new tax code too late to use in the tax year, you should use it in the new tax year.\n\n## Updating for the new tax year\n\nHM Revenue and Customs (HMRC) will tell you between January and March about any new tax codes to use for employees in the new tax year. This starts on 6 April.\n\nIf an employee\u2019s tax code isn\u2019t changing, HMRC won\u2019t contact you and you should carry forward the employee\u2019s tax code to the new tax year.\n\nIf your employee\u2019s tax code ends with \u2018M1\u2019 or \u2018W1\u2019 (\u2018month 1\u2019 or \u2018week 1\u2019), don\u2019t carry this part of the code into the new tax year.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/employee-tax-codes", + "answerable": true, + "scenario": "I have just been appointed finance director for a consulting firm based in the City of London, and my duties will of course include our supervising our payroll. After the disruption caused to HMRC by the pandemic, I am concerned that I may not receive my employees' new tax codes for the next financial year in time. All of the affected employees appear to have codes ending in 'M1'.", + "original_question": "If I don't receive notification of new employee tax codes from HMRC by the end of March, is it OK to carry forward the existing codes into the next financial year?" + }, + { + "id": "train-2228", + "question": "Scenario: I have a business, and am still owed \u00a317,000 by a limited company in the UK for a machine which I supplied to them over 8 years ago. They have recently gone into administration due to lack of funds and have stated that they will not be paying me.\n\nQuestion: If I issue a statutory demand for payment will it assist my case in receiving some of the money owed to me?\n\nDocument - Make and serve a statutory demand, or challenge one:\n## When you can make a statutory demand\n\nYou can make a statutory demand to ask for payment of a debt from an individual or company.\n\nAnyone who\u2019s owed money (the \u2018creditor\u2019) can make a statutory demand. You do not need a lawyer.\n\nIf the debt\u2019s over 6 years old, you cannot usually make a statutory demand. You can get legal advice instead.\n\nThere may be faster ways of getting smaller debts paid than making a statutory demand.\n\nWhen the individual or company that owes you money (the \u2018debtor\u2019) receives a statutory demand, they have 21 days to either:\n\n- pay the debt\n\n- reach an agreement to pay\n\nYou can apply to bankrupt your debtor or close (\u2018wind up\u2019) their company if they do not respond to the statutory demand within 21 days.\n\n## Statutory demand forms\n\nChoose the form you need, fill it in and deliver (\u2018serve\u2019) it to the individual or company that owes you money.\n\nYou do not need to send a separate letter.\n\n## Serve a demand on an individual (including partners in a partnership)\n\nWhich form you need depends on whether you\u2019re collecting a debt that\u2019s:\n\n- payable now\n\n- payable now following a judgment or court order\n\n- payable in the future, if you think they will not be able to pay the debt when they need to\n\nIf you\u2019re serving a demand on a business partnership, you need to download and fill in a form for each partner.\n\n## Serve a demand on a limited company\n\nUse statutory demand form SD 1.\n\n## If you\u2019re in Scotland\n\nYou must use a different form to make a statutory demand in Scotland.\n\n## How to serve a statutory demand\n\nYou must deliver (\u2018serve\u2019) the statutory demand form by:\n\n- giving it to the individual who owes you money (you should try all their known addresses)\n\n- leaving it at the registered office of the company or partnership that owes money (or the main place of business if they do not have a registered office)\n\n- giving it to the company\u2019s director, company secretary, manager or principal officer\n\n- get a \u2018process server\u2019 to serve it for you (a solicitor can arrange this)\n\nYou can only send it by registered post or put it through a letterbox if it cannot be delivered in person.\n\n## Records you must keep\n\nYou must keep a copy of the statutory demand and anything that confirms:\n\n- the time and date you served the statutory demand, for example a postage receipt or confirmation from your process server\n\n- the debtor has received the statutory demand\n\nYou\u2019ll need this information if your demand is ignored.\n\n## If your demand is ignored\n\nIf your debtor does not pay the debt or agree to your statutory demand within 21 days, you can:\n\n- start bankruptcy proceedings against any individuals who owe you \u00a35,000 or more\n\n- wind up a company that owes you \u00a3750 or more\n\nYou have 4 months to apply to bankrupt or wind up your debtor. If you\u2019re late, explain why to the court named on the statutory demand.\n\n## Serve a statutory demand abroad\n\nGet legal help if you want to serve a statutory demand in another country.\n\nYou need to serve a statutory demand according to local laws but also according to the UK rules.\n\n## Challenge a statutory demand\n\nIf you do not agree with a statutory demand you\u2019ve been given, you can apply to challenge it and get it \u2018set aside\u2019.\n\nYou can be made bankrupt or your company wound up if you ignore a statutory demand.\n\nYou must apply to the court named on your statutory demand. Contact a solicitor or your nearest county court if you\u2019re not sure where to send your application.\n\nYou cannot challenge a statutory demand if it was served on a company. You can apply to stop your creditors from winding up your company instead.\n\nAny bankruptcy petitions the creditor has already filed against you will usually be suspended until the court reaches a decision.\n\nThe court will not usually set aside a statutory demand if it was served on you following the judgment of another court unless, for example:\n\n- you think the creditor owes you the same amount as your debt, or more\n\n- the amount on the statutory demand is secured\n\n## Deadlines\n\nYou must apply to challenge the statutory demand within either:\n\n- 18 days if you were in the UK when you got the statutory demand\n\n- 21 to 34 days if you were in another country when you got the statutory demand - check the table of countries for specific deadlines\n\nIf the deadline is during a weekend or on a bank holiday, you have until the next day the court is open to apply.\n\nYou might be able to get an extension in some circumstances - contact the court to find out what these are.\n\n## How to apply\n\nDownload and fill in form IAA.\n\nMake 3 copies of the completed form and either post them to the court named on your statutory demand or give them to the court in person.\n\n## What happens next\n\nYou\u2019ll usually hear back from the court within 10 working days of applying.\n\nIf the court does not agree with your application, it can give the creditor permission to issue a bankruptcy petition against you.\n\nIf the court agrees with your application, your case will be passed on to a bankruptcy registrar. They\u2019ll look at your case and arrange a hearing.\n\n## What happens at the hearing\n\nBoth sides will present their case to a registrar or judge. They\u2019ll either make a decision then, or ask you and the other party to give more evidence at another hearing.\n\nYou\u2019ll usually get a decision at the end of the final hearing.\n\nIf you win your case, you\u2019ll get an order from the court setting aside the statutory demand. The deadline for paying the debt will be suspended.\n\nIf you lose, you\u2019ll have to pay back your debt within the 21 day time limit. The creditor can apply to bankrupt you if you do not pay in time and your debt is \u00a35,000 or more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## Contact the Insolvency Service\n\nUse the contact form to contact the Insolvency Service about delivering and challenging a statutory demand.\n\nYou cannot currently contact the Insolvency Service by telephone because of coronavirus (COVID-19).", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/statutory-demands", + "answerable": true, + "scenario": "I have a business, and am still owed \u00a317,000 by a limited company in the UK for a machine which I supplied to them over 8 years ago. They have recently gone into administration due to lack of funds and have stated that they will not be paying me.", + "original_question": "If I issue a statutory demand for payment will it assist my case in receiving some of the money owed to me?" + }, + { + "id": "train-2229", + "question": "Scenario: My Uncle appointed me as his deputy to run his businesses this is after he suffered an heart attack which left him mentally ill and paralysed. I have been running the business to his satisfaction.\n\nQuestion: Will my power as his deputy be valid after he dies, providing that no one manages to get a court order overturning it?\n\nDocument - Deputies: make decisions for someone who lacks capacity:\n## Overview\n\nYou can apply to become someone\u2019s deputy if they \u2018lack mental capacity\u2019. This means they cannot make a decision for themselves at the time it needs to be made. They may still be able to make decisions for themselves at certain times.\n\nPeople may lack mental capacity because, for example:\n\n- they\u2019ve had a serious brain injury or illness\n\n- they have dementia\n\n- they have severe learning disabilities\n\nAs a deputy, you\u2019ll be authorised by the Court of Protection to make decisions on their behalf.\n\n## Types of deputy\n\nThere are 2 types of deputy.\n\n## Property and financial affairs deputy\n\nYou\u2019ll do things like pay the person\u2019s bills or organise their pension.\n\n## Personal welfare deputy\n\nYou\u2019ll make decisions about medical treatment and how someone is looked after.\n\nYou cannot become someone\u2019s personal welfare deputy if they\u2019re under 16. Get legal advice if you think the court needs to make a decision about their care.\n\nThe court will usually only appoint a personal welfare deputy if:\n\n- there\u2019s doubt whether decisions will be made in someone\u2019s best interests, for example because the family disagree about care\n\n- someone needs to be appointed to make decisions about a specific issue over time, for example where someone will live\n\nRead the full guidance about when you need to make a personal welfare application.\n\n## Becoming a deputy\n\nYou can apply to be just one type of deputy or both. If you\u2019re appointed, you\u2019ll get a court order saying what you can and cannot do.\n\nWhen you become a deputy, you must send an annual report to the Office of the Public Guardian (OPG) each year explaining the decisions you\u2019ve made.\n\n## How to apply\n\nCheck you meet the requirements to be a deputy.\n\nSend the application forms to the Court of Protection and pay the application fee.\n\nYou do not need to be a deputy if you\u2019re just looking after someone\u2019s benefits. Apply to become an appointee instead.\n\n## Checks on your application\n\nThe Court of Protection will check:\n\n- whether the person needs a deputy or some other kind of help\n\n- there are no objections to your appointment\n\nIf you\u2019re appointed, the Office of the Public Guardian will help you carry out your responsibilities.\n\nYou\u2019ll continue to be a deputy until your court order is changed, cancelled or expires.\n\n## Other ways to make decisions for someone\n\nIf you want to make a single important decision, you can apply to the Court of Protection for a one-off order.\n\nIf the person already has a lasting power of attorney (LPA) or enduring power of attorney (EPA), they do not usually need a deputy. Check if they have an LPA or EPA before you apply.\n\n## Who can apply to be a deputy\n\nYou can apply to be a deputy if you\u2019re 18 or over. Deputies are usually close relatives or friends of the person who needs help making decisions.\n\nIf you want to become a property and affairs deputy, you need to have the skills to make financial decisions for someone else.\n\nThe court can appoint 2 or more deputies for the same person.\n\n## When there\u2019s more than one deputy\n\nWhen you apply, tell the court how you\u2019ll make decisions if you\u2019re not the only deputy. It will be either:\n\n- together (\u2018joint deputyship\u2019), which means all the deputies have to agree on the decision\n\n- separately or together (\u2018jointly and severally\u2019), which means deputies can make decisions on their own or with other deputies\n\n## Other types of deputy\n\nSome people are paid to act as deputies, for example accountants, solicitors or representatives of the local authority.\n\nThe Court of Protection can appoint a specialist deputy (called a \u2018panel deputy\u2019) from a list of approved law firms and charities if no one else is available.\n\n## Responsibilities\n\nAs a deputy, you\u2019re responsible for helping someone make decisions or making decisions on their behalf.\n\nYou must consider someone\u2019s level of mental capacity every time you make a decision for them - you cannot assume it\u2019s the same at all times and for all kinds of things.\n\nYou\u2019ll get a court order from the Court of Protection which says what you can and cannot do. There are also general rules and examples in the Mental Capacity Act 2005 Code of Practice.\n\n## Guidance for all deputies\n\nWhen you\u2019re making a decision, you must:\n\n- make sure it\u2019s in the other person\u2019s best interests\n\n- consider what they\u2019ve done in the past\n\n- apply a high standard of care - this might mean involving other people, for example getting advice from relatives and professionals like doctors\n\n- do everything you can to help the other person understand the decision, for example explain what\u2019s going to happen with the help of pictures or sign language\n\n- add the decisions to your annual report\n\nYou must not:\n\n- restrain the person, unless it\u2019s to stop them coming to harm\n\n- stop life-sustaining medical treatment\n\n- take advantage of the person\u2019s situation, for example abuse them or profit from a decision you\u2019ve taken on their behalf\n\n- make a will for the person, or change their existing will\n\n- make gifts unless the court order says you can\n\n- hold any money or property in your own name on the person\u2019s behalf\n\n## Property and affairs deputies\n\nYou must make sure:\n\n- your own property and money is separate from the other person\u2019s\n\n- you keep records of the finances you manage on their behalf in your annual report\n\nYou may need to manage a Court Funds Office account on the other person\u2019s behalf.\n\nYou could be fined or sent to prison for up to 5 years (or both) if you mistreat or neglect the person on purpose.\n\n## Apply to be a deputy\n\nYou need to download and fill in all of the following:\n\n- an application form (COP1) - you\u2019ll need to send the original form plus a copy when you apply\n\n- an assessment of capacity form (COP3)\n\n- a deputy\u2019s declaration (COP4)\n\nYou also need to download and fill in:\n\n- a supporting information form (COP1A) if you\u2019re applying to be a property and affairs deputy\n\n- a supporting information form (COP1B) if you\u2019re applying to be a personal welfare deputy\n\nYou must name at least 3 people in your application who know the person you\u2019re applying to be deputy for. For example, their relatives, a social worker or doctor.\n\nThe court may not accept your application if you do not send the \u2018assessment of capacity\u2019 (COP3) form.\n\nIf you cannot get an assessment, you must download and fill in a witness statement (COP24) to explain why you think the person you\u2019re applying about lacks capacity.\n\nYou should keep a copy of every form you fill in.\n\n## Where to send your forms\n\nSend the forms, including 2 copies of the application form (COP1), to the Court of Protection with a cheque for the application fee.\n\n## Tell people named in your application\n\nThe court will aim to send you a stamped copy of your application within a week of receiving it. This means your application is being considered (it has been \u2018issued\u2019). You\u2019ll be sent a letter explaining what to do next.\n\nWithin 14 days of the application being issued, you must tell (sometimes called \u2018serving\u2019) the following people:\n\n- the person you\u2019re applying to be a deputy for\n\n- at least 3 people named in your application as having an interest, for example the person\u2019s relatives, social worker or doctor\n\nIf you cannot tell 3 people you should send in a witness statement (COP24).\n\n## Tell the person you\u2019re applying to be a deputy for\n\nYou or your representative must visit the person and tell them:\n\n- who\u2019s applying to be their deputy\n\n- that their ability to make decisions is being questioned\n\n- what having a deputy would mean for them\n\n- where to get advice if they want to discuss the application\n\nDuring the visit give them:\n\n- a completed proceedings notification form (COP14) - use the guidance notes to fill this in yourself\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\n## Tell people connected to your application\n\nYou must tell 3 people named on your application that it has been issued.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) - they\u2019ll need to complete this if they want to give their opinion on the application or provide evidence for or against it\n\n- any other documents related to your application\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax or email\n\n- in person\n\n## Confirming that you\u2019ve told people (\u2018served notice\u2019)\n\nWithin 7 days of serving the documents, you must download and fill in the relevant forms (sometimes called \u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the person you\u2019re applying to be deputy for (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## Fees\n\nYou must pay:\n\n- a fee to apply to be a deputy\n\n- a supervision fee every year after you\u2019ve been appointed\n\nYou may also have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy.\n\n## When you apply\n\nYou must pay a \u00a3365 application fee. Send this with your application form.\n\nYou need to pay the application fee twice if you\u2019re applying to become both types of deputy.\n\nYou\u2019ll also need to pay \u00a3485 if the court decides your case needs a hearing. The court will tell you when you need to pay this.\n\nMake all cheques payable to \u2018HM Courts and Tribunals Service\u2019.\n\n## Security bonds for property and affairs deputies\n\nYou may have to pay to set up a \u2018security bond\u2019 before you can be appointed as a property and affairs deputy. This is a type of insurance that protects the finances of the person you\u2019re a deputy for.\n\nYou do not have to set up a bond if either:\n\n- you\u2019re representing a local authority\n\n- the court decides it\u2019s not necessary, for example if the person\u2019s estate has a low value\n\nIf you need to set one up, you\u2019ll get a letter from the court telling you this. The letter will explain what to do next.\n\nYou set up the bond with a security bond provider. The amount you pay depends on:\n\n- the value of the estate of the person you\u2019re a deputy for\n\n- how much of their estate you control\n\nYou can pay it either:\n\n- using the person\u2019s money\n\n- yourself - you can get the money back from the person\u2019s estate once you have access to it\n\nYou may be prosecuted if you misuse the person\u2019s money.\n\n## After you\u2019ve been appointed\n\nYou must pay an annual supervision fee depending on what level of supervision your deputyship needs. You\u2019ll pay:\n\n- \u00a3320 for general supervision\n\n- \u00a335 for minimal supervision - this applies to some property and affairs deputies managing less than \u00a321,000\n\nYour annual supervision fee is due on 31 March for the previous year.\n\nYou\u2019ll also need to pay a \u00a3100 assessment fee if you\u2019re a new deputy.\n\nThe Office of the Public Guardian will tell you how and when to pay your assessment and supervision fees.\n\nYou may be able to claim a refund of your fees in certain situations.\n\n## Getting help with your application fee\n\nYou may not have to pay an application fee depending on:\n\n- what type of deputy you\u2019re applying to be\n\n- how much money you or the person you\u2019re applying to be deputy for has\n\n| Type of deputy | Whose finances will be assessed |\n\n| Property and financial affairs | Theirs |\n\n| Personal welfare | Yours |\n\nThe guidance has information about getting help with your fees.\n\nYou can claim back the fee from the funds of the person you want to be a deputy for if you\u2019re applying to be a property and affairs deputy.\n\nThe fee will be refunded if the person dies within 5 days of the Court of Protection receiving the application.\n\n## Getting help with your supervision fees\n\nYou can apply for an exemption or reduction of the fee if the person you\u2019re a deputy for gets certain benefits or has an income below \u00a312,000. Read the guidance that comes with the form and apply if the person meets the requirements. The address is on the form.\n\nIf the person you\u2019re deputy for dies, you pay the supervision fee for the part of the year when you acted as deputy. For example, you\u2019ll have to pay \u00a317.50 if your minimal supervision deputyship comes to an end after 6 months.\n\n## After you've applied\n\nThere\u2019s a 14-day wait after you tell the other people involved that you applied, in case they object.\n\nThe Court of Protection will then review your application and tell you if:\n\n- your application\u2019s been approved or rejected\n\n- you need to set up a security bond before you can be appointed\n\n- you have to provide more information to support your application, for example a report from social services\n\n- it\u2019s going to hold a hearing to get more information, for example if someone objected\n\nThere\u2019s usually no hearing if you applied to be a property and financial affairs deputy.\n\nRead guidance on how coronavirus (COVID-19) might affect your hearing and what you should bring.\n\n## Tell the person you want to be a deputy for about the hearing\n\nYou\u2019ll get a notice with the date of the hearing if the court decides to hold one. You must visit the person you want to be deputy for and tell them about it:\n\n- within 14 days of getting the notice\n\n- at least 14 days before the date of the hearing\n\nGive them a completed notice about proceedings (COP14). Use the guidance notes to fill it in.\n\nYou must explain that they can contact Court of Protection staff for advice and assistance.\n\nWhen you\u2019ve told them, send a certificate of service (COP20A) to the Court of Protection within 7 days.\n\nYou\u2019ll have to pay a fee if the court makes a final decision at the hearing.\n\nThe guidance explains what to expect from a Court of Protection hearing.\n\n## When you're appointed\n\nYou\u2019ll be sent a \u2018court order\u2019 telling you what you can and cannot do as a deputy. When you have this, you can start acting on the person\u2019s behalf.\n\nYou\u2019ll be sent the court order:\n\n- as soon as you\u2019re appointed - if you\u2019re a personal welfare deputy\n\n- after you set up a security bond - if you\u2019re a property and affairs deputy and have been asked to do this by the court\n\nYou\u2019ll need a separate court order before you can:\n\n- sell a property that\u2019s jointly owned if you\u2019re a property and affairs deputy\n\n- make a one-off decision on anything else that\u2019s not covered by the court order\n\nCheck the court order. If there are any mistakes, download and fill in form COP9 with the details and send it to the court within 21 days of receiving the court order. There is no fee.\n\n## Tell people and organisations you\u2019re a deputy\n\nYou\u2019ll get official copies of the court order to send to banks and building societies, for example. These prove you\u2019re acting on behalf of the other person. When you send out an official copy, ask for it to be returned.\n\nOrder extra copies of the court order by writing to the Court of Protection. They cost \u00a35 each.\n\n## Start managing a bank account\n\nBefore you can manage an account, you must show the bank:\n\n- the original court order, or an official copy of it\n\n- proof of your name, for example your passport or driving licence\n\n- proof of your address, for example a gas, electricity or council tax bill, or letter from a government department\n\n- proof of the name or address of the person you\u2019re applying to be deputy for - if they\u2019re not the same as on the bank account\n\n## Court Funds Office accounts\n\nIf the person you\u2019re deputy for has money in a Court Funds Office account, you\u2019ll be sent information about how to access it.\n\nYou can also apply to open an account with the Court Funds Office if you\u2019re a property and affairs deputy and it\u2019s in the person\u2019s best interests.\n\n## Record your decisions and transactions\n\nYou can start your annual report to record your decisions and transactions, such as paying bills.\n\n## Supervision, support and visits\n\nAs a deputy, you\u2019ll be supervised by the Office of the Public Guardian (OPG). They\u2019re authorised to contact you or visit you to check you\u2019re being an effective deputy. They can also give you advice and support.\n\n## How you\u2019ll be supervised\n\nNew deputies get a \u2018general\u2019 level of supervision for their first year.\n\nAfter that, if you\u2019re a property and affairs deputy you\u2019ll move to \u2018minimal\u2019 supervision if both:\n\n- you\u2019re managing less than \u00a321,000\n\n- you no longer need a general level of supervision\n\nYou\u2019ll pay a lower fee and have to write a shorter annual report than deputies with general supervision.\n\n## Supervision visits\n\nYou may be visited by a Court of Protection visitor to check if you:\n\n- understand your duties\n\n- have the right level of support from OPG\n\n- are carrying out your duties properly\n\n- are being investigated because of a complaint\n\nThe visitor will call you to arrange the visit and explain why they\u2019re visiting.\n\n## Contact OPG\n\nTell OPG if you\u2019re planning to make an important decision, for example you want to sell the property of the person you\u2019re deputy for so they can move into a care home.\n\n## Accounts, gifts and expenses\n\nYou must keep accounts and follow the rules for gifts and expenses if you\u2019re acting as deputy for someone else. You must also record the transactions in your annual report.\n\n## Accounts\n\nAs a property and affairs deputy, you must keep copies of:\n\n- bank statements\n\n- contracts for services or tradespeople\n\n- receipts\n\n- letters and emails about your activities as a deputy\n\n## Gifts\n\nYour court order will say if you can buy gifts or give gifts of money on behalf of the other person, including donations to charities. It will also say if there\u2019s an annual limit on how much money you can use for gifts.\n\nGifts must be reasonable. You need to make sure any gifts do not reduce the level of care the person you\u2019re deputy for can afford.\n\nYou must apply to the Court of Protection if you want to make a one-off large gift for Inheritance Tax purposes, for example.\n\n## Expenses\n\nYou can claim expenses for things you must do to carry out your role as deputy, for example phone calls, postage and travel costs. You cannot claim:\n\n- travel costs for social visits\n\n- for the time spent carrying out your duties (unless you\u2019re a professional deputy, for example a solicitor)\n\nYou may be asked to give a detailed report of what you spent. You\u2019ll have to pay the money back if the Office of the Public Guardian finds your expenses are unreasonable. They may ask the court to stop you being a deputy if they think you\u2019ve been dishonest.\n\n## Complete your deputy report\n\nYou must write a report each year explaining the decisions you\u2019ve made as a deputy. You might be asked to do this more often if the Office of the Public Guardian (OPG) needs additional information.\n\nYou may also need to write a final report if you stop being a deputy.\n\nIf you\u2019re a public authority or professional deputy using the service for the first time, you need to contact your case manager to register first. If you\u2019re a deputy for a friend or family member, you can create an account online.\n\nStart now\n\nOr you can download and fill in a paper annual report form. The address you need to send it to is on the form.\n\n## What to include\n\nYour report must include:\n\n- the reasons for your decisions and why they were in the best interests of the person you\u2019re deputy for\n\n- who you spoke to and why what they said was in the person\u2019s best interests\n\n- the finances of the person if you\u2019re their property and financial deputy\n\nThe OPG will tell you when it\u2019s time to send it.\n\nIf you do not send the report the OPG might:\n\n- increase your level of supervision\n\n- ask the court to replace you with a different deputy\n\n## Change your deputyship or make a one-off decision\n\nYou must apply to the Court of Protection if you have to:\n\n- renew your deputyship\n\n- change your deputyship, for example make decisions that are not in the original order\n\n- make a one-off decision on something not covered by your court order\n\n## How to apply\n\nDownload and fill in both:\n\n- an application form (COP 1)\n\n- a witness statement form (COP24) with a copy of the current order appointing you as a deputy attached\n\nYour witness statement should include:\n\n- the total annual income of the person you\u2019re a deputy for including pensions\n\n- a summary of their assets, for example bank balances, savings, investments\n\n- details of property they own\n\n- the annual cost of their care and other regular items of major expenditure\n\n- the value of the security bond set by the court\n\n- a description of the circumstances that have led to the application being made\n\nSend the Court of Protection:\n\n- the completed forms\n\n- a cheque for the application fee - \u00a3365 - payable to \u2018HM Courts and Tribunals Service\u2019\n\nYou can apply for help paying the fee if you\u2019re getting certain benefits or on a low income.\n\nIf you need help with changing your deputyship, call the Court of Protection.\n\n## What happens next\n\nYou may have to notify other people about the change to the court order if the court tells you to.\n\nThey can object or ask the court to reconsider any proposed changes they do not agree with. They can do this:\n\n- before the court order is issued\n\n- up to 21 days after the court order is issued\n\n## End your deputyship\n\nIf you no longer want or need to be a deputy, download and fill in the application notice (COP1) and send it to the Court of Protection.\n\nIf the person has recovered mental capacity, download and fill in form COP 9. Send it to the Court of Protection with any supporting evidence, for example a doctor\u2019s letter.\n\nYou cannot stop being a deputy until you\u2019ve got the relevant court order.\n\n## If the person you\u2019re deputy for dies\n\nContact the Office of the Public Guardian (OPG) and the Court of Protection to tell them that the person has died.\n\nYou\u2019ll also have to send evidence to OPG that the person has died, for example a death certificate. Check the full list of evidence that OPG accepts.\n\nYour security bond will remain in force for 2 years after the death of the person you\u2019re a deputy for unless there\u2019s a court order cancelling it.\n\nContact the Court Funds Office if the person you were deputy for had an account with them.\n\nRead more about how to be a deputy.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/become-deputy", + "answerable": true, + "scenario": "My Uncle appointed me as his deputy to run his businesses this is after he suffered an heart attack which left him mentally ill and paralysed. I have been running the business to his satisfaction.", + "original_question": "Will my power as his deputy be valid after he dies, providing that no one manages to get a court order overturning it?" + }, + { + "id": "train-2231", + "question": "Scenario: I own a property in the countryside and I have been abroad for over a year. Upon my return I found out that it had been occupied by squatters without my permission. I want them to leave my property, and to pay for the damage that they have caused while occupying it.\n\nQuestion: Can i apply for an interim possession order?\n\nDocument - Squatting and the law:\n## Overview\n\nSquatting is when someone deliberately enters property without permission and lives there, or intends to live there. This is sometimes known as \u2018adverse possession\u2019.\n\nSquatting in residential buildings (like a house or flat) is illegal. It can lead to 6 months in prison, a \u00a35,000 fine or both.\n\nAnyone who originally enters a property with the permission of the landlord is not a squatter. For example, if you\u2019re renting a property and fall behind with rent payments you\u2019re not squatting if you continue to live there.\n\nAlthough squatting in non-residential building or land is not in itself a crime, it\u2019s a crime to damage the property.\n\nIt\u2019s usually a crime not to leave land or property when you\u2019re instructed to do so by:\n\n- the owner\n\n- the police\n\n- the council\n\n- a repossession order\n\n## Squatting in non-residential properties\n\nA non-residential property is any building or land that is not designed to be lived in.\n\nSimply being on another person\u2019s non-residential property without their permission is not usually a crime. The police can take action if squatters commit other crimes when entering or staying in a property.\n\nCrimes include:\n\n- causing damage when entering the property\n\n- causing damage while in the property\n\n- not leaving when they\u2019re told to by a court\n\n- stealing from the property\n\n- using utilities like electricity or gas without permission\n\n- fly-tipping\n\n- not obeying a noise abatement notice\n\nContact the police if you see someone breaking into or damaging property.\n\n## Squatters' rights to property\n\nA long-term squatter can become the registered owner of property or land they\u2019ve occupied without the owner\u2019s permission.\n\nGet legal advice from a conveyancer or solicitor if you\u2019re a squatter in a property and want to claim ownership.\n\n## Who can apply\n\nYou can apply if you can prove:\n\n- you, or a succession of squatters, have occupied the property continuously for 10 years (12 years if it\u2019s not registered with HM Land Registry)\n\n- you (or your predecessors) acted as owners of the property for the whole of that time\n\n- you (or any of your predecessors) did not have the owner\u2019s permission, for example the property was not originally rented to a squatter\n\n## If the property\u2019s registered\n\nFill in a form for adverse possession.\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nSend your form and statement to the HM Land Registry Citizen Centre.\n\nHM Land Registry will decide if your application is valid and will let the property owner know. The owner has 65 days to object - your application will usually be automatically rejected if they do.\n\nYou\u2019ll be registered as the owner of the property if there\u2019s no objection.\n\nYou can apply again after 2 years if:\n\n- the owner has not tried to remove you\n\n- the property has not been reclaimed\n\n- you\u2019re still in possession of the property\n\nHM Land Registry will usually then register you as the owner.\n\n## If the property\u2019s unregistered\n\nComplete and sign a written \u2018statement of truth\u2019, or get a solicitor to prepare this for you.\n\nApply for first registration - include your statement with your application.\n\nHM Land Registry will:\n\n- inspect the property - you must pay a fee for this\n\n- decide if your application is valid\n\n- let the property owner know, if they have their details\n\nYou can try to come to an agreement with the owners if they object. HM Land Registry will arrange a tribunal to decide who owns the property if you cannot agree or do not want to.\n\nYou may have to pay the costs of the owner, such as their reasonable legal fees, no matter what the outcome.\n\n## Stop squatters legally possessing property\n\nHM Land Registry will tell you if squatters apply for legal ownership of your property if it\u2019s registered - you must take action if you want to keep it.\n\nGet legal advice from a conveyancer or solicitor if squatters try to claim your property.\n\nHow you block an application depends on whether your property is registered with HM Land Registry or not.\n\n## Registered properties\n\nYou\u2019ve 65 days to object to an application - HM Land Registry will tell you what you need to do.\n\nHM Land Registry will reject the squatters\u2019 application if you\u2019ve got a valid objection.\n\nYou must take action to remove the squatters and reclaim your property once the squatters\u2019 claim is rejected.\n\nYou will not be able to object again if you\u2019ve done nothing within 2 years of the original application and the same squatters reapply.\n\n## Unregistered properties\n\nYou can object to a squatter\u2019s application. HM Land Registry will tell you what you need to do.\n\nHM Land Registry may not be able to contact you if your property is not registered.\n\nHM Land Registry will decide if your objection is valid - if it is they\u2019ll ask if you want to negotiate with the squatters, for example offer to sell them the property. You\u2019ll be given time to do so.\n\nA tribunal will decide who owns the property if you cannot agree - HM Land Registry will arrange this.\n\n## Remove squatters\n\nYou can remove squatters using an interim possession order (IPO) or making a claim for possession.\n\nDo not try to remove the squatters yourself using force or the threat of force - you\u2019re committing a crime if you do.\n\nGet legal advice from a solicitor if you need help making a claim for possession.\n\n## Interim possession orders\n\nYou can only apply for an IPO if it\u2019s been 28 days or less since you found out your property\u2019s been squatted.\n\nFill in an application for an IPO and send it to your local county court.\n\nThe court will send you confirmation of your IPO within a few days. They will also send you documents that you must give to the squatters within 48 hours.\n\nAfter being served with an IPO squatters can be sent to prison if they do not:\n\n- leave your property within 24 hours\n\n- stay away from your property for 12 months\n\nTo get final possession of the property, you must make a claim for possession. You can do this on your IPO application form or separately online.\n\n## Exceptions\n\nYou cannot use an IPO if:\n\n- you\u2019re also making a claim for damages caused by the squatters - instead you should make an ordinary claim for possession\n\n- you\u2019re trying to evict former tenants, sub-tenants or licensees\n\n## Claim for possession\n\nMake a claim for possession if it\u2019s been more than 28 days since you found out about the squatters.\n\n## Where to get help\n\nYou may be classed as homeless if you\u2019re squatting. Get advice from Shelter or Shelter in Wales.\n\nYou can also contact your council for help.\n\n## Report squatters\n\nCall the police if you:\n\n- find people squatting in a residential property you own\n\n- see someone breaking into anywhere\n\n- think someone is squatting", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/squatting-law", + "answerable": true, + "scenario": "I own a property in the countryside and I have been abroad for over a year. Upon my return I found out that it had been occupied by squatters without my permission. I want them to leave my property, and to pay for the damage that they have caused while occupying it.", + "original_question": "Can i apply for an interim possession order?" + }, + { + "id": "train-2236", + "question": "Scenario: I make homemade toffee and fudge to sell at a local market store. This is sold loose according to how much the customer wants. I use pounds to measure weight of my fudge.\n\nQuestion: Could I be in trouble if I sold the goods in imperial units?\n\nDocument - Weights and measures: the law:\n## Units of measurement\n\nYou must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.\n\nThere are different rules in Northern Ireland.\n\nThe only products you can sell in imperial measures are:\n\n- draught beer or cider by pint\n\n- milk in returnable containers by pint\n\n- precious metals by troy ounce\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Specified quantities\n\nSome goods must be sold in fixed sizes known as \u2018specified quantities\u2019.\n\n## Alcohol\n\nThere are different rules depending on whether you\u2019re selling by the glass or bottle.\n\n## By the glass\n\n| | Measures |\n\n| Still wine | 125ml, 175ml, multiples of 125ml and 175ml |\n\n| Port, sherry or other fortified wine | 50ml, 70ml, multiples of 50ml or 70ml |\n\n| Gin, rum, vodka and whisky | Either 25ml and multiples of 25ml, or 35ml and multiples of 35ml (not both on the same premises) |\n\n| Draught beer and cider | Third, half, two-thirds of a pint and multiples of half a pint |\n\nThere are no specified quantities for sparkling wine or yellow wine by the glass or spirits other than gin, rum, vodka and whisky.\n\n## Packaged in bottles, boxes or similar\n\n| | Volume by millilitre (ml) |\n\n| Still wine | 100, 187, 250, 375, 500, 750, 1000, 1500 |\n\n| Yellow wine | 620 |\n\n| Sparkling wine | 125, 200, 375, 750, 1500 |\n\n| Fortified wine | 100, 200, 375, 500, 750, 1000, 1500 |\n\n| Spirit drinks | 100, 200, 350, 500, 700, 1000, 1500, 1750, 2000 |\n\nYou can sell packaged alcohol in any volume if it\u2019s below the minimum or above the maximum allowed for specified quantities.\n\n| | Minimum (ml) | Maximum (ml) |\n\n| Still wine | 100 | 1500 |\n\n| Yellow wine | 100 | 1500 |\n\n| Sparkling wine | 125 | 1500 |\n\n| Fortified wine | 100 | 1500 |\n\n| Spirit drinks | 100 | 2000 |\n\nThere are no specified quantities for packaged beer or cider.\n\n## Solid fuel\n\nYou can sell sealed bags of solid fuel in any size you wish but if you\u2019re selling it loose, you can only sell it in quantities of:\n\n- 25kg\n\n- 50kg\n\n- multiples of 50kg\n\n## Packaged goods\n\nPackaged goods are products that are all of these:\n\n- sold sealed\n\n- between 5g and 25kg or 5ml and 25 litres\n\n- the same weight or volume as other products of the same type\n\nThere are 2 ways to pack your products.\n\n## Minimum system\n\nYou can pack your products so that they contain at least the quantity displayed on the label. The packages can contain more than the label says, but not less.\n\n## Average system\n\nYou can pack your products to an average measurement that is on the label. You must check your packages to make sure a random sample is packed to meet all these rules - known as the \u2018three packers\u2019 rules\u2019:\n\n- the contents of the packages must not be less, on average, than the weight on the label\n\n- only a small number can fall below a certain margin of error, known as the \u2018tolerable negative error\u2019 (TNE)\n\n- no package can be underweight by more than twice the TNE\n\n| Quantity in grams and millilitres | TNE as % of quantity | TNE in grams or millilitres |\n\n| 5 to 50 | 9 | n/a |\n\n| 50 to 100 | n/a | 4.5 |\n\n| 100 to 200 | 4.5 | n/a |\n\n| 200 to 300 | n/a | 9 |\n\n| 300 to 500 | 3 | n/a |\n\n| 500 to 1,000 | n/a | 15 |\n\n| 1,000 to 10,000 | 1.5 | n/a |\n\n| 10,000 to 15,000 | n/a | 150 |\n\n| more than 15,000 | 1 | n/a |\n\nIf you\u2019re calculating the TNE as a percentage of the quantity, you must round up the weight or volume to the nearest 0.10 of a gram or millilitre.\n\nContact your local Trading Standards office for help with packing to the average system.\n\nRead the \u2018Weights and Measures (Packaged Goods) 2006\u2019 guidance for business for more information.\n\nYou must make sure packaged goods you\u2019re producing or importing are packed and labelled correctly.\n\nYou can be fined or sent to prison if you break the rules.\n\n## Equipment and records\n\n## Equipment for packaged goods\n\nThe equipment you use to weigh or measure your packaged goods has to be suitable. There are no hard and fast rules about what equipment you should use but you cannot use domestic scales to weigh goods you intend to sell.\n\nYour local Trading Standards office will tell you what is suitable equipment for your business sector.\n\nTrading Standards will check the weights and measures of your goods on your production line to make sure the equipment is accurate.\n\n## Records\n\nYou must keep records if you pack your products using the average system. You must record the results of your sample batches and show that they meet the \u2018three packers\u2019 rules.\n\nYou do not have to keep records if you measure every package or you use the minimum system to pack your products.\n\nYou must keep your records for at least one year from either the date you ship the packages or the \u2018use by\u2019 date on the package - whichever is shorter.\n\nYour local Trading Standards office can advise you about how to keep records.\n\n## Labelling packaged goods\n\nYou must put the weight or volume of your packaged goods on the label.\n\nThe quantity marking must be:\n\n- permanent\n\n- easy to see\n\n- meet a minimum height requirement\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Food\n\nRead the rules about what you must show on packaged food labels.\n\n## Exporting packaged goods\n\nYou must meet the rules for packaged goods in the country you\u2019re exporting to.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "answerable": true, + "scenario": "I make homemade toffee and fudge to sell at a local market store. This is sold loose according to how much the customer wants. I use pounds to measure weight of my fudge.", + "original_question": "Could I be in trouble if I sold the goods in imperial units?" + }, + { + "id": "train-2237", + "question": "Scenario: I run a door lock repair business. Due to the pandemic, there was not much work and borrowed some money from a small money lending firm and could not repay it and they have filed a court claim. The claimant has not accepted my offer of instalment payments.\n\nQuestion: I am prepared to pay the money in instalments. Will the court accept me paying in instalments ?\n\nDocument - Respond to a court claim for money:\n## How to respond\n\nYou\u2019ll get a letter or email if someone claims you owe them money. You must respond by the date on the email or letter you receive.\n\nYou can respond by:\n\n- paying the full amount\n\n- paying only what you think you owe\n\n- defending the claim (if you do not think you owe any money or you\u2019ve already paid)\n\nYou might have to pay more or get a county court judgment (CCJ) if you do not respond in time.\n\n## If you need more time to respond\n\nYou can ask for another 14 days to respond if you\u2019re defending the claim or paying only what you think you owe.\n\nDownload and fill in the acknowledgement of service form in the response pack.\n\nSend it to the court address on the claim form.\n\nThe process is different in Scotland.\n\n## Pay the full amount\n\nSend a cheque or postal order made payable to the person or business you owe money to (the \u2018claimant\u2019). Their name and address will be on the claim form.\n\nYou can also pay the claimant in person.\n\nKeep proof (for example, your bank records or a receipt from the claimant) to show you\u2019ve paid.\n\n## If you cannot afford to pay the full amount at once\n\nYou can offer to pay in instalments or by a certain date.\n\nDownload and fill in either:\n\n- form N9A if the claim is for a specified amount\n\n- form N9C if the claim is for an unspecified amount\n\nYou must say how you want to pay (a certain amount per month for example) and send the completed form to the address on the claim form.\n\nIf the claimant does not accept your offer, the court will decide how you pay.\n\nYou can be taken to court and you may have to pay extra costs if you do not keep up the payments.\n\n## If the claim is for an unspecified amount\n\nDownload and fill in admission form N9A. Either:\n\n- ask the court to decide how much you owe\n\n- offer to pay a certain amount\n\nYou might have to give more information at a hearing if you ask the court to decide or the claimant rejects your offer.\n\nThe court will tell you when and where the hearing will take place.\n\n## If you\u2019ve already paid\n\nYou must defend the claim if you\u2019ve already paid the claimant.\n\nYou might still have to pay court fees if you paid the claimant after they made the claim.\n\n## Pay some of the money\n\nIf you do not agree with the amount on the claim form, you can apply to the court to pay only what you think you owe.\n\nYou must send the court both:\n\n- an admission form to say how much you\u2019ll pay\n\n- a defence form to explain why you do not owe the full amount\n\nRespond online if the claim was made using Money Claim Online.\n\nOtherwise, which forms you fill in will depend on whether the claim is for a fixed (\u2018specified\u2019) or an unspecified amount.\n\n## The claim is for a specified amount\n\nDownload and fill in:\n\n- admission form N9A\n\n- defence form N9B\n\n## The claim is for an unspecified amount\n\nDownload and fill in:\n\n- admission form N9C\n\n- defence form N9D\n\n## If your offer is rejected\n\nThe court will decide how much you owe.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Defend the claim\n\nYou can defend the claim if either:\n\n- you do not think you owe the other person or business any money\n\n- you\u2019ve already paid them\n\nYou can also make a claim against them (\u2018counterclaim\u2019) if you think they owe you money. You might have to pay a court fee.\n\nDownload and fill in either:\n\n- form N9B if the claim is for a fixed (\u2018specified\u2019) amount\n\n- form N9D if the claim is for an unspecified amount\n\nYou can respond online if the claim was made using an online service.\n\nThe court will decide whether you owe any money, and how much.\n\nYou might have to give more information at a hearing. The court will tell you when and where the hearing will take place.\n\n## Going to a court hearing\n\nIf there\u2019s a hearing, you can:\n\n- represent yourself\n\n- pay for a barrister or solicitor to represent you\n\n- ask someone to advise you in court - they do not have to be a lawyer\n\n- ask someone to speak on your behalf - you might need to get the court\u2019s permission\n\nYour hearing can be held in the judge\u2019s room or a courtroom in a county court if the claim is for less than \u00a310,000. There might be a more formal hearing if the claim is for more.\n\nDo not go to court if you have coronavirus (COVID-19) symptoms or if you\u2019re self-isolating or in quarantine. Tell the court if you cannot attend.\n\n## After the hearing\n\nYou\u2019ll get a decision on the day of the hearing. The court will also send you a copy of the decision by post.\n\n## Appeal the decision\n\nYou can ask to appeal the decision if you think the judge made a mistake during the hearing. You must ask within 21 days of the date the decision was made.\n\nFind out which court or tribunal to appeal to.\n\nContact Citizens Advice to get advice on appealing.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/respond-to-court-claim-for-money", + "answerable": true, + "scenario": "I run a door lock repair business. Due to the pandemic, there was not much work and borrowed some money from a small money lending firm and could not repay it and they have filed a court claim. The claimant has not accepted my offer of instalment payments.", + "original_question": "I am prepared to pay the money in instalments. Will the court accept me paying in instalments ?" + }, + { + "id": "train-2239", + "question": "Scenario: I am self employed as a carer and often drive my own car to the homes of those I support. I have not yet claimed any of the expenses for my business profits.\n\nQuestion: Can I use a flat rate for my vehicle mileage when I calculate it at the end of the year?\n\nDocument - Simplified expenses if you're self-employed:\n## Overview\n\nSimplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.\n\nYou do not have to use simplified expenses. You can decide if it suits your business.\n\n## Who can use simplified expenses\n\nSimplified expenses can be used by:\n\n- sole traders\n\n- business partnerships that have no companies as partners\n\nSimplified expenses cannot be used by limited companies or business partnerships involving a limited company.\n\n## Types of expenses\n\nYou can use flat rates for:\n\n- business costs for some vehicles\n\n- working from home\n\n- living in your business premises\n\nYou must calculate all other expenses by working out the actual costs.\n\n## How to use simplified expenses\n\n- Keep records your business miles for vehicles, hours you work at home and how many people live at your business premises over the year.\n\n- At the end of the tax year use the flat rates for vehicle mileage, working from home, and living at your business premises to work out your expenses.\n\n- Include these amounts in the total for your expenses in your Self Assessment tax return.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs. This will help you work out if simplified expenses suits your business.\n\n## Vehicles\n\nCalculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.\n\nYou can use simplified expenses for:\n\n- cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)\n\n- goods vehicles (for example, vans)\n\n- motorcycles\n\nYou cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.\n\n| Vehicle | Flat rate per mile with simplified expenses |\n\n| Cars and goods vehicles first 10,000 miles | 45p |\n\n| Cars and goods vehicles after 10,000 miles | 25p |\n\n| Motorcycles | 24p |\n\nYou do not have to use flat rates for all your vehicles. Once you use the flat rates for a vehicle, you must continue to do so as long as you use that vehicle for your business.\n\nYou can claim all other travel expenses (for example train journeys) and parking on top of your vehicle expenses.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Working from home\n\nCalculate your allowable expenses using a flat rate based on the hours you work from home each month.\n\nThis means you do not have to work out the proportion of personal and business use for your home, for example how much of your utility bills are for business.\n\nThe flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.\n\nYou can only use simplified expenses if you work for 25 hours or more a month from home.\n\n| Hours of business use per month | Flat rate per month |\n\n| 25 to 50 | \u00a310 |\n\n| 51 to 100 | \u00a318 |\n\n| 101 and more | \u00a326 |\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Living at your business premises\n\nA small number of businesses use their business premises as their home, for example a guesthouse, bed and breakfast or small care home.\n\nYou can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.\n\nWith simplified expenses you calculate the total expenses for the premises.\n\nThen use the flat rates to subtract an amount for your personal use of the premises, based on the number of people living on the premises and claim the rest as your business expenses.\n\n| Number of people | Flat rate per month |\n\n| 1 | \u00a3350 |\n\n| 2 | \u00a3500 |\n\n| 3+ | \u00a3650 |\n\nIf someone lives at your business premises for part of the year, you can deduct only the relevant flat rate for the months they live there.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "answerable": true, + "scenario": "I am self employed as a carer and often drive my own car to the homes of those I support. I have not yet claimed any of the expenses for my business profits.", + "original_question": "Can I use a flat rate for my vehicle mileage when I calculate it at the end of the year?" + }, + { + "id": "train-2240", + "question": "Scenario: I have a medium sized dairy farm in England and am starting to sell my own milk. The milk will be packaged in glass bottles which the customers can later return.\n\nQuestion: Can I sell my milk in imperial pints without reference to metric measurements on the returnable glass bottles?\n\nDocument - Weights and measures: the law:\n## Units of measurement\n\nYou must use metric measurements (grams, kilograms, millilitres or litres) when selling packaged or loose goods in England, Scotland or Wales.\n\nThere are different rules in Northern Ireland.\n\nThe only products you can sell in imperial measures are:\n\n- draught beer or cider by pint\n\n- milk in returnable containers by pint\n\n- precious metals by troy ounce\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Specified quantities\n\nSome goods must be sold in fixed sizes known as \u2018specified quantities\u2019.\n\n## Alcohol\n\nThere are different rules depending on whether you\u2019re selling by the glass or bottle.\n\n## By the glass\n\n| | Measures |\n\n| Still wine | 125ml, 175ml, multiples of 125ml and 175ml |\n\n| Port, sherry or other fortified wine | 50ml, 70ml, multiples of 50ml or 70ml |\n\n| Gin, rum, vodka and whisky | Either 25ml and multiples of 25ml, or 35ml and multiples of 35ml (not both on the same premises) |\n\n| Draught beer and cider | Third, half, two-thirds of a pint and multiples of half a pint |\n\nThere are no specified quantities for sparkling wine or yellow wine by the glass or spirits other than gin, rum, vodka and whisky.\n\n## Packaged in bottles, boxes or similar\n\n| | Volume by millilitre (ml) |\n\n| Still wine | 100, 187, 250, 375, 500, 750, 1000, 1500 |\n\n| Yellow wine | 620 |\n\n| Sparkling wine | 125, 200, 375, 750, 1500 |\n\n| Fortified wine | 100, 200, 375, 500, 750, 1000, 1500 |\n\n| Spirit drinks | 100, 200, 350, 500, 700, 1000, 1500, 1750, 2000 |\n\nYou can sell packaged alcohol in any volume if it\u2019s below the minimum or above the maximum allowed for specified quantities.\n\n| | Minimum (ml) | Maximum (ml) |\n\n| Still wine | 100 | 1500 |\n\n| Yellow wine | 100 | 1500 |\n\n| Sparkling wine | 125 | 1500 |\n\n| Fortified wine | 100 | 1500 |\n\n| Spirit drinks | 100 | 2000 |\n\nThere are no specified quantities for packaged beer or cider.\n\n## Solid fuel\n\nYou can sell sealed bags of solid fuel in any size you wish but if you\u2019re selling it loose, you can only sell it in quantities of:\n\n- 25kg\n\n- 50kg\n\n- multiples of 50kg\n\n## Packaged goods\n\nPackaged goods are products that are all of these:\n\n- sold sealed\n\n- between 5g and 25kg or 5ml and 25 litres\n\n- the same weight or volume as other products of the same type\n\nThere are 2 ways to pack your products.\n\n## Minimum system\n\nYou can pack your products so that they contain at least the quantity displayed on the label. The packages can contain more than the label says, but not less.\n\n## Average system\n\nYou can pack your products to an average measurement that is on the label. You must check your packages to make sure a random sample is packed to meet all these rules - known as the \u2018three packers\u2019 rules\u2019:\n\n- the contents of the packages must not be less, on average, than the weight on the label\n\n- only a small number can fall below a certain margin of error, known as the \u2018tolerable negative error\u2019 (TNE)\n\n- no package can be underweight by more than twice the TNE\n\n| Quantity in grams and millilitres | TNE as % of quantity | TNE in grams or millilitres |\n\n| 5 to 50 | 9 | n/a |\n\n| 50 to 100 | n/a | 4.5 |\n\n| 100 to 200 | 4.5 | n/a |\n\n| 200 to 300 | n/a | 9 |\n\n| 300 to 500 | 3 | n/a |\n\n| 500 to 1,000 | n/a | 15 |\n\n| 1,000 to 10,000 | 1.5 | n/a |\n\n| 10,000 to 15,000 | n/a | 150 |\n\n| more than 15,000 | 1 | n/a |\n\nIf you\u2019re calculating the TNE as a percentage of the quantity, you must round up the weight or volume to the nearest 0.10 of a gram or millilitre.\n\nContact your local Trading Standards office for help with packing to the average system.\n\nRead the \u2018Weights and Measures (Packaged Goods) 2006\u2019 guidance for business for more information.\n\nYou must make sure packaged goods you\u2019re producing or importing are packed and labelled correctly.\n\nYou can be fined or sent to prison if you break the rules.\n\n## Equipment and records\n\n## Equipment for packaged goods\n\nThe equipment you use to weigh or measure your packaged goods has to be suitable. There are no hard and fast rules about what equipment you should use but you cannot use domestic scales to weigh goods you intend to sell.\n\nYour local Trading Standards office will tell you what is suitable equipment for your business sector.\n\nTrading Standards will check the weights and measures of your goods on your production line to make sure the equipment is accurate.\n\n## Records\n\nYou must keep records if you pack your products using the average system. You must record the results of your sample batches and show that they meet the \u2018three packers\u2019 rules.\n\nYou do not have to keep records if you measure every package or you use the minimum system to pack your products.\n\nYou must keep your records for at least one year from either the date you ship the packages or the \u2018use by\u2019 date on the package - whichever is shorter.\n\nYour local Trading Standards office can advise you about how to keep records.\n\n## Labelling packaged goods\n\nYou must put the weight or volume of your packaged goods on the label.\n\nThe quantity marking must be:\n\n- permanent\n\n- easy to see\n\n- meet a minimum height requirement\n\nYou can display an imperial measurement alongside the metric measurement but it cannot stand out more than the metric measurement.\n\n## Food\n\nRead the rules about what you must show on packaged food labels.\n\n## Exporting packaged goods\n\nYou must meet the rules for packaged goods in the country you\u2019re exporting to.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/weights-measures-and-packaging-the-law", + "answerable": true, + "scenario": "I have a medium sized dairy farm in England and am starting to sell my own milk. The milk will be packaged in glass bottles which the customers can later return.", + "original_question": "Can I sell my milk in imperial pints without reference to metric measurements on the returnable glass bottles?" + }, + { + "id": "train-2242", + "question": "Scenario: I am self employed as a carer and often drive my own car to the homes of those I support. I have claimed capital allowance on this vecihle.\n\nQuestion: Can I use a simplified expenses rate for my vehicle mileage when I calculate it at the end of the year?\n\nDocument - Simplified expenses if you're self-employed:\n## Overview\n\nSimplified expenses are a way of calculating some of your business expenses using flat rates instead of working out your actual business costs.\n\nYou do not have to use simplified expenses. You can decide if it suits your business.\n\n## Who can use simplified expenses\n\nSimplified expenses can be used by:\n\n- sole traders\n\n- business partnerships that have no companies as partners\n\nSimplified expenses cannot be used by limited companies or business partnerships involving a limited company.\n\n## Types of expenses\n\nYou can use flat rates for:\n\n- business costs for some vehicles\n\n- working from home\n\n- living in your business premises\n\nYou must calculate all other expenses by working out the actual costs.\n\n## How to use simplified expenses\n\n- Keep records your business miles for vehicles, hours you work at home and how many people live at your business premises over the year.\n\n- At the end of the tax year use the flat rates for vehicle mileage, working from home, and living at your business premises to work out your expenses.\n\n- Include these amounts in the total for your expenses in your Self Assessment tax return.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs. This will help you work out if simplified expenses suits your business.\n\n## Vehicles\n\nCalculate your vehicle expenses using a flat rate for mileage instead of the actual costs of buying and running your vehicle, for example insurance, repairs, servicing, fuel.\n\nYou can use simplified expenses for:\n\n- cars (except cars designed for commercial use, for example black cabs or dual control driving instructors\u2019 cars)\n\n- goods vehicles (for example, vans)\n\n- motorcycles\n\nYou cannot claim simplified expenses for a vehicle you\u2019ve already claimed capital allowances for, or you\u2019ve included as an expense when you worked out your business profits.\n\n| Vehicle | Flat rate per mile with simplified expenses |\n\n| Cars and goods vehicles first 10,000 miles | 45p |\n\n| Cars and goods vehicles after 10,000 miles | 25p |\n\n| Motorcycles | 24p |\n\nYou do not have to use flat rates for all your vehicles. Once you use the flat rates for a vehicle, you must continue to do so as long as you use that vehicle for your business.\n\nYou can claim all other travel expenses (for example train journeys) and parking on top of your vehicle expenses.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Working from home\n\nCalculate your allowable expenses using a flat rate based on the hours you work from home each month.\n\nThis means you do not have to work out the proportion of personal and business use for your home, for example how much of your utility bills are for business.\n\nThe flat rate does not include telephone or internet expenses. You can claim the business proportion of these bills by working out the actual costs.\n\nYou can only use simplified expenses if you work for 25 hours or more a month from home.\n\n| Hours of business use per month | Flat rate per month |\n\n| 25 to 50 | \u00a310 |\n\n| 51 to 100 | \u00a318 |\n\n| 101 and more | \u00a326 |\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.\n\n## Living at your business premises\n\nA small number of businesses use their business premises as their home, for example a guesthouse, bed and breakfast or small care home.\n\nYou can use simplified expenses instead of working out the split between what you spend for your private and business use of the premises.\n\nWith simplified expenses you calculate the total expenses for the premises.\n\nThen use the flat rates to subtract an amount for your personal use of the premises, based on the number of people living on the premises and claim the rest as your business expenses.\n\n| Number of people | Flat rate per month |\n\n| 1 | \u00a3350 |\n\n| 2 | \u00a3500 |\n\n| 3+ | \u00a3650 |\n\nIf someone lives at your business premises for part of the year, you can deduct only the relevant flat rate for the months they live there.\n\nUse the simplified expenses checker to compare what you can claim using simplified expenses with what you can claim by working out the actual costs.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/simpler-income-tax-simplified-expenses", + "answerable": true, + "scenario": "I am self employed as a carer and often drive my own car to the homes of those I support. I have claimed capital allowance on this vecihle.", + "original_question": "Can I use a simplified expenses rate for my vehicle mileage when I calculate it at the end of the year?" + }, + { + "id": "train-2243", + "question": "Scenario: I am a farmer in Oxfordshire. The farm includes several stable blocks, in which I rent out some of the space to nearby horse owners, who own them for recreational use.\n\nQuestion: Do I need to pay business rates on the stables?\n\nDocument - Business rates:\n## Overview\n\nBusiness rates are charged on most non-domestic properties, like:\n\n- shops\n\n- offices\n\n- pubs\n\n- warehouses\n\n- factories\n\n- holiday rental homes or guest houses\n\nYou\u2019ll probably have to pay business rates if you use a building or part of a building for non-domestic purposes.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What to pay and when\n\nYour local council will send you a business rates bill in February or March each year. This is for the following tax year. You can also estimate your business rates bill.\n\nYou can get help with business rates from:\n\n- your council if you have questions about your bill\n\n- the Valuation Office Agency (VOA) if you think your \u2018rateable value\u2019 is wrong\n\n## Relief schemes\n\nYou may be able to get business rates relief from your local council to reduce your bill. This is sometimes automatic, but you may need to apply.\n\nThe process depends on whether you\u2019re in England or Wales.\n\n## Who does not need to pay\n\nCertain properties are exempt from business rates, for example farm buildings or places used for the welfare of disabled people.\n\n## If you own a stable\n\nYou usually need to pay business rates on your stables, unless you use your horses for farming.\n\nYou may pay Council Tax instead if your stables are in your garden. Contact VOA to check if you\u2019re not sure which you should pay.\n\n## How your rates are calculated\n\nBusiness rates are worked out based on your property\u2019s \u2018rateable value\u2019.\n\nThis is its open market rental value on 1 April 2015, based on an estimate by the Valuation Office Agency (VOA).\n\nYou can estimate your business rates by multiplying the rateable value by the correct \u2018multiplier\u2019 (an amount set by central government).\n\nYour bill will be reduced if your property\u2019s eligible for business rates relief.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## If you think your rates are wrong\n\nYou can ask for your property\u2019s rateable value to be corrected if you think it\u2019s wrong.\n\n## If you\u2019re asked to provide rental information\n\nThe VOA may ask you to provide rental information about your property so they can work out its rateable value.\n\nContact the VOA if you need more time to send in your rental information.\n\n## Revaluation\n\nAt revaluation, the Valuation Office Agency (VOA) adjusts the rateable value of business properties to reflect changes in the property market.\n\nIt usually happens every 5 years. The most recent revaluation came into effect in England and Wales on 1 April 2017, based on rateable values from 1 April 2015.\n\nYou can check your valuation when you estimate your business rates.\n\nBusiness rates are handled differently in Scotland and Northern Ireland.\n\n## What happens at revaluation\n\nAt revaluation:\n\n- all properties are given a new rateable value\n\n- multipliers are revised\n\nThis means that a change in your rateable value does not always mean a change in your bill.\n\nTo make sure your valuations are accurate, you may need to give VOA up-to-date rental evidence for your property at revaluation.\n\n## Get business rates relief\n\nYou may be able to get a discount from your local council if you\u2019re eligible for business rates relief.\n\nFor example you may be able to get:\n\n- transitional relief so that changes to your bill as a result of revaluation are phased in gradually\n\n- small business relief so that you pay no business rates if your rateable value is below \u00a315,000\n\n## Get help with business rates\n\nYou may be able to get a discount from your local council on your business rates if you\u2019re eligible for one or more business rates relief schemes.\n\nFor help with your property\u2019s rateable value, contact the Valuation Office Agency (VOA).\n\nFor help with your business rates bill (for example to pay in instalments) or rate relief, contact your council.\n\n## Get professional advice\n\nYou can also get help from a qualified rating surveyor through one of the following organisations:\n\n- Royal Institution of Chartered Surveyors (RICS)\n\n- Institute of Revenues, Rating and Valuation (IRRV)\n\n- Rating Surveyors Association\n\nYou may be charged for any advice you get from a rating surveyor right from the start.\n\nYou can call the RICS enquiry line for advice. The first 30 minutes are free.\n\n## If your business or premises change\n\nYour business rates could change if:\n\n- you move or make changes to your premises\n\n- the nature of your business changes\n\n- you sublet part of your property\n\n- you merge 2 or more properties into 1\n\nYou must report any changes to ensure you\u2019re paying the right amount and do not get a backdated increase in your bill.\n\nReport changes using the Valuation Office Agency (VOA) service in England or Wales.\n\nBusiness rates are handled differently in Scotland and Northern Ireland\n\n## If your premises are affected by local disruption\n\nYou may get a temporary reduction in your business rates if your premises are affected by severe local disruption (like flooding, building or roadworks).\n\nReport changes using the VOA service.\n\n## Working at home\n\nYou do not usually have to pay business rates for home-based businesses if you:\n\n- use a small part of your home for your business, for example if you use a bedroom as an office\n\n- sell goods by post\n\nYou may need to pay business rates as well as Council Tax if:\n\n- your property is part business and part domestic, for example if you live above your shop\n\n- you sell goods or services to people who visit your property\n\n- you employ other people to work at your property\n\n- you\u2019ve made changes to your home for your business, for example converted a garage to a hairdresser\u2019s\n\nContact the Valuation Office Agency (VOA) to find out if you should be paying business rates. In Scotland, contact your local assessor.\n\n## Pubs and licensed trade\n\nIn England and Wales, the Valuation Office Agency (VOA) works out your rateable value based on the annual level of trade (excluding VAT) that a pub is expected to achieve if operated in a reasonably efficient way.\n\nThis is called \u2018fair maintainable trade\u2019 and it\u2019s based on:\n\n- the type of pub or licensed premises\n\n- the area it\u2019s in\n\n- the services it offers, for example food, gaming, or sports screenings\n\nThe VOA also looks at rents and turnovers to work out the fair maintainable trade figure, then applies a percentage to work out the rateable value.\n\nThe percentages are agreed with the British Beer and Pub Association and they\u2019re in the VOA\u2019s pub guide.\n\nYou can read more about how the VOA values pubs and other licensed premises for business rates.\n\nContact the VOA if you want to check the figures they\u2019re using or do not agree with the figures being used.\n\nYou can also find and check your business rates valuation online.\n\nYou\u2019ll need to provide details of turnover (excluding VAT) for all sources, such as liquor, food and gaming.\n\nYou can also use the online contact VOA service.\n\n## Scotland\n\nIn Scotland, your local assessor works out your rateable value.\n\nIf you want to check the figures they\u2019re using or do not agree with the figures being used, contact your local assessor.\n\n## Self-catering and holiday let accommodation\n\nIf your property is in England and available to let for short periods that total 140 days or more per year, it will be rated as a self-catering property and valued for business rates.\n\nIf your property is in Wales it will be rated as a self-catering property and valued for business rates if it\u2019s both:\n\n- available to let for short periods that total 140 days or more per year\n\n- actually let for 70 days\n\nThere are different rules in Scotland.\n\nThe Valuation Office will work out the rateable value of your property based on its type, size, location, quality and how much income you\u2019re likely to make from letting it.\n\nIf you only let one property and its rateable value is less than \u00a315,000 you may be eligible for small business rate relief.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/introduction-to-business-rates", + "answerable": true, + "scenario": "I am a farmer in Oxfordshire. The farm includes several stable blocks, in which I rent out some of the space to nearby horse owners, who own them for recreational use.", + "original_question": "Do I need to pay business rates on the stables?" + }, + { + "id": "train-2245", + "question": "Scenario: i am self employed and have a business with a UTR that is registered as a sole trader. i would like to enter the construction business but i'm finding it difficult to register for the constructin industry scheme.\n\nQuestion: Can I apply for the scheme online as a sole trader?\n\nDocument - What you must do as a Construction Industry Scheme (CIS) subcontractor:\n## Overview\n\nYou should register for the Construction Industry Scheme (CIS) if you work for a contractor and you\u2019re one of the following:\n\n- self-employed\n\n- the owner of a limited company\n\n- a partner in a partnership or trust\n\nUnder CIS, a contractor must deduct 20% from your payments and pass it to HM Revenue and Customs (HMRC).\n\nThese deductions count as advance payments towards your tax and National Insurance bill.\n\nIf you do not register for the scheme, contractors must deduct 30% from your payments instead.\n\n## If you do not want deductions made\n\nIf you do not want deductions to be made in advance by contractors, you can apply for \u2018gross payment status\u2019. You can do this when you register for CIS.\n\nYou do not need to register for CIS if you\u2019re an employee. Check your employment status if you\u2019re not sure.\n\n## How to register\n\nTo register for the Construction Industry Scheme (CIS) you\u2019ll need:\n\n- your legal business name - you can also give a trading name if it\u2019s different to your business name\n\n- your National Insurance Number\n\n- the unique taxpayer reference number (UTR) for your business\n\n- your VAT registration number (if you\u2019re VAT registered)\n\nIf you\u2019re a subcontractor and a contractor (you pay subcontractors to do construction work), you\u2019ll need to register for CIS as both.\n\n## Register as a sole trader\n\nIf you\u2019re a sole trader and you already have a UTR, you can register for CIS online. You\u2019ll need the Government Gateway user ID and password you used when you registered for Self Assessment (or another government service).\n\nYou can apply for gross payment status at the same time.\n\nIf you do not have a UTR, register as a new business for Self Assessment and choose \u2018working as a subcontractor\u2019 when prompted. You\u2019ll be registered for Self Assessment and CIS at the same time.\n\nYou can also call the CIS helpline to register.\n\n## Register as another type of business\n\nFill in the online form for limited companies or the online form for partnerships.\n\nHMRC will register the partnership separately to your sole trader registration. They will need the partnership UTR and trading name.\n\n## You are based abroad\n\nYou should still register for CIS if you are a subcontractor based abroad but do construction work in the UK.\n\n## Help and support\n\nCall the CIS helpline for help with registering.\n\nYou can also sign up for webinars and emails or watch videos from HMRC about CIS.\n\n## Get paid\n\nTo be paid correctly by a contractor, make sure you give them the exact same legal business name or trading name you gave when you registered for the Construction Industry Scheme (CIS). You should also give them your Unique Taxpayer Reference (UTR) so they can verify you.\n\nIf you do not, this could affect how much you get paid.\n\n## Deduction rates\n\nWhen a contractor pays you under CIS, they\u2019ll normally make deductions at the standard rate of 20%.\n\nContractors will make deductions at a higher rate of 30% if:\n\n- you are not registered for CIS\n\n- they cannot verify you\n\n- you give the wrong name for your business\n\nYour contractor should give you monthly statements of payments and deductions. Use them to calculate whether you still owe tax and National Insurance to HM Revenue and Customs (HMRC) or are due a refund.\n\n## Gross payment status\n\nYou can apply for gross payment status when you register for CIS. This means the contractor will not make deductions from your payments and you\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\n## What does not count as your pay\n\nContractors will not make a deduction from amounts you charge on your invoice for:\n\n- VAT\n\n- materials that you have paid for directly\n\n- equipment which is now unusable (\u2018consumable stores\u2019)\n\n- plant hired for the job\n\n- manufacturing or prefabricating materials\n\n## Pay tax and claim back deductions\n\nWhen you\u2019re registered with the Construction Industry Scheme (CIS), you\u2019re still responsible for paying the correct tax and National Insurance for your business, even if deductions have been made by contractors throughout the year.\n\nContractors will give you a monthly statement of what they\u2019ve paid you and deductions they\u2019ve made to help with your accounting.\n\n## Sole traders and partners\n\nAt the end of the tax year, send in your Self Assessment tax return as usual. You should record:\n\n- the full amounts on your invoices as income\n\n- any deductions contractors have made in the \u2018CIS deductions\u2019 field\n\nHM Revenue and Customs (HMRC) will work out your tax and National Insurance bill and take off any deductions made by contractors.\n\nIf you still owe tax after this, you\u2019ll need to pay it by 31 January following the end of the tax year.\n\nIf you\u2019re due a tax refund, HMRC will pay the money back.\n\n## Limited companies\n\nIf you have gross payment status, declare all your income in your Corporation Tax return as usual.\n\nIf you pay CIS deductions, you must claim these back through your company\u2019s monthly payroll scheme. Do not try to claim back through your Corporation Tax return - you may get a penalty if you do.\n\n- Send your monthly Full Payment Submission (FPS) as usual to HMRC.\n\n- Also send an Employer Payment Summary (EPS). Enter the total CIS deductions for the year to date.\n\n- HMRC will take your CIS deductions off what you owe in PAYE tax and National Insurance. Pay the balance by the usual date.\n\nIf your company\u2019s PAYE bill for the period is reduced to zero and you still have some CIS deductions you have not been able to claim back, carry these forward to the next month or quarter (in the same tax year). Tell HMRC in the EPS that you have nothing to pay.\n\n## If HMRC thinks your claim is wrong\n\nHMRC may ask you to provide evidence for your CIS deductions or to change your claim.\n\nIf you do not do this by the deadline they give you, you will not be able to make any more claims in that tax year.\n\nYou can appeal HMRC\u2019s decision. They\u2019ll tell you how to do this.\n\n## Keep records\n\nYour company must keep a record of amounts claimed back against your monthly or quarterly PAYE bill.\n\nYou can use form CIS132 to do this or keep your own records.\n\n## If you paid too much in CIS deductions\n\nHMRC will pay back any deductions your company has not been able to claim back from its PAYE bill during the tax year.\n\n## If your company goes into administration\n\nIf your company goes into administration or liquidation, the person managing it should write to HMRC to ask for CIS deductions to be repaid straight away.\n\n## If you do not have all your CIS statements\n\nIf you have not received all the CIS statements you need from your contractor, you can ask them to send you replacement copies.\n\nIf the contractor you\u2019re working for stops trading and you have not been able to get all your CIS statements you should write to HMRC.\n\nInclude the following information:\n\n- your name, address and Unique Taxpayer Reference (UTR)\n\n- the name and address of the contractor\n\n- the contractor\u2019s tax reference - if you know it\n\n- the dates of the payments or the tax months when the contractor paid you\n\n- the reason why you do not have the statements or duplicates\n\n## How to get gross payment status\n\nYou can apply for gross payment status when you register for CIS.\n\nThis means contractors will pay you in full, without deductions. You\u2019ll pay all your tax and National Insurance at the end of the tax year.\n\nIf you\u2019re already registered for CIS, you can apply for gross payment status by calling the CIS helpline or applying online.\n\n## Apply for gross payment status online\n\n- Sign in to Government Gateway - you\u2019ll need the Government Gateway user ID and password you used when you registered for CIS. If you do not have a user ID, you can create one when you register for CIS.\n\n- From \u2018Your tax account\u2019, go to \u2018Other services\u2019.\n\n- Choose \u2018Construction Industry Scheme \u2013 Subcontractors\u2019.\n\n## To qualify\n\nYou must show HM Revenue and Customs (HMRC) that your business passes some tests. You\u2019ll need to show that:\n\n- you\u2019ve paid your tax and National Insurance on time in the past\n\n- your business does construction work (or provides labour for it) in the UK\n\n- your business is run through a bank account\n\nHMRC will look at your turnover for the last 12 months. Ignoring VAT and the cost of materials, your turnover must be at least:\n\n- \u00a330,000 if you\u2019re a sole trader\n\n- \u00a330,000 for each partner in a partnership, or at least \u00a3100,000 for the whole partnership\n\n- \u00a330,000 for each director of a company, or at least \u00a3100,000 for the whole company\n\nIf your company\u2019s controlled by 5 people or fewer, you must have an annual turnover of \u00a330,000 for each of them.\n\nYou could be fined if you provide false information or help someone else to make a false application.\n\n## Paying tax when you have gross payment status\n\nYou must declare your payments as income at the end of the tax year in:\n\n- your Self Assessment tax return if you\u2019re a sole trader or partner\n\n- your Corporation Tax return if you own a limited company\n\n## Annual review\n\nIf you have gross payment status, HM Revenue and Customs (HMRC) will review your business every year, to decide if you can keep your status.\n\nYou must be on time with your tax returns and payments to keep your gross payment status.\n\nIf you run a limited company, HMRC will review the company itself, rather than individual directors or shareholders.\n\n## You do not meet all the conditions\n\nYou could fail the review and HMRC will remove your gross payment status. You\u2019ll be allowed a small amount of late payments or returns.\n\nContact HMRC if you have problems paying your tax on time. If HMRC give you more time to pay, this will not affect your gross payment status.\n\n## You fail your review\n\nYou\u2019ll get a letter explaining you\u2019re about to fail the review, along with the reasons why.\n\nIf you disagree, you can write back with your reasons.\n\nIf HMRC accept your explanation, they will not remove your gross payment status.\n\nIf you do not reply to the letter or HMRC does not accept your explanation, they\u2019ll write to explain:\n\n- what conditions you have not met\n\n- that they\u2019re withdrawing your gross payment status in 90 days\n\nIf you think HMRC have made the wrong decision, you have 30 days from the date of this letter to appeal.\n\n## Reapplying for gross payment status\n\nIf HMRC cancel your gross payment status, you need to wait a year from the date of the cancellation before you can reapply.\n\n## Changes you need to report\n\nReport changes by calling the Construction Industry Scheme (CIS) helpline.\n\nTell them if you:\n\n- change from a sole trader to a partnership\n\n- leave a partnership or company to become a sole trader\n\n- create a company or change your business to a company\n\nYou\u2019ll usually need to register again for CIS - as you cannot transfer the registration from your old business structure.\n\nIf you have gross payment status, you\u2019ll need to apply again.\n\nYou must also tell HM Revenue and Customs (HMRC) if you:\n\n- change your trading name\n\n- change your business, private or registered office address\n\n- stop trading\n\n- add new shareholders - HMRC may withdraw your gross payment status if you do not tell them within 30 days\n\n## Stop trading\n\nIf your business goes into administration it can keep receiving payments for work it\u2019s done under CIS. It should be paid in the same way that it was paid normally - either gross or under deduction.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/what-you-must-do-as-a-cis-subcontractor", + "answerable": true, + "scenario": "i am self employed and have a business with a UTR that is registered as a sole trader. i would like to enter the construction business but i'm finding it difficult to register for the constructin industry scheme.", + "original_question": "Can I apply for the scheme online as a sole trader?" + }, + { + "id": "train-2252", + "question": "Scenario: I moved to the UK seven years ago. I had the right of movement due to being from France, an EU member state. I have been told that I am going to lose have my status revoked. I currently live in the UK. I have submitted an appeal form outlining the information I would like the tribunal to make their decision on.\n\nQuestion: Do I need to attend a hearing for my appeal?\n\nDocument - Appeal against a visa or immigration decision:\n## Overview\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber) if the Home Office has decided to:\n\n- refuse your protection claim (also known as \u2018asylum claim\u2019 or \u2018humanitarian protection\u2019)\n\n- revoke your protection status\n\n- refuse your human rights claim\n\n- refuse you a residence document or deport you under the Immigration (European Economic Area) Regulations 2016\n\n- revoke your British citizenship\n\n- refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme\n\n- refuse or revoke your travel permit or family permit under the EU Settlement Scheme or restrict your rights to enter or leave the UK under those permits\n\n- refuse or revoke your permit, or deport you if you\u2019re a frontier worker\n\n- refuse or revoke your leave, or deport you if you\u2019re an S2 healthcare visitor\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\nIf you do not have the right to appeal, you might be able to ask the Home Office for an administrative review.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nFind out how to appeal from:\n\n- within the UK\n\n- outside the UK\n\nThere\u2019s a different way to appeal if you made your application before 6 April 2015.\n\n## Help you can get\n\nYou can get help and advice from a solicitor or an immigration adviser.\n\nYou can also contact Citizens Advice.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYou may be able to get asylum support (such as housing and money) if you\u2019ve been refused asylum.\n\nContact the tribunal if you have any questions about your appeal. The tribunal cannot give you legal advice.\n\n## Urgent appeal applications\n\nYou need to write to the tribunal with:\n\n- the reason why your case should be heard urgently\n\n- evidence of compelling or compassionate grounds, for example letters from a doctor or hospital\n\nYou should write \u2018expedite requests\u2019 on the top of any documents you send with your application.\n\nA judge will review your evidence and decide whether your application should be heard sooner than usual.\n\nYour application will only be reviewed if you\u2019ve paid your tribunal fee (if you need to pay one).\n\n## Where to send your application\n\nSend your reasons for the urgent appeal and evidence to the tribunal.\n\nContact the tribunal to check if your application has been received.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nYou can apply again for the EU Settlement Scheme, Frontier Worker permit or S2 Healthcare Visitor visa for free if you have new evidence to submit.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Appeal from within the UK\n\nYou can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.\n\nTalk to a solicitor or an immigration adviser if you\u2019re not sure.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\nYour decision letter will usually tell you if you can apply for an administrative review if you do not have the right to appeal.\n\nThe administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nYou have 14 days to appeal from the date the decision was sent.\n\nIf you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.\n\nYou can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.\n\nApply online if you can - online appeals are quicker than post or fax appeals.\n\n| What you\u2019re appealing | How you can appeal |\n\n| A decision to refuse your human rights claim or protection claim while you\u2019re in the UK | Online or by post or fax with form IAFT-5 |\n\n| A decision to revoke your protection status | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5 |\n\n| A decision where you\u2019ve been detained in an Immigration detention centre and your decision letter was sent by the Home Office | By post or fax with form IAFT-DIA |\n\n| A decision where you\u2019ve been detained in prison and your decision letter was sent by the Home Office. | Online or by post or fax with form IAFT-5 |\n\n| A decision to remove your British citizenship | Online or by post or fax with form IAFT-5 |\n\n| Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form |\n\nIf you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.\n\n## Ask for an oral hearing\n\nYou can ask on your appeal form for a decision to be made either:\n\n- just on the information in your appeal form and any documents supplied to the tribunal\n\n- at a hearing that you and your representative can attend\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case and invited to attend.\n\nIf the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and the documents.\n\nHearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\n## Special requirements\n\nContact the Customer Enquiry Unit before your hearing if you need any special help, for example you need wheelchair access.\n\n## Fees\n\nIt costs:\n\n- \u00a380 without a hearing\n\n- \u00a3140 with a hearing\n\nYou may not have to pay if you:\n\n- get asylum support\n\n- get legal aid\n\n- get services from your local council and you\u2019re under 18\n\nYou can also get help with court fees if any of the following apply:\n\n- you have little or no savings\n\n- you\u2019re on certain benefits\n\n- you have a low income\n\nRead the tribunal fees guidance for more information.\n\nContact the tribunal if you\u2019re unsure if you have to pay a fee.\n\n## How to pay\n\nYou can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.\n\nIf you\u2019ve already made your appeal you can also pay your fee online.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nIf you have new evidence to submit, you can:\n\n- apply for the EU Settlement Scheme\n\n- apply for a Frontier Worker permit\n\n- apply for a S2 Healthcare Visitor visa\n\nIt\u2019s free to apply.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Appeal from outside the UK\n\nYou can only appeal to the tribunal if you have the legal right to appeal - you\u2019ll usually be told if you do in your decision letter.\n\nIf you\u2019ve been refused a tier 1, 2, 4 or 5 visa you will be able to ask for the decision to be reviewed at an administrative review - your refusal letter will usually tell you if you can.\n\nThe administrative review process is different if you applied for the EU Settlement Scheme, a Frontier Worker permit, or an S2 Healthcare Visitor visa.\n\nTalk to a solicitor or an immigration adviser if you\u2019re unsure whether you can appeal.\n\nRead the guide on representing yourself if you\u2019re not going to have a legal representative.\n\n## How to appeal\n\nHow you appeal depends on whether you\u2019re applying for yourself or if you\u2019re a legal professional appealing on behalf of a client.\n\n## If you\u2019re a solicitor or an immigration adviser\n\nFor most cases, you must appeal online using the MyHMCTS service. You\u2019ll need to create an account first if you do not have one.\n\nYou must only appeal using a paper form if your client is in detention or has been refused settled or pre-settled status under the EU Settlement Scheme.\n\n## If you\u2019re appealing for yourself without a solicitor or immigration adviser\n\nYou have 28 days to appeal after you get your decision. If you have to leave the country before you\u2019re allowed to appeal, you have 28 days to appeal once you\u2019ve left the country.\n\nIf you apply after the deadline, you must explain why - the tribunal will decide if it can still hear your appeal.\n\nYou can appeal later if your administrative review was unsuccessful for a EU Settlement Scheme, frontier worker or S2 healthcare visitor application. Your administrative review decision will tell you how to appeal.\n\nApply online if you can - online appeals are quicker than post or fax appeals.\n\n| What you\u2019re appealing | How you can appeal |\n\n| A decision to refuse a human rights claim for entry clearance | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse a human rights claim or protection claim (where you can only apply after you\u2019ve left the country) | Online or by post or fax with form IAFT-7 |\n\n| A decision to refuse you a residence document or deport you, under the Immigration (European Economic Area) Regulations 2016 | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your status, vary the length or condition of your stay, or deport you under the EU Settlement Scheme | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse or revoke your family permit or travel permit under the EU Settlement Scheme | Online or by post or fax with form IAFT-6 |\n\n| A decision to refuse or revoke your permit, or deport you if you\u2019re a frontier worker | Online or by post or fax with form IAFT-5 |\n\n| A decision to refuse or revoke your leave, or deport you if you\u2019re on a S2 Healthcare Visitor visa | Online or by post or fax with form IAFT-5 |\n\n| Certain decisions about applications submitted before 6 April 2015 | Online or by post or fax with the relevant form |\n\nIf you\u2019re appealing by post or fax, download and fill in the relevant form. Send or fax it with copies of the documents that support your appeal to the address on the form.\n\n## Ask for an oral hearing\n\nYou can ask on your appeal form for a decision to be made either:\n\n- just on the information in your appeal form and any documents supplied to the tribunal\n\n- at a hearing that your representatives can attend\n\nThe tribunal can decide to have a hearing even if you do not ask for one. You\u2019ll be told if this is the case.\n\nIf the tribunal does not hold a hearing, a judge will decide your case based on your appeal form and documents.\n\nHearings are carried out in public. You can ask for it to be held in private or to attend by video link, but you must have a reason, for example a public hearing would put you in danger.\n\nYou can ask for a male or female judge if you think there are issues in your appeal that make it appropriate. The tribunal will decide if it can do this.\n\n## Special requirements\n\nContact the Customer Enquiry Unit before your hearing if any special help is needed, for example someone attending on your behalf needs wheelchair access.\n\n## Fees\n\nIt costs:\n\n- \u00a380 without a hearing\n\n- \u00a3140 with a hearing\n\nYou may not have to pay if you get legal aid.\n\nRead the tribunal fees guidance for more information.\n\nContact the tribunal if you\u2019re not sure if you have to pay a fee.\n\n## How to pay\n\nYou can pay your fee with a credit or debit card when you make your appeal online or by including your details on your appeal form.\n\nIf you\u2019ve already made your appeal you can also pay your fee online.\n\n## If your EU Settlement Scheme, frontier worker or S2 healthcare visitor application is unsuccessful\n\nIf you have new evidence to submit, you can:\n\n- apply for the EU Settlement Scheme\n\n- apply for a Frontier Worker permit\n\n- apply for a S2 Healthcare Visitor visa\n\nIt\u2019s free to apply.\n\nOr you can ask the Home Office for an administrative review. This costs \u00a380. You\u2019ll usually get a decision within 28 days. Your decision letter will tell you if you can apply.\n\nYou can appeal to the First-tier Tribunal (Immigration and Asylum Chamber). This costs \u00a380 without a hearing and \u00a3140 with a hearing.\n\nYou can only appeal a decision if you made your application after:\n\n- 11pm on 31 January 2020, for the EU Settlement Scheme\n\n- 10 December 2020, for a Frontier Worker permit\n\n- 11pm on 31 December 2020, for a S2 Healthcare Visitor visa\n\n## Applications made before 6 April 2015\n\nYou might be able to appeal against a decision made by the Home Office if you submitted your application before 6 April 2015 and it was refused.\n\n## Tier 1, 2 or 5 migrants and family members\n\nYou can make an appeal if you applied for leave to remain as a Tier 1, 2 or 5 migrant or family member before 2 March 2015 and your application was refused on or after 6 April 2015.\n\nYou can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nAppeal online or by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Tier 4 migrants and family members\n\nYou can make an appeal if you applied for permission to remain as a Tier 4 migrant or family member before 20 October 2014 and your application was refused on or after 6 April 2015.\n\nYou can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nAppeal online or by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Other decisions\n\nYou can appeal against certain other Home Office decisions if you applied before 6 April 2015 and your application was refused on or after the same date.\n\nYou can only do this if the Home Office\u2019s decision did not include refusing an asylum or human rights claim.\n\n## Leave to enter\n\nYou can appeal online if your application for leave to enter was refused.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Vary your leave to enter or remain\n\nYou can appeal online if your application to change (\u2018vary\u2019) the length and conditions of your stay in the UK was refused. You can only do this if your application being refused means you do not have permission (\u2018leave\u2019) to enter or remain in the UK.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## Entry clearance\n\nYou can appeal online if your application for entry clearance was refused.\n\nYou can also appeal by post or fax with form IAFT-2.\n\n## Certificate of entitlement\n\nYou can appeal online if your application for a certificate of entitlement to prove you have a right of abode in the UK was refused.\n\nYou can also appeal by post or fax with:\n\n- form IAFT-1 if you\u2019re in the UK\n\n- form IAFT-3 if you\u2019ve left the UK\n\n## If there's a hearing\n\nYou\u2019ll get a letter or email with details of how to attend your hearing. You may be asked to attend in person at a tribunal building, or asked to attend remotely by a video link or by phone.\n\nIf you\u2019ll be attending remotely, the letter or email will tell you how to prepare for this.\n\nYou can check the daily courts lists on the day of your hearing to find out if anything has changed.\n\nIf you cannot attend yourself you can ask someone to represent you and ask witnesses to attend.\n\nYou may have to give evidence at the hearing and answer questions.\n\nYou may need to take part in a \u2018pre-hearing\u2019, where the tribunal will check that you\u2019re ready for a full hearing.\n\nThe hearing will normally be attended by:\n\n- a judge, sometimes with other tribunal members\n\n- a clerk and other tribunal staff, to help run the hearing\n\n- your representative, if you have one\n\n- a Home Office \u2018presenting officer\u2019, who will argue the case for the Home Office\n\n- any witnesses called to give evidence\n\n- an interpreter, if you\u2019ve asked for one\n\nIt can also normally be attended by:\n\n- your sponsor, if you have one\n\n- members of the public\n\n- the press or media\n\n## If your appeal cannot be resolved at the hearing\n\nIf your appeal is not held on its scheduled day for any reason (for example there is not a judge available) it\u2019ll be rescheduled for another day.\n\nYour hearing may also be adjourned as \u2018part heard\u2019 if there is not enough time to finish it, or it cannot be resolved on the day. The tribunal will arrange another hearing with the same people present.\n\n## Get a decision\n\nYou\u2019ll be given a decision in person or by post.\n\nThe tribunal will either decide to:\n\n- allow your appeal - this does not automatically mean you\u2019ll be able to enter or stay in the country and may simply mean the Home Office has to reconsider its decision\n\n- dismiss your appeal and uphold the Home Office\u2019s original decision\n\nYou\u2019ll usually get a copy of the tribunal\u2019s decision within 4 weeks of the hearing.\n\nBoth you and the Home Office can appeal the decision of the tribunal.\n\nThe tribunal can order either you or the Home Office to pay the other\u2019s costs if either of you has acted unreasonably.\n\n## If you win your appeal\n\nThe Home Office will change (\u2018revise\u2019) its decision if you win your appeal. The Home Office may reconsider your entire application if your circumstances have changed since you first made your appeal.\n\nThe judge may order the Home Office to pay you a \u2018fee award\u2019 if you win your appeal, up to the amount you paid for your tribunal fee.\n\nEmail the Home Office if you do not get your fee award after 60 days.\n\nInclude the following information:\n\n- your Home Office reference number\n\n- your appeal reference number\n\n- the date of the tribunal decision letter\n\n## If you lose your appeal\n\nYou can ask for permission to appeal to the Upper Tribunal (Immigration and Asylum Chamber) if you lose your case and you think there\u2019s a legal mistake with the tribunal\u2019s decision.\n\nFor example, you think the tribunal:\n\n- got the law wrong\n\n- do not apply the correct law\n\n- do not follow the correct procedures, which affected the decision\n\n- had no evidence to support its decision\n\n## Legislation and previous decisions\n\nRead the rules the tribunal must follow and the guidance it\u2019s issued.\n\nAll parties must follow the rules and process in the Tribunal Procedure (First-tier Tribunal) (Immigration and Asylum Chamber) Rules 2014.\n\nThe tribunal will make a decision based on legislation, including the:\n\n- Immigration Act 1971\n\n- Nationality, Immigration and Asylum Act 2002\n\n- Immigration, Asylum and Nationality Act 2006\n\n- Tribunals, Courts and Enforcement Act 2007\n\n- UK Borders Act 2007\n\n- Borders, Citizenship and Immigration Act 2009\n\n- Immigration Rules\n\n- Immigration (European Economic Area) Regulations 2016\n\nThe tribunal fees are set out in the First-tier Tribunal (Immigration and Asylum Chamber) Fees Order 2011.\n\nThe president of the tribunal has issued guidance which provides more detail on certain issues.\n\nThere are also older guidance notes for the Asylum and Immigration Tribunal which still apply to the First-tier Tribunal (Immigration and Asylum Chamber).\n\nCheck the decisions database to see how previous decisions on appeals have been made by the Immigration and Asylum Chamber.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/immigration-asylum-tribunal", + "answerable": true, + "scenario": "I moved to the UK seven years ago. I had the right of movement due to being from France, an EU member state. I have been told that I am going to lose have my status revoked. I currently live in the UK. I have submitted an appeal form outlining the information I would like the tribunal to make their decision on.", + "original_question": "Do I need to attend a hearing for my appeal?" + }, + { + "id": "train-2253", + "question": "Scenario: I have lost a land case to my neighbor who acquired it through fraud. I didn't receive timely court proceedings and I am saddened by the decision.\n\nQuestion: Can i appeal the decision considering it is not satisfactory to me?\n\nDocument - Apply to the land registration tribunal:\n## Overview\n\nYou need to apply to the Land Registration division of the Property Chamber (First-tier Tribunal) if you want to correct or cancel certain documents relating to registered land.\n\nYou may also be referred to the tribunal by HM Land Registry if you\u2019re in a dispute over a change to the land register (known as a \u2018reference case\u2019).\n\nIf you want to change the title register or title plan, contact HM Land Registry directly.\n\nThe tribunal is independent of government. A judge will listen to both sides of the argument before making a decision.\n\n## Help you can get\n\nYou may want to get help and advice before you appeal, for example from a lawyer.\n\n## Apply to the tribunal\n\nApply to the tribunal if you want to correct or cancel (sometimes known as \u2018set aside\u2019) certain documents relating to registered land. You can also object to someone else\u2019s application. These are known as \u2018rectification cases\u2019.\n\n## Apply to make a change to a document\n\nDownload and fill in the application form and send it to the address on the form.\n\nYou must also include a statement saying that you believe that the facts stated in the application are true.\n\nThe tribunal will then send, or tell you to send, a copy of the application to all other interested parties.\n\nYou\u2019ll be told whether there\u2019ll be a hearing to decide your case.\n\n## Object to a change of a document\n\nDownload and fill in the objection form and send it to the address given in the form.\n\nYou must send the form within 28 days of getting your copy of an application to change the register.\n\nYour response must include your reasons for objecting to the application, giving all relevant facts and evidence\n\nYou\u2019ll need to include a list of and copies of all documents that:\n\n- are important to your case\n\n- the tribunal and all interested parties will need to understand the case\n\nYou\u2019ll be told by the tribunal if there\u2019ll be a hearing to decide your case.\n\n## Get help\n\nYou can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.\n\n## Being referred to the tribunal\n\nYour case may be referred to the Land Registration division of the Property Chamber if somebody disputes your application to HM Land Registry. This is known as a \u2018reference case\u2019.\n\nBoth parties will be sent a letter by the tribunal after your case has been referred by HM Land Registry.\n\nThe letter will explain whether you\u2019re the \u2018applicant\u2019 or the \u2018respondent\u2019. Generally, you\u2019ll be named as the applicant if the tribunal thinks you\u2019re the party that needs to prove its case.\n\n## Making a \u2018statement of case\u2019\n\n## Applicants\n\nYou have 28 days after getting the letter to send your \u2018statement of case\u2019 to the tribunal and the respondent. The letter will tell you where to send your statement.\n\nYour statement must include:\n\n- your name and address (and an address where documents can be sent to you)\n\n- the name and address of your legal representative (if you have one)\n\n- your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence\n\nYou need to include copies of documents that:\n\n- are important to your case\n\n- are needed to understand the case\n\nYou also need to include a list of the documents.\n\nAfter the other parties have responded to the tribunal, you\u2019ll be told if there\u2019s going to be a hearing.\n\n## Respondents\n\nYou have 28 days after getting the applicants \u2018statement of case\u2019 to send your own case to the tribunal and the applicant.\n\nYour statement must include your reasons for supporting or objecting to the original application to HM Land Registry, giving all relevant facts and evidence.\n\nYou need to include copies of all documents that:\n\n- are important to your case\n\n- are needed to understand the case\n\nYou also need to include a list of these documents.\n\nThe tribunal will then contact you to tell you if there\u2019s going to be a hearing.\n\n## Starting court proceedings\n\nYou or the other party can be ordered by the tribunal to start court proceedings at any time. This will happen if the tribunal cannot handle your case.\n\nYou can also contact the tribunal and ask them to make the other party start court proceedings, or voluntarily start proceedings yourself.\n\n## Get help\n\nYou can get help with the appeal process and forms by contacting the Land Registration division of the Property Chamber. The helpline cannot give you legal advice.\n\n## What happens at the hearing\n\nYou may have to attend a hearing where you (or your legal representative) and the other parties will present your cases to a judge.\n\nThe judge will decide:\n\n- which party wins the case\n\n- if any costs are payable by one party to another\n\nYou\u2019ll usually be told the outcome of the case within 42 days of the hearing.\n\n## Preparing for the hearing\n\nYou\u2019ll be told the time and date of the hearing and where its being held. You\u2019ll usually be told at least 14 days beforehand if there\u2019s going to be a hearing. Hearings can be held sooner than this under exceptional circumstances or if all parties agree to a shorter notice period.\n\nYou\u2019ll be sent instructions on how to prepare and exchange evidence after all the parties have given their statements of case.\n\n## Decisions without hearings\n\nThe tribunal may make a decision without a hearing if all the people involved agree or if no one objects once given notice.\n\nThe people involved can also ask the tribunal to make a decision without a hearing.\n\n## Getting a time extension\n\nYou can ask for a time extension at any point in the proceedings.\n\nYou should ask all other parties involved to agree to an extension before applying to the tribunal.\n\n## If you lose your case\n\nYou can appeal to the Upper tribunal (Land Chamber) if you\u2019re not happy with the verdict. You must ask the First-tier Tribunal for permission first.\n\nYou can also ask the First-tier Tribunal to set aside their decision if you think there was a problem with the tribunal\u2019s procedure, for example you did not receive a notice of a hearing.\n\nRead guidance on how to challenge a decision for details.\n\nYou can complain about the tribunal staff or the service you received. You cannot complain about the decision.\n\n## Legislation and previous decisions\n\nYou can read the rules the tribunal must follow and its decisions on previous cases if you\u2019re representing yourself or someone else.\n\nThe tribunal will make a decision based on the Land Registration Act 2002.\n\nThe tribunal must follow the rules and process in:\n\n- Tribunal Procedure (First-tier Tribunal) (Property Chamber) Rules 2013\n\n- Practice Directions issued by the Senior President of Tribunals (30 July 2013) (PDF, 49KB)\n\n- Practice Statement issued by the Senior President of Tribunals (8 August 2017) (PDF, 0.1MB)\n\nYou can also search the decisions database to see how and why previous decisions have been made.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/apply-land-registration-tribunal", + "answerable": true, + "scenario": "I have lost a land case to my neighbor who acquired it through fraud. I didn't receive timely court proceedings and I am saddened by the decision.", + "original_question": "Can i appeal the decision considering it is not satisfactory to me?" + }, + { + "id": "train-2254", + "question": "Scenario: My neighbor was attacked and raped by two gangsters at night in her house.she later identified them and were jailed. She just received news that they are on parole and soon will be released. She is extremely distressed about the situation and would like to do everything to keep them in jail. Unfortunately her mental state might not allow her to fight her case on her own.\n\nQuestion: Can she ask someone else to make a victim personal statement to the parole board?\n\nDocument - Make a victim personal statement to the Parole Board:\n## Who can make a victim personal statement and when\n\nThe Parole Board decides if prisoners who are eligible for parole can be released. It also makes recommendations on whether it\u2019s safe for prisoners to be:\n\n- transferred to an open prison\n\n- given a temporary release under supervision (known as being \u2018on licence\u2019 or probation)\n\n## Victims\n\nYou can make a \u2018victim personal statement\u2019 to be presented at the Parole Board hearing if you\u2019re a victim of the prisoner.\n\nThis is sometimes known as an \u2018impact statement\u2019.\n\nIf you\u2019re in Scotland, you need to make a written representation to the Parole Board for Scotland.\n\nYou can use your statement to explain how the crime has affected you - from the time it was committed until now.\n\nThis includes the effect the crime has had on you and your family:\n\n- physically\n\n- mentally\n\n- emotionally\n\n- financially\n\n## Relatives of victims\n\nYou can make a victim personal statement if you\u2019re a close relative of a victim who:\n\n- has died\n\n- is aged under 18\n\n- cannot make a statement themselves - for example, because of mental incapacity or illness\n\nClose relatives include spouses and partners, parents, children, grandparents, grandchildren, siblings and dependants. Other family members, guardians and carers of victims may also be allowed to make a statement.\n\nWhen more than one relative wants to make a statement, the Parole Board may ask for 1 or 2 statements to represent them all.\n\n## When to make your victim personal statement\n\nIf you choose to join the Victim Contact Scheme, your Victim Liaison Officer will tell you when a prisoner is being considered for parole.\n\nThey\u2019ll tell you when to write your victim personal statement. They\u2019ll also send it to the Parole Board for you at least 28 days before the hearing.\n\nIf you did not join the Victim Contact Scheme, you can contact your local probation office about:\n\n- giving a statement\n\n- joining the scheme if you want to be told when a prisoner is being considered for release or transfer\n\nThe Parole Board has more information about making a victim personal statement and joining the Victim Contact Scheme.\n\n## How a victim personal statement is used\n\nThe Parole Board panel makes a decision based on whether a prisoner is a risk to the public.\n\nThe panel can use your victim personal statement to help it:\n\n- understand the impact of the crime\n\n- decide what questions to ask the prisoner, to find out about their understanding of how their crimes have affected victims\n\n- decide what the prisoner can and cannot do (known as \u2018licence conditions\u2019) if they\u2019re released\n\nThe Parole Board will make its decision by:\n\n- privately reviewing a file of information and reports about the prisoner\n\n- holding a hearing, if the board needs more information\n\nYou can ask to attend the hearing to read out your statement if you want, or have it read out for you. The Parole Board decides if you can attend.\n\n## Write your victim personal statement\n\nYour victim personal statement is your opportunity to explain how a crime has affected you and your family - for example, physically, emotionally, financially or in any other way.\n\nYou can update the statement that you wrote for the prisoner\u2019s trial or write a new one.\n\nYour statement should take less than 10 minutes to read out.\n\nYou can usually choose how your statement is presented at an oral hearing.\n\nYou must always submit a written version of your statement.\n\n## What to include\n\nYou need to include how the:\n\n- crime affected you at the time\n\n- crime has affected you since it happened\n\n- prisoner\u2019s release or move to an open prison would affect you, your family, friends or community\n\nDo not include:\n\n- whether you think the prisoner should be released\n\n- long descriptions of the original crime\n\n- any threats or critical comments to or about the prisoner or the Parole Board\n\nTell your Victim Liaison Officer if you think you have other information that will help the Parole Board make a decision.\n\n## Young victims and children\n\nIf you do not want to or cannot make a written victim personal statement, you can tell your Victim Liaison Officer about how:\n\n- you and your family were hurt\n\n- the crime makes you feel now\n\n- you think you would feel if the prisoner was released\n\nYour Victim Liaison Officer will write this down and give it to the Parole Board.\n\nYour parent or guardian can also make a statement if they want to.\n\n## The prisoner\u2019s access to your victim personal statement\n\nPrisoners usually have full access to all victim personal statements presented at their hearing.\n\nSpeak to your Victim Liaison Officer if you do not want the prisoner to have access to your statement.\n\nYou\u2019ll need to make a good case that it will:\n\n- put you or your family at risk\n\n- have a negative effect on you in some other way\n\nStatements are only withheld from prisoners under exceptional circumstances.\n\n## Choose how your victim personal statement is presented at the hearing\n\nYou\u2019ll usually have a choice of how your victim personal statement is presented at the hearing.\n\nYou can ask:\n\n- for the Parole Board panel to read your statement themselves\n\n- to attend the hearing and read out your statement in person\n\n- to attend the hearing and choose someone else to read out your statement\n\n- to choose someone to go the hearing instead of you and read out your statement\n\nBecause of coronavirus (COVID-19) you cannot currently attend hearings in person. You will have to submit your statement remotely.\n\nAt some hearings you may be able to read out your statement via a live video link or make a recording for the panel.\n\nRequests by victims to attend hearings are usually granted, but it\u2019s not a legal right and you can be refused.\n\nYou can usually bring your Victim Liaison Officer or a family member or friend if you come to the hearing.\n\nPeople under 18 years of age usually cannot attend parole hearings in person and must choose one of the other options, such as getting someone else to read out your statement.\n\n## What happens at a parole hearing\n\nYou\u2019ll be asked to read out your victim personal statement (unless someone else is reading it for you).\n\nYou will not be able to add anything to your written statement at the hearing and will not usually be asked questions.\n\nAfter you\u2019ve made your statement you\u2019ll be asked to leave and the hearing will continue.\n\nYour Victim Liaison Officer will tell you the outcome.\n\nRead the guide on getting parole for detailed information on what happens at a parole hearing.\n\n## Prisoners at parole hearings\n\nPrisoners are usually not present while their victims read their statements. The prisoner\u2019s legal representative is usually there.\n\nYou can ask that the prisoner is present while you read your statement, but they\u2019ll need to agree to this and the Parole Board has to allow it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/make-a-statement-to-the-parole-board", + "answerable": true, + "scenario": "My neighbor was attacked and raped by two gangsters at night in her house.she later identified them and were jailed. She just received news that they are on parole and soon will be released. She is extremely distressed about the situation and would like to do everything to keep them in jail. Unfortunately her mental state might not allow her to fight her case on her own.", + "original_question": "Can she ask someone else to make a victim personal statement to the parole board?" + }, + { + "id": "train-2257", + "question": "Scenario: I participated in an employment tribunal against my employer with a group of colleagues back in October of 2016. I was not lead claimant, but I did pay for the tribunal fees.\n\nQuestion: Am I able to get a refund on the tribunal fees?\n\nDocument - Make a claim to an employment tribunal:\n## When you can claim\n\nYou can make a claim to an employment tribunal if you think someone has treated you unlawfully, such as your employer, a potential employer or a trade union.\n\nUnlawful treatment can include:\n\n- unfair dismissal\n\n- discrimination\n\n- unfair deductions from your pay\n\nThis guide and the online service are also available in Welsh (Cymraeg).\n\nYou usually have to make a claim to the tribunal within 3 months of your employment ending or the problem happening.\n\nThe tribunal is independent of government and will listen to you (the \u2018claimant\u2019) and the person you\u2019re making a claim against (the \u2018respondent\u2019) before making a decision.\n\nSee if there\u2019s another way to solve the problem before you make a claim to a tribunal, such as using a grievance procedure.\n\n## Before you make a claim\n\nYou must tell the Advisory, Conciliation and Arbitration Service (Acas) that you intend to make a claim to the tribunal.\n\nYou\u2019ll be offered the chance to try and settle the dispute without going to court by using Acas\u2019s free \u2018Early Conciliation\u2019 service.\n\nIf early conciliation does not work, Acas will send you an early conciliation certificate - use this when you make a claim to the tribunal.\n\nOnce you receive your certificate, you\u2019ll have at least one month left to make your claim.\n\n## Help you can get\n\nCall the Employment Tribunal customer contact centre if you have any questions about your claim. They cannot give you legal advice.\n\nCall Acas if you have any questions about early conciliation. They cannot answer questions about your claim.\n\n## Legal help\n\nYou may want to get legal help or advice if you\u2019re in England and Wales or Scotland before you make your claim.\n\nYour trade union may be able to pay for a solicitor.\n\nYou can also get free legal advice from Citizens Advice or Citizens Advice Scotland.\n\nThe Equality Advisory and Support Service can help if your claim is about discrimination. You may also be able to get legal aid.\n\n## Make a claim\n\nYou can make a claim to the employment tribunal online.\n\nYou should read the guidance for whistleblowing if it relates to your claim.\n\nThis online service is also available in Welsh (Cymraeg).\n\nThere\u2019s a different way to claim if you live in Northern Ireland.\n\nClaim online\n\n## Make a claim by post\n\nYou can also download and fill in a claim form.\n\nRead the guidance for making a claim before you fill in the form. You should also read the guidance for whistleblowing if it relates to your claim.\n\nYou do not have to pay a fee to make a claim to the Employment Tribunal, even if it says so on the form.\n\nSend your completed form to one of the following addresses, depending on where you were working.\n\n## Talk-through service\n\nUse the employment tribunal talk-through service only if you\u2019re unable to use a computer without help.\n\nBefore calling make sure you have:\n\n- your Acas early conciliation certificate number or a valid reason why you do not have one\n\n- details of your claim including the background, dates and people involved\n\nThis service will not give you advice on the details of your claim. Contact the number for general enquiries instead.\n\n## After you make a claim\n\nThe respondent usually has to reply to your claim in writing within 28 days of getting your claim form. They will give their side of the case.\n\nOnce they\u2019ve replied, the tribunal will decide whether there will be a full hearing to decide on your case.\n\nIf they do not reply, the tribunal may decide on your case without you having to go to a hearing.\n\n## Hearings and coronavirus (COVID-19)\n\nBecause of coronavirus, your hearing may take place by phone, by video or in person.\n\nIf you\u2019re a legal professional, read guidance on how cases are affected by COVID-19.\n\n## \u2018Preliminary hearing\u2019\n\nYou may be asked to go to an initial hearing (called a preliminary hearing) with the judge to decide on things like:\n\n- whether part or all of your claim can go ahead\n\n- the date and time of a hearing\n\n- how long the hearing should take\n\n## Arrange documents\n\nYou can ask the respondent for documents that will help you with your case, and they can request documents from you.\n\nExamples of documents include:\n\n- a contract of employment\n\n- pay slips\n\n- details of your pension scheme\n\n- notes from relevant meetings you attended at work\n\nUsually the tribunal will issue an order setting out a timetable for when you should exchange documents.\n\nYou\u2019ll be sent a letter telling you how many copies of each document to bring to the hearing.\n\n## Organise witnesses\n\nYou can bring witnesses to the hearing if they can give evidence directly relevant to your case.\n\nIf you ask a witness to attend and they do not want to, you can ask the tribunal to order them to come. You must apply in writing to the tribunal office dealing with your case, giving:\n\n- the name and address of the witness\n\n- details of what the witness may be able to say and how it will help your case\n\n- the reason the witness has refused to attend (if they gave you one)\n\nYou\u2019ll most likely be responsible for paying the witness\u2019s expenses.\n\n## Going to a tribunal hearing\n\nCases are normally held at the employment tribunal office closest to where you worked.\n\nYou must take the documents you\u2019re using to support your case. You can take a colleague or someone else with you if you want.\n\nYou cannot claim for expenses for going to the hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place by phone, by video or in person. If you need to attend in person, find out what to expect when coming to your hearing. The tribunal will contact you and tell you how the hearing will take place.\n\n## What happens at the hearing\n\nYou\u2019ll present your case to the tribunal - someone else can do this for you, for example a lawyer, friend or family member. The respondent will present their case against you.\n\nYou\u2019ll normally give evidence first, unless your case is about unfair dismissal. You can also call witnesses to give evidence.\n\nYou will usually be asked questions by:\n\n- the judge\n\n- the respondent\n\n- two other tribunal members (only in certain cases)\n\n## Get a decision\n\nYou\u2019ll be sent the decision in the post a few days or weeks after the hearing. The decision will be published on GOV.UK. In certain cases you may also be given the decision at the hearing.\n\n## If you win your case\n\nIf you win your case, the tribunal can order the losing party to do certain things depending on the type of case. Examples include:\n\n- paying you compensation\n\n- paying you any witness expenses you\u2019ve paid\n\n- improving your working conditions\n\n- giving you your job back, if appropriate\n\nIf you get compensation, the amount can depend on:\n\n- the type of case - there are limits on certain cases\n\n- how much money you\u2019ve lost because of the respondent\u2019s actions\n\n- your age, length of service and salary\n\n## If the respondent does not pay\n\nIf you do not get your payment, contact them to find out why.\n\nIf they still do not pay you can ask to have them fined and named online by the government. You can also ask a court to force them to pay.\n\nYou cannot do these things if the respondent has appealed, or is about to. They have 42 days to appeal.\n\n## Get the respondent fined and named online by the government\n\nUse the penalty enforcement form. Post it to the address on the form or email it to the Department for Business, Energy and Industrial Strategy.\n\nThe respondent will initially get a warning notice telling them they may be fined, and named online by the government.\n\nIf they do not pay the compensation within 28 days of this notice they\u2019ll have to pay a fine and may be named online by the government.\n\nYou can still get a court to force them to pay.\n\n## Forcing them to pay if you\u2019re in England or Wales\n\nYou can use the Fast Track scheme to send a High Court Enforcement Officer - similar to a bailiff - to demand payment from the respondent.\n\nIt costs \u00a366, which you get back from the respondent when they pay.\n\nFill in the Fast Track Enforcement form (or the Acas settlement form if your case was settled before a hearing) and send it to the address on the form.\n\nYou can also ask the local county court to send an enforcement officer to get the money from the respondent. This costs \u00a344.\n\nFill in an application to enforce an award form and send it with a copy of the tribunal\u2019s decision to your local county court.\n\n## Forcing them to pay if you\u2019re in Scotland\n\nWrite to the office that heard your case and ask for an \u2018extract of the judgment\u2019. A sheriff officer can use this to force the respondent to pay.\n\nIf the respondent is \u2018insolvent\u2019 (for example, they\u2019re in administration, liquidation or receivership) you can make a claim for money they owe you, including redundancy payments.\n\n## If you lose your case\n\nYou can ask the tribunal to reconsider the decision (or \u2018judgment\u2019) if you lose your case.\n\nYou must write to the tribunal office within 14 days of getting the decision, saying why you want it to be reconsidered.\n\nYou also need to give good reasons, for example:\n\n- the tribunal made a mistake in the way it reached its decision\n\n- you were not told about the hearing, or were not at the hearing\n\n- there\u2019s new evidence\n\nSend your letter to the tribunal office that dealt with your case.\n\n## Appeal to the Employment Appeal Tribunal\n\nYou can also appeal to the Employment Appeal Tribunal if you think the employment tribunal made a legal mistake.\n\n## Get a refund for tribunal fees\n\nYou can get a refund if you paid fees at an Employment Tribunal or Employment Appeals Tribunal between 29 July 2013 and 26 July 2017.\n\n## How to apply\n\nYou can apply online if:\n\n- you have not changed your name since you made the claim to the tribunal\n\n- your claim was against one employer\n\n- you have a UK bank account\n\nOtherwise, you can apply by post or email.\n\nYou\u2019ll need to include how much you paid in tribunal fees.\n\n## Apply online\n\nUse the service to apply for a refund online.\n\n## Apply by email or post\n\nThe form you use depends on why you paid the fees.\n\nUse form 1/2-CR if:\n\n- you made the claim on your own and paid the fees\n\n- a claim was brought against you and you were ordered to pay someone\u2019s fees, or if you paid any other fees to the tribunal\n\n- you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for less than 11 people\n\nUse form 3-S if:\n\n- you paid the fees for someone else to make the claim\n\n- you were the \u2018lead claimant\u2019 in a joint (\u2018multiple\u2019) claim for over 10 people\n\nSend your completed form by post or email to HM Courts and Tribunals Service (HMCTS).\n\n## Get help applying\n\nContact HMCTS if you need help applying or have questions about refunds.\n\nFind out about call charges.\n\n## What happens next\n\nIf you\u2019re entitled to a refund it\u2019ll be transferred to your bank account (plus 0.5% interest). You\u2019ll get a letter confirming the amount.\n\n## Legislation\n\nThe Employment Tribunal follows rules and processes that you also have to follow.\n\nYou can also read other relevant tribunal rules and regulations.\n\nThe tribunal has issued guidance and practice directions for England and Wales and Scotland which provide more information about specific areas, such as postponing hearings and serving documents.\n\nYou can also read guidance about specific cases.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/employment-tribunals", + "answerable": true, + "scenario": "I participated in an employment tribunal against my employer with a group of colleagues back in October of 2016. I was not lead claimant, but I did pay for the tribunal fees.", + "original_question": "Am I able to get a refund on the tribunal fees?" + }, + { + "id": "train-2259", + "question": "Scenario: My sister passed her driving test in July 2019 . Last week she was pulled over because she was driving while using her mobile phone. This is here first ever traffic violation and her license has not been deducted any points before.\n\nQuestion: Can she get banned from driving?\n\nDocument - Being stopped by the police while driving:\n## Overview\n\nThe police can stop a vehicle for any reason. If they ask you to stop, you should always pull over when it\u2019s safe to do so. You\u2019re breaking the law if you do not stop.\n\nIf you\u2019re stopped, the police can ask to see your:\n\n- driving licence\n\n- insurance certificate\n\n- MOT certificate\n\nIf you do not have these documents with you, you have 7 days to take them to a police station. You\u2019re breaking the law if you do not show the requested documents within 7 days.\n\nThe police can also give you an on-the-spot fixed penalty notice for many minor offences and make you take a breath test in certain circumstances.\n\nYou can also have your vehicle seized if you\u2019re stopped on suspicion of driving without insurance and for some other offences.\n\n## Breath tests\n\nThe police can stop you at any time and ask you to take a breath test (\u2018breathalyse\u2019 you) if:\n\n- they think you\u2019ve been drinking\n\n- you\u2019ve committed a traffic offence\n\n- you\u2019ve been involved in a road traffic accident\n\nIf you refuse to take a breath test, or fail to supply a sample of breath and do not have a \u2018reasonable excuse\u2019, you can be arrested. A reasonable excuse could be a genuine physical or mental condition stopping you from giving a sample.\n\nThe breath test gives a result straight away. If it shows you\u2019re not over the drink drive limit, you may be allowed to go.\n\nIf you fail the breath test, you\u2019ll be taken to a police station and given a final breath test. If it\u2019s positive, you will be charged.\n\nIf the officer thinks you\u2019re under the influence of alcohol or drugs, they can ask you to:\n\n- take a drug test\n\n- do a physical test (a \u2018field impairment test\u2019), for example walk in a straight line then turn around and walk back\n\nYou can be arrested if you fail the test.\n\nIf you fail a breath test you cannot drive your car until you\u2019re sober. You can ask someone else to collect your car for you.\n\n## Minor motoring offences\n\nThe police can give you a \u2018fixed penalty notice\u2019 for less serious traffic offences, including for:\n\n- careless or inconsiderate driving\n\n- using a mobile phone while driving\n\n- not wearing a seat belt\n\n- driving too close to another vehicle\n\nYou can be fined up to \u00a3200 and get penalty points on your licence if you get a fixed penalty notice - you may be disqualified from driving if you build up 12 points within 3 years.\n\nThe police can also decide to:\n\n- take no action\n\n- issue a warning\n\n- offer driver training\n\n- charge you with an offence\n\nYou can choose not to pay the fixed penalty if you believe that it was given unjustly, but you\u2019ll have to argue your case in court.\n\n## Faults with your vehicle\n\nIf your vehicle has something wrong with it, for example a broken brake light, the police may give you a \u2018vehicle defect rectification notice\u2019.\n\nYou\u2019ll need to get your vehicle fixed and provide proof that it\u2019s been fixed, for example a receipt for the work from a mechanic. You have 14 days from the date of the notice to show the proof to the police.\n\n## When the police can seize your vehicle\n\nThe police can seize a vehicle if they think it\u2019s being used in a way that causes alarm, harassment or distress, for example careless or inconsiderate driving.\n\nThey can also seize a vehicle if they think it\u2019s:\n\n- being driven by someone who does not have a proper licence or insurance\n\n- dangerously, illegally or obstructively parked\n\n- broken-down or abandoned\n\nIf your vehicle is seized there\u2019s a \u2018release fee\u2019 of up to \u00a3200 plus a storage fee of \u00a320 for every day or part day.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/stopped-by-police-while-driving-your-rights", + "answerable": true, + "scenario": "My sister passed her driving test in July 2019 . Last week she was pulled over because she was driving while using her mobile phone. This is here first ever traffic violation and her license has not been deducted any points before.", + "original_question": "Can she get banned from driving?" + }, + { + "id": "train-2270", + "question": "Scenario: I am a 21 year old female and it has been a few years since I passed my driving test. I am happy with being anle to drive although the amount of insurence I have to pay is very high. I have passed Pass Plus as well\n\nQuestion: Is there a way I can get a discount on my insurance? Is it sure that I will get discounts for passing Pass Plus ?\n\nDocument - Pass Plus:\n## Overview\n\nPass Plus is a practical training course that takes at least 6 hours and is for drivers to improve their skills and drive more safely.\n\nIt can be taken at any time although it should be most useful to new drivers in the year after passing their test.\n\nYou\u2019ll need a Pass Plus registered approved driving instructor (ADI) to teach you.\n\nIt may help you get a car insurance discount if you successfully complete the course.\n\n## Booking Pass Plus\n\nYou need to book Pass Plus with an approved driving instructor (ADI) who is registered with Pass Plus.\n\nYou can contact the Driver and Vehicle Standards Agency (DVSA) to check if an instructor is registered with Pass Plus. You\u2019ll need their name and ADI number.\n\n## Fees\n\nPass Plus fees depend on where you live, the instructor or driving school and how long your training takes.\n\nSome local councils can offer discounts off the full Pass Plus training costs.\n\n## Local councils offering discounts\n\nSome local councils can offer discounts off the full Pass Plus training costs\n\nContact your borough, town, city or county council if they are listed to see if they can help you with the cost of your training.\n\nYou must live in the council\u2019s area to be eligible for the discount.\n\n## East Midlands\n\n## North-west\n\n## South-east\n\n## South-west\n\n## Scotland\n\n## Wales\n\nAll local councils in Wales offer discounted Pass Plus courses. Go to Pass Plus Cymru for more information.\n\n## How Pass Plus training works\n\nPass Plus training takes at least 6 hours. It has 6 modules, covering driving:\n\n- in town\n\n- in all weathers\n\n- on rural roads\n\n- at night\n\n- on dual carriageways\n\n- on motorways\n\nAll modules should be practical sessions, although local conditions may mean some are theory based. You\u2019ll normally spend at least 5.5 hours driving.\n\nYou will not take a test but you\u2019ll be assessed throughout the course. To pass you\u2019ll have to reach the required standard in all modules.\n\nContact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team for more information.\n\n## Apply for a Pass Plus certificate\n\nYou must apply for your own Pass Plus certificate if you want one.\n\nYou need a certificate if you want a discount on your car insurance.\n\nYou\u2019ll get a training report form from your instructor when you\u2019ve reached the required standard in all modules. You and your instructor must sign the form.\n\nContact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team to apply for your certificate.\n\n## Car insurance discounts\n\nOnce you\u2019ve completed Pass Plus you may be able to get a car insurance discount. You\u2019ll need your Pass Plus certificate.\n\nCheck with insurers that you can still get a discount if you passed your practical driving test more than a year ago.\n\nThe amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.\n\nYou might be able to put the discount on hold for up to 2 years if you do not have a car at the moment - check with the insurance company first.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/pass-plus", + "answerable": true, + "scenario": "I am a 21 year old female and it has been a few years since I passed my driving test. I am happy with being anle to drive although the amount of insurence I have to pay is very high. I have passed Pass Plus as well", + "original_question": "Is there a way I can get a discount on my insurance? Is it sure that I will get discounts for passing Pass Plus ?" + }, + { + "id": "train-2272", + "question": "Scenario: I am an elderly man and I have a mobility scooter although I don\u2019t know if I am able to register it or not, I also have bad vision and will need help with viewing the computer when registering.\n\nQuestion: Do I need to register my mobility scooter which is classed as class 2 invalid carriage ?\n\nDocument - Mobility scooters and powered wheelchairs: the rules:\n## Overview\n\nYou do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.\n\nMobility scooters and powered wheelchairs come in 2 categories:\n\n- \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph\n\n- \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road\n\nYou do not need to register a class 2 invalid carriage.\n\nYou must register class 3 invalid carriages.\n\nYou must be 14 or over to drive a class 3 invalid carriage.\n\n## Rules for class 3 invalid carriages\n\nThe law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:\n\n- a maximum unladen weight of 150kg\n\n- a maximum width of 0.85 metres\n\n- a device to limit its speed to 4mph\n\n- a maximum speed of 8mph\n\n- an efficient braking system\n\n- front and rear lights and reflectors\n\n- direction indicators able to operate as a hazard warning signal\n\n- an audible horn\n\n- a rear view mirror\n\n- an amber flashing light if it\u2019s used on a dual carriageway\n\nYou could be stopped by the police if your class 3 invalid carriage does not have these features.\n\n## Driving on the road\n\nYou can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.\n\nYou cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.\n\nYou must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.\n\n## Road rules\n\nYou must follow the Highway Code if you drive your mobility scooter on the road.\n\n## Driving on footpaths and parking\n\nAll mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.\n\nYou cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.\n\n## Parking\n\nAll normal parking restrictions apply to mobility scooters and powered wheelchairs.\n\nYour vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.\n\n## Eyesight requirements\n\nThere is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).\n\nYou must check that you can still do this regularly.\n\nYou might have to pay compensation if you have an accident and poor eyesight was part of the cause.\n\n## Who can use them\n\nYou can only drive a mobility scooter or powered wheelchair if you:\n\n- have trouble walking because of an injury, physical disability or medical condition\n\n- are demonstrating the vehicle before it\u2019s sold\n\n- are training a disabled user\n\n- are taking the vehicle to or from maintenance or repair\n\n## Vehicle tax, registration and insurance\n\nYou do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.\n\nCheck whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.\n\n## Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair\n\nWhen you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.\n\nIf you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.\n\n## Change your name or address\n\nIf you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.\n\n## If your mobility scooter or powered wheelchair is not a registered vehicle\n\nMost scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.\n\nIf your vehicle is not registered, register it by filling in:\n\n- form V55/4 for new vehicles\n\n- form V55/5 for used vehicles\n\n## Insurance\n\nYou do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "answerable": true, + "scenario": "I am an elderly man and I have a mobility scooter although I don\u2019t know if I am able to register it or not, I also have bad vision and will need help with viewing the computer when registering.", + "original_question": "Do I need to register my mobility scooter which is classed as class 2 invalid carriage ?" + }, + { + "id": "train-2276", + "question": "Scenario: I am an elderly man and I have a mobility scooter, which the supplier told me counts as a \"class 3 invalid carriage\". I don\u2019t know if I am able to register it or not, I also have bad vision and will need help with viewing the computer when registering.\n\nQuestion: Do I need to register my mobility scooter?\n\nDocument - Mobility scooters and powered wheelchairs: the rules:\n## Overview\n\nYou do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.\n\nMobility scooters and powered wheelchairs come in 2 categories:\n\n- \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph\n\n- \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road\n\nYou do not need to register a class 2 invalid carriage.\n\nYou must register class 3 invalid carriages.\n\nYou must be 14 or over to drive a class 3 invalid carriage.\n\n## Rules for class 3 invalid carriages\n\nThe law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:\n\n- a maximum unladen weight of 150kg\n\n- a maximum width of 0.85 metres\n\n- a device to limit its speed to 4mph\n\n- a maximum speed of 8mph\n\n- an efficient braking system\n\n- front and rear lights and reflectors\n\n- direction indicators able to operate as a hazard warning signal\n\n- an audible horn\n\n- a rear view mirror\n\n- an amber flashing light if it\u2019s used on a dual carriageway\n\nYou could be stopped by the police if your class 3 invalid carriage does not have these features.\n\n## Driving on the road\n\nYou can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.\n\nYou cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.\n\nYou must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.\n\n## Road rules\n\nYou must follow the Highway Code if you drive your mobility scooter on the road.\n\n## Driving on footpaths and parking\n\nAll mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.\n\nYou cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.\n\n## Parking\n\nAll normal parking restrictions apply to mobility scooters and powered wheelchairs.\n\nYour vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.\n\n## Eyesight requirements\n\nThere is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).\n\nYou must check that you can still do this regularly.\n\nYou might have to pay compensation if you have an accident and poor eyesight was part of the cause.\n\n## Who can use them\n\nYou can only drive a mobility scooter or powered wheelchair if you:\n\n- have trouble walking because of an injury, physical disability or medical condition\n\n- are demonstrating the vehicle before it\u2019s sold\n\n- are training a disabled user\n\n- are taking the vehicle to or from maintenance or repair\n\n## Vehicle tax, registration and insurance\n\nYou do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.\n\nCheck whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.\n\n## Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair\n\nWhen you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.\n\nIf you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.\n\n## Change your name or address\n\nIf you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.\n\n## If your mobility scooter or powered wheelchair is not a registered vehicle\n\nMost scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.\n\nIf your vehicle is not registered, register it by filling in:\n\n- form V55/4 for new vehicles\n\n- form V55/5 for used vehicles\n\n## Insurance\n\nYou do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "answerable": true, + "scenario": "I am an elderly man and I have a mobility scooter, which the supplier told me counts as a \"class 3 invalid carriage\". I don\u2019t know if I am able to register it or not, I also have bad vision and will need help with viewing the computer when registering.", + "original_question": "Do I need to register my mobility scooter?" + }, + { + "id": "train-2280", + "question": "Scenario: My Uncle is scheduled for a police interview tomorrow and he is deaf . His inability places him at a disadvantage since he can't articulate and hear well .\n\nQuestion: Do the police have to provide an interpreter when they interview my uncle, even if there is a delay in obtaining one?\n\nDocument - Disability rights:\n## Overview\n\nAs a disabled person, you have rights to protect you from discrimination. These rights cover most areas including:\n\n- employment\n\n- education\n\n- dealing with the police\n\nThe Equality Act 2010 and the United Nations (UN) Convention on disability rights help to enforce, protect and promote your rights.\n\n## Employment\n\nIt\u2019s against the law for employers to discriminate against you because of a disability. The Equality Act 2010 protects you and covers areas including:\n\n- application forms\n\n- interview arrangements\n\n- aptitude or proficiency tests\n\n- job offers\n\n- terms of employment, including pay\n\n- promotion, transfer and training opportunities\n\n- dismissal or redundancy\n\n- discipline and grievances\n\n## Reasonable adjustments in the workplace\n\nAn employer has to make \u2018reasonable adjustments\u2019 to avoid you being put at a disadvantage compared to non-disabled people in the workplace. For example, adjusting your working hours or providing you with a special piece of equipment to help you do the job.\n\n## Recruitment\n\nAn employer who\u2019s recruiting staff may make limited enquiries about your health or disability.\n\nYou can only be asked about your health or disability:\n\n- to help decide if you can carry out a task that is an essential part of the work\n\n- to help find out if you can take part in an interview\n\n- to help decide if the interviewers need to make reasonable adjustments for you in a selection process\n\n- to help monitoring\n\n- if they want to increase the number of disabled people they employ\n\n- if they need to know for the purposes of national security checks\n\nYou may be asked whether you have a health condition or disability on an application form or in an interview. You need to think about whether the question is one that is allowed to be asked at that stage of recruitment.\n\n## Redundancy and retirement\n\nYou can\u2019t be chosen for redundancy just because you\u2019re disabled. The selection process for redundancy must be fair and balanced for all employees.\n\nYour employer cannot force you to retire if you become disabled.\n\n## Education\n\nIt\u2019s against the law for a school or other education provider to treat disabled students unfavourably. This includes:\n\n- direct discrimination, for example refusing admission to a student or excluding them because of disability\n\n- indirect discrimination, for example only providing application forms in one format that may not be accessible\n\n- discrimination arising from a disability, for example a disabled pupil is prevented from going outside at break time because it takes too long to get there\n\n- harassment, for example a teacher shouts at a disabled student for not paying attention when the student\u2019s disability stops them from easily concentrating\n\n- victimisation, for example suspending a disabled student because they\u2019ve complained about harassment\n\n## Reasonable adjustments\n\nAn education provider has a duty to make \u2018reasonable adjustments\u2019 to make sure disabled students are not discriminated against. These changes could include providing extra support and aids (like specialist teachers or equipment).\n\nSchools are not subject to the reasonable adjustment duty to make alterations to physical features, like adding ramps. They must make the buildings accessible for their disabled pupils as part of their overall planning duties.\n\n## Special educational needs and disabilities (SEND)\n\nAll publicly funded pre-schools, nurseries, state schools and local authorities must try to identify and help assess children with special educational needs and disabilities (SEND).\n\nIf a child has an an education, health and care (EHC) plan or a statement of special educational needs, these must be reviewed annually. From year 9 the child will get a full review to understand what support they will need to prepare them for adulthood.\n\n## Higher education\n\nAll universities and higher education colleges should have a person in charge of disability issues that you can talk to about the support they offer.\n\nYou can also ask local social services for an assessment to help with your day-to-day living needs.\n\n## Police\n\nIf you\u2019re being questioned or interviewed at a police station you have certain rights depending on your impairment.\n\n## Deaf, hearing-impaired or speech difficulties\n\nThe police should arrange for an interpreter to be present with you. The police can interview you without an interpreter if a delay would result in harm to people, property or evidence.\n\n## Learning disabilities\n\nThe police should only interview someone who has a learning disability when a responsible person (referred to as an \u2018appropriate adult\u2019) is present. The appropriate adult should not work for the police and should have experience of people with learning disabilities. The police can interview you without an appropriate adult if a delay would result in harm to people, property or evidence.\n\n## Right to medical treatment\n\nIf you\u2019re being kept in a police cell, you have the right to a medical examination by a healthcare worker. A healthcare worker may be a paramedic, nurse or a police surgeon (sometimes referred to as a \u2018Forensic Medical Examiner\u2019).\n\nIf you do not want to be examined by the healthcare worker provided, you could be examined by a general practitioner (GP) that you choose - if they\u2019re available. You may have to pay for this, and this payment will be noted down.\n\n## The Equality Act 2010 and UN Convention\n\nThe Equality Act 2010 protects you from discrimination. It provides legal rights for you in the areas of:\n\n- employment\n\n- education\n\n- access to goods, services and facilities\n\n- buying and renting land or property\n\nThe Equality Act 2010 also protects your rights if you have an association with a disabled person, for example a carer or parent.\n\nGet more information about the Equality Act 2010.\n\n## United Nations (UN) Convention on disability rights\n\nThe UN Convention on disability rights has been agreed by the UK to protect and promote the rights of disabled people.\n\nGet more information about the UN Convention on disability rights from the Office for Disability Issues.\n\n## Further help and advice\n\nCheck if you can get legal aid to help with your legal costs if you think you\u2019ve been discriminated against. You can get advice from Civil Legal Advice if you\u2019re eligible.\n\nYou can get advice and information on your rights from:\n\n- Equality Advisory Support Service\n\n- Disability Rights UK\n\n- Advicenow\n\n- Citizens Advice", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/rights-disabled-person", + "answerable": true, + "scenario": "My Uncle is scheduled for a police interview tomorrow and he is deaf . His inability places him at a disadvantage since he can't articulate and hear well .", + "original_question": "Do the police have to provide an interpreter when they interview my uncle, even if there is a delay in obtaining one?" + }, + { + "id": "train-2284", + "question": "Scenario: I am due to be released from prison soon and I have a young child who is currently staying with my parents. Although we are going to be staying with them after I leave prison, I will be my child's sole carer.\n\nQuestion: Can I apply to see my child before leaving prison, so they can adjust to seeing me?\n\nDocument - Leaving prison:\n## When someone can leave prison\n\nWhen a prisoner is released depends on:\n\n- the length of their sentence\n\n- their behaviour in prison\n\n- any time spent on remand (waiting for their trial)\n\n## If the prisoner has a fixed term (determinate) sentence\n\nA prisoner serving a determinate sentence is normally released automatically halfway through their sentence.\n\nIf their sentence is 12 months or more, they\u2019ll be released on probation.\n\nA Parole Board is not involved.\n\n## When a Parole Board reviews a case\n\nPrisoners can apply for parole if they have an extended sentence, or a fixed-term sentence for:\n\n- 4 years or more\n\n- a serious violent or sexual crime committed before 4 April 2005\n\n## If the prisoner has a non fixed term (indeterminate) or life sentence\n\nThe government will apply for parole on the prisoner\u2019s behalf.\n\n## Temporary release from prison\n\nA prisoner may be allowed to leave prison for short periods towards the end of their sentence - whatever its type or length.\n\nHowever, the prison will not release someone if it thinks they\u2019re a risk to the public or may commit more crime.\n\n## Resettlement day release\n\nA resettlement day release lets a prisoner out during the day - for example to go on a training course to help them find work once they\u2019re released.\n\n## Resettlement overnight release\n\nA resettlement overnight release lets a prisoner spend the night at the place they\u2019ll live at after they\u2019re released.\n\n## Childcare resettlement licence\n\nA childcare resettlement licence lets a prisoner spend time with their child. They can only apply for this if they\u2019ll be the sole carer of a child when they finish their prison sentence.\n\n## Before someone leaves prison\n\nAll prisoners get help preparing for life when they leave prison. In the last 12 weeks of their sentence, they\u2019re given advice and support on:\n\n- finding somewhere to live\n\n- getting a job\n\n- looking after money\n\nPrisoners get additional support if they:\n\n- have abused substances (such as drugs or alcohol)\n\n- are sex workers\n\n- are the victim of domestic violence\n\nMost prisoners spend the last few months of their sentence in a prison near where they plan to live.\n\n## Support when someone leaves prison\n\nA person leaving prison may get the following financial support:\n\n- Universal Credit\n\n- Jobseeker\u2019s Allowance\n\n- help from your local council\n\n- Scottish Welfare Fund in Scotland\n\n- Discretionary Assistance Fund in Wales\n\nPrisons may also work with organisations in their local area, such as charities, to help prisoners prepare for their release. You can find out about these organisations in the prison information pages.\n\n## Useful websites\n\nThere are organisations that can provide support for people leaving prison, including:\n\n- Nacro (previously National Association for the Care and Resettlement of Offenders)\n\n- Prison Reform Trust\n\n- The Hardman Directory\n\n- Shelter\n\n- Unlock", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/leaving-prison", + "answerable": true, + "scenario": "I am due to be released from prison soon and I have a young child who is currently staying with my parents. Although we are going to be staying with them after I leave prison, I will be my child's sole carer.", + "original_question": "Can I apply to see my child before leaving prison, so they can adjust to seeing me?" + }, + { + "id": "train-2285", + "question": "Scenario: I own three houses. Two of these houses, situated in England, are now empty, and will remain so for the next six months. They will continue to be empty for at least three years due to personal circumstances.\n\nQuestion: Are there any Council Tax reductions that I can get for these two properties?\n\nDocument - Council Tax:\n## Working out your Council Tax\n\nYou\u2019ll need to know 3 things:\n\n- the valuation band for your home in England and Wales or in Scotland\n\n- how much your local council charges for that band\n\n- whether you can get a discount or exemption from the full bill\n\nYou may be able to get Council Tax Reduction (this used to be called Council Tax Benefit) if you\u2019re on a low income or get benefits.\n\nYou can challenge your Council Tax band if you think your home is in the wrong valuation band.\n\n## Changes that may affect your Council Tax band\n\nYour property may be revalued and put in a different band in some circumstances, for example if:\n\n- you demolish part of your property and do not rebuild it\n\n- you alter your property to create 2 or more self-contained units, for example an annexe - each unit will have its own band\n\n- you split a single property into self-contained flats\n\n- you convert flats into a single property\n\n- you start or stop working from home\n\n- the previous owner made changes to your property\n\n- there are significant changes to your local area, like a new road being built\n\n- a similar property in your area has its Council Tax band changed\n\nAsk the Valuation Office Agency (VOA) if you want to know if changes to your property will affect your Council Tax band.\n\n## Who has to pay\n\nYou\u2019ll usually have to pay Council Tax if you\u2019re 18 or over and own or rent a home.\n\nA full Council Tax bill is based on at least 2 adults living in a home. Spouses and partners who live together are jointly responsible for paying the bill.\n\nYou\u2019ll get 25% off your bill if you count as an adult for Council Tax and either:\n\n- you live on your own\n\n- no-one else in your home counts as an adult\n\nYou\u2019ll usually get a 50% discount if no-one living in your home, including you, counts as an adult.\n\nYou will not have to pay any Council Tax if everyone in your home, including you, is a full-time student.\n\nApply for a Council Tax discount.\n\n## Who does not count as an adult?\n\nThese people are not counted as adults for Council Tax:\n\n- children under 18\n\n- people on some apprentice schemes\n\n- 18 and 19-year-olds in full-time education\n\n- full-time college and university students\n\n- young people under 25 who get funding from the Skills Funding Agency or Young People\u2019s Learning Agency\n\n- student nurses\n\n- foreign language assistants registered with the British Council\n\n- people with a severe mental impairment\n\n- live-in carers who look after someone who is not their partner, spouse, or child under 18\n\n- diplomats\n\nContact your local council if you\u2019re unsure about whether you can get a discount or who\u2019s responsible for paying.\n\n## People on apprentice schemes\n\nTo show that you do not qualify as an adult for Council Tax, you\u2019ll need a declaration from your employer stating that:\n\n- you will not be paid more than \u00a3195 a week\n\n- the training leads to a qualification accredited by a body recognised by the Office of Qualifications and Examinations Regulation (Ofqual) or the Scottish Vocational Education Council (SVEC)\n\n## If you get a Council Tax discount by mistake\n\nYou must tell your council. If you do not, you could get a fine.\n\nThe council may ask you to pay back the discount.\n\n## Discounts for full-time students\n\nHouseholds where everyone\u2019s a full-time student do not have to pay Council Tax. If you do get a bill, you can apply for an exemption.\n\nTo count as a full-time student, your course must:\n\n- last at least 1 year\n\n- involve at least 21 hours study per week\n\nIf you study for a qualification up to A level and you\u2019re under 20, your course must:\n\n- last at least 3 months\n\n- involve at least 12 hours study per week\n\nYou\u2019ll get a Council Tax bill if there\u2019s someone in your household who\u2019s not a full-time student, but your household might still qualify for a discount.\n\n## Discounts for disabled people\n\nPeople who are severely mentally impaired are not included when working out Council Tax.\n\nYou also are not included if you\u2019re a live-in carer looking after someone who is not your partner, spouse, or child under 18.\n\nApply for a Council Tax discount.\n\n## Disabled Band Reduction Scheme\n\nYou may be eligible for the scheme if you live in a larger property than you would need if you or another occupant were not disabled.\n\nYou\u2019ll have to show that you\u2019ve either:\n\n- an extra bathroom, kitchen or other room that you need for the disabled person\n\n- extra space inside the property for using a wheelchair\n\nThe property must be the main home of at least 1 disabled person. This can be an adult or a child - it does not have to be the person responsible for paying the Council Tax.\n\nCheck if you qualify for the scheme.\n\n## Second homes and empty properties\n\nYou may be able to get a discount if you have a second home or an empty property - it\u2019s up to your council to decide.\n\nCouncils can charge extra Council Tax for empty properties.\n\n## Second homes\n\nYou may pay less Council Tax for a property you own or rent that\u2019s not your main home.\n\nCouncils can give furnished second homes or holiday homes a discount of up to 50%. Contact your council to find out if you can get a discount - it\u2019s up to them how much you can get.\n\n## Empty properties\n\nYou\u2019ll usually have to pay Council Tax on an empty home, but your council can decide to give you a discount - the amount is up to them. Contact your council to ask about a discount.\n\nYou can be charged up to double your Council Tax if your home has been empty for 2 years or more (unless it\u2019s an annexe or you\u2019re in the armed forces).\n\nThe rules are different in Scotland.\n\n## When you do not pay Council Tax\n\nIf you\u2019re selling a property on behalf of an owner who\u2019s died, you won\u2019t need to pay Council Tax until after you get probate as long as the property remains empty. After probate is granted, you may be able to get a Council Tax exemption for another 6 months if the property is both:\n\n- unoccupied\n\n- still owned and in the name of the person who died\n\nSome homes do not get a Council Tax bill for as long as they stay empty. They include homes:\n\n- of someone in prison (except for not paying a fine or Council Tax)\n\n- of someone who\u2019s moved into a care home or hospital\n\n- that have been repossessed\n\n- that cannot be lived in by law, for example if they\u2019re derelict\n\n- that are empty because they\u2019ve been compulsory purchased and will be demolished\n\nYou may get a discount if your home is undergoing major repair work or structural changes, for example your walls are being rebuilt.\n\n## If your property\u2019s been refurbished\n\nYour council will tell you when you have to start paying Council Tax if you\u2019ve been carrying out major home improvements on an empty property or building a new property.\n\nYou\u2019ll get a \u2018completion notice\u2019 that tells you the date you must start paying Council Tax.\n\n## If your property\u2019s derelict\n\nYour property\u2019s only considered derelict if it:\n\n- is not possible to live in it, for example because it\u2019s been damaged by weather, rot or vandalism\n\n- would need major structural works to make it \u2018wind and watertight\u2019 again\n\nYou can challenge your Council Tax band if you think a derelict property should be removed from the Council Tax valuation list.\n\n## Paying your bill\n\nYour Council Tax bill tells you:\n\n- how much you have to pay for the year\n\n- how that amount has been worked out\n\n- the dates you have to pay\n\nThe cost is usually split into 10 monthly payments. Contact your council immediately if you\u2019re having trouble paying - they can help you, for example by spreading your payments over 12 months instead of 10.\n\nThe council can take action to reclaim any debts you owe if you get behind with your payments.\n\n## Ways to pay\n\nYou can usually pay your Council Tax online.\n\nYou can also use \u2018Paypoint\u2019, \u2018Payzone\u2019 or \u2018Quickcards\u2019 for cash payments at post offices, banks, newsagents and convenience stores.\n\nCheck your bill to find out which other payment methods you can use.\n\n## If you\u2019ve overpaid\n\nContact your local council if you\u2019ve paid too much Council Tax and have not received an automatic refund.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/council-tax", + "answerable": true, + "scenario": "I own three houses. Two of these houses, situated in England, are now empty, and will remain so for the next six months. They will continue to be empty for at least three years due to personal circumstances.", + "original_question": "Are there any Council Tax reductions that I can get for these two properties?" + }, + { + "id": "train-2288", + "question": "Scenario: My friend Mark owns a canoe boat along the river Severn. It is not registered nor licensed . He sometimes rows it to different waterways during summer.\n\nQuestion: Can he be penalised for non-registration if he is a member of British Canoeing?\n\nDocument - Register a boat:\n## Overview\n\nYou usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.\n\nA boat is:\n\n- any vessel with or without a motor, for example a sailing boat, river boat, canal boat or houseboat\n\n- any \u2018open boat\u2019 such as canoe, paddle board, rowing boat or dinghy\n\nTo get a boat registration you may need:\n\n- insurance\n\n- a Boat Safety Scheme (BSS) certificate\n\nYou must renew each year for the waterway you want to keep or use your boat on. You can buy a visitor registration or licence for shorter periods.\n\n## Carry more than 12 passengers\n\nYou must have a passenger-carrying certificate issued by the Maritime and Coastguard Agency if you want to carry more than 12 passengers.\n\n## Commercial use\n\nYou must apply for a boatmaster\u2019s licence if you want to use your boat commercially.\n\n## Use at sea\n\nYou can register your boat with the UK Ship Register for use at sea.\n\n## Who to contact\n\nRegister or license your boat with the navigation authority responsible for the waterway you want to use.\n\n## Most canals and some rivers, like the Severn, Trent and Ouse\n\nRegister with the Canal & River Trust.\n\n## Norfolk and Suffolk Broads, and adjacent waters\n\nRegister with the Broads Authority.\n\n## River Thames, River Medway, and the rivers of East Anglia\n\nDownload the application form for the waterway you want to use and register with the Environment Agency:\n\n- River Thames\n\n- River Medway\n\n- Anglian waterways (Great Ouse System, River Nene, River Stour, River Ancholme, Black Sluice, River Welland and River Glen)\n\n- Rye Harbour\n\nRiver Thames annual registrations run from 1 January to 31 December. Other registrations run from 1 April to 31 March.\n\n## The Royal Military Canal\n\nYou do not need to register a boat for use between West Hythe Dam in Shorncliffe, Kent and Iden Lock in Cliffe End, East Sussex.\n\nContact Shepway District Council to register a boat for use between West Hythe Dam and Seabrook.\n\n## Scotland and Northern Ireland\n\nCheck if you need to register your boat with Scottish Canals or NI Direct.\n\n## Other areas\n\nCheck with the Inland Waterways Association to find the navigation authority for other areas.\n\n## Using more than one waterway\n\nYou can buy a \u2018gold licence\u2019 which lets you use all Environment Agency and Canal & River Trust waterways.\n\n## Canoe or rowing boat exemptions\n\nYou may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.\n\nRowing clubs or associations can register a rowing boat for use on some waterways through British Rowing.\n\n## Penalties\n\nAn enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:\n\n- it\u2019s not licensed or registered\n\n- it\u2019s not licensed or registered for the waterway you\u2019re using\n\n- your licence or registration is not displayed\n\n- it breaches the terms and conditions of the licence or registration\n\nCheck your licence or registration for additional rules that apply to your waterway.\n\nYou may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.\n\n## Questions about a penalty notice\n\nContact your navigation authority if you have questions about a penalty notice.\n\n## The UK Ship Register\n\nYou need to register your boat with the UK Ship Register to use it at sea.\n\nWhether you can use the register depends on your citizenship status. Check the eligibility requirements for each part of the UK Ship Register.\n\nThere are 4 different parts of the register. Which part you use depends on what you\u2019re using your boat for:\n\n- Part 1 - commercial or pleasure boats\n\n- Part 2 - fishing boats\n\n- Part 3 - small boats\n\n- Part 4 - charter boats\n\n## Part 1 registration - commercial or pleasure boats\n\nYou can use Part 1 of the register if you have either:\n\n- a commercial boat, unless you plan to use it for fishing\n\n- a \u2018pleasure vessel\u2019 - this means you do not make any money from it\n\nRegistering your boat on Part 1 of the register means you\u2019ll be able to:\n\n- get a marine mortgage against your boat\n\n- spend more than 6 months outside the UK\n\nIt costs \u00a3153 to register for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew. It costs \u00a372 to renew your registration for another 5 years.\n\n## Part 2 registration - fishing boats\n\nUse Part 2 of the register if you\u2019re using your boat to catch and sell fish.\n\nYou can choose from \u2018simple\u2019 or \u2018full\u2019 registration. If you choose full registration you can get a marine mortgage against your boat.\n\nTo register for 5 years it costs:\n\n- \u00a3159 for simple registration\n\n- \u00a3196 for full registration\n\n## Part 3 registration - small boats\n\nUse Part 3 of the register (small ships register) if:\n\n- your boat is less than 24 metres long\n\n- your boat is a pleasure vessel\n\n- you live in the UK for at least 185 days of the year\n\nYou cannot use Part 3 of the register if you\u2019re a business.\n\nRegistering on Part 3 of the register means you\u2019ll be able to prove your boat\u2019s nationality when sailing outside UK waters.\n\nIt costs \u00a335 for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew.\n\n## Part 4 registration - charter boats\n\nUse Part 4 of the register if you plan to hire out (charter) your boat.\n\nIt costs between \u00a335 and \u00a3196 for 5 years. The amount you\u2019ll pay depends on the type of boat you\u2019re registering.\n\n## How to register\n\nYou can register your boat online. You\u2019ll need to create an account if you do not already have one.\n\nIf you own the boat with other people, all owners must have an account before you can register your boat online.\n\nStart now\n\nYou can pay by debit or credit card.\n\nYou can also use the online service to renew, cancel or change the details of your registration.\n\n## Before you start\n\nYou\u2019ll need:\n\n- the dimensions of your boat\n\n- the previous registration details of the boat (if it\u2019s been registered before)\n\n- the bill of sale\n\n- the radio signal detail - including your UK radio call sign, Maritime Mobile Service Identity (MMSI) number and International Maritime Organization (IMO) number\n\n- the builders certificate\n\n- a certificate of survey for tonnage and measurement\n\n- an international tonnage certificate (ITC69)\n\n- safety certificates\n\n## Other ways to register\n\nYou can also register by post. Download and fill in the form for the type of boat you want to register.\n\n## Contact\n\nYou can contact the UK Ship Register by email, phone or post.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/register-a-boat", + "answerable": true, + "scenario": "My friend Mark owns a canoe boat along the river Severn. It is not registered nor licensed . He sometimes rows it to different waterways during summer.", + "original_question": "Can he be penalised for non-registration if he is a member of British Canoeing?" + }, + { + "id": "train-2290", + "question": "Scenario: My brother wants to buy a canoe boat to spend his summer holiday rowing along the river Thames. He wants to register so that he can use it. My brother is a current member of British Canoeing.\n\nQuestion: Will he need to insure it ?\n\nDocument - Register a boat:\n## Overview\n\nYou usually need to register or licence your boat if you want to keep or use it on inland waterways, such as rivers and canals. Contact the navigation authority of the waterway you want to use to find out.\n\nA boat is:\n\n- any vessel with or without a motor, for example a sailing boat, river boat, canal boat or houseboat\n\n- any \u2018open boat\u2019 such as canoe, paddle board, rowing boat or dinghy\n\nTo get a boat registration you may need:\n\n- insurance\n\n- a Boat Safety Scheme (BSS) certificate\n\nYou must renew each year for the waterway you want to keep or use your boat on. You can buy a visitor registration or licence for shorter periods.\n\n## Carry more than 12 passengers\n\nYou must have a passenger-carrying certificate issued by the Maritime and Coastguard Agency if you want to carry more than 12 passengers.\n\n## Commercial use\n\nYou must apply for a boatmaster\u2019s licence if you want to use your boat commercially.\n\n## Use at sea\n\nYou can register your boat with the UK Ship Register for use at sea.\n\n## Who to contact\n\nRegister or license your boat with the navigation authority responsible for the waterway you want to use.\n\n## Most canals and some rivers, like the Severn, Trent and Ouse\n\nRegister with the Canal & River Trust.\n\n## Norfolk and Suffolk Broads, and adjacent waters\n\nRegister with the Broads Authority.\n\n## River Thames, River Medway, and the rivers of East Anglia\n\nDownload the application form for the waterway you want to use and register with the Environment Agency:\n\n- River Thames\n\n- River Medway\n\n- Anglian waterways (Great Ouse System, River Nene, River Stour, River Ancholme, Black Sluice, River Welland and River Glen)\n\n- Rye Harbour\n\nRiver Thames annual registrations run from 1 January to 31 December. Other registrations run from 1 April to 31 March.\n\n## The Royal Military Canal\n\nYou do not need to register a boat for use between West Hythe Dam in Shorncliffe, Kent and Iden Lock in Cliffe End, East Sussex.\n\nContact Shepway District Council to register a boat for use between West Hythe Dam and Seabrook.\n\n## Scotland and Northern Ireland\n\nCheck if you need to register your boat with Scottish Canals or NI Direct.\n\n## Other areas\n\nCheck with the Inland Waterways Association to find the navigation authority for other areas.\n\n## Using more than one waterway\n\nYou can buy a \u2018gold licence\u2019 which lets you use all Environment Agency and Canal & River Trust waterways.\n\n## Canoe or rowing boat exemptions\n\nYou may not need to register a canoe with the navigation authority if you\u2019re a member of British Canoeing.\n\nRowing clubs or associations can register a rowing boat for use on some waterways through British Rowing.\n\n## Penalties\n\nAn enforcement officer may put an enforcement notice on your boat if it\u2019s on an inland waterway and:\n\n- it\u2019s not licensed or registered\n\n- it\u2019s not licensed or registered for the waterway you\u2019re using\n\n- your licence or registration is not displayed\n\n- it breaches the terms and conditions of the licence or registration\n\nCheck your licence or registration for additional rules that apply to your waterway.\n\nYou may be prosecuted and fined up to \u00a31,000 or have your boat removed if you do not display an up-to-date licence or registration.\n\n## Questions about a penalty notice\n\nContact your navigation authority if you have questions about a penalty notice.\n\n## The UK Ship Register\n\nYou need to register your boat with the UK Ship Register to use it at sea.\n\nWhether you can use the register depends on your citizenship status. Check the eligibility requirements for each part of the UK Ship Register.\n\nThere are 4 different parts of the register. Which part you use depends on what you\u2019re using your boat for:\n\n- Part 1 - commercial or pleasure boats\n\n- Part 2 - fishing boats\n\n- Part 3 - small boats\n\n- Part 4 - charter boats\n\n## Part 1 registration - commercial or pleasure boats\n\nYou can use Part 1 of the register if you have either:\n\n- a commercial boat, unless you plan to use it for fishing\n\n- a \u2018pleasure vessel\u2019 - this means you do not make any money from it\n\nRegistering your boat on Part 1 of the register means you\u2019ll be able to:\n\n- get a marine mortgage against your boat\n\n- spend more than 6 months outside the UK\n\nIt costs \u00a3153 to register for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew. It costs \u00a372 to renew your registration for another 5 years.\n\n## Part 2 registration - fishing boats\n\nUse Part 2 of the register if you\u2019re using your boat to catch and sell fish.\n\nYou can choose from \u2018simple\u2019 or \u2018full\u2019 registration. If you choose full registration you can get a marine mortgage against your boat.\n\nTo register for 5 years it costs:\n\n- \u00a3159 for simple registration\n\n- \u00a3196 for full registration\n\n## Part 3 registration - small boats\n\nUse Part 3 of the register (small ships register) if:\n\n- your boat is less than 24 metres long\n\n- your boat is a pleasure vessel\n\n- you live in the UK for at least 185 days of the year\n\nYou cannot use Part 3 of the register if you\u2019re a business.\n\nRegistering on Part 3 of the register means you\u2019ll be able to prove your boat\u2019s nationality when sailing outside UK waters.\n\nIt costs \u00a335 for 5 years.\n\nYou\u2019ll be sent a renewal notice when it\u2019s time to renew.\n\n## Part 4 registration - charter boats\n\nUse Part 4 of the register if you plan to hire out (charter) your boat.\n\nIt costs between \u00a335 and \u00a3196 for 5 years. The amount you\u2019ll pay depends on the type of boat you\u2019re registering.\n\n## How to register\n\nYou can register your boat online. You\u2019ll need to create an account if you do not already have one.\n\nIf you own the boat with other people, all owners must have an account before you can register your boat online.\n\nStart now\n\nYou can pay by debit or credit card.\n\nYou can also use the online service to renew, cancel or change the details of your registration.\n\n## Before you start\n\nYou\u2019ll need:\n\n- the dimensions of your boat\n\n- the previous registration details of the boat (if it\u2019s been registered before)\n\n- the bill of sale\n\n- the radio signal detail - including your UK radio call sign, Maritime Mobile Service Identity (MMSI) number and International Maritime Organization (IMO) number\n\n- the builders certificate\n\n- a certificate of survey for tonnage and measurement\n\n- an international tonnage certificate (ITC69)\n\n- safety certificates\n\n## Other ways to register\n\nYou can also register by post. Download and fill in the form for the type of boat you want to register.\n\n## Contact\n\nYou can contact the UK Ship Register by email, phone or post.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/register-a-boat", + "answerable": true, + "scenario": "My brother wants to buy a canoe boat to spend his summer holiday rowing along the river Thames. He wants to register so that he can use it. My brother is a current member of British Canoeing.", + "original_question": "Will he need to insure it ?" + }, + { + "id": "train-2294", + "question": "Scenario: I have tried to make alterations to the shop front. My application to the planning committee was rejected. Five weeks have past, and after being informed that this should have been accepted, we are considering appealing the decision. I have received an enforcement notice 30 days ago\n\nQuestion: Are we still able to appeal this decision?\n\nDocument - Appeal a minor commercial development decision:\n## When you can appeal\n\nYour local planning authority makes decisions on applications about minor commercial developments, for example ground floor alterations like shop fronts and security shutters.\n\nYou can appeal a minor commercial development decision if you disagree with it.\n\nThere\u2019s no fee for appealing.\n\nOnly the person who made the application can appeal.\n\n## Deadline for appealing\n\nYou must appeal within 12 weeks of the date on the decision notice from your local planning authority.\n\nThe deadline\u2019s earlier if you\u2019ve received an enforcement notice - you must appeal within 28 days of the notice.\n\n## How to appeal\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post. You can still appeal to the Planning Inspectorate online.\n\nIf you want to appeal more than one decision you must make a separate appeal for each.\n\nYou also need to send a copy of your appeal, including all the supporting documents, to your local planning authority. The Planning Inspectorate will tell you how to do this.\n\n## Documents you must provide\n\nYou\u2019ll need to submit copies of:\n\n- your original application\n\n- the site ownership certificate\n\n- the local planning authority\u2019s decision notice\n\nYou\u2019ll also need to submit:\n\n- a map of the surrounding area\n\n- any other documents that directly support your appeal, for example your grounds for appeal\n\nYou can upload these documents when you appeal.\n\n## Comment on an appeal\n\nNo-one can comment on a minor commercial development decision appeal.\n\nYour local planning authority must tell anyone who has commented on the original application (\u2018interested parties\u2019) that there\u2019s an appeal.\n\nThey have to do this within 5 working days of the appeal being started by the Planning Inspectorate.\n\nRead the detailed guidance about taking part in an appeal.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nThe Planning Inspectorate will then consider your appeal. Check how long planning appeal decisions normally take.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. You can have costs awarded against you too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/appeal-minor-commercial-development-decision", + "answerable": true, + "scenario": "I have tried to make alterations to the shop front. My application to the planning committee was rejected. Five weeks have past, and after being informed that this should have been accepted, we are considering appealing the decision. I have received an enforcement notice 30 days ago", + "original_question": "Are we still able to appeal this decision?" + }, + { + "id": "train-2296", + "question": "Scenario: I am planning to rent out my home on a short-term basis. I am uncertain as to whether I will need to use it again in the future, and so I want the option to be able to terminate my tenant's rent at any time. The prospective tenant has agreed to have this put in the contract.\n\nQuestion: Is there an agreement that can be made with the tenant for this purpose?\n\nDocument - Tenancy agreements: a guide for landlords (England and Wales):\n## Overview\n\nA tenancy agreement is a contract between you and your tenants. It sets out the legal terms and conditions of the tenancy. It can be written down or oral.\n\nA tenancy can either be:\n\n- fixed-term (running for a set period of time)\n\n- periodic (running on a week-by-week or month-by-month basis)\n\n## Rights and responsibilities\n\nBoth you and your tenants have certain rights and responsibilities, whether or not there is a tenancy agreement.\n\n## Tenancy types\n\n## Assured shorthold tenancies (ASTs)\n\nThe most common form of tenancy is an AST. Most new tenancies are automatically this type.\n\nA tenancy can be an AST if all of the following apply:\n\n- you\u2019re a private landlord or housing association\n\n- the tenancy started on or after 15 January 1989\n\n- the property is your tenants\u2019 main accommodation\n\n- you do not live in the property\n\nA tenancy cannot be an AST if:\n\n- it began or was agreed before 15 January 1989\n\n- the rent is more than \u00a3100,000 a year\n\n- the rent is less than \u00a3250 a year (less than \u00a31,000 in London)\n\n- it\u2019s a business tenancy or tenancy of licensed premises\n\n- it\u2019s a holiday let\n\n- the landlord is a local council\n\n## Other tenancies\n\nThere are other tenancies that are not as common as ASTs, including:\n\n- excluded tenancies or licences\n\n- assured tenancies\n\n- regulated tenancies\n\n## Excluded tenancies or licences\n\nIf you have a lodger living in your home and share rooms with them, like a kitchen or bathroom, you may have one of these. This usually gives your lodger less protection from eviction than other types of agreement.\n\n## Assured tenancies\n\nTenancies starting between 15 January 1989 and 27 February 1997 may be assured. Your tenants have increased protection from eviction with this type of agreement.\n\n## Regulated tenancies\n\nTenancies starting before 15 January 1989 may be regulated. Your tenants have increased protection from eviction and can apply for a \u2018fair rent\u2019.\n\n## What you should include in a tenancy agreement\n\nThe tenancy agreement should include:\n\n- the names of all people involved\n\n- the rental price and how it\u2019s paid\n\n- information on how and when the rent will be reviewed\n\n- the deposit amount and how it will be protected\n\n- when the deposit can be fully or partly withheld, for example to repair damage caused by tenants\n\n- the property address\n\n- the start and end date of the tenancy\n\n- any tenant or landlord obligations\n\n- which bills your tenants are responsible for\n\nIt can also include information on:\n\n- whether the tenancy can be ended early and how this can be done\n\n- who\u2019s responsible for minor repairs (other than those that the landlord is legally responsible for)\n\n- whether the property can be let to someone else (sublet) or have lodgers\n\nThe terms of the tenancy must be fair and comply with the law. You can use a model agreement as a template.\n\nYou cannot have anything in your tenancy agreement that may indirectly discriminate against your tenants.\n\n## Changes to tenancy agreements\n\nYou must get the agreement of your tenants if you want to make changes to the terms of their tenancy agreement.\n\n## Preventing discrimination\n\nYou cannot discriminate against or harass your tenants on the grounds of:\n\n- age\n\n- being or becoming a transsexual person\n\n- being married or in a civil partnership\n\n- being pregnant or on maternity leave\n\n- disability\n\n- race including colour, nationality, ethnic or national origin\n\n- religion, belief or lack of religion or belief\n\n- sex\n\n- sexual orientation\n\n## If you get managed payments from your local council\n\nWhen your tenants move to Universal Credit, you can help them set up their new rent payments.\n\nYou can read more about Universal Credit and how it affects landlords.\n\n## Ending a tenancy\n\nIf you want your tenants to leave, you must give them notice in a particular way, including certain information and warnings. This depends on the type of tenancy agreement and its terms.\n\n## Assured shorthold tenancies (ASTs)\n\nIn some circumstances, you can take back your property without giving any reason. To do this, and all of the following must apply:\n\n- you\u2019ve protected your tenants\u2019 deposit in a deposit protection scheme\n\n- the date they must leave is at least 6 months after the original tenancy began (the one they signed on first moving in)\n\n- they have a periodic tenancy - or they have a fixed-term tenancy and you are not asking them to leave before the end of the fixed term\n\n## How much notice you need to give\n\nYou must give your tenants written notice that you want the property back (\u2018notice to quit\u2019) and the date they must leave. The notice period you give them must be at least:\n\n- 2 months if you gave notice before 26 March 2020\n\n- 3 months if you gave notice between 26 March 2020 and 28 August 2020\n\n- 6 months if you gave notice on or after 29 August 2020\n\nIf you gave a section 8 notice, the notice period is sometimes shorter, depending on the reason for eviction.\n\nThis change is because of coronavirus (COVID-19).\n\n## During the fixed term\n\nIf you\u2019re still in the fixed term, you can only ask your tenants to leave if you have a reason for wanting possession that\u2019s in the Housing Act 1988.\n\nExamples of reasons include:\n\n- your tenants are behind with rent payments (\u2018in arrears\u2019)\n\n- your tenants have used the property for illegal purposes, for example selling drugs\n\nIf you gave your tenant notice before 26 March 2020, you would have needed to give them up to 2 months to leave, depending on the reason.\n\nBecause of coronavirus, in most cases you must now give them a longer notice period.\n\nIf you gave your tenant notice between 26 March 2020 and 28 August 2020, period must have been at least 3 months.\n\nIf you gave your tenant notice on or after 29 August 2020, the notice period must be at least 6 months. It can be shorter in some cases, for example if you evict them for antisocial behaviour.\n\nThe Ministry of Housing, Communities and Local Government has information on reasons for possession for a property let on an AST.\n\n## Assured tenancies\n\nYou will need to use one of the reasons for possession in the Housing Act 1988.\n\n## Excluded tenancies or licences\n\nIf you live with a lodger and share rooms with them, you\u2019ll often have an excluded tenancy or licence.\n\nIn this case, you only need to give \u2018reasonable notice\u2019 to quit. Usually this means the length of the rental payment period \u2013 so if you collect rent monthly, you\u2019ll need to give 1 month\u2019s notice.\n\nThe notice does not have to be in writing.\n\n## Non-excluded tenancy or licence\n\nYou can end the agreement at any time by serving a written \u2018notice to quit\u2019. The notice period will depend on the tenancy or agreement, but it\u2019s usually at least 4 weeks.\n\n## Break clauses\n\nIf there\u2019s a break clause in the tenancy agreement, you can give your tenants notice after this. However, you do not have a guaranteed right to possession during the first 6 months of the tenancy.\n\n## If your tenant does not leave the property\n\nYou cannot remove your tenants by force. If the notice period expires and your tenants do not leave the property, you can start the process of eviction through the courts.\n\n## If your tenants want to leave\n\n## Tenancies\n\nThe tenancy agreement should say how much notice your tenants need to give before they can leave the property.\n\nTenants are responsible for paying rent for their entire fixed-term tenancy. They can move out early without paying rent for the full tenancy if:\n\n- there is a break clause in their tenancy agreement\n\n- you agree to ending the tenancy early\n\nThey can also leave if their tenancy is up after giving their notice (whether it is fixed-term or not).\n\n## Licence agreements\n\nIf the licence automatically runs out after a specific date and your lodger wants to end the agreement, they should let you know this before the licence runs out.\n\n## If your tenant dies without an executor or a will\n\nThe tenancy is transferred temporarily to the Public Trustee if a tenant dies:\n\n- without a will\n\n- with a will but without an executor\n\nYou cannot take back a property automatically even if the tenancy was due to end.\n\nYou may be fined if you try to repossess a property without following the rules.\n\n## Reclaim your property\n\nYou must:\n\n- post or deliver a letter to the tenant\u2019s last known address saying you\u2019re giving written notice\n\n- email a copy of your notice and a completed NL1 form to the Public Trustee\n\n- pay an application fee to the Public Trustee to register the notice\n\n## Give notice\n\nAddress the written notice to: \u201cThe Personal Representative of [full name of the tenant who died] of [last known address for the tenant who died]\u201d.\n\n## Email the notice and NL1 form to the Public Trustee\n\nOrder a NL1 application form to register a notice from OyezStore or from Shaws. The form costs no more than \u00a38.26.\n\nYou\u2019ll get it by post. Email a copy of the notice and a scan of your completed NL1 form to osptcontrolunit@ospt.gov.uk.\n\nYou must buy a new form for each application - you cannot use a photocopy. You can make your own version of the form, as long as it\u2019s laid out in the same way and includes all the relevant information.\n\n## Pay the application fee\n\nIt costs \u00a340 to register the notice. You can only pay by Bacs. Transfer the fee to the following account:\n\n| Sort code | Account number | Account name |\n\n| 80 26 50 | 10014069 | The Public Trustee |\n\nInclude the name of the deceased in the payment reference.\n\n## Get a decision about your application\n\nThe Public Trustee will register or reject your application. You should get an email within 15 working days of the Public Trustee getting your application and payment.\n\nIf your application is registered, you\u2019ll be told the date it was put in the register.\n\nIf your application is rejected, for example because it\u2019s incomplete, you\u2019ll be told why the Public Trustee cannot register it.\n\nYou can search the Public Trustee\u2019s register if your notice is registered, for example to check that you can legally rent the property again or sell it.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/tenancy-agreements-a-guide-for-landlords", + "answerable": true, + "scenario": "I am planning to rent out my home on a short-term basis. I am uncertain as to whether I will need to use it again in the future, and so I want the option to be able to terminate my tenant's rent at any time. The prospective tenant has agreed to have this put in the contract.", + "original_question": "Is there an agreement that can be made with the tenant for this purpose?" + }, + { + "id": "train-2298", + "question": "Scenario: My brother and his partner are tenants in common. They are now officially married and would like to have full rights to the property. They want to change the property ownership from tenants in common to joint tenants. The property is currently owned by two persons\n\nQuestion: Can that be possible?\n\nDocument - Joint property ownership:\n## Overview\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must decide which type of joint ownership you want if you buy, inherit or become a trustee of a property with someone else. You tell HM Land Registry about this when you register the property.\n\nYou can own a property as either \u2018joint tenants\u2019 or \u2018tenants in common\u2019.\n\nThe type of ownership affects what you can do with the property if your relationship with a joint owner breaks down, or if one owner dies.\n\nYou can get legal advice from someone who specialises in property.\n\n## Joint tenants\n\nAs joint tenants (sometimes called \u2018beneficial joint tenants\u2019):\n\n- you have equal rights to the whole property\n\n- the property automatically goes to the other owners if you die\n\n- you cannot pass on your ownership of the property in your will\n\n## Tenants in common\n\nAs tenants in common:\n\n- you can own different shares of the property\n\n- the property does not automatically go to the other owners if you die\n\n- you can pass on your share of the property in your will\n\n## Change your type of ownership\n\nYou can change from being either:\n\n- joint tenants to tenants in common, for example if you divorce or separate and want to leave your share of the property to someone else\n\n- tenants in common to joint tenants, for example if you get married and want to have equal rights to the whole property\n\nThere\u2019s no fee to do this.\n\nYou can also change from sole ownership to tenants in common or joint tenants, for example, if you want to add your partner as joint owner. This is called transferring ownership.\n\n## Sell the property if the other owner has lost mental capacity\n\nYou\u2019ll have to apply to the Court of Protection if you want to sell the property but the other owner has lost \u2018mental capacity\u2019.\n\n## Check your ownership details\n\nYou can find out what type of joint ownership you have by checking documents such as a:\n\n- property transfer\n\n- property lease\n\n- trust deed, also known as a \u2018declaration of trust\u2019 (a document stating an owner\u2019s share in a jointly owned property)\n\nA solicitor, conveyancer or legal executive can help you check what type of joint ownership you have if you\u2019re unsure.\n\nYour type of ownership can sometimes change without your knowledge, for example if one of the other owners goes bankrupt.\n\n## Change from joint tenants to tenants in common\n\nThis is called \u2018severance of joint tenancy\u2019. You should apply for a \u2018Form A restriction\u2019.\n\nYou can make this change without the other owners\u2019 agreement.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply if the other owners do not agree to the change\n\n- Serve a written notice of the change (a \u2018notice of severance\u2019) on the other owners - a conveyancer can help you do this.\n\n- Download and fill in form SEV to register a restriction without the other owners\u2019 agreement. You can also fill in form RX1 to register a \u2018form A restriction\u2019 if you cannot provide any of the evidence of severance options listed in form SEV.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou should include an original or certified copy of the notice of severance signed by all the owners.\n\nIf you cannot get the other owners\u2019 signatures you can instead send a letter certifying that you\u2019ve done one of the following with the notice of severance:\n\n- given it to all the other owners\n\n- left it at the other owners\u2019 last known home or business address in the UK\n\n- sent it by registered post or recorded delivery to the other owners\u2019 last known home or business address and it has not been returned undelivered\n\n## How to apply if the other owners agree to the change\n\n- Download and fill in form SEV to register a \u2018form A restriction\u2019 if all owners agree.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Where to send your application\n\n## Change from tenants in common to joint tenants\n\nYou need the agreement of all the other joint owners to change from being tenants in common to joint tenants.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply\n\n- Fill in a new or updated trust deed - a conveyancer can help you do this.\n\n- Download and fill in the form to cancel a restriction, if one has been registered.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou must include one of the following:\n\n- an original or certified copy of the new or updated trust deed signed by all the owners\n\n- a certified copy of a transfer showing that all owners with individual shares of the property have transferred these to all the beneficial joint tenants\n\n- a certificate from your conveyancer confirming that all owners with shares of the property have signed a new trust deed\n\nYou must also include either:\n\n- a statutory declaration prepared by your conveyancer\n\n- a \u2018statement of truth\u2019 - either one you\u2019ve prepared yourself or using form ST5\n\nA statement of truth must be:\n\n- in writing and include the wording \u201cI believe that the facts and matters contained in this statement are true\u201d\n\n- signed by the person who makes it\n\nThe supporting documents must prove all the following:\n\n- nobody else except the named joint owners have shares of the property\n\n- none of the joint owners is being made bankrupt, has a charging order from creditors or is mortgaging their share of the property\n\n- all the joint owners now own the property together as beneficial joint tenants\n\n## Where to send your application\n\n## Selling when an owner has lost mental capacity\n\nYou must apply to the Court of Protection if all of the following apply:\n\n- you\u2019re one of 2 or more owners of property or land\n\n- one of the owners has lost \u2018mental capacity\u2019\n\n- you want to sell the property or land\n\nLosing mental capacity means someone cannot make a decision for themselves at the time it needs to be made.\n\nThis means that:\n\n- the owner who\u2019s lost mental capacity cannot sign legally binding documents and needs help to make decisions\n\n- you\u2019ll have to apply to appoint someone to take the place of the owner who\u2019s lost capacity so the sale can go ahead\n\n## Appoint someone to act on behalf of an owner\n\nYou\u2019ll have to appoint someone to act on behalf of the owner who\u2019s lost mental capacity even if:\n\n- you\u2019re already acting on behalf of an owner as a \u2018deputy\u2019\n\n- the Official Solicitor is a \u2018litigation friend\u2019 for an owner\n\nYou may not need to apply if you\u2019ve got a registered power of attorney.\n\nRead the guidance on the sale of jointly owned property (COP GN2) to find out if you need to apply.\n\n## Get the forms\n\nDownload and fill in:\n\n- the Court of Protection application form (COP1) so you can appoint someone who can deal with the sale of the property\n\n- the special undertaking by trustees (COP12)\n\n- an information form (COP1D)\n\n- the witness statement (COP24) - use the guidance on the sale of jointly owned property (COP GN2) to fill this in\n\n- another witness statement (COP24) as a certificate of fitness (for example, a character reference) if you\u2019re not appointing yourself or your solicitor to act for the owner\n\n## Fees\n\nIt costs \u00a3365 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Enquiries\n\nContact the Court of Protection for help and to find out if you need to fill in other forms.\n\nYou can also write to the Court of Protection or visit the public counter.\n\nYou cannot get legal advice from court staff.\n\n## Send your application\n\nSend the original and one copy of each of the following to the Court of Protection:\n\n- the application forms\n\n- witness statement\n\n- a copy of the entries at HM Land Registry if the sale includes any registered land\n\n- a copy of the conveyance if the property is unregistered\n\n- any other documents and information asked for\n\n## Tell people about your application\n\nThe Court of Protection will send you a copy of your application forms, stamped with an issue date, a week after you apply.\n\nYou must tell (\u2018serve\u2019) anyone named in your application (such as the person who\u2019s lost capacity) about applying within 14 days of the issue date.\n\nRead the guidance at the end of application form COP1 to find out who to tell.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told about this\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax\n\n- in person\n\n## Confirm you\u2019ve told people\n\nWithin 7 days of serving the documents, you must download and fill in the forms (\u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the owner who\u2019s lost mental capacity (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## After you apply\n\nRead the guidance to find out what happens if you have to attend a Court of Protection hearing.\n\nUpdate the property records after you\u2019ve appointed someone to act for the owner who\u2019s lost mental capacity.\n\n## If your application is rejected and you did not have a hearing\n\nYou can ask for a decision to be reconsidered if your application is rejected and you did not have a hearing.\n\nDownload and fill in application form COP9.\n\nSend the original, one copy of the form and any documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made.\n\nIt\u2019s free.\n\n## If your application is rejected and you had a hearing\n\nYou can appeal the decision if your application is rejected and you had an oral hearing.\n\nDownload and fill in the appellant\u2019s notice (COP35).\n\nSend it and any other documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made or within the time limit set by the judge who rejected your application.\n\n## Fees\n\nIt costs \u00a3320 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Emergency applications\n\nContact the Court of Protection to make an emergency application, for example to stop someone who lacks mental capacity being removed from where they live.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/joint-property-ownership", + "answerable": true, + "scenario": "My brother and his partner are tenants in common. They are now officially married and would like to have full rights to the property. They want to change the property ownership from tenants in common to joint tenants. The property is currently owned by two persons", + "original_question": "Can that be possible?" + }, + { + "id": "train-2301", + "question": "Scenario: I own some land that has an old tree. This tree is protected by a preservation order. The roots of this tree are damaging the foundations of my house. My application to cut it down was rejected 20 days ago.\n\nQuestion: Am I still able to appeal against this decision, if there are 5 days until the tree replacement notice comes into effect?\n\nDocument - Appeal a decision about a tree preservation order:\n## When you can appeal\n\nYour council makes decisions about work on trees protected by preservation orders.\n\nYou can appeal if you applied to cut down or carry out work on a protected tree and:\n\n- you disagree with the decision\n\n- a decision was not made within 8 weeks\n\nYou can also appeal if you disagree with a tree replacement notice you\u2019ve been given.\n\nThere\u2019s no fee for appealing.\n\n## Deadline for appealing\n\nYou must appeal:\n\n- within 28 days of the date on the council\u2019s decision notice\n\n- before the date the tree replacement notice comes into effect\n\nThere\u2019s no deadline if you\u2019re appealing because your application was not decided within 8 weeks.\n\n## When you can expect a decision\n\nOnce your appeal is validated, you\u2019ll normally get a decision within 27 weeks.\n\n## How to appeal\n\nFill in a tree preservation order appeal form or a tree replacement notice appeal form.\n\nYou also need:\n\n- a copy of the council\u2019s decision or notice\n\n- any other documents that directly support your appeal\n\nEmail these documents with your completed appeal form to the council who made the decision and the Planning Inspectorate.\n\nBecause of coronavirus (COVID-19), you cannot currently appeal by post.\n\n## After you appeal\n\nThe Planning Inspectorate will check your appeal to make sure it\u2019s valid. They\u2019ll tell you what happens next and how long your appeal may take.\n\nTheir decision about your appeal will be based on:\n\n- the information you send\n\n- a site visit\n\n- your council\u2019s documents, for example the tree preservation order\n\nYour case officer will write to you if they need more information.\n\nYou\u2019ll normally get a decision within 27 weeks.\n\n## Interested parties\n\nThe council may decide to contact anyone who commented on your original application (\u2018interested parties\u2019). Your case officer will consider the statements any interested parties made.\n\nInterested parties cannot make any further comments during the appeal but can withdraw their original statement.\n\n## If anyone behaves unreasonably\n\nYou can apply for an \u2018award of costs\u2019 if anyone involved in your appeal has cost you money by behaving unreasonably, for example missing deadlines. However, you might have to pay another party\u2019s costs too.\n\nYou can complain about how the Planning Inspectorate handled your appeal. There\u2019s no time limit for complaints.\n\n## If you disagree with the appeal decision\n\nYou can challenge the decision in the High Court if you think the Planning Inspectorate made a legal mistake.\n\nGet advice from a lawyer if you\u2019re unsure about this.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/appeal-decision-about-tree-order", + "answerable": true, + "scenario": "I own some land that has an old tree. This tree is protected by a preservation order. The roots of this tree are damaging the foundations of my house. My application to cut it down was rejected 20 days ago.", + "original_question": "Am I still able to appeal against this decision, if there are 5 days until the tree replacement notice comes into effect?" + }, + { + "id": "train-2304", + "question": "Scenario: I am one of two tenants owning a property as joint tenants. I want to sell the property, but the other tenant has lost the mental capacity to make a decision, and the lasting power of attorney which they had registered beforehand has been activated, with myself as the attorney.\n\nQuestion: Do I have to appoint someone to represent the other tenant?\n\nDocument - Joint property ownership:\n## Overview\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou must decide which type of joint ownership you want if you buy, inherit or become a trustee of a property with someone else. You tell HM Land Registry about this when you register the property.\n\nYou can own a property as either \u2018joint tenants\u2019 or \u2018tenants in common\u2019.\n\nThe type of ownership affects what you can do with the property if your relationship with a joint owner breaks down, or if one owner dies.\n\nYou can get legal advice from someone who specialises in property.\n\n## Joint tenants\n\nAs joint tenants (sometimes called \u2018beneficial joint tenants\u2019):\n\n- you have equal rights to the whole property\n\n- the property automatically goes to the other owners if you die\n\n- you cannot pass on your ownership of the property in your will\n\n## Tenants in common\n\nAs tenants in common:\n\n- you can own different shares of the property\n\n- the property does not automatically go to the other owners if you die\n\n- you can pass on your share of the property in your will\n\n## Change your type of ownership\n\nYou can change from being either:\n\n- joint tenants to tenants in common, for example if you divorce or separate and want to leave your share of the property to someone else\n\n- tenants in common to joint tenants, for example if you get married and want to have equal rights to the whole property\n\nThere\u2019s no fee to do this.\n\nYou can also change from sole ownership to tenants in common or joint tenants, for example, if you want to add your partner as joint owner. This is called transferring ownership.\n\n## Sell the property if the other owner has lost mental capacity\n\nYou\u2019ll have to apply to the Court of Protection if you want to sell the property but the other owner has lost \u2018mental capacity\u2019.\n\n## Check your ownership details\n\nYou can find out what type of joint ownership you have by checking documents such as a:\n\n- property transfer\n\n- property lease\n\n- trust deed, also known as a \u2018declaration of trust\u2019 (a document stating an owner\u2019s share in a jointly owned property)\n\nA solicitor, conveyancer or legal executive can help you check what type of joint ownership you have if you\u2019re unsure.\n\nYour type of ownership can sometimes change without your knowledge, for example if one of the other owners goes bankrupt.\n\n## Change from joint tenants to tenants in common\n\nThis is called \u2018severance of joint tenancy\u2019. You should apply for a \u2018Form A restriction\u2019.\n\nYou can make this change without the other owners\u2019 agreement.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply if the other owners do not agree to the change\n\n- Serve a written notice of the change (a \u2018notice of severance\u2019) on the other owners - a conveyancer can help you do this.\n\n- Download and fill in form SEV to register a restriction without the other owners\u2019 agreement. You can also fill in form RX1 to register a \u2018form A restriction\u2019 if you cannot provide any of the evidence of severance options listed in form SEV.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou should include an original or certified copy of the notice of severance signed by all the owners.\n\nIf you cannot get the other owners\u2019 signatures you can instead send a letter certifying that you\u2019ve done one of the following with the notice of severance:\n\n- given it to all the other owners\n\n- left it at the other owners\u2019 last known home or business address in the UK\n\n- sent it by registered post or recorded delivery to the other owners\u2019 last known home or business address and it has not been returned undelivered\n\n## How to apply if the other owners agree to the change\n\n- Download and fill in form SEV to register a \u2018form A restriction\u2019 if all owners agree.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and supporting documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Where to send your application\n\n## Change from tenants in common to joint tenants\n\nYou need the agreement of all the other joint owners to change from being tenants in common to joint tenants.\n\nA solicitor, conveyancer or legal executive can also make the application for you.\n\n## How to apply\n\n- Fill in a new or updated trust deed - a conveyancer can help you do this.\n\n- Download and fill in the form to cancel a restriction, if one has been registered.\n\n- Prepare any supporting documents you need to include.\n\n- Send the form and documents to HM Land Registry\u2019s Citizen Centre. There\u2019s no fee.\n\n## Supporting documents\n\nYou must include one of the following:\n\n- an original or certified copy of the new or updated trust deed signed by all the owners\n\n- a certified copy of a transfer showing that all owners with individual shares of the property have transferred these to all the beneficial joint tenants\n\n- a certificate from your conveyancer confirming that all owners with shares of the property have signed a new trust deed\n\nYou must also include either:\n\n- a statutory declaration prepared by your conveyancer\n\n- a \u2018statement of truth\u2019 - either one you\u2019ve prepared yourself or using form ST5\n\nA statement of truth must be:\n\n- in writing and include the wording \u201cI believe that the facts and matters contained in this statement are true\u201d\n\n- signed by the person who makes it\n\nThe supporting documents must prove all the following:\n\n- nobody else except the named joint owners have shares of the property\n\n- none of the joint owners is being made bankrupt, has a charging order from creditors or is mortgaging their share of the property\n\n- all the joint owners now own the property together as beneficial joint tenants\n\n## Where to send your application\n\n## Selling when an owner has lost mental capacity\n\nYou must apply to the Court of Protection if all of the following apply:\n\n- you\u2019re one of 2 or more owners of property or land\n\n- one of the owners has lost \u2018mental capacity\u2019\n\n- you want to sell the property or land\n\nLosing mental capacity means someone cannot make a decision for themselves at the time it needs to be made.\n\nThis means that:\n\n- the owner who\u2019s lost mental capacity cannot sign legally binding documents and needs help to make decisions\n\n- you\u2019ll have to apply to appoint someone to take the place of the owner who\u2019s lost capacity so the sale can go ahead\n\n## Appoint someone to act on behalf of an owner\n\nYou\u2019ll have to appoint someone to act on behalf of the owner who\u2019s lost mental capacity even if:\n\n- you\u2019re already acting on behalf of an owner as a \u2018deputy\u2019\n\n- the Official Solicitor is a \u2018litigation friend\u2019 for an owner\n\nYou may not need to apply if you\u2019ve got a registered power of attorney.\n\nRead the guidance on the sale of jointly owned property (COP GN2) to find out if you need to apply.\n\n## Get the forms\n\nDownload and fill in:\n\n- the Court of Protection application form (COP1) so you can appoint someone who can deal with the sale of the property\n\n- the special undertaking by trustees (COP12)\n\n- an information form (COP1D)\n\n- the witness statement (COP24) - use the guidance on the sale of jointly owned property (COP GN2) to fill this in\n\n- another witness statement (COP24) as a certificate of fitness (for example, a character reference) if you\u2019re not appointing yourself or your solicitor to act for the owner\n\n## Fees\n\nIt costs \u00a3365 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Enquiries\n\nContact the Court of Protection for help and to find out if you need to fill in other forms.\n\nYou can also write to the Court of Protection or visit the public counter.\n\nYou cannot get legal advice from court staff.\n\n## Send your application\n\nSend the original and one copy of each of the following to the Court of Protection:\n\n- the application forms\n\n- witness statement\n\n- a copy of the entries at HM Land Registry if the sale includes any registered land\n\n- a copy of the conveyance if the property is unregistered\n\n- any other documents and information asked for\n\n## Tell people about your application\n\nThe Court of Protection will send you a copy of your application forms, stamped with an issue date, a week after you apply.\n\nYou must tell (\u2018serve\u2019) anyone named in your application (such as the person who\u2019s lost capacity) about applying within 14 days of the issue date.\n\nRead the guidance at the end of application form COP1 to find out who to tell.\n\nSend them:\n\n- a notice that an application form has been issued (COP15)\n\n- an acknowledgment form (COP5) so they can confirm they\u2019ve been told about this\n\nYou can tell them:\n\n- by post to their home address\n\n- by fax\n\n- in person\n\n## Confirm you\u2019ve told people\n\nWithin 7 days of serving the documents, you must download and fill in the forms (\u2018certificates of service\u2019) confirming you\u2019ve told:\n\n- the owner who\u2019s lost mental capacity (COP20A)\n\n- other people named in the application (COP20B)\n\nSend them all together to the Court of Protection.\n\n## After you apply\n\nRead the guidance to find out what happens if you have to attend a Court of Protection hearing.\n\nUpdate the property records after you\u2019ve appointed someone to act for the owner who\u2019s lost mental capacity.\n\n## If your application is rejected and you did not have a hearing\n\nYou can ask for a decision to be reconsidered if your application is rejected and you did not have a hearing.\n\nDownload and fill in application form COP9.\n\nSend the original, one copy of the form and any documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made.\n\nIt\u2019s free.\n\n## If your application is rejected and you had a hearing\n\nYou can appeal the decision if your application is rejected and you had an oral hearing.\n\nDownload and fill in the appellant\u2019s notice (COP35).\n\nSend it and any other documents asked for in the form to the Court of Protection.\n\nYou must apply within 21 days of the decision being made or within the time limit set by the judge who rejected your application.\n\n## Fees\n\nIt costs \u00a3320 to apply. You might have to pay an additional \u00a3485 if the court decides there needs to be a hearing.\n\nRead the fees guidance to find out when you might not have to pay.\n\n## Emergency applications\n\nContact the Court of Protection to make an emergency application, for example to stop someone who lacks mental capacity being removed from where they live.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/joint-property-ownership", + "answerable": true, + "scenario": "I am one of two tenants owning a property as joint tenants. I want to sell the property, but the other tenant has lost the mental capacity to make a decision, and the lasting power of attorney which they had registered beforehand has been activated, with myself as the attorney.", + "original_question": "Do I have to appoint someone to represent the other tenant?" + }, + { + "id": "train-2305", + "question": "Scenario: I am 21 and live in London. I passed my driving test and received my license 3 months ago. I own a car, and am now shopping around for car insurance. My insurer offers the Pass Plus discounts.\n\nQuestion: Can taking the Pass Plus course get me a discount on my car insurance?\n\nDocument - Pass Plus:\n## Overview\n\nPass Plus is a practical training course that takes at least 6 hours and is for drivers to improve their skills and drive more safely.\n\nIt can be taken at any time although it should be most useful to new drivers in the year after passing their test.\n\nYou\u2019ll need a Pass Plus registered approved driving instructor (ADI) to teach you.\n\nIt may help you get a car insurance discount if you successfully complete the course.\n\n## Booking Pass Plus\n\nYou need to book Pass Plus with an approved driving instructor (ADI) who is registered with Pass Plus.\n\nYou can contact the Driver and Vehicle Standards Agency (DVSA) to check if an instructor is registered with Pass Plus. You\u2019ll need their name and ADI number.\n\n## Fees\n\nPass Plus fees depend on where you live, the instructor or driving school and how long your training takes.\n\nSome local councils can offer discounts off the full Pass Plus training costs.\n\n## Local councils offering discounts\n\nSome local councils can offer discounts off the full Pass Plus training costs\n\nContact your borough, town, city or county council if they are listed to see if they can help you with the cost of your training.\n\nYou must live in the council\u2019s area to be eligible for the discount.\n\n## East Midlands\n\n## North-west\n\n## South-east\n\n## South-west\n\n## Scotland\n\n## Wales\n\nAll local councils in Wales offer discounted Pass Plus courses. Go to Pass Plus Cymru for more information.\n\n## How Pass Plus training works\n\nPass Plus training takes at least 6 hours. It has 6 modules, covering driving:\n\n- in town\n\n- in all weathers\n\n- on rural roads\n\n- at night\n\n- on dual carriageways\n\n- on motorways\n\nAll modules should be practical sessions, although local conditions may mean some are theory based. You\u2019ll normally spend at least 5.5 hours driving.\n\nYou will not take a test but you\u2019ll be assessed throughout the course. To pass you\u2019ll have to reach the required standard in all modules.\n\nContact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team for more information.\n\n## Apply for a Pass Plus certificate\n\nYou must apply for your own Pass Plus certificate if you want one.\n\nYou need a certificate if you want a discount on your car insurance.\n\nYou\u2019ll get a training report form from your instructor when you\u2019ve reached the required standard in all modules. You and your instructor must sign the form.\n\nContact the Driver and Vehicle Standards Agency (DVSA) Pass Plus team to apply for your certificate.\n\n## Car insurance discounts\n\nOnce you\u2019ve completed Pass Plus you may be able to get a car insurance discount. You\u2019ll need your Pass Plus certificate.\n\nCheck with insurers that you can still get a discount if you passed your practical driving test more than a year ago.\n\nThe amount of discount depends on the insurance company. Not all insurers offer Pass Plus discounts.\n\nYou might be able to put the discount on hold for up to 2 years if you do not have a car at the moment - check with the insurance company first.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/pass-plus", + "answerable": true, + "scenario": "I am 21 and live in London. I passed my driving test and received my license 3 months ago. I own a car, and am now shopping around for car insurance. My insurer offers the Pass Plus discounts.", + "original_question": "Can taking the Pass Plus course get me a discount on my car insurance?" + }, + { + "id": "train-2306", + "question": "Scenario: I am 42 and partially sighted, which requires me to be accompanied by my guide dog Bella when out in public. I wish to visit London, and will be arriving by train. The taxi driver that I have hailed does not have an exemption certificate.\n\nQuestion: If I hail a taxi at the station, is the driver obliged to allow my guide dog to accompany me in the car?\n\nDocument - Transport support services for disabled people:\n## Trains\n\nYou can give National Rail train companies advance notice if you think you\u2019ll need any help from staff.\n\nYou can also check if a station has accessible facilities.\n\n## Wheelchairs on trains\n\nOn mainline (intercity, suburban and cross-country) trains there\u2019s space for your wheelchair. Put your chair in this space and use the brakes (or switch your wheelchair\u2019s power off) when the train\u2019s moving.\n\n## How to get help\n\nAll licensed train companies must be able to tell you:\n\n- what services and facilities are available\n\n- how to get assistance - including when there are disruptions\n\nThis is called an Accessible Travel Policy (ATP). You can get a copy of an ATP from the train company.\n\n## Disabled person\u2019s railcard\n\nIf you\u2019re eligible you can get up to a third off rail tickets by applying for a disabled person\u2019s railcard. You must provide evidence of a relevant disability.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the train company directly.\n\nIf you cannot resolve the complaint, you may be able to complain to the Rail Ombudsman. They can only consider complaints about companies that have joined the Rail Ombudsman scheme.\n\n## Planes\n\nTell your airline at least 48 hours before departure if you\u2019ll need help.\n\nAirlines and airports have different facilities for disabled people. Find out from your airport or airline if they have the facilities you need, for example a toilet with disabled access.\n\n## Help at the airport\n\nIf you have a sensory, physical or learning disability which affects your mobility when using transport, at airports in the UK and EU you have the right to:\n\n- help at specific arrival points, such as at terminal entrances, at transport interchanges and in car parks\n\n- help to reach check-in\n\n- help with registration at check-in\n\n- help with moving through the airport if you need it, including to toilets\n\n- help to board the plane\n\nYou\u2019ll also have the right to help because of your age or a temporary illness or injury - for example if you\u2019ve broken your leg and it\u2019s in a cast.\n\nYou can travel with up to 2 items of mobility equipment free of charge if you\u2019re disabled. This will not count as part of your baggage allowance.\n\n## Help on the plane\n\nIf you have a sensory, physical or learning disability which affects your mobility on a flight, in the UK and EU you have the right to:\n\n- get information about your flight in a way you understand it\n\n- help to find a seat that is suited to your needs\n\n- help to move around the plane, including to toilets\n\n## Taking your wheelchair on the plane\n\nYou cannot take your own wheelchair into the passenger cabin of a plane - it will be stored in the hold. Speak to your airline to find out what help they\u2019ll provide when boarding.\n\nTell your airline, travel agent or tour operator as soon as possible if you\u2019re taking on a battery-powered wheelchair or mobility aid.\n\n## Travelling with a companion\n\nYou must travel with a companion if you\u2019re not self reliant, for example if you need help with feeding, breathing, using medication or using the toilet.\n\nThe airline you\u2019re flying with will do their best to make sure you sit next to each other, so long as you tell them at least 48 hours before departure.\n\n## Travelling with an assistance dog\n\nYou have the right to travel with your assistance dog. You\u2019ll need to follow the rules on pet travel.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the airport or airline directly.\n\nIf you cannot resolve the problem with them, you can complain to either:\n\n- an alternative dispute resolution (ADR) body\n\n- the Civil Aviation Authority (CAA) if the airline or airport does not have an agreement with an ADR\n\n## Cars, buses and coaches\n\nFind out what you need to do if you\u2019re driving and you have a medical condition or disability, for example learning to drive and getting insured.\n\nYou may be able to get a Blue Badge so you can park closer to where you want to go.\n\n## The Motability Scheme\n\nThe Motability Scheme can help you with leasing a car, powered wheelchair or scooter.\n\n## Buses and coaches\n\nYou can get a bus pass for free travel if you\u2019re disabled. Passes from councils in England can be used anywhere in England:\n\n- at any time on a Saturday, Sunday or bank holiday\n\n- from 9:30am to 11pm on any other day\n\nFor travel outside of these times, contact the relevant council.\n\n## Help getting on and off\n\nThe law says bus and coach drivers must give reasonable assistance to disabled people, for example by helping them get on and off the bus or coach. This does not mean physically lifting passengers or heavy mobility equipment.\n\nIf you need help to get on and off a coach, you should ask for this when you book your ticket.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the bus or coach service operator directly.\n\nIf you cannot resolve the problem with the operator, contact:\n\n- Bus Users UK for complaints about services outside of London\n\n- London TravelWatch for complaints about services in London\n\n- your local government ombudsman for complaints about bus passes\n\n## Taxis and minicabs\n\nLicensed taxis can be hailed on the street, picked up at ranks or pre-booked, but you can only pre-book minicabs (also called \u2018private hire vehicles\u2019).\n\n## Wheelchair access\n\nIn some areas (mainly larger cities), licensed taxis have to be wheelchair accessible.\n\nTo find out if there are accessible taxis near you, contact the taxi licensing office at your local council.\n\n## London taxis\n\nIn London, all black cabs are wheelchair accessible.\n\nSome of the newer \u2018black cabs\u2019 are also fitted with induction loops and intercoms for hearing aid users.\n\n## Assistance dogs\n\nIf you travel with an assistance dog they must be allowed into the taxi or minicab with you, unless the driver has an exemption certificate. This can be issued if they\u2019ve got a medical condition made worse by contact with dogs.\n\nA driver with an exemption certificate will have a \u2018Notice of Exemption\u2019 notice on their vehicle windscreen.\n\nIt\u2019s illegal to be charged extra to travel in a taxi or minicab with an assistance dog. Otherwise the driver could be fined up to \u00a31,000.\n\nThe following types of dog can be taken with you in taxis or minicabs:\n\n- guide dogs\n\n- hearing dogs\n\n- assistance dogs trained by Dogs for the Disabled, Support Dogs or Canine Partners\n\n## Travelling with your dog\n\nTaxi and private hire vehicle drivers have been told how to identify assistance dogs.\n\nYour assistance dog should wear its harness or identification jacket when you are travelling with it. If an identification card was issued for the dog, this should also be carried.\n\nDogs should remain on the floor and under control at all times. If your dog causes any damage to the vehicle, the driver could ask you to pay for it.\n\n## Report a problem\n\nAs well as the rules on wheelchairs and assistance dogs, all taxi and minicab drivers must make sure they do not discriminate against you and cannot treat you less favourably than other customers. They should also make any \u2018reasonable adjustments\u2019 to their service for you to make your journey easier.\n\nYou should report any problems to the taxi licensing office at your local council.\n\n## Ships\n\nYou can get help if you\u2019re disabled and travelling on any of the following:\n\n- a cruise ship that\u2019s leaving from a port within the UK\n\n- a ferry that\u2019s leaving from or going to a port within the UK\n\n- a local ferry service, for example by river bus\n\nIf you need to make specific arrangements for your journey (for example if you have certain accommodation or seating requirements), you should tell the cruise line, ferry service, travel agent or tour operator at least 48 hours before departure.\n\n## Travelling with a carer\n\nYou should let the cruise line or ferry service know if you need to travel with a carer. On a ferry, your carer might be able to travel for free.\n\n## Help getting on and off\n\nTell the cruise line or ferry service at least 48 hours before departure if you need help getting on and off the ship.\n\n## Report a problem\n\nIf you\u2019re unhappy with the help you get, complain to the cruise line or ferry service company directly.\n\nIf it cannot be resolved you can contact an independent organisation to look into your complaint.\n\nIn England or Wales, you can contact:\n\n- Association of British Travel Agents (ABTA), for complaints about ferries\n\n- London Travel Watch, for complaints about London River Bus services\n\n- Cruise Line International Association (CLIA), for complaints about cruises\n\nIn Scotland, you can contact Transport Scotland.\n\nIn Northern Ireland, you can contact the Consumer Council of Northern Ireland.\n\n## Wheelchairs\n\nShopmobility lends wheelchairs and powered scooters to people who are disabled so they can shop or visit leisure facilities in a town, city or shopping centre.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/transport-disabled", + "answerable": true, + "scenario": "I am 42 and partially sighted, which requires me to be accompanied by my guide dog Bella when out in public. I wish to visit London, and will be arriving by train. The taxi driver that I have hailed does not have an exemption certificate.", + "original_question": "If I hail a taxi at the station, is the driver obliged to allow my guide dog to accompany me in the car?" + }, + { + "id": "train-2308", + "question": "Scenario: I am a 32 year old who is planning to come to the UK on a family visa, along with my 10 year old son and 34 year old spouse. We have a combined income of \u00a320,000. My son is a citizen of Iceland, and does not have settled status in the UK.\n\nQuestion: Is our income enough for us to be allowed to the UK on a family visa?\n\nDocument - Family visas: apply, extend or switch:\n## Overview\n\nYou need a family visa to live with a family member in the UK for more than 6 months.\n\n## Applying from outside the UK\n\nYou can apply for a family visa to live with your:\n\n- spouse or partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- child\n\n- parent\n\n- relative who\u2019ll provide long-term care for you\n\nIf you\u2019re visiting the UK for 6 months or less, check if you need a Standard Visitor visa or Marriage Visitor visa.\n\n## Extending your family visa\n\nYou can apply to extend your stay with your family member if you\u2019re already in the UK on a family visa.\n\nYou can extend at any time before your current permission to stay in the UK expires.\n\nIf you\u2019re extending to stay with the same family member, you\u2019ll only get up to 28 days left on your current stay added to your new visa.\n\nYou must live in the UK for a certain amount of time before you\u2019re eligible for settlement (\u2018indefinite leave to remain\u2019). Before you extend your visa, check how much time you need to settle in the UK.\n\nYou might be able to apply to stay on the basis of your private life if you\u2019ve lived in the UK for many years already.\n\n## Switching to a family visa\n\nIf you came to the UK on a different visa, you might be able to switch to a family visa to stay with your:\n\n- spouse or partner\n\n- child\n\n- parent\n\nYou can switch at any time before your current permission to stay in the UK expires.\n\n## If you do not meet the rules because of coronavirus (COVID-19)\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus, you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Fees\n\nHow much it costs depends on how you apply.\n\n| | Apply outside the UK | Apply in the UK |\n\n| Cost if joining your partner, parent or child | \u00a31,523 | \u00a31,033 |\n\n| Cost for each dependant added to your application | \u00a31,523 each person | \u00a31,033 each person |\n\n| Cost for an adult who needs to be looked after by a relative | \u00a33,250 | \u00a31,033 |\n\nLet your bank know that a large amount of money will be coming out of your account - otherwise it might cancel your payment.\n\n## Healthcare surcharge\n\nYou might also need to pay the healthcare surcharge as part of your application.\n\n## If you\u2019re applying to extend or switch in the UK\n\nYou\u2019ll need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\n## Get a faster decision on your application\n\nIf you\u2019re applying from the UK, you may be able to pay an extra \u00a3800 for the super priority service to get a faster decision.\n\nYou cannot use the super priority service if you\u2019re applying as an adult coming to be cared for by a relative.\n\nOnce you\u2019ve got your decision letter, your biometric residence permit will take up to 10 working days to arrive.\n\n## How long it takes\n\nIf you apply outside the UK a decision will usually be made within 12 weeks.\n\nIf you apply in the UK a decision will usually be made within 8 weeks of your application date if you use the standard service.\n\nIf you use the super priority service a decision will usually be made:\n\n- by the end of the next working day after providing your biometric information if your appointment is on a weekday\n\n- 2 working days after providing your biometric information if your appointment is at the weekend\n\nWorking days are Monday to Friday, not including bank holidays.\n\nIt might take longer if your application is complex, for example you:\n\n- do not meet the minimum income requirement\n\n- cannot prove your knowledge of English\n\n- need to attend an interview\n\n- have not provided all the evidence that the Home Office needs\n\n- have a criminal conviction or another personal circumstance that needs to be reviewed\n\n## Other ways you can stay\n\n## You were the victim of domestic abuse or your partner died\n\nYou might be able to apply to settle in the UK if you had permission to stay in the UK as a partner when either:\n\n- you were the victim of domestic abuse\n\n- your partner died\n\n## Your family member has refugee status or humanitarian protection\n\nYou might be able to apply for \u2018family reunion\u2019 to join a partner or parent who has either:\n\n- refugee status in the UK\n\n- humanitarian protection in the UK\n\n## If you or your family are from the EU, Switzerland, Norway, Iceland or Liechtenstein\n\nIf you or a close family member started living in the UK before 1 January 2021, you may be able to apply to the free EU Settlement Scheme. Otherwise you need a visa or family permit to come to the UK.\n\nIrish citizens do not need to apply for a visa or to the EU Settlement Scheme.\n\n## When you cannot get a family visa\n\nIn some circumstances you cannot apply for, or switch to, a family visa.\n\n## Your family member has a work visa or student visa\n\nYou cannot apply for a family visa if your family member is in the UK temporarily on a work visa or student visa.\n\nYou can apply to stay with them as a dependant instead.\n\n## You have a visitor visa or a visa for 6 months or less\n\nYou\u2019ll usually need to leave the UK to apply for a family visa if either:\n\n- you have permission to be in the UK as a visitor\n\n- your visa is for 6 months or less\n\nHowever, you might be able to switch to a family visa in the UK if you have either:\n\n- a 6-month family visa as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- permission to stay in the UK for the outcome of a family court case or divorce\n\n## Apply as a partner or spouse\n\nTo apply as a partner, you and your partner both need to be 18 or over.\n\nYour partner must also either:\n\n- be a British or Irish citizen\n\n- have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- have a Turkish Businessperson visa or Turkish Worker visa\n\n- have refugee status or humanitarian protection in the UK\n\nYou and your partner must intend to live together permanently in the UK after you apply.\n\nIf your partner has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.\n\n## What you\u2019ll need to prove\n\nYou must be able to prove one of the following:\n\n- you\u2019re in a civil partnership or marriage that\u2019s recognised in the UK\n\n- you\u2019ve been living together in a relationship for at least 2 years when you apply\n\n- you are a fianc\u00e9, fianc\u00e9e or proposed civil partner and will marry or enter into a civil partnership in the UK within 6 months of arriving\n\nIf your wedding or civil ceremony has been delayed because of coronavirus (COVID-19), you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.\n\nYou also need to prove you:\n\n- have a good knowledge of English\n\n- can financially support yourself and your dependants\n\nIf you do not meet these requirements you may still be able to apply for a visa or extend your permission to stay if:\n\n- you have a child in the UK who is a British or Irish citizen or has lived in the UK for 7 years and it would be unreasonable for them to leave the UK\n\n- there would be very significant difficulties for you and your partner if you lived together as a couple outside the UK that could not be overcome\n\n- it would breach your human rights to stop you coming to the UK or make you leave\n\n## If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\nYou must prove that:\n\n- any previous marriages or civil partnerships have ended\n\n- you plan to marry or become civil partners within 6 months of arriving in the UK\n\nIf your wedding or civil ceremony has been delayed because of COVID-19, you might still be able to request an extension or apply to extend your stay. Read the guidance for UK visa applicants and temporary UK residents.\n\nYou will not be able to work during your engagement.\n\n## How long you can stay\n\nYou can stay in the UK for 2 years and 9 months on this visa. If you\u2019re applying as a fianc\u00e9, fianc\u00e9e or proposed civil partner, you can stay for 6 months.\n\nAfter this you\u2019ll need to apply to extend your stay.\n\n## If you extend or switch to this visa\n\nIf you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nHow you apply depends on whether you\u2019re in the UK or not.\n\n## Outside the UK\n\nYou must apply online from outside the UK.\n\n## In the UK\n\nYou must apply online in the UK.\n\n## If you cannot pay the fee\n\nFill in the online fee waiver request form as well if you cannot pay the fee because you:\n\n- do not have a place to live and cannot afford one\n\n- have a place to live but cannot afford essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Applying with your children\n\nYou can add children to your application as dependants if both of the following apply:\n\n- they are under 18 when you apply, or were under 18 when they were first granted leave\n\n- they do not live an independent life\n\nYour child is living an independent life if, for example, they\u2019ve left home, got married and had children.\n\n## When you can settle permanently\n\nThe earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a partner.\n\nYou cannot include time you\u2019ve spent in the UK:\n\n- on any other visa\n\n- as a fianc\u00e9, fianc\u00e9e or proposed civil partner\n\nThe rules are different if you applied before 9 July 2012.\n\n## If you applied before 9 July 2012\n\nYou can only extend your family visa if all the following are true:\n\n- you were given permission to stay in the UK as a partner before 9 July 2012\n\n- you are not eligible to settle in the UK\n\n- you have not been granted or refused another visa\n\nYou must also prove that:\n\n- you and your partner have enough money to financially support yourself and your dependants without relying on public funds\n\n- you have knowledge of English\n\n## Apply as a parent\n\nYou can apply to live in the UK to care for your child.\n\nIf you\u2019re eligible to apply as a partner, you must do that instead of applying as a parent.\n\nYour child must either:\n\n- be under 18 on the date you apply\n\n- have been under 18 when you were first granted leave and not live an independent life\n\nYour child is living an independent life if, for example, they\u2019ve left home, got married and had children.\n\nYour child must be living in the UK. One of the following must also be true:\n\n- they\u2019re a British or Irish citizen\n\n- they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- if you\u2019re applying in the UK, they must have lived in the UK for 7 years continuously and it would not be reasonable for them to leave\n\nIf your child has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Parental responsibility\n\nYou need to have sole or shared parental responsibility for your child.\n\nIf you share parental responsibility, the child\u2019s other parent must not be your partner. They must also either:\n\n- be a British or Irish citizen\n\n- have settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- be from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\nIf the child lives with their other parent or carer, you must have access to the child in person, as agreed with the other parent or carer or by a court order.\n\n## What you\u2019ll need to prove\n\nYou must be able to prove that you\u2019re taking an active role in your child\u2019s upbringing and you plan to continue after you apply. For example you could provide letters from your child\u2019s:\n\n- school confirming you take them to school or go to parent evenings\n\n- doctor, dentist, or health visitor confirming that you take them to appointments\n\n- other parent confirming how much contact you have with your child\n\nIf you provide a letter from the other parent, you\u2019ll need to include proof of their identity. This should be an official document which has their signature on it, for example a copy of their passport, tax return or photocard driving licence.\n\n## English language and financial requirements\n\nYou must also prove you:\n\n- have a good knowledge of English\n\n- can financially support yourself without claiming public funds\n\nIf your child or any other dependants live with you, you must also prove you can financially support them without claiming public funds.\n\nIf you do not meet the English language and financial requirements you can still extend your permission to stay if:\n\n- your child in the UK is a British or Irish citizen or has lived in the UK for 7 years\n\n- it would be unreasonable for them to leave the UK\n\n## How long you can stay\n\nYou can stay in the UK for 2 years and 9 months on this visa. After this you\u2019ll need to apply to extend your stay.\n\nIf you extend your family visa or switch to this visa you can stay in the UK for 2 years and 6 months.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nHow you apply depends on whether you\u2019re in the UK or not.\n\n## Outside the UK\n\nYou must apply online outside the UK. You must also complete Appendix 5.\n\n## In the UK\n\nYou must apply online in the UK.\n\nIf you cannot afford to pay the fee, you must also apply online to waive the fee. You might not have to pay the fee if you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\nRead the guidance for parents before applying.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Applying with other children\n\nYou can add other children to your application as dependants if one of the following applies:\n\n- they are under 18 on the date you apply\n\n- they were under 18 when they were first granted leave on a family visa and do not live an independent life\n\n## When you can settle permanently\n\nThe earliest you can apply to settle in the UK (called \u2018indefinite leave to remain\u2019) is after you\u2019ve lived in the UK for 5 years continuously on a family visa as a parent.\n\nYou cannot include time you\u2019ve spent in the UK on any other visa.\n\nThe rules are different if you applied before 9 July 2012.\n\n## Apply as a child\n\nYou can apply for a family visa to join your parent in the UK.\n\nYou may not need a family visa if at least one of your parents has indefinite leave to remain or proof of permanent residence. Check if you can apply to settle in the UK.\n\nIf your parent has settled status you may be able to apply to the free EU Settlement Scheme or for an EU Settlement Scheme family permit.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## You were born in the UK\n\nYou\u2019ll get the same permission to stay as your parent if you were born in the UK.\n\n## If you\u2019re under 18\n\nYou can either:\n\n- be added to your parent\u2019s next application as a dependant\n\n- apply separately\n\nTo apply separately, you\u2019ll need to know what kind of permission to stay in the UK (\u2018limited leave to remain\u2019) your parent has.\n\n## If you\u2019re over 18\n\nYour parent can only include you in their application as a dependant if you:\n\n- got permission to come to or stay in the UK (\u2018leave to enter or remain\u2019) on a family visa when you were under 18\n\n- do not live an independent life\n\n- are applying from inside the UK\n\nYou\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.\n\n## You were born outside the UK\n\nWhether you can apply depends on your age and how your parent applied.\n\n## If you\u2019re under 18\n\nYou must:\n\n- not be married, in a civil partnership or living an independent life\n\n- be financially supported without claiming public funds\n\nOne of your parents must also be applying or have applied for a visa or to extend their permission to stay as a:\n\n- partner - and the partner they\u2019re joining is your other parent\n\n- parent - and they have sole parental responsibility for you\n\nOtherwise, you might still be eligible to apply if there are serious reasons to let you come to, or stay in the UK and there are plans for your care.\n\n## If you\u2019re over 18\n\nYour parent can include you in their application as a dependant, or you can apply separately yourself. You can only apply if you:\n\n- got permission to stay in the UK (\u2018leave to remain\u2019) on a family visa when you were under 18\n\n- do not live an independent life\n\nYou\u2019re living an independent life if, for example, you\u2019ve left home, got married and had children.\n\nIf your parent cannot include you in their form and you\u2019re in the UK, you may be eligible to apply for Private Life in the UK (10-year route).\n\n## Apply from outside the UK\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\n## Apply at the same time as your parent\n\nWhich form you need to fill in depends on whether your parent is applying to enter the UK as the partner of one of the following:\n\n- a British or Irish citizen\n\n- a person with indefinite leave to remain\n\n- a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021\n\n- a person with a Turkish Businessperson visa or Turkish Worker visa\n\n- a person with refugee status or humanitarian protection\n\nIf they are applying as one of these, you must fill in the Appendix FM online form.\n\nIf they are not, you must fill in both:\n\n- the online application form\n\n- the Appendix 1 paper form\n\n## Apply separately\n\nWhich form you need to fill in depends on whether your parent has leave to enter or remain in the UK on a 5 or 10-year route to settlement as the partner of:\n\n- a British or Irish citizen\n\n- a person with indefinite leave to remain\n\n- a person settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- a person from the EU, Switzerland, Norway, Iceland or Liechtenstein who has pre-settled status - they must have started living in the UK before 1 January 2021\n\n- a person with a Turkish Businessperson visa or Turkish Worker visa\n\n- a person with refugee status or humanitarian protection\n\nIf they do, you must fill in the Appendix FM online form.\n\nIf they do not, you must fill in both:\n\n- the online application form\n\n- the Appendix 1 paper form\n\n## Apply from the UK\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nIf you\u2019re already in the UK, you must apply online.\n\nFill in the online fee waiver request form as well if you cannot pay the fee because you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\nYou can also check if you\u2019re eligible for a different type of visa.\n\n## Get help to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Apply as an adult coming to be cared for by a relative\n\nYou must be outside the UK to apply and need long-term care from a parent, grandchild, brother, sister, son or daughter who is living permanently in the UK.\n\nOne of the following must also apply to the relative:\n\n- they\u2019re a British or Irish citizen\n\n- they\u2019ve settled in the UK - for example, they have indefinite leave to remain, settled status or proof of permanent residence\n\n- they\u2019re from the EU, Switzerland, Norway, Iceland or Liechtenstein and have pre-settled status - they must have started living in the UK before 1 January 2021\n\n- they have refugee status or humanitarian protection in the UK\n\nIf your family member has settled status you may be able to apply to the free EU Settlement Scheme or for a family permit.\n\nYou must prove all of the following:\n\n- you need long-term care to do everyday personal and household tasks because of illness, disability or your age\n\n- the care you need is not available or affordable in the country you live in\n\n- the person you\u2019ll be joining in the UK will be able to support, accommodate and care for you without claiming public funds for at least 5 years\n\n- you\u2019re 18 or over\n\n## How long you can stay for\n\nHow long you can stay depends on the status of your family member.\n\n## If your family member is British, Irish or settled in the UK\n\nYour stay is unlimited. You will not need to apply to extend or settle.\n\n## If your family member has pre-settled status\n\nThey must have started living in the UK before 1 January 2021. You can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.\n\n## If your family member has refugee status or humanitarian protection in the UK\n\nYou can stay as long as your family member stays. You\u2019ll need to apply to extend or settle when they do.\n\n## How to apply\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\nYou must apply as an adult dependent relative online and complete Appendix 1.\n\n## Apply to extend your stay\n\nApply online to extend your stay in the UK.\n\n## Apply on the basis of your private life\n\nYou can only apply on the basis of your private life if you\u2019re already living in the UK.\n\nYou must be able to prove that you\u2019re:\n\n- under 18 and you\u2019ve lived in the UK continuously for at least 7 years, and it would be unreasonable to expect you to leave the UK\n\n- between 18 and 24 and you\u2019ve lived continuously in the UK for more than half your life\n\n- 18 or over, have spent less than 20 years in the UK and would have very significant problems living in the country you\u2019d have to go to - for example, you do not speak the language and could not learn it\n\n- 25 or over and you\u2019ve been in the UK continuously for 20 years\n\nYour family members can apply on the same application - you\u2019ll be considered separately.\n\nIf you do not meet the rules to enter or remain in the UK because of coronavirus (COVID-19), you might still be able to apply to extend your stay or switch to a family visa. Read the guidance for UK visa applicants and temporary UK residents.\n\n## How to apply\n\nYou must apply online.\n\nYou\u2019ll need to prepare information and documents to provide with your application.\n\n## If you cannot pay the application fee\n\nFill in the online fee waiver request form as well if you cannot afford to pay the fee because you:\n\n- do not have a place to live and you cannot afford one\n\n- have a place to live but cannot afford your essential living costs like food or heating\n\n- have a very low income and paying the fee would harm your child\u2019s wellbeing\n\n## Get help using a computer to apply online\n\nYou can get help with completing the online form if you:\n\n- do not feel confident using a computer or mobile device\n\n- do not have internet access\n\nYou can only use this service if you\u2019re applying in the UK.\n\nYou cannot get immigration advice through this service.\n\n## Knowledge of English\n\nYou may need to prove your knowledge of the English language when you apply.\n\n## When you do not need to prove it\n\nYou do not need to prove your knowledge of English or take a test if one of the following is true:\n\n- you\u2019re applying as a child\n\n- you\u2019re applying as an adult coming to be cared for by a relative\n\n- you\u2019ve been in the UK on a family visa for 5 years and you\u2019re extending it as a partner or parent\n\n- you\u2019re over 65\n\n- you have a physical or mental condition that prevents you from meeting the requirement\n\nYou also will not need to prove your knowledge of English if you\u2019re a national of one of the following countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Canada\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\n## How to prove your knowledge of English\n\nYou can prove it with an academic qualification, or by taking a test.\n\n## Academic qualifications\n\nYou can prove your knowledge of English if you have a degree or academic qualification that was taught or researched in English.\n\nIf your qualification is from a UK university or college, you only need your degree certificate.\n\n## If your qualification is from a university or college outside the UK\n\nYou\u2019ll need to provide a certificate from Ecctis (formerly UK NARIC) to show that your qualification is equivalent to a UK bachelor\u2019s degree or higher and that it was taught in English.\n\nThere are 2 kinds of certificate:\n\n- a statement of comparability\n\n- a visa and nationality statement\n\nYou need a statement of comparability if you got your qualification from a university or college in one of these countries:\n\n- Antigua and Barbuda\n\n- Australia\n\n- the Bahamas\n\n- Barbados\n\n- Belize\n\n- Dominica\n\n- Grenada\n\n- Guyana\n\n- Ireland\n\n- Jamaica\n\n- Malta\n\n- New Zealand\n\n- St Kitts and Nevis\n\n- St Lucia\n\n- St Vincent and the Grenadines\n\n- Trinidad and Tobago\n\n- USA\n\nIf you got your qualification from a university or college in any other country, you need a visa and nationality statement.\n\n## Take an approved English language test\n\nYou can prove your knowledge of English by passing an approved English language test.\n\nYou must pass at least level A1 on the Common European Framework of Reference for Languages (CEFR) scale for your first visa application. You can choose to take a higher level test.\n\nIf you pass level B1 level or higher, the test will be accepted if it\u2019s still on the list of approved English language tests when you apply for settlement after 5 years.\n\nIf you cannot take an English language test because of coronavirus (COVID-19), you might be able to apply for an exemption. Read the guidance for UK visa applicants and temporary UK residents.\n\n## If you want to settle permanently in the UK within 5 years\n\nYou may have to pass a higher CEFR level if you want to stay in the UK after 2.5 years. What you need to do depends on what CEFR level you passed for your first visa.\n\nIf you passed:\n\n- level A1 you\u2019ll need to pass level A2 in speaking and listening\n\n- level A2, B1, B2, C1 or C2 you can use the test again for your application if it\u2019s still on the list of approved English language tests\n\nIf you were given an exemption, you\u2019ll need to pass a test at level A1.\n\nRead the English language requirement: family members guidance.\n\n## Give proof of your income\n\nYou and your partner must have a combined income of at least \u00a318,600 a year if:\n\n- you\u2019re applying as a partner\n\n- you want to settle in the UK (get \u2018indefinite leave to remain\u2019) within 5 years\n\nYou must prove you have extra money if you have children who:\n\n- are not British or Irish citizens\n\n- do not have pre-settled status\n\n- are not permanently settled in the UK\n\nYou might not need to prove you have extra money if your children are citizens of the EU, Iceland, Liechtenstein, Norway or Switzerland and they do not have pre-settled status or are not permanently settled in the UK. Check the guidance in appendix FM 1.7: financial requirement for more information.\n\nIf you need to prove extra money for your children, you\u2019ll need to earn an extra:\n\n- \u00a33,800 for your first child\n\n- \u00a32,400 for each child you have after your first child\n\nThis is called the \u2018minimum income requirement\u2019.\n\nYou may be able to use your savings instead of income.\n\nHow you prove you have the money depends on how you got the income.\n\nIf you\u2019ve experienced a loss of income because of coronavirus (COVID-19), for example if you\u2019ve been furloughed or you\u2019re self employed, you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.\n\n## What counts as income\n\nYou and your partner can use:\n\n- income from employment before tax and National Insurance (check your P60 or payslips) - you can only use your own income if you earn it in the UK\n\n- income you earn from self-employment or as a director of a limited company in the UK - check your Self Assessment tax return\n\n- cash savings above \u00a316,000\n\n- money from a pension\n\n- non-work income, for example from property rentals or dividends\n\nIf you\u2019re using income from self-employment or employment, you\u2019ll need to prove you or your partner received that income for 6 months or more.\n\n## What proof you need to give\n\nYou\u2019ll need to provide proof of your income with your application. If you or your partner are employed, you could include:\n\n- bank statements showing you or your partner\u2019s income\n\n- 6 months of payslips\n\n- a letter from an employer, dated and on headed paper\n\nThe employer\u2019s letter should confirm:\n\n- you or your partner are employed there\n\n- the job title or position you or your partner hold\n\n- how long you or your partner have worked there\n\n- the type of contract (for example, permanent, fixed term)\n\n- what you or your partner earn before tax and National Insurance\n\n- how long you or your partner have been paid your current salary\n\n- the payslips are genuine\n\nYou\u2019ll be told exactly what documents to provide when you apply online.\n\nCheck the guidance in appendix FM 1.7: financial requirement if:\n\n- you or your partner\u2019s income is more complicated\n\n- you or your partner have taken maternity or paternity leave in the last 6 months\n\n- you want to combine different income sources\n\nThe detailed guidance also explains the evidence you need to provide for each of the types of income you\u2019re relying on.\n\n## If you cannot meet the minimum income requirement\n\nYou need to show you and your partner meet the minimum income requirement if you want to settle in 5 years as a partner.\n\nIf you do not meet the requirement, you may be able to settle in 10 years.\n\n## When you do not need to meet the income requirement\n\nYou may be able to settle in 5 years without meeting the minimum income requirement if either:\n\n- you\u2019re applying as a parent\n\n- you get certain benefits, for example Disability Living Allowance or Carer\u2019s Allowance.\n\nYou need to show you and your family have enough money to adequately support and accommodate yourselves without relying on public funds. The caseworker considers your income and housing costs.\n\nCheck the guidance in appendix FM 1.7: financial requirement for more information\n\n## Information you must provide\n\nYou\u2019ll need to have information and some evidence ready when you make your application. Include information for you and any dependants applying at the same time.\n\nYou\u2019ll need to provide:\n\n- all your names\n\n- your date of birth\n\n- your current passport or other valid travel ID\n\n- copies of the photo page and any visa or entry stamps in your previous passports\n\n- a copy of your biometric residence permit, if you have one\n\n- details of any previous immigration applications you\u2019ve made\n\n- details of any criminal convictions\n\n- your national insurance number, if you have one\n\n- your parents\u2019 date of birth and nationality if you\u2019re applying from outside the UK\n\n- your tuberculosis test results if you\u2019re from a country where you have to take the test\n\n- a certified translation of any document that is not in English or Welsh\n\nYou\u2019ll need to have a blank page in your passport on which to put the visa if you\u2019re applying outside the UK.\n\nYou\u2019ll need an email address to make an online application.\n\nYou\u2019ll also need to:\n\n- give proof of your finances\n\n- prove your knowledge of English\n\nYou may need to provide additional documents depending on your circumstances - for example a sponsorship form from your family member in the UK.\n\nYou\u2019ll be told how to provide your documents when you apply.\n\nIf you\u2019re unable to provide specified documents because of coronavirus (COVID-19), you might still be able to apply. Read the guidance for UK visa applicants and temporary UK residents.\n\n## Your partner\u2019s details\n\nIf you have a partner, you\u2019ll be asked about their:\n\n- name\n\n- date of birth\n\n- nationality\n\n- passport\n\n- right to be in the UK, for example they\u2019re a British citizen\n\nYou\u2019ll also need to give details of:\n\n- any people your partner was previously married to, in a civil partnership with or had children with\n\n- evidence of marriages ending, for example a divorce certificate\n\n- anyone your partner supports with money, for example their parents\n\n## Proof of relationship\n\nIf you\u2019re applying as a spouse or partner, you\u2019ll be asked about:\n\n- your relationship with your partner, for example how you met and how often you see each other\n\n- how long you\u2019ve lived together - you\u2019ll need to provide proof like council tax bills\n\n- things you pay for together\n\n- whether you\u2019re your partner\u2019s carer\n\n## Your previous partners\n\nYou\u2019ll need to include details of anyone you previously married or had children with. Include evidence of marriages ending, for example a divorce certificate.\n\n## Children\n\nYou\u2019ll need to give details of your children (and your partner\u2019s children if you have one). You\u2019ll be asked about all children, even if they\u2019re not applying.\n\nYou\u2019ll need to give details of:\n\n- their name\n\n- their nationality\n\n- their date of birth\n\n- their passport details\n\n- who the child normally lives with\n\n- any other people with parental responsibility for your child, for example your step children\u2019s other parents\n\n- how you\u2019re involved in their day to day life\n\n- arrangements you have to see the child - for example the courts have granted you access\n\n- the child\u2019s extended family\n\n- any countries your child has visited or lived in\n\n## Your life outside the UK\n\nYou\u2019ll need to give details of:\n\n- countries outside the UK you\u2019ve lived in and visited\n\n- family and friends in the countries where you were born or have nationality\n\n## After you apply\n\nYou\u2019ll need to attend an appointment to provide your biometric information (fingerprints and a photo). You\u2019ll be told how to make an appointment when you apply.\n\n## Getting your documents back\n\nYou can ask for your passport and other documents to be returned if you\u2019ve provided them with your application but need them urgently.\n\nYou might have to cancel your application to get your documents back.\n\n## If your application is approved\n\nYou\u2019ll get a biometric residence permit.\n\nYou can:\n\n- work\n\n- study\n\nYou cannot work or study if you\u2019re applying for a visa or extending your stay to get married or become civil partners.\n\nYou cannot:\n\n- usually get benefits or other public funds for you or your dependants\n\n- apply to settle in the UK until you\u2019re eligible", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/uk-family-visa", + "answerable": true, + "scenario": "I am a 32 year old who is planning to come to the UK on a family visa, along with my 10 year old son and 34 year old spouse. We have a combined income of \u00a320,000. My son is a citizen of Iceland, and does not have settled status in the UK.", + "original_question": "Is our income enough for us to be allowed to the UK on a family visa?" + }, + { + "id": "train-2314", + "question": "Scenario: My son is a British national aged 16 years old.He is a member of a local youth orchestra group and are planning a trip to Spain for sightseeing and some adventures for 14 days. I have a clean school photo that does not have any text or marks on it.\n\nQuestion: Can he use a school photo for group passport application?\n\nDocument - Collective (group) passports:\n## Overview\n\nIt takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.\n\nA collective (or group) passport is a way for an organised group of young people to make a trip to certain European countries.\n\nA collective passport costs \u00a339.\n\nYoung people should travel on their own passports if possible.\n\n## Who can use a collective passport\n\nThe passport is not for families but for groups such as:\n\n- schools and sixth form colleges\n\n- guides\n\n- scouts\n\n- other recognised youth organisations\n\nYou can have between 5 and 50 children on a group passport. If there are more than 50 in the group, you can split the group and apply for 2 or more passports.\n\nEveryone on the passport must be a British national and under 18 by the end of the trip.\n\nA group leader must be named on the passport. The passport is invalid if the group leader cannot travel, but if a deputy leader is named on the application, they can take over.\n\nThe group leader and deputy leader must:\n\n- be aged 21 or over\n\n- be a British citizen and have a British passport\n\n- be a UK resident\n\n## Countries you can visit\n\nThe countries you can travel to or through on a collective passport are:\n\n- Austria\n\n- Denmark\n\n- France\n\n- Italy\n\n- Malta\n\n- Norway\n\n- Romania\n\n- Spain\n\n- Switzerland\n\n## Check if you need a visa\n\nYou may need a visa if you\u2019re travelling on a group passport, even if you do not need one when travelling on an individual passport. Contact the country\u2019s embassy or consulate in the UK to check.\n\n## How to apply\n\nIt takes 6 weeks to issue collective passports. Do not book travel until you have a valid passport.\n\n- Download the application form.\n\n- Save it to your computer and fill it in (handwritten applications are not accepted).\n\n- Collect your supporting documents.\n\n- Email your completed application form to HMPassportofficeDurhamCollectives@hmpo.gov.uk.\n\n- Print a paper copy and get it signed by the group leader and deputy leader.\n\n- Send the paper copy with the \u00a339 fee and supporting documents to Collective Passport Applications.\n\n## Paying the fee\n\nInclude a cheque for \u00a339, payable to \u2018Her Majesty\u2019s Passport Office\u2019, or pay by credit or debit card using the card payment form - use capital letters to fill in the form.\n\n## Checks on your application\n\nHM Passport Office may contact your organisation to verify the application. Include a contact number on the form that will be answered during school holidays or your application could be delayed.\n\n## Supporting documents\n\nEach application must include:\n\n- a nationality questionnaire and parental consent form for each child\n\n- a collective passport photo identity card for each child\n\n- one supporting letter for the whole application\n\n## Nationality questionnaire and consent form\n\nThe nationality questionnaire and consent form (\u2018CPNQ\u2019 form) must be filled in by the person who can give consent for the child to travel. They must fill in either the:\n\n- form for a child born in the UK\n\n- form for a child born outside the UK\n\nDetails of who can give consent are on the form.\n\n## Request collective passport photo identity cards\n\nEmail your request for collective passport photo cards to HMPassportofficeDurhamCollectives@hmpo.gov.uk. Your email should include:\n\n- the number of cards you need\n\n- the full name and address of the school or organised group\n\n- a contact name and phone number\n\n## Complete collective passport photo identity cards\n\nEach card must be filled in with the child\u2019s details exactly as they appear on their nationality questionnaire and parental consent form.\n\nYou must attach a recent passport-sized photo to each card.\n\n## Rules for photos\n\nThe photos:\n\n- should be of a similar quality to standard passport photos\n\n- should not have been previously used on another document\n\n- must not be laminated or photocopies\n\nYou can use:\n\n- a school photo - as long as it does not have \u2018proof\u2019 written across it\n\n- printed digital photos\n\nThe group leader must complete their own details and sign the photo cards before submitting the application.\n\nEach child must sign their card before they travel.\n\n## Supporting letter\n\nEach application must include one supporting letter on headed paper confirming consent to the trip.\n\nIf the group is going abroad to perform (for example, in a sports competition) the letter must say:\n\n- all members of the group are amateurs\n\n- they will not get any payment\n\nIf children from more than one organisation are travelling together, you need a supporting letter from each organisation.\n\nThe letter must be signed - digital or photocopied signatures are not accepted.\n\nThe table shows who can supply and sign the supporting letter.\n\n| Type of organisation | Who can supply and sign the supporting letter |\n\n| School | The head teacher, a member of the board of governors or the education authority from each school making up the party |\n\n| Scout or guide group | The assistant county or area commissioner or someone from Association Headquarters |\n\n| Football or rugby club | Someone from the local football association or the league chairperson or secretary |\n\n| Swimming or judo clubs | Someone from the national headquarters |\n\n| Youth orchestras or choirs | Someone from the local education authority, or the vicar for church groups |\n\n| Army or Airforce cadets | The commanding officer or someone from the services authority |\n\n| Clubs or youth clubs | Someone from the local authority where the club is registered, or the national headquarters |\n\n| Registered charities | The director or a person in a similar position in the organisation |\n\n## Getting the passport changed\n\nCheck your passport when it arrives for mistakes. Children cannot travel if they\u2019re not on the passport.\n\n## If you need to amend the passport\n\nSend the passport back to HM Passport Office Collective Passport Applications with a letter explaining the reasons.\n\nIf your trip is postponed but you arrange alternative travel within the same season, you can usually get your passport amended free of charge.\n\nIf several changes are needed (for example, you\u2019re adding lots of names), you have to pay for a new one.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/collective-group-passports", + "answerable": true, + "scenario": "My son is a British national aged 16 years old.He is a member of a local youth orchestra group and are planning a trip to Spain for sightseeing and some adventures for 14 days. I have a clean school photo that does not have any text or marks on it.", + "original_question": "Can he use a school photo for group passport application?" + }, + { + "id": "train-2316", + "question": "Scenario: My husband died on the 30th of July 2021. He was born on the 4th October 1945. He was eligible and was receiving an additional state pension. He reached state pension age on the 4th October 2005\n\nQuestion: Will I be able to claim any of this state pension as inheritance?\n\nDocument - Additional State Pension:\n## Overview\n\nThe Additional State Pension is an extra amount of money you could get on top of your basic State Pension if you\u2019re:\n\n- a man born before 6 April 1951\n\n- a woman born before 6 April 1953\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou get the new State Pension if you were born on or after this date. You will not qualify for the Additional State Pension, but you might still be able to inherit Additional State Pension from your partner.\n\nYou get the Additional State Pension automatically if you\u2019re eligible for it, unless you\u2019ve contracted out of it.\n\nThe Additional State Pension is paid with your basic State Pension.\n\n## What you'll get\n\nThere is no fixed amount for the Additional State Pension.\n\nHow much you get depends on:\n\n- how many years you paid National Insurance for\n\n- your earnings\n\n- whether you\u2019ve contracted out of the scheme\n\n- whether you topped up your basic State Pension (this was only possible between 12 October 2015 and 5 April 2017)\n\n## How you\u2019re paid\n\nThe Additional State Pension is paid with your basic State Pension into your bank account.\n\n## Eligibility\n\n## You reached State Pension age on or after 6 April 2016\n\nYou will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.\n\n## You reached State Pension age before 6 April 2016\n\nIf you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.\n\nYou may not get any Additional State Pension for periods when you were contracted out of it.\n\n## When you have contributed to the Additional State Pension\n\nThe Additional State Pension is made up of 3 schemes. You might have contributed to more than one, depending on:\n\n- how long you\u2019ve been working\n\n- whether you chose to top up your State Pension\n\n| Time | Scheme | You contributed if |\n\n| 2002 to 2016 | State Second Pension | You were employed or claiming certain benefits |\n\n| 1978 to 2002 | State Earnings-Related Pension Scheme (SERPS) | You were employed |\n\n| 12 October 2015 to 5 April 2017 | State Pension top up | You reached State Pension age before 6 April 2016 and opted in |\n\n## The State Second Pension since 2002\n\nYou contributed through your National Insurance contributions if at any time between 6 April 2002 and 5 April 2016 you were:\n\n- employed and earning at least the lower earnings limit - this was \u00a35,824 in the 2015 to 2016 tax year\n\n- looking after children under 12 and claiming Child Benefit\n\n- caring for a sick or disabled person more than 20 hours a week and claiming Carer\u2019s Credit\n\n- working as a registered foster carer and claiming Carer\u2019s Credit\n\n- receiving certain other benefits due to illness or disability\n\n## Contracting out\n\nYou could only contract out of the Additional State Pension if your employer ran a contracted-out pension scheme. Check with them.\n\nWhile you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.\n\nYou cannot contract out after 6 April 2016. If you were contracted out, your National Insurance contributions increased to your standard rate after this date.\n\nThe extra pension you get from a contracted-out pension scheme is usually the same as, or more than, the Additional State Pension you would have got if you did not contract out.\n\n## Check if you were contracted out\n\nYou can find out if you were contracted out by:\n\n- checking an old payslip\n\n- calling your pension provider\n\nThe Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.\n\n## National Insurance while contracting out\n\nYou paid lower National Insurance contributions while you were contracted out if:\n\n- you earned between \u00a3155 and \u00a3770 a week\n\n- you were under State Pension age\n\n- you did not pay reduced rate National Insurance\n\n## What happens when you retire\n\nYou\u2019ll get a pension from your employer\u2019s workplace pension scheme.\n\n## How to claim\n\nYou do not have to do anything to claim the Additional State Pension.\n\nIf you\u2019re eligible for an Additional State Pension, you\u2019ll automatically get it when you claim your State Pension.\n\nAfter you claim, the Pension Service will write to you and tell you how much you\u2019re getting.\n\n## Inheriting Additional State Pension\n\nIf your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.\n\n## Maximum State Second Pension you can inherit\n\nYou can inherit up to 50% of your spouse or civil partner\u2019s State Second Pension.\n\n## Maximum SERPS pension and State Pension top up you can inherit\n\nThe maximum you can inherit depends on when your spouse or civil partner died.\n\nIf they died before 6 October 2002, you can inherit up to 100% of their SERPS pension.\n\nIf they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.\n\n| Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit |\n\n| 5 October 1937 or before | 5 October 1942 or before | 100% |\n\n| 6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90% |\n\n| 6 October 1939 to 5 October 1941 | 6 October 1944 to 5 October 1946 | 80% |\n\n| 6 October 1941 to 5 October 1943 | 6 October 1946 to 5 October 1948 | 70% |\n\n| 6 October 1943 to 5 October 1945 | 6 October 1948 to 5 July 1950 | 60% |\n\n| 6 October 1945 and after | 6 July 1950 and after | 50% |\n\nIf your spouse or civil partner died within 90 days of topping up their State Pension, the top up should have been refunded to their estate (their total property, money and possessions), minus any payments they received before they died. This means you will not inherit the top up as part of their Additional State Pension.\n\n## How it\u2019s paid\n\nAny Additional State Pension you inherit will be paid on top of your State Pension when you reach State Pension age.\n\n## If you get your own Additional State Pension\n\nThe maximum amount of Additional State Pension you can get is \u00a3180.31 per week.\u00a0The limit does not include State Pension top up.\n\n## If you get Widowed Parent\u2019s Allowance\n\nYou may inherit Additional State Pension before you reach State Pension age. You\u2019ll stop receiving it if your Widowed Parent\u2019s Allowance ends.\n\nYou may receive it again when you reach State Pension age if you were over 45 when you were entitled to Widowed Parent\u2019s Allowance.\n\nIf your Widowed Parent\u2019s Allowance or Bereavement Allowance ended before you were 55, you\u2019ll receive less Additional State Pension.\n\n## When you cannot inherit Additional State Pension\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.\n\nThe date you reach State Pension age also affects whether you can inherit Additional State Pension.\n\n## If you reached State Pension age before 6 April 2010\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if they died before they reached their State Pension age and after you reached yours.\n\nThis does not apply if you\u2019re a woman who was married to:\n\n- a man\n\n- a woman who legally changed their gender from male to female during your marriage\n\n## If you reached State Pension age on or after 6 April 2016\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:\n\n- your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016\n\n- you started your marriage or civil partnership on or after 6 April 2016\n\n## If you get divorced\n\nIf you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.\n\nYou\u2019ll have to fill in form BR20 to give details of your Additional State Pension.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/additional-state-pension", + "answerable": true, + "scenario": "My husband died on the 30th of July 2021. He was born on the 4th October 1945. He was eligible and was receiving an additional state pension. He reached state pension age on the 4th October 2005", + "original_question": "Will I be able to claim any of this state pension as inheritance?" + }, + { + "id": "train-2317", + "question": "Scenario: A friend of mine and his family want to apply for settlement as refugees. We have been friends for about 2 years now and his family has been living in the UK for the past 7 or so years. The family of my friend is dependant on him and already live in the UK.\n\nQuestion: Are they eligible to apply for settlement as refugees?\n\nDocument - Settlement: refugee or humanitarian protection:\n## Overview\n\nYou can apply to settle in the UK (known as \u2018indefinite leave to remain\u2019) if you\u2019ve got a residence card as a:\n\n- refugee\n\n- person with humanitarian protection\n\nCheck if you\u2019re eligible in the relevant category.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person who\u2019s been given humanitarian protection.\n\n## Family members\n\nYou may be able to include your partner and any children on your settlement application if they\u2019re already in the UK as your dependants. This includes children born in the UK.\n\nCheck if your family member is eligible.\n\nIf your application is successful, your family members will have the same permission to stay in the UK as you do.\n\n## If you cannot include your family members on your settlement application\n\nIf your family was formed before you left your country, your partner and children can apply to be reunited with you in the UK.\n\nYour family members must apply for a visa to join you in the UK if one of the following is true:\n\n- they\u2019re not eligible to apply as a partner or a child\n\n- your family was formed after you left your country\n\nIf your application is successful, your family members will have permission to stay in the UK for the same length of time as you.\n\n## Eligibility\n\nYou can apply after 5 years in the UK as either:\n\n- a refugee\n\n- someone with humanitarian protection\n\n## If your application is refused\n\nYour settlement application may be refused if you\u2019ve got a criminal record or been in prison - read why applications are refused.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement as a refugee or person with humanitarian protection.\n\n## Family reunion\n\nYour partner or child may be able to join or stay with you in the UK if:\n\n- you were part of a family before you were forced to leave your country\n\n- you have refugee status, 5 years\u2019 humanitarian protection or settlement on protection grounds but do not yet have British citizenship\n\nYour partner or child cannot join you if:\n\n- you have not received a decision on your asylum claim\n\n- you\u2019re under 18\n\nIf their application is successful, your family members will be allowed to come to or stay in the UK with the same permission as you.\n\n## Eligibility\n\nYour partner and any children must meet the following requirements.\n\n## Partner\n\nYour partner is someone you\u2019re in a genuine relationship with. You must be able to prove one of the following:\n\n- you\u2019re married\n\n- you\u2019re in a civil partnership\n\nIf you\u2019re not married or in a civil partnership, your partner may be able to join you if:\n\n- you were given refugee status or humanitarian protection on or after 9 October 2006\n\n- you\u2019ve lived together in a relationship like in a marriage or civil partnership for 2 years and you\u2019ve been given asylum or humanitarian protection after 9 October 2006\n\nYou and your partner must intend to live together and continue your relationship after they apply.\n\n## Children\n\nYour child is:\n\n- under the age of 18\n\n- going to live with you and your partner\n\n- not married or in a civil partnership\n\n## Apply outside the UK\n\nYour partner or child must apply online for family reunion.\n\nYou can apply on behalf of your child but, in most cases, your partner must make their own application.\n\nThey\u2019ll also have to complete application form VAF4A with Appendix 4.\n\nThey\u2019ll need to have their fingerprints and photograph (known as \u2018biometric information\u2019) taken at a visa application centre as part of their application.\n\n## North Korea\n\nYour partner or child cannot apply online if they\u2019re applying from North Korea.\n\nThey need to download application form VAF4A with Appendix 4.\n\nThey should read the guidance on filling in the form and the instructions for North Korea.\n\n## Apply in the UK\n\nYour partner or child can apply to stay with you in the UK if all the following are true:\n\n- you have refugee status or humanitarian protection in the UK\n\n- they\u2019re making their first application to stay with you and they\u2019re already in the UK\n\n- they can prove their relationship pre-dates your departure from your home country because of persecution\n\nThey must apply by letter to:\n\n## Providing biometric information and supporting documents\n\nWhen your family member applies, they\u2019ll be asked to make an appointment at a Service and Support Centre to provide their biometric information (their fingerprints and a photo) and have their supporting documents checked.\n\n## Fees\n\nThere\u2019s no fee for applying for family reunion for eligible family members.\n\n## Family applying as dependants\n\nIf you\u2019re a refugee or have humanitarian protection, your family members can apply for settlement on the same form as you if they\u2019re already in the UK.\n\nFamily members are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 2 years before applying to settle)\n\n- your child or children - born in the UK or abroad\n\n## Eligibility\n\nYour family members must either have been given permission to be in the UK with you:\n\n- as your dependant, at the same time you were granted asylum or Humanitarian Protection\n\n- using the family reunion route\n\nA child of yours born in the UK who is not a British citizen is also eligible.\n\nYou need to provide evidence of your relationship - check the application form.\n\n## Children over 18\n\nYou can only include your children over 18 in your settlement application if:\n\n- they were granted as your dependant when you got your original grant of asylum and leave to enter or remain\n\n- they were granted leave to enter or remain by applying for family reunion\n\n## Other exceptions\n\nYou cannot include a partner or other dependant who:\n\n- already has permission to be in the UK in another category\n\n- is currently in the UK without permission\n\n## Apply\n\nYou must apply online. You\u2019ll be told what documents you need to provide when you apply.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who are applying on your form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them to the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.\n\n## When to apply\n\nYou should apply during the last month of your current permission to be in the UK.\n\n## Fees\n\nThere\u2019s no fee for applying for settlement for a family member.\n\n## If your application is refused\n\nIf you have a criminal record or have been in prison, you may be refused settlement.\n\nIf you still need humanitarian protection or are a refugee, you can stay in the UK for 3 more years. Your refusal letter will explain what you\u2019ve been offered instead of settlement.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/settlement-refugee-or-humanitarian-protection", + "answerable": true, + "scenario": "A friend of mine and his family want to apply for settlement as refugees. We have been friends for about 2 years now and his family has been living in the UK for the past 7 or so years. The family of my friend is dependant on him and already live in the UK.", + "original_question": "Are they eligible to apply for settlement as refugees?" + }, + { + "id": "train-2319", + "question": "Scenario: I am 23 years old. I have just got a new job that will have a salary of \u00a318,000 per year. I do not want to pay into a pension at this time. I have spent my entire life working in the UK.\n\nQuestion: Does my employer need to automatically enrol me onto a pension?\n\nDocument - Workplace pensions:\n## About workplace pensions\n\nA workplace pension is a way of saving for your retirement that\u2019s arranged by your employer.\n\nSome workplace pensions are called \u2018occupational\u2019, \u2018works\u2019, \u2018company\u2019 or \u2018work-based\u2019 pensions.\n\n## How they work\n\nA percentage of your pay is put into the pension scheme automatically every payday.\n\nIn most cases, your employer also adds money into the pension scheme for you. You may also get tax relief from the government.\n\n## Joining a workplace pension\n\nAll employers must provide a workplace pension scheme. This is called \u2018automatic enrolment\u2019.\n\nYour employer must automatically enrol you into a pension scheme and make contributions to your pension if all of the following apply:\n\n- you\u2019re classed as a \u2018worker\u2019\n\n- you\u2019re aged between 22 and State Pension age\n\n- you earn at least \u00a310,000 per year\n\n- you usually (\u2018ordinarily\u2019) work in the UK (read the detailed guidance if you\u2019re not sure)\n\n## When your employer does not have to automatically enrol you\n\nYour employer usually does not have to automatically enrol you if you do not meet the previous criteria or if any of the following apply:\n\n- you\u2019ve already given notice to your employer that you\u2019re leaving your job, or they\u2019ve given you notice\n\n- you have evidence of your lifetime allowance protection (for example, a certificate from HMRC)\n\n- you\u2019ve already taken a pension that meets the automatic enrolment rules and your employer arranged it\n\n- you get a one-off payment from a workplace pension scheme that\u2019s closed (a \u2018winding up lump sum\u2019), and then leave and rejoin the same job within 12 months of getting the payment\n\n- more than 12 months before your staging date, you left (\u2018opted out\u2019) of a pension arranged through your employer\n\n- you\u2019re from an EU member state and are in a EU cross-border pension scheme\n\n- you\u2019re in a limited liability partnership\n\n- you\u2019re a director without an employment contract and employ at least one other person in your company\n\nYou can usually still join their pension if you want to. Your employer cannot refuse.\n\n## If your income is low\n\nYour employer does not have to contribute to your pension if you earn these amounts or less:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\n## What happens when you\u2019re automatically enrolled\n\nYour employer must write to you when you\u2019ve been automatically enrolled into their workplace pension scheme. They must tell you:\n\n- the date they added you to the pension scheme\n\n- the type of pension scheme and who runs it\n\n- how much they\u2019ll contribute and how much you\u2019ll have to pay in\n\n- how to leave the scheme, if you want to\n\n- how tax relief applies to you\n\n## Delaying your enrolment date\n\nYour employer can delay the date they must enrol you into a pension scheme by up to 3 months.\n\nIn some cases they may be able to delay longer if they\u2019ve chosen either:\n\n- a \u2018defined benefit\u2019 pension\n\n- a \u2018hybrid\u2019 pension (a mixture of defined benefit and defined contribution pensions) that allows you to take a defined benefit pension\n\nYour employer must:\n\n- tell you about the delay in writing\n\n- let you join in the meantime if you ask to\n\n## What your employer cannot do\n\nYour employer cannot:\n\n- unfairly dismiss or discriminate against you for being in a workplace pension scheme\n\n- encourage or force you to opt out\n\n## What you, your employer and the government pay\n\nThe amount you and your employer pay towards the pension depends on:\n\n- what type of workplace pension scheme you\u2019re in\n\n- whether you\u2019ve been automatically enrolled in a workplace pension or you\u2019ve joined one voluntarily (\u2018opted in\u2019)\n\nUse the Money Advice Service\u2019s contributions calculator to work out how much you and your employer will put in.\n\n## Tax relief\n\nThe government will usually add money to your workplace pension in the form of tax relief if both of the following apply:\n\n- you pay Income Tax\n\n- you pay into a personal pension or workplace pension\n\nEven if you do not pay Income Tax, you\u2019ll still get an additional payment if your pension scheme uses \u2018relief at source\u2019 to add money to your pension pot.\n\n## If you\u2019ve been automatically enrolled\n\nYou and your employer must pay a percentage of your earnings into your workplace pension scheme.\n\nHow much you pay and what counts as earnings depend on the pension scheme your employer has chosen. Ask your employer about your pension scheme rules.\n\nIn most automatic enrolment schemes, you\u2019ll make contributions based on your total earnings between \u00a36,240 and \u00a350,270 a year before tax.\u00a0Your total earnings include:\n\n- salary or wages\n\n- bonuses and commission\n\n- overtime\n\n- statutory sick pay\n\n- statutory maternity, paternity or adoption pay\n\n## Workplace pension contributions\n\n| | The minimum your employer pays | You pay | Total minimum contribution |\n\n| From April 2019 | 3% | 5% | 8% |\n\nThese amounts could be higher for you or your employer because of your pension scheme rules. They\u2019re higher for most defined benefit pension schemes.\n\nIn some schemes, your employer has the option to pay in more than the legal minimum. In these schemes, you can pay in less as long as your employer puts in enough to meet the total minimum contribution.\n\n## If you\u2019ve voluntarily enrolled in a workplace pension\n\nYour employer must contribute the minimum amount if you earn more than:\n\n- \u00a3520 a month\n\n- \u00a3120 a week\n\n- \u00a3480 over 4 weeks\n\nThey do not have to contribute anything if you earn these amounts or less.\n\n## How your take-home pay changes\n\nJoining a workplace pension scheme means that your take-home income will be reduced. But this may:\n\n- mean you\u2019re entitled to tax credits or an increase in the amount of tax credits you get (although you may not get this until the next tax year)\n\n- mean you\u2019re entitled to an income-related benefit or an increase in the amount of benefit you get\n\n- reduce the amount of student loan repayments you need to make\n\n## Payments using salary sacrifice\n\nYou and your employer may agree to use \u2018salary sacrifice\u2019 (sometimes known as a \u2018SMART\u2019 scheme).\n\nIf you do this, you give up part of your salary and your employer pays this straight into your pension. In some cases, this will mean you and your employer pay less tax and National Insurance.\n\nAsk your employer if they use salary sacrifice.\n\n## Protection for your pension\n\nHow your pension is protected depends on the type of scheme.\n\n## Defined contribution pension schemes\n\n## If your employer goes bust\n\nDefined contribution pensions are usually run by pension providers, not employers. You will not lose your pension pot if your employer goes bust.\n\n## If your pension provider goes bust\n\nIf the pension provider was authorised by the Financial Conduct Authority and cannot pay you, you can get compensation from the Financial Services Compensation Scheme (FSCS).\n\n## Trust-based schemes\n\nSome defined contribution schemes are run by a trust appointed by the employer. These are called \u2018trust-based schemes\u2019.\n\nYou\u2019ll still get your pension if your employer goes out of business. But you might not get as much because the scheme\u2019s running costs will be paid by members\u2019 pension pots instead of the employer.\n\n## Defined benefit pension schemes\n\nYour employer is responsible for making sure there\u2019s enough money in a defined benefit pension to pay each member the promised amount.\n\nYour employer cannot touch the money in your pension if they\u2019re in financial trouble.\n\nYou\u2019re usually protected by the Pension Protection Fund if your employer goes bust and cannot pay your pension.\n\nThe Pension Protection Fund usually pays:\n\n- 100% compensation if you\u2019ve reached the scheme\u2019s pension age\n\n- 90% compensation if you\u2019re below the scheme\u2019s pension age\n\n## Fraud, theft or bad management\n\nIf there\u2019s a shortfall in your company\u2019s pension fund because of fraud or theft, you may be eligible for compensation from the Fraud Compensation Fund.\n\nContact one of the following organisations if you want to make a complaint about the way your workplace pension scheme is run:\n\n- the Pensions Advisory Service\n\n- the Pensions Ombudsman\n\n## Managing your pension\n\nYour pension provider will send you a statement each year to tell you how much is in your pension pot. You can also ask them for an estimate of how much you\u2019ll get when you start taking your pension pot.\n\n## What you see on your payslip\n\nYou do not need to do anything to get tax relief at the basic rate on your pension contributions. There are 2 types of arrangements:\n\n- net pay\n\n- relief at source\n\nCheck with your employer or pension provider which arrangement your workplace pension uses. This determines what you\u2019ll see on your payslip.\n\n## \u2018Net pay\u2019\n\nYour employer takes your contribution from your pay before it\u2019s taxed. You only pay tax on what\u2019s left. This means you get full tax relief, no matter if you pay tax at the basic, higher or additional rate.\n\nThe amount you\u2019ll see on your payslip is your contribution plus the tax relief.\n\nYou will not get tax relief if you do not pay tax, for example because you earn less than the tax threshold.\n\n## \u2018Relief at source\u2019\n\nYour employer takes your pension contribution after taking tax and National Insurance from your pay. However much you earn, your pension provider then adds tax relief to your pension pot at the basic rate.\n\nWith \u2018relief at source\u2019, the amount you see on your payslip is only your contributions, not the tax relief.\n\nYou may be able to claim money back if:\n\n- you pay higher or additional rate Income Tax\n\n- you pay higher or top rate Income Tax in Scotland\n\n## Tracing lost pensions\n\nThe Pension Tracing Service could help you find pensions you\u2019ve paid into but lost track of.\n\n## Nominate someone to get your pension if you die\n\nYou may be able to nominate (choose) someone to get your pension if you die before reaching the scheme\u2019s pension age. You can do this when you first join the pension or by writing to your provider.\n\nAsk your pension provider if you can nominate someone and what they\u2019d get if you die, for example regular payments or lump sums. Check your scheme\u2019s rules about:\n\n- who you can nominate - some payments can only go to a dependant, for example your husband, wife, civil partner or child under 23\n\n- whether anything can change what the person gets, for example when and how you start taking your pension pot, or the age you die\n\nYou can change your nomination at any time. It\u2019s important to keep your nominee\u2019s details up to date.\n\nSometimes the pension provider can pay the money to someone else, for example if the person you nominated cannot be found or has died.\n\n## Taking your pension\n\nMost pension schemes set an age when you can take your pension, usually between 60 and 65. In some circumstances you can take your pension early. The earliest is usually 55.\n\nSome companies offer to help you get money out of your pension before you\u2019re 55. Taking your pension early in this way could mean you pay tax of up to 55%.\n\nIf the amount of money in your pension pot is quite small, you may be able to take it all as a lump sum. You can take 25% of it tax free, but you\u2019ll pay Income Tax on the rest.\n\nHow you get money from your pension depends on the type of scheme you\u2019re in.\n\n## Defined contribution pension schemes\n\nYou\u2019ll need to decide how to take your money if you\u2019re in a defined contribution pension scheme.\n\n## Defined benefit pension schemes\n\nYou may be able to take some money as a tax-free lump sum if you\u2019re in a defined benefit pension scheme - check with your pension provider. You\u2019ll get the rest as a guaranteed amount each year.\n\n## Changing jobs and taking leave\n\n## If you change jobs\n\nYour workplace pension still belongs to you. If you do not carry on paying into the scheme, the money will remain invested and you\u2019ll get a pension when you reach the scheme\u2019s pension age.\n\nYou can join another workplace pension scheme if you get a new job.\n\nIf you do, you might be able to:\n\n- carry on making contributions to your old pension\n\n- combine the old and new pension schemes\n\nAsk your pension providers about your options.\n\nIf you move jobs but pay into an old pension, you may not get some of that pension\u2019s benefits - check if they\u2019re only available to current workers.\n\n## If you worked at your job for less than 2 years before you left\n\nIf you were in a defined benefit pension scheme for less than 2 years, you might be able to either:\n\n- get a refund on what you contributed\n\n- transfer the value of its benefits to another scheme (a \u2018cash sum transfer\u2019)\n\nThis depends on the type of defined benefit scheme and its rules. Check with your employer or the pension scheme provider.\n\n## Paid leave\n\nDuring paid leave, you and your employer carry on making pension contributions.\n\nThe amount you contribute is based on your actual pay during this time, but your employer pays contributions based on the salary you would have received if you were not on leave.\n\n## Maternity and other parental leave\n\nYou and your employer will continue to make pension contributions if you\u2019re getting paid during maternity leave.\n\nIf you\u2019re not getting paid, your employer still has to make pension contributions in the first 26 weeks of your leave (\u2018Ordinary Maternity Leave\u2019). They have to carry on making contributions afterwards if it\u2019s in your contract. Check your employer\u2019s maternity policy.\n\n## Unpaid leave\n\nYou may be able to make contributions if you want to - check with your employer or the pension scheme provider.\n\n## If you become self-employed or stop working\n\nYou may be able to carry on contributing to your workplace pension - ask the scheme provider.\n\nYou could use the National Employment Saving Trust (NEST) - a workplace pension scheme that working self-employed people or sole directors of limited companies can use.\n\nYou could set up a personal or stakeholder pension.\n\nYou can get help with your workplace pension options.\n\n## If you want to leave your workplace pension scheme\n\nWhat you do if you want to leave a workplace pension depends on whether you\u2019ve been \u2018automatically enrolled\u2019 in it or not.\n\n## If you have not been automatically enrolled\n\nCheck with your employer - they\u2019ll tell you what to do.\n\n## If you\u2019ve been automatically enrolled\n\nYour employer will have sent you a letter telling you that you\u2019ve been added to the scheme.\n\nYou can leave (called \u2018opting out\u2019) if you want to.\n\nIf you opt out within a month of your employer adding you to the scheme, you\u2019ll get back any money you\u2019ve already paid in.\n\nYou may not be able to get your payments refunded if you opt out later - they\u2019ll usually stay in your pension until you retire.\n\nYou can opt out by contacting your pension provider. Your employer must tell you how to do this.\n\n## Reducing your payments\n\nYou may be able to reduce the amount you contribute to your workplace pension for a short time. Check with both your employer and your pension provider to see if you can do this and how long you can do it for.\n\n## Opting back in\n\nYou can do this at any time by writing to your employer. They do not have to accept you back into their workplace scheme if you\u2019ve opted in and then opted out in the past 12 months.\n\n## Rejoining the scheme automatically\n\nYour employer will automatically re-enrol you in the scheme. They must do this either every 3 years (from the date you first enrolled), or they can choose to do it sooner. They\u2019ll write to you when they do this.\n\n## When you do not rejoin automatically\n\nIf you no longer qualify for the scheme, you will not be automatically re-enrolled.\n\nIf you chose to leave the scheme in the 12 months before the date you would have been re-enrolled, your employer does not have to automatically re-enrol you. But they can choose to re-enrol you.\n\n## Get help\n\nFor questions about the specific terms of your workplace pension scheme, talk to your pension provider or your employer.\n\nYou can get free, impartial information about your workplace pension options from:\n\n- the Money Advice Service\n\n- the Pensions Advisory Service\n\n- Pension Wise if you\u2019re in a defined contribution pension scheme\n\nYou can get impartial advice about workplace pensions from an independent financial adviser. You\u2019ll usually have to pay for the advice.\n\nFor general questions on workplace pensions contact the DWP Workplace Pension Information Line.\n\nOnly use the information line if you\u2019re a worker - employers should contact The Pensions Regulator.\n\n## Problems with being \u2018automatically enrolled\u2019\n\nContact the The Pensions Regulator if you have concerns about the way your employer is dealing with automatic enrolment.\n\nThe Pensions Advisory Service may also be able to help you.\n\n## If you\u2019re already paying into a personal pension\n\nCheck whether it\u2019s better for you to:\n\n- carry on with just your personal pension\n\n- stop paying into your personal pension and join your workplace pension\n\n- keep paying into both\n\n## If you\u2019re saving large amounts in pensions\n\nYou may have to pay a tax charge if your total savings in workplace pensions and any other personal pension scheme go above your:\n\n- lifetime allowance - \u00a31,055,000\n\n- annual allowance - usually the lowest out of \u00a340,000 or 100% of your annual income\n\nIf you start taking your pension pot your annual allowance could drop to as low as \u00a34,000.\n\n## If your pension scheme is closing\n\nThis can happen if your employer decides they do not want to use a scheme anymore or they can no longer pay their contributions. What happens to the money you paid in depends on the pension scheme you\u2019ve joined.\n\nIf you\u2019ve been automatically enrolled, your employer cannot close a pension scheme without automatically enrolling you into another one.\n\n## If you\u2019re getting a divorce\n\nYou and your spouse or partner will have to tell the court the value of each of your pension pots. You then have different options to work out what happens to your pension when you get a divorce.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/workplace-pensions", + "answerable": true, + "scenario": "I am 23 years old. I have just got a new job that will have a salary of \u00a318,000 per year. I do not want to pay into a pension at this time. I have spent my entire life working in the UK.", + "original_question": "Does my employer need to automatically enrol me onto a pension?" + }, + { + "id": "train-2321", + "question": "Scenario: I am 72 years old, and last year I was advised by my GP to surrender my driving license due to my steadily declining eyesight (specifically, progressive night-blindness). I have since acquired a Class 3 invalid carriage (scooter) due to having problems walking. I am still more than capable of reading a car's license plate number from 15 meters away in a well lit environment.\n\nQuestion: Does my failing eyesight effect my entitlement to drive the scooter?\n\nDocument - Mobility scooters and powered wheelchairs: the rules:\n## Overview\n\nYou do not need a licence to drive a mobility scooter or powered wheelchair, but you may have to register it. Only certain types can be driven on the road. The law calls these types of vehicles \u2018invalid carriages\u2019.\n\nMobility scooters and powered wheelchairs come in 2 categories:\n\n- \u2018class 2 invalid carriages\u2019 - these cannot be used on the road (except where there is not a pavement) and have a maximum speed of 4mph\n\n- \u2018class 3 invalid carriages\u2019 - these can be used on the road, and have a maximum speed of 4mph off the road, and 8mph on the road\n\nYou do not need to register a class 2 invalid carriage.\n\nYou must register class 3 invalid carriages.\n\nYou must be 14 or over to drive a class 3 invalid carriage.\n\n## Rules for class 3 invalid carriages\n\nThe law calls mobility scooters and powered wheelchairs that can be used on the road \u2018class 3 invalid carriages\u2019. They must have the following features:\n\n- a maximum unladen weight of 150kg\n\n- a maximum width of 0.85 metres\n\n- a device to limit its speed to 4mph\n\n- a maximum speed of 8mph\n\n- an efficient braking system\n\n- front and rear lights and reflectors\n\n- direction indicators able to operate as a hazard warning signal\n\n- an audible horn\n\n- a rear view mirror\n\n- an amber flashing light if it\u2019s used on a dual carriageway\n\nYou could be stopped by the police if your class 3 invalid carriage does not have these features.\n\n## Driving on the road\n\nYou can only drive on the road in a class 3 invalid carriage. The maximum speed is 8mph.\n\nYou cannot drive on bus lanes, \u2018cycle only\u2019 lanes or motorways. Avoid using dual carriageways with a speed limit of over 50mph.\n\nYou must use an amber flashing light for visibility if you use a class 3 invalid carriage on a dual carriageway.\n\n## Road rules\n\nYou must follow the Highway Code if you drive your mobility scooter on the road.\n\n## Driving on footpaths and parking\n\nAll mobility scooters and powered wheelchairs can legally travel at a maximum of 4mph on footpaths or in pedestrian areas.\n\nYou cannot drive any type of mobility scooter or powered wheelchair on cycle paths marked \u2018cycle only\u2019.\n\n## Parking\n\nAll normal parking restrictions apply to mobility scooters and powered wheelchairs.\n\nYour vehicle should not be left on a footpath or pedestrian area on its own if it gets in the way of other pedestrians, including wheelchair users and people with prams or pushchairs.\n\n## Eyesight requirements\n\nThere is no legal eyesight requirement to drive mobility scooters or powered wheelchairs, but you should be able to read a car\u2019s registration number from a distance of 12.3 metres (40 feet).\n\nYou must check that you can still do this regularly.\n\nYou might have to pay compensation if you have an accident and poor eyesight was part of the cause.\n\n## Who can use them\n\nYou can only drive a mobility scooter or powered wheelchair if you:\n\n- have trouble walking because of an injury, physical disability or medical condition\n\n- are demonstrating the vehicle before it\u2019s sold\n\n- are training a disabled user\n\n- are taking the vehicle to or from maintenance or repair\n\n## Vehicle tax, registration and insurance\n\nYou do not have to pay vehicle tax for any mobility scooter or powered wheelchair if it\u2019s registered as a \u2018class 3 invalid carriage\u2019.\n\nCheck whether a vehicle is registered as an \u2018invalid carriage\u2019 by asking the seller when you buy it.\n\n## Change the owner\u2019s details when you buy a mobility scooter or powered wheelchair\n\nWhen you buy a mobility scooter or powered wheelchair, the seller will make you the \u2018registered keeper\u2019. This means the vehicle will be in your name. You\u2019ll get a new vehicle log book (V5C) in the post within 4 weeks of the sale.\n\nIf you do not get a new vehicle log book 4 weeks after the sale, fill in an \u2018Application for a vehicle registration certificate\u2019 (V62) and send it to DVLA.\n\n## Change your name or address\n\nIf you need to change your name or address, fill in section 6 of your vehicle log book and send it to DVLA.\n\n## If your mobility scooter or powered wheelchair is not a registered vehicle\n\nMost scooters and wheelchairs will already be registered by the dealer or manufacturer before you buy them.\n\nIf your vehicle is not registered, register it by filling in:\n\n- form V55/4 for new vehicles\n\n- form V55/5 for used vehicles\n\n## Insurance\n\nYou do not need insurance for a mobility scooter or powered wheelchair, although it\u2019s recommended.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/mobility-scooters-and-powered-wheelchairs-rules", + "answerable": true, + "scenario": "I am 72 years old, and last year I was advised by my GP to surrender my driving license due to my steadily declining eyesight (specifically, progressive night-blindness). I have since acquired a Class 3 invalid carriage (scooter) due to having problems walking. I am still more than capable of reading a car's license plate number from 15 meters away in a well lit environment.", + "original_question": "Does my failing eyesight effect my entitlement to drive the scooter?" + }, + { + "id": "train-2326", + "question": "Scenario: I have lived in the UK with my husband for six years, who has a Turkish Businessperson visa. I have met the language and English knowledge requirements as well as the Life in the UK test. I am dependent on my husband. I want to apply for indefinite stay with my husband.\n\nQuestion: Will I be able to apply for indefinite leave to remain?\n\nDocument - Apply for settlement if you're a Turkish Worker or Businessperson:\n## Overview\n\nYou can apply for indefinite leave to remain (settlement) if you\u2019re in the UK on a:\n\n- Turkish Worker visa\n\n- Turkish Businessperson visa\n\nYour family members (\u2018dependants\u2019) can also apply for settlement.\n\n## Fees\n\nThe application fee is \u00a32,389.\n\nYou also need to pay \u00a319.20 to have your biometric information (fingerprints and a photo) taken.\n\nIf you have family members applying for settlement with you, you\u2019ll need to pay the \u00a32,389 application fee and the \u00a319.20 biometric information fee for each person.\n\nIf your partner is applying to extend their visa, their fee is \u00a31,033 instead. They\u2019ll need to pay the healthcare surcharge.\n\n## How long you can stay\n\nGetting indefinite leave to remain means you can continue to live and work in the UK for as long as you like. It will mean you\u2019re eligible:\n\n- to take up any job\n\n- to run a business\n\n- for public services, such as healthcare and schools\n\n- for public funds and pensions\n\n- for British citizenship, if you meet the requirements\n\n## Eligibility\n\nTo be eligible to settle in the UK, you must have:\n\n- met the knowledge of language requirement\n\n- passed the Life in the UK test\n\n- registered with the police if you were told to\n\n- been living and working in the UK for the last 5 years without receiving public funds\n\n- spent no more than 180 days outside the UK in any 12 months in the last 5 years\n\nYou must continue to run a business if you\u2019re on a Turkish Businessperson visa.\n\nYour application might be refused if, for example, you\u2019ve:\n\n- got a criminal record in the UK or another country\n\n- provided false or incomplete information to the Home Office\n\n- broken UK immigration law\n\nRead the guidance on why applications can be refused.\n\n## Documents you must provide\n\nYou must provide:\n\n- a current passport or other valid travel identification\n\n- previous passports showing you\u2019ve been living legally in the UK for the past 5 years - if your current passport does not show this\n\n- the unique reference code that proves you passed the English language requirement\n\n- your police registration certificate covering the past 5 years (unless you did not need to register)\n\n## If you\u2019re a Turkish Businessperson\n\nYou\u2019ll also need to prove that you\u2019re continuing to run a business. You might need to provide documents, such as:\n\n- invoices showing work done\n\n- business bank statements\n\n- proof of National Insurance contributions - if appropriate\n\n- advertising materials\n\n- proof of renting or having purchased business premises\n\n## Family members\n\nYour family members (\u2018dependants\u2019) can also apply to settle or extend their visa if they are:\n\n- your partner (husband, wife, civil partner or the person you\u2019ve been in a genuine relationship with for 5 years before applying to settle)\n\n- your child under 21 or in limited circumstances over 21 (including children born in the UK)\n\n## Partners applying for indefinite leave to remain\n\nIf your partner is applying for indefinite leave to remain, they must:\n\n- have been granted leave as your dependant\n\n- have lived in the UK with you for a continuous period of 5 years\n\n- have met the knowledge of language and Life in the UK test\n\n## Partners applying to extend their visa\n\nIf you already have indefinite leave to remain, but your partner has not been here for 5 years on your visa they can apply to extend their visa.\n\nFor your partner to qualify, they must:\n\n- have last been granted entry clearance or leave to remain as your dependant\n\n- be living together with you in a genuine relationship\n\n- be living in suitable accommodation which you maintain without access to public funds\n\n- be registered with the police if they were told to\n\n## Children applying for indefinite leave to remain\n\nFor your children or child to apply for indefinite leave to remain, they must:\n\n- have been granted leave as your dependant\n\n- apply at the same time as both parents, or where both parents are settled already\n\n- not be married, in a civil partnership, have formed an independent family unit or be leading an independent life\n\n- have met the knowledge of language requirement and Life in the UK test - if they\u2019re 18 or over\n\n- have registered with the police if they were told to and are 16 or over\n\nYour child may also be able to apply if one of the following applies:\n\n- you\u2019re the child\u2019s only living parent\n\n- you have sole responsibility for them\n\n- there are serious reasons to let your child stay in the UK, for example they have a serious illness\n\n- their other parent is in the UK legally\n\nIf you already have indefinite leave to remain, your child may be eligible to apply if their other parent is extending a Turkish visa.\n\n## Documents your family need to provide\n\nEach family member must provide:\n\n- a current passport or other valid travel identification\n\n- 2 passport size colour photographs\n\n- proof of your relationship, for example a marriage or birth certificate, council tax bills or bank statements\n\n- proof they will live permanently with you, for example letters from your child\u2019s school or their doctor\n\n- proof that you have sole responsibility for any children aged under 21 if the other parent will not be in the UK (for example, written permission or relevant legal documents)\n\n## Apply\n\nYou can apply to settle in the UK (indefinite leave to remain). Your family members (\u2018dependants\u2019) can also apply to settle or extend their visa. You must be in the UK to apply.\n\nYou must apply online.\n\n## Get help using a computer to apply online\n\nYou can get help with:\n\n- accessing a computer or the internet\n\n- finding the right information on GOV.UK\n\nYou cannot get advice on:\n\n- whether you\u2019re eligible to apply\n\n- what information to put in your application\n\n- an application you\u2019ve already made\n\n## Providing biometric information and supporting documents\n\nWhen you apply, you\u2019ll be asked to make an appointment at a UK Visa and Citizenship Application Services (UKVCAS) service point to provide your biometric information (your fingerprints and a photo).\n\nAny children aged 6 and over who you\u2019ve included in your application form must also provide biometric information.\n\nYou\u2019ll also need to submit your supporting documents. You can:\n\n- upload them into the online service\n\n- have them scanned at your UKVCAS appointment\n\nYou must not travel outside of the UK, Ireland, the Channel Islands or the Isle of Man until you get a decision. Your application will be withdrawn if you do.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/turkish-worker-business-person-settlement", + "answerable": true, + "scenario": "I have lived in the UK with my husband for six years, who has a Turkish Businessperson visa. I have met the language and English knowledge requirements as well as the Life in the UK test. I am dependent on my husband. I want to apply for indefinite stay with my husband.", + "original_question": "Will I be able to apply for indefinite leave to remain?" + }, + { + "id": "train-2328", + "question": "Scenario: I retired in 2015 after a lifetime on the railways. Part of my service was contracted out which means I was a member of the contracted-out workplace pension.\n\nQuestion: Does being contracted out affect the additional state pension?\n\nDocument - Additional State Pension:\n## Overview\n\nThe Additional State Pension is an extra amount of money you could get on top of your basic State Pension if you\u2019re:\n\n- a man born before 6 April 1951\n\n- a woman born before 6 April 1953\n\nThis guide is also available in Welsh (Cymraeg).\n\nYou get the new State Pension if you were born on or after this date. You will not qualify for the Additional State Pension, but you might still be able to inherit Additional State Pension from your partner.\n\nYou get the Additional State Pension automatically if you\u2019re eligible for it, unless you\u2019ve contracted out of it.\n\nThe Additional State Pension is paid with your basic State Pension.\n\n## What you'll get\n\nThere is no fixed amount for the Additional State Pension.\n\nHow much you get depends on:\n\n- how many years you paid National Insurance for\n\n- your earnings\n\n- whether you\u2019ve contracted out of the scheme\n\n- whether you topped up your basic State Pension (this was only possible between 12 October 2015 and 5 April 2017)\n\n## How you\u2019re paid\n\nThe Additional State Pension is paid with your basic State Pension into your bank account.\n\n## Eligibility\n\n## You reached State Pension age on or after 6 April 2016\n\nYou will not get the Additional State Pension if you reached State Pension age on or after 6 April 2016. You\u2019ll get the new State Pension.\n\n## You reached State Pension age before 6 April 2016\n\nIf you reached State Pension age before 6 April 2016 and started claiming the basic State Pension, you\u2019ll automatically get any Additional State Pension you\u2019re eligible for. There is no need to make a separate claim.\n\nYou may not get any Additional State Pension for periods when you were contracted out of it.\n\n## When you have contributed to the Additional State Pension\n\nThe Additional State Pension is made up of 3 schemes. You might have contributed to more than one, depending on:\n\n- how long you\u2019ve been working\n\n- whether you chose to top up your State Pension\n\n| Time | Scheme | You contributed if |\n\n| 2002 to 2016 | State Second Pension | You were employed or claiming certain benefits |\n\n| 1978 to 2002 | State Earnings-Related Pension Scheme (SERPS) | You were employed |\n\n| 12 October 2015 to 5 April 2017 | State Pension top up | You reached State Pension age before 6 April 2016 and opted in |\n\n## The State Second Pension since 2002\n\nYou contributed through your National Insurance contributions if at any time between 6 April 2002 and 5 April 2016 you were:\n\n- employed and earning at least the lower earnings limit - this was \u00a35,824 in the 2015 to 2016 tax year\n\n- looking after children under 12 and claiming Child Benefit\n\n- caring for a sick or disabled person more than 20 hours a week and claiming Carer\u2019s Credit\n\n- working as a registered foster carer and claiming Carer\u2019s Credit\n\n- receiving certain other benefits due to illness or disability\n\n## Contracting out\n\nYou could only contract out of the Additional State Pension if your employer ran a contracted-out pension scheme. Check with them.\n\nWhile you were a member of a contracted-out workplace pension you did not contribute to the Additional State Pension. In some cases, you could get the Second State Pension even if you did not contribute, for example if your earnings were low.\n\nYou cannot contract out after 6 April 2016. If you were contracted out, your National Insurance contributions increased to your standard rate after this date.\n\nThe extra pension you get from a contracted-out pension scheme is usually the same as, or more than, the Additional State Pension you would have got if you did not contract out.\n\n## Check if you were contracted out\n\nYou can find out if you were contracted out by:\n\n- checking an old payslip\n\n- calling your pension provider\n\nThe Pension Tracing Service might be able to find your pension providers\u2019 contact details if you\u2019ve lost contact with them.\n\n## National Insurance while contracting out\n\nYou paid lower National Insurance contributions while you were contracted out if:\n\n- you earned between \u00a3155 and \u00a3770 a week\n\n- you were under State Pension age\n\n- you did not pay reduced rate National Insurance\n\n## What happens when you retire\n\nYou\u2019ll get a pension from your employer\u2019s workplace pension scheme.\n\n## How to claim\n\nYou do not have to do anything to claim the Additional State Pension.\n\nIf you\u2019re eligible for an Additional State Pension, you\u2019ll automatically get it when you claim your State Pension.\n\nAfter you claim, the Pension Service will write to you and tell you how much you\u2019re getting.\n\n## Inheriting Additional State Pension\n\nIf your spouse or civil partner dies, you may be able to inherit part of their Additional State Pension. Contact the Pension Service to check what you can claim and how.\n\n## Maximum State Second Pension you can inherit\n\nYou can inherit up to 50% of your spouse or civil partner\u2019s State Second Pension.\n\n## Maximum SERPS pension and State Pension top up you can inherit\n\nThe maximum you can inherit depends on when your spouse or civil partner died.\n\nIf they died before 6 October 2002, you can inherit up to 100% of their SERPS pension.\n\nIf they died on or after 6 October 2002, the maximum SERPS pension and State Pension top up you can inherit depends on their date of birth.\n\n| Man\u2019s date of birth | Woman\u2019s date of birth | Maximum % of SERPS and State Pension top up you can inherit |\n\n| 5 October 1937 or before | 5 October 1942 or before | 100% |\n\n| 6 October 1937 to 5 October 1939 | 6 October 1942 to 5 October 1944 | 90% |\n\n| 6 October 1939 to 5 October 1941 | 6 October 1944 to 5 October 1946 | 80% |\n\n| 6 October 1941 to 5 October 1943 | 6 October 1946 to 5 October 1948 | 70% |\n\n| 6 October 1943 to 5 October 1945 | 6 October 1948 to 5 July 1950 | 60% |\n\n| 6 October 1945 and after | 6 July 1950 and after | 50% |\n\nIf your spouse or civil partner died within 90 days of topping up their State Pension, the top up should have been refunded to their estate (their total property, money and possessions), minus any payments they received before they died. This means you will not inherit the top up as part of their Additional State Pension.\n\n## How it\u2019s paid\n\nAny Additional State Pension you inherit will be paid on top of your State Pension when you reach State Pension age.\n\n## If you get your own Additional State Pension\n\nThe maximum amount of Additional State Pension you can get is \u00a3180.31 per week.\u00a0The limit does not include State Pension top up.\n\n## If you get Widowed Parent\u2019s Allowance\n\nYou may inherit Additional State Pension before you reach State Pension age. You\u2019ll stop receiving it if your Widowed Parent\u2019s Allowance ends.\n\nYou may receive it again when you reach State Pension age if you were over 45 when you were entitled to Widowed Parent\u2019s Allowance.\n\nIf your Widowed Parent\u2019s Allowance or Bereavement Allowance ended before you were 55, you\u2019ll receive less Additional State Pension.\n\n## When you cannot inherit Additional State Pension\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if you remarry or form another civil partnership before you reach State Pension age.\n\nThe date you reach State Pension age also affects whether you can inherit Additional State Pension.\n\n## If you reached State Pension age before 6 April 2010\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if they died before they reached their State Pension age and after you reached yours.\n\nThis does not apply if you\u2019re a woman who was married to:\n\n- a man\n\n- a woman who legally changed their gender from male to female during your marriage\n\n## If you reached State Pension age on or after 6 April 2016\n\nYou cannot inherit your spouse or civil partner\u2019s Additional State Pension if either:\n\n- your spouse or civil partner died on or after 6 April 2016 and reached (or would have reached) State Pension age on or after 6 April 2016\n\n- you started your marriage or civil partnership on or after 6 April 2016\n\n## If you get divorced\n\nIf you get divorced or your civil partnership is dissolved the court can decide that your Additional State Pension should be shared as part of the financial settlement.\n\nYou\u2019ll have to fill in form BR20 to give details of your Additional State Pension.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/additional-state-pension", + "answerable": true, + "scenario": "I retired in 2015 after a lifetime on the railways. Part of my service was contracted out which means I was a member of the contracted-out workplace pension.", + "original_question": "Does being contracted out affect the additional state pension?" + }, + { + "id": "train-2331", + "question": "Scenario: I am 15, live in Wales and for two years was sexually abused by my uncle, a former police officer. He has been arrested and is currently on bail awaiting a charging decision from the CPS. I am afraid that he will try and contact me.\n\nQuestion: Can I apply for a non-molestation order against my uncle, despite my not being a legal adult yet and I have got the permission from the High Court ?\n\nDocument - Get an injunction if you've been the victim of domestic abuse:\n## How to apply\n\nYou can apply for an \u2018injunction\u2019 if you\u2019ve been the victim of domestic abuse. An injunction is a court order that either:\n\n- protects you or your child from being harmed or threatened by the person who\u2019s abused you - this is called a \u2018non-molestation order\u2019\n\n- decides who can live in the family home or enter the surrounding area - this is called an \u2018occupation order\u2019\n\nThe person named in the injunction can be arrested if they break it.\n\nGet advice on applying for an injunction from a charity, for example Refuge, Women\u2019s Aid, Citizens Advice or the Men\u2019s Advice Line.\n\nYou may be able to get free legal representation.\n\nIf you\u2019re in immediate danger of being abused or have been abused, report it to the police.\n\n## Apply online\n\nYou can use the RCJ Citizens Advice CourtNav service to prepare an injunction application online.\n\nYou\u2019ll need to:\n\n- create an online account\n\n- explain what happened to you\n\n- include the name and address of the person who\u2019s abused you\n\nAs part of your application, you can choose a law firm to review it.\n\nIf you\u2019re unable to get legal aid or pay for legal advice, your application can be sent back to a legal adviser at RCJ Citizens Advice to check for free.\n\nThe legal adviser will tell you if you need to make a court application and how to submit one.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call. If you need a face-to-face hearing, you\u2019ll need to explain why in your application.\n\n## Apply by email or post\n\nFollow these steps to apply for an injunction by email or post.\n\n- Check if you\u2019re eligible to apply for a non-molestation order or an occupation order.\n\n- Download and fill in the application form (form FL401) and make 2 copies.\n\n- Write your witness statement telling the court what has happened and asking for the relevant order.\n\n- At the bottom of the witness statement write a statement of truth. Use the following words: \u201cI believe that the facts stated in this witness statement are true.\u201d Sign and date the statement of truth.\n\n- Download and fill in form C8 if you want to keep your address and telephone number private.\n\n- Email or send all the documents to a court which deals with domestic abuse cases - there\u2019s no fee.\n\nMany courts are closed because of coronavirus. You\u2019ll need to check that the court is open and staffed before you send in your application.\n\n## Emergency orders\n\nIf you need protection immediately, ask for an emergency order when you apply. You do not have to tell the person you want protection from that you\u2019re applying so it\u2019s known as a \u2018without notice\u2019 or \u2018ex-parte\u2019 application.\n\nThe court will hold a hearing which you must attend. It may issue an order at the hearing.\n\nYou\u2019ll still have to tell that person about your application after the order has been issued.\n\nAn emergency order will usually last until your hearing.\n\n## If you\u2019re 17 or under\n\nIf you\u2019re under 16 you\u2019ll need permission to apply from the High Court.\n\nIf you\u2019re 16 or 17 you\u2019ll need to appoint a \u2018litigation friend\u2019 to represent you in court \u2013 this is usually a parent, family member or close friend.\n\n## After you\u2019ve applied\n\nAfter you\u2019ve applied you must arrange for the person you\u2019re applying to get an injunction against to be told about your application.\n\n## Who can apply: non-molestation order\n\nYou can usually apply if you\u2019re a victim of domestic abuse and the person you want to be protected from (\u2018the respondent\u2019) is:\n\n- someone you\u2019re having or have had a relationship with\n\n- a family member\n\n- someone you\u2019re living or have lived with\n\nCheck the following lists to make sure you can apply.\n\nIf you\u2019re under 16 you need permission from the High Court to apply.\n\n## Husband, wife, civil partner or other relationship\n\nYou can apply if you\u2019re a victim of domestic abuse and the respondent is your:\n\n- husband, wife or civil partner\n\n- former husband, former wife or former civil partner\n\n- fianc\u00e9, fianc\u00e9e or proposed civil partner\n\n- former fianc\u00e9, former fianc\u00e9e or former proposed civil partner \u2013 if your engagement or agreement to form a civil partnership ended less than 3 years ago\n\n- boyfriend, girlfriend, partner or a person you\u2019re in or have been in a relationship with for more than 6 months\n\nIf you were engaged to or had agreed to form a civil partnership with the respondent, you\u2019ll need to provide evidence, such as a ring or statement from a witness who attended a ceremony or celebration.\n\n## Family member\n\nYou can apply if the respondent is a close family member, for example a parent, brother, sister, aunt or uncle.\n\n## People who have parental responsibility for your child or grandchild\n\nYou can apply if you have a child or grandchild and the respondent is the child\u2019s parent or person you share parental responsibility with.\n\nIf your child (or grandchild) has been adopted, you can also apply to get an injunction against their:\n\n- adoptive parent\n\n- anyone who has applied to adopt them\n\n- anyone the child has been placed with for adoption\n\nYou can also apply for an order against the child or grandchild if they\u2019ve been adopted.\n\nYou can report anyone who abuses you to your neighbourhood police team.\n\n## Who can apply: occupation order\n\nYou can apply for an occupation order if you\u2019re a victim of domestic abuse and meet the requirements. The order will say who can live in the family home or enter the surrounding area.\n\nYou can apply if:\n\n- you own or rent the home and it is, was, or was intended to be shared with a husband or wife, civil partner, cohabitant, family member, person you\u2019re engaged to or parent of your child\n\n- you do not own or rent the home but you\u2019re married or in a civil partnership with the owner and you\u2019re living in the home (known as \u2018matrimonial home rights\u2019)\n\n- your former husband, wife or civil partner is the owner or tenant, and the home is, was, or was intended to be your shared matrimonial home\n\n- the person you cohabit or cohabited with is the owner or tenant, and the home is, was, or was intended to be your shared home\n\n## After you submit your application\n\nYou\u2019ll be given a document called a \u2018Notice of Proceedings\u2019 by the court. This tells you when your court hearing will take place.\n\n## Telling people about your application\n\nThe court will send you back a sealed copy of your application. You must arrange for the sealed copy and your witness statement to be \u2018served\u2019 on the person named in the application. This means making sure they get a copy of the documents in person.\n\nYour solicitor will do this if you\u2019re using one or you can ask the court to serve the documents for free.\n\nDo not serve the documents yourself.\n\n## Your court hearing\n\nYour hearing will be held in private (sometimes called \u2018in chambers\u2019). In most cases only you and the person you\u2019re applying for an injunction against, and any legal representatives, can attend. Read about what to expect when you go to a court hearing.\n\nBecause of coronavirus (COVID-19), your hearing may take place over a video or phone call.\n\nThe court will provide an interpreter if you asked for one when you applied for the injunction. They can translate what happens during the hearing but they cannot represent you or give you legal advice.\n\nContact the court before the hearing if you need support or extra protection.\n\nThe judge may make a decision without a hearing if, for example:\n\n- you\u2019re self-isolating because of coronavirus\n\n- the person you\u2019re applying for an injunction against lives with you\n\nThis is called \u2018on paper\u2019.\n\n## Get a decision\n\nAt the end of the hearing the court will make one of the following decisions:\n\n- the person you\u2019ve applied for an injunction against must make an \u2018undertaking\u2019 (a promise) to do or not do something\n\n- you must provide more information - the court may issue a short-term order (an \u2018interim order\u2019) to protect you while you get this information\n\n- it will issue an order - when that ends they may hold another hearing to decide whether to renew the order\n\nYou\u2019ll get a copy of the order if the court issues one. It will say what the respondent can and cannot do.\n\nIf your order expires and you still want protection, you\u2019ll have to apply again.\n\n## After the hearing\n\nYou must arrange for the order to be \u2018served\u2019 on the respondent. This means making sure they get a copy of the order in person.\n\nIf you have a solicitor, they will arrange for the documents to be served. If you do not have a solicitor you can:\n\n- ask the court to serve the documents - you will not need to pay for this\n\n- hire a professional process server to serve the documents\n\nDo not serve the documents yourself.\n\nThe court will send the order and the statement of service to the officer in charge of your neighbourhood police station or the police station named in the court order.\n\nIf the person named in your injunction does not follow the court order, you can call the police.\n\n## Complaints and appeals\n\nYou can complain to the court where you had the hearing if you\u2019re unhappy with the service they provided.\n\nYou may be able to make an appeal about the decision if you think there\u2019s been a serious mistake. You\u2019ll have to get permission to make the appeal and there\u2019s usually a fee. Read the guidance on how to make an appeal.", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/injunction-domestic-violence", + "answerable": true, + "scenario": "I am 15, live in Wales and for two years was sexually abused by my uncle, a former police officer. He has been arrested and is currently on bail awaiting a charging decision from the CPS. I am afraid that he will try and contact me.", + "original_question": "Can I apply for a non-molestation order against my uncle, despite my not being a legal adult yet and I have got the permission from the High Court ?" + }, + { + "id": "train-2332", + "question": "Scenario: I am 35 and work as a builder. I was (falsely) accused of bullying an apprentice and have been suspended from work. I feel that this is very unfair as I am innocent! I am worried about my rights whilst suspended. Also my contract says that I won't paid on suspension\n\nQuestion: Will I still continue to receive my pay and other benefits whilst I am suspended from work?\n\nDocument - Disciplinary procedures and action against you at work:\n## Overview\n\nYour employer could start formal disciplinary action against you if they have concerns about your work, conduct or absence.\n\nBefore taking formal disciplinary action or dismissing you, your employer may try to raise the matter informally with you. However, they can go straight to their formal disciplinary or dismissal procedures.\n\nDisciplinary procedures are a set way for an employer to deal with disciplinary issues. They should include a disciplinary hearing where you\u2019re given a chance to explain your side of the story.\n\nThere should also be a chance to appeal any disciplinary action your employer decides to take.\n\n## How disciplinary procedures work\n\nYour employer should put their disciplinary procedure in writing, and make it easily available to all staff.\n\nIt should say what performance and behaviour might lead to disciplinary action and what action your employer might take.\n\nIt should also include the name of someone you can speak to if you do not agree with your employer\u2019s disciplinary decision.\n\n## Disciplinary steps\n\nYour employer\u2019s disciplinary procedure should include the following steps:\n\n- A letter setting out the issue.\n\n- A meeting to discuss the issue.\n\n- A disciplinary decision.\n\n- A chance to appeal this decision.\n\n## Acas (Advisory, Conciliation and Arbitration Service) Code of Practice\n\nYour employer\u2019s disciplinary procedures should follow the Acas code of practice.\n\nYour employer does not have to follow the Acas code. However, if they do not and you win an employment tribunal against them, you could get a larger payout.\n\nThere\u2019s more guidance about how employers should run disciplinaries in the Acas guide on discipline and grievances at work.\n\n## Disciplinary procedures and employment contracts\n\nYour employer can also put their disciplinary procedures in your employment contract.\n\nIf your employer does this and then does not follow these procedures you could sue them for breach of contract.\n\n## Northern Ireland\n\nNorthern Ireland has different ways of solving workplace disputes.\n\n## Disciplinary hearings\n\nYour employer should not take any disciplinary action before meeting with you first and discussing the problem.\n\nThis disciplinary meeting (normally called a \u2018hearing\u2019) should be at a reasonable time and place.\n\nAt the hearing your employer should:\n\n- explain the complaint against you\n\n- go through the evidence\n\n- give you a chance to tell your side of the story\n\nIf you raise a significant new fact or issue at the hearing your employer might stop it and look into the issue. They should then rearrange the hearing at a later date.\n\n## Taking someone with you to a disciplinary hearing\n\nYou have the right to take someone with you to a disciplinary hearing, but you must tell your employer about this first.\n\nYour companion can be either:\n\n- a colleague\n\n- a trade union representative\n\n- a trade union official\n\nIf a colleague cannot go with you and you\u2019re not in the union you can ask to bring a family member or a Citizens Advice worker. However, your employer does not have to agree to this unless your employment contract says they must.\n\nThe companion can:\n\n- present and/or sum up your case and say things to support your case\n\n- speak to you during the hearing\n\nYour companion cannot answer questions on your behalf.\n\nYour companion cannot be disciplined for supporting you.\n\n## Disciplinary action\n\nAfter the hearing your employer should write to you as soon as possible, saying what action they\u2019re going to take, and telling you about your right to appeal.\n\nThe decision might be:\n\n- no action\n\n- written warning\n\n- final warning\n\n- demotion\n\n- dismissal\n\nIt might also be anything else that could resolve the problem, for example an agreement to mediate with a co-worker you\u2019ve had personal problems with.\n\n## Disciplinary appeals\n\nIf you think disciplinary action taken against you is unfair you can appeal.\n\nWrite to your employer saying you\u2019re appealing and why.\n\n## Appeal hearings\n\nYou should be offered another meeting to discuss your appeal. This appeal hearing should be held as soon as possible.\n\nIf possible it should be dealt with by someone who has not already been involved with your disciplinary action.\n\nAn appeal hearing will be similar to your original disciplinary meeting and you\u2019ll have the right to bring a companion.\n\n## Final decision\n\nAfter the appeal meeting your employer should write to you with their final decision.\n\n## Suspension from work\n\nWhen a disciplinary issue is being looked into you might be suspended from work. This does not happen very often. If it does it should normally be with pay and you should be told why you\u2019re being suspended.\n\n## Employment contracts\n\nYou can be suspended without pay if your employment contract says your employer can do this, but they must be acting reasonably.\n\nIf your employment contract does not say your employer can do this, your employer may still be able to suspend you, but with pay. To show that it\u2019s not a punishment the suspension will normally be on full pay.\n\n## Employment rights when suspended\n\nYou keep your employment rights while suspended. If you do not get the right pay you may be able to make a claim to an employment tribunal for \u2018unlawful deduction from wages\u2019.\n\n## Talking to other employees, customers and/or suppliers\n\nIf you\u2019re suspended, you might be told not to talk to other employees, customers and/or suppliers. If this means you cannot defend yourself properly at a disciplinary hearing, you could make an appeal.\n\nBut if you\u2019ve been asked not to talk and you do, your employer might decide to take further disciplinary action against you.\n\n## Help and advice with disciplinary issues\n\nThere are several organisations that could give you advice about disciplinary issues.\n\n## Acas\n\nAcas (the Advisory, Conciliation and Arbitration Service) offers free, confidential and impartial advice about all employment rights issues.\n\n## Citizens Advice\n\nYour local Citizens Advice can also give free and impartial advice.\n\n## Trade unions\n\nIf you\u2019re a member of a trade union you can get help and advice from them.\n\n## Equality Advisory Support Service\n\nContact the Equality Advisory Support Service for advice about discrimination, equality and human rights.\n\nYou can also find more information on the Equality Advisory Support Service website.", + "answer": false, + "answer_text": "no", + "url": "https://www.gov.uk/disciplinary-procedures-and-action-at-work", + "answerable": true, + "scenario": "I am 35 and work as a builder. I was (falsely) accused of bullying an apprentice and have been suspended from work. I feel that this is very unfair as I am innocent! I am worried about my rights whilst suspended. Also my contract says that I won't paid on suspension", + "original_question": "Will I still continue to receive my pay and other benefits whilst I am suspended from work?" + }, + { + "id": "train-2333", + "question": "Scenario: I am getting married 11 weeks from now. My surname will be changing to my husband's surname, and I want to apply for a new passport well before the ceremony to ensure that I receive it in time for the honeymoon.\n\nQuestion: Will I be able to apply for a new passport before the wedding day?\n\nDocument - Change your name or personal details on your passport:\n## How it works\n\nYou\u2019ll need to get a new passport to travel abroad or prove your identity if you change any of the following:\n\n- your name\n\n- your gender\n\n- your appearance, if you cannot be recognised from your passport photo any more (for example, you\u2019ve had plastic surgery)\n\nThe name on your passport must match the one you use when you book your travel.\n\nYou\u2019ll be sent a new 10 year passport. Time left on your old passport will not be added to your new one.\n\n## When you do not need a new passport\n\nYou do not need to get a new passport if you:\n\n- change your address or contact details\n\n- get a new job\n\n- change your appearance slightly - for example, dye your hair or grow a beard\n\n- change your marital status (divorce, marry or form a civil partnership) but keep your name\n\n- change your title, for example, doctor or professor\n\n- become a national of another country as well as the UK\n\n- emigrate\n\n## How long it takes\n\nAllow up to 10 weeks to get your passport. It takes longer to apply by post than online.\n\nYou may be able to get a passport urgently if you need to travel sooner.\n\nDo not book travel until you have a valid passport - your new passport will not have the same number as your old one.\n\n## Apply online\n\nYou can apply for a new passport online. It costs \u00a375.50.\n\nStart now\n\n## Apply using a paper application form\n\nBecause of coronavirus (COVID-19), it\u2019s taking longer to process paper applications than online applications. Use the online service to get your passport.\n\nYou can get a paper application form by either:\n\n- going to a Post Office that has a Check and Send service\n\n- calling the Passport Adviceline\n\nIt costs \u00a385.\n\nFill in and sign your passport application using the name that you want to see printed on your passport.\n\n## Countersignatures\n\nYou must get a countersignature if your appearance has changed and you cannot be recognised from your existing passport.\n\nYou do not need a countersignature if you\u2019re changing your name or adding a title.\n\n## Unexpired visas\n\nUnexpired visas in your old passport may become invalid if you change your name. Check with the embassy or consulate of the country that issued the visa.\n\n## If you have a non-British passport\n\nIf you have dual citizenship (\u2018dual nationality\u2019) and have a non-British passport, the name on your non-British passport must match the name and gender you want on your British passport.\n\nIf it\u2019s different, change the details on your non-British passport before you apply for a new British passport.\n\n## Marriage or civil partnership change\n\nYou can get a new passport in your new name either before or after the ceremony.\n\nThe name on your passport must match the one you use when you book your travel.\n\n## Get a new passport after the ceremony\n\nSend your marriage or civil partnership certificate when you apply for a passport in your new name - this includes double-barrelled names.\n\n## Get a new passport before the ceremony\n\nYou can apply for a passport in your new name up to 3 months before your marriage or civil partnership ceremony.\n\nYour old passport will be cancelled. Your new passport is \u2018post-dated\u2019 - you cannot use it before the ceremony.\n\nSome countries will not issue visas for post-dated passports - check with the country\u2019s embassy or consulate.\n\nYou must send a \u2018passports for newly weds and civil partners\u2019 form with your documents. It must be signed by the religious minister or registrar who will conduct the ceremony.\n\n## Divorce or returning to a previous surname\n\nWhen you apply, you also need to send:\n\n- your birth certificate\n\n- a statement signed by you saying you\u2019ve gone back to a previous surname (for example your maiden name) \u2018for all purposes\u2019 - that is, you will not use your married or civil partnership name at all\n\n- a document that shows you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\n- your decree absolute or final order showing both names\n\n- a marriage or civil partnership certificate showing both names - if you do not have it you can order a copy\n\n## Gender change\n\nSend one of the following when you apply for a passport:\n\n- a Gender Recognition Certificate\n\n- a new birth or adoption certificate showing your acquired gender\n\n- a letter from your doctor or medical consultant confirming your change of gender is likely to be permanent\n\nIf you\u2019re sending a letter from your doctor or medical consultant and you\u2019re changing your name, you\u2019ll also need to supply both of the following:\n\n- evidence of your change of name (such as a deed poll)\n\n- evidence that you\u2019re using your new name (for example a payslip, or a letter from your local council)\n\nRead the information about passports for transgender and transsexual people if you need help.\n\n## Titles and small changes to forenames\n\nYou can:\n\n- change the spelling of your name slightly - for example, Jane to Jayne\n\n- change the order of your forenames\n\n- remove middle names\n\nSend 2 documents that show you\u2019re using your new name. These can include a:\n\n- letter from a local council or government department\n\n- driving licence\n\n- bank statement\n\n- baptism or confirmation certificate\n\n## Titles you can use on your passport\n\nYou can include:\n\n- professional titles - for example, doctor, judge, minister of religion, professor, QC, or JP if you\u2019re a magistrate\n\n- honours or military decorations\n\nPut the details in the \u2018other title\u2019 box of your application and send evidence of your title.\n\nYour title will be on the \u2018observations\u2019 page of your passport - it will not be part of your name, except if it\u2019s a title of nobility, for example knight, dame or a lord.\n\n## Other name changes\n\nYou can change your name on your passport with one of the following documents:\n\n- a deed poll\n\n- a statutory declaration\n\n- an affidavit\n\nSend it with both:\n\n- proof of any previous name changes you\u2019ve made\n\n- evidence that you\u2019re using your new name (for example a payslip or a letter from your local council)", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/changing-passport-information", + "answerable": true, + "scenario": "I am getting married 11 weeks from now. My surname will be changing to my husband's surname, and I want to apply for a new passport well before the ceremony to ensure that I receive it in time for the honeymoon.", + "original_question": "Will I be able to apply for a new passport before the wedding day?" + }, + { + "id": "train-2334", + "question": "Scenario: I am going on a performance to Spain from the UK. I am going to be taking my cello with me.\n\nQuestion: Do I need to contact the airline beforehand if I want to fly with such a large instrument?\n\nDocument - Hand luggage restrictions at UK airports:\n## Overview\n\nThere are restrictions on what items you can take in your hand luggage and hold luggage when boarding a plane in the UK.\n\nThere are different rules if you\u2019re taking goods to sell or temporarily abroad for business reasons, for example sales samples, professional equipment or musical instruments for a performance.\n\nAirport security staff will not let anything through that they consider dangerous - even if it\u2019s normally allowed in hand luggage.\n\n## Hand luggage allowances\n\nCheck with your airline how many and what size bags you can take on the plane with you.\n\nCheck the rules for electronic items and devices you\u2019re allowed to take on a flight before you travel - there are different rules depending on which country you are travelling to or from.\n\n## Taking liquids through security\n\nThere are restrictions on the amount of liquids you can take in your hand luggage. If possible, pack liquids in your hold baggage (luggage that you check in).\n\nLiquids include:\n\n- all drinks, including water\n\n- liquid or semi-liquid foods, for example soup, jam, honey and syrups\n\n- cosmetics and toiletries, including creams, lotions, oils, perfumes, mascara and lip gloss\n\n- sprays, including shaving foam, hairspray and spray deodorants\n\n- pastes, including toothpaste\n\n- gels, including hair and shower gel\n\n- contact lens solution\n\n- any other solutions and items of similar consistency\n\nIf you do take liquids in your hand luggage:\n\n- containers must hold no more than 100ml\n\n- containers must be in a single, transparent, resealable plastic bag, which holds no more than a litre and measures approximately 20cm x 20cm\n\n- contents must fit comfortably inside the bag so it can be sealed\n\n- the bag must not be knotted or tied at the top\n\n- you\u2019re limited to 1 plastic bag per person\n\n- you must show the bag at the airport security point\n\nLiquids in containers larger than 100ml generally cannot go through security even if the container is only part full. There are some exemptions.\n\n## Exemptions\n\nYou can take liquid containers larger than 100ml through security if they:\n\n- are for essential medical purposes\n\n- are for special dietary requirements\n\n- contain baby food or baby milk\n\nYou can also take liquids bought at an airport or on a plane (such as duty free) through security if:\n\n- the items are sealed inside a security bag when you buy them\n\n- the receipt for the items is sealed in the security bag and visible\n\nYou must not open the security bag until you reach your final destination. Airport staff may need to open the items to screen the liquid at the security point.\n\n## Liquid restrictions outside the EU\n\nCountries outside the EU might have different rules on carrying liquids as a transit or transfer passenger. You should check these rules with the relevant airlines and airports before travelling.\n\n## Lighters\n\nYou can only carry 1 lighter on board. You should put it inside a resealable plastic bag (like the ones used for liquids), which you must keep on you throughout the flight. You cannot:\n\n- put it in your hold luggage\n\n- put it in your hand luggage after screening\n\n## Food and powders\n\nFood items and powders in your hand luggage can obstruct images on x-ray machines. Your bags may need to be checked again manually by security. You can put these items in your hold luggage to minimise delays.\n\n## Baby food and baby milk\n\nWhen travelling with a baby you\u2019re allowed to take enough baby food, baby milk and sterilised water for the journey. There is no legal limit to how much you can take however check with your airport before you travel.\n\nYou can carry breast milk in hand luggage even if you\u2019re not travelling with a baby. You cannot carry frozen breast milk in hand luggage.\n\nIndividual containers of breast milk must hold no more than 2,000ml. Each container will need to be screened at the security point. Airport staff might need to open the containers to screen the liquids.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Breast milk | Yes, in containers up to 2,000ml | Yes |\n\n| Frozen breast milk | No | Yes |\n\n| Formula milk, cow\u2019s milk | Yes (baby must be present) | Yes |\n\n| Sterilised water for the baby | Yes (baby must be present) | Yes |\n\n| Soya milk for babies | Yes (baby must be present) | Yes |\n\n| Baby food | Yes (baby must be present) | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n## Personal items\n\n## Musical instruments\n\nContact your airline before you book if you want to travel with a large musical instrument. You may need to make special arrangements, such as buying an extra seat.\n\nMusical instruments will be screened separately.\n\n## Mobility aids\n\nPushchairs, walking aids and wheelchairs are usually allowed in the cabin, but will need to be security screened first.\n\nFor battery-powered wheelchairs or mobility aids check with your airline first.\n\n## Other personal items\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Corkscrew | No | Yes |\n\n| Spoon | Yes | Yes |\n\n| Knife (with a sharp or pointed blade and/or blade longer than 6cm) | No | Yes (check with your airline) |\n\n| Small scissors (with blades no longer than 6cm) | Yes | Yes |\n\n| Large scissors (with blades longer than 6cm) | No | Yes (check with your airline) |\n\n| Round-ended/blunt scissors | Yes | Yes |\n\n| Fixed-cartridge razor blades (disposable razor) | Yes | Yes |\n\n| Nail clippers/nail file | Yes | Yes |\n\n| Tweezers | Yes | Yes |\n\n| Knitting needles | Yes | Yes |\n\n| Sewing needle | Yes | Yes |\n\n| Umbrella | Yes | Yes |\n\n| Walking stick/cane, walking aid | Yes | Yes |\n\n| Pushchair | Yes | Yes |\n\n| Wheelchair | Yes | Yes |\n\n| Safety matches | Yes | No |\n\n| Non-safety matches | No | No |\n\n| Fireworks, flares and other pyrotechnics, including party poppers and toy caps | No | No |\n\n| Cigarette lighter | No, but you can put a lighter in a plastic liquids bag and keep it on your person | No |\n\n| Contact lens solution | Yes (up to 100ml) | Yes |\n\n## Medicines, medical equipment and dietary requirements\n\nYou\u2019re allowed to carry the following in your hand luggage:\n\n- essential medicines of more than 100ml, including liquid dietary foodstuffs and inhalers\n\n- medical equipment, if it\u2019s essential for your journey\n\nYou\u2019ll need supporting documentation from a relevant medical professional (for example a letter from your doctor or a copy of your prescription).\n\nAirport staff might need to open the containers to screen the liquids at the security point. Medical equipment is screened separately.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tablets and capsules | Yes | Yes |\n\n| Essential liquid medicines | Yes | Yes |\n\n| Hypodermic syringes | Yes | Yes |\n\n| Inhalers | Yes | Yes |\n\n| Cooling gel packs | Yes | Yes |\n\n| Medical equipment (for example CPAP and TENS machines) | Yes | Yes |\n\n| Special food and liquids needed for medical reasons | Yes | Yes |\n\n| Oxygen cylinders | Contact your airline | Contact your airline |\n\n## Electronic devices and electrical items\n\nYou can only take certain electronic devices and electrical items on flights to the UK.\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Mobile phone | Yes | Yes |\n\n| Laptop | Yes | Yes |\n\n| Tablet devices | Yes | Yes |\n\n| MP3 player | Yes | Yes |\n\n| Hairdryer or straighteners | Yes | Yes |\n\n| Travel iron | Yes | Yes |\n\n| Electric shaver | Yes | Yes |\n\n| E-cigarettes | Yes | No |\n\nSome airlines might also have different restrictions. Check with your airline before you travel if you\u2019re not sure about what you can take as hand luggage.\n\n## Cameras\n\nYou can usually take camera equipment in your hand and hold luggage.\n\nThere might be restrictions on specialist equipment, for example professional video cameras.\n\n## Make sure your devices are charged\n\nMake sure your electronic devices are charged before you travel. If your device does not switch on when requested, you will not be allowed to take it onto the aircraft.\n\n## Batteries for your device\n\nCheck the restrictions on certain types of batteries or contact your airline if you\u2019re not sure what you can carry.\n\n## Gas-powered hair curlers\n\nYou can take hair curlers containing a gas cartridge in hand or hold luggage as long as the safety cover is fitted at all times. You must not take separate gas cartridges on board.\n\n## Sports equipment\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Sports parachute | Yes | Yes |\n\n| Heavy bats and sticks (including baseball, softball and cricket bats) | No | Yes |\n\n| Tennis racquets | Yes | Yes |\n\n| Snooker, pool or billiard cue | Yes | Yes |\n\n| Golf clubs | No | Yes |\n\n| Darts | No | Yes |\n\n| Walking/hiking poles | No | Yes |\n\n| Fishing rod | Yes | Yes |\n\n| Catapult | No | Yes |\n\n| Firearms (including replica firearms) | No | Check with your airline before you travel |\n\n| Harpoon or spear gun | No | Check with your airline before you travel |\n\n| Crossbow | No | Yes |\n\n| Martial arts equipment (including knuckledusters, clubs, coshes, rice flails and nunchuks) | No | Yes |\n\n| Diving equipment | Check with your airline before you travel | Check with your airline before you travel |\n\n## Work tools\n\n| | Allowed in hand luggage | Allowed in hold luggage |\n\n| Tool with a blade or shaft longer than 6cm (for example chisel) | No | Yes |\n\n| Drill and drill bits | No | Yes |\n\n| Stanley knife | No | Yes |\n\n| Saw (including portable power saw) | No | Yes |\n\n| Screwdriver | No | Yes |\n\n| Hammer | No | Yes |\n\n| Pliers | No | Yes |\n\n| Wrench or spanner | No | Yes |\n\n| Bolt gun or nail gun | No | Yes |\n\n| Crowbar | No | Yes |\n\n| Blowtorch | No | Yes |\n\n## Chemicals and toxic substances\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- oxidisers and organic peroxides, including bleach and car body repair kits\n\n- acids and alkalis (for example spillable \u2018wet\u2019 batteries)\n\n- corrosives or bleaching agents (including mercury and chlorine)\n\n- vehicle batteries and fuel systems\n\n- self defence or disabling sprays (for example mace, pepper spray)\n\n- radioactive materials (including medicinal or commercial isotopes)\n\n- poisons or toxic substances (for example rat poison)\n\n- biological hazards (for example infected blood, bacteria, viruses)\n\n- materials that could spontaneously combust (burst into flames)\n\n- fire extinguishers\n\n## Ammunition\n\nYou cannot take any guns or firearms (including air rifles and starting pistols) as hand luggage. You may be able to take them as hold luggage - check with your airline before you travel.\n\nYou cannot take any of these items as hand luggage or in the hold:\n\n- blasting caps\n\n- detonators and fuses\n\n- imitation explosive devices (including replica or model guns)\n\n- mines, grenades, and other explosive military stores\n\n- fireworks and pyrotechnics\n\n- smoke canisters\n\n- smoke cartridges\n\n- dynamite\n\n- gunpowder\n\n- plastic explosives (including black powder and percussion caps)\n\n- flares\n\n- hand grenades\n\n- gun cigarette lighters", + "answer": true, + "answer_text": "yes", + "url": "https://www.gov.uk/hand-luggage-restrictions", + "answerable": true, + "scenario": "I am going on a performance to Spain from the UK. I am going to be taking my cello with me.", + "original_question": "Do I need to contact the airline beforehand if I want to fly with such a large instrument?" + } +] \ No newline at end of file From 1ed965930cecb2526d82b9f1353642bc05637f47 Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Thu, 16 Oct 2025 20:25:51 -0400 Subject: [PATCH 04/11] Reorganized reposity, and added an experiments pipeline --- BACKENDS.md | 16 +- README.md | 52 +- REASONING_API.md | 4 +- .../bench_conditionalqa.py | 30 +- {examples => benchmark}/bench_folio.py | 25 +- {examples => benchmark}/bench_prontoqa.py | 25 +- {examples => benchmark}/bench_proofwriter.py | 25 +- {examples => benchmark}/bench_strategyqa.py | 23 +- benchmark_pipeline.py | 2 +- {examples => data}/ProntoQA_dev_gpt-4.json | 0 .../ProntoQA_dev_processed.json | 0 .../conditionalqa_documents.json | 0 .../conditionalqa_documents_processed.json | 0 {examples => data}/conditionalqa_train.json | 0 .../conditionalqa_train_processed.json | 0 data/folio_v2_train.jsonl | 1001 +++ data/folio_v2_train_processed.json | 6095 +++++++++++++++++ {examples => data}/proofwriter_test.parquet | Bin .../proofwriter_test_processed.json | 0 {examples => data}/strategyQA_train.json | 0 {examples => data}/strategyqa_results.json | 0 examples/azure_gpt5_usage.py | 2 +- examples/azure_simple_example.py | 2 +- examples/backend_comparison.py | 4 +- examples/batch_evaluation.py | 4 +- examples/batch_evaluation_smt2_azure.py | 4 +- examples/migration_example.py | 2 +- examples/simple_usage.py | 4 +- examples/test_strategyqa.py | 2 +- experiments_pipeline.py | 365 + results/.gitkeep | 0 results/benchmark_results.json | 172 + results/benchmark_results.md | 24 + run_interpreter.py | 2 +- tests/integration/test_bug_fixes.py | 16 +- tests/integration/test_interpreter.py | 2 +- tests/unit/test_expression_parser.py | 20 +- tests/unit/test_optimizer.py | 4 +- tests/unit/test_security_validator.py | 2 +- tests/unit/test_sort_manager.py | 2 +- tests/unit/test_verifier.py | 6 +- utils/__init__.py | 0 {examples => utils}/azure_config.py | 0 z3adapter/__init__.py | 8 + z3adapter/_version.py | 3 + z3adapter/backends/__init__.py | 7 + {z3dsl => z3adapter}/backends/abstract.py | 0 {z3dsl => z3adapter}/backends/json_backend.py | 6 +- {z3dsl => z3adapter}/backends/smt2_backend.py | 4 +- {z3dsl => z3adapter}/cli.py | 2 +- z3adapter/dsl/__init__.py | 6 + {z3dsl => z3adapter}/dsl/expressions.py | 2 +- {z3dsl => z3adapter}/dsl/sorts.py | 0 {z3dsl => z3adapter}/interpreter.py | 12 +- {z3dsl => z3adapter}/optimization/__init__.py | 2 +- .../optimization/optimizer.py | 2 +- z3adapter/reasoning/__init__.py | 18 + {z3dsl => z3adapter}/reasoning/evaluation.py | 2 +- .../reasoning/program_generator.py | 4 +- .../reasoning/prompt_template.py | 0 .../reasoning/proof_of_thought.py | 8 +- .../reasoning/smt2_prompt_template.py | 0 {z3dsl => z3adapter}/reasoning/verifier.py | 2 +- {z3dsl => z3adapter}/security/__init__.py | 2 +- {z3dsl => z3adapter}/security/validator.py | 0 z3adapter/solvers/__init__.py | 6 + {z3dsl => z3adapter}/solvers/abstract.py | 0 {z3dsl => z3adapter}/solvers/z3_solver.py | 2 +- {z3dsl => z3adapter}/verification/__init__.py | 2 +- {z3dsl => z3adapter}/verification/verifier.py | 0 z3dsl/__init__.py | 8 - z3dsl/_version.py | 3 - z3dsl/backends/__init__.py | 7 - z3dsl/dsl/__init__.py | 6 - z3dsl/reasoning/__init__.py | 18 - z3dsl/solvers/__init__.py | 6 - 76 files changed, 7900 insertions(+), 185 deletions(-) rename {examples => benchmark}/bench_conditionalqa.py (91%) rename {examples => benchmark}/bench_folio.py (87%) rename {examples => benchmark}/bench_prontoqa.py (83%) rename {examples => benchmark}/bench_proofwriter.py (87%) rename {examples => benchmark}/bench_strategyqa.py (72%) rename {examples => data}/ProntoQA_dev_gpt-4.json (100%) rename {examples => data}/ProntoQA_dev_processed.json (100%) rename {examples => data}/conditionalqa_documents.json (100%) rename {examples => data}/conditionalqa_documents_processed.json (100%) rename {examples => data}/conditionalqa_train.json (100%) rename {examples => data}/conditionalqa_train_processed.json (100%) create mode 100644 data/folio_v2_train.jsonl create mode 100644 data/folio_v2_train_processed.json rename {examples => data}/proofwriter_test.parquet (100%) rename {examples => data}/proofwriter_test_processed.json (100%) rename {examples => data}/strategyQA_train.json (100%) rename {examples => data}/strategyqa_results.json (100%) create mode 100755 experiments_pipeline.py create mode 100644 results/.gitkeep create mode 100644 results/benchmark_results.json create mode 100644 results/benchmark_results.md create mode 100644 utils/__init__.py rename {examples => utils}/azure_config.py (100%) create mode 100644 z3adapter/__init__.py create mode 100644 z3adapter/_version.py create mode 100644 z3adapter/backends/__init__.py rename {z3dsl => z3adapter}/backends/abstract.py (100%) rename {z3dsl => z3adapter}/backends/json_backend.py (93%) rename {z3dsl => z3adapter}/backends/smt2_backend.py (97%) rename {z3dsl => z3adapter}/cli.py (97%) create mode 100644 z3adapter/dsl/__init__.py rename {z3dsl => z3adapter}/dsl/expressions.py (99%) rename {z3dsl => z3adapter}/dsl/sorts.py (100%) rename {z3dsl => z3adapter}/interpreter.py (95%) rename {z3dsl => z3adapter}/optimization/__init__.py (54%) rename {z3dsl => z3adapter}/optimization/optimizer.py (98%) create mode 100644 z3adapter/reasoning/__init__.py rename {z3dsl => z3adapter}/reasoning/evaluation.py (99%) rename {z3dsl => z3adapter}/reasoning/program_generator.py (98%) rename {z3dsl => z3adapter}/reasoning/prompt_template.py (100%) rename {z3dsl => z3adapter}/reasoning/proof_of_thought.py (96%) rename {z3dsl => z3adapter}/reasoning/smt2_prompt_template.py (100%) rename {z3dsl => z3adapter}/reasoning/verifier.py (98%) rename {z3dsl => z3adapter}/security/__init__.py (58%) rename {z3dsl => z3adapter}/security/validator.py (100%) create mode 100644 z3adapter/solvers/__init__.py rename {z3dsl => z3adapter}/solvers/abstract.py (100%) rename {z3dsl => z3adapter}/solvers/z3_solver.py (93%) rename {z3dsl => z3adapter}/verification/__init__.py (55%) rename {z3dsl => z3adapter}/verification/verifier.py (100%) delete mode 100644 z3dsl/__init__.py delete mode 100644 z3dsl/_version.py delete mode 100644 z3dsl/backends/__init__.py delete mode 100644 z3dsl/dsl/__init__.py delete mode 100644 z3dsl/reasoning/__init__.py delete mode 100644 z3dsl/solvers/__init__.py diff --git a/BACKENDS.md b/BACKENDS.md index 516bcc2..ed57c34 100644 --- a/BACKENDS.md +++ b/BACKENDS.md @@ -15,7 +15,7 @@ The SMT2 backend generates programs in SMT-LIB 2.0 format and executes them via **Usage:** ```python -from z3dsl.reasoning import ProofOfThought +from z3adapter.reasoning import ProofOfThought pot = ProofOfThought( llm_client=client, @@ -36,7 +36,7 @@ The JSON backend uses a custom JSON DSL that is parsed by Python and executed vi **Usage:** ```python -from z3dsl.reasoning import ProofOfThought +from z3adapter.reasoning import ProofOfThought pot = ProofOfThought( llm_client=client, @@ -48,11 +48,11 @@ result = pot.query("Can fish breathe underwater?") ## How It Works 1. **Program Generation**: The LLM generates programs in the format specified by the backend - - JSON backend: Uses `z3dsl.reasoning.prompt_template` - - SMT2 backend: Uses `z3dsl.reasoning.smt2_prompt_template` + - JSON backend: Uses `z3adapter.reasoning.prompt_template` + - SMT2 backend: Uses `z3adapter.reasoning.smt2_prompt_template` 2. **Execution**: Programs are saved to temporary files and executed - - JSON backend: Parsed and executed via `z3dsl.interpreter.Z3JSONInterpreter` + - JSON backend: Parsed and executed via `z3adapter.interpreter.Z3JSONInterpreter` - SMT2 backend: Executed via Z3 CLI subprocess 3. **Result Parsing**: Both backends return a `VerificationResult` with: @@ -78,8 +78,8 @@ Choose your backend based on your needs: ## Example: Comparing Backends ```python -from azure_config import get_client_config -from z3dsl.reasoning import ProofOfThought +from utils.azure_config import get_client_config +from z3adapter.reasoning import ProofOfThought config = get_client_config() question = "Can fish breathe underwater?" @@ -110,7 +110,7 @@ Programs can be saved using `save_program=True` in the `query()` method. The backend system follows an abstract interface pattern: ``` -z3dsl/backends/ +z3adapter/backends/ ├── abstract.py # Backend interface ├── json_backend.py # JSON DSL backend └── smt2_backend.py # SMT-LIB 2.0 backend diff --git a/README.md b/README.md index 238b863..3483180 100644 --- a/README.md +++ b/README.md @@ -6,7 +6,7 @@ LLM-based reasoning using Z3 theorem proving. ```python from openai import OpenAI -from z3dsl.reasoning import ProofOfThought +from z3adapter.reasoning import ProofOfThought client = OpenAI(api_key="...") pot = ProofOfThought(llm_client=client) @@ -18,7 +18,7 @@ print(result.answer) # False ## Batch Evaluation ```python -from z3dsl.reasoning import EvaluationPipeline +from z3adapter.reasoning import EvaluationPipeline evaluator = EvaluationPipeline(pot, output_dir="results/") result = evaluator.evaluate( @@ -52,11 +52,55 @@ See [BACKENDS.md](BACKENDS.md) for details on choosing a backend. The system has two layers: -1. **High-level API** (`z3dsl.reasoning`) - Simple Python interface for reasoning tasks -2. **Low-level execution** (`z3dsl.backends`) - JSON DSL or SMT2 backend for Z3 +1. **High-level API** (`z3adapter.reasoning`) - Simple Python interface for reasoning tasks +2. **Low-level execution** (`z3adapter.backends`) - JSON DSL or SMT2 backend for Z3 Most users should use the high-level API. ## Examples See `examples/` directory for complete examples including Azure OpenAI support. + +## Running Experiments + +To run all benchmarks with both backends and generate results: + +```bash +python experiments_pipeline.py +``` + +This will: +- Run all 5 benchmarks (ProntoQA, FOLIO, ProofWriter, ConditionalQA, StrategyQA) +- Test both SMT2 and JSON backends +- Generate results tables in `results/` +- Automatically update the benchmark results section below + + + +# Benchmark Results + +**Last Updated:** 2025-10-16 18:14:07 + +| Benchmark | Backend | Samples | Accuracy | Precision | Recall | F1 Score | Success Rate | +|-----------|---------|---------|----------|-----------|--------|----------|--------------| +| PRONTOQA | SMT2 | 100 | 100.00% | 1.0000 | 1.0000 | 1.0000 | 100.00% | +| FOLIO | SMT2 | 100 | 69.00% | 0.6949 | 0.7736 | 0.7321 | 99.00% | +| PROOFWRITER | SMT2 | 96 | 98.96% | 1.0000 | 1.0000 | 1.0000 | 98.96% | +| CONDITIONALQA | SMT2 | 100 | 83.00% | 0.9375 | 0.8219 | 0.8759 | 100.00% | +| STRATEGYQA | SMT2 | 100 | 84.00% | 0.8205 | 0.7805 | 0.8000 | 100.00% | +| PRONTOQA | JSON | 100 | 99.00% | 1.0000 | 0.9815 | 0.9907 | 100.00% | +| FOLIO | JSON | 100 | 76.00% | 0.7619 | 0.9412 | 0.8421 | 94.00% | +| PROOFWRITER | JSON | 96 | 95.83% | 1.0000 | 1.0000 | 1.0000 | 95.83% | +| CONDITIONALQA | JSON | 100 | 76.00% | 0.9180 | 0.8750 | 0.8960 | 89.00% | +| STRATEGYQA | JSON | 100 | 68.00% | 0.7500 | 0.7895 | 0.7692 | 86.00% | + +## Notes + +- **Accuracy**: Percentage of correct predictions +- **Precision**: True positives / (True positives + False positives) +- **Recall**: True positives / (True positives + False negatives) +- **F1 Score**: Harmonic mean of precision and recall +- **Success Rate**: Percentage of queries that completed without errors + + + diff --git a/REASONING_API.md b/REASONING_API.md index 788a0a3..451dc1e 100644 --- a/REASONING_API.md +++ b/REASONING_API.md @@ -10,7 +10,7 @@ Simple Python API for LLM-based reasoning with Z3 theorem proving. Inspired by D ```python from openai import OpenAI -from z3dsl.reasoning import ProofOfThought +from z3adapter.reasoning import ProofOfThought client = OpenAI(api_key="...") pot = ProofOfThought( @@ -27,7 +27,7 @@ print(result.answer) # True/False/None ### EvaluationPipeline ```python -from z3dsl.reasoning import EvaluationPipeline +from z3adapter.reasoning import EvaluationPipeline evaluator = EvaluationPipeline(pot, output_dir="results/") result = evaluator.evaluate( diff --git a/examples/bench_conditionalqa.py b/benchmark/bench_conditionalqa.py similarity index 91% rename from examples/bench_conditionalqa.py rename to benchmark/bench_conditionalqa.py index 37f4db0..41f2c12 100644 --- a/examples/bench_conditionalqa.py +++ b/benchmark/bench_conditionalqa.py @@ -25,14 +25,13 @@ import os import sys from pathlib import Path -from typing import Any +from typing import Any, Literal -# Add parent directory to path for z3dsl imports +# Add parent directory to path for z3adapter imports sys.path.insert(0, str(Path(__file__).parent.parent)) -from azure_config import get_client_config - -from z3dsl.reasoning import EvaluationPipeline, ProofOfThought +from utils.azure_config import get_client_config +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") @@ -213,8 +212,8 @@ def preprocess_questions( def main() -> None: """Run ConditionalQA benchmark.""" # Preprocess documents - documents_file = "examples/conditionalqa_documents.json" - processed_docs_file = "examples/conditionalqa_documents_processed.json" + documents_file = "data/conditionalqa_documents.json" + processed_docs_file = "data/conditionalqa_documents_processed.json" print("=" * 80) print("STAGE 1: PREPROCESSING DOCUMENTS") @@ -231,8 +230,8 @@ def main() -> None: print() # Preprocess questions - questions_file = "examples/conditionalqa_train.json" - processed_questions_file = "examples/conditionalqa_train_processed.json" + questions_file = "data/conditionalqa_train.json" + processed_questions_file = "data/conditionalqa_train_processed.json" print("=" * 80) print("STAGE 2: PREPROCESSING QUESTIONS") @@ -249,13 +248,16 @@ def main() -> None: # Get Azure OpenAI configuration config = get_client_config() - # Create ProofOfThought instance with SMT2 backend + # Backend selection (change this to "json" to test JSON backend) + BACKEND: Literal["json", "smt2"] = "json" # Options: "smt2" or "json" + + # Create ProofOfThought instance with configurable backend pot = ProofOfThought( llm_client=config["llm_client"], model=config["model"], - backend="smt2", + backend=BACKEND, max_attempts=3, - cache_dir="output/programs_smt2_conditionalqa", + cache_dir=f"output/{BACKEND}_programs_conditionalqa", z3_path="z3", ) @@ -267,7 +269,7 @@ def main() -> None: # Create evaluation pipeline with parallel workers evaluator = EvaluationPipeline( proof_of_thought=pot, - output_dir="output/evaluation_results_conditionalqa", + output_dir=f"output/{BACKEND}_evaluation_conditionalqa", num_workers=10, ) @@ -283,7 +285,7 @@ def main() -> None: # Print results print("\n" + "=" * 80) - print("CONDITIONALQA BENCHMARK RESULTS (SMT2 Backend + Azure GPT-5)") + print(f"CONDITIONALQA BENCHMARK RESULTS ({BACKEND.upper()} Backend + Azure GPT-5)") print("=" * 80) print(f"Total Samples: {result.metrics.total_samples}") print(f"Correct: {result.metrics.correct_answers}") diff --git a/examples/bench_folio.py b/benchmark/bench_folio.py similarity index 87% rename from examples/bench_folio.py rename to benchmark/bench_folio.py index e8968c6..f6ffec6 100644 --- a/examples/bench_folio.py +++ b/benchmark/bench_folio.py @@ -15,13 +15,13 @@ import logging import sys from pathlib import Path +from typing import Literal -# Add parent directory to path for z3dsl imports +# Add parent directory to path for z3adapter imports sys.path.insert(0, str(Path(__file__).parent.parent)) -from azure_config import get_client_config - -from z3dsl.reasoning import EvaluationPipeline, ProofOfThought +from utils.azure_config import get_client_config +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") @@ -88,8 +88,8 @@ def preprocess_folio(jsonl_path: str, output_path: str) -> None: # Preprocess the dataset -jsonl_file = "examples/folio_v2_train.jsonl" -processed_file = "examples/folio_v2_train_processed.json" +jsonl_file = "data/folio_v2_train.jsonl" +processed_file = "data/folio_v2_train_processed.json" print("Preprocessing FOLIO dataset...") preprocess_folio(jsonl_file, processed_file) @@ -98,20 +98,23 @@ def preprocess_folio(jsonl_path: str, output_path: str) -> None: # Get Azure OpenAI configuration config = get_client_config() -# Create ProofOfThought instance with SMT2 backend +# Backend selection (change this to "json" to test JSON backend) +BACKEND: Literal["json", "smt2"] = "json" # Options: "smt2" or "json" + +# Create ProofOfThought instance with configurable backend pot = ProofOfThought( llm_client=config["llm_client"], model=config["model"], - backend="smt2", + backend=BACKEND, max_attempts=3, - cache_dir="output/programs_smt2_folio", + cache_dir=f"output/{BACKEND}_programs_folio", z3_path="z3", ) # Create evaluation pipeline with parallel workers evaluator = EvaluationPipeline( proof_of_thought=pot, - output_dir="output/evaluation_results_folio", + output_dir=f"output/{BACKEND}_evaluation_folio", num_workers=10, ) @@ -127,7 +130,7 @@ def preprocess_folio(jsonl_path: str, output_path: str) -> None: # Print results print("\n" + "=" * 80) -print("FOLIO BENCHMARK RESULTS (SMT2 Backend + Azure GPT-5)") +print(f"FOLIO BENCHMARK RESULTS ({BACKEND.upper()} Backend + Azure GPT-5)") print("=" * 80) print(f"Total Samples: {result.metrics.total_samples}") print(f"Correct: {result.metrics.correct_answers}") diff --git a/examples/bench_prontoqa.py b/benchmark/bench_prontoqa.py similarity index 83% rename from examples/bench_prontoqa.py rename to benchmark/bench_prontoqa.py index 28a9f1b..ac6ca4b 100644 --- a/examples/bench_prontoqa.py +++ b/benchmark/bench_prontoqa.py @@ -13,13 +13,13 @@ import logging import sys from pathlib import Path +from typing import Literal -# Add parent directory to path for z3dsl imports +# Add parent directory to path for z3adapter imports sys.path.insert(0, str(Path(__file__).parent.parent)) -from azure_config import get_client_config - -from z3dsl.reasoning import EvaluationPipeline, ProofOfThought +from utils.azure_config import get_client_config +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") @@ -67,8 +67,8 @@ def preprocess_prontoqa(input_path: str, output_path: str) -> None: # Preprocess the dataset -input_file = "examples/ProntoQA_dev_gpt-4.json" -processed_file = "examples/ProntoQA_dev_processed.json" +input_file = "data/ProntoQA_dev_gpt-4.json" +processed_file = "data/ProntoQA_dev_processed.json" print("Preprocessing ProntoQA dataset...") preprocess_prontoqa(input_file, processed_file) @@ -77,20 +77,23 @@ def preprocess_prontoqa(input_path: str, output_path: str) -> None: # Get Azure OpenAI configuration config = get_client_config() -# Create ProofOfThought instance with SMT2 backend +# Backend selection (change this to "json" to test JSON backend) +BACKEND: Literal["json", "smt2"] = "json" # Options: "smt2" or "json" + +# Create ProofOfThought instance with configurable backend pot = ProofOfThought( llm_client=config["llm_client"], model=config["model"], - backend="smt2", + backend=BACKEND, max_attempts=3, - cache_dir="output/programs_smt2_prontoqa", + cache_dir=f"output/{BACKEND}_programs_prontoqa", z3_path="z3", ) # Create evaluation pipeline with parallel workers evaluator = EvaluationPipeline( proof_of_thought=pot, - output_dir="output/evaluation_results_prontoqa", + output_dir=f"output/{BACKEND}_evaluation_prontoqa", num_workers=10, ) @@ -106,7 +109,7 @@ def preprocess_prontoqa(input_path: str, output_path: str) -> None: # Print results print("\n" + "=" * 80) -print("PRONTOQA BENCHMARK RESULTS (SMT2 Backend + Azure GPT-5)") +print(f"PRONTOQA BENCHMARK RESULTS ({BACKEND.upper()} Backend + Azure GPT-5)") print("=" * 80) print(f"Total Samples: {result.metrics.total_samples}") print(f"Correct: {result.metrics.correct_answers}") diff --git a/examples/bench_proofwriter.py b/benchmark/bench_proofwriter.py similarity index 87% rename from examples/bench_proofwriter.py rename to benchmark/bench_proofwriter.py index 0b8a44f..4bbbbd3 100644 --- a/examples/bench_proofwriter.py +++ b/benchmark/bench_proofwriter.py @@ -14,13 +14,13 @@ import logging import sys from pathlib import Path +from typing import Literal -# Add parent directory to path for z3dsl imports +# Add parent directory to path for z3adapter imports sys.path.insert(0, str(Path(__file__).parent.parent)) -from azure_config import get_client_config - -from z3dsl.reasoning import EvaluationPipeline, ProofOfThought +from utils.azure_config import get_client_config +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") @@ -93,8 +93,8 @@ def preprocess_proofwriter(parquet_path: str, output_path: str, max_samples: int # Preprocess the dataset -parquet_file = "examples/proofwriter_test.parquet" -processed_file = "examples/proofwriter_test_processed.json" +parquet_file = "data/proofwriter_test.parquet" +processed_file = "data/proofwriter_test_processed.json" print("Preprocessing ProofWriter dataset...") preprocess_proofwriter(parquet_file, processed_file, max_samples=1000) @@ -103,20 +103,23 @@ def preprocess_proofwriter(parquet_path: str, output_path: str, max_samples: int # Get Azure OpenAI configuration config = get_client_config() -# Create ProofOfThought instance with SMT2 backend +# Backend selection (change this to "json" to test JSON backend) +BACKEND: Literal["json", "smt2"] = "json" # Options: "smt2" or "json" + +# Create ProofOfThought instance with configurable backend pot = ProofOfThought( llm_client=config["llm_client"], model=config["model"], - backend="smt2", + backend=BACKEND, max_attempts=3, - cache_dir="output/programs_smt2_proofwriter", + cache_dir=f"output/{BACKEND}_programs_proofwriter", z3_path="z3", ) # Create evaluation pipeline with parallel workers evaluator = EvaluationPipeline( proof_of_thought=pot, - output_dir="output/evaluation_results_proofwriter", + output_dir=f"output/{BACKEND}_evaluation_proofwriter", num_workers=10, ) @@ -132,7 +135,7 @@ def preprocess_proofwriter(parquet_path: str, output_path: str, max_samples: int # Print results print("\n" + "=" * 80) -print("PROOFWRITER BENCHMARK RESULTS (SMT2 Backend + Azure GPT-5)") +print(f"PROOFWRITER BENCHMARK RESULTS ({BACKEND.upper()} Backend + Azure GPT-5)") print("=" * 80) print(f"Total Samples: {result.metrics.total_samples}") print(f"Correct: {result.metrics.correct_answers}") diff --git a/examples/bench_strategyqa.py b/benchmark/bench_strategyqa.py similarity index 72% rename from examples/bench_strategyqa.py rename to benchmark/bench_strategyqa.py index d167a34..49dec37 100644 --- a/examples/bench_strategyqa.py +++ b/benchmark/bench_strategyqa.py @@ -9,13 +9,13 @@ import logging import sys from pathlib import Path +from typing import Literal -# Add parent directory to path for z3dsl imports +# Add parent directory to path for z3adapter imports sys.path.insert(0, str(Path(__file__).parent.parent)) -from azure_config import get_client_config - -from z3dsl.reasoning import EvaluationPipeline, ProofOfThought +from utils.azure_config import get_client_config +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") @@ -23,26 +23,29 @@ # Get Azure OpenAI configuration config = get_client_config() -# Create ProofOfThought instance with SMT2 backend +# Backend selection (change this to "json" to test JSON backend) +BACKEND: Literal["json", "smt2"] = "json" # Options: "smt2" or "json" + +# Create ProofOfThought instance with configurable backend pot = ProofOfThought( llm_client=config["llm_client"], model=config["model"], - backend="smt2", + backend=BACKEND, max_attempts=3, - cache_dir="output/programs_smt2_strategyqa", + cache_dir=f"output/{BACKEND}_programs_strategyqa", z3_path="z3", ) # Create evaluation pipeline with parallel workers evaluator = EvaluationPipeline( proof_of_thought=pot, - output_dir="output/evaluation_results_strategyqa", + output_dir=f"output/{BACKEND}_evaluation_strategyqa", num_workers=10, ) # Run evaluation result = evaluator.evaluate( - dataset="examples/strategyQA_train.json", + dataset="data/strategyQA_train.json", question_field="question", answer_field="answer", id_field="qid", @@ -52,7 +55,7 @@ # Print results print("\n" + "=" * 80) -print("STRATEGYQA BENCHMARK RESULTS (SMT2 Backend + Azure GPT-5)") +print(f"STRATEGYQA BENCHMARK RESULTS ({BACKEND.upper()} Backend + Azure GPT-5)") print("=" * 80) print(f"Total Samples: {result.metrics.total_samples}") print(f"Correct: {result.metrics.correct_answers}") diff --git a/benchmark_pipeline.py b/benchmark_pipeline.py index 1e0f73d..67f6e01 100644 --- a/benchmark_pipeline.py +++ b/benchmark_pipeline.py @@ -17,7 +17,7 @@ recall_score, ) -from z3dsl.interpreter import Z3JSONInterpreter +from z3adapter.interpreter import Z3JSONInterpreter def calculate_metrics(y_true: list[Any], y_pred: list[Any]) -> dict[str, Any]: diff --git a/examples/ProntoQA_dev_gpt-4.json b/data/ProntoQA_dev_gpt-4.json similarity index 100% rename from examples/ProntoQA_dev_gpt-4.json rename to data/ProntoQA_dev_gpt-4.json diff --git a/examples/ProntoQA_dev_processed.json b/data/ProntoQA_dev_processed.json similarity index 100% rename from examples/ProntoQA_dev_processed.json rename to data/ProntoQA_dev_processed.json diff --git a/examples/conditionalqa_documents.json b/data/conditionalqa_documents.json similarity index 100% rename from examples/conditionalqa_documents.json rename to data/conditionalqa_documents.json diff --git a/examples/conditionalqa_documents_processed.json b/data/conditionalqa_documents_processed.json similarity index 100% rename from examples/conditionalqa_documents_processed.json rename to data/conditionalqa_documents_processed.json diff --git a/examples/conditionalqa_train.json b/data/conditionalqa_train.json similarity index 100% rename from examples/conditionalqa_train.json rename to data/conditionalqa_train.json diff --git a/examples/conditionalqa_train_processed.json b/data/conditionalqa_train_processed.json similarity index 100% rename from examples/conditionalqa_train_processed.json rename to data/conditionalqa_train_processed.json diff --git a/data/folio_v2_train.jsonl b/data/folio_v2_train.jsonl new file mode 100644 index 0000000..e7f2072 --- /dev/null +++ b/data/folio_v2_train.jsonl @@ -0,0 +1,1001 @@ +{"story_id": 406, "premises": "All people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.", "premises-FOL": "\u2200x (DrinkRegularly(x, coffee) \u2192 IsDependentOn(x, caffeine))\n\u2200x (DrinkRegularly(x, coffee) \u2228 (\u00acWantToBeAddictedTo(x, caffeine)))\n\u2200x (\u00acWantToBeAddictedTo(x, caffeine) \u2192 \u00acAwareThatDrug(x, caffeine))\n\u00ac(Student(rina) \u2295 \u00acAwareThatDrug(rina, caffeine))\n\u00ac(IsDependentOn(rina, caffeine) \u2295 Student(rina))", "conclusion": "Rina doesn't want to be addicted to caffeine or is unaware that caffeine is a drug.", "conclusion-FOL": "\u00acWantToBeAddictedTo(rina, caffeine) \u2228 (\u00acAwareThatDrug(rina, caffeine))", "label": "True", "example_id": 1126} +{"story_id": 406, "premises": "All people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.", "premises-FOL": "\u2200x (DrinkRegularly(x, coffee) \u2192 IsDependentOn(x, caffeine))\n\u2200x (DrinkRegularly(x, coffee) \u2228 (\u00acWantToBeAddictedTo(x, caffeine)))\n\u2200x (\u00acWantToBeAddictedTo(x, caffeine) \u2192 \u00acAwareThatDrug(x, caffeine))\n\u00ac(Student(rina) \u2295 \u00acAwareThatDrug(rina, caffeine))\n\u00ac(IsDependentOn(rina, caffeine) \u2295 Student(rina))", "conclusion": "Rina eith doesn't want to be addicted to caffeine or is unaware that caffeine is a drug.", "conclusion-FOL": "\u00acWantToBeAddictedTo(rina, caffeine) \u2295 \u00acAwareThatDrug(rina, caffeine)", "label": "True", "example_id": 1127} +{"story_id": 406, "premises": "All people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.", "premises-FOL": "\u2200x (DrinkRegularly(x, coffee) \u2192 IsDependentOn(x, caffeine))\n\u2200x (DrinkRegularly(x, coffee) \u2228 (\u00acWantToBeAddictedTo(x, caffeine)))\n\u2200x (\u00acWantToBeAddictedTo(x, caffeine) \u2192 \u00acAwareThatDrug(x, caffeine))\n\u00ac(Student(rina) \u2295 \u00acAwareThatDrug(rina, caffeine))\n\u00ac(IsDependentOn(rina, caffeine) \u2295 Student(rina))", "conclusion": "Rina either regularly drinks coffee or is unaware that caffeine is a drug.", "conclusion-FOL": "DrinkRegularly(rina, coffee) \u2295 IsUnawareThatCaffeineIsADrug(rina)", "label": "False", "example_id": 1128} +{"story_id": 406, "premises": "All people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.", "premises-FOL": "\u2200x (DrinkRegularly(x, coffee) \u2192 IsDependentOn(x, caffeine))\n\u2200x (DrinkRegularly(x, coffee) \u2228 (\u00acWantToBeAddictedTo(x, caffeine)))\n\u2200x (\u00acWantToBeAddictedTo(x, caffeine) \u2192 \u00acAwareThatDrug(x, caffeine))\n\u00ac(Student(rina) \u2295 \u00acAwareThatDrug(rina, caffeine))\n\u00ac(IsDependentOn(rina, caffeine) \u2295 Student(rina))", "conclusion": "If Rina either doesn't want to be addicted to caffeine and is unaware that caffeine is a drug, or neither doesn't want to be addicted to caffeine nor is unaware that caffeine is a drug, then Rina doesn't want to be addicted to caffeine and regularly drinks coffee.", "conclusion-FOL": "(DoNotWantToBeAddictedToCaffeine(rina) \u2295 \u00acAwareThatDrug(rina, caffeine)) \u2192 \u00ac(\u00acWantToBeAddictedTo(rina, caffeine) \u2227 DrinkRegularly(rina, coffee))", "label": "True", "example_id": 1129} +{"story_id": 8, "premises": "Miroslav Venhoda was a Czech choral conductor who specialized in the performance of Renaissance and Baroque music.\nAny choral conductor is a musician.\nSome musicians love music.\nMiroslav Venhoda published a book in 1946 called Method of Studying Gregorian Chant.", "premises-FOL": "Czech(miroslav) \u2227 ChoralConductor(miroslav) \u2227 SpecializeInPerformanceOf(miroslav, renaissanceMusic) \u2227 SpecializeInPerformanceOf(miroslav, baroqueMusic)\n\u2200x (ChoralConductor(x) \u2192 Musician(x))\n\u2203x \u2203y ((Musician(x) \u2192 Love(x, music)) \u2227 (\u00ac(x=y) \u2227 Musician(y) \u2192 Love(y, music)))\nPublishedBook(miroslav, methodOfStudyingGregorianChant, yr1946)", "conclusion": "Miroslav Venhoda loved music.", "conclusion-FOL": "Love(miroslav, music)", "label": "Uncertain", "example_id": 20} +{"story_id": 8, "premises": "Miroslav Venhoda was a Czech choral conductor who specialized in the performance of Renaissance and Baroque music.\nAny choral conductor is a musician.\nSome musicians love music.\nMiroslav Venhoda published a book in 1946 called Method of Studying Gregorian Chant.", "premises-FOL": "Czech(miroslav) \u2227 ChoralConductor(miroslav) \u2227 SpecializeInPerformanceOf(miroslav, renaissanceMusic) \u2227 SpecializeInPerformanceOf(miroslav, baroqueMusic)\n\u2200x (ChoralConductor(x) \u2192 Musician(x))\n\u2203x \u2203y ((Musician(x) \u2192 Love(x, music)) \u2227 (\u00ac(x=y) \u2227 Musician(y) \u2192 Love(y, music)))\nPublishedBook(miroslav, methodOfStudyingGregorianChant, yr1946)", "conclusion": "A Czech published a book in 1946.", "conclusion-FOL": "\u2203x \u2203y (Czech(x) \u2227 PublishedBook(x, y, year1946))", "label": "True", "example_id": 21} +{"story_id": 8, "premises": "Miroslav Venhoda was a Czech choral conductor who specialized in the performance of Renaissance and Baroque music.\nAny choral conductor is a musician.\nSome musicians love music.\nMiroslav Venhoda published a book in 1946 called Method of Studying Gregorian Chant.", "premises-FOL": "Czech(miroslav) \u2227 ChoralConductor(miroslav) \u2227 SpecializeInPerformanceOf(miroslav, renaissanceMusic) \u2227 SpecializeInPerformanceOf(miroslav, baroqueMusic)\n\u2200x (ChoralConductor(x) \u2192 Musician(x))\n\u2203x \u2203y ((Musician(x) \u2192 Love(x, music)) \u2227 (\u00ac(x=y) \u2227 Musician(y) \u2192 Love(y, music)))\nPublishedBook(miroslav, methodOfStudyingGregorianChant, yr1946)", "conclusion": "No choral conductor specialized in the performance of Renaissance.", "conclusion-FOL": "\u2200x (ChoralConductor(x) \u2192 \u00acSpecializeInPerformanceOf(x, renaissanceMusic))", "label": "False", "example_id": 22} +{"story_id": 463, "premises": "All eels are fish. \nNo fish are plants. \nEverything displayed in the collection is either a plant or an animal.\nAll multicellular animals are not bacteria.\nAll animals displayed in the collection are multicellular.\nA sea eel is displayed in the collection.\nThe sea eel is an eel or an animal or not a plant.", "premises-FOL": "\u2200x (Eel(x) \u2192 Fish(x))\n\u2200x (Fish(x) \u2192 \u00acPlant(x))\n\u2200x (DisplayedIn(x, collection) \u2192 Plant(x) \u2295 Animal(x))\n\u2200x (Multicellular(x) \u2192 \u00acBacteria(x))\n\u2200x (DisplayedIn(x, collection) \u2227 Animal(x) \u2192 Multicellular(x))\nDisplayedIn(seaEel, collection)\nEel(seaEel) \u2228 Animal(seaEel) \u2228 \u00acPlant(seaEel)", "conclusion": "The sea eel is an eel.", "conclusion-FOL": "Eel(seaEel)", "label": "Uncertain", "example_id": 1336} +{"story_id": 463, "premises": "All eels are fish. \nNo fish are plants. \nEverything displayed in the collection is either a plant or an animal.\nAll multicellular animals are not bacteria.\nAll animals displayed in the collection are multicellular.\nA sea eel is displayed in the collection.\nThe sea eel is an eel or an animal or not a plant.", "premises-FOL": "\u2200x (Eel(x) \u2192 Fish(x))\n\u2200x (Fish(x) \u2192 \u00acPlant(x))\n\u2200x (DisplayedIn(x, collection) \u2192 Plant(x) \u2295 Animal(x))\n\u2200x (Multicellular(x) \u2192 \u00acBacteria(x))\n\u2200x (DisplayedIn(x, collection) \u2227 Animal(x) \u2192 Multicellular(x))\nDisplayedIn(seaEel, collection)\nEel(seaEel) \u2228 Animal(seaEel) \u2228 \u00acPlant(seaEel)", "conclusion": "The sea eel is bacteria.", "conclusion-FOL": "Bacteria(seaEel)", "label": "False", "example_id": 1337} +{"story_id": 463, "premises": "All eels are fish. \nNo fish are plants. \nEverything displayed in the collection is either a plant or an animal.\nAll multicellular animals are not bacteria.\nAll animals displayed in the collection are multicellular.\nA sea eel is displayed in the collection.\nThe sea eel is an eel or an animal or not a plant.", "premises-FOL": "\u2200x (Eel(x) \u2192 Fish(x))\n\u2200x (Fish(x) \u2192 \u00acPlant(x))\n\u2200x (DisplayedIn(x, collection) \u2192 Plant(x) \u2295 Animal(x))\n\u2200x (Multicellular(x) \u2192 \u00acBacteria(x))\n\u2200x (DisplayedIn(x, collection) \u2227 Animal(x) \u2192 Multicellular(x))\nDisplayedIn(seaEel, collection)\nEel(seaEel) \u2228 Animal(seaEel) \u2228 \u00acPlant(seaEel)", "conclusion": "The sea eel is multicellular or is bacteria.", "conclusion-FOL": "Multicellular(seaEel) \u2228 Bacteria(seaEel)", "label": "True", "example_id": 1338} +{"story_id": 133, "premises": "The Blake McFall Company Building is a building added to the National Register of Historic Places in 1990.\nThe Emmet Building is a five-story building in Portland, Oregon.\nThe Emmet Building was built in 1915.\nThe Emmet Building is another name for the Blake McFall Company Building.\nJohn works at the Emmet Building.", "premises-FOL": "Building(blakeMcFallCompanyBuilding) \u2227 AddedToIn(blakeMcFallCompanyBuilding, theNationalRegisterOfHistoricPlaces, year1990)\nBuilding(emmetBuilding) \u2227 Five-Story(emmetBuilding) \u2227 LocatedIn(emmetBuilding, portland) \u2227 LocatedIn(portland, oregon))\nBuiltIn(emmetBuilding, year1915)\nemmetBuiling=blakeMcFallCompanyBuilding\nWorkAt(john, emmetBuilding)", "conclusion": "A five-story building is built in 1915.", "conclusion-FOL": "\u2203x (Building(x) \u2227 Five-Story(x) \u2227 ConstructedIn(x, year1915))", "label": "True", "example_id": 392} +{"story_id": 133, "premises": "The Blake McFall Company Building is a building added to the National Register of Historic Places in 1990.\nThe Emmet Building is a five-story building in Portland, Oregon.\nThe Emmet Building was built in 1915.\nThe Emmet Building is another name for the Blake McFall Company Building.\nJohn works at the Emmet Building.", "premises-FOL": "Building(blakeMcFallCompanyBuilding) \u2227 AddedToIn(blakeMcFallCompanyBuilding, theNationalRegisterOfHistoricPlaces, year1990)\nBuilding(emmetBuilding) \u2227 Five-Story(emmetBuilding) \u2227 LocatedIn(emmetBuilding, portland) \u2227 LocatedIn(portland, oregon))\nBuiltIn(emmetBuilding, year1915)\nemmetBuiling=blakeMcFallCompanyBuilding\nWorkAt(john, emmetBuilding)", "conclusion": "The Blake McFall Company Building is located in Portland, Oregon.", "conclusion-FOL": "LocatedIn(blakeMcFallCompanyBuilding, portland)", "label": "True", "example_id": 393} +{"story_id": 133, "premises": "The Blake McFall Company Building is a building added to the National Register of Historic Places in 1990.\nThe Emmet Building is a five-story building in Portland, Oregon.\nThe Emmet Building was built in 1915.\nThe Emmet Building is another name for the Blake McFall Company Building.\nJohn works at the Emmet Building.", "premises-FOL": "Building(blakeMcFallCompanyBuilding) \u2227 AddedToIn(blakeMcFallCompanyBuilding, theNationalRegisterOfHistoricPlaces, year1990)\nBuilding(emmetBuilding) \u2227 Five-Story(emmetBuilding) \u2227 LocatedIn(emmetBuilding, portland) \u2227 LocatedIn(portland, oregon))\nBuiltIn(emmetBuilding, year1915)\nemmetBuiling=blakeMcFallCompanyBuilding\nWorkAt(john, emmetBuilding)", "conclusion": "John started his current job in 1990.", "conclusion-FOL": "StartCurrentJobIn(john, year1990)", "label": "Uncertain", "example_id": 394} +{"story_id": 226, "premises": "William Dickinson was a British politician who sat in the House of Commons\nWilliam Dickinson attended Westminster school for high school and then the University of Edinburgh.\nThe University of Edinburgh is a university located in the United Kingdom.\nWilliam Dickinson supported the Portland Whigs.\nPeople who supported the Portland Whigs did not get a seat in the Parliament.", "premises-FOL": "British(williamDickinson) \u2227 Politician(williamDickinson) \u2227 SatIn(williamDickinson, houseOfCommons)\nAttended(williamDickinson, westminsterSchool) \u2227 Highschool(westminsterSchool) \u2227 Attended(williamDickinson, universityOfEdinburgh)\nUniversity(universityOfEdinburgh) \u2227 LocatedIn(universityOfEdinburgh, unitedKingdom)\nSupported(williamDickinson, portlandWhigs)\n\u2200x (Supported(x, portlandWhigs) \u2192 \u00acSatIn(x, parliament))", "conclusion": "William Dickinson did not get a seat in Parliament.", "conclusion-FOL": "SatIn(williamDickinson, parliament)", "label": "True", "example_id": 636} +{"story_id": 226, "premises": "William Dickinson was a British politician who sat in the House of Commons\nWilliam Dickinson attended Westminster school for high school and then the University of Edinburgh.\nThe University of Edinburgh is a university located in the United Kingdom.\nWilliam Dickinson supported the Portland Whigs.\nPeople who supported the Portland Whigs did not get a seat in the Parliament.", "premises-FOL": "British(williamDickinson) \u2227 Politician(williamDickinson) \u2227 SatIn(williamDickinson, houseOfCommons)\nAttended(williamDickinson, westminsterSchool) \u2227 Highschool(westminsterSchool) \u2227 Attended(williamDickinson, universityOfEdinburgh)\nUniversity(universityOfEdinburgh) \u2227 LocatedIn(universityOfEdinburgh, unitedKingdom)\nSupported(williamDickinson, portlandWhigs)\n\u2200x (Supported(x, portlandWhigs) \u2192 \u00acSatIn(x, parliament))", "conclusion": "William Dickinson went to schools located in the United Kingdom for both high school and university.", "conclusion-FOL": "\u2203x \u2203y (Attended(williamDickinson, x) \u2227 Highschool(x) \u2227 LocatedIn(x, unitedKingdom) \u2227 Attended(williamDickinson, y) \u2227 University(y) \u2227 LocatedIn(y, unitedKingdom))", "label": "Uncertain", "example_id": 637} +{"story_id": 226, "premises": "William Dickinson was a British politician who sat in the House of Commons\nWilliam Dickinson attended Westminster school for high school and then the University of Edinburgh.\nThe University of Edinburgh is a university located in the United Kingdom.\nWilliam Dickinson supported the Portland Whigs.\nPeople who supported the Portland Whigs did not get a seat in the Parliament.", "premises-FOL": "British(williamDickinson) \u2227 Politician(williamDickinson) \u2227 SatIn(williamDickinson, houseOfCommons)\nAttended(williamDickinson, westminsterSchool) \u2227 Highschool(westminsterSchool) \u2227 Attended(williamDickinson, universityOfEdinburgh)\nUniversity(universityOfEdinburgh) \u2227 LocatedIn(universityOfEdinburgh, unitedKingdom)\nSupported(williamDickinson, portlandWhigs)\n\u2200x (Supported(x, portlandWhigs) \u2192 \u00acSatIn(x, parliament))", "conclusion": "William Dickinson attended university in the United Kingdom.", "conclusion-FOL": "\u2203x (Attended(williamDickinson, x) \u2227 University(x) \u2227 LocatedIn(x, unitedKingdom))", "label": "True", "example_id": 638} +{"story_id": 226, "premises": "William Dickinson was a British politician who sat in the House of Commons\nWilliam Dickinson attended Westminster school for high school and then the University of Edinburgh.\nThe University of Edinburgh is a university located in the United Kingdom.\nWilliam Dickinson supported the Portland Whigs.\nPeople who supported the Portland Whigs did not get a seat in the Parliament.", "premises-FOL": "British(williamDickinson) \u2227 Politician(williamDickinson) \u2227 SatIn(williamDickinson, houseOfCommons)\nAttended(williamDickinson, westminsterSchool) \u2227 Highschool(westminsterSchool) \u2227 Attended(williamDickinson, universityOfEdinburgh)\nUniversity(universityOfEdinburgh) \u2227 LocatedIn(universityOfEdinburgh, unitedKingdom)\nSupported(williamDickinson, portlandWhigs)\n\u2200x (Supported(x, portlandWhigs) \u2192 \u00acSatIn(x, parliament))", "conclusion": "William Dickinson sat in the House of Commons.", "conclusion-FOL": "SatIn(williamDickinson, houseOfCommons)", "label": "True", "example_id": 639} +{"story_id": 247, "premises": "LanguageA is a universal language\nIf a universal language exists, then for every two people if they both know the same universal language they can communicate.\nKatya cannot communicate with Danil.\nKatya knows LanguageA. ", "premises-FOL": "UniversalLanguage(languageA)\n\u2200x \u2200y (\u2203z (\u00ac(x=y) \u2227 Know(x, z) \u2227 Know(y, z) \u2227 UniversalLanguage(z)) \u2192 CanCommunicateWith(x, y) \u2227 CanCommunicateWith(y, x))\n\u00acCanCommunicateWith(katya, danil)\nKnow(katya, languageA)", "conclusion": "Danil knows LanguageA.", "conclusion-FOL": "Know(danil, languageA)", "label": "False", "example_id": 690} +{"story_id": 422, "premises": "All customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. ", "premises-FOL": "\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 SubscribedTo(x, aMCAList)) \u2192 EligibleForThreeFreeMoviesEveryWeekWithoutAdditionalFees(x))\n\u2203x \u2203y (Customer(x) \u2227 In(x, jameSFamily) \u2227 GoToEveryWeek(x, cinema) \u2227 (\u00ac(x=y)) \u2227 Customer(y) \u2227 In(y, jameSFamily) \u2227 GoToEveryWeek(y, cinema))\n\u2200x (Customer(x) \u2227 In(x, jameSFamily) \u2227 (SubscribedTo(x, aMCAList) \u2228 SubscribedTo(x, hBO)))\n\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 Prefer(x, tVSeries)) \u2192 (\u00acWatchIn(x, tV, cinema)))\n\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 SubscribedTo(x, hBO)) \u2192 Prefer(x, tVSeries))\nCustomer(lily) \u2227 In(lily, jameSFamily \u2227 WatchIn(lily, tV, cinema)", "conclusion": "Lily goes to cinemas every week.", "conclusion-FOL": "GoToEveryWeek(lily, cinema)", "label": "Uncertain", "example_id": 1192} +{"story_id": 422, "premises": "All customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. ", "premises-FOL": "\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 SubscribedTo(x, aMCAList)) \u2192 EligibleForThreeFreeMoviesEveryWeekWithoutAdditionalFees(x))\n\u2203x \u2203y (Customer(x) \u2227 In(x, jameSFamily) \u2227 GoToEveryWeek(x, cinema) \u2227 (\u00ac(x=y)) \u2227 Customer(y) \u2227 In(y, jameSFamily) \u2227 GoToEveryWeek(y, cinema))\n\u2200x (Customer(x) \u2227 In(x, jameSFamily) \u2227 (SubscribedTo(x, aMCAList) \u2228 SubscribedTo(x, hBO)))\n\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 Prefer(x, tVSeries)) \u2192 (\u00acWatchIn(x, tV, cinema)))\n\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 SubscribedTo(x, hBO)) \u2192 Prefer(x, tVSeries))\nCustomer(lily) \u2227 In(lily, jameSFamily \u2227 WatchIn(lily, tV, cinema)", "conclusion": "Lily does not go to cinemas every week.", "conclusion-FOL": "\u00acGoToEveryWeek(lily, cinema)", "label": "Uncertain", "example_id": 1193} +{"story_id": 422, "premises": "All customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. ", "premises-FOL": "\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 SubscribedTo(x, aMCAList)) \u2192 EligibleForThreeFreeMoviesEveryWeekWithoutAdditionalFees(x))\n\u2203x \u2203y (Customer(x) \u2227 In(x, jameSFamily) \u2227 GoToEveryWeek(x, cinema) \u2227 (\u00ac(x=y)) \u2227 Customer(y) \u2227 In(y, jameSFamily) \u2227 GoToEveryWeek(y, cinema))\n\u2200x (Customer(x) \u2227 In(x, jameSFamily) \u2227 (SubscribedTo(x, aMCAList) \u2228 SubscribedTo(x, hBO)))\n\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 Prefer(x, tVSeries)) \u2192 (\u00acWatchIn(x, tV, cinema)))\n\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 SubscribedTo(x, hBO)) \u2192 Prefer(x, tVSeries))\nCustomer(lily) \u2227 In(lily, jameSFamily \u2227 WatchIn(lily, tV, cinema)", "conclusion": "Lily goes to cinemas every week or watches 3 movies every week without any additional fees.", "conclusion-FOL": "GoToEveryWeek(lily, cinema) \u2228 EligibleForThreeFreeMoviesWithoutAdditionalFees(lily)", "label": "True", "example_id": 1194} +{"story_id": 422, "premises": "All customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. ", "premises-FOL": "\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 SubscribedTo(x, aMCAList)) \u2192 EligibleForThreeFreeMoviesEveryWeekWithoutAdditionalFees(x))\n\u2203x \u2203y (Customer(x) \u2227 In(x, jameSFamily) \u2227 GoToEveryWeek(x, cinema) \u2227 (\u00ac(x=y)) \u2227 Customer(y) \u2227 In(y, jameSFamily) \u2227 GoToEveryWeek(y, cinema))\n\u2200x (Customer(x) \u2227 In(x, jameSFamily) \u2227 (SubscribedTo(x, aMCAList) \u2228 SubscribedTo(x, hBO)))\n\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 Prefer(x, tVSeries)) \u2192 (\u00acWatchIn(x, tV, cinema)))\n\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 SubscribedTo(x, hBO)) \u2192 Prefer(x, tVSeries))\nCustomer(lily) \u2227 In(lily, jameSFamily \u2227 WatchIn(lily, tV, cinema)", "conclusion": "If Lily does not both go to cinemas every week and subscribe to HBO service, then Lily is either available to watch 3 movies every week without any additional fees or she prefers TV more.", "conclusion-FOL": "(GoToEveryWeek(lily, cinema) \u2227 SubscribedTo(lily, hBO)) \u2192 (EligibleForThreeFreeMoviesEveryWeek(lily) \u2295 Prefer(lily, tVSeries))", "label": "True", "example_id": 1195} +{"story_id": 422, "premises": "All customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. ", "premises-FOL": "\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 SubscribedTo(x, aMCAList)) \u2192 EligibleForThreeFreeMoviesEveryWeekWithoutAdditionalFees(x))\n\u2203x \u2203y (Customer(x) \u2227 In(x, jameSFamily) \u2227 GoToEveryWeek(x, cinema) \u2227 (\u00ac(x=y)) \u2227 Customer(y) \u2227 In(y, jameSFamily) \u2227 GoToEveryWeek(y, cinema))\n\u2200x (Customer(x) \u2227 In(x, jameSFamily) \u2227 (SubscribedTo(x, aMCAList) \u2228 SubscribedTo(x, hBO)))\n\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 Prefer(x, tVSeries)) \u2192 (\u00acWatchIn(x, tV, cinema)))\n\u2200x ((Customer(x) \u2227 In(x, jameSFamily) \u2227 SubscribedTo(x, hBO)) \u2192 Prefer(x, tVSeries))\nCustomer(lily) \u2227 In(lily, jameSFamily \u2227 WatchIn(lily, tV, cinema)", "conclusion": "If Lily is available to watch 3 movies every week without any additional fees and she watches TV series in cinemas, then she goes to cinemas every week and prefers TV series more.", "conclusion-FOL": "(EligibleForThreeFreeMoviesEveryWeekWithoutAdditionalFees(lily) \u2227 WatchIn(lily, tV, cinema)) \u2192 (GoToEveryWeek(lily, cinema) \u2227 Prefer(lily, tVSeries))", "label": "False", "example_id": 1196} +{"story_id": 193, "premises": "A La Liga soccer team ranks higher than another La Liga soccer team if it receives more points.\nIf there are two La Liga soccer teams and neither has more points than the other, then the team which receives more points from the games between the two teams ranks higher.\nReal Madrid and Barcelona are both La Liga soccer teams.\nReal Madrid received more points than Barcelona.\nNeither Real Madrid nor Barcelona received more points from the games between them.", "premises-FOL": "\u2200x \u2200y (LaLigaSoccerTeam(x) \u2227 LaLigaSoccerTeam(y) \u2227 MorePoints(x, y) \u2192 RankHigherThan(x, y))\n\u2200x \u2200y (LaLigaSoccerTeam(x) \u2227 LaLigaSoccerTeam(y) \u2227 \u00acMorePoints(x, y) \u2227 \u00acMorePoints(y, x) \u2227 MorePointsInGameBetween(x, y) \u2192 RankHigherThan(x, y))\nLaLigaSoccerTeam(realMadrid) \u2227 LaLigaSoccerTeam(barcelona)\nMorePoints(realMadrid, barcelona)\n\u00acMorePointsInGameBetween(realMadrid, barcelona) \u2227 \u00acMorePointsInGameBetween(barcelona, realMadrid)", "conclusion": "Real Madrid ranks higher than Barcelona.", "conclusion-FOL": "RankHigherThan(realMadrid, barcelona)", "label": "True", "example_id": 550} +{"story_id": 193, "premises": "A La Liga soccer team ranks higher than another La Liga soccer team if it receives more points.\nIf there are two La Liga soccer teams and neither has more points than the other, then the team which receives more points from the games between the two teams ranks higher.\nReal Madrid and Barcelona are both La Liga soccer teams.\nReal Madrid received more points than Barcelona.\nNeither Real Madrid nor Barcelona received more points from the games between them.", "premises-FOL": "\u2200x \u2200y (LaLigaSoccerTeam(x) \u2227 LaLigaSoccerTeam(y) \u2227 MorePoints(x, y) \u2192 RankHigherThan(x, y))\n\u2200x \u2200y (LaLigaSoccerTeam(x) \u2227 LaLigaSoccerTeam(y) \u2227 \u00acMorePoints(x, y) \u2227 \u00acMorePoints(y, x) \u2227 MorePointsInGameBetween(x, y) \u2192 RankHigherThan(x, y))\nLaLigaSoccerTeam(realMadrid) \u2227 LaLigaSoccerTeam(barcelona)\nMorePoints(realMadrid, barcelona)\n\u00acMorePointsInGameBetween(realMadrid, barcelona) \u2227 \u00acMorePointsInGameBetween(barcelona, realMadrid)", "conclusion": "Barcelona ranks higher than Real Madrid.", "conclusion-FOL": "RankHigherThan(barcelona, realMadrid)", "label": "False", "example_id": 551} +{"story_id": 82, "premises": "Lawton Park is a neighborhood in Seattle. \nAll citizens of Lawton Park use the zip code 98199. \nTom is a citizen of Lawton Park.\nDaniel uses the zip code 98199. ", "premises-FOL": "NeighbourhoodIn(lawtonPark, seattle)\n\u2200x (Residentof(x, lawtonPark) \u2192 UseZipCode(x, num98199))\nResidentOf(tom, lawtonPark)\nUseZipCode(daniel, num98199)", "conclusion": "Tom uses the zip code 98199.", "conclusion-FOL": "UseZipCode(tom, num98199)", "label": "True", "example_id": 249} +{"story_id": 82, "premises": "Lawton Park is a neighborhood in Seattle. \nAll citizens of Lawton Park use the zip code 98199. \nTom is a citizen of Lawton Park.\nDaniel uses the zip code 98199. ", "premises-FOL": "NeighbourhoodIn(lawtonPark, seattle)\n\u2200x (Residentof(x, lawtonPark) \u2192 UseZipCode(x, num98199))\nResidentOf(tom, lawtonPark)\nUseZipCode(daniel, num98199)", "conclusion": "Tom doesn't use the zip code 98199.", "conclusion-FOL": "\u00acUseZipCode(tom, num98199)", "label": "False", "example_id": 250} +{"story_id": 82, "premises": "Lawton Park is a neighborhood in Seattle. \nAll citizens of Lawton Park use the zip code 98199. \nTom is a citizen of Lawton Park.\nDaniel uses the zip code 98199. ", "premises-FOL": "NeighbourhoodIn(lawtonPark, seattle)\n\u2200x (Residentof(x, lawtonPark) \u2192 UseZipCode(x, num98199))\nResidentOf(tom, lawtonPark)\nUseZipCode(daniel, num98199)", "conclusion": "Tom is a citizen of Washington.", "conclusion-FOL": "ResidentOf(tom, washington)", "label": "Uncertain", "example_id": 251} +{"story_id": 82, "premises": "Lawton Park is a neighborhood in Seattle. \nAll citizens of Lawton Park use the zip code 98199. \nTom is a citizen of Lawton Park.\nDaniel uses the zip code 98199. ", "premises-FOL": "NeighbourhoodIn(lawtonPark, seattle)\n\u2200x (Residentof(x, lawtonPark) \u2192 UseZipCode(x, num98199))\nResidentOf(tom, lawtonPark)\nUseZipCode(daniel, num98199)", "conclusion": "Daniel is a citizen of Lawton Park.", "conclusion-FOL": "ResidentOf(daniel, lawtonPark)", "label": "Uncertain", "example_id": 252} +{"story_id": 86, "premises": "If a legislator is found guilty of stealing government funds, they will be suspended from office.\nTiffany T. Alston was a legislator in Maryland's House of Delegates from 2011 to 2013.\nTiffany T. Alston was found guilty of stealing government funds in 2012.", "premises-FOL": "\u2200x ((Legislator(x) \u2227 StealsFunds(x)) \u2192 Suspended(x))\nLegislator(tiffanyTAlston)\nStealsFunds(tiffanyTAlston) \u2227 StealsFundsInYr(tiffanyTAlston, yr2012)", "conclusion": "Tiffany T. Alston was suspended from the Maryland House of Delegates.", "conclusion-FOL": "Suspended(tiffanyTAlston)", "label": "True", "example_id": 261} +{"story_id": 86, "premises": "If a legislator is found guilty of stealing government funds, they will be suspended from office.\nTiffany T. Alston was a legislator in Maryland's House of Delegates from 2011 to 2013.\nTiffany T. Alston was found guilty of stealing government funds in 2012.", "premises-FOL": "\u2200x ((Legislator(x) \u2227 StealsFunds(x)) \u2192 Suspended(x))\nLegislator(tiffanyTAlston)\nStealsFunds(tiffanyTAlston) \u2227 StealsFundsInYr(tiffanyTAlston, yr2012)", "conclusion": "Tiffany T. Alston was not suspended from the Maryland House of Delegates.", "conclusion-FOL": "\u00acSuspended(tiffanyTAlston)", "label": "False", "example_id": 262} +{"story_id": 86, "premises": "If a legislator is found guilty of stealing government funds, they will be suspended from office.\nTiffany T. Alston was a legislator in Maryland's House of Delegates from 2011 to 2013.\nTiffany T. Alston was found guilty of stealing government funds in 2012.", "premises-FOL": "\u2200x ((Legislator(x) \u2227 StealsFunds(x)) \u2192 Suspended(x))\nLegislator(tiffanyTAlston)\nStealsFunds(tiffanyTAlston) \u2227 StealsFundsInYr(tiffanyTAlston, yr2012)", "conclusion": "Tiffany T. Alston went to prison for stealing government funds.", "conclusion-FOL": "Prison(tiffanyTAlston)", "label": "Uncertain", "example_id": 263} +{"story_id": 171, "premises": "Some fish stings people.\nStonefish is a fish.\nStonefish stings when stepped on. \nIf a stonefish stings someone and they are not treated, it can cause death to them.\nTo treat stonefish stings, apply heat to the affected area or use an antivenom.", "premises-FOL": "\u2203x \u2203y (Fish(x) \u2192 Sting(x,y))\nFish(stonefish)\n\u2200x (SteppedOnBy(stonefish, x) \u2192 Sting(stonefish, x))\n\u2200x (Sting(stonefish, x) \u2227 \u00acTreated(x) \u2192 CauseDeathTo(stonefish, x))\n\u2200x (Sting(stonefish, x) \u2227 (ApplyHeatTo(x) \u2228 UseAntivenomOn(x)) \u2192 Treated(x))", "conclusion": "If a stonefish stings you and you don\u2019t use an antivenom, it can cause death to you.", "conclusion-FOL": "\u2200x (Sting(stonefish, x) \u2227 \u00acUseAntivenomOn(x) \u2192 CauseDeathTo(stonefish, x))", "label": "Uncertain", "example_id": 491} +{"story_id": 171, "premises": "Some fish stings people.\nStonefish is a fish.\nStonefish stings when stepped on. \nIf a stonefish stings someone and they are not treated, it can cause death to them.\nTo treat stonefish stings, apply heat to the affected area or use an antivenom.", "premises-FOL": "\u2203x \u2203y (Fish(x) \u2192 Sting(x,y))\nFish(stonefish)\n\u2200x (SteppedOnBy(stonefish, x) \u2192 Sting(stonefish, x))\n\u2200x (Sting(stonefish, x) \u2227 \u00acTreated(x) \u2192 CauseDeathTo(stonefish, x))\n\u2200x (Sting(stonefish, x) \u2227 (ApplyHeatTo(x) \u2228 UseAntivenomOn(x)) \u2192 Treated(x))", "conclusion": "Stings of some fish can cause death if not treated.", "conclusion-FOL": "\u2203x \u2203y (Fish(x) \u2227 Sting(x, y) \u2227 \u00acTreated(y) \u2192 CauseDeathTo(x, y))", "label": "True", "example_id": 492} +{"story_id": 171, "premises": "Some fish stings people.\nStonefish is a fish.\nStonefish stings when stepped on. \nIf a stonefish stings someone and they are not treated, it can cause death to them.\nTo treat stonefish stings, apply heat to the affected area or use an antivenom.", "premises-FOL": "\u2203x \u2203y (Fish(x) \u2192 Sting(x,y))\nFish(stonefish)\n\u2200x (SteppedOnBy(stonefish, x) \u2192 Sting(stonefish, x))\n\u2200x (Sting(stonefish, x) \u2227 \u00acTreated(x) \u2192 CauseDeathTo(stonefish, x))\n\u2200x (Sting(stonefish, x) \u2227 (ApplyHeatTo(x) \u2228 UseAntivenomOn(x)) \u2192 Treated(x))", "conclusion": "If you step on a stonefish and apply heat to the affected area, it can cause death to you.", "conclusion-FOL": "\u2200x (SteppedOnBy(stonefish, x) \u2227 ApplyHeatTo(x) \u2192 CauseDeathTo(stonefish, x))", "label": "Uncertain", "example_id": 493} +{"story_id": 417, "premises": "Some monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.", "premises-FOL": "\u2203x (Monitor(x) \u2227 ProducedBy(x, lG) \u2227 Have(x, typeCPort) \u2227 (\u00ac(x=y)) \u2227 Monitor(y) \u2227 ProducedBy(y, lG) \u2227 Have(y, typeCPort))\n\u2200x (Have(x, typeCPort) \u2192 \u00acProducedBefore(x, yr2010))\n\u2200x ((Monitor(x) \u2227 In(x, library)) \u2192 ProducedBefore(x, yr2010))\nMonitor(l-2021) \u2227 (In(l-2021, library) \u2295 Have(l-2021, typeCPort))\n\u00ac(ProducedBefore(l-2021, yr2010) \u2295 ProducedBy(l-2021, lG))", "conclusion": "The monitor L-2021 is in the library.", "conclusion-FOL": "In(l-2021, library)", "label": "Uncertain", "example_id": 1173} +{"story_id": 417, "premises": "Some monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.", "premises-FOL": "\u2203x (Monitor(x) \u2227 ProducedBy(x, lG) \u2227 Have(x, typeCPort) \u2227 (\u00ac(x=y)) \u2227 Monitor(y) \u2227 ProducedBy(y, lG) \u2227 Have(y, typeCPort))\n\u2200x (Have(x, typeCPort) \u2192 \u00acProducedBefore(x, yr2010))\n\u2200x ((Monitor(x) \u2227 In(x, library)) \u2192 ProducedBefore(x, yr2010))\nMonitor(l-2021) \u2227 (In(l-2021, library) \u2295 Have(l-2021, typeCPort))\n\u00ac(ProducedBefore(l-2021, yr2010) \u2295 ProducedBy(l-2021, lG))", "conclusion": "The monitor L-2021 is either in the library or produced by LG.", "conclusion-FOL": "In(l-2021, library) \u2295 ProducedBy(l-2021, lG)", "label": "False", "example_id": 1174} +{"story_id": 417, "premises": "Some monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.", "premises-FOL": "\u2203x (Monitor(x) \u2227 ProducedBy(x, lG) \u2227 Have(x, typeCPort) \u2227 (\u00ac(x=y)) \u2227 Monitor(y) \u2227 ProducedBy(y, lG) \u2227 Have(y, typeCPort))\n\u2200x (Have(x, typeCPort) \u2192 \u00acProducedBefore(x, yr2010))\n\u2200x ((Monitor(x) \u2227 In(x, library)) \u2192 ProducedBefore(x, yr2010))\nMonitor(l-2021) \u2227 (In(l-2021, library) \u2295 Have(l-2021, typeCPort))\n\u00ac(ProducedBefore(l-2021, yr2010) \u2295 ProducedBy(l-2021, lG))", "conclusion": "The L-2021 monitor either has a type-c port or is produced by LG.", "conclusion-FOL": "Have(l-2021, typeCPort) \u2295 ProducedBy(l-2021, lG)", "label": "True", "example_id": 1175} +{"story_id": 417, "premises": "Some monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.", "premises-FOL": "\u2203x (Monitor(x) \u2227 ProducedBy(x, lG) \u2227 Have(x, typeCPort) \u2227 (\u00ac(x=y)) \u2227 Monitor(y) \u2227 ProducedBy(y, lG) \u2227 Have(y, typeCPort))\n\u2200x (Have(x, typeCPort) \u2192 \u00acProducedBefore(x, yr2010))\n\u2200x ((Monitor(x) \u2227 In(x, library)) \u2192 ProducedBefore(x, yr2010))\nMonitor(l-2021) \u2227 (In(l-2021, library) \u2295 Have(l-2021, typeCPort))\n\u00ac(ProducedBefore(l-2021, yr2010) \u2295 ProducedBy(l-2021, lG))", "conclusion": "If the L-2021 monitor is either in the library and produced by LG, or neither in the library nor produced by LG, then L-2021 neither has a type-c port nor is produced by LG.", "conclusion-FOL": "\u00ac(In(l-2021, library) \u2295 ProducedBy(l-2021, lG)) \u2192 (\u00acHave(x, typeCPort) \u2227 \u00acProducedBy(x, lG))", "label": "False", "example_id": 1176} +{"story_id": 417, "premises": "Some monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.", "premises-FOL": "\u2203x (Monitor(x) \u2227 ProducedBy(x, lG) \u2227 Have(x, typeCPort) \u2227 (\u00ac(x=y)) \u2227 Monitor(y) \u2227 ProducedBy(y, lG) \u2227 Have(y, typeCPort))\n\u2200x (Have(x, typeCPort) \u2192 \u00acProducedBefore(x, yr2010))\n\u2200x ((Monitor(x) \u2227 In(x, library)) \u2192 ProducedBefore(x, yr2010))\nMonitor(l-2021) \u2227 (In(l-2021, library) \u2295 Have(l-2021, typeCPort))\n\u00ac(ProducedBefore(l-2021, yr2010) \u2295 ProducedBy(l-2021, lG))", "conclusion": "If the monitor L-2021 is either produced by LG and produced before 2010 or neither produced by LG nor produced before 2010, then L-2021 is either in the library or produced by LG.", "conclusion-FOL": "\u00ac(ProducedBefore(l-2021, year2010) \u2295 ProducedBy(l-2021, lG)) \u2192 (In(l-2021, library) \u2295 ProducedBy(l-2021, lG))", "label": "False", "example_id": 1177} +{"story_id": 377, "premises": "Everything is either outside the solar system or in the solar system. \nNothing outside the solar system has the Sun as its star.\nEverything in the solar system is gravitationally bound by the Sun.\nNo planets gravitationally bound by the Sun are rogue planets. \nAll orphan planets are rogue planets.\nIf PSO J318.5\u221222 is not both a rogue planet and a planet gravitationally bound by the Sun, then it is a rogue planet.", "premises-FOL": "\u2200x (Outside(x, solarSystem) \u2295 In(x, solarSystem))\n\u2200x (Outside(x, solarSystem) \u2192 \u00acSunAs(x, star))\n\u2200x (In(x, solarSystem) \u2192 BoundBy(x, sun, gravitationally))\n\u2200x (Planet(x) \u2227 BoundBy(x, sun, gravitationally) \u2192 \u00ac(Planet(x) \u2227 Rogue(x)))\n\u2200x (Planet(x) \u2227 Orphan(x) \u2192 Planet(x) \u2227 Rogue(x))\n\u00ac(Planet(pSOJ318.5-22) \u2227 Rogue(pSOJ318.5-22) \u2227 BoundBy(pSOJ318.5-22, sun, gravitationally)) \u2192 (Planet(pSOJ318.5-22) \u2227 Rogue(pSOJ318.5-22))", "conclusion": "PSO J318.5\u221222 is an orphan planet.", "conclusion-FOL": "Planet(pSOJ318.5-22) \u2227 Orphan(pSOJ318.5-22)", "label": "Uncertain", "example_id": 1005} +{"story_id": 377, "premises": "Everything is either outside the solar system or in the solar system. \nNothing outside the solar system has the Sun as its star.\nEverything in the solar system is gravitationally bound by the Sun.\nNo planets gravitationally bound by the Sun are rogue planets. \nAll orphan planets are rogue planets.\nIf PSO J318.5\u221222 is not both a rogue planet and a planet gravitationally bound by the Sun, then it is a rogue planet.", "premises-FOL": "\u2200x (Outside(x, solarSystem) \u2295 In(x, solarSystem))\n\u2200x (Outside(x, solarSystem) \u2192 \u00acSunAs(x, star))\n\u2200x (In(x, solarSystem) \u2192 BoundBy(x, sun, gravitationally))\n\u2200x (Planet(x) \u2227 BoundBy(x, sun, gravitationally) \u2192 \u00ac(Planet(x) \u2227 Rogue(x)))\n\u2200x (Planet(x) \u2227 Orphan(x) \u2192 Planet(x) \u2227 Rogue(x))\n\u00ac(Planet(pSOJ318.5-22) \u2227 Rogue(pSOJ318.5-22) \u2227 BoundBy(pSOJ318.5-22, sun, gravitationally)) \u2192 (Planet(pSOJ318.5-22) \u2227 Rogue(pSOJ318.5-22))", "conclusion": "PSO J318.5\u221222 is an orphan planet or it does not have the Sun as its star, or both.", "conclusion-FOL": "(Planet(pSOJ318.5-22) \u2227 Orphan(pSOJ318.5-22)) \u2228 \u00acSunAs(pSOJ318.5-22, star)", "label": "True", "example_id": 1006} +{"story_id": 377, "premises": "Everything is either outside the solar system or in the solar system. \nNothing outside the solar system has the Sun as its star.\nEverything in the solar system is gravitationally bound by the Sun.\nNo planets gravitationally bound by the Sun are rogue planets. \nAll orphan planets are rogue planets.\nIf PSO J318.5\u221222 is not both a rogue planet and a planet gravitationally bound by the Sun, then it is a rogue planet.", "premises-FOL": "\u2200x (Outside(x, solarSystem) \u2295 In(x, solarSystem))\n\u2200x (Outside(x, solarSystem) \u2192 \u00acSunAs(x, star))\n\u2200x (In(x, solarSystem) \u2192 BoundBy(x, sun, gravitationally))\n\u2200x (Planet(x) \u2227 BoundBy(x, sun, gravitationally) \u2192 \u00ac(Planet(x) \u2227 Rogue(x)))\n\u2200x (Planet(x) \u2227 Orphan(x) \u2192 Planet(x) \u2227 Rogue(x))\n\u00ac(Planet(pSOJ318.5-22) \u2227 Rogue(pSOJ318.5-22) \u2227 BoundBy(pSOJ318.5-22, sun, gravitationally)) \u2192 (Planet(pSOJ318.5-22) \u2227 Rogue(pSOJ318.5-22))", "conclusion": "If PSO J318.5\u221222 is an orphan planet or it does not have the Sun as the star, or both, then PSO J318.5\u221222 neither is an orphan planet nor does it have the Sun as the star.", "conclusion-FOL": "(Planet(pSOJ318.5-22) \u2227 Orphan(pSOJ318.5-22)) \u2228 \u00acSunAs(pSOJ318.5-22, star) \u2192 (\u00ac(Planet(pSOJ318.5-22) \u2227 Orphan(pSOJ318.5-22)) \u2227 \u00acSunAs(pSOJ318.5-22, star))", "label": "False", "example_id": 1007} +{"story_id": 180, "premises": "Sam is doing a project.\nA project is written either in C++ or Python.\nIf Sam does a project written in Python, he will not use a Mac.\nSam is using a Mac.\nIf Sam uses a Mac, he will play a song.\nIf a song is not titled \"Perfect,\" Sam will never play it.", "premises-FOL": "\u2203x (Project(x) \u2227 Do(sam, x))\n\u2200x (Project(x) \u2192 (WrittenIn(x, cplusplus) \u2295 WrittenIn(x, python)))\n\u2200x (Project(x) \u2227 WrittenIn(x, python) \u2227 Do(sam, x) \u2192 \u00acUse(sam, mac))\nUse(sam, mac)\n\u2203x (Use(sam, mac) \u2227 Song(x) \u2192 Play(sam, x))\n\u2200x (Song(x) \u2227 Play(sam, x) \u2192 Titled(x, perfect))", "conclusion": "The project Sam is doing is written in C++.", "conclusion-FOL": "\u2200x (Project(x) \u2227 Do(sam, x) \u2227 WrittenIn(x, cplusplus))", "label": "True", "example_id": 518} +{"story_id": 180, "premises": "Sam is doing a project.\nA project is written either in C++ or Python.\nIf Sam does a project written in Python, he will not use a Mac.\nSam is using a Mac.\nIf Sam uses a Mac, he will play a song.\nIf a song is not titled \"Perfect,\" Sam will never play it.", "premises-FOL": "\u2203x (Project(x) \u2227 Do(sam, x))\n\u2200x (Project(x) \u2192 (WrittenIn(x, cplusplus) \u2295 WrittenIn(x, python)))\n\u2200x (Project(x) \u2227 WrittenIn(x, python) \u2227 Do(sam, x) \u2192 \u00acUse(sam, mac))\nUse(sam, mac)\n\u2203x (Use(sam, mac) \u2227 Song(x) \u2192 Play(sam, x))\n\u2200x (Song(x) \u2227 Play(sam, x) \u2192 Titled(x, perfect))", "conclusion": "The song Sam is playing is titled \"Perfect\".", "conclusion-FOL": "\u2200x (Song(x) \u2227 Play(sam, x) \u2227 Titled(x, perfect))", "label": "Uncertain", "example_id": 519} +{"story_id": 180, "premises": "Sam is doing a project.\nA project is written either in C++ or Python.\nIf Sam does a project written in Python, he will not use a Mac.\nSam is using a Mac.\nIf Sam uses a Mac, he will play a song.\nIf a song is not titled \"Perfect,\" Sam will never play it.", "premises-FOL": "\u2203x (Project(x) \u2227 Do(sam, x))\n\u2200x (Project(x) \u2192 (WrittenIn(x, cplusplus) \u2295 WrittenIn(x, python)))\n\u2200x (Project(x) \u2227 WrittenIn(x, python) \u2227 Do(sam, x) \u2192 \u00acUse(sam, mac))\nUse(sam, mac)\n\u2203x (Use(sam, mac) \u2227 Song(x) \u2192 Play(sam, x))\n\u2200x (Song(x) \u2227 Play(sam, x) \u2192 Titled(x, perfect))", "conclusion": "If a song is titled \"Perfect\", Sam will play it.", "conclusion-FOL": "\u2200x (Titled(x, perfect) \u2192 Play(sam, x))", "label": "Uncertain", "example_id": 520} +{"story_id": 254, "premises": "All rabbits have fur\nSome pets are rabbits.", "premises-FOL": "\u2200x (Rabbit(x) \u2192 Have(x, fur))\n\u2203x (Pet(x) \u2227 Rabbit(x))", "conclusion": "Some pets do not have fur.", "conclusion-FOL": "\u2203x \u2203y (Pet(x) \u2227 Pet(y) \u2227 \u00acHave(x, fur) \u2227 \u00acHave(y, fur))", "label": "Uncertain", "example_id": 698} +{"story_id": 477, "premises": "All social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. ", "premises-FOL": "\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Contain(x, chatFeature) \u2192 Software(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 AllowToSendTo(x, user, message) \u2192 Contain(x, chatFeature))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2192 Contain(x, chatFeature) \u2228 Contain(x, videoFeature))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Contain(x, videoFeature) \u2192 Allow(x, user, uploadVideo))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Software(x) \u2192 ComputerProgram(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227Have(x, highEngagementMetric) \u2192 Addictive(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Addictive(x) \u2192 \u00acIdealFor(x, preteen))\nSocialMedia(tikTok) \u2227 Application(tikTok) \u2227 \u00acIdealFor(tikTok, preteen)", "conclusion": "TikTok is a computer program.", "conclusion-FOL": "ComputerProgram(tikTok)", "label": "True", "example_id": 1385} +{"story_id": 477, "premises": "All social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. ", "premises-FOL": "\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Contain(x, chatFeature) \u2192 Software(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 AllowToSendTo(x, user, message) \u2192 Contain(x, chatFeature))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2192 Contain(x, chatFeature) \u2228 Contain(x, videoFeature))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Contain(x, videoFeature) \u2192 Allow(x, user, uploadVideo))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Software(x) \u2192 ComputerProgram(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227Have(x, highEngagementMetric) \u2192 Addictive(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Addictive(x) \u2192 \u00acIdealFor(x, preteen))\nSocialMedia(tikTok) \u2227 Application(tikTok) \u2227 \u00acIdealFor(tikTok, preteen)", "conclusion": "TikTok is either ideal for preteens or a computer program.", "conclusion-FOL": "IdealFor(tikTok, preteen) \u2295 ComputerProgram(tikTok)", "label": "True", "example_id": 1386} +{"story_id": 477, "premises": "All social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. ", "premises-FOL": "\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Contain(x, chatFeature) \u2192 Software(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 AllowToSendTo(x, user, message) \u2192 Contain(x, chatFeature))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2192 Contain(x, chatFeature) \u2228 Contain(x, videoFeature))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Contain(x, videoFeature) \u2192 Allow(x, user, uploadVideo))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Software(x) \u2192 ComputerProgram(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227Have(x, highEngagementMetric) \u2192 Addictive(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Addictive(x) \u2192 \u00acIdealFor(x, preteen))\nSocialMedia(tikTok) \u2227 Application(tikTok) \u2227 \u00acIdealFor(tikTok, preteen)", "conclusion": "TikTok is does not have chat features or it is not a computer program.", "conclusion-FOL": "\u00acContain(tikTok, chatFeature) \u2228 \u00acComputerProgram(tikTok))", "label": "False", "example_id": 1387} +{"story_id": 477, "premises": "All social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. ", "premises-FOL": "\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Contain(x, chatFeature) \u2192 Software(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 AllowToSendTo(x, user, message) \u2192 Contain(x, chatFeature))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2192 Contain(x, chatFeature) \u2228 Contain(x, videoFeature))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Contain(x, videoFeature) \u2192 Allow(x, user, uploadVideo))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Software(x) \u2192 ComputerProgram(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227Have(x, highEngagementMetric) \u2192 Addictive(x))\n\u2200x (SocialMedia(x) \u2227 Application(x) \u2227 Addictive(x) \u2192 \u00acIdealFor(x, preteen))\nSocialMedia(tikTok) \u2227 Application(tikTok) \u2227 \u00acIdealFor(tikTok, preteen)", "conclusion": "TikTok either has chat features or is a computer program.", "conclusion-FOL": "Contain(tikTok, chatFeature) \u2295 ComputerProgram(tikTok))", "label": "False", "example_id": 1388} +{"story_id": 104, "premises": "Ordinary is an unincorporated community.\nLocated within Elliot County, Ordinary is on Kentucky Route 32.\nOrdinary is located northwest of Sandy Hook.", "premises-FOL": "UnincorporatedCommunity(ordinary)\nLocatedIn(ordinary, elliotCounty) \u2227 On(ordinary, kentuckyRoute32)\nLocatedNorthwestOf(ordinary, sandyHook)", "conclusion": "There are no unincorporated communities along Kentucky Route 32.", "conclusion-FOL": "\u2200x (On(x, kentuckyRoute32) \u2192 \u00acUnincorporatedCommunity(x))", "label": "False", "example_id": 316} +{"story_id": 104, "premises": "Ordinary is an unincorporated community.\nLocated within Elliot County, Ordinary is on Kentucky Route 32.\nOrdinary is located northwest of Sandy Hook.", "premises-FOL": "UnincorporatedCommunity(ordinary)\nLocatedIn(ordinary, elliotCounty) \u2227 On(ordinary, kentuckyRoute32)\nLocatedNorthwestOf(ordinary, sandyHook)", "conclusion": "There is an unincorporated community located in Elliot County.", "conclusion-FOL": "\u2203x (UnincorporatedCommunity(x) \u2227 LocatedIn(x, elliotCounty))", "label": "True", "example_id": 317} +{"story_id": 348, "premises": "All young adults at the event like independence.\nAll college students at the event are young adults.\nAll Yale students at the event are college students.\nEveryone at the event is a Yale student or a Harvard student.\nAll Harvard students at the event are diligent.\nSusan is at the event, and if Susan is a Harvard student, then she is a young adult.\nIf Susan is a Yale student, then she does not like independence.", "premises-FOL": "\u2200x (At(x, event) \u2227 YoungAdult(x) \u2192 Like(x, independence))\n\u2200x (At(x, event) \u2227 CollegeStudent(x) \u2192 YoungAdult(x))\n\u2200x (At(x, event) \u2227 YaleStudent(x) \u2192 CollegeStudent(x))\n\u2200x (At(x, event) \u2192 (YaleStudent(x) \u2295 HarvardStudent(x)))\n\u2200x (At(x, event) \u2227 HarvardStudent(x) \u2192 Diligent(x))\nAt(susan, event) \u2227 (HarvardStudent(susan) \u2192 YoungAdult(susan))\nYaleStudent(susan) \u2192 \u00acLike(susan, independence)", "conclusion": "Susan is a college student.", "conclusion-FOL": "CollegeStudent(susan)", "label": "Uncertain", "example_id": 921} +{"story_id": 348, "premises": "All young adults at the event like independence.\nAll college students at the event are young adults.\nAll Yale students at the event are college students.\nEveryone at the event is a Yale student or a Harvard student.\nAll Harvard students at the event are diligent.\nSusan is at the event, and if Susan is a Harvard student, then she is a young adult.\nIf Susan is a Yale student, then she does not like independence.", "premises-FOL": "\u2200x (At(x, event) \u2227 YoungAdult(x) \u2192 Like(x, independence))\n\u2200x (At(x, event) \u2227 CollegeStudent(x) \u2192 YoungAdult(x))\n\u2200x (At(x, event) \u2227 YaleStudent(x) \u2192 CollegeStudent(x))\n\u2200x (At(x, event) \u2192 (YaleStudent(x) \u2295 HarvardStudent(x)))\n\u2200x (At(x, event) \u2227 HarvardStudent(x) \u2192 Diligent(x))\nAt(susan, event) \u2227 (HarvardStudent(susan) \u2192 YoungAdult(susan))\nYaleStudent(susan) \u2192 \u00acLike(susan, independence)", "conclusion": "Susan likes independence and is diligent.", "conclusion-FOL": "Like(susan, independence) \u2227 Diligent(susan)", "label": "True", "example_id": 922} +{"story_id": 348, "premises": "All young adults at the event like independence.\nAll college students at the event are young adults.\nAll Yale students at the event are college students.\nEveryone at the event is a Yale student or a Harvard student.\nAll Harvard students at the event are diligent.\nSusan is at the event, and if Susan is a Harvard student, then she is a young adult.\nIf Susan is a Yale student, then she does not like independence.", "premises-FOL": "\u2200x (At(x, event) \u2227 YoungAdult(x) \u2192 Like(x, independence))\n\u2200x (At(x, event) \u2227 CollegeStudent(x) \u2192 YoungAdult(x))\n\u2200x (At(x, event) \u2227 YaleStudent(x) \u2192 CollegeStudent(x))\n\u2200x (At(x, event) \u2192 (YaleStudent(x) \u2295 HarvardStudent(x)))\n\u2200x (At(x, event) \u2227 HarvardStudent(x) \u2192 Diligent(x))\nAt(susan, event) \u2227 (HarvardStudent(susan) \u2192 YoungAdult(susan))\nYaleStudent(susan) \u2192 \u00acLike(susan, independence)", "conclusion": "Susan is not both diligent and likes independence.", "conclusion-FOL": "\u00ac(Like(susan, independence) \u2227 Diligent(susan))", "label": "False", "example_id": 923} +{"story_id": 147, "premises": "Vic DiCara plays guitar and bass.\nThe only style of music Vic DiCara plays is punk music.\nVic DiCara played in the band Inside Out.", "premises-FOL": "Play(vicDicara, guitar) \u2227 Play(vicDicara, bass)\n\u2200x (Music(vicDicara, x) \u2192 \u00ac(x=punk)))\nBand(vicDicara, insideOut)", "conclusion": "Inside Out was a punk band.", "conclusion-FOL": "Music(insideOut, punk)", "label": "Uncertain", "example_id": 430} +{"story_id": 147, "premises": "Vic DiCara plays guitar and bass.\nThe only style of music Vic DiCara plays is punk music.\nVic DiCara played in the band Inside Out.", "premises-FOL": "Play(vicDicara, guitar) \u2227 Play(vicDicara, bass)\n\u2200x (Music(vicDicara, x) \u2192 \u00ac(x=punk)))\nBand(vicDicara, insideOut)", "conclusion": "A musician from Inside Out plays bass.", "conclusion-FOL": "\u2203x (Band(x, insideOut) \u2227 Play(x, bass))", "label": "True", "example_id": 431} +{"story_id": 346, "premises": "All professional athletes spend most of their time on sports.\nAll Olympic gold medal winners are professional athletes.\nNo full-time scientists spend the majority of their time on sports.\nAll Nobel physics laureates are full-time scientists.\nAmy spends the most time on sports, or Amy is an Olympic gold medal winner.\nIf Amy is not a Nobel physics laureate, then Amy is not an Olympic gold medal winner.", "premises-FOL": "\u2200x (ProfessionalAthlete(x) \u2192 SpendOn(x, mostOfTheirTime, sports))\n\u2200x (OlympicGoldMedalWinner(x) \u2192 ProfessionalAthlete(x))\n\u2200x (FullTimeScientist(x) \u2192 \u00acSpendOn(x, mostOfTheirTime, sports))\n\u2200x (NobelPhysicsLaureate(x) \u2192 FullTimeScientist(x))\nSpendOn(amy, mostOfTheirTime, sports) \u2228 OlympicGoldMedalWinner(amy)\n\u00acNobelPhysicsLaureate(amy) \u2192 \u00acOlympicGoldMedalWinner(amy)", "conclusion": "Amy is a professional athlete.", "conclusion-FOL": "ProfessionalAthlete(amy)", "label": "Uncertain", "example_id": 913} +{"story_id": 346, "premises": "All professional athletes spend most of their time on sports.\nAll Olympic gold medal winners are professional athletes.\nNo full-time scientists spend the majority of their time on sports.\nAll Nobel physics laureates are full-time scientists.\nAmy spends the most time on sports, or Amy is an Olympic gold medal winner.\nIf Amy is not a Nobel physics laureate, then Amy is not an Olympic gold medal winner.", "premises-FOL": "\u2200x (ProfessionalAthlete(x) \u2192 SpendOn(x, mostOfTheirTime, sports))\n\u2200x (OlympicGoldMedalWinner(x) \u2192 ProfessionalAthlete(x))\n\u2200x (FullTimeScientist(x) \u2192 \u00acSpendOn(x, mostOfTheirTime, sports))\n\u2200x (NobelPhysicsLaureate(x) \u2192 FullTimeScientist(x))\nSpendOn(amy, mostOfTheirTime, sports) \u2228 OlympicGoldMedalWinner(amy)\n\u00acNobelPhysicsLaureate(amy) \u2192 \u00acOlympicGoldMedalWinner(amy)", "conclusion": "Amy is neither a full-time scientist nor an Olympic gold medal winner.", "conclusion-FOL": "\u00ac(FullTimeScientist(amy) \u2228 OlympicGoldMedalWinner(amy))", "label": "True", "example_id": 914} +{"story_id": 346, "premises": "All professional athletes spend most of their time on sports.\nAll Olympic gold medal winners are professional athletes.\nNo full-time scientists spend the majority of their time on sports.\nAll Nobel physics laureates are full-time scientists.\nAmy spends the most time on sports, or Amy is an Olympic gold medal winner.\nIf Amy is not a Nobel physics laureate, then Amy is not an Olympic gold medal winner.", "premises-FOL": "\u2200x (ProfessionalAthlete(x) \u2192 SpendOn(x, mostOfTheirTime, sports))\n\u2200x (OlympicGoldMedalWinner(x) \u2192 ProfessionalAthlete(x))\n\u2200x (FullTimeScientist(x) \u2192 \u00acSpendOn(x, mostOfTheirTime, sports))\n\u2200x (NobelPhysicsLaureate(x) \u2192 FullTimeScientist(x))\nSpendOn(amy, mostOfTheirTime, sports) \u2228 OlympicGoldMedalWinner(amy)\n\u00acNobelPhysicsLaureate(amy) \u2192 \u00acOlympicGoldMedalWinner(amy)", "conclusion": "If Amy is not an Olympic gold medal winner, then Amy is a Nobel physics laureate.", "conclusion-FOL": "\u00acOlympicGoldMedalWinner(amy) \u2192 NobelPhysicsLaureate(amy)", "label": "False", "example_id": 915} +{"story_id": 409, "premises": "All red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.", "premises-FOL": "\u2200x ((GrownIn(x, benSYard) \u2227 RedFruit(x)) \u2192 Contain(x, vitaminC))\n\u2200x (GrownIn(x, benSYard) \u2227 Is(x, apple) \u2192 RedFruit(x))\n\u2200x ((GrownIn(x, benSYard) \u2227 Contain(x, vitaminC)) \u2192 healthy(x))\n\u2200x ((GrownIn(x, benSYard) \u2227 Healthy(x)) \u2192 \u00acOn(x, warningList))\nGrownIn(cherry, benSYard)\n\u00ac(Healthy(cherry) \u2227 Is(cherry, apple)) \u2192 RedFruit(cherry)\n", "conclusion": "The cherries are apples.", "conclusion-FOL": "Is(cherry, apple)", "label": "False", "example_id": 1142} +{"story_id": 409, "premises": "All red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.", "premises-FOL": "\u2200x ((GrownIn(x, benSYard) \u2227 RedFruit(x)) \u2192 Contain(x, vitaminC))\n\u2200x (GrownIn(x, benSYard) \u2227 Is(x, apple) \u2192 RedFruit(x))\n\u2200x ((GrownIn(x, benSYard) \u2227 Contain(x, vitaminC)) \u2192 healthy(x))\n\u2200x ((GrownIn(x, benSYard) \u2227 Healthy(x)) \u2192 \u00acOn(x, warningList))\nGrownIn(cherry, benSYard)\n\u00ac(Healthy(cherry) \u2227 Is(cherry, apple)) \u2192 RedFruit(cherry)\n", "conclusion": "The cherries either contain some amount of vitamin C or are on a warning list.", "conclusion-FOL": "Contain(cherry, vitaminC) \u2295 On(cherry, warningList)", "label": "True", "example_id": 1143} +{"story_id": 409, "premises": "All red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.", "premises-FOL": "\u2200x ((GrownIn(x, benSYard) \u2227 RedFruit(x)) \u2192 Contain(x, vitaminC))\n\u2200x (GrownIn(x, benSYard) \u2227 Is(x, apple) \u2192 RedFruit(x))\n\u2200x ((GrownIn(x, benSYard) \u2227 Contain(x, vitaminC)) \u2192 healthy(x))\n\u2200x ((GrownIn(x, benSYard) \u2227 Healthy(x)) \u2192 \u00acOn(x, warningList))\nGrownIn(cherry, benSYard)\n\u00ac(Healthy(cherry) \u2227 Is(cherry, apple)) \u2192 RedFruit(cherry)\n", "conclusion": "The cherries are either on a warning list or are red.", "conclusion-FOL": "On(cherry, warningList) \u2295 RedFruit(cherry)", "label": "True", "example_id": 1144} +{"story_id": 409, "premises": "All red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.", "premises-FOL": "\u2200x ((GrownIn(x, benSYard) \u2227 RedFruit(x)) \u2192 Contain(x, vitaminC))\n\u2200x (GrownIn(x, benSYard) \u2227 Is(x, apple) \u2192 RedFruit(x))\n\u2200x ((GrownIn(x, benSYard) \u2227 Contain(x, vitaminC)) \u2192 healthy(x))\n\u2200x ((GrownIn(x, benSYard) \u2227 Healthy(x)) \u2192 \u00acOn(x, warningList))\nGrownIn(cherry, benSYard)\n\u00ac(Healthy(cherry) \u2227 Is(cherry, apple)) \u2192 RedFruit(cherry)\n", "conclusion": "If the cherries are either healthy or are on a warning list, then they are not red.", "conclusion-FOL": "BeneficialTo(cherry, people) \u2295 On(cherry, warningList))) \u2192 \u00acRedFruit(cherry)", "label": "False", "example_id": 1145} +{"story_id": 409, "premises": "All red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.", "premises-FOL": "\u2200x ((GrownIn(x, benSYard) \u2227 RedFruit(x)) \u2192 Contain(x, vitaminC))\n\u2200x (GrownIn(x, benSYard) \u2227 Is(x, apple) \u2192 RedFruit(x))\n\u2200x ((GrownIn(x, benSYard) \u2227 Contain(x, vitaminC)) \u2192 healthy(x))\n\u2200x ((GrownIn(x, benSYard) \u2227 Healthy(x)) \u2192 \u00acOn(x, warningList))\nGrownIn(cherry, benSYard)\n\u00ac(Healthy(cherry) \u2227 Is(cherry, apple)) \u2192 RedFruit(cherry)\n", "conclusion": "If the cherries are either on a warning list or are red, then they are not healthy and do not contain any amount of vitamin C.", "conclusion-FOL": "On(cherry, warningList) \u2295 RedFruit(cherry)) \u2192 \u00ac(BeneficialTo(cherry, people) \u2227 Contain(cherry, vitaminC)", "label": "False", "example_id": 1146} +{"story_id": 425, "premises": "Everyone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.", "premises-FOL": "\u2200x (WorkAt(x, meta) \u2192 HighIncome(x))\n\u2200x (HighIncome(x) \u2192 \u00acMeansToDestination(x, bus))\n\u2200x (MeansToDestination(x, bus) \u2295 MeansToDestination(x, drive))\n\u2200x (HaveCar(x) \u2192 MeansToDestination(x, drive))\n\u2200x (Student(x) \u2192 \u00ac MeansToDestination(x, drive))\nHaveCar(james) \u2228 WorkAt(james, meta)", "conclusion": "James has a high income.", "conclusion-FOL": "HighIncome(james)", "label": "Uncertain", "example_id": 1202} +{"story_id": 425, "premises": "Everyone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.", "premises-FOL": "\u2200x (WorkAt(x, meta) \u2192 HighIncome(x))\n\u2200x (HighIncome(x) \u2192 \u00acMeansToDestination(x, bus))\n\u2200x (MeansToDestination(x, bus) \u2295 MeansToDestination(x, drive))\n\u2200x (HaveCar(x) \u2192 MeansToDestination(x, drive))\n\u2200x (Student(x) \u2192 \u00ac MeansToDestination(x, drive))\nHaveCar(james) \u2228 WorkAt(james, meta)", "conclusion": "James does not have a high income.", "conclusion-FOL": "\u00acHighIncome(james)", "label": "Uncertain", "example_id": 1203} +{"story_id": 425, "premises": "Everyone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.", "premises-FOL": "\u2200x (WorkAt(x, meta) \u2192 HighIncome(x))\n\u2200x (HighIncome(x) \u2192 \u00acMeansToDestination(x, bus))\n\u2200x (MeansToDestination(x, bus) \u2295 MeansToDestination(x, drive))\n\u2200x (HaveCar(x) \u2192 MeansToDestination(x, drive))\n\u2200x (Student(x) \u2192 \u00ac MeansToDestination(x, drive))\nHaveCar(james) \u2228 WorkAt(james, meta)", "conclusion": "James is a student.", "conclusion-FOL": "Student(james)", "label": "False", "example_id": 1204} +{"story_id": 425, "premises": "Everyone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.", "premises-FOL": "\u2200x (WorkAt(x, meta) \u2192 HighIncome(x))\n\u2200x (HighIncome(x) \u2192 \u00acMeansToDestination(x, bus))\n\u2200x (MeansToDestination(x, bus) \u2295 MeansToDestination(x, drive))\n\u2200x (HaveCar(x) \u2192 MeansToDestination(x, drive))\n\u2200x (Student(x) \u2192 \u00ac MeansToDestination(x, drive))\nHaveCar(james) \u2228 WorkAt(james, meta)", "conclusion": "James drives to his destination or he is a student.", "conclusion-FOL": "MeansToDestination(x, drive) \u2228 Student(james)", "label": "True", "example_id": 1205} +{"story_id": 425, "premises": "Everyone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.", "premises-FOL": "\u2200x (WorkAt(x, meta) \u2192 HighIncome(x))\n\u2200x (HighIncome(x) \u2192 \u00acMeansToDestination(x, bus))\n\u2200x (MeansToDestination(x, bus) \u2295 MeansToDestination(x, drive))\n\u2200x (HaveCar(x) \u2192 MeansToDestination(x, drive))\n\u2200x (Student(x) \u2192 \u00ac MeansToDestination(x, drive))\nHaveCar(james) \u2228 WorkAt(james, meta)", "conclusion": "James either drives to their destination or is a student.", "conclusion-FOL": "MeansToDestination(x, drive) \u2295 Student(james)", "label": "True", "example_id": 1206} +{"story_id": 425, "premises": "Everyone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.", "premises-FOL": "\u2200x (WorkAt(x, meta) \u2192 HighIncome(x))\n\u2200x (HighIncome(x) \u2192 \u00acMeansToDestination(x, bus))\n\u2200x (MeansToDestination(x, bus) \u2295 MeansToDestination(x, drive))\n\u2200x (HaveCar(x) \u2192 MeansToDestination(x, drive))\n\u2200x (Student(x) \u2192 \u00ac MeansToDestination(x, drive))\nHaveCar(james) \u2228 WorkAt(james, meta)", "conclusion": "If James either drives to his destination or is a student, then he has a high income and is a student.", "conclusion-FOL": "(MeansToDestination(x, drive) \u2295 Student(james)) \u2192 (HighIncome(james) \u2227 Student(james))", "label": "False", "example_id": 1207} +{"story_id": 423, "premises": "Everyone at the business conference is either an investor or an entrepreneur.\nNone of those at the business conference who enjoy the opportunity of starting a business prefer a planned economy. \nAll entrepreneurs at the business conference enjoy the opportunity of starting a business. \nEveryone at the business conference who enjoys state ownership of means of production prefers a planned economy. \nEveryone at the business conference who is an ardent communist prefers state ownership of the means of production.\nHo is at the business conference and prefers state ownership of the means of production. ", "premises-FOL": "\u2200x (At(x, businessConference) \u2192 (Investor(x) \u2295 Entrepreneur(x)))\n\u2200x ((At(x, businessConference) \u2227 Enjoy(x, opportunityOfStartingOwnBusiness)) \u2192 \u00acPrefer(x, plannedEconomy))\n\u2200x ((At(x, businessConference) \u2227 Entrepreneur(x)) \u2192 Enjoy(x, opportunityOfStartingOwnBusiness))\n\u2200x ((At(x, businessConference) \u2227 Enjoy(x, stateOwnershipOfMeansOfProduction)) \u2192 Prefer(x, plannedEconomy))\n\u2200x ((At(x, businessConference) \u2227 ArdentCommunist(x)) \u2192 Prefer(x, stateOwnershipOfMeansOfProduction))\nAt(ho, businessConference) \u2227 Prefer(ho, stateOwnershipOfMeansOfProduction)", "conclusion": "Ho is not an ardent communist.", "conclusion-FOL": "\u00acArdentCommunist(ho)", "label": "Uncertain", "example_id": 1197} +{"story_id": 423, "premises": "Everyone at the business conference is either an investor or an entrepreneur.\nNone of those at the business conference who enjoy the opportunity of starting a business prefer a planned economy. \nAll entrepreneurs at the business conference enjoy the opportunity of starting a business. \nEveryone at the business conference who enjoys state ownership of means of production prefers a planned economy. \nEveryone at the business conference who is an ardent communist prefers state ownership of the means of production.\nHo is at the business conference and prefers state ownership of the means of production. ", "premises-FOL": "\u2200x (At(x, businessConference) \u2192 (Investor(x) \u2295 Entrepreneur(x)))\n\u2200x ((At(x, businessConference) \u2227 Enjoy(x, opportunityOfStartingOwnBusiness)) \u2192 \u00acPrefer(x, plannedEconomy))\n\u2200x ((At(x, businessConference) \u2227 Entrepreneur(x)) \u2192 Enjoy(x, opportunityOfStartingOwnBusiness))\n\u2200x ((At(x, businessConference) \u2227 Enjoy(x, stateOwnershipOfMeansOfProduction)) \u2192 Prefer(x, plannedEconomy))\n\u2200x ((At(x, businessConference) \u2227 ArdentCommunist(x)) \u2192 Prefer(x, stateOwnershipOfMeansOfProduction))\nAt(ho, businessConference) \u2227 Prefer(ho, stateOwnershipOfMeansOfProduction)", "conclusion": "Ho is an investor or is not an ardent communist.", "conclusion-FOL": "Investor(ho) \u2228 (\u00acArdentCommunist(ho))", "label": "True", "example_id": 1198} +{"story_id": 264, "premises": "No television stars are certified public accountants.\nAll certified public accountants have good business sense.", "premises-FOL": "\u2200x (TelevisionStar(x) \u2192 \u00acCertifiedPublicAccoutant(x))\n\u2200x (CertifiedPublicAccoutant(x) \u2192 Have(x, goodBusinessSense))", "conclusion": "All television stars have good business sense.", "conclusion-FOL": "\u2200x (TelevisionStar(x) \u2192 Have(x, goodBusinessSense))", "label": "Uncertain", "example_id": 708} +{"story_id": 416, "premises": "Some students in the class who are good at math are also good at chemistry.\nAll students in the class who are good at chemistry enjoy conducting experiments. \nAll students in the class that enjoy conducting experiments are good at planning. \nNone of the students who are good at planning failed the class.\nJames is a student in the class; he is either good at chemistry and failed the class, or bad at chemistry and passed the class.", "premises-FOL": "\u2203x \u2203y (StudentInTheClass(x) \u2227 GoodAt(x, math) \u2227 GoodAt(x, chemistry) \u2227 (\u00ac(x=y)) \u2227 StudentInTheClass(y) \u2227 GoodAt(y, math) \u2227 GoodAt(y, chemistry))\n\u2200x ((StudentInTheClass(x) \u2227 GoodAt(x, chemistry)) \u2192 Enjoy(x, conductingExperiment))\n\u2200x ((StudentInTheClass(x) \u2227 Enjoy(x, conductingExperiment)) \u2192 GoodAt(x, planning))\n\u2200x ((StudentInTheClass(x) \u2227 GoodAt(x, planning)) \u2192 \u00acFailed(x, theClass))\nStudentInTheClass(james) \u2227 (\u00ac(GoodAt(james, chemistry) \u2295 Failed(james, theClass)))", "conclusion": "James is good at planning.", "conclusion-FOL": "GoodAt(james, planning)", "label": "Uncertain", "example_id": 1169} +{"story_id": 416, "premises": "Some students in the class who are good at math are also good at chemistry.\nAll students in the class who are good at chemistry enjoy conducting experiments. \nAll students in the class that enjoy conducting experiments are good at planning. \nNone of the students who are good at planning failed the class.\nJames is a student in the class; he is either good at chemistry and failed the class, or bad at chemistry and passed the class.", "premises-FOL": "\u2203x \u2203y (StudentInTheClass(x) \u2227 GoodAt(x, math) \u2227 GoodAt(x, chemistry) \u2227 (\u00ac(x=y)) \u2227 StudentInTheClass(y) \u2227 GoodAt(y, math) \u2227 GoodAt(y, chemistry))\n\u2200x ((StudentInTheClass(x) \u2227 GoodAt(x, chemistry)) \u2192 Enjoy(x, conductingExperiment))\n\u2200x ((StudentInTheClass(x) \u2227 Enjoy(x, conductingExperiment)) \u2192 GoodAt(x, planning))\n\u2200x ((StudentInTheClass(x) \u2227 GoodAt(x, planning)) \u2192 \u00acFailed(x, theClass))\nStudentInTheClass(james) \u2227 (\u00ac(GoodAt(james, chemistry) \u2295 Failed(james, theClass)))", "conclusion": "James is good at math and chemistry.", "conclusion-FOL": "GoodAt(james, chemistry) \u2227 GoodAt(james, math)", "label": "False", "example_id": 1170} +{"story_id": 416, "premises": "Some students in the class who are good at math are also good at chemistry.\nAll students in the class who are good at chemistry enjoy conducting experiments. \nAll students in the class that enjoy conducting experiments are good at planning. \nNone of the students who are good at planning failed the class.\nJames is a student in the class; he is either good at chemistry and failed the class, or bad at chemistry and passed the class.", "premises-FOL": "\u2203x \u2203y (StudentInTheClass(x) \u2227 GoodAt(x, math) \u2227 GoodAt(x, chemistry) \u2227 (\u00ac(x=y)) \u2227 StudentInTheClass(y) \u2227 GoodAt(y, math) \u2227 GoodAt(y, chemistry))\n\u2200x ((StudentInTheClass(x) \u2227 GoodAt(x, chemistry)) \u2192 Enjoy(x, conductingExperiment))\n\u2200x ((StudentInTheClass(x) \u2227 Enjoy(x, conductingExperiment)) \u2192 GoodAt(x, planning))\n\u2200x ((StudentInTheClass(x) \u2227 GoodAt(x, planning)) \u2192 \u00acFailed(x, theClass))\nStudentInTheClass(james) \u2227 (\u00ac(GoodAt(james, chemistry) \u2295 Failed(james, theClass)))", "conclusion": "James failed the class and is good at math.", "conclusion-FOL": "Failed(james, james) \u2227 GoodAt(james, math)", "label": "False", "example_id": 1171} +{"story_id": 416, "premises": "Some students in the class who are good at math are also good at chemistry.\nAll students in the class who are good at chemistry enjoy conducting experiments. \nAll students in the class that enjoy conducting experiments are good at planning. \nNone of the students who are good at planning failed the class.\nJames is a student in the class; he is either good at chemistry and failed the class, or bad at chemistry and passed the class.", "premises-FOL": "\u2203x \u2203y (StudentInTheClass(x) \u2227 GoodAt(x, math) \u2227 GoodAt(x, chemistry) \u2227 (\u00ac(x=y)) \u2227 StudentInTheClass(y) \u2227 GoodAt(y, math) \u2227 GoodAt(y, chemistry))\n\u2200x ((StudentInTheClass(x) \u2227 GoodAt(x, chemistry)) \u2192 Enjoy(x, conductingExperiment))\n\u2200x ((StudentInTheClass(x) \u2227 Enjoy(x, conductingExperiment)) \u2192 GoodAt(x, planning))\n\u2200x ((StudentInTheClass(x) \u2227 GoodAt(x, planning)) \u2192 \u00acFailed(x, theClass))\nStudentInTheClass(james) \u2227 (\u00ac(GoodAt(james, chemistry) \u2295 Failed(james, theClass)))", "conclusion": "If James is good at Chemistry or failed the class, then James is either good at planning or good at math.", "conclusion-FOL": "(GoodAt(james, chemistry) \u2228 Failed(james, theClass)) \u2192 (GoodAt(james, planning) \u2295 GoodAt(james, math))", "label": "True", "example_id": 1172} +{"story_id": 24, "premises": "If a Leetcode problem is at the easy level, then its AC rate is lower than 20 percent. \nAll Leetcode problems that are recommended to novices are easy. \nA Leetode problem is either easy or hard.\nLeetcode problems that are starred by more than one thousand users are hard.\n2Sum is recommended to novices. \n4Sum is starred by more than 1,000 users.", "premises-FOL": "\u2200x (Easy(x) \u2192 \u2203y (LessThan(y, percent20) \u2227 ACRate(x,y)))\n\u2200x (Recommended(x) \u2192 Easy(x))\n\u2200x (Easy(x) \u2295 Hard(x))\n\u2200x (Starred(x)) \u2192 Hard(x))\nRecommended(twosum) \nStarred(foursum)", "conclusion": "2Sum is a Leetcode problem at the easy level.", "conclusion-FOL": "Easy(twosum)", "label": "True", "example_id": 69} +{"story_id": 24, "premises": "If a Leetcode problem is at the easy level, then its AC rate is lower than 20 percent. \nAll Leetcode problems that are recommended to novices are easy. \nA Leetode problem is either easy or hard.\nLeetcode problems that are starred by more than one thousand users are hard.\n2Sum is recommended to novices. \n4Sum is starred by more than 1,000 users.", "premises-FOL": "\u2200x (Easy(x) \u2192 \u2203y (LessThan(y, percent20) \u2227 ACRate(x,y)))\n\u2200x (Recommended(x) \u2192 Easy(x))\n\u2200x (Easy(x) \u2295 Hard(x))\n\u2200x (Starred(x)) \u2192 Hard(x))\nRecommended(twosum) \nStarred(foursum)", "conclusion": "4Sum is a Leetcode problem recommended to the novice.", "conclusion-FOL": "Recommended(foursum)", "label": "False", "example_id": 70} +{"story_id": 24, "premises": "If a Leetcode problem is at the easy level, then its AC rate is lower than 20 percent. \nAll Leetcode problems that are recommended to novices are easy. \nA Leetode problem is either easy or hard.\nLeetcode problems that are starred by more than one thousand users are hard.\n2Sum is recommended to novices. \n4Sum is starred by more than 1,000 users.", "premises-FOL": "\u2200x (Easy(x) \u2192 \u2203y (LessThan(y, percent20) \u2227 ACRate(x,y)))\n\u2200x (Recommended(x) \u2192 Easy(x))\n\u2200x (Easy(x) \u2295 Hard(x))\n\u2200x (Starred(x)) \u2192 Hard(x))\nRecommended(twosum) \nStarred(foursum)", "conclusion": "2Sum has an AC rate higher than 20 percent.", "conclusion-FOL": "\u2203y(GreaterThan(y, percent20) \u2227 ACRate(2Sum,y))", "label": "False", "example_id": 71} +{"story_id": 244, "premises": "Everyone who rents a car spends money.\nWhenever Sarah goes to Vermont, Sarah drives there.\nSomeone who does not own a car to drive somewhere must either borrow a car or rent a car.\nSarah doesn\u2019t own a car.\nSarah never borrows a car to go camping.\nSarah is going to go camping in Vermont.\nTo go camping somewhere, you must go to that place.", "premises-FOL": "\u2200x (Rent(x, car) \u2192 Spend(x, money))\nGoTo(sarah, vermont) \u2192 DriveTo(sarah, vermont)\n\u2200x \u2200y (\u00acOwn(x, car) \u2227 DriveTo(x, y) \u2192 Borrow(x, car) \u2295 Rent(x, car))\n\u00acOwn(sarah, car)\n\u2200x (Camping(sarah, x) \u2192 \u00ac(Borrow(sarah, car)))\nCamping(sarah, vermont)\n\u2200x \u2200y (Camping(x, y) \u2192 GoTo(x, y))", "conclusion": "Sarah will spend money this weekend.", "conclusion-FOL": "Spend(sarah, money)", "label": "True", "example_id": 687} +{"story_id": 378, "premises": "All people who attend weddings are getting married or know the people who are getting married.\nNo preteens or young children are getting married or know the people who are getting married.\nPeople who enjoy celebrating life milestone events with other people attend weddings.\nPeople who are fond of large group functions enjoy celebrating life milestone events with other people.\nAll people who are outgoing and spirited are fond of large group functions.\nIf Carol is not both a pre-teen or young child and attends a wedding, then Carol is not getting married or knows the people who are getting married. ", "premises-FOL": "\u2200x (Attend(x, wedding) \u2192 GettingMarried(x) \u2228 (\u2203y (Know(x, y) \u2227 GettingMarried(y)))\n\u2200x (PreTeen(x) \u2228 YoungChild(x) \u2192 \u00ac(GettingMarried(x) \u2295 (\u2203y (Know(x, y) \u2227 GettingMarried(y)))))\n\u2200x (\u2203y \u2203z (\u00ac(x=y) \u2227 \u00ac(x=z) \u2227 \u00ac(y=z) \u2227 Enjoy(x, celebratingLifeMileStoneEvent, y) \u2227 Enjoy(x, celebratingLifeStoneEvent, z)) \u2192 Attend(x, wedding))\n\u2200x (FondOf(x, largeGroupFunction) \u2192 \u2203y \u2203z (\u00ac(x=y) \u2227 \u00ac(x=z) \u2227 \u00ac(y=z) \u2227 Enjoy(x, celebratingLifeMileStoneEventWith, y) \u2227 Enjoy(x, celebratingLifeStoneEvent, z)))\n\u2200x (Outgoing(x) \u2227 Sprited(x) \u2192 FondOf(x, largeGroupFunction))\n\u00ac((PreTeen(carol) \u2228 YoungChildren(carol)) \u2227 Attend(carol, wedding)) \u2192 \u00ac(GettingMarried(carol) \u2228 (\u2203y (Know(carol, y) \u2227 GettingMarried(y))))", "conclusion": "Carol is outgoing and very spirited.", "conclusion-FOL": "Outgoing(carol) \u2227 Sprited(carol)", "label": "False", "example_id": 1008} +{"story_id": 378, "premises": "All people who attend weddings are getting married or know the people who are getting married.\nNo preteens or young children are getting married or know the people who are getting married.\nPeople who enjoy celebrating life milestone events with other people attend weddings.\nPeople who are fond of large group functions enjoy celebrating life milestone events with other people.\nAll people who are outgoing and spirited are fond of large group functions.\nIf Carol is not both a pre-teen or young child and attends a wedding, then Carol is not getting married or knows the people who are getting married. ", "premises-FOL": "\u2200x (Attend(x, wedding) \u2192 GettingMarried(x) \u2228 (\u2203y (Know(x, y) \u2227 GettingMarried(y)))\n\u2200x (PreTeen(x) \u2228 YoungChild(x) \u2192 \u00ac(GettingMarried(x) \u2295 (\u2203y (Know(x, y) \u2227 GettingMarried(y)))))\n\u2200x (\u2203y \u2203z (\u00ac(x=y) \u2227 \u00ac(x=z) \u2227 \u00ac(y=z) \u2227 Enjoy(x, celebratingLifeMileStoneEvent, y) \u2227 Enjoy(x, celebratingLifeStoneEvent, z)) \u2192 Attend(x, wedding))\n\u2200x (FondOf(x, largeGroupFunction) \u2192 \u2203y \u2203z (\u00ac(x=y) \u2227 \u00ac(x=z) \u2227 \u00ac(y=z) \u2227 Enjoy(x, celebratingLifeMileStoneEventWith, y) \u2227 Enjoy(x, celebratingLifeStoneEvent, z)))\n\u2200x (Outgoing(x) \u2227 Sprited(x) \u2192 FondOf(x, largeGroupFunction))\n\u00ac((PreTeen(carol) \u2228 YoungChildren(carol)) \u2227 Attend(carol, wedding)) \u2192 \u00ac(GettingMarried(carol) \u2228 (\u2203y (Know(carol, y) \u2227 GettingMarried(y))))", "conclusion": "Carol is a preteen or a young child.", "conclusion-FOL": "PreTeen(carol) \u2228 YoungChild(carol)", "label": "Uncertain", "example_id": 1009} +{"story_id": 378, "premises": "All people who attend weddings are getting married or know the people who are getting married.\nNo preteens or young children are getting married or know the people who are getting married.\nPeople who enjoy celebrating life milestone events with other people attend weddings.\nPeople who are fond of large group functions enjoy celebrating life milestone events with other people.\nAll people who are outgoing and spirited are fond of large group functions.\nIf Carol is not both a pre-teen or young child and attends a wedding, then Carol is not getting married or knows the people who are getting married. ", "premises-FOL": "\u2200x (Attend(x, wedding) \u2192 GettingMarried(x) \u2228 (\u2203y (Know(x, y) \u2227 GettingMarried(y)))\n\u2200x (PreTeen(x) \u2228 YoungChild(x) \u2192 \u00ac(GettingMarried(x) \u2295 (\u2203y (Know(x, y) \u2227 GettingMarried(y)))))\n\u2200x (\u2203y \u2203z (\u00ac(x=y) \u2227 \u00ac(x=z) \u2227 \u00ac(y=z) \u2227 Enjoy(x, celebratingLifeMileStoneEvent, y) \u2227 Enjoy(x, celebratingLifeStoneEvent, z)) \u2192 Attend(x, wedding))\n\u2200x (FondOf(x, largeGroupFunction) \u2192 \u2203y \u2203z (\u00ac(x=y) \u2227 \u00ac(x=z) \u2227 \u00ac(y=z) \u2227 Enjoy(x, celebratingLifeMileStoneEventWith, y) \u2227 Enjoy(x, celebratingLifeStoneEvent, z)))\n\u2200x (Outgoing(x) \u2227 Sprited(x) \u2192 FondOf(x, largeGroupFunction))\n\u00ac((PreTeen(carol) \u2228 YoungChildren(carol)) \u2227 Attend(carol, wedding)) \u2192 \u00ac(GettingMarried(carol) \u2228 (\u2203y (Know(carol, y) \u2227 GettingMarried(y))))", "conclusion": "Carol neither enjoys celebrating life milestone events with other people nor is outgoing and very spirited.", "conclusion-FOL": "\u00ac((\u2203y \u2203z (\u00ac(x=y) \u2227 \u00ac(x=z) \u2227 \u00ac(y=z) \u2227 Enjoy(x, celebratingLifeMileStoneEvent, y) \u2227 Enjoy(x, celebratingLifeStoneEvent, z)) \u2228 (Outgoing(carol) \u2227 Sprited(carol)))", "label": "True", "example_id": 1010} +{"story_id": 395, "premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", "premises-FOL": "\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 VelvetFinish(x)) \u2192 Refillable(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (VelvetFinish(x) \u2295 SatinFinish(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 SatinFinish(x)) \u2192 \u00acRosewoodInDescription(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (RosewoodInDescription(x) \u2295 \u00acRosewoodInDescription(x)))\nLipstick(rougeDiorColoredLipBalm999) \u2227 In(rougeDiorColoredLipBalm999, rougeDiorSet) \u2227 In(rougeDiorColoredLipBalm999, lunarNewYearLimitedEdition) \u2227 (RosewoodInDescription(rougeDiorColoredLipBalm999) \u2295 VelvetFinish(rougeDiorColoredLipBalm999))", "conclusion": "ROUGE Dior Colored Lip Balm 999 has a satin finish.", "conclusion-FOL": "SatinFinish(rougeDiorColoredLipBalm999)", "label": "Uncertain", "example_id": 1068} +{"story_id": 395, "premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", "premises-FOL": "\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 VelvetFinish(x)) \u2192 Refillable(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (VelvetFinish(x) \u2295 SatinFinish(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 SatinFinish(x)) \u2192 \u00acRosewoodInDescription(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (RosewoodInDescription(x) \u2295 \u00acRosewoodInDescription(x)))\nLipstick(rougeDiorColoredLipBalm999) \u2227 In(rougeDiorColoredLipBalm999, rougeDiorSet) \u2227 In(rougeDiorColoredLipBalm999, lunarNewYearLimitedEdition) \u2227 (RosewoodInDescription(rougeDiorColoredLipBalm999) \u2295 VelvetFinish(rougeDiorColoredLipBalm999))", "conclusion": "ROUGE Dior Colored Lip Balm 999 has a satin finish and has \"rosewood\" in its official description.", "conclusion-FOL": "Refillable(rougeDiorColoredLipBalm999) \u2227 RosewoodInDescription(rougeDiorColoredLipBalm999)", "label": "True", "example_id": 1069} +{"story_id": 395, "premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", "premises-FOL": "\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 VelvetFinish(x)) \u2192 Refillable(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (VelvetFinish(x) \u2295 SatinFinish(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 SatinFinish(x)) \u2192 \u00acRosewoodInDescription(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (RosewoodInDescription(x) \u2295 \u00acRosewoodInDescription(x)))\nLipstick(rougeDiorColoredLipBalm999) \u2227 In(rougeDiorColoredLipBalm999, rougeDiorSet) \u2227 In(rougeDiorColoredLipBalm999, lunarNewYearLimitedEdition) \u2227 (RosewoodInDescription(rougeDiorColoredLipBalm999) \u2295 VelvetFinish(rougeDiorColoredLipBalm999))", "conclusion": "ROUGE Dior Colored Lip Balm 999 either is refillable or has \"rosewood\" in its official description.", "conclusion-FOL": "Refillable(rougeDiorColoredLipBalm999) \u2295 RosewoodInDescription(rougeDiorColoredLipBalm999)", "label": "False", "example_id": 1070} +{"story_id": 395, "premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", "premises-FOL": "\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 VelvetFinish(x)) \u2192 Refillable(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (VelvetFinish(x) \u2295 SatinFinish(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 SatinFinish(x)) \u2192 \u00acRosewoodInDescription(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (RosewoodInDescription(x) \u2295 \u00acRosewoodInDescription(x)))\nLipstick(rougeDiorColoredLipBalm999) \u2227 In(rougeDiorColoredLipBalm999, rougeDiorSet) \u2227 In(rougeDiorColoredLipBalm999, lunarNewYearLimitedEdition) \u2227 (RosewoodInDescription(rougeDiorColoredLipBalm999) \u2295 VelvetFinish(rougeDiorColoredLipBalm999))", "conclusion": "If ROUGE Dior Colored Lip Balm 999 is not both a velvet finish ipstick in the set and refillable, then it neither is refillable nor has \"rosewood\" in its official description.", "conclusion-FOL": "\u00ac((Lipstick(rougeDiorColoredLipBalm999) \u2227 In(rougeDiorColoredLipBalm999, rougeDiorSet) \u2227 In(rougeDiorColoredLipBalm999, lunarNewYearLimitedEdition) \u2227 VelvetFinish(rougeDiorColoredLipBalm999) \u2227 Refillable(rougeDiorColoredLipBalm999)) \u2192 (\u00acRefillable(rougeDiorColoredLipBalm999) \u2227 \u00acRosewoodInDescription(rougeDiorColoredLipBalm999)))", "label": "True", "example_id": 1071} +{"story_id": 395, "premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", "premises-FOL": "\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 VelvetFinish(x)) \u2192 Refillable(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (VelvetFinish(x) \u2295 SatinFinish(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 SatinFinish(x)) \u2192 \u00acRosewoodInDescription(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (RosewoodInDescription(x) \u2295 \u00acRosewoodInDescription(x)))\nLipstick(rougeDiorColoredLipBalm999) \u2227 In(rougeDiorColoredLipBalm999, rougeDiorSet) \u2227 In(rougeDiorColoredLipBalm999, lunarNewYearLimitedEdition) \u2227 (RosewoodInDescription(rougeDiorColoredLipBalm999) \u2295 VelvetFinish(rougeDiorColoredLipBalm999))", "conclusion": "If ROUGE Dior Colored Lip Balm 999 is refillable and has \"rosewood\" in its official description, then it either has a velvet-finish or has \"rosewood\" in its official description.", "conclusion-FOL": "(Refillable(rougeDiorColoredLipBalm999) \u2227 RosewoodInDescription(rougeDiorColoredLipBalm999)) \u2014> (VelvetFinish(rougeDiorColoredLipBalm999) \u2228 RosewoodInDescription(rougeDiorColoredLipBalm999))", "label": "False", "example_id": 1072} +{"story_id": 395, "premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", "premises-FOL": "\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 VelvetFinish(x)) \u2192 Refillable(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (VelvetFinish(x) \u2295 SatinFinish(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 SatinFinish(x)) \u2192 \u00acRosewoodInDescription(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (RosewoodInDescription(x) \u2295 \u00acRosewoodInDescription(x)))\nLipstick(rougeDiorColoredLipBalm999) \u2227 In(rougeDiorColoredLipBalm999, rougeDiorSet) \u2227 In(rougeDiorColoredLipBalm999, lunarNewYearLimitedEdition) \u2227 (RosewoodInDescription(rougeDiorColoredLipBalm999) \u2295 VelvetFinish(rougeDiorColoredLipBalm999))", "conclusion": "If ROUGE Dior Colored Lip Balm 999 either does not have \"rosewood\" in its official description or is refillable, then it has \"rosewood\" in its official description.", "conclusion-FOL": "(\u00acRosewoodInDescription(rougeEDiorColoredLipBalm999) \u2295 Refillable(rougeDiorColoredLipBalm999)) \u2192 RosewoodInDescription(rougeDiorColoredLipBalm999)", "label": "False", "example_id": 1073} +{"story_id": 395, "premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", "premises-FOL": "\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 VelvetFinish(x)) \u2192 Refillable(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (VelvetFinish(x) \u2295 SatinFinish(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 SatinFinish(x)) \u2192 \u00acRosewoodInDescription(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (RosewoodInDescription(x) \u2295 \u00acRosewoodInDescription(x)))\nLipstick(rougeDiorColoredLipBalm999) \u2227 In(rougeDiorColoredLipBalm999, rougeDiorSet) \u2227 In(rougeDiorColoredLipBalm999, lunarNewYearLimitedEdition) \u2227 (RosewoodInDescription(rougeDiorColoredLipBalm999) \u2295 VelvetFinish(rougeDiorColoredLipBalm999))", "conclusion": "If ROUGE Dior Colored Lip Balm 999 either does not have \"rosewood\" in its official description or is refillable, then it neither has a satin-finish nor has \"rosewood\" in its official description.", "conclusion-FOL": "(RosewoodInDescription(rougeDiorColoredLipBalm999) \u2295 Refillable(rougeDiorColoredLipBalm999)) \u2192 \u00ac(SatinFinish(rougeDiorColoredLipBalm999) \u2228 RosewoodInDescription(rougeDiorColoredLipBalm999))", "label": "False", "example_id": 1074} +{"story_id": 395, "premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", "premises-FOL": "\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 VelvetFinish(x)) \u2192 Refillable(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (VelvetFinish(x) \u2295 SatinFinish(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition) \u2227 SatinFinish(x)) \u2192 \u00acRosewoodInDescription(x))\n\u2200x ((Lipstick(x) \u2227 In(x, rougeDiorSet) \u2227 In(x, lunarNewYearLimitedEdition)) \u2192 (RosewoodInDescription(x) \u2295 \u00acRosewoodInDescription(x)))\nLipstick(rougeDiorColoredLipBalm999) \u2227 In(rougeDiorColoredLipBalm999, rougeDiorSet) \u2227 In(rougeDiorColoredLipBalm999, lunarNewYearLimitedEdition) \u2227 (RosewoodInDescription(rougeDiorColoredLipBalm999) \u2295 VelvetFinish(rougeDiorColoredLipBalm999))", "conclusion": "If ROUGE Dior Colored Lip Balm 999 is refillable or has \"rosewood\" in its official description, then it either is refillable or has \"rosewood\" in its official description..", "conclusion-FOL": "(Refillable(rougeDiorColoredLipBalm999) \u2228 RosewoodInDescription(rougeDiorColoredLipBalm999)) \u2192 (Refillable(rougeEDiorColoredLipBalm999) \u2295 RosewoodInDescription(rougeDiorColoredLipBalm999))", "label": "False", "example_id": 1075} +{"story_id": 265, "premises": "All Senate Republicans are elected officials.\nSome elected officials are not conservatives.", "premises-FOL": "\u2200x (SenateRepublican(x) \u2192 ElectedOfficial(x))\n\u2203x \u2203y (ElectedOfficial(x) \u2227 ElectedOfficial(y) \u2227 \u00acConservative(x) \u2227 \u00acConservative(y) \u2227 \u00ac(x=y))", "conclusion": "Some conservatives are not Senate Republicans.", "conclusion-FOL": "\u2203x \u2203y (Conservative(x) \u2227 Conservative(y) \u2227 \u00acSenateRepublican(x) \u2227 \u00acSenateRepublican(y) \u2227 \u00ac(x=y))", "label": "Uncertain", "example_id": 709} +{"story_id": 337, "premises": "No athletes never exercise.\nAll professional basketball players are athletes. \nAll NBA players are professional basketball players. \nAll Knicks players are NBA players. \nEither John is a professional basketball player and he never exercises, or he is not a professional basketball player and he sometimes exercises.", "premises-FOL": "\u2200x (Athlete(x) \u2192 \u00acNeverExercises(x)) Never: does not exist a time\n\u2200x (ProfessionalBasketballPlayer(x) \u2192 Athlete(x))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\n\u2200x (KnicksPlayer(x) \u2192 NBAPlayer(x))\n\u00ac(ProfessionalBasketballPlayer(jim) \u2295 NeverExercises(jim))", "conclusion": "Jim is a Knicks player.", "conclusion-FOL": "KnicksPlayer(jim)", "label": "False", "example_id": 881} +{"story_id": 337, "premises": "No athletes never exercise.\nAll professional basketball players are athletes. \nAll NBA players are professional basketball players. \nAll Knicks players are NBA players. \nEither John is a professional basketball player and he never exercises, or he is not a professional basketball player and he sometimes exercises.", "premises-FOL": "\u2200x (Athlete(x) \u2192 \u00acNeverExercises(x)) Never: does not exist a time\n\u2200x (ProfessionalBasketballPlayer(x) \u2192 Athlete(x))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\n\u2200x (KnicksPlayer(x) \u2192 NBAPlayer(x))\n\u00ac(ProfessionalBasketballPlayer(jim) \u2295 NeverExercises(jim))", "conclusion": "Jim is not a Knicks player.", "conclusion-FOL": "\u00acKnicksPlayer(jim)", "label": "True", "example_id": 882} +{"story_id": 337, "premises": "No athletes never exercise.\nAll professional basketball players are athletes. \nAll NBA players are professional basketball players. \nAll Knicks players are NBA players. \nEither John is a professional basketball player and he never exercises, or he is not a professional basketball player and he sometimes exercises.", "premises-FOL": "\u2200x (Athlete(x) \u2192 \u00acNeverExercises(x)) Never: does not exist a time\n\u2200x (ProfessionalBasketballPlayer(x) \u2192 Athlete(x))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\n\u2200x (KnicksPlayer(x) \u2192 NBAPlayer(x))\n\u00ac(ProfessionalBasketballPlayer(jim) \u2295 NeverExercises(jim))", "conclusion": "Jim is an athlete.", "conclusion-FOL": "Athlete(jim)", "label": "Uncertain", "example_id": 883} +{"story_id": 345, "premises": "All kids are young.\nAll toddlers are kids.\nIf someone is young, then they are not elderly.\nAll pirates are seafarers.\nIf Nancy is not a pirate, then Nancy is young.\nIf Nancy is not a toddler, then Nancy is a seafarer.", "premises-FOL": "\u2200x (Kid(x) \u2192 Young(x))\n\u2200x (Toddler(x) \u2192 Kid(x))\n\u2200x (Young(x) \u2192 \u00acElderly(x))\n\u2200x (Pirate(x) \u2192 Seafarer(x))\n\u00acPirate(nancy) \u2192 Young(nancy)\n\u00acToddler(nancy) \u2192 Seafarer(nancy)", "conclusion": "Nancy is a pirate.", "conclusion-FOL": "Pirate(nancy)", "label": "Uncertain", "example_id": 910} +{"story_id": 345, "premises": "All kids are young.\nAll toddlers are kids.\nIf someone is young, then they are not elderly.\nAll pirates are seafarers.\nIf Nancy is not a pirate, then Nancy is young.\nIf Nancy is not a toddler, then Nancy is a seafarer.", "premises-FOL": "\u2200x (Kid(x) \u2192 Young(x))\n\u2200x (Toddler(x) \u2192 Kid(x))\n\u2200x (Young(x) \u2192 \u00acElderly(x))\n\u2200x (Pirate(x) \u2192 Seafarer(x))\n\u00acPirate(nancy) \u2192 Young(nancy)\n\u00acToddler(nancy) \u2192 Seafarer(nancy)", "conclusion": "Nancy is either both a pirate and a toddler, or neither a pirate nor a toddler.", "conclusion-FOL": "\u00ac(Pirate(nancy) \u2295 Toddler(nancy))", "label": "False", "example_id": 911} +{"story_id": 345, "premises": "All kids are young.\nAll toddlers are kids.\nIf someone is young, then they are not elderly.\nAll pirates are seafarers.\nIf Nancy is not a pirate, then Nancy is young.\nIf Nancy is not a toddler, then Nancy is a seafarer.", "premises-FOL": "\u2200x (Kid(x) \u2192 Young(x))\n\u2200x (Toddler(x) \u2192 Kid(x))\n\u2200x (Young(x) \u2192 \u00acElderly(x))\n\u2200x (Pirate(x) \u2192 Seafarer(x))\n\u00acPirate(nancy) \u2192 Young(nancy)\n\u00acToddler(nancy) \u2192 Seafarer(nancy)", "conclusion": "If Nancy is not either a pirate or a toddler, then she is young and is a kid.", "conclusion-FOL": "\u00ac(Pirate(nancy) \u2295 Toddler(nancy)) \u2192 Young(nancy) \u2227 Kid(nancy)", "label": "True", "example_id": 912} +{"story_id": 68, "premises": "Lana Wilson directed After Tiller, The Departure, and Miss Americana.\nIf a film is directed by a person, the person is a filmmaker.\nAfter Tiller is a documentary.\nThe documentary is a type of film.\nLana Wilson is from Kirkland.\nKirkland is a US city.\nIf a person is from a city in a country, the person is from the country.\nAfter Tiller is nominated for the Independent Spirit Award for Best Documentary.", "premises-FOL": "DirectedBy(afterTiller, lanaWilson) \u2227 DirectedBy(theDeparture, lanaWilson) \u2227 DirectedBy(missAmericana, lanaWilson)\n\u2200x \u2200y (DirectedBy(x, y) \u2192 Filmmaker(y))\nDocumentary(afterTiller)\n\u2200x (Documentary(x) \u2192 Film(x))\nFrom(lanaWilson, kirkland)\nIn(kirkland, unitedStates)\n\u2200x \u2200y \u2200z ((From(x, y) \u2227 In(y, z)) \u2192 From(x, z))\nNomination(afterTiller, theIndependentSpiritAwardForBestDocumentary)", "conclusion": "Lana Wilson is a US filmmaker.", "conclusion-FOL": "From(lanaWilson, unitedStates) \u2227 Filmmaker(lanaWilson)", "label": "True", "example_id": 201} +{"story_id": 68, "premises": "Lana Wilson directed After Tiller, The Departure, and Miss Americana.\nIf a film is directed by a person, the person is a filmmaker.\nAfter Tiller is a documentary.\nThe documentary is a type of film.\nLana Wilson is from Kirkland.\nKirkland is a US city.\nIf a person is from a city in a country, the person is from the country.\nAfter Tiller is nominated for the Independent Spirit Award for Best Documentary.", "premises-FOL": "DirectedBy(afterTiller, lanaWilson) \u2227 DirectedBy(theDeparture, lanaWilson) \u2227 DirectedBy(missAmericana, lanaWilson)\n\u2200x \u2200y (DirectedBy(x, y) \u2192 Filmmaker(y))\nDocumentary(afterTiller)\n\u2200x (Documentary(x) \u2192 Film(x))\nFrom(lanaWilson, kirkland)\nIn(kirkland, unitedStates)\n\u2200x \u2200y \u2200z ((From(x, y) \u2227 In(y, z)) \u2192 From(x, z))\nNomination(afterTiller, theIndependentSpiritAwardForBestDocumentary)", "conclusion": "Miss Americana is not directed by a filmmaker from Kirkland.", "conclusion-FOL": "\u00ac\u2203x(Filmmaker(x) \u2227 From(x, kirkland) \u2227 DirectedBy(missAmericana, x))", "label": "False", "example_id": 202} +{"story_id": 68, "premises": "Lana Wilson directed After Tiller, The Departure, and Miss Americana.\nIf a film is directed by a person, the person is a filmmaker.\nAfter Tiller is a documentary.\nThe documentary is a type of film.\nLana Wilson is from Kirkland.\nKirkland is a US city.\nIf a person is from a city in a country, the person is from the country.\nAfter Tiller is nominated for the Independent Spirit Award for Best Documentary.", "premises-FOL": "DirectedBy(afterTiller, lanaWilson) \u2227 DirectedBy(theDeparture, lanaWilson) \u2227 DirectedBy(missAmericana, lanaWilson)\n\u2200x \u2200y (DirectedBy(x, y) \u2192 Filmmaker(y))\nDocumentary(afterTiller)\n\u2200x (Documentary(x) \u2192 Film(x))\nFrom(lanaWilson, kirkland)\nIn(kirkland, unitedStates)\n\u2200x \u2200y \u2200z ((From(x, y) \u2227 In(y, z)) \u2192 From(x, z))\nNomination(afterTiller, theIndependentSpiritAwardForBestDocumentary)", "conclusion": "Lana Wilson has won the Independent Spirit Award.", "conclusion-FOL": "FilmmakerAward(lanaWilson, theIndependentSpiritAwardForBestDocumentary)", "label": "Uncertain", "example_id": 203} +{"story_id": 281, "premises": "All bears in zoos are not wild. \nSome bears are in zoos. ", "premises-FOL": "\u2200x ((Bear(x) \u2227 In(x, zoo)) \u2192 \u00acWild(x))\n\u2203x \u2203y (Bear(x) \u2227 Bear(y) \u2227 In(x, zoo) \u2227 In(y, zoo) \u2227 \u00ac(x=y))", "conclusion": "Not all bears are wild.", "conclusion-FOL": "\u2203x (Bear(x) \u2227 \u00acWild(x))", "label": "True", "example_id": 725} +{"story_id": 56, "premises": "If a person is the leader of a country for life, that person has power.\nLeaders of a country for life are either a king or a queen.\nQueens are female.\nKings are male. \nElizabeth is a queen.\nElizabeth is a leader of a country for life.", "premises-FOL": "\u2200x (Leader(x) \u2192 HavePower(x))\n\u2200x (Leader(x) \u2192 (King(x) \u2295 Queen(x)))\n\u2200x (Queen(x) \u2192 Female(x))\n\u2200x (King(x) \u2192 Male(x))\nQueen(elizabeth)\nLeader(elizabeth)", "conclusion": "Elizabeth is a king.", "conclusion-FOL": "King(elizabeth)", "label": "False", "example_id": 165} +{"story_id": 56, "premises": "If a person is the leader of a country for life, that person has power.\nLeaders of a country for life are either a king or a queen.\nQueens are female.\nKings are male. \nElizabeth is a queen.\nElizabeth is a leader of a country for life.", "premises-FOL": "\u2200x (Leader(x) \u2192 HavePower(x))\n\u2200x (Leader(x) \u2192 (King(x) \u2295 Queen(x)))\n\u2200x (Queen(x) \u2192 Female(x))\n\u2200x (King(x) \u2192 Male(x))\nQueen(elizabeth)\nLeader(elizabeth)", "conclusion": "Elizabeth has power.", "conclusion-FOL": "HavePower(elizabeth)", "label": "True", "example_id": 166} +{"story_id": 56, "premises": "If a person is the leader of a country for life, that person has power.\nLeaders of a country for life are either a king or a queen.\nQueens are female.\nKings are male. \nElizabeth is a queen.\nElizabeth is a leader of a country for life.", "premises-FOL": "\u2200x (Leader(x) \u2192 HavePower(x))\n\u2200x (Leader(x) \u2192 (King(x) \u2295 Queen(x)))\n\u2200x (Queen(x) \u2192 Female(x))\n\u2200x (King(x) \u2192 Male(x))\nQueen(elizabeth)\nLeader(elizabeth)", "conclusion": "Elizabeth is a leader of a country for life.", "conclusion-FOL": "Leader(elizabeth)", "label": "True", "example_id": 167} +{"story_id": 367, "premises": "All people who went to Clay's school and who make their own matcha teas every morning with ceremonial-grade matcha powder do not wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school, who live in California, and attend yoga classes regularly, make their own matcha teas every morning with ceremonial-grade matcha powder.\nAll people who went to Clay's school, and work in the entertainment industry as high-profile celebrities, wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school that do not have regular 9-5 jobs, work in the entertainment industry as high-profile celebrities.\nAll people who went to Clay's school and prefer working at home over going to the office daily do not have regular 9-5 jobs.\nBunny went to Clay's school, and she either prefers to work at home over going to the office and makes her own matcha teas every morning with ceremonial-grade matcha powder, or does not prefer to work at home over going to the office every day and does not make her own matcha teas every morning with ceremonial-grade matcha powder.", "premises-FOL": "\u2200x (GoTo(x, claysSchool) \u2227 MakeWith(x, theirOwnMatchTea, ceremonialGradePowder) \u2192 \u00ac(WakeUpLate(x) \u2227 StartPastNoonRegularly(x, schedule)))\n\u2200x (GoTo(x, claysSchool) \u2227 LiveIn(x, california) \u2227 AttendRegularly(x, yogaClass) \u2192 MakeWith(x, ownMatch, ceremonialGradePowder))\n\u2200x (GoTo(x, claysSchool) \u2227 WorkInAs(x, entertainmentIndustry, highProfileCelebrity) \u2192 (WakeUpLate(x) \u2227 StartPastNoonRegularly(x, schedule)))\n\u2200x (GoTo(x, claysSchool) \u2227 \u00ac(Have(x, y) \u2227 Regular(y) \u2227 NineToFiveJob(y)) \u2192 WorkInAs(x, entertainmentIndustry, highProfileCelebrity))\n\u2200x (GoTo(x, claysSchool) \u2227 Prefer(x, workingAtHome, goingToTheOffice) \u2192 \u00ac(Have(x, y) \u2227 Regular(y) \u2227 NineToFiveJob(y)))\nGoTo(bunny, claysSchool) \u2227 \u00ac(Prefer(bunny, workingAtHome, goingToTheOffice) \u2295 MakeWith(bunny, theirOwnMatchTea, ceremonialGradePowder))", "conclusion": "Bunny does not have a regular 9-5 job.", "conclusion-FOL": "Have(bunny, y) \u2227 Regular(y) \u2227 NineToFiveJob(y)", "label": "Uncertain", "example_id": 976} +{"story_id": 367, "premises": "All people who went to Clay's school and who make their own matcha teas every morning with ceremonial-grade matcha powder do not wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school, who live in California, and attend yoga classes regularly, make their own matcha teas every morning with ceremonial-grade matcha powder.\nAll people who went to Clay's school, and work in the entertainment industry as high-profile celebrities, wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school that do not have regular 9-5 jobs, work in the entertainment industry as high-profile celebrities.\nAll people who went to Clay's school and prefer working at home over going to the office daily do not have regular 9-5 jobs.\nBunny went to Clay's school, and she either prefers to work at home over going to the office and makes her own matcha teas every morning with ceremonial-grade matcha powder, or does not prefer to work at home over going to the office every day and does not make her own matcha teas every morning with ceremonial-grade matcha powder.", "premises-FOL": "\u2200x (GoTo(x, claysSchool) \u2227 MakeWith(x, theirOwnMatchTea, ceremonialGradePowder) \u2192 \u00ac(WakeUpLate(x) \u2227 StartPastNoonRegularly(x, schedule)))\n\u2200x (GoTo(x, claysSchool) \u2227 LiveIn(x, california) \u2227 AttendRegularly(x, yogaClass) \u2192 MakeWith(x, ownMatch, ceremonialGradePowder))\n\u2200x (GoTo(x, claysSchool) \u2227 WorkInAs(x, entertainmentIndustry, highProfileCelebrity) \u2192 (WakeUpLate(x) \u2227 StartPastNoonRegularly(x, schedule)))\n\u2200x (GoTo(x, claysSchool) \u2227 \u00ac(Have(x, y) \u2227 Regular(y) \u2227 NineToFiveJob(y)) \u2192 WorkInAs(x, entertainmentIndustry, highProfileCelebrity))\n\u2200x (GoTo(x, claysSchool) \u2227 Prefer(x, workingAtHome, goingToTheOffice) \u2192 \u00ac(Have(x, y) \u2227 Regular(y) \u2227 NineToFiveJob(y)))\nGoTo(bunny, claysSchool) \u2227 \u00ac(Prefer(bunny, workingAtHome, goingToTheOffice) \u2295 MakeWith(bunny, theirOwnMatchTea, ceremonialGradePowder))", "conclusion": "Bunny went to Clay's school and she lives in California and attends yoga classes regularly.", "conclusion-FOL": "LiveIn(bunny, california) \u2227 AttendRegularly(bunny, yogaClass)", "label": "False", "example_id": 977} +{"story_id": 367, "premises": "All people who went to Clay's school and who make their own matcha teas every morning with ceremonial-grade matcha powder do not wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school, who live in California, and attend yoga classes regularly, make their own matcha teas every morning with ceremonial-grade matcha powder.\nAll people who went to Clay's school, and work in the entertainment industry as high-profile celebrities, wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school that do not have regular 9-5 jobs, work in the entertainment industry as high-profile celebrities.\nAll people who went to Clay's school and prefer working at home over going to the office daily do not have regular 9-5 jobs.\nBunny went to Clay's school, and she either prefers to work at home over going to the office and makes her own matcha teas every morning with ceremonial-grade matcha powder, or does not prefer to work at home over going to the office every day and does not make her own matcha teas every morning with ceremonial-grade matcha powder.", "premises-FOL": "\u2200x (GoTo(x, claysSchool) \u2227 MakeWith(x, theirOwnMatchTea, ceremonialGradePowder) \u2192 \u00ac(WakeUpLate(x) \u2227 StartPastNoonRegularly(x, schedule)))\n\u2200x (GoTo(x, claysSchool) \u2227 LiveIn(x, california) \u2227 AttendRegularly(x, yogaClass) \u2192 MakeWith(x, ownMatch, ceremonialGradePowder))\n\u2200x (GoTo(x, claysSchool) \u2227 WorkInAs(x, entertainmentIndustry, highProfileCelebrity) \u2192 (WakeUpLate(x) \u2227 StartPastNoonRegularly(x, schedule)))\n\u2200x (GoTo(x, claysSchool) \u2227 \u00ac(Have(x, y) \u2227 Regular(y) \u2227 NineToFiveJob(y)) \u2192 WorkInAs(x, entertainmentIndustry, highProfileCelebrity))\n\u2200x (GoTo(x, claysSchool) \u2227 Prefer(x, workingAtHome, goingToTheOffice) \u2192 \u00ac(Have(x, y) \u2227 Regular(y) \u2227 NineToFiveJob(y)))\nGoTo(bunny, claysSchool) \u2227 \u00ac(Prefer(bunny, workingAtHome, goingToTheOffice) \u2295 MakeWith(bunny, theirOwnMatchTea, ceremonialGradePowder))", "conclusion": "Bunny went to Clay's school and she neither prefers working at home over going to the office nor lives in California and attends yoga classes regularly.", "conclusion-FOL": "\u00ac(Prefer(bunny, workingAtHome, goingToTheOffice) \u2228 (LiveIn(bunny, california) \u2227 AttendRegularly(bunny, yogaClass)))", "label": "True", "example_id": 978} +{"story_id": 19, "premises": "Thomas Barber was an English professional footballer.\nThomas Barber played in the Football League for Aston Villa.\nThomas Barber played as a halfback and inside left.\nThomas Barber scored the winning goal in the 1913 FA Cup Final.", "premises-FOL": "English(thomasBarber) \u2227 ProfessionalFootballer(thomasBarber)\nPlayedFor(thomasBarber, astonVilla) \u2227 PlayedIn(astonVilla,theFootballLeague)\nPlayedAs(thomasBarber, halfBack) \u2227 PlayedAs(thomasBarber, insideLeft)\nScoredTheWinningGoalIn(thomasBarber, facupfinal1913)", "conclusion": "Thomas Barber played in the Football League for Bolton Wanderers", "conclusion-FOL": "PlayedFor(thomasBarber, boltonWanderers) \u2227 PlayedIn(boltonWanderers,theFootballLeague)", "label": "Uncertain", "example_id": 54} +{"story_id": 19, "premises": "Thomas Barber was an English professional footballer.\nThomas Barber played in the Football League for Aston Villa.\nThomas Barber played as a halfback and inside left.\nThomas Barber scored the winning goal in the 1913 FA Cup Final.", "premises-FOL": "English(thomasBarber) \u2227 ProfessionalFootballer(thomasBarber)\nPlayedFor(thomasBarber, astonVilla) \u2227 PlayedIn(astonVilla,theFootballLeague)\nPlayedAs(thomasBarber, halfBack) \u2227 PlayedAs(thomasBarber, insideLeft)\nScoredTheWinningGoalIn(thomasBarber, facupfinal1913)", "conclusion": "Thomas Barber played as an inside left.", "conclusion-FOL": "PlayedAs(thomasBarber, insideLeft)", "label": "True", "example_id": 55} +{"story_id": 19, "premises": "Thomas Barber was an English professional footballer.\nThomas Barber played in the Football League for Aston Villa.\nThomas Barber played as a halfback and inside left.\nThomas Barber scored the winning goal in the 1913 FA Cup Final.", "premises-FOL": "English(thomasBarber) \u2227 ProfessionalFootballer(thomasBarber)\nPlayedFor(thomasBarber, astonVilla) \u2227 PlayedIn(astonVilla,theFootballLeague)\nPlayedAs(thomasBarber, halfBack) \u2227 PlayedAs(thomasBarber, insideLeft)\nScoredTheWinningGoalIn(thomasBarber, facupfinal1913)", "conclusion": "An English professional footballer scored the winning goal in the 1913 FA Cup Final.", "conclusion-FOL": "\u2203x (English(x) \u2227 ProfessionalFootballer(x) \u2227 ScoredTheWinningGoalIn(x, facupfinal1913))", "label": "True", "example_id": 56} +{"story_id": 162, "premises": "If a person plays an instrument in a concert, they are good at playing this kind of instrument.\nPeter plays piano, violin, and saxophone.\nPeter plays piano in a concert.\nOliver and Peter both play instruments in a concert.\nOliver plays a different musical instrument from Peter in the concert.", "premises-FOL": "\u2200x \u2200y (PlayIn(y, x, concert) \u2192 GoodAtPlaying(y, x))\nPlay(peter, piano) \u2227 Play(peter, violin) \u2227 Play(peter, saxophone)\nPlayIn(peter, piano, concert)\n\u2203x \u2203y (PlayIn(peter, x, concert) \u2227 PlayIn(oliver, y, concert))\n\u2200x (PlayIn(oliver, x, concert) \u2192 \u00acPlayIn(peter, y, concert))", "conclusion": "Oliver plays piano in the concert.", "conclusion-FOL": "PlayIn(oliver, piano, concert)", "label": "False", "example_id": 464} +{"story_id": 162, "premises": "If a person plays an instrument in a concert, they are good at playing this kind of instrument.\nPeter plays piano, violin, and saxophone.\nPeter plays piano in a concert.\nOliver and Peter both play instruments in a concert.\nOliver plays a different musical instrument from Peter in the concert.", "premises-FOL": "\u2200x \u2200y (PlayIn(y, x, concert) \u2192 GoodAtPlaying(y, x))\nPlay(peter, piano) \u2227 Play(peter, violin) \u2227 Play(peter, saxophone)\nPlayIn(peter, piano, concert)\n\u2203x \u2203y (PlayIn(peter, x, concert) \u2227 PlayIn(oliver, y, concert))\n\u2200x (PlayIn(oliver, x, concert) \u2192 \u00acPlayIn(peter, y, concert))", "conclusion": "Oliver plays violin in the concert.", "conclusion-FOL": "PlayIn(oliver, violin, concert)", "label": "Uncertain", "example_id": 465} +{"story_id": 162, "premises": "If a person plays an instrument in a concert, they are good at playing this kind of instrument.\nPeter plays piano, violin, and saxophone.\nPeter plays piano in a concert.\nOliver and Peter both play instruments in a concert.\nOliver plays a different musical instrument from Peter in the concert.", "premises-FOL": "\u2200x \u2200y (PlayIn(y, x, concert) \u2192 GoodAtPlaying(y, x))\nPlay(peter, piano) \u2227 Play(peter, violin) \u2227 Play(peter, saxophone)\nPlayIn(peter, piano, concert)\n\u2203x \u2203y (PlayIn(peter, x, concert) \u2227 PlayIn(oliver, y, concert))\n\u2200x (PlayIn(oliver, x, concert) \u2192 \u00acPlayIn(peter, y, concert))", "conclusion": "Peter is good at playing piano.", "conclusion-FOL": "GoodAtPlaying(peter, piano)", "label": "True", "example_id": 466} +{"story_id": 454, "premises": "Functional brainstems are necessary for breath control.\nAll humans that can swim can control their breath. \nHumans can swim or walk. \nHumans who can walk can stand on the ground by themselves. \nHumans whose brainstems are functional can control their balance.\nEvery human who can stand on the ground by themselves has functional leg muscles. \nGeorge and Archie are humans.\nGeorge can control his balance and can swim.\nArchie can walk if and only if he has functional brainstems.", "premises-FOL": "\u2200x (CanControl(x, breath) \u2192 FunctionalBrainStem(x))\n\u2200x (Human(x) \u2227 CanSwim(x) \u2192 CanControl(x, breath))\n\u2200x (Human(x) \u2192 (CanSwim(x) \u2228 CanWalk(x)))\n\u2200x (Human(x) \u2227 CanWalk(x) \u2192 CanStandOnTheGround(x, themselves))\n\u2200x (Human(x) \u2227 FunctionalBrainStem(x) \u2192 CanControl(x, balance))\n\u2200x (Human(x) \u2227 CanStandOnTheGround(x, themselves) \u2192 FunctionalLegMuscle(x)))\nHuman(george) \u2227 Human(archie)\nCanControl(george, balance) \u2227 CanSwim(george)\n\u00ac(CanWalk(archie) \u2295 FunctionalBrainStem(x))\n", "conclusion": "George has functional leg muscles.", "conclusion-FOL": "FunctionalLegMuscle(archie)", "label": "Uncertain", "example_id": 1307} +{"story_id": 454, "premises": "Functional brainstems are necessary for breath control.\nAll humans that can swim can control their breath. \nHumans can swim or walk. \nHumans who can walk can stand on the ground by themselves. \nHumans whose brainstems are functional can control their balance.\nEvery human who can stand on the ground by themselves has functional leg muscles. \nGeorge and Archie are humans.\nGeorge can control his balance and can swim.\nArchie can walk if and only if he has functional brainstems.", "premises-FOL": "\u2200x (CanControl(x, breath) \u2192 FunctionalBrainStem(x))\n\u2200x (Human(x) \u2227 CanSwim(x) \u2192 CanControl(x, breath))\n\u2200x (Human(x) \u2192 (CanSwim(x) \u2228 CanWalk(x)))\n\u2200x (Human(x) \u2227 CanWalk(x) \u2192 CanStandOnTheGround(x, themselves))\n\u2200x (Human(x) \u2227 FunctionalBrainStem(x) \u2192 CanControl(x, balance))\n\u2200x (Human(x) \u2227 CanStandOnTheGround(x, themselves) \u2192 FunctionalLegMuscle(x)))\nHuman(george) \u2227 Human(archie)\nCanControl(george, balance) \u2227 CanSwim(george)\n\u00ac(CanWalk(archie) \u2295 FunctionalBrainStem(x))\n", "conclusion": "Archie has functional leg muscles and can control his balance.", "conclusion-FOL": "FunctionalLegMuscle(archie) \u2227 CanControl(archie, balance)", "label": "True", "example_id": 1308} +{"story_id": 454, "premises": "Functional brainstems are necessary for breath control.\nAll humans that can swim can control their breath. \nHumans can swim or walk. \nHumans who can walk can stand on the ground by themselves. \nHumans whose brainstems are functional can control their balance.\nEvery human who can stand on the ground by themselves has functional leg muscles. \nGeorge and Archie are humans.\nGeorge can control his balance and can swim.\nArchie can walk if and only if he has functional brainstems.", "premises-FOL": "\u2200x (CanControl(x, breath) \u2192 FunctionalBrainStem(x))\n\u2200x (Human(x) \u2227 CanSwim(x) \u2192 CanControl(x, breath))\n\u2200x (Human(x) \u2192 (CanSwim(x) \u2228 CanWalk(x)))\n\u2200x (Human(x) \u2227 CanWalk(x) \u2192 CanStandOnTheGround(x, themselves))\n\u2200x (Human(x) \u2227 FunctionalBrainStem(x) \u2192 CanControl(x, balance))\n\u2200x (Human(x) \u2227 CanStandOnTheGround(x, themselves) \u2192 FunctionalLegMuscle(x)))\nHuman(george) \u2227 Human(archie)\nCanControl(george, balance) \u2227 CanSwim(george)\n\u00ac(CanWalk(archie) \u2295 FunctionalBrainStem(x))\n", "conclusion": "Archie cannot control his balance and doesn't have functional leg muscles.", "conclusion-FOL": "\u00acCanControl(archie, balance) \u2227 \u00acFunctionalLegMuscle(x)", "label": "False", "example_id": 1309} +{"story_id": 236, "premises": "Cancer biology is finding genetic alterations that confer a selective advantage to cancer cells. \nCancer researchers have frequently ranked the importance of substitutions to cancer growth by the P value.\nP values are thresholds for belief, not metrics of effect. ", "premises-FOL": "Finding(cancerBiology, geneticAlteration) \u2227 Confer(geneticAlteration, selectiveAdvantage, toCancerCell)\n\u2203x \u2203y (CancerResearcher(x) \u2227 Ranked(x, importanceOfSubstitutionsToCancerGrowth) \u2227 PValue(y) \u2227 RankedBy(importanceOfSubstitutionsToCancerGrowth, y))\n\u2200x (PValue(x) \u2192 ThresholdForBelief(x) \u2227 \u00acMetricOfEffect(x))", "conclusion": "Cancer researchers tend to use the cancer effect size to determine the relative importance of the genetic alterations that confer selective advantage to cancer cells.", "conclusion-FOL": "\u2203x \u2203y (CancerResearcher(x) \u2227 Use(x, cancerEffectSize) \u2227 UsedToDetermine(cancerEffectSize, relativeImportanceOfGeneteticAlterations))", "label": "Uncertain", "example_id": 668} +{"story_id": 236, "premises": "Cancer biology is finding genetic alterations that confer a selective advantage to cancer cells. \nCancer researchers have frequently ranked the importance of substitutions to cancer growth by the P value.\nP values are thresholds for belief, not metrics of effect. ", "premises-FOL": "Finding(cancerBiology, geneticAlteration) \u2227 Confer(geneticAlteration, selectiveAdvantage, toCancerCell)\n\u2203x \u2203y (CancerResearcher(x) \u2227 Ranked(x, importanceOfSubstitutionsToCancerGrowth) \u2227 PValue(y) \u2227 RankedBy(importanceOfSubstitutionsToCancerGrowth, y))\n\u2200x (PValue(x) \u2192 ThresholdForBelief(x) \u2227 \u00acMetricOfEffect(x))", "conclusion": "P value represents the selection intensity for somatic variants in cancer cell lineages.", "conclusion-FOL": "SelectionIntensitySomaticVariants(pValue)", "label": "Uncertain", "example_id": 669} +{"story_id": 236, "premises": "Cancer biology is finding genetic alterations that confer a selective advantage to cancer cells. \nCancer researchers have frequently ranked the importance of substitutions to cancer growth by the P value.\nP values are thresholds for belief, not metrics of effect. ", "premises-FOL": "Finding(cancerBiology, geneticAlteration) \u2227 Confer(geneticAlteration, selectiveAdvantage, toCancerCell)\n\u2203x \u2203y (CancerResearcher(x) \u2227 Ranked(x, importanceOfSubstitutionsToCancerGrowth) \u2227 PValue(y) \u2227 RankedBy(importanceOfSubstitutionsToCancerGrowth, y))\n\u2200x (PValue(x) \u2192 ThresholdForBelief(x) \u2227 \u00acMetricOfEffect(x))", "conclusion": "Cancer effect size is preferred by cancer researchers.", "conclusion-FOL": "Preferred(cancerResearchers, cancerEffectSize)", "label": "Uncertain", "example_id": 670} +{"story_id": 236, "premises": "Cancer biology is finding genetic alterations that confer a selective advantage to cancer cells. \nCancer researchers have frequently ranked the importance of substitutions to cancer growth by the P value.\nP values are thresholds for belief, not metrics of effect. ", "premises-FOL": "Finding(cancerBiology, geneticAlteration) \u2227 Confer(geneticAlteration, selectiveAdvantage, toCancerCell)\n\u2203x \u2203y (CancerResearcher(x) \u2227 Ranked(x, importanceOfSubstitutionsToCancerGrowth) \u2227 PValue(y) \u2227 RankedBy(importanceOfSubstitutionsToCancerGrowth, y))\n\u2200x (PValue(x) \u2192 ThresholdForBelief(x) \u2227 \u00acMetricOfEffect(x))", "conclusion": "P values don't represent metrics of effect.", "conclusion-FOL": "\u2200x (PValue(x) \u2192 \u00acMetricsOfEffect(x))", "label": "True", "example_id": 671} +{"story_id": 481, "premises": "All biodegradable things are environment-friendly. \nAll woodware is biodegradable.\nAll paper is woodware. \nNothing is a good thing and also a bad thing.\nAll environment-friendly things are good.\nA worksheet is either paper or environment-friendly.", "premises-FOL": "\u2200x (Biodegradable(x) \u2192 EnvironmentFriendly(x))\n\u2200x (Woodware(x) \u2192 Biodegradable(x))\n\u2200x (Paper(x) \u2192 Woodware(x))\n\u00ac(\u2203x (Good(x) \u2227 Bad(x)))\n\u2200x (EnvironmentFriendly(x) \u2192 Good(x))\nPaper(worksheet) \u2295 EnvironmentFriendly(worksheet)", "conclusion": "A worksheet is biodegradable.", "conclusion-FOL": "Bioegradable(worksheet)", "label": "Uncertain", "example_id": 1402} +{"story_id": 481, "premises": "All biodegradable things are environment-friendly. \nAll woodware is biodegradable.\nAll paper is woodware. \nNothing is a good thing and also a bad thing.\nAll environment-friendly things are good.\nA worksheet is either paper or environment-friendly.", "premises-FOL": "\u2200x (Biodegradable(x) \u2192 EnvironmentFriendly(x))\n\u2200x (Woodware(x) \u2192 Biodegradable(x))\n\u2200x (Paper(x) \u2192 Woodware(x))\n\u00ac(\u2203x (Good(x) \u2227 Bad(x)))\n\u2200x (EnvironmentFriendly(x) \u2192 Good(x))\nPaper(worksheet) \u2295 EnvironmentFriendly(worksheet)", "conclusion": "A worksheet is not biodegradable.", "conclusion-FOL": "\u00acBioegradable(worksheet)", "label": "Uncertain", "example_id": 1403} +{"story_id": 481, "premises": "All biodegradable things are environment-friendly. \nAll woodware is biodegradable.\nAll paper is woodware. \nNothing is a good thing and also a bad thing.\nAll environment-friendly things are good.\nA worksheet is either paper or environment-friendly.", "premises-FOL": "\u2200x (Biodegradable(x) \u2192 EnvironmentFriendly(x))\n\u2200x (Woodware(x) \u2192 Biodegradable(x))\n\u2200x (Paper(x) \u2192 Woodware(x))\n\u00ac(\u2203x (Good(x) \u2227 Bad(x)))\n\u2200x (EnvironmentFriendly(x) \u2192 Good(x))\nPaper(worksheet) \u2295 EnvironmentFriendly(worksheet)", "conclusion": "A worksheet is bad.", "conclusion-FOL": "Bad(worksheet)", "label": "False", "example_id": 1404} +{"story_id": 481, "premises": "All biodegradable things are environment-friendly. \nAll woodware is biodegradable.\nAll paper is woodware. \nNothing is a good thing and also a bad thing.\nAll environment-friendly things are good.\nA worksheet is either paper or environment-friendly.", "premises-FOL": "\u2200x (Biodegradable(x) \u2192 EnvironmentFriendly(x))\n\u2200x (Woodware(x) \u2192 Biodegradable(x))\n\u2200x (Paper(x) \u2192 Woodware(x))\n\u00ac(\u2203x (Good(x) \u2227 Bad(x)))\n\u2200x (EnvironmentFriendly(x) \u2192 Good(x))\nPaper(worksheet) \u2295 EnvironmentFriendly(worksheet)", "conclusion": "A worksheet is not bad.", "conclusion-FOL": "\u00acBad(worksheet)", "label": "True", "example_id": 1405} +{"story_id": 253, "premises": "No reptile has fur.\nAll snakes are reptiles.", "premises-FOL": "\u2200x (Reptile(x) \u2192 \u00acHave(x, fur))\n\u2200x (Snake(x) \u2192 Reptile(x))", "conclusion": "Some snake has fur.", "conclusion-FOL": "\u2203x (Snake(x) \u2227 Have(x, fur))", "label": "False", "example_id": 697} +{"story_id": 60, "premises": "All buildings in New Haven are not high.\nAll buildings managed by Yale Housing are located in New Haven. \nAll buildings in Manhattans are high. \nAll buildings owned by Bloomberg are located in Manhattans. \nAll buildings with the Bloomberg logo are owned by Bloomberg. \nTower A is managed by Yale Housing.\nTower B is with the Bloomberg logo.", "premises-FOL": "\u2200x (In(x, newHaven) \u2192 \u00acHigh(x))\n\u2200x (YaleHousing(x) \u2192 In(x, newHaven))\n\u2200x (In(x, manhattan) \u2192 High(x))\n\u2200x (Bloomberg(x) \u2192 In(x, manhattan))\n\u2200x (BloombergLogo(x) \u2192 Bloomberg(x))\nYaleHousing(tower-a)\nBloombergLogo(tower-b)", "conclusion": "Tower A is low.", "conclusion-FOL": "\u00acHigh(tower-a)", "label": "True", "example_id": 177} +{"story_id": 60, "premises": "All buildings in New Haven are not high.\nAll buildings managed by Yale Housing are located in New Haven. \nAll buildings in Manhattans are high. \nAll buildings owned by Bloomberg are located in Manhattans. \nAll buildings with the Bloomberg logo are owned by Bloomberg. \nTower A is managed by Yale Housing.\nTower B is with the Bloomberg logo.", "premises-FOL": "\u2200x (In(x, newHaven) \u2192 \u00acHigh(x))\n\u2200x (YaleHousing(x) \u2192 In(x, newHaven))\n\u2200x (In(x, manhattan) \u2192 High(x))\n\u2200x (Bloomberg(x) \u2192 In(x, manhattan))\n\u2200x (BloombergLogo(x) \u2192 Bloomberg(x))\nYaleHousing(tower-a)\nBloombergLogo(tower-b)", "conclusion": "Tower B is not located in Manhattans.", "conclusion-FOL": "\u00acIn(tower-b, manhattan)", "label": "False", "example_id": 178} +{"story_id": 60, "premises": "All buildings in New Haven are not high.\nAll buildings managed by Yale Housing are located in New Haven. \nAll buildings in Manhattans are high. \nAll buildings owned by Bloomberg are located in Manhattans. \nAll buildings with the Bloomberg logo are owned by Bloomberg. \nTower A is managed by Yale Housing.\nTower B is with the Bloomberg logo.", "premises-FOL": "\u2200x (In(x, newHaven) \u2192 \u00acHigh(x))\n\u2200x (YaleHousing(x) \u2192 In(x, newHaven))\n\u2200x (In(x, manhattan) \u2192 High(x))\n\u2200x (Bloomberg(x) \u2192 In(x, manhattan))\n\u2200x (BloombergLogo(x) \u2192 Bloomberg(x))\nYaleHousing(tower-a)\nBloombergLogo(tower-b)", "conclusion": "Tower B is located in New Haven.", "conclusion-FOL": "\u00acIn(tower-b, newHaven)", "label": "False", "example_id": 179} +{"story_id": 453, "premises": "No birds are ectothermic.\nAll penguins are birds.\nAn animal is ectothermic or endothermic.\nAll endothermic animals produce heat within the body.\nRon and Henry are both animals.\nRon is not a bird and does not produce heat with the body. \nHenry is not a cat and does not produce heat with the body. ", "premises-FOL": "\u2200x (Bird(x) \u2192 \u00acEctothermic(x))\n\u2200x (Penguin(x) \u2192 Bird(x))\n\u2200x (Animal(x) \u2192 Ectothermic(x) \u2228 Endothermic(x))\n\u2200x (Endothermic(x) \u2192 ProduceWithIn(x, heat, body))\nAnimal(ron) \u2227 Animal(henry)\n\u00acBird(ron) \u2227 \u00acProduceWithIn(ron, heat, body)\n\u00acCat(henry) \u2227 \u00acProduceWithIn(henry, heat, body)", "conclusion": "Ron is a cat.", "conclusion-FOL": "Cat(ron)", "label": "Uncertain", "example_id": 1304} +{"story_id": 453, "premises": "No birds are ectothermic.\nAll penguins are birds.\nAn animal is ectothermic or endothermic.\nAll endothermic animals produce heat within the body.\nRon and Henry are both animals.\nRon is not a bird and does not produce heat with the body. \nHenry is not a cat and does not produce heat with the body. ", "premises-FOL": "\u2200x (Bird(x) \u2192 \u00acEctothermic(x))\n\u2200x (Penguin(x) \u2192 Bird(x))\n\u2200x (Animal(x) \u2192 Ectothermic(x) \u2228 Endothermic(x))\n\u2200x (Endothermic(x) \u2192 ProduceWithIn(x, heat, body))\nAnimal(ron) \u2227 Animal(henry)\n\u00acBird(ron) \u2227 \u00acProduceWithIn(ron, heat, body)\n\u00acCat(henry) \u2227 \u00acProduceWithIn(henry, heat, body)", "conclusion": "Either Henry is a penguin or Henry is endothermic.", "conclusion-FOL": "Penguin(henry) \u2295 Endothermic(henry)", "label": "False", "example_id": 1305} +{"story_id": 453, "premises": "No birds are ectothermic.\nAll penguins are birds.\nAn animal is ectothermic or endothermic.\nAll endothermic animals produce heat within the body.\nRon and Henry are both animals.\nRon is not a bird and does not produce heat with the body. \nHenry is not a cat and does not produce heat with the body. ", "premises-FOL": "\u2200x (Bird(x) \u2192 \u00acEctothermic(x))\n\u2200x (Penguin(x) \u2192 Bird(x))\n\u2200x (Animal(x) \u2192 Ectothermic(x) \u2228 Endothermic(x))\n\u2200x (Endothermic(x) \u2192 ProduceWithIn(x, heat, body))\nAnimal(ron) \u2227 Animal(henry)\n\u00acBird(ron) \u2227 \u00acProduceWithIn(ron, heat, body)\n\u00acCat(henry) \u2227 \u00acProduceWithIn(henry, heat, body)", "conclusion": "Ron is either both a penguin and endothermic, or he is nether.", "conclusion-FOL": "\u00ac(Penguin(ron) \u2295 Endothermic(henry))", "label": "True", "example_id": 1306} +{"story_id": 73, "premises": "Ambiortus is a prehistoric bird genus.\nAmbiortus Dementjevi is the only known species of Ambiortus.\nMongolia was where Ambiortus Dementjevi lived.\nYevgeny Kurochkin was the discoverer of Ambiortus.", "premises-FOL": "Prehistoric(ambiortus) \u2227 BirdGenus(ambiortus)\n\u2200x(KnownSpeciesOf(x, ambiortus) \u2192 IsSpecies(x, ambiortusDementjevi))\nLiveIn(ambiortusDementjevi, mongolia)\nDiscover(yevgenykurochkin, ambiortus)", "conclusion": "Yevgeny Kurochkin discovered a new bird genus.", "conclusion-FOL": "\u2203x (Discover(yevgenykurochkin, x) \u2227 BirdGenus(x))", "label": "True", "example_id": 221} +{"story_id": 73, "premises": "Ambiortus is a prehistoric bird genus.\nAmbiortus Dementjevi is the only known species of Ambiortus.\nMongolia was where Ambiortus Dementjevi lived.\nYevgeny Kurochkin was the discoverer of Ambiortus.", "premises-FOL": "Prehistoric(ambiortus) \u2227 BirdGenus(ambiortus)\n\u2200x(KnownSpeciesOf(x, ambiortus) \u2192 IsSpecies(x, ambiortusDementjevi))\nLiveIn(ambiortusDementjevi, mongolia)\nDiscover(yevgenykurochkin, ambiortus)", "conclusion": "There is a species of Ambiortus that doesn't live in Mongolia.", "conclusion-FOL": "\u2203x (KnownSpeciesOf(x, ambiortus) \u2227 \u00acLiveIn(x, mongolia))", "label": "False", "example_id": 222} +{"story_id": 73, "premises": "Ambiortus is a prehistoric bird genus.\nAmbiortus Dementjevi is the only known species of Ambiortus.\nMongolia was where Ambiortus Dementjevi lived.\nYevgeny Kurochkin was the discoverer of Ambiortus.", "premises-FOL": "Prehistoric(ambiortus) \u2227 BirdGenus(ambiortus)\n\u2200x(KnownSpeciesOf(x, ambiortus) \u2192 IsSpecies(x, ambiortusDementjevi))\nLiveIn(ambiortusDementjevi, mongolia)\nDiscover(yevgenykurochkin, ambiortus)", "conclusion": "Yevgeny Kurochkin lived in Mongolia.", "conclusion-FOL": "LiveIn(yevgenykurochkin, mongolia)", "label": "Uncertain", "example_id": 223} +{"story_id": 73, "premises": "Ambiortus is a prehistoric bird genus.\nAmbiortus Dementjevi is the only known species of Ambiortus.\nMongolia was where Ambiortus Dementjevi lived.\nYevgeny Kurochkin was the discoverer of Ambiortus.", "premises-FOL": "Prehistoric(ambiortus) \u2227 BirdGenus(ambiortus)\n\u2200x(KnownSpeciesOf(x, ambiortus) \u2192 IsSpecies(x, ambiortusDementjevi))\nLiveIn(ambiortusDementjevi, mongolia)\nDiscover(yevgenykurochkin, ambiortus)", "conclusion": "All species of Ambiortus live in Mongolia.", "conclusion-FOL": "\u2200x (SpeciesOf(x, ambiortus) \u2192 LiveIn(x, mongolia))", "label": "True", "example_id": 224} +{"story_id": 448, "premises": "Everyone that knows about breath-first-search knows how to use a queue. \nIf someone is a seasoned software engineer interviewer at Google, then they know what breath-first-search is. \nSomeone is either a seasoned software engineer interviewer at Google, has human rights, or both. \nEvery person who has human rights is entitled to the right to life and liberty. \nEveryone that knows how to use a queue knows about the first-in-first-out data structure. \nEveryone that is entitled to the right to life and liberty cannot be deprived of their rights without due process of law. \nJack is entitled to the right to life and liberty, has human rights, or knows about the first-in-first-out data structure. ", "premises-FOL": "\u2200x (Know(x, breathFirstSearch) \u2192 Know(x, howToUseQueue))\n\u2200x (Seasoned(x) \u2227 SoftwareEngineerInterviewer(x) \u2227 At(x, google) \u2192 Know(x, breathFirstSearch))\n\u2200x ((Seasoned(x) \u2227 SoftwareEngineerInterviewer(x) \u2227 At(x, google)) \u2228 Have(x, humanRights))\n\u2200x (Have(x, humanRights) \u2192 EntitledTo(x, rightToLifeAndLiberty))\n\u2200x (Know(x, howToUseQueue) \u2192 Know(x, firstInFirstOutDataStructure))\n\u2200x (EntitledTo(x, rightToLifeAndLiberty) \u2192 \u00acDeprivedOfWithout(x, rights, dueProcessOfLaw))\n(EntitledTo(jack, rightToLifeAndLiberty) \u2228 Have(jack, humanRights) \u2228 Know(jack, firstInFirstOutDataStructure))", "conclusion": "Jack is a seasoned software engineer interviewer.", "conclusion-FOL": "Seasoned(jack) \u2227 SoftwareEngineerInterviewer(jack) \u2227 At(jack, google)", "label": "Uncertain", "example_id": 1289} +{"story_id": 448, "premises": "Everyone that knows about breath-first-search knows how to use a queue. \nIf someone is a seasoned software engineer interviewer at Google, then they know what breath-first-search is. \nSomeone is either a seasoned software engineer interviewer at Google, has human rights, or both. \nEvery person who has human rights is entitled to the right to life and liberty. \nEveryone that knows how to use a queue knows about the first-in-first-out data structure. \nEveryone that is entitled to the right to life and liberty cannot be deprived of their rights without due process of law. \nJack is entitled to the right to life and liberty, has human rights, or knows about the first-in-first-out data structure. ", "premises-FOL": "\u2200x (Know(x, breathFirstSearch) \u2192 Know(x, howToUseQueue))\n\u2200x (Seasoned(x) \u2227 SoftwareEngineerInterviewer(x) \u2227 At(x, google) \u2192 Know(x, breathFirstSearch))\n\u2200x ((Seasoned(x) \u2227 SoftwareEngineerInterviewer(x) \u2227 At(x, google)) \u2228 Have(x, humanRights))\n\u2200x (Have(x, humanRights) \u2192 EntitledTo(x, rightToLifeAndLiberty))\n\u2200x (Know(x, howToUseQueue) \u2192 Know(x, firstInFirstOutDataStructure))\n\u2200x (EntitledTo(x, rightToLifeAndLiberty) \u2192 \u00acDeprivedOfWithout(x, rights, dueProcessOfLaw))\n(EntitledTo(jack, rightToLifeAndLiberty) \u2228 Have(jack, humanRights) \u2228 Know(jack, firstInFirstOutDataStructure))", "conclusion": "Jack cannot be deprived of their rights without due process of law.", "conclusion-FOL": "\u00acDeprivedOfWithout(jack, rights, dueProcessOfLaw)", "label": "True", "example_id": 1290} +{"story_id": 448, "premises": "Everyone that knows about breath-first-search knows how to use a queue. \nIf someone is a seasoned software engineer interviewer at Google, then they know what breath-first-search is. \nSomeone is either a seasoned software engineer interviewer at Google, has human rights, or both. \nEvery person who has human rights is entitled to the right to life and liberty. \nEveryone that knows how to use a queue knows about the first-in-first-out data structure. \nEveryone that is entitled to the right to life and liberty cannot be deprived of their rights without due process of law. \nJack is entitled to the right to life and liberty, has human rights, or knows about the first-in-first-out data structure. ", "premises-FOL": "\u2200x (Know(x, breathFirstSearch) \u2192 Know(x, howToUseQueue))\n\u2200x (Seasoned(x) \u2227 SoftwareEngineerInterviewer(x) \u2227 At(x, google) \u2192 Know(x, breathFirstSearch))\n\u2200x ((Seasoned(x) \u2227 SoftwareEngineerInterviewer(x) \u2227 At(x, google)) \u2228 Have(x, humanRights))\n\u2200x (Have(x, humanRights) \u2192 EntitledTo(x, rightToLifeAndLiberty))\n\u2200x (Know(x, howToUseQueue) \u2192 Know(x, firstInFirstOutDataStructure))\n\u2200x (EntitledTo(x, rightToLifeAndLiberty) \u2192 \u00acDeprivedOfWithout(x, rights, dueProcessOfLaw))\n(EntitledTo(jack, rightToLifeAndLiberty) \u2228 Have(jack, humanRights) \u2228 Know(jack, firstInFirstOutDataStructure))", "conclusion": "Jack can be deprived of their rights without due process of law.", "conclusion-FOL": "DeprivedOfWithout(jack, rights, dueProcessOfLaw)", "label": "False", "example_id": 1291} +{"story_id": 3, "premises": "Fort Ticonderoga is the current name for Fort Carillon.\nPierre de Rigaud de Vaudreuil built Fort Carillon.\nFort Carillon was located in New France.\nNew France is not in Europe.", "premises-FOL": "RenamedAs(fortCarillon, fortTiconderoga)\nBuilt(pierredeRigauddeVaudreuil, fortCarillon)\nLocatedIn(fortCarillon, newFrance)\n\u00acLocatedIn(newFrance, europe) ", "conclusion": "Pierre de Rigaud de Vaudreuil built a fort in New France.", "conclusion-FOL": "\u2203x (Built(pierredeRigauddeVaudreuil, x) \u2227 LocatedIn(x, newFrance))", "label": "True", "example_id": 7} +{"story_id": 3, "premises": "Fort Ticonderoga is the current name for Fort Carillon.\nPierre de Rigaud de Vaudreuil built Fort Carillon.\nFort Carillon was located in New France.\nNew France is not in Europe.", "premises-FOL": "RenamedAs(fortCarillon, fortTiconderoga)\nBuilt(pierredeRigauddeVaudreuil, fortCarillon)\nLocatedIn(fortCarillon, newFrance)\n\u00acLocatedIn(newFrance, europe) ", "conclusion": "Pierre de Rigaud de Vaudreuil built a fort in New England.", "conclusion-FOL": "\u2203x (Built(pierredeRigauddeVaudreuil, x) \u2227 LocatedIn(x, newEngland))", "label": "Uncertain", "example_id": 8} +{"story_id": 3, "premises": "Fort Ticonderoga is the current name for Fort Carillon.\nPierre de Rigaud de Vaudreuil built Fort Carillon.\nFort Carillon was located in New France.\nNew France is not in Europe.", "premises-FOL": "RenamedAs(fortCarillon, fortTiconderoga)\nBuilt(pierredeRigauddeVaudreuil, fortCarillon)\nLocatedIn(fortCarillon, newFrance)\n\u00acLocatedIn(newFrance, europe) ", "conclusion": "Fort Carillon was located in Europe.", "conclusion-FOL": "LocatedIn(fortCarillon, europe)", "label": "Uncertain", "example_id": 9} +{"story_id": 328, "premises": "No soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerback players are soccer defenders.\nIf Stephen Curry is an NBA player or a soccer player, then he is a professional basketball player.", "premises-FOL": "\u2200x (ProfessionalSoccerPlayer(x) \u2192 \u00acProfessionalBasketballPlayer(x))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\n\u2200x (ProfessionalSoccerDefender(x) \u2192 ProfessionalSoccerPlayer(x))\n\u2200x (ProfessionalCenterback(x) \u2192 ProfessionalSoccerDefender(x))\n(NBAPlayer(stephencurry) \u2295 ProfessionalSoccerPlayer(stephencurry)) \u2192 ProfessionalBasketballPlayer(stephencurry)", "conclusion": "Stephen Curry is an NBA player.", "conclusion-FOL": "NBAPlayer(stephenCurry)", "label": "Uncertain", "example_id": 840} +{"story_id": 328, "premises": "No soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerback players are soccer defenders.\nIf Stephen Curry is an NBA player or a soccer player, then he is a professional basketball player.", "premises-FOL": "\u2200x (ProfessionalSoccerPlayer(x) \u2192 \u00acProfessionalBasketballPlayer(x))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\n\u2200x (ProfessionalSoccerDefender(x) \u2192 ProfessionalSoccerPlayer(x))\n\u2200x (ProfessionalCenterback(x) \u2192 ProfessionalSoccerDefender(x))\n(NBAPlayer(stephencurry) \u2295 ProfessionalSoccerPlayer(stephencurry)) \u2192 ProfessionalBasketballPlayer(stephencurry)", "conclusion": "Stephen Curry is a centerback player.", "conclusion-FOL": "ProfessionalCenterback(stephenCurry)", "label": "False", "example_id": 841} +{"story_id": 328, "premises": "No soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerback players are soccer defenders.\nIf Stephen Curry is an NBA player or a soccer player, then he is a professional basketball player.", "premises-FOL": "\u2200x (ProfessionalSoccerPlayer(x) \u2192 \u00acProfessionalBasketballPlayer(x))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\n\u2200x (ProfessionalSoccerDefender(x) \u2192 ProfessionalSoccerPlayer(x))\n\u2200x (ProfessionalCenterback(x) \u2192 ProfessionalSoccerDefender(x))\n(NBAPlayer(stephencurry) \u2295 ProfessionalSoccerPlayer(stephencurry)) \u2192 ProfessionalBasketballPlayer(stephencurry)", "conclusion": "Stephen Curry is not a centerback player.", "conclusion-FOL": "\u00acProfessionalCenterback(stephenCurry)", "label": "True", "example_id": 842} +{"story_id": 484, "premises": "No songs are visuals. \nAll folk songs are songs. \nAll videos are visuals. \nAll movies are videos.\nAll sci-fi movies are movies.\nInception is a sci-fi movie.\nMac is neither a folk song nor a sci-fi movie.", "premises-FOL": "\u2200x (Song(x) \u2192 \u00acVisual(x))\n\u2200x (FolkSong(x) \u2192 Song(x))\n\u2200x (Video(x) \u2192 Visual(x))\n\u2200x (Movie(x) \u2192 Video(x))\n\u2200x (ScifiMovie(x) \u2192 Movie(x))\nScifiMovie(inception)\n\u00acFolkSong(mac) \u2227 \u00acScifiMovie(mac)", "conclusion": "Inception is a folk song.", "conclusion-FOL": "FolkSong(inception)", "label": "False", "example_id": 1415} +{"story_id": 484, "premises": "No songs are visuals. \nAll folk songs are songs. \nAll videos are visuals. \nAll movies are videos.\nAll sci-fi movies are movies.\nInception is a sci-fi movie.\nMac is neither a folk song nor a sci-fi movie.", "premises-FOL": "\u2200x (Song(x) \u2192 \u00acVisual(x))\n\u2200x (FolkSong(x) \u2192 Song(x))\n\u2200x (Video(x) \u2192 Visual(x))\n\u2200x (Movie(x) \u2192 Video(x))\n\u2200x (ScifiMovie(x) \u2192 Movie(x))\nScifiMovie(inception)\n\u00acFolkSong(mac) \u2227 \u00acScifiMovie(mac)", "conclusion": "Inception is not a folk song.", "conclusion-FOL": "\u00acFolkSong(inception)", "label": "True", "example_id": 1416} +{"story_id": 484, "premises": "No songs are visuals. \nAll folk songs are songs. \nAll videos are visuals. \nAll movies are videos.\nAll sci-fi movies are movies.\nInception is a sci-fi movie.\nMac is neither a folk song nor a sci-fi movie.", "premises-FOL": "\u2200x (Song(x) \u2192 \u00acVisual(x))\n\u2200x (FolkSong(x) \u2192 Song(x))\n\u2200x (Video(x) \u2192 Visual(x))\n\u2200x (Movie(x) \u2192 Video(x))\n\u2200x (ScifiMovie(x) \u2192 Movie(x))\nScifiMovie(inception)\n\u00acFolkSong(mac) \u2227 \u00acScifiMovie(mac)", "conclusion": "Inception is either a video or a folk song.", "conclusion-FOL": "Video(inception) \u2295 FolkSong(inception)", "label": "True", "example_id": 1417} +{"story_id": 484, "premises": "No songs are visuals. \nAll folk songs are songs. \nAll videos are visuals. \nAll movies are videos.\nAll sci-fi movies are movies.\nInception is a sci-fi movie.\nMac is neither a folk song nor a sci-fi movie.", "premises-FOL": "\u2200x (Song(x) \u2192 \u00acVisual(x))\n\u2200x (FolkSong(x) \u2192 Song(x))\n\u2200x (Video(x) \u2192 Visual(x))\n\u2200x (Movie(x) \u2192 Video(x))\n\u2200x (ScifiMovie(x) \u2192 Movie(x))\nScifiMovie(inception)\n\u00acFolkSong(mac) \u2227 \u00acScifiMovie(mac)", "conclusion": "Mac is a video.", "conclusion-FOL": "Video(mac)", "label": "Uncertain", "example_id": 1418} +{"story_id": 393, "premises": "All inductive reasoning processes derive general principles from a body of observations.\nTwo major types of reasoning rules are inductive reasoning and deductive reasoning. \nAll deductive reasoning processes are only based on facts and rules. \nNothing only based on facts and rules is used for statistical generalization. \nModus Ponens is not both used in inductive reasoning and used for statistical generalization. \nModus Ponens is a component of a major part of reasoning rule. ", "premises-FOL": "\u2200x (InductiveReasoning(x) \u2192 DeriveFrom(generalPrinciple, observations))\n\u2200x (MajorArgumentForm(x) \u2192 (InductiveReasoning(x) \u2295 DeductiveReasoning(x))\n\u2200x (DeductiveReasoning(x) \u2192 (BasedOn(x, fact) \u2228 BasedOn(x, rule)))\n\u2200x ((BasedOn(x, fact) \u2228 BasedOn(x, rule)) \u2192 (\u00acUsedFor(x, statisticalGeneralization)))\n\u00ac(InductiveReasoning(modusPonens) \u2227 UsedFor(modusPonens, statisticalGeneralization))\nArgumentForm(modusPonens)", "conclusion": "Reasoning with Modus Ponens is based on facts and rules.", "conclusion-FOL": "BasedOn(x, fact) \u2228 BasedOn(x, rule)", "label": "Uncertain", "example_id": 1060} +{"story_id": 393, "premises": "All inductive reasoning processes derive general principles from a body of observations.\nTwo major types of reasoning rules are inductive reasoning and deductive reasoning. \nAll deductive reasoning processes are only based on facts and rules. \nNothing only based on facts and rules is used for statistical generalization. \nModus Ponens is not both used in inductive reasoning and used for statistical generalization. \nModus Ponens is a component of a major part of reasoning rule. ", "premises-FOL": "\u2200x (InductiveReasoning(x) \u2192 DeriveFrom(generalPrinciple, observations))\n\u2200x (MajorArgumentForm(x) \u2192 (InductiveReasoning(x) \u2295 DeductiveReasoning(x))\n\u2200x (DeductiveReasoning(x) \u2192 (BasedOn(x, fact) \u2228 BasedOn(x, rule)))\n\u2200x ((BasedOn(x, fact) \u2228 BasedOn(x, rule)) \u2192 (\u00acUsedFor(x, statisticalGeneralization)))\n\u00ac(InductiveReasoning(modusPonens) \u2227 UsedFor(modusPonens, statisticalGeneralization))\nArgumentForm(modusPonens)", "conclusion": "Modus Ponens derives general principles from a body of observations and is used for statistical generalization.", "conclusion-FOL": "DeriveFrom(generalPrinciple, observations) \u2227 UsedFor(x, statisticalGeneralization)", "label": "False", "example_id": 1061} +{"story_id": 393, "premises": "All inductive reasoning processes derive general principles from a body of observations.\nTwo major types of reasoning rules are inductive reasoning and deductive reasoning. \nAll deductive reasoning processes are only based on facts and rules. \nNothing only based on facts and rules is used for statistical generalization. \nModus Ponens is not both used in inductive reasoning and used for statistical generalization. \nModus Ponens is a component of a major part of reasoning rule. ", "premises-FOL": "\u2200x (InductiveReasoning(x) \u2192 DeriveFrom(generalPrinciple, observations))\n\u2200x (MajorArgumentForm(x) \u2192 (InductiveReasoning(x) \u2295 DeductiveReasoning(x))\n\u2200x (DeductiveReasoning(x) \u2192 (BasedOn(x, fact) \u2228 BasedOn(x, rule)))\n\u2200x ((BasedOn(x, fact) \u2228 BasedOn(x, rule)) \u2192 (\u00acUsedFor(x, statisticalGeneralization)))\n\u00ac(InductiveReasoning(modusPonens) \u2227 UsedFor(modusPonens, statisticalGeneralization))\nArgumentForm(modusPonens)", "conclusion": "If Modus Ponens either derives general principles from a body of observations and is used for statistical generalization, or neither, then Modus Ponens is is neither used in inductive reasoning nor used for statistical generalization.", "conclusion-FOL": "\u00ac(Derive(generalPrinciple, observations) \u2295 UsedFor(x, statisticalGeneralization)) \u2192 (\u00acInductiveReasoning(modusPonens) \u2227 (\u00acUsedFor(modusPonens, statisticalGeneralization)))", "label": "True", "example_id": 1062} +{"story_id": 408, "premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", "premises-FOL": "\u2200x ((In(x, yaleSVarsityTeam) \u2227 TrickShotArtist(x)) \u2192 \u00acStruggleAt(x, halfCourtShot))\n\u2200x (In(x, yaleSVarsityTeam) \u2192 (StruggleAt(x, halfCourtShot) \u2228 GoodAt(x, threes)))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, threes)) \u2192 GoodAt(x, twos))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, twos)) \u2192 BadAt(x, midRangeShot))\nIn(jack, yaleSVarsityTeam) \u2227 (TrickShotArtist(jack) \u2295 GoodAt(jack, threes))", "conclusion": "Jack struggles at half court shots.", "conclusion-FOL": "StruggleAt(jack, halfCourtShot)", "label": "Uncertain", "example_id": 1133} +{"story_id": 408, "premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", "premises-FOL": "\u2200x ((In(x, yaleSVarsityTeam) \u2227 TrickShotArtist(x)) \u2192 \u00acStruggleAt(x, halfCourtShot))\n\u2200x (In(x, yaleSVarsityTeam) \u2192 (StruggleAt(x, halfCourtShot) \u2228 GoodAt(x, threes)))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, threes)) \u2192 GoodAt(x, twos))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, twos)) \u2192 BadAt(x, midRangeShot))\nIn(jack, yaleSVarsityTeam) \u2227 (TrickShotArtist(jack) \u2295 GoodAt(jack, threes))", "conclusion": "Jack is bad at mid-range shots.", "conclusion-FOL": "BadAt(jack, midRangeShot)", "label": "False", "example_id": 1134} +{"story_id": 408, "premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", "premises-FOL": "\u2200x ((In(x, yaleSVarsityTeam) \u2227 TrickShotArtist(x)) \u2192 \u00acStruggleAt(x, halfCourtShot))\n\u2200x (In(x, yaleSVarsityTeam) \u2192 (StruggleAt(x, halfCourtShot) \u2228 GoodAt(x, threes)))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, threes)) \u2192 GoodAt(x, twos))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, twos)) \u2192 BadAt(x, midRangeShot))\nIn(jack, yaleSVarsityTeam) \u2227 (TrickShotArtist(jack) \u2295 GoodAt(jack, threes))", "conclusion": "Jack is solid at shooting 2-pointers or bad at mid-range shots.", "conclusion-FOL": "GoodAt(jack, twos) \u2228 BadAt(jack, midRangeShot)", "label": "True", "example_id": 1135} +{"story_id": 408, "premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", "premises-FOL": "\u2200x ((In(x, yaleSVarsityTeam) \u2227 TrickShotArtist(x)) \u2192 \u00acStruggleAt(x, halfCourtShot))\n\u2200x (In(x, yaleSVarsityTeam) \u2192 (StruggleAt(x, halfCourtShot) \u2228 GoodAt(x, threes)))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, threes)) \u2192 GoodAt(x, twos))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, twos)) \u2192 BadAt(x, midRangeShot))\nIn(jack, yaleSVarsityTeam) \u2227 (TrickShotArtist(jack) \u2295 GoodAt(jack, threes))", "conclusion": "Jack is either solid at shooting 2-pointers or bad at mid-range shots.", "conclusion-FOL": "GoodAt(jack, twos) \u2295 BadAt(jack, midRangeShot)", "label": "True", "example_id": 1136} +{"story_id": 408, "premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", "premises-FOL": "\u2200x ((In(x, yaleSVarsityTeam) \u2227 TrickShotArtist(x)) \u2192 \u00acStruggleAt(x, halfCourtShot))\n\u2200x (In(x, yaleSVarsityTeam) \u2192 (StruggleAt(x, halfCourtShot) \u2228 GoodAt(x, threes)))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, threes)) \u2192 GoodAt(x, twos))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, twos)) \u2192 BadAt(x, midRangeShot))\nIn(jack, yaleSVarsityTeam) \u2227 (TrickShotArtist(jack) \u2295 GoodAt(jack, threes))", "conclusion": "Jack is a trick-shot artist or bad at mid-range shots.", "conclusion-FOL": "TrickShotArtist(jack) \u2228 BadAt(jack, midRangeShot))", "label": "False", "example_id": 1137} +{"story_id": 408, "premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", "premises-FOL": "\u2200x ((In(x, yaleSVarsityTeam) \u2227 TrickShotArtist(x)) \u2192 \u00acStruggleAt(x, halfCourtShot))\n\u2200x (In(x, yaleSVarsityTeam) \u2192 (StruggleAt(x, halfCourtShot) \u2228 GoodAt(x, threes)))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, threes)) \u2192 GoodAt(x, twos))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, twos)) \u2192 BadAt(x, midRangeShot))\nIn(jack, yaleSVarsityTeam) \u2227 (TrickShotArtist(jack) \u2295 GoodAt(jack, threes))", "conclusion": "Jack is either a trick-shot artist or bad at mid-range shots.", "conclusion-FOL": "TrickShotArtist(jack) \u2295 BadAt(jack, midRangeShots)", "label": "False", "example_id": 1138} +{"story_id": 408, "premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", "premises-FOL": "\u2200x ((In(x, yaleSVarsityTeam) \u2227 TrickShotArtist(x)) \u2192 \u00acStruggleAt(x, halfCourtShot))\n\u2200x (In(x, yaleSVarsityTeam) \u2192 (StruggleAt(x, halfCourtShot) \u2228 GoodAt(x, threes)))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, threes)) \u2192 GoodAt(x, twos))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, twos)) \u2192 BadAt(x, midRangeShot))\nIn(jack, yaleSVarsityTeam) \u2227 (TrickShotArtist(jack) \u2295 GoodAt(jack, threes))", "conclusion": "Jack is either a player who successfully shoots a high percentage of 3-pointers or is bad at mid-range shots.", "conclusion-FOL": "GoodAt(jack, threes) \u2295 BadAt(jack, midRangeShot)", "label": "True", "example_id": 1139} +{"story_id": 408, "premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", "premises-FOL": "\u2200x ((In(x, yaleSVarsityTeam) \u2227 TrickShotArtist(x)) \u2192 \u00acStruggleAt(x, halfCourtShot))\n\u2200x (In(x, yaleSVarsityTeam) \u2192 (StruggleAt(x, halfCourtShot) \u2228 GoodAt(x, threes)))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, threes)) \u2192 GoodAt(x, twos))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, twos)) \u2192 BadAt(x, midRangeShot))\nIn(jack, yaleSVarsityTeam) \u2227 (TrickShotArtist(jack) \u2295 GoodAt(jack, threes))", "conclusion": "If Jack is not solid at shooting 2-pointers and bad at mid-range shots, then Jack is not solid at shooting 2-pointers and is a player who successfully shoots a high percentage of 3-pointers.", "conclusion-FOL": "BadAt(jack, midRangeShot) \u2227 GoodAt(jack, twos) \u2192 \u00acGoodAt(jack, twos) \u2227 GoodAt(jack, threes)", "label": "False", "example_id": 1140} +{"story_id": 408, "premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", "premises-FOL": "\u2200x ((In(x, yaleSVarsityTeam) \u2227 TrickShotArtist(x)) \u2192 \u00acStruggleAt(x, halfCourtShot))\n\u2200x (In(x, yaleSVarsityTeam) \u2192 (StruggleAt(x, halfCourtShot) \u2228 GoodAt(x, threes)))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, threes)) \u2192 GoodAt(x, twos))\n\u2200x ((In(x, yaleSVarsityTeam) \u2227 GoodAt(x, twos)) \u2192 BadAt(x, midRangeShot))\nIn(jack, yaleSVarsityTeam) \u2227 (TrickShotArtist(jack) \u2295 GoodAt(jack, threes))", "conclusion": "If Jack is solid at shooting 2-pointers or successfully shoots a high percentage of 3-pointers, then Jack struggles at half court shots and is bad at mid-range shots.", "conclusion-FOL": "GoodAt(jack, twos) \u2228 GoodAt(jack, threes) \u2192 BadAt(jack, halfCourtShot) \u2227 BadAt(jack, midRangeShot)", "label": "Uncertain", "example_id": 1141} +{"story_id": 271, "premises": "No plants are fungi.\nMushrooms are fungi.", "premises-FOL": "\u2200x (Plant(x) \u2192 \u00acFungi(x))\n\u2200x (Mushroom(x) \u2192 Fungi(x))", "conclusion": "No plants are mushrooms.", "conclusion-FOL": "\u2200x (Plant(x) \u2192 \u00acMushroom(x))", "label": "True", "example_id": 715} +{"story_id": 291, "premises": "No road is dustless.\nSome streets are roads.", "premises-FOL": "\u2200x (Road(x) \u2192 \u00acDustless(x))\n\u2203x \u2203y (Street(x) \u2227 Street(y) \u2227 Road(x) \u2227 Road(y) \u2227 \u00ac(x=y))", "conclusion": "Some streets are dustless.", "conclusion-FOL": "\u2203x \u2203y (Street(x) \u2227 Street(y) \u2227 Dustless(x) \u2227 Dustless(y) \u2227 \u00ac(x=y))", "label": "Uncertain", "example_id": 735} +{"story_id": 222, "premises": "New York City is located on the East Coast. \nSeattle is located on the West Coast. \nIf a person is somewhere located on the East coast and is traveling to somewhere located on the west coast, they will be on a long flight.\nPeople in business class from New York City to Seattle are not in first class.\nPeople on long flights are uncomfortable unless they're in first class.", "premises-FOL": "LocatedOn(newYorkCity, eastCoast)\nLocatedOn(seattle, westCoast)\n\u2200x \u2200y \u2200z ((TravelingFrom(x, y) \u2227 LocatedOn(y, eastcoast) \u2227 TravelingTo(x, z) \u2227 LocatedOn(z, westcoast)) \u2192 OnLongFlight(x))\n\u2200x (InBuisnessClass(x) \u2227 TravelingTo(x, seattle) \u2227 TravelingFrom(x, newYorkCity) \u2192 \u00acInFirstClass(x))\n\u2200x (OnLongFlight(x) \u2227 \u00acInFirstClass(x) \u2192 Uncomfortable(x))", "conclusion": "People traveling in business class from New York City to Seattle will be uncomfortable.", "conclusion-FOL": "\u2203x (TravelingTo(x, seattle) \u2227 TravelingFrom(x, newYorkCity) \u2227 uncomfortable(x))", "label": "True", "example_id": 628} +{"story_id": 118, "premises": "Musicians have very busy lives.\nSingh Kaur is a musician and famous.\nIf a musician is not famous, that musician will not make a lot of money.\nA musician can be a singer or a writer.", "premises-FOL": "\u2200x (Musician(x) \u2192 Have(x, busyLife))\nMusician(singhKaur) \u2227 Famous(singhKaur)\n\u2200x (Musician(x) \u2227 \u00acFamous(x) \u2192 \u00acMakeALotOfMoney(x))\n\u2203x (Musician(x) \u2227 (Singer(x) \u2228 Writer(x)))", "conclusion": "Singh Kaur makes a lot of money.", "conclusion-FOL": "MakeALotOfMoney(singhKaur)", "label": "Uncertain", "example_id": 355} +{"story_id": 118, "premises": "Musicians have very busy lives.\nSingh Kaur is a musician and famous.\nIf a musician is not famous, that musician will not make a lot of money.\nA musician can be a singer or a writer.", "premises-FOL": "\u2200x (Musician(x) \u2192 Have(x, busyLife))\nMusician(singhKaur) \u2227 Famous(singhKaur)\n\u2200x (Musician(x) \u2227 \u00acFamous(x) \u2192 \u00acMakeALotOfMoney(x))\n\u2203x (Musician(x) \u2227 (Singer(x) \u2228 Writer(x)))", "conclusion": "Singh Kaur is a writer.", "conclusion-FOL": "Writer(singhKaur)", "label": "Uncertain", "example_id": 356} +{"story_id": 118, "premises": "Musicians have very busy lives.\nSingh Kaur is a musician and famous.\nIf a musician is not famous, that musician will not make a lot of money.\nA musician can be a singer or a writer.", "premises-FOL": "\u2200x (Musician(x) \u2192 Have(x, busyLife))\nMusician(singhKaur) \u2227 Famous(singhKaur)\n\u2200x (Musician(x) \u2227 \u00acFamous(x) \u2192 \u00acMakeALotOfMoney(x))\n\u2203x (Musician(x) \u2227 (Singer(x) \u2228 Writer(x)))", "conclusion": "Singh Kaur has a very busy life.", "conclusion-FOL": "Have(singhKaur, busyLife)", "label": "True", "example_id": 357} +{"story_id": 284, "premises": "Each building is tall. \nEverything tall has height.", "premises-FOL": "\u2200x (Building(x) \u2192 Tall(x))\n\u2200x (Tall(x) \u2192 Height(x))", "conclusion": "All buildings are magnificent.", "conclusion-FOL": "\u2200x (Building(x) \u2192 Magnificent(x))", "label": "Uncertain", "example_id": 728} +{"story_id": 126, "premises": "A cat named Garfield, the main character of the film Garfield, is orange and fat and likes having lasagna. \nGarfield shares a home with Odie, another pet of Jon's. \nGarfield hates Odie.\nA pet who hates the pet with whom he shares the same owner is childish and possessive.", "premises-FOL": "Cat(garfield) \u2227 MainCharacterOf(garfield, filmGarfield) \u2227 Orange(garfield) \u2227 Fat(garfield) \u2227 Like(garfield, lasagna)\nPetOf(garfield, jon) \u2227 PetOf(odie, jon) \u2227 ShareHomeWith(garfield, odie)\nHate(garfield, odie)\n\u2200x \u2200y \u2203z (PetOf(x, z) \u2227 PetOf(y, z) \u2227 Hate(x, y) \u2192 Childish(x) \u2227 Possessive(x))", "conclusion": "The main character of the film Garfield is childish and possessive.", "conclusion-FOL": "\u2203x (MainCharacterOf(x, garfield) \u2227 Childish(x) \u2227 Possessive(x))", "label": "True", "example_id": 375} +{"story_id": 474, "premises": "All humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. ", "premises-FOL": "\u2200x (Human(x) \u2192 CapableOf(x, abstractThought))\n\u2200x (Plant(x) \u2192 \u00acCapableOf(x, abstractThought))\n\u2200x (MulticellularCreature(x) \u2227 (Autotrophic(x) \u2228 DigestFoodInternally (x)) \u2192 Plant(x) \u2295 Animal(x))\n\u2200x (Goat(x) \u2192 Animal(x))\n\u2200x (Dirt(x) \u2192 \u00acAnimal(x))\nGoat(hulu) \u2228 HumanBeing(hulu)\n(MulticellularCreature(hulu) \u2227 (Autotrophic(hulu) \u2228 DigestFoodInternally (hulu))", "conclusion": "Hulu is capable of abstract thoughts.", "conclusion-FOL": "CapableOf(hulu, abstractThought)", "label": "Uncertain", "example_id": 1372} +{"story_id": 474, "premises": "All humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. ", "premises-FOL": "\u2200x (Human(x) \u2192 CapableOf(x, abstractThought))\n\u2200x (Plant(x) \u2192 \u00acCapableOf(x, abstractThought))\n\u2200x (MulticellularCreature(x) \u2227 (Autotrophic(x) \u2228 DigestFoodInternally (x)) \u2192 Plant(x) \u2295 Animal(x))\n\u2200x (Goat(x) \u2192 Animal(x))\n\u2200x (Dirt(x) \u2192 \u00acAnimal(x))\nGoat(hulu) \u2228 HumanBeing(hulu)\n(MulticellularCreature(hulu) \u2227 (Autotrophic(hulu) \u2228 DigestFoodInternally (hulu))", "conclusion": "Hulu is not capable of abstract thoughts.", "conclusion-FOL": "\u00acCapableOf(hulu, abstractThought)", "label": "Uncertain", "example_id": 1373} +{"story_id": 474, "premises": "All humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. ", "premises-FOL": "\u2200x (Human(x) \u2192 CapableOf(x, abstractThought))\n\u2200x (Plant(x) \u2192 \u00acCapableOf(x, abstractThought))\n\u2200x (MulticellularCreature(x) \u2227 (Autotrophic(x) \u2228 DigestFoodInternally (x)) \u2192 Plant(x) \u2295 Animal(x))\n\u2200x (Goat(x) \u2192 Animal(x))\n\u2200x (Dirt(x) \u2192 \u00acAnimal(x))\nGoat(hulu) \u2228 HumanBeing(hulu)\n(MulticellularCreature(hulu) \u2227 (Autotrophic(hulu) \u2228 DigestFoodInternally (hulu))", "conclusion": "Hulu is dirt.", "conclusion-FOL": "Dirt(hulu)", "label": "False", "example_id": 1374} +{"story_id": 474, "premises": "All humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. ", "premises-FOL": "\u2200x (Human(x) \u2192 CapableOf(x, abstractThought))\n\u2200x (Plant(x) \u2192 \u00acCapableOf(x, abstractThought))\n\u2200x (MulticellularCreature(x) \u2227 (Autotrophic(x) \u2228 DigestFoodInternally (x)) \u2192 Plant(x) \u2295 Animal(x))\n\u2200x (Goat(x) \u2192 Animal(x))\n\u2200x (Dirt(x) \u2192 \u00acAnimal(x))\nGoat(hulu) \u2228 HumanBeing(hulu)\n(MulticellularCreature(hulu) \u2227 (Autotrophic(hulu) \u2228 DigestFoodInternally (hulu))", "conclusion": "Hulu is an animal or dirt.", "conclusion-FOL": "Animal(hulu) \u2228 Dirt(hulu)", "label": "True", "example_id": 1375} +{"story_id": 474, "premises": "All humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. ", "premises-FOL": "\u2200x (Human(x) \u2192 CapableOf(x, abstractThought))\n\u2200x (Plant(x) \u2192 \u00acCapableOf(x, abstractThought))\n\u2200x (MulticellularCreature(x) \u2227 (Autotrophic(x) \u2228 DigestFoodInternally (x)) \u2192 Plant(x) \u2295 Animal(x))\n\u2200x (Goat(x) \u2192 Animal(x))\n\u2200x (Dirt(x) \u2192 \u00acAnimal(x))\nGoat(hulu) \u2228 HumanBeing(hulu)\n(MulticellularCreature(hulu) \u2227 (Autotrophic(hulu) \u2228 DigestFoodInternally (hulu))", "conclusion": "Hulu is either an animal or dirt, but not both.", "conclusion-FOL": "Animal(hulu) \u2295 Dirt(hulu)", "label": "True", "example_id": 1376} +{"story_id": 474, "premises": "All humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. ", "premises-FOL": "\u2200x (Human(x) \u2192 CapableOf(x, abstractThought))\n\u2200x (Plant(x) \u2192 \u00acCapableOf(x, abstractThought))\n\u2200x (MulticellularCreature(x) \u2227 (Autotrophic(x) \u2228 DigestFoodInternally (x)) \u2192 Plant(x) \u2295 Animal(x))\n\u2200x (Goat(x) \u2192 Animal(x))\n\u2200x (Dirt(x) \u2192 \u00acAnimal(x))\nGoat(hulu) \u2228 HumanBeing(hulu)\n(MulticellularCreature(hulu) \u2227 (Autotrophic(hulu) \u2228 DigestFoodInternally (hulu))", "conclusion": "If Hulu is either an animal or dirt, then Hulu is capable of abstract thoughts and is dirt.", "conclusion-FOL": "Animal(hulu) \u2295 Dirt(hulu) \u2192 CapableOf(hulu, abstractThought) \u2227 Dirt(hulu)", "label": "False", "example_id": 1377} +{"story_id": 47, "premises": "A controlled substance is a drug.\nThere exist both harmful and beneficial controlled substances.\nIf a child is exposed to a controlled substance, they are in chemical endangerment.\nChemical Endangerment is harmful. \nThe Controlled Substances Act was an act passed in 1971.\nSome Acts prevent harmful things.", "premises-FOL": "\u2200x (ControlledSubstances(x) \u2192 Drugs(x))\n\u2203x \u2203y (ControlledSubstances(x) \u2227 ControlledSubstances(y) \u2227 (\u00ac(x=y)) \u2227 Beneficial(x) \u2227 Harmful(y))\n\u2200x \u2200y ((Child(x) \u2227 ControlledSubstances(y) \u2227 ExposedTo(x, y)) \u2192 InChemicalEndangerment(x))\n\u2200x (InChemicalEndangerment(x) \u2192 Harmful(x))\nPassedIn(controlledSubstancesAct, yr1971) \u2227 Act(controlledSubstancesAct)\n\u2203x \u2203y(Act(x) \u2227 PreventsHarm(x) \u2227 (\u00ac(x=y)) \u2227 Act(y) \u2227 PreventsHarm(y))", "conclusion": "The Controlled Substances Act prevents harmful things.", "conclusion-FOL": "PreventsHarm(controlledSubstancesAct)", "label": "Uncertain", "example_id": 135} +{"story_id": 47, "premises": "A controlled substance is a drug.\nThere exist both harmful and beneficial controlled substances.\nIf a child is exposed to a controlled substance, they are in chemical endangerment.\nChemical Endangerment is harmful. \nThe Controlled Substances Act was an act passed in 1971.\nSome Acts prevent harmful things.", "premises-FOL": "\u2200x (ControlledSubstances(x) \u2192 Drugs(x))\n\u2203x \u2203y (ControlledSubstances(x) \u2227 ControlledSubstances(y) \u2227 (\u00ac(x=y)) \u2227 Beneficial(x) \u2227 Harmful(y))\n\u2200x \u2200y ((Child(x) \u2227 ControlledSubstances(y) \u2227 ExposedTo(x, y)) \u2192 InChemicalEndangerment(x))\n\u2200x (InChemicalEndangerment(x) \u2192 Harmful(x))\nPassedIn(controlledSubstancesAct, yr1971) \u2227 Act(controlledSubstancesAct)\n\u2203x \u2203y(Act(x) \u2227 PreventsHarm(x) \u2227 (\u00ac(x=y)) \u2227 Act(y) \u2227 PreventsHarm(y))", "conclusion": "Some drugs are beneficial.", "conclusion-FOL": "\u2203x \u2203y(Drugs(x) \u2227 Beneficial(x) \u2227 (\u00ac(x=y)) \u2227 Drugs(y) \u2227 Beneficial(y))", "label": "True", "example_id": 136} +{"story_id": 47, "premises": "A controlled substance is a drug.\nThere exist both harmful and beneficial controlled substances.\nIf a child is exposed to a controlled substance, they are in chemical endangerment.\nChemical Endangerment is harmful. \nThe Controlled Substances Act was an act passed in 1971.\nSome Acts prevent harmful things.", "premises-FOL": "\u2200x (ControlledSubstances(x) \u2192 Drugs(x))\n\u2203x \u2203y (ControlledSubstances(x) \u2227 ControlledSubstances(y) \u2227 (\u00ac(x=y)) \u2227 Beneficial(x) \u2227 Harmful(y))\n\u2200x \u2200y ((Child(x) \u2227 ControlledSubstances(y) \u2227 ExposedTo(x, y)) \u2192 InChemicalEndangerment(x))\n\u2200x (InChemicalEndangerment(x) \u2192 Harmful(x))\nPassedIn(controlledSubstancesAct, yr1971) \u2227 Act(controlledSubstancesAct)\n\u2203x \u2203y(Act(x) \u2227 PreventsHarm(x) \u2227 (\u00ac(x=y)) \u2227 Act(y) \u2227 PreventsHarm(y))", "conclusion": "A child in chemical endangerment is in harm.", "conclusion-FOL": "\u2200x ((Child(x) \u2227 InChemicalEndangerment(x)) \u2192 Harmful(x))", "label": "True", "example_id": 137} +{"story_id": 321, "premises": "No people who have corporate jobs are taking more than normal financial risks.\nAll entrepreneurs are taking more than normal financial risks.\nAll risk-averse working people are people who have corporate jobs.\nAll working people who hate working for others want to be entrepreneurs.\nIf Mark Zuckerberg is neither an entrepreneur nor a person who hates working for others, then Mark Zuckerberg is not a risk-averse working person.", "premises-FOL": "\u2200x (Have(x, corporateJob) \u2192 \u00acTake(x, financialRisk))\n\u2200x (Entrepreneur(x) \u2192 Take(x, financialRisk))\n\u2200x (RiskAverse(x) \u2192 Have(x, corporateJob))\n\u2200x (\u2203y \u2203z (\u00ac(y=x) \u2227 \u00ac(z=x) \u2227 \u00ac(y=z) \u2227 HateWorkingFor(x, y) \u2227 HateWorkingFor(x, z)) \u2192 Entrepreneur(x))\n\u00acEntrepreneur(markZuckerberg) \u2227 \u00ac(\u2203y \u2203z (\u00ac(y=markZuckerberg) \u2227 \u00ac(z=markZuckerberg) \u2227 \u00ac(y=z) \u2227 HateWorkingFor(markZuckerberg, y) \u2227 HateWorkingFor(markZuckerberg, z))) \u2192 \u00acRiskAverse(markZuckerberg)", "conclusion": "Mark Zuckerberg is an entrepreneur.", "conclusion-FOL": "Entrepreneur(markZuckerberg)", "label": "Uncertain", "example_id": 816} +{"story_id": 321, "premises": "No people who have corporate jobs are taking more than normal financial risks.\nAll entrepreneurs are taking more than normal financial risks.\nAll risk-averse working people are people who have corporate jobs.\nAll working people who hate working for others want to be entrepreneurs.\nIf Mark Zuckerberg is neither an entrepreneur nor a person who hates working for others, then Mark Zuckerberg is not a risk-averse working person.", "premises-FOL": "\u2200x (Have(x, corporateJob) \u2192 \u00acTake(x, financialRisk))\n\u2200x (Entrepreneur(x) \u2192 Take(x, financialRisk))\n\u2200x (RiskAverse(x) \u2192 Have(x, corporateJob))\n\u2200x (\u2203y \u2203z (\u00ac(y=x) \u2227 \u00ac(z=x) \u2227 \u00ac(y=z) \u2227 HateWorkingFor(x, y) \u2227 HateWorkingFor(x, z)) \u2192 Entrepreneur(x))\n\u00acEntrepreneur(markZuckerberg) \u2227 \u00ac(\u2203y \u2203z (\u00ac(y=markZuckerberg) \u2227 \u00ac(z=markZuckerberg) \u2227 \u00ac(y=z) \u2227 HateWorkingFor(markZuckerberg, y) \u2227 HateWorkingFor(markZuckerberg, z))) \u2192 \u00acRiskAverse(markZuckerberg)", "conclusion": "Mark Zuckerberg is a risk-averse person.", "conclusion-FOL": "RiskAverse(markZuckerberg)", "label": "False", "example_id": 817} +{"story_id": 321, "premises": "No people who have corporate jobs are taking more than normal financial risks.\nAll entrepreneurs are taking more than normal financial risks.\nAll risk-averse working people are people who have corporate jobs.\nAll working people who hate working for others want to be entrepreneurs.\nIf Mark Zuckerberg is neither an entrepreneur nor a person who hates working for others, then Mark Zuckerberg is not a risk-averse working person.", "premises-FOL": "\u2200x (Have(x, corporateJob) \u2192 \u00acTake(x, financialRisk))\n\u2200x (Entrepreneur(x) \u2192 Take(x, financialRisk))\n\u2200x (RiskAverse(x) \u2192 Have(x, corporateJob))\n\u2200x (\u2203y \u2203z (\u00ac(y=x) \u2227 \u00ac(z=x) \u2227 \u00ac(y=z) \u2227 HateWorkingFor(x, y) \u2227 HateWorkingFor(x, z)) \u2192 Entrepreneur(x))\n\u00acEntrepreneur(markZuckerberg) \u2227 \u00ac(\u2203y \u2203z (\u00ac(y=markZuckerberg) \u2227 \u00ac(z=markZuckerberg) \u2227 \u00ac(y=z) \u2227 HateWorkingFor(markZuckerberg, y) \u2227 HateWorkingFor(markZuckerberg, z))) \u2192 \u00acRiskAverse(markZuckerberg)", "conclusion": "Mark Zuckerberg is not a risk-averse person.", "conclusion-FOL": "\u00acRiskAverse(markZuckerberg)", "label": "True", "example_id": 818} +{"story_id": 200, "premises": "Wildfeed exists as an unannounced program.\nWildfeed can be sporting events, news, or syndicated shows.\nPre-recorded content is a copyright violation.\nPrograms are pre-recorded.", "premises-FOL": "\u2203x (Wildfeed(x) \u2227 Unannounced(x) \u2227 Program(x))\n\u2200x (Wildfeed(x) \u2192 SportingEvent(x) \u2228 News(x) \u2228 SyndicatedShow(x))\n\u2200x (Prerecorded(x) \u2192 CopyrightViolation(x))\n\u2200x (Program(x) \u2192 Prerecorded(x))", "conclusion": "Some wildfeed is violating copyright laws.", "conclusion-FOL": "\u2203x (Wildfeed(x) \u2227 CopyrightViolation(x))", "label": "True", "example_id": 569} +{"story_id": 200, "premises": "Wildfeed exists as an unannounced program.\nWildfeed can be sporting events, news, or syndicated shows.\nPre-recorded content is a copyright violation.\nPrograms are pre-recorded.", "premises-FOL": "\u2203x (Wildfeed(x) \u2227 Unannounced(x) \u2227 Program(x))\n\u2200x (Wildfeed(x) \u2192 SportingEvent(x) \u2228 News(x) \u2228 SyndicatedShow(x))\n\u2200x (Prerecorded(x) \u2192 CopyrightViolation(x))\n\u2200x (Program(x) \u2192 Prerecorded(x))", "conclusion": "Wildfeed can be prerecorded.", "conclusion-FOL": "\u2203x (Wildfeed(x) \u2227 Prerecorded(x))", "label": "True", "example_id": 570} +{"story_id": 200, "premises": "Wildfeed exists as an unannounced program.\nWildfeed can be sporting events, news, or syndicated shows.\nPre-recorded content is a copyright violation.\nPrograms are pre-recorded.", "premises-FOL": "\u2203x (Wildfeed(x) \u2227 Unannounced(x) \u2227 Program(x))\n\u2200x (Wildfeed(x) \u2192 SportingEvent(x) \u2228 News(x) \u2228 SyndicatedShow(x))\n\u2200x (Prerecorded(x) \u2192 CopyrightViolation(x))\n\u2200x (Program(x) \u2192 Prerecorded(x))", "conclusion": "Syndicated shows are copyright violations.", "conclusion-FOL": "\u2203x (SyndicatedShows(x) \u2227 CopyrightViolation(x))", "label": "Uncertain", "example_id": 571} +{"story_id": 127, "premises": "New York City is Located in the United States of America.\nThe United States of America is part of North America.\nNorth America is in the western hemisphere of the earth.\nNew York City is a highly developed city.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.", "premises-FOL": "LocatedIn(newYorkCity, unitedStatesOfAmerica)\nLocatedIn(usa, northAmerica)\nLocatedIn(northAmerica, westernHemisphere)\nHighlyDeveloped(newYorkCity)\n\u2200x \u2200y \u2200z ((LocatedIn(x, y) \u2227 LocatedIn(y, z)) \u2192 LocatedIn(x, z))", "conclusion": "A highly developed city is located in the western hemisphere of the earth.", "conclusion-FOL": "\u2203x (HighlyDeveloped(x) \u2227 LocatedIn(x, westernHemisphere))", "label": "True", "example_id": 376} +{"story_id": 127, "premises": "New York City is Located in the United States of America.\nThe United States of America is part of North America.\nNorth America is in the western hemisphere of the earth.\nNew York City is a highly developed city.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.", "premises-FOL": "LocatedIn(newYorkCity, unitedStatesOfAmerica)\nLocatedIn(usa, northAmerica)\nLocatedIn(northAmerica, westernHemisphere)\nHighlyDeveloped(newYorkCity)\n\u2200x \u2200y \u2200z ((LocatedIn(x, y) \u2227 LocatedIn(y, z)) \u2192 LocatedIn(x, z))", "conclusion": "The United States of America is not located in the western hemisphere of the earth.", "conclusion-FOL": "\u00acLocatedIn(unitedStatesOfAmerica, westHemisphere)", "label": "False", "example_id": 377} +{"story_id": 127, "premises": "New York City is Located in the United States of America.\nThe United States of America is part of North America.\nNorth America is in the western hemisphere of the earth.\nNew York City is a highly developed city.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.", "premises-FOL": "LocatedIn(newYorkCity, unitedStatesOfAmerica)\nLocatedIn(usa, northAmerica)\nLocatedIn(northAmerica, westernHemisphere)\nHighlyDeveloped(newYorkCity)\n\u2200x \u2200y \u2200z ((LocatedIn(x, y) \u2227 LocatedIn(y, z)) \u2192 LocatedIn(x, z))", "conclusion": "New York City is located in New York State.", "conclusion-FOL": "LocatedIn(newYorkCity, newYork)", "label": "Uncertain", "example_id": 378} +{"story_id": 146, "premises": "Catullus 4 is a poem written by the ancient Roman writer Catullus.\nCatullus 4 is a story about the retirement of a well-traveled ship.\nThere is a strong analogy of human aging in the poem Catullus 4.\nCatullus 4 is written in an unusual iambic trimeter to convey a sense of speed over the waves.", "premises-FOL": "Poem(catullus4) \u2227 WrittenBy(catullus4, catullus) \u2227 AncientRomanWriter(catullus)\nStory(catullus4) \u2227 About(catullus4, retirementOfAWellTraveledShip)\nPoem(catullus4) \u2227 StrongAgingAnalogy(catullus4)\nPoem(catullus4) \u2227 WrittenIn(catullus4, iambicTrimeter) \u2227 Convey(catullus4, aSenseOfSpeedOverTheWaves)", "conclusion": "There is a poem written by an ancient Roman writer with a strong analogy of human aging.", "conclusion-FOL": "\u2203x \u2203y (Poem(x) \u2227 WrittenBy(x, y) \u2227 AncietRomanWriter(y) \u2227 StrongAgingAnalogy(x))", "label": "True", "example_id": 427} +{"story_id": 146, "premises": "Catullus 4 is a poem written by the ancient Roman writer Catullus.\nCatullus 4 is a story about the retirement of a well-traveled ship.\nThere is a strong analogy of human aging in the poem Catullus 4.\nCatullus 4 is written in an unusual iambic trimeter to convey a sense of speed over the waves.", "premises-FOL": "Poem(catullus4) \u2227 WrittenBy(catullus4, catullus) \u2227 AncientRomanWriter(catullus)\nStory(catullus4) \u2227 About(catullus4, retirementOfAWellTraveledShip)\nPoem(catullus4) \u2227 StrongAgingAnalogy(catullus4)\nPoem(catullus4) \u2227 WrittenIn(catullus4, iambicTrimeter) \u2227 Convey(catullus4, aSenseOfSpeedOverTheWaves)", "conclusion": "There is a poem written by an ancient Roman writer in iambic trimeter.", "conclusion-FOL": "\u2203x \u2203y (Poem(x) \u2227 WrittenBy(x, y) \u2227 AncientRomanWriter(y) \u2227 WrittenIn(x, iambicTrimeter))", "label": "Uncertain", "example_id": 428} +{"story_id": 146, "premises": "Catullus 4 is a poem written by the ancient Roman writer Catullus.\nCatullus 4 is a story about the retirement of a well-traveled ship.\nThere is a strong analogy of human aging in the poem Catullus 4.\nCatullus 4 is written in an unusual iambic trimeter to convey a sense of speed over the waves.", "premises-FOL": "Poem(catullus4) \u2227 WrittenBy(catullus4, catullus) \u2227 AncientRomanWriter(catullus)\nStory(catullus4) \u2227 About(catullus4, retirementOfAWellTraveledShip)\nPoem(catullus4) \u2227 StrongAgingAnalogy(catullus4)\nPoem(catullus4) \u2227 WrittenIn(catullus4, iambicTrimeter) \u2227 Convey(catullus4, aSenseOfSpeedOverTheWaves)", "conclusion": "Callus 4 is written in an unusual iambic trimeter to convey a strong analogy of human aging.", "conclusion-FOL": "Poem(catullus4) \u2227 WrittenIn(catullus4, iambicTrimeter) \u2227 StrongAgingAnalogy(catullus4)", "label": "True", "example_id": 429} +{"story_id": 235, "premises": "Westworld is an American science fiction-thriller TV series.\nIn 2016, a television series named Westworld debuted on HBO.\nThe TV series Westworld is adapted from the original film in 1973, which was written and directed by Michael Crichton.\nThe 1973 film Westworld is about robots that malfunction and begin killing human visitors.", "premises-FOL": "American(westworld) \u2227 ScienceFictionThriller(westworld)\nDebut(westworld, year2016) \u2227 TvSeries(westworld)\nAdapted(westworld, westworldTheFilm) \u2227 Produce(westworldTheFilm, year1973) \u2227 Wrote(michael, westworldTheFilm) \u2227 Directed(michael, westworldTheFilm)\nFilm(westworldTheFilm) \u2227 About(westworldTheFilm, malfunctioningRobots)", "conclusion": "Michael Crichton has directed a film about malfunctioning robots.", "conclusion-FOL": "\u2203x (Film(x) \u2227 Directed(michael, x) \u2227 About(x, malfunctioningRobots))", "label": "True", "example_id": 666} +{"story_id": 235, "premises": "Westworld is an American science fiction-thriller TV series.\nIn 2016, a television series named Westworld debuted on HBO.\nThe TV series Westworld is adapted from the original film in 1973, which was written and directed by Michael Crichton.\nThe 1973 film Westworld is about robots that malfunction and begin killing human visitors.", "premises-FOL": "American(westworld) \u2227 ScienceFictionThriller(westworld)\nDebut(westworld, year2016) \u2227 TvSeries(westworld)\nAdapted(westworld, westworldTheFilm) \u2227 Produce(westworldTheFilm, year1973) \u2227 Wrote(michael, westworldTheFilm) \u2227 Directed(michael, westworldTheFilm)\nFilm(westworldTheFilm) \u2227 About(westworldTheFilm, malfunctioningRobots)", "conclusion": "An American TV series debuted in 2016.", "conclusion-FOL": "\u2203x (TVSeries(x) \u2227 American(x) \u2227 Debut(x, year2016))", "label": "True", "example_id": 667} +{"story_id": 231, "premises": "The 2008 Summer Olympics were held in Beijing, China.\nThe 2008 Summer Olympics was the second Summer Olympic Games held in a communist state.\nChina won the most gold medals (48) in the 2008 Summer Olympics.\nThe United States placed second in the gold medal tally but won the highest number of medals overall (112) in the 2008 Summer Olympics.\nThe third place in the gold medal tally was achieved by Russia in the 2008 Summer Olympics.\nIf a country placed third in gold medals, then it had fewer gold medals than the team that won the most gold medals.", "premises-FOL": "HeldIn(2008SummerOlympics, beijingChina)\nSecondSummerOlympicsGames(2008SummerOlympics) \u2227 BeHeldIn(2008SummerOlympics, communistState)\nWon(china, theMostGoldMedals)\nPlacedSecondInGoldMedalsIn(unitedStates, 2008SummerOlympics) \u2227 Won(unitedStates, highestNumberOfMedals)\nPlacedThirdInGoldMedalsIn(russia, 2008SummerOlympics)\n\u2200x \u2200y (Placed(x, thirdInGoldMedals) \u2227 Won(y, mostGoldMedals) \u2192 FewerGoldMedalsThan(x, y))", "conclusion": "Russia did not win fewer gold medals than China.", "conclusion-FOL": "\u00acFewerGoldMedalsThan(russia, china)", "label": "False", "example_id": 655} +{"story_id": 231, "premises": "The 2008 Summer Olympics were held in Beijing, China.\nThe 2008 Summer Olympics was the second Summer Olympic Games held in a communist state.\nChina won the most gold medals (48) in the 2008 Summer Olympics.\nThe United States placed second in the gold medal tally but won the highest number of medals overall (112) in the 2008 Summer Olympics.\nThe third place in the gold medal tally was achieved by Russia in the 2008 Summer Olympics.\nIf a country placed third in gold medals, then it had fewer gold medals than the team that won the most gold medals.", "premises-FOL": "HeldIn(2008SummerOlympics, beijingChina)\nSecondSummerOlympicsGames(2008SummerOlympics) \u2227 BeHeldIn(2008SummerOlympics, communistState)\nWon(china, theMostGoldMedals)\nPlacedSecondInGoldMedalsIn(unitedStates, 2008SummerOlympics) \u2227 Won(unitedStates, highestNumberOfMedals)\nPlacedThirdInGoldMedalsIn(russia, 2008SummerOlympics)\n\u2200x \u2200y (Placed(x, thirdInGoldMedals) \u2227 Won(y, mostGoldMedals) \u2192 FewerGoldMedalsThan(x, y))", "conclusion": "Russia won fewer gold medals than China.", "conclusion-FOL": "FewerGoldMedalsThan(russia, china)", "label": "True", "example_id": 656} +{"story_id": 27, "premises": "Xiufeng, Xiangshan, Diecai, Qixing are districts in the city of Guilin.\nYangshuo is not a district in Guilin. ", "premises-FOL": "DistrictIn(xiufeng, guilin) \u2227 DistrictIn(xiangshan, guilin) \u2227 DistrictIn(diecai, guilin) \u2227 DistrictIn(qixing, guilin) \u2227 City(guilin)\n\u00acDistrictIn(yangshuo, guilin)", "conclusion": "Xiangshan and Diecai are districts in the same city.", "conclusion-FOL": "\u2203x (DistrictIn(xiangshan, x) \u2227 DistrictIn(diecai, x) \u2227 City(x))", "label": "True", "example_id": 77} +{"story_id": 27, "premises": "Xiufeng, Xiangshan, Diecai, Qixing are districts in the city of Guilin.\nYangshuo is not a district in Guilin. ", "premises-FOL": "DistrictIn(xiufeng, guilin) \u2227 DistrictIn(xiangshan, guilin) \u2227 DistrictIn(diecai, guilin) \u2227 DistrictIn(qixing, guilin) \u2227 City(guilin)\n\u00acDistrictIn(yangshuo, guilin)", "conclusion": "Xiufeng is a district in Guilin.", "conclusion-FOL": "DistrictIn(xiufeng, guilin)", "label": "True", "example_id": 78} +{"story_id": 27, "premises": "Xiufeng, Xiangshan, Diecai, Qixing are districts in the city of Guilin.\nYangshuo is not a district in Guilin. ", "premises-FOL": "DistrictIn(xiufeng, guilin) \u2227 DistrictIn(xiangshan, guilin) \u2227 DistrictIn(diecai, guilin) \u2227 DistrictIn(qixing, guilin) \u2227 City(guilin)\n\u00acDistrictIn(yangshuo, guilin)", "conclusion": "Kowloon District is in Hong Kong.", "conclusion-FOL": "DistrictIn(kowloon, hongKong)", "label": "Uncertain", "example_id": 79} +{"story_id": 375, "premises": "All of Michael's neighbors who grow their own fresh vegetables in their home gardens also have ample space.\nAll of Michael's neighbors who are young working professionals and live in large cities, do not have ample space.\nAll of Michael's neighbors who order takeout from delivery services often grow their own fresh vegetables in their home garden.\nAll of Michael's neighbors who enjoy going out often to restaurants with friends order takeout from delivery services often.\nAll of Michael's neighbors who regularly tout the benefits of homegrown and homecooked meals over fast food enjoy going out often to restaurants with friends. \nPeter, Michael's neighbor, grows his own fresh vegetables in his home garden, or regularly touts the benefits of homegrown and homecooked meals over fast food, or both.", "premises-FOL": "\u2200x (MichaelsNeightbor(x) \u2227 GrowIn(x, vegetable, garden) \u2192 Have(x, ampleSpace))\n\u2200x (MichaelsNeightbor(x) \u2227 YoungWorkingProfession(x) \u2227 LiveIn(x, largeCity) \u2192 \u00acHave(x, ampleSpace))\n\u2200x (MichaelsNeightbor(x) \u2227 OrderOften(x, takeout) \u2192 Grow(x, vegetable, garden))\n\u2200x (MichaelsNeightbor(x) \u2227 EnjoyGoingOutOftenToWith(x, restaurant, friend) \u2192 OrderOften(x, takeout))\n\u2200x (MichaelsNeightbor(x) \u2227 ToutOver(x, homecookedMeals, fastFood) \u2192 EnjoyGoingOutOftenToWith(x, restaurant, friend))\nMichaelsNeightbor(peter) \u2227 (GrowIn(peter, vegetable, garden) \u2228 ToutOver(peter, homecookedMeals, fastFood))", "conclusion": "Peter enjoys going out often to restaurants with friends.", "conclusion-FOL": "EnjoyGoingOutOftenTo(peter, restaurant, friend)", "label": "Uncertain", "example_id": 999} +{"story_id": 375, "premises": "All of Michael's neighbors who grow their own fresh vegetables in their home gardens also have ample space.\nAll of Michael's neighbors who are young working professionals and live in large cities, do not have ample space.\nAll of Michael's neighbors who order takeout from delivery services often grow their own fresh vegetables in their home garden.\nAll of Michael's neighbors who enjoy going out often to restaurants with friends order takeout from delivery services often.\nAll of Michael's neighbors who regularly tout the benefits of homegrown and homecooked meals over fast food enjoy going out often to restaurants with friends. \nPeter, Michael's neighbor, grows his own fresh vegetables in his home garden, or regularly touts the benefits of homegrown and homecooked meals over fast food, or both.", "premises-FOL": "\u2200x (MichaelsNeightbor(x) \u2227 GrowIn(x, vegetable, garden) \u2192 Have(x, ampleSpace))\n\u2200x (MichaelsNeightbor(x) \u2227 YoungWorkingProfession(x) \u2227 LiveIn(x, largeCity) \u2192 \u00acHave(x, ampleSpace))\n\u2200x (MichaelsNeightbor(x) \u2227 OrderOften(x, takeout) \u2192 Grow(x, vegetable, garden))\n\u2200x (MichaelsNeightbor(x) \u2227 EnjoyGoingOutOftenToWith(x, restaurant, friend) \u2192 OrderOften(x, takeout))\n\u2200x (MichaelsNeightbor(x) \u2227 ToutOver(x, homecookedMeals, fastFood) \u2192 EnjoyGoingOutOftenToWith(x, restaurant, friend))\nMichaelsNeightbor(peter) \u2227 (GrowIn(peter, vegetable, garden) \u2228 ToutOver(peter, homecookedMeals, fastFood))", "conclusion": "Peter is a young working professional who lives in large cities.", "conclusion-FOL": "YoungWorkingProfession(peter) \u2227 LiveIn(peter, largeCity)", "label": "False", "example_id": 1000} +{"story_id": 375, "premises": "All of Michael's neighbors who grow their own fresh vegetables in their home gardens also have ample space.\nAll of Michael's neighbors who are young working professionals and live in large cities, do not have ample space.\nAll of Michael's neighbors who order takeout from delivery services often grow their own fresh vegetables in their home garden.\nAll of Michael's neighbors who enjoy going out often to restaurants with friends order takeout from delivery services often.\nAll of Michael's neighbors who regularly tout the benefits of homegrown and homecooked meals over fast food enjoy going out often to restaurants with friends. \nPeter, Michael's neighbor, grows his own fresh vegetables in his home garden, or regularly touts the benefits of homegrown and homecooked meals over fast food, or both.", "premises-FOL": "\u2200x (MichaelsNeightbor(x) \u2227 GrowIn(x, vegetable, garden) \u2192 Have(x, ampleSpace))\n\u2200x (MichaelsNeightbor(x) \u2227 YoungWorkingProfession(x) \u2227 LiveIn(x, largeCity) \u2192 \u00acHave(x, ampleSpace))\n\u2200x (MichaelsNeightbor(x) \u2227 OrderOften(x, takeout) \u2192 Grow(x, vegetable, garden))\n\u2200x (MichaelsNeightbor(x) \u2227 EnjoyGoingOutOftenToWith(x, restaurant, friend) \u2192 OrderOften(x, takeout))\n\u2200x (MichaelsNeightbor(x) \u2227 ToutOver(x, homecookedMeals, fastFood) \u2192 EnjoyGoingOutOftenToWith(x, restaurant, friend))\nMichaelsNeightbor(peter) \u2227 (GrowIn(peter, vegetable, garden) \u2228 ToutOver(peter, homecookedMeals, fastFood))", "conclusion": "Peter grows his own fresh vegetables in their home garden or is a young working professional who lives in large cities.", "conclusion-FOL": "GrowIn(peter, vegetable, garden) \u2228 (YoungWorkingProfession(peter) \u2227 LiveIn(peter, largeCity))", "label": "True", "example_id": 1001} +{"story_id": 62, "premises": "All devices belonging to the company are connected to Google Home. \nAll devices belonging to employees are connected to the company's wifi. \nAll devices connected to Google Home are controlled by the managers. \nAll devices that connect to the company's wifi are easy to operate. \nModelXX belongs to employees. ", "premises-FOL": "\u2200x (OwnedBy(x, company) \u2192 ConnectedTo(x, googleHome))\n\u2200x (OwnedBy(x, employee) \u2192 ConnectedTo(x, companyWiFi))\n\u2200x (ConnectedTo(x, googleHome) \u2192 ControlledBy(x, managers))\n\u2200x (ConnectedTo(x, companyWiFi) \u2192 EasyToOperate(x))\nOwnedBy(modelXX, employee)", "conclusion": "ModelXX is easy to operate.", "conclusion-FOL": "EasyToOperate(modelXX)", "label": "True", "example_id": 183} +{"story_id": 62, "premises": "All devices belonging to the company are connected to Google Home. \nAll devices belonging to employees are connected to the company's wifi. \nAll devices connected to Google Home are controlled by the managers. \nAll devices that connect to the company's wifi are easy to operate. \nModelXX belongs to employees. ", "premises-FOL": "\u2200x (OwnedBy(x, company) \u2192 ConnectedTo(x, googleHome))\n\u2200x (OwnedBy(x, employee) \u2192 ConnectedTo(x, companyWiFi))\n\u2200x (ConnectedTo(x, googleHome) \u2192 ControlledBy(x, managers))\n\u2200x (ConnectedTo(x, companyWiFi) \u2192 EasyToOperate(x))\nOwnedBy(modelXX, employee)", "conclusion": "ModelXX is controlled by managers.", "conclusion-FOL": "ControlledBy(modelXX, managers)", "label": "Uncertain", "example_id": 184} +{"story_id": 62, "premises": "All devices belonging to the company are connected to Google Home. \nAll devices belonging to employees are connected to the company's wifi. \nAll devices connected to Google Home are controlled by the managers. \nAll devices that connect to the company's wifi are easy to operate. \nModelXX belongs to employees. ", "premises-FOL": "\u2200x (OwnedBy(x, company) \u2192 ConnectedTo(x, googleHome))\n\u2200x (OwnedBy(x, employee) \u2192 ConnectedTo(x, companyWiFi))\n\u2200x (ConnectedTo(x, googleHome) \u2192 ControlledBy(x, managers))\n\u2200x (ConnectedTo(x, companyWiFi) \u2192 EasyToOperate(x))\nOwnedBy(modelXX, employee)", "conclusion": "ModelXX is connected to Google Home.", "conclusion-FOL": "ConnectedTo(modelXX, googleHome)", "label": "Uncertain", "example_id": 185} +{"story_id": 407, "premises": "No touring musicians who perform at the New Haven Symphony Orchestra are permanent members of the orchestra.\nMusicians who perform at the New Haven Symphony Orchestra are permanent members of an orchestra, or they have temporary roles at the orchestra.\nAll touring musicians who perform at the New Haven Symphony Orchestra have temporary roles at the orchestra.\nAll musicians performing at the New Haven Symphony Orchestra who have temporary roles at the orchestra are interesting soloists.\nAll musicians performing at New Haven Symphony Orchestra who are interesting soloists are capable of attracting audiences.\nRyan is performing at New Haven Symphony Orchestra.\nIf Ryan is an interesting soloist and has a temporary role at the orchestra, then he is capable of attracting large audiences if and only if he is a touring soloist musician. ", "premises-FOL": "\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 TouringMusician(x)) \u2192 \u00acPermanentMemberOf(x, theOrchestra))\n\u2200x (PerformAt(x, newHavenSymphonyOrchestra) \u2192 (PermanentMemberOf(x, theOrchestra) \u2228 HaveTemporaryRoleAt(x, theOrchestra)))\n\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 TouringMusicians(x)) \u2192 HaveTemporaryRoleAt(x, theOrchestra))\n\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 HaveTemporaryRoleAt(x, theOrchestra)) \u2192 InterestingSoloist(x))\n\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 InterestingSoloist(x)) \u2192 CapableOfAttractingAudiences(x))\nPerformAt(ryan, newHavenSymphonyOrchestra)\n(InterestingSoloist(ryan) \u2227 HaveTemporaryRoleAt(ryan, theOrchestra)) \u2192 \u00ac(TouringMusician(ryan) \u2295 CapableOfAttractingAudiences(ryan))", "conclusion": "Ryan is an interesting soloist.", "conclusion-FOL": "InterestingSoloist(ryan)", "label": "Uncertain", "example_id": 1130} +{"story_id": 407, "premises": "No touring musicians who perform at the New Haven Symphony Orchestra are permanent members of the orchestra.\nMusicians who perform at the New Haven Symphony Orchestra are permanent members of an orchestra, or they have temporary roles at the orchestra.\nAll touring musicians who perform at the New Haven Symphony Orchestra have temporary roles at the orchestra.\nAll musicians performing at the New Haven Symphony Orchestra who have temporary roles at the orchestra are interesting soloists.\nAll musicians performing at New Haven Symphony Orchestra who are interesting soloists are capable of attracting audiences.\nRyan is performing at New Haven Symphony Orchestra.\nIf Ryan is an interesting soloist and has a temporary role at the orchestra, then he is capable of attracting large audiences if and only if he is a touring soloist musician. ", "premises-FOL": "\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 TouringMusician(x)) \u2192 \u00acPermanentMemberOf(x, theOrchestra))\n\u2200x (PerformAt(x, newHavenSymphonyOrchestra) \u2192 (PermanentMemberOf(x, theOrchestra) \u2228 HaveTemporaryRoleAt(x, theOrchestra)))\n\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 TouringMusicians(x)) \u2192 HaveTemporaryRoleAt(x, theOrchestra))\n\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 HaveTemporaryRoleAt(x, theOrchestra)) \u2192 InterestingSoloist(x))\n\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 InterestingSoloist(x)) \u2192 CapableOfAttractingAudiences(x))\nPerformAt(ryan, newHavenSymphonyOrchestra)\n(InterestingSoloist(ryan) \u2227 HaveTemporaryRoleAt(ryan, theOrchestra)) \u2192 \u00ac(TouringMusician(ryan) \u2295 CapableOfAttractingAudiences(ryan))", "conclusion": "Ryan is either a permanent member of an orchestra or a touring soloist musician.", "conclusion-FOL": "(PermanentMemberOf(ryan, orchestra) \u2295 TouringMusician(ryan))", "label": "True", "example_id": 1131} +{"story_id": 407, "premises": "No touring musicians who perform at the New Haven Symphony Orchestra are permanent members of the orchestra.\nMusicians who perform at the New Haven Symphony Orchestra are permanent members of an orchestra, or they have temporary roles at the orchestra.\nAll touring musicians who perform at the New Haven Symphony Orchestra have temporary roles at the orchestra.\nAll musicians performing at the New Haven Symphony Orchestra who have temporary roles at the orchestra are interesting soloists.\nAll musicians performing at New Haven Symphony Orchestra who are interesting soloists are capable of attracting audiences.\nRyan is performing at New Haven Symphony Orchestra.\nIf Ryan is an interesting soloist and has a temporary role at the orchestra, then he is capable of attracting large audiences if and only if he is a touring soloist musician. ", "premises-FOL": "\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 TouringMusician(x)) \u2192 \u00acPermanentMemberOf(x, theOrchestra))\n\u2200x (PerformAt(x, newHavenSymphonyOrchestra) \u2192 (PermanentMemberOf(x, theOrchestra) \u2228 HaveTemporaryRoleAt(x, theOrchestra)))\n\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 TouringMusicians(x)) \u2192 HaveTemporaryRoleAt(x, theOrchestra))\n\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 HaveTemporaryRoleAt(x, theOrchestra)) \u2192 InterestingSoloist(x))\n\u2200x ((PerformAt(x, newHavenSymphonyOrchestra) \u2227 InterestingSoloist(x)) \u2192 CapableOfAttractingAudiences(x))\nPerformAt(ryan, newHavenSymphonyOrchestra)\n(InterestingSoloist(ryan) \u2227 HaveTemporaryRoleAt(ryan, theOrchestra)) \u2192 \u00ac(TouringMusician(ryan) \u2295 CapableOfAttractingAudiences(ryan))", "conclusion": "Ryan is either a permanent member of an orchestra or has a temporary role at the orchestra.", "conclusion-FOL": "(PermanentMemberOf(ryan, orchestra) \u2295 HaveTemporaryRoleAt(ryan, orchestra))", "label": "True", "example_id": 1132} +{"story_id": 482, "premises": "If someone in Potterville yells, then they are not cool.\nIf someone in Potterville is angry, then they yell.\nIf someone in Potterville flies, then they are cool.\nEvery person in Potterville that knows magic flies.\nAll wizards in Potterville know magic.\nHarry, who lives in Potterville either yells or flies. \nPotter, who lives in Potterville, is a wizard and flies.", "premises-FOL": "\u2200x (In(x, potterville) \u2227 Yell(x) \u2192 \u00acCool(x))\n\u2200x (In(x, potterville) \u2227 Angry(x) \u2192 Yell(x))\n\u2200x (In(x, potterville) \u2227 Fly(x) \u2192 Cool(x))\n\u2200x (In(x, potterville) \u2227 Know(x, magic) \u2192 Fly(x))\n\u2200x (In(x, potterville) \u2227 Wizard(x) \u2192 Know(x, magic))\nIn(harry, potterville) \u2227 (Yell(harry) \u2295 Fly(harry))\nWizard(potter) \u2227 Fly(potter)", "conclusion": "Harry is cool.", "conclusion-FOL": "Cool(harry)", "label": "Uncertain", "example_id": 1406} +{"story_id": 482, "premises": "If someone in Potterville yells, then they are not cool.\nIf someone in Potterville is angry, then they yell.\nIf someone in Potterville flies, then they are cool.\nEvery person in Potterville that knows magic flies.\nAll wizards in Potterville know magic.\nHarry, who lives in Potterville either yells or flies. \nPotter, who lives in Potterville, is a wizard and flies.", "premises-FOL": "\u2200x (In(x, potterville) \u2227 Yell(x) \u2192 \u00acCool(x))\n\u2200x (In(x, potterville) \u2227 Angry(x) \u2192 Yell(x))\n\u2200x (In(x, potterville) \u2227 Fly(x) \u2192 Cool(x))\n\u2200x (In(x, potterville) \u2227 Know(x, magic) \u2192 Fly(x))\n\u2200x (In(x, potterville) \u2227 Wizard(x) \u2192 Know(x, magic))\nIn(harry, potterville) \u2227 (Yell(harry) \u2295 Fly(harry))\nWizard(potter) \u2227 Fly(potter)", "conclusion": "Harry is not cool.", "conclusion-FOL": "\u00acCool(harry)", "label": "Uncertain", "example_id": 1407} +{"story_id": 482, "premises": "If someone in Potterville yells, then they are not cool.\nIf someone in Potterville is angry, then they yell.\nIf someone in Potterville flies, then they are cool.\nEvery person in Potterville that knows magic flies.\nAll wizards in Potterville know magic.\nHarry, who lives in Potterville either yells or flies. \nPotter, who lives in Potterville, is a wizard and flies.", "premises-FOL": "\u2200x (In(x, potterville) \u2227 Yell(x) \u2192 \u00acCool(x))\n\u2200x (In(x, potterville) \u2227 Angry(x) \u2192 Yell(x))\n\u2200x (In(x, potterville) \u2227 Fly(x) \u2192 Cool(x))\n\u2200x (In(x, potterville) \u2227 Know(x, magic) \u2192 Fly(x))\n\u2200x (In(x, potterville) \u2227 Wizard(x) \u2192 Know(x, magic))\nIn(harry, potterville) \u2227 (Yell(harry) \u2295 Fly(harry))\nWizard(potter) \u2227 Fly(potter)", "conclusion": "Harry is a wizard or angry.", "conclusion-FOL": "Wizard(harry) \u2228 Angry(harry)", "label": "False", "example_id": 1408} +{"story_id": 482, "premises": "If someone in Potterville yells, then they are not cool.\nIf someone in Potterville is angry, then they yell.\nIf someone in Potterville flies, then they are cool.\nEvery person in Potterville that knows magic flies.\nAll wizards in Potterville know magic.\nHarry, who lives in Potterville either yells or flies. \nPotter, who lives in Potterville, is a wizard and flies.", "premises-FOL": "\u2200x (In(x, potterville) \u2227 Yell(x) \u2192 \u00acCool(x))\n\u2200x (In(x, potterville) \u2227 Angry(x) \u2192 Yell(x))\n\u2200x (In(x, potterville) \u2227 Fly(x) \u2192 Cool(x))\n\u2200x (In(x, potterville) \u2227 Know(x, magic) \u2192 Fly(x))\n\u2200x (In(x, potterville) \u2227 Wizard(x) \u2192 Know(x, magic))\nIn(harry, potterville) \u2227 (Yell(harry) \u2295 Fly(harry))\nWizard(potter) \u2227 Fly(potter)", "conclusion": "Harry is neither a wizard nor angry.", "conclusion-FOL": "\u00acWizard(harry) \u2227 \u00acAngry(harry)", "label": "True", "example_id": 1409} +{"story_id": 436, "premises": "All of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.", "premises-FOL": "\u2200x (ThisBrand(x) \u2227 Product(x) \u2192 (ProducedIn(x, china) \u2295 ProducedIn(x, uS)))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 ProducedIn(x, china)) \u2192 Labeled(x))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 ProducedIn(x, us)) \u2192 SoldIn(x, us))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 Labeled(x)) \u2192 Cheaper(x))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 SoldIn(x, us)) \u2192 SoldIn(x, walmart))\n\u2200x (ThisBrand(x) \u2227 Product(x) \u2227 DisplayedIn(x, homepage) \u2192 SoldIn(x, walmart))\n\u2200x (ThisBrand(x) \u2227 Product(x) \u2227 ReturnedBy(x, customer) \u2192 \u00acSoldIn(x, walmart))\nProduct(g910) \u2227 ThisBrand(g910) \u2227 (\u00ac(DisplayedIn(g910, homepage) \u2295 Cheaper(g910)))", "conclusion": "G-910 is displayed on the homepage.", "conclusion-FOL": "DisplayedIn(g910, homepage)", "label": "Uncertain", "example_id": 1248} +{"story_id": 436, "premises": "All of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.", "premises-FOL": "\u2200x (ThisBrand(x) \u2227 Product(x) \u2192 (ProducedIn(x, china) \u2295 ProducedIn(x, uS)))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 ProducedIn(x, china)) \u2192 Labeled(x))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 ProducedIn(x, us)) \u2192 SoldIn(x, us))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 Labeled(x)) \u2192 Cheaper(x))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 SoldIn(x, us)) \u2192 SoldIn(x, walmart))\n\u2200x (ThisBrand(x) \u2227 Product(x) \u2227 DisplayedIn(x, homepage) \u2192 SoldIn(x, walmart))\n\u2200x (ThisBrand(x) \u2227 Product(x) \u2227 ReturnedBy(x, customer) \u2192 \u00acSoldIn(x, walmart))\nProduct(g910) \u2227 ThisBrand(g910) \u2227 (\u00ac(DisplayedIn(g910, homepage) \u2295 Cheaper(g910)))", "conclusion": "G-910 is not displayed on the homepage.", "conclusion-FOL": "\u00acDisplayedIn(g910, homepage)", "label": "Uncertain", "example_id": 1249} +{"story_id": 436, "premises": "All of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.", "premises-FOL": "\u2200x (ThisBrand(x) \u2227 Product(x) \u2192 (ProducedIn(x, china) \u2295 ProducedIn(x, uS)))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 ProducedIn(x, china)) \u2192 Labeled(x))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 ProducedIn(x, us)) \u2192 SoldIn(x, us))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 Labeled(x)) \u2192 Cheaper(x))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 SoldIn(x, us)) \u2192 SoldIn(x, walmart))\n\u2200x (ThisBrand(x) \u2227 Product(x) \u2227 DisplayedIn(x, homepage) \u2192 SoldIn(x, walmart))\n\u2200x (ThisBrand(x) \u2227 Product(x) \u2227 ReturnedBy(x, customer) \u2192 \u00acSoldIn(x, walmart))\nProduct(g910) \u2227 ThisBrand(g910) \u2227 (\u00ac(DisplayedIn(g910, homepage) \u2295 Cheaper(g910)))", "conclusion": "G-910 is a product returned by customers.", "conclusion-FOL": "ThisBrand(g910) \u2227 ReturnedBy(g910, customer)", "label": "False", "example_id": 1250} +{"story_id": 436, "premises": "All of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.", "premises-FOL": "\u2200x (ThisBrand(x) \u2227 Product(x) \u2192 (ProducedIn(x, china) \u2295 ProducedIn(x, uS)))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 ProducedIn(x, china)) \u2192 Labeled(x))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 ProducedIn(x, us)) \u2192 SoldIn(x, us))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 Labeled(x)) \u2192 Cheaper(x))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 SoldIn(x, us)) \u2192 SoldIn(x, walmart))\n\u2200x (ThisBrand(x) \u2227 Product(x) \u2227 DisplayedIn(x, homepage) \u2192 SoldIn(x, walmart))\n\u2200x (ThisBrand(x) \u2227 Product(x) \u2227 ReturnedBy(x, customer) \u2192 \u00acSoldIn(x, walmart))\nProduct(g910) \u2227 ThisBrand(g910) \u2227 (\u00ac(DisplayedIn(g910, homepage) \u2295 Cheaper(g910)))", "conclusion": "G-910 is a product returned by customers or sold in Walmart.", "conclusion-FOL": "ThisBrand(g910) \u2227 (ReturnedBy(g910, customer) \u2228 SoldIn(g910, walmart))", "label": "True", "example_id": 1251} +{"story_id": 436, "premises": "All of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.", "premises-FOL": "\u2200x (ThisBrand(x) \u2227 Product(x) \u2192 (ProducedIn(x, china) \u2295 ProducedIn(x, uS)))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 ProducedIn(x, china)) \u2192 Labeled(x))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 ProducedIn(x, us)) \u2192 SoldIn(x, us))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 Labeled(x)) \u2192 Cheaper(x))\n\u2200x ((ThisBrand(x) \u2227 Product(x) \u2227 SoldIn(x, us)) \u2192 SoldIn(x, walmart))\n\u2200x (ThisBrand(x) \u2227 Product(x) \u2227 DisplayedIn(x, homepage) \u2192 SoldIn(x, walmart))\n\u2200x (ThisBrand(x) \u2227 Product(x) \u2227 ReturnedBy(x, customer) \u2192 \u00acSoldIn(x, walmart))\nProduct(g910) \u2227 ThisBrand(g910) \u2227 (\u00ac(DisplayedIn(g910, homepage) \u2295 Cheaper(g910)))", "conclusion": "G-910 is either returned by customers or sold in Walmart.", "conclusion-FOL": "ReturnedBy(g910, customer) \u2295 SoldIn(g910, walmart)", "label": "True", "example_id": 1252} +{"story_id": 354, "premises": "People either believe in Santa Claus, or think he is made up.\nPeople who believe in Santa Claus expect to get presents on Christmas morning.\nPeople who think Santa Claus is made up, then they would be surprised to see him in their house.\nPeople who expect presents on Christmas morning are excited for it to be Christmas.\nIf people would be surprised to see Santa Claus in their house, then they don't leave out cookies on Chrismtas Eve.\nMercy is not someone who expects presents Christmas morning, is excited for Chrismtas, and believes in Santa Claus.", "premises-FOL": "\u2200x (BelieveIn(x, santaClaus) \u2295 ThinkMadeUp(x, santaClaus))\n\u2200x (BelieveIn(x, santaClaus) \u2192 Expect(x, present, christmasMorning))\n\u2200x (ThinkMadeUp(x, santaClaus) \u2192 WouldBeSurprisedToSeeIn(x, santaClaus, house))\n\u2200x (Expect(x, present, christmasMorning) \u2192 ExcitedFor(x, christmas))\n\u2200x (WouldBeSurprisedToSeeIn(x, santaClaus, house) \u2192 \u00acLeaveOut(x, cookies))\n\u00ac(Expect(marcy, present, christmasMorning) \u2227 ExcitedFor(marcy, christmas) \u2227 BelieveIn(marcy, santaClaus))", "conclusion": "Marcy either believes in Santa Claus or doesn't leave cookies out on Christmas Eve.", "conclusion-FOL": "BelieveIn(marcy, santaClaus) \u2295 LeaveOut(marcy, cookies)", "label": "True", "example_id": 939} +{"story_id": 354, "premises": "People either believe in Santa Claus, or think he is made up.\nPeople who believe in Santa Claus expect to get presents on Christmas morning.\nPeople who think Santa Claus is made up, then they would be surprised to see him in their house.\nPeople who expect presents on Christmas morning are excited for it to be Christmas.\nIf people would be surprised to see Santa Claus in their house, then they don't leave out cookies on Chrismtas Eve.\nMercy is not someone who expects presents Christmas morning, is excited for Chrismtas, and believes in Santa Claus.", "premises-FOL": "\u2200x (BelieveIn(x, santaClaus) \u2295 ThinkMadeUp(x, santaClaus))\n\u2200x (BelieveIn(x, santaClaus) \u2192 Expect(x, present, christmasMorning))\n\u2200x (ThinkMadeUp(x, santaClaus) \u2192 WouldBeSurprisedToSeeIn(x, santaClaus, house))\n\u2200x (Expect(x, present, christmasMorning) \u2192 ExcitedFor(x, christmas))\n\u2200x (WouldBeSurprisedToSeeIn(x, santaClaus, house) \u2192 \u00acLeaveOut(x, cookies))\n\u00ac(Expect(marcy, present, christmasMorning) \u2227 ExcitedFor(marcy, christmas) \u2227 BelieveIn(marcy, santaClaus))", "conclusion": "Marcy is not someone who both leaves out cookies on Chrismtas eve and thinks Santa Claus is made up, or Marcy believes in Santa Claus.", "conclusion-FOL": "\u00ac(LeaveOut(marcy, cookies) \u2227 ThinkMadeUp(marcy, santaClaus)) \u2228 BelieveIn(marcy, santaClaus)", "label": "False", "example_id": 940} +{"story_id": 172, "premises": "Indonesia is a country.\nIn Indonesia, the prosecutor only personally investigates cases of some special crimes.\nCorruption is a type of crime.\nOnce the police complete crime investigations, the evidence is handed to the prosecutor. \nEvidence can be either satisfactory or unsatisfactory.\nIf the evidence is handed to the prosecutor and the evidence is satisfactory, the prosecutor will prosecute the offender in an appropriate court.", "premises-FOL": "Country(indonesia)\n\u2200x \u2203y (In(indonesia) \u2227 Prosecutor(x) \u2227 SpecialCrime(y) \u2192 InvestigatePersonally(x, y))\nCrime(corruption)\n\u2200x \u2200y \u2200z (Crime(y) \u2227 PoliceCompleteInvestigation(y) \u2227 Prosecutor(x) \u2192 Evidence(z) \u2227 HandedTo(z, x))\n\u2200x (Evidence(x) \u2227 (Satisfactory(x) \u2295 Unsatisfactory(x)))\n\u2200x \u2200y (Evidence(y) \u2227 Prosecutor(x) \u2227 HandedTo(x) \u2227 Satisfactory(y) \u2192 ProsecuteInAppropriateCourt(x, theOffender))", "conclusion": "When the police complete investigations, the prosecutor will prosecute the offender at an appropriate court.", "conclusion-FOL": "\u2200x \u2200y (Crime(y) \u2227 PoliceCompleteInvestigation(y) \u2227 Prosecutor(x) \u2192 ProsecuteInAppropriateCourt(x, theOffender))", "label": "Uncertain", "example_id": 494} +{"story_id": 172, "premises": "Indonesia is a country.\nIn Indonesia, the prosecutor only personally investigates cases of some special crimes.\nCorruption is a type of crime.\nOnce the police complete crime investigations, the evidence is handed to the prosecutor. \nEvidence can be either satisfactory or unsatisfactory.\nIf the evidence is handed to the prosecutor and the evidence is satisfactory, the prosecutor will prosecute the offender in an appropriate court.", "premises-FOL": "Country(indonesia)\n\u2200x \u2203y (In(indonesia) \u2227 Prosecutor(x) \u2227 SpecialCrime(y) \u2192 InvestigatePersonally(x, y))\nCrime(corruption)\n\u2200x \u2200y \u2200z (Crime(y) \u2227 PoliceCompleteInvestigation(y) \u2227 Prosecutor(x) \u2192 Evidence(z) \u2227 HandedTo(z, x))\n\u2200x (Evidence(x) \u2227 (Satisfactory(x) \u2295 Unsatisfactory(x)))\n\u2200x \u2200y (Evidence(y) \u2227 Prosecutor(x) \u2227 HandedTo(x) \u2227 Satisfactory(y) \u2192 ProsecuteInAppropriateCourt(x, theOffender))", "conclusion": "In Indonesia, the prosecutor personally investigates cases of corruption.", "conclusion-FOL": "\u2200x (Country(indonesia) \u2227 Prosecutor(x) \u2227 Crime(corruption) \u2192 InvestigatePersonally(x, corruption))", "label": "Uncertain", "example_id": 495} +{"story_id": 172, "premises": "Indonesia is a country.\nIn Indonesia, the prosecutor only personally investigates cases of some special crimes.\nCorruption is a type of crime.\nOnce the police complete crime investigations, the evidence is handed to the prosecutor. \nEvidence can be either satisfactory or unsatisfactory.\nIf the evidence is handed to the prosecutor and the evidence is satisfactory, the prosecutor will prosecute the offender in an appropriate court.", "premises-FOL": "Country(indonesia)\n\u2200x \u2203y (In(indonesia) \u2227 Prosecutor(x) \u2227 SpecialCrime(y) \u2192 InvestigatePersonally(x, y))\nCrime(corruption)\n\u2200x \u2200y \u2200z (Crime(y) \u2227 PoliceCompleteInvestigation(y) \u2227 Prosecutor(x) \u2192 Evidence(z) \u2227 HandedTo(z, x))\n\u2200x (Evidence(x) \u2227 (Satisfactory(x) \u2295 Unsatisfactory(x)))\n\u2200x \u2200y (Evidence(y) \u2227 Prosecutor(x) \u2227 HandedTo(x) \u2227 Satisfactory(y) \u2192 ProsecuteInAppropriateCourt(x, theOffender))", "conclusion": "When the police complete investigations, the prosecutor investigates personally.", "conclusion-FOL": "\u2200x \u2200y (Crime(y) \u2227 PoliceCompleteInvestigation(y) \u2227 Prosecutor(x) \u2192 InvestigatePersonally(x, y))", "label": "Uncertain", "example_id": 496} +{"story_id": 341, "premises": "No battery-powered watch is automatic.\nAll digital watches are battery-powered.\nSome mechanical watches are automatic.\nAll smart watches are digital.\nMoonwatch is either a digital watch and an automatic, or it is neither.", "premises-FOL": "\u2200x (BatteryPoweredWatch(x) \u2192 \u00acAutomaticWatch(x))\n\u2200x (DigitalWatch(x) \u2192 BatteryPoweredWatch(x))\n\u2203x (MechanicalWatch(x) \u2227 AutomaticWatch(x))\n\u2200x (SmartWatch(x) \u2192 DigitalWatch(x))\n\u00ac(DigitalWatch(moonwatch) \u2295 AutomaticWatch(moonwatch))", "conclusion": "Moonwatch is a mechanical watch.", "conclusion-FOL": "MechanicalWatch(moonWatch)", "label": "Uncertain", "example_id": 896} +{"story_id": 341, "premises": "No battery-powered watch is automatic.\nAll digital watches are battery-powered.\nSome mechanical watches are automatic.\nAll smart watches are digital.\nMoonwatch is either a digital watch and an automatic, or it is neither.", "premises-FOL": "\u2200x (BatteryPoweredWatch(x) \u2192 \u00acAutomaticWatch(x))\n\u2200x (DigitalWatch(x) \u2192 BatteryPoweredWatch(x))\n\u2203x (MechanicalWatch(x) \u2227 AutomaticWatch(x))\n\u2200x (SmartWatch(x) \u2192 DigitalWatch(x))\n\u00ac(DigitalWatch(moonwatch) \u2295 AutomaticWatch(moonwatch))", "conclusion": "Moonwatch is a smartwatch and a mechanical watch.", "conclusion-FOL": "SmartWatch(moonwatch) \u2227 MechanicalWatch(moonwatch)", "label": "False", "example_id": 897} +{"story_id": 341, "premises": "No battery-powered watch is automatic.\nAll digital watches are battery-powered.\nSome mechanical watches are automatic.\nAll smart watches are digital.\nMoonwatch is either a digital watch and an automatic, or it is neither.", "premises-FOL": "\u2200x (BatteryPoweredWatch(x) \u2192 \u00acAutomaticWatch(x))\n\u2200x (DigitalWatch(x) \u2192 BatteryPoweredWatch(x))\n\u2203x (MechanicalWatch(x) \u2227 AutomaticWatch(x))\n\u2200x (SmartWatch(x) \u2192 DigitalWatch(x))\n\u00ac(DigitalWatch(moonwatch) \u2295 AutomaticWatch(moonwatch))", "conclusion": "If Moonwatch is a smartwatch and a mechanical watch, then Moonwatch is not a mechanical watch.", "conclusion-FOL": "SmartWatch(moonwatch) \u2227 MechanicalWatch(moonwatch) \u2192 \u00acMechanicalWatch(moonwatch)", "label": "True", "example_id": 898} +{"story_id": 341, "premises": "No battery-powered watch is automatic.\nAll digital watches are battery-powered.\nSome mechanical watches are automatic.\nAll smart watches are digital.\nMoonwatch is either a digital watch and an automatic, or it is neither.", "premises-FOL": "\u2200x (BatteryPoweredWatch(x) \u2192 \u00acAutomaticWatch(x))\n\u2200x (DigitalWatch(x) \u2192 BatteryPoweredWatch(x))\n\u2203x (MechanicalWatch(x) \u2227 AutomaticWatch(x))\n\u2200x (SmartWatch(x) \u2192 DigitalWatch(x))\n\u00ac(DigitalWatch(moonwatch) \u2295 AutomaticWatch(moonwatch))", "conclusion": "If Moonwatch is a mechanical or battery-powered watch, then Moonwatch is not a smartwatch.", "conclusion-FOL": "MechanicalWatch(moonwatch)) \u2228 BatteryPoweredWatch(moonwatch) \u2192 \u00acSmartWatch(moonwatch)", "label": "True", "example_id": 899} +{"story_id": 243, "premises": "If a person can distinguish the taste of different condiments, then they can also use different condiments for cooking.\nPeople who have a talent of cooking can distinguish the taste of different condiments.\nOnly people with the talent of cooking can make delicious meals.\nIf the meal is popular at the party, then it is delicious.\nJohn can make meals which are popular at the party.", "premises-FOL": "\u2200x (Person(x) \u2227 Can(x, distinguishTheTasteOfDifferentCondiments) \u2192 Can(x, useDifferentCondimentsToCook))\n\u2200x (Person(x) \u2227 Has(x, talentOfCooking) \u2192 Can(x, distinguishTheTasteOfDifferentCondiments))\n\u2200x \u2200y (CanMake(x, y) \u2227 Meal(y) \u2227 Delicious(y) \u2227 Person(x) \u2192 Has(x, talentOfCooking)) \n\u2200x \u2200y (Meal(y) \u2227 PopularAt(y, party) \u2192 Delicious(y))\n\u2203x (Person(john) \u2227 MakeMeal(john, x) \u2227 Meal(x) \u2227 PopularAt(x, party))", "conclusion": "John cannot use different condiments for cooking.", "conclusion-FOL": "\u00acCan(john, useDifferentCondimentsToCook)", "label": "False", "example_id": 686} +{"story_id": 252, "premises": "For a country, if effective monetary policy is possible, it must have successful inflation control and a strong national currency.\nA country cannot simultaneously regulate the exchange rate and successfully control inflation.\nThe introduction of an embargo on foreign trade goods in a country leads to a sharp decrease in exports.\nIf exports fall sharply, this country's national currency cannot be strong.\nInflation control is required to have a strong national currency. \nThere is an embargo on Russian foreign trade goods.", "premises-FOL": "\u2200x (Country(x) \u2227 PossibleEffectiveMonetaryPolicy(x) \u2192 SuccessfulInflationControl(x) \u2227 StongNationalCurrency(x))\n\u00ac(\u2203x (Country(x) \u2227 SuccessfulInflationControl(x) \u2227 RegulateExchangeRate(x)))\n\u2200x (IntroductionOfOn(x, embargo, foreightTradeGoods) \u2192 SharpDecreasesInExport(x))\n\u2200x (SharpDecreasesInExport(x) \u2192 \u00acStongNationalCurrency(x))\n\u2200x (InflationControl(x) \u2192 StongNationalCurrency(x))\nIntroductionOfOn(russia, embargo, foreightTradeGoods)", "conclusion": "In Russia, an effective monetary policy is possible.", "conclusion-FOL": "PossibleEffectiveMonetaryPolicy(russia)", "label": "False", "example_id": 696} +{"story_id": 143, "premises": "Video Gag is a French television series that airs weekly.\nVideo Gag airs on the French broadcast channel TF1. \nIf viewers send funny videos to the French broadcast channel TF1, then Video Gag airs them weekly.\nAll videos aired on Video Gag are in French.", "premises-FOL": "FrenchTelevision(videoGag) \u2227 AirWeekly(videoGag)\nAirOn(videoGag, frenchBroadcastChannelTF1)\n\u2200x (Funny(x) \u2227 Video(x) \u2227 SendIn(viewers, x, frenchBroadcastChannelTF1) \u2192 AirWeekly(x) ) \u2227 AirOn(videoGag, x))\n\u2200x (Video(x) \u2227 AirOn(videoGag, x) \u2192 In(x, french))", "conclusion": "Viewers send funny videos to the French broadcast channel TF1 that are in French.", "conclusion-FOL": "\u2203x (SendIn(viewers, x, frenchBroadcastChannelTF1) \u2227 French(x))", "label": "Uncertain", "example_id": 419} +{"story_id": 143, "premises": "Video Gag is a French television series that airs weekly.\nVideo Gag airs on the French broadcast channel TF1. \nIf viewers send funny videos to the French broadcast channel TF1, then Video Gag airs them weekly.\nAll videos aired on Video Gag are in French.", "premises-FOL": "FrenchTelevision(videoGag) \u2227 AirWeekly(videoGag)\nAirOn(videoGag, frenchBroadcastChannelTF1)\n\u2200x (Funny(x) \u2227 Video(x) \u2227 SendIn(viewers, x, frenchBroadcastChannelTF1) \u2192 AirWeekly(x) ) \u2227 AirOn(videoGag, x))\n\u2200x (Video(x) \u2227 AirOn(videoGag, x) \u2192 In(x, french))", "conclusion": "Viewers send funny videos to the French broadcast channel that are in English.", "conclusion-FOL": "\u2203x (SendIn(viewers, x, frenchBroadcastChannelTF1) \u2227 English(x))", "label": "Uncertain", "example_id": 420} +{"story_id": 476, "premises": "All phones are things.\nAll cell phones are phones. \nAll iPhones are cell phones. \nAll employees are wage earners.\nAll wage earners are human. \nJack is either an employee or a wage earner.\nJack is either a human or a phone.", "premises-FOL": "\u2200x (Phone(x) \u2192 Thing(x))\n\u2200x (Cellphone(x) \u2192 Phone(x))\n\u2200x (Iphone(x) \u2192 Cellphone(x))\n\u2200x (Employee(x) \u2192 WageEarner(x))\n\u2200x (WageEarner(x) \u2192 Human(x))\nEmployee(jack) \u2295 WageEarner(jack) \nHuman(jack) \u2295 Phone(jack)", "conclusion": "Jack is a thing.", "conclusion-FOL": "Thing(jack)", "label": "Uncertain", "example_id": 1381} +{"story_id": 476, "premises": "All phones are things.\nAll cell phones are phones. \nAll iPhones are cell phones. \nAll employees are wage earners.\nAll wage earners are human. \nJack is either an employee or a wage earner.\nJack is either a human or a phone.", "premises-FOL": "\u2200x (Phone(x) \u2192 Thing(x))\n\u2200x (Cellphone(x) \u2192 Phone(x))\n\u2200x (Iphone(x) \u2192 Cellphone(x))\n\u2200x (Employee(x) \u2192 WageEarner(x))\n\u2200x (WageEarner(x) \u2192 Human(x))\nEmployee(jack) \u2295 WageEarner(jack) \nHuman(jack) \u2295 Phone(jack)", "conclusion": "Jack is not a thing.", "conclusion-FOL": "\u00acThing(jack)", "label": "Uncertain", "example_id": 1382} +{"story_id": 476, "premises": "All phones are things.\nAll cell phones are phones. \nAll iPhones are cell phones. \nAll employees are wage earners.\nAll wage earners are human. \nJack is either an employee or a wage earner.\nJack is either a human or a phone.", "premises-FOL": "\u2200x (Phone(x) \u2192 Thing(x))\n\u2200x (Cellphone(x) \u2192 Phone(x))\n\u2200x (Iphone(x) \u2192 Cellphone(x))\n\u2200x (Employee(x) \u2192 WageEarner(x))\n\u2200x (WageEarner(x) \u2192 Human(x))\nEmployee(jack) \u2295 WageEarner(jack) \nHuman(jack) \u2295 Phone(jack)", "conclusion": "Jack is a thing and an iPhone.", "conclusion-FOL": "Thing(jack) \u2227 Iphone(jack)", "label": "False", "example_id": 1383} +{"story_id": 476, "premises": "All phones are things.\nAll cell phones are phones. \nAll iPhones are cell phones. \nAll employees are wage earners.\nAll wage earners are human. \nJack is either an employee or a wage earner.\nJack is either a human or a phone.", "premises-FOL": "\u2200x (Phone(x) \u2192 Thing(x))\n\u2200x (Cellphone(x) \u2192 Phone(x))\n\u2200x (Iphone(x) \u2192 Cellphone(x))\n\u2200x (Employee(x) \u2192 WageEarner(x))\n\u2200x (WageEarner(x) \u2192 Human(x))\nEmployee(jack) \u2295 WageEarner(jack) \nHuman(jack) \u2295 Phone(jack)", "conclusion": "Jack is not both a thing and an iPhone.", "conclusion-FOL": "\u00ac(Thing(jack) \u2227 Iphone(jack))", "label": "True", "example_id": 1384} +{"story_id": 289, "premises": "All iPhones are electronic.\nSome phones are iPhones.", "premises-FOL": "\u2200x (IPhone(x) \u2192 Electronic(x))\n\u2203x \u2203y (Phone(x) \u2227 Phone(y) \u2227 IPhone(x) \u2227 IPhone(y) \u2227 \u00ac(x=y))", "conclusion": "No phones are electronic.", "conclusion-FOL": "\u2200x (Phone(x) \u2192 \u00acElectronic(x))", "label": "False", "example_id": 733} +{"story_id": 38, "premises": "The Metropolitan Museum of Art is a museum in NYC.\nWhitney Museum of American Art is a museum in NYC.\nThe Museum of Modern Art (MoMA) is a museum in NYC. \nThe Metropolitan Museum of Art includes Byzantine and Islamic Art. \nWhitney Museum of American Art includes American art.", "premises-FOL": "Museum(metropolitanMuseumOfArt) \u2227 In(metropolitanMuseumOfArt, nYC)\nMuseum(whitneyMuseumOfAmericanArt) \u2227 In(metropolitanMuseumOfArt, nYC)\nMuseum(museumOfModernArt) \u2227 In(museumOfModernArt, nYC)\nInclude(metropolitanMuseumOfArt, byzantineArt) \u2227 Include(metropolitanMuseumOfArt, islamicArt)\nInclude(whitneyMuseumOfAmericanArt, americanArt)", "conclusion": "A museum in NYC includes Byzantine and Islamic Art.", "conclusion-FOL": "\u2203x (Museum(x) \u2227 In(x, nYC) \u2227 Include(x, byzantineArt) \u2227 Include(x, islamicArt))", "label": "True", "example_id": 110} +{"story_id": 38, "premises": "The Metropolitan Museum of Art is a museum in NYC.\nWhitney Museum of American Art is a museum in NYC.\nThe Museum of Modern Art (MoMA) is a museum in NYC. \nThe Metropolitan Museum of Art includes Byzantine and Islamic Art. \nWhitney Museum of American Art includes American art.", "premises-FOL": "Museum(metropolitanMuseumOfArt) \u2227 In(metropolitanMuseumOfArt, nYC)\nMuseum(whitneyMuseumOfAmericanArt) \u2227 In(metropolitanMuseumOfArt, nYC)\nMuseum(museumOfModernArt) \u2227 In(museumOfModernArt, nYC)\nInclude(metropolitanMuseumOfArt, byzantineArt) \u2227 Include(metropolitanMuseumOfArt, islamicArt)\nInclude(whitneyMuseumOfAmericanArt, americanArt)", "conclusion": "A museum in NYC includes American art.", "conclusion-FOL": "\u2203x (Museum(x) \u2227 In(x, nYC) \u2227 Include(x, americanArt))", "label": "True", "example_id": 111} +{"story_id": 38, "premises": "The Metropolitan Museum of Art is a museum in NYC.\nWhitney Museum of American Art is a museum in NYC.\nThe Museum of Modern Art (MoMA) is a museum in NYC. \nThe Metropolitan Museum of Art includes Byzantine and Islamic Art. \nWhitney Museum of American Art includes American art.", "premises-FOL": "Museum(metropolitanMuseumOfArt) \u2227 In(metropolitanMuseumOfArt, nYC)\nMuseum(whitneyMuseumOfAmericanArt) \u2227 In(metropolitanMuseumOfArt, nYC)\nMuseum(museumOfModernArt) \u2227 In(museumOfModernArt, nYC)\nInclude(metropolitanMuseumOfArt, byzantineArt) \u2227 Include(metropolitanMuseumOfArt, islamicArt)\nInclude(whitneyMuseumOfAmericanArt, americanArt)", "conclusion": "A museum in NYC includes Greek art.", "conclusion-FOL": "\u2203x (Museum(x) \u2227 In(x, nYC) \u2227 Include(x, greekArt))", "label": "Uncertain", "example_id": 112} +{"story_id": 403, "premises": "There's a person in Benji's family who likes eating cheese or is a francophile.\nThere is no francophile in Benji's family whose favorite country is Spain.\nThere is a person in Benji's family who likes eating cheese or whose favorite country is Spain.\nFabien is in Benji's family and does not both study Spanish and also like eating cheese.\nFabien studies Spanish.", "premises-FOL": "\u2203x (InBenjiSFamily(x) \u2192 (LikeEating(x, cheese) \u2228 Francophile(x)))\n\u2200x ((InBenjiSFamily(x) \u2227 Francophile(x)) \u2192 \u00acFavor(x, spain))\n\u2203x (InBenjiSFamily(x) \u2227 (Favor(x, spain) \u2228 LikeEating(x, cheese)))\nInBenjiSFamily(fabien) \u2227 (\u00ac(LikeEating(fabien, cheese) \u2227 Study(fabien, spanish)))\nStudy(fabien, spanish)", "conclusion": "Fabien is a person who likes eating cheese.", "conclusion-FOL": "LikeEating(fabien, cheese)", "label": "Uncertain", "example_id": 1117} +{"story_id": 403, "premises": "There's a person in Benji's family who likes eating cheese or is a francophile.\nThere is no francophile in Benji's family whose favorite country is Spain.\nThere is a person in Benji's family who likes eating cheese or whose favorite country is Spain.\nFabien is in Benji's family and does not both study Spanish and also like eating cheese.\nFabien studies Spanish.", "premises-FOL": "\u2203x (InBenjiSFamily(x) \u2192 (LikeEating(x, cheese) \u2228 Francophile(x)))\n\u2200x ((InBenjiSFamily(x) \u2227 Francophile(x)) \u2192 \u00acFavor(x, spain))\n\u2203x (InBenjiSFamily(x) \u2227 (Favor(x, spain) \u2228 LikeEating(x, cheese)))\nInBenjiSFamily(fabien) \u2227 (\u00ac(LikeEating(fabien, cheese) \u2227 Study(fabien, spanish)))\nStudy(fabien, spanish)", "conclusion": "If Fabien is either a person who likes eating cheese or a francophile, then Fabien is neither a person who studies Spanish nor a person who is a francophile.", "conclusion-FOL": "(LikeEating(fabien, cheese) \u2295 Francophile(fabien)) \u2192 (\u00ac(Study(fabien, spanish) \u2228 Francophile(fabien)))", "label": "True", "example_id": 1118} +{"story_id": 403, "premises": "There's a person in Benji's family who likes eating cheese or is a francophile.\nThere is no francophile in Benji's family whose favorite country is Spain.\nThere is a person in Benji's family who likes eating cheese or whose favorite country is Spain.\nFabien is in Benji's family and does not both study Spanish and also like eating cheese.\nFabien studies Spanish.", "premises-FOL": "\u2203x (InBenjiSFamily(x) \u2192 (LikeEating(x, cheese) \u2228 Francophile(x)))\n\u2200x ((InBenjiSFamily(x) \u2227 Francophile(x)) \u2192 \u00acFavor(x, spain))\n\u2203x (InBenjiSFamily(x) \u2227 (Favor(x, spain) \u2228 LikeEating(x, cheese)))\nInBenjiSFamily(fabien) \u2227 (\u00ac(LikeEating(fabien, cheese) \u2227 Study(fabien, spanish)))\nStudy(fabien, spanish)", "conclusion": "If Fabien is a person who likes Spain as their favorite country or is a francophile, then Fabien is either a person who studies Spanish or a person who likes Spain as their favorite country.", "conclusion-FOL": "(Favor(fabien, spain) \u2228 Francophile(fabien)) \u2192 (Study(fabien, spanish) \u2295 Favor(fabien, spain))", "label": "False", "example_id": 1119} +{"story_id": 29, "premises": "Gasteren is a village located in the province of Drenthe.\nDrenthe is a Dutch province. \nNo cities are villages.\nThe population of a village in Drenthe was 155 people.", "premises-FOL": "Village(gasteren) \u2227 Province(drenthe) \u2227 In(gasteren, drenthe)\nProvince(drenthe) \u2227 In(drenthe, netherlands)\n\u2200x (City(x) \u2192 \u00acVillage(x))\n\u2203x (Population(x, num155) \u2227 Village(x) \u2227 In(x, drenthe))", "conclusion": "Gasteren is a Dutch village.", "conclusion-FOL": "Village(gasteren) \u2227 In(gasteren, netherlands)", "label": "Uncertain", "example_id": 83} +{"story_id": 29, "premises": "Gasteren is a village located in the province of Drenthe.\nDrenthe is a Dutch province. \nNo cities are villages.\nThe population of a village in Drenthe was 155 people.", "premises-FOL": "Village(gasteren) \u2227 Province(drenthe) \u2227 In(gasteren, drenthe)\nProvince(drenthe) \u2227 In(drenthe, netherlands)\n\u2200x (City(x) \u2192 \u00acVillage(x))\n\u2203x (Population(x, num155) \u2227 Village(x) \u2227 In(x, drenthe))", "conclusion": "Gasteren is a city.", "conclusion-FOL": "City(gasteren)", "label": "False", "example_id": 84} +{"story_id": 29, "premises": "Gasteren is a village located in the province of Drenthe.\nDrenthe is a Dutch province. \nNo cities are villages.\nThe population of a village in Drenthe was 155 people.", "premises-FOL": "Village(gasteren) \u2227 Province(drenthe) \u2227 In(gasteren, drenthe)\nProvince(drenthe) \u2227 In(drenthe, netherlands)\n\u2200x (City(x) \u2192 \u00acVillage(x))\n\u2203x (Population(x, num155) \u2227 Village(x) \u2227 In(x, drenthe))", "conclusion": "Gasteren has a population of 155.", "conclusion-FOL": "Population(gasteren, num155)", "label": "Uncertain", "example_id": 85} +{"story_id": 210, "premises": "The only types of mammals that lay eggs are either platypuses or echidnas.\nPlatypuses are not hyrax.\nEchidnas are not hyrax.\nNo mammals are invertebrates.\nAll animals are either vertebrates or invertebrates.\nMammals are animals.\nHyraxes are mammals.\nGrebes lay eggs.\nGrebes are not platypuses and also not echidnas.", "premises-FOL": "\u2200x ((Mammal(x) \u2227 LayEgg(x)) \u2192 (Platypus(x) \u2295 Echidna(x)))\n\u2200x (Platypuses(x) \u2192 \u00acHyrax(x))\n\u2200x (Echidnas(x) \u2192 \u00acHyrax(x))\n\u2200x (Mammal(x) \u2192 \u00acInvertebrate(x))\n\u2200x (Animal(x) \u2192 (Vertebrate(x) \u2228 Invertebrate(x)))\n\u2200x (Mammal(x) \u2192 Animal(x))\n\u2200x (Hyrax(x) \u2192 Mammal(x))\n\u2200x (Grebes(x) \u2192 LayEgg(x))\n\u2200x (Grebes(x) \u2192 (\u00acPlatypuses(x) \u2227 \u00acEchidnas(x)))", "conclusion": "Hyraxes lay eggs.", "conclusion-FOL": "\u2203x (Hyrax(x) \u2227 LayEgg(x))", "label": "False", "example_id": 599} +{"story_id": 210, "premises": "The only types of mammals that lay eggs are either platypuses or echidnas.\nPlatypuses are not hyrax.\nEchidnas are not hyrax.\nNo mammals are invertebrates.\nAll animals are either vertebrates or invertebrates.\nMammals are animals.\nHyraxes are mammals.\nGrebes lay eggs.\nGrebes are not platypuses and also not echidnas.", "premises-FOL": "\u2200x ((Mammal(x) \u2227 LayEgg(x)) \u2192 (Platypus(x) \u2295 Echidna(x)))\n\u2200x (Platypuses(x) \u2192 \u00acHyrax(x))\n\u2200x (Echidnas(x) \u2192 \u00acHyrax(x))\n\u2200x (Mammal(x) \u2192 \u00acInvertebrate(x))\n\u2200x (Animal(x) \u2192 (Vertebrate(x) \u2228 Invertebrate(x)))\n\u2200x (Mammal(x) \u2192 Animal(x))\n\u2200x (Hyrax(x) \u2192 Mammal(x))\n\u2200x (Grebes(x) \u2192 LayEgg(x))\n\u2200x (Grebes(x) \u2192 (\u00acPlatypuses(x) \u2227 \u00acEchidnas(x)))", "conclusion": "Grebes are not mammals.", "conclusion-FOL": "\u2200x (Grebes(x) \u2192 \u00acMammal(x))", "label": "True", "example_id": 600} +{"story_id": 210, "premises": "The only types of mammals that lay eggs are either platypuses or echidnas.\nPlatypuses are not hyrax.\nEchidnas are not hyrax.\nNo mammals are invertebrates.\nAll animals are either vertebrates or invertebrates.\nMammals are animals.\nHyraxes are mammals.\nGrebes lay eggs.\nGrebes are not platypuses and also not echidnas.", "premises-FOL": "\u2200x ((Mammal(x) \u2227 LayEgg(x)) \u2192 (Platypus(x) \u2295 Echidna(x)))\n\u2200x (Platypuses(x) \u2192 \u00acHyrax(x))\n\u2200x (Echidnas(x) \u2192 \u00acHyrax(x))\n\u2200x (Mammal(x) \u2192 \u00acInvertebrate(x))\n\u2200x (Animal(x) \u2192 (Vertebrate(x) \u2228 Invertebrate(x)))\n\u2200x (Mammal(x) \u2192 Animal(x))\n\u2200x (Hyrax(x) \u2192 Mammal(x))\n\u2200x (Grebes(x) \u2192 LayEgg(x))\n\u2200x (Grebes(x) \u2192 (\u00acPlatypuses(x) \u2227 \u00acEchidnas(x)))", "conclusion": "Platypuses are vertebrates.", "conclusion-FOL": "\u2200x (Platypuses(x) \u2192 Vertebrate(x))", "label": "Uncertain", "example_id": 601} +{"story_id": 89, "premises": "Bobby Flynn is a singer-songwriter. \nBobby Flynn finished 7th while competing on Australian Idol.\nAustralian Idol competitors are Australian citizens.\nThe Omega Three band made a nationwide tour in 2007.\nBobby Flynn is a member of The Omega Three band.\nBobby Flynn was born in Queensland.", "premises-FOL": "Singer(bobbyFlynn) \u2227 SongWriter(bobbyFlynn)\nFinishesIn(bobbyFlynn, number7) \u2227 CompetesOnAustralianIdol(bobbyFlynn)\n\u2200x (CompetesOnAustralianIdol(x) \u2192 AustralianCitizen(x))\nNationWideTourIn(theOmegaThreeBand, year2007) \nMember(bobbyFlynn, theOmegaThreeBand)\nBornIn(bobbyFlynn, queensland)", "conclusion": "Bobby Flynn is an Australian citizen.", "conclusion-FOL": "AustralianCitizen(bobbyFlynn)", "label": "True", "example_id": 270} +{"story_id": 89, "premises": "Bobby Flynn is a singer-songwriter. \nBobby Flynn finished 7th while competing on Australian Idol.\nAustralian Idol competitors are Australian citizens.\nThe Omega Three band made a nationwide tour in 2007.\nBobby Flynn is a member of The Omega Three band.\nBobby Flynn was born in Queensland.", "premises-FOL": "Singer(bobbyFlynn) \u2227 SongWriter(bobbyFlynn)\nFinishesIn(bobbyFlynn, number7) \u2227 CompetesOnAustralianIdol(bobbyFlynn)\n\u2200x (CompetesOnAustralianIdol(x) \u2192 AustralianCitizen(x))\nNationWideTourIn(theOmegaThreeBand, year2007) \nMember(bobbyFlynn, theOmegaThreeBand)\nBornIn(bobbyFlynn, queensland)", "conclusion": "Bobby Flynn flew to America in 2007.", "conclusion-FOL": "FlewToIn(bobbyFlynn, america, year2007)", "label": "Uncertain", "example_id": 271} +{"story_id": 89, "premises": "Bobby Flynn is a singer-songwriter. \nBobby Flynn finished 7th while competing on Australian Idol.\nAustralian Idol competitors are Australian citizens.\nThe Omega Three band made a nationwide tour in 2007.\nBobby Flynn is a member of The Omega Three band.\nBobby Flynn was born in Queensland.", "premises-FOL": "Singer(bobbyFlynn) \u2227 SongWriter(bobbyFlynn)\nFinishesIn(bobbyFlynn, number7) \u2227 CompetesOnAustralianIdol(bobbyFlynn)\n\u2200x (CompetesOnAustralianIdol(x) \u2192 AustralianCitizen(x))\nNationWideTourIn(theOmegaThreeBand, year2007) \nMember(bobbyFlynn, theOmegaThreeBand)\nBornIn(bobbyFlynn, queensland)", "conclusion": "Bobby Flynn was born in Queens.", "conclusion-FOL": "BornIn(bobbyFlynn, queens)", "label": "Uncertain", "example_id": 272} +{"story_id": 269, "premises": "All proteins are organic compounds.\nAll enzymes are organic compounds.", "premises-FOL": "\u2200x (Protein(x) \u2192 OrganicCompound(x))\n\u2200x (Enzyme(x) \u2192 OrganicCompound(x))", "conclusion": "All enzymes are proteins.", "conclusion-FOL": "\u2200x (Enzyme(x) \u2192 Protein(x))", "label": "Uncertain", "example_id": 713} +{"story_id": 98, "premises": "Maggie Friedman is an American screenwriter and producer.\nMaggie Friedman was the showrunner and executive producer of the lifetime television series Witches of East End.\nWitches of East End is a fantasy-drama series.\nMaggie Friedman produced and developed Eastwick.\nEastwick is a series by ABC.", "premises-FOL": "American(maggieFriedman) \u2227 Screenwriter(maggieFriedman) \u2227 Producer(maggieFriedman)\nShowRunnerOf(maggieFriedman, witchesOfEastEnd) \u2227 ExecutiveProducerOf(maggieFriedman, witchesOfEastEnd) \u2227 LifetimeTelevisionSeries(maggieFriedman)\nFantasyDrama(witchesOfEastEnd) \u2227 Series(witchesOfEastEnd)\nProduces(maggieFriedman, eastwick) \u2227 Develops(maggieFriedman, eastwick)\nSeries(eastwick) \u2227 AiredOn(eastwick, aBC)", "conclusion": "There is a series by ABC that was developed by the showrunner of Witches of East End.", "conclusion-FOL": "\u2203x \u2203y (Series(x) \u2227 AiredOn(x, aBC) \u2227 Develops(y, x) \u2227 ShowRunnerOf(y, witchesOfEastEnd))", "label": "True", "example_id": 295} +{"story_id": 98, "premises": "Maggie Friedman is an American screenwriter and producer.\nMaggie Friedman was the showrunner and executive producer of the lifetime television series Witches of East End.\nWitches of East End is a fantasy-drama series.\nMaggie Friedman produced and developed Eastwick.\nEastwick is a series by ABC.", "premises-FOL": "American(maggieFriedman) \u2227 Screenwriter(maggieFriedman) \u2227 Producer(maggieFriedman)\nShowRunnerOf(maggieFriedman, witchesOfEastEnd) \u2227 ExecutiveProducerOf(maggieFriedman, witchesOfEastEnd) \u2227 LifetimeTelevisionSeries(maggieFriedman)\nFantasyDrama(witchesOfEastEnd) \u2227 Series(witchesOfEastEnd)\nProduces(maggieFriedman, eastwick) \u2227 Develops(maggieFriedman, eastwick)\nSeries(eastwick) \u2227 AiredOn(eastwick, aBC)", "conclusion": "No series by ABC was developed by the showrunner of Witches of East End.", "conclusion-FOL": "\u2200x (Series(x) \u2227 AiredOn(x, aBC) \u2227 \u2203y(ShowRunnerOf(y, witchesOfEastEnd)) \u2192 \u00acDevelops(y, x))", "label": "False", "example_id": 296} +{"story_id": 98, "premises": "Maggie Friedman is an American screenwriter and producer.\nMaggie Friedman was the showrunner and executive producer of the lifetime television series Witches of East End.\nWitches of East End is a fantasy-drama series.\nMaggie Friedman produced and developed Eastwick.\nEastwick is a series by ABC.", "premises-FOL": "American(maggieFriedman) \u2227 Screenwriter(maggieFriedman) \u2227 Producer(maggieFriedman)\nShowRunnerOf(maggieFriedman, witchesOfEastEnd) \u2227 ExecutiveProducerOf(maggieFriedman, witchesOfEastEnd) \u2227 LifetimeTelevisionSeries(maggieFriedman)\nFantasyDrama(witchesOfEastEnd) \u2227 Series(witchesOfEastEnd)\nProduces(maggieFriedman, eastwick) \u2227 Develops(maggieFriedman, eastwick)\nSeries(eastwick) \u2227 AiredOn(eastwick, aBC)", "conclusion": "Maggie Friedman developed Witches of East End.", "conclusion-FOL": "Develops(maggieFriedman, witchesOfEastEnd)", "label": "Uncertain", "example_id": 297} +{"story_id": 119, "premises": "Evangelos Eleftheriou is a Greek electrical engineer.\nEvangelos Eleftheriou worked for IBM in Zurich.\nIf a company has employees working for them somewhere, then they have an office there.\nIBM is a company.", "premises-FOL": "Greek(evangelosEleftheriou) \u2227 ElectricalEngineer(evangelosEleftheriou)\nWorkForIn(evangelosEleftheriou, iBM, zurich)\n\u2200x \u2200x \u2200z (Company(x) \u2227 WorkForIn(y, x, z) \u2192 HaveOfficeIn(x, z))\nCompany(ibm)", "conclusion": "IBM has an office in London or Zurich or both.", "conclusion-FOL": "HaveOfficeIn(ibm, london) \u2228 HaveOfficeIn(ibm, zurich)", "label": "True", "example_id": 358} +{"story_id": 119, "premises": "Evangelos Eleftheriou is a Greek electrical engineer.\nEvangelos Eleftheriou worked for IBM in Zurich.\nIf a company has employees working for them somewhere, then they have an office there.\nIBM is a company.", "premises-FOL": "Greek(evangelosEleftheriou) \u2227 ElectricalEngineer(evangelosEleftheriou)\nWorkForIn(evangelosEleftheriou, iBM, zurich)\n\u2200x \u2200x \u2200z (Company(x) \u2227 WorkForIn(y, x, z) \u2192 HaveOfficeIn(x, z))\nCompany(ibm)", "conclusion": "No Greeks have worked for IBM.", "conclusion-FOL": "\u2200x (Greek(x) \u2192 \u00acWorkFor(x, ibm))", "label": "False", "example_id": 359} +{"story_id": 148, "premises": "Boney M. had several German #1 singles.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was a big hit all over Europe.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was not in German #1 singles.\nA song that peaks below #1 on the german charts is also a song that is not the #1 single in Germany.", "premises-FOL": "\u2203x (Song(x) \u2227 By(x, boneym,) \u2227 Number1GermanSingle(x))\nSong(hoorayHoorayItsAHoliHoliday) \u2227 HitAllOverEurope(hoorayHoorayItsAHoliHoliday)\nSong(hoorayHoorayItsAHoliHoliday) \u2227 \u00acNumber1GermanSingle(hoorayHoorayItsAHoliHoliday)\n\u2200x (PeakBelowOn(x, number1, germanChart) \u2192 \u00acNumber1GermanSingle(x))", "conclusion": "\"Hooray! Hooray! It's a Holi-Holiday!\" was the #1 hit in Germany.", "conclusion-FOL": "Song(hoorayHoorayItsAHoliHoliday) \u2227 Number1GermanSingle(hoorayHoorayItsAHoliHoliday)", "label": "False", "example_id": 432} +{"story_id": 148, "premises": "Boney M. had several German #1 singles.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was a big hit all over Europe.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was not in German #1 singles.\nA song that peaks below #1 on the german charts is also a song that is not the #1 single in Germany.", "premises-FOL": "\u2203x (Song(x) \u2227 By(x, boneym,) \u2227 Number1GermanSingle(x))\nSong(hoorayHoorayItsAHoliHoliday) \u2227 HitAllOverEurope(hoorayHoorayItsAHoliHoliday)\nSong(hoorayHoorayItsAHoliHoliday) \u2227 \u00acNumber1GermanSingle(hoorayHoorayItsAHoliHoliday)\n\u2200x (PeakBelowOn(x, number1, germanChart) \u2192 \u00acNumber1GermanSingle(x))", "conclusion": "\"Hooray! Hooray! It's a Holi-Holiday!\" peaked below #1 on the German charts.", "conclusion-FOL": "PeaksBelowOn(hoorayHoorayItsAHoliHoliday, number1, germanChart)", "label": "True", "example_id": 433} +{"story_id": 148, "premises": "Boney M. had several German #1 singles.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was a big hit all over Europe.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was not in German #1 singles.\nA song that peaks below #1 on the german charts is also a song that is not the #1 single in Germany.", "premises-FOL": "\u2203x (Song(x) \u2227 By(x, boneym,) \u2227 Number1GermanSingle(x))\nSong(hoorayHoorayItsAHoliHoliday) \u2227 HitAllOverEurope(hoorayHoorayItsAHoliHoliday)\nSong(hoorayHoorayItsAHoliHoliday) \u2227 \u00acNumber1GermanSingle(hoorayHoorayItsAHoliHoliday)\n\u2200x (PeakBelowOn(x, number1, germanChart) \u2192 \u00acNumber1GermanSingle(x))", "conclusion": "\"Hooray! Hooray! It's a Holi-Holiday!\" peaked at #3 on the UK charts.", "conclusion-FOL": "PeaksAtOn(hoorayHoorayItsAHoliHoliday, number3, germanChart)", "label": "Uncertain", "example_id": 434} +{"story_id": 249, "premises": "Every chef can cook.\nSome people who aren\u2019t chefs can cook.\nPeople who cook can make scrambled eggs and pasta.\nIf someone can make cookies and muffins, they are a baker.\nBakers who can also make scrambled eggs can make a good breakfast.\nLuke can make cookies, scrambled eggs, and muffins, but not pasta.", "premises-FOL": "\u2200x (Chef(x) \u2192 Can(x, cook))\n\u2203x (\u00acChef(x) \u2227 Can(x, cook))\n\u2200x (Can(x, cook) \u2192 (CanMake(x, scrambledEggs) \u2227 CanMake(x, pasta)))\n\u2200x (CanMake(x, cookies) \u2227 CanMake(x, muffins) \u2192 Baker(x))\n\u2200x ((Baker(x) \u2227 CanMake(x, scrambledEggs)) \u2192 CanMake(x, goodBreakfast))\nCanMake(luke, cookies) \u2227 (CanMake(luke, scrambledEggs) \u2227 CanMake(luke, muffins) \u2227 \u00acCanMake(luke, pasta)", "conclusion": "Luke can make a good breakfast.", "conclusion-FOL": "CanMake(luke, goodBreakfast)", "label": "True", "example_id": 692} +{"story_id": 249, "premises": "Every chef can cook.\nSome people who aren\u2019t chefs can cook.\nPeople who cook can make scrambled eggs and pasta.\nIf someone can make cookies and muffins, they are a baker.\nBakers who can also make scrambled eggs can make a good breakfast.\nLuke can make cookies, scrambled eggs, and muffins, but not pasta.", "premises-FOL": "\u2200x (Chef(x) \u2192 Can(x, cook))\n\u2203x (\u00acChef(x) \u2227 Can(x, cook))\n\u2200x (Can(x, cook) \u2192 (CanMake(x, scrambledEggs) \u2227 CanMake(x, pasta)))\n\u2200x (CanMake(x, cookies) \u2227 CanMake(x, muffins) \u2192 Baker(x))\n\u2200x ((Baker(x) \u2227 CanMake(x, scrambledEggs)) \u2192 CanMake(x, goodBreakfast))\nCanMake(luke, cookies) \u2227 (CanMake(luke, scrambledEggs) \u2227 CanMake(luke, muffins) \u2227 \u00acCanMake(luke, pasta)", "conclusion": "Luke is a chef.", "conclusion-FOL": "Chef(luke)", "label": "False", "example_id": 693} +{"story_id": 196, "premises": "ETS develops various standardized tests primarily in the United States for K-12 and higher education. \nETS administers international tests, including the TOEFL, TOEIC, GRE, and subject tests.\nMany of the assessments ETS develops are associated with entry to the US tertiary and quaternary education institutions. \nETS also develops K-12 statewide assessments used for accountability testing in many states.", "premises-FOL": "\u2203x \u2203y (Develop(eTS, x) \u2227 Develop(eTS, y) \u2227 StandardizedTest(x) \u2227 StandardizedTest(y) \u2227 In(x, unitedState) \u2227 In(y, unitedState) \u2227 For(x, k12AndHigherEducation) \u2227 For(y, k12AndHigherEducation))\n\u2203x (Administer(eTS, x) \u2227 InternationalTest(x) \u2227 (TOEFL(x) \u2228 TOEIC(x) \u2228 GRE(x) \u2228 SubjectTest(x)))\n\u2203x (Develop(eTS, x) \u2227 AssociatedWith(x, entryToUSEducationInstitution))\n\u2203x (Develop(eTS, x) \u2227 StateWideAssesment(x) \u2227 UsedFor(x, accountabilityTesting))", "conclusion": "ETS develops assessments for K-12 statewide as well as entry to US tertiary and quaternary education institutions.", "conclusion-FOL": "\u2203x \u2203y (Develop(eTS, x) \u2227 StateWideAssesment(x) \u2227 Develop(eTS, y) \u2227 AssociatedWith(y, entryToUSEducationInstitution))", "label": "True", "example_id": 557} +{"story_id": 196, "premises": "ETS develops various standardized tests primarily in the United States for K-12 and higher education. \nETS administers international tests, including the TOEFL, TOEIC, GRE, and subject tests.\nMany of the assessments ETS develops are associated with entry to the US tertiary and quaternary education institutions. \nETS also develops K-12 statewide assessments used for accountability testing in many states.", "premises-FOL": "\u2203x \u2203y (Develop(eTS, x) \u2227 Develop(eTS, y) \u2227 StandardizedTest(x) \u2227 StandardizedTest(y) \u2227 In(x, unitedState) \u2227 In(y, unitedState) \u2227 For(x, k12AndHigherEducation) \u2227 For(y, k12AndHigherEducation))\n\u2203x (Administer(eTS, x) \u2227 InternationalTest(x) \u2227 (TOEFL(x) \u2228 TOEIC(x) \u2228 GRE(x) \u2228 SubjectTest(x)))\n\u2203x (Develop(eTS, x) \u2227 AssociatedWith(x, entryToUSEducationInstitution))\n\u2203x (Develop(eTS, x) \u2227 StateWideAssesment(x) \u2227 UsedFor(x, accountabilityTesting))", "conclusion": "ETS doesn't administer tests internationally.", "conclusion-FOL": "\u2200x (Administer(eTS, x) \u2192 \u00acInternationalTest(x))", "label": "False", "example_id": 558} +{"story_id": 196, "premises": "ETS develops various standardized tests primarily in the United States for K-12 and higher education. \nETS administers international tests, including the TOEFL, TOEIC, GRE, and subject tests.\nMany of the assessments ETS develops are associated with entry to the US tertiary and quaternary education institutions. \nETS also develops K-12 statewide assessments used for accountability testing in many states.", "premises-FOL": "\u2203x \u2203y (Develop(eTS, x) \u2227 Develop(eTS, y) \u2227 StandardizedTest(x) \u2227 StandardizedTest(y) \u2227 In(x, unitedState) \u2227 In(y, unitedState) \u2227 For(x, k12AndHigherEducation) \u2227 For(y, k12AndHigherEducation))\n\u2203x (Administer(eTS, x) \u2227 InternationalTest(x) \u2227 (TOEFL(x) \u2228 TOEIC(x) \u2228 GRE(x) \u2228 SubjectTest(x)))\n\u2203x (Develop(eTS, x) \u2227 AssociatedWith(x, entryToUSEducationInstitution))\n\u2203x (Develop(eTS, x) \u2227 StateWideAssesment(x) \u2227 UsedFor(x, accountabilityTesting))", "conclusion": "ETS administers international tests including the TOEFL, GRE and subject tests in China.", "conclusion-FOL": "\u2203x (Administer(eTS, x) \u2227 InChina(x) \u2227 (TOEFL(x) \u2228 TOEIC(x) \u2228 GRE(x) \u2228 SubjectTest(x)))", "label": "Uncertain", "example_id": 559} +{"story_id": 373, "premises": "All hodophiles who enjoy eating gelato ice cream would enjoy a vacation to Italy.\nNo hodophiles can resist the hallmark delectable desserts famous in Italy.\nHodophiles enjoy eating gelato ice cream or love to travel and vacation often, or both.\nNo hodophiles who study abroad in Europe regret their college experiences.\nIf hodophiles love to travel and vacation often, then they study abroad in Europe.\nRobert is a hodophile, and he either enjoys eating gelato ice cream and loves to travel and vacation often, or does not enjoy eating gelato ice cream and does not love to travel and vacation often.", "premises-FOL": "\u2200x (Hodophiles(x) \u2227 EnjoyEating(x, gelato) \u2192 Enjoy(x, vacationToItaly))\n\u2200x (Hodophiles(x) \u2227 \u00ac(\u2203y (Resist(x, y) \u2227 Hallmark(y) \u2227 Delectabl(y) \u2227 Dessert(y) \u2227 FamousIn(y, italy))))\n\u2200x (Hodophiles(x) \u2192 (EnjoyEating(x, gelato) \u2228 LoveToTravelOften(x))\n\u2200x (Hodophiles(x) \u2227 TakeIn(x, studyAbroadSemester, europe) \u2192 \u00acRegret(x, collegeExperience))\n\u2200x (Hodophiles(x) \u2227 LoveToTravelOften(x) \u2192 TakeIn(x, studyAbroadSemester, europe))\nHodophiles(robert) \u2227 \u00ac(EnjoyEating(robert, gelato) \u2295 LoveToTravelOften(robert))", "conclusion": "Robert can resist the hallmark delectable desserts that are famous in Italy.", "conclusion-FOL": "\u2203y (Resist(robert, y) \u2227 Hallmark(y) \u2227 Delectabl(y) \u2227 Dessert(y) \u2227 FamousIn(y, italy))", "label": "False", "example_id": 993} +{"story_id": 373, "premises": "All hodophiles who enjoy eating gelato ice cream would enjoy a vacation to Italy.\nNo hodophiles can resist the hallmark delectable desserts famous in Italy.\nHodophiles enjoy eating gelato ice cream or love to travel and vacation often, or both.\nNo hodophiles who study abroad in Europe regret their college experiences.\nIf hodophiles love to travel and vacation often, then they study abroad in Europe.\nRobert is a hodophile, and he either enjoys eating gelato ice cream and loves to travel and vacation often, or does not enjoy eating gelato ice cream and does not love to travel and vacation often.", "premises-FOL": "\u2200x (Hodophiles(x) \u2227 EnjoyEating(x, gelato) \u2192 Enjoy(x, vacationToItaly))\n\u2200x (Hodophiles(x) \u2227 \u00ac(\u2203y (Resist(x, y) \u2227 Hallmark(y) \u2227 Delectabl(y) \u2227 Dessert(y) \u2227 FamousIn(y, italy))))\n\u2200x (Hodophiles(x) \u2192 (EnjoyEating(x, gelato) \u2228 LoveToTravelOften(x))\n\u2200x (Hodophiles(x) \u2227 TakeIn(x, studyAbroadSemester, europe) \u2192 \u00acRegret(x, collegeExperience))\n\u2200x (Hodophiles(x) \u2227 LoveToTravelOften(x) \u2192 TakeIn(x, studyAbroadSemester, europe))\nHodophiles(robert) \u2227 \u00ac(EnjoyEating(robert, gelato) \u2295 LoveToTravelOften(robert))", "conclusion": "If Robert either would both enjoy a vacation to Italy and regrets his college experiences or neither would enjoy a vacation to Italy nor regrets his college experiences, then Robert would either enjoy a vacation to Italy or he can resist the hallmark delectable desserts that are famous in Italy.", "conclusion-FOL": "\u00ac((Enjoy(robert, vacation) \u2227 In(vacation, italy)) \u2295 Regret(x, collegeExperiences)) \u2192 Enjoy(robert, vacation) \u2227 In(vacation, italy) \u2295 (\u2203y (Resist(robert, y) \u2227 Hallmark(y) \u2227 Delectabl(y) \u2227 Dessert(y) \u2227 FamousIn(y, italy))", "label": "True", "example_id": 994} +{"story_id": 373, "premises": "All hodophiles who enjoy eating gelato ice cream would enjoy a vacation to Italy.\nNo hodophiles can resist the hallmark delectable desserts famous in Italy.\nHodophiles enjoy eating gelato ice cream or love to travel and vacation often, or both.\nNo hodophiles who study abroad in Europe regret their college experiences.\nIf hodophiles love to travel and vacation often, then they study abroad in Europe.\nRobert is a hodophile, and he either enjoys eating gelato ice cream and loves to travel and vacation often, or does not enjoy eating gelato ice cream and does not love to travel and vacation often.", "premises-FOL": "\u2200x (Hodophiles(x) \u2227 EnjoyEating(x, gelato) \u2192 Enjoy(x, vacationToItaly))\n\u2200x (Hodophiles(x) \u2227 \u00ac(\u2203y (Resist(x, y) \u2227 Hallmark(y) \u2227 Delectabl(y) \u2227 Dessert(y) \u2227 FamousIn(y, italy))))\n\u2200x (Hodophiles(x) \u2192 (EnjoyEating(x, gelato) \u2228 LoveToTravelOften(x))\n\u2200x (Hodophiles(x) \u2227 TakeIn(x, studyAbroadSemester, europe) \u2192 \u00acRegret(x, collegeExperience))\n\u2200x (Hodophiles(x) \u2227 LoveToTravelOften(x) \u2192 TakeIn(x, studyAbroadSemester, europe))\nHodophiles(robert) \u2227 \u00ac(EnjoyEating(robert, gelato) \u2295 LoveToTravelOften(robert))", "conclusion": "If Robert is not both a person who can resist the hallmark delectable desserts that are famous in Italy and regrets his college experiences, then Robert either enjoys eating gelato ice cream or would enjoy a vacation to Italy.", "conclusion-FOL": "(\u2203y (Resist(robert, y) \u2227 Hallmark(y) \u2227 Delectabl(y) \u2227 Dessert(y) \u2227 FamousIn(y, italy))) \u2227 Regret(robert, collegeExperience)) \u2192 (EnjoyEating(robert, gelato) \u2295 (Enjoy(robert, vacation) \u2227 In(vacation, italy))", "label": "False", "example_id": 995} +{"story_id": 312, "premises": "To have the authorization to study in the United States as a foreigner, you must be enrolled in an academic program.\nThose who are enrolled in an academic program can not work full-time.\nEvery who studies in the United States as a foreigner has the authorization to study in the U.S.\nAll PhD graduate can work full-time. \nIf Tom does not study in the United States as a foreigner, he is enrolled in an academic program.", "premises-FOL": "\u2200x (Have(x, authorization, studyIn, unitedStates) \u2192 EnrolledIn(x, academicProgram))\n\u2200x (EnrolledIn(x, academicProgram) \u2192 \u00acWork(x, fullTime))\n\u2200x (StudyIn(x, unitedStates) \u2192 Have(x, authorization, studyIn, unitedStates))\n\u2200x (PhDGraduate(x) \u2192 Work(x, fullTime))\n\u00acStudyIn(x, unitedStates) \u2192 EnrolledIn(x, academicProgram)", "conclusion": "Tom is a PhD graduate.", "conclusion-FOL": "PhdGraduate(tom)", "label": "False", "example_id": 776} +{"story_id": 312, "premises": "To have the authorization to study in the United States as a foreigner, you must be enrolled in an academic program.\nThose who are enrolled in an academic program can not work full-time.\nEvery who studies in the United States as a foreigner has the authorization to study in the U.S.\nAll PhD graduate can work full-time. \nIf Tom does not study in the United States as a foreigner, he is enrolled in an academic program.", "premises-FOL": "\u2200x (Have(x, authorization, studyIn, unitedStates) \u2192 EnrolledIn(x, academicProgram))\n\u2200x (EnrolledIn(x, academicProgram) \u2192 \u00acWork(x, fullTime))\n\u2200x (StudyIn(x, unitedStates) \u2192 Have(x, authorization, studyIn, unitedStates))\n\u2200x (PhDGraduate(x) \u2192 Work(x, fullTime))\n\u00acStudyIn(x, unitedStates) \u2192 EnrolledIn(x, academicProgram)", "conclusion": "Tom is not a PhD graduate.", "conclusion-FOL": "\u00acPhdGraduate(tom)", "label": "True", "example_id": 777} +{"story_id": 312, "premises": "To have the authorization to study in the United States as a foreigner, you must be enrolled in an academic program.\nThose who are enrolled in an academic program can not work full-time.\nEvery who studies in the United States as a foreigner has the authorization to study in the U.S.\nAll PhD graduate can work full-time. \nIf Tom does not study in the United States as a foreigner, he is enrolled in an academic program.", "premises-FOL": "\u2200x (Have(x, authorization, studyIn, unitedStates) \u2192 EnrolledIn(x, academicProgram))\n\u2200x (EnrolledIn(x, academicProgram) \u2192 \u00acWork(x, fullTime))\n\u2200x (StudyIn(x, unitedStates) \u2192 Have(x, authorization, studyIn, unitedStates))\n\u2200x (PhDGraduate(x) \u2192 Work(x, fullTime))\n\u00acStudyIn(x, unitedStates) \u2192 EnrolledIn(x, academicProgram)", "conclusion": "Tom wants to study abroad.", "conclusion-FOL": "StudyIn(tom, unitedStates)", "label": "Uncertain", "example_id": 778} +{"story_id": 134, "premises": "Islip Speedway is the smallest race track.\nThere was a demolition derby on the smallest race track.\nIslip is either demolished or still being used.\nSpeedways that are still being used have races held at them.\nIslip doesn't have races held at it.", "premises-FOL": "Speedway(islip) \u2227 SmallestRaceTrack(islip)\n\u2203x \u2203y (DemolitionDerby(x) \u2227 SmallestRaceTrack(y) \u2227 On(x, y))\nDemolished(islip) \u2295 StillUsed(islip)\n\u2200x (Speedway(x) \u2227 StillUsed(x) \u2192 Have(races, heldAt, x))\n\u00acHave(races, heldAt, islip)", "conclusion": "There has been a demolition derby somewhere that has since been demolished.", "conclusion-FOL": "\u2203x \u2203y (DemolitionDerby(x) \u2227 On(x, y) \u2227 Demolished(y))", "label": "True", "example_id": 395} +{"story_id": 134, "premises": "Islip Speedway is the smallest race track.\nThere was a demolition derby on the smallest race track.\nIslip is either demolished or still being used.\nSpeedways that are still being used have races held at them.\nIslip doesn't have races held at it.", "premises-FOL": "Speedway(islip) \u2227 SmallestRaceTrack(islip)\n\u2203x \u2203y (DemolitionDerby(x) \u2227 SmallestRaceTrack(y) \u2227 On(x, y))\nDemolished(islip) \u2295 StillUsed(islip)\n\u2200x (Speedway(x) \u2227 StillUsed(x) \u2192 Have(races, heldAt, x))\n\u00acHave(races, heldAt, islip)", "conclusion": "Islip was demolished.", "conclusion-FOL": "Demolished(islip)", "label": "True", "example_id": 396} +{"story_id": 134, "premises": "Islip Speedway is the smallest race track.\nThere was a demolition derby on the smallest race track.\nIslip is either demolished or still being used.\nSpeedways that are still being used have races held at them.\nIslip doesn't have races held at it.", "premises-FOL": "Speedway(islip) \u2227 SmallestRaceTrack(islip)\n\u2203x \u2203y (DemolitionDerby(x) \u2227 SmallestRaceTrack(y) \u2227 On(x, y))\nDemolished(islip) \u2295 StillUsed(islip)\n\u2200x (Speedway(x) \u2227 StillUsed(x) \u2192 Have(races, heldAt, x))\n\u00acHave(races, heldAt, islip)", "conclusion": "Islip is still being used.", "conclusion-FOL": "StillUsed(islip)", "label": "False", "example_id": 397} +{"story_id": 427, "premises": "If a person pays their taxes, then they contribute to the country. \nEveryone who works for a government department pays a tax on their salary. \nEveryone in the army is an employee of a government department.\nEveryone convicted of murder goes to prison. \nEveryone who has been to prison has a criminal record.\nJames was either once convicted of murder, or spent time in prison.\nJames either has a criminal record, or pays his taxes. ", "premises-FOL": "\u2200x (Taxpayer(x) \u2192 ContributeTo(x, country))\n\u2200x (WorkFor(x, governmentAgency) \u2192 Taxpayer(x))\n\u2200x (ServesIn(x, theArmy) \u2192 WorkFor(x, governmentAgency))\n\u2200x (SentencedForMurder(x) \u2192 Imprisoned(x))\n\u2200x (Imprisoned((x) \u2192 Has(x, criminalRecord))\nSentencedForMurder(james) \u2295 Imprisoned(james) \nHas(james, criminalRecord) \u2295 Taxpayer(james)", "conclusion": "James contributes to the country.", "conclusion-FOL": "ContributeToCountry(james)", "label": "Uncertain", "example_id": 1211} +{"story_id": 427, "premises": "If a person pays their taxes, then they contribute to the country. \nEveryone who works for a government department pays a tax on their salary. \nEveryone in the army is an employee of a government department.\nEveryone convicted of murder goes to prison. \nEveryone who has been to prison has a criminal record.\nJames was either once convicted of murder, or spent time in prison.\nJames either has a criminal record, or pays his taxes. ", "premises-FOL": "\u2200x (Taxpayer(x) \u2192 ContributeTo(x, country))\n\u2200x (WorkFor(x, governmentAgency) \u2192 Taxpayer(x))\n\u2200x (ServesIn(x, theArmy) \u2192 WorkFor(x, governmentAgency))\n\u2200x (SentencedForMurder(x) \u2192 Imprisoned(x))\n\u2200x (Imprisoned((x) \u2192 Has(x, criminalRecord))\nSentencedForMurder(james) \u2295 Imprisoned(james) \nHas(james, criminalRecord) \u2295 Taxpayer(james)", "conclusion": "James does not contribute to the country.", "conclusion-FOL": "\u00acContributeTo(james, country)", "label": "Uncertain", "example_id": 1212} +{"story_id": 427, "premises": "If a person pays their taxes, then they contribute to the country. \nEveryone who works for a government department pays a tax on their salary. \nEveryone in the army is an employee of a government department.\nEveryone convicted of murder goes to prison. \nEveryone who has been to prison has a criminal record.\nJames was either once convicted of murder, or spent time in prison.\nJames either has a criminal record, or pays his taxes. ", "premises-FOL": "\u2200x (Taxpayer(x) \u2192 ContributeTo(x, country))\n\u2200x (WorkFor(x, governmentAgency) \u2192 Taxpayer(x))\n\u2200x (ServesIn(x, theArmy) \u2192 WorkFor(x, governmentAgency))\n\u2200x (SentencedForMurder(x) \u2192 Imprisoned(x))\n\u2200x (Imprisoned((x) \u2192 Has(x, criminalRecord))\nSentencedForMurder(james) \u2295 Imprisoned(james) \nHas(james, criminalRecord) \u2295 Taxpayer(james)", "conclusion": "James contributes to the country and he serves in the army.", "conclusion-FOL": "ContributeTo(james, country) \u2227 ServesIn(james, army)", "label": "False", "example_id": 1213} +{"story_id": 427, "premises": "If a person pays their taxes, then they contribute to the country. \nEveryone who works for a government department pays a tax on their salary. \nEveryone in the army is an employee of a government department.\nEveryone convicted of murder goes to prison. \nEveryone who has been to prison has a criminal record.\nJames was either once convicted of murder, or spent time in prison.\nJames either has a criminal record, or pays his taxes. ", "premises-FOL": "\u2200x (Taxpayer(x) \u2192 ContributeTo(x, country))\n\u2200x (WorkFor(x, governmentAgency) \u2192 Taxpayer(x))\n\u2200x (ServesIn(x, theArmy) \u2192 WorkFor(x, governmentAgency))\n\u2200x (SentencedForMurder(x) \u2192 Imprisoned(x))\n\u2200x (Imprisoned((x) \u2192 Has(x, criminalRecord))\nSentencedForMurder(james) \u2295 Imprisoned(james) \nHas(james, criminalRecord) \u2295 Taxpayer(james)", "conclusion": "James does not contribute to the country and does not serve in the army.", "conclusion-FOL": "\u00ac(ContributeTo(james, country) \u2227 ServesIn(james, army))", "label": "True", "example_id": 1214} +{"story_id": 12, "premises": "The Croton River watershed is the drainage basin of the Croton River.\nThe Croton River is in southwestern New York.\nWater from the Croton River watershed flows to the Bronx.\nThe Bronx is in New York.", "premises-FOL": "DrainageBasinOf(crotonRiverWatershed, crotonRiver)\nIn(crotonRiver, southwesternNewYork)\n\u2200x ((Water(x) \u2227 In(x, crotonRiverWatershed)) \u2192 FlowsTo(x, bronx))\nIn(bronx, newYork)", "conclusion": "Water from the Croton River watershed flows to somewhere in New York.", "conclusion-FOL": "\u2200x ((Water(x) \u2227 From(x, crotonRiverWatershed)) \u2192 \u2203y(FlowsTo(x, y) \u2227 In(y, newYork)))", "label": "True", "example_id": 32} +{"story_id": 12, "premises": "The Croton River watershed is the drainage basin of the Croton River.\nThe Croton River is in southwestern New York.\nWater from the Croton River watershed flows to the Bronx.\nThe Bronx is in New York.", "premises-FOL": "DrainageBasinOf(crotonRiverWatershed, crotonRiver)\nIn(crotonRiver, southwesternNewYork)\n\u2200x ((Water(x) \u2227 In(x, crotonRiverWatershed)) \u2192 FlowsTo(x, bronx))\nIn(bronx, newYork)", "conclusion": "The Croton River watershed is in the Bronx.", "conclusion-FOL": "In(crotonRiverWatershed, bronx)", "label": "Uncertain", "example_id": 33} +{"story_id": 12, "premises": "The Croton River watershed is the drainage basin of the Croton River.\nThe Croton River is in southwestern New York.\nWater from the Croton River watershed flows to the Bronx.\nThe Bronx is in New York.", "premises-FOL": "DrainageBasinOf(crotonRiverWatershed, crotonRiver)\nIn(crotonRiver, southwesternNewYork)\n\u2200x ((Water(x) \u2227 In(x, crotonRiverWatershed)) \u2192 FlowsTo(x, bronx))\nIn(bronx, newYork)", "conclusion": "Water from the Croton River flows to the Bronx.", "conclusion-FOL": "\u2200x (Water(x) \u2227 From(x, crotonRiver) \u2192 FlowsTo(x, bronx))", "label": "Uncertain", "example_id": 34} +{"story_id": 261, "premises": "All nuclear-powered submarines are warships.\nNo nuclear-powered submarines are commercial vessels.", "premises-FOL": "\u2200x (NuclearPoweredSubmarine(x) \u2192 Warship(x))\n\u2200x (NuclearPoweredSubmarine(x) \u2192 \u00acCommercialVessel(x))", "conclusion": "No warships are commercial vessels.", "conclusion-FOL": "\u2200x (Warship(x) \u2192 \u00acCommercialVessel(x))", "label": "Uncertain", "example_id": 705} +{"story_id": 67, "premises": "If an album is written by a rock band, then the genre of the album is rock.\nIf a band writes an album winning an award, then this band wins this award.\nTrouble at the Henhouse is an album by The Tragically Hip.\nThe Tragically Hip is a Canadian rock band.\nThe song \"Butts Wigglin'\" is in Trouble at the Henhouse.\nTrouble at the Henhouse won the Album of the Year award.\nA song in Trouble at the Henhouse appeared in a film.", "premises-FOL": "\u2200x \u2200y \u2200z (AlbumByBand(x, y) \u2227 RockBand(y, z) \u2192 Genre(x, rock))\n\u2200x \u2200y \u2200z (AlbumByBand(x, y) \u2227 AlbumAward(x, z) \u2192 RockBandAward(y, z))\nAlbumByBand(trouble_at_the_Henhouse, the_Tragically_Hip)\nRockBand(the_Tragically_Hip, canada)\nSongInAlbum(butts_Wigglin, trouble_at_the_Henhouse)\nAlbumAward(trouble_at_the_Henhouse, the_Album_of_the_Year)\n\u2203x (SongInFilm(x) \u2227 SongInAlbum(x, trouble_at_the_Henhouse))", "conclusion": "The genre of Trouble at the Henhouse is rock.", "conclusion-FOL": "Genre(troubleAtTheHenhouse, rock)", "label": "True", "example_id": 198} +{"story_id": 67, "premises": "If an album is written by a rock band, then the genre of the album is rock.\nIf a band writes an album winning an award, then this band wins this award.\nTrouble at the Henhouse is an album by The Tragically Hip.\nThe Tragically Hip is a Canadian rock band.\nThe song \"Butts Wigglin'\" is in Trouble at the Henhouse.\nTrouble at the Henhouse won the Album of the Year award.\nA song in Trouble at the Henhouse appeared in a film.", "premises-FOL": "\u2200x \u2200y \u2200z (AlbumByBand(x, y) \u2227 RockBand(y, z) \u2192 Genre(x, rock))\n\u2200x \u2200y \u2200z (AlbumByBand(x, y) \u2227 AlbumAward(x, z) \u2192 RockBandAward(y, z))\nAlbumByBand(trouble_at_the_Henhouse, the_Tragically_Hip)\nRockBand(the_Tragically_Hip, canada)\nSongInAlbum(butts_Wigglin, trouble_at_the_Henhouse)\nAlbumAward(trouble_at_the_Henhouse, the_Album_of_the_Year)\n\u2203x (SongInFilm(x) \u2227 SongInAlbum(x, trouble_at_the_Henhouse))", "conclusion": "No Canadian rock band has won the Album of the Year award.", "conclusion-FOL": "\u00ac\u2203x(RockBand(x, canada) \u2227 Award(x, theAlbumOfTheYear))", "label": "False", "example_id": 199} +{"story_id": 67, "premises": "If an album is written by a rock band, then the genre of the album is rock.\nIf a band writes an album winning an award, then this band wins this award.\nTrouble at the Henhouse is an album by The Tragically Hip.\nThe Tragically Hip is a Canadian rock band.\nThe song \"Butts Wigglin'\" is in Trouble at the Henhouse.\nTrouble at the Henhouse won the Album of the Year award.\nA song in Trouble at the Henhouse appeared in a film.", "premises-FOL": "\u2200x \u2200y \u2200z (AlbumByBand(x, y) \u2227 RockBand(y, z) \u2192 Genre(x, rock))\n\u2200x \u2200y \u2200z (AlbumByBand(x, y) \u2227 AlbumAward(x, z) \u2192 RockBandAward(y, z))\nAlbumByBand(trouble_at_the_Henhouse, the_Tragically_Hip)\nRockBand(the_Tragically_Hip, canada)\nSongInAlbum(butts_Wigglin, trouble_at_the_Henhouse)\nAlbumAward(trouble_at_the_Henhouse, the_Album_of_the_Year)\n\u2203x (SongInFilm(x) \u2227 SongInAlbum(x, trouble_at_the_Henhouse))", "conclusion": "\"Butts Wigglin'\" appeared in a film.", "conclusion-FOL": "SongInFilm(buttsWigglin)", "label": "Uncertain", "example_id": 200} +{"story_id": 238, "premises": "Daniel is a software engineer, and he works at Palantir Technologies.\nDaniel studied bioengineering during his undergraduate at Rice University.\nDaniel\u2019s older sister works at Meta as a technical sourcer. \nDaniel\u2019s dad and older sister both graduated from Stanford University.\nDaniel\u2019s dad is a doctor practicing internal medicine at a veteran\u2019s hospital in Minneapolis.", "premises-FOL": "SoftwareEngineer(daniel) \u2227 WorksAt(daniel, palantirTechnologies)\nStudied(daniel, bioengineering) \u2227 UndergraduateAt(daniel, riceUniversity)\nWorksAtMeta(danielsOlderSister) \u2227 TechnicalSourcer(danielsOlderSister)\n GraduatedFromStanfordUniversity(danielsOlderSister) \u2227 GraduatedFromStanfordUniversity(danielsDad)\nDoctor(danielsDad) \u2227 Practicing(danielsDad, internalMedicine) \u2227 PracticingAt(danielsDad, veteransHospital) \u2227 In(veteransHospital, minneapolis)", "conclusion": "Daniel once applied to Stanford University, but he couldn\u2019t get in even though he has family members who are Stanford alumni.", "conclusion-FOL": "AppliedTo(daniel, stanfordUniversity) \u2227 \u00acGotInto(daniel, stanfordUniversity) \u2227 Alumni(danielsFamilyMembers, stanfordUniversity)", "label": "Uncertain", "example_id": 676} +{"story_id": 238, "premises": "Daniel is a software engineer, and he works at Palantir Technologies.\nDaniel studied bioengineering during his undergraduate at Rice University.\nDaniel\u2019s older sister works at Meta as a technical sourcer. \nDaniel\u2019s dad and older sister both graduated from Stanford University.\nDaniel\u2019s dad is a doctor practicing internal medicine at a veteran\u2019s hospital in Minneapolis.", "premises-FOL": "SoftwareEngineer(daniel) \u2227 WorksAt(daniel, palantirTechnologies)\nStudied(daniel, bioengineering) \u2227 UndergraduateAt(daniel, riceUniversity)\nWorksAtMeta(danielsOlderSister) \u2227 TechnicalSourcer(danielsOlderSister)\n GraduatedFromStanfordUniversity(danielsOlderSister) \u2227 GraduatedFromStanfordUniversity(danielsDad)\nDoctor(danielsDad) \u2227 Practicing(danielsDad, internalMedicine) \u2227 PracticingAt(danielsDad, veteransHospital) \u2227 In(veteransHospital, minneapolis)", "conclusion": "Daniel studied bioengineering as an undergraduate at Rice University.", "conclusion-FOL": "Studied(daniel, bioengineering) \u2227 UndergraduateAt(daniel, riceUniversity)", "label": "True", "example_id": 677} +{"story_id": 238, "premises": "Daniel is a software engineer, and he works at Palantir Technologies.\nDaniel studied bioengineering during his undergraduate at Rice University.\nDaniel\u2019s older sister works at Meta as a technical sourcer. \nDaniel\u2019s dad and older sister both graduated from Stanford University.\nDaniel\u2019s dad is a doctor practicing internal medicine at a veteran\u2019s hospital in Minneapolis.", "premises-FOL": "SoftwareEngineer(daniel) \u2227 WorksAt(daniel, palantirTechnologies)\nStudied(daniel, bioengineering) \u2227 UndergraduateAt(daniel, riceUniversity)\nWorksAtMeta(danielsOlderSister) \u2227 TechnicalSourcer(danielsOlderSister)\n GraduatedFromStanfordUniversity(danielsOlderSister) \u2227 GraduatedFromStanfordUniversity(danielsDad)\nDoctor(danielsDad) \u2227 Practicing(danielsDad, internalMedicine) \u2227 PracticingAt(danielsDad, veteransHospital) \u2227 In(veteransHospital, minneapolis)", "conclusion": "Daniel and his sister grew up in Minneapolis, Minnesota.", "conclusion-FOL": "GrewUpIn(daniel, minneapolis) \u2227 GrewUpIn(danielsOlderSister, minneapolis)", "label": "Uncertain", "example_id": 678} +{"story_id": 108, "premises": "The world's only major large passenger aircraft manufacturers are Boeing and Airbus.\nAll American Airlines planes are from the world's major large passenger aircraft manufacturers. \nAirbus made more revenue than Boeing last year.", "premises-FOL": "\u2200x (WorldMajorLargePassengerAircraftManufacturer(x) \u2192 x=boeing \u2295 x=airbus)\n\u2200x (AmericanAirlinesAircraft(x) \u2192 WorldMajorLargePassengerAircraftManufacturer(x))\nMoreInRevenue(airbus, boeing)", "conclusion": "An American Airlines plane is either a Boeing or Airbus plane.", "conclusion-FOL": "\u2200x (AmericanAirlinesPlane(x) \u2192 x=boeing \u2295 x=airbus)", "label": "True", "example_id": 326} +{"story_id": 108, "premises": "The world's only major large passenger aircraft manufacturers are Boeing and Airbus.\nAll American Airlines planes are from the world's major large passenger aircraft manufacturers. \nAirbus made more revenue than Boeing last year.", "premises-FOL": "\u2200x (WorldMajorLargePassengerAircraftManufacturer(x) \u2192 x=boeing \u2295 x=airbus)\n\u2200x (AmericanAirlinesAircraft(x) \u2192 WorldMajorLargePassengerAircraftManufacturer(x))\nMoreInRevenue(airbus, boeing)", "conclusion": "There exists a SpaceX commercial aircraft.", "conclusion-FOL": "\u2203x (CommercialAircraft(x) \u2227 x=spaceX)", "label": "Uncertain", "example_id": 327} +{"story_id": 108, "premises": "The world's only major large passenger aircraft manufacturers are Boeing and Airbus.\nAll American Airlines planes are from the world's major large passenger aircraft manufacturers. \nAirbus made more revenue than Boeing last year.", "premises-FOL": "\u2200x (WorldMajorLargePassengerAircraftManufacturer(x) \u2192 x=boeing \u2295 x=airbus)\n\u2200x (AmericanAirlinesAircraft(x) \u2192 WorldMajorLargePassengerAircraftManufacturer(x))\nMoreInRevenue(airbus, boeing)", "conclusion": "There does not exist a United Airlines plane produced by Boeing.", "conclusion-FOL": "\u2200x (UnitedAirlinesAircraft(x) \u2192 \u00ac(x=boeing))", "label": "Uncertain", "example_id": 328} +{"story_id": 108, "premises": "The world's only major large passenger aircraft manufacturers are Boeing and Airbus.\nAll American Airlines planes are from the world's major large passenger aircraft manufacturers. \nAirbus made more revenue than Boeing last year.", "premises-FOL": "\u2200x (WorldMajorLargePassengerAircraftManufacturer(x) \u2192 x=boeing \u2295 x=airbus)\n\u2200x (AmericanAirlinesAircraft(x) \u2192 WorldMajorLargePassengerAircraftManufacturer(x))\nMoreInRevenue(airbus, boeing)", "conclusion": "There is a commercial plane made by both Airbus and Boeing.", "conclusion-FOL": "\u2203x (WorldMajorLargePassengerAircraftManufacturer(x) \u2227 ProducedBy(x, airbus) \u2227 ProducedBy(x, boeing))", "label": "False", "example_id": 329} +{"story_id": 84, "premises": "Luzon is an island in the Philippines.\nIn December 1999, an earthquake struck Luzon.\nPeople died in the December 1999 earthquake in Luzon.", "premises-FOL": "Island(luzon) \u2227 In(luzon, philippines)\n\u2203x (Earthquake(x) \u2227 StrikeInYr(x, year1999) \u2227 StrikeInMo(x, december) \u2227 StrikeInCity(x, luzon))\n\u2203x (Earthquake(x) \u2227 StrikeInYr(x, year1999) \u2227 StrikeInMo(x, december) \u2227 StrikeInCity(x, luzon) \u2227 Deadly(x))", "conclusion": "Leyte is an island in the Philippines.", "conclusion-FOL": "Island(leyte) \u2227 In(leyte, philippines)", "label": "Uncertain", "example_id": 255} +{"story_id": 84, "premises": "Luzon is an island in the Philippines.\nIn December 1999, an earthquake struck Luzon.\nPeople died in the December 1999 earthquake in Luzon.", "premises-FOL": "Island(luzon) \u2227 In(luzon, philippines)\n\u2203x (Earthquake(x) \u2227 StrikeInYr(x, year1999) \u2227 StrikeInMo(x, december) \u2227 StrikeInCity(x, luzon))\n\u2203x (Earthquake(x) \u2227 StrikeInYr(x, year1999) \u2227 StrikeInMo(x, december) \u2227 StrikeInCity(x, luzon) \u2227 Deadly(x))", "conclusion": "No one has ever died in an earthquake that struck the Philippines.", "conclusion-FOL": "\u2200x \u2200y ((Earthquake(x) \u2227 StrikeInCity(x, y) \u2227 In(y, philippines)) \u2192 \u00acDeadly(x))", "label": "False", "example_id": 256} +{"story_id": 84, "premises": "Luzon is an island in the Philippines.\nIn December 1999, an earthquake struck Luzon.\nPeople died in the December 1999 earthquake in Luzon.", "premises-FOL": "Island(luzon) \u2227 In(luzon, philippines)\n\u2203x (Earthquake(x) \u2227 StrikeInYr(x, year1999) \u2227 StrikeInMo(x, december) \u2227 StrikeInCity(x, luzon))\n\u2203x (Earthquake(x) \u2227 StrikeInYr(x, year1999) \u2227 StrikeInMo(x, december) \u2227 StrikeInCity(x, luzon) \u2227 Deadly(x))", "conclusion": "In 1999, there was at least one earthquake in the Philippines.", "conclusion-FOL": "\u2203x \u2203y (Earthquake(x) \u2227 StrikeInYr(x, year1999) \u2227 StrikeInMo(x, december) \u2227 StrikeInCity(x, y) \u2227 In(y, philippines))", "label": "True", "example_id": 257} +{"story_id": 362, "premises": "People who like financial risks invest in the public stock market regularly or enjoy gambling regularly.\nIf people invest in the public stock market regularly, then they read the Wall Street Journal and other newspapers regularly to keep updated on financial metrics.\nAll people who enjoy enjoy gambling regularly spend a lot of money at casinos or other betting games.\nPeople who spend a lot of money at casinos and other betting games would enjoy visiting the Las Vegas Strip.\nPeople who spend a lot of money at casinos and other betting games are at risk of gambling addiction.\nMatt does not invest in the public stock market regularly. \nMatt likes financial risks.", "premises-FOL": "\u2200x (Like(x, financialRisk) \u2192 InvestInRegularly(x, publicStockMarket) \u2228 EnjoyRegularly(x, gambling))\n\u2200x (InvestInRegularly(x, publicStockMarket) \u2192 ReadToKeepUpdatedOn(x, theWallStreetJournal, financialMetric) \u2228 (\u2203y (\u00ac(y=theWallStreetJournal) \u2227 NewsPaper(y) \u2227 ReadToKeepUpdatedOn(x, y, financialMetric))))\n\u2200x (EnjoyRegularly(x, gambling) \u2192 SpendAt(x, alotOfMoney, casino) \u2228 (\u2203y (\u00ac(y=casino) \u2227 BettingGame(y) \u2227 SpendAt(x, aLotOfMoney, y)))\n\u2200x (SpendAt(x, alotOfMoney, casino) \u2228 (\u2203y (\u00ac(y=casino) \u2227 BettingGame(y) \u2227 SpendAt(x, aLotOfMoney, y))) \u2192 EnjoyVisiting(x, theLasVegasStrip))\n\u2200x (SpendAt(x, alotOfMoney, casino) \u2228 (\u2203y (\u00ac(y=casino) \u2227 BettingGame(y) \u2227 SpendAt(x, aLotOfMoney, y)) \u2192 AtRiskOf(x, gamblingAddiction))\nInvestInRegularly(matt, publicStockMarket)\nLike(matt, financialRisk)", "conclusion": "Matt reads the Wall Street Journal and other newspapers regularly to keep updated on financial metrics.", "conclusion-FOL": "Newspapers(matt)", "label": "Uncertain", "example_id": 961} +{"story_id": 362, "premises": "People who like financial risks invest in the public stock market regularly or enjoy gambling regularly.\nIf people invest in the public stock market regularly, then they read the Wall Street Journal and other newspapers regularly to keep updated on financial metrics.\nAll people who enjoy enjoy gambling regularly spend a lot of money at casinos or other betting games.\nPeople who spend a lot of money at casinos and other betting games would enjoy visiting the Las Vegas Strip.\nPeople who spend a lot of money at casinos and other betting games are at risk of gambling addiction.\nMatt does not invest in the public stock market regularly. \nMatt likes financial risks.", "premises-FOL": "\u2200x (Like(x, financialRisk) \u2192 InvestInRegularly(x, publicStockMarket) \u2228 EnjoyRegularly(x, gambling))\n\u2200x (InvestInRegularly(x, publicStockMarket) \u2192 ReadToKeepUpdatedOn(x, theWallStreetJournal, financialMetric) \u2228 (\u2203y (\u00ac(y=theWallStreetJournal) \u2227 NewsPaper(y) \u2227 ReadToKeepUpdatedOn(x, y, financialMetric))))\n\u2200x (EnjoyRegularly(x, gambling) \u2192 SpendAt(x, alotOfMoney, casino) \u2228 (\u2203y (\u00ac(y=casino) \u2227 BettingGame(y) \u2227 SpendAt(x, aLotOfMoney, y)))\n\u2200x (SpendAt(x, alotOfMoney, casino) \u2228 (\u2203y (\u00ac(y=casino) \u2227 BettingGame(y) \u2227 SpendAt(x, aLotOfMoney, y))) \u2192 EnjoyVisiting(x, theLasVegasStrip))\n\u2200x (SpendAt(x, alotOfMoney, casino) \u2228 (\u2203y (\u00ac(y=casino) \u2227 BettingGame(y) \u2227 SpendAt(x, aLotOfMoney, y)) \u2192 AtRiskOf(x, gamblingAddiction))\nInvestInRegularly(matt, publicStockMarket)\nLike(matt, financialRisk)", "conclusion": "If Matt is either both a person who is at risk of a gambling addiction and invests in the public stock market regularly, or neither is at risk of a gambling addiction nor invests in the public stock market regularly, then Matt neither visits the Las Vegas Strip regularly nor reads the Wall Street Journal and other newspapers regularly to keep updated on the financial metrics.", "conclusion-FOL": "AtRiskOf(matt, gamblingAddiction) \u2295 InvestInRegularly(matt, publicStockMarket) \u2192 \u00acEnjoyVisiting(matt, theLasVegasStrip) \u2227 \u00ac(ReadToKeepUpdatedOn(matt, theWallStreetJournal, financialMetric) \u2228 (\u2203y (\u00ac(y=theWallStreetJournal) \u2227 NewsPaper(y) \u2227 ReadToKeepUpdatedOn(matt, y, financialMetric))))", "label": "True", "example_id": 962} +{"story_id": 362, "premises": "People who like financial risks invest in the public stock market regularly or enjoy gambling regularly.\nIf people invest in the public stock market regularly, then they read the Wall Street Journal and other newspapers regularly to keep updated on financial metrics.\nAll people who enjoy enjoy gambling regularly spend a lot of money at casinos or other betting games.\nPeople who spend a lot of money at casinos and other betting games would enjoy visiting the Las Vegas Strip.\nPeople who spend a lot of money at casinos and other betting games are at risk of gambling addiction.\nMatt does not invest in the public stock market regularly. \nMatt likes financial risks.", "premises-FOL": "\u2200x (Like(x, financialRisk) \u2192 InvestInRegularly(x, publicStockMarket) \u2228 EnjoyRegularly(x, gambling))\n\u2200x (InvestInRegularly(x, publicStockMarket) \u2192 ReadToKeepUpdatedOn(x, theWallStreetJournal, financialMetric) \u2228 (\u2203y (\u00ac(y=theWallStreetJournal) \u2227 NewsPaper(y) \u2227 ReadToKeepUpdatedOn(x, y, financialMetric))))\n\u2200x (EnjoyRegularly(x, gambling) \u2192 SpendAt(x, alotOfMoney, casino) \u2228 (\u2203y (\u00ac(y=casino) \u2227 BettingGame(y) \u2227 SpendAt(x, aLotOfMoney, y)))\n\u2200x (SpendAt(x, alotOfMoney, casino) \u2228 (\u2203y (\u00ac(y=casino) \u2227 BettingGame(y) \u2227 SpendAt(x, aLotOfMoney, y))) \u2192 EnjoyVisiting(x, theLasVegasStrip))\n\u2200x (SpendAt(x, alotOfMoney, casino) \u2228 (\u2203y (\u00ac(y=casino) \u2227 BettingGame(y) \u2227 SpendAt(x, aLotOfMoney, y)) \u2192 AtRiskOf(x, gamblingAddiction))\nInvestInRegularly(matt, publicStockMarket)\nLike(matt, financialRisk)", "conclusion": "Matt is not at risk of a gambling addiction and Mike does not both read the Wall Street Journal and other newspapers regularly and visits the Las Vegas Strip regularly.", "conclusion-FOL": "\u00acAtRiskOf(matt, gamblingAddiction) \u2227 \u00ac(ReadToKeepUpdatedOn(x, theWallStreetJournal, financialMetric) \u2228 (\u2203y (\u00ac(y=theWallStreetJournal) \u2227 NewsPaper(y) \u2227 ReadToKeepUpdatedOn(x, y, financialMetric))) \u2227 EnjoyVisiting(matt, theLasVegasStrip))", "label": "False", "example_id": 963} +{"story_id": 241, "premises": "All students learning piano can strike the right notes. \nAll students who can strike the right note can get the rhythms right. \nIf a student can get the rhythms right, he will start working on coordination between the left and the right hands. \nSome students who start working on coordination between the left and the right hands become good at it, while other students find it challenging. \nIf John can strike the right notes, get the rhythms right, and is good at coordination between right and left hands, then he puts emotions into his playing. \nJohn is a student learning piano. \nJohn does not find coordination between the left and the right hands challenging. ", "premises-FOL": "\u2200x (Student(x) \u2227 LearningPiano(x) \u2192 Can(x, strike, rightNote))\n\u2200x (Student(x) \u2227 Can(x, strike, rightNote) \u2192 Can(x, getTheRhythmRight))\n\u2200x (Student(x) \u2227 Can(x, getTheRhythmRight) \u2192 Start(x, workingOnCoordinationBetweenTheLeftAndRightHands))\n\u2200x (Student(x) \u2227 Start(x, workingOnCoordinationBetweenTheLeftAndRightHands) \u2192 Become(x, goodAtCoordination) \u2295 Find(x, coordinationChallenging))\n(Can(john, getTheRhythmRight) \u2227 Can(john, getTheRhythmRight)) \u2227 Become(john, goodAtCoordination) \u2192 PutEmotionInto(john, hisPlaying)\nStudent(john) \u2227 LearningPiano(john)\n\u00acFind(john, coordinationChallenging)", "conclusion": "John can get the rhythms right.", "conclusion-FOL": "Can(john, getTheRhythmRight)", "label": "True", "example_id": 683} +{"story_id": 241, "premises": "All students learning piano can strike the right notes. \nAll students who can strike the right note can get the rhythms right. \nIf a student can get the rhythms right, he will start working on coordination between the left and the right hands. \nSome students who start working on coordination between the left and the right hands become good at it, while other students find it challenging. \nIf John can strike the right notes, get the rhythms right, and is good at coordination between right and left hands, then he puts emotions into his playing. \nJohn is a student learning piano. \nJohn does not find coordination between the left and the right hands challenging. ", "premises-FOL": "\u2200x (Student(x) \u2227 LearningPiano(x) \u2192 Can(x, strike, rightNote))\n\u2200x (Student(x) \u2227 Can(x, strike, rightNote) \u2192 Can(x, getTheRhythmRight))\n\u2200x (Student(x) \u2227 Can(x, getTheRhythmRight) \u2192 Start(x, workingOnCoordinationBetweenTheLeftAndRightHands))\n\u2200x (Student(x) \u2227 Start(x, workingOnCoordinationBetweenTheLeftAndRightHands) \u2192 Become(x, goodAtCoordination) \u2295 Find(x, coordinationChallenging))\n(Can(john, getTheRhythmRight) \u2227 Can(john, getTheRhythmRight)) \u2227 Become(john, goodAtCoordination) \u2192 PutEmotionInto(john, hisPlaying)\nStudent(john) \u2227 LearningPiano(john)\n\u00acFind(john, coordinationChallenging)", "conclusion": "John does not put emotions into his playing.", "conclusion-FOL": "PutEmotionInto(john, hisPlaying)", "label": "False", "example_id": 684} +{"story_id": 229, "premises": "Barbara Ann Marshall is a former swimmer and former world record-holder.\nBarbara Ann Marshall participated in the 1972 Summer Olympics.\nBarbara Ann Marshall's home country is the United States.\nAll people who competed in the 1972 Summer Olympics represented their home country.\nBarbara Ann Marshall participated in the preliminary heat in the freestyle relay.\nBarbara Ann Marshall did not participate in the event final of the 1972 Summer Olympics freestyle relay.\nOnly relay swimmers who participated in the final event at the 1972 Summer Olympics received medals.", "premises-FOL": "FormerSwimmer(barbaraAnnMarshall) \u2227 FormerWorldRecordHolder(barbaraAnnMarshall)\nParticipatedIn(barbaraAnnMarshall, 1972SummerOlympics)\nHomeCountry(barbaraAnnMarshall, unitedStates)\n\u2200x \u2203y (ParticipatedIn(x, 1972SummerOlympics) \u2227 HomeCountry(x, y) \u2192 Represented(x, y))\nParticipatedIn(barbaraAnnMarshall, preliminaryHeatFreestyleRelay)\n\u00acParticipatedIn(barbaraAnnMarshall, finalHeatFreestyleRelay)\n\u2200x ((ParticipatedIn(x, 1972SummerOlympics) \u2227 RelaySwimmer(x) \u2227 \u00acParticipatedIn(x, finalHeatFreestyleRelay)) \u2194 \u00acRecieved(x, medal)))", "conclusion": "Barbara Ann Marshall did not receive medals.", "conclusion-FOL": "\u00acRecieved(barbaraAnnMarshall, medal)", "label": "Uncertain", "example_id": 650} +{"story_id": 229, "premises": "Barbara Ann Marshall is a former swimmer and former world record-holder.\nBarbara Ann Marshall participated in the 1972 Summer Olympics.\nBarbara Ann Marshall's home country is the United States.\nAll people who competed in the 1972 Summer Olympics represented their home country.\nBarbara Ann Marshall participated in the preliminary heat in the freestyle relay.\nBarbara Ann Marshall did not participate in the event final of the 1972 Summer Olympics freestyle relay.\nOnly relay swimmers who participated in the final event at the 1972 Summer Olympics received medals.", "premises-FOL": "FormerSwimmer(barbaraAnnMarshall) \u2227 FormerWorldRecordHolder(barbaraAnnMarshall)\nParticipatedIn(barbaraAnnMarshall, 1972SummerOlympics)\nHomeCountry(barbaraAnnMarshall, unitedStates)\n\u2200x \u2203y (ParticipatedIn(x, 1972SummerOlympics) \u2227 HomeCountry(x, y) \u2192 Represented(x, y))\nParticipatedIn(barbaraAnnMarshall, preliminaryHeatFreestyleRelay)\n\u00acParticipatedIn(barbaraAnnMarshall, finalHeatFreestyleRelay)\n\u2200x ((ParticipatedIn(x, 1972SummerOlympics) \u2227 RelaySwimmer(x) \u2227 \u00acParticipatedIn(x, finalHeatFreestyleRelay)) \u2194 \u00acRecieved(x, medal)))", "conclusion": "Barbara Ann Marshall represented the United States in the 1972 Summer Olympics.", "conclusion-FOL": "Represented(barbaraAnnMarshall, unitedStates)", "label": "True", "example_id": 651} +{"story_id": 201, "premises": "A game is played with three stages: red stage, yellow stage, and green stage.\nEach player begins at the red stage.\nAll players must reach the yellow stage before they can reach the green stage.\nThe yellow stage comes after the red stage.\nAll players must proceed one stage at a time.", "premises-FOL": "\u2203x \u2203y \u2203y \u2203w (Game(x) \u2227 StageNumber(x,3) \u2227 Stage(y) \u2227 Stage(z) \u2227 Stage(w) \u2227 \u00ac(y=z) \u2227 \u00ac(z=w) \u2227 \u00ac(y=w) \u2227 Red(y) \u2227 Yellow(z) \u2227 Green(w))\n\u2200x (Player(x) \u2192 StartRed(x))\n\u2200x (Player(x) \u2227 \u00acReachYellow(x) \u2192 \u00acReachGreen(x))\n\u2200x (Player(x) \u2227 StartRed(x) \u2192 ReachYellow(x))\n\u2200x (Player(x) \u2227 StartRed(x) \u2227 \u00acReachYellow(x) \u2192 \u00acReachGreen(x))", "conclusion": "It is possible to move to the green stage without ever reaching the yellow stage.", "conclusion-FOL": "\u2203x (Player(x) \u2227 RedToGreen(x))", "label": "False", "example_id": 572} +{"story_id": 201, "premises": "A game is played with three stages: red stage, yellow stage, and green stage.\nEach player begins at the red stage.\nAll players must reach the yellow stage before they can reach the green stage.\nThe yellow stage comes after the red stage.\nAll players must proceed one stage at a time.", "premises-FOL": "\u2203x \u2203y \u2203y \u2203w (Game(x) \u2227 StageNumber(x,3) \u2227 Stage(y) \u2227 Stage(z) \u2227 Stage(w) \u2227 \u00ac(y=z) \u2227 \u00ac(z=w) \u2227 \u00ac(y=w) \u2227 Red(y) \u2227 Yellow(z) \u2227 Green(w))\n\u2200x (Player(x) \u2192 StartRed(x))\n\u2200x (Player(x) \u2227 \u00acReachYellow(x) \u2192 \u00acReachGreen(x))\n\u2200x (Player(x) \u2227 StartRed(x) \u2192 ReachYellow(x))\n\u2200x (Player(x) \u2227 StartRed(x) \u2227 \u00acReachYellow(x) \u2192 \u00acReachGreen(x))", "conclusion": "It is possible to reach the yellow stage without ever reaching the green stage.", "conclusion-FOL": "\u2203x (Player(x) \u2227 RedToYellow(x))", "label": "True", "example_id": 573} +{"story_id": 201, "premises": "A game is played with three stages: red stage, yellow stage, and green stage.\nEach player begins at the red stage.\nAll players must reach the yellow stage before they can reach the green stage.\nThe yellow stage comes after the red stage.\nAll players must proceed one stage at a time.", "premises-FOL": "\u2203x \u2203y \u2203y \u2203w (Game(x) \u2227 StageNumber(x,3) \u2227 Stage(y) \u2227 Stage(z) \u2227 Stage(w) \u2227 \u00ac(y=z) \u2227 \u00ac(z=w) \u2227 \u00ac(y=w) \u2227 Red(y) \u2227 Yellow(z) \u2227 Green(w))\n\u2200x (Player(x) \u2192 StartRed(x))\n\u2200x (Player(x) \u2227 \u00acReachYellow(x) \u2192 \u00acReachGreen(x))\n\u2200x (Player(x) \u2227 StartRed(x) \u2192 ReachYellow(x))\n\u2200x (Player(x) \u2227 StartRed(x) \u2227 \u00acReachYellow(x) \u2192 \u00acReachGreen(x))", "conclusion": "It is possible to complete the game without ever reaching the green stage.", "conclusion-FOL": "\u2203x (Player(x) \u2227 CompleteGame(x))", "label": "Uncertain", "example_id": 574} +{"story_id": 399, "premises": "In Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.", "premises-FOL": "\u2200x (In(x, loveCity) \u2192 (ConsidersMostImportantLoveLanguage(x, physicalTouch) \u2228 ConsidersMostImportantLoveLanguage(x, wordOfAffirmation))\n\u2200x ((ConsidersMostImportantLoveLanguage(x, physicalTouch) \u2227 In(x, loveCity) \u2192 GoodWith(x, pet))\n\u2200x ((GoodWith(x, pet) \u2227 In(x, loveCity)) \u2192 \u00acScaredOf(x, animal))\n\u2200x (In(x, loveCity) \u2192 (ScaredOf(x, animal) \u2228 Loves(x, animal)))\n(ConsidersMostImportantLoveLanguage(adam, physicalTouch) \u2295 Loves(adam, animal)) \u2227 In(adam, loveCity)", "conclusion": "Adam is scared of animals.", "conclusion-FOL": "ScaredOf(adam, animal)", "label": "Uncertain", "example_id": 1090} +{"story_id": 399, "premises": "In Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.", "premises-FOL": "\u2200x (In(x, loveCity) \u2192 (ConsidersMostImportantLoveLanguage(x, physicalTouch) \u2228 ConsidersMostImportantLoveLanguage(x, wordOfAffirmation))\n\u2200x ((ConsidersMostImportantLoveLanguage(x, physicalTouch) \u2227 In(x, loveCity) \u2192 GoodWith(x, pet))\n\u2200x ((GoodWith(x, pet) \u2227 In(x, loveCity)) \u2192 \u00acScaredOf(x, animal))\n\u2200x (In(x, loveCity) \u2192 (ScaredOf(x, animal) \u2228 Loves(x, animal)))\n(ConsidersMostImportantLoveLanguage(adam, physicalTouch) \u2295 Loves(adam, animal)) \u2227 In(adam, loveCity)", "conclusion": "Adam considers words of affirmation to be the most important love language.", "conclusion-FOL": "ConsidersMostImportantLoveLanguage(adam, wordOfAffirmation)", "label": "True", "example_id": 1091} +{"story_id": 399, "premises": "In Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.", "premises-FOL": "\u2200x (In(x, loveCity) \u2192 (ConsidersMostImportantLoveLanguage(x, physicalTouch) \u2228 ConsidersMostImportantLoveLanguage(x, wordOfAffirmation))\n\u2200x ((ConsidersMostImportantLoveLanguage(x, physicalTouch) \u2227 In(x, loveCity) \u2192 GoodWith(x, pet))\n\u2200x ((GoodWith(x, pet) \u2227 In(x, loveCity)) \u2192 \u00acScaredOf(x, animal))\n\u2200x (In(x, loveCity) \u2192 (ScaredOf(x, animal) \u2228 Loves(x, animal)))\n(ConsidersMostImportantLoveLanguage(adam, physicalTouch) \u2295 Loves(adam, animal)) \u2227 In(adam, loveCity)", "conclusion": "Adam considers physical touch as the most important love language and considers words of affirmation as the most important love language.", "conclusion-FOL": "ConsidersMostImportantLoveLanguage(adam, physicalTouch) \u2227 ConsidersMostImportantLoveLanguage(adam, wordOfAffirmation)", "label": "False", "example_id": 1092} +{"story_id": 399, "premises": "In Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.", "premises-FOL": "\u2200x (In(x, loveCity) \u2192 (ConsidersMostImportantLoveLanguage(x, physicalTouch) \u2228 ConsidersMostImportantLoveLanguage(x, wordOfAffirmation))\n\u2200x ((ConsidersMostImportantLoveLanguage(x, physicalTouch) \u2227 In(x, loveCity) \u2192 GoodWith(x, pet))\n\u2200x ((GoodWith(x, pet) \u2227 In(x, loveCity)) \u2192 \u00acScaredOf(x, animal))\n\u2200x (In(x, loveCity) \u2192 (ScaredOf(x, animal) \u2228 Loves(x, animal)))\n(ConsidersMostImportantLoveLanguage(adam, physicalTouch) \u2295 Loves(adam, animal)) \u2227 In(adam, loveCity)", "conclusion": "Adam either values physical touch as an especially important love language or values words of affirmation as an especially important love language.", "conclusion-FOL": "ConsidersMostImportantLoveLanguage(adam, physicalTouch) \u2295 ConsidersMostImportantLoveLanguage(adam, wordOfAffirmation)", "label": "True", "example_id": 1093} +{"story_id": 399, "premises": "In Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.", "premises-FOL": "\u2200x (In(x, loveCity) \u2192 (ConsidersMostImportantLoveLanguage(x, physicalTouch) \u2228 ConsidersMostImportantLoveLanguage(x, wordOfAffirmation))\n\u2200x ((ConsidersMostImportantLoveLanguage(x, physicalTouch) \u2227 In(x, loveCity) \u2192 GoodWith(x, pet))\n\u2200x ((GoodWith(x, pet) \u2227 In(x, loveCity)) \u2192 \u00acScaredOf(x, animal))\n\u2200x (In(x, loveCity) \u2192 (ScaredOf(x, animal) \u2228 Loves(x, animal)))\n(ConsidersMostImportantLoveLanguage(adam, physicalTouch) \u2295 Loves(adam, animal)) \u2227 In(adam, loveCity)", "conclusion": "If Adam values physical touch as an especially important love language or is good with pets, then Adam values words of affirmation as an especially important love language.", "conclusion-FOL": "(ConsidersMostImportantLoveLanguage(adam, physicalTouch, mostImportantLoveLanguage) \u2228 GoodWith(x, pet)) \u2192 ConsidersMostImportantLoveLanguage(adam, wordOfAffirmation)", "label": "True", "example_id": 1094} +{"story_id": 444, "premises": "All birds have wings.\nAnimals with wings aren't reptiles.\nSome animals that fly are birds.\nIf something is an iguana, then it is a reptile. Simeng: All iguanas are reptiles. \nJohn is either both an iguana and a bird, or he is neither. \nJohn is an animal. ", "premises-FOL": "\u2200x (Bird(x) \u2192 \u2203y \u2203z (\u00ac(y=z) \u2227 Wing(y) \u2227 Wing(z) \u2227 Have(x, y) \u2227 Have(x, z)))\n\u2200x (Animal(x) \u2227 (\u2203y \u2203z (\u00ac(y=z) \u2227 Wing(y) \u2227 Wing(z) \u2227 Have(x, y) \u2227 Have(x, z))) \u2192 \u00acReptile(x))\n\u2203x (Animal(x) \u2227 Fly(x) \u2227 Bird(x))\n\u2200x (Iguana(x) \u2192 Reptile(x))\n\u00ac(Iguana(john) \u2295 Bird(john))\nAnimal(john)", "conclusion": "John is a reptile.", "conclusion-FOL": "Reptile(john)", "label": "Uncertain", "example_id": 1277} +{"story_id": 444, "premises": "All birds have wings.\nAnimals with wings aren't reptiles.\nSome animals that fly are birds.\nIf something is an iguana, then it is a reptile. Simeng: All iguanas are reptiles. \nJohn is either both an iguana and a bird, or he is neither. \nJohn is an animal. ", "premises-FOL": "\u2200x (Bird(x) \u2192 \u2203y \u2203z (\u00ac(y=z) \u2227 Wing(y) \u2227 Wing(z) \u2227 Have(x, y) \u2227 Have(x, z)))\n\u2200x (Animal(x) \u2227 (\u2203y \u2203z (\u00ac(y=z) \u2227 Wing(y) \u2227 Wing(z) \u2227 Have(x, y) \u2227 Have(x, z))) \u2192 \u00acReptile(x))\n\u2203x (Animal(x) \u2227 Fly(x) \u2227 Bird(x))\n\u2200x (Iguana(x) \u2192 Reptile(x))\n\u00ac(Iguana(john) \u2295 Bird(john))\nAnimal(john)", "conclusion": "John is not both an iguana and an animal that can fly.", "conclusion-FOL": "\u00ac(Iguana(john) \u2227 Fly(john))", "label": "True", "example_id": 1278} +{"story_id": 444, "premises": "All birds have wings.\nAnimals with wings aren't reptiles.\nSome animals that fly are birds.\nIf something is an iguana, then it is a reptile. Simeng: All iguanas are reptiles. \nJohn is either both an iguana and a bird, or he is neither. \nJohn is an animal. ", "premises-FOL": "\u2200x (Bird(x) \u2192 \u2203y \u2203z (\u00ac(y=z) \u2227 Wing(y) \u2227 Wing(z) \u2227 Have(x, y) \u2227 Have(x, z)))\n\u2200x (Animal(x) \u2227 (\u2203y \u2203z (\u00ac(y=z) \u2227 Wing(y) \u2227 Wing(z) \u2227 Have(x, y) \u2227 Have(x, z))) \u2192 \u00acReptile(x))\n\u2203x (Animal(x) \u2227 Fly(x) \u2227 Bird(x))\n\u2200x (Iguana(x) \u2192 Reptile(x))\n\u00ac(Iguana(john) \u2295 Bird(john))\nAnimal(john)", "conclusion": "John is an animal that can fly and John is a bird.", "conclusion-FOL": "Animal(john) \u2227 Fly(john) \u2227 Bird(john)", "label": "False", "example_id": 1279} +{"story_id": 30, "premises": "EndGame is a movie released in 2006.\nEndGame was set in Washington.\nEndGame was filmed outside of Washington.\nSome movies are filmed in New York.\nAndy Chang directed EndGame.\nAndy Chang is from Hong Kong.", "premises-FOL": "Movie(endGame) \u2227 Released(endGame, yr2006)\nSetIn(endGame, washington)\n\u00ac(FilmedIn(endGame, washington))\n\u2203x\u2203y(FilmedIn(x, newYork) \u2227 (\u00ac(x=y)) \u2227 FilmedIn(y, newYork))\nDirected(andyChang, endGame)\nFrom(andyChang, hongKong)", "conclusion": "EndGame was filmed in New York.", "conclusion-FOL": "FilmedIn(endGame, newYork)", "label": "Uncertain", "example_id": 86} +{"story_id": 30, "premises": "EndGame is a movie released in 2006.\nEndGame was set in Washington.\nEndGame was filmed outside of Washington.\nSome movies are filmed in New York.\nAndy Chang directed EndGame.\nAndy Chang is from Hong Kong.", "premises-FOL": "Movie(endGame) \u2227 Released(endGame, yr2006)\nSetIn(endGame, washington)\n\u00ac(FilmedIn(endGame, washington))\n\u2203x\u2203y(FilmedIn(x, newYork) \u2227 (\u00ac(x=y)) \u2227 FilmedIn(y, newYork))\nDirected(andyChang, endGame)\nFrom(andyChang, hongKong)", "conclusion": "EndGame was not directed by someone from Hong Kong.", "conclusion-FOL": "\u2200x (\u00ac(Directed(x, endGame) \u2227 From(x, hongKong)))", "label": "False", "example_id": 87} +{"story_id": 30, "premises": "EndGame is a movie released in 2006.\nEndGame was set in Washington.\nEndGame was filmed outside of Washington.\nSome movies are filmed in New York.\nAndy Chang directed EndGame.\nAndy Chang is from Hong Kong.", "premises-FOL": "Movie(endGame) \u2227 Released(endGame, yr2006)\nSetIn(endGame, washington)\n\u00ac(FilmedIn(endGame, washington))\n\u2203x\u2203y(FilmedIn(x, newYork) \u2227 (\u00ac(x=y)) \u2227 FilmedIn(y, newYork))\nDirected(andyChang, endGame)\nFrom(andyChang, hongKong)", "conclusion": "All of Andy Chang's movies are filmed outside of Washington.", "conclusion-FOL": "\u2200x (Directed(andyChang, x) \u2192 \u00ac(FilmedIn(x, washington)))", "label": "Uncertain", "example_id": 88} +{"story_id": 7, "premises": "Six, seven and eight are real numbers.\nIf a real number equals another real number added by one, the first number is larger.\nIf the number x is larger than the number y, then y is not larger than x.\nSeven equals six plus one.\nEight equals seven plus one.\nTwo is positive.\nIf a number is positive, then the double of it is also positive.\nEight is the double of four.\nFour is the double of two.", "premises-FOL": "RealNum(num6) \u2227 RealNum(num7) \u2227 RealNum(num8)\n\u2200x \u2200y ((RealNum(x) \u2227 RealNum(y) \u2227 IsSuccessorOf(x, y)) \u2192 Larger(x, y))\n\u2200x \u2200y (Larger(x, y) \u2192 \u00acLarger(y, x))\n\u2203y(IsSuccessorOf(y, num6) \u2227 Equals(num7, y))\n\u2203y(IsSuccessorOf(y, num7) \u2227 Equals(num8, y))\nPositive(num2)\n\u2200x \u2200y ((Positive(x) \u2227 IsDouble(y, x)) \u2192 Positive(y))\nIsDouble(num8, num4)\nIsDouble(num4, num2)", "conclusion": "Eight is larger than seven.", "conclusion-FOL": "Larger(eight, seven)", "label": "True", "example_id": 17} +{"story_id": 7, "premises": "Six, seven and eight are real numbers.\nIf a real number equals another real number added by one, the first number is larger.\nIf the number x is larger than the number y, then y is not larger than x.\nSeven equals six plus one.\nEight equals seven plus one.\nTwo is positive.\nIf a number is positive, then the double of it is also positive.\nEight is the double of four.\nFour is the double of two.", "premises-FOL": "RealNum(num6) \u2227 RealNum(num7) \u2227 RealNum(num8)\n\u2200x \u2200y ((RealNum(x) \u2227 RealNum(y) \u2227 IsSuccessorOf(x, y)) \u2192 Larger(x, y))\n\u2200x \u2200y (Larger(x, y) \u2192 \u00acLarger(y, x))\n\u2203y(IsSuccessorOf(y, num6) \u2227 Equals(num7, y))\n\u2203y(IsSuccessorOf(y, num7) \u2227 Equals(num8, y))\nPositive(num2)\n\u2200x \u2200y ((Positive(x) \u2227 IsDouble(y, x)) \u2192 Positive(y))\nIsDouble(num8, num4)\nIsDouble(num4, num2)", "conclusion": "Eight is positive.", "conclusion-FOL": "Positive(eight)", "label": "True", "example_id": 18} +{"story_id": 7, "premises": "Six, seven and eight are real numbers.\nIf a real number equals another real number added by one, the first number is larger.\nIf the number x is larger than the number y, then y is not larger than x.\nSeven equals six plus one.\nEight equals seven plus one.\nTwo is positive.\nIf a number is positive, then the double of it is also positive.\nEight is the double of four.\nFour is the double of two.", "premises-FOL": "RealNum(num6) \u2227 RealNum(num7) \u2227 RealNum(num8)\n\u2200x \u2200y ((RealNum(x) \u2227 RealNum(y) \u2227 IsSuccessorOf(x, y)) \u2192 Larger(x, y))\n\u2200x \u2200y (Larger(x, y) \u2192 \u00acLarger(y, x))\n\u2203y(IsSuccessorOf(y, num6) \u2227 Equals(num7, y))\n\u2203y(IsSuccessorOf(y, num7) \u2227 Equals(num8, y))\nPositive(num2)\n\u2200x \u2200y ((Positive(x) \u2227 IsDouble(y, x)) \u2192 Positive(y))\nIsDouble(num8, num4)\nIsDouble(num4, num2)", "conclusion": "Six is larger than seven.", "conclusion-FOL": "Larger(six, seven)", "label": "False", "example_id": 19} +{"story_id": 293, "premises": "All dogs sleep.\nSome four-legged animals are dogs.", "premises-FOL": "\u2200x (Dog(x) \u2192 Sleep(x))\n\u2203x \u2203y (FourLegged(x) \u2227 Animal(x) \u2227 Dog(x) \u2227 FourLegged(y) \u2227 Animal(y) \u2227 Dog(y) \u2227 \u00ac(x=y))", "conclusion": "Some four-legged animals sleep.", "conclusion-FOL": "\u2203x \u2203y (FourLegged(x) \u2227 Animal(x) \u2227 Sleeps(x) \u2227 FourLegged(y) \u2227 Animal(y) \u2227 Sleeps(y) \u2227 \u00ac(x=y))", "label": "True", "example_id": 737} +{"story_id": 475, "premises": "Everyone who is entitled to national social insurance coverage can have their medical bills partially covered. \nAll PRC nationals are entitled to national social insurance coverage.\nEveryone in the Franco-China diplomatic conference is either a PRC national or a French national, but not both. \nAll French nationals are citizens of the European Union. \nAll Spanish nationals are citizens of the European Union. \nNo North Korean nationals are citizens of the European Union. \nMei is at the Franco-China diplomatic conference. \nEither Mei is a North Korean and can have medical bills partially covered, or neither is true.", "premises-FOL": "\u2200x (EntitledTo(x, nationalSocialInsuranceCoverage) \u2192 CanHavePartiallyCovered(x, medicalBills))\n\u2200x (PRCNational(x) \u2192 EntitledTo(x, nationalSocialInsuranceCoverage))\n\u2200x (In(x, franco-ChinaDiplomaticConference) \u2192 PRCNational(x) \u2295 FrenchNational(x))\n\u2200x (FrenchNational(x) \u2192 CitizenOf(x, europeanUnion))\n\u2200x (SpanishNational(x) \u2192 CitizenOf(x, europeanUnion))\n\u2200x (NorthKoreanNational(x) \u2192 \u00acCitizenOf(x, europeanUnion))\nIn(mei, franco-ChinaDiplomaticConference)\n\u00ac(NorthKoreanNational(mei) \u2295 CanHavePartiallyCovered(mei, medicalBills))", "conclusion": "Mei is a PRC national.", "conclusion-FOL": "PRCNational(mei)", "label": "Uncertain", "example_id": 1378} +{"story_id": 475, "premises": "Everyone who is entitled to national social insurance coverage can have their medical bills partially covered. \nAll PRC nationals are entitled to national social insurance coverage.\nEveryone in the Franco-China diplomatic conference is either a PRC national or a French national, but not both. \nAll French nationals are citizens of the European Union. \nAll Spanish nationals are citizens of the European Union. \nNo North Korean nationals are citizens of the European Union. \nMei is at the Franco-China diplomatic conference. \nEither Mei is a North Korean and can have medical bills partially covered, or neither is true.", "premises-FOL": "\u2200x (EntitledTo(x, nationalSocialInsuranceCoverage) \u2192 CanHavePartiallyCovered(x, medicalBills))\n\u2200x (PRCNational(x) \u2192 EntitledTo(x, nationalSocialInsuranceCoverage))\n\u2200x (In(x, franco-ChinaDiplomaticConference) \u2192 PRCNational(x) \u2295 FrenchNational(x))\n\u2200x (FrenchNational(x) \u2192 CitizenOf(x, europeanUnion))\n\u2200x (SpanishNational(x) \u2192 CitizenOf(x, europeanUnion))\n\u2200x (NorthKoreanNational(x) \u2192 \u00acCitizenOf(x, europeanUnion))\nIn(mei, franco-ChinaDiplomaticConference)\n\u00ac(NorthKoreanNational(mei) \u2295 CanHavePartiallyCovered(mei, medicalBills))", "conclusion": "Mei is not a PRC national.", "conclusion-FOL": "\u00acPRCNational(mei)", "label": "Uncertain", "example_id": 1379} +{"story_id": 475, "premises": "Everyone who is entitled to national social insurance coverage can have their medical bills partially covered. \nAll PRC nationals are entitled to national social insurance coverage.\nEveryone in the Franco-China diplomatic conference is either a PRC national or a French national, but not both. \nAll French nationals are citizens of the European Union. \nAll Spanish nationals are citizens of the European Union. \nNo North Korean nationals are citizens of the European Union. \nMei is at the Franco-China diplomatic conference. \nEither Mei is a North Korean and can have medical bills partially covered, or neither is true.", "premises-FOL": "\u2200x (EntitledTo(x, nationalSocialInsuranceCoverage) \u2192 CanHavePartiallyCovered(x, medicalBills))\n\u2200x (PRCNational(x) \u2192 EntitledTo(x, nationalSocialInsuranceCoverage))\n\u2200x (In(x, franco-ChinaDiplomaticConference) \u2192 PRCNational(x) \u2295 FrenchNational(x))\n\u2200x (FrenchNational(x) \u2192 CitizenOf(x, europeanUnion))\n\u2200x (SpanishNational(x) \u2192 CitizenOf(x, europeanUnion))\n\u2200x (NorthKoreanNational(x) \u2192 \u00acCitizenOf(x, europeanUnion))\nIn(mei, franco-ChinaDiplomaticConference)\n\u00ac(NorthKoreanNational(mei) \u2295 CanHavePartiallyCovered(mei, medicalBills))", "conclusion": "If Mei is either a North Korean or a Spanish national, then Mei is either both a French national and a citizen of the European Union, or neither a French national nor a citizen of the European Union.", "conclusion-FOL": "NorthKoreanNational(mei) \u2295 SpanishNational(mei) \u2192 \u00ac(FrenchNational(mei) \u2295 European(mei))", "label": "True", "example_id": 1380} +{"story_id": 268, "premises": "No people who do not admit a mistake are good teachers.\nSome well-informed people are people who do not admit a mistake.", "premises-FOL": "\u2200x (\u00acAdmit(x, mistake) \u2192 \u00acGoodTeacher(x))\n\u2203x \u2203y (WellInformed(x) \u2227 WellInformed(y) \u2227 \u00acAdmit(x, mistake) \u2227 \u00acAdmit(y, mistake) \u2227 \u00ac(x=y))", "conclusion": "Some good teachers are not well-informed people.", "conclusion-FOL": "\u2203x \u2203y (GoodTeacher(x) \u2227 GoodTeacher(y) \u2227 \u00acWellInformed(x) \u2227 \u00acWellInformed(y) \u2227 \u00ac(x=y))", "label": "Uncertain", "example_id": 712} +{"story_id": 25, "premises": "Philatelic literature is divided into the following categories: Stamp catalogs, Periodicals, Auction catalogs, Books, Bibliographies, and Background Material.\nMort is not a Stamp catalog.\nMort is not a periodical, auction catalog, bibliography, or background material.\nMort is a piece of Philatelic literature.", "premises-FOL": "\u2200x (PhilatelicLit(x) \u2192 (Stamp(x) \u2228 Periodical(x) \u2228 Auction(x) \u2228 Book(x) \u2228 Bibliography(x) \u2228 Background(x)))\n\u00acStamp(mort)\n\u00ac(Periodical(mort) \u2228 Auction(mort) \u2228 Bibliography(mort) \u2228 Background(mort))\nPhilatelicLit(mort)", "conclusion": "Mort is background material.", "conclusion-FOL": "Background(mort)", "label": "False", "example_id": 72} +{"story_id": 25, "premises": "Philatelic literature is divided into the following categories: Stamp catalogs, Periodicals, Auction catalogs, Books, Bibliographies, and Background Material.\nMort is not a Stamp catalog.\nMort is not a periodical, auction catalog, bibliography, or background material.\nMort is a piece of Philatelic literature.", "premises-FOL": "\u2200x (PhilatelicLit(x) \u2192 (Stamp(x) \u2228 Periodical(x) \u2228 Auction(x) \u2228 Book(x) \u2228 Bibliography(x) \u2228 Background(x)))\n\u00acStamp(mort)\n\u00ac(Periodical(mort) \u2228 Auction(mort) \u2228 Bibliography(mort) \u2228 Background(mort))\nPhilatelicLit(mort)", "conclusion": "Eragon is a piece of Philatelic literature.", "conclusion-FOL": "PhilatelicLit(eragon)", "label": "Uncertain", "example_id": 73} +{"story_id": 92, "premises": "Adventures of Rusty is a drama film and children's film.\nColumbia Pictures produced Adventures of Rusty.\nTintin was produced by Paramount.\nTintin is an adventure film.", "premises-FOL": "DramaFilm(adventuresOfRusty) \u2227 ChildrensFilm(adventuresOfRusty)\nProduces(columbiaPictures, adventuresOfRusty)\nProduces(paramount, tintin)\nAdventureFilm(tintin)", "conclusion": "Columbia pictures produced some drama film.", "conclusion-FOL": "\u2203x (DramaFilm(x) \u2227 Produces(columbiaPictures, x))", "label": "True", "example_id": 279} +{"story_id": 92, "premises": "Adventures of Rusty is a drama film and children's film.\nColumbia Pictures produced Adventures of Rusty.\nTintin was produced by Paramount.\nTintin is an adventure film.", "premises-FOL": "DramaFilm(adventuresOfRusty) \u2227 ChildrensFilm(adventuresOfRusty)\nProduces(columbiaPictures, adventuresOfRusty)\nProduces(paramount, tintin)\nAdventureFilm(tintin)", "conclusion": "Columbia pictures produced some adventure film.", "conclusion-FOL": "\u2203x (AdventureFilm(x) \u2227 Produces(columbiaPictures, x))", "label": "Uncertain", "example_id": 280} +{"story_id": 92, "premises": "Adventures of Rusty is a drama film and children's film.\nColumbia Pictures produced Adventures of Rusty.\nTintin was produced by Paramount.\nTintin is an adventure film.", "premises-FOL": "DramaFilm(adventuresOfRusty) \u2227 ChildrensFilm(adventuresOfRusty)\nProduces(columbiaPictures, adventuresOfRusty)\nProduces(paramount, tintin)\nAdventureFilm(tintin)", "conclusion": "Paramount produces children's films.", "conclusion-FOL": "\u2203x (ChildrensFilm(x) \u2227 Produces(paramount, x))", "label": "Uncertain", "example_id": 281} +{"story_id": 92, "premises": "Adventures of Rusty is a drama film and children's film.\nColumbia Pictures produced Adventures of Rusty.\nTintin was produced by Paramount.\nTintin is an adventure film.", "premises-FOL": "DramaFilm(adventuresOfRusty) \u2227 ChildrensFilm(adventuresOfRusty)\nProduces(columbiaPictures, adventuresOfRusty)\nProduces(paramount, tintin)\nAdventureFilm(tintin)", "conclusion": "Paramount produces adventure films.", "conclusion-FOL": "\u2203x (AdventureFilm(x) \u2227 Produces(paramount, x))", "label": "True", "example_id": 282} +{"story_id": 233, "premises": "Deng Xiaoping served as the paramount leader of the People's Republic of China.\nDeng Xiaoping was praised for his reaffirmation of the reform program, as well as the reversion of Hong Kong to Chinese control and the return of Macau.\nAs the party's Secretary-General under Mao and Vice Premier in the 1950s, Deng Xiaoping presided over the Anti-Rightist Campaign launched by Mao.\nDeng Xiaoping became instrumental in China's economic reconstruction following the disastrous Great Leap Forward.\nMao Zedong died in 1976.\nAfter Mao Zedong's death, Deng Xiaoping gradually rose to supreme power.", "premises-FOL": "ParamountLeaderOf(dengXiaoping, peoplesRepublicOfChina)\nPraisedFor(dengXiaoping, reaffirmationOfReformProgram) \u2227 PraisedFor(dengXiaoping, reversionOfHongKong) \u2227 PraisedFor(dengXiaoping, returnOfMacau)\nPartysSecretaryGeneral(dengXiaoping) \u2227 Under(dengXiaoping, mao) \u2227 VicePremierInThe1950s(dengXiaoping) \u2227 PresidedOver(dengXiaoping, antiRightistCampaign) \u2227 LaunchedBy(antiRightistCampaign, mao)\nInstrumentalIn(dengXiaoping, chinasEconomicReconstruction) \u2227 Following(chinasEconomicReconstruction, greatLeapForward) \u2227 Disastrous(greatLeapForward)\nDiedIn(mao, year1976)\nGraduallyRoseTo(dengXiaoping, supremePower)", "conclusion": "The paramount leader of the PRC was also the vice premier.", "conclusion-FOL": "\u2203x (ParamountLeaderOf(x, prc) \u2227 VicePremier(x))", "label": "True", "example_id": 660} +{"story_id": 233, "premises": "Deng Xiaoping served as the paramount leader of the People's Republic of China.\nDeng Xiaoping was praised for his reaffirmation of the reform program, as well as the reversion of Hong Kong to Chinese control and the return of Macau.\nAs the party's Secretary-General under Mao and Vice Premier in the 1950s, Deng Xiaoping presided over the Anti-Rightist Campaign launched by Mao.\nDeng Xiaoping became instrumental in China's economic reconstruction following the disastrous Great Leap Forward.\nMao Zedong died in 1976.\nAfter Mao Zedong's death, Deng Xiaoping gradually rose to supreme power.", "premises-FOL": "ParamountLeaderOf(dengXiaoping, peoplesRepublicOfChina)\nPraisedFor(dengXiaoping, reaffirmationOfReformProgram) \u2227 PraisedFor(dengXiaoping, reversionOfHongKong) \u2227 PraisedFor(dengXiaoping, returnOfMacau)\nPartysSecretaryGeneral(dengXiaoping) \u2227 Under(dengXiaoping, mao) \u2227 VicePremierInThe1950s(dengXiaoping) \u2227 PresidedOver(dengXiaoping, antiRightistCampaign) \u2227 LaunchedBy(antiRightistCampaign, mao)\nInstrumentalIn(dengXiaoping, chinasEconomicReconstruction) \u2227 Following(chinasEconomicReconstruction, greatLeapForward) \u2227 Disastrous(greatLeapForward)\nDiedIn(mao, year1976)\nGraduallyRoseTo(dengXiaoping, supremePower)", "conclusion": "Deng Xiaoping presided over something launched by someone he was under.", "conclusion-FOL": "\u2203x \u2203y (PresidedOver(dengxiaoping, x) \u2227 Under(dengxiaoping, y) \u2227 LaunchedBy(x, y))", "label": "True", "example_id": 661} +{"story_id": 233, "premises": "Deng Xiaoping served as the paramount leader of the People's Republic of China.\nDeng Xiaoping was praised for his reaffirmation of the reform program, as well as the reversion of Hong Kong to Chinese control and the return of Macau.\nAs the party's Secretary-General under Mao and Vice Premier in the 1950s, Deng Xiaoping presided over the Anti-Rightist Campaign launched by Mao.\nDeng Xiaoping became instrumental in China's economic reconstruction following the disastrous Great Leap Forward.\nMao Zedong died in 1976.\nAfter Mao Zedong's death, Deng Xiaoping gradually rose to supreme power.", "premises-FOL": "ParamountLeaderOf(dengXiaoping, peoplesRepublicOfChina)\nPraisedFor(dengXiaoping, reaffirmationOfReformProgram) \u2227 PraisedFor(dengXiaoping, reversionOfHongKong) \u2227 PraisedFor(dengXiaoping, returnOfMacau)\nPartysSecretaryGeneral(dengXiaoping) \u2227 Under(dengXiaoping, mao) \u2227 VicePremierInThe1950s(dengXiaoping) \u2227 PresidedOver(dengXiaoping, antiRightistCampaign) \u2227 LaunchedBy(antiRightistCampaign, mao)\nInstrumentalIn(dengXiaoping, chinasEconomicReconstruction) \u2227 Following(chinasEconomicReconstruction, greatLeapForward) \u2227 Disastrous(greatLeapForward)\nDiedIn(mao, year1976)\nGraduallyRoseTo(dengXiaoping, supremePower)", "conclusion": "The person instrumental in china's economic reconstruction gradually rose to supreme power.", "conclusion-FOL": "\u2203x (InstrumentalIn(x, chinaseconomicreconstruction) \u2227 GraduallyRoseTo(x, supremepower))", "label": "True", "example_id": 662} +{"story_id": 391, "premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", "premises-FOL": "\u2200x ((Knows(dan, x) \u2227 ImaginativeProcess(x)) \u2192 ResultOf(x, creativeProcess))\n\u2200x ((Knows(dan, x) \u2227 ScienceFiction(x)) \u2192 ImaginativeProcess(x)) \n\u2200x (Knows(dan, x) \u2192 (ScienceFiction(x) \u2295 RealisticFiction(x)))\n\u2200x ((Knows(dan, x) \u2227 Fact(x)) \u2192 \u00acProvedToBe(x, false)) \n(Knows(dan, dune) \u2227 ScienceFiction(dune)) \u2228 ProvedToBe(dune, false))", "conclusion": "Dune is realistic fiction.", "conclusion-FOL": "RealisticFiction(dune)", "label": "Uncertain", "example_id": 1047} +{"story_id": 391, "premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", "premises-FOL": "\u2200x ((Knows(dan, x) \u2227 ImaginativeProcess(x)) \u2192 ResultOf(x, creativeProcess))\n\u2200x ((Knows(dan, x) \u2227 ScienceFiction(x)) \u2192 ImaginativeProcess(x)) \n\u2200x (Knows(dan, x) \u2192 (ScienceFiction(x) \u2295 RealisticFiction(x)))\n\u2200x ((Knows(dan, x) \u2227 Fact(x)) \u2192 \u00acProvedToBe(x, false)) \n(Knows(dan, dune) \u2227 ScienceFiction(dune)) \u2228 ProvedToBe(dune, false))", "conclusion": "Dune is a result of creative and imaginative process.", "conclusion-FOL": "ResultOf(dune, creativeProcess) \u2227 ImaginativeProcess(dune)", "label": "True", "example_id": 1048} +{"story_id": 391, "premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", "premises-FOL": "\u2200x ((Knows(dan, x) \u2227 ImaginativeProcess(x)) \u2192 ResultOf(x, creativeProcess))\n\u2200x ((Knows(dan, x) \u2227 ScienceFiction(x)) \u2192 ImaginativeProcess(x)) \n\u2200x (Knows(dan, x) \u2192 (ScienceFiction(x) \u2295 RealisticFiction(x)))\n\u2200x ((Knows(dan, x) \u2227 Fact(x)) \u2192 \u00acProvedToBe(x, false)) \n(Knows(dan, dune) \u2227 ScienceFiction(dune)) \u2228 ProvedToBe(dune, false))", "conclusion": "Dune is either a result of creative processes or came from an imaginative process.", "conclusion-FOL": "ResultOf(dune, creativeProcess) \u2295 ImaginativeProcess(dune)", "label": "False", "example_id": 1049} +{"story_id": 391, "premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", "premises-FOL": "\u2200x ((Knows(dan, x) \u2227 ImaginativeProcess(x)) \u2192 ResultOf(x, creativeProcess))\n\u2200x ((Knows(dan, x) \u2227 ScienceFiction(x)) \u2192 ImaginativeProcess(x)) \n\u2200x (Knows(dan, x) \u2192 (ScienceFiction(x) \u2295 RealisticFiction(x)))\n\u2200x ((Knows(dan, x) \u2227 Fact(x)) \u2192 \u00acProvedToBe(x, false)) \n(Knows(dan, dune) \u2227 ScienceFiction(dune)) \u2228 ProvedToBe(dune, false))", "conclusion": "Dune is a result of creative processes and is science fiction.", "conclusion-FOL": "ResultOf(dune, creativeProcess) \u2227 ScienceFiction(dune))", "label": "True", "example_id": 1050} +{"story_id": 391, "premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", "premises-FOL": "\u2200x ((Knows(dan, x) \u2227 ImaginativeProcess(x)) \u2192 ResultOf(x, creativeProcess))\n\u2200x ((Knows(dan, x) \u2227 ScienceFiction(x)) \u2192 ImaginativeProcess(x)) \n\u2200x (Knows(dan, x) \u2192 (ScienceFiction(x) \u2295 RealisticFiction(x)))\n\u2200x ((Knows(dan, x) \u2227 Fact(x)) \u2192 \u00acProvedToBe(x, false)) \n(Knows(dan, dune) \u2227 ScienceFiction(dune)) \u2228 ProvedToBe(dune, false))", "conclusion": "Dune is either a result of creative processes or is science fiction.", "conclusion-FOL": "Knows(dan, dune) \u2227 (ResultOf(dune, creativeProcess) \u2295 ScienceFiction(dune))", "label": "False", "example_id": 1051} +{"story_id": 391, "premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", "premises-FOL": "\u2200x ((Knows(dan, x) \u2227 ImaginativeProcess(x)) \u2192 ResultOf(x, creativeProcess))\n\u2200x ((Knows(dan, x) \u2227 ScienceFiction(x)) \u2192 ImaginativeProcess(x)) \n\u2200x (Knows(dan, x) \u2192 (ScienceFiction(x) \u2295 RealisticFiction(x)))\n\u2200x ((Knows(dan, x) \u2227 Fact(x)) \u2192 \u00acProvedToBe(x, false)) \n(Knows(dan, dune) \u2227 ScienceFiction(dune)) \u2228 ProvedToBe(dune, false))", "conclusion": "If Dune is a result of creative and imaginative processes, then Dune is not a result of creative processes and science-fiction.", "conclusion-FOL": "(ResultOf(dune, creativeProcess) \u2227 ImaginativeProcess(dune)) \u2192 (\u00acResultOf(dune, creativeProcess) \u2227 \u00acScienceFiction(dune))", "label": "False", "example_id": 1052} +{"story_id": 391, "premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", "premises-FOL": "\u2200x ((Knows(dan, x) \u2227 ImaginativeProcess(x)) \u2192 ResultOf(x, creativeProcess))\n\u2200x ((Knows(dan, x) \u2227 ScienceFiction(x)) \u2192 ImaginativeProcess(x)) \n\u2200x (Knows(dan, x) \u2192 (ScienceFiction(x) \u2295 RealisticFiction(x)))\n\u2200x ((Knows(dan, x) \u2227 Fact(x)) \u2192 \u00acProvedToBe(x, false)) \n(Knows(dan, dune) \u2227 ScienceFiction(dune)) \u2228 ProvedToBe(dune, false))", "conclusion": "If Dune is either a fact and a result of creative processes, or neither a fact nor a result of creative processes, then Dune is a result of creative processes and science-fiction.", "conclusion-FOL": "Knows(dan, dune) \u2227 (\u00ac(Fact(dune) \u2295 ResultOf(dune, creativeProcess))) \u2192 (ResultOf(dune, creativeProcess) \u2227 ScienceFiction(dune))", "label": "True", "example_id": 1053} +{"story_id": 391, "premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", "premises-FOL": "\u2200x ((Knows(dan, x) \u2227 ImaginativeProcess(x)) \u2192 ResultOf(x, creativeProcess))\n\u2200x ((Knows(dan, x) \u2227 ScienceFiction(x)) \u2192 ImaginativeProcess(x)) \n\u2200x (Knows(dan, x) \u2192 (ScienceFiction(x) \u2295 RealisticFiction(x)))\n\u2200x ((Knows(dan, x) \u2227 Fact(x)) \u2192 \u00acProvedToBe(x, false)) \n(Knows(dan, dune) \u2227 ScienceFiction(dune)) \u2228 ProvedToBe(dune, false))", "conclusion": "If Dune is science-fiction, then Dune is not a result of creative processes and science-fiction.", "conclusion-FOL": "Knows(dan, dune) \u2227 (ScienceFiction(dune)) \u2192 (\u00ac(ResultOf(dune, creativeProcess) \u2227 ScienceFiction(dune)))", "label": "False", "example_id": 1054} +{"story_id": 391, "premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", "premises-FOL": "\u2200x ((Knows(dan, x) \u2227 ImaginativeProcess(x)) \u2192 ResultOf(x, creativeProcess))\n\u2200x ((Knows(dan, x) \u2227 ScienceFiction(x)) \u2192 ImaginativeProcess(x)) \n\u2200x (Knows(dan, x) \u2192 (ScienceFiction(x) \u2295 RealisticFiction(x)))\n\u2200x ((Knows(dan, x) \u2227 Fact(x)) \u2192 \u00acProvedToBe(x, false)) \n(Knows(dan, dune) \u2227 ScienceFiction(dune)) \u2228 ProvedToBe(dune, false))", "conclusion": "If Dune is not a result of creative processes and science-fiction, then Dune neither came from an imaginative process nor proved to be false.", "conclusion-FOL": "Knows(dan, dune) \u2227 (\u00ac(ResultOf(dune, creativeProcess) \u2227 ScienceFiction(dune))) \u2192 (\u00ac(ImaginativeProcess(dune) \u2228 ProvedToBe(dune, false)))", "label": "True", "example_id": 1055} +{"story_id": 391, "premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", "premises-FOL": "\u2200x ((Knows(dan, x) \u2227 ImaginativeProcess(x)) \u2192 ResultOf(x, creativeProcess))\n\u2200x ((Knows(dan, x) \u2227 ScienceFiction(x)) \u2192 ImaginativeProcess(x)) \n\u2200x (Knows(dan, x) \u2192 (ScienceFiction(x) \u2295 RealisticFiction(x)))\n\u2200x ((Knows(dan, x) \u2227 Fact(x)) \u2192 \u00acProvedToBe(x, false)) \n(Knows(dan, dune) \u2227 ScienceFiction(dune)) \u2228 ProvedToBe(dune, false))", "conclusion": "If Dune is did not come from imaginative process and is not science-fiction, then Dune is neither a result of creative processes nor came from an imaginative process.", "conclusion-FOL": "Knows(dan, dune) \u2227 (\u00ac(ImaginativeProcess(dune) \u2227 ScienceFiction(dune))) \u2192 (\u00ac(ResultOf(dune, creativeProcess) \u2228 ImaginativeProcess(dune)))", "label": "True", "example_id": 1056} +{"story_id": 181, "premises": "American superheroes come from either the DC Universe or Marvel Universe.\nCaptain America is one of America's top-ten favorite superheroes\nCaptain America does not come from the DC Universe.\nAmerica's top-ten favorite superheroes speak English.\nSome superheroes speak both English and Spanish. ", "premises-FOL": "\u2200x (Superhero(x) \u2227 American(x) \u2192 ComeFrom(x, dCUniverse) \u2295 ComeFrom(x, marvelUniverse)) \nAmerican(captainAmerica) \u2227 TopTenFavorite(captainAmerica) \u2227 Superhero(captainAmerica) \n\u00acComeFrom(captainAmerica, dCUniverse)\n\u2200x (American(x) \u2227 TopTenFavorite(x) \u2227 Superhero(x) \u2192 Speak(x, english)) \n\u2203x (Superhero(x) \u2192 (Speak(x, english) \u2227 Speak(x, spanish)))", "conclusion": "Captain America does not speak English.", "conclusion-FOL": "\u00acSpeak(captainAmerica, english)", "label": "False", "example_id": 521} +{"story_id": 181, "premises": "American superheroes come from either the DC Universe or Marvel Universe.\nCaptain America is one of America's top-ten favorite superheroes\nCaptain America does not come from the DC Universe.\nAmerica's top-ten favorite superheroes speak English.\nSome superheroes speak both English and Spanish. ", "premises-FOL": "\u2200x (Superhero(x) \u2227 American(x) \u2192 ComeFrom(x, dCUniverse) \u2295 ComeFrom(x, marvelUniverse)) \nAmerican(captainAmerica) \u2227 TopTenFavorite(captainAmerica) \u2227 Superhero(captainAmerica) \n\u00acComeFrom(captainAmerica, dCUniverse)\n\u2200x (American(x) \u2227 TopTenFavorite(x) \u2227 Superhero(x) \u2192 Speak(x, english)) \n\u2203x (Superhero(x) \u2192 (Speak(x, english) \u2227 Speak(x, spanish)))", "conclusion": "Captain America comes from the Marvel universe.", "conclusion-FOL": "ComeFrom(captainAmerica, marvelUniverse)", "label": "True", "example_id": 522} +{"story_id": 181, "premises": "American superheroes come from either the DC Universe or Marvel Universe.\nCaptain America is one of America's top-ten favorite superheroes\nCaptain America does not come from the DC Universe.\nAmerica's top-ten favorite superheroes speak English.\nSome superheroes speak both English and Spanish. ", "premises-FOL": "\u2200x (Superhero(x) \u2227 American(x) \u2192 ComeFrom(x, dCUniverse) \u2295 ComeFrom(x, marvelUniverse)) \nAmerican(captainAmerica) \u2227 TopTenFavorite(captainAmerica) \u2227 Superhero(captainAmerica) \n\u00acComeFrom(captainAmerica, dCUniverse)\n\u2200x (American(x) \u2227 TopTenFavorite(x) \u2227 Superhero(x) \u2192 Speak(x, english)) \n\u2203x (Superhero(x) \u2192 (Speak(x, english) \u2227 Speak(x, spanish)))", "conclusion": "Captain America speaks Spanish.", "conclusion-FOL": "Speak(captainAmerica, spanish)", "label": "Uncertain", "example_id": 523} +{"story_id": 75, "premises": "Robert Zimmer was a philosopher born in Germany.\nRobert Zimmer is an essayist.\nRobert Zimmer was born in 1953.\nEvery essayist is a writer.", "premises-FOL": "BornIn(robertZimmer, germany) \u2227 Philosopher(robertZimmer)\nEssayist(robertZimmer)\nBornIn(robertZimmer, yr1953)\n\u2200x (Essayist(x) \u2192 Writer(x))", "conclusion": "Robert Zimmer is German.", "conclusion-FOL": "BornIn(robertZimmer, germany)", "label": "Uncertain", "example_id": 228} +{"story_id": 75, "premises": "Robert Zimmer was a philosopher born in Germany.\nRobert Zimmer is an essayist.\nRobert Zimmer was born in 1953.\nEvery essayist is a writer.", "premises-FOL": "BornIn(robertZimmer, germany) \u2227 Philosopher(robertZimmer)\nEssayist(robertZimmer)\nBornIn(robertZimmer, yr1953)\n\u2200x (Essayist(x) \u2192 Writer(x))", "conclusion": "Robert Zimmer is not a writer.", "conclusion-FOL": "\u00acWriter(robertZimmer)", "label": "False", "example_id": 229} +{"story_id": 75, "premises": "Robert Zimmer was a philosopher born in Germany.\nRobert Zimmer is an essayist.\nRobert Zimmer was born in 1953.\nEvery essayist is a writer.", "premises-FOL": "BornIn(robertZimmer, germany) \u2227 Philosopher(robertZimmer)\nEssayist(robertZimmer)\nBornIn(robertZimmer, yr1953)\n\u2200x (Essayist(x) \u2192 Writer(x))", "conclusion": "Robert Zimmer is a biographer.", "conclusion-FOL": "Biographer(robertZimmer)", "label": "Uncertain", "example_id": 230} +{"story_id": 250, "premises": "All people who repay their loans on time have a high credit score.\nSome people with high credit scores and high salaries are approved for mortgages.\nJohn has a high salary.", "premises-FOL": "\u2200x (RepayOnTime(x) \u2192 Has(x, highCreditScore))\n\u2203x ((Has(x, highCreditScore) \u2227 Has(x, highSalary)) \u2192 ApprovedFor(x, mortgage))\nHas(john, highSalary)", "conclusion": "If John repays his loans on time, he will be approved for a mortgage.", "conclusion-FOL": "RepayOnTime(john) \u2192 ApprovedFor(john, mortgage)", "label": "Uncertain", "example_id": 694} +{"story_id": 344, "premises": "All students are members of the university.\nAll graduate students are students.\nAll PhD students are graduate students.\nSome PhD students are Teaching Fellows.\nIf John is not a PhD student, then he is not a member of the university.\nIf John is a Teaching Fellow, then he is a PhD student or a graduate student.", "premises-FOL": "\u2200x (Student(x) \u2192 MemberOf(x, university))\n\u2200x (GraduateStudent(x) \u2192 Student(x))\n\u2200x (PhDStudent(x) \u2192 GraduateStudent(x))\n\u2203x (PhDStudent(x) \u2227 TeachingFellow(x))\n\u00acPhDStudent(john) \u2192 \u00acMemberOf(john, university)\nTeachingFellow(john) \u2192 PhDStudent(john) \u2295 GraduateStudent(john)", "conclusion": "John is a Teaching Fellow", "conclusion-FOL": "TF(john)", "label": "False", "example_id": 907} +{"story_id": 344, "premises": "All students are members of the university.\nAll graduate students are students.\nAll PhD students are graduate students.\nSome PhD students are Teaching Fellows.\nIf John is not a PhD student, then he is not a member of the university.\nIf John is a Teaching Fellow, then he is a PhD student or a graduate student.", "premises-FOL": "\u2200x (Student(x) \u2192 MemberOf(x, university))\n\u2200x (GraduateStudent(x) \u2192 Student(x))\n\u2200x (PhDStudent(x) \u2192 GraduateStudent(x))\n\u2203x (PhDStudent(x) \u2227 TeachingFellow(x))\n\u00acPhDStudent(john) \u2192 \u00acMemberOf(john, university)\nTeachingFellow(john) \u2192 PhDStudent(john) \u2295 GraduateStudent(john)", "conclusion": "John is not a Teaching Fellow.", "conclusion-FOL": "\u00acTF(john)", "label": "True", "example_id": 908} +{"story_id": 344, "premises": "All students are members of the university.\nAll graduate students are students.\nAll PhD students are graduate students.\nSome PhD students are Teaching Fellows.\nIf John is not a PhD student, then he is not a member of the university.\nIf John is a Teaching Fellow, then he is a PhD student or a graduate student.", "premises-FOL": "\u2200x (Student(x) \u2192 MemberOf(x, university))\n\u2200x (GraduateStudent(x) \u2192 Student(x))\n\u2200x (PhDStudent(x) \u2192 GraduateStudent(x))\n\u2203x (PhDStudent(x) \u2227 TeachingFellow(x))\n\u00acPhDStudent(john) \u2192 \u00acMemberOf(john, university)\nTeachingFellow(john) \u2192 PhDStudent(john) \u2295 GraduateStudent(john)", "conclusion": "John is a PhD student.", "conclusion-FOL": "PhDStudent(john)", "label": "Uncertain", "example_id": 909} +{"story_id": 165, "premises": "Belgium, France, and Germany are European countries.\nParis is the capital of France.\nThe Eiffel Tower is one of the main tourist attractions located in Paris.\nSome people who live in Belgium speak French.\nIf John goes to Europe, he will see some tourist attractions.\nJohn speaks French.", "premises-FOL": "EuropeanCountry(belgium) \u2227 EuropeanCountry(france) \u2227 EuropeanCountry(germany)\nCapitalOf(paris, france)\nTouristAttraction(eiffelTower) \u2227 LocatedIn(eiffelTower, paris)\n\u2203x (LiveIn(x, belgium) \u2192 Speak(x, french))\n\u2203x (GoTo(john, europe) \u2192 (See(john, x) \u2227 TouristAttraction(x)))\nSpeak(john, french)", "conclusion": "If John goes to Europe, he will see the Eiffel Tower.", "conclusion-FOL": "GoTo(john, europe) \u2192 See(john, eiffelTower)", "label": "Uncertain", "example_id": 473} +{"story_id": 165, "premises": "Belgium, France, and Germany are European countries.\nParis is the capital of France.\nThe Eiffel Tower is one of the main tourist attractions located in Paris.\nSome people who live in Belgium speak French.\nIf John goes to Europe, he will see some tourist attractions.\nJohn speaks French.", "premises-FOL": "EuropeanCountry(belgium) \u2227 EuropeanCountry(france) \u2227 EuropeanCountry(germany)\nCapitalOf(paris, france)\nTouristAttraction(eiffelTower) \u2227 LocatedIn(eiffelTower, paris)\n\u2203x (LiveIn(x, belgium) \u2192 Speak(x, french))\n\u2203x (GoTo(john, europe) \u2192 (See(john, x) \u2227 TouristAttraction(x)))\nSpeak(john, french)", "conclusion": "The Eiffel Tower is located in the capital of France.", "conclusion-FOL": "\u2203x (CapitalOf(x, france) \u2227 LocatedIn(eiffelTower, x))", "label": "True", "example_id": 474} +{"story_id": 165, "premises": "Belgium, France, and Germany are European countries.\nParis is the capital of France.\nThe Eiffel Tower is one of the main tourist attractions located in Paris.\nSome people who live in Belgium speak French.\nIf John goes to Europe, he will see some tourist attractions.\nJohn speaks French.", "premises-FOL": "EuropeanCountry(belgium) \u2227 EuropeanCountry(france) \u2227 EuropeanCountry(germany)\nCapitalOf(paris, france)\nTouristAttraction(eiffelTower) \u2227 LocatedIn(eiffelTower, paris)\n\u2203x (LiveIn(x, belgium) \u2192 Speak(x, french))\n\u2203x (GoTo(john, europe) \u2192 (See(john, x) \u2227 TouristAttraction(x)))\nSpeak(john, french)", "conclusion": "John lives in Belgium.", "conclusion-FOL": "LiveIn(john, belgium)", "label": "Uncertain", "example_id": 475} +{"story_id": 342, "premises": "All sports cars are loud.\nNo loud cars are electric.\nIf a car is a Ferrari, then it is a sports car.\nAll cars made in Maranello are Ferraris.\nThe Toyota Prius is made in Maranello or is a loud car, or both.", "premises-FOL": "\u2200x (SportsCar(x) \u2192 LoudCar(x))\n\u2200x (LoudCar(x) \u2192 \u00acElectricCar(x))\n\u2200x (Ferrari(x) \u2192 SportsCar(x))\n\u2200x ((Car(x) \u2227 MadeIn(x, maranello)) \u2192 Ferrari(x))\n(Car(toyotaPrius) \u2227 MadeIn(toyotaPrius, maranello)) \u2228 LoudCar(toyotaPrius)", "conclusion": "Prius is an electric car.", "conclusion-FOL": "ElectricCar(toyotaPrius)", "label": "False", "example_id": 900} +{"story_id": 342, "premises": "All sports cars are loud.\nNo loud cars are electric.\nIf a car is a Ferrari, then it is a sports car.\nAll cars made in Maranello are Ferraris.\nThe Toyota Prius is made in Maranello or is a loud car, or both.", "premises-FOL": "\u2200x (SportsCar(x) \u2192 LoudCar(x))\n\u2200x (LoudCar(x) \u2192 \u00acElectricCar(x))\n\u2200x (Ferrari(x) \u2192 SportsCar(x))\n\u2200x ((Car(x) \u2227 MadeIn(x, maranello)) \u2192 Ferrari(x))\n(Car(toyotaPrius) \u2227 MadeIn(toyotaPrius, maranello)) \u2228 LoudCar(toyotaPrius)", "conclusion": "The Toyota Prius is not an electric car.", "conclusion-FOL": "\u00acElectricCar(toyotaPrius)", "label": "True", "example_id": 901} +{"story_id": 342, "premises": "All sports cars are loud.\nNo loud cars are electric.\nIf a car is a Ferrari, then it is a sports car.\nAll cars made in Maranello are Ferraris.\nThe Toyota Prius is made in Maranello or is a loud car, or both.", "premises-FOL": "\u2200x (SportsCar(x) \u2192 LoudCar(x))\n\u2200x (LoudCar(x) \u2192 \u00acElectricCar(x))\n\u2200x (Ferrari(x) \u2192 SportsCar(x))\n\u2200x ((Car(x) \u2227 MadeIn(x, maranello)) \u2192 Ferrari(x))\n(Car(toyotaPrius) \u2227 MadeIn(toyotaPrius, maranello)) \u2228 LoudCar(toyotaPrius)", "conclusion": "The Toyota Prius is a equipped with a Ferrari V12 engine.", "conclusion-FOL": "MadeIn(toyotaPrius, maranello)", "label": "Uncertain", "example_id": 902} +{"story_id": 342, "premises": "All sports cars are loud.\nNo loud cars are electric.\nIf a car is a Ferrari, then it is a sports car.\nAll cars made in Maranello are Ferraris.\nThe Toyota Prius is made in Maranello or is a loud car, or both.", "premises-FOL": "\u2200x (SportsCar(x) \u2192 LoudCar(x))\n\u2200x (LoudCar(x) \u2192 \u00acElectricCar(x))\n\u2200x (Ferrari(x) \u2192 SportsCar(x))\n\u2200x ((Car(x) \u2227 MadeIn(x, maranello)) \u2192 Ferrari(x))\n(Car(toyotaPrius) \u2227 MadeIn(toyotaPrius, maranello)) \u2228 LoudCar(toyotaPrius)", "conclusion": "If The Toyota Prius is a Ferrari or a loud car, then The Toyota Prius is an electric car.", "conclusion-FOL": "Ferrari(toyotaPrius) \u2228 LoudCar(toyotaPrius) \u2192 ElectricCar(toyotaPrius)", "label": "False", "example_id": 903} +{"story_id": 446, "premises": "If something is a plant, then it is not a cute animal. Simeng: All plants are not cute animals. \nAll flowers are plants.\nEvery kitten is a cute animal.\nIf something is grown in a garden, then it is a flower.\nPiper is a kitten or a cute animal.", "premises-FOL": "\u2200x (Plant(x) \u2192 \u00acCuteAnimal(x))\n\u2200x (Flower(x) \u2192 Plant(x))\n\u2200x (Kitten(x) \u2192 CuteAnimal(x))\n\u2200x (GrownIn(x, garden) \u2192 Flower(x))\nKitten(piper) \u2228 CuteAnimal(piper)", "conclusion": "Piper was grown in a garden.", "conclusion-FOL": "GrownIn(piper, garden)", "label": "False", "example_id": 1283} +{"story_id": 446, "premises": "If something is a plant, then it is not a cute animal. Simeng: All plants are not cute animals. \nAll flowers are plants.\nEvery kitten is a cute animal.\nIf something is grown in a garden, then it is a flower.\nPiper is a kitten or a cute animal.", "premises-FOL": "\u2200x (Plant(x) \u2192 \u00acCuteAnimal(x))\n\u2200x (Flower(x) \u2192 Plant(x))\n\u2200x (Kitten(x) \u2192 CuteAnimal(x))\n\u2200x (GrownIn(x, garden) \u2192 Flower(x))\nKitten(piper) \u2228 CuteAnimal(piper)", "conclusion": "Piper was not grown in a garden.", "conclusion-FOL": "\u00acGrownIn(piper, garden)", "label": "True", "example_id": 1284} +{"story_id": 446, "premises": "If something is a plant, then it is not a cute animal. Simeng: All plants are not cute animals. \nAll flowers are plants.\nEvery kitten is a cute animal.\nIf something is grown in a garden, then it is a flower.\nPiper is a kitten or a cute animal.", "premises-FOL": "\u2200x (Plant(x) \u2192 \u00acCuteAnimal(x))\n\u2200x (Flower(x) \u2192 Plant(x))\n\u2200x (Kitten(x) \u2192 CuteAnimal(x))\n\u2200x (GrownIn(x, garden) \u2192 Flower(x))\nKitten(piper) \u2228 CuteAnimal(piper)", "conclusion": "Piper is a kitten.", "conclusion-FOL": "Kitten(piper)", "label": "Uncertain", "example_id": 1285} +{"story_id": 149, "premises": "\nGuam sent an athlete to the Calgary Winter Olympics.\nIf Guan sent an athlete to the Calgary Winter Olympics, then the athelete participated in the Olympics in 1988.\nJudd Bankert is the only athlete from Guam who has ever competed in the Winter Olympics.", "premises-FOL": "\n\u2203x (Send(guam, athlete, calgaryWinterOlympics))\n\u2200x (Athlete(x) \u2227 SendTo(guam, x, calgaryWinterOlympics) \u2192 ParticipatedIn(x, winterOlympics, year1988))\n\u2200x \u2200y (Athlete(x) \u2227 From(x, guam) \u2227 ParticipatedIn(x, winterOlympics, y) \u2192 x=juddBankert)", "conclusion": "Judd Bankert competed in the 1988 Winter Olympics.", "conclusion-FOL": "ParticipatedIn(juddBankert, winterOlympics, year1988)", "label": "True", "example_id": 435} +{"story_id": 149, "premises": "\nGuam sent an athlete to the Calgary Winter Olympics.\nIf Guan sent an athlete to the Calgary Winter Olympics, then the athelete participated in the Olympics in 1988.\nJudd Bankert is the only athlete from Guam who has ever competed in the Winter Olympics.", "premises-FOL": "\n\u2203x (Send(guam, athlete, calgaryWinterOlympics))\n\u2200x (Athlete(x) \u2227 SendTo(guam, x, calgaryWinterOlympics) \u2192 ParticipatedIn(x, winterOlympics, year1988))\n\u2200x \u2200y (Athlete(x) \u2227 From(x, guam) \u2227 ParticipatedIn(x, winterOlympics, y) \u2192 x=juddBankert)", "conclusion": "Guam has participated in the Summer Olympics at least once.", "conclusion-FOL": "\u2203x (ParticipatedIn(guam, summerOlympics, x))", "label": "Uncertain", "example_id": 436} +{"story_id": 70, "premises": "Michael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.", "premises-FOL": "British(michael) \u2227 Physician(michael) \u2227 Journalist(michael) \u2227 Author(michael) \u2227 Broadcaster(michael)\nWordSetter(michael)\nMagazine(worldMedicine) \u2227 EditedBy(worldMedicine, michael)\nBornIn(michael, yorkshire) \u2227 \u2203x(SonOf(michael, x) \u2227 GeneralPractitioner(x))", "conclusion": "The son of a general practitioner was a word-setter of My Word!.", "conclusion-FOL": "\u2203x \u2203y (SonOf(x, y) \u2227 GeneralPractitioner(y) \u2227 WordSetter(x))", "label": "True", "example_id": 208} +{"story_id": 70, "premises": "Michael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.", "premises-FOL": "British(michael) \u2227 Physician(michael) \u2227 Journalist(michael) \u2227 Author(michael) \u2227 Broadcaster(michael)\nWordSetter(michael)\nMagazine(worldMedicine) \u2227 EditedBy(worldMedicine, michael)\nBornIn(michael, yorkshire) \u2227 \u2203x(SonOf(michael, x) \u2227 GeneralPractitioner(x))", "conclusion": "World Medicine is not a magazine.", "conclusion-FOL": "\u00acMagazine(worldmedicine)", "label": "False", "example_id": 209} +{"story_id": 70, "premises": "Michael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.", "premises-FOL": "British(michael) \u2227 Physician(michael) \u2227 Journalist(michael) \u2227 Author(michael) \u2227 Broadcaster(michael)\nWordSetter(michael)\nMagazine(worldMedicine) \u2227 EditedBy(worldMedicine, michael)\nBornIn(michael, yorkshire) \u2227 \u2203x(SonOf(michael, x) \u2227 GeneralPractitioner(x))", "conclusion": "There are no British authors.", "conclusion-FOL": "\u2200x (British(x) \u2192 \u00acAuthor(x))", "label": "False", "example_id": 210} +{"story_id": 70, "premises": "Michael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.", "premises-FOL": "British(michael) \u2227 Physician(michael) \u2227 Journalist(michael) \u2227 Author(michael) \u2227 Broadcaster(michael)\nWordSetter(michael)\nMagazine(worldMedicine) \u2227 EditedBy(worldMedicine, michael)\nBornIn(michael, yorkshire) \u2227 \u2203x(SonOf(michael, x) \u2227 GeneralPractitioner(x))", "conclusion": "There are no journalists that were born in Yorkshire.", "conclusion-FOL": "\u2200x (Journalist(x) \u2192 \u00acBornIn(x, yorkshire))", "label": "False", "example_id": 211} +{"story_id": 70, "premises": "Michael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.", "premises-FOL": "British(michael) \u2227 Physician(michael) \u2227 Journalist(michael) \u2227 Author(michael) \u2227 Broadcaster(michael)\nWordSetter(michael)\nMagazine(worldMedicine) \u2227 EditedBy(worldMedicine, michael)\nBornIn(michael, yorkshire) \u2227 \u2203x(SonOf(michael, x) \u2227 GeneralPractitioner(x))", "conclusion": "There is a son of a general practitioner that is not an author.", "conclusion-FOL": "\u2203x \u2203y (Son(x, y) \u2227 GeneralPractitioner(y) \u2227 \u00acAuthor(x))", "label": "Uncertain", "example_id": 212} +{"story_id": 255, "premises": "No homework is fun.\nSome reading is homework.", "premises-FOL": "\u2200x (Homework(x) \u2192 \u00acFun(x))\n\u2203x (Reading(x) \u2227 Homework(x))", "conclusion": "Some reading is fun.", "conclusion-FOL": "\u2203x (Reading(x) \u2227 Fun(x))", "label": "Uncertain", "example_id": 699} +{"story_id": 298, "premises": "The handbrake of a car is either up or down.\nThe handbrake is down when a car is parked.", "premises-FOL": "\u2200x \u2200y (HandbrakeOf(x, y) \u2227 Car(y) \u2192 Up(x) \u2295 Down(x))\n\u2200x \u2200y (HandbrakeOf(x, y) \u2227 Parked(y) \u2227 Car(y) \u2192 Down(x))", "conclusion": "The handbrake is up when some cars are parked.", "conclusion-FOL": "\u2203x \u2203y (HandbrakeOf(x, y) \u2227 Parked(y) \u2227 Car(y) \u2227 Up(x))", "label": "False", "example_id": 742} +{"story_id": 382, "premises": "All people in this midwest town who own horse ranches regularly ride horses for pleasure and sport.\nAll people in this midwest town with a lot of disposable income have a horse ranch.\nIf people in this midwest town compete in horse dressage shows, then they have a lot of disposable income.\nIf people in this midwest town compete in horse dressage shows, then they have invested in high-quality equestrian gear and equipment.\nIf people in this midwest town regularly ride horses for pleasure and sport, then they do not live in cramped residential buildings.\nManny is in this midwest town, and she either has a horse ranch and lives in a cramped residential building, or she does neither.", "premises-FOL": "\u2200x (InThisMidwestTown(x) \u2227 Have(x, horseRanch) \u2192 RegularlyRideHorseForPleasure(x))\n\u2200x (InThisMidwestTown(x) \u2227 Have(x, disposableIncome) \u2192 Have(x, horseRank))\n\u2200x (InThisMidwestTown(x) \u2227 CompeteIn(x, horseDressageShow) \u2192 Have(x, disposableIncome))\n\u2200x (InThisMidwestTown(x) \u2227 CompeteIn(x, horseDressageShow) \u2192 InvestedIn(x, equestrianGearAndEquipment))\n\u2200x (InThisMidwestTown(x) \u2227 RegularlyRideHorseForPleasure(x) \u2192 \u00acLiveIn(x, crampedBuilding))\nInThisMidwestTown(manny) \u2227 \u00ac(Have(manny, horseRanch) \u2295 LiveIn(manny, crampedBuilding))", "conclusion": "Manny regularly rides horses for pleasure and sport.", "conclusion-FOL": "RegularlyRideHorsesForPleasure(manny)", "label": "Uncertain", "example_id": 1020} +{"story_id": 382, "premises": "All people in this midwest town who own horse ranches regularly ride horses for pleasure and sport.\nAll people in this midwest town with a lot of disposable income have a horse ranch.\nIf people in this midwest town compete in horse dressage shows, then they have a lot of disposable income.\nIf people in this midwest town compete in horse dressage shows, then they have invested in high-quality equestrian gear and equipment.\nIf people in this midwest town regularly ride horses for pleasure and sport, then they do not live in cramped residential buildings.\nManny is in this midwest town, and she either has a horse ranch and lives in a cramped residential building, or she does neither.", "premises-FOL": "\u2200x (InThisMidwestTown(x) \u2227 Have(x, horseRanch) \u2192 RegularlyRideHorseForPleasure(x))\n\u2200x (InThisMidwestTown(x) \u2227 Have(x, disposableIncome) \u2192 Have(x, horseRank))\n\u2200x (InThisMidwestTown(x) \u2227 CompeteIn(x, horseDressageShow) \u2192 Have(x, disposableIncome))\n\u2200x (InThisMidwestTown(x) \u2227 CompeteIn(x, horseDressageShow) \u2192 InvestedIn(x, equestrianGearAndEquipment))\n\u2200x (InThisMidwestTown(x) \u2227 RegularlyRideHorseForPleasure(x) \u2192 \u00acLiveIn(x, crampedBuilding))\nInThisMidwestTown(manny) \u2227 \u00ac(Have(manny, horseRanch) \u2295 LiveIn(manny, crampedBuilding))", "conclusion": "Manny competes in horse dressage shows and has invested in high-quality equestrian equipment and gear.", "conclusion-FOL": "CompeteIn(manny, horseDressageShow) \u2227 InvestedIn(manny, equestrianGearAndEquipment)", "label": "False", "example_id": 1021} +{"story_id": 382, "premises": "All people in this midwest town who own horse ranches regularly ride horses for pleasure and sport.\nAll people in this midwest town with a lot of disposable income have a horse ranch.\nIf people in this midwest town compete in horse dressage shows, then they have a lot of disposable income.\nIf people in this midwest town compete in horse dressage shows, then they have invested in high-quality equestrian gear and equipment.\nIf people in this midwest town regularly ride horses for pleasure and sport, then they do not live in cramped residential buildings.\nManny is in this midwest town, and she either has a horse ranch and lives in a cramped residential building, or she does neither.", "premises-FOL": "\u2200x (InThisMidwestTown(x) \u2227 Have(x, horseRanch) \u2192 RegularlyRideHorseForPleasure(x))\n\u2200x (InThisMidwestTown(x) \u2227 Have(x, disposableIncome) \u2192 Have(x, horseRank))\n\u2200x (InThisMidwestTown(x) \u2227 CompeteIn(x, horseDressageShow) \u2192 Have(x, disposableIncome))\n\u2200x (InThisMidwestTown(x) \u2227 CompeteIn(x, horseDressageShow) \u2192 InvestedIn(x, equestrianGearAndEquipment))\n\u2200x (InThisMidwestTown(x) \u2227 RegularlyRideHorseForPleasure(x) \u2192 \u00acLiveIn(x, crampedBuilding))\nInThisMidwestTown(manny) \u2227 \u00ac(Have(manny, horseRanch) \u2295 LiveIn(manny, crampedBuilding))", "conclusion": "If Manny either has a horse ranch or competes in horse dressage shows, then Manny has not invested in high-quality equestrian equipment and gear.", "conclusion-FOL": "\u00ac(HaveAHorseRanch(manny) \u2295 CompeteIn(manny, horseDressageShow)) \u2192 \u00acInvestedIn(manny, equestrianGearAndEquipment)", "label": "True", "example_id": 1022} +{"story_id": 54, "premises": "A roundel is a rounded artillery fortification.\nA roundel is not higher than adjacent walls. \nCannons can be deployed on artillery fortifications. \nRoundels are the oldest artillery fortifications.\nBattery towers are artillery fortifications.", "premises-FOL": "\u2200x (Roundel(x) \u2192 (Rounded(x) \u2227 ArtilleryFortification(x)))\n\u2200x \u2200y ((Roundel(x) \u2227 AdjacentWalls(x,y)) \u2192 \u00acHigher(x, y))\n\u2200x (ArtilleryFortification(x) \u2192 DeployCannons(x))\n\u2200x \u2200y ((Roundel(x) \u2227 ArtilleryFortification(y)) \u2192 Older(x, y))\n\u2200x (BatteryTower(x) \u2192 ArtilleryFortification(x))", "conclusion": "Cannons can be deployed on battery towers.", "conclusion-FOL": "\u2200x (BatteryTower(x) \u2192 DeployCannons(x))", "label": "True", "example_id": 158} +{"story_id": 54, "premises": "A roundel is a rounded artillery fortification.\nA roundel is not higher than adjacent walls. \nCannons can be deployed on artillery fortifications. \nRoundels are the oldest artillery fortifications.\nBattery towers are artillery fortifications.", "premises-FOL": "\u2200x (Roundel(x) \u2192 (Rounded(x) \u2227 ArtilleryFortification(x)))\n\u2200x \u2200y ((Roundel(x) \u2227 AdjacentWalls(x,y)) \u2192 \u00acHigher(x, y))\n\u2200x (ArtilleryFortification(x) \u2192 DeployCannons(x))\n\u2200x \u2200y ((Roundel(x) \u2227 ArtilleryFortification(y)) \u2192 Older(x, y))\n\u2200x (BatteryTower(x) \u2192 ArtilleryFortification(x))", "conclusion": "Roundels are older than battery towers.", "conclusion-FOL": "\u2200x \u2200y ((Roundel(x) \u2227 BatteryTower(y)) \u2192 Older(x, y))", "label": "True", "example_id": 159} +{"story_id": 54, "premises": "A roundel is a rounded artillery fortification.\nA roundel is not higher than adjacent walls. \nCannons can be deployed on artillery fortifications. \nRoundels are the oldest artillery fortifications.\nBattery towers are artillery fortifications.", "premises-FOL": "\u2200x (Roundel(x) \u2192 (Rounded(x) \u2227 ArtilleryFortification(x)))\n\u2200x \u2200y ((Roundel(x) \u2227 AdjacentWalls(x,y)) \u2192 \u00acHigher(x, y))\n\u2200x (ArtilleryFortification(x) \u2192 DeployCannons(x))\n\u2200x \u2200y ((Roundel(x) \u2227 ArtilleryFortification(y)) \u2192 Older(x, y))\n\u2200x (BatteryTower(x) \u2192 ArtilleryFortification(x))", "conclusion": "Battery towers are higher than adjacent walls.", "conclusion-FOL": "\u2200x \u2200y ((BatteryTower(x) \u2227 AdjacentWall(x,y)) \u2192 Higher(x, y))", "label": "Uncertain", "example_id": 160} +{"story_id": 54, "premises": "A roundel is a rounded artillery fortification.\nA roundel is not higher than adjacent walls. \nCannons can be deployed on artillery fortifications. \nRoundels are the oldest artillery fortifications.\nBattery towers are artillery fortifications.", "premises-FOL": "\u2200x (Roundel(x) \u2192 (Rounded(x) \u2227 ArtilleryFortification(x)))\n\u2200x \u2200y ((Roundel(x) \u2227 AdjacentWalls(x,y)) \u2192 \u00acHigher(x, y))\n\u2200x (ArtilleryFortification(x) \u2192 DeployCannons(x))\n\u2200x \u2200y ((Roundel(x) \u2227 ArtilleryFortification(y)) \u2192 Older(x, y))\n\u2200x (BatteryTower(x) \u2192 ArtilleryFortification(x))", "conclusion": "Cannons can be deployed on roundels.", "conclusion-FOL": "\u2200x (Roundel(x) \u2192 DeployCannons(x))", "label": "True", "example_id": 161} +{"story_id": 288, "premises": "Tissues are soft.\nSome papers are tissues.", "premises-FOL": "\u2200x (Tissue(x) \u2192 Soft(x))\n\u2203x \u2203y (Paper(x) \u2227 Paper(x) \u2227 Tissue(x) \u2227 Tissue(y) \u2227 \u00ac(x=y))", "conclusion": "Some papers are hard.", "conclusion-FOL": "\u2203x \u2203y (Paper(x) \u2227 Paper(y) \u2227 Hard(x) \u2227 Hard(y) \u2227 \u00ac(x=y))", "label": "Uncertain", "example_id": 732} +{"story_id": 169, "premises": "All volunteers receive intangible benefits for their work.\nVolunteers work regularly or on an as-needed basis.\nSome volunteers are trained.\nVolunteers work in groups or individually.\nEnvironmental volunteers contribute toward environmental management or conservation.\nParticipating in natural disaster response is an example of volunteers working in groups on an as-needed basis.", "premises-FOL": "\u2200x (Volunteer(x) \u2192 Receive(x, intangibleBenefit))\n\u2200x (Volunteer(x) \u2192 WorkRegularly(x) \u2295 WorkAsNeeded(x))\n\u2203x (Volunteer(x) \u2192 Trained(x))\n\u2200x (Volunteer(x) \u2192 (WorkInGroup(x) \u2228 WorkIndividually(x)))\n\u2200x (Volunteer(x) \u2227 Environmental(x) \u2192 (ContributeTo(x, environmentalManagement) \u2228 ContributeTo(x, environmentalConservation)))\n\u2203x (Volunteer(x) \u2227 ContributeTo(x, naturalDisasterResponse) \u2192 WorkInGroup(x) \u2227 WorkAsNeeded(x))", "conclusion": "Volunteers who participate in natural disaster response receive intangible benefits for their work.", "conclusion-FOL": "\u2200x (Volunteer(x) \u2227 ContributeTo(x, naturalDisasterResponse) \u2192 Receive(x, intangibleBenefit))", "label": "True", "example_id": 485} +{"story_id": 169, "premises": "All volunteers receive intangible benefits for their work.\nVolunteers work regularly or on an as-needed basis.\nSome volunteers are trained.\nVolunteers work in groups or individually.\nEnvironmental volunteers contribute toward environmental management or conservation.\nParticipating in natural disaster response is an example of volunteers working in groups on an as-needed basis.", "premises-FOL": "\u2200x (Volunteer(x) \u2192 Receive(x, intangibleBenefit))\n\u2200x (Volunteer(x) \u2192 WorkRegularly(x) \u2295 WorkAsNeeded(x))\n\u2203x (Volunteer(x) \u2192 Trained(x))\n\u2200x (Volunteer(x) \u2192 (WorkInGroup(x) \u2228 WorkIndividually(x)))\n\u2200x (Volunteer(x) \u2227 Environmental(x) \u2192 (ContributeTo(x, environmentalManagement) \u2228 ContributeTo(x, environmentalConservation)))\n\u2203x (Volunteer(x) \u2227 ContributeTo(x, naturalDisasterResponse) \u2192 WorkInGroup(x) \u2227 WorkAsNeeded(x))", "conclusion": "Environmental volunteers work in groups.", "conclusion-FOL": "\u2200x (Volunteer(x) \u2227 Environmental(x) \u2192 WorkInGroup(x))", "label": "Uncertain", "example_id": 486} +{"story_id": 169, "premises": "All volunteers receive intangible benefits for their work.\nVolunteers work regularly or on an as-needed basis.\nSome volunteers are trained.\nVolunteers work in groups or individually.\nEnvironmental volunteers contribute toward environmental management or conservation.\nParticipating in natural disaster response is an example of volunteers working in groups on an as-needed basis.", "premises-FOL": "\u2200x (Volunteer(x) \u2192 Receive(x, intangibleBenefit))\n\u2200x (Volunteer(x) \u2192 WorkRegularly(x) \u2295 WorkAsNeeded(x))\n\u2203x (Volunteer(x) \u2192 Trained(x))\n\u2200x (Volunteer(x) \u2192 (WorkInGroup(x) \u2228 WorkIndividually(x)))\n\u2200x (Volunteer(x) \u2227 Environmental(x) \u2192 (ContributeTo(x, environmentalManagement) \u2228 ContributeTo(x, environmentalConservation)))\n\u2203x (Volunteer(x) \u2227 ContributeTo(x, naturalDisasterResponse) \u2192 WorkInGroup(x) \u2227 WorkAsNeeded(x))", "conclusion": "To be a volunteer, you must be trained.", "conclusion-FOL": "\u2200x (Volunteer(x) \u2192 Trained(x))", "label": "Uncertain", "example_id": 487} +{"story_id": 376, "premises": "All people in this tech company who are consistent and enjoy sticking to their regular routines do not like surprises.\nPeople in this tech company who wear the same flannel shirts every day are consistent and enjoy sticking to their regular routines.\nPeople in this tech company who do not like shopping for clothes wear the same flannel shirts every day.\nOld people living in stable homes do not like surprises.\nPeople in this tech company who have very high energy and are impulsive like surprises.\nMike works in this tech company.\nIf Mike is not a person who wears the same flannel shirts every day, has very high energy, and is impulsive, then Mike either is very consistent and enjoys sticking to his regular routines or does not like surprises.", "premises-FOL": "\u2200x (InThisTechCompany(x) \u2227 Consistent(x) \u2227 StickTo(x, theirRegularRoutine) \u2192 \u00acLike(x, surprise))\n\u2200x (InThisTechCompany(x) \u2227 \u2203y (flannelShirt(y) \u2227 WearEveryday(x, y)) \u2192 Consistent(x) \u2227 StickTo(x, theirRegularRoutine))\n\u2200x (InThisTechCompany(x) \u2227 \u00acLikeShoppingFor(x, clothes) \u2192 \u2203y (flannelShirt(y) \u2227 WearEveryday(x, y)))\n\u2200x (InThisTechCompany(x) \u2227 Old(x) \u2227 LiveIn(x, stableHome) \u2192 \u00acLike(x, surprise))\n\u2200x (InThisTechCompany(x) \u2227 Have(x, highEnergy) \u2227 Impulsive(x) \u2192 \u00acLike(x, surprise))\nInThisTechCompany(mike)\n\u00ac(\u2203y (flannelShirt(y) \u2227 WearEveryday(x, y)) \u2227 Have(mike, highEnergy) \u2227 Impulsive(mike)) \u2192 (Consistent(mike) \u2227 StickTo(mike, theirRegularRoutine)) \u2295 \u00acLike(mike, surprise)", "conclusion": "Mike is an old person living in a stable home.", "conclusion-FOL": "Old(mike) \u2227 LiveIn(mike, stableHome)", "label": "Uncertain", "example_id": 1002} +{"story_id": 376, "premises": "All people in this tech company who are consistent and enjoy sticking to their regular routines do not like surprises.\nPeople in this tech company who wear the same flannel shirts every day are consistent and enjoy sticking to their regular routines.\nPeople in this tech company who do not like shopping for clothes wear the same flannel shirts every day.\nOld people living in stable homes do not like surprises.\nPeople in this tech company who have very high energy and are impulsive like surprises.\nMike works in this tech company.\nIf Mike is not a person who wears the same flannel shirts every day, has very high energy, and is impulsive, then Mike either is very consistent and enjoys sticking to his regular routines or does not like surprises.", "premises-FOL": "\u2200x (InThisTechCompany(x) \u2227 Consistent(x) \u2227 StickTo(x, theirRegularRoutine) \u2192 \u00acLike(x, surprise))\n\u2200x (InThisTechCompany(x) \u2227 \u2203y (flannelShirt(y) \u2227 WearEveryday(x, y)) \u2192 Consistent(x) \u2227 StickTo(x, theirRegularRoutine))\n\u2200x (InThisTechCompany(x) \u2227 \u00acLikeShoppingFor(x, clothes) \u2192 \u2203y (flannelShirt(y) \u2227 WearEveryday(x, y)))\n\u2200x (InThisTechCompany(x) \u2227 Old(x) \u2227 LiveIn(x, stableHome) \u2192 \u00acLike(x, surprise))\n\u2200x (InThisTechCompany(x) \u2227 Have(x, highEnergy) \u2227 Impulsive(x) \u2192 \u00acLike(x, surprise))\nInThisTechCompany(mike)\n\u00ac(\u2203y (flannelShirt(y) \u2227 WearEveryday(x, y)) \u2227 Have(mike, highEnergy) \u2227 Impulsive(mike)) \u2192 (Consistent(mike) \u2227 StickTo(mike, theirRegularRoutine)) \u2295 \u00acLike(mike, surprise)", "conclusion": "If Mike wears the same flannel shirts every day or does not like shopping for clothes, then Mike is neither an old person living in a stable home nor does he like shopping for clothes.", "conclusion-FOL": "(\u2203y (flannelShirt(y) \u2227 WearEveryday(mike, y)) \u2228 \u00acLikeShoppingFor(mike, clothes)) \u2192 \u00ac(Old(mike) \u2227 LiveIn(mike, stableHome)) \u2227 \u00acLikeShoppingFor(mike, clothes)", "label": "True", "example_id": 1003} +{"story_id": 376, "premises": "All people in this tech company who are consistent and enjoy sticking to their regular routines do not like surprises.\nPeople in this tech company who wear the same flannel shirts every day are consistent and enjoy sticking to their regular routines.\nPeople in this tech company who do not like shopping for clothes wear the same flannel shirts every day.\nOld people living in stable homes do not like surprises.\nPeople in this tech company who have very high energy and are impulsive like surprises.\nMike works in this tech company.\nIf Mike is not a person who wears the same flannel shirts every day, has very high energy, and is impulsive, then Mike either is very consistent and enjoys sticking to his regular routines or does not like surprises.", "premises-FOL": "\u2200x (InThisTechCompany(x) \u2227 Consistent(x) \u2227 StickTo(x, theirRegularRoutine) \u2192 \u00acLike(x, surprise))\n\u2200x (InThisTechCompany(x) \u2227 \u2203y (flannelShirt(y) \u2227 WearEveryday(x, y)) \u2192 Consistent(x) \u2227 StickTo(x, theirRegularRoutine))\n\u2200x (InThisTechCompany(x) \u2227 \u00acLikeShoppingFor(x, clothes) \u2192 \u2203y (flannelShirt(y) \u2227 WearEveryday(x, y)))\n\u2200x (InThisTechCompany(x) \u2227 Old(x) \u2227 LiveIn(x, stableHome) \u2192 \u00acLike(x, surprise))\n\u2200x (InThisTechCompany(x) \u2227 Have(x, highEnergy) \u2227 Impulsive(x) \u2192 \u00acLike(x, surprise))\nInThisTechCompany(mike)\n\u00ac(\u2203y (flannelShirt(y) \u2227 WearEveryday(x, y)) \u2227 Have(mike, highEnergy) \u2227 Impulsive(mike)) \u2192 (Consistent(mike) \u2227 StickTo(mike, theirRegularRoutine)) \u2295 \u00acLike(mike, surprise)", "conclusion": "If Mike is not an old person living in a stable home and does not like shopping for clothes, then Mike does not like shopping for clothes.", "conclusion-FOL": "\u00ac(Old(mike) \u2227 LiveIn(mike, stableHome)) \u2227 \u00acLikeShoppingFor(mike, clothes)) \u2192 \u00acLikeShoppingFor(mike, clothes)", "label": "False", "example_id": 1004} +{"story_id": 215, "premises": "Adam owns cars.\nAdam has a favorite car.\nAmong the cars he owns, Adam's favorite car is European.\nAdam broke his favorite car.", "premises-FOL": "\u2203x\u2203y (Car(x) \u2227 Car(y) \u2227 (x\u2260y) \u2227 Owns(adam, x)) \n\u2203x (Car(x) \u2227 Favorite(adam, x))\n\u2200x ((Car(x) \u2227 Owns(adam, x) \u2227 Favorite(adam, x)) \u2192 European(x))\n\u2200x ((Car(x) \u2227 Owns(adam, x) \u2227 Favorite(adam, x)) \u2192 Broke(adam, x))", "conclusion": "Adam owns a Japanese car.", "conclusion-FOL": "\u2203x (Japanese(x) \u2227 Owns(adam, x))", "label": "Uncertain", "example_id": 615} +{"story_id": 215, "premises": "Adam owns cars.\nAdam has a favorite car.\nAmong the cars he owns, Adam's favorite car is European.\nAdam broke his favorite car.", "premises-FOL": "\u2203x\u2203y (Car(x) \u2227 Car(y) \u2227 (x\u2260y) \u2227 Owns(adam, x)) \n\u2203x (Car(x) \u2227 Favorite(adam, x))\n\u2200x ((Car(x) \u2227 Owns(adam, x) \u2227 Favorite(adam, x)) \u2192 European(x))\n\u2200x ((Car(x) \u2227 Owns(adam, x) \u2227 Favorite(adam, x)) \u2192 Broke(adam, x))", "conclusion": "Adam broke a European car.", "conclusion-FOL": "\u2203x (European(x) \u2227 Broke(adam, x))", "label": "True", "example_id": 616} +{"story_id": 433, "premises": "There are no buildings in New Haven higher than 400 meters. \nAll buildings managed by Yale Housing are in New Haven. \nAll Manhattan skyscrapers are higher than 400 meters. \nAll buildings owned by Bloomberg are in Manhattan. \nAll buildings with the Bloomberg logo are buildings owned by Bloomberg. \nTower A is neither a building in New Haven nor a skyscraper in Manhattan.\nTower B is a skyscraper building in Manhattan with a Bloomberg logo. ", "premises-FOL": "\u2200x ((Buildings(x) \u2227 In(x, newHaven)) \u2192 \u00acHigherThan(x, num400))\n\u2200x ((Buildings(x) \u2227 ManagedBy(x, yaleHousing)) \u2192 In(x, newHaven))\n\u2200x ((Buildings(x) \u2227 Skyscraper(x) \u2227 In(x, manhattan)) \u2192 HigherThan(x, num400))\n\u2200x ((Buildings(x) \u2227 OwnedBy(x, bloomberg)) \u2192 Skyscraper(x) \u2227 In(x, manhattan))\n\u2200x ((Buildings(x) \u2227 HasLogo(x, bloomberg)) \u2192 OwnedBy(x, bloomberg))\nBuildings(towerA) \u2227 (\u00acInNewHaven(towerA)) \u2227 (\u00acManhattanSkyscraper(towerA))\nBuildings(towerB) \u2227 HasLogo(towerB, bloomberg) \u2227 Skyscraper(towerB) \u2227 In(towerB, manhattan)", "conclusion": "Tower A is higher than 400 meters.", "conclusion-FOL": "HigherThan(towerA, num400)", "label": "Uncertain", "example_id": 1235} +{"story_id": 433, "premises": "There are no buildings in New Haven higher than 400 meters. \nAll buildings managed by Yale Housing are in New Haven. \nAll Manhattan skyscrapers are higher than 400 meters. \nAll buildings owned by Bloomberg are in Manhattan. \nAll buildings with the Bloomberg logo are buildings owned by Bloomberg. \nTower A is neither a building in New Haven nor a skyscraper in Manhattan.\nTower B is a skyscraper building in Manhattan with a Bloomberg logo. ", "premises-FOL": "\u2200x ((Buildings(x) \u2227 In(x, newHaven)) \u2192 \u00acHigherThan(x, num400))\n\u2200x ((Buildings(x) \u2227 ManagedBy(x, yaleHousing)) \u2192 In(x, newHaven))\n\u2200x ((Buildings(x) \u2227 Skyscraper(x) \u2227 In(x, manhattan)) \u2192 HigherThan(x, num400))\n\u2200x ((Buildings(x) \u2227 OwnedBy(x, bloomberg)) \u2192 Skyscraper(x) \u2227 In(x, manhattan))\n\u2200x ((Buildings(x) \u2227 HasLogo(x, bloomberg)) \u2192 OwnedBy(x, bloomberg))\nBuildings(towerA) \u2227 (\u00acInNewHaven(towerA)) \u2227 (\u00acManhattanSkyscraper(towerA))\nBuildings(towerB) \u2227 HasLogo(towerB, bloomberg) \u2227 Skyscraper(towerB) \u2227 In(towerB, manhattan)", "conclusion": "Tower A is not higher than 400 meters.", "conclusion-FOL": "\u00acHigherThan(towerA, num400)", "label": "Uncertain", "example_id": 1236} +{"story_id": 433, "premises": "There are no buildings in New Haven higher than 400 meters. \nAll buildings managed by Yale Housing are in New Haven. \nAll Manhattan skyscrapers are higher than 400 meters. \nAll buildings owned by Bloomberg are in Manhattan. \nAll buildings with the Bloomberg logo are buildings owned by Bloomberg. \nTower A is neither a building in New Haven nor a skyscraper in Manhattan.\nTower B is a skyscraper building in Manhattan with a Bloomberg logo. ", "premises-FOL": "\u2200x ((Buildings(x) \u2227 In(x, newHaven)) \u2192 \u00acHigherThan(x, num400))\n\u2200x ((Buildings(x) \u2227 ManagedBy(x, yaleHousing)) \u2192 In(x, newHaven))\n\u2200x ((Buildings(x) \u2227 Skyscraper(x) \u2227 In(x, manhattan)) \u2192 HigherThan(x, num400))\n\u2200x ((Buildings(x) \u2227 OwnedBy(x, bloomberg)) \u2192 Skyscraper(x) \u2227 In(x, manhattan))\n\u2200x ((Buildings(x) \u2227 HasLogo(x, bloomberg)) \u2192 OwnedBy(x, bloomberg))\nBuildings(towerA) \u2227 (\u00acInNewHaven(towerA)) \u2227 (\u00acManhattanSkyscraper(towerA))\nBuildings(towerB) \u2227 HasLogo(towerB, bloomberg) \u2227 Skyscraper(towerB) \u2227 In(towerB, manhattan)", "conclusion": "Tower A is a building with the Bloomberg logo or it is managed by Yale Housing.", "conclusion-FOL": "HasLogo(towerB, bloomberg) \u2228 ManagedBy(x, yaleHousing)", "label": "False", "example_id": 1237} +{"story_id": 433, "premises": "There are no buildings in New Haven higher than 400 meters. \nAll buildings managed by Yale Housing are in New Haven. \nAll Manhattan skyscrapers are higher than 400 meters. \nAll buildings owned by Bloomberg are in Manhattan. \nAll buildings with the Bloomberg logo are buildings owned by Bloomberg. \nTower A is neither a building in New Haven nor a skyscraper in Manhattan.\nTower B is a skyscraper building in Manhattan with a Bloomberg logo. ", "premises-FOL": "\u2200x ((Buildings(x) \u2227 In(x, newHaven)) \u2192 \u00acHigherThan(x, num400))\n\u2200x ((Buildings(x) \u2227 ManagedBy(x, yaleHousing)) \u2192 In(x, newHaven))\n\u2200x ((Buildings(x) \u2227 Skyscraper(x) \u2227 In(x, manhattan)) \u2192 HigherThan(x, num400))\n\u2200x ((Buildings(x) \u2227 OwnedBy(x, bloomberg)) \u2192 Skyscraper(x) \u2227 In(x, manhattan))\n\u2200x ((Buildings(x) \u2227 HasLogo(x, bloomberg)) \u2192 OwnedBy(x, bloomberg))\nBuildings(towerA) \u2227 (\u00acInNewHaven(towerA)) \u2227 (\u00acManhattanSkyscraper(towerA))\nBuildings(towerB) \u2227 HasLogo(towerB, bloomberg) \u2227 Skyscraper(towerB) \u2227 In(towerB, manhattan)", "conclusion": "Tower A is neither a building with the Bloomberg logo nor managed by Yale Housing.", "conclusion-FOL": "\u00acHasLogo(towerB, bloomberg) \u2227 (\u00acManagedBy(x, yaleHousing))", "label": "True", "example_id": 1238} +{"story_id": 439, "premises": "No fish are birds.\nAn osprey is a bird.\nA carp is a fish.\nAll goldfish are carp.\nIf Bubbles is either an osprey or a goldfish, then Bubbles is not also a fish.", "premises-FOL": "\u2200x (Fish(x) \u2192 \u00acBird(x))\n\u2200x (Osprey(x) \u2192 Bird(x))\n\u2200x (Carp(x) \u2192 Fish(x))\n\u2200x (Goldfish(x) \u2192 Carp(x))\nOsprey(bubbles) \u2295 Goldfish(bubbles) \u2192 \u00acFish(bubbles)", "conclusion": "Bubbles is an Osprey.", "conclusion-FOL": "Osprey(bubbles)", "label": "Uncertain", "example_id": 1261} +{"story_id": 439, "premises": "No fish are birds.\nAn osprey is a bird.\nA carp is a fish.\nAll goldfish are carp.\nIf Bubbles is either an osprey or a goldfish, then Bubbles is not also a fish.", "premises-FOL": "\u2200x (Fish(x) \u2192 \u00acBird(x))\n\u2200x (Osprey(x) \u2192 Bird(x))\n\u2200x (Carp(x) \u2192 Fish(x))\n\u2200x (Goldfish(x) \u2192 Carp(x))\nOsprey(bubbles) \u2295 Goldfish(bubbles) \u2192 \u00acFish(bubbles)", "conclusion": "Bubbles is a goldfish.", "conclusion-FOL": "Goldfish(bubbles)", "label": "False", "example_id": 1262} +{"story_id": 439, "premises": "No fish are birds.\nAn osprey is a bird.\nA carp is a fish.\nAll goldfish are carp.\nIf Bubbles is either an osprey or a goldfish, then Bubbles is not also a fish.", "premises-FOL": "\u2200x (Fish(x) \u2192 \u00acBird(x))\n\u2200x (Osprey(x) \u2192 Bird(x))\n\u2200x (Carp(x) \u2192 Fish(x))\n\u2200x (Goldfish(x) \u2192 Carp(x))\nOsprey(bubbles) \u2295 Goldfish(bubbles) \u2192 \u00acFish(bubbles)", "conclusion": "Bubbles is not a goldfish.", "conclusion-FOL": "\u00acGoldfish(bubbles)", "label": "True", "example_id": 1263} +{"story_id": 158, "premises": "Mr. and Mrs. Smith make a travel plan: they want to go to a city in California or Florida where neither of them has ever been.\nThe cities in California that they are interested in are San Francisco, Los Angeles, and San Diego.\nCities in Florida that they are interested in are Orlando and Miami.\nMr. Smith has been to two cities in California.\nMrs. Smith has been to one city in Florida.", "premises-FOL": "\u2200x (WantToGoTo(mr.AndMrs.Smith, x) \u2227 City(x) \u2192 (California(x) \u2228 Florida(x)) \u2227 NeverGo(x))\nCity(sanFrancisco) \u2227 California(sanFrancisco) \u2227 WantToGoTo(mr.AndMrs.Smith, sanFrancisco) \u2227 City(losAngeles) \u2227 California(losAngeles) \u2227 WantToGoTo(mr.AndMrs.Smith, losAngeles) \u2227 City(sanDiego) \u2227 California(sanDiego) \u2227 WantToGoTo(mr.AndMrs.Smith, sanDiego)\nCity(orlando) \u2227 Florida(orlando) \u2227 WantToGo(mr.AndMrs.Smith, orlando) \u2227 City(miami) \u2227 Florida(miami) \u2227 WantToGo(mr.AndMrs.Smith, miami)\n\u2203x \u2203y \u2200z (\u00ac(x=z) \u2227 \u00ac(y=z) \u2227 \u00ac(x=y) \u2227 City(x) \u2227 City(y) \u2227 City(z) \u2227 California(x) \u2227 California(y) \u2227 California(z) \u2192 Visit(mr.smith, x) \u2227 Visit(mr.smith, y) \u2227 \u00acVisit(mr.smith, z))\n\u2203x \u2200y (\u00ac(x=y) \u2227 City(x) \u2227 City(y) \u2227 Florida(x) \u2227 Florida(y) \u2192 Visit(mrs.smith, x) \u2227 \u00acVisit(mrs.smith, y))", "conclusion": "Mr. Smith has been to San Francisco.", "conclusion-FOL": "\u2203x (City(x) \u2227 Visit(mr.smith, sanFrancisco))", "label": "Uncertain", "example_id": 453} +{"story_id": 158, "premises": "Mr. and Mrs. Smith make a travel plan: they want to go to a city in California or Florida where neither of them has ever been.\nThe cities in California that they are interested in are San Francisco, Los Angeles, and San Diego.\nCities in Florida that they are interested in are Orlando and Miami.\nMr. Smith has been to two cities in California.\nMrs. Smith has been to one city in Florida.", "premises-FOL": "\u2200x (WantToGoTo(mr.AndMrs.Smith, x) \u2227 City(x) \u2192 (California(x) \u2228 Florida(x)) \u2227 NeverGo(x))\nCity(sanFrancisco) \u2227 California(sanFrancisco) \u2227 WantToGoTo(mr.AndMrs.Smith, sanFrancisco) \u2227 City(losAngeles) \u2227 California(losAngeles) \u2227 WantToGoTo(mr.AndMrs.Smith, losAngeles) \u2227 City(sanDiego) \u2227 California(sanDiego) \u2227 WantToGoTo(mr.AndMrs.Smith, sanDiego)\nCity(orlando) \u2227 Florida(orlando) \u2227 WantToGo(mr.AndMrs.Smith, orlando) \u2227 City(miami) \u2227 Florida(miami) \u2227 WantToGo(mr.AndMrs.Smith, miami)\n\u2203x \u2203y \u2200z (\u00ac(x=z) \u2227 \u00ac(y=z) \u2227 \u00ac(x=y) \u2227 City(x) \u2227 City(y) \u2227 City(z) \u2227 California(x) \u2227 California(y) \u2227 California(z) \u2192 Visit(mr.smith, x) \u2227 Visit(mr.smith, y) \u2227 \u00acVisit(mr.smith, z))\n\u2203x \u2200y (\u00ac(x=y) \u2227 City(x) \u2227 City(y) \u2227 Florida(x) \u2227 Florida(y) \u2192 Visit(mrs.smith, x) \u2227 \u00acVisit(mrs.smith, y))", "conclusion": "They have at leat one candidate city in Florida to visit.", "conclusion-FOL": "\u2203x (WantToGoTo(x) \u2227 City(x) \u2227 Florida(x))", "label": "Uncertain", "example_id": 454} +{"story_id": 158, "premises": "Mr. and Mrs. Smith make a travel plan: they want to go to a city in California or Florida where neither of them has ever been.\nThe cities in California that they are interested in are San Francisco, Los Angeles, and San Diego.\nCities in Florida that they are interested in are Orlando and Miami.\nMr. Smith has been to two cities in California.\nMrs. Smith has been to one city in Florida.", "premises-FOL": "\u2200x (WantToGoTo(mr.AndMrs.Smith, x) \u2227 City(x) \u2192 (California(x) \u2228 Florida(x)) \u2227 NeverGo(x))\nCity(sanFrancisco) \u2227 California(sanFrancisco) \u2227 WantToGoTo(mr.AndMrs.Smith, sanFrancisco) \u2227 City(losAngeles) \u2227 California(losAngeles) \u2227 WantToGoTo(mr.AndMrs.Smith, losAngeles) \u2227 City(sanDiego) \u2227 California(sanDiego) \u2227 WantToGoTo(mr.AndMrs.Smith, sanDiego)\nCity(orlando) \u2227 Florida(orlando) \u2227 WantToGo(mr.AndMrs.Smith, orlando) \u2227 City(miami) \u2227 Florida(miami) \u2227 WantToGo(mr.AndMrs.Smith, miami)\n\u2203x \u2203y \u2200z (\u00ac(x=z) \u2227 \u00ac(y=z) \u2227 \u00ac(x=y) \u2227 City(x) \u2227 City(y) \u2227 City(z) \u2227 California(x) \u2227 California(y) \u2227 California(z) \u2192 Visit(mr.smith, x) \u2227 Visit(mr.smith, y) \u2227 \u00acVisit(mr.smith, z))\n\u2203x \u2200y (\u00ac(x=y) \u2227 City(x) \u2227 City(y) \u2227 Florida(x) \u2227 Florida(y) \u2192 Visit(mrs.smith, x) \u2227 \u00acVisit(mrs.smith, y))", "conclusion": "They have at least two candidate cities in California to visit.", "conclusion-FOL": "\u2203x \u2203y (\u00ac(x=y) \u2227 City(x) \u2227 City(y) \u2227 WantToGoTo(mr.AndMrs.Smith, x) \u2227 California(x) \u2227 WantToGoTo(mr.AndMrs.Smith, y) \u2227 California(y))", "label": "Uncertain", "example_id": 455} +{"story_id": 486, "premises": "Everything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.", "premises-FOL": "\u2200x (In(x, sizeTown) \u2192 (Big(x) \u2228 Small(x)))\n\u2200x (Big(x) \u2227 In(x, sizeTown) \u2192 Heavy(x))\n\u2200x (Small(x) \u2227 In(x, sizeTown) \u2192 Light(x))\n\u2200x (Heavy(x) \u2227 In(x, sizeTown) \u2192 Still(x))\n\u2200x (Light(x) \u2227 In(x, sizeTown) \u2192 Unstable(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Changing(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Unpredictable(x))\nIn(bird, sizeTown) \u2227 \u00ac(Heavy(bird) \u2227 Still(bird))", "conclusion": "The bird is still.", "conclusion-FOL": "Still(bird)", "label": "Uncertain", "example_id": 1424} +{"story_id": 486, "premises": "Everything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.", "premises-FOL": "\u2200x (In(x, sizeTown) \u2192 (Big(x) \u2228 Small(x)))\n\u2200x (Big(x) \u2227 In(x, sizeTown) \u2192 Heavy(x))\n\u2200x (Small(x) \u2227 In(x, sizeTown) \u2192 Light(x))\n\u2200x (Heavy(x) \u2227 In(x, sizeTown) \u2192 Still(x))\n\u2200x (Light(x) \u2227 In(x, sizeTown) \u2192 Unstable(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Changing(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Unpredictable(x))\nIn(bird, sizeTown) \u2227 \u00ac(Heavy(bird) \u2227 Still(bird))", "conclusion": "The bird is not still.", "conclusion-FOL": "\u00acStill(bird)", "label": "Uncertain", "example_id": 1425} +{"story_id": 486, "premises": "Everything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.", "premises-FOL": "\u2200x (In(x, sizeTown) \u2192 (Big(x) \u2228 Small(x)))\n\u2200x (Big(x) \u2227 In(x, sizeTown) \u2192 Heavy(x))\n\u2200x (Small(x) \u2227 In(x, sizeTown) \u2192 Light(x))\n\u2200x (Heavy(x) \u2227 In(x, sizeTown) \u2192 Still(x))\n\u2200x (Light(x) \u2227 In(x, sizeTown) \u2192 Unstable(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Changing(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Unpredictable(x))\nIn(bird, sizeTown) \u2227 \u00ac(Heavy(bird) \u2227 Still(bird))", "conclusion": "The bird is unpredictable and changing.", "conclusion-FOL": "Unpredictable(bird) \u2227 Changing(bird)", "label": "True", "example_id": 1426} +{"story_id": 486, "premises": "Everything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.", "premises-FOL": "\u2200x (In(x, sizeTown) \u2192 (Big(x) \u2228 Small(x)))\n\u2200x (Big(x) \u2227 In(x, sizeTown) \u2192 Heavy(x))\n\u2200x (Small(x) \u2227 In(x, sizeTown) \u2192 Light(x))\n\u2200x (Heavy(x) \u2227 In(x, sizeTown) \u2192 Still(x))\n\u2200x (Light(x) \u2227 In(x, sizeTown) \u2192 Unstable(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Changing(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Unpredictable(x))\nIn(bird, sizeTown) \u2227 \u00ac(Heavy(bird) \u2227 Still(bird))", "conclusion": "The bird is unpredictable or changing.", "conclusion-FOL": "Unpredictable(bird) \u2228 Changing(bird)", "label": "True", "example_id": 1427} +{"story_id": 486, "premises": "Everything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.", "premises-FOL": "\u2200x (In(x, sizeTown) \u2192 (Big(x) \u2228 Small(x)))\n\u2200x (Big(x) \u2227 In(x, sizeTown) \u2192 Heavy(x))\n\u2200x (Small(x) \u2227 In(x, sizeTown) \u2192 Light(x))\n\u2200x (Heavy(x) \u2227 In(x, sizeTown) \u2192 Still(x))\n\u2200x (Light(x) \u2227 In(x, sizeTown) \u2192 Unstable(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Changing(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Unpredictable(x))\nIn(bird, sizeTown) \u2227 \u00ac(Heavy(bird) \u2227 Still(bird))", "conclusion": "The bird is either unpredictable or changing.", "conclusion-FOL": "Unpredictable(bird) \u2295 Changing(bird)", "label": "False", "example_id": 1428} +{"story_id": 486, "premises": "Everything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.", "premises-FOL": "\u2200x (In(x, sizeTown) \u2192 (Big(x) \u2228 Small(x)))\n\u2200x (Big(x) \u2227 In(x, sizeTown) \u2192 Heavy(x))\n\u2200x (Small(x) \u2227 In(x, sizeTown) \u2192 Light(x))\n\u2200x (Heavy(x) \u2227 In(x, sizeTown) \u2192 Still(x))\n\u2200x (Light(x) \u2227 In(x, sizeTown) \u2192 Unstable(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Changing(x))\n\u2200x (Unstable(x) \u2227 In(x, sizeTown) \u2192 Unpredictable(x))\nIn(bird, sizeTown) \u2227 \u00ac(Heavy(bird) \u2227 Still(bird))", "conclusion": "If the bird is small or still, then it is either unpredictable or changing.", "conclusion-FOL": "Small(bird) \u2228 Still(bird) \u2192 Unpredictable(bird) \u2295 Changing(bird)", "label": "False", "example_id": 1429} +{"story_id": 95, "premises": "DI Ray is a police procedural television series.\nDI Ray was created and written by Maya Sondhi.\nDI Ray was produced by Jed Mercurio.\nMaya Sondhi and Jed Mercurio are both British.", "premises-FOL": "TelevisionSeries(dIRay) \u2227 PoliceProcedural(dIRay)\nCreates(maya, dIRay) \u2227 Writes(maya, dIRay)\nProduces(jed, dIRay)\nBritish(maya) \u2227 British(jed) ", "conclusion": "DI Ray was created by a Brit.", "conclusion-FOL": "\u2203x (British(x) \u2227 Creates(x, dIRay))", "label": "True", "example_id": 287} +{"story_id": 95, "premises": "DI Ray is a police procedural television series.\nDI Ray was created and written by Maya Sondhi.\nDI Ray was produced by Jed Mercurio.\nMaya Sondhi and Jed Mercurio are both British.", "premises-FOL": "TelevisionSeries(dIRay) \u2227 PoliceProcedural(dIRay)\nCreates(maya, dIRay) \u2227 Writes(maya, dIRay)\nProduces(jed, dIRay)\nBritish(maya) \u2227 British(jed) ", "conclusion": "Some Brit produced a television series.", "conclusion-FOL": "\u2203x \u2203y(British(x) \u2227 TelevisionSeries(y) \u2227 Produces(x, y))", "label": "True", "example_id": 288} +{"story_id": 465, "premises": "Everyone who took the bar exam can read. \nAll lawyers took the bar exam. \nEveryone who took the bar exam is knowledgeable about criminal procedures. \nAll people who got a score of 180 on the LSAT can read. \nNo elephants can read. \nIf Mike can not read or is not an elephant, then Mike either took the bar exam or can read. ", "premises-FOL": "\u2200x (Take(x, barExam) \u2192 CanRead(x))\n\u2200x (Lawyer(x) \u2192 Take(x, barExam))\n\u2200x (Take(x, barExam) \u2192 KnowledgeableAbout(x, criminalProceeder))\n\u2200x (GetOn(x, scoreOf180, lSAT) \u2192 CanRead(x))\n\u2200x (Elephant(x) \u2192 \u00acCanRead(x))\n\u00ac(CanRead(mike) \u2227 Elephant(mike)) \u2192 Take(mike, barExam) \u2295 CanRead(mike)", "conclusion": "Mike got 180 on the LSAT.", "conclusion-FOL": "GetOn(mike, 180, lSAT)", "label": "Uncertain", "example_id": 1342} +{"story_id": 465, "premises": "Everyone who took the bar exam can read. \nAll lawyers took the bar exam. \nEveryone who took the bar exam is knowledgeable about criminal procedures. \nAll people who got a score of 180 on the LSAT can read. \nNo elephants can read. \nIf Mike can not read or is not an elephant, then Mike either took the bar exam or can read. ", "premises-FOL": "\u2200x (Take(x, barExam) \u2192 CanRead(x))\n\u2200x (Lawyer(x) \u2192 Take(x, barExam))\n\u2200x (Take(x, barExam) \u2192 KnowledgeableAbout(x, criminalProceeder))\n\u2200x (GetOn(x, scoreOf180, lSAT) \u2192 CanRead(x))\n\u2200x (Elephant(x) \u2192 \u00acCanRead(x))\n\u00ac(CanRead(mike) \u2227 Elephant(mike)) \u2192 Take(mike, barExam) \u2295 CanRead(mike)", "conclusion": "Mike did not take the bar exam and is not both knowledgeable about criminal procedures and someone who got 180 on the LSAT.", "conclusion-FOL": "\u00acTake(mike, barExam) \u2227 \u00ac(KnowledgeableAbout(mike, criminalProcedures)\u2227 GetOn(mike, 180, lSAT))", "label": "True", "example_id": 1343} +{"story_id": 465, "premises": "Everyone who took the bar exam can read. \nAll lawyers took the bar exam. \nEveryone who took the bar exam is knowledgeable about criminal procedures. \nAll people who got a score of 180 on the LSAT can read. \nNo elephants can read. \nIf Mike can not read or is not an elephant, then Mike either took the bar exam or can read. ", "premises-FOL": "\u2200x (Take(x, barExam) \u2192 CanRead(x))\n\u2200x (Lawyer(x) \u2192 Take(x, barExam))\n\u2200x (Take(x, barExam) \u2192 KnowledgeableAbout(x, criminalProceeder))\n\u2200x (GetOn(x, scoreOf180, lSAT) \u2192 CanRead(x))\n\u2200x (Elephant(x) \u2192 \u00acCanRead(x))\n\u00ac(CanRead(mike) \u2227 Elephant(mike)) \u2192 Take(mike, barExam) \u2295 CanRead(mike)", "conclusion": "Mike took the bar exam.", "conclusion-FOL": "Take(mike, barExam)", "label": "False", "example_id": 1344} +{"story_id": 326, "premises": "Some soccer defenders are center-backs.\nAll soccer defenders are soccer players.\nNo soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.", "premises-FOL": "\u2203x (ProfessionalSoccerDefender(x) \u2227 ProfessionalCenterback(x))\n\u2200x (ProfessionalSoccerDefender(x) \u2192 ProfessionalSoccerPlayer(x))\n\u2200x (ProfessionalSoccerPlayer(x) \u2192 \u00acProfessionalBasketballPlayer(x)))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\nNBAPlayer(stephencurry)", "conclusion": "Stephen Curry is a center-back.", "conclusion-FOL": "ProfessionalCenterback(stephenCurry)", "label": "Uncertain", "example_id": 834} +{"story_id": 326, "premises": "Some soccer defenders are center-backs.\nAll soccer defenders are soccer players.\nNo soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.", "premises-FOL": "\u2203x (ProfessionalSoccerDefender(x) \u2227 ProfessionalCenterback(x))\n\u2200x (ProfessionalSoccerDefender(x) \u2192 ProfessionalSoccerPlayer(x))\n\u2200x (ProfessionalSoccerPlayer(x) \u2192 \u00acProfessionalBasketballPlayer(x)))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\nNBAPlayer(stephencurry)", "conclusion": "Stephen Curry is not both a centerback and a soccer defender.", "conclusion-FOL": "\u00ac(ProfessionalCenterback(stephenCurry) \u2227 ProfessionalSoccerDefender(stephenCurry))", "label": "False", "example_id": 835} +{"story_id": 326, "premises": "Some soccer defenders are center-backs.\nAll soccer defenders are soccer players.\nNo soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.", "premises-FOL": "\u2203x (ProfessionalSoccerDefender(x) \u2227 ProfessionalCenterback(x))\n\u2200x (ProfessionalSoccerDefender(x) \u2192 ProfessionalSoccerPlayer(x))\n\u2200x (ProfessionalSoccerPlayer(x) \u2192 \u00acProfessionalBasketballPlayer(x)))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\nNBAPlayer(stephencurry)", "conclusion": "If Stephen Curry is not both a centerback and a soccer defender, then Stephen Curry is neither a soccer player nor a professional basketball player.", "conclusion-FOL": "\u00ac(Centerback(stephenCurry) \u2227 SoccerDefender(stephenCurry)) \u2192 \u00ac(SoccerPlayer(stephenCurry) \u2228 ProfessionalBasketballPlayer(stephenCurry))", "label": "True", "example_id": 836} +{"story_id": 186, "premises": "If a person doesn't have enough money to buy a product, then that person can't buy it.\nMonitors are products.\n4k monitors are more expensive than 1080 monitors and 2k monitors.\nJohn is a person.\nJohn doesn't have enough money to buy a 2k monitor.", "premises-FOL": "\u2200x \u2200y (Person(x) \u2227 Product(y) \u2227 \u00acHaveEnoughMoneyFor(x, y) \u2192 \u00acBuy(x, y))\n\u2200x (Monitor(x) \u2192 Product(x))\n\u2200x \u2200y \u2200z (Monitor(x) \u2227 Monitor(y) \u2227 Monitor(z) \u2227 FourK(x) \u2227 OneOEightO(y) \u2227 TwoK(z) \u2192 MoreExpensive(x, y) \u2227 MoreExpensive(x, z))\nPerson(john)\n\u2200x (Monitor(x) \u2227 TwoK(x) \u2192 \u00acHaveEnoughMoneyFor(john, x))", "conclusion": "John can't buy a 1080 monitor.", "conclusion-FOL": "\u2200x (Monitor(x) \u2227 OneOEightO(x) \u2192 \u00acBuy(john, x))", "label": "Uncertain", "example_id": 537} +{"story_id": 186, "premises": "If a person doesn't have enough money to buy a product, then that person can't buy it.\nMonitors are products.\n4k monitors are more expensive than 1080 monitors and 2k monitors.\nJohn is a person.\nJohn doesn't have enough money to buy a 2k monitor.", "premises-FOL": "\u2200x \u2200y (Person(x) \u2227 Product(y) \u2227 \u00acHaveEnoughMoneyFor(x, y) \u2192 \u00acBuy(x, y))\n\u2200x (Monitor(x) \u2192 Product(x))\n\u2200x \u2200y \u2200z (Monitor(x) \u2227 Monitor(y) \u2227 Monitor(z) \u2227 FourK(x) \u2227 OneOEightO(y) \u2227 TwoK(z) \u2192 MoreExpensive(x, y) \u2227 MoreExpensive(x, z))\nPerson(john)\n\u2200x (Monitor(x) \u2227 TwoK(x) \u2192 \u00acHaveEnoughMoneyFor(john, x))", "conclusion": "John can't buy a 2k monitor.", "conclusion-FOL": "\u2200x (Monitor(x) \u2227 TwoK(x) \u2192 \u00acBuy(john, x))", "label": "True", "example_id": 538} +{"story_id": 263, "premises": "All artificial satellites are important scientific achievements.\nSome artificial satellites are not U.S. inventions.", "premises-FOL": "\u2200x (ArtificialSatellite(x) \u2192 ImportantScientificAchievement(x))\n\u2203x (ArtificialSatellite(x) \u2227 \u00acUSInvention(x))", "conclusion": "All important scientific achievements are U.S. inventions.", "conclusion-FOL": "\u2200x (ImportantScientificAchievement(x) \u2227 USInvention(x))", "label": "False", "example_id": 707} +{"story_id": 257, "premises": "Some cats are not pets.\nAll cats are mammals.", "premises-FOL": "\u2203x (Cat(x) \u2227 \u00acPet(x))\n\u2200x (Cat(x) \u2192 Mammal(x))", "conclusion": "Some mammals are not pets.", "conclusion-FOL": "\u2203x \u2203y (Mammal(x) \u2227 Mammal(y) \u2227 \u00acPet(x) \u2227 \u00acPet(y))", "label": "True", "example_id": 701} +{"story_id": 364, "premises": "If people in this neighborhood visit a coffee shop regularly, then they are addicted to coffee. \nPeople in this neighborhood visit a coffee shop regularly or order takeout at least once a day.\nIf people in this neighborhood make a lot of their own food at home using recipes and online guides, then they order takeout at least once a day.\nIf people in this neighborhood own at least one coffeemaker and one blender in their home, then they do not order takeout at least once a day.\nAll people in this neighborhood who lead very busy lives that include 12-hour work hours make a lot of their own food at home using recipes and online guides.\nSam is living in this neighborhood, and he is either addicted to coffee or other caffeinated drinks and leads a very busy life that include 12-hour work hours, or is not addicted to coffee and does not lead a very busy life that include 12-hour work hours", "premises-FOL": "\u2200x (In(x, thisNeighborhood) \u2227 VisitRegularly(x, coffeeShop) \u2192 AddictedTo(x, coffee))\n\u2200x (In(x, thisNeighborhood) \u2192 (VisitRegularly(x, coffeeShop) \u2228 (\u2203y (TakeOut(y) \u2227 Order(x, y, aDay))))\n\u2200x (In(x, thisNeighborhood) \u2227 MakeAtUsing(x, home, ownFood, recipe) \u2192 \u2203y (TakeOut(y) \u2227 Order(x, y)))\n\u2200x (In(x, thisNeighborhood) \u2227 \u2203y (CoffeemakerAndBlender(y) \u2227 Own(x, y)) \u2192 \u00acOrderAtLeastOnceADay(x, takeout))\n\u2200x (In(x, thisNeighborhood) \u2227 BusyWith(x, 12HourWorkHour) \u2192 MakeAtUsing(x, home, ownFood, recipe))\nIn(sam, thisNeighborhood) \u2227 \u00ac(AddictedTo(sam, coffee) \u2295 BusyWith(sam, 12HourWorkHour))", "conclusion": "Sam is living in this neighborhood and he is addicted to coffee.", "conclusion-FOL": "InThisNeighborhood(sam) \u2227 AddictedTo(sam, coffee)", "label": "Uncertain", "example_id": 967} +{"story_id": 364, "premises": "If people in this neighborhood visit a coffee shop regularly, then they are addicted to coffee. \nPeople in this neighborhood visit a coffee shop regularly or order takeout at least once a day.\nIf people in this neighborhood make a lot of their own food at home using recipes and online guides, then they order takeout at least once a day.\nIf people in this neighborhood own at least one coffeemaker and one blender in their home, then they do not order takeout at least once a day.\nAll people in this neighborhood who lead very busy lives that include 12-hour work hours make a lot of their own food at home using recipes and online guides.\nSam is living in this neighborhood, and he is either addicted to coffee or other caffeinated drinks and leads a very busy life that include 12-hour work hours, or is not addicted to coffee and does not lead a very busy life that include 12-hour work hours", "premises-FOL": "\u2200x (In(x, thisNeighborhood) \u2227 VisitRegularly(x, coffeeShop) \u2192 AddictedTo(x, coffee))\n\u2200x (In(x, thisNeighborhood) \u2192 (VisitRegularly(x, coffeeShop) \u2228 (\u2203y (TakeOut(y) \u2227 Order(x, y, aDay))))\n\u2200x (In(x, thisNeighborhood) \u2227 MakeAtUsing(x, home, ownFood, recipe) \u2192 \u2203y (TakeOut(y) \u2227 Order(x, y)))\n\u2200x (In(x, thisNeighborhood) \u2227 \u2203y (CoffeemakerAndBlender(y) \u2227 Own(x, y)) \u2192 \u00acOrderAtLeastOnceADay(x, takeout))\n\u2200x (In(x, thisNeighborhood) \u2227 BusyWith(x, 12HourWorkHour) \u2192 MakeAtUsing(x, home, ownFood, recipe))\nIn(sam, thisNeighborhood) \u2227 \u00ac(AddictedTo(sam, coffee) \u2295 BusyWith(sam, 12HourWorkHour))", "conclusion": "Sam is living in this neighborhood and he owns at least one coffeemaker and one blender in his home.", "conclusion-FOL": "\u2203y (CoffeemakerAndBlender(y) \u2227 Own(sam, y))", "label": "False", "example_id": 968} +{"story_id": 364, "premises": "If people in this neighborhood visit a coffee shop regularly, then they are addicted to coffee. \nPeople in this neighborhood visit a coffee shop regularly or order takeout at least once a day.\nIf people in this neighborhood make a lot of their own food at home using recipes and online guides, then they order takeout at least once a day.\nIf people in this neighborhood own at least one coffeemaker and one blender in their home, then they do not order takeout at least once a day.\nAll people in this neighborhood who lead very busy lives that include 12-hour work hours make a lot of their own food at home using recipes and online guides.\nSam is living in this neighborhood, and he is either addicted to coffee or other caffeinated drinks and leads a very busy life that include 12-hour work hours, or is not addicted to coffee and does not lead a very busy life that include 12-hour work hours", "premises-FOL": "\u2200x (In(x, thisNeighborhood) \u2227 VisitRegularly(x, coffeeShop) \u2192 AddictedTo(x, coffee))\n\u2200x (In(x, thisNeighborhood) \u2192 (VisitRegularly(x, coffeeShop) \u2228 (\u2203y (TakeOut(y) \u2227 Order(x, y, aDay))))\n\u2200x (In(x, thisNeighborhood) \u2227 MakeAtUsing(x, home, ownFood, recipe) \u2192 \u2203y (TakeOut(y) \u2227 Order(x, y)))\n\u2200x (In(x, thisNeighborhood) \u2227 \u2203y (CoffeemakerAndBlender(y) \u2227 Own(x, y)) \u2192 \u00acOrderAtLeastOnceADay(x, takeout))\n\u2200x (In(x, thisNeighborhood) \u2227 BusyWith(x, 12HourWorkHour) \u2192 MakeAtUsing(x, home, ownFood, recipe))\nIn(sam, thisNeighborhood) \u2227 \u00ac(AddictedTo(sam, coffee) \u2295 BusyWith(sam, 12HourWorkHour))", "conclusion": "Sam is living in this neighborhood and he owns at least one coffeemaker and one blender in his home or orders takeout at least once a day.", "conclusion-FOL": "(\u2203y (CoffeemakerAndBlender(y) \u2227 Own(sam, y)) \u2228 (\u2203y (TakeOut(y) \u2227 Order(sam, y, aDay)))", "label": "True", "example_id": 969} +{"story_id": 327, "premises": "No professional basketball players are soccer players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerbacks are soccer defenders.\nRoger Federer is either both an NBA player and a soccer defender, or neither.", "premises-FOL": "\u2200x (ProfessionalBasketballPlayer(x) \u2192 \u00acProfessionalSoccerPlayer(x))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\n\u2200x (ProfessionalSoccerDefender(x) \u2192 ProfessionalSoccerPlayer(x))\n\u2200x (ProfessionalCenterback(x) \u2192 ProfessionalSoccerDefender(x))\n\u00ac(NBAPlayer(rogerfederer) \u2295 ProfessionalSoccerDefender(rogerfederer))", "conclusion": "Roger Federer is a centerback.", "conclusion-FOL": "ProfessionalCenterback(rogerFederer)", "label": "False", "example_id": 837} +{"story_id": 327, "premises": "No professional basketball players are soccer players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerbacks are soccer defenders.\nRoger Federer is either both an NBA player and a soccer defender, or neither.", "premises-FOL": "\u2200x (ProfessionalBasketballPlayer(x) \u2192 \u00acProfessionalSoccerPlayer(x))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\n\u2200x (ProfessionalSoccerDefender(x) \u2192 ProfessionalSoccerPlayer(x))\n\u2200x (ProfessionalCenterback(x) \u2192 ProfessionalSoccerDefender(x))\n\u00ac(NBAPlayer(rogerfederer) \u2295 ProfessionalSoccerDefender(rogerfederer))", "conclusion": "Roger Federer is not a centerback.", "conclusion-FOL": "\u00acProfessionalCenterback(rogerFederer)", "label": "True", "example_id": 838} +{"story_id": 327, "premises": "No professional basketball players are soccer players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerbacks are soccer defenders.\nRoger Federer is either both an NBA player and a soccer defender, or neither.", "premises-FOL": "\u2200x (ProfessionalBasketballPlayer(x) \u2192 \u00acProfessionalSoccerPlayer(x))\n\u2200x (NBAPlayer(x) \u2192 ProfessionalBasketballPlayer(x))\n\u2200x (ProfessionalSoccerDefender(x) \u2192 ProfessionalSoccerPlayer(x))\n\u2200x (ProfessionalCenterback(x) \u2192 ProfessionalSoccerDefender(x))\n\u00ac(NBAPlayer(rogerfederer) \u2295 ProfessionalSoccerDefender(rogerfederer))", "conclusion": "Roger Federer is a soccer player.", "conclusion-FOL": "ProfessionalSoccerPlayer(rogerFederer)", "label": "Uncertain", "example_id": 839} +{"story_id": 443, "premises": "Some teachers who work at pools are not nice.\nAll teachers working at pools are pool managers.\nAll pool managers are lifeguards.\nIf someone is a lifeguard, then they work at a pool.\nMary does not work at a pool.", "premises-FOL": "\u2203x (Teacher(x) \u2227 WorkAt(x, pool) \u2227 \u00acNice(x))\n\u2200x (Teacher(x) \u2227 WorkAt(x, pool) \u2192 PoolManager(x))\n\u2200x (PoolManager(x) \u2192 Lifeguard(x))\n\u2200x (Lifeguard(x) \u2192 WorkAt(x, pool))\n\u00acWorkAt(mary, pool)", "conclusion": "Mary is nice.", "conclusion-FOL": "Nice(mary)", "label": "Uncertain", "example_id": 1274} +{"story_id": 443, "premises": "Some teachers who work at pools are not nice.\nAll teachers working at pools are pool managers.\nAll pool managers are lifeguards.\nIf someone is a lifeguard, then they work at a pool.\nMary does not work at a pool.", "premises-FOL": "\u2203x (Teacher(x) \u2227 WorkAt(x, pool) \u2227 \u00acNice(x))\n\u2200x (Teacher(x) \u2227 WorkAt(x, pool) \u2192 PoolManager(x))\n\u2200x (PoolManager(x) \u2192 Lifeguard(x))\n\u2200x (Lifeguard(x) \u2192 WorkAt(x, pool))\n\u00acWorkAt(mary, pool)", "conclusion": "Mary is not a nice teacher working at a pool.", "conclusion-FOL": "\u00ac(Nice(mary) \u2227 Teacher(mary) \u2227 WorkAt(mary, pool))", "label": "True", "example_id": 1275} +{"story_id": 443, "premises": "Some teachers who work at pools are not nice.\nAll teachers working at pools are pool managers.\nAll pool managers are lifeguards.\nIf someone is a lifeguard, then they work at a pool.\nMary does not work at a pool.", "premises-FOL": "\u2203x (Teacher(x) \u2227 WorkAt(x, pool) \u2227 \u00acNice(x))\n\u2200x (Teacher(x) \u2227 WorkAt(x, pool) \u2192 PoolManager(x))\n\u2200x (PoolManager(x) \u2192 Lifeguard(x))\n\u2200x (Lifeguard(x) \u2192 WorkAt(x, pool))\n\u00acWorkAt(mary, pool)", "conclusion": "Mary is is a nice teacher working at a pool.", "conclusion-FOL": "Nice(mary) \u2227 Teacher(mary) \u2227 WorkAt(mary, pool)", "label": "False", "example_id": 1276} +{"story_id": 302, "premises": "Not all art pieces require talent.\nEverything that requires talent requires practice.", "premises-FOL": "\u2203x (ArtPiece(x) \u2227 \u00acRequire(x, talent))\n\u2200x (Require(x, talent) \u2192 Require(x, practice))", "conclusion": "There exist art pieces that do not require practice.", "conclusion-FOL": "\u2203x \u2203y (ArtPiece(x) \u2227 \u00acRequire(x, practice) \u2227 ArtPiece(y) \u2227 \u00acRequire(y, practice) \u2227 \u00ac(x=y))", "label": "True", "example_id": 746} +{"story_id": 88, "premises": "Bernarda Bryson Shahn was a painter and lithographer.\nBernarda Bryson Shahn was born in Athens, Ohio. \nBernarda Bryson Shahn was married to Ben Shahn.\nPeople born in Athens, Ohio, are Americans.", "premises-FOL": "Painter(bernardaBrysonShahn) \u2227 Lithographer(bernardaBrysonShahn) \nBornIn(bernardaBrysonShahn, athensOhio)\nMarriedTo(bernardaBrysonShahn, benShahn)\n\u2200x (BornIn(x, athensOhio) \u2192 American(x))", "conclusion": "Bernarda Bryson Shahn was born in Greece.", "conclusion-FOL": "BornIn(bernardaBrysonShahn, greece)", "label": "Uncertain", "example_id": 267} +{"story_id": 88, "premises": "Bernarda Bryson Shahn was a painter and lithographer.\nBernarda Bryson Shahn was born in Athens, Ohio. \nBernarda Bryson Shahn was married to Ben Shahn.\nPeople born in Athens, Ohio, are Americans.", "premises-FOL": "Painter(bernardaBrysonShahn) \u2227 Lithographer(bernardaBrysonShahn) \nBornIn(bernardaBrysonShahn, athensOhio)\nMarriedTo(bernardaBrysonShahn, benShahn)\n\u2200x (BornIn(x, athensOhio) \u2192 American(x))", "conclusion": "Bernarda Bryson Shahn was American.", "conclusion-FOL": "American(bernardaBrysonShahn)", "label": "True", "example_id": 268} +{"story_id": 88, "premises": "Bernarda Bryson Shahn was a painter and lithographer.\nBernarda Bryson Shahn was born in Athens, Ohio. \nBernarda Bryson Shahn was married to Ben Shahn.\nPeople born in Athens, Ohio, are Americans.", "premises-FOL": "Painter(bernardaBrysonShahn) \u2227 Lithographer(bernardaBrysonShahn) \nBornIn(bernardaBrysonShahn, athensOhio)\nMarriedTo(bernardaBrysonShahn, benShahn)\n\u2200x (BornIn(x, athensOhio) \u2192 American(x))", "conclusion": "Bernarda Bryson Shahn had been divorced once.", "conclusion-FOL": "Divorced(bernardaBrysonShahn)", "label": "Uncertain", "example_id": 269} +{"story_id": 369, "premises": "Everybody in Emma's family who upgrade to the newest iPhone model every year, are not saving money for a down payment on a new house.\nEverybody in Emma's family who enjoy reading about tech specs and keeping up to date on the latest technology upgrade to the newest iPhone model every year.\nEverybody in Emma's family is saving money for a down payment on a new house, or lives in an apartment in a big metropolitan cities.\nEverybody in Emma's family live with at least one roommate, does not own any pets.\nEverybody in Emma's family who owns at least one pet lives with at least one roommate.\nEmily is in Emma's family.\nIf Emily does not both own at least one pet and lives in apartments in big metropolitan cities, then Emily either owns at least one pet and lives in an apartment in big metropolitan cities, or she neither owns a pet nor lives in an apartment in big metropolitan cities. ", "premises-FOL": "\u2200x (InEmmasFamily(x) \u2227 UpgradeToEveryYear(x, newestIphoneModel) \u2192 \u00acSavingMoneyForOn(x, downPayment, newHouse))\n\u2200x (InEmmasFamily(x) \u2227 EnjoyReading(x, techSpec) \u2227 KeepUpdatedOn(x, latestTechnology) \u2192 UpgradeToEveryYear(x, newestIphoneModel))\n\u2200x (InEmmasFamily(x) \u2227 (SavingMoneyForOn(x, downPayment, newHouse) \u2228 LiveIn(x, apartment, bigMetropolitanCity)))\n\u2200x (InEmmasFamily(x) \u2227 (\u2203y (LiveWith(x, y) \u2227 Roommate(y))) \u2192 \u00ac(\u2203y (Own(x, y) \u2227 Pet(y))))\n\u2200x (InEmmasFamily(x) \u2227 (\u2203y (Own(x, y) \u2227 Pet(y))) \u2192 (\u2203y (LiveWith(x, y) \u2227 Roommate(y))))\nInEmmasFamily(emily)\n((\u2203y (Own(emily, y) \u2227 Roommate(y))) \u2227 LiveIn(emily, apartment, bigMetropolitanCity)) \u2192 ((\u2203y (Own(emily, y) \u2227 Pet(y))) \u2227 LiveIn(emily, apartment, bigMetropolitanCity)) \u2295 \u00ac((\u2203y (Own(emily, y) \u2227 Roommate(y))) \u2228 LiveIn(emily, apartment, bigMetropolitanCity))", "conclusion": "Emily is in Emma's family and she lives with at least one roommate.", "conclusion-FOL": "\u2203y (LiveWith(emily, y) \u2227 Roommate(y))", "label": "Uncertain", "example_id": 982} +{"story_id": 369, "premises": "Everybody in Emma's family who upgrade to the newest iPhone model every year, are not saving money for a down payment on a new house.\nEverybody in Emma's family who enjoy reading about tech specs and keeping up to date on the latest technology upgrade to the newest iPhone model every year.\nEverybody in Emma's family is saving money for a down payment on a new house, or lives in an apartment in a big metropolitan cities.\nEverybody in Emma's family live with at least one roommate, does not own any pets.\nEverybody in Emma's family who owns at least one pet lives with at least one roommate.\nEmily is in Emma's family.\nIf Emily does not both own at least one pet and lives in apartments in big metropolitan cities, then Emily either owns at least one pet and lives in an apartment in big metropolitan cities, or she neither owns a pet nor lives in an apartment in big metropolitan cities. ", "premises-FOL": "\u2200x (InEmmasFamily(x) \u2227 UpgradeToEveryYear(x, newestIphoneModel) \u2192 \u00acSavingMoneyForOn(x, downPayment, newHouse))\n\u2200x (InEmmasFamily(x) \u2227 EnjoyReading(x, techSpec) \u2227 KeepUpdatedOn(x, latestTechnology) \u2192 UpgradeToEveryYear(x, newestIphoneModel))\n\u2200x (InEmmasFamily(x) \u2227 (SavingMoneyForOn(x, downPayment, newHouse) \u2228 LiveIn(x, apartment, bigMetropolitanCity)))\n\u2200x (InEmmasFamily(x) \u2227 (\u2203y (LiveWith(x, y) \u2227 Roommate(y))) \u2192 \u00ac(\u2203y (Own(x, y) \u2227 Pet(y))))\n\u2200x (InEmmasFamily(x) \u2227 (\u2203y (Own(x, y) \u2227 Pet(y))) \u2192 (\u2203y (LiveWith(x, y) \u2227 Roommate(y))))\nInEmmasFamily(emily)\n((\u2203y (Own(emily, y) \u2227 Roommate(y))) \u2227 LiveIn(emily, apartment, bigMetropolitanCity)) \u2192 ((\u2203y (Own(emily, y) \u2227 Pet(y))) \u2227 LiveIn(emily, apartment, bigMetropolitanCity)) \u2295 \u00ac((\u2203y (Own(emily, y) \u2227 Roommate(y))) \u2228 LiveIn(emily, apartment, bigMetropolitanCity))", "conclusion": "Emily enjoys reading about tech specs and keeping up to date on the latest technology.", "conclusion-FOL": "EnjoyReading(emily, techSpec) \u2227 KeepUpdatedOn(emily, latestTechnology)", "label": "False", "example_id": 983} +{"story_id": 451, "premises": "People on the payroll are being paid by the school.\nIf someone has a job at a school, then they are on the payroll.\nAll faculty members have a job at a school.\nIf someone teaches students, they are a faculty member or a teacher.\nEvery teacher has students.\nIf Nancy is a teacher, then they are on the payroll.\nIf Nancy is not a teacher, then they are not paid by the school.\nNancy teaches students.", "premises-FOL": "\u2200x (OnPayroll(x) \u2192 PaidBy(x, school))\n\u2200x (HaveJobAt(x, school) \u2192 OnPayroll(x))\n\u2200x (FacultyMember(x) \u2192 HaveJobAt(x, school))\n\u2200x (Teach(x, student) \u2192 FacultyMember(x) \u2228 Teacher(x))\n\u2200x (Teacher(x) \u2192 Have(x, student))\nTeacher(nancy) \u2192 OnPayroll(nancy)\n\u00acTeacher(nancy) \u2192 \u00acOnPayroll(nancy)\nTeach(nancy, student)", "conclusion": "Nancy is a faculty member.", "conclusion-FOL": "FacultyMember(nancy)", "label": "Uncertain", "example_id": 1298} +{"story_id": 451, "premises": "People on the payroll are being paid by the school.\nIf someone has a job at a school, then they are on the payroll.\nAll faculty members have a job at a school.\nIf someone teaches students, they are a faculty member or a teacher.\nEvery teacher has students.\nIf Nancy is a teacher, then they are on the payroll.\nIf Nancy is not a teacher, then they are not paid by the school.\nNancy teaches students.", "premises-FOL": "\u2200x (OnPayroll(x) \u2192 PaidBy(x, school))\n\u2200x (HaveJobAt(x, school) \u2192 OnPayroll(x))\n\u2200x (FacultyMember(x) \u2192 HaveJobAt(x, school))\n\u2200x (Teach(x, student) \u2192 FacultyMember(x) \u2228 Teacher(x))\n\u2200x (Teacher(x) \u2192 Have(x, student))\nTeacher(nancy) \u2192 OnPayroll(nancy)\n\u00acTeacher(nancy) \u2192 \u00acOnPayroll(nancy)\nTeach(nancy, student)", "conclusion": "Nancy is paid by the school and has students.", "conclusion-FOL": "PaidBy(nancy, school) \u2227 Have(nancy, student)", "label": "True", "example_id": 1299} +{"story_id": 451, "premises": "People on the payroll are being paid by the school.\nIf someone has a job at a school, then they are on the payroll.\nAll faculty members have a job at a school.\nIf someone teaches students, they are a faculty member or a teacher.\nEvery teacher has students.\nIf Nancy is a teacher, then they are on the payroll.\nIf Nancy is not a teacher, then they are not paid by the school.\nNancy teaches students.", "premises-FOL": "\u2200x (OnPayroll(x) \u2192 PaidBy(x, school))\n\u2200x (HaveJobAt(x, school) \u2192 OnPayroll(x))\n\u2200x (FacultyMember(x) \u2192 HaveJobAt(x, school))\n\u2200x (Teach(x, student) \u2192 FacultyMember(x) \u2228 Teacher(x))\n\u2200x (Teacher(x) \u2192 Have(x, student))\nTeacher(nancy) \u2192 OnPayroll(nancy)\n\u00acTeacher(nancy) \u2192 \u00acOnPayroll(nancy)\nTeach(nancy, student)", "conclusion": "Nancy is not paid by the school or does not have students.", "conclusion-FOL": "\u00acPaidBy(nancy, school) \u2228 \u00acHave(nancy, student))", "label": "False", "example_id": 1300} +{"story_id": 248, "premises": "Kangaroos are an animal.\nNo Kangaroos live in Germany.\nJane will fly to Germany if she saves enough money for the summer.\nIf Jane flies to Germany, she will go to the Berlin Zoo.\nIf someone goes to the Berlin Zoo, they will see some of the animals in Germany.", "premises-FOL": "\u2200x (Kangaroo(x) \u2192 Animal(x))\n\u2200x (Kangaroo(x) \u2192 \u00acLiveIn(x, germany))\nSavesFor(jane, enoughMoney, theSummer) \u2192 FlyTo(jane, germany)\nFlyTo(jane, germany) \u2192 GoTo(jane, berlinzoo) \n\u2200x \u2203y (GoTo(x, berlinzoo) \u2227 LiveIn(x, germany) \u2227 Animal(y) \u2192 WillSee(y, x, berlinzoo))", "conclusion": "Jane will see a kangaroo if she saves enough money for the summer.", "conclusion-FOL": "\u2203x (SavesFor(jane, enoughMoney, theSummer) \u2227 Kangaroo(x) \u2192 WillSee(x, jane, berlinzoo))", "label": "False", "example_id": 691} +{"story_id": 214, "premises": "If a class has prerequisites, the student must take the prerequisites to take the class.\nIf a class has no prerequisites, then the student can take the class\nCPSC 201 and CPSC 223 are prerequisites for CPSC 323.\nIntro Microeconomics is the only prerequisite for Intermediate Microeconomics.\nIntro Geology has no prerequisites.", "premises-FOL": "\u2200x \u2200y \u2200z (Class(x) \u2227 Student(y) \u2227 Prereq(z,x) \u2227 \u00acTake(y, z) \u2192 \u00acCanTake(y, x))\n\u2200x \u2200y ((Class(x) \u2227 Student(y) \u2227 \u00ac\u2203z Prereq(z,x)) \u2192 CanTake(y, x))\nPrereq(cpsc201, cpsc323) \u2227 Prereq(cpsc223, cpsc323)\n\u2200x (Prereq(x,intermediateMicro) \u2192 x=introMicroeconomics)\n\u00ac(\u2203x (Prereq(x, introGeology)))", "conclusion": "CPSC 201 has no prerequisites.", "conclusion-FOL": "\u2200x (\u00acPrereq(x, cpsc201))", "label": "Uncertain", "example_id": 611} +{"story_id": 214, "premises": "If a class has prerequisites, the student must take the prerequisites to take the class.\nIf a class has no prerequisites, then the student can take the class\nCPSC 201 and CPSC 223 are prerequisites for CPSC 323.\nIntro Microeconomics is the only prerequisite for Intermediate Microeconomics.\nIntro Geology has no prerequisites.", "premises-FOL": "\u2200x \u2200y \u2200z (Class(x) \u2227 Student(y) \u2227 Prereq(z,x) \u2227 \u00acTake(y, z) \u2192 \u00acCanTake(y, x))\n\u2200x \u2200y ((Class(x) \u2227 Student(y) \u2227 \u00ac\u2203z Prereq(z,x)) \u2192 CanTake(y, x))\nPrereq(cpsc201, cpsc323) \u2227 Prereq(cpsc223, cpsc323)\n\u2200x (Prereq(x,intermediateMicro) \u2192 x=introMicroeconomics)\n\u00ac(\u2203x (Prereq(x, introGeology)))", "conclusion": "If a student took CPSC 201 but did not take CPSC 223, they can take CPSC 323.", "conclusion-FOL": "Taken(cpsc201) \u2227 \u00acTaken(cpsc223) \u2227 CanTake(cpsc323)", "label": "False", "example_id": 612} +{"story_id": 214, "premises": "If a class has prerequisites, the student must take the prerequisites to take the class.\nIf a class has no prerequisites, then the student can take the class\nCPSC 201 and CPSC 223 are prerequisites for CPSC 323.\nIntro Microeconomics is the only prerequisite for Intermediate Microeconomics.\nIntro Geology has no prerequisites.", "premises-FOL": "\u2200x \u2200y \u2200z (Class(x) \u2227 Student(y) \u2227 Prereq(z,x) \u2227 \u00acTake(y, z) \u2192 \u00acCanTake(y, x))\n\u2200x \u2200y ((Class(x) \u2227 Student(y) \u2227 \u00ac\u2203z Prereq(z,x)) \u2192 CanTake(y, x))\nPrereq(cpsc201, cpsc323) \u2227 Prereq(cpsc223, cpsc323)\n\u2200x (Prereq(x,intermediateMicro) \u2192 x=introMicroeconomics)\n\u00ac(\u2203x (Prereq(x, introGeology)))", "conclusion": "A student cannot take Intro Geology.", "conclusion-FOL": "\u00acCanTake(introgeology)", "label": "False", "example_id": 613} +{"story_id": 214, "premises": "If a class has prerequisites, the student must take the prerequisites to take the class.\nIf a class has no prerequisites, then the student can take the class\nCPSC 201 and CPSC 223 are prerequisites for CPSC 323.\nIntro Microeconomics is the only prerequisite for Intermediate Microeconomics.\nIntro Geology has no prerequisites.", "premises-FOL": "\u2200x \u2200y \u2200z (Class(x) \u2227 Student(y) \u2227 Prereq(z,x) \u2227 \u00acTake(y, z) \u2192 \u00acCanTake(y, x))\n\u2200x \u2200y ((Class(x) \u2227 Student(y) \u2227 \u00ac\u2203z Prereq(z,x)) \u2192 CanTake(y, x))\nPrereq(cpsc201, cpsc323) \u2227 Prereq(cpsc223, cpsc323)\n\u2200x (Prereq(x,intermediateMicro) \u2192 x=introMicroeconomics)\n\u00ac(\u2203x (Prereq(x, introGeology)))", "conclusion": "Intermediate Microeconomics has one prerequisite.", "conclusion-FOL": "\u2203x (Taken(x) \u2192 CanTake(intermediatemicro))", "label": "True", "example_id": 614} +{"story_id": 37, "premises": "Heptalogyy is a compound literary or narrative work that is made up of seven distinct works.\nThe Harry Potter series consists of 7 distinct works.\nThe Chronicles of Narnia consists of 7 distinct works.", "premises-FOL": "\u2200x (SevenDistinctWorks(x) \u2192 Heptalogy(x))\nSevenDistinctWorks(harryPotter)\nSevenDistinctWorks(chroniclesOfNarnia)", "conclusion": "The Harry Potter series of books is Heptalogy.", "conclusion-FOL": "Heptalogy(harryPotter)", "label": "True", "example_id": 107} +{"story_id": 37, "premises": "Heptalogyy is a compound literary or narrative work that is made up of seven distinct works.\nThe Harry Potter series consists of 7 distinct works.\nThe Chronicles of Narnia consists of 7 distinct works.", "premises-FOL": "\u2200x (SevenDistinctWorks(x) \u2192 Heptalogy(x))\nSevenDistinctWorks(harryPotter)\nSevenDistinctWorks(chroniclesOfNarnia)", "conclusion": "The Chronicles of Narnia series of books is not Heptalogy.", "conclusion-FOL": "\u00acHeptalogy(chroniclesOfNarnia)", "label": "False", "example_id": 108} +{"story_id": 37, "premises": "Heptalogyy is a compound literary or narrative work that is made up of seven distinct works.\nThe Harry Potter series consists of 7 distinct works.\nThe Chronicles of Narnia consists of 7 distinct works.", "premises-FOL": "\u2200x (SevenDistinctWorks(x) \u2192 Heptalogy(x))\nSevenDistinctWorks(harryPotter)\nSevenDistinctWorks(chroniclesOfNarnia)", "conclusion": "The Lord of the Rings is Heptalogy.", "conclusion-FOL": "Heptalogy(lordOfRings)", "label": "Uncertain", "example_id": 109} +{"story_id": 381, "premises": "All people who attend Renaissance fairs regularly enjoy dressing up in old-fashioned and historical period clothing.\nIf people are fascinated by the history of the Renaissance and other past eras, then they attend Renaissance fairs regularly.\nPeople are fascinated by the history of the Renaissance and other past eras, or they are contemporary academics who enjoy learning.\nPeople who are focused on futuristic and vocational subjects are contemporary academics who enjoy learning.\nIf people are professors who take a historical approach, then they are not contemporary academics who enjoy learning.\nIf Clyde is not focused on futuristic and voctional subjects, then he is neither focused on futuristic and vocational subjects nor enjoys dressing up in old-fashioned and historical period clothing.", "premises-FOL": "\u2200x (AttendRegularly(x, renaissanceFair) \u2192 Enjoy(x, dressingUp, oldFashionedClothing) \u2227 Enjoy(x, dressingUp, historicalPeriodClothing))\n\u2200x (FascinatedBy(x, historyOfRenaissance) \u2192 AttendRegularly(x, renaissanceFair))\n\u2200x (FascinatedBy(x, historyOfRenaissance) \u2295 (ContemporaryAcademic(x) \u2227 Enjoy(x, learning)))\n\u2200x (FocusedOn(x, futuristicSubject) \u2227 FocusedOn(x, vocationalSubject) \u2192 ContemporaryAcademic(x) \u2227 Enjoy(x, learning))\n\u2200x (Professor(x) \u2227 Take(x, historicalApproach) \u2192 \u00ac(ContemporaryAcademic(x) \u2227 Enjoy(x, learning)))\n\u00ac(FocusedOn(clyde, futuristicSubject) \u2227 FocusedOn(clyde, vocationalSubject))\u2192 \u00ac(FocusedOn(clyde, futuristicSubject) \u2227 FocusedOn(clyde, vocationalSubject) \u2228 (Enjoy(clyde, dressingUp, oldFashionedClothing) \u2227 Enjoy(clyde, dressingUp, historicalPeriodClothing)))", "conclusion": "Clyde attends Renaissance fairs regularly.", "conclusion-FOL": "AttendRegularly(clyde, renaissanceFair)", "label": "Uncertain", "example_id": 1017} +{"story_id": 381, "premises": "All people who attend Renaissance fairs regularly enjoy dressing up in old-fashioned and historical period clothing.\nIf people are fascinated by the history of the Renaissance and other past eras, then they attend Renaissance fairs regularly.\nPeople are fascinated by the history of the Renaissance and other past eras, or they are contemporary academics who enjoy learning.\nPeople who are focused on futuristic and vocational subjects are contemporary academics who enjoy learning.\nIf people are professors who take a historical approach, then they are not contemporary academics who enjoy learning.\nIf Clyde is not focused on futuristic and voctional subjects, then he is neither focused on futuristic and vocational subjects nor enjoys dressing up in old-fashioned and historical period clothing.", "premises-FOL": "\u2200x (AttendRegularly(x, renaissanceFair) \u2192 Enjoy(x, dressingUp, oldFashionedClothing) \u2227 Enjoy(x, dressingUp, historicalPeriodClothing))\n\u2200x (FascinatedBy(x, historyOfRenaissance) \u2192 AttendRegularly(x, renaissanceFair))\n\u2200x (FascinatedBy(x, historyOfRenaissance) \u2295 (ContemporaryAcademic(x) \u2227 Enjoy(x, learning)))\n\u2200x (FocusedOn(x, futuristicSubject) \u2227 FocusedOn(x, vocationalSubject) \u2192 ContemporaryAcademic(x) \u2227 Enjoy(x, learning))\n\u2200x (Professor(x) \u2227 Take(x, historicalApproach) \u2192 \u00ac(ContemporaryAcademic(x) \u2227 Enjoy(x, learning)))\n\u00ac(FocusedOn(clyde, futuristicSubject) \u2227 FocusedOn(clyde, vocationalSubject))\u2192 \u00ac(FocusedOn(clyde, futuristicSubject) \u2227 FocusedOn(clyde, vocationalSubject) \u2228 (Enjoy(clyde, dressingUp, oldFashionedClothing) \u2227 Enjoy(clyde, dressingUp, historicalPeriodClothing)))", "conclusion": "Clyde is a professor who takes a historical approach.", "conclusion-FOL": "Professor(clyde) \u2227 Take(clyde, historicalApproach)", "label": "False", "example_id": 1018} +{"story_id": 381, "premises": "All people who attend Renaissance fairs regularly enjoy dressing up in old-fashioned and historical period clothing.\nIf people are fascinated by the history of the Renaissance and other past eras, then they attend Renaissance fairs regularly.\nPeople are fascinated by the history of the Renaissance and other past eras, or they are contemporary academics who enjoy learning.\nPeople who are focused on futuristic and vocational subjects are contemporary academics who enjoy learning.\nIf people are professors who take a historical approach, then they are not contemporary academics who enjoy learning.\nIf Clyde is not focused on futuristic and voctional subjects, then he is neither focused on futuristic and vocational subjects nor enjoys dressing up in old-fashioned and historical period clothing.", "premises-FOL": "\u2200x (AttendRegularly(x, renaissanceFair) \u2192 Enjoy(x, dressingUp, oldFashionedClothing) \u2227 Enjoy(x, dressingUp, historicalPeriodClothing))\n\u2200x (FascinatedBy(x, historyOfRenaissance) \u2192 AttendRegularly(x, renaissanceFair))\n\u2200x (FascinatedBy(x, historyOfRenaissance) \u2295 (ContemporaryAcademic(x) \u2227 Enjoy(x, learning)))\n\u2200x (FocusedOn(x, futuristicSubject) \u2227 FocusedOn(x, vocationalSubject) \u2192 ContemporaryAcademic(x) \u2227 Enjoy(x, learning))\n\u2200x (Professor(x) \u2227 Take(x, historicalApproach) \u2192 \u00ac(ContemporaryAcademic(x) \u2227 Enjoy(x, learning)))\n\u00ac(FocusedOn(clyde, futuristicSubject) \u2227 FocusedOn(clyde, vocationalSubject))\u2192 \u00ac(FocusedOn(clyde, futuristicSubject) \u2227 FocusedOn(clyde, vocationalSubject) \u2228 (Enjoy(clyde, dressingUp, oldFashionedClothing) \u2227 Enjoy(clyde, dressingUp, historicalPeriodClothing)))", "conclusion": "Clyde is a professor who takes a historical approach, or is a contemporary academic.", "conclusion-FOL": "(Professor(clyde) \u2227 Take(clyde, historicalApproach)) \u2228 (ContemporaryAcademic(clyde) \u2227 Enjoy(clyde, learning))", "label": "True", "example_id": 1019} +{"story_id": 270, "premises": "No sports cars are vehicles intended to be driven at moderate speeds.\nAll automobiles designed for family use are vehicles intended to be driven at moderate speeds.", "premises-FOL": "\u2200x (SportsCar(x) \u2192 \u00acIntendedToBeDrivenAt(x, moderateSpeed))\n\u2200x (DesignedFor(x, familyUse) \u2192 IntendedToBeDrivenAt(x, moderateSpeed))", "conclusion": "No sports cars are automobiles designed for family use.", "conclusion-FOL": "\u2200x (SportsCar(x) \u2192 \u00acFor(x, familyUse))", "label": "True", "example_id": 714} +{"story_id": 356, "premises": "If people work well in teams in the workplace, then they get along with all their colleagues at their work.\nIf people come to work every day with a positive attitude, then they work well in teams in the workplace.\nPeople either come to work every day with a positive attitude or are always tired every morning.\nIf people are always tired in the morning, then they are criticized by their boss.\nIf people are criticized by their boss, then they do not receive positive feedback from teams at work.\nKat either is a person who works well in teams in the workplac and is always tired every morning, or she is neither.", "premises-FOL": "\u2200x (WorkWellInTeamsIn(x, workPlace) \u2192 \u2200y (Colleague(y) \u2227 GetAlongWithAtWork(x, y)))\n\u2200x (ComeToWorkWithEveryDay(x, positiveAttitude) \u2192 WorkWellInTeamsIn(x, workPlace))\n\u2200x (ComeToWorkWithEveryDay(x, positiveAttitude) \u2295 AlwaysTiredInMorning(x))\n\u2200x (AlwaysTiredInMorning(x) \u2192 CriticizedBy(x, boss))\n\u2200x (CriticizedBy(x, boss) \u2192 \u00acReceiveFromAtWork(x, positiveFeedback, team))\n\u00ac(WorkWellInTeamsIn(kat, workPlace) \u2295 Tired(kat))", "conclusion": "Kat is a person who comes to work every day with a positive attitude.", "conclusion-FOL": "ComeToWorkWithEveryDay(kat, positiveAttitude)", "label": "Uncertain", "example_id": 944} +{"story_id": 356, "premises": "If people work well in teams in the workplace, then they get along with all their colleagues at their work.\nIf people come to work every day with a positive attitude, then they work well in teams in the workplace.\nPeople either come to work every day with a positive attitude or are always tired every morning.\nIf people are always tired in the morning, then they are criticized by their boss.\nIf people are criticized by their boss, then they do not receive positive feedback from teams at work.\nKat either is a person who works well in teams in the workplac and is always tired every morning, or she is neither.", "premises-FOL": "\u2200x (WorkWellInTeamsIn(x, workPlace) \u2192 \u2200y (Colleague(y) \u2227 GetAlongWithAtWork(x, y)))\n\u2200x (ComeToWorkWithEveryDay(x, positiveAttitude) \u2192 WorkWellInTeamsIn(x, workPlace))\n\u2200x (ComeToWorkWithEveryDay(x, positiveAttitude) \u2295 AlwaysTiredInMorning(x))\n\u2200x (AlwaysTiredInMorning(x) \u2192 CriticizedBy(x, boss))\n\u2200x (CriticizedBy(x, boss) \u2192 \u00acReceiveFromAtWork(x, positiveFeedback, team))\n\u00ac(WorkWellInTeamsIn(kat, workPlace) \u2295 Tired(kat))", "conclusion": "Kat gets along with her colleagues at her work and receives positive feedback from teams at her work.", "conclusion-FOL": "(\u2200y (Colleague(y) \u2227 GetAlongWithAtWork(kat, y))) \u2227 ReceiveFromAtWork(kat, positiveFeedback, team)", "label": "False", "example_id": 945} +{"story_id": 356, "premises": "If people work well in teams in the workplace, then they get along with all their colleagues at their work.\nIf people come to work every day with a positive attitude, then they work well in teams in the workplace.\nPeople either come to work every day with a positive attitude or are always tired every morning.\nIf people are always tired in the morning, then they are criticized by their boss.\nIf people are criticized by their boss, then they do not receive positive feedback from teams at work.\nKat either is a person who works well in teams in the workplac and is always tired every morning, or she is neither.", "premises-FOL": "\u2200x (WorkWellInTeamsIn(x, workPlace) \u2192 \u2200y (Colleague(y) \u2227 GetAlongWithAtWork(x, y)))\n\u2200x (ComeToWorkWithEveryDay(x, positiveAttitude) \u2192 WorkWellInTeamsIn(x, workPlace))\n\u2200x (ComeToWorkWithEveryDay(x, positiveAttitude) \u2295 AlwaysTiredInMorning(x))\n\u2200x (AlwaysTiredInMorning(x) \u2192 CriticizedBy(x, boss))\n\u2200x (CriticizedBy(x, boss) \u2192 \u00acReceiveFromAtWork(x, positiveFeedback, team))\n\u00ac(WorkWellInTeamsIn(kat, workPlace) \u2295 Tired(kat))", "conclusion": "Kat either gets along with her colleagues at her work or receives positive feedback from teams at her work.", "conclusion-FOL": "(\u2200y (Colleague(y) \u2227 GetAlongWithAtWork(kat, y))) \u2295 ReceiveFromAtWork(kat, positiveFeedback, team)", "label": "True", "example_id": 946} +{"story_id": 276, "premises": "Drishti is an open-source software.\nOpen-source software is free to modify.", "premises-FOL": "OpenSourceSoftware(drishti)\n\u2200x (OpenSourceSoftware(x) \u2192 FreeToModify(x))", "conclusion": "Drishti is free to modify.", "conclusion-FOL": "FreeToModify(drishti)", "label": "True", "example_id": 720} +{"story_id": 161, "premises": "There are five grades in English class: A+, A, B+, B, and C. \nIf a student gets an A+ in English class, then his score is greater than 95.\nIf a student gets an A in English class, then his score is greater than 90 but lower than 95.\nZhang got an A in English class.\nWang's English class score is better than Zhang's.\nWu's English class score is lower than 90.\nIf a student's English class score is lower than 90, then it is not greater than 95 or 90, and lower than 95.", "premises-FOL": "GradeIn(aPlus, englishClass) \u2228 GradeIn(a, englishClass) \u2228 GradeIn(bPlus, englishClass) \u2228 GradeIn(b, englishClass) \u2228 GradeIn(c, englishClass) \u2227 (GradeIn(aPlus, englishClass) \u2192 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(b, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(a, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(b, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(bPlus, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(b, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(b, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(c, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(b, englishClass)) \n\u2200x \u2200y (Student(x) \u2227 GetGradeIn(x, aPlus, englishClass) \u2192 EnglishClassScore(x, y) \u2227 GreaterThan95(y))\n\u2200x \u2200y (Student(x) \u2227 GetGradeIn(x, a, englishClass) \u2192 EnglishClassScore(x, y) \u2227 GreaterThan90(y) \u2227 LowerThan95(y)) \nStudent(zhang) \u2227 GetGradeIn(zhang, a, englishClass)\n\u2200x \u2200y (Student(zhang) \u2227 Student(wang) \u2227 EnglishScore(zhang, x) \u2227 EnglishScore(wang, y) \u2227 Better(y, x))\n\u2200x (Student(wu) \u2227 EnglishScore(wu, x) \u2227 LowerThan90(x))\n\u2200x \u2200y (Student(x) \u2227 EnglishScore(x, y) \u2227 LowerThan90(y) \u2192 \u00acGreaterThan95(y) \u2227 \u00acGreaterThan90(y) \u2227 LowerThan95(y))", "conclusion": "Zhang's English class score is lower than 95.", "conclusion-FOL": "\u2200x (EnglishScore(zhang, x) \u2227 LowerThan95(x))", "label": "True", "example_id": 461} +{"story_id": 161, "premises": "There are five grades in English class: A+, A, B+, B, and C. \nIf a student gets an A+ in English class, then his score is greater than 95.\nIf a student gets an A in English class, then his score is greater than 90 but lower than 95.\nZhang got an A in English class.\nWang's English class score is better than Zhang's.\nWu's English class score is lower than 90.\nIf a student's English class score is lower than 90, then it is not greater than 95 or 90, and lower than 95.", "premises-FOL": "GradeIn(aPlus, englishClass) \u2228 GradeIn(a, englishClass) \u2228 GradeIn(bPlus, englishClass) \u2228 GradeIn(b, englishClass) \u2228 GradeIn(c, englishClass) \u2227 (GradeIn(aPlus, englishClass) \u2192 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(b, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(a, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(b, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(bPlus, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(b, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(b, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(c, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(b, englishClass)) \n\u2200x \u2200y (Student(x) \u2227 GetGradeIn(x, aPlus, englishClass) \u2192 EnglishClassScore(x, y) \u2227 GreaterThan95(y))\n\u2200x \u2200y (Student(x) \u2227 GetGradeIn(x, a, englishClass) \u2192 EnglishClassScore(x, y) \u2227 GreaterThan90(y) \u2227 LowerThan95(y)) \nStudent(zhang) \u2227 GetGradeIn(zhang, a, englishClass)\n\u2200x \u2200y (Student(zhang) \u2227 Student(wang) \u2227 EnglishScore(zhang, x) \u2227 EnglishScore(wang, y) \u2227 Better(y, x))\n\u2200x (Student(wu) \u2227 EnglishScore(wu, x) \u2227 LowerThan90(x))\n\u2200x \u2200y (Student(x) \u2227 EnglishScore(x, y) \u2227 LowerThan90(y) \u2192 \u00acGreaterThan95(y) \u2227 \u00acGreaterThan90(y) \u2227 LowerThan95(y))", "conclusion": "Wang got an A+ in English class.", "conclusion-FOL": "GetGradeIn(wang, aPlus, englishClass)", "label": "Uncertain", "example_id": 462} +{"story_id": 161, "premises": "There are five grades in English class: A+, A, B+, B, and C. \nIf a student gets an A+ in English class, then his score is greater than 95.\nIf a student gets an A in English class, then his score is greater than 90 but lower than 95.\nZhang got an A in English class.\nWang's English class score is better than Zhang's.\nWu's English class score is lower than 90.\nIf a student's English class score is lower than 90, then it is not greater than 95 or 90, and lower than 95.", "premises-FOL": "GradeIn(aPlus, englishClass) \u2228 GradeIn(a, englishClass) \u2228 GradeIn(bPlus, englishClass) \u2228 GradeIn(b, englishClass) \u2228 GradeIn(c, englishClass) \u2227 (GradeIn(aPlus, englishClass) \u2192 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(b, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(a, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(b, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(bPlus, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(b, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(b, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(c, englishClass)) \u2227 (GradeIn(c, englishClass) \u2192 \u00acGradeIn(aPlus, englishClass) \u2227 \u00acGradeIn(a, englishClass) \u2227 \u00acGradeIn(bPlus, englishClass) \u2227 \u00acGradeIn(b, englishClass)) \n\u2200x \u2200y (Student(x) \u2227 GetGradeIn(x, aPlus, englishClass) \u2192 EnglishClassScore(x, y) \u2227 GreaterThan95(y))\n\u2200x \u2200y (Student(x) \u2227 GetGradeIn(x, a, englishClass) \u2192 EnglishClassScore(x, y) \u2227 GreaterThan90(y) \u2227 LowerThan95(y)) \nStudent(zhang) \u2227 GetGradeIn(zhang, a, englishClass)\n\u2200x \u2200y (Student(zhang) \u2227 Student(wang) \u2227 EnglishScore(zhang, x) \u2227 EnglishScore(wang, y) \u2227 Better(y, x))\n\u2200x (Student(wu) \u2227 EnglishScore(wu, x) \u2227 LowerThan90(x))\n\u2200x \u2200y (Student(x) \u2227 EnglishScore(x, y) \u2227 LowerThan90(y) \u2192 \u00acGreaterThan95(y) \u2227 \u00acGreaterThan90(y) \u2227 LowerThan95(y))", "conclusion": "Wu does not get an A or A+ in English class.", "conclusion-FOL": "\u00acGetGradeIn(wu, aPlus, englishClass) \u2227\u00acGetGradeIn(wu, a, englishClass)", "label": "True", "example_id": 463} +{"story_id": 216, "premises": "Olivia doesn't prefer warm temperatures during the day.\nWhen Olivia sleeps, she prefers a cool temperature.\nOlivia sleeps during the night.\nOlivia works during the day.\nOlivia either works or sleeps.\nIt is either the day or the night.\nOlivia either prefers warm temperatures or prefers cool temperatures.", "premises-FOL": "\u2200x (Day(x) \u2192 \u00acPrefer(olivia, warmTemperature, x))\n\u2200x (Sleep(olivia, x) \u2192 Prefer(olivia, coolTemperature, x))\n\u2200x (Night(x) \u2192 Sleep(olivia, x))\n\u2200x (Day(x) \u2192 Work(olivia, x))\nWork(olivia) \u2295 Sleep(olivia)\n\u2200x (Day(x) \u2295 Night(x))\n\u2200x (Prefer(olivia, warmTemperature, x) \u2295 Prefer(olivia, coolTemperature, x))", "conclusion": "At all times, Olivia prefers a cool temperature.", "conclusion-FOL": "\u2200x (Prefer(olivia, coolTemperature, x))", "label": "True", "example_id": 617} +{"story_id": 207, "premises": "TOra is a GUI.\nGUIs are software.\nSoftware can be free or paid.\nPaid Software is not under the GNU General Public License.\nTOra is under the GNU General Public License.", "premises-FOL": "GUI(tora)\n\u2200x (GUI(x) \u2192 Software(x))\n\u2200x (Software(x) \u2192 Free(x) \u2295 Paid(x))\n\u2200x (Paid(x) \u2227 Software(x) \u2192 \u00acUnderGNULicense(x))\nUnderGNULicense(tora)", "conclusion": "TOra is a paid software.", "conclusion-FOL": "Paid(tora) \u2227 Software(tora)", "label": "False", "example_id": 592} +{"story_id": 207, "premises": "TOra is a GUI.\nGUIs are software.\nSoftware can be free or paid.\nPaid Software is not under the GNU General Public License.\nTOra is under the GNU General Public License.", "premises-FOL": "GUI(tora)\n\u2200x (GUI(x) \u2192 Software(x))\n\u2200x (Software(x) \u2192 Free(x) \u2295 Paid(x))\n\u2200x (Paid(x) \u2227 Software(x) \u2192 \u00acUnderGNULicense(x))\nUnderGNULicense(tora)", "conclusion": "TOra is a free software.", "conclusion-FOL": "Free(tora) \u2227 Software(tora)", "label": "True", "example_id": 593} +{"story_id": 424, "premises": "Customers choose a Prime Video plan or an HBO Max Plan, or both. \nAll customers who choose a Prime Video Plan are rewarded with a $30 gift card. \nThere are no customers who do not choose any plan. \nNone of the customers who are rewarded with a $30 gift card are older than 80.\nAll the customers are either older than 80 or between the ages of 60 and 80.\nJames is a customer who is not between the ages of 60 and 80. ", "premises-FOL": "\u2200x (Customer(x) \u2192 (Choose(x, primeVideoPlan) \u2228 Choose(x, hBOMaxPlan)))\n\u2200x ((Customer(x) \u2227 Choose(x, hBOMaxPlan)) \u2192 RewardWith(x, giftCard))\n\u2200x (Customer(x) \u2192 (\u2203y(Plan(y) \u2227 Choose(x, y))))\n\u2200x ((Customer(x) \u2227 RewardWith(x, giftCard)) \u2192 (\u00acOlderThan(x, num80)))\n\u2200x (Customer(x) \u2192 (\u2203y(GreaterThan(y, num80) \u2227 Age(james,y)) \u2295 (\u2203y(Between(y, num60, num80) \u2227 Age(james, y)))))\nCustomer(james) \u2227 (\u00ac\u2203y(Between(y, num60, num80) \u2227 Age(james, y)))", "conclusion": "James is a customer who does not choose any plans.", "conclusion-FOL": "Choose(james, noPlan)", "label": "False", "example_id": 1199} +{"story_id": 424, "premises": "Customers choose a Prime Video plan or an HBO Max Plan, or both. \nAll customers who choose a Prime Video Plan are rewarded with a $30 gift card. \nThere are no customers who do not choose any plan. \nNone of the customers who are rewarded with a $30 gift card are older than 80.\nAll the customers are either older than 80 or between the ages of 60 and 80.\nJames is a customer who is not between the ages of 60 and 80. ", "premises-FOL": "\u2200x (Customer(x) \u2192 (Choose(x, primeVideoPlan) \u2228 Choose(x, hBOMaxPlan)))\n\u2200x ((Customer(x) \u2227 Choose(x, hBOMaxPlan)) \u2192 RewardWith(x, giftCard))\n\u2200x (Customer(x) \u2192 (\u2203y(Plan(y) \u2227 Choose(x, y))))\n\u2200x ((Customer(x) \u2227 RewardWith(x, giftCard)) \u2192 (\u00acOlderThan(x, num80)))\n\u2200x (Customer(x) \u2192 (\u2203y(GreaterThan(y, num80) \u2227 Age(james,y)) \u2295 (\u2203y(Between(y, num60, num80) \u2227 Age(james, y)))))\nCustomer(james) \u2227 (\u00ac\u2203y(Between(y, num60, num80) \u2227 Age(james, y)))", "conclusion": "James is a customer who chooses a Prime Video plan or does not choose any plans.", "conclusion-FOL": "Choose(james, planA) \u2228 Choose(james, noPlan)", "label": "True", "example_id": 1200} +{"story_id": 424, "premises": "Customers choose a Prime Video plan or an HBO Max Plan, or both. \nAll customers who choose a Prime Video Plan are rewarded with a $30 gift card. \nThere are no customers who do not choose any plan. \nNone of the customers who are rewarded with a $30 gift card are older than 80.\nAll the customers are either older than 80 or between the ages of 60 and 80.\nJames is a customer who is not between the ages of 60 and 80. ", "premises-FOL": "\u2200x (Customer(x) \u2192 (Choose(x, primeVideoPlan) \u2228 Choose(x, hBOMaxPlan)))\n\u2200x ((Customer(x) \u2227 Choose(x, hBOMaxPlan)) \u2192 RewardWith(x, giftCard))\n\u2200x (Customer(x) \u2192 (\u2203y(Plan(y) \u2227 Choose(x, y))))\n\u2200x ((Customer(x) \u2227 RewardWith(x, giftCard)) \u2192 (\u00acOlderThan(x, num80)))\n\u2200x (Customer(x) \u2192 (\u2203y(GreaterThan(y, num80) \u2227 Age(james,y)) \u2295 (\u2203y(Between(y, num60, num80) \u2227 Age(james, y)))))\nCustomer(james) \u2227 (\u00ac\u2203y(Between(y, num60, num80) \u2227 Age(james, y)))", "conclusion": "Suppose James is a customer who chooses the Prime Video plan or does not choose any plans, then he is either rewarded a $30 gift card or chooses the HBO Max plan.", "conclusion-FOL": "Choose(james, planA) \u2228 Choose(james, noPlan) \u2192 RewardWith(james, giftCard) \u2295 Choose(james, planB)", "label": "False", "example_id": 1201} +{"story_id": 173, "premises": "Detroit City is a horse.\nSome horses are racehorses.\nIf a horse falls in a race, it poses risks to its rider.\nDetroit City fell in a race.\nA horse is a racehorse if it is in a race.", "premises-FOL": "Horse(detroitcity)\n\u2203x (Horse(x) \u2227 Racehorse(x))\n\u2200x (Horse(x) \u2227 InRace(x) \u2227 Falls(x) \u2192 PoseRiskTo(x, rider))\nInRace(detroitcity) \u2227 Fall(detroitcity)\n\u2200x (Horse(x) \u2227 InRace(x) \u2192 Racehorse(x))", "conclusion": "Detroit City has been in multiple races.", "conclusion-FOL": "MultipleRace(detroitcity)", "label": "Uncertain", "example_id": 497} +{"story_id": 173, "premises": "Detroit City is a horse.\nSome horses are racehorses.\nIf a horse falls in a race, it poses risks to its rider.\nDetroit City fell in a race.\nA horse is a racehorse if it is in a race.", "premises-FOL": "Horse(detroitcity)\n\u2203x (Horse(x) \u2227 Racehorse(x))\n\u2200x (Horse(x) \u2227 InRace(x) \u2227 Falls(x) \u2192 PoseRiskTo(x, rider))\nInRace(detroitcity) \u2227 Fall(detroitcity)\n\u2200x (Horse(x) \u2227 InRace(x) \u2192 Racehorse(x))", "conclusion": "Detroit City poses risks to its rider.", "conclusion-FOL": "PoseRiskTo(detroitcity, rider)", "label": "True", "example_id": 498} +{"story_id": 173, "premises": "Detroit City is a horse.\nSome horses are racehorses.\nIf a horse falls in a race, it poses risks to its rider.\nDetroit City fell in a race.\nA horse is a racehorse if it is in a race.", "premises-FOL": "Horse(detroitcity)\n\u2203x (Horse(x) \u2227 Racehorse(x))\n\u2200x (Horse(x) \u2227 InRace(x) \u2227 Falls(x) \u2192 PoseRiskTo(x, rider))\nInRace(detroitcity) \u2227 Fall(detroitcity)\n\u2200x (Horse(x) \u2227 InRace(x) \u2192 Racehorse(x))", "conclusion": "Detroit City is a racehorse.", "conclusion-FOL": "Racehorse(detroitcity)", "label": "True", "example_id": 499} +{"story_id": 112, "premises": "Frederick Monhoff was an architect, artist, and illustrator.\nFrederick Monhoff was an American.\nAn artist is good at physical or conceptual art.\nAll Americans are American citizens.", "premises-FOL": "Architect(monhoff) \u2227 Artist(monhoff) \u2227 Illustrator(monhoff)\nAmerican(monhoff)\n\u2200x (Artist(x) \u2192 GoodAt(x, physicalArt) \u2228 GoodAt(x, conceptualArt))\n\u2200x (American(x) \u2192 AmericanCitizen(x))", "conclusion": "Frederick Monhoff was good at physical art.", "conclusion-FOL": "GoodAt(monhoff, physicalArt)", "label": "Uncertain", "example_id": 339} +{"story_id": 112, "premises": "Frederick Monhoff was an architect, artist, and illustrator.\nFrederick Monhoff was an American.\nAn artist is good at physical or conceptual art.\nAll Americans are American citizens.", "premises-FOL": "Architect(monhoff) \u2227 Artist(monhoff) \u2227 Illustrator(monhoff)\nAmerican(monhoff)\n\u2200x (Artist(x) \u2192 GoodAt(x, physicalArt) \u2228 GoodAt(x, conceptualArt))\n\u2200x (American(x) \u2192 AmericanCitizen(x))", "conclusion": "No illustrator was an American citizen.", "conclusion-FOL": "\u00ac(\u2203x (Illustrator(x) \u2227 AmericanCitizen(x)))", "label": "False", "example_id": 340} +{"story_id": 18, "premises": "Miroslav Fiedler was a Czech mathematician.\nMiroslav Fiedler is known for his contributions to linear algebra and graph theory.\nMiroslav Fiedler is honored by the Fiedler eigenvalue.\nFiedler eigenvalue is the second smallest eigenvalue of the graph Laplacian.", "premises-FOL": "Czech(miroslavFiedler) \u2227 Mathematician(miroslavFiedler)\nKnownFor(miroslavFiedler, contributionsToLinearAlgebraAndGraphTheory)\nHonoredBy(miroslavFiedler, fiedlerEigenvalue)\nTheSecondSmallestEigenvalueOf(fiedlerEigenvalue, theGraphLaplacian)", "conclusion": "Miroslav Fiedler is honored by the second smallest eigenvalue of the graph Laplacian.", "conclusion-FOL": "\u2203x (TheSecondSmallestEigenvalueOf(x, theGraphLaplacian) \u2227 HonoredBy(miroslavFiedler, x))", "label": "True", "example_id": 51} +{"story_id": 18, "premises": "Miroslav Fiedler was a Czech mathematician.\nMiroslav Fiedler is known for his contributions to linear algebra and graph theory.\nMiroslav Fiedler is honored by the Fiedler eigenvalue.\nFiedler eigenvalue is the second smallest eigenvalue of the graph Laplacian.", "premises-FOL": "Czech(miroslavFiedler) \u2227 Mathematician(miroslavFiedler)\nKnownFor(miroslavFiedler, contributionsToLinearAlgebraAndGraphTheory)\nHonoredBy(miroslavFiedler, fiedlerEigenvalue)\nTheSecondSmallestEigenvalueOf(fiedlerEigenvalue, theGraphLaplacian)", "conclusion": "Miroslav Fiedler was a French mathematician.", "conclusion-FOL": "French(miroslavFiedler) \u2227 Mathematician(miroslavFiedler)", "label": "Uncertain", "example_id": 52} +{"story_id": 18, "premises": "Miroslav Fiedler was a Czech mathematician.\nMiroslav Fiedler is known for his contributions to linear algebra and graph theory.\nMiroslav Fiedler is honored by the Fiedler eigenvalue.\nFiedler eigenvalue is the second smallest eigenvalue of the graph Laplacian.", "premises-FOL": "Czech(miroslavFiedler) \u2227 Mathematician(miroslavFiedler)\nKnownFor(miroslavFiedler, contributionsToLinearAlgebraAndGraphTheory)\nHonoredBy(miroslavFiedler, fiedlerEigenvalue)\nTheSecondSmallestEigenvalueOf(fiedlerEigenvalue, theGraphLaplacian)", "conclusion": "A Czech mathematician is known for his contributions to linear algebra and graph theory.", "conclusion-FOL": "\u2203x (Czech(x) \u2227 Mathematician(x) \u2227 KnownFor(x, contributionsToLinearAlgebraAndGraphTheory))", "label": "True", "example_id": 53} +{"story_id": 153, "premises": "A laptop is a computer.\nYou can play games on a computer.\nA phone is not a computer.", "premises-FOL": "\u2200x (Laptop(x) \u2192 Computer(x))\n\u2200x (Computer(x) \u2192 CanPlayGameOn(x))\n\u2200x (Phone(x) \u2192 \u00acComputer(x))", "conclusion": "You can play games on a laptop.", "conclusion-FOL": "\u2200x (Laptop(x) \u2192 CanPlayGameOn(x))", "label": "True", "example_id": 444} +{"story_id": 153, "premises": "A laptop is a computer.\nYou can play games on a computer.\nA phone is not a computer.", "premises-FOL": "\u2200x (Laptop(x) \u2192 Computer(x))\n\u2200x (Computer(x) \u2192 CanPlayGameOn(x))\n\u2200x (Phone(x) \u2192 \u00acComputer(x))", "conclusion": "You can not play games on a phone.", "conclusion-FOL": "\u2200x (Phone(x) \u2192 \u00acCanPlayGameOn(x))", "label": "Uncertain", "example_id": 445} +{"story_id": 11, "premises": "Walter Folger Brown was an American politician and lawyer who served as the postmaster general.\nWalter Folger Brown graduated from Harvard University with a Bachelor of Arts.\nWhile they were both in Toledo, Walter Folger Brown's father practiced law with Walter Folger Brown.\nKatherin Hafer married Walter Folger Brown.", "premises-FOL": "AmericanPolitician(walterBrown) \u2227 Lawyer(walterBrown) \u2227 ServedAs(walterBrown, postMasterGeneral)\nGraduated(walterBrown, harvard) \u2227 GraduatedWith(walterBrown, bachelorsOfArt)\n\u2203t(In(walterBrown, toledo, t) \u2227 In(walterBrownFather, toledo, t) \u2227 PracticedLawTogether(walterBrown, walterBrownFather, t))\nMarried(katherinHafer, walterBrown)", "conclusion": "Walter Folger Brown graduated with a Bachelor of Arts.", "conclusion-FOL": "GraduatedWith(walterBrown, bachelorsOfArt)", "label": "True", "example_id": 29} +{"story_id": 11, "premises": "Walter Folger Brown was an American politician and lawyer who served as the postmaster general.\nWalter Folger Brown graduated from Harvard University with a Bachelor of Arts.\nWhile they were both in Toledo, Walter Folger Brown's father practiced law with Walter Folger Brown.\nKatherin Hafer married Walter Folger Brown.", "premises-FOL": "AmericanPolitician(walterBrown) \u2227 Lawyer(walterBrown) \u2227 ServedAs(walterBrown, postMasterGeneral)\nGraduated(walterBrown, harvard) \u2227 GraduatedWith(walterBrown, bachelorsOfArt)\n\u2203t(In(walterBrown, toledo, t) \u2227 In(walterBrownFather, toledo, t) \u2227 PracticedLawTogether(walterBrown, walterBrownFather, t))\nMarried(katherinHafer, walterBrown)", "conclusion": "Walter Folger Brown's father was in Toledo.", "conclusion-FOL": "\u2203t(In(walterBrownFather, toledo, t))", "label": "True", "example_id": 30} +{"story_id": 11, "premises": "Walter Folger Brown was an American politician and lawyer who served as the postmaster general.\nWalter Folger Brown graduated from Harvard University with a Bachelor of Arts.\nWhile they were both in Toledo, Walter Folger Brown's father practiced law with Walter Folger Brown.\nKatherin Hafer married Walter Folger Brown.", "premises-FOL": "AmericanPolitician(walterBrown) \u2227 Lawyer(walterBrown) \u2227 ServedAs(walterBrown, postMasterGeneral)\nGraduated(walterBrown, harvard) \u2227 GraduatedWith(walterBrown, bachelorsOfArt)\n\u2203t(In(walterBrown, toledo, t) \u2227 In(walterBrownFather, toledo, t) \u2227 PracticedLawTogether(walterBrown, walterBrownFather, t))\nMarried(katherinHafer, walterBrown)", "conclusion": "Walter Folger Brown was not in Toledo.", "conclusion-FOL": "\u2203t(\u00acIn(walterBrownFather, toledo, t))", "label": "False", "example_id": 31} +{"story_id": 410, "premises": "All products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.", "premises-FOL": "\u2200x ((Product(x) \u2227 DesignedBy(x, apple)) \u2192 SoldIn(x, appleStore))\n\u2200x ((Product(x) \u2227 With(x, appleLogo)) \u2192 DesignedBy(x, apple))\n\u2200x (Macbook(x) \u2192 With(x, appleLogo))\n\u2200x ((Product(x) \u2227 With(x, appleM2Chip)) \u2192 Macbook(x))\n\u00ac(SoldIn(thinkpadX1, appleStore) \u2227 Macbook(thinkpadX1))", "conclusion": "The Thinkpad X1 has an Apple M2 chip.", "conclusion-FOL": "With(thinkpadX1, appleM2Chip)", "label": "False", "example_id": 1147} +{"story_id": 410, "premises": "All products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.", "premises-FOL": "\u2200x ((Product(x) \u2227 DesignedBy(x, apple)) \u2192 SoldIn(x, appleStore))\n\u2200x ((Product(x) \u2227 With(x, appleLogo)) \u2192 DesignedBy(x, apple))\n\u2200x (Macbook(x) \u2192 With(x, appleLogo))\n\u2200x ((Product(x) \u2227 With(x, appleM2Chip)) \u2192 Macbook(x))\n\u00ac(SoldIn(thinkpadX1, appleStore) \u2227 Macbook(thinkpadX1))", "conclusion": "The Thinkpad X1 is sold in Apple Stores.", "conclusion-FOL": "SoldIn(thinkpadX1, appleStore)", "label": "Uncertain", "example_id": 1148} +{"story_id": 410, "premises": "All products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.", "premises-FOL": "\u2200x ((Product(x) \u2227 DesignedBy(x, apple)) \u2192 SoldIn(x, appleStore))\n\u2200x ((Product(x) \u2227 With(x, appleLogo)) \u2192 DesignedBy(x, apple))\n\u2200x (Macbook(x) \u2192 With(x, appleLogo))\n\u2200x ((Product(x) \u2227 With(x, appleM2Chip)) \u2192 Macbook(x))\n\u00ac(SoldIn(thinkpadX1, appleStore) \u2227 Macbook(thinkpadX1))", "conclusion": "The Thinkpad X1 has an Apple M2 chip and is a Macbook.", "conclusion-FOL": "With(thinkpadX1, appleM2Chip) \u2227 Macbook(thinkpadX1)", "label": "False", "example_id": 1149} +{"story_id": 410, "premises": "All products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.", "premises-FOL": "\u2200x ((Product(x) \u2227 DesignedBy(x, apple)) \u2192 SoldIn(x, appleStore))\n\u2200x ((Product(x) \u2227 With(x, appleLogo)) \u2192 DesignedBy(x, apple))\n\u2200x (Macbook(x) \u2192 With(x, appleLogo))\n\u2200x ((Product(x) \u2227 With(x, appleM2Chip)) \u2192 Macbook(x))\n\u00ac(SoldIn(thinkpadX1, appleStore) \u2227 Macbook(thinkpadX1))", "conclusion": "The Thinkpad X1 either has an Apple M2 chip or is a Macbook.", "conclusion-FOL": "With(thinkpadX1, appleM2Chip)) \u2295 Macbook(thinkpadX1)", "label": "False", "example_id": 1150} +{"story_id": 410, "premises": "All products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.", "premises-FOL": "\u2200x ((Product(x) \u2227 DesignedBy(x, apple)) \u2192 SoldIn(x, appleStore))\n\u2200x ((Product(x) \u2227 With(x, appleLogo)) \u2192 DesignedBy(x, apple))\n\u2200x (Macbook(x) \u2192 With(x, appleLogo))\n\u2200x ((Product(x) \u2227 With(x, appleM2Chip)) \u2192 Macbook(x))\n\u00ac(SoldIn(thinkpadX1, appleStore) \u2227 Macbook(thinkpadX1))", "conclusion": "If the Thinkpad X1 has an Apple M2 chip and is a Macbook, then it neither has an Apple M2 chip nor is sold in Apple Stores.", "conclusion-FOL": "(With(thinkpadX1, appleM2Chip) \u2227 Macbook(thinkpadX1)) \u2192 \u00ac(With(thinkpadX1, appleM2Chip) \u2228 SoldIn(thinkpadX1, appleStore))", "label": "True", "example_id": 1151} +{"story_id": 205, "premises": "Oxford Circus is a road junction connecting Oxford Street and Regent Street.\nOxford Street and Regent Street are in London.\nJohn Nash designed a construction on Regent Street.\nJohn Nash designed Oxford Circus.\nJohn Nash is a British architect.\nOxford Circus is the entrance to Oxford Circus tube station, a part of the Central line in 1900.", "premises-FOL": "RoadJunction(oxfordCircus) \u2227 Connect(oxfordCircus, oxfordSt, regentSt)\nIn(oxfordSt, london) \u2227 In(regentSt, london)\nDesigned(nash, construction) \u2227 On(construction, regentSt)\nDesigned(nash, oxfordCircus)\nArchitect(nash) \u2227 British(nash)\nEntraceTo(oxfordCircus, tubeStation) \u2227 PartOf(tubeStation, centralline) \u2227 In(tubeStation, 1900)", "conclusion": "Oxford Circus is in London.", "conclusion-FOL": "In(oxfordCircus, london)", "label": "True", "example_id": 585} +{"story_id": 205, "premises": "Oxford Circus is a road junction connecting Oxford Street and Regent Street.\nOxford Street and Regent Street are in London.\nJohn Nash designed a construction on Regent Street.\nJohn Nash designed Oxford Circus.\nJohn Nash is a British architect.\nOxford Circus is the entrance to Oxford Circus tube station, a part of the Central line in 1900.", "premises-FOL": "RoadJunction(oxfordCircus) \u2227 Connect(oxfordCircus, oxfordSt, regentSt)\nIn(oxfordSt, london) \u2227 In(regentSt, london)\nDesigned(nash, construction) \u2227 On(construction, regentSt)\nDesigned(nash, oxfordCircus)\nArchitect(nash) \u2227 British(nash)\nEntraceTo(oxfordCircus, tubeStation) \u2227 PartOf(tubeStation, centralline) \u2227 In(tubeStation, 1900)", "conclusion": "Oxford Circus is designed by a British architect.", "conclusion-FOL": "\u2203x (British(x) \u2227 Architect(x) \u2227 Design(x, oxfordCircus))", "label": "True", "example_id": 586} +{"story_id": 205, "premises": "Oxford Circus is a road junction connecting Oxford Street and Regent Street.\nOxford Street and Regent Street are in London.\nJohn Nash designed a construction on Regent Street.\nJohn Nash designed Oxford Circus.\nJohn Nash is a British architect.\nOxford Circus is the entrance to Oxford Circus tube station, a part of the Central line in 1900.", "premises-FOL": "RoadJunction(oxfordCircus) \u2227 Connect(oxfordCircus, oxfordSt, regentSt)\nIn(oxfordSt, london) \u2227 In(regentSt, london)\nDesigned(nash, construction) \u2227 On(construction, regentSt)\nDesigned(nash, oxfordCircus)\nArchitect(nash) \u2227 British(nash)\nEntraceTo(oxfordCircus, tubeStation) \u2227 PartOf(tubeStation, centralline) \u2227 In(tubeStation, 1900)", "conclusion": "John Nash designed the Central line in 1900.", "conclusion-FOL": "\u2200x (PartOf(x, centralLine) \u2192 Design(johnNash, x))", "label": "Uncertain", "example_id": 587} +{"story_id": 205, "premises": "Oxford Circus is a road junction connecting Oxford Street and Regent Street.\nOxford Street and Regent Street are in London.\nJohn Nash designed a construction on Regent Street.\nJohn Nash designed Oxford Circus.\nJohn Nash is a British architect.\nOxford Circus is the entrance to Oxford Circus tube station, a part of the Central line in 1900.", "premises-FOL": "RoadJunction(oxfordCircus) \u2227 Connect(oxfordCircus, oxfordSt, regentSt)\nIn(oxfordSt, london) \u2227 In(regentSt, london)\nDesigned(nash, construction) \u2227 On(construction, regentSt)\nDesigned(nash, oxfordCircus)\nArchitect(nash) \u2227 British(nash)\nEntraceTo(oxfordCircus, tubeStation) \u2227 PartOf(tubeStation, centralline) \u2227 In(tubeStation, 1900)", "conclusion": "Regent Street is not in London.", "conclusion-FOL": "\u00acIn(regentStreet, london)", "label": "False", "example_id": 588} +{"story_id": 473, "premises": "All pets in my house are either cats or dogs.\nAll the dogs in my house bark.\nGhosts do not exist.\nIf some pet in my house barks, then it is not dead.\nAll of the pets in my house are either dead or alive.\nJojo is a pet in my house, and it is not alive.", "premises-FOL": "\u2200x (Pet(x) \u2227 In(x, myHouse) \u2192 Cat(x) \u2295 Dog(x))\n\u2200x (Dog(x) \u2227 In(x, myHouse) \u2192 Bark(x))\n\u2200x (\u00acGhost(x))\n\u2200x (Bark(x) \u2227 Pet(x) \u2227 In(x, myHouse) \u2192 \u00acDead(x))\n\u2200x (Pet(x) \u2227 In(x, myHouse) \u2192 Dead(x) \u2295 Alive(x))\nPet(jojo) \u2227 InMyHouse(jojo)\u2227 \u00acAlive(jojo)", "conclusion": "Jojo is a ghost.", "conclusion-FOL": "Ghost(jojo)", "label": "False", "example_id": 1369} +{"story_id": 473, "premises": "All pets in my house are either cats or dogs.\nAll the dogs in my house bark.\nGhosts do not exist.\nIf some pet in my house barks, then it is not dead.\nAll of the pets in my house are either dead or alive.\nJojo is a pet in my house, and it is not alive.", "premises-FOL": "\u2200x (Pet(x) \u2227 In(x, myHouse) \u2192 Cat(x) \u2295 Dog(x))\n\u2200x (Dog(x) \u2227 In(x, myHouse) \u2192 Bark(x))\n\u2200x (\u00acGhost(x))\n\u2200x (Bark(x) \u2227 Pet(x) \u2227 In(x, myHouse) \u2192 \u00acDead(x))\n\u2200x (Pet(x) \u2227 In(x, myHouse) \u2192 Dead(x) \u2295 Alive(x))\nPet(jojo) \u2227 InMyHouse(jojo)\u2227 \u00acAlive(jojo)", "conclusion": "Jojo is a cat or a ghost.", "conclusion-FOL": "Cat(jojo) \u2228 Ghost(jojo)", "label": "True", "example_id": 1370} +{"story_id": 473, "premises": "All pets in my house are either cats or dogs.\nAll the dogs in my house bark.\nGhosts do not exist.\nIf some pet in my house barks, then it is not dead.\nAll of the pets in my house are either dead or alive.\nJojo is a pet in my house, and it is not alive.", "premises-FOL": "\u2200x (Pet(x) \u2227 In(x, myHouse) \u2192 Cat(x) \u2295 Dog(x))\n\u2200x (Dog(x) \u2227 In(x, myHouse) \u2192 Bark(x))\n\u2200x (\u00acGhost(x))\n\u2200x (Bark(x) \u2227 Pet(x) \u2227 In(x, myHouse) \u2192 \u00acDead(x))\n\u2200x (Pet(x) \u2227 In(x, myHouse) \u2192 Dead(x) \u2295 Alive(x))\nPet(jojo) \u2227 InMyHouse(jojo)\u2227 \u00acAlive(jojo)", "conclusion": "If Jojo is a cat or a ghost, then Jojo either barks or is a dog.", "conclusion-FOL": "Cat(jojo) \u2228 Ghost(jojo) \u2192 Bark(jojo) \u2295 Dog(jojo)", "label": "False", "example_id": 1371} +{"story_id": 440, "premises": "All tigers are cats.\nNo cats are dogs.\nAll Bengal tigers are tigers.\nAll huskies are dogs.\nFido is either a Bengal tiger or a cat.", "premises-FOL": "\u2200x (Tiger(x) \u2192 Cat(x))\n\u2200x (Cat(x) \u2192 \u00acDog(x))\n\u2200x (BengalTiger(x) \u2192 Tiger(x))\n\u2200x (Husky(x) \u2192 Dog(x))\nBengalTiger(fido) \u2295 Cat(fido)", "conclusion": "Fido is a husky animal.", "conclusion-FOL": "Husky(fido)", "label": "False", "example_id": 1264} +{"story_id": 440, "premises": "All tigers are cats.\nNo cats are dogs.\nAll Bengal tigers are tigers.\nAll huskies are dogs.\nFido is either a Bengal tiger or a cat.", "premises-FOL": "\u2200x (Tiger(x) \u2192 Cat(x))\n\u2200x (Cat(x) \u2192 \u00acDog(x))\n\u2200x (BengalTiger(x) \u2192 Tiger(x))\n\u2200x (Husky(x) \u2192 Dog(x))\nBengalTiger(fido) \u2295 Cat(fido)", "conclusion": "Fido is not a husky.", "conclusion-FOL": "\u00acHusky(fido)", "label": "True", "example_id": 1265} +{"story_id": 440, "premises": "All tigers are cats.\nNo cats are dogs.\nAll Bengal tigers are tigers.\nAll huskies are dogs.\nFido is either a Bengal tiger or a cat.", "premises-FOL": "\u2200x (Tiger(x) \u2192 Cat(x))\n\u2200x (Cat(x) \u2192 \u00acDog(x))\n\u2200x (BengalTiger(x) \u2192 Tiger(x))\n\u2200x (Husky(x) \u2192 Dog(x))\nBengalTiger(fido) \u2295 Cat(fido)", "conclusion": "Fido is a Bengal tiger.", "conclusion-FOL": "BengalTiger(fido)", "label": "Uncertain", "example_id": 1266} +{"story_id": 440, "premises": "All tigers are cats.\nNo cats are dogs.\nAll Bengal tigers are tigers.\nAll huskies are dogs.\nFido is either a Bengal tiger or a cat.", "premises-FOL": "\u2200x (Tiger(x) \u2192 Cat(x))\n\u2200x (Cat(x) \u2192 \u00acDog(x))\n\u2200x (BengalTiger(x) \u2192 Tiger(x))\n\u2200x (Husky(x) \u2192 Dog(x))\nBengalTiger(fido) \u2295 Cat(fido)", "conclusion": "Fido is neither a dog nor a husky.", "conclusion-FOL": "\u00acDog(fido) \u2227 \u00acHusky(fido)", "label": "True", "example_id": 1267} +{"story_id": 66, "premises": "If a city holds a Summer Olympics, and the city is a US city, then the Summer Olympics will be in the US.\nIf a city is in a state in the US, the city is a US city.\nIf a city is in a state, and a Summer Olympics is in this city, then the Summer Olympics is in this state.\nThe 2028 Summer Olympics is scheduled to take place in Los Angeles.\nLos Angeles is a city in California.\nAtlanta is a US city.\nAtlanta is in Georgia.\nCalifornia is a state in the United States.\nBoxing, modern pentathlon, and weightlifting will be removed from The 2028 Summer Olympics.\nAtlanta in the United States held the 1996 Summer Olympics.", "premises-FOL": "\u2200x \u2200y ((SummerOlympicsIn(x,y) \u2227 In(x, unitedStates)) \u2192 SummerOlympicsIn(x, unitedStates))\n\u2200x \u2200y ((In(x, y) \u2227 In(y, unitedStates)) \u2192 In(x, unitedStates))\n\u2200x \u2200y \u2200z ((In(x, z) \u2227 State(z) \u2227 SummerOlympicsIn(x,y)) \u2192 SummerOlympicsIn(z, y))\nSummerOlympicsIn(losAngeles, yr2028)\nIn(losAngeles, california)\nIn(atlanta, unitedStates)\nIn(california, unitedStates)\nIn(atlanta, georgia)\n\u00acInSummerOlympicsIn(boxing, yr2028) \u2227 (\u00acInSummerOlympicsIn(modern_pentathlon, yr2028)) \u2227 (\u00acInSummerOlympicsIn(weightlifting, yr2028))\nSummerOlympicsIn(atlanta, yr1996)", "conclusion": "The 2028 Summer Olympics will take place in the US.", "conclusion-FOL": "SummerOlympicsIn(unitedStates, yr2028)", "label": "True", "example_id": 195} +{"story_id": 66, "premises": "If a city holds a Summer Olympics, and the city is a US city, then the Summer Olympics will be in the US.\nIf a city is in a state in the US, the city is a US city.\nIf a city is in a state, and a Summer Olympics is in this city, then the Summer Olympics is in this state.\nThe 2028 Summer Olympics is scheduled to take place in Los Angeles.\nLos Angeles is a city in California.\nAtlanta is a US city.\nAtlanta is in Georgia.\nCalifornia is a state in the United States.\nBoxing, modern pentathlon, and weightlifting will be removed from The 2028 Summer Olympics.\nAtlanta in the United States held the 1996 Summer Olympics.", "premises-FOL": "\u2200x \u2200y ((SummerOlympicsIn(x,y) \u2227 In(x, unitedStates)) \u2192 SummerOlympicsIn(x, unitedStates))\n\u2200x \u2200y ((In(x, y) \u2227 In(y, unitedStates)) \u2192 In(x, unitedStates))\n\u2200x \u2200y \u2200z ((In(x, z) \u2227 State(z) \u2227 SummerOlympicsIn(x,y)) \u2192 SummerOlympicsIn(z, y))\nSummerOlympicsIn(losAngeles, yr2028)\nIn(losAngeles, california)\nIn(atlanta, unitedStates)\nIn(california, unitedStates)\nIn(atlanta, georgia)\n\u00acInSummerOlympicsIn(boxing, yr2028) \u2227 (\u00acInSummerOlympicsIn(modern_pentathlon, yr2028)) \u2227 (\u00acInSummerOlympicsIn(weightlifting, yr2028))\nSummerOlympicsIn(atlanta, yr1996)", "conclusion": "The 1996 Summer Olympics is not in Georgia.", "conclusion-FOL": "\u00acSummerOlympicsIn(georgia, yr1996)", "label": "False", "example_id": 196} +{"story_id": 66, "premises": "If a city holds a Summer Olympics, and the city is a US city, then the Summer Olympics will be in the US.\nIf a city is in a state in the US, the city is a US city.\nIf a city is in a state, and a Summer Olympics is in this city, then the Summer Olympics is in this state.\nThe 2028 Summer Olympics is scheduled to take place in Los Angeles.\nLos Angeles is a city in California.\nAtlanta is a US city.\nAtlanta is in Georgia.\nCalifornia is a state in the United States.\nBoxing, modern pentathlon, and weightlifting will be removed from The 2028 Summer Olympics.\nAtlanta in the United States held the 1996 Summer Olympics.", "premises-FOL": "\u2200x \u2200y ((SummerOlympicsIn(x,y) \u2227 In(x, unitedStates)) \u2192 SummerOlympicsIn(x, unitedStates))\n\u2200x \u2200y ((In(x, y) \u2227 In(y, unitedStates)) \u2192 In(x, unitedStates))\n\u2200x \u2200y \u2200z ((In(x, z) \u2227 State(z) \u2227 SummerOlympicsIn(x,y)) \u2192 SummerOlympicsIn(z, y))\nSummerOlympicsIn(losAngeles, yr2028)\nIn(losAngeles, california)\nIn(atlanta, unitedStates)\nIn(california, unitedStates)\nIn(atlanta, georgia)\n\u00acInSummerOlympicsIn(boxing, yr2028) \u2227 (\u00acInSummerOlympicsIn(modern_pentathlon, yr2028)) \u2227 (\u00acInSummerOlympicsIn(weightlifting, yr2028))\nSummerOlympicsIn(atlanta, yr1996)", "conclusion": "Skateboarding will appear at The 2028 Summer Olympics.", "conclusion-FOL": "InSummerOlympicsIn(skateboarding, yr2028)", "label": "Uncertain", "example_id": 197} +{"story_id": 9, "premises": "The taiga vole is a large vole found in northwestern North America. \nCats like playing with all voles.\nThe taiga vole lives in the boreal taiga zone.\nThe boreal taiga zone in North America is a cold place to live in.", "premises-FOL": "Vole(taigaVole) \u2227 LiveIn(taigaVole, northAmerica)\nLikePlayingWith(cat, taigaVole)\nLiveIn(taigaVole, borealTaigaZone)\n\u2200x ((LiveIn(x, northAmerica) \u2227 LiveIn(x, borealTaigaZone)) \u2192 LiveIn(x, coldPlace))", "conclusion": "Cats like playing with taiga vole.", "conclusion-FOL": "LikePlayingWith(cat, taigaVole)", "label": "True", "example_id": 23} +{"story_id": 9, "premises": "The taiga vole is a large vole found in northwestern North America. \nCats like playing with all voles.\nThe taiga vole lives in the boreal taiga zone.\nThe boreal taiga zone in North America is a cold place to live in.", "premises-FOL": "Vole(taigaVole) \u2227 LiveIn(taigaVole, northAmerica)\nLikePlayingWith(cat, taigaVole)\nLiveIn(taigaVole, borealTaigaZone)\n\u2200x ((LiveIn(x, northAmerica) \u2227 LiveIn(x, borealTaigaZone)) \u2192 LiveIn(x, coldPlace))", "conclusion": "Taiga vole's living place is not cold.", "conclusion-FOL": "\u00acLiveIn(taigaVole, coldPlace)", "label": "False", "example_id": 24} +{"story_id": 389, "premises": "A diseases affect females or males.\nNo women have prostate cancer.\nA cancer is either prostate cancer or non-prostate cancer. \nNo type of cancer is without mutations.\nAll non-prostate cancers are a type of cancer.\nIf adenocarcinoma is a type of cancer or without mutations or both, then adenocarcinoma is in women or without mutations or both.", "premises-FOL": "\u2200x (Disease(x) \u2192 (Affects(x, female) \u2228 Affects(x, male)) )\n\u2200x (Affect(x, female) \u2192 \u00acProstateCancer(x))\n\u2200x (ProstateCancer(x) \u2228 NonProstateCancer(x)) \n\u2200x (Cancer(x) \u2192 \u00acWithout(x, mutation)) \n\u2200x (NonProstateCancer(x) \u2192 Cancer(x)) \n(Cancer(adenocarcinoma) \u2228 Without(adenocarcinoma, mutation)) \u2192 (Affect(adenocarcinoma, female) \u2228 Without(adenocarcinoma, mutation))", "conclusion": "Adenocarcinoma is a prostate cancer.", "conclusion-FOL": "ProstateCancer(adenocarcinoma)", "label": "Uncertain", "example_id": 1041} +{"story_id": 389, "premises": "A diseases affect females or males.\nNo women have prostate cancer.\nA cancer is either prostate cancer or non-prostate cancer. \nNo type of cancer is without mutations.\nAll non-prostate cancers are a type of cancer.\nIf adenocarcinoma is a type of cancer or without mutations or both, then adenocarcinoma is in women or without mutations or both.", "premises-FOL": "\u2200x (Disease(x) \u2192 (Affects(x, female) \u2228 Affects(x, male)) )\n\u2200x (Affect(x, female) \u2192 \u00acProstateCancer(x))\n\u2200x (ProstateCancer(x) \u2228 NonProstateCancer(x)) \n\u2200x (Cancer(x) \u2192 \u00acWithout(x, mutation)) \n\u2200x (NonProstateCancer(x) \u2192 Cancer(x)) \n(Cancer(adenocarcinoma) \u2228 Without(adenocarcinoma, mutation)) \u2192 (Affect(adenocarcinoma, female) \u2228 Without(adenocarcinoma, mutation))", "conclusion": "Adenocarcinoma is a disease in women.", "conclusion-FOL": "Affect(adenocarcinoma, men)", "label": "True", "example_id": 1042} +{"story_id": 389, "premises": "A diseases affect females or males.\nNo women have prostate cancer.\nA cancer is either prostate cancer or non-prostate cancer. \nNo type of cancer is without mutations.\nAll non-prostate cancers are a type of cancer.\nIf adenocarcinoma is a type of cancer or without mutations or both, then adenocarcinoma is in women or without mutations or both.", "premises-FOL": "\u2200x (Disease(x) \u2192 (Affects(x, female) \u2228 Affects(x, male)) )\n\u2200x (Affect(x, female) \u2192 \u00acProstateCancer(x))\n\u2200x (ProstateCancer(x) \u2228 NonProstateCancer(x)) \n\u2200x (Cancer(x) \u2192 \u00acWithout(x, mutation)) \n\u2200x (NonProstateCancer(x) \u2192 Cancer(x)) \n(Cancer(adenocarcinoma) \u2228 Without(adenocarcinoma, mutation)) \u2192 (Affect(adenocarcinoma, female) \u2228 Without(adenocarcinoma, mutation))", "conclusion": "If adenocarcinoma is a disease in women or without mutations, then adenocarcinoma is without mutations and a non-prostate cancer.", "conclusion-FOL": "(Affect(adenocarcinoma, men) \u2228 Without(adenocarcinoma, mutation)) \u2192 (NonProstateCancer(adenocarcinoma) \u2227 Without(adenocarcinoma, mutation))", "label": "False", "example_id": 1043} +{"story_id": 59, "premises": "Some monitors equipped in the lab are produced by the company named AOC. \nAll monitors equipped in the lab are cheaper than their original prices. \nIf a monitor is cheaper than its original price, then its resolution is 1080p. \nIf a monitor has a resolution of 1080p, then it does not support the type-c port. \nLG34 is equipped in the lab. ", "premises-FOL": "\u2203x \u2203y (LabMonitor(x) \u2227 AOC(x) \u2227 (\u00ac(x=y)) \u2227 LabMonitor(y) \u2227 AOC(y))\n\u2200x (LabMonitor(x) \u2192 Discounted(x))\n\u2200x (Discounted(x) \u2192 A1080p(x))\n\u2200x (A1080p(x) \u2192 \u00acTypeC(x))\nLabMonitor(lg-34)", "conclusion": "LG34 machine is produced by AOC.", "conclusion-FOL": "AOC(lg-34)", "label": "Uncertain", "example_id": 174} +{"story_id": 59, "premises": "Some monitors equipped in the lab are produced by the company named AOC. \nAll monitors equipped in the lab are cheaper than their original prices. \nIf a monitor is cheaper than its original price, then its resolution is 1080p. \nIf a monitor has a resolution of 1080p, then it does not support the type-c port. \nLG34 is equipped in the lab. ", "premises-FOL": "\u2203x \u2203y (LabMonitor(x) \u2227 AOC(x) \u2227 (\u00ac(x=y)) \u2227 LabMonitor(y) \u2227 AOC(y))\n\u2200x (LabMonitor(x) \u2192 Discounted(x))\n\u2200x (Discounted(x) \u2192 A1080p(x))\n\u2200x (A1080p(x) \u2192 \u00acTypeC(x))\nLabMonitor(lg-34)", "conclusion": "LG34 machine does not support the type-c port.", "conclusion-FOL": "\u00acTypeC(lg-34)", "label": "True", "example_id": 175} +{"story_id": 59, "premises": "Some monitors equipped in the lab are produced by the company named AOC. \nAll monitors equipped in the lab are cheaper than their original prices. \nIf a monitor is cheaper than its original price, then its resolution is 1080p. \nIf a monitor has a resolution of 1080p, then it does not support the type-c port. \nLG34 is equipped in the lab. ", "premises-FOL": "\u2203x \u2203y (LabMonitor(x) \u2227 AOC(x) \u2227 (\u00ac(x=y)) \u2227 LabMonitor(y) \u2227 AOC(y))\n\u2200x (LabMonitor(x) \u2192 Discounted(x))\n\u2200x (Discounted(x) \u2192 A1080p(x))\n\u2200x (A1080p(x) \u2192 \u00acTypeC(x))\nLabMonitor(lg-34)", "conclusion": "LG34 is not with a resolution of 1080p.", "conclusion-FOL": "\u00acA1080p(lg-34)", "label": "False", "example_id": 176} +{"story_id": 412, "premises": "All fruits sold at Nica's market are shipped from Colombia. \nSome fruits sold in New Haven are shipped from Mexico.\nNo fruits shipped from Colombia are sold at the local farmers market in New Haven. \nAvocados are a kind of fruit sold at the local farmers market in New Haven or at Nica's market. \nAvocados are either shipped from Colombia and sold in New Haven, or neither.", "premises-FOL": "\u2200x ((Fruit(x) \u2227 SoldAt(x, nicasMarket)) \u2192 ShippedFrom(x, colombia))\n\u2203x \u2203y (Fruit(x) \u2227 SoldIn(x, newHaven) \u2227 ShippedFrom(x, mexico) \u2227 (\u00ac(x=y)) \u2227 Fruit(y) \u2227 SoldIn(y, newHaven) \u2227 ShippedFrom(y, mexico))\n\u2200x ((Fruit(x) \u2227 ShippedFrom(x, colombia)) \u2192 \u00ac(SoldAt(x, localFarmersMarket)))\nFruit(avocado) \u2227 (SoldAt(avocado, localFarmersMarket) \u2228 SoldAt(avocado, nica'sMarket))\n\u00ac(ShippedFrom(avocado, colombia) \u2295 SoldIn(avocado, newHaven))", "conclusion": "Avocados are a kind of fruit sold at the local farmers market in New Haven.", "conclusion-FOL": "Fruit(avocado) \u2227 SoldAt(avocado, localFarmersMarket)", "label": "Uncertain", "example_id": 1155} +{"story_id": 412, "premises": "All fruits sold at Nica's market are shipped from Colombia. \nSome fruits sold in New Haven are shipped from Mexico.\nNo fruits shipped from Colombia are sold at the local farmers market in New Haven. \nAvocados are a kind of fruit sold at the local farmers market in New Haven or at Nica's market. \nAvocados are either shipped from Colombia and sold in New Haven, or neither.", "premises-FOL": "\u2200x ((Fruit(x) \u2227 SoldAt(x, nicasMarket)) \u2192 ShippedFrom(x, colombia))\n\u2203x \u2203y (Fruit(x) \u2227 SoldIn(x, newHaven) \u2227 ShippedFrom(x, mexico) \u2227 (\u00ac(x=y)) \u2227 Fruit(y) \u2227 SoldIn(y, newHaven) \u2227 ShippedFrom(y, mexico))\n\u2200x ((Fruit(x) \u2227 ShippedFrom(x, colombia)) \u2192 \u00ac(SoldAt(x, localFarmersMarket)))\nFruit(avocado) \u2227 (SoldAt(avocado, localFarmersMarket) \u2228 SoldAt(avocado, nica'sMarket))\n\u00ac(ShippedFrom(avocado, colombia) \u2295 SoldIn(avocado, newHaven))", "conclusion": "Avocados are either sold at the local farmers market in New Haven or are sold in New Haven.", "conclusion-FOL": "SoldAt(avocado, localFarmersMarket) \u2295 SoldIn(avocado, newHaven)", "label": "True", "example_id": 1156} +{"story_id": 412, "premises": "All fruits sold at Nica's market are shipped from Colombia. \nSome fruits sold in New Haven are shipped from Mexico.\nNo fruits shipped from Colombia are sold at the local farmers market in New Haven. \nAvocados are a kind of fruit sold at the local farmers market in New Haven or at Nica's market. \nAvocados are either shipped from Colombia and sold in New Haven, or neither.", "premises-FOL": "\u2200x ((Fruit(x) \u2227 SoldAt(x, nicasMarket)) \u2192 ShippedFrom(x, colombia))\n\u2203x \u2203y (Fruit(x) \u2227 SoldIn(x, newHaven) \u2227 ShippedFrom(x, mexico) \u2227 (\u00ac(x=y)) \u2227 Fruit(y) \u2227 SoldIn(y, newHaven) \u2227 ShippedFrom(y, mexico))\n\u2200x ((Fruit(x) \u2227 ShippedFrom(x, colombia)) \u2192 \u00ac(SoldAt(x, localFarmersMarket)))\nFruit(avocado) \u2227 (SoldAt(avocado, localFarmersMarket) \u2228 SoldAt(avocado, nica'sMarket))\n\u00ac(ShippedFrom(avocado, colombia) \u2295 SoldIn(avocado, newHaven))", "conclusion": "Avocados are either sold in New Haven or sold at Nica's market.", "conclusion-FOL": "SoldIn(avocado, newHaven) \u2295 SoldAt(x, nica'sMarket)", "label": "False", "example_id": 1157} +{"story_id": 412, "premises": "All fruits sold at Nica's market are shipped from Colombia. \nSome fruits sold in New Haven are shipped from Mexico.\nNo fruits shipped from Colombia are sold at the local farmers market in New Haven. \nAvocados are a kind of fruit sold at the local farmers market in New Haven or at Nica's market. \nAvocados are either shipped from Colombia and sold in New Haven, or neither.", "premises-FOL": "\u2200x ((Fruit(x) \u2227 SoldAt(x, nicasMarket)) \u2192 ShippedFrom(x, colombia))\n\u2203x \u2203y (Fruit(x) \u2227 SoldIn(x, newHaven) \u2227 ShippedFrom(x, mexico) \u2227 (\u00ac(x=y)) \u2227 Fruit(y) \u2227 SoldIn(y, newHaven) \u2227 ShippedFrom(y, mexico))\n\u2200x ((Fruit(x) \u2227 ShippedFrom(x, colombia)) \u2192 \u00ac(SoldAt(x, localFarmersMarket)))\nFruit(avocado) \u2227 (SoldAt(avocado, localFarmersMarket) \u2228 SoldAt(avocado, nica'sMarket))\n\u00ac(ShippedFrom(avocado, colombia) \u2295 SoldIn(avocado, newHaven))", "conclusion": "If avocados are not both sold at the local farmers market in New Haven and shipped from Columbia, then they are neither sold at the local farmers market in New Haven nor in New Haven generally.", "conclusion-FOL": "\u00ac(SoldAt(avocado, localFarmersMarket) \u2227 ShippedFrom(avocado, colombia)) \u2192 \u00acSoldAt(avocado, localFarmersMarket) \u2227 \u00acSoldIn(avocado, newHaven)", "label": "False", "example_id": 1158} +{"story_id": 418, "premises": "Some monitors equipped in the library are produced by AOC. \nAll monitors equipped in the library are cheaper than 800 dollars. \nAll monitors cheaper than 800 dollars are with a resolution lower than 1080p. \nIf a monitor has a resolution lower than 1080p, then it does not support the type-c port. \nA-2017 supports the type-c port. ", "premises-FOL": "\u2203x \u2203y(Monitor(x) \u2227 ProducedBy(x, aOC) \u2227 In(x, library) \u2227 (\u00ac(x=y)) \u2227 Monitor(y) \u2227 ProducedBy(y, aOC) \u2227 In(y, library))\n\u2200x ((Monitor(x) \u2227 In(x, library)) \u2192 CheaperThan(x, dollars800))\n\u2200x ((Monitor(x) \u2227 CheaperThan(x, dollars800)) \u2192 ResolutionLessThan(x, p1080))\n\u2200x ((Monitor(x) \u2227 ResolutionLessThan(x, p1080)) \u2192 \u00acSupports(x, type-CPort))\nSupports(a-2017, type-CPort)", "conclusion": "A-2017 is produced by AOC.", "conclusion-FOL": "ProducedBy(x, aOC)", "label": "Uncertain", "example_id": 1178} +{"story_id": 418, "premises": "Some monitors equipped in the library are produced by AOC. \nAll monitors equipped in the library are cheaper than 800 dollars. \nAll monitors cheaper than 800 dollars are with a resolution lower than 1080p. \nIf a monitor has a resolution lower than 1080p, then it does not support the type-c port. \nA-2017 supports the type-c port. ", "premises-FOL": "\u2203x \u2203y(Monitor(x) \u2227 ProducedBy(x, aOC) \u2227 In(x, library) \u2227 (\u00ac(x=y)) \u2227 Monitor(y) \u2227 ProducedBy(y, aOC) \u2227 In(y, library))\n\u2200x ((Monitor(x) \u2227 In(x, library)) \u2192 CheaperThan(x, dollars800))\n\u2200x ((Monitor(x) \u2227 CheaperThan(x, dollars800)) \u2192 ResolutionLessThan(x, p1080))\n\u2200x ((Monitor(x) \u2227 ResolutionLessThan(x, p1080)) \u2192 \u00acSupports(x, type-CPort))\nSupports(a-2017, type-CPort)", "conclusion": "A-2017 is produced by AOC and equipped in the library.", "conclusion-FOL": "ProducedBy(a-2017, aOC) \u2227 In(a-2017, library)", "label": "False", "example_id": 1179} +{"story_id": 418, "premises": "Some monitors equipped in the library are produced by AOC. \nAll monitors equipped in the library are cheaper than 800 dollars. \nAll monitors cheaper than 800 dollars are with a resolution lower than 1080p. \nIf a monitor has a resolution lower than 1080p, then it does not support the type-c port. \nA-2017 supports the type-c port. ", "premises-FOL": "\u2203x \u2203y(Monitor(x) \u2227 ProducedBy(x, aOC) \u2227 In(x, library) \u2227 (\u00ac(x=y)) \u2227 Monitor(y) \u2227 ProducedBy(y, aOC) \u2227 In(y, library))\n\u2200x ((Monitor(x) \u2227 In(x, library)) \u2192 CheaperThan(x, dollars800))\n\u2200x ((Monitor(x) \u2227 CheaperThan(x, dollars800)) \u2192 ResolutionLessThan(x, p1080))\n\u2200x ((Monitor(x) \u2227 ResolutionLessThan(x, p1080)) \u2192 \u00acSupports(x, type-CPort))\nSupports(a-2017, type-CPort)", "conclusion": "If either A-2017 is both with a resolution of 1080p and produced by AOC or it is neither, then it is not equipped in the library.", "conclusion-FOL": "\u00ac(ResolutionLessThan(a-2017, p1080) \u2295 ProducedBy(x, aOC)) \u2192 \u00ac(In(a-2017, library))", "label": "True", "example_id": 1180} +{"story_id": 4, "premises": "S\u016bduva Marijampol\u0117 holds the Lithuanian Super Cup.\nS\u016bduva Marijampol\u0117 is a soccer team.", "premises-FOL": "Holds(suduva, theLithuanianSuperCup)\nSoccerTeam(suduva)", "conclusion": "Some soccer team holds the Lithuanian Super Cup.", "conclusion-FOL": "\u2203x (SoccerTeam(x) \u2227 Holds(x, theLithuanianSuperCup))", "label": "True", "example_id": 10} +{"story_id": 94, "premises": "Ainderby Quernhow is a village and civil parish in the Hambleton District.\nHambleton District is in North Yorkshire.\nNorth Yorkshire is in England.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.", "premises-FOL": "Village(ainderbyQuernhow) \u2227 CivilParish(ainderbyQuernhow) \u2227 In(ainderbyQuernhow, hambletonDistrict)\nIn(hambletonDistrict, northYorkshire)\nIn(northYorkshire, england)\n\u2200x \u2200y \u2200z ((In(x, y) \u2227 In(y, z)) \u2192 In(x, z))", "conclusion": "There is a village in England.", "conclusion-FOL": "\u2203x (Village(x) \u2227 In(x, england))", "label": "True", "example_id": 285} +{"story_id": 94, "premises": "Ainderby Quernhow is a village and civil parish in the Hambleton District.\nHambleton District is in North Yorkshire.\nNorth Yorkshire is in England.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.", "premises-FOL": "Village(ainderbyQuernhow) \u2227 CivilParish(ainderbyQuernhow) \u2227 In(ainderbyQuernhow, hambletonDistrict)\nIn(hambletonDistrict, northYorkshire)\nIn(northYorkshire, england)\n\u2200x \u2200y \u2200z ((In(x, y) \u2227 In(y, z)) \u2192 In(x, z))", "conclusion": "There is no civil parish in England.", "conclusion-FOL": "\u00ac(\u2203x (CivilParish(x) \u2227 In(x, england)))", "label": "False", "example_id": 286} +{"story_id": 48, "premises": "Douglas Adams is an author who created the book collection called The Salmon of Doubt. \nThe Salmon of Doubt is about life experiences and technology.\nAll authors are writers.\nWriters create innovative ideas.\nSome books that contain innovative ideas are about technology.", "premises-FOL": "Author(douglasAdams) \u2227 Authored(douglasAdams, theSalmonOfDoubt) \u2227 Book(theSalmonOfDoubt)\nAbout(theSalmonOfDoubt, lifeExperience) \u2227 About(theSalmonOfDoubt, technology)\n\u2200x (Author(x) \u2192 Writer(x))\n\u2200x (Writer(x) \u2192 Create(x, innovativeIdea))\n\u2203x \u2203y (Contain(x, innovativeIdea) \u2227 About(x, technology) \u2227 (\u00ac(x=y)) \u2227 (Contain(y, innovativeIdea) \u2227 About(y, technology)))", "conclusion": "Douglas Adams is a writer.", "conclusion-FOL": "Writer(douglasAdams)", "label": "True", "example_id": 138} +{"story_id": 48, "premises": "Douglas Adams is an author who created the book collection called The Salmon of Doubt. \nThe Salmon of Doubt is about life experiences and technology.\nAll authors are writers.\nWriters create innovative ideas.\nSome books that contain innovative ideas are about technology.", "premises-FOL": "Author(douglasAdams) \u2227 Authored(douglasAdams, theSalmonOfDoubt) \u2227 Book(theSalmonOfDoubt)\nAbout(theSalmonOfDoubt, lifeExperience) \u2227 About(theSalmonOfDoubt, technology)\n\u2200x (Author(x) \u2192 Writer(x))\n\u2200x (Writer(x) \u2192 Create(x, innovativeIdea))\n\u2203x \u2203y (Contain(x, innovativeIdea) \u2227 About(x, technology) \u2227 (\u00ac(x=y)) \u2227 (Contain(y, innovativeIdea) \u2227 About(y, technology)))", "conclusion": "Douglas Adams created innovative ideas.", "conclusion-FOL": "Create(douglasAdams, innovativeIdea)", "label": "True", "example_id": 139} +{"story_id": 48, "premises": "Douglas Adams is an author who created the book collection called The Salmon of Doubt. \nThe Salmon of Doubt is about life experiences and technology.\nAll authors are writers.\nWriters create innovative ideas.\nSome books that contain innovative ideas are about technology.", "premises-FOL": "Author(douglasAdams) \u2227 Authored(douglasAdams, theSalmonOfDoubt) \u2227 Book(theSalmonOfDoubt)\nAbout(theSalmonOfDoubt, lifeExperience) \u2227 About(theSalmonOfDoubt, technology)\n\u2200x (Author(x) \u2192 Writer(x))\n\u2200x (Writer(x) \u2192 Create(x, innovativeIdea))\n\u2203x \u2203y (Contain(x, innovativeIdea) \u2227 About(x, technology) \u2227 (\u00ac(x=y)) \u2227 (Contain(y, innovativeIdea) \u2227 About(y, technology)))", "conclusion": "The Salmon of Doubt has no innovative Ideas.", "conclusion-FOL": "\u00acContain(theSalmonOfDoubt, innovativeIdea)", "label": "Uncertain", "example_id": 140} +{"story_id": 323, "premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", "premises-FOL": "\u2200x (Disposable(x) \u2227 Product(x) \u2192 \u00acHelpSlowDown(x, globalWarming))\n\u2200x (EcoFriendly(x) \u2227 Brand(x) \u2192 Help(x, slowDownGlobalWarming))\n\u2200x (Sustainable(x) \u2227 FashionBrand(x) \u2192 EcoFriendly(x) \u2227 Brand(x))\n\u2200x (FastFashion(x) \u2227 Product(x) \u2192 Disposable(x) \u2227 Product(x)) \n\u00acHelpSlowDown(reformation, globalWarming) \u2192 (EcoFriendly(reformation) \u2227 Brand(reformation)) \u2228 (Sustainable(reformation) \u2227 FashionBrand(reformation))", "conclusion": "Reformation is an eco-friendly brand.", "conclusion-FOL": "EcoFriendly(reformation) \u2227 Brand(reformation)", "label": "Uncertain", "example_id": 822} +{"story_id": 323, "premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", "premises-FOL": "\u2200x (Disposable(x) \u2227 Product(x) \u2192 \u00acHelpSlowDown(x, globalWarming))\n\u2200x (EcoFriendly(x) \u2227 Brand(x) \u2192 Help(x, slowDownGlobalWarming))\n\u2200x (Sustainable(x) \u2227 FashionBrand(x) \u2192 EcoFriendly(x) \u2227 Brand(x))\n\u2200x (FastFashion(x) \u2227 Product(x) \u2192 Disposable(x) \u2227 Product(x)) \n\u00acHelpSlowDown(reformation, globalWarming) \u2192 (EcoFriendly(reformation) \u2227 Brand(reformation)) \u2228 (Sustainable(reformation) \u2227 FashionBrand(reformation))", "conclusion": "Reformation produces fast fashion products.", "conclusion-FOL": "FastFashion(reformation) \u2227 Product(reformation)", "label": "False", "example_id": 823} +{"story_id": 323, "premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", "premises-FOL": "\u2200x (Disposable(x) \u2227 Product(x) \u2192 \u00acHelpSlowDown(x, globalWarming))\n\u2200x (EcoFriendly(x) \u2227 Brand(x) \u2192 Help(x, slowDownGlobalWarming))\n\u2200x (Sustainable(x) \u2227 FashionBrand(x) \u2192 EcoFriendly(x) \u2227 Brand(x))\n\u2200x (FastFashion(x) \u2227 Product(x) \u2192 Disposable(x) \u2227 Product(x)) \n\u00acHelpSlowDown(reformation, globalWarming) \u2192 (EcoFriendly(reformation) \u2227 Brand(reformation)) \u2228 (Sustainable(reformation) \u2227 FashionBrand(reformation))", "conclusion": "Reformation does not produce fast fashion products.", "conclusion-FOL": "\u00ac(FastFashion(reformation) \u2227 Product(reformation))", "label": "True", "example_id": 824} +{"story_id": 323, "premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", "premises-FOL": "\u2200x (Disposable(x) \u2227 Product(x) \u2192 \u00acHelpSlowDown(x, globalWarming))\n\u2200x (EcoFriendly(x) \u2227 Brand(x) \u2192 Help(x, slowDownGlobalWarming))\n\u2200x (Sustainable(x) \u2227 FashionBrand(x) \u2192 EcoFriendly(x) \u2227 Brand(x))\n\u2200x (FastFashion(x) \u2227 Product(x) \u2192 Disposable(x) \u2227 Product(x)) \n\u00acHelpSlowDown(reformation, globalWarming) \u2192 (EcoFriendly(reformation) \u2227 Brand(reformation)) \u2228 (Sustainable(reformation) \u2227 FashionBrand(reformation))", "conclusion": "Reformation does not produce fast fashion products or does not produce disposable products.", "conclusion-FOL": "\u00ac(FastFashion(reformation) \u2227 Product(reformation)) \u2228 \u00ac(Disposable(x) \u2227 Product(x))", "label": "True", "example_id": 825} +{"story_id": 323, "premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", "premises-FOL": "\u2200x (Disposable(x) \u2227 Product(x) \u2192 \u00acHelpSlowDown(x, globalWarming))\n\u2200x (EcoFriendly(x) \u2227 Brand(x) \u2192 Help(x, slowDownGlobalWarming))\n\u2200x (Sustainable(x) \u2227 FashionBrand(x) \u2192 EcoFriendly(x) \u2227 Brand(x))\n\u2200x (FastFashion(x) \u2227 Product(x) \u2192 Disposable(x) \u2227 Product(x)) \n\u00acHelpSlowDown(reformation, globalWarming) \u2192 (EcoFriendly(reformation) \u2227 Brand(reformation)) \u2228 (Sustainable(reformation) \u2227 FashionBrand(reformation))", "conclusion": "If Reformation produces disposable products, then Reformation produces fast fashion products.", "conclusion-FOL": "(Disposable(reformation) \u2227 Product(reformation)) \u2192 (FastFashion(reformation) \u2227 Product(reformation))", "label": "True", "example_id": 826} +{"story_id": 323, "premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", "premises-FOL": "\u2200x (Disposable(x) \u2227 Product(x) \u2192 \u00acHelpSlowDown(x, globalWarming))\n\u2200x (EcoFriendly(x) \u2227 Brand(x) \u2192 Help(x, slowDownGlobalWarming))\n\u2200x (Sustainable(x) \u2227 FashionBrand(x) \u2192 EcoFriendly(x) \u2227 Brand(x))\n\u2200x (FastFashion(x) \u2227 Product(x) \u2192 Disposable(x) \u2227 Product(x)) \n\u00acHelpSlowDown(reformation, globalWarming) \u2192 (EcoFriendly(reformation) \u2227 Brand(reformation)) \u2228 (Sustainable(reformation) \u2227 FashionBrand(reformation))", "conclusion": "If Reformation produces fast fashion products or helps slow down global warming, then Reformation produces fast fashion products.", "conclusion-FOL": "(FastFashion(reformation) \u2227 Product(reformation)) \u2228 \u00acHelpSlowDown(reformation, globalWarming)", "label": "False", "example_id": 827} +{"story_id": 93, "premises": "Roy Richardson was a cricketer who played for Sint Maarten, a constituent country.\nRoy Richardson was a right-handed batsman and medium-pace bowler.\nRoy Richardson was old when he debuted in cricket.\nSherville Huggins dismissed Roy Richardson.", "premises-FOL": "Cricketeer(royRichardson) \u2227 PlaysFor(royRichardson, sintMaarten) \u2227 ConstituentCountry(sintMaarten)\nRightHanded(royRichardson) \u2227 Batsman(royRichardson) \u2227 MediumPaceBowler(royRichardson)\nOldAtDebut(royRichardson)\nDismisses(shervilleHuggins, royRichardson)", "conclusion": "Sherville Huggins has never dismissed anyone playing cricket for a constituent country.", "conclusion-FOL": "\u2200x \u2200y ((ConsituentCountry(y) \u2227 PlayedFor(x, y)) \u2192 \u00acDismissed(shervillehuggins, x))", "label": "False", "example_id": 283} +{"story_id": 93, "premises": "Roy Richardson was a cricketer who played for Sint Maarten, a constituent country.\nRoy Richardson was a right-handed batsman and medium-pace bowler.\nRoy Richardson was old when he debuted in cricket.\nSherville Huggins dismissed Roy Richardson.", "premises-FOL": "Cricketeer(royRichardson) \u2227 PlaysFor(royRichardson, sintMaarten) \u2227 ConstituentCountry(sintMaarten)\nRightHanded(royRichardson) \u2227 Batsman(royRichardson) \u2227 MediumPaceBowler(royRichardson)\nOldAtDebut(royRichardson)\nDismisses(shervilleHuggins, royRichardson)", "conclusion": "No right-handed medium-pace bowlers were playing for Sint Maarten.", "conclusion-FOL": "\u2200x ((RightHanded(x) \u2227 MediumPaceBowler(x)) \u2192 \u00acPlayedFor(x, sintMaarten))", "label": "False", "example_id": 284} +{"story_id": 251, "premises": "To get a job at Google, you need to have a lot of work experience or a good education.\nOne needs to submit their resume to Google to get a job there.\nJohn has a lot of work experience.\nJohn submitted his resume to Google and got a job there.", "premises-FOL": "\u2200x (GetAJobAt(x, google) \u2192 Have(x, aLotOfWorkExperience) \u2228 Have(x, goodEducation))\n\u2200x (GetAJobAt(x, google) \u2192 Submitted(x, resume, google))\nHave(john, aLotOfWorkExperience)\nSubmitted(john, resume, google) \u2227 GetAJobAt(john, google)", "conclusion": "John is a Yale graduate.", "conclusion-FOL": "YaleGraduate(john)", "label": "Uncertain", "example_id": 695} +{"story_id": 338, "premises": "No iPhones are standalone desktops. \nAll Apple-made cellphones are iPhones. \nAll phones with A15 Bionic chips are Apple-made cell phones. \nAll phones equipped with four core-GPU made by Apple are phones with A15 Bionic chips. \nIf an unannounced Huawei phone is either a phone with A15 Bionic chips or equipped with four core-GPU made by Apple, then unannounced Huawei phone is neither a phone with A15 Bionic chips nor a standalone desktop.", "premises-FOL": "\u2200x (IPhone(x) \u2192 \u00acStandaloneDesktop(x))\n\u2200x (AppleMade(x) \u2227 Cellphone(x) \u2192 IPhone(x))\n\u2200x (Phone(x) \u2227 With(x, a15BionicChip) \u2192 AppleMade(x) \u2227 Cellphone(x))\n\u2200x (Phone(x) \u2227 EquippedWith(x, fourCoreGPU) \u2227 MadeBy(x, apple) \u2192 Phone(x) \u2227 With(x, a15BionicChip))\n(Phone(unannouncedHuaweiPhone) \u2227 With(unannouncedHuaweiPhone, a15BionicChip)) \u2295 (Phone(unannouncedHuaweiPhone) \u2227 EquippedWith(unannouncedHuaweiPhone, fourCoreGPU) \u2227 MadeBy(unannouncedHuaweiPhone, apple)) \u2192 \u00ac(Phone(unannouncedHuaweiPhone) \u2227 With(unannouncedHuaweiPhone, a15BionicChip) \u2227 StandaloneDesktop(unannouncedHuaweiPhone))", "conclusion": "Joe is a person taking classes.", "conclusion-FOL": "AppleMade(unannouncedHuaweiPhone) \u2227 Cellphone(unannouncedHuaweiPhone)", "label": "Uncertain", "example_id": 884} +{"story_id": 338, "premises": "No iPhones are standalone desktops. \nAll Apple-made cellphones are iPhones. \nAll phones with A15 Bionic chips are Apple-made cell phones. \nAll phones equipped with four core-GPU made by Apple are phones with A15 Bionic chips. \nIf an unannounced Huawei phone is either a phone with A15 Bionic chips or equipped with four core-GPU made by Apple, then unannounced Huawei phone is neither a phone with A15 Bionic chips nor a standalone desktop.", "premises-FOL": "\u2200x (IPhone(x) \u2192 \u00acStandaloneDesktop(x))\n\u2200x (AppleMade(x) \u2227 Cellphone(x) \u2192 IPhone(x))\n\u2200x (Phone(x) \u2227 With(x, a15BionicChip) \u2192 AppleMade(x) \u2227 Cellphone(x))\n\u2200x (Phone(x) \u2227 EquippedWith(x, fourCoreGPU) \u2227 MadeBy(x, apple) \u2192 Phone(x) \u2227 With(x, a15BionicChip))\n(Phone(unannouncedHuaweiPhone) \u2227 With(unannouncedHuaweiPhone, a15BionicChip)) \u2295 (Phone(unannouncedHuaweiPhone) \u2227 EquippedWith(unannouncedHuaweiPhone, fourCoreGPU) \u2227 MadeBy(unannouncedHuaweiPhone, apple)) \u2192 \u00ac(Phone(unannouncedHuaweiPhone) \u2227 With(unannouncedHuaweiPhone, a15BionicChip) \u2227 StandaloneDesktop(unannouncedHuaweiPhone))", "conclusion": "Joe is a PhD student.", "conclusion-FOL": "Phone(unannouncedHuaweiPhone) \u2227 EquippedWith(unannouncedHuaweiPhone, fourCoreGPU) \u2227 MadeByApple(unannouncedHuaweiPhone)", "label": "False", "example_id": 885} +{"story_id": 338, "premises": "No iPhones are standalone desktops. \nAll Apple-made cellphones are iPhones. \nAll phones with A15 Bionic chips are Apple-made cell phones. \nAll phones equipped with four core-GPU made by Apple are phones with A15 Bionic chips. \nIf an unannounced Huawei phone is either a phone with A15 Bionic chips or equipped with four core-GPU made by Apple, then unannounced Huawei phone is neither a phone with A15 Bionic chips nor a standalone desktop.", "premises-FOL": "\u2200x (IPhone(x) \u2192 \u00acStandaloneDesktop(x))\n\u2200x (AppleMade(x) \u2227 Cellphone(x) \u2192 IPhone(x))\n\u2200x (Phone(x) \u2227 With(x, a15BionicChip) \u2192 AppleMade(x) \u2227 Cellphone(x))\n\u2200x (Phone(x) \u2227 EquippedWith(x, fourCoreGPU) \u2227 MadeBy(x, apple) \u2192 Phone(x) \u2227 With(x, a15BionicChip))\n(Phone(unannouncedHuaweiPhone) \u2227 With(unannouncedHuaweiPhone, a15BionicChip)) \u2295 (Phone(unannouncedHuaweiPhone) \u2227 EquippedWith(unannouncedHuaweiPhone, fourCoreGPU) \u2227 MadeBy(unannouncedHuaweiPhone, apple)) \u2192 \u00ac(Phone(unannouncedHuaweiPhone) \u2227 With(unannouncedHuaweiPhone, a15BionicChip) \u2227 StandaloneDesktop(unannouncedHuaweiPhone))", "conclusion": "Joe is not a PhD student.", "conclusion-FOL": "\u00ac(Phone(unannouncedHuaweiPhone) \u2227 EquippedWith(unannouncedHuaweiPhone, fourCoreGPU) \u2227 MadeByApple(unannouncedHuaweiPhone))", "label": "True", "example_id": 886} +{"story_id": 32, "premises": "Hugh Vanstone is one of the world's leading lighting designers. \nHugh Vanstone is from the UK.\nHugh Vanstone has lit more than 160 productions.\nHugh Vanstone attended a school where he is from. ", "premises-FOL": "WorldLeadingLightingDesigner(hughVanstone)\nFrom(hughVanstone, unitedKingdom)\n\u2203x(GreaterThan(x, num160) \u2227 LitProductions(hughVanstone,x))\n\u2203x(Hometown(hughVanstone,x) \u2227 AttendedSchoolIn(hughVanstone,x))", "conclusion": "Hugh Vanstone is one of the world's leading lighting designers and is from the UK.", "conclusion-FOL": "WorldLeadingLightingDesigner(hughVanstone) \u2227 From(hughVanstone, unitedKingdom)", "label": "True", "example_id": 92} +{"story_id": 32, "premises": "Hugh Vanstone is one of the world's leading lighting designers. \nHugh Vanstone is from the UK.\nHugh Vanstone has lit more than 160 productions.\nHugh Vanstone attended a school where he is from. ", "premises-FOL": "WorldLeadingLightingDesigner(hughVanstone)\nFrom(hughVanstone, unitedKingdom)\n\u2203x(GreaterThan(x, num160) \u2227 LitProductions(hughVanstone,x))\n\u2203x(Hometown(hughVanstone,x) \u2227 AttendedSchoolIn(hughVanstone,x))", "conclusion": "Hugh Vanstone has lit 170 productions.", "conclusion-FOL": "\u2203x(GreaterThan(x, num170) \u2227 LitProductions(hughVanstone,x))", "label": "Uncertain", "example_id": 93} +{"story_id": 32, "premises": "Hugh Vanstone is one of the world's leading lighting designers. \nHugh Vanstone is from the UK.\nHugh Vanstone has lit more than 160 productions.\nHugh Vanstone attended a school where he is from. ", "premises-FOL": "WorldLeadingLightingDesigner(hughVanstone)\nFrom(hughVanstone, unitedKingdom)\n\u2203x(GreaterThan(x, num160) \u2227 LitProductions(hughVanstone,x))\n\u2203x(Hometown(hughVanstone,x) \u2227 AttendedSchoolIn(hughVanstone,x))", "conclusion": "Hugh Vanstone attended a school in the United States.", "conclusion-FOL": "AttendedSchoolIn(hughVanstone, unitedStates)", "label": "Uncertain", "example_id": 94} +{"story_id": 155, "premises": "No man can run faster than Bolt. \nSuperman is not a man.", "premises-FOL": "\u2200x (Man(x) \u2192 \u00acRunFasterThan(xm bolt))\n\u00acMan(superman)", "conclusion": "Superman can run faster than Bolt.", "conclusion-FOL": "RunFasterThan(superman, bolt)", "label": "Uncertain", "example_id": 448} +{"story_id": 128, "premises": "Donald Ervin Knuth is an American computer scientist, mathematician, and Professor Emeritus at Stanford University.\nKnuth has been called the \"father of the analysis of algorithms.\"", "premises-FOL": "American(donaldErvinKnuth) \u2227 ComputerScientist(donaldErvinKnuth) \u2227 Mathematician(donaldErvinKnuth) \u2227 ProfessorEmeritusAt(donaldErvinKnuth, stanford)\nCalled(donaldErvinKnuth, fatherOfTheAnalysisOfAlgorithms)", "conclusion": "An American scientist has been called the \"father of the analysis of algorithms\".", "conclusion-FOL": "\u2203x (American(x) \u2227 ComputerScientist(x) \u2227 Called(x, fatherOfTheAnalysisOfAlgorithms))", "label": "True", "example_id": 379} +{"story_id": 128, "premises": "Donald Ervin Knuth is an American computer scientist, mathematician, and Professor Emeritus at Stanford University.\nKnuth has been called the \"father of the analysis of algorithms.\"", "premises-FOL": "American(donaldErvinKnuth) \u2227 ComputerScientist(donaldErvinKnuth) \u2227 Mathematician(donaldErvinKnuth) \u2227 ProfessorEmeritusAt(donaldErvinKnuth, stanford)\nCalled(donaldErvinKnuth, fatherOfTheAnalysisOfAlgorithms)", "conclusion": "A mathematician has been called the \"father of the analysis of algorithms\".", "conclusion-FOL": "\u2203x (Mathematician(x) \u2227 Called(x, fatherOfTheAnalysisOfAlgorithms))", "label": "True", "example_id": 380} +{"story_id": 128, "premises": "Donald Ervin Knuth is an American computer scientist, mathematician, and Professor Emeritus at Stanford University.\nKnuth has been called the \"father of the analysis of algorithms.\"", "premises-FOL": "American(donaldErvinKnuth) \u2227 ComputerScientist(donaldErvinKnuth) \u2227 Mathematician(donaldErvinKnuth) \u2227 ProfessorEmeritusAt(donaldErvinKnuth, stanford)\nCalled(donaldErvinKnuth, fatherOfTheAnalysisOfAlgorithms)", "conclusion": "Donald Knuth is a well-known figure in the field of artificial intelligence.", "conclusion-FOL": "WellKnownFigureIn(donaldErvinKnuth, artificialIntelligence)", "label": "Uncertain", "example_id": 381} +{"story_id": 121, "premises": "Neocrepidodera Corpulentas are flea beetles or moths, or both.\nNeocrepidodera Corpulentas are in the Chrysomelidae family.\nThere are no moths within the Chrysomelidae family.\nThere is a Neocrepidodera Corpulenta. ", "premises-FOL": "\u2200x (NeocrepidoderaCorpulenta(x) \u2192 (FleaBeetle(x) \u2228 Moth(x)))\n\u2200x (NeocrepidoderaCorpulenta(x) \u2192 In(x, chrysomelidaeFamily))\n\u2200x (In(x, chrysomelidaeFamily) \u2192 \u00acMoth(x))\n\u2203x (NeocrepidoderaCorpulenta(x))", "conclusion": "There is a flea beetle within the Chrysomelidae family.", "conclusion-FOL": "\u2203x (FleaBeetle(x) \u2227 In(x, chrysomelidaeFamily))", "label": "True", "example_id": 362} +{"story_id": 121, "premises": "Neocrepidodera Corpulentas are flea beetles or moths, or both.\nNeocrepidodera Corpulentas are in the Chrysomelidae family.\nThere are no moths within the Chrysomelidae family.\nThere is a Neocrepidodera Corpulenta. ", "premises-FOL": "\u2200x (NeocrepidoderaCorpulenta(x) \u2192 (FleaBeetle(x) \u2228 Moth(x)))\n\u2200x (NeocrepidoderaCorpulenta(x) \u2192 In(x, chrysomelidaeFamily))\n\u2200x (In(x, chrysomelidaeFamily) \u2192 \u00acMoth(x))\n\u2203x (NeocrepidoderaCorpulenta(x))", "conclusion": "There are no flea beetles within the Chrysomelidae family.", "conclusion-FOL": "\u2200x (FleaBeetle(x) \u2192 \u00acIn(x, chrysomelidaeFamily))", "label": "False", "example_id": 363} +{"story_id": 227, "premises": "Carrozzeria Colli is a Milanese coachbuilder company established by Giuseppe Colli in 1931.\nCarrozzeria Colli is a company that specializes in using aluminum.\nThe first automobiles built by Carrozzeria Colli were racing cars.\nSome racing cars built by Carrozzeria Colli used Fiat 1100 mechanicals and chassis.\nCarrozzeria Colli worked for airforces.\nCarrozzeria Colli made car bodies. ", "premises-FOL": "Milanese(carrozzeriaColli) \u2227 CoachBuilder(carrozzeriaColli) \u2227 Company(carrozzeriaColli) \u2227 EstablishedBy(carrozzeriaColli, giuseppeColli) \u2227 EstablishedIn(carrozzeriaColli, 1931)\nCompany(carrozzeriaColli) \u2227 SpecializesIn(carrozzeriaColli, usingAluminum)\n\u2200x (BuiltBy(x, carrozzeriaColli) \u2227 FirstAutomobile(x) \u2192 RacingCar(x))\n\u2203x (BuiltBy(x, carrozzeriaColli) \u2227 RacingCar(x) \u2227 Used(x, fiat1100mechanicals) \u2227 Used(x, chassis))\n\u2203x (Airforce(x) \u2227 WorkedFor(carrozzeriaColli, x))\n\u2203(CarBody(x) \u2227 Made(x, carrozzeriaColli))", "conclusion": "Carrozzeria Colli made car bodies in 1931.", "conclusion-FOL": "\u2203x (CarBody(x) \u2227 Made(x, carrozzeriaColli) \u2227 MadeIn(x, 1931))", "label": "Uncertain", "example_id": 640} +{"story_id": 227, "premises": "Carrozzeria Colli is a Milanese coachbuilder company established by Giuseppe Colli in 1931.\nCarrozzeria Colli is a company that specializes in using aluminum.\nThe first automobiles built by Carrozzeria Colli were racing cars.\nSome racing cars built by Carrozzeria Colli used Fiat 1100 mechanicals and chassis.\nCarrozzeria Colli worked for airforces.\nCarrozzeria Colli made car bodies. ", "premises-FOL": "Milanese(carrozzeriaColli) \u2227 CoachBuilder(carrozzeriaColli) \u2227 Company(carrozzeriaColli) \u2227 EstablishedBy(carrozzeriaColli, giuseppeColli) \u2227 EstablishedIn(carrozzeriaColli, 1931)\nCompany(carrozzeriaColli) \u2227 SpecializesIn(carrozzeriaColli, usingAluminum)\n\u2200x (BuiltBy(x, carrozzeriaColli) \u2227 FirstAutomobile(x) \u2192 RacingCar(x))\n\u2203x (BuiltBy(x, carrozzeriaColli) \u2227 RacingCar(x) \u2227 Used(x, fiat1100mechanicals) \u2227 Used(x, chassis))\n\u2203x (Airforce(x) \u2227 WorkedFor(carrozzeriaColli, x))\n\u2203(CarBody(x) \u2227 Made(x, carrozzeriaColli))", "conclusion": "Carrozzeria Colli built airplanes during World War II.", "conclusion-FOL": "\u2203x (Airplane(x) \u2227 Made(x, carrozzeriaColli) \u2227 MadeDuring(x, worldWarII))", "label": "Uncertain", "example_id": 641} +{"story_id": 227, "premises": "Carrozzeria Colli is a Milanese coachbuilder company established by Giuseppe Colli in 1931.\nCarrozzeria Colli is a company that specializes in using aluminum.\nThe first automobiles built by Carrozzeria Colli were racing cars.\nSome racing cars built by Carrozzeria Colli used Fiat 1100 mechanicals and chassis.\nCarrozzeria Colli worked for airforces.\nCarrozzeria Colli made car bodies. ", "premises-FOL": "Milanese(carrozzeriaColli) \u2227 CoachBuilder(carrozzeriaColli) \u2227 Company(carrozzeriaColli) \u2227 EstablishedBy(carrozzeriaColli, giuseppeColli) \u2227 EstablishedIn(carrozzeriaColli, 1931)\nCompany(carrozzeriaColli) \u2227 SpecializesIn(carrozzeriaColli, usingAluminum)\n\u2200x (BuiltBy(x, carrozzeriaColli) \u2227 FirstAutomobile(x) \u2192 RacingCar(x))\n\u2203x (BuiltBy(x, carrozzeriaColli) \u2227 RacingCar(x) \u2227 Used(x, fiat1100mechanicals) \u2227 Used(x, chassis))\n\u2203x (Airforce(x) \u2227 WorkedFor(carrozzeriaColli, x))\n\u2203(CarBody(x) \u2227 Made(x, carrozzeriaColli))", "conclusion": "Giuseppe Colli established a company that made car bodies.", "conclusion-FOL": "\u2203x \u2203y (Company(x) \u2227 EstablishedBy(x, giuseppeColli) \u2227 CarBody(y) \u2227 Made(y, x))", "label": "True", "example_id": 642} +{"story_id": 227, "premises": "Carrozzeria Colli is a Milanese coachbuilder company established by Giuseppe Colli in 1931.\nCarrozzeria Colli is a company that specializes in using aluminum.\nThe first automobiles built by Carrozzeria Colli were racing cars.\nSome racing cars built by Carrozzeria Colli used Fiat 1100 mechanicals and chassis.\nCarrozzeria Colli worked for airforces.\nCarrozzeria Colli made car bodies. ", "premises-FOL": "Milanese(carrozzeriaColli) \u2227 CoachBuilder(carrozzeriaColli) \u2227 Company(carrozzeriaColli) \u2227 EstablishedBy(carrozzeriaColli, giuseppeColli) \u2227 EstablishedIn(carrozzeriaColli, 1931)\nCompany(carrozzeriaColli) \u2227 SpecializesIn(carrozzeriaColli, usingAluminum)\n\u2200x (BuiltBy(x, carrozzeriaColli) \u2227 FirstAutomobile(x) \u2192 RacingCar(x))\n\u2203x (BuiltBy(x, carrozzeriaColli) \u2227 RacingCar(x) \u2227 Used(x, fiat1100mechanicals) \u2227 Used(x, chassis))\n\u2203x (Airforce(x) \u2227 WorkedFor(carrozzeriaColli, x))\n\u2203(CarBody(x) \u2227 Made(x, carrozzeriaColli))", "conclusion": "Giuseppe Colli established a Milanese coachbuilder company that specialized in using aluminum.", "conclusion-FOL": "\u2203x (Milanese(x) \u2227 CoachBuilder(x) \u2227 Company(x) \u2227 EstablishedBy(x, giuseppeColli) \u2227 SpecializesIn(x, usingAluminum))", "label": "True", "example_id": 643} +{"story_id": 227, "premises": "Carrozzeria Colli is a Milanese coachbuilder company established by Giuseppe Colli in 1931.\nCarrozzeria Colli is a company that specializes in using aluminum.\nThe first automobiles built by Carrozzeria Colli were racing cars.\nSome racing cars built by Carrozzeria Colli used Fiat 1100 mechanicals and chassis.\nCarrozzeria Colli worked for airforces.\nCarrozzeria Colli made car bodies. ", "premises-FOL": "Milanese(carrozzeriaColli) \u2227 CoachBuilder(carrozzeriaColli) \u2227 Company(carrozzeriaColli) \u2227 EstablishedBy(carrozzeriaColli, giuseppeColli) \u2227 EstablishedIn(carrozzeriaColli, 1931)\nCompany(carrozzeriaColli) \u2227 SpecializesIn(carrozzeriaColli, usingAluminum)\n\u2200x (BuiltBy(x, carrozzeriaColli) \u2227 FirstAutomobile(x) \u2192 RacingCar(x))\n\u2203x (BuiltBy(x, carrozzeriaColli) \u2227 RacingCar(x) \u2227 Used(x, fiat1100mechanicals) \u2227 Used(x, chassis))\n\u2203x (Airforce(x) \u2227 WorkedFor(carrozzeriaColli, x))\n\u2203(CarBody(x) \u2227 Made(x, carrozzeriaColli))", "conclusion": "The first automobiles built by Carrozzeria Colli were built using Fiat 1100 mechanicals and chassis.", "conclusion-FOL": "\u2203x (BuiltBy(x, carrozzeriaColli) \u2227 FirstAutomobil(x) \u2227 Used(x, fiat1100mechanicals) \u2227 Used(x, chassis))", "label": "Uncertain", "example_id": 644} +{"story_id": 130, "premises": "John will go to the cinema if and only if Jack goes to the cinema today.\nJack will go to the cinema if and only if Iron Man is on and the weather is not bad today.\nSome days in March have bad weather.\nIron Man is on.\nIt's March now.", "premises-FOL": "(GoTo(john, theCinema) \u2227 GoTo(john, today)) \u2194 GoTo(jack, theCinema) \u2227 GoTo(jack, today)\n(GoTo(john, theCinema) \u2227 GoTo(john, today)) \u2194 (On(ironman) \u2227 \u00acBad(weather, today))\n\u2203x (Day(x) \u2227 March(x) \u2192 \u00acBad(weather, x))\nOn(ironman)\nDay(presentMoment) \u2227 March(presentMoment)", "conclusion": "John will go to the cinema.", "conclusion-FOL": "GoTo(john, theCinema) \u2227 GoTo(john, today)", "label": "Uncertain", "example_id": 386} +{"story_id": 130, "premises": "John will go to the cinema if and only if Jack goes to the cinema today.\nJack will go to the cinema if and only if Iron Man is on and the weather is not bad today.\nSome days in March have bad weather.\nIron Man is on.\nIt's March now.", "premises-FOL": "(GoTo(john, theCinema) \u2227 GoTo(john, today)) \u2194 GoTo(jack, theCinema) \u2227 GoTo(jack, today)\n(GoTo(john, theCinema) \u2227 GoTo(john, today)) \u2194 (On(ironman) \u2227 \u00acBad(weather, today))\n\u2203x (Day(x) \u2227 March(x) \u2192 \u00acBad(weather, x))\nOn(ironman)\nDay(presentMoment) \u2227 March(presentMoment)", "conclusion": "The weather is good today.", "conclusion-FOL": "\u00acBad(weather, today)", "label": "Uncertain", "example_id": 387} +{"story_id": 81, "premises": "Quiksilver sells sportswear, clothing, footwear, and accessories.\nFlannels are a type of clothing.\nJoe owns an item from Quiksilver.", "premises-FOL": "\u2200x (Sells(quiksilver, x) \u2192 (Sportswear(x) \u2228 Clothing(x) \u2228 Footwear(x) \u2228 Accessory(x)))\nClothing(flannel)\n\u2203x (Sells(quiksilver, x) \u2227 Owns(joe, x))", "conclusion": "Quiksilver sells beer.", "conclusion-FOL": "Sells(quiksilver, beer)", "label": "Uncertain", "example_id": 246} +{"story_id": 81, "premises": "Quiksilver sells sportswear, clothing, footwear, and accessories.\nFlannels are a type of clothing.\nJoe owns an item from Quiksilver.", "premises-FOL": "\u2200x (Sells(quiksilver, x) \u2192 (Sportswear(x) \u2228 Clothing(x) \u2228 Footwear(x) \u2228 Accessory(x)))\nClothing(flannel)\n\u2203x (Sells(quiksilver, x) \u2227 Owns(joe, x))", "conclusion": "Joe owns a flannel.", "conclusion-FOL": "Owns(joe, flannel)", "label": "Uncertain", "example_id": 247} +{"story_id": 81, "premises": "Quiksilver sells sportswear, clothing, footwear, and accessories.\nFlannels are a type of clothing.\nJoe owns an item from Quiksilver.", "premises-FOL": "\u2200x (Sells(quiksilver, x) \u2192 (Sportswear(x) \u2228 Clothing(x) \u2228 Footwear(x) \u2228 Accessory(x)))\nClothing(flannel)\n\u2203x (Sells(quiksilver, x) \u2227 Owns(joe, x))", "conclusion": "Joe owns at least one piece of sportswear, clothing, footwear, or accessory", "conclusion-FOL": "\u2203x (Owns(joe, x) \u2227 Sportswear(x) \u2228 Clothing(x) \u2228 Footwear(x) \u2228 Accessory(x))", "label": "True", "example_id": 248} +{"story_id": 308, "premises": "No video games released by Nintendo support the PS4 platform.\nAll video games in the Pokemon series are released by Nintendo. \nAll video games in the FIFA series support the PS4 platform. \nAll video games that allow users to simulate playing online soccer using licensed players are in the FIFA series.\nThe video game named \u201cBe Lionel\u201d is in the Pokemon series, or it allows users to simulate playing online soccer games using licensed players.", "premises-FOL": "\u2200x (VideoGame(x) \u2227 ReleasedBy(x, nintendo) \u2192 \u00acSupport(x, pS4))\n\u2200x (VideoGame(x) \u2227 In(x, pokemonSeries) \u2192 ReleasedBy(x, nintendo))\n\u2200x (VideoGame(x) \u2227 In(x, fIFASeries) \u2192 Support(x, pS4))\n\u2200x (VideoGame(x) \u2227 Simulate(x, onlineSoccer) \u2227 Use(x, licensedPlayer) \u2192 In(x, fIFASeries))\nVideoGame(beLionel) \u2227 In(beLionel, pokemonSeries) \u2228 (Simulate(beLionel, onlineSoccer) \u2227 Use(beLionel, licensedPlayer))", "conclusion": "The video game \"Be Lionel\" is in the pokemon series.", "conclusion-FOL": "VideoGame(beLionel) \u2227 PokemonSeries(beLionel)", "label": "Uncertain", "example_id": 760} +{"story_id": 308, "premises": "No video games released by Nintendo support the PS4 platform.\nAll video games in the Pokemon series are released by Nintendo. \nAll video games in the FIFA series support the PS4 platform. \nAll video games that allow users to simulate playing online soccer using licensed players are in the FIFA series.\nThe video game named \u201cBe Lionel\u201d is in the Pokemon series, or it allows users to simulate playing online soccer games using licensed players.", "premises-FOL": "\u2200x (VideoGame(x) \u2227 ReleasedBy(x, nintendo) \u2192 \u00acSupport(x, pS4))\n\u2200x (VideoGame(x) \u2227 In(x, pokemonSeries) \u2192 ReleasedBy(x, nintendo))\n\u2200x (VideoGame(x) \u2227 In(x, fIFASeries) \u2192 Support(x, pS4))\n\u2200x (VideoGame(x) \u2227 Simulate(x, onlineSoccer) \u2227 Use(x, licensedPlayer) \u2192 In(x, fIFASeries))\nVideoGame(beLionel) \u2227 In(beLionel, pokemonSeries) \u2228 (Simulate(beLionel, onlineSoccer) \u2227 Use(beLionel, licensedPlayer))", "conclusion": "The video game named \u201cBe Lionel\u201d either is in the FIFA series and supports the PS4 platform, or it neither is in the FIFA series nor supports the PS4 platform.", "conclusion-FOL": "VideoGame(beLionel) \u2227 \u00ac(FIFASeries(beLionel) \u2295 Support(beLionel, pS4))", "label": "True", "example_id": 761} +{"story_id": 308, "premises": "No video games released by Nintendo support the PS4 platform.\nAll video games in the Pokemon series are released by Nintendo. \nAll video games in the FIFA series support the PS4 platform. \nAll video games that allow users to simulate playing online soccer using licensed players are in the FIFA series.\nThe video game named \u201cBe Lionel\u201d is in the Pokemon series, or it allows users to simulate playing online soccer games using licensed players.", "premises-FOL": "\u2200x (VideoGame(x) \u2227 ReleasedBy(x, nintendo) \u2192 \u00acSupport(x, pS4))\n\u2200x (VideoGame(x) \u2227 In(x, pokemonSeries) \u2192 ReleasedBy(x, nintendo))\n\u2200x (VideoGame(x) \u2227 In(x, fIFASeries) \u2192 Support(x, pS4))\n\u2200x (VideoGame(x) \u2227 Simulate(x, onlineSoccer) \u2227 Use(x, licensedPlayer) \u2192 In(x, fIFASeries))\nVideoGame(beLionel) \u2227 In(beLionel, pokemonSeries) \u2228 (Simulate(beLionel, onlineSoccer) \u2227 Use(beLionel, licensedPlayer))", "conclusion": "The video game named \u201cBe Lionel\u201d is either in the FIFA series or supports the PS4 platform.", "conclusion-FOL": "VideoGame(beLionel) \u2227 FIFASeries(beLionel) \u2295 Support(beLionel, pS4)", "label": "False", "example_id": 762} +{"story_id": 308, "premises": "No video games released by Nintendo support the PS4 platform.\nAll video games in the Pokemon series are released by Nintendo. \nAll video games in the FIFA series support the PS4 platform. \nAll video games that allow users to simulate playing online soccer using licensed players are in the FIFA series.\nThe video game named \u201cBe Lionel\u201d is in the Pokemon series, or it allows users to simulate playing online soccer games using licensed players.", "premises-FOL": "\u2200x (VideoGame(x) \u2227 ReleasedBy(x, nintendo) \u2192 \u00acSupport(x, pS4))\n\u2200x (VideoGame(x) \u2227 In(x, pokemonSeries) \u2192 ReleasedBy(x, nintendo))\n\u2200x (VideoGame(x) \u2227 In(x, fIFASeries) \u2192 Support(x, pS4))\n\u2200x (VideoGame(x) \u2227 Simulate(x, onlineSoccer) \u2227 Use(x, licensedPlayer) \u2192 In(x, fIFASeries))\nVideoGame(beLionel) \u2227 In(beLionel, pokemonSeries) \u2228 (Simulate(beLionel, onlineSoccer) \u2227 Use(beLionel, licensedPlayer))", "conclusion": "The video game named \u201cBe Lionel\u201d is not in the FIFA or Pokemon series.", "conclusion-FOL": "VideoGame(beLionel) \u2227 \u00ac(FIFASeries(beLionel) \u2228 Support(beLionel, pS4))", "label": "False", "example_id": 763} +{"story_id": 311, "premises": "No payment cards issued by Russian banks can be used with ApplePay.\nAll MIR payment cards are issued by Russian banks.\nSome international payment cards can be used with ApplePay.\nSocial payments in Russia can only be transferred to MIR payment cards.\nBank of America payment cards can be used with ApplePay.", "premises-FOL": "\u2200x \u2200y (PaymentCard(x) \u2227 RussianBank(y) \u2227 IssuedBy(x, y) \u2192 \u00acUsedWith(x, applePay))\n\u2200x \u2200y (PaymentCard(x) \u2227 MIR(x) \u2192 RussianBank(y) \u2227 IssuedBy(x, y))\n\u2203x (PaymentCard(x) \u2227 International(x) \u2192 UsedWith(x, applePay))\n\u2200x \u2200y (SocialPayment(x) \u2227TransferredTo(x, y) \u2192 PaymentCard(y) \u2227 MIR(y))\nPaymentCard(bankOfAmerica) \u2227 UsedWith(bankOfAmerica, applePay)", "conclusion": "Bank of America payment cards are international.", "conclusion-FOL": "PaymentCard(bankOfAmerica) \u2227 International(bankOfAmerica)", "label": "Uncertain", "example_id": 773} +{"story_id": 311, "premises": "No payment cards issued by Russian banks can be used with ApplePay.\nAll MIR payment cards are issued by Russian banks.\nSome international payment cards can be used with ApplePay.\nSocial payments in Russia can only be transferred to MIR payment cards.\nBank of America payment cards can be used with ApplePay.", "premises-FOL": "\u2200x \u2200y (PaymentCard(x) \u2227 RussianBank(y) \u2227 IssuedBy(x, y) \u2192 \u00acUsedWith(x, applePay))\n\u2200x \u2200y (PaymentCard(x) \u2227 MIR(x) \u2192 RussianBank(y) \u2227 IssuedBy(x, y))\n\u2203x (PaymentCard(x) \u2227 International(x) \u2192 UsedWith(x, applePay))\n\u2200x \u2200y (SocialPayment(x) \u2227TransferredTo(x, y) \u2192 PaymentCard(y) \u2227 MIR(y))\nPaymentCard(bankOfAmerica) \u2227 UsedWith(bankOfAmerica, applePay)", "conclusion": "Bank of America payment cards are international and can be used to transfer social payments in Russia.", "conclusion-FOL": "\u2200x (PaymentCard(bankOfAmerica) \u2227 International(bankOfAmerica) \u2227 SocialPayment(x) \u2227TransferredTo(x, bankOfAmerica))", "label": "False", "example_id": 774} +{"story_id": 311, "premises": "No payment cards issued by Russian banks can be used with ApplePay.\nAll MIR payment cards are issued by Russian banks.\nSome international payment cards can be used with ApplePay.\nSocial payments in Russia can only be transferred to MIR payment cards.\nBank of America payment cards can be used with ApplePay.", "premises-FOL": "\u2200x \u2200y (PaymentCard(x) \u2227 RussianBank(y) \u2227 IssuedBy(x, y) \u2192 \u00acUsedWith(x, applePay))\n\u2200x \u2200y (PaymentCard(x) \u2227 MIR(x) \u2192 RussianBank(y) \u2227 IssuedBy(x, y))\n\u2203x (PaymentCard(x) \u2227 International(x) \u2192 UsedWith(x, applePay))\n\u2200x \u2200y (SocialPayment(x) \u2227TransferredTo(x, y) \u2192 PaymentCard(y) \u2227 MIR(y))\nPaymentCard(bankOfAmerica) \u2227 UsedWith(bankOfAmerica, applePay)", "conclusion": "If Bank of America payment cards are international and can be used to transfer social payments in Russia, then they are international.", "conclusion-FOL": "\u2200x ((PaymentCard(bandOfAmerica) \u2227 International(bandOfAmerica) \u2227 SocialPayment(x) \u2227 TransferredTo(x, bandOfAmerica)) \u2192 International(bandOfAmerica))", "label": "True", "example_id": 775} +{"story_id": 52, "premises": "The Lumina APV is produced by Chevrolet. \nThe Astro is a van produced by Chevrolet. \nVehicles produced by Chevrolet in this batch are either cars or vans.", "premises-FOL": "ProducedBy(luminaAPV, chevrolet)\nProducedBy(astro, chevrolet) \u2227 Van(astro)\n\u2200x (Vehicle(x) \u2227 ProducedBy(x, chevrolet) \u2227 InThisBatch(x) \u2192 (Car(x) \u2295 Van(x)))", "conclusion": "The Lumina APV is a van.", "conclusion-FOL": "Van(luminaAPV)", "label": "Uncertain", "example_id": 150} +{"story_id": 52, "premises": "The Lumina APV is produced by Chevrolet. \nThe Astro is a van produced by Chevrolet. \nVehicles produced by Chevrolet in this batch are either cars or vans.", "premises-FOL": "ProducedBy(luminaAPV, chevrolet)\nProducedBy(astro, chevrolet) \u2227 Van(astro)\n\u2200x (Vehicle(x) \u2227 ProducedBy(x, chevrolet) \u2227 InThisBatch(x) \u2192 (Car(x) \u2295 Van(x)))", "conclusion": "The Lumina APV is either a car or a van.", "conclusion-FOL": "Car(luminaAPV) \u2295 Van(luminaAPV)", "label": "True", "example_id": 151} +{"story_id": 52, "premises": "The Lumina APV is produced by Chevrolet. \nThe Astro is a van produced by Chevrolet. \nVehicles produced by Chevrolet in this batch are either cars or vans.", "premises-FOL": "ProducedBy(luminaAPV, chevrolet)\nProducedBy(astro, chevrolet) \u2227 Van(astro)\n\u2200x (Vehicle(x) \u2227 ProducedBy(x, chevrolet) \u2227 InThisBatch(x) \u2192 (Car(x) \u2295 Van(x)))", "conclusion": "The Astro is a van.", "conclusion-FOL": "Van(astro)", "label": "True", "example_id": 152} +{"story_id": 52, "premises": "The Lumina APV is produced by Chevrolet. \nThe Astro is a van produced by Chevrolet. \nVehicles produced by Chevrolet in this batch are either cars or vans.", "premises-FOL": "ProducedBy(luminaAPV, chevrolet)\nProducedBy(astro, chevrolet) \u2227 Van(astro)\n\u2200x (Vehicle(x) \u2227 ProducedBy(x, chevrolet) \u2227 InThisBatch(x) \u2192 (Car(x) \u2295 Van(x)))", "conclusion": "The Astro is a car.", "conclusion-FOL": "Car(astro)", "label": "False", "example_id": 153} +{"story_id": 405, "premises": "Everyone who works in the office is a commuter. \nPeople either work in the office or work from home.\nEveryone who works from home has a relaxed schedule.\nGeorge is either a commuter or has a home office setup. \nIf George is either a person who works from home or has a home office setup, then George is a commuter and is not a person who works from home.", "premises-FOL": "\u2200x (WorkIn(x, office) \u2192 Commuter(x))\n\u2200x (WorkIn(x, office) \u2295 WorkFrom(x, home))\n\u2200x (WorkFrom(x, home) \u2192 Have(x, relaxedSchedule))\nCommuter(george) \u2295 Have(george, homeOffice)\n(WorkFrom(george, home) \u2295 Have(george, homeOffice)) \u2192 \u00acWorkFrom(george, home) \u2227 Commuter(george)", "conclusion": "George is a person who works from home.", "conclusion-FOL": "WorkFrom(george, home)", "label": "Uncertain", "example_id": 1123} +{"story_id": 405, "premises": "Everyone who works in the office is a commuter. \nPeople either work in the office or work from home.\nEveryone who works from home has a relaxed schedule.\nGeorge is either a commuter or has a home office setup. \nIf George is either a person who works from home or has a home office setup, then George is a commuter and is not a person who works from home.", "premises-FOL": "\u2200x (WorkIn(x, office) \u2192 Commuter(x))\n\u2200x (WorkIn(x, office) \u2295 WorkFrom(x, home))\n\u2200x (WorkFrom(x, home) \u2192 Have(x, relaxedSchedule))\nCommuter(george) \u2295 Have(george, homeOffice)\n(WorkFrom(george, home) \u2295 Have(george, homeOffice)) \u2192 \u00acWorkFrom(george, home) \u2227 Commuter(george)", "conclusion": "If George is not a person who works from home and a person who works in the office, then George is neither a commuter nor a person who has a relaxed schedule.", "conclusion-FOL": "\u00ac(WorkFrom(george, home) \u2227 WorkIn(george, office)) \u2192 \u00ac(Commuter(george) \u2228 Have(george, relaxedSchedule))", "label": "False", "example_id": 1124} +{"story_id": 405, "premises": "Everyone who works in the office is a commuter. \nPeople either work in the office or work from home.\nEveryone who works from home has a relaxed schedule.\nGeorge is either a commuter or has a home office setup. \nIf George is either a person who works from home or has a home office setup, then George is a commuter and is not a person who works from home.", "premises-FOL": "\u2200x (WorkIn(x, office) \u2192 Commuter(x))\n\u2200x (WorkIn(x, office) \u2295 WorkFrom(x, home))\n\u2200x (WorkFrom(x, home) \u2192 Have(x, relaxedSchedule))\nCommuter(george) \u2295 Have(george, homeOffice)\n(WorkFrom(george, home) \u2295 Have(george, homeOffice)) \u2192 \u00acWorkFrom(george, home) \u2227 Commuter(george)", "conclusion": "If George is either a person who has a home office setup and a person who works in the office, or neither a person who has a home office setup nor a person who works in the office, then George is either a person who works from home or a person who has a relaxed schedule.", "conclusion-FOL": "\u00ac(Have(george, homeOffice) \u2295 WorkIn(george, office)) \u2192 (WorkFrom(george, home) \u2295 Have(george, relaxedSchedule))", "label": "True", "example_id": 1125} +{"story_id": 28, "premises": "Jason Kramer is an American music supervisor.\nSome American radio personalities are also music supervisors. \nAnyone who hosts a show on a public radio station is a radio personality.\nJoe Rogan is a radio personality.\nJason Kramer hosted a show on a public radio station.", "premises-FOL": "MusicSupervisor(jasonKramer) \u2227 American(jasonKramer)\n\u2203x \u2203y (American(x) \u2227 MusicSupervisor(x) \u2227 RadioPersonality(x) \u2227 (\u00ac(x=y)) \u2227 American(y) \u2227 MusicSupervisor(y) \u2227 RadioPersonality(y))\n\u2200x \u2200y((HostShowOn(x, y) \u2227 PublicRadioStation(x)) \u2192 RadioPersonality(x))\nRadioPersonality(joeRogan)\n\u2203x(HostShowOn(jasonKramer, x) \u2227 PublicRadioStation(x))", "conclusion": "Joe Rogan is American.", "conclusion-FOL": "American(joeRogan)", "label": "Uncertain", "example_id": 80} +{"story_id": 28, "premises": "Jason Kramer is an American music supervisor.\nSome American radio personalities are also music supervisors. \nAnyone who hosts a show on a public radio station is a radio personality.\nJoe Rogan is a radio personality.\nJason Kramer hosted a show on a public radio station.", "premises-FOL": "MusicSupervisor(jasonKramer) \u2227 American(jasonKramer)\n\u2203x \u2203y (American(x) \u2227 MusicSupervisor(x) \u2227 RadioPersonality(x) \u2227 (\u00ac(x=y)) \u2227 American(y) \u2227 MusicSupervisor(y) \u2227 RadioPersonality(y))\n\u2200x \u2200y((HostShowOn(x, y) \u2227 PublicRadioStation(x)) \u2192 RadioPersonality(x))\nRadioPersonality(joeRogan)\n\u2203x(HostShowOn(jasonKramer, x) \u2227 PublicRadioStation(x))", "conclusion": "Jason Kramer is a music supervisor.", "conclusion-FOL": "MusicSupervisor(jasonKramer)", "label": "True", "example_id": 81} +{"story_id": 28, "premises": "Jason Kramer is an American music supervisor.\nSome American radio personalities are also music supervisors. \nAnyone who hosts a show on a public radio station is a radio personality.\nJoe Rogan is a radio personality.\nJason Kramer hosted a show on a public radio station.", "premises-FOL": "MusicSupervisor(jasonKramer) \u2227 American(jasonKramer)\n\u2203x \u2203y (American(x) \u2227 MusicSupervisor(x) \u2227 RadioPersonality(x) \u2227 (\u00ac(x=y)) \u2227 American(y) \u2227 MusicSupervisor(y) \u2227 RadioPersonality(y))\n\u2200x \u2200y((HostShowOn(x, y) \u2227 PublicRadioStation(x)) \u2192 RadioPersonality(x))\nRadioPersonality(joeRogan)\n\u2203x(HostShowOn(jasonKramer, x) \u2227 PublicRadioStation(x))", "conclusion": "Jason Kramer is a radio personality.", "conclusion-FOL": "RadioPersonality(jasonKramer)", "label": "True", "example_id": 82} +{"story_id": 430, "premises": "Herm\u00e8s bags are not made in Italy.\nAll Birkin bags are Herm\u00e8s bags. \nAll Ferraris are made in Italy. \nAll cars that carry a Ferrari V12 engine are Ferraris. \nAll cars that are made in Maranello carry a Ferrari V12 engine.\nA Lamborghini SUV is not both a Ferrari and made in Maranello. \nA Kelly bag is a Herm\u00e8s bag, or it is a car that carries a Ferrari V12 engine. ", "premises-FOL": "\u2200x ((Bag(x) \u2227 Herm\u00e8s(x)) \u2192 \u00acMadeIn(x, italy))\n\u2200x ((Bag(x) \u2227 Birkin(x)) \u2192 Herm\u00e8s(x))\n\u2200x (Ferrari(x) \u2192 MadeIn(x, italy))\n\u2200x ((Car(x) \u2227 Carry(x, ferrariV12Engine)) \u2192 Ferrrari(x))\n\u2200x ((Car(x) \u2227 MadeIn(x, maranello)) \u2192 Carry(x, ferrariV12Engine))\n\u00ac(Ferrari(lamborghiniSUV) \u2227 MadeIn(lamborghiniSUV, maranello))\n(Bag(kelly) \u2227 Herm\u00e8s(kelly)) \u2228 (Bag(kelly) \u2227 Car(kelly) \u2227 Carry(kelly, ferrariV12Engine))", "conclusion": "A Lamborghini SUV is made in Italy.", "conclusion-FOL": "MadeIn(lamborghiniSUV, italy)", "label": "Uncertain", "example_id": 1223} +{"story_id": 430, "premises": "Herm\u00e8s bags are not made in Italy.\nAll Birkin bags are Herm\u00e8s bags. \nAll Ferraris are made in Italy. \nAll cars that carry a Ferrari V12 engine are Ferraris. \nAll cars that are made in Maranello carry a Ferrari V12 engine.\nA Lamborghini SUV is not both a Ferrari and made in Maranello. \nA Kelly bag is a Herm\u00e8s bag, or it is a car that carries a Ferrari V12 engine. ", "premises-FOL": "\u2200x ((Bag(x) \u2227 Herm\u00e8s(x)) \u2192 \u00acMadeIn(x, italy))\n\u2200x ((Bag(x) \u2227 Birkin(x)) \u2192 Herm\u00e8s(x))\n\u2200x (Ferrari(x) \u2192 MadeIn(x, italy))\n\u2200x ((Car(x) \u2227 Carry(x, ferrariV12Engine)) \u2192 Ferrrari(x))\n\u2200x ((Car(x) \u2227 MadeIn(x, maranello)) \u2192 Carry(x, ferrariV12Engine))\n\u00ac(Ferrari(lamborghiniSUV) \u2227 MadeIn(lamborghiniSUV, maranello))\n(Bag(kelly) \u2227 Herm\u00e8s(kelly)) \u2228 (Bag(kelly) \u2227 Car(kelly) \u2227 Carry(kelly, ferrariV12Engine))", "conclusion": "A Lamborghini SUV is not made in Italy.", "conclusion-FOL": "\u00acMadeIn(lamborghiniSUV, italy)", "label": "Uncertain", "example_id": 1224} +{"story_id": 430, "premises": "Herm\u00e8s bags are not made in Italy.\nAll Birkin bags are Herm\u00e8s bags. \nAll Ferraris are made in Italy. \nAll cars that carry a Ferrari V12 engine are Ferraris. \nAll cars that are made in Maranello carry a Ferrari V12 engine.\nA Lamborghini SUV is not both a Ferrari and made in Maranello. \nA Kelly bag is a Herm\u00e8s bag, or it is a car that carries a Ferrari V12 engine. ", "premises-FOL": "\u2200x ((Bag(x) \u2227 Herm\u00e8s(x)) \u2192 \u00acMadeIn(x, italy))\n\u2200x ((Bag(x) \u2227 Birkin(x)) \u2192 Herm\u00e8s(x))\n\u2200x (Ferrari(x) \u2192 MadeIn(x, italy))\n\u2200x ((Car(x) \u2227 Carry(x, ferrariV12Engine)) \u2192 Ferrrari(x))\n\u2200x ((Car(x) \u2227 MadeIn(x, maranello)) \u2192 Carry(x, ferrariV12Engine))\n\u00ac(Ferrari(lamborghiniSUV) \u2227 MadeIn(lamborghiniSUV, maranello))\n(Bag(kelly) \u2227 Herm\u00e8s(kelly)) \u2228 (Bag(kelly) \u2227 Car(kelly) \u2227 Carry(kelly, ferrariV12Engine))", "conclusion": "A Kelly bag is a Birkin bag made in Maranello.", "conclusion-FOL": "Bag(kelly) \u2227 MadeIn(kelly, maranello) \u2227 Birkin(kelly)", "label": "False", "example_id": 1225} +{"story_id": 430, "premises": "Herm\u00e8s bags are not made in Italy.\nAll Birkin bags are Herm\u00e8s bags. \nAll Ferraris are made in Italy. \nAll cars that carry a Ferrari V12 engine are Ferraris. \nAll cars that are made in Maranello carry a Ferrari V12 engine.\nA Lamborghini SUV is not both a Ferrari and made in Maranello. \nA Kelly bag is a Herm\u00e8s bag, or it is a car that carries a Ferrari V12 engine. ", "premises-FOL": "\u2200x ((Bag(x) \u2227 Herm\u00e8s(x)) \u2192 \u00acMadeIn(x, italy))\n\u2200x ((Bag(x) \u2227 Birkin(x)) \u2192 Herm\u00e8s(x))\n\u2200x (Ferrari(x) \u2192 MadeIn(x, italy))\n\u2200x ((Car(x) \u2227 Carry(x, ferrariV12Engine)) \u2192 Ferrrari(x))\n\u2200x ((Car(x) \u2227 MadeIn(x, maranello)) \u2192 Carry(x, ferrariV12Engine))\n\u00ac(Ferrari(lamborghiniSUV) \u2227 MadeIn(lamborghiniSUV, maranello))\n(Bag(kelly) \u2227 Herm\u00e8s(kelly)) \u2228 (Bag(kelly) \u2227 Car(kelly) \u2227 Carry(kelly, ferrariV12Engine))", "conclusion": "A Kelly bag is not both made in Maranello and a Birkin bag.", "conclusion-FOL": "Bag(kelly) \u2227 \u00ac(MadeIn(kelly, maranello) \u2227 Birkin(kelly))", "label": "True", "example_id": 1226} +{"story_id": 209, "premises": "If someone lives in a place named Galicia, then they live in either Spain or Poland.\nSpain is in Europe.\nPoland is in Europe.\nRochelle lives in Europe.\nDominique does not live in Europe.\nAlfonso lives in a place named Galicia.", "premises-FOL": "\u2200x (\u2203y (LiveIn(x, y) \u2227 Place(y) \u2227 Named(y, galicia)) \u2192 LiveIn(x, spain) \u2295 LiveIn(x, poland))\n\u2200x (LiveIn(x, spain) \u2192 LiveIn(x, europe))\n\u2200x (LiveIn(x, poland) \u2192 LiveIn(x, europe))\nLiveIn(rochelle, europe)\n\u00acLiveIn(dominique, europe)\n\u2203y (LiveIn(alfonso, y) \u2227 Place(y) \u2227 Named(y, galicia))", "conclusion": "Rochelle lives in a place namedGalicia.", "conclusion-FOL": "\u2203y (LiveIn(rochelle, y) \u2227 Place(y) \u2227 Named(y, galicia))", "label": "Uncertain", "example_id": 596} +{"story_id": 209, "premises": "If someone lives in a place named Galicia, then they live in either Spain or Poland.\nSpain is in Europe.\nPoland is in Europe.\nRochelle lives in Europe.\nDominique does not live in Europe.\nAlfonso lives in a place named Galicia.", "premises-FOL": "\u2200x (\u2203y (LiveIn(x, y) \u2227 Place(y) \u2227 Named(y, galicia)) \u2192 LiveIn(x, spain) \u2295 LiveIn(x, poland))\n\u2200x (LiveIn(x, spain) \u2192 LiveIn(x, europe))\n\u2200x (LiveIn(x, poland) \u2192 LiveIn(x, europe))\nLiveIn(rochelle, europe)\n\u00acLiveIn(dominique, europe)\n\u2203y (LiveIn(alfonso, y) \u2227 Place(y) \u2227 Named(y, galicia))", "conclusion": "Dominique does not live in Spain.", "conclusion-FOL": "\u2200x (Live(dominique, x) \u2192 \u00acIn(x, spain))", "label": "True", "example_id": 597} +{"story_id": 209, "premises": "If someone lives in a place named Galicia, then they live in either Spain or Poland.\nSpain is in Europe.\nPoland is in Europe.\nRochelle lives in Europe.\nDominique does not live in Europe.\nAlfonso lives in a place named Galicia.", "premises-FOL": "\u2200x (\u2203y (LiveIn(x, y) \u2227 Place(y) \u2227 Named(y, galicia)) \u2192 LiveIn(x, spain) \u2295 LiveIn(x, poland))\n\u2200x (LiveIn(x, spain) \u2192 LiveIn(x, europe))\n\u2200x (LiveIn(x, poland) \u2192 LiveIn(x, europe))\nLiveIn(rochelle, europe)\n\u00acLiveIn(dominique, europe)\n\u2203y (LiveIn(alfonso, y) \u2227 Place(y) \u2227 Named(y, galicia))", "conclusion": "Alfonso lives in Europe.", "conclusion-FOL": "\u2200x (Live(alfonso, x) \u2192 In(x, europe))", "label": "True", "example_id": 598} +{"story_id": 106, "premises": "Ralph Hammerthaler was born in Wasserburg am Inn.\nWasserburg am Inn is in Germany.\nGermany is in Europe.\nRalph Hammerthaler is a German writer.\nRalph Hammerthaler was born in 1965. ", "premises-FOL": "BornIn(ralphHammerthaler, wasserburgamInn)\nLocatedIn(wasserbAmInn, germany)\nLocatedIn(germany, europe)\nWriter(ralphHammerthaler) \u2227 German(ralphHammerthaler)\nBornIn1965(ralphHammerthaler)", "conclusion": "Ralph Hammerthaler is a writer born in Asia.", "conclusion-FOL": "Writer(ralphHammerthaler) \u2227 BornIn(ralphHammerthaler, asia)", "label": "Uncertain", "example_id": 321} +{"story_id": 106, "premises": "Ralph Hammerthaler was born in Wasserburg am Inn.\nWasserburg am Inn is in Germany.\nGermany is in Europe.\nRalph Hammerthaler is a German writer.\nRalph Hammerthaler was born in 1965. ", "premises-FOL": "BornIn(ralphHammerthaler, wasserburgamInn)\nLocatedIn(wasserbAmInn, germany)\nLocatedIn(germany, europe)\nWriter(ralphHammerthaler) \u2227 German(ralphHammerthaler)\nBornIn1965(ralphHammerthaler)", "conclusion": "Ralph Hammerthaler lives in Germany.", "conclusion-FOL": "LivesIn(ralphHammerthaler, germany)", "label": "Uncertain", "example_id": 322} +{"story_id": 415, "premises": "All books written by Neil Gaiman have sold more than one thousand copies.\nSome books that have won Hugo Awards are written by Neil Gaiman.\nTomas has read all books written by Tolkien. \nEither Tomas has read Hamlet, or it has sold more than one thousand copies.\nHamlet has either sold more than one thousand copies or it is written by Neil Gaiman.", "premises-FOL": "\u2200x ((Book(x) \u2227 WrittenBy(x, neilGaiman)) \u2192 \u2203y (MoreThan(y, num1000) \u2227 SoldCopies(x, y)))\n\u2203x \u2203y (Book(x) \u2227 Win(x, hugoAward) \u2227 WrittenBy(x, neilGaiman) \u2227 (\u00ac(x=y)) \u2227 Book(y) \u2227 Win(y, hugoAward) \u2227 WrittenBy(y, neilGaiman))\n\u2200x ((Book(x) \u2227 WrittenBy(x, tolkien)) \u2192 ReadBy(x, tomas))\nReadBy(hamlet, tomas) \u2295 (\u2203y (MoreThan(y, num1000) \u2227 SoldCopies(hamlet, y)))\n\u2203y (MoreThan(y, num1000) \u2227 SoldCopies(hamlet, y)) \u2295 WrittenBy(hamlet, neilGaiman)", "conclusion": "Hamlet has won a Hugo Award.", "conclusion-FOL": "Win(hamlet, hugoAward)", "label": "Uncertain", "example_id": 1166} +{"story_id": 415, "premises": "All books written by Neil Gaiman have sold more than one thousand copies.\nSome books that have won Hugo Awards are written by Neil Gaiman.\nTomas has read all books written by Tolkien. \nEither Tomas has read Hamlet, or it has sold more than one thousand copies.\nHamlet has either sold more than one thousand copies or it is written by Neil Gaiman.", "premises-FOL": "\u2200x ((Book(x) \u2227 WrittenBy(x, neilGaiman)) \u2192 \u2203y (MoreThan(y, num1000) \u2227 SoldCopies(x, y)))\n\u2203x \u2203y (Book(x) \u2227 Win(x, hugoAward) \u2227 WrittenBy(x, neilGaiman) \u2227 (\u00ac(x=y)) \u2227 Book(y) \u2227 Win(y, hugoAward) \u2227 WrittenBy(y, neilGaiman))\n\u2200x ((Book(x) \u2227 WrittenBy(x, tolkien)) \u2192 ReadBy(x, tomas))\nReadBy(hamlet, tomas) \u2295 (\u2203y (MoreThan(y, num1000) \u2227 SoldCopies(hamlet, y)))\n\u2203y (MoreThan(y, num1000) \u2227 SoldCopies(hamlet, y)) \u2295 WrittenBy(hamlet, neilGaiman)", "conclusion": "Hamlet has won a Hugo Award and is written by Tolkien.", "conclusion-FOL": "Win(hamlet, hugoAward) \u2227 WrittenBy(hamlet, tolkien)", "label": "False", "example_id": 1167} +{"story_id": 415, "premises": "All books written by Neil Gaiman have sold more than one thousand copies.\nSome books that have won Hugo Awards are written by Neil Gaiman.\nTomas has read all books written by Tolkien. \nEither Tomas has read Hamlet, or it has sold more than one thousand copies.\nHamlet has either sold more than one thousand copies or it is written by Neil Gaiman.", "premises-FOL": "\u2200x ((Book(x) \u2227 WrittenBy(x, neilGaiman)) \u2192 \u2203y (MoreThan(y, num1000) \u2227 SoldCopies(x, y)))\n\u2203x \u2203y (Book(x) \u2227 Win(x, hugoAward) \u2227 WrittenBy(x, neilGaiman) \u2227 (\u00ac(x=y)) \u2227 Book(y) \u2227 Win(y, hugoAward) \u2227 WrittenBy(y, neilGaiman))\n\u2200x ((Book(x) \u2227 WrittenBy(x, tolkien)) \u2192 ReadBy(x, tomas))\nReadBy(hamlet, tomas) \u2295 (\u2203y (MoreThan(y, num1000) \u2227 SoldCopies(hamlet, y)))\n\u2203y (MoreThan(y, num1000) \u2227 SoldCopies(hamlet, y)) \u2295 WrittenBy(hamlet, neilGaiman)", "conclusion": "If Hamlet has either won a Hugo Award and is written by Tolkien, or neither has won a Hugo Award nor is written by Tolkien, then Hamlet has neither won a Hugo Award nor is written by Neil Gaiman.", "conclusion-FOL": "\u00ac(Win(hamlet, hugoAward) \u2295 WrittenBy(hamlet, tolkien)) \u2192 (\u00acWin(hamlet, hugoAward) \u2227 (\u00acWrittenBy(hamlet, neilGaiman)))", "label": "True", "example_id": 1168} +{"story_id": 479, "premises": "Grass is not food\nAll meadows are grass.\nAll edible things are food. \nAll fruits are edible.\nAll lemons are fruit.\nGrapes are not both edible and lemons.\nBananas are grasses or fruits. ", "premises-FOL": "\u2200x (Grass(x) \u2192 \u00acFood(x))\n\u2200x (Meadow(x) \u2192 Grass(x))\n\u2200x (Edible(x) \u2192 Food(x))\n\u2200x (Fruit(x) \u2192 Edible(x))\n\u2200x (Lemon(x) \u2192 Fruit(x))\n\u00ac(Edible(grape) \u2227 Lemon(grape))\nGrass(banana) \u2228 Fruit(banana)", "conclusion": "Grapes are food.", "conclusion-FOL": "Food(grape)", "label": "Uncertain", "example_id": 1393} +{"story_id": 479, "premises": "Grass is not food\nAll meadows are grass.\nAll edible things are food. \nAll fruits are edible.\nAll lemons are fruit.\nGrapes are not both edible and lemons.\nBananas are grasses or fruits. ", "premises-FOL": "\u2200x (Grass(x) \u2192 \u00acFood(x))\n\u2200x (Meadow(x) \u2192 Grass(x))\n\u2200x (Edible(x) \u2192 Food(x))\n\u2200x (Fruit(x) \u2192 Edible(x))\n\u2200x (Lemon(x) \u2192 Fruit(x))\n\u00ac(Edible(grape) \u2227 Lemon(grape))\nGrass(banana) \u2228 Fruit(banana)", "conclusion": "Grapes are not a food.", "conclusion-FOL": "\u00acFood(grape)", "label": "Uncertain", "example_id": 1394} +{"story_id": 479, "premises": "Grass is not food\nAll meadows are grass.\nAll edible things are food. \nAll fruits are edible.\nAll lemons are fruit.\nGrapes are not both edible and lemons.\nBananas are grasses or fruits. ", "premises-FOL": "\u2200x (Grass(x) \u2192 \u00acFood(x))\n\u2200x (Meadow(x) \u2192 Grass(x))\n\u2200x (Edible(x) \u2192 Food(x))\n\u2200x (Fruit(x) \u2192 Edible(x))\n\u2200x (Lemon(x) \u2192 Fruit(x))\n\u00ac(Edible(grape) \u2227 Lemon(grape))\nGrass(banana) \u2228 Fruit(banana)", "conclusion": "Bananas are both lemons and meadows.", "conclusion-FOL": "Lemon(banana) \u2227 Meadow(banana)", "label": "False", "example_id": 1395} +{"story_id": 479, "premises": "Grass is not food\nAll meadows are grass.\nAll edible things are food. \nAll fruits are edible.\nAll lemons are fruit.\nGrapes are not both edible and lemons.\nBananas are grasses or fruits. ", "premises-FOL": "\u2200x (Grass(x) \u2192 \u00acFood(x))\n\u2200x (Meadow(x) \u2192 Grass(x))\n\u2200x (Edible(x) \u2192 Food(x))\n\u2200x (Fruit(x) \u2192 Edible(x))\n\u2200x (Lemon(x) \u2192 Fruit(x))\n\u00ac(Edible(grape) \u2227 Lemon(grape))\nGrass(banana) \u2228 Fruit(banana)", "conclusion": "Bananas are not both a lemon and a meadow.", "conclusion-FOL": "\u00ac(Lemon(banana) \u2227 Meadow(banana))", "label": "True", "example_id": 1396} +{"story_id": 21, "premises": "The Golden State Warriors are a team from San Francisco.\nThe Golden State Warriors won the NBA finals.\nAll teams attending the NBA finals have won many games.\nBoston Celtics are a team that lost the NBA finals.\nIf a team wins the NBA finals, then they will have more income.\nIf a team wins or loses at the NBA finals, then they are attending the finals.", "premises-FOL": "Team(goldenStateWarriors) \u2227 From(goldenStateWarriors, sanFrancisco)\nWon(goldenStateWarriors, nbaFinals)\n\u2200x ((Team(x) \u2227 Attending(x, nbaFinals)) \u2192 WonManyGames(x))\nTeam(bostonCeltics) \u2227 Lost(bostonCeltics, nbaFinals)\n\u2200x ((Team(x) \u2227 Won(x, nbaFinals)) \u2192 MoreIncome(x))\n\u2200x ((Won(x, nbaFinals) \u2228 Lost(x, nbaFinals)) \u2192 Attending(x, nbaFinals))", "conclusion": "The Boston Celtics are from San Francisco.", "conclusion-FOL": "From(bostonCeltics, sanFrancisco)", "label": "Uncertain", "example_id": 60} +{"story_id": 21, "premises": "The Golden State Warriors are a team from San Francisco.\nThe Golden State Warriors won the NBA finals.\nAll teams attending the NBA finals have won many games.\nBoston Celtics are a team that lost the NBA finals.\nIf a team wins the NBA finals, then they will have more income.\nIf a team wins or loses at the NBA finals, then they are attending the finals.", "premises-FOL": "Team(goldenStateWarriors) \u2227 From(goldenStateWarriors, sanFrancisco)\nWon(goldenStateWarriors, nbaFinals)\n\u2200x ((Team(x) \u2227 Attending(x, nbaFinals)) \u2192 WonManyGames(x))\nTeam(bostonCeltics) \u2227 Lost(bostonCeltics, nbaFinals)\n\u2200x ((Team(x) \u2227 Won(x, nbaFinals)) \u2192 MoreIncome(x))\n\u2200x ((Won(x, nbaFinals) \u2228 Lost(x, nbaFinals)) \u2192 Attending(x, nbaFinals))", "conclusion": "The Boston Celtics have more than 30 years of experience.", "conclusion-FOL": "HasMoreThanThirtyYearsOfHistory(bostonCeltics)", "label": "True", "example_id": 61} +{"story_id": 21, "premises": "The Golden State Warriors are a team from San Francisco.\nThe Golden State Warriors won the NBA finals.\nAll teams attending the NBA finals have won many games.\nBoston Celtics are a team that lost the NBA finals.\nIf a team wins the NBA finals, then they will have more income.\nIf a team wins or loses at the NBA finals, then they are attending the finals.", "premises-FOL": "Team(goldenStateWarriors) \u2227 From(goldenStateWarriors, sanFrancisco)\nWon(goldenStateWarriors, nbaFinals)\n\u2200x ((Team(x) \u2227 Attending(x, nbaFinals)) \u2192 WonManyGames(x))\nTeam(bostonCeltics) \u2227 Lost(bostonCeltics, nbaFinals)\n\u2200x ((Team(x) \u2227 Won(x, nbaFinals)) \u2192 MoreIncome(x))\n\u2200x ((Won(x, nbaFinals) \u2228 Lost(x, nbaFinals)) \u2192 Attending(x, nbaFinals))", "conclusion": "The Golden State Warriors will have more income from gate receipts.", "conclusion-FOL": "MoreIncome(goldenStateWarriors)", "label": "True", "example_id": 62} +{"story_id": 218, "premises": "Maya would only play the violin if her fingers could never be injured. \nVolleyball players can injure their ankles, fingers, or shoulder.\nMaya is a volleyball player.", "premises-FOL": "Play(maya, violin) \u2192 \u00acCanInjure(maya, fingers)\n\u2200x (VolleyballPlayer(x) \u2192 (CanInjure(ankles) \u2227 CanInjure(fingers) \u2227 CanInjure(shoulder)))\nVolleyballPlayer(maya)", "conclusion": "Maya will not play the violin.", "conclusion-FOL": "\u00acPlay(maya, violin)", "label": "True", "example_id": 620} +{"story_id": 428, "premises": "All devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.", "premises-FOL": "\u2200x ((Devices(x) \u2227 BelongTo(x, company)) \u2192 ConnectTo(x, googleHome))\n\u2200x ((Devices(x) \u2227 With(x, companyLogo)) \u2192 BelongTo(x, company))\n\u2200x ((Devices(x) \u2192 (With(x, companyLogo) \u2295 BelongTo(x, employee)))\n\u2200x ((Devices(x) \u2227 BelongTo(x, employee)) \u2192 CanBeConnectedTo(x, wifi))\n\u2200x ((Devices(x) \u2227 ConnectTo(x, googleHome)) \u2192 ControlledBy(x, manager))\n\u2200x ((Devices(x) \u2227 CanBeConnectedTo(x, wifi)) \u2192 EasyToOperate(x))\n\u2200x ((Devices(x) \u2227 EasyToOperate(x)) \u2192 ProducedAfterNewCTOAppointed(x, company))\nDevices(modelXX) \u2227 (\u00acProducedAfterNewCTOAppointed(modelXX, company))", "conclusion": "ModelXX is controlled by managers.", "conclusion-FOL": "ControlledBy(x, manager)", "label": "True", "example_id": 1215} +{"story_id": 428, "premises": "All devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.", "premises-FOL": "\u2200x ((Devices(x) \u2227 BelongTo(x, company)) \u2192 ConnectTo(x, googleHome))\n\u2200x ((Devices(x) \u2227 With(x, companyLogo)) \u2192 BelongTo(x, company))\n\u2200x ((Devices(x) \u2192 (With(x, companyLogo) \u2295 BelongTo(x, employee)))\n\u2200x ((Devices(x) \u2227 BelongTo(x, employee)) \u2192 CanBeConnectedTo(x, wifi))\n\u2200x ((Devices(x) \u2227 ConnectTo(x, googleHome)) \u2192 ControlledBy(x, manager))\n\u2200x ((Devices(x) \u2227 CanBeConnectedTo(x, wifi)) \u2192 EasyToOperate(x))\n\u2200x ((Devices(x) \u2227 EasyToOperate(x)) \u2192 ProducedAfterNewCTOAppointed(x, company))\nDevices(modelXX) \u2227 (\u00acProducedAfterNewCTOAppointed(modelXX, company))", "conclusion": "ModelXX is either produced after a new CTO was appointed or it is controlled by managers.", "conclusion-FOL": "ProducedAfterNewCTOAppointed(modelXX, theCompany) \u2295 ControlledBy(x, manager)", "label": "True", "example_id": 1216} +{"story_id": 428, "premises": "All devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.", "premises-FOL": "\u2200x ((Devices(x) \u2227 BelongTo(x, company)) \u2192 ConnectTo(x, googleHome))\n\u2200x ((Devices(x) \u2227 With(x, companyLogo)) \u2192 BelongTo(x, company))\n\u2200x ((Devices(x) \u2192 (With(x, companyLogo) \u2295 BelongTo(x, employee)))\n\u2200x ((Devices(x) \u2227 BelongTo(x, employee)) \u2192 CanBeConnectedTo(x, wifi))\n\u2200x ((Devices(x) \u2227 ConnectTo(x, googleHome)) \u2192 ControlledBy(x, manager))\n\u2200x ((Devices(x) \u2227 CanBeConnectedTo(x, wifi)) \u2192 EasyToOperate(x))\n\u2200x ((Devices(x) \u2227 EasyToOperate(x)) \u2192 ProducedAfterNewCTOAppointed(x, company))\nDevices(modelXX) \u2227 (\u00acProducedAfterNewCTOAppointed(modelXX, company))", "conclusion": "ModelXX is not with the company logo, and managers do not control it.", "conclusion-FOL": "\u00acWith(modelXX, companyLogo) \u2227 (\u00acControlledBy(x, manager))", "label": "False", "example_id": 1217} +{"story_id": 428, "premises": "All devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.", "premises-FOL": "\u2200x ((Devices(x) \u2227 BelongTo(x, company)) \u2192 ConnectTo(x, googleHome))\n\u2200x ((Devices(x) \u2227 With(x, companyLogo)) \u2192 BelongTo(x, company))\n\u2200x ((Devices(x) \u2192 (With(x, companyLogo) \u2295 BelongTo(x, employee)))\n\u2200x ((Devices(x) \u2227 BelongTo(x, employee)) \u2192 CanBeConnectedTo(x, wifi))\n\u2200x ((Devices(x) \u2227 ConnectTo(x, googleHome)) \u2192 ControlledBy(x, manager))\n\u2200x ((Devices(x) \u2227 CanBeConnectedTo(x, wifi)) \u2192 EasyToOperate(x))\n\u2200x ((Devices(x) \u2227 EasyToOperate(x)) \u2192 ProducedAfterNewCTOAppointed(x, company))\nDevices(modelXX) \u2227 (\u00acProducedAfterNewCTOAppointed(modelXX, company))", "conclusion": "ModelXX is either with the company logo or controlled by managers.", "conclusion-FOL": "With(modelXX, companyLogo) \u2295 ControlledBy(x, manager)", "label": "False", "example_id": 1218} +{"story_id": 266, "premises": "All CD players are delicate mechanisms.\nNo delicate mechanisms are suitable toys for children.", "premises-FOL": "\u2200x (CDPlayer(x) \u2192 DelicateMechanism(x))\n\u2200x (DelicateMechanism(x) \u2192 \u00ac(Toy(x) \u2227 SuitableFor(x, children)))", "conclusion": "Some CD players are suitable toys for children.", "conclusion-FOL": "\u2203x \u2203y (CDPlayer(x) \u2227 CDPlayer(y) \u2227 Toy(x) \u2227 Toy(y) \u2227 SuitableFor(x, children) \u2227 SuitableFor(y, children) \u2227 \u00ac(x=y))", "label": "Uncertain", "example_id": 710} +{"story_id": 347, "premises": "All mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.", "premises-FOL": "\u2200x (Mammal(x) \u2192 LivingBeing(x)) \n\u2200x (Elephant(x) \u2192 Mammal(x))\n\u2200x (BabyElephant(x) \u2192 Elephant(x))\n\u2203x (BabyElephant(x) \u2227 Sleepy(x))\nLivingBeing(jumbo) \u2192 \u00ac(Elephant(jumbo) \u2227 Mammal(jumbo))\nSleepy(jumbo) \u2192 BabyElephant(jumbo) \u2295 Mammal(jumbo)", "conclusion": "Jumbo is sleepy.", "conclusion-FOL": "Sleepy(jumbo)", "label": "False", "example_id": 916} +{"story_id": 347, "premises": "All mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.", "premises-FOL": "\u2200x (Mammal(x) \u2192 LivingBeing(x)) \n\u2200x (Elephant(x) \u2192 Mammal(x))\n\u2200x (BabyElephant(x) \u2192 Elephant(x))\n\u2203x (BabyElephant(x) \u2227 Sleepy(x))\nLivingBeing(jumbo) \u2192 \u00ac(Elephant(jumbo) \u2227 Mammal(jumbo))\nSleepy(jumbo) \u2192 BabyElephant(jumbo) \u2295 Mammal(jumbo)", "conclusion": "Jumbo is not sleepy.", "conclusion-FOL": "\u00acSleepy(jumbo)", "label": "True", "example_id": 917} +{"story_id": 347, "premises": "All mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.", "premises-FOL": "\u2200x (Mammal(x) \u2192 LivingBeing(x)) \n\u2200x (Elephant(x) \u2192 Mammal(x))\n\u2200x (BabyElephant(x) \u2192 Elephant(x))\n\u2203x (BabyElephant(x) \u2227 Sleepy(x))\nLivingBeing(jumbo) \u2192 \u00ac(Elephant(jumbo) \u2227 Mammal(jumbo))\nSleepy(jumbo) \u2192 BabyElephant(jumbo) \u2295 Mammal(jumbo)", "conclusion": "Jumbo is a living being.", "conclusion-FOL": "LivingBeing(jumbo)", "label": "Uncertain", "example_id": 918} +{"story_id": 347, "premises": "All mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.", "premises-FOL": "\u2200x (Mammal(x) \u2192 LivingBeing(x)) \n\u2200x (Elephant(x) \u2192 Mammal(x))\n\u2200x (BabyElephant(x) \u2192 Elephant(x))\n\u2203x (BabyElephant(x) \u2227 Sleepy(x))\nLivingBeing(jumbo) \u2192 \u00ac(Elephant(jumbo) \u2227 Mammal(jumbo))\nSleepy(jumbo) \u2192 BabyElephant(jumbo) \u2295 Mammal(jumbo)", "conclusion": "Jumbo is neither sleepy nor a baby elephant.", "conclusion-FOL": "\u00acSleepy(jumbo) \u2227 \u00acBabyElephant(jumbo))", "label": "True", "example_id": 919} +{"story_id": 347, "premises": "All mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.", "premises-FOL": "\u2200x (Mammal(x) \u2192 LivingBeing(x)) \n\u2200x (Elephant(x) \u2192 Mammal(x))\n\u2200x (BabyElephant(x) \u2192 Elephant(x))\n\u2203x (BabyElephant(x) \u2227 Sleepy(x))\nLivingBeing(jumbo) \u2192 \u00ac(Elephant(jumbo) \u2227 Mammal(jumbo))\nSleepy(jumbo) \u2192 BabyElephant(jumbo) \u2295 Mammal(jumbo)", "conclusion": "Jumbo is not sleepy or an elephant.", "conclusion-FOL": "\u00ac(Sleepy(jumbo) \u2295 Elephant(jumbo))", "label": "True", "example_id": 920} +{"story_id": 447, "premises": "No planet in the solar system relies on nuclear fusion to generate light.\nAll stars in the solar system rely on nuclear fusion to generate light. \nAll celestial bodies in the solar systems that have greater than 0.08 solar masses are stars. \nIf a celestial body in the solar system has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity, then it is a planet.\nIf Europa is a celestial body in the solar system that has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity or relies on nuclear fusion to generate light, then Europa is a celestial body in the solar system. ", "premises-FOL": "\u2200x (Planet(x) \u2227 In(x, solarSystem) \u2192 \u00acRelyOnToGenerate(x, nuclearFusion, light))\n\u2200x (Star(x) \u2227 In(x, solarSystem) \u2192 RelyOnToGenerate(x, nuclearFusion, light))\n\u2200x (CelestialBody(x) \u2227 In(x, solarSystem) \u2227 GreaterThan(x, solarMass, 0point08) \u2192 Star(x))\n\u2200x (CelestialBody(x) \u2227 In(x, solarSystem) \u2227 (\u2203y (OrbitOf(y, x) \u2227 Clear(x, y) \u2227 DebrisFree(y))) \u2227 NearlySphericalShape(x, gravity) \u2192 Planet(x))\n(CelestialBody(europa) \u2227 In(europa, solarSystem) \u2227 (\u2203y (OrbitOf(y, x) \u2227 Clear(x, y) \u2227 DebrisFree(y))) \u2227 NearlySphericalShape(europa, gravity)) \u2228 RelyOnToGenerate(europa, nuclearFusion, light) \u2192 CelestialBody(europa) \u2227 In(europa, solarSystem)", "conclusion": "Europa is a celestial body in the solar system has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity.", "conclusion-FOL": "CelestialBody(europa) \u2227 In(europa, solarSystem) \u2227 (\u2203y (OrbitOf(y, x) \u2227 Clear(x, y) \u2227 DebrisFree(y))) \u2227 NearlySphericalShape(europa, gravity)", "label": "Uncertain", "example_id": 1286} +{"story_id": 447, "premises": "No planet in the solar system relies on nuclear fusion to generate light.\nAll stars in the solar system rely on nuclear fusion to generate light. \nAll celestial bodies in the solar systems that have greater than 0.08 solar masses are stars. \nIf a celestial body in the solar system has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity, then it is a planet.\nIf Europa is a celestial body in the solar system that has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity or relies on nuclear fusion to generate light, then Europa is a celestial body in the solar system. ", "premises-FOL": "\u2200x (Planet(x) \u2227 In(x, solarSystem) \u2192 \u00acRelyOnToGenerate(x, nuclearFusion, light))\n\u2200x (Star(x) \u2227 In(x, solarSystem) \u2192 RelyOnToGenerate(x, nuclearFusion, light))\n\u2200x (CelestialBody(x) \u2227 In(x, solarSystem) \u2227 GreaterThan(x, solarMass, 0point08) \u2192 Star(x))\n\u2200x (CelestialBody(x) \u2227 In(x, solarSystem) \u2227 (\u2203y (OrbitOf(y, x) \u2227 Clear(x, y) \u2227 DebrisFree(y))) \u2227 NearlySphericalShape(x, gravity) \u2192 Planet(x))\n(CelestialBody(europa) \u2227 In(europa, solarSystem) \u2227 (\u2203y (OrbitOf(y, x) \u2227 Clear(x, y) \u2227 DebrisFree(y))) \u2227 NearlySphericalShape(europa, gravity)) \u2228 RelyOnToGenerate(europa, nuclearFusion, light) \u2192 CelestialBody(europa) \u2227 In(europa, solarSystem)", "conclusion": "Europa is a celestial body in one of the solar systems that have greater than 0.08 solar masses.", "conclusion-FOL": "CelestialBody(europa) \u2227 In(europa, solarSystem) \u2227 GreaterThan(europa, solarMass, 0.08)", "label": "False", "example_id": 1287} +{"story_id": 447, "premises": "No planet in the solar system relies on nuclear fusion to generate light.\nAll stars in the solar system rely on nuclear fusion to generate light. \nAll celestial bodies in the solar systems that have greater than 0.08 solar masses are stars. \nIf a celestial body in the solar system has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity, then it is a planet.\nIf Europa is a celestial body in the solar system that has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity or relies on nuclear fusion to generate light, then Europa is a celestial body in the solar system. ", "premises-FOL": "\u2200x (Planet(x) \u2227 In(x, solarSystem) \u2192 \u00acRelyOnToGenerate(x, nuclearFusion, light))\n\u2200x (Star(x) \u2227 In(x, solarSystem) \u2192 RelyOnToGenerate(x, nuclearFusion, light))\n\u2200x (CelestialBody(x) \u2227 In(x, solarSystem) \u2227 GreaterThan(x, solarMass, 0point08) \u2192 Star(x))\n\u2200x (CelestialBody(x) \u2227 In(x, solarSystem) \u2227 (\u2203y (OrbitOf(y, x) \u2227 Clear(x, y) \u2227 DebrisFree(y))) \u2227 NearlySphericalShape(x, gravity) \u2192 Planet(x))\n(CelestialBody(europa) \u2227 In(europa, solarSystem) \u2227 (\u2203y (OrbitOf(y, x) \u2227 Clear(x, y) \u2227 DebrisFree(y))) \u2227 NearlySphericalShape(europa, gravity)) \u2228 RelyOnToGenerate(europa, nuclearFusion, light) \u2192 CelestialBody(europa) \u2227 In(europa, solarSystem)", "conclusion": "Europa is not a celestial body in one of the solar systems that have greater than 0.08 solar masses.", "conclusion-FOL": "\u00ac(CelestialBody(europa) \u2227 In(europa, solarSystem) \u2227 GreaterThan(europa, solarMass, 0.08))", "label": "True", "example_id": 1288} +{"story_id": 353, "premises": "If Max listens to music, he either listens to classical music or rap.\nAll the classical songs that Max listens to are from the 12th century. \nIf Max is listening to a rap song, then the song is by Kanye West. \nAll songs by Kanye West are full of lyrics. \nAll songs that are full of lyrics need to be written with words\nIt is not true that \u201cAs it was\u201d by Harry Styles is classical music that Max listens to and is from the 12th century.\nMax listens to \"As it was\" by Harry Styles.", "premises-FOL": "\u2200x (MaxListenTo(x) \u2192 (ClassicalMusic(x) \u2295 Rap(x)))\n\u2200x (MaxListenTo(x) \u2227 ClassicalMusic(x) \u2192 Song(x) \u2227 From(x, 12thCentury))\n\u2200x (MaxListenTo(x) \u2227 Rap(x) \u2192 Song(x) \u2227 By(x, kanyeWest))\n\u2200x (Song(x) \u2227 By(x, kanyeWest) \u2192 Song(x) \u2227 FullOfLyrics(x))\n\u2200x (Song(x) \u2227 FullOfLyrics(x) \u2192 NeedToBeWrittenWith(x, words))\n\u00ac(ClassicalMusic(asItWasByHarryStyles) \u2227 Song(asItWasByHarryStyles) \u2227 From(asItWasByHarryStyles, 12thCentury))\nMaxListenTo(asItWasByHarryStyles)", "conclusion": "\u201cAs it was\u201d by Harry Styles needs to be written with words.", "conclusion-FOL": "NeedToBeWrittenWith(asItWasByHarryStyles, words)", "label": "True", "example_id": 936} +{"story_id": 353, "premises": "If Max listens to music, he either listens to classical music or rap.\nAll the classical songs that Max listens to are from the 12th century. \nIf Max is listening to a rap song, then the song is by Kanye West. \nAll songs by Kanye West are full of lyrics. \nAll songs that are full of lyrics need to be written with words\nIt is not true that \u201cAs it was\u201d by Harry Styles is classical music that Max listens to and is from the 12th century.\nMax listens to \"As it was\" by Harry Styles.", "premises-FOL": "\u2200x (MaxListenTo(x) \u2192 (ClassicalMusic(x) \u2295 Rap(x)))\n\u2200x (MaxListenTo(x) \u2227 ClassicalMusic(x) \u2192 Song(x) \u2227 From(x, 12thCentury))\n\u2200x (MaxListenTo(x) \u2227 Rap(x) \u2192 Song(x) \u2227 By(x, kanyeWest))\n\u2200x (Song(x) \u2227 By(x, kanyeWest) \u2192 Song(x) \u2227 FullOfLyrics(x))\n\u2200x (Song(x) \u2227 FullOfLyrics(x) \u2192 NeedToBeWrittenWith(x, words))\n\u00ac(ClassicalMusic(asItWasByHarryStyles) \u2227 Song(asItWasByHarryStyles) \u2227 From(asItWasByHarryStyles, 12thCentury))\nMaxListenTo(asItWasByHarryStyles)", "conclusion": "\"As it was\u201d by Harry Styles is a song from the 12th century.", "conclusion-FOL": "Song(asItWasByHarryStyles) \u2227 From(asItWasByHarryStyles, 12thCentury)", "label": "Uncertain", "example_id": 937} +{"story_id": 353, "premises": "If Max listens to music, he either listens to classical music or rap.\nAll the classical songs that Max listens to are from the 12th century. \nIf Max is listening to a rap song, then the song is by Kanye West. \nAll songs by Kanye West are full of lyrics. \nAll songs that are full of lyrics need to be written with words\nIt is not true that \u201cAs it was\u201d by Harry Styles is classical music that Max listens to and is from the 12th century.\nMax listens to \"As it was\" by Harry Styles.", "premises-FOL": "\u2200x (MaxListenTo(x) \u2192 (ClassicalMusic(x) \u2295 Rap(x)))\n\u2200x (MaxListenTo(x) \u2227 ClassicalMusic(x) \u2192 Song(x) \u2227 From(x, 12thCentury))\n\u2200x (MaxListenTo(x) \u2227 Rap(x) \u2192 Song(x) \u2227 By(x, kanyeWest))\n\u2200x (Song(x) \u2227 By(x, kanyeWest) \u2192 Song(x) \u2227 FullOfLyrics(x))\n\u2200x (Song(x) \u2227 FullOfLyrics(x) \u2192 NeedToBeWrittenWith(x, words))\n\u00ac(ClassicalMusic(asItWasByHarryStyles) \u2227 Song(asItWasByHarryStyles) \u2227 From(asItWasByHarryStyles, 12thCentury))\nMaxListenTo(asItWasByHarryStyles)", "conclusion": "\"As it was\u201d by Harry Styles is not both a song from Kanye West and needed to be written with words.", "conclusion-FOL": "\u00ac(Song(asItWasByHarryStyles) \u2227 By(asItWasByHarryStyles, kanyeWest) \u2227 NeedToBeWrittenWith(asItWasByHarryStyles, words))", "label": "False", "example_id": 938} +{"story_id": 39, "premises": "\"Your Woman\" is a song by the British one-person band White Town.\n\"Your Woman\" song peaked at No. 1 on the UK Singles Chart.\nIf a song peaked at No.1 at a particular place, it was extremely popular.\n\"Your Woman\" peaked at No. 1 in Iceland, Israel, and Spain.", "premises-FOL": "Produce(whiteTown, yourWoman) \u2227 OnePersonBand(whiteTown)\nPeak(yourWoman, uKSinglesChart)\n\u2200x ((\u2203y(Peak(x, y))) \u2192 Popular(x))\nPeak(yourWoman, iceland) \u2227 Peak(yourWoman, israel) \u2227 Peak(yourWoman, spain)", "conclusion": "\"Your Woman\" was extremely popular.", "conclusion-FOL": "Popular(yourWoman)", "label": "True", "example_id": 113} +{"story_id": 39, "premises": "\"Your Woman\" is a song by the British one-person band White Town.\n\"Your Woman\" song peaked at No. 1 on the UK Singles Chart.\nIf a song peaked at No.1 at a particular place, it was extremely popular.\n\"Your Woman\" peaked at No. 1 in Iceland, Israel, and Spain.", "premises-FOL": "Produce(whiteTown, yourWoman) \u2227 OnePersonBand(whiteTown)\nPeak(yourWoman, uKSinglesChart)\n\u2200x ((\u2203y(Peak(x, y))) \u2192 Popular(x))\nPeak(yourWoman, iceland) \u2227 Peak(yourWoman, israel) \u2227 Peak(yourWoman, spain)", "conclusion": "White Town did not produce any popular songs.", "conclusion-FOL": "\u2200x (Produce(whiteTown, x) \u2192 \u00acPopular(x))", "label": "False", "example_id": 114} +{"story_id": 39, "premises": "\"Your Woman\" is a song by the British one-person band White Town.\n\"Your Woman\" song peaked at No. 1 on the UK Singles Chart.\nIf a song peaked at No.1 at a particular place, it was extremely popular.\n\"Your Woman\" peaked at No. 1 in Iceland, Israel, and Spain.", "premises-FOL": "Produce(whiteTown, yourWoman) \u2227 OnePersonBand(whiteTown)\nPeak(yourWoman, uKSinglesChart)\n\u2200x ((\u2203y(Peak(x, y))) \u2192 Popular(x))\nPeak(yourWoman, iceland) \u2227 Peak(yourWoman, israel) \u2227 Peak(yourWoman, spain)", "conclusion": "White Town was a successful band.", "conclusion-FOL": "Successful(whiteTown)", "label": "Uncertain", "example_id": 115} +{"story_id": 374, "premises": "\nAll functions that represent straight lines on the coordinate plane are linear functions. \nNo linear functions are non-convex functions.\nA function is either a non-convex fuction or a convex function.\nAll quasi-convex functions are real-valued functions.\nAll convex functions are quasi-convex functions. \nThe maximum of quasiconvex functions is a function.\nThe maximum of quasiconvex functions is a function that represents straight lines on the coordinate plane or it is a convex function or it is not a non-convex function.", "premises-FOL": "\u2200x (Function(x) \u2227 RepresentOn(x, straightLine, coordinatePlane) \u2192 LinearFunction(x))\n\u2200x (LinearFunction(x) \u2192 \u00acNonConvexFunction(x))\n\u2200x (Function(x) \u2192 NonConvexFunction(x) \u2295 ConvexFunction(x))\n\u2200x (QuasiConvexFunction(x) \u2192 RealValuedFunction(x))\n\u2200x (ConvexFunction(x) \u2192 QuasiConvexFunction(x))\nFunction(maximumOfQuasiConvexFunction)\n(Function(maximumOfQuasiConvexFunction) \u2227 RepresentOn(maximumOfQuasiConvexFunction, straightLine, coordinatePlane)) \u2228 ConvexFunction(maximumOfQuasiConvexFunction) \u2228 \u00acNonConvexFunction(maximumOfQuasiConvexFunction)", "conclusion": "The maximum of quasiconvex functions is a function that represent straight lines on the coordinate plane.", "conclusion-FOL": "Function(maximumOfQuasiConvexFunction) \u2227 RepresentOn(maximumOfQuasiConvexFunction, straightLine, coordinatePlane)", "label": "Uncertain", "example_id": 996} +{"story_id": 374, "premises": "\nAll functions that represent straight lines on the coordinate plane are linear functions. \nNo linear functions are non-convex functions.\nA function is either a non-convex fuction or a convex function.\nAll quasi-convex functions are real-valued functions.\nAll convex functions are quasi-convex functions. \nThe maximum of quasiconvex functions is a function.\nThe maximum of quasiconvex functions is a function that represents straight lines on the coordinate plane or it is a convex function or it is not a non-convex function.", "premises-FOL": "\u2200x (Function(x) \u2227 RepresentOn(x, straightLine, coordinatePlane) \u2192 LinearFunction(x))\n\u2200x (LinearFunction(x) \u2192 \u00acNonConvexFunction(x))\n\u2200x (Function(x) \u2192 NonConvexFunction(x) \u2295 ConvexFunction(x))\n\u2200x (QuasiConvexFunction(x) \u2192 RealValuedFunction(x))\n\u2200x (ConvexFunction(x) \u2192 QuasiConvexFunction(x))\nFunction(maximumOfQuasiConvexFunction)\n(Function(maximumOfQuasiConvexFunction) \u2227 RepresentOn(maximumOfQuasiConvexFunction, straightLine, coordinatePlane)) \u2228 ConvexFunction(maximumOfQuasiConvexFunction) \u2228 \u00acNonConvexFunction(maximumOfQuasiConvexFunction)", "conclusion": "The maximum of quasiconvex functions is not a real-valued function.", "conclusion-FOL": "\u00acRealValuedFunction(maximumOfQuasiConvexFunction)", "label": "False", "example_id": 997} +{"story_id": 374, "premises": "\nAll functions that represent straight lines on the coordinate plane are linear functions. \nNo linear functions are non-convex functions.\nA function is either a non-convex fuction or a convex function.\nAll quasi-convex functions are real-valued functions.\nAll convex functions are quasi-convex functions. \nThe maximum of quasiconvex functions is a function.\nThe maximum of quasiconvex functions is a function that represents straight lines on the coordinate plane or it is a convex function or it is not a non-convex function.", "premises-FOL": "\u2200x (Function(x) \u2227 RepresentOn(x, straightLine, coordinatePlane) \u2192 LinearFunction(x))\n\u2200x (LinearFunction(x) \u2192 \u00acNonConvexFunction(x))\n\u2200x (Function(x) \u2192 NonConvexFunction(x) \u2295 ConvexFunction(x))\n\u2200x (QuasiConvexFunction(x) \u2192 RealValuedFunction(x))\n\u2200x (ConvexFunction(x) \u2192 QuasiConvexFunction(x))\nFunction(maximumOfQuasiConvexFunction)\n(Function(maximumOfQuasiConvexFunction) \u2227 RepresentOn(maximumOfQuasiConvexFunction, straightLine, coordinatePlane)) \u2228 ConvexFunction(maximumOfQuasiConvexFunction) \u2228 \u00acNonConvexFunction(maximumOfQuasiConvexFunction)", "conclusion": "The maximum of quasiconvex functions is a quasi-convex function or it is not a real-valued function.", "conclusion-FOL": "QuasiConvexFunction(maximumOfQuasiConvexFunction) \u2228 \u00acRealValuedFunction(maximumOfQuasiConvexFunction)", "label": "True", "example_id": 998} +{"story_id": 188, "premises": "If two soccer teams score the same number of goals in one UCL final during the regular time, they need to play for the extra time.\nIf two soccer teams score the same number of goals in one UCL final during both regular and extra time, they need to play the penalty shoot-out.\nReal Madrid and Atl\u00e9tico Madrid both scored one goal in the 2016 UCL final during the regular time.\nReal Madrid and Atl\u00e9tico Madrid both scored zero goals in the 2016 UCL final during the extra time.", "premises-FOL": "\u2200w \u2200x \u2200y \u2200z (SoccerTeam(x) \u2227 SoccerTeam(y) \u2227 NumberOfGoalScored(x, z) \u2227 NumberOfGoalScored(y, w) \u2227 y=w \u2227 During(regularTime) \u2192 PlayExtra(x, y))\n\u2200x \u2200y (SoccerTeam(x) \u2227 SoccerTeam(y) \u2227 SameScore(x, y) \u2227 During(regularTime) \u2227 During(extraTime) \u2192 PlayPenalty(x, y))\nSoccerTeam(realMadrid) \u2227 SoccerTeam(atleticoMadrid) \u2227 SameScore(realMadrid, atleticoMadrid) \u2227 During(regularTime)\nSoccerTeam(realMadrid) \u2227 SoccerTeam(atleticoMadrid) \u2227 SameScore(realMadrid, atleticoMadrid) \u2227 During(extraTime)", "conclusion": "Real Madrid and Atl\u00e9tico Madrid needed to play a penalty shoot-out in the 2016 UCL final.", "conclusion-FOL": "PlayPenalty(realMadrid, atleticoMadrid)", "label": "True", "example_id": 540} +{"story_id": 188, "premises": "If two soccer teams score the same number of goals in one UCL final during the regular time, they need to play for the extra time.\nIf two soccer teams score the same number of goals in one UCL final during both regular and extra time, they need to play the penalty shoot-out.\nReal Madrid and Atl\u00e9tico Madrid both scored one goal in the 2016 UCL final during the regular time.\nReal Madrid and Atl\u00e9tico Madrid both scored zero goals in the 2016 UCL final during the extra time.", "premises-FOL": "\u2200w \u2200x \u2200y \u2200z (SoccerTeam(x) \u2227 SoccerTeam(y) \u2227 NumberOfGoalScored(x, z) \u2227 NumberOfGoalScored(y, w) \u2227 y=w \u2227 During(regularTime) \u2192 PlayExtra(x, y))\n\u2200x \u2200y (SoccerTeam(x) \u2227 SoccerTeam(y) \u2227 SameScore(x, y) \u2227 During(regularTime) \u2227 During(extraTime) \u2192 PlayPenalty(x, y))\nSoccerTeam(realMadrid) \u2227 SoccerTeam(atleticoMadrid) \u2227 SameScore(realMadrid, atleticoMadrid) \u2227 During(regularTime)\nSoccerTeam(realMadrid) \u2227 SoccerTeam(atleticoMadrid) \u2227 SameScore(realMadrid, atleticoMadrid) \u2227 During(extraTime)", "conclusion": "Real Madrid and Atl\u00e9tico Madrid did not need to play a penalty shoot-out in the 2016 UCL final.", "conclusion-FOL": "\u00acPlayPenalty(realMadrid, atleticoMadrid)", "label": "False", "example_id": 541} +{"story_id": 13, "premises": "System 7 is a UK-based electronic dance music band.\nSteve Hillage and Miquette Giraudy formed System 7.\nSteve Hillage and Miquette Giraudy are former members of the band Gong.\nElectric dance music bands are bands.\nSystem 7 has released several club singles.\nClub singles are not singles.", "premises-FOL": "BasedIn(system7, uk) \u2227 ElectronicDanceMusicBand(system7)\nForm(stevehillage, system7) \u2227 Form(miquettegiraudy, system7)\nFormerMemberOf(stevehillage, gong) \u2227 FormerMemberOf(miquettegiraudy, gong)\n\u2200x (ElectronicDanceMusicBand(x) \u2192 Band(x))\n\u2203x (ClubSingle(x) \u2227 Release(system7, x))\n\u2200x (ClubSingle(x) \u2192 \u00acSingle(x))", "conclusion": "System 7 was formed by former members of Gong.", "conclusion-FOL": "\u2203x (Form(x, system7) \u2227 FormerMemberOf(x, gong))", "label": "True", "example_id": 35} +{"story_id": 13, "premises": "System 7 is a UK-based electronic dance music band.\nSteve Hillage and Miquette Giraudy formed System 7.\nSteve Hillage and Miquette Giraudy are former members of the band Gong.\nElectric dance music bands are bands.\nSystem 7 has released several club singles.\nClub singles are not singles.", "premises-FOL": "BasedIn(system7, uk) \u2227 ElectronicDanceMusicBand(system7)\nForm(stevehillage, system7) \u2227 Form(miquettegiraudy, system7)\nFormerMemberOf(stevehillage, gong) \u2227 FormerMemberOf(miquettegiraudy, gong)\n\u2200x (ElectronicDanceMusicBand(x) \u2192 Band(x))\n\u2203x (ClubSingle(x) \u2227 Release(system7, x))\n\u2200x (ClubSingle(x) \u2192 \u00acSingle(x))", "conclusion": "System 7 has released several singles.", "conclusion-FOL": "\u2203x (Single(x) \u2227 Release(system7, x))", "label": "Uncertain", "example_id": 36} +{"story_id": 13, "premises": "System 7 is a UK-based electronic dance music band.\nSteve Hillage and Miquette Giraudy formed System 7.\nSteve Hillage and Miquette Giraudy are former members of the band Gong.\nElectric dance music bands are bands.\nSystem 7 has released several club singles.\nClub singles are not singles.", "premises-FOL": "BasedIn(system7, uk) \u2227 ElectronicDanceMusicBand(system7)\nForm(stevehillage, system7) \u2227 Form(miquettegiraudy, system7)\nFormerMemberOf(stevehillage, gong) \u2227 FormerMemberOf(miquettegiraudy, gong)\n\u2200x (ElectronicDanceMusicBand(x) \u2192 Band(x))\n\u2203x (ClubSingle(x) \u2227 Release(system7, x))\n\u2200x (ClubSingle(x) \u2192 \u00acSingle(x))", "conclusion": "System 7 is not a band.", "conclusion-FOL": "\u00acBand(system7)", "label": "False", "example_id": 37} +{"story_id": 189, "premises": "A summarization model is always faithful if it uses content from the input documents.\nExtractive models are summarization models.\nAn extractive model can only use content from the input documents.", "premises-FOL": "\u2200x (Model(x) \u2227 Summarization(x) \u2227 OnlyUseInputDocument(x) \u2192 Faithful(x))\n\u2200x (Model(x) \u2227 Extractive(x) \u2192 Model(x) \u2227 Summarization(x))\n\u2200x (Model(x) \u2227 Extractive(x) \u2192 OnlyUseInputDocument(x))", "conclusion": "Extractive models are always faithful.", "conclusion-FOL": "\u2200x (Model(x) \u2227 Extractive(x) \u2192 Faithful(x))", "label": "True", "example_id": 542} +{"story_id": 189, "premises": "A summarization model is always faithful if it uses content from the input documents.\nExtractive models are summarization models.\nAn extractive model can only use content from the input documents.", "premises-FOL": "\u2200x (Model(x) \u2227 Summarization(x) \u2227 OnlyUseInputDocument(x) \u2192 Faithful(x))\n\u2200x (Model(x) \u2227 Extractive(x) \u2192 Model(x) \u2227 Summarization(x))\n\u2200x (Model(x) \u2227 Extractive(x) \u2192 OnlyUseInputDocument(x))", "conclusion": "Extractive models are not always faithful.", "conclusion-FOL": "\u2203x (Model(x) \u2227 Extractive(x) \u2227 \u00acFaithful(x))", "label": "False", "example_id": 543} +{"story_id": 370, "premises": "If Robin's friends practice coding questions, then they are not studying to go to medical school to become a doctor.\nIf Robin's friends want to work in the software engineering industry, then they practice coding questions.\nIf Robin's friends enjoy healthcare fields and want to help people with medical issues, then they are studying to go to medical school to become a doctor.\nIf Robin's friends grew up with parents who worked as doctors, then they enjoy healthcare fields and want to help people with medical issues.\nIf Robin's friends study hard, then they grew up with parents who worked as doctors.\nMark is Robin's friend.\nIf Mark neither enjoys healthcare fields and wants to help people with medical issues nor grew up with parents who worked as doctors, then Mark is either a person who studies hard or grew up with parents who worked as doctors.", "premises-FOL": "\u2200x (RobinsFriends(x) \u2227 Practice(x, codingQuestion) \u2192 \u00acStudyingToGoToToBecome(x, medicalSchool, doctor))\n\u2200x (RobinsFriends(x) \u2227 WantToWorkIn(x, softwareEngineeringIndustry) \u2192 PracticeCodingQuestions(x))\n\u2200x (RobinsFriends(x) \u2227 Enjoy(x, healthcareField) \u2227 WantToHelp(x, peopleWithMedicalIssue) \u2192 StudyingToGoToToBecome(x, medicalSchool, doctor))\n\u2200x (RobinsFriends(x) \u2227 (\u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z))) \u2192 EnjoyHealthcareFields(x) \u2227 WantToHelp(x, peopleWithMedicalIssue))\n\u2200x (RobinsFriends(x) \u2227 StudyHard(x) \u2192 \u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z)))\nRobinsFriends(mark)\n\u00ac((Enjoy(x, healthcareField) \u2227 WantToHelp(mark, peopleWithMedicalIssues)) \u2227 \u00ac(\u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z))) \u2192 StudyHard(mark) \u2228 (\u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z)))", "conclusion": "Mark is Robin's friend and he is a person who studies hard.", "conclusion-FOL": "RobinsFriends(mark) \u2227 StudyHard(mark)", "label": "Uncertain", "example_id": 984} +{"story_id": 370, "premises": "If Robin's friends practice coding questions, then they are not studying to go to medical school to become a doctor.\nIf Robin's friends want to work in the software engineering industry, then they practice coding questions.\nIf Robin's friends enjoy healthcare fields and want to help people with medical issues, then they are studying to go to medical school to become a doctor.\nIf Robin's friends grew up with parents who worked as doctors, then they enjoy healthcare fields and want to help people with medical issues.\nIf Robin's friends study hard, then they grew up with parents who worked as doctors.\nMark is Robin's friend.\nIf Mark neither enjoys healthcare fields and wants to help people with medical issues nor grew up with parents who worked as doctors, then Mark is either a person who studies hard or grew up with parents who worked as doctors.", "premises-FOL": "\u2200x (RobinsFriends(x) \u2227 Practice(x, codingQuestion) \u2192 \u00acStudyingToGoToToBecome(x, medicalSchool, doctor))\n\u2200x (RobinsFriends(x) \u2227 WantToWorkIn(x, softwareEngineeringIndustry) \u2192 PracticeCodingQuestions(x))\n\u2200x (RobinsFriends(x) \u2227 Enjoy(x, healthcareField) \u2227 WantToHelp(x, peopleWithMedicalIssue) \u2192 StudyingToGoToToBecome(x, medicalSchool, doctor))\n\u2200x (RobinsFriends(x) \u2227 (\u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z))) \u2192 EnjoyHealthcareFields(x) \u2227 WantToHelp(x, peopleWithMedicalIssue))\n\u2200x (RobinsFriends(x) \u2227 StudyHard(x) \u2192 \u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z)))\nRobinsFriends(mark)\n\u00ac((Enjoy(x, healthcareField) \u2227 WantToHelp(mark, peopleWithMedicalIssues)) \u2227 \u00ac(\u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z))) \u2192 StudyHard(mark) \u2228 (\u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z)))", "conclusion": "Mark is Robin's friend and he practices coding questions and wants to work in the software engineering industry.", "conclusion-FOL": "RobinsFriends(mark) \u2227 Practice(mark, codingQuestion) \u2227 WantToWorkIn(mark, softwareEngineeringIndustry)", "label": "False", "example_id": 985} +{"story_id": 370, "premises": "If Robin's friends practice coding questions, then they are not studying to go to medical school to become a doctor.\nIf Robin's friends want to work in the software engineering industry, then they practice coding questions.\nIf Robin's friends enjoy healthcare fields and want to help people with medical issues, then they are studying to go to medical school to become a doctor.\nIf Robin's friends grew up with parents who worked as doctors, then they enjoy healthcare fields and want to help people with medical issues.\nIf Robin's friends study hard, then they grew up with parents who worked as doctors.\nMark is Robin's friend.\nIf Mark neither enjoys healthcare fields and wants to help people with medical issues nor grew up with parents who worked as doctors, then Mark is either a person who studies hard or grew up with parents who worked as doctors.", "premises-FOL": "\u2200x (RobinsFriends(x) \u2227 Practice(x, codingQuestion) \u2192 \u00acStudyingToGoToToBecome(x, medicalSchool, doctor))\n\u2200x (RobinsFriends(x) \u2227 WantToWorkIn(x, softwareEngineeringIndustry) \u2192 PracticeCodingQuestions(x))\n\u2200x (RobinsFriends(x) \u2227 Enjoy(x, healthcareField) \u2227 WantToHelp(x, peopleWithMedicalIssue) \u2192 StudyingToGoToToBecome(x, medicalSchool, doctor))\n\u2200x (RobinsFriends(x) \u2227 (\u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z))) \u2192 EnjoyHealthcareFields(x) \u2227 WantToHelp(x, peopleWithMedicalIssue))\n\u2200x (RobinsFriends(x) \u2227 StudyHard(x) \u2192 \u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z)))\nRobinsFriends(mark)\n\u00ac((Enjoy(x, healthcareField) \u2227 WantToHelp(mark, peopleWithMedicalIssues)) \u2227 \u00ac(\u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z))) \u2192 StudyHard(mark) \u2228 (\u2203y \u2203z (\u00ac(y=z) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z) \u2227 ParentOf(y, x) \u2227 ParentOf(z, x) \u2227 Doctor(y) \u2227 Doctor(z)))", "conclusion": "Mark is Robin's friend and he neither practices coding questions nor works to work in the software engineering industry.", "conclusion-FOL": "RobinsFriends(mark) \u2227 \u00ac(Practice(mark, codingQuestion) \u2228 WantToWorkIn(mark, softwareEngineeringIndustry))", "label": "True", "example_id": 986} +{"story_id": 383, "premises": "People who work at Jess's company and go to the spa frequently are not people who are miserly and need to save a large portion of their income.\nPeople who work at Jess's company are either miserly and need to save a large portion of their income, or frivolously spend a lot of money.\nIf people who work at Jess's company frivolously spend a lot of money when they go out, then they value quality manufacturing and luxury items.\nIf people who work at Jess's company value quality manufacturing and luxury items, then they enjoy shopping for materialistic items in their free time.\nThomas works at Jess's company.\nIf Thomas is not miserly and needs to save a large portion of his income, then Thomas does not value quality manufacturing and luxury items.\nThomas values quality manufacturing and luxury items or he is not miserly.", "premises-FOL": "\u2200x (WorkAt(x, jesssCompany) \u2227 GoToSpafrequently(x) \u2192 \u00ac(Miserly(x) \u2227 NeedToSave(x, aLargePortionOfIncome)))\n\u2200x (WorkAt(x, jesssCompany) \u2192 Miserly(x) \u2227 NeedToSave(x, aLargePortionOfIncome)\u2295 SpendFrivolously(x, aLotOfMoney))\n\u2200x (WorkAt(x, jesssCompany) \u2227 SpendFrivolously(x, aLotOfMoney) \u2192 Value(x, qualityManufacturing) \u2227 Value(x, luxuryItem))\n\u2200x (WorkAt(x, jesssCompany) \u2227 Value(x, qualityManufacturing) \u2227 Value(x, luxuryItem) \u2192 Enjoy(x, shopping, materialisticItem))\nWorkAt(thomas, jesssCompany)\n\u00ac(Miserly(thomas) \u2227 NeedToSave(thomas, aLargePortionOfIncome)) \u2192 \u00ac((Value(thomas, qualityManufacturing) \u2227 Value(thomas, luxuryItem)))\n(Value(thomas, qualityManufacturing) \u2227 Value(thomas, luxuryItem)) \u2228 \u00ac(Miserly(x) \u2227 NeedToSave(x, aLargePortionOfIncome))", "conclusion": "Thomas frivolously spends a lot of money.", "conclusion-FOL": "SpendFrivolously(thomas, aLotOfMoney)", "label": "False", "example_id": 1023} +{"story_id": 383, "premises": "People who work at Jess's company and go to the spa frequently are not people who are miserly and need to save a large portion of their income.\nPeople who work at Jess's company are either miserly and need to save a large portion of their income, or frivolously spend a lot of money.\nIf people who work at Jess's company frivolously spend a lot of money when they go out, then they value quality manufacturing and luxury items.\nIf people who work at Jess's company value quality manufacturing and luxury items, then they enjoy shopping for materialistic items in their free time.\nThomas works at Jess's company.\nIf Thomas is not miserly and needs to save a large portion of his income, then Thomas does not value quality manufacturing and luxury items.\nThomas values quality manufacturing and luxury items or he is not miserly.", "premises-FOL": "\u2200x (WorkAt(x, jesssCompany) \u2227 GoToSpafrequently(x) \u2192 \u00ac(Miserly(x) \u2227 NeedToSave(x, aLargePortionOfIncome)))\n\u2200x (WorkAt(x, jesssCompany) \u2192 Miserly(x) \u2227 NeedToSave(x, aLargePortionOfIncome)\u2295 SpendFrivolously(x, aLotOfMoney))\n\u2200x (WorkAt(x, jesssCompany) \u2227 SpendFrivolously(x, aLotOfMoney) \u2192 Value(x, qualityManufacturing) \u2227 Value(x, luxuryItem))\n\u2200x (WorkAt(x, jesssCompany) \u2227 Value(x, qualityManufacturing) \u2227 Value(x, luxuryItem) \u2192 Enjoy(x, shopping, materialisticItem))\nWorkAt(thomas, jesssCompany)\n\u00ac(Miserly(thomas) \u2227 NeedToSave(thomas, aLargePortionOfIncome)) \u2192 \u00ac((Value(thomas, qualityManufacturing) \u2227 Value(thomas, luxuryItem)))\n(Value(thomas, qualityManufacturing) \u2227 Value(thomas, luxuryItem)) \u2228 \u00ac(Miserly(x) \u2227 NeedToSave(x, aLargePortionOfIncome))", "conclusion": "Thomas either enjoys shopping for materialistic items in his free time or, if he does not, then he goes to the spa frequently.", "conclusion-FOL": "Enjoy(thomas, shopping, materialisticItem) \u2295 GoToSpaFrequently(thomas)", "label": "True", "example_id": 1024} +{"story_id": 383, "premises": "People who work at Jess's company and go to the spa frequently are not people who are miserly and need to save a large portion of their income.\nPeople who work at Jess's company are either miserly and need to save a large portion of their income, or frivolously spend a lot of money.\nIf people who work at Jess's company frivolously spend a lot of money when they go out, then they value quality manufacturing and luxury items.\nIf people who work at Jess's company value quality manufacturing and luxury items, then they enjoy shopping for materialistic items in their free time.\nThomas works at Jess's company.\nIf Thomas is not miserly and needs to save a large portion of his income, then Thomas does not value quality manufacturing and luxury items.\nThomas values quality manufacturing and luxury items or he is not miserly.", "premises-FOL": "\u2200x (WorkAt(x, jesssCompany) \u2227 GoToSpafrequently(x) \u2192 \u00ac(Miserly(x) \u2227 NeedToSave(x, aLargePortionOfIncome)))\n\u2200x (WorkAt(x, jesssCompany) \u2192 Miserly(x) \u2227 NeedToSave(x, aLargePortionOfIncome)\u2295 SpendFrivolously(x, aLotOfMoney))\n\u2200x (WorkAt(x, jesssCompany) \u2227 SpendFrivolously(x, aLotOfMoney) \u2192 Value(x, qualityManufacturing) \u2227 Value(x, luxuryItem))\n\u2200x (WorkAt(x, jesssCompany) \u2227 Value(x, qualityManufacturing) \u2227 Value(x, luxuryItem) \u2192 Enjoy(x, shopping, materialisticItem))\nWorkAt(thomas, jesssCompany)\n\u00ac(Miserly(thomas) \u2227 NeedToSave(thomas, aLargePortionOfIncome)) \u2192 \u00ac((Value(thomas, qualityManufacturing) \u2227 Value(thomas, luxuryItem)))\n(Value(thomas, qualityManufacturing) \u2227 Value(thomas, luxuryItem)) \u2228 \u00ac(Miserly(x) \u2227 NeedToSave(x, aLargePortionOfIncome))", "conclusion": "If Thomas either enjoys shopping for materialistic items in his free time or, if he does not, then he goes to the spa frequently, then Thomas neither values quality manufacturing and luxury items nor goes to the spa frequently.", "conclusion-FOL": "Enjoy(thomas, shopping, materialisticItem) \u2295 GoToSpaFrequently(thomas) \u2192 \u00ac((Value(x, qualityManufacturing) \u2227 Value(x, luxuryItem)) \u2228 GoToSpaFrequently(thomas))", "label": "False", "example_id": 1025} +{"story_id": 220, "premises": "The indie pop band Phoenix has released six albums. \nPhoenix's album \"Wolfgang Amadeus Phoenix\" sold over 500,000 copies. \nA certified gold album or single is one which sold over half a million copies. \n\"1901\" is a single from Phoenix's album \"Wolfgang Amadeus Phoenix.\"\nOver 400,000 copies of \"1901\" have been sold. ", "premises-FOL": "AlbumsReleased(phoenix, 6)\nAlbum(wolfgangamadeusphoenix) \u2227 IsAlbumOf(wolfgangamadeusphoenix, phoenix) \u2227 SoldOver(wolfgangamadeusphoenix, 500,000)\n\u2200x ((Album(x) \u2228 Single(x)) \u2227 SoldOver(x, 500,000) \u2192 CertifiedGold(x))\nSingle(1901) \u2227 From(1901, wolfgangamadeusphoenix) \u2227 By(1901, phoenix)\nSoldOver(l1901, 400,000)", "conclusion": "The album \"Wolfgang Amadeus Phoenix\" is a certified gold album.", "conclusion-FOL": "CertifiedGold(wolfgangamAdeusPhoenix)", "label": "True", "example_id": 624} +{"story_id": 220, "premises": "The indie pop band Phoenix has released six albums. \nPhoenix's album \"Wolfgang Amadeus Phoenix\" sold over 500,000 copies. \nA certified gold album or single is one which sold over half a million copies. \n\"1901\" is a single from Phoenix's album \"Wolfgang Amadeus Phoenix.\"\nOver 400,000 copies of \"1901\" have been sold. ", "premises-FOL": "AlbumsReleased(phoenix, 6)\nAlbum(wolfgangamadeusphoenix) \u2227 IsAlbumOf(wolfgangamadeusphoenix, phoenix) \u2227 SoldOver(wolfgangamadeusphoenix, 500,000)\n\u2200x ((Album(x) \u2228 Single(x)) \u2227 SoldOver(x, 500,000) \u2192 CertifiedGold(x))\nSingle(1901) \u2227 From(1901, wolfgangamadeusphoenix) \u2227 By(1901, phoenix)\nSoldOver(l1901, 400,000)", "conclusion": "The single \"1901\" is a certified gold single.", "conclusion-FOL": "CertifiedGold(1901)", "label": "Uncertain", "example_id": 625} +{"story_id": 5, "premises": "Peter Parker is either a superhero or a civilian.\nThe Hulk is a destroyer.\nThe Hulk wakes up when he is angry.\nIf the Hulk wakes up, then he will break a bridge.\nThor is a god.\nThor will break a bridge when he is happy.\nA god is not a destroyer.\nPeter Parker wears a uniform when he is a superhero.\nPeter Parker is not a civilian if a destroyer is breaking a bridge.\nIf Thor is happy, the Hulk is angry.", "premises-FOL": "Superhero(peterParker) \u2295 Civilian(peterParker)\nDestroyer(theHulk)\nAngry(theHulk) \u2192 WakesUp(theHulk)\nWakesUp(theHulk) \u2192 Breaks(theHulk, bridge)\nGod(thor)\nHappy(thor) \u2192 Breaks(thor, bridge)\n\u2200x (God(x) \u2192 \u00acDestroyer(x))\nSuperhero(peter) \u2192 Wears(peter, uniform)\n\u2200x ((Destroyer(x) \u2227 Breaks(x,bridge)) \u2192 \u00acCivilian(peter))\nHappy(thor) \u2192 Angry(theHulk)", "conclusion": "If the Hulk does not wake up, then Thor is not happy.", "conclusion-FOL": "\u00acWakesUp(theHulk) \u2192 \u00acHappy(thor)", "label": "True", "example_id": 11} +{"story_id": 5, "premises": "Peter Parker is either a superhero or a civilian.\nThe Hulk is a destroyer.\nThe Hulk wakes up when he is angry.\nIf the Hulk wakes up, then he will break a bridge.\nThor is a god.\nThor will break a bridge when he is happy.\nA god is not a destroyer.\nPeter Parker wears a uniform when he is a superhero.\nPeter Parker is not a civilian if a destroyer is breaking a bridge.\nIf Thor is happy, the Hulk is angry.", "premises-FOL": "Superhero(peterParker) \u2295 Civilian(peterParker)\nDestroyer(theHulk)\nAngry(theHulk) \u2192 WakesUp(theHulk)\nWakesUp(theHulk) \u2192 Breaks(theHulk, bridge)\nGod(thor)\nHappy(thor) \u2192 Breaks(thor, bridge)\n\u2200x (God(x) \u2192 \u00acDestroyer(x))\nSuperhero(peter) \u2192 Wears(peter, uniform)\n\u2200x ((Destroyer(x) \u2227 Breaks(x,bridge)) \u2192 \u00acCivilian(peter))\nHappy(thor) \u2192 Angry(theHulk)", "conclusion": "If Thor is happy, then Peter Parker wears a uniform.", "conclusion-FOL": "Happy(thor) \u2192 Wears(peterParker, uniform)", "label": "True", "example_id": 12} +{"story_id": 5, "premises": "Peter Parker is either a superhero or a civilian.\nThe Hulk is a destroyer.\nThe Hulk wakes up when he is angry.\nIf the Hulk wakes up, then he will break a bridge.\nThor is a god.\nThor will break a bridge when he is happy.\nA god is not a destroyer.\nPeter Parker wears a uniform when he is a superhero.\nPeter Parker is not a civilian if a destroyer is breaking a bridge.\nIf Thor is happy, the Hulk is angry.", "premises-FOL": "Superhero(peterParker) \u2295 Civilian(peterParker)\nDestroyer(theHulk)\nAngry(theHulk) \u2192 WakesUp(theHulk)\nWakesUp(theHulk) \u2192 Breaks(theHulk, bridge)\nGod(thor)\nHappy(thor) \u2192 Breaks(thor, bridge)\n\u2200x (God(x) \u2192 \u00acDestroyer(x))\nSuperhero(peter) \u2192 Wears(peter, uniform)\n\u2200x ((Destroyer(x) \u2227 Breaks(x,bridge)) \u2192 \u00acCivilian(peter))\nHappy(thor) \u2192 Angry(theHulk)", "conclusion": "If Thor is not happy, then no bridge will be broken.", "conclusion-FOL": "\u00acHappy(thor) \u2192 \u00acBreaks(thor, bridge)", "label": "Uncertain", "example_id": 13} +{"story_id": 85, "premises": "Diethylcarbamazine is a medication discovered in the year 1947.\nDiethylcarbamazine can be used to treat river blindness.\nThe only preferred treatment for river blindness is ivermectin.\nDiethylcarbamazine is not ivermectin.", "premises-FOL": "Medication(diethylcarbamazine) \u2227 DiscoversIn(diethylcarbamazine, yr1947)\nTreats(diethylcarbamazine, riverBlindness)\nPreferredTreatmentFor(riverBlindness, ivermectin)\n\u00ac(Is(diethylcarbamazine, ivermectin))", "conclusion": "Diethylcarbamazine is not preferred for the treatment of river blindness.", "conclusion-FOL": "\u00ac(PreferredTreatmentFor(riverBlindness, diethylcarbamazine))", "label": "True", "example_id": 258} +{"story_id": 85, "premises": "Diethylcarbamazine is a medication discovered in the year 1947.\nDiethylcarbamazine can be used to treat river blindness.\nThe only preferred treatment for river blindness is ivermectin.\nDiethylcarbamazine is not ivermectin.", "premises-FOL": "Medication(diethylcarbamazine) \u2227 DiscoversIn(diethylcarbamazine, yr1947)\nTreats(diethylcarbamazine, riverBlindness)\nPreferredTreatmentFor(riverBlindness, ivermectin)\n\u00ac(Is(diethylcarbamazine, ivermectin))", "conclusion": "Diethylcarbamazine was often used to treat river blindness.", "conclusion-FOL": "Treats(diethylcarbamazine, riverBlindness)", "label": "Uncertain", "example_id": 259} +{"story_id": 85, "premises": "Diethylcarbamazine is a medication discovered in the year 1947.\nDiethylcarbamazine can be used to treat river blindness.\nThe only preferred treatment for river blindness is ivermectin.\nDiethylcarbamazine is not ivermectin.", "premises-FOL": "Medication(diethylcarbamazine) \u2227 DiscoversIn(diethylcarbamazine, yr1947)\nTreats(diethylcarbamazine, riverBlindness)\nPreferredTreatmentFor(riverBlindness, ivermectin)\n\u00ac(Is(diethylcarbamazine, ivermectin))", "conclusion": "Diethylcarbamazine is used in the treatment of filariasis.", "conclusion-FOL": "Treats(diethylcarbamazine, filariasis)", "label": "Uncertain", "example_id": 260} +{"story_id": 392, "premises": "All prime numbers are natural numbers.\nAll integers are real numbers. \nAll real numbers are complex numbers. \nOne is a prime number or a natural number or both.\nIf one is not a complex number, then one is a prime number and an integer.", "premises-FOL": "\u2200x (PrimeNumber(x) \u2192 NaturalNumber(x)) \n\u2200x (Integer(x) \u2192 RealNumber(x))\n\u2200x (RealNumber(x) \u2192 ComplexNumber(x)) \nPrimeNumber(one) \u2228 NaturalNumber(one)\n\u00acComplexNumber(one) \u2192 (PrimeNumber(one) \u2227 Integer(one))", "conclusion": "One is a real number.", "conclusion-FOL": "RealNumber(one)", "label": "Uncertain", "example_id": 1057} +{"story_id": 392, "premises": "All prime numbers are natural numbers.\nAll integers are real numbers. \nAll real numbers are complex numbers. \nOne is a prime number or a natural number or both.\nIf one is not a complex number, then one is a prime number and an integer.", "premises-FOL": "\u2200x (PrimeNumber(x) \u2192 NaturalNumber(x)) \n\u2200x (Integer(x) \u2192 RealNumber(x))\n\u2200x (RealNumber(x) \u2192 ComplexNumber(x)) \nPrimeNumber(one) \u2228 NaturalNumber(one)\n\u00acComplexNumber(one) \u2192 (PrimeNumber(one) \u2227 Integer(one))", "conclusion": "One is a prime number and a natural number.", "conclusion-FOL": "PrimeNumber(one) \u2227 NaturalNumber(one)", "label": "True", "example_id": 1058} +{"story_id": 392, "premises": "All prime numbers are natural numbers.\nAll integers are real numbers. \nAll real numbers are complex numbers. \nOne is a prime number or a natural number or both.\nIf one is not a complex number, then one is a prime number and an integer.", "premises-FOL": "\u2200x (PrimeNumber(x) \u2192 NaturalNumber(x)) \n\u2200x (Integer(x) \u2192 RealNumber(x))\n\u2200x (RealNumber(x) \u2192 ComplexNumber(x)) \nPrimeNumber(one) \u2228 NaturalNumber(one)\n\u00acComplexNumber(one) \u2192 (PrimeNumber(one) \u2227 Integer(one))", "conclusion": "One is either a prime number or a natural number.", "conclusion-FOL": "PrimeNumber(one) \u2295 NaturalNumber(one)", "label": "False", "example_id": 1059} +{"story_id": 387, "premises": "If some diseases require a medical diagnosis, then lab tests or imaging is required. \nAll rare diseases require a medical diagnosis.\nIf a disease is mild, then no lab tests or imaging is required. \nAll blood cancers are rare diseases.\nAll types of leukemia are diseases and blood cancers. \nBladder cancer is a disease and is blood cancer or Leukemia.", "premises-FOL": "\u2200x (Disease(x) \u2227 Require(x, medicalDiagnosis) \u2192 RequiredFor(labTest, x) \u2228 RequiredFor(imaging, x)) \n\u2200x (RareDisease(x) \u2192 Require(x, medicalDiagnosis))\n\u2200x (Disease(x) \u2227 Mild(x) \u2192 \u00ac(RequiredFor(labTest, x) \u2228 RequiredFor(imaging, x))) \n\u2200x (BloodCancer(x) \u2192 RareDiseases(x))\n\u2200x (Disease(x) \u2227 Leukemia(x) \u2192 BloodCancer(x))\nDisease(bladderCancer) \u2227 (BloodCancer(bladderCancer) \u2228 Leukemia(bladderCancer))", "conclusion": "Bladder cancer is a mild disease.", "conclusion-FOL": "Mild(bladderCancer)", "label": "False", "example_id": 1035} +{"story_id": 387, "premises": "If some diseases require a medical diagnosis, then lab tests or imaging is required. \nAll rare diseases require a medical diagnosis.\nIf a disease is mild, then no lab tests or imaging is required. \nAll blood cancers are rare diseases.\nAll types of leukemia are diseases and blood cancers. \nBladder cancer is a disease and is blood cancer or Leukemia.", "premises-FOL": "\u2200x (Disease(x) \u2227 Require(x, medicalDiagnosis) \u2192 RequiredFor(labTest, x) \u2228 RequiredFor(imaging, x)) \n\u2200x (RareDisease(x) \u2192 Require(x, medicalDiagnosis))\n\u2200x (Disease(x) \u2227 Mild(x) \u2192 \u00ac(RequiredFor(labTest, x) \u2228 RequiredFor(imaging, x))) \n\u2200x (BloodCancer(x) \u2192 RareDiseases(x))\n\u2200x (Disease(x) \u2227 Leukemia(x) \u2192 BloodCancer(x))\nDisease(bladderCancer) \u2227 (BloodCancer(bladderCancer) \u2228 Leukemia(bladderCancer))", "conclusion": "Bladder cancer is Leukemia.", "conclusion-FOL": "Leukemia(bladderCancer)", "label": "Uncertain", "example_id": 1036} +{"story_id": 387, "premises": "If some diseases require a medical diagnosis, then lab tests or imaging is required. \nAll rare diseases require a medical diagnosis.\nIf a disease is mild, then no lab tests or imaging is required. \nAll blood cancers are rare diseases.\nAll types of leukemia are diseases and blood cancers. \nBladder cancer is a disease and is blood cancer or Leukemia.", "premises-FOL": "\u2200x (Disease(x) \u2227 Require(x, medicalDiagnosis) \u2192 RequiredFor(labTest, x) \u2228 RequiredFor(imaging, x)) \n\u2200x (RareDisease(x) \u2192 Require(x, medicalDiagnosis))\n\u2200x (Disease(x) \u2227 Mild(x) \u2192 \u00ac(RequiredFor(labTest, x) \u2228 RequiredFor(imaging, x))) \n\u2200x (BloodCancer(x) \u2192 RareDiseases(x))\n\u2200x (Disease(x) \u2227 Leukemia(x) \u2192 BloodCancer(x))\nDisease(bladderCancer) \u2227 (BloodCancer(bladderCancer) \u2228 Leukemia(bladderCancer))", "conclusion": "Bladder cancer is either a rare disease or a mild disease.", "conclusion-FOL": "RareDisease(bladderCancer) \u2295 Mild(bladderCancer)", "label": "True", "example_id": 1037} +{"story_id": 390, "premises": "There are no elements with atomic number between 61-63 that are not scarce in China.\nNon-rare earth elements are not scarce in China.\nAll elements are either non-rare earth elements or rare earth elements. \nAll rare earth elements can be used for industry.\nAll rare earth elements are essential for exploring future directions of electronics.\nLithium is either a non-rare earth element and essential for exploring future directions of electronics, or is not a non-rare earth element and is not essential for exploring future directions of electronics.", "premises-FOL": "\u2200x ((Element(x) \u2227 \u2203y(Between(y, num61, num63) \u2227 AtomicNumber(x, y))) \u2192 ScarceIn(x, china))\n\u2200x (\u00acRareEarthElement(x) \u2192 \u00acScarceIn(x, china)) \n\u2200x (\u00acRareEarthElement(x) \u2295 RareEarthElement(x)) \n\u2200x (RareEarthElement(x) \u2192 UsedIn(x, industry)) \n\u2200x (RareEarthElement(x) \u2192 EssentialFor(x, electronics))\n\u00ac(\u00acRareEarthElement(lithium) \u2295 EssentialFor(lithium, electronics))", "conclusion": "Lithium is a rare earth element.", "conclusion-FOL": "RareEarthElement(lithium)", "label": "Uncertain", "example_id": 1044} +{"story_id": 390, "premises": "There are no elements with atomic number between 61-63 that are not scarce in China.\nNon-rare earth elements are not scarce in China.\nAll elements are either non-rare earth elements or rare earth elements. \nAll rare earth elements can be used for industry.\nAll rare earth elements are essential for exploring future directions of electronics.\nLithium is either a non-rare earth element and essential for exploring future directions of electronics, or is not a non-rare earth element and is not essential for exploring future directions of electronics.", "premises-FOL": "\u2200x ((Element(x) \u2227 \u2203y(Between(y, num61, num63) \u2227 AtomicNumber(x, y))) \u2192 ScarceIn(x, china))\n\u2200x (\u00acRareEarthElement(x) \u2192 \u00acScarceIn(x, china)) \n\u2200x (\u00acRareEarthElement(x) \u2295 RareEarthElement(x)) \n\u2200x (RareEarthElement(x) \u2192 UsedIn(x, industry)) \n\u2200x (RareEarthElement(x) \u2192 EssentialFor(x, electronics))\n\u00ac(\u00acRareEarthElement(lithium) \u2295 EssentialFor(lithium, electronics))", "conclusion": "Lithium is an element with atomic number between 61-63 and is used for batteries.", "conclusion-FOL": "Element(x) \u2227 \u2203y(Between(y, num61, num63) \u2227 AtomicNumber(x, y)) \u2227 UsedFor(lithium, batteries)", "label": "False", "example_id": 1045} +{"story_id": 390, "premises": "There are no elements with atomic number between 61-63 that are not scarce in China.\nNon-rare earth elements are not scarce in China.\nAll elements are either non-rare earth elements or rare earth elements. \nAll rare earth elements can be used for industry.\nAll rare earth elements are essential for exploring future directions of electronics.\nLithium is either a non-rare earth element and essential for exploring future directions of electronics, or is not a non-rare earth element and is not essential for exploring future directions of electronics.", "premises-FOL": "\u2200x ((Element(x) \u2227 \u2203y(Between(y, num61, num63) \u2227 AtomicNumber(x, y))) \u2192 ScarceIn(x, china))\n\u2200x (\u00acRareEarthElement(x) \u2192 \u00acScarceIn(x, china)) \n\u2200x (\u00acRareEarthElement(x) \u2295 RareEarthElement(x)) \n\u2200x (RareEarthElement(x) \u2192 UsedIn(x, industry)) \n\u2200x (RareEarthElement(x) \u2192 EssentialFor(x, electronics))\n\u00ac(\u00acRareEarthElement(lithium) \u2295 EssentialFor(lithium, electronics))", "conclusion": "If Lithium is not essential for exploring future directions of electronics or an element with atomic number between 61-63, then Lithium is not a non-rare earth element or usable in industry.", "conclusion-FOL": "\u00ac(EssentialFor(lithium, electronics) \u2295 (\u2203y(Between(y, num61, num63) \u2227 AtomicNumber(lithium, y)))) \u2192 \u00ac(\u00acRareEarthMetals(lithium) \u2228 UsedIn(lithium, industry))", "label": "True", "example_id": 1046} +{"story_id": 332, "premises": "If people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.", "premises-FOL": "\u2200x (\u00acCleanOften(x, home) \u2192 \u00acHave(x, tidyHouse))\n\u2200x (\u00acPrioritize(x, cleaning) \u2192 \u00acCleanOften(x, home))\n\u2200x (Hire(x, maid) \u2228 Hire(x, cleaningService) \u2192 Have(x, tidyHouse))\n\u2200x (\u00acCareAbout(x, cleanliness) \u2192 \u00acPrioritize(x, cleaning))\n\u00ac(Hire(x, maid) \u2228 Hire(x, cleaningService)) \u2295 \u00acCleanOften(jack, home))", "conclusion": "Jack doesn't care about cleanliness.", "conclusion-FOL": "\u00ac(CareAbout(jack, cleanliness))", "label": "False", "example_id": 858} +{"story_id": 332, "premises": "If people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.", "premises-FOL": "\u2200x (\u00acCleanOften(x, home) \u2192 \u00acHave(x, tidyHouse))\n\u2200x (\u00acPrioritize(x, cleaning) \u2192 \u00acCleanOften(x, home))\n\u2200x (Hire(x, maid) \u2228 Hire(x, cleaningService) \u2192 Have(x, tidyHouse))\n\u2200x (\u00acCareAbout(x, cleanliness) \u2192 \u00acPrioritize(x, cleaning))\n\u00ac(Hire(x, maid) \u2228 Hire(x, cleaningService)) \u2295 \u00acCleanOften(jack, home))", "conclusion": "Jack does care about cleanliness.", "conclusion-FOL": "CareAbout(jack, cleanliness)", "label": "True", "example_id": 859} +{"story_id": 332, "premises": "If people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.", "premises-FOL": "\u2200x (\u00acCleanOften(x, home) \u2192 \u00acHave(x, tidyHouse))\n\u2200x (\u00acPrioritize(x, cleaning) \u2192 \u00acCleanOften(x, home))\n\u2200x (Hire(x, maid) \u2228 Hire(x, cleaningService) \u2192 Have(x, tidyHouse))\n\u2200x (\u00acCareAbout(x, cleanliness) \u2192 \u00acPrioritize(x, cleaning))\n\u00ac(Hire(x, maid) \u2228 Hire(x, cleaningService)) \u2295 \u00acCleanOften(jack, home))", "conclusion": "Jack has a tidy house.", "conclusion-FOL": "Have(jack, tidyHouse)", "label": "Uncertain", "example_id": 860} +{"story_id": 332, "premises": "If people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.", "premises-FOL": "\u2200x (\u00acCleanOften(x, home) \u2192 \u00acHave(x, tidyHouse))\n\u2200x (\u00acPrioritize(x, cleaning) \u2192 \u00acCleanOften(x, home))\n\u2200x (Hire(x, maid) \u2228 Hire(x, cleaningService) \u2192 Have(x, tidyHouse))\n\u2200x (\u00acCareAbout(x, cleanliness) \u2192 \u00acPrioritize(x, cleaning))\n\u00ac(Hire(x, maid) \u2228 Hire(x, cleaningService)) \u2295 \u00acCleanOften(jack, home))", "conclusion": "Jack neither lives in the suburbs nor is too busy to clean.", "conclusion-FOL": "\u00ac(\u00acCareAbout(jack, cleanliness) \u2228 \u00acCleanOften(jack, home)", "label": "True", "example_id": 861} +{"story_id": 332, "premises": "If people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.", "premises-FOL": "\u2200x (\u00acCleanOften(x, home) \u2192 \u00acHave(x, tidyHouse))\n\u2200x (\u00acPrioritize(x, cleaning) \u2192 \u00acCleanOften(x, home))\n\u2200x (Hire(x, maid) \u2228 Hire(x, cleaningService) \u2192 Have(x, tidyHouse))\n\u2200x (\u00acCareAbout(x, cleanliness) \u2192 \u00acPrioritize(x, cleaning))\n\u00ac(Hire(x, maid) \u2228 Hire(x, cleaningService)) \u2295 \u00acCleanOften(jack, home))", "conclusion": "Jack is overburdened and lives in the suburbs.", "conclusion-FOL": "\u00acPrioritize(jack, cleaning) \u2228 \u00acCareAbout(jack, cleanliness)", "label": "False", "example_id": 862} +{"story_id": 278, "premises": "The bottle not falling is either standing upright or toppled over. \nThe bottle not falling is not standing upright.", "premises-FOL": "\u00acFalling(bottle) \u2192 (Upright(bottle) \u2295 ToppledOver(bottle))\n\u00acFalling(bottle) \u2192 \u00acUpright(bottle)", "conclusion": "The bottle not falling is toppled over.", "conclusion-FOL": "\u00acFalling(bottle) \u2192 ToppleOver(bottle)", "label": "True", "example_id": 722} +{"story_id": 359, "premises": "Everyone who chooses what they want to do with their time has flexible schedules.\nEveryone with a lot of free time chooses what they want to do with their time.\nPeople either have a lot of free time or they invest in a career in which they are willing to spend the rest of their lives.\nIf people invest in a career in which they are willing to spend the rest of their lives, then they are hardworking individuals with high ambitions and goals for the future. \nIf people are hardworking individuals with high ambitions and goals for the future, then they are not short sighted.\nJohn is not either a hardworking individual with high ambitions and goals for the future or has a flexible schedule.", "premises-FOL": "\u2200x (ChooseWhatToDoWith(x, time) \u2192 FlexibleSchedule(x))\n\u2200x (Have(x, lotsOfFreetime) \u2192 ChooseWhatToDoWith(x, time))\n\u2200x (Have(x, lotsOfFreetime) \u2295 (\u2203y (InvestIn(x, y) \u2227 Career(y) \u2227 WillingToSpendIn(restOfLife, y))))\n\u2200x (\u2203y (InvestIn(x, y) \u2227 Career(y) \u2227 WillingToSpendIn(restOfLife, y)) \u2192 Hardworking(x))\n\u2200x (Hardworking(x) \u2227 HaveFor(x, highAmbition, future) \u2227 HaveFor(x, goal, future) \u2192 \u00acShortSighted(x))\n\u00ac((Hardworking(john) \u2227 HaveFor(john, highAmbition, future) \u2227 HaveFor(john, goal, future)) \u2295 FlexibleSchedule(john))", "conclusion": "John is short sighted.", "conclusion-FOL": "Organized(john)", "label": "False", "example_id": 952} +{"story_id": 359, "premises": "Everyone who chooses what they want to do with their time has flexible schedules.\nEveryone with a lot of free time chooses what they want to do with their time.\nPeople either have a lot of free time or they invest in a career in which they are willing to spend the rest of their lives.\nIf people invest in a career in which they are willing to spend the rest of their lives, then they are hardworking individuals with high ambitions and goals for the future. \nIf people are hardworking individuals with high ambitions and goals for the future, then they are not short sighted.\nJohn is not either a hardworking individual with high ambitions and goals for the future or has a flexible schedule.", "premises-FOL": "\u2200x (ChooseWhatToDoWith(x, time) \u2192 FlexibleSchedule(x))\n\u2200x (Have(x, lotsOfFreetime) \u2192 ChooseWhatToDoWith(x, time))\n\u2200x (Have(x, lotsOfFreetime) \u2295 (\u2203y (InvestIn(x, y) \u2227 Career(y) \u2227 WillingToSpendIn(restOfLife, y))))\n\u2200x (\u2203y (InvestIn(x, y) \u2227 Career(y) \u2227 WillingToSpendIn(restOfLife, y)) \u2192 Hardworking(x))\n\u2200x (Hardworking(x) \u2227 HaveFor(x, highAmbition, future) \u2227 HaveFor(x, goal, future) \u2192 \u00acShortSighted(x))\n\u00ac((Hardworking(john) \u2227 HaveFor(john, highAmbition, future) \u2227 HaveFor(john, goal, future)) \u2295 FlexibleSchedule(john))", "conclusion": "John chooses what he want to do with his time.", "conclusion-FOL": "ChooseWhatToDoWith(john, time)", "label": "Uncertain", "example_id": 953} +{"story_id": 359, "premises": "Everyone who chooses what they want to do with their time has flexible schedules.\nEveryone with a lot of free time chooses what they want to do with their time.\nPeople either have a lot of free time or they invest in a career in which they are willing to spend the rest of their lives.\nIf people invest in a career in which they are willing to spend the rest of their lives, then they are hardworking individuals with high ambitions and goals for the future. \nIf people are hardworking individuals with high ambitions and goals for the future, then they are not short sighted.\nJohn is not either a hardworking individual with high ambitions and goals for the future or has a flexible schedule.", "premises-FOL": "\u2200x (ChooseWhatToDoWith(x, time) \u2192 FlexibleSchedule(x))\n\u2200x (Have(x, lotsOfFreetime) \u2192 ChooseWhatToDoWith(x, time))\n\u2200x (Have(x, lotsOfFreetime) \u2295 (\u2203y (InvestIn(x, y) \u2227 Career(y) \u2227 WillingToSpendIn(restOfLife, y))))\n\u2200x (\u2203y (InvestIn(x, y) \u2227 Career(y) \u2227 WillingToSpendIn(restOfLife, y)) \u2192 Hardworking(x))\n\u2200x (Hardworking(x) \u2227 HaveFor(x, highAmbition, future) \u2227 HaveFor(x, goal, future) \u2192 \u00acShortSighted(x))\n\u00ac((Hardworking(john) \u2227 HaveFor(john, highAmbition, future) \u2227 HaveFor(john, goal, future)) \u2295 FlexibleSchedule(john))", "conclusion": "John is either a hardworking individual with high ambitions and goals for the future or is short sighted.", "conclusion-FOL": "(Hardworking(john) \u2227 HaveFor(john, highAmbition, future) \u2227 HaveFor(john, goal, future)) \u2295 ShortSighted(john)", "label": "True", "example_id": 954} +{"story_id": 78, "premises": "Ableton has an office in Germany.\nAbleton has an office in the USA.\nUSA and Germany are different countries.\nAny company that has offices in different countries is a multinational company.\nAbleton makes music software.", "premises-FOL": "OfficeIn(ableton, germany)\nOfficeIn(ableton, unitedStates)\n\u00acSameCountry(germany, unitedStates)\n\u2200x \u2200y \u2200z (OfficeIn(x, y) \u2227 OfficeIn(x, z) \u2227 (\u00acSameCountry(y, z)) \u2192 MultinationalCompany(x))\nMakesMusicSoftware(ableton)", "conclusion": "Ableton is a multinational company.", "conclusion-FOL": "MultinationalCompany(ableton)", "label": "True", "example_id": 237} +{"story_id": 78, "premises": "Ableton has an office in Germany.\nAbleton has an office in the USA.\nUSA and Germany are different countries.\nAny company that has offices in different countries is a multinational company.\nAbleton makes music software.", "premises-FOL": "OfficeIn(ableton, germany)\nOfficeIn(ableton, unitedStates)\n\u00acSameCountry(germany, unitedStates)\n\u2200x \u2200y \u2200z (OfficeIn(x, y) \u2227 OfficeIn(x, z) \u2227 (\u00acSameCountry(y, z)) \u2192 MultinationalCompany(x))\nMakesMusicSoftware(ableton)", "conclusion": "Ableton makes AI software.", "conclusion-FOL": "MakesAISoftware(ableton)", "label": "Uncertain", "example_id": 238} +{"story_id": 78, "premises": "Ableton has an office in Germany.\nAbleton has an office in the USA.\nUSA and Germany are different countries.\nAny company that has offices in different countries is a multinational company.\nAbleton makes music software.", "premises-FOL": "OfficeIn(ableton, germany)\nOfficeIn(ableton, unitedStates)\n\u00acSameCountry(germany, unitedStates)\n\u2200x \u2200y \u2200z (OfficeIn(x, y) \u2227 OfficeIn(x, z) \u2227 (\u00acSameCountry(y, z)) \u2192 MultinationalCompany(x))\nMakesMusicSoftware(ableton)", "conclusion": "Ableton does not have an office in Germany.", "conclusion-FOL": "\u00acOfficeIn(ableton, germany)", "label": "False", "example_id": 239} +{"story_id": 450, "premises": "Those who can fly over a vast distance glide in the air. \nFlightless birds cannot fly over a vast distance. \nPenguins are flightless birds. \nNonflying birds in Antarctica are penguins. \nFido is a penguin, or flies over a vast distance. ", "premises-FOL": "\u2200x (FlyOver(x, vastDistance) \u2192 GlideInAir(x))\n\u2200x (Flightless(x) \u2227 Bird(x) \u2192 \u00acFlyOver(x, vastDistance))\n\u2200x (Penguin(x) \u2192 Flightless(x) \u2227 Bird(x))\n\u2200x (NonFlying(x) \u2227 Bird(x) \u2227 In(x, antarctica) \u2192 Penguin(x))\nPenguin(fido) \u2228 FlyOver(fido, vastDistance)", "conclusion": "Fido is a flightless bird", "conclusion-FOL": "Flightless(fido) \u2227 Bird(fido)", "label": "Uncertain", "example_id": 1295} +{"story_id": 450, "premises": "Those who can fly over a vast distance glide in the air. \nFlightless birds cannot fly over a vast distance. \nPenguins are flightless birds. \nNonflying birds in Antarctica are penguins. \nFido is a penguin, or flies over a vast distance. ", "premises-FOL": "\u2200x (FlyOver(x, vastDistance) \u2192 GlideInAir(x))\n\u2200x (Flightless(x) \u2227 Bird(x) \u2192 \u00acFlyOver(x, vastDistance))\n\u2200x (Penguin(x) \u2192 Flightless(x) \u2227 Bird(x))\n\u2200x (NonFlying(x) \u2227 Bird(x) \u2227 In(x, antarctica) \u2192 Penguin(x))\nPenguin(fido) \u2228 FlyOver(fido, vastDistance)", "conclusion": "Fido is not a nonflying bird in Antarctica, and he cannot glid in the air.", "conclusion-FOL": "\u00ac(NonFlying(fido) \u2227 Bird(fido) \u2227 In(fido, antarctica)) \u2227 \u00acGlideInAir(fido)", "label": "False", "example_id": 1296} +{"story_id": 450, "premises": "Those who can fly over a vast distance glide in the air. \nFlightless birds cannot fly over a vast distance. \nPenguins are flightless birds. \nNonflying birds in Antarctica are penguins. \nFido is a penguin, or flies over a vast distance. ", "premises-FOL": "\u2200x (FlyOver(x, vastDistance) \u2192 GlideInAir(x))\n\u2200x (Flightless(x) \u2227 Bird(x) \u2192 \u00acFlyOver(x, vastDistance))\n\u2200x (Penguin(x) \u2192 Flightless(x) \u2227 Bird(x))\n\u2200x (NonFlying(x) \u2227 Bird(x) \u2227 In(x, antarctica) \u2192 Penguin(x))\nPenguin(fido) \u2228 FlyOver(fido, vastDistance)", "conclusion": "If Fido either can fly over a vast distance or cannot fly over a vast distance, then Fido is a nonflying bird in Antartica.", "conclusion-FOL": "(FlyOver(fido, vastDistance) \u2295 \u00acFlyOver(fido, vastDistance)) \u2192 (NonFlying(fido) \u2227 Bird(fido) \u2227 In(fido, antarctica))", "label": "True", "example_id": 1297} +{"story_id": 469, "premises": "All members of the university faculty are professors.\nAll principal investigators are members of the university faculty.\nNo professor is also an undergraduate student.\nAnyone pursuing a bachelor's degree is an undergraduate student.\nLeon is not pursuing a bachelor's degree, and he is not a principal investigator.\nIf Leon is not pursuing a bachelor's degree, then he is a professor.", "premises-FOL": "\u2200x (MemberOf(x, universityFaculty) \u2192 Professor(x))\n\u2200x (PrincipalInvestigator(x) \u2192 MemberOf(x, universityFaculty))\n\u2200x (Professor(x) \u2192 \u00acUndergraduateStudent(x))\n\u2200x (Pursuing(x, bachelor) \u2192 UndergraduateStudent(x))\n\u00ac(Pursuing(leon, bachelor) \u2295 PrincipalInvestigator(leon))\n\u00acPursuing(leon, bachelor) \u2192 Professor(leon)", "conclusion": "Leon is a member of university faculty.", "conclusion-FOL": "MemberOf(leon, universityFaculty)", "label": "Uncertain", "example_id": 1354} +{"story_id": 469, "premises": "All members of the university faculty are professors.\nAll principal investigators are members of the university faculty.\nNo professor is also an undergraduate student.\nAnyone pursuing a bachelor's degree is an undergraduate student.\nLeon is not pursuing a bachelor's degree, and he is not a principal investigator.\nIf Leon is not pursuing a bachelor's degree, then he is a professor.", "premises-FOL": "\u2200x (MemberOf(x, universityFaculty) \u2192 Professor(x))\n\u2200x (PrincipalInvestigator(x) \u2192 MemberOf(x, universityFaculty))\n\u2200x (Professor(x) \u2192 \u00acUndergraduateStudent(x))\n\u2200x (Pursuing(x, bachelor) \u2192 UndergraduateStudent(x))\n\u00ac(Pursuing(leon, bachelor) \u2295 PrincipalInvestigator(leon))\n\u00acPursuing(leon, bachelor) \u2192 Professor(leon)", "conclusion": "Leon is neither an undergraduate student nor a principal investigator.", "conclusion-FOL": "\u00acUndergraduateStudent(leon) \u2227 \u00acPrincipalInvestigator(leon)", "label": "True", "example_id": 1355} +{"story_id": 469, "premises": "All members of the university faculty are professors.\nAll principal investigators are members of the university faculty.\nNo professor is also an undergraduate student.\nAnyone pursuing a bachelor's degree is an undergraduate student.\nLeon is not pursuing a bachelor's degree, and he is not a principal investigator.\nIf Leon is not pursuing a bachelor's degree, then he is a professor.", "premises-FOL": "\u2200x (MemberOf(x, universityFaculty) \u2192 Professor(x))\n\u2200x (PrincipalInvestigator(x) \u2192 MemberOf(x, universityFaculty))\n\u2200x (Professor(x) \u2192 \u00acUndergraduateStudent(x))\n\u2200x (Pursuing(x, bachelor) \u2192 UndergraduateStudent(x))\n\u00ac(Pursuing(leon, bachelor) \u2295 PrincipalInvestigator(leon))\n\u00acPursuing(leon, bachelor) \u2192 Professor(leon)", "conclusion": "If leon is not a principal investigator, then Leon is an undergraduate student.", "conclusion-FOL": "\u00acPrincipalInvestigator(leon) \u2192 UndergraduateStudent(leon)", "label": "False", "example_id": 1356} +{"story_id": 114, "premises": "A cutman is responsible for preventing and treating physical damage to a fighter.\nCutmen appear in boxing matches, kickboxing matches, or mixed martial arts matches bout. \nCutmen handle swelling, nosebleeds and lacerations. \nJack is a cutman.", "premises-FOL": "\u2200x (Cutman(x) \u2192 Prevent(x, physicalDamageToAFighter) \u2227 Treat(x, physicalDamageToAFighter))\n\u2200x (Cutman(x) \u2192 AppearIn(x, boxingMatch) \u2228 AppearIn(x, kickboxingMatch) \u2228 AppearIn(x, mixedMartialArtsMatchBout))\n\u2200x (Cutman(x) \u2192 Handle(x, swelling) \u2227 Handle(x, nosebleed) \u2227 Handle(x, laceration))\nCutman(jack)", "conclusion": "No cutmen appear in boxing matches.", "conclusion-FOL": "\u00ac(\u2203x (Cutman(x) \u2227 AppearIn(x, boxingMatch)))", "label": "Uncertain", "example_id": 344} +{"story_id": 114, "premises": "A cutman is responsible for preventing and treating physical damage to a fighter.\nCutmen appear in boxing matches, kickboxing matches, or mixed martial arts matches bout. \nCutmen handle swelling, nosebleeds and lacerations. \nJack is a cutman.", "premises-FOL": "\u2200x (Cutman(x) \u2192 Prevent(x, physicalDamageToAFighter) \u2227 Treat(x, physicalDamageToAFighter))\n\u2200x (Cutman(x) \u2192 AppearIn(x, boxingMatch) \u2228 AppearIn(x, kickboxingMatch) \u2228 AppearIn(x, mixedMartialArtsMatchBout))\n\u2200x (Cutman(x) \u2192 Handle(x, swelling) \u2227 Handle(x, nosebleed) \u2227 Handle(x, laceration))\nCutman(jack)", "conclusion": "If someone is not a cutman, then they cannot handle nosebleeds.", "conclusion-FOL": "\u2200x (\u00acCutman(x) \u2192 \u00acHandle(x, nosebleed))", "label": "Uncertain", "example_id": 345} +{"story_id": 114, "premises": "A cutman is responsible for preventing and treating physical damage to a fighter.\nCutmen appear in boxing matches, kickboxing matches, or mixed martial arts matches bout. \nCutmen handle swelling, nosebleeds and lacerations. \nJack is a cutman.", "premises-FOL": "\u2200x (Cutman(x) \u2192 Prevent(x, physicalDamageToAFighter) \u2227 Treat(x, physicalDamageToAFighter))\n\u2200x (Cutman(x) \u2192 AppearIn(x, boxingMatch) \u2228 AppearIn(x, kickboxingMatch) \u2228 AppearIn(x, mixedMartialArtsMatchBout))\n\u2200x (Cutman(x) \u2192 Handle(x, swelling) \u2227 Handle(x, nosebleed) \u2227 Handle(x, laceration))\nCutman(jack)", "conclusion": "Jack is responsible for treating physical damage to a fighter.", "conclusion-FOL": "Treat(jack, physicalDamageToAFighter)", "label": "True", "example_id": 346} +{"story_id": 170, "premises": "The Mona Lisa is a world's best-known painting.\nThe Mona Lisa is a portrait painted by Leonardo da Vinci.\nLeonardo da Vinci was a scientist and painter.\nPainting genres can be history, portrait, animal, landscape, and still life.", "premises-FOL": "Painting(monaLisa) \u2227 TheWorldsBestKnown(monaLisa)\nPaintedBy(monaLisa, leonardodaVinci) \u2227 Portrait(monaLisa)\nScientist(leonardodaVinci) \u2227 Painter(leonardodaVinci)\n\u2200x (Painting(x) \u2192 (History(x) \u2228 Portrait(x) \u2228 Animal(x) \u2228 Landscape(x) \u2228 StillLife(x)))", "conclusion": "A world's best-known artwork is painted by a scientist.", "conclusion-FOL": "\u2203x \u2203y (Painting(x) \u2227 TheWorldsBestKnown(x) \u2227 PaintedBy(x, y) \u2227 Scientist(y))", "label": "True", "example_id": 488} +{"story_id": 170, "premises": "The Mona Lisa is a world's best-known painting.\nThe Mona Lisa is a portrait painted by Leonardo da Vinci.\nLeonardo da Vinci was a scientist and painter.\nPainting genres can be history, portrait, animal, landscape, and still life.", "premises-FOL": "Painting(monaLisa) \u2227 TheWorldsBestKnown(monaLisa)\nPaintedBy(monaLisa, leonardodaVinci) \u2227 Portrait(monaLisa)\nScientist(leonardodaVinci) \u2227 Painter(leonardodaVinci)\n\u2200x (Painting(x) \u2192 (History(x) \u2228 Portrait(x) \u2228 Animal(x) \u2228 Landscape(x) \u2228 StillLife(x)))", "conclusion": "Leonardo da Vinci has artworks in the landscape genre.", "conclusion-FOL": "\u2203x (PaintedBy(x, leonardodaVinci) \u2227 Landscape(x))", "label": "Uncertain", "example_id": 489} +{"story_id": 170, "premises": "The Mona Lisa is a world's best-known painting.\nThe Mona Lisa is a portrait painted by Leonardo da Vinci.\nLeonardo da Vinci was a scientist and painter.\nPainting genres can be history, portrait, animal, landscape, and still life.", "premises-FOL": "Painting(monaLisa) \u2227 TheWorldsBestKnown(monaLisa)\nPaintedBy(monaLisa, leonardodaVinci) \u2227 Portrait(monaLisa)\nScientist(leonardodaVinci) \u2227 Painter(leonardodaVinci)\n\u2200x (Painting(x) \u2192 (History(x) \u2228 Portrait(x) \u2228 Animal(x) \u2228 Landscape(x) \u2228 StillLife(x)))", "conclusion": "No world's best-known artworks are portraits.", "conclusion-FOL": "\u2200x (WorldsBestKnown(x) \u2192 \u00acPortrait(x))", "label": "False", "example_id": 490} +{"story_id": 339, "premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", "premises-FOL": "\u2200x (ProfessionalTennisUmpire(x) \u2192 \u00acProfessionalTennisPlayer(x))\n\u2200x (WorldTourPlayer(x) \u2192 ProfessionalTennisPlayer(x))\n\u2200x (GrandSlamChampion(x) \u2192 WorldTourPlayer(x))\n\u2200x (GrandSlamUmpire(x) \u2192 ProfessionalTennisUmpire(x))\nWorldTourPlayer(nadal) \u2228 GrandSlamChampion(nadal)", "conclusion": "Nadal is a Grand Slam umpire.", "conclusion-FOL": "GrandSlamUmpire(nadal)", "label": "False", "example_id": 887} +{"story_id": 339, "premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", "premises-FOL": "\u2200x (ProfessionalTennisUmpire(x) \u2192 \u00acProfessionalTennisPlayer(x))\n\u2200x (WorldTourPlayer(x) \u2192 ProfessionalTennisPlayer(x))\n\u2200x (GrandSlamChampion(x) \u2192 WorldTourPlayer(x))\n\u2200x (GrandSlamUmpire(x) \u2192 ProfessionalTennisUmpire(x))\nWorldTourPlayer(nadal) \u2228 GrandSlamChampion(nadal)", "conclusion": "Nadal is not a Grand Slam umpire.", "conclusion-FOL": "\u00acGrandSlamUmpire(nadal)", "label": "True", "example_id": 888} +{"story_id": 339, "premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", "premises-FOL": "\u2200x (ProfessionalTennisUmpire(x) \u2192 \u00acProfessionalTennisPlayer(x))\n\u2200x (WorldTourPlayer(x) \u2192 ProfessionalTennisPlayer(x))\n\u2200x (GrandSlamChampion(x) \u2192 WorldTourPlayer(x))\n\u2200x (GrandSlamUmpire(x) \u2192 ProfessionalTennisUmpire(x))\nWorldTourPlayer(nadal) \u2228 GrandSlamChampion(nadal)", "conclusion": "Nadal is a Grand Slam champion.", "conclusion-FOL": "GrandSlamChampion(nadal)", "label": "Uncertain", "example_id": 889} +{"story_id": 339, "premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", "premises-FOL": "\u2200x (ProfessionalTennisUmpire(x) \u2192 \u00acProfessionalTennisPlayer(x))\n\u2200x (WorldTourPlayer(x) \u2192 ProfessionalTennisPlayer(x))\n\u2200x (GrandSlamChampion(x) \u2192 WorldTourPlayer(x))\n\u2200x (GrandSlamUmpire(x) \u2192 ProfessionalTennisUmpire(x))\nWorldTourPlayer(nadal) \u2228 GrandSlamChampion(nadal)", "conclusion": "Nadal is neither a Grand Slam umpire nor a professional tennis umpire.", "conclusion-FOL": "\u00ac(GrandSlamUmpire(nadal) \u2228 ProfessionalTennisUmpire(nadal))", "label": "True", "example_id": 890} +{"story_id": 339, "premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", "premises-FOL": "\u2200x (ProfessionalTennisUmpire(x) \u2192 \u00acProfessionalTennisPlayer(x))\n\u2200x (WorldTourPlayer(x) \u2192 ProfessionalTennisPlayer(x))\n\u2200x (GrandSlamChampion(x) \u2192 WorldTourPlayer(x))\n\u2200x (GrandSlamUmpire(x) \u2192 ProfessionalTennisUmpire(x))\nWorldTourPlayer(nadal) \u2228 GrandSlamChampion(nadal)", "conclusion": "If Nadal is a professional tennis umpire, then Nadal is a Grand Slam Umpire.", "conclusion-FOL": "ProfessionalTennisUmpire(nadal) \u2192 GrandSlamUmpire(nadal)", "label": "True", "example_id": 891} +{"story_id": 339, "premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", "premises-FOL": "\u2200x (ProfessionalTennisUmpire(x) \u2192 \u00acProfessionalTennisPlayer(x))\n\u2200x (WorldTourPlayer(x) \u2192 ProfessionalTennisPlayer(x))\n\u2200x (GrandSlamChampion(x) \u2192 WorldTourPlayer(x))\n\u2200x (GrandSlamUmpire(x) \u2192 ProfessionalTennisUmpire(x))\nWorldTourPlayer(nadal) \u2228 GrandSlamChampion(nadal)", "conclusion": "If Nadal is a Grand Slam umpire or a professional tennis player, then Nadal is a Grand Slam umpire.", "conclusion-FOL": "GrandSlamUmpire(nadal) \u2228 ProfessionalTennisPlayer(nadal) \u2192 GrandSlamUmpire(nadal)", "label": "False", "example_id": 892} +{"story_id": 123, "premises": "Businesses are either sanctioned or unsanctioned.\nSanctioned businesses are limited.\nUnsanctioned businesses are free.\nThe Crude Oil Data Exchange is a business that isn't free.", "premises-FOL": "\u2200x (Buisness(x) \u2192 Sanctioned(x) \u2295 \u00acSanctioned(x))\n\u2200x (Buisness(x) \u2227 Sanctioned(x) \u2192 Limited(x))\n\u2200x (Buisness(x) \u2227 \u00acSanctioned(x) \u2192 Free(x))\nBuisness(crudeOilDataExchange) \u2227 \u00acFree(crudeOilDataExchange)", "conclusion": "Crude Oil Data Exchange is sanctioned.", "conclusion-FOL": "Sanctioned(crudeOilDataExchange)", "label": "True", "example_id": 367} +{"story_id": 123, "premises": "Businesses are either sanctioned or unsanctioned.\nSanctioned businesses are limited.\nUnsanctioned businesses are free.\nThe Crude Oil Data Exchange is a business that isn't free.", "premises-FOL": "\u2200x (Buisness(x) \u2192 Sanctioned(x) \u2295 \u00acSanctioned(x))\n\u2200x (Buisness(x) \u2227 Sanctioned(x) \u2192 Limited(x))\n\u2200x (Buisness(x) \u2227 \u00acSanctioned(x) \u2192 Free(x))\nBuisness(crudeOilDataExchange) \u2227 \u00acFree(crudeOilDataExchange)", "conclusion": "Crude Oil Data Exchange is unsanctioned.", "conclusion-FOL": "\u00acSanctioned(crudeOilDataExchange)", "label": "False", "example_id": 368} +{"story_id": 123, "premises": "Businesses are either sanctioned or unsanctioned.\nSanctioned businesses are limited.\nUnsanctioned businesses are free.\nThe Crude Oil Data Exchange is a business that isn't free.", "premises-FOL": "\u2200x (Buisness(x) \u2192 Sanctioned(x) \u2295 \u00acSanctioned(x))\n\u2200x (Buisness(x) \u2227 Sanctioned(x) \u2192 Limited(x))\n\u2200x (Buisness(x) \u2227 \u00acSanctioned(x) \u2192 Free(x))\nBuisness(crudeOilDataExchange) \u2227 \u00acFree(crudeOilDataExchange)", "conclusion": "Crude Oil Data Exchange is limited.", "conclusion-FOL": "Limited(crudeOilDataExchange)", "label": "True", "example_id": 369} +{"story_id": 301, "premises": "When something is depressing, it is sad.\nThe end of a relationship is depressing. ", "premises-FOL": "\u2200x (Depressing(x) \u2192 Sad(x))\nDepressing(v)", "conclusion": "The end of a relationship is invigorating", "conclusion-FOL": "Invigorating(v)", "label": "Uncertain", "example_id": 745} +{"story_id": 103, "premises": "Palstaves are a type of early bronze axe.\nPalstaves are found in northern, western, and southwestern Europe and are cast in molds.\nJohn Evans is an archeologist who popularized the term \"palstave.\"\nPaalstabs are not a type of axe but rather a digging shovel.", "premises-FOL": "EarlyBronzeAge(palstave) \u2227 Axe(palstave)\nFoundIn(palstave, northernEurope) \u2228 FoundIn(palstave, westernEurope) \u2228 FoundIn(palstave, southWesternEurope)) \u2227 CastIn(palstave, molds)\nArcheologist(johnEvans) \u2227 Popularize(johnEvans, termPalstave)\n\u00acAxe(paalstab) \u2227 DiggingShovel(paalstab)", "conclusion": "John Evans Popularized the term paalstab.", "conclusion-FOL": "Popularized(johnEvans, termPalstave)", "label": "Uncertain", "example_id": 313} +{"story_id": 103, "premises": "Palstaves are a type of early bronze axe.\nPalstaves are found in northern, western, and southwestern Europe and are cast in molds.\nJohn Evans is an archeologist who popularized the term \"palstave.\"\nPaalstabs are not a type of axe but rather a digging shovel.", "premises-FOL": "EarlyBronzeAge(palstave) \u2227 Axe(palstave)\nFoundIn(palstave, northernEurope) \u2228 FoundIn(palstave, westernEurope) \u2228 FoundIn(palstave, southWesternEurope)) \u2227 CastIn(palstave, molds)\nArcheologist(johnEvans) \u2227 Popularize(johnEvans, termPalstave)\n\u00acAxe(paalstab) \u2227 DiggingShovel(paalstab)", "conclusion": "There is an axe that is found in Western Europe.", "conclusion-FOL": "\u2203x (Axe(x) \u2227 FoundIn(x, westernEurope))", "label": "Uncertain", "example_id": 314} +{"story_id": 103, "premises": "Palstaves are a type of early bronze axe.\nPalstaves are found in northern, western, and southwestern Europe and are cast in molds.\nJohn Evans is an archeologist who popularized the term \"palstave.\"\nPaalstabs are not a type of axe but rather a digging shovel.", "premises-FOL": "EarlyBronzeAge(palstave) \u2227 Axe(palstave)\nFoundIn(palstave, northernEurope) \u2228 FoundIn(palstave, westernEurope) \u2228 FoundIn(palstave, southWesternEurope)) \u2227 CastIn(palstave, molds)\nArcheologist(johnEvans) \u2227 Popularize(johnEvans, termPalstave)\n\u00acAxe(paalstab) \u2227 DiggingShovel(paalstab)", "conclusion": "Archeologists haven't popularized anything.", "conclusion-FOL": "\u2200x \u2200y (Archeologist(x) \u2192 \u00acPopularize(x, y))", "label": "False", "example_id": 315} +{"story_id": 90, "premises": "Koei Tecmo is a Japanese video game and anime holding company.\nHolding companies hold several companies.\nTecmo was disbanded in Japan, while Koei survived but was renamed.\nVideo game holding companies are holding companies.", "premises-FOL": "Japanese(koeitecmo) \u2227 VideoGameHoldingCompany(koeitecmo) \u2227 AnimeHoldingCompany(koeitecmo) \u2227 HoldingCompany(x) \n\u2200x (HoldingCompany(x) \u2192 \u2203y(Company(y) \u2227 Holds(x, y)))\nDisbandsIn(tecmo, japan) \u2227 Survives(koei) \u2227 Renames(koei)\n\u2200x (VideoGameHoldingCompany(x) \u2192 HoldingCompany(x))", "conclusion": "Koei Tecmo holds another company.", "conclusion-FOL": "\u2203x (Company(x) \u2227 Holds(koeitecmo, x))", "label": "True", "example_id": 273} +{"story_id": 90, "premises": "Koei Tecmo is a Japanese video game and anime holding company.\nHolding companies hold several companies.\nTecmo was disbanded in Japan, while Koei survived but was renamed.\nVideo game holding companies are holding companies.", "premises-FOL": "Japanese(koeitecmo) \u2227 VideoGameHoldingCompany(koeitecmo) \u2227 AnimeHoldingCompany(koeitecmo) \u2227 HoldingCompany(x) \n\u2200x (HoldingCompany(x) \u2192 \u2203y(Company(y) \u2227 Holds(x, y)))\nDisbandsIn(tecmo, japan) \u2227 Survives(koei) \u2227 Renames(koei)\n\u2200x (VideoGameHoldingCompany(x) \u2192 HoldingCompany(x))", "conclusion": "Tecmo holds another company.", "conclusion-FOL": "\u2203x (Company(x) \u2227 Holds(tecmo, x))", "label": "Uncertain", "example_id": 274} +{"story_id": 90, "premises": "Koei Tecmo is a Japanese video game and anime holding company.\nHolding companies hold several companies.\nTecmo was disbanded in Japan, while Koei survived but was renamed.\nVideo game holding companies are holding companies.", "premises-FOL": "Japanese(koeitecmo) \u2227 VideoGameHoldingCompany(koeitecmo) \u2227 AnimeHoldingCompany(koeitecmo) \u2227 HoldingCompany(x) \n\u2200x (HoldingCompany(x) \u2192 \u2203y(Company(y) \u2227 Holds(x, y)))\nDisbandsIn(tecmo, japan) \u2227 Survives(koei) \u2227 Renames(koei)\n\u2200x (VideoGameHoldingCompany(x) \u2192 HoldingCompany(x))", "conclusion": "Koei Tecmo holds anime.", "conclusion-FOL": "AnimeHoldingCompany(koeitecmo)", "label": "Uncertain", "example_id": 275} +{"story_id": 199, "premises": "The PlayStation EyeToy is a camera accessory for the PlayStation 2 system. \nThe PlayStation Eye is a camera accessory for the PlayStation 3 system.\nThe PlayStation Camera is a camera accessory for the PlayStation 4 and the PlayStation 5 systems.\nCamera accessories for a system are compatible with that system.\nPlaystation 2, 3,4, and 5 are all different.\nOnly the PlayStation Camera camera system is compatible with different systems.", "premises-FOL": "System(playStation2) \u2227 CameraAccessoryFor(playStationEyeToy, playStation2)\nSystem(playStation3) \u2227 CameraAccessoryFor(playStationEye, playStation3) \nSystem(playStation4) \u2227 System(playStation5) \u2227 CameraAccessoryFor(playStationCamera, playStation4) \u2227 CameraAccessoryFor(playStationCamera, playStation5)\n\u2200x \u2200y (CameraAccessoryFor(x, y) \u2227 System(y) \u2192 CompatibleWith(x, y))\n\u00ac(playStation2=playStation3) \u2227 \u00ac(playStation2=playStation4) \u2227 \u00ac(playStation2=playStation5) \u2227 \u00ac(playStation3=playStation4) \u2227 \u00ac(playStation3=playStation5) \u2227 \u00ac(playStation4=playStation5)\n\u2200x \u2203y \u2203z (System(y) \u2227 System(z) \u2227 \u00ac(y=z) \u2227 CompatibleWith(x, y) \u2227 CompatibleWith(x, z) \u2192 x=playstationCamera)", "conclusion": "The Playstation Eye is compatible with the PlayStation 2 and the PlayStation 3.", "conclusion-FOL": "Compatible(playStationEye, playStation2) \u2227 Compatible(playStationEye, playStation3)", "label": "False", "example_id": 566} +{"story_id": 199, "premises": "The PlayStation EyeToy is a camera accessory for the PlayStation 2 system. \nThe PlayStation Eye is a camera accessory for the PlayStation 3 system.\nThe PlayStation Camera is a camera accessory for the PlayStation 4 and the PlayStation 5 systems.\nCamera accessories for a system are compatible with that system.\nPlaystation 2, 3,4, and 5 are all different.\nOnly the PlayStation Camera camera system is compatible with different systems.", "premises-FOL": "System(playStation2) \u2227 CameraAccessoryFor(playStationEyeToy, playStation2)\nSystem(playStation3) \u2227 CameraAccessoryFor(playStationEye, playStation3) \nSystem(playStation4) \u2227 System(playStation5) \u2227 CameraAccessoryFor(playStationCamera, playStation4) \u2227 CameraAccessoryFor(playStationCamera, playStation5)\n\u2200x \u2200y (CameraAccessoryFor(x, y) \u2227 System(y) \u2192 CompatibleWith(x, y))\n\u00ac(playStation2=playStation3) \u2227 \u00ac(playStation2=playStation4) \u2227 \u00ac(playStation2=playStation5) \u2227 \u00ac(playStation3=playStation4) \u2227 \u00ac(playStation3=playStation5) \u2227 \u00ac(playStation4=playStation5)\n\u2200x \u2203y \u2203z (System(y) \u2227 System(z) \u2227 \u00ac(y=z) \u2227 CompatibleWith(x, y) \u2227 CompatibleWith(x, z) \u2192 x=playstationCamera)", "conclusion": "The Playstation EyeToy is compatible with the PlayStation 2.", "conclusion-FOL": "Compatible(playStationEyeToy, playStation2)", "label": "True", "example_id": 567} +{"story_id": 199, "premises": "The PlayStation EyeToy is a camera accessory for the PlayStation 2 system. \nThe PlayStation Eye is a camera accessory for the PlayStation 3 system.\nThe PlayStation Camera is a camera accessory for the PlayStation 4 and the PlayStation 5 systems.\nCamera accessories for a system are compatible with that system.\nPlaystation 2, 3,4, and 5 are all different.\nOnly the PlayStation Camera camera system is compatible with different systems.", "premises-FOL": "System(playStation2) \u2227 CameraAccessoryFor(playStationEyeToy, playStation2)\nSystem(playStation3) \u2227 CameraAccessoryFor(playStationEye, playStation3) \nSystem(playStation4) \u2227 System(playStation5) \u2227 CameraAccessoryFor(playStationCamera, playStation4) \u2227 CameraAccessoryFor(playStationCamera, playStation5)\n\u2200x \u2200y (CameraAccessoryFor(x, y) \u2227 System(y) \u2192 CompatibleWith(x, y))\n\u00ac(playStation2=playStation3) \u2227 \u00ac(playStation2=playStation4) \u2227 \u00ac(playStation2=playStation5) \u2227 \u00ac(playStation3=playStation4) \u2227 \u00ac(playStation3=playStation5) \u2227 \u00ac(playStation4=playStation5)\n\u2200x \u2203y \u2203z (System(y) \u2227 System(z) \u2227 \u00ac(y=z) \u2227 CompatibleWith(x, y) \u2227 CompatibleWith(x, z) \u2192 x=playstationCamera)", "conclusion": "The Playstation Camera can be used for all Playstation consoles.", "conclusion-FOL": "Compatible(playStationCamera, playStation2) \u2227 Compatible(playStationCamera, playStation3) \u2227 Compatible(playStationCamera, playStation4) \u2227 Compatible(playStationCamera, playStation5)", "label": "Uncertain", "example_id": 568} +{"story_id": 274, "premises": "Adam Buska is a European football player.\nIf a European plays football, they play what Americans call soccer.", "premises-FOL": "FootballPlayer(adamBuska) \u2227 European(adamBuska)\n\u2200x (FootballPlayer(x) \u2227 European(x) \u2192 \u2203y (Call(american, y, soccer) \u2227 Play(x, y)))", "conclusion": "Adam Buska plays what Americans call soccer.", "conclusion-FOL": "\u2203y (Call(american, y, soccer) \u2227 Play(adamBuska, y))", "label": "True", "example_id": 718} +{"story_id": 411, "premises": "If a game is one of the top-3 best selling video-games, then it is multiplatform.\nIf a game has sold more than 100 million copies, then it is one of the top-3 best-selling video games.\nSome games that support Windows are developed by Nintendo.\nAll multiplatform games can be played on a wide range of devices.\nPokemon Diamond version is neither developed by Nintendo nor can be played on a wide range of devices.", "premises-FOL": "\u2200x (ATop3BestSellingVideoGame(x) \u2192 Multiplatform(x))\n\u2200x (SoldMoreThan100MillionCopies(x) \u2192 ATop3BestSellingVideoGame(x))\n\u2203x ((SupportsWindows(x) \u2227 AGameDevelopedByNintendo(x)))\n\u2200x (Multiplatform(x) \u2192 CanBePlayedOnAWideRangeOfDevices(x))\n\u00ac(DevelopedByNintendo(PokemonDiamond) \u2228 CanBePlayedOnAWideRangeOfDevices(PokemonDiamond))", "conclusion": "Pokemon Diamond version supports Windows.", "conclusion-FOL": "Game(PokemonDiamond) \u2227 SupportsWindows(PokemonDiamond)", "label": "Uncertain", "example_id": 1152} +{"story_id": 411, "premises": "If a game is one of the top-3 best selling video-games, then it is multiplatform.\nIf a game has sold more than 100 million copies, then it is one of the top-3 best-selling video games.\nSome games that support Windows are developed by Nintendo.\nAll multiplatform games can be played on a wide range of devices.\nPokemon Diamond version is neither developed by Nintendo nor can be played on a wide range of devices.", "premises-FOL": "\u2200x (ATop3BestSellingVideoGame(x) \u2192 Multiplatform(x))\n\u2200x (SoldMoreThan100MillionCopies(x) \u2192 ATop3BestSellingVideoGame(x))\n\u2203x ((SupportsWindows(x) \u2227 AGameDevelopedByNintendo(x)))\n\u2200x (Multiplatform(x) \u2192 CanBePlayedOnAWideRangeOfDevices(x))\n\u00ac(DevelopedByNintendo(PokemonDiamond) \u2228 CanBePlayedOnAWideRangeOfDevices(PokemonDiamond))", "conclusion": "Pokemon Diamond version supports Windows and has sold more than 100 million copies.", "conclusion-FOL": "(Game(PokemonDiamond) \u2227 SupportsWindows(PokemonDiamond)) \u2227 (Game(PokemonDiamond) \u2227 SoldMoreThan100MillionCopies(PokemonDiamond))", "label": "False", "example_id": 1153} +{"story_id": 411, "premises": "If a game is one of the top-3 best selling video-games, then it is multiplatform.\nIf a game has sold more than 100 million copies, then it is one of the top-3 best-selling video games.\nSome games that support Windows are developed by Nintendo.\nAll multiplatform games can be played on a wide range of devices.\nPokemon Diamond version is neither developed by Nintendo nor can be played on a wide range of devices.", "premises-FOL": "\u2200x (ATop3BestSellingVideoGame(x) \u2192 Multiplatform(x))\n\u2200x (SoldMoreThan100MillionCopies(x) \u2192 ATop3BestSellingVideoGame(x))\n\u2203x ((SupportsWindows(x) \u2227 AGameDevelopedByNintendo(x)))\n\u2200x (Multiplatform(x) \u2192 CanBePlayedOnAWideRangeOfDevices(x))\n\u00ac(DevelopedByNintendo(PokemonDiamond) \u2228 CanBePlayedOnAWideRangeOfDevices(PokemonDiamond))", "conclusion": "If Pokemon Diamond version either supports Windows or has sold more than 100 million copies, then Pokemon Diamond version either is both multiplatform and one of the top-3 best selling video games, or is neither multiplatform nor one of the top-3 best selling video games.", "conclusion-FOL": "((Game(PokemonDiamond) \u2227 SupportsWindows(PokemonDiamond)) \u2295 ((Game(PokemonDiamond) v (SoldMoreThan100MillionCopies(PokemonDiamond))) \u2192 (Multiplatform(PokemonDiamond) \u2227 (Game(PokemonDiamond) \u2227 ATop3BestSellingVideoGame(PokemonDiamond))) \u2295 (\u00acMultiplatform(PokemonDiamond) \u2227 \u00ac(Game(PokemonDiamond) \u2227 ATop3BestSellingVideoGame(PokemonDiamond)))", "label": "True", "example_id": 1154} +{"story_id": 206, "premises": "China is one of the BRICS, and its economy is emerging.\nIf someone is from China, then they are from a country of BRICS.\nIndia is one of the BRICS, and its economy is emerging.\nIf someone is from India, then they are in a country of BRICS.\nAll people from China are Chinese people.\nAll people from India are Indian people.\nThere is a person from India.", "premises-FOL": "\u2203x (BRIC(x) \u2227 \u00ac(x=china) \u2227 BRIC(china) \u2227 Emerging(chinaEconomy))\n\u2200x (From(x, china) \u2192 From(x, bric))\nBRIC(india) \u2227 Emerging(indiaEconomy)\n\u2200x (From(x, india) \u2192 From(x, bric))\n\u2200x (From(x, china) \u2192 Chinese(x))\n\u2200x (From(x, india) \u2192 Indian(x))\n\u2203x (From(x, india))", "conclusion": "No people from BRICS are Indian people.", "conclusion-FOL": "\u2200x (From(x, countryOfBRICS) \u2192 \u00acIndianPeople(x))", "label": "False", "example_id": 589} +{"story_id": 206, "premises": "China is one of the BRICS, and its economy is emerging.\nIf someone is from China, then they are from a country of BRICS.\nIndia is one of the BRICS, and its economy is emerging.\nIf someone is from India, then they are in a country of BRICS.\nAll people from China are Chinese people.\nAll people from India are Indian people.\nThere is a person from India.", "premises-FOL": "\u2203x (BRIC(x) \u2227 \u00ac(x=china) \u2227 BRIC(china) \u2227 Emerging(chinaEconomy))\n\u2200x (From(x, china) \u2192 From(x, bric))\nBRIC(india) \u2227 Emerging(indiaEconomy)\n\u2200x (From(x, india) \u2192 From(x, bric))\n\u2200x (From(x, china) \u2192 Chinese(x))\n\u2200x (From(x, india) \u2192 Indian(x))\n\u2203x (From(x, india))", "conclusion": "India's economy is not emerging.", "conclusion-FOL": "EmergingEconomy(india)", "label": "False", "example_id": 590} +{"story_id": 206, "premises": "China is one of the BRICS, and its economy is emerging.\nIf someone is from China, then they are from a country of BRICS.\nIndia is one of the BRICS, and its economy is emerging.\nIf someone is from India, then they are in a country of BRICS.\nAll people from China are Chinese people.\nAll people from India are Indian people.\nThere is a person from India.", "premises-FOL": "\u2203x (BRIC(x) \u2227 \u00ac(x=china) \u2227 BRIC(china) \u2227 Emerging(chinaEconomy))\n\u2200x (From(x, china) \u2192 From(x, bric))\nBRIC(india) \u2227 Emerging(indiaEconomy)\n\u2200x (From(x, india) \u2192 From(x, bric))\n\u2200x (From(x, china) \u2192 Chinese(x))\n\u2200x (From(x, india) \u2192 Indian(x))\n\u2203x (From(x, india))", "conclusion": "There is an Indian people from BRICS.", "conclusion-FOL": "\u2203x (IndianPeople(x) \u2227 From(x, countryOfBRICS))", "label": "True", "example_id": 591} +{"story_id": 87, "premises": "Daveed Diggs is an actor and film producer.\nDaveed Diggs played two roles in the musical Hamilton on Broadway.\nOne of the actors from Hamilton won the best actor award.\nThe actor playing Thomas Jefferson won the best actor award.\nDaveed Diggs played Thomas Jefferson.\nMusicals on Broadway are not films.", "premises-FOL": "Actor(daveedDiggs) \u2227 FilmProducer(daveedDiggs)\n\u2203x \u2203y(PlaysIn(daveedDiggs, x, hamilton) \u2227 (\u00ac(x=y)) \u2227 PlaysIn(daveedDiggs, y, hamilton)) \u2227 OnBroadway(hamilton) \u2227 Musical(hamilton)\n\u2203x \u2203y(Actor(x) \u2227 PlaysIn(x, y, hamilton) \u2227 Wins(x, bestActorAward))\n\u2203x (Actor(x) \u2227 PlaysIn(x, thomasJefferson, hamilton) \u2227 Wins(x, bestActorAward))\nPlays(daveedDiggs, thomasJefferson)\n\u2200x ((Musical(x) \u2227 OnBroadway(x)) \u2192 \u00acFilm(x))", "conclusion": "Hamilton is a film.", "conclusion-FOL": "Film(hamilton)", "label": "False", "example_id": 264} +{"story_id": 87, "premises": "Daveed Diggs is an actor and film producer.\nDaveed Diggs played two roles in the musical Hamilton on Broadway.\nOne of the actors from Hamilton won the best actor award.\nThe actor playing Thomas Jefferson won the best actor award.\nDaveed Diggs played Thomas Jefferson.\nMusicals on Broadway are not films.", "premises-FOL": "Actor(daveedDiggs) \u2227 FilmProducer(daveedDiggs)\n\u2203x \u2203y(PlaysIn(daveedDiggs, x, hamilton) \u2227 (\u00ac(x=y)) \u2227 PlaysIn(daveedDiggs, y, hamilton)) \u2227 OnBroadway(hamilton) \u2227 Musical(hamilton)\n\u2203x \u2203y(Actor(x) \u2227 PlaysIn(x, y, hamilton) \u2227 Wins(x, bestActorAward))\n\u2203x (Actor(x) \u2227 PlaysIn(x, thomasJefferson, hamilton) \u2227 Wins(x, bestActorAward))\nPlays(daveedDiggs, thomasJefferson)\n\u2200x ((Musical(x) \u2227 OnBroadway(x)) \u2192 \u00acFilm(x))", "conclusion": "Daveed Diggs won the best actor award.", "conclusion-FOL": "Wins(daveedDiggs, bestActorAward)", "label": "True", "example_id": 265} +{"story_id": 87, "premises": "Daveed Diggs is an actor and film producer.\nDaveed Diggs played two roles in the musical Hamilton on Broadway.\nOne of the actors from Hamilton won the best actor award.\nThe actor playing Thomas Jefferson won the best actor award.\nDaveed Diggs played Thomas Jefferson.\nMusicals on Broadway are not films.", "premises-FOL": "Actor(daveedDiggs) \u2227 FilmProducer(daveedDiggs)\n\u2203x \u2203y(PlaysIn(daveedDiggs, x, hamilton) \u2227 (\u00ac(x=y)) \u2227 PlaysIn(daveedDiggs, y, hamilton)) \u2227 OnBroadway(hamilton) \u2227 Musical(hamilton)\n\u2203x \u2203y(Actor(x) \u2227 PlaysIn(x, y, hamilton) \u2227 Wins(x, bestActorAward))\n\u2203x (Actor(x) \u2227 PlaysIn(x, thomasJefferson, hamilton) \u2227 Wins(x, bestActorAward))\nPlays(daveedDiggs, thomasJefferson)\n\u2200x ((Musical(x) \u2227 OnBroadway(x)) \u2192 \u00acFilm(x))", "conclusion": "Hamilton won two awards.", "conclusion-FOL": "\u2203x \u2203y(Wins(hamilton, x) \u2227 (\u00ac(x=y)) \u2227 Wins(hamilton, y))", "label": "Uncertain", "example_id": 266} +{"story_id": 221, "premises": "Ernest Pohl was a Polish football player. \nA football player in the Polish First Division has scored over 180 goals. \nErnest Pohl scored more than 180 goals in the Polish First Division. \nG\u00f3rnik Zabrze's stadium was named after a soccer player from Ruda \u015al\u0105ska. \nErnest Pohl is from Ruda \u015al\u0105ska. ", "premises-FOL": "Polish(ernestPohl) \u2227 FootballPlayer(ernestPohl)\n\u2203x (FootballPlayer(x) \u2227 In(x, polishFirstDivision) \u2227 ScoredOver(x, 180Goals))\nIn(ernestPohl, polishFirstDivision) \u2227 ScoredOver(ernestPohl, 180Goals)\n\u2203x \u2203y (GornikZabrzes(x) \u2227 Stadium(x) \u2227 NamedAfter(x, y) \u2227 SoccerPlayer(y) \u2227 From(y, ruda\u015al\u0105ska))\nFrom(ernestPohl, ruda\u015al\u0105ska))", "conclusion": "Ernest Pohl has not scored more than 180 goals.", "conclusion-FOL": "\u00acScoredOver(ernestPohl, 180Goals)", "label": "False", "example_id": 626} +{"story_id": 221, "premises": "Ernest Pohl was a Polish football player. \nA football player in the Polish First Division has scored over 180 goals. \nErnest Pohl scored more than 180 goals in the Polish First Division. \nG\u00f3rnik Zabrze's stadium was named after a soccer player from Ruda \u015al\u0105ska. \nErnest Pohl is from Ruda \u015al\u0105ska. ", "premises-FOL": "Polish(ernestPohl) \u2227 FootballPlayer(ernestPohl)\n\u2203x (FootballPlayer(x) \u2227 In(x, polishFirstDivision) \u2227 ScoredOver(x, 180Goals))\nIn(ernestPohl, polishFirstDivision) \u2227 ScoredOver(ernestPohl, 180Goals)\n\u2203x \u2203y (GornikZabrzes(x) \u2227 Stadium(x) \u2227 NamedAfter(x, y) \u2227 SoccerPlayer(y) \u2227 From(y, ruda\u015al\u0105ska))\nFrom(ernestPohl, ruda\u015al\u0105ska))", "conclusion": "G\u00f3rnik Zabrze's stadium was named after Ernest Pohl.", "conclusion-FOL": "\u2200x (GornikZabrzes(x) \u2227 Stadium(x) \u2192 NamedAfter(x, ernestPohl))", "label": "Uncertain", "example_id": 627} +{"story_id": 142, "premises": "Ann J. Land was a member of the Philadelphia City Council and the Democratic Party.\nAnn J. Land ran unopposed for the Philadelphia City Council in 1980.\nPeople who run unopposed for the Philadelphia City Council are elected to the positions they run for in the same year.\nMichael Nutter was a political challenger.\nAnn J. Land defeated Michael Nutter and ran for the Philadelphia City Council in 1987.", "premises-FOL": "MemberOf(annJLand, philadelphiaCityCouncil) \u2227 MemberOf(annJLand, democraticParty)\nRunUnopposedFor(ann, philadelphiaCityCouncil, year1980)\n\u2200x \u2200y (RunUnopposedFor(x, philadelphiaCityCouncil, y) \u2192 ElectedTo(x, philadelphiaCityCouncil, y))\nPoliticalChallenger(michaelNutter)\nDefeat(annJLand, michaelNutter) \u2227 RunFor(annJLand, philadelphiaCityCouncil, year1987)", "conclusion": "Ann J. Land was elected to the Philadelphia City Council in 1980.", "conclusion-FOL": "ElectedTo(ann, philadelphiaCityCouncil, year1980)", "label": "True", "example_id": 416} +{"story_id": 142, "premises": "Ann J. Land was a member of the Philadelphia City Council and the Democratic Party.\nAnn J. Land ran unopposed for the Philadelphia City Council in 1980.\nPeople who run unopposed for the Philadelphia City Council are elected to the positions they run for in the same year.\nMichael Nutter was a political challenger.\nAnn J. Land defeated Michael Nutter and ran for the Philadelphia City Council in 1987.", "premises-FOL": "MemberOf(annJLand, philadelphiaCityCouncil) \u2227 MemberOf(annJLand, democraticParty)\nRunUnopposedFor(ann, philadelphiaCityCouncil, year1980)\n\u2200x \u2200y (RunUnopposedFor(x, philadelphiaCityCouncil, y) \u2192 ElectedTo(x, philadelphiaCityCouncil, y))\nPoliticalChallenger(michaelNutter)\nDefeat(annJLand, michaelNutter) \u2227 RunFor(annJLand, philadelphiaCityCouncil, year1987)", "conclusion": "Ann J. Land was elected to the Philadelphia City Council in 1987.", "conclusion-FOL": "ElectedTo(ann, philadelphiaCityCouncil, year1987)", "label": "Uncertain", "example_id": 417} +{"story_id": 142, "premises": "Ann J. Land was a member of the Philadelphia City Council and the Democratic Party.\nAnn J. Land ran unopposed for the Philadelphia City Council in 1980.\nPeople who run unopposed for the Philadelphia City Council are elected to the positions they run for in the same year.\nMichael Nutter was a political challenger.\nAnn J. Land defeated Michael Nutter and ran for the Philadelphia City Council in 1987.", "premises-FOL": "MemberOf(annJLand, philadelphiaCityCouncil) \u2227 MemberOf(annJLand, democraticParty)\nRunUnopposedFor(ann, philadelphiaCityCouncil, year1980)\n\u2200x \u2200y (RunUnopposedFor(x, philadelphiaCityCouncil, y) \u2192 ElectedTo(x, philadelphiaCityCouncil, y))\nPoliticalChallenger(michaelNutter)\nDefeat(annJLand, michaelNutter) \u2227 RunFor(annJLand, philadelphiaCityCouncil, year1987)", "conclusion": "There was some member of the Democratic Party elected to the Philadelphia City Council in 1980.", "conclusion-FOL": "\u2203x (MemberOf(x, democraticParty) \u2227 ElectedTo(x, philadelphiaCouncil, year1980))", "label": "True", "example_id": 418} +{"story_id": 111, "premises": "Aberdeen won the cup in the 2013 final.\nRangers won the cup in the 2014 final.\nAberdeen and Rangers are different teams.\nDifferent teams cannot win the cup in the same year's final.", "premises-FOL": "WonCup(aberdeen, year2013Final)\nWonCup(rangers, year2014Final)\n\u00ac(aberdeen=rangers)\n\u2200x \u2200y \u2200z \u2200w (\u00ac(x=y) \u2227 WonCup(x, z) \u2227 WonCup(y, w) \u2192 \u00ac(z=w))", "conclusion": "Rangers won the cup in 2015.", "conclusion-FOL": "WonCup(rangers, year2015Final)", "label": "Uncertain", "example_id": 336} +{"story_id": 111, "premises": "Aberdeen won the cup in the 2013 final.\nRangers won the cup in the 2014 final.\nAberdeen and Rangers are different teams.\nDifferent teams cannot win the cup in the same year's final.", "premises-FOL": "WonCup(aberdeen, year2013Final)\nWonCup(rangers, year2014Final)\n\u00ac(aberdeen=rangers)\n\u2200x \u2200y \u2200z \u2200w (\u00ac(x=y) \u2227 WonCup(x, z) \u2227 WonCup(y, w) \u2192 \u00ac(z=w))", "conclusion": "Rangers won the cup in 2013.", "conclusion-FOL": "WonCup(rangers, year2013Final)", "label": "False", "example_id": 337} +{"story_id": 111, "premises": "Aberdeen won the cup in the 2013 final.\nRangers won the cup in the 2014 final.\nAberdeen and Rangers are different teams.\nDifferent teams cannot win the cup in the same year's final.", "premises-FOL": "WonCup(aberdeen, year2013Final)\nWonCup(rangers, year2014Final)\n\u00ac(aberdeen=rangers)\n\u2200x \u2200y \u2200z \u2200w (\u00ac(x=y) \u2227 WonCup(x, z) \u2227 WonCup(y, w) \u2192 \u00ac(z=w))", "conclusion": "Aberdeen has once won a cup.", "conclusion-FOL": "\u2203x (WonCup(aberdeen, x))", "label": "True", "example_id": 338} +{"story_id": 329, "premises": "All young working professionals who have regular 9-5 jobs have stable jobs.\nSome people living in Manhattan are young professionals with regular 9-5 jobs.\nAll people who have stable jobs are people who work regularly.\nPeople who work regularly do not frequently disobey their bosses.\nMary either frequently disobeys her bosses and works regularly, or that she neither frequently disobeys her bosses nor works regularly.", "premises-FOL": "\u2200x (YoungWorkingProfessional(x) \u2227 Have(x, regular9To5Job) \u2192 Have(x, stableJob))\n\u2203x (LiveIn(x, manhattan) \u2227 YoungWorkingProfessional(x) \u2227 Have(x, regular9To5Job))\n\u2200x (Have(x, stableJob) \u2192 WorkRegularly(x))\n\u2200x (WorkRegularly(x) \u2192 \u00acDisobeyFrequently(x, boss))\n\u00ac(DisobeyFrequently(mary, boss) \u2295 WorkRegularly(mary))", "conclusion": "Mary lives in Manhattan.", "conclusion-FOL": "LiveIn(mary, manhattan)", "label": "Uncertain", "example_id": 843} +{"story_id": 329, "premises": "All young working professionals who have regular 9-5 jobs have stable jobs.\nSome people living in Manhattan are young professionals with regular 9-5 jobs.\nAll people who have stable jobs are people who work regularly.\nPeople who work regularly do not frequently disobey their bosses.\nMary either frequently disobeys her bosses and works regularly, or that she neither frequently disobeys her bosses nor works regularly.", "premises-FOL": "\u2200x (YoungWorkingProfessional(x) \u2227 Have(x, regular9To5Job) \u2192 Have(x, stableJob))\n\u2203x (LiveIn(x, manhattan) \u2227 YoungWorkingProfessional(x) \u2227 Have(x, regular9To5Job))\n\u2200x (Have(x, stableJob) \u2192 WorkRegularly(x))\n\u2200x (WorkRegularly(x) \u2192 \u00acDisobeyFrequently(x, boss))\n\u00ac(DisobeyFrequently(mary, boss) \u2295 WorkRegularly(mary))", "conclusion": "Mary lives in Manhattan and is a young working professional who has a regular 9-5 job.", "conclusion-FOL": "LiveIn(mary, manhattan) \u2227 YoungWorkingProfessional(mary) \u2227 Have(mary, regular9-5Job)", "label": "False", "example_id": 844} +{"story_id": 329, "premises": "All young working professionals who have regular 9-5 jobs have stable jobs.\nSome people living in Manhattan are young professionals with regular 9-5 jobs.\nAll people who have stable jobs are people who work regularly.\nPeople who work regularly do not frequently disobey their bosses.\nMary either frequently disobeys her bosses and works regularly, or that she neither frequently disobeys her bosses nor works regularly.", "premises-FOL": "\u2200x (YoungWorkingProfessional(x) \u2227 Have(x, regular9To5Job) \u2192 Have(x, stableJob))\n\u2203x (LiveIn(x, manhattan) \u2227 YoungWorkingProfessional(x) \u2227 Have(x, regular9To5Job))\n\u2200x (Have(x, stableJob) \u2192 WorkRegularly(x))\n\u2200x (WorkRegularly(x) \u2192 \u00acDisobeyFrequently(x, boss))\n\u00ac(DisobeyFrequently(mary, boss) \u2295 WorkRegularly(mary))", "conclusion": "If Mary is a young working professional who has a regular 9-5 job, then Mary does not live in Manhattan.", "conclusion-FOL": "YoungWorkingProfessional(mary) \u2227 Have(mary, regular9-5Job) \u2192 \u00acLiveIn(mary, manhattan)", "label": "True", "example_id": 845} +{"story_id": 397, "premises": "All brain study designs are either block designs or event-related designs. \nAll event-related brain study designs are brain image acquisition.\nAll brain image acquisition in brain study designs is preceded by data processing.\nNothing in brain study designs preceded by data processing analyzes data.\nPicture memory is a type of brain study design that is not either event-related or analyzing data.", "premises-FOL": "\u2200x (BrainStudy(x) \u2192 (BlockDesign(x) \u2295 Event-relatedDesign(x)))\n\u2200x ((BrainStudy(x) \u2227 EventRelatedDesign(x)) \u2192 BrainImageAcquisition(x))\n\u2200x ((BrainStudy(x) \u2227 BrainImageAcquisition(x)) \u2192 PrecededBy(x, dataProcessing))\n\u2200x ((BrainStudy(x) \u2227 PrecededBy(x, dataProcessing)) \u2192 \u00acAnalyze(x, data))\nBrainStudy(pictureMemory) \u2227 (\u00ac(EventRelatedDesign(pictureMemory) \u2295 AnalyzingData(pictureMemory)))", "conclusion": "Picture memory is preceded by data processing.", "conclusion-FOL": "PrecededBy(pictureMemory, dataProcessing)", "label": "Uncertain", "example_id": 1080} +{"story_id": 397, "premises": "All brain study designs are either block designs or event-related designs. \nAll event-related brain study designs are brain image acquisition.\nAll brain image acquisition in brain study designs is preceded by data processing.\nNothing in brain study designs preceded by data processing analyzes data.\nPicture memory is a type of brain study design that is not either event-related or analyzing data.", "premises-FOL": "\u2200x (BrainStudy(x) \u2192 (BlockDesign(x) \u2295 Event-relatedDesign(x)))\n\u2200x ((BrainStudy(x) \u2227 EventRelatedDesign(x)) \u2192 BrainImageAcquisition(x))\n\u2200x ((BrainStudy(x) \u2227 BrainImageAcquisition(x)) \u2192 PrecededBy(x, dataProcessing))\n\u2200x ((BrainStudy(x) \u2227 PrecededBy(x, dataProcessing)) \u2192 \u00acAnalyze(x, data))\nBrainStudy(pictureMemory) \u2227 (\u00ac(EventRelatedDesign(pictureMemory) \u2295 AnalyzingData(pictureMemory)))", "conclusion": "Picture memory is a block design.", "conclusion-FOL": "BlockDesign(pictureMemory)", "label": "True", "example_id": 1081} +{"story_id": 397, "premises": "All brain study designs are either block designs or event-related designs. \nAll event-related brain study designs are brain image acquisition.\nAll brain image acquisition in brain study designs is preceded by data processing.\nNothing in brain study designs preceded by data processing analyzes data.\nPicture memory is a type of brain study design that is not either event-related or analyzing data.", "premises-FOL": "\u2200x (BrainStudy(x) \u2192 (BlockDesign(x) \u2295 Event-relatedDesign(x)))\n\u2200x ((BrainStudy(x) \u2227 EventRelatedDesign(x)) \u2192 BrainImageAcquisition(x))\n\u2200x ((BrainStudy(x) \u2227 BrainImageAcquisition(x)) \u2192 PrecededBy(x, dataProcessing))\n\u2200x ((BrainStudy(x) \u2227 PrecededBy(x, dataProcessing)) \u2192 \u00acAnalyze(x, data))\nBrainStudy(pictureMemory) \u2227 (\u00ac(EventRelatedDesign(pictureMemory) \u2295 AnalyzingData(pictureMemory)))", "conclusion": "Picture memory is either a block design or analyzing data.", "conclusion-FOL": "BlockDesign(pictureMemory) \u2295 Analyze(pictureMemory, data)", "label": "True", "example_id": 1082} +{"story_id": 397, "premises": "All brain study designs are either block designs or event-related designs. \nAll event-related brain study designs are brain image acquisition.\nAll brain image acquisition in brain study designs is preceded by data processing.\nNothing in brain study designs preceded by data processing analyzes data.\nPicture memory is a type of brain study design that is not either event-related or analyzing data.", "premises-FOL": "\u2200x (BrainStudy(x) \u2192 (BlockDesign(x) \u2295 Event-relatedDesign(x)))\n\u2200x ((BrainStudy(x) \u2227 EventRelatedDesign(x)) \u2192 BrainImageAcquisition(x))\n\u2200x ((BrainStudy(x) \u2227 BrainImageAcquisition(x)) \u2192 PrecededBy(x, dataProcessing))\n\u2200x ((BrainStudy(x) \u2227 PrecededBy(x, dataProcessing)) \u2192 \u00acAnalyze(x, data))\nBrainStudy(pictureMemory) \u2227 (\u00ac(EventRelatedDesign(pictureMemory) \u2295 AnalyzingData(pictureMemory)))", "conclusion": "If picture memory is not analyzing data, then picture memory is a block design and analyzing data.", "conclusion-FOL": "\u00acAnalyze(pictureMemory, data) \u2192 (BlockDesign(pictureMemory) \u2227 Analyze(pictureMemory, data))", "label": "False", "example_id": 1083} +{"story_id": 277, "premises": "The USS Lyon was a US Navy ship involved in WWII.\nAll ships involved in WWII are currently decommissioned or in a museum.", "premises-FOL": "USNavyShip(theUSSLyon) \u2227 InvolvedIn(theUSSLyon, wWII)\n\u2200x (InvolvedIn(x, wWII) \u2192 (CurrentlyDecommissioned(x) \u2228 In(x, museum)))", "conclusion": "The USS Lyon is currently decommissioned.", "conclusion-FOL": "CurrentlyDecommissioned(theUSSLyon)", "label": "Uncertain", "example_id": 721} +{"story_id": 349, "premises": "All disposables are designed to be used only once.\nSome items used in Tom's house are eco-friendly.\nEvery item used in Tom's house is either disposable or reusable. \nIf something is made from metal, then it is not made from plastic. \nAll reusable items used in Tom's house are made from metal.\nThe chopsticks used in Tom's house are either made from metals and plastics, or that they are neither made from metals nor plastics.", "premises-FOL": "\u2200x (Disposable(x) \u2192 DesignedToBeOnlyUsedOnce(x))\n\u2203x (EcoFriendly(x))\n\u2200x (UsedIn(x, tomsHouse) \u2192 Disposable(x) \u2295 Reusable(x))\n\u2200x (MadeFrom(x, metal) \u2192 \u00acMadeFrom(x, plastic))\n\u2200x (Reusable(x) \u2192 MadeFrom(x, metal))\n\u00ac(MadeFrom(chopsticksUsedInTomsHouse, metal) \u2295 MadeFrom(chopsticksUsedInTomsHouse, plastic))", "conclusion": "The chopsticks used in Tom's house are eco-friendly.", "conclusion-FOL": "EcoFriendly(chopsticks)", "label": "Uncertain", "example_id": 924} +{"story_id": 349, "premises": "All disposables are designed to be used only once.\nSome items used in Tom's house are eco-friendly.\nEvery item used in Tom's house is either disposable or reusable. \nIf something is made from metal, then it is not made from plastic. \nAll reusable items used in Tom's house are made from metal.\nThe chopsticks used in Tom's house are either made from metals and plastics, or that they are neither made from metals nor plastics.", "premises-FOL": "\u2200x (Disposable(x) \u2192 DesignedToBeOnlyUsedOnce(x))\n\u2203x (EcoFriendly(x))\n\u2200x (UsedIn(x, tomsHouse) \u2192 Disposable(x) \u2295 Reusable(x))\n\u2200x (MadeFrom(x, metal) \u2192 \u00acMadeFrom(x, plastic))\n\u2200x (Reusable(x) \u2192 MadeFrom(x, metal))\n\u00ac(MadeFrom(chopsticksUsedInTomsHouse, metal) \u2295 MadeFrom(chopsticksUsedInTomsHouse, plastic))", "conclusion": "The chopsticks used in Tom's house are eco-friendly or designed to be used only once.", "conclusion-FOL": "EcoFriendly(chopsticks) \u2228 DesignedToBeOnlyUsedOnce(chopsticks)", "label": "True", "example_id": 925} +{"story_id": 349, "premises": "All disposables are designed to be used only once.\nSome items used in Tom's house are eco-friendly.\nEvery item used in Tom's house is either disposable or reusable. \nIf something is made from metal, then it is not made from plastic. \nAll reusable items used in Tom's house are made from metal.\nThe chopsticks used in Tom's house are either made from metals and plastics, or that they are neither made from metals nor plastics.", "premises-FOL": "\u2200x (Disposable(x) \u2192 DesignedToBeOnlyUsedOnce(x))\n\u2203x (EcoFriendly(x))\n\u2200x (UsedIn(x, tomsHouse) \u2192 Disposable(x) \u2295 Reusable(x))\n\u2200x (MadeFrom(x, metal) \u2192 \u00acMadeFrom(x, plastic))\n\u2200x (Reusable(x) \u2192 MadeFrom(x, metal))\n\u00ac(MadeFrom(chopsticksUsedInTomsHouse, metal) \u2295 MadeFrom(chopsticksUsedInTomsHouse, plastic))", "conclusion": "If chopsticks used in Tom's house are made from plastic or designed to be used only once, then they are made from plastic and are eco-friendly.", "conclusion-FOL": "MadeFrom(chopsticks, plastic) \u2228 DesignedBeOnlyUsedOnce(chopsticks) \u2192 MadeFrom(chopsticks, plastic) \u2227 EcoFriendly(chopsticks)", "label": "False", "example_id": 926} +{"story_id": 445, "premises": "Anything lazy is unproductive.\nNo one unproductive is energetic.\nIf something is a sloth, then it is lazy.\nSome animals are sloths.\nSid is neither an energetic person nor a sloth.", "premises-FOL": "\u2200x (Lazy(x) \u2192 Unproductive(x))\n\u2200x (Unproductive(x) \u2192 \u00acEnergetic(x))\n\u2200x (Sloth(x) \u2192 Lazy(x))\n\u2203x (Animal(x) \u2227 Sloth(x))\n\u00acEnergetic(sid) \u2227 \u00acSloth(sid))", "conclusion": "Sid is an animal.", "conclusion-FOL": "Animal(sid)", "label": "Uncertain", "example_id": 1280} +{"story_id": 445, "premises": "Anything lazy is unproductive.\nNo one unproductive is energetic.\nIf something is a sloth, then it is lazy.\nSome animals are sloths.\nSid is neither an energetic person nor a sloth.", "premises-FOL": "\u2200x (Lazy(x) \u2192 Unproductive(x))\n\u2200x (Unproductive(x) \u2192 \u00acEnergetic(x))\n\u2200x (Sloth(x) \u2192 Lazy(x))\n\u2203x (Animal(x) \u2227 Sloth(x))\n\u00acEnergetic(sid) \u2227 \u00acSloth(sid))", "conclusion": "Sid is an energetic person and an animal.", "conclusion-FOL": "Energetic(sid) \u2227 Animal(sid)", "label": "False", "example_id": 1281} +{"story_id": 445, "premises": "Anything lazy is unproductive.\nNo one unproductive is energetic.\nIf something is a sloth, then it is lazy.\nSome animals are sloths.\nSid is neither an energetic person nor a sloth.", "premises-FOL": "\u2200x (Lazy(x) \u2192 Unproductive(x))\n\u2200x (Unproductive(x) \u2192 \u00acEnergetic(x))\n\u2200x (Sloth(x) \u2192 Lazy(x))\n\u2203x (Animal(x) \u2227 Sloth(x))\n\u00acEnergetic(sid) \u2227 \u00acSloth(sid))", "conclusion": "If Sid is either an animal or unproductive, then Sid is not an energetic person.", "conclusion-FOL": "Animal(sid) \u2295 Unproductive(sid)) \u2192 \u00acEnergetic(sid)", "label": "True", "example_id": 1282} +{"story_id": 187, "premises": "European soccer clubs can attend UCL, UEL, and UECL.\nA soccer club eligible to attend UCL has a higher ranking than a soccer club eligible to attend UEL.\nA soccer club eligible to attend UEL has a higher ranking than a soccer club eligible to attend UECL.\nManchester United and Machester City are both European soccer clubs.\nManchester United is eligible to attend UEL next season.\nManchester City is eligible to attend UCL next season.", "premises-FOL": "\u2200x (EuropeanSoccerClub(x) \u2192 Attend(x, ucl) \u2228 Attend(x, uel) \u2228 Attend(x, uecl))\n\u2200x \u2200y (EuropeanSoccerClub(x) \u2227 EuropeanSoccerClub(y) \u2227 Attend(x, ucl) \u2227 Attend(y, uel) \u2192 HigherRank(x, y))\n\u2200x \u2200y (EuropeanSoccerClub(x) \u2227 EuropeanSoccerClub(y) \u2227 Attend(x, uel) \u2227 Attend(y, uecl) \u2192 HigherRank(x, y))\nEuropeanSoccerClub(manchesterUnited) \u2227 EuropeanSoccerClub(manchesterCity)\nAttend(manchesterunited, uel)\nAttend(manchestercity, ucl)", "conclusion": "Manchester City has a higher ranking than Manchester United.", "conclusion-FOL": "HigherRank(manchesterCity, manchesterUnited)", "label": "True", "example_id": 539} +{"story_id": 65, "premises": "If a person coaches a football club, the person is a football coach.\nIf a person has a position in a club in a year, and the club is in NFL in the same year, the person plays in NFL.\nMinnesota Vikings is a football club.\nDennis Green coached Minnesota Vikings.\nCris Carter had 13 touchdown receptions.\nMinnesota Vikings were in the National Football League in 1997.\nJohn Randle was Minnesota Vikings defensive tackle in 1997.", "premises-FOL": "\u2200x \u2200y ((Coach(x, y) \u2227 FootballClub(y)) \u2192 FootballCoach(x))\n\u2200w \u2200x \u2200y \u2200z ((PlayPositionFor(x, w, y, z) \u2227 InNFL(y, z)) \u2192 PlayInNFL(x))\nFootballClub(minnesotaVikings)\nCoach(dennisGreen, minnesotaVikings)\nReceiveTD(crisCarter, num13)\nInNFL(minnesotaVikings, yr1997)\nPlayPositionFor(johnRandle, defensiveTackle, minnesotaVikings, yr1997)", "conclusion": "Dennis Green is a football coach.", "conclusion-FOL": "FootballCoach(dennisGreen)", "label": "True", "example_id": 192} +{"story_id": 65, "premises": "If a person coaches a football club, the person is a football coach.\nIf a person has a position in a club in a year, and the club is in NFL in the same year, the person plays in NFL.\nMinnesota Vikings is a football club.\nDennis Green coached Minnesota Vikings.\nCris Carter had 13 touchdown receptions.\nMinnesota Vikings were in the National Football League in 1997.\nJohn Randle was Minnesota Vikings defensive tackle in 1997.", "premises-FOL": "\u2200x \u2200y ((Coach(x, y) \u2227 FootballClub(y)) \u2192 FootballCoach(x))\n\u2200w \u2200x \u2200y \u2200z ((PlayPositionFor(x, w, y, z) \u2227 InNFL(y, z)) \u2192 PlayInNFL(x))\nFootballClub(minnesotaVikings)\nCoach(dennisGreen, minnesotaVikings)\nReceiveTD(crisCarter, num13)\nInNFL(minnesotaVikings, yr1997)\nPlayPositionFor(johnRandle, defensiveTackle, minnesotaVikings, yr1997)", "conclusion": "John Randle didn't play in the National Football League.", "conclusion-FOL": "\u00acPlayInNFL(johnRandle)", "label": "False", "example_id": 193} +{"story_id": 65, "premises": "If a person coaches a football club, the person is a football coach.\nIf a person has a position in a club in a year, and the club is in NFL in the same year, the person plays in NFL.\nMinnesota Vikings is a football club.\nDennis Green coached Minnesota Vikings.\nCris Carter had 13 touchdown receptions.\nMinnesota Vikings were in the National Football League in 1997.\nJohn Randle was Minnesota Vikings defensive tackle in 1997.", "premises-FOL": "\u2200x \u2200y ((Coach(x, y) \u2227 FootballClub(y)) \u2192 FootballCoach(x))\n\u2200w \u2200x \u2200y \u2200z ((PlayPositionFor(x, w, y, z) \u2227 InNFL(y, z)) \u2192 PlayInNFL(x))\nFootballClub(minnesotaVikings)\nCoach(dennisGreen, minnesotaVikings)\nReceiveTD(crisCarter, num13)\nInNFL(minnesotaVikings, yr1997)\nPlayPositionFor(johnRandle, defensiveTackle, minnesotaVikings, yr1997)", "conclusion": "Cris Carter played for Minnesota Vikings.", "conclusion-FOL": "PlayPositionFor(crisCarter, wr, minnesotaVikings, year1997)", "label": "Uncertain", "example_id": 194} +{"story_id": 462, "premises": "All classrooms in William L. Harkness Hall that are used for lectures are booked during the day. \nNone of the classrooms in William L. Harkness Hall are private study spots.\nAll classrooms in William L. Harkness Hall are used for lectures or used for office hours.\nIf a classroom in William L. Harkness Hall is booked in the evening, then it is not freely usable at night.\nIf a classroom in William L. Harkness Hall is used for office hours, then it is booked in the evening.\nRoom 116 is a classroom in William L. Harkness Hall that is either both used for lecture and used for office hours or not used for either.", "premises-FOL": "\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 UsedFor(x, lecture) \u2192 BookedDuring(x, day))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 \u00acPrivateStudySpot(x))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 (UsedFor(x, lecture) \u2228 UsedFor(x, officeHours)))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 BookedIn(x, evening) \u2192 \u00acFreelyUsableAtNight(x))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 UsedFor(x, officeHours) \u2192 BookedIn(x, evening))\nClassroomIn(116, williamLHarknessHall) \u2227 \u00ac(UsedFor(116, lecture) \u2295 UsedFor(116, officeHours))", "conclusion": "Room 116 is a private study spot.", "conclusion-FOL": "PrivateStudySpot(room116)", "label": "False", "example_id": 1333} +{"story_id": 462, "premises": "All classrooms in William L. Harkness Hall that are used for lectures are booked during the day. \nNone of the classrooms in William L. Harkness Hall are private study spots.\nAll classrooms in William L. Harkness Hall are used for lectures or used for office hours.\nIf a classroom in William L. Harkness Hall is booked in the evening, then it is not freely usable at night.\nIf a classroom in William L. Harkness Hall is used for office hours, then it is booked in the evening.\nRoom 116 is a classroom in William L. Harkness Hall that is either both used for lecture and used for office hours or not used for either.", "premises-FOL": "\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 UsedFor(x, lecture) \u2192 BookedDuring(x, day))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 \u00acPrivateStudySpot(x))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 (UsedFor(x, lecture) \u2228 UsedFor(x, officeHours)))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 BookedIn(x, evening) \u2192 \u00acFreelyUsableAtNight(x))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 UsedFor(x, officeHours) \u2192 BookedIn(x, evening))\nClassroomIn(116, williamLHarknessHall) \u2227 \u00ac(UsedFor(116, lecture) \u2295 UsedFor(116, officeHours))", "conclusion": "If Room 116 is either both booked during the day and freely usable at night, or neither, then it is either used for office hours or for private study spots.", "conclusion-FOL": "\u00ac(BookedDuring(room116, day) \u2295 FreelyUsableAtNight(room116) \u2192 (UsedFor(room116, officeHour) \u2295 PrivateStudySpot(room116))", "label": "True", "example_id": 1334} +{"story_id": 462, "premises": "All classrooms in William L. Harkness Hall that are used for lectures are booked during the day. \nNone of the classrooms in William L. Harkness Hall are private study spots.\nAll classrooms in William L. Harkness Hall are used for lectures or used for office hours.\nIf a classroom in William L. Harkness Hall is booked in the evening, then it is not freely usable at night.\nIf a classroom in William L. Harkness Hall is used for office hours, then it is booked in the evening.\nRoom 116 is a classroom in William L. Harkness Hall that is either both used for lecture and used for office hours or not used for either.", "premises-FOL": "\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 UsedFor(x, lecture) \u2192 BookedDuring(x, day))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 \u00acPrivateStudySpot(x))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 (UsedFor(x, lecture) \u2228 UsedFor(x, officeHours)))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 BookedIn(x, evening) \u2192 \u00acFreelyUsableAtNight(x))\n\u2200x (ClassroomIn(x, williamLHarknessHall) \u2227 UsedFor(x, officeHours) \u2192 BookedIn(x, evening))\nClassroomIn(116, williamLHarknessHall) \u2227 \u00ac(UsedFor(116, lecture) \u2295 UsedFor(116, officeHours))", "conclusion": "If Room 116 is not both a private study spot and freely useable at night, then it is either used for lectures or booked during the day.", "conclusion-FOL": "\u00ac(PrivateStudySpot(room116) \u2227 FreelyUsableAtNight(room116)) \u2192 (UsedFor(room116, lecture) \u2228 BookedIn(room116, evening))", "label": "False", "example_id": 1335} +{"story_id": 99, "premises": "Shafaq-Asiman is a large complex of offshore geological structures in the Caspian Sea.\nBaku is northwest of Shafaq-Asiman.\nIf place A is northwest of place B, then place B is southeast of place A.", "premises-FOL": "LargeComplex(shafaq-asiman) \u2227 LargeComplex(shafaq-asiman) \u2227 Offshore(shafaq-asiman) \u2227 GeologicalStructures(shafaq-asiman) \u2227 In(shafaq-asiman, caspiansea)\nNorthwestOf(baku, shafaq-asiman)\n\u2200x \u2200y (NorthwestOf(x, y) \u2192 SoutheastOf(y, x))", "conclusion": "Baku is southeast of Shafaq-Asiman.", "conclusion-FOL": "SoutheastOf(baku, shafaq-asiman)", "label": "Uncertain", "example_id": 298} +{"story_id": 99, "premises": "Shafaq-Asiman is a large complex of offshore geological structures in the Caspian Sea.\nBaku is northwest of Shafaq-Asiman.\nIf place A is northwest of place B, then place B is southeast of place A.", "premises-FOL": "LargeComplex(shafaq-asiman) \u2227 LargeComplex(shafaq-asiman) \u2227 Offshore(shafaq-asiman) \u2227 GeologicalStructures(shafaq-asiman) \u2227 In(shafaq-asiman, caspiansea)\nNorthwestOf(baku, shafaq-asiman)\n\u2200x \u2200y (NorthwestOf(x, y) \u2192 SoutheastOf(y, x))", "conclusion": "A large complex is southeast of Baku.", "conclusion-FOL": "\u2203x (LargeComplex(x) \u2227 SoutheastOf(x, baku))", "label": "True", "example_id": 299} +{"story_id": 99, "premises": "Shafaq-Asiman is a large complex of offshore geological structures in the Caspian Sea.\nBaku is northwest of Shafaq-Asiman.\nIf place A is northwest of place B, then place B is southeast of place A.", "premises-FOL": "LargeComplex(shafaq-asiman) \u2227 LargeComplex(shafaq-asiman) \u2227 Offshore(shafaq-asiman) \u2227 GeologicalStructures(shafaq-asiman) \u2227 In(shafaq-asiman, caspiansea)\nNorthwestOf(baku, shafaq-asiman)\n\u2200x \u2200y (NorthwestOf(x, y) \u2192 SoutheastOf(y, x))", "conclusion": "Baku is not northwest of offshore geological structures.", "conclusion-FOL": "\u2200x (GeologicalStructures(x) \u2227 Offshore(x) \u2192 \u00acNorthwestOf(baku, x))", "label": "False", "example_id": 300} +{"story_id": 71, "premises": "Herodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.", "premises-FOL": "Greek(herodicus) \u2227 Physician(herodicus) \u2227 Dietician(herodicus) \u2227 Sophist(herodicus) \u2227 Gymnast(herodicus)\nBorn(herodicus, selymbia) \u2227 City(selymbia)\nColony(selymbia, megara) \u2227 CityState(megara)\nTutor(herodicus, hippocrates)\nRecommend(herodicus, massages)\n\u2203x \u2203y (Theory(x) \u2227 From(x, herodicus) \u2227 FoundationOf(x, sportsMedicine) \u2227 (\u00ac(x=y)) \u2227 Theory(y) \u2227 From(y, herodicus) \u2227 FoundationOf(y, sportsMedicine))", "conclusion": "Herodicus tutored Hippocrates.", "conclusion-FOL": "Tutor(herodicus, hippocrates)", "label": "True", "example_id": 213} +{"story_id": 71, "premises": "Herodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.", "premises-FOL": "Greek(herodicus) \u2227 Physician(herodicus) \u2227 Dietician(herodicus) \u2227 Sophist(herodicus) \u2227 Gymnast(herodicus)\nBorn(herodicus, selymbia) \u2227 City(selymbia)\nColony(selymbia, megara) \u2227 CityState(megara)\nTutor(herodicus, hippocrates)\nRecommend(herodicus, massages)\n\u2203x \u2203y (Theory(x) \u2227 From(x, herodicus) \u2227 FoundationOf(x, sportsMedicine) \u2227 (\u00ac(x=y)) \u2227 Theory(y) \u2227 From(y, herodicus) \u2227 FoundationOf(y, sportsMedicine))", "conclusion": "Herodicus was tutored by Hippocrates.", "conclusion-FOL": "Tutor(hippocrates, herodicus)", "label": "Uncertain", "example_id": 214} +{"story_id": 71, "premises": "Herodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.", "premises-FOL": "Greek(herodicus) \u2227 Physician(herodicus) \u2227 Dietician(herodicus) \u2227 Sophist(herodicus) \u2227 Gymnast(herodicus)\nBorn(herodicus, selymbia) \u2227 City(selymbia)\nColony(selymbia, megara) \u2227 CityState(megara)\nTutor(herodicus, hippocrates)\nRecommend(herodicus, massages)\n\u2203x \u2203y (Theory(x) \u2227 From(x, herodicus) \u2227 FoundationOf(x, sportsMedicine) \u2227 (\u00ac(x=y)) \u2227 Theory(y) \u2227 From(y, herodicus) \u2227 FoundationOf(y, sportsMedicine))", "conclusion": "Herodicus was born in a city-state.", "conclusion-FOL": "\u2203x (Born(herodicus, x) \u2227 CityState(x))", "label": "Uncertain", "example_id": 215} +{"story_id": 71, "premises": "Herodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.", "premises-FOL": "Greek(herodicus) \u2227 Physician(herodicus) \u2227 Dietician(herodicus) \u2227 Sophist(herodicus) \u2227 Gymnast(herodicus)\nBorn(herodicus, selymbia) \u2227 City(selymbia)\nColony(selymbia, megara) \u2227 CityState(megara)\nTutor(herodicus, hippocrates)\nRecommend(herodicus, massages)\n\u2203x \u2203y (Theory(x) \u2227 From(x, herodicus) \u2227 FoundationOf(x, sportsMedicine) \u2227 (\u00ac(x=y)) \u2227 Theory(y) \u2227 From(y, herodicus) \u2227 FoundationOf(y, sportsMedicine))", "conclusion": "Herodicus did not recommend massages.", "conclusion-FOL": "\u00acRecommend(herodicus, massages)", "label": "False", "example_id": 216} +{"story_id": 71, "premises": "Herodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.", "premises-FOL": "Greek(herodicus) \u2227 Physician(herodicus) \u2227 Dietician(herodicus) \u2227 Sophist(herodicus) \u2227 Gymnast(herodicus)\nBorn(herodicus, selymbia) \u2227 City(selymbia)\nColony(selymbia, megara) \u2227 CityState(megara)\nTutor(herodicus, hippocrates)\nRecommend(herodicus, massages)\n\u2203x \u2203y (Theory(x) \u2227 From(x, herodicus) \u2227 FoundationOf(x, sportsMedicine) \u2227 (\u00ac(x=y)) \u2227 Theory(y) \u2227 From(y, herodicus) \u2227 FoundationOf(y, sportsMedicine))", "conclusion": "Herodicus was born in a colony of a city-state.", "conclusion-FOL": "\u2203x \u2203y (Born(herodicus, x) \u2227 Colony(x, y) \u2227 CityState(y))", "label": "True", "example_id": 217} +{"story_id": 438, "premises": "None of the kids in our family love the opera.\nAll of the adults in our family love the opera.\nIf someone in our family is a scientist, then they are an adult.\nSome students in our family are kids.\nBilly is a kid in our family.", "premises-FOL": "\u2200x ((Kid(x) \u2227 In(x, ourFamily)) \u2192 \u00acLove(x, opera))\n\u2200x ((Adult(x) \u2227 In(x, ourFamily)) \u2192 Love(x, opera))\n\u2200x ((Scientist(x) \u2227 In(x, ourFamily)) \u2192 Adult(x))\n\u2203x (Student(x) \u2227 In(x, ourFamily) \u2227 Kid(x))\nKid(billy) \u2227 In(billy, ourFamily) ", "conclusion": "Billy is a student.", "conclusion-FOL": "Student(billy)", "label": "Uncertain", "example_id": 1258} +{"story_id": 438, "premises": "None of the kids in our family love the opera.\nAll of the adults in our family love the opera.\nIf someone in our family is a scientist, then they are an adult.\nSome students in our family are kids.\nBilly is a kid in our family.", "premises-FOL": "\u2200x ((Kid(x) \u2227 In(x, ourFamily)) \u2192 \u00acLove(x, opera))\n\u2200x ((Adult(x) \u2227 In(x, ourFamily)) \u2192 Love(x, opera))\n\u2200x ((Scientist(x) \u2227 In(x, ourFamily)) \u2192 Adult(x))\n\u2203x (Student(x) \u2227 In(x, ourFamily) \u2227 Kid(x))\nKid(billy) \u2227 In(billy, ourFamily) ", "conclusion": "Billy is a student and a scientist.", "conclusion-FOL": "Student(billy) \u2227 Scientist(billy)", "label": "False", "example_id": 1259} +{"story_id": 438, "premises": "None of the kids in our family love the opera.\nAll of the adults in our family love the opera.\nIf someone in our family is a scientist, then they are an adult.\nSome students in our family are kids.\nBilly is a kid in our family.", "premises-FOL": "\u2200x ((Kid(x) \u2227 In(x, ourFamily)) \u2192 \u00acLove(x, opera))\n\u2200x ((Adult(x) \u2227 In(x, ourFamily)) \u2192 Love(x, opera))\n\u2200x ((Scientist(x) \u2227 In(x, ourFamily)) \u2192 Adult(x))\n\u2203x (Student(x) \u2227 In(x, ourFamily) \u2227 Kid(x))\nKid(billy) \u2227 In(billy, ourFamily) ", "conclusion": "If Billy is a student or a scientist, then Billy is a student and a kid.", "conclusion-FOL": "(Student(billy) \u2228 Scientist(billy)) \u2192 (Student(billy) \u2227 Kid(billy))", "label": "True", "example_id": 1260} +{"story_id": 69, "premises": "Brian Winter is a Scottish football referee.\nAfter being injured, Brian Winter retired in 2012.\nBrian Winter was appointed as a referee observer after his retirement.\nSome football referees become referee observers.\nThe son of Brian Winter, Andy Winter, is a football player who plays for Hamilton Academical.", "premises-FOL": "Scottish(brianWinter) \u2227 FootballReferee(brianWinter)\nRetired(brianWinter) \u2227 RetiredIn(brianWinter, yr2012)\nRefereeObserver(brianWinter)\n\u2203x (FootballReferee(x) \u2227 RefereeObserver(x))\nSonOf(andyWinter, brianWinter) \u2227 FootballPlayer(andyWinter) \u2227 PlaysFor(andyWinter, hamiltonAcademical)", "conclusion": "There is a son of a referee observer that plays football.", "conclusion-FOL": "\u2203x \u2203y(SonOf(x, y) \u2227 RefereeObserver(y) \u2227 FootballPlayer(x))", "label": "True", "example_id": 204} +{"story_id": 69, "premises": "Brian Winter is a Scottish football referee.\nAfter being injured, Brian Winter retired in 2012.\nBrian Winter was appointed as a referee observer after his retirement.\nSome football referees become referee observers.\nThe son of Brian Winter, Andy Winter, is a football player who plays for Hamilton Academical.", "premises-FOL": "Scottish(brianWinter) \u2227 FootballReferee(brianWinter)\nRetired(brianWinter) \u2227 RetiredIn(brianWinter, yr2012)\nRefereeObserver(brianWinter)\n\u2203x (FootballReferee(x) \u2227 RefereeObserver(x))\nSonOf(andyWinter, brianWinter) \u2227 FootballPlayer(andyWinter) \u2227 PlaysFor(andyWinter, hamiltonAcademical)", "conclusion": "Brian Winter was not a referee observer.", "conclusion-FOL": "\u00acRefereeObserver(brianwinter)", "label": "False", "example_id": 205} +{"story_id": 69, "premises": "Brian Winter is a Scottish football referee.\nAfter being injured, Brian Winter retired in 2012.\nBrian Winter was appointed as a referee observer after his retirement.\nSome football referees become referee observers.\nThe son of Brian Winter, Andy Winter, is a football player who plays for Hamilton Academical.", "premises-FOL": "Scottish(brianWinter) \u2227 FootballReferee(brianWinter)\nRetired(brianWinter) \u2227 RetiredIn(brianWinter, yr2012)\nRefereeObserver(brianWinter)\n\u2203x (FootballReferee(x) \u2227 RefereeObserver(x))\nSonOf(andyWinter, brianWinter) \u2227 FootballPlayer(andyWinter) \u2227 PlaysFor(andyWinter, hamiltonAcademical)", "conclusion": "Brian Winter is retired.", "conclusion-FOL": "Retired(brianwinter)", "label": "True", "example_id": 206} +{"story_id": 69, "premises": "Brian Winter is a Scottish football referee.\nAfter being injured, Brian Winter retired in 2012.\nBrian Winter was appointed as a referee observer after his retirement.\nSome football referees become referee observers.\nThe son of Brian Winter, Andy Winter, is a football player who plays for Hamilton Academical.", "premises-FOL": "Scottish(brianWinter) \u2227 FootballReferee(brianWinter)\nRetired(brianWinter) \u2227 RetiredIn(brianWinter, yr2012)\nRefereeObserver(brianWinter)\n\u2203x (FootballReferee(x) \u2227 RefereeObserver(x))\nSonOf(andyWinter, brianWinter) \u2227 FootballPlayer(andyWinter) \u2227 PlaysFor(andyWinter, hamiltonAcademical)", "conclusion": "Andy Winter is a referee.", "conclusion-FOL": "Referee(andywinter)", "label": "Uncertain", "example_id": 207} +{"story_id": 401, "premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", "premises-FOL": "\u2200x (At(x, boardGameNight) \u2192 (InterestedIn(x, puzzle) \u2228 BadAt(x, chess)))\n\u2200x ((At(x, boardGameNight) \u2227 BadAt(x, chess)) \u2192 \u00acPlaysOften(x, chess))\n\u2203x (At(x, boardGameNight) \u2227 (Planner(x) \u2228 Creative(x)))\nAt(erica, boardGameNight) \u2227 PlaysOften(erica, chess)\n(At(erica, boardGameNight) \u2227 (\u00ac(BadAt(erica, chess) \u2228 Creative(erica)))) \u2192 \u00ac(Planner(erica) \u2295 Creative(erica))", "conclusion": "Erica plans.", "conclusion-FOL": "Planner(erica)", "label": "Uncertain", "example_id": 1100} +{"story_id": 401, "premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", "premises-FOL": "\u2200x (At(x, boardGameNight) \u2192 (InterestedIn(x, puzzle) \u2228 BadAt(x, chess)))\n\u2200x ((At(x, boardGameNight) \u2227 BadAt(x, chess)) \u2192 \u00acPlaysOften(x, chess))\n\u2203x (At(x, boardGameNight) \u2227 (Planner(x) \u2228 Creative(x)))\nAt(erica, boardGameNight) \u2227 PlaysOften(erica, chess)\n(At(erica, boardGameNight) \u2227 (\u00ac(BadAt(erica, chess) \u2228 Creative(erica)))) \u2192 \u00ac(Planner(erica) \u2295 Creative(erica))", "conclusion": "Erica is interested in puzzles and is creative.", "conclusion-FOL": "InterestedIn(erica, puzzle) \u2227 Creative(erica)", "label": "True", "example_id": 1101} +{"story_id": 401, "premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", "premises-FOL": "\u2200x (At(x, boardGameNight) \u2192 (InterestedIn(x, puzzle) \u2228 BadAt(x, chess)))\n\u2200x ((At(x, boardGameNight) \u2227 BadAt(x, chess)) \u2192 \u00acPlaysOften(x, chess))\n\u2203x (At(x, boardGameNight) \u2227 (Planner(x) \u2228 Creative(x)))\nAt(erica, boardGameNight) \u2227 PlaysOften(erica, chess)\n(At(erica, boardGameNight) \u2227 (\u00ac(BadAt(erica, chess) \u2228 Creative(erica)))) \u2192 \u00ac(Planner(erica) \u2295 Creative(erica))", "conclusion": "Erica is either interested in puzzles or is creative.", "conclusion-FOL": "InterestedIn(erica, puzzle) \u2295 Creative(erica)", "label": "False", "example_id": 1102} +{"story_id": 401, "premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", "premises-FOL": "\u2200x (At(x, boardGameNight) \u2192 (InterestedIn(x, puzzle) \u2228 BadAt(x, chess)))\n\u2200x ((At(x, boardGameNight) \u2227 BadAt(x, chess)) \u2192 \u00acPlaysOften(x, chess))\n\u2203x (At(x, boardGameNight) \u2227 (Planner(x) \u2228 Creative(x)))\nAt(erica, boardGameNight) \u2227 PlaysOften(erica, chess)\n(At(erica, boardGameNight) \u2227 (\u00ac(BadAt(erica, chess) \u2228 Creative(erica)))) \u2192 \u00ac(Planner(erica) \u2295 Creative(erica))", "conclusion": "If Erica plans ahead or plays a lot of chess matches, then Erica is not interested in puzzles and creative.", "conclusion-FOL": "Planner(erica) \u2228 PlaysOften(erica, chess))) \u2192 (\u00ac(InterestedIn(erica, puzzle) \u2227 Creative(erica))", "label": "False", "example_id": 1103} +{"story_id": 401, "premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", "premises-FOL": "\u2200x (At(x, boardGameNight) \u2192 (InterestedIn(x, puzzle) \u2228 BadAt(x, chess)))\n\u2200x ((At(x, boardGameNight) \u2227 BadAt(x, chess)) \u2192 \u00acPlaysOften(x, chess))\n\u2203x (At(x, boardGameNight) \u2227 (Planner(x) \u2228 Creative(x)))\nAt(erica, boardGameNight) \u2227 PlaysOften(erica, chess)\n(At(erica, boardGameNight) \u2227 (\u00ac(BadAt(erica, chess) \u2228 Creative(erica)))) \u2192 \u00ac(Planner(erica) \u2295 Creative(erica))", "conclusion": "If Erica is creative, then Erica is not interested in puzzles and creative.", "conclusion-FOL": "Creative(erica)) \u2192 (\u00ac(InterestedIn(erica, puzzle) \u2227 Creative(erica))", "label": "False", "example_id": 1104} +{"story_id": 401, "premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", "premises-FOL": "\u2200x (At(x, boardGameNight) \u2192 (InterestedIn(x, puzzle) \u2228 BadAt(x, chess)))\n\u2200x ((At(x, boardGameNight) \u2227 BadAt(x, chess)) \u2192 \u00acPlaysOften(x, chess))\n\u2203x (At(x, boardGameNight) \u2227 (Planner(x) \u2228 Creative(x)))\nAt(erica, boardGameNight) \u2227 PlaysOften(erica, chess)\n(At(erica, boardGameNight) \u2227 (\u00ac(BadAt(erica, chess) \u2228 Creative(erica)))) \u2192 \u00ac(Planner(erica) \u2295 Creative(erica))", "conclusion": "If Erica is interested in puzzles and is creative, then Erica is not creative.", "conclusion-FOL": "InterestedIn(erica, puzzle) \u2227 Creative(erica)) \u2192 \u00acCreative(erica)", "label": "False", "example_id": 1105} +{"story_id": 401, "premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", "premises-FOL": "\u2200x (At(x, boardGameNight) \u2192 (InterestedIn(x, puzzle) \u2228 BadAt(x, chess)))\n\u2200x ((At(x, boardGameNight) \u2227 BadAt(x, chess)) \u2192 \u00acPlaysOften(x, chess))\n\u2203x (At(x, boardGameNight) \u2227 (Planner(x) \u2228 Creative(x)))\nAt(erica, boardGameNight) \u2227 PlaysOften(erica, chess)\n(At(erica, boardGameNight) \u2227 (\u00ac(BadAt(erica, chess) \u2228 Creative(erica)))) \u2192 \u00ac(Planner(erica) \u2295 Creative(erica))", "conclusion": "If Erica either plays a lot of chess matches or is creative, then Erica is neither interested in puzzles nor a person who plays a lot of chess matches.", "conclusion-FOL": "PlaysOften(erica, chess) \u2295 InterestedIn(erica, puzzle) \u2192 \u00ac(InterestedIn(erica, puzzle) \u2228 PlaysOften(erica, chess))", "label": "True", "example_id": 1106} +{"story_id": 401, "premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", "premises-FOL": "\u2200x (At(x, boardGameNight) \u2192 (InterestedIn(x, puzzle) \u2228 BadAt(x, chess)))\n\u2200x ((At(x, boardGameNight) \u2227 BadAt(x, chess)) \u2192 \u00acPlaysOften(x, chess))\n\u2203x (At(x, boardGameNight) \u2227 (Planner(x) \u2228 Creative(x)))\nAt(erica, boardGameNight) \u2227 PlaysOften(erica, chess)\n(At(erica, boardGameNight) \u2227 (\u00ac(BadAt(erica, chess) \u2228 Creative(erica)))) \u2192 \u00ac(Planner(erica) \u2295 Creative(erica))", "conclusion": "If Erica is interested in puzzles and plays a lot of chess matches, then Erica is either a person who plays a lot of chess matches or a person that is creative.", "conclusion-FOL": "PlaysOften(erica, chess) \u2295 InterestedIn(erica, puzzle)) \u2192 \u00ac(InterestedIn(erica, puzzle) \u2228 PlaysOften(erica, chess)", "label": "False", "example_id": 1107} +{"story_id": 401, "premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", "premises-FOL": "\u2200x (At(x, boardGameNight) \u2192 (InterestedIn(x, puzzle) \u2228 BadAt(x, chess)))\n\u2200x ((At(x, boardGameNight) \u2227 BadAt(x, chess)) \u2192 \u00acPlaysOften(x, chess))\n\u2203x (At(x, boardGameNight) \u2227 (Planner(x) \u2228 Creative(x)))\nAt(erica, boardGameNight) \u2227 PlaysOften(erica, chess)\n(At(erica, boardGameNight) \u2227 (\u00ac(BadAt(erica, chess) \u2228 Creative(erica)))) \u2192 \u00ac(Planner(erica) \u2295 Creative(erica))", "conclusion": "If Erica plans ahead or is interested in puzzles, then Erica is creative.", "conclusion-FOL": "Planner(erica) \u2228 InterestedIn(erica, puzzle) \u2192 Creative(erica)", "label": "True", "example_id": 1108} +{"story_id": 401, "premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", "premises-FOL": "\u2200x (At(x, boardGameNight) \u2192 (InterestedIn(x, puzzle) \u2228 BadAt(x, chess)))\n\u2200x ((At(x, boardGameNight) \u2227 BadAt(x, chess)) \u2192 \u00acPlaysOften(x, chess))\n\u2203x (At(x, boardGameNight) \u2227 (Planner(x) \u2228 Creative(x)))\nAt(erica, boardGameNight) \u2227 PlaysOften(erica, chess)\n(At(erica, boardGameNight) \u2227 (\u00ac(BadAt(erica, chess) \u2228 Creative(erica)))) \u2192 \u00ac(Planner(erica) \u2295 Creative(erica))", "conclusion": "If Erica is either bad at chess or interested in puzzles, then Erica is not a person who plays a lot of chess matches and creative.", "conclusion-FOL": "BadAt(erica, chess) \u2295 InterestedIn(erica, puzzle) \u2192 \u00ac(PlaysOften(erica, chess) \u2227 Creative(erica))", "label": "False", "example_id": 1109} +{"story_id": 125, "premises": "Soccer players have a right foot and a left foot.\nTop soccer players are soccer players who can use both the left foot and right foot very efficiently.\nIf a soccer player can score many goals using the left foot, they can use that foot very efficiently.\nIf a soccer player can score many goals using the right foot, they can use that foot very efficiently.\nCristiano Ronaldo is a soccer player.\nCristiano Ronaldo can use his right foot very efficiently.\nCristiano Ronaldo has scored many goals using his left foot.", "premises-FOL": "\u2200x (SoccerPlayer(x) \u2192 Have(x, leftFoot) \u2227 Have(x, rightFoot))\n\u2200x (SoccerPlayer(x) \u2227 UseEfficiently(x, leftFoot) \u2227 UseEfficiently(x, rightFoot) \u2192 TopSoccerPlayer(x))\n\u2200x (SoccerPlayer(x) \u2227 ScoreUsing(x, manyGoals, leftFoot) \u2192 UseEfficiently(x, leftFoot))\n\u2200x (SoccerPlayer(x) \u2227 ScoreUsing(x, manyGoals, rightFoot) \u2192 UseEfficiently(x, rightFoot))\nSoccerPlayer(ronaldo)\nUseEfficiently(ronaldo, rightFoot)\nScoreUsing(ronaldo, manyGoals, leftFoot)", "conclusion": "Cristiano Ronaldo is a top soccer player.", "conclusion-FOL": "TopSoccerPlayer(ronaldo)", "label": "True", "example_id": 373} +{"story_id": 125, "premises": "Soccer players have a right foot and a left foot.\nTop soccer players are soccer players who can use both the left foot and right foot very efficiently.\nIf a soccer player can score many goals using the left foot, they can use that foot very efficiently.\nIf a soccer player can score many goals using the right foot, they can use that foot very efficiently.\nCristiano Ronaldo is a soccer player.\nCristiano Ronaldo can use his right foot very efficiently.\nCristiano Ronaldo has scored many goals using his left foot.", "premises-FOL": "\u2200x (SoccerPlayer(x) \u2192 Have(x, leftFoot) \u2227 Have(x, rightFoot))\n\u2200x (SoccerPlayer(x) \u2227 UseEfficiently(x, leftFoot) \u2227 UseEfficiently(x, rightFoot) \u2192 TopSoccerPlayer(x))\n\u2200x (SoccerPlayer(x) \u2227 ScoreUsing(x, manyGoals, leftFoot) \u2192 UseEfficiently(x, leftFoot))\n\u2200x (SoccerPlayer(x) \u2227 ScoreUsing(x, manyGoals, rightFoot) \u2192 UseEfficiently(x, rightFoot))\nSoccerPlayer(ronaldo)\nUseEfficiently(ronaldo, rightFoot)\nScoreUsing(ronaldo, manyGoals, leftFoot)", "conclusion": "Cristiano Ronaldo is not a top soccer player.", "conclusion-FOL": "\u00acTopSoccerPlayer(ronaldo)", "label": "False", "example_id": 374} +{"story_id": 177, "premises": "The National Lobster Hatchery is a hatchery located in Padstow, England.\nThe National Lobster Hatchery is open to visitors.\nA hatchery is either for profit or for conservation.\nIf a hatchery is for conservation, it might release animals into the wild.\nThe National Lobster Hatchery is not for profit.", "premises-FOL": "Hatchery(nationalLobsterHatchery) \u2227 LocatedIn(nationalLobsterHatchery, padstowEngland)\nOpenToVisitor(nationalLobsterHatchery)\n\u2200x (Hatchery(x) \u2192 ForConservation(x) \u2295 ForProfit(x))\n\u2203x (Hatchery(x) \u2227 ForConservation(x) \u2227 ReleaseAnimalToWild(x))\n\u00acForProfit(nationalLobsterHatchery)", "conclusion": "The National Lobster Hatchery is for conservation.", "conclusion-FOL": "ForConservation(nationalLobsterhatchery)", "label": "True", "example_id": 509} +{"story_id": 177, "premises": "The National Lobster Hatchery is a hatchery located in Padstow, England.\nThe National Lobster Hatchery is open to visitors.\nA hatchery is either for profit or for conservation.\nIf a hatchery is for conservation, it might release animals into the wild.\nThe National Lobster Hatchery is not for profit.", "premises-FOL": "Hatchery(nationalLobsterHatchery) \u2227 LocatedIn(nationalLobsterHatchery, padstowEngland)\nOpenToVisitor(nationalLobsterHatchery)\n\u2200x (Hatchery(x) \u2192 ForConservation(x) \u2295 ForProfit(x))\n\u2203x (Hatchery(x) \u2227 ForConservation(x) \u2227 ReleaseAnimalToWild(x))\n\u00acForProfit(nationalLobsterHatchery)", "conclusion": "All hatcheries are open to visitors.", "conclusion-FOL": "\u2200x (Hatchery(x) \u2192 OpenToVisitors(x))", "label": "Uncertain", "example_id": 510} +{"story_id": 177, "premises": "The National Lobster Hatchery is a hatchery located in Padstow, England.\nThe National Lobster Hatchery is open to visitors.\nA hatchery is either for profit or for conservation.\nIf a hatchery is for conservation, it might release animals into the wild.\nThe National Lobster Hatchery is not for profit.", "premises-FOL": "Hatchery(nationalLobsterHatchery) \u2227 LocatedIn(nationalLobsterHatchery, padstowEngland)\nOpenToVisitor(nationalLobsterHatchery)\n\u2200x (Hatchery(x) \u2192 ForConservation(x) \u2295 ForProfit(x))\n\u2203x (Hatchery(x) \u2227 ForConservation(x) \u2227 ReleaseAnimalToWild(x))\n\u00acForProfit(nationalLobsterHatchery)", "conclusion": "The National Lobster Hatchery releases animals into the wild.", "conclusion-FOL": "ReleaseAnimalToWild(nationalLobsterhatchery)", "label": "Uncertain", "example_id": 511} +{"story_id": 224, "premises": "Rhos Aelwyd F.C. is a Welsh football club.\nRhos Aelwyd F.C. is the only football club located in Ponciau. \nThe Premier Division was won in June 2005 by a team from Ponciau. \nThe winner of the Premier Division in October 2009 was promoted to the Cymru Alliance.\nThe Premier Division in October 2009 was won by the same team that won in June 2005. ", "premises-FOL": "\u2200x (Rhosaelwydfc(x) \u2192 FootballClub(x) \u2227 Welsh(x))\n\u2200x (FootballClub(x) \u2227 LocatedIn(x, ponciau) \u2194 Rhosaelwydfc(x))\n\u2203x (LocatedIn(x, ponciau) \u2227 WonPremierDivisionDuring(x, year2005MonthJune))\n\u2200x (WonPremierDivisionDuring(x, year2009MonthOctober) \u2192 PromotedTo(x, cymruAlliance))\n\u2200x (WonPremierDivisionDuring(x, year2009MonthOctober) \u2194 WonPremierDivisionDuring(x, y2005MonthJune))", "conclusion": "Rhos Aelwyd F.C. won Premier Division in June 2005.", "conclusion-FOL": "\u2203x (Rhosaelwydfc(x) \u2227 WonPremierDivisionDuring(x, year2005MonthJune))", "label": "True", "example_id": 632} +{"story_id": 224, "premises": "Rhos Aelwyd F.C. is a Welsh football club.\nRhos Aelwyd F.C. is the only football club located in Ponciau. \nThe Premier Division was won in June 2005 by a team from Ponciau. \nThe winner of the Premier Division in October 2009 was promoted to the Cymru Alliance.\nThe Premier Division in October 2009 was won by the same team that won in June 2005. ", "premises-FOL": "\u2200x (Rhosaelwydfc(x) \u2192 FootballClub(x) \u2227 Welsh(x))\n\u2200x (FootballClub(x) \u2227 LocatedIn(x, ponciau) \u2194 Rhosaelwydfc(x))\n\u2203x (LocatedIn(x, ponciau) \u2227 WonPremierDivisionDuring(x, year2005MonthJune))\n\u2200x (WonPremierDivisionDuring(x, year2009MonthOctober) \u2192 PromotedTo(x, cymruAlliance))\n\u2200x (WonPremierDivisionDuring(x, year2009MonthOctober) \u2194 WonPremierDivisionDuring(x, y2005MonthJune))", "conclusion": "Rhos Aelwyd F.C. was promoted to the Cymru Alliance.", "conclusion-FOL": "\u2203x (Rhosaelwydfc(x) \u2227 PromotedTo(x, cymruAlliance))", "label": "True", "example_id": 633} +{"story_id": 470, "premises": "A Unix operating system used in the lab computers is a piece of software.\nAll versions of MacOS used in the lab computer are based on Unix operating systems.\nA lab computer uses either MacOS or Linux. \nAll Linux computers in the lab are convenient.\nAll software used in the lab computers is written with code.\nIf something is convenient in the lab computer, then it is popular.\nBurger is used in the lab computer, and it is written with code and a new version of MacOS.\nPyTorch is used in the lab computer, and PyTorch is neither a Linux system nor a piece of software.", "premises-FOL": "\u2200x (UsedIn(x, labComputer) \u2227 UnixOperatingSystem(x) \u2192 Software(x))\n\u2200x (UsedIn(x, labComputer) \u2227 MacOS(x) \u2192 UnixOperatingSystem(x))\n\u2200x (UsedIn(x, labComputer) \u2192 MacOS(x) \u2295 Linux(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Linux(x) \u2192 Convenient(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Software(x) \u2192 WrittenWithCode(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Convenient(x) \u2192 Popular(x))\nUsedIn(burger, labComputer) \u2227 WrittenWithCode(burger) \u2227 MacOS(burger))\nUsedIn(pytorch, labComputer) \u2227 \u00ac(Linux(pytorch) \u2295 Software(pytorch))", "conclusion": "Burger is popular.", "conclusion-FOL": "Popular(burger)", "label": "Uncertain", "example_id": 1357} +{"story_id": 470, "premises": "A Unix operating system used in the lab computers is a piece of software.\nAll versions of MacOS used in the lab computer are based on Unix operating systems.\nA lab computer uses either MacOS or Linux. \nAll Linux computers in the lab are convenient.\nAll software used in the lab computers is written with code.\nIf something is convenient in the lab computer, then it is popular.\nBurger is used in the lab computer, and it is written with code and a new version of MacOS.\nPyTorch is used in the lab computer, and PyTorch is neither a Linux system nor a piece of software.", "premises-FOL": "\u2200x (UsedIn(x, labComputer) \u2227 UnixOperatingSystem(x) \u2192 Software(x))\n\u2200x (UsedIn(x, labComputer) \u2227 MacOS(x) \u2192 UnixOperatingSystem(x))\n\u2200x (UsedIn(x, labComputer) \u2192 MacOS(x) \u2295 Linux(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Linux(x) \u2192 Convenient(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Software(x) \u2192 WrittenWithCode(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Convenient(x) \u2192 Popular(x))\nUsedIn(burger, labComputer) \u2227 WrittenWithCode(burger) \u2227 MacOS(burger))\nUsedIn(pytorch, labComputer) \u2227 \u00ac(Linux(pytorch) \u2295 Software(pytorch))", "conclusion": "Burger is not popular.", "conclusion-FOL": "\u00acPopular(burger)", "label": "Uncertain", "example_id": 1358} +{"story_id": 470, "premises": "A Unix operating system used in the lab computers is a piece of software.\nAll versions of MacOS used in the lab computer are based on Unix operating systems.\nA lab computer uses either MacOS or Linux. \nAll Linux computers in the lab are convenient.\nAll software used in the lab computers is written with code.\nIf something is convenient in the lab computer, then it is popular.\nBurger is used in the lab computer, and it is written with code and a new version of MacOS.\nPyTorch is used in the lab computer, and PyTorch is neither a Linux system nor a piece of software.", "premises-FOL": "\u2200x (UsedIn(x, labComputer) \u2227 UnixOperatingSystem(x) \u2192 Software(x))\n\u2200x (UsedIn(x, labComputer) \u2227 MacOS(x) \u2192 UnixOperatingSystem(x))\n\u2200x (UsedIn(x, labComputer) \u2192 MacOS(x) \u2295 Linux(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Linux(x) \u2192 Convenient(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Software(x) \u2192 WrittenWithCode(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Convenient(x) \u2192 Popular(x))\nUsedIn(burger, labComputer) \u2227 WrittenWithCode(burger) \u2227 MacOS(burger))\nUsedIn(pytorch, labComputer) \u2227 \u00ac(Linux(pytorch) \u2295 Software(pytorch))", "conclusion": "PyTorch is popular and written with code.", "conclusion-FOL": "Popular(pytorch) \u2227 WrittenWithCode(pytorch)", "label": "True", "example_id": 1359} +{"story_id": 470, "premises": "A Unix operating system used in the lab computers is a piece of software.\nAll versions of MacOS used in the lab computer are based on Unix operating systems.\nA lab computer uses either MacOS or Linux. \nAll Linux computers in the lab are convenient.\nAll software used in the lab computers is written with code.\nIf something is convenient in the lab computer, then it is popular.\nBurger is used in the lab computer, and it is written with code and a new version of MacOS.\nPyTorch is used in the lab computer, and PyTorch is neither a Linux system nor a piece of software.", "premises-FOL": "\u2200x (UsedIn(x, labComputer) \u2227 UnixOperatingSystem(x) \u2192 Software(x))\n\u2200x (UsedIn(x, labComputer) \u2227 MacOS(x) \u2192 UnixOperatingSystem(x))\n\u2200x (UsedIn(x, labComputer) \u2192 MacOS(x) \u2295 Linux(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Linux(x) \u2192 Convenient(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Software(x) \u2192 WrittenWithCode(x))\n\u2200x (UsedIn(x, labComputer) \u2227 Convenient(x) \u2192 Popular(x))\nUsedIn(burger, labComputer) \u2227 WrittenWithCode(burger) \u2227 MacOS(burger))\nUsedIn(pytorch, labComputer) \u2227 \u00ac(Linux(pytorch) \u2295 Software(pytorch))", "conclusion": "PyTorch is not popular and it is not written with code.", "conclusion-FOL": "\u00ac(Popular(pytorch) \u2227 WrittenWithCode(pytorch))", "label": "False", "example_id": 1360} +{"story_id": 117, "premises": "Roads are made of either concrete or asphalt.\nRoads made of concrete last longer than roads made with asphalt.\nRoads made of asphalt are smoother than roads made of concrete.\nEveryone prefers the smoother of two roads. \nThe first road is made of concrete, and the second road is made of asphalt.", "premises-FOL": "\u2200x (Road(x) \u2192 (MadeOf(x, concrete) \u2295 MadeOf(x, asphalt))\n\u2200x \u2200y (Road(x) \u2227 MadeOf(x, concrete) \u2227 Road(y) \u2227 MadeOf(y, asphalt) \u2192 LastLonger(x, y))\n\u2200x \u2200y (Road(x) \u2227 MadeOf(x, asphalt) \u2227 Road(y) \u2227 MadeOf(y, concrete) \u2192 Smoother(x, y))\n\u2200x \u2200y \u2200z (Road(x) \u2227 Road(y) \u2227 Smoother(x, y) \u2192 Prefer(z, x))\nRoad(firstRoad) \u2227 MadeOf(secondRoad, concrete) \u2227 Road(firstRoad) \u2227 MadeOf(secondRoad, asphalt)", "conclusion": "The first road will last longer than the second road.", "conclusion-FOL": "LastLonger(firstRoad, secondRoad)", "label": "True", "example_id": 352} +{"story_id": 117, "premises": "Roads are made of either concrete or asphalt.\nRoads made of concrete last longer than roads made with asphalt.\nRoads made of asphalt are smoother than roads made of concrete.\nEveryone prefers the smoother of two roads. \nThe first road is made of concrete, and the second road is made of asphalt.", "premises-FOL": "\u2200x (Road(x) \u2192 (MadeOf(x, concrete) \u2295 MadeOf(x, asphalt))\n\u2200x \u2200y (Road(x) \u2227 MadeOf(x, concrete) \u2227 Road(y) \u2227 MadeOf(y, asphalt) \u2192 LastLonger(x, y))\n\u2200x \u2200y (Road(x) \u2227 MadeOf(x, asphalt) \u2227 Road(y) \u2227 MadeOf(y, concrete) \u2192 Smoother(x, y))\n\u2200x \u2200y \u2200z (Road(x) \u2227 Road(y) \u2227 Smoother(x, y) \u2192 Prefer(z, x))\nRoad(firstRoad) \u2227 MadeOf(secondRoad, concrete) \u2227 Road(firstRoad) \u2227 MadeOf(secondRoad, asphalt)", "conclusion": "The second road is not smoother than the first one.", "conclusion-FOL": "\u00acSmoother(firstRoad, secondRoad)", "label": "False", "example_id": 353} +{"story_id": 117, "premises": "Roads are made of either concrete or asphalt.\nRoads made of concrete last longer than roads made with asphalt.\nRoads made of asphalt are smoother than roads made of concrete.\nEveryone prefers the smoother of two roads. \nThe first road is made of concrete, and the second road is made of asphalt.", "premises-FOL": "\u2200x (Road(x) \u2192 (MadeOf(x, concrete) \u2295 MadeOf(x, asphalt))\n\u2200x \u2200y (Road(x) \u2227 MadeOf(x, concrete) \u2227 Road(y) \u2227 MadeOf(y, asphalt) \u2192 LastLonger(x, y))\n\u2200x \u2200y (Road(x) \u2227 MadeOf(x, asphalt) \u2227 Road(y) \u2227 MadeOf(y, concrete) \u2192 Smoother(x, y))\n\u2200x \u2200y \u2200z (Road(x) \u2227 Road(y) \u2227 Smoother(x, y) \u2192 Prefer(z, x))\nRoad(firstRoad) \u2227 MadeOf(secondRoad, concrete) \u2227 Road(firstRoad) \u2227 MadeOf(secondRoad, asphalt)", "conclusion": "John prefers the second road.", "conclusion-FOL": "Prefer(john, secondRoad)", "label": "True", "example_id": 354} +{"story_id": 74, "premises": "Camp Davern is a traditional summer camp for boys and girls.\nCamp Davern was established in the year 1946.\nCamp Davern was operated by the YMCA until the year 2015.\nCamp Davern is an old summer camp.", "premises-FOL": "TraditionalSummerCamp(campDavern) \u2227 ForBoysAndGirls(campDavern)\nEstablishedIn(campDavern, year1946)\nOperatedUntil(yMCA, campDavern, year2015)\nOld(campDavern)", "conclusion": "One of Ontario's oldest summer camps is a traditional summer camp for boys and girls.", "conclusion-FOL": "\u2203x (Old(x) \u2227 TraditionalSummerCamp(x) \u2227 ForBoysAndGirls(x))", "label": "True", "example_id": 225} +{"story_id": 74, "premises": "Camp Davern is a traditional summer camp for boys and girls.\nCamp Davern was established in the year 1946.\nCamp Davern was operated by the YMCA until the year 2015.\nCamp Davern is an old summer camp.", "premises-FOL": "TraditionalSummerCamp(campDavern) \u2227 ForBoysAndGirls(campDavern)\nEstablishedIn(campDavern, year1946)\nOperatedUntil(yMCA, campDavern, year2015)\nOld(campDavern)", "conclusion": "A traditional summer camp for boys and girls was operated by the YMCA until the year 2015.", "conclusion-FOL": "\u2203x (TraditionalSummerCamp(x) \u2227 ForBoysAndGirls(x) \u2227 OperatedUntil(YMCA, x, year2015))", "label": "True", "example_id": 226} +{"story_id": 74, "premises": "Camp Davern is a traditional summer camp for boys and girls.\nCamp Davern was established in the year 1946.\nCamp Davern was operated by the YMCA until the year 2015.\nCamp Davern is an old summer camp.", "premises-FOL": "TraditionalSummerCamp(campDavern) \u2227 ForBoysAndGirls(campDavern)\nEstablishedIn(campDavern, year1946)\nOperatedUntil(yMCA, campDavern, year2015)\nOld(campDavern)", "conclusion": "Camp Davern was established in 1989.", "conclusion-FOL": "EstablishedIn(campdavern, year1989)", "label": "Uncertain", "example_id": 227} +{"story_id": 372, "premises": "If Emily's friends publish journals, then they do not work in the entertainment industry.\nAll of Emily's friends who are award-winning novelists publish journals.\nEmily's friends work in the entertainment industry or are highly acclaimed in their profession.\nIf Emily's friends are highly acclaimed in their profession, then they often hold tenured and high-ranking positions at their workplace.\nIf Emily's friends are highly acclaimed in their profession, then they often receive glowing feedback and recommendations from their colleagues.\nTaylor is Emily's friend.\nIt is not true that Taylor both holds highly acclaimed in her profession and often holds tenured and high-ranking positions at her workplace.", "premises-FOL": "\u2200x (EmilysFriend(x) \u2227 Publish(x, journal) \u2192 \u00acWorkIn(x, entertainmentIndustry))\n\u2200x (EmilysFriend(x) \u2227 AwardWinningNovelist(x) \u2192 Publish(x, journal))\n\u2200x (EmilysFriend(x) \u2192 WorkIn(x, entertainmentIndustry) \u2228 HighlyAcclaimedIn(x, theirProfession))\n\u2200x (EmilysFriend(x) \u2227 HighlyAcclaimedIn(x, theirProfession) \u2192 \u2203y (HoldAt(x, y, workPlace) \u2227 Tenured(y) \u2227 HighRanking(y) \u2227 Position(y)))\n\u2200x (EmilysFriend(x) \u2227 HighlyAcclaimedIn(x, theirProfession) \u2192 ReceiveFrom(x, glowingFeedback, colleague) \u2227 ReceiveFrom(x, glowingRecommendation, colleague))\nEmilysFriends(taylor) \n\u00ac(HighlyAcclaimedIn(taylor, theirProfession) \u2227 (\u2203y (HoldAt(taylor, y, workPlace) \u2227 Tenured(y) \u2227 HighRanking(y) \u2227 Position(y)))", "conclusion": "Taylor is Emily's friend and she often holds tenured and high-ranking positions at her workplace.", "conclusion-FOL": "EmilysFriends(taylor) \u2227 (\u2203y (HoldAt(taylor, y, workPlace) \u2227 Tenured(y) \u2227 HighRanking(y) \u2227 Position(y)))", "label": "Uncertain", "example_id": 990} +{"story_id": 372, "premises": "If Emily's friends publish journals, then they do not work in the entertainment industry.\nAll of Emily's friends who are award-winning novelists publish journals.\nEmily's friends work in the entertainment industry or are highly acclaimed in their profession.\nIf Emily's friends are highly acclaimed in their profession, then they often hold tenured and high-ranking positions at their workplace.\nIf Emily's friends are highly acclaimed in their profession, then they often receive glowing feedback and recommendations from their colleagues.\nTaylor is Emily's friend.\nIt is not true that Taylor both holds highly acclaimed in her profession and often holds tenured and high-ranking positions at her workplace.", "premises-FOL": "\u2200x (EmilysFriend(x) \u2227 Publish(x, journal) \u2192 \u00acWorkIn(x, entertainmentIndustry))\n\u2200x (EmilysFriend(x) \u2227 AwardWinningNovelist(x) \u2192 Publish(x, journal))\n\u2200x (EmilysFriend(x) \u2192 WorkIn(x, entertainmentIndustry) \u2228 HighlyAcclaimedIn(x, theirProfession))\n\u2200x (EmilysFriend(x) \u2227 HighlyAcclaimedIn(x, theirProfession) \u2192 \u2203y (HoldAt(x, y, workPlace) \u2227 Tenured(y) \u2227 HighRanking(y) \u2227 Position(y)))\n\u2200x (EmilysFriend(x) \u2227 HighlyAcclaimedIn(x, theirProfession) \u2192 ReceiveFrom(x, glowingFeedback, colleague) \u2227 ReceiveFrom(x, glowingRecommendation, colleague))\nEmilysFriends(taylor) \n\u00ac(HighlyAcclaimedIn(taylor, theirProfession) \u2227 (\u2203y (HoldAt(taylor, y, workPlace) \u2227 Tenured(y) \u2227 HighRanking(y) \u2227 Position(y)))", "conclusion": "Taylor is Emily's friend and she often receives glowing feedback and recommendations from their colleagues and is an award-winning novelist.", "conclusion-FOL": "EmilysFriends(taylor) \u2227 (Receive(taylor, glowingFeedback, colleague) \u2227 Receive(taylor, glowingRecommendation, colleague) \u2227 AwardWinningNovelist(taylor))", "label": "False", "example_id": 991} +{"story_id": 372, "premises": "If Emily's friends publish journals, then they do not work in the entertainment industry.\nAll of Emily's friends who are award-winning novelists publish journals.\nEmily's friends work in the entertainment industry or are highly acclaimed in their profession.\nIf Emily's friends are highly acclaimed in their profession, then they often hold tenured and high-ranking positions at their workplace.\nIf Emily's friends are highly acclaimed in their profession, then they often receive glowing feedback and recommendations from their colleagues.\nTaylor is Emily's friend.\nIt is not true that Taylor both holds highly acclaimed in her profession and often holds tenured and high-ranking positions at her workplace.", "premises-FOL": "\u2200x (EmilysFriend(x) \u2227 Publish(x, journal) \u2192 \u00acWorkIn(x, entertainmentIndustry))\n\u2200x (EmilysFriend(x) \u2227 AwardWinningNovelist(x) \u2192 Publish(x, journal))\n\u2200x (EmilysFriend(x) \u2192 WorkIn(x, entertainmentIndustry) \u2228 HighlyAcclaimedIn(x, theirProfession))\n\u2200x (EmilysFriend(x) \u2227 HighlyAcclaimedIn(x, theirProfession) \u2192 \u2203y (HoldAt(x, y, workPlace) \u2227 Tenured(y) \u2227 HighRanking(y) \u2227 Position(y)))\n\u2200x (EmilysFriend(x) \u2227 HighlyAcclaimedIn(x, theirProfession) \u2192 ReceiveFrom(x, glowingFeedback, colleague) \u2227 ReceiveFrom(x, glowingRecommendation, colleague))\nEmilysFriends(taylor) \n\u00ac(HighlyAcclaimedIn(taylor, theirProfession) \u2227 (\u2203y (HoldAt(taylor, y, workPlace) \u2227 Tenured(y) \u2227 HighRanking(y) \u2227 Position(y)))", "conclusion": "Taylor is Emily's friend and she does not both publish journals and is an award-winning novelist.", "conclusion-FOL": "EmilysFriends(taylor) \u2227 \u00ac(Publish(taylor, journal) \u2227 AwardWinningNovelist(taylor))", "label": "True", "example_id": 992} +{"story_id": 10, "premises": "Thick as Thieves is a young adult fantasy novel written by Megan Whalen Turner.\nThick as Thieves was published by Greenwillow Books.\nIf a book was published by a company, then the author of that book worked with the company that published the book.\nThe fictional Mede Empire is where Thick as Thieves is set.\nThe Mede Empire plots to swallow up some nearby countries.\nAttolia and Sounis are countries near the Mede Empire.\nThick as Thieves was sold both as a hardcover and an e-book.", "premises-FOL": "YoungAdultFantasy(thickAsTheives) \u2227 Novel(thickAsTheives) \u2227 WrittenBy(thickAsTheives, meganWhalenTurner)\nPublishedBy(thickAsTheives, greenWillowBooks)\n\u2200x \u2200y \u2200z ((WrittenBy(x, y) \u2227 PublishedBy(x, z)) \u2192 WorkedWith(y, z))\nFictional(medeEmpire) \u2227 SetIn(thickAsTheives, medeEmpire)\n\u2203x \u2203y ((Country(x) \u2227 Near(x, medeEmpire) \u2227 PlotsToSwallowUp(medeEmpire, x)) \u2227 (\u00ac(x=y) \u2227 Near(y, medeEmpire) \u2227 PlotsToSwallowUp(medeEmpire, y)))\nCountry(attolia) \u2227 Near(attolia, medeEmpire) \u2227 Country(sounis) \u2227 Near(sounis, medeEmpire)\nSoldAs(thickAsTheives, hardCover) \u2227 SoldAs(thickAsTheives, softCover)", "conclusion": "Megan Whalen Turner worked with Greenwillow Books.", "conclusion-FOL": "WorkedWith(WhalenTurner, greenWillowbooks)", "label": "True", "example_id": 25} +{"story_id": 10, "premises": "Thick as Thieves is a young adult fantasy novel written by Megan Whalen Turner.\nThick as Thieves was published by Greenwillow Books.\nIf a book was published by a company, then the author of that book worked with the company that published the book.\nThe fictional Mede Empire is where Thick as Thieves is set.\nThe Mede Empire plots to swallow up some nearby countries.\nAttolia and Sounis are countries near the Mede Empire.\nThick as Thieves was sold both as a hardcover and an e-book.", "premises-FOL": "YoungAdultFantasy(thickAsTheives) \u2227 Novel(thickAsTheives) \u2227 WrittenBy(thickAsTheives, meganWhalenTurner)\nPublishedBy(thickAsTheives, greenWillowBooks)\n\u2200x \u2200y \u2200z ((WrittenBy(x, y) \u2227 PublishedBy(x, z)) \u2192 WorkedWith(y, z))\nFictional(medeEmpire) \u2227 SetIn(thickAsTheives, medeEmpire)\n\u2203x \u2203y ((Country(x) \u2227 Near(x, medeEmpire) \u2227 PlotsToSwallowUp(medeEmpire, x)) \u2227 (\u00ac(x=y) \u2227 Near(y, medeEmpire) \u2227 PlotsToSwallowUp(medeEmpire, y)))\nCountry(attolia) \u2227 Near(attolia, medeEmpire) \u2227 Country(sounis) \u2227 Near(sounis, medeEmpire)\nSoldAs(thickAsTheives, hardCover) \u2227 SoldAs(thickAsTheives, softCover)", "conclusion": "The Mede Empire plans to swallow up Attolia.", "conclusion-FOL": "PlotsToSwallowUp(medeEmpire, attolia)", "label": "Uncertain", "example_id": 26} +{"story_id": 10, "premises": "Thick as Thieves is a young adult fantasy novel written by Megan Whalen Turner.\nThick as Thieves was published by Greenwillow Books.\nIf a book was published by a company, then the author of that book worked with the company that published the book.\nThe fictional Mede Empire is where Thick as Thieves is set.\nThe Mede Empire plots to swallow up some nearby countries.\nAttolia and Sounis are countries near the Mede Empire.\nThick as Thieves was sold both as a hardcover and an e-book.", "premises-FOL": "YoungAdultFantasy(thickAsTheives) \u2227 Novel(thickAsTheives) \u2227 WrittenBy(thickAsTheives, meganWhalenTurner)\nPublishedBy(thickAsTheives, greenWillowBooks)\n\u2200x \u2200y \u2200z ((WrittenBy(x, y) \u2227 PublishedBy(x, z)) \u2192 WorkedWith(y, z))\nFictional(medeEmpire) \u2227 SetIn(thickAsTheives, medeEmpire)\n\u2203x \u2203y ((Country(x) \u2227 Near(x, medeEmpire) \u2227 PlotsToSwallowUp(medeEmpire, x)) \u2227 (\u00ac(x=y) \u2227 Near(y, medeEmpire) \u2227 PlotsToSwallowUp(medeEmpire, y)))\nCountry(attolia) \u2227 Near(attolia, medeEmpire) \u2227 Country(sounis) \u2227 Near(sounis, medeEmpire)\nSoldAs(thickAsTheives, hardCover) \u2227 SoldAs(thickAsTheives, softCover)", "conclusion": "Thick as Thieves is not set in the Mede Empire.", "conclusion-FOL": "\u00acSetIn(thickAsTheives, medeEmpire)", "label": "False", "example_id": 27} +{"story_id": 10, "premises": "Thick as Thieves is a young adult fantasy novel written by Megan Whalen Turner.\nThick as Thieves was published by Greenwillow Books.\nIf a book was published by a company, then the author of that book worked with the company that published the book.\nThe fictional Mede Empire is where Thick as Thieves is set.\nThe Mede Empire plots to swallow up some nearby countries.\nAttolia and Sounis are countries near the Mede Empire.\nThick as Thieves was sold both as a hardcover and an e-book.", "premises-FOL": "YoungAdultFantasy(thickAsTheives) \u2227 Novel(thickAsTheives) \u2227 WrittenBy(thickAsTheives, meganWhalenTurner)\nPublishedBy(thickAsTheives, greenWillowBooks)\n\u2200x \u2200y \u2200z ((WrittenBy(x, y) \u2227 PublishedBy(x, z)) \u2192 WorkedWith(y, z))\nFictional(medeEmpire) \u2227 SetIn(thickAsTheives, medeEmpire)\n\u2203x \u2203y ((Country(x) \u2227 Near(x, medeEmpire) \u2227 PlotsToSwallowUp(medeEmpire, x)) \u2227 (\u00ac(x=y) \u2227 Near(y, medeEmpire) \u2227 PlotsToSwallowUp(medeEmpire, y)))\nCountry(attolia) \u2227 Near(attolia, medeEmpire) \u2227 Country(sounis) \u2227 Near(sounis, medeEmpire)\nSoldAs(thickAsTheives, hardCover) \u2227 SoldAs(thickAsTheives, softCover)", "conclusion": "Megan Whalen Turner did not work with Greenwillow Books.", "conclusion-FOL": "\u00acWorkedWith(megan, greenWillowbooks)", "label": "False", "example_id": 28} +{"story_id": 116, "premises": "WeTab is a MeeGo-based tablet computer.\nWeTab was announced by Neofonie.\nNeofonie is a German producer.\nGermans live in Germany or abroad. ", "premises-FOL": "MeeGoBased(weTab) \u2227 TabletComputer(weTab)\n\u2200x (AnnouncedBy(weTab, neofonie))\nGerman(neofonie) \u2227 Producer(neofonie)\n\u2200x (German(x) \u2192 LiveIn(x, german) \u2295 LiveAbroad(x))", "conclusion": "There is a tablet computer announced by a German producer.", "conclusion-FOL": "\u2203x \u2203y (TabletComputer(x) \u2227 German(y) \u2227 Producer(y) \u2227 AnnouncedBy(x, y))", "label": "True", "example_id": 350} +{"story_id": 116, "premises": "WeTab is a MeeGo-based tablet computer.\nWeTab was announced by Neofonie.\nNeofonie is a German producer.\nGermans live in Germany or abroad. ", "premises-FOL": "MeeGoBased(weTab) \u2227 TabletComputer(weTab)\n\u2200x (AnnouncedBy(weTab, neofonie))\nGerman(neofonie) \u2227 Producer(neofonie)\n\u2200x (German(x) \u2192 LiveIn(x, german) \u2295 LiveAbroad(x))", "conclusion": "Neofonie doesn't speak English or German.", "conclusion-FOL": "\u00acSpeak(neofonie, english) \u2227 \u00acSpeak(neofonie, german)", "label": "False", "example_id": 351} +{"story_id": 419, "premises": "Some employees in James's town who work in business analysis are good at math. \nAll of the employees in James's town who work in business analysis are working for this company. \nNone of the employees in James's town who work for this company are from China. \nAll of the employees in James's town working in software engineering are from China. \nLeif is an employee in James's town, and he is working in software engineering. ", "premises-FOL": "\u2203x \u2203y (EmployeeIn(x, jamesSTown) \u2227 WorkIn(x, businessAnalysis) \u2227 GoodAt(x, math) \u2227 (\u00ac(x=y)) \u2227 EmployeeIn(y, jamesSTown) \u2227 WorkIn(y, businessAnalysis) \u2227 GoodAt(y, math))\n\u2200x ((EmployeeIn(x, jamesSTown) \u2227 WorkIn(x, businessAnalysis)) \u2192 WorkFor(x, thisCompany))\n\u2200x ((EmployeeIn(x, jamesSTown) \u2227 WorkFor(x, thisCompany)) \u2192 \u00acFrom(x, china))\n\u2200x (EmployeeIn(x, jamesSTown) \u2227 WorkIn(x, softwareEngineering) \u2192 From(x, china))\nEmployeeIn(leif, jamesSTown) \u2227 WorkIn(leif, softwareEngineering)", "conclusion": "Leif is good at math.", "conclusion-FOL": "EmployeesInJamesSTown(leif) \u2227 GoodAt(leif, math)", "label": "Uncertain", "example_id": 1181} +{"story_id": 419, "premises": "Some employees in James's town who work in business analysis are good at math. \nAll of the employees in James's town who work in business analysis are working for this company. \nNone of the employees in James's town who work for this company are from China. \nAll of the employees in James's town working in software engineering are from China. \nLeif is an employee in James's town, and he is working in software engineering. ", "premises-FOL": "\u2203x \u2203y (EmployeeIn(x, jamesSTown) \u2227 WorkIn(x, businessAnalysis) \u2227 GoodAt(x, math) \u2227 (\u00ac(x=y)) \u2227 EmployeeIn(y, jamesSTown) \u2227 WorkIn(y, businessAnalysis) \u2227 GoodAt(y, math))\n\u2200x ((EmployeeIn(x, jamesSTown) \u2227 WorkIn(x, businessAnalysis)) \u2192 WorkFor(x, thisCompany))\n\u2200x ((EmployeeIn(x, jamesSTown) \u2227 WorkFor(x, thisCompany)) \u2192 \u00acFrom(x, china))\n\u2200x (EmployeeIn(x, jamesSTown) \u2227 WorkIn(x, softwareEngineering) \u2192 From(x, china))\nEmployeeIn(leif, jamesSTown) \u2227 WorkIn(leif, softwareEngineering)", "conclusion": "Leif is not both good at math and working in business analysis.", "conclusion-FOL": "\u00ac(GoodAt(leif, math) \u2227 WorkIn(leif, businessAnalysis))", "label": "False", "example_id": 1182} +{"story_id": 419, "premises": "Some employees in James's town who work in business analysis are good at math. \nAll of the employees in James's town who work in business analysis are working for this company. \nNone of the employees in James's town who work for this company are from China. \nAll of the employees in James's town working in software engineering are from China. \nLeif is an employee in James's town, and he is working in software engineering. ", "premises-FOL": "\u2203x \u2203y (EmployeeIn(x, jamesSTown) \u2227 WorkIn(x, businessAnalysis) \u2227 GoodAt(x, math) \u2227 (\u00ac(x=y)) \u2227 EmployeeIn(y, jamesSTown) \u2227 WorkIn(y, businessAnalysis) \u2227 GoodAt(y, math))\n\u2200x ((EmployeeIn(x, jamesSTown) \u2227 WorkIn(x, businessAnalysis)) \u2192 WorkFor(x, thisCompany))\n\u2200x ((EmployeeIn(x, jamesSTown) \u2227 WorkFor(x, thisCompany)) \u2192 \u00acFrom(x, china))\n\u2200x (EmployeeIn(x, jamesSTown) \u2227 WorkIn(x, softwareEngineering) \u2192 From(x, china))\nEmployeeIn(leif, jamesSTown) \u2227 WorkIn(leif, softwareEngineering)", "conclusion": "If Leif is not both good at math and in business analysis, then he is neither working in this company nor working in software engineering.", "conclusion-FOL": "\u00ac(GoodAt(leif, math) \u2227 WorkIn(leif, businessAnalysis)) \u2192 (\u00acWorkFor(x, thisCompany) \u2227 \u00acWorkIn(x, softwareEngineering))", "label": "True", "example_id": 1183} +{"story_id": 157, "premises": "The party provides five kinds of fruits: strawberry, orange, blueberry, grape, and cherry.\nIf the fruit had the lowest remaining weight at the end of the party, then it means it was the most popular fruit.\nAt the end of the party, strawberries had the lowest remaining weight.\nAt the end of the party, the number of leftover blueberries was lower than that of cherries.\nBenjamin only ate oranges and grapes at the party.", "premises-FOL": "Provide(party, strawberry) \u2227 Provide(party, orange) \u2227 Provide(party, blueberry) \u2227 Provide(party, grape) \u2227 Provide(party, cherry) \n\u2200x (LowestWeightRemainingAt(x, endOfParty) \u2192 MostPopular(x)) \nLowestWeightRemainingAt(strawberries, endOfParty)\nLowerWeightAt(blueberry, cherry, endOfParty)\nEat(benjamin, orange) \u2227 Eat(benjamin, grape) \u2227 \u00acEat(benjamin, blueberry) \u2227 \u00acEat(benjamin, cherry) \u2227 \u00acEat(benjamin, strawberry)", "conclusion": "Blueberries were the most popular fruit at the party.", "conclusion-FOL": "MostPopular(blueberry)", "label": "Uncertain", "example_id": 450} +{"story_id": 157, "premises": "The party provides five kinds of fruits: strawberry, orange, blueberry, grape, and cherry.\nIf the fruit had the lowest remaining weight at the end of the party, then it means it was the most popular fruit.\nAt the end of the party, strawberries had the lowest remaining weight.\nAt the end of the party, the number of leftover blueberries was lower than that of cherries.\nBenjamin only ate oranges and grapes at the party.", "premises-FOL": "Provide(party, strawberry) \u2227 Provide(party, orange) \u2227 Provide(party, blueberry) \u2227 Provide(party, grape) \u2227 Provide(party, cherry) \n\u2200x (LowestWeightRemainingAt(x, endOfParty) \u2192 MostPopular(x)) \nLowestWeightRemainingAt(strawberries, endOfParty)\nLowerWeightAt(blueberry, cherry, endOfParty)\nEat(benjamin, orange) \u2227 Eat(benjamin, grape) \u2227 \u00acEat(benjamin, blueberry) \u2227 \u00acEat(benjamin, cherry) \u2227 \u00acEat(benjamin, strawberry)", "conclusion": "Cherries were the most popular fruit at the party.", "conclusion-FOL": "MostPopular(cherry)", "label": "Uncertain", "example_id": 451} +{"story_id": 157, "premises": "The party provides five kinds of fruits: strawberry, orange, blueberry, grape, and cherry.\nIf the fruit had the lowest remaining weight at the end of the party, then it means it was the most popular fruit.\nAt the end of the party, strawberries had the lowest remaining weight.\nAt the end of the party, the number of leftover blueberries was lower than that of cherries.\nBenjamin only ate oranges and grapes at the party.", "premises-FOL": "Provide(party, strawberry) \u2227 Provide(party, orange) \u2227 Provide(party, blueberry) \u2227 Provide(party, grape) \u2227 Provide(party, cherry) \n\u2200x (LowestWeightRemainingAt(x, endOfParty) \u2192 MostPopular(x)) \nLowestWeightRemainingAt(strawberries, endOfParty)\nLowerWeightAt(blueberry, cherry, endOfParty)\nEat(benjamin, orange) \u2227 Eat(benjamin, grape) \u2227 \u00acEat(benjamin, blueberry) \u2227 \u00acEat(benjamin, cherry) \u2227 \u00acEat(benjamin, strawberry)", "conclusion": "Benjamin ate blueberries at the party.", "conclusion-FOL": "Eat(blueberry, benjamin)", "label": "False", "example_id": 452} +{"story_id": 63, "premises": "All students who attend in person have registered for the conference. \nStudents either attend the conference in person or remotely. \nNo students from China attend the conference remotely. \nJames attends the conference, but he does not attend the conference remotely.\nJack attends the conference, and he is a student from China.", "premises-FOL": "\u2200x (AttendInPerson(x) \u2192 Registered(x))\n\u2200x (Attend(x) \u2192 (AttendInPerson(x) \u2295 AttendRemotely(x)))\n\u2200x ((Attend(x) \u2227 FromChina(x)) \u2192 \u00acAttendRemotely(x))\nAttend(james) \u2227 (\u00acAttendRemotely(james))\nFromChina(jack) \u2227 Attend(jack)", "conclusion": "James attends the conference but not in person.", "conclusion-FOL": "Attend(james) \u2227 (\u00acAttendInPerson(james))", "label": "False", "example_id": 186} +{"story_id": 63, "premises": "All students who attend in person have registered for the conference. \nStudents either attend the conference in person or remotely. \nNo students from China attend the conference remotely. \nJames attends the conference, but he does not attend the conference remotely.\nJack attends the conference, and he is a student from China.", "premises-FOL": "\u2200x (AttendInPerson(x) \u2192 Registered(x))\n\u2200x (Attend(x) \u2192 (AttendInPerson(x) \u2295 AttendRemotely(x)))\n\u2200x ((Attend(x) \u2227 FromChina(x)) \u2192 \u00acAttendRemotely(x))\nAttend(james) \u2227 (\u00acAttendRemotely(james))\nFromChina(jack) \u2227 Attend(jack)", "conclusion": "Jack attends the conference in person.", "conclusion-FOL": "Attend(jack) \u2227 AttendInPerson(jack)", "label": "True", "example_id": 187} +{"story_id": 63, "premises": "All students who attend in person have registered for the conference. \nStudents either attend the conference in person or remotely. \nNo students from China attend the conference remotely. \nJames attends the conference, but he does not attend the conference remotely.\nJack attends the conference, and he is a student from China.", "premises-FOL": "\u2200x (AttendInPerson(x) \u2192 Registered(x))\n\u2200x (Attend(x) \u2192 (AttendInPerson(x) \u2295 AttendRemotely(x)))\n\u2200x ((Attend(x) \u2227 FromChina(x)) \u2192 \u00acAttendRemotely(x))\nAttend(james) \u2227 (\u00acAttendRemotely(james))\nFromChina(jack) \u2227 Attend(jack)", "conclusion": "Jack has registered for the conference.", "conclusion-FOL": "Registered(jack)", "label": "True", "example_id": 188} +{"story_id": 223, "premises": "David Ha'ivri is a political strategist. \nIf you are born in Israel to at least one Israeli parent, you receive Israeli citizenship at birth. \nDavid Ha'ivri emigrated to the United States from Israel, where he was born to Israeli parents. \nSeveral Zionist leaders have been elected to the Shomron Regional Municipal council. \nDavid Ha'ivri is a Zionist leader.", "premises-FOL": "PoliticalStrategist(davidHaivri)\n\u2200x \u2203y (BornInIsrael(x) \u2227 ParentOf(y, x) \u2227 Israeli(y) \u2192 Israeli(x))\n\u2203x (EmigratedTo(davidHaivri, america) \u2227 BornInIsrael(davidHaivri) \u2227 ParentOf(davidHaivri, x) \u2227 Israeli(x))\n\u2203x (ZionistLeader(x) \u2227 ElectedTo(x, shomronMunicipalCouncil))\nZionstLeader(davidHaivri)", "conclusion": "David Ha'ivri is an Israeli citizen.", "conclusion-FOL": "IsraeliCitizen(davidHaivri)", "label": "True", "example_id": 629} +{"story_id": 223, "premises": "David Ha'ivri is a political strategist. \nIf you are born in Israel to at least one Israeli parent, you receive Israeli citizenship at birth. \nDavid Ha'ivri emigrated to the United States from Israel, where he was born to Israeli parents. \nSeveral Zionist leaders have been elected to the Shomron Regional Municipal council. \nDavid Ha'ivri is a Zionist leader.", "premises-FOL": "PoliticalStrategist(davidHaivri)\n\u2200x \u2203y (BornInIsrael(x) \u2227 ParentOf(y, x) \u2227 Israeli(y) \u2192 Israeli(x))\n\u2203x (EmigratedTo(davidHaivri, america) \u2227 BornInIsrael(davidHaivri) \u2227 ParentOf(davidHaivri, x) \u2227 Israeli(x))\n\u2203x (ZionistLeader(x) \u2227 ElectedTo(x, shomronMunicipalCouncil))\nZionstLeader(davidHaivri)", "conclusion": "David Ha'ivri is a United States citizen.", "conclusion-FOL": "American(davidHaivri)", "label": "Uncertain", "example_id": 630} +{"story_id": 223, "premises": "David Ha'ivri is a political strategist. \nIf you are born in Israel to at least one Israeli parent, you receive Israeli citizenship at birth. \nDavid Ha'ivri emigrated to the United States from Israel, where he was born to Israeli parents. \nSeveral Zionist leaders have been elected to the Shomron Regional Municipal council. \nDavid Ha'ivri is a Zionist leader.", "premises-FOL": "PoliticalStrategist(davidHaivri)\n\u2200x \u2203y (BornInIsrael(x) \u2227 ParentOf(y, x) \u2227 Israeli(y) \u2192 Israeli(x))\n\u2203x (EmigratedTo(davidHaivri, america) \u2227 BornInIsrael(davidHaivri) \u2227 ParentOf(davidHaivri, x) \u2227 Israeli(x))\n\u2203x (ZionistLeader(x) \u2227 ElectedTo(x, shomronMunicipalCouncil))\nZionstLeader(davidHaivri)", "conclusion": "David Ha'ivri has been elected to the Shomron Regional Municipal council.", "conclusion-FOL": "ElectedTo(davidHaivri, shomronMunicipalCouncil)", "label": "Uncertain", "example_id": 631} +{"story_id": 1, "premises": "Mary has the flu.\nIf someone has the flu, then they have influenza.\nSusan doesn't have influenza.", "premises-FOL": "Has(mary, flu)\n\u2200x (Has(x, flu) \u2192 Has(x, influenza))\n\u00acHas(susan, influenza)", "conclusion": "Either Mary or Susan has influenza.", "conclusion-FOL": "Has(mary, influenza) \u2295 Has(susan, influenza)", "label": "True", "example_id": 3} +{"story_id": 42, "premises": "James Cocks was a British lawyer.\nJames Cocks was a Whig politician who sat in the House of Commons.\nA British is a European.\nAny lawyer is familiar with laws.\nSome Whigs speak French.", "premises-FOL": "British(james) \u2227 Lawyer(james)\nWhig(james) \u2227 Politician(james) \u2227 SatInHouseOfCommons(james)\n\u2200x (British(x) \u2192 European(x))\n\u2200x (Lawyer(x) \u2192 FamiliarWithLaws(x))\n\u2203x \u2203y (Whig(x) \u2227 SpeakFrench(x)) \u2227 (\u00ac(x=y)) \u2227 (Whig(y) \u2227 SpeakFrench(y))", "conclusion": "No lawyer ever sat in the House of Commons.", "conclusion-FOL": "\u2200x (Lawyer(x) \u2192 \u00acSatInHouseOfCommons(x))", "label": "False", "example_id": 120} +{"story_id": 42, "premises": "James Cocks was a British lawyer.\nJames Cocks was a Whig politician who sat in the House of Commons.\nA British is a European.\nAny lawyer is familiar with laws.\nSome Whigs speak French.", "premises-FOL": "British(james) \u2227 Lawyer(james)\nWhig(james) \u2227 Politician(james) \u2227 SatInHouseOfCommons(james)\n\u2200x (British(x) \u2192 European(x))\n\u2200x (Lawyer(x) \u2192 FamiliarWithLaws(x))\n\u2203x \u2203y (Whig(x) \u2227 SpeakFrench(x)) \u2227 (\u00ac(x=y)) \u2227 (Whig(y) \u2227 SpeakFrench(y))", "conclusion": "Some European was familiar with laws.", "conclusion-FOL": "\u2203x (European(x) \u2227 FamiliarWithLaws(x))", "label": "True", "example_id": 121} +{"story_id": 42, "premises": "James Cocks was a British lawyer.\nJames Cocks was a Whig politician who sat in the House of Commons.\nA British is a European.\nAny lawyer is familiar with laws.\nSome Whigs speak French.", "premises-FOL": "British(james) \u2227 Lawyer(james)\nWhig(james) \u2227 Politician(james) \u2227 SatInHouseOfCommons(james)\n\u2200x (British(x) \u2192 European(x))\n\u2200x (Lawyer(x) \u2192 FamiliarWithLaws(x))\n\u2203x \u2203y (Whig(x) \u2227 SpeakFrench(x)) \u2227 (\u00ac(x=y)) \u2227 (Whig(y) \u2227 SpeakFrench(y))", "conclusion": "James Cocks speaks French.", "conclusion-FOL": "SpeakFrench(james)", "label": "Uncertain", "example_id": 122} +{"story_id": 122, "premises": "Beasts of Prey is a fantasy novel or a science fiction novel, or both.\nScience fiction novels are not about mythological creatures\nBeasts of Prey Is about a creature known as the Shetani.\nShetanis are mythological.", "premises-FOL": "Novel(beastsOfPrey) \u2192 (Fantasy(beastsOfPrey) \u2228 ScienceFiction(beastsOfPrey))\n\u2200x \u2200y (ScienceFiction(x) \u2227 Mythological(y) \u2227 Creature(y) \u2192 \u00acAbout(x, y))\nAbout(beastsOfPrey, shetani) \u2227 Creature(shetani)\nMythological(shetani)", "conclusion": "Beasts of prey is a fantasy novel.", "conclusion-FOL": "Fantasy(beastsOfpPrey) \u2227 Novel(beastsOfPrey)", "label": "True", "example_id": 364} +{"story_id": 122, "premises": "Beasts of Prey is a fantasy novel or a science fiction novel, or both.\nScience fiction novels are not about mythological creatures\nBeasts of Prey Is about a creature known as the Shetani.\nShetanis are mythological.", "premises-FOL": "Novel(beastsOfPrey) \u2192 (Fantasy(beastsOfPrey) \u2228 ScienceFiction(beastsOfPrey))\n\u2200x \u2200y (ScienceFiction(x) \u2227 Mythological(y) \u2227 Creature(y) \u2192 \u00acAbout(x, y))\nAbout(beastsOfPrey, shetani) \u2227 Creature(shetani)\nMythological(shetani)", "conclusion": "Beasts of prey isn't a science fiction novel.", "conclusion-FOL": "\u00acScienceFiction(beastsofprey) \u2227 Novel(beastsOfPrey)", "label": "True", "example_id": 365} +{"story_id": 122, "premises": "Beasts of Prey is a fantasy novel or a science fiction novel, or both.\nScience fiction novels are not about mythological creatures\nBeasts of Prey Is about a creature known as the Shetani.\nShetanis are mythological.", "premises-FOL": "Novel(beastsOfPrey) \u2192 (Fantasy(beastsOfPrey) \u2228 ScienceFiction(beastsOfPrey))\n\u2200x \u2200y (ScienceFiction(x) \u2227 Mythological(y) \u2227 Creature(y) \u2192 \u00acAbout(x, y))\nAbout(beastsOfPrey, shetani) \u2227 Creature(shetani)\nMythological(shetani)", "conclusion": "A shetani is either mythological or a creature.", "conclusion-FOL": "Mythological(shetani) \u2295 Creature(shetani)", "label": "False", "example_id": 366} +{"story_id": 17, "premises": "Odell is an English surname originating in Odell, Bedfordshire.\nIn some families, Odell is spelled O'Dell in a mistaken Irish adaptation.\nNotable people with surnames include Amy Odell, Jack Odell, and Mats Odell.\nAmy Odell is a British singer-songwriter.\nJack Odell is an English toy inventor.", "premises-FOL": "Surname(nameODell) \u2227 From(nameODell, oDellBedfordshire)\nMistakenSpellingOf(nameO'Dell, nameODell) \u2227 (\u2203x\u2203y(Family(x) \u2227 Named(x, nameO'Dell) \u2227 (\u00ac(x=y)) \u2227 Family(y) \u2227 Named(y, nameO'Dell))\nNamed(amyODell, nameODell) \u2227 NotablePerson(amyODell) \u2227 Named(jackODell, nameODell) \u2227 NotablePerson(jackODell) \u2227 Named(matsODell, nameODell) \u2227 NotablePerson(matsODell)\nBritish(amyODell) \u2227 Singer(amyODell) \u2227 SongWriter(amyODell)\nEnglish(jackODell) \u2227 ToyInventor(jackODell)", "conclusion": "Jack Odell is a notable person.", "conclusion-FOL": "NotablePerson(jackODell)", "label": "True", "example_id": 47} +{"story_id": 17, "premises": "Odell is an English surname originating in Odell, Bedfordshire.\nIn some families, Odell is spelled O'Dell in a mistaken Irish adaptation.\nNotable people with surnames include Amy Odell, Jack Odell, and Mats Odell.\nAmy Odell is a British singer-songwriter.\nJack Odell is an English toy inventor.", "premises-FOL": "Surname(nameODell) \u2227 From(nameODell, oDellBedfordshire)\nMistakenSpellingOf(nameO'Dell, nameODell) \u2227 (\u2203x\u2203y(Family(x) \u2227 Named(x, nameO'Dell) \u2227 (\u00ac(x=y)) \u2227 Family(y) \u2227 Named(y, nameO'Dell))\nNamed(amyODell, nameODell) \u2227 NotablePerson(amyODell) \u2227 Named(jackODell, nameODell) \u2227 NotablePerson(jackODell) \u2227 Named(matsODell, nameODell) \u2227 NotablePerson(matsODell)\nBritish(amyODell) \u2227 Singer(amyODell) \u2227 SongWriter(amyODell)\nEnglish(jackODell) \u2227 ToyInventor(jackODell)", "conclusion": "Odell is Amy Odell's surname.", "conclusion-FOL": "Named(amyODell, nameODell)", "label": "True", "example_id": 48} +{"story_id": 17, "premises": "Odell is an English surname originating in Odell, Bedfordshire.\nIn some families, Odell is spelled O'Dell in a mistaken Irish adaptation.\nNotable people with surnames include Amy Odell, Jack Odell, and Mats Odell.\nAmy Odell is a British singer-songwriter.\nJack Odell is an English toy inventor.", "premises-FOL": "Surname(nameODell) \u2227 From(nameODell, oDellBedfordshire)\nMistakenSpellingOf(nameO'Dell, nameODell) \u2227 (\u2203x\u2203y(Family(x) \u2227 Named(x, nameO'Dell) \u2227 (\u00ac(x=y)) \u2227 Family(y) \u2227 Named(y, nameO'Dell))\nNamed(amyODell, nameODell) \u2227 NotablePerson(amyODell) \u2227 Named(jackODell, nameODell) \u2227 NotablePerson(jackODell) \u2227 Named(matsODell, nameODell) \u2227 NotablePerson(matsODell)\nBritish(amyODell) \u2227 Singer(amyODell) \u2227 SongWriter(amyODell)\nEnglish(jackODell) \u2227 ToyInventor(jackODell)", "conclusion": "Amy Odell is an English toy inventor.", "conclusion-FOL": "English(amyODell) \u2227 ToyInventor(amyODell)", "label": "Uncertain", "example_id": 49} +{"story_id": 17, "premises": "Odell is an English surname originating in Odell, Bedfordshire.\nIn some families, Odell is spelled O'Dell in a mistaken Irish adaptation.\nNotable people with surnames include Amy Odell, Jack Odell, and Mats Odell.\nAmy Odell is a British singer-songwriter.\nJack Odell is an English toy inventor.", "premises-FOL": "Surname(nameODell) \u2227 From(nameODell, oDellBedfordshire)\nMistakenSpellingOf(nameO'Dell, nameODell) \u2227 (\u2203x\u2203y(Family(x) \u2227 Named(x, nameO'Dell) \u2227 (\u00ac(x=y)) \u2227 Family(y) \u2227 Named(y, nameO'Dell))\nNamed(amyODell, nameODell) \u2227 NotablePerson(amyODell) \u2227 Named(jackODell, nameODell) \u2227 NotablePerson(jackODell) \u2227 Named(matsODell, nameODell) \u2227 NotablePerson(matsODell)\nBritish(amyODell) \u2227 Singer(amyODell) \u2227 SongWriter(amyODell)\nEnglish(jackODell) \u2227 ToyInventor(jackODell)", "conclusion": "Amy Odell is also Amy O'Dell.", "conclusion-FOL": "Named(amyODell, nameODell) \u2227 Named(amyODell, nameO'Dell)", "label": "Uncertain", "example_id": 50} +{"story_id": 167, "premises": "If you go somewhere by train, you will not lose time.\nIf you go somewhere by car and meet a traffic jam, you will lose time.\nIf you lose time, you will be late for work.\nMary can get from New Haven to New York City either by train or car.\nMary is late for work.", "premises-FOL": "\u2200x (GoByTrain(x) \u2192 \u00acLoseTime(x))\n\u2200x((GoByCar(x) \u2227 Meet(x, trafficJam)) \u2192 LoseTime(x))\n\u2200x (LoseTime(x) \u2192 LateForWork(x))\nFromAndTo(newHaven, newYork) \u2227 (GoByTrain(mary) \u2295 GoByCar(mary))\nLateForWork(mary)", "conclusion": "Mary gets from New Haven to New York City by train.", "conclusion-FOL": "FromAndTo(newHaven, newYork) \u2227 GoByTrain(mary)", "label": "False", "example_id": 479} +{"story_id": 167, "premises": "If you go somewhere by train, you will not lose time.\nIf you go somewhere by car and meet a traffic jam, you will lose time.\nIf you lose time, you will be late for work.\nMary can get from New Haven to New York City either by train or car.\nMary is late for work.", "premises-FOL": "\u2200x (GoByTrain(x) \u2192 \u00acLoseTime(x))\n\u2200x((GoByCar(x) \u2227 Meet(x, trafficJam)) \u2192 LoseTime(x))\n\u2200x (LoseTime(x) \u2192 LateForWork(x))\nFromAndTo(newHaven, newYork) \u2227 (GoByTrain(mary) \u2295 GoByCar(mary))\nLateForWork(mary)", "conclusion": "Mary gets from New Haven to New York City by car.", "conclusion-FOL": "FromAndTo(newHaven, newYork) \u2227 GoByCar(mary)", "label": "True", "example_id": 480} +{"story_id": 167, "premises": "If you go somewhere by train, you will not lose time.\nIf you go somewhere by car and meet a traffic jam, you will lose time.\nIf you lose time, you will be late for work.\nMary can get from New Haven to New York City either by train or car.\nMary is late for work.", "premises-FOL": "\u2200x (GoByTrain(x) \u2192 \u00acLoseTime(x))\n\u2200x((GoByCar(x) \u2227 Meet(x, trafficJam)) \u2192 LoseTime(x))\n\u2200x (LoseTime(x) \u2192 LateForWork(x))\nFromAndTo(newHaven, newYork) \u2227 (GoByTrain(mary) \u2295 GoByCar(mary))\nLateForWork(mary)", "conclusion": "Mary meets a traffic jam.", "conclusion-FOL": "Meet(mary, trafficJam)", "label": "Uncertain", "example_id": 481} +{"story_id": 297, "premises": "If a person is hungry, the person is uncomfortable.\nIf a person is uncomfortable, the person is unhappy.", "premises-FOL": "\u2200x (Hungry(x) \u2192 Uncomfortable(x))\n\u2200x (Uncomfortable(x) \u2192 \u00acHappy(x))", "conclusion": "If a person is not hungry, the person is unhappy.", "conclusion-FOL": "\u2200x (\u00acHungry(x) \u2192 \u00acHappy(x))", "label": "Uncertain", "example_id": 741} +{"story_id": 309, "premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", "premises-FOL": "\u2200x (TippedEmployee(x) \u2192 \u00acEntitledTo(x, federalMinimumWage))\n\u2200x (WhiteCollarWorker(x) \u2192 EntitledTo(x, federalMinimumWage))\n\u2200x (Lawyer(x) \u2192 WhiteCollarWorker(x))\n\u2200x (Advocate(x) \u2192 Lawyer(x))\n\u00ac(Lawyer(mary) \u2295 TippedEmployee(mary))", "conclusion": "Mary is a white-collar worker.", "conclusion-FOL": "WhiteCollarWorker(mary)", "label": "Uncertain", "example_id": 764} +{"story_id": 309, "premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", "premises-FOL": "\u2200x (TippedEmployee(x) \u2192 \u00acEntitledTo(x, federalMinimumWage))\n\u2200x (WhiteCollarWorker(x) \u2192 EntitledTo(x, federalMinimumWage))\n\u2200x (Lawyer(x) \u2192 WhiteCollarWorker(x))\n\u2200x (Advocate(x) \u2192 Lawyer(x))\n\u00ac(Lawyer(mary) \u2295 TippedEmployee(mary))", "conclusion": "Mary is an advocate.", "conclusion-FOL": "Advocate(mary)", "label": "False", "example_id": 765} +{"story_id": 309, "premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", "premises-FOL": "\u2200x (TippedEmployee(x) \u2192 \u00acEntitledTo(x, federalMinimumWage))\n\u2200x (WhiteCollarWorker(x) \u2192 EntitledTo(x, federalMinimumWage))\n\u2200x (Lawyer(x) \u2192 WhiteCollarWorker(x))\n\u2200x (Advocate(x) \u2192 Lawyer(x))\n\u00ac(Lawyer(mary) \u2295 TippedEmployee(mary))", "conclusion": "Mary is not an advocate.", "conclusion-FOL": "\u00acAdvocate(mary)", "label": "True", "example_id": 766} +{"story_id": 309, "premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", "premises-FOL": "\u2200x (TippedEmployee(x) \u2192 \u00acEntitledTo(x, federalMinimumWage))\n\u2200x (WhiteCollarWorker(x) \u2192 EntitledTo(x, federalMinimumWage))\n\u2200x (Lawyer(x) \u2192 WhiteCollarWorker(x))\n\u2200x (Advocate(x) \u2192 Lawyer(x))\n\u00ac(Lawyer(mary) \u2295 TippedEmployee(mary))", "conclusion": "Mary is either an advocate or a tipped employee.", "conclusion-FOL": "Advocate(mary) \u2295 TippedEmployee(mary)", "label": "False", "example_id": 767} +{"story_id": 309, "premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", "premises-FOL": "\u2200x (TippedEmployee(x) \u2192 \u00acEntitledTo(x, federalMinimumWage))\n\u2200x (WhiteCollarWorker(x) \u2192 EntitledTo(x, federalMinimumWage))\n\u2200x (Lawyer(x) \u2192 WhiteCollarWorker(x))\n\u2200x (Advocate(x) \u2192 Lawyer(x))\n\u00ac(Lawyer(mary) \u2295 TippedEmployee(mary))", "conclusion": "If Mary is not both an advocate and is entitled to be paid the federal minimum wage by their employees, she is not a tipped employee.", "conclusion-FOL": "(\u00ac(Advocate(mary) \u2227 EntitledTo(mary, federalMinimumWage))) \u2192 \u00acTippedEmployee(mary)", "label": "True", "example_id": 768} +{"story_id": 309, "premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", "premises-FOL": "\u2200x (TippedEmployee(x) \u2192 \u00acEntitledTo(x, federalMinimumWage))\n\u2200x (WhiteCollarWorker(x) \u2192 EntitledTo(x, federalMinimumWage))\n\u2200x (Lawyer(x) \u2192 WhiteCollarWorker(x))\n\u2200x (Advocate(x) \u2192 Lawyer(x))\n\u00ac(Lawyer(mary) \u2295 TippedEmployee(mary))", "conclusion": "If Mary is either an advocate or a tipped employee, she is an advocate.", "conclusion-FOL": "(Advocate(mary) \u2295 TippedEmployee(mary)) \u2192 Advocate(mary)", "label": "True", "example_id": 769} +{"story_id": 76, "premises": "Asa Hoffmann was born in New York City.\nAsa Hoffman lives in Manhattan.\nAsa Hoffman is a chess player.\nSome chess players are grandmasters.\nPeople born and living in New York City are New Yorkers.\nPeople living in Manhattan live in New York City.", "premises-FOL": "BornIn(asaHoffmann, newYorkCity)\nLiveIn(asaHoffmann, manhattan)\nChessPlayer(asaHoffmann)\n\u2203x \u2203y (ChessPlayer(x) \u2227 GrandMaster(x) \u2227 (\u00ac(x=y)) \u2227 ChessPlayer(y) \u2227 GrandMaster(y))\n\u2200x ((BornIn(x, newYorkCity) \u2227 LiveIn(x, newYorkCity)) \u2192 NewYorker(x))\n\u2200x (LiveIn(x, manhattan) \u2192 LiveIn(x, newYorkCity))", "conclusion": "Asa Hoffmann is a New Yorker.", "conclusion-FOL": "NewYorker(asaHoffmann)", "label": "True", "example_id": 231} +{"story_id": 76, "premises": "Asa Hoffmann was born in New York City.\nAsa Hoffman lives in Manhattan.\nAsa Hoffman is a chess player.\nSome chess players are grandmasters.\nPeople born and living in New York City are New Yorkers.\nPeople living in Manhattan live in New York City.", "premises-FOL": "BornIn(asaHoffmann, newYorkCity)\nLiveIn(asaHoffmann, manhattan)\nChessPlayer(asaHoffmann)\n\u2203x \u2203y (ChessPlayer(x) \u2227 GrandMaster(x) \u2227 (\u00ac(x=y)) \u2227 ChessPlayer(y) \u2227 GrandMaster(y))\n\u2200x ((BornIn(x, newYorkCity) \u2227 LiveIn(x, newYorkCity)) \u2192 NewYorker(x))\n\u2200x (LiveIn(x, manhattan) \u2192 LiveIn(x, newYorkCity))", "conclusion": "Asa Hoffmann is a grandmaster.", "conclusion-FOL": "GrandMaster(asaHoffmann)", "label": "Uncertain", "example_id": 232} +{"story_id": 76, "premises": "Asa Hoffmann was born in New York City.\nAsa Hoffman lives in Manhattan.\nAsa Hoffman is a chess player.\nSome chess players are grandmasters.\nPeople born and living in New York City are New Yorkers.\nPeople living in Manhattan live in New York City.", "premises-FOL": "BornIn(asaHoffmann, newYorkCity)\nLiveIn(asaHoffmann, manhattan)\nChessPlayer(asaHoffmann)\n\u2203x \u2203y (ChessPlayer(x) \u2227 GrandMaster(x) \u2227 (\u00ac(x=y)) \u2227 ChessPlayer(y) \u2227 GrandMaster(y))\n\u2200x ((BornIn(x, newYorkCity) \u2227 LiveIn(x, newYorkCity)) \u2192 NewYorker(x))\n\u2200x (LiveIn(x, manhattan) \u2192 LiveIn(x, newYorkCity))", "conclusion": "Asa Hoffmann does not live in New York.", "conclusion-FOL": "\u00acLiveIn(asaHoffmann, newYorkCity)", "label": "False", "example_id": 233} +{"story_id": 313, "premises": "Some of those who apply for a Schengen visa get it.\nTo apply for a Schengen Visa, you need to provide financial guarantees.\nIf you need to provide financial guarantees, you must request documents from the bank.\nDo not close your bank account if you request documents from the bank.\nPhilip closed his bank account.", "premises-FOL": "\u2203x (Apply(x, schengenVisa) \u2192 Get(x, schengenVisa))\n\u2200x (Apply(x, schengenVisa) \u2192 Provide(x, financialGuarantees))\n\u2200x (Provide(x, financialGuarantees) \u2192 Request(x, documentsFromBank))\n\u2200x (Request(x, documentsFromBank) \u2192 \u00acClose(x, bankAccount))\nClose(philip, bankAccount)", "conclusion": "Philip got a Schengen visa.", "conclusion-FOL": "Get(philip, schengenVisa)", "label": "Uncertain", "example_id": 779} +{"story_id": 313, "premises": "Some of those who apply for a Schengen visa get it.\nTo apply for a Schengen Visa, you need to provide financial guarantees.\nIf you need to provide financial guarantees, you must request documents from the bank.\nDo not close your bank account if you request documents from the bank.\nPhilip closed his bank account.", "premises-FOL": "\u2203x (Apply(x, schengenVisa) \u2192 Get(x, schengenVisa))\n\u2200x (Apply(x, schengenVisa) \u2192 Provide(x, financialGuarantees))\n\u2200x (Provide(x, financialGuarantees) \u2192 Request(x, documentsFromBank))\n\u2200x (Request(x, documentsFromBank) \u2192 \u00acClose(x, bankAccount))\nClose(philip, bankAccount)", "conclusion": "Philip applied for a Schengen visa and got it.", "conclusion-FOL": "Apply(philip, schengenVisa) \u2227 Get(philip, schengenVisa)", "label": "False", "example_id": 780} +{"story_id": 313, "premises": "Some of those who apply for a Schengen visa get it.\nTo apply for a Schengen Visa, you need to provide financial guarantees.\nIf you need to provide financial guarantees, you must request documents from the bank.\nDo not close your bank account if you request documents from the bank.\nPhilip closed his bank account.", "premises-FOL": "\u2203x (Apply(x, schengenVisa) \u2192 Get(x, schengenVisa))\n\u2200x (Apply(x, schengenVisa) \u2192 Provide(x, financialGuarantees))\n\u2200x (Provide(x, financialGuarantees) \u2192 Request(x, documentsFromBank))\n\u2200x (Request(x, documentsFromBank) \u2192 \u00acClose(x, bankAccount))\nClose(philip, bankAccount)", "conclusion": "If Philip did not request documents from the bank or get a Schengen visa, he didn\u2019t apply for a Schengen visa.", "conclusion-FOL": "(\u00acRequest(philip, documentsFromBank) \u2227 \u00acGet(x, schengenVisa)) \u2192 Apply(x, schengenVisa)", "label": "True", "example_id": 781} +{"story_id": 296, "premises": "Some fears lead to anxiety.\nSome anxiety leads to terror.", "premises-FOL": "\u2203x \u2203y (Fear(x) \u2227 Anxiety(y) \u2227 LeadTo(x, y) \u2227 \u00ac(x=y))\n\u2203x \u2203y (Anxiety(x) \u2227 Terror(y) \u2227 LeadTo(x, y))", "conclusion": "No fears lead to terror.", "conclusion-FOL": "\u2200x \u2200y (Fear(x) \u2192 \u00ac(Terror(y) \u2227 LeadTo(x, y)))", "label": "Uncertain", "example_id": 740} +{"story_id": 208, "premises": "The Great Lakes are Lake Superior, Lake Michigan, Lake Huron, Lake Erie, and Lake Ontario.\nSome major settlements of Lake Erie are in NY, PA, OH, and MI.\nNY, PA, OH, and MI are states in the US.\nON is a state of Canada.\nThere is a major settlement of Lake Huron in ON. \nAll states are in their country.\nThe US is in North America.\nThe Great Lakes began to form at the end of the Last Glacial Period.", "premises-FOL": "\u2200x (GreatLake(x) \u2192 Superior(x) \u2295 Michigan(x) \u2295 Huron(x) \u2295 Erie(x) \u2295 Ontario(x))\n\u2200x (Erie (x) \u2227 MajorSettlement(x) \u2192 In(x, nY) \u2228 In(x, pA) \u2228 In(x, oH) \u2228 In(x, mI))\nStateOf(nY, uS) \u2227 StateOf(pA, uS) \u2227 StateOf(oH, uS) \u2227 StateOf(mI, uS)\nStateOf(oN, canada)\n\u2203x (Huron(x) \u2227 MajorSettlement(x) \u2227 In(x, oN))\n\u2200x \u2200y (StateOf(x, y) \u2192 In(x, y))\nIn(us, northAmerica)\n\u2200x (GreatLake(x) \u2192 FormAtEndOf(x, lastGlacialPeriod))", "conclusion": "Lake Erie has a major settlement.", "conclusion-FOL": "\u2203x \u2203y (Erie(y) \u2227 MajorSettlementOf(x, y))", "label": "True", "example_id": 594} +{"story_id": 208, "premises": "The Great Lakes are Lake Superior, Lake Michigan, Lake Huron, Lake Erie, and Lake Ontario.\nSome major settlements of Lake Erie are in NY, PA, OH, and MI.\nNY, PA, OH, and MI are states in the US.\nON is a state of Canada.\nThere is a major settlement of Lake Huron in ON. \nAll states are in their country.\nThe US is in North America.\nThe Great Lakes began to form at the end of the Last Glacial Period.", "premises-FOL": "\u2200x (GreatLake(x) \u2192 Superior(x) \u2295 Michigan(x) \u2295 Huron(x) \u2295 Erie(x) \u2295 Ontario(x))\n\u2200x (Erie (x) \u2227 MajorSettlement(x) \u2192 In(x, nY) \u2228 In(x, pA) \u2228 In(x, oH) \u2228 In(x, mI))\nStateOf(nY, uS) \u2227 StateOf(pA, uS) \u2227 StateOf(oH, uS) \u2227 StateOf(mI, uS)\nStateOf(oN, canada)\n\u2203x (Huron(x) \u2227 MajorSettlement(x) \u2227 In(x, oN))\n\u2200x \u2200y (StateOf(x, y) \u2192 In(x, y))\nIn(us, northAmerica)\n\u2200x (GreatLake(x) \u2192 FormAtEndOf(x, lastGlacialPeriod))", "conclusion": "There is a great lake that did not form at the end of the Last Glacial Period.", "conclusion-FOL": "\u2203x (GreatLake(x) \u2227 \u00acFormAtEndOf(x, lastGlacialPeriod))", "label": "False", "example_id": 595} +{"story_id": 325, "premises": "All professional soccer defenders are professional soccer players.\nNo professional soccer players are professional basketball players.\nAll professional centerbacks are professional soccer defenders.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.", "premises-FOL": "\u2200x ((Professional(x) \u2227 Defender(x)) \u2192 (Professional(x) \u2227 SoccerPlayer(x)))\n\u2200x ((Professional(x) \u2227 SoccerPlayer(x)) \u2192 \u00ac(Professional(x) \u2227 BasketballPlayer(x)))\n\u2200x ((Professional(x) \u2227 CenterBack(x)) \u2192 (Professional(x) \u2227 Defender(x))\n\u2200x (NBAPlayer(x) \u2192 (Professional(x) \u2227 BasketballPlayer(x)))\nNBAPlayer(stephenCurry)", "conclusion": "Stephen Curry is a professional basketball player.", "conclusion-FOL": "Professional(stephenCurry) \u2227 BasketballPlayer(stephenCurry)", "label": "Uncertain", "example_id": 831} +{"story_id": 325, "premises": "All professional soccer defenders are professional soccer players.\nNo professional soccer players are professional basketball players.\nAll professional centerbacks are professional soccer defenders.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.", "premises-FOL": "\u2200x ((Professional(x) \u2227 Defender(x)) \u2192 (Professional(x) \u2227 SoccerPlayer(x)))\n\u2200x ((Professional(x) \u2227 SoccerPlayer(x)) \u2192 \u00ac(Professional(x) \u2227 BasketballPlayer(x)))\n\u2200x ((Professional(x) \u2227 CenterBack(x)) \u2192 (Professional(x) \u2227 Defender(x))\n\u2200x (NBAPlayer(x) \u2192 (Professional(x) \u2227 BasketballPlayer(x)))\nNBAPlayer(stephenCurry)", "conclusion": "Stephen Curry is a professional centerback.", "conclusion-FOL": "Professional(stephenCurry) \u2227 CenterBack(stephenCurry)", "label": "False", "example_id": 832} +{"story_id": 325, "premises": "All professional soccer defenders are professional soccer players.\nNo professional soccer players are professional basketball players.\nAll professional centerbacks are professional soccer defenders.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.", "premises-FOL": "\u2200x ((Professional(x) \u2227 Defender(x)) \u2192 (Professional(x) \u2227 SoccerPlayer(x)))\n\u2200x ((Professional(x) \u2227 SoccerPlayer(x)) \u2192 \u00ac(Professional(x) \u2227 BasketballPlayer(x)))\n\u2200x ((Professional(x) \u2227 CenterBack(x)) \u2192 (Professional(x) \u2227 Defender(x))\n\u2200x (NBAPlayer(x) \u2192 (Professional(x) \u2227 BasketballPlayer(x)))\nNBAPlayer(stephenCurry)", "conclusion": "Stephen Curry is not a centerback.", "conclusion-FOL": "\u00ac(Professional(stephenCurry) \u2227 CenterBack(stephenCurry))", "label": "True", "example_id": 833} +{"story_id": 31, "premises": "Naive cynicism was proposed by Justin Kruger and a colleague.\nThomas Gilovich is a colleague of Justin Kruger. \nNaive cynicism is a philosophy of mind.", "premises-FOL": "Proposed(justinKruger, naiveCynicism) \u2227 \u2203y (colleagueOfJustinKruger(y) \u2227 Proposed(y, naiveCynicism))\nColleagues(thomasGilovich, justinKruger)\nPhilosophyOfMind(naiveCynicism)", "conclusion": "Thomas Gilovich proposed naive cynicism.", "conclusion-FOL": "Proposed(thomasGilovich, naiveCynicism)", "label": "Uncertain", "example_id": 89} +{"story_id": 31, "premises": "Naive cynicism was proposed by Justin Kruger and a colleague.\nThomas Gilovich is a colleague of Justin Kruger. \nNaive cynicism is a philosophy of mind.", "premises-FOL": "Proposed(justinKruger, naiveCynicism) \u2227 \u2203y (colleagueOfJustinKruger(y) \u2227 Proposed(y, naiveCynicism))\nColleagues(thomasGilovich, justinKruger)\nPhilosophyOfMind(naiveCynicism)", "conclusion": "Justin Kruger proposed a philosophy of mind.", "conclusion-FOL": "\u2203x (Proposed(justinKruger, x) \u2227 PhilosophyOfMind(x))", "label": "True", "example_id": 90} +{"story_id": 31, "premises": "Naive cynicism was proposed by Justin Kruger and a colleague.\nThomas Gilovich is a colleague of Justin Kruger. \nNaive cynicism is a philosophy of mind.", "premises-FOL": "Proposed(justinKruger, naiveCynicism) \u2227 \u2203y (colleagueOfJustinKruger(y) \u2227 Proposed(y, naiveCynicism))\nColleagues(thomasGilovich, justinKruger)\nPhilosophyOfMind(naiveCynicism)", "conclusion": "Thomas Gilovich worked on philosophies of mind.", "conclusion-FOL": "\u2203x (WorkedOn(thomasGilovich, x) \u2227 PhilosophyOfMind(x))", "label": "Uncertain", "example_id": 91} +{"story_id": 129, "premises": "The Turing Award has been awarded to Donald Knuth, Marvin Minsky, Richard Hamming, and John McCarthy. \nDonald Knuth made contributions to the analysis of algorithms.\nMarvin Minsky is recognized for his contributions to the field of artificial intelligence.\nRichard Hamming researched numerical methods.\nJohn McCarthy made contributions to the field of artificial intelligence. ", "premises-FOL": "AwardedTo(turingAward, donaldKnuth) \u2227 AwardedTo(turingAward, marvinMinsky) \u2227 AwardedTo(turingAward, richardHamming) \u2227 AwardedTo(turingAward, johnMccarthy)\nContributedTo(donaldKnuth, analysisOfAlgorithms)\nContributedTo(marvinMinsky, artificialIntelligence)\nContributedTo(richardHamming, numericalMethods)\nContributedTo(johnMccarthy, artificialIntelligence)", "conclusion": "At least two people who have won the Turing Award worked in artificial intelligence.", "conclusion-FOL": "\u2203x \u2203y (\u00ac(x=y) \u2227 AwardedTo(turingAward, x) \u2227 AwardedTo(turingAward, y) \u2227 ContributedTo(x, artificialIntelligence) \u2227 ContributedTo(y, artificialIntelligence))", "label": "True", "example_id": 382} +{"story_id": 129, "premises": "The Turing Award has been awarded to Donald Knuth, Marvin Minsky, Richard Hamming, and John McCarthy. \nDonald Knuth made contributions to the analysis of algorithms.\nMarvin Minsky is recognized for his contributions to the field of artificial intelligence.\nRichard Hamming researched numerical methods.\nJohn McCarthy made contributions to the field of artificial intelligence. ", "premises-FOL": "AwardedTo(turingAward, donaldKnuth) \u2227 AwardedTo(turingAward, marvinMinsky) \u2227 AwardedTo(turingAward, richardHamming) \u2227 AwardedTo(turingAward, johnMccarthy)\nContributedTo(donaldKnuth, analysisOfAlgorithms)\nContributedTo(marvinMinsky, artificialIntelligence)\nContributedTo(richardHamming, numericalMethods)\nContributedTo(johnMccarthy, artificialIntelligence)", "conclusion": "At least two people who worked in artificial intelligence have won the Turing Award.", "conclusion-FOL": "\u2203x \u2203y (\u00ac(x=y) \u2227 ContributedTo(x, artificialIntelligence) \u2227 ContributedTo(x, artificialIntelligence) \u2227 AwardedTo(turingAward, x) \u2227 AwardedTo(turingAward, y))", "label": "True", "example_id": 383} +{"story_id": 129, "premises": "The Turing Award has been awarded to Donald Knuth, Marvin Minsky, Richard Hamming, and John McCarthy. \nDonald Knuth made contributions to the analysis of algorithms.\nMarvin Minsky is recognized for his contributions to the field of artificial intelligence.\nRichard Hamming researched numerical methods.\nJohn McCarthy made contributions to the field of artificial intelligence. ", "premises-FOL": "AwardedTo(turingAward, donaldKnuth) \u2227 AwardedTo(turingAward, marvinMinsky) \u2227 AwardedTo(turingAward, richardHamming) \u2227 AwardedTo(turingAward, johnMccarthy)\nContributedTo(donaldKnuth, analysisOfAlgorithms)\nContributedTo(marvinMinsky, artificialIntelligence)\nContributedTo(richardHamming, numericalMethods)\nContributedTo(johnMccarthy, artificialIntelligence)", "conclusion": "Only one person who won the Turing Award made significant contributions to the analysis of algorithms.", "conclusion-FOL": "\u2203x \u2200y ((AwardedTo(turingAward, x) \u2227 AwardedTo(turingAward, y) \u2227 ContributedTo(y, algorithms) \u2227 \u00ac(x=y)) \u2192 \u00acContributedTo(y, algorithms))", "label": "Uncertain", "example_id": 384} +{"story_id": 129, "premises": "The Turing Award has been awarded to Donald Knuth, Marvin Minsky, Richard Hamming, and John McCarthy. \nDonald Knuth made contributions to the analysis of algorithms.\nMarvin Minsky is recognized for his contributions to the field of artificial intelligence.\nRichard Hamming researched numerical methods.\nJohn McCarthy made contributions to the field of artificial intelligence. ", "premises-FOL": "AwardedTo(turingAward, donaldKnuth) \u2227 AwardedTo(turingAward, marvinMinsky) \u2227 AwardedTo(turingAward, richardHamming) \u2227 AwardedTo(turingAward, johnMccarthy)\nContributedTo(donaldKnuth, analysisOfAlgorithms)\nContributedTo(marvinMinsky, artificialIntelligence)\nContributedTo(richardHamming, numericalMethods)\nContributedTo(johnMccarthy, artificialIntelligence)", "conclusion": "No Turing Award winners worked in the field of numerical methods.", "conclusion-FOL": "\u2200x (AwardedTo(turingAward, x) \u2192 \u00acContributedTo(x, numericalMethods))", "label": "False", "example_id": 385} +{"story_id": 429, "premises": "None of the easy Leetcode problems have an AC rate lower than 20 percent. \nAll Leetcode problems recommended to novices are easy. \nLeetcode problems either have an AC rate lower than 20 percent or are starred by more than 1 thousand users. \nAll hard Leetcode problems are starred by more than 1,000 users. \nNo Leetcode problems published after 2022 are starred by more than 1,000 users. \n'2Sum' is not both hard and also recommended to novices.\n'4Sum' is either starred by more than 1,000 users and published after 2022, or it is neither. ", "premises-FOL": "\u2200x ((LeetcodeProblems(x) \u2227 Easy(x)) \u2192 \u00acHaveAnACRateLowerThan(x, percent20))\n\u2200x ((LeetcodeProblems(x) \u2227 RecommendedTo(x, novices)) \u2192 Easy(x))\n\u2200x (LeetcodeProblems(x) \u2192 HaveAnACRateLowerThan(x, percent20) \u2295 StarredByMoreThan(x, num1000))\n\u2200x ((LeetcodeProblems(x) \u2227 Hard(x)) \u2192 StarredByMoreThan(x, num1000))\n\u2200x ((LeetcodeProblems(x) \u2227 PublishedAfter(x, yr2022)) \u2192 (\u00acStarredByMoreThan(x, num1000)))\n\u00ac(RecommendedTo(twosum, novices) \u2227 Hard(twosum)) \u2227 LeetcodeProblems(twosum)\n\u00ac(StarredByMoreThan(foursum, num1000) \u2295 PublishedAfter(foursum, yr2022)) \u2227 LeetcodeProblems(twosum)", "conclusion": "2Sum is an easy Leetcode problem.", "conclusion-FOL": "LeetcodeProblems(twosum) \u2227 Easy(twosum)", "label": "Uncertain", "example_id": 1219} +{"story_id": 429, "premises": "None of the easy Leetcode problems have an AC rate lower than 20 percent. \nAll Leetcode problems recommended to novices are easy. \nLeetcode problems either have an AC rate lower than 20 percent or are starred by more than 1 thousand users. \nAll hard Leetcode problems are starred by more than 1,000 users. \nNo Leetcode problems published after 2022 are starred by more than 1,000 users. \n'2Sum' is not both hard and also recommended to novices.\n'4Sum' is either starred by more than 1,000 users and published after 2022, or it is neither. ", "premises-FOL": "\u2200x ((LeetcodeProblems(x) \u2227 Easy(x)) \u2192 \u00acHaveAnACRateLowerThan(x, percent20))\n\u2200x ((LeetcodeProblems(x) \u2227 RecommendedTo(x, novices)) \u2192 Easy(x))\n\u2200x (LeetcodeProblems(x) \u2192 HaveAnACRateLowerThan(x, percent20) \u2295 StarredByMoreThan(x, num1000))\n\u2200x ((LeetcodeProblems(x) \u2227 Hard(x)) \u2192 StarredByMoreThan(x, num1000))\n\u2200x ((LeetcodeProblems(x) \u2227 PublishedAfter(x, yr2022)) \u2192 (\u00acStarredByMoreThan(x, num1000)))\n\u00ac(RecommendedTo(twosum, novices) \u2227 Hard(twosum)) \u2227 LeetcodeProblems(twosum)\n\u00ac(StarredByMoreThan(foursum, num1000) \u2295 PublishedAfter(foursum, yr2022)) \u2227 LeetcodeProblems(twosum)", "conclusion": "2Sum is not an easy Leetcode problem.", "conclusion-FOL": "\u00ac(LeetcodeProblems(twosum) \u2227 Easy(twosum))", "label": "Uncertain", "example_id": 1220} +{"story_id": 429, "premises": "None of the easy Leetcode problems have an AC rate lower than 20 percent. \nAll Leetcode problems recommended to novices are easy. \nLeetcode problems either have an AC rate lower than 20 percent or are starred by more than 1 thousand users. \nAll hard Leetcode problems are starred by more than 1,000 users. \nNo Leetcode problems published after 2022 are starred by more than 1,000 users. \n'2Sum' is not both hard and also recommended to novices.\n'4Sum' is either starred by more than 1,000 users and published after 2022, or it is neither. ", "premises-FOL": "\u2200x ((LeetcodeProblems(x) \u2227 Easy(x)) \u2192 \u00acHaveAnACRateLowerThan(x, percent20))\n\u2200x ((LeetcodeProblems(x) \u2227 RecommendedTo(x, novices)) \u2192 Easy(x))\n\u2200x (LeetcodeProblems(x) \u2192 HaveAnACRateLowerThan(x, percent20) \u2295 StarredByMoreThan(x, num1000))\n\u2200x ((LeetcodeProblems(x) \u2227 Hard(x)) \u2192 StarredByMoreThan(x, num1000))\n\u2200x ((LeetcodeProblems(x) \u2227 PublishedAfter(x, yr2022)) \u2192 (\u00acStarredByMoreThan(x, num1000)))\n\u00ac(RecommendedTo(twosum, novices) \u2227 Hard(twosum)) \u2227 LeetcodeProblems(twosum)\n\u00ac(StarredByMoreThan(foursum, num1000) \u2295 PublishedAfter(foursum, yr2022)) \u2227 LeetcodeProblems(twosum)", "conclusion": "4Sum is recommended to novices or is hard.", "conclusion-FOL": "RecommendedTo(foursum, novices) \u2228 Hard(foursum)", "label": "False", "example_id": 1221} +{"story_id": 429, "premises": "None of the easy Leetcode problems have an AC rate lower than 20 percent. \nAll Leetcode problems recommended to novices are easy. \nLeetcode problems either have an AC rate lower than 20 percent or are starred by more than 1 thousand users. \nAll hard Leetcode problems are starred by more than 1,000 users. \nNo Leetcode problems published after 2022 are starred by more than 1,000 users. \n'2Sum' is not both hard and also recommended to novices.\n'4Sum' is either starred by more than 1,000 users and published after 2022, or it is neither. ", "premises-FOL": "\u2200x ((LeetcodeProblems(x) \u2227 Easy(x)) \u2192 \u00acHaveAnACRateLowerThan(x, percent20))\n\u2200x ((LeetcodeProblems(x) \u2227 RecommendedTo(x, novices)) \u2192 Easy(x))\n\u2200x (LeetcodeProblems(x) \u2192 HaveAnACRateLowerThan(x, percent20) \u2295 StarredByMoreThan(x, num1000))\n\u2200x ((LeetcodeProblems(x) \u2227 Hard(x)) \u2192 StarredByMoreThan(x, num1000))\n\u2200x ((LeetcodeProblems(x) \u2227 PublishedAfter(x, yr2022)) \u2192 (\u00acStarredByMoreThan(x, num1000)))\n\u00ac(RecommendedTo(twosum, novices) \u2227 Hard(twosum)) \u2227 LeetcodeProblems(twosum)\n\u00ac(StarredByMoreThan(foursum, num1000) \u2295 PublishedAfter(foursum, yr2022)) \u2227 LeetcodeProblems(twosum)", "conclusion": "4Sum is neither recommended to the novice nor a Leetcode problem that's hard.", "conclusion-FOL": "\u00acRecommendedTo(foursum, novices) \u2227 \u00acHard(foursum)", "label": "True", "example_id": 1222} +{"story_id": 105, "premises": "Show Your Love is a song recorded by the South Korean boy band BtoB 4u.\nThe lead single of the extended play Inside is Show Your Love.\nShow Your Love contains a hopeful message.\nBtoB 4u member Hyunsik wrote Show Your Love.\nThere is a music video for Show Your Love.", "premises-FOL": "Song(showYourLove) \u2227 RecordedBy(showYourLove, bToB4u) \u2227 SouthKorean(bToB4u) \u2227 BoyBand(bToB4u)\nExtendedPlay(inside) \u2227 LeadSingleOf(showYourLove, inside)\nContains(showYourLove, hopefulMessage)\nMember(hyunsik, btob4u) \u2227 Wrote(hyunsik, showYourLove)\nHave(showYourLove, musicVideo)", "conclusion": "Show Your Love wasn't written by a member of a boy band.", "conclusion-FOL": "\u2200x \u2200y (Wrote(x, showYourLove) \u2192 \u00ac(BoyBand(y) \u2227 MemberOf(x, y)))", "label": "False", "example_id": 318} +{"story_id": 105, "premises": "Show Your Love is a song recorded by the South Korean boy band BtoB 4u.\nThe lead single of the extended play Inside is Show Your Love.\nShow Your Love contains a hopeful message.\nBtoB 4u member Hyunsik wrote Show Your Love.\nThere is a music video for Show Your Love.", "premises-FOL": "Song(showYourLove) \u2227 RecordedBy(showYourLove, bToB4u) \u2227 SouthKorean(bToB4u) \u2227 BoyBand(bToB4u)\nExtendedPlay(inside) \u2227 LeadSingleOf(showYourLove, inside)\nContains(showYourLove, hopefulMessage)\nMember(hyunsik, btob4u) \u2227 Wrote(hyunsik, showYourLove)\nHave(showYourLove, musicVideo)", "conclusion": "A lead single of Inside contains a hopeful message.", "conclusion-FOL": "\u2203x (LeadSingleOf(x, inside) \u2227 Contains(x, hopefulMessage))", "label": "True", "example_id": 319} +{"story_id": 105, "premises": "Show Your Love is a song recorded by the South Korean boy band BtoB 4u.\nThe lead single of the extended play Inside is Show Your Love.\nShow Your Love contains a hopeful message.\nBtoB 4u member Hyunsik wrote Show Your Love.\nThere is a music video for Show Your Love.", "premises-FOL": "Song(showYourLove) \u2227 RecordedBy(showYourLove, bToB4u) \u2227 SouthKorean(bToB4u) \u2227 BoyBand(bToB4u)\nExtendedPlay(inside) \u2227 LeadSingleOf(showYourLove, inside)\nContains(showYourLove, hopefulMessage)\nMember(hyunsik, btob4u) \u2227 Wrote(hyunsik, showYourLove)\nHave(showYourLove, musicVideo)", "conclusion": "Hyunsik is Korean.", "conclusion-FOL": "Korean(hyunsik)", "label": "Uncertain", "example_id": 320} +{"story_id": 290, "premises": "All tables are round.\nSome pieces of furniture are tables.", "premises-FOL": "\u2200x (Table(x) \u2192 Round(x))\n\u2203x \u2203y (Furniture(x) \u2227 Furniture(y) \u2227 Table(x) \u2227 Table(y) \u2227 \u00ac(x=y))", "conclusion": "Some pieces of furniture are round.", "conclusion-FOL": "\u2203x \u2203y (Furniture(x) \u2227 Furniture(y) \u2227 Round(x) \u2227 Round(y) \u2227 \u00ac(x=y))", "label": "True", "example_id": 734} +{"story_id": 267, "premises": "All juvenile delinquents have committed a crime.\nSome juvenile delinquents are products of broken homes.", "premises-FOL": "\u2200x (JuvenileDelinquent(x) \u2192 Commited(x, crime))\n\u2203x \u2203y (JuvenileDelinquent(x) \u2227 JuvenileDelinquent(y) \u2227 ProductOf(x, brokenHome) \u2227 ProductOf(y, brokenHome) \u2227 \u00ac(x=y))", "conclusion": "Some people who have committed a crime are products of broken homes.", "conclusion-FOL": "\u2203x \u2203y (Commited(x, crime) \u2227 Commited(y, crime) \u2227 ProductOf(x, brokenHome) \u2227 ProductOf(y, brokenHome) \u2227 \u00ac(x=y))", "label": "True", "example_id": 711} +{"story_id": 398, "premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", "premises-FOL": "\u2200x (MindReading(x) \u2227 (BrainReading(x) \u2295 BrainDecoding(x)))\n\u2200x ((MindReading(x) \u2227 BrainDecoding(x)) \u2192 ExtractingFrom(x, information, bOLDSignals))\n\u2200x ((MindReading(x) \u2227 ExtractingFrom(x, information, bOLDSignals)) \u2192 Uses(x, statisticalPatternAnalysis))\n\u2200x (NovelWriting(x) \u2192 \u00acUses(x, statisticalPatternAnalysis)) \nMindReading(multivoxelPatternAnalysis) \u2227 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 BrainReading(multivoxelPatternAnalysis)) \u2192 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 (\u00acBrainDecoding(multivoxelPatternAnalysis)))\nMindReading(multivoxelPatternAnalysis) ", "conclusion": "Multivoxel (pattern) analysis is a brain decoding.", "conclusion-FOL": "MindReading(multivoxelPatternAnalysis) \u2227 BrainDecoding(multivoxelPatternAnalysis)", "label": "Uncertain", "example_id": 1084} +{"story_id": 398, "premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", "premises-FOL": "\u2200x (MindReading(x) \u2227 (BrainReading(x) \u2295 BrainDecoding(x)))\n\u2200x ((MindReading(x) \u2227 BrainDecoding(x)) \u2192 ExtractingFrom(x, information, bOLDSignals))\n\u2200x ((MindReading(x) \u2227 ExtractingFrom(x, information, bOLDSignals)) \u2192 Uses(x, statisticalPatternAnalysis))\n\u2200x (NovelWriting(x) \u2192 \u00acUses(x, statisticalPatternAnalysis)) \nMindReading(multivoxelPatternAnalysis) \u2227 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 BrainReading(multivoxelPatternAnalysis)) \u2192 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 (\u00acBrainDecoding(multivoxelPatternAnalysis)))\nMindReading(multivoxelPatternAnalysis) ", "conclusion": "Multivoxel (pattern) analysis is the writing of a novel.", "conclusion-FOL": "MindReading(multivoxelPatternAnalysis) \u2227 NovelWriting(multivoxelPatternAnalysis)", "label": "False", "example_id": 1085} +{"story_id": 398, "premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", "premises-FOL": "\u2200x (MindReading(x) \u2227 (BrainReading(x) \u2295 BrainDecoding(x)))\n\u2200x ((MindReading(x) \u2227 BrainDecoding(x)) \u2192 ExtractingFrom(x, information, bOLDSignals))\n\u2200x ((MindReading(x) \u2227 ExtractingFrom(x, information, bOLDSignals)) \u2192 Uses(x, statisticalPatternAnalysis))\n\u2200x (NovelWriting(x) \u2192 \u00acUses(x, statisticalPatternAnalysis)) \nMindReading(multivoxelPatternAnalysis) \u2227 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 BrainReading(multivoxelPatternAnalysis)) \u2192 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 (\u00acBrainDecoding(multivoxelPatternAnalysis)))\nMindReading(multivoxelPatternAnalysis) ", "conclusion": "Multivoxel (pattern) analysis is without statistical pattern analysis and writing a novel.", "conclusion-FOL": "\u00ac(Uses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 NovelWriting(multivoxelPatternAnalysis))", "label": "False", "example_id": 1086} +{"story_id": 398, "premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", "premises-FOL": "\u2200x (MindReading(x) \u2227 (BrainReading(x) \u2295 BrainDecoding(x)))\n\u2200x ((MindReading(x) \u2227 BrainDecoding(x)) \u2192 ExtractingFrom(x, information, bOLDSignals))\n\u2200x ((MindReading(x) \u2227 ExtractingFrom(x, information, bOLDSignals)) \u2192 Uses(x, statisticalPatternAnalysis))\n\u2200x (NovelWriting(x) \u2192 \u00acUses(x, statisticalPatternAnalysis)) \nMindReading(multivoxelPatternAnalysis) \u2227 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 BrainReading(multivoxelPatternAnalysis)) \u2192 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 (\u00acBrainDecoding(multivoxelPatternAnalysis)))\nMindReading(multivoxelPatternAnalysis) ", "conclusion": "Multivoxel (pattern) analysis is without statistical pattern analysis or writing a novel.", "conclusion-FOL": "\u00ac(Uses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2228 NovelWriting(multivoxelPatternAnalysis))", "label": "False", "example_id": 1087} +{"story_id": 398, "premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", "premises-FOL": "\u2200x (MindReading(x) \u2227 (BrainReading(x) \u2295 BrainDecoding(x)))\n\u2200x ((MindReading(x) \u2227 BrainDecoding(x)) \u2192 ExtractingFrom(x, information, bOLDSignals))\n\u2200x ((MindReading(x) \u2227 ExtractingFrom(x, information, bOLDSignals)) \u2192 Uses(x, statisticalPatternAnalysis))\n\u2200x (NovelWriting(x) \u2192 \u00acUses(x, statisticalPatternAnalysis)) \nMindReading(multivoxelPatternAnalysis) \u2227 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 BrainReading(multivoxelPatternAnalysis)) \u2192 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 (\u00acBrainDecoding(multivoxelPatternAnalysis)))\nMindReading(multivoxelPatternAnalysis) ", "conclusion": "Multivoxel (pattern) analysis is either without statistical pattern analysis or writing a novel.", "conclusion-FOL": "\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2295 Writing(multivoxelPatternAnalysis, aNovel)", "label": "False", "example_id": 1088} +{"story_id": 398, "premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", "premises-FOL": "\u2200x (MindReading(x) \u2227 (BrainReading(x) \u2295 BrainDecoding(x)))\n\u2200x ((MindReading(x) \u2227 BrainDecoding(x)) \u2192 ExtractingFrom(x, information, bOLDSignals))\n\u2200x ((MindReading(x) \u2227 ExtractingFrom(x, information, bOLDSignals)) \u2192 Uses(x, statisticalPatternAnalysis))\n\u2200x (NovelWriting(x) \u2192 \u00acUses(x, statisticalPatternAnalysis)) \nMindReading(multivoxelPatternAnalysis) \u2227 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 BrainReading(multivoxelPatternAnalysis)) \u2192 (\u00acUses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2227 (\u00acBrainDecoding(multivoxelPatternAnalysis)))\nMindReading(multivoxelPatternAnalysis) ", "conclusion": "If multivoxel (pattern) analysis is writing a novel, then multivoxel (pattern) analysis is neither without statistical pattern analysis nor writing a novel.", "conclusion-FOL": "(MindReading(multivoxelPatternAnalysis) \u2227 NovelWriting(multivoxelPatternAnalysis)) \u2192 (Uses(multivoxelPatternAnalysis, statisticalPatternAnalysis) \u2228 \u00acNovelWriting(multivoxelPatternAnalysis))", "label": "True", "example_id": 1089} +{"story_id": 212, "premises": "If you have room for dessert, you have room for broccoli.\nEveryone at Luis's dinner party has room for dessert, including Luis.\nMauricia does not have room for broccoli.\nLuis's dinner party is the first ever dinner party that Allison has attended.\nGustave has room for both broccoli and asparagus.\nBroccoli and asparagus are both vegetables.", "premises-FOL": "\u2200x (RoomFor(x, dessert) \u2192 RoomFor(x, broccoli))\n\u2200x (AtLuisParty(x) \u2192 RoomFor(x, dessert))\n\u00acRoomFor(mauricia, broccoli)\nAtLuisParty(allison) \u2227 FirstDinnerPartyFor(luisparty, allison) \nRoomFor(gustave, broccoli) \u2227 RoomFor(gustave, asparagus)\nVegetable(broccoli) \u2227 Vegetable(asparagus)", "conclusion": "Allison has room for broccoli.", "conclusion-FOL": "RoomFor(allison, broccoli)", "label": "True", "example_id": 605} +{"story_id": 212, "premises": "If you have room for dessert, you have room for broccoli.\nEveryone at Luis's dinner party has room for dessert, including Luis.\nMauricia does not have room for broccoli.\nLuis's dinner party is the first ever dinner party that Allison has attended.\nGustave has room for both broccoli and asparagus.\nBroccoli and asparagus are both vegetables.", "premises-FOL": "\u2200x (RoomFor(x, dessert) \u2192 RoomFor(x, broccoli))\n\u2200x (AtLuisParty(x) \u2192 RoomFor(x, dessert))\n\u00acRoomFor(mauricia, broccoli)\nAtLuisParty(allison) \u2227 FirstDinnerPartyFor(luisparty, allison) \nRoomFor(gustave, broccoli) \u2227 RoomFor(gustave, asparagus)\nVegetable(broccoli) \u2227 Vegetable(asparagus)", "conclusion": "Mauricia is at Luis's dinner party.", "conclusion-FOL": "AtLuisParty(mauricia)", "label": "False", "example_id": 606} +{"story_id": 212, "premises": "If you have room for dessert, you have room for broccoli.\nEveryone at Luis's dinner party has room for dessert, including Luis.\nMauricia does not have room for broccoli.\nLuis's dinner party is the first ever dinner party that Allison has attended.\nGustave has room for both broccoli and asparagus.\nBroccoli and asparagus are both vegetables.", "premises-FOL": "\u2200x (RoomFor(x, dessert) \u2192 RoomFor(x, broccoli))\n\u2200x (AtLuisParty(x) \u2192 RoomFor(x, dessert))\n\u00acRoomFor(mauricia, broccoli)\nAtLuisParty(allison) \u2227 FirstDinnerPartyFor(luisparty, allison) \nRoomFor(gustave, broccoli) \u2227 RoomFor(gustave, asparagus)\nVegetable(broccoli) \u2227 Vegetable(asparagus)", "conclusion": "Gustav has room for dessert.", "conclusion-FOL": "RoomFor(gustave, dessert)", "label": "Uncertain", "example_id": 607} +{"story_id": 43, "premises": "Imagine Dragons are an American pop-rock band.\nThe lead singer of Imagine Dragons is Dan.\nDan is also a songwriter.\nAll lead singers are singers.\nAll singers are musicians.\nDemons is one of the most popular singles of Imagine Dragons.\nSome singles of Imagine Dragons have been on Billboard Hot 100.", "premises-FOL": "American(imagineDragon) \u2227 RockBand(imagineDragon)\nLeadSinger(imagineDragon, dan)\nSongWriter(dan)\n\u2200x \u2200y (LeadSinger(x, y) \u2192 Singer(y))\n\u2200x (Singer(x) \u2192 Musician(x))\nPopularSingle(imagineDragon, demons)\n\u2203x \u2203y (PopularSingle(imagineDragon, x) \u2227 BillboardHot100(x)) \u2227 (\u00ac(x=y)) \u2227 (PopularSingle(imagineDragon, y) \u2227 BillboardHot100(y))", "conclusion": "Some rock band has a lead singer who is also a songwriter.", "conclusion-FOL": "\u2203x \u2203y (RockBand(x) \u2227 LeadSinger(x, y) \u2227 SongWriter(y))", "label": "True", "example_id": 123} +{"story_id": 43, "premises": "Imagine Dragons are an American pop-rock band.\nThe lead singer of Imagine Dragons is Dan.\nDan is also a songwriter.\nAll lead singers are singers.\nAll singers are musicians.\nDemons is one of the most popular singles of Imagine Dragons.\nSome singles of Imagine Dragons have been on Billboard Hot 100.", "premises-FOL": "American(imagineDragon) \u2227 RockBand(imagineDragon)\nLeadSinger(imagineDragon, dan)\nSongWriter(dan)\n\u2200x \u2200y (LeadSinger(x, y) \u2192 Singer(y))\n\u2200x (Singer(x) \u2192 Musician(x))\nPopularSingle(imagineDragon, demons)\n\u2203x \u2203y (PopularSingle(imagineDragon, x) \u2227 BillboardHot100(x)) \u2227 (\u00ac(x=y)) \u2227 (PopularSingle(imagineDragon, y) \u2227 BillboardHot100(y))", "conclusion": "Dan is not a musician.", "conclusion-FOL": "\u00acMusician(dan)", "label": "False", "example_id": 124} +{"story_id": 43, "premises": "Imagine Dragons are an American pop-rock band.\nThe lead singer of Imagine Dragons is Dan.\nDan is also a songwriter.\nAll lead singers are singers.\nAll singers are musicians.\nDemons is one of the most popular singles of Imagine Dragons.\nSome singles of Imagine Dragons have been on Billboard Hot 100.", "premises-FOL": "American(imagineDragon) \u2227 RockBand(imagineDragon)\nLeadSinger(imagineDragon, dan)\nSongWriter(dan)\n\u2200x \u2200y (LeadSinger(x, y) \u2192 Singer(y))\n\u2200x (Singer(x) \u2192 Musician(x))\nPopularSingle(imagineDragon, demons)\n\u2203x \u2203y (PopularSingle(imagineDragon, x) \u2227 BillboardHot100(x)) \u2227 (\u00ac(x=y)) \u2227 (PopularSingle(imagineDragon, y) \u2227 BillboardHot100(y))", "conclusion": "Demons has been on Billboard Hot 100.", "conclusion-FOL": "BillboardHot100(demons)", "label": "Uncertain", "example_id": 125} +{"story_id": 455, "premises": "All philosophers reason. \nSome sophists reason. \nAll who can reason can distinguish truth from falsehood.\nNobody who can distinguish truth from falsehood is morally perfect. \nThe theistic God is morally perfect.", "premises-FOL": "\u2200x (Philosopher(x) \u2192 Reason(x))\n\u2203x (Sophist(x) \u2227 Reason(x))\n\u2200x (Reason(x) \u2192 CanDistinguishFrom(x, truth, falsehood))\n\u2200x (CanDistinguishFrom(x, truth, falsehood) \u2192 \u00acMorallyPerfect(x))\nMorallyPerfect(theisticGod)", "conclusion": "The theistic God is a sophist.", "conclusion-FOL": "Sophist(theisticGod)", "label": "Uncertain", "example_id": 1310} +{"story_id": 455, "premises": "All philosophers reason. \nSome sophists reason. \nAll who can reason can distinguish truth from falsehood.\nNobody who can distinguish truth from falsehood is morally perfect. \nThe theistic God is morally perfect.", "premises-FOL": "\u2200x (Philosopher(x) \u2192 Reason(x))\n\u2203x (Sophist(x) \u2227 Reason(x))\n\u2200x (Reason(x) \u2192 CanDistinguishFrom(x, truth, falsehood))\n\u2200x (CanDistinguishFrom(x, truth, falsehood) \u2192 \u00acMorallyPerfect(x))\nMorallyPerfect(theisticGod)", "conclusion": "The theistic God is a sophist and a philosopher.", "conclusion-FOL": "Sophist(theisticGod) \u2227 Philosopher(theisticGod)", "label": "False", "example_id": 1311} +{"story_id": 455, "premises": "All philosophers reason. \nSome sophists reason. \nAll who can reason can distinguish truth from falsehood.\nNobody who can distinguish truth from falsehood is morally perfect. \nThe theistic God is morally perfect.", "premises-FOL": "\u2200x (Philosopher(x) \u2192 Reason(x))\n\u2203x (Sophist(x) \u2227 Reason(x))\n\u2200x (Reason(x) \u2192 CanDistinguishFrom(x, truth, falsehood))\n\u2200x (CanDistinguishFrom(x, truth, falsehood) \u2192 \u00acMorallyPerfect(x))\nMorallyPerfect(theisticGod)", "conclusion": "if the theistic God is a philosopher, then he is not a sophist.", "conclusion-FOL": "Philosopher(theisticGod) \u2192 \u00acSophist(theisticGod)", "label": "True", "example_id": 1312} +{"story_id": 160, "premises": "Common utilities include water, electricity, gas, heating, sewer, trash, and recycling.\nMany apartment rents cover the cost of water and electricity.\nSusan lives in an apartment where the rent covers all utilities.\nThe rent of the apartment where Ava lives does not cover any utility expenses.\nNoah lives in an apartment where the rent does not cover heating.", "premises-FOL": "CommonUtilities(water) \u2227 CommonUtilities(electricity) \u2227 CommonUtilities(gas) \u2227 CommonUtilities(heating)\n\u2203x (Apartment(x) \u2227 Cover(x, water) \u2227 Cover(x, electricity))\n\u2200x (Apartment(x) \u2227 LiveIn(susan, x) \u2227 Cover(x, water) \u2227 Cover(x, electricity) \u2227 Cover(x, gas) \u2227 Cover(x, heating))\n\u2200x (Apartment(x) \u2227 LiveIn(ava, x) \u2227 \u00acCover(x, water) \u2227 \u00acCover(x, electricity) \u2227 \u00acCover(x, gas) \u2227 \u00acCover(x, heating))\n\u2200x (Apartment(x) \u2227 LiveIn(noah, x) \u2227 \u00acCover(x, heating))", "conclusion": "Noah needs to pay the water bill.", "conclusion-FOL": "\u2200x (Apartment(x) \u2227 LiveIn(noah, x) \u2227 \u00acCover(x, water))", "label": "Uncertain", "example_id": 458} +{"story_id": 160, "premises": "Common utilities include water, electricity, gas, heating, sewer, trash, and recycling.\nMany apartment rents cover the cost of water and electricity.\nSusan lives in an apartment where the rent covers all utilities.\nThe rent of the apartment where Ava lives does not cover any utility expenses.\nNoah lives in an apartment where the rent does not cover heating.", "premises-FOL": "CommonUtilities(water) \u2227 CommonUtilities(electricity) \u2227 CommonUtilities(gas) \u2227 CommonUtilities(heating)\n\u2203x (Apartment(x) \u2227 Cover(x, water) \u2227 Cover(x, electricity))\n\u2200x (Apartment(x) \u2227 LiveIn(susan, x) \u2227 Cover(x, water) \u2227 Cover(x, electricity) \u2227 Cover(x, gas) \u2227 Cover(x, heating))\n\u2200x (Apartment(x) \u2227 LiveIn(ava, x) \u2227 \u00acCover(x, water) \u2227 \u00acCover(x, electricity) \u2227 \u00acCover(x, gas) \u2227 \u00acCover(x, heating))\n\u2200x (Apartment(x) \u2227 LiveIn(noah, x) \u2227 \u00acCover(x, heating))", "conclusion": "Noah and Ava both need to pay the heating bill.", "conclusion-FOL": "\u00acCover(noah, heating) \u2227 \u00acCover(ava, heating)", "label": "True", "example_id": 459} +{"story_id": 160, "premises": "Common utilities include water, electricity, gas, heating, sewer, trash, and recycling.\nMany apartment rents cover the cost of water and electricity.\nSusan lives in an apartment where the rent covers all utilities.\nThe rent of the apartment where Ava lives does not cover any utility expenses.\nNoah lives in an apartment where the rent does not cover heating.", "premises-FOL": "CommonUtilities(water) \u2227 CommonUtilities(electricity) \u2227 CommonUtilities(gas) \u2227 CommonUtilities(heating)\n\u2203x (Apartment(x) \u2227 Cover(x, water) \u2227 Cover(x, electricity))\n\u2200x (Apartment(x) \u2227 LiveIn(susan, x) \u2227 Cover(x, water) \u2227 Cover(x, electricity) \u2227 Cover(x, gas) \u2227 Cover(x, heating))\n\u2200x (Apartment(x) \u2227 LiveIn(ava, x) \u2227 \u00acCover(x, water) \u2227 \u00acCover(x, electricity) \u2227 \u00acCover(x, gas) \u2227 \u00acCover(x, heating))\n\u2200x (Apartment(x) \u2227 LiveIn(noah, x) \u2227 \u00acCover(x, heating))", "conclusion": "Susan does not need to pay the water bill.", "conclusion-FOL": "\u2200x (Apartment(x) \u2227 LiveIn(susan, x) \u2227 Cover(x, water))", "label": "True", "example_id": 460} +{"story_id": 317, "premises": "All clothes are products. \nNo products are perfect. \nAll dresses are clothes.\nAll skirts are dresses. \nIf the fabric bundle is a piece of clothing, then the fabric bundle is a perfect dress.", "premises-FOL": "\u2200x (Clothes(x) \u2192 Product(x))\n\u2200x (Product(x) \u2192 \u00acPerfect(x))\n\u2200x (Dress(x) \u2192 Clothes(x))\n\u2200x (Skirt(x) \u2192 Dress(x))\nClothes(fabricBundle) \u2192 Perfect(fabricBundle) \u2227 Dress(fabricBundle)", "conclusion": "The fabric bundle is perfect.", "conclusion-FOL": "Perfect(fabricbundle)", "label": "Uncertain", "example_id": 799} +{"story_id": 317, "premises": "All clothes are products. \nNo products are perfect. \nAll dresses are clothes.\nAll skirts are dresses. \nIf the fabric bundle is a piece of clothing, then the fabric bundle is a perfect dress.", "premises-FOL": "\u2200x (Clothes(x) \u2192 Product(x))\n\u2200x (Product(x) \u2192 \u00acPerfect(x))\n\u2200x (Dress(x) \u2192 Clothes(x))\n\u2200x (Skirt(x) \u2192 Dress(x))\nClothes(fabricBundle) \u2192 Perfect(fabricBundle) \u2227 Dress(fabricBundle)", "conclusion": "The fabric bundle is a skirt.", "conclusion-FOL": "Skirt(fabricbundle)", "label": "False", "example_id": 800} +{"story_id": 317, "premises": "All clothes are products. \nNo products are perfect. \nAll dresses are clothes.\nAll skirts are dresses. \nIf the fabric bundle is a piece of clothing, then the fabric bundle is a perfect dress.", "premises-FOL": "\u2200x (Clothes(x) \u2192 Product(x))\n\u2200x (Product(x) \u2192 \u00acPerfect(x))\n\u2200x (Dress(x) \u2192 Clothes(x))\n\u2200x (Skirt(x) \u2192 Dress(x))\nClothes(fabricBundle) \u2192 Perfect(fabricBundle) \u2227 Dress(fabricBundle)", "conclusion": "The fabric bundle is not a skirt.", "conclusion-FOL": "\u00acSkirt(fabricbundle)", "label": "True", "example_id": 801} +{"story_id": 57, "premises": "All pets are animals.\nPets can be either a dog or a cat.\nIf a person has a pet, they care for that pet. \nDogs and cats can be naughty. \nPets who are naughty are not liked as much. \nCharlie has a naughty pet dog named Leo. ", "premises-FOL": "\u2200x (Pet(x) \u2192 Animal(x))\n\u2200x (Pet(x) \u2192 (Dog(x) \u2295 Cat(x)))\n\u2200x \u2200y ((Pet(y) \u2227 OwnedBy(x,y)) \u2192 Cares(x, y))\n\u2203x \u2203y (Cat(x) \u2227 Naughty(x) \u2227 (\u00ac(x=y)) \u2227 Dog(y) \u2227 Naughty(y))\n\u2200x \u2200y ((Pet(x) \u2227 Naughty(x) \u2227 OwnedBy(x,y)) \u2192 \u00acLiked(x, y))\nOwnedBy(leo, charlie) \u2227 Pet(leo) \u2227 Dog(leo) \u2227 Naughty(leo)", "conclusion": "Leo is an animal.", "conclusion-FOL": "Animal(leo)", "label": "True", "example_id": 168} +{"story_id": 57, "premises": "All pets are animals.\nPets can be either a dog or a cat.\nIf a person has a pet, they care for that pet. \nDogs and cats can be naughty. \nPets who are naughty are not liked as much. \nCharlie has a naughty pet dog named Leo. ", "premises-FOL": "\u2200x (Pet(x) \u2192 Animal(x))\n\u2200x (Pet(x) \u2192 (Dog(x) \u2295 Cat(x)))\n\u2200x \u2200y ((Pet(y) \u2227 OwnedBy(x,y)) \u2192 Cares(x, y))\n\u2203x \u2203y (Cat(x) \u2227 Naughty(x) \u2227 (\u00ac(x=y)) \u2227 Dog(y) \u2227 Naughty(y))\n\u2200x \u2200y ((Pet(x) \u2227 Naughty(x) \u2227 OwnedBy(x,y)) \u2192 \u00acLiked(x, y))\nOwnedBy(leo, charlie) \u2227 Pet(leo) \u2227 Dog(leo) \u2227 Naughty(leo)", "conclusion": "Charlie does not like Leo and does not care for Leo.", "conclusion-FOL": "\u00acLiked(leo, charlie) \u2227 \u00acCares(charlie, leo)", "label": "False", "example_id": 169} +{"story_id": 57, "premises": "All pets are animals.\nPets can be either a dog or a cat.\nIf a person has a pet, they care for that pet. \nDogs and cats can be naughty. \nPets who are naughty are not liked as much. \nCharlie has a naughty pet dog named Leo. ", "premises-FOL": "\u2200x (Pet(x) \u2192 Animal(x))\n\u2200x (Pet(x) \u2192 (Dog(x) \u2295 Cat(x)))\n\u2200x \u2200y ((Pet(y) \u2227 OwnedBy(x,y)) \u2192 Cares(x, y))\n\u2203x \u2203y (Cat(x) \u2227 Naughty(x) \u2227 (\u00ac(x=y)) \u2227 Dog(y) \u2227 Naughty(y))\n\u2200x \u2200y ((Pet(x) \u2227 Naughty(x) \u2227 OwnedBy(x,y)) \u2192 \u00acLiked(x, y))\nOwnedBy(leo, charlie) \u2227 Pet(leo) \u2227 Dog(leo) \u2227 Naughty(leo)", "conclusion": "Dogs are not always naughty.", "conclusion-FOL": "\u2200x (Dog(x) \u2192 \u00acNaughty(x))", "label": "False", "example_id": 170} +{"story_id": 279, "premises": "Surprises are either fun or dreadful.\nAll scares are surprises.", "premises-FOL": "\u2200x (Surprise(x) \u2192 (Fun(x) \u2295 Dreadful(x)))\n\u2200x (Scare(x) \u2192 Surprise(x))", "conclusion": "All scares are fun.", "conclusion-FOL": "\u2200x (Scare(x) \u2192 Fun(x))", "label": "Uncertain", "example_id": 723} +{"story_id": 23, "premises": "All books written by Cixin Liu have sold more than 1 million copies. \nSome books that have won the Hugo Award were written by Cixin Liu.\nAll books about the future are forward-looking.\nThe book Three-Body Problem has sold more than 1 million copies.\nThe Three-Body Problem is about the future.", "premises-FOL": "\u2200x ((Book(x) \u2227 WrittenBy(x, cixinLiu)) \u2192 \u2203y(MoreThan(y, oneMillion) \u2227 Sold(x,y)))\n\u2203x (Won(x, hugoAward) \u2227 Book(x) \u2227 WrittenBy(x, cixinLiu))\n\u2200x ((Book(x) \u2227 AboutFuture(x)) \u2192 FowardLooking(x))\nBook(threeBodyProblem) \u2227 \u2203y(MoreThan(y, oneMillion) \u2227 Sold(threeBodyProblem,y))\nAboutFuture(threeBodyProblem)", "conclusion": "The Three-Body Problem won the Hugo Award.", "conclusion-FOL": "Won(threeBodyProblem, hugoAward)", "label": "Uncertain", "example_id": 66} +{"story_id": 23, "premises": "All books written by Cixin Liu have sold more than 1 million copies. \nSome books that have won the Hugo Award were written by Cixin Liu.\nAll books about the future are forward-looking.\nThe book Three-Body Problem has sold more than 1 million copies.\nThe Three-Body Problem is about the future.", "premises-FOL": "\u2200x ((Book(x) \u2227 WrittenBy(x, cixinLiu)) \u2192 \u2203y(MoreThan(y, oneMillion) \u2227 Sold(x,y)))\n\u2203x (Won(x, hugoAward) \u2227 Book(x) \u2227 WrittenBy(x, cixinLiu))\n\u2200x ((Book(x) \u2227 AboutFuture(x)) \u2192 FowardLooking(x))\nBook(threeBodyProblem) \u2227 \u2203y(MoreThan(y, oneMillion) \u2227 Sold(threeBodyProblem,y))\nAboutFuture(threeBodyProblem)", "conclusion": "The Three-Body Problem is forward-looking.", "conclusion-FOL": "AboutFuture(threeBodyProblem)", "label": "True", "example_id": 67} +{"story_id": 23, "premises": "All books written by Cixin Liu have sold more than 1 million copies. \nSome books that have won the Hugo Award were written by Cixin Liu.\nAll books about the future are forward-looking.\nThe book Three-Body Problem has sold more than 1 million copies.\nThe Three-Body Problem is about the future.", "premises-FOL": "\u2200x ((Book(x) \u2227 WrittenBy(x, cixinLiu)) \u2192 \u2203y(MoreThan(y, oneMillion) \u2227 Sold(x,y)))\n\u2203x (Won(x, hugoAward) \u2227 Book(x) \u2227 WrittenBy(x, cixinLiu))\n\u2200x ((Book(x) \u2227 AboutFuture(x)) \u2192 FowardLooking(x))\nBook(threeBodyProblem) \u2227 \u2203y(MoreThan(y, oneMillion) \u2227 Sold(threeBodyProblem,y))\nAboutFuture(threeBodyProblem)", "conclusion": "The Three-Body Problem was written by Cixin Liu.", "conclusion-FOL": "WrittenBy(threeBodyProblem, cixinLiu)", "label": "Uncertain", "example_id": 68} +{"story_id": 420, "premises": "Some people are both late-night and early-morning people.\nIf a person is an earl- morning person, they have early-morning habits.\nEveryone who has early-morning habits gets up early.\nEveryone who gets up early catches the sunrise.\nJames doesn't catch the sunrise.", "premises-FOL": "\u2203x (LateNightPerson(x) \u2227 EarlyMorningPerson(x))\n\u2200x (EarlyMorningPerson(x) \u2192 Have(x, earlyMorningHabit))\n\u2200x (Have(x, earlyMorningHabit) \u2192 GetUpEarly(x))\n\u2200x (GetUpEarly(x) \u2192 CatchTheSunrise(x))\n\u00acCatchTheSunrise(james)", "conclusion": "James is a late night person.", "conclusion-FOL": "LateNightPerson(james)", "label": "Uncertain", "example_id": 1184} +{"story_id": 420, "premises": "Some people are both late-night and early-morning people.\nIf a person is an earl- morning person, they have early-morning habits.\nEveryone who has early-morning habits gets up early.\nEveryone who gets up early catches the sunrise.\nJames doesn't catch the sunrise.", "premises-FOL": "\u2203x (LateNightPerson(x) \u2227 EarlyMorningPerson(x))\n\u2200x (EarlyMorningPerson(x) \u2192 Have(x, earlyMorningHabit))\n\u2200x (Have(x, earlyMorningHabit) \u2192 GetUpEarly(x))\n\u2200x (GetUpEarly(x) \u2192 CatchTheSunrise(x))\n\u00acCatchTheSunrise(james)", "conclusion": "James is a late night person and an early-morning person.", "conclusion-FOL": "LateNightPerson(james) \u2227 EarlyMorningPerson(james)", "label": "False", "example_id": 1185} +{"story_id": 420, "premises": "Some people are both late-night and early-morning people.\nIf a person is an earl- morning person, they have early-morning habits.\nEveryone who has early-morning habits gets up early.\nEveryone who gets up early catches the sunrise.\nJames doesn't catch the sunrise.", "premises-FOL": "\u2203x (LateNightPerson(x) \u2227 EarlyMorningPerson(x))\n\u2200x (EarlyMorningPerson(x) \u2192 Have(x, earlyMorningHabit))\n\u2200x (Have(x, earlyMorningHabit) \u2192 GetUpEarly(x))\n\u2200x (GetUpEarly(x) \u2192 CatchTheSunrise(x))\n\u00acCatchTheSunrise(james)", "conclusion": "If James is an early-morning person, then he is a late night person.", "conclusion-FOL": "EarlyMorningPerson(james) \u2192 LateNightPerson(james)", "label": "True", "example_id": 1186} +{"story_id": 272, "premises": "There is no dog on the roof.\nIf there is a dog on the roof, something went wrong.", "premises-FOL": "\u2200x (Dog(x) \u2192 \u00acOnRoof(x)))\n\u2200x \u2203y ((Dog(x) \u2227 OnRoof(x)) \u2192 GoWrong(y))", "conclusion": "Something went wrong.", "conclusion-FOL": "\u2203x (GoWrong(x))", "label": "Uncertain", "example_id": 716} +{"story_id": 15, "premises": "Elephantopus is a genus of perennial plants in the daisy family.\nElephantopus is widespread over much of Africa, southern Asia, Australia, and the Americas.\nSeveral species of Elephantopus are native to the southeastern United States.\nElephantopus scaber is a traditional medicine.", "premises-FOL": "\u2200x (Elephantopus(x) \u2192 (Genus(x, perennialplants) \u2227 BelongTo(x, daisyfamily)))\n\u2203x \u2203y \u2203z(Elephantopus(x) \u2227 In(x,africa) \u2227 (\u00ac(x=y)) \u2227 Elephantopus(y) \u2227 In(y, southernasia) \u2227 (\u00ac(x=z)) \u2227 (\u00ac(y=z)) \u2227 Elephantopus(z) \u2227 In(z, australia))\n\u2203x \u2203y (Elephantopus(x) \u2227 NativeTo(x, southeasternunitedstates) \u2227 (\u00ac(x=y)) \u2227 Elephantopus(y) \u2227 NativeTo(y, southeasternunitedstates))\n\u2200x (ElephantopusScaber(x) \u2192 TraditionalMedicine(x))", "conclusion": "Elephantopus is found in Australia and Southern Asia.", "conclusion-FOL": "\u2203x\u2203y(Elephantopus(x) \u2227 In(x,africa) \u2227 Elephantopus(y) \u2227 In(y,africa))", "label": "True", "example_id": 41} +{"story_id": 15, "premises": "Elephantopus is a genus of perennial plants in the daisy family.\nElephantopus is widespread over much of Africa, southern Asia, Australia, and the Americas.\nSeveral species of Elephantopus are native to the southeastern United States.\nElephantopus scaber is a traditional medicine.", "premises-FOL": "\u2200x (Elephantopus(x) \u2192 (Genus(x, perennialplants) \u2227 BelongTo(x, daisyfamily)))\n\u2203x \u2203y \u2203z(Elephantopus(x) \u2227 In(x,africa) \u2227 (\u00ac(x=y)) \u2227 Elephantopus(y) \u2227 In(y, southernasia) \u2227 (\u00ac(x=z)) \u2227 (\u00ac(y=z)) \u2227 Elephantopus(z) \u2227 In(z, australia))\n\u2203x \u2203y (Elephantopus(x) \u2227 NativeTo(x, southeasternunitedstates) \u2227 (\u00ac(x=y)) \u2227 Elephantopus(y) \u2227 NativeTo(y, southeasternunitedstates))\n\u2200x (ElephantopusScaber(x) \u2192 TraditionalMedicine(x))", "conclusion": "No Elephantopus is native to the southeastern United States.", "conclusion-FOL": "\u2200x (Elephantopus(x) \u2192 \u00acNativeTo(x, southeasternunitedstates))", "label": "False", "example_id": 42} +{"story_id": 15, "premises": "Elephantopus is a genus of perennial plants in the daisy family.\nElephantopus is widespread over much of Africa, southern Asia, Australia, and the Americas.\nSeveral species of Elephantopus are native to the southeastern United States.\nElephantopus scaber is a traditional medicine.", "premises-FOL": "\u2200x (Elephantopus(x) \u2192 (Genus(x, perennialplants) \u2227 BelongTo(x, daisyfamily)))\n\u2203x \u2203y \u2203z(Elephantopus(x) \u2227 In(x,africa) \u2227 (\u00ac(x=y)) \u2227 Elephantopus(y) \u2227 In(y, southernasia) \u2227 (\u00ac(x=z)) \u2227 (\u00ac(y=z)) \u2227 Elephantopus(z) \u2227 In(z, australia))\n\u2203x \u2203y (Elephantopus(x) \u2227 NativeTo(x, southeasternunitedstates) \u2227 (\u00ac(x=y)) \u2227 Elephantopus(y) \u2227 NativeTo(y, southeasternunitedstates))\n\u2200x (ElephantopusScaber(x) \u2192 TraditionalMedicine(x))", "conclusion": "Elephantopus is a traditional medicine.", "conclusion-FOL": "\u2200x (Elephantopus(x) \u2192 TraditionalMedicine(x))", "label": "Uncertain", "example_id": 43} +{"story_id": 432, "premises": "All Yale dormitories are located on the Yale campus. \nAll Yale buildings managed by Yale Housing are dormitories. \nAll Yale buildings operated by Yale Housing staff are managed by Yale Housing. \nNone of the Yale buildings open to students were built before 1701. \nAll Yale buildings located on the Yale campus are open to students. \nHarkness is either a Yale building operated by Yale Housing staff, or it is located on York Street. ", "premises-FOL": "\u2200x (YaleDormitory(x) \u2192 LocatedOn(x, yaleCampus))\n\u2200x ((YaleBuildings(x) \u2227 ManagedBy(x, yaleHousing)) \u2192 YaleDormitory(x))\n\u2200x ((YaleBuildings(x) \u2227 OperatedBy(x, yaleHousingStaff)) \u2192 ManagedBy(x, yaleHousing))\n\u2200x ((YaleBuildings(x) \u2227 OpenToStudents(x)) \u2192 (\u00ac\u2203y(Before(y, yr1701) \u2227 Established(x, y))))\n\u2200x ((YaleBuildings(x) \u2227 LocatedOn(x, yaleCampus)) \u2192 OpenToStudents(x))\nYaleBuildings(harkness) \u2227 (OperatedBy(x, harkness) \u2295 LocatedOn(harkness, yaleCampus))", "conclusion": "Harkness is a Yale dormitory.", "conclusion-FOL": "YaleDormitory(harkness)", "label": "Uncertain", "example_id": 1231} +{"story_id": 432, "premises": "All Yale dormitories are located on the Yale campus. \nAll Yale buildings managed by Yale Housing are dormitories. \nAll Yale buildings operated by Yale Housing staff are managed by Yale Housing. \nNone of the Yale buildings open to students were built before 1701. \nAll Yale buildings located on the Yale campus are open to students. \nHarkness is either a Yale building operated by Yale Housing staff, or it is located on York Street. ", "premises-FOL": "\u2200x (YaleDormitory(x) \u2192 LocatedOn(x, yaleCampus))\n\u2200x ((YaleBuildings(x) \u2227 ManagedBy(x, yaleHousing)) \u2192 YaleDormitory(x))\n\u2200x ((YaleBuildings(x) \u2227 OperatedBy(x, yaleHousingStaff)) \u2192 ManagedBy(x, yaleHousing))\n\u2200x ((YaleBuildings(x) \u2227 OpenToStudents(x)) \u2192 (\u00ac\u2203y(Before(y, yr1701) \u2227 Established(x, y))))\n\u2200x ((YaleBuildings(x) \u2227 LocatedOn(x, yaleCampus)) \u2192 OpenToStudents(x))\nYaleBuildings(harkness) \u2227 (OperatedBy(x, harkness) \u2295 LocatedOn(harkness, yaleCampus))", "conclusion": "Harkness is not a Yale dormitory.", "conclusion-FOL": "\u00acYaleDormitory(harkness)", "label": "Uncertain", "example_id": 1232} +{"story_id": 432, "premises": "All Yale dormitories are located on the Yale campus. \nAll Yale buildings managed by Yale Housing are dormitories. \nAll Yale buildings operated by Yale Housing staff are managed by Yale Housing. \nNone of the Yale buildings open to students were built before 1701. \nAll Yale buildings located on the Yale campus are open to students. \nHarkness is either a Yale building operated by Yale Housing staff, or it is located on York Street. ", "premises-FOL": "\u2200x (YaleDormitory(x) \u2192 LocatedOn(x, yaleCampus))\n\u2200x ((YaleBuildings(x) \u2227 ManagedBy(x, yaleHousing)) \u2192 YaleDormitory(x))\n\u2200x ((YaleBuildings(x) \u2227 OperatedBy(x, yaleHousingStaff)) \u2192 ManagedBy(x, yaleHousing))\n\u2200x ((YaleBuildings(x) \u2227 OpenToStudents(x)) \u2192 (\u00ac\u2203y(Before(y, yr1701) \u2227 Established(x, y))))\n\u2200x ((YaleBuildings(x) \u2227 LocatedOn(x, yaleCampus)) \u2192 OpenToStudents(x))\nYaleBuildings(harkness) \u2227 (OperatedBy(x, harkness) \u2295 LocatedOn(harkness, yaleCampus))", "conclusion": "Harkness is established before 1701.", "conclusion-FOL": "\u2203y(Before(y, year1701) \u2227 Established(x, y))", "label": "False", "example_id": 1233} +{"story_id": 432, "premises": "All Yale dormitories are located on the Yale campus. \nAll Yale buildings managed by Yale Housing are dormitories. \nAll Yale buildings operated by Yale Housing staff are managed by Yale Housing. \nNone of the Yale buildings open to students were built before 1701. \nAll Yale buildings located on the Yale campus are open to students. \nHarkness is either a Yale building operated by Yale Housing staff, or it is located on York Street. ", "premises-FOL": "\u2200x (YaleDormitory(x) \u2192 LocatedOn(x, yaleCampus))\n\u2200x ((YaleBuildings(x) \u2227 ManagedBy(x, yaleHousing)) \u2192 YaleDormitory(x))\n\u2200x ((YaleBuildings(x) \u2227 OperatedBy(x, yaleHousingStaff)) \u2192 ManagedBy(x, yaleHousing))\n\u2200x ((YaleBuildings(x) \u2227 OpenToStudents(x)) \u2192 (\u00ac\u2203y(Before(y, yr1701) \u2227 Established(x, y))))\n\u2200x ((YaleBuildings(x) \u2227 LocatedOn(x, yaleCampus)) \u2192 OpenToStudents(x))\nYaleBuildings(harkness) \u2227 (OperatedBy(x, harkness) \u2295 LocatedOn(harkness, yaleCampus))", "conclusion": "Harkness is not established before 1701.", "conclusion-FOL": "\u00ac\u2203y(Before(y, year1701) \u2227 Established(x, y))", "label": "True", "example_id": 1234} +{"story_id": 316, "premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", "premises-FOL": "\u2200x (InUrbanArea(x) \u2192 \u00acMansionHouse(x))\n\u2200x (Skyscraper(x) \u2192 InUrbanArea(x))\n\u2200x (CreepyHauntedHouse(x) \u2192 MansionHouse(x))\n\u2200x (TerrifyingBuilding(x) \u2227 OnHalloween(x) \u2192 CreepyHauntedHouse(x))\nCreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "conclusion": "The LaLaurie House is a skyscraper.", "conclusion-FOL": "Skyscraper(laLaurieHouse)", "label": "False", "example_id": 789} +{"story_id": 316, "premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", "premises-FOL": "\u2200x (InUrbanArea(x) \u2192 \u00acMansionHouse(x))\n\u2200x (Skyscraper(x) \u2192 InUrbanArea(x))\n\u2200x (CreepyHauntedHouse(x) \u2192 MansionHouse(x))\n\u2200x (TerrifyingBuilding(x) \u2227 OnHalloween(x) \u2192 CreepyHauntedHouse(x))\nCreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "conclusion": "The LaLaurie House is not a skyscraper.", "conclusion-FOL": "\u00acSkyscraper(laLaurieHouse)", "label": "True", "example_id": 790} +{"story_id": 316, "premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", "premises-FOL": "\u2200x (InUrbanArea(x) \u2192 \u00acMansionHouse(x))\n\u2200x (Skyscraper(x) \u2192 InUrbanArea(x))\n\u2200x (CreepyHauntedHouse(x) \u2192 MansionHouse(x))\n\u2200x (TerrifyingBuilding(x) \u2227 OnHalloween(x) \u2192 CreepyHauntedHouse(x))\nCreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "conclusion": "The LaLaurie House is a terrifying building on Halloween.", "conclusion-FOL": "TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "label": "Uncertain", "example_id": 791} +{"story_id": 316, "premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", "premises-FOL": "\u2200x (InUrbanArea(x) \u2192 \u00acMansionHouse(x))\n\u2200x (Skyscraper(x) \u2192 InUrbanArea(x))\n\u2200x (CreepyHauntedHouse(x) \u2192 MansionHouse(x))\n\u2200x (TerrifyingBuilding(x) \u2227 OnHalloween(x) \u2192 CreepyHauntedHouse(x))\nCreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "conclusion": "The LaLaurie House is either a skyscraper or a mansion house.", "conclusion-FOL": "Skyscraper(laLaurieHouse) \u2295 MansionHouse(laLaurieHouse)", "label": "True", "example_id": 792} +{"story_id": 316, "premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", "premises-FOL": "\u2200x (InUrbanArea(x) \u2192 \u00acMansionHouse(x))\n\u2200x (Skyscraper(x) \u2192 InUrbanArea(x))\n\u2200x (CreepyHauntedHouse(x) \u2192 MansionHouse(x))\n\u2200x (TerrifyingBuilding(x) \u2227 OnHalloween(x) \u2192 CreepyHauntedHouse(x))\nCreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "conclusion": "The LaLaurie House is either a skyscraper or in an urban area.", "conclusion-FOL": "Skyscraper(laLaurieHouse) \u2295 UrbanArea(laLaurieHouse)", "label": "False", "example_id": 793} +{"story_id": 316, "premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", "premises-FOL": "\u2200x (InUrbanArea(x) \u2192 \u00acMansionHouse(x))\n\u2200x (Skyscraper(x) \u2192 InUrbanArea(x))\n\u2200x (CreepyHauntedHouse(x) \u2192 MansionHouse(x))\n\u2200x (TerrifyingBuilding(x) \u2227 OnHalloween(x) \u2192 CreepyHauntedHouse(x))\nCreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "conclusion": "The LaLaurie House is either a skyscraper or a creepy haunted house.", "conclusion-FOL": "Skyscraper(laLaurieHouse) \u2295 CreepyHauntedHouse(laLaurieHouse)", "label": "True", "example_id": 794} +{"story_id": 316, "premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", "premises-FOL": "\u2200x (InUrbanArea(x) \u2192 \u00acMansionHouse(x))\n\u2200x (Skyscraper(x) \u2192 InUrbanArea(x))\n\u2200x (CreepyHauntedHouse(x) \u2192 MansionHouse(x))\n\u2200x (TerrifyingBuilding(x) \u2227 OnHalloween(x) \u2192 CreepyHauntedHouse(x))\nCreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "conclusion": "If the LaLaurie House is not a mansion or not in an urban area, then it is either a skyscraper or in an urban area.", "conclusion-FOL": "\u00ac(MansionHouse(laLaurieHouse) \u2227 InUrbanArea(laLaurieHouse)) \u2192 (Skyscraper(laLaurieHouse) \u2295 InUrbanArea(laLaurieHouse))", "label": "False", "example_id": 795} +{"story_id": 316, "premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", "premises-FOL": "\u2200x (InUrbanArea(x) \u2192 \u00acMansionHouse(x))\n\u2200x (Skyscraper(x) \u2192 InUrbanArea(x))\n\u2200x (CreepyHauntedHouse(x) \u2192 MansionHouse(x))\n\u2200x (TerrifyingBuilding(x) \u2227 OnHalloween(x) \u2192 CreepyHauntedHouse(x))\nCreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "conclusion": "If the LaLaurie House is either a skyscraper or a mansion house, then it is in an urban area.", "conclusion-FOL": "Skyscraper(laLaurieHouse) \u2295 MansionHouse(laLaurieHouse) \u2192 InUrbanArea(laLaurieHouse)", "label": "False", "example_id": 796} +{"story_id": 316, "premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", "premises-FOL": "\u2200x (InUrbanArea(x) \u2192 \u00acMansionHouse(x))\n\u2200x (Skyscraper(x) \u2192 InUrbanArea(x))\n\u2200x (CreepyHauntedHouse(x) \u2192 MansionHouse(x))\n\u2200x (TerrifyingBuilding(x) \u2227 OnHalloween(x) \u2192 CreepyHauntedHouse(x))\nCreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "conclusion": "If the LaLaurie House is either a skyscraper or a mansion house, then it is neither a creepy haunted house nor a terrifying building on Halloween.", "conclusion-FOL": "Skyscraper(laLaurieHouse) \u2295 MansionHouse(laLaurieHouse) \u2192 \u00ac(CreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse))", "label": "False", "example_id": 797} +{"story_id": 316, "premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", "premises-FOL": "\u2200x (InUrbanArea(x) \u2192 \u00acMansionHouse(x))\n\u2200x (Skyscraper(x) \u2192 InUrbanArea(x))\n\u2200x (CreepyHauntedHouse(x) \u2192 MansionHouse(x))\n\u2200x (TerrifyingBuilding(x) \u2227 OnHalloween(x) \u2192 CreepyHauntedHouse(x))\nCreepyHauntedHouse(laLaurieHouse) \u2228 TerrifyingBuilding(laLaurieHouse) \u2227 OnHalloween(laLaurieHouse)", "conclusion": "If the LaLaurie House is either a skyscraper or a creepy haunted house, then it is not a mansion house.", "conclusion-FOL": "Skyscraper(laLaurieHouse) \u2295 CreepyHauntedHouse(laLaurieHouse) \u2192 \u00acMansionHouse(laLaurieHouse)", "label": "False", "example_id": 798} +{"story_id": 109, "premises": "Phuoc Binh national park is a national park in Vietnam. \nAny national park in Vietnam is classified as a nature reserve. \nThere is a national park in Vietnam classified as a UNESCO World Heritage Site.\nAll national parks in Vietnam are either managed by the Ministry of Agriculture or managed by the People's Committee. \nPhuoc Binh is not managed by the Ministry of Agriculture.", "premises-FOL": "NationalPark(phuocBinh) \u2227 Locatedin(phuocBinh, vietnam)\n\u2200x ((NationalPark(x) \u2227 Locatedin(x, vietnam)) \u2192 NatureReserve(x))\n\u2203x (NationalPark(x) \u2227 Locatedin(x, vietnam) \u2227 UNESCOWorldHeritageSite(x))\n\u2200x ((NationalPark(x) \u2227 Locatedin(x, vietnam)) \u2192 (Mangedby(x, ministryofAgriculture) \u2295 Managedby(x, peoplesCommittee)))\n\u00acMangedby(phuocBinh, ministryofAgriculture)", "conclusion": "There is a nature reserve in Vietnam.", "conclusion-FOL": "\u2203x (NatureReserve(x) \u2227 LocatedIn(x, vietnam))", "label": "True", "example_id": 330} +{"story_id": 109, "premises": "Phuoc Binh national park is a national park in Vietnam. \nAny national park in Vietnam is classified as a nature reserve. \nThere is a national park in Vietnam classified as a UNESCO World Heritage Site.\nAll national parks in Vietnam are either managed by the Ministry of Agriculture or managed by the People's Committee. \nPhuoc Binh is not managed by the Ministry of Agriculture.", "premises-FOL": "NationalPark(phuocBinh) \u2227 Locatedin(phuocBinh, vietnam)\n\u2200x ((NationalPark(x) \u2227 Locatedin(x, vietnam)) \u2192 NatureReserve(x))\n\u2203x (NationalPark(x) \u2227 Locatedin(x, vietnam) \u2227 UNESCOWorldHeritageSite(x))\n\u2200x ((NationalPark(x) \u2227 Locatedin(x, vietnam)) \u2192 (Mangedby(x, ministryofAgriculture) \u2295 Managedby(x, peoplesCommittee)))\n\u00acMangedby(phuocBinh, ministryofAgriculture)", "conclusion": "Phuoc Binh is a UNESCO Heritage Site.", "conclusion-FOL": "UNESCOWorldHeritageSite(phuocBinh))", "label": "Uncertain", "example_id": 331} +{"story_id": 109, "premises": "Phuoc Binh national park is a national park in Vietnam. \nAny national park in Vietnam is classified as a nature reserve. \nThere is a national park in Vietnam classified as a UNESCO World Heritage Site.\nAll national parks in Vietnam are either managed by the Ministry of Agriculture or managed by the People's Committee. \nPhuoc Binh is not managed by the Ministry of Agriculture.", "premises-FOL": "NationalPark(phuocBinh) \u2227 Locatedin(phuocBinh, vietnam)\n\u2200x ((NationalPark(x) \u2227 Locatedin(x, vietnam)) \u2192 NatureReserve(x))\n\u2203x (NationalPark(x) \u2227 Locatedin(x, vietnam) \u2227 UNESCOWorldHeritageSite(x))\n\u2200x ((NationalPark(x) \u2227 Locatedin(x, vietnam)) \u2192 (Mangedby(x, ministryofAgriculture) \u2295 Managedby(x, peoplesCommittee)))\n\u00acMangedby(phuocBinh, ministryofAgriculture)", "conclusion": "Phuoc Binh is managed by the People's Committee.", "conclusion-FOL": "Mangedby(phuocBinh, peoplesCommittee)", "label": "True", "example_id": 332} +{"story_id": 137, "premises": "Greyhound racing is a competitive sport where spectators bet on greyhounds.\nGreyhound racing involves coursing.\nSome competitive sports where spectators bet on things are banned.\nCoursing involves spectators betting on a hare being pursued by greyhounds.\nSpectators betting on a hare is a small game.\nIf a competitive sport involves spectators betting on small games, then it is banned.", "premises-FOL": "\u2200x (GreyhoundRacing(x) \u2192 \u2203y (CompetitiveSport(x) \u2227 Greyhound(y) \u2227 BetOn(spectators, y, x)))\n\u2200x (GreyhoundRacing(x) \u2192 Coursing(x))\n\u2203x \u2203y (CompetitiveSport(x) \u2227 BetOn(spectators, y, x) \u2227 Banned(x))\n\u2200x \u2203y \u2203z (Coursing(x) \u2192 Hare(y) \u2227 BetOn(spectators, y, x) \u2227 GreyHound(z) \u2227 PursuedBy(y, z))\n\u2203x \u2200y (Hare(x) \u2227 BetOn(spectators, x, y) \u2192 SmallGame(y))\n\u2200x \u2203y (CompetitiveSport(x) \u2227 SmallGame(y) \u2227 BetOn(spectators, y, x) \u2192 Banned(x))", "conclusion": "No coursing is banned.", "conclusion-FOL": "\u2200x (Coursing(x) \u2227 \u00acBanned(x))", "label": "False", "example_id": 402} +{"story_id": 137, "premises": "Greyhound racing is a competitive sport where spectators bet on greyhounds.\nGreyhound racing involves coursing.\nSome competitive sports where spectators bet on things are banned.\nCoursing involves spectators betting on a hare being pursued by greyhounds.\nSpectators betting on a hare is a small game.\nIf a competitive sport involves spectators betting on small games, then it is banned.", "premises-FOL": "\u2200x (GreyhoundRacing(x) \u2192 \u2203y (CompetitiveSport(x) \u2227 Greyhound(y) \u2227 BetOn(spectators, y, x)))\n\u2200x (GreyhoundRacing(x) \u2192 Coursing(x))\n\u2203x \u2203y (CompetitiveSport(x) \u2227 BetOn(spectators, y, x) \u2227 Banned(x))\n\u2200x \u2203y \u2203z (Coursing(x) \u2192 Hare(y) \u2227 BetOn(spectators, y, x) \u2227 GreyHound(z) \u2227 PursuedBy(y, z))\n\u2203x \u2200y (Hare(x) \u2227 BetOn(spectators, x, y) \u2192 SmallGame(y))\n\u2200x \u2203y (CompetitiveSport(x) \u2227 SmallGame(y) \u2227 BetOn(spectators, y, x) \u2192 Banned(x))", "conclusion": "Greyhound racing is a competitive sport.", "conclusion-FOL": "\u2200x (GreyhoundRacing(x) \u2192 CompetitiveSport(x))", "label": "True", "example_id": 403} +{"story_id": 190, "premises": "If a soccer player receives two yellow cards in one game, this player will be ejected from the rest of the game.\nIf a soccer player receives one red card in one game, this player will be ejected from the rest of the game.\nHenry is a soccer player.\nIn one game, Henry receives one yellow card and one red card.", "premises-FOL": "\u2200x (SoccerPlayer(x) \u2227 Receive(x, twoYellowCard) \u2192 EjectFromRestOfGame(x))\n\u2200x (SoccerPlayer(x) \u2227 Receive(x, oneRedCard)) \u2192 EjectFromRestOfGame(x)) \nSoccerPlayer(henry)\nReceive(henry, oneYellowCard) \u2227 Receive(x, oneRedCard)", "conclusion": "Henry will be ejected from the rest of the game.", "conclusion-FOL": "EjectFromRestOfGame(henry)", "label": "True", "example_id": 544} +{"story_id": 190, "premises": "If a soccer player receives two yellow cards in one game, this player will be ejected from the rest of the game.\nIf a soccer player receives one red card in one game, this player will be ejected from the rest of the game.\nHenry is a soccer player.\nIn one game, Henry receives one yellow card and one red card.", "premises-FOL": "\u2200x (SoccerPlayer(x) \u2227 Receive(x, twoYellowCard) \u2192 EjectFromRestOfGame(x))\n\u2200x (SoccerPlayer(x) \u2227 Receive(x, oneRedCard)) \u2192 EjectFromRestOfGame(x)) \nSoccerPlayer(henry)\nReceive(henry, oneYellowCard) \u2227 Receive(x, oneRedCard)", "conclusion": "Henry will not be ejected from the rest of the game.", "conclusion-FOL": "\u00acEjectFromRestOfGame(henry)", "label": "False", "example_id": 545} +{"story_id": 287, "premises": "Trees are plants. \nSome living things are trees.", "premises-FOL": "\u2200x (Tree(x) \u2192 Plant(x))\n\u2203x \u2203y (Living(x) \u2227 Living(y) \u2227 Tree(x) \u2227 Tree(y) \u2227 \u00ac(x=y))", "conclusion": "Some living things are plants.", "conclusion-FOL": "\u2203x \u2203y (Living(x) \u2227 Living(y) \u2227 Plant(x) \u2227 Plant(y) \u2227 \u00ac(x=y))", "label": "True", "example_id": 731} +{"story_id": 16, "premises": "Notable people with the given name include Dagfinn Aarskog, Dagfinn Bakke and Dagfinn Dahl.\nDagfinn Aarskog is a Norwegian physician.\nDagfinn Dahl is a Norwegian barrister.", "premises-FOL": "\nGivenName(nameDagfinn) \u2227 Named(dagfinnAarskog, nameDagfinn) \u2227 NotablePerson(dagfinnAarskog) \u2227 Named(dagfinnBakke, nameDagfinn) \u2227 NotablePerson(dagfinnBakke) \u2227 Named(dagfinnDahl, nameDagfinn) \u2227 NotablePerson(dagfinnDahl)\nNorwegian(dagfinnAarskog) \u2227 Physician(dagfinnAarskog)\nNorwegian(dagfinnDahl) \u2227 Barrister(dagfinnDahl)", "conclusion": "Dagfinn Aarskog is a notable person.", "conclusion-FOL": "NotablePerson(dagfinnAarskog)", "label": "True", "example_id": 44} +{"story_id": 16, "premises": "Notable people with the given name include Dagfinn Aarskog, Dagfinn Bakke and Dagfinn Dahl.\nDagfinn Aarskog is a Norwegian physician.\nDagfinn Dahl is a Norwegian barrister.", "premises-FOL": "\nGivenName(nameDagfinn) \u2227 Named(dagfinnAarskog, nameDagfinn) \u2227 NotablePerson(dagfinnAarskog) \u2227 Named(dagfinnBakke, nameDagfinn) \u2227 NotablePerson(dagfinnBakke) \u2227 Named(dagfinnDahl, nameDagfinn) \u2227 NotablePerson(dagfinnDahl)\nNorwegian(dagfinnAarskog) \u2227 Physician(dagfinnAarskog)\nNorwegian(dagfinnDahl) \u2227 Barrister(dagfinnDahl)", "conclusion": "Dagfinn is Dagfinn Aarskog's given name.", "conclusion-FOL": "Named(dagfinnAarskog, nameDagfinn)", "label": "True", "example_id": 45} +{"story_id": 16, "premises": "Notable people with the given name include Dagfinn Aarskog, Dagfinn Bakke and Dagfinn Dahl.\nDagfinn Aarskog is a Norwegian physician.\nDagfinn Dahl is a Norwegian barrister.", "premises-FOL": "\nGivenName(nameDagfinn) \u2227 Named(dagfinnAarskog, nameDagfinn) \u2227 NotablePerson(dagfinnAarskog) \u2227 Named(dagfinnBakke, nameDagfinn) \u2227 NotablePerson(dagfinnBakke) \u2227 Named(dagfinnDahl, nameDagfinn) \u2227 NotablePerson(dagfinnDahl)\nNorwegian(dagfinnAarskog) \u2227 Physician(dagfinnAarskog)\nNorwegian(dagfinnDahl) \u2227 Barrister(dagfinnDahl)", "conclusion": "Dagfinn Dahl is a Norwegian physician.", "conclusion-FOL": "Norwegian(dagfinnDahl) \u2227 Physician(dagfinnDahl)", "label": "Uncertain", "example_id": 46} +{"story_id": 300, "premises": "If a movie is popular, some people enjoy watching it.\nAll things that some people enjoy attract attention.", "premises-FOL": "\u2200x (Movie(x) \u2227 Popular(x) \u2192 \u2203y \u2203z (Person(y) \u2227 EnjoyWatching(y, x) \u2227 Person(z) \u2227 EnjoyWatching(z, x) \u2227 \u00ac(y=z)))\n\u2200x (\u2203y \u2203z (Person(y) \u2227 EnjoyWatching(y, x) \u2227 Person(z) \u2227 EnjoyWatching(z, x)) \u2192 Attract(x, attention))", "conclusion": "If a movie is popular, then it attracts attention.", "conclusion-FOL": "\u2200x (Movie(x) \u2227 Popular(x) \u2192 Attract(x, attention))", "label": "True", "example_id": 744} +{"story_id": 240, "premises": "It is not true that some giant language models do not have good performance. \nAll language models with good performance are used by some researchers.\nIf a language model is used by some researchers, it is popular. \nIf BERT is a giant language model, then GPT-3 is also a giant language model. \nBERT is a giant language model. ", "premises-FOL": "\u00ac(\u2203x (LanguageModel(x) \u2227 Giant(x) \u2227 \u00acGoodPerformance(x)))\n\u2200x \u2203y \u2203z (LanguageModel(x) \u2227 GoodPerformance(x) \u2192 \u00ac(x=y) \u2227 Researcher(y) \u2227 UsedBy(x, y) \u2227 Researcher(z) \u2227 UsedBy(x, z))\n\u2200x \u2203y \u2203z (LanguageModel(x) \u2227 \u00ac(x=y) \u2227 Researcher(y) \u2227 UsedBy(x, y) \u2227 Researcher(z) \u2227 UsedBy(x, z) \u2192 Popular(x))\n(LanguageModel(bert) \u2227 Giant(bert)) \u2192 (LanguageModel(gpt-3) \u2227 Giant(gpt-3)).\nLanguageModel(bert) \u2227 Giant(bert)", "conclusion": "GPT-3 is popular.", "conclusion-FOL": "Popular(gpt-3)", "label": "True", "example_id": 682} +{"story_id": 110, "premises": "St Johnstone is a Scottish team.\nSt Johnstone is part of the Scottish Premiership league.\nIf a team is part of the league, it has joined the league.\nSt Johnstone and Minsk are different teams.\nFor two teams, either one team wins, or the other team wins.\nMinsk won against St Johnstone.", "premises-FOL": "Scottish(stJohnstone) \u2227 Team(stJohnstone)\nPartOf(stJohnstone, scottishPremiership) \u2227 League(scottishPremiership)\n\u2200x \u2200y (Team(x) \u2227 League(y) \u2227 PartOf(x, y) \u2192 Joined(x, y))\n\u00ac(misnk=stJohnstone)\n\u2200x \u2200y (\u00ac(x=y) \u2192 WonAgainst(x, y) \u2295 WonAgainst(y, x))\nWonAgainst(minsk, stJohnstone)", "conclusion": "At least one Scottish team has joined the Scottish Premiership.", "conclusion-FOL": "\u2203x (Scottish(x) \u2227 Joined(x, scottishPremiership))", "label": "True", "example_id": 333} +{"story_id": 110, "premises": "St Johnstone is a Scottish team.\nSt Johnstone is part of the Scottish Premiership league.\nIf a team is part of the league, it has joined the league.\nSt Johnstone and Minsk are different teams.\nFor two teams, either one team wins, or the other team wins.\nMinsk won against St Johnstone.", "premises-FOL": "Scottish(stJohnstone) \u2227 Team(stJohnstone)\nPartOf(stJohnstone, scottishPremiership) \u2227 League(scottishPremiership)\n\u2200x \u2200y (Team(x) \u2227 League(y) \u2227 PartOf(x, y) \u2192 Joined(x, y))\n\u00ac(misnk=stJohnstone)\n\u2200x \u2200y (\u00ac(x=y) \u2192 WonAgainst(x, y) \u2295 WonAgainst(y, x))\nWonAgainst(minsk, stJohnstone)", "conclusion": "St Johnstone won against Minsk.", "conclusion-FOL": "WonGame(stJohnstone, minsk)", "label": "False", "example_id": 334} +{"story_id": 110, "premises": "St Johnstone is a Scottish team.\nSt Johnstone is part of the Scottish Premiership league.\nIf a team is part of the league, it has joined the league.\nSt Johnstone and Minsk are different teams.\nFor two teams, either one team wins, or the other team wins.\nMinsk won against St Johnstone.", "premises-FOL": "Scottish(stJohnstone) \u2227 Team(stJohnstone)\nPartOf(stJohnstone, scottishPremiership) \u2227 League(scottishPremiership)\n\u2200x \u2200y (Team(x) \u2227 League(y) \u2227 PartOf(x, y) \u2192 Joined(x, y))\n\u00ac(misnk=stJohnstone)\n\u2200x \u2200y (\u00ac(x=y) \u2192 WonAgainst(x, y) \u2295 WonAgainst(y, x))\nWonAgainst(minsk, stJohnstone)", "conclusion": "Minsk joined the Scottish Premiership.", "conclusion-FOL": "Joined(minsk, scottishPremiership))", "label": "Uncertain", "example_id": 335} +{"story_id": 431, "premises": "No Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.", "premises-FOL": "\u2200x (Plane(x) \u2227 Boeing737(x) \u2192 (\u00ac\u2203y(GreaterThan(y, num300) \u2227 EquippedWithSeats(x,y)))\n\u2200x (Plane(x) \u2227 AcquiredBy(x, delta) \u2192 Boeing737(x))\n\u2200x (Plane(x) \u2192 ((\u2203y(GreaterThan(y, num300) \u2227 EquippedWithSeats(x,y))) \u2295 (\u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y))))\n\u2200x (Plane(x) \u2227 \u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y)) \u2192 ScheduledFor(x, shortdistanceflight))\n\u2200x (Plane(x) \u2227 \u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y)) \u2192 \u2203z(Before(z, yr2010) \u2227 Produced(x, z))\n(Boeing737(jake32) \u2227 Plane(jake32)) \u2295 (AcquiredByDeltaInThisBatch(jake32) \u2227 Plane(jake32))\n\u00ac((Boeing737(t10) \u2227 Plane(t10)) \u2295 (AcquiredByDeltaInThisBatch(t10) \u2227 Plane(t10)))", "conclusion": "Jake32 was produced before 2010 and is scheduled for a short-distance flight.", "conclusion-FOL": "\u2203z(Before(z, year2010) \u2227 Produced(jake32, z)) \u2227 ScheduledFor(jake32, shortdistanceflight))", "label": "True", "example_id": 1227} +{"story_id": 431, "premises": "No Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.", "premises-FOL": "\u2200x (Plane(x) \u2227 Boeing737(x) \u2192 (\u00ac\u2203y(GreaterThan(y, num300) \u2227 EquippedWithSeats(x,y)))\n\u2200x (Plane(x) \u2227 AcquiredBy(x, delta) \u2192 Boeing737(x))\n\u2200x (Plane(x) \u2192 ((\u2203y(GreaterThan(y, num300) \u2227 EquippedWithSeats(x,y))) \u2295 (\u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y))))\n\u2200x (Plane(x) \u2227 \u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y)) \u2192 ScheduledFor(x, shortdistanceflight))\n\u2200x (Plane(x) \u2227 \u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y)) \u2192 \u2203z(Before(z, yr2010) \u2227 Produced(x, z))\n(Boeing737(jake32) \u2227 Plane(jake32)) \u2295 (AcquiredByDeltaInThisBatch(jake32) \u2227 Plane(jake32))\n\u00ac((Boeing737(t10) \u2227 Plane(t10)) \u2295 (AcquiredByDeltaInThisBatch(t10) \u2227 Plane(t10)))", "conclusion": "Jake32 is not produced before 2010 and is not scheduled for a short-distance flight.", "conclusion-FOL": "\u00ac(\u2203z(Before(z, year2010) \u2227 Produced(jake32, z)) \u2227 ScheduledFor(jake32, shortdistanceflight)))", "label": "False", "example_id": 1228} +{"story_id": 431, "premises": "No Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.", "premises-FOL": "\u2200x (Plane(x) \u2227 Boeing737(x) \u2192 (\u00ac\u2203y(GreaterThan(y, num300) \u2227 EquippedWithSeats(x,y)))\n\u2200x (Plane(x) \u2227 AcquiredBy(x, delta) \u2192 Boeing737(x))\n\u2200x (Plane(x) \u2192 ((\u2203y(GreaterThan(y, num300) \u2227 EquippedWithSeats(x,y))) \u2295 (\u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y))))\n\u2200x (Plane(x) \u2227 \u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y)) \u2192 ScheduledFor(x, shortdistanceflight))\n\u2200x (Plane(x) \u2227 \u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y)) \u2192 \u2203z(Before(z, yr2010) \u2227 Produced(x, z))\n(Boeing737(jake32) \u2227 Plane(jake32)) \u2295 (AcquiredByDeltaInThisBatch(jake32) \u2227 Plane(jake32))\n\u00ac((Boeing737(t10) \u2227 Plane(t10)) \u2295 (AcquiredByDeltaInThisBatch(t10) \u2227 Plane(t10)))", "conclusion": "Jake32 is produced before 2010 or scheduled for a short-distance flight.", "conclusion-FOL": "\u2203z(Before(z, year2010) \u2227 Produced(jake32, z)) \u2228 ScheduledFor(jake32, shortdistanceflight))", "label": "True", "example_id": 1229} +{"story_id": 431, "premises": "No Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.", "premises-FOL": "\u2200x (Plane(x) \u2227 Boeing737(x) \u2192 (\u00ac\u2203y(GreaterThan(y, num300) \u2227 EquippedWithSeats(x,y)))\n\u2200x (Plane(x) \u2227 AcquiredBy(x, delta) \u2192 Boeing737(x))\n\u2200x (Plane(x) \u2192 ((\u2203y(GreaterThan(y, num300) \u2227 EquippedWithSeats(x,y))) \u2295 (\u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y))))\n\u2200x (Plane(x) \u2227 \u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y)) \u2192 ScheduledFor(x, shortdistanceflight))\n\u2200x (Plane(x) \u2227 \u2203y(Equals(y, num100) \u2227 EquippedWithSeats(x,y)) \u2192 \u2203z(Before(z, yr2010) \u2227 Produced(x, z))\n(Boeing737(jake32) \u2227 Plane(jake32)) \u2295 (AcquiredByDeltaInThisBatch(jake32) \u2227 Plane(jake32))\n\u00ac((Boeing737(t10) \u2227 Plane(t10)) \u2295 (AcquiredByDeltaInThisBatch(t10) \u2227 Plane(t10)))", "conclusion": "Jake32 is neither produced before 2010 nor scheduled for a short-distance flight.", "conclusion-FOL": "\u00ac\u2203z(Before(z, year2010) \u2227 Produced(jake32, z)) \u2227 \u00acScheduledFor(jake32, shortdistanceflight))", "label": "False", "example_id": 1230} +{"story_id": 195, "premises": "The SAT test is wholly owned and developed by the College Board.\nThe SAT test is intended to assess students' readiness for college.\nThe SAT was originally designed not to be aligned with high school curricula. \nSeveral adjustments were made to the version of the SAT introduced in 2016 to align with the high school curriculum.", "premises-FOL": "OwnedBy(sAT, collegeBoard) \u2227 DevelopedBy(sAT, collegeBoard) \u2227 \u00ac(\u2203y (\u00ac(y=collegeBoard) \u2227 (OwnedBy(sAT, y) \u2228 DevelopedBy(sAT, y)))\nIntendedToAssess(sAT, studentsReadinessForCollege)\nOriginallyDesignedToBeAlignedWith(sAT, highSchoolCurricula)\nAdjustmentMadeIn(sAT, 2016, toAlignWithHighSchoolCurriculum)", "conclusion": "The SAT test is owned by the College Board and other third parties.", "conclusion-FOL": "OwnedBy(sAT, collegeBoard) \u2227 OwnedBy(sAT, otherThirdParties)", "label": "False", "example_id": 555} +{"story_id": 195, "premises": "The SAT test is wholly owned and developed by the College Board.\nThe SAT test is intended to assess students' readiness for college.\nThe SAT was originally designed not to be aligned with high school curricula. \nSeveral adjustments were made to the version of the SAT introduced in 2016 to align with the high school curriculum.", "premises-FOL": "OwnedBy(sAT, collegeBoard) \u2227 DevelopedBy(sAT, collegeBoard) \u2227 \u00ac(\u2203y (\u00ac(y=collegeBoard) \u2227 (OwnedBy(sAT, y) \u2228 DevelopedBy(sAT, y)))\nIntendedToAssess(sAT, studentsReadinessForCollege)\nOriginallyDesignedToBeAlignedWith(sAT, highSchoolCurricula)\nAdjustmentMadeIn(sAT, 2016, toAlignWithHighSchoolCurriculum)", "conclusion": "The SAT test assesses students' math skills.", "conclusion-FOL": "IntendedToAssess(sAT, studentsMathSkill)", "label": "Uncertain", "example_id": 556} +{"story_id": 34, "premises": "Rafa Nadal was born in Mallorca.\nRafa Nadal is a professional tennis player.\nNadal's win ratio is high.\nAll players in the Big 3 are professionals who have a high win ratio.", "premises-FOL": "BornIn(rafaNadal, mallorca)\nProfessionalTennisPlayer(rafaNadal)\nHighWinRatio(rafaNadal)\n\u2200x ((ProfessionalTennisPlayer(x) \u2227 HighWinRatio(x)) \u2192 InBig3(x))", "conclusion": "Nadal was not born in Mallorca.", "conclusion-FOL": "\u00acBornIn(rafaNadal, mallorca)", "label": "False", "example_id": 98} +{"story_id": 34, "premises": "Rafa Nadal was born in Mallorca.\nRafa Nadal is a professional tennis player.\nNadal's win ratio is high.\nAll players in the Big 3 are professionals who have a high win ratio.", "premises-FOL": "BornIn(rafaNadal, mallorca)\nProfessionalTennisPlayer(rafaNadal)\nHighWinRatio(rafaNadal)\n\u2200x ((ProfessionalTennisPlayer(x) \u2227 HighWinRatio(x)) \u2192 InBig3(x))", "conclusion": "Nadal is in the Big 3.", "conclusion-FOL": "InBig3(rafaNadal)", "label": "True", "example_id": 99} +{"story_id": 34, "premises": "Rafa Nadal was born in Mallorca.\nRafa Nadal is a professional tennis player.\nNadal's win ratio is high.\nAll players in the Big 3 are professionals who have a high win ratio.", "premises-FOL": "BornIn(rafaNadal, mallorca)\nProfessionalTennisPlayer(rafaNadal)\nHighWinRatio(rafaNadal)\n\u2200x ((ProfessionalTennisPlayer(x) \u2227 HighWinRatio(x)) \u2192 InBig3(x))", "conclusion": "Nadal is the greatest player of all time.", "conclusion-FOL": "GreatestOfAllTime(rafaNadal)", "label": "Uncertain", "example_id": 100} +{"story_id": 286, "premises": "No sandwich cookies are healthy.\nOreos are sandwich cookies.", "premises-FOL": "\u2200x (SandwichCookie(x) \u2192 \u00acHealthy(x))\n\u2200x (Oreo(x) \u2192 SandwichCookie(x))", "conclusion": "All sandwich cookies are delicious.", "conclusion-FOL": "\u2200x (SandwichCookie(x) \u2192 Delicious(x))", "label": "Uncertain", "example_id": 730} +{"story_id": 314, "premises": "No animals are plants.\nAll humans are animals.\nAll pupils are humans.\nAll flowers are plants.\nBailey is either both a human and a flower or neither a human nor a flower.", "premises-FOL": "\u2200x (Animal(x) \u2192 \u00acPlant(x))\n\u2200x (Human(x) \u2192 Animal(x))\n\u2200x (Pupil(x) \u2192 Human(x))\n\u2200x (Flower(x) \u2192 Plant(x))\n\u00ac(Human(bailey) \u2295 Flower(bailey))", "conclusion": "Bailey is a pupil.", "conclusion-FOL": "Pupil(bailey)", "label": "False", "example_id": 782} +{"story_id": 314, "premises": "No animals are plants.\nAll humans are animals.\nAll pupils are humans.\nAll flowers are plants.\nBailey is either both a human and a flower or neither a human nor a flower.", "premises-FOL": "\u2200x (Animal(x) \u2192 \u00acPlant(x))\n\u2200x (Human(x) \u2192 Animal(x))\n\u2200x (Pupil(x) \u2192 Human(x))\n\u2200x (Flower(x) \u2192 Plant(x))\n\u00ac(Human(bailey) \u2295 Flower(bailey))", "conclusion": "Bailey is not a pupil.", "conclusion-FOL": "\u00acPupil(bailey)", "label": "True", "example_id": 783} +{"story_id": 314, "premises": "No animals are plants.\nAll humans are animals.\nAll pupils are humans.\nAll flowers are plants.\nBailey is either both a human and a flower or neither a human nor a flower.", "premises-FOL": "\u2200x (Animal(x) \u2192 \u00acPlant(x))\n\u2200x (Human(x) \u2192 Animal(x))\n\u2200x (Pupil(x) \u2192 Human(x))\n\u2200x (Flower(x) \u2192 Plant(x))\n\u00ac(Human(bailey) \u2295 Flower(bailey))", "conclusion": "Bailey is a plant.", "conclusion-FOL": "Plant(bailey)", "label": "Uncertain", "example_id": 784} +{"story_id": 314, "premises": "No animals are plants.\nAll humans are animals.\nAll pupils are humans.\nAll flowers are plants.\nBailey is either both a human and a flower or neither a human nor a flower.", "premises-FOL": "\u2200x (Animal(x) \u2192 \u00acPlant(x))\n\u2200x (Human(x) \u2192 Animal(x))\n\u2200x (Pupil(x) \u2192 Human(x))\n\u2200x (Flower(x) \u2192 Plant(x))\n\u00ac(Human(bailey) \u2295 Flower(bailey))", "conclusion": "If Bailey is a human, then Bailey is not a pupil.", "conclusion-FOL": "Human(bailey) \u2192 \u00acPupil(bailey)", "label": "True", "example_id": 785} +{"story_id": 458, "premises": "Shoes are not food.\nAll slippers are shoes.\nAny object donated to the homeless charity is either clothes or food.\nWearable things are not edible.\nAll clothes are wearable. \nThe watch is donated to the homeless charify.\nIf the watch is not both edible and a piece of clothing, then the watch is either both edible and a piece of clothing or the watch is neither of them.", "premises-FOL": "\u2200x (Shoe(x) \u2192 \u00acFood(x))\n\u2200x (Slipper(x) \u2192 Shoe(x))\n\u2200x (DonatedTo(x, homelessCharity) \u2192 Food(x) \u2295 Clothes(x))\n\u2200x (Wearable(x) \u2192 \u00acEdible(x))\n\u2200x (Clothes(x) \u2192 Wearable(x))\nDonatedTo(watch, homelessCharify)\n\u00ac(Edible(watch) \u2227 Clothes(watch)) \u2192 \u00ac(Edible(watch) \u2295 Clothes(watch))", "conclusion": "A watch is wearable.", "conclusion-FOL": "Wearable(watch)", "label": "Uncertain", "example_id": 1321} +{"story_id": 458, "premises": "Shoes are not food.\nAll slippers are shoes.\nAny object donated to the homeless charity is either clothes or food.\nWearable things are not edible.\nAll clothes are wearable. \nThe watch is donated to the homeless charify.\nIf the watch is not both edible and a piece of clothing, then the watch is either both edible and a piece of clothing or the watch is neither of them.", "premises-FOL": "\u2200x (Shoe(x) \u2192 \u00acFood(x))\n\u2200x (Slipper(x) \u2192 Shoe(x))\n\u2200x (DonatedTo(x, homelessCharity) \u2192 Food(x) \u2295 Clothes(x))\n\u2200x (Wearable(x) \u2192 \u00acEdible(x))\n\u2200x (Clothes(x) \u2192 Wearable(x))\nDonatedTo(watch, homelessCharify)\n\u00ac(Edible(watch) \u2227 Clothes(watch)) \u2192 \u00ac(Edible(watch) \u2295 Clothes(watch))", "conclusion": "A watch is a slipper.", "conclusion-FOL": "Slipper(watch)", "label": "False", "example_id": 1322} +{"story_id": 458, "premises": "Shoes are not food.\nAll slippers are shoes.\nAny object donated to the homeless charity is either clothes or food.\nWearable things are not edible.\nAll clothes are wearable. \nThe watch is donated to the homeless charify.\nIf the watch is not both edible and a piece of clothing, then the watch is either both edible and a piece of clothing or the watch is neither of them.", "premises-FOL": "\u2200x (Shoe(x) \u2192 \u00acFood(x))\n\u2200x (Slipper(x) \u2192 Shoe(x))\n\u2200x (DonatedTo(x, homelessCharity) \u2192 Food(x) \u2295 Clothes(x))\n\u2200x (Wearable(x) \u2192 \u00acEdible(x))\n\u2200x (Clothes(x) \u2192 Wearable(x))\nDonatedTo(watch, homelessCharify)\n\u00ac(Edible(watch) \u2227 Clothes(watch)) \u2192 \u00ac(Edible(watch) \u2295 Clothes(watch))", "conclusion": "A watch is neither edible nor a slipper.", "conclusion-FOL": "\u00acEdible(watch) \u2227 \u00acSlipper(watch)", "label": "True", "example_id": 1323} +{"story_id": 35, "premises": "An Olympian is a person who trains for an Olympic sport and goes to the Olympics.\nCarlos Reyes trains for an Olympic sport.\nCarlos Reyes went to the Olympics.\nCarlos Reyes is a welterweight.\nHeavy weights are not welterweights.", "premises-FOL": "\u2200x ((DoesOlympicSport(x) \u2227 GoesToOlympicGames(x)) \u2192 Olympian(x))\nDoesOlympicSport(carlosReyes)\nGoesToOlympicGames(carlosReyes)\nWelterWeight(carlosReyes)\n\u2200x (WelterWeight(x) \u2192 \u00ac HeavyWeight(x))", "conclusion": "Carlos Reyes is an Olympian.", "conclusion-FOL": "Olympian(carlosReyes)", "label": "True", "example_id": 101} +{"story_id": 35, "premises": "An Olympian is a person who trains for an Olympic sport and goes to the Olympics.\nCarlos Reyes trains for an Olympic sport.\nCarlos Reyes went to the Olympics.\nCarlos Reyes is a welterweight.\nHeavy weights are not welterweights.", "premises-FOL": "\u2200x ((DoesOlympicSport(x) \u2227 GoesToOlympicGames(x)) \u2192 Olympian(x))\nDoesOlympicSport(carlosReyes)\nGoesToOlympicGames(carlosReyes)\nWelterWeight(carlosReyes)\n\u2200x (WelterWeight(x) \u2192 \u00ac HeavyWeight(x))", "conclusion": "Carlos Reyes is a heavy weight.", "conclusion-FOL": "HeavyWeight(carlosReyes)", "label": "False", "example_id": 102} +{"story_id": 35, "premises": "An Olympian is a person who trains for an Olympic sport and goes to the Olympics.\nCarlos Reyes trains for an Olympic sport.\nCarlos Reyes went to the Olympics.\nCarlos Reyes is a welterweight.\nHeavy weights are not welterweights.", "premises-FOL": "\u2200x ((DoesOlympicSport(x) \u2227 GoesToOlympicGames(x)) \u2192 Olympian(x))\nDoesOlympicSport(carlosReyes)\nGoesToOlympicGames(carlosReyes)\nWelterWeight(carlosReyes)\n\u2200x (WelterWeight(x) \u2192 \u00ac HeavyWeight(x))", "conclusion": "Carlos Reyes won an Olympic medal.", "conclusion-FOL": "WonOlympicMedal(carlosReyes)", "label": "Uncertain", "example_id": 103} +{"story_id": 333, "premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", "premises-FOL": "\u2200x (HaveIn(x, aLotOfMusicDecoration, room) \u2192 \u00acMoveOutEasily(x))\n\u2200x (Ambitious(x) \u2192 MoveOutEasily(x))\n\u2200x (BigFanOfMusic(x) \u2192 MusicDecorations(x, room))\n\u2200x (AttendFrequently(x, musicFestival) \u2227 YoungTeenageGirl(x) \u2192 BigFanOfPopBand(x) \u2227 BigFanOfPopSinger(x))\nAmbitious(sam) \u2192 BBigFanOfPopBand(sam) \u2227 BigFanOfPopSinger(sam)", "conclusion": "Sam is a young teenage girl who attends music festival frequently", "conclusion-FOL": "Attend(sam, festival) \u2227 YoungTeenageGirl(sam)", "label": "False", "example_id": 863} +{"story_id": 333, "premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", "premises-FOL": "\u2200x (HaveIn(x, aLotOfMusicDecoration, room) \u2192 \u00acMoveOutEasily(x))\n\u2200x (Ambitious(x) \u2192 MoveOutEasily(x))\n\u2200x (BigFanOfMusic(x) \u2192 MusicDecorations(x, room))\n\u2200x (AttendFrequently(x, musicFestival) \u2227 YoungTeenageGirl(x) \u2192 BigFanOfPopBand(x) \u2227 BigFanOfPopSinger(x))\nAmbitious(sam) \u2192 BBigFanOfPopBand(sam) \u2227 BigFanOfPopSinger(sam)", "conclusion": "Sam is not a young teenage girl who attends music festival frequently", "conclusion-FOL": "\u00ac(Attend(sam, festival) \u2227 YoungTeenageGirl(sam))", "label": "True", "example_id": 864} +{"story_id": 333, "premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", "premises-FOL": "\u2200x (HaveIn(x, aLotOfMusicDecoration, room) \u2192 \u00acMoveOutEasily(x))\n\u2200x (Ambitious(x) \u2192 MoveOutEasily(x))\n\u2200x (BigFanOfMusic(x) \u2192 MusicDecorations(x, room))\n\u2200x (AttendFrequently(x, musicFestival) \u2227 YoungTeenageGirl(x) \u2192 BigFanOfPopBand(x) \u2227 BigFanOfPopSinger(x))\nAmbitious(sam) \u2192 BBigFanOfPopBand(sam) \u2227 BigFanOfPopSinger(sam)", "conclusion": "Sam is a big fan of pop bands and singers.", "conclusion-FOL": "BigFanOfMusic(sam)", "label": "Uncertain", "example_id": 865} +{"story_id": 333, "premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", "premises-FOL": "\u2200x (HaveIn(x, aLotOfMusicDecoration, room) \u2192 \u00acMoveOutEasily(x))\n\u2200x (Ambitious(x) \u2192 MoveOutEasily(x))\n\u2200x (BigFanOfMusic(x) \u2192 MusicDecorations(x, room))\n\u2200x (AttendFrequently(x, musicFestival) \u2227 YoungTeenageGirl(x) \u2192 BigFanOfPopBand(x) \u2227 BigFanOfPopSinger(x))\nAmbitious(sam) \u2192 BBigFanOfPopBand(sam) \u2227 BigFanOfPopSinger(sam)", "conclusion": "Sam neither has high ambitions and future career goals nor is she a young teenage girl attending music festival frequently", "conclusion-FOL": "\u00ac(Ambitious(sam) \u2228 (Attend(sam, festival) \u2227 YoungTeenageGirl(sam)))", "label": "True", "example_id": 866} +{"story_id": 333, "premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", "premises-FOL": "\u2200x (HaveIn(x, aLotOfMusicDecoration, room) \u2192 \u00acMoveOutEasily(x))\n\u2200x (Ambitious(x) \u2192 MoveOutEasily(x))\n\u2200x (BigFanOfMusic(x) \u2192 MusicDecorations(x, room))\n\u2200x (AttendFrequently(x, musicFestival) \u2227 YoungTeenageGirl(x) \u2192 BigFanOfPopBand(x) \u2227 BigFanOfPopSinger(x))\nAmbitious(sam) \u2192 BBigFanOfPopBand(sam) \u2227 BigFanOfPopSinger(sam)", "conclusion": "Sam has high ambitions and future career goals and is a young teenage girl attending music festival frequently.", "conclusion-FOL": "Ambitious(sam) \u2227 Attend(sam, festival) \u2227 YoungTeenageGirl(sam)", "label": "False", "example_id": 867} +{"story_id": 333, "premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", "premises-FOL": "\u2200x (HaveIn(x, aLotOfMusicDecoration, room) \u2192 \u00acMoveOutEasily(x))\n\u2200x (Ambitious(x) \u2192 MoveOutEasily(x))\n\u2200x (BigFanOfMusic(x) \u2192 MusicDecorations(x, room))\n\u2200x (AttendFrequently(x, musicFestival) \u2227 YoungTeenageGirl(x) \u2192 BigFanOfPopBand(x) \u2227 BigFanOfPopSinger(x))\nAmbitious(sam) \u2192 BBigFanOfPopBand(sam) \u2227 BigFanOfPopSinger(sam)", "conclusion": "Sam has high ambitions and future career goals and is a young teenage girl attending college.", "conclusion-FOL": "Ambitious(sam) \u2227 Attend(sam, festival) \u2227 YoungTeenageGirl(sam)", "label": "False", "example_id": 868} +{"story_id": 333, "premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", "premises-FOL": "\u2200x (HaveIn(x, aLotOfMusicDecoration, room) \u2192 \u00acMoveOutEasily(x))\n\u2200x (Ambitious(x) \u2192 MoveOutEasily(x))\n\u2200x (BigFanOfMusic(x) \u2192 MusicDecorations(x, room))\n\u2200x (AttendFrequently(x, musicFestival) \u2227 YoungTeenageGirl(x) \u2192 BigFanOfPopBand(x) \u2227 BigFanOfPopSinger(x))\nAmbitious(sam) \u2192 BBigFanOfPopBand(sam) \u2227 BigFanOfPopSinger(sam)", "conclusion": "If Sam is a young teenage girl attending college, then Sam either does not have high ambitions and future career goals or is a big fan of pop bands and singers.", "conclusion-FOL": "Attend(sam, festival) \u2227 YoungTeenageGirl(sam) \u2192 \u00ac(Ambitious(sam) \u2228 (BigFanOfPopBand(sam) \u2227 BigFanOfPopSinger(sam)))", "label": "True", "example_id": 869} +{"story_id": 333, "premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", "premises-FOL": "\u2200x (HaveIn(x, aLotOfMusicDecoration, room) \u2192 \u00acMoveOutEasily(x))\n\u2200x (Ambitious(x) \u2192 MoveOutEasily(x))\n\u2200x (BigFanOfMusic(x) \u2192 MusicDecorations(x, room))\n\u2200x (AttendFrequently(x, musicFestival) \u2227 YoungTeenageGirl(x) \u2192 BigFanOfPopBand(x) \u2227 BigFanOfPopSinger(x))\nAmbitious(sam) \u2192 BBigFanOfPopBand(sam) \u2227 BigFanOfPopSinger(sam)", "conclusion": "If Sam has high ambitions and future career goals and is a young teenage girl attending college, then Sam either does not have high ambitions and future career goals or is not a young teenage girl attending college.", "conclusion-FOL": "Ambitious(sam) \u2227 Attend(sam, festival) \u2227 YoungTeenageGirl(sam) \u2192 \u00ac(Ambitious(sam) \u2228 (Attend(sam, festival) \u2227 YoungTeenageGirl(sam)))", "label": "True", "example_id": 870} +{"story_id": 333, "premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", "premises-FOL": "\u2200x (HaveIn(x, aLotOfMusicDecoration, room) \u2192 \u00acMoveOutEasily(x))\n\u2200x (Ambitious(x) \u2192 MoveOutEasily(x))\n\u2200x (BigFanOfMusic(x) \u2192 MusicDecorations(x, room))\n\u2200x (AttendFrequently(x, musicFestival) \u2227 YoungTeenageGirl(x) \u2192 BigFanOfPopBand(x) \u2227 BigFanOfPopSinger(x))\nAmbitious(sam) \u2192 BBigFanOfPopBand(sam) \u2227 BigFanOfPopSinger(sam)", "conclusion": "If Sam has high ambitions and future career goals, then Sam is a young teenage girl attending college.", "conclusion-FOL": "Ambitious(sam) \u2192 Attend(sam, festival) \u2227 YoungTeenageGirl(sam)", "label": "True", "example_id": 871} +{"story_id": 182, "premises": "Brita was a cargo ship built for Norwegians.\nBrita was impressed into service by Germany.\nShips that have been impressed into service were seized by whoever impressed them into service.\nThe Britta was sold to Hong Kong.", "premises-FOL": "CargoShip(britta) \u2227 Ship(britta) \u2227 BuiltFor(britta, norwegians)\nImpressedIntoServiceBy(britta, germany)\n\u2200x \u2200y (Ship(x) \u2227 ImpressedIntoServiceBy(x, y) \u2192 SeizedBy(x, y))\nSoldTo(britta, hongkong)", "conclusion": "There was a cargo ship seized by Germany that was sold to Hong Kong.", "conclusion-FOL": "\u2203x (CargoShip(x) \u2227 SeizedBy(x, germany) \u2227 SoldTo(x, hongkong))", "label": "True", "example_id": 524} +{"story_id": 182, "premises": "Brita was a cargo ship built for Norwegians.\nBrita was impressed into service by Germany.\nShips that have been impressed into service were seized by whoever impressed them into service.\nThe Britta was sold to Hong Kong.", "premises-FOL": "CargoShip(britta) \u2227 Ship(britta) \u2227 BuiltFor(britta, norwegians)\nImpressedIntoServiceBy(britta, germany)\n\u2200x \u2200y (Ship(x) \u2227 ImpressedIntoServiceBy(x, y) \u2192 SeizedBy(x, y))\nSoldTo(britta, hongkong)", "conclusion": "Hong Kong hasn't had any seized ships sold to them.", "conclusion-FOL": "\u2200x \u2200y (SoldTo(x, hongkong) \u2192 \u00acSeizedBy(x, y))", "label": "False", "example_id": 525} +{"story_id": 182, "premises": "Brita was a cargo ship built for Norwegians.\nBrita was impressed into service by Germany.\nShips that have been impressed into service were seized by whoever impressed them into service.\nThe Britta was sold to Hong Kong.", "premises-FOL": "CargoShip(britta) \u2227 Ship(britta) \u2227 BuiltFor(britta, norwegians)\nImpressedIntoServiceBy(britta, germany)\n\u2200x \u2200y (Ship(x) \u2227 ImpressedIntoServiceBy(x, y) \u2192 SeizedBy(x, y))\nSoldTo(britta, hongkong)", "conclusion": "Hong Kong seized the Britta.", "conclusion-FOL": "SeizedBy(britta, hongkong)", "label": "Uncertain", "example_id": 526} +{"story_id": 49, "premises": "Quincy McDuffie is an American professional wide receiver in Canadian Football.\nPeople who can catch balls are good wide receivers. \nQuincy McDuffie can catch some footballs easily.\nGood wide receivers play professionally.\nGood wide receivers can catch with both their left and right hand.\nAll footballs are balls.", "premises-FOL": "American(quincyMcduffie) \u2227 Professional(quincyMcduffie) \u2227 WideReciever(quincyMcduffie) \u2227 PlaysIn(quincyMcduffie, cFL)\n\u2200x ((\u2203y(CanCatch(x, y) \u2227 Ball(y))) \u2192 GoodWideReceiver(x))\n\u2203x \u2203y (Football(x) \u2227 CanCatch(quincymcduffie, x)) \u2227 (\u00ac(x=y) \u2227 (Football(y) \u2227 CanCatch(quincymcduffie, y))\n\u2200x (GoodWideReceiver(x) \u2192 Professional(x))\n\u2200x (GoodWideReceiver(x) \u2192 (CanCatchWith(x, lefthand) \u2227 CanCatchWith(x, righthand)))\n\u2200x (Football(x) \u2192 Ball(x))", "conclusion": "Quincy McDuffie is a good wide receiver.", "conclusion-FOL": "GoodWideReceiver(quincyMcduffie)", "label": "True", "example_id": 141} +{"story_id": 49, "premises": "Quincy McDuffie is an American professional wide receiver in Canadian Football.\nPeople who can catch balls are good wide receivers. \nQuincy McDuffie can catch some footballs easily.\nGood wide receivers play professionally.\nGood wide receivers can catch with both their left and right hand.\nAll footballs are balls.", "premises-FOL": "American(quincyMcduffie) \u2227 Professional(quincyMcduffie) \u2227 WideReciever(quincyMcduffie) \u2227 PlaysIn(quincyMcduffie, cFL)\n\u2200x ((\u2203y(CanCatch(x, y) \u2227 Ball(y))) \u2192 GoodWideReceiver(x))\n\u2203x \u2203y (Football(x) \u2227 CanCatch(quincymcduffie, x)) \u2227 (\u00ac(x=y) \u2227 (Football(y) \u2227 CanCatch(quincymcduffie, y))\n\u2200x (GoodWideReceiver(x) \u2192 Professional(x))\n\u2200x (GoodWideReceiver(x) \u2192 (CanCatchWith(x, lefthand) \u2227 CanCatchWith(x, righthand)))\n\u2200x (Football(x) \u2192 Ball(x))", "conclusion": "Quincy McDuffie can catch every ball.", "conclusion-FOL": "\u2200x (Ball(x) \u2192 CanCatch(quincymcduffie, x))", "label": "Uncertain", "example_id": 142} +{"story_id": 49, "premises": "Quincy McDuffie is an American professional wide receiver in Canadian Football.\nPeople who can catch balls are good wide receivers. \nQuincy McDuffie can catch some footballs easily.\nGood wide receivers play professionally.\nGood wide receivers can catch with both their left and right hand.\nAll footballs are balls.", "premises-FOL": "American(quincyMcduffie) \u2227 Professional(quincyMcduffie) \u2227 WideReciever(quincyMcduffie) \u2227 PlaysIn(quincyMcduffie, cFL)\n\u2200x ((\u2203y(CanCatch(x, y) \u2227 Ball(y))) \u2192 GoodWideReceiver(x))\n\u2203x \u2203y (Football(x) \u2227 CanCatch(quincymcduffie, x)) \u2227 (\u00ac(x=y) \u2227 (Football(y) \u2227 CanCatch(quincymcduffie, y))\n\u2200x (GoodWideReceiver(x) \u2192 Professional(x))\n\u2200x (GoodWideReceiver(x) \u2192 (CanCatchWith(x, lefthand) \u2227 CanCatchWith(x, righthand)))\n\u2200x (Football(x) \u2192 Ball(x))", "conclusion": "Professional wide receivers are good at catching balls.", "conclusion-FOL": "\u2200x ((Professional(x) \u2227 WideReciever(x)) \u2192 Good(x, catchingballs))", "label": "Uncertain", "example_id": 143} +{"story_id": 6, "premises": "Boves is a railway station located in France. \nThe preceding station of Boves is Longueau.\nThe preceding station of Dommartin is Boves.\nFrance is a European country.\nDommartin is situated on the Paris\u2013Lille railway. \nAny two contiguous stations are on the same railway.\nBoves is served by regional TER Hauts-de-France trains.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\nIf place A precedes place B and place B precedes place C, then place A precedes place C.", "premises-FOL": "RailwayStation(boves) \u2227 In(boves, france)\nPrecede(longueau, boves)\nPrecede(boves, dommartin)\nIn(france, europe)\nSituatedOn(dommartin, pairsLille)\n\u2200x \u2200y \u2200z ((SituatedOn(x, z) \u2227 (Precede(x, y) \u2228 Precede(y, x)) \u2192 SituatedOn(y, z))\nServe(boves, hautsDeFrance)\n\u2200x \u2200y \u2200z ((In(x, y) \u2227 In(y, z)) \u2192 In(x, z))\n\u2200x \u2200y \u2200z ((Precede(x, y) \u2227 Precede(y, z)) \u2192 Precede(x, z))", "conclusion": "Longueau is situated on the Paris\u2013Lille railway.", "conclusion-FOL": "SituatedOn(longueau, pairsLille)", "label": "True", "example_id": 14} +{"story_id": 6, "premises": "Boves is a railway station located in France. \nThe preceding station of Boves is Longueau.\nThe preceding station of Dommartin is Boves.\nFrance is a European country.\nDommartin is situated on the Paris\u2013Lille railway. \nAny two contiguous stations are on the same railway.\nBoves is served by regional TER Hauts-de-France trains.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\nIf place A precedes place B and place B precedes place C, then place A precedes place C.", "premises-FOL": "RailwayStation(boves) \u2227 In(boves, france)\nPrecede(longueau, boves)\nPrecede(boves, dommartin)\nIn(france, europe)\nSituatedOn(dommartin, pairsLille)\n\u2200x \u2200y \u2200z ((SituatedOn(x, z) \u2227 (Precede(x, y) \u2228 Precede(y, x)) \u2192 SituatedOn(y, z))\nServe(boves, hautsDeFrance)\n\u2200x \u2200y \u2200z ((In(x, y) \u2227 In(y, z)) \u2192 In(x, z))\n\u2200x \u2200y \u2200z ((Precede(x, y) \u2227 Precede(y, z)) \u2192 Precede(x, z))", "conclusion": "Boves is not in Europe.", "conclusion-FOL": "\u00acIn(boves, europe)", "label": "False", "example_id": 15} +{"story_id": 6, "premises": "Boves is a railway station located in France. \nThe preceding station of Boves is Longueau.\nThe preceding station of Dommartin is Boves.\nFrance is a European country.\nDommartin is situated on the Paris\u2013Lille railway. \nAny two contiguous stations are on the same railway.\nBoves is served by regional TER Hauts-de-France trains.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\nIf place A precedes place B and place B precedes place C, then place A precedes place C.", "premises-FOL": "RailwayStation(boves) \u2227 In(boves, france)\nPrecede(longueau, boves)\nPrecede(boves, dommartin)\nIn(france, europe)\nSituatedOn(dommartin, pairsLille)\n\u2200x \u2200y \u2200z ((SituatedOn(x, z) \u2227 (Precede(x, y) \u2228 Precede(y, x)) \u2192 SituatedOn(y, z))\nServe(boves, hautsDeFrance)\n\u2200x \u2200y \u2200z ((In(x, y) \u2227 In(y, z)) \u2192 In(x, z))\n\u2200x \u2200y \u2200z ((Precede(x, y) \u2227 Precede(y, z)) \u2192 Precede(x, z))", "conclusion": "Longueau is served by regional TER Hauts-de-France trains.", "conclusion-FOL": "Serve(longueau, hautsDeFrance)", "label": "Uncertain", "example_id": 16} +{"story_id": 102, "premises": "Edwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.", "premises-FOL": "From(edwinSmith, newZealand) \u2227 Rower(edwinSmith) \u2227 From(edwinSmith, auckland)\nedwinSmith=tedSmith\nGoTo(edwinSmith, roseRoadPrimarySchool) \u2227 LocatedIn(roseRoadPrimarySchool, greyLynn)\nSergeant(edwinSmith) \u2227 ServeWith(edwinSmith, newZealand24thBattalion) \u2227 ServeIn(edwinSmith, italy) \u2227 ServeIn(edwinSmith, egypt)\nBuisness(broadwaySheetmetals) \u2227 Run(edwinSmith, broadwaySheetmetals) \u2227 Own(edwinSmith, broadwaySheetmetals) \u2227 SheetmetalWorker(edwinsmith)", "conclusion": "Ted Smith was a sergeant.", "conclusion-FOL": "Sergeant(tedSmith)", "label": "True", "example_id": 309} +{"story_id": 102, "premises": "Edwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.", "premises-FOL": "From(edwinSmith, newZealand) \u2227 Rower(edwinSmith) \u2227 From(edwinSmith, auckland)\nedwinSmith=tedSmith\nGoTo(edwinSmith, roseRoadPrimarySchool) \u2227 LocatedIn(roseRoadPrimarySchool, greyLynn)\nSergeant(edwinSmith) \u2227 ServeWith(edwinSmith, newZealand24thBattalion) \u2227 ServeIn(edwinSmith, italy) \u2227 ServeIn(edwinSmith, egypt)\nBuisness(broadwaySheetmetals) \u2227 Run(edwinSmith, broadwaySheetmetals) \u2227 Own(edwinSmith, broadwaySheetmetals) \u2227 SheetmetalWorker(edwinsmith)", "conclusion": "There were no rowers that own a buisness.", "conclusion-FOL": "\u2200x \u2200y (Rower(x) \u2227 Buisness(y) \u2192 \u00acOwn(x, y))", "label": "False", "example_id": 310} +{"story_id": 102, "premises": "Edwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.", "premises-FOL": "From(edwinSmith, newZealand) \u2227 Rower(edwinSmith) \u2227 From(edwinSmith, auckland)\nedwinSmith=tedSmith\nGoTo(edwinSmith, roseRoadPrimarySchool) \u2227 LocatedIn(roseRoadPrimarySchool, greyLynn)\nSergeant(edwinSmith) \u2227 ServeWith(edwinSmith, newZealand24thBattalion) \u2227 ServeIn(edwinSmith, italy) \u2227 ServeIn(edwinSmith, egypt)\nBuisness(broadwaySheetmetals) \u2227 Run(edwinSmith, broadwaySheetmetals) \u2227 Own(edwinSmith, broadwaySheetmetals) \u2227 SheetmetalWorker(edwinsmith)", "conclusion": "No sergeants were from Auckland.", "conclusion-FOL": "\u2200x (Sergeant(x) \u2192 \u00acFrom(x, auckland))", "label": "False", "example_id": 311} +{"story_id": 102, "premises": "Edwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.", "premises-FOL": "From(edwinSmith, newZealand) \u2227 Rower(edwinSmith) \u2227 From(edwinSmith, auckland)\nedwinSmith=tedSmith\nGoTo(edwinSmith, roseRoadPrimarySchool) \u2227 LocatedIn(roseRoadPrimarySchool, greyLynn)\nSergeant(edwinSmith) \u2227 ServeWith(edwinSmith, newZealand24thBattalion) \u2227 ServeIn(edwinSmith, italy) \u2227 ServeIn(edwinSmith, egypt)\nBuisness(broadwaySheetmetals) \u2227 Run(edwinSmith, broadwaySheetmetals) \u2227 Own(edwinSmith, broadwaySheetmetals) \u2227 SheetmetalWorker(edwinsmith)", "conclusion": "No business owner served in Egypt.", "conclusion-FOL": "\u2200x \u2200y (Buisness(x) \u2227 Own(y, x) \u2192 \u00acServeIn(y, egypt))", "label": "False", "example_id": 312} +{"story_id": 175, "premises": "A werewolf is a human that can turn into a wolf.\nA werewolf has been scratched or bitten by another werewolf.\nIf someone has been scratched or bitten by some entity, they have been attacked by that entity.", "premises-FOL": "\u2200x (Human(x) \u2227 CanTurnInto(x, wolf) \u2192 Werewolf(x))\n\u2200x \u2203y (Werewolf(x) \u2192 (BittenBy(x, y) \u2228 ScratchedBy(x, y)) \u2227 Werewolf(y))\n\u2200x \u2203y (BittenBy(x, y) \u2228 ScratchedBy(x, y)) \u2192 AttackedBy(x,y)", "conclusion": "All humans are werewolves.", "conclusion-FOL": "\u2200x (Human(x) \u2192 Werewolf(x))", "label": "Uncertain", "example_id": 503} +{"story_id": 175, "premises": "A werewolf is a human that can turn into a wolf.\nA werewolf has been scratched or bitten by another werewolf.\nIf someone has been scratched or bitten by some entity, they have been attacked by that entity.", "premises-FOL": "\u2200x (Human(x) \u2227 CanTurnInto(x, wolf) \u2192 Werewolf(x))\n\u2200x \u2203y (Werewolf(x) \u2192 (BittenBy(x, y) \u2228 ScratchedBy(x, y)) \u2227 Werewolf(y))\n\u2200x \u2203y (BittenBy(x, y) \u2228 ScratchedBy(x, y)) \u2192 AttackedBy(x,y)", "conclusion": "A werewolf is a wolf.", "conclusion-FOL": "\u2200x (Werewolf(x) \u2192 Wolf(x))", "label": "Uncertain", "example_id": 504} +{"story_id": 175, "premises": "A werewolf is a human that can turn into a wolf.\nA werewolf has been scratched or bitten by another werewolf.\nIf someone has been scratched or bitten by some entity, they have been attacked by that entity.", "premises-FOL": "\u2200x (Human(x) \u2227 CanTurnInto(x, wolf) \u2192 Werewolf(x))\n\u2200x \u2203y (Werewolf(x) \u2192 (BittenBy(x, y) \u2228 ScratchedBy(x, y)) \u2227 Werewolf(y))\n\u2200x \u2203y (BittenBy(x, y) \u2228 ScratchedBy(x, y)) \u2192 AttackedBy(x,y)", "conclusion": "A werewolf has scratched someone before.", "conclusion-FOL": "\u2200x \u2203y (Werewolf(x) \u2192 ScratchedBy(y, x))", "label": "Uncertain", "example_id": 505} +{"story_id": 139, "premises": "UFC Fight Night was a mixed martial arts event held in Sweden.\nAt UFC Fight Night, Sadollah was scheduled to fight Musoke.\nSadollah fought Akiyama at UFC Fight Night.\nMusoke fought Yakovlev at UFC Fight Night.\nJung was injured at UFC Fight Night.\nPeople injured at UFC Fight Night did not fight.", "premises-FOL": "Event(uFCFightNight) \u2227 MixedMartial(uFCFightNight) \u2227 HeldIn(uFCFightNight, sweden)\nScheduledToFight(sadollah, musoke,uFCFightNight)\nFight(sadollah, akiyama, uFCFightNight)\nFight(musoke, yakovlev, uFCFightNight)\nInjuredAt(jung, uFCFightNight)\n\u2200x (InjuredAt(x, uFCFightNight) \u2192 \u00acFightIn(x, uFCFightNight))", "conclusion": "Jung fought Sadollah.", "conclusion-FOL": "Fight(jung, sadollah, uFCFightNight)", "label": "Uncertain", "example_id": 407} +{"story_id": 139, "premises": "UFC Fight Night was a mixed martial arts event held in Sweden.\nAt UFC Fight Night, Sadollah was scheduled to fight Musoke.\nSadollah fought Akiyama at UFC Fight Night.\nMusoke fought Yakovlev at UFC Fight Night.\nJung was injured at UFC Fight Night.\nPeople injured at UFC Fight Night did not fight.", "premises-FOL": "Event(uFCFightNight) \u2227 MixedMartial(uFCFightNight) \u2227 HeldIn(uFCFightNight, sweden)\nScheduledToFight(sadollah, musoke,uFCFightNight)\nFight(sadollah, akiyama, uFCFightNight)\nFight(musoke, yakovlev, uFCFightNight)\nInjuredAt(jung, uFCFightNight)\n\u2200x (InjuredAt(x, uFCFightNight) \u2192 \u00acFightIn(x, uFCFightNight))", "conclusion": "Jung did not fight at UFC Fight Night.", "conclusion-FOL": "Event(uFCFightNight) \u2227 \u00acFightIn(jung, uFCFightNight)", "label": "True", "example_id": 408} +{"story_id": 139, "premises": "UFC Fight Night was a mixed martial arts event held in Sweden.\nAt UFC Fight Night, Sadollah was scheduled to fight Musoke.\nSadollah fought Akiyama at UFC Fight Night.\nMusoke fought Yakovlev at UFC Fight Night.\nJung was injured at UFC Fight Night.\nPeople injured at UFC Fight Night did not fight.", "premises-FOL": "Event(uFCFightNight) \u2227 MixedMartial(uFCFightNight) \u2227 HeldIn(uFCFightNight, sweden)\nScheduledToFight(sadollah, musoke,uFCFightNight)\nFight(sadollah, akiyama, uFCFightNight)\nFight(musoke, yakovlev, uFCFightNight)\nInjuredAt(jung, uFCFightNight)\n\u2200x (InjuredAt(x, uFCFightNight) \u2192 \u00acFightIn(x, uFCFightNight))", "conclusion": "Sadollah fought Musoke at UFC Fight Night.", "conclusion-FOL": "Fight(sadollah, musoke, uFCFightNight)", "label": "Uncertain", "example_id": 409} +{"story_id": 139, "premises": "UFC Fight Night was a mixed martial arts event held in Sweden.\nAt UFC Fight Night, Sadollah was scheduled to fight Musoke.\nSadollah fought Akiyama at UFC Fight Night.\nMusoke fought Yakovlev at UFC Fight Night.\nJung was injured at UFC Fight Night.\nPeople injured at UFC Fight Night did not fight.", "premises-FOL": "Event(uFCFightNight) \u2227 MixedMartial(uFCFightNight) \u2227 HeldIn(uFCFightNight, sweden)\nScheduledToFight(sadollah, musoke,uFCFightNight)\nFight(sadollah, akiyama, uFCFightNight)\nFight(musoke, yakovlev, uFCFightNight)\nInjuredAt(jung, uFCFightNight)\n\u2200x (InjuredAt(x, uFCFightNight) \u2192 \u00acFightIn(x, uFCFightNight))", "conclusion": "Nelson fought Story at UFC Fight Night.", "conclusion-FOL": "Fight(nelson, story, uFCFightNight)", "label": "Uncertain", "example_id": 410} +{"story_id": 468, "premises": "All drinks on the counter are edible. \nAll juices on the counter are drinks. \nOrange juice is a type of juice. \nEverything on the counter is either orange juice or apple juice.\nAll apple juices on the counter are sweet.\nThe coke is on the counter and if the coke is apple juice, then the coke is a drink.\nIf the coke is not apple juice, then the coke is not edible.", "premises-FOL": "\u2200x (OnCounter(x) \u2227 Drink(x) \u2192 Edible(x))\n\u2200x (OnCounter(x) \u2227 Juice(x) \u2192 Drink(x))\n\u2200x (OrangeJuice(x) \u2192 Juice(x))\n\u2200x (OnCounter(x) \u2192 OrangeJuice(x) \u2295 AppleJuice(x))\n\u2200x (OnCounter(x) \u2227 AppleJuice(x) \u2192 Sweet(x))\nOnCounter(coke) \u2227 (AppleJuice(coke) \u2192 Drink(coke))\n\u00acAppleJuice(coke) \u2192 \u00acEdible(coke)", "conclusion": "The coke is orange juice.", "conclusion-FOL": "OrangeJuice(coke)", "label": "Uncertain", "example_id": 1351} +{"story_id": 468, "premises": "All drinks on the counter are edible. \nAll juices on the counter are drinks. \nOrange juice is a type of juice. \nEverything on the counter is either orange juice or apple juice.\nAll apple juices on the counter are sweet.\nThe coke is on the counter and if the coke is apple juice, then the coke is a drink.\nIf the coke is not apple juice, then the coke is not edible.", "premises-FOL": "\u2200x (OnCounter(x) \u2227 Drink(x) \u2192 Edible(x))\n\u2200x (OnCounter(x) \u2227 Juice(x) \u2192 Drink(x))\n\u2200x (OrangeJuice(x) \u2192 Juice(x))\n\u2200x (OnCounter(x) \u2192 OrangeJuice(x) \u2295 AppleJuice(x))\n\u2200x (OnCounter(x) \u2227 AppleJuice(x) \u2192 Sweet(x))\nOnCounter(coke) \u2227 (AppleJuice(coke) \u2192 Drink(coke))\n\u00acAppleJuice(coke) \u2192 \u00acEdible(coke)", "conclusion": "The coke is edible and sweet.", "conclusion-FOL": "Edible(coke) \u2227 Sweet(coke)", "label": "True", "example_id": 1352} +{"story_id": 468, "premises": "All drinks on the counter are edible. \nAll juices on the counter are drinks. \nOrange juice is a type of juice. \nEverything on the counter is either orange juice or apple juice.\nAll apple juices on the counter are sweet.\nThe coke is on the counter and if the coke is apple juice, then the coke is a drink.\nIf the coke is not apple juice, then the coke is not edible.", "premises-FOL": "\u2200x (OnCounter(x) \u2227 Drink(x) \u2192 Edible(x))\n\u2200x (OnCounter(x) \u2227 Juice(x) \u2192 Drink(x))\n\u2200x (OrangeJuice(x) \u2192 Juice(x))\n\u2200x (OnCounter(x) \u2192 OrangeJuice(x) \u2295 AppleJuice(x))\n\u2200x (OnCounter(x) \u2227 AppleJuice(x) \u2192 Sweet(x))\nOnCounter(coke) \u2227 (AppleJuice(coke) \u2192 Drink(coke))\n\u00acAppleJuice(coke) \u2192 \u00acEdible(coke)", "conclusion": "The coke is not edible and sweet.", "conclusion-FOL": "\u00ac(Edible(coke) \u2227 Sweet(coke))", "label": "False", "example_id": 1353} +{"story_id": 41, "premises": "Federico Garcia Lorca was a talented Spanish poet, and he supported the Popular Front.\nThe Spanish Nationalists opposed anyone who supported the Popular Front\nTalented poets are popular.\nSpanish Nationalists killed anyone who they opposed and who was popular.\nDaniel supported the Popular Front but was not popular.", "premises-FOL": "TalentedPoet(lorca) \u2227 Support(lorca, populists)\n\u2200x (Support(x, populists) \u2192 Opposed(nationalists, x))\n\u2200x (TalentedPoet(x) \u2192 Popular(x))\n\u2200x ((Opposed(nationalists, x) \u2227 Popular(x)) \u2192 Killed(nationalists, x))\nSupport(daniel, populists) \u2227 (\u00acPopular(daniel))", "conclusion": "The Spanish Nationalists killed Daniel.", "conclusion-FOL": "\u00acKilled(nationalists, daniel)", "label": "Uncertain", "example_id": 118} +{"story_id": 41, "premises": "Federico Garcia Lorca was a talented Spanish poet, and he supported the Popular Front.\nThe Spanish Nationalists opposed anyone who supported the Popular Front\nTalented poets are popular.\nSpanish Nationalists killed anyone who they opposed and who was popular.\nDaniel supported the Popular Front but was not popular.", "premises-FOL": "TalentedPoet(lorca) \u2227 Support(lorca, populists)\n\u2200x (Support(x, populists) \u2192 Opposed(nationalists, x))\n\u2200x (TalentedPoet(x) \u2192 Popular(x))\n\u2200x ((Opposed(nationalists, x) \u2227 Popular(x)) \u2192 Killed(nationalists, x))\nSupport(daniel, populists) \u2227 (\u00acPopular(daniel))", "conclusion": "The Spanish Nationalists killed Lorca.", "conclusion-FOL": "Killed(nationalists, lorca)", "label": "True", "example_id": 119} +{"story_id": 366, "premises": "People in Franny's family drink kombucha every day or drink Coca-Cola or a Pepsi product.\nIf people in Franny's family drink Coca-Cola or a Pepsi product every day, then they grew up with extremely busy parents who did not have time to pack them lunch.\nIf people in Franny's family drink Coca-Cola or another Pepsi product every day, then they have to visit the dentist frequently.\nIf people in Franny's family grew up with extremely busy parents who did not have time to pack them lunch, then they have erratic and diverse eating habits.\nIf people in Franny's family have erratic and diverse eating habits, then they do not have consistent everyday routines and like sticking to a solid schedule.\nDamon is in Franny's family. \nDamon either both grow up with extremely busy parents who did not have time to pack her lunch and have consistent everyday routines and like sticking to a solid schedule, or Damon did neither.", "premises-FOL": "\u2200x (In(x, frannysFamily) \u2227 (Drink(x, kombucha) \u2228 (\u2203y (Drink(x, cocaCola) \u2228 (PepsiProduct(y) \u2227 Drink(x, y))))))\n\u2200x (In(x, frannysFamily) \u2227 (\u2203y (Drink(x, cocaCola) \u2228 (PepsiProduct(y) \u2227 Drink(x, y)))) \u2192 (\u2203y \u2203z (\u00ac(y=z) \u2227 BusyParent(y) \u2227 BusyParent(z) \u2227 \u00acPack(y, lunch) \u2227 \u00acPack(z, lunch) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z))))\n\u2200x (In(x, frannysFamily)) \u2227 (\u2203y (Drink(x, cocaCola) \u2228 (PepsiProduct(y) \u2227 Drink(x, y)))) \u2192 HaveToVisitFrequently(x, dentist))\n\u2200x (In(x, frannysFamily) \u2227 (\u2203y \u2203z (\u00ac(y=z) \u2227 BusyParent(y) \u2227 BusyParent(z) \u2227 \u00acPack(y, lunch) \u2227 \u00acPack(z, lunch) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z))) \u2192 \u2203y (Have(x, y) \u2227 Erratic(y) \u2227 Diverse(y) \u2227 EatingHabit(y)))\n\u2200x (In(x, frannysFamily) \u2227 \u2203y (Have(x, y) \u2227 Erratic(y) \u2227 Diverse(y) \u2227 EatingHabit(y))) \u2192 \u00ac(ConsistentEverydayRoutine(x) \u2227 StickTo(damon, solidSchedule)))\nIn(damon, frannysFamily)\n\u00ac((\u2203y \u2203z(\u00ac(y=z) \u2227 BusyParent(y) \u2227 BusyParent(z) \u2227 \u00acPack(y, lunch) \u2227 \u00acPack(z, lunch) \u2227 GrowUpWith(damon, y) \u2227 GrowUpWith(damon, z))) \u2295 (ConsistentEverydayRoutine(damon) \u2227 StickTo(damon, solidSchedule)))", "conclusion": "Damon is in Franny's family and he has to visit the dentist frequently.", "conclusion-FOL": "HaveToVisitFrequently(damon, dentist)", "label": "Uncertain", "example_id": 973} +{"story_id": 366, "premises": "People in Franny's family drink kombucha every day or drink Coca-Cola or a Pepsi product.\nIf people in Franny's family drink Coca-Cola or a Pepsi product every day, then they grew up with extremely busy parents who did not have time to pack them lunch.\nIf people in Franny's family drink Coca-Cola or another Pepsi product every day, then they have to visit the dentist frequently.\nIf people in Franny's family grew up with extremely busy parents who did not have time to pack them lunch, then they have erratic and diverse eating habits.\nIf people in Franny's family have erratic and diverse eating habits, then they do not have consistent everyday routines and like sticking to a solid schedule.\nDamon is in Franny's family. \nDamon either both grow up with extremely busy parents who did not have time to pack her lunch and have consistent everyday routines and like sticking to a solid schedule, or Damon did neither.", "premises-FOL": "\u2200x (In(x, frannysFamily) \u2227 (Drink(x, kombucha) \u2228 (\u2203y (Drink(x, cocaCola) \u2228 (PepsiProduct(y) \u2227 Drink(x, y))))))\n\u2200x (In(x, frannysFamily) \u2227 (\u2203y (Drink(x, cocaCola) \u2228 (PepsiProduct(y) \u2227 Drink(x, y)))) \u2192 (\u2203y \u2203z (\u00ac(y=z) \u2227 BusyParent(y) \u2227 BusyParent(z) \u2227 \u00acPack(y, lunch) \u2227 \u00acPack(z, lunch) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z))))\n\u2200x (In(x, frannysFamily)) \u2227 (\u2203y (Drink(x, cocaCola) \u2228 (PepsiProduct(y) \u2227 Drink(x, y)))) \u2192 HaveToVisitFrequently(x, dentist))\n\u2200x (In(x, frannysFamily) \u2227 (\u2203y \u2203z (\u00ac(y=z) \u2227 BusyParent(y) \u2227 BusyParent(z) \u2227 \u00acPack(y, lunch) \u2227 \u00acPack(z, lunch) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z))) \u2192 \u2203y (Have(x, y) \u2227 Erratic(y) \u2227 Diverse(y) \u2227 EatingHabit(y)))\n\u2200x (In(x, frannysFamily) \u2227 \u2203y (Have(x, y) \u2227 Erratic(y) \u2227 Diverse(y) \u2227 EatingHabit(y))) \u2192 \u00ac(ConsistentEverydayRoutine(x) \u2227 StickTo(damon, solidSchedule)))\nIn(damon, frannysFamily)\n\u00ac((\u2203y \u2203z(\u00ac(y=z) \u2227 BusyParent(y) \u2227 BusyParent(z) \u2227 \u00acPack(y, lunch) \u2227 \u00acPack(z, lunch) \u2227 GrowUpWith(damon, y) \u2227 GrowUpWith(damon, z))) \u2295 (ConsistentEverydayRoutine(damon) \u2227 StickTo(damon, solidSchedule)))", "conclusion": "If Damon is in Franny's family and he either both grew up with extremely busy parents who did not have time to pack his lunch and drink kombucha every day or neither grew up with extremely busy parents who did not have time to pack his lunch nor drink kombucha every day, then Damon neither visits the dentist frequently nor drinks Coca Cola or Pepsi products.", "conclusion-FOL": "\u00ac((\u00ac(y=z) \u2227 \u2203y \u2203z (BusyParent(y) \u2227 BusyParent(z) \u2227 \u00acPack(y, lunch) \u2227 \u00acPack(z, lunch) \u2227 GrowUpWith(damon, y) \u2227 GrowUpWith(damon, z))) \u2295 Drink(damon, kombucha)) \u2192 \u00ac(HaveToVisitFrequently(damon, dentist) \u2228 (\u2203y (Have(damon, y) \u2227 Erratic(y) \u2227 Diverse(y) \u2227 EatingHabit(y))))", "label": "True", "example_id": 974} +{"story_id": 366, "premises": "People in Franny's family drink kombucha every day or drink Coca-Cola or a Pepsi product.\nIf people in Franny's family drink Coca-Cola or a Pepsi product every day, then they grew up with extremely busy parents who did not have time to pack them lunch.\nIf people in Franny's family drink Coca-Cola or another Pepsi product every day, then they have to visit the dentist frequently.\nIf people in Franny's family grew up with extremely busy parents who did not have time to pack them lunch, then they have erratic and diverse eating habits.\nIf people in Franny's family have erratic and diverse eating habits, then they do not have consistent everyday routines and like sticking to a solid schedule.\nDamon is in Franny's family. \nDamon either both grow up with extremely busy parents who did not have time to pack her lunch and have consistent everyday routines and like sticking to a solid schedule, or Damon did neither.", "premises-FOL": "\u2200x (In(x, frannysFamily) \u2227 (Drink(x, kombucha) \u2228 (\u2203y (Drink(x, cocaCola) \u2228 (PepsiProduct(y) \u2227 Drink(x, y))))))\n\u2200x (In(x, frannysFamily) \u2227 (\u2203y (Drink(x, cocaCola) \u2228 (PepsiProduct(y) \u2227 Drink(x, y)))) \u2192 (\u2203y \u2203z (\u00ac(y=z) \u2227 BusyParent(y) \u2227 BusyParent(z) \u2227 \u00acPack(y, lunch) \u2227 \u00acPack(z, lunch) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z))))\n\u2200x (In(x, frannysFamily)) \u2227 (\u2203y (Drink(x, cocaCola) \u2228 (PepsiProduct(y) \u2227 Drink(x, y)))) \u2192 HaveToVisitFrequently(x, dentist))\n\u2200x (In(x, frannysFamily) \u2227 (\u2203y \u2203z (\u00ac(y=z) \u2227 BusyParent(y) \u2227 BusyParent(z) \u2227 \u00acPack(y, lunch) \u2227 \u00acPack(z, lunch) \u2227 GrowUpWith(x, y) \u2227 GrowUpWith(x, z))) \u2192 \u2203y (Have(x, y) \u2227 Erratic(y) \u2227 Diverse(y) \u2227 EatingHabit(y)))\n\u2200x (In(x, frannysFamily) \u2227 \u2203y (Have(x, y) \u2227 Erratic(y) \u2227 Diverse(y) \u2227 EatingHabit(y))) \u2192 \u00ac(ConsistentEverydayRoutine(x) \u2227 StickTo(damon, solidSchedule)))\nIn(damon, frannysFamily)\n\u00ac((\u2203y \u2203z(\u00ac(y=z) \u2227 BusyParent(y) \u2227 BusyParent(z) \u2227 \u00acPack(y, lunch) \u2227 \u00acPack(z, lunch) \u2227 GrowUpWith(damon, y) \u2227 GrowUpWith(damon, z))) \u2295 (ConsistentEverydayRoutine(damon) \u2227 StickTo(damon, solidSchedule)))", "conclusion": "If Damon is in Franny's family and he either visits the dentist frequently or drinks kombucha, then Damon both visits the dentist frequently and drinks Coca-Cola or Pepsi products every day.", "conclusion-FOL": "HaveToVisitFrequently(damon, dentist) \u2228 Drink(damon, kombucha, everyDay) \u2192 HaveToVisitFrequently(damon, dentist) \u2227 (\u2203y (Drink(x, cocaCola) \u2228 (PepsiProduct(y) \u2227 Drink(x, y))))", "label": "False", "example_id": 975} +{"story_id": 22, "premises": "If a customer subscribes to AMC A-List, then he/she can watch 3 movies every week without any additional fees. \nSome customers go to cinemas every week. \nCustomers who prefer TV series will not watch TV series in cinemas.\nJames watches TV series in cinemas. \nJames subscribes to AMC A-List.\nPeter prefers TV series.", "premises-FOL": "\u2200x (SubscribedTo(x, aMCAList) \u2192 EligibleForThreeFreeMovies(x))\n\u2203x (CinemaEveryWeek(x))\n\u2200x (Prefer(x, tVSeries) \u2192 \u00acWatchTVIn(x, cinemas))\nWatchTVIn(james, cinemas)\nSubscribedTo(james, aMCAList)\nPrefer(peter, tVSeries)", "conclusion": "James cannot watch 3 movies every week without any additional fees.", "conclusion-FOL": "\u00acEligibleForThreeFreeMovies(james)", "label": "False", "example_id": 63} +{"story_id": 22, "premises": "If a customer subscribes to AMC A-List, then he/she can watch 3 movies every week without any additional fees. \nSome customers go to cinemas every week. \nCustomers who prefer TV series will not watch TV series in cinemas.\nJames watches TV series in cinemas. \nJames subscribes to AMC A-List.\nPeter prefers TV series.", "premises-FOL": "\u2200x (SubscribedTo(x, aMCAList) \u2192 EligibleForThreeFreeMovies(x))\n\u2203x (CinemaEveryWeek(x))\n\u2200x (Prefer(x, tVSeries) \u2192 \u00acWatchTVIn(x, cinemas))\nWatchTVIn(james, cinemas)\nSubscribedTo(james, aMCAList)\nPrefer(peter, tVSeries)", "conclusion": "James goes to cinemas every week.", "conclusion-FOL": "CinemaEveryWeek(james)", "label": "Uncertain", "example_id": 64} +{"story_id": 22, "premises": "If a customer subscribes to AMC A-List, then he/she can watch 3 movies every week without any additional fees. \nSome customers go to cinemas every week. \nCustomers who prefer TV series will not watch TV series in cinemas.\nJames watches TV series in cinemas. \nJames subscribes to AMC A-List.\nPeter prefers TV series.", "premises-FOL": "\u2200x (SubscribedTo(x, aMCAList) \u2192 EligibleForThreeFreeMovies(x))\n\u2203x (CinemaEveryWeek(x))\n\u2200x (Prefer(x, tVSeries) \u2192 \u00acWatchTVIn(x, cinemas))\nWatchTVIn(james, cinemas)\nSubscribedTo(james, aMCAList)\nPrefer(peter, tVSeries)", "conclusion": "Peter will not watch TV series in cinemas.", "conclusion-FOL": "\u00acWatchTVIn(peter, cinemas)", "label": "True", "example_id": 65} +{"story_id": 275, "premises": "Bulbophyllum attenuatum is in the genus Bulbophyllum.\nAll Bulbophyllum are orchids.", "premises-FOL": "GenusBulbophyllum(bulbophyllumAttenuatum)\n\u2200x (GenusBulbophyllum(x) \u2192 Orchid(x))", "conclusion": "Bulbophyllum attenuatum is not an orchid.", "conclusion-FOL": "\u00acOrchid(bulbophyllumAttenuatum)", "label": "False", "example_id": 719} +{"story_id": 163, "premises": "There are eight federal districts of Russia: Central, Northwestern, Southern, North Caucasian, Volga, Ural, Siberian, and Far Eastern.\nThe Central federal district has the largest population among all federal districts in Russia.\nMoscow is the administrative center of the Central federal district.\nYekaterinburg is the administrative center of the Ural federal district.\nVladivostok is the administrative center of the Far Eastern federal district.\nThe Far Eastern federal district has the largest area among all federal districts in Russia.\nSome federal districts in Russia were established in 2000.", "premises-FOL": "FederalDistrictOf(central, russia) \u2227 FederalDistrictOf(northwestern, russia) \u2227 FederalDistrictOf(southern, russia) \u2227 FederalDistrictOf(northcaucasian, russia) \u2227 FederalDistrictOf(volga, russia) \u2227 FederalDistrictOf(ural, russia) \u2227 FederalDistrictOf(siberian, russia) \u2227 FederalDistrictOf(fareastern, russia)\nLargestPopulation(central) \nAdministrativeCenterOf(moscow, central)\nAdministrativeCenterOf(yekaterinburg, ural)\nAdministrativeCenterOf(vladivostok, farEastern)\nLargestArea(farEastern)\n\u2203x (FederalDistrictOf(x, russia) \u2227 EstablishedIn(x, 2000))", "conclusion": "Vladivostok is the administrative center of the federal district with the largest area.", "conclusion-FOL": "\u2203x (AdministrativeCenterOf(vladivostok, x) \u2227 LargestArea(x))", "label": "True", "example_id": 467} +{"story_id": 163, "premises": "There are eight federal districts of Russia: Central, Northwestern, Southern, North Caucasian, Volga, Ural, Siberian, and Far Eastern.\nThe Central federal district has the largest population among all federal districts in Russia.\nMoscow is the administrative center of the Central federal district.\nYekaterinburg is the administrative center of the Ural federal district.\nVladivostok is the administrative center of the Far Eastern federal district.\nThe Far Eastern federal district has the largest area among all federal districts in Russia.\nSome federal districts in Russia were established in 2000.", "premises-FOL": "FederalDistrictOf(central, russia) \u2227 FederalDistrictOf(northwestern, russia) \u2227 FederalDistrictOf(southern, russia) \u2227 FederalDistrictOf(northcaucasian, russia) \u2227 FederalDistrictOf(volga, russia) \u2227 FederalDistrictOf(ural, russia) \u2227 FederalDistrictOf(siberian, russia) \u2227 FederalDistrictOf(fareastern, russia)\nLargestPopulation(central) \nAdministrativeCenterOf(moscow, central)\nAdministrativeCenterOf(yekaterinburg, ural)\nAdministrativeCenterOf(vladivostok, farEastern)\nLargestArea(farEastern)\n\u2203x (FederalDistrictOf(x, russia) \u2227 EstablishedIn(x, 2000))", "conclusion": "Moscow is the administrative center of the federal district with the largest population.", "conclusion-FOL": "\u2203x (AdministrativeCenterOf(moscow, x) \u2227 LargestPopulationIn(x))", "label": "True", "example_id": 468} +{"story_id": 163, "premises": "There are eight federal districts of Russia: Central, Northwestern, Southern, North Caucasian, Volga, Ural, Siberian, and Far Eastern.\nThe Central federal district has the largest population among all federal districts in Russia.\nMoscow is the administrative center of the Central federal district.\nYekaterinburg is the administrative center of the Ural federal district.\nVladivostok is the administrative center of the Far Eastern federal district.\nThe Far Eastern federal district has the largest area among all federal districts in Russia.\nSome federal districts in Russia were established in 2000.", "premises-FOL": "FederalDistrictOf(central, russia) \u2227 FederalDistrictOf(northwestern, russia) \u2227 FederalDistrictOf(southern, russia) \u2227 FederalDistrictOf(northcaucasian, russia) \u2227 FederalDistrictOf(volga, russia) \u2227 FederalDistrictOf(ural, russia) \u2227 FederalDistrictOf(siberian, russia) \u2227 FederalDistrictOf(fareastern, russia)\nLargestPopulation(central) \nAdministrativeCenterOf(moscow, central)\nAdministrativeCenterOf(yekaterinburg, ural)\nAdministrativeCenterOf(vladivostok, farEastern)\nLargestArea(farEastern)\n\u2203x (FederalDistrictOf(x, russia) \u2227 EstablishedIn(x, 2000))", "conclusion": "The Northwestern federal district was established in 2000.", "conclusion-FOL": "EstablishedIn(northwestern, 2000)", "label": "Uncertain", "example_id": 469} +{"story_id": 320, "premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", "premises-FOL": "\u2200x (Cancer(x) \u2192 Have(x, mutation))\n\u2200x (Have(x, mutation) \u2192 \u00acCanBeTreatedAtHome(x))\n\u2200x (ColorectalCancer(x) \u2192 Cancer(x))\n\u2200x (Cold(x) \u2192 CanBeTreatedAtHome(x))\n\u00ac(Cold(arthritis) \u2295 Have(arthritis, mutation))", "conclusion": "Arthritis can be treated at home.", "conclusion-FOL": "CanBeTreatedAtHome(arthritis)", "label": "Uncertain", "example_id": 810} +{"story_id": 320, "premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", "premises-FOL": "\u2200x (Cancer(x) \u2192 Have(x, mutation))\n\u2200x (Have(x, mutation) \u2192 \u00acCanBeTreatedAtHome(x))\n\u2200x (ColorectalCancer(x) \u2192 Cancer(x))\n\u2200x (Cold(x) \u2192 CanBeTreatedAtHome(x))\n\u00ac(Cold(arthritis) \u2295 Have(arthritis, mutation))", "conclusion": "Arthritis is colorectal cancer.", "conclusion-FOL": "ColorectalCancer(arthritis)", "label": "False", "example_id": 811} +{"story_id": 320, "premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", "premises-FOL": "\u2200x (Cancer(x) \u2192 Have(x, mutation))\n\u2200x (Have(x, mutation) \u2192 \u00acCanBeTreatedAtHome(x))\n\u2200x (ColorectalCancer(x) \u2192 Cancer(x))\n\u2200x (Cold(x) \u2192 CanBeTreatedAtHome(x))\n\u00ac(Cold(arthritis) \u2295 Have(arthritis, mutation))", "conclusion": "Arthritis is not colorectal cancer.", "conclusion-FOL": "\u00acColorectalCancer(arthritis)", "label": "True", "example_id": 812} +{"story_id": 320, "premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", "premises-FOL": "\u2200x (Cancer(x) \u2192 Have(x, mutation))\n\u2200x (Have(x, mutation) \u2192 \u00acCanBeTreatedAtHome(x))\n\u2200x (ColorectalCancer(x) \u2192 Cancer(x))\n\u2200x (Cold(x) \u2192 CanBeTreatedAtHome(x))\n\u00ac(Cold(arthritis) \u2295 Have(arthritis, mutation))", "conclusion": "Arthritis is colorectal cancer or has mutations.", "conclusion-FOL": "ColorectalCancer(arthritis) \u2228 Have(arthritis, mutation)", "label": "False", "example_id": 813} +{"story_id": 320, "premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", "premises-FOL": "\u2200x (Cancer(x) \u2192 Have(x, mutation))\n\u2200x (Have(x, mutation) \u2192 \u00acCanBeTreatedAtHome(x))\n\u2200x (ColorectalCancer(x) \u2192 Cancer(x))\n\u2200x (Cold(x) \u2192 CanBeTreatedAtHome(x))\n\u00ac(Cold(arthritis) \u2295 Have(arthritis, mutation))", "conclusion": "Arthritis is colorectal cancer and a cancer.", "conclusion-FOL": "ColorectalCancer(arthritisr) \u2227 Cancer(arthritis)", "label": "False", "example_id": 814} +{"story_id": 320, "premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", "premises-FOL": "\u2200x (Cancer(x) \u2192 Have(x, mutation))\n\u2200x (Have(x, mutation) \u2192 \u00acCanBeTreatedAtHome(x))\n\u2200x (ColorectalCancer(x) \u2192 Cancer(x))\n\u2200x (Cold(x) \u2192 CanBeTreatedAtHome(x))\n\u00ac(Cold(arthritis) \u2295 Have(arthritis, mutation))", "conclusion": "If arthritis is not colorectal cancer, then arthritis has mutations.", "conclusion-FOL": "\u00acColorectalCancer(arthritis) \u2192 Have(arthritis, mutation)", "label": "False", "example_id": 815} +{"story_id": 303, "premises": "Jerry should not worry about things outside of his control.\nAll traffic is outside of my control.", "premises-FOL": "\u2200x (OutsideOfControl(x) \u2192 \u00acShouldWorry(jerry, x))\n\u2200x (Traffic(x) \u2192 OutsideControl(x))", "conclusion": "Jerry should not worry about traffic.", "conclusion-FOL": "\u00acShouldWorry(jerry, traffic)", "label": "True", "example_id": 747} +{"story_id": 113, "premises": "Roversi is an Italian surname.\nAlba Roversi uses Roversi as a surname.\nPaolo Roversi uses Roversi as a surname.\nRoberto Roversi uses Roversi as a surname.\nPaolo Roversi is a photographer.\nA photographer is a professional or an amateur.", "premises-FOL": "ItalianName(roversi) \u2227 Surname(roversi)\nUseAsSurname(albaRoversi, roversi)\nUseAsSurname(paoloRoversi, roversi)\nUseAsSurname(robertoRoversi, roversi)\nPhotographer(paoloRoversi)\n\u2200x (Photographer(x) \u2192 Professional(x) \u2295 Amateur(x))", "conclusion": "Alba Roversi uses an Italian surname.", "conclusion-FOL": "\u2203x (ItalianName(x) \u2227 Surname(x) \u2227 UseAsSurname(albaRoversi, x))", "label": "True", "example_id": 341} +{"story_id": 113, "premises": "Roversi is an Italian surname.\nAlba Roversi uses Roversi as a surname.\nPaolo Roversi uses Roversi as a surname.\nRoberto Roversi uses Roversi as a surname.\nPaolo Roversi is a photographer.\nA photographer is a professional or an amateur.", "premises-FOL": "ItalianName(roversi) \u2227 Surname(roversi)\nUseAsSurname(albaRoversi, roversi)\nUseAsSurname(paoloRoversi, roversi)\nUseAsSurname(robertoRoversi, roversi)\nPhotographer(paoloRoversi)\n\u2200x (Photographer(x) \u2192 Professional(x) \u2295 Amateur(x))", "conclusion": "There are no photographers using an Italian surname.", "conclusion-FOL": "\u00ac(\u2203x \u2203y (Photographer(x) \u2227 ItalianName(y) \u2227 Surname(y) \u2227 UseAsSurname(x, y)))", "label": "False", "example_id": 342} +{"story_id": 113, "premises": "Roversi is an Italian surname.\nAlba Roversi uses Roversi as a surname.\nPaolo Roversi uses Roversi as a surname.\nRoberto Roversi uses Roversi as a surname.\nPaolo Roversi is a photographer.\nA photographer is a professional or an amateur.", "premises-FOL": "ItalianName(roversi) \u2227 Surname(roversi)\nUseAsSurname(albaRoversi, roversi)\nUseAsSurname(paoloRoversi, roversi)\nUseAsSurname(robertoRoversi, roversi)\nPhotographer(paoloRoversi)\n\u2200x (Photographer(x) \u2192 Professional(x) \u2295 Amateur(x))", "conclusion": "Paolo is an amateur photographer.", "conclusion-FOL": "Amateur(paoloRoversi) \u2227 Photographer(paoloRoversi)", "label": "Uncertain", "example_id": 343} +{"story_id": 237, "premises": "Zaha Hadid is a British-Iraqi architect, artist, and designer.\nZaha Hadid was born on 31 October 1950 in Baghdad, Iraq.\nZaha Hadid was a visiting professor of Architectural Design at the Yale School of Architecture.\nMax is an aspiring architecture student and plans to apply to the Yale School of Architecture. ", "premises-FOL": "British-Iraqi(zahaHadid) \u2227 Architect(zahaHadid) \u2227 Artist(zahaHadid) \u2227 Designer(zahaHadid)\nBornOn(zahaHadid, 31October1950) \u2227 BornIn(zahaHadid, baghdadIraq)\nVisitingProfessorOf(zahaHadid, architecturalDesign) \u2227 VisitingProfessorAt(zahaHadid, yaleSchoolOfArchitecture)\nAspiringArchitectureStudent(max) \u2227 PlansToApplyTo(max, yaleSchoolofArchitecture)", "conclusion": "Zaha Hadid was a citizen of Britain and Iraq.", "conclusion-FOL": "British-Iraqi(zahaHadid)", "label": "True", "example_id": 672} +{"story_id": 237, "premises": "Zaha Hadid is a British-Iraqi architect, artist, and designer.\nZaha Hadid was born on 31 October 1950 in Baghdad, Iraq.\nZaha Hadid was a visiting professor of Architectural Design at the Yale School of Architecture.\nMax is an aspiring architecture student and plans to apply to the Yale School of Architecture. ", "premises-FOL": "British-Iraqi(zahaHadid) \u2227 Architect(zahaHadid) \u2227 Artist(zahaHadid) \u2227 Designer(zahaHadid)\nBornOn(zahaHadid, 31October1950) \u2227 BornIn(zahaHadid, baghdadIraq)\nVisitingProfessorOf(zahaHadid, architecturalDesign) \u2227 VisitingProfessorAt(zahaHadid, yaleSchoolOfArchitecture)\nAspiringArchitectureStudent(max) \u2227 PlansToApplyTo(max, yaleSchoolofArchitecture)", "conclusion": "Zaha Hadid did some work in interior design.", "conclusion-FOL": "DidWorkIn(zahaHadid, interiorDesign)", "label": "Uncertain", "example_id": 673} +{"story_id": 237, "premises": "Zaha Hadid is a British-Iraqi architect, artist, and designer.\nZaha Hadid was born on 31 October 1950 in Baghdad, Iraq.\nZaha Hadid was a visiting professor of Architectural Design at the Yale School of Architecture.\nMax is an aspiring architecture student and plans to apply to the Yale School of Architecture. ", "premises-FOL": "British-Iraqi(zahaHadid) \u2227 Architect(zahaHadid) \u2227 Artist(zahaHadid) \u2227 Designer(zahaHadid)\nBornOn(zahaHadid, 31October1950) \u2227 BornIn(zahaHadid, baghdadIraq)\nVisitingProfessorOf(zahaHadid, architecturalDesign) \u2227 VisitingProfessorAt(zahaHadid, yaleSchoolOfArchitecture)\nAspiringArchitectureStudent(max) \u2227 PlansToApplyTo(max, yaleSchoolofArchitecture)", "conclusion": "Zaha Hadid was born on the 31st of October in 1982.", "conclusion-FOL": "BornOn(zahaHadid, 31October1950)", "label": "Uncertain", "example_id": 674} +{"story_id": 237, "premises": "Zaha Hadid is a British-Iraqi architect, artist, and designer.\nZaha Hadid was born on 31 October 1950 in Baghdad, Iraq.\nZaha Hadid was a visiting professor of Architectural Design at the Yale School of Architecture.\nMax is an aspiring architecture student and plans to apply to the Yale School of Architecture. ", "premises-FOL": "British-Iraqi(zahaHadid) \u2227 Architect(zahaHadid) \u2227 Artist(zahaHadid) \u2227 Designer(zahaHadid)\nBornOn(zahaHadid, 31October1950) \u2227 BornIn(zahaHadid, baghdadIraq)\nVisitingProfessorOf(zahaHadid, architecturalDesign) \u2227 VisitingProfessorAt(zahaHadid, yaleSchoolOfArchitecture)\nAspiringArchitectureStudent(max) \u2227 PlansToApplyTo(max, yaleSchoolofArchitecture)", "conclusion": "Max admires Zaha Hadid.", "conclusion-FOL": "Admires(max, zahaHadid)", "label": "Uncertain", "example_id": 675} +{"story_id": 396, "premises": "A neuroimaging technique is either an invasive neuroimaging technique or a noninvasive neuroimaging technique. \nAll noninvasive neuroimaging techniques provide a spatial resolution of brains.\nIf a technique provides a spatial resolution of brains, then it is a measurement of brain activity. \nAll measurements of brain activity are used by neuroscience researchers.\nFMRI is either a measurement of brain activity or a noninvasive neuroimaging technique.\nFMRI is a neuroimaging technique.", "premises-FOL": "\u2200x (NeuroimagingTechnique(x) \u2192 (Invasive(x) \u2295 Noninvasive(x))) \n\u2200x (Noninvasive(x) \u2192 Provides(x, spatialResolutionOfBrains))\n\u2200x (Provides(x, spatialResolutionOfBrains) \u2192 Measure(x, brainActivity))\n\u2200x (Measure(x, brainActivity) \u2192 UsedBy(x, neuroscienceResearchers))\nMeasure(fMRI, brainActivity) \u2295 Noninvasive(fMRI)\nNeuroimagingTechnique(fMRI)", "conclusion": "FMRI provides a spatial resolution of brains.", "conclusion-FOL": "Provides(fMRI, spatialResolutionOfBrains)", "label": "Uncertain", "example_id": 1076} +{"story_id": 396, "premises": "A neuroimaging technique is either an invasive neuroimaging technique or a noninvasive neuroimaging technique. \nAll noninvasive neuroimaging techniques provide a spatial resolution of brains.\nIf a technique provides a spatial resolution of brains, then it is a measurement of brain activity. \nAll measurements of brain activity are used by neuroscience researchers.\nFMRI is either a measurement of brain activity or a noninvasive neuroimaging technique.\nFMRI is a neuroimaging technique.", "premises-FOL": "\u2200x (NeuroimagingTechnique(x) \u2192 (Invasive(x) \u2295 Noninvasive(x))) \n\u2200x (Noninvasive(x) \u2192 Provides(x, spatialResolutionOfBrains))\n\u2200x (Provides(x, spatialResolutionOfBrains) \u2192 Measure(x, brainActivity))\n\u2200x (Measure(x, brainActivity) \u2192 UsedBy(x, neuroscienceResearchers))\nMeasure(fMRI, brainActivity) \u2295 Noninvasive(fMRI)\nNeuroimagingTechnique(fMRI)", "conclusion": "FMRI is an invasive neuroimaging technique and is used by neuroscience researchers.", "conclusion-FOL": "Invasive(fMRI) \u2227 UsedBy(fMRI, neuroscienceResearchers)", "label": "True", "example_id": 1077} +{"story_id": 396, "premises": "A neuroimaging technique is either an invasive neuroimaging technique or a noninvasive neuroimaging technique. \nAll noninvasive neuroimaging techniques provide a spatial resolution of brains.\nIf a technique provides a spatial resolution of brains, then it is a measurement of brain activity. \nAll measurements of brain activity are used by neuroscience researchers.\nFMRI is either a measurement of brain activity or a noninvasive neuroimaging technique.\nFMRI is a neuroimaging technique.", "premises-FOL": "\u2200x (NeuroimagingTechnique(x) \u2192 (Invasive(x) \u2295 Noninvasive(x))) \n\u2200x (Noninvasive(x) \u2192 Provides(x, spatialResolutionOfBrains))\n\u2200x (Provides(x, spatialResolutionOfBrains) \u2192 Measure(x, brainActivity))\n\u2200x (Measure(x, brainActivity) \u2192 UsedBy(x, neuroscienceResearchers))\nMeasure(fMRI, brainActivity) \u2295 Noninvasive(fMRI)\nNeuroimagingTechnique(fMRI)", "conclusion": "FMRI is either an invasive neuroimaging technique or is used by neuroscience researchers.", "conclusion-FOL": "Invasive(fMRI) \u2295 UsedBy(fMRI, neuroscienceResearchers)", "label": "False", "example_id": 1078} +{"story_id": 396, "premises": "A neuroimaging technique is either an invasive neuroimaging technique or a noninvasive neuroimaging technique. \nAll noninvasive neuroimaging techniques provide a spatial resolution of brains.\nIf a technique provides a spatial resolution of brains, then it is a measurement of brain activity. \nAll measurements of brain activity are used by neuroscience researchers.\nFMRI is either a measurement of brain activity or a noninvasive neuroimaging technique.\nFMRI is a neuroimaging technique.", "premises-FOL": "\u2200x (NeuroimagingTechnique(x) \u2192 (Invasive(x) \u2295 Noninvasive(x))) \n\u2200x (Noninvasive(x) \u2192 Provides(x, spatialResolutionOfBrains))\n\u2200x (Provides(x, spatialResolutionOfBrains) \u2192 Measure(x, brainActivity))\n\u2200x (Measure(x, brainActivity) \u2192 UsedBy(x, neuroscienceResearchers))\nMeasure(fMRI, brainActivity) \u2295 Noninvasive(fMRI)\nNeuroimagingTechnique(fMRI)", "conclusion": "If fMRI is not an invasive neuroimaging technique used by neuroscience researchers, then fMRI is neither a noninvasive neuroimaging technique nor provides a spatial resolution of brains.", "conclusion-FOL": "\u00ac(Invasive(fMRI) \u2227 UsedBy(fMRI, neuroscienceResearchers)) \u2192 \u00ac(Noninvasive(fMRI) \u2228 Provides(fMRI, spatialResolutionOfBrains))", "label": "True", "example_id": 1079} +{"story_id": 437, "premises": "Researchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.", "premises-FOL": "\u2200x (PresentWorkAt(x, conference) \u2295 ProvideAt(x, tutorialSession, conference))\n\u2200x (PresentWorkAt(x, conference) \u2192 AttendInPerson(x, conference))\n\u2200x (ProvideSessionAt(x, tutorial, conference) \u2192 InvitedToJoin(x, club))\n\u2200x (AttendInPerson(x, conference) \u2192 ProvidedWith(x, souvenir))\n\u2200x (InvitedToJoin(x, club) \u2192 ProvidedWith(x, deliciousMeal))\n\u2200x (ProvidedWith(x, deliciousMeal) \u2227 ProvidedWith(y, deliciousMeal) \u2192 \u2203y \u2203z (\u00ac(y=x) \u2227 \u00ac(z=x) \u2227 \u00ac(y=z) \u2227 HappyToCommunicateWithDuringTheDinner(x, y) \u2227 HappyToCommunicateWithDuringTheDinner(x, z)))\n\u2200x (ProvidedWith(x, deliciousMeal) \u2192 InvitedToTakePhotoWith(x, audience))\n\u00ac(AttendInPerson(james, conference) \u2227 ProvidedWith(x, souvenir))", "conclusion": "James is provided with souvenirs.", "conclusion-FOL": "ProvidedWith(james, souvenir)", "label": "Uncertain", "example_id": 1253} +{"story_id": 437, "premises": "Researchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.", "premises-FOL": "\u2200x (PresentWorkAt(x, conference) \u2295 ProvideAt(x, tutorialSession, conference))\n\u2200x (PresentWorkAt(x, conference) \u2192 AttendInPerson(x, conference))\n\u2200x (ProvideSessionAt(x, tutorial, conference) \u2192 InvitedToJoin(x, club))\n\u2200x (AttendInPerson(x, conference) \u2192 ProvidedWith(x, souvenir))\n\u2200x (InvitedToJoin(x, club) \u2192 ProvidedWith(x, deliciousMeal))\n\u2200x (ProvidedWith(x, deliciousMeal) \u2227 ProvidedWith(y, deliciousMeal) \u2192 \u2203y \u2203z (\u00ac(y=x) \u2227 \u00ac(z=x) \u2227 \u00ac(y=z) \u2227 HappyToCommunicateWithDuringTheDinner(x, y) \u2227 HappyToCommunicateWithDuringTheDinner(x, z)))\n\u2200x (ProvidedWith(x, deliciousMeal) \u2192 InvitedToTakePhotoWith(x, audience))\n\u00ac(AttendInPerson(james, conference) \u2227 ProvidedWith(x, souvenir))", "conclusion": "James is not provided with souvenirs.", "conclusion-FOL": "\u00acProvidedWith(x, souvenir)", "label": "Uncertain", "example_id": 1254} +{"story_id": 437, "premises": "Researchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.", "premises-FOL": "\u2200x (PresentWorkAt(x, conference) \u2295 ProvideAt(x, tutorialSession, conference))\n\u2200x (PresentWorkAt(x, conference) \u2192 AttendInPerson(x, conference))\n\u2200x (ProvideSessionAt(x, tutorial, conference) \u2192 InvitedToJoin(x, club))\n\u2200x (AttendInPerson(x, conference) \u2192 ProvidedWith(x, souvenir))\n\u2200x (InvitedToJoin(x, club) \u2192 ProvidedWith(x, deliciousMeal))\n\u2200x (ProvidedWith(x, deliciousMeal) \u2227 ProvidedWith(y, deliciousMeal) \u2192 \u2203y \u2203z (\u00ac(y=x) \u2227 \u00ac(z=x) \u2227 \u00ac(y=z) \u2227 HappyToCommunicateWithDuringTheDinner(x, y) \u2227 HappyToCommunicateWithDuringTheDinner(x, z)))\n\u2200x (ProvidedWith(x, deliciousMeal) \u2192 InvitedToTakePhotoWith(x, audience))\n\u00ac(AttendInPerson(james, conference) \u2227 ProvidedWith(x, souvenir))", "conclusion": "James is invited to take a photo with the audience and is happy to communicate with other guests at the dinner.", "conclusion-FOL": "InvitedToTakePhotoWith(james, audience) \u2192 \u2203y \u2203z (\u00ac(y=james) \u2227 \u00ac(z=james) \u2227 \u00ac(y=z) \u2227 HappyToCommunicateWithDuringTheDinner(james, y) \u2227 HappyToCommunicateWithDuringDinner(james, z)))", "label": "True", "example_id": 1255} +{"story_id": 437, "premises": "Researchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.", "premises-FOL": "\u2200x (PresentWorkAt(x, conference) \u2295 ProvideAt(x, tutorialSession, conference))\n\u2200x (PresentWorkAt(x, conference) \u2192 AttendInPerson(x, conference))\n\u2200x (ProvideSessionAt(x, tutorial, conference) \u2192 InvitedToJoin(x, club))\n\u2200x (AttendInPerson(x, conference) \u2192 ProvidedWith(x, souvenir))\n\u2200x (InvitedToJoin(x, club) \u2192 ProvidedWith(x, deliciousMeal))\n\u2200x (ProvidedWith(x, deliciousMeal) \u2227 ProvidedWith(y, deliciousMeal) \u2192 \u2203y \u2203z (\u00ac(y=x) \u2227 \u00ac(z=x) \u2227 \u00ac(y=z) \u2227 HappyToCommunicateWithDuringTheDinner(x, y) \u2227 HappyToCommunicateWithDuringTheDinner(x, z)))\n\u2200x (ProvidedWith(x, deliciousMeal) \u2192 InvitedToTakePhotoWith(x, audience))\n\u00ac(AttendInPerson(james, conference) \u2227 ProvidedWith(x, souvenir))", "conclusion": "James is invited to take a photo with the audience or is happy to communicate with other guests(?) during the dinner.", "conclusion-FOL": "InvitedToTakePhotoWith(james, audience) \u2192 \u2203y \u2203z (\u00ac(y=james) \u2227 \u00ac(z=james) \u2227 \u00ac(y=z) \u2227 HappyToCommunicateWithDuringTheDinner(james, y) \u2227 HappyToCommunicateWithDuringDinner(james, z)))", "label": "True", "example_id": 1256} +{"story_id": 437, "premises": "Researchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.", "premises-FOL": "\u2200x (PresentWorkAt(x, conference) \u2295 ProvideAt(x, tutorialSession, conference))\n\u2200x (PresentWorkAt(x, conference) \u2192 AttendInPerson(x, conference))\n\u2200x (ProvideSessionAt(x, tutorial, conference) \u2192 InvitedToJoin(x, club))\n\u2200x (AttendInPerson(x, conference) \u2192 ProvidedWith(x, souvenir))\n\u2200x (InvitedToJoin(x, club) \u2192 ProvidedWith(x, deliciousMeal))\n\u2200x (ProvidedWith(x, deliciousMeal) \u2227 ProvidedWith(y, deliciousMeal) \u2192 \u2203y \u2203z (\u00ac(y=x) \u2227 \u00ac(z=x) \u2227 \u00ac(y=z) \u2227 HappyToCommunicateWithDuringTheDinner(x, y) \u2227 HappyToCommunicateWithDuringTheDinner(x, z)))\n\u2200x (ProvidedWith(x, deliciousMeal) \u2192 InvitedToTakePhotoWith(x, audience))\n\u00ac(AttendInPerson(james, conference) \u2227 ProvidedWith(x, souvenir))", "conclusion": "James is either invited to take a photo with the audience or happy to communicate with other guests(?) during the dinner.", "conclusion-FOL": "InvitedToTakePhotoWith(james, audience) \u2192 \u2203y \u2203z (\u00ac(y=james) \u2227 \u00ac(z=james) \u2227 \u00ac(y=z) \u2227 HappyToCommunicateWithDuringTheDinner(james, y) \u2227 HappyToCommunicateWithDuringDinner(james, z)))", "label": "False", "example_id": 1257} +{"story_id": 14, "premises": "The USS Salem is a heavy cruiser built for the United States Navy.\nThe last heavy cruiser to enter service was the USS Salem.\nThe USS Salem is a museum ship.\nMuseum ships are open to the public.\nThe USS Salem served in the Atlantic and Mediterranean.", "premises-FOL": "HeavyCruiser(usssalem) \u2227 BuiltFor(usssalem, unitedstatesnavy)\nLastHeavyCruiserToEnterService(usssalem)\nMuseumShip(usssalem)\n\u2200x (MuseumShip(x) \u2192 OpenToPublic(x))\nServedIn(usssalem, atlantic) \u2227 ServedIn(usssalem, mediterranean)", "conclusion": "The USS Salem is open to the public.", "conclusion-FOL": "OpenToPublic(usssalem)", "label": "True", "example_id": 38} +{"story_id": 14, "premises": "The USS Salem is a heavy cruiser built for the United States Navy.\nThe last heavy cruiser to enter service was the USS Salem.\nThe USS Salem is a museum ship.\nMuseum ships are open to the public.\nThe USS Salem served in the Atlantic and Mediterranean.", "premises-FOL": "HeavyCruiser(usssalem) \u2227 BuiltFor(usssalem, unitedstatesnavy)\nLastHeavyCruiserToEnterService(usssalem)\nMuseumShip(usssalem)\n\u2200x (MuseumShip(x) \u2192 OpenToPublic(x))\nServedIn(usssalem, atlantic) \u2227 ServedIn(usssalem, mediterranean)", "conclusion": "There is a museum ship open to the public that served in the Mediterranean.", "conclusion-FOL": "\u2203x (MuseumShip(x) \u2227 OpenToPublic(x) \u2227 ServedIn(x, mediterranean))", "label": "True", "example_id": 39} +{"story_id": 14, "premises": "The USS Salem is a heavy cruiser built for the United States Navy.\nThe last heavy cruiser to enter service was the USS Salem.\nThe USS Salem is a museum ship.\nMuseum ships are open to the public.\nThe USS Salem served in the Atlantic and Mediterranean.", "premises-FOL": "HeavyCruiser(usssalem) \u2227 BuiltFor(usssalem, unitedstatesnavy)\nLastHeavyCruiserToEnterService(usssalem)\nMuseumShip(usssalem)\n\u2200x (MuseumShip(x) \u2192 OpenToPublic(x))\nServedIn(usssalem, atlantic) \u2227 ServedIn(usssalem, mediterranean)", "conclusion": "The USS Salem was not the last heavy cruiser to enter service.", "conclusion-FOL": "\u00acLastHeavyCruiserToEnterService(usssalem)", "label": "False", "example_id": 40} +{"story_id": 141, "premises": "TS Leda was a good passenger and cargo vessel.\nTS Leda was a Norwegian vessel that was built with stabilizers.\nStabilizers are mechanical devices found only on ships with powerful steam turbine engines.\nTo be a good passenger and cargo vessel, ships must be quiet and good at sea.\nSome ships that are quiet and good at sea have powerful steam turbine engines.\nVessels are ships.", "premises-FOL": "\u2200x (TSLeda(x) \u2192 ((Passenger(x) \u2227 Vessel(x)) \u2227 (Cargo(x) \u2227 Vessel(x)))\n\u2200x (TSLeda(x) \u2192 (Norweigian(x) \u2227 Vessel(x) \u2227 Stabilizers(x)))\n\u2200x (Stabilizers(x) \u2192 MechanicalDevice(x) \u2227 OnlyOnShips(x) \u2227 PowerfulSteamTurbine(x))\n\u2200x ((Passenger(x) \u2227 Vessel(x)) \u2227 (Cargo(x) \u2227 Vessel(x)) \u2192 (Quiet(x) \u2227 GoodAt(x, sea)))\n\u2203x (Quiet(x) \u2227 GoodAt(x, sea) \u2227 PowerfulSteamTurbine(x))\n\u2200x (Ship(x) \u2192 Vessel(x))", "conclusion": "TS Leda was quiet and good at sea.", "conclusion-FOL": "\u2200x (TSLeda(x) \u2192 Quiet(x) \u2227 GoodAt(x, sea))", "label": "True", "example_id": 413} +{"story_id": 141, "premises": "TS Leda was a good passenger and cargo vessel.\nTS Leda was a Norwegian vessel that was built with stabilizers.\nStabilizers are mechanical devices found only on ships with powerful steam turbine engines.\nTo be a good passenger and cargo vessel, ships must be quiet and good at sea.\nSome ships that are quiet and good at sea have powerful steam turbine engines.\nVessels are ships.", "premises-FOL": "\u2200x (TSLeda(x) \u2192 ((Passenger(x) \u2227 Vessel(x)) \u2227 (Cargo(x) \u2227 Vessel(x)))\n\u2200x (TSLeda(x) \u2192 (Norweigian(x) \u2227 Vessel(x) \u2227 Stabilizers(x)))\n\u2200x (Stabilizers(x) \u2192 MechanicalDevice(x) \u2227 OnlyOnShips(x) \u2227 PowerfulSteamTurbine(x))\n\u2200x ((Passenger(x) \u2227 Vessel(x)) \u2227 (Cargo(x) \u2227 Vessel(x)) \u2192 (Quiet(x) \u2227 GoodAt(x, sea)))\n\u2203x (Quiet(x) \u2227 GoodAt(x, sea) \u2227 PowerfulSteamTurbine(x))\n\u2200x (Ship(x) \u2192 Vessel(x))", "conclusion": "TS Leda had powerful steam turbine engines.", "conclusion-FOL": "\u2200x (TSLeda(x) \u2192 PowerfulSteamTurbine(x))", "label": "True", "example_id": 414} +{"story_id": 141, "premises": "TS Leda was a good passenger and cargo vessel.\nTS Leda was a Norwegian vessel that was built with stabilizers.\nStabilizers are mechanical devices found only on ships with powerful steam turbine engines.\nTo be a good passenger and cargo vessel, ships must be quiet and good at sea.\nSome ships that are quiet and good at sea have powerful steam turbine engines.\nVessels are ships.", "premises-FOL": "\u2200x (TSLeda(x) \u2192 ((Passenger(x) \u2227 Vessel(x)) \u2227 (Cargo(x) \u2227 Vessel(x)))\n\u2200x (TSLeda(x) \u2192 (Norweigian(x) \u2227 Vessel(x) \u2227 Stabilizers(x)))\n\u2200x (Stabilizers(x) \u2192 MechanicalDevice(x) \u2227 OnlyOnShips(x) \u2227 PowerfulSteamTurbine(x))\n\u2200x ((Passenger(x) \u2227 Vessel(x)) \u2227 (Cargo(x) \u2227 Vessel(x)) \u2192 (Quiet(x) \u2227 GoodAt(x, sea)))\n\u2203x (Quiet(x) \u2227 GoodAt(x, sea) \u2227 PowerfulSteamTurbine(x))\n\u2200x (Ship(x) \u2192 Vessel(x))", "conclusion": "TS Leda was not a Norwegian vessel.", "conclusion-FOL": "\u2200x (TSLeda(x) \u2192 \u00ac(Norweigian(x) \u2227 Vessel(x)))", "label": "False", "example_id": 415} +{"story_id": 194, "premises": "Rosa was born in Santiago. \nSantiago is the capital and largest city of Chile.\nRosa is the daughter of a Catalan building contractor, Jose.\nJose has a Chilean wife, Carmen.\nCarmen and Jose are Rosa's parents.\nPeople from Catalan are not from Chile.\nA building contractor is responsible for the day-to-day oversight of a construction site. ", "premises-FOL": "BornIn(rosa, santiago)\nCapitalOf(santiago, chile) \u2227 LargestCityOf(santiago, chile)\nDaughterOf(rosa, jose) \u2227 BuildingContractor(jose) \u2227 Catalan(jose)\nWifeOf(jose, carmen) \u2227 Chilean(carmen)\nParentOf(jose, rosa) \u2227 ParentOf(carmen, rosa)\n\u2200x (Catalan(x) \u2192 \u00acChilean(x))\n\u2200x \u2203y (BuildingContractor(x) \u2192 ConstructionSite(y) \u2227 Oversee(x, y))", "conclusion": "Rosa was born in the largest city of Chile.", "conclusion-FOL": "\u2203x (BornIn(rosa, x) \u2227 LargestCityOf(x, chile))", "label": "True", "example_id": 552} +{"story_id": 194, "premises": "Rosa was born in Santiago. \nSantiago is the capital and largest city of Chile.\nRosa is the daughter of a Catalan building contractor, Jose.\nJose has a Chilean wife, Carmen.\nCarmen and Jose are Rosa's parents.\nPeople from Catalan are not from Chile.\nA building contractor is responsible for the day-to-day oversight of a construction site. ", "premises-FOL": "BornIn(rosa, santiago)\nCapitalOf(santiago, chile) \u2227 LargestCityOf(santiago, chile)\nDaughterOf(rosa, jose) \u2227 BuildingContractor(jose) \u2227 Catalan(jose)\nWifeOf(jose, carmen) \u2227 Chilean(carmen)\nParentOf(jose, rosa) \u2227 ParentOf(carmen, rosa)\n\u2200x (Catalan(x) \u2192 \u00acChilean(x))\n\u2200x \u2203y (BuildingContractor(x) \u2192 ConstructionSite(y) \u2227 Oversee(x, y))", "conclusion": "Neither of Rosa's parents is Chilean.", "conclusion-FOL": "\u00acChilean(jose) \u2227 \u00acChilean(carmen)", "label": "False", "example_id": 553} +{"story_id": 194, "premises": "Rosa was born in Santiago. \nSantiago is the capital and largest city of Chile.\nRosa is the daughter of a Catalan building contractor, Jose.\nJose has a Chilean wife, Carmen.\nCarmen and Jose are Rosa's parents.\nPeople from Catalan are not from Chile.\nA building contractor is responsible for the day-to-day oversight of a construction site. ", "premises-FOL": "BornIn(rosa, santiago)\nCapitalOf(santiago, chile) \u2227 LargestCityOf(santiago, chile)\nDaughterOf(rosa, jose) \u2227 BuildingContractor(jose) \u2227 Catalan(jose)\nWifeOf(jose, carmen) \u2227 Chilean(carmen)\nParentOf(jose, rosa) \u2227 ParentOf(carmen, rosa)\n\u2200x (Catalan(x) \u2192 \u00acChilean(x))\n\u2200x \u2203y (BuildingContractor(x) \u2192 ConstructionSite(y) \u2227 Oversee(x, y))", "conclusion": "Rosa is the daughter of someone who is responsible for the oversight of traffic.", "conclusion-FOL": "\u2203x (DaughterOf(rosa, x) \u2227 Oversee(x, traffic))", "label": "True", "example_id": 554} +{"story_id": 36, "premises": "Tyga is a rapper.\nRappers release rap albums.\nTyga released the Well Done 3 album.\nRappers are not opera singers.", "premises-FOL": "IsRapper(tyga)\n\u2200x \u2200y ((IsRapper(x) \u2227 ReleasedAlbum(x, y)) \u2192 IsRapAlbum(y))\nReleasedAlbum(tyga, wellDone3)\n\u2200x (IsRapper(x) \u2192 \u00acIsOperaSinger(x))", "conclusion": "Well Done 3 is a rap album.", "conclusion-FOL": "IsRapAlbum(wellDone3)", "label": "True", "example_id": 104} +{"story_id": 36, "premises": "Tyga is a rapper.\nRappers release rap albums.\nTyga released the Well Done 3 album.\nRappers are not opera singers.", "premises-FOL": "IsRapper(tyga)\n\u2200x \u2200y ((IsRapper(x) \u2227 ReleasedAlbum(x, y)) \u2192 IsRapAlbum(y))\nReleasedAlbum(tyga, wellDone3)\n\u2200x (IsRapper(x) \u2192 \u00acIsOperaSinger(x))", "conclusion": "Tyga is an opera singer.", "conclusion-FOL": "IsOperaSinger(tyga)", "label": "False", "example_id": 105} +{"story_id": 36, "premises": "Tyga is a rapper.\nRappers release rap albums.\nTyga released the Well Done 3 album.\nRappers are not opera singers.", "premises-FOL": "IsRapper(tyga)\n\u2200x \u2200y ((IsRapper(x) \u2227 ReleasedAlbum(x, y)) \u2192 IsRapAlbum(y))\nReleasedAlbum(tyga, wellDone3)\n\u2200x (IsRapper(x) \u2192 \u00acIsOperaSinger(x))", "conclusion": "Well Done 3 is worth listening to.", "conclusion-FOL": "IsWorthListening(wellDone3)", "label": "Uncertain", "example_id": 106} +{"story_id": 97, "premises": "Deborah Wallace is a Scottish-born actress, playwright, and producer.\nPsyche is a play based on the life of James Miranda Barry.\nHomesick, Psyche and The Void are plays by Deborah Wallace.\nDeborah Wallace co-produced Gasland.", "premises-FOL": "BornIn(deborahWallace, scotland) \u2227 Actress(deborahWallace) \u2227 Playwright(deborahWallace) \u2227 Producer(deborahWallace)\nPlay(psyche) \u2227 BasedOn(psyche, lifeOfJamesMirandaBarry)\nPlay(homesick) \u2227 WrittenBy(homesick, deborahWallace) \u2227 Play(psyche) \u2227 WrittenBy(psyche, deborahWallace) \u2227 Play(theVoid) \u2227 WrittenBy(theVoid, deborahWallace)\nCoProduce(deborahWallace, gasland)", "conclusion": "Gasland was coproduced by the same person Homesick was from.", "conclusion-FOL": "\u2203x (CoProduces(x, gasland) \u2227 WrittenBy(homesick, x))", "label": "True", "example_id": 292} +{"story_id": 97, "premises": "Deborah Wallace is a Scottish-born actress, playwright, and producer.\nPsyche is a play based on the life of James Miranda Barry.\nHomesick, Psyche and The Void are plays by Deborah Wallace.\nDeborah Wallace co-produced Gasland.", "premises-FOL": "BornIn(deborahWallace, scotland) \u2227 Actress(deborahWallace) \u2227 Playwright(deborahWallace) \u2227 Producer(deborahWallace)\nPlay(psyche) \u2227 BasedOn(psyche, lifeOfJamesMirandaBarry)\nPlay(homesick) \u2227 WrittenBy(homesick, deborahWallace) \u2227 Play(psyche) \u2227 WrittenBy(psyche, deborahWallace) \u2227 Play(theVoid) \u2227 WrittenBy(theVoid, deborahWallace)\nCoProduce(deborahWallace, gasland)", "conclusion": "No plays by Deborah Wallace are based on the life of James Miranda Barry.", "conclusion-FOL": "\u2200x (Play(x) \u2227 WrittenBy(x, deborahwallace) \u2192 \u00acBasedOn(x, lifeofjamesmirandabarry))", "label": "False", "example_id": 293} +{"story_id": 97, "premises": "Deborah Wallace is a Scottish-born actress, playwright, and producer.\nPsyche is a play based on the life of James Miranda Barry.\nHomesick, Psyche and The Void are plays by Deborah Wallace.\nDeborah Wallace co-produced Gasland.", "premises-FOL": "BornIn(deborahWallace, scotland) \u2227 Actress(deborahWallace) \u2227 Playwright(deborahWallace) \u2227 Producer(deborahWallace)\nPlay(psyche) \u2227 BasedOn(psyche, lifeOfJamesMirandaBarry)\nPlay(homesick) \u2227 WrittenBy(homesick, deborahWallace) \u2227 Play(psyche) \u2227 WrittenBy(psyche, deborahWallace) \u2227 Play(theVoid) \u2227 WrittenBy(theVoid, deborahWallace)\nCoProduce(deborahWallace, gasland)", "conclusion": "Gasland is a play.", "conclusion-FOL": "Play(gasland)", "label": "Uncertain", "example_id": 294} +{"story_id": 449, "premises": "Animals who need large territory travel far.\nEvery animal that eats a lot needs a large territory.\nIf something is a big animal, then it will eat a lot.\nBears are big animals.\nLarry is a big animal.", "premises-FOL": "\u2200x (Animal(x) \u2227 Need(x, largeTerritory) \u2192 TravelFar(x))\n\u2200x (EatALot(x) \u2192 Need(x, largeTerritory))\n\u2200x (Big(x) \u2227 Animal(x) \u2192 EatALot(x))\n\u2200x (Bear(x) \u2192 Big(x) \u2227 Animal(x))\nBig(larry) \u2227 Animal(larry)", "conclusion": "Larry is a bear.", "conclusion-FOL": "Bear(larry)", "label": "Uncertain", "example_id": 1292} +{"story_id": 449, "premises": "Animals who need large territory travel far.\nEvery animal that eats a lot needs a large territory.\nIf something is a big animal, then it will eat a lot.\nBears are big animals.\nLarry is a big animal.", "premises-FOL": "\u2200x (Animal(x) \u2227 Need(x, largeTerritory) \u2192 TravelFar(x))\n\u2200x (EatALot(x) \u2192 Need(x, largeTerritory))\n\u2200x (Big(x) \u2227 Animal(x) \u2192 EatALot(x))\n\u2200x (Bear(x) \u2192 Big(x) \u2227 Animal(x))\nBig(larry) \u2227 Animal(larry)", "conclusion": "Larry is not a bear and does not travel far.", "conclusion-FOL": "\u00acBear(larry) \u2227 \u00acTravelFar(larry)", "label": "False", "example_id": 1293} +{"story_id": 449, "premises": "Animals who need large territory travel far.\nEvery animal that eats a lot needs a large territory.\nIf something is a big animal, then it will eat a lot.\nBears are big animals.\nLarry is a big animal.", "premises-FOL": "\u2200x (Animal(x) \u2227 Need(x, largeTerritory) \u2192 TravelFar(x))\n\u2200x (EatALot(x) \u2192 Need(x, largeTerritory))\n\u2200x (Big(x) \u2227 Animal(x) \u2192 EatALot(x))\n\u2200x (Bear(x) \u2192 Big(x) \u2227 Animal(x))\nBig(larry) \u2227 Animal(larry)", "conclusion": "If Larry either travels far or needs a large territory, then Larry is a bear.", "conclusion-FOL": "TravelFar(larry) \u2295 Need(larry, largeTerritory) \u2192 Bear(larry)", "label": "True", "example_id": 1294} +{"story_id": 461, "premises": "Any convicted criminal that is innocent is not truly guilty.\nAll convicted criminals who did not commit a crime are truly innocent.\nAll convicted criminals are truly guilty or found guilty.\nIf a convicted criminal is found guilty, then they are sentenced to a punishment.\nIf a convicted criminal is found guilty, then they can argue against their punishment.\nGarry is a convicted criminal who not found guilty or is sentenced to punishment.", "premises-FOL": "\u2200x (ConvictedCriminal(x) \u2227 Innocent(x) \u2192 \u00acTrulyGuilty(x))\n\u2200x (ConvictedCriminal(x) \u2227 \u00acCommitCrime(x) \u2192 Innocent(x))\n\u2200x (ConvictedCriminal(x) \u2227 (TrulyGuilty(x) \u2228 FoundGuilty(x)))\n\u2200x (ConvictedCriminal(x) \u2227 FoundGuilty(x) \u2192 SentencedToPunishment(x))\n\u2200x (ConvictedCriminal(x) \u2227 FoundGuilty(x) \u2192 CanArgueAgainst(x, punishment))\nConvictedCriminal(garry) \u2227 (\u00ac(FoundGuilty(garry) \u2228 SentencedToPunishment(garry)))", "conclusion": "Garry is sentenced to a punishment.", "conclusion-FOL": "SentencedToPunishment(garry)", "label": "Uncertain", "example_id": 1330} +{"story_id": 461, "premises": "Any convicted criminal that is innocent is not truly guilty.\nAll convicted criminals who did not commit a crime are truly innocent.\nAll convicted criminals are truly guilty or found guilty.\nIf a convicted criminal is found guilty, then they are sentenced to a punishment.\nIf a convicted criminal is found guilty, then they can argue against their punishment.\nGarry is a convicted criminal who not found guilty or is sentenced to punishment.", "premises-FOL": "\u2200x (ConvictedCriminal(x) \u2227 Innocent(x) \u2192 \u00acTrulyGuilty(x))\n\u2200x (ConvictedCriminal(x) \u2227 \u00acCommitCrime(x) \u2192 Innocent(x))\n\u2200x (ConvictedCriminal(x) \u2227 (TrulyGuilty(x) \u2228 FoundGuilty(x)))\n\u2200x (ConvictedCriminal(x) \u2227 FoundGuilty(x) \u2192 SentencedToPunishment(x))\n\u2200x (ConvictedCriminal(x) \u2227 FoundGuilty(x) \u2192 CanArgueAgainst(x, punishment))\nConvictedCriminal(garry) \u2227 (\u00ac(FoundGuilty(garry) \u2228 SentencedToPunishment(garry)))", "conclusion": "Garry did not commit a crime and can argue against his punishment.", "conclusion-FOL": "\u00acCommitCrime(garry) \u2227 CanArgueAgainst(garry, punishment)", "label": "False", "example_id": 1331} +{"story_id": 461, "premises": "Any convicted criminal that is innocent is not truly guilty.\nAll convicted criminals who did not commit a crime are truly innocent.\nAll convicted criminals are truly guilty or found guilty.\nIf a convicted criminal is found guilty, then they are sentenced to a punishment.\nIf a convicted criminal is found guilty, then they can argue against their punishment.\nGarry is a convicted criminal who not found guilty or is sentenced to punishment.", "premises-FOL": "\u2200x (ConvictedCriminal(x) \u2227 Innocent(x) \u2192 \u00acTrulyGuilty(x))\n\u2200x (ConvictedCriminal(x) \u2227 \u00acCommitCrime(x) \u2192 Innocent(x))\n\u2200x (ConvictedCriminal(x) \u2227 (TrulyGuilty(x) \u2228 FoundGuilty(x)))\n\u2200x (ConvictedCriminal(x) \u2227 FoundGuilty(x) \u2192 SentencedToPunishment(x))\n\u2200x (ConvictedCriminal(x) \u2227 FoundGuilty(x) \u2192 CanArgueAgainst(x, punishment))\nConvictedCriminal(garry) \u2227 (\u00ac(FoundGuilty(garry) \u2228 SentencedToPunishment(garry)))", "conclusion": "Garry is not both innocent and someone who did not commit a crime.", "conclusion-FOL": "\u00ac(Innocent(garry) \u2227 \u00acCommitCrime(garry))", "label": "True", "example_id": 1332} +{"story_id": 136, "premises": "Phoneix's music is classified under the indie pop genre.\nPhoenix is a band from France.\nFrench bands write songs in French or in English.\nAside from indie pop, pop rock and synth-pop are two other genres of music.\nPhoenix has no songs in French.", "premises-FOL": "IndiePop(phoenix)\nBand(phoenix) \u2227 From(phoenix, france)\n\u2200x \u2203y (Band(x) \u2227 From(x, france) \u2227 Write(x, y) \u2227 Song(y) \u2192 InFrench(y) \u2295 InEnglish(y))\n\u2200x (IndiePop(x) \u2192 \u00acPopRock(x) \u2227 \u00acSynthPop(x))\n\u2200x (Song(x) \u2227 By(phoenix, x) \u2192 \u00acInFrench(x))", "conclusion": "Phoneix's music is classified under the pop rock genre.", "conclusion-FOL": "PopRock(phoenix)", "label": "False", "example_id": 400} +{"story_id": 136, "premises": "Phoneix's music is classified under the indie pop genre.\nPhoenix is a band from France.\nFrench bands write songs in French or in English.\nAside from indie pop, pop rock and synth-pop are two other genres of music.\nPhoenix has no songs in French.", "premises-FOL": "IndiePop(phoenix)\nBand(phoenix) \u2227 From(phoenix, france)\n\u2200x \u2203y (Band(x) \u2227 From(x, france) \u2227 Write(x, y) \u2227 Song(y) \u2192 InFrench(y) \u2295 InEnglish(y))\n\u2200x (IndiePop(x) \u2192 \u00acPopRock(x) \u2227 \u00acSynthPop(x))\n\u2200x (Song(x) \u2227 By(phoenix, x) \u2192 \u00acInFrench(x))", "conclusion": "Phoenix writes songs in French.", "conclusion-FOL": "\u2203x (Write(phoenix, y) \u2227 Song(x) \u2192 InFrench(x))", "label": "False", "example_id": 401} diff --git a/data/folio_v2_train_processed.json b/data/folio_v2_train_processed.json new file mode 100644 index 0000000..f9c55d4 --- /dev/null +++ b/data/folio_v2_train_processed.json @@ -0,0 +1,6095 @@ +[ + { + "id": "folio_1126", + "question": "Given the following premises:\n\nAll people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Rina doesn't want to be addicted to caffeine or is unaware that caffeine is a drug.", + "answer": true, + "story_id": 406, + "example_id": 1126, + "original_premises": "All people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.", + "original_conclusion": "Rina doesn't want to be addicted to caffeine or is unaware that caffeine is a drug." + }, + { + "id": "folio_1127", + "question": "Given the following premises:\n\nAll people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Rina eith doesn't want to be addicted to caffeine or is unaware that caffeine is a drug.", + "answer": true, + "story_id": 406, + "example_id": 1127, + "original_premises": "All people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.", + "original_conclusion": "Rina eith doesn't want to be addicted to caffeine or is unaware that caffeine is a drug." + }, + { + "id": "folio_1128", + "question": "Given the following premises:\n\nAll people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Rina either regularly drinks coffee or is unaware that caffeine is a drug.", + "answer": false, + "story_id": 406, + "example_id": 1128, + "original_premises": "All people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.", + "original_conclusion": "Rina either regularly drinks coffee or is unaware that caffeine is a drug." + }, + { + "id": "folio_1129", + "question": "Given the following premises:\n\nAll people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Rina either doesn't want to be addicted to caffeine and is unaware that caffeine is a drug, or neither doesn't want to be addicted to caffeine nor is unaware that caffeine is a drug, then Rina doesn't want to be addicted to caffeine and regularly drinks coffee.", + "answer": true, + "story_id": 406, + "example_id": 1129, + "original_premises": "All people who regularly drink coffee are dependent on caffeine.\nPeople regularly drink coffee, or they don't want to be addicted to caffeine, or both.\nNo one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug.\nRina is either a student who is unaware that caffeine is a drug, or she is not a student and is she aware that caffeine is a drug.\nRina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine.", + "original_conclusion": "If Rina either doesn't want to be addicted to caffeine and is unaware that caffeine is a drug, or neither doesn't want to be addicted to caffeine nor is unaware that caffeine is a drug, then Rina doesn't want to be addicted to caffeine and regularly drinks coffee." + }, + { + "id": "folio_21", + "question": "Given the following premises:\n\nMiroslav Venhoda was a Czech choral conductor who specialized in the performance of Renaissance and Baroque music.\nAny choral conductor is a musician.\nSome musicians love music.\nMiroslav Venhoda published a book in 1946 called Method of Studying Gregorian Chant.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A Czech published a book in 1946.", + "answer": true, + "story_id": 8, + "example_id": 21, + "original_premises": "Miroslav Venhoda was a Czech choral conductor who specialized in the performance of Renaissance and Baroque music.\nAny choral conductor is a musician.\nSome musicians love music.\nMiroslav Venhoda published a book in 1946 called Method of Studying Gregorian Chant.", + "original_conclusion": "A Czech published a book in 1946." + }, + { + "id": "folio_22", + "question": "Given the following premises:\n\nMiroslav Venhoda was a Czech choral conductor who specialized in the performance of Renaissance and Baroque music.\nAny choral conductor is a musician.\nSome musicians love music.\nMiroslav Venhoda published a book in 1946 called Method of Studying Gregorian Chant.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No choral conductor specialized in the performance of Renaissance.", + "answer": false, + "story_id": 8, + "example_id": 22, + "original_premises": "Miroslav Venhoda was a Czech choral conductor who specialized in the performance of Renaissance and Baroque music.\nAny choral conductor is a musician.\nSome musicians love music.\nMiroslav Venhoda published a book in 1946 called Method of Studying Gregorian Chant.", + "original_conclusion": "No choral conductor specialized in the performance of Renaissance." + }, + { + "id": "folio_1337", + "question": "Given the following premises:\n\nAll eels are fish. \nNo fish are plants. \nEverything displayed in the collection is either a plant or an animal.\nAll multicellular animals are not bacteria.\nAll animals displayed in the collection are multicellular.\nA sea eel is displayed in the collection.\nThe sea eel is an eel or an animal or not a plant.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The sea eel is bacteria.", + "answer": false, + "story_id": 463, + "example_id": 1337, + "original_premises": "All eels are fish. \nNo fish are plants. \nEverything displayed in the collection is either a plant or an animal.\nAll multicellular animals are not bacteria.\nAll animals displayed in the collection are multicellular.\nA sea eel is displayed in the collection.\nThe sea eel is an eel or an animal or not a plant.", + "original_conclusion": "The sea eel is bacteria." + }, + { + "id": "folio_1338", + "question": "Given the following premises:\n\nAll eels are fish. \nNo fish are plants. \nEverything displayed in the collection is either a plant or an animal.\nAll multicellular animals are not bacteria.\nAll animals displayed in the collection are multicellular.\nA sea eel is displayed in the collection.\nThe sea eel is an eel or an animal or not a plant.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The sea eel is multicellular or is bacteria.", + "answer": true, + "story_id": 463, + "example_id": 1338, + "original_premises": "All eels are fish. \nNo fish are plants. \nEverything displayed in the collection is either a plant or an animal.\nAll multicellular animals are not bacteria.\nAll animals displayed in the collection are multicellular.\nA sea eel is displayed in the collection.\nThe sea eel is an eel or an animal or not a plant.", + "original_conclusion": "The sea eel is multicellular or is bacteria." + }, + { + "id": "folio_392", + "question": "Given the following premises:\n\nThe Blake McFall Company Building is a building added to the National Register of Historic Places in 1990.\nThe Emmet Building is a five-story building in Portland, Oregon.\nThe Emmet Building was built in 1915.\nThe Emmet Building is another name for the Blake McFall Company Building.\nJohn works at the Emmet Building.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A five-story building is built in 1915.", + "answer": true, + "story_id": 133, + "example_id": 392, + "original_premises": "The Blake McFall Company Building is a building added to the National Register of Historic Places in 1990.\nThe Emmet Building is a five-story building in Portland, Oregon.\nThe Emmet Building was built in 1915.\nThe Emmet Building is another name for the Blake McFall Company Building.\nJohn works at the Emmet Building.", + "original_conclusion": "A five-story building is built in 1915." + }, + { + "id": "folio_393", + "question": "Given the following premises:\n\nThe Blake McFall Company Building is a building added to the National Register of Historic Places in 1990.\nThe Emmet Building is a five-story building in Portland, Oregon.\nThe Emmet Building was built in 1915.\nThe Emmet Building is another name for the Blake McFall Company Building.\nJohn works at the Emmet Building.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Blake McFall Company Building is located in Portland, Oregon.", + "answer": true, + "story_id": 133, + "example_id": 393, + "original_premises": "The Blake McFall Company Building is a building added to the National Register of Historic Places in 1990.\nThe Emmet Building is a five-story building in Portland, Oregon.\nThe Emmet Building was built in 1915.\nThe Emmet Building is another name for the Blake McFall Company Building.\nJohn works at the Emmet Building.", + "original_conclusion": "The Blake McFall Company Building is located in Portland, Oregon." + }, + { + "id": "folio_636", + "question": "Given the following premises:\n\nWilliam Dickinson was a British politician who sat in the House of Commons\nWilliam Dickinson attended Westminster school for high school and then the University of Edinburgh.\nThe University of Edinburgh is a university located in the United Kingdom.\nWilliam Dickinson supported the Portland Whigs.\nPeople who supported the Portland Whigs did not get a seat in the Parliament.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: William Dickinson did not get a seat in Parliament.", + "answer": true, + "story_id": 226, + "example_id": 636, + "original_premises": "William Dickinson was a British politician who sat in the House of Commons\nWilliam Dickinson attended Westminster school for high school and then the University of Edinburgh.\nThe University of Edinburgh is a university located in the United Kingdom.\nWilliam Dickinson supported the Portland Whigs.\nPeople who supported the Portland Whigs did not get a seat in the Parliament.", + "original_conclusion": "William Dickinson did not get a seat in Parliament." + }, + { + "id": "folio_638", + "question": "Given the following premises:\n\nWilliam Dickinson was a British politician who sat in the House of Commons\nWilliam Dickinson attended Westminster school for high school and then the University of Edinburgh.\nThe University of Edinburgh is a university located in the United Kingdom.\nWilliam Dickinson supported the Portland Whigs.\nPeople who supported the Portland Whigs did not get a seat in the Parliament.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: William Dickinson attended university in the United Kingdom.", + "answer": true, + "story_id": 226, + "example_id": 638, + "original_premises": "William Dickinson was a British politician who sat in the House of Commons\nWilliam Dickinson attended Westminster school for high school and then the University of Edinburgh.\nThe University of Edinburgh is a university located in the United Kingdom.\nWilliam Dickinson supported the Portland Whigs.\nPeople who supported the Portland Whigs did not get a seat in the Parliament.", + "original_conclusion": "William Dickinson attended university in the United Kingdom." + }, + { + "id": "folio_639", + "question": "Given the following premises:\n\nWilliam Dickinson was a British politician who sat in the House of Commons\nWilliam Dickinson attended Westminster school for high school and then the University of Edinburgh.\nThe University of Edinburgh is a university located in the United Kingdom.\nWilliam Dickinson supported the Portland Whigs.\nPeople who supported the Portland Whigs did not get a seat in the Parliament.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: William Dickinson sat in the House of Commons.", + "answer": true, + "story_id": 226, + "example_id": 639, + "original_premises": "William Dickinson was a British politician who sat in the House of Commons\nWilliam Dickinson attended Westminster school for high school and then the University of Edinburgh.\nThe University of Edinburgh is a university located in the United Kingdom.\nWilliam Dickinson supported the Portland Whigs.\nPeople who supported the Portland Whigs did not get a seat in the Parliament.", + "original_conclusion": "William Dickinson sat in the House of Commons." + }, + { + "id": "folio_690", + "question": "Given the following premises:\n\nLanguageA is a universal language\nIf a universal language exists, then for every two people if they both know the same universal language they can communicate.\nKatya cannot communicate with Danil.\nKatya knows LanguageA. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Danil knows LanguageA.", + "answer": false, + "story_id": 247, + "example_id": 690, + "original_premises": "LanguageA is a universal language\nIf a universal language exists, then for every two people if they both know the same universal language they can communicate.\nKatya cannot communicate with Danil.\nKatya knows LanguageA. ", + "original_conclusion": "Danil knows LanguageA." + }, + { + "id": "folio_1194", + "question": "Given the following premises:\n\nAll customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Lily goes to cinemas every week or watches 3 movies every week without any additional fees.", + "answer": true, + "story_id": 422, + "example_id": 1194, + "original_premises": "All customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. ", + "original_conclusion": "Lily goes to cinemas every week or watches 3 movies every week without any additional fees." + }, + { + "id": "folio_1195", + "question": "Given the following premises:\n\nAll customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Lily does not both go to cinemas every week and subscribe to HBO service, then Lily is either available to watch 3 movies every week without any additional fees or she prefers TV more.", + "answer": true, + "story_id": 422, + "example_id": 1195, + "original_premises": "All customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. ", + "original_conclusion": "If Lily does not both go to cinemas every week and subscribe to HBO service, then Lily is either available to watch 3 movies every week without any additional fees or she prefers TV more." + }, + { + "id": "folio_1196", + "question": "Given the following premises:\n\nAll customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Lily is available to watch 3 movies every week without any additional fees and she watches TV series in cinemas, then she goes to cinemas every week and prefers TV series more.", + "answer": false, + "story_id": 422, + "example_id": 1196, + "original_premises": "All customers in James' family who subscribe to AMC A-List are eligible to watch three movies every week without any additional fees. \nSome of the customers in James' family go to the cinema every week.\nCustomers in James' family subscribe to AMC A-List or HBO service. \nCustomers in James' family who prefer TV series will not watch TV series in cinemas.\nAll customers in James' family who subscribe to HBO services prefer TV series to movies. \nLily is in James' family; she watches TV series in cinemas. ", + "original_conclusion": "If Lily is available to watch 3 movies every week without any additional fees and she watches TV series in cinemas, then she goes to cinemas every week and prefers TV series more." + }, + { + "id": "folio_550", + "question": "Given the following premises:\n\nA La Liga soccer team ranks higher than another La Liga soccer team if it receives more points.\nIf there are two La Liga soccer teams and neither has more points than the other, then the team which receives more points from the games between the two teams ranks higher.\nReal Madrid and Barcelona are both La Liga soccer teams.\nReal Madrid received more points than Barcelona.\nNeither Real Madrid nor Barcelona received more points from the games between them.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Real Madrid ranks higher than Barcelona.", + "answer": true, + "story_id": 193, + "example_id": 550, + "original_premises": "A La Liga soccer team ranks higher than another La Liga soccer team if it receives more points.\nIf there are two La Liga soccer teams and neither has more points than the other, then the team which receives more points from the games between the two teams ranks higher.\nReal Madrid and Barcelona are both La Liga soccer teams.\nReal Madrid received more points than Barcelona.\nNeither Real Madrid nor Barcelona received more points from the games between them.", + "original_conclusion": "Real Madrid ranks higher than Barcelona." + }, + { + "id": "folio_551", + "question": "Given the following premises:\n\nA La Liga soccer team ranks higher than another La Liga soccer team if it receives more points.\nIf there are two La Liga soccer teams and neither has more points than the other, then the team which receives more points from the games between the two teams ranks higher.\nReal Madrid and Barcelona are both La Liga soccer teams.\nReal Madrid received more points than Barcelona.\nNeither Real Madrid nor Barcelona received more points from the games between them.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Barcelona ranks higher than Real Madrid.", + "answer": false, + "story_id": 193, + "example_id": 551, + "original_premises": "A La Liga soccer team ranks higher than another La Liga soccer team if it receives more points.\nIf there are two La Liga soccer teams and neither has more points than the other, then the team which receives more points from the games between the two teams ranks higher.\nReal Madrid and Barcelona are both La Liga soccer teams.\nReal Madrid received more points than Barcelona.\nNeither Real Madrid nor Barcelona received more points from the games between them.", + "original_conclusion": "Barcelona ranks higher than Real Madrid." + }, + { + "id": "folio_249", + "question": "Given the following premises:\n\nLawton Park is a neighborhood in Seattle. \nAll citizens of Lawton Park use the zip code 98199. \nTom is a citizen of Lawton Park.\nDaniel uses the zip code 98199. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tom uses the zip code 98199.", + "answer": true, + "story_id": 82, + "example_id": 249, + "original_premises": "Lawton Park is a neighborhood in Seattle. \nAll citizens of Lawton Park use the zip code 98199. \nTom is a citizen of Lawton Park.\nDaniel uses the zip code 98199. ", + "original_conclusion": "Tom uses the zip code 98199." + }, + { + "id": "folio_250", + "question": "Given the following premises:\n\nLawton Park is a neighborhood in Seattle. \nAll citizens of Lawton Park use the zip code 98199. \nTom is a citizen of Lawton Park.\nDaniel uses the zip code 98199. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tom doesn't use the zip code 98199.", + "answer": false, + "story_id": 82, + "example_id": 250, + "original_premises": "Lawton Park is a neighborhood in Seattle. \nAll citizens of Lawton Park use the zip code 98199. \nTom is a citizen of Lawton Park.\nDaniel uses the zip code 98199. ", + "original_conclusion": "Tom doesn't use the zip code 98199." + }, + { + "id": "folio_261", + "question": "Given the following premises:\n\nIf a legislator is found guilty of stealing government funds, they will be suspended from office.\nTiffany T. Alston was a legislator in Maryland's House of Delegates from 2011 to 2013.\nTiffany T. Alston was found guilty of stealing government funds in 2012.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tiffany T. Alston was suspended from the Maryland House of Delegates.", + "answer": true, + "story_id": 86, + "example_id": 261, + "original_premises": "If a legislator is found guilty of stealing government funds, they will be suspended from office.\nTiffany T. Alston was a legislator in Maryland's House of Delegates from 2011 to 2013.\nTiffany T. Alston was found guilty of stealing government funds in 2012.", + "original_conclusion": "Tiffany T. Alston was suspended from the Maryland House of Delegates." + }, + { + "id": "folio_262", + "question": "Given the following premises:\n\nIf a legislator is found guilty of stealing government funds, they will be suspended from office.\nTiffany T. Alston was a legislator in Maryland's House of Delegates from 2011 to 2013.\nTiffany T. Alston was found guilty of stealing government funds in 2012.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tiffany T. Alston was not suspended from the Maryland House of Delegates.", + "answer": false, + "story_id": 86, + "example_id": 262, + "original_premises": "If a legislator is found guilty of stealing government funds, they will be suspended from office.\nTiffany T. Alston was a legislator in Maryland's House of Delegates from 2011 to 2013.\nTiffany T. Alston was found guilty of stealing government funds in 2012.", + "original_conclusion": "Tiffany T. Alston was not suspended from the Maryland House of Delegates." + }, + { + "id": "folio_492", + "question": "Given the following premises:\n\nSome fish stings people.\nStonefish is a fish.\nStonefish stings when stepped on. \nIf a stonefish stings someone and they are not treated, it can cause death to them.\nTo treat stonefish stings, apply heat to the affected area or use an antivenom.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Stings of some fish can cause death if not treated.", + "answer": true, + "story_id": 171, + "example_id": 492, + "original_premises": "Some fish stings people.\nStonefish is a fish.\nStonefish stings when stepped on. \nIf a stonefish stings someone and they are not treated, it can cause death to them.\nTo treat stonefish stings, apply heat to the affected area or use an antivenom.", + "original_conclusion": "Stings of some fish can cause death if not treated." + }, + { + "id": "folio_1174", + "question": "Given the following premises:\n\nSome monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The monitor L-2021 is either in the library or produced by LG.", + "answer": false, + "story_id": 417, + "example_id": 1174, + "original_premises": "Some monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.", + "original_conclusion": "The monitor L-2021 is either in the library or produced by LG." + }, + { + "id": "folio_1175", + "question": "Given the following premises:\n\nSome monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The L-2021 monitor either has a type-c port or is produced by LG.", + "answer": true, + "story_id": 417, + "example_id": 1175, + "original_premises": "Some monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.", + "original_conclusion": "The L-2021 monitor either has a type-c port or is produced by LG." + }, + { + "id": "folio_1176", + "question": "Given the following premises:\n\nSome monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the L-2021 monitor is either in the library and produced by LG, or neither in the library nor produced by LG, then L-2021 neither has a type-c port nor is produced by LG.", + "answer": false, + "story_id": 417, + "example_id": 1176, + "original_premises": "Some monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.", + "original_conclusion": "If the L-2021 monitor is either in the library and produced by LG, or neither in the library nor produced by LG, then L-2021 neither has a type-c port nor is produced by LG." + }, + { + "id": "folio_1177", + "question": "Given the following premises:\n\nSome monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the monitor L-2021 is either produced by LG and produced before 2010 or neither produced by LG nor produced before 2010, then L-2021 is either in the library or produced by LG.", + "answer": false, + "story_id": 417, + "example_id": 1177, + "original_premises": "Some monitors made by LG have a type-c port.\nMonitors that have a type-c port were not made before 2010.\nAll monitors in the library are made before 2010. \nThe L-2021 monitor is either used in the library or has a type-c port.\nThe L-2021 monitor is either both produced before 2010 and made by LG, or neither is true.", + "original_conclusion": "If the monitor L-2021 is either produced by LG and produced before 2010 or neither produced by LG nor produced before 2010, then L-2021 is either in the library or produced by LG." + }, + { + "id": "folio_1006", + "question": "Given the following premises:\n\nEverything is either outside the solar system or in the solar system. \nNothing outside the solar system has the Sun as its star.\nEverything in the solar system is gravitationally bound by the Sun.\nNo planets gravitationally bound by the Sun are rogue planets. \nAll orphan planets are rogue planets.\nIf PSO J318.5\u221222 is not both a rogue planet and a planet gravitationally bound by the Sun, then it is a rogue planet.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: PSO J318.5\u221222 is an orphan planet or it does not have the Sun as its star, or both.", + "answer": true, + "story_id": 377, + "example_id": 1006, + "original_premises": "Everything is either outside the solar system or in the solar system. \nNothing outside the solar system has the Sun as its star.\nEverything in the solar system is gravitationally bound by the Sun.\nNo planets gravitationally bound by the Sun are rogue planets. \nAll orphan planets are rogue planets.\nIf PSO J318.5\u221222 is not both a rogue planet and a planet gravitationally bound by the Sun, then it is a rogue planet.", + "original_conclusion": "PSO J318.5\u221222 is an orphan planet or it does not have the Sun as its star, or both." + }, + { + "id": "folio_1007", + "question": "Given the following premises:\n\nEverything is either outside the solar system or in the solar system. \nNothing outside the solar system has the Sun as its star.\nEverything in the solar system is gravitationally bound by the Sun.\nNo planets gravitationally bound by the Sun are rogue planets. \nAll orphan planets are rogue planets.\nIf PSO J318.5\u221222 is not both a rogue planet and a planet gravitationally bound by the Sun, then it is a rogue planet.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If PSO J318.5\u221222 is an orphan planet or it does not have the Sun as the star, or both, then PSO J318.5\u221222 neither is an orphan planet nor does it have the Sun as the star.", + "answer": false, + "story_id": 377, + "example_id": 1007, + "original_premises": "Everything is either outside the solar system or in the solar system. \nNothing outside the solar system has the Sun as its star.\nEverything in the solar system is gravitationally bound by the Sun.\nNo planets gravitationally bound by the Sun are rogue planets. \nAll orphan planets are rogue planets.\nIf PSO J318.5\u221222 is not both a rogue planet and a planet gravitationally bound by the Sun, then it is a rogue planet.", + "original_conclusion": "If PSO J318.5\u221222 is an orphan planet or it does not have the Sun as the star, or both, then PSO J318.5\u221222 neither is an orphan planet nor does it have the Sun as the star." + }, + { + "id": "folio_518", + "question": "Given the following premises:\n\nSam is doing a project.\nA project is written either in C++ or Python.\nIf Sam does a project written in Python, he will not use a Mac.\nSam is using a Mac.\nIf Sam uses a Mac, he will play a song.\nIf a song is not titled \"Perfect,\" Sam will never play it.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The project Sam is doing is written in C++.", + "answer": true, + "story_id": 180, + "example_id": 518, + "original_premises": "Sam is doing a project.\nA project is written either in C++ or Python.\nIf Sam does a project written in Python, he will not use a Mac.\nSam is using a Mac.\nIf Sam uses a Mac, he will play a song.\nIf a song is not titled \"Perfect,\" Sam will never play it.", + "original_conclusion": "The project Sam is doing is written in C++." + }, + { + "id": "folio_1385", + "question": "Given the following premises:\n\nAll social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: TikTok is a computer program.", + "answer": true, + "story_id": 477, + "example_id": 1385, + "original_premises": "All social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. ", + "original_conclusion": "TikTok is a computer program." + }, + { + "id": "folio_1386", + "question": "Given the following premises:\n\nAll social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: TikTok is either ideal for preteens or a computer program.", + "answer": true, + "story_id": 477, + "example_id": 1386, + "original_premises": "All social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. ", + "original_conclusion": "TikTok is either ideal for preteens or a computer program." + }, + { + "id": "folio_1387", + "question": "Given the following premises:\n\nAll social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: TikTok is does not have chat features or it is not a computer program.", + "answer": false, + "story_id": 477, + "example_id": 1387, + "original_premises": "All social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. ", + "original_conclusion": "TikTok is does not have chat features or it is not a computer program." + }, + { + "id": "folio_1388", + "question": "Given the following premises:\n\nAll social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: TikTok either has chat features or is a computer program.", + "answer": false, + "story_id": 477, + "example_id": 1388, + "original_premises": "All social media applications containing chat features are software. \nAll social media applications that allow users to send messages to each other have chat features. \nAll social media applications have chat features or video features. \nAll social media applications that have video features allow users to upload videos. \nAll software that is social media applications are computer programs. \nAll social media applications that have high engagement metrics are addictive. \nIf a social media application is addictive, then it is not ideal for preteens. \nTikTok is a social media application, and it is not ideal for preteens. ", + "original_conclusion": "TikTok either has chat features or is a computer program." + }, + { + "id": "folio_316", + "question": "Given the following premises:\n\nOrdinary is an unincorporated community.\nLocated within Elliot County, Ordinary is on Kentucky Route 32.\nOrdinary is located northwest of Sandy Hook.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There are no unincorporated communities along Kentucky Route 32.", + "answer": false, + "story_id": 104, + "example_id": 316, + "original_premises": "Ordinary is an unincorporated community.\nLocated within Elliot County, Ordinary is on Kentucky Route 32.\nOrdinary is located northwest of Sandy Hook.", + "original_conclusion": "There are no unincorporated communities along Kentucky Route 32." + }, + { + "id": "folio_317", + "question": "Given the following premises:\n\nOrdinary is an unincorporated community.\nLocated within Elliot County, Ordinary is on Kentucky Route 32.\nOrdinary is located northwest of Sandy Hook.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is an unincorporated community located in Elliot County.", + "answer": true, + "story_id": 104, + "example_id": 317, + "original_premises": "Ordinary is an unincorporated community.\nLocated within Elliot County, Ordinary is on Kentucky Route 32.\nOrdinary is located northwest of Sandy Hook.", + "original_conclusion": "There is an unincorporated community located in Elliot County." + }, + { + "id": "folio_922", + "question": "Given the following premises:\n\nAll young adults at the event like independence.\nAll college students at the event are young adults.\nAll Yale students at the event are college students.\nEveryone at the event is a Yale student or a Harvard student.\nAll Harvard students at the event are diligent.\nSusan is at the event, and if Susan is a Harvard student, then she is a young adult.\nIf Susan is a Yale student, then she does not like independence.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Susan likes independence and is diligent.", + "answer": true, + "story_id": 348, + "example_id": 922, + "original_premises": "All young adults at the event like independence.\nAll college students at the event are young adults.\nAll Yale students at the event are college students.\nEveryone at the event is a Yale student or a Harvard student.\nAll Harvard students at the event are diligent.\nSusan is at the event, and if Susan is a Harvard student, then she is a young adult.\nIf Susan is a Yale student, then she does not like independence.", + "original_conclusion": "Susan likes independence and is diligent." + }, + { + "id": "folio_923", + "question": "Given the following premises:\n\nAll young adults at the event like independence.\nAll college students at the event are young adults.\nAll Yale students at the event are college students.\nEveryone at the event is a Yale student or a Harvard student.\nAll Harvard students at the event are diligent.\nSusan is at the event, and if Susan is a Harvard student, then she is a young adult.\nIf Susan is a Yale student, then she does not like independence.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Susan is not both diligent and likes independence.", + "answer": false, + "story_id": 348, + "example_id": 923, + "original_premises": "All young adults at the event like independence.\nAll college students at the event are young adults.\nAll Yale students at the event are college students.\nEveryone at the event is a Yale student or a Harvard student.\nAll Harvard students at the event are diligent.\nSusan is at the event, and if Susan is a Harvard student, then she is a young adult.\nIf Susan is a Yale student, then she does not like independence.", + "original_conclusion": "Susan is not both diligent and likes independence." + }, + { + "id": "folio_431", + "question": "Given the following premises:\n\nVic DiCara plays guitar and bass.\nThe only style of music Vic DiCara plays is punk music.\nVic DiCara played in the band Inside Out.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A musician from Inside Out plays bass.", + "answer": true, + "story_id": 147, + "example_id": 431, + "original_premises": "Vic DiCara plays guitar and bass.\nThe only style of music Vic DiCara plays is punk music.\nVic DiCara played in the band Inside Out.", + "original_conclusion": "A musician from Inside Out plays bass." + }, + { + "id": "folio_914", + "question": "Given the following premises:\n\nAll professional athletes spend most of their time on sports.\nAll Olympic gold medal winners are professional athletes.\nNo full-time scientists spend the majority of their time on sports.\nAll Nobel physics laureates are full-time scientists.\nAmy spends the most time on sports, or Amy is an Olympic gold medal winner.\nIf Amy is not a Nobel physics laureate, then Amy is not an Olympic gold medal winner.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Amy is neither a full-time scientist nor an Olympic gold medal winner.", + "answer": true, + "story_id": 346, + "example_id": 914, + "original_premises": "All professional athletes spend most of their time on sports.\nAll Olympic gold medal winners are professional athletes.\nNo full-time scientists spend the majority of their time on sports.\nAll Nobel physics laureates are full-time scientists.\nAmy spends the most time on sports, or Amy is an Olympic gold medal winner.\nIf Amy is not a Nobel physics laureate, then Amy is not an Olympic gold medal winner.", + "original_conclusion": "Amy is neither a full-time scientist nor an Olympic gold medal winner." + }, + { + "id": "folio_915", + "question": "Given the following premises:\n\nAll professional athletes spend most of their time on sports.\nAll Olympic gold medal winners are professional athletes.\nNo full-time scientists spend the majority of their time on sports.\nAll Nobel physics laureates are full-time scientists.\nAmy spends the most time on sports, or Amy is an Olympic gold medal winner.\nIf Amy is not a Nobel physics laureate, then Amy is not an Olympic gold medal winner.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Amy is not an Olympic gold medal winner, then Amy is a Nobel physics laureate.", + "answer": false, + "story_id": 346, + "example_id": 915, + "original_premises": "All professional athletes spend most of their time on sports.\nAll Olympic gold medal winners are professional athletes.\nNo full-time scientists spend the majority of their time on sports.\nAll Nobel physics laureates are full-time scientists.\nAmy spends the most time on sports, or Amy is an Olympic gold medal winner.\nIf Amy is not a Nobel physics laureate, then Amy is not an Olympic gold medal winner.", + "original_conclusion": "If Amy is not an Olympic gold medal winner, then Amy is a Nobel physics laureate." + }, + { + "id": "folio_1142", + "question": "Given the following premises:\n\nAll red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The cherries are apples.", + "answer": false, + "story_id": 409, + "example_id": 1142, + "original_premises": "All red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.", + "original_conclusion": "The cherries are apples." + }, + { + "id": "folio_1143", + "question": "Given the following premises:\n\nAll red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The cherries either contain some amount of vitamin C or are on a warning list.", + "answer": true, + "story_id": 409, + "example_id": 1143, + "original_premises": "All red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.", + "original_conclusion": "The cherries either contain some amount of vitamin C or are on a warning list." + }, + { + "id": "folio_1144", + "question": "Given the following premises:\n\nAll red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The cherries are either on a warning list or are red.", + "answer": true, + "story_id": 409, + "example_id": 1144, + "original_premises": "All red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.", + "original_conclusion": "The cherries are either on a warning list or are red." + }, + { + "id": "folio_1145", + "question": "Given the following premises:\n\nAll red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the cherries are either healthy or are on a warning list, then they are not red.", + "answer": false, + "story_id": 409, + "example_id": 1145, + "original_premises": "All red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.", + "original_conclusion": "If the cherries are either healthy or are on a warning list, then they are not red." + }, + { + "id": "folio_1146", + "question": "Given the following premises:\n\nAll red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the cherries are either on a warning list or are red, then they are not healthy and do not contain any amount of vitamin C.", + "answer": false, + "story_id": 409, + "example_id": 1146, + "original_premises": "All red fruits that grow in Ben's yard contain some Vitamin C.\nAll apples that grow in Ben's yard are red fruits.\nAll fruits that grow in Ben's yard and contain some Vitamin C are healthy. \nNo fruits that grow in Ben's yard and are healthy are on a warning list.\nThe cherries grow in Ben's yard.\nIf cherries are not apples and are not healthy, then they are red fruits.", + "original_conclusion": "If the cherries are either on a warning list or are red, then they are not healthy and do not contain any amount of vitamin C." + }, + { + "id": "folio_1204", + "question": "Given the following premises:\n\nEveryone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James is a student.", + "answer": false, + "story_id": 425, + "example_id": 1204, + "original_premises": "Everyone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.", + "original_conclusion": "James is a student." + }, + { + "id": "folio_1205", + "question": "Given the following premises:\n\nEveryone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James drives to his destination or he is a student.", + "answer": true, + "story_id": 425, + "example_id": 1205, + "original_premises": "Everyone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.", + "original_conclusion": "James drives to his destination or he is a student." + }, + { + "id": "folio_1206", + "question": "Given the following premises:\n\nEveryone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James either drives to their destination or is a student.", + "answer": true, + "story_id": 425, + "example_id": 1206, + "original_premises": "Everyone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.", + "original_conclusion": "James either drives to their destination or is a student." + }, + { + "id": "folio_1207", + "question": "Given the following premises:\n\nEveryone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If James either drives to his destination or is a student, then he has a high income and is a student.", + "answer": false, + "story_id": 425, + "example_id": 1207, + "original_premises": "Everyone working at Meta has a high income. \nA person with a high income will not take a bus to their destination.\nPeople will either take a bus or drive to their destination. \nEveryone who has a car will choose to drive to their destination. \nNo students drive to their destination. \nJames has a car or works at Meta.", + "original_conclusion": "If James either drives to his destination or is a student, then he has a high income and is a student." + }, + { + "id": "folio_1198", + "question": "Given the following premises:\n\nEveryone at the business conference is either an investor or an entrepreneur.\nNone of those at the business conference who enjoy the opportunity of starting a business prefer a planned economy. \nAll entrepreneurs at the business conference enjoy the opportunity of starting a business. \nEveryone at the business conference who enjoys state ownership of means of production prefers a planned economy. \nEveryone at the business conference who is an ardent communist prefers state ownership of the means of production.\nHo is at the business conference and prefers state ownership of the means of production. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Ho is an investor or is not an ardent communist.", + "answer": true, + "story_id": 423, + "example_id": 1198, + "original_premises": "Everyone at the business conference is either an investor or an entrepreneur.\nNone of those at the business conference who enjoy the opportunity of starting a business prefer a planned economy. \nAll entrepreneurs at the business conference enjoy the opportunity of starting a business. \nEveryone at the business conference who enjoys state ownership of means of production prefers a planned economy. \nEveryone at the business conference who is an ardent communist prefers state ownership of the means of production.\nHo is at the business conference and prefers state ownership of the means of production. ", + "original_conclusion": "Ho is an investor or is not an ardent communist." + }, + { + "id": "folio_1170", + "question": "Given the following premises:\n\nSome students in the class who are good at math are also good at chemistry.\nAll students in the class who are good at chemistry enjoy conducting experiments. \nAll students in the class that enjoy conducting experiments are good at planning. \nNone of the students who are good at planning failed the class.\nJames is a student in the class; he is either good at chemistry and failed the class, or bad at chemistry and passed the class.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James is good at math and chemistry.", + "answer": false, + "story_id": 416, + "example_id": 1170, + "original_premises": "Some students in the class who are good at math are also good at chemistry.\nAll students in the class who are good at chemistry enjoy conducting experiments. \nAll students in the class that enjoy conducting experiments are good at planning. \nNone of the students who are good at planning failed the class.\nJames is a student in the class; he is either good at chemistry and failed the class, or bad at chemistry and passed the class.", + "original_conclusion": "James is good at math and chemistry." + }, + { + "id": "folio_1171", + "question": "Given the following premises:\n\nSome students in the class who are good at math are also good at chemistry.\nAll students in the class who are good at chemistry enjoy conducting experiments. \nAll students in the class that enjoy conducting experiments are good at planning. \nNone of the students who are good at planning failed the class.\nJames is a student in the class; he is either good at chemistry and failed the class, or bad at chemistry and passed the class.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James failed the class and is good at math.", + "answer": false, + "story_id": 416, + "example_id": 1171, + "original_premises": "Some students in the class who are good at math are also good at chemistry.\nAll students in the class who are good at chemistry enjoy conducting experiments. \nAll students in the class that enjoy conducting experiments are good at planning. \nNone of the students who are good at planning failed the class.\nJames is a student in the class; he is either good at chemistry and failed the class, or bad at chemistry and passed the class.", + "original_conclusion": "James failed the class and is good at math." + }, + { + "id": "folio_1172", + "question": "Given the following premises:\n\nSome students in the class who are good at math are also good at chemistry.\nAll students in the class who are good at chemistry enjoy conducting experiments. \nAll students in the class that enjoy conducting experiments are good at planning. \nNone of the students who are good at planning failed the class.\nJames is a student in the class; he is either good at chemistry and failed the class, or bad at chemistry and passed the class.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If James is good at Chemistry or failed the class, then James is either good at planning or good at math.", + "answer": true, + "story_id": 416, + "example_id": 1172, + "original_premises": "Some students in the class who are good at math are also good at chemistry.\nAll students in the class who are good at chemistry enjoy conducting experiments. \nAll students in the class that enjoy conducting experiments are good at planning. \nNone of the students who are good at planning failed the class.\nJames is a student in the class; he is either good at chemistry and failed the class, or bad at chemistry and passed the class.", + "original_conclusion": "If James is good at Chemistry or failed the class, then James is either good at planning or good at math." + }, + { + "id": "folio_69", + "question": "Given the following premises:\n\nIf a Leetcode problem is at the easy level, then its AC rate is lower than 20 percent. \nAll Leetcode problems that are recommended to novices are easy. \nA Leetode problem is either easy or hard.\nLeetcode problems that are starred by more than one thousand users are hard.\n2Sum is recommended to novices. \n4Sum is starred by more than 1,000 users.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: 2Sum is a Leetcode problem at the easy level.", + "answer": true, + "story_id": 24, + "example_id": 69, + "original_premises": "If a Leetcode problem is at the easy level, then its AC rate is lower than 20 percent. \nAll Leetcode problems that are recommended to novices are easy. \nA Leetode problem is either easy or hard.\nLeetcode problems that are starred by more than one thousand users are hard.\n2Sum is recommended to novices. \n4Sum is starred by more than 1,000 users.", + "original_conclusion": "2Sum is a Leetcode problem at the easy level." + }, + { + "id": "folio_70", + "question": "Given the following premises:\n\nIf a Leetcode problem is at the easy level, then its AC rate is lower than 20 percent. \nAll Leetcode problems that are recommended to novices are easy. \nA Leetode problem is either easy or hard.\nLeetcode problems that are starred by more than one thousand users are hard.\n2Sum is recommended to novices. \n4Sum is starred by more than 1,000 users.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: 4Sum is a Leetcode problem recommended to the novice.", + "answer": false, + "story_id": 24, + "example_id": 70, + "original_premises": "If a Leetcode problem is at the easy level, then its AC rate is lower than 20 percent. \nAll Leetcode problems that are recommended to novices are easy. \nA Leetode problem is either easy or hard.\nLeetcode problems that are starred by more than one thousand users are hard.\n2Sum is recommended to novices. \n4Sum is starred by more than 1,000 users.", + "original_conclusion": "4Sum is a Leetcode problem recommended to the novice." + }, + { + "id": "folio_71", + "question": "Given the following premises:\n\nIf a Leetcode problem is at the easy level, then its AC rate is lower than 20 percent. \nAll Leetcode problems that are recommended to novices are easy. \nA Leetode problem is either easy or hard.\nLeetcode problems that are starred by more than one thousand users are hard.\n2Sum is recommended to novices. \n4Sum is starred by more than 1,000 users.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: 2Sum has an AC rate higher than 20 percent.", + "answer": false, + "story_id": 24, + "example_id": 71, + "original_premises": "If a Leetcode problem is at the easy level, then its AC rate is lower than 20 percent. \nAll Leetcode problems that are recommended to novices are easy. \nA Leetode problem is either easy or hard.\nLeetcode problems that are starred by more than one thousand users are hard.\n2Sum is recommended to novices. \n4Sum is starred by more than 1,000 users.", + "original_conclusion": "2Sum has an AC rate higher than 20 percent." + }, + { + "id": "folio_687", + "question": "Given the following premises:\n\nEveryone who rents a car spends money.\nWhenever Sarah goes to Vermont, Sarah drives there.\nSomeone who does not own a car to drive somewhere must either borrow a car or rent a car.\nSarah doesn\u2019t own a car.\nSarah never borrows a car to go camping.\nSarah is going to go camping in Vermont.\nTo go camping somewhere, you must go to that place.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Sarah will spend money this weekend.", + "answer": true, + "story_id": 244, + "example_id": 687, + "original_premises": "Everyone who rents a car spends money.\nWhenever Sarah goes to Vermont, Sarah drives there.\nSomeone who does not own a car to drive somewhere must either borrow a car or rent a car.\nSarah doesn\u2019t own a car.\nSarah never borrows a car to go camping.\nSarah is going to go camping in Vermont.\nTo go camping somewhere, you must go to that place.", + "original_conclusion": "Sarah will spend money this weekend." + }, + { + "id": "folio_1008", + "question": "Given the following premises:\n\nAll people who attend weddings are getting married or know the people who are getting married.\nNo preteens or young children are getting married or know the people who are getting married.\nPeople who enjoy celebrating life milestone events with other people attend weddings.\nPeople who are fond of large group functions enjoy celebrating life milestone events with other people.\nAll people who are outgoing and spirited are fond of large group functions.\nIf Carol is not both a pre-teen or young child and attends a wedding, then Carol is not getting married or knows the people who are getting married. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Carol is outgoing and very spirited.", + "answer": false, + "story_id": 378, + "example_id": 1008, + "original_premises": "All people who attend weddings are getting married or know the people who are getting married.\nNo preteens or young children are getting married or know the people who are getting married.\nPeople who enjoy celebrating life milestone events with other people attend weddings.\nPeople who are fond of large group functions enjoy celebrating life milestone events with other people.\nAll people who are outgoing and spirited are fond of large group functions.\nIf Carol is not both a pre-teen or young child and attends a wedding, then Carol is not getting married or knows the people who are getting married. ", + "original_conclusion": "Carol is outgoing and very spirited." + }, + { + "id": "folio_1010", + "question": "Given the following premises:\n\nAll people who attend weddings are getting married or know the people who are getting married.\nNo preteens or young children are getting married or know the people who are getting married.\nPeople who enjoy celebrating life milestone events with other people attend weddings.\nPeople who are fond of large group functions enjoy celebrating life milestone events with other people.\nAll people who are outgoing and spirited are fond of large group functions.\nIf Carol is not both a pre-teen or young child and attends a wedding, then Carol is not getting married or knows the people who are getting married. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Carol neither enjoys celebrating life milestone events with other people nor is outgoing and very spirited.", + "answer": true, + "story_id": 378, + "example_id": 1010, + "original_premises": "All people who attend weddings are getting married or know the people who are getting married.\nNo preteens or young children are getting married or know the people who are getting married.\nPeople who enjoy celebrating life milestone events with other people attend weddings.\nPeople who are fond of large group functions enjoy celebrating life milestone events with other people.\nAll people who are outgoing and spirited are fond of large group functions.\nIf Carol is not both a pre-teen or young child and attends a wedding, then Carol is not getting married or knows the people who are getting married. ", + "original_conclusion": "Carol neither enjoys celebrating life milestone events with other people nor is outgoing and very spirited." + }, + { + "id": "folio_1069", + "question": "Given the following premises:\n\nAll velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: ROUGE Dior Colored Lip Balm 999 has a satin finish and has \"rosewood\" in its official description.", + "answer": true, + "story_id": 395, + "example_id": 1069, + "original_premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", + "original_conclusion": "ROUGE Dior Colored Lip Balm 999 has a satin finish and has \"rosewood\" in its official description." + }, + { + "id": "folio_1070", + "question": "Given the following premises:\n\nAll velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: ROUGE Dior Colored Lip Balm 999 either is refillable or has \"rosewood\" in its official description.", + "answer": false, + "story_id": 395, + "example_id": 1070, + "original_premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", + "original_conclusion": "ROUGE Dior Colored Lip Balm 999 either is refillable or has \"rosewood\" in its official description." + }, + { + "id": "folio_1071", + "question": "Given the following premises:\n\nAll velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If ROUGE Dior Colored Lip Balm 999 is not both a velvet finish ipstick in the set and refillable, then it neither is refillable nor has \"rosewood\" in its official description.", + "answer": true, + "story_id": 395, + "example_id": 1071, + "original_premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", + "original_conclusion": "If ROUGE Dior Colored Lip Balm 999 is not both a velvet finish ipstick in the set and refillable, then it neither is refillable nor has \"rosewood\" in its official description." + }, + { + "id": "folio_1072", + "question": "Given the following premises:\n\nAll velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If ROUGE Dior Colored Lip Balm 999 is refillable and has \"rosewood\" in its official description, then it either has a velvet-finish or has \"rosewood\" in its official description.", + "answer": false, + "story_id": 395, + "example_id": 1072, + "original_premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", + "original_conclusion": "If ROUGE Dior Colored Lip Balm 999 is refillable and has \"rosewood\" in its official description, then it either has a velvet-finish or has \"rosewood\" in its official description." + }, + { + "id": "folio_1073", + "question": "Given the following premises:\n\nAll velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If ROUGE Dior Colored Lip Balm 999 either does not have \"rosewood\" in its official description or is refillable, then it has \"rosewood\" in its official description.", + "answer": false, + "story_id": 395, + "example_id": 1073, + "original_premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", + "original_conclusion": "If ROUGE Dior Colored Lip Balm 999 either does not have \"rosewood\" in its official description or is refillable, then it has \"rosewood\" in its official description." + }, + { + "id": "folio_1074", + "question": "Given the following premises:\n\nAll velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If ROUGE Dior Colored Lip Balm 999 either does not have \"rosewood\" in its official description or is refillable, then it neither has a satin-finish nor has \"rosewood\" in its official description.", + "answer": false, + "story_id": 395, + "example_id": 1074, + "original_premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", + "original_conclusion": "If ROUGE Dior Colored Lip Balm 999 either does not have \"rosewood\" in its official description or is refillable, then it neither has a satin-finish nor has \"rosewood\" in its official description." + }, + { + "id": "folio_1075", + "question": "Given the following premises:\n\nAll velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If ROUGE Dior Colored Lip Balm 999 is refillable or has \"rosewood\" in its official description, then it either is refillable or has \"rosewood\" in its official description..", + "answer": false, + "story_id": 395, + "example_id": 1075, + "original_premises": "All velvet-finish lipsticks in the Rouge Dior set, Lunar New Year Limited Edition are refillable.\nLipsticks in the Rouge Dior set, Lunar New Year Limited Edition have either a velvet-finish or a satin-finish.\nNo satin-finish lipsticks in the set do not have \"rosewood\" in its offical description. \nLipstcks in the Rouge Dior set, Lunar New Year Limited Edition either does not have \"rosewood\" in its offical description or it has \"rosewood\" in its official description. \nROUGE Dior Colored Lip Balm 999 is a lipstick in the set, and it either has \"rosewood\" in its official description or has a velvet finish.", + "original_conclusion": "If ROUGE Dior Colored Lip Balm 999 is refillable or has \"rosewood\" in its official description, then it either is refillable or has \"rosewood\" in its official description.." + }, + { + "id": "folio_881", + "question": "Given the following premises:\n\nNo athletes never exercise.\nAll professional basketball players are athletes. \nAll NBA players are professional basketball players. \nAll Knicks players are NBA players. \nEither John is a professional basketball player and he never exercises, or he is not a professional basketball player and he sometimes exercises.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jim is a Knicks player.", + "answer": false, + "story_id": 337, + "example_id": 881, + "original_premises": "No athletes never exercise.\nAll professional basketball players are athletes. \nAll NBA players are professional basketball players. \nAll Knicks players are NBA players. \nEither John is a professional basketball player and he never exercises, or he is not a professional basketball player and he sometimes exercises.", + "original_conclusion": "Jim is a Knicks player." + }, + { + "id": "folio_882", + "question": "Given the following premises:\n\nNo athletes never exercise.\nAll professional basketball players are athletes. \nAll NBA players are professional basketball players. \nAll Knicks players are NBA players. \nEither John is a professional basketball player and he never exercises, or he is not a professional basketball player and he sometimes exercises.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jim is not a Knicks player.", + "answer": true, + "story_id": 337, + "example_id": 882, + "original_premises": "No athletes never exercise.\nAll professional basketball players are athletes. \nAll NBA players are professional basketball players. \nAll Knicks players are NBA players. \nEither John is a professional basketball player and he never exercises, or he is not a professional basketball player and he sometimes exercises.", + "original_conclusion": "Jim is not a Knicks player." + }, + { + "id": "folio_911", + "question": "Given the following premises:\n\nAll kids are young.\nAll toddlers are kids.\nIf someone is young, then they are not elderly.\nAll pirates are seafarers.\nIf Nancy is not a pirate, then Nancy is young.\nIf Nancy is not a toddler, then Nancy is a seafarer.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Nancy is either both a pirate and a toddler, or neither a pirate nor a toddler.", + "answer": false, + "story_id": 345, + "example_id": 911, + "original_premises": "All kids are young.\nAll toddlers are kids.\nIf someone is young, then they are not elderly.\nAll pirates are seafarers.\nIf Nancy is not a pirate, then Nancy is young.\nIf Nancy is not a toddler, then Nancy is a seafarer.", + "original_conclusion": "Nancy is either both a pirate and a toddler, or neither a pirate nor a toddler." + }, + { + "id": "folio_912", + "question": "Given the following premises:\n\nAll kids are young.\nAll toddlers are kids.\nIf someone is young, then they are not elderly.\nAll pirates are seafarers.\nIf Nancy is not a pirate, then Nancy is young.\nIf Nancy is not a toddler, then Nancy is a seafarer.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Nancy is not either a pirate or a toddler, then she is young and is a kid.", + "answer": true, + "story_id": 345, + "example_id": 912, + "original_premises": "All kids are young.\nAll toddlers are kids.\nIf someone is young, then they are not elderly.\nAll pirates are seafarers.\nIf Nancy is not a pirate, then Nancy is young.\nIf Nancy is not a toddler, then Nancy is a seafarer.", + "original_conclusion": "If Nancy is not either a pirate or a toddler, then she is young and is a kid." + }, + { + "id": "folio_201", + "question": "Given the following premises:\n\nLana Wilson directed After Tiller, The Departure, and Miss Americana.\nIf a film is directed by a person, the person is a filmmaker.\nAfter Tiller is a documentary.\nThe documentary is a type of film.\nLana Wilson is from Kirkland.\nKirkland is a US city.\nIf a person is from a city in a country, the person is from the country.\nAfter Tiller is nominated for the Independent Spirit Award for Best Documentary.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Lana Wilson is a US filmmaker.", + "answer": true, + "story_id": 68, + "example_id": 201, + "original_premises": "Lana Wilson directed After Tiller, The Departure, and Miss Americana.\nIf a film is directed by a person, the person is a filmmaker.\nAfter Tiller is a documentary.\nThe documentary is a type of film.\nLana Wilson is from Kirkland.\nKirkland is a US city.\nIf a person is from a city in a country, the person is from the country.\nAfter Tiller is nominated for the Independent Spirit Award for Best Documentary.", + "original_conclusion": "Lana Wilson is a US filmmaker." + }, + { + "id": "folio_202", + "question": "Given the following premises:\n\nLana Wilson directed After Tiller, The Departure, and Miss Americana.\nIf a film is directed by a person, the person is a filmmaker.\nAfter Tiller is a documentary.\nThe documentary is a type of film.\nLana Wilson is from Kirkland.\nKirkland is a US city.\nIf a person is from a city in a country, the person is from the country.\nAfter Tiller is nominated for the Independent Spirit Award for Best Documentary.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Miss Americana is not directed by a filmmaker from Kirkland.", + "answer": false, + "story_id": 68, + "example_id": 202, + "original_premises": "Lana Wilson directed After Tiller, The Departure, and Miss Americana.\nIf a film is directed by a person, the person is a filmmaker.\nAfter Tiller is a documentary.\nThe documentary is a type of film.\nLana Wilson is from Kirkland.\nKirkland is a US city.\nIf a person is from a city in a country, the person is from the country.\nAfter Tiller is nominated for the Independent Spirit Award for Best Documentary.", + "original_conclusion": "Miss Americana is not directed by a filmmaker from Kirkland." + }, + { + "id": "folio_725", + "question": "Given the following premises:\n\nAll bears in zoos are not wild. \nSome bears are in zoos. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Not all bears are wild.", + "answer": true, + "story_id": 281, + "example_id": 725, + "original_premises": "All bears in zoos are not wild. \nSome bears are in zoos. ", + "original_conclusion": "Not all bears are wild." + }, + { + "id": "folio_165", + "question": "Given the following premises:\n\nIf a person is the leader of a country for life, that person has power.\nLeaders of a country for life are either a king or a queen.\nQueens are female.\nKings are male. \nElizabeth is a queen.\nElizabeth is a leader of a country for life.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Elizabeth is a king.", + "answer": false, + "story_id": 56, + "example_id": 165, + "original_premises": "If a person is the leader of a country for life, that person has power.\nLeaders of a country for life are either a king or a queen.\nQueens are female.\nKings are male. \nElizabeth is a queen.\nElizabeth is a leader of a country for life.", + "original_conclusion": "Elizabeth is a king." + }, + { + "id": "folio_166", + "question": "Given the following premises:\n\nIf a person is the leader of a country for life, that person has power.\nLeaders of a country for life are either a king or a queen.\nQueens are female.\nKings are male. \nElizabeth is a queen.\nElizabeth is a leader of a country for life.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Elizabeth has power.", + "answer": true, + "story_id": 56, + "example_id": 166, + "original_premises": "If a person is the leader of a country for life, that person has power.\nLeaders of a country for life are either a king or a queen.\nQueens are female.\nKings are male. \nElizabeth is a queen.\nElizabeth is a leader of a country for life.", + "original_conclusion": "Elizabeth has power." + }, + { + "id": "folio_167", + "question": "Given the following premises:\n\nIf a person is the leader of a country for life, that person has power.\nLeaders of a country for life are either a king or a queen.\nQueens are female.\nKings are male. \nElizabeth is a queen.\nElizabeth is a leader of a country for life.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Elizabeth is a leader of a country for life.", + "answer": true, + "story_id": 56, + "example_id": 167, + "original_premises": "If a person is the leader of a country for life, that person has power.\nLeaders of a country for life are either a king or a queen.\nQueens are female.\nKings are male. \nElizabeth is a queen.\nElizabeth is a leader of a country for life.", + "original_conclusion": "Elizabeth is a leader of a country for life." + }, + { + "id": "folio_977", + "question": "Given the following premises:\n\nAll people who went to Clay's school and who make their own matcha teas every morning with ceremonial-grade matcha powder do not wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school, who live in California, and attend yoga classes regularly, make their own matcha teas every morning with ceremonial-grade matcha powder.\nAll people who went to Clay's school, and work in the entertainment industry as high-profile celebrities, wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school that do not have regular 9-5 jobs, work in the entertainment industry as high-profile celebrities.\nAll people who went to Clay's school and prefer working at home over going to the office daily do not have regular 9-5 jobs.\nBunny went to Clay's school, and she either prefers to work at home over going to the office and makes her own matcha teas every morning with ceremonial-grade matcha powder, or does not prefer to work at home over going to the office every day and does not make her own matcha teas every morning with ceremonial-grade matcha powder.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bunny went to Clay's school and she lives in California and attends yoga classes regularly.", + "answer": false, + "story_id": 367, + "example_id": 977, + "original_premises": "All people who went to Clay's school and who make their own matcha teas every morning with ceremonial-grade matcha powder do not wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school, who live in California, and attend yoga classes regularly, make their own matcha teas every morning with ceremonial-grade matcha powder.\nAll people who went to Clay's school, and work in the entertainment industry as high-profile celebrities, wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school that do not have regular 9-5 jobs, work in the entertainment industry as high-profile celebrities.\nAll people who went to Clay's school and prefer working at home over going to the office daily do not have regular 9-5 jobs.\nBunny went to Clay's school, and she either prefers to work at home over going to the office and makes her own matcha teas every morning with ceremonial-grade matcha powder, or does not prefer to work at home over going to the office every day and does not make her own matcha teas every morning with ceremonial-grade matcha powder.", + "original_conclusion": "Bunny went to Clay's school and she lives in California and attends yoga classes regularly." + }, + { + "id": "folio_978", + "question": "Given the following premises:\n\nAll people who went to Clay's school and who make their own matcha teas every morning with ceremonial-grade matcha powder do not wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school, who live in California, and attend yoga classes regularly, make their own matcha teas every morning with ceremonial-grade matcha powder.\nAll people who went to Clay's school, and work in the entertainment industry as high-profile celebrities, wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school that do not have regular 9-5 jobs, work in the entertainment industry as high-profile celebrities.\nAll people who went to Clay's school and prefer working at home over going to the office daily do not have regular 9-5 jobs.\nBunny went to Clay's school, and she either prefers to work at home over going to the office and makes her own matcha teas every morning with ceremonial-grade matcha powder, or does not prefer to work at home over going to the office every day and does not make her own matcha teas every morning with ceremonial-grade matcha powder.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bunny went to Clay's school and she neither prefers working at home over going to the office nor lives in California and attends yoga classes regularly.", + "answer": true, + "story_id": 367, + "example_id": 978, + "original_premises": "All people who went to Clay's school and who make their own matcha teas every morning with ceremonial-grade matcha powder do not wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school, who live in California, and attend yoga classes regularly, make their own matcha teas every morning with ceremonial-grade matcha powder.\nAll people who went to Clay's school, and work in the entertainment industry as high-profile celebrities, wake up late and start their schedules past noon regularly.\nAll people who went to Clay's school that do not have regular 9-5 jobs, work in the entertainment industry as high-profile celebrities.\nAll people who went to Clay's school and prefer working at home over going to the office daily do not have regular 9-5 jobs.\nBunny went to Clay's school, and she either prefers to work at home over going to the office and makes her own matcha teas every morning with ceremonial-grade matcha powder, or does not prefer to work at home over going to the office every day and does not make her own matcha teas every morning with ceremonial-grade matcha powder.", + "original_conclusion": "Bunny went to Clay's school and she neither prefers working at home over going to the office nor lives in California and attends yoga classes regularly." + }, + { + "id": "folio_55", + "question": "Given the following premises:\n\nThomas Barber was an English professional footballer.\nThomas Barber played in the Football League for Aston Villa.\nThomas Barber played as a halfback and inside left.\nThomas Barber scored the winning goal in the 1913 FA Cup Final.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Thomas Barber played as an inside left.", + "answer": true, + "story_id": 19, + "example_id": 55, + "original_premises": "Thomas Barber was an English professional footballer.\nThomas Barber played in the Football League for Aston Villa.\nThomas Barber played as a halfback and inside left.\nThomas Barber scored the winning goal in the 1913 FA Cup Final.", + "original_conclusion": "Thomas Barber played as an inside left." + }, + { + "id": "folio_56", + "question": "Given the following premises:\n\nThomas Barber was an English professional footballer.\nThomas Barber played in the Football League for Aston Villa.\nThomas Barber played as a halfback and inside left.\nThomas Barber scored the winning goal in the 1913 FA Cup Final.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: An English professional footballer scored the winning goal in the 1913 FA Cup Final.", + "answer": true, + "story_id": 19, + "example_id": 56, + "original_premises": "Thomas Barber was an English professional footballer.\nThomas Barber played in the Football League for Aston Villa.\nThomas Barber played as a halfback and inside left.\nThomas Barber scored the winning goal in the 1913 FA Cup Final.", + "original_conclusion": "An English professional footballer scored the winning goal in the 1913 FA Cup Final." + }, + { + "id": "folio_464", + "question": "Given the following premises:\n\nIf a person plays an instrument in a concert, they are good at playing this kind of instrument.\nPeter plays piano, violin, and saxophone.\nPeter plays piano in a concert.\nOliver and Peter both play instruments in a concert.\nOliver plays a different musical instrument from Peter in the concert.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Oliver plays piano in the concert.", + "answer": false, + "story_id": 162, + "example_id": 464, + "original_premises": "If a person plays an instrument in a concert, they are good at playing this kind of instrument.\nPeter plays piano, violin, and saxophone.\nPeter plays piano in a concert.\nOliver and Peter both play instruments in a concert.\nOliver plays a different musical instrument from Peter in the concert.", + "original_conclusion": "Oliver plays piano in the concert." + }, + { + "id": "folio_466", + "question": "Given the following premises:\n\nIf a person plays an instrument in a concert, they are good at playing this kind of instrument.\nPeter plays piano, violin, and saxophone.\nPeter plays piano in a concert.\nOliver and Peter both play instruments in a concert.\nOliver plays a different musical instrument from Peter in the concert.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Peter is good at playing piano.", + "answer": true, + "story_id": 162, + "example_id": 466, + "original_premises": "If a person plays an instrument in a concert, they are good at playing this kind of instrument.\nPeter plays piano, violin, and saxophone.\nPeter plays piano in a concert.\nOliver and Peter both play instruments in a concert.\nOliver plays a different musical instrument from Peter in the concert.", + "original_conclusion": "Peter is good at playing piano." + }, + { + "id": "folio_1308", + "question": "Given the following premises:\n\nFunctional brainstems are necessary for breath control.\nAll humans that can swim can control their breath. \nHumans can swim or walk. \nHumans who can walk can stand on the ground by themselves. \nHumans whose brainstems are functional can control their balance.\nEvery human who can stand on the ground by themselves has functional leg muscles. \nGeorge and Archie are humans.\nGeorge can control his balance and can swim.\nArchie can walk if and only if he has functional brainstems.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Archie has functional leg muscles and can control his balance.", + "answer": true, + "story_id": 454, + "example_id": 1308, + "original_premises": "Functional brainstems are necessary for breath control.\nAll humans that can swim can control their breath. \nHumans can swim or walk. \nHumans who can walk can stand on the ground by themselves. \nHumans whose brainstems are functional can control their balance.\nEvery human who can stand on the ground by themselves has functional leg muscles. \nGeorge and Archie are humans.\nGeorge can control his balance and can swim.\nArchie can walk if and only if he has functional brainstems.", + "original_conclusion": "Archie has functional leg muscles and can control his balance." + }, + { + "id": "folio_1309", + "question": "Given the following premises:\n\nFunctional brainstems are necessary for breath control.\nAll humans that can swim can control their breath. \nHumans can swim or walk. \nHumans who can walk can stand on the ground by themselves. \nHumans whose brainstems are functional can control their balance.\nEvery human who can stand on the ground by themselves has functional leg muscles. \nGeorge and Archie are humans.\nGeorge can control his balance and can swim.\nArchie can walk if and only if he has functional brainstems.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Archie cannot control his balance and doesn't have functional leg muscles.", + "answer": false, + "story_id": 454, + "example_id": 1309, + "original_premises": "Functional brainstems are necessary for breath control.\nAll humans that can swim can control their breath. \nHumans can swim or walk. \nHumans who can walk can stand on the ground by themselves. \nHumans whose brainstems are functional can control their balance.\nEvery human who can stand on the ground by themselves has functional leg muscles. \nGeorge and Archie are humans.\nGeorge can control his balance and can swim.\nArchie can walk if and only if he has functional brainstems.", + "original_conclusion": "Archie cannot control his balance and doesn't have functional leg muscles." + }, + { + "id": "folio_671", + "question": "Given the following premises:\n\nCancer biology is finding genetic alterations that confer a selective advantage to cancer cells. \nCancer researchers have frequently ranked the importance of substitutions to cancer growth by the P value.\nP values are thresholds for belief, not metrics of effect. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: P values don't represent metrics of effect.", + "answer": true, + "story_id": 236, + "example_id": 671, + "original_premises": "Cancer biology is finding genetic alterations that confer a selective advantage to cancer cells. \nCancer researchers have frequently ranked the importance of substitutions to cancer growth by the P value.\nP values are thresholds for belief, not metrics of effect. ", + "original_conclusion": "P values don't represent metrics of effect." + }, + { + "id": "folio_1404", + "question": "Given the following premises:\n\nAll biodegradable things are environment-friendly. \nAll woodware is biodegradable.\nAll paper is woodware. \nNothing is a good thing and also a bad thing.\nAll environment-friendly things are good.\nA worksheet is either paper or environment-friendly.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A worksheet is bad.", + "answer": false, + "story_id": 481, + "example_id": 1404, + "original_premises": "All biodegradable things are environment-friendly. \nAll woodware is biodegradable.\nAll paper is woodware. \nNothing is a good thing and also a bad thing.\nAll environment-friendly things are good.\nA worksheet is either paper or environment-friendly.", + "original_conclusion": "A worksheet is bad." + }, + { + "id": "folio_1405", + "question": "Given the following premises:\n\nAll biodegradable things are environment-friendly. \nAll woodware is biodegradable.\nAll paper is woodware. \nNothing is a good thing and also a bad thing.\nAll environment-friendly things are good.\nA worksheet is either paper or environment-friendly.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A worksheet is not bad.", + "answer": true, + "story_id": 481, + "example_id": 1405, + "original_premises": "All biodegradable things are environment-friendly. \nAll woodware is biodegradable.\nAll paper is woodware. \nNothing is a good thing and also a bad thing.\nAll environment-friendly things are good.\nA worksheet is either paper or environment-friendly.", + "original_conclusion": "A worksheet is not bad." + }, + { + "id": "folio_697", + "question": "Given the following premises:\n\nNo reptile has fur.\nAll snakes are reptiles.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some snake has fur.", + "answer": false, + "story_id": 253, + "example_id": 697, + "original_premises": "No reptile has fur.\nAll snakes are reptiles.", + "original_conclusion": "Some snake has fur." + }, + { + "id": "folio_177", + "question": "Given the following premises:\n\nAll buildings in New Haven are not high.\nAll buildings managed by Yale Housing are located in New Haven. \nAll buildings in Manhattans are high. \nAll buildings owned by Bloomberg are located in Manhattans. \nAll buildings with the Bloomberg logo are owned by Bloomberg. \nTower A is managed by Yale Housing.\nTower B is with the Bloomberg logo.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tower A is low.", + "answer": true, + "story_id": 60, + "example_id": 177, + "original_premises": "All buildings in New Haven are not high.\nAll buildings managed by Yale Housing are located in New Haven. \nAll buildings in Manhattans are high. \nAll buildings owned by Bloomberg are located in Manhattans. \nAll buildings with the Bloomberg logo are owned by Bloomberg. \nTower A is managed by Yale Housing.\nTower B is with the Bloomberg logo.", + "original_conclusion": "Tower A is low." + }, + { + "id": "folio_178", + "question": "Given the following premises:\n\nAll buildings in New Haven are not high.\nAll buildings managed by Yale Housing are located in New Haven. \nAll buildings in Manhattans are high. \nAll buildings owned by Bloomberg are located in Manhattans. \nAll buildings with the Bloomberg logo are owned by Bloomberg. \nTower A is managed by Yale Housing.\nTower B is with the Bloomberg logo.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tower B is not located in Manhattans.", + "answer": false, + "story_id": 60, + "example_id": 178, + "original_premises": "All buildings in New Haven are not high.\nAll buildings managed by Yale Housing are located in New Haven. \nAll buildings in Manhattans are high. \nAll buildings owned by Bloomberg are located in Manhattans. \nAll buildings with the Bloomberg logo are owned by Bloomberg. \nTower A is managed by Yale Housing.\nTower B is with the Bloomberg logo.", + "original_conclusion": "Tower B is not located in Manhattans." + }, + { + "id": "folio_179", + "question": "Given the following premises:\n\nAll buildings in New Haven are not high.\nAll buildings managed by Yale Housing are located in New Haven. \nAll buildings in Manhattans are high. \nAll buildings owned by Bloomberg are located in Manhattans. \nAll buildings with the Bloomberg logo are owned by Bloomberg. \nTower A is managed by Yale Housing.\nTower B is with the Bloomberg logo.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tower B is located in New Haven.", + "answer": false, + "story_id": 60, + "example_id": 179, + "original_premises": "All buildings in New Haven are not high.\nAll buildings managed by Yale Housing are located in New Haven. \nAll buildings in Manhattans are high. \nAll buildings owned by Bloomberg are located in Manhattans. \nAll buildings with the Bloomberg logo are owned by Bloomberg. \nTower A is managed by Yale Housing.\nTower B is with the Bloomberg logo.", + "original_conclusion": "Tower B is located in New Haven." + }, + { + "id": "folio_1305", + "question": "Given the following premises:\n\nNo birds are ectothermic.\nAll penguins are birds.\nAn animal is ectothermic or endothermic.\nAll endothermic animals produce heat within the body.\nRon and Henry are both animals.\nRon is not a bird and does not produce heat with the body. \nHenry is not a cat and does not produce heat with the body. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Either Henry is a penguin or Henry is endothermic.", + "answer": false, + "story_id": 453, + "example_id": 1305, + "original_premises": "No birds are ectothermic.\nAll penguins are birds.\nAn animal is ectothermic or endothermic.\nAll endothermic animals produce heat within the body.\nRon and Henry are both animals.\nRon is not a bird and does not produce heat with the body. \nHenry is not a cat and does not produce heat with the body. ", + "original_conclusion": "Either Henry is a penguin or Henry is endothermic." + }, + { + "id": "folio_1306", + "question": "Given the following premises:\n\nNo birds are ectothermic.\nAll penguins are birds.\nAn animal is ectothermic or endothermic.\nAll endothermic animals produce heat within the body.\nRon and Henry are both animals.\nRon is not a bird and does not produce heat with the body. \nHenry is not a cat and does not produce heat with the body. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Ron is either both a penguin and endothermic, or he is nether.", + "answer": true, + "story_id": 453, + "example_id": 1306, + "original_premises": "No birds are ectothermic.\nAll penguins are birds.\nAn animal is ectothermic or endothermic.\nAll endothermic animals produce heat within the body.\nRon and Henry are both animals.\nRon is not a bird and does not produce heat with the body. \nHenry is not a cat and does not produce heat with the body. ", + "original_conclusion": "Ron is either both a penguin and endothermic, or he is nether." + }, + { + "id": "folio_221", + "question": "Given the following premises:\n\nAmbiortus is a prehistoric bird genus.\nAmbiortus Dementjevi is the only known species of Ambiortus.\nMongolia was where Ambiortus Dementjevi lived.\nYevgeny Kurochkin was the discoverer of Ambiortus.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Yevgeny Kurochkin discovered a new bird genus.", + "answer": true, + "story_id": 73, + "example_id": 221, + "original_premises": "Ambiortus is a prehistoric bird genus.\nAmbiortus Dementjevi is the only known species of Ambiortus.\nMongolia was where Ambiortus Dementjevi lived.\nYevgeny Kurochkin was the discoverer of Ambiortus.", + "original_conclusion": "Yevgeny Kurochkin discovered a new bird genus." + }, + { + "id": "folio_222", + "question": "Given the following premises:\n\nAmbiortus is a prehistoric bird genus.\nAmbiortus Dementjevi is the only known species of Ambiortus.\nMongolia was where Ambiortus Dementjevi lived.\nYevgeny Kurochkin was the discoverer of Ambiortus.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a species of Ambiortus that doesn't live in Mongolia.", + "answer": false, + "story_id": 73, + "example_id": 222, + "original_premises": "Ambiortus is a prehistoric bird genus.\nAmbiortus Dementjevi is the only known species of Ambiortus.\nMongolia was where Ambiortus Dementjevi lived.\nYevgeny Kurochkin was the discoverer of Ambiortus.", + "original_conclusion": "There is a species of Ambiortus that doesn't live in Mongolia." + }, + { + "id": "folio_224", + "question": "Given the following premises:\n\nAmbiortus is a prehistoric bird genus.\nAmbiortus Dementjevi is the only known species of Ambiortus.\nMongolia was where Ambiortus Dementjevi lived.\nYevgeny Kurochkin was the discoverer of Ambiortus.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: All species of Ambiortus live in Mongolia.", + "answer": true, + "story_id": 73, + "example_id": 224, + "original_premises": "Ambiortus is a prehistoric bird genus.\nAmbiortus Dementjevi is the only known species of Ambiortus.\nMongolia was where Ambiortus Dementjevi lived.\nYevgeny Kurochkin was the discoverer of Ambiortus.", + "original_conclusion": "All species of Ambiortus live in Mongolia." + }, + { + "id": "folio_1290", + "question": "Given the following premises:\n\nEveryone that knows about breath-first-search knows how to use a queue. \nIf someone is a seasoned software engineer interviewer at Google, then they know what breath-first-search is. \nSomeone is either a seasoned software engineer interviewer at Google, has human rights, or both. \nEvery person who has human rights is entitled to the right to life and liberty. \nEveryone that knows how to use a queue knows about the first-in-first-out data structure. \nEveryone that is entitled to the right to life and liberty cannot be deprived of their rights without due process of law. \nJack is entitled to the right to life and liberty, has human rights, or knows about the first-in-first-out data structure. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack cannot be deprived of their rights without due process of law.", + "answer": true, + "story_id": 448, + "example_id": 1290, + "original_premises": "Everyone that knows about breath-first-search knows how to use a queue. \nIf someone is a seasoned software engineer interviewer at Google, then they know what breath-first-search is. \nSomeone is either a seasoned software engineer interviewer at Google, has human rights, or both. \nEvery person who has human rights is entitled to the right to life and liberty. \nEveryone that knows how to use a queue knows about the first-in-first-out data structure. \nEveryone that is entitled to the right to life and liberty cannot be deprived of their rights without due process of law. \nJack is entitled to the right to life and liberty, has human rights, or knows about the first-in-first-out data structure. ", + "original_conclusion": "Jack cannot be deprived of their rights without due process of law." + }, + { + "id": "folio_1291", + "question": "Given the following premises:\n\nEveryone that knows about breath-first-search knows how to use a queue. \nIf someone is a seasoned software engineer interviewer at Google, then they know what breath-first-search is. \nSomeone is either a seasoned software engineer interviewer at Google, has human rights, or both. \nEvery person who has human rights is entitled to the right to life and liberty. \nEveryone that knows how to use a queue knows about the first-in-first-out data structure. \nEveryone that is entitled to the right to life and liberty cannot be deprived of their rights without due process of law. \nJack is entitled to the right to life and liberty, has human rights, or knows about the first-in-first-out data structure. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack can be deprived of their rights without due process of law.", + "answer": false, + "story_id": 448, + "example_id": 1291, + "original_premises": "Everyone that knows about breath-first-search knows how to use a queue. \nIf someone is a seasoned software engineer interviewer at Google, then they know what breath-first-search is. \nSomeone is either a seasoned software engineer interviewer at Google, has human rights, or both. \nEvery person who has human rights is entitled to the right to life and liberty. \nEveryone that knows how to use a queue knows about the first-in-first-out data structure. \nEveryone that is entitled to the right to life and liberty cannot be deprived of their rights without due process of law. \nJack is entitled to the right to life and liberty, has human rights, or knows about the first-in-first-out data structure. ", + "original_conclusion": "Jack can be deprived of their rights without due process of law." + }, + { + "id": "folio_7", + "question": "Given the following premises:\n\nFort Ticonderoga is the current name for Fort Carillon.\nPierre de Rigaud de Vaudreuil built Fort Carillon.\nFort Carillon was located in New France.\nNew France is not in Europe.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Pierre de Rigaud de Vaudreuil built a fort in New France.", + "answer": true, + "story_id": 3, + "example_id": 7, + "original_premises": "Fort Ticonderoga is the current name for Fort Carillon.\nPierre de Rigaud de Vaudreuil built Fort Carillon.\nFort Carillon was located in New France.\nNew France is not in Europe.", + "original_conclusion": "Pierre de Rigaud de Vaudreuil built a fort in New France." + }, + { + "id": "folio_841", + "question": "Given the following premises:\n\nNo soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerback players are soccer defenders.\nIf Stephen Curry is an NBA player or a soccer player, then he is a professional basketball player.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Stephen Curry is a centerback player.", + "answer": false, + "story_id": 328, + "example_id": 841, + "original_premises": "No soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerback players are soccer defenders.\nIf Stephen Curry is an NBA player or a soccer player, then he is a professional basketball player.", + "original_conclusion": "Stephen Curry is a centerback player." + }, + { + "id": "folio_842", + "question": "Given the following premises:\n\nNo soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerback players are soccer defenders.\nIf Stephen Curry is an NBA player or a soccer player, then he is a professional basketball player.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Stephen Curry is not a centerback player.", + "answer": true, + "story_id": 328, + "example_id": 842, + "original_premises": "No soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerback players are soccer defenders.\nIf Stephen Curry is an NBA player or a soccer player, then he is a professional basketball player.", + "original_conclusion": "Stephen Curry is not a centerback player." + }, + { + "id": "folio_1415", + "question": "Given the following premises:\n\nNo songs are visuals. \nAll folk songs are songs. \nAll videos are visuals. \nAll movies are videos.\nAll sci-fi movies are movies.\nInception is a sci-fi movie.\nMac is neither a folk song nor a sci-fi movie.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Inception is a folk song.", + "answer": false, + "story_id": 484, + "example_id": 1415, + "original_premises": "No songs are visuals. \nAll folk songs are songs. \nAll videos are visuals. \nAll movies are videos.\nAll sci-fi movies are movies.\nInception is a sci-fi movie.\nMac is neither a folk song nor a sci-fi movie.", + "original_conclusion": "Inception is a folk song." + }, + { + "id": "folio_1416", + "question": "Given the following premises:\n\nNo songs are visuals. \nAll folk songs are songs. \nAll videos are visuals. \nAll movies are videos.\nAll sci-fi movies are movies.\nInception is a sci-fi movie.\nMac is neither a folk song nor a sci-fi movie.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Inception is not a folk song.", + "answer": true, + "story_id": 484, + "example_id": 1416, + "original_premises": "No songs are visuals. \nAll folk songs are songs. \nAll videos are visuals. \nAll movies are videos.\nAll sci-fi movies are movies.\nInception is a sci-fi movie.\nMac is neither a folk song nor a sci-fi movie.", + "original_conclusion": "Inception is not a folk song." + }, + { + "id": "folio_1417", + "question": "Given the following premises:\n\nNo songs are visuals. \nAll folk songs are songs. \nAll videos are visuals. \nAll movies are videos.\nAll sci-fi movies are movies.\nInception is a sci-fi movie.\nMac is neither a folk song nor a sci-fi movie.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Inception is either a video or a folk song.", + "answer": true, + "story_id": 484, + "example_id": 1417, + "original_premises": "No songs are visuals. \nAll folk songs are songs. \nAll videos are visuals. \nAll movies are videos.\nAll sci-fi movies are movies.\nInception is a sci-fi movie.\nMac is neither a folk song nor a sci-fi movie.", + "original_conclusion": "Inception is either a video or a folk song." + }, + { + "id": "folio_1061", + "question": "Given the following premises:\n\nAll inductive reasoning processes derive general principles from a body of observations.\nTwo major types of reasoning rules are inductive reasoning and deductive reasoning. \nAll deductive reasoning processes are only based on facts and rules. \nNothing only based on facts and rules is used for statistical generalization. \nModus Ponens is not both used in inductive reasoning and used for statistical generalization. \nModus Ponens is a component of a major part of reasoning rule. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Modus Ponens derives general principles from a body of observations and is used for statistical generalization.", + "answer": false, + "story_id": 393, + "example_id": 1061, + "original_premises": "All inductive reasoning processes derive general principles from a body of observations.\nTwo major types of reasoning rules are inductive reasoning and deductive reasoning. \nAll deductive reasoning processes are only based on facts and rules. \nNothing only based on facts and rules is used for statistical generalization. \nModus Ponens is not both used in inductive reasoning and used for statistical generalization. \nModus Ponens is a component of a major part of reasoning rule. ", + "original_conclusion": "Modus Ponens derives general principles from a body of observations and is used for statistical generalization." + }, + { + "id": "folio_1062", + "question": "Given the following premises:\n\nAll inductive reasoning processes derive general principles from a body of observations.\nTwo major types of reasoning rules are inductive reasoning and deductive reasoning. \nAll deductive reasoning processes are only based on facts and rules. \nNothing only based on facts and rules is used for statistical generalization. \nModus Ponens is not both used in inductive reasoning and used for statistical generalization. \nModus Ponens is a component of a major part of reasoning rule. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Modus Ponens either derives general principles from a body of observations and is used for statistical generalization, or neither, then Modus Ponens is is neither used in inductive reasoning nor used for statistical generalization.", + "answer": true, + "story_id": 393, + "example_id": 1062, + "original_premises": "All inductive reasoning processes derive general principles from a body of observations.\nTwo major types of reasoning rules are inductive reasoning and deductive reasoning. \nAll deductive reasoning processes are only based on facts and rules. \nNothing only based on facts and rules is used for statistical generalization. \nModus Ponens is not both used in inductive reasoning and used for statistical generalization. \nModus Ponens is a component of a major part of reasoning rule. ", + "original_conclusion": "If Modus Ponens either derives general principles from a body of observations and is used for statistical generalization, or neither, then Modus Ponens is is neither used in inductive reasoning nor used for statistical generalization." + }, + { + "id": "folio_1134", + "question": "Given the following premises:\n\nNo trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack is bad at mid-range shots.", + "answer": false, + "story_id": 408, + "example_id": 1134, + "original_premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", + "original_conclusion": "Jack is bad at mid-range shots." + }, + { + "id": "folio_1135", + "question": "Given the following premises:\n\nNo trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack is solid at shooting 2-pointers or bad at mid-range shots.", + "answer": true, + "story_id": 408, + "example_id": 1135, + "original_premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", + "original_conclusion": "Jack is solid at shooting 2-pointers or bad at mid-range shots." + }, + { + "id": "folio_1136", + "question": "Given the following premises:\n\nNo trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack is either solid at shooting 2-pointers or bad at mid-range shots.", + "answer": true, + "story_id": 408, + "example_id": 1136, + "original_premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", + "original_conclusion": "Jack is either solid at shooting 2-pointers or bad at mid-range shots." + }, + { + "id": "folio_1137", + "question": "Given the following premises:\n\nNo trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack is a trick-shot artist or bad at mid-range shots.", + "answer": false, + "story_id": 408, + "example_id": 1137, + "original_premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", + "original_conclusion": "Jack is a trick-shot artist or bad at mid-range shots." + }, + { + "id": "folio_1138", + "question": "Given the following premises:\n\nNo trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack is either a trick-shot artist or bad at mid-range shots.", + "answer": false, + "story_id": 408, + "example_id": 1138, + "original_premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", + "original_conclusion": "Jack is either a trick-shot artist or bad at mid-range shots." + }, + { + "id": "folio_1139", + "question": "Given the following premises:\n\nNo trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack is either a player who successfully shoots a high percentage of 3-pointers or is bad at mid-range shots.", + "answer": true, + "story_id": 408, + "example_id": 1139, + "original_premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", + "original_conclusion": "Jack is either a player who successfully shoots a high percentage of 3-pointers or is bad at mid-range shots." + }, + { + "id": "folio_1140", + "question": "Given the following premises:\n\nNo trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Jack is not solid at shooting 2-pointers and bad at mid-range shots, then Jack is not solid at shooting 2-pointers and is a player who successfully shoots a high percentage of 3-pointers.", + "answer": false, + "story_id": 408, + "example_id": 1140, + "original_premises": "No trick-shot artist in Yale's varsity team struggles with half court shots.\nEveryone on Yale's varsity team is someone who struggles with half court shots or who successfully shoots a high percentage of 3-pointers. \nEveryone on Yale's varsity team who successfully shoots a high percentage of 3-pointers is solid at shooting 2-pointers. \nNo one on Yale's varsity team who is solid at shooting 2-pointers is bad at mid-range shots. \nJack is on Yale's varsity team, and he is either a trick-shot artist or he successfully shoots a high percentage of 3-pointers.", + "original_conclusion": "If Jack is not solid at shooting 2-pointers and bad at mid-range shots, then Jack is not solid at shooting 2-pointers and is a player who successfully shoots a high percentage of 3-pointers." + }, + { + "id": "folio_715", + "question": "Given the following premises:\n\nNo plants are fungi.\nMushrooms are fungi.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No plants are mushrooms.", + "answer": true, + "story_id": 271, + "example_id": 715, + "original_premises": "No plants are fungi.\nMushrooms are fungi.", + "original_conclusion": "No plants are mushrooms." + }, + { + "id": "folio_628", + "question": "Given the following premises:\n\nNew York City is located on the East Coast. \nSeattle is located on the West Coast. \nIf a person is somewhere located on the East coast and is traveling to somewhere located on the west coast, they will be on a long flight.\nPeople in business class from New York City to Seattle are not in first class.\nPeople on long flights are uncomfortable unless they're in first class.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: People traveling in business class from New York City to Seattle will be uncomfortable.", + "answer": true, + "story_id": 222, + "example_id": 628, + "original_premises": "New York City is located on the East Coast. \nSeattle is located on the West Coast. \nIf a person is somewhere located on the East coast and is traveling to somewhere located on the west coast, they will be on a long flight.\nPeople in business class from New York City to Seattle are not in first class.\nPeople on long flights are uncomfortable unless they're in first class.", + "original_conclusion": "People traveling in business class from New York City to Seattle will be uncomfortable." + }, + { + "id": "folio_357", + "question": "Given the following premises:\n\nMusicians have very busy lives.\nSingh Kaur is a musician and famous.\nIf a musician is not famous, that musician will not make a lot of money.\nA musician can be a singer or a writer.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Singh Kaur has a very busy life.", + "answer": true, + "story_id": 118, + "example_id": 357, + "original_premises": "Musicians have very busy lives.\nSingh Kaur is a musician and famous.\nIf a musician is not famous, that musician will not make a lot of money.\nA musician can be a singer or a writer.", + "original_conclusion": "Singh Kaur has a very busy life." + }, + { + "id": "folio_375", + "question": "Given the following premises:\n\nA cat named Garfield, the main character of the film Garfield, is orange and fat and likes having lasagna. \nGarfield shares a home with Odie, another pet of Jon's. \nGarfield hates Odie.\nA pet who hates the pet with whom he shares the same owner is childish and possessive.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The main character of the film Garfield is childish and possessive.", + "answer": true, + "story_id": 126, + "example_id": 375, + "original_premises": "A cat named Garfield, the main character of the film Garfield, is orange and fat and likes having lasagna. \nGarfield shares a home with Odie, another pet of Jon's. \nGarfield hates Odie.\nA pet who hates the pet with whom he shares the same owner is childish and possessive.", + "original_conclusion": "The main character of the film Garfield is childish and possessive." + }, + { + "id": "folio_1374", + "question": "Given the following premises:\n\nAll humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Hulu is dirt.", + "answer": false, + "story_id": 474, + "example_id": 1374, + "original_premises": "All humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. ", + "original_conclusion": "Hulu is dirt." + }, + { + "id": "folio_1375", + "question": "Given the following premises:\n\nAll humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Hulu is an animal or dirt.", + "answer": true, + "story_id": 474, + "example_id": 1375, + "original_premises": "All humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. ", + "original_conclusion": "Hulu is an animal or dirt." + }, + { + "id": "folio_1376", + "question": "Given the following premises:\n\nAll humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Hulu is either an animal or dirt, but not both.", + "answer": true, + "story_id": 474, + "example_id": 1376, + "original_premises": "All humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. ", + "original_conclusion": "Hulu is either an animal or dirt, but not both." + }, + { + "id": "folio_1377", + "question": "Given the following premises:\n\nAll humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Hulu is either an animal or dirt, then Hulu is capable of abstract thoughts and is dirt.", + "answer": false, + "story_id": 474, + "example_id": 1377, + "original_premises": "All humans are capable of abstract thoughts.\nPlants are not capable of abstract thoughts.\nAll multicellular creatures that are autotrophic or digest food internally are plants and animals.\nAll goats are animals.\nDirt is not an animal.\nHulu is a goat or a human.\nHulu is a multicellular creature that is autotrophic or digests food internally. ", + "original_conclusion": "If Hulu is either an animal or dirt, then Hulu is capable of abstract thoughts and is dirt." + }, + { + "id": "folio_136", + "question": "Given the following premises:\n\nA controlled substance is a drug.\nThere exist both harmful and beneficial controlled substances.\nIf a child is exposed to a controlled substance, they are in chemical endangerment.\nChemical Endangerment is harmful. \nThe Controlled Substances Act was an act passed in 1971.\nSome Acts prevent harmful things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some drugs are beneficial.", + "answer": true, + "story_id": 47, + "example_id": 136, + "original_premises": "A controlled substance is a drug.\nThere exist both harmful and beneficial controlled substances.\nIf a child is exposed to a controlled substance, they are in chemical endangerment.\nChemical Endangerment is harmful. \nThe Controlled Substances Act was an act passed in 1971.\nSome Acts prevent harmful things.", + "original_conclusion": "Some drugs are beneficial." + }, + { + "id": "folio_137", + "question": "Given the following premises:\n\nA controlled substance is a drug.\nThere exist both harmful and beneficial controlled substances.\nIf a child is exposed to a controlled substance, they are in chemical endangerment.\nChemical Endangerment is harmful. \nThe Controlled Substances Act was an act passed in 1971.\nSome Acts prevent harmful things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A child in chemical endangerment is in harm.", + "answer": true, + "story_id": 47, + "example_id": 137, + "original_premises": "A controlled substance is a drug.\nThere exist both harmful and beneficial controlled substances.\nIf a child is exposed to a controlled substance, they are in chemical endangerment.\nChemical Endangerment is harmful. \nThe Controlled Substances Act was an act passed in 1971.\nSome Acts prevent harmful things.", + "original_conclusion": "A child in chemical endangerment is in harm." + }, + { + "id": "folio_817", + "question": "Given the following premises:\n\nNo people who have corporate jobs are taking more than normal financial risks.\nAll entrepreneurs are taking more than normal financial risks.\nAll risk-averse working people are people who have corporate jobs.\nAll working people who hate working for others want to be entrepreneurs.\nIf Mark Zuckerberg is neither an entrepreneur nor a person who hates working for others, then Mark Zuckerberg is not a risk-averse working person.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mark Zuckerberg is a risk-averse person.", + "answer": false, + "story_id": 321, + "example_id": 817, + "original_premises": "No people who have corporate jobs are taking more than normal financial risks.\nAll entrepreneurs are taking more than normal financial risks.\nAll risk-averse working people are people who have corporate jobs.\nAll working people who hate working for others want to be entrepreneurs.\nIf Mark Zuckerberg is neither an entrepreneur nor a person who hates working for others, then Mark Zuckerberg is not a risk-averse working person.", + "original_conclusion": "Mark Zuckerberg is a risk-averse person." + }, + { + "id": "folio_818", + "question": "Given the following premises:\n\nNo people who have corporate jobs are taking more than normal financial risks.\nAll entrepreneurs are taking more than normal financial risks.\nAll risk-averse working people are people who have corporate jobs.\nAll working people who hate working for others want to be entrepreneurs.\nIf Mark Zuckerberg is neither an entrepreneur nor a person who hates working for others, then Mark Zuckerberg is not a risk-averse working person.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mark Zuckerberg is not a risk-averse person.", + "answer": true, + "story_id": 321, + "example_id": 818, + "original_premises": "No people who have corporate jobs are taking more than normal financial risks.\nAll entrepreneurs are taking more than normal financial risks.\nAll risk-averse working people are people who have corporate jobs.\nAll working people who hate working for others want to be entrepreneurs.\nIf Mark Zuckerberg is neither an entrepreneur nor a person who hates working for others, then Mark Zuckerberg is not a risk-averse working person.", + "original_conclusion": "Mark Zuckerberg is not a risk-averse person." + }, + { + "id": "folio_569", + "question": "Given the following premises:\n\nWildfeed exists as an unannounced program.\nWildfeed can be sporting events, news, or syndicated shows.\nPre-recorded content is a copyright violation.\nPrograms are pre-recorded.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some wildfeed is violating copyright laws.", + "answer": true, + "story_id": 200, + "example_id": 569, + "original_premises": "Wildfeed exists as an unannounced program.\nWildfeed can be sporting events, news, or syndicated shows.\nPre-recorded content is a copyright violation.\nPrograms are pre-recorded.", + "original_conclusion": "Some wildfeed is violating copyright laws." + }, + { + "id": "folio_570", + "question": "Given the following premises:\n\nWildfeed exists as an unannounced program.\nWildfeed can be sporting events, news, or syndicated shows.\nPre-recorded content is a copyright violation.\nPrograms are pre-recorded.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Wildfeed can be prerecorded.", + "answer": true, + "story_id": 200, + "example_id": 570, + "original_premises": "Wildfeed exists as an unannounced program.\nWildfeed can be sporting events, news, or syndicated shows.\nPre-recorded content is a copyright violation.\nPrograms are pre-recorded.", + "original_conclusion": "Wildfeed can be prerecorded." + }, + { + "id": "folio_376", + "question": "Given the following premises:\n\nNew York City is Located in the United States of America.\nThe United States of America is part of North America.\nNorth America is in the western hemisphere of the earth.\nNew York City is a highly developed city.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A highly developed city is located in the western hemisphere of the earth.", + "answer": true, + "story_id": 127, + "example_id": 376, + "original_premises": "New York City is Located in the United States of America.\nThe United States of America is part of North America.\nNorth America is in the western hemisphere of the earth.\nNew York City is a highly developed city.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.", + "original_conclusion": "A highly developed city is located in the western hemisphere of the earth." + }, + { + "id": "folio_377", + "question": "Given the following premises:\n\nNew York City is Located in the United States of America.\nThe United States of America is part of North America.\nNorth America is in the western hemisphere of the earth.\nNew York City is a highly developed city.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The United States of America is not located in the western hemisphere of the earth.", + "answer": false, + "story_id": 127, + "example_id": 377, + "original_premises": "New York City is Located in the United States of America.\nThe United States of America is part of North America.\nNorth America is in the western hemisphere of the earth.\nNew York City is a highly developed city.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.", + "original_conclusion": "The United States of America is not located in the western hemisphere of the earth." + }, + { + "id": "folio_427", + "question": "Given the following premises:\n\nCatullus 4 is a poem written by the ancient Roman writer Catullus.\nCatullus 4 is a story about the retirement of a well-traveled ship.\nThere is a strong analogy of human aging in the poem Catullus 4.\nCatullus 4 is written in an unusual iambic trimeter to convey a sense of speed over the waves.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a poem written by an ancient Roman writer with a strong analogy of human aging.", + "answer": true, + "story_id": 146, + "example_id": 427, + "original_premises": "Catullus 4 is a poem written by the ancient Roman writer Catullus.\nCatullus 4 is a story about the retirement of a well-traveled ship.\nThere is a strong analogy of human aging in the poem Catullus 4.\nCatullus 4 is written in an unusual iambic trimeter to convey a sense of speed over the waves.", + "original_conclusion": "There is a poem written by an ancient Roman writer with a strong analogy of human aging." + }, + { + "id": "folio_429", + "question": "Given the following premises:\n\nCatullus 4 is a poem written by the ancient Roman writer Catullus.\nCatullus 4 is a story about the retirement of a well-traveled ship.\nThere is a strong analogy of human aging in the poem Catullus 4.\nCatullus 4 is written in an unusual iambic trimeter to convey a sense of speed over the waves.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Callus 4 is written in an unusual iambic trimeter to convey a strong analogy of human aging.", + "answer": true, + "story_id": 146, + "example_id": 429, + "original_premises": "Catullus 4 is a poem written by the ancient Roman writer Catullus.\nCatullus 4 is a story about the retirement of a well-traveled ship.\nThere is a strong analogy of human aging in the poem Catullus 4.\nCatullus 4 is written in an unusual iambic trimeter to convey a sense of speed over the waves.", + "original_conclusion": "Callus 4 is written in an unusual iambic trimeter to convey a strong analogy of human aging." + }, + { + "id": "folio_666", + "question": "Given the following premises:\n\nWestworld is an American science fiction-thriller TV series.\nIn 2016, a television series named Westworld debuted on HBO.\nThe TV series Westworld is adapted from the original film in 1973, which was written and directed by Michael Crichton.\nThe 1973 film Westworld is about robots that malfunction and begin killing human visitors.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Michael Crichton has directed a film about malfunctioning robots.", + "answer": true, + "story_id": 235, + "example_id": 666, + "original_premises": "Westworld is an American science fiction-thriller TV series.\nIn 2016, a television series named Westworld debuted on HBO.\nThe TV series Westworld is adapted from the original film in 1973, which was written and directed by Michael Crichton.\nThe 1973 film Westworld is about robots that malfunction and begin killing human visitors.", + "original_conclusion": "Michael Crichton has directed a film about malfunctioning robots." + }, + { + "id": "folio_667", + "question": "Given the following premises:\n\nWestworld is an American science fiction-thriller TV series.\nIn 2016, a television series named Westworld debuted on HBO.\nThe TV series Westworld is adapted from the original film in 1973, which was written and directed by Michael Crichton.\nThe 1973 film Westworld is about robots that malfunction and begin killing human visitors.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: An American TV series debuted in 2016.", + "answer": true, + "story_id": 235, + "example_id": 667, + "original_premises": "Westworld is an American science fiction-thriller TV series.\nIn 2016, a television series named Westworld debuted on HBO.\nThe TV series Westworld is adapted from the original film in 1973, which was written and directed by Michael Crichton.\nThe 1973 film Westworld is about robots that malfunction and begin killing human visitors.", + "original_conclusion": "An American TV series debuted in 2016." + }, + { + "id": "folio_655", + "question": "Given the following premises:\n\nThe 2008 Summer Olympics were held in Beijing, China.\nThe 2008 Summer Olympics was the second Summer Olympic Games held in a communist state.\nChina won the most gold medals (48) in the 2008 Summer Olympics.\nThe United States placed second in the gold medal tally but won the highest number of medals overall (112) in the 2008 Summer Olympics.\nThe third place in the gold medal tally was achieved by Russia in the 2008 Summer Olympics.\nIf a country placed third in gold medals, then it had fewer gold medals than the team that won the most gold medals.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Russia did not win fewer gold medals than China.", + "answer": false, + "story_id": 231, + "example_id": 655, + "original_premises": "The 2008 Summer Olympics were held in Beijing, China.\nThe 2008 Summer Olympics was the second Summer Olympic Games held in a communist state.\nChina won the most gold medals (48) in the 2008 Summer Olympics.\nThe United States placed second in the gold medal tally but won the highest number of medals overall (112) in the 2008 Summer Olympics.\nThe third place in the gold medal tally was achieved by Russia in the 2008 Summer Olympics.\nIf a country placed third in gold medals, then it had fewer gold medals than the team that won the most gold medals.", + "original_conclusion": "Russia did not win fewer gold medals than China." + }, + { + "id": "folio_656", + "question": "Given the following premises:\n\nThe 2008 Summer Olympics were held in Beijing, China.\nThe 2008 Summer Olympics was the second Summer Olympic Games held in a communist state.\nChina won the most gold medals (48) in the 2008 Summer Olympics.\nThe United States placed second in the gold medal tally but won the highest number of medals overall (112) in the 2008 Summer Olympics.\nThe third place in the gold medal tally was achieved by Russia in the 2008 Summer Olympics.\nIf a country placed third in gold medals, then it had fewer gold medals than the team that won the most gold medals.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Russia won fewer gold medals than China.", + "answer": true, + "story_id": 231, + "example_id": 656, + "original_premises": "The 2008 Summer Olympics were held in Beijing, China.\nThe 2008 Summer Olympics was the second Summer Olympic Games held in a communist state.\nChina won the most gold medals (48) in the 2008 Summer Olympics.\nThe United States placed second in the gold medal tally but won the highest number of medals overall (112) in the 2008 Summer Olympics.\nThe third place in the gold medal tally was achieved by Russia in the 2008 Summer Olympics.\nIf a country placed third in gold medals, then it had fewer gold medals than the team that won the most gold medals.", + "original_conclusion": "Russia won fewer gold medals than China." + }, + { + "id": "folio_77", + "question": "Given the following premises:\n\nXiufeng, Xiangshan, Diecai, Qixing are districts in the city of Guilin.\nYangshuo is not a district in Guilin. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Xiangshan and Diecai are districts in the same city.", + "answer": true, + "story_id": 27, + "example_id": 77, + "original_premises": "Xiufeng, Xiangshan, Diecai, Qixing are districts in the city of Guilin.\nYangshuo is not a district in Guilin. ", + "original_conclusion": "Xiangshan and Diecai are districts in the same city." + }, + { + "id": "folio_78", + "question": "Given the following premises:\n\nXiufeng, Xiangshan, Diecai, Qixing are districts in the city of Guilin.\nYangshuo is not a district in Guilin. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Xiufeng is a district in Guilin.", + "answer": true, + "story_id": 27, + "example_id": 78, + "original_premises": "Xiufeng, Xiangshan, Diecai, Qixing are districts in the city of Guilin.\nYangshuo is not a district in Guilin. ", + "original_conclusion": "Xiufeng is a district in Guilin." + }, + { + "id": "folio_1000", + "question": "Given the following premises:\n\nAll of Michael's neighbors who grow their own fresh vegetables in their home gardens also have ample space.\nAll of Michael's neighbors who are young working professionals and live in large cities, do not have ample space.\nAll of Michael's neighbors who order takeout from delivery services often grow their own fresh vegetables in their home garden.\nAll of Michael's neighbors who enjoy going out often to restaurants with friends order takeout from delivery services often.\nAll of Michael's neighbors who regularly tout the benefits of homegrown and homecooked meals over fast food enjoy going out often to restaurants with friends. \nPeter, Michael's neighbor, grows his own fresh vegetables in his home garden, or regularly touts the benefits of homegrown and homecooked meals over fast food, or both.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Peter is a young working professional who lives in large cities.", + "answer": false, + "story_id": 375, + "example_id": 1000, + "original_premises": "All of Michael's neighbors who grow their own fresh vegetables in their home gardens also have ample space.\nAll of Michael's neighbors who are young working professionals and live in large cities, do not have ample space.\nAll of Michael's neighbors who order takeout from delivery services often grow their own fresh vegetables in their home garden.\nAll of Michael's neighbors who enjoy going out often to restaurants with friends order takeout from delivery services often.\nAll of Michael's neighbors who regularly tout the benefits of homegrown and homecooked meals over fast food enjoy going out often to restaurants with friends. \nPeter, Michael's neighbor, grows his own fresh vegetables in his home garden, or regularly touts the benefits of homegrown and homecooked meals over fast food, or both.", + "original_conclusion": "Peter is a young working professional who lives in large cities." + }, + { + "id": "folio_1001", + "question": "Given the following premises:\n\nAll of Michael's neighbors who grow their own fresh vegetables in their home gardens also have ample space.\nAll of Michael's neighbors who are young working professionals and live in large cities, do not have ample space.\nAll of Michael's neighbors who order takeout from delivery services often grow their own fresh vegetables in their home garden.\nAll of Michael's neighbors who enjoy going out often to restaurants with friends order takeout from delivery services often.\nAll of Michael's neighbors who regularly tout the benefits of homegrown and homecooked meals over fast food enjoy going out often to restaurants with friends. \nPeter, Michael's neighbor, grows his own fresh vegetables in his home garden, or regularly touts the benefits of homegrown and homecooked meals over fast food, or both.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Peter grows his own fresh vegetables in their home garden or is a young working professional who lives in large cities.", + "answer": true, + "story_id": 375, + "example_id": 1001, + "original_premises": "All of Michael's neighbors who grow their own fresh vegetables in their home gardens also have ample space.\nAll of Michael's neighbors who are young working professionals and live in large cities, do not have ample space.\nAll of Michael's neighbors who order takeout from delivery services often grow their own fresh vegetables in their home garden.\nAll of Michael's neighbors who enjoy going out often to restaurants with friends order takeout from delivery services often.\nAll of Michael's neighbors who regularly tout the benefits of homegrown and homecooked meals over fast food enjoy going out often to restaurants with friends. \nPeter, Michael's neighbor, grows his own fresh vegetables in his home garden, or regularly touts the benefits of homegrown and homecooked meals over fast food, or both.", + "original_conclusion": "Peter grows his own fresh vegetables in their home garden or is a young working professional who lives in large cities." + }, + { + "id": "folio_183", + "question": "Given the following premises:\n\nAll devices belonging to the company are connected to Google Home. \nAll devices belonging to employees are connected to the company's wifi. \nAll devices connected to Google Home are controlled by the managers. \nAll devices that connect to the company's wifi are easy to operate. \nModelXX belongs to employees. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: ModelXX is easy to operate.", + "answer": true, + "story_id": 62, + "example_id": 183, + "original_premises": "All devices belonging to the company are connected to Google Home. \nAll devices belonging to employees are connected to the company's wifi. \nAll devices connected to Google Home are controlled by the managers. \nAll devices that connect to the company's wifi are easy to operate. \nModelXX belongs to employees. ", + "original_conclusion": "ModelXX is easy to operate." + }, + { + "id": "folio_1131", + "question": "Given the following premises:\n\nNo touring musicians who perform at the New Haven Symphony Orchestra are permanent members of the orchestra.\nMusicians who perform at the New Haven Symphony Orchestra are permanent members of an orchestra, or they have temporary roles at the orchestra.\nAll touring musicians who perform at the New Haven Symphony Orchestra have temporary roles at the orchestra.\nAll musicians performing at the New Haven Symphony Orchestra who have temporary roles at the orchestra are interesting soloists.\nAll musicians performing at New Haven Symphony Orchestra who are interesting soloists are capable of attracting audiences.\nRyan is performing at New Haven Symphony Orchestra.\nIf Ryan is an interesting soloist and has a temporary role at the orchestra, then he is capable of attracting large audiences if and only if he is a touring soloist musician. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Ryan is either a permanent member of an orchestra or a touring soloist musician.", + "answer": true, + "story_id": 407, + "example_id": 1131, + "original_premises": "No touring musicians who perform at the New Haven Symphony Orchestra are permanent members of the orchestra.\nMusicians who perform at the New Haven Symphony Orchestra are permanent members of an orchestra, or they have temporary roles at the orchestra.\nAll touring musicians who perform at the New Haven Symphony Orchestra have temporary roles at the orchestra.\nAll musicians performing at the New Haven Symphony Orchestra who have temporary roles at the orchestra are interesting soloists.\nAll musicians performing at New Haven Symphony Orchestra who are interesting soloists are capable of attracting audiences.\nRyan is performing at New Haven Symphony Orchestra.\nIf Ryan is an interesting soloist and has a temporary role at the orchestra, then he is capable of attracting large audiences if and only if he is a touring soloist musician. ", + "original_conclusion": "Ryan is either a permanent member of an orchestra or a touring soloist musician." + }, + { + "id": "folio_1132", + "question": "Given the following premises:\n\nNo touring musicians who perform at the New Haven Symphony Orchestra are permanent members of the orchestra.\nMusicians who perform at the New Haven Symphony Orchestra are permanent members of an orchestra, or they have temporary roles at the orchestra.\nAll touring musicians who perform at the New Haven Symphony Orchestra have temporary roles at the orchestra.\nAll musicians performing at the New Haven Symphony Orchestra who have temporary roles at the orchestra are interesting soloists.\nAll musicians performing at New Haven Symphony Orchestra who are interesting soloists are capable of attracting audiences.\nRyan is performing at New Haven Symphony Orchestra.\nIf Ryan is an interesting soloist and has a temporary role at the orchestra, then he is capable of attracting large audiences if and only if he is a touring soloist musician. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Ryan is either a permanent member of an orchestra or has a temporary role at the orchestra.", + "answer": true, + "story_id": 407, + "example_id": 1132, + "original_premises": "No touring musicians who perform at the New Haven Symphony Orchestra are permanent members of the orchestra.\nMusicians who perform at the New Haven Symphony Orchestra are permanent members of an orchestra, or they have temporary roles at the orchestra.\nAll touring musicians who perform at the New Haven Symphony Orchestra have temporary roles at the orchestra.\nAll musicians performing at the New Haven Symphony Orchestra who have temporary roles at the orchestra are interesting soloists.\nAll musicians performing at New Haven Symphony Orchestra who are interesting soloists are capable of attracting audiences.\nRyan is performing at New Haven Symphony Orchestra.\nIf Ryan is an interesting soloist and has a temporary role at the orchestra, then he is capable of attracting large audiences if and only if he is a touring soloist musician. ", + "original_conclusion": "Ryan is either a permanent member of an orchestra or has a temporary role at the orchestra." + }, + { + "id": "folio_1408", + "question": "Given the following premises:\n\nIf someone in Potterville yells, then they are not cool.\nIf someone in Potterville is angry, then they yell.\nIf someone in Potterville flies, then they are cool.\nEvery person in Potterville that knows magic flies.\nAll wizards in Potterville know magic.\nHarry, who lives in Potterville either yells or flies. \nPotter, who lives in Potterville, is a wizard and flies.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Harry is a wizard or angry.", + "answer": false, + "story_id": 482, + "example_id": 1408, + "original_premises": "If someone in Potterville yells, then they are not cool.\nIf someone in Potterville is angry, then they yell.\nIf someone in Potterville flies, then they are cool.\nEvery person in Potterville that knows magic flies.\nAll wizards in Potterville know magic.\nHarry, who lives in Potterville either yells or flies. \nPotter, who lives in Potterville, is a wizard and flies.", + "original_conclusion": "Harry is a wizard or angry." + }, + { + "id": "folio_1409", + "question": "Given the following premises:\n\nIf someone in Potterville yells, then they are not cool.\nIf someone in Potterville is angry, then they yell.\nIf someone in Potterville flies, then they are cool.\nEvery person in Potterville that knows magic flies.\nAll wizards in Potterville know magic.\nHarry, who lives in Potterville either yells or flies. \nPotter, who lives in Potterville, is a wizard and flies.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Harry is neither a wizard nor angry.", + "answer": true, + "story_id": 482, + "example_id": 1409, + "original_premises": "If someone in Potterville yells, then they are not cool.\nIf someone in Potterville is angry, then they yell.\nIf someone in Potterville flies, then they are cool.\nEvery person in Potterville that knows magic flies.\nAll wizards in Potterville know magic.\nHarry, who lives in Potterville either yells or flies. \nPotter, who lives in Potterville, is a wizard and flies.", + "original_conclusion": "Harry is neither a wizard nor angry." + }, + { + "id": "folio_1250", + "question": "Given the following premises:\n\nAll of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: G-910 is a product returned by customers.", + "answer": false, + "story_id": 436, + "example_id": 1250, + "original_premises": "All of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.", + "original_conclusion": "G-910 is a product returned by customers." + }, + { + "id": "folio_1251", + "question": "Given the following premises:\n\nAll of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: G-910 is a product returned by customers or sold in Walmart.", + "answer": true, + "story_id": 436, + "example_id": 1251, + "original_premises": "All of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.", + "original_conclusion": "G-910 is a product returned by customers or sold in Walmart." + }, + { + "id": "folio_1252", + "question": "Given the following premises:\n\nAll of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: G-910 is either returned by customers or sold in Walmart.", + "answer": true, + "story_id": 436, + "example_id": 1252, + "original_premises": "All of this brand's products are either produced in China or in the US. \nAll of this brand's products produced in China are labeled. \nAll of this brand's products produced in the US are sold in the US. \nThe products of this brand that are labeled are cheaper.\nAll of this brand's products sold in the US are sold at Walmart. \nAll products of this brand displayed on the homepage are sold at Walmart. \nNone of this brand's products that are returned by customers are sold at Walmart. \nG-910 is a product of this brand, and it is either displayed on the homepage and is cheaper, or it is neither displayed on the homepage nor is it cheaper.", + "original_conclusion": "G-910 is either returned by customers or sold in Walmart." + }, + { + "id": "folio_939", + "question": "Given the following premises:\n\nPeople either believe in Santa Claus, or think he is made up.\nPeople who believe in Santa Claus expect to get presents on Christmas morning.\nPeople who think Santa Claus is made up, then they would be surprised to see him in their house.\nPeople who expect presents on Christmas morning are excited for it to be Christmas.\nIf people would be surprised to see Santa Claus in their house, then they don't leave out cookies on Chrismtas Eve.\nMercy is not someone who expects presents Christmas morning, is excited for Chrismtas, and believes in Santa Claus.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Marcy either believes in Santa Claus or doesn't leave cookies out on Christmas Eve.", + "answer": true, + "story_id": 354, + "example_id": 939, + "original_premises": "People either believe in Santa Claus, or think he is made up.\nPeople who believe in Santa Claus expect to get presents on Christmas morning.\nPeople who think Santa Claus is made up, then they would be surprised to see him in their house.\nPeople who expect presents on Christmas morning are excited for it to be Christmas.\nIf people would be surprised to see Santa Claus in their house, then they don't leave out cookies on Chrismtas Eve.\nMercy is not someone who expects presents Christmas morning, is excited for Chrismtas, and believes in Santa Claus.", + "original_conclusion": "Marcy either believes in Santa Claus or doesn't leave cookies out on Christmas Eve." + }, + { + "id": "folio_940", + "question": "Given the following premises:\n\nPeople either believe in Santa Claus, or think he is made up.\nPeople who believe in Santa Claus expect to get presents on Christmas morning.\nPeople who think Santa Claus is made up, then they would be surprised to see him in their house.\nPeople who expect presents on Christmas morning are excited for it to be Christmas.\nIf people would be surprised to see Santa Claus in their house, then they don't leave out cookies on Chrismtas Eve.\nMercy is not someone who expects presents Christmas morning, is excited for Chrismtas, and believes in Santa Claus.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Marcy is not someone who both leaves out cookies on Chrismtas eve and thinks Santa Claus is made up, or Marcy believes in Santa Claus.", + "answer": false, + "story_id": 354, + "example_id": 940, + "original_premises": "People either believe in Santa Claus, or think he is made up.\nPeople who believe in Santa Claus expect to get presents on Christmas morning.\nPeople who think Santa Claus is made up, then they would be surprised to see him in their house.\nPeople who expect presents on Christmas morning are excited for it to be Christmas.\nIf people would be surprised to see Santa Claus in their house, then they don't leave out cookies on Chrismtas Eve.\nMercy is not someone who expects presents Christmas morning, is excited for Chrismtas, and believes in Santa Claus.", + "original_conclusion": "Marcy is not someone who both leaves out cookies on Chrismtas eve and thinks Santa Claus is made up, or Marcy believes in Santa Claus." + }, + { + "id": "folio_897", + "question": "Given the following premises:\n\nNo battery-powered watch is automatic.\nAll digital watches are battery-powered.\nSome mechanical watches are automatic.\nAll smart watches are digital.\nMoonwatch is either a digital watch and an automatic, or it is neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Moonwatch is a smartwatch and a mechanical watch.", + "answer": false, + "story_id": 341, + "example_id": 897, + "original_premises": "No battery-powered watch is automatic.\nAll digital watches are battery-powered.\nSome mechanical watches are automatic.\nAll smart watches are digital.\nMoonwatch is either a digital watch and an automatic, or it is neither.", + "original_conclusion": "Moonwatch is a smartwatch and a mechanical watch." + }, + { + "id": "folio_898", + "question": "Given the following premises:\n\nNo battery-powered watch is automatic.\nAll digital watches are battery-powered.\nSome mechanical watches are automatic.\nAll smart watches are digital.\nMoonwatch is either a digital watch and an automatic, or it is neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Moonwatch is a smartwatch and a mechanical watch, then Moonwatch is not a mechanical watch.", + "answer": true, + "story_id": 341, + "example_id": 898, + "original_premises": "No battery-powered watch is automatic.\nAll digital watches are battery-powered.\nSome mechanical watches are automatic.\nAll smart watches are digital.\nMoonwatch is either a digital watch and an automatic, or it is neither.", + "original_conclusion": "If Moonwatch is a smartwatch and a mechanical watch, then Moonwatch is not a mechanical watch." + }, + { + "id": "folio_899", + "question": "Given the following premises:\n\nNo battery-powered watch is automatic.\nAll digital watches are battery-powered.\nSome mechanical watches are automatic.\nAll smart watches are digital.\nMoonwatch is either a digital watch and an automatic, or it is neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Moonwatch is a mechanical or battery-powered watch, then Moonwatch is not a smartwatch.", + "answer": true, + "story_id": 341, + "example_id": 899, + "original_premises": "No battery-powered watch is automatic.\nAll digital watches are battery-powered.\nSome mechanical watches are automatic.\nAll smart watches are digital.\nMoonwatch is either a digital watch and an automatic, or it is neither.", + "original_conclusion": "If Moonwatch is a mechanical or battery-powered watch, then Moonwatch is not a smartwatch." + }, + { + "id": "folio_686", + "question": "Given the following premises:\n\nIf a person can distinguish the taste of different condiments, then they can also use different condiments for cooking.\nPeople who have a talent of cooking can distinguish the taste of different condiments.\nOnly people with the talent of cooking can make delicious meals.\nIf the meal is popular at the party, then it is delicious.\nJohn can make meals which are popular at the party.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John cannot use different condiments for cooking.", + "answer": false, + "story_id": 243, + "example_id": 686, + "original_premises": "If a person can distinguish the taste of different condiments, then they can also use different condiments for cooking.\nPeople who have a talent of cooking can distinguish the taste of different condiments.\nOnly people with the talent of cooking can make delicious meals.\nIf the meal is popular at the party, then it is delicious.\nJohn can make meals which are popular at the party.", + "original_conclusion": "John cannot use different condiments for cooking." + }, + { + "id": "folio_696", + "question": "Given the following premises:\n\nFor a country, if effective monetary policy is possible, it must have successful inflation control and a strong national currency.\nA country cannot simultaneously regulate the exchange rate and successfully control inflation.\nThe introduction of an embargo on foreign trade goods in a country leads to a sharp decrease in exports.\nIf exports fall sharply, this country's national currency cannot be strong.\nInflation control is required to have a strong national currency. \nThere is an embargo on Russian foreign trade goods.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: In Russia, an effective monetary policy is possible.", + "answer": false, + "story_id": 252, + "example_id": 696, + "original_premises": "For a country, if effective monetary policy is possible, it must have successful inflation control and a strong national currency.\nA country cannot simultaneously regulate the exchange rate and successfully control inflation.\nThe introduction of an embargo on foreign trade goods in a country leads to a sharp decrease in exports.\nIf exports fall sharply, this country's national currency cannot be strong.\nInflation control is required to have a strong national currency. \nThere is an embargo on Russian foreign trade goods.", + "original_conclusion": "In Russia, an effective monetary policy is possible." + }, + { + "id": "folio_1383", + "question": "Given the following premises:\n\nAll phones are things.\nAll cell phones are phones. \nAll iPhones are cell phones. \nAll employees are wage earners.\nAll wage earners are human. \nJack is either an employee or a wage earner.\nJack is either a human or a phone.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack is a thing and an iPhone.", + "answer": false, + "story_id": 476, + "example_id": 1383, + "original_premises": "All phones are things.\nAll cell phones are phones. \nAll iPhones are cell phones. \nAll employees are wage earners.\nAll wage earners are human. \nJack is either an employee or a wage earner.\nJack is either a human or a phone.", + "original_conclusion": "Jack is a thing and an iPhone." + }, + { + "id": "folio_1384", + "question": "Given the following premises:\n\nAll phones are things.\nAll cell phones are phones. \nAll iPhones are cell phones. \nAll employees are wage earners.\nAll wage earners are human. \nJack is either an employee or a wage earner.\nJack is either a human or a phone.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack is not both a thing and an iPhone.", + "answer": true, + "story_id": 476, + "example_id": 1384, + "original_premises": "All phones are things.\nAll cell phones are phones. \nAll iPhones are cell phones. \nAll employees are wage earners.\nAll wage earners are human. \nJack is either an employee or a wage earner.\nJack is either a human or a phone.", + "original_conclusion": "Jack is not both a thing and an iPhone." + }, + { + "id": "folio_733", + "question": "Given the following premises:\n\nAll iPhones are electronic.\nSome phones are iPhones.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No phones are electronic.", + "answer": false, + "story_id": 289, + "example_id": 733, + "original_premises": "All iPhones are electronic.\nSome phones are iPhones.", + "original_conclusion": "No phones are electronic." + }, + { + "id": "folio_110", + "question": "Given the following premises:\n\nThe Metropolitan Museum of Art is a museum in NYC.\nWhitney Museum of American Art is a museum in NYC.\nThe Museum of Modern Art (MoMA) is a museum in NYC. \nThe Metropolitan Museum of Art includes Byzantine and Islamic Art. \nWhitney Museum of American Art includes American art.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A museum in NYC includes Byzantine and Islamic Art.", + "answer": true, + "story_id": 38, + "example_id": 110, + "original_premises": "The Metropolitan Museum of Art is a museum in NYC.\nWhitney Museum of American Art is a museum in NYC.\nThe Museum of Modern Art (MoMA) is a museum in NYC. \nThe Metropolitan Museum of Art includes Byzantine and Islamic Art. \nWhitney Museum of American Art includes American art.", + "original_conclusion": "A museum in NYC includes Byzantine and Islamic Art." + }, + { + "id": "folio_111", + "question": "Given the following premises:\n\nThe Metropolitan Museum of Art is a museum in NYC.\nWhitney Museum of American Art is a museum in NYC.\nThe Museum of Modern Art (MoMA) is a museum in NYC. \nThe Metropolitan Museum of Art includes Byzantine and Islamic Art. \nWhitney Museum of American Art includes American art.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A museum in NYC includes American art.", + "answer": true, + "story_id": 38, + "example_id": 111, + "original_premises": "The Metropolitan Museum of Art is a museum in NYC.\nWhitney Museum of American Art is a museum in NYC.\nThe Museum of Modern Art (MoMA) is a museum in NYC. \nThe Metropolitan Museum of Art includes Byzantine and Islamic Art. \nWhitney Museum of American Art includes American art.", + "original_conclusion": "A museum in NYC includes American art." + }, + { + "id": "folio_1118", + "question": "Given the following premises:\n\nThere's a person in Benji's family who likes eating cheese or is a francophile.\nThere is no francophile in Benji's family whose favorite country is Spain.\nThere is a person in Benji's family who likes eating cheese or whose favorite country is Spain.\nFabien is in Benji's family and does not both study Spanish and also like eating cheese.\nFabien studies Spanish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Fabien is either a person who likes eating cheese or a francophile, then Fabien is neither a person who studies Spanish nor a person who is a francophile.", + "answer": true, + "story_id": 403, + "example_id": 1118, + "original_premises": "There's a person in Benji's family who likes eating cheese or is a francophile.\nThere is no francophile in Benji's family whose favorite country is Spain.\nThere is a person in Benji's family who likes eating cheese or whose favorite country is Spain.\nFabien is in Benji's family and does not both study Spanish and also like eating cheese.\nFabien studies Spanish.", + "original_conclusion": "If Fabien is either a person who likes eating cheese or a francophile, then Fabien is neither a person who studies Spanish nor a person who is a francophile." + }, + { + "id": "folio_1119", + "question": "Given the following premises:\n\nThere's a person in Benji's family who likes eating cheese or is a francophile.\nThere is no francophile in Benji's family whose favorite country is Spain.\nThere is a person in Benji's family who likes eating cheese or whose favorite country is Spain.\nFabien is in Benji's family and does not both study Spanish and also like eating cheese.\nFabien studies Spanish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Fabien is a person who likes Spain as their favorite country or is a francophile, then Fabien is either a person who studies Spanish or a person who likes Spain as their favorite country.", + "answer": false, + "story_id": 403, + "example_id": 1119, + "original_premises": "There's a person in Benji's family who likes eating cheese or is a francophile.\nThere is no francophile in Benji's family whose favorite country is Spain.\nThere is a person in Benji's family who likes eating cheese or whose favorite country is Spain.\nFabien is in Benji's family and does not both study Spanish and also like eating cheese.\nFabien studies Spanish.", + "original_conclusion": "If Fabien is a person who likes Spain as their favorite country or is a francophile, then Fabien is either a person who studies Spanish or a person who likes Spain as their favorite country." + }, + { + "id": "folio_84", + "question": "Given the following premises:\n\nGasteren is a village located in the province of Drenthe.\nDrenthe is a Dutch province. \nNo cities are villages.\nThe population of a village in Drenthe was 155 people.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Gasteren is a city.", + "answer": false, + "story_id": 29, + "example_id": 84, + "original_premises": "Gasteren is a village located in the province of Drenthe.\nDrenthe is a Dutch province. \nNo cities are villages.\nThe population of a village in Drenthe was 155 people.", + "original_conclusion": "Gasteren is a city." + }, + { + "id": "folio_599", + "question": "Given the following premises:\n\nThe only types of mammals that lay eggs are either platypuses or echidnas.\nPlatypuses are not hyrax.\nEchidnas are not hyrax.\nNo mammals are invertebrates.\nAll animals are either vertebrates or invertebrates.\nMammals are animals.\nHyraxes are mammals.\nGrebes lay eggs.\nGrebes are not platypuses and also not echidnas.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Hyraxes lay eggs.", + "answer": false, + "story_id": 210, + "example_id": 599, + "original_premises": "The only types of mammals that lay eggs are either platypuses or echidnas.\nPlatypuses are not hyrax.\nEchidnas are not hyrax.\nNo mammals are invertebrates.\nAll animals are either vertebrates or invertebrates.\nMammals are animals.\nHyraxes are mammals.\nGrebes lay eggs.\nGrebes are not platypuses and also not echidnas.", + "original_conclusion": "Hyraxes lay eggs." + }, + { + "id": "folio_600", + "question": "Given the following premises:\n\nThe only types of mammals that lay eggs are either platypuses or echidnas.\nPlatypuses are not hyrax.\nEchidnas are not hyrax.\nNo mammals are invertebrates.\nAll animals are either vertebrates or invertebrates.\nMammals are animals.\nHyraxes are mammals.\nGrebes lay eggs.\nGrebes are not platypuses and also not echidnas.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Grebes are not mammals.", + "answer": true, + "story_id": 210, + "example_id": 600, + "original_premises": "The only types of mammals that lay eggs are either platypuses or echidnas.\nPlatypuses are not hyrax.\nEchidnas are not hyrax.\nNo mammals are invertebrates.\nAll animals are either vertebrates or invertebrates.\nMammals are animals.\nHyraxes are mammals.\nGrebes lay eggs.\nGrebes are not platypuses and also not echidnas.", + "original_conclusion": "Grebes are not mammals." + }, + { + "id": "folio_270", + "question": "Given the following premises:\n\nBobby Flynn is a singer-songwriter. \nBobby Flynn finished 7th while competing on Australian Idol.\nAustralian Idol competitors are Australian citizens.\nThe Omega Three band made a nationwide tour in 2007.\nBobby Flynn is a member of The Omega Three band.\nBobby Flynn was born in Queensland.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bobby Flynn is an Australian citizen.", + "answer": true, + "story_id": 89, + "example_id": 270, + "original_premises": "Bobby Flynn is a singer-songwriter. \nBobby Flynn finished 7th while competing on Australian Idol.\nAustralian Idol competitors are Australian citizens.\nThe Omega Three band made a nationwide tour in 2007.\nBobby Flynn is a member of The Omega Three band.\nBobby Flynn was born in Queensland.", + "original_conclusion": "Bobby Flynn is an Australian citizen." + }, + { + "id": "folio_295", + "question": "Given the following premises:\n\nMaggie Friedman is an American screenwriter and producer.\nMaggie Friedman was the showrunner and executive producer of the lifetime television series Witches of East End.\nWitches of East End is a fantasy-drama series.\nMaggie Friedman produced and developed Eastwick.\nEastwick is a series by ABC.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a series by ABC that was developed by the showrunner of Witches of East End.", + "answer": true, + "story_id": 98, + "example_id": 295, + "original_premises": "Maggie Friedman is an American screenwriter and producer.\nMaggie Friedman was the showrunner and executive producer of the lifetime television series Witches of East End.\nWitches of East End is a fantasy-drama series.\nMaggie Friedman produced and developed Eastwick.\nEastwick is a series by ABC.", + "original_conclusion": "There is a series by ABC that was developed by the showrunner of Witches of East End." + }, + { + "id": "folio_296", + "question": "Given the following premises:\n\nMaggie Friedman is an American screenwriter and producer.\nMaggie Friedman was the showrunner and executive producer of the lifetime television series Witches of East End.\nWitches of East End is a fantasy-drama series.\nMaggie Friedman produced and developed Eastwick.\nEastwick is a series by ABC.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No series by ABC was developed by the showrunner of Witches of East End.", + "answer": false, + "story_id": 98, + "example_id": 296, + "original_premises": "Maggie Friedman is an American screenwriter and producer.\nMaggie Friedman was the showrunner and executive producer of the lifetime television series Witches of East End.\nWitches of East End is a fantasy-drama series.\nMaggie Friedman produced and developed Eastwick.\nEastwick is a series by ABC.", + "original_conclusion": "No series by ABC was developed by the showrunner of Witches of East End." + }, + { + "id": "folio_358", + "question": "Given the following premises:\n\nEvangelos Eleftheriou is a Greek electrical engineer.\nEvangelos Eleftheriou worked for IBM in Zurich.\nIf a company has employees working for them somewhere, then they have an office there.\nIBM is a company.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: IBM has an office in London or Zurich or both.", + "answer": true, + "story_id": 119, + "example_id": 358, + "original_premises": "Evangelos Eleftheriou is a Greek electrical engineer.\nEvangelos Eleftheriou worked for IBM in Zurich.\nIf a company has employees working for them somewhere, then they have an office there.\nIBM is a company.", + "original_conclusion": "IBM has an office in London or Zurich or both." + }, + { + "id": "folio_359", + "question": "Given the following premises:\n\nEvangelos Eleftheriou is a Greek electrical engineer.\nEvangelos Eleftheriou worked for IBM in Zurich.\nIf a company has employees working for them somewhere, then they have an office there.\nIBM is a company.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No Greeks have worked for IBM.", + "answer": false, + "story_id": 119, + "example_id": 359, + "original_premises": "Evangelos Eleftheriou is a Greek electrical engineer.\nEvangelos Eleftheriou worked for IBM in Zurich.\nIf a company has employees working for them somewhere, then they have an office there.\nIBM is a company.", + "original_conclusion": "No Greeks have worked for IBM." + }, + { + "id": "folio_432", + "question": "Given the following premises:\n\nBoney M. had several German #1 singles.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was a big hit all over Europe.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was not in German #1 singles.\nA song that peaks below #1 on the german charts is also a song that is not the #1 single in Germany.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: \"Hooray! Hooray! It's a Holi-Holiday!\" was the #1 hit in Germany.", + "answer": false, + "story_id": 148, + "example_id": 432, + "original_premises": "Boney M. had several German #1 singles.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was a big hit all over Europe.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was not in German #1 singles.\nA song that peaks below #1 on the german charts is also a song that is not the #1 single in Germany.", + "original_conclusion": "\"Hooray! Hooray! It's a Holi-Holiday!\" was the #1 hit in Germany." + }, + { + "id": "folio_433", + "question": "Given the following premises:\n\nBoney M. had several German #1 singles.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was a big hit all over Europe.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was not in German #1 singles.\nA song that peaks below #1 on the german charts is also a song that is not the #1 single in Germany.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: \"Hooray! Hooray! It's a Holi-Holiday!\" peaked below #1 on the German charts.", + "answer": true, + "story_id": 148, + "example_id": 433, + "original_premises": "Boney M. had several German #1 singles.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was a big hit all over Europe.\n\"Hooray! Hooray! It's a Holi-Holiday!\" was not in German #1 singles.\nA song that peaks below #1 on the german charts is also a song that is not the #1 single in Germany.", + "original_conclusion": "\"Hooray! Hooray! It's a Holi-Holiday!\" peaked below #1 on the German charts." + }, + { + "id": "folio_692", + "question": "Given the following premises:\n\nEvery chef can cook.\nSome people who aren\u2019t chefs can cook.\nPeople who cook can make scrambled eggs and pasta.\nIf someone can make cookies and muffins, they are a baker.\nBakers who can also make scrambled eggs can make a good breakfast.\nLuke can make cookies, scrambled eggs, and muffins, but not pasta.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Luke can make a good breakfast.", + "answer": true, + "story_id": 249, + "example_id": 692, + "original_premises": "Every chef can cook.\nSome people who aren\u2019t chefs can cook.\nPeople who cook can make scrambled eggs and pasta.\nIf someone can make cookies and muffins, they are a baker.\nBakers who can also make scrambled eggs can make a good breakfast.\nLuke can make cookies, scrambled eggs, and muffins, but not pasta.", + "original_conclusion": "Luke can make a good breakfast." + }, + { + "id": "folio_693", + "question": "Given the following premises:\n\nEvery chef can cook.\nSome people who aren\u2019t chefs can cook.\nPeople who cook can make scrambled eggs and pasta.\nIf someone can make cookies and muffins, they are a baker.\nBakers who can also make scrambled eggs can make a good breakfast.\nLuke can make cookies, scrambled eggs, and muffins, but not pasta.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Luke is a chef.", + "answer": false, + "story_id": 249, + "example_id": 693, + "original_premises": "Every chef can cook.\nSome people who aren\u2019t chefs can cook.\nPeople who cook can make scrambled eggs and pasta.\nIf someone can make cookies and muffins, they are a baker.\nBakers who can also make scrambled eggs can make a good breakfast.\nLuke can make cookies, scrambled eggs, and muffins, but not pasta.", + "original_conclusion": "Luke is a chef." + }, + { + "id": "folio_557", + "question": "Given the following premises:\n\nETS develops various standardized tests primarily in the United States for K-12 and higher education. \nETS administers international tests, including the TOEFL, TOEIC, GRE, and subject tests.\nMany of the assessments ETS develops are associated with entry to the US tertiary and quaternary education institutions. \nETS also develops K-12 statewide assessments used for accountability testing in many states.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: ETS develops assessments for K-12 statewide as well as entry to US tertiary and quaternary education institutions.", + "answer": true, + "story_id": 196, + "example_id": 557, + "original_premises": "ETS develops various standardized tests primarily in the United States for K-12 and higher education. \nETS administers international tests, including the TOEFL, TOEIC, GRE, and subject tests.\nMany of the assessments ETS develops are associated with entry to the US tertiary and quaternary education institutions. \nETS also develops K-12 statewide assessments used for accountability testing in many states.", + "original_conclusion": "ETS develops assessments for K-12 statewide as well as entry to US tertiary and quaternary education institutions." + }, + { + "id": "folio_558", + "question": "Given the following premises:\n\nETS develops various standardized tests primarily in the United States for K-12 and higher education. \nETS administers international tests, including the TOEFL, TOEIC, GRE, and subject tests.\nMany of the assessments ETS develops are associated with entry to the US tertiary and quaternary education institutions. \nETS also develops K-12 statewide assessments used for accountability testing in many states.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: ETS doesn't administer tests internationally.", + "answer": false, + "story_id": 196, + "example_id": 558, + "original_premises": "ETS develops various standardized tests primarily in the United States for K-12 and higher education. \nETS administers international tests, including the TOEFL, TOEIC, GRE, and subject tests.\nMany of the assessments ETS develops are associated with entry to the US tertiary and quaternary education institutions. \nETS also develops K-12 statewide assessments used for accountability testing in many states.", + "original_conclusion": "ETS doesn't administer tests internationally." + }, + { + "id": "folio_993", + "question": "Given the following premises:\n\nAll hodophiles who enjoy eating gelato ice cream would enjoy a vacation to Italy.\nNo hodophiles can resist the hallmark delectable desserts famous in Italy.\nHodophiles enjoy eating gelato ice cream or love to travel and vacation often, or both.\nNo hodophiles who study abroad in Europe regret their college experiences.\nIf hodophiles love to travel and vacation often, then they study abroad in Europe.\nRobert is a hodophile, and he either enjoys eating gelato ice cream and loves to travel and vacation often, or does not enjoy eating gelato ice cream and does not love to travel and vacation often.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Robert can resist the hallmark delectable desserts that are famous in Italy.", + "answer": false, + "story_id": 373, + "example_id": 993, + "original_premises": "All hodophiles who enjoy eating gelato ice cream would enjoy a vacation to Italy.\nNo hodophiles can resist the hallmark delectable desserts famous in Italy.\nHodophiles enjoy eating gelato ice cream or love to travel and vacation often, or both.\nNo hodophiles who study abroad in Europe regret their college experiences.\nIf hodophiles love to travel and vacation often, then they study abroad in Europe.\nRobert is a hodophile, and he either enjoys eating gelato ice cream and loves to travel and vacation often, or does not enjoy eating gelato ice cream and does not love to travel and vacation often.", + "original_conclusion": "Robert can resist the hallmark delectable desserts that are famous in Italy." + }, + { + "id": "folio_994", + "question": "Given the following premises:\n\nAll hodophiles who enjoy eating gelato ice cream would enjoy a vacation to Italy.\nNo hodophiles can resist the hallmark delectable desserts famous in Italy.\nHodophiles enjoy eating gelato ice cream or love to travel and vacation often, or both.\nNo hodophiles who study abroad in Europe regret their college experiences.\nIf hodophiles love to travel and vacation often, then they study abroad in Europe.\nRobert is a hodophile, and he either enjoys eating gelato ice cream and loves to travel and vacation often, or does not enjoy eating gelato ice cream and does not love to travel and vacation often.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Robert either would both enjoy a vacation to Italy and regrets his college experiences or neither would enjoy a vacation to Italy nor regrets his college experiences, then Robert would either enjoy a vacation to Italy or he can resist the hallmark delectable desserts that are famous in Italy.", + "answer": true, + "story_id": 373, + "example_id": 994, + "original_premises": "All hodophiles who enjoy eating gelato ice cream would enjoy a vacation to Italy.\nNo hodophiles can resist the hallmark delectable desserts famous in Italy.\nHodophiles enjoy eating gelato ice cream or love to travel and vacation often, or both.\nNo hodophiles who study abroad in Europe regret their college experiences.\nIf hodophiles love to travel and vacation often, then they study abroad in Europe.\nRobert is a hodophile, and he either enjoys eating gelato ice cream and loves to travel and vacation often, or does not enjoy eating gelato ice cream and does not love to travel and vacation often.", + "original_conclusion": "If Robert either would both enjoy a vacation to Italy and regrets his college experiences or neither would enjoy a vacation to Italy nor regrets his college experiences, then Robert would either enjoy a vacation to Italy or he can resist the hallmark delectable desserts that are famous in Italy." + }, + { + "id": "folio_995", + "question": "Given the following premises:\n\nAll hodophiles who enjoy eating gelato ice cream would enjoy a vacation to Italy.\nNo hodophiles can resist the hallmark delectable desserts famous in Italy.\nHodophiles enjoy eating gelato ice cream or love to travel and vacation often, or both.\nNo hodophiles who study abroad in Europe regret their college experiences.\nIf hodophiles love to travel and vacation often, then they study abroad in Europe.\nRobert is a hodophile, and he either enjoys eating gelato ice cream and loves to travel and vacation often, or does not enjoy eating gelato ice cream and does not love to travel and vacation often.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Robert is not both a person who can resist the hallmark delectable desserts that are famous in Italy and regrets his college experiences, then Robert either enjoys eating gelato ice cream or would enjoy a vacation to Italy.", + "answer": false, + "story_id": 373, + "example_id": 995, + "original_premises": "All hodophiles who enjoy eating gelato ice cream would enjoy a vacation to Italy.\nNo hodophiles can resist the hallmark delectable desserts famous in Italy.\nHodophiles enjoy eating gelato ice cream or love to travel and vacation often, or both.\nNo hodophiles who study abroad in Europe regret their college experiences.\nIf hodophiles love to travel and vacation often, then they study abroad in Europe.\nRobert is a hodophile, and he either enjoys eating gelato ice cream and loves to travel and vacation often, or does not enjoy eating gelato ice cream and does not love to travel and vacation often.", + "original_conclusion": "If Robert is not both a person who can resist the hallmark delectable desserts that are famous in Italy and regrets his college experiences, then Robert either enjoys eating gelato ice cream or would enjoy a vacation to Italy." + }, + { + "id": "folio_776", + "question": "Given the following premises:\n\nTo have the authorization to study in the United States as a foreigner, you must be enrolled in an academic program.\nThose who are enrolled in an academic program can not work full-time.\nEvery who studies in the United States as a foreigner has the authorization to study in the U.S.\nAll PhD graduate can work full-time. \nIf Tom does not study in the United States as a foreigner, he is enrolled in an academic program.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tom is a PhD graduate.", + "answer": false, + "story_id": 312, + "example_id": 776, + "original_premises": "To have the authorization to study in the United States as a foreigner, you must be enrolled in an academic program.\nThose who are enrolled in an academic program can not work full-time.\nEvery who studies in the United States as a foreigner has the authorization to study in the U.S.\nAll PhD graduate can work full-time. \nIf Tom does not study in the United States as a foreigner, he is enrolled in an academic program.", + "original_conclusion": "Tom is a PhD graduate." + }, + { + "id": "folio_777", + "question": "Given the following premises:\n\nTo have the authorization to study in the United States as a foreigner, you must be enrolled in an academic program.\nThose who are enrolled in an academic program can not work full-time.\nEvery who studies in the United States as a foreigner has the authorization to study in the U.S.\nAll PhD graduate can work full-time. \nIf Tom does not study in the United States as a foreigner, he is enrolled in an academic program.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tom is not a PhD graduate.", + "answer": true, + "story_id": 312, + "example_id": 777, + "original_premises": "To have the authorization to study in the United States as a foreigner, you must be enrolled in an academic program.\nThose who are enrolled in an academic program can not work full-time.\nEvery who studies in the United States as a foreigner has the authorization to study in the U.S.\nAll PhD graduate can work full-time. \nIf Tom does not study in the United States as a foreigner, he is enrolled in an academic program.", + "original_conclusion": "Tom is not a PhD graduate." + }, + { + "id": "folio_395", + "question": "Given the following premises:\n\nIslip Speedway is the smallest race track.\nThere was a demolition derby on the smallest race track.\nIslip is either demolished or still being used.\nSpeedways that are still being used have races held at them.\nIslip doesn't have races held at it.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There has been a demolition derby somewhere that has since been demolished.", + "answer": true, + "story_id": 134, + "example_id": 395, + "original_premises": "Islip Speedway is the smallest race track.\nThere was a demolition derby on the smallest race track.\nIslip is either demolished or still being used.\nSpeedways that are still being used have races held at them.\nIslip doesn't have races held at it.", + "original_conclusion": "There has been a demolition derby somewhere that has since been demolished." + }, + { + "id": "folio_396", + "question": "Given the following premises:\n\nIslip Speedway is the smallest race track.\nThere was a demolition derby on the smallest race track.\nIslip is either demolished or still being used.\nSpeedways that are still being used have races held at them.\nIslip doesn't have races held at it.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Islip was demolished.", + "answer": true, + "story_id": 134, + "example_id": 396, + "original_premises": "Islip Speedway is the smallest race track.\nThere was a demolition derby on the smallest race track.\nIslip is either demolished or still being used.\nSpeedways that are still being used have races held at them.\nIslip doesn't have races held at it.", + "original_conclusion": "Islip was demolished." + }, + { + "id": "folio_397", + "question": "Given the following premises:\n\nIslip Speedway is the smallest race track.\nThere was a demolition derby on the smallest race track.\nIslip is either demolished or still being used.\nSpeedways that are still being used have races held at them.\nIslip doesn't have races held at it.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Islip is still being used.", + "answer": false, + "story_id": 134, + "example_id": 397, + "original_premises": "Islip Speedway is the smallest race track.\nThere was a demolition derby on the smallest race track.\nIslip is either demolished or still being used.\nSpeedways that are still being used have races held at them.\nIslip doesn't have races held at it.", + "original_conclusion": "Islip is still being used." + }, + { + "id": "folio_1213", + "question": "Given the following premises:\n\nIf a person pays their taxes, then they contribute to the country. \nEveryone who works for a government department pays a tax on their salary. \nEveryone in the army is an employee of a government department.\nEveryone convicted of murder goes to prison. \nEveryone who has been to prison has a criminal record.\nJames was either once convicted of murder, or spent time in prison.\nJames either has a criminal record, or pays his taxes. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James contributes to the country and he serves in the army.", + "answer": false, + "story_id": 427, + "example_id": 1213, + "original_premises": "If a person pays their taxes, then they contribute to the country. \nEveryone who works for a government department pays a tax on their salary. \nEveryone in the army is an employee of a government department.\nEveryone convicted of murder goes to prison. \nEveryone who has been to prison has a criminal record.\nJames was either once convicted of murder, or spent time in prison.\nJames either has a criminal record, or pays his taxes. ", + "original_conclusion": "James contributes to the country and he serves in the army." + }, + { + "id": "folio_1214", + "question": "Given the following premises:\n\nIf a person pays their taxes, then they contribute to the country. \nEveryone who works for a government department pays a tax on their salary. \nEveryone in the army is an employee of a government department.\nEveryone convicted of murder goes to prison. \nEveryone who has been to prison has a criminal record.\nJames was either once convicted of murder, or spent time in prison.\nJames either has a criminal record, or pays his taxes. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James does not contribute to the country and does not serve in the army.", + "answer": true, + "story_id": 427, + "example_id": 1214, + "original_premises": "If a person pays their taxes, then they contribute to the country. \nEveryone who works for a government department pays a tax on their salary. \nEveryone in the army is an employee of a government department.\nEveryone convicted of murder goes to prison. \nEveryone who has been to prison has a criminal record.\nJames was either once convicted of murder, or spent time in prison.\nJames either has a criminal record, or pays his taxes. ", + "original_conclusion": "James does not contribute to the country and does not serve in the army." + }, + { + "id": "folio_32", + "question": "Given the following premises:\n\nThe Croton River watershed is the drainage basin of the Croton River.\nThe Croton River is in southwestern New York.\nWater from the Croton River watershed flows to the Bronx.\nThe Bronx is in New York.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Water from the Croton River watershed flows to somewhere in New York.", + "answer": true, + "story_id": 12, + "example_id": 32, + "original_premises": "The Croton River watershed is the drainage basin of the Croton River.\nThe Croton River is in southwestern New York.\nWater from the Croton River watershed flows to the Bronx.\nThe Bronx is in New York.", + "original_conclusion": "Water from the Croton River watershed flows to somewhere in New York." + }, + { + "id": "folio_198", + "question": "Given the following premises:\n\nIf an album is written by a rock band, then the genre of the album is rock.\nIf a band writes an album winning an award, then this band wins this award.\nTrouble at the Henhouse is an album by The Tragically Hip.\nThe Tragically Hip is a Canadian rock band.\nThe song \"Butts Wigglin'\" is in Trouble at the Henhouse.\nTrouble at the Henhouse won the Album of the Year award.\nA song in Trouble at the Henhouse appeared in a film.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The genre of Trouble at the Henhouse is rock.", + "answer": true, + "story_id": 67, + "example_id": 198, + "original_premises": "If an album is written by a rock band, then the genre of the album is rock.\nIf a band writes an album winning an award, then this band wins this award.\nTrouble at the Henhouse is an album by The Tragically Hip.\nThe Tragically Hip is a Canadian rock band.\nThe song \"Butts Wigglin'\" is in Trouble at the Henhouse.\nTrouble at the Henhouse won the Album of the Year award.\nA song in Trouble at the Henhouse appeared in a film.", + "original_conclusion": "The genre of Trouble at the Henhouse is rock." + }, + { + "id": "folio_199", + "question": "Given the following premises:\n\nIf an album is written by a rock band, then the genre of the album is rock.\nIf a band writes an album winning an award, then this band wins this award.\nTrouble at the Henhouse is an album by The Tragically Hip.\nThe Tragically Hip is a Canadian rock band.\nThe song \"Butts Wigglin'\" is in Trouble at the Henhouse.\nTrouble at the Henhouse won the Album of the Year award.\nA song in Trouble at the Henhouse appeared in a film.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No Canadian rock band has won the Album of the Year award.", + "answer": false, + "story_id": 67, + "example_id": 199, + "original_premises": "If an album is written by a rock band, then the genre of the album is rock.\nIf a band writes an album winning an award, then this band wins this award.\nTrouble at the Henhouse is an album by The Tragically Hip.\nThe Tragically Hip is a Canadian rock band.\nThe song \"Butts Wigglin'\" is in Trouble at the Henhouse.\nTrouble at the Henhouse won the Album of the Year award.\nA song in Trouble at the Henhouse appeared in a film.", + "original_conclusion": "No Canadian rock band has won the Album of the Year award." + }, + { + "id": "folio_677", + "question": "Given the following premises:\n\nDaniel is a software engineer, and he works at Palantir Technologies.\nDaniel studied bioengineering during his undergraduate at Rice University.\nDaniel\u2019s older sister works at Meta as a technical sourcer. \nDaniel\u2019s dad and older sister both graduated from Stanford University.\nDaniel\u2019s dad is a doctor practicing internal medicine at a veteran\u2019s hospital in Minneapolis.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Daniel studied bioengineering as an undergraduate at Rice University.", + "answer": true, + "story_id": 238, + "example_id": 677, + "original_premises": "Daniel is a software engineer, and he works at Palantir Technologies.\nDaniel studied bioengineering during his undergraduate at Rice University.\nDaniel\u2019s older sister works at Meta as a technical sourcer. \nDaniel\u2019s dad and older sister both graduated from Stanford University.\nDaniel\u2019s dad is a doctor practicing internal medicine at a veteran\u2019s hospital in Minneapolis.", + "original_conclusion": "Daniel studied bioengineering as an undergraduate at Rice University." + }, + { + "id": "folio_326", + "question": "Given the following premises:\n\nThe world's only major large passenger aircraft manufacturers are Boeing and Airbus.\nAll American Airlines planes are from the world's major large passenger aircraft manufacturers. \nAirbus made more revenue than Boeing last year.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: An American Airlines plane is either a Boeing or Airbus plane.", + "answer": true, + "story_id": 108, + "example_id": 326, + "original_premises": "The world's only major large passenger aircraft manufacturers are Boeing and Airbus.\nAll American Airlines planes are from the world's major large passenger aircraft manufacturers. \nAirbus made more revenue than Boeing last year.", + "original_conclusion": "An American Airlines plane is either a Boeing or Airbus plane." + }, + { + "id": "folio_329", + "question": "Given the following premises:\n\nThe world's only major large passenger aircraft manufacturers are Boeing and Airbus.\nAll American Airlines planes are from the world's major large passenger aircraft manufacturers. \nAirbus made more revenue than Boeing last year.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a commercial plane made by both Airbus and Boeing.", + "answer": false, + "story_id": 108, + "example_id": 329, + "original_premises": "The world's only major large passenger aircraft manufacturers are Boeing and Airbus.\nAll American Airlines planes are from the world's major large passenger aircraft manufacturers. \nAirbus made more revenue than Boeing last year.", + "original_conclusion": "There is a commercial plane made by both Airbus and Boeing." + }, + { + "id": "folio_256", + "question": "Given the following premises:\n\nLuzon is an island in the Philippines.\nIn December 1999, an earthquake struck Luzon.\nPeople died in the December 1999 earthquake in Luzon.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No one has ever died in an earthquake that struck the Philippines.", + "answer": false, + "story_id": 84, + "example_id": 256, + "original_premises": "Luzon is an island in the Philippines.\nIn December 1999, an earthquake struck Luzon.\nPeople died in the December 1999 earthquake in Luzon.", + "original_conclusion": "No one has ever died in an earthquake that struck the Philippines." + }, + { + "id": "folio_257", + "question": "Given the following premises:\n\nLuzon is an island in the Philippines.\nIn December 1999, an earthquake struck Luzon.\nPeople died in the December 1999 earthquake in Luzon.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: In 1999, there was at least one earthquake in the Philippines.", + "answer": true, + "story_id": 84, + "example_id": 257, + "original_premises": "Luzon is an island in the Philippines.\nIn December 1999, an earthquake struck Luzon.\nPeople died in the December 1999 earthquake in Luzon.", + "original_conclusion": "In 1999, there was at least one earthquake in the Philippines." + }, + { + "id": "folio_962", + "question": "Given the following premises:\n\nPeople who like financial risks invest in the public stock market regularly or enjoy gambling regularly.\nIf people invest in the public stock market regularly, then they read the Wall Street Journal and other newspapers regularly to keep updated on financial metrics.\nAll people who enjoy enjoy gambling regularly spend a lot of money at casinos or other betting games.\nPeople who spend a lot of money at casinos and other betting games would enjoy visiting the Las Vegas Strip.\nPeople who spend a lot of money at casinos and other betting games are at risk of gambling addiction.\nMatt does not invest in the public stock market regularly. \nMatt likes financial risks.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Matt is either both a person who is at risk of a gambling addiction and invests in the public stock market regularly, or neither is at risk of a gambling addiction nor invests in the public stock market regularly, then Matt neither visits the Las Vegas Strip regularly nor reads the Wall Street Journal and other newspapers regularly to keep updated on the financial metrics.", + "answer": true, + "story_id": 362, + "example_id": 962, + "original_premises": "People who like financial risks invest in the public stock market regularly or enjoy gambling regularly.\nIf people invest in the public stock market regularly, then they read the Wall Street Journal and other newspapers regularly to keep updated on financial metrics.\nAll people who enjoy enjoy gambling regularly spend a lot of money at casinos or other betting games.\nPeople who spend a lot of money at casinos and other betting games would enjoy visiting the Las Vegas Strip.\nPeople who spend a lot of money at casinos and other betting games are at risk of gambling addiction.\nMatt does not invest in the public stock market regularly. \nMatt likes financial risks.", + "original_conclusion": "If Matt is either both a person who is at risk of a gambling addiction and invests in the public stock market regularly, or neither is at risk of a gambling addiction nor invests in the public stock market regularly, then Matt neither visits the Las Vegas Strip regularly nor reads the Wall Street Journal and other newspapers regularly to keep updated on the financial metrics." + }, + { + "id": "folio_963", + "question": "Given the following premises:\n\nPeople who like financial risks invest in the public stock market regularly or enjoy gambling regularly.\nIf people invest in the public stock market regularly, then they read the Wall Street Journal and other newspapers regularly to keep updated on financial metrics.\nAll people who enjoy enjoy gambling regularly spend a lot of money at casinos or other betting games.\nPeople who spend a lot of money at casinos and other betting games would enjoy visiting the Las Vegas Strip.\nPeople who spend a lot of money at casinos and other betting games are at risk of gambling addiction.\nMatt does not invest in the public stock market regularly. \nMatt likes financial risks.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Matt is not at risk of a gambling addiction and Mike does not both read the Wall Street Journal and other newspapers regularly and visits the Las Vegas Strip regularly.", + "answer": false, + "story_id": 362, + "example_id": 963, + "original_premises": "People who like financial risks invest in the public stock market regularly or enjoy gambling regularly.\nIf people invest in the public stock market regularly, then they read the Wall Street Journal and other newspapers regularly to keep updated on financial metrics.\nAll people who enjoy enjoy gambling regularly spend a lot of money at casinos or other betting games.\nPeople who spend a lot of money at casinos and other betting games would enjoy visiting the Las Vegas Strip.\nPeople who spend a lot of money at casinos and other betting games are at risk of gambling addiction.\nMatt does not invest in the public stock market regularly. \nMatt likes financial risks.", + "original_conclusion": "Matt is not at risk of a gambling addiction and Mike does not both read the Wall Street Journal and other newspapers regularly and visits the Las Vegas Strip regularly." + }, + { + "id": "folio_683", + "question": "Given the following premises:\n\nAll students learning piano can strike the right notes. \nAll students who can strike the right note can get the rhythms right. \nIf a student can get the rhythms right, he will start working on coordination between the left and the right hands. \nSome students who start working on coordination between the left and the right hands become good at it, while other students find it challenging. \nIf John can strike the right notes, get the rhythms right, and is good at coordination between right and left hands, then he puts emotions into his playing. \nJohn is a student learning piano. \nJohn does not find coordination between the left and the right hands challenging. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John can get the rhythms right.", + "answer": true, + "story_id": 241, + "example_id": 683, + "original_premises": "All students learning piano can strike the right notes. \nAll students who can strike the right note can get the rhythms right. \nIf a student can get the rhythms right, he will start working on coordination between the left and the right hands. \nSome students who start working on coordination between the left and the right hands become good at it, while other students find it challenging. \nIf John can strike the right notes, get the rhythms right, and is good at coordination between right and left hands, then he puts emotions into his playing. \nJohn is a student learning piano. \nJohn does not find coordination between the left and the right hands challenging. ", + "original_conclusion": "John can get the rhythms right." + }, + { + "id": "folio_684", + "question": "Given the following premises:\n\nAll students learning piano can strike the right notes. \nAll students who can strike the right note can get the rhythms right. \nIf a student can get the rhythms right, he will start working on coordination between the left and the right hands. \nSome students who start working on coordination between the left and the right hands become good at it, while other students find it challenging. \nIf John can strike the right notes, get the rhythms right, and is good at coordination between right and left hands, then he puts emotions into his playing. \nJohn is a student learning piano. \nJohn does not find coordination between the left and the right hands challenging. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John does not put emotions into his playing.", + "answer": false, + "story_id": 241, + "example_id": 684, + "original_premises": "All students learning piano can strike the right notes. \nAll students who can strike the right note can get the rhythms right. \nIf a student can get the rhythms right, he will start working on coordination between the left and the right hands. \nSome students who start working on coordination between the left and the right hands become good at it, while other students find it challenging. \nIf John can strike the right notes, get the rhythms right, and is good at coordination between right and left hands, then he puts emotions into his playing. \nJohn is a student learning piano. \nJohn does not find coordination between the left and the right hands challenging. ", + "original_conclusion": "John does not put emotions into his playing." + }, + { + "id": "folio_651", + "question": "Given the following premises:\n\nBarbara Ann Marshall is a former swimmer and former world record-holder.\nBarbara Ann Marshall participated in the 1972 Summer Olympics.\nBarbara Ann Marshall's home country is the United States.\nAll people who competed in the 1972 Summer Olympics represented their home country.\nBarbara Ann Marshall participated in the preliminary heat in the freestyle relay.\nBarbara Ann Marshall did not participate in the event final of the 1972 Summer Olympics freestyle relay.\nOnly relay swimmers who participated in the final event at the 1972 Summer Olympics received medals.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Barbara Ann Marshall represented the United States in the 1972 Summer Olympics.", + "answer": true, + "story_id": 229, + "example_id": 651, + "original_premises": "Barbara Ann Marshall is a former swimmer and former world record-holder.\nBarbara Ann Marshall participated in the 1972 Summer Olympics.\nBarbara Ann Marshall's home country is the United States.\nAll people who competed in the 1972 Summer Olympics represented their home country.\nBarbara Ann Marshall participated in the preliminary heat in the freestyle relay.\nBarbara Ann Marshall did not participate in the event final of the 1972 Summer Olympics freestyle relay.\nOnly relay swimmers who participated in the final event at the 1972 Summer Olympics received medals.", + "original_conclusion": "Barbara Ann Marshall represented the United States in the 1972 Summer Olympics." + }, + { + "id": "folio_572", + "question": "Given the following premises:\n\nA game is played with three stages: red stage, yellow stage, and green stage.\nEach player begins at the red stage.\nAll players must reach the yellow stage before they can reach the green stage.\nThe yellow stage comes after the red stage.\nAll players must proceed one stage at a time.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: It is possible to move to the green stage without ever reaching the yellow stage.", + "answer": false, + "story_id": 201, + "example_id": 572, + "original_premises": "A game is played with three stages: red stage, yellow stage, and green stage.\nEach player begins at the red stage.\nAll players must reach the yellow stage before they can reach the green stage.\nThe yellow stage comes after the red stage.\nAll players must proceed one stage at a time.", + "original_conclusion": "It is possible to move to the green stage without ever reaching the yellow stage." + }, + { + "id": "folio_573", + "question": "Given the following premises:\n\nA game is played with three stages: red stage, yellow stage, and green stage.\nEach player begins at the red stage.\nAll players must reach the yellow stage before they can reach the green stage.\nThe yellow stage comes after the red stage.\nAll players must proceed one stage at a time.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: It is possible to reach the yellow stage without ever reaching the green stage.", + "answer": true, + "story_id": 201, + "example_id": 573, + "original_premises": "A game is played with three stages: red stage, yellow stage, and green stage.\nEach player begins at the red stage.\nAll players must reach the yellow stage before they can reach the green stage.\nThe yellow stage comes after the red stage.\nAll players must proceed one stage at a time.", + "original_conclusion": "It is possible to reach the yellow stage without ever reaching the green stage." + }, + { + "id": "folio_1091", + "question": "Given the following premises:\n\nIn Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Adam considers words of affirmation to be the most important love language.", + "answer": true, + "story_id": 399, + "example_id": 1091, + "original_premises": "In Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.", + "original_conclusion": "Adam considers words of affirmation to be the most important love language." + }, + { + "id": "folio_1092", + "question": "Given the following premises:\n\nIn Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Adam considers physical touch as the most important love language and considers words of affirmation as the most important love language.", + "answer": false, + "story_id": 399, + "example_id": 1092, + "original_premises": "In Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.", + "original_conclusion": "Adam considers physical touch as the most important love language and considers words of affirmation as the most important love language." + }, + { + "id": "folio_1093", + "question": "Given the following premises:\n\nIn Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Adam either values physical touch as an especially important love language or values words of affirmation as an especially important love language.", + "answer": true, + "story_id": 399, + "example_id": 1093, + "original_premises": "In Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.", + "original_conclusion": "Adam either values physical touch as an especially important love language or values words of affirmation as an especially important love language." + }, + { + "id": "folio_1094", + "question": "Given the following premises:\n\nIn Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Adam values physical touch as an especially important love language or is good with pets, then Adam values words of affirmation as an especially important love language.", + "answer": true, + "story_id": 399, + "example_id": 1094, + "original_premises": "In Love City, everyone considers physical touch or words of affirmation to be their most important love language.\nIf someone in Love City considers physical touch as their most important love language, then they are good with pets.\nIf someone in Love City is good with pets, then they are not scared of animals.\nIn Love City, everyone is scared of animals, or loves animals, or both.\nAdam, who is in Love City, either values physical touch as his most important love language or loves animals.", + "original_conclusion": "If Adam values physical touch as an especially important love language or is good with pets, then Adam values words of affirmation as an especially important love language." + }, + { + "id": "folio_1278", + "question": "Given the following premises:\n\nAll birds have wings.\nAnimals with wings aren't reptiles.\nSome animals that fly are birds.\nIf something is an iguana, then it is a reptile. Simeng: All iguanas are reptiles. \nJohn is either both an iguana and a bird, or he is neither. \nJohn is an animal. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John is not both an iguana and an animal that can fly.", + "answer": true, + "story_id": 444, + "example_id": 1278, + "original_premises": "All birds have wings.\nAnimals with wings aren't reptiles.\nSome animals that fly are birds.\nIf something is an iguana, then it is a reptile. Simeng: All iguanas are reptiles. \nJohn is either both an iguana and a bird, or he is neither. \nJohn is an animal. ", + "original_conclusion": "John is not both an iguana and an animal that can fly." + }, + { + "id": "folio_1279", + "question": "Given the following premises:\n\nAll birds have wings.\nAnimals with wings aren't reptiles.\nSome animals that fly are birds.\nIf something is an iguana, then it is a reptile. Simeng: All iguanas are reptiles. \nJohn is either both an iguana and a bird, or he is neither. \nJohn is an animal. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John is an animal that can fly and John is a bird.", + "answer": false, + "story_id": 444, + "example_id": 1279, + "original_premises": "All birds have wings.\nAnimals with wings aren't reptiles.\nSome animals that fly are birds.\nIf something is an iguana, then it is a reptile. Simeng: All iguanas are reptiles. \nJohn is either both an iguana and a bird, or he is neither. \nJohn is an animal. ", + "original_conclusion": "John is an animal that can fly and John is a bird." + }, + { + "id": "folio_87", + "question": "Given the following premises:\n\nEndGame is a movie released in 2006.\nEndGame was set in Washington.\nEndGame was filmed outside of Washington.\nSome movies are filmed in New York.\nAndy Chang directed EndGame.\nAndy Chang is from Hong Kong.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: EndGame was not directed by someone from Hong Kong.", + "answer": false, + "story_id": 30, + "example_id": 87, + "original_premises": "EndGame is a movie released in 2006.\nEndGame was set in Washington.\nEndGame was filmed outside of Washington.\nSome movies are filmed in New York.\nAndy Chang directed EndGame.\nAndy Chang is from Hong Kong.", + "original_conclusion": "EndGame was not directed by someone from Hong Kong." + }, + { + "id": "folio_17", + "question": "Given the following premises:\n\nSix, seven and eight are real numbers.\nIf a real number equals another real number added by one, the first number is larger.\nIf the number x is larger than the number y, then y is not larger than x.\nSeven equals six plus one.\nEight equals seven plus one.\nTwo is positive.\nIf a number is positive, then the double of it is also positive.\nEight is the double of four.\nFour is the double of two.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Eight is larger than seven.", + "answer": true, + "story_id": 7, + "example_id": 17, + "original_premises": "Six, seven and eight are real numbers.\nIf a real number equals another real number added by one, the first number is larger.\nIf the number x is larger than the number y, then y is not larger than x.\nSeven equals six plus one.\nEight equals seven plus one.\nTwo is positive.\nIf a number is positive, then the double of it is also positive.\nEight is the double of four.\nFour is the double of two.", + "original_conclusion": "Eight is larger than seven." + }, + { + "id": "folio_18", + "question": "Given the following premises:\n\nSix, seven and eight are real numbers.\nIf a real number equals another real number added by one, the first number is larger.\nIf the number x is larger than the number y, then y is not larger than x.\nSeven equals six plus one.\nEight equals seven plus one.\nTwo is positive.\nIf a number is positive, then the double of it is also positive.\nEight is the double of four.\nFour is the double of two.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Eight is positive.", + "answer": true, + "story_id": 7, + "example_id": 18, + "original_premises": "Six, seven and eight are real numbers.\nIf a real number equals another real number added by one, the first number is larger.\nIf the number x is larger than the number y, then y is not larger than x.\nSeven equals six plus one.\nEight equals seven plus one.\nTwo is positive.\nIf a number is positive, then the double of it is also positive.\nEight is the double of four.\nFour is the double of two.", + "original_conclusion": "Eight is positive." + }, + { + "id": "folio_19", + "question": "Given the following premises:\n\nSix, seven and eight are real numbers.\nIf a real number equals another real number added by one, the first number is larger.\nIf the number x is larger than the number y, then y is not larger than x.\nSeven equals six plus one.\nEight equals seven plus one.\nTwo is positive.\nIf a number is positive, then the double of it is also positive.\nEight is the double of four.\nFour is the double of two.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Six is larger than seven.", + "answer": false, + "story_id": 7, + "example_id": 19, + "original_premises": "Six, seven and eight are real numbers.\nIf a real number equals another real number added by one, the first number is larger.\nIf the number x is larger than the number y, then y is not larger than x.\nSeven equals six plus one.\nEight equals seven plus one.\nTwo is positive.\nIf a number is positive, then the double of it is also positive.\nEight is the double of four.\nFour is the double of two.", + "original_conclusion": "Six is larger than seven." + }, + { + "id": "folio_737", + "question": "Given the following premises:\n\nAll dogs sleep.\nSome four-legged animals are dogs.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some four-legged animals sleep.", + "answer": true, + "story_id": 293, + "example_id": 737, + "original_premises": "All dogs sleep.\nSome four-legged animals are dogs.", + "original_conclusion": "Some four-legged animals sleep." + }, + { + "id": "folio_1380", + "question": "Given the following premises:\n\nEveryone who is entitled to national social insurance coverage can have their medical bills partially covered. \nAll PRC nationals are entitled to national social insurance coverage.\nEveryone in the Franco-China diplomatic conference is either a PRC national or a French national, but not both. \nAll French nationals are citizens of the European Union. \nAll Spanish nationals are citizens of the European Union. \nNo North Korean nationals are citizens of the European Union. \nMei is at the Franco-China diplomatic conference. \nEither Mei is a North Korean and can have medical bills partially covered, or neither is true.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Mei is either a North Korean or a Spanish national, then Mei is either both a French national and a citizen of the European Union, or neither a French national nor a citizen of the European Union.", + "answer": true, + "story_id": 475, + "example_id": 1380, + "original_premises": "Everyone who is entitled to national social insurance coverage can have their medical bills partially covered. \nAll PRC nationals are entitled to national social insurance coverage.\nEveryone in the Franco-China diplomatic conference is either a PRC national or a French national, but not both. \nAll French nationals are citizens of the European Union. \nAll Spanish nationals are citizens of the European Union. \nNo North Korean nationals are citizens of the European Union. \nMei is at the Franco-China diplomatic conference. \nEither Mei is a North Korean and can have medical bills partially covered, or neither is true.", + "original_conclusion": "If Mei is either a North Korean or a Spanish national, then Mei is either both a French national and a citizen of the European Union, or neither a French national nor a citizen of the European Union." + }, + { + "id": "folio_72", + "question": "Given the following premises:\n\nPhilatelic literature is divided into the following categories: Stamp catalogs, Periodicals, Auction catalogs, Books, Bibliographies, and Background Material.\nMort is not a Stamp catalog.\nMort is not a periodical, auction catalog, bibliography, or background material.\nMort is a piece of Philatelic literature.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mort is background material.", + "answer": false, + "story_id": 25, + "example_id": 72, + "original_premises": "Philatelic literature is divided into the following categories: Stamp catalogs, Periodicals, Auction catalogs, Books, Bibliographies, and Background Material.\nMort is not a Stamp catalog.\nMort is not a periodical, auction catalog, bibliography, or background material.\nMort is a piece of Philatelic literature.", + "original_conclusion": "Mort is background material." + }, + { + "id": "folio_279", + "question": "Given the following premises:\n\nAdventures of Rusty is a drama film and children's film.\nColumbia Pictures produced Adventures of Rusty.\nTintin was produced by Paramount.\nTintin is an adventure film.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Columbia pictures produced some drama film.", + "answer": true, + "story_id": 92, + "example_id": 279, + "original_premises": "Adventures of Rusty is a drama film and children's film.\nColumbia Pictures produced Adventures of Rusty.\nTintin was produced by Paramount.\nTintin is an adventure film.", + "original_conclusion": "Columbia pictures produced some drama film." + }, + { + "id": "folio_282", + "question": "Given the following premises:\n\nAdventures of Rusty is a drama film and children's film.\nColumbia Pictures produced Adventures of Rusty.\nTintin was produced by Paramount.\nTintin is an adventure film.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Paramount produces adventure films.", + "answer": true, + "story_id": 92, + "example_id": 282, + "original_premises": "Adventures of Rusty is a drama film and children's film.\nColumbia Pictures produced Adventures of Rusty.\nTintin was produced by Paramount.\nTintin is an adventure film.", + "original_conclusion": "Paramount produces adventure films." + }, + { + "id": "folio_660", + "question": "Given the following premises:\n\nDeng Xiaoping served as the paramount leader of the People's Republic of China.\nDeng Xiaoping was praised for his reaffirmation of the reform program, as well as the reversion of Hong Kong to Chinese control and the return of Macau.\nAs the party's Secretary-General under Mao and Vice Premier in the 1950s, Deng Xiaoping presided over the Anti-Rightist Campaign launched by Mao.\nDeng Xiaoping became instrumental in China's economic reconstruction following the disastrous Great Leap Forward.\nMao Zedong died in 1976.\nAfter Mao Zedong's death, Deng Xiaoping gradually rose to supreme power.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The paramount leader of the PRC was also the vice premier.", + "answer": true, + "story_id": 233, + "example_id": 660, + "original_premises": "Deng Xiaoping served as the paramount leader of the People's Republic of China.\nDeng Xiaoping was praised for his reaffirmation of the reform program, as well as the reversion of Hong Kong to Chinese control and the return of Macau.\nAs the party's Secretary-General under Mao and Vice Premier in the 1950s, Deng Xiaoping presided over the Anti-Rightist Campaign launched by Mao.\nDeng Xiaoping became instrumental in China's economic reconstruction following the disastrous Great Leap Forward.\nMao Zedong died in 1976.\nAfter Mao Zedong's death, Deng Xiaoping gradually rose to supreme power.", + "original_conclusion": "The paramount leader of the PRC was also the vice premier." + }, + { + "id": "folio_661", + "question": "Given the following premises:\n\nDeng Xiaoping served as the paramount leader of the People's Republic of China.\nDeng Xiaoping was praised for his reaffirmation of the reform program, as well as the reversion of Hong Kong to Chinese control and the return of Macau.\nAs the party's Secretary-General under Mao and Vice Premier in the 1950s, Deng Xiaoping presided over the Anti-Rightist Campaign launched by Mao.\nDeng Xiaoping became instrumental in China's economic reconstruction following the disastrous Great Leap Forward.\nMao Zedong died in 1976.\nAfter Mao Zedong's death, Deng Xiaoping gradually rose to supreme power.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Deng Xiaoping presided over something launched by someone he was under.", + "answer": true, + "story_id": 233, + "example_id": 661, + "original_premises": "Deng Xiaoping served as the paramount leader of the People's Republic of China.\nDeng Xiaoping was praised for his reaffirmation of the reform program, as well as the reversion of Hong Kong to Chinese control and the return of Macau.\nAs the party's Secretary-General under Mao and Vice Premier in the 1950s, Deng Xiaoping presided over the Anti-Rightist Campaign launched by Mao.\nDeng Xiaoping became instrumental in China's economic reconstruction following the disastrous Great Leap Forward.\nMao Zedong died in 1976.\nAfter Mao Zedong's death, Deng Xiaoping gradually rose to supreme power.", + "original_conclusion": "Deng Xiaoping presided over something launched by someone he was under." + }, + { + "id": "folio_662", + "question": "Given the following premises:\n\nDeng Xiaoping served as the paramount leader of the People's Republic of China.\nDeng Xiaoping was praised for his reaffirmation of the reform program, as well as the reversion of Hong Kong to Chinese control and the return of Macau.\nAs the party's Secretary-General under Mao and Vice Premier in the 1950s, Deng Xiaoping presided over the Anti-Rightist Campaign launched by Mao.\nDeng Xiaoping became instrumental in China's economic reconstruction following the disastrous Great Leap Forward.\nMao Zedong died in 1976.\nAfter Mao Zedong's death, Deng Xiaoping gradually rose to supreme power.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The person instrumental in china's economic reconstruction gradually rose to supreme power.", + "answer": true, + "story_id": 233, + "example_id": 662, + "original_premises": "Deng Xiaoping served as the paramount leader of the People's Republic of China.\nDeng Xiaoping was praised for his reaffirmation of the reform program, as well as the reversion of Hong Kong to Chinese control and the return of Macau.\nAs the party's Secretary-General under Mao and Vice Premier in the 1950s, Deng Xiaoping presided over the Anti-Rightist Campaign launched by Mao.\nDeng Xiaoping became instrumental in China's economic reconstruction following the disastrous Great Leap Forward.\nMao Zedong died in 1976.\nAfter Mao Zedong's death, Deng Xiaoping gradually rose to supreme power.", + "original_conclusion": "The person instrumental in china's economic reconstruction gradually rose to supreme power." + }, + { + "id": "folio_1048", + "question": "Given the following premises:\n\nAll imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Dune is a result of creative and imaginative process.", + "answer": true, + "story_id": 391, + "example_id": 1048, + "original_premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", + "original_conclusion": "Dune is a result of creative and imaginative process." + }, + { + "id": "folio_1049", + "question": "Given the following premises:\n\nAll imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Dune is either a result of creative processes or came from an imaginative process.", + "answer": false, + "story_id": 391, + "example_id": 1049, + "original_premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", + "original_conclusion": "Dune is either a result of creative processes or came from an imaginative process." + }, + { + "id": "folio_1050", + "question": "Given the following premises:\n\nAll imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Dune is a result of creative processes and is science fiction.", + "answer": true, + "story_id": 391, + "example_id": 1050, + "original_premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", + "original_conclusion": "Dune is a result of creative processes and is science fiction." + }, + { + "id": "folio_1051", + "question": "Given the following premises:\n\nAll imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Dune is either a result of creative processes or is science fiction.", + "answer": false, + "story_id": 391, + "example_id": 1051, + "original_premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", + "original_conclusion": "Dune is either a result of creative processes or is science fiction." + }, + { + "id": "folio_1052", + "question": "Given the following premises:\n\nAll imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Dune is a result of creative and imaginative processes, then Dune is not a result of creative processes and science-fiction.", + "answer": false, + "story_id": 391, + "example_id": 1052, + "original_premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", + "original_conclusion": "If Dune is a result of creative and imaginative processes, then Dune is not a result of creative processes and science-fiction." + }, + { + "id": "folio_1053", + "question": "Given the following premises:\n\nAll imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Dune is either a fact and a result of creative processes, or neither a fact nor a result of creative processes, then Dune is a result of creative processes and science-fiction.", + "answer": true, + "story_id": 391, + "example_id": 1053, + "original_premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", + "original_conclusion": "If Dune is either a fact and a result of creative processes, or neither a fact nor a result of creative processes, then Dune is a result of creative processes and science-fiction." + }, + { + "id": "folio_1054", + "question": "Given the following premises:\n\nAll imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Dune is science-fiction, then Dune is not a result of creative processes and science-fiction.", + "answer": false, + "story_id": 391, + "example_id": 1054, + "original_premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", + "original_conclusion": "If Dune is science-fiction, then Dune is not a result of creative processes and science-fiction." + }, + { + "id": "folio_1055", + "question": "Given the following premises:\n\nAll imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Dune is not a result of creative processes and science-fiction, then Dune neither came from an imaginative process nor proved to be false.", + "answer": true, + "story_id": 391, + "example_id": 1055, + "original_premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", + "original_conclusion": "If Dune is not a result of creative processes and science-fiction, then Dune neither came from an imaginative process nor proved to be false." + }, + { + "id": "folio_1056", + "question": "Given the following premises:\n\nAll imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Dune is did not come from imaginative process and is not science-fiction, then Dune is neither a result of creative processes nor came from an imaginative process.", + "answer": true, + "story_id": 391, + "example_id": 1056, + "original_premises": "All imaginative processes that Dan knows are results of creative processes.\nAll science fiction that Dan knows comes from an imaginative process.\nEverthing that Dan knows comes from either science-fiction or realistic fiction.\nNo facts that Dan knows have proven to be false.\nDan knows that Dune is science fiction or has proven to be false.", + "original_conclusion": "If Dune is did not come from imaginative process and is not science-fiction, then Dune is neither a result of creative processes nor came from an imaginative process." + }, + { + "id": "folio_521", + "question": "Given the following premises:\n\nAmerican superheroes come from either the DC Universe or Marvel Universe.\nCaptain America is one of America's top-ten favorite superheroes\nCaptain America does not come from the DC Universe.\nAmerica's top-ten favorite superheroes speak English.\nSome superheroes speak both English and Spanish. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Captain America does not speak English.", + "answer": false, + "story_id": 181, + "example_id": 521, + "original_premises": "American superheroes come from either the DC Universe or Marvel Universe.\nCaptain America is one of America's top-ten favorite superheroes\nCaptain America does not come from the DC Universe.\nAmerica's top-ten favorite superheroes speak English.\nSome superheroes speak both English and Spanish. ", + "original_conclusion": "Captain America does not speak English." + }, + { + "id": "folio_522", + "question": "Given the following premises:\n\nAmerican superheroes come from either the DC Universe or Marvel Universe.\nCaptain America is one of America's top-ten favorite superheroes\nCaptain America does not come from the DC Universe.\nAmerica's top-ten favorite superheroes speak English.\nSome superheroes speak both English and Spanish. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Captain America comes from the Marvel universe.", + "answer": true, + "story_id": 181, + "example_id": 522, + "original_premises": "American superheroes come from either the DC Universe or Marvel Universe.\nCaptain America is one of America's top-ten favorite superheroes\nCaptain America does not come from the DC Universe.\nAmerica's top-ten favorite superheroes speak English.\nSome superheroes speak both English and Spanish. ", + "original_conclusion": "Captain America comes from the Marvel universe." + }, + { + "id": "folio_229", + "question": "Given the following premises:\n\nRobert Zimmer was a philosopher born in Germany.\nRobert Zimmer is an essayist.\nRobert Zimmer was born in 1953.\nEvery essayist is a writer.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Robert Zimmer is not a writer.", + "answer": false, + "story_id": 75, + "example_id": 229, + "original_premises": "Robert Zimmer was a philosopher born in Germany.\nRobert Zimmer is an essayist.\nRobert Zimmer was born in 1953.\nEvery essayist is a writer.", + "original_conclusion": "Robert Zimmer is not a writer." + }, + { + "id": "folio_907", + "question": "Given the following premises:\n\nAll students are members of the university.\nAll graduate students are students.\nAll PhD students are graduate students.\nSome PhD students are Teaching Fellows.\nIf John is not a PhD student, then he is not a member of the university.\nIf John is a Teaching Fellow, then he is a PhD student or a graduate student.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John is a Teaching Fellow", + "answer": false, + "story_id": 344, + "example_id": 907, + "original_premises": "All students are members of the university.\nAll graduate students are students.\nAll PhD students are graduate students.\nSome PhD students are Teaching Fellows.\nIf John is not a PhD student, then he is not a member of the university.\nIf John is a Teaching Fellow, then he is a PhD student or a graduate student.", + "original_conclusion": "John is a Teaching Fellow" + }, + { + "id": "folio_908", + "question": "Given the following premises:\n\nAll students are members of the university.\nAll graduate students are students.\nAll PhD students are graduate students.\nSome PhD students are Teaching Fellows.\nIf John is not a PhD student, then he is not a member of the university.\nIf John is a Teaching Fellow, then he is a PhD student or a graduate student.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John is not a Teaching Fellow.", + "answer": true, + "story_id": 344, + "example_id": 908, + "original_premises": "All students are members of the university.\nAll graduate students are students.\nAll PhD students are graduate students.\nSome PhD students are Teaching Fellows.\nIf John is not a PhD student, then he is not a member of the university.\nIf John is a Teaching Fellow, then he is a PhD student or a graduate student.", + "original_conclusion": "John is not a Teaching Fellow." + }, + { + "id": "folio_474", + "question": "Given the following premises:\n\nBelgium, France, and Germany are European countries.\nParis is the capital of France.\nThe Eiffel Tower is one of the main tourist attractions located in Paris.\nSome people who live in Belgium speak French.\nIf John goes to Europe, he will see some tourist attractions.\nJohn speaks French.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Eiffel Tower is located in the capital of France.", + "answer": true, + "story_id": 165, + "example_id": 474, + "original_premises": "Belgium, France, and Germany are European countries.\nParis is the capital of France.\nThe Eiffel Tower is one of the main tourist attractions located in Paris.\nSome people who live in Belgium speak French.\nIf John goes to Europe, he will see some tourist attractions.\nJohn speaks French.", + "original_conclusion": "The Eiffel Tower is located in the capital of France." + }, + { + "id": "folio_900", + "question": "Given the following premises:\n\nAll sports cars are loud.\nNo loud cars are electric.\nIf a car is a Ferrari, then it is a sports car.\nAll cars made in Maranello are Ferraris.\nThe Toyota Prius is made in Maranello or is a loud car, or both.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Prius is an electric car.", + "answer": false, + "story_id": 342, + "example_id": 900, + "original_premises": "All sports cars are loud.\nNo loud cars are electric.\nIf a car is a Ferrari, then it is a sports car.\nAll cars made in Maranello are Ferraris.\nThe Toyota Prius is made in Maranello or is a loud car, or both.", + "original_conclusion": "Prius is an electric car." + }, + { + "id": "folio_901", + "question": "Given the following premises:\n\nAll sports cars are loud.\nNo loud cars are electric.\nIf a car is a Ferrari, then it is a sports car.\nAll cars made in Maranello are Ferraris.\nThe Toyota Prius is made in Maranello or is a loud car, or both.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Toyota Prius is not an electric car.", + "answer": true, + "story_id": 342, + "example_id": 901, + "original_premises": "All sports cars are loud.\nNo loud cars are electric.\nIf a car is a Ferrari, then it is a sports car.\nAll cars made in Maranello are Ferraris.\nThe Toyota Prius is made in Maranello or is a loud car, or both.", + "original_conclusion": "The Toyota Prius is not an electric car." + }, + { + "id": "folio_903", + "question": "Given the following premises:\n\nAll sports cars are loud.\nNo loud cars are electric.\nIf a car is a Ferrari, then it is a sports car.\nAll cars made in Maranello are Ferraris.\nThe Toyota Prius is made in Maranello or is a loud car, or both.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If The Toyota Prius is a Ferrari or a loud car, then The Toyota Prius is an electric car.", + "answer": false, + "story_id": 342, + "example_id": 903, + "original_premises": "All sports cars are loud.\nNo loud cars are electric.\nIf a car is a Ferrari, then it is a sports car.\nAll cars made in Maranello are Ferraris.\nThe Toyota Prius is made in Maranello or is a loud car, or both.", + "original_conclusion": "If The Toyota Prius is a Ferrari or a loud car, then The Toyota Prius is an electric car." + }, + { + "id": "folio_1283", + "question": "Given the following premises:\n\nIf something is a plant, then it is not a cute animal. Simeng: All plants are not cute animals. \nAll flowers are plants.\nEvery kitten is a cute animal.\nIf something is grown in a garden, then it is a flower.\nPiper is a kitten or a cute animal.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Piper was grown in a garden.", + "answer": false, + "story_id": 446, + "example_id": 1283, + "original_premises": "If something is a plant, then it is not a cute animal. Simeng: All plants are not cute animals. \nAll flowers are plants.\nEvery kitten is a cute animal.\nIf something is grown in a garden, then it is a flower.\nPiper is a kitten or a cute animal.", + "original_conclusion": "Piper was grown in a garden." + }, + { + "id": "folio_1284", + "question": "Given the following premises:\n\nIf something is a plant, then it is not a cute animal. Simeng: All plants are not cute animals. \nAll flowers are plants.\nEvery kitten is a cute animal.\nIf something is grown in a garden, then it is a flower.\nPiper is a kitten or a cute animal.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Piper was not grown in a garden.", + "answer": true, + "story_id": 446, + "example_id": 1284, + "original_premises": "If something is a plant, then it is not a cute animal. Simeng: All plants are not cute animals. \nAll flowers are plants.\nEvery kitten is a cute animal.\nIf something is grown in a garden, then it is a flower.\nPiper is a kitten or a cute animal.", + "original_conclusion": "Piper was not grown in a garden." + }, + { + "id": "folio_435", + "question": "Given the following premises:\n\n\nGuam sent an athlete to the Calgary Winter Olympics.\nIf Guan sent an athlete to the Calgary Winter Olympics, then the athelete participated in the Olympics in 1988.\nJudd Bankert is the only athlete from Guam who has ever competed in the Winter Olympics.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Judd Bankert competed in the 1988 Winter Olympics.", + "answer": true, + "story_id": 149, + "example_id": 435, + "original_premises": "\nGuam sent an athlete to the Calgary Winter Olympics.\nIf Guan sent an athlete to the Calgary Winter Olympics, then the athelete participated in the Olympics in 1988.\nJudd Bankert is the only athlete from Guam who has ever competed in the Winter Olympics.", + "original_conclusion": "Judd Bankert competed in the 1988 Winter Olympics." + }, + { + "id": "folio_208", + "question": "Given the following premises:\n\nMichael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The son of a general practitioner was a word-setter of My Word!.", + "answer": true, + "story_id": 70, + "example_id": 208, + "original_premises": "Michael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.", + "original_conclusion": "The son of a general practitioner was a word-setter of My Word!." + }, + { + "id": "folio_209", + "question": "Given the following premises:\n\nMichael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: World Medicine is not a magazine.", + "answer": false, + "story_id": 70, + "example_id": 209, + "original_premises": "Michael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.", + "original_conclusion": "World Medicine is not a magazine." + }, + { + "id": "folio_210", + "question": "Given the following premises:\n\nMichael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There are no British authors.", + "answer": false, + "story_id": 70, + "example_id": 210, + "original_premises": "Michael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.", + "original_conclusion": "There are no British authors." + }, + { + "id": "folio_211", + "question": "Given the following premises:\n\nMichael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There are no journalists that were born in Yorkshire.", + "answer": false, + "story_id": 70, + "example_id": 211, + "original_premises": "Michael O'Donnell is a British physician, journalist, author, and broadcaster.\nOne of the word-setters of My Word! was Michael O'Donnell.\nThe magazine World Medicine was edited by Michael O'Donnell.\nMichael O'Donnell was born in Yorkshire as the son of a general practitioner.", + "original_conclusion": "There are no journalists that were born in Yorkshire." + }, + { + "id": "folio_742", + "question": "Given the following premises:\n\nThe handbrake of a car is either up or down.\nThe handbrake is down when a car is parked.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The handbrake is up when some cars are parked.", + "answer": false, + "story_id": 298, + "example_id": 742, + "original_premises": "The handbrake of a car is either up or down.\nThe handbrake is down when a car is parked.", + "original_conclusion": "The handbrake is up when some cars are parked." + }, + { + "id": "folio_1021", + "question": "Given the following premises:\n\nAll people in this midwest town who own horse ranches regularly ride horses for pleasure and sport.\nAll people in this midwest town with a lot of disposable income have a horse ranch.\nIf people in this midwest town compete in horse dressage shows, then they have a lot of disposable income.\nIf people in this midwest town compete in horse dressage shows, then they have invested in high-quality equestrian gear and equipment.\nIf people in this midwest town regularly ride horses for pleasure and sport, then they do not live in cramped residential buildings.\nManny is in this midwest town, and she either has a horse ranch and lives in a cramped residential building, or she does neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Manny competes in horse dressage shows and has invested in high-quality equestrian equipment and gear.", + "answer": false, + "story_id": 382, + "example_id": 1021, + "original_premises": "All people in this midwest town who own horse ranches regularly ride horses for pleasure and sport.\nAll people in this midwest town with a lot of disposable income have a horse ranch.\nIf people in this midwest town compete in horse dressage shows, then they have a lot of disposable income.\nIf people in this midwest town compete in horse dressage shows, then they have invested in high-quality equestrian gear and equipment.\nIf people in this midwest town regularly ride horses for pleasure and sport, then they do not live in cramped residential buildings.\nManny is in this midwest town, and she either has a horse ranch and lives in a cramped residential building, or she does neither.", + "original_conclusion": "Manny competes in horse dressage shows and has invested in high-quality equestrian equipment and gear." + }, + { + "id": "folio_1022", + "question": "Given the following premises:\n\nAll people in this midwest town who own horse ranches regularly ride horses for pleasure and sport.\nAll people in this midwest town with a lot of disposable income have a horse ranch.\nIf people in this midwest town compete in horse dressage shows, then they have a lot of disposable income.\nIf people in this midwest town compete in horse dressage shows, then they have invested in high-quality equestrian gear and equipment.\nIf people in this midwest town regularly ride horses for pleasure and sport, then they do not live in cramped residential buildings.\nManny is in this midwest town, and she either has a horse ranch and lives in a cramped residential building, or she does neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Manny either has a horse ranch or competes in horse dressage shows, then Manny has not invested in high-quality equestrian equipment and gear.", + "answer": true, + "story_id": 382, + "example_id": 1022, + "original_premises": "All people in this midwest town who own horse ranches regularly ride horses for pleasure and sport.\nAll people in this midwest town with a lot of disposable income have a horse ranch.\nIf people in this midwest town compete in horse dressage shows, then they have a lot of disposable income.\nIf people in this midwest town compete in horse dressage shows, then they have invested in high-quality equestrian gear and equipment.\nIf people in this midwest town regularly ride horses for pleasure and sport, then they do not live in cramped residential buildings.\nManny is in this midwest town, and she either has a horse ranch and lives in a cramped residential building, or she does neither.", + "original_conclusion": "If Manny either has a horse ranch or competes in horse dressage shows, then Manny has not invested in high-quality equestrian equipment and gear." + }, + { + "id": "folio_158", + "question": "Given the following premises:\n\nA roundel is a rounded artillery fortification.\nA roundel is not higher than adjacent walls. \nCannons can be deployed on artillery fortifications. \nRoundels are the oldest artillery fortifications.\nBattery towers are artillery fortifications.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Cannons can be deployed on battery towers.", + "answer": true, + "story_id": 54, + "example_id": 158, + "original_premises": "A roundel is a rounded artillery fortification.\nA roundel is not higher than adjacent walls. \nCannons can be deployed on artillery fortifications. \nRoundels are the oldest artillery fortifications.\nBattery towers are artillery fortifications.", + "original_conclusion": "Cannons can be deployed on battery towers." + }, + { + "id": "folio_159", + "question": "Given the following premises:\n\nA roundel is a rounded artillery fortification.\nA roundel is not higher than adjacent walls. \nCannons can be deployed on artillery fortifications. \nRoundels are the oldest artillery fortifications.\nBattery towers are artillery fortifications.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Roundels are older than battery towers.", + "answer": true, + "story_id": 54, + "example_id": 159, + "original_premises": "A roundel is a rounded artillery fortification.\nA roundel is not higher than adjacent walls. \nCannons can be deployed on artillery fortifications. \nRoundels are the oldest artillery fortifications.\nBattery towers are artillery fortifications.", + "original_conclusion": "Roundels are older than battery towers." + }, + { + "id": "folio_161", + "question": "Given the following premises:\n\nA roundel is a rounded artillery fortification.\nA roundel is not higher than adjacent walls. \nCannons can be deployed on artillery fortifications. \nRoundels are the oldest artillery fortifications.\nBattery towers are artillery fortifications.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Cannons can be deployed on roundels.", + "answer": true, + "story_id": 54, + "example_id": 161, + "original_premises": "A roundel is a rounded artillery fortification.\nA roundel is not higher than adjacent walls. \nCannons can be deployed on artillery fortifications. \nRoundels are the oldest artillery fortifications.\nBattery towers are artillery fortifications.", + "original_conclusion": "Cannons can be deployed on roundels." + }, + { + "id": "folio_485", + "question": "Given the following premises:\n\nAll volunteers receive intangible benefits for their work.\nVolunteers work regularly or on an as-needed basis.\nSome volunteers are trained.\nVolunteers work in groups or individually.\nEnvironmental volunteers contribute toward environmental management or conservation.\nParticipating in natural disaster response is an example of volunteers working in groups on an as-needed basis.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Volunteers who participate in natural disaster response receive intangible benefits for their work.", + "answer": true, + "story_id": 169, + "example_id": 485, + "original_premises": "All volunteers receive intangible benefits for their work.\nVolunteers work regularly or on an as-needed basis.\nSome volunteers are trained.\nVolunteers work in groups or individually.\nEnvironmental volunteers contribute toward environmental management or conservation.\nParticipating in natural disaster response is an example of volunteers working in groups on an as-needed basis.", + "original_conclusion": "Volunteers who participate in natural disaster response receive intangible benefits for their work." + }, + { + "id": "folio_1003", + "question": "Given the following premises:\n\nAll people in this tech company who are consistent and enjoy sticking to their regular routines do not like surprises.\nPeople in this tech company who wear the same flannel shirts every day are consistent and enjoy sticking to their regular routines.\nPeople in this tech company who do not like shopping for clothes wear the same flannel shirts every day.\nOld people living in stable homes do not like surprises.\nPeople in this tech company who have very high energy and are impulsive like surprises.\nMike works in this tech company.\nIf Mike is not a person who wears the same flannel shirts every day, has very high energy, and is impulsive, then Mike either is very consistent and enjoys sticking to his regular routines or does not like surprises.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Mike wears the same flannel shirts every day or does not like shopping for clothes, then Mike is neither an old person living in a stable home nor does he like shopping for clothes.", + "answer": true, + "story_id": 376, + "example_id": 1003, + "original_premises": "All people in this tech company who are consistent and enjoy sticking to their regular routines do not like surprises.\nPeople in this tech company who wear the same flannel shirts every day are consistent and enjoy sticking to their regular routines.\nPeople in this tech company who do not like shopping for clothes wear the same flannel shirts every day.\nOld people living in stable homes do not like surprises.\nPeople in this tech company who have very high energy and are impulsive like surprises.\nMike works in this tech company.\nIf Mike is not a person who wears the same flannel shirts every day, has very high energy, and is impulsive, then Mike either is very consistent and enjoys sticking to his regular routines or does not like surprises.", + "original_conclusion": "If Mike wears the same flannel shirts every day or does not like shopping for clothes, then Mike is neither an old person living in a stable home nor does he like shopping for clothes." + }, + { + "id": "folio_1004", + "question": "Given the following premises:\n\nAll people in this tech company who are consistent and enjoy sticking to their regular routines do not like surprises.\nPeople in this tech company who wear the same flannel shirts every day are consistent and enjoy sticking to their regular routines.\nPeople in this tech company who do not like shopping for clothes wear the same flannel shirts every day.\nOld people living in stable homes do not like surprises.\nPeople in this tech company who have very high energy and are impulsive like surprises.\nMike works in this tech company.\nIf Mike is not a person who wears the same flannel shirts every day, has very high energy, and is impulsive, then Mike either is very consistent and enjoys sticking to his regular routines or does not like surprises.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Mike is not an old person living in a stable home and does not like shopping for clothes, then Mike does not like shopping for clothes.", + "answer": false, + "story_id": 376, + "example_id": 1004, + "original_premises": "All people in this tech company who are consistent and enjoy sticking to their regular routines do not like surprises.\nPeople in this tech company who wear the same flannel shirts every day are consistent and enjoy sticking to their regular routines.\nPeople in this tech company who do not like shopping for clothes wear the same flannel shirts every day.\nOld people living in stable homes do not like surprises.\nPeople in this tech company who have very high energy and are impulsive like surprises.\nMike works in this tech company.\nIf Mike is not a person who wears the same flannel shirts every day, has very high energy, and is impulsive, then Mike either is very consistent and enjoys sticking to his regular routines or does not like surprises.", + "original_conclusion": "If Mike is not an old person living in a stable home and does not like shopping for clothes, then Mike does not like shopping for clothes." + }, + { + "id": "folio_616", + "question": "Given the following premises:\n\nAdam owns cars.\nAdam has a favorite car.\nAmong the cars he owns, Adam's favorite car is European.\nAdam broke his favorite car.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Adam broke a European car.", + "answer": true, + "story_id": 215, + "example_id": 616, + "original_premises": "Adam owns cars.\nAdam has a favorite car.\nAmong the cars he owns, Adam's favorite car is European.\nAdam broke his favorite car.", + "original_conclusion": "Adam broke a European car." + }, + { + "id": "folio_1237", + "question": "Given the following premises:\n\nThere are no buildings in New Haven higher than 400 meters. \nAll buildings managed by Yale Housing are in New Haven. \nAll Manhattan skyscrapers are higher than 400 meters. \nAll buildings owned by Bloomberg are in Manhattan. \nAll buildings with the Bloomberg logo are buildings owned by Bloomberg. \nTower A is neither a building in New Haven nor a skyscraper in Manhattan.\nTower B is a skyscraper building in Manhattan with a Bloomberg logo. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tower A is a building with the Bloomberg logo or it is managed by Yale Housing.", + "answer": false, + "story_id": 433, + "example_id": 1237, + "original_premises": "There are no buildings in New Haven higher than 400 meters. \nAll buildings managed by Yale Housing are in New Haven. \nAll Manhattan skyscrapers are higher than 400 meters. \nAll buildings owned by Bloomberg are in Manhattan. \nAll buildings with the Bloomberg logo are buildings owned by Bloomberg. \nTower A is neither a building in New Haven nor a skyscraper in Manhattan.\nTower B is a skyscraper building in Manhattan with a Bloomberg logo. ", + "original_conclusion": "Tower A is a building with the Bloomberg logo or it is managed by Yale Housing." + }, + { + "id": "folio_1238", + "question": "Given the following premises:\n\nThere are no buildings in New Haven higher than 400 meters. \nAll buildings managed by Yale Housing are in New Haven. \nAll Manhattan skyscrapers are higher than 400 meters. \nAll buildings owned by Bloomberg are in Manhattan. \nAll buildings with the Bloomberg logo are buildings owned by Bloomberg. \nTower A is neither a building in New Haven nor a skyscraper in Manhattan.\nTower B is a skyscraper building in Manhattan with a Bloomberg logo. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tower A is neither a building with the Bloomberg logo nor managed by Yale Housing.", + "answer": true, + "story_id": 433, + "example_id": 1238, + "original_premises": "There are no buildings in New Haven higher than 400 meters. \nAll buildings managed by Yale Housing are in New Haven. \nAll Manhattan skyscrapers are higher than 400 meters. \nAll buildings owned by Bloomberg are in Manhattan. \nAll buildings with the Bloomberg logo are buildings owned by Bloomberg. \nTower A is neither a building in New Haven nor a skyscraper in Manhattan.\nTower B is a skyscraper building in Manhattan with a Bloomberg logo. ", + "original_conclusion": "Tower A is neither a building with the Bloomberg logo nor managed by Yale Housing." + }, + { + "id": "folio_1262", + "question": "Given the following premises:\n\nNo fish are birds.\nAn osprey is a bird.\nA carp is a fish.\nAll goldfish are carp.\nIf Bubbles is either an osprey or a goldfish, then Bubbles is not also a fish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bubbles is a goldfish.", + "answer": false, + "story_id": 439, + "example_id": 1262, + "original_premises": "No fish are birds.\nAn osprey is a bird.\nA carp is a fish.\nAll goldfish are carp.\nIf Bubbles is either an osprey or a goldfish, then Bubbles is not also a fish.", + "original_conclusion": "Bubbles is a goldfish." + }, + { + "id": "folio_1263", + "question": "Given the following premises:\n\nNo fish are birds.\nAn osprey is a bird.\nA carp is a fish.\nAll goldfish are carp.\nIf Bubbles is either an osprey or a goldfish, then Bubbles is not also a fish.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bubbles is not a goldfish.", + "answer": true, + "story_id": 439, + "example_id": 1263, + "original_premises": "No fish are birds.\nAn osprey is a bird.\nA carp is a fish.\nAll goldfish are carp.\nIf Bubbles is either an osprey or a goldfish, then Bubbles is not also a fish.", + "original_conclusion": "Bubbles is not a goldfish." + }, + { + "id": "folio_1426", + "question": "Given the following premises:\n\nEverything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The bird is unpredictable and changing.", + "answer": true, + "story_id": 486, + "example_id": 1426, + "original_premises": "Everything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.", + "original_conclusion": "The bird is unpredictable and changing." + }, + { + "id": "folio_1427", + "question": "Given the following premises:\n\nEverything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The bird is unpredictable or changing.", + "answer": true, + "story_id": 486, + "example_id": 1427, + "original_premises": "Everything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.", + "original_conclusion": "The bird is unpredictable or changing." + }, + { + "id": "folio_1428", + "question": "Given the following premises:\n\nEverything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The bird is either unpredictable or changing.", + "answer": false, + "story_id": 486, + "example_id": 1428, + "original_premises": "Everything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.", + "original_conclusion": "The bird is either unpredictable or changing." + }, + { + "id": "folio_1429", + "question": "Given the following premises:\n\nEverything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the bird is small or still, then it is either unpredictable or changing.", + "answer": false, + "story_id": 486, + "example_id": 1429, + "original_premises": "Everything in Size Town is big or small.\nAll big things in Size Town are heavy.\nAll small things in Size Town are light.\nAll heavy things in Size Town are still.\nAll light things in Size Town are unstable.\nAll unstable things in Size Town are changing.\nAll unstable things in Size Town are unpredictable.\nThe bird is in Size Town and it is not both heavy and still.", + "original_conclusion": "If the bird is small or still, then it is either unpredictable or changing." + }, + { + "id": "folio_287", + "question": "Given the following premises:\n\nDI Ray is a police procedural television series.\nDI Ray was created and written by Maya Sondhi.\nDI Ray was produced by Jed Mercurio.\nMaya Sondhi and Jed Mercurio are both British.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: DI Ray was created by a Brit.", + "answer": true, + "story_id": 95, + "example_id": 287, + "original_premises": "DI Ray is a police procedural television series.\nDI Ray was created and written by Maya Sondhi.\nDI Ray was produced by Jed Mercurio.\nMaya Sondhi and Jed Mercurio are both British.", + "original_conclusion": "DI Ray was created by a Brit." + }, + { + "id": "folio_288", + "question": "Given the following premises:\n\nDI Ray is a police procedural television series.\nDI Ray was created and written by Maya Sondhi.\nDI Ray was produced by Jed Mercurio.\nMaya Sondhi and Jed Mercurio are both British.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some Brit produced a television series.", + "answer": true, + "story_id": 95, + "example_id": 288, + "original_premises": "DI Ray is a police procedural television series.\nDI Ray was created and written by Maya Sondhi.\nDI Ray was produced by Jed Mercurio.\nMaya Sondhi and Jed Mercurio are both British.", + "original_conclusion": "Some Brit produced a television series." + }, + { + "id": "folio_1343", + "question": "Given the following premises:\n\nEveryone who took the bar exam can read. \nAll lawyers took the bar exam. \nEveryone who took the bar exam is knowledgeable about criminal procedures. \nAll people who got a score of 180 on the LSAT can read. \nNo elephants can read. \nIf Mike can not read or is not an elephant, then Mike either took the bar exam or can read. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mike did not take the bar exam and is not both knowledgeable about criminal procedures and someone who got 180 on the LSAT.", + "answer": true, + "story_id": 465, + "example_id": 1343, + "original_premises": "Everyone who took the bar exam can read. \nAll lawyers took the bar exam. \nEveryone who took the bar exam is knowledgeable about criminal procedures. \nAll people who got a score of 180 on the LSAT can read. \nNo elephants can read. \nIf Mike can not read or is not an elephant, then Mike either took the bar exam or can read. ", + "original_conclusion": "Mike did not take the bar exam and is not both knowledgeable about criminal procedures and someone who got 180 on the LSAT." + }, + { + "id": "folio_1344", + "question": "Given the following premises:\n\nEveryone who took the bar exam can read. \nAll lawyers took the bar exam. \nEveryone who took the bar exam is knowledgeable about criminal procedures. \nAll people who got a score of 180 on the LSAT can read. \nNo elephants can read. \nIf Mike can not read or is not an elephant, then Mike either took the bar exam or can read. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mike took the bar exam.", + "answer": false, + "story_id": 465, + "example_id": 1344, + "original_premises": "Everyone who took the bar exam can read. \nAll lawyers took the bar exam. \nEveryone who took the bar exam is knowledgeable about criminal procedures. \nAll people who got a score of 180 on the LSAT can read. \nNo elephants can read. \nIf Mike can not read or is not an elephant, then Mike either took the bar exam or can read. ", + "original_conclusion": "Mike took the bar exam." + }, + { + "id": "folio_835", + "question": "Given the following premises:\n\nSome soccer defenders are center-backs.\nAll soccer defenders are soccer players.\nNo soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Stephen Curry is not both a centerback and a soccer defender.", + "answer": false, + "story_id": 326, + "example_id": 835, + "original_premises": "Some soccer defenders are center-backs.\nAll soccer defenders are soccer players.\nNo soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.", + "original_conclusion": "Stephen Curry is not both a centerback and a soccer defender." + }, + { + "id": "folio_836", + "question": "Given the following premises:\n\nSome soccer defenders are center-backs.\nAll soccer defenders are soccer players.\nNo soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Stephen Curry is not both a centerback and a soccer defender, then Stephen Curry is neither a soccer player nor a professional basketball player.", + "answer": true, + "story_id": 326, + "example_id": 836, + "original_premises": "Some soccer defenders are center-backs.\nAll soccer defenders are soccer players.\nNo soccer players are professional basketball players.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.", + "original_conclusion": "If Stephen Curry is not both a centerback and a soccer defender, then Stephen Curry is neither a soccer player nor a professional basketball player." + }, + { + "id": "folio_538", + "question": "Given the following premises:\n\nIf a person doesn't have enough money to buy a product, then that person can't buy it.\nMonitors are products.\n4k monitors are more expensive than 1080 monitors and 2k monitors.\nJohn is a person.\nJohn doesn't have enough money to buy a 2k monitor.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John can't buy a 2k monitor.", + "answer": true, + "story_id": 186, + "example_id": 538, + "original_premises": "If a person doesn't have enough money to buy a product, then that person can't buy it.\nMonitors are products.\n4k monitors are more expensive than 1080 monitors and 2k monitors.\nJohn is a person.\nJohn doesn't have enough money to buy a 2k monitor.", + "original_conclusion": "John can't buy a 2k monitor." + }, + { + "id": "folio_707", + "question": "Given the following premises:\n\nAll artificial satellites are important scientific achievements.\nSome artificial satellites are not U.S. inventions.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: All important scientific achievements are U.S. inventions.", + "answer": false, + "story_id": 263, + "example_id": 707, + "original_premises": "All artificial satellites are important scientific achievements.\nSome artificial satellites are not U.S. inventions.", + "original_conclusion": "All important scientific achievements are U.S. inventions." + }, + { + "id": "folio_701", + "question": "Given the following premises:\n\nSome cats are not pets.\nAll cats are mammals.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some mammals are not pets.", + "answer": true, + "story_id": 257, + "example_id": 701, + "original_premises": "Some cats are not pets.\nAll cats are mammals.", + "original_conclusion": "Some mammals are not pets." + }, + { + "id": "folio_968", + "question": "Given the following premises:\n\nIf people in this neighborhood visit a coffee shop regularly, then they are addicted to coffee. \nPeople in this neighborhood visit a coffee shop regularly or order takeout at least once a day.\nIf people in this neighborhood make a lot of their own food at home using recipes and online guides, then they order takeout at least once a day.\nIf people in this neighborhood own at least one coffeemaker and one blender in their home, then they do not order takeout at least once a day.\nAll people in this neighborhood who lead very busy lives that include 12-hour work hours make a lot of their own food at home using recipes and online guides.\nSam is living in this neighborhood, and he is either addicted to coffee or other caffeinated drinks and leads a very busy life that include 12-hour work hours, or is not addicted to coffee and does not lead a very busy life that include 12-hour work hours\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Sam is living in this neighborhood and he owns at least one coffeemaker and one blender in his home.", + "answer": false, + "story_id": 364, + "example_id": 968, + "original_premises": "If people in this neighborhood visit a coffee shop regularly, then they are addicted to coffee. \nPeople in this neighborhood visit a coffee shop regularly or order takeout at least once a day.\nIf people in this neighborhood make a lot of their own food at home using recipes and online guides, then they order takeout at least once a day.\nIf people in this neighborhood own at least one coffeemaker and one blender in their home, then they do not order takeout at least once a day.\nAll people in this neighborhood who lead very busy lives that include 12-hour work hours make a lot of their own food at home using recipes and online guides.\nSam is living in this neighborhood, and he is either addicted to coffee or other caffeinated drinks and leads a very busy life that include 12-hour work hours, or is not addicted to coffee and does not lead a very busy life that include 12-hour work hours", + "original_conclusion": "Sam is living in this neighborhood and he owns at least one coffeemaker and one blender in his home." + }, + { + "id": "folio_969", + "question": "Given the following premises:\n\nIf people in this neighborhood visit a coffee shop regularly, then they are addicted to coffee. \nPeople in this neighborhood visit a coffee shop regularly or order takeout at least once a day.\nIf people in this neighborhood make a lot of their own food at home using recipes and online guides, then they order takeout at least once a day.\nIf people in this neighborhood own at least one coffeemaker and one blender in their home, then they do not order takeout at least once a day.\nAll people in this neighborhood who lead very busy lives that include 12-hour work hours make a lot of their own food at home using recipes and online guides.\nSam is living in this neighborhood, and he is either addicted to coffee or other caffeinated drinks and leads a very busy life that include 12-hour work hours, or is not addicted to coffee and does not lead a very busy life that include 12-hour work hours\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Sam is living in this neighborhood and he owns at least one coffeemaker and one blender in his home or orders takeout at least once a day.", + "answer": true, + "story_id": 364, + "example_id": 969, + "original_premises": "If people in this neighborhood visit a coffee shop regularly, then they are addicted to coffee. \nPeople in this neighborhood visit a coffee shop regularly or order takeout at least once a day.\nIf people in this neighborhood make a lot of their own food at home using recipes and online guides, then they order takeout at least once a day.\nIf people in this neighborhood own at least one coffeemaker and one blender in their home, then they do not order takeout at least once a day.\nAll people in this neighborhood who lead very busy lives that include 12-hour work hours make a lot of their own food at home using recipes and online guides.\nSam is living in this neighborhood, and he is either addicted to coffee or other caffeinated drinks and leads a very busy life that include 12-hour work hours, or is not addicted to coffee and does not lead a very busy life that include 12-hour work hours", + "original_conclusion": "Sam is living in this neighborhood and he owns at least one coffeemaker and one blender in his home or orders takeout at least once a day." + }, + { + "id": "folio_837", + "question": "Given the following premises:\n\nNo professional basketball players are soccer players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerbacks are soccer defenders.\nRoger Federer is either both an NBA player and a soccer defender, or neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Roger Federer is a centerback.", + "answer": false, + "story_id": 327, + "example_id": 837, + "original_premises": "No professional basketball players are soccer players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerbacks are soccer defenders.\nRoger Federer is either both an NBA player and a soccer defender, or neither.", + "original_conclusion": "Roger Federer is a centerback." + }, + { + "id": "folio_838", + "question": "Given the following premises:\n\nNo professional basketball players are soccer players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerbacks are soccer defenders.\nRoger Federer is either both an NBA player and a soccer defender, or neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Roger Federer is not a centerback.", + "answer": true, + "story_id": 327, + "example_id": 838, + "original_premises": "No professional basketball players are soccer players.\nAll NBA players are professional basketball players.\nAll soccer defenders are soccer players.\nAll centerbacks are soccer defenders.\nRoger Federer is either both an NBA player and a soccer defender, or neither.", + "original_conclusion": "Roger Federer is not a centerback." + }, + { + "id": "folio_1275", + "question": "Given the following premises:\n\nSome teachers who work at pools are not nice.\nAll teachers working at pools are pool managers.\nAll pool managers are lifeguards.\nIf someone is a lifeguard, then they work at a pool.\nMary does not work at a pool.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mary is not a nice teacher working at a pool.", + "answer": true, + "story_id": 443, + "example_id": 1275, + "original_premises": "Some teachers who work at pools are not nice.\nAll teachers working at pools are pool managers.\nAll pool managers are lifeguards.\nIf someone is a lifeguard, then they work at a pool.\nMary does not work at a pool.", + "original_conclusion": "Mary is not a nice teacher working at a pool." + }, + { + "id": "folio_1276", + "question": "Given the following premises:\n\nSome teachers who work at pools are not nice.\nAll teachers working at pools are pool managers.\nAll pool managers are lifeguards.\nIf someone is a lifeguard, then they work at a pool.\nMary does not work at a pool.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mary is is a nice teacher working at a pool.", + "answer": false, + "story_id": 443, + "example_id": 1276, + "original_premises": "Some teachers who work at pools are not nice.\nAll teachers working at pools are pool managers.\nAll pool managers are lifeguards.\nIf someone is a lifeguard, then they work at a pool.\nMary does not work at a pool.", + "original_conclusion": "Mary is is a nice teacher working at a pool." + }, + { + "id": "folio_746", + "question": "Given the following premises:\n\nNot all art pieces require talent.\nEverything that requires talent requires practice.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There exist art pieces that do not require practice.", + "answer": true, + "story_id": 302, + "example_id": 746, + "original_premises": "Not all art pieces require talent.\nEverything that requires talent requires practice.", + "original_conclusion": "There exist art pieces that do not require practice." + }, + { + "id": "folio_268", + "question": "Given the following premises:\n\nBernarda Bryson Shahn was a painter and lithographer.\nBernarda Bryson Shahn was born in Athens, Ohio. \nBernarda Bryson Shahn was married to Ben Shahn.\nPeople born in Athens, Ohio, are Americans.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bernarda Bryson Shahn was American.", + "answer": true, + "story_id": 88, + "example_id": 268, + "original_premises": "Bernarda Bryson Shahn was a painter and lithographer.\nBernarda Bryson Shahn was born in Athens, Ohio. \nBernarda Bryson Shahn was married to Ben Shahn.\nPeople born in Athens, Ohio, are Americans.", + "original_conclusion": "Bernarda Bryson Shahn was American." + }, + { + "id": "folio_983", + "question": "Given the following premises:\n\nEverybody in Emma's family who upgrade to the newest iPhone model every year, are not saving money for a down payment on a new house.\nEverybody in Emma's family who enjoy reading about tech specs and keeping up to date on the latest technology upgrade to the newest iPhone model every year.\nEverybody in Emma's family is saving money for a down payment on a new house, or lives in an apartment in a big metropolitan cities.\nEverybody in Emma's family live with at least one roommate, does not own any pets.\nEverybody in Emma's family who owns at least one pet lives with at least one roommate.\nEmily is in Emma's family.\nIf Emily does not both own at least one pet and lives in apartments in big metropolitan cities, then Emily either owns at least one pet and lives in an apartment in big metropolitan cities, or she neither owns a pet nor lives in an apartment in big metropolitan cities. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Emily enjoys reading about tech specs and keeping up to date on the latest technology.", + "answer": false, + "story_id": 369, + "example_id": 983, + "original_premises": "Everybody in Emma's family who upgrade to the newest iPhone model every year, are not saving money for a down payment on a new house.\nEverybody in Emma's family who enjoy reading about tech specs and keeping up to date on the latest technology upgrade to the newest iPhone model every year.\nEverybody in Emma's family is saving money for a down payment on a new house, or lives in an apartment in a big metropolitan cities.\nEverybody in Emma's family live with at least one roommate, does not own any pets.\nEverybody in Emma's family who owns at least one pet lives with at least one roommate.\nEmily is in Emma's family.\nIf Emily does not both own at least one pet and lives in apartments in big metropolitan cities, then Emily either owns at least one pet and lives in an apartment in big metropolitan cities, or she neither owns a pet nor lives in an apartment in big metropolitan cities. ", + "original_conclusion": "Emily enjoys reading about tech specs and keeping up to date on the latest technology." + }, + { + "id": "folio_1299", + "question": "Given the following premises:\n\nPeople on the payroll are being paid by the school.\nIf someone has a job at a school, then they are on the payroll.\nAll faculty members have a job at a school.\nIf someone teaches students, they are a faculty member or a teacher.\nEvery teacher has students.\nIf Nancy is a teacher, then they are on the payroll.\nIf Nancy is not a teacher, then they are not paid by the school.\nNancy teaches students.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Nancy is paid by the school and has students.", + "answer": true, + "story_id": 451, + "example_id": 1299, + "original_premises": "People on the payroll are being paid by the school.\nIf someone has a job at a school, then they are on the payroll.\nAll faculty members have a job at a school.\nIf someone teaches students, they are a faculty member or a teacher.\nEvery teacher has students.\nIf Nancy is a teacher, then they are on the payroll.\nIf Nancy is not a teacher, then they are not paid by the school.\nNancy teaches students.", + "original_conclusion": "Nancy is paid by the school and has students." + }, + { + "id": "folio_1300", + "question": "Given the following premises:\n\nPeople on the payroll are being paid by the school.\nIf someone has a job at a school, then they are on the payroll.\nAll faculty members have a job at a school.\nIf someone teaches students, they are a faculty member or a teacher.\nEvery teacher has students.\nIf Nancy is a teacher, then they are on the payroll.\nIf Nancy is not a teacher, then they are not paid by the school.\nNancy teaches students.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Nancy is not paid by the school or does not have students.", + "answer": false, + "story_id": 451, + "example_id": 1300, + "original_premises": "People on the payroll are being paid by the school.\nIf someone has a job at a school, then they are on the payroll.\nAll faculty members have a job at a school.\nIf someone teaches students, they are a faculty member or a teacher.\nEvery teacher has students.\nIf Nancy is a teacher, then they are on the payroll.\nIf Nancy is not a teacher, then they are not paid by the school.\nNancy teaches students.", + "original_conclusion": "Nancy is not paid by the school or does not have students." + }, + { + "id": "folio_691", + "question": "Given the following premises:\n\nKangaroos are an animal.\nNo Kangaroos live in Germany.\nJane will fly to Germany if she saves enough money for the summer.\nIf Jane flies to Germany, she will go to the Berlin Zoo.\nIf someone goes to the Berlin Zoo, they will see some of the animals in Germany.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jane will see a kangaroo if she saves enough money for the summer.", + "answer": false, + "story_id": 248, + "example_id": 691, + "original_premises": "Kangaroos are an animal.\nNo Kangaroos live in Germany.\nJane will fly to Germany if she saves enough money for the summer.\nIf Jane flies to Germany, she will go to the Berlin Zoo.\nIf someone goes to the Berlin Zoo, they will see some of the animals in Germany.", + "original_conclusion": "Jane will see a kangaroo if she saves enough money for the summer." + }, + { + "id": "folio_612", + "question": "Given the following premises:\n\nIf a class has prerequisites, the student must take the prerequisites to take the class.\nIf a class has no prerequisites, then the student can take the class\nCPSC 201 and CPSC 223 are prerequisites for CPSC 323.\nIntro Microeconomics is the only prerequisite for Intermediate Microeconomics.\nIntro Geology has no prerequisites.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If a student took CPSC 201 but did not take CPSC 223, they can take CPSC 323.", + "answer": false, + "story_id": 214, + "example_id": 612, + "original_premises": "If a class has prerequisites, the student must take the prerequisites to take the class.\nIf a class has no prerequisites, then the student can take the class\nCPSC 201 and CPSC 223 are prerequisites for CPSC 323.\nIntro Microeconomics is the only prerequisite for Intermediate Microeconomics.\nIntro Geology has no prerequisites.", + "original_conclusion": "If a student took CPSC 201 but did not take CPSC 223, they can take CPSC 323." + }, + { + "id": "folio_613", + "question": "Given the following premises:\n\nIf a class has prerequisites, the student must take the prerequisites to take the class.\nIf a class has no prerequisites, then the student can take the class\nCPSC 201 and CPSC 223 are prerequisites for CPSC 323.\nIntro Microeconomics is the only prerequisite for Intermediate Microeconomics.\nIntro Geology has no prerequisites.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A student cannot take Intro Geology.", + "answer": false, + "story_id": 214, + "example_id": 613, + "original_premises": "If a class has prerequisites, the student must take the prerequisites to take the class.\nIf a class has no prerequisites, then the student can take the class\nCPSC 201 and CPSC 223 are prerequisites for CPSC 323.\nIntro Microeconomics is the only prerequisite for Intermediate Microeconomics.\nIntro Geology has no prerequisites.", + "original_conclusion": "A student cannot take Intro Geology." + }, + { + "id": "folio_614", + "question": "Given the following premises:\n\nIf a class has prerequisites, the student must take the prerequisites to take the class.\nIf a class has no prerequisites, then the student can take the class\nCPSC 201 and CPSC 223 are prerequisites for CPSC 323.\nIntro Microeconomics is the only prerequisite for Intermediate Microeconomics.\nIntro Geology has no prerequisites.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Intermediate Microeconomics has one prerequisite.", + "answer": true, + "story_id": 214, + "example_id": 614, + "original_premises": "If a class has prerequisites, the student must take the prerequisites to take the class.\nIf a class has no prerequisites, then the student can take the class\nCPSC 201 and CPSC 223 are prerequisites for CPSC 323.\nIntro Microeconomics is the only prerequisite for Intermediate Microeconomics.\nIntro Geology has no prerequisites.", + "original_conclusion": "Intermediate Microeconomics has one prerequisite." + }, + { + "id": "folio_107", + "question": "Given the following premises:\n\nHeptalogyy is a compound literary or narrative work that is made up of seven distinct works.\nThe Harry Potter series consists of 7 distinct works.\nThe Chronicles of Narnia consists of 7 distinct works.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Harry Potter series of books is Heptalogy.", + "answer": true, + "story_id": 37, + "example_id": 107, + "original_premises": "Heptalogyy is a compound literary or narrative work that is made up of seven distinct works.\nThe Harry Potter series consists of 7 distinct works.\nThe Chronicles of Narnia consists of 7 distinct works.", + "original_conclusion": "The Harry Potter series of books is Heptalogy." + }, + { + "id": "folio_108", + "question": "Given the following premises:\n\nHeptalogyy is a compound literary or narrative work that is made up of seven distinct works.\nThe Harry Potter series consists of 7 distinct works.\nThe Chronicles of Narnia consists of 7 distinct works.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Chronicles of Narnia series of books is not Heptalogy.", + "answer": false, + "story_id": 37, + "example_id": 108, + "original_premises": "Heptalogyy is a compound literary or narrative work that is made up of seven distinct works.\nThe Harry Potter series consists of 7 distinct works.\nThe Chronicles of Narnia consists of 7 distinct works.", + "original_conclusion": "The Chronicles of Narnia series of books is not Heptalogy." + }, + { + "id": "folio_1018", + "question": "Given the following premises:\n\nAll people who attend Renaissance fairs regularly enjoy dressing up in old-fashioned and historical period clothing.\nIf people are fascinated by the history of the Renaissance and other past eras, then they attend Renaissance fairs regularly.\nPeople are fascinated by the history of the Renaissance and other past eras, or they are contemporary academics who enjoy learning.\nPeople who are focused on futuristic and vocational subjects are contemporary academics who enjoy learning.\nIf people are professors who take a historical approach, then they are not contemporary academics who enjoy learning.\nIf Clyde is not focused on futuristic and voctional subjects, then he is neither focused on futuristic and vocational subjects nor enjoys dressing up in old-fashioned and historical period clothing.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Clyde is a professor who takes a historical approach.", + "answer": false, + "story_id": 381, + "example_id": 1018, + "original_premises": "All people who attend Renaissance fairs regularly enjoy dressing up in old-fashioned and historical period clothing.\nIf people are fascinated by the history of the Renaissance and other past eras, then they attend Renaissance fairs regularly.\nPeople are fascinated by the history of the Renaissance and other past eras, or they are contemporary academics who enjoy learning.\nPeople who are focused on futuristic and vocational subjects are contemporary academics who enjoy learning.\nIf people are professors who take a historical approach, then they are not contemporary academics who enjoy learning.\nIf Clyde is not focused on futuristic and voctional subjects, then he is neither focused on futuristic and vocational subjects nor enjoys dressing up in old-fashioned and historical period clothing.", + "original_conclusion": "Clyde is a professor who takes a historical approach." + }, + { + "id": "folio_1019", + "question": "Given the following premises:\n\nAll people who attend Renaissance fairs regularly enjoy dressing up in old-fashioned and historical period clothing.\nIf people are fascinated by the history of the Renaissance and other past eras, then they attend Renaissance fairs regularly.\nPeople are fascinated by the history of the Renaissance and other past eras, or they are contemporary academics who enjoy learning.\nPeople who are focused on futuristic and vocational subjects are contemporary academics who enjoy learning.\nIf people are professors who take a historical approach, then they are not contemporary academics who enjoy learning.\nIf Clyde is not focused on futuristic and voctional subjects, then he is neither focused on futuristic and vocational subjects nor enjoys dressing up in old-fashioned and historical period clothing.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Clyde is a professor who takes a historical approach, or is a contemporary academic.", + "answer": true, + "story_id": 381, + "example_id": 1019, + "original_premises": "All people who attend Renaissance fairs regularly enjoy dressing up in old-fashioned and historical period clothing.\nIf people are fascinated by the history of the Renaissance and other past eras, then they attend Renaissance fairs regularly.\nPeople are fascinated by the history of the Renaissance and other past eras, or they are contemporary academics who enjoy learning.\nPeople who are focused on futuristic and vocational subjects are contemporary academics who enjoy learning.\nIf people are professors who take a historical approach, then they are not contemporary academics who enjoy learning.\nIf Clyde is not focused on futuristic and voctional subjects, then he is neither focused on futuristic and vocational subjects nor enjoys dressing up in old-fashioned and historical period clothing.", + "original_conclusion": "Clyde is a professor who takes a historical approach, or is a contemporary academic." + }, + { + "id": "folio_714", + "question": "Given the following premises:\n\nNo sports cars are vehicles intended to be driven at moderate speeds.\nAll automobiles designed for family use are vehicles intended to be driven at moderate speeds.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No sports cars are automobiles designed for family use.", + "answer": true, + "story_id": 270, + "example_id": 714, + "original_premises": "No sports cars are vehicles intended to be driven at moderate speeds.\nAll automobiles designed for family use are vehicles intended to be driven at moderate speeds.", + "original_conclusion": "No sports cars are automobiles designed for family use." + }, + { + "id": "folio_945", + "question": "Given the following premises:\n\nIf people work well in teams in the workplace, then they get along with all their colleagues at their work.\nIf people come to work every day with a positive attitude, then they work well in teams in the workplace.\nPeople either come to work every day with a positive attitude or are always tired every morning.\nIf people are always tired in the morning, then they are criticized by their boss.\nIf people are criticized by their boss, then they do not receive positive feedback from teams at work.\nKat either is a person who works well in teams in the workplac and is always tired every morning, or she is neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Kat gets along with her colleagues at her work and receives positive feedback from teams at her work.", + "answer": false, + "story_id": 356, + "example_id": 945, + "original_premises": "If people work well in teams in the workplace, then they get along with all their colleagues at their work.\nIf people come to work every day with a positive attitude, then they work well in teams in the workplace.\nPeople either come to work every day with a positive attitude or are always tired every morning.\nIf people are always tired in the morning, then they are criticized by their boss.\nIf people are criticized by their boss, then they do not receive positive feedback from teams at work.\nKat either is a person who works well in teams in the workplac and is always tired every morning, or she is neither.", + "original_conclusion": "Kat gets along with her colleagues at her work and receives positive feedback from teams at her work." + }, + { + "id": "folio_946", + "question": "Given the following premises:\n\nIf people work well in teams in the workplace, then they get along with all their colleagues at their work.\nIf people come to work every day with a positive attitude, then they work well in teams in the workplace.\nPeople either come to work every day with a positive attitude or are always tired every morning.\nIf people are always tired in the morning, then they are criticized by their boss.\nIf people are criticized by their boss, then they do not receive positive feedback from teams at work.\nKat either is a person who works well in teams in the workplac and is always tired every morning, or she is neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Kat either gets along with her colleagues at her work or receives positive feedback from teams at her work.", + "answer": true, + "story_id": 356, + "example_id": 946, + "original_premises": "If people work well in teams in the workplace, then they get along with all their colleagues at their work.\nIf people come to work every day with a positive attitude, then they work well in teams in the workplace.\nPeople either come to work every day with a positive attitude or are always tired every morning.\nIf people are always tired in the morning, then they are criticized by their boss.\nIf people are criticized by their boss, then they do not receive positive feedback from teams at work.\nKat either is a person who works well in teams in the workplac and is always tired every morning, or she is neither.", + "original_conclusion": "Kat either gets along with her colleagues at her work or receives positive feedback from teams at her work." + }, + { + "id": "folio_720", + "question": "Given the following premises:\n\nDrishti is an open-source software.\nOpen-source software is free to modify.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Drishti is free to modify.", + "answer": true, + "story_id": 276, + "example_id": 720, + "original_premises": "Drishti is an open-source software.\nOpen-source software is free to modify.", + "original_conclusion": "Drishti is free to modify." + }, + { + "id": "folio_461", + "question": "Given the following premises:\n\nThere are five grades in English class: A+, A, B+, B, and C. \nIf a student gets an A+ in English class, then his score is greater than 95.\nIf a student gets an A in English class, then his score is greater than 90 but lower than 95.\nZhang got an A in English class.\nWang's English class score is better than Zhang's.\nWu's English class score is lower than 90.\nIf a student's English class score is lower than 90, then it is not greater than 95 or 90, and lower than 95.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Zhang's English class score is lower than 95.", + "answer": true, + "story_id": 161, + "example_id": 461, + "original_premises": "There are five grades in English class: A+, A, B+, B, and C. \nIf a student gets an A+ in English class, then his score is greater than 95.\nIf a student gets an A in English class, then his score is greater than 90 but lower than 95.\nZhang got an A in English class.\nWang's English class score is better than Zhang's.\nWu's English class score is lower than 90.\nIf a student's English class score is lower than 90, then it is not greater than 95 or 90, and lower than 95.", + "original_conclusion": "Zhang's English class score is lower than 95." + }, + { + "id": "folio_463", + "question": "Given the following premises:\n\nThere are five grades in English class: A+, A, B+, B, and C. \nIf a student gets an A+ in English class, then his score is greater than 95.\nIf a student gets an A in English class, then his score is greater than 90 but lower than 95.\nZhang got an A in English class.\nWang's English class score is better than Zhang's.\nWu's English class score is lower than 90.\nIf a student's English class score is lower than 90, then it is not greater than 95 or 90, and lower than 95.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Wu does not get an A or A+ in English class.", + "answer": true, + "story_id": 161, + "example_id": 463, + "original_premises": "There are five grades in English class: A+, A, B+, B, and C. \nIf a student gets an A+ in English class, then his score is greater than 95.\nIf a student gets an A in English class, then his score is greater than 90 but lower than 95.\nZhang got an A in English class.\nWang's English class score is better than Zhang's.\nWu's English class score is lower than 90.\nIf a student's English class score is lower than 90, then it is not greater than 95 or 90, and lower than 95.", + "original_conclusion": "Wu does not get an A or A+ in English class." + }, + { + "id": "folio_617", + "question": "Given the following premises:\n\nOlivia doesn't prefer warm temperatures during the day.\nWhen Olivia sleeps, she prefers a cool temperature.\nOlivia sleeps during the night.\nOlivia works during the day.\nOlivia either works or sleeps.\nIt is either the day or the night.\nOlivia either prefers warm temperatures or prefers cool temperatures.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: At all times, Olivia prefers a cool temperature.", + "answer": true, + "story_id": 216, + "example_id": 617, + "original_premises": "Olivia doesn't prefer warm temperatures during the day.\nWhen Olivia sleeps, she prefers a cool temperature.\nOlivia sleeps during the night.\nOlivia works during the day.\nOlivia either works or sleeps.\nIt is either the day or the night.\nOlivia either prefers warm temperatures or prefers cool temperatures.", + "original_conclusion": "At all times, Olivia prefers a cool temperature." + }, + { + "id": "folio_592", + "question": "Given the following premises:\n\nTOra is a GUI.\nGUIs are software.\nSoftware can be free or paid.\nPaid Software is not under the GNU General Public License.\nTOra is under the GNU General Public License.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: TOra is a paid software.", + "answer": false, + "story_id": 207, + "example_id": 592, + "original_premises": "TOra is a GUI.\nGUIs are software.\nSoftware can be free or paid.\nPaid Software is not under the GNU General Public License.\nTOra is under the GNU General Public License.", + "original_conclusion": "TOra is a paid software." + }, + { + "id": "folio_593", + "question": "Given the following premises:\n\nTOra is a GUI.\nGUIs are software.\nSoftware can be free or paid.\nPaid Software is not under the GNU General Public License.\nTOra is under the GNU General Public License.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: TOra is a free software.", + "answer": true, + "story_id": 207, + "example_id": 593, + "original_premises": "TOra is a GUI.\nGUIs are software.\nSoftware can be free or paid.\nPaid Software is not under the GNU General Public License.\nTOra is under the GNU General Public License.", + "original_conclusion": "TOra is a free software." + }, + { + "id": "folio_1199", + "question": "Given the following premises:\n\nCustomers choose a Prime Video plan or an HBO Max Plan, or both. \nAll customers who choose a Prime Video Plan are rewarded with a $30 gift card. \nThere are no customers who do not choose any plan. \nNone of the customers who are rewarded with a $30 gift card are older than 80.\nAll the customers are either older than 80 or between the ages of 60 and 80.\nJames is a customer who is not between the ages of 60 and 80. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James is a customer who does not choose any plans.", + "answer": false, + "story_id": 424, + "example_id": 1199, + "original_premises": "Customers choose a Prime Video plan or an HBO Max Plan, or both. \nAll customers who choose a Prime Video Plan are rewarded with a $30 gift card. \nThere are no customers who do not choose any plan. \nNone of the customers who are rewarded with a $30 gift card are older than 80.\nAll the customers are either older than 80 or between the ages of 60 and 80.\nJames is a customer who is not between the ages of 60 and 80. ", + "original_conclusion": "James is a customer who does not choose any plans." + }, + { + "id": "folio_1200", + "question": "Given the following premises:\n\nCustomers choose a Prime Video plan or an HBO Max Plan, or both. \nAll customers who choose a Prime Video Plan are rewarded with a $30 gift card. \nThere are no customers who do not choose any plan. \nNone of the customers who are rewarded with a $30 gift card are older than 80.\nAll the customers are either older than 80 or between the ages of 60 and 80.\nJames is a customer who is not between the ages of 60 and 80. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James is a customer who chooses a Prime Video plan or does not choose any plans.", + "answer": true, + "story_id": 424, + "example_id": 1200, + "original_premises": "Customers choose a Prime Video plan or an HBO Max Plan, or both. \nAll customers who choose a Prime Video Plan are rewarded with a $30 gift card. \nThere are no customers who do not choose any plan. \nNone of the customers who are rewarded with a $30 gift card are older than 80.\nAll the customers are either older than 80 or between the ages of 60 and 80.\nJames is a customer who is not between the ages of 60 and 80. ", + "original_conclusion": "James is a customer who chooses a Prime Video plan or does not choose any plans." + }, + { + "id": "folio_1201", + "question": "Given the following premises:\n\nCustomers choose a Prime Video plan or an HBO Max Plan, or both. \nAll customers who choose a Prime Video Plan are rewarded with a $30 gift card. \nThere are no customers who do not choose any plan. \nNone of the customers who are rewarded with a $30 gift card are older than 80.\nAll the customers are either older than 80 or between the ages of 60 and 80.\nJames is a customer who is not between the ages of 60 and 80. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Suppose James is a customer who chooses the Prime Video plan or does not choose any plans, then he is either rewarded a $30 gift card or chooses the HBO Max plan.", + "answer": false, + "story_id": 424, + "example_id": 1201, + "original_premises": "Customers choose a Prime Video plan or an HBO Max Plan, or both. \nAll customers who choose a Prime Video Plan are rewarded with a $30 gift card. \nThere are no customers who do not choose any plan. \nNone of the customers who are rewarded with a $30 gift card are older than 80.\nAll the customers are either older than 80 or between the ages of 60 and 80.\nJames is a customer who is not between the ages of 60 and 80. ", + "original_conclusion": "Suppose James is a customer who chooses the Prime Video plan or does not choose any plans, then he is either rewarded a $30 gift card or chooses the HBO Max plan." + }, + { + "id": "folio_498", + "question": "Given the following premises:\n\nDetroit City is a horse.\nSome horses are racehorses.\nIf a horse falls in a race, it poses risks to its rider.\nDetroit City fell in a race.\nA horse is a racehorse if it is in a race.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Detroit City poses risks to its rider.", + "answer": true, + "story_id": 173, + "example_id": 498, + "original_premises": "Detroit City is a horse.\nSome horses are racehorses.\nIf a horse falls in a race, it poses risks to its rider.\nDetroit City fell in a race.\nA horse is a racehorse if it is in a race.", + "original_conclusion": "Detroit City poses risks to its rider." + }, + { + "id": "folio_499", + "question": "Given the following premises:\n\nDetroit City is a horse.\nSome horses are racehorses.\nIf a horse falls in a race, it poses risks to its rider.\nDetroit City fell in a race.\nA horse is a racehorse if it is in a race.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Detroit City is a racehorse.", + "answer": true, + "story_id": 173, + "example_id": 499, + "original_premises": "Detroit City is a horse.\nSome horses are racehorses.\nIf a horse falls in a race, it poses risks to its rider.\nDetroit City fell in a race.\nA horse is a racehorse if it is in a race.", + "original_conclusion": "Detroit City is a racehorse." + }, + { + "id": "folio_340", + "question": "Given the following premises:\n\nFrederick Monhoff was an architect, artist, and illustrator.\nFrederick Monhoff was an American.\nAn artist is good at physical or conceptual art.\nAll Americans are American citizens.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No illustrator was an American citizen.", + "answer": false, + "story_id": 112, + "example_id": 340, + "original_premises": "Frederick Monhoff was an architect, artist, and illustrator.\nFrederick Monhoff was an American.\nAn artist is good at physical or conceptual art.\nAll Americans are American citizens.", + "original_conclusion": "No illustrator was an American citizen." + }, + { + "id": "folio_51", + "question": "Given the following premises:\n\nMiroslav Fiedler was a Czech mathematician.\nMiroslav Fiedler is known for his contributions to linear algebra and graph theory.\nMiroslav Fiedler is honored by the Fiedler eigenvalue.\nFiedler eigenvalue is the second smallest eigenvalue of the graph Laplacian.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Miroslav Fiedler is honored by the second smallest eigenvalue of the graph Laplacian.", + "answer": true, + "story_id": 18, + "example_id": 51, + "original_premises": "Miroslav Fiedler was a Czech mathematician.\nMiroslav Fiedler is known for his contributions to linear algebra and graph theory.\nMiroslav Fiedler is honored by the Fiedler eigenvalue.\nFiedler eigenvalue is the second smallest eigenvalue of the graph Laplacian.", + "original_conclusion": "Miroslav Fiedler is honored by the second smallest eigenvalue of the graph Laplacian." + }, + { + "id": "folio_53", + "question": "Given the following premises:\n\nMiroslav Fiedler was a Czech mathematician.\nMiroslav Fiedler is known for his contributions to linear algebra and graph theory.\nMiroslav Fiedler is honored by the Fiedler eigenvalue.\nFiedler eigenvalue is the second smallest eigenvalue of the graph Laplacian.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A Czech mathematician is known for his contributions to linear algebra and graph theory.", + "answer": true, + "story_id": 18, + "example_id": 53, + "original_premises": "Miroslav Fiedler was a Czech mathematician.\nMiroslav Fiedler is known for his contributions to linear algebra and graph theory.\nMiroslav Fiedler is honored by the Fiedler eigenvalue.\nFiedler eigenvalue is the second smallest eigenvalue of the graph Laplacian.", + "original_conclusion": "A Czech mathematician is known for his contributions to linear algebra and graph theory." + }, + { + "id": "folio_444", + "question": "Given the following premises:\n\nA laptop is a computer.\nYou can play games on a computer.\nA phone is not a computer.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: You can play games on a laptop.", + "answer": true, + "story_id": 153, + "example_id": 444, + "original_premises": "A laptop is a computer.\nYou can play games on a computer.\nA phone is not a computer.", + "original_conclusion": "You can play games on a laptop." + }, + { + "id": "folio_29", + "question": "Given the following premises:\n\nWalter Folger Brown was an American politician and lawyer who served as the postmaster general.\nWalter Folger Brown graduated from Harvard University with a Bachelor of Arts.\nWhile they were both in Toledo, Walter Folger Brown's father practiced law with Walter Folger Brown.\nKatherin Hafer married Walter Folger Brown.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Walter Folger Brown graduated with a Bachelor of Arts.", + "answer": true, + "story_id": 11, + "example_id": 29, + "original_premises": "Walter Folger Brown was an American politician and lawyer who served as the postmaster general.\nWalter Folger Brown graduated from Harvard University with a Bachelor of Arts.\nWhile they were both in Toledo, Walter Folger Brown's father practiced law with Walter Folger Brown.\nKatherin Hafer married Walter Folger Brown.", + "original_conclusion": "Walter Folger Brown graduated with a Bachelor of Arts." + }, + { + "id": "folio_30", + "question": "Given the following premises:\n\nWalter Folger Brown was an American politician and lawyer who served as the postmaster general.\nWalter Folger Brown graduated from Harvard University with a Bachelor of Arts.\nWhile they were both in Toledo, Walter Folger Brown's father practiced law with Walter Folger Brown.\nKatherin Hafer married Walter Folger Brown.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Walter Folger Brown's father was in Toledo.", + "answer": true, + "story_id": 11, + "example_id": 30, + "original_premises": "Walter Folger Brown was an American politician and lawyer who served as the postmaster general.\nWalter Folger Brown graduated from Harvard University with a Bachelor of Arts.\nWhile they were both in Toledo, Walter Folger Brown's father practiced law with Walter Folger Brown.\nKatherin Hafer married Walter Folger Brown.", + "original_conclusion": "Walter Folger Brown's father was in Toledo." + }, + { + "id": "folio_31", + "question": "Given the following premises:\n\nWalter Folger Brown was an American politician and lawyer who served as the postmaster general.\nWalter Folger Brown graduated from Harvard University with a Bachelor of Arts.\nWhile they were both in Toledo, Walter Folger Brown's father practiced law with Walter Folger Brown.\nKatherin Hafer married Walter Folger Brown.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Walter Folger Brown was not in Toledo.", + "answer": false, + "story_id": 11, + "example_id": 31, + "original_premises": "Walter Folger Brown was an American politician and lawyer who served as the postmaster general.\nWalter Folger Brown graduated from Harvard University with a Bachelor of Arts.\nWhile they were both in Toledo, Walter Folger Brown's father practiced law with Walter Folger Brown.\nKatherin Hafer married Walter Folger Brown.", + "original_conclusion": "Walter Folger Brown was not in Toledo." + }, + { + "id": "folio_1147", + "question": "Given the following premises:\n\nAll products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Thinkpad X1 has an Apple M2 chip.", + "answer": false, + "story_id": 410, + "example_id": 1147, + "original_premises": "All products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.", + "original_conclusion": "The Thinkpad X1 has an Apple M2 chip." + }, + { + "id": "folio_1149", + "question": "Given the following premises:\n\nAll products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Thinkpad X1 has an Apple M2 chip and is a Macbook.", + "answer": false, + "story_id": 410, + "example_id": 1149, + "original_premises": "All products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.", + "original_conclusion": "The Thinkpad X1 has an Apple M2 chip and is a Macbook." + }, + { + "id": "folio_1150", + "question": "Given the following premises:\n\nAll products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Thinkpad X1 either has an Apple M2 chip or is a Macbook.", + "answer": false, + "story_id": 410, + "example_id": 1150, + "original_premises": "All products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.", + "original_conclusion": "The Thinkpad X1 either has an Apple M2 chip or is a Macbook." + }, + { + "id": "folio_1151", + "question": "Given the following premises:\n\nAll products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the Thinkpad X1 has an Apple M2 chip and is a Macbook, then it neither has an Apple M2 chip nor is sold in Apple Stores.", + "answer": true, + "story_id": 410, + "example_id": 1151, + "original_premises": "All products designed by Apple are sold at Apple Stores.\nAll products with Apple logos are designed by Apple.\nAll Macbooks have Apple logos.\nAll products with Apple M2 chips are Mackbooks.\nA Thinkpad X1 is not both sold in Apple Stores and is a Macbook.", + "original_conclusion": "If the Thinkpad X1 has an Apple M2 chip and is a Macbook, then it neither has an Apple M2 chip nor is sold in Apple Stores." + }, + { + "id": "folio_585", + "question": "Given the following premises:\n\nOxford Circus is a road junction connecting Oxford Street and Regent Street.\nOxford Street and Regent Street are in London.\nJohn Nash designed a construction on Regent Street.\nJohn Nash designed Oxford Circus.\nJohn Nash is a British architect.\nOxford Circus is the entrance to Oxford Circus tube station, a part of the Central line in 1900.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Oxford Circus is in London.", + "answer": true, + "story_id": 205, + "example_id": 585, + "original_premises": "Oxford Circus is a road junction connecting Oxford Street and Regent Street.\nOxford Street and Regent Street are in London.\nJohn Nash designed a construction on Regent Street.\nJohn Nash designed Oxford Circus.\nJohn Nash is a British architect.\nOxford Circus is the entrance to Oxford Circus tube station, a part of the Central line in 1900.", + "original_conclusion": "Oxford Circus is in London." + }, + { + "id": "folio_586", + "question": "Given the following premises:\n\nOxford Circus is a road junction connecting Oxford Street and Regent Street.\nOxford Street and Regent Street are in London.\nJohn Nash designed a construction on Regent Street.\nJohn Nash designed Oxford Circus.\nJohn Nash is a British architect.\nOxford Circus is the entrance to Oxford Circus tube station, a part of the Central line in 1900.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Oxford Circus is designed by a British architect.", + "answer": true, + "story_id": 205, + "example_id": 586, + "original_premises": "Oxford Circus is a road junction connecting Oxford Street and Regent Street.\nOxford Street and Regent Street are in London.\nJohn Nash designed a construction on Regent Street.\nJohn Nash designed Oxford Circus.\nJohn Nash is a British architect.\nOxford Circus is the entrance to Oxford Circus tube station, a part of the Central line in 1900.", + "original_conclusion": "Oxford Circus is designed by a British architect." + }, + { + "id": "folio_588", + "question": "Given the following premises:\n\nOxford Circus is a road junction connecting Oxford Street and Regent Street.\nOxford Street and Regent Street are in London.\nJohn Nash designed a construction on Regent Street.\nJohn Nash designed Oxford Circus.\nJohn Nash is a British architect.\nOxford Circus is the entrance to Oxford Circus tube station, a part of the Central line in 1900.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Regent Street is not in London.", + "answer": false, + "story_id": 205, + "example_id": 588, + "original_premises": "Oxford Circus is a road junction connecting Oxford Street and Regent Street.\nOxford Street and Regent Street are in London.\nJohn Nash designed a construction on Regent Street.\nJohn Nash designed Oxford Circus.\nJohn Nash is a British architect.\nOxford Circus is the entrance to Oxford Circus tube station, a part of the Central line in 1900.", + "original_conclusion": "Regent Street is not in London." + }, + { + "id": "folio_1369", + "question": "Given the following premises:\n\nAll pets in my house are either cats or dogs.\nAll the dogs in my house bark.\nGhosts do not exist.\nIf some pet in my house barks, then it is not dead.\nAll of the pets in my house are either dead or alive.\nJojo is a pet in my house, and it is not alive.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jojo is a ghost.", + "answer": false, + "story_id": 473, + "example_id": 1369, + "original_premises": "All pets in my house are either cats or dogs.\nAll the dogs in my house bark.\nGhosts do not exist.\nIf some pet in my house barks, then it is not dead.\nAll of the pets in my house are either dead or alive.\nJojo is a pet in my house, and it is not alive.", + "original_conclusion": "Jojo is a ghost." + }, + { + "id": "folio_1370", + "question": "Given the following premises:\n\nAll pets in my house are either cats or dogs.\nAll the dogs in my house bark.\nGhosts do not exist.\nIf some pet in my house barks, then it is not dead.\nAll of the pets in my house are either dead or alive.\nJojo is a pet in my house, and it is not alive.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jojo is a cat or a ghost.", + "answer": true, + "story_id": 473, + "example_id": 1370, + "original_premises": "All pets in my house are either cats or dogs.\nAll the dogs in my house bark.\nGhosts do not exist.\nIf some pet in my house barks, then it is not dead.\nAll of the pets in my house are either dead or alive.\nJojo is a pet in my house, and it is not alive.", + "original_conclusion": "Jojo is a cat or a ghost." + }, + { + "id": "folio_1371", + "question": "Given the following premises:\n\nAll pets in my house are either cats or dogs.\nAll the dogs in my house bark.\nGhosts do not exist.\nIf some pet in my house barks, then it is not dead.\nAll of the pets in my house are either dead or alive.\nJojo is a pet in my house, and it is not alive.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Jojo is a cat or a ghost, then Jojo either barks or is a dog.", + "answer": false, + "story_id": 473, + "example_id": 1371, + "original_premises": "All pets in my house are either cats or dogs.\nAll the dogs in my house bark.\nGhosts do not exist.\nIf some pet in my house barks, then it is not dead.\nAll of the pets in my house are either dead or alive.\nJojo is a pet in my house, and it is not alive.", + "original_conclusion": "If Jojo is a cat or a ghost, then Jojo either barks or is a dog." + }, + { + "id": "folio_1264", + "question": "Given the following premises:\n\nAll tigers are cats.\nNo cats are dogs.\nAll Bengal tigers are tigers.\nAll huskies are dogs.\nFido is either a Bengal tiger or a cat.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Fido is a husky animal.", + "answer": false, + "story_id": 440, + "example_id": 1264, + "original_premises": "All tigers are cats.\nNo cats are dogs.\nAll Bengal tigers are tigers.\nAll huskies are dogs.\nFido is either a Bengal tiger or a cat.", + "original_conclusion": "Fido is a husky animal." + }, + { + "id": "folio_1265", + "question": "Given the following premises:\n\nAll tigers are cats.\nNo cats are dogs.\nAll Bengal tigers are tigers.\nAll huskies are dogs.\nFido is either a Bengal tiger or a cat.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Fido is not a husky.", + "answer": true, + "story_id": 440, + "example_id": 1265, + "original_premises": "All tigers are cats.\nNo cats are dogs.\nAll Bengal tigers are tigers.\nAll huskies are dogs.\nFido is either a Bengal tiger or a cat.", + "original_conclusion": "Fido is not a husky." + }, + { + "id": "folio_1267", + "question": "Given the following premises:\n\nAll tigers are cats.\nNo cats are dogs.\nAll Bengal tigers are tigers.\nAll huskies are dogs.\nFido is either a Bengal tiger or a cat.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Fido is neither a dog nor a husky.", + "answer": true, + "story_id": 440, + "example_id": 1267, + "original_premises": "All tigers are cats.\nNo cats are dogs.\nAll Bengal tigers are tigers.\nAll huskies are dogs.\nFido is either a Bengal tiger or a cat.", + "original_conclusion": "Fido is neither a dog nor a husky." + }, + { + "id": "folio_195", + "question": "Given the following premises:\n\nIf a city holds a Summer Olympics, and the city is a US city, then the Summer Olympics will be in the US.\nIf a city is in a state in the US, the city is a US city.\nIf a city is in a state, and a Summer Olympics is in this city, then the Summer Olympics is in this state.\nThe 2028 Summer Olympics is scheduled to take place in Los Angeles.\nLos Angeles is a city in California.\nAtlanta is a US city.\nAtlanta is in Georgia.\nCalifornia is a state in the United States.\nBoxing, modern pentathlon, and weightlifting will be removed from The 2028 Summer Olympics.\nAtlanta in the United States held the 1996 Summer Olympics.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The 2028 Summer Olympics will take place in the US.", + "answer": true, + "story_id": 66, + "example_id": 195, + "original_premises": "If a city holds a Summer Olympics, and the city is a US city, then the Summer Olympics will be in the US.\nIf a city is in a state in the US, the city is a US city.\nIf a city is in a state, and a Summer Olympics is in this city, then the Summer Olympics is in this state.\nThe 2028 Summer Olympics is scheduled to take place in Los Angeles.\nLos Angeles is a city in California.\nAtlanta is a US city.\nAtlanta is in Georgia.\nCalifornia is a state in the United States.\nBoxing, modern pentathlon, and weightlifting will be removed from The 2028 Summer Olympics.\nAtlanta in the United States held the 1996 Summer Olympics.", + "original_conclusion": "The 2028 Summer Olympics will take place in the US." + }, + { + "id": "folio_196", + "question": "Given the following premises:\n\nIf a city holds a Summer Olympics, and the city is a US city, then the Summer Olympics will be in the US.\nIf a city is in a state in the US, the city is a US city.\nIf a city is in a state, and a Summer Olympics is in this city, then the Summer Olympics is in this state.\nThe 2028 Summer Olympics is scheduled to take place in Los Angeles.\nLos Angeles is a city in California.\nAtlanta is a US city.\nAtlanta is in Georgia.\nCalifornia is a state in the United States.\nBoxing, modern pentathlon, and weightlifting will be removed from The 2028 Summer Olympics.\nAtlanta in the United States held the 1996 Summer Olympics.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The 1996 Summer Olympics is not in Georgia.", + "answer": false, + "story_id": 66, + "example_id": 196, + "original_premises": "If a city holds a Summer Olympics, and the city is a US city, then the Summer Olympics will be in the US.\nIf a city is in a state in the US, the city is a US city.\nIf a city is in a state, and a Summer Olympics is in this city, then the Summer Olympics is in this state.\nThe 2028 Summer Olympics is scheduled to take place in Los Angeles.\nLos Angeles is a city in California.\nAtlanta is a US city.\nAtlanta is in Georgia.\nCalifornia is a state in the United States.\nBoxing, modern pentathlon, and weightlifting will be removed from The 2028 Summer Olympics.\nAtlanta in the United States held the 1996 Summer Olympics.", + "original_conclusion": "The 1996 Summer Olympics is not in Georgia." + }, + { + "id": "folio_23", + "question": "Given the following premises:\n\nThe taiga vole is a large vole found in northwestern North America. \nCats like playing with all voles.\nThe taiga vole lives in the boreal taiga zone.\nThe boreal taiga zone in North America is a cold place to live in.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Cats like playing with taiga vole.", + "answer": true, + "story_id": 9, + "example_id": 23, + "original_premises": "The taiga vole is a large vole found in northwestern North America. \nCats like playing with all voles.\nThe taiga vole lives in the boreal taiga zone.\nThe boreal taiga zone in North America is a cold place to live in.", + "original_conclusion": "Cats like playing with taiga vole." + }, + { + "id": "folio_24", + "question": "Given the following premises:\n\nThe taiga vole is a large vole found in northwestern North America. \nCats like playing with all voles.\nThe taiga vole lives in the boreal taiga zone.\nThe boreal taiga zone in North America is a cold place to live in.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Taiga vole's living place is not cold.", + "answer": false, + "story_id": 9, + "example_id": 24, + "original_premises": "The taiga vole is a large vole found in northwestern North America. \nCats like playing with all voles.\nThe taiga vole lives in the boreal taiga zone.\nThe boreal taiga zone in North America is a cold place to live in.", + "original_conclusion": "Taiga vole's living place is not cold." + }, + { + "id": "folio_1042", + "question": "Given the following premises:\n\nA diseases affect females or males.\nNo women have prostate cancer.\nA cancer is either prostate cancer or non-prostate cancer. \nNo type of cancer is without mutations.\nAll non-prostate cancers are a type of cancer.\nIf adenocarcinoma is a type of cancer or without mutations or both, then adenocarcinoma is in women or without mutations or both.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Adenocarcinoma is a disease in women.", + "answer": true, + "story_id": 389, + "example_id": 1042, + "original_premises": "A diseases affect females or males.\nNo women have prostate cancer.\nA cancer is either prostate cancer or non-prostate cancer. \nNo type of cancer is without mutations.\nAll non-prostate cancers are a type of cancer.\nIf adenocarcinoma is a type of cancer or without mutations or both, then adenocarcinoma is in women or without mutations or both.", + "original_conclusion": "Adenocarcinoma is a disease in women." + }, + { + "id": "folio_1043", + "question": "Given the following premises:\n\nA diseases affect females or males.\nNo women have prostate cancer.\nA cancer is either prostate cancer or non-prostate cancer. \nNo type of cancer is without mutations.\nAll non-prostate cancers are a type of cancer.\nIf adenocarcinoma is a type of cancer or without mutations or both, then adenocarcinoma is in women or without mutations or both.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If adenocarcinoma is a disease in women or without mutations, then adenocarcinoma is without mutations and a non-prostate cancer.", + "answer": false, + "story_id": 389, + "example_id": 1043, + "original_premises": "A diseases affect females or males.\nNo women have prostate cancer.\nA cancer is either prostate cancer or non-prostate cancer. \nNo type of cancer is without mutations.\nAll non-prostate cancers are a type of cancer.\nIf adenocarcinoma is a type of cancer or without mutations or both, then adenocarcinoma is in women or without mutations or both.", + "original_conclusion": "If adenocarcinoma is a disease in women or without mutations, then adenocarcinoma is without mutations and a non-prostate cancer." + }, + { + "id": "folio_175", + "question": "Given the following premises:\n\nSome monitors equipped in the lab are produced by the company named AOC. \nAll monitors equipped in the lab are cheaper than their original prices. \nIf a monitor is cheaper than its original price, then its resolution is 1080p. \nIf a monitor has a resolution of 1080p, then it does not support the type-c port. \nLG34 is equipped in the lab. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: LG34 machine does not support the type-c port.", + "answer": true, + "story_id": 59, + "example_id": 175, + "original_premises": "Some monitors equipped in the lab are produced by the company named AOC. \nAll monitors equipped in the lab are cheaper than their original prices. \nIf a monitor is cheaper than its original price, then its resolution is 1080p. \nIf a monitor has a resolution of 1080p, then it does not support the type-c port. \nLG34 is equipped in the lab. ", + "original_conclusion": "LG34 machine does not support the type-c port." + }, + { + "id": "folio_176", + "question": "Given the following premises:\n\nSome monitors equipped in the lab are produced by the company named AOC. \nAll monitors equipped in the lab are cheaper than their original prices. \nIf a monitor is cheaper than its original price, then its resolution is 1080p. \nIf a monitor has a resolution of 1080p, then it does not support the type-c port. \nLG34 is equipped in the lab. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: LG34 is not with a resolution of 1080p.", + "answer": false, + "story_id": 59, + "example_id": 176, + "original_premises": "Some monitors equipped in the lab are produced by the company named AOC. \nAll monitors equipped in the lab are cheaper than their original prices. \nIf a monitor is cheaper than its original price, then its resolution is 1080p. \nIf a monitor has a resolution of 1080p, then it does not support the type-c port. \nLG34 is equipped in the lab. ", + "original_conclusion": "LG34 is not with a resolution of 1080p." + }, + { + "id": "folio_1156", + "question": "Given the following premises:\n\nAll fruits sold at Nica's market are shipped from Colombia. \nSome fruits sold in New Haven are shipped from Mexico.\nNo fruits shipped from Colombia are sold at the local farmers market in New Haven. \nAvocados are a kind of fruit sold at the local farmers market in New Haven or at Nica's market. \nAvocados are either shipped from Colombia and sold in New Haven, or neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Avocados are either sold at the local farmers market in New Haven or are sold in New Haven.", + "answer": true, + "story_id": 412, + "example_id": 1156, + "original_premises": "All fruits sold at Nica's market are shipped from Colombia. \nSome fruits sold in New Haven are shipped from Mexico.\nNo fruits shipped from Colombia are sold at the local farmers market in New Haven. \nAvocados are a kind of fruit sold at the local farmers market in New Haven or at Nica's market. \nAvocados are either shipped from Colombia and sold in New Haven, or neither.", + "original_conclusion": "Avocados are either sold at the local farmers market in New Haven or are sold in New Haven." + }, + { + "id": "folio_1157", + "question": "Given the following premises:\n\nAll fruits sold at Nica's market are shipped from Colombia. \nSome fruits sold in New Haven are shipped from Mexico.\nNo fruits shipped from Colombia are sold at the local farmers market in New Haven. \nAvocados are a kind of fruit sold at the local farmers market in New Haven or at Nica's market. \nAvocados are either shipped from Colombia and sold in New Haven, or neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Avocados are either sold in New Haven or sold at Nica's market.", + "answer": false, + "story_id": 412, + "example_id": 1157, + "original_premises": "All fruits sold at Nica's market are shipped from Colombia. \nSome fruits sold in New Haven are shipped from Mexico.\nNo fruits shipped from Colombia are sold at the local farmers market in New Haven. \nAvocados are a kind of fruit sold at the local farmers market in New Haven or at Nica's market. \nAvocados are either shipped from Colombia and sold in New Haven, or neither.", + "original_conclusion": "Avocados are either sold in New Haven or sold at Nica's market." + }, + { + "id": "folio_1158", + "question": "Given the following premises:\n\nAll fruits sold at Nica's market are shipped from Colombia. \nSome fruits sold in New Haven are shipped from Mexico.\nNo fruits shipped from Colombia are sold at the local farmers market in New Haven. \nAvocados are a kind of fruit sold at the local farmers market in New Haven or at Nica's market. \nAvocados are either shipped from Colombia and sold in New Haven, or neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If avocados are not both sold at the local farmers market in New Haven and shipped from Columbia, then they are neither sold at the local farmers market in New Haven nor in New Haven generally.", + "answer": false, + "story_id": 412, + "example_id": 1158, + "original_premises": "All fruits sold at Nica's market are shipped from Colombia. \nSome fruits sold in New Haven are shipped from Mexico.\nNo fruits shipped from Colombia are sold at the local farmers market in New Haven. \nAvocados are a kind of fruit sold at the local farmers market in New Haven or at Nica's market. \nAvocados are either shipped from Colombia and sold in New Haven, or neither.", + "original_conclusion": "If avocados are not both sold at the local farmers market in New Haven and shipped from Columbia, then they are neither sold at the local farmers market in New Haven nor in New Haven generally." + }, + { + "id": "folio_1179", + "question": "Given the following premises:\n\nSome monitors equipped in the library are produced by AOC. \nAll monitors equipped in the library are cheaper than 800 dollars. \nAll monitors cheaper than 800 dollars are with a resolution lower than 1080p. \nIf a monitor has a resolution lower than 1080p, then it does not support the type-c port. \nA-2017 supports the type-c port. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A-2017 is produced by AOC and equipped in the library.", + "answer": false, + "story_id": 418, + "example_id": 1179, + "original_premises": "Some monitors equipped in the library are produced by AOC. \nAll monitors equipped in the library are cheaper than 800 dollars. \nAll monitors cheaper than 800 dollars are with a resolution lower than 1080p. \nIf a monitor has a resolution lower than 1080p, then it does not support the type-c port. \nA-2017 supports the type-c port. ", + "original_conclusion": "A-2017 is produced by AOC and equipped in the library." + }, + { + "id": "folio_1180", + "question": "Given the following premises:\n\nSome monitors equipped in the library are produced by AOC. \nAll monitors equipped in the library are cheaper than 800 dollars. \nAll monitors cheaper than 800 dollars are with a resolution lower than 1080p. \nIf a monitor has a resolution lower than 1080p, then it does not support the type-c port. \nA-2017 supports the type-c port. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If either A-2017 is both with a resolution of 1080p and produced by AOC or it is neither, then it is not equipped in the library.", + "answer": true, + "story_id": 418, + "example_id": 1180, + "original_premises": "Some monitors equipped in the library are produced by AOC. \nAll monitors equipped in the library are cheaper than 800 dollars. \nAll monitors cheaper than 800 dollars are with a resolution lower than 1080p. \nIf a monitor has a resolution lower than 1080p, then it does not support the type-c port. \nA-2017 supports the type-c port. ", + "original_conclusion": "If either A-2017 is both with a resolution of 1080p and produced by AOC or it is neither, then it is not equipped in the library." + }, + { + "id": "folio_10", + "question": "Given the following premises:\n\nS\u016bduva Marijampol\u0117 holds the Lithuanian Super Cup.\nS\u016bduva Marijampol\u0117 is a soccer team.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some soccer team holds the Lithuanian Super Cup.", + "answer": true, + "story_id": 4, + "example_id": 10, + "original_premises": "S\u016bduva Marijampol\u0117 holds the Lithuanian Super Cup.\nS\u016bduva Marijampol\u0117 is a soccer team.", + "original_conclusion": "Some soccer team holds the Lithuanian Super Cup." + }, + { + "id": "folio_285", + "question": "Given the following premises:\n\nAinderby Quernhow is a village and civil parish in the Hambleton District.\nHambleton District is in North Yorkshire.\nNorth Yorkshire is in England.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a village in England.", + "answer": true, + "story_id": 94, + "example_id": 285, + "original_premises": "Ainderby Quernhow is a village and civil parish in the Hambleton District.\nHambleton District is in North Yorkshire.\nNorth Yorkshire is in England.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.", + "original_conclusion": "There is a village in England." + }, + { + "id": "folio_286", + "question": "Given the following premises:\n\nAinderby Quernhow is a village and civil parish in the Hambleton District.\nHambleton District is in North Yorkshire.\nNorth Yorkshire is in England.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is no civil parish in England.", + "answer": false, + "story_id": 94, + "example_id": 286, + "original_premises": "Ainderby Quernhow is a village and civil parish in the Hambleton District.\nHambleton District is in North Yorkshire.\nNorth Yorkshire is in England.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.", + "original_conclusion": "There is no civil parish in England." + }, + { + "id": "folio_138", + "question": "Given the following premises:\n\nDouglas Adams is an author who created the book collection called The Salmon of Doubt. \nThe Salmon of Doubt is about life experiences and technology.\nAll authors are writers.\nWriters create innovative ideas.\nSome books that contain innovative ideas are about technology.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Douglas Adams is a writer.", + "answer": true, + "story_id": 48, + "example_id": 138, + "original_premises": "Douglas Adams is an author who created the book collection called The Salmon of Doubt. \nThe Salmon of Doubt is about life experiences and technology.\nAll authors are writers.\nWriters create innovative ideas.\nSome books that contain innovative ideas are about technology.", + "original_conclusion": "Douglas Adams is a writer." + }, + { + "id": "folio_139", + "question": "Given the following premises:\n\nDouglas Adams is an author who created the book collection called The Salmon of Doubt. \nThe Salmon of Doubt is about life experiences and technology.\nAll authors are writers.\nWriters create innovative ideas.\nSome books that contain innovative ideas are about technology.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Douglas Adams created innovative ideas.", + "answer": true, + "story_id": 48, + "example_id": 139, + "original_premises": "Douglas Adams is an author who created the book collection called The Salmon of Doubt. \nThe Salmon of Doubt is about life experiences and technology.\nAll authors are writers.\nWriters create innovative ideas.\nSome books that contain innovative ideas are about technology.", + "original_conclusion": "Douglas Adams created innovative ideas." + }, + { + "id": "folio_823", + "question": "Given the following premises:\n\nNo disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Reformation produces fast fashion products.", + "answer": false, + "story_id": 323, + "example_id": 823, + "original_premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", + "original_conclusion": "Reformation produces fast fashion products." + }, + { + "id": "folio_824", + "question": "Given the following premises:\n\nNo disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Reformation does not produce fast fashion products.", + "answer": true, + "story_id": 323, + "example_id": 824, + "original_premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", + "original_conclusion": "Reformation does not produce fast fashion products." + }, + { + "id": "folio_825", + "question": "Given the following premises:\n\nNo disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Reformation does not produce fast fashion products or does not produce disposable products.", + "answer": true, + "story_id": 323, + "example_id": 825, + "original_premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", + "original_conclusion": "Reformation does not produce fast fashion products or does not produce disposable products." + }, + { + "id": "folio_826", + "question": "Given the following premises:\n\nNo disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Reformation produces disposable products, then Reformation produces fast fashion products.", + "answer": true, + "story_id": 323, + "example_id": 826, + "original_premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", + "original_conclusion": "If Reformation produces disposable products, then Reformation produces fast fashion products." + }, + { + "id": "folio_827", + "question": "Given the following premises:\n\nNo disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Reformation produces fast fashion products or helps slow down global warming, then Reformation produces fast fashion products.", + "answer": false, + "story_id": 323, + "example_id": 827, + "original_premises": "No disposable products can help slow down global warming. \nAll eco-friendly brands can help slow down global warming. \nAll sustainable fashion brands are eco-friendly brands.\nAll fast fashion products are disposable products.\nIf Reformation is not helping slow down global warming, then Reformation is an eco-friendly brand or a sustainable fashion brand.", + "original_conclusion": "If Reformation produces fast fashion products or helps slow down global warming, then Reformation produces fast fashion products." + }, + { + "id": "folio_283", + "question": "Given the following premises:\n\nRoy Richardson was a cricketer who played for Sint Maarten, a constituent country.\nRoy Richardson was a right-handed batsman and medium-pace bowler.\nRoy Richardson was old when he debuted in cricket.\nSherville Huggins dismissed Roy Richardson.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Sherville Huggins has never dismissed anyone playing cricket for a constituent country.", + "answer": false, + "story_id": 93, + "example_id": 283, + "original_premises": "Roy Richardson was a cricketer who played for Sint Maarten, a constituent country.\nRoy Richardson was a right-handed batsman and medium-pace bowler.\nRoy Richardson was old when he debuted in cricket.\nSherville Huggins dismissed Roy Richardson.", + "original_conclusion": "Sherville Huggins has never dismissed anyone playing cricket for a constituent country." + }, + { + "id": "folio_284", + "question": "Given the following premises:\n\nRoy Richardson was a cricketer who played for Sint Maarten, a constituent country.\nRoy Richardson was a right-handed batsman and medium-pace bowler.\nRoy Richardson was old when he debuted in cricket.\nSherville Huggins dismissed Roy Richardson.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No right-handed medium-pace bowlers were playing for Sint Maarten.", + "answer": false, + "story_id": 93, + "example_id": 284, + "original_premises": "Roy Richardson was a cricketer who played for Sint Maarten, a constituent country.\nRoy Richardson was a right-handed batsman and medium-pace bowler.\nRoy Richardson was old when he debuted in cricket.\nSherville Huggins dismissed Roy Richardson.", + "original_conclusion": "No right-handed medium-pace bowlers were playing for Sint Maarten." + }, + { + "id": "folio_885", + "question": "Given the following premises:\n\nNo iPhones are standalone desktops. \nAll Apple-made cellphones are iPhones. \nAll phones with A15 Bionic chips are Apple-made cell phones. \nAll phones equipped with four core-GPU made by Apple are phones with A15 Bionic chips. \nIf an unannounced Huawei phone is either a phone with A15 Bionic chips or equipped with four core-GPU made by Apple, then unannounced Huawei phone is neither a phone with A15 Bionic chips nor a standalone desktop.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Joe is a PhD student.", + "answer": false, + "story_id": 338, + "example_id": 885, + "original_premises": "No iPhones are standalone desktops. \nAll Apple-made cellphones are iPhones. \nAll phones with A15 Bionic chips are Apple-made cell phones. \nAll phones equipped with four core-GPU made by Apple are phones with A15 Bionic chips. \nIf an unannounced Huawei phone is either a phone with A15 Bionic chips or equipped with four core-GPU made by Apple, then unannounced Huawei phone is neither a phone with A15 Bionic chips nor a standalone desktop.", + "original_conclusion": "Joe is a PhD student." + }, + { + "id": "folio_886", + "question": "Given the following premises:\n\nNo iPhones are standalone desktops. \nAll Apple-made cellphones are iPhones. \nAll phones with A15 Bionic chips are Apple-made cell phones. \nAll phones equipped with four core-GPU made by Apple are phones with A15 Bionic chips. \nIf an unannounced Huawei phone is either a phone with A15 Bionic chips or equipped with four core-GPU made by Apple, then unannounced Huawei phone is neither a phone with A15 Bionic chips nor a standalone desktop.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Joe is not a PhD student.", + "answer": true, + "story_id": 338, + "example_id": 886, + "original_premises": "No iPhones are standalone desktops. \nAll Apple-made cellphones are iPhones. \nAll phones with A15 Bionic chips are Apple-made cell phones. \nAll phones equipped with four core-GPU made by Apple are phones with A15 Bionic chips. \nIf an unannounced Huawei phone is either a phone with A15 Bionic chips or equipped with four core-GPU made by Apple, then unannounced Huawei phone is neither a phone with A15 Bionic chips nor a standalone desktop.", + "original_conclusion": "Joe is not a PhD student." + }, + { + "id": "folio_92", + "question": "Given the following premises:\n\nHugh Vanstone is one of the world's leading lighting designers. \nHugh Vanstone is from the UK.\nHugh Vanstone has lit more than 160 productions.\nHugh Vanstone attended a school where he is from. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Hugh Vanstone is one of the world's leading lighting designers and is from the UK.", + "answer": true, + "story_id": 32, + "example_id": 92, + "original_premises": "Hugh Vanstone is one of the world's leading lighting designers. \nHugh Vanstone is from the UK.\nHugh Vanstone has lit more than 160 productions.\nHugh Vanstone attended a school where he is from. ", + "original_conclusion": "Hugh Vanstone is one of the world's leading lighting designers and is from the UK." + }, + { + "id": "folio_379", + "question": "Given the following premises:\n\nDonald Ervin Knuth is an American computer scientist, mathematician, and Professor Emeritus at Stanford University.\nKnuth has been called the \"father of the analysis of algorithms.\"\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: An American scientist has been called the \"father of the analysis of algorithms\".", + "answer": true, + "story_id": 128, + "example_id": 379, + "original_premises": "Donald Ervin Knuth is an American computer scientist, mathematician, and Professor Emeritus at Stanford University.\nKnuth has been called the \"father of the analysis of algorithms.\"", + "original_conclusion": "An American scientist has been called the \"father of the analysis of algorithms\"." + }, + { + "id": "folio_380", + "question": "Given the following premises:\n\nDonald Ervin Knuth is an American computer scientist, mathematician, and Professor Emeritus at Stanford University.\nKnuth has been called the \"father of the analysis of algorithms.\"\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A mathematician has been called the \"father of the analysis of algorithms\".", + "answer": true, + "story_id": 128, + "example_id": 380, + "original_premises": "Donald Ervin Knuth is an American computer scientist, mathematician, and Professor Emeritus at Stanford University.\nKnuth has been called the \"father of the analysis of algorithms.\"", + "original_conclusion": "A mathematician has been called the \"father of the analysis of algorithms\"." + }, + { + "id": "folio_362", + "question": "Given the following premises:\n\nNeocrepidodera Corpulentas are flea beetles or moths, or both.\nNeocrepidodera Corpulentas are in the Chrysomelidae family.\nThere are no moths within the Chrysomelidae family.\nThere is a Neocrepidodera Corpulenta. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a flea beetle within the Chrysomelidae family.", + "answer": true, + "story_id": 121, + "example_id": 362, + "original_premises": "Neocrepidodera Corpulentas are flea beetles or moths, or both.\nNeocrepidodera Corpulentas are in the Chrysomelidae family.\nThere are no moths within the Chrysomelidae family.\nThere is a Neocrepidodera Corpulenta. ", + "original_conclusion": "There is a flea beetle within the Chrysomelidae family." + }, + { + "id": "folio_363", + "question": "Given the following premises:\n\nNeocrepidodera Corpulentas are flea beetles or moths, or both.\nNeocrepidodera Corpulentas are in the Chrysomelidae family.\nThere are no moths within the Chrysomelidae family.\nThere is a Neocrepidodera Corpulenta. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There are no flea beetles within the Chrysomelidae family.", + "answer": false, + "story_id": 121, + "example_id": 363, + "original_premises": "Neocrepidodera Corpulentas are flea beetles or moths, or both.\nNeocrepidodera Corpulentas are in the Chrysomelidae family.\nThere are no moths within the Chrysomelidae family.\nThere is a Neocrepidodera Corpulenta. ", + "original_conclusion": "There are no flea beetles within the Chrysomelidae family." + }, + { + "id": "folio_642", + "question": "Given the following premises:\n\nCarrozzeria Colli is a Milanese coachbuilder company established by Giuseppe Colli in 1931.\nCarrozzeria Colli is a company that specializes in using aluminum.\nThe first automobiles built by Carrozzeria Colli were racing cars.\nSome racing cars built by Carrozzeria Colli used Fiat 1100 mechanicals and chassis.\nCarrozzeria Colli worked for airforces.\nCarrozzeria Colli made car bodies. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Giuseppe Colli established a company that made car bodies.", + "answer": true, + "story_id": 227, + "example_id": 642, + "original_premises": "Carrozzeria Colli is a Milanese coachbuilder company established by Giuseppe Colli in 1931.\nCarrozzeria Colli is a company that specializes in using aluminum.\nThe first automobiles built by Carrozzeria Colli were racing cars.\nSome racing cars built by Carrozzeria Colli used Fiat 1100 mechanicals and chassis.\nCarrozzeria Colli worked for airforces.\nCarrozzeria Colli made car bodies. ", + "original_conclusion": "Giuseppe Colli established a company that made car bodies." + }, + { + "id": "folio_643", + "question": "Given the following premises:\n\nCarrozzeria Colli is a Milanese coachbuilder company established by Giuseppe Colli in 1931.\nCarrozzeria Colli is a company that specializes in using aluminum.\nThe first automobiles built by Carrozzeria Colli were racing cars.\nSome racing cars built by Carrozzeria Colli used Fiat 1100 mechanicals and chassis.\nCarrozzeria Colli worked for airforces.\nCarrozzeria Colli made car bodies. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Giuseppe Colli established a Milanese coachbuilder company that specialized in using aluminum.", + "answer": true, + "story_id": 227, + "example_id": 643, + "original_premises": "Carrozzeria Colli is a Milanese coachbuilder company established by Giuseppe Colli in 1931.\nCarrozzeria Colli is a company that specializes in using aluminum.\nThe first automobiles built by Carrozzeria Colli were racing cars.\nSome racing cars built by Carrozzeria Colli used Fiat 1100 mechanicals and chassis.\nCarrozzeria Colli worked for airforces.\nCarrozzeria Colli made car bodies. ", + "original_conclusion": "Giuseppe Colli established a Milanese coachbuilder company that specialized in using aluminum." + }, + { + "id": "folio_248", + "question": "Given the following premises:\n\nQuiksilver sells sportswear, clothing, footwear, and accessories.\nFlannels are a type of clothing.\nJoe owns an item from Quiksilver.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Joe owns at least one piece of sportswear, clothing, footwear, or accessory", + "answer": true, + "story_id": 81, + "example_id": 248, + "original_premises": "Quiksilver sells sportswear, clothing, footwear, and accessories.\nFlannels are a type of clothing.\nJoe owns an item from Quiksilver.", + "original_conclusion": "Joe owns at least one piece of sportswear, clothing, footwear, or accessory" + }, + { + "id": "folio_761", + "question": "Given the following premises:\n\nNo video games released by Nintendo support the PS4 platform.\nAll video games in the Pokemon series are released by Nintendo. \nAll video games in the FIFA series support the PS4 platform. \nAll video games that allow users to simulate playing online soccer using licensed players are in the FIFA series.\nThe video game named \u201cBe Lionel\u201d is in the Pokemon series, or it allows users to simulate playing online soccer games using licensed players.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The video game named \u201cBe Lionel\u201d either is in the FIFA series and supports the PS4 platform, or it neither is in the FIFA series nor supports the PS4 platform.", + "answer": true, + "story_id": 308, + "example_id": 761, + "original_premises": "No video games released by Nintendo support the PS4 platform.\nAll video games in the Pokemon series are released by Nintendo. \nAll video games in the FIFA series support the PS4 platform. \nAll video games that allow users to simulate playing online soccer using licensed players are in the FIFA series.\nThe video game named \u201cBe Lionel\u201d is in the Pokemon series, or it allows users to simulate playing online soccer games using licensed players.", + "original_conclusion": "The video game named \u201cBe Lionel\u201d either is in the FIFA series and supports the PS4 platform, or it neither is in the FIFA series nor supports the PS4 platform." + }, + { + "id": "folio_762", + "question": "Given the following premises:\n\nNo video games released by Nintendo support the PS4 platform.\nAll video games in the Pokemon series are released by Nintendo. \nAll video games in the FIFA series support the PS4 platform. \nAll video games that allow users to simulate playing online soccer using licensed players are in the FIFA series.\nThe video game named \u201cBe Lionel\u201d is in the Pokemon series, or it allows users to simulate playing online soccer games using licensed players.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The video game named \u201cBe Lionel\u201d is either in the FIFA series or supports the PS4 platform.", + "answer": false, + "story_id": 308, + "example_id": 762, + "original_premises": "No video games released by Nintendo support the PS4 platform.\nAll video games in the Pokemon series are released by Nintendo. \nAll video games in the FIFA series support the PS4 platform. \nAll video games that allow users to simulate playing online soccer using licensed players are in the FIFA series.\nThe video game named \u201cBe Lionel\u201d is in the Pokemon series, or it allows users to simulate playing online soccer games using licensed players.", + "original_conclusion": "The video game named \u201cBe Lionel\u201d is either in the FIFA series or supports the PS4 platform." + }, + { + "id": "folio_763", + "question": "Given the following premises:\n\nNo video games released by Nintendo support the PS4 platform.\nAll video games in the Pokemon series are released by Nintendo. \nAll video games in the FIFA series support the PS4 platform. \nAll video games that allow users to simulate playing online soccer using licensed players are in the FIFA series.\nThe video game named \u201cBe Lionel\u201d is in the Pokemon series, or it allows users to simulate playing online soccer games using licensed players.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The video game named \u201cBe Lionel\u201d is not in the FIFA or Pokemon series.", + "answer": false, + "story_id": 308, + "example_id": 763, + "original_premises": "No video games released by Nintendo support the PS4 platform.\nAll video games in the Pokemon series are released by Nintendo. \nAll video games in the FIFA series support the PS4 platform. \nAll video games that allow users to simulate playing online soccer using licensed players are in the FIFA series.\nThe video game named \u201cBe Lionel\u201d is in the Pokemon series, or it allows users to simulate playing online soccer games using licensed players.", + "original_conclusion": "The video game named \u201cBe Lionel\u201d is not in the FIFA or Pokemon series." + }, + { + "id": "folio_774", + "question": "Given the following premises:\n\nNo payment cards issued by Russian banks can be used with ApplePay.\nAll MIR payment cards are issued by Russian banks.\nSome international payment cards can be used with ApplePay.\nSocial payments in Russia can only be transferred to MIR payment cards.\nBank of America payment cards can be used with ApplePay.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bank of America payment cards are international and can be used to transfer social payments in Russia.", + "answer": false, + "story_id": 311, + "example_id": 774, + "original_premises": "No payment cards issued by Russian banks can be used with ApplePay.\nAll MIR payment cards are issued by Russian banks.\nSome international payment cards can be used with ApplePay.\nSocial payments in Russia can only be transferred to MIR payment cards.\nBank of America payment cards can be used with ApplePay.", + "original_conclusion": "Bank of America payment cards are international and can be used to transfer social payments in Russia." + }, + { + "id": "folio_775", + "question": "Given the following premises:\n\nNo payment cards issued by Russian banks can be used with ApplePay.\nAll MIR payment cards are issued by Russian banks.\nSome international payment cards can be used with ApplePay.\nSocial payments in Russia can only be transferred to MIR payment cards.\nBank of America payment cards can be used with ApplePay.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Bank of America payment cards are international and can be used to transfer social payments in Russia, then they are international.", + "answer": true, + "story_id": 311, + "example_id": 775, + "original_premises": "No payment cards issued by Russian banks can be used with ApplePay.\nAll MIR payment cards are issued by Russian banks.\nSome international payment cards can be used with ApplePay.\nSocial payments in Russia can only be transferred to MIR payment cards.\nBank of America payment cards can be used with ApplePay.", + "original_conclusion": "If Bank of America payment cards are international and can be used to transfer social payments in Russia, then they are international." + }, + { + "id": "folio_151", + "question": "Given the following premises:\n\nThe Lumina APV is produced by Chevrolet. \nThe Astro is a van produced by Chevrolet. \nVehicles produced by Chevrolet in this batch are either cars or vans.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Lumina APV is either a car or a van.", + "answer": true, + "story_id": 52, + "example_id": 151, + "original_premises": "The Lumina APV is produced by Chevrolet. \nThe Astro is a van produced by Chevrolet. \nVehicles produced by Chevrolet in this batch are either cars or vans.", + "original_conclusion": "The Lumina APV is either a car or a van." + }, + { + "id": "folio_152", + "question": "Given the following premises:\n\nThe Lumina APV is produced by Chevrolet. \nThe Astro is a van produced by Chevrolet. \nVehicles produced by Chevrolet in this batch are either cars or vans.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Astro is a van.", + "answer": true, + "story_id": 52, + "example_id": 152, + "original_premises": "The Lumina APV is produced by Chevrolet. \nThe Astro is a van produced by Chevrolet. \nVehicles produced by Chevrolet in this batch are either cars or vans.", + "original_conclusion": "The Astro is a van." + }, + { + "id": "folio_153", + "question": "Given the following premises:\n\nThe Lumina APV is produced by Chevrolet. \nThe Astro is a van produced by Chevrolet. \nVehicles produced by Chevrolet in this batch are either cars or vans.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Astro is a car.", + "answer": false, + "story_id": 52, + "example_id": 153, + "original_premises": "The Lumina APV is produced by Chevrolet. \nThe Astro is a van produced by Chevrolet. \nVehicles produced by Chevrolet in this batch are either cars or vans.", + "original_conclusion": "The Astro is a car." + }, + { + "id": "folio_1124", + "question": "Given the following premises:\n\nEveryone who works in the office is a commuter. \nPeople either work in the office or work from home.\nEveryone who works from home has a relaxed schedule.\nGeorge is either a commuter or has a home office setup. \nIf George is either a person who works from home or has a home office setup, then George is a commuter and is not a person who works from home.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If George is not a person who works from home and a person who works in the office, then George is neither a commuter nor a person who has a relaxed schedule.", + "answer": false, + "story_id": 405, + "example_id": 1124, + "original_premises": "Everyone who works in the office is a commuter. \nPeople either work in the office or work from home.\nEveryone who works from home has a relaxed schedule.\nGeorge is either a commuter or has a home office setup. \nIf George is either a person who works from home or has a home office setup, then George is a commuter and is not a person who works from home.", + "original_conclusion": "If George is not a person who works from home and a person who works in the office, then George is neither a commuter nor a person who has a relaxed schedule." + }, + { + "id": "folio_1125", + "question": "Given the following premises:\n\nEveryone who works in the office is a commuter. \nPeople either work in the office or work from home.\nEveryone who works from home has a relaxed schedule.\nGeorge is either a commuter or has a home office setup. \nIf George is either a person who works from home or has a home office setup, then George is a commuter and is not a person who works from home.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If George is either a person who has a home office setup and a person who works in the office, or neither a person who has a home office setup nor a person who works in the office, then George is either a person who works from home or a person who has a relaxed schedule.", + "answer": true, + "story_id": 405, + "example_id": 1125, + "original_premises": "Everyone who works in the office is a commuter. \nPeople either work in the office or work from home.\nEveryone who works from home has a relaxed schedule.\nGeorge is either a commuter or has a home office setup. \nIf George is either a person who works from home or has a home office setup, then George is a commuter and is not a person who works from home.", + "original_conclusion": "If George is either a person who has a home office setup and a person who works in the office, or neither a person who has a home office setup nor a person who works in the office, then George is either a person who works from home or a person who has a relaxed schedule." + }, + { + "id": "folio_81", + "question": "Given the following premises:\n\nJason Kramer is an American music supervisor.\nSome American radio personalities are also music supervisors. \nAnyone who hosts a show on a public radio station is a radio personality.\nJoe Rogan is a radio personality.\nJason Kramer hosted a show on a public radio station.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jason Kramer is a music supervisor.", + "answer": true, + "story_id": 28, + "example_id": 81, + "original_premises": "Jason Kramer is an American music supervisor.\nSome American radio personalities are also music supervisors. \nAnyone who hosts a show on a public radio station is a radio personality.\nJoe Rogan is a radio personality.\nJason Kramer hosted a show on a public radio station.", + "original_conclusion": "Jason Kramer is a music supervisor." + }, + { + "id": "folio_82", + "question": "Given the following premises:\n\nJason Kramer is an American music supervisor.\nSome American radio personalities are also music supervisors. \nAnyone who hosts a show on a public radio station is a radio personality.\nJoe Rogan is a radio personality.\nJason Kramer hosted a show on a public radio station.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jason Kramer is a radio personality.", + "answer": true, + "story_id": 28, + "example_id": 82, + "original_premises": "Jason Kramer is an American music supervisor.\nSome American radio personalities are also music supervisors. \nAnyone who hosts a show on a public radio station is a radio personality.\nJoe Rogan is a radio personality.\nJason Kramer hosted a show on a public radio station.", + "original_conclusion": "Jason Kramer is a radio personality." + }, + { + "id": "folio_1225", + "question": "Given the following premises:\n\nHerm\u00e8s bags are not made in Italy.\nAll Birkin bags are Herm\u00e8s bags. \nAll Ferraris are made in Italy. \nAll cars that carry a Ferrari V12 engine are Ferraris. \nAll cars that are made in Maranello carry a Ferrari V12 engine.\nA Lamborghini SUV is not both a Ferrari and made in Maranello. \nA Kelly bag is a Herm\u00e8s bag, or it is a car that carries a Ferrari V12 engine. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A Kelly bag is a Birkin bag made in Maranello.", + "answer": false, + "story_id": 430, + "example_id": 1225, + "original_premises": "Herm\u00e8s bags are not made in Italy.\nAll Birkin bags are Herm\u00e8s bags. \nAll Ferraris are made in Italy. \nAll cars that carry a Ferrari V12 engine are Ferraris. \nAll cars that are made in Maranello carry a Ferrari V12 engine.\nA Lamborghini SUV is not both a Ferrari and made in Maranello. \nA Kelly bag is a Herm\u00e8s bag, or it is a car that carries a Ferrari V12 engine. ", + "original_conclusion": "A Kelly bag is a Birkin bag made in Maranello." + }, + { + "id": "folio_1226", + "question": "Given the following premises:\n\nHerm\u00e8s bags are not made in Italy.\nAll Birkin bags are Herm\u00e8s bags. \nAll Ferraris are made in Italy. \nAll cars that carry a Ferrari V12 engine are Ferraris. \nAll cars that are made in Maranello carry a Ferrari V12 engine.\nA Lamborghini SUV is not both a Ferrari and made in Maranello. \nA Kelly bag is a Herm\u00e8s bag, or it is a car that carries a Ferrari V12 engine. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A Kelly bag is not both made in Maranello and a Birkin bag.", + "answer": true, + "story_id": 430, + "example_id": 1226, + "original_premises": "Herm\u00e8s bags are not made in Italy.\nAll Birkin bags are Herm\u00e8s bags. \nAll Ferraris are made in Italy. \nAll cars that carry a Ferrari V12 engine are Ferraris. \nAll cars that are made in Maranello carry a Ferrari V12 engine.\nA Lamborghini SUV is not both a Ferrari and made in Maranello. \nA Kelly bag is a Herm\u00e8s bag, or it is a car that carries a Ferrari V12 engine. ", + "original_conclusion": "A Kelly bag is not both made in Maranello and a Birkin bag." + }, + { + "id": "folio_597", + "question": "Given the following premises:\n\nIf someone lives in a place named Galicia, then they live in either Spain or Poland.\nSpain is in Europe.\nPoland is in Europe.\nRochelle lives in Europe.\nDominique does not live in Europe.\nAlfonso lives in a place named Galicia.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Dominique does not live in Spain.", + "answer": true, + "story_id": 209, + "example_id": 597, + "original_premises": "If someone lives in a place named Galicia, then they live in either Spain or Poland.\nSpain is in Europe.\nPoland is in Europe.\nRochelle lives in Europe.\nDominique does not live in Europe.\nAlfonso lives in a place named Galicia.", + "original_conclusion": "Dominique does not live in Spain." + }, + { + "id": "folio_598", + "question": "Given the following premises:\n\nIf someone lives in a place named Galicia, then they live in either Spain or Poland.\nSpain is in Europe.\nPoland is in Europe.\nRochelle lives in Europe.\nDominique does not live in Europe.\nAlfonso lives in a place named Galicia.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Alfonso lives in Europe.", + "answer": true, + "story_id": 209, + "example_id": 598, + "original_premises": "If someone lives in a place named Galicia, then they live in either Spain or Poland.\nSpain is in Europe.\nPoland is in Europe.\nRochelle lives in Europe.\nDominique does not live in Europe.\nAlfonso lives in a place named Galicia.", + "original_conclusion": "Alfonso lives in Europe." + }, + { + "id": "folio_1167", + "question": "Given the following premises:\n\nAll books written by Neil Gaiman have sold more than one thousand copies.\nSome books that have won Hugo Awards are written by Neil Gaiman.\nTomas has read all books written by Tolkien. \nEither Tomas has read Hamlet, or it has sold more than one thousand copies.\nHamlet has either sold more than one thousand copies or it is written by Neil Gaiman.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Hamlet has won a Hugo Award and is written by Tolkien.", + "answer": false, + "story_id": 415, + "example_id": 1167, + "original_premises": "All books written by Neil Gaiman have sold more than one thousand copies.\nSome books that have won Hugo Awards are written by Neil Gaiman.\nTomas has read all books written by Tolkien. \nEither Tomas has read Hamlet, or it has sold more than one thousand copies.\nHamlet has either sold more than one thousand copies or it is written by Neil Gaiman.", + "original_conclusion": "Hamlet has won a Hugo Award and is written by Tolkien." + }, + { + "id": "folio_1168", + "question": "Given the following premises:\n\nAll books written by Neil Gaiman have sold more than one thousand copies.\nSome books that have won Hugo Awards are written by Neil Gaiman.\nTomas has read all books written by Tolkien. \nEither Tomas has read Hamlet, or it has sold more than one thousand copies.\nHamlet has either sold more than one thousand copies or it is written by Neil Gaiman.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Hamlet has either won a Hugo Award and is written by Tolkien, or neither has won a Hugo Award nor is written by Tolkien, then Hamlet has neither won a Hugo Award nor is written by Neil Gaiman.", + "answer": true, + "story_id": 415, + "example_id": 1168, + "original_premises": "All books written by Neil Gaiman have sold more than one thousand copies.\nSome books that have won Hugo Awards are written by Neil Gaiman.\nTomas has read all books written by Tolkien. \nEither Tomas has read Hamlet, or it has sold more than one thousand copies.\nHamlet has either sold more than one thousand copies or it is written by Neil Gaiman.", + "original_conclusion": "If Hamlet has either won a Hugo Award and is written by Tolkien, or neither has won a Hugo Award nor is written by Tolkien, then Hamlet has neither won a Hugo Award nor is written by Neil Gaiman." + }, + { + "id": "folio_1395", + "question": "Given the following premises:\n\nGrass is not food\nAll meadows are grass.\nAll edible things are food. \nAll fruits are edible.\nAll lemons are fruit.\nGrapes are not both edible and lemons.\nBananas are grasses or fruits. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bananas are both lemons and meadows.", + "answer": false, + "story_id": 479, + "example_id": 1395, + "original_premises": "Grass is not food\nAll meadows are grass.\nAll edible things are food. \nAll fruits are edible.\nAll lemons are fruit.\nGrapes are not both edible and lemons.\nBananas are grasses or fruits. ", + "original_conclusion": "Bananas are both lemons and meadows." + }, + { + "id": "folio_1396", + "question": "Given the following premises:\n\nGrass is not food\nAll meadows are grass.\nAll edible things are food. \nAll fruits are edible.\nAll lemons are fruit.\nGrapes are not both edible and lemons.\nBananas are grasses or fruits. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bananas are not both a lemon and a meadow.", + "answer": true, + "story_id": 479, + "example_id": 1396, + "original_premises": "Grass is not food\nAll meadows are grass.\nAll edible things are food. \nAll fruits are edible.\nAll lemons are fruit.\nGrapes are not both edible and lemons.\nBananas are grasses or fruits. ", + "original_conclusion": "Bananas are not both a lemon and a meadow." + }, + { + "id": "folio_61", + "question": "Given the following premises:\n\nThe Golden State Warriors are a team from San Francisco.\nThe Golden State Warriors won the NBA finals.\nAll teams attending the NBA finals have won many games.\nBoston Celtics are a team that lost the NBA finals.\nIf a team wins the NBA finals, then they will have more income.\nIf a team wins or loses at the NBA finals, then they are attending the finals.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Boston Celtics have more than 30 years of experience.", + "answer": true, + "story_id": 21, + "example_id": 61, + "original_premises": "The Golden State Warriors are a team from San Francisco.\nThe Golden State Warriors won the NBA finals.\nAll teams attending the NBA finals have won many games.\nBoston Celtics are a team that lost the NBA finals.\nIf a team wins the NBA finals, then they will have more income.\nIf a team wins or loses at the NBA finals, then they are attending the finals.", + "original_conclusion": "The Boston Celtics have more than 30 years of experience." + }, + { + "id": "folio_62", + "question": "Given the following premises:\n\nThe Golden State Warriors are a team from San Francisco.\nThe Golden State Warriors won the NBA finals.\nAll teams attending the NBA finals have won many games.\nBoston Celtics are a team that lost the NBA finals.\nIf a team wins the NBA finals, then they will have more income.\nIf a team wins or loses at the NBA finals, then they are attending the finals.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Golden State Warriors will have more income from gate receipts.", + "answer": true, + "story_id": 21, + "example_id": 62, + "original_premises": "The Golden State Warriors are a team from San Francisco.\nThe Golden State Warriors won the NBA finals.\nAll teams attending the NBA finals have won many games.\nBoston Celtics are a team that lost the NBA finals.\nIf a team wins the NBA finals, then they will have more income.\nIf a team wins or loses at the NBA finals, then they are attending the finals.", + "original_conclusion": "The Golden State Warriors will have more income from gate receipts." + }, + { + "id": "folio_620", + "question": "Given the following premises:\n\nMaya would only play the violin if her fingers could never be injured. \nVolleyball players can injure their ankles, fingers, or shoulder.\nMaya is a volleyball player.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Maya will not play the violin.", + "answer": true, + "story_id": 218, + "example_id": 620, + "original_premises": "Maya would only play the violin if her fingers could never be injured. \nVolleyball players can injure their ankles, fingers, or shoulder.\nMaya is a volleyball player.", + "original_conclusion": "Maya will not play the violin." + }, + { + "id": "folio_1215", + "question": "Given the following premises:\n\nAll devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: ModelXX is controlled by managers.", + "answer": true, + "story_id": 428, + "example_id": 1215, + "original_premises": "All devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.", + "original_conclusion": "ModelXX is controlled by managers." + }, + { + "id": "folio_1216", + "question": "Given the following premises:\n\nAll devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: ModelXX is either produced after a new CTO was appointed or it is controlled by managers.", + "answer": true, + "story_id": 428, + "example_id": 1216, + "original_premises": "All devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.", + "original_conclusion": "ModelXX is either produced after a new CTO was appointed or it is controlled by managers." + }, + { + "id": "folio_1217", + "question": "Given the following premises:\n\nAll devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: ModelXX is not with the company logo, and managers do not control it.", + "answer": false, + "story_id": 428, + "example_id": 1217, + "original_premises": "All devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.", + "original_conclusion": "ModelXX is not with the company logo, and managers do not control it." + }, + { + "id": "folio_1218", + "question": "Given the following premises:\n\nAll devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: ModelXX is either with the company logo or controlled by managers.", + "answer": false, + "story_id": 428, + "example_id": 1218, + "original_premises": "All devices belonging to the company are connected to Google Home. \nAll devices with the company logo belong to the company. \nEach device either has the company logo or belongs to employees. \nAll of the devices belonging to employees can be connected to the company's wifi. \nAll of the devices connected to Google Home are controlled by managers. \nAll of the devices that connect to the company's wifi are easy to operate. \nAll of the devices that are easy to operate were produced after a new CTO is appointed. \nModelXX was not produced after a new CTO was appointed.", + "original_conclusion": "ModelXX is either with the company logo or controlled by managers." + }, + { + "id": "folio_916", + "question": "Given the following premises:\n\nAll mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jumbo is sleepy.", + "answer": false, + "story_id": 347, + "example_id": 916, + "original_premises": "All mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.", + "original_conclusion": "Jumbo is sleepy." + }, + { + "id": "folio_917", + "question": "Given the following premises:\n\nAll mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jumbo is not sleepy.", + "answer": true, + "story_id": 347, + "example_id": 917, + "original_premises": "All mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.", + "original_conclusion": "Jumbo is not sleepy." + }, + { + "id": "folio_919", + "question": "Given the following premises:\n\nAll mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jumbo is neither sleepy nor a baby elephant.", + "answer": true, + "story_id": 347, + "example_id": 919, + "original_premises": "All mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.", + "original_conclusion": "Jumbo is neither sleepy nor a baby elephant." + }, + { + "id": "folio_920", + "question": "Given the following premises:\n\nAll mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jumbo is not sleepy or an elephant.", + "answer": true, + "story_id": 347, + "example_id": 920, + "original_premises": "All mammals are living beings.\nAll elephants are mammals.\nAll baby elephants are elephants.\nSome baby elephants are sleepy.\nIf Jumbo is a living being, then Jumbo is not both an elephant and a mammal.\nIf Jumbo is sleepy, then Jumbo is either a baby elephant or a mammal.", + "original_conclusion": "Jumbo is not sleepy or an elephant." + }, + { + "id": "folio_1287", + "question": "Given the following premises:\n\nNo planet in the solar system relies on nuclear fusion to generate light.\nAll stars in the solar system rely on nuclear fusion to generate light. \nAll celestial bodies in the solar systems that have greater than 0.08 solar masses are stars. \nIf a celestial body in the solar system has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity, then it is a planet.\nIf Europa is a celestial body in the solar system that has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity or relies on nuclear fusion to generate light, then Europa is a celestial body in the solar system. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Europa is a celestial body in one of the solar systems that have greater than 0.08 solar masses.", + "answer": false, + "story_id": 447, + "example_id": 1287, + "original_premises": "No planet in the solar system relies on nuclear fusion to generate light.\nAll stars in the solar system rely on nuclear fusion to generate light. \nAll celestial bodies in the solar systems that have greater than 0.08 solar masses are stars. \nIf a celestial body in the solar system has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity, then it is a planet.\nIf Europa is a celestial body in the solar system that has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity or relies on nuclear fusion to generate light, then Europa is a celestial body in the solar system. ", + "original_conclusion": "Europa is a celestial body in one of the solar systems that have greater than 0.08 solar masses." + }, + { + "id": "folio_1288", + "question": "Given the following premises:\n\nNo planet in the solar system relies on nuclear fusion to generate light.\nAll stars in the solar system rely on nuclear fusion to generate light. \nAll celestial bodies in the solar systems that have greater than 0.08 solar masses are stars. \nIf a celestial body in the solar system has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity, then it is a planet.\nIf Europa is a celestial body in the solar system that has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity or relies on nuclear fusion to generate light, then Europa is a celestial body in the solar system. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Europa is not a celestial body in one of the solar systems that have greater than 0.08 solar masses.", + "answer": true, + "story_id": 447, + "example_id": 1288, + "original_premises": "No planet in the solar system relies on nuclear fusion to generate light.\nAll stars in the solar system rely on nuclear fusion to generate light. \nAll celestial bodies in the solar systems that have greater than 0.08 solar masses are stars. \nIf a celestial body in the solar system has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity, then it is a planet.\nIf Europa is a celestial body in the solar system that has cleared its orbit of other debris and has a nearly spherical shape due to its own gravity or relies on nuclear fusion to generate light, then Europa is a celestial body in the solar system. ", + "original_conclusion": "Europa is not a celestial body in one of the solar systems that have greater than 0.08 solar masses." + }, + { + "id": "folio_936", + "question": "Given the following premises:\n\nIf Max listens to music, he either listens to classical music or rap.\nAll the classical songs that Max listens to are from the 12th century. \nIf Max is listening to a rap song, then the song is by Kanye West. \nAll songs by Kanye West are full of lyrics. \nAll songs that are full of lyrics need to be written with words\nIt is not true that \u201cAs it was\u201d by Harry Styles is classical music that Max listens to and is from the 12th century.\nMax listens to \"As it was\" by Harry Styles.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: \u201cAs it was\u201d by Harry Styles needs to be written with words.", + "answer": true, + "story_id": 353, + "example_id": 936, + "original_premises": "If Max listens to music, he either listens to classical music or rap.\nAll the classical songs that Max listens to are from the 12th century. \nIf Max is listening to a rap song, then the song is by Kanye West. \nAll songs by Kanye West are full of lyrics. \nAll songs that are full of lyrics need to be written with words\nIt is not true that \u201cAs it was\u201d by Harry Styles is classical music that Max listens to and is from the 12th century.\nMax listens to \"As it was\" by Harry Styles.", + "original_conclusion": "\u201cAs it was\u201d by Harry Styles needs to be written with words." + }, + { + "id": "folio_938", + "question": "Given the following premises:\n\nIf Max listens to music, he either listens to classical music or rap.\nAll the classical songs that Max listens to are from the 12th century. \nIf Max is listening to a rap song, then the song is by Kanye West. \nAll songs by Kanye West are full of lyrics. \nAll songs that are full of lyrics need to be written with words\nIt is not true that \u201cAs it was\u201d by Harry Styles is classical music that Max listens to and is from the 12th century.\nMax listens to \"As it was\" by Harry Styles.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: \"As it was\u201d by Harry Styles is not both a song from Kanye West and needed to be written with words.", + "answer": false, + "story_id": 353, + "example_id": 938, + "original_premises": "If Max listens to music, he either listens to classical music or rap.\nAll the classical songs that Max listens to are from the 12th century. \nIf Max is listening to a rap song, then the song is by Kanye West. \nAll songs by Kanye West are full of lyrics. \nAll songs that are full of lyrics need to be written with words\nIt is not true that \u201cAs it was\u201d by Harry Styles is classical music that Max listens to and is from the 12th century.\nMax listens to \"As it was\" by Harry Styles.", + "original_conclusion": "\"As it was\u201d by Harry Styles is not both a song from Kanye West and needed to be written with words." + }, + { + "id": "folio_113", + "question": "Given the following premises:\n\n\"Your Woman\" is a song by the British one-person band White Town.\n\"Your Woman\" song peaked at No. 1 on the UK Singles Chart.\nIf a song peaked at No.1 at a particular place, it was extremely popular.\n\"Your Woman\" peaked at No. 1 in Iceland, Israel, and Spain.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: \"Your Woman\" was extremely popular.", + "answer": true, + "story_id": 39, + "example_id": 113, + "original_premises": "\"Your Woman\" is a song by the British one-person band White Town.\n\"Your Woman\" song peaked at No. 1 on the UK Singles Chart.\nIf a song peaked at No.1 at a particular place, it was extremely popular.\n\"Your Woman\" peaked at No. 1 in Iceland, Israel, and Spain.", + "original_conclusion": "\"Your Woman\" was extremely popular." + }, + { + "id": "folio_114", + "question": "Given the following premises:\n\n\"Your Woman\" is a song by the British one-person band White Town.\n\"Your Woman\" song peaked at No. 1 on the UK Singles Chart.\nIf a song peaked at No.1 at a particular place, it was extremely popular.\n\"Your Woman\" peaked at No. 1 in Iceland, Israel, and Spain.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: White Town did not produce any popular songs.", + "answer": false, + "story_id": 39, + "example_id": 114, + "original_premises": "\"Your Woman\" is a song by the British one-person band White Town.\n\"Your Woman\" song peaked at No. 1 on the UK Singles Chart.\nIf a song peaked at No.1 at a particular place, it was extremely popular.\n\"Your Woman\" peaked at No. 1 in Iceland, Israel, and Spain.", + "original_conclusion": "White Town did not produce any popular songs." + }, + { + "id": "folio_997", + "question": "Given the following premises:\n\n\nAll functions that represent straight lines on the coordinate plane are linear functions. \nNo linear functions are non-convex functions.\nA function is either a non-convex fuction or a convex function.\nAll quasi-convex functions are real-valued functions.\nAll convex functions are quasi-convex functions. \nThe maximum of quasiconvex functions is a function.\nThe maximum of quasiconvex functions is a function that represents straight lines on the coordinate plane or it is a convex function or it is not a non-convex function.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The maximum of quasiconvex functions is not a real-valued function.", + "answer": false, + "story_id": 374, + "example_id": 997, + "original_premises": "\nAll functions that represent straight lines on the coordinate plane are linear functions. \nNo linear functions are non-convex functions.\nA function is either a non-convex fuction or a convex function.\nAll quasi-convex functions are real-valued functions.\nAll convex functions are quasi-convex functions. \nThe maximum of quasiconvex functions is a function.\nThe maximum of quasiconvex functions is a function that represents straight lines on the coordinate plane or it is a convex function or it is not a non-convex function.", + "original_conclusion": "The maximum of quasiconvex functions is not a real-valued function." + }, + { + "id": "folio_998", + "question": "Given the following premises:\n\n\nAll functions that represent straight lines on the coordinate plane are linear functions. \nNo linear functions are non-convex functions.\nA function is either a non-convex fuction or a convex function.\nAll quasi-convex functions are real-valued functions.\nAll convex functions are quasi-convex functions. \nThe maximum of quasiconvex functions is a function.\nThe maximum of quasiconvex functions is a function that represents straight lines on the coordinate plane or it is a convex function or it is not a non-convex function.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The maximum of quasiconvex functions is a quasi-convex function or it is not a real-valued function.", + "answer": true, + "story_id": 374, + "example_id": 998, + "original_premises": "\nAll functions that represent straight lines on the coordinate plane are linear functions. \nNo linear functions are non-convex functions.\nA function is either a non-convex fuction or a convex function.\nAll quasi-convex functions are real-valued functions.\nAll convex functions are quasi-convex functions. \nThe maximum of quasiconvex functions is a function.\nThe maximum of quasiconvex functions is a function that represents straight lines on the coordinate plane or it is a convex function or it is not a non-convex function.", + "original_conclusion": "The maximum of quasiconvex functions is a quasi-convex function or it is not a real-valued function." + }, + { + "id": "folio_540", + "question": "Given the following premises:\n\nIf two soccer teams score the same number of goals in one UCL final during the regular time, they need to play for the extra time.\nIf two soccer teams score the same number of goals in one UCL final during both regular and extra time, they need to play the penalty shoot-out.\nReal Madrid and Atl\u00e9tico Madrid both scored one goal in the 2016 UCL final during the regular time.\nReal Madrid and Atl\u00e9tico Madrid both scored zero goals in the 2016 UCL final during the extra time.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Real Madrid and Atl\u00e9tico Madrid needed to play a penalty shoot-out in the 2016 UCL final.", + "answer": true, + "story_id": 188, + "example_id": 540, + "original_premises": "If two soccer teams score the same number of goals in one UCL final during the regular time, they need to play for the extra time.\nIf two soccer teams score the same number of goals in one UCL final during both regular and extra time, they need to play the penalty shoot-out.\nReal Madrid and Atl\u00e9tico Madrid both scored one goal in the 2016 UCL final during the regular time.\nReal Madrid and Atl\u00e9tico Madrid both scored zero goals in the 2016 UCL final during the extra time.", + "original_conclusion": "Real Madrid and Atl\u00e9tico Madrid needed to play a penalty shoot-out in the 2016 UCL final." + }, + { + "id": "folio_541", + "question": "Given the following premises:\n\nIf two soccer teams score the same number of goals in one UCL final during the regular time, they need to play for the extra time.\nIf two soccer teams score the same number of goals in one UCL final during both regular and extra time, they need to play the penalty shoot-out.\nReal Madrid and Atl\u00e9tico Madrid both scored one goal in the 2016 UCL final during the regular time.\nReal Madrid and Atl\u00e9tico Madrid both scored zero goals in the 2016 UCL final during the extra time.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Real Madrid and Atl\u00e9tico Madrid did not need to play a penalty shoot-out in the 2016 UCL final.", + "answer": false, + "story_id": 188, + "example_id": 541, + "original_premises": "If two soccer teams score the same number of goals in one UCL final during the regular time, they need to play for the extra time.\nIf two soccer teams score the same number of goals in one UCL final during both regular and extra time, they need to play the penalty shoot-out.\nReal Madrid and Atl\u00e9tico Madrid both scored one goal in the 2016 UCL final during the regular time.\nReal Madrid and Atl\u00e9tico Madrid both scored zero goals in the 2016 UCL final during the extra time.", + "original_conclusion": "Real Madrid and Atl\u00e9tico Madrid did not need to play a penalty shoot-out in the 2016 UCL final." + }, + { + "id": "folio_35", + "question": "Given the following premises:\n\nSystem 7 is a UK-based electronic dance music band.\nSteve Hillage and Miquette Giraudy formed System 7.\nSteve Hillage and Miquette Giraudy are former members of the band Gong.\nElectric dance music bands are bands.\nSystem 7 has released several club singles.\nClub singles are not singles.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: System 7 was formed by former members of Gong.", + "answer": true, + "story_id": 13, + "example_id": 35, + "original_premises": "System 7 is a UK-based electronic dance music band.\nSteve Hillage and Miquette Giraudy formed System 7.\nSteve Hillage and Miquette Giraudy are former members of the band Gong.\nElectric dance music bands are bands.\nSystem 7 has released several club singles.\nClub singles are not singles.", + "original_conclusion": "System 7 was formed by former members of Gong." + }, + { + "id": "folio_37", + "question": "Given the following premises:\n\nSystem 7 is a UK-based electronic dance music band.\nSteve Hillage and Miquette Giraudy formed System 7.\nSteve Hillage and Miquette Giraudy are former members of the band Gong.\nElectric dance music bands are bands.\nSystem 7 has released several club singles.\nClub singles are not singles.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: System 7 is not a band.", + "answer": false, + "story_id": 13, + "example_id": 37, + "original_premises": "System 7 is a UK-based electronic dance music band.\nSteve Hillage and Miquette Giraudy formed System 7.\nSteve Hillage and Miquette Giraudy are former members of the band Gong.\nElectric dance music bands are bands.\nSystem 7 has released several club singles.\nClub singles are not singles.", + "original_conclusion": "System 7 is not a band." + }, + { + "id": "folio_542", + "question": "Given the following premises:\n\nA summarization model is always faithful if it uses content from the input documents.\nExtractive models are summarization models.\nAn extractive model can only use content from the input documents.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Extractive models are always faithful.", + "answer": true, + "story_id": 189, + "example_id": 542, + "original_premises": "A summarization model is always faithful if it uses content from the input documents.\nExtractive models are summarization models.\nAn extractive model can only use content from the input documents.", + "original_conclusion": "Extractive models are always faithful." + }, + { + "id": "folio_543", + "question": "Given the following premises:\n\nA summarization model is always faithful if it uses content from the input documents.\nExtractive models are summarization models.\nAn extractive model can only use content from the input documents.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Extractive models are not always faithful.", + "answer": false, + "story_id": 189, + "example_id": 543, + "original_premises": "A summarization model is always faithful if it uses content from the input documents.\nExtractive models are summarization models.\nAn extractive model can only use content from the input documents.", + "original_conclusion": "Extractive models are not always faithful." + }, + { + "id": "folio_985", + "question": "Given the following premises:\n\nIf Robin's friends practice coding questions, then they are not studying to go to medical school to become a doctor.\nIf Robin's friends want to work in the software engineering industry, then they practice coding questions.\nIf Robin's friends enjoy healthcare fields and want to help people with medical issues, then they are studying to go to medical school to become a doctor.\nIf Robin's friends grew up with parents who worked as doctors, then they enjoy healthcare fields and want to help people with medical issues.\nIf Robin's friends study hard, then they grew up with parents who worked as doctors.\nMark is Robin's friend.\nIf Mark neither enjoys healthcare fields and wants to help people with medical issues nor grew up with parents who worked as doctors, then Mark is either a person who studies hard or grew up with parents who worked as doctors.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mark is Robin's friend and he practices coding questions and wants to work in the software engineering industry.", + "answer": false, + "story_id": 370, + "example_id": 985, + "original_premises": "If Robin's friends practice coding questions, then they are not studying to go to medical school to become a doctor.\nIf Robin's friends want to work in the software engineering industry, then they practice coding questions.\nIf Robin's friends enjoy healthcare fields and want to help people with medical issues, then they are studying to go to medical school to become a doctor.\nIf Robin's friends grew up with parents who worked as doctors, then they enjoy healthcare fields and want to help people with medical issues.\nIf Robin's friends study hard, then they grew up with parents who worked as doctors.\nMark is Robin's friend.\nIf Mark neither enjoys healthcare fields and wants to help people with medical issues nor grew up with parents who worked as doctors, then Mark is either a person who studies hard or grew up with parents who worked as doctors.", + "original_conclusion": "Mark is Robin's friend and he practices coding questions and wants to work in the software engineering industry." + }, + { + "id": "folio_986", + "question": "Given the following premises:\n\nIf Robin's friends practice coding questions, then they are not studying to go to medical school to become a doctor.\nIf Robin's friends want to work in the software engineering industry, then they practice coding questions.\nIf Robin's friends enjoy healthcare fields and want to help people with medical issues, then they are studying to go to medical school to become a doctor.\nIf Robin's friends grew up with parents who worked as doctors, then they enjoy healthcare fields and want to help people with medical issues.\nIf Robin's friends study hard, then they grew up with parents who worked as doctors.\nMark is Robin's friend.\nIf Mark neither enjoys healthcare fields and wants to help people with medical issues nor grew up with parents who worked as doctors, then Mark is either a person who studies hard or grew up with parents who worked as doctors.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mark is Robin's friend and he neither practices coding questions nor works to work in the software engineering industry.", + "answer": true, + "story_id": 370, + "example_id": 986, + "original_premises": "If Robin's friends practice coding questions, then they are not studying to go to medical school to become a doctor.\nIf Robin's friends want to work in the software engineering industry, then they practice coding questions.\nIf Robin's friends enjoy healthcare fields and want to help people with medical issues, then they are studying to go to medical school to become a doctor.\nIf Robin's friends grew up with parents who worked as doctors, then they enjoy healthcare fields and want to help people with medical issues.\nIf Robin's friends study hard, then they grew up with parents who worked as doctors.\nMark is Robin's friend.\nIf Mark neither enjoys healthcare fields and wants to help people with medical issues nor grew up with parents who worked as doctors, then Mark is either a person who studies hard or grew up with parents who worked as doctors.", + "original_conclusion": "Mark is Robin's friend and he neither practices coding questions nor works to work in the software engineering industry." + }, + { + "id": "folio_1023", + "question": "Given the following premises:\n\nPeople who work at Jess's company and go to the spa frequently are not people who are miserly and need to save a large portion of their income.\nPeople who work at Jess's company are either miserly and need to save a large portion of their income, or frivolously spend a lot of money.\nIf people who work at Jess's company frivolously spend a lot of money when they go out, then they value quality manufacturing and luxury items.\nIf people who work at Jess's company value quality manufacturing and luxury items, then they enjoy shopping for materialistic items in their free time.\nThomas works at Jess's company.\nIf Thomas is not miserly and needs to save a large portion of his income, then Thomas does not value quality manufacturing and luxury items.\nThomas values quality manufacturing and luxury items or he is not miserly.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Thomas frivolously spends a lot of money.", + "answer": false, + "story_id": 383, + "example_id": 1023, + "original_premises": "People who work at Jess's company and go to the spa frequently are not people who are miserly and need to save a large portion of their income.\nPeople who work at Jess's company are either miserly and need to save a large portion of their income, or frivolously spend a lot of money.\nIf people who work at Jess's company frivolously spend a lot of money when they go out, then they value quality manufacturing and luxury items.\nIf people who work at Jess's company value quality manufacturing and luxury items, then they enjoy shopping for materialistic items in their free time.\nThomas works at Jess's company.\nIf Thomas is not miserly and needs to save a large portion of his income, then Thomas does not value quality manufacturing and luxury items.\nThomas values quality manufacturing and luxury items or he is not miserly.", + "original_conclusion": "Thomas frivolously spends a lot of money." + }, + { + "id": "folio_1024", + "question": "Given the following premises:\n\nPeople who work at Jess's company and go to the spa frequently are not people who are miserly and need to save a large portion of their income.\nPeople who work at Jess's company are either miserly and need to save a large portion of their income, or frivolously spend a lot of money.\nIf people who work at Jess's company frivolously spend a lot of money when they go out, then they value quality manufacturing and luxury items.\nIf people who work at Jess's company value quality manufacturing and luxury items, then they enjoy shopping for materialistic items in their free time.\nThomas works at Jess's company.\nIf Thomas is not miserly and needs to save a large portion of his income, then Thomas does not value quality manufacturing and luxury items.\nThomas values quality manufacturing and luxury items or he is not miserly.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Thomas either enjoys shopping for materialistic items in his free time or, if he does not, then he goes to the spa frequently.", + "answer": true, + "story_id": 383, + "example_id": 1024, + "original_premises": "People who work at Jess's company and go to the spa frequently are not people who are miserly and need to save a large portion of their income.\nPeople who work at Jess's company are either miserly and need to save a large portion of their income, or frivolously spend a lot of money.\nIf people who work at Jess's company frivolously spend a lot of money when they go out, then they value quality manufacturing and luxury items.\nIf people who work at Jess's company value quality manufacturing and luxury items, then they enjoy shopping for materialistic items in their free time.\nThomas works at Jess's company.\nIf Thomas is not miserly and needs to save a large portion of his income, then Thomas does not value quality manufacturing and luxury items.\nThomas values quality manufacturing and luxury items or he is not miserly.", + "original_conclusion": "Thomas either enjoys shopping for materialistic items in his free time or, if he does not, then he goes to the spa frequently." + }, + { + "id": "folio_1025", + "question": "Given the following premises:\n\nPeople who work at Jess's company and go to the spa frequently are not people who are miserly and need to save a large portion of their income.\nPeople who work at Jess's company are either miserly and need to save a large portion of their income, or frivolously spend a lot of money.\nIf people who work at Jess's company frivolously spend a lot of money when they go out, then they value quality manufacturing and luxury items.\nIf people who work at Jess's company value quality manufacturing and luxury items, then they enjoy shopping for materialistic items in their free time.\nThomas works at Jess's company.\nIf Thomas is not miserly and needs to save a large portion of his income, then Thomas does not value quality manufacturing and luxury items.\nThomas values quality manufacturing and luxury items or he is not miserly.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Thomas either enjoys shopping for materialistic items in his free time or, if he does not, then he goes to the spa frequently, then Thomas neither values quality manufacturing and luxury items nor goes to the spa frequently.", + "answer": false, + "story_id": 383, + "example_id": 1025, + "original_premises": "People who work at Jess's company and go to the spa frequently are not people who are miserly and need to save a large portion of their income.\nPeople who work at Jess's company are either miserly and need to save a large portion of their income, or frivolously spend a lot of money.\nIf people who work at Jess's company frivolously spend a lot of money when they go out, then they value quality manufacturing and luxury items.\nIf people who work at Jess's company value quality manufacturing and luxury items, then they enjoy shopping for materialistic items in their free time.\nThomas works at Jess's company.\nIf Thomas is not miserly and needs to save a large portion of his income, then Thomas does not value quality manufacturing and luxury items.\nThomas values quality manufacturing and luxury items or he is not miserly.", + "original_conclusion": "If Thomas either enjoys shopping for materialistic items in his free time or, if he does not, then he goes to the spa frequently, then Thomas neither values quality manufacturing and luxury items nor goes to the spa frequently." + }, + { + "id": "folio_624", + "question": "Given the following premises:\n\nThe indie pop band Phoenix has released six albums. \nPhoenix's album \"Wolfgang Amadeus Phoenix\" sold over 500,000 copies. \nA certified gold album or single is one which sold over half a million copies. \n\"1901\" is a single from Phoenix's album \"Wolfgang Amadeus Phoenix.\"\nOver 400,000 copies of \"1901\" have been sold. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The album \"Wolfgang Amadeus Phoenix\" is a certified gold album.", + "answer": true, + "story_id": 220, + "example_id": 624, + "original_premises": "The indie pop band Phoenix has released six albums. \nPhoenix's album \"Wolfgang Amadeus Phoenix\" sold over 500,000 copies. \nA certified gold album or single is one which sold over half a million copies. \n\"1901\" is a single from Phoenix's album \"Wolfgang Amadeus Phoenix.\"\nOver 400,000 copies of \"1901\" have been sold. ", + "original_conclusion": "The album \"Wolfgang Amadeus Phoenix\" is a certified gold album." + }, + { + "id": "folio_11", + "question": "Given the following premises:\n\nPeter Parker is either a superhero or a civilian.\nThe Hulk is a destroyer.\nThe Hulk wakes up when he is angry.\nIf the Hulk wakes up, then he will break a bridge.\nThor is a god.\nThor will break a bridge when he is happy.\nA god is not a destroyer.\nPeter Parker wears a uniform when he is a superhero.\nPeter Parker is not a civilian if a destroyer is breaking a bridge.\nIf Thor is happy, the Hulk is angry.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the Hulk does not wake up, then Thor is not happy.", + "answer": true, + "story_id": 5, + "example_id": 11, + "original_premises": "Peter Parker is either a superhero or a civilian.\nThe Hulk is a destroyer.\nThe Hulk wakes up when he is angry.\nIf the Hulk wakes up, then he will break a bridge.\nThor is a god.\nThor will break a bridge when he is happy.\nA god is not a destroyer.\nPeter Parker wears a uniform when he is a superhero.\nPeter Parker is not a civilian if a destroyer is breaking a bridge.\nIf Thor is happy, the Hulk is angry.", + "original_conclusion": "If the Hulk does not wake up, then Thor is not happy." + }, + { + "id": "folio_12", + "question": "Given the following premises:\n\nPeter Parker is either a superhero or a civilian.\nThe Hulk is a destroyer.\nThe Hulk wakes up when he is angry.\nIf the Hulk wakes up, then he will break a bridge.\nThor is a god.\nThor will break a bridge when he is happy.\nA god is not a destroyer.\nPeter Parker wears a uniform when he is a superhero.\nPeter Parker is not a civilian if a destroyer is breaking a bridge.\nIf Thor is happy, the Hulk is angry.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Thor is happy, then Peter Parker wears a uniform.", + "answer": true, + "story_id": 5, + "example_id": 12, + "original_premises": "Peter Parker is either a superhero or a civilian.\nThe Hulk is a destroyer.\nThe Hulk wakes up when he is angry.\nIf the Hulk wakes up, then he will break a bridge.\nThor is a god.\nThor will break a bridge when he is happy.\nA god is not a destroyer.\nPeter Parker wears a uniform when he is a superhero.\nPeter Parker is not a civilian if a destroyer is breaking a bridge.\nIf Thor is happy, the Hulk is angry.", + "original_conclusion": "If Thor is happy, then Peter Parker wears a uniform." + }, + { + "id": "folio_258", + "question": "Given the following premises:\n\nDiethylcarbamazine is a medication discovered in the year 1947.\nDiethylcarbamazine can be used to treat river blindness.\nThe only preferred treatment for river blindness is ivermectin.\nDiethylcarbamazine is not ivermectin.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Diethylcarbamazine is not preferred for the treatment of river blindness.", + "answer": true, + "story_id": 85, + "example_id": 258, + "original_premises": "Diethylcarbamazine is a medication discovered in the year 1947.\nDiethylcarbamazine can be used to treat river blindness.\nThe only preferred treatment for river blindness is ivermectin.\nDiethylcarbamazine is not ivermectin.", + "original_conclusion": "Diethylcarbamazine is not preferred for the treatment of river blindness." + }, + { + "id": "folio_1058", + "question": "Given the following premises:\n\nAll prime numbers are natural numbers.\nAll integers are real numbers. \nAll real numbers are complex numbers. \nOne is a prime number or a natural number or both.\nIf one is not a complex number, then one is a prime number and an integer.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: One is a prime number and a natural number.", + "answer": true, + "story_id": 392, + "example_id": 1058, + "original_premises": "All prime numbers are natural numbers.\nAll integers are real numbers. \nAll real numbers are complex numbers. \nOne is a prime number or a natural number or both.\nIf one is not a complex number, then one is a prime number and an integer.", + "original_conclusion": "One is a prime number and a natural number." + }, + { + "id": "folio_1059", + "question": "Given the following premises:\n\nAll prime numbers are natural numbers.\nAll integers are real numbers. \nAll real numbers are complex numbers. \nOne is a prime number or a natural number or both.\nIf one is not a complex number, then one is a prime number and an integer.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: One is either a prime number or a natural number.", + "answer": false, + "story_id": 392, + "example_id": 1059, + "original_premises": "All prime numbers are natural numbers.\nAll integers are real numbers. \nAll real numbers are complex numbers. \nOne is a prime number or a natural number or both.\nIf one is not a complex number, then one is a prime number and an integer.", + "original_conclusion": "One is either a prime number or a natural number." + }, + { + "id": "folio_1035", + "question": "Given the following premises:\n\nIf some diseases require a medical diagnosis, then lab tests or imaging is required. \nAll rare diseases require a medical diagnosis.\nIf a disease is mild, then no lab tests or imaging is required. \nAll blood cancers are rare diseases.\nAll types of leukemia are diseases and blood cancers. \nBladder cancer is a disease and is blood cancer or Leukemia.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bladder cancer is a mild disease.", + "answer": false, + "story_id": 387, + "example_id": 1035, + "original_premises": "If some diseases require a medical diagnosis, then lab tests or imaging is required. \nAll rare diseases require a medical diagnosis.\nIf a disease is mild, then no lab tests or imaging is required. \nAll blood cancers are rare diseases.\nAll types of leukemia are diseases and blood cancers. \nBladder cancer is a disease and is blood cancer or Leukemia.", + "original_conclusion": "Bladder cancer is a mild disease." + }, + { + "id": "folio_1037", + "question": "Given the following premises:\n\nIf some diseases require a medical diagnosis, then lab tests or imaging is required. \nAll rare diseases require a medical diagnosis.\nIf a disease is mild, then no lab tests or imaging is required. \nAll blood cancers are rare diseases.\nAll types of leukemia are diseases and blood cancers. \nBladder cancer is a disease and is blood cancer or Leukemia.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bladder cancer is either a rare disease or a mild disease.", + "answer": true, + "story_id": 387, + "example_id": 1037, + "original_premises": "If some diseases require a medical diagnosis, then lab tests or imaging is required. \nAll rare diseases require a medical diagnosis.\nIf a disease is mild, then no lab tests or imaging is required. \nAll blood cancers are rare diseases.\nAll types of leukemia are diseases and blood cancers. \nBladder cancer is a disease and is blood cancer or Leukemia.", + "original_conclusion": "Bladder cancer is either a rare disease or a mild disease." + }, + { + "id": "folio_1045", + "question": "Given the following premises:\n\nThere are no elements with atomic number between 61-63 that are not scarce in China.\nNon-rare earth elements are not scarce in China.\nAll elements are either non-rare earth elements or rare earth elements. \nAll rare earth elements can be used for industry.\nAll rare earth elements are essential for exploring future directions of electronics.\nLithium is either a non-rare earth element and essential for exploring future directions of electronics, or is not a non-rare earth element and is not essential for exploring future directions of electronics.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Lithium is an element with atomic number between 61-63 and is used for batteries.", + "answer": false, + "story_id": 390, + "example_id": 1045, + "original_premises": "There are no elements with atomic number between 61-63 that are not scarce in China.\nNon-rare earth elements are not scarce in China.\nAll elements are either non-rare earth elements or rare earth elements. \nAll rare earth elements can be used for industry.\nAll rare earth elements are essential for exploring future directions of electronics.\nLithium is either a non-rare earth element and essential for exploring future directions of electronics, or is not a non-rare earth element and is not essential for exploring future directions of electronics.", + "original_conclusion": "Lithium is an element with atomic number between 61-63 and is used for batteries." + }, + { + "id": "folio_1046", + "question": "Given the following premises:\n\nThere are no elements with atomic number between 61-63 that are not scarce in China.\nNon-rare earth elements are not scarce in China.\nAll elements are either non-rare earth elements or rare earth elements. \nAll rare earth elements can be used for industry.\nAll rare earth elements are essential for exploring future directions of electronics.\nLithium is either a non-rare earth element and essential for exploring future directions of electronics, or is not a non-rare earth element and is not essential for exploring future directions of electronics.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Lithium is not essential for exploring future directions of electronics or an element with atomic number between 61-63, then Lithium is not a non-rare earth element or usable in industry.", + "answer": true, + "story_id": 390, + "example_id": 1046, + "original_premises": "There are no elements with atomic number between 61-63 that are not scarce in China.\nNon-rare earth elements are not scarce in China.\nAll elements are either non-rare earth elements or rare earth elements. \nAll rare earth elements can be used for industry.\nAll rare earth elements are essential for exploring future directions of electronics.\nLithium is either a non-rare earth element and essential for exploring future directions of electronics, or is not a non-rare earth element and is not essential for exploring future directions of electronics.", + "original_conclusion": "If Lithium is not essential for exploring future directions of electronics or an element with atomic number between 61-63, then Lithium is not a non-rare earth element or usable in industry." + }, + { + "id": "folio_858", + "question": "Given the following premises:\n\nIf people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack doesn't care about cleanliness.", + "answer": false, + "story_id": 332, + "example_id": 858, + "original_premises": "If people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.", + "original_conclusion": "Jack doesn't care about cleanliness." + }, + { + "id": "folio_859", + "question": "Given the following premises:\n\nIf people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack does care about cleanliness.", + "answer": true, + "story_id": 332, + "example_id": 859, + "original_premises": "If people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.", + "original_conclusion": "Jack does care about cleanliness." + }, + { + "id": "folio_861", + "question": "Given the following premises:\n\nIf people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack neither lives in the suburbs nor is too busy to clean.", + "answer": true, + "story_id": 332, + "example_id": 861, + "original_premises": "If people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.", + "original_conclusion": "Jack neither lives in the suburbs nor is too busy to clean." + }, + { + "id": "folio_862", + "question": "Given the following premises:\n\nIf people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack is overburdened and lives in the suburbs.", + "answer": false, + "story_id": 332, + "example_id": 862, + "original_premises": "If people don't often clean their homes, then they do not have tidy houses.\nIf people don't prioritize cleaning, then they do not often clean their homes.\nIf people hire a maid or cleaning service, then they have tidy houses.\nIf people don't care about cleanliness, then they do not prioritize cleaning.\nEither Jack does hire a maid or cleaning service and does not often clean his home, or he does not hire a maid or cleaning service nor often clean his home.", + "original_conclusion": "Jack is overburdened and lives in the suburbs." + }, + { + "id": "folio_722", + "question": "Given the following premises:\n\nThe bottle not falling is either standing upright or toppled over. \nThe bottle not falling is not standing upright.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The bottle not falling is toppled over.", + "answer": true, + "story_id": 278, + "example_id": 722, + "original_premises": "The bottle not falling is either standing upright or toppled over. \nThe bottle not falling is not standing upright.", + "original_conclusion": "The bottle not falling is toppled over." + }, + { + "id": "folio_952", + "question": "Given the following premises:\n\nEveryone who chooses what they want to do with their time has flexible schedules.\nEveryone with a lot of free time chooses what they want to do with their time.\nPeople either have a lot of free time or they invest in a career in which they are willing to spend the rest of their lives.\nIf people invest in a career in which they are willing to spend the rest of their lives, then they are hardworking individuals with high ambitions and goals for the future. \nIf people are hardworking individuals with high ambitions and goals for the future, then they are not short sighted.\nJohn is not either a hardworking individual with high ambitions and goals for the future or has a flexible schedule.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John is short sighted.", + "answer": false, + "story_id": 359, + "example_id": 952, + "original_premises": "Everyone who chooses what they want to do with their time has flexible schedules.\nEveryone with a lot of free time chooses what they want to do with their time.\nPeople either have a lot of free time or they invest in a career in which they are willing to spend the rest of their lives.\nIf people invest in a career in which they are willing to spend the rest of their lives, then they are hardworking individuals with high ambitions and goals for the future. \nIf people are hardworking individuals with high ambitions and goals for the future, then they are not short sighted.\nJohn is not either a hardworking individual with high ambitions and goals for the future or has a flexible schedule.", + "original_conclusion": "John is short sighted." + }, + { + "id": "folio_954", + "question": "Given the following premises:\n\nEveryone who chooses what they want to do with their time has flexible schedules.\nEveryone with a lot of free time chooses what they want to do with their time.\nPeople either have a lot of free time or they invest in a career in which they are willing to spend the rest of their lives.\nIf people invest in a career in which they are willing to spend the rest of their lives, then they are hardworking individuals with high ambitions and goals for the future. \nIf people are hardworking individuals with high ambitions and goals for the future, then they are not short sighted.\nJohn is not either a hardworking individual with high ambitions and goals for the future or has a flexible schedule.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John is either a hardworking individual with high ambitions and goals for the future or is short sighted.", + "answer": true, + "story_id": 359, + "example_id": 954, + "original_premises": "Everyone who chooses what they want to do with their time has flexible schedules.\nEveryone with a lot of free time chooses what they want to do with their time.\nPeople either have a lot of free time or they invest in a career in which they are willing to spend the rest of their lives.\nIf people invest in a career in which they are willing to spend the rest of their lives, then they are hardworking individuals with high ambitions and goals for the future. \nIf people are hardworking individuals with high ambitions and goals for the future, then they are not short sighted.\nJohn is not either a hardworking individual with high ambitions and goals for the future or has a flexible schedule.", + "original_conclusion": "John is either a hardworking individual with high ambitions and goals for the future or is short sighted." + }, + { + "id": "folio_237", + "question": "Given the following premises:\n\nAbleton has an office in Germany.\nAbleton has an office in the USA.\nUSA and Germany are different countries.\nAny company that has offices in different countries is a multinational company.\nAbleton makes music software.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Ableton is a multinational company.", + "answer": true, + "story_id": 78, + "example_id": 237, + "original_premises": "Ableton has an office in Germany.\nAbleton has an office in the USA.\nUSA and Germany are different countries.\nAny company that has offices in different countries is a multinational company.\nAbleton makes music software.", + "original_conclusion": "Ableton is a multinational company." + }, + { + "id": "folio_239", + "question": "Given the following premises:\n\nAbleton has an office in Germany.\nAbleton has an office in the USA.\nUSA and Germany are different countries.\nAny company that has offices in different countries is a multinational company.\nAbleton makes music software.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Ableton does not have an office in Germany.", + "answer": false, + "story_id": 78, + "example_id": 239, + "original_premises": "Ableton has an office in Germany.\nAbleton has an office in the USA.\nUSA and Germany are different countries.\nAny company that has offices in different countries is a multinational company.\nAbleton makes music software.", + "original_conclusion": "Ableton does not have an office in Germany." + }, + { + "id": "folio_1296", + "question": "Given the following premises:\n\nThose who can fly over a vast distance glide in the air. \nFlightless birds cannot fly over a vast distance. \nPenguins are flightless birds. \nNonflying birds in Antarctica are penguins. \nFido is a penguin, or flies over a vast distance. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Fido is not a nonflying bird in Antarctica, and he cannot glid in the air.", + "answer": false, + "story_id": 450, + "example_id": 1296, + "original_premises": "Those who can fly over a vast distance glide in the air. \nFlightless birds cannot fly over a vast distance. \nPenguins are flightless birds. \nNonflying birds in Antarctica are penguins. \nFido is a penguin, or flies over a vast distance. ", + "original_conclusion": "Fido is not a nonflying bird in Antarctica, and he cannot glid in the air." + }, + { + "id": "folio_1297", + "question": "Given the following premises:\n\nThose who can fly over a vast distance glide in the air. \nFlightless birds cannot fly over a vast distance. \nPenguins are flightless birds. \nNonflying birds in Antarctica are penguins. \nFido is a penguin, or flies over a vast distance. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Fido either can fly over a vast distance or cannot fly over a vast distance, then Fido is a nonflying bird in Antartica.", + "answer": true, + "story_id": 450, + "example_id": 1297, + "original_premises": "Those who can fly over a vast distance glide in the air. \nFlightless birds cannot fly over a vast distance. \nPenguins are flightless birds. \nNonflying birds in Antarctica are penguins. \nFido is a penguin, or flies over a vast distance. ", + "original_conclusion": "If Fido either can fly over a vast distance or cannot fly over a vast distance, then Fido is a nonflying bird in Antartica." + }, + { + "id": "folio_1355", + "question": "Given the following premises:\n\nAll members of the university faculty are professors.\nAll principal investigators are members of the university faculty.\nNo professor is also an undergraduate student.\nAnyone pursuing a bachelor's degree is an undergraduate student.\nLeon is not pursuing a bachelor's degree, and he is not a principal investigator.\nIf Leon is not pursuing a bachelor's degree, then he is a professor.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Leon is neither an undergraduate student nor a principal investigator.", + "answer": true, + "story_id": 469, + "example_id": 1355, + "original_premises": "All members of the university faculty are professors.\nAll principal investigators are members of the university faculty.\nNo professor is also an undergraduate student.\nAnyone pursuing a bachelor's degree is an undergraduate student.\nLeon is not pursuing a bachelor's degree, and he is not a principal investigator.\nIf Leon is not pursuing a bachelor's degree, then he is a professor.", + "original_conclusion": "Leon is neither an undergraduate student nor a principal investigator." + }, + { + "id": "folio_1356", + "question": "Given the following premises:\n\nAll members of the university faculty are professors.\nAll principal investigators are members of the university faculty.\nNo professor is also an undergraduate student.\nAnyone pursuing a bachelor's degree is an undergraduate student.\nLeon is not pursuing a bachelor's degree, and he is not a principal investigator.\nIf Leon is not pursuing a bachelor's degree, then he is a professor.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If leon is not a principal investigator, then Leon is an undergraduate student.", + "answer": false, + "story_id": 469, + "example_id": 1356, + "original_premises": "All members of the university faculty are professors.\nAll principal investigators are members of the university faculty.\nNo professor is also an undergraduate student.\nAnyone pursuing a bachelor's degree is an undergraduate student.\nLeon is not pursuing a bachelor's degree, and he is not a principal investigator.\nIf Leon is not pursuing a bachelor's degree, then he is a professor.", + "original_conclusion": "If leon is not a principal investigator, then Leon is an undergraduate student." + }, + { + "id": "folio_346", + "question": "Given the following premises:\n\nA cutman is responsible for preventing and treating physical damage to a fighter.\nCutmen appear in boxing matches, kickboxing matches, or mixed martial arts matches bout. \nCutmen handle swelling, nosebleeds and lacerations. \nJack is a cutman.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack is responsible for treating physical damage to a fighter.", + "answer": true, + "story_id": 114, + "example_id": 346, + "original_premises": "A cutman is responsible for preventing and treating physical damage to a fighter.\nCutmen appear in boxing matches, kickboxing matches, or mixed martial arts matches bout. \nCutmen handle swelling, nosebleeds and lacerations. \nJack is a cutman.", + "original_conclusion": "Jack is responsible for treating physical damage to a fighter." + }, + { + "id": "folio_488", + "question": "Given the following premises:\n\nThe Mona Lisa is a world's best-known painting.\nThe Mona Lisa is a portrait painted by Leonardo da Vinci.\nLeonardo da Vinci was a scientist and painter.\nPainting genres can be history, portrait, animal, landscape, and still life.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A world's best-known artwork is painted by a scientist.", + "answer": true, + "story_id": 170, + "example_id": 488, + "original_premises": "The Mona Lisa is a world's best-known painting.\nThe Mona Lisa is a portrait painted by Leonardo da Vinci.\nLeonardo da Vinci was a scientist and painter.\nPainting genres can be history, portrait, animal, landscape, and still life.", + "original_conclusion": "A world's best-known artwork is painted by a scientist." + }, + { + "id": "folio_490", + "question": "Given the following premises:\n\nThe Mona Lisa is a world's best-known painting.\nThe Mona Lisa is a portrait painted by Leonardo da Vinci.\nLeonardo da Vinci was a scientist and painter.\nPainting genres can be history, portrait, animal, landscape, and still life.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No world's best-known artworks are portraits.", + "answer": false, + "story_id": 170, + "example_id": 490, + "original_premises": "The Mona Lisa is a world's best-known painting.\nThe Mona Lisa is a portrait painted by Leonardo da Vinci.\nLeonardo da Vinci was a scientist and painter.\nPainting genres can be history, portrait, animal, landscape, and still life.", + "original_conclusion": "No world's best-known artworks are portraits." + }, + { + "id": "folio_887", + "question": "Given the following premises:\n\nNo professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Nadal is a Grand Slam umpire.", + "answer": false, + "story_id": 339, + "example_id": 887, + "original_premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", + "original_conclusion": "Nadal is a Grand Slam umpire." + }, + { + "id": "folio_888", + "question": "Given the following premises:\n\nNo professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Nadal is not a Grand Slam umpire.", + "answer": true, + "story_id": 339, + "example_id": 888, + "original_premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", + "original_conclusion": "Nadal is not a Grand Slam umpire." + }, + { + "id": "folio_890", + "question": "Given the following premises:\n\nNo professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Nadal is neither a Grand Slam umpire nor a professional tennis umpire.", + "answer": true, + "story_id": 339, + "example_id": 890, + "original_premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", + "original_conclusion": "Nadal is neither a Grand Slam umpire nor a professional tennis umpire." + }, + { + "id": "folio_891", + "question": "Given the following premises:\n\nNo professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Nadal is a professional tennis umpire, then Nadal is a Grand Slam Umpire.", + "answer": true, + "story_id": 339, + "example_id": 891, + "original_premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", + "original_conclusion": "If Nadal is a professional tennis umpire, then Nadal is a Grand Slam Umpire." + }, + { + "id": "folio_892", + "question": "Given the following premises:\n\nNo professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Nadal is a Grand Slam umpire or a professional tennis player, then Nadal is a Grand Slam umpire.", + "answer": false, + "story_id": 339, + "example_id": 892, + "original_premises": "No professional tennis umpires are professional tennis players.\nIf you are a World Tour player, then you are a professional tennis player.\nAll Grand Slam champions are World Tour players.\nAll Grand Slam umpires are professional tennis umpires.\nNadal is a World Tour player or a Grand Slam champion", + "original_conclusion": "If Nadal is a Grand Slam umpire or a professional tennis player, then Nadal is a Grand Slam umpire." + }, + { + "id": "folio_367", + "question": "Given the following premises:\n\nBusinesses are either sanctioned or unsanctioned.\nSanctioned businesses are limited.\nUnsanctioned businesses are free.\nThe Crude Oil Data Exchange is a business that isn't free.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Crude Oil Data Exchange is sanctioned.", + "answer": true, + "story_id": 123, + "example_id": 367, + "original_premises": "Businesses are either sanctioned or unsanctioned.\nSanctioned businesses are limited.\nUnsanctioned businesses are free.\nThe Crude Oil Data Exchange is a business that isn't free.", + "original_conclusion": "Crude Oil Data Exchange is sanctioned." + }, + { + "id": "folio_368", + "question": "Given the following premises:\n\nBusinesses are either sanctioned or unsanctioned.\nSanctioned businesses are limited.\nUnsanctioned businesses are free.\nThe Crude Oil Data Exchange is a business that isn't free.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Crude Oil Data Exchange is unsanctioned.", + "answer": false, + "story_id": 123, + "example_id": 368, + "original_premises": "Businesses are either sanctioned or unsanctioned.\nSanctioned businesses are limited.\nUnsanctioned businesses are free.\nThe Crude Oil Data Exchange is a business that isn't free.", + "original_conclusion": "Crude Oil Data Exchange is unsanctioned." + }, + { + "id": "folio_369", + "question": "Given the following premises:\n\nBusinesses are either sanctioned or unsanctioned.\nSanctioned businesses are limited.\nUnsanctioned businesses are free.\nThe Crude Oil Data Exchange is a business that isn't free.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Crude Oil Data Exchange is limited.", + "answer": true, + "story_id": 123, + "example_id": 369, + "original_premises": "Businesses are either sanctioned or unsanctioned.\nSanctioned businesses are limited.\nUnsanctioned businesses are free.\nThe Crude Oil Data Exchange is a business that isn't free.", + "original_conclusion": "Crude Oil Data Exchange is limited." + }, + { + "id": "folio_315", + "question": "Given the following premises:\n\nPalstaves are a type of early bronze axe.\nPalstaves are found in northern, western, and southwestern Europe and are cast in molds.\nJohn Evans is an archeologist who popularized the term \"palstave.\"\nPaalstabs are not a type of axe but rather a digging shovel.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Archeologists haven't popularized anything.", + "answer": false, + "story_id": 103, + "example_id": 315, + "original_premises": "Palstaves are a type of early bronze axe.\nPalstaves are found in northern, western, and southwestern Europe and are cast in molds.\nJohn Evans is an archeologist who popularized the term \"palstave.\"\nPaalstabs are not a type of axe but rather a digging shovel.", + "original_conclusion": "Archeologists haven't popularized anything." + }, + { + "id": "folio_273", + "question": "Given the following premises:\n\nKoei Tecmo is a Japanese video game and anime holding company.\nHolding companies hold several companies.\nTecmo was disbanded in Japan, while Koei survived but was renamed.\nVideo game holding companies are holding companies.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Koei Tecmo holds another company.", + "answer": true, + "story_id": 90, + "example_id": 273, + "original_premises": "Koei Tecmo is a Japanese video game and anime holding company.\nHolding companies hold several companies.\nTecmo was disbanded in Japan, while Koei survived but was renamed.\nVideo game holding companies are holding companies.", + "original_conclusion": "Koei Tecmo holds another company." + }, + { + "id": "folio_566", + "question": "Given the following premises:\n\nThe PlayStation EyeToy is a camera accessory for the PlayStation 2 system. \nThe PlayStation Eye is a camera accessory for the PlayStation 3 system.\nThe PlayStation Camera is a camera accessory for the PlayStation 4 and the PlayStation 5 systems.\nCamera accessories for a system are compatible with that system.\nPlaystation 2, 3,4, and 5 are all different.\nOnly the PlayStation Camera camera system is compatible with different systems.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Playstation Eye is compatible with the PlayStation 2 and the PlayStation 3.", + "answer": false, + "story_id": 199, + "example_id": 566, + "original_premises": "The PlayStation EyeToy is a camera accessory for the PlayStation 2 system. \nThe PlayStation Eye is a camera accessory for the PlayStation 3 system.\nThe PlayStation Camera is a camera accessory for the PlayStation 4 and the PlayStation 5 systems.\nCamera accessories for a system are compatible with that system.\nPlaystation 2, 3,4, and 5 are all different.\nOnly the PlayStation Camera camera system is compatible with different systems.", + "original_conclusion": "The Playstation Eye is compatible with the PlayStation 2 and the PlayStation 3." + }, + { + "id": "folio_567", + "question": "Given the following premises:\n\nThe PlayStation EyeToy is a camera accessory for the PlayStation 2 system. \nThe PlayStation Eye is a camera accessory for the PlayStation 3 system.\nThe PlayStation Camera is a camera accessory for the PlayStation 4 and the PlayStation 5 systems.\nCamera accessories for a system are compatible with that system.\nPlaystation 2, 3,4, and 5 are all different.\nOnly the PlayStation Camera camera system is compatible with different systems.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Playstation EyeToy is compatible with the PlayStation 2.", + "answer": true, + "story_id": 199, + "example_id": 567, + "original_premises": "The PlayStation EyeToy is a camera accessory for the PlayStation 2 system. \nThe PlayStation Eye is a camera accessory for the PlayStation 3 system.\nThe PlayStation Camera is a camera accessory for the PlayStation 4 and the PlayStation 5 systems.\nCamera accessories for a system are compatible with that system.\nPlaystation 2, 3,4, and 5 are all different.\nOnly the PlayStation Camera camera system is compatible with different systems.", + "original_conclusion": "The Playstation EyeToy is compatible with the PlayStation 2." + }, + { + "id": "folio_718", + "question": "Given the following premises:\n\nAdam Buska is a European football player.\nIf a European plays football, they play what Americans call soccer.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Adam Buska plays what Americans call soccer.", + "answer": true, + "story_id": 274, + "example_id": 718, + "original_premises": "Adam Buska is a European football player.\nIf a European plays football, they play what Americans call soccer.", + "original_conclusion": "Adam Buska plays what Americans call soccer." + }, + { + "id": "folio_1153", + "question": "Given the following premises:\n\nIf a game is one of the top-3 best selling video-games, then it is multiplatform.\nIf a game has sold more than 100 million copies, then it is one of the top-3 best-selling video games.\nSome games that support Windows are developed by Nintendo.\nAll multiplatform games can be played on a wide range of devices.\nPokemon Diamond version is neither developed by Nintendo nor can be played on a wide range of devices.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Pokemon Diamond version supports Windows and has sold more than 100 million copies.", + "answer": false, + "story_id": 411, + "example_id": 1153, + "original_premises": "If a game is one of the top-3 best selling video-games, then it is multiplatform.\nIf a game has sold more than 100 million copies, then it is one of the top-3 best-selling video games.\nSome games that support Windows are developed by Nintendo.\nAll multiplatform games can be played on a wide range of devices.\nPokemon Diamond version is neither developed by Nintendo nor can be played on a wide range of devices.", + "original_conclusion": "Pokemon Diamond version supports Windows and has sold more than 100 million copies." + }, + { + "id": "folio_1154", + "question": "Given the following premises:\n\nIf a game is one of the top-3 best selling video-games, then it is multiplatform.\nIf a game has sold more than 100 million copies, then it is one of the top-3 best-selling video games.\nSome games that support Windows are developed by Nintendo.\nAll multiplatform games can be played on a wide range of devices.\nPokemon Diamond version is neither developed by Nintendo nor can be played on a wide range of devices.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Pokemon Diamond version either supports Windows or has sold more than 100 million copies, then Pokemon Diamond version either is both multiplatform and one of the top-3 best selling video games, or is neither multiplatform nor one of the top-3 best selling video games.", + "answer": true, + "story_id": 411, + "example_id": 1154, + "original_premises": "If a game is one of the top-3 best selling video-games, then it is multiplatform.\nIf a game has sold more than 100 million copies, then it is one of the top-3 best-selling video games.\nSome games that support Windows are developed by Nintendo.\nAll multiplatform games can be played on a wide range of devices.\nPokemon Diamond version is neither developed by Nintendo nor can be played on a wide range of devices.", + "original_conclusion": "If Pokemon Diamond version either supports Windows or has sold more than 100 million copies, then Pokemon Diamond version either is both multiplatform and one of the top-3 best selling video games, or is neither multiplatform nor one of the top-3 best selling video games." + }, + { + "id": "folio_589", + "question": "Given the following premises:\n\nChina is one of the BRICS, and its economy is emerging.\nIf someone is from China, then they are from a country of BRICS.\nIndia is one of the BRICS, and its economy is emerging.\nIf someone is from India, then they are in a country of BRICS.\nAll people from China are Chinese people.\nAll people from India are Indian people.\nThere is a person from India.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No people from BRICS are Indian people.", + "answer": false, + "story_id": 206, + "example_id": 589, + "original_premises": "China is one of the BRICS, and its economy is emerging.\nIf someone is from China, then they are from a country of BRICS.\nIndia is one of the BRICS, and its economy is emerging.\nIf someone is from India, then they are in a country of BRICS.\nAll people from China are Chinese people.\nAll people from India are Indian people.\nThere is a person from India.", + "original_conclusion": "No people from BRICS are Indian people." + }, + { + "id": "folio_590", + "question": "Given the following premises:\n\nChina is one of the BRICS, and its economy is emerging.\nIf someone is from China, then they are from a country of BRICS.\nIndia is one of the BRICS, and its economy is emerging.\nIf someone is from India, then they are in a country of BRICS.\nAll people from China are Chinese people.\nAll people from India are Indian people.\nThere is a person from India.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: India's economy is not emerging.", + "answer": false, + "story_id": 206, + "example_id": 590, + "original_premises": "China is one of the BRICS, and its economy is emerging.\nIf someone is from China, then they are from a country of BRICS.\nIndia is one of the BRICS, and its economy is emerging.\nIf someone is from India, then they are in a country of BRICS.\nAll people from China are Chinese people.\nAll people from India are Indian people.\nThere is a person from India.", + "original_conclusion": "India's economy is not emerging." + }, + { + "id": "folio_591", + "question": "Given the following premises:\n\nChina is one of the BRICS, and its economy is emerging.\nIf someone is from China, then they are from a country of BRICS.\nIndia is one of the BRICS, and its economy is emerging.\nIf someone is from India, then they are in a country of BRICS.\nAll people from China are Chinese people.\nAll people from India are Indian people.\nThere is a person from India.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is an Indian people from BRICS.", + "answer": true, + "story_id": 206, + "example_id": 591, + "original_premises": "China is one of the BRICS, and its economy is emerging.\nIf someone is from China, then they are from a country of BRICS.\nIndia is one of the BRICS, and its economy is emerging.\nIf someone is from India, then they are in a country of BRICS.\nAll people from China are Chinese people.\nAll people from India are Indian people.\nThere is a person from India.", + "original_conclusion": "There is an Indian people from BRICS." + }, + { + "id": "folio_264", + "question": "Given the following premises:\n\nDaveed Diggs is an actor and film producer.\nDaveed Diggs played two roles in the musical Hamilton on Broadway.\nOne of the actors from Hamilton won the best actor award.\nThe actor playing Thomas Jefferson won the best actor award.\nDaveed Diggs played Thomas Jefferson.\nMusicals on Broadway are not films.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Hamilton is a film.", + "answer": false, + "story_id": 87, + "example_id": 264, + "original_premises": "Daveed Diggs is an actor and film producer.\nDaveed Diggs played two roles in the musical Hamilton on Broadway.\nOne of the actors from Hamilton won the best actor award.\nThe actor playing Thomas Jefferson won the best actor award.\nDaveed Diggs played Thomas Jefferson.\nMusicals on Broadway are not films.", + "original_conclusion": "Hamilton is a film." + }, + { + "id": "folio_265", + "question": "Given the following premises:\n\nDaveed Diggs is an actor and film producer.\nDaveed Diggs played two roles in the musical Hamilton on Broadway.\nOne of the actors from Hamilton won the best actor award.\nThe actor playing Thomas Jefferson won the best actor award.\nDaveed Diggs played Thomas Jefferson.\nMusicals on Broadway are not films.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Daveed Diggs won the best actor award.", + "answer": true, + "story_id": 87, + "example_id": 265, + "original_premises": "Daveed Diggs is an actor and film producer.\nDaveed Diggs played two roles in the musical Hamilton on Broadway.\nOne of the actors from Hamilton won the best actor award.\nThe actor playing Thomas Jefferson won the best actor award.\nDaveed Diggs played Thomas Jefferson.\nMusicals on Broadway are not films.", + "original_conclusion": "Daveed Diggs won the best actor award." + }, + { + "id": "folio_626", + "question": "Given the following premises:\n\nErnest Pohl was a Polish football player. \nA football player in the Polish First Division has scored over 180 goals. \nErnest Pohl scored more than 180 goals in the Polish First Division. \nG\u00f3rnik Zabrze's stadium was named after a soccer player from Ruda \u015al\u0105ska. \nErnest Pohl is from Ruda \u015al\u0105ska. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Ernest Pohl has not scored more than 180 goals.", + "answer": false, + "story_id": 221, + "example_id": 626, + "original_premises": "Ernest Pohl was a Polish football player. \nA football player in the Polish First Division has scored over 180 goals. \nErnest Pohl scored more than 180 goals in the Polish First Division. \nG\u00f3rnik Zabrze's stadium was named after a soccer player from Ruda \u015al\u0105ska. \nErnest Pohl is from Ruda \u015al\u0105ska. ", + "original_conclusion": "Ernest Pohl has not scored more than 180 goals." + }, + { + "id": "folio_416", + "question": "Given the following premises:\n\nAnn J. Land was a member of the Philadelphia City Council and the Democratic Party.\nAnn J. Land ran unopposed for the Philadelphia City Council in 1980.\nPeople who run unopposed for the Philadelphia City Council are elected to the positions they run for in the same year.\nMichael Nutter was a political challenger.\nAnn J. Land defeated Michael Nutter and ran for the Philadelphia City Council in 1987.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Ann J. Land was elected to the Philadelphia City Council in 1980.", + "answer": true, + "story_id": 142, + "example_id": 416, + "original_premises": "Ann J. Land was a member of the Philadelphia City Council and the Democratic Party.\nAnn J. Land ran unopposed for the Philadelphia City Council in 1980.\nPeople who run unopposed for the Philadelphia City Council are elected to the positions they run for in the same year.\nMichael Nutter was a political challenger.\nAnn J. Land defeated Michael Nutter and ran for the Philadelphia City Council in 1987.", + "original_conclusion": "Ann J. Land was elected to the Philadelphia City Council in 1980." + }, + { + "id": "folio_418", + "question": "Given the following premises:\n\nAnn J. Land was a member of the Philadelphia City Council and the Democratic Party.\nAnn J. Land ran unopposed for the Philadelphia City Council in 1980.\nPeople who run unopposed for the Philadelphia City Council are elected to the positions they run for in the same year.\nMichael Nutter was a political challenger.\nAnn J. Land defeated Michael Nutter and ran for the Philadelphia City Council in 1987.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There was some member of the Democratic Party elected to the Philadelphia City Council in 1980.", + "answer": true, + "story_id": 142, + "example_id": 418, + "original_premises": "Ann J. Land was a member of the Philadelphia City Council and the Democratic Party.\nAnn J. Land ran unopposed for the Philadelphia City Council in 1980.\nPeople who run unopposed for the Philadelphia City Council are elected to the positions they run for in the same year.\nMichael Nutter was a political challenger.\nAnn J. Land defeated Michael Nutter and ran for the Philadelphia City Council in 1987.", + "original_conclusion": "There was some member of the Democratic Party elected to the Philadelphia City Council in 1980." + }, + { + "id": "folio_337", + "question": "Given the following premises:\n\nAberdeen won the cup in the 2013 final.\nRangers won the cup in the 2014 final.\nAberdeen and Rangers are different teams.\nDifferent teams cannot win the cup in the same year's final.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Rangers won the cup in 2013.", + "answer": false, + "story_id": 111, + "example_id": 337, + "original_premises": "Aberdeen won the cup in the 2013 final.\nRangers won the cup in the 2014 final.\nAberdeen and Rangers are different teams.\nDifferent teams cannot win the cup in the same year's final.", + "original_conclusion": "Rangers won the cup in 2013." + }, + { + "id": "folio_338", + "question": "Given the following premises:\n\nAberdeen won the cup in the 2013 final.\nRangers won the cup in the 2014 final.\nAberdeen and Rangers are different teams.\nDifferent teams cannot win the cup in the same year's final.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Aberdeen has once won a cup.", + "answer": true, + "story_id": 111, + "example_id": 338, + "original_premises": "Aberdeen won the cup in the 2013 final.\nRangers won the cup in the 2014 final.\nAberdeen and Rangers are different teams.\nDifferent teams cannot win the cup in the same year's final.", + "original_conclusion": "Aberdeen has once won a cup." + }, + { + "id": "folio_844", + "question": "Given the following premises:\n\nAll young working professionals who have regular 9-5 jobs have stable jobs.\nSome people living in Manhattan are young professionals with regular 9-5 jobs.\nAll people who have stable jobs are people who work regularly.\nPeople who work regularly do not frequently disobey their bosses.\nMary either frequently disobeys her bosses and works regularly, or that she neither frequently disobeys her bosses nor works regularly.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mary lives in Manhattan and is a young working professional who has a regular 9-5 job.", + "answer": false, + "story_id": 329, + "example_id": 844, + "original_premises": "All young working professionals who have regular 9-5 jobs have stable jobs.\nSome people living in Manhattan are young professionals with regular 9-5 jobs.\nAll people who have stable jobs are people who work regularly.\nPeople who work regularly do not frequently disobey their bosses.\nMary either frequently disobeys her bosses and works regularly, or that she neither frequently disobeys her bosses nor works regularly.", + "original_conclusion": "Mary lives in Manhattan and is a young working professional who has a regular 9-5 job." + }, + { + "id": "folio_845", + "question": "Given the following premises:\n\nAll young working professionals who have regular 9-5 jobs have stable jobs.\nSome people living in Manhattan are young professionals with regular 9-5 jobs.\nAll people who have stable jobs are people who work regularly.\nPeople who work regularly do not frequently disobey their bosses.\nMary either frequently disobeys her bosses and works regularly, or that she neither frequently disobeys her bosses nor works regularly.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Mary is a young working professional who has a regular 9-5 job, then Mary does not live in Manhattan.", + "answer": true, + "story_id": 329, + "example_id": 845, + "original_premises": "All young working professionals who have regular 9-5 jobs have stable jobs.\nSome people living in Manhattan are young professionals with regular 9-5 jobs.\nAll people who have stable jobs are people who work regularly.\nPeople who work regularly do not frequently disobey their bosses.\nMary either frequently disobeys her bosses and works regularly, or that she neither frequently disobeys her bosses nor works regularly.", + "original_conclusion": "If Mary is a young working professional who has a regular 9-5 job, then Mary does not live in Manhattan." + }, + { + "id": "folio_1081", + "question": "Given the following premises:\n\nAll brain study designs are either block designs or event-related designs. \nAll event-related brain study designs are brain image acquisition.\nAll brain image acquisition in brain study designs is preceded by data processing.\nNothing in brain study designs preceded by data processing analyzes data.\nPicture memory is a type of brain study design that is not either event-related or analyzing data.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Picture memory is a block design.", + "answer": true, + "story_id": 397, + "example_id": 1081, + "original_premises": "All brain study designs are either block designs or event-related designs. \nAll event-related brain study designs are brain image acquisition.\nAll brain image acquisition in brain study designs is preceded by data processing.\nNothing in brain study designs preceded by data processing analyzes data.\nPicture memory is a type of brain study design that is not either event-related or analyzing data.", + "original_conclusion": "Picture memory is a block design." + }, + { + "id": "folio_1082", + "question": "Given the following premises:\n\nAll brain study designs are either block designs or event-related designs. \nAll event-related brain study designs are brain image acquisition.\nAll brain image acquisition in brain study designs is preceded by data processing.\nNothing in brain study designs preceded by data processing analyzes data.\nPicture memory is a type of brain study design that is not either event-related or analyzing data.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Picture memory is either a block design or analyzing data.", + "answer": true, + "story_id": 397, + "example_id": 1082, + "original_premises": "All brain study designs are either block designs or event-related designs. \nAll event-related brain study designs are brain image acquisition.\nAll brain image acquisition in brain study designs is preceded by data processing.\nNothing in brain study designs preceded by data processing analyzes data.\nPicture memory is a type of brain study design that is not either event-related or analyzing data.", + "original_conclusion": "Picture memory is either a block design or analyzing data." + }, + { + "id": "folio_1083", + "question": "Given the following premises:\n\nAll brain study designs are either block designs or event-related designs. \nAll event-related brain study designs are brain image acquisition.\nAll brain image acquisition in brain study designs is preceded by data processing.\nNothing in brain study designs preceded by data processing analyzes data.\nPicture memory is a type of brain study design that is not either event-related or analyzing data.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If picture memory is not analyzing data, then picture memory is a block design and analyzing data.", + "answer": false, + "story_id": 397, + "example_id": 1083, + "original_premises": "All brain study designs are either block designs or event-related designs. \nAll event-related brain study designs are brain image acquisition.\nAll brain image acquisition in brain study designs is preceded by data processing.\nNothing in brain study designs preceded by data processing analyzes data.\nPicture memory is a type of brain study design that is not either event-related or analyzing data.", + "original_conclusion": "If picture memory is not analyzing data, then picture memory is a block design and analyzing data." + }, + { + "id": "folio_925", + "question": "Given the following premises:\n\nAll disposables are designed to be used only once.\nSome items used in Tom's house are eco-friendly.\nEvery item used in Tom's house is either disposable or reusable. \nIf something is made from metal, then it is not made from plastic. \nAll reusable items used in Tom's house are made from metal.\nThe chopsticks used in Tom's house are either made from metals and plastics, or that they are neither made from metals nor plastics.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The chopsticks used in Tom's house are eco-friendly or designed to be used only once.", + "answer": true, + "story_id": 349, + "example_id": 925, + "original_premises": "All disposables are designed to be used only once.\nSome items used in Tom's house are eco-friendly.\nEvery item used in Tom's house is either disposable or reusable. \nIf something is made from metal, then it is not made from plastic. \nAll reusable items used in Tom's house are made from metal.\nThe chopsticks used in Tom's house are either made from metals and plastics, or that they are neither made from metals nor plastics.", + "original_conclusion": "The chopsticks used in Tom's house are eco-friendly or designed to be used only once." + }, + { + "id": "folio_926", + "question": "Given the following premises:\n\nAll disposables are designed to be used only once.\nSome items used in Tom's house are eco-friendly.\nEvery item used in Tom's house is either disposable or reusable. \nIf something is made from metal, then it is not made from plastic. \nAll reusable items used in Tom's house are made from metal.\nThe chopsticks used in Tom's house are either made from metals and plastics, or that they are neither made from metals nor plastics.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If chopsticks used in Tom's house are made from plastic or designed to be used only once, then they are made from plastic and are eco-friendly.", + "answer": false, + "story_id": 349, + "example_id": 926, + "original_premises": "All disposables are designed to be used only once.\nSome items used in Tom's house are eco-friendly.\nEvery item used in Tom's house is either disposable or reusable. \nIf something is made from metal, then it is not made from plastic. \nAll reusable items used in Tom's house are made from metal.\nThe chopsticks used in Tom's house are either made from metals and plastics, or that they are neither made from metals nor plastics.", + "original_conclusion": "If chopsticks used in Tom's house are made from plastic or designed to be used only once, then they are made from plastic and are eco-friendly." + }, + { + "id": "folio_1281", + "question": "Given the following premises:\n\nAnything lazy is unproductive.\nNo one unproductive is energetic.\nIf something is a sloth, then it is lazy.\nSome animals are sloths.\nSid is neither an energetic person nor a sloth.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Sid is an energetic person and an animal.", + "answer": false, + "story_id": 445, + "example_id": 1281, + "original_premises": "Anything lazy is unproductive.\nNo one unproductive is energetic.\nIf something is a sloth, then it is lazy.\nSome animals are sloths.\nSid is neither an energetic person nor a sloth.", + "original_conclusion": "Sid is an energetic person and an animal." + }, + { + "id": "folio_1282", + "question": "Given the following premises:\n\nAnything lazy is unproductive.\nNo one unproductive is energetic.\nIf something is a sloth, then it is lazy.\nSome animals are sloths.\nSid is neither an energetic person nor a sloth.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Sid is either an animal or unproductive, then Sid is not an energetic person.", + "answer": true, + "story_id": 445, + "example_id": 1282, + "original_premises": "Anything lazy is unproductive.\nNo one unproductive is energetic.\nIf something is a sloth, then it is lazy.\nSome animals are sloths.\nSid is neither an energetic person nor a sloth.", + "original_conclusion": "If Sid is either an animal or unproductive, then Sid is not an energetic person." + }, + { + "id": "folio_539", + "question": "Given the following premises:\n\nEuropean soccer clubs can attend UCL, UEL, and UECL.\nA soccer club eligible to attend UCL has a higher ranking than a soccer club eligible to attend UEL.\nA soccer club eligible to attend UEL has a higher ranking than a soccer club eligible to attend UECL.\nManchester United and Machester City are both European soccer clubs.\nManchester United is eligible to attend UEL next season.\nManchester City is eligible to attend UCL next season.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Manchester City has a higher ranking than Manchester United.", + "answer": true, + "story_id": 187, + "example_id": 539, + "original_premises": "European soccer clubs can attend UCL, UEL, and UECL.\nA soccer club eligible to attend UCL has a higher ranking than a soccer club eligible to attend UEL.\nA soccer club eligible to attend UEL has a higher ranking than a soccer club eligible to attend UECL.\nManchester United and Machester City are both European soccer clubs.\nManchester United is eligible to attend UEL next season.\nManchester City is eligible to attend UCL next season.", + "original_conclusion": "Manchester City has a higher ranking than Manchester United." + }, + { + "id": "folio_192", + "question": "Given the following premises:\n\nIf a person coaches a football club, the person is a football coach.\nIf a person has a position in a club in a year, and the club is in NFL in the same year, the person plays in NFL.\nMinnesota Vikings is a football club.\nDennis Green coached Minnesota Vikings.\nCris Carter had 13 touchdown receptions.\nMinnesota Vikings were in the National Football League in 1997.\nJohn Randle was Minnesota Vikings defensive tackle in 1997.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Dennis Green is a football coach.", + "answer": true, + "story_id": 65, + "example_id": 192, + "original_premises": "If a person coaches a football club, the person is a football coach.\nIf a person has a position in a club in a year, and the club is in NFL in the same year, the person plays in NFL.\nMinnesota Vikings is a football club.\nDennis Green coached Minnesota Vikings.\nCris Carter had 13 touchdown receptions.\nMinnesota Vikings were in the National Football League in 1997.\nJohn Randle was Minnesota Vikings defensive tackle in 1997.", + "original_conclusion": "Dennis Green is a football coach." + }, + { + "id": "folio_193", + "question": "Given the following premises:\n\nIf a person coaches a football club, the person is a football coach.\nIf a person has a position in a club in a year, and the club is in NFL in the same year, the person plays in NFL.\nMinnesota Vikings is a football club.\nDennis Green coached Minnesota Vikings.\nCris Carter had 13 touchdown receptions.\nMinnesota Vikings were in the National Football League in 1997.\nJohn Randle was Minnesota Vikings defensive tackle in 1997.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John Randle didn't play in the National Football League.", + "answer": false, + "story_id": 65, + "example_id": 193, + "original_premises": "If a person coaches a football club, the person is a football coach.\nIf a person has a position in a club in a year, and the club is in NFL in the same year, the person plays in NFL.\nMinnesota Vikings is a football club.\nDennis Green coached Minnesota Vikings.\nCris Carter had 13 touchdown receptions.\nMinnesota Vikings were in the National Football League in 1997.\nJohn Randle was Minnesota Vikings defensive tackle in 1997.", + "original_conclusion": "John Randle didn't play in the National Football League." + }, + { + "id": "folio_1333", + "question": "Given the following premises:\n\nAll classrooms in William L. Harkness Hall that are used for lectures are booked during the day. \nNone of the classrooms in William L. Harkness Hall are private study spots.\nAll classrooms in William L. Harkness Hall are used for lectures or used for office hours.\nIf a classroom in William L. Harkness Hall is booked in the evening, then it is not freely usable at night.\nIf a classroom in William L. Harkness Hall is used for office hours, then it is booked in the evening.\nRoom 116 is a classroom in William L. Harkness Hall that is either both used for lecture and used for office hours or not used for either.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Room 116 is a private study spot.", + "answer": false, + "story_id": 462, + "example_id": 1333, + "original_premises": "All classrooms in William L. Harkness Hall that are used for lectures are booked during the day. \nNone of the classrooms in William L. Harkness Hall are private study spots.\nAll classrooms in William L. Harkness Hall are used for lectures or used for office hours.\nIf a classroom in William L. Harkness Hall is booked in the evening, then it is not freely usable at night.\nIf a classroom in William L. Harkness Hall is used for office hours, then it is booked in the evening.\nRoom 116 is a classroom in William L. Harkness Hall that is either both used for lecture and used for office hours or not used for either.", + "original_conclusion": "Room 116 is a private study spot." + }, + { + "id": "folio_1334", + "question": "Given the following premises:\n\nAll classrooms in William L. Harkness Hall that are used for lectures are booked during the day. \nNone of the classrooms in William L. Harkness Hall are private study spots.\nAll classrooms in William L. Harkness Hall are used for lectures or used for office hours.\nIf a classroom in William L. Harkness Hall is booked in the evening, then it is not freely usable at night.\nIf a classroom in William L. Harkness Hall is used for office hours, then it is booked in the evening.\nRoom 116 is a classroom in William L. Harkness Hall that is either both used for lecture and used for office hours or not used for either.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Room 116 is either both booked during the day and freely usable at night, or neither, then it is either used for office hours or for private study spots.", + "answer": true, + "story_id": 462, + "example_id": 1334, + "original_premises": "All classrooms in William L. Harkness Hall that are used for lectures are booked during the day. \nNone of the classrooms in William L. Harkness Hall are private study spots.\nAll classrooms in William L. Harkness Hall are used for lectures or used for office hours.\nIf a classroom in William L. Harkness Hall is booked in the evening, then it is not freely usable at night.\nIf a classroom in William L. Harkness Hall is used for office hours, then it is booked in the evening.\nRoom 116 is a classroom in William L. Harkness Hall that is either both used for lecture and used for office hours or not used for either.", + "original_conclusion": "If Room 116 is either both booked during the day and freely usable at night, or neither, then it is either used for office hours or for private study spots." + }, + { + "id": "folio_1335", + "question": "Given the following premises:\n\nAll classrooms in William L. Harkness Hall that are used for lectures are booked during the day. \nNone of the classrooms in William L. Harkness Hall are private study spots.\nAll classrooms in William L. Harkness Hall are used for lectures or used for office hours.\nIf a classroom in William L. Harkness Hall is booked in the evening, then it is not freely usable at night.\nIf a classroom in William L. Harkness Hall is used for office hours, then it is booked in the evening.\nRoom 116 is a classroom in William L. Harkness Hall that is either both used for lecture and used for office hours or not used for either.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Room 116 is not both a private study spot and freely useable at night, then it is either used for lectures or booked during the day.", + "answer": false, + "story_id": 462, + "example_id": 1335, + "original_premises": "All classrooms in William L. Harkness Hall that are used for lectures are booked during the day. \nNone of the classrooms in William L. Harkness Hall are private study spots.\nAll classrooms in William L. Harkness Hall are used for lectures or used for office hours.\nIf a classroom in William L. Harkness Hall is booked in the evening, then it is not freely usable at night.\nIf a classroom in William L. Harkness Hall is used for office hours, then it is booked in the evening.\nRoom 116 is a classroom in William L. Harkness Hall that is either both used for lecture and used for office hours or not used for either.", + "original_conclusion": "If Room 116 is not both a private study spot and freely useable at night, then it is either used for lectures or booked during the day." + }, + { + "id": "folio_299", + "question": "Given the following premises:\n\nShafaq-Asiman is a large complex of offshore geological structures in the Caspian Sea.\nBaku is northwest of Shafaq-Asiman.\nIf place A is northwest of place B, then place B is southeast of place A.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A large complex is southeast of Baku.", + "answer": true, + "story_id": 99, + "example_id": 299, + "original_premises": "Shafaq-Asiman is a large complex of offshore geological structures in the Caspian Sea.\nBaku is northwest of Shafaq-Asiman.\nIf place A is northwest of place B, then place B is southeast of place A.", + "original_conclusion": "A large complex is southeast of Baku." + }, + { + "id": "folio_300", + "question": "Given the following premises:\n\nShafaq-Asiman is a large complex of offshore geological structures in the Caspian Sea.\nBaku is northwest of Shafaq-Asiman.\nIf place A is northwest of place B, then place B is southeast of place A.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Baku is not northwest of offshore geological structures.", + "answer": false, + "story_id": 99, + "example_id": 300, + "original_premises": "Shafaq-Asiman is a large complex of offshore geological structures in the Caspian Sea.\nBaku is northwest of Shafaq-Asiman.\nIf place A is northwest of place B, then place B is southeast of place A.", + "original_conclusion": "Baku is not northwest of offshore geological structures." + }, + { + "id": "folio_213", + "question": "Given the following premises:\n\nHerodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Herodicus tutored Hippocrates.", + "answer": true, + "story_id": 71, + "example_id": 213, + "original_premises": "Herodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.", + "original_conclusion": "Herodicus tutored Hippocrates." + }, + { + "id": "folio_216", + "question": "Given the following premises:\n\nHerodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Herodicus did not recommend massages.", + "answer": false, + "story_id": 71, + "example_id": 216, + "original_premises": "Herodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.", + "original_conclusion": "Herodicus did not recommend massages." + }, + { + "id": "folio_217", + "question": "Given the following premises:\n\nHerodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Herodicus was born in a colony of a city-state.", + "answer": true, + "story_id": 71, + "example_id": 217, + "original_premises": "Herodicus was a Greek physician, dietician, sophist, and gymnast.\nHerodicus was born in the city of Selymbria.\nSelymbria is a colony of the city-state Megara.\nOne of the tutors of Hippocrates was Herodicus.\nMassages were recommended by Herodicus.\nSome of the theories of Herodicus are considered to be the foundation of sports medicine.", + "original_conclusion": "Herodicus was born in a colony of a city-state." + }, + { + "id": "folio_1259", + "question": "Given the following premises:\n\nNone of the kids in our family love the opera.\nAll of the adults in our family love the opera.\nIf someone in our family is a scientist, then they are an adult.\nSome students in our family are kids.\nBilly is a kid in our family.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Billy is a student and a scientist.", + "answer": false, + "story_id": 438, + "example_id": 1259, + "original_premises": "None of the kids in our family love the opera.\nAll of the adults in our family love the opera.\nIf someone in our family is a scientist, then they are an adult.\nSome students in our family are kids.\nBilly is a kid in our family.", + "original_conclusion": "Billy is a student and a scientist." + }, + { + "id": "folio_1260", + "question": "Given the following premises:\n\nNone of the kids in our family love the opera.\nAll of the adults in our family love the opera.\nIf someone in our family is a scientist, then they are an adult.\nSome students in our family are kids.\nBilly is a kid in our family.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Billy is a student or a scientist, then Billy is a student and a kid.", + "answer": true, + "story_id": 438, + "example_id": 1260, + "original_premises": "None of the kids in our family love the opera.\nAll of the adults in our family love the opera.\nIf someone in our family is a scientist, then they are an adult.\nSome students in our family are kids.\nBilly is a kid in our family.", + "original_conclusion": "If Billy is a student or a scientist, then Billy is a student and a kid." + }, + { + "id": "folio_204", + "question": "Given the following premises:\n\nBrian Winter is a Scottish football referee.\nAfter being injured, Brian Winter retired in 2012.\nBrian Winter was appointed as a referee observer after his retirement.\nSome football referees become referee observers.\nThe son of Brian Winter, Andy Winter, is a football player who plays for Hamilton Academical.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a son of a referee observer that plays football.", + "answer": true, + "story_id": 69, + "example_id": 204, + "original_premises": "Brian Winter is a Scottish football referee.\nAfter being injured, Brian Winter retired in 2012.\nBrian Winter was appointed as a referee observer after his retirement.\nSome football referees become referee observers.\nThe son of Brian Winter, Andy Winter, is a football player who plays for Hamilton Academical.", + "original_conclusion": "There is a son of a referee observer that plays football." + }, + { + "id": "folio_205", + "question": "Given the following premises:\n\nBrian Winter is a Scottish football referee.\nAfter being injured, Brian Winter retired in 2012.\nBrian Winter was appointed as a referee observer after his retirement.\nSome football referees become referee observers.\nThe son of Brian Winter, Andy Winter, is a football player who plays for Hamilton Academical.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Brian Winter was not a referee observer.", + "answer": false, + "story_id": 69, + "example_id": 205, + "original_premises": "Brian Winter is a Scottish football referee.\nAfter being injured, Brian Winter retired in 2012.\nBrian Winter was appointed as a referee observer after his retirement.\nSome football referees become referee observers.\nThe son of Brian Winter, Andy Winter, is a football player who plays for Hamilton Academical.", + "original_conclusion": "Brian Winter was not a referee observer." + }, + { + "id": "folio_206", + "question": "Given the following premises:\n\nBrian Winter is a Scottish football referee.\nAfter being injured, Brian Winter retired in 2012.\nBrian Winter was appointed as a referee observer after his retirement.\nSome football referees become referee observers.\nThe son of Brian Winter, Andy Winter, is a football player who plays for Hamilton Academical.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Brian Winter is retired.", + "answer": true, + "story_id": 69, + "example_id": 206, + "original_premises": "Brian Winter is a Scottish football referee.\nAfter being injured, Brian Winter retired in 2012.\nBrian Winter was appointed as a referee observer after his retirement.\nSome football referees become referee observers.\nThe son of Brian Winter, Andy Winter, is a football player who plays for Hamilton Academical.", + "original_conclusion": "Brian Winter is retired." + }, + { + "id": "folio_1101", + "question": "Given the following premises:\n\nEveryone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Erica is interested in puzzles and is creative.", + "answer": true, + "story_id": 401, + "example_id": 1101, + "original_premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", + "original_conclusion": "Erica is interested in puzzles and is creative." + }, + { + "id": "folio_1102", + "question": "Given the following premises:\n\nEveryone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Erica is either interested in puzzles or is creative.", + "answer": false, + "story_id": 401, + "example_id": 1102, + "original_premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", + "original_conclusion": "Erica is either interested in puzzles or is creative." + }, + { + "id": "folio_1103", + "question": "Given the following premises:\n\nEveryone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Erica plans ahead or plays a lot of chess matches, then Erica is not interested in puzzles and creative.", + "answer": false, + "story_id": 401, + "example_id": 1103, + "original_premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", + "original_conclusion": "If Erica plans ahead or plays a lot of chess matches, then Erica is not interested in puzzles and creative." + }, + { + "id": "folio_1104", + "question": "Given the following premises:\n\nEveryone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Erica is creative, then Erica is not interested in puzzles and creative.", + "answer": false, + "story_id": 401, + "example_id": 1104, + "original_premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", + "original_conclusion": "If Erica is creative, then Erica is not interested in puzzles and creative." + }, + { + "id": "folio_1105", + "question": "Given the following premises:\n\nEveryone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Erica is interested in puzzles and is creative, then Erica is not creative.", + "answer": false, + "story_id": 401, + "example_id": 1105, + "original_premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", + "original_conclusion": "If Erica is interested in puzzles and is creative, then Erica is not creative." + }, + { + "id": "folio_1106", + "question": "Given the following premises:\n\nEveryone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Erica either plays a lot of chess matches or is creative, then Erica is neither interested in puzzles nor a person who plays a lot of chess matches.", + "answer": true, + "story_id": 401, + "example_id": 1106, + "original_premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", + "original_conclusion": "If Erica either plays a lot of chess matches or is creative, then Erica is neither interested in puzzles nor a person who plays a lot of chess matches." + }, + { + "id": "folio_1107", + "question": "Given the following premises:\n\nEveryone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Erica is interested in puzzles and plays a lot of chess matches, then Erica is either a person who plays a lot of chess matches or a person that is creative.", + "answer": false, + "story_id": 401, + "example_id": 1107, + "original_premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", + "original_conclusion": "If Erica is interested in puzzles and plays a lot of chess matches, then Erica is either a person who plays a lot of chess matches or a person that is creative." + }, + { + "id": "folio_1108", + "question": "Given the following premises:\n\nEveryone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Erica plans ahead or is interested in puzzles, then Erica is creative.", + "answer": true, + "story_id": 401, + "example_id": 1108, + "original_premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", + "original_conclusion": "If Erica plans ahead or is interested in puzzles, then Erica is creative." + }, + { + "id": "folio_1109", + "question": "Given the following premises:\n\nEveryone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Erica is either bad at chess or interested in puzzles, then Erica is not a person who plays a lot of chess matches and creative.", + "answer": false, + "story_id": 401, + "example_id": 1109, + "original_premises": "Everyone at 'Board Game night' is interested in puzzles, or they are bad at chess, or both.\nIf a person at 'Board Game night' is bad at chess, then they don't play a lot of chess.\nThere is a person at 'Board Game night' who is either a planner or a creative person.\nErica is at 'Board Game night,' and she is someone who plays a lot of chess.\nIf Erica is neither bad at chess nor creative, then Erica is either someone who plans and is creative, or she is neither of these things.", + "original_conclusion": "If Erica is either bad at chess or interested in puzzles, then Erica is not a person who plays a lot of chess matches and creative." + }, + { + "id": "folio_373", + "question": "Given the following premises:\n\nSoccer players have a right foot and a left foot.\nTop soccer players are soccer players who can use both the left foot and right foot very efficiently.\nIf a soccer player can score many goals using the left foot, they can use that foot very efficiently.\nIf a soccer player can score many goals using the right foot, they can use that foot very efficiently.\nCristiano Ronaldo is a soccer player.\nCristiano Ronaldo can use his right foot very efficiently.\nCristiano Ronaldo has scored many goals using his left foot.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Cristiano Ronaldo is a top soccer player.", + "answer": true, + "story_id": 125, + "example_id": 373, + "original_premises": "Soccer players have a right foot and a left foot.\nTop soccer players are soccer players who can use both the left foot and right foot very efficiently.\nIf a soccer player can score many goals using the left foot, they can use that foot very efficiently.\nIf a soccer player can score many goals using the right foot, they can use that foot very efficiently.\nCristiano Ronaldo is a soccer player.\nCristiano Ronaldo can use his right foot very efficiently.\nCristiano Ronaldo has scored many goals using his left foot.", + "original_conclusion": "Cristiano Ronaldo is a top soccer player." + }, + { + "id": "folio_374", + "question": "Given the following premises:\n\nSoccer players have a right foot and a left foot.\nTop soccer players are soccer players who can use both the left foot and right foot very efficiently.\nIf a soccer player can score many goals using the left foot, they can use that foot very efficiently.\nIf a soccer player can score many goals using the right foot, they can use that foot very efficiently.\nCristiano Ronaldo is a soccer player.\nCristiano Ronaldo can use his right foot very efficiently.\nCristiano Ronaldo has scored many goals using his left foot.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Cristiano Ronaldo is not a top soccer player.", + "answer": false, + "story_id": 125, + "example_id": 374, + "original_premises": "Soccer players have a right foot and a left foot.\nTop soccer players are soccer players who can use both the left foot and right foot very efficiently.\nIf a soccer player can score many goals using the left foot, they can use that foot very efficiently.\nIf a soccer player can score many goals using the right foot, they can use that foot very efficiently.\nCristiano Ronaldo is a soccer player.\nCristiano Ronaldo can use his right foot very efficiently.\nCristiano Ronaldo has scored many goals using his left foot.", + "original_conclusion": "Cristiano Ronaldo is not a top soccer player." + }, + { + "id": "folio_509", + "question": "Given the following premises:\n\nThe National Lobster Hatchery is a hatchery located in Padstow, England.\nThe National Lobster Hatchery is open to visitors.\nA hatchery is either for profit or for conservation.\nIf a hatchery is for conservation, it might release animals into the wild.\nThe National Lobster Hatchery is not for profit.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The National Lobster Hatchery is for conservation.", + "answer": true, + "story_id": 177, + "example_id": 509, + "original_premises": "The National Lobster Hatchery is a hatchery located in Padstow, England.\nThe National Lobster Hatchery is open to visitors.\nA hatchery is either for profit or for conservation.\nIf a hatchery is for conservation, it might release animals into the wild.\nThe National Lobster Hatchery is not for profit.", + "original_conclusion": "The National Lobster Hatchery is for conservation." + }, + { + "id": "folio_632", + "question": "Given the following premises:\n\nRhos Aelwyd F.C. is a Welsh football club.\nRhos Aelwyd F.C. is the only football club located in Ponciau. \nThe Premier Division was won in June 2005 by a team from Ponciau. \nThe winner of the Premier Division in October 2009 was promoted to the Cymru Alliance.\nThe Premier Division in October 2009 was won by the same team that won in June 2005. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Rhos Aelwyd F.C. won Premier Division in June 2005.", + "answer": true, + "story_id": 224, + "example_id": 632, + "original_premises": "Rhos Aelwyd F.C. is a Welsh football club.\nRhos Aelwyd F.C. is the only football club located in Ponciau. \nThe Premier Division was won in June 2005 by a team from Ponciau. \nThe winner of the Premier Division in October 2009 was promoted to the Cymru Alliance.\nThe Premier Division in October 2009 was won by the same team that won in June 2005. ", + "original_conclusion": "Rhos Aelwyd F.C. won Premier Division in June 2005." + }, + { + "id": "folio_633", + "question": "Given the following premises:\n\nRhos Aelwyd F.C. is a Welsh football club.\nRhos Aelwyd F.C. is the only football club located in Ponciau. \nThe Premier Division was won in June 2005 by a team from Ponciau. \nThe winner of the Premier Division in October 2009 was promoted to the Cymru Alliance.\nThe Premier Division in October 2009 was won by the same team that won in June 2005. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Rhos Aelwyd F.C. was promoted to the Cymru Alliance.", + "answer": true, + "story_id": 224, + "example_id": 633, + "original_premises": "Rhos Aelwyd F.C. is a Welsh football club.\nRhos Aelwyd F.C. is the only football club located in Ponciau. \nThe Premier Division was won in June 2005 by a team from Ponciau. \nThe winner of the Premier Division in October 2009 was promoted to the Cymru Alliance.\nThe Premier Division in October 2009 was won by the same team that won in June 2005. ", + "original_conclusion": "Rhos Aelwyd F.C. was promoted to the Cymru Alliance." + }, + { + "id": "folio_1359", + "question": "Given the following premises:\n\nA Unix operating system used in the lab computers is a piece of software.\nAll versions of MacOS used in the lab computer are based on Unix operating systems.\nA lab computer uses either MacOS or Linux. \nAll Linux computers in the lab are convenient.\nAll software used in the lab computers is written with code.\nIf something is convenient in the lab computer, then it is popular.\nBurger is used in the lab computer, and it is written with code and a new version of MacOS.\nPyTorch is used in the lab computer, and PyTorch is neither a Linux system nor a piece of software.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: PyTorch is popular and written with code.", + "answer": true, + "story_id": 470, + "example_id": 1359, + "original_premises": "A Unix operating system used in the lab computers is a piece of software.\nAll versions of MacOS used in the lab computer are based on Unix operating systems.\nA lab computer uses either MacOS or Linux. \nAll Linux computers in the lab are convenient.\nAll software used in the lab computers is written with code.\nIf something is convenient in the lab computer, then it is popular.\nBurger is used in the lab computer, and it is written with code and a new version of MacOS.\nPyTorch is used in the lab computer, and PyTorch is neither a Linux system nor a piece of software.", + "original_conclusion": "PyTorch is popular and written with code." + }, + { + "id": "folio_1360", + "question": "Given the following premises:\n\nA Unix operating system used in the lab computers is a piece of software.\nAll versions of MacOS used in the lab computer are based on Unix operating systems.\nA lab computer uses either MacOS or Linux. \nAll Linux computers in the lab are convenient.\nAll software used in the lab computers is written with code.\nIf something is convenient in the lab computer, then it is popular.\nBurger is used in the lab computer, and it is written with code and a new version of MacOS.\nPyTorch is used in the lab computer, and PyTorch is neither a Linux system nor a piece of software.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: PyTorch is not popular and it is not written with code.", + "answer": false, + "story_id": 470, + "example_id": 1360, + "original_premises": "A Unix operating system used in the lab computers is a piece of software.\nAll versions of MacOS used in the lab computer are based on Unix operating systems.\nA lab computer uses either MacOS or Linux. \nAll Linux computers in the lab are convenient.\nAll software used in the lab computers is written with code.\nIf something is convenient in the lab computer, then it is popular.\nBurger is used in the lab computer, and it is written with code and a new version of MacOS.\nPyTorch is used in the lab computer, and PyTorch is neither a Linux system nor a piece of software.", + "original_conclusion": "PyTorch is not popular and it is not written with code." + }, + { + "id": "folio_352", + "question": "Given the following premises:\n\nRoads are made of either concrete or asphalt.\nRoads made of concrete last longer than roads made with asphalt.\nRoads made of asphalt are smoother than roads made of concrete.\nEveryone prefers the smoother of two roads. \nThe first road is made of concrete, and the second road is made of asphalt.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The first road will last longer than the second road.", + "answer": true, + "story_id": 117, + "example_id": 352, + "original_premises": "Roads are made of either concrete or asphalt.\nRoads made of concrete last longer than roads made with asphalt.\nRoads made of asphalt are smoother than roads made of concrete.\nEveryone prefers the smoother of two roads. \nThe first road is made of concrete, and the second road is made of asphalt.", + "original_conclusion": "The first road will last longer than the second road." + }, + { + "id": "folio_353", + "question": "Given the following premises:\n\nRoads are made of either concrete or asphalt.\nRoads made of concrete last longer than roads made with asphalt.\nRoads made of asphalt are smoother than roads made of concrete.\nEveryone prefers the smoother of two roads. \nThe first road is made of concrete, and the second road is made of asphalt.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The second road is not smoother than the first one.", + "answer": false, + "story_id": 117, + "example_id": 353, + "original_premises": "Roads are made of either concrete or asphalt.\nRoads made of concrete last longer than roads made with asphalt.\nRoads made of asphalt are smoother than roads made of concrete.\nEveryone prefers the smoother of two roads. \nThe first road is made of concrete, and the second road is made of asphalt.", + "original_conclusion": "The second road is not smoother than the first one." + }, + { + "id": "folio_354", + "question": "Given the following premises:\n\nRoads are made of either concrete or asphalt.\nRoads made of concrete last longer than roads made with asphalt.\nRoads made of asphalt are smoother than roads made of concrete.\nEveryone prefers the smoother of two roads. \nThe first road is made of concrete, and the second road is made of asphalt.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: John prefers the second road.", + "answer": true, + "story_id": 117, + "example_id": 354, + "original_premises": "Roads are made of either concrete or asphalt.\nRoads made of concrete last longer than roads made with asphalt.\nRoads made of asphalt are smoother than roads made of concrete.\nEveryone prefers the smoother of two roads. \nThe first road is made of concrete, and the second road is made of asphalt.", + "original_conclusion": "John prefers the second road." + }, + { + "id": "folio_225", + "question": "Given the following premises:\n\nCamp Davern is a traditional summer camp for boys and girls.\nCamp Davern was established in the year 1946.\nCamp Davern was operated by the YMCA until the year 2015.\nCamp Davern is an old summer camp.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: One of Ontario's oldest summer camps is a traditional summer camp for boys and girls.", + "answer": true, + "story_id": 74, + "example_id": 225, + "original_premises": "Camp Davern is a traditional summer camp for boys and girls.\nCamp Davern was established in the year 1946.\nCamp Davern was operated by the YMCA until the year 2015.\nCamp Davern is an old summer camp.", + "original_conclusion": "One of Ontario's oldest summer camps is a traditional summer camp for boys and girls." + }, + { + "id": "folio_226", + "question": "Given the following premises:\n\nCamp Davern is a traditional summer camp for boys and girls.\nCamp Davern was established in the year 1946.\nCamp Davern was operated by the YMCA until the year 2015.\nCamp Davern is an old summer camp.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A traditional summer camp for boys and girls was operated by the YMCA until the year 2015.", + "answer": true, + "story_id": 74, + "example_id": 226, + "original_premises": "Camp Davern is a traditional summer camp for boys and girls.\nCamp Davern was established in the year 1946.\nCamp Davern was operated by the YMCA until the year 2015.\nCamp Davern is an old summer camp.", + "original_conclusion": "A traditional summer camp for boys and girls was operated by the YMCA until the year 2015." + }, + { + "id": "folio_991", + "question": "Given the following premises:\n\nIf Emily's friends publish journals, then they do not work in the entertainment industry.\nAll of Emily's friends who are award-winning novelists publish journals.\nEmily's friends work in the entertainment industry or are highly acclaimed in their profession.\nIf Emily's friends are highly acclaimed in their profession, then they often hold tenured and high-ranking positions at their workplace.\nIf Emily's friends are highly acclaimed in their profession, then they often receive glowing feedback and recommendations from their colleagues.\nTaylor is Emily's friend.\nIt is not true that Taylor both holds highly acclaimed in her profession and often holds tenured and high-ranking positions at her workplace.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Taylor is Emily's friend and she often receives glowing feedback and recommendations from their colleagues and is an award-winning novelist.", + "answer": false, + "story_id": 372, + "example_id": 991, + "original_premises": "If Emily's friends publish journals, then they do not work in the entertainment industry.\nAll of Emily's friends who are award-winning novelists publish journals.\nEmily's friends work in the entertainment industry or are highly acclaimed in their profession.\nIf Emily's friends are highly acclaimed in their profession, then they often hold tenured and high-ranking positions at their workplace.\nIf Emily's friends are highly acclaimed in their profession, then they often receive glowing feedback and recommendations from their colleagues.\nTaylor is Emily's friend.\nIt is not true that Taylor both holds highly acclaimed in her profession and often holds tenured and high-ranking positions at her workplace.", + "original_conclusion": "Taylor is Emily's friend and she often receives glowing feedback and recommendations from their colleagues and is an award-winning novelist." + }, + { + "id": "folio_992", + "question": "Given the following premises:\n\nIf Emily's friends publish journals, then they do not work in the entertainment industry.\nAll of Emily's friends who are award-winning novelists publish journals.\nEmily's friends work in the entertainment industry or are highly acclaimed in their profession.\nIf Emily's friends are highly acclaimed in their profession, then they often hold tenured and high-ranking positions at their workplace.\nIf Emily's friends are highly acclaimed in their profession, then they often receive glowing feedback and recommendations from their colleagues.\nTaylor is Emily's friend.\nIt is not true that Taylor both holds highly acclaimed in her profession and often holds tenured and high-ranking positions at her workplace.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Taylor is Emily's friend and she does not both publish journals and is an award-winning novelist.", + "answer": true, + "story_id": 372, + "example_id": 992, + "original_premises": "If Emily's friends publish journals, then they do not work in the entertainment industry.\nAll of Emily's friends who are award-winning novelists publish journals.\nEmily's friends work in the entertainment industry or are highly acclaimed in their profession.\nIf Emily's friends are highly acclaimed in their profession, then they often hold tenured and high-ranking positions at their workplace.\nIf Emily's friends are highly acclaimed in their profession, then they often receive glowing feedback and recommendations from their colleagues.\nTaylor is Emily's friend.\nIt is not true that Taylor both holds highly acclaimed in her profession and often holds tenured and high-ranking positions at her workplace.", + "original_conclusion": "Taylor is Emily's friend and she does not both publish journals and is an award-winning novelist." + }, + { + "id": "folio_25", + "question": "Given the following premises:\n\nThick as Thieves is a young adult fantasy novel written by Megan Whalen Turner.\nThick as Thieves was published by Greenwillow Books.\nIf a book was published by a company, then the author of that book worked with the company that published the book.\nThe fictional Mede Empire is where Thick as Thieves is set.\nThe Mede Empire plots to swallow up some nearby countries.\nAttolia and Sounis are countries near the Mede Empire.\nThick as Thieves was sold both as a hardcover and an e-book.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Megan Whalen Turner worked with Greenwillow Books.", + "answer": true, + "story_id": 10, + "example_id": 25, + "original_premises": "Thick as Thieves is a young adult fantasy novel written by Megan Whalen Turner.\nThick as Thieves was published by Greenwillow Books.\nIf a book was published by a company, then the author of that book worked with the company that published the book.\nThe fictional Mede Empire is where Thick as Thieves is set.\nThe Mede Empire plots to swallow up some nearby countries.\nAttolia and Sounis are countries near the Mede Empire.\nThick as Thieves was sold both as a hardcover and an e-book.", + "original_conclusion": "Megan Whalen Turner worked with Greenwillow Books." + }, + { + "id": "folio_27", + "question": "Given the following premises:\n\nThick as Thieves is a young adult fantasy novel written by Megan Whalen Turner.\nThick as Thieves was published by Greenwillow Books.\nIf a book was published by a company, then the author of that book worked with the company that published the book.\nThe fictional Mede Empire is where Thick as Thieves is set.\nThe Mede Empire plots to swallow up some nearby countries.\nAttolia and Sounis are countries near the Mede Empire.\nThick as Thieves was sold both as a hardcover and an e-book.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Thick as Thieves is not set in the Mede Empire.", + "answer": false, + "story_id": 10, + "example_id": 27, + "original_premises": "Thick as Thieves is a young adult fantasy novel written by Megan Whalen Turner.\nThick as Thieves was published by Greenwillow Books.\nIf a book was published by a company, then the author of that book worked with the company that published the book.\nThe fictional Mede Empire is where Thick as Thieves is set.\nThe Mede Empire plots to swallow up some nearby countries.\nAttolia and Sounis are countries near the Mede Empire.\nThick as Thieves was sold both as a hardcover and an e-book.", + "original_conclusion": "Thick as Thieves is not set in the Mede Empire." + }, + { + "id": "folio_28", + "question": "Given the following premises:\n\nThick as Thieves is a young adult fantasy novel written by Megan Whalen Turner.\nThick as Thieves was published by Greenwillow Books.\nIf a book was published by a company, then the author of that book worked with the company that published the book.\nThe fictional Mede Empire is where Thick as Thieves is set.\nThe Mede Empire plots to swallow up some nearby countries.\nAttolia and Sounis are countries near the Mede Empire.\nThick as Thieves was sold both as a hardcover and an e-book.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Megan Whalen Turner did not work with Greenwillow Books.", + "answer": false, + "story_id": 10, + "example_id": 28, + "original_premises": "Thick as Thieves is a young adult fantasy novel written by Megan Whalen Turner.\nThick as Thieves was published by Greenwillow Books.\nIf a book was published by a company, then the author of that book worked with the company that published the book.\nThe fictional Mede Empire is where Thick as Thieves is set.\nThe Mede Empire plots to swallow up some nearby countries.\nAttolia and Sounis are countries near the Mede Empire.\nThick as Thieves was sold both as a hardcover and an e-book.", + "original_conclusion": "Megan Whalen Turner did not work with Greenwillow Books." + }, + { + "id": "folio_350", + "question": "Given the following premises:\n\nWeTab is a MeeGo-based tablet computer.\nWeTab was announced by Neofonie.\nNeofonie is a German producer.\nGermans live in Germany or abroad. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a tablet computer announced by a German producer.", + "answer": true, + "story_id": 116, + "example_id": 350, + "original_premises": "WeTab is a MeeGo-based tablet computer.\nWeTab was announced by Neofonie.\nNeofonie is a German producer.\nGermans live in Germany or abroad. ", + "original_conclusion": "There is a tablet computer announced by a German producer." + }, + { + "id": "folio_351", + "question": "Given the following premises:\n\nWeTab is a MeeGo-based tablet computer.\nWeTab was announced by Neofonie.\nNeofonie is a German producer.\nGermans live in Germany or abroad. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Neofonie doesn't speak English or German.", + "answer": false, + "story_id": 116, + "example_id": 351, + "original_premises": "WeTab is a MeeGo-based tablet computer.\nWeTab was announced by Neofonie.\nNeofonie is a German producer.\nGermans live in Germany or abroad. ", + "original_conclusion": "Neofonie doesn't speak English or German." + }, + { + "id": "folio_1182", + "question": "Given the following premises:\n\nSome employees in James's town who work in business analysis are good at math. \nAll of the employees in James's town who work in business analysis are working for this company. \nNone of the employees in James's town who work for this company are from China. \nAll of the employees in James's town working in software engineering are from China. \nLeif is an employee in James's town, and he is working in software engineering. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Leif is not both good at math and working in business analysis.", + "answer": false, + "story_id": 419, + "example_id": 1182, + "original_premises": "Some employees in James's town who work in business analysis are good at math. \nAll of the employees in James's town who work in business analysis are working for this company. \nNone of the employees in James's town who work for this company are from China. \nAll of the employees in James's town working in software engineering are from China. \nLeif is an employee in James's town, and he is working in software engineering. ", + "original_conclusion": "Leif is not both good at math and working in business analysis." + }, + { + "id": "folio_1183", + "question": "Given the following premises:\n\nSome employees in James's town who work in business analysis are good at math. \nAll of the employees in James's town who work in business analysis are working for this company. \nNone of the employees in James's town who work for this company are from China. \nAll of the employees in James's town working in software engineering are from China. \nLeif is an employee in James's town, and he is working in software engineering. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Leif is not both good at math and in business analysis, then he is neither working in this company nor working in software engineering.", + "answer": true, + "story_id": 419, + "example_id": 1183, + "original_premises": "Some employees in James's town who work in business analysis are good at math. \nAll of the employees in James's town who work in business analysis are working for this company. \nNone of the employees in James's town who work for this company are from China. \nAll of the employees in James's town working in software engineering are from China. \nLeif is an employee in James's town, and he is working in software engineering. ", + "original_conclusion": "If Leif is not both good at math and in business analysis, then he is neither working in this company nor working in software engineering." + }, + { + "id": "folio_452", + "question": "Given the following premises:\n\nThe party provides five kinds of fruits: strawberry, orange, blueberry, grape, and cherry.\nIf the fruit had the lowest remaining weight at the end of the party, then it means it was the most popular fruit.\nAt the end of the party, strawberries had the lowest remaining weight.\nAt the end of the party, the number of leftover blueberries was lower than that of cherries.\nBenjamin only ate oranges and grapes at the party.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Benjamin ate blueberries at the party.", + "answer": false, + "story_id": 157, + "example_id": 452, + "original_premises": "The party provides five kinds of fruits: strawberry, orange, blueberry, grape, and cherry.\nIf the fruit had the lowest remaining weight at the end of the party, then it means it was the most popular fruit.\nAt the end of the party, strawberries had the lowest remaining weight.\nAt the end of the party, the number of leftover blueberries was lower than that of cherries.\nBenjamin only ate oranges and grapes at the party.", + "original_conclusion": "Benjamin ate blueberries at the party." + }, + { + "id": "folio_186", + "question": "Given the following premises:\n\nAll students who attend in person have registered for the conference. \nStudents either attend the conference in person or remotely. \nNo students from China attend the conference remotely. \nJames attends the conference, but he does not attend the conference remotely.\nJack attends the conference, and he is a student from China.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James attends the conference but not in person.", + "answer": false, + "story_id": 63, + "example_id": 186, + "original_premises": "All students who attend in person have registered for the conference. \nStudents either attend the conference in person or remotely. \nNo students from China attend the conference remotely. \nJames attends the conference, but he does not attend the conference remotely.\nJack attends the conference, and he is a student from China.", + "original_conclusion": "James attends the conference but not in person." + }, + { + "id": "folio_187", + "question": "Given the following premises:\n\nAll students who attend in person have registered for the conference. \nStudents either attend the conference in person or remotely. \nNo students from China attend the conference remotely. \nJames attends the conference, but he does not attend the conference remotely.\nJack attends the conference, and he is a student from China.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack attends the conference in person.", + "answer": true, + "story_id": 63, + "example_id": 187, + "original_premises": "All students who attend in person have registered for the conference. \nStudents either attend the conference in person or remotely. \nNo students from China attend the conference remotely. \nJames attends the conference, but he does not attend the conference remotely.\nJack attends the conference, and he is a student from China.", + "original_conclusion": "Jack attends the conference in person." + }, + { + "id": "folio_188", + "question": "Given the following premises:\n\nAll students who attend in person have registered for the conference. \nStudents either attend the conference in person or remotely. \nNo students from China attend the conference remotely. \nJames attends the conference, but he does not attend the conference remotely.\nJack attends the conference, and he is a student from China.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack has registered for the conference.", + "answer": true, + "story_id": 63, + "example_id": 188, + "original_premises": "All students who attend in person have registered for the conference. \nStudents either attend the conference in person or remotely. \nNo students from China attend the conference remotely. \nJames attends the conference, but he does not attend the conference remotely.\nJack attends the conference, and he is a student from China.", + "original_conclusion": "Jack has registered for the conference." + }, + { + "id": "folio_629", + "question": "Given the following premises:\n\nDavid Ha'ivri is a political strategist. \nIf you are born in Israel to at least one Israeli parent, you receive Israeli citizenship at birth. \nDavid Ha'ivri emigrated to the United States from Israel, where he was born to Israeli parents. \nSeveral Zionist leaders have been elected to the Shomron Regional Municipal council. \nDavid Ha'ivri is a Zionist leader.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: David Ha'ivri is an Israeli citizen.", + "answer": true, + "story_id": 223, + "example_id": 629, + "original_premises": "David Ha'ivri is a political strategist. \nIf you are born in Israel to at least one Israeli parent, you receive Israeli citizenship at birth. \nDavid Ha'ivri emigrated to the United States from Israel, where he was born to Israeli parents. \nSeveral Zionist leaders have been elected to the Shomron Regional Municipal council. \nDavid Ha'ivri is a Zionist leader.", + "original_conclusion": "David Ha'ivri is an Israeli citizen." + }, + { + "id": "folio_3", + "question": "Given the following premises:\n\nMary has the flu.\nIf someone has the flu, then they have influenza.\nSusan doesn't have influenza.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Either Mary or Susan has influenza.", + "answer": true, + "story_id": 1, + "example_id": 3, + "original_premises": "Mary has the flu.\nIf someone has the flu, then they have influenza.\nSusan doesn't have influenza.", + "original_conclusion": "Either Mary or Susan has influenza." + }, + { + "id": "folio_120", + "question": "Given the following premises:\n\nJames Cocks was a British lawyer.\nJames Cocks was a Whig politician who sat in the House of Commons.\nA British is a European.\nAny lawyer is familiar with laws.\nSome Whigs speak French.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No lawyer ever sat in the House of Commons.", + "answer": false, + "story_id": 42, + "example_id": 120, + "original_premises": "James Cocks was a British lawyer.\nJames Cocks was a Whig politician who sat in the House of Commons.\nA British is a European.\nAny lawyer is familiar with laws.\nSome Whigs speak French.", + "original_conclusion": "No lawyer ever sat in the House of Commons." + }, + { + "id": "folio_121", + "question": "Given the following premises:\n\nJames Cocks was a British lawyer.\nJames Cocks was a Whig politician who sat in the House of Commons.\nA British is a European.\nAny lawyer is familiar with laws.\nSome Whigs speak French.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some European was familiar with laws.", + "answer": true, + "story_id": 42, + "example_id": 121, + "original_premises": "James Cocks was a British lawyer.\nJames Cocks was a Whig politician who sat in the House of Commons.\nA British is a European.\nAny lawyer is familiar with laws.\nSome Whigs speak French.", + "original_conclusion": "Some European was familiar with laws." + }, + { + "id": "folio_364", + "question": "Given the following premises:\n\nBeasts of Prey is a fantasy novel or a science fiction novel, or both.\nScience fiction novels are not about mythological creatures\nBeasts of Prey Is about a creature known as the Shetani.\nShetanis are mythological.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Beasts of prey is a fantasy novel.", + "answer": true, + "story_id": 122, + "example_id": 364, + "original_premises": "Beasts of Prey is a fantasy novel or a science fiction novel, or both.\nScience fiction novels are not about mythological creatures\nBeasts of Prey Is about a creature known as the Shetani.\nShetanis are mythological.", + "original_conclusion": "Beasts of prey is a fantasy novel." + }, + { + "id": "folio_365", + "question": "Given the following premises:\n\nBeasts of Prey is a fantasy novel or a science fiction novel, or both.\nScience fiction novels are not about mythological creatures\nBeasts of Prey Is about a creature known as the Shetani.\nShetanis are mythological.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Beasts of prey isn't a science fiction novel.", + "answer": true, + "story_id": 122, + "example_id": 365, + "original_premises": "Beasts of Prey is a fantasy novel or a science fiction novel, or both.\nScience fiction novels are not about mythological creatures\nBeasts of Prey Is about a creature known as the Shetani.\nShetanis are mythological.", + "original_conclusion": "Beasts of prey isn't a science fiction novel." + }, + { + "id": "folio_366", + "question": "Given the following premises:\n\nBeasts of Prey is a fantasy novel or a science fiction novel, or both.\nScience fiction novels are not about mythological creatures\nBeasts of Prey Is about a creature known as the Shetani.\nShetanis are mythological.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A shetani is either mythological or a creature.", + "answer": false, + "story_id": 122, + "example_id": 366, + "original_premises": "Beasts of Prey is a fantasy novel or a science fiction novel, or both.\nScience fiction novels are not about mythological creatures\nBeasts of Prey Is about a creature known as the Shetani.\nShetanis are mythological.", + "original_conclusion": "A shetani is either mythological or a creature." + }, + { + "id": "folio_47", + "question": "Given the following premises:\n\nOdell is an English surname originating in Odell, Bedfordshire.\nIn some families, Odell is spelled O'Dell in a mistaken Irish adaptation.\nNotable people with surnames include Amy Odell, Jack Odell, and Mats Odell.\nAmy Odell is a British singer-songwriter.\nJack Odell is an English toy inventor.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jack Odell is a notable person.", + "answer": true, + "story_id": 17, + "example_id": 47, + "original_premises": "Odell is an English surname originating in Odell, Bedfordshire.\nIn some families, Odell is spelled O'Dell in a mistaken Irish adaptation.\nNotable people with surnames include Amy Odell, Jack Odell, and Mats Odell.\nAmy Odell is a British singer-songwriter.\nJack Odell is an English toy inventor.", + "original_conclusion": "Jack Odell is a notable person." + }, + { + "id": "folio_48", + "question": "Given the following premises:\n\nOdell is an English surname originating in Odell, Bedfordshire.\nIn some families, Odell is spelled O'Dell in a mistaken Irish adaptation.\nNotable people with surnames include Amy Odell, Jack Odell, and Mats Odell.\nAmy Odell is a British singer-songwriter.\nJack Odell is an English toy inventor.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Odell is Amy Odell's surname.", + "answer": true, + "story_id": 17, + "example_id": 48, + "original_premises": "Odell is an English surname originating in Odell, Bedfordshire.\nIn some families, Odell is spelled O'Dell in a mistaken Irish adaptation.\nNotable people with surnames include Amy Odell, Jack Odell, and Mats Odell.\nAmy Odell is a British singer-songwriter.\nJack Odell is an English toy inventor.", + "original_conclusion": "Odell is Amy Odell's surname." + }, + { + "id": "folio_479", + "question": "Given the following premises:\n\nIf you go somewhere by train, you will not lose time.\nIf you go somewhere by car and meet a traffic jam, you will lose time.\nIf you lose time, you will be late for work.\nMary can get from New Haven to New York City either by train or car.\nMary is late for work.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mary gets from New Haven to New York City by train.", + "answer": false, + "story_id": 167, + "example_id": 479, + "original_premises": "If you go somewhere by train, you will not lose time.\nIf you go somewhere by car and meet a traffic jam, you will lose time.\nIf you lose time, you will be late for work.\nMary can get from New Haven to New York City either by train or car.\nMary is late for work.", + "original_conclusion": "Mary gets from New Haven to New York City by train." + }, + { + "id": "folio_480", + "question": "Given the following premises:\n\nIf you go somewhere by train, you will not lose time.\nIf you go somewhere by car and meet a traffic jam, you will lose time.\nIf you lose time, you will be late for work.\nMary can get from New Haven to New York City either by train or car.\nMary is late for work.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mary gets from New Haven to New York City by car.", + "answer": true, + "story_id": 167, + "example_id": 480, + "original_premises": "If you go somewhere by train, you will not lose time.\nIf you go somewhere by car and meet a traffic jam, you will lose time.\nIf you lose time, you will be late for work.\nMary can get from New Haven to New York City either by train or car.\nMary is late for work.", + "original_conclusion": "Mary gets from New Haven to New York City by car." + }, + { + "id": "folio_765", + "question": "Given the following premises:\n\nTipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mary is an advocate.", + "answer": false, + "story_id": 309, + "example_id": 765, + "original_premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", + "original_conclusion": "Mary is an advocate." + }, + { + "id": "folio_766", + "question": "Given the following premises:\n\nTipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mary is not an advocate.", + "answer": true, + "story_id": 309, + "example_id": 766, + "original_premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", + "original_conclusion": "Mary is not an advocate." + }, + { + "id": "folio_767", + "question": "Given the following premises:\n\nTipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mary is either an advocate or a tipped employee.", + "answer": false, + "story_id": 309, + "example_id": 767, + "original_premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", + "original_conclusion": "Mary is either an advocate or a tipped employee." + }, + { + "id": "folio_768", + "question": "Given the following premises:\n\nTipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Mary is not both an advocate and is entitled to be paid the federal minimum wage by their employees, she is not a tipped employee.", + "answer": true, + "story_id": 309, + "example_id": 768, + "original_premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", + "original_conclusion": "If Mary is not both an advocate and is entitled to be paid the federal minimum wage by their employees, she is not a tipped employee." + }, + { + "id": "folio_769", + "question": "Given the following premises:\n\nTipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Mary is either an advocate or a tipped employee, she is an advocate.", + "answer": true, + "story_id": 309, + "example_id": 769, + "original_premises": "Tipped employees are not entitled to be paid the federal minimum wage by their employees. \nIf a person is a white-collar worker, they are entitled to be paid the federal minimum wage by their employees. \nAll lawyers are white-collar workers.\nEvery advocate is a lawyer.\nMary is not a lawyer or a tipped employee.", + "original_conclusion": "If Mary is either an advocate or a tipped employee, she is an advocate." + }, + { + "id": "folio_231", + "question": "Given the following premises:\n\nAsa Hoffmann was born in New York City.\nAsa Hoffman lives in Manhattan.\nAsa Hoffman is a chess player.\nSome chess players are grandmasters.\nPeople born and living in New York City are New Yorkers.\nPeople living in Manhattan live in New York City.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Asa Hoffmann is a New Yorker.", + "answer": true, + "story_id": 76, + "example_id": 231, + "original_premises": "Asa Hoffmann was born in New York City.\nAsa Hoffman lives in Manhattan.\nAsa Hoffman is a chess player.\nSome chess players are grandmasters.\nPeople born and living in New York City are New Yorkers.\nPeople living in Manhattan live in New York City.", + "original_conclusion": "Asa Hoffmann is a New Yorker." + }, + { + "id": "folio_233", + "question": "Given the following premises:\n\nAsa Hoffmann was born in New York City.\nAsa Hoffman lives in Manhattan.\nAsa Hoffman is a chess player.\nSome chess players are grandmasters.\nPeople born and living in New York City are New Yorkers.\nPeople living in Manhattan live in New York City.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Asa Hoffmann does not live in New York.", + "answer": false, + "story_id": 76, + "example_id": 233, + "original_premises": "Asa Hoffmann was born in New York City.\nAsa Hoffman lives in Manhattan.\nAsa Hoffman is a chess player.\nSome chess players are grandmasters.\nPeople born and living in New York City are New Yorkers.\nPeople living in Manhattan live in New York City.", + "original_conclusion": "Asa Hoffmann does not live in New York." + }, + { + "id": "folio_780", + "question": "Given the following premises:\n\nSome of those who apply for a Schengen visa get it.\nTo apply for a Schengen Visa, you need to provide financial guarantees.\nIf you need to provide financial guarantees, you must request documents from the bank.\nDo not close your bank account if you request documents from the bank.\nPhilip closed his bank account.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Philip applied for a Schengen visa and got it.", + "answer": false, + "story_id": 313, + "example_id": 780, + "original_premises": "Some of those who apply for a Schengen visa get it.\nTo apply for a Schengen Visa, you need to provide financial guarantees.\nIf you need to provide financial guarantees, you must request documents from the bank.\nDo not close your bank account if you request documents from the bank.\nPhilip closed his bank account.", + "original_conclusion": "Philip applied for a Schengen visa and got it." + }, + { + "id": "folio_781", + "question": "Given the following premises:\n\nSome of those who apply for a Schengen visa get it.\nTo apply for a Schengen Visa, you need to provide financial guarantees.\nIf you need to provide financial guarantees, you must request documents from the bank.\nDo not close your bank account if you request documents from the bank.\nPhilip closed his bank account.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Philip did not request documents from the bank or get a Schengen visa, he didn\u2019t apply for a Schengen visa.", + "answer": true, + "story_id": 313, + "example_id": 781, + "original_premises": "Some of those who apply for a Schengen visa get it.\nTo apply for a Schengen Visa, you need to provide financial guarantees.\nIf you need to provide financial guarantees, you must request documents from the bank.\nDo not close your bank account if you request documents from the bank.\nPhilip closed his bank account.", + "original_conclusion": "If Philip did not request documents from the bank or get a Schengen visa, he didn\u2019t apply for a Schengen visa." + }, + { + "id": "folio_594", + "question": "Given the following premises:\n\nThe Great Lakes are Lake Superior, Lake Michigan, Lake Huron, Lake Erie, and Lake Ontario.\nSome major settlements of Lake Erie are in NY, PA, OH, and MI.\nNY, PA, OH, and MI are states in the US.\nON is a state of Canada.\nThere is a major settlement of Lake Huron in ON. \nAll states are in their country.\nThe US is in North America.\nThe Great Lakes began to form at the end of the Last Glacial Period.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Lake Erie has a major settlement.", + "answer": true, + "story_id": 208, + "example_id": 594, + "original_premises": "The Great Lakes are Lake Superior, Lake Michigan, Lake Huron, Lake Erie, and Lake Ontario.\nSome major settlements of Lake Erie are in NY, PA, OH, and MI.\nNY, PA, OH, and MI are states in the US.\nON is a state of Canada.\nThere is a major settlement of Lake Huron in ON. \nAll states are in their country.\nThe US is in North America.\nThe Great Lakes began to form at the end of the Last Glacial Period.", + "original_conclusion": "Lake Erie has a major settlement." + }, + { + "id": "folio_595", + "question": "Given the following premises:\n\nThe Great Lakes are Lake Superior, Lake Michigan, Lake Huron, Lake Erie, and Lake Ontario.\nSome major settlements of Lake Erie are in NY, PA, OH, and MI.\nNY, PA, OH, and MI are states in the US.\nON is a state of Canada.\nThere is a major settlement of Lake Huron in ON. \nAll states are in their country.\nThe US is in North America.\nThe Great Lakes began to form at the end of the Last Glacial Period.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a great lake that did not form at the end of the Last Glacial Period.", + "answer": false, + "story_id": 208, + "example_id": 595, + "original_premises": "The Great Lakes are Lake Superior, Lake Michigan, Lake Huron, Lake Erie, and Lake Ontario.\nSome major settlements of Lake Erie are in NY, PA, OH, and MI.\nNY, PA, OH, and MI are states in the US.\nON is a state of Canada.\nThere is a major settlement of Lake Huron in ON. \nAll states are in their country.\nThe US is in North America.\nThe Great Lakes began to form at the end of the Last Glacial Period.", + "original_conclusion": "There is a great lake that did not form at the end of the Last Glacial Period." + }, + { + "id": "folio_832", + "question": "Given the following premises:\n\nAll professional soccer defenders are professional soccer players.\nNo professional soccer players are professional basketball players.\nAll professional centerbacks are professional soccer defenders.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Stephen Curry is a professional centerback.", + "answer": false, + "story_id": 325, + "example_id": 832, + "original_premises": "All professional soccer defenders are professional soccer players.\nNo professional soccer players are professional basketball players.\nAll professional centerbacks are professional soccer defenders.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.", + "original_conclusion": "Stephen Curry is a professional centerback." + }, + { + "id": "folio_833", + "question": "Given the following premises:\n\nAll professional soccer defenders are professional soccer players.\nNo professional soccer players are professional basketball players.\nAll professional centerbacks are professional soccer defenders.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Stephen Curry is not a centerback.", + "answer": true, + "story_id": 325, + "example_id": 833, + "original_premises": "All professional soccer defenders are professional soccer players.\nNo professional soccer players are professional basketball players.\nAll professional centerbacks are professional soccer defenders.\nAll NBA players are professional basketball players.\nStephen Curry is an NBA player.", + "original_conclusion": "Stephen Curry is not a centerback." + }, + { + "id": "folio_90", + "question": "Given the following premises:\n\nNaive cynicism was proposed by Justin Kruger and a colleague.\nThomas Gilovich is a colleague of Justin Kruger. \nNaive cynicism is a philosophy of mind.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Justin Kruger proposed a philosophy of mind.", + "answer": true, + "story_id": 31, + "example_id": 90, + "original_premises": "Naive cynicism was proposed by Justin Kruger and a colleague.\nThomas Gilovich is a colleague of Justin Kruger. \nNaive cynicism is a philosophy of mind.", + "original_conclusion": "Justin Kruger proposed a philosophy of mind." + }, + { + "id": "folio_382", + "question": "Given the following premises:\n\nThe Turing Award has been awarded to Donald Knuth, Marvin Minsky, Richard Hamming, and John McCarthy. \nDonald Knuth made contributions to the analysis of algorithms.\nMarvin Minsky is recognized for his contributions to the field of artificial intelligence.\nRichard Hamming researched numerical methods.\nJohn McCarthy made contributions to the field of artificial intelligence. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: At least two people who have won the Turing Award worked in artificial intelligence.", + "answer": true, + "story_id": 129, + "example_id": 382, + "original_premises": "The Turing Award has been awarded to Donald Knuth, Marvin Minsky, Richard Hamming, and John McCarthy. \nDonald Knuth made contributions to the analysis of algorithms.\nMarvin Minsky is recognized for his contributions to the field of artificial intelligence.\nRichard Hamming researched numerical methods.\nJohn McCarthy made contributions to the field of artificial intelligence. ", + "original_conclusion": "At least two people who have won the Turing Award worked in artificial intelligence." + }, + { + "id": "folio_383", + "question": "Given the following premises:\n\nThe Turing Award has been awarded to Donald Knuth, Marvin Minsky, Richard Hamming, and John McCarthy. \nDonald Knuth made contributions to the analysis of algorithms.\nMarvin Minsky is recognized for his contributions to the field of artificial intelligence.\nRichard Hamming researched numerical methods.\nJohn McCarthy made contributions to the field of artificial intelligence. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: At least two people who worked in artificial intelligence have won the Turing Award.", + "answer": true, + "story_id": 129, + "example_id": 383, + "original_premises": "The Turing Award has been awarded to Donald Knuth, Marvin Minsky, Richard Hamming, and John McCarthy. \nDonald Knuth made contributions to the analysis of algorithms.\nMarvin Minsky is recognized for his contributions to the field of artificial intelligence.\nRichard Hamming researched numerical methods.\nJohn McCarthy made contributions to the field of artificial intelligence. ", + "original_conclusion": "At least two people who worked in artificial intelligence have won the Turing Award." + }, + { + "id": "folio_385", + "question": "Given the following premises:\n\nThe Turing Award has been awarded to Donald Knuth, Marvin Minsky, Richard Hamming, and John McCarthy. \nDonald Knuth made contributions to the analysis of algorithms.\nMarvin Minsky is recognized for his contributions to the field of artificial intelligence.\nRichard Hamming researched numerical methods.\nJohn McCarthy made contributions to the field of artificial intelligence. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No Turing Award winners worked in the field of numerical methods.", + "answer": false, + "story_id": 129, + "example_id": 385, + "original_premises": "The Turing Award has been awarded to Donald Knuth, Marvin Minsky, Richard Hamming, and John McCarthy. \nDonald Knuth made contributions to the analysis of algorithms.\nMarvin Minsky is recognized for his contributions to the field of artificial intelligence.\nRichard Hamming researched numerical methods.\nJohn McCarthy made contributions to the field of artificial intelligence. ", + "original_conclusion": "No Turing Award winners worked in the field of numerical methods." + }, + { + "id": "folio_1221", + "question": "Given the following premises:\n\nNone of the easy Leetcode problems have an AC rate lower than 20 percent. \nAll Leetcode problems recommended to novices are easy. \nLeetcode problems either have an AC rate lower than 20 percent or are starred by more than 1 thousand users. \nAll hard Leetcode problems are starred by more than 1,000 users. \nNo Leetcode problems published after 2022 are starred by more than 1,000 users. \n'2Sum' is not both hard and also recommended to novices.\n'4Sum' is either starred by more than 1,000 users and published after 2022, or it is neither. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: 4Sum is recommended to novices or is hard.", + "answer": false, + "story_id": 429, + "example_id": 1221, + "original_premises": "None of the easy Leetcode problems have an AC rate lower than 20 percent. \nAll Leetcode problems recommended to novices are easy. \nLeetcode problems either have an AC rate lower than 20 percent or are starred by more than 1 thousand users. \nAll hard Leetcode problems are starred by more than 1,000 users. \nNo Leetcode problems published after 2022 are starred by more than 1,000 users. \n'2Sum' is not both hard and also recommended to novices.\n'4Sum' is either starred by more than 1,000 users and published after 2022, or it is neither. ", + "original_conclusion": "4Sum is recommended to novices or is hard." + }, + { + "id": "folio_1222", + "question": "Given the following premises:\n\nNone of the easy Leetcode problems have an AC rate lower than 20 percent. \nAll Leetcode problems recommended to novices are easy. \nLeetcode problems either have an AC rate lower than 20 percent or are starred by more than 1 thousand users. \nAll hard Leetcode problems are starred by more than 1,000 users. \nNo Leetcode problems published after 2022 are starred by more than 1,000 users. \n'2Sum' is not both hard and also recommended to novices.\n'4Sum' is either starred by more than 1,000 users and published after 2022, or it is neither. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: 4Sum is neither recommended to the novice nor a Leetcode problem that's hard.", + "answer": true, + "story_id": 429, + "example_id": 1222, + "original_premises": "None of the easy Leetcode problems have an AC rate lower than 20 percent. \nAll Leetcode problems recommended to novices are easy. \nLeetcode problems either have an AC rate lower than 20 percent or are starred by more than 1 thousand users. \nAll hard Leetcode problems are starred by more than 1,000 users. \nNo Leetcode problems published after 2022 are starred by more than 1,000 users. \n'2Sum' is not both hard and also recommended to novices.\n'4Sum' is either starred by more than 1,000 users and published after 2022, or it is neither. ", + "original_conclusion": "4Sum is neither recommended to the novice nor a Leetcode problem that's hard." + }, + { + "id": "folio_318", + "question": "Given the following premises:\n\nShow Your Love is a song recorded by the South Korean boy band BtoB 4u.\nThe lead single of the extended play Inside is Show Your Love.\nShow Your Love contains a hopeful message.\nBtoB 4u member Hyunsik wrote Show Your Love.\nThere is a music video for Show Your Love.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Show Your Love wasn't written by a member of a boy band.", + "answer": false, + "story_id": 105, + "example_id": 318, + "original_premises": "Show Your Love is a song recorded by the South Korean boy band BtoB 4u.\nThe lead single of the extended play Inside is Show Your Love.\nShow Your Love contains a hopeful message.\nBtoB 4u member Hyunsik wrote Show Your Love.\nThere is a music video for Show Your Love.", + "original_conclusion": "Show Your Love wasn't written by a member of a boy band." + }, + { + "id": "folio_319", + "question": "Given the following premises:\n\nShow Your Love is a song recorded by the South Korean boy band BtoB 4u.\nThe lead single of the extended play Inside is Show Your Love.\nShow Your Love contains a hopeful message.\nBtoB 4u member Hyunsik wrote Show Your Love.\nThere is a music video for Show Your Love.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A lead single of Inside contains a hopeful message.", + "answer": true, + "story_id": 105, + "example_id": 319, + "original_premises": "Show Your Love is a song recorded by the South Korean boy band BtoB 4u.\nThe lead single of the extended play Inside is Show Your Love.\nShow Your Love contains a hopeful message.\nBtoB 4u member Hyunsik wrote Show Your Love.\nThere is a music video for Show Your Love.", + "original_conclusion": "A lead single of Inside contains a hopeful message." + }, + { + "id": "folio_734", + "question": "Given the following premises:\n\nAll tables are round.\nSome pieces of furniture are tables.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some pieces of furniture are round.", + "answer": true, + "story_id": 290, + "example_id": 734, + "original_premises": "All tables are round.\nSome pieces of furniture are tables.", + "original_conclusion": "Some pieces of furniture are round." + }, + { + "id": "folio_711", + "question": "Given the following premises:\n\nAll juvenile delinquents have committed a crime.\nSome juvenile delinquents are products of broken homes.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some people who have committed a crime are products of broken homes.", + "answer": true, + "story_id": 267, + "example_id": 711, + "original_premises": "All juvenile delinquents have committed a crime.\nSome juvenile delinquents are products of broken homes.", + "original_conclusion": "Some people who have committed a crime are products of broken homes." + }, + { + "id": "folio_1085", + "question": "Given the following premises:\n\nAll mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Multivoxel (pattern) analysis is the writing of a novel.", + "answer": false, + "story_id": 398, + "example_id": 1085, + "original_premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", + "original_conclusion": "Multivoxel (pattern) analysis is the writing of a novel." + }, + { + "id": "folio_1086", + "question": "Given the following premises:\n\nAll mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Multivoxel (pattern) analysis is without statistical pattern analysis and writing a novel.", + "answer": false, + "story_id": 398, + "example_id": 1086, + "original_premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", + "original_conclusion": "Multivoxel (pattern) analysis is without statistical pattern analysis and writing a novel." + }, + { + "id": "folio_1087", + "question": "Given the following premises:\n\nAll mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Multivoxel (pattern) analysis is without statistical pattern analysis or writing a novel.", + "answer": false, + "story_id": 398, + "example_id": 1087, + "original_premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", + "original_conclusion": "Multivoxel (pattern) analysis is without statistical pattern analysis or writing a novel." + }, + { + "id": "folio_1088", + "question": "Given the following premises:\n\nAll mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Multivoxel (pattern) analysis is either without statistical pattern analysis or writing a novel.", + "answer": false, + "story_id": 398, + "example_id": 1088, + "original_premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", + "original_conclusion": "Multivoxel (pattern) analysis is either without statistical pattern analysis or writing a novel." + }, + { + "id": "folio_1089", + "question": "Given the following premises:\n\nAll mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If multivoxel (pattern) analysis is writing a novel, then multivoxel (pattern) analysis is neither without statistical pattern analysis nor writing a novel.", + "answer": true, + "story_id": 398, + "example_id": 1089, + "original_premises": "All mind-reading is either brain reading or brain decoding. \nAll brain decoding that is mind-reading is extracting information from BOLD signals.\nNo studies that are mind-reading and extract information from BOLD signals are without statistical pattern analysis. \nWriting a novel is without statistical pattern analysis.\nIf multivoxel (pattern) analysis is without statistical pattern analysis and a brain reading, then multivoxel (pattern) analysis is without statistical pattern analysis and brain decoding.\nMultivoxel (pattern) analysis is a type of mind-reading.", + "original_conclusion": "If multivoxel (pattern) analysis is writing a novel, then multivoxel (pattern) analysis is neither without statistical pattern analysis nor writing a novel." + }, + { + "id": "folio_605", + "question": "Given the following premises:\n\nIf you have room for dessert, you have room for broccoli.\nEveryone at Luis's dinner party has room for dessert, including Luis.\nMauricia does not have room for broccoli.\nLuis's dinner party is the first ever dinner party that Allison has attended.\nGustave has room for both broccoli and asparagus.\nBroccoli and asparagus are both vegetables.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Allison has room for broccoli.", + "answer": true, + "story_id": 212, + "example_id": 605, + "original_premises": "If you have room for dessert, you have room for broccoli.\nEveryone at Luis's dinner party has room for dessert, including Luis.\nMauricia does not have room for broccoli.\nLuis's dinner party is the first ever dinner party that Allison has attended.\nGustave has room for both broccoli and asparagus.\nBroccoli and asparagus are both vegetables.", + "original_conclusion": "Allison has room for broccoli." + }, + { + "id": "folio_606", + "question": "Given the following premises:\n\nIf you have room for dessert, you have room for broccoli.\nEveryone at Luis's dinner party has room for dessert, including Luis.\nMauricia does not have room for broccoli.\nLuis's dinner party is the first ever dinner party that Allison has attended.\nGustave has room for both broccoli and asparagus.\nBroccoli and asparagus are both vegetables.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Mauricia is at Luis's dinner party.", + "answer": false, + "story_id": 212, + "example_id": 606, + "original_premises": "If you have room for dessert, you have room for broccoli.\nEveryone at Luis's dinner party has room for dessert, including Luis.\nMauricia does not have room for broccoli.\nLuis's dinner party is the first ever dinner party that Allison has attended.\nGustave has room for both broccoli and asparagus.\nBroccoli and asparagus are both vegetables.", + "original_conclusion": "Mauricia is at Luis's dinner party." + }, + { + "id": "folio_123", + "question": "Given the following premises:\n\nImagine Dragons are an American pop-rock band.\nThe lead singer of Imagine Dragons is Dan.\nDan is also a songwriter.\nAll lead singers are singers.\nAll singers are musicians.\nDemons is one of the most popular singles of Imagine Dragons.\nSome singles of Imagine Dragons have been on Billboard Hot 100.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some rock band has a lead singer who is also a songwriter.", + "answer": true, + "story_id": 43, + "example_id": 123, + "original_premises": "Imagine Dragons are an American pop-rock band.\nThe lead singer of Imagine Dragons is Dan.\nDan is also a songwriter.\nAll lead singers are singers.\nAll singers are musicians.\nDemons is one of the most popular singles of Imagine Dragons.\nSome singles of Imagine Dragons have been on Billboard Hot 100.", + "original_conclusion": "Some rock band has a lead singer who is also a songwriter." + }, + { + "id": "folio_124", + "question": "Given the following premises:\n\nImagine Dragons are an American pop-rock band.\nThe lead singer of Imagine Dragons is Dan.\nDan is also a songwriter.\nAll lead singers are singers.\nAll singers are musicians.\nDemons is one of the most popular singles of Imagine Dragons.\nSome singles of Imagine Dragons have been on Billboard Hot 100.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Dan is not a musician.", + "answer": false, + "story_id": 43, + "example_id": 124, + "original_premises": "Imagine Dragons are an American pop-rock band.\nThe lead singer of Imagine Dragons is Dan.\nDan is also a songwriter.\nAll lead singers are singers.\nAll singers are musicians.\nDemons is one of the most popular singles of Imagine Dragons.\nSome singles of Imagine Dragons have been on Billboard Hot 100.", + "original_conclusion": "Dan is not a musician." + }, + { + "id": "folio_1311", + "question": "Given the following premises:\n\nAll philosophers reason. \nSome sophists reason. \nAll who can reason can distinguish truth from falsehood.\nNobody who can distinguish truth from falsehood is morally perfect. \nThe theistic God is morally perfect.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The theistic God is a sophist and a philosopher.", + "answer": false, + "story_id": 455, + "example_id": 1311, + "original_premises": "All philosophers reason. \nSome sophists reason. \nAll who can reason can distinguish truth from falsehood.\nNobody who can distinguish truth from falsehood is morally perfect. \nThe theistic God is morally perfect.", + "original_conclusion": "The theistic God is a sophist and a philosopher." + }, + { + "id": "folio_1312", + "question": "Given the following premises:\n\nAll philosophers reason. \nSome sophists reason. \nAll who can reason can distinguish truth from falsehood.\nNobody who can distinguish truth from falsehood is morally perfect. \nThe theistic God is morally perfect.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: if the theistic God is a philosopher, then he is not a sophist.", + "answer": true, + "story_id": 455, + "example_id": 1312, + "original_premises": "All philosophers reason. \nSome sophists reason. \nAll who can reason can distinguish truth from falsehood.\nNobody who can distinguish truth from falsehood is morally perfect. \nThe theistic God is morally perfect.", + "original_conclusion": "if the theistic God is a philosopher, then he is not a sophist." + }, + { + "id": "folio_459", + "question": "Given the following premises:\n\nCommon utilities include water, electricity, gas, heating, sewer, trash, and recycling.\nMany apartment rents cover the cost of water and electricity.\nSusan lives in an apartment where the rent covers all utilities.\nThe rent of the apartment where Ava lives does not cover any utility expenses.\nNoah lives in an apartment where the rent does not cover heating.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Noah and Ava both need to pay the heating bill.", + "answer": true, + "story_id": 160, + "example_id": 459, + "original_premises": "Common utilities include water, electricity, gas, heating, sewer, trash, and recycling.\nMany apartment rents cover the cost of water and electricity.\nSusan lives in an apartment where the rent covers all utilities.\nThe rent of the apartment where Ava lives does not cover any utility expenses.\nNoah lives in an apartment where the rent does not cover heating.", + "original_conclusion": "Noah and Ava both need to pay the heating bill." + }, + { + "id": "folio_460", + "question": "Given the following premises:\n\nCommon utilities include water, electricity, gas, heating, sewer, trash, and recycling.\nMany apartment rents cover the cost of water and electricity.\nSusan lives in an apartment where the rent covers all utilities.\nThe rent of the apartment where Ava lives does not cover any utility expenses.\nNoah lives in an apartment where the rent does not cover heating.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Susan does not need to pay the water bill.", + "answer": true, + "story_id": 160, + "example_id": 460, + "original_premises": "Common utilities include water, electricity, gas, heating, sewer, trash, and recycling.\nMany apartment rents cover the cost of water and electricity.\nSusan lives in an apartment where the rent covers all utilities.\nThe rent of the apartment where Ava lives does not cover any utility expenses.\nNoah lives in an apartment where the rent does not cover heating.", + "original_conclusion": "Susan does not need to pay the water bill." + }, + { + "id": "folio_800", + "question": "Given the following premises:\n\nAll clothes are products. \nNo products are perfect. \nAll dresses are clothes.\nAll skirts are dresses. \nIf the fabric bundle is a piece of clothing, then the fabric bundle is a perfect dress.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The fabric bundle is a skirt.", + "answer": false, + "story_id": 317, + "example_id": 800, + "original_premises": "All clothes are products. \nNo products are perfect. \nAll dresses are clothes.\nAll skirts are dresses. \nIf the fabric bundle is a piece of clothing, then the fabric bundle is a perfect dress.", + "original_conclusion": "The fabric bundle is a skirt." + }, + { + "id": "folio_801", + "question": "Given the following premises:\n\nAll clothes are products. \nNo products are perfect. \nAll dresses are clothes.\nAll skirts are dresses. \nIf the fabric bundle is a piece of clothing, then the fabric bundle is a perfect dress.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The fabric bundle is not a skirt.", + "answer": true, + "story_id": 317, + "example_id": 801, + "original_premises": "All clothes are products. \nNo products are perfect. \nAll dresses are clothes.\nAll skirts are dresses. \nIf the fabric bundle is a piece of clothing, then the fabric bundle is a perfect dress.", + "original_conclusion": "The fabric bundle is not a skirt." + }, + { + "id": "folio_168", + "question": "Given the following premises:\n\nAll pets are animals.\nPets can be either a dog or a cat.\nIf a person has a pet, they care for that pet. \nDogs and cats can be naughty. \nPets who are naughty are not liked as much. \nCharlie has a naughty pet dog named Leo. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Leo is an animal.", + "answer": true, + "story_id": 57, + "example_id": 168, + "original_premises": "All pets are animals.\nPets can be either a dog or a cat.\nIf a person has a pet, they care for that pet. \nDogs and cats can be naughty. \nPets who are naughty are not liked as much. \nCharlie has a naughty pet dog named Leo. ", + "original_conclusion": "Leo is an animal." + }, + { + "id": "folio_169", + "question": "Given the following premises:\n\nAll pets are animals.\nPets can be either a dog or a cat.\nIf a person has a pet, they care for that pet. \nDogs and cats can be naughty. \nPets who are naughty are not liked as much. \nCharlie has a naughty pet dog named Leo. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Charlie does not like Leo and does not care for Leo.", + "answer": false, + "story_id": 57, + "example_id": 169, + "original_premises": "All pets are animals.\nPets can be either a dog or a cat.\nIf a person has a pet, they care for that pet. \nDogs and cats can be naughty. \nPets who are naughty are not liked as much. \nCharlie has a naughty pet dog named Leo. ", + "original_conclusion": "Charlie does not like Leo and does not care for Leo." + }, + { + "id": "folio_170", + "question": "Given the following premises:\n\nAll pets are animals.\nPets can be either a dog or a cat.\nIf a person has a pet, they care for that pet. \nDogs and cats can be naughty. \nPets who are naughty are not liked as much. \nCharlie has a naughty pet dog named Leo. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Dogs are not always naughty.", + "answer": false, + "story_id": 57, + "example_id": 170, + "original_premises": "All pets are animals.\nPets can be either a dog or a cat.\nIf a person has a pet, they care for that pet. \nDogs and cats can be naughty. \nPets who are naughty are not liked as much. \nCharlie has a naughty pet dog named Leo. ", + "original_conclusion": "Dogs are not always naughty." + }, + { + "id": "folio_67", + "question": "Given the following premises:\n\nAll books written by Cixin Liu have sold more than 1 million copies. \nSome books that have won the Hugo Award were written by Cixin Liu.\nAll books about the future are forward-looking.\nThe book Three-Body Problem has sold more than 1 million copies.\nThe Three-Body Problem is about the future.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Three-Body Problem is forward-looking.", + "answer": true, + "story_id": 23, + "example_id": 67, + "original_premises": "All books written by Cixin Liu have sold more than 1 million copies. \nSome books that have won the Hugo Award were written by Cixin Liu.\nAll books about the future are forward-looking.\nThe book Three-Body Problem has sold more than 1 million copies.\nThe Three-Body Problem is about the future.", + "original_conclusion": "The Three-Body Problem is forward-looking." + }, + { + "id": "folio_1185", + "question": "Given the following premises:\n\nSome people are both late-night and early-morning people.\nIf a person is an earl- morning person, they have early-morning habits.\nEveryone who has early-morning habits gets up early.\nEveryone who gets up early catches the sunrise.\nJames doesn't catch the sunrise.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James is a late night person and an early-morning person.", + "answer": false, + "story_id": 420, + "example_id": 1185, + "original_premises": "Some people are both late-night and early-morning people.\nIf a person is an earl- morning person, they have early-morning habits.\nEveryone who has early-morning habits gets up early.\nEveryone who gets up early catches the sunrise.\nJames doesn't catch the sunrise.", + "original_conclusion": "James is a late night person and an early-morning person." + }, + { + "id": "folio_1186", + "question": "Given the following premises:\n\nSome people are both late-night and early-morning people.\nIf a person is an earl- morning person, they have early-morning habits.\nEveryone who has early-morning habits gets up early.\nEveryone who gets up early catches the sunrise.\nJames doesn't catch the sunrise.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If James is an early-morning person, then he is a late night person.", + "answer": true, + "story_id": 420, + "example_id": 1186, + "original_premises": "Some people are both late-night and early-morning people.\nIf a person is an earl- morning person, they have early-morning habits.\nEveryone who has early-morning habits gets up early.\nEveryone who gets up early catches the sunrise.\nJames doesn't catch the sunrise.", + "original_conclusion": "If James is an early-morning person, then he is a late night person." + }, + { + "id": "folio_41", + "question": "Given the following premises:\n\nElephantopus is a genus of perennial plants in the daisy family.\nElephantopus is widespread over much of Africa, southern Asia, Australia, and the Americas.\nSeveral species of Elephantopus are native to the southeastern United States.\nElephantopus scaber is a traditional medicine.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Elephantopus is found in Australia and Southern Asia.", + "answer": true, + "story_id": 15, + "example_id": 41, + "original_premises": "Elephantopus is a genus of perennial plants in the daisy family.\nElephantopus is widespread over much of Africa, southern Asia, Australia, and the Americas.\nSeveral species of Elephantopus are native to the southeastern United States.\nElephantopus scaber is a traditional medicine.", + "original_conclusion": "Elephantopus is found in Australia and Southern Asia." + }, + { + "id": "folio_42", + "question": "Given the following premises:\n\nElephantopus is a genus of perennial plants in the daisy family.\nElephantopus is widespread over much of Africa, southern Asia, Australia, and the Americas.\nSeveral species of Elephantopus are native to the southeastern United States.\nElephantopus scaber is a traditional medicine.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No Elephantopus is native to the southeastern United States.", + "answer": false, + "story_id": 15, + "example_id": 42, + "original_premises": "Elephantopus is a genus of perennial plants in the daisy family.\nElephantopus is widespread over much of Africa, southern Asia, Australia, and the Americas.\nSeveral species of Elephantopus are native to the southeastern United States.\nElephantopus scaber is a traditional medicine.", + "original_conclusion": "No Elephantopus is native to the southeastern United States." + }, + { + "id": "folio_1233", + "question": "Given the following premises:\n\nAll Yale dormitories are located on the Yale campus. \nAll Yale buildings managed by Yale Housing are dormitories. \nAll Yale buildings operated by Yale Housing staff are managed by Yale Housing. \nNone of the Yale buildings open to students were built before 1701. \nAll Yale buildings located on the Yale campus are open to students. \nHarkness is either a Yale building operated by Yale Housing staff, or it is located on York Street. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Harkness is established before 1701.", + "answer": false, + "story_id": 432, + "example_id": 1233, + "original_premises": "All Yale dormitories are located on the Yale campus. \nAll Yale buildings managed by Yale Housing are dormitories. \nAll Yale buildings operated by Yale Housing staff are managed by Yale Housing. \nNone of the Yale buildings open to students were built before 1701. \nAll Yale buildings located on the Yale campus are open to students. \nHarkness is either a Yale building operated by Yale Housing staff, or it is located on York Street. ", + "original_conclusion": "Harkness is established before 1701." + }, + { + "id": "folio_1234", + "question": "Given the following premises:\n\nAll Yale dormitories are located on the Yale campus. \nAll Yale buildings managed by Yale Housing are dormitories. \nAll Yale buildings operated by Yale Housing staff are managed by Yale Housing. \nNone of the Yale buildings open to students were built before 1701. \nAll Yale buildings located on the Yale campus are open to students. \nHarkness is either a Yale building operated by Yale Housing staff, or it is located on York Street. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Harkness is not established before 1701.", + "answer": true, + "story_id": 432, + "example_id": 1234, + "original_premises": "All Yale dormitories are located on the Yale campus. \nAll Yale buildings managed by Yale Housing are dormitories. \nAll Yale buildings operated by Yale Housing staff are managed by Yale Housing. \nNone of the Yale buildings open to students were built before 1701. \nAll Yale buildings located on the Yale campus are open to students. \nHarkness is either a Yale building operated by Yale Housing staff, or it is located on York Street. ", + "original_conclusion": "Harkness is not established before 1701." + }, + { + "id": "folio_789", + "question": "Given the following premises:\n\nThere are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The LaLaurie House is a skyscraper.", + "answer": false, + "story_id": 316, + "example_id": 789, + "original_premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", + "original_conclusion": "The LaLaurie House is a skyscraper." + }, + { + "id": "folio_790", + "question": "Given the following premises:\n\nThere are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The LaLaurie House is not a skyscraper.", + "answer": true, + "story_id": 316, + "example_id": 790, + "original_premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", + "original_conclusion": "The LaLaurie House is not a skyscraper." + }, + { + "id": "folio_792", + "question": "Given the following premises:\n\nThere are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The LaLaurie House is either a skyscraper or a mansion house.", + "answer": true, + "story_id": 316, + "example_id": 792, + "original_premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", + "original_conclusion": "The LaLaurie House is either a skyscraper or a mansion house." + }, + { + "id": "folio_793", + "question": "Given the following premises:\n\nThere are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The LaLaurie House is either a skyscraper or in an urban area.", + "answer": false, + "story_id": 316, + "example_id": 793, + "original_premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", + "original_conclusion": "The LaLaurie House is either a skyscraper or in an urban area." + }, + { + "id": "folio_794", + "question": "Given the following premises:\n\nThere are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The LaLaurie House is either a skyscraper or a creepy haunted house.", + "answer": true, + "story_id": 316, + "example_id": 794, + "original_premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", + "original_conclusion": "The LaLaurie House is either a skyscraper or a creepy haunted house." + }, + { + "id": "folio_795", + "question": "Given the following premises:\n\nThere are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the LaLaurie House is not a mansion or not in an urban area, then it is either a skyscraper or in an urban area.", + "answer": false, + "story_id": 316, + "example_id": 795, + "original_premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", + "original_conclusion": "If the LaLaurie House is not a mansion or not in an urban area, then it is either a skyscraper or in an urban area." + }, + { + "id": "folio_796", + "question": "Given the following premises:\n\nThere are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the LaLaurie House is either a skyscraper or a mansion house, then it is in an urban area.", + "answer": false, + "story_id": 316, + "example_id": 796, + "original_premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", + "original_conclusion": "If the LaLaurie House is either a skyscraper or a mansion house, then it is in an urban area." + }, + { + "id": "folio_797", + "question": "Given the following premises:\n\nThere are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the LaLaurie House is either a skyscraper or a mansion house, then it is neither a creepy haunted house nor a terrifying building on Halloween.", + "answer": false, + "story_id": 316, + "example_id": 797, + "original_premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", + "original_conclusion": "If the LaLaurie House is either a skyscraper or a mansion house, then it is neither a creepy haunted house nor a terrifying building on Halloween." + }, + { + "id": "folio_798", + "question": "Given the following premises:\n\nThere are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If the LaLaurie House is either a skyscraper or a creepy haunted house, then it is not a mansion house.", + "answer": false, + "story_id": 316, + "example_id": 798, + "original_premises": "There are no mansion houses in an urban area.\nAll skyscrapers are in urban areas.\nEvery creepy haunted house is a mansion house.\nEvery terrifying building on Halloween is a creepy haunted house.\nThe LaLaurie House is a creepy haunted house or a terrifying building on Halloween.", + "original_conclusion": "If the LaLaurie House is either a skyscraper or a creepy haunted house, then it is not a mansion house." + }, + { + "id": "folio_330", + "question": "Given the following premises:\n\nPhuoc Binh national park is a national park in Vietnam. \nAny national park in Vietnam is classified as a nature reserve. \nThere is a national park in Vietnam classified as a UNESCO World Heritage Site.\nAll national parks in Vietnam are either managed by the Ministry of Agriculture or managed by the People's Committee. \nPhuoc Binh is not managed by the Ministry of Agriculture.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a nature reserve in Vietnam.", + "answer": true, + "story_id": 109, + "example_id": 330, + "original_premises": "Phuoc Binh national park is a national park in Vietnam. \nAny national park in Vietnam is classified as a nature reserve. \nThere is a national park in Vietnam classified as a UNESCO World Heritage Site.\nAll national parks in Vietnam are either managed by the Ministry of Agriculture or managed by the People's Committee. \nPhuoc Binh is not managed by the Ministry of Agriculture.", + "original_conclusion": "There is a nature reserve in Vietnam." + }, + { + "id": "folio_332", + "question": "Given the following premises:\n\nPhuoc Binh national park is a national park in Vietnam. \nAny national park in Vietnam is classified as a nature reserve. \nThere is a national park in Vietnam classified as a UNESCO World Heritage Site.\nAll national parks in Vietnam are either managed by the Ministry of Agriculture or managed by the People's Committee. \nPhuoc Binh is not managed by the Ministry of Agriculture.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Phuoc Binh is managed by the People's Committee.", + "answer": true, + "story_id": 109, + "example_id": 332, + "original_premises": "Phuoc Binh national park is a national park in Vietnam. \nAny national park in Vietnam is classified as a nature reserve. \nThere is a national park in Vietnam classified as a UNESCO World Heritage Site.\nAll national parks in Vietnam are either managed by the Ministry of Agriculture or managed by the People's Committee. \nPhuoc Binh is not managed by the Ministry of Agriculture.", + "original_conclusion": "Phuoc Binh is managed by the People's Committee." + }, + { + "id": "folio_402", + "question": "Given the following premises:\n\nGreyhound racing is a competitive sport where spectators bet on greyhounds.\nGreyhound racing involves coursing.\nSome competitive sports where spectators bet on things are banned.\nCoursing involves spectators betting on a hare being pursued by greyhounds.\nSpectators betting on a hare is a small game.\nIf a competitive sport involves spectators betting on small games, then it is banned.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No coursing is banned.", + "answer": false, + "story_id": 137, + "example_id": 402, + "original_premises": "Greyhound racing is a competitive sport where spectators bet on greyhounds.\nGreyhound racing involves coursing.\nSome competitive sports where spectators bet on things are banned.\nCoursing involves spectators betting on a hare being pursued by greyhounds.\nSpectators betting on a hare is a small game.\nIf a competitive sport involves spectators betting on small games, then it is banned.", + "original_conclusion": "No coursing is banned." + }, + { + "id": "folio_403", + "question": "Given the following premises:\n\nGreyhound racing is a competitive sport where spectators bet on greyhounds.\nGreyhound racing involves coursing.\nSome competitive sports where spectators bet on things are banned.\nCoursing involves spectators betting on a hare being pursued by greyhounds.\nSpectators betting on a hare is a small game.\nIf a competitive sport involves spectators betting on small games, then it is banned.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Greyhound racing is a competitive sport.", + "answer": true, + "story_id": 137, + "example_id": 403, + "original_premises": "Greyhound racing is a competitive sport where spectators bet on greyhounds.\nGreyhound racing involves coursing.\nSome competitive sports where spectators bet on things are banned.\nCoursing involves spectators betting on a hare being pursued by greyhounds.\nSpectators betting on a hare is a small game.\nIf a competitive sport involves spectators betting on small games, then it is banned.", + "original_conclusion": "Greyhound racing is a competitive sport." + }, + { + "id": "folio_544", + "question": "Given the following premises:\n\nIf a soccer player receives two yellow cards in one game, this player will be ejected from the rest of the game.\nIf a soccer player receives one red card in one game, this player will be ejected from the rest of the game.\nHenry is a soccer player.\nIn one game, Henry receives one yellow card and one red card.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Henry will be ejected from the rest of the game.", + "answer": true, + "story_id": 190, + "example_id": 544, + "original_premises": "If a soccer player receives two yellow cards in one game, this player will be ejected from the rest of the game.\nIf a soccer player receives one red card in one game, this player will be ejected from the rest of the game.\nHenry is a soccer player.\nIn one game, Henry receives one yellow card and one red card.", + "original_conclusion": "Henry will be ejected from the rest of the game." + }, + { + "id": "folio_545", + "question": "Given the following premises:\n\nIf a soccer player receives two yellow cards in one game, this player will be ejected from the rest of the game.\nIf a soccer player receives one red card in one game, this player will be ejected from the rest of the game.\nHenry is a soccer player.\nIn one game, Henry receives one yellow card and one red card.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Henry will not be ejected from the rest of the game.", + "answer": false, + "story_id": 190, + "example_id": 545, + "original_premises": "If a soccer player receives two yellow cards in one game, this player will be ejected from the rest of the game.\nIf a soccer player receives one red card in one game, this player will be ejected from the rest of the game.\nHenry is a soccer player.\nIn one game, Henry receives one yellow card and one red card.", + "original_conclusion": "Henry will not be ejected from the rest of the game." + }, + { + "id": "folio_731", + "question": "Given the following premises:\n\nTrees are plants. \nSome living things are trees.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Some living things are plants.", + "answer": true, + "story_id": 287, + "example_id": 731, + "original_premises": "Trees are plants. \nSome living things are trees.", + "original_conclusion": "Some living things are plants." + }, + { + "id": "folio_44", + "question": "Given the following premises:\n\nNotable people with the given name include Dagfinn Aarskog, Dagfinn Bakke and Dagfinn Dahl.\nDagfinn Aarskog is a Norwegian physician.\nDagfinn Dahl is a Norwegian barrister.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Dagfinn Aarskog is a notable person.", + "answer": true, + "story_id": 16, + "example_id": 44, + "original_premises": "Notable people with the given name include Dagfinn Aarskog, Dagfinn Bakke and Dagfinn Dahl.\nDagfinn Aarskog is a Norwegian physician.\nDagfinn Dahl is a Norwegian barrister.", + "original_conclusion": "Dagfinn Aarskog is a notable person." + }, + { + "id": "folio_45", + "question": "Given the following premises:\n\nNotable people with the given name include Dagfinn Aarskog, Dagfinn Bakke and Dagfinn Dahl.\nDagfinn Aarskog is a Norwegian physician.\nDagfinn Dahl is a Norwegian barrister.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Dagfinn is Dagfinn Aarskog's given name.", + "answer": true, + "story_id": 16, + "example_id": 45, + "original_premises": "Notable people with the given name include Dagfinn Aarskog, Dagfinn Bakke and Dagfinn Dahl.\nDagfinn Aarskog is a Norwegian physician.\nDagfinn Dahl is a Norwegian barrister.", + "original_conclusion": "Dagfinn is Dagfinn Aarskog's given name." + }, + { + "id": "folio_744", + "question": "Given the following premises:\n\nIf a movie is popular, some people enjoy watching it.\nAll things that some people enjoy attract attention.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If a movie is popular, then it attracts attention.", + "answer": true, + "story_id": 300, + "example_id": 744, + "original_premises": "If a movie is popular, some people enjoy watching it.\nAll things that some people enjoy attract attention.", + "original_conclusion": "If a movie is popular, then it attracts attention." + }, + { + "id": "folio_682", + "question": "Given the following premises:\n\nIt is not true that some giant language models do not have good performance. \nAll language models with good performance are used by some researchers.\nIf a language model is used by some researchers, it is popular. \nIf BERT is a giant language model, then GPT-3 is also a giant language model. \nBERT is a giant language model. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: GPT-3 is popular.", + "answer": true, + "story_id": 240, + "example_id": 682, + "original_premises": "It is not true that some giant language models do not have good performance. \nAll language models with good performance are used by some researchers.\nIf a language model is used by some researchers, it is popular. \nIf BERT is a giant language model, then GPT-3 is also a giant language model. \nBERT is a giant language model. ", + "original_conclusion": "GPT-3 is popular." + }, + { + "id": "folio_333", + "question": "Given the following premises:\n\nSt Johnstone is a Scottish team.\nSt Johnstone is part of the Scottish Premiership league.\nIf a team is part of the league, it has joined the league.\nSt Johnstone and Minsk are different teams.\nFor two teams, either one team wins, or the other team wins.\nMinsk won against St Johnstone.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: At least one Scottish team has joined the Scottish Premiership.", + "answer": true, + "story_id": 110, + "example_id": 333, + "original_premises": "St Johnstone is a Scottish team.\nSt Johnstone is part of the Scottish Premiership league.\nIf a team is part of the league, it has joined the league.\nSt Johnstone and Minsk are different teams.\nFor two teams, either one team wins, or the other team wins.\nMinsk won against St Johnstone.", + "original_conclusion": "At least one Scottish team has joined the Scottish Premiership." + }, + { + "id": "folio_334", + "question": "Given the following premises:\n\nSt Johnstone is a Scottish team.\nSt Johnstone is part of the Scottish Premiership league.\nIf a team is part of the league, it has joined the league.\nSt Johnstone and Minsk are different teams.\nFor two teams, either one team wins, or the other team wins.\nMinsk won against St Johnstone.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: St Johnstone won against Minsk.", + "answer": false, + "story_id": 110, + "example_id": 334, + "original_premises": "St Johnstone is a Scottish team.\nSt Johnstone is part of the Scottish Premiership league.\nIf a team is part of the league, it has joined the league.\nSt Johnstone and Minsk are different teams.\nFor two teams, either one team wins, or the other team wins.\nMinsk won against St Johnstone.", + "original_conclusion": "St Johnstone won against Minsk." + }, + { + "id": "folio_1227", + "question": "Given the following premises:\n\nNo Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jake32 was produced before 2010 and is scheduled for a short-distance flight.", + "answer": true, + "story_id": 431, + "example_id": 1227, + "original_premises": "No Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.", + "original_conclusion": "Jake32 was produced before 2010 and is scheduled for a short-distance flight." + }, + { + "id": "folio_1228", + "question": "Given the following premises:\n\nNo Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jake32 is not produced before 2010 and is not scheduled for a short-distance flight.", + "answer": false, + "story_id": 431, + "example_id": 1228, + "original_premises": "No Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.", + "original_conclusion": "Jake32 is not produced before 2010 and is not scheduled for a short-distance flight." + }, + { + "id": "folio_1229", + "question": "Given the following premises:\n\nNo Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jake32 is produced before 2010 or scheduled for a short-distance flight.", + "answer": true, + "story_id": 431, + "example_id": 1229, + "original_premises": "No Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.", + "original_conclusion": "Jake32 is produced before 2010 or scheduled for a short-distance flight." + }, + { + "id": "folio_1230", + "question": "Given the following premises:\n\nNo Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jake32 is neither produced before 2010 nor scheduled for a short-distance flight.", + "answer": false, + "story_id": 431, + "example_id": 1230, + "original_premises": "No Boeing-737 plane has more than 300 seats. \nAll of the planes acquired by Delta in this batch are Boeing-737. \nPlanes either have more than 300 seats or have a capacity of 100 passengers. \nAll planes with a capacity of 100 passengers are scheduled for a short-distance flight. \nAll planes with a capacity of 100 passengers are produced before 2010. \nJake32 is either a Boeing-737 plane or a plane acquired by Delta in this batch.\nT10 is either both a Boeing-737 plane and acquired by Delta in this batch, or it is neither.", + "original_conclusion": "Jake32 is neither produced before 2010 nor scheduled for a short-distance flight." + }, + { + "id": "folio_555", + "question": "Given the following premises:\n\nThe SAT test is wholly owned and developed by the College Board.\nThe SAT test is intended to assess students' readiness for college.\nThe SAT was originally designed not to be aligned with high school curricula. \nSeveral adjustments were made to the version of the SAT introduced in 2016 to align with the high school curriculum.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The SAT test is owned by the College Board and other third parties.", + "answer": false, + "story_id": 195, + "example_id": 555, + "original_premises": "The SAT test is wholly owned and developed by the College Board.\nThe SAT test is intended to assess students' readiness for college.\nThe SAT was originally designed not to be aligned with high school curricula. \nSeveral adjustments were made to the version of the SAT introduced in 2016 to align with the high school curriculum.", + "original_conclusion": "The SAT test is owned by the College Board and other third parties." + }, + { + "id": "folio_98", + "question": "Given the following premises:\n\nRafa Nadal was born in Mallorca.\nRafa Nadal is a professional tennis player.\nNadal's win ratio is high.\nAll players in the Big 3 are professionals who have a high win ratio.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Nadal was not born in Mallorca.", + "answer": false, + "story_id": 34, + "example_id": 98, + "original_premises": "Rafa Nadal was born in Mallorca.\nRafa Nadal is a professional tennis player.\nNadal's win ratio is high.\nAll players in the Big 3 are professionals who have a high win ratio.", + "original_conclusion": "Nadal was not born in Mallorca." + }, + { + "id": "folio_99", + "question": "Given the following premises:\n\nRafa Nadal was born in Mallorca.\nRafa Nadal is a professional tennis player.\nNadal's win ratio is high.\nAll players in the Big 3 are professionals who have a high win ratio.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Nadal is in the Big 3.", + "answer": true, + "story_id": 34, + "example_id": 99, + "original_premises": "Rafa Nadal was born in Mallorca.\nRafa Nadal is a professional tennis player.\nNadal's win ratio is high.\nAll players in the Big 3 are professionals who have a high win ratio.", + "original_conclusion": "Nadal is in the Big 3." + }, + { + "id": "folio_782", + "question": "Given the following premises:\n\nNo animals are plants.\nAll humans are animals.\nAll pupils are humans.\nAll flowers are plants.\nBailey is either both a human and a flower or neither a human nor a flower.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bailey is a pupil.", + "answer": false, + "story_id": 314, + "example_id": 782, + "original_premises": "No animals are plants.\nAll humans are animals.\nAll pupils are humans.\nAll flowers are plants.\nBailey is either both a human and a flower or neither a human nor a flower.", + "original_conclusion": "Bailey is a pupil." + }, + { + "id": "folio_783", + "question": "Given the following premises:\n\nNo animals are plants.\nAll humans are animals.\nAll pupils are humans.\nAll flowers are plants.\nBailey is either both a human and a flower or neither a human nor a flower.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bailey is not a pupil.", + "answer": true, + "story_id": 314, + "example_id": 783, + "original_premises": "No animals are plants.\nAll humans are animals.\nAll pupils are humans.\nAll flowers are plants.\nBailey is either both a human and a flower or neither a human nor a flower.", + "original_conclusion": "Bailey is not a pupil." + }, + { + "id": "folio_785", + "question": "Given the following premises:\n\nNo animals are plants.\nAll humans are animals.\nAll pupils are humans.\nAll flowers are plants.\nBailey is either both a human and a flower or neither a human nor a flower.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Bailey is a human, then Bailey is not a pupil.", + "answer": true, + "story_id": 314, + "example_id": 785, + "original_premises": "No animals are plants.\nAll humans are animals.\nAll pupils are humans.\nAll flowers are plants.\nBailey is either both a human and a flower or neither a human nor a flower.", + "original_conclusion": "If Bailey is a human, then Bailey is not a pupil." + }, + { + "id": "folio_1322", + "question": "Given the following premises:\n\nShoes are not food.\nAll slippers are shoes.\nAny object donated to the homeless charity is either clothes or food.\nWearable things are not edible.\nAll clothes are wearable. \nThe watch is donated to the homeless charify.\nIf the watch is not both edible and a piece of clothing, then the watch is either both edible and a piece of clothing or the watch is neither of them.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A watch is a slipper.", + "answer": false, + "story_id": 458, + "example_id": 1322, + "original_premises": "Shoes are not food.\nAll slippers are shoes.\nAny object donated to the homeless charity is either clothes or food.\nWearable things are not edible.\nAll clothes are wearable. \nThe watch is donated to the homeless charify.\nIf the watch is not both edible and a piece of clothing, then the watch is either both edible and a piece of clothing or the watch is neither of them.", + "original_conclusion": "A watch is a slipper." + }, + { + "id": "folio_1323", + "question": "Given the following premises:\n\nShoes are not food.\nAll slippers are shoes.\nAny object donated to the homeless charity is either clothes or food.\nWearable things are not edible.\nAll clothes are wearable. \nThe watch is donated to the homeless charify.\nIf the watch is not both edible and a piece of clothing, then the watch is either both edible and a piece of clothing or the watch is neither of them.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: A watch is neither edible nor a slipper.", + "answer": true, + "story_id": 458, + "example_id": 1323, + "original_premises": "Shoes are not food.\nAll slippers are shoes.\nAny object donated to the homeless charity is either clothes or food.\nWearable things are not edible.\nAll clothes are wearable. \nThe watch is donated to the homeless charify.\nIf the watch is not both edible and a piece of clothing, then the watch is either both edible and a piece of clothing or the watch is neither of them.", + "original_conclusion": "A watch is neither edible nor a slipper." + }, + { + "id": "folio_101", + "question": "Given the following premises:\n\nAn Olympian is a person who trains for an Olympic sport and goes to the Olympics.\nCarlos Reyes trains for an Olympic sport.\nCarlos Reyes went to the Olympics.\nCarlos Reyes is a welterweight.\nHeavy weights are not welterweights.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Carlos Reyes is an Olympian.", + "answer": true, + "story_id": 35, + "example_id": 101, + "original_premises": "An Olympian is a person who trains for an Olympic sport and goes to the Olympics.\nCarlos Reyes trains for an Olympic sport.\nCarlos Reyes went to the Olympics.\nCarlos Reyes is a welterweight.\nHeavy weights are not welterweights.", + "original_conclusion": "Carlos Reyes is an Olympian." + }, + { + "id": "folio_102", + "question": "Given the following premises:\n\nAn Olympian is a person who trains for an Olympic sport and goes to the Olympics.\nCarlos Reyes trains for an Olympic sport.\nCarlos Reyes went to the Olympics.\nCarlos Reyes is a welterweight.\nHeavy weights are not welterweights.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Carlos Reyes is a heavy weight.", + "answer": false, + "story_id": 35, + "example_id": 102, + "original_premises": "An Olympian is a person who trains for an Olympic sport and goes to the Olympics.\nCarlos Reyes trains for an Olympic sport.\nCarlos Reyes went to the Olympics.\nCarlos Reyes is a welterweight.\nHeavy weights are not welterweights.", + "original_conclusion": "Carlos Reyes is a heavy weight." + }, + { + "id": "folio_863", + "question": "Given the following premises:\n\nIf people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Sam is a young teenage girl who attends music festival frequently", + "answer": false, + "story_id": 333, + "example_id": 863, + "original_premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", + "original_conclusion": "Sam is a young teenage girl who attends music festival frequently" + }, + { + "id": "folio_864", + "question": "Given the following premises:\n\nIf people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Sam is not a young teenage girl who attends music festival frequently", + "answer": true, + "story_id": 333, + "example_id": 864, + "original_premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", + "original_conclusion": "Sam is not a young teenage girl who attends music festival frequently" + }, + { + "id": "folio_866", + "question": "Given the following premises:\n\nIf people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Sam neither has high ambitions and future career goals nor is she a young teenage girl attending music festival frequently", + "answer": true, + "story_id": 333, + "example_id": 866, + "original_premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", + "original_conclusion": "Sam neither has high ambitions and future career goals nor is she a young teenage girl attending music festival frequently" + }, + { + "id": "folio_867", + "question": "Given the following premises:\n\nIf people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Sam has high ambitions and future career goals and is a young teenage girl attending music festival frequently.", + "answer": false, + "story_id": 333, + "example_id": 867, + "original_premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", + "original_conclusion": "Sam has high ambitions and future career goals and is a young teenage girl attending music festival frequently." + }, + { + "id": "folio_868", + "question": "Given the following premises:\n\nIf people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Sam has high ambitions and future career goals and is a young teenage girl attending college.", + "answer": false, + "story_id": 333, + "example_id": 868, + "original_premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", + "original_conclusion": "Sam has high ambitions and future career goals and is a young teenage girl attending college." + }, + { + "id": "folio_869", + "question": "Given the following premises:\n\nIf people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Sam is a young teenage girl attending college, then Sam either does not have high ambitions and future career goals or is a big fan of pop bands and singers.", + "answer": true, + "story_id": 333, + "example_id": 869, + "original_premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", + "original_conclusion": "If Sam is a young teenage girl attending college, then Sam either does not have high ambitions and future career goals or is a big fan of pop bands and singers." + }, + { + "id": "folio_870", + "question": "Given the following premises:\n\nIf people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Sam has high ambitions and future career goals and is a young teenage girl attending college, then Sam either does not have high ambitions and future career goals or is not a young teenage girl attending college.", + "answer": true, + "story_id": 333, + "example_id": 870, + "original_premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", + "original_conclusion": "If Sam has high ambitions and future career goals and is a young teenage girl attending college, then Sam either does not have high ambitions and future career goals or is not a young teenage girl attending college." + }, + { + "id": "folio_871", + "question": "Given the following premises:\n\nIf people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Sam has high ambitions and future career goals, then Sam is a young teenage girl attending college.", + "answer": true, + "story_id": 333, + "example_id": 871, + "original_premises": "If people have a lot of music decorations in their rooms, they cannot pack and move out of their rooms very easily.\nIf people have high ambitions and future career goals, then they can pack and move out of their rooms very easily.\nIf people are big fans of pop bands and singers, then they have a lot of music decorations in their room.\nAll young teenage girls who attend music festival frequently are big fans of pop bands and singers.\nIf Sam has high ambitions and future career goals, then Sam is a big fan of pop bands and singers.", + "original_conclusion": "If Sam has high ambitions and future career goals, then Sam is a young teenage girl attending college." + }, + { + "id": "folio_524", + "question": "Given the following premises:\n\nBrita was a cargo ship built for Norwegians.\nBrita was impressed into service by Germany.\nShips that have been impressed into service were seized by whoever impressed them into service.\nThe Britta was sold to Hong Kong.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There was a cargo ship seized by Germany that was sold to Hong Kong.", + "answer": true, + "story_id": 182, + "example_id": 524, + "original_premises": "Brita was a cargo ship built for Norwegians.\nBrita was impressed into service by Germany.\nShips that have been impressed into service were seized by whoever impressed them into service.\nThe Britta was sold to Hong Kong.", + "original_conclusion": "There was a cargo ship seized by Germany that was sold to Hong Kong." + }, + { + "id": "folio_525", + "question": "Given the following premises:\n\nBrita was a cargo ship built for Norwegians.\nBrita was impressed into service by Germany.\nShips that have been impressed into service were seized by whoever impressed them into service.\nThe Britta was sold to Hong Kong.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Hong Kong hasn't had any seized ships sold to them.", + "answer": false, + "story_id": 182, + "example_id": 525, + "original_premises": "Brita was a cargo ship built for Norwegians.\nBrita was impressed into service by Germany.\nShips that have been impressed into service were seized by whoever impressed them into service.\nThe Britta was sold to Hong Kong.", + "original_conclusion": "Hong Kong hasn't had any seized ships sold to them." + }, + { + "id": "folio_141", + "question": "Given the following premises:\n\nQuincy McDuffie is an American professional wide receiver in Canadian Football.\nPeople who can catch balls are good wide receivers. \nQuincy McDuffie can catch some footballs easily.\nGood wide receivers play professionally.\nGood wide receivers can catch with both their left and right hand.\nAll footballs are balls.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Quincy McDuffie is a good wide receiver.", + "answer": true, + "story_id": 49, + "example_id": 141, + "original_premises": "Quincy McDuffie is an American professional wide receiver in Canadian Football.\nPeople who can catch balls are good wide receivers. \nQuincy McDuffie can catch some footballs easily.\nGood wide receivers play professionally.\nGood wide receivers can catch with both their left and right hand.\nAll footballs are balls.", + "original_conclusion": "Quincy McDuffie is a good wide receiver." + }, + { + "id": "folio_14", + "question": "Given the following premises:\n\nBoves is a railway station located in France. \nThe preceding station of Boves is Longueau.\nThe preceding station of Dommartin is Boves.\nFrance is a European country.\nDommartin is situated on the Paris\u2013Lille railway. \nAny two contiguous stations are on the same railway.\nBoves is served by regional TER Hauts-de-France trains.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\nIf place A precedes place B and place B precedes place C, then place A precedes place C.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Longueau is situated on the Paris\u2013Lille railway.", + "answer": true, + "story_id": 6, + "example_id": 14, + "original_premises": "Boves is a railway station located in France. \nThe preceding station of Boves is Longueau.\nThe preceding station of Dommartin is Boves.\nFrance is a European country.\nDommartin is situated on the Paris\u2013Lille railway. \nAny two contiguous stations are on the same railway.\nBoves is served by regional TER Hauts-de-France trains.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\nIf place A precedes place B and place B precedes place C, then place A precedes place C.", + "original_conclusion": "Longueau is situated on the Paris\u2013Lille railway." + }, + { + "id": "folio_15", + "question": "Given the following premises:\n\nBoves is a railway station located in France. \nThe preceding station of Boves is Longueau.\nThe preceding station of Dommartin is Boves.\nFrance is a European country.\nDommartin is situated on the Paris\u2013Lille railway. \nAny two contiguous stations are on the same railway.\nBoves is served by regional TER Hauts-de-France trains.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\nIf place A precedes place B and place B precedes place C, then place A precedes place C.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Boves is not in Europe.", + "answer": false, + "story_id": 6, + "example_id": 15, + "original_premises": "Boves is a railway station located in France. \nThe preceding station of Boves is Longueau.\nThe preceding station of Dommartin is Boves.\nFrance is a European country.\nDommartin is situated on the Paris\u2013Lille railway. \nAny two contiguous stations are on the same railway.\nBoves is served by regional TER Hauts-de-France trains.\nIf place A is located in place B and place B is located in place C, then place A is located in place C.\nIf place A precedes place B and place B precedes place C, then place A precedes place C.", + "original_conclusion": "Boves is not in Europe." + }, + { + "id": "folio_309", + "question": "Given the following premises:\n\nEdwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Ted Smith was a sergeant.", + "answer": true, + "story_id": 102, + "example_id": 309, + "original_premises": "Edwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.", + "original_conclusion": "Ted Smith was a sergeant." + }, + { + "id": "folio_310", + "question": "Given the following premises:\n\nEdwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There were no rowers that own a buisness.", + "answer": false, + "story_id": 102, + "example_id": 310, + "original_premises": "Edwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.", + "original_conclusion": "There were no rowers that own a buisness." + }, + { + "id": "folio_311", + "question": "Given the following premises:\n\nEdwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No sergeants were from Auckland.", + "answer": false, + "story_id": 102, + "example_id": 311, + "original_premises": "Edwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.", + "original_conclusion": "No sergeants were from Auckland." + }, + { + "id": "folio_312", + "question": "Given the following premises:\n\nEdwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No business owner served in Egypt.", + "answer": false, + "story_id": 102, + "example_id": 312, + "original_premises": "Edwin Smith was a New Zealand rower from Auckland.\nEdwin Smith was also known as Ted Smith.\nEdwin Smith went to Rose Road Primary School, located in Grey Lynn.\nEdwin Smith was a sergeant who served with the New Zealand 24th battalion in Italy and Egypt.\nBroadway Sheetmetals was a business run and owned by Edwin Smith, a sheet metal worker.", + "original_conclusion": "No business owner served in Egypt." + }, + { + "id": "folio_408", + "question": "Given the following premises:\n\nUFC Fight Night was a mixed martial arts event held in Sweden.\nAt UFC Fight Night, Sadollah was scheduled to fight Musoke.\nSadollah fought Akiyama at UFC Fight Night.\nMusoke fought Yakovlev at UFC Fight Night.\nJung was injured at UFC Fight Night.\nPeople injured at UFC Fight Night did not fight.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jung did not fight at UFC Fight Night.", + "answer": true, + "story_id": 139, + "example_id": 408, + "original_premises": "UFC Fight Night was a mixed martial arts event held in Sweden.\nAt UFC Fight Night, Sadollah was scheduled to fight Musoke.\nSadollah fought Akiyama at UFC Fight Night.\nMusoke fought Yakovlev at UFC Fight Night.\nJung was injured at UFC Fight Night.\nPeople injured at UFC Fight Night did not fight.", + "original_conclusion": "Jung did not fight at UFC Fight Night." + }, + { + "id": "folio_1352", + "question": "Given the following premises:\n\nAll drinks on the counter are edible. \nAll juices on the counter are drinks. \nOrange juice is a type of juice. \nEverything on the counter is either orange juice or apple juice.\nAll apple juices on the counter are sweet.\nThe coke is on the counter and if the coke is apple juice, then the coke is a drink.\nIf the coke is not apple juice, then the coke is not edible.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The coke is edible and sweet.", + "answer": true, + "story_id": 468, + "example_id": 1352, + "original_premises": "All drinks on the counter are edible. \nAll juices on the counter are drinks. \nOrange juice is a type of juice. \nEverything on the counter is either orange juice or apple juice.\nAll apple juices on the counter are sweet.\nThe coke is on the counter and if the coke is apple juice, then the coke is a drink.\nIf the coke is not apple juice, then the coke is not edible.", + "original_conclusion": "The coke is edible and sweet." + }, + { + "id": "folio_1353", + "question": "Given the following premises:\n\nAll drinks on the counter are edible. \nAll juices on the counter are drinks. \nOrange juice is a type of juice. \nEverything on the counter is either orange juice or apple juice.\nAll apple juices on the counter are sweet.\nThe coke is on the counter and if the coke is apple juice, then the coke is a drink.\nIf the coke is not apple juice, then the coke is not edible.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The coke is not edible and sweet.", + "answer": false, + "story_id": 468, + "example_id": 1353, + "original_premises": "All drinks on the counter are edible. \nAll juices on the counter are drinks. \nOrange juice is a type of juice. \nEverything on the counter is either orange juice or apple juice.\nAll apple juices on the counter are sweet.\nThe coke is on the counter and if the coke is apple juice, then the coke is a drink.\nIf the coke is not apple juice, then the coke is not edible.", + "original_conclusion": "The coke is not edible and sweet." + }, + { + "id": "folio_119", + "question": "Given the following premises:\n\nFederico Garcia Lorca was a talented Spanish poet, and he supported the Popular Front.\nThe Spanish Nationalists opposed anyone who supported the Popular Front\nTalented poets are popular.\nSpanish Nationalists killed anyone who they opposed and who was popular.\nDaniel supported the Popular Front but was not popular.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The Spanish Nationalists killed Lorca.", + "answer": true, + "story_id": 41, + "example_id": 119, + "original_premises": "Federico Garcia Lorca was a talented Spanish poet, and he supported the Popular Front.\nThe Spanish Nationalists opposed anyone who supported the Popular Front\nTalented poets are popular.\nSpanish Nationalists killed anyone who they opposed and who was popular.\nDaniel supported the Popular Front but was not popular.", + "original_conclusion": "The Spanish Nationalists killed Lorca." + }, + { + "id": "folio_974", + "question": "Given the following premises:\n\nPeople in Franny's family drink kombucha every day or drink Coca-Cola or a Pepsi product.\nIf people in Franny's family drink Coca-Cola or a Pepsi product every day, then they grew up with extremely busy parents who did not have time to pack them lunch.\nIf people in Franny's family drink Coca-Cola or another Pepsi product every day, then they have to visit the dentist frequently.\nIf people in Franny's family grew up with extremely busy parents who did not have time to pack them lunch, then they have erratic and diverse eating habits.\nIf people in Franny's family have erratic and diverse eating habits, then they do not have consistent everyday routines and like sticking to a solid schedule.\nDamon is in Franny's family. \nDamon either both grow up with extremely busy parents who did not have time to pack her lunch and have consistent everyday routines and like sticking to a solid schedule, or Damon did neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Damon is in Franny's family and he either both grew up with extremely busy parents who did not have time to pack his lunch and drink kombucha every day or neither grew up with extremely busy parents who did not have time to pack his lunch nor drink kombucha every day, then Damon neither visits the dentist frequently nor drinks Coca Cola or Pepsi products.", + "answer": true, + "story_id": 366, + "example_id": 974, + "original_premises": "People in Franny's family drink kombucha every day or drink Coca-Cola or a Pepsi product.\nIf people in Franny's family drink Coca-Cola or a Pepsi product every day, then they grew up with extremely busy parents who did not have time to pack them lunch.\nIf people in Franny's family drink Coca-Cola or another Pepsi product every day, then they have to visit the dentist frequently.\nIf people in Franny's family grew up with extremely busy parents who did not have time to pack them lunch, then they have erratic and diverse eating habits.\nIf people in Franny's family have erratic and diverse eating habits, then they do not have consistent everyday routines and like sticking to a solid schedule.\nDamon is in Franny's family. \nDamon either both grow up with extremely busy parents who did not have time to pack her lunch and have consistent everyday routines and like sticking to a solid schedule, or Damon did neither.", + "original_conclusion": "If Damon is in Franny's family and he either both grew up with extremely busy parents who did not have time to pack his lunch and drink kombucha every day or neither grew up with extremely busy parents who did not have time to pack his lunch nor drink kombucha every day, then Damon neither visits the dentist frequently nor drinks Coca Cola or Pepsi products." + }, + { + "id": "folio_975", + "question": "Given the following premises:\n\nPeople in Franny's family drink kombucha every day or drink Coca-Cola or a Pepsi product.\nIf people in Franny's family drink Coca-Cola or a Pepsi product every day, then they grew up with extremely busy parents who did not have time to pack them lunch.\nIf people in Franny's family drink Coca-Cola or another Pepsi product every day, then they have to visit the dentist frequently.\nIf people in Franny's family grew up with extremely busy parents who did not have time to pack them lunch, then they have erratic and diverse eating habits.\nIf people in Franny's family have erratic and diverse eating habits, then they do not have consistent everyday routines and like sticking to a solid schedule.\nDamon is in Franny's family. \nDamon either both grow up with extremely busy parents who did not have time to pack her lunch and have consistent everyday routines and like sticking to a solid schedule, or Damon did neither.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Damon is in Franny's family and he either visits the dentist frequently or drinks kombucha, then Damon both visits the dentist frequently and drinks Coca-Cola or Pepsi products every day.", + "answer": false, + "story_id": 366, + "example_id": 975, + "original_premises": "People in Franny's family drink kombucha every day or drink Coca-Cola or a Pepsi product.\nIf people in Franny's family drink Coca-Cola or a Pepsi product every day, then they grew up with extremely busy parents who did not have time to pack them lunch.\nIf people in Franny's family drink Coca-Cola or another Pepsi product every day, then they have to visit the dentist frequently.\nIf people in Franny's family grew up with extremely busy parents who did not have time to pack them lunch, then they have erratic and diverse eating habits.\nIf people in Franny's family have erratic and diverse eating habits, then they do not have consistent everyday routines and like sticking to a solid schedule.\nDamon is in Franny's family. \nDamon either both grow up with extremely busy parents who did not have time to pack her lunch and have consistent everyday routines and like sticking to a solid schedule, or Damon did neither.", + "original_conclusion": "If Damon is in Franny's family and he either visits the dentist frequently or drinks kombucha, then Damon both visits the dentist frequently and drinks Coca-Cola or Pepsi products every day." + }, + { + "id": "folio_63", + "question": "Given the following premises:\n\nIf a customer subscribes to AMC A-List, then he/she can watch 3 movies every week without any additional fees. \nSome customers go to cinemas every week. \nCustomers who prefer TV series will not watch TV series in cinemas.\nJames watches TV series in cinemas. \nJames subscribes to AMC A-List.\nPeter prefers TV series.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James cannot watch 3 movies every week without any additional fees.", + "answer": false, + "story_id": 22, + "example_id": 63, + "original_premises": "If a customer subscribes to AMC A-List, then he/she can watch 3 movies every week without any additional fees. \nSome customers go to cinemas every week. \nCustomers who prefer TV series will not watch TV series in cinemas.\nJames watches TV series in cinemas. \nJames subscribes to AMC A-List.\nPeter prefers TV series.", + "original_conclusion": "James cannot watch 3 movies every week without any additional fees." + }, + { + "id": "folio_65", + "question": "Given the following premises:\n\nIf a customer subscribes to AMC A-List, then he/she can watch 3 movies every week without any additional fees. \nSome customers go to cinemas every week. \nCustomers who prefer TV series will not watch TV series in cinemas.\nJames watches TV series in cinemas. \nJames subscribes to AMC A-List.\nPeter prefers TV series.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Peter will not watch TV series in cinemas.", + "answer": true, + "story_id": 22, + "example_id": 65, + "original_premises": "If a customer subscribes to AMC A-List, then he/she can watch 3 movies every week without any additional fees. \nSome customers go to cinemas every week. \nCustomers who prefer TV series will not watch TV series in cinemas.\nJames watches TV series in cinemas. \nJames subscribes to AMC A-List.\nPeter prefers TV series.", + "original_conclusion": "Peter will not watch TV series in cinemas." + }, + { + "id": "folio_719", + "question": "Given the following premises:\n\nBulbophyllum attenuatum is in the genus Bulbophyllum.\nAll Bulbophyllum are orchids.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Bulbophyllum attenuatum is not an orchid.", + "answer": false, + "story_id": 275, + "example_id": 719, + "original_premises": "Bulbophyllum attenuatum is in the genus Bulbophyllum.\nAll Bulbophyllum are orchids.", + "original_conclusion": "Bulbophyllum attenuatum is not an orchid." + }, + { + "id": "folio_467", + "question": "Given the following premises:\n\nThere are eight federal districts of Russia: Central, Northwestern, Southern, North Caucasian, Volga, Ural, Siberian, and Far Eastern.\nThe Central federal district has the largest population among all federal districts in Russia.\nMoscow is the administrative center of the Central federal district.\nYekaterinburg is the administrative center of the Ural federal district.\nVladivostok is the administrative center of the Far Eastern federal district.\nThe Far Eastern federal district has the largest area among all federal districts in Russia.\nSome federal districts in Russia were established in 2000.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Vladivostok is the administrative center of the federal district with the largest area.", + "answer": true, + "story_id": 163, + "example_id": 467, + "original_premises": "There are eight federal districts of Russia: Central, Northwestern, Southern, North Caucasian, Volga, Ural, Siberian, and Far Eastern.\nThe Central federal district has the largest population among all federal districts in Russia.\nMoscow is the administrative center of the Central federal district.\nYekaterinburg is the administrative center of the Ural federal district.\nVladivostok is the administrative center of the Far Eastern federal district.\nThe Far Eastern federal district has the largest area among all federal districts in Russia.\nSome federal districts in Russia were established in 2000.", + "original_conclusion": "Vladivostok is the administrative center of the federal district with the largest area." + }, + { + "id": "folio_468", + "question": "Given the following premises:\n\nThere are eight federal districts of Russia: Central, Northwestern, Southern, North Caucasian, Volga, Ural, Siberian, and Far Eastern.\nThe Central federal district has the largest population among all federal districts in Russia.\nMoscow is the administrative center of the Central federal district.\nYekaterinburg is the administrative center of the Ural federal district.\nVladivostok is the administrative center of the Far Eastern federal district.\nThe Far Eastern federal district has the largest area among all federal districts in Russia.\nSome federal districts in Russia were established in 2000.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Moscow is the administrative center of the federal district with the largest population.", + "answer": true, + "story_id": 163, + "example_id": 468, + "original_premises": "There are eight federal districts of Russia: Central, Northwestern, Southern, North Caucasian, Volga, Ural, Siberian, and Far Eastern.\nThe Central federal district has the largest population among all federal districts in Russia.\nMoscow is the administrative center of the Central federal district.\nYekaterinburg is the administrative center of the Ural federal district.\nVladivostok is the administrative center of the Far Eastern federal district.\nThe Far Eastern federal district has the largest area among all federal districts in Russia.\nSome federal districts in Russia were established in 2000.", + "original_conclusion": "Moscow is the administrative center of the federal district with the largest population." + }, + { + "id": "folio_811", + "question": "Given the following premises:\n\nAll cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Arthritis is colorectal cancer.", + "answer": false, + "story_id": 320, + "example_id": 811, + "original_premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", + "original_conclusion": "Arthritis is colorectal cancer." + }, + { + "id": "folio_812", + "question": "Given the following premises:\n\nAll cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Arthritis is not colorectal cancer.", + "answer": true, + "story_id": 320, + "example_id": 812, + "original_premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", + "original_conclusion": "Arthritis is not colorectal cancer." + }, + { + "id": "folio_813", + "question": "Given the following premises:\n\nAll cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Arthritis is colorectal cancer or has mutations.", + "answer": false, + "story_id": 320, + "example_id": 813, + "original_premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", + "original_conclusion": "Arthritis is colorectal cancer or has mutations." + }, + { + "id": "folio_814", + "question": "Given the following premises:\n\nAll cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Arthritis is colorectal cancer and a cancer.", + "answer": false, + "story_id": 320, + "example_id": 814, + "original_premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", + "original_conclusion": "Arthritis is colorectal cancer and a cancer." + }, + { + "id": "folio_815", + "question": "Given the following premises:\n\nAll cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If arthritis is not colorectal cancer, then arthritis has mutations.", + "answer": false, + "story_id": 320, + "example_id": 815, + "original_premises": "All cancers have mutations.\nNo mutations can be treated at home.\nAll colorectal cancers are cancers.\nA cold can be treated at home.\nArthritis either is a cold and has mutations or neither is a cold nor has mutations.", + "original_conclusion": "If arthritis is not colorectal cancer, then arthritis has mutations." + }, + { + "id": "folio_747", + "question": "Given the following premises:\n\nJerry should not worry about things outside of his control.\nAll traffic is outside of my control.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Jerry should not worry about traffic.", + "answer": true, + "story_id": 303, + "example_id": 747, + "original_premises": "Jerry should not worry about things outside of his control.\nAll traffic is outside of my control.", + "original_conclusion": "Jerry should not worry about traffic." + }, + { + "id": "folio_341", + "question": "Given the following premises:\n\nRoversi is an Italian surname.\nAlba Roversi uses Roversi as a surname.\nPaolo Roversi uses Roversi as a surname.\nRoberto Roversi uses Roversi as a surname.\nPaolo Roversi is a photographer.\nA photographer is a professional or an amateur.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Alba Roversi uses an Italian surname.", + "answer": true, + "story_id": 113, + "example_id": 341, + "original_premises": "Roversi is an Italian surname.\nAlba Roversi uses Roversi as a surname.\nPaolo Roversi uses Roversi as a surname.\nRoberto Roversi uses Roversi as a surname.\nPaolo Roversi is a photographer.\nA photographer is a professional or an amateur.", + "original_conclusion": "Alba Roversi uses an Italian surname." + }, + { + "id": "folio_342", + "question": "Given the following premises:\n\nRoversi is an Italian surname.\nAlba Roversi uses Roversi as a surname.\nPaolo Roversi uses Roversi as a surname.\nRoberto Roversi uses Roversi as a surname.\nPaolo Roversi is a photographer.\nA photographer is a professional or an amateur.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There are no photographers using an Italian surname.", + "answer": false, + "story_id": 113, + "example_id": 342, + "original_premises": "Roversi is an Italian surname.\nAlba Roversi uses Roversi as a surname.\nPaolo Roversi uses Roversi as a surname.\nRoberto Roversi uses Roversi as a surname.\nPaolo Roversi is a photographer.\nA photographer is a professional or an amateur.", + "original_conclusion": "There are no photographers using an Italian surname." + }, + { + "id": "folio_672", + "question": "Given the following premises:\n\nZaha Hadid is a British-Iraqi architect, artist, and designer.\nZaha Hadid was born on 31 October 1950 in Baghdad, Iraq.\nZaha Hadid was a visiting professor of Architectural Design at the Yale School of Architecture.\nMax is an aspiring architecture student and plans to apply to the Yale School of Architecture. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Zaha Hadid was a citizen of Britain and Iraq.", + "answer": true, + "story_id": 237, + "example_id": 672, + "original_premises": "Zaha Hadid is a British-Iraqi architect, artist, and designer.\nZaha Hadid was born on 31 October 1950 in Baghdad, Iraq.\nZaha Hadid was a visiting professor of Architectural Design at the Yale School of Architecture.\nMax is an aspiring architecture student and plans to apply to the Yale School of Architecture. ", + "original_conclusion": "Zaha Hadid was a citizen of Britain and Iraq." + }, + { + "id": "folio_1077", + "question": "Given the following premises:\n\nA neuroimaging technique is either an invasive neuroimaging technique or a noninvasive neuroimaging technique. \nAll noninvasive neuroimaging techniques provide a spatial resolution of brains.\nIf a technique provides a spatial resolution of brains, then it is a measurement of brain activity. \nAll measurements of brain activity are used by neuroscience researchers.\nFMRI is either a measurement of brain activity or a noninvasive neuroimaging technique.\nFMRI is a neuroimaging technique.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: FMRI is an invasive neuroimaging technique and is used by neuroscience researchers.", + "answer": true, + "story_id": 396, + "example_id": 1077, + "original_premises": "A neuroimaging technique is either an invasive neuroimaging technique or a noninvasive neuroimaging technique. \nAll noninvasive neuroimaging techniques provide a spatial resolution of brains.\nIf a technique provides a spatial resolution of brains, then it is a measurement of brain activity. \nAll measurements of brain activity are used by neuroscience researchers.\nFMRI is either a measurement of brain activity or a noninvasive neuroimaging technique.\nFMRI is a neuroimaging technique.", + "original_conclusion": "FMRI is an invasive neuroimaging technique and is used by neuroscience researchers." + }, + { + "id": "folio_1078", + "question": "Given the following premises:\n\nA neuroimaging technique is either an invasive neuroimaging technique or a noninvasive neuroimaging technique. \nAll noninvasive neuroimaging techniques provide a spatial resolution of brains.\nIf a technique provides a spatial resolution of brains, then it is a measurement of brain activity. \nAll measurements of brain activity are used by neuroscience researchers.\nFMRI is either a measurement of brain activity or a noninvasive neuroimaging technique.\nFMRI is a neuroimaging technique.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: FMRI is either an invasive neuroimaging technique or is used by neuroscience researchers.", + "answer": false, + "story_id": 396, + "example_id": 1078, + "original_premises": "A neuroimaging technique is either an invasive neuroimaging technique or a noninvasive neuroimaging technique. \nAll noninvasive neuroimaging techniques provide a spatial resolution of brains.\nIf a technique provides a spatial resolution of brains, then it is a measurement of brain activity. \nAll measurements of brain activity are used by neuroscience researchers.\nFMRI is either a measurement of brain activity or a noninvasive neuroimaging technique.\nFMRI is a neuroimaging technique.", + "original_conclusion": "FMRI is either an invasive neuroimaging technique or is used by neuroscience researchers." + }, + { + "id": "folio_1079", + "question": "Given the following premises:\n\nA neuroimaging technique is either an invasive neuroimaging technique or a noninvasive neuroimaging technique. \nAll noninvasive neuroimaging techniques provide a spatial resolution of brains.\nIf a technique provides a spatial resolution of brains, then it is a measurement of brain activity. \nAll measurements of brain activity are used by neuroscience researchers.\nFMRI is either a measurement of brain activity or a noninvasive neuroimaging technique.\nFMRI is a neuroimaging technique.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If fMRI is not an invasive neuroimaging technique used by neuroscience researchers, then fMRI is neither a noninvasive neuroimaging technique nor provides a spatial resolution of brains.", + "answer": true, + "story_id": 396, + "example_id": 1079, + "original_premises": "A neuroimaging technique is either an invasive neuroimaging technique or a noninvasive neuroimaging technique. \nAll noninvasive neuroimaging techniques provide a spatial resolution of brains.\nIf a technique provides a spatial resolution of brains, then it is a measurement of brain activity. \nAll measurements of brain activity are used by neuroscience researchers.\nFMRI is either a measurement of brain activity or a noninvasive neuroimaging technique.\nFMRI is a neuroimaging technique.", + "original_conclusion": "If fMRI is not an invasive neuroimaging technique used by neuroscience researchers, then fMRI is neither a noninvasive neuroimaging technique nor provides a spatial resolution of brains." + }, + { + "id": "folio_1255", + "question": "Given the following premises:\n\nResearchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James is invited to take a photo with the audience and is happy to communicate with other guests at the dinner.", + "answer": true, + "story_id": 437, + "example_id": 1255, + "original_premises": "Researchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.", + "original_conclusion": "James is invited to take a photo with the audience and is happy to communicate with other guests at the dinner." + }, + { + "id": "folio_1256", + "question": "Given the following premises:\n\nResearchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James is invited to take a photo with the audience or is happy to communicate with other guests(?) during the dinner.", + "answer": true, + "story_id": 437, + "example_id": 1256, + "original_premises": "Researchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.", + "original_conclusion": "James is invited to take a photo with the audience or is happy to communicate with other guests(?) during the dinner." + }, + { + "id": "folio_1257", + "question": "Given the following premises:\n\nResearchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: James is either invited to take a photo with the audience or happy to communicate with other guests(?) during the dinner.", + "answer": false, + "story_id": 437, + "example_id": 1257, + "original_premises": "Researchers present their work at the conference or provide a tutorial session there.\nEveryone who presents their work at the conference will attend in person. \nEveryone providing a tutorial session at the conference will be invited to join the club. \nEveryone who attends the conference in person is provided with souvenirs. \nEveryone invited to join the club is provided with delicious meals. \nEveryone provided with delicious meals is happy to communicate with each other during the dinner. \nEveryone who is provided with delicious meals is invited to take a photo with the audience. \nIt is not true that James both attended the conference in person and was provided with souvenirs.", + "original_conclusion": "James is either invited to take a photo with the audience or happy to communicate with other guests(?) during the dinner." + }, + { + "id": "folio_38", + "question": "Given the following premises:\n\nThe USS Salem is a heavy cruiser built for the United States Navy.\nThe last heavy cruiser to enter service was the USS Salem.\nThe USS Salem is a museum ship.\nMuseum ships are open to the public.\nThe USS Salem served in the Atlantic and Mediterranean.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The USS Salem is open to the public.", + "answer": true, + "story_id": 14, + "example_id": 38, + "original_premises": "The USS Salem is a heavy cruiser built for the United States Navy.\nThe last heavy cruiser to enter service was the USS Salem.\nThe USS Salem is a museum ship.\nMuseum ships are open to the public.\nThe USS Salem served in the Atlantic and Mediterranean.", + "original_conclusion": "The USS Salem is open to the public." + }, + { + "id": "folio_39", + "question": "Given the following premises:\n\nThe USS Salem is a heavy cruiser built for the United States Navy.\nThe last heavy cruiser to enter service was the USS Salem.\nThe USS Salem is a museum ship.\nMuseum ships are open to the public.\nThe USS Salem served in the Atlantic and Mediterranean.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: There is a museum ship open to the public that served in the Mediterranean.", + "answer": true, + "story_id": 14, + "example_id": 39, + "original_premises": "The USS Salem is a heavy cruiser built for the United States Navy.\nThe last heavy cruiser to enter service was the USS Salem.\nThe USS Salem is a museum ship.\nMuseum ships are open to the public.\nThe USS Salem served in the Atlantic and Mediterranean.", + "original_conclusion": "There is a museum ship open to the public that served in the Mediterranean." + }, + { + "id": "folio_40", + "question": "Given the following premises:\n\nThe USS Salem is a heavy cruiser built for the United States Navy.\nThe last heavy cruiser to enter service was the USS Salem.\nThe USS Salem is a museum ship.\nMuseum ships are open to the public.\nThe USS Salem served in the Atlantic and Mediterranean.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: The USS Salem was not the last heavy cruiser to enter service.", + "answer": false, + "story_id": 14, + "example_id": 40, + "original_premises": "The USS Salem is a heavy cruiser built for the United States Navy.\nThe last heavy cruiser to enter service was the USS Salem.\nThe USS Salem is a museum ship.\nMuseum ships are open to the public.\nThe USS Salem served in the Atlantic and Mediterranean.", + "original_conclusion": "The USS Salem was not the last heavy cruiser to enter service." + }, + { + "id": "folio_413", + "question": "Given the following premises:\n\nTS Leda was a good passenger and cargo vessel.\nTS Leda was a Norwegian vessel that was built with stabilizers.\nStabilizers are mechanical devices found only on ships with powerful steam turbine engines.\nTo be a good passenger and cargo vessel, ships must be quiet and good at sea.\nSome ships that are quiet and good at sea have powerful steam turbine engines.\nVessels are ships.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: TS Leda was quiet and good at sea.", + "answer": true, + "story_id": 141, + "example_id": 413, + "original_premises": "TS Leda was a good passenger and cargo vessel.\nTS Leda was a Norwegian vessel that was built with stabilizers.\nStabilizers are mechanical devices found only on ships with powerful steam turbine engines.\nTo be a good passenger and cargo vessel, ships must be quiet and good at sea.\nSome ships that are quiet and good at sea have powerful steam turbine engines.\nVessels are ships.", + "original_conclusion": "TS Leda was quiet and good at sea." + }, + { + "id": "folio_414", + "question": "Given the following premises:\n\nTS Leda was a good passenger and cargo vessel.\nTS Leda was a Norwegian vessel that was built with stabilizers.\nStabilizers are mechanical devices found only on ships with powerful steam turbine engines.\nTo be a good passenger and cargo vessel, ships must be quiet and good at sea.\nSome ships that are quiet and good at sea have powerful steam turbine engines.\nVessels are ships.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: TS Leda had powerful steam turbine engines.", + "answer": true, + "story_id": 141, + "example_id": 414, + "original_premises": "TS Leda was a good passenger and cargo vessel.\nTS Leda was a Norwegian vessel that was built with stabilizers.\nStabilizers are mechanical devices found only on ships with powerful steam turbine engines.\nTo be a good passenger and cargo vessel, ships must be quiet and good at sea.\nSome ships that are quiet and good at sea have powerful steam turbine engines.\nVessels are ships.", + "original_conclusion": "TS Leda had powerful steam turbine engines." + }, + { + "id": "folio_415", + "question": "Given the following premises:\n\nTS Leda was a good passenger and cargo vessel.\nTS Leda was a Norwegian vessel that was built with stabilizers.\nStabilizers are mechanical devices found only on ships with powerful steam turbine engines.\nTo be a good passenger and cargo vessel, ships must be quiet and good at sea.\nSome ships that are quiet and good at sea have powerful steam turbine engines.\nVessels are ships.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: TS Leda was not a Norwegian vessel.", + "answer": false, + "story_id": 141, + "example_id": 415, + "original_premises": "TS Leda was a good passenger and cargo vessel.\nTS Leda was a Norwegian vessel that was built with stabilizers.\nStabilizers are mechanical devices found only on ships with powerful steam turbine engines.\nTo be a good passenger and cargo vessel, ships must be quiet and good at sea.\nSome ships that are quiet and good at sea have powerful steam turbine engines.\nVessels are ships.", + "original_conclusion": "TS Leda was not a Norwegian vessel." + }, + { + "id": "folio_552", + "question": "Given the following premises:\n\nRosa was born in Santiago. \nSantiago is the capital and largest city of Chile.\nRosa is the daughter of a Catalan building contractor, Jose.\nJose has a Chilean wife, Carmen.\nCarmen and Jose are Rosa's parents.\nPeople from Catalan are not from Chile.\nA building contractor is responsible for the day-to-day oversight of a construction site. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Rosa was born in the largest city of Chile.", + "answer": true, + "story_id": 194, + "example_id": 552, + "original_premises": "Rosa was born in Santiago. \nSantiago is the capital and largest city of Chile.\nRosa is the daughter of a Catalan building contractor, Jose.\nJose has a Chilean wife, Carmen.\nCarmen and Jose are Rosa's parents.\nPeople from Catalan are not from Chile.\nA building contractor is responsible for the day-to-day oversight of a construction site. ", + "original_conclusion": "Rosa was born in the largest city of Chile." + }, + { + "id": "folio_553", + "question": "Given the following premises:\n\nRosa was born in Santiago. \nSantiago is the capital and largest city of Chile.\nRosa is the daughter of a Catalan building contractor, Jose.\nJose has a Chilean wife, Carmen.\nCarmen and Jose are Rosa's parents.\nPeople from Catalan are not from Chile.\nA building contractor is responsible for the day-to-day oversight of a construction site. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Neither of Rosa's parents is Chilean.", + "answer": false, + "story_id": 194, + "example_id": 553, + "original_premises": "Rosa was born in Santiago. \nSantiago is the capital and largest city of Chile.\nRosa is the daughter of a Catalan building contractor, Jose.\nJose has a Chilean wife, Carmen.\nCarmen and Jose are Rosa's parents.\nPeople from Catalan are not from Chile.\nA building contractor is responsible for the day-to-day oversight of a construction site. ", + "original_conclusion": "Neither of Rosa's parents is Chilean." + }, + { + "id": "folio_554", + "question": "Given the following premises:\n\nRosa was born in Santiago. \nSantiago is the capital and largest city of Chile.\nRosa is the daughter of a Catalan building contractor, Jose.\nJose has a Chilean wife, Carmen.\nCarmen and Jose are Rosa's parents.\nPeople from Catalan are not from Chile.\nA building contractor is responsible for the day-to-day oversight of a construction site. \n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Rosa is the daughter of someone who is responsible for the oversight of traffic.", + "answer": true, + "story_id": 194, + "example_id": 554, + "original_premises": "Rosa was born in Santiago. \nSantiago is the capital and largest city of Chile.\nRosa is the daughter of a Catalan building contractor, Jose.\nJose has a Chilean wife, Carmen.\nCarmen and Jose are Rosa's parents.\nPeople from Catalan are not from Chile.\nA building contractor is responsible for the day-to-day oversight of a construction site. ", + "original_conclusion": "Rosa is the daughter of someone who is responsible for the oversight of traffic." + }, + { + "id": "folio_104", + "question": "Given the following premises:\n\nTyga is a rapper.\nRappers release rap albums.\nTyga released the Well Done 3 album.\nRappers are not opera singers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Well Done 3 is a rap album.", + "answer": true, + "story_id": 36, + "example_id": 104, + "original_premises": "Tyga is a rapper.\nRappers release rap albums.\nTyga released the Well Done 3 album.\nRappers are not opera singers.", + "original_conclusion": "Well Done 3 is a rap album." + }, + { + "id": "folio_105", + "question": "Given the following premises:\n\nTyga is a rapper.\nRappers release rap albums.\nTyga released the Well Done 3 album.\nRappers are not opera singers.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Tyga is an opera singer.", + "answer": false, + "story_id": 36, + "example_id": 105, + "original_premises": "Tyga is a rapper.\nRappers release rap albums.\nTyga released the Well Done 3 album.\nRappers are not opera singers.", + "original_conclusion": "Tyga is an opera singer." + }, + { + "id": "folio_292", + "question": "Given the following premises:\n\nDeborah Wallace is a Scottish-born actress, playwright, and producer.\nPsyche is a play based on the life of James Miranda Barry.\nHomesick, Psyche and The Void are plays by Deborah Wallace.\nDeborah Wallace co-produced Gasland.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Gasland was coproduced by the same person Homesick was from.", + "answer": true, + "story_id": 97, + "example_id": 292, + "original_premises": "Deborah Wallace is a Scottish-born actress, playwright, and producer.\nPsyche is a play based on the life of James Miranda Barry.\nHomesick, Psyche and The Void are plays by Deborah Wallace.\nDeborah Wallace co-produced Gasland.", + "original_conclusion": "Gasland was coproduced by the same person Homesick was from." + }, + { + "id": "folio_293", + "question": "Given the following premises:\n\nDeborah Wallace is a Scottish-born actress, playwright, and producer.\nPsyche is a play based on the life of James Miranda Barry.\nHomesick, Psyche and The Void are plays by Deborah Wallace.\nDeborah Wallace co-produced Gasland.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: No plays by Deborah Wallace are based on the life of James Miranda Barry.", + "answer": false, + "story_id": 97, + "example_id": 293, + "original_premises": "Deborah Wallace is a Scottish-born actress, playwright, and producer.\nPsyche is a play based on the life of James Miranda Barry.\nHomesick, Psyche and The Void are plays by Deborah Wallace.\nDeborah Wallace co-produced Gasland.", + "original_conclusion": "No plays by Deborah Wallace are based on the life of James Miranda Barry." + }, + { + "id": "folio_1293", + "question": "Given the following premises:\n\nAnimals who need large territory travel far.\nEvery animal that eats a lot needs a large territory.\nIf something is a big animal, then it will eat a lot.\nBears are big animals.\nLarry is a big animal.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Larry is not a bear and does not travel far.", + "answer": false, + "story_id": 449, + "example_id": 1293, + "original_premises": "Animals who need large territory travel far.\nEvery animal that eats a lot needs a large territory.\nIf something is a big animal, then it will eat a lot.\nBears are big animals.\nLarry is a big animal.", + "original_conclusion": "Larry is not a bear and does not travel far." + }, + { + "id": "folio_1294", + "question": "Given the following premises:\n\nAnimals who need large territory travel far.\nEvery animal that eats a lot needs a large territory.\nIf something is a big animal, then it will eat a lot.\nBears are big animals.\nLarry is a big animal.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: If Larry either travels far or needs a large territory, then Larry is a bear.", + "answer": true, + "story_id": 449, + "example_id": 1294, + "original_premises": "Animals who need large territory travel far.\nEvery animal that eats a lot needs a large territory.\nIf something is a big animal, then it will eat a lot.\nBears are big animals.\nLarry is a big animal.", + "original_conclusion": "If Larry either travels far or needs a large territory, then Larry is a bear." + }, + { + "id": "folio_1331", + "question": "Given the following premises:\n\nAny convicted criminal that is innocent is not truly guilty.\nAll convicted criminals who did not commit a crime are truly innocent.\nAll convicted criminals are truly guilty or found guilty.\nIf a convicted criminal is found guilty, then they are sentenced to a punishment.\nIf a convicted criminal is found guilty, then they can argue against their punishment.\nGarry is a convicted criminal who not found guilty or is sentenced to punishment.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Garry did not commit a crime and can argue against his punishment.", + "answer": false, + "story_id": 461, + "example_id": 1331, + "original_premises": "Any convicted criminal that is innocent is not truly guilty.\nAll convicted criminals who did not commit a crime are truly innocent.\nAll convicted criminals are truly guilty or found guilty.\nIf a convicted criminal is found guilty, then they are sentenced to a punishment.\nIf a convicted criminal is found guilty, then they can argue against their punishment.\nGarry is a convicted criminal who not found guilty or is sentenced to punishment.", + "original_conclusion": "Garry did not commit a crime and can argue against his punishment." + }, + { + "id": "folio_1332", + "question": "Given the following premises:\n\nAny convicted criminal that is innocent is not truly guilty.\nAll convicted criminals who did not commit a crime are truly innocent.\nAll convicted criminals are truly guilty or found guilty.\nIf a convicted criminal is found guilty, then they are sentenced to a punishment.\nIf a convicted criminal is found guilty, then they can argue against their punishment.\nGarry is a convicted criminal who not found guilty or is sentenced to punishment.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Garry is not both innocent and someone who did not commit a crime.", + "answer": true, + "story_id": 461, + "example_id": 1332, + "original_premises": "Any convicted criminal that is innocent is not truly guilty.\nAll convicted criminals who did not commit a crime are truly innocent.\nAll convicted criminals are truly guilty or found guilty.\nIf a convicted criminal is found guilty, then they are sentenced to a punishment.\nIf a convicted criminal is found guilty, then they can argue against their punishment.\nGarry is a convicted criminal who not found guilty or is sentenced to punishment.", + "original_conclusion": "Garry is not both innocent and someone who did not commit a crime." + }, + { + "id": "folio_400", + "question": "Given the following premises:\n\nPhoneix's music is classified under the indie pop genre.\nPhoenix is a band from France.\nFrench bands write songs in French or in English.\nAside from indie pop, pop rock and synth-pop are two other genres of music.\nPhoenix has no songs in French.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Phoneix's music is classified under the pop rock genre.", + "answer": false, + "story_id": 136, + "example_id": 400, + "original_premises": "Phoneix's music is classified under the indie pop genre.\nPhoenix is a band from France.\nFrench bands write songs in French or in English.\nAside from indie pop, pop rock and synth-pop are two other genres of music.\nPhoenix has no songs in French.", + "original_conclusion": "Phoneix's music is classified under the pop rock genre." + }, + { + "id": "folio_401", + "question": "Given the following premises:\n\nPhoneix's music is classified under the indie pop genre.\nPhoenix is a band from France.\nFrench bands write songs in French or in English.\nAside from indie pop, pop rock and synth-pop are two other genres of music.\nPhoenix has no songs in French.\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: Phoenix writes songs in French.", + "answer": false, + "story_id": 136, + "example_id": 401, + "original_premises": "Phoneix's music is classified under the indie pop genre.\nPhoenix is a band from France.\nFrench bands write songs in French or in English.\nAside from indie pop, pop rock and synth-pop are two other genres of music.\nPhoenix has no songs in French.", + "original_conclusion": "Phoenix writes songs in French." + } +] \ No newline at end of file diff --git a/examples/proofwriter_test.parquet b/data/proofwriter_test.parquet similarity index 100% rename from examples/proofwriter_test.parquet rename to data/proofwriter_test.parquet diff --git a/examples/proofwriter_test_processed.json b/data/proofwriter_test_processed.json similarity index 100% rename from examples/proofwriter_test_processed.json rename to data/proofwriter_test_processed.json diff --git a/examples/strategyQA_train.json b/data/strategyQA_train.json similarity index 100% rename from examples/strategyQA_train.json rename to data/strategyQA_train.json diff --git a/examples/strategyqa_results.json b/data/strategyqa_results.json similarity index 100% rename from examples/strategyqa_results.json rename to data/strategyqa_results.json diff --git a/examples/azure_gpt5_usage.py b/examples/azure_gpt5_usage.py index ba1a637..d97e89a 100644 --- a/examples/azure_gpt5_usage.py +++ b/examples/azure_gpt5_usage.py @@ -6,7 +6,7 @@ # Import Azure configuration helper from azure_config import get_client_config -from z3dsl.reasoning import ProofOfThought +from z3adapter.reasoning import ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") diff --git a/examples/azure_simple_example.py b/examples/azure_simple_example.py index ec6cdaa..4003ab2 100644 --- a/examples/azure_simple_example.py +++ b/examples/azure_simple_example.py @@ -10,7 +10,7 @@ # Import Azure configuration helper from azure_config import get_client_config -from z3dsl.reasoning import ProofOfThought +from z3adapter.reasoning import ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") diff --git a/examples/backend_comparison.py b/examples/backend_comparison.py index bc03ef6..0f3625d 100644 --- a/examples/backend_comparison.py +++ b/examples/backend_comparison.py @@ -9,13 +9,13 @@ import sys from pathlib import Path -# Add parent directory to path for z3dsl imports +# Add parent directory to path for z3adapter imports sys.path.insert(0, str(Path(__file__).parent.parent)) # Import Azure configuration helper from azure_config import get_client_config -from z3dsl.reasoning import ProofOfThought +from z3adapter.reasoning import ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") diff --git a/examples/batch_evaluation.py b/examples/batch_evaluation.py index 7248e19..e60fcd3 100644 --- a/examples/batch_evaluation.py +++ b/examples/batch_evaluation.py @@ -6,7 +6,7 @@ from openai import OpenAI -from z3dsl.reasoning import EvaluationPipeline, ProofOfThought +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") @@ -23,7 +23,7 @@ model = "gpt-4o" # Option 2: Azure OpenAI GPT-5 (uncomment to use) -# from azure_config import get_client_config +# from utils.azure_config import get_client_config # config = get_client_config() # client = config["llm_client"] # model = config["model"] diff --git a/examples/batch_evaluation_smt2_azure.py b/examples/batch_evaluation_smt2_azure.py index 9a582c9..b1d69fb 100644 --- a/examples/batch_evaluation_smt2_azure.py +++ b/examples/batch_evaluation_smt2_azure.py @@ -5,12 +5,12 @@ import sys from pathlib import Path -# Add parent directory to path for z3dsl imports +# Add parent directory to path for z3adapter imports sys.path.insert(0, str(Path(__file__).parent.parent)) from azure_config import get_client_config -from z3dsl.reasoning import EvaluationPipeline, ProofOfThought +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") diff --git a/examples/migration_example.py b/examples/migration_example.py index 26cc717..0b7aca2 100644 --- a/examples/migration_example.py +++ b/examples/migration_example.py @@ -11,7 +11,7 @@ from openai import OpenAI -from z3dsl.reasoning import EvaluationPipeline, ProofOfThought +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought # Configure logging (same as original) logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") diff --git a/examples/simple_usage.py b/examples/simple_usage.py index 3566650..cc48dac 100644 --- a/examples/simple_usage.py +++ b/examples/simple_usage.py @@ -6,7 +6,7 @@ from openai import OpenAI -from z3dsl.reasoning import ProofOfThought +from z3adapter.reasoning import ProofOfThought # Configure logging logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") @@ -23,7 +23,7 @@ pot = ProofOfThought(llm_client=client, model="gpt-4o") # Option 2: Azure OpenAI GPT-5 (uncomment to use) -# from azure_config import get_client_config +# from utils.azure_config import get_client_config # config = get_client_config() # pot = ProofOfThought(llm_client=config["llm_client"], model=config["model"]) diff --git a/examples/test_strategyqa.py b/examples/test_strategyqa.py index eff7dac..060e0e3 100644 --- a/examples/test_strategyqa.py +++ b/examples/test_strategyqa.py @@ -16,7 +16,7 @@ sys.path.insert(0, str(Path(__file__).parent.parent.absolute())) from examples.azure_config import get_client_config -from z3dsl.reasoning import ProofOfThought +from z3adapter.reasoning import ProofOfThought # Configure logging logging.basicConfig( diff --git a/experiments_pipeline.py b/experiments_pipeline.py new file mode 100755 index 0000000..e8f9d54 --- /dev/null +++ b/experiments_pipeline.py @@ -0,0 +1,365 @@ +#!/usr/bin/env python3 +""" +Experiments Pipeline: Run all benchmarks with both backends and generate results table. +Note : This makes a fair number of LLM calls and is only for benchmarking. + +This script: +1. Runs all benchmarks (ProntoQA, FOLIO, ProofWriter, ConditionalQA, StrategyQA) +2. Tests both backends (SMT2 and JSON) +3. Collects metrics and generates comparison tables +4. Updates README.md with results +""" + +import json +import logging +import os +import subprocess +import sys +from datetime import datetime +from typing import Any + +# Configure logging +logging.basicConfig( + level=logging.INFO, + format="%(asctime)s - %(levelname)s - %(message)s", +) +logger = logging.getLogger(__name__) + +# Configuration +BENCHMARKS = { + "prontoqa": "benchmark/bench_prontoqa.py", + "folio": "benchmark/bench_folio.py", + "proofwriter": "benchmark/bench_proofwriter.py", + "conditionalqa": "benchmark/bench_conditionalqa.py", + "strategyqa": "benchmark/bench_strategyqa.py", +} + +BACKENDS = ["smt2", "json"] +RESULTS_DIR = "results" +RESULTS_TABLE_PATH = os.path.join(RESULTS_DIR, "benchmark_results.md") +RESULTS_JSON_PATH = os.path.join(RESULTS_DIR, "benchmark_results.json") + + +def modify_backend_in_script(script_path: str, backend: str) -> None: + """Temporarily modify the BACKEND variable in a benchmark script. + + Args: + script_path: Path to benchmark script + backend: Backend to set ("smt2" or "json") + """ + with open(script_path) as f: + content = f.read() + + # Replace BACKEND = "..." with new value + import re + + modified = re.sub(r'BACKEND = "[^"]*"', f'BACKEND = "{backend}"', content) + + with open(script_path, "w") as f: + f.write(modified) + + logger.info(f"Modified {script_path} to use backend={backend}") + + +def run_benchmark(benchmark_name: str, script_path: str, backend: str) -> bool: + """Run a single benchmark script. + + Args: + benchmark_name: Name of benchmark + script_path: Path to benchmark script + backend: Backend to use + + Returns: + True if successful, False otherwise + """ + logger.info(f"Running {benchmark_name} with {backend} backend...") + + try: + # Modify script to use correct backend + modify_backend_in_script(script_path, backend) + + # Run the benchmark + result = subprocess.run( + [sys.executable, script_path], + capture_output=True, + text=True, + timeout=3600, # 1 hour timeout + ) + + if result.returncode != 0: + logger.error(f"Benchmark {benchmark_name} failed with backend {backend}") + logger.error(f"STDERR: {result.stderr}") + return False + + logger.info(f"Completed {benchmark_name} with {backend} backend") + return True + + except subprocess.TimeoutExpired: + logger.error(f"Benchmark {benchmark_name} timed out with backend {backend}") + return False + except Exception as e: + logger.error(f"Error running {benchmark_name} with {backend}: {e}") + return False + + +def collect_metrics(benchmark_name: str, backend: str) -> dict[str, Any] | None: + """Collect metrics from evaluation results. + + Args: + benchmark_name: Name of benchmark + backend: Backend used + + Returns: + Dictionary of metrics or None if not found + """ + eval_dir = f"output/{backend}_evaluation_{benchmark_name}" + + if not os.path.exists(eval_dir): + logger.warning(f"Results directory not found: {eval_dir}") + return None + + # Collect all result files + result_files = [f for f in os.listdir(eval_dir) if f.endswith("_result.json")] + + if not result_files: + logger.warning(f"No result files found in {eval_dir}") + return None + + # Parse results + total = 0 + correct = 0 + wrong = 0 + failed = 0 + tp = 0 + tn = 0 + fp = 0 + fn = 0 + + for result_file in result_files: + try: + with open(os.path.join(eval_dir, result_file)) as f: + data = json.load(f) + + total += 1 + ground_truth = data.get("ground_truth") + answer = data.get("answer") + success = data.get("success") + + if not success or answer is None: + failed += 1 + continue + + if answer == ground_truth: + correct += 1 + if ground_truth: + tp += 1 + else: + tn += 1 + else: + wrong += 1 + if answer: + fp += 1 + else: + fn += 1 + + except Exception as e: + logger.warning(f"Failed to parse {result_file}: {e}") + continue + + # Calculate metrics + accuracy = correct / total if total > 0 else 0.0 + + # Precision, Recall, F1 + precision = tp / (tp + fp) if (tp + fp) > 0 else 0.0 + recall = tp / (tp + fn) if (tp + fn) > 0 else 0.0 + f1 = 2 * precision * recall / (precision + recall) if (precision + recall) > 0 else 0.0 + + success_rate = (total - failed) / total if total > 0 else 0.0 + + return { + "benchmark": benchmark_name, + "backend": backend, + "total_samples": total, + "correct": correct, + "wrong": wrong, + "failed": failed, + "accuracy": accuracy, + "precision": precision, + "recall": recall, + "f1_score": f1, + "success_rate": success_rate, + "tp": tp, + "tn": tn, + "fp": fp, + "fn": fn, + } + + +def generate_markdown_table(all_results: list[dict[str, Any]]) -> str: + """Generate markdown table from results. + + Args: + all_results: List of result dictionaries + + Returns: + Markdown formatted table + """ + lines = [ + "# Benchmark Results", + "", + f"**Last Updated:** {datetime.now().strftime('%Y-%m-%d %H:%M:%S')}", + "", + "| Benchmark | Backend | Samples | Accuracy | Precision | Recall | F1 Score | Success Rate |", + "|-----------|---------|---------|----------|-----------|--------|----------|--------------|", + ] + + for result in all_results: + line = ( + f"| {result['benchmark'].upper()} " + f"| {result['backend'].upper()} " + f"| {result['total_samples']} " + f"| {result['accuracy']:.2%} " + f"| {result['precision']:.4f} " + f"| {result['recall']:.4f} " + f"| {result['f1_score']:.4f} " + f"| {result['success_rate']:.2%} |" + ) + lines.append(line) + + lines.extend( + [ + "", + "## Notes", + "", + "- **Success Rate**: Percentage of queries that completed without errors", + "", + ] + ) + + return "\n".join(lines) + + +def update_readme(table_content: str) -> None: + """Update README.md with benchmark results. + + Args: + table_content: Markdown table content + """ + readme_path = "README.md" + + with open(readme_path) as f: + readme_content = f.read() + + # Check if markers exist + start_marker = "" + end_marker = "" + + if start_marker in readme_content and end_marker in readme_content: + # Replace existing content + import re + + pattern = f"{re.escape(start_marker)}.*?{re.escape(end_marker)}" + replacement = f"{start_marker}\n\n{table_content}\n\n{end_marker}" + new_content = re.sub(pattern, replacement, readme_content, flags=re.DOTALL) + else: + # Append at the end + new_content = ( + readme_content.rstrip() + f"\n\n{start_marker}\n\n{table_content}\n\n{end_marker}\n" + ) + + with open(readme_path, "w") as f: + f.write(new_content) + + logger.info("Updated README.md with benchmark results") + + +def main() -> None: + """Main execution pipeline.""" + print("=" * 80) + print("EXPERIMENTS PIPELINE: BENCHMARK ALL DATASETS WITH BOTH BACKENDS") + print("=" * 80) + print() + + # Create results directory + os.makedirs(RESULTS_DIR, exist_ok=True) + + # Track all results + all_results = [] + + # Run benchmarks + for backend in BACKENDS: + print(f"\n{'=' * 80}") + print(f"BACKEND: {backend.upper()}") + print(f"{'=' * 80}\n") + + for benchmark_name, script_path in BENCHMARKS.items(): + print(f"\n{'-' * 80}") + print(f"Running {benchmark_name.upper()} with {backend.upper()} backend") + print(f"{'-' * 80}\n") + + # Run benchmark + success = run_benchmark(benchmark_name, script_path, backend) + + if not success: + logger.warning(f"Skipping metrics collection for {benchmark_name} ({backend})") + continue + + # Collect metrics + metrics = collect_metrics(benchmark_name, backend) + if metrics: + all_results.append(metrics) + logger.info(f"Collected metrics for {benchmark_name} ({backend})") + else: + logger.warning(f"Failed to collect metrics for {benchmark_name} ({backend})") + + # Generate results table + if not all_results: + logger.error("No results collected. Exiting.") + return + + print("\n" + "=" * 80) + print("GENERATING RESULTS TABLE") + print("=" * 80 + "\n") + + # Save JSON results + with open(RESULTS_JSON_PATH, "w") as f: + json.dump(all_results, f, indent=2) + logger.info(f"Saved raw results to {RESULTS_JSON_PATH}") + + # Generate markdown table + table_content = generate_markdown_table(all_results) + + with open(RESULTS_TABLE_PATH, "w") as f: + f.write(table_content) + logger.info(f"Saved markdown table to {RESULTS_TABLE_PATH}") + + # Update README + update_readme(table_content) + + # Print summary + print("\n" + "=" * 80) + print("PIPELINE COMPLETE") + print("=" * 80) + print("\nResults saved to:") + print(f" - {RESULTS_TABLE_PATH}") + print(f" - {RESULTS_JSON_PATH}") + print(" - README.md (updated)") + print() + print("Summary:") + print(f" - Total benchmarks run: {len(all_results)}") + print(f" - Backends tested: {', '.join(BACKENDS)}") + print() + + +if __name__ == "__main__": + try: + main() + except KeyboardInterrupt: + print("\n\nPipeline interrupted by user") + sys.exit(1) + except Exception as e: + logger.error(f"Pipeline failed: {e}") + import traceback + + traceback.print_exc() + sys.exit(1) diff --git a/results/.gitkeep b/results/.gitkeep new file mode 100644 index 0000000..e69de29 diff --git a/results/benchmark_results.json b/results/benchmark_results.json new file mode 100644 index 0000000..179e896 --- /dev/null +++ b/results/benchmark_results.json @@ -0,0 +1,172 @@ +[ + { + "benchmark": "prontoqa", + "backend": "smt2", + "total_samples": 100, + "correct": 100, + "wrong": 0, + "failed": 0, + "accuracy": 1.0, + "precision": 1.0, + "recall": 1.0, + "f1_score": 1.0, + "success_rate": 1.0, + "tp": 54, + "tn": 46, + "fp": 0, + "fn": 0 + }, + { + "benchmark": "folio", + "backend": "smt2", + "total_samples": 100, + "correct": 69, + "wrong": 30, + "failed": 1, + "accuracy": 0.69, + "precision": 0.6949152542372882, + "recall": 0.7735849056603774, + "f1_score": 0.7321428571428573, + "success_rate": 0.99, + "tp": 41, + "tn": 28, + "fp": 18, + "fn": 12 + }, + { + "benchmark": "proofwriter", + "backend": "smt2", + "total_samples": 96, + "correct": 95, + "wrong": 0, + "failed": 1, + "accuracy": 0.9895833333333334, + "precision": 1.0, + "recall": 1.0, + "f1_score": 1.0, + "success_rate": 0.9895833333333334, + "tp": 46, + "tn": 49, + "fp": 0, + "fn": 0 + }, + { + "benchmark": "conditionalqa", + "backend": "smt2", + "total_samples": 100, + "correct": 83, + "wrong": 17, + "failed": 0, + "accuracy": 0.83, + "precision": 0.9375, + "recall": 0.821917808219178, + "f1_score": 0.8759124087591241, + "success_rate": 1.0, + "tp": 60, + "tn": 23, + "fp": 4, + "fn": 13 + }, + { + "benchmark": "strategyqa", + "backend": "smt2", + "total_samples": 100, + "correct": 84, + "wrong": 16, + "failed": 0, + "accuracy": 0.84, + "precision": 0.8205128205128205, + "recall": 0.7804878048780488, + "f1_score": 0.8, + "success_rate": 1.0, + "tp": 32, + "tn": 52, + "fp": 7, + "fn": 9 + }, + { + "benchmark": "prontoqa", + "backend": "json", + "total_samples": 100, + "correct": 99, + "wrong": 1, + "failed": 0, + "accuracy": 0.99, + "precision": 1.0, + "recall": 0.9814814814814815, + "f1_score": 0.9906542056074767, + "success_rate": 1.0, + "tp": 53, + "tn": 46, + "fp": 0, + "fn": 1 + }, + { + "benchmark": "folio", + "backend": "json", + "total_samples": 100, + "correct": 76, + "wrong": 18, + "failed": 6, + "accuracy": 0.76, + "precision": 0.7619047619047619, + "recall": 0.9411764705882353, + "f1_score": 0.8421052631578947, + "success_rate": 0.94, + "tp": 48, + "tn": 28, + "fp": 15, + "fn": 3 + }, + { + "benchmark": "proofwriter", + "backend": "json", + "total_samples": 96, + "correct": 92, + "wrong": 0, + "failed": 4, + "accuracy": 0.9583333333333334, + "precision": 1.0, + "recall": 1.0, + "f1_score": 1.0, + "success_rate": 0.9583333333333334, + "tp": 45, + "tn": 47, + "fp": 0, + "fn": 0 + }, + { + "benchmark": "conditionalqa", + "backend": "json", + "total_samples": 100, + "correct": 76, + "wrong": 13, + "failed": 11, + "accuracy": 0.76, + "precision": 0.9180327868852459, + "recall": 0.875, + "f1_score": 0.8959999999999999, + "success_rate": 0.89, + "tp": 56, + "tn": 20, + "fp": 5, + "fn": 8 + }, + { + "benchmark": "strategyqa", + "backend": "json", + "total_samples": 100, + "correct": 68, + "wrong": 18, + "failed": 14, + "accuracy": 0.68, + "precision": 0.75, + "recall": 0.7894736842105263, + "f1_score": 0.7692307692307692, + "success_rate": 0.86, + "tp": 30, + "tn": 38, + "fp": 10, + "fn": 8 + } +] \ No newline at end of file diff --git a/results/benchmark_results.md b/results/benchmark_results.md new file mode 100644 index 0000000..32dceb6 --- /dev/null +++ b/results/benchmark_results.md @@ -0,0 +1,24 @@ +# Benchmark Results + +**Last Updated:** 2025-10-16 18:14:07 + +| Benchmark | Backend | Samples | Accuracy | Precision | Recall | F1 Score | Success Rate | +|-----------|---------|---------|----------|-----------|--------|----------|--------------| +| PRONTOQA | SMT2 | 100 | 100.00% | 1.0000 | 1.0000 | 1.0000 | 100.00% | +| FOLIO | SMT2 | 100 | 69.00% | 0.6949 | 0.7736 | 0.7321 | 99.00% | +| PROOFWRITER | SMT2 | 96 | 98.96% | 1.0000 | 1.0000 | 1.0000 | 98.96% | +| CONDITIONALQA | SMT2 | 100 | 83.00% | 0.9375 | 0.8219 | 0.8759 | 100.00% | +| STRATEGYQA | SMT2 | 100 | 84.00% | 0.8205 | 0.7805 | 0.8000 | 100.00% | +| PRONTOQA | JSON | 100 | 99.00% | 1.0000 | 0.9815 | 0.9907 | 100.00% | +| FOLIO | JSON | 100 | 76.00% | 0.7619 | 0.9412 | 0.8421 | 94.00% | +| PROOFWRITER | JSON | 96 | 95.83% | 1.0000 | 1.0000 | 1.0000 | 95.83% | +| CONDITIONALQA | JSON | 100 | 76.00% | 0.9180 | 0.8750 | 0.8960 | 89.00% | +| STRATEGYQA | JSON | 100 | 68.00% | 0.7500 | 0.7895 | 0.7692 | 86.00% | + +## Notes + +- **Accuracy**: Percentage of correct predictions +- **Precision**: True positives / (True positives + False positives) +- **Recall**: True positives / (True positives + False negatives) +- **F1 Score**: Harmonic mean of precision and recall +- **Success Rate**: Percentage of queries that completed without errors diff --git a/run_interpreter.py b/run_interpreter.py index 33bd86d..15ff79a 100755 --- a/run_interpreter.py +++ b/run_interpreter.py @@ -1,7 +1,7 @@ #!/usr/bin/env python3 """Convenience script to run the Z3 DSL interpreter.""" -from z3dsl.cli import main +from z3adapter.cli import main if __name__ == "__main__": main() diff --git a/tests/integration/test_bug_fixes.py b/tests/integration/test_bug_fixes.py index ac82ca5..13e16e0 100644 --- a/tests/integration/test_bug_fixes.py +++ b/tests/integration/test_bug_fixes.py @@ -7,10 +7,10 @@ from z3 import Const, IntSort -from z3dsl.dsl.expressions import ExpressionParser -from z3dsl.dsl.sorts import SortManager -from z3dsl.interpreter import Z3JSONInterpreter -from z3dsl.security.validator import ExpressionValidator +from z3adapter.dsl.expressions import ExpressionParser +from z3adapter.dsl.sorts import SortManager +from z3adapter.interpreter import Z3JSONInterpreter +from z3adapter.security.validator import ExpressionValidator class TestBugFixes(unittest.TestCase): @@ -19,7 +19,7 @@ class TestBugFixes(unittest.TestCase): def test_bug1_wildcard_import_fixed(self) -> None: """Bug #1: Wildcard import pollution is fixed.""" # Check that main.py doesn't use wildcard imports anymore - with open("z3dsl/interpreter.py") as f: + with open("z3adapter/interpreter.py") as f: content = f.read() self.assertNotIn("from z3 import *", content) self.assertNotIn("import *", content) @@ -165,13 +165,13 @@ def test_bug10_verification_uses_check_condition(self) -> None: def test_bug11_logging_configured_in_main_only(self) -> None: """Bug #11: Logging configured in __main__ block only.""" - # Check that z3dsl modules don't call basicConfig - with open("z3dsl/interpreter.py") as f: + # Check that z3adapter modules don't call basicConfig + with open("z3adapter/interpreter.py") as f: content = f.read() self.assertNotIn("basicConfig", content) # CLI should have basicConfig - with open("z3dsl/cli.py") as f: + with open("z3adapter/cli.py") as f: content = f.read() self.assertIn("basicConfig", content) diff --git a/tests/integration/test_interpreter.py b/tests/integration/test_interpreter.py index 85edd9f..1a4f62c 100644 --- a/tests/integration/test_interpreter.py +++ b/tests/integration/test_interpreter.py @@ -5,7 +5,7 @@ import tempfile import unittest -from z3dsl.interpreter import Z3JSONInterpreter +from z3adapter.interpreter import Z3JSONInterpreter class TestZ3JSONInterpreter(unittest.TestCase): diff --git a/tests/unit/test_expression_parser.py b/tests/unit/test_expression_parser.py index 02474cc..cad4319 100644 --- a/tests/unit/test_expression_parser.py +++ b/tests/unit/test_expression_parser.py @@ -5,7 +5,7 @@ from z3 import BoolSort, Const, Function, IntSort -from z3dsl.dsl.expressions import ExpressionParser +from z3adapter.dsl.expressions import ExpressionParser class TestExpressionParser(unittest.TestCase): @@ -94,7 +94,7 @@ def test_parse_expression_with_undefined_name(self) -> None: def test_add_knowledge_base_simple(self) -> None: """Test adding simple knowledge base assertions.""" - from z3dsl.solvers.z3_solver import Z3Solver + from z3adapter.solvers.z3_solver import Z3Solver solver = Z3Solver() knowledge_base = ["x > 0", "y < 10"] @@ -104,7 +104,7 @@ def test_add_knowledge_base_simple(self) -> None: def test_add_knowledge_base_with_negation(self) -> None: """Test adding knowledge base with value=False.""" - from z3dsl.solvers.z3_solver import Z3Solver + from z3adapter.solvers.z3_solver import Z3Solver solver = Z3Solver() knowledge_base = [{"assertion": "x > 100", "value": False}] @@ -113,7 +113,7 @@ def test_add_knowledge_base_with_negation(self) -> None: def test_add_knowledge_base_invalid_assertion(self) -> None: """Test that invalid assertions raise error.""" - from z3dsl.solvers.z3_solver import Z3Solver + from z3adapter.solvers.z3_solver import Z3Solver solver = Z3Solver() knowledge_base = ["invalid + syntax +"] @@ -122,7 +122,7 @@ def test_add_knowledge_base_invalid_assertion(self) -> None: def test_add_rules_with_forall(self) -> None: """Test adding rules with universal quantification.""" - from z3dsl.solvers.z3_solver import Z3Solver + from z3adapter.solvers.z3_solver import Z3Solver solver = Z3Solver() sorts = {"IntSort": IntSort()} @@ -131,7 +131,7 @@ def test_add_rules_with_forall(self) -> None: def test_add_rules_with_implication(self) -> None: """Test adding implication rules.""" - from z3dsl.solvers.z3_solver import Z3Solver + from z3adapter.solvers.z3_solver import Z3Solver solver = Z3Solver() sorts = {"IntSort": IntSort()} @@ -145,7 +145,7 @@ def test_add_rules_with_implication(self) -> None: def test_add_rules_empty_forall_raises_error(self) -> None: """Test that empty forall list raises error.""" - from z3dsl.solvers.z3_solver import Z3Solver + from z3adapter.solvers.z3_solver import Z3Solver solver = Z3Solver() sorts = {"IntSort": IntSort()} @@ -156,7 +156,7 @@ def test_add_rules_empty_forall_raises_error(self) -> None: def test_add_rules_implication_without_forall_raises_error(self) -> None: """Test that implication without forall raises error.""" - from z3dsl.solvers.z3_solver import Z3Solver + from z3adapter.solvers.z3_solver import Z3Solver solver = Z3Solver() sorts = {"IntSort": IntSort()} @@ -167,7 +167,7 @@ def test_add_rules_implication_without_forall_raises_error(self) -> None: def test_add_rules_constraint_without_forall(self) -> None: """Test adding constraint rule without quantification.""" - from z3dsl.solvers.z3_solver import Z3Solver + from z3adapter.solvers.z3_solver import Z3Solver solver = Z3Solver() sorts = {"IntSort": IntSort()} @@ -177,7 +177,7 @@ def test_add_rules_constraint_without_forall(self) -> None: def test_add_rules_invalid_rule_format(self) -> None: """Test that invalid rule format raises error.""" - from z3dsl.solvers.z3_solver import Z3Solver + from z3adapter.solvers.z3_solver import Z3Solver solver = Z3Solver() sorts = {"IntSort": IntSort()} diff --git a/tests/unit/test_optimizer.py b/tests/unit/test_optimizer.py index 5cb786a..be1da6c 100644 --- a/tests/unit/test_optimizer.py +++ b/tests/unit/test_optimizer.py @@ -5,8 +5,8 @@ from z3 import Const, IntSort -from z3dsl.dsl.expressions import ExpressionParser -from z3dsl.optimization.optimizer import OptimizerRunner +from z3adapter.dsl.expressions import ExpressionParser +from z3adapter.optimization.optimizer import OptimizerRunner class TestOptimizerRunner(unittest.TestCase): diff --git a/tests/unit/test_security_validator.py b/tests/unit/test_security_validator.py index b2ad6fc..247b1b1 100644 --- a/tests/unit/test_security_validator.py +++ b/tests/unit/test_security_validator.py @@ -3,7 +3,7 @@ import ast import unittest -from z3dsl.security.validator import ExpressionValidator +from z3adapter.security.validator import ExpressionValidator class TestExpressionValidator(unittest.TestCase): diff --git a/tests/unit/test_sort_manager.py b/tests/unit/test_sort_manager.py index b0e7f19..31a333c 100644 --- a/tests/unit/test_sort_manager.py +++ b/tests/unit/test_sort_manager.py @@ -4,7 +4,7 @@ from z3 import BoolSort, IntSort, RealSort, is_sort -from z3dsl.dsl.sorts import SortManager +from z3adapter.dsl.sorts import SortManager class TestSortManager(unittest.TestCase): diff --git a/tests/unit/test_verifier.py b/tests/unit/test_verifier.py index aeef48e..01e8c91 100644 --- a/tests/unit/test_verifier.py +++ b/tests/unit/test_verifier.py @@ -5,9 +5,9 @@ from z3 import BoolSort, Const, IntSort -from z3dsl.dsl.expressions import ExpressionParser -from z3dsl.solvers.z3_solver import Z3Solver -from z3dsl.verification.verifier import Verifier +from z3adapter.dsl.expressions import ExpressionParser +from z3adapter.solvers.z3_solver import Z3Solver +from z3adapter.verification.verifier import Verifier class TestVerifier(unittest.TestCase): diff --git a/utils/__init__.py b/utils/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/examples/azure_config.py b/utils/azure_config.py similarity index 100% rename from examples/azure_config.py rename to utils/azure_config.py diff --git a/z3adapter/__init__.py b/z3adapter/__init__.py new file mode 100644 index 0000000..2230410 --- /dev/null +++ b/z3adapter/__init__.py @@ -0,0 +1,8 @@ +"""Z3 DSL Interpreter - A JSON-based DSL for Z3 theorem prover.""" + +from z3adapter._version import __version__ +from z3adapter.interpreter import Z3JSONInterpreter +from z3adapter.solvers.abstract import AbstractSolver +from z3adapter.solvers.z3_solver import Z3Solver + +__all__ = ["Z3JSONInterpreter", "AbstractSolver", "Z3Solver", "__version__"] diff --git a/z3adapter/_version.py b/z3adapter/_version.py new file mode 100644 index 0000000..831d194 --- /dev/null +++ b/z3adapter/_version.py @@ -0,0 +1,3 @@ +"""Version information for z3adapter package.""" + +__version__ = "1.0.0" diff --git a/z3adapter/backends/__init__.py b/z3adapter/backends/__init__.py new file mode 100644 index 0000000..7eb31fb --- /dev/null +++ b/z3adapter/backends/__init__.py @@ -0,0 +1,7 @@ +"""Backend implementations for Z3 DSL execution.""" + +from z3adapter.backends.abstract import Backend +from z3adapter.backends.json_backend import JSONBackend +from z3adapter.backends.smt2_backend import SMT2Backend + +__all__ = ["Backend", "JSONBackend", "SMT2Backend"] diff --git a/z3dsl/backends/abstract.py b/z3adapter/backends/abstract.py similarity index 100% rename from z3dsl/backends/abstract.py rename to z3adapter/backends/abstract.py diff --git a/z3dsl/backends/json_backend.py b/z3adapter/backends/json_backend.py similarity index 93% rename from z3dsl/backends/json_backend.py rename to z3adapter/backends/json_backend.py index 0794681..6e85c9f 100644 --- a/z3dsl/backends/json_backend.py +++ b/z3adapter/backends/json_backend.py @@ -4,9 +4,9 @@ import logging from contextlib import redirect_stderr, redirect_stdout -from z3dsl.backends.abstract import Backend, VerificationResult -from z3dsl.interpreter import Z3JSONInterpreter -from z3dsl.reasoning.prompt_template import DSL_INSTRUCTIONS +from z3adapter.backends.abstract import Backend, VerificationResult +from z3adapter.interpreter import Z3JSONInterpreter +from z3adapter.reasoning.prompt_template import DSL_INSTRUCTIONS logger = logging.getLogger(__name__) diff --git a/z3dsl/backends/smt2_backend.py b/z3adapter/backends/smt2_backend.py similarity index 97% rename from z3dsl/backends/smt2_backend.py rename to z3adapter/backends/smt2_backend.py index 82478ef..9c1ddbc 100644 --- a/z3dsl/backends/smt2_backend.py +++ b/z3adapter/backends/smt2_backend.py @@ -5,8 +5,8 @@ import shutil import subprocess -from z3dsl.backends.abstract import Backend, VerificationResult -from z3dsl.reasoning.smt2_prompt_template import SMT2_INSTRUCTIONS +from z3adapter.backends.abstract import Backend, VerificationResult +from z3adapter.reasoning.smt2_prompt_template import SMT2_INSTRUCTIONS logger = logging.getLogger(__name__) diff --git a/z3dsl/cli.py b/z3adapter/cli.py similarity index 97% rename from z3dsl/cli.py rename to z3adapter/cli.py index b95087c..09e20a0 100644 --- a/z3dsl/cli.py +++ b/z3adapter/cli.py @@ -4,7 +4,7 @@ import logging import sys -from z3dsl.interpreter import Z3JSONInterpreter +from z3adapter.interpreter import Z3JSONInterpreter logger = logging.getLogger(__name__) diff --git a/z3adapter/dsl/__init__.py b/z3adapter/dsl/__init__.py new file mode 100644 index 0000000..5e308ab --- /dev/null +++ b/z3adapter/dsl/__init__.py @@ -0,0 +1,6 @@ +"""DSL components for Z3 JSON interpreter.""" + +from z3adapter.dsl.expressions import ExpressionParser +from z3adapter.dsl.sorts import SortManager + +__all__ = ["SortManager", "ExpressionParser"] diff --git a/z3dsl/dsl/expressions.py b/z3adapter/dsl/expressions.py similarity index 99% rename from z3dsl/dsl/expressions.py rename to z3adapter/dsl/expressions.py index 044bcf3..18eeb61 100644 --- a/z3dsl/dsl/expressions.py +++ b/z3adapter/dsl/expressions.py @@ -21,7 +21,7 @@ Sum, ) -from z3dsl.security.validator import ExpressionValidator +from z3adapter.security.validator import ExpressionValidator logger = logging.getLogger(__name__) diff --git a/z3dsl/dsl/sorts.py b/z3adapter/dsl/sorts.py similarity index 100% rename from z3dsl/dsl/sorts.py rename to z3adapter/dsl/sorts.py diff --git a/z3dsl/interpreter.py b/z3adapter/interpreter.py similarity index 95% rename from z3dsl/interpreter.py rename to z3adapter/interpreter.py index fc6e412..0bf7271 100644 --- a/z3dsl/interpreter.py +++ b/z3adapter/interpreter.py @@ -4,12 +4,12 @@ import logging from typing import Any -from z3dsl.dsl.expressions import ExpressionParser -from z3dsl.dsl.sorts import SortManager -from z3dsl.optimization.optimizer import OptimizerRunner -from z3dsl.solvers.abstract import AbstractSolver -from z3dsl.solvers.z3_solver import Z3Solver -from z3dsl.verification.verifier import Verifier +from z3adapter.dsl.expressions import ExpressionParser +from z3adapter.dsl.sorts import SortManager +from z3adapter.optimization.optimizer import OptimizerRunner +from z3adapter.solvers.abstract import AbstractSolver +from z3adapter.solvers.z3_solver import Z3Solver +from z3adapter.verification.verifier import Verifier logger = logging.getLogger(__name__) diff --git a/z3dsl/optimization/__init__.py b/z3adapter/optimization/__init__.py similarity index 54% rename from z3dsl/optimization/__init__.py rename to z3adapter/optimization/__init__.py index b85f3d1..58d0302 100644 --- a/z3dsl/optimization/__init__.py +++ b/z3adapter/optimization/__init__.py @@ -1,5 +1,5 @@ """Optimization components for Z3 DSL.""" -from z3dsl.optimization.optimizer import OptimizerRunner +from z3adapter.optimization.optimizer import OptimizerRunner __all__ = ["OptimizerRunner"] diff --git a/z3dsl/optimization/optimizer.py b/z3adapter/optimization/optimizer.py similarity index 98% rename from z3dsl/optimization/optimizer.py rename to z3adapter/optimization/optimizer.py index ae7a77a..a671082 100644 --- a/z3dsl/optimization/optimizer.py +++ b/z3adapter/optimization/optimizer.py @@ -5,7 +5,7 @@ from z3 import Const, Optimize, sat -from z3dsl.security.validator import ExpressionValidator +from z3adapter.security.validator import ExpressionValidator logger = logging.getLogger(__name__) diff --git a/z3adapter/reasoning/__init__.py b/z3adapter/reasoning/__init__.py new file mode 100644 index 0000000..e1376ed --- /dev/null +++ b/z3adapter/reasoning/__init__.py @@ -0,0 +1,18 @@ +"""Reasoning components for proof-of-thought using Z3.""" + +from z3adapter.reasoning.evaluation import EvaluationMetrics, EvaluationPipeline, EvaluationResult +from z3adapter.reasoning.program_generator import GenerationResult, Z3ProgramGenerator +from z3adapter.reasoning.proof_of_thought import ProofOfThought, QueryResult +from z3adapter.reasoning.verifier import VerificationResult, Z3Verifier + +__all__ = [ + "Z3Verifier", + "VerificationResult", + "Z3ProgramGenerator", + "GenerationResult", + "ProofOfThought", + "QueryResult", + "EvaluationPipeline", + "EvaluationResult", + "EvaluationMetrics", +] diff --git a/z3dsl/reasoning/evaluation.py b/z3adapter/reasoning/evaluation.py similarity index 99% rename from z3dsl/reasoning/evaluation.py rename to z3adapter/reasoning/evaluation.py index 1d4c3ab..ceb879a 100644 --- a/z3dsl/reasoning/evaluation.py +++ b/z3adapter/reasoning/evaluation.py @@ -15,7 +15,7 @@ recall_score, ) -from z3dsl.reasoning.proof_of_thought import ProofOfThought, QueryResult +from z3adapter.reasoning.proof_of_thought import ProofOfThought, QueryResult logger = logging.getLogger(__name__) diff --git a/z3dsl/reasoning/program_generator.py b/z3adapter/reasoning/program_generator.py similarity index 98% rename from z3dsl/reasoning/program_generator.py rename to z3adapter/reasoning/program_generator.py index 70fdec5..54ee2eb 100644 --- a/z3dsl/reasoning/program_generator.py +++ b/z3adapter/reasoning/program_generator.py @@ -6,8 +6,8 @@ from dataclasses import dataclass from typing import Any, Literal -from z3dsl.reasoning.prompt_template import build_prompt -from z3dsl.reasoning.smt2_prompt_template import build_smt2_prompt +from z3adapter.reasoning.prompt_template import build_prompt +from z3adapter.reasoning.smt2_prompt_template import build_smt2_prompt logger = logging.getLogger(__name__) diff --git a/z3dsl/reasoning/prompt_template.py b/z3adapter/reasoning/prompt_template.py similarity index 100% rename from z3dsl/reasoning/prompt_template.py rename to z3adapter/reasoning/prompt_template.py diff --git a/z3dsl/reasoning/proof_of_thought.py b/z3adapter/reasoning/proof_of_thought.py similarity index 96% rename from z3dsl/reasoning/proof_of_thought.py rename to z3adapter/reasoning/proof_of_thought.py index 398d1e3..5346a5f 100644 --- a/z3dsl/reasoning/proof_of_thought.py +++ b/z3adapter/reasoning/proof_of_thought.py @@ -8,10 +8,10 @@ from dataclasses import dataclass from typing import TYPE_CHECKING, Any, Literal -from z3dsl.reasoning.program_generator import Z3ProgramGenerator +from z3adapter.reasoning.program_generator import Z3ProgramGenerator if TYPE_CHECKING: - from z3dsl.backends.abstract import Backend + from z3adapter.backends.abstract import Backend logger = logging.getLogger(__name__) @@ -77,13 +77,13 @@ def __init__( # Initialize appropriate backend (import here to avoid circular imports) if backend == "json": - from z3dsl.backends.json_backend import JSONBackend + from z3adapter.backends.json_backend import JSONBackend backend_instance: Backend = JSONBackend( verify_timeout=verify_timeout, optimize_timeout=optimize_timeout ) else: # smt2 - from z3dsl.backends.smt2_backend import SMT2Backend + from z3adapter.backends.smt2_backend import SMT2Backend backend_instance = SMT2Backend(verify_timeout=verify_timeout, z3_path=z3_path) diff --git a/z3dsl/reasoning/smt2_prompt_template.py b/z3adapter/reasoning/smt2_prompt_template.py similarity index 100% rename from z3dsl/reasoning/smt2_prompt_template.py rename to z3adapter/reasoning/smt2_prompt_template.py diff --git a/z3dsl/reasoning/verifier.py b/z3adapter/reasoning/verifier.py similarity index 98% rename from z3dsl/reasoning/verifier.py rename to z3adapter/reasoning/verifier.py index 8900d42..e37429d 100644 --- a/z3dsl/reasoning/verifier.py +++ b/z3adapter/reasoning/verifier.py @@ -5,7 +5,7 @@ from contextlib import redirect_stderr, redirect_stdout from dataclasses import dataclass -from z3dsl.interpreter import Z3JSONInterpreter +from z3adapter.interpreter import Z3JSONInterpreter logger = logging.getLogger(__name__) diff --git a/z3dsl/security/__init__.py b/z3adapter/security/__init__.py similarity index 58% rename from z3dsl/security/__init__.py rename to z3adapter/security/__init__.py index 278715f..62d408e 100644 --- a/z3dsl/security/__init__.py +++ b/z3adapter/security/__init__.py @@ -1,5 +1,5 @@ """Security validation for Z3 DSL expressions.""" -from z3dsl.security.validator import ExpressionValidator +from z3adapter.security.validator import ExpressionValidator __all__ = ["ExpressionValidator"] diff --git a/z3dsl/security/validator.py b/z3adapter/security/validator.py similarity index 100% rename from z3dsl/security/validator.py rename to z3adapter/security/validator.py diff --git a/z3adapter/solvers/__init__.py b/z3adapter/solvers/__init__.py new file mode 100644 index 0000000..bec9646 --- /dev/null +++ b/z3adapter/solvers/__init__.py @@ -0,0 +1,6 @@ +"""Solver implementations for Z3 DSL.""" + +from z3adapter.solvers.abstract import AbstractSolver +from z3adapter.solvers.z3_solver import Z3Solver + +__all__ = ["AbstractSolver", "Z3Solver"] diff --git a/z3dsl/solvers/abstract.py b/z3adapter/solvers/abstract.py similarity index 100% rename from z3dsl/solvers/abstract.py rename to z3adapter/solvers/abstract.py diff --git a/z3dsl/solvers/z3_solver.py b/z3adapter/solvers/z3_solver.py similarity index 93% rename from z3dsl/solvers/z3_solver.py rename to z3adapter/solvers/z3_solver.py index 47bf97f..7911f3a 100644 --- a/z3dsl/solvers/z3_solver.py +++ b/z3adapter/solvers/z3_solver.py @@ -4,7 +4,7 @@ from z3 import Solver -from z3dsl.solvers.abstract import AbstractSolver +from z3adapter.solvers.abstract import AbstractSolver class Z3Solver(AbstractSolver): diff --git a/z3dsl/verification/__init__.py b/z3adapter/verification/__init__.py similarity index 55% rename from z3dsl/verification/__init__.py rename to z3adapter/verification/__init__.py index 891d382..a1e9f6f 100644 --- a/z3dsl/verification/__init__.py +++ b/z3adapter/verification/__init__.py @@ -1,5 +1,5 @@ """Verification components for Z3 DSL.""" -from z3dsl.verification.verifier import Verifier +from z3adapter.verification.verifier import Verifier __all__ = ["Verifier"] diff --git a/z3dsl/verification/verifier.py b/z3adapter/verification/verifier.py similarity index 100% rename from z3dsl/verification/verifier.py rename to z3adapter/verification/verifier.py diff --git a/z3dsl/__init__.py b/z3dsl/__init__.py deleted file mode 100644 index a26907f..0000000 --- a/z3dsl/__init__.py +++ /dev/null @@ -1,8 +0,0 @@ -"""Z3 DSL Interpreter - A JSON-based DSL for Z3 theorem prover.""" - -from z3dsl._version import __version__ -from z3dsl.interpreter import Z3JSONInterpreter -from z3dsl.solvers.abstract import AbstractSolver -from z3dsl.solvers.z3_solver import Z3Solver - -__all__ = ["Z3JSONInterpreter", "AbstractSolver", "Z3Solver", "__version__"] diff --git a/z3dsl/_version.py b/z3dsl/_version.py deleted file mode 100644 index 1e2e5af..0000000 --- a/z3dsl/_version.py +++ /dev/null @@ -1,3 +0,0 @@ -"""Version information for z3dsl package.""" - -__version__ = "1.0.0" diff --git a/z3dsl/backends/__init__.py b/z3dsl/backends/__init__.py deleted file mode 100644 index 96dee35..0000000 --- a/z3dsl/backends/__init__.py +++ /dev/null @@ -1,7 +0,0 @@ -"""Backend implementations for Z3 DSL execution.""" - -from z3dsl.backends.abstract import Backend -from z3dsl.backends.json_backend import JSONBackend -from z3dsl.backends.smt2_backend import SMT2Backend - -__all__ = ["Backend", "JSONBackend", "SMT2Backend"] diff --git a/z3dsl/dsl/__init__.py b/z3dsl/dsl/__init__.py deleted file mode 100644 index 1cc88a5..0000000 --- a/z3dsl/dsl/__init__.py +++ /dev/null @@ -1,6 +0,0 @@ -"""DSL components for Z3 JSON interpreter.""" - -from z3dsl.dsl.expressions import ExpressionParser -from z3dsl.dsl.sorts import SortManager - -__all__ = ["SortManager", "ExpressionParser"] diff --git a/z3dsl/reasoning/__init__.py b/z3dsl/reasoning/__init__.py deleted file mode 100644 index cf8a5f2..0000000 --- a/z3dsl/reasoning/__init__.py +++ /dev/null @@ -1,18 +0,0 @@ -"""Reasoning components for proof-of-thought using Z3.""" - -from z3dsl.reasoning.evaluation import EvaluationMetrics, EvaluationPipeline, EvaluationResult -from z3dsl.reasoning.program_generator import GenerationResult, Z3ProgramGenerator -from z3dsl.reasoning.proof_of_thought import ProofOfThought, QueryResult -from z3dsl.reasoning.verifier import VerificationResult, Z3Verifier - -__all__ = [ - "Z3Verifier", - "VerificationResult", - "Z3ProgramGenerator", - "GenerationResult", - "ProofOfThought", - "QueryResult", - "EvaluationPipeline", - "EvaluationResult", - "EvaluationMetrics", -] diff --git a/z3dsl/solvers/__init__.py b/z3dsl/solvers/__init__.py deleted file mode 100644 index 94c00e7..0000000 --- a/z3dsl/solvers/__init__.py +++ /dev/null @@ -1,6 +0,0 @@ -"""Solver implementations for Z3 DSL.""" - -from z3dsl.solvers.abstract import AbstractSolver -from z3dsl.solvers.z3_solver import Z3Solver - -__all__ = ["AbstractSolver", "Z3Solver"] From 3676f037dbc08f191d3aadbe702e3e344e39b470 Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Thu, 16 Oct 2025 20:34:16 -0400 Subject: [PATCH 05/11] Changes to the readme.md --- README.md | 40 +++++++++++++++++++++++++++++++++++----- requirements.txt | 10 ++++++++++ 2 files changed, 45 insertions(+), 5 deletions(-) diff --git a/README.md b/README.md index 3483180..615667a 100644 --- a/README.md +++ b/README.md @@ -1,6 +1,13 @@ # ProofOfThought -LLM-based reasoning using Z3 theorem proving. +[![Python 3.12](https://img.shields.io/badge/python-3.12-blue.svg)](https://www.python.org/downloads/) +[![License: MIT](https://img.shields.io/badge/License-MIT-yellow.svg)](https://opensource.org/licenses/MIT) +[![Z3](https://img.shields.io/badge/Z3-4.15+-green.svg)](https://github.com/Z3Prover/z3) +[![OpenAI](https://img.shields.io/badge/OpenAI-Compatible-412991.svg)](https://platform.openai.com/) +[![Azure](https://img.shields.io/badge/Azure-GPT--4o/GPT--5-0078D4.svg)](https://azure.microsoft.com/en-us/products/ai-services/openai-service) +[![Code style: black](https://img.shields.io/badge/code%20style-black-000000.svg)](https://github.com/psf/black) + +LLM-based reasoning using Z3 theorem proving with multiple backend support (SMT2 and JSON). ## Quick Start @@ -18,11 +25,13 @@ print(result.answer) # False ## Batch Evaluation ```python -from z3adapter.reasoning import EvaluationPipeline +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought -evaluator = EvaluationPipeline(pot, output_dir="results/") +evaluator = EvaluationPipeline(proof_of_thought=pot, output_dir="results/") result = evaluator.evaluate( - dataset="strategyqa_train.json", + dataset="data/strategyQA_train.json", + question_field="question", + answer_field="answer", max_samples=10 ) print(f"Accuracy: {result.metrics.accuracy:.2%}") @@ -31,9 +40,17 @@ print(f"Accuracy: {result.metrics.accuracy:.2%}") ## Installation ```bash -pip install z3-solver openai scikit-learn numpy +pip install -r requirements.txt ``` +## Features + +- **Dual Backend Support**: Choose between SMT2 (default) or JSON execution backends +- **Azure OpenAI Integration**: Native support for Azure GPT-4o and GPT-5 models +- **Comprehensive Benchmarks**: Evaluated on 5 reasoning datasets (ProntoQA, FOLIO, ProofWriter, ConditionalQA, StrategyQA) +- **High-level API**: Simple Python interface for reasoning tasks +- **Batch Evaluation Pipeline**: Built-in tools for dataset evaluation and metrics + ## Backend Selection ProofOfThought supports two execution backends: @@ -61,6 +78,19 @@ Most users should use the high-level API. See `examples/` directory for complete examples including Azure OpenAI support. +**Note:** Examples should be run from the project root directory: + +```bash +cd /path/to/proofofthought +python examples/simple_usage.py +``` + +For Azure examples that use `azure_config`, the helper module is located at `utils/azure_config.py`. When running from the project root with `PYTHONPATH` set correctly, examples can import it directly: + +```python +from utils.azure_config import get_client_config +``` + ## Running Experiments To run all benchmarks with both backends and generate results: diff --git a/requirements.txt b/requirements.txt index f5d03aa..94df011 100644 --- a/requirements.txt +++ b/requirements.txt @@ -12,6 +12,7 @@ httpcore==1.0.9 httpx==0.28.1 identify==2.6.14 idna==3.10 +iniconfig==2.1.0 jiter==0.11.0 joblib==1.5.2 mypy==1.18.2 @@ -20,21 +21,30 @@ nodeenv==1.9.1 numpy==2.3.3 openai==2.0.1 packaging==25.0 +pandas==2.3.3 pathspec==0.12.1 platformdirs==4.4.0 +pluggy==1.6.0 pre_commit==4.3.0 +pyarrow==21.0.0 pydantic==2.11.9 pydantic_core==2.33.2 +Pygments==2.19.2 +pytest==8.4.2 +python-dateutil==2.9.0.post0 python-dotenv==1.1.1 pytokens==0.1.10 +pytz==2025.2 PyYAML==6.0.3 ruff==0.13.2 scikit-learn==1.7.2 scipy==1.16.2 +six==1.17.0 sniffio==1.3.1 threadpoolctl==3.6.0 tqdm==4.67.1 typing-inspection==0.4.2 typing_extensions==4.15.0 +tzdata==2025.2 virtualenv==20.34.0 z3-solver==4.15.3.0 From b58e9ff6537aa033768805e0c41c86327f01b9e6 Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Thu, 16 Oct 2025 20:50:53 -0400 Subject: [PATCH 06/11] Add MkDocs documentation with GitHub Pages auto-deploy --- .github/workflows/docs.yml | 42 ++++++ docs/api-reference.md | 277 ++++++++++++++++++++++++++++++++++ docs/backends.md | 224 +++++++++++++++++++++++++++ docs/benchmarks.md | 201 ++++++++++++++++++++++++ docs/examples.md | 302 +++++++++++++++++++++++++++++++++++++ docs/index.md | 57 +++++++ docs/installation.md | 129 ++++++++++++++++ mkdocs.yml | 75 +++++++++ requirements.txt | 3 + 9 files changed, 1310 insertions(+) create mode 100644 .github/workflows/docs.yml create mode 100644 docs/api-reference.md create mode 100644 docs/backends.md create mode 100644 docs/benchmarks.md create mode 100644 docs/examples.md create mode 100644 docs/index.md create mode 100644 docs/installation.md create mode 100644 mkdocs.yml diff --git a/.github/workflows/docs.yml b/.github/workflows/docs.yml new file mode 100644 index 0000000..873e72f --- /dev/null +++ b/.github/workflows/docs.yml @@ -0,0 +1,42 @@ +name: Deploy Documentation + +on: + push: + branches: + - main + - feat/* + pull_request: + branches: + - main + +permissions: + contents: write + +jobs: + deploy: + runs-on: ubuntu-latest + steps: + - name: Checkout repository + uses: actions/checkout@v4 + + - name: Set up Python + uses: actions/setup-python@v5 + with: + python-version: '3.12' + + - name: Install dependencies + run: | + pip install mkdocs mkdocs-material pymdown-extensions + + - name: Build documentation + run: mkdocs build + + - name: Deploy to GitHub Pages + if: github.event_name == 'push' && github.ref == 'refs/heads/main' + uses: peaceiris/actions-gh-pages@v4 + with: + github_token: ${{ secrets.GITHUB_TOKEN }} + publish_dir: ./site + publish_branch: gh-pages + user_name: 'github-actions[bot]' + user_email: 'github-actions[bot]@users.noreply.github.com' diff --git a/docs/api-reference.md b/docs/api-reference.md new file mode 100644 index 0000000..7290f38 --- /dev/null +++ b/docs/api-reference.md @@ -0,0 +1,277 @@ +# API Reference + +## ProofOfThought + +Main API for Z3-based reasoning. + +```python +from z3adapter.reasoning import ProofOfThought +``` + +### Constructor + +```python +ProofOfThought( + llm_client, + model="gpt-5", + backend="smt2", + max_attempts=3, + verify_timeout=10000, + optimize_timeout=100000, + cache_dir=None, + z3_path="z3" +) +``` + +**Parameters:** + +- `llm_client` - OpenAI, AzureOpenAI, or compatible LLM client +- `model` (str) - Model/deployment name (default: "gpt-5") +- `backend` (str) - Execution backend: "smt2" or "json" (default: "smt2") +- `max_attempts` (int) - Max retries for program generation (default: 3) +- `verify_timeout` (int) - Z3 verification timeout in ms (default: 10000) +- `optimize_timeout` (int) - Z3 optimization timeout in ms (default: 100000) +- `cache_dir` (str|None) - Directory for caching programs (default: temp dir) +- `z3_path` (str) - Path to Z3 executable for SMT2 backend (default: "z3") + +### query() + +Ask a reasoning question. + +```python +result = pot.query( + question, + max_attempts=None, + save_program=False +) +``` + +**Parameters:** + +- `question` (str) - Natural language question +- `max_attempts` (int|None) - Override max attempts for this query +- `save_program` (bool) - Save generated program to disk (default: False) + +**Returns:** `QueryResult` + +```python +@dataclass +class QueryResult: + question: str # Original question + answer: bool | None # True, False, or None if error + json_program: dict | None # Generated program (if JSON backend) + sat_count: int # Number of SAT results + unsat_count: int # Number of UNSAT results + output: str # Raw Z3 output + success: bool # Did query complete? + num_attempts: int # Attempts taken + error: str | None # Error message if failed +``` + +**Example:** + +```python +result = pot.query("Can fish breathe underwater?") +print(result.answer) # True +print(f"Took {result.num_attempts} attempts") +``` + +## EvaluationPipeline + +Batch evaluation on datasets. + +```python +from z3adapter.reasoning import EvaluationPipeline +``` + +### Constructor + +```python +EvaluationPipeline( + proof_of_thought, + output_dir="results/" +) +``` + +**Parameters:** + +- `proof_of_thought` (ProofOfThought) - Configured ProofOfThought instance +- `output_dir` (str) - Directory for saving results (default: "results/") + +### evaluate() + +Run evaluation on a dataset. + +```python +result = evaluator.evaluate( + dataset, + question_field="question", + answer_field="answer", + max_samples=None, + save_results=True +) +``` + +**Parameters:** + +- `dataset` (str) - Path to JSON dataset +- `question_field` (str) - JSON field containing questions (default: "question") +- `answer_field` (str) - JSON field containing answers (default: "answer") +- `max_samples` (int|None) - Limit number of samples (default: all) +- `save_results` (bool) - Save detailed results to disk (default: True) + +**Returns:** `EvaluationResult` + +```python +@dataclass +class EvaluationResult: + metrics: EvaluationMetrics + predictions: list + dataset_name: str + timestamp: str +``` + +**EvaluationMetrics:** + +```python +@dataclass +class EvaluationMetrics: + accuracy: float # Percentage correct + precision: float # True positives / (TP + FP) + recall: float # True positives / (TP + FN) + f1: float # Harmonic mean of precision/recall + success_rate: float # Percentage of queries that completed + total_samples: int + correct: int + incorrect: int + failed: int +``` + +**Example:** + +```python +from z3adapter.reasoning import ProofOfThought, EvaluationPipeline + +pot = ProofOfThought(llm_client=client) +evaluator = EvaluationPipeline(proof_of_thought=pot) + +result = evaluator.evaluate( + dataset="data/strategyQA_train.json", + max_samples=100 +) + +print(f"Accuracy: {result.metrics.accuracy:.2%}") +print(f"F1 Score: {result.metrics.f1:.4f}") +``` + +## Data Classes + +### QueryResult + +Returned by `ProofOfThought.query()`. + +**Fields:** + +- `question` (str) - The input question +- `answer` (bool|None) - Reasoning result (True/False/None) +- `json_program` (dict|None) - Generated program if using JSON backend +- `sat_count` (int) - Number of SAT (satisfiable) results +- `unsat_count` (int) - Number of UNSAT (unsatisfiable) results +- `output` (str) - Raw Z3 output +- `success` (bool) - Whether execution succeeded +- `num_attempts` (int) - Generation attempts used +- `error` (str|None) - Error message if failed + +### VerificationResult + +Low-level result from backend execution. + +```python +from z3adapter.backends.abstract import VerificationResult +``` + +**Fields:** + +- `answer` (bool|None) - True (SAT), False (UNSAT), None (error) +- `sat_count` (int) - Count of SAT results +- `unsat_count` (int) - Count of UNSAT results +- `output` (str) - Raw execution output +- `success` (bool) - Execution completed +- `error` (str|None) - Error message + +## Azure OpenAI Helper + +Utility for Azure OpenAI configuration. + +```python +from utils.azure_config import get_client_config +``` + +### get_client_config() + +Returns configured Azure OpenAI client and settings. + +```python +config = get_client_config() +``` + +**Returns:** `dict` + +```python +{ + "llm_client": AzureOpenAI(...), # Configured client + "model": "gpt-5" # Deployment name +} +``` + +**Environment variables required:** + +```bash +AZURE_OPENAI_API_KEY=... +AZURE_OPENAI_ENDPOINT=https://....openai.azure.com/ +AZURE_OPENAI_API_VERSION=2024-08-01-preview +AZURE_GPT5_DEPLOYMENT_NAME=gpt-5 +``` + +**Example:** + +```python +from utils.azure_config import get_client_config +from z3adapter.reasoning import ProofOfThought + +config = get_client_config() +pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"] +) +``` + +## Low-Level Components + +Most users won't need these—use `ProofOfThought` instead. + +### Z3ProgramGenerator + +Generates Z3 programs from natural language. + +```python +from z3adapter.reasoning import Z3ProgramGenerator +``` + +### Z3Verifier + +Executes and verifies Z3 programs. + +```python +from z3adapter.reasoning import Z3Verifier +``` + +### Backends + +Backend implementations. + +```python +from z3adapter.backends import JSONBackend, SMT2Backend +``` + +See [Backends](backends.md) for details. diff --git a/docs/backends.md b/docs/backends.md new file mode 100644 index 0000000..d131b24 --- /dev/null +++ b/docs/backends.md @@ -0,0 +1,224 @@ +# Backends + +ProofOfThought supports two execution backends. Both use Z3, but they speak different languages. + +## TL;DR + +- **Use SMT2** (default) for standard SMT-LIB format and portability +- **Use JSON** for better LLM reliability and richer features + +## SMT2 Backend + +The SMT2 backend generates programs in SMT-LIB 2.0 format and runs them via the Z3 CLI. + +### Example program + +```smt2 +(declare-sort Person 0) +(declare-const nancy Person) +(declare-fun supports_abortion (Person) Bool) +(assert (supports_abortion nancy)) +(declare-const query Bool) +(assert (= query (not (supports_abortion nancy)))) +(check-sat) +``` + +### When to use + +- You want industry-standard SMT-LIB format +- You need portability to other SMT solvers +- You want standalone executable programs +- You're comfortable debugging SMT2 syntax + +### Setup + +```python +from z3adapter.reasoning import ProofOfThought + +pot = ProofOfThought( + llm_client=client, + backend="smt2", # default + z3_path="z3" # optional: path to Z3 executable +) +``` + +### Pros + +✓ Standard format +✓ No Python overhead +✓ Portable to other solvers +✓ Standalone executability + +### Cons + +✗ Harder for LLMs to generate correctly +✗ Less structured error messages +✗ Requires Z3 CLI installed + +## JSON Backend + +The JSON backend uses a custom DSL that's parsed and executed via the Z3 Python API. + +### Example program + +```json +{ + "sorts": ["Person"], + "constants": { + "nancy": "Person" + }, + "functions": [{ + "name": "supports_abortion", + "domain": ["Person"], + "range": "Bool" + }], + "knowledge_base": [ + {"type": "assert", "value": "supports_abortion(nancy)"} + ], + "verifications": [{ + "type": "check_sat", + "hypotheses": ["Not(supports_abortion(nancy))"] + }] +} +``` + +### When to use + +- LLMs struggle with SMT2 syntax +- You want better error messages +- You don't want to install Z3 CLI +- You need richer DSL features (optimization, complex rules) + +### Setup + +```python +from z3adapter.reasoning import ProofOfThought + +pot = ProofOfThought( + llm_client=client, + backend="json" +) +``` + +### Pros + +✓ Easier for LLMs to generate +✓ Better error messages +✓ No CLI dependency +✓ Richer DSL features + +### Cons + +✗ Not a standard format +✗ Only works with Z3 Python API +✗ Not portable to other solvers + +## How it works + +### Program generation + +The LLM sees different prompts for each backend: + +- **SMT2**: Gets examples of SMT-LIB 2.0 programs +- **JSON**: Gets examples of the JSON DSL + +Templates are in: +- `z3adapter/reasoning/smt2_prompt_template.py` +- `z3adapter/reasoning/prompt_template.py` + +### Execution + +Both backends return the same `VerificationResult`: + +```python +@dataclass +class VerificationResult: + answer: bool | None # True (SAT), False (UNSAT), None (error) + sat_count: int # Number of SAT results + unsat_count: int # Number of UNSAT results + output: str # Raw Z3 output + success: bool # Did execution complete? + error: str | None # Error message if failed +``` + +### File extensions + +Programs are saved with appropriate extensions: + +- SMT2: `.smt2` +- JSON: `.json` + +Use `save_program=True` in `query()` to keep generated programs. + +## Benchmark comparison + +Results on 100 samples per dataset: + +| Dataset | SMT2 Accuracy | JSON Accuracy | +|---------|---------------|---------------| +| ProntoQA | 100% | 99% | +| FOLIO | 69% | 76% | +| ProofWriter | 99% | 96% | +| ConditionalQA | 83% | 76% | +| StrategyQA | 84% | 68% | + +SMT2 edges out JSON on most benchmarks, but both are viable. + +## Switching backends + +You can compare backends on the same question: + +```python +question = "Can fish breathe underwater?" + +# Try both +pot_smt2 = ProofOfThought(llm_client=client, backend="smt2") +pot_json = ProofOfThought(llm_client=client, backend="json") + +result_smt2 = pot_smt2.query(question) +result_json = pot_json.query(question) + +print(f"SMT2: {result_smt2.answer}") +print(f"JSON: {result_json.answer}") +``` + +See `examples/backend_comparison.py` for a full example. + +## Architecture + +Both backends implement the same interface: + +```python +class Backend(ABC): + @abstractmethod + def execute(self, program_path: str) -> VerificationResult: + pass + + @abstractmethod + def get_file_extension(self) -> str: + pass + + @abstractmethod + def get_prompt_template(self) -> str: + pass +``` + +Location: `z3adapter/backends/` + +- `abstract.py` - Interface definition +- `smt2_backend.py` - SMT-LIB 2.0 implementation +- `json_backend.py` - JSON DSL implementation + +## Troubleshooting + +**SMT2: "z3 command not found"** + +Install Z3 CLI or switch to JSON backend. + +**JSON: Slower execution?** + +JSON uses Python API, which has slight overhead. Usually negligible. + +**Different answers between backends?** + +Both backends are correct—differences likely come from LLM generation variance. Run multiple queries or increase `max_attempts`. diff --git a/docs/benchmarks.md b/docs/benchmarks.md new file mode 100644 index 0000000..d684b37 --- /dev/null +++ b/docs/benchmarks.md @@ -0,0 +1,201 @@ +# Benchmarks + +ProofOfThought has been evaluated on 5 logical reasoning datasets. + +## Results + +**Last Updated:** 2025-10-16 18:14:07 + +| Benchmark | Backend | Samples | Accuracy | Precision | Recall | F1 Score | Success Rate | +|-----------|---------|---------|----------|-----------|--------|----------|--------------| +| ProntoQA | SMT2 | 100 | 100.00% | 1.0000 | 1.0000 | 1.0000 | 100.00% | +| FOLIO | SMT2 | 100 | 69.00% | 0.6949 | 0.7736 | 0.7321 | 99.00% | +| ProofWriter | SMT2 | 96 | 98.96% | 1.0000 | 1.0000 | 1.0000 | 98.96% | +| ConditionalQA | SMT2 | 100 | 83.00% | 0.9375 | 0.8219 | 0.8759 | 100.00% | +| StrategyQA | SMT2 | 100 | 84.00% | 0.8205 | 0.7805 | 0.8000 | 100.00% | +| ProntoQA | JSON | 100 | 99.00% | 1.0000 | 0.9815 | 0.9907 | 100.00% | +| FOLIO | JSON | 100 | 76.00% | 0.7619 | 0.9412 | 0.8421 | 94.00% | +| ProofWriter | JSON | 96 | 95.83% | 1.0000 | 1.0000 | 1.0000 | 95.83% | +| ConditionalQA | JSON | 100 | 76.00% | 0.9180 | 0.8750 | 0.8960 | 89.00% | +| StrategyQA | JSON | 100 | 68.00% | 0.7500 | 0.7895 | 0.7692 | 86.00% | + +## Datasets + +### ProntoQA + +Synthetic first-order logic problems with clear provable answers. + +**Example:** + +``` +Question: "Stella is a lion. All lions are brown. Is Stella brown?" +Answer: True +``` + +**Performance:** Near-perfect accuracy with both backends. This is the easiest dataset. + +### FOLIO + +First-order logic inference problems derived from Wikipedia. + +**Example:** + +``` +Question: "All cats are mammals. Fluffy is a cat. Is Fluffy a mammal?" +Answer: True +``` + +**Performance:** Most challenging dataset. SMT2 gets 69%, JSON gets 76%. The higher accuracy with JSON suggests LLMs struggle with SMT2 syntax for complex logic. + +### ProofWriter + +Deductive reasoning over facts and rules. + +**Example:** + +``` +Facts: "The bear is red. If something is red, then it is kind." +Question: "Is the bear kind?" +Answer: True +``` + +**Performance:** Near-perfect with SMT2 (99%), very good with JSON (96%). + +### ConditionalQA + +Reasoning with conditional statements. + +**Example:** + +``` +Question: "If it rains, the ground is wet. It is raining. Is the ground wet?" +Answer: True +``` + +**Performance:** SMT2 achieves 83%, JSON achieves 76%. Both backends handle conditionals well. + +### StrategyQA + +Multi-hop reasoning requiring implicit knowledge. + +**Example:** + +``` +Question: "Would a vegetarian eat a burger made of plants?" +Answer: True +``` + +**Performance:** SMT2 gets 84%, JSON gets 68%. This dataset requires more complex reasoning chains. + +## Metrics Explained + +- **Accuracy**: Percentage of correct predictions +- **Precision**: Of all positive predictions, how many were correct? + - `True Positives / (True Positives + False Positives)` +- **Recall**: Of all actual positives, how many did we catch? + - `True Positives / (True Positives + False Negatives)` +- **F1 Score**: Harmonic mean of precision and recall + - `2 × (Precision × Recall) / (Precision + Recall)` +- **Success Rate**: Percentage of queries that completed without errors + +## Backend Comparison + +### SMT2 Backend + +**Strengths:** +- Better on ProofWriter (99% vs 96%) +- Better on ConditionalQA (83% vs 76%) +- Better on StrategyQA (84% vs 68%) +- Higher overall accuracy on 4/5 benchmarks + +**Weaknesses:** +- Slightly worse on FOLIO (69% vs 76%) +- More generation errors (lower success rate on some datasets) + +### JSON Backend + +**Strengths:** +- Better on FOLIO (76% vs 69%) +- More reliable generation (higher success rates) +- Better error messages for debugging + +**Weaknesses:** +- Lower accuracy on StrategyQA (68% vs 84%) +- Lower accuracy on ConditionalQA (76% vs 83%) + +## Running Your Own Benchmarks + +### Full suite + +```bash +python experiments_pipeline.py +``` + +This runs all 5 benchmarks with both backends and updates the README. + +### Single benchmark + +```python +from utils.azure_config import get_client_config +from z3adapter.reasoning import ProofOfThought, EvaluationPipeline + +config = get_client_config() + +pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2" +) + +evaluator = EvaluationPipeline(proof_of_thought=pot) + +result = evaluator.evaluate( + dataset="data/strategyQA_train.json", + max_samples=100 +) + +print(f"Accuracy: {result.metrics.accuracy:.2%}") +``` + +### Custom datasets + +See [Examples](examples.md#dataset-format) for dataset format requirements. + +## Performance Notes + +**Generation time:** 2-5 seconds per query on average with GPT-5. + +**Success rate:** SMT2 achieves 99-100% success rate. JSON achieves 86-100% success rate. + +**Timeouts:** Default timeouts (10s verify, 100s optimize) work well for these datasets. + +## Why the differences? + +Backend performance varies because: + +1. **LLM generation reliability**: JSON is more structured, easier for LLMs to generate correctly +2. **Syntax complexity**: SMT2 requires precise S-expression syntax +3. **Error recovery**: JSON provides better error messages, leading to better retries +4. **Dataset characteristics**: Some logical patterns are easier in one DSL vs the other + +**Recommendation:** Start with SMT2 (default). Switch to JSON if you see low success rates. + +## Reproducing Results + +All results are from: + +- **Model:** GPT-5 (Azure deployment) +- **Max attempts:** 3 +- **Verify timeout:** 10000ms +- **Optimize timeout:** 100000ms +- **Sample size:** 100 per dataset (96 for ProofWriter) + +To reproduce: + +```bash +# Set up Azure config in .env +# Then run experiments +python experiments_pipeline.py +``` + +Results are saved to `results/` with timestamp and full metrics. diff --git a/docs/examples.md b/docs/examples.md new file mode 100644 index 0000000..13f5c96 --- /dev/null +++ b/docs/examples.md @@ -0,0 +1,302 @@ +# Examples + +All examples are in the `examples/` directory. Run them from the project root: + +```bash +cd /path/to/proofofthought +python examples/simple_usage.py +``` + +## Basic Usage + +### Single query + +```python +from openai import OpenAI +from z3adapter.reasoning import ProofOfThought + +# Set up client +client = OpenAI(api_key="...") +pot = ProofOfThought(llm_client=client, model="gpt-4o") + +# Ask a question +result = pot.query("Would Nancy Pelosi publicly denounce abortion?") + +# Check the answer +print(result.answer) # False +print(f"Successful: {result.success}") +print(f"Attempts: {result.num_attempts}") +``` + +File: `examples/simple_usage.py` + +### Azure OpenAI + +```python +from utils.azure_config import get_client_config +from z3adapter.reasoning import ProofOfThought + +# Get Azure config from environment +config = get_client_config() + +# Initialize with Azure client +pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"] +) + +# Use normally +result = pot.query("Can fish breathe underwater?") +print(result.answer) # True +``` + +File: `examples/azure_simple_example.py` + +Required `.env` variables: + +```bash +AZURE_OPENAI_API_KEY=... +AZURE_OPENAI_ENDPOINT=https://....openai.azure.com/ +AZURE_OPENAI_API_VERSION=2024-08-01-preview +AZURE_GPT5_DEPLOYMENT_NAME=gpt-5 +``` + +## Backend Comparison + +### Test both backends + +```python +from utils.azure_config import get_client_config +from z3adapter.reasoning import ProofOfThought + +config = get_client_config() +question = "Can fish breathe underwater?" + +# JSON backend +pot_json = ProofOfThought( + llm_client=config["llm_client"], + backend="json" +) +result_json = pot_json.query(question) + +# SMT2 backend +pot_smt2 = ProofOfThought( + llm_client=config["llm_client"], + backend="smt2" +) +result_smt2 = pot_smt2.query(question) + +print(f"JSON backend: {result_json.answer}") +print(f"SMT2 backend: {result_smt2.answer}") +``` + +File: `examples/backend_comparison.py` + +## Batch Evaluation + +### Evaluate on a dataset + +```python +from z3adapter.reasoning import ProofOfThought, EvaluationPipeline + +# Set up evaluator +pot = ProofOfThought(llm_client=client) +evaluator = EvaluationPipeline( + proof_of_thought=pot, + output_dir="results/" +) + +# Run evaluation +result = evaluator.evaluate( + dataset="data/strategyQA_train.json", + question_field="question", + answer_field="answer", + max_samples=100 +) + +# Print metrics +print(f"Accuracy: {result.metrics.accuracy:.2%}") +print(f"Precision: {result.metrics.precision:.4f}") +print(f"Recall: {result.metrics.recall:.4f}") +print(f"F1 Score: {result.metrics.f1:.4f}") +print(f"Success Rate: {result.metrics.success_rate:.2%}") +``` + +File: `examples/batch_evaluation.py` + +### With Azure and SMT2 backend + +```python +from utils.azure_config import get_client_config +from z3adapter.reasoning import ProofOfThought, EvaluationPipeline + +config = get_client_config() + +pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2" +) + +evaluator = EvaluationPipeline(proof_of_thought=pot) +result = evaluator.evaluate( + dataset="data/strategyQA_train.json", + max_samples=50 +) + +print(f"Accuracy: {result.metrics.accuracy:.2%}") +``` + +File: `examples/batch_evaluation_smt2_azure.py` + +## Running Experiments + +### Full benchmark suite + +Run all 5 benchmarks with both backends: + +```bash +python experiments_pipeline.py +``` + +This evaluates: + +- ProntoQA (100 samples) +- FOLIO (100 samples) +- ProofWriter (96 samples) +- ConditionalQA (100 samples) +- StrategyQA (100 samples) + +Results are saved to `results/` and the README is auto-updated. + +File: `experiments_pipeline.py` + +## Advanced Usage + +### Save generated programs + +```python +result = pot.query( + "Can fish breathe underwater?", + save_program=True +) + +# Programs saved to cache_dir with .json or .smt2 extension +print(f"Program saved: {result.json_program}") +``` + +### Custom timeouts + +```python +pot = ProofOfThought( + llm_client=client, + verify_timeout=5000, # 5 seconds + optimize_timeout=50000, # 50 seconds + max_attempts=5 +) +``` + +### Custom Z3 path + +```python +pot = ProofOfThought( + llm_client=client, + backend="smt2", + z3_path="/usr/local/bin/z3" +) +``` + +### Override max attempts per query + +```python +# Default max_attempts=3 +pot = ProofOfThought(llm_client=client) + +# Override for specific query +result = pot.query( + "Complex question...", + max_attempts=10 +) +``` + +## Dataset Format + +Evaluation expects JSON with question/answer fields: + +```json +[ + { + "question": "Can fish breathe underwater?", + "answer": true + }, + { + "question": "Do humans have wings?", + "answer": false + } +] +``` + +Custom field names: + +```python +result = evaluator.evaluate( + dataset="custom_dataset.json", + question_field="query", + answer_field="label", + max_samples=100 +) +``` + +## Testing Strategy + +Want to test on a specific dataset? See `examples/test_strategyqa.py`: + +```python +from utils.azure_config import get_client_config +from z3adapter.reasoning import ProofOfThought, EvaluationPipeline + +config = get_client_config() + +# JSON backend +pot_json = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="json" +) + +evaluator = EvaluationPipeline(proof_of_thought=pot_json) +result = evaluator.evaluate( + dataset="data/strategyQA_train.json", + max_samples=100 +) + +print(f"StrategyQA JSON Backend Accuracy: {result.metrics.accuracy:.2%}") +``` + +## Troubleshooting + +**Examples fail with import errors?** + +Make sure you're running from the project root, not from `examples/`: + +```bash +# Wrong +cd examples +python simple_usage.py # ❌ Import error + +# Right +cd /path/to/proofofthought +python examples/simple_usage.py # ✓ Works +``` + +**Azure config not found?** + +Check your `.env` file has all required Azure variables. See [Installation](installation.md). + +**Z3 not found?** + +Either install Z3 CLI or use JSON backend: + +```python +pot = ProofOfThought(llm_client=client, backend="json") +``` diff --git a/docs/index.md b/docs/index.md new file mode 100644 index 0000000..241f763 --- /dev/null +++ b/docs/index.md @@ -0,0 +1,57 @@ +# ProofOfThought + +LLM-based reasoning using Z3 theorem proving. + +## What is this? + +ProofOfThought combines large language models with Z3 theorem proving to solve logical reasoning tasks. Instead of asking an LLM to "think" about a problem, we ask it to write formal logic programs that Z3 can verify. + +Think of it as giving your LLM a calculator for logic. + +## Quick Start + +```python +from openai import OpenAI +from z3adapter.reasoning import ProofOfThought + +client = OpenAI(api_key="...") +pot = ProofOfThought(llm_client=client) + +result = pot.query("Would Nancy Pelosi publicly denounce abortion?") +print(result.answer) # False +``` + +That's it. Three lines. + +## Why use this? + +**Problem:** LLMs hallucinate on logical reasoning tasks. + +**Solution:** Let Z3 do the reasoning. The LLM just writes the program. + +**Result:** Better accuracy on reasoning benchmarks (see [Benchmarks](benchmarks.md)). + +## How it works + +1. You ask a question +2. LLM generates a Z3 program (in JSON or SMT2 format) +3. Z3 proves whether the statement is satisfiable +4. You get a boolean answer + +The LLM doesn't reason—it just translates natural language to formal logic. Z3 handles the reasoning. + +## Features + +- **Dual backends:** Choose SMT2 (standard) or JSON (easier for LLMs) +- **Azure OpenAI:** Native support for GPT-4o and GPT-5 +- **Battle-tested:** Evaluated on 5 reasoning benchmarks +- **Simple API:** Three-line setup, one-line queries +- **Batch evaluation:** Built-in pipeline for dataset evaluation + +## What's next? + +- [Installation](installation.md) - Get set up +- [API Reference](api-reference.md) - Core usage +- [Backends](backends.md) - SMT2 vs JSON +- [Examples](examples.md) - Real code +- [Benchmarks](benchmarks.md) - Performance data diff --git a/docs/installation.md b/docs/installation.md new file mode 100644 index 0000000..1108cf8 --- /dev/null +++ b/docs/installation.md @@ -0,0 +1,129 @@ +# Installation + +## Requirements + +- Python 3.12+ +- Z3 theorem prover +- OpenAI-compatible LLM API + +## Install Python dependencies + +```bash +pip install -r requirements.txt +``` + +This installs: +- `z3-solver` - Z3 Python bindings +- `openai` - LLM client +- `scikit-learn`, `numpy` - For evaluation metrics +- `python-dotenv` - Environment variable management + +## Install Z3 CLI (for SMT2 backend) + +The SMT2 backend needs the Z3 command-line tool. + +### macOS +```bash +brew install z3 +``` + +### Ubuntu/Debian +```bash +sudo apt-get install z3 +``` + +### From source +```bash +git clone https://github.com/Z3Prover/z3.git +cd z3 +python scripts/mk_make.py +cd build +make +sudo make install +``` + +### Verify installation +```bash +z3 --version +``` + +**Note:** The JSON backend doesn't need the CLI—it uses Z3's Python API. + +## Set up API keys + +### OpenAI + +Create a `.env` file in the project root: + +```bash +OPENAI_API_KEY=sk-... +``` + +### Azure OpenAI + +For Azure GPT-4o or GPT-5, add these to `.env`: + +```bash +AZURE_OPENAI_API_KEY=... +AZURE_OPENAI_ENDPOINT=https://....openai.azure.com/ +AZURE_OPENAI_API_VERSION=2024-08-01-preview +AZURE_GPT5_DEPLOYMENT_NAME=gpt-5 +AZURE_GPT4O_DEPLOYMENT_NAME=gpt-4o +``` + +See `examples/azure_simple_example.py` for Azure usage. + +## Verify setup + +Run a quick test: + +```bash +python examples/simple_usage.py +``` + +You should see output like: + +``` +Question: Would Nancy Pelosi publicly denounce abortion? +Answer: False +Success: True +``` + +## Development setup + +For contributors: + +```bash +pip install -e ".[dev]" +pre-commit install +``` + +This installs development tools: +- `black` - Code formatter +- `ruff` - Linter +- `mypy` - Type checker +- `pytest` - Test runner +- `pre-commit` - Git hooks + +## Troubleshooting + +**Z3 not found?** + +If you get `z3: command not found`, either: +1. Install the Z3 CLI (see above) +2. Use the JSON backend instead: `ProofOfThought(backend="json")` + +**API key errors?** + +Make sure your `.env` file is in the project root and contains valid keys. + +**Import errors?** + +Run examples from the project root: + +```bash +cd /path/to/proofofthought +python examples/simple_usage.py +``` + +Not from the `examples/` directory. diff --git a/mkdocs.yml b/mkdocs.yml new file mode 100644 index 0000000..df40a28 --- /dev/null +++ b/mkdocs.yml @@ -0,0 +1,75 @@ +site_name: ProofOfThought +site_description: LLM-based reasoning using Z3 theorem proving +site_author: Debargha Ganguly +site_url: https://debarghaG.github.io/proofofthought + +repo_name: debarghaG/proofofthought +repo_url: https://github.com/debarghaG/proofofthought +edit_uri: edit/main/docs/ + +theme: + name: material + palette: + # Light mode + - scheme: default + primary: indigo + accent: indigo + toggle: + icon: material/brightness-7 + name: Switch to dark mode + # Dark mode + - scheme: slate + primary: indigo + accent: indigo + toggle: + icon: material/brightness-4 + name: Switch to light mode + features: + - navigation.instant + - navigation.tracking + - navigation.tabs + - navigation.sections + - navigation.top + - search.suggest + - search.highlight + - content.code.copy + - content.code.annotate + +nav: + - Home: index.md + - Installation: installation.md + - API Reference: api-reference.md + - Backends: backends.md + - Examples: examples.md + - Benchmarks: benchmarks.md + +markdown_extensions: + - admonition + - codehilite: + guess_lang: false + - toc: + permalink: true + - pymdownx.highlight: + anchor_linenums: true + - pymdownx.inlinehilite + - pymdownx.snippets + - pymdownx.superfences + - pymdownx.tabbed: + alternate_style: true + - pymdownx.details + - pymdownx.emoji: + emoji_index: !!python/name:material.extensions.emoji.twemoji + emoji_generator: !!python/name:material.extensions.emoji.to_svg + - tables + +plugins: + - search + +extra: + social: + - icon: fontawesome/brands/github + link: https://github.com/debarghaG/proofofthought + - icon: fontawesome/brands/python + link: https://pypi.org/project/proofofthought/ + +copyright: Copyright © 2025 Debargha Ganguly diff --git a/requirements.txt b/requirements.txt index 94df011..fcc4b18 100644 --- a/requirements.txt +++ b/requirements.txt @@ -48,3 +48,6 @@ typing_extensions==4.15.0 tzdata==2025.2 virtualenv==20.34.0 z3-solver==4.15.3.0 +mkdocs==1.6.1 +mkdocs-material==9.5.49 +pymdown-extensions==10.14 From ebdb5eeae31eeb5e8a64f4d34c8cf879bf1bc533 Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Thu, 16 Oct 2025 20:58:15 -0400 Subject: [PATCH 07/11] Enable docs deployment from feat/smt branch --- .github/workflows/docs.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/docs.yml b/.github/workflows/docs.yml index 873e72f..f2c979b 100644 --- a/.github/workflows/docs.yml +++ b/.github/workflows/docs.yml @@ -32,7 +32,7 @@ jobs: run: mkdocs build - name: Deploy to GitHub Pages - if: github.event_name == 'push' && github.ref == 'refs/heads/main' + if: github.event_name == 'push' && (github.ref == 'refs/heads/main' || github.ref == 'refs/heads/feat/smt') uses: peaceiris/actions-gh-pages@v4 with: github_token: ${{ secrets.GITHUB_TOKEN }} From 71c36968e84324ecfba5d425ab8d7cf686a45132 Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Thu, 16 Oct 2025 21:20:05 -0400 Subject: [PATCH 08/11] Updates to documentation --- docs/api-reference.md | 350 +++++++++++++++----------------- docs/backends.md | 324 +++++++++++++++-------------- docs/benchmarks.md | 207 +++++++++---------- docs/dsl-specification.md | 414 ++++++++++++++++++++++++++++++++++++++ docs/examples.md | 257 +++++++---------------- docs/index.md | 97 ++++++--- docs/installation.md | 146 ++++++++------ mkdocs.yml | 46 +---- 8 files changed, 1091 insertions(+), 750 deletions(-) create mode 100644 docs/dsl-specification.md diff --git a/docs/api-reference.md b/docs/api-reference.md index 7290f38..9d2f5a2 100644 --- a/docs/api-reference.md +++ b/docs/api-reference.md @@ -2,276 +2,256 @@ ## ProofOfThought -Main API for Z3-based reasoning. - -```python -from z3adapter.reasoning import ProofOfThought -``` +`z3adapter.reasoning.proof_of_thought.ProofOfThought` ### Constructor ```python -ProofOfThought( - llm_client, - model="gpt-5", - backend="smt2", - max_attempts=3, - verify_timeout=10000, - optimize_timeout=100000, - cache_dir=None, - z3_path="z3" -) +def __init__( + self, + llm_client: Any, + model: str = "gpt-5", + backend: Literal["json", "smt2"] = "smt2", + max_attempts: int = 3, + verify_timeout: int = 10000, + optimize_timeout: int = 100000, + cache_dir: str | None = None, + z3_path: str = "z3", +) -> None ``` **Parameters:** -- `llm_client` - OpenAI, AzureOpenAI, or compatible LLM client -- `model` (str) - Model/deployment name (default: "gpt-5") -- `backend` (str) - Execution backend: "smt2" or "json" (default: "smt2") -- `max_attempts` (int) - Max retries for program generation (default: 3) -- `verify_timeout` (int) - Z3 verification timeout in ms (default: 10000) -- `optimize_timeout` (int) - Z3 optimization timeout in ms (default: 100000) -- `cache_dir` (str|None) - Directory for caching programs (default: temp dir) -- `z3_path` (str) - Path to Z3 executable for SMT2 backend (default: "z3") +- `llm_client`: OpenAI/AzureOpenAI client instance +- `model`: Deployment/model name (default: `"gpt-5"`) +- `backend`: `"json"` or `"smt2"` (default: `"smt2"`) +- `max_attempts`: Retry limit for generation (default: `3`) +- `verify_timeout`: Z3 timeout in milliseconds (default: `10000`) +- `optimize_timeout`: Optimization timeout in ms, JSON only (default: `100000`) +- `cache_dir`: Program cache directory (default: `tempfile.gettempdir()`) +- `z3_path`: Z3 executable path for SMT2 (default: `"z3"`) ### query() -Ask a reasoning question. - ```python -result = pot.query( - question, - max_attempts=None, - save_program=False -) +def query( + self, + question: str, + temperature: float = 0.1, + max_tokens: int = 16384, + save_program: bool = False, + program_path: str | None = None, +) -> QueryResult ``` **Parameters:** -- `question` (str) - Natural language question -- `max_attempts` (int|None) - Override max attempts for this query -- `save_program` (bool) - Save generated program to disk (default: False) +- `question`: Natural language question +- `temperature`: LLM temperature (default: `0.1`, ignored for GPT-5 which only supports `1.0`) +- `max_tokens`: Max completion tokens (default: `16384`) +- `save_program`: Save generated program to disk (default: `False`) +- `program_path`: Custom save path (default: auto-generated in `cache_dir`) **Returns:** `QueryResult` +**Implementation:** Retry loop with error feedback + ```python -@dataclass -class QueryResult: - question: str # Original question - answer: bool | None # True, False, or None if error - json_program: dict | None # Generated program (if JSON backend) - sat_count: int # Number of SAT results - unsat_count: int # Number of UNSAT results - output: str # Raw Z3 output - success: bool # Did query complete? - num_attempts: int # Attempts taken - error: str | None # Error message if failed +for attempt in range(1, max_attempts + 1): + if attempt == 1: + gen_result = self.generator.generate(question, temperature, max_tokens) + else: + gen_result = self.generator.generate_with_feedback( + question, error_trace, previous_response, temperature, max_tokens + ) + # ... execute and check result ``` -**Example:** +## QueryResult ```python -result = pot.query("Can fish breathe underwater?") -print(result.answer) # True -print(f"Took {result.num_attempts} attempts") +@dataclass +class QueryResult: + question: str # Input question + answer: bool | None # True (SAT), False (UNSAT), None (ambiguous/error) + json_program: dict[str, Any] | None # Generated program if JSON backend + sat_count: int # SAT occurrences in output + unsat_count: int # UNSAT occurrences + output: str # Raw Z3 output + success: bool # Execution completed + num_attempts: int # Generation attempts used + error: str | None # Error message if failed ``` ## EvaluationPipeline -Batch evaluation on datasets. - -```python -from z3adapter.reasoning import EvaluationPipeline -``` +`z3adapter.reasoning.evaluation.EvaluationPipeline` ### Constructor ```python -EvaluationPipeline( - proof_of_thought, - output_dir="results/" -) +def __init__( + self, + proof_of_thought: ProofOfThought, + output_dir: str = "evaluation_results", + num_workers: int = 1, +) -> None ``` **Parameters:** -- `proof_of_thought` (ProofOfThought) - Configured ProofOfThought instance -- `output_dir` (str) - Directory for saving results (default: "results/") +- `proof_of_thought`: Configured ProofOfThought instance +- `output_dir`: Results directory (default: `"evaluation_results"`) +- `num_workers`: Parallel workers (default: `1`, uses `ThreadPoolExecutor` if `> 1`) ### evaluate() -Run evaluation on a dataset. - ```python -result = evaluator.evaluate( - dataset, - question_field="question", - answer_field="answer", - max_samples=None, - save_results=True -) +def evaluate( + self, + dataset: list[dict[str, Any]] | str, + question_field: str = "question", + answer_field: str = "answer", + id_field: str | None = None, + max_samples: int | None = None, + skip_existing: bool = True, +) -> EvaluationResult ``` **Parameters:** -- `dataset` (str) - Path to JSON dataset -- `question_field` (str) - JSON field containing questions (default: "question") -- `answer_field` (str) - JSON field containing answers (default: "answer") -- `max_samples` (int|None) - Limit number of samples (default: all) -- `save_results` (bool) - Save detailed results to disk (default: True) +- `dataset`: JSON file path or list of dicts +- `question_field`: Field name for question text (default: `"question"`) +- `answer_field`: Field name for ground truth (default: `"answer"`) +- `id_field`: Field for sample ID (default: `None`, auto-generates `sample_{idx}`) +- `max_samples`: Limit samples (default: `None`, all) +- `skip_existing`: Skip cached results (default: `True`) **Returns:** `EvaluationResult` -```python -@dataclass -class EvaluationResult: - metrics: EvaluationMetrics - predictions: list - dataset_name: str - timestamp: str -``` +**Caching:** Saves `{sample_id}_result.json` and `{sample_id}_program{ext}` to `output_dir` -**EvaluationMetrics:** +## EvaluationMetrics ```python @dataclass class EvaluationMetrics: - accuracy: float # Percentage correct - precision: float # True positives / (TP + FP) - recall: float # True positives / (TP + FN) - f1: float # Harmonic mean of precision/recall - success_rate: float # Percentage of queries that completed - total_samples: int - correct: int - incorrect: int - failed: int + accuracy: float # sklearn.metrics.accuracy_score + precision: float # sklearn.metrics.precision_score (zero_division=0) + recall: float # sklearn.metrics.recall_score (zero_division=0) + f1_score: float # 2 * (P * R) / (P + R) + specificity: float # TN / (TN + FP) + false_positive_rate: float # FP / (FP + TN) + false_negative_rate: float # FN / (FN + TP) + tp: int # True positives + fp: int # False positives + tn: int # True negatives + fn: int # False negatives + total_samples: int # Correct + wrong + failed + correct_answers: int # answer == ground_truth + wrong_answers: int # answer != ground_truth + failed_answers: int # success == False ``` -**Example:** +Computed via `sklearn.metrics.confusion_matrix` for binary classification. -```python -from z3adapter.reasoning import ProofOfThought, EvaluationPipeline - -pot = ProofOfThought(llm_client=client) -evaluator = EvaluationPipeline(proof_of_thought=pot) - -result = evaluator.evaluate( - dataset="data/strategyQA_train.json", - max_samples=100 -) - -print(f"Accuracy: {result.metrics.accuracy:.2%}") -print(f"F1 Score: {result.metrics.f1:.4f}") -``` +## Backend -## Data Classes +`z3adapter.backends.abstract.Backend` -### QueryResult - -Returned by `ProofOfThought.query()`. - -**Fields:** - -- `question` (str) - The input question -- `answer` (bool|None) - Reasoning result (True/False/None) -- `json_program` (dict|None) - Generated program if using JSON backend -- `sat_count` (int) - Number of SAT (satisfiable) results -- `unsat_count` (int) - Number of UNSAT (unsatisfiable) results -- `output` (str) - Raw Z3 output -- `success` (bool) - Whether execution succeeded -- `num_attempts` (int) - Generation attempts used -- `error` (str|None) - Error message if failed - -### VerificationResult - -Low-level result from backend execution. +Abstract interface: ```python -from z3adapter.backends.abstract import VerificationResult +class Backend(ABC): + @abstractmethod + def execute(self, program_path: str) -> VerificationResult: + pass + + @abstractmethod + def get_file_extension(self) -> str: + pass + + @abstractmethod + def get_prompt_template(self) -> str: + pass + + def determine_answer(self, sat_count: int, unsat_count: int) -> bool | None: + if sat_count > 0 and unsat_count == 0: + return True + elif unsat_count > 0 and sat_count == 0: + return False + else: + return None ``` -**Fields:** - -- `answer` (bool|None) - True (SAT), False (UNSAT), None (error) -- `sat_count` (int) - Count of SAT results -- `unsat_count` (int) - Count of UNSAT results -- `output` (str) - Raw execution output -- `success` (bool) - Execution completed -- `error` (str|None) - Error message - -## Azure OpenAI Helper +Implementations: `SMT2Backend`, `JSONBackend` -Utility for Azure OpenAI configuration. +## VerificationResult ```python -from utils.azure_config import get_client_config +@dataclass +class VerificationResult: + answer: bool | None # True (SAT), False (UNSAT), None (ambiguous/error) + sat_count: int + unsat_count: int + output: str # Raw execution output + success: bool # Execution completed without exception + error: str | None # Error message if failed ``` -### get_client_config() - -Returns configured Azure OpenAI client and settings. +## Z3ProgramGenerator -```python -config = get_client_config() -``` +`z3adapter.reasoning.program_generator.Z3ProgramGenerator` -**Returns:** `dict` +### generate() ```python -{ - "llm_client": AzureOpenAI(...), # Configured client - "model": "gpt-5" # Deployment name -} +def generate( + self, + question: str, + temperature: float = 0.1, + max_tokens: int = 16384, +) -> GenerationResult ``` -**Environment variables required:** - -```bash -AZURE_OPENAI_API_KEY=... -AZURE_OPENAI_ENDPOINT=https://....openai.azure.com/ -AZURE_OPENAI_API_VERSION=2024-08-01-preview -AZURE_GPT5_DEPLOYMENT_NAME=gpt-5 -``` - -**Example:** +**LLM API Call:** ```python -from utils.azure_config import get_client_config -from z3adapter.reasoning import ProofOfThought - -config = get_client_config() -pot = ProofOfThought( - llm_client=config["llm_client"], - model=config["model"] +response = self.llm_client.chat.completions.create( + model=self.model, + messages=[{"role": "user", "content": prompt}], + max_completion_tokens=max_tokens, ) ``` -## Low-Level Components - -Most users won't need these—use `ProofOfThought` instead. - -### Z3ProgramGenerator +Note: `temperature` parameter not passed (GPT-5 constraint). -Generates Z3 programs from natural language. +### generate_with_feedback() -```python -from z3adapter.reasoning import Z3ProgramGenerator -``` - -### Z3Verifier - -Executes and verifies Z3 programs. +Multi-turn conversation with error feedback: ```python -from z3adapter.reasoning import Z3Verifier +messages=[ + {"role": "user", "content": prompt}, + {"role": "assistant", "content": previous_response}, + {"role": "user", "content": feedback_message}, +] ``` -### Backends +## Utility: Azure Config -Backend implementations. +`utils.azure_config.get_client_config()` +Returns: ```python -from z3adapter.backends import JSONBackend, SMT2Backend +{ + "llm_client": AzureOpenAI(...), + "model": str # Deployment name from env +} ``` -See [Backends](backends.md) for details. +Required environment variables: +- `AZURE_OPENAI_API_KEY` +- `AZURE_OPENAI_ENDPOINT` +- `AZURE_OPENAI_API_VERSION` +- `AZURE_GPT5_DEPLOYMENT_NAME` or `AZURE_GPT4O_DEPLOYMENT_NAME` diff --git a/docs/backends.md b/docs/backends.md index d131b24..3e5a584 100644 --- a/docs/backends.md +++ b/docs/backends.md @@ -1,224 +1,244 @@ # Backends -ProofOfThought supports two execution backends. Both use Z3, but they speak different languages. +Two execution backends for Z3: SMT-LIB 2.0 (standard) and JSON DSL (custom). -## TL;DR +## SMT2Backend -- **Use SMT2** (default) for standard SMT-LIB format and portability -- **Use JSON** for better LLM reliability and richer features +**Implementation:** `z3adapter/backends/smt2_backend.py` -## SMT2 Backend +### Execution + +```python +subprocess.run([z3_path, f"-T:{timeout_seconds}", program_path]) +``` -The SMT2 backend generates programs in SMT-LIB 2.0 format and runs them via the Z3 CLI. +- Z3 CLI subprocess with timeout flag +- Hard timeout: `timeout_seconds + 10` +- Output captured from stdout + stderr -### Example program +### Result Parsing -```smt2 -(declare-sort Person 0) -(declare-const nancy Person) -(declare-fun supports_abortion (Person) Bool) -(assert (supports_abortion nancy)) -(declare-const query Bool) -(assert (= query (not (supports_abortion nancy)))) -(check-sat) +```python +sat_pattern = r"(? 0, unsat_count == 0` → `True` +- `unsat_count > 0, sat_count == 0` → `False` +- Otherwise → `None` -- You want industry-standard SMT-LIB format -- You need portability to other SMT solvers -- You want standalone executable programs -- You're comfortable debugging SMT2 syntax +### Prompt Template -### Setup +Source: `z3adapter/reasoning/smt2_prompt_template.py` -```python -from z3adapter.reasoning import ProofOfThought +Instructions for generating SMT-LIB 2.0 programs. Key requirements: +- All commands as S-expressions: `(command args...)` +- Declare sorts before use +- Single `(check-sat)` per program +- Semantic: `sat` = constraint satisfiable, `unsat` = contradicts knowledge base -pot = ProofOfThought( - llm_client=client, - backend="smt2", # default - z3_path="z3" # optional: path to Z3 executable -) -``` +### File Extension + +`.smt2` + +##JSON Backend -### Pros +**Implementation:** `z3adapter/backends/json_backend.py` -✓ Standard format -✓ No Python overhead -✓ Portable to other solvers -✓ Standalone executability +### Execution Pipeline -### Cons +```python +interpreter = Z3JSONInterpreter(program_path, verify_timeout, optimize_timeout) +interpreter.run() +sat_count, unsat_count = interpreter.get_verification_counts() +``` -✗ Harder for LLMs to generate correctly -✗ Less structured error messages -✗ Requires Z3 CLI installed +### Z3JSONInterpreter Pipeline -## JSON Backend +**Step 1: SortManager** (`z3adapter/dsl/sorts.py`) -The JSON backend uses a custom DSL that's parsed and executed via the Z3 Python API. +Topologically sorts type definitions to handle dependencies. Creates Z3 sorts: -### Example program +- Built-in: `BoolSort()`, `IntSort()`, `RealSort()` (pre-defined) +- Custom: `DeclareSort(name)`, `EnumSort(name, values)`, `BitVecSort(n)`, `ArraySort(domain, range)` +Example ArraySort dependency: ```json -{ - "sorts": ["Person"], - "constants": { - "nancy": "Person" - }, - "functions": [{ - "name": "supports_abortion", - "domain": ["Person"], - "range": "Bool" - }], - "knowledge_base": [ - {"type": "assert", "value": "supports_abortion(nancy)"} - ], - "verifications": [{ - "type": "check_sat", - "hypotheses": ["Not(supports_abortion(nancy))"] - }] -} +{"name": "IntArray", "type": "ArraySort(IntSort, IntSort)"} ``` -### When to use +Requires `IntSort` already defined (built-in) before creating `IntArray`. -- LLMs struggle with SMT2 syntax -- You want better error messages -- You don't want to install Z3 CLI -- You need richer DSL features (optimization, complex rules) +**Step 2: ExpressionParser** (`z3adapter/dsl/expressions.py`) -### Setup +Parses logical expressions from strings via restricted `eval()`: ```python -from z3adapter.reasoning import ProofOfThought - -pot = ProofOfThought( - llm_client=client, - backend="json" -) +safe_globals = {**Z3_OPERATORS, **functions} +context = {**functions, **constants, **variables, **quantified_vars} +ExpressionValidator.safe_eval(expr_str, safe_globals, context) ``` -### Pros +Whitelisted operators: +```python +Z3_OPERATORS = { + "And", "Or", "Not", "Implies", "If", "Distinct", + "Sum", "Product", "ForAll", "Exists", "Function", "Array", "BitVecVal" +} +``` -✓ Easier for LLMs to generate -✓ Better error messages -✓ No CLI dependency -✓ Richer DSL features +**Step 3: Verifier** (`z3adapter/verification/verifier.py`) -### Cons +For each verification condition: +```python +result = solver.check(condition) # Adds condition as hypothesis to KB +if result == sat: + sat_count += 1 +elif result == unsat: + unsat_count += 1 +``` -✗ Not a standard format -✗ Only works with Z3 Python API -✗ Not portable to other solvers +**Verification Semantics:** +- `solver.check(φ)` asks: "Is KB ∧ φ satisfiable?" +- SAT: φ is consistent with KB (possible) +- UNSAT: φ contradicts KB (impossible) -## How it works +### Prompt Template -### Program generation +Source: `z3adapter/reasoning/prompt_template.py` -The LLM sees different prompts for each backend: +Comprehensive 546-line specification of JSON DSL. Key sections: -- **SMT2**: Gets examples of SMT-LIB 2.0 programs -- **JSON**: Gets examples of the JSON DSL +**Sorts:** +```json +{"name": "Person", "type": "DeclareSort"} +``` -Templates are in: -- `z3adapter/reasoning/smt2_prompt_template.py` -- `z3adapter/reasoning/prompt_template.py` +**Functions:** +```json +{"name": "supports", "domain": ["Person", "Issue"], "range": "BoolSort"} +``` -### Execution +**Constants:** +```json +{"persons": {"sort": "Person", "members": ["nancy_pelosi"]}} +``` -Both backends return the same `VerificationResult`: +**Variables:** +Free variables for quantifier binding: +```json +{"name": "p", "sort": "Person"} +``` -```python -@dataclass -class VerificationResult: - answer: bool | None # True (SAT), False (UNSAT), None (error) - sat_count: int # Number of SAT results - unsat_count: int # Number of UNSAT results - output: str # Raw Z3 output - success: bool # Did execution complete? - error: str | None # Error message if failed +**Knowledge Base:** +```json +["ForAll([p], Implies(is_democrat(p), supports_abortion(p)))"] ``` -### File extensions +**Verifications:** +Three types: -Programs are saved with appropriate extensions: +1. Simple constraint: +```json +{"name": "test", "constraint": "supports_abortion(nancy)"} +``` -- SMT2: `.smt2` -- JSON: `.json` +2. Existential: +```json +{"name": "test", "exists": [{"name": "x", "sort": "Int"}], "constraint": "x > 0"} +``` -Use `save_program=True` in `query()` to keep generated programs. +3. Universal: +```json +{"name": "test", "forall": [{"name": "x", "sort": "Int"}], + "implies": {"antecedent": "x > 0", "consequent": "x >= 1"}} +``` -## Benchmark comparison +**Critical constraint:** Single verification per question (avoid ambiguous results from testing both φ and ¬φ). -Results on 100 samples per dataset: +### File Extension -| Dataset | SMT2 Accuracy | JSON Accuracy | -|---------|---------------|---------------| -| ProntoQA | 100% | 99% | -| FOLIO | 69% | 76% | -| ProofWriter | 99% | 96% | -| ConditionalQA | 83% | 76% | -| StrategyQA | 84% | 68% | +`.json` -SMT2 edges out JSON on most benchmarks, but both are viable. +## Benchmark Performance -## Switching backends +Results from `experiments_pipeline.py` (100 samples per dataset, GPT-5, `max_attempts=3`): -You can compare backends on the same question: +| Dataset | SMT2 Accuracy | JSON Accuracy | SMT2 Success | JSON Success | +|---------|---------------|---------------|--------------|--------------| +| ProntoQA | 100% | 99% | 100% | 100% | +| FOLIO | 69% | 76% | 99% | 94% | +| ProofWriter | 99% | 96% | 99% | 96% | +| ConditionalQA | 83% | 76% | 100% | 89% | +| StrategyQA | 84% | 68% | 100% | 86% | -```python -question = "Can fish breathe underwater?" +**Success Rate** = percentage of queries completing without error (generation + execution). -# Try both -pot_smt2 = ProofOfThought(llm_client=client, backend="smt2") -pot_json = ProofOfThought(llm_client=client, backend="json") +SMT2 higher accuracy on 4/5 datasets. JSON higher success rate variance (86-100% vs 99-100%). -result_smt2 = pot_smt2.query(question) -result_json = pot_json.query(question) +## Implementation Differences -print(f"SMT2: {result_smt2.answer}") -print(f"JSON: {result_json.answer}") +### Program Generation + +**SMT2:** Extract from markdown via: +```python +pattern = r"```smt2\s*([\s\S]*?)\s*```" ``` -See `examples/backend_comparison.py` for a full example. +**JSON:** Extract and parse via: +```python +pattern = r"```json\s*(\{[\s\S]*?\})\s*```" +json.loads(match.group(1)) +``` -## Architecture +### Error Handling -Both backends implement the same interface: +**SMT2:** +- Subprocess timeout → `TimeoutExpired` +- Parse errors → regex mismatch → `answer=None` +- Z3 errors in stderr → still parsed -```python -class Backend(ABC): - @abstractmethod - def execute(self, program_path: str) -> VerificationResult: - pass +**JSON:** +- JSON parse error → extraction failure +- Z3 Python API exception → caught in `try/except` +- Invalid sort reference → `ValueError` during SortManager +- Expression eval error → `ValueError` during ExpressionParser - @abstractmethod - def get_file_extension(self) -> str: - pass +### Timeout Configuration - @abstractmethod - def get_prompt_template(self) -> str: - pass -``` +**SMT2:** +- Single timeout parameter: `verify_timeout` (ms) +- Converted to seconds for Z3 CLI: `verify_timeout // 1000` +- Hard subprocess timeout: `timeout_seconds + 10` -Location: `z3adapter/backends/` +**JSON:** +- Two timeouts: `verify_timeout` (ms), `optimize_timeout` (ms) +- Set via `solver.set("timeout", verify_timeout)` in Verifier +- Applies per `solver.check()` call -- `abstract.py` - Interface definition -- `smt2_backend.py` - SMT-LIB 2.0 implementation -- `json_backend.py` - JSON DSL implementation +## Backend Selection Code -## Troubleshooting - -**SMT2: "z3 command not found"** +```python +if backend == "json": + from z3adapter.backends.json_backend import JSONBackend + backend_instance = JSONBackend(verify_timeout, optimize_timeout) +else: # smt2 + from z3adapter.backends.smt2_backend import SMT2Backend + backend_instance = SMT2Backend(verify_timeout, z3_path) +``` -Install Z3 CLI or switch to JSON backend. +File: `z3adapter/reasoning/proof_of_thought.py:78-90` -**JSON: Slower execution?** +## Prompt Selection -JSON uses Python API, which has slight overhead. Usually negligible. +```python +if self.backend == "json": + prompt = build_prompt(question) +else: # smt2 + prompt = build_smt2_prompt(question) +``` -**Different answers between backends?** +File: `z3adapter/reasoning/program_generator.py:78-81` -Both backends are correct—differences likely come from LLM generation variance. Run multiple queries or increase `max_attempts`. +Prompts include few-shot examples and format specifications. SMT2 prompt emphasizes S-expression syntax. JSON prompt details variable scoping and quantifier semantics. diff --git a/docs/benchmarks.md b/docs/benchmarks.md index d684b37..1d6d4f9 100644 --- a/docs/benchmarks.md +++ b/docs/benchmarks.md @@ -1,6 +1,24 @@ # Benchmarks -ProofOfThought has been evaluated on 5 logical reasoning datasets. +Evaluation on 5 logical reasoning datasets using Azure GPT-5. + +## Methodology + +**Model:** Azure GPT-5 deployment +**Configuration:** +- `max_attempts=3` (retry with error feedback) +- `verify_timeout=10000ms` +- `optimize_timeout=100000ms` (JSON backend only) +- `num_workers=10` (ThreadPoolExecutor for parallel processing) + +**Metrics:** `sklearn.metrics` +- Accuracy: `accuracy_score(y_true, y_pred)` +- Precision: `precision_score(y_true, y_pred, zero_division=0)` +- Recall: `recall_score(y_true, y_pred, zero_division=0)` +- F1: `2 * (precision * recall) / (precision + recall)` +- Success Rate: `(total - failed) / total` + +**Execution:** `experiments_pipeline.py` runs all benchmarks sequentially, modifying `BACKEND` variable in each `benchmark/bench_*.py` script via regex substitution. ## Results @@ -19,134 +37,138 @@ ProofOfThought has been evaluated on 5 logical reasoning datasets. | ConditionalQA | JSON | 100 | 76.00% | 0.9180 | 0.8750 | 0.8960 | 89.00% | | StrategyQA | JSON | 100 | 68.00% | 0.7500 | 0.7895 | 0.7692 | 86.00% | -## Datasets +## Dataset Characteristics ### ProntoQA -Synthetic first-order logic problems with clear provable answers. +Synthetic first-order logic with deterministic inference. **Example:** - ``` -Question: "Stella is a lion. All lions are brown. Is Stella brown?" +Facts: "Stella is a lion. All lions are brown." +Question: "Is Stella brown?" Answer: True ``` -**Performance:** Near-perfect accuracy with both backends. This is the easiest dataset. +**Performance:** +- SMT2: 100% (100/100) +- JSON: 99% (99/100) + +Both backends near-perfect. Simplest dataset. ### FOLIO -First-order logic inference problems derived from Wikipedia. +First-order logic from Wikipedia articles. -**Example:** +**Characteristics:** Complex nested quantifiers, longer inference chains. -``` -Question: "All cats are mammals. Fluffy is a cat. Is Fluffy a mammal?" -Answer: True -``` +**Performance:** +- SMT2: 69% (69/100) +- JSON: 76% (76/100) -**Performance:** Most challenging dataset. SMT2 gets 69%, JSON gets 76%. The higher accuracy with JSON suggests LLMs struggle with SMT2 syntax for complex logic. +JSON outperforms SMT2 (+7%). Most challenging dataset. Lower success rate for JSON (94% vs 99%) indicates generation difficulties. ### ProofWriter -Deductive reasoning over facts and rules. +Deductive reasoning over explicit facts and rules. **Example:** - ``` Facts: "The bear is red. If something is red, then it is kind." Question: "Is the bear kind?" Answer: True ``` -**Performance:** Near-perfect with SMT2 (99%), very good with JSON (96%). +**Performance:** +- SMT2: 98.96% (95/96) +- JSON: 95.83% (92/96) -### ConditionalQA +High accuracy for both. SMT2 slight edge (+3%). -Reasoning with conditional statements. +### ConditionalQA -**Example:** +Conditional reasoning with if-then statements. -``` -Question: "If it rains, the ground is wet. It is raining. Is the ground wet?" -Answer: True -``` +**Performance:** +- SMT2: 83% (83/100) +- JSON: 76% (76/100) -**Performance:** SMT2 achieves 83%, JSON achieves 76%. Both backends handle conditionals well. +SMT2 better accuracy (+7%) and higher success rate (100% vs 89%). ### StrategyQA -Multi-hop reasoning requiring implicit knowledge. +Multi-hop reasoning requiring implicit world knowledge. **Example:** - ``` Question: "Would a vegetarian eat a burger made of plants?" -Answer: True +Answer: True (requires knowing: vegetarians avoid meat, plant burgers have no meat) ``` -**Performance:** SMT2 gets 84%, JSON gets 68%. This dataset requires more complex reasoning chains. +**Performance:** +- SMT2: 84% (84/100) +- JSON: 68% (68/100) + +Largest gap (+16% for SMT2). Both achieve 100%/86% success rates respectively. -## Metrics Explained +## Analysis -- **Accuracy**: Percentage of correct predictions -- **Precision**: Of all positive predictions, how many were correct? - - `True Positives / (True Positives + False Positives)` -- **Recall**: Of all actual positives, how many did we catch? - - `True Positives / (True Positives + False Negatives)` -- **F1 Score**: Harmonic mean of precision and recall - - `2 × (Precision × Recall) / (Precision + Recall)` -- **Success Rate**: Percentage of queries that completed without errors +### Accuracy Summary -## Backend Comparison +**SMT2:** 86.8% average across datasets +**JSON:** 82.8% average across datasets -### SMT2 Backend +SMT2 superior on 4/5 datasets (FOLIO exception where JSON +7%). -**Strengths:** -- Better on ProofWriter (99% vs 96%) -- Better on ConditionalQA (83% vs 76%) -- Better on StrategyQA (84% vs 68%) -- Higher overall accuracy on 4/5 benchmarks +### Success Rate Summary -**Weaknesses:** -- Slightly worse on FOLIO (69% vs 76%) -- More generation errors (lower success rate on some datasets) +**SMT2:** 99.4% average (range: 98.96-100%) +**JSON:** 92.8% average (range: 86-100%) -### JSON Backend +SMT2 more reliable program generation and execution. JSON success rate variance higher, indicating LLM generation issues on some datasets. -**Strengths:** -- Better on FOLIO (76% vs 69%) -- More reliable generation (higher success rates) -- Better error messages for debugging +### Failure Modes -**Weaknesses:** -- Lower accuracy on StrategyQA (68% vs 84%) -- Lower accuracy on ConditionalQA (76% vs 83%) +**SMT2 failures:** +- JSON extraction from markdown: regex mismatch +- Z3 subprocess timeout (rare with 10s limit) +- Invalid SMT-LIB syntax (caught by Z3 parser) -## Running Your Own Benchmarks +**JSON failures:** +- JSON parsing errors post-extraction +- Invalid sort references (e.g., undefined `Person` sort) +- Expression evaluation errors in `ExpressionParser.parse_expression()` +- Z3 Python API exceptions + +## Reproducing Results -### Full suite +### Full benchmark suite ```bash python experiments_pipeline.py ``` -This runs all 5 benchmarks with both backends and updates the README. +Generates: +- `results/benchmark_results.json` - Raw metrics +- `results/benchmark_results.md` - Markdown table +- Updates `README.md` between `` markers ### Single benchmark +```bash +python benchmark/bench_strategyqa.py +``` + +Modify `BACKEND` variable in script (`smt2` or `json`). + +### Custom evaluation + ```python from utils.azure_config import get_client_config from z3adapter.reasoning import ProofOfThought, EvaluationPipeline config = get_client_config() - -pot = ProofOfThought( - llm_client=config["llm_client"], - model=config["model"], - backend="smt2" -) - +pot = ProofOfThought(llm_client=config["llm_client"], backend="smt2") evaluator = EvaluationPipeline(proof_of_thought=pot) result = evaluator.evaluate( @@ -155,47 +177,30 @@ result = evaluator.evaluate( ) print(f"Accuracy: {result.metrics.accuracy:.2%}") +print(f"Precision: {result.metrics.precision:.4f}") +print(f"Recall: {result.metrics.recall:.4f}") +print(f"F1: {result.metrics.f1_score:.4f}") ``` -### Custom datasets - -See [Examples](examples.md#dataset-format) for dataset format requirements. - -## Performance Notes - -**Generation time:** 2-5 seconds per query on average with GPT-5. +## Dataset Sources -**Success rate:** SMT2 achieves 99-100% success rate. JSON achieves 86-100% success rate. +- **ProntoQA:** `data/prontoqa_test.json` +- **FOLIO:** `data/folio_test.json` +- **ProofWriter:** `data/proof_writer_test.json` +- **ConditionalQA:** `data/conditionalQA_test.json` +- **StrategyQA:** `data/strategyQA_train.json` -**Timeouts:** Default timeouts (10s verify, 100s optimize) work well for these datasets. +Format: JSON arrays with `question` and `answer` fields (boolean). -## Why the differences? +## Implementation Notes -Backend performance varies because: +**Parallel Processing:** +Benchmark scripts use `num_workers=10` with `ThreadPoolExecutor` (not `ProcessPoolExecutor` due to ProofOfThought unpicklability). -1. **LLM generation reliability**: JSON is more structured, easier for LLMs to generate correctly -2. **Syntax complexity**: SMT2 requires precise S-expression syntax -3. **Error recovery**: JSON provides better error messages, leading to better retries -4. **Dataset characteristics**: Some logical patterns are easier in one DSL vs the other - -**Recommendation:** Start with SMT2 (default). Switch to JSON if you see low success rates. - -## Reproducing Results - -All results are from: - -- **Model:** GPT-5 (Azure deployment) -- **Max attempts:** 3 -- **Verify timeout:** 10000ms -- **Optimize timeout:** 100000ms -- **Sample size:** 100 per dataset (96 for ProofWriter) - -To reproduce: - -```bash -# Set up Azure config in .env -# Then run experiments -python experiments_pipeline.py -``` +**Caching:** +`skip_existing=True` enables resumption. Results cached as: +- `output/{backend}_evaluation_{dataset}/{sample_id}_result.json` +- `output/{backend}_programs_{dataset}/{sample_id}_program.{ext}` -Results are saved to `results/` with timestamp and full metrics. +**Timeout Handling:** +`experiments_pipeline.py` sets 1-hour subprocess timeout per benchmark. Individual Z3 calls timeout at 10s (verify) or 100s (optimize). diff --git a/docs/dsl-specification.md b/docs/dsl-specification.md new file mode 100644 index 0000000..596a765 --- /dev/null +++ b/docs/dsl-specification.md @@ -0,0 +1,414 @@ +# DSL Specification + +Technical details of the JSON DSL implementation. + +## Rules vs Verifications + +**Critical distinction:** Rules modify the solver state. Verifications query the solver state. + +### Rules + +**Implementation:** `z3adapter/dsl/expressions.py:159-204` + +**Operation:** `solver.add(assertion)` + +Rules are **permanently asserted** into the solver's knowledge base during step 6 of interpretation. + +```python +# Line 189: Implication rule +solver.add(ForAll(variables, Implies(antecedent, consequent))) + +# Line 194-196: Constraint rule +if variables: + solver.add(ForAll(variables, constraint)) +else: + solver.add(constraint) +``` + +**Structure:** +```json +{ + "forall": [{"name": "p", "sort": "Person"}], + "implies": { + "antecedent": "is_democrat(p)", + "consequent": "supports_abortion(p)" + } +} +``` + +**Effect:** Defines axioms. Every subsequent verification will inherit this constraint. + +### Verifications + +**Implementation:** `z3adapter/verification/verifier.py:84-127` + +**Operation:** `solver.check(condition)` + +Verifications **test conditions** against the existing knowledge base without modifying it. + +```python +# Line 113 +result = solver.check(condition) # Temporary hypothesis check + +if result == sat: + self.sat_count += 1 +elif result == unsat: + self.unsat_count += 1 +``` + +**Semantics:** Checks if `KB ∧ condition` is satisfiable. + +- **SAT**: condition is consistent with KB +- **UNSAT**: condition contradicts KB + +**Structure:** +```json +{ + "name": "test_pelosi", + "constraint": "publicly_denounce(nancy, abortion)" +} +``` + +**Effect:** Returns SAT/UNSAT but does NOT add to KB. + +### Example + +```json +{ + "rules": [ + { + "forall": [{"name": "p", "sort": "Person"}], + "implies": {"antecedent": "is_democrat(p)", "consequent": "supports_abortion(p)"} + } + ], + "knowledge_base": ["is_democrat(nancy)"], + "verifications": [ + {"name": "test", "constraint": "supports_abortion(nancy)"} + ] +} +``` + +**Execution:** +1. `solver.add(ForAll([p], Implies(is_democrat(p), supports_abortion(p))))` — rule +2. `solver.add(is_democrat(nancy))` — knowledge base +3. `solver.check(supports_abortion(nancy))` — verification → **SAT** + +## Variable Scoping + +**Implementation:** `z3adapter/dsl/expressions.py:69-107` + +### Free Variables + +Declared in global `"variables"` section. Available throughout program. + +```json +"variables": [{"name": "x", "sort": "Int"}] +``` + +Added to evaluation context (line 91): +```python +context.update(self.variables) +``` + +### Quantified Variables + +Bound by `ForAll` or `Exists` quantifiers. Temporarily shadow free variables within quantified scope. + +```json +"knowledge_base": ["ForAll([x], x > 0)"] +``` + +Here `x` must exist in context (from `"variables"`) to be bound by `ForAll`. + +### Shadowing + +Code checks for shadowing (lines 100-106): +```python +for v in quantified_vars: + var_name = v.decl().name() + if var_name in context and var_name not in [...]: + logger.warning(f"Quantified variable '{var_name}' shadows existing symbol") + context[var_name] = v +``` + +Variables bound by quantifiers override free variables in local scope. + +## Answer Determination + +**Implementation:** `z3adapter/backends/abstract.py:52-67` + +```python +def determine_answer(self, sat_count: int, unsat_count: int) -> bool | None: + if sat_count > 0 and unsat_count == 0: + return True + elif unsat_count > 0 and sat_count == 0: + return False + else: + return None # Ambiguous +``` + +**Ambiguous results** (`None`) occur when: +- `sat_count > 0 and unsat_count > 0` — multiple verifications with conflicting results +- `sat_count == 0 and unsat_count == 0` — no verifications or all unknown + +**Handling:** `proof_of_thought.py:183-191` treats `None` as error and retries with feedback: +```python +if verify_result.answer is None: + error_trace = ( + f"Ambiguous verification result: " + f"SAT={verify_result.sat_count}, UNSAT={verify_result.unsat_count}" + ) + continue # Retry with error feedback +``` + +**Best practice:** Single verification per program (enforced by prompt template line 416). + +## Security Model + +**Implementation:** `z3adapter/security/validator.py` + +### AST Validation + +Before `eval()`, parses to AST and checks for dangerous constructs (lines 21-42): + +**Blocked:** +- Dunder attributes: `__import__`, `__class__`, etc. (line 24) +- Imports: `import`, `from ... import` (line 29) +- Function/class definitions (line 32) +- Builtin abuse: `eval`, `exec`, `compile`, `__import__` (line 36-42) + +### Restricted Evaluation + +```python +# Line 66 +eval(code, {"__builtins__": {}}, {**safe_globals, **context}) +``` + +- **No builtins**: `__builtins__: {}` prevents access to `open`, `print`, etc. +- **Whitelisted globals**: Only Z3 operators and user-defined functions +- **Local context**: Constants, variables, quantified vars + +**Whitelisted operators** (`expressions.py:33-47`): +```python +Z3_OPERATORS = { + "And", "Or", "Not", "Implies", "If", "Distinct", + "Sum", "Product", "ForAll", "Exists", "Function", "Array", "BitVecVal" +} +``` + +## Sort Dependency Resolution + +**Implementation:** `z3adapter/dsl/sorts.py:36-97` + +Uses **Kahn's algorithm** for topological sorting. + +### Dependency Extraction + +ArraySort creates dependencies (lines 59-62): +```python +if sort_type.startswith("ArraySort("): + domain_range = sort_type[len("ArraySort(") : -1] + parts = [s.strip() for s in domain_range.split(",")] + deps.extend(parts) +``` + +Example: +```json +{"name": "MyArray", "type": "ArraySort(IntSort, Person)"} +``` +Depends on: `IntSort` (built-in, skip), `Person` (must be defined first). + +### Topological Sort + +Kahn's algorithm (lines 66-87): +1. Calculate in-degree (dependency count) for each sort +2. Process sorts with zero dependencies first +3. Reduce in-degree of dependents +4. Detect cycles if not all sorts processed (lines 90-92) + +**Circular dependency detection:** +```python +if len(sorted_names) != len(dependencies): + remaining = set(dependencies.keys()) - set(sorted_names) + raise ValueError(f"Circular dependency detected in sorts: {remaining}") +``` + +## Optimizer Independence + +**Implementation:** `z3adapter/optimization/optimizer.py:29-39` + +```python +def __init__(self, ...): + self.optimizer = Optimize() # Separate instance +``` + +**Critical:** `Optimize()` is **separate from `Solver()`**. Does NOT share constraints. + +From docstring (line 38-39): +> The optimizer is separate from the solver and doesn't share constraints. +> This is intentional to allow independent optimization problems. + +Optimizer has its own variables and constraints (lines 49-69). Can reference global constants via extended context (line 60-61): +```python +base_context = self.expression_parser.build_context() +opt_context = {**base_context, **optimization_vars} +``` + +## Execution Pipeline + +**Implementation:** `z3adapter/interpreter.py:135-197` + +8-step execution sequence: + +```python +# Step 1: Create sorts +self.sort_manager.create_sorts(self.config["sorts"]) + +# Step 2: Create functions +functions = self.sort_manager.create_functions(self.config["functions"]) + +# Step 3: Create constants +self.sort_manager.create_constants(self.config["constants"]) + +# Step 4: Create variables +variables = self.sort_manager.create_variables(self.config.get("variables", [])) + +# Step 5: Initialize expression parser +self.expression_parser = ExpressionParser(functions, constants, variables) +self.expression_parser.mark_symbols_loaded() # Enable context caching + +# Step 6: Add knowledge base +self.expression_parser.add_knowledge_base(self.solver, self.config["knowledge_base"]) + +# Step 7: Add rules +self.expression_parser.add_rules(self.solver, self.config["rules"], sorts) + +# Step 8: Initialize verifier and add verifications +self.verifier = Verifier(self.expression_parser, sorts) +self.verifier.add_verifications(self.config["verifications"]) + +# Step 9: Perform actions (e.g., "verify_conditions") +self.perform_actions() +``` + +**Symbol loading:** Line 172 calls `mark_symbols_loaded()` to enable context caching (lines 78-84 in `expressions.py`). After this, `build_context()` returns cached dict instead of rebuilding. + +## Retry Mechanism + +**Implementation:** `z3adapter/reasoning/proof_of_thought.py:123-191` + +Retry loop with error feedback: + +```python +for attempt in range(1, self.max_attempts + 1): + if attempt == 1: + gen_result = self.generator.generate(question, ...) + else: + gen_result = self.generator.generate_with_feedback( + question, error_trace, previous_response, ... + ) +``` + +**Failure modes triggering retry:** + +1. **Generation failure** (lines 143-149): + ```python + if not gen_result.success or gen_result.program is None: + error_trace = gen_result.error or "Failed to generate program" + continue + ``` + +2. **Execution failure** (lines 176-180): + ```python + if not verify_result.success: + error_trace = verify_result.error or "Z3 verification failed" + continue + ``` + +3. **Ambiguous result** (lines 183-191): + ```python + if verify_result.answer is None: + error_trace = f"Ambiguous verification result: SAT={sat_count}, UNSAT={unsat_count}" + continue + ``` + +**Error feedback:** Multi-turn conversation (`program_generator.py:130-174`): +```python +messages=[ + {"role": "user", "content": prompt}, + {"role": "assistant", "content": previous_response}, + {"role": "user", "content": feedback_message}, +] +``` + +## Solver Semantics + +**Implementation:** `z3adapter/solvers/z3_solver.py:20-24` + +```python +def check(self, condition: Any = None) -> Any: + if condition is not None: + return self.solver.check(condition) # Temporary hypothesis + return self.solver.check() # Check all assertions +``` + +**Two modes:** + +1. **`solver.check()`**: Checks satisfiability of all `solver.add()` assertions +2. **`solver.check(φ)`**: Checks satisfiability of `assertions ∧ φ` **without adding φ** + +Verifications use mode 2 (`verifier.py:113`): +```python +result = solver.check(condition) +``` + +This is **temporary** — `condition` is NOT added to solver permanently. + +**Contrast with rules:** +- Rules: `solver.add(φ)` → permanent +- Verifications: `solver.check(φ)` → temporary test + +## Built-in Sorts + +**Implementation:** `z3adapter/dsl/sorts.py:31-34` + +Three built-in sorts pre-initialized: +```python +def _initialize_builtin_sorts(self) -> None: + built_in_sorts = {"BoolSort": BoolSort(), "IntSort": IntSort(), "RealSort": RealSort()} + self.sorts.update(built_in_sorts) +``` + +**Important:** Reference as `"BoolSort"`, `"IntSort"`, `"RealSort"` in JSON (not `"Bool"`, `"Int"`, `"Real"`). + +Do NOT declare in `"sorts"` section — already available. + +## Prompt Template Constraints + +**Implementation:** `z3adapter/reasoning/prompt_template.py` + +Key constraints enforced by prompt (extracted from code): + +**Line 228:** Rules with `"implies"` MUST have non-empty `"forall"` field +```python +# expressions.py:184-186 +if "implies" in rule: + if not variables: + raise ValueError("Implication rules require quantified variables") +``` + +**Line 298:** Empty quantifier lists forbidden +```python +# verifier.py:42-43, 55-56 +if not exists_vars: + raise ValueError(f"Empty 'exists' list in verification") +``` + +**Line 416:** Single verification per program (avoid ambiguous results) +```python +# Directly impacts determine_answer() — mixed SAT/UNSAT returns None +``` + +**Line 531:** Output format requirement +- Must wrap JSON in markdown code block: ` ```json ... ``` ` +- Regex extraction: `r"```json\s*(\{[\s\S]*?\})\s*```"` (`program_generator.py:224`) diff --git a/docs/examples.md b/docs/examples.md index 13f5c96..7841077 100644 --- a/docs/examples.md +++ b/docs/examples.md @@ -1,112 +1,69 @@ # Examples -All examples are in the `examples/` directory. Run them from the project root: +All examples in `examples/`. Run from project root: ```bash -cd /path/to/proofofthought -python examples/simple_usage.py +python examples/{script}.py ``` -## Basic Usage +## Basic Query -### Single query +`examples/simple_usage.py` ```python from openai import OpenAI from z3adapter.reasoning import ProofOfThought -# Set up client -client = OpenAI(api_key="...") +client = OpenAI(api_key=os.getenv("OPENAI_API_KEY")) pot = ProofOfThought(llm_client=client, model="gpt-4o") -# Ask a question result = pot.query("Would Nancy Pelosi publicly denounce abortion?") - -# Check the answer print(result.answer) # False -print(f"Successful: {result.success}") -print(f"Attempts: {result.num_attempts}") ``` -File: `examples/simple_usage.py` +## Azure OpenAI -### Azure OpenAI +`examples/azure_simple_example.py` ```python from utils.azure_config import get_client_config from z3adapter.reasoning import ProofOfThought -# Get Azure config from environment config = get_client_config() +pot = ProofOfThought(llm_client=config["llm_client"], model=config["model"]) -# Initialize with Azure client -pot = ProofOfThought( - llm_client=config["llm_client"], - model=config["model"] -) - -# Use normally result = pot.query("Can fish breathe underwater?") print(result.answer) # True ``` -File: `examples/azure_simple_example.py` - -Required `.env` variables: - -```bash -AZURE_OPENAI_API_KEY=... -AZURE_OPENAI_ENDPOINT=https://....openai.azure.com/ -AZURE_OPENAI_API_VERSION=2024-08-01-preview -AZURE_GPT5_DEPLOYMENT_NAME=gpt-5 -``` - ## Backend Comparison -### Test both backends +`examples/backend_comparison.py` ```python -from utils.azure_config import get_client_config -from z3adapter.reasoning import ProofOfThought - config = get_client_config() question = "Can fish breathe underwater?" -# JSON backend -pot_json = ProofOfThought( - llm_client=config["llm_client"], - backend="json" -) -result_json = pot_json.query(question) +pot_json = ProofOfThought(llm_client=config["llm_client"], backend="json") +pot_smt2 = ProofOfThought(llm_client=config["llm_client"], backend="smt2") -# SMT2 backend -pot_smt2 = ProofOfThought( - llm_client=config["llm_client"], - backend="smt2" -) +result_json = pot_json.query(question) result_smt2 = pot_smt2.query(question) -print(f"JSON backend: {result_json.answer}") -print(f"SMT2 backend: {result_smt2.answer}") +print(f"JSON: {result_json.answer}") +print(f"SMT2: {result_smt2.answer}") ``` -File: `examples/backend_comparison.py` - ## Batch Evaluation -### Evaluate on a dataset +`examples/batch_evaluation.py` ```python -from z3adapter.reasoning import ProofOfThought, EvaluationPipeline +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought -# Set up evaluator pot = ProofOfThought(llm_client=client) -evaluator = EvaluationPipeline( - proof_of_thought=pot, - output_dir="results/" -) +evaluator = EvaluationPipeline(proof_of_thought=pot, output_dir="results/") -# Run evaluation result = evaluator.evaluate( dataset="data/strategyQA_train.json", question_field="question", @@ -114,22 +71,15 @@ result = evaluator.evaluate( max_samples=100 ) -# Print metrics print(f"Accuracy: {result.metrics.accuracy:.2%}") -print(f"Precision: {result.metrics.precision:.4f}") -print(f"Recall: {result.metrics.recall:.4f}") -print(f"F1 Score: {result.metrics.f1:.4f}") -print(f"Success Rate: {result.metrics.success_rate:.2%}") +print(f"F1 Score: {result.metrics.f1_score:.4f}") ``` -File: `examples/batch_evaluation.py` +## Azure + SMT2 Evaluation -### With Azure and SMT2 backend +`examples/batch_evaluation_smt2_azure.py` ```python -from utils.azure_config import get_client_config -from z3adapter.reasoning import ProofOfThought, EvaluationPipeline - config = get_client_config() pot = ProofOfThought( @@ -139,89 +89,69 @@ pot = ProofOfThought( ) evaluator = EvaluationPipeline(proof_of_thought=pot) -result = evaluator.evaluate( - dataset="data/strategyQA_train.json", - max_samples=50 -) - -print(f"Accuracy: {result.metrics.accuracy:.2%}") +result = evaluator.evaluate("data/strategyQA_train.json", max_samples=50) ``` -File: `examples/batch_evaluation_smt2_azure.py` - -## Running Experiments +## Full Benchmark Suite -### Full benchmark suite +`experiments_pipeline.py` -Run all 5 benchmarks with both backends: +Runs all 5 benchmarks (ProntoQA, FOLIO, ProofWriter, ConditionalQA, StrategyQA) with both backends: ```bash python experiments_pipeline.py ``` -This evaluates: - -- ProntoQA (100 samples) -- FOLIO (100 samples) -- ProofWriter (96 samples) -- ConditionalQA (100 samples) -- StrategyQA (100 samples) - -Results are saved to `results/` and the README is auto-updated. - -File: `experiments_pipeline.py` - -## Advanced Usage - -### Save generated programs +Implementation: +- Modifies `benchmark/bench_*.py` files to set backend via regex +- Runs each script as subprocess with 1-hour timeout +- Collects metrics from `output/{backend}_evaluation_{benchmark}/` directories +- Generates markdown table and updates README.md +Configuration (`experiments_pipeline.py:29-41`): ```python -result = pot.query( - "Can fish breathe underwater?", - save_program=True -) - -# Programs saved to cache_dir with .json or .smt2 extension -print(f"Program saved: {result.json_program}") +BENCHMARKS = { + "prontoqa": "benchmark/bench_prontoqa.py", + "folio": "benchmark/bench_folio.py", + "proofwriter": "benchmark/bench_proofwriter.py", + "conditionalqa": "benchmark/bench_conditionalqa.py", + "strategyqa": "benchmark/bench_strategyqa.py", +} +BACKENDS = ["smt2", "json"] ``` -### Custom timeouts - -```python -pot = ProofOfThought( - llm_client=client, - verify_timeout=5000, # 5 seconds - optimize_timeout=50000, # 50 seconds - max_attempts=5 -) -``` +## Benchmark Script Structure -### Custom Z3 path +`benchmark/bench_strategyqa.py` (representative): ```python +config = get_client_config() + pot = ProofOfThought( - llm_client=client, - backend="smt2", - z3_path="/usr/local/bin/z3" + llm_client=config["llm_client"], + model=config["model"], + backend=BACKEND, # Modified by experiments_pipeline.py + max_attempts=3, + cache_dir=f"output/{BACKEND}_programs_strategyqa", ) -``` -### Override max attempts per query - -```python -# Default max_attempts=3 -pot = ProofOfThought(llm_client=client) +evaluator = EvaluationPipeline( + proof_of_thought=pot, + output_dir=f"output/{BACKEND}_evaluation_strategyqa", + num_workers=10, # ThreadPoolExecutor for parallel processing +) -# Override for specific query -result = pot.query( - "Complex question...", - max_attempts=10 +result = evaluator.evaluate( + dataset="data/strategyQA_train.json", + id_field="qid", + max_samples=100, + skip_existing=True, # Resume interrupted runs ) ``` ## Dataset Format -Evaluation expects JSON with question/answer fields: +JSON array of objects: ```json [ @@ -236,67 +166,34 @@ Evaluation expects JSON with question/answer fields: ] ``` -Custom field names: - -```python -result = evaluator.evaluate( - dataset="custom_dataset.json", - question_field="query", - answer_field="label", - max_samples=100 -) +Optional ID field: +```json +{"qid": "sample_123", "question": "...", "answer": true} ``` -## Testing Strategy +Custom field names via `question_field`, `answer_field`, `id_field` parameters. -Want to test on a specific dataset? See `examples/test_strategyqa.py`: +## Saving Programs ```python -from utils.azure_config import get_client_config -from z3adapter.reasoning import ProofOfThought, EvaluationPipeline - -config = get_client_config() - -# JSON backend -pot_json = ProofOfThought( - llm_client=config["llm_client"], - model=config["model"], - backend="json" -) - -evaluator = EvaluationPipeline(proof_of_thought=pot_json) -result = evaluator.evaluate( - dataset="data/strategyQA_train.json", - max_samples=100 +result = pot.query( + "Can fish breathe underwater?", + save_program=True, + program_path="output/my_program.smt2" ) - -print(f"StrategyQA JSON Backend Accuracy: {result.metrics.accuracy:.2%}") -``` - -## Troubleshooting - -**Examples fail with import errors?** - -Make sure you're running from the project root, not from `examples/`: - -```bash -# Wrong -cd examples -python simple_usage.py # ❌ Import error - -# Right -cd /path/to/proofofthought -python examples/simple_usage.py # ✓ Works ``` -**Azure config not found?** +Default path: `{cache_dir}/{auto_generated}{ext}` -Check your `.env` file has all required Azure variables. See [Installation](installation.md). - -**Z3 not found?** - -Either install Z3 CLI or use JSON backend: +## Advanced Configuration ```python -pot = ProofOfThought(llm_client=client, backend="json") +pot = ProofOfThought( + llm_client=client, + model="gpt-5", + backend="smt2", + max_attempts=5, # More retries + verify_timeout=20000, # 20s timeout + z3_path="/custom/z3" # Custom Z3 binary +) ``` diff --git a/docs/index.md b/docs/index.md index 241f763..34dfc24 100644 --- a/docs/index.md +++ b/docs/index.md @@ -1,12 +1,42 @@ # ProofOfThought -LLM-based reasoning using Z3 theorem proving. +LLM-guided translation of natural language to formal logic, verified via Z3 theorem prover. -## What is this? +## Architecture -ProofOfThought combines large language models with Z3 theorem proving to solve logical reasoning tasks. Instead of asking an LLM to "think" about a problem, we ask it to write formal logic programs that Z3 can verify. +``` +Question (NL) + ↓ +LLM Translation (few-shot prompting) + ↓ +Formal Program (SMT-LIB 2.0 or JSON DSL) + ↓ +Z3 Execution + ↓ +SAT/UNSAT → Boolean Answer +``` + +### Components + +**Z3ProgramGenerator** (`z3adapter.reasoning.program_generator`) +LLM interface for program generation. Extracts formal programs from markdown code blocks using regex. Supports error feedback via multi-turn conversations. + +**Backend** (`z3adapter.backends.abstract`) +Abstract interface: `execute(program_path) → VerificationResult`. Concrete implementations: -Think of it as giving your LLM a calculator for logic. +- **SMT2Backend**: Subprocess call to Z3 CLI. Parses stdout/stderr for `sat`/`unsat` via regex `(?=3.12"`). -## Install Python dependencies +### Core ```bash pip install -r requirements.txt ``` -This installs: -- `z3-solver` - Z3 Python bindings -- `openai` - LLM client -- `scikit-learn`, `numpy` - For evaluation metrics -- `python-dotenv` - Environment variable management +Installs: -## Install Z3 CLI (for SMT2 backend) +- `z3-solver>=4.15.0` - Z3 Python API (JSONBackend) + CLI binary (SMT2Backend) +- `openai>=2.0.0` - LLM client (supports Azure OpenAI via same interface) +- `scikit-learn>=1.7.0` - Evaluation metrics (`confusion_matrix`, `accuracy_score`, etc.) +- `numpy>=2.3.0` - Numerical operations +- `python-dotenv>=1.1.0` - Environment variable management -The SMT2 backend needs the Z3 command-line tool. +### Development (Optional) -### macOS ```bash -brew install z3 +pip install -e ".[dev]" ``` -### Ubuntu/Debian -```bash -sudo apt-get install z3 -``` +Additional tools: + +- `black>=25.9.0` - Code formatter +- `ruff>=0.13.0` - Linter +- `mypy>=1.18.0` - Type checker +- `pytest>=8.0.0` - Test runner +- `pre-commit>=4.3.0` - Git hooks + +## Z3 Verification + +### JSON Backend + +No additional setup. `z3-solver` package includes Python API. + +### SMT2 Backend + +Requires Z3 CLI in PATH: -### From source ```bash -git clone https://github.com/Z3Prover/z3.git -cd z3 -python scripts/mk_make.py -cd build -make -sudo make install +z3 --version ``` -### Verify installation +If missing, `z3-solver` package includes CLI in `site-packages`. Locate via: + ```bash -z3 --version +python -c "import z3; print(z3.__file__)" +# CLI typically at: .../site-packages/z3/bin/z3 ``` -**Note:** The JSON backend doesn't need the CLI—it uses Z3's Python API. +macOS/Linux: Add to PATH or specify in code: +```python +ProofOfThought(..., z3_path="/path/to/z3") +``` -## Set up API keys +## API Keys ### OpenAI -Create a `.env` file in the project root: - +`.env`: ```bash OPENAI_API_KEY=sk-... ``` ### Azure OpenAI -For Azure GPT-4o or GPT-5, add these to `.env`: - +`.env`: ```bash AZURE_OPENAI_API_KEY=... AZURE_OPENAI_ENDPOINT=https://....openai.azure.com/ @@ -71,59 +78,72 @@ AZURE_GPT5_DEPLOYMENT_NAME=gpt-5 AZURE_GPT4O_DEPLOYMENT_NAME=gpt-4o ``` -See `examples/azure_simple_example.py` for Azure usage. +Usage: +```python +from utils.azure_config import get_client_config -## Verify setup +config = get_client_config() # Returns {"llm_client": AzureOpenAI(...), "model": str} +pot = ProofOfThought(llm_client=config["llm_client"], model=config["model"]) +``` -Run a quick test: +## Verification ```bash python examples/simple_usage.py ``` -You should see output like: - +Expected output structure: ``` Question: Would Nancy Pelosi publicly denounce abortion? Answer: False Success: True +Attempts: 1 ``` -## Development setup +## Troubleshooting -For contributors: +**Z3 CLI not found (SMT2 backend)** -```bash -pip install -e ".[dev]" -pre-commit install +Error: +``` +FileNotFoundError: Z3 executable not found: 'z3' ``` -This installs development tools: -- `black` - Code formatter -- `ruff` - Linter -- `mypy` - Type checker -- `pytest` - Test runner -- `pre-commit` - Git hooks +Solutions: +1. Use JSON backend: `ProofOfThought(backend="json")` +2. Specify Z3 path: `ProofOfThought(z3_path="/path/to/z3")` +3. Add to PATH: `export PATH=$PATH:/path/to/z3/bin` -## Troubleshooting +**Import errors when running examples** -**Z3 not found?** +Wrong: +```bash +cd examples +python simple_usage.py # ❌ ModuleNotFoundError +``` -If you get `z3: command not found`, either: -1. Install the Z3 CLI (see above) -2. Use the JSON backend instead: `ProofOfThought(backend="json")` +Correct: +```bash +cd /path/to/proofofthought +python examples/simple_usage.py # ✓ +``` -**API key errors?** +Reason: `examples/*.py` use `sys.path.insert(0, str(Path(__file__).parent.parent))` to find `z3adapter` and `utils` modules from project root. -Make sure your `.env` file is in the project root and contains valid keys. +**Azure authentication errors** -**Import errors?** +Verify `.env` variables are set and endpoint URL is correct. Test via: +```python +from utils.azure_config import get_client_config +config = get_client_config() # Should not raise +``` -Run examples from the project root: +## Version Constraints -```bash -cd /path/to/proofofthought -python examples/simple_usage.py -``` +From `pyproject.toml` and `requirements.txt`: -Not from the `examples/` directory. +- Python: `>=3.12` +- Z3: `>=4.15.0` (tested with `4.15.3.0`) +- OpenAI: `>=2.0.0` (tested with `2.0.1`) +- scikit-learn: `>=1.7.0` (tested with `1.7.2`) +- NumPy: `>=2.3.0` (tested with `2.3.3`) diff --git a/mkdocs.yml b/mkdocs.yml index df40a28..7d69de8 100644 --- a/mkdocs.yml +++ b/mkdocs.yml @@ -8,36 +8,17 @@ repo_url: https://github.com/debarghaG/proofofthought edit_uri: edit/main/docs/ theme: - name: material - palette: - # Light mode - - scheme: default - primary: indigo - accent: indigo - toggle: - icon: material/brightness-7 - name: Switch to dark mode - # Dark mode - - scheme: slate - primary: indigo - accent: indigo - toggle: - icon: material/brightness-4 - name: Switch to light mode - features: - - navigation.instant - - navigation.tracking - - navigation.tabs - - navigation.sections - - navigation.top - - search.suggest - - search.highlight - - content.code.copy - - content.code.annotate + name: readthedocs + highlightjs: true + hljs_languages: + - python + - json + - bash nav: - Home: index.md - Installation: installation.md + - DSL Specification: dsl-specification.md - API Reference: api-reference.md - Backends: backends.md - Examples: examples.md @@ -49,17 +30,6 @@ markdown_extensions: guess_lang: false - toc: permalink: true - - pymdownx.highlight: - anchor_linenums: true - - pymdownx.inlinehilite - - pymdownx.snippets - - pymdownx.superfences - - pymdownx.tabbed: - alternate_style: true - - pymdownx.details - - pymdownx.emoji: - emoji_index: !!python/name:material.extensions.emoji.twemoji - emoji_generator: !!python/name:material.extensions.emoji.to_svg - tables plugins: @@ -69,7 +39,5 @@ extra: social: - icon: fontawesome/brands/github link: https://github.com/debarghaG/proofofthought - - icon: fontawesome/brands/python - link: https://pypi.org/project/proofofthought/ copyright: Copyright © 2025 Debargha Ganguly From c67c258b6937fc83b9af8ddd176fdfa4fd56fbfe Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Thu, 16 Oct 2025 21:49:35 -0400 Subject: [PATCH 09/11] Documentation changes --- docs/api-reference.md | 51 ++++++++---- docs/backends.md | 102 ++++++++++++++--------- docs/benchmarks.md | 110 ++++++++++++++++--------- docs/dsl-specification.md | 168 ++++++++++++++++++++++++-------------- docs/examples.md | 58 +++++++++---- docs/foreword.md | 31 +++++++ docs/index.md | 72 +++++++++------- docs/installation.md | 97 ++++++++++++---------- mkdocs.yml | 1 + 9 files changed, 449 insertions(+), 241 deletions(-) create mode 100644 docs/foreword.md diff --git a/docs/api-reference.md b/docs/api-reference.md index 9d2f5a2..670f98b 100644 --- a/docs/api-reference.md +++ b/docs/api-reference.md @@ -1,8 +1,12 @@ # API Reference +This reference documents the public API for ProofOfThought. + ## ProofOfThought -`z3adapter.reasoning.proof_of_thought.ProofOfThought` +The main entry point for the reasoning system. + +**Location:** `z3adapter.reasoning.proof_of_thought.ProofOfThought` ### Constructor @@ -54,7 +58,9 @@ def query( **Returns:** `QueryResult` -**Implementation:** Retry loop with error feedback +**Implementation details:** + +The method implements a retry loop with error feedback: ```python for attempt in range(1, max_attempts + 1): @@ -69,6 +75,8 @@ for attempt in range(1, max_attempts + 1): ## QueryResult +Contains the results of a reasoning query. + ```python @dataclass class QueryResult: @@ -85,7 +93,9 @@ class QueryResult: ## EvaluationPipeline -`z3adapter.reasoning.evaluation.EvaluationPipeline` +Facilitates batch evaluation of reasoning questions on datasets. + +**Location:** `z3adapter.reasoning.evaluation.EvaluationPipeline` ### Constructor @@ -129,10 +139,14 @@ def evaluate( **Returns:** `EvaluationResult` -**Caching:** Saves `{sample_id}_result.json` and `{sample_id}_program{ext}` to `output_dir` +**Caching behavior:** + +Results are cached by saving `{sample_id}_result.json` and `{sample_id}_program{ext}` files to `output_dir`. ## EvaluationMetrics +Provides comprehensive metrics for evaluation results. + ```python @dataclass class EvaluationMetrics: @@ -153,13 +167,15 @@ class EvaluationMetrics: failed_answers: int # success == False ``` -Computed via `sklearn.metrics.confusion_matrix` for binary classification. +Metrics are computed using `sklearn.metrics.confusion_matrix` for binary classification. ## Backend -`z3adapter.backends.abstract.Backend` +Defines the abstract interface for execution backends. + +**Location:** `z3adapter.backends.abstract.Backend` -Abstract interface: +### Interface Methods ```python class Backend(ABC): @@ -184,10 +200,12 @@ class Backend(ABC): return None ``` -Implementations: `SMT2Backend`, `JSONBackend` +Concrete implementations are provided by `SMT2Backend` and `JSONBackend`. ## VerificationResult +Encapsulates the results of Z3 verification execution. + ```python @dataclass class VerificationResult: @@ -201,7 +219,9 @@ class VerificationResult: ## Z3ProgramGenerator -`z3adapter.reasoning.program_generator.Z3ProgramGenerator` +Handles LLM-based program generation with error recovery. + +**Location:** `z3adapter.reasoning.program_generator.Z3ProgramGenerator` ### generate() @@ -224,11 +244,11 @@ response = self.llm_client.chat.completions.create( ) ``` -Note: `temperature` parameter not passed (GPT-5 constraint). +Note that the `temperature` parameter is not passed to the API due to GPT-5 constraints. ### generate_with_feedback() -Multi-turn conversation with error feedback: +Enables multi-turn conversation with error feedback: ```python messages=[ @@ -240,9 +260,11 @@ messages=[ ## Utility: Azure Config -`utils.azure_config.get_client_config()` +Provides convenient configuration for Azure OpenAI deployments. + +**Location:** `utils.azure_config.get_client_config()` -Returns: +**Returns:** ```python { "llm_client": AzureOpenAI(...), @@ -250,7 +272,8 @@ Returns: } ``` -Required environment variables: +**Required environment variables:** + - `AZURE_OPENAI_API_KEY` - `AZURE_OPENAI_ENDPOINT` - `AZURE_OPENAI_API_VERSION` diff --git a/docs/backends.md b/docs/backends.md index 3e5a584..21f95af 100644 --- a/docs/backends.md +++ b/docs/backends.md @@ -1,9 +1,11 @@ # Backends -Two execution backends for Z3: SMT-LIB 2.0 (standard) and JSON DSL (custom). +ProofOfThought supports two execution backends for Z3: the standard SMT-LIB 2.0 format and a custom JSON DSL. ## SMT2Backend +The SMT2 backend leverages Z3's standard command-line interface. + **Implementation:** `z3adapter/backends/smt2_backend.py` ### Execution @@ -12,9 +14,11 @@ Two execution backends for Z3: SMT-LIB 2.0 (standard) and JSON DSL (custom). subprocess.run([z3_path, f"-T:{timeout_seconds}", program_path]) ``` -- Z3 CLI subprocess with timeout flag -- Hard timeout: `timeout_seconds + 10` -- Output captured from stdout + stderr +The execution process involves: + +- Running Z3 as a CLI subprocess with a timeout flag +- Applying a hard timeout of `timeout_seconds + 10` to prevent hanging +- Capturing output from both stdout and stderr ### Result Parsing @@ -23,16 +27,19 @@ sat_pattern = r"(? 0, unsat_count == 0` → `True` - `unsat_count > 0, sat_count == 0` → `False` - Otherwise → `None` ### Prompt Template -Source: `z3adapter/reasoning/smt2_prompt_template.py` +The prompt template guides LLM program generation. + +**Source:** `z3adapter/reasoning/smt2_prompt_template.py` -Instructions for generating SMT-LIB 2.0 programs. Key requirements: +The template provides instructions for generating SMT-LIB 2.0 programs with these key requirements: - All commands as S-expressions: `(command args...)` - Declare sorts before use - Single `(check-sat)` per program @@ -42,7 +49,9 @@ Instructions for generating SMT-LIB 2.0 programs. Key requirements: `.smt2` -##JSON Backend +## JSON Backend + +The JSON backend uses Z3's Python API for direct programmatic access. **Implementation:** `z3adapter/backends/json_backend.py` @@ -56,23 +65,25 @@ sat_count, unsat_count = interpreter.get_verification_counts() ### Z3JSONInterpreter Pipeline +The interpreter processes JSON programs through three main stages: + **Step 1: SortManager** (`z3adapter/dsl/sorts.py`) -Topologically sorts type definitions to handle dependencies. Creates Z3 sorts: +First, the system topologically sorts type definitions to handle dependencies, then creates Z3 sorts: - Built-in: `BoolSort()`, `IntSort()`, `RealSort()` (pre-defined) - Custom: `DeclareSort(name)`, `EnumSort(name, values)`, `BitVecSort(n)`, `ArraySort(domain, range)` -Example ArraySort dependency: +For example, an ArraySort creates dependencies: ```json {"name": "IntArray", "type": "ArraySort(IntSort, IntSort)"} ``` -Requires `IntSort` already defined (built-in) before creating `IntArray`. +This requires `IntSort` to be defined first (fortunately, it's built-in) before creating `IntArray`. **Step 2: ExpressionParser** (`z3adapter/dsl/expressions.py`) -Parses logical expressions from strings via restricted `eval()`: +Next, the parser evaluates logical expressions from strings using a restricted `eval()`: ```python safe_globals = {**Z3_OPERATORS, **functions} @@ -80,7 +91,7 @@ context = {**functions, **constants, **variables, **quantified_vars} ExpressionValidator.safe_eval(expr_str, safe_globals, context) ``` -Whitelisted operators: +Only whitelisted operators are permitted: ```python Z3_OPERATORS = { "And", "Or", "Not", "Implies", "If", "Distinct", @@ -90,7 +101,7 @@ Z3_OPERATORS = { **Step 3: Verifier** (`z3adapter/verification/verifier.py`) -For each verification condition: +Finally, the verifier tests each verification condition: ```python result = solver.check(condition) # Adds condition as hypothesis to KB if result == sat: @@ -100,15 +111,18 @@ elif result == unsat: ``` **Verification Semantics:** -- `solver.check(φ)` asks: "Is KB ∧ φ satisfiable?" -- SAT: φ is consistent with KB (possible) -- UNSAT: φ contradicts KB (impossible) +When calling `solver.check(φ)`, the system asks: "Is KB ∧ φ satisfiable?" + +- **SAT**: φ is consistent with the knowledge base (possible scenario) +- **UNSAT**: φ contradicts the knowledge base (impossible scenario) ### Prompt Template -Source: `z3adapter/reasoning/prompt_template.py` +The JSON prompt template is more comprehensive than its SMT2 counterpart. -Comprehensive 546-line specification of JSON DSL. Key sections: +**Source:** `z3adapter/reasoning/prompt_template.py` + +This 546-line specification of the JSON DSL includes these key sections: **Sorts:** ```json @@ -137,25 +151,25 @@ Free variables for quantifier binding: ``` **Verifications:** -Three types: +The DSL supports three types of verifications: -1. Simple constraint: +1. **Simple constraint:** ```json {"name": "test", "constraint": "supports_abortion(nancy)"} ``` -2. Existential: +2. **Existential:** ```json {"name": "test", "exists": [{"name": "x", "sort": "Int"}], "constraint": "x > 0"} ``` -3. Universal: +3. **Universal:** ```json {"name": "test", "forall": [{"name": "x", "sort": "Int"}], "implies": {"antecedent": "x > 0", "consequent": "x >= 1"}} ``` -**Critical constraint:** Single verification per question (avoid ambiguous results from testing both φ and ¬φ). +**Critical constraint:** The prompt enforces a single verification per question to avoid ambiguous results from testing both φ and ¬φ. ### File Extension @@ -163,7 +177,9 @@ Three types: ## Benchmark Performance -Results from `experiments_pipeline.py` (100 samples per dataset, GPT-5, `max_attempts=3`): +Performance comparison across datasets reveals notable differences between the backends. + +**Results from** `experiments_pipeline.py` (100 samples per dataset, GPT-5, `max_attempts=3`): | Dataset | SMT2 Accuracy | JSON Accuracy | SMT2 Success | JSON Success | |---------|---------------|---------------|--------------|--------------| @@ -173,20 +189,22 @@ Results from `experiments_pipeline.py` (100 samples per dataset, GPT-5, `max_att | ConditionalQA | 83% | 76% | 100% | 89% | | StrategyQA | 84% | 68% | 100% | 86% | -**Success Rate** = percentage of queries completing without error (generation + execution). +**Success Rate** represents the percentage of queries that complete without error (including both generation and execution). -SMT2 higher accuracy on 4/5 datasets. JSON higher success rate variance (86-100% vs 99-100%). +Overall, SMT2 achieves higher accuracy on 4 out of 5 datasets, while JSON shows greater success rate variance (86-100% compared to SMT2's 99-100%). ## Implementation Differences +The backends differ in several implementation details. + ### Program Generation -**SMT2:** Extract from markdown via: +**SMT2:** Extracts programs from markdown via: ```python pattern = r"```smt2\s*([\s\S]*?)\s*```" ``` -**JSON:** Extract and parse via: +**JSON:** Extracts and parses via: ```python pattern = r"```json\s*(\{[\s\S]*?\})\s*```" json.loads(match.group(1)) @@ -194,6 +212,8 @@ json.loads(match.group(1)) ### Error Handling +Error handling varies significantly between backends. + **SMT2:** - Subprocess timeout → `TimeoutExpired` - Parse errors → regex mismatch → `answer=None` @@ -207,18 +227,22 @@ json.loads(match.group(1)) ### Timeout Configuration +Timeout handling differs between the two backends. + **SMT2:** -- Single timeout parameter: `verify_timeout` (ms) -- Converted to seconds for Z3 CLI: `verify_timeout // 1000` -- Hard subprocess timeout: `timeout_seconds + 10` +- Uses a single timeout parameter: `verify_timeout` (ms) +- Converts to seconds for Z3 CLI: `verify_timeout // 1000` +- Applies a hard subprocess timeout: `timeout_seconds + 10` **JSON:** -- Two timeouts: `verify_timeout` (ms), `optimize_timeout` (ms) -- Set via `solver.set("timeout", verify_timeout)` in Verifier -- Applies per `solver.check()` call +- Uses two separate timeouts: `verify_timeout` (ms) and `optimize_timeout` (ms) +- Sets timeout via `solver.set("timeout", verify_timeout)` in Verifier +- Timeout applies per individual `solver.check()` call ## Backend Selection Code +The system selects backends at runtime based on configuration: + ```python if backend == "json": from z3adapter.backends.json_backend import JSONBackend @@ -228,10 +252,12 @@ else: # smt2 backend_instance = SMT2Backend(verify_timeout, z3_path) ``` -File: `z3adapter/reasoning/proof_of_thought.py:78-90` +**File:** `z3adapter/reasoning/proof_of_thought.py:78-90` ## Prompt Selection +The appropriate prompt template is chosen based on the selected backend: + ```python if self.backend == "json": prompt = build_prompt(question) @@ -239,6 +265,6 @@ else: # smt2 prompt = build_smt2_prompt(question) ``` -File: `z3adapter/reasoning/program_generator.py:78-81` +**File:** `z3adapter/reasoning/program_generator.py:78-81` -Prompts include few-shot examples and format specifications. SMT2 prompt emphasizes S-expression syntax. JSON prompt details variable scoping and quantifier semantics. +Both prompts include few-shot examples and format specifications. The SMT2 prompt emphasizes S-expression syntax, while the JSON prompt provides detailed guidance on variable scoping and quantifier semantics. diff --git a/docs/benchmarks.md b/docs/benchmarks.md index 1d6d4f9..5885de6 100644 --- a/docs/benchmarks.md +++ b/docs/benchmarks.md @@ -1,27 +1,33 @@ # Benchmarks -Evaluation on 5 logical reasoning datasets using Azure GPT-5. +This page presents evaluation results on 5 logical reasoning datasets using Azure GPT-5. ## Methodology +The evaluation follows a consistent methodology across all datasets. + **Model:** Azure GPT-5 deployment + **Configuration:** - `max_attempts=3` (retry with error feedback) - `verify_timeout=10000ms` - `optimize_timeout=100000ms` (JSON backend only) - `num_workers=10` (ThreadPoolExecutor for parallel processing) -**Metrics:** `sklearn.metrics` -- Accuracy: `accuracy_score(y_true, y_pred)` -- Precision: `precision_score(y_true, y_pred, zero_division=0)` -- Recall: `recall_score(y_true, y_pred, zero_division=0)` -- F1: `2 * (precision * recall) / (precision + recall)` -- Success Rate: `(total - failed) / total` +**Metrics** (computed via `sklearn.metrics`): + +- **Accuracy:** `accuracy_score(y_true, y_pred)` +- **Precision:** `precision_score(y_true, y_pred, zero_division=0)` +- **Recall:** `recall_score(y_true, y_pred, zero_division=0)` +- **F1:** `2 * (precision * recall) / (precision + recall)` +- **Success Rate:** `(total - failed) / total` -**Execution:** `experiments_pipeline.py` runs all benchmarks sequentially, modifying `BACKEND` variable in each `benchmark/bench_*.py` script via regex substitution. +**Execution:** The `experiments_pipeline.py` script runs all benchmarks sequentially, modifying the `BACKEND` variable in each `benchmark/bench_*.py` script via regex substitution. ## Results +Results from the most recent benchmark run. + **Last Updated:** 2025-10-16 18:14:07 | Benchmark | Backend | Samples | Accuracy | Precision | Recall | F1 Score | Success Rate | @@ -39,9 +45,11 @@ Evaluation on 5 logical reasoning datasets using Azure GPT-5. ## Dataset Characteristics +Each dataset tests different aspects of logical reasoning. + ### ProntoQA -Synthetic first-order logic with deterministic inference. +ProntoQA features synthetic first-order logic problems with deterministic inference. **Example:** ``` @@ -51,26 +59,28 @@ Answer: True ``` **Performance:** + - SMT2: 100% (100/100) - JSON: 99% (99/100) -Both backends near-perfect. Simplest dataset. +Both backends achieve near-perfect results, making this the simplest dataset in the benchmark suite. ### FOLIO -First-order logic from Wikipedia articles. +FOLIO presents first-order logic problems derived from Wikipedia articles. -**Characteristics:** Complex nested quantifiers, longer inference chains. +**Characteristics:** Features complex nested quantifiers and longer inference chains. **Performance:** + - SMT2: 69% (69/100) - JSON: 76% (76/100) -JSON outperforms SMT2 (+7%). Most challenging dataset. Lower success rate for JSON (94% vs 99%) indicates generation difficulties. +JSON outperforms SMT2 by 7% on this dataset, which is the most challenging in the suite. However, JSON's lower success rate (94% vs 99%) indicates greater difficulty in program generation. ### ProofWriter -Deductive reasoning over explicit facts and rules. +ProofWriter tests deductive reasoning over explicit facts and rules. **Example:** ``` @@ -80,24 +90,26 @@ Answer: True ``` **Performance:** + - SMT2: 98.96% (95/96) - JSON: 95.83% (92/96) -High accuracy for both. SMT2 slight edge (+3%). +Both backends achieve high accuracy on this dataset, with SMT2 holding a slight 3% edge. ### ConditionalQA -Conditional reasoning with if-then statements. +ConditionalQA focuses on conditional reasoning with if-then statements. **Performance:** + - SMT2: 83% (83/100) - JSON: 76% (76/100) -SMT2 better accuracy (+7%) and higher success rate (100% vs 89%). +SMT2 demonstrates better accuracy (+7%) and also achieves a higher success rate (100% vs 89%). ### StrategyQA -Multi-hop reasoning requiring implicit world knowledge. +StrategyQA tests multi-hop reasoning that requires implicit world knowledge. **Example:** ``` @@ -106,36 +118,45 @@ Answer: True (requires knowing: vegetarians avoid meat, plant burgers have no me ``` **Performance:** + - SMT2: 84% (84/100) - JSON: 68% (68/100) -Largest gap (+16% for SMT2). Both achieve 100%/86% success rates respectively. +This dataset shows the largest performance gap, with SMT2 leading by 16%. Both backends achieve good success rates of 100% and 86% respectively. ## Analysis ### Accuracy Summary -**SMT2:** 86.8% average across datasets -**JSON:** 82.8% average across datasets +Aggregating results across all datasets: + +- **SMT2:** 86.8% average accuracy +- **JSON:** 82.8% average accuracy -SMT2 superior on 4/5 datasets (FOLIO exception where JSON +7%). +SMT2 proves superior on 4 out of 5 datasets, with FOLIO being the exception where JSON leads by 7%. ### Success Rate Summary -**SMT2:** 99.4% average (range: 98.96-100%) -**JSON:** 92.8% average (range: 86-100%) +The success rate measures program generation and execution reliability: + +- **SMT2:** 99.4% average (range: 98.96-100%) +- **JSON:** 92.8% average (range: 86-100%) -SMT2 more reliable program generation and execution. JSON success rate variance higher, indicating LLM generation issues on some datasets. +SMT2 demonstrates more reliable program generation and execution overall. JSON's higher success rate variance indicates LLM generation challenges on certain datasets. ### Failure Modes +Understanding failure modes helps identify areas for improvement. + **SMT2 failures:** -- JSON extraction from markdown: regex mismatch + +- Program extraction from markdown: regex mismatch - Z3 subprocess timeout (rare with 10s limit) - Invalid SMT-LIB syntax (caught by Z3 parser) **JSON failures:** -- JSON parsing errors post-extraction + +- JSON parsing errors after extraction - Invalid sort references (e.g., undefined `Person` sort) - Expression evaluation errors in `ExpressionParser.parse_expression()` - Z3 Python API exceptions @@ -144,25 +165,32 @@ SMT2 more reliable program generation and execution. JSON success rate variance ### Full benchmark suite +To run the complete benchmark suite: + ```bash python experiments_pipeline.py ``` -Generates: -- `results/benchmark_results.json` - Raw metrics -- `results/benchmark_results.md` - Markdown table +This generates: + +- `results/benchmark_results.json` - Raw metrics data +- `results/benchmark_results.md` - Formatted markdown table - Updates `README.md` between `` markers ### Single benchmark +To run just one benchmark: + ```bash python benchmark/bench_strategyqa.py ``` -Modify `BACKEND` variable in script (`smt2` or `json`). +You'll need to modify the `BACKEND` variable in the script to either `smt2` or `json`. ### Custom evaluation +For custom evaluation on your own dataset: + ```python from utils.azure_config import get_client_config from z3adapter.reasoning import ProofOfThought, EvaluationPipeline @@ -184,23 +212,29 @@ print(f"F1: {result.metrics.f1_score:.4f}") ## Dataset Sources +The benchmark datasets are located in the `data/` directory: + - **ProntoQA:** `data/prontoqa_test.json` - **FOLIO:** `data/folio_test.json` - **ProofWriter:** `data/proof_writer_test.json` - **ConditionalQA:** `data/conditionalQA_test.json` - **StrategyQA:** `data/strategyQA_train.json` -Format: JSON arrays with `question` and `answer` fields (boolean). +All datasets follow the same format: JSON arrays with `question` and `answer` fields (boolean values). ## Implementation Notes -**Parallel Processing:** -Benchmark scripts use `num_workers=10` with `ThreadPoolExecutor` (not `ProcessPoolExecutor` due to ProofOfThought unpicklability). +### Parallel Processing + +Benchmark scripts use `num_workers=10` with `ThreadPoolExecutor` for parallel processing. Note that `ProcessPoolExecutor` cannot be used due to ProofOfThought being unpicklable. + +### Caching + +Setting `skip_existing=True` enables resumption of interrupted runs. Results are cached as: -**Caching:** -`skip_existing=True` enables resumption. Results cached as: - `output/{backend}_evaluation_{dataset}/{sample_id}_result.json` - `output/{backend}_programs_{dataset}/{sample_id}_program.{ext}` -**Timeout Handling:** -`experiments_pipeline.py` sets 1-hour subprocess timeout per benchmark. Individual Z3 calls timeout at 10s (verify) or 100s (optimize). +### Timeout Handling + +The `experiments_pipeline.py` script sets a 1-hour subprocess timeout for each benchmark. Individual Z3 verification calls timeout at 10 seconds, while optimization calls timeout at 100 seconds. diff --git a/docs/dsl-specification.md b/docs/dsl-specification.md index 596a765..3ec6ef0 100644 --- a/docs/dsl-specification.md +++ b/docs/dsl-specification.md @@ -1,18 +1,22 @@ # DSL Specification -Technical details of the JSON DSL implementation. +This page provides technical details of the JSON DSL implementation. ## Rules vs Verifications -**Critical distinction:** Rules modify the solver state. Verifications query the solver state. +Understanding the distinction between rules and verifications is critical to using the DSL correctly. + +**Key difference:** Rules modify the solver state, while verifications query it. ### Rules +Rules define axioms that permanently affect the solver's knowledge base. + **Implementation:** `z3adapter/dsl/expressions.py:159-204` **Operation:** `solver.add(assertion)` -Rules are **permanently asserted** into the solver's knowledge base during step 6 of interpretation. +Rules are permanently asserted into the solver's knowledge base during step 6 of the interpretation pipeline. ```python # Line 189: Implication rule @@ -36,15 +40,17 @@ else: } ``` -**Effect:** Defines axioms. Every subsequent verification will inherit this constraint. +**Effect:** This defines an axiom that every subsequent verification will inherit. ### Verifications +Verifications test conditions without modifying the knowledge base. + **Implementation:** `z3adapter/verification/verifier.py:84-127` **Operation:** `solver.check(condition)` -Verifications **test conditions** against the existing knowledge base without modifying it. +Verifications test conditions against the existing knowledge base without modifying it. ```python # Line 113 @@ -56,10 +62,10 @@ elif result == unsat: self.unsat_count += 1 ``` -**Semantics:** Checks if `KB ∧ condition` is satisfiable. +**Semantics:** The check determines if `KB ∧ condition` is satisfiable. -- **SAT**: condition is consistent with KB -- **UNSAT**: condition contradicts KB +- **SAT**: The condition is consistent with the knowledge base +- **UNSAT**: The condition contradicts the knowledge base **Structure:** ```json @@ -69,10 +75,12 @@ elif result == unsat: } ``` -**Effect:** Returns SAT/UNSAT but does NOT add to KB. +**Effect:** Returns SAT/UNSAT result but does NOT add the condition to the knowledge base. ### Example +Here's a complete example showing the interaction between rules and verifications: + ```json { "rules": [ @@ -95,34 +103,37 @@ elif result == unsat: ## Variable Scoping +The DSL supports both free and quantified variables with careful scoping rules. + **Implementation:** `z3adapter/dsl/expressions.py:69-107` ### Free Variables -Declared in global `"variables"` section. Available throughout program. +Free variables are declared in the global `"variables"` section and remain available throughout the program. ```json "variables": [{"name": "x", "sort": "Int"}] ``` -Added to evaluation context (line 91): +These are added to the evaluation context at line 91: + ```python context.update(self.variables) ``` ### Quantified Variables -Bound by `ForAll` or `Exists` quantifiers. Temporarily shadow free variables within quantified scope. +Quantified variables are bound by `ForAll` or `Exists` operators and temporarily shadow free variables within their scope. ```json "knowledge_base": ["ForAll([x], x > 0)"] ``` -Here `x` must exist in context (from `"variables"`) to be bound by `ForAll`. +In this example, `x` must already exist in the context (from `"variables"`) to be bound by the `ForAll` operator. ### Shadowing -Code checks for shadowing (lines 100-106): +The implementation includes shadowing checks at lines 100-106: ```python for v in quantified_vars: var_name = v.decl().name() @@ -131,10 +142,12 @@ for v in quantified_vars: context[var_name] = v ``` -Variables bound by quantifiers override free variables in local scope. +When shadowing occurs, variables bound by quantifiers take precedence over free variables within their local scope. ## Answer Determination +The system determines the final answer based on verification counts. + **Implementation:** `z3adapter/backends/abstract.py:52-67` ```python @@ -147,11 +160,12 @@ def determine_answer(self, sat_count: int, unsat_count: int) -> bool | None: return None # Ambiguous ``` -**Ambiguous results** (`None`) occur when: -- `sat_count > 0 and unsat_count > 0` — multiple verifications with conflicting results -- `sat_count == 0 and unsat_count == 0` — no verifications or all unknown +**Ambiguous results** (returning `None`) occur in two cases: + +- `sat_count > 0 and unsat_count > 0` — multiple verifications produced conflicting results +- `sat_count == 0 and unsat_count == 0` — no verifications ran or all returned unknown -**Handling:** `proof_of_thought.py:183-191` treats `None` as error and retries with feedback: +**Handling:** The system treats `None` as an error and retries with feedback (see `proof_of_thought.py:183-191`): ```python if verify_result.answer is None: error_trace = ( @@ -161,17 +175,19 @@ if verify_result.answer is None: continue # Retry with error feedback ``` -**Best practice:** Single verification per program (enforced by prompt template line 416). +**Best practice:** Use a single verification per program to avoid ambiguous results. This is enforced by the prompt template at line 416. ## Security Model +The DSL includes multiple security layers to prevent code injection attacks. + **Implementation:** `z3adapter/security/validator.py` ### AST Validation -Before `eval()`, parses to AST and checks for dangerous constructs (lines 21-42): +Before executing `eval()`, the system parses expressions to an AST and checks for dangerous constructs (lines 21-42). -**Blocked:** +**Blocked constructs:** - Dunder attributes: `__import__`, `__class__`, etc. (line 24) - Imports: `import`, `from ... import` (line 29) - Function/class definitions (line 32) @@ -179,16 +195,20 @@ Before `eval()`, parses to AST and checks for dangerous constructs (lines 21-42) ### Restricted Evaluation +The evaluation environment is carefully sandboxed: + ```python # Line 66 eval(code, {"__builtins__": {}}, {**safe_globals, **context}) ``` -- **No builtins**: `__builtins__: {}` prevents access to `open`, `print`, etc. -- **Whitelisted globals**: Only Z3 operators and user-defined functions -- **Local context**: Constants, variables, quantified vars +Three layers of protection: -**Whitelisted operators** (`expressions.py:33-47`): +- **No builtins**: Setting `__builtins__: {}` prevents access to `open`, `print`, and other dangerous functions +- **Whitelisted globals**: Only Z3 operators and user-defined functions are available +- **Local context**: Limited to constants, variables, and quantified variables + +**Whitelisted operators** (from `expressions.py:33-47`): ```python Z3_OPERATORS = { "And", "Or", "Not", "Implies", "If", "Distinct", @@ -198,13 +218,15 @@ Z3_OPERATORS = { ## Sort Dependency Resolution +Complex types may depend on other types, requiring careful ordering during creation. + **Implementation:** `z3adapter/dsl/sorts.py:36-97` -Uses **Kahn's algorithm** for topological sorting. +The system uses **Kahn's algorithm** for topological sorting of type definitions. ### Dependency Extraction -ArraySort creates dependencies (lines 59-62): +ArraySort declarations create dependencies that must be resolved (lines 59-62): ```python if sort_type.startswith("ArraySort("): domain_range = sort_type[len("ArraySort(") : -1] @@ -212,19 +234,22 @@ if sort_type.startswith("ArraySort("): deps.extend(parts) ``` -Example: +For example: + ```json {"name": "MyArray", "type": "ArraySort(IntSort, Person)"} ``` -Depends on: `IntSort` (built-in, skip), `Person` (must be defined first). + +This depends on: `IntSort` (built-in, can skip) and `Person` (must be defined first). ### Topological Sort -Kahn's algorithm (lines 66-87): -1. Calculate in-degree (dependency count) for each sort +Kahn's algorithm processes types in dependency order (lines 66-87): + +1. Calculate the in-degree (dependency count) for each sort 2. Process sorts with zero dependencies first -3. Reduce in-degree of dependents -4. Detect cycles if not all sorts processed (lines 90-92) +3. Reduce the in-degree of dependent sorts as their dependencies are satisfied +4. Detect cycles if not all sorts can be processed (lines 90-92) **Circular dependency detection:** ```python @@ -235,6 +260,8 @@ if len(sorted_names) != len(dependencies): ## Optimizer Independence +The optimizer operates independently from the main solver. + **Implementation:** `z3adapter/optimization/optimizer.py:29-39` ```python @@ -242,13 +269,13 @@ def __init__(self, ...): self.optimizer = Optimize() # Separate instance ``` -**Critical:** `Optimize()` is **separate from `Solver()`**. Does NOT share constraints. +**Critical detail:** The `Optimize()` instance is completely separate from the main `Solver()` and does NOT share constraints. -From docstring (line 38-39): +As stated in the docstring (line 38-39): > The optimizer is separate from the solver and doesn't share constraints. > This is intentional to allow independent optimization problems. -Optimizer has its own variables and constraints (lines 49-69). Can reference global constants via extended context (line 60-61): +The optimizer maintains its own variables and constraints (lines 49-69). However, it can reference global constants through an extended context (line 60-61): ```python base_context = self.expression_parser.build_context() opt_context = {**base_context, **optimization_vars} @@ -256,9 +283,11 @@ opt_context = {**base_context, **optimization_vars} ## Execution Pipeline +The interpreter follows a carefully ordered execution sequence. + **Implementation:** `z3adapter/interpreter.py:135-197` -8-step execution sequence: +**8-step execution sequence:** ```python # Step 1: Create sorts @@ -291,13 +320,15 @@ self.verifier.add_verifications(self.config["verifications"]) self.perform_actions() ``` -**Symbol loading:** Line 172 calls `mark_symbols_loaded()` to enable context caching (lines 78-84 in `expressions.py`). After this, `build_context()` returns cached dict instead of rebuilding. +**Symbol loading optimization:** At line 172, calling `mark_symbols_loaded()` enables context caching (see lines 78-84 in `expressions.py`). After this point, `build_context()` returns a cached dictionary instead of rebuilding it on each call. ## Retry Mechanism +The system can automatically retry failed program generation with error feedback. + **Implementation:** `z3adapter/reasoning/proof_of_thought.py:123-191` -Retry loop with error feedback: +**Retry loop with error feedback:** ```python for attempt in range(1, self.max_attempts + 1): @@ -309,7 +340,7 @@ for attempt in range(1, self.max_attempts + 1): ) ``` -**Failure modes triggering retry:** +**Failure modes that trigger retry:** 1. **Generation failure** (lines 143-149): ```python @@ -332,7 +363,7 @@ for attempt in range(1, self.max_attempts + 1): continue ``` -**Error feedback:** Multi-turn conversation (`program_generator.py:130-174`): +**Error feedback mechanism:** Uses multi-turn conversation (see `program_generator.py:130-174`): ```python messages=[ {"role": "user", "content": prompt}, @@ -343,6 +374,8 @@ messages=[ ## Solver Semantics +The solver's `check` method has two distinct modes of operation. + **Implementation:** `z3adapter/solvers/z3_solver.py:20-24` ```python @@ -352,44 +385,50 @@ def check(self, condition: Any = None) -> Any: return self.solver.check() # Check all assertions ``` -**Two modes:** +**Two modes of operation:** -1. **`solver.check()`**: Checks satisfiability of all `solver.add()` assertions -2. **`solver.check(φ)`**: Checks satisfiability of `assertions ∧ φ` **without adding φ** +1. **`solver.check()`**: Checks the satisfiability of all assertions added via `solver.add()` +2. **`solver.check(φ)`**: Checks the satisfiability of `assertions ∧ φ` **without permanently adding φ** -Verifications use mode 2 (`verifier.py:113`): +Verifications use mode 2 (see `verifier.py:113`): ```python result = solver.check(condition) ``` -This is **temporary** — `condition` is NOT added to solver permanently. +This is a **temporary** check — the `condition` is NOT permanently added to the solver. **Contrast with rules:** -- Rules: `solver.add(φ)` → permanent -- Verifications: `solver.check(φ)` → temporary test + +- **Rules**: `solver.add(φ)` → permanently modifies solver state +- **Verifications**: `solver.check(φ)` → temporary test without modification ## Built-in Sorts -**Implementation:** `z3adapter/dsl/sorts.py:31-34` +The DSL includes three pre-initialized built-in sorts. -Three built-in sorts pre-initialized: +**Implementation:** `z3adapter/dsl/sorts.py:31-34` ```python def _initialize_builtin_sorts(self) -> None: built_in_sorts = {"BoolSort": BoolSort(), "IntSort": IntSort(), "RealSort": RealSort()} self.sorts.update(built_in_sorts) ``` -**Important:** Reference as `"BoolSort"`, `"IntSort"`, `"RealSort"` in JSON (not `"Bool"`, `"Int"`, `"Real"`). +**Important:** Always reference these as `"BoolSort"`, `"IntSort"`, and `"RealSort"` in JSON (not `"Bool"`, `"Int"`, or `"Real"`). -Do NOT declare in `"sorts"` section — already available. +These sorts are already available and should NOT be declared in the `"sorts"` section. ## Prompt Template Constraints +The prompt template enforces several important constraints on DSL programs. + **Implementation:** `z3adapter/reasoning/prompt_template.py` -Key constraints enforced by prompt (extracted from code): +**Key constraints** (extracted from code): + +### Line 228: Implication Rules + +Rules with `"implies"` MUST have non-empty `"forall"` field: -**Line 228:** Rules with `"implies"` MUST have non-empty `"forall"` field ```python # expressions.py:184-186 if "implies" in rule: @@ -397,18 +436,27 @@ if "implies" in rule: raise ValueError("Implication rules require quantified variables") ``` -**Line 298:** Empty quantifier lists forbidden +### Line 298: Quantifier Lists + +Empty quantifier lists are forbidden: + ```python # verifier.py:42-43, 55-56 if not exists_vars: raise ValueError(f"Empty 'exists' list in verification") ``` -**Line 416:** Single verification per program (avoid ambiguous results) +### Line 416: Single Verification + +Use a single verification per program to avoid ambiguous results: + ```python # Directly impacts determine_answer() — mixed SAT/UNSAT returns None ``` -**Line 531:** Output format requirement -- Must wrap JSON in markdown code block: ` ```json ... ``` ` -- Regex extraction: `r"```json\s*(\{[\s\S]*?\})\s*```"` (`program_generator.py:224`) +### Line 531: Output Format + +LLM output requirements: + +- Must wrap JSON in a markdown code block: ` ```json ... ``` ` +- Extracted via regex: `r"```json\s*(\{[\s\S]*?\})\s*```"` (see `program_generator.py:224`) diff --git a/docs/examples.md b/docs/examples.md index 7841077..d54d73e 100644 --- a/docs/examples.md +++ b/docs/examples.md @@ -1,6 +1,8 @@ # Examples -All examples in `examples/`. Run from project root: +This page demonstrates common usage patterns through example scripts. + +All examples are located in the `examples/` directory and should be run from the project root: ```bash python examples/{script}.py @@ -8,7 +10,9 @@ python examples/{script}.py ## Basic Query -`examples/simple_usage.py` +The simplest way to use ProofOfThought is through a single query. + +**File:** `examples/simple_usage.py` ```python from openai import OpenAI @@ -23,7 +27,9 @@ print(result.answer) # False ## Azure OpenAI -`examples/azure_simple_example.py` +For Azure OpenAI deployments, use the provided configuration utility. + +**File:** `examples/azure_simple_example.py` ```python from utils.azure_config import get_client_config @@ -38,7 +44,9 @@ print(result.answer) # True ## Backend Comparison -`examples/backend_comparison.py` +You can compare how the two backends perform on the same question. + +**File:** `examples/backend_comparison.py` ```python config = get_client_config() @@ -56,7 +64,9 @@ print(f"SMT2: {result_smt2.answer}") ## Batch Evaluation -`examples/batch_evaluation.py` +For evaluating multiple questions from a dataset, use the evaluation pipeline. + +**File:** `examples/batch_evaluation.py` ```python from z3adapter.reasoning import EvaluationPipeline, ProofOfThought @@ -77,7 +87,9 @@ print(f"F1 Score: {result.metrics.f1_score:.4f}") ## Azure + SMT2 Evaluation -`examples/batch_evaluation_smt2_azure.py` +This example combines Azure OpenAI with the SMT2 backend for batch evaluation. + +**File:** `examples/batch_evaluation_smt2_azure.py` ```python config = get_client_config() @@ -94,21 +106,24 @@ result = evaluator.evaluate("data/strategyQA_train.json", max_samples=50) ## Full Benchmark Suite -`experiments_pipeline.py` +For comprehensive benchmarking, the experiments pipeline runs all datasets with both backends. -Runs all 5 benchmarks (ProntoQA, FOLIO, ProofWriter, ConditionalQA, StrategyQA) with both backends: +**File:** `experiments_pipeline.py` + +This script runs all 5 benchmarks (ProntoQA, FOLIO, ProofWriter, ConditionalQA, StrategyQA) with both backends: ```bash python experiments_pipeline.py ``` -Implementation: -- Modifies `benchmark/bench_*.py` files to set backend via regex -- Runs each script as subprocess with 1-hour timeout +**Implementation details:** + +- Modifies `benchmark/bench_*.py` files to set the backend via regex substitution +- Runs each benchmark script as a subprocess with a 1-hour timeout - Collects metrics from `output/{backend}_evaluation_{benchmark}/` directories -- Generates markdown table and updates README.md +- Generates a markdown table and updates README.md with results -Configuration (`experiments_pipeline.py:29-41`): +**Configuration** (`experiments_pipeline.py:29-41`): ```python BENCHMARKS = { "prontoqa": "benchmark/bench_prontoqa.py", @@ -122,7 +137,9 @@ BACKENDS = ["smt2", "json"] ## Benchmark Script Structure -`benchmark/bench_strategyqa.py` (representative): +Individual benchmark scripts follow a common pattern, illustrated here with StrategyQA. + +**File:** `benchmark/bench_strategyqa.py` ```python config = get_client_config() @@ -151,7 +168,7 @@ result = evaluator.evaluate( ## Dataset Format -JSON array of objects: +Datasets should be formatted as JSON arrays of objects: ```json [ @@ -166,15 +183,18 @@ JSON array of objects: ] ``` -Optional ID field: +You can optionally include an ID field: + ```json {"qid": "sample_123", "question": "...", "answer": true} ``` -Custom field names via `question_field`, `answer_field`, `id_field` parameters. +Use the `question_field`, `answer_field`, and `id_field` parameters to specify custom field names. ## Saving Programs +To save generated programs to disk for inspection: + ```python result = pot.query( "Can fish breathe underwater?", @@ -183,10 +203,12 @@ result = pot.query( ) ``` -Default path: `{cache_dir}/{auto_generated}{ext}` +If you don't specify a path, the default is: `{cache_dir}/{auto_generated}{ext}` ## Advanced Configuration +For more control over the reasoning process, you can customize various parameters: + ```python pot = ProofOfThought( llm_client=client, diff --git a/docs/foreword.md b/docs/foreword.md new file mode 100644 index 0000000..2cd446a --- /dev/null +++ b/docs/foreword.md @@ -0,0 +1,31 @@ +# Foreword + +## The Need for Verified Reasoning + +Sound logical reasoning is essential for reliable decision-making systems, yet modern language models excel at pattern matching while struggling with rigorous deductive inference. These models can generate plausible-sounding explanations but lack the formal guarantees necessary for high-stakes applications. When deploying AI systems in domains requiring precise logical reasoning—such as legal analysis, scientific hypothesis testing, or automated theorem proving—we need mechanisms that go beyond statistical correlation to provide verifiable correctness. + +Consider common challenges in automated reasoning: + +- **Can we trust the conclusion?** Does a language model's logical chain actually hold under formal scrutiny? + +- **Why is this conclusion valid?** What axioms and inference rules justify a particular deduction? + +- **How should we solve this problem?** What formal representation best captures the logical structure of a reasoning task? + +- **What are the limitations?** Where do language models succeed or fail in logical reasoning, and why? + +- **Can the system explain its reasoning?** How can we make the logical inference process transparent and auditable? + +While large language models have demonstrated impressive capabilities in natural language understanding and generation, a fundamental challenge remains: **translating informal reasoning into formal logic while ensuring soundness**. Without external verification, we cannot distinguish correct deductions from plausible-sounding but logically invalid conclusions. + +## ProofOfThought: Bridging Natural Language and Formal Logic + +ProofOfThought addresses this challenge by combining the flexibility of language models with the rigor of automated theorem provers. It makes three key contributions: + +- **Provides a systematic pipeline for translating natural language questions into formal logic**, ensuring that informal reasoning is grounded in verifiable formal representations through both SMT-LIB 2.0 and a structured JSON DSL. + +- **Leverages the Z3 theorem prover to provide sound logical verification**, moving beyond language model predictions to mathematically guaranteed correctness through satisfiability checking. + +- **Implements iterative refinement with error feedback**, allowing language models to learn from verification failures and improve program generation through multi-turn conversations with concrete error diagnostics. + +ProofOfThought's architecture bridges two complementary paradigms: the remarkable natural language understanding of modern LLMs and the formal soundness guarantees of automated theorem provers. By making the translation process explicit and the verification results interpretable, the system provides both correctness and explainability—essential properties for trustworthy AI reasoning systems. diff --git a/docs/index.md b/docs/index.md index 34dfc24..563b2ad 100644 --- a/docs/index.md +++ b/docs/index.md @@ -1,9 +1,11 @@ # ProofOfThought -LLM-guided translation of natural language to formal logic, verified via Z3 theorem prover. +ProofOfThought provides LLM-guided translation of natural language questions into formal logic, which is then verified using the Z3 theorem prover. ## Architecture +The system follows a multi-stage pipeline to transform questions into verifiable answers: + ``` Question (NL) ↓ @@ -18,25 +20,27 @@ SAT/UNSAT → Boolean Answer ### Components +The architecture consists of several key components that work together: + **Z3ProgramGenerator** (`z3adapter.reasoning.program_generator`) -LLM interface for program generation. Extracts formal programs from markdown code blocks using regex. Supports error feedback via multi-turn conversations. +Provides the LLM interface for program generation. It extracts formal programs from markdown code blocks using regex and supports error feedback through multi-turn conversations. **Backend** (`z3adapter.backends.abstract`) -Abstract interface: `execute(program_path) → VerificationResult`. Concrete implementations: +Defines an abstract interface with `execute(program_path) → VerificationResult`. Two concrete implementations are available: - **SMT2Backend**: Subprocess call to Z3 CLI. Parses stdout/stderr for `sat`/`unsat` via regex `(?=3.12"`). +ProofOfThought requires Python 3.12 or higher (as specified in `pyproject.toml`). -### Core +### Core Dependencies + +Install the core dependencies using: ```bash pip install -r requirements.txt ``` -Installs: +This installs the following packages: + +- `z3-solver>=4.15.0` - Provides both the Z3 Python API (for JSONBackend) and CLI binary (for SMT2Backend) +- `openai>=2.0.0` - LLM client with support for both OpenAI and Azure OpenAI +- `scikit-learn>=1.7.0` - Used for evaluation metrics like `confusion_matrix` and `accuracy_score` +- `numpy>=2.3.0` - Required for numerical operations +- `python-dotenv>=1.1.0` - Manages environment variables from `.env` files -- `z3-solver>=4.15.0` - Z3 Python API (JSONBackend) + CLI binary (SMT2Backend) -- `openai>=2.0.0` - LLM client (supports Azure OpenAI via same interface) -- `scikit-learn>=1.7.0` - Evaluation metrics (`confusion_matrix`, `accuracy_score`, etc.) -- `numpy>=2.3.0` - Numerical operations -- `python-dotenv>=1.1.0` - Environment variable management +### Development Dependencies (Optional) -### Development (Optional) +For development work, install additional tools: ```bash pip install -e ".[dev]" ``` -Additional tools: +This includes: - `black>=25.9.0` - Code formatter -- `ruff>=0.13.0` - Linter -- `mypy>=1.18.0` - Type checker -- `pytest>=8.0.0` - Test runner -- `pre-commit>=4.3.0` - Git hooks +- `ruff>=0.13.0` - Fast Python linter +- `mypy>=1.18.0` - Static type checker +- `pytest>=8.0.0` - Testing framework +- `pre-commit>=4.3.0` - Git hook manager -## Z3 Verification +## Z3 Verification Setup ### JSON Backend -No additional setup. `z3-solver` package includes Python API. +The JSON backend requires no additional setup beyond installing `z3-solver`, which includes the Python API. ### SMT2 Backend -Requires Z3 CLI in PATH: +The SMT2 backend requires the Z3 CLI to be available in your PATH: ```bash z3 --version ``` -If missing, `z3-solver` package includes CLI in `site-packages`. Locate via: +If Z3 is not found, note that the `z3-solver` package includes a CLI binary in `site-packages`. You can locate it with: ```bash python -c "import z3; print(z3.__file__)" -# CLI typically at: .../site-packages/z3/bin/z3 +# The CLI is typically located at: .../site-packages/z3/bin/z3 ``` -macOS/Linux: Add to PATH or specify in code: +On macOS/Linux, you can either add it to your PATH or specify the path in your code: ```python ProofOfThought(..., z3_path="/path/to/z3") ``` @@ -62,14 +66,15 @@ ProofOfThought(..., z3_path="/path/to/z3") ### OpenAI -`.env`: +For OpenAI access, create a `.env` file with: + ```bash OPENAI_API_KEY=sk-... ``` ### Azure OpenAI -`.env`: +For Azure OpenAI deployments, configure these variables in `.env`: ```bash AZURE_OPENAI_API_KEY=... AZURE_OPENAI_ENDPOINT=https://....openai.azure.com/ @@ -78,7 +83,8 @@ AZURE_GPT5_DEPLOYMENT_NAME=gpt-5 AZURE_GPT4O_DEPLOYMENT_NAME=gpt-4o ``` -Usage: +Then use it in your code: + ```python from utils.azure_config import get_client_config @@ -88,11 +94,14 @@ pot = ProofOfThought(llm_client=config["llm_client"], model=config["model"]) ## Verification +To verify your installation is working correctly: + ```bash python examples/simple_usage.py ``` -Expected output structure: +You should see output similar to: + ``` Question: Would Nancy Pelosi publicly denounce abortion? Answer: False @@ -102,37 +111,41 @@ Attempts: 1 ## Troubleshooting -**Z3 CLI not found (SMT2 backend)** +Common issues and their solutions: + +### Z3 CLI not found (SMT2 backend) -Error: +**Error:** ``` FileNotFoundError: Z3 executable not found: 'z3' ``` -Solutions: -1. Use JSON backend: `ProofOfThought(backend="json")` -2. Specify Z3 path: `ProofOfThought(z3_path="/path/to/z3")` -3. Add to PATH: `export PATH=$PATH:/path/to/z3/bin` +**Solutions:** -**Import errors when running examples** +1. Switch to JSON backend: `ProofOfThought(backend="json")` +2. Specify the Z3 path explicitly: `ProofOfThought(z3_path="/path/to/z3")` +3. Add Z3 to your PATH: `export PATH=$PATH:/path/to/z3/bin` -Wrong: +### Import errors when running examples + +**Incorrect approach:** ```bash cd examples python simple_usage.py # ❌ ModuleNotFoundError ``` -Correct: +**Correct approach:** + ```bash cd /path/to/proofofthought python examples/simple_usage.py # ✓ ``` -Reason: `examples/*.py` use `sys.path.insert(0, str(Path(__file__).parent.parent))` to find `z3adapter` and `utils` modules from project root. +**Reason:** The example scripts use `sys.path.insert(0, str(Path(__file__).parent.parent))` to locate the `z3adapter` and `utils` modules from the project root. -**Azure authentication errors** +### Azure authentication errors -Verify `.env` variables are set and endpoint URL is correct. Test via: +First, verify that all `.env` variables are properly set and that your endpoint URL is correct. You can test the configuration with: ```python from utils.azure_config import get_client_config config = get_client_config() # Should not raise @@ -140,10 +153,10 @@ config = get_client_config() # Should not raise ## Version Constraints -From `pyproject.toml` and `requirements.txt`: +The following version constraints are defined in `pyproject.toml` and `requirements.txt`: -- Python: `>=3.12` -- Z3: `>=4.15.0` (tested with `4.15.3.0`) -- OpenAI: `>=2.0.0` (tested with `2.0.1`) -- scikit-learn: `>=1.7.0` (tested with `1.7.2`) -- NumPy: `>=2.3.0` (tested with `2.3.3`) +- **Python:** `>=3.12` +- **Z3:** `>=4.15.0` (tested with `4.15.3.0`) +- **OpenAI:** `>=2.0.0` (tested with `2.0.1`) +- **scikit-learn:** `>=1.7.0` (tested with `1.7.2`) +- **NumPy:** `>=2.3.0` (tested with `2.3.3`) diff --git a/mkdocs.yml b/mkdocs.yml index 7d69de8..5b42249 100644 --- a/mkdocs.yml +++ b/mkdocs.yml @@ -17,6 +17,7 @@ theme: nav: - Home: index.md + - Foreword: foreword.md - Installation: installation.md - DSL Specification: dsl-specification.md - API Reference: api-reference.md From 4d6c8616d60f45c63d2aa855f9f1764a449ca4db Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Fri, 17 Oct 2025 16:41:53 -0400 Subject: [PATCH 10/11] Adding Postprocessors --- .github/workflows/docs.yml | 4 +- BACKENDS.md | 122 --- README.md | 35 + REASONING_API.md | 61 -- benchmark/bench_folio_postprocessors.py | 272 ++++++ benchmark_pipeline.py | 976 ------------------- docs/installation.md | 24 - docs/postprocessors.md | 329 +++++++ examples/postprocessor_example.py | 192 ++++ requirements.txt | 22 +- z3adapter/postprocessors/__init__.py | 23 + z3adapter/postprocessors/abstract.py | 68 ++ z3adapter/postprocessors/decomposed.py | 406 ++++++++ z3adapter/postprocessors/least_to_most.py | 428 ++++++++ z3adapter/postprocessors/registry.py | 135 +++ z3adapter/postprocessors/self_consistency.py | 255 +++++ z3adapter/postprocessors/self_refine.py | 303 ++++++ z3adapter/reasoning/proof_of_thought.py | 124 ++- 18 files changed, 2590 insertions(+), 1189 deletions(-) delete mode 100644 BACKENDS.md delete mode 100644 REASONING_API.md create mode 100644 benchmark/bench_folio_postprocessors.py delete mode 100644 benchmark_pipeline.py create mode 100644 docs/postprocessors.md create mode 100644 examples/postprocessor_example.py create mode 100644 z3adapter/postprocessors/__init__.py create mode 100644 z3adapter/postprocessors/abstract.py create mode 100644 z3adapter/postprocessors/decomposed.py create mode 100644 z3adapter/postprocessors/least_to_most.py create mode 100644 z3adapter/postprocessors/registry.py create mode 100644 z3adapter/postprocessors/self_consistency.py create mode 100644 z3adapter/postprocessors/self_refine.py diff --git a/.github/workflows/docs.yml b/.github/workflows/docs.yml index f2c979b..1de6f58 100644 --- a/.github/workflows/docs.yml +++ b/.github/workflows/docs.yml @@ -4,7 +4,7 @@ on: push: branches: - main - - feat/* + - docs/* pull_request: branches: - main @@ -32,7 +32,7 @@ jobs: run: mkdocs build - name: Deploy to GitHub Pages - if: github.event_name == 'push' && (github.ref == 'refs/heads/main' || github.ref == 'refs/heads/feat/smt') + if: github.event_name == 'push' && (github.ref == 'refs/heads/main') uses: peaceiris/actions-gh-pages@v4 with: github_token: ${{ secrets.GITHUB_TOKEN }} diff --git a/BACKENDS.md b/BACKENDS.md deleted file mode 100644 index ed57c34..0000000 --- a/BACKENDS.md +++ /dev/null @@ -1,122 +0,0 @@ -# Backend System - -ProofOfThought now supports multiple execution backends for Z3 theorem proving. - -## Available Backends - -### 1. SMT2 Backend (Default) - -The SMT2 backend generates programs in SMT-LIB 2.0 format and executes them via the Z3 command-line interface. - -**Advantages:** -- Standard SMT-LIB 2.0 format (portable to other solvers) -- Direct Z3 CLI execution (no Python interpreter overhead) -- Programs can be run standalone with `z3 program.smt2` - -**Usage:** -```python -from z3adapter.reasoning import ProofOfThought - -pot = ProofOfThought( - llm_client=client, - backend="smt2", # default - z3_path="z3" # optional: specify Z3 executable path -) -result = pot.query("Can fish breathe underwater?") -``` - -### 2. JSON Backend - -The JSON backend uses a custom JSON DSL that is parsed by Python and executed via the Z3 Python API. - -**Advantages:** -- More structured and easier for LLMs to generate correctly -- Better error messages and debugging -- Richer DSL features (optimization, complex rules) - -**Usage:** -```python -from z3adapter.reasoning import ProofOfThought - -pot = ProofOfThought( - llm_client=client, - backend="json" -) -result = pot.query("Can fish breathe underwater?") -``` - -## How It Works - -1. **Program Generation**: The LLM generates programs in the format specified by the backend - - JSON backend: Uses `z3adapter.reasoning.prompt_template` - - SMT2 backend: Uses `z3adapter.reasoning.smt2_prompt_template` - -2. **Execution**: Programs are saved to temporary files and executed - - JSON backend: Parsed and executed via `z3adapter.interpreter.Z3JSONInterpreter` - - SMT2 backend: Executed via Z3 CLI subprocess - -3. **Result Parsing**: Both backends return a `VerificationResult` with: - - `answer`: `True` (SAT), `False` (UNSAT), or `None` (ambiguous/error) - - `sat_count`: Number of SAT results - - `unsat_count`: Number of UNSAT results - - `output`: Raw execution output - -## Backend Selection - -Choose your backend based on your needs: - -- **Use SMT2** (default) if you want: - - Standard SMT-LIB 2.0 format - - Portability to other SMT solvers - - Standalone executable programs - -- **Use JSON** if you want: - - Better LLM generation reliability - - Richer DSL features - - Better debugging and error messages - -## Example: Comparing Backends - -```python -from utils.azure_config import get_client_config -from z3adapter.reasoning import ProofOfThought - -config = get_client_config() -question = "Can fish breathe underwater?" - -# JSON backend -pot_json = ProofOfThought(llm_client=config["llm_client"], backend="json") -result_json = pot_json.query(question) - -# SMT2 backend -pot_smt2 = ProofOfThought(llm_client=config["llm_client"], backend="smt2") -result_smt2 = pot_smt2.query(question) - -print(f"JSON answer: {result_json.answer}") -print(f"SMT2 answer: {result_smt2.answer}") -``` - -See `examples/backend_comparison.py` for a complete example. - -## File Extensions - -- JSON programs: `.json` -- SMT2 programs: `.smt2` - -Programs can be saved using `save_program=True` in the `query()` method. - -## Architecture - -The backend system follows an abstract interface pattern: - -``` -z3adapter/backends/ -├── abstract.py # Backend interface -├── json_backend.py # JSON DSL backend -└── smt2_backend.py # SMT-LIB 2.0 backend -``` - -Each backend implements: -- `execute(program_path)`: Run a program and return results -- `get_file_extension()`: Get the file extension (.json or .smt2) -- `get_prompt_template()`: Get the LLM prompt for program generation diff --git a/README.md b/README.md index 615667a..730bd76 100644 --- a/README.md +++ b/README.md @@ -50,6 +50,7 @@ pip install -r requirements.txt - **Comprehensive Benchmarks**: Evaluated on 5 reasoning datasets (ProntoQA, FOLIO, ProofWriter, ConditionalQA, StrategyQA) - **High-level API**: Simple Python interface for reasoning tasks - **Batch Evaluation Pipeline**: Built-in tools for dataset evaluation and metrics +- **Postprocessing Techniques**: Self-Refine, Self-Consistency, Decomposed Prompting, and Least-to-Most Prompting for enhanced reasoning quality ## Backend Selection @@ -65,6 +66,40 @@ pot = ProofOfThought(llm_client=client, backend="json") See [BACKENDS.md](BACKENDS.md) for details on choosing a backend. +## Postprocessing Techniques + +Enhance reasoning quality with advanced postprocessing techniques: + +```python +# Enable Self-Refine for iterative refinement +pot = ProofOfThought( + llm_client=client, + postprocessors=["self_refine"], + postprocessor_configs={"self_refine": {"num_iterations": 2}} +) + +# Use Self-Consistency for improved reliability via majority voting +pot = ProofOfThought( + llm_client=client, + postprocessors=["self_consistency"], + postprocessor_configs={"self_consistency": {"num_samples": 5}} +) + +# Chain multiple postprocessors +pot = ProofOfThought( + llm_client=client, + postprocessors=["self_refine", "self_consistency"] +) +``` + +Available techniques: +- **Self-Refine**: Iterative refinement through self-critique +- **Self-Consistency**: Majority voting across multiple reasoning paths +- **Decomposed Prompting**: Breaking complex questions into sub-questions +- **Least-to-Most Prompting**: Progressive problem solving from simple to complex + +See [POSTPROCESSORS.md](POSTPROCESSORS.md) for complete documentation and usage examples. + ## Architecture The system has two layers: diff --git a/REASONING_API.md b/REASONING_API.md deleted file mode 100644 index 451dc1e..0000000 --- a/REASONING_API.md +++ /dev/null @@ -1,61 +0,0 @@ -# Reasoning API - -## Overview - -Simple Python API for LLM-based reasoning with Z3 theorem proving. Inspired by DSPy. - -## API - -### ProofOfThought - -```python -from openai import OpenAI -from z3adapter.reasoning import ProofOfThought - -client = OpenAI(api_key="...") -pot = ProofOfThought( - llm_client=client, - model="gpt-4o", - max_attempts=3, - verify_timeout=10000 -) - -result = pot.query("Your question here") -print(result.answer) # True/False/None -``` - -### EvaluationPipeline - -```python -from z3adapter.reasoning import EvaluationPipeline - -evaluator = EvaluationPipeline(pot, output_dir="results/") -result = evaluator.evaluate( - dataset="data.json", - max_samples=100 -) - -print(f"Accuracy: {result.metrics.accuracy:.2%}") -print(f"F1: {result.metrics.f1_score:.4f}") -``` - -## Result Objects - -**QueryResult:** -- `answer: bool | None` - The answer -- `success: bool` - Query succeeded -- `num_attempts: int` - Attempts taken -- `error: str | None` - Error if failed - -**EvaluationMetrics:** -- accuracy, precision, recall, f1_score -- tp, fp, tn, fn (confusion matrix) -- total_samples, correct_answers, wrong_answers, failed_answers - -## Error Handling - -Automatic retry with feedback for: -- JSON extraction failures -- Z3 execution errors -- Ambiguous results (SAT + UNSAT) -- LLM API errors diff --git a/benchmark/bench_folio_postprocessors.py b/benchmark/bench_folio_postprocessors.py new file mode 100644 index 0000000..b9616c9 --- /dev/null +++ b/benchmark/bench_folio_postprocessors.py @@ -0,0 +1,272 @@ +#!/usr/bin/env python3 +"""Benchmark: FOLIO with Postprocessors - Comparing Different Techniques + +This script evaluates all four postprocessing techniques on FOLIO to determine +which ones provide the best improvement on this challenging reasoning dataset. + +Postprocessors tested: +1. Baseline (no postprocessing) +2. Self-Refine +3. Self-Consistency +4. Decomposed Prompting +5. Least-to-Most Prompting +6. Combined (Self-Refine + Self-Consistency) + +FOLIO (First-Order Logic in Natural Language) is a human-annotated dataset +for evaluating natural language reasoning with first-order logic. +""" + +import json +import logging +import sys +from pathlib import Path +from typing import Any, Literal + +# Add parent directory to path for z3adapter imports +sys.path.insert(0, str(Path(__file__).parent.parent)) + +from utils.azure_config import get_client_config +from z3adapter.reasoning import EvaluationPipeline, ProofOfThought + +# Configure logging +logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") + + +def preprocess_folio(jsonl_path: str, output_path: str) -> None: + """Preprocess FOLIO to combine premises + conclusion and filter Uncertain labels.""" + with open(jsonl_path) as f: + data = [json.loads(line) for line in f] + + print(f"Total samples: {len(data)}") + + # Filter out Uncertain labels for binary classification + data_filtered = [item for item in data if item["label"] != "Uncertain"] + + print(f"After filtering Uncertain: {len(data_filtered)}") + + label_counts: dict[str, int] = {} + for item in data_filtered: + label_counts[item["label"]] = label_counts.get(item["label"], 0) + 1 + print(f"Label distribution: {label_counts}") + + processed = [] + for item in data_filtered: + full_question = f"Given the following premises:\n\n{item['premises']}\n\nAssuming all premises are true, is the following statement true or false?\n\nStatement: {item['conclusion']}" + + answer_bool = item["label"] == "True" + + processed.append( + { + "id": f"folio_{item['example_id']}", + "question": full_question, + "answer": answer_bool, + "story_id": item["story_id"], + "example_id": item["example_id"], + "original_premises": item["premises"], + "original_conclusion": item["conclusion"], + } + ) + + with open(output_path, "w") as f: + json.dump(processed, f, indent=2) + + print(f"Preprocessed {len(processed)} FOLIO examples") + print(f"Saved to: {output_path}") + + +# Preprocess the dataset +jsonl_file = "data/folio_v2_train.jsonl" +processed_file = "data/folio_v2_train_processed.json" + +print("Preprocessing FOLIO dataset...") +preprocess_folio(jsonl_file, processed_file) +print() + +# Get Azure OpenAI configuration +config = get_client_config() + +# Backend selection +BACKEND: Literal["json", "smt2"] = "smt2" # Options: "smt2" or "json" + +# Number of samples to test (use smaller number for faster testing) +MAX_SAMPLES = 50 # Use 100 for full evaluation + +# Configuration for each postprocessor experiment +EXPERIMENTS: list[dict[str, Any]] = [ + { + "name": "Baseline (No Postprocessing)", + "postprocessors": None, + "configs": None, + }, + { + "name": "Self-Refine", + "postprocessors": ["self_refine"], + "configs": {"self_refine": {"num_iterations": 2}}, + }, + { + "name": "Self-Consistency", + "postprocessors": ["self_consistency"], + "configs": {"self_consistency": {"num_samples": 5}}, + }, + { + "name": "Decomposed Prompting", + "postprocessors": ["decomposed"], + "configs": {"decomposed": {"max_subquestions": 3}}, + }, + { + "name": "Least-to-Most Prompting", + "postprocessors": ["least_to_most"], + "configs": {"least_to_most": {"max_steps": 3}}, + }, + { + "name": "Combined (Self-Refine + Self-Consistency)", + "postprocessors": ["self_refine", "self_consistency"], + "configs": { + "self_refine": {"num_iterations": 2}, + "self_consistency": {"num_samples": 3}, + }, + }, +] + +# Store results for comparison +all_results: list[dict[str, Any]] = [] + +print("=" * 80) +print("FOLIO POSTPROCESSOR EVALUATION") +print("=" * 80) +print(f"Backend: {BACKEND.upper()}") +print(f"Model: {config['model']}") +print(f"Samples per experiment: {MAX_SAMPLES}") +print(f"Total experiments: {len(EXPERIMENTS)}") +print("=" * 80) +print() + +# Run each experiment +for i, experiment in enumerate(EXPERIMENTS, 1): + print(f"\n{'=' * 80}") + print(f"EXPERIMENT {i}/{len(EXPERIMENTS)}: {experiment['name']}") + print("=" * 80) + + # Create ProofOfThought instance + pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend=BACKEND, + max_attempts=3, + cache_dir=f"output/{BACKEND}_programs_folio_postproc_{i}", + z3_path="z3", + postprocessors=experiment["postprocessors"], + postprocessor_configs=experiment["configs"], + ) + + # Create evaluation pipeline + evaluator = EvaluationPipeline( + proof_of_thought=pot, + output_dir=f"output/{BACKEND}_evaluation_folio_postproc_{i}", + num_workers=10, # Sequential for postprocessors (they already parallelize internally) + ) + + # Run evaluation + eval_result = evaluator.evaluate( + dataset=processed_file, + question_field="question", + answer_field="answer", + id_field="id", + max_samples=MAX_SAMPLES, + skip_existing=False, # Don't skip to ensure fresh results + ) + + # Store results + experiment_result: dict[str, Any] = { + "name": experiment["name"], + "postprocessors": experiment["postprocessors"], + "configs": experiment["configs"], + "metrics": { + "accuracy": eval_result.metrics.accuracy, + "precision": eval_result.metrics.precision, + "recall": eval_result.metrics.recall, + "f1_score": eval_result.metrics.f1_score, + "total_samples": eval_result.metrics.total_samples, + "correct": eval_result.metrics.correct_answers, + "wrong": eval_result.metrics.wrong_answers, + "failed": eval_result.metrics.failed_answers, + "tp": eval_result.metrics.tp, + "tn": eval_result.metrics.tn, + "fp": eval_result.metrics.fp, + "fn": eval_result.metrics.fn, + }, + } + all_results.append(experiment_result) + + # Print immediate results + print(f"\nResults for {experiment['name']}:") + print(f" Accuracy: {eval_result.metrics.accuracy:.2%}") + print(f" Precision: {eval_result.metrics.precision:.4f}") + print(f" Recall: {eval_result.metrics.recall:.4f}") + print(f" F1 Score: {eval_result.metrics.f1_score:.4f}") + print( + f" Correct/Wrong/Failed: {eval_result.metrics.correct_answers}/{eval_result.metrics.wrong_answers}/{eval_result.metrics.failed_answers}" + ) + +# Save all results to JSON +results_file = f"output/folio_postprocessor_comparison_{BACKEND}.json" +with open(results_file, "w") as f: + json.dump(all_results, f, indent=2) + +print("\n" + "=" * 80) +print("FINAL COMPARISON - ALL POSTPROCESSORS") +print("=" * 80) +print() + +# Print comparison table +print(f"{'Technique':<40} {'Accuracy':<12} {'F1 Score':<12} {'Success Rate':<15}") +print("-" * 80) + +baseline_accuracy = all_results[0]["metrics"]["accuracy"] + +for result in all_results: + name = result["name"] + accuracy = result["metrics"]["accuracy"] + f1 = result["metrics"]["f1_score"] + total = result["metrics"]["total_samples"] + failed = result["metrics"]["failed"] + success_rate = (total - failed) / total if total > 0 else 0 + + # Calculate improvement over baseline + improvement = "" + if name != "Baseline (No Postprocessing)": + diff = accuracy - baseline_accuracy + improvement = f" ({diff:+.1%})" + + print(f"{name:<40} {accuracy:.2%}{improvement:<8} {f1:.4f} {success_rate:.2%}") + +print("-" * 80) +print() + +# Find best technique +best_result = max(all_results[1:], key=lambda x: x["metrics"]["accuracy"]) # Skip baseline +print(f"Best Postprocessor: {best_result['name']}") +print(f" Accuracy: {best_result['metrics']['accuracy']:.2%}") +print(f" Improvement over baseline: {best_result['metrics']['accuracy'] - baseline_accuracy:+.2%}") +print() + +# Save summary +summary = { + "backend": BACKEND, + "model": config["model"], + "max_samples": MAX_SAMPLES, + "baseline_accuracy": baseline_accuracy, + "best_technique": best_result["name"], + "best_accuracy": best_result["metrics"]["accuracy"], + "improvement": best_result["metrics"]["accuracy"] - baseline_accuracy, + "all_results": all_results, +} + +summary_file = f"output/folio_postprocessor_summary_{BACKEND}.json" +with open(summary_file, "w") as f: + json.dump(summary, f, indent=2) + +print("Results saved to:") +print(f" - {results_file}") +print(f" - {summary_file}") +print() diff --git a/benchmark_pipeline.py b/benchmark_pipeline.py deleted file mode 100644 index 67f6e01..0000000 --- a/benchmark_pipeline.py +++ /dev/null @@ -1,976 +0,0 @@ -import io -import json -import logging -import os -import re -import time -import traceback -from contextlib import redirect_stderr, redirect_stdout -from typing import Any - -import numpy as np -from openai import OpenAI -from sklearn.metrics import ( - accuracy_score, - confusion_matrix, - precision_score, - recall_score, -) - -from z3adapter.interpreter import Z3JSONInterpreter - - -def calculate_metrics(y_true: list[Any], y_pred: list[Any]) -> dict[str, Any]: - y_true = np.array(y_true) - y_pred = np.array(y_pred) - - # Handle the case where there's only one class - if len(np.unique(y_true)) == 1 or len(np.unique(y_pred)) == 1: - accuracy = accuracy_score(y_true, y_pred) - if np.array_equal(y_true, y_pred): - if y_true[0] == 1: # All positive - tp, fp, tn, fn = len(y_true), 0, 0, 0 - else: # All negative - tp, fp, tn, fn = 0, 0, len(y_true), 0 - else: - if y_true[0] == 1: # All true positive, some false negative - tp = np.sum(y_pred) - fn = len(y_true) - tp - fp, tn = 0, 0 - else: # All true negative, some false positive - y_pred_arr = np.array(y_pred) - tn = int(np.sum(~y_pred_arr)) - fp = len(y_true) - tn - tp, fn = 0, 0 - - precision = tp / (tp + fp) if (tp + fp) > 0 else 0 - recall = tp / (tp + fn) if (tp + fn) > 0 else 0 - specificity = tn / (tn + fp) if (tn + fp) > 0 else 0 - false_positive_rate = fp / (fp + tn) if (fp + tn) > 0 else 0 - false_negative_rate = fn / (fn + tp) if (fn + tp) > 0 else 0 - else: - cm = confusion_matrix(y_true, y_pred) - tn, fp, fn, tp = cm.ravel() - accuracy = accuracy_score(y_true, y_pred) - precision = precision_score(y_true, y_pred, zero_division=0) - recall = recall_score(y_true, y_pred, zero_division=0) - specificity = tn / (tn + fp) if (tn + fp) > 0 else 0 - false_positive_rate = fp / (fp + tn) if (fp + tn) > 0 else 0 - false_negative_rate = fn / (fn + tp) if (fn + tp) > 0 else 0 - - f1 = 2 * (precision * recall) / (precision + recall) if (precision + recall) > 0 else 0 - - return { - "TP": int(tp), - "FP": int(fp), - "TN": int(tn), - "FN": int(fn), - "Accuracy": accuracy, - "Precision": precision, - "Recall": recall, - "F1 Score": f1, - "Specificity": specificity, - "False Positive Rate": false_positive_rate, - "False Negative Rate": false_negative_rate, - } - - -# Set up logging -logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(levelname)s - %(message)s") -logger = logging.getLogger(__name__) - - -# Function to extract JSON from markdown content -def extract_json_from_markdown(markdown_content: str) -> dict[str, Any] | None: - json_code_block_pattern = r"```json\s*(\{[\s\S]*?\})\s*```" - match = re.search(json_code_block_pattern, markdown_content) - if match: - json_content = match.group(1) - return json.loads(json_content) # Parse JSON content - return None - - -def run_z3_interpreter(output_json_path: str) -> tuple[bool | None, str]: - # Capture both stdout and stderr - stdout_capture = io.StringIO() - stderr_capture = io.StringIO() - - with redirect_stdout(stdout_capture), redirect_stderr(stderr_capture): - interpreter = Z3JSONInterpreter(output_json_path) - interpreter.run() - - # Combine stdout and stderr - full_output = stdout_capture.getvalue() + stderr_capture.getvalue() - - # Analyze the output - sat_occurrences = full_output.count(": SAT") - unsat_occurrences = full_output.count(": UNSAT") - - # Determine the answer - predicted_answer: bool | None - if sat_occurrences > 0 and unsat_occurrences == 0: - predicted_answer = True - elif unsat_occurrences > 0 and sat_occurrences == 0: - predicted_answer = False - else: - predicted_answer = None - - return predicted_answer, full_output - - -api_key = os.getenv("OPENAI_API_KEY") -if not api_key: - raise ValueError( - "OPENAI_API_KEY is not set. " "Please set it in your .env file or environment variables." - ) - -client = OpenAI(api_key=api_key) - -# Load the StrategyQA dataset -with open("strategyqa_train.json") as f: - data = json.load(f) - -# Set up output directories -output_dir = "strategyqa_outputs" -json_dir = os.path.join(output_dir, "json") -response_dir = os.path.join(output_dir, "responses") - -os.makedirs(json_dir, exist_ok=True) -os.makedirs(response_dir, exist_ok=True) - -max_questions = 10 -correct_answers = 0 -wrong_answers = 0 -programgenerror = 0 - -y_true = [] -y_pred = [] - - -for idx, question_data in enumerate(data[:max_questions]): - qid = question_data["qid"] - question_text = question_data["question"] - actual_answer = question_data["answer"] # True or False - - logger.info(f"Processing question {idx+1}/{max_questions}: {qid}") - logger.info(f"Question: {question_text}") - logger.info(f"Actual Answer: {actual_answer}") - - output_json_path = os.path.join(json_dir, f"{qid}_extracted.json") - if os.path.exists(output_json_path): - logger.info(f"Skipping question {qid}, already processed.") - continue - - num_attempts = 0 - max_attempts = 3 - success = False - - # Define your prompt template here - initial_prompt_content = """ - ** Instructions for Generating JSON-Based DSL Programs for Theorem Proving** - - **Introduction** - - This document provides comprehensive guidelines for generating JSON-based Domain-Specific Language (DSL) programs designed to solve complex reasoning tasks using a theorem prover. The goal is to translate reasoning problems into structured JSON programs that can be parsed by a custom interpreter and reliably solved. This guide includes detailed explanations of each section, examples, and emphasizes common pitfalls to avoid to ensure that the generated programs are error-free and adhere strictly to the expected format. - - --- - - ### **Important Guidelines to Avoid Common Errors** - - 1. **Variable Definitions** - - - **Understand the difference between FREE variables and QUANTIFIED variables:** - - **Free Variables**: Declared in the global `"variables"` section. These are variables used in non-quantified contexts (e.g., directly in assertions without ForAll/Exists). - - **Quantified Variables**: Variables bound by `ForAll` or `Exists` quantifiers. These are automatically bound by the quantifier itself and should NOT be declared in a separate `"variables"` field. - - - **Example of Correct Variable Declaration:** - ```json - "variables": [ - {"name": "p", "sort": "Person"}, - {"name": "i", "sort": "Issue"} - ] - ``` - This declares `p` and `i` as free variables available throughout the program. - - For quantified variables in ForAll/Exists: - ```json - "knowledge_base": [ - "ForAll([p, i], Implies(supports(p, i), Not(publicly_denounce(p, i))))" - ] - ``` - Here, `p` and `i` are automatically bound by the `ForAll` quantifier. If `p` and `i` are declared in the global `"variables"` section, they can be referenced as free variables within the quantified expression. - - 2. **Context in Evaluations** - - - The interpreter evaluates expressions in a context that includes: - - **Functions**: Defined in the `"functions"` section. - - **Constants**: Defined in the `"constants"` section. - - **Free Variables**: Defined in the global `"variables"` section. - - **Quantified Variables**: Temporarily added to context when evaluating quantified expressions (ForAll/Exists). - - - **Understanding Variable Scope**: - - **Free variables** in the global `"variables"` section are available throughout the entire program. - - **Quantified variables** (e.g., in `ForAll([x], ...)`) are automatically bound by the quantifier and available only within that quantified expression. - - You can reference free variables inside quantified expressions, creating nested scopes. - - 3. **Valid JSON Output** - - - **Ensure that the JSON output is valid and can be parsed without errors.** - - Use proper syntax, including commas, quotation marks, and matching brackets. - - Avoid trailing commas or missing commas between elements. - - - **Common JSON Errors to Avoid**: - - Missing commas between array elements or object properties. - - Unmatched brackets or braces. - - Incorrect use of quotation marks. - - - **Recommendation**: - - Use a JSON validator or formatter to check the generated JSON before finalizing it. - - 4. **Correct Syntax in Logical Expressions** - - - **Use Proper Python Syntax for Expressions**: - - When writing expressions that will be evaluated, ensure they are valid Python expressions. - - For example, in the assertion `ForAll([p], ...)`, `p` must be defined in the context or within the quantifier. - - - **Avoid Using Unrecognized Variables**: - - Do not use variables in expressions that have not been defined. - - If a variable is introduced in a quantifier, ensure it is properly included. - - - **Example of Correct Usage**: - ```json - "variables": [ - {"name": "p", "sort": "Person"} - ], - "knowledge_base": [ - "ForAll([p], Implies(is_law_enforcement(p), can_arrest(p)))" - ] - ``` - Where `p` is declared as a free variable in the global `"variables"` section, then bound by the `ForAll` quantifier in the assertion. - - --- - - ### **Detailed Explanation of Each Section** - - 1. **Sorts** - - - **Purpose**: Define the types or domains (e.g., integers, booleans, custom types like "Person"). - - **Structure**: - ```json - { - "name": "SortName", - "type": "SortType" - } - ``` - - **Sort Types**: - - `"BoolSort"`: Boolean type. - - `"IntSort"`: Integer type. - - `"RealSort"`: Real number type. - - `"DeclareSort"`: Custom, uninterpreted sort. - - `"EnumSort"`: Enumerated sort with specified values. - - `"BitVecSort(n)"`: Bit vector of size `n`. - - `"ArraySort(DomainSort, RangeSort)"`: Array mapping from `DomainSort` to `RangeSort`. - - **Example**: - ```json - {"name": "Person", "type": "DeclareSort"} - ``` - - 2. **Functions** - - - **Purpose**: Define operations or relations between sorts. - - **Structure**: - ```json - { - "name": "FunctionName", - "domain": ["Sort1", "Sort2"], - "range": "ReturnSort" - } - ``` - - **Example**: - ```json - {"name": "num_children", "domain": ["Person"], "range": "Int"} - ``` - - 3. **Constants** - - - **Purpose**: Represent fixed elements within sorts. - - **Structure**: - ```json - { - "Category": { - "sort": "SortName", - "members": ["Const1", "Const2"] - } - } - ``` - - **Example**: - ```json - { - "persons": { - "sort": "Person", - "members": ["genghis_khan", "julius_caesar"] - } - } - ``` - - 4. **Variables** - - - **Purpose**: Define FREE variables that can be used throughout the program. These are symbols that can be referenced in assertions, rules, and verifications. They are particularly useful when you want to use the same variable symbol in multiple quantified expressions. - - **Structure**: - ```json - { - "name": "VariableName", - "sort": "SortName" - } - ``` - - **Example**: - ```json - {"name": "x", "sort": "Int"} - ``` - - **Note**: Variables declared here can be used as free variables OR can be bound by quantifiers (ForAll/Exists) in assertions. When bound by a quantifier, they become quantified variables within that scope. - - 5. **Knowledge Base** - - - **Purpose**: A set of axioms or facts that are assumed to be true. - - **Structure**: An array of assertions, each representing a logical expression. - - **Assertions** can be simple strings or dictionaries specifying the assertion and its truth value. - - **Example**: - ```json - "variables": [ - {"name": "p", "sort": "Person"} - ], - "knowledge_base": [ - "ForAll([p], Implies(is_law_enforcement(p), can_arrest(p)))", - "num_children(genghis_khan) == 16", - { - "assertion": "can_fly(superman)", - "value": true - } - ] - ``` - - **Note**: When using quantifiers like ForAll/Exists, the variables must be declared in the global `"variables"` section to be available in the evaluation context. - - 6. **Rules** - - - **Purpose**: Define general logical implications or constraints. - - **Structure**: - ```json - { - "name": "RuleName", - "forall": [ - {"name": "Var1", "sort": "Sort1"}, - {"name": "Var2", "sort": "Sort2"} - ], - "implies": { - "antecedent": "LogicalExpression", - "consequent": "LogicalExpression" - } - } - ``` - Or for simple constraints: - ```json - { - "name": "RuleName", - "constraint": "LogicalExpression" - } - ``` - - **Example**: - ```json - { - "name": "Greater Than Rule", - "forall": [ - {"name": "a", "sort": "Int"}, - {"name": "b", "sort": "Int"} - ], - "implies": { - "antecedent": "a > b", - "consequent": "Not(b > a)" - } - } - ``` - - **Important**: Rules with `"implies"` MUST have a `"forall"` field with at least one variable. The `"forall"` field cannot be empty. For rules without quantification, use `"constraint"` instead. - - 7. **Verifications** - - - **Purpose**: Specify properties or conditions that need to be verified by the theorem prover. - - **Three Types of Verifications**: - - **Type 1: Simple Constraint (no quantifiers)** - ```json - { - "name": "VerificationName", - "constraint": "LogicalExpression" - } - ``` - Example: - ```json - { - "name": "Compare Descendants", - "constraint": "num_descendants(genghis_khan) > num_descendants(julius_caesar)" - } - ``` - - **Type 2: Existential Verification (checking if there exists a value)** - ```json - { - "name": "VerificationName", - "exists": [ - {"name": "Var", "sort": "Sort"} - ], - "constraint": "LogicalExpression" - } - ``` - Example: - ```json - { - "name": "Find Positive Number", - "exists": [ - {"name": "x", "sort": "Int"} - ], - "constraint": "And(x > 0, x < 10)" - } - ``` - - **Type 3: Universal Verification (checking if property holds for all values)** - ```json - { - "name": "VerificationName", - "forall": [ - {"name": "Var", "sort": "Sort"} - ], - "implies": { - "antecedent": "LogicalExpression", - "consequent": "LogicalExpression" - } - } - ``` - Example: - ```json - { - "name": "All Positive Numbers Greater Than Zero", - "forall": [ - {"name": "x", "sort": "Int"} - ], - "implies": { - "antecedent": "x > 0", - "consequent": "x >= 1" - } - } - ``` - - - **Important**: The `"exists"` and `"forall"` fields cannot be empty. They must contain at least one variable definition. - - 8. **Optimization** (Optional) - - - **Purpose**: Define optimization problems with variables, constraints, and objectives. - - **Structure**: - ```json - { - "variables": [ - {"name": "Var", "sort": "Sort"} - ], - "constraints": ["LogicalExpression"], - "objectives": [ - { - "type": "minimize" or "maximize", - "expression": "ArithmeticExpression" - } - ] - } - ``` - - **Example**: - ```json - { - "variables": [ - {"name": "x", "sort": "Int"} - ], - "constraints": [ - "x >= 0", - "x <= 10" - ], - "objectives": [ - { - "type": "maximize", - "expression": "x" - } - ] - } - ``` - - 9. **Actions** - - - **Purpose**: Specify which actions the interpreter should perform. - - **Possible Actions**: - - `"verify_conditions"`: Runs verifications. - - `"optimize"`: Solves optimization problems. - - **Structure**: An array of action strings. - - **Example**: - ```json - ["verify_conditions"] - ``` - - --- - - ### **Understanding Verification Semantics** - - **Important: What Does SAT/UNSAT Mean?** - - When you run verifications, the interpreter checks the satisfiability of your constraint given the knowledge base: - - - **SAT (Satisfiable)**: The constraint CAN be true given the knowledge base. The solver found a model where both the knowledge base AND the constraint are satisfied simultaneously. - - This means the constraint is CONSISTENT with the knowledge base. - - A model (example values) will be shown. - - - **UNSAT (Unsatisfiable)**: The constraint CONTRADICTS the knowledge base. There is no possible model where both the knowledge base and the constraint can be true together. - - This means the constraint is INCONSISTENT with the knowledge base. - - - **UNKNOWN**: The solver timed out or couldn't determine satisfiability. - - **Checking Different Types of Properties:** - - 1. **To check if a property CAN be true** (satisfiability): - - Add it directly to verifications - - SAT = yes, it's possible - - UNSAT = no, it contradicts the knowledge base - - 2. **To check if a property MUST be true** (entailment, KB ⊨ φ): - - Verify that the NEGATION of the property is UNSAT - - If KB ∧ ¬φ is UNSAT, then KB ⊨ φ (the knowledge base entails the property) - - Example: To prove "publicly_denounce(nancy_pelosi, abortion)" is false given KB, check if "publicly_denounce(nancy_pelosi, abortion)" is UNSAT - - **Example**: - ```json - "verifications": [ - { - "name": "Can Pelosi Denounce Abortion", - "constraint": "publicly_denounce(nancy_pelosi, abortion)" - } - ] - ``` - - If this returns SAT: Pelosi denouncing abortion is consistent with the knowledge base - - If this returns UNSAT: Pelosi denouncing abortion contradicts the knowledge base (meaning she definitely won't) - - --- - - ### **Available Operators and Functions** - - - **Logical Operators**: - - `And(expr1, expr2, ...)` - - `Or(expr1, expr2, ...)` - - `Not(expr)` - - `Implies(antecedent, consequent)` - - `If(condition, true_expr, false_expr)` - - `Distinct(expr1, expr2, ...)` - - - **Quantifiers**: - - `ForAll([vars], expr)` - - `Exists([vars], expr)` - - - **Arithmetic Operators**: - - `+`, `-`, `*`, `/` - - Comparison: `==`, `!=`, `<`, `<=`, `>`, `>=` - - - **Custom Functions**: Defined in the `"functions"` section. - - --- - - ### **Good Examples of JSON Programming** - - 1. **Example: Correctly Defining Variables for Quantified Expressions** - - **Incorrect - Missing Variable Declaration**: - ```json - "knowledge_base": [ - "ForAll([p], Implies(is_law_enforcement(p), can_arrest(p)))" - ] - ``` - - **Error**: `p` is not defined in the evaluation context, causing a NameError. - - **Corrected Version - Declare in Global Variables Section**: - ```json - "variables": [ - {"name": "p", "sort": "Person"} - ], - "knowledge_base": [ - "ForAll([p], Implies(is_law_enforcement(p), can_arrest(p)))" - ] - ``` - - **Explanation**: By declaring `p` in the global `"variables"` section, it becomes available in the evaluation context. The `ForAll` quantifier then binds this variable within its scope. - - --- - - ### **Common Pitfalls to Avoid** - - - **Undefined Variables**: Always define variables in the global `"variables"` section if they will be used in quantified expressions (ForAll/Exists). The quantifier binds the variable, but it must exist in the evaluation context first. - - - **Using 'variables' field in assertions**: Do NOT add a `"variables"` field inside knowledge_base assertions. Variables should be declared in the global `"variables"` section only. - - - **Using 'variables' instead of 'forall' in rules**: Rules must use `"forall"` for quantified variables, not `"variables"`. - - - **Empty quantifier lists**: If you specify `"forall"` or `"exists"` in rules or verifications, they must contain at least one variable. Empty lists will cause errors. - - - **Syntax Errors in Expressions**: Use correct syntax in logical expressions. Avoid typos and ensure that all parentheses and commas are correctly placed. - - - **Invalid JSON**: Double-check the JSON structure for validity. Use a JSON linter or validator if necessary. - - - **Misunderstanding SAT/UNSAT**: Remember that SAT means "possible/consistent" and UNSAT means "contradicts". To prove something MUST be true, check if its negation is UNSAT. - - --- - - ### **Revised Guidelines for Writing Good Programs** - - 1. **Always Declare Variables in the Global Section** - - - All variables used in quantified expressions (ForAll/Exists) must be declared in the global `"variables"` section. - - The quantifier automatically binds the variable within its scope, but the variable must exist in the evaluation context. - - 2. **Use Correct Field Names** - - - In rules: Use `"forall"` for quantified variables, NOT `"variables"` - - In verifications: Use `"forall"`, `"exists"`, or no quantifier field for simple constraints - - In knowledge_base: Do NOT add a `"variables"` field in assertion dictionaries - - 3. **Understanding Quantifier Binding** - - - When you write `ForAll([p], ...)`, the variable `p` must be declared in the global `"variables"` section - - The `ForAll` quantifier then binds `p` within its scope - - Example: - ```json - "variables": [ - {"name": "p", "sort": "Person"} - ], - "knowledge_base": [ - "ForAll([p], Implies(condition(p), result(p)))" - ] - ``` - - 4. **Ensure Variables are in Evaluation Context** - - - The interpreter builds an evaluation context from functions, constants, and the global variables section - - Quantified variables are temporarily added to this context when evaluating their scope - - Always declare variables globally to make them available for quantification - - --- - - ### **Example of Corrected JSON Program** - - **Question**: Would Nancy Pelosi publicly denounce abortion? - - **Decomposition**: - - - Nancy Pelosi is known to support abortion rights. - - People do not publicly denounce issues they support. - - Therefore, Nancy Pelosi would not publicly denounce abortion. - - **JSON Program**: - - ```json - { - "sorts": [ - {"name": "Person", "type": "DeclareSort"}, - {"name": "Issue", "type": "DeclareSort"}, - {"name": "Bool", "type": "BoolSort"} - ], - "functions": [ - {"name": "supports", "domain": ["Person", "Issue"], "range": "Bool"}, - {"name": "publicly_denounce", "domain": ["Person", "Issue"], "range": "Bool"} - ], - "constants": { - "persons": { - "sort": "Person", - "members": ["nancy_pelosi"] - }, - "issues": { - "sort": "Issue", - "members": ["abortion"] - } - }, - "variables": [ - {"name": "p", "sort": "Person"}, - {"name": "i", "sort": "Issue"} - ], - "knowledge_base": [ - { - "assertion": "supports(nancy_pelosi, abortion)" - }, - { - "assertion": "ForAll([p, i], Implies(supports(p, i), Not(publicly_denounce(p, i))))" - } - ], - "verifications": [ - { - "name": "Pelosi Denounce Abortion", - "constraint": "publicly_denounce(nancy_pelosi, abortion)" - } - ], - "actions": ["verify_conditions"] - } - ``` - - **Explanation**: - - - **Variables Defined**: - - `p` and `i` are defined in the global `"variables"` section, making them available in the evaluation context. - - When the `ForAll([p, i], ...)` quantifier is evaluated, these variables are bound within the quantifier's scope. - - - **Knowledge Base Assertions**: - - The first assertion is a simple fact: Nancy Pelosi supports abortion. - - The second assertion is a universal rule: For all persons `p` and issues `i`, if `p` supports `i`, then `p` does not publicly denounce `i`. - - Notice that the ForAll assertion does NOT have a `"variables"` field inside the dictionary - the variables are already declared globally. - - - **Verification**: - - We check if "publicly_denounce(nancy_pelosi, abortion)" can be true. - - Expected result: UNSAT (because it contradicts the knowledge base - she supports abortion, so she won't denounce it). - - - **Why This Works**: - - By declaring `p` and `i` globally, they are available when the interpreter evaluates the ForAll expression. - - The ForAll quantifier binds these variables, making them quantified variables within its scope. - - This prevents the "name 'p' is not defined" error during evaluation. - - --- - - ### **Additional Tips** - - - **Define All Quantified Variables Globally**: - - Any variable used in ForAll/Exists quantifiers must be declared in the global `"variables"` section. - - This makes them available in the evaluation context so they can be bound by quantifiers. - - - **Simplify Assertions**: - - Use simple strings for assertions when possible (e.g., `"supports(nancy_pelosi, abortion)"`) - - Only use dictionary format when you need to specify `"value": false` to negate an assertion. - - - **Test Expressions Separately**: - - Before including complex expressions in the JSON, test them separately to ensure they are syntactically correct. - - - **Validate JSON Output**: - - Use tools or online validators to ensure that your JSON is well-formed and free of syntax errors. - - - **Understand the Evaluation Model**: - - The interpreter evaluates expressions by building a context from functions, constants, and global variables. - - Quantifiers temporarily add their bound variables to this context during evaluation. - - This two-level system (global declaration + quantifier binding) prevents name errors. - - --- - - ### **Conclusion** - - By following these updated guidelines and paying close attention to variable declarations and context, you can create JSON-based DSL programs that are free of errors and compatible with the interpreter. Always define all variables used in expressions, use correct syntax, and validate your JSON output. This will help ensure that your programs execute successfully and provide accurate results when processed by the theorem prover. - - --- - - **Task**: - - Think step by step and reason about the given question. Decompose the question into logical reasoning steps, define the necessary sorts, functions, constants, variables, and knowledge base entries, and finally, construct a JSON file representing the problem. Ensure that: - - - All variables used in expressions are properly defined. - - The JSON structure is valid and free of syntax errors. - - The logical expressions are syntactically correct and use variables available in the context. - - **Example Task**: - - Given the question: - - *"Would a student of the class of 2017 have amnesia about 9/11?"* - - 1. **Decompose the Question**: - - - Determine the typical age of a student graduating in 2017. - - Calculate the birth year of such a student. - - Determine if the student was born after the year 2000. - - People born after 2000 may not remember events from 2001. - - Therefore, such a student may not remember 9/11. - - 2. **Construct the JSON Program**: - - ```json - { - "sorts": [ - {"name": "Person", "type": "DeclareSort"}, - {"name": "Int", "type": "IntSort"} - ], - "functions": [ - {"name": "graduation_year", "domain": ["Person"], "range": "Int"}, - {"name": "birth_year", "domain": ["Person"], "range": "Int"}, - {"name": "has_amnesia_about_9_11", "domain": ["Person"], "range": "Bool"} - ], - "constants": { - "persons": { - "sort": "Person", - "members": ["student"] - } - }, - "variables": [ - {"name": "p", "sort": "Person"} - ], - "knowledge_base": [ - "graduation_year(student) == 2017", - "birth_year(student) == graduation_year(student) - 22", - { - "assertion": "ForAll([p], Implies(birth_year(p) > 2000, has_amnesia_about_9_11(p)))" - } - ], - "verifications": [ - { - "name": "Student Has Amnesia About 9/11", - "constraint": "has_amnesia_about_9_11(student)" - } - ], - "actions": ["verify_conditions"] - } - ``` - - **Final Note**: - - Make sure to double-check your JSON program for correctness and adherence to the guidelines. The goal is to create a logical representation of the question that can be understood and verified by the theorem prover. - - --- - - SAT is True. UNSAT is False. Answer the following question: - - """ - - initial_prompt_content = initial_prompt_content + f"Question: {question_text}" - - prompt_content = initial_prompt_content - previous_response: str | None = None - error_trace: str | None = None - predicted_answer: bool | None = None - interpreter_output: str = "" - - while num_attempts < max_attempts and not success: - time.sleep(2) - num_attempts += 1 - try: - if num_attempts == 1: - # First attempt - messages = [ - {"role": "user", "content": [{"type": "text", "text": initial_prompt_content}]} - ] - else: - # Subsequent attempts - messages = [ - { - "role": "assistant", - "content": [{"type": "text", "text": previous_response or ""}], - }, - { - "role": "user", - "content": [ - { - "type": "text", - "text": f"There was an error processing your response:\n{error_trace}\nPlease fix the JSON accordingly.", - } - # {"role": "user", "content": [{ "type" : "text", "text" : initial_prompt_content}]}, - ], - }, - ] - - # Make the OpenAI API call - response = client.chat.completions.create( - model="gpt-4o", - messages=messages, - temperature=0.1, - max_tokens=2048, - top_p=1, - frequency_penalty=0, - presence_penalty=0, - response_format={"type": "text"}, - ) - - response_data = response.choices[0].message.content - - # Save the response - response_path = os.path.join(response_dir, f"{qid}_response_attempt{num_attempts}.json") - with open(response_path, "w") as f: - json.dump({"response_content": response_data}, f, indent=4) - - markdown_content = response_data - previous_response = markdown_content - - extracted_json = extract_json_from_markdown(markdown_content or "") - if extracted_json: - with open(output_json_path, "w") as f: - json.dump(extracted_json, f, indent=4) - try: - predicted_answer, interpreter_output = run_z3_interpreter(output_json_path) - - logger.info(f"Interpreter Output:\n{interpreter_output}") - - if predicted_answer is not None: - logger.info(f"Answer Computed : ({predicted_answer}, {actual_answer})") - if predicted_answer == actual_answer: - correct_answers += 1 - logger.info( - f"Question {qid} answered correctly on attempt {num_attempts}" - ) - else: - wrong_answers += 1 - logger.info( - f"Question {qid} answered incorrectly on attempt {num_attempts}" - ) - success = True - else: - logger.warning( - f"Could not determine the answer for question {qid} on attempt {num_attempts}" - ) - error_trace = f"Ambiguous output: SAT and UNSAT occurrences don't clearly indicate an answer.\nFull output:\n{interpreter_output}" - success = False - - except Exception as e: - error_trace = f"Error running interpreter: {str(e)}\nFull traceback:\n{''.join(traceback.format_exception(type(e), e, e.__traceback__))}" - logger.error( - f"Error running interpreter for question {qid} on attempt {num_attempts}:\n{error_trace}" - ) - success = False - else: - error_trace = "Failed to extract JSON from the response." - logger.error(f"Failed to extract JSON for question {qid} on attempt {num_attempts}") - success = False - - except Exception as e: - error_trace = f"Error processing question: {str(e)}\nFull traceback:\n{''.join(traceback.format_exception(type(e), e, e.__traceback__))}" - logger.error( - f"Error processing question {qid} on attempt {num_attempts}:\n{error_trace}" - ) - success = False - - if not success and num_attempts < max_attempts: - prompt_content = initial_prompt_content - if success and predicted_answer is not None: - print(actual_answer, predicted_answer, type(actual_answer), type(predicted_answer)) - y_true.append(int(actual_answer)) - y_pred.append(int(predicted_answer)) - - # # Calculate and log metrics for this question - # metrics = calculate_metrics(y_true, y_pred) - # logger.info("Current Metrics:") - # for metric, value in metrics.items(): - # logger.info(f"{metric}: {value}") - - if not success: - logger.error(f"Failed to process question {qid} after {max_attempts} attempts.") - programgenerror += 1 - - logger.info("Current Statistics:") - logger.info(f"Total correct answers: {correct_answers}") - logger.info(f"Total wrong answers: {wrong_answers}") - logger.info(f"Accuracy: {correct_answers / (correct_answers + wrong_answers) * 100:.2f}%") - logger.info(f"Program has not compiled {programgenerror} times.") - -logger.info("Final Results:") -logger.info(f"Total correct answers: {correct_answers}") -logger.info(f"Total wrong answers: {wrong_answers}") -logger.info(f"Final Accuracy: {correct_answers / (correct_answers + wrong_answers) * 100:.2f}%") - -# After processing all questions, calculate and log final metrics -final_metrics = calculate_metrics(y_true, y_pred) -print("Y_true", y_true) -print("Y_pred", y_pred) -logger.info("Final Metrics:") -for metric, value in final_metrics.items(): - logger.info(f"{metric}: {value}") - -logger.info(f"Total questions processed: {len(y_true)}") -logger.info(f"Program has not compiled {programgenerror} times.") diff --git a/docs/installation.md b/docs/installation.md index f0901cb..e45b99d 100644 --- a/docs/installation.md +++ b/docs/installation.md @@ -12,30 +12,6 @@ Install the core dependencies using: pip install -r requirements.txt ``` -This installs the following packages: - -- `z3-solver>=4.15.0` - Provides both the Z3 Python API (for JSONBackend) and CLI binary (for SMT2Backend) -- `openai>=2.0.0` - LLM client with support for both OpenAI and Azure OpenAI -- `scikit-learn>=1.7.0` - Used for evaluation metrics like `confusion_matrix` and `accuracy_score` -- `numpy>=2.3.0` - Required for numerical operations -- `python-dotenv>=1.1.0` - Manages environment variables from `.env` files - -### Development Dependencies (Optional) - -For development work, install additional tools: - -```bash -pip install -e ".[dev]" -``` - -This includes: - -- `black>=25.9.0` - Code formatter -- `ruff>=0.13.0` - Fast Python linter -- `mypy>=1.18.0` - Static type checker -- `pytest>=8.0.0` - Testing framework -- `pre-commit>=4.3.0` - Git hook manager - ## Z3 Verification Setup ### JSON Backend diff --git a/docs/postprocessors.md b/docs/postprocessors.md new file mode 100644 index 0000000..d3068e1 --- /dev/null +++ b/docs/postprocessors.md @@ -0,0 +1,329 @@ +# Postprocessing Techniques + +This page describes the postprocessing techniques available to enhance reasoning quality and reliability. All postprocessors should work seamlessly with both JSON and SMT2 backends. + +## Overview + +Postprocessors apply advanced prompting techniques to improve the quality of reasoning results. They work by taking an initial answer and applying various strategies to verify, refine, or enhance it. + +### Available Techniques + +1. **Self-Refine** - Iterative refinement through self-critique +2. **Self-Consistency** - Majority voting across multiple reasoning paths +3. **Decomposed Prompting** - Breaking complex questions into sub-questions +4. **Least-to-Most Prompting** - Progressive problem solving from simple to complex + +## Quick Start + +### Basic Usage + +```python +from openai import OpenAI +from z3adapter.reasoning import ProofOfThought + +client = OpenAI(api_key="...") + +# Enable Self-Refine postprocessor +pot = ProofOfThought( + llm_client=client, + postprocessors=["self_refine"], + postprocessor_configs={"self_refine": {"num_iterations": 2}} +) + +result = pot.query("Your complex reasoning question here") +print(result.answer) +``` + +### Multiple Postprocessors + +Postprocessors can be chained together: + +```python +pot = ProofOfThought( + llm_client=client, + postprocessors=["self_refine", "self_consistency"], + postprocessor_configs={ + "self_refine": {"num_iterations": 2}, + "self_consistency": {"num_samples": 5} + } +) +``` + +### Per-Query Control + +Disable postprocessing for specific queries: + +```python +# Postprocessors configured but disabled for this query +result = pot.query(question, enable_postprocessing=False) +``` + +## Postprocessor Details + +### 1. Self-Refine + +**Based on:** "Self-Refine: Iterative Refinement with Self-Feedback" (Madaan et al., 2023) + +**How it works:** +1. Generates initial solution +2. LLM critiques its own solution +3. Uses feedback to refine the solution +4. Repeats until convergence or max iterations + +**Configuration:** +```python +postprocessor_configs={ + "self_refine": { + "num_iterations": 2 # Number of refinement iterations (default: 2) + } +} +``` + +**Best for:** Questions where the initial solution might have subtle logical errors that can be caught through self-critique. + +**Example:** +```python +pot = ProofOfThought( + llm_client=client, + postprocessors=["self_refine"], + postprocessor_configs={"self_refine": {"num_iterations": 3}} +) +``` + +### 2. Self-Consistency + +**Based on:** "Self-Consistency Improves Chain of Thought Reasoning in Language Models" (Wang et al., 2022) + +**How it works:** +1. Generates multiple independent reasoning paths (with higher temperature) +2. Collects answers from all paths +3. Selects most consistent answer via majority voting + +**Configuration:** +```python +postprocessor_configs={ + "self_consistency": { + "num_samples": 5 # Number of independent samples (default: 5) + } +} +``` + +**Best for:** Reducing variance and improving reliability on questions where random errors might occur in single attempts. + +**Example:** +```python +pot = ProofOfThought( + llm_client=client, + postprocessors=["self_consistency"], + postprocessor_configs={"self_consistency": {"num_samples": 7}} +) +``` + +### 3. Decomposed Prompting + +**Based on:** "Decomposed Prompting: A Modular Approach for Solving Complex Tasks" (Khot et al., 2022) + +**How it works:** +1. Breaks complex question into simpler sub-questions +2. Solves each sub-question independently +3. Combines sub-answers to solve main question + +**Configuration:** +```python +postprocessor_configs={ + "decomposed": { + "max_subquestions": 5 # Maximum sub-questions to generate (default: 5) + } +} +``` + +**Best for:** Multi-hop reasoning or questions requiring several logical steps. + +**Example:** +```python +pot = ProofOfThought( + llm_client=client, + postprocessors=["decomposed"], + postprocessor_configs={"decomposed": {"max_subquestions": 4}} +) +``` + +### 4. Least-to-Most Prompting + +**Based on:** "Least-to-Most Prompting Enables Complex Reasoning in Large Language Models" (Zhou et al., 2022) + +**How it works:** +1. Decomposes problem into progressive sub-problems (least to most complex) +2. Solves them sequentially +3. Uses solutions from simpler problems to inform complex ones + +**Configuration:** +```python +postprocessor_configs={ + "least_to_most": { + "max_steps": 5 # Maximum progressive steps (default: 5) + } +} +``` + +**Best for:** Problems with natural dependencies where simpler sub-problems build up to the main question. + +**Example:** +```python +pot = ProofOfThought( + llm_client=client, + postprocessors=["least_to_most"], + postprocessor_configs={"least_to_most": {"max_steps": 4}} +) +``` + +## Advanced Usage + +### Using Postprocessor Instances + +For more control, create postprocessor instances directly: + +```python +from z3adapter.postprocessors import SelfRefine, SelfConsistency + +custom_refine = SelfRefine(num_iterations=3, name="CustomRefine") +custom_consistency = SelfConsistency(num_samples=10, name="CustomConsistency") + +pot = ProofOfThought( + llm_client=client, + postprocessors=[custom_refine, custom_consistency] +) +``` + +### Registry Access + +Query available postprocessors and their defaults: + +```python +from z3adapter.postprocessors import PostprocessorRegistry + +# List all available +available = PostprocessorRegistry.list_available() +print(available) # ['self_refine', 'self_consistency', 'decomposed', 'least_to_most'] + +# Get default configuration +config = PostprocessorRegistry.get_default_config('self_refine') +print(config) # {'num_iterations': 2} + +# Create postprocessor +postprocessor = PostprocessorRegistry.get('self_refine', num_iterations=5) +``` + +### Creating Multiple Postprocessors + +```python +postprocessors = PostprocessorRegistry.get_multiple( + names=["self_refine", "self_consistency"], + configs={ + "self_refine": {"num_iterations": 3}, + "self_consistency": {"num_samples": 7} + } +) + +pot = ProofOfThought(llm_client=client, postprocessors=postprocessors) +``` + +## Backend Compatibility + +All postprocessors are **backend-agnostic** and work with: +- **JSON backend** (`backend="json"`) +- **SMT2 backend** (`backend="smt2"`) + +Example with both backends: + +```python +# JSON backend with postprocessing +pot_json = ProofOfThought( + llm_client=client, + backend="json", + postprocessors=["self_refine"] +) + +# SMT2 backend with postprocessing +pot_smt2 = ProofOfThought( + llm_client=client, + backend="smt2", + postprocessors=["self_refine"] +) +``` + +## Performance Considerations + +### LLM Call Costs + +Postprocessors make additional LLM calls: + +| Postprocessor | Additional Calls | +|---------------|------------------| +| Self-Refine | `2 * num_iterations` | +| Self-Consistency | `num_samples - 1` | +| Decomposed Prompting | `max_subquestions + 2` | +| Least-to-Most Prompting | `max_steps + 2` | + + + +## Benchmarking with Postprocessors + +You can test postprocessors on benchmarks by modifying the benchmark scripts: + +```python +# In benchmark/bench_folio.py +pot = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + postprocessors=["self_refine"], # Add this + postprocessor_configs={"self_refine": {"num_iterations": 2}} # Add this +) +``` + +## API Reference + +### ProofOfThought Parameters + +```python +ProofOfThought( + llm_client: Any, + model: str = "gpt-5", + backend: Literal["json", "smt2"] = "smt2", + postprocessors: list[str] | list[Postprocessor] | None = None, + postprocessor_configs: dict[str, dict] | None = None, + ... +) +``` + +**Parameters:** +- `postprocessors`: List of postprocessor names or instances +- `postprocessor_configs`: Dictionary mapping names to configuration dicts + +### Query Parameters + +```python +pot.query( + question: str, + enable_postprocessing: bool = True, + ... +) +``` + +**Parameters:** +- `enable_postprocessing`: Enable/disable postprocessing for this query + +## Examples + +See `examples/postprocessor_example.py` for comprehensive demonstrations of all features. + +## Future Extensions + +The postprocessor architecture is designed to be extensible. To add new postprocessing techniques: + +1. Create a new class inheriting from `Postprocessor` +2. Implement the `process()` method +3. Register in `PostprocessorRegistry._POSTPROCESSOR_MAP` + +See `z3adapter/postprocessors/abstract.py` for the base interface. diff --git a/examples/postprocessor_example.py b/examples/postprocessor_example.py new file mode 100644 index 0000000..b9c6cf8 --- /dev/null +++ b/examples/postprocessor_example.py @@ -0,0 +1,192 @@ +#!/usr/bin/env python3 +"""Example: Using Postprocessors to Improve Reasoning Quality + +This example demonstrates how to use postprocessing techniques to enhance +the quality and reliability of reasoning results. + +All postprocessors work with both JSON and SMT2 backends. +""" + +import sys +from pathlib import Path + +# Add parent directory for imports +sys.path.insert(0, str(Path(__file__).parent.parent)) + +from utils.azure_config import get_client_config +from z3adapter.postprocessors import SelfRefine +from z3adapter.postprocessors.registry import PostprocessorRegistry +from z3adapter.reasoning import ProofOfThought + +# Get Azure OpenAI configuration +config = get_client_config() + +print("=" * 80) +print("Postprocessor Demonstration") +print("=" * 80) +print() + +# Test question (complex reasoning) +question = """Given the following premises: + +All people who regularly drink coffee are dependent on caffeine. +People regularly drink coffee, or they don't want to be addicted to caffeine, or both. +No one who doesn't want to be addicted to caffeine is unaware that caffeine is a drug. +Rina is either a student who is unaware that caffeine is a drug, or she is not a student and is aware that caffeine is a drug. +Rina is either a student who is dependent on caffeine, or she is not a student and not dependent on caffeine. + +Assuming all premises are true, is the following statement true or false? + +Statement: Rina doesn't want to be addicted to caffeine or is unaware that caffeine is a drug.""" + +# Example 1: Baseline (no postprocessing) +print("Example 1: Baseline (No Postprocessing)") +print("-" * 80) + +pot_baseline = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", +) + +result_baseline = pot_baseline.query(question) +print(f"Answer: {result_baseline.answer}") +print(f"Success: {result_baseline.success}") +print(f"Attempts: {result_baseline.num_attempts}") +print() + +# Example 2: Self-Refine +print("Example 2: With Self-Refine Postprocessor") +print("-" * 80) + +pot_refine = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + postprocessors=["self_refine"], + postprocessor_configs={"self_refine": {"num_iterations": 2}}, +) + +result_refine = pot_refine.query(question) +print(f"Answer: {result_refine.answer}") +print(f"Success: {result_refine.success}") +print() + +# Example 3: Self-Consistency +print("Example 3: With Self-Consistency Postprocessor") +print("-" * 80) + +pot_consistency = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + postprocessors=["self_consistency"], + postprocessor_configs={"self_consistency": {"num_samples": 5}}, +) + +result_consistency = pot_consistency.query(question) +print(f"Answer: {result_consistency.answer}") +print(f"Success: {result_consistency.success}") +print() + +# Example 4: Decomposed Prompting +print("Example 4: With Decomposed Prompting Postprocessor") +print("-" * 80) + +pot_decomposed = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + postprocessors=["decomposed"], + postprocessor_configs={"decomposed": {"max_subquestions": 3}}, +) + +result_decomposed = pot_decomposed.query(question) +print(f"Answer: {result_decomposed.answer}") +print(f"Success: {result_decomposed.success}") +print() + +# Example 5: Least-to-Most Prompting +print("Example 5: With Least-to-Most Prompting Postprocessor") +print("-" * 80) + +pot_least_to_most = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + postprocessors=["least_to_most"], + postprocessor_configs={"least_to_most": {"max_steps": 3}}, +) + +result_least_to_most = pot_least_to_most.query(question) +print(f"Answer: {result_least_to_most.answer}") +print(f"Success: {result_least_to_most.success}") +print() + +# Example 6: Multiple postprocessors (chained) +print("Example 6: Multiple Postprocessors (Self-Refine + Self-Consistency)") +print("-" * 80) + +pot_combined = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + postprocessors=["self_refine", "self_consistency"], + postprocessor_configs={ + "self_refine": {"num_iterations": 2}, + "self_consistency": {"num_samples": 3}, + }, +) + +result_combined = pot_combined.query(question) +print(f"Answer: {result_combined.answer}") +print(f"Success: {result_combined.success}") +print() + +# Example 7: Using postprocessor instances directly +print("Example 7: Using Postprocessor Instances Directly") +print("-" * 80) + +custom_refine = SelfRefine(num_iterations=3, name="CustomRefine") + +pot_custom = ProofOfThought( + llm_client=config["llm_client"], + model=config["model"], + backend="smt2", + postprocessors=[custom_refine], # Pass instance instead of string +) + +result_custom = pot_custom.query(question) +print(f"Answer: {result_custom.answer}") +print(f"Success: {result_custom.success}") +print() + +# Example 8: Disable postprocessing per query +print("Example 8: Disabling Postprocessing for a Specific Query") +print("-" * 80) + +# Even though pot_refine has postprocessors configured, +# we can disable them for individual queries +result_no_postprocess = pot_refine.query(question, enable_postprocessing=False) +print(f"Answer: {result_no_postprocess.answer}") +print(f"Success: {result_no_postprocess.success}") +print("(Postprocessing was disabled for this query)") +print() + +# Summary +print("=" * 80) +print("Summary") +print("=" * 80) +print() +print("All postprocessors are backend-agnostic and work with both JSON and SMT2.") +print("They can be:") +print(" - Enabled at ProofOfThought initialization") +print(" - Configured with custom parameters") +print(" - Chained together for combined benefits") +print(" - Disabled per-query when needed") +print() +print("Available postprocessors:") + +for name in PostprocessorRegistry.list_available(): + config = PostprocessorRegistry.get_default_config(name) + print(f" - {name}: {config}") diff --git a/requirements.txt b/requirements.txt index fcc4b18..7bb604b 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,26 +1,40 @@ annotated-types==0.7.0 anyio==4.11.0 +babel==2.17.0 +backrefs==5.9 black==25.9.0 certifi==2025.8.3 cfgv==3.4.0 +charset-normalizer==3.4.4 click==8.3.0 +colorama==0.4.6 distlib==0.4.0 distro==1.9.0 filelock==3.19.1 +ghp-import==2.1.0 h11==0.16.0 httpcore==1.0.9 httpx==0.28.1 identify==2.6.14 idna==3.10 iniconfig==2.1.0 +Jinja2==3.1.6 jiter==0.11.0 joblib==1.5.2 +Markdown==3.9 +MarkupSafe==3.0.3 +mergedeep==1.3.4 +mkdocs==1.6.1 +mkdocs-get-deps==0.2.0 +mkdocs-material==9.6.22 +mkdocs-material-extensions==1.3.1 mypy==1.18.2 mypy_extensions==1.1.0 nodeenv==1.9.1 numpy==2.3.3 openai==2.0.1 packaging==25.0 +paginate==0.5.7 pandas==2.3.3 pathspec==0.12.1 platformdirs==4.4.0 @@ -30,12 +44,15 @@ pyarrow==21.0.0 pydantic==2.11.9 pydantic_core==2.33.2 Pygments==2.19.2 +pymdown-extensions==10.16.1 pytest==8.4.2 python-dateutil==2.9.0.post0 python-dotenv==1.1.1 pytokens==0.1.10 pytz==2025.2 PyYAML==6.0.3 +pyyaml_env_tag==1.1 +requests==2.32.5 ruff==0.13.2 scikit-learn==1.7.2 scipy==1.16.2 @@ -46,8 +63,7 @@ tqdm==4.67.1 typing-inspection==0.4.2 typing_extensions==4.15.0 tzdata==2025.2 +urllib3==2.5.0 virtualenv==20.34.0 +watchdog==6.0.0 z3-solver==4.15.3.0 -mkdocs==1.6.1 -mkdocs-material==9.5.49 -pymdown-extensions==10.14 diff --git a/z3adapter/postprocessors/__init__.py b/z3adapter/postprocessors/__init__.py new file mode 100644 index 0000000..c95098d --- /dev/null +++ b/z3adapter/postprocessors/__init__.py @@ -0,0 +1,23 @@ +"""Postprocessing techniques for improving reasoning quality. + +This module provides various postprocessing strategies that can be applied +to enhance the quality and reliability of reasoning results from ProofOfThought. + +All postprocessors work with both JSON and SMT2 backends. +""" + +from z3adapter.postprocessors.abstract import Postprocessor +from z3adapter.postprocessors.decomposed import DecomposedPrompting +from z3adapter.postprocessors.least_to_most import LeastToMostPrompting +from z3adapter.postprocessors.registry import PostprocessorRegistry +from z3adapter.postprocessors.self_consistency import SelfConsistency +from z3adapter.postprocessors.self_refine import SelfRefine + +__all__ = [ + "Postprocessor", + "SelfRefine", + "DecomposedPrompting", + "LeastToMostPrompting", + "SelfConsistency", + "PostprocessorRegistry", +] diff --git a/z3adapter/postprocessors/abstract.py b/z3adapter/postprocessors/abstract.py new file mode 100644 index 0000000..d5bf511 --- /dev/null +++ b/z3adapter/postprocessors/abstract.py @@ -0,0 +1,68 @@ +"""Abstract base class for postprocessors.""" + +import logging +from abc import ABC, abstractmethod +from typing import TYPE_CHECKING, Any + +if TYPE_CHECKING: + from z3adapter.backends.abstract import Backend + from z3adapter.reasoning.program_generator import Z3ProgramGenerator + from z3adapter.reasoning.proof_of_thought import QueryResult + +logger = logging.getLogger(__name__) + + +class Postprocessor(ABC): + """Abstract base class for all postprocessing techniques. + + Postprocessors enhance reasoning quality by applying various strategies + after the initial answer is obtained. They work with both JSON and SMT2 backends. + + Example: + >>> from z3adapter.postprocessors import SelfRefine + >>> postprocessor = SelfRefine(num_iterations=2) + >>> improved_result = postprocessor.process( + ... question="...", + ... initial_result=result, + ... generator=generator, + ... backend=backend, + ... llm_client=client, + ... ) + """ + + def __init__(self, name: str | None = None): + """Initialize postprocessor. + + Args: + name: Optional name for this postprocessor instance + """ + self.name = name or self.__class__.__name__ + + @abstractmethod + def process( + self, + question: str, + initial_result: "QueryResult", + generator: "Z3ProgramGenerator", + backend: "Backend", + llm_client: Any, + **kwargs: Any, + ) -> "QueryResult": + """Process and potentially improve the initial result. + + Args: + question: Original question being answered + initial_result: Initial QueryResult from ProofOfThought + generator: Program generator for creating new programs + backend: Execution backend (JSON or SMT2) + llm_client: LLM client for additional queries + **kwargs: Additional arguments specific to the postprocessor + + Returns: + Enhanced QueryResult (may be same as initial if no improvement) + """ + pass + + def __repr__(self) -> str: + """String representation.""" + return f"{self.__class__.__name__}(name='{self.name}')" diff --git a/z3adapter/postprocessors/decomposed.py b/z3adapter/postprocessors/decomposed.py new file mode 100644 index 0000000..958a9c5 --- /dev/null +++ b/z3adapter/postprocessors/decomposed.py @@ -0,0 +1,406 @@ +"""Decomposed Prompting postprocessor for breaking down complex questions. + +Based on the Decomposed Prompting technique from: +"Decomposed Prompting: A Modular Approach for Solving Complex Tasks" (Khot et al., 2022) +""" + +import json +import logging +import os +import re +import tempfile +from typing import TYPE_CHECKING, Any + +from z3adapter.postprocessors.abstract import Postprocessor + +if TYPE_CHECKING: + from z3adapter.backends.abstract import Backend + from z3adapter.reasoning.program_generator import Z3ProgramGenerator + from z3adapter.reasoning.proof_of_thought import QueryResult + +logger = logging.getLogger(__name__) + + +class DecomposedPrompting(Postprocessor): + """Decomposed Prompting for breaking complex questions into sub-questions. + + The Decomposed Prompting technique works by: + 1. Analyzing the complex question and identifying sub-questions + 2. Solving each sub-question independently + 3. Combining sub-question answers to solve the main question + + This is particularly useful for multi-hop reasoning or questions + that require several logical steps. + """ + + def __init__(self, max_subquestions: int = 5, name: str | None = None): + """Initialize Decomposed Prompting postprocessor. + + Args: + max_subquestions: Maximum number of sub-questions to generate + name: Optional custom name for this postprocessor + """ + super().__init__(name) + self.max_subquestions = max_subquestions + + def process( + self, + question: str, + initial_result: "QueryResult", + generator: "Z3ProgramGenerator", + backend: "Backend", + llm_client: Any, + **kwargs: Any, + ) -> "QueryResult": + """Apply Decomposed Prompting to solve the question. + + Args: + question: Original question + initial_result: Initial QueryResult + generator: Program generator + backend: Execution backend + llm_client: LLM client + **kwargs: Additional arguments (cache_dir, temperature, max_tokens) + + Returns: + QueryResult from decomposed reasoning + """ + logger.info(f"[{self.name}] Starting decomposed prompting") + + cache_dir = kwargs.get("cache_dir", tempfile.gettempdir()) + temperature = kwargs.get("temperature", 0.1) + max_tokens = kwargs.get("max_tokens", 16384) + + # Step 1: Decompose question into sub-questions + sub_questions = self._decompose_question( + question=question, + llm_client=llm_client, + generator=generator, + temperature=temperature, + max_tokens=max_tokens, + ) + + if not sub_questions: + logger.warning(f"[{self.name}] Failed to decompose question, using initial result") + return initial_result + + logger.info(f"[{self.name}] Decomposed into {len(sub_questions)} sub-questions") + + # Step 2: Solve each sub-question + sub_answers = [] + for i, sub_q in enumerate(sub_questions, 1): + logger.info(f"[{self.name}] Solving sub-question {i}/{len(sub_questions)}: {sub_q}") + + sub_result = self._solve_subquestion( + sub_question=sub_q, + original_question=question, + generator=generator, + backend=backend, + cache_dir=cache_dir, + temperature=temperature, + max_tokens=max_tokens, + ) + + if sub_result.success: + sub_answers.append( + {"question": sub_q, "answer": sub_result.answer, "result": sub_result} + ) + logger.info(f"[{self.name}] Sub-question {i} answer: {sub_result.answer}") + else: + logger.warning(f"[{self.name}] Sub-question {i} failed") + sub_answers.append({"question": sub_q, "answer": None, "result": sub_result}) + + # Step 3: Combine sub-answers to answer main question + final_result = self._combine_answers( + question=question, + sub_answers=sub_answers, + initial_result=initial_result, + generator=generator, + backend=backend, + llm_client=llm_client, + cache_dir=cache_dir, + temperature=temperature, + max_tokens=max_tokens, + ) + + logger.info( + f"[{self.name}] Decomposed prompting complete. " + f"Final answer: {final_result.answer}, " + f"Initial answer: {initial_result.answer}" + ) + + return final_result + + def _decompose_question( + self, + question: str, + llm_client: Any, + generator: "Z3ProgramGenerator", + temperature: float, + max_tokens: int, + ) -> list[str]: + """Decompose a complex question into simpler sub-questions. + + Args: + question: Original complex question + llm_client: LLM client + generator: Program generator (for model info) + temperature: LLM temperature + max_tokens: Max tokens + + Returns: + List of sub-questions + """ + decomposition_prompt = f"""Break down the following complex reasoning question into simpler sub-questions that, when answered together, would help solve the main question. + +Main Question: {question} + +Please provide 2-{self.max_subquestions} sub-questions that: +1. Are simpler than the main question +2. Can be answered independently or build on each other +3. Together provide the information needed to answer the main question + +Format your response as a numbered list: +1. [First sub-question] +2. [Second sub-question] +... + +Sub-questions:""" + + try: + response = llm_client.chat.completions.create( + model=generator.model, + messages=[{"role": "user", "content": decomposition_prompt}], + max_completion_tokens=max_tokens, + ) + + decomposition_text = response.choices[0].message.content or "" + + # Parse numbered list + sub_questions = [] + for line in decomposition_text.split("\n"): + # Match patterns like "1. question" or "1) question" + match = re.match(r"^\s*\d+[\.)]\s*(.+)$", line.strip()) + if match: + sub_q = match.group(1).strip() + if sub_q: + sub_questions.append(sub_q) + + logger.debug(f"[{self.name}] Decomposed into {len(sub_questions)} sub-questions") + return sub_questions[: self.max_subquestions] + + except Exception as e: + logger.error(f"[{self.name}] Error decomposing question: {e}") + return [] + + def _solve_subquestion( + self, + sub_question: str, + original_question: str, + generator: "Z3ProgramGenerator", + backend: "Backend", + cache_dir: str, + temperature: float, + max_tokens: int, + ) -> "QueryResult": + """Solve a single sub-question. + + Args: + sub_question: The sub-question to solve + original_question: Original main question (for context) + generator: Program generator + backend: Execution backend + cache_dir: Cache directory + temperature: LLM temperature + max_tokens: Max tokens + + Returns: + QueryResult for the sub-question + """ + from z3adapter.reasoning.proof_of_thought import QueryResult + + # Add context from original question + contextualized_question = ( + f"Original question: {original_question}\n\n" f"Sub-question to solve: {sub_question}" + ) + + try: + # Generate program for sub-question + gen_result = generator.generate( + question=contextualized_question, + temperature=temperature, + max_tokens=max_tokens, + ) + + if not gen_result.success or gen_result.program is None: + return QueryResult( + question=sub_question, + answer=None, + json_program=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + num_attempts=0, + error="Failed to generate program", + ) + + # Save and execute + file_extension = backend.get_file_extension() + temp_file = tempfile.NamedTemporaryFile( + mode="w", + suffix=file_extension, + dir=cache_dir, + delete=False, + ) + program_path = temp_file.name + + with open(program_path, "w") as f: + if generator.backend == "json": + json.dump(gen_result.program, f, indent=2) + else: + f.write(gen_result.program) # type: ignore + + verify_result = backend.execute(program_path) + + # Clean up + try: + os.unlink(program_path) + except Exception: + pass + + return QueryResult( + question=sub_question, + answer=verify_result.answer, + json_program=gen_result.json_program, + sat_count=verify_result.sat_count, + unsat_count=verify_result.unsat_count, + output=verify_result.output, + success=verify_result.success and verify_result.answer is not None, + num_attempts=1, + ) + + except Exception as e: + logger.error(f"[{self.name}] Error solving sub-question: {e}") + return QueryResult( + question=sub_question, + answer=None, + json_program=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + num_attempts=0, + error=str(e), + ) + + def _combine_answers( + self, + question: str, + sub_answers: list[dict[str, Any]], + initial_result: "QueryResult", + generator: "Z3ProgramGenerator", + backend: "Backend", + llm_client: Any, + cache_dir: str, + temperature: float, + max_tokens: int, + ) -> "QueryResult": + """Combine sub-question answers to answer the main question. + + Args: + question: Main question + sub_answers: List of sub-question results + initial_result: Initial result (fallback) + generator: Program generator + backend: Execution backend + llm_client: LLM client + cache_dir: Cache directory + temperature: LLM temperature + max_tokens: Max tokens + + Returns: + Final QueryResult + """ + from z3adapter.reasoning.proof_of_thought import QueryResult + + # Build context from sub-answers + sub_context = "\n".join( + [ + f"Q: {sa['question']}\nA: {sa['answer']}" + for sa in sub_answers + if sa["answer"] is not None + ] + ) + + if not sub_context: + logger.warning(f"[{self.name}] No successful sub-answers, using initial result") + return initial_result + + # Generate final answer using sub-question insights + combination_prompt = f"""Based on the following sub-question answers, generate a complete solution to the main question. + +Main Question: {question} + +Sub-question answers: +{sub_context} + +Now, create a complete logical program that uses these insights to answer the main question.""" + + try: + gen_result = generator.generate_with_feedback( + question=question, + error_trace=combination_prompt, + previous_response="", + temperature=temperature, + max_tokens=max_tokens, + ) + + if not gen_result.success or gen_result.program is None: + logger.warning(f"[{self.name}] Failed to combine answers, using initial result") + return initial_result + + # Execute combined program + file_extension = backend.get_file_extension() + temp_file = tempfile.NamedTemporaryFile( + mode="w", + suffix=file_extension, + dir=cache_dir, + delete=False, + ) + program_path = temp_file.name + + with open(program_path, "w") as f: + if generator.backend == "json": + json.dump(gen_result.program, f, indent=2) + else: + f.write(gen_result.program) # type: ignore + + verify_result = backend.execute(program_path) + + # Clean up + try: + os.unlink(program_path) + except Exception: + pass + + if not verify_result.success or verify_result.answer is None: + logger.warning( + f"[{self.name}] Combined answer verification failed, using initial result" + ) + return initial_result + + return QueryResult( + question=question, + answer=verify_result.answer, + json_program=gen_result.json_program, + sat_count=verify_result.sat_count, + unsat_count=verify_result.unsat_count, + output=verify_result.output, + success=True, + num_attempts=1, + ) + + except Exception as e: + logger.error(f"[{self.name}] Error combining answers: {e}") + return initial_result diff --git a/z3adapter/postprocessors/least_to_most.py b/z3adapter/postprocessors/least_to_most.py new file mode 100644 index 0000000..cb136e4 --- /dev/null +++ b/z3adapter/postprocessors/least_to_most.py @@ -0,0 +1,428 @@ +"""Least-to-Most Prompting postprocessor for progressive problem solving. + +Based on the Least-to-Most Prompting technique from: +"Least-to-Most Prompting Enables Complex Reasoning in Large Language Models" (Zhou et al., 2022) +""" + +import json +import logging +import os +import re +import tempfile +from typing import TYPE_CHECKING, Any + +from z3adapter.postprocessors.abstract import Postprocessor + +if TYPE_CHECKING: + from z3adapter.backends.abstract import Backend + from z3adapter.reasoning.program_generator import Z3ProgramGenerator + from z3adapter.reasoning.proof_of_thought import QueryResult + +logger = logging.getLogger(__name__) + + +class LeastToMostPrompting(Postprocessor): + """Least-to-Most Prompting for progressive problem solving. + + The Least-to-Most Prompting technique works by: + 1. Breaking down the problem into a sequence of sub-problems + 2. Ordering sub-problems from simplest to most complex + 3. Solving them sequentially, using solutions from simpler problems + to inform more complex ones + + This is particularly effective for problems with natural dependencies + between sub-components. + """ + + def __init__(self, max_steps: int = 5, name: str | None = None): + """Initialize Least-to-Most Prompting postprocessor. + + Args: + max_steps: Maximum number of progressive steps + name: Optional custom name for this postprocessor + """ + super().__init__(name) + self.max_steps = max_steps + + def process( + self, + question: str, + initial_result: "QueryResult", + generator: "Z3ProgramGenerator", + backend: "Backend", + llm_client: Any, + **kwargs: Any, + ) -> "QueryResult": + """Apply Least-to-Most Prompting to solve the question. + + Args: + question: Original question + initial_result: Initial QueryResult + generator: Program generator + backend: Execution backend + llm_client: LLM client + **kwargs: Additional arguments (cache_dir, temperature, max_tokens) + + Returns: + QueryResult from progressive reasoning + """ + logger.info(f"[{self.name}] Starting least-to-most prompting") + + cache_dir = kwargs.get("cache_dir", tempfile.gettempdir()) + temperature = kwargs.get("temperature", 0.1) + max_tokens = kwargs.get("max_tokens", 16384) + + # Step 1: Decompose into ordered sub-problems (least to most complex) + sub_problems = self._decompose_progressive( + question=question, + llm_client=llm_client, + generator=generator, + temperature=temperature, + max_tokens=max_tokens, + ) + + if not sub_problems: + logger.warning( + f"[{self.name}] Failed to decompose into sub-problems, using initial result" + ) + return initial_result + + logger.info(f"[{self.name}] Decomposed into {len(sub_problems)} progressive steps") + + # Step 2: Solve progressively, building context from previous solutions + accumulated_context = "" + progressive_results = [] + + for i, sub_problem in enumerate(sub_problems, 1): + logger.info( + f"[{self.name}] Solving step {i}/{len(sub_problems)} " f"(complexity level {i})" + ) + + step_result = self._solve_with_context( + sub_problem=sub_problem, + original_question=question, + accumulated_context=accumulated_context, + generator=generator, + backend=backend, + cache_dir=cache_dir, + temperature=temperature, + max_tokens=max_tokens, + ) + + progressive_results.append( + { + "step": i, + "problem": sub_problem, + "result": step_result, + "answer": step_result.answer, + } + ) + + if step_result.success and step_result.answer is not None: + logger.info(f"[{self.name}] Step {i} answer: {step_result.answer}") + # Accumulate context for next step + accumulated_context += f"\n\nStep {i}: {sub_problem}\nAnswer: {step_result.answer}" + else: + logger.warning(f"[{self.name}] Step {i} failed, continuing with partial context") + accumulated_context += f"\n\nStep {i}: {sub_problem}\nAnswer: Unknown (failed)" + + # Step 3: Use all progressive context to answer the final question + final_result = self._synthesize_final_answer( + question=question, + progressive_results=progressive_results, + accumulated_context=accumulated_context, + initial_result=initial_result, + generator=generator, + backend=backend, + cache_dir=cache_dir, + temperature=temperature, + max_tokens=max_tokens, + ) + + logger.info( + f"[{self.name}] Least-to-most prompting complete. " + f"Final answer: {final_result.answer}, " + f"Initial answer: {initial_result.answer}" + ) + + return final_result + + def _decompose_progressive( + self, + question: str, + llm_client: Any, + generator: "Z3ProgramGenerator", + temperature: float, + max_tokens: int, + ) -> list[str]: + """Decompose question into progressive sub-problems (least to most complex). + + Args: + question: Original question + llm_client: LLM client + generator: Program generator (for model info) + temperature: LLM temperature + max_tokens: Max tokens + + Returns: + List of sub-problems ordered from simplest to most complex + """ + decomposition_prompt = f"""Break down the following complex reasoning question into a progressive sequence of sub-problems, ordered from simplest to most complex. + +Main Question: {question} + +Please provide 2-{self.max_steps} sub-problems where: +1. Each sub-problem is simpler than the previous one +2. Earlier sub-problems provide foundation for later ones +3. The sequence progresses from basic/simple to complex +4. Together they build up to solving the main question + +Format your response as a numbered list from LEAST to MOST complex: +1. [Simplest sub-problem] +2. [Slightly more complex] +3. [Even more complex] +... +{self.max_steps}. [Most complex, close to main question] + +Progressive sub-problems:""" + + try: + response = llm_client.chat.completions.create( + model=generator.model, + messages=[{"role": "user", "content": decomposition_prompt}], + max_completion_tokens=max_tokens, + ) + + decomposition_text = response.choices[0].message.content or "" + + # Parse numbered list + sub_problems = [] + for line in decomposition_text.split("\n"): + match = re.match(r"^\s*\d+[\.)]\s*(.+)$", line.strip()) + if match: + sub_prob = match.group(1).strip() + if sub_prob: + sub_problems.append(sub_prob) + + logger.debug(f"[{self.name}] Decomposed into {len(sub_problems)} progressive steps") + return sub_problems[: self.max_steps] + + except Exception as e: + logger.error(f"[{self.name}] Error decomposing progressively: {e}") + return [] + + def _solve_with_context( + self, + sub_problem: str, + original_question: str, + accumulated_context: str, + generator: "Z3ProgramGenerator", + backend: "Backend", + cache_dir: str, + temperature: float, + max_tokens: int, + ) -> "QueryResult": + """Solve a sub-problem using accumulated context from previous steps. + + Args: + sub_problem: Current sub-problem to solve + original_question: Original main question + accumulated_context: Context from previous steps + generator: Program generator + backend: Execution backend + cache_dir: Cache directory + temperature: LLM temperature + max_tokens: Max tokens + + Returns: + QueryResult for this step + """ + from z3adapter.reasoning.proof_of_thought import QueryResult + + # Build contextualized question + if accumulated_context: + contextualized_question = ( + f"Original question: {original_question}\n\n" + f"Previous steps solved:{accumulated_context}\n\n" + f"Current step to solve: {sub_problem}\n\n" + f"Use insights from previous steps to solve this step." + ) + else: + contextualized_question = ( + f"Original question: {original_question}\n\n" f"First step to solve: {sub_problem}" + ) + + try: + # Generate program for this step + gen_result = generator.generate( + question=contextualized_question, + temperature=temperature, + max_tokens=max_tokens, + ) + + if not gen_result.success or gen_result.program is None: + return QueryResult( + question=sub_problem, + answer=None, + json_program=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + num_attempts=0, + error="Failed to generate program", + ) + + # Save and execute + file_extension = backend.get_file_extension() + temp_file = tempfile.NamedTemporaryFile( + mode="w", + suffix=file_extension, + dir=cache_dir, + delete=False, + ) + program_path = temp_file.name + + with open(program_path, "w") as f: + if generator.backend == "json": + json.dump(gen_result.program, f, indent=2) + else: + f.write(gen_result.program) # type: ignore + + verify_result = backend.execute(program_path) + + # Clean up + try: + os.unlink(program_path) + except Exception: + pass + + return QueryResult( + question=sub_problem, + answer=verify_result.answer, + json_program=gen_result.json_program, + sat_count=verify_result.sat_count, + unsat_count=verify_result.unsat_count, + output=verify_result.output, + success=verify_result.success and verify_result.answer is not None, + num_attempts=1, + ) + + except Exception as e: + logger.error(f"[{self.name}] Error solving step with context: {e}") + return QueryResult( + question=sub_problem, + answer=None, + json_program=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + num_attempts=0, + error=str(e), + ) + + def _synthesize_final_answer( + self, + question: str, + progressive_results: list[dict[str, Any]], + accumulated_context: str, + initial_result: "QueryResult", + generator: "Z3ProgramGenerator", + backend: "Backend", + cache_dir: str, + temperature: float, + max_tokens: int, + ) -> "QueryResult": + """Synthesize final answer using all progressive context. + + Args: + question: Main question + progressive_results: Results from all progressive steps + accumulated_context: Full accumulated context + initial_result: Initial result (fallback) + generator: Program generator + backend: Execution backend + cache_dir: Cache directory + temperature: LLM temperature + max_tokens: Max tokens + + Returns: + Final QueryResult + """ + from z3adapter.reasoning.proof_of_thought import QueryResult + + # Check if we have any successful steps + successful_steps = [r for r in progressive_results if r["result"].success] + if not successful_steps: + logger.warning(f"[{self.name}] No successful steps, using initial result") + return initial_result + + # Generate final answer using progressive insights + synthesis_prompt = f"""Using the progressive reasoning steps below, generate a complete solution to the main question. + +Main Question: {question} + +Progressive reasoning (from simplest to most complex):{accumulated_context} + +Now create a complete logical program that synthesizes these progressive insights to answer the main question comprehensively.""" + + try: + gen_result = generator.generate_with_feedback( + question=question, + error_trace=synthesis_prompt, + previous_response="", + temperature=temperature, + max_tokens=max_tokens, + ) + + if not gen_result.success or gen_result.program is None: + logger.warning( + f"[{self.name}] Failed to synthesize final answer, using initial result" + ) + return initial_result + + # Execute synthesized program + file_extension = backend.get_file_extension() + temp_file = tempfile.NamedTemporaryFile( + mode="w", + suffix=file_extension, + dir=cache_dir, + delete=False, + ) + program_path = temp_file.name + + with open(program_path, "w") as f: + if generator.backend == "json": + json.dump(gen_result.program, f, indent=2) + else: + f.write(gen_result.program) # type: ignore + + verify_result = backend.execute(program_path) + + # Clean up + try: + os.unlink(program_path) + except Exception: + pass + + if not verify_result.success or verify_result.answer is None: + logger.warning( + f"[{self.name}] Synthesized answer verification failed, using initial result" + ) + return initial_result + + return QueryResult( + question=question, + answer=verify_result.answer, + json_program=gen_result.json_program, + sat_count=verify_result.sat_count, + unsat_count=verify_result.unsat_count, + output=verify_result.output, + success=True, + num_attempts=1, + ) + + except Exception as e: + logger.error(f"[{self.name}] Error synthesizing final answer: {e}") + return initial_result diff --git a/z3adapter/postprocessors/registry.py b/z3adapter/postprocessors/registry.py new file mode 100644 index 0000000..cd741ff --- /dev/null +++ b/z3adapter/postprocessors/registry.py @@ -0,0 +1,135 @@ +"""Registry for managing postprocessor techniques.""" + +import logging +from typing import TYPE_CHECKING + +if TYPE_CHECKING: + from z3adapter.postprocessors.abstract import Postprocessor + +logger = logging.getLogger(__name__) + + +class PostprocessorRegistry: + """Registry for managing and creating postprocessor instances. + + Provides a centralized way to create postprocessors by name and + manage default configurations. + + Example: + >>> registry = PostprocessorRegistry() + >>> refine = registry.get("self_refine", num_iterations=3) + >>> consistency = registry.get("self_consistency", num_samples=7) + """ + + _POSTPROCESSOR_MAP = { + "self_refine": "z3adapter.postprocessors.self_refine.SelfRefine", + "self_consistency": "z3adapter.postprocessors.self_consistency.SelfConsistency", + "decomposed": "z3adapter.postprocessors.decomposed.DecomposedPrompting", + "least_to_most": "z3adapter.postprocessors.least_to_most.LeastToMostPrompting", + } + + # Default configurations for each postprocessor + _DEFAULT_CONFIGS = { + "self_refine": {"num_iterations": 2}, + "self_consistency": {"num_samples": 5}, + "decomposed": {"max_subquestions": 5}, + "least_to_most": {"max_steps": 5}, + } + + @classmethod + def get(cls, name: str, **kwargs) -> "Postprocessor": # type: ignore[no-untyped-def] + """Get a postprocessor instance by name. + + Args: + name: Postprocessor name (e.g., "self_refine", "self_consistency") + **kwargs: Configuration parameters to override defaults + + Returns: + Postprocessor instance + + Raises: + ValueError: If postprocessor name is not registered + ImportError: If postprocessor module cannot be imported + """ + if name not in cls._POSTPROCESSOR_MAP: + available = ", ".join(cls._POSTPROCESSOR_MAP.keys()) + raise ValueError( + f"Unknown postprocessor: '{name}'. " f"Available postprocessors: {available}" + ) + + # Get class path and import + class_path = cls._POSTPROCESSOR_MAP[name] + module_path, class_name = class_path.rsplit(".", 1) + + try: + import importlib + + module = importlib.import_module(module_path) + postprocessor_class = getattr(module, class_name) + except (ImportError, AttributeError) as e: + raise ImportError(f"Failed to import postprocessor '{name}': {e}") from e + + # Merge default config with kwargs + config = cls._DEFAULT_CONFIGS.get(name, {}).copy() + config.update(kwargs) + + logger.debug(f"Creating postprocessor '{name}' with config: {config}") + return postprocessor_class(**config) + + @classmethod + def get_multiple(cls, names: list[str], configs: dict | None = None) -> list["Postprocessor"]: + """Get multiple postprocessor instances. + + Args: + names: List of postprocessor names + configs: Optional dict mapping names to config dicts + + Returns: + List of postprocessor instances + + Example: + >>> registry = PostprocessorRegistry() + >>> postprocessors = registry.get_multiple( + ... ["self_refine", "self_consistency"], + ... {"self_refine": {"num_iterations": 3}} + ... ) + """ + configs = configs or {} + postprocessors = [] + + for name in names: + config = configs.get(name, {}) + postprocessor = cls.get(name, **config) + postprocessors.append(postprocessor) + + return postprocessors + + @classmethod + def list_available(cls) -> list[str]: + """List all available postprocessor names. + + Returns: + List of registered postprocessor names + """ + return list(cls._POSTPROCESSOR_MAP.keys()) + + @classmethod + def get_default_config(cls, name: str) -> dict: + """Get default configuration for a postprocessor. + + Args: + name: Postprocessor name + + Returns: + Dictionary of default configuration parameters + + Raises: + ValueError: If postprocessor name is not registered + """ + if name not in cls._POSTPROCESSOR_MAP: + available = ", ".join(cls._POSTPROCESSOR_MAP.keys()) + raise ValueError( + f"Unknown postprocessor: '{name}'. " f"Available postprocessors: {available}" + ) + + return cls._DEFAULT_CONFIGS.get(name, {}).copy() diff --git a/z3adapter/postprocessors/self_consistency.py b/z3adapter/postprocessors/self_consistency.py new file mode 100644 index 0000000..834e24d --- /dev/null +++ b/z3adapter/postprocessors/self_consistency.py @@ -0,0 +1,255 @@ +"""Self-Consistency postprocessor for improving answer reliability. + +Based on the Self-Consistency technique from: +"Self-Consistency Improves Chain of Thought Reasoning in Language Models" (Wang et al., 2022) +""" + +import json +import logging +import os +import tempfile +from collections import Counter +from typing import TYPE_CHECKING, Any + +from z3adapter.postprocessors.abstract import Postprocessor + +if TYPE_CHECKING: + from z3adapter.backends.abstract import Backend + from z3adapter.reasoning.program_generator import Z3ProgramGenerator + from z3adapter.reasoning.proof_of_thought import QueryResult + +logger = logging.getLogger(__name__) + + +class SelfConsistency(Postprocessor): + """Self-Consistency postprocessor using majority voting. + + The Self-Consistency technique works by: + 1. Generating multiple independent reasoning paths + 2. Collecting answers from all paths + 3. Selecting the most consistent answer via majority voting + + This increases reliability by reducing the impact of random errors + or spurious reasoning in any single attempt. + """ + + def __init__(self, num_samples: int = 5, name: str | None = None): + """Initialize Self-Consistency postprocessor. + + Args: + num_samples: Number of independent samples to generate + name: Optional custom name for this postprocessor + """ + super().__init__(name) + self.num_samples = num_samples + + def process( + self, + question: str, + initial_result: "QueryResult", + generator: "Z3ProgramGenerator", + backend: "Backend", + llm_client: Any, + **kwargs: Any, + ) -> "QueryResult": + """Apply Self-Consistency to improve answer reliability. + + Args: + question: Original question + initial_result: Initial QueryResult + generator: Program generator + backend: Execution backend + llm_client: LLM client + **kwargs: Additional arguments (cache_dir, temperature, max_tokens) + + Returns: + QueryResult with most consistent answer + """ + logger.info( + f"[{self.name}] Starting self-consistency with {self.num_samples} samples " + f"(including initial result)" + ) + + cache_dir = kwargs.get("cache_dir", tempfile.gettempdir()) + temperature = kwargs.get("temperature", 0.7) # Higher temp for diversity + max_tokens = kwargs.get("max_tokens", 16384) + + # Collect all results (including initial) + all_results = [initial_result] + answer_counts: Counter[bool | None] = Counter() + + # Count initial result + if initial_result.success and initial_result.answer is not None: + answer_counts[initial_result.answer] += 1 + + # Generate additional samples + num_additional = self.num_samples - 1 + for i in range(num_additional): + logger.info(f"[{self.name}] Generating sample {i+2}/{self.num_samples}") + + sample_result = self._generate_sample( + question=question, + generator=generator, + backend=backend, + cache_dir=cache_dir, + temperature=temperature, + max_tokens=max_tokens, + ) + + all_results.append(sample_result) + + if sample_result.success and sample_result.answer is not None: + answer_counts[sample_result.answer] += 1 + logger.info(f"[{self.name}] Sample {i+2} answer: {sample_result.answer}") + else: + logger.warning(f"[{self.name}] Sample {i+2} failed") + + # Perform majority voting + if not answer_counts: + logger.warning(f"[{self.name}] No successful samples, returning initial result") + return initial_result + + # Find most common answer + majority_answer, count = answer_counts.most_common(1)[0] + total_successful = sum(answer_counts.values()) + + logger.info( + f"[{self.name}] Majority vote: {majority_answer} " + f"({count}/{total_successful} samples, " + f"{count/total_successful:.1%} agreement)" + ) + + # Find the best result with the majority answer + best_result = initial_result + for result in all_results: + if result.success and result.answer == majority_answer: + # Prefer results with fewer attempts or clearer SAT/UNSAT counts + if best_result.answer != majority_answer or self._is_better_result( + result, best_result + ): + best_result = result + + # Add metadata about consistency + logger.info( + f"[{self.name}] Self-consistency complete. " + f"Answer distribution: {dict(answer_counts)}" + ) + + return best_result + + def _generate_sample( + self, + question: str, + generator: "Z3ProgramGenerator", + backend: "Backend", + cache_dir: str, + temperature: float, + max_tokens: int, + ) -> "QueryResult": + """Generate a single independent sample. + + Args: + question: Original question + generator: Program generator + backend: Execution backend + cache_dir: Cache directory + temperature: LLM temperature (higher for diversity) + max_tokens: Max tokens + + Returns: + QueryResult from this sample + """ + from z3adapter.reasoning.proof_of_thought import QueryResult + + try: + # Generate new program with higher temperature for diversity + gen_result = generator.generate( + question=question, + temperature=temperature, + max_tokens=max_tokens, + ) + + if not gen_result.success or gen_result.program is None: + return QueryResult( + question=question, + answer=None, + json_program=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + num_attempts=0, + error="Failed to generate program", + ) + + # Save and execute program + file_extension = backend.get_file_extension() + temp_file = tempfile.NamedTemporaryFile( + mode="w", + suffix=file_extension, + dir=cache_dir, + delete=False, + ) + program_path = temp_file.name + + with open(program_path, "w") as f: + if generator.backend == "json": + json.dump(gen_result.program, f, indent=2) + else: + f.write(gen_result.program) # type: ignore + + # Execute program + verify_result = backend.execute(program_path) + + # Clean up temp file + try: + os.unlink(program_path) + except Exception: + pass + + return QueryResult( + question=question, + answer=verify_result.answer, + json_program=gen_result.json_program, + sat_count=verify_result.sat_count, + unsat_count=verify_result.unsat_count, + output=verify_result.output, + success=verify_result.success and verify_result.answer is not None, + num_attempts=1, + ) + + except Exception as e: + logger.error(f"[{self.name}] Error generating sample: {e}") + return QueryResult( + question=question, + answer=None, + json_program=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + num_attempts=0, + error=str(e), + ) + + def _is_better_result(self, result1: "QueryResult", result2: "QueryResult") -> bool: + """Compare two results to determine which is better. + + Args: + result1: First result + result2: Second result + + Returns: + True if result1 is better than result2 + """ + # Prefer results with fewer attempts (cleaner generation) + if result1.num_attempts < result2.num_attempts: + return True + if result1.num_attempts > result2.num_attempts: + return False + + # Prefer results with clearer SAT/UNSAT distinction + result1_clarity = abs(result1.sat_count - result1.unsat_count) + result2_clarity = abs(result2.sat_count - result2.unsat_count) + + return result1_clarity > result2_clarity diff --git a/z3adapter/postprocessors/self_refine.py b/z3adapter/postprocessors/self_refine.py new file mode 100644 index 0000000..06d2cec --- /dev/null +++ b/z3adapter/postprocessors/self_refine.py @@ -0,0 +1,303 @@ +"""Self-Refine postprocessor for iterative refinement of reasoning. + +Based on the Self-Refine technique from: +"Self-Refine: Iterative Refinement with Self-Feedback" (Madaan et al., 2023) +""" + +import json +import logging +import os +import tempfile +from typing import TYPE_CHECKING, Any + +from z3adapter.postprocessors.abstract import Postprocessor + +if TYPE_CHECKING: + from z3adapter.backends.abstract import Backend + from z3adapter.reasoning.program_generator import Z3ProgramGenerator + from z3adapter.reasoning.proof_of_thought import QueryResult + +logger = logging.getLogger(__name__) + + +class SelfRefine(Postprocessor): + """Self-Refine postprocessor for iterative improvement through self-feedback. + + The Self-Refine technique works by: + 1. Generating an initial solution + 2. Asking the LLM to provide feedback on its own solution + 3. Using that feedback to refine the solution + 4. Repeating until convergence or max iterations + + This postprocessor applies the technique to Z3 programs, asking the LLM to + critique and improve its reasoning and logical encoding. + """ + + def __init__(self, num_iterations: int = 2, name: str | None = None): + """Initialize Self-Refine postprocessor. + + Args: + num_iterations: Maximum number of refinement iterations + name: Optional custom name for this postprocessor + """ + super().__init__(name) + self.num_iterations = num_iterations + + def process( + self, + question: str, + initial_result: "QueryResult", + generator: "Z3ProgramGenerator", + backend: "Backend", + llm_client: Any, + **kwargs: Any, + ) -> "QueryResult": + """Apply Self-Refine to improve the initial result. + + Args: + question: Original question + initial_result: Initial QueryResult + generator: Program generator + backend: Execution backend + llm_client: LLM client + **kwargs: Additional arguments (cache_dir, temperature, max_tokens) + + Returns: + Refined QueryResult + """ + logger.info(f"[{self.name}] Starting self-refinement with {self.num_iterations} iterations") + + # If initial result failed, return as-is + if not initial_result.success: + logger.warning(f"[{self.name}] Initial result failed, skipping refinement") + return initial_result + + cache_dir = kwargs.get("cache_dir", tempfile.gettempdir()) + temperature = kwargs.get("temperature", 0.1) + max_tokens = kwargs.get("max_tokens", 16384) + + current_result = initial_result + best_result = initial_result + + for iteration in range(1, self.num_iterations + 1): + logger.info(f"[{self.name}] Refinement iteration {iteration}/{self.num_iterations}") + + # Generate self-feedback + feedback = self._generate_feedback( + question=question, + current_result=current_result, + llm_client=llm_client, + generator=generator, + temperature=temperature, + max_tokens=max_tokens, + ) + + if not feedback or "no improvement needed" in feedback.lower(): + logger.info(f"[{self.name}] No further improvements suggested, stopping") + break + + # Generate refined program with feedback + refined_result = self._generate_refined_program( + question=question, + feedback=feedback, + previous_result=current_result, + generator=generator, + backend=backend, + cache_dir=cache_dir, + temperature=temperature, + max_tokens=max_tokens, + ) + + if refined_result.success: + current_result = refined_result + # Keep track of best result (prefer successful results) + if refined_result.answer == initial_result.answer: + # Confirmation of original answer increases confidence + best_result = refined_result + logger.info(f"[{self.name}] Refinement confirmed original answer") + else: + logger.info( + f"[{self.name}] Refinement produced different answer: " + f"{refined_result.answer} vs {best_result.answer}" + ) + # Keep the most refined successful result + best_result = refined_result + else: + logger.warning(f"[{self.name}] Refinement iteration {iteration} failed") + + logger.info( + f"[{self.name}] Self-refinement complete. " + f"Final answer: {best_result.answer}, " + f"Initial answer: {initial_result.answer}" + ) + + return best_result + + def _generate_feedback( + self, + question: str, + current_result: "QueryResult", + llm_client: Any, + generator: "Z3ProgramGenerator", + temperature: float, + max_tokens: int, + ) -> str: + """Generate self-feedback on the current solution. + + Args: + question: Original question + current_result: Current QueryResult + llm_client: LLM client + generator: Program generator (for backend type) + temperature: LLM temperature + max_tokens: Max tokens for response + + Returns: + Feedback string from LLM + """ + # Format the current program for display + if generator.backend == "json" and current_result.json_program: + format_name = "JSON DSL" + else: + # For SMT2, we'd need to read the program file, but we don't have the path + # For now, just describe the result + format_name = "SMT2" + + feedback_prompt = f"""You previously solved this reasoning question: + +Question: {question} + +Your answer was: {current_result.answer} + +Your {format_name} program produced: +- SAT count: {current_result.sat_count} +- UNSAT count: {current_result.unsat_count} + +Please critically analyze your solution and identify any potential issues: +1. Is the logical encoding correct? +2. Are all premises properly captured? +3. Are the verification constraints correct? +4. Could the reasoning be improved or made more robust? + +If you identify issues, provide specific feedback on how to improve the solution. +If the solution is correct and complete, respond with "No improvement needed." + +Provide your analysis and feedback:""" + + try: + response = llm_client.chat.completions.create( + model=generator.model, + messages=[{"role": "user", "content": feedback_prompt}], + max_completion_tokens=max_tokens, + ) + feedback = response.choices[0].message.content + logger.debug(f"[{self.name}] Generated feedback: {feedback[:200]}...") + return feedback or "" + except Exception as e: + logger.error(f"[{self.name}] Error generating feedback: {e}") + return "" + + def _generate_refined_program( + self, + question: str, + feedback: str, + previous_result: "QueryResult", + generator: "Z3ProgramGenerator", + backend: "Backend", + cache_dir: str, + temperature: float, + max_tokens: int, + ) -> "QueryResult": + """Generate refined program using feedback. + + Args: + question: Original question + feedback: Feedback from self-critique + previous_result: Previous QueryResult + generator: Program generator + backend: Execution backend + cache_dir: Directory for caching programs + temperature: LLM temperature + max_tokens: Max tokens + + Returns: + New QueryResult from refined program + """ + from z3adapter.reasoning.proof_of_thought import QueryResult + + refinement_prompt = f"Based on the following feedback, please revise and improve your solution:\n\n{feedback}" + + try: + # Generate program with feedback as error trace + # This reuses the existing feedback mechanism + gen_result = generator.generate_with_feedback( + question=question, + error_trace=refinement_prompt, + previous_response="", # We don't have the raw response + temperature=temperature, + max_tokens=max_tokens, + ) + + if not gen_result.success or gen_result.program is None: + logger.warning(f"[{self.name}] Failed to generate refined program") + return QueryResult( + question=question, + answer=None, + json_program=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + num_attempts=0, + error="Failed to generate refined program", + ) + + # Save and execute refined program + file_extension = backend.get_file_extension() + temp_file = tempfile.NamedTemporaryFile( + mode="w", + suffix=file_extension, + dir=cache_dir, + delete=False, + ) + program_path = temp_file.name + + with open(program_path, "w") as f: + if generator.backend == "json": + json.dump(gen_result.program, f, indent=2) + else: + f.write(gen_result.program) # type: ignore + + # Execute refined program + verify_result = backend.execute(program_path) + + # Clean up temp file + try: + os.unlink(program_path) + except Exception: + pass + + return QueryResult( + question=question, + answer=verify_result.answer, + json_program=gen_result.json_program, + sat_count=verify_result.sat_count, + unsat_count=verify_result.unsat_count, + output=verify_result.output, + success=verify_result.success and verify_result.answer is not None, + num_attempts=1, + ) + + except Exception as e: + logger.error(f"[{self.name}] Error generating refined program: {e}") + return QueryResult( + question=question, + answer=None, + json_program=None, + sat_count=0, + unsat_count=0, + output="", + success=False, + num_attempts=0, + error=str(e), + ) diff --git a/z3adapter/reasoning/proof_of_thought.py b/z3adapter/reasoning/proof_of_thought.py index 5346a5f..e0190e4 100644 --- a/z3adapter/reasoning/proof_of_thought.py +++ b/z3adapter/reasoning/proof_of_thought.py @@ -5,6 +5,7 @@ import os import tempfile import traceback +from collections.abc import Sequence from dataclasses import dataclass from typing import TYPE_CHECKING, Any, Literal @@ -12,6 +13,7 @@ if TYPE_CHECKING: from z3adapter.backends.abstract import Backend + from z3adapter.postprocessors.abstract import Postprocessor logger = logging.getLogger(__name__) @@ -59,6 +61,8 @@ def __init__( optimize_timeout: int = 100000, cache_dir: str | None = None, z3_path: str = "z3", + postprocessors: Sequence[str | "Postprocessor"] | None = None, + postprocessor_configs: dict[str, dict] | None = None, ) -> None: """Initialize ProofOfThought. @@ -71,8 +75,18 @@ def __init__( optimize_timeout: Z3 optimization timeout in milliseconds cache_dir: Directory to cache generated programs (None = temp dir) z3_path: Path to Z3 executable (for SMT2 backend) + postprocessors: List of postprocessor names or instances to apply + postprocessor_configs: Configuration for postprocessors (if names provided) + + Example with postprocessors: + >>> pot = ProofOfThought( + ... llm_client=client, + ... postprocessors=["self_refine", "self_consistency"], + ... postprocessor_configs={"self_refine": {"num_iterations": 3}} + ... ) """ self.backend_type = backend + self.llm_client = llm_client self.generator = Z3ProgramGenerator(llm_client=llm_client, model=model, backend=backend) # Initialize appropriate backend (import here to avoid circular imports) @@ -95,6 +109,46 @@ def __init__( # Create cache directory if needed os.makedirs(self.cache_dir, exist_ok=True) + # Initialize postprocessors + self.postprocessors: list[Postprocessor] = [] + if postprocessors: + self.postprocessors = self._initialize_postprocessors( + postprocessors, postprocessor_configs or {} + ) + logger.info(f"Initialized {len(self.postprocessors)} postprocessors") + + def _initialize_postprocessors( + self, + postprocessors: Sequence[str | "Postprocessor"], + configs: dict[str, dict], + ) -> list["Postprocessor"]: + """Initialize postprocessor instances from names or objects. + + Args: + postprocessors: List of postprocessor names or instances + configs: Configuration dict for postprocessors + + Returns: + List of postprocessor instances + """ + from z3adapter.postprocessors.abstract import Postprocessor + from z3adapter.postprocessors.registry import PostprocessorRegistry + + initialized = [] + for item in postprocessors: + if isinstance(item, str): + # Create from registry + config = configs.get(item, {}) + postprocessor = PostprocessorRegistry.get(item, **config) + initialized.append(postprocessor) + elif isinstance(item, Postprocessor): + # Already an instance + initialized.append(item) + else: + logger.warning(f"Invalid postprocessor: {item}, skipping") + + return initialized + def query( self, question: str, @@ -102,6 +156,7 @@ def query( max_tokens: int = 16384, save_program: bool = False, program_path: str | None = None, + enable_postprocessing: bool = True, ) -> QueryResult: """Answer a reasoning question using Z3 theorem proving. @@ -111,6 +166,7 @@ def query( max_tokens: Maximum tokens for LLM response (default 16384 for GPT-5) save_program: Whether to save generated JSON program program_path: Path to save program (None = auto-generate) + enable_postprocessing: Whether to apply postprocessors (if configured) Returns: QueryResult with answer and execution details @@ -194,7 +250,7 @@ def query( logger.info( f"Successfully answered question on attempt {attempt}: {verify_result.answer}" ) - return QueryResult( + initial_result = QueryResult( question=question, answer=verify_result.answer, json_program=gen_result.json_program, # For backward compatibility @@ -205,6 +261,20 @@ def query( num_attempts=attempt, ) + # Apply postprocessors if enabled + if enable_postprocessing and self.postprocessors: + logger.info( + f"Applying {len(self.postprocessors)} postprocessors to improve result" + ) + return self._apply_postprocessors( + question=question, + initial_result=initial_result, + temperature=temperature, + max_tokens=max_tokens, + ) + + return initial_result + except Exception as e: error_trace = f"Error: {str(e)}\n{traceback.format_exc()}" logger.error(f"Exception on attempt {attempt}: {error_trace}") @@ -224,3 +294,55 @@ def query( num_attempts=self.max_attempts, error=f"Failed after {self.max_attempts} attempts. Last error: {error_trace}", ) + + def _apply_postprocessors( + self, + question: str, + initial_result: QueryResult, + temperature: float, + max_tokens: int, + ) -> QueryResult: + """Apply all configured postprocessors to improve the result. + + Args: + question: Original question + initial_result: Initial QueryResult + temperature: LLM temperature + max_tokens: Max tokens + + Returns: + Enhanced QueryResult after applying all postprocessors + """ + current_result = initial_result + + for postprocessor in self.postprocessors: + logger.info(f"Applying postprocessor: {postprocessor.name}") + + try: + enhanced_result = postprocessor.process( + question=question, + initial_result=current_result, + generator=self.generator, + backend=self.backend, + llm_client=self.llm_client, + cache_dir=self.cache_dir, + temperature=temperature, + max_tokens=max_tokens, + ) + + if enhanced_result.success: + logger.info( + f"Postprocessor {postprocessor.name} completed. " + f"Answer: {enhanced_result.answer}" + ) + current_result = enhanced_result + else: + logger.warning( + f"Postprocessor {postprocessor.name} failed, keeping previous result" + ) + + except Exception as e: + logger.error(f"Error in postprocessor {postprocessor.name}: {e}") + # Continue with current result if postprocessor fails + + return current_result From 769805f069603879cbc6c0f8269a082e5c1a559e Mon Sep 17 00:00:00 2001 From: DebarghaG Date: Fri, 17 Oct 2025 16:48:17 -0400 Subject: [PATCH 11/11] Adding citations --- README.md | 35 ++++++++++++++++++++++++++++------- 1 file changed, 28 insertions(+), 7 deletions(-) diff --git a/README.md b/README.md index 730bd76..f5fecab 100644 --- a/README.md +++ b/README.md @@ -128,6 +128,8 @@ from utils.azure_config import get_client_config ## Running Experiments +You can use this repository as a strong baseline for LLM+Solver methods. This code is generally benchmarked with GPT-5 on the first 100 samples of 5 datasets, as an indicator of whether we broke something during development. These numbers are not the best, and you can certainly get better numbers with better prompt engineering with this same tooling. Please feel free to put in a PR if you get better numbers with modified prompts. + To run all benchmarks with both backends and generate results: ```bash @@ -159,13 +161,32 @@ This will: | CONDITIONALQA | JSON | 100 | 76.00% | 0.9180 | 0.8750 | 0.8960 | 89.00% | | STRATEGYQA | JSON | 100 | 68.00% | 0.7500 | 0.7895 | 0.7692 | 86.00% | -## Notes - -- **Accuracy**: Percentage of correct predictions -- **Precision**: True positives / (True positives + False positives) -- **Recall**: True positives / (True positives + False negatives) -- **F1 Score**: Harmonic mean of precision and recall -- **Success Rate**: Percentage of queries that completed without errors + +# Citations + +Please consider citing our work if you find this useful. + +``` +@inproceedings{ +ganguly2024proof, +title={{PROOF} {OF} {THOUGHT} : Neurosymbolic Program Synthesis allows Robust and Interpretable Reasoning}, +author={Debargha Ganguly and Srinivasan Iyengar and Vipin Chaudhary and Shivkumar Kalyanaraman}, +booktitle={The First Workshop on System-2 Reasoning at Scale, NeurIPS'24}, +year={2024}, +url={https://openreview.net/forum?id=Pxx3r14j3U} +} +``` + +``` +@inproceedings{ +ganguly2025grammars, +title={Grammars of Formal Uncertainty: When to Trust {LLM}s in Automated Reasoning Tasks}, +author={Debargha Ganguly and Vikash Singh and Sreehari Sankar and Biyao Zhang and Xuecen Zhang and Srinivasan Iyengar and Xiaotian Han and Amit Sharma and Shivkumar Kalyanaraman and Vipin Chaudhary}, +booktitle={The Thirty-ninth Annual Conference on Neural Information Processing Systems}, +year={2025}, +url={https://openreview.net/forum?id=QfKpJ00t2L} +} +``` \ No newline at end of file

    ~M@)7>}ErOs5=+afv$EAl)j6bQE^s!u}Xk(XQ;0Bh6SPzrnWwN078j(e@UUB<#+DRtUaYPU&z%=`QIp-1aJ+UH&X& zvG0eLHf$1JLt+uPd;*ePlTn(p`~0bvNi;ZUSVJB4w0lhX1|a?^x{V<(=xywfl9PC( z2Nf<+GH*Fpsut#XKdR>c$k{YkGxLw)`PJa?a6@444X4l@2$%N@5{S@QiLc(0O=|71hYwy=3D!lrAk& zw*Ia&>(MsToG@Z1cn~w9Wv`m}hWWsCj&*n!MT+m5JGIXAqG-=#7w^{p)pBx_&2WsUa^+zaea*eQQ7;SVX;j zy^VfLKBQE6Ba8>bxL&c+K@H&DvZkxryftO%S% zI`X__yA*k{V_-zZCkjXH5P6ltJN)s6m4^8dn-1?)_!H?3+&fxZcT)Z!j7u2aIM;og zJS2rE$%rvd1VpW_D?l(z7HpETHHf*A)&J-Z>=x!4BNc8`fN9FJW)h;#<#q$x7TJTX zKpAuj8?g*w`lK`t)67;1f>HtE@you*sgT}7%sL3|ZQAexF4>MsdLrua!nqhU=JeBh zMj&PygyHsNf0HW|bo|?)UdsH6^&OV*r12@T__((S=m=0pPb zm{eaqVO&+3J>Kb!uZJTU5Hbv5%0vRN6iGm@OftyDFc3tXfn03Zc}#+D?ZVzp|#MtY<>ltytYEJU@FLf4~cW?TveTmvbu{RX-@zjT& zBbaRD8@7Ur+r``@h38eYbpWC^WJb8A7qrlj6iAB zYvh+GgDOUu45;9#czQp$!o@4j-XMFz+yd%iBwPxC^F*r$EYG5Qly?Y(Dx@;YAugd4 z4j$|#d0@z62GIM3TZqZ=4nu{%qTu5P06H4eS!zXMM4^NV8O+71Q6>S63QGMR)^^Tz zQ0G;ZT|`VTBxcV>)Bc5upaVUI7`yZxVvIr~D(s4;{faY}RtlDII~ zsfY*Ig7^+dfvPi+fL9Ix0KPBn5dQ^pzkBH2j2or-AgBO{?z-qZ;LNSV$*z|!;rXg? zOwMn~qy;*;wFttlAsjiqu9-|nX?gJ^1rAw1qBOppmgH|?Dk7g(7JNnekV}sJ6KN^VO~w=*!|!KE-b^#{v+6?>NLo8zI!7 z;1kl!uZPK|jCoZ{7hvz>5qJjnMfi8gs^|b+aL1xd$)+%G;iK=t1^CK?=m6|7wHsot zO!7vE4^GW3#J=)^R?%NNg#Q+`JM%g~0>)9vc8brTqVJ(BxX$x7ip2q7s^o{7W5svK zB0d{t`alwHmb)vEOW318X$AV$*~sNPNVx%qVHoCnimlRz2txK)2@nB>!mOn^_(XE9 z*b`!Nm!h(a92M~Fe6;OJSfG)3;0mVb)o9SiXq5&Vq3i&Frt>_taH6eF#aOIa< zpcs80Vg7Fj7x%ejTz6qTqZJ2)k7^JkU55We7S*K!N{m`zCO_+=Y;&Nmyx)+`39)U}OMi*;$DKr!Vre6o-L0(@xu(%Gq71x;^?smYD z-RWM8cN$troPlln4$!rN=g5|;HBjw2rJBz~cg){D9DrOfi|OP30#EFSLLPYs{TY=$ zN{LgXI|%n62jg5Y2#9xqN_LrVvvVj)WERtBHeDk`a$0^eO8=`L3^pNvZP`LGr$YY* z+X7B?TSK~~dj3XM^7|5;mhuIUw@t$ z#4QQdi@#v&fNbFYErVbq4NZMa`G4~2j6#ssyJO19Uf87B-1qa+e6X<^M>7hcu zpVS~w%YP)b18C+!UWw9wIpyK96z|uQ2Z{b$G5wE>?0`18pStuvQ~y^srUw($O}tm@ zAKVV|AV_lokU9S?-^-(aR|Xr({Si2bjCjBHJd|1YA16P^?vA2*a9xl>>i&ffH5mEN zbpF+7J2LM6h4-kh?q3p+lM>?py?mw*qJLvwAhu`VpiVD@} zex>VptNYhH{8k;6Em-{b58o@x`^A30w*T#B!4ib|$N$oK{eM8`^~KW*|AzcW2F8u+ zS3iFI$cgvxz}~u{HlEz0u&sG~VW@4x9Y6&8-y!tg;PAgg=si-i2c6bKqr&}8<*yFv ze}~Zj9YP<>oBlr;LjNlwqLDH6VH6$6r(uafK#xWYV<)TA(lW5q+W@C!%4r>^NiGTJ;Bq!cl`a-72p*8!ML9^D z>UKxuD`0_34#A7qA#i`$KqZ?QmFO-3ZGhWd(gUkAGt&y|0eP@&Fno5UL(Juu!ZTPa zis>%A7?c%iDLpmch}3DR8D;aZ3eM<(hp^|gQmUANjh-^3P8HLzQBLkiuM3~W$q+pY zsZ7ODps|WVYIlZM2)m5bH2yTsVdtsR-Nb${CwGS{WD)M?jYcY2EV_$SuGHKEkp48; z4X`B}*a_-P09j=4AQn(KQ;AQpLjawEjHPU>^_RJ zfpChPAN-$Q@;Ia)Zu&TahgKcJt-!hlNRW0JN3(n3NM`;G47-df2R;S5TD9z!_~AIp z++CfPk%8v|NuA2=A_mC}Qj4ziq7k6X$|zi?P`O0wKjiN4YH2c1?VJP`MO9i_Rg)K9 zQ%p@SiVkL1YDp1RxzlnMWcLCXGpT5eQY}et;)uKjPRhtA`9!5oce(SsVJNlcv2qW1 z?{p~>tjel1aYv^2X-Ih**zSUNbeDi%RBF)#fFCR56&R_ggXfm2RcRSj zpi2oRGBw|I3{d z7;#?-Ri#NK)kMj*P<5J=X?17!M5@%(qEaPFul~3E4wQ9fhO2N#h+2{}a;^YQ6%?~1 z`??2-05gef?>u;tlyRakSQ#>9YZGLzDm|m<1ms$pl>Z^*yj+q)sMEx>s*k+&kQ&Kd zbplTWfC;!Rl}OEo>(Wzm!f~(CV=5`FBs4Twr_RE4?vhdr<&kc9PYulmUQa6QqJnZQ z%7La~{F?OUKt`AdHPneCkTotV!tY85AX`eFP^d*&Dhwl#JMS*eWrwI_$lnmSS*GMG z_9%UR40fjfy(^GYq5JwEjA;*fxC4v$pS=b&sAvQ98HImc4Fw@V|MCry{%6Og7U3&E zBV(ih0kB)70wF*`Kte&(0Dw!vrXes2gU?#nDEM6m5)PsVp+O8F5g?Hu42TgV3M3kY zC2+Fdq>s_Z+RdUu^)9`v&(LS4xnc9bp+`WvfMkJqLAru;1Mz`mgLDV!0g?lf3(^y$7f2pR zK1gqnJ|G1kg&=)F`hoZ<+@lCKeSiG`eX+hoKTto2Erqm}!NI{GLqN(wDnN#U3}; zZhaU{$M~73!T^hk6lAChs))Kv5Hviv1?y38gF3kmKa3q7t-gO!v>M+#s{={JfGF?3{8 zFO@2oP0C<4g;Q#1L276rYNP=P0+4I}%m>Avd&st5RLmOH-E*zt8pa3M-~^4gbl~xB#;;YwuXa|1mw0tuhgrQ z@U2IzN{`toQ?On81Z>!JkxD%Qm#E_jy+Rp$XskjX3inaz ziRe%`07V1eRq=3Fy@KqFQgOUmp~t{Jsl>_MlvAcyEYa{CjuQkV5)V@&z)wzyj}L{P z)TG6N%Ol}Ef{9(Iip0bytpXlM)uDKtG7K)%hXijA5_}94KkPwlTR-`GkrRcvf#H+x zmHGBik<{w!I}Yiu2&KvNQJ@nh0FQ{OAW(K;n#SD67B>gsl>Wys0j&q`LU#q zNKJ=Jkn*Dt6bV=8Rm4aY6rYC*!ISW49Gj{L78WE>nFV? zwts#Gh4$m89fkIv85AtE|NQm87us)M5X{NT_`z)Z*d4`EE%Z!5E5KjGt??79swQ^m z&^rJkCkgQbaC|CIxdx%n@2Lohh=hA4g`h=)N(HRQ81QmS?E!YQ5kh?4$oPrlYpNy% zd6&H~Ll~>BjjtvIs-iLlv2ChJ;2f5{8>#X};@C0oA{>WmF#*mh%!i57p&+_Ry3*av+t*=&3G@p2%W!lviB@s_j@HKaM^Gj|y6KZ&M|7IJuG5 z6_{b~Wk->jvo9#xbK&>^75^!zKImTb|5duQ1^*r-!-LVB-5!;FJ(kme7e9*^7OGdyDBngo3E?XPsu-xI|00WfxTe}Il3T@ zN{9DIBMt&1)Wqt=v0lal-wi9oyUVnTnop}03s?8ZC*&vvm$gxM0spJ=s)yya>L0XuF_7^G! zAS(clkpqY-*E{UvxF>kzP|pHn#yBzz#S=+r;ttR8x!`n16cewzT+FYGfh;=y)7k4J zeeQbRPAbNi%$Ok8Sz?W%#%zwQO4@{N04B3 z;2#{3Y9bdcKl?~D;I#t_@}$%89Y)X7CMoJ36tby|#L=yDTRvjb*;tS39)NY#N`SP@ zDF7NVJk7T@Z-~yIAqY*<-fIu5Zk-)B%3sF$xOxHEmaQt0fHnW``M#L8f$Rc__ z6%J$vgS2VT!4$u4eT~uO9Ad+3oK0a>btswOg`t?T2ob8ISD8UnXEab(7KV}oZ=zZ$ z7d1Z%ATW?nk|C}VUgo{i8N^6EG+i(ZJ&DLy@bkyll!sE4o)kn}Ag0PY5jl>DB(t;v zJnQybR+*;A2B?uv-r#4>hV#!g^(D)5`suoAsZ=f8Bsuq(g8DL88HN%D?1gF*K`cf+ zb%V9gs|3tH6S3ugz|*NJKW{H2I`bLC62XV6xG^p)v%AJ8=`kz533hPn8+x#747PMNR zFwS`as27i(Dq{eHQ}?B-u6?MAS$ zEO~BrEefcM+wmo=Ytx}d@)*`reNpIK7xg$1L1ci7 zF(zv1eKi%M?mm8;6t8kROkHTg z3Mh%VnCztPhLB;a!8j2}11Ayz;+ZSmfk74hb8PASkLNaRA;bec>45E|zBl0uvX6)KadZ3Lx0^M;Jj?fVsYL**ThVkH=WIdv5 z*5v4nx5LQIo|gzB!+17~{8XO}LqRew1Mdf7fOW?46HuGS;%9++cQAk^Ib-oSTq5*F zIH@cjnV$vslpNtW7QR(dOT~9?9&${Gpm?!~?0fgsDu-E*PXh)lArqewsQ@fOo&+!c z#{eyj*dbujoMq{*CakzCG2-TS>md6g;GGAjt?eZ(i0Gvj;&XNFIzYc5HmZb^x!*H3 zr3RvvZZo!V3}Ze~fBKL)uIZC1?eW=iG@75E8;zP@_&@BudsGuw+cv&8WNUU{Cd|ML zOke^NOdyd2h$c#eXn>$WK|w*mW7Mdqs3@pttwu$qN(kn&wjSE2-;I6Rx4-qiYyJNG*0jri_fotbP znzL12WSXv_{06=GiIp;=_XMzH6GA*sB8RSlN=t6NDwc$sE=QLppr&BDaeq=z$L)G9K$bE)3@BQFj@yYxX@Gjj($cmZ3PIY!kM+-MbxI-#ljkq zf2T>(XQeerS_8)0BXcQ^tJ7Xzr@x^Et*@9{IyovY4qwb>53sUKhI;3bVQjNHI5!+j z_>le;uJxtsXAHBrf*Rd+4kzq;s^v6}^30QX&t_S>d$5qkj1ZtkVg?*3+-HMLwzKCE zcv6g1GacoBwFQxWMjsvq6yl$ZE)lBrXy!B2pZ&K4*ZL?R^5I1Mi7Gb4-d6|rEWgx% zSDU)3jRS-@{*y>aThK-LjftdBWb)cB zn;~Qt=>p=8_zUXdL^3?eme3n)VD#T2S{$n()w&rGaC(@r z)=!D7d`?Etm127;C0o+e)Wm+T0UOxos7n@@hSISJd+@;wLaSk;d`)GWrTawF7V>SC zp=aY=omCG;5k0=>@pH3XFNM+$Rr?w3hB0;1)wVsMVrf|O;5pywA2Kuu+9(yGD@t0x zfPpmZjm8X#fADPH0CeRy7`hUllg6w>OoD!I1f3)aGCWFJbZQ1WgNIWR8*VVMUi#NXG|6jtJ}my6u*t_&xeqlTO17naaA^u z%V0Zlv4wk9dP!*Y*0!Z7V2v6#5~L6mn#F#?2)z70-S6@u`9+!lDM%ESwimyPK-TL$ z!xVwcz`gCIsNzgTxIG$^RCB5DYC4tUih~IE6|DL2!+|zi5EE>$uTRM4P{XsE_TEW8 zP+xHzQj^qsj{2>*RX>n{*w%sLaW*}|@xf0qSX=NJtc`2WjJT7AU(DAdYu{j-6)jU` z%yw3*T|mxU>^I>j>5fGXz-Qn#_URpr<#+@EVko#kfX#IzeqUuf1`@3-DKtu$>K=p~@%ob*hnr@MUybBg;uuUw}rsV@iK{V%eX?W@;m!^mhRoOWRt#>qY%b2dU$MbJd%LlUD* zAan6)eYUYQ39&!K1fuGX>rPOe7(-=M#iXef2oDMb$Y!{>(>c||iNu(Hl#)&=+g#l! zw)sQH3S*1UieuPphW(WDf`~gm#Zcc@<^tnw94c$2cIFGN)3HaOa$2%bjv-;vmc|*x zM`LUd#CXH65kjQ2O^6hlBwpNQ#5-w}wA(cU3A;&5L1?2tcvAyccz`KVZtxI z$FSG^hD&^FJAu)~Xc#j&V_zLcN-XojnBFo^;gdaUk|UT=GXJ=M;bz`Cp$bgmBIp4A zVKhY69=3Nh#NWDyH0ZipY`DI0Ukc^1=o{*GYv zJV1B{kL5?l)GQ=R3*QL^ukCNJ*Z8H_N$`N>u?1_ce8Z=zFZ5|NHQ$7ahoqnNaZ&ez z4Cj5Tc{~?k8Wqm)WQpW8l!rHN!&}_5&=GJlB4M@{(b=(h2Gup{JwMq&rfIKW6kdc2 zdcP1QAEZ&Bc^}5Qz(!>+iE)02@m%8vq%Xd0t;dB}3+oPC(#O&no`~k7l%>}&$MiBD zhn!Do+JRG*neN`m+k|D>M~cVCP(NLo7H3%R+_lKuXMk?Sh^x2xZ^bno3yz z$Cy_N=nvw6I3mIFv3hsF>BxHD;ATlDj;*Mr#eA|BR}{*KjD{Ljw?XH4ztTw-IbJ}u z`rWDcH7p9l?I0ue0=`)_o-if7Auo>OmS2p;wRpI2zG(B9ISA)@^HHri6v~)V(A+nJ zgRbLJvoY)UiX&1ydH7q9rrz7?A+lb#U1HAcUagyG#!m0PK7o{_(LrBQ3LvW{Xl`Imn%BxYv4X(i2!=uU) zsovZxxRZ$xR^who;;K}( z@-q>Q(f_QiG5b15b!1dcN5YnOMuvEi7)d9wGc7o6^-{lJRl-OLm}xNFyC_#TggvXt znoeFZizLiA)*OR7k_)&GoW!cbj4XYFU7*zW5~G)^aXcw&-s5Sfd`7G3Sm6}aO7XA} zt%lasSAjE_r;|yvJc;DmCnGmVker8#fb?-ajqbYGFV$oqUPc0KYgUq1D^IZ+t@Rkb z@3Lbyh4Qs(o!No!gDlo!MAnu$`6iw1g?9Bvbhia!#XcaAF%?v9=nl>WFV@V!+rc#b zs>&u5^zsiWnSNygbmVJZs9A2!y0fUN$yubrIcK}lL$0Avx`MM7NtRwI?MbLn&aL?k z@<`_}04pRv@fvlcTS*vrG`$-}5*#%`f@73^b{Kw8Qb`>dI_rBhS{N)8q<=sYrVmDV zoa1#ao1FBobQP<(1nF6U2LUfM)pRrYPLl4vP-$jZeo~mhAo4-Z9wjoFmbarAyUgo8 zr1y60gRlgG&deA{(Ls2bIA{yXF}<73RN7Y9AR3z8BN3adA$ERu5}z4vFzNX;jdL0z z9cjKijd_v3mTv2{7L6Ol@Ac%Q%68w9sSOUbjuFqP8HUVoOk*bNLpW;T zSn(}D7};rz^#trgZv6s=R0|A0f(KNhH^=H`F;Ga9GwU4#m_(>pCcrFvAFwf^9YO7< zTe$d2nEqavIZn{xNd+oY+;}vvH&S+&{p$Gyh;nyo!U1sXWhsot5r&l_9>Gl0Zx@*> z*7>_vF^spLV>#26iDSA9)k9e84#h)`%##(cS^FFXN_O4_jSx?|L#3SMJRZWH;p#TY zWAG+gezC>76?n0S>ee*frWw|J{$m0CqK+KyJPYu!cF+ErOdAT_dDq5a9_SPCg>Y?x ztaKnKmmj6)O74S?#H9)5ef$zNPQw~H#(IrO!H0}r6AOM3YnTeJnMgtonXj_RI)4KD zoTg;~SXzi47WQIaSNb|5R-RJ2vAd0y9h9|1!=#5a$d=OsFa=Xj$_>Kv3@0N!TL8+$ zF~S?dTvC-g-H?y~bXn`&~+;m8w zSIr05SJ;a6P`R&M;IEYp_#p3718zX?!nX_k-4e=p1fwrfe0e=O9w_!8Il-0~&AEleL6xH26c2^Wp#y=!yk!fn6LuMuT1P$UNShCl)fE)$GtP z&n$^AX%ZrpBpd7tZ`eu@4L7?hI^y{>BQFk-VIXEEzcv1jlgZy#XK5!hQhFa*m*F`Q z<-zhf$sqKAEeM!OZh4;}CP~N?*TspERPGE=Zn|0CW@VjLsG9R{Aw>^Z2>R{$Sy*n@$mu0=JzmH0Ns}>EcCc zq_od98wvZMm?;u#)Q&I(1(KoqmD0#WmF=NrZINf5$(c~!PM@x&uK>z5j)7pIVFc~< zV^G9_n861u9nG;IIl$0ffGt1%vbQ4r3(?+QBu%(c@C>r)M|LGcZJpHQOB7d-;cXbY z$=FAkL!`>{=9dXy78ESXXnXq*hRb>j^OB1-Q8Jo!XdHX+@S6Gg=WvxB_mK}k^W)d% zfmn7`Aa_?x){{bI6?XDJOOg{8t85EkWX4C77<{;*SbsS2?Av8KgfAMpNIGnGeT}$$ zVX+H_HokDqu!u*gyIIRWuZ1hFwG?D=$UR7c*(eQf(3rL;IP!Xu;W|fpid#hED#J0J zZIs<*7~6#N`YW9+|5V6v5YNWxDw}9q!?B-prga>%#qv@F$+4e9dA}mYD?6E9RsGuf zGy$!^2Krcr$1zsJ({U6KLNHJDS@!0!BdKSv(1ENpO8^k})jT8gs2p}WVmD74eCQEpOxFr@srN!Ug{OWn;`s^}j@tieqP}YzxDT zQkCe^BI9>?*FxzAkBFZDg)AnW?I4ieHu#L<04uV%0bW*gWHk2-=4c5Z7B`sgmS#6e z1_l2UAZ(k#@n$<&L66M2k8LX3S<`+I2P)@*Gb2e7cxF-6B)nkGaHe}nxH~0;aa-sB z|M2VY+u$PZ&%WK$b^tLj83V6D>QGa8Nc$rv0dqU=ozVD*enrFCvZbyAsYTc>-GMtH!w==xF4bbW5;b$W(uC4ebX^OO!#<-V& zUz~Y|vw;^^p)ydR)U9tQ$<1fKM--&(iFwh-YSWPxDAJ@8zC!-=k9M0#fX`ZMF4GA?`*n0jcK z&KC)WTXS}bKhj_*mJHu&fD-G32_3Wki?E8Rn6G_G%ETIJfMIzUi4OAKDPTa%7aV}I zOWvnri3wy)`Z2$sRoOm4c(pRfe-4LBT}Yns5EtkA84c?XN^Xd-QYkS000bk;DiZyR z@IyS8|0FD9n0*$~&E`3m&=>!Myx}~i;)1w^Y~%(K4|GCt&_5On-a9mHsKE8{o6Y3_ z_|pvAi_y4>Pu451;>Ns$5KDH1;pG_icd_(U(R>#tc#dM&&am?f+{>|lZ{aKqck(59h61>z+P(^{{JtzAnE4~~$-hC^5AXEW z;j4Htws~uhjX~`jHn)CQa$EH9#w|Fel9RZywIJCqN#fV6)G6a3)Uu?zG&3(2SjMg2 zLx$H`k|1M|CJGK}biRe8C}Tf5j1j;OAZw6RtHd_kw!Ac$@pxbI|AtL96ZEfipvJQ+ z{og7dOM_^uP=0SX?rS{37^)iOP0mvoh7i5PzGeiz4h@ZdD%)D!&l);!(>m@&|4US6 zH%73XtPtz6@~COf$Ks$!l12+NqDTc<3|fn}afs-tO>B%J0XhJ7T^az*K>OJcnua57 z#7;%WKK-l4>~To`go(>qK;DH*>Qm#hnF6jODLnhDSjWl}D;lzt|AnMA{Vqp=W0 zXD#Q;!c2)g^&B~F)iTHZ-`w32cn&a?H;?UXkVITR3&zy&H>YWWI=$ak05x$aD0rZB9vkYPPb ztw)Q#^Cy*k%cOELlTtLN?d^JN%XUMmyOvWhPo9O~^&G6LVa|6jnQts1@#X@@J3@c{ z_oVEEVRW@>Ft&FnGFF!rk%7|7o^a#G+&avWc^v0?9?yqXAkXADkD;c$B!gsMda-^x z&h-t4I{i8(U0{#hI|4L+=hT7es0)Fc>muac3Hou&DArJ9>j4!5d2}~@e(z8W4V?*= zuhhq%Yx?#=d~2h9dkp3tJS|%Q7J{5|I2d1XtLPwrIejiGGHlb4n2Q|kEbqe0bQ(1y zLq6o_2DQ`NtT7-mVGDG!f$iTUA)PKO(vdiM1JN5-u-Daug+2_(g98-{8|GApyN77rv-@NPVcEm5O!?bhLVrUbh(th6V7g>{Niv(6d11JCmW9ne!w000=4N3CBtb7)#>)D*ihVX1=dYQERM4u3}7gT~4Y-)J78b4|15++uv>#md-1QQtJynL`N=z z_u4@uM9P3u;`8!RAx7Q-Xyuj)t!p9@wvrh8JnZg|@t6Ds0sOYmE7nDpca5@(w+qH) zP*02ojX&g@5bO+1%f@bnJwaW`or)gB6wg7Hz7bLaTud(`=}9`AB)~5mCmrB;X%EK> zO#&wlQ}7KEDIF}HiR6Qz4rt$p!DhvAuw*BUa7U9`mF=AMbIK z<6{6NMHfu8_Yc#@h2ima?ZLVI7FU+{NqanscD03hE-lU58FFDDpYHT+G0ZU96)erh zcUs@6&kuALrZ6`uC)zy-j2D?qsmL70^J?~rq zmvJgvzU2z1`%$eQ5pi)e#Hl&9!ggl~M4j%SsL15N$D4CyCsF7+*edXOotHQ2jN2Qh z;+fQ8cp`#)se899U*VZ}c@{19cIIZ`!DOXzlxpla_xUjE$kr?nl1o6OugZ47;xpGT zPIr@Z)7xC#DlYE&(5zpa9YQL@N=O^j=gvY*lRhP!iAP1O=ZWl99IVLIx@k5G2u*g? z$dRC18=NUc(WjhI$gFk=h>nBRT>PDiDX-lWxByVz@iEY@4fA{`9FutA6=>nS46EiS zpxZ|vupOqm=>{4n9fnFyKFrAtpLniFr8GZy#rqNN50!n4_XVefR#- z+70@7arABS1ny#eEo+R_$eaR`NC`AZxF#;uwF8&yu`?4{Zl}^3I|yZd!Ht(~q^HW} zv20+ypXjHD7wlWthJ8MIo@Th@U$$J3_InqRY9BU;j=z~&kmb*CIT&C!bs$kK0 z-J4c%dAJg+}TiEz8{pBYmQL;;YpPq_vGq41l*v~%#HUS}!|Hv;JPeM}{&K>RH)MLYg&M-ce z-w+~nmr4}|T_|d0Pj#*=^gi_V=0wvbmhc&Res#E~20UD(^1x!6L&EaP5e!gC!-Z&= zN5X??RDLz`jc9#Ff0GKlbecwvbR$D3gAGatI@#3^W4YoDd^3=)e1jQlXR@ID1g6b` z6K0wK2YG?iaznBc)kVYQT6`O)`vzl4C?_DvM5mF#?6U9*JEUDysxQ-Hy{iEv&eAz0(OP>k_!P{33<0Lu;OSSU?AK^7P+V%uuB9sZzTt-kp+uN`> z0>pftro-(sLg4f{Iu`7#7>JIV?xx;B`Z`LNa%|lzraKIiqMt~0VJyTPz5W2hWb(Ju z^zjDE>I7QByvlA2v+L(#J$;Qopf+7rLmyqOF`IN-A_DW6aPx77p+5>cTvxQZ8Vz@Z z(VM=N@Myfy@cmFa1iEAVvN-tzIvzdJZB-xJXiEwKs!5SHt6kQKBcIcGMhfHB8rrM4 zE2`?@UysAB52OpkmwmC1FsWvPvUX@I?o;zVsHVipZnWPSt?-MfZF#EVu>aFxcEV_A zfv;$gYitN9=Hi&X(8(SX&1w0c!!jP}aw0fAGu9A{V8%h+&^8o^hr%y?#r@$;{l%^t z(gm}o{J-Y4c#%S5TdoLLy{;ZILqRh!Fm{0I3G6eEZ^BjLk zRS1M1E$MG6Vu+{2KmvFZiKgf1+Tce!*)T}dPkoN zYHX&Rx`t{T&bPW2$;%SGIW6#UqnYt5Kah=l`vT{agGm=POifri*D*V>lZ3fUA*|F5#}OCA zS!C4ZXwmT%&4cW)1WN7sH8p6X9G z#$X@T5YfAkMC&aUU}E94NwtXE-59_XhURc?2q#wdDE<(Jy|`_ZaTxFbuD7X0Zd=V+ zr8^Ogv-Lst4!D`KEa#=+q`x%X(wCP zLa&Yx!zjmEQo!xq{sl7mG*p(h>955Iy`*ok18api(qFm4c=Oi+PAYUJdGr|LIP7t#R*f6Phw$=Ae#+xF}v!%bf#{?BLz@*1lbGa@|f7 zSVv6IJ2i~=o*CzmO)%4$2F2%M=ck1*B-&n{NqP=l!Ddta8iA~#_P~{rlfhT0Y}rR) z!-=Kib2Zn=g%NQdTB5!c{Q*&r4(foDnB&@cJ38r@Er^JRl5-zq85ATp## zWxL_*s4;$S`wsJK8GSUk*`Qksxj19Mbd#RlE@`d9IIA($ot|-TGqi=YbR4X!3RqL) z;cEhXO;j$EZnli}biDOLLq4TR%Ex#%;8gu7GsK+^K5@ohsfk%-8KogzX<~XPV`M*B zlz(Obqt8w>;g#Yz4So$I6erz4WG;WdN8>f|QN)$JhPS}y-oEp(Y?kVoO649&5?6+88bJfr3+z#~?R{z;qQ9*+ zc2rI<15vE*S{(a8Tl^Iw5-bO}v>NE$wsf%Sj4YeV)y%tK%?x0pSzGKtPC#LDMot0z z7Br~F&=Q#3jD<3YV~f>bXDenhv`7%7U!_U;(2{&^WH&^&oVB#RU2#S_FZA>OgYBb+ zY2gmU57t$eHH;P?6qB?C9cVdZE>76ajz$Y3>LSXgqT(Z{rka+M9`*g2*4h_?;~czE zE3RZBTsx5~9^=n-GsoHA0)$YWRTzphGV;>EfC|*cL(<%P4VE>zB!T{#ewHjnHj#PK_8x&azF!xr4HoTw z`NA`S{`I*ewx$QP4oZ&@{fikS)9XKuy5mmfSA**bE4)SQU`sCb zBPq6pD*V3v350L3)n>sYl;cb&A0ZS>=XMoNM(d!DIY+-I&V3h=*|;a2I2Bqjy^PNy zj~-ONCeJYK)QX$JyqWCc2uox*e?QDKpk=&ag3h!H?8`|nX&{NQ_F?a-iM=8bj|B$k z8#r8^M!m+>oZd5s4UH=8gM{apBExIr$Q0tm|Ky5IsSG!O8!Ok@(h+H7VWKLS>Cvcc z@s^EIbxwOsJBD}Vstk|Vf`>Z)d{(EiolzCd6H>`k@)=ASWaFcNf<)DS+o&gV^>Zb@ zms)HB*C#O~oXc(*%kx@qk?9k)j)svZ;M15Un$-9eF*ck`0nd0e%p#1SvxGO;A2i1o z@9x9@>=Px6rE3^<@l!H^IZWoTzxKQGBrTOWnkjSSOyLVy?x0+|(=Yv`*TgZ`7hdj< zQ|UNPF|zU(Fi-u6=?*i%nGh+Shn=SYG0#@EH-4_{fZ4@Oz<2^RzlmBHq=m|Ju;CS! z?DBMP-Jdnzx*6u5kLSlBc7N}?FUc+?j&bwp&$*#d)7J;-SJ5HB(?Cn`r(jR}=V}0f zel_?xV+6A0bqQf&@H^yp_XMP<(2Ak2@FO(bEXO28sq0fgjT5t>)akYeMu{^6!<7_I zxUCbyQM(VLhJA;dr?{F_yN?84JofupZJ~q?n5DQ)KSG{Ea+UFQE1EIor7=xcB+2kE zVOR_Tv5og8om35>7hG@Gekz@3T9CmE-WZF+6rwuc^)IFp3>XehphZ4sx&11S^z4vv~_*mLo&xK)y_T%`#quBM)YUMv40mE1LpvS*_?ogts0;nE>Il=fqE zU~$ew3IT8!lLIu)`pfQ2R}5Bu5#RPsMDT;Pjp7KSa6!*DyX+aBzgtcZf)gLp7^G2Ohm!=3=0E1OhF#> zROSii8Xfx6I{H-2A-Hb)hBq$BcyixNPYaRQC&O8==Y$Et*L0yqx(0W^T-Fqx$S_H0 z33psItT$p&w^!qP4RelKa9|ch`FU)UD`g!Ca}EZOg1lGorP2Z1P`tHg2Z=Z9VG=&V zi}6ayro^jkH}8IBSe1xtHb_j*y79pFSY(siX9=2ro*!9fWZ2-?E<8I!2g59z! zO*(FW5i#AkYtl~g9GG_tKS{j-0E$9FvN;Y#U9_;%)By6C4>KG&2$_lh0=?!BWs+>} zQ1Okvd@?I#l*!C%Tvkme0BCbUAHTufZ79qh0cIip_=!K1573w+i}348AAEZ**Fj^hi(iPA_{0a2`NY zW&^HqjgBHcRJPlexm~Pf`u=R)1ZX`5BLppfK3vl7dtHB>fu>qN)))%DuAaNNSlA@$ zIc7dM!x6z{Mr0%4^R%D;N&aKT1;Np4c)Oqfs{gd@y>w8gxB6Z?)*C)w^HT2>Y9Mo^ z#Efwz4s71EUY{@#N}2tb$*mZ6J)exB5ugr0d3>hv7T7Gyn-02H5`gD=&8>hg|Nuaq*8As6kIyR32MPoh$ z7YBT{P86SE; zgt379_&-q9&xf>8?*5?HJ!aLxK*wVlxBvXh=G6Id@P9e*R4Moj(@+|#tQ`2;9sxtpWpxZxBuMu&wl~A2+k((9;ZF#B>wS` zzw;s6p5*b%x1DsLMOL@{;eUP@yq~{62wveaL2+szFe#<&&Hn$tP}}o9{)iqQ-QS<= z&l56n;^P-j`RkbeI`lu@5c*%Og#XvI68`Z~!{0>L+QG7$Jhk=@e(}E_5%HhjW79il z8rqw_`UV)rpxg7mv8iSf1d_jn)4xTXzvA5g#-_iAlm9!h>3I zs0K|9u4B|=c6)>r0R>zeYn?2XYO;Amy5eDK;H0~TA+;7E$whA|$x;CfWH8aV2f*cI zoV^D!hhVd<;y?1?&TS~_@s6Y~2>Ji8&YguJMH9=q!0hsBWfzKf_dwxo{C}qhp(J-A zDp>`U`>P?KQqxhMC|DnJ*GY;b!{8>9R+&or6^Df~ico;RAqCuhfa{pv90xQWF3Ouz zG~U=<8Ow1>r1`jQWyl}Y{On{TiI0ir=|xn;?)29vpUs3sJQe`}^B~ImdzQp|e)3cM zZt#~sxhH&tm!!wAGeFs%M11#3O zdm;6CD8_oGjZSC$+7}j8T`@K=)pnp9^ax!nn&bi8K3lWWV+YTbMcCc07(y;WNj6Vm7LAa`x-0O~_2{YVyF4 zy(7tg5=LICsRhLXdyu8QY%@Va?;-tqH#SP#(o8S5cMd3HBOVHqD!dgtYRB`}eI&G>`I%HQ}y-y!{Sb%srPb%O}5T^`WR&oXt+2ha#8NWih&E`Z?zMN#AlV+OuTSbWu-ad)z7LFlE0B?n;ryNoio z0%sVbeEa<$gUHmoLT6!h;5vE0#W{ND>cWUY>Yd&Lj}h|7WB}bAEk>>cH_fa2fGcSJ5e{CuhGIqf2eZGV?Wb4u0N>EjT7gWF^8*@ki|Kg+GYX?}mz3=mzoNQ~jw z((+PZmS=&$dxnAkX|Ln=geV9+W)&1DQ$o&KgXV&HT%vMA?v0~;AK_(}PSc~9uhROi zLulf$izdT$;erwMeq4%pM~$BrJ{Pw#xSQ=PqDB6xoEYeepW-;0QGP$<*bv)EY)=kx zoWusbOB+Zo>nQak5`54tC#dXFg_teQLG5w1?+x0iXe-3088|7>j>HJpocpydBf2}s zeht;#BKbH|cmvD~V{OZjGQ_dYyRH%R3&gFFs!5}bdu{JWTqp$0$h;Ltw``Mg?V%w) z(a{~s^We|s?w%ciK~#`Dei-iwX#B(EC~O5RE+F3fwXJ~H;^w;2nFvM{He9pMf{Wm@335kSiRwL3bN|1sinxWMaAhz zFNFh@*c+l>LgjvU7MZVepE?sz@R0I*)o1wo>>omXW7Dr)|CJl83XCp^;9_tTw^tla zZTk?6_5H-ew=5(rW;2B4sWsc(NyzYr?sbMoIocF3b@gxwU;VM zSA$n$H=>Lu@T$8r!7{+(8jt)n4uhvl;Ie+J#(Id%a%CX>MKz4l-BJr@^aDXsphSN!rtjp7MSp$=8NTXa-8V+eBT5zurEqSi@V5$@t|Z%)O!yQzWp zS+CShu31X-(B4imuBN6-vBaeGh1FWzMTKLyr-%z%@z37ebR!33r}6{s@mYC(dbCiA zCtR9@?>YYA{j_91juk#mKL{Np$(<8I*KjLe9(B zzHKqyc2y&i=@DT9G78u0pVJVoYIjAz_;E&R@kc6ST-KvYYGuF%jhD8lah&4@Hp)E? z)H&u1GozwcaRJVicIkhM%*#R2KH6%yp~l{lHU1?AM0E!kLn|*xux6chbf5_O{fCRr z;QlM4?Fz!Ll7D+va6|CZ1uG!qD*X<$ENrKM5=T8t(m%jQiQwtV3BD0{!cZ1l=mcC; zu#s}oe88w-1D<)(*9&Hx@)~cow*Wam-4d-x7i4QZzBwB;DQ;*V&Yw}i@ z$vjIY(0;Npy|L~`WdnEv>0gOudOB{9e#Uck!6Ojwr6fE6Vm_H7^pQ>yca4Lo#<|(g zpehH`0siz1)j3K6E9QLZ>8*FDJ^vE2^(he~9nMB#%lE;umB*E;lwLf_Or0)Z=4`DWx_z{PsTX2I5S>5;j&^m@y$ZQCWD zi*@F`B$hi4pZ`OMAIC`|jD%xm7+C3U3--cpd8GbLt$Q0v9}dXnH#l3-(QHNzrs$W1 z*Qeya*{(H-T^6<}NBIS3UV55l234}rlkgzceoRB7afuLp>+{wy+lY|*^}(CaF5`!= zcpfL*O2AnwAL2RUO#v82qNOd7c!*POU2f#K0YZT5PnY3D?iZ5ikKE_QK3FKjI3p0k ztM68MUaNS?+<+t29>q) znOIm%0{kj$04b613eg8{Q>##NH=Nq)=G!iX z@}4mFdKFJ8p0hFs|5X1;a39yBege*_T7;9yb|u!8O{k4KPIo|zsa&l8R;~0FUMqWv z*vNSN02>8YRT9i(rklqri}hDD@UBbJBOoQqB*V+x{?L+E@pKevsY*A$tou%5^yt6h z8Jp4`#*J<1al5-Iwn`&5`FvP7unCJ~lI06s@JjP&=z{3nkv0ezQMfnQ=524j$8Aw4 zOb!<9GE|2f;-X3Sl3hUP%)>M}-O7z%&AKt~g;zCmrCuvOjJpf-L2BwE2(p}A-S{)) z+*hhjkfmo8Ux@PN+6(Y8z*5e|hN2F311jo(m6d1daA6D49;r922(v8=Y5H2fikA}| zd25#tOFB&OTKD<7>C?jGge#pSQ2>K2Fn`7oM`nWDi6b(gaR{J4v%}oqaS&#umAv=B zbSbD-K7*9&eeV~3ouLyAq+IDPmQr_6Rgr=-R<1Y4K=-CT0N-xi@HjZ9$AO37XJ|7! znP)St!_wN7$K&1oZ6l%8MJ5$(^RM+MtZeW93eLy(+$ylty93W{6a?Vj2)NsUg~Wva zVH<&V?{xPH>zi=36(AUzAgnB#%omnXA%U0xFOmepV^Hw17&&07rKc zbL2aSET)ywB)a5`xe;gk7VvIO(Oe)Pd(a$>{xqd|{>e<9sUnR_boPOXJV!fWvfz|z z@BqQQa0Fwra)i(hp6^JlxRCd5O^1EFL`?qyk1y#D^XzXrCx$>W zuOkCIKjCqlL{s&pFuNj55Vk>fl8zbQ5A>SnZqQXVSUjuouLmiNn?W-ceru>7J?S=? zGY~%Xj0pHfbu^gqNa%wN!a2z+TO31dSKA49@uW*vq5MdIfe%H0Bt}-O3ytIP9c4To zX_!HSDpxBtrv*1zV||zJZViqlr)X`kf5|<_9c~IISe3fUP7?1yT!f!Ghw<*~STsCP z15NjJV>9fjC0V=oV_oBF{UJ3Y3jME-2_zoL*t>C*zMV+B3ov9iJM@+^&a~!y5uNok9mUa1UF89< zD?LOSTQayAm)uvrAU)V`!?Q-=7^4RVoKrL#TST{}%8l0tm)cVBr4g{HtFX~% zGWWYXPMJN@hz_jf-X&ge95>Xc*;KPIAzzKt*9-Yaj4(iQ)Ba4XF|ue+lPoxVw}rDr z&Y#;x1>H_N7eeDoSMmnc7RB->)kUASJ|th5Nn>l(931QXDa5hZ_61Me#wAK;;Y-ZW zI9iS)h6Pm6<>odzrS`_GODV>GNe>%O(*=fe^vE|*7XAZ*(LLGVn6~mhwWQy1#fNf6 z_OzNyBwRS@Hk9lNPB#3i24+~=Uu_yFd!gMAZD`kH4CC)@l|Mj@ znD9S)A^<=EQxAPdfBIJSA9+p9T%<}kiBwS|PGWV3ttUgmJAZXDG$J>lSrs*4L^FvQ zy|uYrT=iGY?GqLzoKkmKGvX9Y-oEveCgt!~r^2F7Ml1+t-|3OVI6wa(gw43QKUAA_ z|A)|st}10AlM_+2kn5SSav|S4?b5=?zCF0QsQ&$m>V$zKR@RAwr(CLw9zKt2CyZR? zc{55{<9}1KBn0zxx{EOnIy;rnYp7GVn#roMlDBk$$`*+(X1Sck( zPgoc=^1QO7!}I42%Q}C3K5<2^;X;QsPxPxdt{;(|ZF+X%DPNL*=8rVFafw}HZhB^_ z#EX}VGXPLPFUwly*h;%$M?x8aC~%lD&xF7?hw;O$i39i<;!`IPj|h# zqW{ww+(!5he&dhrUAJ}}V!PdW~>%Tnfm#>F16 z!w1W||Bj*};zO8RoMx}i>DMkA6|eBLSJte^?wfL^Uk;n4D$3;xa*Mp;(1k^Ly2>*} zJ@x({xn4?rXWp06x!)?E_WV~pGLw$~a88q4v8p)E8?$m*e%jWcD^5WjZ^H{pZ9yIEq=CU(N@k_W*8G&OK7mNiXhFEDG%b`%fk2#mx*&jfaC zD4a0y%?**8>N`C>c8fXW*^Jog)7hcUg{Ei8?qzx96+4PNynkoox@X6i?R~R+!nR{S zKO3`u&X~f92dnOWJn?W#UexfTSK5V4dgl6$&n8{{q1{s5adI#`M2ni9nw(U*`lHEJ zXz{xA=8}ZZ%ial3ddGc6xKZfPN$c0eR2~ygPjT#>5;ygN`Q^B27cX4>oPGAzVIlQh zPxO_F&?iir3?JO}46XTS=;EQ%Kdn5s$$h2v7kOrDv+0YO*9!V?uD#K?e%Q3hyU&HY zZfu1Cx%h(L9^7b|+it~yiyFtqYwhP@jrz>Itr3H^W;E{_ zd$RB70|S-?SIA376mPk^@~dpM`IWD{;m(;`7c^gN4Iexrvn!d>abl)qX*r(yJ)`$;jxc?*__O-t+v~s1{%K!! zdBw<$c+p^s>6Nc%rX0O#n2~xaX4|q(@5c;paDI_okfPhLATc8%&)Z9}KI1s=%eWo$ zT*jgA&W{>#T%D**8deP})AYlsr~lRvQ&-glrd5OG;2$lqe=ZIY&yO%IdGYD?|A)Od z4Q!%X8)9!%xFp0(66FD-svI{`b0wsj8bYy{6&!ns`QU+ous9 zKLQnT{4neV74d)G$v-}APbRBB^SkpU6)@9Pz@U$cm+0qjpx^ME7c_r+&P2nXJ0<>! zX8apg`v0zl^UT)_{zGDE<_^>khJU5{f$*xTni=x|u-iH8Z696?kQG0`*h|L;TF0Ok3A*Zwoga~6~NXLCygE)=Z0 z(nBAcfugvZzkPZ_Gh3}=9{BI-|9zXG=bzPorHAc}*o;5k#ot%Mjt^)$-3yD{D>OF0 zbErpm4tI)+i?d)a&FQXOVUkcBfejWsm*wE?6N2uYL%?6!gRqtZ8-ix;vW*)z4#au` zeCr__LmzJ#xN#sE#{szjOw?oagdXT?v5thl=|TDu^QesjH|huK25w|<=D_H&8#n4< zfy8<5Mr+i_dQpspP1HsD*Zk3mztY=IYsKrwp+=v9FR0P~_fPkaZF62-*;;N)JaBkX-Y- z=MZAjzqb7Dhs^t(2{#pgj1O?b5`TA74rg9K3bO<$_yx}WyAP9d>*Q2oDXZX@bf06_ zbHBM9_Zq;}$UY)${LL-7hQ6EbjVfr?T;Et*qXM{|0))KkeV9%#K*S2mCP#@xfAehK z3APEOa;!QF+74$ofSZ!tj`Co|N}y=r>=4BVM7YsEai`zO2TPMtmUoQcHK#^#x1U!Z zLBM|dHX!KDkN!BuBrEr!;A4y(kc*HPLbHKScp(ZVdxp@t^mD2kq1#29qTWyER}jIc z1DaO5QiAb2bhf%qi;vNEdS<^QZ_5is5e|b!own4JHTkyb;E1~r# zn6C8xH6xvzuBWp2Ad$h1RaPR5iPr!Xv*naUh1d7BM=$SFE@J%i?||E#bmMDhKNgGu zvS0<_52MD(slq%ix9Tj-%j<}Z!L<4t$~Yukh83u(0u7b=S+r971oP=%>28rsl)LSN^_zoU z-9*FI59ROtfGk#~J42(K_FkNle>|u^^|(?U3xw7Eq2_jHBb8i@yruJW-rs4#2`_zQ z&30X`>xB^NSAwUP^oRViTOA7B0~`us;m!@7C}3^?9~9}$t}>Q48r z91YRq4Y0l!yjFaWX0MGvbHeCSEz;M*iyYSRJ0SS(gD9upHWwhxcuymx=m?RhoI~6l z_0JMw)$ztYlHPz+=`N&%uyvtf#%(0kBlTNto1d*$W)W@O)=YD6C))fBt4@pE(yjTS z7EyN7ZAkW}Ak~vX+m$goX=Mz%k)A+j7x&hw7Oc3jd?#H2Oy?dtqHMu*Iy_>bA0e0f zJhAjL9Y#K~>wyNVV)kYSIsrKjGhWTsK(i(bSpntYrj9G}DA#Iu>Q4Yziy4A)L*Jmv ziI}}kC6c;qKQq=h6XOO*v<)Mfn=W%pAPr|ewTdvL_RL}Dd&k1Ydy#TUTON-ANr0XL zS~Di@1W?P{06SYpOelXEkyWRA4s_VCq5P(5Ym_%6&OeUIQcXWc+_#_KmlYi5| zehVz=V4G#_DDOTGQp!CD5kJBJz(X03N**dV`)(@lLh8Rfcai5X&Lyc%cb--s`0!(^WK z1`Ma)x&ua(<2fGipyH=NFbw+!TDNyc*_S9%(=Zd!y$isRmCb)`%J(Y|q5Rd#k68Iu zD`~Ja0vA7zLTAZ2AA-C3)kDbli_)xVJ`jmW&6*?UXto8r4yYGXihE<}6P+Sr|27(V zm-bU$pg{r^cScAVmTIkvYwfRmgwA`IB;{jNRS7cw9BTLTkZn>eors}U8k)oPJL-GO zOZHN#PYW8;`MqY8Lw@NRfU+BXYvw60Youa4@j5*f^1jbi1RjTHsC)vx=qKUFR`|g^ zRk9B^&Q<}cJ#WTysN_X0jFqq2!}0P|xJC=^=kkP^(1HtemijTKE*NP$AGXjvlqsD7 zz&9w>8|48+ZZOj^-f}fUBn2h7)72UXs0sFEATd}L)^r!=CeVXq(e2>$mzg{0N9iK| zGS8OQ$V`?TLuauW)<#0PgPwR4`sOmoWGwog?Mn?I&~kgav16{dKoDQ;q`R|9ye)JL zugpOFQX?@}I1WfR)JBJtW$LIbNJI7p15qHHgJ0@sqjG;*(-wTTush<18i-LrgMSo) z?gwz~w@@&l+J)2~5ic?M{Uwt*zqsuaNRa2;Y8l#c4SS+-G`@9ya5FuMJC80z@*{vD z-yeeVw`>5p(m6Dp+VU8i%1vNzmc4FfBJz>Qx%EE@`_W8$uCe|s-PN@Re{(8LQ8f76 zNkPp4+`lS-z)(NZ?j4HfqQhm3*8Li#>~-N~LL7S=qJpeH7`<_L6X5u+v}@J-BFuxh?Cs4i{Y76X zO@bUEHeFswqzB4y=`AKj@oP%2Lnp1rrPqm6U$5ewNS;b$vL6E!G`9l+RF?bKM@c45 zu0R>3mrss362V!-u);2AuLftL-WNC9Q)*&L^ih^@*dIkmqwc(}1IC@c6D zV?Wkf`#in`9>T@7_Yhq0IN;T(ixD({6tx`%7vE6SuVRCvK$lcexI~!6l+oRwajD*^ z%@&-@D|*!o0OlB(6!~LQfCmVK#e=;5NHszi!{oW7^GZ$Pn^u7Y-PDo zEk(k;J2`%-!F7)!knT#-T5F)Q@ijS}$Q5Qo_@X)qR(@a=8ikK%*j{QzE zy|Vayv@(QT3-P2nNRDe#-axiZrn)@jemJpsGb$Sr)ic&!e5v_KO0=CzIsfb4o%WY) zt;dv9W0eYdwmHq;p=$RibCtj9AS>)`(GPGZFni;H?&IPwXDJuKZQ$=>0D}etEZ!9L zlorp!bI9aiY{@HtMz3OR)u(hmG~@I)gLpWuChCP}MH33mn-v zt6%@N@emRMg0|`umkL=qJ&n}TEP#52u(}(&$(JCH^~S4of%Gi`*(|Szs5CdI)aoXD z<6TB%j}s3LBZMW9$-=w&cM?tYeTPl7Ug7ig)!9hw&M?``a?Z=FV8*i(P|n2TuET2@ zo3|rf(N(@8PMH@|b+2?PMp~d$HFL===ZU+NxI})cO$?ikEadXl6S2WxPudlCEW|mo z>SPrB;>NLp`(lK3+$6G8cHc@-9WlfuT10B=Nh`$K)d4cGZ--FHro&4dz-Bl{ znT2wdp?YoI9KnhYm5?g-2cQS7S zKr?vS)3{^GQ>f*(-tP z31{U;Xu;<~uTVOIEkbS81nd@E%m;)R`MIgSV~SoPhL&d`_XGmVsEhrY+_DQ*|MFw7 zkxo=*nuE_mJqbGH86D3tO_%r)p4w8Xh@g#xfj#E#Nzh*U+TI6{Trf5sgcMtXlqDWW zqGzj74&d~&9we_xqJLuNjys81CsIBMq2j$r&RYHea@`{=r*jpMPbuuy!s9UI01!;J zt9KR~4~?8`Vju9fG!&we!)Whuc0g$eR4%sr$_r@526X!d0&#cg1|n{h4~W7|xPE5i z3(sNt2I~x8WD>~UzDHj87MJuymwrLyFU6}6I|OE!+w}l3pbQ&ZxU2N1A+1|GA_XvUCCUi<0O}I!PeHYRJasog4~E_&<}QhNk|v%QUOMJo=YOj^8+}S zi1Hli2Cm*cJ*84Y?DYfR(;oUT;msFH|C}BTJ?a#-Q;K-%##fYGV(o574~Xs}iwa zjM$}LX+GZCc)8^rt}A7av%PO|9cuZ2ODlm^ClqHyc>%=1AtlgVyhvMLO!eaW8?t)e5e$m zjG_^@?xkvzz2le>#J#lS{xk(fc}(=%yjKhspt<&LiSD=Jm0xi1x?@)opPEMW3x3ac z>!j|o35EC!;{#-ib;FLfA4T`riwyP;44^K(tdkDM?48elU?3LpPdP=sG0+^t_h-c? zm;+ye9?64>6JgUGoxE(k;zwc@!7n9sPGPd-ugT>~i%u5=R5DiWFYQBbN3GqUgK)%L}GfT` zt3Hj=#|ZQeAhVS+P20l!VyTlUFu5!DaQTx6R1@`Uyrm6#==XTb!_DbMw}^%CcAwEi zR=VDsvs|OBLG>HykubJ^Kuom1DDdxeQo7gKWgszBi$_NikSjY^XYj`@&%V zzKPrC$R`+Hd0tcVFoZ8jAETOwqa+xgB8QV;D%8)BBaI+Zh1IrAcIg%5UtR3@yz8*( zRDyw9=*l{h8PfRI-(1YJGJ-lRvCc zGjXJsbyg2yi_}C$!g>w>A|i!)hdXR{mOG}J1U){aw>8mxY7*ddWfuN~m2-sT3D4w&i55B{(gcp6 zyUB<>*+6Fc_MaTAjz+?Muu+~Na;lz!s5gGALeFAvP{T?7unRxqUQNzh5yNG+NbV6l zUI(y46*nVqv)gf|-UbW`HJ0E6NMli7*9PlBo?G8$h!Md?Hl=Yrd!RKdIA6$NrF<;} z`pbRAu?FEVs_`5yy&asayorJ~c{xPAgV}N>&C#FJwZ5If$I+8yE#6AqpW;-g!6o?+ zs?Mb5H#yFyxp=_uPbU)Aci^F3d!(3ibA!k(1Dpp#}L16HoG>a&>5Qub?uGF{jbLp-a@B-hZq(=KCWG~zj`s&<%Ny@Z-S zE%hpwQS&EY%e;bG&jGXEO?rX2loal>a-AV=_B0GKAAwMVBzF|@ydwNaxvZhPx(bJB z?p6x#a1oV}8odqof+>OUKJG=NR1D(>T1yuR=dl~^rA=##vl8_!@i18HM>8eDMWqBq z_0b!G#OUi^f_yjJS`V^|<8w1iPHb6X zNJc^@VJ9gEpf4t>ppRWZLNYAX6DGldQ|al_ONeL~?bn1}LXdVX^ixIvSB;_B5CCOv zBWkvQ1c286g3(`xT7fhcfY>%+wGz^EROKBYrp|wdN-&FhkGjWb_nVv3*tGNScx8DX z_6eWaT%`1(Rz9G2G=$87AF#Yf-%wTo3aely(n6~;g$*6^AiVOPosUPpRd*3QkU=RO zS}9YbuVH?adA-d!oA?~x0 zE0t^N%Khu5h30&jO^oR%IKD8L1WF?EyxMd7ghrb%tm3;Re`orHyL zBwKL91iy22LYsSaC$LBfYhc(LgoFoyoZD}3{adjRYx1aYywWwsEro@}rwY|#B+P)B z+(G2MlSx%C8l+1$7~)T;WwJeNOMvBy3*2&>zHFohpVK{~oH0GfFZw{Qo|TDO~& zX~y8|Fe?KqeKwzHmfl7}7LzFD8k}HH1=GCM8lCPn$NAR<)$epn4&I{*8mlATyUITp z2~IH2pGH=1a`P4X2HmaRJ!~K~#DHeo0jX$>Nj00?iMev{k^Klfh;aK1t^k`M%nXjjnZX3s zt@pccll&J6Vhq*Xi|;WO_oVup9M2KT9%L^xVIlZ%R38jJ0&V$KsZ1Lw6neN5C31z-{3F6lhsnfYr^6iES`ayjy<*WU*Px=J}G%pFPxSR z>LA`f_$Gdc^wrLQp^q^)pGL2&KP^7jNg9u-kIlp0E1Fo=1^JN{Z-zGQ2|PyPr@%G@ zQ;^79wE(HdVuxFafvX z*+n$Un0QEh*;LgNy<@M1SsptV=c-PPoMFw3Yj_UHA{euXgI=fH*?Nw|lWNB<9vyiB zvKs15vK2IpI|(4h06L@muKs2e*+?Wv$1vW@JQ-OBjYnU_WJFex8Tk&SbMKC|@5SA?;)!W#`(x@2uIFS|@XO)kGSkIv4BTP!s_r&M&OYrA=8hIB0hq%u$&S!#! zU{{KfUPi4w38yy}rU*ijd?U&i7w3M<;Cr)u6dyzKyU8Lq@reLFEJdSLQZlZp>@dD3 z3o!Fwr%)DkVumRLv2c}ckh+?MufWH0Jw*VBP_>U)I0K7PLU^A~qaeIkcn5^kTm&je zqB0jb579~LJ;=Ei7R|`}ES=)1tgmzE2=|v}wG_bL#M6{;0;SGgTXVa-l@QJbXXrZz zZpH?S84mhehgoXS2wQPl)!IObR@ep|JAoFSr8#!Ew9P2&fjIcLh}L2F$=ycbVB`{R zX8V%qa^Hf-z0`{)wAX%;z%>+Q47_iYlX3In7u{E^a`KU%nx2!|k(|73E9->(fFpuP zAHm~b{!bs-yItr&@tzL%2qRxh*G?**l8JAD0V6bB%SFl_GefwFdYcwL-~{zL#^3Q< ztjgU;ILfg8b`c!0sdOr6#0g@ogwLX8PXfQi1dlDe3pKO{YKGfG*SPKwj>0g`#^6)1 zsE6nm43us7qxxI$hhU-YOXGAR#xlu!sL^Lq%#V2 zFrv32p^j#Qt3YRT4xv+2@YXHGz$&Uv#>zzGoaDV<)nn@g6O8BvZ2dC2T!gIe!P5UJ z7UHUgc{0JbdlsoTo~Rni`=`|hlmd-#fM$gZrGKn&jpjfS2xsMW3P%a%qJ}!H=kB9sXY03vK`eFNUMX_Ipks>Mtvu zGy>s$MIDcXsNdVFvCqn)5APLFw)jI={f~fa?S9BuWdQ@xHgW|$(AUYTn(4jtd^%ms zr_~9_UyPIu$o7tdzMCzf2ZNViI_^MYC1Ai|O5B$X(u!E24RF{yQl-(TRQr{KHaS?V$-)z;u++1&4riEYbYZ zByH6M2XINv3zfmprU2)--5l&!zf)~P?cdY(Pzh>30ihQD(J}ZYy!F>mSlqcnI*j}) zlhtaV)RG>I4JXq5)dMKZ&`F9JhfTuQo*H7ld}hr+;S8#_TgkngrZ=Eq9mBJa0-mV9OQK?qaV}+g z2D)Ln)m;)7SkOxufKHC4{*{NO`1j-L9G5WEZRsR!O7!lQx;KP%)_D%;Jn|j_X^6*5 zQ#IapGD(_=<$Ywb5~r1)CzAsZSD=zf>Iy9H#N6HpcN{_9~NLVv<^R5vR6{ z`>oq;84tY<+`Sa!VQ=lXOFlh&inEO=0LiD4G3cu2cF+qBoyL>=BR2AR`!zdG3mm2K zcXW?610hXN_^O~YvhAl~Vi8QIozPSl5}>NWY}BbA#qI!p#b7EcvMZ(ci68}ztte!8 z37gKY25RA84@lzg7INTlZ!lN;&tiEL87v!(!lgkBc`i#Fcct@Rr4v2e3vIm3CT7}$ z$>>V{4OidwnM`l>N62-dCK|1m(g;reiQxd5TE0o7tlz^+2}FVXZ(;^}THm^5kD7%d zS~AQ3Fp_`L=McTO>h<@PPLyxMfJ~Gz8S<}0hPQ$D=Ymtg`vxHe+}cPw%LnEt)DXMy z3E{|B{Gb~*MT|tIxIVds7Jnv%>!_doFvzts1zaL zJs6e7sS%^l{)anaEhxTzy>OOaWCYYk0qh+Lj0safBD!MKFAe->J=_-(tRItfHy8_@ zUxP$Dfc!H|V!ktw)w8St@fO1Ra~!;+(Vj~AW0C5{R`az)ZK+O{9hSb+#v^Jb!HkhV z1>e7z?x5BtqgnR1O%a>_IkS6c28_SKey3KcgMbSNUtv-_+vvq&e=~j-U0&J_(`|KS ztmqAqyoh$M+rJ zd$p#VzQ!(~<;aduNBSjYnMU|D*w|86{}#PO98OXG zET(s4ADzyAM9rhDIVwHrss-bI;~*NL{&MhrluC8Em(FXv3~?fmITh~B4&h%-#(0_^ zl^jI$3hVgchMqZoW`#VMQLXouFcjlcGKLp!fIKB6+qd>2w=5rk8YUt4-Ql1DK__1J zW#3t**YbKqu4i_;8^Z3-CkMU`uN;AxB}`?0cl8*OSDvm#4M))JSPYiF*O}wDBgo1E zmrvkDln(<9esNqX$`730h?wKvncN(%a_u%0cp6poxxEp=fBnV{mr=(r=%BsONIhw! z?lW7TFxl=jS?@PGx|!@fEc6I*x<$bw`R#o`=DY}*wb;AJnncjE0*ui19i1%RB-K@@ z?It83+CUwX-X)ciJHX#kG8)*k?cRX0m#?zjDFH>!I)47$)QOlFGA3U~$)i;JQaz(sSsr5|4 zpLyNRS?==`P&!14iCxlk1ae+iamXGt3X7=0@qsFaDl))W^}c~9i`0<5t6vgaq|&;R zq}Ie0+qF~=BOVDRwR9@Kmtma& zBc|pX!LDO}#6VP87aQ4>VOOR5kaY!Y6wg@{7=Fqk?|8}u8~LwDKXC=o@deU*UboLQ zg8yxDvhXTjOi1UAcns)}@0)~u;MBfoAiffIIM$fS7Q!w(4)%(1CSe2EE9Mvoudot- zOTGZ{PhW^a0{(&vTbt;pkE-+pm2X6i_7;*Km!fPzf{C1;!N|3#O-P-G z(GEWu6KK)nS;9|ByH>qNqkNs={{@A*q0mAF_|ioEU~wbOTjQlNz3}?DE+{k{3Fiv4 zQ1HBUr4<0z>chmss&K^vK{F6cJZlXd&I88Nk&AOeEvWthqGq>6T7()~=zPIQ3;={c zd3AJZP|?cOtis^l^M4GpW-0)>WoMmyH=wM4p}=4`8RAs@pr}QHZJ=a&Ewrb;iysWK zdzO0ZGu84q_lXMSHB^;JD{5R!a2{=6|6J|&_-C4{|Aw&ROMDZhcr-^35l*E&Mw}4_ zZx^ru5Hi1Rfct!*RVL_hV8##bhG7C0<6yK)(uF}B!I5MfF;{h!tFOi}xuE}rtA%57 zx{LH4XuUw?T2R;ZliHo`Sw{ILx!CRl+z7{RCU|$vJ}}<4ErZc3GjLER{JgUJ;4lmKILPU0A4BkS+8;WjA-)h^#%cOvk`YToVuhp7ay~)M;|ds%&Y{+H z;x7AEgZd?M9#ncG^-a_&5WR)@iGlYMO%{cJc@WY zx4T;+KqE%J$Bd-IY&WklGD_dYufvfcbh2_Am6p-GatoCXhLD}>sI-XTz*}0{U!UTm z3SUO0CHgM;am8T89v>;!XSHUB(--96M0cav-%@NbcpaG#dI&jQNQ01ByqIAX z7~H|gsAlPe31G}SU=6+j+JiG8xCcW(!O3v_je=JOwP&$eaxXgTstfSyQM!lcH`vrH zlOTXp_;-x(94z)Cq4U+OsO5;D?d?OAQ?WuYs)2!n-USkI5|Sa9SDr=x08?Zt*KB>p zMt8yUePR^p;L|uN4tT=-U9fsy>n=)G_an)Tr609I2E9c7xZf(l1xt|kCxuebOXxjd#vj3@-WtE4zV#hto6+&vd=YGl4<}PsCK99E z51ZV1p6ag1m+$7S;a9mWdt*SxDS}C9f}zl)+=*=G<2^Ia<*UPxYRmLo5a$?B4&;=# z)U&DLQ>>>Ge??Y$VlugLR-uX_<000Ek;Rq@CVpIRq{QO-D<$LWj@9MDu{32VVL z@RFt`2imdnlE&dMFaZ^oP6JrvUV_jj#XjyND{9mDFzYI(o=qf-#jj$ow$h7=Kfn+L z=Y4wZ_ju(Uh$$0Ij9R88IwY)lVHkSKritXVcg{b*CRAJ2+RL$(a2;-%1Tc!_CGplLI}^0wgsqO;1TB6s!#c@ra_iIhx0E4!h}>FB`_rk9k@McW}U zVWAIf_eh9n{kVnEalOQ7#!nb&1Ve=)8-9Tqr(i(qG~$ zjG(LfQm}}Y`8OkJqzP}P!z#>CHuL?>GgGlY6M&Nj6#{VPlq&_mp>wzF2O_~+--zc7MShv{pe-+phv-v~?bK_;zw zIi}*{q*qczGYu4P%HS-|D(kCWM|Co*di&6i>s7`9^;;UriRQ;L4tH?=I zeBCrKxDr6W_gjVRaF5or{ZD176Q&ZIc$!dO>LjdzKXZ`q z5T8jz&Gicblsk`nl>UkzP3;Zgi|8DA5nzQNjz{c}Y9sx2;O{(~@;t`hkcsl0ge+Y^ zqu1Kh7mV-&&J(zR=n2d>yW6Ygp?k@WVE;2Cq)QrQpw7O~u=I|=O(cv2LWC44ON)Rr z{N?q;tvysi3OZI$DoL{ldwYhftNM^eS|q7ySXkuVBFP3KY+q|d8DyNYN_VouI@-vE z)NvZ=1?=CTkuvrCEw697+HOU;j^_dOz{1S89-t$;qIQoe2h@ zkoaacpPADy2SO*+8)(ikL`%mHBHsyBWUU&5d=dntdRr)2kAQvb?7V^4-JYag)cD7G z#U4hrs#pEs@CnDqtlFlrmhxbwaW7AXNr52~yzaY|Y7~jtd$6)t1HKD?32qB~r zbt!J0;Hj1^^=&}HH@LXh|m##7G|)YN$Q^MtZ4 z9uEQgj#Y%NRRvuOP;w@lrSeYo2bpxHkPzw3pj^+1g*cqmL_r^fXSo3%Cku?GFPL$z z{eC<3YnKH*J-6&18%f^%ft|1EtoQf#`FrT!d8FBk2G`WSjD>vvqgU-Ezta;CkGbd6VPC14_f z?xgn633qTOmEokFGZ2;R0>Lchp!RIFG)5^fu}gR`Xhn8T2D7*PjBJA0)x522yw%W& z+o$f*0x&jMuAI8INBHD8a0{0|XQEcbGct7Zw&!nr23q-+)u7u9#nvGxcyc^xV>eRSPMRs(3$g0V3R5K-zc^Kg8;4t6!$K&0Z?)r@-d& z44%Q1ICj!{|N8uZ%a{Gd#r1a`aF0;fCMR2e_Ln{ph)^sIVTn`=q#qxau(86hdoX zMg6@3rvj1bP^3@qIy?mL5;daDt=lBd5lap#qS4&)vYXg(;G z6A-xnRDxqUp?sxP&-Hc>GS*yRa+Gf%)F}?QP`+bw)bF)ho`P0;Nvkddh^j`cjv|U1 zO_4;`D)*bcxs`=_ZDChb^rO;?W){<9X75mEXv=OPX_gkrOIpzEbak%QUpP;! zjSn7Xx*Iw7gYC;+Jsrc0)D@_SlV>r4uNq>DtUKu_U5ZP8nt9#vqPuVq z@{h$p`HqL-N%+xkjz*^Yd*~z=@{j5aVWPF?S7SFbFW6vBH84Zep+IA}bYfXTCm{^N zvdyOW;@Ckz*GMZZU-xSc9zP&an@H7X2)-V5wfJL#>tXuXJwEsubieJW{Ch&bozJG! zr6>qtFOcCA+{XXNxP}v-1*(XGv4*yDkT5U_g?G?p>KPQ?+CH96p&#DGHpiiqKa24ek87F;!gctD~IydlD3_H8c#-!7S=`8?V^%&|U^=hTIr4`QA zd&-V==*3f?L3>di(1^=ci(ixO?yJ<{R@T$h+Z{>9PuC34&#AgYdOJq2S52Tf=}>&| zZ6z5g-?)^z1b5}i##fj@3ddC;P%za|+MO%(-BDe6Oib_t+{+n+_#dpc9u0oMir#53 zu?<|-w9fahF#7J}&zn$2)YSqVWU0|}jo1v?Ks7FQUFeiv5sXR|a=povsmt;1^8og# z+(-)agg{2TbTWz$p109zY$oI^MAH zVXN9(OASkKe{Gc>wpRU$3r^)ZWU*$gRS_jH(f+KjW$y-)l%UYx;~Dm=&d7W8x5Iq+ zUGysX?#W*27F{!W;7ge0<3lZ5z|RE)W33;ndoaC)p1e(>*Pl64^9VN!!1&qMfNt14 zh;Oox9^yfKgn3Yj=BdoBhqP>U9Pmp2VMdJ!OdU(W@>N# z&K!{#L3rb+D0S}ieDogv|1%=9Y*s~uJ3L8>TT*3F) zA3^SWt&q1Vyyw^w2WWx9c6@LCbHZpjky+BZ)OslaypLUoV%pWjTjwP*QzKu}8UFh< z%EE1OC0IV|A>fC9ouTd`P{GnL(_(w5E1?Q;_+y$2RAQ#Esvq!?o+rzD=y7RVkG2J% zl>dCB|BX_i4y^Y(>zQ<676gvgMZ?Lx0CQE-Rw2zbR6W3Q>~d+NzN(V#e5xC~o2oH| zX(;pnL^!Y+buXZ*c@Tln3-9fh>DfRXWdR|MEACLd88xda-N?zXU4)s!b=*~-lphZh zw8<>LxwBFUAw#Q+0CL7u`DSGw3PQ>f7{2B!8*J`us{Iot8{Y@3l`*8_H3ouG2UV?C0!S&= z2b1Xs@o?oA6lTHL@F@x#!2LnMv!n!u{+_ArgF#;x}5i1aIU1q|^T>=Icm$+3XeWbChqp z>y+DWDc*$1@!kxWI@FYLE!?MS27=5FcfW+lrx=qD`Nk`|k+->HN=*RYjYk(wLtYJ| zs_(@~Phs^imQHJ!eEk$WDL`Vva*kDAMnpOJ0XqePM_FczI5g3pr$J|dE{<<9OBXa% zPeKp)PIoRzeO6!94N`{(X`A096RRXtJ^R|Z?1HeC%u&zjs5nFO$0SGWqQCQ1Qhm(m z75hq~P~P$4up3t=d%7=Oq3`TJ7Kbk~J#n(~ofa5~czahxfr$r2Cs*vTec~jV1QtTD z*HVrSi`0}R=usXLik}S$Rx8j2UItcVeMNzU>g&KQ)r#vgA@pJuZWNhRWhE@w6zZ-q zXp(dfwo*oRN2pF$)1OWCR!S0S%{4~W5)+sVeOyKBxg22@s@v9;f6?Oq3`un{>S{Bi zNVl}=@>uWrTP?0%AxbD>Ja3^Fs-1B#I_d0Z37&;Tc1-X?eq3DCcz4aArB%1KZKTkb z_Q}-A@nXa*bhoBk=q|2U2s!)`jGEGy2$kDUlEV8-_ba_(@I@|JiD>X;m_(Jo)Po#? zQvjE?wY87!+dLHrcNDs!s=VNiZi1hVT1Y2aq$OaRHryKglb3xG_v~p>oncM~?-tJvKgxd*!FNyL4-vfz$F+VXX4jL`?|- zqkmdA7T@k%6+)No;k?ogHA{=X=66!k@aVKNQOPAGjZV6zClcue zXTEb^HXTU-NxvNjkAnUBwnk~Q1MR%~V4U=AtgmlR0_@?PRAqKI~fX1W-J&C5~CU z*`9&tA=Sh2W%X!C0kK2UWn4NN8rP2Im1#m5m_AE6J{%ycc;jv5ry zFaX0nyfy+uj(N#`)bDYjYXhVv)M&k=+@0<=uMeuc7e_N+|B=7t8{9L?|98R`K!yjT zcIoe64}XK4{|5qrzjjps9U;2wU(5pk!|d|sNwZW>3`>-hfMYy3B=u-Y5PxG@Gkh&=<&yv(Uvimv6foPILmm;1j|HAon?|` zvZdbAV3}f>YH74gvrM<#ZE3R1u*|f~vdp&3vCOsHV`&yYzPJp)Zp?px-4In1CJbzt zG->pd-!X(%FE-egtksBbpIsI!zWW|v-T++F{~e{G!{PrOr5YMRDE!x`^Z(OP>L0O} zY>d4>qxlUz&6E)fBiCIulc$dL$RL?v)88P(q5x%oY)ky}2kdUj_+#9|C*qL!?T>%& zMlp9zsvBK9=8ryvZ5y$859}bmc?p}c;- z0tJsjR&q*4!%ca!vI^%T13YlSu;1>qPHRxJvWvgR$m=o*xvB|-iM|{svb%I@wthX{ z1@>ZtlB0(Az&el4=L`P~VelTPv^?2c@I2CG!zM^HHb5;oXGR}X$;t`0VTqj#wVYiz zPzMX&0yEA8#3BQ{=b#QA3u;GEOER#|rwI2zG7IdJ1-Ud6C#e#gK=JC&W1Dn8{FJ?6 zFHYp%f%?kBivw*)=gX;?6ac26Y(*)&2^FQ}I(x#^hU=8+(Lk$S91#g{oAwrcCehI z?}ZluDzeX4_*M)&a&}Ho2)q@&#jG;DRtGK4q0wb$m5tFDva_=mycVd0R+Q_Uj}zF9 zuzqn_w1LVwUVXj#HXN0k7kz`!63Q-VbXiKtd1xNF<=<*`-mLH;JXLuE>l9zfI{^Dt z`vKmobVYDi&L5z@-~nWPpTI~syX>42eSBz)&b_#gBw?f+X#(<38_Kf|0g7k9=|S1G z?eLOdujq^W1YTTkXe&9u*=v&|IHz2=815oVDf})*mz!5p90);E@YyCB;7S%*^?EI# z9}J7T;)MzIVxn>?SkGOgqy~+DSX12~B7Qnv&3_G>}3HDYVc+3k3=U z2vF_?%1uBD6f97nAa@W76fAdC1XR$9RndcriXOxpA}T5#QSpwxD&gKHMYZ3AuJVm2lr5+m0?8Ze+WYXoD`U~ zR_TP_w11zsVqiWf1R2CXrwe%W;`zVNAn6^`BaYh(pEDZRnR8o8MU6G{CWbdCN##*zM(O(?DxvqptPh z$PwX7z!ZjlSG|#ugpe2<+ z?)Ok)!x}gnTq5pbgp1*7$^B%qHotK#F4Od}kskWOeKFCbP75c+tI>m)qz-Ug9DjW9 zq0$4w3bIvGdVm%qQQQY|J!f8NJ4AV;5tN(P!*x>}K>EbB*1NJ&XZkp0TH~moaF}H}*F6F&6YC z*EPN!QAAY&L=xzr<;~b?QD-(^YU$_bhgfAG#SkZ5+i?pwP zngRIF3*(^8@MiQFtwp!!Ammmg&83OVMD#dWsGkgn!BbFYzej&%>g+B!lz8(bbOrQ? za#0UWoJIPe88nc5&v(=j1Ky{F^E30iz^;)Cx%>Nv-+#A#xuO0qeq>a|=)1=6wJh;n zlkLlu^=)ixe!Xk_{yz`O|7sJv37LPT0j03opl!OL$k2`aM7U2QKkz&(#qjSh&qKWS z-iPs8eD_;-s6hX7D}2~}%^wd#)Qhk#!2riEA!(>1{yGZYZG%lwk%#0%oM`L_|F6Vx z-DXF=)@oto+g;!_71`EqjWo%h%$$=#vwPfal#imsccN@7H$$VG+yvkG|8ZsiwN2Jw zVMHH+zvIjF(nKR@6eDe;f%TUb)?!*%TWMiEriC?_whM^5-TArK0?<$oYJ@Yb{?<^& zKfd($hWgK~@U`VpJO5}Y(1^b?Z9rq)n>yl&F)F!rr145hEQwKA7@dq@LeaqYG0@SpDag*B}PCBc>43n<;wt_)3^gAK+zD@DWn2j|lS8 zti*frnK*$N>~op&70GFi4%kQ@yS!eQ(!4?O#(X9(1e_R@;2f5z-nu; zW_sA_CF6%JMM_$p3z46pa#whRB;>Wm_{ppTE(PNR>mUsiWq&jl=*>X>+PN&knPOk& zf|b)9MFb!Yu9!~pDu!5J#VRA(Me9!}6n+9%>LYPgrVLnH!e3xf_PaagEk{BE>>j3b zB3zZ^O?jgbp*f`QlSP6Eyp77!+`L??6Q3 zL0)2jJL6oH@ELVh&SMNx7rfh>jU-tyH6IU+!+P(pAdGS01-zS_s=J6gl>8GHV<)q~ zTNfcgAYSC~yxiK^^LWEGBJ8ie7TTn#7*%Tp*|4%8ZfQkaLO|#!@MJ8_5@MOGhD4Ht z(r_ENO0_Lv+QJ}^Jk5Kps?f{-l6MFq4|^U&nrTz;P;0EI&N=i6}Ddr3}YG5D_ga5B`2EWV#kL@8FQU!P{*%JFdY8A6 z)UT>IBRfuYs3;G;49z>&A4AiPcOvEQH9%n)W3I}@1NBcBR0;Z4y}8s zgaG2r%*Q*3S`&mv>V8YQzQUnD0Jm;7>cTTQhP+jFj;f@H=%7zjRn}Bru^#69`2CtK z)^|BE@I6WOGrj@>#a#Ty6oBM7j?C1kta&6gMd|nwy?=hurxM??O*vpK4n7f-%Nrsy zfUgdbU3eZLXby2=11%zI^9DNHu`?R4gUSyX>pcgfut+nwc#`h}TwEIY(Y%(@M**!= zl|ze|s&n^w&LGBe{xkm=u5!*E8p2h~P4XthpM9>*h$I3j2PEY)xn8nGc@Xm2-cv}r zpo6s;#j?Y)I*g2Nk+_&2q| zKGak_+it`Y;OVf+CQ@K}NJ~BHS|nY<8`fVizpE$d!0lI@gY;y{Itywzb2)=L90AAM92|#P#^!n% zOU3FD1ZCmH!x71ndeY5 z=!x9Uh^w*=Dq4K1o^~u43K#T%(vyjE7g3w!DF(D)d%A`zfoJWOGF&Kq@2dzF`8LyC z{+(;<8;FFNbdT^TlMCG0-Jr5gc+idU$2b6FH`?%S!pzJ^U@~WO4^#{%Ke^^2`5pgZ zsRNitBfSu>4g_1{pDcbA!*`+_b7>yOJ075HwN6c^Of|ck65HTJ)L0LRRUC#f8XO~x zrB=lShy(l>0<(sz$xSZhN;^QIkXn*bw9&mf%W&lot`XN#yi9gV%gKlEJTe*j+={Vj zWHnGVvHze*qrTE+{gObhiUKw&#?PJW{nLzV?eO7CS3%=3z^~v>zrqSsGqFm%s^h0o z&1h}IIEP;q}Yh#0RWB4Mp^sYmh1Q% zI;2`YVi|+^5bGStH?b&<%IbPO(+BluACHG%jdgxtC5}dEK?yIF^Z)hljWOObCrKCFx<8iuSlC z6D!Zbyfg@Jp@Tf}NScb{FMR;$P$?eDMx*_jFx1=-PCiDvmp=%+;7Xf74Ls7ru>r~i z7Dk13nvO}tyF_>(CsltKhvkxU;p4<}R?4M|AkZX^LPh?!RJZ+b|gF|KP&^UFQ zrW#byl5;0kh0|yrKxQhgHoVABFaQ{*s2Z(S-_}U4^OD{#DeZH@Xd1tZ3)ZoMzU~0{ zM$CEa!)-6#z`Z5A5U2J>O=;4yyhN1swXmDIg?>Uj&GAaebWn#k1JPyHL2S0fMB|Kx zww8sQbt`qEiu~c=N>G{D6>gg?g%aD3J%xbv+!>&dh_!9LH^ z3xN+)F$07Rr8=dwVzwMR=@aYg%1n4Vhu|$$*P)U=kvu)@K?I~uSsviJ>x8E%<}xT8 zR3FjgOtCYh5NBeCY?e-uf0RvQJ|d;4LM`O6-&KgFT}0Aud<^e~Gn6hwQi=2+URpbM zm;-x(LeC(t&HDux>;fL^cM!?p*O|>Z(R3ciifIP;6{qFcM$s}w5QAFtd$A3QsVdt1 zEZ9%xEmq5ebrON;ZBvWayd;{A=U>&Dk82%$&D0D+BTEz*)5`$)OCKYEM@D#^DUSkU zKQ6TH!xpj^uM8uxzaGakA24ePtCl0X2Z|SQEEz;*0@;l-2OerqGA13v_lb0Kb>2bA{JOxuujLrpk7Lj8;S6*r$1-K`|B;_o_>8FOaa)s# z7FbT2m=4atwJ+8GY)=$#S(urC?130g2_96Mjyx?AO%Y=0LbUgMN$7&*_2}?)+~G!= z>nySQ8aCsM>N1;>B8xmsBsD@?;9HXed;|HMEjRG!4=EVo_eYMhKG`u4_>M zw;oWnhA|4s>P}SfJ+Ai-MMd3cV#G_TlS)ao)CpK|i#F!eFw1-!k?=ZRqEY+XHksH`t7E+Ta9aJ1AbE)XQ!(us=8?-u*>k2PD@>6`UPP{|n8C%%gjS zB)puL+T#_Fs9Kdj1qq2v-<-NYXM^7)hI+BdCSVbGp9N?L-!~2q zqNfBuxJka&QI;(_QbvAr{m>TA3dDLoFp!PMULN)tB86;=R<;P6=sq$8sE;fF%X*K< z+~kIjg<~xTaFTgWDtT6;7CZLGRsVW=b&YIU$FLv7+m7m~fpy1fMpn2c#6p3VMt#2S zRmC8j<$0=1XRlI0EK0RE;so~$oW>=oL!#V!0R5SP_#1|@urLcQi_0l_-`yU+=XR7F z0?ydNZ=)&&Ej(S&y}#`7k(5{tdD~FhJ2V#_1=%A2uA937t9lpns&buucn0jj=UKvE*F_IJjT_6PtM^-UXt-2@ zDoo?FbO6mjQ*3!@CYR3qi;lcy>8rzGyy3kGqIr&&lKG)J z%VvRw%srjw)@zcB`8SM?kYF2ZG~W>LJ4!ZZWVu*-SB@8t>MB>Vos7ZFXmZm)l0;qn zmz4cnpmqGW9xxd*)Eb0Gk$%n}$$C-)RiphG-da@0GK(Y+lmyNXTow}bH<4^m|B3jXjAOn?x+x!WU8#$_%f;9a%WlgAma~u-EBvG=CrA^}C7ab? zJ>Wb6?l*g7xxkPI1eTm&+@TK69YwE_0UTq$%&}OdWpM1l;2SGsIL9$Vt9HrUfz$@@5ybKhjT+ZIo1Ek#gBD0v;@BfaQ zYU!dfiC`4nt(A}c@#!L-K}OR7TpR`(`|?{LJ1n~f;(|@?tY9hNL5Dgf>ioTALpa&C zF&nP}?eWD?U=q7(i^HSMo!XYKW0pHtO?nqJi!ZO=i^EJB?@xwR=5#e5VGBKlVoV|} z+^^>^GQ5VuRCev3tU_hE$Ko$#2AI(z`S(Nj7#7z7WrtF(q z!V3Q)!NyS#pJauVf#0RLk;MoWXh{f^g4Ag*8~7J=_@?B_DTND@#|TO69-SjmFZHpf zfuK#lD2Y$6#JoI2?T&H=&^*4%b+b2dTdicZ>?9^Jq?7t$$F&+Y7M1maaA>C}*VVS6 zku`^1&m~UU;OYwt4*qR}ZCE?LE0qjPAI`}H*DtMk8bW6CAzT()^QOd#g&f4qCf6@z zav%_)!fR#Z1>K`=lSxKkIqGiP))j9eIre_A!hFcPzfHsQ+-M+M^+1ebPtKF(LY}4` zH;@(KG%mY2C0qvDubZV8JR*h>6=U&Jfd`gk$4rXbgNv=m-@|;{j24^s%Yey0881G@ zhQrttJbSDR^Lb5r@%uQblLZ;V*QI#DYrY;kG7Bsb>7gEJ1u$T$2SGzvsfCD{ZT;*N3r3hXL2lza5i5Zp9RPVjhbunMu)~Q z$Ie~1UdE#P6!zkt>;@eWWQg{nn%0se?3Ux%*L1E2q8QG~`1>%%8}D&^@o0qG4;zhg zdN+Q_1?6~o1JUJ!dC&F@!DOq_##)Ha>mlNNV*6^biK%K)=1Xkt{K_kV1j~G*bGE6c zfjSt*n#}2guUjr?nW=)2q_GPOL~`|H>wm89GiD7-GHYfC18_@V4a5Yk_BId`Y<9Ys zP@|jLExjqN#d~mcezu_)W}P%rQ`jG7l!iz1AGMRiMm4#2#blQ|S!s{n^R*V!x7Ut* zuQZoKxZc%KPd3|#-fz0NlsYdw2=swK*pSG)Z2rYav%vY!@{9&nOJ!KiNHH~b^RHmg)jAavB(<*G1&6XK7;YnHr(#9#e+U*sQ9&3F!D&cNQGdF4B`WFbS?*NQ$i+jqiiy z#z_eAaHrspCt$VlWZn`aJjo=KCqS^HERnRwXXt+P(0ik6W9#=b$1f$bb6DR70#n&3 z^B2)Ijj)Isj~`+R2-jG}aDhC!hv5tM!mQ>Ug@{L($qqB{XSL9m`A9WS%LKb=(=kc5 z3Xxi%S(rIOf5u1-3Poh2T7*b9@^16*W6tQ9RDPySJlun%iLLa`34FV(NQ9#vwet+% zt%Ij^YYpBA%~EaX&~K2&sCQ?PK>}OxiC}QTl}V!^NzrdT1tOCH0?!0sl)W!SK1pI8 zRfpu`0i>P%me8JzQ`<*D2`c**J?Zn~|d?+1Pq=39>;s%~K}$+pJ0D+!Ln(E`xLwq~_D zDYs=#^_w_u{Y>1qDHe>|AfZF;Bw*jo86=IQ4(?5esV9;BuomhM!Tj~?b9#t>E=4%b zdMp1i?_9`F6sG@Z-Iu;d+Tb~k&>T7+ylj)pgM>$viQH$letzx>-k=P^_XTzc?}MUw z9tmNUd_ZMsGcH6g-?S-SVoHG?L0aiRrnrO~eXri)5 zXz?TS~pt~C20>7TglD` zBuoA$$aKvhTPMztl>moSM4>c<=ggjAWW%6!uGT z(jh4}aMApOPKuLH{4sz}`<5d4G)ZuN&tw9-c$rsen|nX5`-X3?^+9YQTSZoGa&;5U z0QRBv`FMh4Vm5^dKw7CO@SD`%vL&ryrgs78s1=?=AwMlH`yMX^d$5iyl5IeqleY|A zQJEUtOYFciBYhxhQm>>Sv*WwyK$__b>ipSE8OCsHC28;Yv=auP{kj~cI>RwV>*fALene+uqQ=mhBl8;1t zFLYtkweBwLKDJ^HiO+pX)AAq?fUh<^r>!=TOdQ8|;-NwyUwIKP_f0_MI&Teg8Mx>*oX`P*nYklW|w($qS`)1URsY{Y7wKbHS}sQNzC=zzRrm5YIt0*(&hGpSg@v|Uu+8; zN|Wm!Ea{Ooh`gGo$G$f(<7t>;e<3_YTxg)9#AKQqhkR!dB;}qZ#XuA`csa^VjUo$0 znrPlD$}=0zA?L`qS}C*VJcd_VK99p$7hb0A3LYR$S?MJ8!ZrF!)hLoEuwb*vImg>J z8iw>k9W>EQm`A_&^~HF!8o*3vV9dqk)|sRxLMY_7l*Km0s?*Jl-J6~w3F?c{9Opa% zGzT$wGKdU>^8vAQ`U~PYwaGUF`CccqjM&rz2=Lg6BmFC*cSkT`8OWCTf;sjVKrW0_3x>A*K^j1HTm zP9(uPhfA~o<8&{UTh=IH8#u0CvbSjUv#xmLxsGt6_y*9)0Vyphv&HFQ86f${0pU%q zk2eQN_i+l@p$^lNUgTR>ep{~N`6vC?)IOwkm+P4*09JC4J;fQc!ez#}A*`HaH;;An z7sQX_j}NK4c^u=x-k*>OX0r+ApX8bkf#j<(jvOFkR2O2#x#~N<*U$8t)cg}(1g%#0 zv*&m_Vg(_acMzQ+i{wG1a&yQjbr`}yzDtMd!;bHauEnij0`=CklI5}y7J)A|BYtL5 zZK|AXS;+}G>^M&Oh94P?8!+d-h9?7*t1l2S3%#VFbRy_H$xCqj>4<}`BNZU4BW$6P zu)=)F0@Z=Eolx(Epu&t&@Wd68Jt>71Sz&|Q z;?HCF`#@sv!gbp(F^=zS)^h&{h)HjL286uwVu*b}qgEav4V07pmuzVa8O)wDNCSKx z^Ws%Q6kp0uX=YSoI)shXk4V4OoQ*NgC*T2?=e5 zS89VeI^rcaU zE?C}X7^CNDbn~~CO!*M|uIE~A%K|1ua;cT!TNaYGp~tJ!D?g^~tRn7HY)37tz;#l^ zQVU~m-Ua??X=i?u9t9nYS?+Z!L{FoziQ|}0eH&12Edp|ZSIFz>Tf$LUTLQZz1KI0t!hK1O^8lG@A2t}z=sw5uyhyB3TriXWg~5HD{S?-?{%Ivtw9EG5%$b+|(8qGiSxsIX5w z`HYyoE_D5EaiY~xmq6n50Z6H*cOzRJyW_%N%SI+ScWE~~U!!K{33^aE;```Lhjo^V zRGp+3MH4V(>x=A9T%+n+`LmqE;mu`KF!35_J~qUnDg|&EFh+y3OAB2ZoTPd&)OuM4Qya`J^wkM z7l*cgPBPW&8k|K(xuf)egIqlSUpT||s=Fo&hWhT(b*L_`woM+79Y>Ic_NAaWwuD7vX4{ zdo5b%r#u!pk-qL7b`V#k6K5(F2e9OB!Dkrm(DyRG`8lR79swED8&CQ7bDgCpz_wbR zGzcvKilut#5#Gn+65y(Q1eQ;Dk$g&$q^G1<;b}R>{|S8))=$m8#R#7i4Mt*e9trf9 zPBMAct*+SeyiSODLr8NU&TEf=>AJ{(Q)QEPE;_aYopekwSaDTI>=EtxB8q#9u zM9v2m0<)tsy>5-O6_h=M-kS4@;9(|vTNl`c zJnnR)YYXCRz15m%I@Y#c$9`<6NzCnrDt?u_K}_=q(-qHxygNUH#r331ZZRU&U>?ZX z++2hb-z!%pDK=LMcj#-&APx${dY|HGCvjg-dNT0vIR(ibp%*534>#RAkzhIgHJx? z+lpLSpaUdwJk4;N=%B;`z{VFu(m3X0_xGsUw9jN~t@nL`f|8spJj-88&V{h$Ji5`} z14ox;BKB=6)JbVKb0L9PvX0CteHhUMVYhUG_6C6-^)_v4C1vBSSBl*q2?;dsrkgPo zAol~bFLRDMT|1KGt>{~44ZkfK1`Itxqyh}#sPG)X5Cx|zv$)RHO?6KLV8T?W72<4* zDY+&OcGNO*0!%88;c2uJtP>tXP#>`dMtgjNm#h?GYMJjl1*K44unv(Tn4B;#(ZKVOpWJPKG)lq6){-pFz6wuWs&o{eFL@ z6uastow7rGNoOugw130oZT1x>p`5`H3Q86~qO>MkAhyB&uJy(tX(e3%6QuhKGE<2a zQcXjXXy<&;`^c-#5*9;&%||4G$q6Ll_Kfiq>)hIW+_xWbBP>To`F0~*95~JmB#Lhi zmPg`^5cH9{3oWM3j7I&r?pR~WZP8L`X3xrUJWlnNV`(aJGs^=z@YpaWpX7CGM>l)+ zwBmM$mn((&i=bG}9*fsxttCxZ25k*k*9mK`-Pg=|o+HgE?q^qID%E z>uxalr-gyumr(KNDD<#-e<}AH=}VX6Eo3Q9DMR4Q=gc%4Y6aIoDCc_@q~PBnS;;Oxrad4v+S!_yK9gjU zg&a@ntw}K0Ki3RHHrHyh$5d?MY)q^t8#R69$QzI&KI1k4>=QK=~^;GCEW0c3@dh4$+@sUUJ`@yq~gM?5v z7pOQ!W5En*^NNG)Ne--{?^?8ch(4Wn1Sw0&VS1AM3#63s{dt+ldXQwP=0X4+^bneh z=ON2*9W`^k?jH@Hf{>; zk&|s*wcadb>#mhDO+!U%3C)M3)dr|rTsl$2gXIcoBkc{N)t*fgsJ<8^Ars2x;Y(m& zF1pilq4aa6D~xi^sJoEqO^Q2|wnc$7<(lO29s_Y(>kXPGJtVoj`BB&IvwubAR8p9` zUel=WI_AdkS7UAGP0pvy!(t9i=M0VMlCx%ZUR=A2L&WEFf}zDMuuLCVl@?fDOJggR%({ zLnITa;+h%e?M&l8#X*dd40{n+bzntAH?s#8`Y)9^e2G!P=h$7e`FXP^HsC4Gle&?Y z{6}y`SwBg!4um{LjFgH!fmI_xvfw@vzElfHL!4V7$`zB5Ue3d#g@+*^CA)SbB1@&x z1dUo@KCHJDC!5ddYx=-aEl9kOT`0>1x>=QI|3dLDRErmS>OPlDNa7*Y@3V}kr3`>M?X6awx zns65@k2$V6mCx1}LPj``R*@yuLHrdUU!`6!#JiDfi2i3u+$wwykCaU0h2|bOfiO}c zcDRa=WjE#eaqFc{{z|Sd)=MTx<;cGQ%vWg)*Ng>Hd||`SU0^Ld+xHZrRH^R zAGLF=X?Fr=xMp?i)#4{*1CwOQ){-)?`-5Saz3Z64GCBO^rBJ{5BVrx_SG8{kv)*X= zUW-RSDjn}y_dwxDK*=$${t6_Yh!lLzUoUro7}-=hNWDxbFN`O3h2!B9FZ?P4 zUMk@kY8ulC!f2$r2Bn@k}~6Ks>vg-Ip$g?YAaJu(A@uf!=G{B5c^`UIr zC>;}^fH}k0H8JD5p=baIv_I#z;YYn@Dsg;9h+YgMArdur`|$k7R;lMgcDj zsS7mt-zKayhUrywi<+5#;EsXEIa|&aVkae)0pS#gzo~D`QO<6@Vzwud>!xrF)5Uul z32r(I@2u{O-P{7_b;03?)4_^MMZ!V6mira!{p@KUiG>Pzm>w4-fu4P^_;ihwflIh= z;pt3}Hz}JTkdq8-_rl}$`RGT-&oMW)nct1M285Q{8-i(&w&f-S8M-hD=dUxYqm7o~ z8-H~Dl8RH9;SQa{9xHQD7r`O%U)t&evdAoyd7R2zfWIENl86WAYqfHw=dd4UlCH{Z zG#O$#^tkPtc90fxw!$K_&vCgBccDe;OJT25<%#CnxWH^kr}U;?%UUfi;Pst6S2H3s zW$3(ZX?tS4wS@mhZ@FKunBc)CvS$TqFbm6Z2fQSFOFX8<(?Am$&jQJID3J^d6-KB- zT1mt4;==QF7srZw&DGyudPZHNlatxmN!#~I9h>ea$<^)6Hi6^Bomw&qcdu?^Tgs6b zN0Q#wLkpGqEOrZnAUPrDLu#TB4|8qT$j=BJ>-MMx1ZU<{Lm3B-Thte=Un_*otjBIr!fy|iWw4y>p7pi?M zroL1jda*5Vc=;RTBvZGTNsP3YTbC=LONUE~knIcLkpwq;g*1*12Tf@&um$E60_|(A z?Z!6REq&eX>w|;9K8>Y*coFU?XJUhMonR(YtecbGyaE)qu4W6U4P|{RrA!`z(rcOV&J(3B(7)!^sxj!6 ziR-VvoaP?q8Vous_FDRx%N4F||G6%5xeW4cyEH0yBU4@nUuuGBb8hNYm29ug~i@RTXHS`!% zFG1!eMzO7HYgpX}ffmGc@cHzuSVXE(6Y4OLuCb zqimzLiOpK`+-Pw}F`{OeWWh1~#2D8lcvKxTbW9MQnJlIcJTtv5%c7Y~ z@PAyE<#AAgFbOOXgsGrV-Dp}D&HkptS^2-|m?co9s>}V^Emf5d8Qkz*H&^YeHrY;URd*P zv~6fddYZqDr9ELQyqKP_Sneq_&}_lLFIF5I^|X(W}nC|IO5NKlU4RA|7&df}8 zqw^H*)(5W%@ak4D9yAPI#EXM=acL4Ah`!D;`138qXkX%t0-dGwp`v`mf5W*Z#}G)B zjdTK(`Ox8VTQW*E;xcA}?;Ij=c`u>xW&E5P9mUMGJ!@d6v!T7rGvq1Shv6j`JD+Cx z0)51fBpbM>iHXFeRw2(*h#4e5&hWS$S=f@`nvBQ`cppyTMhNrmIiBZ?Q2Oi2=^;EO z$13AcxhaaWEutkp+Wfg*bZT*eIWJO*!5Hx-pjj+lQBbmL&8uk3j@Jfd^}&q1ZsIVwg$dwgXJi%^pe=R%Qm}~U81hP&X`d#-yj_SlvKLD8SmaIc*Fhqelh&{ z1wt3x-fHHKkwe!0P+4-;J)9Gmek0dl+Vk4pg2CdKvFu3M=Z5Si&=OjO2~T9A>d)k< zgBuXgHCp@Sc>vF38yef(5&r!^!lQqST+#f}TfuBol+`T=d<8>7u9bm8$eL*eiA zU7}sbbOu+qY{~kL>@pMSEV}oSggICWvu>P$Mbe0-JFd~->7sSv_7MBMpanEmnRTzDecONz z#!ey7{z@zqz8P_mX_gj}@*(qET4n@zPs0T^WC*49C;BsLhE=Cj|$%ZPZJ*T3(}Zxq*$D&EvosHQrkY2vS}mBy z&dP*iv$&bAZy-?5J(u?|!t?3(km&2g7=(|~hZm<~nvM5ZUCb8Dkb_LJYdfq7zp2{_ z%X@ZoJNteTZ+Ve-|9GPkl;sLeK~bu;vuu+-gVG7d1w*79Nct78puI`FYds`!D~8}j z93OZMs@N-@fjL{=OFBz?y))nsYH~gxw%36ko^`ovbWc)V@)Tj+@63eNZkor7+>2dM z)zMFKc``bYap-=B$?kv6_L~s|OC|Q&Q;uz^jc3gvt7#dH97Sd@It!+oB`(fc7$rWTPVijZf3o3Aaa2;SZ?{rtE2xSlk_S30_;3sO*GAykoeQU6$ZDq;K4Bo2qTLk+zl>X~B!kx!@v8wFCUZ3`iv`umx!2 z4`L@4GIY-{&hE-7K5>oMhi3i>js@H;Km-3fAI1tz1Z{eknJ&WYHfqYm(dr!ryMJ%H z!-n=hwnaGj{<`VkTzdELsDJx70@9ow0pkA2zW29}|3Z@Y_ucQki(J~Dr~KQ-JNI_y zO8(sZ?`yex4|h-X=f?mmot_N9;^aGLy>n6bz84(xm$%9PdC?I>@!#$OkZXS&Eb`^Q z?hN-j`LFNc2JRr9{{$%m2}$z*ywZEek09dy>m^2x__xFU*Or6Zm_B7vIC6&nau0tV z;?EYj*YEM`qV919-hn~?`3BHI>Yv1fcZb8h&+hUE{`uh_DDIws@s9M_ox}Y3=FVa6 zy}Nsud++`@%)Ph&27~``oIAVz$>n#KfAHVjes_=c=g0qZ@4LK>$$)T9j(juiE|DX& z<)4qpAA0~!?XO$!o(2+8|4Rk)zf>^)H&if-j;sUTlY5kct>ForGHuQuBn+ooizk;v zxKGvr8`^%LVep{T|DBbgiT=~kbO2i4c+fpE2AAgraBu4Fmu!F|oZu$ss383~w z+D*#>f09U3kuee#y2Bu10$6b;Mt%CjjBMYls@8)0OSs~%T{1~wF*^(Q-LiSZ@0$`8r zoA)N-25=^g8qc)H>+f)Is2dP)%_ah%5GXd}&0H?EVVU-b&~ya)%g2p(ywF7hk+snM z4j|X>aBR5Wp|abB=aVhO3M92plYWv_A8~2aGMs(@cTxt2dKP(=5@DE>MT)~u!pZ*6ginRhyfyA}Zy&G|+ixp#Uv3JGVWu&#&%T)evxo&Z$#0 z^m#1S2c^T<$EDFrpp(W!qC`}Es5S%d18A@o+!a#H#n!fNu-|2`Q2O8Hsj*tMKy86J zX*6Cbq=r}HnNV?RCnBCH=a5*$oE8WN5ojBsvvE5n+b-7ER(8c}sR>yNCdJ-$FU#Dy zm92n&*DiD~8BubE_Ry$iA5_&V6+;Lac8A& z8WqsB^Z~gq6s#V>cR6x=0t)i}-<%=kXz&#;yb+N;=MjIV?-&lQQjWP_2(?x_qtK-b z9hp-R-jwsM$VfOo>d;lZmIUfQ!tuvX(cJY8{8L^Ao(34d`89`Y`{Ey}`x4e)hCc;S zi~HR5LKZ%Lu@siJ(st5AxIx&Q#w$Hb#M(2$Q2%JMJ~B9j6r2va4LHs%!^+JU+=UHQ z9Vjdk+EfM`LU=l;V$4u3fzVqg<;8Rve{y_$`X>7r9IrfDv8MWW+*3*ne|GE=?v?i) zM5QifLEa{{l0tcuDo-MyOk^(CDqB$^qtK4>XOwe4Nx!h1*5d4X8)WwPUs_xbYAp#& zm^z4Jhst{4AA~IgISQ%j0yi+d;GDZ?DU@R@q@%eG!^WbL{nYFJfy=~WnxZ-Ricmwr&4+{i*N>dE zDt#t&Nv?Ya-zTbh#x_`BrV$s&+DNXWFf;z)Pqn)Fm6Vyj&i;&fH7h4q)l0D&HTA}8WV0xZP!Cl;cT|6j%gQeTQrbvw;sru!L7daeyJT-UW_Q_7FmBK zAhl~Z%fKa88I<3%2Gd~uBnX6TkODY9e5pDWGs=_d=vJT_WwKv5w&}`-IrAet zM9WVlL%)SK!{6g=QQ~oJWvuHPjnvd2n4i;=%QVqmgXNnPuLse+3nZheS>8!TLUvnh zS?v;{lo)@ZAk^DuP&qxuAK{fLg_PMMf0IAOKZiX-xl$Y(?kSa~he##vXl@nFU4beJ;YxY}L`H%j zT8_Qzr{Q+4_hDS%gXv#E7%A2lA0?iMzCt+%1siPH9UU3vqJQBnEw%gmb9M}bHa7?0 zEF23cZTdVrnby4z1X)7iKcb+m$U|IzYFCeKAB%n(D3BKfrHspW#_l1Y025 zBrOOd(rMTW!9p)=^Kv8Y2F!D*lxMqWxfHSy{{n^Bz4_<0xxXMOr|NyBH)w-!*cW<1 zS;E{V1$a7FL#F%AAn8Z09b9IRsS-3+n^`N_(9oC)8C{V)GQpVOEV zB1It5tt@sApcIWV%^Y=m;r*8SqO8}D@pUqDCSGax!QRHRTCs^SDyI!!Ya17nCT57W z%=+r7WLruk@>`xY5Iu^w1UK#WZ>s5C@~yswHDAR`1L*}-Dm_fnFKL+QABeBR!CkvO z1LuQF#e;YcoewCaDnz zZU&UAjSXTU-vV>ci$TfKfNl04>%$pi>zjCwSC5mdPrRG`?zTd!hi-sR`5Eq_4!-fN@Otmu5JDRH{m1HWC?8>t~*Wc@!_b|D3pJH+6YDfcDyAK|RT1@7fMvn7 zI&JwzU)J;3E5tbO5+>e9*Ix|GA(H9wV29r)chfSnhlpc(i9f;cj1-~vz0D+fkJ7Yq z+&YA746DnpomKxF_c#IYh^v|L1~bWwt(*#o#zqTfne;}C1N2s+FN`cc6iUE-GQ)_} z1Do_EBwlOJs^3KWcvI=#>`{$CLuKxa{I)nAo0#2DRXzwV|3_jTn^@Qj&*r|@;tfn6 za{}^b>@t_%!WrC@5aBhfpAy0?B>61iy2@fFEkO*nFwX*C;Bm9V`?6f5@@=E%)J_9@ zXM%kU9Z^1=rp3~R7=5y~RSYu?7)i9qEfnz04z z>xKXx*jm$Ey}j}yx-0H~`*yvlG39{H+@D;Iy9+xsWOqE4Htw!ykD4-+7mw-Wd5Bhs zc{rbbnH&qZXR+(tahRN)0DNZ|-s&b(cBTDjkq)nH>O>@zCN;dkskGTYP$u#{ZeTRq zr*KN)_k^qb4|50K&v=IKfSLCl_01mMFX&+9-HSQpK=guWZDz`xmm^3!V5}jPy!oh{(_4iVkjW{JEmOvd$789F3vlA){ z7&tAFPo8IcKFO5kA>vWSd_@12Nl?F)%*-<(^3Sr@h%WL-HC;!=W*&?z79b*r0yJ9n3h~%;;_3piNe(QScJ#w`|TA~?D zxwa6tOd~zX*SP_C*~m{-VH=4`?b9lA!R0z?@(H8w6!8x68IHDe3Q0XWG6~gGP)U|N z9Sq`5f@m{~+p8lcd3)EFH|?wnEiR{g$mA~#c0W$Fl zPOC+%tVAlK#M80~DOs7NjWl3ZtK8#&BPdRcubvLPPvM}91?)+)lw;l~e6)TH`M|!; zG65vC$_7^bPRnGnc{<;xrkNO&Wy3h3Y%h_(_XJQ&m~R|4f>D~0eo83)3l`0ADAFOd zQ6xP$2>Om!CE-0`Wq0ZZymWw@a#%-_d}D2$5^U+I zYm6DEIM;wl+rsy^f^D4kUYCHMNP+BhB{>hsk{ik&W-My<3%-0eBMOqDY`Z`*x__+J8pFCKT{^+aAc^Ri~y%pBu>Ej1sJu%rOTp=2YFDec38wPg! zE_r`=FMR9r#g6)PO^t@m-X9#-|Ki1udPiCZ)?`{oEb(TUO5gYPS@-O(bYH%@OMc7; zYnOcJ?tAs?_f_@{V=rYV-(PEpckFpTzn^gI*Au7%LWBBC>762So!3AGyZEaO5wY%; zHzNk5Kk2e2uVeg!h=B^}jP$OI41D74Yi;->zrXY5Cxce?v<@D8`}ox71`n!V81C~G zmiv^?qIZO*e?7YDY+PYU`Kf{tMC$3ML(Gs{) z^laVz{v&7KIW=U|{Oku&qyN&_u8v;9j2qf-S(OSErzP$j+F!Tp@`>WomoKmG_PCSH z=w9u5xG8qpu5W_JPTds2B2{RoHHGVPv#zPz1_wd&zP=}oHqM)VZOo?I;z=C*{^$YY zy6pSL)BlCinX2)16%W}7^@s813HaL`A5FNc`6`;a^Hr~51r3{LnkF(0JFicCb*NSA zC|-MCKkm_2>flLxZu60@YUjg2Nom^#exw`keLr`?Uh&sqhP2~5vy;+~(JwypR&@=* z?pJ&g+Q=?p}LfG%9a7)p>FG74hLR+fVzyIh|JeQ)OM`dx2MO z%>2CV)4Ew-Rz_`|c(gir#DI*(`0762)I2Jz_^zysn|*utql>eDYPz&_&fQGasJXvf zcoY;n`oh}&<&!TC888p+TX=Osx2v<_=0EXSR?YwYe$)$wc^#G>pYZe=T*}8=M)$=doE^P*blT&1M|jrbrF^%sm$I^d=sV%OzS=qNL$%QV zYDi_|FY88BT`cT-t}1%+{r*ee0NyK~q5tU1OIusNJsm<$J?mM<{T6&}@E4;W@)NLrM7y)kDDTEBfdUOd> zqgyenFSXoyDZ{p}Zo_}I<+Nqxf$1|!rcC~)F}G-`%J|i2+u7wCf^8R%LjUgnpFRB_ z+Y@O__x?=K->r$*XEb1H2Tv;x0QEb{@;@^@&@Q>;n>=aqlv$I(oG;ffbN^3k9{is_ zMiYPU4tpG`!VW+-#^=2J zpMSP}_5XeRLH^0pX9cGHbM&tg#_cNGcQ3)guYsHPga5zZ{(n5ef$c~5AIg4EA;6%1 z_qXCg_jbq9{?mTc?LTmYi-MTX|4+jHfBzW$FXjCIB}ehkQ~$oLRHyw**uS9XI@A;R zf`T+Egw@DE1fg|=p@RWsBOuIA1ZI6q0N!$KBBH>Bp|u*=6(tfRyc_J^o8UkT4<3+% z0Od?3Aw2~7 zFBYDyLfIM|6iy;|bDD&wgc4yIcqk^kT7yV6Wli=k4;bGWusVZ^-Y!-ykIQruU_u!}d3!ri+x35$ZYd${d0bb%B zIr#{u5-H)T1p~JY1m%ada5e`r5j4gov{sHnXtW%L+_2|bCLC=eR3t%Ru)+WQv~Se| zk?oh)+s~TrKT>`gZ~wr5F7E4uajV+4 zQ@>pWpRQfe^Z(R8_*XSk1aZoL;Vyq8gBTN%%%*?z5a51ixc@gSg)zmp%W}3iF^K{H zbbXi@GD7XFZJKETwjOnrSR@@qC=LFKro)6!r0Z{CP3l{XGoJdXL#O`| z(}YH+dxA)zSZSH3R&r_BNT5 z=U13x+WVL;f?s8h)q?J)YX-jt@;|6wxkE8u3!3+L5dVC;U;?=Y_?+1x{IfJGtwNB0 zv$#}vAMvMQcWF1MoPqqSSxgZ(gZ_a=lv4MhGGaixGbc^G@sEA_yzmJF(V5@>|GHOPx^uAILvYvLSdm zc@Fl+0amxYwU;_aGsa)JpsWLk=>m@W@20GMhm?%GBC&_vK!56-7O>$8(hfAQffP1w zSS^C4PH)yK{fWidq?J7c`58aoyC{7}?#{9-jVSx(*AGW4FMNx4VW)G^-yK`_hg3J@ zjovHvk=_M3;dTe8tusBnbFg`yUmA-<5_;4g|1SBQS`4Bs@>Ui83!f&QXU|$YGu7Vy z&@mk+e6I06$C$GgBkv?K0ZsPxB+8j_ZCboGBL(4i>nK>o&tX)u`lDmPvIg@j4)m6j zwfrKO$?x76a6V;9!$B0b=yvKKW)TXoc#=6r24U|~vl&DVGVWqvLlMSngg1la4+-Gq zlW$=DcMjn9FC)GUB*p6y{{wB}&&mT);9EMbxg`6X5(F~TSAbWYHo5x+R}M#gOq32N zV^*OmJ6u{Ybb`O2FG9zelh4+QmEaFcq4cJFLAotURVu$zS;&Ih__N z2>h-8s2@1xPm#X`FJ$5_B5IvxdQ z@r~8LK?!RwHvgx6%sz|zpL!9?ms)nC`whoC+39h|z^PV%-~LU~p0t>H_7m`bbSfkcrqV|Q6s z@m|G;sI&e?2<6CFtU;YkJ9Mmo8&M_I=&cgIRpSkC25S*M4=1cfO}{~NCZO|pjjlQz zuIxbHQ&s$2E>$OV3dPkpR&nsR0F(e)Q07xQ%*jD2T!Z86hl@0tF;i>-os!E3upL+W zW|4CGUG}i`8K_ik948^yR4gG;Sfe({A^a!OWkla2c*{pRVTP7&YrR_B7Hl^#F978NGqD$HUooFNZB}|o7pN%M#2a+PR|*t#!>0xT~4I|eVXp%U(y1C zKz;x}XfZ;!OM z^&s<;5nazX3RvS3bgkFQW6BN?3+L5IWkmg*L8s>aWlW4?~z{PK1)Ck&1PyNsdq{?;m^#m@?#|K#jZ9J ze#SS9f0gdRSb#*iOjUi2J?BnBWg0T6aHMb#0b(MNDFc?PvM_RFK_Uu-^Ud@-jxMCQ z17sCbH(yJIOZrRF?nbVhc%;u`P2YfIA|~rGCcEbsp_W1>(mWIniwftj>ZH<+GCc#1v`P)MO;Q!v-joYXdQ{^F{=uhDD zI(AfgF9_MCUm_(f#&^wKB_Kol#T@HyL&7sE_PJAi%}#kw5KnV;B+QZXp>(wL65>N> zR=!Ep0~|^^h?I-)+glKrNT*^^+8z?Qe9k~J-A$Zk|Hd$0+cq8~i}>D5tb8AVw5FwR zl(Y*Od|D<3c$0a%qGpEBA9x|?DSX6FM-|8VRd%<`)>SzSb9Cp1)lO8HCKyuI9}IEa z;_yXtjPi~=7b~DE#O(^Tr}*{Y`W(4Nd=(a8Dh97+UNkirzkO^9$Pg$T?ng%Dh2iQx zU*q&$A;K{`79kbD->w%zQqYk2I%vdIWn9;5EP*BA27evqX+w1D;IB4rQi$55s(l zoQu3~5Jq7Ja=(Xs0n$Es7Rq=_ReThSHRL2dOxj1}yrq)6X)@NSm|EgxXRx$hMLpws zV(FlBlxYjs*N0n6VH9l)KiDiemQl)S6m}=`=}dXD8vjn2g)a@t#|6$HWdnG$uY;8( z2R^Hel}tg(EQW(YTICs-$PF{OKq8!LA5LZ7kl#f2*(5GQ4+9c@MmYwqdQ%(J{6n5)zgEReZqN+uQR!XtEdh9GBBvT`f z$4t?2;V+dqmRSg)=J!Gp;-@GC05{4kvM%tMp=$`)k=}Q$N@18Zz1wK~-I!%ZhV>No z6L0vU+(VJ+1FC|mOhYfYDYfuG#S?cN(p&=n#wA31o)5@~zwUt^5@>TdHXjlq|U|T*NkCl$0726OsIU`Hs-i(=>u!OF4LlI9_17M* zrlv?c5q@7BQzMfSKF(*-9CtocRODau$WP6uh1_0bKVGT1OrIiwyh{k6aXYa-IR=HB zFiD?tSi_|G!EhxV<5{{RJ%XK0^_4ae_z@M&UzW3Q<#@`>sbFSInMSdKMOS%5G{Bh! z>$;cbehWupg&3GXyQE7Y`s-SVEw@1~slT9wc~wwOHVg`-&GIoMSJUQY{xo1Y ztkgCzU~ovlU(9c2I0zbLc4ONzemCQ|Ddu&f`2E<{I*NT_`Ao;;@hh{Ek?=|!|1E7X zZ-z_2`ZM4$xve2~CGaV2HNP$AAaOj=J+;^o6d7p5nPfbS31+pYtI|Xx5-o$0Z1=+y zVb}m9eTDd~N+X_)O|C)2a>r`2ZaorBSrqjbJG1@=G;DP!kq;P~Qimgh7P{zi8dR>8 zf*m1A*h|>HBbi&~N$K4M5AwdRpRO~nVO_p%-e&CZgs6E5f6kiIPkT>dvw2z0Sfrd0 zD*)X~9>@|j{7BSkwaPIdx^j#=I!L||UE{OAp)AkKCiyss=417I7}&mA68xD7RM2@6 zHVYxyJrE}Vil~ucaSL$k`u8$%LUvH#W!5BZ)(2h$7Y4+D>l)|5tYly{9plbN?m249 zciL7htPBbV#?b?0JvO+a6mYThWbrTCXdU5aKID12AKk%nKiu}bRiB{+L)9hopvFH# zc&g&2QQ0v{8f~>43H3i`I2>y17FljpI(bqN=nv)>vPv@D!Q)jcHMH3hqOX}xZdMj~ zz$_g_N*Q!DT|i3UK7=6HOeUk?%n@$pOJ$8Ynb~Zdq6c=U^}utuVq8CzS8$pK$=DRXc#}1PN>icQ?F32DbyXO zlM6Lckd{A_aY|)RQXJktrT!#;1vk@Otx=}bZuCpT{Azj=om7$3WI%G!FQ-2BeWd@H z&HPB89_GB`O$X*R?*%CZq*#cQ3@gpY^IK`Nv_6FAVP&QsaV5gW8sZQgd{l=k0_=Kk1T2%IoCrWuQelM$La_IuI^*Q%S=GBwM0-9)81dyhH1Ebe6Oh zDJp8Dz^eE^=qPEon!gVcgt8U$x0x8Q5Y{jGRdg$TR$OU$DYRuGa!N`l6mD(+7Y+9Z zL#NUMSSWaL`&l+(S}LMF!^R_Icl}I$MR&4A8Vt*gsctcjwn7t)Y`_Zu;hS zeIVI6#N~!q%5<4w75)+0yt+}GR}xfOVZJ0a6UuRiCln_5E1xsRQty&pWsf=beido1 ztiJz&uoNjvAb`w6%2Eg!`ypi+ZL+T<$0$pfXz8#jvx*yF0Libap>R2lN3~gEx^N^& zT;zIc-Dmy_-m-8w7SNE@v+B3mG3T7IwF-d+~UdR7Cz^6)#xu6nzjKUHi; z(oDo(CLH?fG@HxrWw!BO12!kC} zhF_TGU5-TCH#%iF`q8vIq%5pvjlI9pAMl<1g-o^oDIF^t!W0>fZ~?|=EoxTksKM`o z0~n=N^zh9sLJEO@fgbq|u5%cD4~WK*dtQ$5k5J!e;|G-Q75qEjkF@DQ_pP46PbEnF zY${#_9B+;D@y(Vm3N?$ozakU@c|_r*Ag*M5&6`c z?oL&6c{vAe8Aq5?HBW8wQ>3Kcxg)bkN%9;B27jBt#DKfRM>uU*1|LjE)91)sMT38$ z-v&OR@2_pqzYs&e4t%HAHV`&uYibakyLq(XJ1vt`)&k6H%eA&gjNt_XeZpOUD$d{n zR9AZDX_lbF{7Q3-RHETmn`0|GQFoKr{jZ$-5(<2BV7Oe`?#22cC~F;R4CBnd}E@XB0UKy3Y5L{NA>I& zAzE9RO~ zXYGsA-BlPLCCqDZW1i(CEz_%_%S}vpY$#jENXin=tao2e;y*Z!V)uz;?inp3!& zX9cP`3Zd?xpynq8$A=irCV4cftstUYVLZ$$)i#mV3>w$Iz{csT&2o067|A3K+oB=k zM>=s;9Z+h!$rScFwcop=VtXr4gy!a#xpOaNuZOZRD_;-6hiH?@4b+y9p|kj|_Xhw3 zuWhedLA&I4ngdcpWy}4Gpf{nk$KX?>bt<@HhI+N40ZX|AS)bI7m4Kn*F4&ZCZ2gIe zm6oDYqu3azYsn(cRDt1h*C6}{0P^;U`Ob?bKFqe1Kh>df7u}hD9bSsVHDq zQy3~*ZbkmybgPh!{B}B;x=KFwTYU?FV%(ny)~Pdcr+2WF#XK39xrj;kzDbtJebmyY zXmXaC=b3!@SLC)@Z9Bs5-xW^`dkx($R_?K5hb>c!@6wBz5i5H=}`+Y@@YsPG-8zp|FKx#9Xc)b4V=P-m7)@gRSOGb`ZC3nb2*3o;5& zJZkuwjdxMfanx{*wL#4gF0aDMYMg>iIW$Jesh`Q`gOMg9S7kXx8s~&&hk3G9!g|V^ zqdy$V7lU2(_QkQbf+)P*xx<@>6NUw0ug|hMoM`~mBTw*{Ny=D*yu*New{?X40`?9A zHL%0TJ0d3;N!>AbJeo-!_8sy~$$4t9poZs9t$dF;r3MtwPjcHJ@G_<;M_ zRH&}mCV!{F&m9OzFB1HpcsIi}ws=>`Lui=9S`JxI>p8SU*sp>N<-OF5pRw-%Tv1u~ zKrTS(YEE`-7kWnEk0H`9L?n7zROZ2!-wmKq=)JCQiL{)x;`uPNArD60cX5Y|uA$!F zaV%59&SN%tKZgz#1UTL+IH7JT6r6l5L=^iDw>CLv4$3^l_aHmto5oB^2*>3bz;B-i zJfXOpOfh@m+cg&ID&m*Hzrs=aAe08?JMKB5V*WSgHXEnsq~}Df*DP<6)~uK)8um zra#VaywZtCQEs+(Hz#ZOSD9QO!dl_`Nr+SnK*RcHyf9c@zL1Ne0VXL#sSixefk%tg z(_TX5y_BhDhX8lNAP)BwxrQ1omwmXs4W}ISaJW7 z8#xy2DOC$~_`vJJ$sk)@h;kh@l+H4p50$0`DQ8@w>b1beaJKZV#eM4J4$A{ zb9X~pJFtD)iwhT_I(3EG&HWi7cMZm`J)O+`8p7`3s>7htPQPyM1~gk)dk|C@V3_k1 zpT&#SjE8#XV$?+%8D;B1 zD``wWJ{>Bif!p*%`4*}III?^Q1s-xEXjJSV^noKZ3$sCdnx9D}sVm;V6Ph6xfGCCy5t8(lLvt^foqf;+M^Q5Ruqtgw?Xruo&f9j?$z!6&-I|Yd~Gy@hIySN`EmU7cr@+y8LHU zBb{hkC5E?Ro^eLblyK!zQIZpan$jH~kn)@Ark+rqcB7_VjoXBaYWFm)80PLRv)xRc zS$mVAx0Wf8_eC~!f^`5jr%~DitL4!|>r^NXozie4lYk5BL$c}&)5TqnT30o_$iz1u za&BO=-Fpaba=h8%d5&PyU6yU30od)J- zq)@G4jX5*W?Cxk|B}(0cZxswg6wj{6IY3Z}Hc@sIS%5G8ea93#7pI+;iDq6vIeDny z0y-AUHV^4XE2Xv zN8x%knqvwNtI0B@=%_!D-S#-N>=V#RuPAsql-s4_9){L*pkKN+NACzhFH;NX{-Q#T z!wbu=Omu{Rh6%lh9!y=PE3fhT!!hh=NJNCEI&in&n?{5gzB5?DX_J5urp=6DGcvqg zZ;k{vC@)ss90TsJSe}o>2J)ksF5EVb9pd1GtQ#u-NOK2s5iwaf9|5tYsQ)1x4L4<{ za6juI*pV_)TpjQ4&z{R2AvafZiz)h*iXz9F?uONRdgkp@j-kyeQ=C`qY@=C~)^dWHaj8V$6Ck!I9!Xo!Mf;LXtTs zX|R7gJpVhj|M^A&=;r)O;WyAlxf5O-MP&Nv3a~T6L*y8dDDH6P-Wg{*YzRCHgl0ap zIhdG3+j6(jgB_cV-i>sOq#!Okb8Q%9eNiS4e^1;ln0DuZ`6|`AF_*Iqn{r_r`=Dc-;?hJp^7_Ym09{L(T*b~d5gw0&xD!E62YPNuZ3*7HxVzS zMjKPuf_VsSewqa)-*PJ&P3F!yENeTEpDQQuIGk!}WueeQzY5BFL&xD)>7JfjF}%xc z&Myk4e5NC`V|kbR9*P&@aHXFfdiXc@LF7LOfR-rshOjeMdcI@P)y%)l=@}1E;C)CO z06t^rs)swcmCK8?&uQyPZP%Z0Id&M@ROUDUv9zfnDb_*F4er_ z3x)JyvOGcu^Aj1)YL3XKcl)+@&r;TE}IS3KpBPi(;PphaT~qpiMH|y zx7=qtOFKGu#ETsj;aN)&eui?RV#9!FI>3J4l!dmtzeo6a(-c$c6M2?hjtjzfE$d=H zH*h(^zcTkS1`D{}eB!_aa+Z7)qqj_+C~-BFN~YlL&>0+u@K%~_42Ga$GknpzR5R_` zRIjuECU_wx?X32H0!jtXqsr6pTOJmc1xsU4;Dneh2T))We8uBY;0iqNFBI4d_USDg z*kz8X`!-O=AEb_@-XkpDq9=ou6X@`<)+SxW?vk&dTXSI)Vbxm`GvBno&Y!N_O2Gqgn>D;gUH_er{<*EPIxd=)wrAL?_LHGxVaaGt0b1c0~09nE^OM?4Jzp!pzUM( zl+;&-xdCr5Q=`P0#~hB8P9wPkW!s}Q?g7Mvamp+#38|QTAP}K2puoKzV$WvZZkb8+ zXIFdrA+~enRN(}2F7tFjT>Mb>J#Mf8V-|cb%Gn^7LnulBe}iA)m)+T@B)2S zBx+qfgP(5m>IE6&-+URqlR07G2Ask;e9f%G)kA`q?hDXO5dfj!{fvOvPwV{zN|H~4 zy_adTP^$7?Bub0hP~~|(p0qhHve%h5?=j##Fvjcbm#V&(cBs;$ovB4TA${NJTSJc4 zs}jylg*awJE^Aw=uiTFOb=wU`bC2jo_rH~pk`^or&=K1l-q)DhO_bMangrKdRB)`o?nr7vh9Rk z+3Y??y0;)fG|Fz3GSnYt`8Beno({+fByjSdBiS?h9U=0P5dE4N7gYBBuC=u9@DqFl zH6PO)?jdi{dPWk`SPd|_t!FdHQ}))fSc+3781IH~uh@L0Wp>H|Ex4d`j{|u(QjYWs zz-VFmmL^wmzVf_b6z#5vAch1Y$qCGE-({u?zub{Rm91z`M!tzDTgq5m(e6^@A1Pj9 zK=@BDwmey^zZ8M?7dh$|3SSUXVRGtq{k7z*%VBn>_$4#XwHc&F_*?WYVtVaxqR`rx z?se=d`D+z-ZH&ViD)$V*jogIjc9g~|wq2p;Ok@*&q2R7gnTGc>X=QJV1-6b_!w8bj zG9J~@)@xJz15tMB9C~Nv$3mli zvVdxI5|dS*?6?%ezs?Q|{8YUOq|R3>B9zZJf?9J|+XEoAj>IR)LZ0)ECmSmT9vTAH zp61m!ToBZrueJI!I>UuXCc}0l`t*LJDVh#Q1lwA&Z^*_;`KB$=kJk>xImqW51v4Pkj7|EuDK--jljQwS?aElmG9AojX&eqzK}mN!4pczlakR=Eln%XZ$G&)X99DAt<=zQYHFK2u zvm#8sMb8dX>-*?jFO=2LMfok*+=+%#y!?jB{7FV3DmaIsP~hFc40rx+t0v`DDkM5I zDbffmHjnFwm=T-zIo>eqdu!2N(>=2OcHQrWHr;JWE+ib&LiEXG4h+b40`wSLaNwo- zQ~dAla+L8xh?r2Q#&053!MDM-!J#E5Ap8b^V{U*Z7F+yme=;tt>5wF4v@f858 zjSI!GdKeX~Df&+Qo{k}3&mJgVrDEmJ!o~C0>?-r8Iwy(EQ0uhJ)sg}6Dz>^-3yGw7 z1CIbp05HI+sJfw?%|TAKH5mPKtPG&DP6)G+55er-R;VlSMPvY=#W3r6x|eq+z4LG>zKWKaJYgnp3^gb_7Vn^)$91WUM1ipTy@u#B9ri{*w^0Awr> z_)GgyLp1cCk6}Ir`jeAT0P(Ld@nX8T$nt%JoJ$Ke^Yr$Nr#m=4$*#il{7^d1Z;0+{?cR zFgtk)vhHG&bFM_d2~o(LR7C7DXd(fZVLi_ZZbwii!E!_|V?HUIMzyzzgThZpn%IuK zwTHE9naV+!`;j*Jr^mBRV#B>N8(tiAhGqejtK-mU;k4h9AP#cE9C!ZG|F#K$|Oib$D_<5=(tqLJCOAT zz*v`|OwJr*UYJ)ANrGSfm+Pao}5Y+U_^#@8$P`*j~mz zb+qkTj^R=~uVzZ=UXZf7~%N%ZHf%a8q-(+6O{_~mxP4H2TLy@iCQN{2%0 zJDB5~{e>yGUiOzmH)20yJ@=uQCC^s_+5YB^*on8_2)Jv490lQKE4k0p1>=5}jUjS2 zl75JE><9^bM=xW#yGJ7-7q@;m@iR)Q(TF|qCJ&&9Ty#a@T=^hss({wDvG^s_RK?nC zNo?sz{jWXPIChe~p0bLd@FYBgp?dG#N+mf(2x`1LDXZgikt!7jQv9&>$X%ymZC1VW zskC3qPh{=nXh&U?!xiGzcenM3fIbx)-EhU#m%nH*#d*JWgp*Bw5GiD(kca7`v~0N? zVtZt4_ydDqo^=rr|>} zwKr5d3%|y8wC2tssuSh2Pgiody`=H7mW)>V!i2H(3|3OzK_nF5$KWPvJeimE4r-l- zt`|%TZkeFpz;C85bb4Ztl7odelkh?RILrv!K{1Lcz-O40CY^lG|MPIev!x1o?$aUT9}JZ?TEj za^)3BX|g7;DG(lBwSph=5`>Yx4)WPwdTG+Z4urg1i4b2QJNh<>FL7~En{_QG8Oicj zNXheTN@XbbWIw)j>TNu>(gT^axPi2|I-Pr$`CQtBZF-$yT`21>{}hUW;tOP;=$Jbh ziO<7o-zOxi#T8~wfYI~?Y@9SqRW{BX=jj&2KaW2Gl&m|bY&jsJ1>%}BRbCQRF~QkH z^>lUwg-&q;m6YBIn$z`!w+{f+1|i>o7O(zGElPLK(B@`)``CKKOP(M+Mc5xCFHrNx zAjIQlgp)oVfDIgQS(_B|(+<)~#D8Lr<=+IXAS6z_JPh$4!y>Ce{D&=%0BqZk1$Ms- zS?k&uP!@o$^v+Oz8rub*f~3oOh8YBe4}1ZPitN<#gZaPA0O}DRA=wm&v2mRPZ|PYu zq0||$QXBHY-a&KaV{Ypf@v^W>t-J@d%k65Rr;3_RPEpjfM4y1J$6pY29mn{ooC3;& zN@v(-K2r3MXu<~iiBS7c5@DD5C^NyiNtyr|g^J6LC+p-NG4yN!A8b=BSFYzj&1hs=fH--XzJQT>`R$i`dznzFObzZCdE|TGwImY(eQY43{ zAc$K>Yf}5u)3R>i%#P{tkfON@RrHte0c_ z+^sfpO~nF(KBWFh>O}e=ytCXEXIr7=-w@^@(6{!m&*=ASk)iZQeGIApjjE~ z{s?&CcS9r`ym@P8Fd$jVu(HVZK56(Vf*i|VZ*xH1i9Z9yCApflopX+?Af}x(B3()06anMwMUV zv}|@NJ1lbuBe@!HUlVqoq4{}@^3G15KdA;9c*cp0NE7K7k@XtLym*l76^VYp{v zv}J$8c+U$6X4AE*@BUaWTm1l8+94*exlik(;Jt?T7J?6H48)<`7$cX!$8!*2>+dam zuz4-rXNnEl-%2vIIm-K$m0-tMP&S0|>ycG2`disxLiIgsCIm09Pxa5l4(Q~p!G8g% zm&IR$EoN(w10*zSP;+RyWA7WpCPX`LA%_cVX?SP^xL1V36+)_apbDm_F@mL_ zI1<^lw!9Wxi+0rDQVKCV;V*TGyVKQ!G5BNXk>=?9qo7Bcq4SS0{gI&#=;p70e2)7A(4L*#DUJ=|38ck6aQ|&P@bjqKai(-m$H25KD*n*tK~WOP4( zRYp*KSJ*GE64zggt-Stl2Sa$*VHFUM*B_2>%Xb}hU4Qi79PM3v=~vH;z%sA7&fmG# zub%0?{>=Zz+TL}0PX}PL=iJ$~vu1?7X;(f0q?zXMrOj@f5mo^=bUokwRSx>U5!!cM zvjgK9$!XUkbn)qTosjdN*93^v71@BUGjjj)jDMF)Ck08@nE>XD;7PB~BV4aTT3~d~ zo}G{8zWPKic%q~~JL>dWN|LVYMS!wb_eXf(yADLEvFpHf^&6?dt^-&2eY<`Vsj;pj zS2*9hjznsx3yvEhMCsb^xpx1xcaIcV*AK3{d!(eg4qSitNXc{^x&H1Q6?B!RI6?<} zH3QDb^Itu5g_6E2bIwQ+Ts?MOE}W4pAP1nzg_RYX7M+N@SJ|Iu=q+YFB^tO zgbMs~=az-1IEIYy1EAcYdc9t3&{l+JNCv$#*X8C4A=WiF$Blb={7CO~=Vm1^y)-lH z#cG|?nVnOS1kpV?BndY_fSJzaRO3sEfo{X)#shu5VMkW3ij(jvp!(2y+#a0dgR>x5 zC%foPq|H`cc&-niH(nT+QR9#de@r!)x0fMWwP*H)y9w-!NPGnEydDQHxLs3=tMZ>Nv%W)h~&PHm)U5S(iq?2@;dVgry}V$iCR?@af#Qzb zUagoNDIr@T#4baHR}77Y`caE6L4molw*86&;&M%nyX-!wJhkE*cp^`hw`?ZXsLmi5 zxx~?0HOCpwg^Qg>NvhMU>Jb8QZa@vZj5HvCw#Bm-s^63C!hT#W&V&|F^r=Sc$#p^u z8Qj5%eZJwSNQDfm*?~mQRLD!#j?dxop@n(f&;mfiBB$cMD4jFc>nU3rh18mPV4bVV zj7C|OZFsgi4kK^v6M3JY(%Fy+DEHjjUjZbmQPpkF`;y=u*=isPzUW*oXO`>-?)$r- zfw;rB`x@b1&Z=UlZ)aHrfl_vt)N3@(oZ46LY~>`hGH1npD7{?Qks%Q1pviSsJP-vx z^^zob0kmpXR>e5De6C8qgiu=e-xFSelM0fwaHCK$aB1@!Mm4THYZAxlUwnLR^xG!`+a{#ip0yW)Z#e`a5_1wwrV4<&{$}Cnp{ty zzi%u&m#5`&$NjT&&X>cbBdvRfR^#;2nn(+EsaYkTP>m~V$9;IEcR-|A$zQ$!a9U2) z7_80lx}e+oIYwAUukX0xp<^fm*{`eph1cmx;;-*QoLL}WkI=Iuqmw^N+aHk#PZtKZ zDvYAxQv(};@7>_DJ8W9mC~PsX#loh8jbX5!g%k(h^{{cUfsQ$fhb;j%0X73{iLfQX zCceBZoNmJqtDfQ^?CX}`h0zX-ly-Y@2B_c3xQ>FfIgrv(ht-Z>x23d{UH5d zeW|`oKSV!NU#_pv57Q5qD?3tEXByF&Ms}v^&NQksjqXfiI@8$BRMU~hb*AwhDb$%J zbf$@&X;NnjcO?B}{S@caj#S&3rgf(2ooPmAs_RVkooQxgn$?*aI@9dVG^aDo?M#iG zXuf&bY%!!muL9GXnp7n z7y@5DbY%$qf88?w>&TcTC|60zG|(1teiSs}Na~`MgZJTSEIfKWD_PgUBrPy;b)*Or z+TZuWp)s2}--aj<`2i@g9ypKSj~=$cu#G{{mE^f7l!h^{Nki0_aX%c6%7R0$(o8KJ z#J&N85qWr2C4nDDJr0c;4@cG?KZ+F4Rob??(2WDG6wz(bhM%LX$3B1}`tyA_C+WXr z>;I71|5`$;u`qtHz<11ViZwtr2X8d(u7Oup3$L^mUSlnagH6Y1^PzL^NL^(JWp^JD z)@iQkOOmu*CtY85f8PsNdOhmt&cf3;;a?7t*=%+}8UP8tM&32}Fi(aQx$^*;2;xZT z`ba}GGj4E-8L(CtIf@~|VOHc6S5h>TeRsVE>Oj*oTHj3{rSF!e(G$Y!qTxH%4eqWd zdaXVhP9SMf@JZlwtOXW8l18#q;MdWx1Cc`b)abioMF;CtN!!ts4Qnwq8S-Khq-5 zH(&td+Is4GM;ca>-n zSbL$qqayVUbc^}jA_WMklYTEkwYWheJRN;q{dOI^zJC9{7p}7+YFTIfMyH_Y;98V| zQX&P8(@+}JMdJH#!^i8?Zb)CWHUlC%_^D~ZwHlNFH2^ghrPoOC8-!-Ozab-7$ffI6 zX9V|<%p~|Q2iLA+y7f$oyk}9cK~?tA^ou5X+zqNdT2Ir`Fch^04rwsV{*uz*oHR`e zc-b{LVR)osQTL2s$=Zy%_lwphY4Wi?n&M?yPg;U&XT1O9niRNw8m`47U}yuW4$SAn z?}1bij=>qlFu%4weewDls{j-0l^R>z%>ZD`TQ5M3J@7?Gjs3lJA~p8+z5l(&o>|^a zIQtn;1a?mFTbrXt0#ghE^02E?nf<4RX3qc;K7G$C*0K(BA&!d>{n2zS8008ld_{FE ztyAQ)L&Oqr>$$p!cqjoy*pvu^U42^ZT%3xFGp<-5BifgYLJIVA(n7O=-VRvXXi5^; zIWs|475CND)>!3+re<`6Rz^seVfdM1pYC5w~N zW`$>h!P_!`4smRT1&rl&YH@C~ZL@6D!Q;#)9$JBxi9Zrobrh{C*E9dn1SflVgomJd zA)YD3+ej8DMOYT-2SpSjSc{7SkJ7h;?YfAyIye=_05RtXB`=B@iGPF%WirBhQg*}jI<(=&kn<>w zV=ZPe&XEuJ`(>hunGEi@1Hy-Nln{sKi!3upFfoJi9+Ip+fdU_CHsab@84;4eiJ%h| zo+I-qX&vN)N?K@no)L9%y(LE&|0-NaNb)%&+y~%dBQvX9Ku`+kZu%u&LwR8!(ETxY z&{~Kq@+Bi-olit<7XL;vo+*xKq;+sgf;^Zl7a~?1+wm5rujhVLdUI%xZ!(r=p?XZ1 zckx%2dvq`rN3DspP2!mQw7}Nb+&w&xV}Pj0zYApRq(C-j4DW+=WMUNQ zbw{7(TX(!kUu#*wWcizLN!{?)lVl|t2)g2#D0II+Xik3z(CM~>TCwJpAd?U0m z-aiY%%b@fn>rcz*2WU=t4Svntu>P(Evk2_v);85a9%mkzMVkb^gL`qu2HOJLWgwm{ zG-gwr#R$SOyg_*7r_3fp_)|^o+`_R4f5K~GTHnK)@`{jT!jnju78*Nce7g}ghCijL z!hII&s(9KejbL60$f#C*Gz#Zv-o@5A+R%CT0d~E%d88O`8{+(K)sfag*mZGCc_of# zia_hy|Ji|l#%Hwq#^t3VW_T!-#43+>$024p)P*pK_FyklZXTIvBV0V4tma^N2*!r{ z;BTo4vRceBXn3Rt&cZA3a3vez1j`8cq4+USGklL|ju20F2ORLXiA)D-{qf|l3LlhC zwBaS~=Jm~{T1{}3|Du#yIcy%paV*o-7E1j(g#C=aX)6Frod#=UtjM=m9C$s)HI1NC zIDX-SBwpAHysy$MaXTHtDZp6(!fKY8d6}qftgY{aAxO9rw?Z_@s5_BwSQI&Hxd6o& z$y|l)0?~lv^)PZ5L~DiRHsf z%}px2+>)u0T}8OKCa+-yLwYK*mfF!0~_)N9NV=qMWr#u>KI&Wx!m*=F}pVy_Qf>6lAxp&M!Y~DA|}ySr}Yoy9>jOkQcyIi zbDvV0(D@kiA}u}Qn~ms+4=dqZU-5v# zTd>v^$2<;Ep6?-slP^OE?-3{clgS{XHsU{Wf5 z@^UdjykAU^{vis|1B@VUFRVlG{v>;rW7%qH*|x$m3CD6H%SUp0Xx=|g0JWBEG@oq1 zaR8GCE>E$^e^Bm@J%J$U1B4*-`*4q@Vj4%Li5t10v_PD}IJh>NYJEdrV3fXK-0W(t z)UZ1bCy*V|H&i8C+4C_hM?Lprt`u-3QW=mMPC&;XayaDRP1O2*436iQ#Q6lHDIYj5 z%rp3K-O@dYkvrg*axZp!fNZqt=w6Bda-v4&qoQue8D< z`&}f_R$>^zlKyBIyEg@8(i+8$iNudc;U7$Z$q=vskjuUhvP3B%#60192*Ya!vTXPJ zzbXtOTMD{y_geFP0{$o2(ex@*ap-uA%0K>$6n_D@(^bUDOMN#5d+3hEucurcjtq=x-8%QOWw+;a@Eg6ANl4_l33^h*loJfU1!RT{i)k)IISn= zG!Skx-@MIY?)_$x-XJwC2y8W=1ia3`7!HawAmnJp4Y%HJ%fj z6E5U7KhJzj67dj+eLi?FRyfJ}&i{&?^<7YTtctzlX zb5NmYNxJbtZQavcCLUs$1sFSl-N!b63&WJyk3B=(yV(orp$kH`?J=sLefHy2UTM9k zB}YxaYb{?J79{Z7G636UkCH#A`?`J`L@DDt$+O%TEHLAJ`B7vTRp>sP831Y6Cyl*R z+MX~!BJjz2d4XT3c{q(;B0YkZ1Lev#5;_?n_?~HPh_lY+$ZX~*Xoo1oJj)-^!E8}> z?!Gf{le`^gi-&*+nB0sDc5bQ4MmwLiRQMT2-^fpE1BoerGWJqd0gBSZ;Gg&p!AK{l zcc9~qsJmsG*@Aw)~AsV@J{|_t?&W?uR)auk|a5NfaNHDqxzm3W-j-mdav243QTtG+lUHG`nl5 zIrJ4jvRBInU?#KNq_TMD>$V9>KLO@271NRP1`zvY$57Tlm0sO>M(dl1h{d1c2}aQa z-1rGGxLU7#fq*E=n;f`Xbh!&?9c~V}C|foM;nd@aK#B0n1mFWKM#^wZhURTS6*Y)# z2T-2~0~SO|(~RxkGNW4TyT0%K60mY0DG@k@k%C%rt+BT~=B1G~^#GDwnBbNb+E|o{;zce0=&6|)4XD!em;Smw0|R5{*?6eld@l;m{W?@KuXCrVLVx4`5ac8UR1=M1Ab}} ze$|JgNI!T#foqPI*%rZz{10UrBJson;jXlgkYMR+sTJaBUg6`w$UaG#Za=T{%;m8>&psI!)bah<164vk5l^!`nA?W|7sm7*gNc#ERt!Rg@R9|9 z(p;DVb0G-g&J}18<_*o9<3ZNN2>oQOC65m?C~WXE^pu*e#YGC%(lJVRtOJ6*{niJ# zKvmUU9J$}PhAVxBVI3cs1}L_<9P7^^eK?NEuk6nFPH)9dCINU9$lac)QQ?Vl6si}? zm>PDmmc*(*MYW$ce9z+tpaUW`U=XNgUvwEaD!i5&IG!=#N)lTHi?-d^Ol~j@iFS>vhZ9uh~`0gME=c(*Q9w4hWGiB|F4z#=vGJZlPKBfTi zO#^M@z7%?wfx_PbQfxNGK)>mO4sFb;@!r>QpEEf@r4 zEJHIdmeCqu7&*5RGDU!?@6*}WTPDrBXQYxp{4+9R>R z&us~yQO4semCIX<%`wU#_Q)sFOUC;-%VB;mQ~n2C8EDohlbD+GFJKqDQfnJ6#0RFz zTSdMlLVZGnyf9*4iy=n=lwgf&eaiZUu3%gxQvu8#r4(glO_Wzn7~&S3A{rPht2;SbjV?S-9nR@AI-aCo7&_- zp1;g6A^H|3vt)@zdA@XAn*-2vjNbp8v=tlH8~OXSct6`$>lw!zD)hoPj2@SUW%@Q_ zP{u|2tpar9Q#{@2AWRZI~ zri73Z(F#(zZRlgizt|t*_HUsJ&;!A*T7FO$Cy-nS#|LIS{DxL30(y@`+cER+@g6P--(U0!Vpli} z^%OmG;^ej;v7IIc5`~0tt>Ls5LgAAfQ;a8jf!OUFigWN;!v~2Z)$~g*`@|li)suor zgGC~FZq9H&r4OPS=AcDoK3DI-wJZ3knYQ)R$FI`@*ikOZn}o1clNe?F)Q2C&3Fbu^ zFwbOzx0~+H*cK2NTLBm6*lPSuAj3Facpbwq9)<->gC#+Ar;ve)n#})|45mg`rA>TY zGh+t!DN_Zy%wcYM$TrCIP`YWMY;zfAGgWRxZm8%1%OojXNWc?>a=}3D>?>L!-jYPe z3klSVD)@bgW_A#<1x$_#0OWZY&e7oe1<}Uv8hU~DL_3w%VpyM=?n*xXFvs#24c61i zwHznWlDwNzOf4x)9zcuoBI`uqU$l{bz!(l6xkdORz@QiGGkfiW2M{f2_M>yo4N9P1$w>^QUJG$Yg@hITJBR3(11HSdvON>-n&zvHK zHPaBi2mPvCCYE=-14_@8TR;?aV&gGb_q6l(X<-HjYP>ISDV2SK)y#IGzke0Xt5X5R zPuJiQ#wY}-(P%P)d84npR$R3InR^xJ7j1${8ajO}Z%?&%!Yv0Z#*dt0m47qwPO)hI%-a9+5@>O;DaV zHZ%}tmW)Kg5q4udWcDnKdm)FA!aW7NhpO@`3Wnt-Wo0z}3mra?8vf$a`;INUmAYrR zxVlEuy;A4}>v}()2KKm-Trb$-9G`M=%#?-`bR?MBV2kX#x;-9xfEbl!(M*c{;h|i5 z5zXKea*PSiX0h;sM4q2*M))N#5cDh=fJ*boSos6;j^zjPz3uZ0>*#*;)S5Kwo}TW@ z{({!MH)L9e>4e+hpa8m$oSLpN+?~`W(_C(exZXDk zm6#DfI#cb7#Z7p-&l6qnS!1c2D6OygpeKMi>&)D6Smc3(fB0~oEoCaVEgg}JlZ`7Gg1l-3ZGz8^#v*k?=W#i zyLeFy3?*gkZd%eF4Fj(Apq|_ghR833t>kBO3@2Lgd34s%yXpm8o99VE{QZfN7(8H} zlH!lGuH@*;k^-W&pG#8ZN@)@;^xh3758PzBHHA@dydje<_^_-7G*QLzxSif5q$nda zu#^_&sj!~DQAiXP&@FTvISxN6ZB(a%_;sa+FyO{Va9aF|hU_d@{Ky)zGoP*ERnKG*FZ^tsj`Py8tGtmVF z7GsQPNrkD_q5_6Zphv!IERsi?cE$=hWIN!V`Ar-^I+-CCFL^8#^kek1QWfp*%dgh^ zS6U8k<^v?CC&o&9=w8t&BuZILqt`#4mxPRmDJ=x8;apgOfB|F!P8Zh$-$1z!u_Vx#5RX~Scw#l27($lOl+fEq120`?_x5y#OL zsw>K?C5v{~SWhP4M2(VczreF>tob9bAd4)2BNgMyD;iewb9s&pylK|jJS+;%RQl*c z8ZzHLL{D#)VCKclHN6%?GwgY}WGnrgTh6#VgD_cBHW-H%kmWUCMOli!qG8J`FhYWt z;2a6TI&T?vTE7@h9#bF3YH@|6ic`buLr3X^)N}V!(j?{wi6`gx?**>OZVcerzs2yH4(8&F^T5()Ni}@W zkWETFrXx^4W0ubRmVsTZYv~VNzYUB9JO6B2LVLdZPO}c^yw)d5usV{z6lcMrV3v>| z%>oPcEOINIMU&@$$0V1&WN4<~7qVSc6KtY~O^+q4M`eL@t zzV9o=MZxI$YBwR_-GM@U?eMaisG=%l|DFT0IMs=Fk}<&^z(IE>5(RO!m|#|8nE1S+ zD0L)~)-a8wP3&Q(WuIY$Y`;E#+m!ZqT|-hp_a1NdJr8tM%TCk4+Y}b zr*(LbIvXNkghs<)2AM2bTDS8xd}tWSltg6)3f(Q;4)&@tY5|wFFqBEI z{HYLD*G8WUxm)o@W}vj01|9n^v`F`YlQY)f6`Gc=d6+XvS^p?QXZkW@9rJK}aG026 zyLmw?^4*Dq?=M~whXitGXQ8&23JHi1S)wse$rbdIPY8=69W2h=R|Fmip%2ak*7k}O zKpO|9f^Rb|zc4@G+bi{qOMU?#X5ysnSRv)$!DoDLV6?B|ZSrBig|BU%fKLYh2@}ir z{kIdoX=rVW*iUkbsq_gTbO@WX1)6&4T~n`k%8P1b%Axc2!W(HZV`R-*94uXY=8SJ7 zcIMeD<7k2V62KtwMCVG$B_0#XVO3GG423+VIR)Fc%ULj9PXt~1Iu1+WkiAd5^oaZ? zjl)i53}B9h-^IuHw|F#V)T1R*h0w=#r_;@i@@^q%>Omx?F!ze1NvSbjxT!R{_Ncs?#R6H0OK=8l+R=m5L;3R;;{}&{ z0{9nJq7C-;gcCm*>&(!VkrFjG?#Kmmw>T!vB*gKrv!cm&fi1MoVCo7tB#<91tp!0a z5dI+*hWryDTE}4cSeHGd#0b%qA=6WrHoHZBS^b`3AqgzceY_ z&%BOfHGXL)Y1JqQem1@Gb;Bv985sIP8~N|`ObP}+fDAG9%@u~M|$?%&@1g060UsG1YvjKO-S0!q|~YMqe2cXlJ{61G_Hyv zU>;!7)>K$0rU5vfWFMamk~s`(YKfUJ7-=j>ZS7AlqcV0@-q_y$OK4uHV}DOPwy7sJ zSxx}|XSGX8YCB0EV_xwS_MA?+zk43)4vt^w_trc`m*7lsQdtSwe-q3~%>5YLLv|}O z5m}%-jQ9o}1|+-x1`{}s_^}fqixcrfWTLMH(Vn2z)+=uc!uLpG>G&N-M7LNOnChvf zl2jgs22->Z7L7n=A}*!7NU`!(3OI`mG;Q02roHqb(I@W-(c@~KzgzeTv{u=a*u3m} z7-6HMolEAN|0w;|XpTIF(Kg(M*izEv3OjDi0I+7|4C8BX318`w={VvO9c0epK z7J?sga5KCKgcUM8-y(ITMrCyBZRwU|H50k(aSEQoN7<#rc%DW{cYGvQe0Yzkn74@> z3*=|#n`y+)KMG_;8W^dOX8NDRmnbWx3e(&v5FPjiaR=Vw#vflTWLv*Y5qnkCBm9$4 ziy8NAFq2GS`a_2;XxXK_rz{bi@!r#nr6zDY5Dg~IcW zu^IQHlT=txPryl@U5Mcq-V3XNEx`0ECV`j;%y#OK^qQ#Rn6f9qF(s+eU=oX;ZMwJi zT-|iMt3eAC#|iEw4gF|;?BB4U1!d_lEtH+D}*)uBIa^e=>}LZjNmS)D z@5fR}s6X}Q{SMI;{JnZ66=D`bkJ6{011;kY(LeLfAz?brl)tA>jIv?UBX0mIyaayX z39lpI!Vne%x8xEbk<7+rzys~LN29!?yfHZVl9?vTjq+jpsop16DgV-1r&2MCOEY}L zLjN>aE5~>mkmgWg2(#QEa?FBIiOJZQf>*ZL`P-EtBDddRd9tbMP2Y`2< zSZ1s|p*CoK*2$C_Mw-LB4PQCHglfSLf|1gGDhBtm-04h^Cy@=bnM-7*J6R9KIHM$sqMpWMleG8bu0B6oZV zvF>j&H)zjD2YQ$qDRpCM{kOPKOcV#zBt?8A=YN<`i-<{>CbW{oc9Y?gA^3eRzV;px z4|KkMRXZ(6L@R{;(Ekr}|UPTqkTI;fM8 zBHS#`lP0S`bL-@8)+h%|$6`^)zNv^`7AyB=KZsGcGACX&50545upJ)L`lO!Pgv)I& zfco%E^XEF_Q;BjLKHz`NP-7Au?6Dy8Gl)FGi2EZFKAdXOq(ThAimJBOl-Zm1mToX_N(0A2#Acww zgG00EIwk>@CWBxf83R)U-(plyCzdnC&ilX-ozGMo2kDqBPdzT|i^TErl7PX#P@XH~ zVPoSn*eJT0ux~vwnPbpVJJ`a4Mvr*>b7*%@>zEYAZpwfd4Oon4!sa;LI8x^(Ofho(H z!o#E_e3!780C|Q6OnU2}$83V=#p1S273S`IP-i*}bC}RRQpU`&JOS%kb~DBIVd3}y zt~WL^>!#g|SfnL489z6I&F4GB%`8Ok-ZTO2n|9#LQ z$(4h^S$VOdFb5rfi9J~sxF|O4zgsGY;bLXPUpb1(!b&&;^qHyZxg{1BQHw#zs$i&G zYkrptRFpf2Uws2x_SpJ~WzKgXz|6_v^1yOf-3ad%g^-XejdOmg>?|$HL()A&5;lNm zvO5+=F&T~+^#@c2j+u1BYTEv$7?hq8XOqRGD&!_?{Yb=^VHR8I)WM7b!i7eY+J>ed z3|P9+SB!wqMr@K)?qPfX47x=(1N@gKcO02*xWFFiZrb9v>$!_rg`m(gQhQk>{pdWf zn(B(ciTC|N{{`zuX5td#j9xSQp#DOpv~=fcoI*S>)o1>}zhH*7f7?eYOrTN{1Ac6x zyTWrlyOW)VOgcSL0hy+R%Y%!Uy`I;j=|TT?{9P3|(jPOidg%g&4#Du*3MCQYphg*I z_r+McdGpD=RyM)XYW|F}BRDrTuhuHjhV}c=0_!(5WB^FGkT=bnX?qgPK2wbz%CP*O zT1MwcV_57honzW6;dn9);$rDom{<(8S}CcsRWc)(usy{D#7qN_-$#AGF35h629!f& ztL<>a^Ibz{RoZb9-Nrt*MuC-=k@Rynu=}-bcN)){uqaoagqsL2~2Yyw~Aa=-@JdSd^ z04}&ieISNZ;33td2r-F!u?V z+sky}~&ZpjxK&+Qs-7~&&FAtKe~GuMMaS=~sv6~M+;XY)OEL z$#x;tsE;u%jR7keED1R_FPAcd%z2bqAn2LiuuW&HwWJS(^o~eK@oa+s7AZ|VWT+hg-YYO&RDM|2x0@hI`DgM~CJuAr1HwR@DBW|i zwQ1*-Kr}9&D(zDyqoB;Ow+9z8*&Eq8fs@oghu`~+| z-<$weDSK!yiA9+$m(=-$|F#envJ19=G%W7|nwya6@L=;~CUjKYiah<{;r*cO zjr$mUF=P^cD=_IkOH)X0~wNHr)v>IP#Pdv)7hGZ?noS4qA7nhkv za%4TnFoB=+bb=5E+F5k6kjhMLP{=6Q-G_?{ekR1_j6h_pIjugxfzhtfBjRxw} z(GzgFOmjN;69krhD~5ay%fhA}ekk@D}%#Qr{W8x@WZFOW~nK@qcfA)V?9PeRPir)gOK_ASYadkWjwz>-tZEbYiT7;6<&p(;(cs(9AJnX zFv1-HZ`U@F=fLA7Y*Z#7<8Kx*o{X`t^g}d^^a6Q*?E7Gd8+_)5N;7H0ap5UI9%q|~ zAFZlD_#iWg=&I^a!B9A|r9UBOmzFp*Xpg6sOt$cLf0}=@ zx|(3FsCSfqY3t9c_6H{5763>|ZL1 z!W|H^4@V}#60IT(h5#W)D1&3dB1RNmCF;eNmc^il{Jf_!x@0_7^8sHW2is>V8kfAE zl*7t{+yfyu>ZvpX$L*+QKXV@#6R;|Eq-CmP4yS{R6JHk#(zbL|<0;y|;q0pIQk=hM zLp{xeo_kbdCT$hsD*8lYzl}5ZjA8Z|{ktHFK#V3~^q5`kL8q9PGIf>QI%?urQf6H( zkimk~d@E;XewE_Dd&`7{515gHo>qeiq<827EIFdP(_Z8o@EG}osP*H638b|7DEAO9 z3p8>ZIVO*Vh_iUMTNz$So-A?IF(dK<^>}p4aW0p?x4;as%xUsmL&$FFBTHNl!8542^gZEyOrqvg{i6;@Oq4xx{s zC+!nBdHqj668Gk4@`%?azcIf@=m}^uy~<~TFxp|5#*Zck;I9imSA7>9E*w&xK|}$} zLv>%8>B#OVu2YQBaS+z8o5mK=(=cL;lsMkRmHDG~Gx8n4^Ufn$3}JO`Tpam_z!*mA zxi~z8nG4G==2?%;OnO?Xq}{;Eu-Z085}E$;czCTQ$*h!By({!l`$2~vzfDKNvU;&b zdD_%2S=X~a`HuXPrQmBS+)#Mo4v--{;}m?NyF@~OM=;|&G9Q;)7cgZNNHoD(&TQ8D z093W8=+($XgJVO_%f7I|D3gdmF)FOXx(L46CqTlRtFQ!KlsCXf~eE72uX`)z(Gbl)BlBYVNwJ!*%3~D^~4TRrK`Il z+=BnHXJ#XWf_5P|fv=&1jxVzF3Uo69c#PmQ(*X9F)&Z|fx<}K+wiZEMUZq~^z&Bp~ zuM;!cb!GyTTTi)(J-Kcr3_B$BnPqcjeyK?1<#H^PXLt zZ&%I%99>tQIDZ6%c{-hJndR=J%qBSjYiT@~;j-33T&X43G@~HoZ-*nxz;~686 z*{fOW$j9|r>nzagZ*}DnBEP)m7gwvSvqomjNV{@}E3np%+Pre8sB!k}`DuUK4fnXF zC_Cz-BX`&A{C7!QyAzrNSVjIv=K&b}|Iv8>rN{pToyQv&HeExY*A3eA%-Qp=fZ^}B zznkIMZ`iu}?M>aS%f1CTya)CCU)MJq!1`VNNK8Nc{;B3buhE z%43_pgGqt-Bp~F*GcqHieixfA4y1Gpt|CH3BG|L$QVAJHNhs;cuxcnV0b@)}WhYfa zLP-wNM}{z4gwQHNxk%ng>ZIyF(wf~3MXCRYGp*9?P1(Uc^HsDh%Good-zUbYLI`EZj>{nUAo9n zLdHw!g-a3r0|&1#BFKMUp=uzrwJ=HsHeiS+1cv8SutagVCl=)6((gF2gBbyo(;bAz z?||Z7aGh-B3~o->L5Z-1?!h;LLvcL0sJ?`3>GIpc9Bdnvi0H?vAJJO;YACIf181DHkPH&G{QxW}ip)&1G?uJDI7ukPyE>=`Xg?dwI`j5NwfsxYmqaS~ zKd-z?p3<^aUM(cjc#spTz93amA@qeL;E~5Yp()NsEYF4h0djzs{cLCwvO6?C?R9G_ zw^joV6!;!UA(m~dWJXqqGMGIWG_4uCSb*2zL-d`>!p34<{4*Fxh@ebDG*@0GJB6j>r-nVDH?+!sPgbszrtidwFEPF7l?^+ zQ($1|ZmdQQ;odmOe?#7wZtkhHaPw;s3w2BLotEBsg5L-F&d5HlsF~gaMZ*JjY&*2kwlZ2nB-sNob!F>f9|=@eXc&Z zrN^p0tiASH?|R=;K2R2vXwEV?E~F+S(|vzSRN0@npEv^omB}V_rraCi4)HzZ+dPqd zn^Ym#YBW%ei)ADE4tj?s(L*?F)5$2$5GpFM8yQwtM}@gwhdRj&>95vF!h7OkRQj_9 zq%hsYL`!#CuWMYN6hJ=D>h4E!-dDw$1Re&;*{KK$%@+7KwPhYode5;?_~O}Zl{=G* z4EB#GwGt1_HsVOA2c5?ZWr88pm5pt}?_fymuKNJwU)XlYDfVan_+6ama?7EUqS30b|Gc?h~Z9?~{nwT-|gr3Vs_ zrH2@%bF`>oqCtzR>Ae9=FvuVL=*_avH~3GSCR%o%!klZebs`PZpmL0D6gHDf%MMvj z7)U-ss2{b~Pr+75m2(N%#TnXleMQfQPYNWSFSWJ#|{PoB0>2d7Ff?2q@&B}HY zPMaoEOh>%B=05j&Y6U9$nP1`$swG7C^dCfMA`|c6j`_9zkUB^vwpeTZi4+3pr*L3i z_o_Dqn%ux^sU4=u9z?+Y_Xye%K@K9A`mO}cb>~Lc9I79G=8j-vgM>k32lXV|0gmCR z4wU(YYC2MeQ_EJWPc59Wj`S{r`pj5jXjTZS@x=?829XnSJ_IXz02H<;hzTb8;jS&r zj^phSh|KEVOeD@EP2PG2e(KhHXJqb$s(E6MdIsnhl8M{ySmf{%!l5C#sn>k8-YKrn z@aW2ryfN5X_cOLOoWSPhE!G5`!>9Q*xVEnN9heHIFzcC9{eYN|LNIeRqqpS&9Ge3+azjbW3H%FGyzeC9 zXT7NreOXi#TJ+uLjVh2Z~9p_1d z$or7I4}gphL??x8{!;_Ko2O%@9QoYSm+TokEPahMRR$WPC_YUu4?)BM+b~NJ(-S+{ z5Ahq4QTVQUE&0UaZW|AI-lG7W8A+_nTY%dwS{ZI;glkl=8ePKifA~YS5Kx<$XkBWS zhESS6bmt%ed;fw2Ha%U>L=)@q(1&ZJ&)E(bwy4HlID>_MC7A`8Jk0SiB+0pg3a%0W zV23O1gm>do{5k(JMRLMRj2c)-iIE1;t8iG8SojkrsN(Jljq?^av`Rzy>*z%IEAnY?sO3QjSGlu*RQF)h^P+I$I# zuh5YadtDe~yGMk$%9xLcojGNg;F^ZBB6uzPuY(EQ3%}H24Yv1-oQV%+uqo3ICo=<~?%}o=h05Jx2K^VLiDYI!gjw5Hb^?~9*s7U3l-VU&>|B=P-_rG!A*%U6QVFnj$zpKOj ztMeT*nVGH)JNDo*QV?Frf0MAckT{b0v^ktGlRe0O^}d+T3nMzEhf#KZnm-vJI1>Yz z5g^ZYjEue-Nd}OGay8=n>zOBskw6-<8F((XwUilm>42Sp?ZpDZjOoZuCfr0gxq=n= zBHFf+&2-(TUk$GwtClhGLU2ii`juy;U_1B&W7^SxqeR*#^DFgN##DQ#?pL9aM;#@= z!Lb|FZnk~IwY)nx(%NhwKFpo2lX3`aKEe=dmwqND5HlQUuwDSG%WYv&)is_0WJLWL zVh+8MkwotaL3?Ck$x-j`lC#EN=*GAlmBPrn^x`GB-R4FK=gB2fNnQ8@9X8>fH6_do z(kx6DU!bN*WR7bi^8z5IHnL}`4ZNRvbM|lQ84@b>k0v*omY38hze} zd12lY^#|Cn)Hi_ZNmwPgb`K&7J+EVd>naH84Y-3Vi5iHN9q z+rcuPjJr_E1G%~?9?HSuaz?jXZ|eb_HwC1~OYSn8*&cZx0;skacXK7-8k;ZMN!=(l z2zyK!I`u{D3ERNtUqO|YV4-R_^NDoBnyErhF@dPuQp$B_$9sp{8u2{# zO-vD6jaP#zZkBA~x^df^JBk%PH9M0}0K%f~9pO)KKTm4QE@5Nc*W`R51txJKX`)5F zkWa1!Lz5j;cdBM8fKX&&9CHpf4qp#Nbg-T<5_HwuM1XNTd1Q6g4x&WD?}ETj`f>hy z#v3_dIPgr0;ywZtntZKq8Q3VX2QEuueh?OM?|47+9H~**?+ZS{k@=ly-1k|0#SwA1 zkAt?pA0(bL)oe`9V-j7{`^<|J4PNxm*mquDAr_Jp|37rgQ}Cu#=@R8 zfDDpG3Y#r&dqzz?j@8bUM{%mqh5Sx9%D)@VWM_Pf7_)1$8Vnp->1?ri$r^l@a@;#(N^BcgDM%LP8( z0@@bDd`DCgiUVjxn^&1f>x8S0N6m*?hHN|BI2~#pBh&%pd z*o+-_aGo%oF$1GP9&sZp52(uOcM~?(1x&kY{&-AHO@CC;&G8R*gsX@M8JmtCWYBv^ zDL{=DBqq>QPqq_qbit3Mfx;`M{6KKW9fNT{{tuGu*K)7%YTjg@vKagsKGZz6sR*xOKX6^+aw~t}dOkocWAjrGehz0gTQRxDGNgQH9C60x zmpPI-OVG?2VzFe!i=p&xG!f-0#-SNsAu_T_;TnpgQN;u}T?2WVC)&1mLSJGB=9~t- zu-G)v+T7`Ca^@iQ+pBKuEP2(_SG`{Oam~T}8yfyQ9T~v~kvQ2!F%jIK@;g3iG&8k2 zPW{5+#dlmIU`z%o-x}~aZ+{|^KI3n^+*P{BnDCdRxxxh4_qPyvPI^j2R^B5+y~o6E z+HG4gEBD9Mi>hB|ocJNV2P&F~<*@MOwOZT!=D%FKvE9*>+5wpkveoPPxds!~i5+~> zyE*zL%~7KSNiEGzahRoA%vrj5C)8cX9bNH6WJwxiSO+0j7tBc&wjQJ_brq`ENk+28 zCD(~!%drYO7bNDP+TQkabXE!NSp^VbQ( zx0r>so!a!ndLz;f7MSMx5KXqI#t+nG&Oy3|XZUh|as(lf_nMv3Z+Q2H2f|0pheSvA za3e{)gd=jd`ZBk%pgvb85oz8n?Kk+Ah6NZQ5PN>y_OX|&c_7uQwMs1pA=mCowWcBn zyyNj=x}PB9##SfZWE>MnyL8N)$_L^xpOSaIa~V7Ec76|}4a5hqc1n)Q;abxWUA0wu zn_g??KQiFkm1zYhD*NE@)H5i1XWPsC1Ow-ghEWdb0PA2UQG#azSItE*E}K2BJ+#vv z=KMQ@0co)7LF~Pt|DcnFSTNTf5c_A&>p#@3fay{U@&9+ur9J2c@w7+e)9-+?7NLs) zSU($S!;c|t@Q7nr7rE(}#y|eimZ$Aq z5V^8{u~w)bJc+b>M{Pc1Uq9vEnNFMLThB&qT~&P6F?rL9#m=4YURoUe&N1VXnE4^n z$(VgtiqFM<@a5)n;^C+F&UHSfjW{27@{y-+$CV*lK9)X-+;ZOkTpB)$&d1+h>i=0v z(6ac;t5ULEqX$o>lpAB-%l5xH7{1 z4X#TIYU;_Pd^qswtKFUqp2B2sWvdpLJ62p_!uZUmEotEg8(WM*ZM-qlRyp!gX4E#V zp|^AQ$=p8T5$%A!@`b1RY**~a^AdCMq2l0UtaDv2bfCx_hfAI zZ0R+{!S-HxbFPGBw4k${GChq~xcOJ+&vo^YDhCc=-?~50-tP}>UZN+{Ro}U(e_nmw zAa8wr{*a2R^@E02+Xf6SUY4F;P`V+VE-c$|^;n_MbanNR`2%~N9+Gy9T{CoYOWvBI zX|45ZhP{$qr@C97xK0Z*6YpOeG8>n&xihOtCB*yWUC-<3ullbV&@JU~(@O6`R$Aq2 zjI0@4yf}6NHF8Dif?S#_>qcgv`+t7PswQ22` zEp_>3!$Q{kdD&ZS=>x~+6>R%_?BaoYKMC5kKfiCsJ$OpXxEV=4L#VV0`bJnc z;=PJ}19BQJ<_{UG?LD&N&;zacYl>nX{Cqa<(BsoXCVupX@6ZuYi@Lu5Np|$jicf6Y zZ%#Vz`a0CmmsvhHyF>S1)CrfS8#PmUrghrD#m|uEWcTmetEloH6_YJf#bYaqVuzF+ zxYfC|;@XC3uXg{@GX2w8R!+v+hetC+$<4!!eCbR0tZTZzi#}O|LW)__9HGJmJw-yec z_1oi*htKwVKIr4w$T#Zl9Ia{0rgT61K7I7tTjy?KV`AIV=DwbAqVHJ!C6i`~;da`w zDNN?c5%cKpeLP*|w4XM0(jN2m&Nt@t_SSR;wo@EBa0JUGEMHh#6BKy0IcEMz-#axS zrHekN`j3gqAYMriTt>_ve;3mmuP<+Ob=0dFXigD3eE6D^GO{+PFk(~jYY+akM8*3UUH0_pw0~*ns<6w?4*0e^Ew|7 z*|N0Dp0owjrHijGW#0D=zF(@`p3c8&j;-7B>JNVqXDR&X*W2>9cb_(Q>g0bcg6&y$ z@xGuu|8*EQ>qtGvS;j2#@ziRM_4Vzc$vn@i`r40|g9=8rYrD6Ytn;KaukqODUTgS| z#G0<6vSjiU2<84WwRU{5#JeJKl|;ckb(REV@>~S`Xhnu{%^Yc(D7O@v;!wW zxF6aK@A%0j?cz6i<>SgHPAdmfzDUb%`cKw;_;SC0JsU#&{d#!$d`<6v*=x=0ty%Cl z?QQsrNf|yoO$k6Ojnc44YJvXBKr)AX5t_MKLU^pw{yfmhz_V3KI4Y-6;NS1GZ~fvw zJH*#pK6zTnq;r-P!nnSQ?4h}#wu?a0F0^wr=;Wxzi zYUAvfMa!80b}A@pEP`@~X6hfr1@Zwx#79X!I=DDy1ZbqA6%h35f>sm0kR7WhdI&i{ ziJrnnl6?GfxZd{rX}_5j$o{0YeU$!3y}*-J^3p%Y=zBlY+k}1XEf}NIH{mrQ|D~_~ zUwZJrj$IrZ_3sG_GAqDkpF;XYKI!rIfFWH9jM;K6J4f>$9>>2&N|*BQ|2^qpI`0?t zuL1nehv8EeX`*IBGyBAepPoGFPGRkf6CBq5^aNvF_wE6cV5-c7%2@OnlYxFB3sC@P z6hXxVUaOhizkMPVQUSWc{)LPouz&yD{!q55EiA--sF0x0U?_GcNR0KCc+!d6{eBP@ zhqfT9uz!De57EC+kL>fmZtqDwl!EyNav@qz-;#eV{@aAElrSt6bGaKkqV8XrX~E}0^DGy5O zZ{vK3P(a8D4=3g@!;!=e4{leTbYqaT#gczJdWIW)`W`JBYYh$KD#z|=P z4^NTZY_xDk2ad3Cn-R5gI0MD_TG_#V71%Cg`YrWUd+xM^RE}c&^-Q~1hVes7M^Glm zkN!nF|0yb!hx({fK>N5GR%2MRauBOdwqv_kyh9iSWc1sZ=g1|0k5JzU#(!p2*Tu#; zK7?8n4#b4! zRLBWRjRu|{L%64Dmo1MNPN4bfV%YE$HM@zaX@teddOL+uWK2uwul@F$(|6U*hlSXjnv8KA&%0`VNzfQke3r1nnStez<`7j>a|D_`Zd>B z3Yo*qP$caS&n-oKAlcXjMP}>Or2ohwL!rRm`Q?HuT1U~?Xq34f$S)l3!6-T1r$S?S zrJeGAS&IBJQe)iNs4_ryAa4NS_?!Ix6Xf22)IMw{%M_QE{a76Ws?YBJNFB`rb9qKT zq)r8(c8a(eWyPZOMTH`gU&m4dm7hEY*DO^p;=bG%%X2c(nP7N6gbpM5btJ!ECujQL znH6hf03B=EMksgvgy&a(RDRY9-{PIjxMgM(wM<(j;n!JvX`8lWFtZV);j7*OW%@|- zZk^4prnt_?X5R^fd$yk|wd@9dfqMf{7?75HiSS?8(oT2qcl~C!f+!|(w5rY#K_0M#ykOL=cz^-&aqw*}Um3we*jxGq5@ z?+P9O-PbV}rED+@@_Ygv&7V&+)T?&ad%_6eotdXyH=)mk++hyH|4y^{!Uo81{gcI> z(F1Rbu)H)Hr4}OL4agU#sc(ug8eu(Tz2zh=v_OV_Mpm`Xe zob^#lL4$q{Qi}zOna^}({;;12prc84I*g&cjfO#d^o9Y;k2OdZhiDR~7}NC3M!@*X z<%Z|M$VG?gLATzGq2?hsM4$Mkvdd2>WCoZ{>31{;gPRKFHY^MVk@2sPcRw_rg25Fx zfacqNp7<2rSdU8fh(~a03BhI1*hA^HPJm)WCEBVk~YGF4STldtE@) zS^GfRxRR=BGI!TmoG^tH8}^#K8-W)ch%UWh84*ZakG)aArDZnJj$^|0+(_gE#)dE5 zk*MLI@&$agcoHM2iWO|2n`Zxq4g?2O0Z$}MiD`)jS7y@<(wUrw(|Inl{o_-xwX=au z7Q5s9yEtA>!234yOg952rL8Z?LRY?NFf!Uq9T)fQ`Mg=Tv1U@_ayr zCteg6p!B2C8OoU$E3K&-+1v>=ng^Ni#-tbcxba|M*;8q@Vnxa>owN{uM9RmgdM?ul z$xz z$o-*D(K;bAuR-3WLtU6Rt>ro-QQI8zQI`TW_XW0erM8mw>P7imToWXG$A!y}@zu** zxbg&F{Riw8KjEv_C?Rn>Y=X*dU-?%IT*HZDloX^^)pt`rNG(IsUGaS%7^A2QqxdEI z#+Ti}dglo}n2z-U)z{30p~`dQP3IqxN<8+aTHiD(HUgh!J3?{0<7smmY@_p0a|#e= zhcV5}PYtVU?$8feHimg0V{)tvH+PLiznkmzQVisRlRIIkdlP7;tMaQ(P@T05D!w&H z{!z!RR{VWX*Gm5zhmNEnSx)rfVv)jrj^e92XT%~Y6@Dp&&gWF5z)u&>AkRn2Zy^^h zILeW$b{0v!IU317hb!a3jY!H>dTG=c*9*B8RqtTU@)wvMrUQHT5w20$Q1CHolAw7H zHqys^$X^a#F|MchK>?yaJfN(j6CW9W(KE7q02x0HWX$e$$Xn*^k`%?<`Z18$R@b*P;rUKe87KHduAQ>A>C^CwpZl)TBw5Ilz2ilGv+oU2pVv8=}J6OO+pW45i-6P zAi3=0b@&PTz&u`Oj?>BOklf(UBfa}7rV``_TKtF#p*QIGj9~JxV7FM58wmeIS?bP^ z3IOSTto6dB>#-suL2q3jB6dOEK#miSvRXDb%hE>iK)?p|8a-cOn z5O-y*!spl;`OnC0I~dV+&j{3}Ya_DqL2p8EL()E*6iwfDlshBInwSB6e|44z#!ou5 zo6SQ6bC`aG(k>g(*80pt|CoC!%C3D^l` zmxifjc&}17w6qopJo<~O6^fcutx23*!kFLj7p|usiI5_8-$)Hdcs(BG`018)$3XI_ z_$3BLjaqVW@x-v?eMH`LvKeD$q~~{MX%rn`1lz0e$J^3JWUbMV*<_|f6ESKwoG_GX zT7v3pOB-<`)!-xKm7vT^iVX=N_;qZ9qQ7`uNvslsYDO}#P>8uBx{-rT9Ny=46DYy- zp1~s`B}c?H^_C39qigH~Q{q%thpQ2o1@STRu>c5_#$+ZUNs%Lw5mNm&;&=R&@_T^v z3LAzWD*JtmsRp@cy9Ku13Lw)8cemGDaT%6(Ivl58l7 zkBwluC>wM@zo(j#eq*J??^9b$;LBH}sw8^z@pFMVxDYBI`EoK-Q`z-uLe(zCiKJ5& zXK}u^-P%*SiX=;9;-{buQ4vO%#FL2Yp7)k~1@mE{_Ok)Wt-+ibb>)u*b3w+bdLfmp z;x=YYN8X+-3R` zsB%+_Yhdkk_F)!T1Zf?!#6Cq|twEQmCDua$%8y9!2lM<1mK{t(aS4=6E4KrgH`uVu zsrhS>k=3zI;j*N|SaNu-Ia`fFG5T%8jo4yI$GCTZKtR=A@mIn%26AjdBY?#4S=%Vm z0*v@-D-Jd0=#ShJi;((=jjZ<(b4c|XYvnfA*~!yhGmO1y*my)g@&^t1HQ0~hblZ|w!{BWvjQ(F=l&Yuq9!clyCePOu0EyUhPp|1AvY;rbY-i2M7 z{zT8bCwnyVSRc6?V&lXo{_1+_H)XGn+CXuNqLsg6GamaZu3&pzkh}y{)H1Qmce%xY zNleUJ;X+LA+G%J~XOLlR`?!2Qnw5$sg(G?}V@#KsWTYa-y>@|y9dRfNF{8h4M3d4`?z@^5d(f;w?N=ZV#m*bDJ6cn4 zN{vRe_*w`0CF79;+djEE1$Mb+im*55$ZMIlYJz{RF}f+XXZ2&YCn~oWb#OkgR{w${ z9`900P+KjwaHH^Kc4XUP;xOKxx4L|z$zyc@YN(1P~91<_l9&16F_!g2qI0o7A5OU+kla#xh24|GMXN^C%l#@jm(eJzNg#i>Kk4RS zg?Ed4ArIS*IKt~uv2mGs*;4bbB-OF*9BJ`T*aE8A!?8kZEb~k&bYy1ZJB@`x1U^qM zF`G(El5k@>y}$sRWK(Anj1wu9UkiOu0zl!ESM17LsA4F#S*IG|@NKFzD$z&^#?jX2 zB>2hVG)!(aPE97imnITj)gPXi_ihD&v@x&K6~?029OgCo5z*8MTU?=u zI@ijkXh1u--^VCUzJ+p*BY^wm?nh;HxFo4M>ov50ygM4XS0Im#=pce3+W_PdK@(iW z8Y^Z=yQ>Q)smXJWA$d3rn$Fq@*phx(dMT%L)eWS*p!}&3qBfj*IK-XeW9DI_v zE%6o{LYdtbN8)7iF>Z4AMXBEdU%X4;pwL1cK>D5n%OCdDaopdF!(rNOj@O zgoCcs*=~^^H38ZCMwA~ZE-|n_ zOCQ39VFf+{)-HWO+TBl)w3oGr8#U5S)}lN^(k3#j>IZoilGc(o%Q?_g6V`aX1yDK6 z&~if)M0P^dUr?1Zk7}Oaeu$(Ps-rhU`4mZ=uy8|kZX%^L??#XA2c7>=!dNo<=H6abeG9psOv_ zc;>;}{Z8JCJd3b(*eM^+Vw{+K4SD)Ap}?n_SI6+lpQF67i~s?tym%%|xsCGTh%jM= zX^l=)0@7pD4Me0%+YSh`6A?*-3=YW`o+*R_>S+UtDy%Vj=UKk`3>sI|*El`!>P1RD zQ&-nQM5yVe9syuEoQy?2=j(}r=3QNT0|dU355ZS;1knKbBi4G%Y5&QeUP{`=5$UdR zz#pW{rtGd@<#(q&A`oDe193*8gp2EcN!_RsLBV~KM)@T$wNV3ji_|wXK*6_ngC=nR zkdzj_p=mEfSuek=NgjghK7{C(&=rj`pU_()I>;edEwx%Z@cS$Uqwq^?BEQkVj8UQu zXd^YoTk_zNy1(S1{8aBb#6~drWF=k>GFZwcjrs*%1^13iVw;$C{P!kqOXF#jZP_9W z#hX)U%nWA*W2&AhP&^2onsAQaYX{;r{4F>VvId`GIroeH5aSFLUl85{YzSPf+5y~# zW-RaUsTyV6#PdIf5Vst!H2W|e#BM(3fi}|S922U1(a}BJkIIBIw4CL#WT6Ckd0;~p zoZUlQGZSYyzvq+fNM4Nik^tjSGgYtHamfqHtW409{OZgT#8_PNGX%$5@u@nC#SNa# z`N}D&SR-6i=UY-@Uvv41A%u9AIg+`p#?n)&Wzz}*0~5f9DmJh3=RXqU?+}Fg;Bv3| zsjUzeDdyFCjCsP^%pUl6hGSL&Tg)%~eJe=ev{ryGREpFlh}x8*W+2*z-O^!3dYWSLE@GJCWHZ)g9D|e9Vb;-qhBBX|f zU|XG~DH%#fe&TloF=@GGT-S{l#C(uE5H(CtBum37+yi}np^E)7yR$ zb5_a5!Y}GO44-|0y~G}Ee$LvNVGvNq+l>{GjEC9+=jH8SIVFplipGlhA@mQS))u|I zhZ5h`R)li{jbeD~H6oRMqQA9HMpm&6i$KoQS6ae+1q_zVapJjHg<`XqXC{C%uU2Ys z^=D!?q?`vVBFlrB)CP$x_GYjV&dL4|ZuWX`B)x}r72@Tozv;2n?Z(PvKl}cqWI&q- zr{Ch7#iGkbjRY#Ik}b^U)Nu2I3=1#6O(+u*ESpXpvnWa-e&A*J#6p?H4@NVQNkiJt z6I;E#umb~e54G8oTrgOMWAYNmE=DZO#AQR-QZ@-samLg3sRDlEiN5>|VHwC&o z6SvagOjO;6iLX0d@Fioe6M#Inhc8crRn0MG>G}EyneY_`!Q7A0sBJJthmaCP^ILj> z1l9}ju@6$rlOl?`B=@w5GyEu#%dwqfY83}=-VOsfP4jmH>N!45Zds4h|AHxHz{Z|> zc+wxc2Xtc}+nb{p!xhdQ^qeo^xZ7!sC)b%==0hF3Dy(f)tgzXPmqn zIqwu$I7J_5-`24zBz>0mu(XnyECtJ0V<|-mvEjvs{j5QexeGOUE1J^EVmQV1&cTV! zcpe`RH$>;=gvgHuw9JFE=uV}fhiP9hS?z7j@M@iU7F0vi-xRUVGmhd^)#^X-V7f|`!guaamp5M$$<$Ni1Iv{)G+Ju^Nr zI=|?6W&-Jz+RP_ATpb8AM)=+v$&9!3A-mq1*)Xj22eiz5GZ4E4l^Y?s@*K==r4uq< z3S}di-9)6L+*#nl+u1UEF3WBq+vGY8XHQ*@@|SCr<;b&w9Le2M?8vi$vf~e&=~mB1 zm|W`^&kBHFO3EmdUWfl+KH-)Lv98opS?zvNmd`0qG890(i>zHqb}ViIE#Yl>^8W&YgMZOc`_T#z-XHNT}Ab`4BUc-wOhE2ToQtBXu*g z8M0{V8!&gCAer^&N}JcRveFokzEwCa0V+<%JmgaY8q(-pdRKmOXJlUzux+R`Q=*uB zu2c02wiELytbF+dO0GoQw?t)Q3sV()6QVD7A<-coA&?_`fj82-(c3fk5J6Z_`Lhuv z_R1u6DVthZoP3Y~X(?dMRNugn&FTC91V6W88;(f6%6r!`JyH))>R^i{R&ZFI^*^&=@?BS2jj$)BN` z$6f@{_A3w@_p~1@>0*EMC_A=75w8Twfehb8U)4iFhMW-EsfjC&Mdoky1)n-=^>CPB zF4&LjHhct|oU@#k2_LzM;d=2qJ7o6Cc?0d}!GzDMMfT(QN($B3B2B6DB?rovXs)4V zI7Hp%>Afnf?w1K~4|75Y2#9*SQC!{I^p_ zPWTF+Se^mQv-%G>QNuR&K5Pe0EF5fl4%S#W2rub^ghRPQF>DDO9kmrZ`$La+G zSc3?SYnQ|@i=+k0J`I|-%v-(2nhUN`pgEa_)6_1FFazd|@~fZxMW2QY<8d9=)&42D zE$u1+B1!iBUBG0@Ss2tfdguLYvIBY zDcfWhr8+^MBp8;Eaya%zPEDitB<@LcvGgPkIL}b_1OvY%(332Wz!ir|egWml-WhLU zCdr;c3L8+{ghv4HuCvb5B|H6NhmrQwvAWcG8hN8%wGTIv&b6D4#+GF%#hS!d+;dTN z0GIBhOztRDZN^b#2d;%U#a$)jTiryG#na^EOYLGIjFH&3= z(jAr*%VXeV6{ah>8YfLlPa#3!eTM4I9|pDv$?pXonIbRH;_>`aesi-0ohjD7w4OB4z zI}+o-G*=Fj`f@kqTz_d1+bLP!xg;6C0KBns4ol_GdQLe6>nr|j1gy6)*f`4{1Qxgl z5MUPid)9J);v-Cz=ZzbM-ej~=x#q*fQg1qE1SKyAqUg_e8|ERbo>$Pe;-ZJ4I zR4B8i>Z;d;dWk@7T)^ji6wGZCtVAa|BuHGV#cx5df5tMo3XAc_?0_Sq z#Aha`t4p;+qDjii3SmF)Q{BhXij~Sk6-&r&P=g9(cNKAzy>g%22UWztNf@MyD?3rP z)IT-y5jt@{{gfuoQwgwI=A)8i)ffMY%^8~jqJi|!~*W0}SeL6xz57arkbVx6B{l;!5I+<%t(wTxm-lb^vvMqcF zC6@UL`<*ZAT9?W9eT1E*vvl}XhTnahnU^@W`Ze@Lb{aEJp$J^F>?)WR4AfEl-Qe1N zs?Bm>w}A{*JMc?rMM2g1VB5t2;XX9^v~U-HO)X3wi@C3xDK^b9Qu612OF)WsI$2W3 zRDkPOHJcbn=La&;QW#Tczh%rFh4}6M!aTrAbaAu2W2KB<=uHn|hI%v6kXz+t!;!hfVNhd1|}ky6_Yb?)=>VGEDeI4nx^>Brp6f!-loWS4CWy^{`$!f>Z-% zJJJjG+KTTWk4F+$U1Uoi(w0o(lJD?1u;Jj$jUw4F#eh#m$~}rj#m zchRt&Sqn+ho)iF!S{UjD%~7IbMlkj);)jPTSvGA^pJmN6e^go!9T};7F-xiTIT+~G zqvJ(;l-@-C?>c!L(P$-$G7Inw{JF(`V+rwt>#3)izG@Kn=-3gg({tVpVVZu(a~UEt zC;b1;avN9rLwwmY5yvzSx)4X65E}6b2tggrT7w`P=)h&B)&8)QDtw3<@ez_I8~Aqu zNIQE1&m&G`f#m&%WV|=QSjLiPDnnSlFvN!pha#vGKuj&oByHR`?PtfC>SQ5-dn@Y{ zA^|Z+ZRU$fyBeg{5gFt}`&^FcV)u6yoCa2FG$Z?T+W`5nMg@0Y-7ELdw&ug>(a%ra z+;&lhjPVZ)*D~KRMNI;%`B;d634LH$iJ$4zY$jA$fMi8_PSH#Cub4G!Ty#3BF^)7cgJJ#11_~Wm{5hh)YXWHN!@Q^ZWBCK&*U-l982&% zb|Uc>X&1W(4*N_4o@?Gk2A}vb2PvbbKVYP6N zAlaWc70&JQX_R-QJ#66;XKI5W+Jbov|Hd3h65eHgmp7mmiMG**now!|C0HrIa1!Rs!Zdk3 z!bjNz^h(16zR?ONoDeM4t8>{#L9d+D*jw22Qg(HQ6FK+9LX?yj zf|-T(ZXM`U9b~*2{)tYmGOB?LN51aJQ}t|!d0Gq{!AMQP0^%zOE}kdhK{EurR6o`X z#D9%Lr7Ln@BtFK9NiTnkUQUGPwq_o$;7++YlJ>> zf6atW(jNOZfA7(xKdlQvV3ZuOT_@T(J*ZWtxGSL+lj2G)kWi~?WA%r}ta7H=?P7R!Bw z?o0@?o|K_A!)xRP`l_$0cQ9WoYmhJiGX4k%o$aT~duV?O@D!ec zm7rL96bxt#tqB5|P@}Kjyo8nD;;j|>Ru%b(OJ^gmwXfUxLigaHE6faaUD@0m>yqKl zEe2y33NN=5x&|nNksKPwKaXoTTI1`^Ldmb{@{+la9}aO&C-c&{$QwU_{gQ_X{Ou6S zEj}YUa|0vTpBiW#O}s}85_2&((>2Jmj*M|d0y@sK2>?G@>{-Y16_?02JsZd{?zgNl zD1B%1NMR}&m&Iywbeai&lJWFwjOlz76V0C?llq|e;yFZ4zJ?Q-0kalp%xyAA(#mh5 zL_P7oNE_`Hv~^fWqS3X3>&mRk{TfxiVjrKu#7#YkoX=)J5NdT2vTm4QxgdMm!9W>i zgMTvVo7uIoMKv%yq=V{dW~SXud*4KRsjQY0v43)z3|IF$X>JaIX|mnwy@qEpd|NOx z+a0YF2U;%_LCU+7pAg`_;fGdH@AK<)%7%8h=WJy!fe$Dq3>-WAt%ph3$G3Ve{)|y7 z8kx`R-x?b)p>dBVnTP2dRpiLsi%IIBlg7H93rnq_+3jVQ%@FEPlgcp z5FI{GapIq3>k^=BK8NM|B&gUtwEh)}*NI=F>PvjK1&4wsUwx6WfPg{$5yrx_NTpVb zeDK{?8tu>a^WLNT2RNJkhXn`J`?T)ce-Ti9>2xfeYGH&4*n(v)MXaEN0@a4?R8Q$V zbG#r*_z_iQM`7vU1#vHta|}@Ltxo5PPRud$&jAxMGXt2TP|!bwwBSRy23rp1i#L(V zL!ke9(g>4|c0qiM?2x<>sVl^A%#GzPi>H9y*8W$Ze4YS(G6z7k$;%-7QrBCUiMAIh z+#LJM9UmkZU+LJ=i7L1-AJ0j(X{5OT;|@!m58CmVh_k#n80H;~23U5c&(6Ib#1t}C z@ATcDKpOn8q-lJHW@XQA>H%7__-lsqoOWOgAv~o}tB!(Y|GGwgI}zlGzu@A`ZF+K) zI+4k8zp5>7nxz&y>unH}tzHF(?m_=-!hGr*EY{dqsjy*%PzW;d4l*MO;JYZsd^5oM zMF)32EzUP*)L>SL{mRizsDaH-gXKk-FAq#yP8?#pwe2PIg}RnMlx;|;gKZG-70cl0 zKF3d3Y%x0nX<^~BxsV+Pa`RA#tQ+T1&>lj@bphT`_H*;QjI@#;%^qBD-%XN#ZPZ!V+4^hpAWE%< zkPRFXky;A?x?7Mu1n1Ri3ay;*Gx=uv3W)1Gqby#SWT1-j5lUar*jPxzV`H)rTZu$` zUmQ&u;b_5gqZ7T))*Ew;TugpB68d>#aFj5BwG*>%H5QyTF6~If#YV`Z{WFRK(tl&( zibo*lH$m77k?Wlq)kJK$V)B(2Y2|H!b~L8ykh6L)vB6TZ;|Mvbu>gSF5x(l@b(b9) z(xskdLqsJ=7z_Q|2dM{y`Ihl*qwB%}G-R9uFiG^F6vjVy7P4eA24RvoZx!7&$UfXapVt)}uUkRi?o{=TXPu*>?f`as zJ2wr16VXX^2ElVZaV|Srw)-WHwI$*1#7l)+knjT+nOvuZQxuP4Q^@twuh1!*=-YD^>VgxbPhl z2a!T=GGt2Dkn(3i_8GKoDStCSoaiGI16+C+5{6kdI{6N2CSVS_P~)Eft-X&X-Rc2Q zi?7hBpo(td`{*n_6O6^4ZhtX*qw55@llU$VD)q>oc=P8v{+WRisc)TphTO#mrisifBD;7W9#H{xs+L1O zCKr_hU^;%sSaMupII}I*(nZ;XLT2 z)ks)eiCAr~7RUx*sWr!6+~MOL1Y)@(0%V;g`C){ThpMZEW$a|*L5BIo-WK3>X*qw> z)0xa8`2&Q%gLjUEW_K^>DEyG>(9+*=OZnEk5jh;PW}u=lWKnfoq5cMiAk%3-W*_iSnt<*!KziO zJ!;k3i>6gv?B4&%QkS+0W(o zqn6Tr@y2i}O@sK{3aR`P1caAtyoTlrtCS~_dX~m|=9(?52N#gWyXZ;B z?lt94B2MOxRL+T^1482v=P92YbEg|sPD0#Zi2o>`g$@VMT{QO2=a4_$2iqBA4Dd?& zny?TMe(hZ6k;d!tszBLeyO2?Z9qS7wNDJt2x zG!qqHi~h&=81*xvG}Um1ut!FOHI z@5d2${ELx@jw}tJ!YPi)2Binxx|j7F))@A(tTEnvUW3LczC_!uG{bSqS((|~KEcNJ zh&M0Oc){#>L1UcarbXslWhxmQIXwAT_by#`C$JJM>B% z<6@}C9K-Nly2SPD#%i`sYks!QwF|H+@P{x2-SMz&nLHa2{@76(@5zG^3FLkTdK`b@ zs)x-#WSao90So9<@?jlhI7k$(Ekmqcdt>Aq7_DrNdA<|nj8v%$0Z zli@?&TZJsoSRgA&;=snke(u;+2|=U+go?}eCP`8>-t-jh8|Fh9V3DC2;k0PzxKHod zqr0}sAtw5F`+~^gG08t8<%G`syJSPuyp08u%Dv)P8*&|`<#_G#g;)?6whL&6L7_dV&W6^qLpUUOsj~31?>Q{Lem>kMY zb5ig%;j$cOH5g3phno-KEVh>@juX1`j>ZF|*X>!T@nM=}Ywudr)_9nj9qrcQ8L075 z+b$~_vn93h2xE4?C9gGioOBh_sp7|w3DVVU{8x!J&+byAH%pSw7ke*h z91kaj9*#5R@SZOP#hZL_G~i>nqWL$E{C1!GJeEF&1+@mkd3i4nF%c;Ah*})%>4QDZ z#I^vuI9?Ch(y#d{eD^MDc}v>h3Uj9*vgfCQd#veP7j7dsl1Q8L4rr@_DcFWOobLqN zEw=|8>$0VPa-!{askML2y0T5Ur(h}H5QEd3>J(toevg~LTOuVPS7NezA!lc$HKxu5ylc!*(;?guS#w>?gZ z`p^c(O81&mMNc!5Ho?CMvC<05Dvh!Lc{1~6n+!cPu$oRp)*XC`aRozBs%lD&GCSl zYjX7#dMXw>t>vs--6P*QDr-G2=}YI>#d*R`Ze;oHD7l(rxluk5r@X6yW~7hXRiPc3 zU?EH6<}0%>bqfgq{tDspAX~VRcjjXVi3E$VsdFZ0b;QD)9CbMs>{*IaEq{U`M5}Zs zqG{Y|c_gmb<(tF-WEhAeZb-pc%geKb1jj6hz)0{+iS^vCQl`dw3ncFvvi78>8xEXQ z6*X`V*P3z$*LpHOjG;QCv6Z1#?+U63z5cI6fBHH?e8myd_AbM%_2 zAl}rKL1P>ieY**Eg$*(7Ntcd8kaD{Trm`5AOoQlGriBoNXf7-X#fL;+PRFY zEHhcYPOtDuZ=%blnVk7uZP9aO%&2?Z(p!-Cw*yHRxi=MUC;aI7ZJwZLSOMN=Tyi4Dm$}YL6H$6}L2k>j zWb-wHG6Oe0iMMd2o-0V=tM@9!Sn3R;^(6>T6I0APlIW}cEAV7fk^kAsS1~XZB?o_( z2k9dz(VVjtC=werh^#`vBT-A*8VC$mxKw#Dj%0voa4C+Y`%|2|xyG_&koU@*cy17< znA5ekSJcvRbFrR%O>3**ZNL=v)KKGYt>t~jKh&FpyqmQ4{eD2|WY@5~BuwN7`BwxW zKwvrw-x0__<~0MrtT&Cbfs}Uh#nX^~e#njjkQaD2*Tu4vDISRY>%ftDG~~yD;mE%a zyI^&%)p?p?Si9XHi*3SGoLM&7^-jTSY%eXkx6MA+3KHI9k5M+pNf*WZuSeL=NxMbh zZlI#H?NE;L95`9Do_)ZHDH~$}=B>z+5+^MKSvD6*cODw2e2%2?FiqDX&!^drl6)z^ z=O`(-C5|hR52Kb5&=wD9BJV@zmtyb3Pc^+FKdm#a*Vw}l6<3_)`3F*#60XjZhFf;{ z2NXW()Rpz|bTPUoa!0r>=9*0T$0T_-vbD3yXIS2ekk!;e#bq9UqPIO}<*#;dX;|*k zD4%2hwi~+?{}z|Y^n`|%Hg~h!r3PPye<=tJXp~lODK2rix|sKg*Pjj!;|F=Wq0qr> zZ8RYnlF$DO>%$5hO{o4i<_&=3+<<`oYhLx=jz(D^ZXJwfSO5Ls4MK=phoh<1kXZfq zQ=+s6H>e;+WM*bgpIS4eE|OzUbNbSzHq}L<^-TJlM62{ytesmw=z>h)v|Cqs(r#X@ z{CPEe`rGkaXa4*5ArIizt^UW8|Mj!Ef1c_7f4S&C?*-3t>t28R1!$B%pDhYBe(T|s zzgGUQRsP%e|D|?+KmLEK$iMG?BS-$v+ebU=R=sW_z~8D^?%!_k=R-yN>d!0wHfG#^ zIdBs>{MJu-;K<*YI&K}v`}ctxbQ6D8D<2O0C9nSmaMP`eT-kp=7#&(sXr^1o3;y%) z-=EACMGg2H#mB8nUD2T(9lN)n25$D$t;Ws&vlTqiR_LYt`@|dfzja>TpQH6}SKJyG z3S1132LH=>@xPoGKzQ;0$9Zx5`^|rW=Aq%bxKKnFP2|5x_kSbjWzPSTwJB3=KS>HqVBacj2!TWJ5U?EjMq>Q8C>zp}qB0;|Q} zWdDCfzA^Hq0es92!jJgOD9F{g$du_5oi0$|;Lu;NgJ24G`q#0fTOZ)`_{>;%e_4m| z%Q|HHxaHoz$c4DElN-j@Ot>i&Helm+Z2NuDy`5~&!P^als{i=C|60XkPJWes0Ked7 zE#Ec{OMpB2r%x{h)~gB5fkXYyJ}zfoK@RS$E|1g!-=Wr(TaXAq0$NvIehy9wbVKUw z+&tXZHwvk9-T9@Rk=moUN<%0~$#>@i$q5-H>`>?D<%02IguttF^E_aTRe4U)K1A(+{JyMZaD>^=aIS~+XLZ?LfFb9v2F9UFd{S*+R!hmf@6y^%U!@kkH&rXp2NcKK6S)Sg@yUW!K)3{mChl&-;Q zB|ER&hNF*HiB-9|Bm~j2dRI=qq7RIYvCj`2hKIouPpW&&(J1PK>7!s?>@kB0qhr>~~btd*h%AQKe zX&nQ!Fe*@_#&|=}UJ5>fox)f5mkO}3Jjl^JkBzI7AyHq^0Zk#8v^hnBAbA5d;iq$_}H zXkGbv1dj^nwcIM1}(piyB}JN*{{eIQRsfEc~d=ae0(*BaB5a)H~Z% z8jOWUDPIC-_>{10< z54ZuM&7%~!%KOErb6q(dgYgkz3d*Z2gDY|(Uq=USel84PpbK*4<`5$o;k2#-7;4Yr zELp;;{DR^*l`6+o^d9upCX`?KMVv~>-}^H-PGCG_m!E;r>Vl0va<#UBDP5hDofG^8 zM%xjj%~A3TKte5u=f8^kyNpTz5%4#`P~dVU8KTnS-?G95GY&*Z2g&`H>{9oJe-WTP z1Na?Au~1Y{2$VP|ouH_pP$(KG@ldo-7$__h9TYtj4vGOv0+d83JQO38&QOw|2vAH= zlA)wP5uuo&q(Vs}7)bh4q3^2C(mVCCzMDQmRzRtQ0zmd?7?j~qstEpSpnimYq`q1| zN`ISvv_7mKqaUjur;q5z>nG?Z>TC41`bqjaeZ9UxKUqIT->9FepQfL#Z_>}u&(zP- z&(_}_e+Rtg{OdJ$?pzX!?qqP*ynnss!^?JL+h13in3{1nSD1GSjJuO;PpyX)X8Dqv zE6o4%X!x%SPp>FAqWZ?#n5KgMhoM0`^+GYx!2+*aNQW>Gw_|?OU-2OS3hf6-csE|g zzkws(`W6lin*Oh07?XtbcsmTHn9)%5@Xr+Z3vu`=JtAC>m}N02_79Yg(qaH2L?1(( zeOBB&ne0PoUlLrQ#K^~4$$nA+isoPDZjxI6uZBue z|Ft^*`7NCG_@B_4DhW^=;bnmrR%hkFs}HTR8aa@_%ALk2Hw>S{8IG1E_kS*?gQOH;3(0@>DBPA*2j^!jF`08Sh&~H z6g3%;rH0E99FFDSc9XSB;U%v|z!yFqV{JtW(c^{L2yO+4llqvHIDIEFa$F3Yj|to* zT1QJt3>=QttKt4?(p43sr*qXf8zgClopu2H4 zgiz_RS`Br>Dpgu6Zi@EQ{k>3p#v}D_hgN0Si&h<}e|ueqZPDSscThPP9dCBf6U6w9 z%J#(p=%7{b26OR08zb65|M~5I@1UpF#PN$h{x^PQ`(3d^+Tp?fV$8aM2PvnChO8Tu zd~#X{uyn)Na)Z@Q)G?{r8_<>JoA%N)AoHWTo2BR!;xHp;O|rIeer zuQk(ga*rD(xe~Zz)IuBO0!vJ~Y5js5s=N24No0klVqLRK{d7&oV6FeB@#>q_B@Y7dW45M2;!H3G}!Y+&L_u z8-?gVUPql!jss_Qp*m1AA=C*6S~2b+--($Y(QwHv129RZ^ERm#Ws%hYn83_X6^$2K ziGx=2Tj=ws9QToZh`!>p#b77xRg~<^m99dCv-mNpng-`JYC#)Id}(9Cb>q?^;R$uY zPjOCBt|tl6xBVmGPjD>!9&YvmGfQ#sglhUkUoyfaxHD?N#G8k#`V`O|0ope_gRTY# z15;ST)!#!xK53v!N{8-V+{2Y}`R2977%Oc^a@XN1*ict;58I|JitWYbGME zs3xGM)|)Jb!PWJ{tixL38Lp*E(M;l$b7Ghoeui6B(TS$0bTO^L!Z&WxBjT~mRRJdE zCgYv?29_d|ni2_5O&bdoflR(oBBlXK5xrCtf>6Vnau+0$q)da+Gj(dDPV6Brspz1o z?Yde>2u+;<8IESpEFid+M%c>81NT_) z1$58w7b4>t=PL{f9!D~tQncx}>gJeHlR8B)SMlQTbze&?=|_Lq3(;h%QCPXuiSoke z`az*9vHSu&jo9c&B?*!J&`t8`I1;8^QSZPIH3Yb$F{gkfp#gGAq_I*t%3|&)Y-vu= z%W3^<8kEhr!HAp=e+ZtB%wQ*|@tfiS?R4OrwqCWq6}&?{Sy(L^X;;;J9H>x58&Ii< zsa^{hBW-RqAcRse`d+-w?n(2WdXjCqu6Q$~a8_@w*%zz z+OIFr2{7u)VZ`}7Lt+VU?z#k}b2ft=FHgR}<_jd$mnGYjFzi=Yp91MXpWa2ZUs zvrAhx=@+~JaJ8nZ>a|%`1NzQZq-`D&Sy3{CX)3%cWI#-l%Zb+&3}w2(K$|=rf?pGu zo*cxwbBy!H_7c)X?n}h}+EPHv1;{hlW)qCp;U6Q-dozIuE7DQV6uH1R8e z;?IPN8xXD{LF~OSzk+iZ2q z+k4leF}4G0A+6<7APud(W;w3j^{p5)k}SMhViYSIv?*;Lc?`ru+yk#5TOGx9!pxLx19>NUtjzZignnr#68aRso&LrzpgP_xJfWOZ?;3(+%S-CE*AKl%C&P2DhY`Ut zUO-LpqL$x`MY>b(nND(!ns~-iSPK(luZ4f+jE1R#mWK2iYBMjT<)sK8qFo}y{{VfZ z;~{4Kt~K%ogx%J$Wxqz}TO#gLat~1HHKI-qL1WrUxm5?AXRV2s>d6e-Rt8&7%`v~g z&^uw!4(4=NX8f+1G@E0U9cocVA@;gneo;^J)V(Ly;WsR&^~_}FYU7c3<3e5Veq1K? zvTKa5QJhFuqYujWXiIGE?+;(VRP2?+&H(rsd>i`rCgbeX@HcpI6$B`i)?5&aVBX$g zZN#g1!piRaVNm1#(9hSkM6oc)DxXFNX zwH+I2n(x6Fd=8sS9;|hu@;ylG&My^DYafLbqHJZP&`}-lXNyKutTOgZWPYv~%nqXM z_rtO@rDz~i26^HnbQi1x1Mx823dCSuI)e03$$LyIIBgVmm`@7t9Ih_}s2}U-_9q|- zM4tfKaEi5#k&aHMsibFf3H?2A8=^hsS6L<>{pcCV1s~qhzjc9SUp(`zz}4Sjem>q% zqUG6|BfJh59+=2wGq<_U(CGTq6DDwXOH*f{4*G`zGtKk!^VL1u#x>ugt}j<#nX z*&yjk9&CQW_&Ws#wric*%1JWSUN3=v$XEaecmjEQBHG$cncg0MY)O$bl`I4PNP=eL z0hkpJtK>H3)ZU?hw8!3S3@^2&p)CJ)IW|Tzkf9J+3uH7SnOf-=p$jlShH;>2N|f2~ zoJu}!dRncG^4f;duz6{`Jw!6-91n-Wy*vhlXV@RM&L`dr8GuH3$pSHR94nO==c(}k zTFIxF{-FWmBHLLF@8U+jH@~I$HY9GLX3vk93=BROSwdtSPn?(%A{Q{+jM57@te*iX zeAmcD?O+(1Yk#nwYszW=USK0b`1()QtnDAU-;$)(HjIVpBN+g>5>t?nupMilE{pQD@$5V1LuyjPGuHVW zOK*b#TFmJHW&7Iwho+E9(4+dnS39FRRN+9&Rh_HbnJ!Fzbp2T<#S){niQ9;cWI3Qe zcSdBLrxrE8DLn+CbdjE68+lx1jWt#zN|y_+nP-V$FB=)d=!rL2#c(xceh5^rxC0oh zeu(ER6+TGAYe}gw0$ly%nc@b^DU)$+I{6;PoL<~Oxo8nKF!1@tVYwDXiRXu+w#TAIS-i$8!pTpB%jFb|kEZAK?aE zzw2B-gu=!KO4b0nhtDb>OCp0I+|EDT^Cpsx;GVTlAg;Rf3Dls$bVbk#Db{3qI60zq zHz}YmgdIy#@WW`c!<}wktub%6N#`yOV$9663xh~!Jk@;ELOl=-R&yC|X;~+`(5W|! zcbQ40ag+^c5#)I`OMq92&Yi9uK$Xe!tmNq=63-MBg8`TdilCFGjA0vbF5NE}j!9VxhR6 zX<}z;@T9;Djo(Ms0B1lkpf2#(j@K!TY21=646rJ{BKL|tlZuV@D8X`?qZ2~}RO^_L zh>zG#!m4Fnlvp$!bdO~`(;OBG$XY>n_C@hsIuW)KBVj9%3r7CxvP$s@3Y^-`%ebFC z&;1H>8jydf)nt>0;G~(guLwLkn%h^kT(k;Rf4~Bu01W7g`1rr4;5)7K+4N>cYqtph3J{VCgK!cWES>e$S0LTU33!}vIod=bI(3Q z7Wx39>Qm2S3HEt~54K$r4TdlDwwDqZ$^2zJB+@yXI5SxoY=yJv!=jNHhK90pGUTI3 z=ndp@4yzh|riGSs3404rscoxe??TgOY4k^iA%iSmW>_!tEbS}rL04dH6Hfs6Ls!dE zN*i4puRRCqfs2_1YU6B9=PWMSWEe|_-|HuQZ+hL>Sx+}ryYXTwal@HCzTu!N^1}oV z9g6GdN+Q7!d3qve3 zlgUi{IhB|z*PbJ#5Ru&NgbPm&?kMgThtEorcD>G?rA{@PAVX|#l08M9hJ*)kSO^Kb zNK)hkxy}4>BEAHP=}iRBC~?ZuW3Ik0axH0&FHKC&QBHdAgpWDGr!qY~Yc==|T!VKi zUJVwQfLB56AS-!8+$=a;W=QAOG z6J1um5HZOz#X>>{M@KM;fO$7Jffw*{>tchNvSl)#j4xTA2UkJ|)(}PcJcf6Xo{B5h zQ?4)jfNmju@C-cB8RUE<5u88VT_hR*Vg1o`Qb)^i*nR}~wJF0WLSK@OFHprgr%-~` z5Wr9OTYk}5Pm*WL-l+5-V{dhlfjNZxao+{rLTpWvc(+^4e8^?Pl54^&E>+2ej+u<1 zlX~uadWXnGrYUd66?GTW&#n*+^{3Al(Fz#ng$Lza1SHc%TpXrQ`!qXd-iQ4^aOE!>-Fk<%Tx} z04fU!Lwo{i*Bal>Hh-2%vT?moO%g7A-f^4MNge=V1beInbT*$DG&C<4494^D5ceWr7D(i?n$zhqWgW&zAR-(>3SNww z=4#1k%X#Wyku)=KJ*KEj^>oM^%omN;a#4?MrjgX5(g575jtTPmD_Jc)VbKh(pqF85 zM4ABN9gm|~yY9bI2>U0p30tf=tt;_i($(P7${ehm>>4d(taqgk;bfTYVD(t4lFfy) zBj1WA_a5SZqq?;TpiT@ke3KBoE`O6?)T+5(EV_6cY)R)_q4S9V#b}QKRm}s!G+>O+ zw$$3lAI|aoB!4FDX-tf-T7^iLD=Lx(D-W$ltoa~!Wm3iYv&G>;B6K|15f>%u4TAz& zGDrqMhjoCDWAZb+_2PYil@xit<_j^I#0&fIHX5da3?Y{W;Q>BD+|MTp2Veki_Kip4 zW}58W3Ta>NAU4?>n{x;YDk(QxbO{saOzFX<93AnKB+|So}J~`$eB!P`$YEl&S$jeQ#9JcnQ1m&y zO!&f))K7BEuc*a|VmtQ=?9uA6jxH_-!*K`aB8<>p+=#?`#71}6mX|GVqJ4#kXcGrg zoANF&V?wOzERFawmH8nupJr_oKcgYV$l~`QwJl5aFmklJ!*7^BGS*~rtp5(%RpYho zoY?9!AJH@7iBYsr?F1PGNHY+iC{6W9#J^`>gu8$&aS5C)bxVr zW|FqV2rgy~crnQ`aHZOos%JRQ_K@ikDR#Mix@ zkr|LgIv3lh_zdip7BDp>O&8XZnh02lrpuoqXSitwqc5&UTx(NjI?@Z-$HjD2wYtiW zL<=+5*M@355@$+exMJacycp**Gxz{)DSV5L^*)14`*f~UaTQ<7m-7a9I_ZWb+Tb0D z#5uHWWjkd_;V1q1s!$zjzo%IT9P8crW*Cr{gkCgLT)>SbJKH~Jlu&;-!0iVGhYTiu zt{gL0HH_DN1P$BrD%($E8n50mpS)$(v8`Ke*C@!#hq&gMtfcn=3g(oy>1a&t=cLsv zS{iqgs_^}x6vS?(qw*1R(p!MqPuox1y9Rs+XhIzTOy&)AMbb-jfUBCO(<)hs5gr|7 zLFEDDFXew{Dnr{*RW-sVYquidL{%>YX#Dp=(>7d2e1^Gya_~8Gvl9UJFjYo1reG?Foib|^>v2;JGvE1fy%%DOx zUn!dDvyc-g*15lHyKGshNKfK{OfMX7ooei)i@4Dt$0Mw1zhJqYvJk4y7+z;==Tcg( znx`mCKBpu39K+;WZifwA)I`AR_jcpKIs~~=`+ybg#zrteuD36jM!MG0tF+ux7z0u* zhg5pq$nd*PE2ou56hXrraD3yz)7ZfYWE!BM76M#1wnWr$C{1U3UbsSiU_AbZpl7<3 zevE3(Snwz>Ad&;yzMt$_oI&t#CrJjL$Z;f{dO(Tzz*pPHIX>`m2K`Fjmn{x)cOo`b zevE@*P8}>$fcUjg%Ndx-oX+rtMzJugPs5p=5qY7S+$M6u7?BVDtk{`QF(T*Y{z!&5 zzC(||>T?9PDMv&dK4N&(24-rn{GowyvH~Sji&IcZu5ovKdtdftophG;u%9xv8<;nJ zE;I^qo|^#Eu?gW(Et8Z8CR3o=ztfrUfMbj`opCRD5F)RWG8YGgY9~2P+R5aBxsx~A zE72~~8rLP;C4gAxj5(B@roZ^&`8*a3gjVCHnln29t$=C)OK~yTf5mK%0vOTjs785` zvSvMMvBlWyi>n(MLu0$O$#&Qtv09g_AvD(TT8ZJC9Ltu(g5JV<%Rk+_2HO9inP{lV zC&Hvok2l#tH)6+iwoOro{)o4i5E~KgiXo__$=^>aTvD2fEKi&8054#1r-%h0#ZBA< z_i}bE^+AF_=v04Vf^F)L)6d=nwDpb=K#a=*+4zzwA|5{ zf1vJbU;Wq%*X!S}?g}{K!DHN#wp2&6%W!uBIk*x?b#WeQ;1lpuSKd+r*wQ^$D#RAH znF7U&NfRBT2RmX7^8|8G-k@X72ka(dZ+#HY0e%B=6r>|09JZ12;=6(18*DE$3w!VZ zG92t~_W5Y9d8DwQKz}CAcaF4fJWB*o7|3rt!^-nI;Z5#pRO9H#2dbe5>2wkZFBd9? zha)y(rrTY686Eqqw&oq7uoMPNUutJw8k zB!N8&*x)bY@}})ar!cwR_rS7b9IrF&jmKVbo8bwa=N!QnZX#)N<4|X}A)NWpAcL1Jfka!`%ve{J47JY;LB8pTIG1S6QJzKa zULF*qj70UNBwwyXcskfOhN|R=B}c;#({pB2%~xLXF%9so+d$o>)P!Ns6}vF*X3h4#z2U zk?CmxgyWA6of(XJQ^@{`7jYvVP^iK~=`_-nFM}*GI$nOvY}&?yUo5~BS}*(mNeA%n zSi3V1OPhJYx~}XUP}R%mR+7w@;gs47$lMwa_(gA9`M!J83_q~Qyq+`6iMIsOn&*IN=}z;=v@-)t zqKkaXXu;HOPoP1^+j?f2WxtV1uyjm>Qp@WA(1Dra)bHi$-?LNW5lZeun?^;!t*e z#@cb-B!nAaMijja+c+oY`GpKuAH-`JgSZA8D(4_F8Ja*y@Z8arCh>3KkLhYE9R1_# z;p7+R=Jpr%u0QdcT#$jCXr%m$rgf|GOCrmqxqlAMaTFwh)Uh;!=SBW1#@Y=Pn1^Yl zAGzfhyiLGCE9b_9jVk$AXbW1|)AX6HO-ouBZOamlX*t;$Fbtck>9_KdUfJ)9a?@`-+)m3ZFXF2-|*5ol@&dibuA*^qntq%j(m15nljWu(v zi($<-T{7@CNS!x~2s;z(TOpTBILD0<&D=h31F~&ma5XJpv6`^uKcX@7kiQR^&G#xQ zXP-#|hO>@e%y%Vu?#?KF8eymZBPD>uH+>*z=N4$hr*XUYcO>?6rD4CJQ7stwXVG1b z>FSb(vSIc!92?wbn`;U#6?AP&8lN{DHrTRFjI-$tS_Rvx5ikb3S!&fxDSXJjb8_-k z!8xvNGkMRgs~JbSG!LSp<0FmX5KY1Y{wVdazpA0@-9aC3px1F3?5xTW>8X+* zFI-+Tr)nOiM@`?4Y8wwGjAia_w20SLm0~cw!yTM)o+3t>vx4uHdKKTW|lNGc{LOwFamNeC2BQiwOx zG1j;Ed&wgz+2eUMA1jJW({a-NsqE1h{-K5qm|s*lWLnNSYBh%M)Q&ImnaYYh`AI9?dK$4`%Y?#U&M_$%d(TxJ;fTS>LmAs)iN;I$B;N`_nBEopwGc`MiL(qYRS zHM^3*eSv96OgoWeT&<@mY)67+HZ_3rswc%pzRX;t_vN9p$Ax}-^UO>=R%a?EDc=_f=ZuE4d3h9CYTrN{O>RcZDWkr)yi`jWQsJ_d|y9C zVI4-&%{a9mWAyby9d|T8fG0)5QHu}{2!3ot$K~Tb*58e9(kcbfQB}FfK19kTK1dZN zmsPTDcz5TD!b5;iFi&&sY0`ymcw{bnpUtyKC3X?Z@z2hSPKBu?JggWajDniHWf?^o zJMhVU8MPyPe5%~Db0WSS=+tgUUce`S=*3cTsl5}r%Qjdl8CBoEy`rf{{V=f3q#XT$ zy-#x~mvQo`_SJa1ID)n@96n8gEOK&yVGyv#I!=nP1MAD>kdI6~^p2sFeu{3pJ=lr) zqwo#uHAPX;>)>IYDjKY_VY)fDbGv9C(003lz|L~_DEbtdZzr#Zr9j7&Kr@ztbzVro zWp+1jV?5!3*bH{p@p45h^C7n2sqoKm!1ALT(JE64$L8pZUD`8kSoC}yXF&WISmn)1 zPA6lo-nIgOEa^zgX02FS3=*L`+g&fEHEUY_5K{n^Y$5AlDEs|4_;kx@oPvQbid#g6 zab{sEm&y;vg+eNwz*m8{b7aFmU||3>ImVTXt~q{>kJJJ*pZWFpaL_h|DfxyIrE7v% z)0Y=Z^6HnA%wXHX z33ye#p!`!jG_bVK%s)D$hb@j>ntG5kEs`^2fw+{uEF#5BHYGBI6Wrw6nDu@IvpvRnnl~ z0^Ez|`Co!Qk_3AaoCzj?yQA910nDn8lu7?84i$cshV%BNuIbl1VX_axDa{+VATMxwKPzDsq`_=dIf+ z#+=d@{Q%n9Fs7(-bqwiQF@~^?Zy3_YTY<$?(#@YBAI6aFOA5h);MKiV)Rc4t$+klMRxww=xKoZH2ItRi%~KHxuDLRQBH~ zU)1t-WV?3^1~3m`aX3M;@G`(gU}yJSkb{bLqgQ|XtZ3ucFIdB%xGYZRbZ2WFr!=h+ z2$l5n_cDHX40G9Apfa*_0ISWgE-{W~DX*Ag%!^W_3Nl(sH1B4^AAvKU?V~Zbg`6#h zH%*S$lYpc4Q@$_9i8Wk8{nKJ!*w3uz(#cnJ8*EuU;d8`n`rROY%UHx=#I6iSfkTM8 z(b&Q_T0XFBWc;&8U)#DId)(T8V2f!1BW}S~Ii1=ca;^Y!Hd0GJw2THr7|lY1*^YUo zUsgb1gsQF%EMj935#+nIxF7kQ-%p;$^|0n7;;CHsu%6jMUZq|6Eq15z%L?awM;uEO z<3S!)pAA;oyxJETZ?2e?$(@M(r3PVb26i(mQsMJnsa|Of)w$>?dM4)wo~H z&QjOJg4%9Q)Qe(hX$%-e{TBl}RSq}BW9UHa5Cx$HjstlUgt~_9j^=t|;Me2Vfqgba zCz3R@E5}>QyjW6LOTILlIzj)I z-tD+n$j=7L@_nK881FwiDT=Ik3M+D;bUc~5(BP-E9*M8XasKIbh zi*OD2salu$ zjEH|97@b-w=skSrf@}OLK81fFl#IkfArZL;6Pt99{9!#`z1lp*VA-e%ZZ@ygbBk4S zA4j{!9&1jDKfrN1|GGf$L{4OWJv)^41DW3!0u@6Hb4|;zXFq1xtD5h(Gou?CW8h4e9k${+pPYAndCAwc8Z!;uwH6BA}T4W^g{z;_B zda&tv>x-g-O{9+Th~?qeNulc+tY2f-VyY8I5`cj|`vJRIBlZaQp?kq@wIj~>x`uul zVX<@gUG25tTJZuG7+EP=npB2Pn(zc-0ex^gB=%4Xf$#>rj1Hm6@){LyDA-pDXjC1D z7C@xWxD$II3~(M0BN1TPc@o=Tk2g>`hMi&XLwao|D)~CUS-L}6j9`CBz-1GrOUNPL z7-T)nE5<>ZQh}Q1w6tWH^17|;YTaD^Gi-Y+>M*l*GuJ~{i(kYSak6+Q62>XzKsM>( zK`aNxqVd}R8Rz@8-q#Tkxe;>j?f`1`twV{ocH0tcwVQi!V0rq`W_p%w4wLv${siN0 z1`Rj#Y;%l_r+p28|B;2KMs2aH2Zu~LGT!$+CcO9#+pjyFg*UdmSs6iSw<)Bv9pnAG zFI*El51)CVC^A$`-!jA4&QMFxAohaG#R5+?qFt5MNK7ya3C+D3Uf3zDql*GSv^5cl zOK;ezJwU+5lKsL)h;`g-)zNjJWYE3f@D*pkrj73{W^jGxJ|&vT{6;Ioim9})VgRQX zE%HJnj%D9Z@IIP`zsJRNymB-KC%5udjbQmDhxD=l#(3#7G{&;oBy({zBdD#EVDB8T zAd6P0N<$sPEjEo<1>QFRtFRMxiq5+q9X($OPL5Q0DI#6v50TJJXT#3)8DA#7`9- zBUSh@F~K_r@ewiI{ef~6iSw9td>oHrbkbt;cb&z~{D!SZQR!;r4MOPCZ%=soYE84_ z%{~JoT3+eG=mSl4S7Ojxrtev@2cP?-JbcmHFP~UO&BH_#PElQ9AsOH;MDUpI5#XO( zCZD8?QFN0C86wT5Zg7+DdI7{o7py6IfM$9}V9)o_MVVhui^%Z37ifR?qg3Z9M5IdC zcAy*^?#O$mkv<>}swgN2q_u|HR)mv-R=k8T z(sBGHHWW=IojriyI}^Wwl`ZETdlJY7Ult1A=U;Ca!?^Yn2L@}oWm_431}5qvQpE2m zl;MFHUDKP~SOEO*4VAgAW+N84b(GheEc;yBfx86_m6$+fl@X zI~yL*DqT=;iDw?5 zz3eAW+{W9nQQSq7Dh}cYrODh(=e^50@05BDZhx7Wllw2ooUj+mRu7%H~;^oTAI(wJI@p2v6D zd2Tt`YuunG-Q=TsW_00g%5*^}*`;T9=t&2Aq{i)oC9Pz=E8u-LmNd1zV~bY@F83E| z<z{-6v=ulG#c%Poe^nC%!$C=$kWJGf>wwbIQmcb;r)-R+xvf{gTN<9;y0bEf zF1?1=yI%>fh2`WnY1tK)vdnyJh#X)#i&N#&9=OcQV%}>^;icZL8Y}}Y)8qW2s1=rO z`W}pp-u1{~oa3Khxt4TxME#2;;~G_wCNRrgPUUrx-e7nGU&Y#DsKijTtgIXRxW@7u zW0`IuoyE5S`0?#zWpo_F(dXJ%K#*7;wez}l375pzfJy7vcZW{D~0|$hf$MMiw0GmMlGkuE?F~snY04Rbk4f+0Q4nL8L!Y6O7d(TUp~_4Mw1UYEAct=B ztD~>JzUKVTQNtj4;?N~r;)~DVQkcG+&UBBS(@93b%Z%ehGS2*np6M6ev%tR2GLn#p1tlcZ-IpCyS9Jq{|g^l8hL`fubr z5Sn0oBcl9Ds6Y4?gt;?o3=@RFXGy^=rH25Yt-I6IW{{G~tRN}Qc4Ko`l|0lo)`mNr zjozK4Da(|tVQQN0v%ZQ?n@6gH{m}mEMWp$We_Av7N@Kd(_fIO#vz|SV3zt#_TSD#F zsVV!Cd}O5%ztb|@5uZv1p{}NYsrl+}wdM^;Mxz>w%2h~8Ab|_k_Ra=l)_G6S0=$_s zTpS$=qw95^6j(duZRo-qyol#2^ZUYl7xsX5CLDmb$YgvF@(6-?Fc^dvL(Acfq|}Rm zT#6#bUYX%Ih`hQ2X=tB-BeZZcSN_QDN&}*W%E59jbm7aQXT%|#1^!)wJRczxG|x=1 zRBNQ$gNN;@z~xbx4{!BfNfSXAuH#mMy<7NvOgge004#E-6kwunP+pA{=8CIY_Q~T2 z2y|h&nA<#G>MbS&AjeCxzc1Qqve`RLK35FiOO(HufSmJ~31WriJBD2Mo<_nKt^s3o zn3Krv^0pXU4RH=x!f0WYcMP(po9`_~HKXS2QZ8aXS5oASf-qia6BFG{T)TG}68^zS z+!%9zjXTIo+%lE?{efBR5)C$PY~u~AliN6p>+F0i;$>A@! zonpX)Hq5#|ctr~F(`b$R5h6D7L4~CG{o{zhmZ&zD)1s47TcP)_>0P1|yKa8vN=wj$F{2|#uWWP%3jl^wMOMO*I8fgL! zqU|2QIF&D(c4^q28M6b%eF?!6hL6+T{ZH+Jsg#aPJ5orB-O8#mh>rkRB={^IH)Ux2 zAK>zqI~)2n3)}Dk{DI+D1NjZdb4x2^+y(qtYw7*gx1>QdD)Go?ypKsUSvZmhuHIu; z$B~x8+sF!2rj^Xb2D^&%!ZYz&_doy{#gerX%?*^}!U9h{77Flfu&jKCUscP4Vr+}{ z7=F;06B++%Lzj5oUX6G+Ge zCNO~+nLq*wGCCs}Ap$bdpdg?@K|xWY#uo3Wc)y{d;vFsZQf;MHtG2dMYrRxkvEEwi zg;rW^ZL78R;-wWYwY9Z9pV+tW+wb|lXRUMoJZt^xY9=I;WMipr)kr$kvVT5fXSmlLcj1sL`o2W zQpemkCxpRt%JD|t_O`ax>RqHP`fWd#CJ0Gccof>yV|dH>oCqCEIX5vM7jocS z?mmFs8E}wIw{c$1Y($lq)-GmQGs?pHoBycM~ecyc>{^(;2k+*oA=}vlpWsTanfIUTmPi9!LAbh$Tz} zQPDifky16K=4cRqf=N$-{t+DsP#=yb{4}q>vwXQlLt@!cWcpQWsEH+JI3L6kc?~Hz z-u+N?p416G#P22EBslV0!x$oKvtB~bmBk6UG!>euI*C&ueuu(vvqKTdCHeou494g&MOA4V1 zigwt2L-33B*OlkXrh?}kS#4@0G0<1YA&?KD(=E)-lxOI4HbI|-E;)~x4XYy86aGPg zWH!Pi8M&v-HFK=dEN)+s!*#M?lRlv_DR9*Kvkq$3^qDj_#&p<$Hv?sWT)B0qxkvQj zZn&LB=#_I`?fg85SWhq=X?en~GM( zHN4_|-JYeByCZzv)Wb-(R6ZnTj@fDZ7F)=*d}i@gtanX?R(6j=O$L8wNk;g=h~CIh z-%yDQ-k`#N08lXHtn<5g^K6o(a+@FxP{f*2T&Ohbnba|*evSyuYZ#`lhJMjs7-G@C zno?A~Ky09YH+y5qH=zibECk5wd8q6pTja0$KzV|c^*Ic6teJfa=Rqp`72yyf3ZOsE ztT#U4V*Yn^gxvojp!Y9^CNMIAvI%^~@quw5koSa@32a2bMT2C`xF>u4^Svj6deQqp zMSN@^sJs(YLHoBhTkwni^VgF@`S*K&f9bzI_m^7R-=b&#dh;KQ)xSRcj~D($Vg1J| z|NBG#`qJQmKY9Ak1OMyuKw$Vk$`AiPResq1^7H@H7Xtd_xCzt#qEx^1Qi%D&Jx~~W z?s*U$+XJL(872Ln{ys_g?~L&ezQ^?0?)mfwf9YFnoixb=H^viAc<`PMsvADJ|Mc)` zkQfdaB83xaDj(kX>mCE$q`&#)*qQy8kYYHz77Q^#1~_dDs&~?I1kx)|WI-rwJL40w zccB174Px2uP+uM(cN+u#NpX|NaR36aym4$GFnl6yL6NLQ|3l=HXcEOn8;1cmIly#` z4uc;6o;cB7RBM5voGu7&(q z+ZbkQ*=Y1Hf_uuyd}Ldk1>E<991&?pSBy$|ovng_qf4%=ysZVIw=Eu@A*=bRzGls+ zih>WRU^~*nn~;*k!zic2f`@^ZVg<*)MVa{%cw&L?UzF}Y0AQU!(yX04;)mMbA{rT= zL@;oZCKs~3$w#QIn5PBiwqtbe{YIA_`^((sXP)-qmMDuU@kVDh(~cnJ&=-`I{WPHB>2)tiA^?U(JyGsJP_}uAbm1f9b;9TZ|E=`)z*Z%{C8E61Aaky) zP)_)s&z+9ru|XsbbZn>1JdEairfQRQ=jMr3pnl)((E^pRDb0#thSi}57g zR1QR+gCqksN+WU9RvsMM9IxRB*24pon=;urW?a?80N<;y3X^Q{OL7&KKgRIOdQXsU zUHp#i`JC(^eK+`54y**y=q-eS@e|=Tn!iVGIdivlDSL~La@6E?$3L9sy9?O_Y3AS5 z!q~R8gfzLgYaBnq)ghm5FpIZw9Ud%g!vPAXQB}DSN-mXl{cZ5P*`_-NnOeXqsC;+zT!eSg40|?~e zUl+p!nY^5}8!;z@b|^Os_l34hg7oV}VyaJ*G6)!(1wCt9#4l(0Xe$$0f_IZ)r{e3c`j-?!QaPbZzA16Q}I-ZPeZ^Ry7)tvqmj zT;9f`m=}|IW4Xrw7MvO#j>*XYI$}Cx;e-rGrA_f>)iu2TxsnBaVjtXFD~q#m)Q< zDDv2B8_CPG=jtPzS$`iVI@0of)&dkiH#5LLY>89;1-5~AxC->j?Ou& zVtni)lI91~=c_Rvho=NdRd@>Vz^{d5Pd=|_qj4919vgv^ag?ZYf7_-mJGhH=gcfei z9=p=GNhXqWPi*hU%g^TbvDR`FEY%*WE^!VE~x1=M^z;Yq$of@sUOH#`iJJ%iBho;>&xO%a{<}i%U8@JsNx=kAqR@EqFk#9 z!>r?k(Z&_KMUJL;FlAJFIfv0(yP#0}pHVno$)VHCp<1P~{1sdf*x}iZZS$~_zP&1w z?h7Sq6;Baa{Hok;(DaVq#ce(r3&hLK%>?7xiVd!6tk229*zBq%$7EI$l&kvh--RcK zKO&6Y5AeCGCAB`8U&Iq#m~z{vppB>r4EGia(W$bV{ZW+*15K z@g0?tE<+*Q4NR3{#$2rB&gp~fr`sgQHAL%wqF-^nNHSHOz^@?i5;t5+GjvzxM}0S6 zDEls$-Dfgp+uEvg=G)qaO|J8bmOl;k`1^UGwZ$B-!yP%J)|Sw;D?K=Ox!ug^_5M)& zkX)&MQ;Z8NU@m*GT6_+B*%p7UuL#HFvCsp#Qi`k^WJlBva+!Ms;yOp9cW1iePXgn} zA@wpDPP8Q-5M_a3v&`m)TE9;$7E!eqr8gE+34JTUtM(IuYZm z!;e3(b}`mHO_}kM-1jL9*?&xK;Cjt{=W!nl>iX$}K~)L-y| z>epHq*u0s=juG_4!UoJ#>A}qyQUP(o7VKNAkIU<)A{K&UkzsQv@%8b8b!XXiN(bPo zSmBwKuEfbqe$h=8c+|_sRXCO%S*axsGl6MiiB(PN%w`yDSJxTE)ykVvBr>IFxs{}0 zWaxwM9k~y-!x%Ep_kuE&-Uf+$e8v_=*c+$n?U*HRK+(?Y0DS3{XM@B97cdN6L!}wW z_bso*oroKzcD$h*33ZmA6#P;10OmGT%M8oH@O**8cs__Bx>&>R(Bed?kfSzXYoq$= z4ci;!PdLUGjbrFbM1rjYT!5QlLx02ACcaJ75ZTOdxl~0TB6`_=;vx1RHo6W$1zINyB0)xse-VP;e*Ta5Z*kiq zXKi5v^&e0RL7;5R)+BBpMYA=}I{bLUgCjKWIt`rI(}bf@$F4}x6BX1hx(E9T)A9Q2 z>2C(7zc&qUl6zN>e>5!=BWn%(KH7#e_+I=zp_k6uIe~iQ&!8`G^YvFZ`yNX?@_$6! z$5!zXRM|0(PT1nRv|Q^Mf@~6KCl$Xsw7bQmU(&G(fho}s9=7EJXL$#i88W#X&IB!4w!_D1QKm)!}Uj z2lXb_MYfzKY+^e|#EKtOdm5juUgE0o)n@&Ia`T->4EQ15pAu^>4x=WQzFlEt-)ViF zji=wEp65Tvvxd@1jiZPgzBgFk-pd5ftqmPISq0Xo{wSpjPE)e^En7{EV+kg3jrOK7w4PT*CR3 zrCQx;ry_9=zD3z0wL>PS77K1sV`IwI=5U?wZNo5~vc{3*m{|fP@Air&O z22_n5Cr-|!J5 z%_>`g%}!>yD7b-Jpxh^kxIL%}1Ke9T@KQ%uoScz!QPz0We3`V1BO!f9b}k%)s&e%4 zl^lHH3vm`R*i{S*zcs=^)VhIqk;yNeN{)C?84NmP57N}Km>p&Ch6TrgOpB=X8*oH} zpW9`kBAe%vOSt(l&0o=G+}BUxusQN?PqZJtjJuIVr-hllLF#z1Fl8cDbS zvQje0ML3yW2o&4Fr2x_v*Fw}xtbc>7sq>J*cr%jZD#wwW`z1tmCXxZX=Vw$d=Z8QQ zui=gkR(X3HN0Hr9zMx7$aszuI-v1s-c68O?w*!l836+o7t}sctOjyTWj!5qbB@7=z zRd71qx?>g$x(mEY*Irt<` zIbPqpi&L}^Zw@MEaT*<)myN`GbV6|^PO;6VVn((@N)OO@ZTeB(+Aux#i10qm1j->;H%{GHb zpq7*+pfhuPzhXO{!v-kDy%o8iLX?6hu^xQXZxUV$37Du3O2pnVjuKyRkh>_pfcuoa zK{C$}84o7ofGdvb!N1)206!!$$zRB<%DXtLpkB%Je`t+05#SF+oBa1HuHj#l>9z>0 z7^Ye(4|_Y(&-m%|J=B*_tmd0h8Cnm#;NsbITXCq|7UAX7CM%cmO!6V!8DHZDQsjsJ zU+8OOgl|3JrRR9<^tW&v--$DDM^{@iVR?ady%BFHj-GY1?o#f4W&l26^RVssYU(7v z)>fU@zD><8hgzWx`@;GChAVo0AJ?f}b5F%cKL>_1d$H*Hn7V~|&aT65s83=Wsa%|d zo5^RA{;gFP0A3M&F@pX&;vc%3kR^-xPgeMeGTFqSuwUF0EjA%K?4M~~$iCbn@81ln zBnCCVb#ss=?g-LE4mpCg37e0o!cwmsQ5(C(HEAOI4rwByhi`5QiJf$%sZHF1xTD&H zXNDXllk!*1(*+*1CX*$QH9Bi}DpOU4r6{wdpscwX3;oblp)jP!pFOHE1Tzi5|L4$ze*@Rfbq9 zwm0TzN59#yFlO8lYEkUO^VMD1=!=zYxM|-vwrM--m)7p)xf<)KxCN0zPw|V#*Dba# z?O^i8ugI`wbE}?i>YlJV-=wnD_dj~v#td0qYkzM1N41IWnUY$+`HE4;y|~Pi=h(J! zUY>L3tE(5GS-U@4lKlD+)6#Z(&KE6BDZBiUx6QySZ}boj-a6W|z4n*8p&gpE*P1#U ziyWpgt22(AC2fN^{Oii;tN&Xmvt@dcsZ^$C;i)v^9$WKUVX2y z^N+8-c%t*2WAWjpd*}PC%zSud&C0C0H{S^F^7xndb6s|#1^KaSpU4ETT}0Dbl`%ohwb``qMo*4&AFpCHuddOn7KE! zukUd}y?*ND4#lalKKh(vL=b6LfX2cFVVjV(0#@y!Qw2b?&x^+e~^Bd+ESb>k!Y zb?W@SE2_NeQdQKTv&Xz1avISw*V=SvbChP_kjCSNZ&I)I5<0Fw5*D*FtnpJ#G||*= z@WsnTeQeiW`sUNY%R59Y>oB*fId8~3{fM*a3+QLhW?amEah`t$JAxWo>v$`A*z&q> zE)L_ew;j(`?KZ6+zQ$LwKCssRZBr3__+HMC^?b)=BkoRh_4Y>Y*v&k(Y1+@s(|oJR zLpEvEgmvcb>TXZJc)0bfcgFR38u4_8iD9u@>Pj|Lyxj2YhLNu{94{O7+ToA^qwOy> zE*$-7TEy|uZ?=qxDcX1S+2_U{ymey0IA3PY@^Kf@{TOY9vGD?Pgh*U7{ynPS#!3h& z8$&)w>8_pFXZtt3CZ0VIzp~9aC2G^8kI&p8vo6%qU8_D}jy3mpW?so3I1@K-9Pz1t zZFv^?gL=v2Px2e0G&3I)^DHfW119gugf$_i*wH6hP1fUjz4?pGrj1j+s*ZYoYUkdt z-?h5)C;Z>kCq6svyID0{f1AUzz=^I(M&reG4@#zge&z0p*fqXwUrxWZx6{VSoqxaj z<&2#C-m00ZT!;mC(@=Kz*7rNLo%P_-l(w_Y-@M#5B(CP>-%91B@ij#8)D1OJp05}8 zqLOMFG{sF1+e~3b?r)gVrt)G##Gc2X5XVWoPx#x;J2hmn)zZOQ+bvQ=Ui<3W7ybb{ zXe+A%6DNW6)?cv0hmW!Ovw`-V_W^a-|0{Y48>zd zjU6{-EYyRdz7whf1Z;EsqbCL+oG;eUlmBNlZ}YFcqlqW`z`hGqf15O@=AiXItB__D zxj_j&=E3t>>j5oC>r3*HoQ5`xLnA&xaqH2){@Ir;|L4hv_{UD15}5GUsqZAr8&&pG zOJ8VXzq17Pf;0cW|Mq`9y==O}KV`LLP%QsjA38X$1poW%#4fA;ac0rlzu%1hTNM|X zK_d5mzY3pUp!!?dT{WjSQB3qDG-L?sO@N#L*2NVOW$;RG_@4vuavgSRi-}^=s?8>f zK=GnZwT{tjs4LIXyVu40d#`@_v!vWG{S#v`VMrvzk60RLIl>_=|Z$g zLMS`f=m=@Eq2X6)=vDu-;s1W~?}oqA#eBX^(!Z{PHv2y>!;Xtpk=3x7b7wk;=x2n3 z_o?RGdo`8=J$J$lQ3#BG78g>1S---OyX1{T%+Eb33XWS-n~~r2@i%QRB3u| z#%9gtRiqhhCfi`F57lfQg7v63P67$~&3YZ7)ok8OL_*7w!957vVRP>x@D06(4B4#i z-P``h+F+aN7#9jLf*PAIAEXXc=JVm^FA4K!YWuBcpiN(b2WZp(_viOt8+G^THuPI_ zRsVJxnXRYFH3>r&FVYj%R>D&>!qL!cD~rG8{Bsh5TzX@gqO zs{E0&_QEri2HX!RNrlqMQ6wfSr4V&x_Q(U6ogzbiQ0zdKLvd;vosT-Dbkj$pxX)%G zl%~i}07QSJ)B^j6fJ|XBfW&FOkslzcKwbg96#g^y+oUphQqWKwhFtXZSsZfd??7)| zSvF8bgYXN!Oiz-(Kn3qko`iCaspn0C3m{DbgGM#jmpFVN%6IsvI}I0{EZTu~fe-Ao zIVja-*N+hLu{Qw-xPpj%ub@9rs?4CL;QGlmNnH_2<4W%q~*T^msti|(@$nO-tlKO=h#)pEbX-{Mrpyl2P6~0D>ep)J8>Ir5! z&Ywc%po2>X@LxTR;1eHFy}(WwiP9Mz65SNpaDz%q>E(KhN#?yMr(l3(68RS>YpoB( zb8t^ROU#G1T}>EX!*2?57RSavU8K99c}Etgf{J_I)nx5AJU8Y2z@Sy7V)?|U0RD8 zMuS81bEshm%eqyXt9w{ZI*hoAaPqYMYbXh4U2+EAI+*3;lW1!h*P@kIi!=p(N|2IC#ZNK%?v8xv zp0@ETa1Wx>rJr?5HB}_s(kXN4Xz6r_&>5qN(rub|*B_JiBV{yg0XSV5Nn3P{$ zu+8=kr(@mWDn7nZfC@oxcj#HL@qp#*E#&PAM^%G(t&&8wOfI-d{cuh1Q+ z{j?~zS3wb)cFdusY9XA!-|1uIb*OsetdyXa{g2>(J3qIZa1TpvjBohD@M7N&WGB=~ zaBHVsknX91&az2VZ+Sja3}SELM+EZq(eiAt&E^-S=<#OG877vcmzp$@nHURT{VPn9 zrS}lIlClXq!$FOQiEc_kaan!CA?59c=#y&w!6;2Z+}EH@9-#?S7iEU6c(V;Cr=^8m z@ADv0Noe}z*Bxx~^$fTdC3iARI1zR z0?YY@$Z|D`lnywrn*lU_e#aJx;}c znv;NpX2gFEz?*%V5lo->AK=2wIth73<$JgYX1q?=gO!^S6nhqE`8^EBEKiSdsrlm& zsgumIAukzO*2U(gLTs;J=Z|5#vCVm2p;i)I)QN3fiUp@zJeZX$lO9r7JoWG9N)q^sRcPsB;~geKcf?wqQL9) zMvnvi$`KCtpiqc=W%XK=YHy0gozb^rlG(#Ty2`y(B?(&LC6zFe;8$3mF$e{SUkbrt zDOL{qVx$O-GLK?}08-xcuccy@)Vhw;1DMl2XxfSr&dm0m7hfs}a}HrRcO)oYe&?!f zzDma68!(;A;#KR7sFR_Kh0Xzrz5I^Gc9w2OEytLe%+Y!&nKx9LHJ~??&cJJvJ0r@6 zUq-hIOx3NIVj2`*KQf<}aDsU;M! zx}1spVs7c>hRH;Rek`gm_t#SUebMP_m1xwPy|d$LaE#oi!awle;(D3~Ni(?yA@#1` zaL2!dwSPf5A<;|4N>(+WN+?Gn_@~m=mUle!kbeQ4=#0}soBE%@ z4vIy0R?lbzFnoPlp9R$R})fa#k?Mlmm&XGfEd ze3PIuWSR4j#W#xKgmxjmr}Z53s^CYy(Rv&Gs*r%ZWBIxGq25v2BGzzpvi+i-UyiP) zEEg);2!)t`z{b`MA^+fWShnf5@F(J%fb!~z*RXN&qY!>Jn7prR!%t}yg$anSq@#tC zh#w7}<_i!%1iE!KvXwx$o`VAWU`%Nsd9hLpGgOm72m8!NrZ64c34Uw})xq2F84dq{ zT1>gcJMIT+bi%nUQu(=RvXs|$*N>QYf2fk0qPZ^dPRe%mC2zGpL%N2ld1aG6R_dow zylkvsRVx};&PeUzc|@_(qMT82(tZkwd3z9dz*cZ(SIU8QTx>fKG%C|O`%r7Ez6WrYcE--)g*zT6}+gBm+fNz>eh_w@Dq-G#93)0#@csHu#P>I2Ys2=g}f|&X8XPTzt)abg8$nMfqQmRs2|7m(5mgf`F(;CC^ z&`s}1pv!S86sCZyp_8RjGf=wgdifs1>9$*6WxI>pi$I9GysNVpWmlUFJG9cXM8g|b zZ?f@rP$j({E|Dtxk!aIN+U-FwWpT%W9+i~Lrq9e;sRmWI0|P8$Np^?xJ*@;1og?vT zOnX`pw=Wdv&^MWW)@$KXWh_&FRm%)!7vyzChI{&}LxCS!U=iO+*Jec!pb9RBq-cpF z=@rr}L=9~I39=2{xx=9q`b+1S(e5f0`q{EUUp`enqmv`l@+WQF_u9ZBp)5=#YRJv@ zH=^Vp!;rL>Wvq{FS=-~~u^NTrDq>^{QewC;Qo4?+d%=zVHR7+rtz3Yrjj-9IsWwTw3UA&Kr*Lpj=U_yzKdiA zJEvyIZ-+A}%p_?lCgt&~ruZYcv|!}+8a_(T zP;1Grd2{AdhMsz96yjsuaY$Cck-)km92_NtiyH0)Jy}(K(YFy#kdLF9&#AVsgfIbA z8&fu2L$%eP6lWJMGAaS&PnmmlnqdKj#+Izs@=K}s#~)lBXlyt8;dVD@dvnj!4+R^`b6t=J%5s3NhSUIv%#fB2X`4cI^1j{ z9rKi3<&X5^$ynu8hyjb#_#OoOPqBXs{MAZGt>N5-h-pKs2MU>}av8bCf68qLAsNug zXXG7784g`)32J(?o|a58h9#-cY%b)LV21ZR@+R`{i6c{biEHf#BSC@1PWf{ZLG#^= z7H=BI-`@M_t`{7LKc%E&t9!VcKN%ePz6|A0QY?5kBsom`_^O`#d2GWIehq0_c%6__ z5I>$yp?3j{UAKVnT_w#4>CS^a_#fyT+$_BXi#HJaC}CC;O~e}M8#VRrP*`p)qHhNl zGvyw4vLZ`ukve&cVFh^A$}u%$1@01+YWqeIu%Y2 zmcK=pK7#Djm^)MmaA7()kt#?xrxx~%cD6NS9g18y z4N(gWB8g5OzIgqos`pHvYS*u_+}08a4{ngJ`b+)iU|RXQihmn!Gr6-`>ZTJ~)#fat zSdc@yEDch%wKRExr#7bFA+_dfe(eZD`Uu z&vq4Fi1RgDazfK{-#ek_9xPq~hJ*f}Yzp(Y)Rz~iK$dM*Zcu^XvJYW3`DoP=^ z-$@~bz>gpuH$a7dhAE#*g>ON}@2bUDA&5RO@h5IS1t0W}KD=G3K>lHDEVoSOC>V4% zB=9RM%j4i3ShTWR1EZDE)G=y;2x3S^H0iM2u|nWfrW~^B8-4`;P@iP!uk(z@IZ#e` zPR-87|gFLa-yJJ$`&?p)(KA$YJ}wBh!hNoqhi`= zEs=>KK=+jwA#0CNx}zsHbgvUw1%`d3q*rqZp&+Ip55s$l-0>)L#NHBOD+rqLi9-hcvs|fM1YBt4nw;{pSni=JweJ`@|n0_!O;8yn%q)(J^ z2>!DK66^youXlqW^p+ofcVC2C)94hHhBctuI&!JnJzSmHgZa&sUpazYDx@Hff-9fW zC+AGW-~$9@RW8G8TA`h)O3}xq$9m?Vs$6|?x~gz05;uENP)>g&Zh@o_feQy9{|f$N zx`T6HX6`6yRub?e8lSHuogccmd7-3d+EKq16`XNb9+h`TOBVaI0bZGs%sazCOyz4T znoA8MEz%jz{x!w9VyU;J;fPDqnr3J@k`+9V;DF@M0VLf4pJO_YI6z4tdFVg-ZWW{A&$` zppEuOTw!kw%lZj9e=<97>iHe0O@WUC5yUT069fmyDdA`gGu z6>0rAanG~?hOBT1*j_4;Yi6g7zj}_T65paaI14D0>i*r}jBM+yi8pKqqfzqtD(AE; z;;p)_)Ivv;0y%EJ)w4%Ov9g`CycbS?;F^y*+1n-AGfY&X1bNK8P`K(WOO*SorI{Lg z#|SZvJi`r%W#Y2lHVE^OWsjjS1yPM<7ZH6ZYYwuXreGR8VLdwA9bxPU5xzn6PI&|t zXBHko)bBgHqj_i0M}1Lwn0#7YJ<_>LCpBoLvXEK+fSPrAZmFur!CG&&>P#2v%D$o=wFK(qC0D5JOXKaiy7cR=Gq7Ty z_vgK%#yDji$Y>WGL}lFxL!$FVaIt)anj}0XUaUr@lRCp>UF&PUq4Xm9RZcgUvJCo; z$kMenb)YGiv{obE!NL(0U6m869ePG3_BBE6U9IOF5-b=3=EoL^GJLDIs|-T4!Bk_m zdczH&I^3>o0_|98$P9(Vb7%7gQ&EV~;3096<)Fbb%P1{T8%jb!#Xb>Fa$XA`WHI}r z(OUhdmQq@78;Xx@>H`4}AL2gL$xAi(HEw*U2t*zd7+l? zEgqtJJ4W*9*2`fztr+BX+8Q2deFC*2{R?F(x==6`-zw>)&b>vq;`KPCBH12k3c4|F z!--@Ro5Td@K4qU9>wjQ-%qk?Rou%~phlU0_I#Y5HdA>1O4p>Ypz@p9CZCk$F$wgGgt8thh&ZS6+m+>zN+Hrs#{r9Za)-AsCuBH~uV?hT{{sjEdzS`g-LQ zB14%0xrGaAp*h2`o4yDpMZ0lA`Yq)LI$pd1bK>S08%Za~ZE<~Dz!%I$Gww{c120w& z-za@&1U^I^xgEDfL!IM2m2c^}617Iyqt-j<)u2JK#jIZ=W+A!dRam3Ho0-M$WggbF zr%#JnM8d94^3$Z4300u4#yV+Il=W=mw$ehL#5;(6gj16Vk)F+gnP-5 z>l#hQXH7{m6zUm{_mE4a5y%i}Vr;JUQ21%;9IBiG4=hXGI!vww)x7Etf!_9#SV6TD zBpr0a1C|jHl^ta$H9pWdTNt9^UxzT2AG-V)HHJGMXFsI1_Q@{oX?K#2kBfjEQpAOI zVNL?ZRL#@txf`)$v0tS22&oz+1{S}Wc4=v7(G;ZF%r=%OzW2=R)w)R2-p zNL$`lKQ=njnNP_Yti0p9!%4v7Qohr(F*hM9=!Rv0^g{aU&dReWsv^XTqCH2ny& z@2`~lwrNtOoD~?gG&n+-qH)Ym`F!$4#N9PepQL|R)&{$7Y;D#*E054ff>k<+rNNoP z8;CB+TExtI7qMWwLb4VJs1fb#-J9E*jxg|guok*tJrMFew?g{$I zY|F3Hzp$cI>5xijk9O`xkjD0XwWJ0Y`v6%I=Ja!CsjfB^$ICkP$ZZkqpwj#F%SDB% z!VMq^l`?c^5;mNPHJu}yC)JkIHMc*suQJr7=tq?o4dZrgxTR5RNJ`8K$9B?x2opZUSx480nh2V!+({Oqh*4k(w7LqZ-rW zB$-i9UzZhVHRSaZGj6vh@v|UYVNdVd8VS3`&VGa@_;Fz`G(kj}7pxZxCqIvN!e7bg zdf&{Y?pl@ew6bt5mWowu-<KU>M&2C5^%|~&NW)w ziNbFw2ERVXicGJYtY8i`N>3*k9#O*lOzt9Ox@Pn=*stE9J6jzTplF7-!)dFta}=Oh zhEGDV-Ec#oPXSzN*d0#AXKh7>k9CmfgV_Xk)==Rvd>qckaR)(6)^tzDaz34&6FvC3 zp+}JE<5=8{c+(zg;#`q}37c9HnRZzpB9n%N(qfM;&Gan%wUo za#dB8eNS)02Vq&?C%fBY=cg>*0FmnBNF~pjr_q`8iKJ3;!L_ z-f*_dSXiT~A!qL4SLm0M4|qM^2|NjBEQ5zSW0>??_@Jp;i``JtJ;0tEP2B{paii7H zqC>5_tYW-85v-l#(%WzSkdg`(k*Dwv6yv_EGJmb5>PiPpIN28ZAGJR?BVr@u$Jp|% zom|I^}JKc?Pe8~BlUh0l!HM^&) zYdz#WNPGeiZ+9B)$4sQeoR+48P6+iv;b`o7pDCi+Lz*jZ8)n@C{Ma~^w27H^%{#7Y zyu3^;ouZkJ+z2nVi3@Yv?--rWhc*1p43W>Pq*Zib4w6%`p)ScWj2S6?gi|aG7ckLZ z$iJzUKLm&N&dhb+Su$?n3?zBXO!ulJCW0yxyD*mW-n>5)jOjjEDQMo8 zI1e(npQPs%-NdWiXyGpyiY6Q?{C43|M2k`v6>Uye?kyA zqBbq=>qzyG34}+W8v!bKH5z6x18=)Z5ej`L^Kr*ODo}eK^ zI7epSHg0(#S4RN zd_0|OP=VjzB>6BJG)HgNBv`)*=eOe?h97P81TJb6khQ_G%ma_AcvH6oz^r*Im13=< z%;&9+slX5Cv%bpbUx#E9(S~mX)v4L$x$y#c+8m&)&glk&%0T~W-Amy|tPM(aOcz7* za*_KcGJz&-qA<`dyoRl7C~Rfk1YLSDf{Y&eEaDe8?WHEV_Tw_!GIFM`Qm#;;OUvUS zQWk7-Jfnb7SgQ^)SmX4JbXu)+fyj_Z;?ock-of}VY|_;H{aFvBb%?(Qht;H(R+H`} zCa@cjKSIi8wvY4)^2P#iv;%p~+$ks6S9o=(2WP5>C7D+Z8N*0y`xVL)f`t+Mk0~zd zckv5(6~X;7iF$z&94Gj%xSH_hTcm}*!u=dy-4n7=fbPwwGN>1+1$H}Wcx*%~E$zS_ z&~3%?HbO2T@Iw5w-Yut*_Li`Q_QDHTXhb<{kYO3={$yc}8S5uVe-d~FoXTYtA1?YK zpePUa{%mO<=@Qgq zRGRO3YJ__RW)n?E9KnR$%SLqfO!KTBGNqPvD)|{)BpdC2SWO9fwp1Rj;y1IbXA5Ry zsT+=XX@EB8M*~-_BU9{TEYu80n-M(np@6UDtkbe9VJgD^DUOC3lBO$=N$HKMKY^H5 zfNCxjKP@l8fZ)c+wb;Ero*Pgktxgp(+e+I}&3(EQLYVwqu5)-><$cEGK92l7gqBE#2GW zBy)I*X=!TiV1Prtrn~LN<{;%q+L4t@RQ~@_ z@tKVl@@-{5VmkY*=lO?BGQy#zE$^8@|?bGmD2=U*kg*AHNwAE>gkXEXAJ=Jq- zzH^#|Uq;2s^&vb5=lmXAsWUv_B0SPZVHwsLT!uCqLwxw!%N1>3sMXY?1z10 zv3sA|&0#7P(wu=^@XD4D(`GHKE8)-8u(^TU-=;O%opJG3pYu9XDC(FmQ9htUf6N-- zTws|MEA3M8A1U+LWUC{z>}ptLPqt&x+hNKxc!1$-C_BfzFSM$kGLEv_{VX_$X2#G- ziXV76@8oPj!m2Q(l6KM?+*6P;o3>>cHA(>3W2qC?B4tNmGQuy@hrF9AZ!wpdliU$b zFN>e$%rJrU(5rKL`dIMBfbs>fbXLDxp2;NkgJM*p|*oq?tY!5ydW12YnXjkE74|) zTgSKZukicL{lkyD)9;+wLztC8@&<6B^BL%P8RWh;8FrfpI1jNp=Y5#xSW&4vF$C~G zyuNXpFa(1?dbD%}^S{CG9MJHOob{v>W8i;-2#}8WKO4j3F|dI*Q;~pG(nnx}q=JKW z{Yky!E^lLhAL#Yr4=5@q9#BzHQPKAa>iK%U=ls_C{rj%<&RS2? z%q=tf`t0ZO`BW^FuP1m@kvJi6XQF7a9WXo2S^|@W((jO^Kmhd;IU6x|^3*+aoi^&k zw!*)6(#E;}krjg8JGOBv&huVivjMwM%#fCPpD<6y}qlL3PpqOOWZYyKT%GU_)Mc|^J;+&*>+KFFE zfx-8%|9<42!j#&^>LKHkcR952QkjiVTn#9sYQ-%1Az*B2+^Wq-{jSZc@1)MgS`(8f zuV$S0s&B+qooMkh?qF*a3}#FxZ2=6(p=fK&f&0L&piP2dw~1(z8=hC+LfY8tx#||A zjfD2{5DE>lLbj>9le@z4rUCzg7F?U!@RK()CciXdq3Wg2aHCb;-*4D*Wve%=x{=+>Kf+tLHxSygO8(Jzt_4p*cOSUOb|e-* z5iM_vYkSZ-JbZypZz(RhkQpcA~CtZX>x9BmH%_Lp( z7c2b{sB2Oh0OOQ(fjE;C;tg%ab;5#6i}61N)#^}Q(3QOsf%knyS1}DVc!<%cI0N7P z>vUzyg)UXk!%7^e06bL?n&N&)7)XAr>ja~&b$i)T^-Ik8UHdcS-A3=s70aauGB{y=Y2dyvr_5jE3 zjdgt+@BJd0X~t=RO$=TTp|;_EDSAv>jU`;VVNm<-mVru2to8_`K$CNAcWQfutj0H> zneIsyV5WF)7380az?`^F9&)Q0`gHy**Dy2NHOckpUi=9DO|to7&X1wZ_*uV# z&hIt%i>vV9qmaBiK&p&b-cE~MrGdc(s9`150&k**R;Y_76B;U+RPnO-v#`HmHz=3E zwGb)7xTJ%{Ls8?DLInk@P~$nyLcWHPx@MiVhtNelZEqA#9(kY|V5wG!8SeXpin;GX zhxFo)!yS!mzaeBK(g zGL?3BKMLz?Z#k$<{(gAxtMFe#sZ=Vs`~|q7glNhX@X~pvs}FT^6zFBGGgR4ed4uM- zgK>SK@je57oi=#Z7f(Zh)zKp<#BQpmIoF1Jw54PQ{b}}0w5I^z)X9?`>fcr1GooC} znnZWRA#`fPjTWXhFe9q*GL!0gsq_a_=7%%=Pa`eA;k?*)>=2C7-N%K!0J|ITyv)^e z-CeF&`J=?5&s|Gx>~|JrJm6c|4cKZs@Xg;H?WIbGUvJOexJCdG=0pO2zkR@n%A zHyWgTK7oD6FO1{zfVOlQNz+Xr1d#Z#yuobrL6=ii&ifs%)K>2#Ar;vY-qoS-4GOhFTy}gk7ws}MM zfD{9Si{=>fwKSAoVJtfd_5jOUxfOO>Wh{P|e~e+)a{aEa6yIiF%^(_m8~e;7^u#oO zFsvAKBkh(w#+BGV+vF{dRp0LvE^_%y;dpOeZ1ZgJ6?^CD+V_LE_-7o>iTJ~R#NjD0 z>O2E^4SN4$v2{zr04Iw(AeNQCX@Gc&qlm2sH$(9;Zf}(;7+o?#)DozT zN6reVN)irzFIfDm5om#qAJQEKhW5VO7v^hRLD@+8YKqs3P;rS<+dlRM;+(8?hm@D? zMC&cuo6D3Oot7W*(pCvt3Vd3_>Rnh%18xWJw^(yQjG$7BwN0V~`b0uXLn*zY4Z#j# zR*uHlt^0;p(v7rh<9S?Ja~@ckZ9nO0H%~8cP_v`c#d(1j_|VCSM?M9I9)eG65Pa;R z36XmTap=hP<9;A{hy%mtzVEfgsLlVW9xwDqMLRy%Lx{Q7T|Q(|-%QZdhMmEzD7>AM zf?q}LU5huML4mzyS5LjV+~`OF*c4kU2XSP$LwWGYC*i5lZ)(JtJr)=1ZJQsTvx}Ic>W$e`+hu^QJ)R2*$qWNNqy^W-N=HH z9$~KwLQhfbwbz{!w2LHzy-AgYdK3;$c3ER^MoY9>h6*zw)CO#6Ta8*ImfP8#uF+~l zsrexQNh+>I-c+JMjLp#f+FjOdxIzSmM0y8|6-|ye^wy>5(#qtLuhsHsD=c=sWu2^D z7}0%+o(43lca;;-Rs;Aof3Q;3+KIE2d<3XGT+qc_fT`oL+^W;4(+u(Fykp434q7VG0>-fH$@J zxh}$S2sO9%so?Rqj#9?EHrMiHSEa!SCjTG3mMCwA&YJEu5dQ;i+q+%eTbyS!tDG0t zywUqU#^2*TQZ=@hB)UJ^kf0p`n+CTH0)+X&jIb70oG@@18#cFx(8ncNd**tdjl#De zmT4yaP)p)0b+du?^oKpGnI?FzZ$MF-7j3<8`}M4mm1dhs-N*WMdLbvPgf2X^0SG(a zM28?}M|l$+X>-5o-GKN`6joFl(d@}?SZ_hJX99%_HzD2#`_;|J>eV#&Vs1&{Wz6=| zqah_9hYNRo$@YM7(aw;dB6JD$;vd&@!}bkfABdOll{&iMZvI2ab)m#tfHkdRr*|9G z3h+Nx|4`D8ThwI69|XRog=dh^mmDjKQx~9XYat?ezHO%-*2UUu(Apc`DcpdW5hqSl3 zNjN$9E!tyZ@)aZ5vlb^c4)z{HduNf(g~t&Lz5LU9AT7!iPJl1WeK$=LW`lj`VyjqG zy&S6nf_np5&WB~S@|=XK-`F1w$}jccuS8R;SHzbMWc#FvKV3S`>lk@8U-Tt+4$UxM ze4cbI>Sg}93w3bslb+JtNbv2r)sNtZ^AWyh^SY+O=5;8)K2`p^LAjyF$HAGl5}aF{ zMGIJFP`Vp3EFml5&M5pSd^+b*Ul>P%`!7@Nl>8tClOVj4MXd)yb?7wE{w~@|4WRti zjDVTtJS>7k=jCxmuOH!?kOJfZ6BqP}t*8bGmT;@mo@V92^S>sB-`LrD-R3?j(-moQ|Om?Q>z8JDcljJD1~nQPeavtV9dnsWk<+QcIo*CpW&RT!^-Maei}I z<8L)zw0&(2a9zx;v92L;S~({PVI?Wr8se<;J40lPHli4mDago~5Xq7f9|sem)&RSd zuaGuZ?85$Ja!rU0&5z7raZ&C8^zNVmhnmGeIfFyXVO^zcMWMA~T6HcCZ7z2}0s^uQ z*B*r!8**&(CVv+T+GSbFmL2e_oRx(LI&hC^L%@FqAN}#YqRhU2#QdFD_RoDkfiGXo z2#kvs)7dH(O`cDWR68yiI__@0jGwnMBrSi0oMfo@9v=ZuXux_ccoaeDE9p@UJn@N3 z0A6xrgFwMPZ!KCAbqcbSA}9Pof5i3*Jnryrj22j_(q(!&%P9oW%|OBWtLy z*v5gdhEn_D#=()b)BxN#M6gPqsNHa*x73BKl4o9xUu(e^a6zE~a|KFrwBrqZU8vU5zsRIq^|r(;!o zpgvlDS3GwXbjvfTMGR{ZO9vy1IaaK7eOdQ@5Cy~$+}YI+6~Zi3&CX%CjGLn%pd$!6WnGtFjrV?|Ypw*0s&~A1V=H6{I2UAjT+`y!6S%q0-Y#hD`A5`-ILC%A+8WUf ziD?izH~?JA&Aed2&jH+8b2VrS%6=5SB}ipi^i0hUTEnS4ddNM=+b>!SxpTO5nT-qu zH(2W%=nLgnyX{BIfeHK$W7Ad3Z+aRr62#bO50ZKebH;OGdS9nw{=?u{7wpkpoCVR&r>vzD4bwuy_#$Y`o$>$DuL&*NI zlrFsOn;`7o`w6pN%v92n_kJF5Ab%5bH#ueo`G73k z1t3$-4vgzAmG?pZ0eI9;h+A3-mZ|#?TJCQo>T*l?AA2g*O1)+m#PWxME%a0leK&k) zY?2s$1++>(3hz5LLg^LN-p6)=h4BCIQbAn(6I}x7B1zr?UCo^KYB2tD?s9ox1$)0s)9NNZ8Lzc2k^2 zTV24VzMjQ4&y(_fnRIR0CjSB>TH*iX1#d7~o7?a)Oain`9g^etn}My;3#xY=*6wtD zpQ2($?V01ayYu!KDYw3X-mM;@GG`Ne1_maoxAYAw_;OwfLnyRX17(;JrPVZR?i6N| zd&0gm^0{mnJhQOc3e~iShiI^Gjovs0TCcOS7%!I>bA7>8mgnd^tsH1#{9MoSu8_DP ze`FM^cR-L+HR6w3^Y1L12hlqx@Rfa%66lQ`z(bpdz@GT5Ggv+#s(da2;yB0;$iJf+ z*tL#(n=dyMfK&OQC2t{`-ee4XVtGA?3Q->ARaF~E>*K%TrHl+8P1sju3DgJ9)) z5(!nF4%fxnC98381o92Qc+z_G<_Hw)bwchQ67Dt%U&s6f*8)&8$|6Vs|AWB<@Y}y5 z^Zykqptt*fopKw6e|UO&`m7msfZFf=BhP zayUF&HojB^1tG-m<7uKA?h}Kk}*93pESN^`mBjr zZWw&w(7zA8o&GqM_~$=xx-mThvIFpT_+%V%tlIO}wi7dM+SJ;*3BNa-_1OF{c5HhJ zn$4HH;Vfu2f8OSQ?)P6G@%t=cjp<*2F+ZEt33P^giIbA0Frf*Shm^OB3PR+`R6EBaq(h@swvFy(imK zIt$KLeYhLMwd(WS+4vStly2$rav{Q3m*XR+u%hh4I8?A-wHM$ohP@v8tYYGcBLyy@9W;Zv>*JQ+h@NN0KgHo8Zc>cyO*~| z#k%uy@(TYB&!lF%IkOUi@QcVZ=Vj-Vw@1psUL9n2Pm-RVr zZ>SFhip08eb8~PzJYhR3T7s1-m#({7S%r1kdF8`VY)*EzyYykCQ}gW0@Cfjr$ErE1 z$}JaX!E@)4w}5WY9P9Swdcjx(PviDrGlW~{RImM`z{h|eQuJYoKCn&hQ(0-f&2?ucJ&`Nj% z;sQTHU*}^ zo}8SJ8w`+eNG-o33SLJgvx0?iiQ9g?5D=z3WE5Pm0ve5dk{8;OCpWhgN9%Gu_MVW^ zKWbczE+_lQSzt{tsW}F(0d3Y@OrfMamBmEo&EETx*Z}Q32hakBOJ-;jdDe;8tS*Dst4xj3 z`FzE9VZBeyE^Uv|tJ&Et-{G6U*r?0NBcDd9)!n^(92wO)26>%4E|lKZK@0sBzb%^K zpHd8$cyceL;~=mW0>lm!U>~J(r0eCW%^Pqxarm*HaRLAXBX8w8L;HK>E)1=#W;^aD zjnH|$G} z@jqh)bXyoH9wV853|)GP5MaflD3E9n9l=9P#1v!dWYU|c$zU>?Voi*RtpJ=3WP%eo z5FR8RBmqPKF@tmlNdyr=EFeiB$siJl43Ywp3IgGK$Oh5{Bn`w4;sEIik`Ceoae-uj zWP$*q2U0+~fnk77Y|Aehnjj1U|}wm-`c%I!y; zutN85*M_AUO4Tgs5yU>n~ow#;N@(v<-k@@P+*ESAroeF*}7C@B5`oA z7B!XNHk4@1eL8mhTX&y=iM8ou0 zov9N?fZrUp3fS-x92aYCmE;2{a&iUeeehM&gUQuV2w;Lf^iOyt~7aQ9B8 zXbR5)kAzF{GpPtA!fBmtHar*$oIZ9LY~X61h7&;&;NB)ohT%CQ0QwJZ(+U1YnFxWa zBR^k|sB@e>^Vhm2rG?>fvwpAa9i7a}V;sj%MO5>Xw=4TU%P~^f|GD?S^Ii=SdJhl` zx9d7xr;pTi%pZ0A-}=ON(ZZ(af2&)4q|{*h_qzShy>QA;_|LkHj_$oCEe$6_A*Dt^ zwLq0bDk>RAYAQNa2QY>RL$ySam^3J(R5+Rn6_$;42-8$uY83V-!cHBWixW)I2~gpf zB{s>(MQDmqt3DT9MsXHXK&Zhf0jq2j{bA+f3Ks%t7C*6m+`;!x!YKXUJe1*Vs0{64kC<(Rk)<*UpWCIRs%dw zH)RSn0*zuMsS~0{A}ox_hWXTW*C9H9sHl%GPMY?=cp3Fd>QL)62+PLZ1}JwyO+<`6V}YS7bzFqkY$iUDo;nlW zYQ~J3DN3p!19S|{5&7RCG1s70lv33~3wI1^H)5KWhwuM}~Sek>v|Oa|c$g%wRRjA4UGIak^O(0V`2xFRKuF z@fn;SXhHbX(lUfI#S+58V`#;?spCl>Gz;Qf&SQ?a$w6$cI0fkU4@<}K=iHr?@ji~Q zj}S2+T5*JCY;#&#Z6la#lvIH4Yl*hslc@ZGZMmxCcz7E)k~3*`A{1ub)Cn_dn(IyV zcM}o&Zlhb09k@HaUspE^i%bI)YTJ6klg!nRk=cL(5?`~@-beEZ6KGHS%XBoJgB0=< z`J3_>qDcTJM7wIq(rh|_et_21KdlEiIAtle{-fwJ78Ag71iT-r36Uz`$feEUkC+^- z5WJ{#hS0_Lf_EzV9WX9Hb+`+x86sEHVgjgjFepopaPi_+ju*E9@%nZWFYfTpMA8l- zX3cFsAtjMM)`i;Fgc*6&nr=TYNZe6)a4}(l8`?$XLZpmE$I9t-Nue|GG;N@+riom~ zab$PJT71@LByR$tuL>RjnwD=2IIvi%bVqcDHZ}H5Xz=GZ;&|n;nDAU^%druo9DLG$ zf&xCH#%o12@f&1XzB-c*@XwB2^5C?~9 zNgqHN7VF@fRHb%CV%6&55x9opD)0*+?m=u0_YcM5yBJP*hclVW4V+E7q|8QAXC;ip zt=Q~65)E&CYz+?+T5oKy+OfXo1HuS>$S>YL$a)fJ?V4cS#5xB{E~O6&jcPuKKlGfn z)~-HRcgo&rQ~}~LNXXJdUoot?$y$Z#gelTSG)=sKn#3F22j%P0%IC;7^-ZKMLE_)6 z4|LqCEfhoueH#Gd={DVzM!V{q$_UnqE6+gTsYcvQr!4bd)`fa+el`MXcbRUxqGi z4NgYn0W_E$%b-j$P+6nH50inhN@{sc(1NmJN+!0gAurfF0Nd#iI;-_zoIriLt+;jD zkqhBI<`%uY)6lw@Nax>!sQ2Gl@v7`Ni*|=!E%ipgsK_Qrxoc#avuU4E>ml8*bUp$d zfDE9M1gYfJnz`W~Bn@0PIFS%WQhznF`wihI8@u3N1$F+zu(y^|^9KUwLM~;+Z^#up>dG*Y zRbEg?GD7zSb|5-LGLucZGsyA1Nqdsb(>uN}k+7>MmR-R#tfDSx*RIh!17jKP`R%VVm_g2n!QDWl5F88KA1Nrit`7C*e`;D%ajuTljg>IBJ5lLV! zO=-LWv~36MR%Lb!c|d(H%4(*Ma;0Qqq^k}h9&$k#*GL5(_bci$su5kH%1T7){I_Dn zm#ik}>z_kT zkb59&q!JV0nr6rHK{F~Tgo$Id!mrSq2lLiPXt}jlp(C11w0FIjLVV5NlFsC_mNoce zG}ZE|o|b1N2=3;U+h?0U)8l%RvK9uvih1-EIX1qij}T`caLa7AQ86`Zn~>cx+w(ph zD8w-X1=H`s9KKcyFxubZQhLI3ZjuTKS`eb!)ACwp=t&GPx7&5z+3=pDW+Qu{{X=Yk zQSYcyh6u#tF~qTtLlvfa0wO%qa6*1A8i#T}s*dc<(v{gz`b{6h0riLi^NA zkhjIcD8>Wiwv7GM*}^SP%|GhR#>u zkMtT$@xtqZARJ?sXYC;@*Jy3FpJO@;xm;nW+OgSae~#YbY$3a7V}tORv+%uGpd%oc z=%A5Jh#xt5QaN(WiKEXpO@M*BU1au>tLB6`MgGxfZv>d*O-Sf`~d7SKfxU7$0DH|p7+TZwbdZ|3H z0*hrAZz)p=eF9H(?k7*_lr33bvmG43J~=nRrQE}!R0<9{kC0fHgVbSBIMXti6)RkP zT>f~VQ?dX|3`tjxpwbj1wDD>2*1yy4@YE+#NCM{Xmzu z?;HG?&^PudbQr)z+5Q97Q zyWWO`qSdZ(rq*-Hm1vPs$LYw+qC{tLc{P(ABe>@5#tz2U@Dh^|2u9bu;FRinu;&f< zJJMS@hsd312SB?3M3%psjs%OFqJUk{zRmfSbDg=KI!~j%Y^Vzac9%cT0K{ltyoeqG zlFcCctYqQ|3vl(W2-Rxy@nS8zRd18y@JRDBOwBCZQ!!xXoYfIXLiS#P8cecFCnBQM zG|(<&eGw286+VR^tp9WQjX2U>r?|aOn8_rb9Z*>ozUb zHbig!nDVFee}I&VN%E6=aILdi$l6BDq?a;{(vbfscHK*9Dt?h1=1jtU{7ky?GDP@> zSBPH0;`kwvR*|OmSh^tq+(k*1a}dcUfkU~W2c&>CC+t;H061MN$7$kp?h*fBqtq9 z`&wV9>4lzmB?!#p+|ZI^wwrwDf!f6A(7}rDnE~+5C6T#u^!8NpGuP1eHZV~FyS@1( zs?ccCL#Mpck&*f@UL$^_iP^zkH(vU{www{W7JZ*zX6|nCBtX)DA9RqV3j=Mfp> zzN7BMi6!}myj|_Bi)9lGiC_(>w!OR?i1$iRA+dHt=lxRS4~!EV`}tG!}C1YiCz>6vgL% zMjL^+qi&XW0MaS#t}4FS5Sr(NZ`aiQ7S^6m|lbw;)Qn&;$<(>nShJr>mSXG+CU_C6{ajEwB{- z^@@OaGVctLWbwA>dwe}xRYgxscAODiFaXc-w=E! zZ2{+OVI>kDh73mGVX-rpk3SQefQokk=su+rP_YEg3?Ugz0MC2+CQ)aOn6jqUUF`Yjf~o!6zmwSEHSq0MA8z&Vb)3d;)V7{!cLeg|&); zDjqAJh3xa)?}0Z?2_ph6(J}FZ(@JisV{(J!E1_(avhtvyv zC+@Iskn^nMNmysaW0<5~sZaBMsXKN|>)}sCfP?E#LcSMTf_@q8U0ShPs@%N5bDn77 zCUzg?yBXn?x#B`9%xF##Cd04hM{eq6Ht)HOwaWJC>5B?_yy$^}|Z82h8{P3#Pi6@c&l9L?*+!dAnkYCxe`` zg|5UiKT|tkS>A(;q1_sXlSP29+=)3)EY7fTs-L?coN}__C4OWli90!@_6evuyWar$XJ~+&axxk zS!~ItMHhtlEN@e~b=$5OG2zhr`8U7@=9p`+9|Xh24Zx*^f*Efw!(+i*aFq5E;_W5o zFH_VEB(>8_v7MY#`XaHNNh*2kScTt*>{HbjW9gWN5wt)WLQ?E6Xr~A($z%o@BFZOz z!+fZPu?HX;a|iMt1~t&UG09_ldJrlxl72XNs2|nTUl2J+&Z~mnzJTy=Un#PO6*;+d9ufyQ>)2e@S0&1%C$=bI%zWo>Mljmp!O9sVyAo&v*&)tg zGZP}~s?+jhqyI*K^U%bi6(pI-4jrf4HeZmRGr;^`x*|F_mV_;|R7z6jAsP!jTu+j0 zF@FANRY0sAa-|ue;vsyD7I1rDZAg~Ef>rq*fmQ2$c~G*yGa%9lorMK-mH#l7e!yF- z?arI9&R%Hw)g%nz?iRa2f%1>)QIr23z~yqe-W7QOs^ieE*`U_fWI$)>xFWYHWQf4< znIgx+P{+mXO5s>$G8YGsIB`tPp?5)dNr|ETT!(|Cr!$7@P1Z?W@CL69k)g-#BE1W} zog^DSBa;-I-$|F@tpN+7|In?(8z1NaHk+3&&F7AhO=2>$_C`mf>yVxzd!-X}p@0&j zC-E&F!9l#vECDiTjr`OkB?^=LisLMpBF>bN@_lWNE(W^B?m=}BmCuY-HUX-Q9zy+r z`r%eTrab?uJpqVz3+XO)QJ|TJe9)OnJhH6Q<9PNwdnn%AU5|5HJLANCjgHTFY;YJ2 zV)m}4@R1q`52x{BhG(0e7WW}$mNVdSocl?k?JQ)rL>W4CiXn(SX8TL$FR z&E^JP{Dt(IX4J(vQfobct!TX5*kk*PR?FUV zxXZ3fzH0s@P7>Q+l$Quhrf(303l&d6q)SP*ImV#&LiQsHAUEgZ{l3>xSnV*=W%dk5 zCM6%%VcboV)G?HL#32wnaVNt|@zvV^cas@dc@c>fc&_*n?OFRM0yM1=73aY$^DAS* zkAVi#@)#Mc{mdkZGjX%v!;p1iCOJMu7LCkVe?G1ZBDBczaV#^mJ!jTYMDb zhVg8J1zoWK4qK8Ql zKFq{7Oor0~6jbTFmiGJ{JcB$Rj!4KM3)H-cc>k(eiMC`oU&GsF=YNaezB`(Sy4y z?@|UbgNOs%b)*69pFJcN4{|(Zh!|#;NEcWq!^M$luDC=#Pj7STX)#PN{S^}e-=c|s zHQhBJo|Jft0D6m#6jGSwmh%qMUm2!n=Aj~2Mn7$Q%XFccDc~15h#LZq==9=z9h!i< z7Cj;#NGv=RMTXa8aaDp!o-m(@r4BwtZ$9ib52Yy2g%a&2{gZLFI=U}Z{yO-RJT`;T;GloK5aIJ&`5J2I#Y@y2XB+Rt_ zSkaTY)xHFevSUYltS}Y<6uj%JB+F?%y}(r49pL#}D&|4_|C6zf77C`Li``|`NZosH zRzllI2~=a-msHFXzKrOCd&qQKZo$Png^?};&rV3SIP~-^Nmdrb94g?C>PZ>SYH9G^ z86}@&?H?Z5kBwxM`v=01q^z^7(<&88Npx{ZA;UVq7fWf{`K#n1)f^>!jW2Oa&BGE~ zf}q-ve!_gpT0Wyfi0K@720_jy%-X_W`eONJ6o7hOpjM)+Cxqq7_*`o_x=a2#!I6}! zwXiQy=j#ATk)>yM8YHnQWZtc({;*9t4JMk3N61HzT~Q*5F!q)raRK#Ht91^0#UdW0 ziQZO;mJRuNIoKa`Z94^4S!BwvVILP46LM!b;@t&m&vpA7OrgNXfCef z4NC)M*z+w+0POyn#J7Z@X_?oGULLU;_ySJsgZ=a5J$j}I>UB2AI4KT~fzSS~=YjqP zfC21GpFv@loBpFLWWnr z)ccnYL-d0{H8`U1eqxn#29=LPY&TQZz2bhnnpAoopjXj)mpS)HSv?^W9JR)}du;~| z_FZ6m8SXAis@ZPV8<>1yH}p4JthNYY7hdn0B@jSf^{%zC2GO>cHs8lBkslgFid-KW z?U$9s#^%GUUN0QQJky~jAjZFPVO9wdLV8k1pY{yI-~!w{0}r>Ct*&7vW{s(F+RiXc zvK&kxc@ULW#3({Mf7K+g+`)}w$kUsL=U37hE#o&-g{R}VOT)~0 z#u{BEcs}RsyCQE&p;ebcr&6RlgxBS(MuE$EM<@q4^X5eM&XQZvp=WNiG?QZ!+BQ*Z zBhh}^JOH}`-J|Q%g`AcG;mw)@cqi#fA2pj2>W;e|LOQt*QjPE|It1P4FjGC%c}r5ww5mIla~Obmfq1TBxs-y7tNn;1 zHBJxYBK8R*dm|J!m*>V|oE+ zj2IuP0Gb?6Ppi4`2)0e2%9Cax18^?FRTp1S&qs4}3u|EgCB6rf71Po1A`>_NJm7xx zCWL~*O0#uJz3WAN-Bv)P-BI74i`O2z8IzU9Nue)AnZMhhJ{ixHZ1&WDBZ29R*7^m+ z)Pu2!sez?`WV&H;ptC*<(&NAY%e}lOXV(n8hI!Qcx{!ul?ahFzD#NlFlgU=`cw<0_=_USMCXTzxk)zP1O_j?&j~ zC1~s)t$v>}04S1d9UzRvjJ-2WCMW$OmQo6bBG3Vgft#f8Y2-7IaeGSeH*Ah(Ig+Hq`ihsDdQdUxqowdR^jedP8wRLC|9LZo^tgpJ#oUeG@dcZF$sLT(KX)0 zq?A0`x=U_i$%n*EPne5M?B^!_Z${R_DBTkH0Vd%+p?^?=oICbC+qD@j8P^v!mkA8B z${OkAHx^R~c3T$hI5J#uM;M|jaEEca*cEysu{Ae3q92xxn>FyJb@@Qqn zW-mj6S(BKqq(A$qfxO|*M$AgDitsB7;LkyvE*A0mDmFWl7) zC$U}Pz@T~}#Wf`n+o~2>1~L`*7vYNgNtXZNC~)5FhC#yTd6M`=*1i;GqIIEpBfn&p zi)lRgA|p(M!SN{cm3I-oXaxKP&Mtg{t7w`SFOKvNMDpjcfUxMZeVahPN5kcgST;9z zPnTm)llU7aWeeXXA311#-vqdM{b9`ouT)+{)SEGTuLjI0s}l5l$0@xyiCa_n1fpB$ zeT5E09<-Wf04Zd2WPCIVggy_nmk>* z+`LgOhoCkzRRCMfF@|h5_no$RYOxh**I*t4501MZ{*KmW-3=M}qX-#BwqO~Su*b+f zI^`qFl`LK`R;_YfO&~_|FKk^x+1#RKG^KHpOsCQm;L#D{ z4{ZWFo%gAz#%HQnWsKXmLY!6d1@#jvJ;B+mEj2%ipOgD4hEu=i0Uq8IG=L%j1a39>zn&hgB!U^T`*T*CCbJ`OBPvVSOGL+{($!nfW7I_h{` zD`)MA7k9++TRF05(w#K8X%6x7#iP8xbzu@Wyg_Es*H#{t)AZ6}_R%idXnv=jX0^Re z){(tjZ+5zabmKUFUjeL$ITM))+@&=`aJkS0FGlOfcJ+~^j;E5DLGopKBFx3H9eQ%V z=r&*A9pC7gLAEH$1VNQ$x7uNm(wlwR(D9yaU5H6iFGa5$K`)v&#o{(@c3{G+=Kgls z+Fa2}F4-$_Pv(wRr*f0=ZUfgLG>8VeL`Y!%82~@%Vvr?S*BASQI00?M!oFO zU)my!w!iN>YhX+s|E)0DLVgqi6+TexdNaH0ZNyKvRjeaz?BgTKI+a8-e$P~qE%9WqIy!FUxw55TM`G=#1(qz?wFrw!OB5Z3>MZwDM_qzu2`88t zJ-7#$f$Rh-iH^S~9NHSpLt@I272t<;Ns!@Ro`PVpVZ_@sw(b#fAD{uQhUQCC#TB?& z@uM3H9nZ#sE$`YTF&-}>3+-RB1N7cxaLj8fZm3cU8FwX*F0Fq&d`Wy2CkZ3LnU^P( za$}VjhuBVMRcys0#9y7P=x3ivB5ze^1IVV}fpr`^l4GAw&vKBCj>o;PBJn~gbeTL) zD<}t3X$POND0m{)T3gbVUl8~lh40(m%{v(31Yn+|WAW2?P|ep;DfT!!oL=zGsHLUv zfYI|}=ZI~t|E!Iz&HaIx|`VAEc+qgpffPTlP1AOF8lomfDJctzfe2y3G*;)dO6;iihhz8aur_& ze!_JZrPTRB$9lNPE`%lhT`yXw09j%Kg=58OSUYFYhF`;A zY|H+%7coxv3Tvu!JWWKMoQZD%TgqZ&pM$YcT^xc_4;q;?b`YN`JkszP?t()BzB<>F zNzmgM?1#UVXkH0sZg4JK$)?~^`=bhw2__2Wu0_Cdh#Cr8={MPRu3B7Jj=bjYG_@*6 z1sTd`w7ktYL}vg29(M)%1^Ao#ud+Vj?*Y_Y%l= z(UgVA-Ki-8*w4lx_L+!XyPG3M0I?Zm--&P|;I(yp4{A6{GuQF^^~MGCvT@n_DNQwn zyy9+!Qyu5pMKlXPb z70$+4?YI%g5hl+TTv^xwfy^w3dalIbY(DUs+y4a!C1PG)ejxO3kC9iIXO!X&(Wlsb zhZV|r_A11^sCRggUoUs}JN;@9ewNH+b!-i6U~9BzC>)R3D~ExD#nD5^Hw*?=oN{KO zG!*OShgSbw)F%lg|Whvgbw#@5|b z6pnK$ml_8k{E38FbPg8_*&(0Nb?Ad$9Md`tUqy^ zOj1{b(|s8t6EIE0d15s%Eq|vu5QaAxU$rBj^r4=diZLQmh0z`BS zr}4DXBt*n6+OCc#Pi~Q%fp|1ld#_XDhun)ZvnqBOFLAN8MxJNiU_J#_8vb>#o9VNv zQGPT7u@9^>{r~`>i+%{?+VL%N3!A2YMFn-rFEx}c3(%Yml}k~su4Nc+v*o~ypcZr` zvPMefhHW!FU4c)`2|6sgyE*}qpTMK z5n9(<%R?~RQ_QECVWS*K_jroIajsI_AHw{h6bBh!OjjF2bvx8VhW3MHB12SN7Irgc z^)eP(M8qNwx>jK6Wfr3weUcd6a27g?s<-(xO;8B<7OAFfUlIEuY*qpBfLF{lApmTT zB`1MpJWR9~5D|tl2nwt;AvTg&ASWi`@uZPIMl}IA9mEpI)g8}~x^t~$jOakbKmY_c zL11^=IU0ggK2ZF6ar0NC`>-y-gC z{IZ{PLldY%FdTJ=nuWLN%mu!Knj6II^7cgO z$A;*ikhty~ukNlP-{52QuY}_3FkWxAWpgk)ESrWBOSp2dlMTzrICuHQ|bW%%KPD( zR0+Ch&Jn6U6x)<}YE=Gf^A=NAhQ6M!HzZdlvf)Btk2T; zmiohZ{r7qb1low%;t8d189HBhjMlMamFYQ%Hq??&I$ANCHy!5z!hZ~xZ_XuChO%jV z3~z;JK3=^}gU14BCQnB7*C4{iPhewozpEf#2XSVJA4`N3twSW2HwTf?dM21C6*|br zQ@*2DQ)~}XD%}1}qh&F+0oeOBE%6b}YeY%~uaW5zir4M~z*+G0mx)oPg+vJV98SPK zY*8nvyf&O=?g%4Osr3|%GY(ecl(t-KC%dxubX$XUt3q^*Dj<}khM?)XEjnT*j0(e$ z@uSr2B4l;pZd4%=$}Z$e$X5I72=x7|fpBDRY=ESbA$A99sGz@-)ictG*`5D<37?(j&OlOb<2SCB$3yWr+ISxZlKz+K&vx0MbgSVVaQXT#sbnE#wy^`w(s*QffGCO(V^#CZd$1tO%Zz3v}I}!p~Ys->{ZE zh}~T_-=Qcyul5<%IK90&8s|`{Emkcw(;;ra8M*?rgK6)#gt=gIF_2RpHw>ZnY6g<# z-;?QHDN3=|P7C=oC2Clh&Z{d(hVp$1UDon;hD-;j|1RTIn)K@OgQpP*C7G4#%@pBL$P`zP^Rqc{NuFa&}w=AjjBI0H1|$1YZm!g;Xpz z5P(tz0}+#hcMKVdi74wZ?kEFzj;Y485k#_dFm&^54=!ZHJT(yk?&m~O_Vy)8@+LoZ zuo*2jH*x^r$|?LnCo*J-L{Y?a-P^06ZmJYlr0g*Y!b85I(NT<%E7SFeW7WhMG7Wm= zQ;h^Yp4>dbVb`5oMwSyRtAZMrrUVh)G#+(>dq_V-WbN<4H;{ve0KEO}S&c*n(Z=q` zf({+e_hU_Znpa17n~c_OfQt=V^rmiRLEB3(qo2~e*)Rg6)nPgc8sl~l8-Zc-Pa5>sBy)Oe5H*uRFJ9p|eHH^QQn0Gj_i57EvYzO}&?Ob% zPxt3%tg+`HXsoP5yM{7!!>7Rs@Xc9g6f#Wqjad_#MdCSz=jd@HK~WWsZJ1Tx)v`}Q zzgft3PcDF?VxK-{mj z^d?T*5_k{s40{%4|A+99d?fU5-3EZ-knxW(WjWryl! z89*?pS9>|R4^aNqA^2rBs%A0by7)U~Zn1$fj3YkvM=VQPxkrAnmQ?}I*G0RUiD`d=D+RsfYa%r{UC?TH~FE9J+#Sx8~>Y4 zlYRf|L7g|-$xj7y)6UcUz2={r`+F6narp_R{Ar^88~l6yLpS(f-9I{$sNk2j_%c{=C6|wm#U~f6jll z!ej6!4*J(Te9HfWOE}fvHS~XUzCW8nXKDRs_~(ZHt?d7;!r;)(+W)Jj zDkj21_MgLFlbywUQ0UI${l7okU%UTZ4gc-h|5U?+r}FO=`_I;g?!aH~4}Shx=FVs3 zPa%Hr{QvWyKcD~KrGoo;=-K`K%>HhPkclZqpH}>p2<`tF_t%dH4f-J(wa%>%{jT#> zbmruCzMGvJAwl=S4?la`gCyO~m!Jcf`U6^m?_Ueld_G5E z+_nGtAmb0`ftWx>N&hoMJv7?S{|fs8HX1PuAppfhSW2RS-@jJ4Wf9f+O)q zReM0=5#k|{SsA&*9cw+4h@MJc1yRbIh^Wws^)(d+11pAia^vJ400kQV#wgZ|9j+yi zcNt}R9(74!Y8zE?K5t=m^n)>$tZ`?J{OPT&?293 zo0m+Vd&emIc&jR*$P*U5$uPpZ1dBJg*L-oqriW@Eq#6Bi4La8(I5Tf@9tg*=w= zJ0supe!X!iQCxdtbPp!A$_kf4Th`2&aDv^QL!G=O&E2xl}T)2pN z3be>Ij;d{S5NhkmMOgwkwF=%H?{6TP#V*TYO*62MXK^;ZfOm>3kRe70bSDuE&XT61 z&0FzDRuLlXk4Y&AkM)jZS=TgRZ}Adv*Th&p0;sW~a2pRYbq+h6BpF0Bwm?RekOZt8 z@ainf>&SHU24sq%=5_+K7bzhKKJ#)3*4;R<^eLr**9|APX<0j?R*LbZbBQZ2wDlk> zD#wyDULn{zG9TFXCNgt&zQWZ#NW`}~S@T7=V|Duk5RIyRUe}}|YPfQyt#T+bbRUw9 zbbW&fkM$No<5g=m31=^U>2Ga^EOT(=?O&LsL@!Sbj)zs%8{OFyi_cf>9{yB_YpGWc zQRpGKh&YM#qb6f!G2NhYW+LAb?~U5EruE^mM0+_Db zIvR}l`t35}9miWhCJryl2{sYCv5~)5wGq!^jd)Yl<>40yqFr}`{xjdZEE=x^s&lG~ z^IHW@aF^~U9Y^src@(C4E}|gUJ@2s~&oUyHxbB9G1WSZrqaZVSa)R)s^c&<@;-uzn zE-Tc(9lunnL9TO_n7F@FtM>+N1)%15^TzCANK9%IYD4K@oLgwU~ z&?k~B$f=x-?T7URyAf}0o`fM^7sM6G(n`hV!zei=lk3Cz@JV%XFvqjEAyPEn@TJfp z-c__colOU5+QPju)3quNqDsETvPy%o@qqJxCP<0Ix>l= zfwbs_OcLEw)lLwPVy)>zU>zc8u9tN*5nVrs%xU?^GY%T6`V$p&R!i&40F1Fp|FepS zx8y-^b`qJ5w|ZuYX(S8+cd)*82X=8IL6gEgoOqW2)qv)3>@8fevruOYcD!ghKiFZS8itVs!GmS&Gp;twtRsV>$O%X`FL@OVQg+VVJI#u?lOxci%wOX95J#~IRdK|ZbItuh-q9Nj+QSw(@33VvWGJ=>n4J&1+eg?ifXk^vw2l$G?*2 z$SxKbeK?1(f;jE?Qa6Dn6QEqR3R1_;^HZ)6(YZch9iFd0PdBT;DQi=gMH6=XsJtKu zG7dlna2GL1qm6Ry(j5wS7jnbcmWu|FyZjMxsYqV{KqpxL+>`X1fKgNsppILbO&JjEIM z5Ql})H!m{Vg!K*C%|H98+`yk&|Bf*+xOyr1NNZl!YMg30gcsXFm~!GB>10IX*FuQS z8G>_#5GI^i>QF*rzrQO4(bMkO#y6{TLYoT!OuWa`7shq9tg;v(AQLU-qWW(gBZPpH zE)zi6bf-gzJ@iUm*uf@Y;7SrMFkLn0RRF(I1F6(0sREI^oc)p7Lbl%a@bu?2UcxfE zPe@#E8BW$)w)ytEGF&h2pI$!>aCKzaNHP(x6lM{$FrK*EY$G)VS*UHDWh7}#c>(_p zk|48k2s4|3bD4BVI6SH(UM4@m<|}2=a%@sbRhW#pI8QR8MYDu5;4OgSu;1E~us6u} zIQcK#w>xOH zDhxnQ!xuU(qV|&bJSJucpPHXlITmQPhj_=s_-J^GdD#@udf2qHVSoD(@Z8VCMO8rm zL}=|>!;ar4x>yI^%qGU3q|{ebAjNvX<3&i)wQH2CY}?&N4heVwAPQ<9NTiAET4XY3>SA}(``py z`)8!uk;kYVDpF$)R`?D9>G2T7W_0nH!nnrD)^N`_?AByaI7&(+!0c*dMblfY_E|qK z3T=PYtF7N{4Qz&ZrR_0Kp0|}r#JSd1R?lR$(2ztCZ@R%m)PKh?xlOte2KO{c=vWb=H%rnA%VPK-NeM&DB)L+jrojx6c`1&t>MH{rXWtS`^_q+caM0DG+lBm zsNRDYY`&D;6;-{Af10%#7|IpO#-xUd=A=bMcv<~b$Jf%&0o-~<#=}UveLW%<1F+w; zLmGg{1J0SM7JJGQ$fP|QR=?SLqo4%qhN>XOxI_D>zU6arhoHQ<)?^es;sr!*-<_@g zT!r5ko3P)S?#tN7GrHAuSyWkLZV&b>^$L4>dLoxuKSBMe%5xOc+W-vB^{IV@NU&5w z@_U@?XF_P-MJ;1T5uW|y$_MT5-7&j%1f8Y2_zg40JDELZdBHnVmqj*2@2(~0StL+? zp+}KdrZl8B*Fq#oOLpLxn@jnN&IZ&m;`XOS&jh$fw~S;M(@L_2iL~xz7_Qd#F4INd z7>3UgvGzj5?8R};od`5JrYmfKYXFSo09gb5z3+@m+G!ByVpfskIn-WOK`A%o@II znBU@sinKn@yu|He)>R!kd6YHPe@5)FsMuI*D3ebl-j0N!*|68Nf%4V<0!%ba>Hc!& zkNtDp%Nj>=^}d+g7`8{{D$!9#B%8iwAZSYPO7v~E31ORZoK7tqt;5r7%UfCl$m`h25^#DyIc=k1%#m4qlj5iNicWOiD+ksga1Syr3*23DeDfn6fEB&)V`m zTdmL0mG(s3VLZtC3|PfI8cwzEad|p+GHOGrRvB_~rw{99M6=6?8uE7sS!q!?kS_o) z8n*s_u_2e5^H~0UHKa4=Om1aJ=(8Vv@-8%3@UeS=(G< zRRgEUCBfa?2suhVkKv?egxo`=zeSSY9=}1* zxob@~yix7HL7;S}Xb(7kvvsk32(l#O7=2(mX0=mEVTopDnC?iF{SUINALEt^MY=;Vkay8>Y7f3w?dVymjJYg8W*j7w3|>jv-wFfqT!hl-VKd@uo47aJ;^WSmw^f z+N`NW7g$o*^S)LYn34k&gvvV%r8H)@6= zMj2H;&D*F5f3%f|_Aaypa=z8If!eAU+XG{&<1XY;6Zc+pcBwn;=)+I_yrGY7#&;ck zVrT!3^W)}*Itig?cP-I(-zQ^{h}3)32c%$r}_`hoeCH!dCO`g%pXGkNO-_Xo*uoEY_C zO8f=q!tkBSTZ_ec-(3pswtLEj55;$qP`~c)hUWCMyx(PBKk3kp_Rv&y+U3Kk$9l&f zNjov{$3@n+7uHeoS+wDZ{P~p2N766Mk3X96<;u}VZD03mT5iw&{q^NRd9Q!6yvLin z0_e<}2U4F1|LNt@6>sPKQ=vvrO(pTKQZ=X=QH}c7TsmBLCS(twDjU`F8ZxWPpkLh~{^v}LG zKfHKC_lT9nb%!mH?wUyJe0O4(lOKj9mp7LL<{R2hl=QP+IWeF(w{6bAWTbe1;E%lJH~pKusX`Wi=;_OBRNvFU8(+WMd7B996uhOjwT&Y@D5*L zVD|5bXG=E!bSB&#cZyNI#%~=qWhiQ2l2mvs{+#aT{B|a#PP%4LUON zvm^V;A2~lOX!x{|Ox*ctm%2NL$6uLVd4Bq@>z^9#8@&0=;iWq-Ogd}*j(K-()b*X| zr)RF%`||?B&4Vu-dGxnqgPxo9dPVJXW$v2`M$G>8`UfK(yMHfe9XS?*1@1 zyw9A3kx2oIw<;q-cJvPJr__ucIXq~2?%`f4I?2y^})b*KL|P>{i9{v`y_WrANC$x}1FX5u3?O87dkuHHw$GS53K^`Jj@k0v^If}Q6p{t`=4Jk~^l2+JB&pa4GZ`+ZKt+pC9&p?@ zLH;lRtq>|@Q8HTN|JOwN{~13$^>9T5dTS;>;;Va54X+TI?F!@XC!iKK!bhjd(tq5? ze=Tbxq5z*0e63~hS)Pw_-y;gt{ z4r(F-(F&{%MNJ8FhyWl4Pe5}BopR1kD z709{?98=P*50O~^@@m97;y1@(fP9!3O) z!hZQgKn5(F@XcRrD1UW%`b%U*co_~zn_MEqW?>k{%Q+AF@gQdZemee|`I*r{-8t(w|TI z;ni@Kg^C2IUi4Td{DrYt`O$k%Lp$n8rJ|vfsstm|M?e06G1moz90UxW=zQ2u@mMkZ ztse;=P3zYe7qbC*7~up^fLYH6DvO(d;mwYFp<+yuN-7Cs2HFElCHZ%S!-@ln*BgJi zsUq$_YF3o?f!q-=;*tzo+e`_tQ zUaFk46uNHE&L_cXaN~Z?E~cnRvRhB`Q;?p#Dut%?6^9Rgh(~Vvt-BN(1^0l+MBzT*RlTAnL`XA*+}M3QuulJC~`nnt(oMBa+!tWvYn{ zK^c%12BM%ymbaqt&hRDsQKVlKvX{kXqt-GLk;GTXiy(QD)n+e3mieLn2%RvW>4#ET z30ds@kY6TL!9}3-8lb=&)~OH*I-kl6)3_;UHpqj<;Mx8#14;#$el5@t|E&{>Bs-}9rBEn=lfCGyL=c8Nk3bugTXTO9 zg3RwfHA1DS0kfNN-M`TNVJLeTiuCJ)7ArP4P4HXH|GU6!%ly{oSfJON+&td}vRkHd zj_(Y3lDVBK5v-$iCF|f4oK*-a8mKKnFQN&eFTg+u8A5g2P-`ikLYUZopvl%c5+^bo zzR)Qi!RjSZdqUg9WG!1;w}k8t$|8QcL>B-?8GFP7fd*^-ty(nLCEUeBt4C? zp2sJZ;!svb8J?-g;sk=i-*8X(XJnw<_b@MY9bCes9 zYvA#b;hj-m?tUaZNeBmDX_39y;SBE#_=2><eAj! z+T2GlUp8EL#X1tDfAa^~o%_+iF-;Ew!UgLC+?N4U&S2$eFCC{M2e_{i33m8t=`PL! zxi70Hsy&{}K^e=wLN+$e^BPks_XF)JOCu926~PyY59U0%$MBDgEWH{4`e4#4{&uhw zr8;N%>yqVBTKn_-Ib=0nB*jcr`yp>eGG{*ILM7>V`gBN5nJBG6%hp*!<-rPMajzg^ zQO&kJ;$1ko`)MMfJV!FX8BL|^z1a{V?Z#R}t767^l%0u=3RqJb;xTf+;j8O@0jYHL zve3CepJPNb)}c^S`TN46W^+TRSgk}BvVWD+_wBmkvZrLx78R2XX;fh5}qbstIu zVT}~3;VR$7AGGZV2Tt05g-YH4$wz@q*JDtgR$WjC<)Y#sgdpC87w_aFYd%34TnEUS z^C{GzvjVa}@{Z+z3Wj0CGYN&@A?=y9aOl@dHH# zh;fPtJEx;MC&+HhSc`$Mlf5&mG!OKBM{sYWbmJ|`w&(t%IPX!+w3n>Kd7DsOHzfTF zk;k4M6Tl9tNk`!JvJNaS822iAb`YvbLfi=E)!F?NOwx>35tF!~Kf1OFF%wFjM0I~C z7&~z0L0!O)L8vg1D=7LDi@##vzgPrG$#tUx*jL$Z<=FsxzcwkLrVW=&K-Z3;cPF4t zXOJaLd=^m?XS||>Y;J39$$EUX0{wabG1KQV3U+U~Wk$Gi!!VRmG{a0V{eg|2tElOX zfO7i#1L)Zb|DD}WgY1r?FwCCYo5*6mcM(wT-NbO-#c6oMQpBCR@4_iA z3$baIf|0&2#U}9HmVha6jY+&;i}>36y%c+TDVX<;euJ6J`+p$u55x>ya0kn|;qt90 zZGNO{vA7?L8gi3$E{OyEhJaJUkaZ@6W35qj=Yyag z**=@x=>8?dTw-T}zIV~PNUTL0tVrF=Jph5s$m7cH(d|5+Dz>p|J;xSFz2VKIJ6Jj^ z#_d9*)bDBCdw{IjU0OJ>@QhT#=_W<1Q#DM9_7|2N0DPtPp@_|2{F*}U6IEhI8>V9Q zHGz4vxsKT(f{fNw6FGN;zif=V2#mA6*;=J_Pxe#rRvAk}Q3enfAdBvR+Pp4W_pf;J zEm*xWOwLzWK4@G?|HQMi?T7u{lXV#A8?sLO%qUQqEDVx>%on7slcn|OX&B-%(TWC? zVwQHIk}|};y>2&iA9&xmK8qj6mKC`h=vDF76`Sv3T<|htGfFQLrEkDHSJ;Q$F5W|P zOHf@Yt{aN#>}Yr1q3viBd^MxGchCYYwz{QlgypmHjJmO?ZUd4M@zGjTvJr8v1y>P! ztb8(e?0X>R9Z`25ZGt`eASoB$IoA2zj5eJ`MXw?07_uGSv_LU?JFeS>z6V{S*#&2m zoAyJh1}fsQZRq{6h#OlMj-maOz<(Psd!uBivINFc*Zm4yT7mD^qapR^=~{e$HX1$~ zl?+Cuv$4ul9-+M=(xrO(C7=cLYO4((aA3?b>OM)p0t}$nuee(2_7Emh1rQzWA4z^p zj{b^)o+f|>+u1}BGAWM5`&V+0iJRkfN8%y3LR^pZeV z613(`FU;5kV|H1b?#&P|CNk?@0y_fn+w6%7^;wF4O}2E05g-BID9_7UufJok$0IQU z0~8{@WE?a{hlw6Ri*A?EFzyWW24$R&-rEvYR+VA-*I#2)>KBO(FaYR>!vr z;RnxZd0RK(G8-eU2@t+uwbJ8A_>9#;#5CSQ&; z2WDj7K#bM$wriSnFU6Qh8QyOOl>^8#f-VgfNCiMCb+Sb|s>FW)ph|n56~9tCo`;Ta zG;*v2JMJ>{L@%=B>tHc;kq;ryX7*Y8R*T;}aW5;fM9E)c(S_xC-5ho%jTuEgBlX2+ zC)?Xd6nA$0@iZ>k9KxQfF)Z_guDsLb7m%=w;^a+8SWa>70c4x7y!F%W^uOU>b3DUXMz!6KYQ!)Fi{T*^Z$pOR{ zurEM%-R${DS^ko}H2`F7#DNNGDAhb`yBw!%Sj-&IEwzzp!mn8eq$(ub~@;ub8OMZ%V>a+q;QSXp)=`+BA*6T%10uZw+=@E#j2S_$EulOoXV z2)o4H0fiA3W!@cy+8YI-9C9pU;X3GvG3bx$6POlixGPpjVK{lAQd*H_|1pS>QnrwN z9k=Z7W0DipEC&$_xd91%KyN?I&nu3leI_Q}2Pv{m6IlkRRN*H_nrX5yIj#zUs;PgA){*SDly+Ngkd zBP!=4cMO>-Y-bB~+e671VJ90SpI1t1DeoAPw{}7D)MLnSn;o0?Wsv8V^et*gfY$s8 zYK0~a3%ZHyT(*7Xc#&OV{oNF%i`17{<;y`#ob5E2Z=noIof_mf-n2C|H^@Ac%$|!p zHZIuHCg&)`w-vSs`;X}OHscdTO4!@MeEe`SW5g(VQxsLVl5|`=WIC*%h8Q$ zJ1*9Yr$YS+GwSXk>gcQ?Z)J;P)oZ@Mt$cz0MOL?h(s!d94svxsOzhRjQ0-#^yc~1^ zDe11H)-T|T{H&sNzXYtmmk7rxj@O5&ox4FA7>2qvw|#waFUDeWXreL=L)kyP!2ou! znt}1&7bTgHy(?BLNuah9yJ7vwNOqOKhe^fyvym_w$myM5pj+;N^`|3Q!P?XQF%sr_ zzX7Dq)X56Z&bxO#RY3XAs7oiXby%pCsxh17UvZz%R6>O60`5;H4%vs?7a&T8+a+D%23Na+{OG(q&yN^e)S*Fh%CPm*&>gfW(4pDGyAKiBf2Wg z`Wu-5b#n4WD$Y{DlyiLusjRof$C|PQeEy#6*d&68JC`Ezcz!i4-S&9qQoV7Zd8x$VWm*hL%0ffPe;g=|*9r~NCU;cYz`E?r0adFVM#qWwCyi~Kmcav2tjka~A0 z+r_>F3B4VNjWcz#-Z$P2lYzQ6C)kK-$0T&bK1refU8UX?Y}}^OdPD!xyfNzbsaTUE z&9Ro@934_B;mE)OF;e`JB!{vtM<4tRU~Xf$shZU!^AmTx^*o3^A8%f22Op2Aj9V7$ zipD$eL?%7uDpN7N6jvbn`iG^8AY8%p0pd37(_7SXib9C8o}gxtPYWaf?SK~75yElO zMb=vkMVXIU%kekNuIwjZzT=4H^0JfA^yN4Sy`M5wcs1^COr=_imA^tl7b1ZkU##y5 z?cDl@&=s3fexoBP7%-$ikRaiM*vL6J4`~-m!^~wWQO$^{0Wgrw;tySEFt)_n4}?@l z5E|UNd7)`7eur5H{OW5dcRANUCx)Y!3(M_i5Z_DlLp)byH=}}e;lf1gP-Z6pGj~X; z0HKs97FxOAK>x?l%*I>yK@aA58tduLlK35XAiDrei-eT(a#w|8GgxrFh}I8)GkcTd zMXkq}cy?2niCxro-ttQJR^<7xJm2}@{bB^KsEZ8ioCC|`OGO9daQ{EpTYP`KY` zbn;wW_FRSn;1<=L1k@_taHWN|e zDl9?w>U0_r{>3^;{gJAq5HSn6u9kYTgw8QZZwIO`skpwjaJd!+?z3Cb&#OCT_UFRn6(zUh0dBDDX1ueIS1!N0R)t}-M z*}sS2`GOXA;eIgWTSwq!OhQ@w?a(TxWgd1p-wz<;-S>cjWQq7ipfDR(ayluIa{tW5 zihZ&BCrZa1GQCC4asS{nAo&K;)ef{wFg~i)cNe$_hXV5NZElCrvtFzDk+ z@Iz`WU4Q`I{SML9yIxc<_>M4~;pMcz+98Zix=z#%Wclom1a~qcfGmjcIXlD5M@hR- zZ8@~q^BOuDyFG=qLy34kA3R|DUG4(HY)vzaQjg&&$#TMYR3)516U`&but_M8!mzXg zJBy>FXXA_|D&0OEJH_~(rr?^6H5wCWaEXbLis>HB2--DW`aA&~lVVONWW+D>5kIx` z0H>79d1M*eF0nnFIYI7x?WriBdvhCLEUd+H5%hM9+@>KO!zR=bqx3P_*2wCI>;UNx)-?PnRQqm$35omgwiRp=yAKi! zgr?d)_#A$(Qcz{*R*1hST7KpXo-c+F0X3;;xH_P{oSv>TtS7eH1~EUFe+U7uK%Cip zQ+Im;(;eS!KF01ahH2mADnWOwTg2@+qE*zOEGPLe&#B@1ENG!kQ`l9!nfp#XKyvj$6jRLdsQ$H+Vv z!Sl8ci2e1ak59*r=^SK+NZXaV@8a*S)=iAGfbV$ONNKHtiWFtUKYMN|Xd5=)gl_7R zTp#4E5PoE1-D#%Mn;(&}wgB-cDaFT^yp5~++zCfhq= zG0NK=$R$boKw-2yTrR+5Vy*jZXoI?C08Zt9V^)>t7De}yzerS;=Wem-qQj&Cs)pgX zmElbrn5T^Is9N7cZ-`HXZ0jTJl6M4E7r|WJeu)*d!Z_ZTwaeUQcQ4{i+nxiJOZRd< zY1XE!9g`SNdqA_=MH{erq}Vl(QN+Ur^XX1Dxv>#G<_Z z0lDji*91FLi3>GnDC?WXR8_|YP^`n|t&|+vRoJS3JKD)mV5wU{(M5MUM%OFaG*np3 zXmuJDsTJz=Rg8arl@EI?Rtk^dpO^uF=rvZV@V96_^{o(>@|yF80%l+11Km$jwyF?v zC%%s7^O?6VGJ0`6p)-!jPFIu3!X)nc?npeBVNi1aZ0cM6_ls zPDD9J@@nrnyJCjROTu7#ftx`qoi`d}+8 zMpy?y{Kn^o5q2zUy8>210B$?Wc9GOd`^-vx&k*Cvkn9^l@)@4I0(}rNWgVAmvHD{m z4H9X;Pkv1|m?MkeTQ*_+$Dx)j)Ti!B-7RlfpN`j1ix?efe}U26R#B&p$AG=8?iF$S zq&Lu8MHqJngEi%4u#wQTDzirgI_f!r&j+n&$6SD?YmATUh(YX=j^&(z?*|x2$1}}| z#2%wpZOO6q@XqBud0mn5T%;XDR_5SJF-+AGL|>+K>L}g8h|PA}5+*t?D%dk%*;SbB zPR3ubI$^TAIqxE((^RO>ve8180W@4e3QpeB&HV>=kRD=?dm?bAOT$rK2EoNbsKao> zdI2iXc!UHMB6nBv;O!eQN0cHA`lkisUOjy_l2}2c3t{3@5L&^n0l`x;Znz9{AfZ7H z!wuhosSnG>n_QeNoH$_(Z~UE0v@!71ye~V{xGNE3(-2|h&y?MDL=zHu#hMSKn&uBw zI2Da8@9X$k)P`htjS|Nyy=CT~HPWMza<+S{y7T5 z7)g{t+K-NubGC~HwoQHs>t=Pyo`4K5GiT%%aqc~sqHMxCWj2so$v1%c*K<}xY4Vb2 zdYpsoT@;6J-vgzu4Gh+O5SnZ7+RJCA9ANs1*@Pr0FO zA>LvpRem0~E`*onx8T+WHd=aykWvD4n`~uYU3rGF%NtNogZvo6pr`e7pM#zYqtc+k0I2xyn^lt zp@#_j8t^>`FJRG`VAZ|@vssXo!`nb*z6j(x#mGqSJRVHn6fpq_EBFMU^UosPE2&B4 zkC;bj9M1?M?nAwi{VKpmtS4JT&>!}0Kt+sGX4>9ls?6!Zy3bY4l>yXSrF}Hy0DAz| z_antGk)6c+49GGRg7G@4o;L#7mjz}e;sylLOCPpca4Fk0djZ>;4q;ZgjA+Y-_pszD zy7C^F0U+`F4N@Nnw*17d=2O`B>Q5V6*p9KtqCFa_8^=g=kmD*i{qA9}{J^_3BiNf> z-7YUz3Kzg(H$Fr-*>YB@CZvyo)~t}oVCX@GHV`p?Mmmm!>)?ixP9k9sSYGRqVLLR& zRe^?=bT=Zv(vl|tPuFx}H(-}2rOU`Mz)}D+bH@Of7+ye*bY5#tr}14l*IkG%DvUoystbc} zGh*)`hZb1$)*$Ik9;G`!Q^`F-==Z&rVa5v~NYecnQvROVTIyZM&64jS?WWKTV3WB} zR&wq>_LBU%1*+qodR!$k9wxI9#cA~uALSxCDvjn~u@*PJWyIN`Z1w3Y6Osr63@3vnmQ+L4^Y% zC>{|}@rVMV$PrXjR8&;F!}&b{uitatwSIrSYrSiIv)0o|=a!j$efD$teC}au??3cB znrHjez&@a3*D#KgdixTcqmbf{unXGSLA@uI9hPt+i>{JwX3STO+zQuc2D|`u_dKKb zOwO+VhaQ|4I14OT_-2TrnBw@zCsgqN2)ARm`B_HztjvQBJt}zWUNq1?j-O~*9~8b{ z=mW0GJRE+=mnTHTm&jPpWH#_ztQhT;pTnSo31fm~yiLp4f*m4HGk6S-Q-GN`)=b;bkf5E{i2IfFrm|JUbgbaYI{%W{fd>CeA zd{WB5t|p5!w|Zc#iR&Ot0iClliCE;RNO*`J7zWB8+J#+jWIuK&Z*ncq3LS(dd61^% zC7er-!=ylJ`KhfZeS1kJp7H3LsFT-=)RX@3R5FxyMpGa&YW(o~z^Ppj`v6U~jnjt? z=-n%&v!JHDl?3hf3$1j>22q1xZhGo$x*ZwlMCI|c%kTY|ZGM)D#p+5V9T7$OWU90W z5OkIM3zS*d1o>-fN+>NK%K_->|> zDdg4)7s5Y>rd9ho(>VUnag4V2RVN_4na_s&HoO(UB%g-WBz$=qSIau>AyyF+I)?NP zSX|X%sHFt|#LuC_xSvb9bZEZ=oxc?E-G$eLHev8u+zx&YZ(J=;!q;FZQxN{ezSSa+ zLHK*ls=UJBH+Uh^8Uu9(*g3v*k2`b$uGxfJPC_khMXhi6N2w=}x{Xz~q1NtvA!HZ7 zi_B*Xyj_Os-Oj4pQ2ZRPsvqN~^W2Njq1|Kz z);Z||_))zcHbNWcUM*dKUs-^pmtaws39g9nn_OV}Lhj?r6Y>}W%jD0QFDv&#SjsZ| z1q{#o5&j%Tz$FNO(NwKU80`6Apu}JCr(kSV;2$UEzTyKmhULDxEV{0xO7Eegwq>d8 z6V#Qim-kRhZ$ki&^&rOzO1%;f8G??N^>Q_mI*jOq>|ZhtRWJFmmz`qtgbc!d-Xldh z4|_~s^=TLRDPvi0Bn{?zJ9;v~k5Nlk=m!~d)}oe(=&ds0*8ZZCZ;mjyRRR(cn^0MH z47Dz+ks*`N->r2$SiITAtfDuzE`(``f3RXM@~z}|@UpDetlf%hA*t5OZ%3WV$H;9u zc=5{(2RwDU22#2@_FUUbEkCI(TzKa$t5S%Gf#O(N0;E@yAm>9`&AXaLCTuz@Nm;PmB;5t{FA8}5?Y9=!uH~O^dYtC- zGaw~LdPf+}d#X>BqP9vpFfu18*h^bnSJsHuI_MY~QpZOMFZz}_Eb+9g!7la0JD z_S*Dj_g#{M8vyecm}hP3zf;1KU^AHsPuRR&orJ<}QB-TR;T%!KJCuK+uoTQe>fJ_l|tw|Rg@|Vfs zLP*C6Uu*J7+JqJd^clA#hkJpt;1lUVCE6pf-PuVR0#S=UmrWgFe}Awm-zpU#cf({H z*f2>Rq?J?BeUj*Lly+!+%Cb@Q%yIapRw#f#5i5B`^~LaEQe_*X0u7t5UMb=2i*=DW z0FuLuGc;WQbBJ%cny`hS*gh!-NDw29DE5y;Y+6+&7GH|J32=+mJ3*a_p9cM?{YBXz z#ZLpU^9U!(#+9zfz;HY~H=IvG_-7RLd&7{+uZBk#+(RKmS zSaR*V(_$OZTizmRTkXQyoR+e9u*F=xL8=;|pzs?+vA-hFO;SxTA7Rgg-ttRYX?@U* zJej#F^x8GJOUt*LhXTvadQnus5qLM3g+HK6l@F10FV{hA2{`?%v=dr%k2=uL{tj8o z&jv;SV73=`=PUg$;e7n=+L!SoBoExlzITxd`1#tNCd;y}II13Z&mZ9KZ0jdc#{Mb4 z?*;nt;Ylzk3?mEJcJnLq=&SrX+$exA8CA|e-B_*v7IP-|+S?ZVRrNvTNN!2F#=d+uecbiWaTUq9`gQpEg_(Fs1i9W{R5bz*zoVoT zy%EK`Zgp%f^bZW3u4r47Sk%=gx6S1p)ti(xxb0THc#S^;g29GVST#0ZX30d<2;pGj>RVCCQxIEL(T4bgs8BG3 zj-rK+XcnGAOCHfI>4o?sfwKo>pxUTd?ZUqF6?X#`_!C1B1RRNF+~A6iXyzKs1p~=T zN|Ub*$I5WbwY<0=mEQeCBmSrXalt3RgyFv%cm}$@GX{RSDzmDg#xvW3p1DK}{* z4ndDiO6Etm^{E(&xLuD0F<(3JVQob}?6?2;poM;P?T{vVsFJ%DObP{)_I!e`EkX55(84HIzQxy;qLQWP zwJM~nLCe2bSb=96HE^6;0$<_S960t8s#$|V&oeHPS_1Bj`V4fJ?NX*aKSTY|%%+$f z4LLBAu@$Kyz2rW@_Dgk4$^vT<+ar~I*31R$c_O#Tm1Du1&`H~Vvu$pg+MFKQJ)h3U z>zO<->)~}CHBC7!;Pqf73Lti@83weijABT&V~1-fxH%cWF_fJSYW@ln`!(32BAMx6 zZd!&Mm1gD_I>|Q#f;lXr$?a9AV)-Kk#Pq^(X}$R+U$NPH7sR6sfmkNnAj7^T?5n)} z{eavpn>Nz0bhdg{B75;)yr6EeO6T~@%As_C^j>8nL>5c$fYGRHCL2nJmHHyg?n;Ge zI1Z}}ERRL(##H|vZx?!(b2n()|3qdb1I$Q^0dLkOWP;-*cmSF2%m7P-`VcaA$mDaB zWS6qX?7EW1_O-<|*;^i|r4>Hr#zYlwEzd-3D_UAi^UKq@CoJ}`#Px8yFsL+c&mC1Z)@|hD$+Qf$|<*_`ly!s z3F0t(hut5~`A)-mxdHykP1e9yeA@LO(5jTAl1L&nbM<0$3w+5z;J-|_oyu?df_*si zfF*c3*H&*Jmb!n~-M6$n4Nh~<$#drK?1x!%m#mXLk8cWgMeSRFI({ARZSj@egf4ei z>rjhV@P?G+;}_}d-RG65sAVaRTw%!Jqkb5jT5cHubOkZ~`N*~8&|RoC1kNkTP&Na# zmIH9ock)IA#2w~Av^6Os2VGvvrs?dbitQewT9RDTPiMa0$obUMhS(a;#yvLSQKdp>zptO`lrA(Q zIj|1p+dnYMUgX)?kG;oGQps|yDoqX#0WKcbl-0EBE~@E&Dm`) zGBy2>eUi*Imlt_noQIEd_L5~u4U1I>k-6yCLKp)6m>2LQ@ZlW-7AWAVQC4VFt0uex zH0~g-^*+K~30yiqv+VUX5RM{6JQGc@7?4abUOkBLPq69Z#MkU0gE9?Vew^Tath5|| z2Ls0i%v}-f&ZoG`8#3@^-;eP{VJg730J1J{ZBxAh? z9Y?eo+`DizGpwXlh{GtvPGWicaSxY@Vs>Q~U)wrD@UxvdN2U}?O+tsa zkCnk>yjn*W)j4p>rSQ{uu+SUN+wizgI=;2_OowZ+nXCEG=m02$ixJv?(PWbA>*A zRXyUA7>|-`_@uxi&Sz>R+d@O}j%cMNQ!f{Hp5B2y-kE)Ynu{6kSxbM)Wy)2_(+SRM zyh$@%i`~Lw!d?86({-S`sc)gm6F66Vy$r0HZ)$>Xqwp)?b!7O=XHjrslJFU@hy+I% z8b3zndP6vlTZDb&K6k9r=zz6cDTPJEE9Kweo|4Wp&KT0Cd7q0{h#l=&2LIejE$xZ_ zR{jdCKsj*dPtT-|Fw31_qT)2X!1I_vu_S4Srw@OdJ>)GZLUc5D4CjUn$=q|`sauyE zJK^kX=~EKhuBK|M+o?2RHJyRq61%I(w0bAlK8n9)KBqma9|yl-(tR+-0(89Z8&{Az z@(n^7`w<1mut-FUD^GyA>;kGj!ey(kqUu8=+i{LnK9Qxk??ZgN_9NP{;sqqPXdGu# zalrgoY7iKnK5ZX?QbJcP&2uZ4RXS>6oUeJF^f-bBUru-isM4{AeCzSzvi+#Us;%1MJziJR z6`8wm%J;~#C=24`UO~a3NyYQ<{c;D*ZnHVCi3QT|2}lh3l1Qj(CfYST_BI-IZ2T^# zx-3ba*h@*L;eqx$tm^xz;c`cS+wr0Mg>bR7kSh!oa;lZ`9Ya&G(9z84_(`DwsCGd6 zznlu+g}DIE(@nl~hi$&lGn&kIx92k$uP8>+<7lEMVD)^XcbIkdjlB0;S|iPqKB({^ z=NE@pEBQ!T3+o5sS^l7WC`H;vJnSn-4FYdff_~zu`*t2|G@I)R$$LEnM@hWKTCr7h>+UQ2U z*Tk0!FM&_!^OA;S$7(&qxcP?jmB5Gd1y;(ff#D@TLRwpEvHNQC^pbPhNHI1Zjg>e>}&KLxfkpX9oSdOo=yGON@tR_)5C zE2SieKl+l`eztP+=IllE-*8dgLk}aR-lddjm9Y}=4}!X6zhL0zfThWIii$0_IJz0Z z8mYV(@{G3v5=Pk7Ez|Q&5yVH>cUo(E)xCphwTIDrB73W1$ae=6`<$srej^2RjrMN- zRQri^dZ#Klg171T0!7iNQC0TfQae{mb&80oRCN|LiS|1xt6Zp}8p%H(WvFJ`IsOIJ zq1kq-C1bwTXXEBHpHpL%N^X+*avi5A2Q>ECI<}L}e)hJp&kHa_KZt@)CxLEsXr}nA z`Y1jBjQuC7Sg`U@M^~G`-jNF7U6Ybx6%gn7WAgcDLRYB!`|!R@{bUDzkx z$u)3a`bT>Iy{{}(;gDZPWiXSscJQWi!)lL6KpLB(U>J+&bw{ zNiJgJI%RN@^h!;~g!jEdItgAs*F>G=an3PWXYZvGx4@j{um!sy>HXkPbmai}F(E*w zGtCI4Vd;Aa;8vbP@zr3nh`a|7UT{YR)}kIT&C08c@v~xfAUDAHJ2?(e=8b@}!i&IA z>GiuR;C>4sHe!X4Ga`m6SG--$uF|2!vSO+o?`TSuhlR^lY4}dy80NpNTc?rVGt{is z*q>xp+@S$wN-|11_RF4uJKQDw`pTu)8CVL@h$Sr=hyn~Q(g=OkHdHy5Si(n?Yp6O# zvxO%Di}^j(CjkxKslge>@Cha}G8qV1AT0I^f1|q_zFOi$&IhXNB^{UR zp=_`WN$F*f-qsIE;Ps^4#r2jat@KXGSp|VT{Sy=EZX<*!Panrj6Aywpq-m<-D>gI< z11IkqUJ}dHbtpJ4$?*~kF$B=&<{+O+qIJLoe|u8ZMHF8duEP%uHwR-HSG|E9uOnXm zO}0LPml;tI#3w;IN4`MDDJ_f1^Wb{*5lbMsrg$=Ju2I`^wsfI=amNH@-3zJmk|ZU>!lW?M5PFocch|cd zdZn51Jk^o8LYFJD!TxG@7dF}#=&2VKIVN_IA&F&8dtd$^!O;dwUnA{P0h2+FZ+X>n zM2nSkNSLa&;@J6+iK9JYCmi_HKsZ@p#W-C3_M9@rUhItW9Tz)Seh4>6dSDHr zc^i-`!*p#s!rRM6CPL2(Wr$7)t}t)+Ms6b5IpPV)JT0ev%GmodATUH7gD!syzKl0* z@;-9>01Q%i82|X?Z>j5iU1=xx=oaIla^9}w(H0ZgXYWxh17moeVgoiJtlW+~MxAYIrhAt%b%C-`ds4K8D9w|M%&4|Hh=SKK0{0jdWF1!K zA}I-$&V#X}v5N`%u9zNr(yb_#0z=vY6xV=x^Le9v{aD|Sw?_=$xb3|EVIX`mf2@aW zinAzmTy3&mn8g>UKOpmSdI%Fe0s$=H3~!u!nR`a44=qViPT}cW$tmA0-uJnF5Q!76 z;a#Cd)O?hb`$l_HxN>DM_I#cfoPj)JZKTPc9GVH<#(Z@(^?YmzK8KO{Yz=!Mv%Q6@ zEqx%C(=w0P_qps=rBEGNsr4}!=AIf0rX#rlK%;CT_60QTg0i=iY=eR9_ocNnuJ>W5S z6b_pYNbEH|zn%LB%&Kc3)TC_zdw@m#j_tJ15|ocMu{NlkZYj#5q|17j-;C?{;L5Rd zxs=5XlCP#H2U+1U*B5%Ghi#W0($u)u&2zH3;l4at6x+3HqI)W}D$`g`mC@YXf%kJor1j~)rt=wg&9w8(&p!I9!NiRh{H-C3$N>z&5(5mR~?4T`kr~g97u@4 z_n8tv(8HJoxsd(-YeqXgm<8a#iCps;ykvz`>>NmACU#>21sb1a_GiJK>)Fhq!6>}| z{^{xCr{clJ1j2Q(1+vvY2YshIHwqSqkf`oSPehEDYUt4}iTrQCsm@6xIS{q?=V(${t$kj%Yz_#ZUqpIpT$|%bH8bC?akmD(2fSaHCPYlCP1CRtPe|I zM`$$C`LE}SCoq_paAZ3Iu5rkL8UeTwg%IM70BC#0forF8NQ8 z5rBMhM4M;|iJJKx_3AoO`R||z*BfJ}8%@!lb7SjMe!p{Jq8a|>^6N+j&=_x=nrJ@% z^YD~0zaLKEDEx8w4~mBCz*@hbm1tytob?CS%wNxfhVZAeerLe>>q+XL-v@%TZan25 zC6#Eb*Y9%uvfmh%etVk)Iz!??en0q^vMTzYM-u?`e=Ux{|2*Y7jKJ?N>dX7f@juGr zdgc6aTB5W5@f?2?$p1JkQTRQ5f3Du&OXasSJN;Tu`M=lb^?~J&oBtoLfM@*;8Y6Lu zb-O0fl753eyFRS^dhf*3{5>Ff z&Tp3_S_zC)|8c8CyZC*7f<@=I3sgApI|ssbB7xtI+(6;@<87`3xxx7QTciH1AN>AY z*So==p6l1U{dU10FOVoI7=Qnlj_3a|I-XCjKJX_%D;k?Td0^wzsbg=xfnM{%E}iAx z4I0;1pFEJ_dg(*Jule7h^?!%f{~cOy(4_s}99sV?7Lb_;nPkyRhXR>{_?- z!4%iI+u$r11%A8DANTvOkNB?4Lp(IU?8Z|*mND22zgrcbToE7V9WW&9?d|g_zC0hc z=)yB*084v%k>X1SXfTU*>J(8nszrHeWmcpMfa@^|;b=x*UcL{|X|#Fy_$KUyz;)Q8 z25>aE0%?_e2#V6Fh51;U%u++n0o|^w$M+G;m(l$r7iFSw4F`~sERm?@TN{tl(I%_R1|+9 za02U;yu6Yy()sd=$nFq;_xK75m5SYo9e(E)oF^UsP1_Bi0uAYldQ- z;xEEC<0#l9wTj~Igl~qZYMl>^IU_?>__6$|t=Q-*D#$BAa4tN}C!r>|dmz6MUePMN zVN&wdKw9}w`EP*6rIKL~b_RNXMX$tvaW=9Cph(EFPzF4pqL9}jaLa-K=>xw4rR57a zm*cL&-*vvig18fV1&b~}&lewrEpjioz+Vu(3-^Y{ftOM9E3QHv6sR@8-Mf1Y=Z7j>qC#Ez1HKX-=?aRJlA-WS`9;ob z2s(hbQEOgLN<2_(IF{w|MA<0hsgMJsJn|F(1Zfpt^i6CH41`z8YfXpcqt+iF=iq@+ zV0jOfNAM)2jo1QVTgYE^Rg-w6vPZBnKTlOlx&w$9oetn-P%?os*eL$IZRL2W@Gq#v zK#dV=^YW^+DLS9xFMAYzvG!GASfX;A1A@~Nk6a)<3}whd#TBUj*aZ9v6r$FzI^T(O zh4Lz_I+6r+O|222kx}!bdOT9RPp2w*cqLrbl=!v$G9gJ@ppe(GSL~$?1fo0ebkU;C z3v4?Gr_@4uc;u0##Em z?2P8BAHZ2Y+6&47Y9uedSB0A?zWfSF0}XrIa2$a|Je0p}c%sRuYF_v=aH*q$izduN zo6r{K*JKf`>L*+9uz(ZLwQ9slMn+ zK+A!ahrd^!gsKUUFzzhAq*V&5nlz~B@LGVR&?-fib_#D7fCn#_PzN~N&=C}00l5j< zc_Z9YDcg_?rFggn?AqGG0{&lOSQk(f{4cyT?~k#h$e#~`-{(gDg_OSze`$#^XX=zc z&I}Y5Sk2J$|1=Q!@__6Cp*_i6eg%ls84$t@1{g|=l0dW|gkYm7nNI<9Kpp%`LG&O7 z5F-c!!h)oNm)V>rf#P0 zreagb)Wg)%6gEXny-dALQB#SjkEt(H3ZJqvs(~zXjQWF=gH$lM_W<~q2AV2ORi;6G z2E(Ts4uDA$4FMSnQVUWCKR67wH-QWX838g9WE4mYq#k56$QY0~$XJkZAmc$MfJ_9L z1Tq<<0b~k;O;h1B4ZcqYX#}|$WCr|B6KrR~b{1@B6P#;mHq9~3HO*t@!_He^=dBTGbBI+yi&qnCAX}x10Yu`{nWS?|7G5 zXe{`5G*b;Uw8RHm>r4^H{z-sr{^wpeRJZEawyMcRCR~I}nt>qq zLwkKlpM{dDNf!K@hiHcJ5ojNnq?gRnV3hEjHmUMUQA;SK`_kAfu4$&c_nP z^E)1BLu_{M8wIo=$?~VGYtRhS>upEqCEVESr}P(Ub! zrf8w}=%B;tpl9ij2?R5`?!SS#{;A|%CH$$s;=r1IEw8_p+<)$c(>~G+{v!>*6TqnrmfdeTfZ3^9k&saImicKhm8HUE< zCv{m#Ik=N484hEzsvy~<%h8(P`W!8V%g;b?@S>dFz0-|G5|a*A_95 z@A(G^aB`wSXc7$q8UswrH$J}tzb3lQw@LhmNq-vXt-9Y1{xK#P)|vTE|Qa|PEAT~X<60kTw1ys$|)&FlY^61=eA`fN^tU-J*BI2ou#WM zcYzCXl5(JO^R)mHTRbgMooDvIy7%fat8d;fbqe*FRA?>d8j*ZhCHteIR2rJXRqC2Zwj5&jD;JZDW9 zgcJ5C%5}P7vb}Ccr{1jJtmtw!%1W5n6LjLV6By}fuNzRR5gpu-7IXcC6(yO7AC@pT zhX6OPXV$Ma<|#n!miT@h4C(q-w| zh+2fRs%?Bf?Tqov@SqX<){!syQGB7e5D)dH5~G+&2j4Opan<}-Ty-yK_+R4DC4CUt zkB_=NkaGApnpM4+kCG>HCmfvse6Kib7 zWwZ;&-XOgs-&BrHSnR=?=kK=BwR!gm-`swlRhs#OrP2O zYRd+oMA{?o)s|YxZ6<&Vg=LUH8!Pv@H*hR-4JwW|M+-`M&Kadhb|zbYB^-}FNjy-# zk;zREA&^0*GCN6E`~>mRAzJVdaV2vQF_TkVb95s0b7`b+^iA$PVx~?mjqcLEuemtb zm_Pw;?XbKQAPT1*Yik*_dk}UVZBsH3DB|G$ks5`L*c82Z^?tHS=+LqWF#C)N2hYkg z!WgWtSc6n6x^g?oz>8z^@gk0M_M?kQn$W6tM`CLL5k<6-eDCW@{}i0>ZZ^&sA8#gc ztS4dTeTPmEXL}aVijEua{1*_9joJMiX#fOrx$Po#`S0bHL5@u)U|Z$uq=S6z*6Vd!8W=O z2Xyiq09{7n`HG+D!1mo(LZZdfgQc%=?DGD6DsvNOr?nj0vPS4!-eT+r9yIw?EghLC zdX;pd=eSb9P1iI$BfaM7uSV}uL{ z0aR8XyVroNDy(238IluMP)=CEm=0w#uTitSDX|y+$_+@|gfoU$$!^d(RdZ70c0FpQ zvNRX}qv>(ntkgq7kgpP-#%gVwJPS$p*g6~VB8Y1R@MSR$HxVlVYsG4Xwv+HD9%R4N z;kjBlN90OpFx-wS7wZnsI{E+(Lq~Vw|Xh8RL9GkT#rP za_|HQ3&dlf{TLI--0oVu1;0i8bXhQtglr~GLR#54-Qo7dUyPn&OmDBJ9I4@?+V2za zl(mZkcR~Z&{0?u0x^VX9XJM026V>4coFUY}5wV6?*;4ARbl&SeNJf=^Kr(`b$X#^E z%zb=lTuCEl2UFi?5HzCzUht!c=5r&2OlLCWdjXqd?I+&3_)gphP4T|paB)rqTIq}+ zgmCoY?hudQRoX46>I88g)6qeEQ9y2i;fgFEBp_<4=>xRCNx*bFshJ zK<(JJoMTL+$I%D4o1m~%#Tfp%^nu+!u}5?qgR?FD^qjf$2gg1Gk?oMBTFSAs2)bmE zJ))jooXflhuLKbqS-!d9MI8Wyb~3x-EKa4TIt z#ew!|V|{|Xh%l4srS4?Qx}&;zh%QSc`*%ki%Vsb;HihOQ-XT}Bz=Rw=Paohd;!1$i zuqEsHj*drx`MDGab2WixNvD;6KK53yLN9#|d5{8r%=MKH#ahP;4>8<@B}{?(szEHj zxa;sR=^@4xyG;lR_nKP_xD$@Z-zJ-n>v*Bq0YC@clJGP3`IgAnDLVO4Qxoqwy`p0l5^>sb<2H1|UZ6g#w;uGO!AL!TxfFv`}F2MuDXRIZyc$Txxj_ zF4cRoNlVA_sdOAj9gLjAcoS33{Lmoc0_Q7a4*j9YMMstS5MBJfbJq)wV9f1$Odnrf?0CgV!- zJeuHXGm>y{sfNEF=-3J%-eVx1goZTS!CVRt;7?ZE$I+)lOElixSZC+-;q6Rj!+vfY zi!xd!<8@3rt25#eIDNu?QNT4L3NujTup!t#1OE+IKxuT7+YtExAak)hG7AAx7kM?b z7vYUnfL*!Hc9#(!@x05Jmt`t(OeR*2QWXvEu1uv|BC-wN&OVSX299my%s)0k(2wJD zJ~|s8fQV({m7hT2PNbUJU|5Lhl6%h@-2!E zrprQC;8}rQu?%ADm8X%ANjjTkH!L@lk90_G&8sY2+ppz8t$YojPC})?Pl-=eX8_!m z^DWD6eQY^tln%x}QXbM2Z)c|&geNVx8)E6<7V^p4sgOY`6!H`60tgc6(bVd-4X@z| zw4XdYnLtM8w_c5BiP3c{Yi=}>PqAJU4$q@DP?tW#LK%OS)#=0<*AzC~$D!Bx?we3# z>1b{}W7E*7QU>`{X= z1(5TnVRoi9%vOlVX%BWs?A1*6Xf{Ok2D15q0LLqre1zmLv1M9ryf5zVO44zwl%@F6 z4}m%Mv@BqhN6oy2EY`|Dl{huxLd8qlUZLNzr*y@uEp4eZlN#ZiU5A=e#cn01G){~A z9SEBa{J{ToG$amSZmG0#rpRYW_+9Pm$kn4m{GvT*h}{O5W?Y){?csNTnq^tZIH&P> z{OrP~C;WsdlGNK|Q?N3~SExely2wD*x5uMmPMwm>q-5Sd|mbu$Ia6*)S6@L-$NxOvS zl40lfF#Wi*INe#p2|^ROj}!@OXrX0IC-X;?|CSDgJSk|MQ4wZ#aST-f3RHd>kwNOy zsJR>Hn-x6f7s1@b^A#ULUI5~rstn$9h>9&D%D&@g;cy>V9UQ~gX{_$ z*U5Zms;k7tc!Lqjr7~W~yPgf>RtO}|cGQWVQo1LZ?@uouasB|*2iZ@rHJxI1E$oDt z`KS+D-x(GVtULwbTPD0h+p&N4Mfs+(RqBWxHMX_I_DNu{=cMZ-`RNW$&Ydh24fqQD~k4-R|m9b`MX-;WvY~ z>8XG_h-Kp4#8y>+h*R`q53Qg!!7n@(U)5rkBI12iX`L0#0o+13c?9HFGy;Yc8L`1h zhl!Jg+v8hXl7XsLsY6UQzS9EJk&j5tFh5^&3FsbD~?zmO@PI`~5 zArjuu3h0$=p(*?_(0yJul0vPVUp^6#NX5_bOYS?duy&@JffNHwr|Kn&&B8B2H>`Kn zQPPB;!g=&&BJndE$Urib82~|B{R7Wgax>2N;?m4+oj6Lko5Z};;gRwjgf}>=TuBC8 z3FT7!Vr!4UZud$1+U(_HIW~9>v%PgfAlMg?le>dVkT)&A4Rb}Z!=nVaU5UJa*mHXGpXBBNy$vDyg}W9OGj>wkV55LColF70X%?IX;=AhKAr4F zvS6ZfZAT2GUQSQJ5$Z6O!suEbMY!X|9{x?FpH9xHG=J&zL=Dli=&Y^8V4h@Zx^r9O zgd>0nVmV1gn23TCZsoP!6O-7_*!_7$rR_3+b)FO{>ZjdTJB!-KgfOY@TINrl_*qn*YRgWMnh^vL!WD}lqv>XqiX+j@x3<);= zYnmU4p_NSOOXBymYjq|~6+?I^n(euZ9=+4P!t716_cyprcBk$VhB*1iyj0gfLnuvz zMZgs~Pt#QIn#oHpjs=K1w?~i09DgDi3i1YS*)Hn(8^QSK& z(_(j%QSPpu6AGUP!IZPQ5v61`vd_(ej1m7Z;f9!MOXt_d#J4sPiq*4sb*L@7`9P{ zWqLb~>G37#e`!pA-UI>0ReYNLvVrZx$=fJn^=`a0pR~BUm{+B;HAcqGwz4GKmes-Y z6`;XLeHvfZGo|(-1Kkc?TSRn_>mPdNV*M5f>E&})7WViXP z9Q#qaqal?(qDH(VKl+^bopg`X4NZZ?0khIOX@{WxgRyillCh|4<jncXE)SIRR`zF38J!HV_*@IHcAJ5Hz$Er-zY9OpVvEd2*mCjju$kafD=(VdA z(VNz8r8#iHhiwOJA2Ur}+8zEWPRvQDimfx1rl z2wCE0rxrLw4)Cv&PuyEAgBj0QJ#o^k%R6wx+HICgMu$&FCJXcY(_&uNemyfbya?dZ zQu(MI);sgC!})q5QE(u()5S(Prz){itZ0g0X1?&QC6&_p zwl*?E+GwAXLARjw2f{!Z9o})CV|V0$neV85yOA(H-lFLF2S^n=vZv+k2w6)%qHea4 z;t5qiSr_wIourg+Y+vfaSyD6kS5q1p518+K2N`4B4BDgpg*4X(9UOhk@snX zMbF?&f-BlNu0?59T?1Oa9~rL|-G^TaAD^#W?mp>bkRWTQRb z0~+22n8Pc^gUL&@;nl&-SRRrZ%Jv8iq)aQ{YOLD6*Rm>5s7a0N}~el&Tr`VB;NkHG@dY^(oe*~@jF{*FX@M-bii}~ z-vEF^$_5g79pQVI3_DH#dsV<&-GpZWfJ8g)*; zb<*F9dq7Sl=@4A2sr7k};9lFBM42|D@g*A5zTVFFq&Wx9n}_hcaIu!IA)d=0pvi2H zL2^g5{AJmU06-td`R`(-_=(6BR0nvNfR*tN6U-fj>iUs_lkbvmk=pOcf(Rs$5G}eZuzbF(Qtq@FsJMgp$D=O)Y z#K%DIHQ-Uw9MJXC%sx|W8Z`?|>ToF1vU&u-N%XM4&hB9Cy&~cMj1xmC{B4 z_TV=XOQ=64z5NvcF?IxP4ic;T-KtMhl}uzFtalI-i7Bs}sMphIVtk^R@!MB(hYns0 zb7pge-gQY&2XSJw(eoomMzuO%QXNIV1D}qcO)~(rUKifsc!|TM40%o~e_7I%RyW2QN-Gbz+TUT{&5Ydv z%e>(&qOi|iGY|?~&7xAPb{wa*$X7zR1&|AWS=IXC0qjngJ_}G!LOP zee7Bk%0c8b-AOZ>1j0G){(aS z?MnXPRP43)HIQ#`2l*?^m;!4VZu3xV-cVv&Yv9Wd{0vKPYNV}4?`)kQ&15p=B}hmU zmJ8{zd2~9HF5DifM*KCho?Igxykp~=XcoT~JDmfuM+lenz)ElAzTH04u5Qm>*N7%u zZm5TWkj$m`Fqh3Wl={3I!0+Mi7tL#NNO^pIq#V^RWu#BSH`DRBluQOPKm0!Gc$N~k z@=wB?wx3MJ749>;>I8GkE3NzGVJ4=hIgoMPR*;Qwh-o_T=79n7I213m?X#%fY?xoy zdk4mr`p>}h<{-DZQ_MZG+4U}74ZV+W2e2$#=v*|SxHApdPiIIEyIk4M5COdXn&KvkNdJCV59n4}Ooh$)$@_F{OHS{=U zg6af}>z(7t?e6aWG2%4KE;DWj!NA*y^y;<2?YtZWpfXQCom&z)vH%QY=80x#UUc-58Re3xy(XqA0qgv;EmYxvf=IC>jEa0C5ilrWBRs+6Mh+i_=Mlhg-7 z;e<@)GjX4TOK+K>EI<(5nbx|HNp*OQVlVzKyp->Qn{WtJ8PqJfiA4dH?G2ol3HK4A zHFxKhl^`^4^Tmd*+CJT(ms1gYQ*i#m7K1W8Df~X8iX9vDqPhHp*KqN=1tJ4qFb^}^ zyY)Jnf+yQo4guGvz0`hbvPI7N}-E0$pE4% zpoRE2vj}ck+`nZ$ve|wygy*>`^yU$!crTbL0#{=rv5UEv&BzI+0i6_|)-vlAGw}&V2eR)^)-t%MdsVGnq#xuwmY#=u~J(Yh~FDFQWiKU~VJq7)H z<@pJNJObrzbvx<*$KIO1n z{{8*lE(Eg8%$=EY&pqd}L{;{NTBxfikU9*VG>*=EX!QWVX_BKhD`1v6Hg}Ph^ro47 z8-5$S&!pl&&#Hq9+6Q4s8ZW-YM~JU5qZ5u~eI!Ql9i;c5JU=0k7k08)Us*0Y-yP8xde;fN`qE2%2^Ofzy^Al zD~4I3qo>6dv-hE6MD|7mq+)&{`(k%v2W?e*Qx`2A#|Q>i1J{4&+BMLt)ZbkratY@d zz57!Q9cH?x!Cje=5UH3F_(4Z;dS-;ReGfPRfy^}A-i8^DS@h2frR`FW#0998J=cylNCH4I~-)6V%*Q{@F{ z>$N9`yw??N0F9(4j<+^{jJ13ZwVZDci_Z!uH)pLi|IU)*h5nW_s45L$7f+Nk8Jh*Q z8ar#O`}LI?dQueF0&Rn0jR_Z{nr7oT@-_%Kq=C$N8~(HWTm&n$GBJ}~8G(o93rJ9e z)y!O+C`1W)Sc`usNi=_@Vdn*=ebz~ORhUKcOVpNEcCN%aU|yGHVzC79L?qQ)!BtF_AlL+Bmj_MTjSb2|Zy(?eBORUW%m=Nyy}>K=># z2q#@+4l*%-i;zB|0t=ms??yn6!%YrKMS|^b2U$LP9R5E=4p+G|;c1Dv(e>R?6#CmQct> zN6kmgUsrA;3oJo&7a4=*WG?XEd_liScld<)aUi?YuybE^3;Q;er26*=_h2d?$9`qt zQ^f%|9K13lrHH~XFUJNSTl|Y&HP@J%#jF*7lo?{ry+fT$X=Um-U<^*KZ z%fC5E5>!-vBUZEuT;|w`T)|jNlV`1BKrKIIy^F()phnJFOEscRd1unlaAe5RGTDHG zC|qma$icgOwaLEtxrE{P4S=N7^6%45;uoe{Jg9JY08s=ygQR5pbdbwK@w8MYnb6o->la0!GZ^f^Xv;NK!}$qQ8poi6seXc*niSMiT2Sf%X3P00HaUn)ASZJ@s45-9o6t& z*~h?!W~&29d#_P$k8oGZOhq67hiON8!{3&Nh9;Io8fhBYV0f3$$js~u$R{}E4Pq7( zVcx1Cg`i2tucnX1Uhsvh$Q*eY@Ub;=lsYYRocWhPQ(bt*0dEN^KKPAsW?=Qf{*XV- z%#1`=A1k?td5{TR*$XvoL}ku_@{dH5y;aXgdFm=fA)XdtF=r832xZ~-7>?bl<(rvM z@hwPb_hG#=4>w7h^XDP)4KNHY8zO{2!w?TG+Y5cq%yQ_XW*DmMVlO9WX`@8=!EDhk zdpyDy4Hp@Hq-<;t_O{A!BqWJmvZKtOwbCL5K}BO!A_k#b%P!Ik3w1#7RD$+oli(U6 z3Fq8<{D$UXaHrs}OD|%^d6wKIVZ|e0m1A2b#F7W#DHbBy@JP!v5WFz`2$jxW#!-4~ zE01Njikq)i2jsj6K&Jev3foXqXs}vd$MiX?0aFzrwEET3T7lPpu0wLBD!m@n+`-xf z$&?J{x19Qt4nhl=O(|`;`ljV{f87vZFan~5=yG0$7II(6A3M_4(eQ0 zK}(Gt4CJu+G1v=htr{J*yN3sv=7tD8VH!#`^=I`#LDu`h%vjFEZqf=O&N;h`lW+)^ z&-TvB-p@0|>^EAHqC{Xwsh|$_&UhR_uPdCoxthH^s%kBc!P{(?Yr5f3rp~ZcBJ)6e z9Euxn2a`=|`I>!>zPgKbxrRw}l%9%%@G~lD6<#B-)t5QDF9PuV!cjEMK4_XW39akSQtZNKD=aIVSjQ{Eq6~{XZAF(hl1_Pn5;+wtz8tK z;1y%)gV6Q5Y+Pz?ucM=@d)3D^-DqtiM(gjhAfpXvz|O=9s7PfA7H{Ar_piw7hQY|$ zc=#aSK<7H!;k`^p+bsO4NfY8-G$X?Jho<%wP{jdgOxEmzA8F@uWa(o)5ro_4{3I=g z=Kf(nW-N}(8fb3gv!XItmqp<58FkD?GJ$@^=m7*-j=CD9AWLV~qPbh3{~+c#l|BYh zot8k`Mk1ulh7PGHoVrAvEEm%}S`Sfj7{l$Yf)&~&NZ|TFT`CutFuiM|a6H7BS7Gh# ze8BIen{kG)3V=Fmq3SY0;gM;b1htoHyvlvl4`N3`{gtXzCMY2Wht#l4INvF|FJjw= zup6zU7d{K~&xLN}XJ|_Dd5kx6F_b4o$)C!T3bgzjI z*0<6bzp*D3p7k{nkFVS;?ENma-j9T3q@Vi5?1`gYQMmE5G|6rmb7=slFA*%W2pE#7 zsPW#90*Dg|$qZL^L^_4_g)iX2LN6iQGDi@c@8D;pRfbPBf;412NJ8>%VkVu%!O(&$ zu>Az}KH49O@-7;we;kaD5{u;YEEayJVZt$Ydze1>V?;_gV0;)RC0UyE9z*KwT&Z)$ z3S#1WkQoIhnQZ6JB%aA03v$m9{8z$49EQ6k1POE5D^VGHYX3#5C0?F^7{fEaA*iEp zbIA`WRnk>{0cFoOrand`!?_-4hH!%J;!ZF@_;dQ3q(SO&#rGQc|IGh#AQ8y8ii462raNiy@MZP81TbL^Bv8PB5gxBp_DuUw}Wg zDCys1CoJ%@h*B;$xuCPKP%5`nw=59CO3tLVL;NFvLzblpA>wwX4{#aHH>r5obp;jv z;eAo5MTYnF{F`i_pjziur)3~NZIpu8hb*^QZogDGYl+}S3Oksq#xFFWJIEM?{@96w zaF!ic(hp$GJJ^Pw(t=s@=lY%DrjK9lM>zo|oN*L*R*EyHj2dnu(3~MWbX4`vKdoal} zT?(c7u*nR_SuV}go4zt)FUY%^gCBGJlo0Z?2nA|d%B5cuPPo{8fR%JPvgGmFVg74K>o>lG_k zdq(Du!n{))B9v!z62~Tagy%B$=_Re{H4r@p>P$w1={vS`zG!FLYfM=q-5JO^3odf&^Sb=m zfLSfBM9#!~F#I&RyP}rM!Y@u8a{-&omPon}hX~8^6?jv28Qhksoe>v5YB}H$1uyu; z4Ot?T;8*j`5~lbBF6_XM;o~b`%Lp$nMTM1kny`z@Q_iU}qY&3%wIq=qTz_SnAA3ae zMUTwqdwXVOZuWD2!PSEI_;WajOakACv00eUOIn1}^*?Cr#TLP29%UjQS8Ziya9)k~ z96y%Znl*{7VLFY8T;pU z@|GA(JD84X*h-D{n8vcpK6(I2Ha`dcX-`%i`j|k&H6OU@eGL;oWLeepOg$w@#s{`0&PLjn^n;2h$;qO8IFqVLD;;g>9GT%U#8{d831bMjapD_fC;|T? zgAgcQX2X)@UJ%?eFn(W3$ex67q5Bjl^M+@<3(g-YnO2krkkvK-K`IaPcE!Cs7I1{e z)5&=-eR<$R!*;}PVr}Y0R5MBa4ze$sOr9I^&@ef$@Egkuh1pEIyfFqo5N@H#LR%)A z6Uj@0i9W}hpm6aH`w4ZO9HU=B*`z=+5`AiXE6ivJTK&2Hw7zB*6X6OA5O~tP`ePw9 zbtGrVr>12(CeFG=lUasVp90XiPS{2>=}a2o+J^X0TT%TqK16tf58?Om`WyqdpN0!f zne!3f#6_emau(9ajA`s7E!07x=%|cea1;%iP>8q(xE&#nazG$T4&3~;EpTdF(T$j~VDJx07$HR1(|OSaM^b3& zql2CsjcM6@yw>w7A7V+NB{WnVh3kqUkUY$XI-W@n3Y`Es0X?OBCSq@GYA6!d2sW>C z#!x04eA<~v=LDGGKH?VS@Kr}s%W=jsZ#0uZlIc~L!z0U>>aTqX?JHsd_}eq-Vl*9n zDGfiLz>8x+JT{1SQ4&z)r>-psW~wB5*tSO8k=dfb31n1SJWMFGJAF0Pf}siOh7JMY z66&Djkz}7ATk_l0K~j&>^vo}dXn4yES5%1IsiiUIu`%AAR+p9$ncu5p@G25U_txmL zrlMlknI4qqi*~+m9-*z>nF_GCj&c#gpU_qAB71^=st2)~4D472{Hcq|5dnK?{S3{{ z&*{Y?Ky=kYlcaQD)h%eE_8>w8l+XbwGrnMH(g5R#k@zRNPF#+8(h0p}^|R~WqY2kQ zAlDIS*~YWRxf+uZAXOYg`T>|YlM^kOf@$yB#v2ea7}^5@eh*(wl?wvk6SJ2yF|XVl zNc5JSTr5emML}mPGwqup1llfae_iIJK+}N=vK3k|^!nX2I^KSw4U?ZUt9CkD5oUSS ze1?(&wS3?7v)24^aM7z!u3{)ac> zV@3@vuPYsupevrKVtQ7uc6I7gy~A)i2sU$B#YD0RY<8!`xOV3;`{^9A8Gm3skyDaT zkFsupI6rPFfr6BHu)h;Yu7Ww3VZUP7VNp4+ zFfZ~YIHsI1k*VD&6hG$DHtqy99Zh=5Ssl19X-8oL6P$2sE&$`tGo757P)&%!JKQS~ ziL|w6I=R0>iWC4`Q3u74k)jsD{rIRXUKdb@!+O&J$H&1PY#%+FytOpYkHkbf$D#YO9AKVi8#nV#H`?{CmK=z`4oW5pHR<$%JaX) zw|pPTm+zSg|M~QjZvaBqlW&iY2AbMmY$hLX&By$bqkZ(7e?IBcu!{D5 z#0PDE^0|M$`b2XtI%`z) zbMljoKKcIt`3118C&%>HoB#bqPdDddasAJ)2nQ2P;Jp2r2(;h&p+`bOXI_%`%kM--Nf|5qg7 z|MMaNTVHJWrydSm{1Yo?JY~x+eMAgPzQNXu8yW(vYu*LEtP92c-vBUS^#5N1z<=eg zU;72~ALRn&nLZITxHoHj6hw-Ce=(l_rY=X1c&ZOd!_=~oiHUm};Gbw60*x@Zhs?l- z{?_$-5{x)#h(Nvv-^z-7_!9wBSug5w8^Q2|@=J1k!lphk%?Tt`1EG+Nq)>l!r=oCQ zJOot%-U>PoHK9+Lx+Li-E0^&6tN0rY&}+$iPl&j9D&cTv0AyP+{}&0j4G1$qs3g2> zM}fY0NM7UZyq>!f=o5H^4z`|5N#$_x6J|9raBc9EU?0bE3h{C$fRFhs211M3an*-1 z4+ZAt=_kskN#FS>+LjMN`qZ`tyNDTHW~z}vPDIjIaHMV{Yz(NhQ29q;Oh->)u#Y7> zCCiCRKqDoBloV8Y3dv&JODzjbEY#(?BHU5=6J-TUn;ab8;`AE=N*5Z?k&;6Z9}np6 zjB_XmI8%=MQml_{itpP#0Jjew4}7BTniK$yj?w`M0U98WR?dPylKkiR9-NI*My3r* zy&M~{*~dlYhJk0MB?QR&V4bp&Z^$K9iEg&}bhMyF>=n7>@V$k^;n790I_a z!e^Pd;3ugASR@V!@Uc3b$oEsYNn$es0PqcGz&Q>Uj(j34|9Pk;AU-D*$K=1J!a_>B zK-jAgrUPCE|KD*AhyBXfmh^7kw&*9kOpvrKNto?S-Ee`<;4Y z|4p86!(^cfV4D3<7{|8-RhhON2O{slrIN)|@N0ORj&gRvvV+NJTeU-4!3i}x>Sr{n zy;A+Xx;Gl8;zZ8unNAJTt~px)b>}HRN85U+*p^N|zrHHeGT4^P90%!|I{wQ`H-1iFry=(xbgFpq4l zjU_YzN78T<&fKs1rbM9qEaUo@`3qmwx4rZ-j2$)7u2o^&8+cH*72_CgE}od$1$jR6 zI!Gk*epu!YTosFPEqYN8T`P)85tMYS`X- zG7evN_9K7d>pW~7M9J$^mAB~FqF2z6^KhhmSJDBW&Kiaz^3KzUwC@o3eE_UQYV1T3 zn-U2NqvRz)4|)<-desm^K@ESccNDu)3wyxZnGm=x!yMPdu&h0%W-S)@4c;!*`|#UP z33R%#;8`usCF9tab*&EreR>W0xIntsF`9<)<6Wb1;}U9tTwO!BrV&6hNUz>T8i|m> zmxs|g9v=3+fg0o={m3EkBR1%Co{?Ni)^nh1Tw36%mpD@GsB4s!@6}E(XmD6cokDCq4w2Dv*f2Y-~k84Zt$wov5FKj8mp%<*L??yNIwSN3gu z^}aKn#zTau9?i|+c}b%`0}}H>8rRVgh!+S`91J!*@S_8uHygZjk~Bifk#zOHIwYt* z8_WP@>Vw+>RxoEv>k#uUEjBrE-9z4rA`@&Jht0OFq+Bh>GSP$`+XI#N<$IJ+n$3k) z-cIQ(wqZL3ng;2NM8h8-ZAu1szt1}bD$R~@IJ@;A6T7+{jx@bb6*VcjO-2YW@RylP z5=$?Mmb$gLxAZ0iLhmJaG((Qk&Um5s)cG`nzs@@x2Co}6cu#>?-tja!1+DL5TBFP8 z1pefueXB+p6-`a5ucd;gfR;ltpOZF0m7sIxWf+SOV#o8;nr9^}=;&Ked3Ug4$U7vZ z=JS3H=H{9QQ)meO5S)J+Vz_i^f65ila8o*?Eb-@d;`w!IEX_EMjrqs@aZE-LG$!%% zf?I&3mR45>7=$3(p{XEuvA^g%!c$Biu55+N9_C+7u#x#vJ zOwxGZF7tdT7~rU(q}A8{GZ0*GUv6gUD|zAgcTXcd*1Rw8lCq58J4x}5BR)VW%co){ zDYIOU4bHI;9b>Ae3L_jnhy~B3^*G2JPw}?86Y7$Y`~~3CEBJ!cwQ{WFsh%P6yumV4 zN|y8S7nxN{9CKD*`eeIdu(rE4?mAT z#chKNr*^G=M1$mJ==n^m>_D~&8J;^N9oHN*u{}Ac zB798qT=$`DU6NcaN!o zcLCS>ysH~By}^Pe9e8zkH>CDa!`zwHiW<1I1XL4HW#rRKuXzeKr+NC(Zc?@)sY{08 zH1G758!h8}r@D~|!D*!J`2#*WmF=MP-T9w!gfo}KS^|q>(2SGpI~r58M#)6ZRX781 zR8Zvu(TilSHzx@<();)(e?QAD0pb;ygkiW#ip$nhQsmhx+Z5Io#u=oO+$zt9<^-L0 zhBCsBd`({^k#$a(5fx&wC?vKnpd>=Dx&~s06DvY&`8Sdi%&yH){51U@TyrN)qvoP& z7LzUX7+J~xDqmBT?g#CCsE$cx)KoW%nObY2k)}rmIyu{j2?Smob%)2m18Qr`cVAgmis|-T*^TH)~%DIC^I2T&)XiN6v ze(YSTbVjCQEG=^eJ8p^H9Bv^5TWzlip-r9fSiZNZSPL9RsqGwH)&tgTm@}+8n7ycR z$PJ;{v(;c8k)=%avrLrcJBC?yN%NUeW|lI+(mcaaDq6_1c%#(0D%6(@W;IS>LU9W5 zLUKlyfIuS&JwFnsr`d4TWJfEON>zlnBDh;5}VR^V-mRls; zwK{>u*2zjNDtSY+NH_6%Tp`Jp(eq02^?*u(M5Xl6;6u7l(nj?!}x*xp)Nz`nUnVp;XDI5uKtSqPlQWs zEhQ%^CoSL1ML8z_q z`;ex3{z##+*~z`ix2xSD#W_|9?PxmShE2P9F*Y0Oqphod{9ru}jAteU@jnL>O z{e_HdH)-ug?P3W`(>%!PCG~56zFcV92^Zy0BP5c4pW|vUL-2gN*1g`hZvT3NM>MYw< z)536}bOyHm(WCmZV`x%i+CViomHfcfdB<=<(=HGR5gbWWak^VClJ@4Q47IE-pdvRY z#SiHEt?g^eSSe7yG{jNBgb#U+>UT~S|FGq;{u+5Pfo#Ez4cQdOnLiFBcUW_9eKvrS zY@_SnG{$N&y4T-hf^lcT!p)RkN$Z6SZ4Gz^EJjic` zQ=N;$3r=w3XtXU1=)uQup=}Y|2sy7i7(NU?u(a`b04+@n<@LZ=;X>82t$1a?!FoOc zJTy2UnJh5%)8VxS74@EUFU4fT`2nT-$Bt6veZ-e%H{jMU_}GFboM4&8MLgIHVlSC? z$kDrhqivgf70qkgN!TS=$B12y-EskvA=jOLX<=^0y)SNaCc`R}WJ~-|CG5pv-IPYtX zp;C5(E~#F9v!%iFoHvFTrE}647>=gk=0&_CMP;ft;b=&v{KdG& zfkMc^O?bXZqGZ0sV~fI(Rauut(0iVF%3CZ%*q`Lle)y;JT-CFla5_+W9l|mryn`*4 zyLdLY4yRtq$vNh@FtiJ@x0RGAEO=pcMs7+ou$MjR%VtZ6+DRR0O* zC@WB2E?y=*#Jz0`aEc|^@wpJ@Ibuo9n*m(@)AVi1W#=RPYZ{ORyN%1LKW`NP2x78^ zbLG(3Ed5Z@%Xj?9F7I#UhjDh+2hu~MlNxSnFjw%4_l5HFp5X=5oBm)cHaf2t_`y24 zf=rQm!90A^kgnzOIRjosjiw74V&wZ4%Agrx>Jd&@YO+o8=6bivUm}m$RLrD7e`U<2 z+b~R(c_E~uC0{;;EX{T2Jw0fZlmt3U=IAx@xl4;RCoBJK@Dw%YSJ{NaCxhp z95?54%NaA$@RBpTirx7QwK)PIx_(NQ<|(i^x?(Y6LIWc>j4 z>&Su)d=#V_QG9cr4#cg}$P_svfN;mhu1?9CUEljb5x$)Dz2|-2F8yX|tMej$c3}@X zoU_1uD_C*((C<_v5+bZqQ~!sF(;qG(Lv2~uY?`MP&DpPlIk=;@vXvpZ89>*az-k4% zFph_Wi$5qvdkehd@IBAa`sTcDB$R)-X^(lJo(KFM?k2rqJ5%=#$#UuZS);agW65id z9w2r#jtWKm8qWY>O!wStYoQCuJX%HTXzuY;R+eG>l-XKBdty(5A^BG8e$$Rog{-?fb zS@g^cNrruw4LyL=^(8?2t&f~8;#i93|lea{!5yZrhF*Ij>>H zkkWbDE%X@nUv3yEr&?N;AJ#T|gZtJh-gDrc6%Nd^ni%qZP zyvlB^J56OWQw(G%I+qM65xgq6Z03~;j;%Bd+*L_d0>o z#TQ>w;7QpE(q;Zi2!A`|A3~B)&W-RD?w%Iso>ZTn$`wBK7YPsiyW!yLBS5|GTl&*C z>c7M!weyfV`Up~o4nKl5v0IO*0z2NCkAk`eH>>o$x_XHJz)9F&81otq5U2luHPYht zDr#9bNu{;zK}WRlZ`?YnYyV#KvA~WOhaY1SKi_(cP5$ZDv7oMM={>)0!Fh|g=*X&c zeRh0vdPr_E&Irx#)rk3mf#t+dcya4-!{8|`$HRs%l1_w=T;N)RaNuT+ck$?i1eO( zZ*gSW`>SB+x_0ZEu=b@Wf*!`jRleJZ10-sJNIVX;$h?hGB;gRERTw43j8 zn$=4B4x8I@@#L`i_qcV#ErDw?n0(H^zxSD}BfUC2EB?R~*Vvx<5TA)Zaivf9W@!nDYWQ?~8} z(PtjLcf++lWpeH43C=G!X+QAn9z5lvoV5$I7l-r_3knL`T&f)IUAr{oYU!Ipa?hRp zd4A%J%I=G%EzzvVomTPov24}#*#SeR->&UGbVkDQ^WiGEML!7$X+POCbMnsJpUnKW z>B~>h(!&A6W-lFYjq15;l@c}Q!PVWD=3HHRZ1bd7s}>HM`|FVXFJ%8-^U(|Q{>0&1 z=Re|=;oTlw>9D#;ZFso3`^LMsmsJIr*F{I%uKi^#m@=OnKA3Soj1CCSjBA;?KWER) z@uB^%XcN0FK9=2M^1!c#gnt-ZEz|F<;9tC$t+i~cD6c(< zYPz@oSk-wC#T$!|{?wiL zVjb#ey|L!Se{{z*<&`Cqr<6{d@U%a6W2wsU$q4IDRWAluAHNQ5wEuVU^uKmj68Yr6 zwX`G0`^+v1CXAafaoPl*E_A;N=uE(4rg!}05(wvu)u5{VpW!^$VmR#b(|-&g=KKGA7GA6J z+xpkA_{~ErdY~0?Xaz_atKnx?73!)-Ah$yi%2L6945dNA6vcL332hj=dL=>1 zjk46JMimPR_LKmo5@A0+5GwLU!Xpj{w0hp3@=W{S6|rbVI`JdpkxCrTO-FNl`b)uj z*a!xZn+1rHG7x0eb6tsvPDWZ%jUw(-0)zSHw>ee=BZl1Wcb&UXQZO~krlGn||Q zo8Ud+|7D2&4+HmKPg;9E{_krx9868H`iCwg08U@mr{_S^6;9SBHNQgjk8AbsQ>5wo z_isORF}xiR_t%;G=hN^l%T%EY;bC4f#+slHjxkt$AFKz0KR9;m{tx{@;azcqPeCxq z`6S>lcq}A=I4%`LO@GH@0`LEjoQ!Sg1I&aUQ_btMwND?SrbNA>4~KC$gGC*D=hm%# zFvwKn2(*=uG@VaUQ_U1%E4(lq#|t<-piiGZTM@GUzRNeJTEU6@gN1N)UaykBV!_wM zaLv#9^>!H3ZSVue^zVcJ`?vq|@%`69z41u^zwYt>mX?0yd%rzVDj3wi4F5n3`hUtx z|LuR~b8O>c{#KgiBh`wHM*fG~bhm%YP4jltL9zcsa=JryC759VUG}N!^gs=4i0_M> zOzhtthuQsn?u>v&Zv}N^~qXxRi!g@~tCp?je7L3x5VB0zxdaO^CqN|h~B)tT$`dZ3`5z;sKPcDx$ zao;0Fxr5XP^z_c(E#nW=#idE-f*n5hI?j!pyc--lX*g#@of6WJi#MyCVBqPq@PvXPYF1AV<*vP=gLoSCm-SYC%4_0?C&V4EWrcM-f=% zG!@JvGOoimfx387=F{kXOA0`P=U=oCkt zd3d1MH~)PVvj#bwXOxbZ-=3e0_%dfN;mCrEh3In3)Ln z@~E}%jGzsZ5I-Ql2&X>Q2u;cyG&KWpOHypS!%5^m&>l$noXZg1ye|I`>OanJXfK?U zsOPl&plw^xHak8s2%Up<@2LDpoV^!Kb)d&QPU3Ud`Op0wZ#aXm4MJ0YMfq(p-(g#n z>b3_5+J?M|4R7mBYc+ejmgT}ho28JnM7_x!;`#<|YdzThrYFrq9cIk3f2u)#0 z64T)jXFz2mn;*(gV;VTCG8zSgJ*ML3FM#|CrmLW7+PIz6I08(ALopr;W)v=b*g=JZ z`Ku8(hMdrJ?cnAU<|IpIR`LG+xc5O>DaF68Sp)JS6NQc>$&(7mH5zLpjg(=e@C^qEN_DP@N$9(4} zg6GB=;R@)6mg(>?%ojaG>{MN543f`=F?zDoX_QzBZu`%7CAka_;}#}-maDh@rt#I zO3P7cZ4Y~{!F3_b^Nc8}$CcV0jAyFSOpbNO0SY>!|()A?}lg_fPFKV~E4-d5Wd zl<17c@ABEEO_W+Z+qsdh50Lyhqr8ti)3^=_nDdsweRCUSlt}d{YUU%y3$EW)=-D~H zvNI#>>jfX$r1G-s8e^&oE)=SlNOy7i(2WsHr1CkEo);4h>vc9oS|dide)N-r)KB!z zdl}_@NGj*L6wZW3D`;Ptp>3x;ME0u@(n2mK^)iy45hIn$$g)@zLG!NiTRa^OJ{3r? zM@6^m7YI1_c$?XDPlq}cRGEqc9ryBI!p229*@cXcBk;_=<>x~!Z9>htnq)kWposl6; zix=USv)c!tMC&!3^%G`@897~L{`M|`a|f$h=Apx7{c#nm)ui-!Dtm5y(c~SDtu)Lh zeZIEYf{#R8CA1?3lYaS0K+araGl+q z6pxhFWaLO1z4~i%0Pf_uf$mR`^aFkt3i7vIhTDqzyr?MaXfLX;UEPE<}#Isqx5_kEGVRNkV1{ zbTT(rn#~-f6USWFFu#G$6+7qKR2tim1bZKiFj@LlIi&eD*Y9REzrJ*Lc^`4Mm~ePH zZRe<||9+|t)VE=ImIhx}ePx(o-XWDez)<`I_^6fSWzSNf39ETYH^jZZsQGI&_3YOY!^SiAt~%Fkm1&Vr zBfWSxCRg!(`SLw0K_K@u-67Fbt=y(G19a{L;Fiv5LHHEsV78q z#T+U17DY5!S!R>+MbQ<{Di;G=|4?osD@4whk)u)^RHkxFw_en;lc+kFS|?FMkG9_4 za=uoXs(Lhm{YY0G&AXT}Ngb+}cA&!d z`B72K$btmqG!3LeNbz!%y&l=OL<4D>oy{0$#yj<;-5qO%NhUYPY|K81=#QM+++M>U zN1d!-v6NT@lA;ssN+jr2&g6=P1mzY=eb$$&<*$NVC||9j&&>Q7ElESdJ3yktm?>q- zg?5lg9BczbKR!iObOCYC%Nj<_xoK+Gb@kkXXbWt8 zIqEoS5lWkYlw;~N6U>pnW~1CyD7On{X887p3&}l?_rn_t#)jj9UtF7T?pVaPy(8ic z10erHAdv>Uvl7zKBy`89IywL)%^SPjCrn$FBCt|lP27ZQ_{`BVYZf*17ZI_}Ee24;wuZ7S4JBm1J3>)?7% z%l@H*)kCwEeO7D!NT+lKJGllwp!6pt=>}svh8GPs1=?q_>97g&Hke0dLMf%P` ze57kPGPeohqZ2Y5?~3cC&Zh2x>@_WWiAf9S#P$e;%W66UkDO?JkCV@Yv$=s_cksnP zbI)LDH;yqL4Rak4L8w3kINN5$f~8jkQySVX?h%< z=|y&`HHR@wp|Su=w;V&5=sYu5AZ$1J8xzE)H%!X|IYkCiiiJyoY}bQauRvoj$nz;` zt$pM;VV}#HB9my2@*!C6HRTIC#gXQDJpR$VL&%tyy)(%)pTi045_U+2+{G_#hMzQu zdlTku*EC$-k?F^t33oLFl_xTi>tDg;oxq7}g1JkGD;OJJ3ri5K4MCt=Zyy|&Vn&I1 zwWI*h1puRflP;(G*|jn3r@`bmnwn^}w zU6+IXJomZpc?tT8w=#Di@8{@cafda@Ag>AsWZl(?+>00h5XZgz2iz_IF>b-aa6TSL zQnWoA7^TmR=3YyBfeqBaDyYaGd51QNr7_$qP{tr?Zl~E3w)rNk@Nm7f32q0{$e*bj z01)NVbXi@0KHB<+Q7%WG{kWVA!RfAfYPl`|UwN>c8(=>kmgM#hM7 zFv;wyMvfG~(af1^h!dQgqchANrAXfGCw0nuld)eil&k6bOitx#MrWAIrWsl}#19|m z!o6CTR*O$?rmV@f2I!}*HuGA69y}tg8cN#Yp>Ig|{{i;ZA5zPCAOGq1j zB|s&unOd-a%T5UN26@J1zV8o;!#RnSfhEZWizN|vW31k_5In@_8EZiV#^vZ@wo!{o z>|#ExbETs4$HV|WAlGciUBCMAJ?NYKIT@?nIfw*-C8~?x*`k0koZ)(yqgDA_s~n}7 z|6)-`;|-2BSce5E0oc@8tG`XTQLdGN(sP{AIEbNri?*`*E;`PUmq3*X%Q2_8-VRU- ztioH?NF7tipR&IcQZ<$z;QpDFYp5_Fb#Gw)0OYx2?xk_vf}#XuIIfe(*deIA!K#l) zeGPG4z$Dg~q^$sjopqJFT<>8$(n2(8Li!=T$LT2Z`^4N*OlHb+NmEbT7SrvvLW&6* zo6+3W+!HFkf^%{SNe9e5+00_(D-Q50CnC54xh_JLy??0vjWD4Rri47zop%s7;BgHS zYPkHBM$nhFnTB3LLT^qBYh`=5SUV9iT9;pDv7T!KC7XM@?DGPvZxwvu9*D%a>cgx- z!^fAOgn9KI0C*eIswc2rI`HmFe~hOBS~jZaZN!zZ6EtY1F@-iCVZWxAD&=+lt)p5N z+P|anaaw=H+r;&Fluompy_LBL-TUK~H8N1PY4s-qFa5^Vi196F^>Uys6fee$+-8*j zJz&dIUjs$!Tt+NIvyqAAKu)12 zcJj}&VLS+fScIO!4}9C5XB-EFXwgYB?0q$^W=zJoenZT2aPy~Ie-HLtM4b~_Tes$X zY?~;3V&5HYnyRCsbk!8n*0tQ9eMNWvt}hEYf^Tw(c>&y}^*bcdM>hb_SQdt_4 z@hd*XML|hSe^SFo33mY>r?-cAhVyZJGcK6pygFVwfp)lw9~c-Qn{|&ifdI$jz(V=_;6e?H_xTk^bJ{robRq zkxE*_SFx*tUHy=>(bJDhsr!iA;mT2?Z8<$18#viE8gGRSx5Id|d0Cn=4<5Oh2_o%@ z*TS+vK^_J6?o|vAMo2K>A>1`L0x}L|9(wFh6+2YUs9Mo6x=^eCG)Vr5Fn_}J9Vy47 zy>G$^X+^4pT|=^z20v*JjP`LX?S=VR!P0Ba(~u-ejl9t_+O^3~dXtaJJb?KKM>zdj zI^@|buE2vhi!&v`-x{fx{LzB4-uz(P*=1(&w|taq4U%H>TrLSqYP_0HsvXBKQ`!>r zf&GF}f7}3b>DLpx27hJBqfE-XBvVZTQlg#^!jD#jQ*C=+J`i(>U$`bDEtIRXv zZg?{DeBLIPNk`t5b``9`o$Ng{rdCPl#ExLm2W5r$59|=%GA`CIEye_}(GX)z&QNN} zyFd)qAQpGzuSwb73S18MN>`f`!43^VBU5+z!4e?*vj|X8 z$dTcImSB)QvkD6Ur;RV+-Nce|NgkWeD*HNUhU z4RV8DDyu8s$`rV!YbsyBrlADuM^MQhTf`RSZB#jy{DPlRX8Ko_(kNk^D+4)t!Q3KG z!j*S6V&eOM7}GJzwtSgyQom zDFol*`~5HWzCFH)Vts!m$+np`yUnKEw3~KAH#BJznx)w`+a}OJ3N5tILJBRkP%uD% z0&OW!u-uE5n{t&ZML{cqTvcugDk^$VK~ca1iZ>1_A}T5#0ri0X-XI7l=N!-P@9%y- z(@pm>JNJ3tcjkSbJzdz&rQfKV+M%&E-?-*(weoXV-W3D0D^t4`Z%573fojVFohSe}{XUG7jYrgE_1Q?T>}iizq)Oc#)gv zG`J2+3surGY;G=7S}{M$+XFdTWBf;vF2+RHO#w zdZ|;c@hE52Cq7qpM9B39{%)|_!gg@^Z-UZ<*s023mFTDMQ(jYvxsDJMUO?y~2uFT$ zdZZPs46fLTYUN85Oe}jv>5D>%{!fJoY_4k@QZ5X!CUHgVGi;jesIF-q%5|>TrYrt| zye76lm1bdoxJupFzZp&gW5m%7ugIg3Sk0M~Y6K84iOLuxhQv6w)^`?pE-UZQ75O6O zhxoc8PeAF4TKnLx(%}?XaDU#!tk7A;L_<%LFelZj4QWxFO)LlA0b>|spxoXf2Jt0q z$MrLw2O!3OX!8N&np847qAh*wfdo%H^EPchoFW6Q+id80rcI1(cr+EtJBG|n1kaS_ zYw%$_()cxPX|Pi78aBl%eUQI^{S{2BsP4e1g0~UAf=+tRsOod={lq&11sPSg`_F<|=x*4A=KmV*k48-aFxcT7?_-#WVcB-l zJk(UfB{)0L=kfOq6P01Qn8ry2Glmi$_CzhoQG(2TRuv?JE+x4Xv6j86Q~oh9u=;y)o3hiQeoVmcWo zJ(LLj#^*rtdL%8RQL||wZQf4?awKV=h-4OJ$i;M+hwVDz|(UO~+UzJqry3SE(b=I&h_ z`jk&DFTu?=*aG_0$u^|ef6xpv+qNbKhyg=_h9{6zcdvdQL$7d03`>1IlU`Xv@|)(ygaDQ;Yq*{7X#B64|?;{&|P{U4H+S1Ga_Q<~#5?`&rLy zt0-jJJ}1n;zbpncdKueQ14OI!&#c+VqBNtJxFJR+d&{ z`FV})**k_DN5*jhc35B&#)Sh)M<90}b0iJusnJ8gp1zRD)T7I$QCjm6?Y2aEn(}wG zvLfo#0dtX7=G4J&EMGEUcG_1d_GRn5T?zEdhopV#V7}LhY-6HAb!|p=0KEib_JDAK zjb=X9qM5LQ^`!>?0t5DhX#6u6v|do-pYcgrSk&FM)GWyS=P=s#rRTIAHT5#c7ozZ7 z++Rp8g1!5&#Ja{*N#m@2w!Cx`F1xzQ@K%y(Gh@%hr`h&~A8F%=L~shg-@&FpPUv~| z6zL&;&$R~vpA^)#wIl@{`8z3U`z|~<$R`bs!voCQ!L-kR5Wf8uUs$;Uft7?53Re8J zWqOoh4{@y#$M6#<&y_36qk5ESI*|Zkc&T(48J~~gM<{(YWiRGm|2VwPwd+N?W8QA$x}Q%D>cHi| z^$~CJzN2Ag#E1$l@+ScUecjJOD)$e?hQyJsUjYqlyZ55n)|OzI7e!CA3}8JpF;yuJ zF1jt&+~PD((dRid+meZVK=A;6LXzCK}i;BjQ z`!rshJIFJKQn*z1LEM2dfkOh@c7hUzpdV(G+jd2Js`1$T2H5os9*QAB_LZpF_muX? zKizE5+WUa(RvMnPu@kkQJ6RtRI+TS#tg0Uk1>e4)b7}oJYBYXDN>JBVa>BV3vb$a( zW`2kHP%QU!eG{<*!%@RMYRZwRp_&!%)ly z`>hRq@CSJ-HDZeu=HuLZimFtBPng%@@kP6($d1a+V8`VCsO+q-1CsqPo!YNdK8(v2 z0^e>M)p5w9xa=%(i;Yre9O_%P(+kj$nIA1TFX(aNy?w2y?W06ROQcL8Fq`=zDpx+` zZScDyFh`Et=SVLTe+Tv{+`I7^tO#3Avvi#eP>V!AOWTzS9IZh>_*&Vok=!? zCB#ksMkvH(J-Ca37jYW1lz7)0*=|+Kq)w{9N$lg>=Y>%HMx2^EOWBU<*MckAz4Cmu zd|vM;7sa8}dM+DQ!5cad^O&`$!NKkwxezB-2u+ka3-*lL{^|;w!YEWNDXufCZ09T7g_AvE{T757-q{+@R<42XmC0Pq+0TTw@$}p0iTccBwHe;$i1Tc*{mRIG(n%Zg1$tO zTno)FrSI8hSj;iUSUN+f2G+PJ@)8)y%wGVcwGQo_arvh=8@cAzU5mvp{ErHbQ(2B| zlN=Fmxtz++Y8qeE4Jr9*zu7wqoj9m0NB#_8zcY{3+co|?=xu(y8$?`xcizm`@n5+k z{G}xwkWz>IgTlj;Cs5QE`Axi|V0Dyv70|Zrd5gT8KN-I6JrwP~gHN9DK57Y(v3$BU z%Z*#ANoq@e(TAvc0zZ@M;0+*gW>AA2fKGg-aA4pK%gWJ8u?lsr+P6YXkl zELRV-tuQ+tA651^?&tedWqLCP)-4KDfoGwLPEmm^SlIKjcMS@x$5zL^S}%-48Dct^ z#YPe7TPm=Twz(6jfrhwfNkV0Ix}*0J3LNIm^3N!+pKqu9D- z(n_DkMn{6E$5}J{po(57{TwrG(dHdFM?O?`V7&CBT;*|%pP1_nd*_mRf7G^b^91CN z!e>}t{dV?a+fV~@&WS$t&We=p#Q0J6d3gfHYe1yD5P=^&l&b)x&2-QRdI4oRo4{1v zBW=D1zX7@Fg#9zvf5@qk{z6z->m!3q-UAlGU`oj^uryiZ`6&Md*h|nKH9yHGGQ~Fe zb6V^Ms)Ay~igT2AmWKBL&~fvR;-{{=@Dz5S>x^g=cCE9{`P!(z7RMTf?wbi z*zZzARd97p-Q_gIv>2qJ#eQBE5kDR}vcJ8U2`zP)t+STB%W+t5?v}LY4D(TxAvK!! zTfU@aKX@9IfALbUsjjwEiui_yMcnwzq-8q)9M&m)mBf$cHuJcp<5&3wV}^ z)q)t*C0XkEmKJ?iN=nE3ujlk{kAGGo3j`QF+Oa7>0I7zyz=tP%ue6|Jl>k+jh#$a{Yfc8hw$V~$I12bw+c1hp-wynPk1OwLf&oF04^n;&w6jbsUV=gN{z&oT^ONN^ zB)$zTe1Wna)Wa|{^yA3d2KZ+3Mr8d21o+31`$@JPyVc!jCR$sj4gAzmqqAw-3Ev#d zCdk>wU0-*XR?=}0naRGiEL_>BBz-8GR?g=9;`2D=^HczhteI6#pl_> ztr*bkfvc+%S1LYfUajSvVE)NSVPmB>ZNoQsA8Il6h+;3nV2PjfEml=;!jAxZ8wgl< zY2|S2?}|6GrS;{mVM+;$juyWwM%dnB_v~P{kagQn&5~pA5E+R^;Hqxr@%>&Io$79y zold?HwO$YuXW37~EFmVq@-dJ!Ie^eNC{qsRP$FLfa%9lMrSLsHG2D;A4n?3Gm7riv zShB>QN!jXPU(oS__j)xrSRuX$h%9rYZ&kdps!lnM(Ou5tfjU{B#9WSt#TQ=%RkB{r}oXsBzEI66EeEkI&HxZ)NeYaWRGt2E++P!$_c z^G-I=D`{Z}Ue1038w&=aH2Mp3YBb1%-g&tG9_lw^a_WWfm25!-|uB4x| z7AvPvaJG37Bag+>qgdLkk{-dJP)Mr*Cmfk34IuZJ&FyS};JDj0B7FU5_^$OWaVEQ$ zz1KC>b~=%1j0P#Opa3vhmuNnURnAn%$777Y>cGHz(DQd?_Aqk?hB0d^mtyBZjPLJ_ zY@;jKJ?2XiKi6@-9Clp%noj)^Sj+yxHpqWxq4G>d9a{^_4abL7b+kP<0*pqm$k2sh zOFfSmRxc#Wr+QIIXLNrnTH{4i*Q52YkTD1=mFmJm^1W??-n_FTonU!3u`~{wKhA_y zxJpxz+^Ql|*jMH}iQN@!E5;MXp*1@Yoj)0N>t)U9gOuTrceQe7ckX~MDnpu%1uK~G z|5lMjKsH_wVDV=ONl?0Oy|9X|Iv%)P@mzI6qc_CQ=AwDttegk)6tKBC`) zoplT2RoiAa|9oU1sPzw;<)sm@Lg1Kom+b@KQlr>@wv|KJQvitCd~|{ZIff<4zedP+ zQ_?RHfHG}fo;+a~+CP*1MM)!uV_J(%CxLls)Q}THY!S;E1D+WB^RS}8J}el0mk`%1 zi0lJ>d}}?}D3|h>OyRBWoduPM{hRDW1sp0G6-H)Q!FH@% z7g1WLB0k9Yt52X`not3ll1e@CMJiZbnfyAMYC*7Dmh_d&F}J8RDN?>1Q8X5l0RMVT zBZ>ccFzn(Q@){O?{boNRTVUM-*o(MxvO~)mC)Y>P-Kn+gYd8$_T_6m8v=2phrw4OG zNJWr zk!tqt%7bWf6MBD%nwvCv2>Rs(%#NzvrpDMg&fR-PMETp1MXSRR^qgFaNXnd_5O?oP zzv`FI5cS#Qd3fe&eE(f&)lca7JxH0vm>*}^R_T3g9Hs?}PovsBvG&{1xl0_VJ9F6p z>^Y`;quJr|CpyQO6ytIoYjd2AHcZtqE7Q%j(OiIaR@O!-AE22R3BS#}HU}pZ6(>?IEGUl}nPnVvQ3o)HL2gc|Bcbtq$KoTJ0|PWg>Ylk~5LJfB5IJ@K5IMvD}#At_0hs45@*QiurEt&Oj3T@e}*7;dPoT zD!K;^*^l^pl!r9W&OmGr<|{zWa;Q@nIi=yE6t7t}1tc2Alho20%nrS0losbvW;Utv zgQTFJY7gtyL)rr+1qc{k)Na`v+_PnTi=HNC1lqh=yvIWzyZ z+z~T^fKy0CZhyy5d4`Jy!CKi1fi2lBO|p~0jzL0&J5+`TQ7;P>)U3ev6D>^vw69ou z-YS3Y@FSRE|4!kD9n1B=y4@z@=h;qxb=!2lw3TN*n8ZoTPOu%#-&t(Kl57>)>X%Cc zNIIvIBejh$!;nD_;(CG+YdV`fbqXrVLk`*ysDe&1mUhYU(7esnJllc2yF|d8+gzOh zOWD~l4m!x({L(hR>y4sa8rXkDzajZBcfa&HziKI(+y{Xzc$~?m^B$O3YpTL zt0vAE)8=#`gE6Hui#j?Ui}!y4tbnww_!uene-BfEbT?V{C8#Wc2vV@@D_G4@2CHSC z7P-uqV{M$|8AAFyHh=)+>N!$Et-Vnez)lrpVjlqQHf*aE4mci3ljh=WlbSxY%(vq* z<65YPygOSAuV;v3v3zV7XxiJJ!f9S_)~*e(-|7v#>k(S;8>9nx-72<;A<;@oN+62% zDSNR&NnktY8j41bzU&oKR81Npj_h z!3$2&TlmiBB3u!B?gR6)6gwxksR-2DWUzTk`7*l`j3nOOD7QBVg}d&dPwfig$Iv=c zkTHGlC`bplUjN7P3YhL;^Vkp3>>ajFG%V#cy>Gr8ZT`hVGMf&Y`_p;Vh}l6{0W9H7 zKC=w^1Zt8%5O@a#zk!9x1$5|Z5F47!L$zdW=o^smlzULWaSxe_-CNq&W-1T-aZJ^s#Yi)>f>UCRyac+UxlpeK)M@?0F5`ihT(qL<@5b$Q}(F29U$!f#0EQG?cLsS z+311Q&lpy*w$zUHb>fRn8s-7ri7gT!484Xe#yy=K?sOSc%D?;PVh1ddRWC~o4CKFR zD@6tLgRXVbyC6p35;m#cz!vR!NMz6#Kqx-l(uD>;=_m%5$P6I`-Q#sQ_fI(VN*V1;9S0fqhT(Gb(m zwA;%}A;z`o(vJ$h1Z$PBGU&c6VlE~3Fl_P@88A7XZQy!|2{@I>%Q;mlWkiaJAWN$v zM6)2Um+hT^Cr%I^@w>RGP0zwO^FE%Y%+oZzz?s32o`;%W(3rIIF;nDJ^ zAWguIGg#lY1fzJrvJqKEM8WVTKWtHY5&jVDwT+S0e!92!9TXU7(QetB>>q|^)$}>f zNP^lwz!DuRtFgZrs`4|Hzq|i4u3a#)#>Xz&qiuQtmD6{L{mco%r?U^BijNGHFJIP))tG+oVm=9myhZXP_;8Af&3p>;-7iKdpg<(FlSsu{pZyC zU_Z}JK|yzwe+{bi zULn#UFc}`HQzF!$I-80U3ttykK@IOi;v!3Tq69SJEG|(>)rw;qs$pLMtTgekd@rU! zVeF0YF70hP%Gz2OF^2D~ynq13rh@&59poxE&y8+;6!$@Q`c6go`bLPu%MSX05NaeB z-l)~ft#nn16R=gj065$E;|$Mg%f|W50JlA?RmDDpD}B3>_!e8_dj?c9*k@^rDipCw zsS&{F(=tf97nLpId*ybJf?8?0$~UXCH%BF%Q{%7k0)Jg)C2|d5RuQ2+e;<$wxjm)Z z5&6)aFF&V8Ka_WZ{Z575jEl8gU3~{(tfhvA&BaAMao#Jjt~{ZSe>9oq*K&=nzL*;} z5&T#vE3R?0wsZ9(>-lcrlsOWB0j#*2d~ZzsVmeva;-1F!UUqjuI+8+>q37NEn2E`` zGvspQ0!J73%Z7*J{6$obd;U}fF#&=CTc6x^8q`YhS=Pi{B+6m6BbCL1+!7%kX1xV> z)25EJ+y{v}=mcD%%#0LwmK=!^9|x^=HWDX=%|5_=A;RJnprhM{c65z2>wDOq)H^;* zmU~-G?l^isJCN;Z+iI{r!Omj8U{g!$kg<0nU12n8G2S>3X#LK8!p9nZF|*^G<3S|s zR9b_~znIKknRGC8aFOTNJV zkAt=gjrCOmyKTj1hS|Z^qub>ZUkAmv^odBhGFx75lcpJLm!lZ1aaaYC=O90i=bU;x zH_4;rwlppIP5<>9*^~nVa=ZF@7Pv}^#-MyVz|F{T&SX>EStZ5D^$hMZ^;2XqMp5a$ zb6U%1gf*L=BgNf1Zs=;V%rb?SNR!YQvF0wy`MKfnauyK z;`*4=Paki5b zO-tnw!4wzArE@FTH*Iy=rV@0<^s~;Cu2mW$ZJ$nK@}ra~k@y+MVypBc!cPfd+a!MM z{6@K>7RUj3rK2`D!y*}^(O{B*L97@BD`5~TL0-1zT4?TQL(#7B0iu zu2M-EQfzd8c0I<`lcAfLABYlnNqd zYEp^6vL+X(c;Xeyme@lL#3a9{J@K8QAK&;2^E}NL$t#gx;zqd4B;?QF5(|#15<7w+0 z%)pp)*}gOimaa5ay^GTuSfvQ#GA_~l6>Sgs6JU>k1xvgNHXitSSCVYdH5p;)^j##2 zq=FB%V_gbJEWbc6*`{iez!14C3Vy$d-0yH-(+?LM!FUCl0(5xdToYj}(Zs;U?K%gv zk+!^VBE>skhNTiY_R9Q zCBJgti8FXx-nS@N9^PisPGy}NJ_AGTw_0+S_h*&eW!a$RQY06)BVNy5h%5?<_~&6#r=0mu*$~ zhc}h7=K4|WEdCjAPo2RipK6fWQLZ!0*ID`kcOfynnP7M%zRZr7iC@n)(#dPFRjV=l)fn z0w`JDdyxF0R@Q2byP`=){wOsb^mohK3AC$avwS~lm;qBh^*Fb;p_xwg`AiMN`D7&p zE7J#CuJp1!N0@t~t?%-Ar?Qo3jq4blLj9{SML7nOqyJ-nDs`Z$gm#pjmA+JgwWeYY z)m>T^(-_Gt(4mnvYs@R#oA(+Pt)B5Pen;6I5j249uQO}r9+A6h&>4D+X?zsx^zjR#jd!`x^#2iOoMwT*#3eh9U}%BZ4M$^VSDWhYo`S^3CGGLl)UJ@S+E3^IFp zVzb>p+jBqlEZa$b7Ok_u)6b!G0xTaqkCb@I7eldGAjzzYfGa1k@}So8xyzx8%Tv4e z%(0OC+K$k;vGYAR?>gJ~p{0DE5XawNuT;*!^|6z;0D%zyk>zi)Fu8mo+WUkesFlN< zFj#4)1}|e}!O1`c_qzFEH@Dr~*Q88R374n<*Ky`4#7s%lxV-h}0@JxJT!rjZvzOS^ z#{RHV$hMs>|5ubPF}$8x8mk#{8u7E-`++wE*=71(N6)yCUqqif!@Lvg=%(d6SuSbY z@|f;g(|9dkYOv_I)Hc8ag@uf20u0Bt^L;?TpT->28T$@%RX0|h!sy9!UsD+heVnT1 zD%iuY1E@!WG{VciL9D_h306xF_%qmvmbYQwfnh`xu#HBM+-E@b-9Ya!XSWL!75}K% z@=i@vhO_vwZQJE4ie1SLqy<+F-<LEuI4yKQx(lk|ZWh<(IV@Du{`w*abQU-@Mu9tc~Q z2V!}mwq8r-TaU9|5RMIh(~3&~EU}Rt>{@jGxbl<+P4iw+OQ%t=lW9VfsV15%66Z^q zSn&|?9=wG1n!nbv^Rnby{Lul=;A#ry0HVK1Lx$WnmG`hOHx0Y8JooZ0ppOcXJhwT4WJU8d# zw;W%8GxJY51^=S!smQq&*&iRiQIT1He)w92{I~r5F&WptaU<@VisQCvy8gy(+rS_5 z{r?-ojpW=Wt5E*en)YqeaQ)_uIR1NLErZui{pt?HJl z_+wAMN{eu#Vc)KK-rQxc-@iHKx8DCRNx8Kd-nJV5T-1O0r9UU@dU9_2rRz6uymm{2 zx%IREeQ5h{3ID4x+(=H=9|nY*V))ZIa_flsKcwX^#dNzg-LCllTHm=|vj1BQw@brs z`MjxIesA`-PCK{z((jLE|9=gN3SeZbN_bio7Kv^~k-RRsgfWVKzYdHmzl$_sdFT3#TLhuZn{M1J17-czV6Qi} zKX$G#eo*qwTv^vs;D+nB&}Ln~p}>t>7__e6$c7tX;p2Mp{xCkv*IEq>4A%sue=C3e zsar!TZ@gr$Lg@dfw}5%8u&9WrP%nUi>kXk8LJ5t#_kly-S0B)q>ihNR4@Vi?D2Ffr z!axWW5GpB*2ElnSgenL_APj{7zSAfOVHkwr5Jo@2ooVpg6}lIc`}@*!1+!Jr|28?Q}xsI)9D#-aVA`x1z|RXCK{*A zxpv%jm+k)dw%i0RNP^?W^_@^xH*(@{C~Z%-XpIM-RM{3jz9rK3<_5qN`#&AyPpZ@H z2I`x&tQ%w0jbFd_w3`HqTZZ9l-TVeJE@0^XpN{dL<@-MlySE6oe-tThEAU+#z<;lu ze;QPHs z*KgijdE6ac1y>4oy|G6{YF517=bpK<&yEWSX_~`%X7*~78zY%!;I2`>^$G9!*tdTSI z=2TY!n4{Ce_|qdo<0p-Fy1?WOw{A6fM_#*^aQz279-Vd#Rv90TLALkr+Io|O8!^1D zb|kRwsf>qXj4QG65p4Tz&Q?H(hCgB9_Iflo;=64US4iB&nBLsozol|v{5TfA>z_2K zBs9v|XMo??-Q~=2XByyQX=t3l>0FsE8Fx^ONT;~6;%I>2tL5`_vL`F2BmwC&Wm$=( z2T2)7>rrwF1|w~j%Z2B`E(D#+m6L;w;FGMA;VC>G8>N9r>&kMKCm^lcm0dC)Y2?h( zhv9Ed(L$ul%#gE7CWW8QbmIiP8}^@se`mopjp8ZqhBX;ks;ANc0qTn zm9sqsfJ)=a7_tVVZ0ZZK!1Jaq)8$ft2Ly0MOP_{>WM+cbr|$|xlVOd+m2w=`DoRdC zN2JZp&cqX8Z@~hsOU@7n=5Y7B*O>W-?3TQXkTDl%Tv}IlR_RKtlXK*Zf>Nw; z1I91bW@h9ReFyP*@(X>h!IKJjuNtLkkTF+QM#0JOmGUEMjoS^|9J=!tAfH)9Z>h97 znVyn5q?L2BOB+<$tjx@CE;3!2kWVdC1@)OYmS3oKd9tiy@FUzj8gW6)JpqbUX+9Iam7M`_rI3h{Eh>m3%i0EeNFXPk z(s>$qU#1pf2|zLyW%%MDJ|)}wSRQ~^dlsm0g6Ce1k`q$!+dQXrxs{@$YK@Y$?kC&< zT8P=to-kMgP~G$+;Y(+ zXk4;2Oev?yakX{9d3-t4|2AlO&?pU9ld0rSS1KSv*|lyv9wZ-t=iJl*oFGgr8Ku%> zGmZyp&b+HDo5!y+2w>hqp2_sDt=!`60-I;w}o|qU;DHS8vCDem^AL z_$`5*lPI$g17yKCc-)mky$Zy3P{Z!h#VTlEl^s<`E`I_3RK7}SWsfU#7EhKJLp#p4 zrum>wG7T?9;ph1?8n>tXDXk_aqbO1ZIm^m`G3n=L9rYP{mtNLq>a+B2y+X3D9ywPJ4;)yHyny@G2@ZW{eXic8?gB?wIP`vf zURgItes>7@kemVtJs|XiPzV7W%KvCYL4Dv_UkCvRr4af-=nvtxwiLMjKiN_s9skyr zLgDWET78{H`%0)#FxF{p(lZ*5H-b8lq|(QkS98h}u+HM%{~%9_x`_m5lW2 z+2MaOh$c(b7k&`*-LD93+JtbXmgl*Lj;jp(1CR+p7oEa3{{AbyCtI~=gFTMN~p1A1~Gh{#9} zUz;)|Au{|J)vVR()zko8q#j5Mh9*EYCu@>1UNRy%B8h^3;0rXw6Mi+EhSQ4a0cLANU27nw!OOX=31vp3WCEY{Z{RBB8_VzZ0jF`YTvN-YPJ8l zME^}W-?rNOa$SF?>(Bt12n?a&T316YU*kVO5#iLs0k!<5np=7+VaN4{Zms1%UxoKS z$1wdPbT|g9A@@*v$&lp)bzk@!n^IW&!PCo93ZZ57T%H0yY=z6Av~_9LBz&zhRa69y z(m|1CKz$gXA*yNJI5orr6`ZDlGe8?#3YSBFUYb(4y(XoVs!Z>?{IjQPl2HaUhh*3i z4P7k(8WpsK44jKK5QhfmLsHrxzdDVIWgpfREl;sht!ODW48A`l4I<4@C8@&+O;#mi zIIA@(+nlFvt({U(aeu3w-IVcbjqUr*P&@a-ALx{SE{SmM{P`-nZS8!~1Pm#sfkNV% zsQklhb?>oIhS%3G!mB9BVQP0>%GH&YtIH&q=~-JhDS2eWgb9sOa^cA2iFGxhI+B?j zwiG2#8Xc;|l)f=JI3dKQrS+<=9g#dfR0kVcsQ5dtlD~sY1xz(SDmE-QZUit?j2ah8 z9zHraF*Ff(jY|fca4FdffSuJ7>3h8(;!F(D?%&BMi1#XOeWotFZ$@SjIgGnwi~cGx z8JWZ{BpGZUee#I9&_wDdc$4}Rm@AYBjH~cIX9RT=>+v|BjICN-a}P6|kSdLGbP#|x`STp3{toDb7GJ2LXzGe?KI)5J3&YKBdy{O!yg?*#{f>IpU zno7Um%xGe`v|t9#=iK_z-rIo<0*Q$w7QMpTnl%yU9`94D8;mdd|ofhE|g~RJ3#!@u9p# zL_GmJbmes#(oy90mr%<|9RG73z%S`TQdCkY9F@ypk6KT$baXqmi$ zx6;eyJJISpsdl*Yf|VqO`%H5f6*~7lv(*@So?HoIt4oI>F8J{-+)?PjZ3gOE`hGcH z!yZD7yB?(~z{TdkbHQjG#MVgW;%G9R?M4{k8(f6ewhmJKnybj>dqSZ>NNO0cz*Zk( z?$gp8*;r~hpRu)L-qR>dG`eP^SZYVq;Bq@c{q{vm$JND)HH9OWeM6O!+^vXy2t1zg zQEMJPBxG3wOmBh{oDry$acEIG$#e{Wz4XdJL~(N}kaJqo2I3M1;8j{_th#s_aDMv9 zf+^>0A>f(4@a_3Sp`JV}NUl5CR#X?(ok_n+i~*ditZBn4T5N474e;~JYZ z!-J+OEe)ia06NuAm;@**+!XFf+Jbp|oZzFP!C{nS$xlRjyCOWlS=Bfh3K(w}8U#1) zgJUKuNGxsG=^x(q0nVnUaRt;jkS!oE?n?2b5qE1iDIT> z&ID9Te;05LH$E3dFD4^#CRu8q$O4I?`%|_OKleBYBDiIL97nFAxP>j>Hp?Rd+vEg}f zi1`;Cd=g*|oHS@3EF*0}R3<6q+HqUp1@Ok?GUX=`v_5846!j4FYa65W#v}G1bmK$x z;@tJQlPJOc3t?O?@u!-Ofg$W2@+mcJ>1K-$Op>Rl={tm3llvmp%=Y71XO8eFRfhE> zq>&yq^O~2a0eJM65Sdf4?GfxbbxeAPinci z>fZh(Tx=PTkn*cY$a&OwiqtH&c0kpu72H9LrzpaR|6tUt+!gUvq-NP@!T_2|Uu9hk z5bheueP9wOxEqO6P;imXwnmTFV3RdUi09|zuggnDmUc1CpNTz$+!@Tq9MYvNy|@U5 zR}*k3<>U7JG+!>_8u)R1AtwNN0<{-6aGwza(A8A#MWh_}GStx26LcKEjjEE95LZnn zR#GbbV?d2{fZOjmL={MDkraiYnhPgWWzaMEzPJiD3)9>fa>(0X#hFPX=Or<@9fbMl z%A)A2v>SMyEsyM5w>pWPApV3Cl}&2e5bDHQgn9rGfi+rR(=Ya!tbw0S8HBEQ4M`_O zQY-SEAi_@E1E3k2>WjWH@Qw6P`%+-@uE@z-1RU3-KJNp(??Kl`!g0~#4>G)@og{nh|#so&w8|a)lfHiwkXP88+63tfk2HnnV^66-U z^$M*s9MIX4Vo49PE|&CU8K9_+rHWV@Cwu!K!)Be$X`tts%?8Q`-8XA#KPD-EX zXb>1;XMAJ7=Ym8iD(E96lh1(_6qx7B&e6lYE`;ad6vI1O6pv-Jo5*7lNlSrlj3^8$%wR?>NgqoALBVD?29&Mn4xNb`3y%H(M#K5gAQaxUU0 zgMAAsLZt2`xkYC1)c~P_+XG+{)hvG66~`O6*GVkDMwsD)B3cCVw3%z<1%J6X2_=Un zqltz*eZD0$jJXg)*5OrD0*=cE1bb@7p_6n+ZY;GHxRhpm%->r)i(1J0+2qrc@G_3| zXvxXb-Ok3?Gs^>jg3kbaXFAteXe9@&T1FJS4dmp@9z%jzj2K7=1goD+)tM?1+qAh}o_+r+N^7E5~h98ShE-@=Y{hFn_seickU+~qKas}e+-o@cTxGW z0TQvmhH&pDrWCklKQsLj!(Lz(M1|bqMV9kDh6^5wTeh528V^}h>`zjC-BQEnltS{H zK{*z2E}@9+401tN;-T#Pdc*c8u}_f|F*{lF1rF~8z?F$(zzb-L$ll{^#9TKv88_vR zXJXR$|~S@C*Q- z#dv8A!l|@gc*$Bm@+6`L=6{R304Hyi-2_-3!Ff$N)Cut=`9qb^$e!0o*~jpw+6isT&^XH>Z~-q|)HboO92-^#_)bs}(nMq_)WJw_dI4Qz^rqPA;%IhJB()Uo z$>4#vMn@IkP52`3haM;FBniH!k=#+`kG2f5LegQUJ>}C#ryaYk_T-PgU3VBdulRtx zM0X%~VKm7*KiRM-nis^^c!u^)o+RwMOxXbhn#`rY@Q%{qIsWSWAB?%Wvl1#OPBCcN ziYEEn2tK}SkoBqjT_uewKoUq7y5LaA;QuF#r#?iL)bFC`T@$GhJh+=v-AdLV;5TV^ zY6I5^Jiilh9oNe3xqmh)?yZrgn~IWcsyHeU!~o|QD<=p)r4>%3k|{s~%^yL(X82S~ zbL3@36Av8K((_2pi4wmDe1HFWn5pvfDyEu#W&`VMR{lndg{PCgTugB-r>8pxb`uHu z$r#fHhN>=jR@L;xxu2C-wbC1%-WbH89w;3z0I3YnA`9Q6+UsB^M>_aJBqLJg98{A^ z^|lYP%#9&wcnsBp8UU`$R2Ds22MS0!PKBrVu9Tw)%q-bRG90u69~xDce;@OUmVO+& zaNCSmsgdYc(-Cdk6KzM#I~i8*J4Mk|>n3gdC)Gn@k@GOyzOloBvwV8RYasqw7%lV} zq66$vA(q?7#|c|_j(-x)+i8y9b*vX{;&;Jw+%AeYX`^Yyd^WaaJ%DVMAonBSFqlcU z6pycdgLlz+%P!F|<^|DwZ<^0rgZu*N4<3`!mkD&I=AY%Bg#Co?F1s+-QrsRm!>IhW zy*Q3rM23}ZB}@6XomGlEC&Ap5gs8Q}GZqz?lW3CeddJ9VslnERY$LUv*kCU0j|!NlB=D^yzpgu7lz<8{ z5TgS(_M$|JnyiuDuytaLG~;L>rz)J>ksUzvSbmidMwd={coC+!{2^3V^5L#aIN$k& z7$8o^bJhiqDWw?LF-x%zTX5gdi|zrs+7Z&bTOT((qpg2xV-Xcwam=_>+cv|?qq9If zhEt3tV$9NEhhUOL803t89U5hNKN=EvN&v?gz?yReqInaw6j$O4q=1XH@4)-HSnC?u zfP`7ZRx%qAQ(hBtHZK@&NQtsXQ6DtTe$-j8(xA>%x2@c~jC3tI4 z*)Vd?sk@lQIDA*IhUzR&qo}!Fn9=*g9MJ{83}W6Z)EufmZ>A?w{jibR2_!#WHxj^- zLFJwR{}jaM;&i}+)ktpJoBX+LGd9zP`o}}kUagpJ>`9utmDZ?Dd=yng7Se{|uC^ox zHKYWFp11JWqJ>G;D?scr8_`3C{9S`H*KH`uLdC1MP680|mX>PjoJM-WG@E8FGfJ$+ zIx4r>G93ufb<9*9^kTXYNGAk^bGk2c2LHv4JB2M3qo~=eBE6=OI-;KraRY{ABL4&Q z=ee)3#)3jL6FfMFU?105`5fX!euTBRaM3jt2lDUGHG)>Z?hr1+My^07C99C-9ruDy z&DGk|00_dx80%?P$X{7?QGAwkv4~n6OLv#!5GmwhONu~HIsYiBfFYni8$OcokDef($sp*805|r0XwQm==&iXZYN_BH- zHZl#R( z7<@?KQI$d9EoZtu-h&zsQnT_O zw&t?4p`A3UE(9p9V1NfJ$+RPlb`V4>uF^Aa`W* zeB9o?k}AZnp4}=m*$*vRM>Asg8aJx5^|i}JLd`;%>lKF-f^z6E$z>xq31$g}%N2XLyDc~tb3DmS0`L<@`OHD-VoKMu1h zRVh_s%4o0m$S{)f?@7S0`W@Acsu1!}ssxy}780VqmByqLnB?hf0ZWD~Wi}_Aetw!2jzk8pstIqmf+h8i* zpKN(Z#~MQS+JS49>(tx{cf!U(hPMSSg0*NV=V|+ikH_OlM{5Z;np>;HBQR>j!+^-L zTi4>XR4fn(^h10Cw75`Pq1*cqNV`<8Dp^TH0oTT^;$Y83z+ya2fv#bBdi}`!=ktSg8UHG)-M>vZNfd+cL^B03pQXPTpn z?w3ygjh!Z*2y2)HWSZsm=rG055bI@Z#_9P=@kh3?BA#VvNG=*=a!T}Nx(RQg22y5k z1)_?m9q!>&Eal>2@hnHc#3fLrlrM0w@FW^V4v?b2G;+{c1_}#bKvMU8%~h1tAmT+Y zNnB%f6Rom3c#umG|*khOWjlho_z(P-p9JAjrmd$T#8@GuNSGx0vjk7gVviKc$hn5GVG43GlXopg*Rk#-YXfeur}TrR~FSP_-$ z`x#RQtOxSHG>tNvE9{`Z4=kibtGzS5f=XdGu|>pKc{k!pi7nT{uidr6T|p%&cOW0g z7fMKi`K3kv0dak)-Ts%UpO{CrV4z}3x*-%<{I`AG$v_5rXBSmXB_GF)mEs~>KBhX7 zIw@JC&T!j_Bo!id2QJI|gm8V_Q(Xu70b(Wns{b6;Q}ZZ}8^dQbrF!Qf>i@C#?Qv06 zZMbUGmE}|eK@g-U##^PU-ZV@$kEPqh|w(tu` zmXNQM=iz%x+Y}RWf+hb0r$4=^s~AyQV>+4*k~$9kl_;!XCUW6xHgKU$YlJ>bzUHw( z#@Ds$l5u~g`r>*>pPLX<0X6;uA@cRSY8+P-RThRS${z3&C7Wh!7xoS6PzMu#VIczN zj!Co+7f!FBV$%f?zm<`r*{|WBypcm&rC*J9nqPIB4l#GLEDJmST1`8?#N-ejf{>w5 ztW8E~Plb_{;0(!3aC{p~2Z2ckJ!Q(!(|CMPH(F07P&=a`<=KZ2F}n^SJeuU?wZd|b zJZr8riH4mj?YW5KpAubOTQDgQ}a_M2% z#@O+}QjxOUWL=8Ey^q>$TLNrX1~RKWi{zKW?9tgvkZxV5$1S%6IR~KJX!cJ*e^Oie z;p@ioP}As+NQsYN-!sCHw8~il-fe807+5iWLM*CjDeF=FVJ?B;VSqf*V)}=kV>Gd< zj^VP=@POl=W7?7$)qO3T2dm0&o%1PKp>QlgiK5O`wza)7EwbnASJmUkhQo!e%8QhAXIn? zYZ}JuTa z8`pATP{T>8M?Q94K4gH6gCOyY^K)he8KYgTh>U>Vm96a&%Jg@K$fFVIwl)(nSF5W# zrel|J3qU(FQ0cdU@@qOa%I}g}0yH|NZWD=aD1u0$;T8Ci^?jf=NJ)p1B&dVOrI1sr z2{4SbQn_&?n~}gCQL>4Y*CtJXsc9o*7^qsFiHMt4F(NZgm?uP;yOUCZ7w179T)#`h z@ceq=G7Jf3byBNgE5(nR56HU)(j@fRmg~8_8#d*p7QM}m=~43&T#pHX#yr<7)ELXp zk{-pqHSAP+Cuo56f!}%2Qh4vAaR0rml`cF3O!4NN=6)up`%z&h2 z4C}vPC@CgAIUTvovq?>iqwHSJjc%5|y3t~hqoYKQ87pd-;ZiA$er@cZbO%4sH* z{((t5OXnFcN>WW#h!|yBCKRTkf>~lL^zIo*7)<9-38ZphpBCw#2>Y}{u;xEjI2=M* z5RuavBlw~ChIb+REJq_VjLu%jr3-40X%hgiSBX{}y1R>H^!pn%~l@nXZ`6y&%;v+T0bK24B&R4b7f{AgX{AB>Q@+ zv04I=e7c1y+EZ#}gCMfXpZkqou)dhI%u z5N6H*Et&!7(iJi3MCAG4+J1Z}ox+DQQ~0os-((8UGEla2lhg9_S37N_{h>gE^M^V4sx_>EI#E9(Smr3-uA(YTEd|=1G-& zgggN;?+T5qf;sPP8Pc85cr+IF^>{A1o%5lI{wNwC?cEm{W0rphX*8)ppT^@bLpJY? z;-Zb82qLZ&SYsGx$&Dz8r~Tn@y>PfWe5g4E4!IZ(dBnUiF}Tuvf=>gP9xEOrTQKoE zESQ~Sa;Oy`wlDHNtZ577HEgjOY#%gagyyyq=UW1lNdcOg!9)#lFxka!?4A3oaU-Ml zgr&_U(bn0ym$}g0Uf4ITRqy z9zp%s?i1kJ(Sd>QfN{?WJy%W^LO;IA%_lb@iEH6l<5Zr}=4WxCPQV-gu!oRBIED3a zN)zF9CJ8JpgUD?%d{4;^#*Kf-?4f zF<)4ARf9J(t#~;TYk$?8aH1E@CI#l3RKMghA}@kPtINh#vG_5spFz9&Fl8aXGe=-jp>o zQQSXJ-tD-gZ4I`4!!%8S;by$QWg4~Bugb09LX&oPpybk9kkWdki)QZ>`(ehw77oz| zv&Jq-ht(hsu~GlC))dUL!vu4tHag5a2Qo0x#t~FUP1<>SnktH&DJr4N{wfPnJwp7fROGjC!CeM5N4(=$IF8C91i;#kq9 zJ)~o&NV&c7c};yREnzD7UQ8Gy6$1rsyO{HtOFpGj9Doz7ptPO$LN^nrI47P!Wandc}Z zNVillDQ$nSF92C_?nOxBrGZ&@M{u)IBbae6Xz^@BkZ62dh!CEDRbZPKuKh_VmO`#^ z5fb(jT}hoi8~ZfHMi+}C*`aZ3>}4XuofyJ(5njgq zsl~89jDI-?Jg26kjA&lKcHt5(Bd1BEy$9sqW6U3tcf?$q4xn0Wg3VeV&WGmW#h4|L zh1Hn)w(F{~g^1sU50F%@4G+uOg3)bDIb$5DKdL4lo8~i` z`;6(Ns^*x$I!~%Ji`DE3R)0#x3^WamkP=PbhtgdApfDy^(;Q{1-c0#u53)U z8ndy{-<#a^T8mQ~d6c~kV@HPTm{3-Wc7VP`C) zwr7w#ZarOyd;5Q&J?L57FUjL#FxgJ*fRz-(PMhA@46-tnr;{P3dNGs5*cc$zhyFKIV3nbFg3FRyyu0NFu&Z zhJ(%`cM)%=W{5yPX2Zhd6By6XbqmwX)Id@_--<{ZL|DVvD{}$-ftd6u^6UO%B%H3~ zBk+@f^2*%I^UtN7V%LS>l(S!Yhp=BO{oAi@We=#%{%OAqIpX~$0)nra@00jM4xpnm zj@@>8*Yv_@@`@}3XiqVsq1+;BYM=1w!6k=Hn$}Q9rtvH-hb1}5V&ZYGN6ih!Yw1M* z>h11@_FymzvmH+qlEp)~jt&!f@|ngN#l#vO(If@18#H8)d@qQ6lY5$9OWf`=uC*XH zCPTnD#8d1zjdZ-9#M0gLG+m3fS>8~>3i5TprC{4R%xLr*l}sr91mN^dJ)6~9*=u71 zG>gs5&%1A)8cqh%-3_3{;!KS&rP`-!UM*D9`{jrk{ z;JblNmGJomC|J|eRF%?a~SU8-rG(lIHJt>l?Z z;S>*6QnmxhxY9`Z(?Uqwq}XegjLR#ZF;fvp|n?26Ccq4Clqd^j=D(R_q%FKyhOUpG;V zBfU`~X_JQqwN0_5C`R2wu*7?YYs*=(qhl$`^Qc_?5io(QRmLKg7pp)gs{nj_zez0c{8j|~(r8-17 zqv;dk?#n(BlC}y60FRc2+ERi{17hrtixCgzkkZ`Mv>&+G=Vv45P6%euiDkyeika|y zm?^8Xx1h2&b#pSEnS-_6R+_&DoV362+jHIV*vZ6^hRK)i+ju(vl(EuQ8=g z%s_^p!^9|v-YSvtsx+PIS~s$TRgQ239%;^SBtFhNfu0c|JPFQJ{F5ZgmWgdC$TQ8c zkkDe^G$>NZBQaH7%DRU57O&FG)%_~$hshR>54f)~ z-{@bKai55^zP4ZGYIsXKa^6({(s!PzOlrg7rGIi!!gIn9+*7>7^^%gD(Ma6MOtRO4 zx5MMYX#F87%x4n0bU8T?65QAD0*HM!IEpDBsT&cJ>ymPX3F0R?A0WP&PRA8Sb92`k z2iqK>FACS(4znzbWDn^K>(tsqVdAoy`RsnJ(9Z6QDl1_3t4W@`m9A+3x>?qUDAE)8 zEgGk83}Yzd%U9_8>B^eV= zx&r~c-WN!I<``!T+WkyNX6B~|_gMOv9`htqG?0qYY|db*ir~VTN$z&-8MUE{7WscNrN<61X>U8a2S2ZU?kpq0jj;f%$?gEj*XbWMTuEroWtAs?)ZIQqZi= z&*Ql3rJ0uBK%w5WU(e_**G0V6m?<99BxVGbLRzinTk>a%)f}%|tj1%_A#Fm9PngI( zUfZ8c;xt=Ua+d>RA0C{O2B!qW}7fZJZdE>l>Xc@%$#WRhR? zIaZ?&Cv(x)fdqx{wL7v5nI~Y-eNOGVYrdz2#5peNK)9%n3 ziHU1iGz-X0AIND)7ZeM0WaCRYJYt=UIGY`yZqCb}gM?V%nposBh`vW3$piDJ-iZG> zKLgp$0mkorjcem0g%{+3h*ZI8$n-fXW~ZUuKI2dFH;8k2Tx@S8&pD4FEV_=d%qBT1 zJ9nFJWqZ89Xm`bNF}1mQLv@zL9oHkwUB{%>N0!avSvFi^rzktP+H>!;GfjM$|3k|q z9;lXjG6+J@fe2SJ8~hhZtb8$mnaaoLiui5O2RpdFF-RE2PJb+eHtOf4pZLtq92fs z$#?*>#`ZRbTv4UewI&OzfjJfr!QTMG(<*FYFHlX-P>4O6nOi?Nmg~rt92x1F^Nb!k zUT#S+E{44&dHlEm*O5)yd}{pJS*b8d3{Jw|JJKU8qe~pC@u-<7LrrHrF&aD1B6?u* zOq|^vgWDFl%VqL!lBWXYYnJuOtM{wEO^RDyAi=Bk{5g%_M6${o)o zGC5hhqoo4$o9;6fGE(1C(|!gE{~9Ue=s5;O`*={X3xKcPQ5E zci{JMV_7TLXWRbL^CZf#JUxk`}ncifA< zC?<&|mi^#&K<)h8$&aDd(Ar#a;wg?qv2$3n-_oT!Nn%DLzxI8l`)jN&2!c>EQuJ|u z7%wQlz{nJyX}n(f708d~KF#TCKQ^3EQ76RJy&w;i&WAZNP;NItuPsnn-VbF*hv1`- z>tEzv&PHcF$b0~b+QR+sIf zb5W`7*Y1oi2}z^q0P+EB6{pe%cW#n{fwH8V*iG7J|CxPWMW4WtwlW37Wf=p^{Mc8h z!4l#afl8JN0#=#ED)otC!9fxW4lS^KYk+n0E`6U12UCdMFjSgf!-t8M-|Lu%#JxmF zs`6IJDPVXfv!PP2OH2KBAXg8-(><&Gv2>vRemv>n7#CJ3BTsT;IcRV9be_dPvKMRc zdO*&Wh2Vb9jfl_1-SL#>lh&a$i~GvZU#lCc!monO+;EbC&4h>9k}L<|^T$F+9j~>4 z!>$!K*pg9Nt_`BH*MW+foDo1)kz6@9PP&A?G-dRZN)11<-b$UKyKW@~7DIU1SWa^z zz5Yl?Wed&W*xDeTVUJT&J}tkVl^Q{_EJZewO0IJ`WTXC6Z%D&4Z`RI{PX^K*;!ucy z%a#vAv=@7o(&=}0Bn8`6D#|~ySJ%94cs3-hjf;fb?kejZ+b0A9Kj^b5cuRH)LKhuv zD)7aat4cChW~tVU5H)p$XS>qAFrJh7u(oab7nPO>jq!exe)s#DuPEKO|7~WFL#-u4 zalCEGMpB1{Xa8nMn$;YueIoWj0~pzhR6Tc=zDA&Ws9ylC<)G4i0I?ja+B>UNG8D7= zJA(mDJ>%aey7+vq#`XxRX>+_J>GFK6FO&>`jAMqvISB5O&~ReM_`4jbqB=xzII3xKPavYI-z+ zIQ0v{%720|&kNM7iGs6qj{)M<{*VRlm<6gDqewvxuVofY{$Y@|C~R8_?STRdBO}TV zn$Kh%Q2_KPy`YU|Dq>K!FA;tHRpsCC%2R{quRodP02IU5j@|usyFLE5_3{?uAb3K7^ zW@#8?xaZ*S(QwCyL7qvbol+xT^cH0u*+IlgOD=w?0ot^@UUxw~_W_>OHr6FOyj3%SP1{4_Mh!rCBA)_axUEJ4wyL$pF?k$ryyKz?S^WI6&Jk3`fxskf)%D5=73x6a-@$@tGaZfuhK`j@r)7&+07Y?D)}H%Nh5ub~9?3;-BKs4#B&BDP8`3bpJfoQCA72 zqyOA|c<%oa)9ifZKgyba*OC5n^Y1tM=VoP9S?NsqU$5*u-~UN^^WQ?8e}Cq`9{u}6 zJI=rJO%vlf-|Rmd;_uJS0>bzI+D88zR!4#7|Naty`u@K(#Q(F>5J#F`{!h^%=;G6+ z&wW^7y>(-d_V&+UnfLh1!KTwKP-E>t3IBh1{%ZjKKQcW3Yqk6G#R~rPpn?30v{Qv* z>0;cMfq@M5?Va;q$1Eyy0;hx-kl|xG}#;|asV=}|qu+E8rWB`35A)>P= zUM=RQ0vg5qbuTs3`q=~Ov}>5jJ$FW@P0s4El4aY8N>wgY;k3zVanZsI)i*p8xw za3<#O>UA7Nen8r+NMsCxeGR|)VI?~lyg}`f9M3puT#gzu3D#VifXd7^^RGx``cMm) z>mZ4dV7oZJvvR!xwj*7o&jB#?dyu>9!D) z2_9QMhXNlb$?xkU$p94?fxTp}?yMNkSm=9)&%$xu!<|Lt_P^8})#LX0=D$!JGae`8 zj6paOvfN;JUL9+^5hxoNJuTs%RYG}r836ex8XOkEY|qySr34e>9%=@>-JvI7^tea( zx5mIC*x9|Sdf@HuRYG^9XUd3tFJD5Hhe;oC7tW|(fSZ9gy2rS_qn?`o z5RV}`VOz$1Zx5GO5jcHXO@bU2;Em5o=&1J285~$Td;bvRuO07x)ick!to(;S5EXcW zh6T!9lA!2S_|lqAqwId00=p~i81I($7=M@ck%iXTwp7H8RF3n{w9lqJ-I?YzX{hfT zZz=zV?-rlVab#9&TVUyU`(8dKyEo$gprh^QjQ7cBL>Sc-883-lTWowK=}%8^5rMKf zsRFvsEMX8A6DSKz5?LXPTb@?7ql^*5-~IEk*m zw>wZy0HbZYjUZk1jqZsiBS10CzxO2o1o3g4s=wN=zQ@^6aL2R^uK;e!H9NcS_(E<&ypE}o7y$q zRJYP4ZF{drz@!K9Jb?l~7@i$0scUFyB-d()^RA zml9x=vZ44V?mVtA-un7moZ7}1 zAh2ettWe#}+@tIDmx0%wGg?6h+AHkow0H4Eg145QVqCs&smp$iRFSK`q*AxEHX}_+ z(E6w}kF%Ja@DnDZLM@^$*1(9v$P~9njKFdie@%L(^(k3I+S2zqOkUTSO_MvH33a}PYtI9XFceIG$7FfsD0uvnlW!#v^C$Y()2(-=B~ ziuw~2i+mRMK~00>WI$COZmF@iJZe1Y&MbIegG2BcPUDUiv|O5?#V-A7AV0c?+hFLG zjwe-|$&C zj=i?R0AC(W5Hj&fQc8t}=V>TeW^SjPF{Co%_(uO4xU4^DBdOGb(>Gm z6W4sZ^-bUir_)HB&PN*0;PJc$QY~6GQJHa#kII5%M@>yp(ob|!rO~eyuaz#ezK9uX z8+BO!AP&!2vxF`Cdx0Fn`^03NU^9YB8rY%#3f*O%h1SWoZr zvD|%7G#X!aE$?+q&$WEw7>1-;@^i~y_=0AtQnLCEW1eQaOYBxA5-8N3eOwX+Cr{qo zI-Xl>K5eKAZ5;w+%cK2wSUx0c=rEvbYw2?xDeIc<+#J#v| zgnz#y4tLDz*WKT7-8~mLh)M|G5^B7b){5f|3N=jB$82VeUKvsxkIWD3oAEH5X>MRd zZYd4r_L_h2ufyL6G3*sJ)>h7uSnmT?qXx>f$#yxg?m*=XX>*CbeX3rmX&fkAC&s2W z91qEiwG^1tGmdXC3}lf1!8jq!UC4F8bL{=Wz?oZY>w+37SxBbaEjXUI%>D6R@aOBO zI*vhxG8!nGbl|LN$f-r5rQ$Sog{!#(LT}oIK1mO7g9$rt0n%ry#lcb#9pwK``b?_D zN2R3@p)^dPW445s_9%GPQ=M}U5l2G-Nx?<#qNezk0+PAA5YMU{%-bN(7fO=&av)J3 z!;uC3pghc1cEVR8eI#gG0+=6h1D*&%JY_Ohjg$BVX)XAXf>j+IvGNSAwnOa))|nT$ zj~Vu=;FyJU{-X3$!8 zVpX*tv;9KFK=yNm*YQjzad}7LNCy(741Od@T zPUaJ=NgW@lSkcIPotJ~G?xFx-M_^~qxsSLElS*lbGg^>=_I+}5MgbfAn7c= z&g;x)-MO+_bv)l~^35@F*j3OosTP6}PX-_9WwI>jcn!peRK|;VH{@0;ppac#_Kh{t zHZ{mG6YH-iZ}iCOg^gS4&%jWRV>6WQBT_5}DhPNVe9z3)`)xi4jx?N8wVV7)tq%HC z`xDT5z3>Ds4F3pEaol>FIpwOOjJ{T_vwKJ6l%0D>azDeZ5#g;Sfa<1s!k zxOAqfou3D^m~y|&U0>Gb`@QT7d#iOQiQFH~xQk6lAFP(j%?HijfVbWbsH*kb^vGRj z+pcieN#PkKR+ByacqBHJyo^nHUyOyL{Qh>or%2&#@ln^}qqpap_*1yJ33Y>|E)YEJ^bOOTS2bKMeWt)sdNOyKF$O5` z1%q*)J5xwX)pXx#(xv5k=@?i^u@l;(PS{LhipNkg$k=CFh~`68&PPEc$~6s3qn$tK zEY*~b(Kj#v=p7^pwL|BgPg5K6SWT6(Y&>yKe?HLAsHEMjJHzyE@27*9iu(C@K*1QO4~IX5E%UL? zKLk%^<0<_XhM^I7;CNAObc+L~jWG>X`VT^|-mW=yfj1R?tnid`U!{q-H~prutNsDx zNV6s(XuM~M@T1@`bc?nfA=u(7R8-UlrCk?`E0ejOq@niSuC9Sw2HjiDURL4+03Y*M zcf@`mQr9i0xxptjU-3_^-b{u{--{8in_>TBnQd}g>?QR>%0#f8*29*ooz_{;0~o(U z-mF;j1x?Yv6l$wL_B!`=7?`xsIMd4!F1s79Eyp)be2;67XCTYu5~V-Kc;9-U-~`8I zGnnRHDw!xV38n?+V*1akG3_OTc*xB$XV>0A)vyDa? zBc+G<(e4=~7u>;Sj1P)}_9G>r*;L3m8Fc9bV6~eAMm-1sD&aUk03qe1si6K-B2>+& zBK&E*3cKNeJnh-`kn_Le40D)tS}(-eRw&XY@;$58Vspk&(O_ug3%y#=!c__3!WaAk z{8W8UJVb=>t#Xvu*O~@v$=NeF&2bCWH)>BQ&whG~@R4rb^NsY8G=kT;4{=*+%P!V| z%En1Ov!U6?rL-0~PoT;-ApW~d;ypjg5a>+jicqP^WQJ(yBy={zK-QliMVI0{^IgQkC(gTc92~&!A9=@%D6_ zWbDNx>Rn26n^@1pRZgODd_R!3>5m$*{!U2QIW|(QKOQ2jYab)Oti}=T`{W38?@@PA z>(|hu9pwrp!o1F!?A(T|A4$nspDL(RKP1dH85>WLv&2`l8OSy1Qq6Qe(_3Yagf+xX zj0NZ9_sqn`!`bn!QlMUI1iMnrD5*{q@x!U0S5Q z$x2`7+Zl6jsnF1yLeG!171HA&?ZI4ntpn%!BF#UwJnNk<-KJ~w630Z@1Bw>3oZX)~ zp&Jx2+j(Obx7i%Q=t0!@_+5#U8x>{_Sg%Jk395oYa;9LM>0wDl+AoDhBrgkbU*>Q6 zPO|4|%SW4q>u8!p^n3_}l)VsaBltPkVBAVy10k||R)G$Z z?it>p?r${fl#-j*N=dkD0fYrJ0Wo~e78?L^S{wOvs17XCBi6fAc#}NiapB)i_4MSp zHS{gmGM{JqBt>ev(s~JkN$(f>0LsLWN;-^c_zZW8s5kDc+>c|JN>6^FOW`|AdU3Fm z&KiyiGf@lh6pS++qcA(tDUG%~qcZx(eiT7$dL#3oEAu{y_4(S=-os{n!z}$dN(}{7 zML+Tu>m`n>b_ff{-U{UY6uVj9qVwl2bA<+HGh$z zbV*&Gv#o{mRMgmVF>NJiIdBvFJB^j{1XOQ#&ri~qPT}liV#!C?!#_zy`w90i#zn-) zJ&B9?E>Ps%t6+A`UK|Z+sv4JNhN{NpPn35B8Fq%zyvE_b8+e!qyL+%Fd z0)g8K+OMDwY#8s7Z>-NyvvA2af^e^3TPlc3&YaPKT!6A5s1E|>axR?zCj39-V4958F_p)x!D7{mV~&b*zH2kNb8xk+S%RJJ)U-K7(&LeO2BqKru+N~3U%yy7 z$o2d6!-INnQwKcSd&&K8fu%=N!ra8;|JbcG?)W%MZ6Cj;Pbe(+eKom#eI9MeGGDf? z{D`lg9x4g@8`kvA_nNl#9cWEx+HpE3asPLx2PC(}e=;!TY{VyNTh7f4&(p?ha`L|X zeqZp zKJ%*f7AL2kI~|_7D6Oq{%1Z}L8w{_|uo1DVcZ}aWHS@#l5#_HoS4CH(-`m)~;*IKW z-NKuGq#aUm}Ee%&)oExc4{HiAMsX5=a zh6gCVYnb>{$f|8CM$OyTQon89t(%%+`G=Ozo|^y7z;{3G_S2n9KI`hu5vLzHT#uhl zxW#pSdd$z~`#fEK=ltx^5qB>=|JB0#cb;FpDC+)icyZnM(y088mxYbVQ?TcPYf2X= z2G;z!Z0zBnAbl!c!o~M*4eM4feV8mH9Ee+LQ2!cZUw+U%dTC1P-MD2v_6>o~y$PceZso3Y2hI0wK2uniGQEGT_Sf}?G9t%rZd`u8`O27H(bMk^TOfY^ zwSSotPdM$Zo)frzOzfxRnf#BueNgej#fSMJPpdU!{Wt686qYO}0q^JRTQlih%w768 zt`3zYN5v?n7kn}Qc*CR>bz`dDJ6xCW-1kf7T3$M40Ask@?=AXd4&Q&(*BdVx1|?+t zW>{@~|L%p=DW6XIc1`N#IZv+LdgH*b1p(_%6(qmZdUV`6*PqJq>$9BOKTB-6b1Qgi zWS}Fy-lG#v)_=Bp#rO?5^6~MH<+;+9j2gGH9Zx~UsB~j~PRn~6hZdIQBh%^)ulxr_ zrmU4X*Ymr|9A80e?@0f`SgK&P$x1IGZj>p(a`Bt zr5$SB+5V|BN;`~33M!^lOq*Q+)A`Cke(irMsl&$y|NUqb>3lvseVO7PrxC@X9XT>c zKlhax6t*L0N8g=)f|-B<>K2)y5qq3In9 zOvhKp*>`-wnJx+9KmDH-vHy86>K~D3qy@$2|NUNgeN8~--)mODB2cY{|Ct+@fIzf? zgoY`QR}l|V!|*H9i-RKKDT=3y2|S;u`5?5IgsPL{>3R}CqXIKcpeDbbB*VQyG|Cx- z0v8)`JUlZkaJvyx3ex3VkAygQcTm?xBR3#yp}vUqh%Sz=rbac~?FH!;8aQ|ZreSbv z>;|kx{kc$-Nhl3PBOJ*Ho{>c*8MMH%=>1jk{dW_@6s*Q^O#ACCi29QP(#Y*fSd z0JMP%GLB1pcuHtP$BCJ)Z|%5B{}QtI^(}qm;Whd(Si6&$Hf@G$bm(z-&VLHocQkUx z*Z-jf|Le6&<`e$ur(iunG0LRD@i%)vd?RHhT(b><{FndPJO8;-%FKWMy4hQMEI8rs z3;3UR!@JZeA{N81`G+YE?41tpAG!&n#FIbYycrrA8ig0#ytzCDp_6oc;LkT1Os8O+ zqE;*#3}3~A2j>qiF2*5fI7ppfW%1zQL@9$wMHe1wLAuPt}|uOR;W zpZ={j{_8sdE9b*|{-*Hqeb0#~DwF_==*Y>h^C`*xw7b(0Y9 z+vvR_4a3{XtHRHn;BFo5$>*Uo<`*i%IfBL?+LZ z9C=9E+X)>@>9!~=t>grtN4qD%BNLIdmebiTA(Sk43q)xRcGOcgVYx1l&vry$<4Ml1 z?qKlDJ#633U7?Gu>jUj^-cjI7GZ9%MxbC(sNLeyN(Hxny&ej#X{Y+Gcruo55@@3A*&cdFd<@aiDv0VB0A$S~$l|&1 zn@M@z6E!Pb60*$^^@y{h zw1T_-MD(`qQx%@BYo_fh9O*&6)=nw)m#AE+vK>=oT@UuX&7VPK+QYQt+WV~CBoAAp zEDNQRxkIRj?GQr89Ie5QHwb=XcU`B5dj8>H$HG9ot3KWK2*FSB0&LNpgOPNF(<_1O zWeHUK`$13Y5$w;zHrfPq z7X)V7a+=g!ifswfo0Vh&bIuxyaa~$|4-^JAnU9Q1@XOyo){<+?k?_fxm zQ6rR9IX4piE-oO)Xr}!_Qms2(N%*)a5Xp`PR_{*X$r)2CujEr9RN!sXRm<_oaZuiF16Q@QlS5nzaL2&v1gQ z10h6vB;+0~{5?kk^3C8AT=!7HMA?9B4^V*!zqLj+{mTP6O6XX+WRB@#9pmhRGE8^& z@Le)2jUoQFM?h3wjHKJ8tjq} zV(WR)ARO_nD8uy&#cl>GC;v*UpNI+7!Oj)L`g!Y%9Z9!W1FWZ+7{^Y=dKwnaJs- zGI41NkR&Rp+NqDhY3NGkSaVjX_DWt`83 z9EMxUv(ds^0H!&w1?fG!K1Oh;1KlHaYPHQ2;5RZ+tdD^*N%v$i#_=iR9t6h*q?OA| zq`oWD9PLimFNgpcLU$@B*q%i0L{7k49gC4W9x{!N3S|6)i2J0+yF1*cTc z(!K;0BhoSd8R&$U)>Y-YDKToZb-r?%g)ejB{y2G00KSf;+?Te!?SP{S5)(R>yyq2e zMvN1tT82lvqr`am4zffr?l^#c#DSjB!mbFs;5FmOwYL?Toa&uQ2r%9nL_v>u)y5rB4{YH_8q1 zfx{kvQsgsC(G6s?{TgcGId(x96k$1*K=xRi4DSl-{Ul@>6$a76q{>I+C20Rdml4_4 zA-$K=EaqUTvW?WZ_d34~FpKUNV9`2(+*>)F{65kvb==;A-=LHU`(Q5Qn~_a6BFp6{ zM+@?Nz%6p_3$!(>VS+F`suRW|D}48`k6qG&IO&Q0NazZkVqrg|o33{*4&oLdtInZ* zJ)?1sd>;Gm0TZH!Kf|8lyTWy~J&)xz3Q(LAGF=nlb!4LDT6lRmSB7kMoc|&6y@Ko# zEqTTI9oG*z_B!KHX&xx|TqQc|&iGHZ~@qmSEkvk0aF!bcpUgMs6 zZZNjSfX)N@=D|)aRkL$dmLEeK2Q+R1qW&yZ<6uG0E(p(iF}$%@Fr7774un~^UH$94 z!d5~Xd*Xf&0j);a>w+DpxSB7--ooyzm8j+hws3-&Xbip+S98DEjA#>YxwDlYY7cf< zkahaiZLW3LI$hA)Ols>C8Y_I~H~_P5u+WuzN;qJxqCS3qwi!u_ZXG5S_)VAof3WxV z(M=TX|L{zbZL>*sn@ziEH|=h_p$SdeF5PXjZAu$Rpv6{ONTtPA3Zz(|NPz+c%6o-^ zAO)+u2!c|16BPv%wFpX46i`GE5Jbd+h^VNbsBru8y8?QD^?TocJkL4LKhHV8oO5;4 zolP=3Gdpw5_44`XR=v<7hz}~g%JmXy5nZ@1UBLuW4WbJ$>cJ7o z)`%W(>QBJ|slQ�Uy2cs$R^4`Le+1t~H4Lz=uDH+lTAf2O4gY$yG(D;imwMusc!h zHSrZZ31)+1^0nPn2)u)?Yl4zFhtq%Jc%oMl$`6Qm_V&lZ=@3e499ovX@$ zmoVt01h$|0FbbwH)m#dh!*;0Y8qb}U47zl#P0i7;8N!qlW;{Er@Ed~8H7m2Qupoxm zhl?-IhVYF2cl(pY0E7x{A|)c#RqWr&~p-@4Y<(uFX3@0$Me~s*o*;FS)GCK@an+nCVHd^Jqu8* z&Uz`-AMWkC)wP{D!>2f9eQ*nz%A6ytxKx^@!5=culH%G3g5h6S^`pNT^(nbpy+;|V z!Rz@1C0d7B)l7DdjjW+lJ|$7M+|+yaI_ckD>-^!~WB4 zf-kyg8S>cITPhyI!h|S#AkEeTLj+R~^J@>}v5kyjY!xdt#XS%sm;H!>uR62hU>)g; zOs?wpBkL{*C-iD>qWMYai!R)}PFO^#qxH69dS)f8XVW@|u)WlPyHmqdN(Um8_0s95 z)#-6u9Lo0epS2Ll+n8dEU0)4(4KYf4H}*L-5i3hHD6?GQ)*+8~0qjnnB^$Z);6gAY zWRCS9=1Z=}^7UNwt^jPag8nMlO}naZ3{~I3%@?mvlMdk4kD2F{>~y)(`;aT9%z+Be zWB0ZUb&RI)9>mOkAQL%0=ME|f-PK6rjp>$Z8)O!`dm1-RXA{)l^cyF`A*d1F;g}97 z8rNUsqA&gm4p#LE?Z#EG3A>^VO^3s3)IPU8zm1YfW@+wksIfCWgXvz`ukAZmmo!={ z-Ha&JYRRO+GF0}hW=J}!IIXFEUsjn>-fAT0mLv5B4&L8#UM>O9l{?+eq~K*&1kY8T zW#X6j<(*1_j-75v(6iHXAHV<+r3#pj_uR$DT#YDx2YE`B9;jy*7fFR9t|nt|R6^?L7KfTVtl>G}wN~Cx;-+^a%$Pg|5? z1YT{21|LXoA)ndbgj?YjZ5nwZn<)JY+rKxmf_fS4ui&byzDD~)oO8$lbfO-o;`34m z7B%keW~B$Vjx&<$xw(Xy&$Q3;?&+YPGa^UH3ftzWT!um}Wofj^BmbfXj~YSxXJ0?6 zEXDpwA%z+%_ivD$Ur`~M>l>WKq%>8w?JTsRvrcuj9&p>Z5=&iN`yT2^ZVEG0X-93_ z)uE`!&&Vk2M5i(mF+KP1Z0|u$NKYqm$v!q+jn^`LE>6_-&a(4K%p4Lw(HF6s%f=zR z89lQ#yj(nkv{YeYY#ff!S*OAlkx}&?4)6uqb6y>x{H*gcxQ)FR>*|%BK)aicQ zp5oKiXe!$Q7m~Q;YMqgadTvR)>w)vK6Wk`|@U6L{wcX}HEoLLRw&Rp2o zD(kL2CDaiNSI=BednGZEw86IVNbHV&a4_V zFi9SYc0Obdny9|Q6(eu=enKUC_l)kLfoUt4!A%L2Bj@0lN(a}2*@W@f`KTffA(s;t ztf#?9q7-S>dB{>*7@VQJkIHxNkCk6s_!YIbvx?h1qwR@|GccbJ^$g$M z!}?1C7)nB$ad%61JvT;r0f}0!Tl<#M-x5eay*W$iiVr;u#6VXklW&F&afyI*F$dM| z0+Y!e$PTQ1Tj`E~AIfro6yFbPT}SouNhytjomp1?$<76yN2~y~^m1o^Aa+Rh-C>lE zk(s9tS(e!Lzbhq1${&Xrn#b1GT0iJ1r6c)GDm~EHEeOmyiQFEk50WpC-5~t4eW{#{ z&k{R}!XVT+O*Fj(I8SYN8^jp*fp{QS8}IF1ceBXm><;vLzP>219?8S_QGq|OT)`*X zOJb!4jVy;|@mslUc85G2B9FezlLvxg5~~%<#8`-to~P2dAs2U((o85MY=ZrNLjloS z+JU4KsIicA2K>0O7et>dSHPw;B1n=c`AGyLEhJT1gEqQz43>C9a~PpNcT=SDwu%24 zE9_OgK=hSdYkat69_tjpW41!7gNrJyctwNGL6YYWw#CMxmAE~(k6HZ~6h8YJy|g+4 zFSUziHG=Rr;AfZ#zNNYwKcg(Qi@9#L>@YD9T*548E^w*z6$&kvR%_{w?EH6>LALaz zL^AzHg48cwt?I!(L{Bz4o*+CG9}=QT?4%dk`00*Kp1q=#arpWZ4Nce|_)^<24f7Rq zP{V8$Y%T!oHb={EkP>l2Q)qovi>7f3^j83@LXq=6*3*Z0WXLR3yF?U8C-;@uiIm^9VxxaEc8R(9R!EOYsdpf?oGN$>SammeF_XI1fqz23*3ZD1tG>cH zs-g|9%3Tt{WqMHPVO+{KH`wYv@GoMHbG{qvTIOC{2XMgWbnM0b?Q{>b0^An!QH`ZX z68lYYb(H&D3SAwAHsk{`fOH>bn#m4XLs%`G{&L&)`M`PdJ7KNvMyQ@-iNK`$^kHUC z$6)9p89h0R+2C)(cPm~4^Eku9stzf&{lzYJaM1{I@N&WWX|`)L84vrz zyg;0BIS+BK`C*jOHa@hYs$AQa;8@Q-Dg6tz#Y4kMBhhjj(Jf>vNGIQHv&plN+;q2c zliIqD>7#z4SuPTZ+`B+2wmcD(9_1M%k0Fw40nt!=t-PQmQJey>;GkTKvm3{EPV@LM zJ#(l!UPDx3JM2ilka_3x#!w$3Rs0k62k=5ac2J+#&-29*H0o?i-kHGkfA;V)y1V1gZA-yfI;&gWaE_?TK`_w28)@$ z!@gM$$ATT87`%ooy$o=?8x=e#UT5}Ei{-r?#m)Buq>I))0szXf_$WJCeF`-X1nmVWL*wKn1I~B(_t$W7Rr;4(C`asNIpjuipi$qfK%n;@7oB z0=7E0(kRQ;ZVYxWTa0bXqXE`mUuoYgq2@#Ai(EUQ-mAr{8qTPzFkZHNlyVj0hagriN?pj?nyuuG+zNut zR>y#mS-266gV4wRb)X2Sop59XwMpZD40?r5wf%1QeCbqJUwb6eTYUi)yd<{DxxSFD z!>ZnC^{#Hd&rADyBj-mftQ$z_5~U1_*y#kLW~cxc z(C4TV&kKw0#Z%cWp)!b&##1cml#+@HzGl(@r!F*)Nw(Q6%1ljYQ7$O<2p>(xud$!_ zhG2Op@Ts%{ZJJyM4+0Ubni4nHL0k=PI#E&@R+JHb}j zjhfK(b9)DxeYjkRw>10?kcnpv!S6_$sA>GVy;My^{xNuQ+isXQUNcp!(;}(0%>4mb zI3IyEA%K;INCn!N7G(ocPY~kt@DQqr5c|U#KM9FTm0!v5H#~!X<6jc(!6k(e5M{@W zDNRG_PK+khr0WC?*EnC?=VLUsAx7^(Nkjl0B=%v2^0iW?UMvJNHW*OEOx&IB(8ERu zu>HizOv>_M!mm00libJ58GQG0PaufIRwkI+gIKOu?Pdk6pXp?RYQ?Lz!K8!NZYc^( zN6Wi|f$Anw-$U{!FfSjK#^B`=+dcOfTJ8$}E~_o)KvP;%uiOcm zptu-3H>3_Q#eVIkCSeZ9U|}k2bC=!0kAlQk|0vxXsEG zr}cCK(?e=S_GN|%xhP$Sk}AUhupYc=5-NQNRrCXus@m$k!Sq%fSn0x^d%Wi-c#v-g z2K0Kz4tj%8UequNL!c?Yz+253_(ay|?jbuH)5`h-0i-k=9~z8G0org0I4H}0AB@W2 z-&yET9V!!ngLB6-8usSNnYi=_0D&pdS|Hr5n+EZfvA-Wf^XpKl9ep|(NiS+fX*J>tt45(Jpq=xwMrD&0W~Avpr_p^`FT8IlTGI6p zoot|&k%f~D)<()c)u3E8*f*1E5OwWigZ6BrnvA-@Xaz2+H3)1IV}%?e>7>6SrJ6)R zf;|JBXR>}zksk}c8(2|pBNGLU5pp56@X$O=lk^M-4|X@YX4#P;iNsB<+FXEnI_bVq;)eTy{?~r>5vc~ycQqfR<3^#{f#MLe) zd3eiv>0-dI?Z%~g=wdf2kj3j<53Y*X=w8bS-}t;r=rJ_qH-_G2&i`4+Fnc`mO`H-q zK*&E*eEVC<4UK%6Pg2KdLr>rXl&GH5gq{NH<%PggD71~~?(qh|F0zH;Zk!{2w=A|= ze=@7PF`MC!v+Ri>ljQAE5>kFewXcD#(GHQnYL3ovq!bnw6FzYTsQlEsa0?AvQLhJ< zyX&#+ogNib{INZ>!8ziqfhVHL!sT<7=m_B#X=_ONjrZSA#Yu%)f9>go(ocH-P}T;< zQ2#xwO}N|Q>VPbtcx4Cn7qK?5#{2VFPB=r8rJ)O;Kb(oQ{Sr^6SQ({P4o7?Gi~jUi)am+AH88>EXs$d`n2Gc6aeAU$aTEIB!gN$P7*+Jdo$oU1 zgY9I4@|upj0&weqj3^x@l=*#cq&bgek%KrJSi)9|PH#7#CKv8PGwZ94pt?_>lFx5N-uINRG&YwH5m7to!({W-%9B2rjjeto#6(d>;`luoE0>!hB*-1GYZL>;IagTq&s ze0%~P6a9!G3Bo(^OdY9rUNNAo^msCE{zBC8;nkze#~m}2wXzmDf)2}82BGE(rZny7hYjhU&#yDu;r5kCReG6wAGNV%3CW2FlbG)*yaDq(`79hrbsh>oIQ;9S3Tj0YH61q!}#JM#vpA0d19na*LP z@8@{;(iD4{4=8h_({W0Y{_07W-_1n>*EIV&1Xc*OGL`Av=eqbNSdIPIvXbgLCl90M z%iEirxCv=(k3=gbJvF{*QG=D_q?sD&c@6!Vk!e)F0%Wl$SRZ|6iPWgm%?kW&Mt%c6 zPwmX@Le55g?TgIRTqmmh7(3B4TY9XJYF8gZqQSm}R9@^Q8L=`|BbxAfCY$2r7WDv) zPTLNYGqZA^Wwu;$&EQ_KTu)>a>MW4^EQhvA(BKu!BhoG`u7ei56NyiPXL_~9w#&pE zak?b;;51*Zw#n&!kQQfhHOlHE=kNtfEmObvI(T3jS3fCgjq~ z_M(>ajf2z)HAbhrja#DGjbNe7{URXs z)D}$!ckc$Y^E2NC%rEtQj=9;&#js^#N(4W`af$V)Ut){P0^5zRuw9OC(2(D;2Wo(x zv`TxlQ+ZM&zs1}o`7|!c^@`%s=&H|btr7CT8in0m{nSh%w4cdTGqJK?D;M&eDChb<=Wc!eOO`IF;V$L|c~1Gl491J5Ll803{sMC+y~w)N1hMg#Kp7XRNK&XR zU=mdkOINh;m%b;eeTLkNc|(3x`3hT~Nnldb2QY5BTqG9)x@}Mp9jNngF0F~ByLftg ztnxb&;qK@Q*@e4#a)@{ZIGKOtIS0sk@ku zD|a^oLP5y}_tAJ|I*H!`yZ=lQ(tmih6XTZ~7AbclFaU7sY1}ypy5%$me{eYXM@@^c z{ba};6EDUwKG1G!jUI}U)e-`IE`5x_c5xzL>62k?NVV=t^vn<);#6@o?{sWq9gwZz zAoHZxJP@BC=HL|27rG;E5j#-46Q9KyTw?KD#C$Ii1n3`gZL{>a7kzi0eOMB?fgP#5 z6yZ&!3k_^u&9m{i(zic>`5eNwR4t^Cx8ztQop>*R~w`JgttdD`z4@XSO#GK>g7o1FiL>*_ch+<_|GgONWRm%OBs&*wgxiY zz_pT$d!umG?*2)y{t$Dc+oCyGrY$>5%brDHT2>D|QjdP$IuGYD7=o`j@f#_b;Fb?zHOkCIahgc0pnm736DX<*2Z-75#TTrM*eg;os z?_!4JKV8}A7)*behC|@-pypy+_XEIf$!nHB%Z%W^arMJ^v>#a}QS`Y~+{_lR=lS`; zBV`XFlm*s!P5`u!ofQoco&;-`Kt35X(S}4;?D);|a?rwVbq~suV6QHC+LUPlr5rII zt?Cwf9H}L*35BF}qLJGI>E?Oi$>uX7ZoT@9VkP{WZ^iv6u;FiF5+(%o?j3pl1@?Z4 z>JzB_v)rC$Faw^30X7P4JT4Y6Ct;T9Cg(bf4D@-EFfiYC$PDYM__@21R18==#qNT9 zelg#kKox$W#p_rvb$8(!)ZB(fmMk4I7vU#`$BnQx#cS~>K9>=h`z!sS<-%+xG>E44 zjb)ZU^yP=~1l*0V&fF~#;3MZ!etVpmrOsy1{@gb-R^H(H79h2csC6{1OMgZD65M*? zT-m0q!R>t+&gVh?Phc1N3Rd3JugVNf^S-MFwEolL0{~169N>inwg3gf44f)d8<|wD zaigZZH+7cje&giMXV_FocP~@W_RT7|?oHs2Sr)cfdqf(&Sh7R>b=50QcQT!=w@h$s zrvp`*&ho(2NbxItH=|ZQdC)_y5U-09!4}=G{4FN??1$}sZ?W|YLqj* zi`@x6VR9VC0$9S-s;AV|iSp>?SEc7r3BiOjzLg&hqMiSIyN&cJd(6V@ zIBq{oqBV?jOK};Eg?C6flk0~vuTJBlnJPBDI1*FQg&sui#!J~=o|KBIm|0T{Aon9? z&B06ney^|$5-B%jmL;L*`=Qs*B8+D}j@W^RenxEGw0itJ0BHSgdjA+Y2Jby+|K_!iN*xB}QVhgXNMEyXg)@>>nkl;7 zaJBYosLs*#y!}NIrk=+wB&Q5auHj=9AXV}gMLA7;O`dcknTeALzcc{17*ssfAq~ z^#NpH^+s>mM(KqiB-4j#cINQ(b^U~N7MvJeqVT3kwIP}}(AE0&N~)#Zzv}_U!)56XL`FTV zr7ZT^A0~x~5Dh~gG8agsUvxsEcY^eVS#+^H{XJP+jg*hI!mliBc8*(S8$hoM973U^ zY>NAyCyNGJuzSjs{OnSVwvvr46~d{=ezT- z2Ua4x54@1lex%Ms^5cMG1aUv|)2!RaTR|zsdD!kd#5Jw-Uq@xO1Jq0hBNye`ij5?- z>VwdS@T6=9=D97ABvttf{R+M6Y4v%n7#Ygr7cydlf4hqd3S(HZ&N+Jh2BWxDO?2)9bsol6S?!J=<)FJ3i54yhmRIr!Jj)jVkEYz_Y)L{XRQDm{P=l}YC1Nr@xvB|f z+)-%keNmw7F{9}B^r-C0efXmF93SAcp=@~+pd?$i#DLZLU-)&jim#yd3pLST^*pb< z$GQfPcJWgH$}fp-Tnrbs9RMVaqH0WbXVxkWV1><;HfiWSgUY`k`~{b!8CDTO0f;nq z;bmEA)qo%HLEF1`NkSxkmQREThokj4@9b9?A~D*0Uu{9+~;(2WG(x;g}T(jjQl`IZF`Cge0& z$e%_OFibd_&4nI%agcv+>IW}`L@>Jr*Hy2Ll4xtcoXJ{ z{_gwrIKBLSW;=FKH8R1xT0$;*4*vsFs(BvAWCJ+yIQ>twE1 zRALlkTO1|aVU`DzPl(;X5?{%Ianjz90Tj$42MaYEqJkd-?*Y(L$EmPhylZ1#>*(Q5 zk9CeB$<<+x*#^k2yq>aeEwcb|(fp5#F zp)7kh<1`AdR#2%8w|#*-(B9VW?q#%k2}|)B^%I>xe)%WL({PX(_5>h!8T zffrC{Fkj5M!SpK}Ai=krhRIrwTR2XZLYI^y`#F+L^$Y^aWBcbM%!8m4o+t4^Fj%NQ zP2mX(_pJ{M!_CBYZY5LAUa_3D0E&of1lUs_@wY<;a(!7JT>e~Zg!@BhS3Me7vNL!I z5Hge$vpO9XGi$THsL=l`Q>+ft0Faig?IxKea%-oBw`VIMB(w!mqy1xf5tblPZ1_ac z8T`{(E;lvVKL*xtTatl%u3(t`F%nX0eJfo%hl?YD`)Z1%;68Q$uwE4m=HkPiz#B+V z7kEAsxI{PE$35NL+|Kovy5oY?Y+dg6NSx!ZWs|PnF>MOi^B3Ayllg0|#HJTpBP=A< zajkPHgl(w9v41EZJZd2e{53o;T|l|RHR^sXzQE@&U1WL9a=rTjH~lVS@1}?Cjeo6> zrx*9B?<4<$aHPQzK;8gX!!lIRA};4&7Dn3SmFg^wpdH?vN>4KHWF^6&Jc5OP#WnpX z%+4yTfl(xc^x%he-)FI%Hv_x1c#vte{%ElrwYVmU2Vu=U`=DyFH{M5U^{mIe-ng+~ z=V0+`TtzQ1*_$lj;`v~NG}R)mVcdYGEu!XXMhw(3;x7!(w@ST{cn%c6b{tTbYdoLh zWbs7+pp_r=HqzT^^px#ga{K+l4!x_2o~REFRL5$>wzi*@H#K6be+-k&1ew`QuQ}#2 zecSpm-MLN83x%y@b!YAcjr8PnpI76%50RfRTkJ~=Bc4I+ZRkR}%l1}6=!vivYk|pg zLIhqT)9O(zo(nU00dAfH%5Ns}KLXF9M&l2`VKwp(5g%m)&}|OW@@VHTHhf8VJ=5RM z|C77TKyRTNZIF_mT$L1sGkghPP{-L!g0e3H{{)-KV2o=UzR3!qdDbH_(jz)i%XYJW zPQ!?mjo69L`R+h6>)c`tInW~8k9w@qy`lg>c)eC(2=$Ge)-lqool5s$S%11fLmgee<1mC7*!|- zyGLgz!Jh8&-JzRoo{z>YR~=E-lf#s22r}=Xrf6JX;__f8)k|funPOf_#-c4b1F$ zgg?iAfQ0a6mAG&Dk4pv4b@k#t1_UUYrN!AD)!{8LyC_&VTV zQ${2IWX=|j(>qMw?H6HTWN`ZgsPI!r$JNd9(Z}et~&7Xue^oJBM3a&XP z824RB+M)OJ6`&MvMInf}Cae{onL>9IcY`!Tc4cTG=ky(q3^jzqTzW^;PT`XH-@xKp zJG>0+`-@TSv;JtDp1#0y*>&kO>yHt1BW+(8gMKnqTBcE-)QazyUl*oEksk3q{6O$9 z^L=nxQ*>uf)K)(e@bKOXz#e5jECGOM*?-sGYajOhNucAO;^ z*ngwx3r5c`O1!bKOMp=n@L4s?OL&OSt;IW-Y0jD5$Zs07RF1Nl2;RU6c9%)nfr39^ zd-Z70UzDSI=g>GYmRNz)ojGQqYP_^n(_kjtkcQC^1z!I3aRRv!ro+p)F@i~KU#g@L z1%HTn@O*-2DECmlGoNX`%=Ps2mQEvkvXK~)?^hg1To6JK#!i_qABwr?F) zKd*k9>#F}ZDo#no%4ApN>!A;s4D~I8zk(_fvjJ<*KM1Crnh3?1b|c$z$=uMTY(uuR z7;=wOHq=s#tQV+0NeJSWO{gniC3j%bcDGYOocb`ZBI8%6&0$k?XEJd@J z&v?7@nhnOb@(U}xXRF-3a|0b=$)C#I<8k>V(E+sTF9XP@zbBKD`!XE(cxAIDv<-UQ5KfZ- z`ypodo`aPiY$OD=2jj-AMN459RI6kHwW1EqIeh82d1{;%vPsg-O0~hC-Vh7Zr9aXC zHh;HpTpv8>tR_Q`pm(TwB3^s5eXh^O;%@$L+@lO+7hZz-LO+%YHTZGtv_?jaScd%_ z_)VOK$DJKU^vrK3&AsDbFmq%Op~EmeLoPxO7|owsn(c7dfI`0qKUCJE+N+EWFI1zjXoe?yJ!(8FvpApn zT%IXR;+j~o1-&to^%vVa^vdTLPxEi|7gdeXh>zlKI0tf9?kB}HxLbWby)Mxm7%i@A zpkT!!GiFlGH56S#qqj=#u+>xeUq_D>N%(bm(poW|0!ced5I(}hDsBqzmq#e;NPppN zRl*53@+$T_;II<;8?Wz8KSaLo_p!Fz%ZUCa3LIKbAb^pJ7n9XR$nszmnAs{1jbm!VS+$TJebd1H81YXmmNwiwBlmyd-QNOG z{(CBLIDPkj!{Pr`9!?GZXZha~iT}(H{$E$z#>ac)?$&HQ&o!x_VIyS3pu z{T&D9uOAENCI5B)HXin0CE;rPRdO4S{;!g775*x@4NU)6Nfwm+g?1lCoB8X!=Wpk4 zgVFz0qTb3={7e=E6- z9{N{Za{gBG_a^tk`F|tv|NXY)jK7!svytR*%l`XQ|7<2X+_sSB{qI)%t4;p8;r~ha z&V(C*wDSK8(EtBifd2U#cKi)|gba-tGho8FaU&+)1|~SaEYf;vj>ftB(H#IkvL2ub z0C(g6P9YPTZc&H)-znt(t10Baf>>Bt+g+^Y7Icd-C5%dQU+wrwqtazq*r4d2%Ua~0 zWpRJKfy<45fzsd)qLA~{3x6Nz5yQug9RZmAx8OG(!`5}!`R(&C#$Sa$x3FdYc+hmkH@DIA00_7&WK`+A?#E7=*vR=5LMt?i4` zAgn^KQ#=#um6cT*ia;5V6?zlyPA#}2*NW1gfq@A9knJt4 zgx;@8)gn(tet1|Y7QG%fT4RZ7=uP|oG6_+DTS z)&GDW)KF%0ul`p1Hyt>L1IDTKsW;DnQi8HbAp*S3+6;~QY!4^ z5ul!-ZXn4Z4hox{@ahilQ$SoGuyq0M6o5wpNe7WYdVpkr$RMyGL75;~ARZ8vz@M43 z%{gYTIoI6NoM+BA`^>$}z0H1e000>KnhVT@=6>co%thv6^PT3q%q8YhbN|dRxKc1k zYET(`$K438WEZGRPE=sTA(p1TXV6^K|nJ^Gx$B z^KA1R=c0puUsyDC_uXDpPUcz{$2lMDghl1|ZMPSd|Hq@^zpgbItn_a*EI=|Nah?Xo zP52caKj9aQ#mVgWzm3E={a;0KdH_DV^$G)U{pVRI>N)1maj03QL1sJvCE$5lc$0** z<;1TzI_VzxXATT94aKIc)1V{_s}o%2Tzoj(0RP4Vs}D`>d%Fo<*Mu?K*1Zc&aPkmb z^Z%kc|Fs1k#_X`WfGiflDtm`63Yq{#l94)iR3Nzv#0-K#Oq4!Pcl&P9Uu^_!^QDe` zSoe?CG5>kdKU?QN&%$LdX%hZy9v#--$0T60CJ8f{nVEgz1w;uBh1=JD4YVX2jOK;(7-9385`j{;Hxsj)xpKMmpL<8o1wvc z9(+~{7ii(r@PlR|3^RZorV;SMCY;ZBbL?pvC_-jk26RZ0j_|;Lk#P|?BInjuBlx7o ztc4=%)@jW+LZ?q7vdl@C$jl^$#z75?@VnrmJcjiN;dl7#cq5c6YCcv@VHoo;m{E{qg&^y8Ay{GCcbJ^DO$W-93Qq z{Xfus+Hh~#@;fWb@=4D6GBM5D)KLdDq4<{FCPzht|8)i*{j)=i=@I~-J=$ZjKGs1r8l?+W1k&r~3DSRZk zqdrc{ir5S3NSVp-u_P_|NV1~{zhs6QjY+{S6MUbMu$bDCi;Brb`Z(y_5jo*s)5U3S zS20QBeCy0Vd#enLL$`bDW5T+aa4!2Otn{9|)m#7BGU49(&$Iu%w_e{*u=7s<kOVeB_xWdv$P(uUFsdZQ%b88p#ximJwT z|Gi;G_5AQ%)Z^*o2h41$7yOg20oWa~zJMpzky*OBNkn|ejqb*ep)`oZn1~1-FD7P4 zHbmT^lMa+5r{DW0x}EDAF4_bLZnZ$&%2wV+wUbV32pfDSUJrOnI2w(`1RqEAa$M6* z8U;HTM_!0hW04-rPT1lDuK1^PCS3G=#^132Cf1gG0#IGl$x2#e#8o*kg%|Bq7`htfW9|#E!Q}v8(Xg<$C_AZUv{8cgIqS2FIvo*xAtX|$PWNZ zu4HG;EigfzCkL|vH5gcL?^0&tqMxMzhI}U{!h<2um4uWUL<}$3L-YgUYV6lbCQZ>6 z$2rsRQK5+?8|x-iD_3m9cm7sF##@PNk_9yv0U2xKPDTx5rge2^v&(&fsc7OMR);lxDrgZcuw4ehO~8r!K}EGw>a8bM-d!Ra{1vFzj#1> zLI8B3=zpa=D6#kuJP&eM{kC zCpk=MLS$To`%<~eYp|Y`j22;sx z!vS(+VFD`kBDMk;a@hplOBlsR6d_iVqipN+q6gAL z91ELQ;CL{y;MkU%)V;W@u7!9_`3Q3fl8uOk zq(Wacx{*HDhCF&-9m3fo79c>hvG+3(L!@!YHwYDqXha@j&yt=R2ps|#!7>D>Ls`_? z1pYLUUa?(+6Uq|^ipwDsPkxcBx)i#Y%T`!h1CGs0mJub;?@GpvOS2W z*m*d<@F~Pz#)-}S=_e>tQW?O{R?&y&mgM2D`2*}H%$?o`YBMV!*LR#OV3TL4&=5uL z;RXs5<7)HK@3sarB#6taT0bkemo(wi)LZ`X;NXlR>H%-ph-H_7dVNb(dJ@q=3?SDj z@5VCK1xUGmLME|`B4!&lA(3D_sQ$IS>ea+qK}vw zT4PyCGCd0$(U89300`enlsgG=Pm}$LnW0uH$}>myVBS&AS=h(rbBl)gUXVOVYOqBSt6_c>G)S6j~!^9-o5D7%?&(TmQ3^L(n zP?W|nJUNP?!*uRckvxbjy8WKp$ykW>3`N~Z|6;@k3u%h#k40jB;WiuW+CH~M*y!}A z>Sflv=-M9%BjncmW=HYaK-K=~{?V{t6Z`FhX`dJE97hfhog#9Yw-YbosDcyj?`R^e zQED&C?T5HI+Zj9+m0Y>+w}($_o6o2mB4)b~ vk=sG_%F0n2L_8T1AdYwz@ddRs5 z2<+K1pfYD;sc&%^wsWJo735GLYQonb9_~RzxYUJ+h-N4Hst_@ERwAm_K@eE|@8YI1 zh~xVaxAe*13-hm;c&g$@OzbYtZTpI_R+9dprP<6s%ziH}VEw^N@;VcMj=Cfc)qR9k zjkCQS)z%~Zb0%u*U9DT|S5h>U;J(L7CGi%jKZt5q&6gY4C~7Hd4t>ef)(-3PIB5() z&P2aAq|wXclza_g34L(6uc$8=DfX4F8!W9x|ISZ0=jA9HXX!K3ga98KFC*!A4>*R*BK&y@pIdT}SaeGKc&G zrlH?N9L3c4EKCi6o$AGP9YC!Zr-CN@@|ze|Rx_7qN(64Upe1o70G0wm-|@dc?q`IFR+JSbBgSo4wb`o_MV7 zH526~ma{)_EE-$f8_`~St`DJFKpXV?ZP)Cm7Jmd$ZasA5cC_EtNADUc~>0W!wH-_z_{XoG;}VWn1!O#e>%NS ziqmusBwxh_DG%8j?Zk8RE>q`KrjwnBngoU{sK>EHF{IEC@pbvch&BU3@h`x1->)d1 zkEsM05hCO-19qbX6CMa!usf_pk+c{z!Bo^H1$e*L9%(A8i*T=V+K0plJ7F26zwM6F ztfEOui}F1c8CFU{?20Y(4{kuul{ESmw0%~;YH$3b8g7}C$ zPu;=pD}*Sw;XDtM+e)zXj^Heo(`Hy(`Bt(!5P&Twu9FMN7o9cM->1qiRN8%`zyFWY&_%!$OH+TNj)E3r&DInT7fq{ zQiyWTA>hEAO!VSLkWs$*2mqQr0<{c~T-o)+NIaMta;}EJhk>!oL>^S{9))Y z#TMKR$|biO=8p}K^##|DK#&H=bA+ty*GNU!^`d&Hn)g*`4}%i#lgrM1JpOdQ0@1+RuD_Y%uWlt+wzEB8IP^!AfO31m%q7xEVcrXRzpV( z8%^d>KXxutW+V2@DaHrbG#dz4}w51{AW)012u z3cp0t`;AT|rgkC|Z%bhX!1d2zXzMq6Hp(J0TohTsq!DvLi5nz5kwgxHS$`0$03hKN zfY=H%e?|Ipm(8{$$`x%rXrhME!_9;euu$YK*wJ|+h`El@avbhP4upkb5gurL)?}ZU zMvb-Tdniws=;sWeN#2Rl99mF2(3^$Vj8cg~$TnBsA)GYUU2cE7@f7DQ=F$Ey$T<6p zvHpMkANJlox{0c7AKtsoF4<{j+L?CJPUxhav%y6@|{j3cR{LsfU{5(VACY-u2b-}_LG9&veeDUC0B73pJG@n2#W ze7&|2ln~tFsI0h;e1yIhpNXrE@js~!kl!8g1r8{_wHQI4w zW)ZHHB0$N&*bzaFNC{+&6lv>L{LId`GuP75LOe4X64t@U$If;t%P`YFYZ=C`nT%ur za9$WMD)JxC>l?=ulJOA2H!IbMInr(g3$!?7!#Iw>dPaGmr;tXKQm@a`@clVssk;7P z>og)-_OY)=0Z8dhZRcgi3{hKY#=P^c@UeW_gYIs0-{Ni5=43f-mU zG&*+$%Bn;MkI~Mym)R8>DUJ@_`3{??p%KC;*PBSnksa2}(aLo>ry99tVUN{V80W0O zQSz6{TRI^RZ^jHa%YO?diYXrR;7*Yux9DQEDN~9b)-R9NKN2b5U}tLlpGi@c{!msT->Q{_Quc!kT|&6k zm_bHn4N9VdNy|PQ10q$x%o~T6Fl){6wEPM8`34QUozWlHQVw_{JV;lTUL>a4w+L(P z9xhH-DW`Wwh*8jyYw1j9OGeMTRRf{@lpV`RmF9^W8G5=M1Hv&UdBxFm3M~c3=Q1NQ z-iXM}1Pyk?B)G%;cO27Ds;8(YlJ*HxI7{_&2;`J=-N>~T2|cCStS}7s$?$xA%V%6k zF|WkL8H>1`T-^m>NNTvvzGs|Zlr}Mm#kE3`n42~UvCjzj@w}cPxf76>3pooDDM5~c zV$27!b)zUm?zSHcyIC;Eji`F9DLwc-Etk-)w()IUu+9>utBBy!!}XC`7>hVUq&h1E zU|l2X&ml!O$pk=4eZKCy&Lj~oSLQi9m|R9(bEhIaPNnz`F5kJOMWc^rTF2N~qBj7< z^DG+(Kd2(7Rf@szM1+1-0;|$g4JW*@3u}Hh0$YTby6v=^<9QZ#*YavftjtLeMhUgx zKdE!|Lq+8XC;oESP#uL|4JhuzmS2D#GdZ3qQQ;gASaExCODsw2iCZcV$yHiyPNW6>184d5!1ozYB>%?wF@d%bM&~x6e zxw1Vg9c3jT{wWPDVLEs0V!snQUXh}Vp;54{nRV}~NivPjc@H@Zr04{)l(`1Pl6;kN zz}BzEEh+Cv#vGC@JXQg{@!>4I=pnmjgyI_~y%_)*)v)7<5O1 zFSLP+x0@JNIik`vQ;9!v)$yik!J(!uj46M*TV)_RQ#y8B zP81I6#)~-CdwxqjU^APjjT>99_1FxX7+NGh8uZB}hiN*5LSi4^lio?zI3BO0sir68 z_r$Z@a@y?&03> zO>;~M$=gUwsUp#qpEsjwsk!jskMNyayp=5RDXJoS+ zr)yK|OJnd*c^iCEhoTB4{kauFN_{WK0c80CRZ};~z8B8&Aj?7V7!Xr9=EW^@26|$0Xi;$MeXj`gANi2B?{Sj*mi28L&XD zuyp65jyzI6SstxFYr#9HE$ss=_r#K6YP9uLP4!>|yB|G)2j@TOP6QAPdURbMW9HK> zg*d6s#2v#gk)9l9SvdjXsHRF6%3R4!l!Dw+Kb;Pe1!Gl8$-!p=F>R0GR5`;ulBW*g zWly7im)0;t$n@)%Q~5!X3KLn+(BQ_C7l+&*LOTiGz+}0!A@~{7IBcXfra&|T{dEw%INm^vV$iA`eG#5_td#c4`~|LWyiEyH znSxK-);&sEC7KlMG9W z?g5T@#5~JIxWMzw{x%mAY3gP5=;)A^t=w_kL@VGBd!qP*T`Z~muL9YwD=iG%(%s2{ z1Gc3A_F>fJ>ZD#we$J1`Sg#ch(;ovDFQ>3qDe=mQWE^=XtvhOn<7+!Bvk;AGt)LlX zAbqc_0^u^*O5!bvbUksal<+3M`6t#jAhc>BEH=DXQ*ReDtqwN-PikZ{crza@+NF3Y zT_|HuX)1dmI!4(8RPwaR7|b}Foy70xK$WshKQ0{47A0dML*CbQHR-n`(kM(vUfnv^ps-bg+k8~g5AILui=3Fa06f3)(=upKPgN@*L~PUI*XSHW zq|U`6rks=Nqs;5$$en{9x8&@<#AMh;)z5Y>Br(oZQe;VO2++mtZxKhs)8bQE1&Dks z6qtIMUZeRB_eSIhV32HFRMsRk_W&Z3ncj9g+Zs;Ra2%;tDc?_Ss&g7;wT_Rfx8qn> zR64_7?%m?%B3You_C$d=Kx652!L>Zt5;$|W`HU>dakAJPwKbz`IOTE!HSsxM!$jv+WC7Rq)Da3mGwWB@jnQrkEFgjWph&uruMY%&ht=OWskDI@3o4x}S~TF?2OD>Ax_r zgJWDFTFe`7@vI}xQ`i2bag$bl68mshFMMjM0kwuS+)FV&CJ?SxEpSu&&j(2`5->Z;O^`@ag$#aI%q8J0u>}tm`C>; zes=OBH2gk>R*}8(yettkgNf)G83JgQU+9a^N+as~TO3&LXamWi@>G%czl_&n9y+q0dgd##R(s1MroN=wE>C{Vkcr(Deqdx zv(D!m&IV4(ANp>I{JB`RUQH~dr{i^#ESbr2$FqIp~oJ9HX1YMtG zWpIQRP^YzNr-x=Oh~+yt^LaI$Zg@vc6+;6boV}@>ROAW81!;Ad_Ch!Gd1|u|Y5r9M z4i-O43G%u9C6YKN6~ZbOw3cp$%hWUy>r$TkUI;a(e%&wwf+u8mIBZ!-wNsPYaIsy`>ybFgwvu11S;sHd?+C zXED)qCYo!VthRnb>09y_fI{jKpRTsNNy5$B)!6Ddii`)puv zxK4FjBRST4z}y%~QjCvAUO6R3@=vH?yfa$90_gp8D7K>g(u3}+mYAGu)O48i+wvHB zDF21#sH%DLOSs6WkFHvdqnKO;lyqWDg2ht%Ewd(Pe0rc29dk|M@rgVfZjB1xt=hBO z-*^AJHZLcU0)b)Q(2FTdyIlu4NE_J_oOJ*nWM%cj5UT!Ru`)p)I8p^5Vgd7!Zc(gh zY3n}HRX56}+ooyz4p(`e<__Tm`FSpqw9s)}6j#ZAs}b^;3OKb&0Fzf}7V2yLv|?wO zdj)YSPov;Oy=7(6Jj1woRSd^^Oy>O9`~=S6nU^__c%3N#J4Vn_0I=3*rHtZrP#2jZ z^kk-{eP`Sm$E{@u~gkA^j*yWs78h^825cL)4mzT5I zKQ#HnZGAf?8yoWcn{X9L#16dE(LW6RWX+WWm4Hyh-vV%|m0kz%0bb@yI$do@C<$wo%O<5d_Y>k`_TBBAy33%UIvh5^+F>af<@(PNYlNMU^uZ2VOd-Z-PcfM1Vy8q1f2h7U>mNeyXAfpRVmL*7snKz zglGZ!fk|~%F>2a~PthFLQ*IO3Dj;bW{(xC)F$p=gDD-K5v1>VNY>9x}T2~(79ULs* zlYZu84)f-JX><|MrX?Wzsx-RgM@RyWcHg4OLKM&(r79sgU;zkUTm%uQO%!P(tQVzB zniGj4NEaDFt@ObtS|!ACJ@i|{Wl1cgUFA*et6B>3FSzRwohXUv((sn?-uYq%L@Q~0 zN4nUXoOg5yfq14aZ8|c4&pBKOB=bZUGgmAz=^gNHPYGWh`=vg!ECn&cWt%d$AnirO zn8h(9L8WZ9j_|eS=6p!3K6A@0deUIfdABf|9nXZ>72PE*yu~<;ydJ#B@GI>fVk3N1 zemzC|^c$EhUG&eg-W~oWTarv~`?KX7@p}kXm$_4M>Xsmax{7q3{2Je(xl%zAr16Rm z@&C&7ROzb2<>%1q#@>Jv@3C0$CP>#lgD9@I>)#YIipRjXO79C|-RE^@FZ*Fx z=EV67$8V!_KIWxC_<2)L`2e{LWi+>(67Wb0nVTO0!+8|vfi^`2VMQr76-*pqapSMS z@`RV{R)PEoKH^#8TI|HNTq2S%Y8M>;YFZf zcmX>;LqcbqFFZ|{l0itiAdf~5S`TU5+m&mSUqh{Tscy9vs+3s{l<#PwjGc?{|4Wx^ zwO-O%_Mvn|A1ZBcX!1Pif7Iyb`4OBLD>)=RM5#S@j&R?gu~JV#4_0)iLZK24IJoOU z?2ZBh!*{f<(hypZH!XyeINrw4De_g_G-XgCeSr*cZ^wz!LHTOhTBNK~u@f|mPjW&7 zg%4&1d4UYX;|L3i7-^8wMYx6{A(Kkd3ZVuXaSXyOGC@cud!=E-fO}OJJd$6mi+BMo5Xauwy^#cdE%tILSNLG)ngo)lZ?yhfz2gkEUIOvCNXJ z(TJR&DYOVA_un^%MA}sP&`7ex7~(YLNq>4@6@Ozg9O0PB0S&w7J?$LFdlN4{7xi^9xHtuJ~uO%{iCun+b$af|7Awki4sxw zklMu|PY)@|9HW7C{%*0<8S;}d$xEZ9?s#EZ7=}exxV2lArXX= z0u-q%OKM(k%m<{pt=Qw)JK=>GrjO8_$D8IS)SM zXr1zycEMh-izEBUDgQiUQ3S`=-33u;lMhzio#psf&PivAQQ~i|X~_5+Bg6nqE45%B z9e_n}f`OH68+<*^aKcs`DXs*~L;><2!|PGHl**PZ^*8(<;OI&PxgJ2Cy__@c48pOd zXUd9D>IFwN5_{pN}t@NUIWvSRF$I+ zk!+y?yU-bh4|80=q^o{bq!)4gHCkLfr`O3vd7V+~bWsofojp;`E<&8N3vQYtGa$f> zpMa{qPzkw3NhKmr;y~S{(zDQT_8W~Z07+myBz{lQM`&khJ}2$otbbWU#+m-)U((iOxOkKZ99oIRa)#Pb%4nyli8`^kcfJ5AFvinb@d2Ki$m=P*|&PK=R226 zd5e*p?BSq1ZNQOCbz_uJ<7h-sq1lY5x^Li2l23K0!jQRw%m(8VfQNsycEqs1YI4H0 zhBU4I54G_I!>`ba?2#J~-GK=hKVGe5uyUke;5Ae-FcX5QKqAyzz6H$1gx^EeA_UX6 z@qBM8b7TRvUVASHw;#4%jSlQG{>;iRkn@IK8lF;f6hj6V@2Uiqn0?S%K=R4EAQyRr zK6+(_`NKYtyw}h}`ql_oMy#kzI!emS*JWF=_47zFfUM0D5G|KI8u zZQ^k$dTA8cfTil6oP{TPi#fhg`<5jIEsD8J?Ye34l(1ic820K zFP=<|^C!ti$jsc>a%{q>y8UMStnz{uRPv{o$*sU5PzpF*1+BPzRH9W?L6(y&yedxnqMUkHa^6$ye2I}W7-6#$FNrIt>-ON7|&}oxT6599ky#pZ>Yp` ze0?UK4c2(S3QgP+oX!5CrYqsN{ab;JW*)}yZ)mVza6pVxYntco5M-tm3*I9DCk`Wz z>tCWcS1CdAr2I%4C-#zOI>v-Zja(&Zsw;9=is__M$bjWJlUtJu$vsFoXw#;LlW56{ zOUsrZ$3ftl6l*{*?lGJXdclC(D#z1E75GtJ3}=(Iwpo^UvBB$asMe=z`e=V?I)iLJAl#s*^OW8|5%dL+f; zxk4sp#O35;?No%2F*VxzyAa{MEkv9?hQD{Go^Ig$y3gYbf2iSdg&?Rep`B4hR&T1$ zR3E=~6J1We(hR%6hEB)6yz()7E>$;OG@2A$3`PB=@g&E5RAeHIYAy62?SsU20@4kk z&?9zchV|j-@{@-B5vA#=m7>F&L%W)BJC^JNC#Sa1ab(9$iLc8%&7L}pFq%s@h zv99lt<8w7FP#!>%4V2P^9ZpVoQsBh~T9&p8L3?2j;u*CMr)48?w51n*!j+DoZ+58I zT|A>wsP({oK*=7v`|*77FPxp5`5$`TjU@Op6(t%V#*b2)bB*VflzRcU^l@j`1s zUfX73gW8@A5X});eUh2|b-^aO+bU@KPqjvOPTS73>V(%B19zM;7_Ld)5_px7Ld5Qs zoT2rA5W&s}X9|Q9^zP&<$5#OK`6Hfexx_!FWxwr?J%CP=dBh2ll=jQdAA6e&@l>2_ zA_qu!K=;eU8cs(hv8L&Uz7faISp}BN%e)Tx@acxv8yAuqlZv+JE-?%35Mt2o#7+Li zH4~#B7AZ0W)|aSU7b5$it3EXyf)C+e)Q_i=;dCN>e3}E*>^1zxINnCNO~~>TadPjF zxx6M`HEw)f-zR81`oJo1It}IeFk7LxdjJk76JWbF%_(v~U}$k;Z)PaN!WGQ8`XbL` zb0*TFnhA6Ww51G%1#tj;d9x})h}pD(ylY9dY@m|>F4_!h`V=x8YO2E!aqACK_53+NaV;!=0Rq}12N(cX@` z6yHU8t_X{#%p34Hl;zr;EjqIR6_=KOfrG^ytTBX+xBenv6JHeRii*ZDr9T|}7K^mb zR4wVDl-5F0^`ERtn}|Fbr`qv-7%6mI4r6ZdQ{9ReF|oOO5q=Q&Mb*ki@cyigTy*!L#v67ovq$8L%Kk0`~#!?(^7BAU-2i@c`-m@V#9Xk#v)r% zu88pGRbN6_6==;75j!SQH#EYqSd){8<|K_t1gszuU_|I0`doMiMo&5l2O+){{OPa| zBOVgJr-y|^@en*yI0S77dc;f{fSO~(Q~>?Xcq{69g4`dy;Lac?^QMHl!`TN$%NN); zA{{FArmI{GsrOHJG^-j@_0z^H`C&N4a|3_r7>rt8uDep=MOh2OKyeJ8;}?b>n2z)> z#maUAYsS$gFn{K!m1X%5)7iGmX2Cu2+f5eO@W>-7WuNs&wLC#Ns%F0!wBgqd4ICMK@SWN?NaD(AX#9WuR-=U#0!<8hH#-Dc{a! zO0(96kQkb+J5I^5yiw)gaFHBOGvt8dHGHH$9U{c;{4#C3o39HG6bW7Mfg}B)6$QtV zYSIn=$rFu#FWE@yu}PYrR5c?gE&&WFhz$NWZt=tTf6DLtH@%(vS}*_Y!M{jWrBiCF z$8`<9{y%6^2|>=4670$TpAQ1{DEREI3HM&$pTEEVHnC5K{4KW=RG;~`YRo-Vp?}}I zuX6M6yTQZz_np5uPJi)7{+8BA_{aUf{`wz}{Pj1UX;r|dnx1g)o&Ub`7tiePyMO)h z-*a3?C){@FBOaXpZVXqIQKrKxAGo^Yf5$CujdDuWC{0P^d6Bccrz!#KP`~( z*JpxJ?0TQ;_Rqn(|0!VW{=bCp|HBF2R}a1T56PS`IQ>(m&ACsiTzrn`&VGr_hxWeM z$-Mpo&?;Rh`TtJX;Kcbqb;ACy)Z|ZYW8vdLg8;R-M@GLkw=hU*{`U$4T-V^zp_QUB zRMFHxf#nk8?k%wlLR@t0eZ4IX@JcU$=96e1lSU$Ei0~4@rF~M>l2SX%JTtE$B%t2b}m?VTcGfC0+ zn5i>J4&+{CRY-V-R&l%2t|2+Ga3v3B)qP(lSuw%&O^CGb}GKpxOGLq)}$H{J8L>BnwXiGtt{8$Ql*C zm6DU-O1i(1>6pXN380fzRA2H*2sa!==RXTROF4w_4Ag}gF3k`gBj0&0IC7Dc0uuAD zB}Bjg=fdFnF&}wvj{tgNmk@8J1FF1HC<-bP_zaD4XDf{%R9B}Ls@&Uf7Z8oVPssJG z4jMjJVe&+<86O}}$s!cq+#2s|Gj7lt;p)|{8^mTX5#i2bNHO}3FS zTG$*-wiS%txzzKFX(`pK6q&J*F<{L14Ca>8o^A&Ek4pL>aUvdB?1XSM2eZu!>L1$D z9yxhR?eu^E?Ui}kk$blMO3QBT7$AMh>Z%j=1WqR#sJ_Vn}8Ef;w=-i)(Eo4)n(K+2w_B<2tKH$OA=MMtjc z`R7w^q#1IJyhy?}~wGg?@j>4&-w~pTz<|UoOkt z+!o<7Tw=~uIJRT2ud6Ch(RNzs);@$5m{2YF+!tTLR&tVBgtnq6H9JRL^PDh{EmqS> zINlxwHO{9zuW=c8l-P?)@i2~8RPIG?qcVbcdMVdK2*+-sfACkzpHLu> zO>fNeeZM=-`Lb^SjTOceO$uR>Tzu$l5T&o-9XY6mBh7&e80r-;5arLg%1|K5%eA0U zV~FqvF>!sNqcaE5xrR#c2zRPTmB~%b;D}pu_s20^k#8kQqj_{6;Z#Z-Gtl?wv3=Co z&KcgLLV{3r?mSKg?PLONJanA>Gr|`1Lqt4%fw1m4_vB*}YF-c;aw-t_O#6(yCjq(= z^1#TfzhLye4SsFD#QgpS6poXMlbASrF^y2hA~HjGnn}ppjcBrgQ{##;CNyfhnw;}E z>A1kh`b|vLbHHomwl?`& zzNz~P7L>X|Q@;V5p__u3LGDL4UA^aZxG{D0zR>cieRj+1d9yL; zS!{w5R+rP`u-9jzNzfi0@C6(JfJ#j-5=XO*utcKSB(nHeNe;q`<^J`@kRM1(?W(d> zoxtm$c^DZbo-#?KdDGOLccrrSL+)rPN`4u~?3tQYf@%iiIr57*jV9_t)V{M~t+O)wk=hXggj721bm4pP(X;K>7n*%qnW&+=Jrw1IRErf;go0aL3ug zRML;~<{_9|lZoFuQy$KZ#8H`B@C~lD?sA(KFLj>7t+mU4(UK&t6lZl*Sq6~KzB#zF z&<6@V@54p)%N3kxn@Hbu#jD5+S|+ni@whLrOgu+xeDx6B)sOUnp^C9bIEfGn#NI7uK@izr;(bf*eex53i4zCzm`3<{VU;|R zbO!p?Kn=(<&jQW>=>wdHvN3S^aF63$*W;*WA)H2_BaXKBfqKHU)_t5V@CA-BeP8`l z7_@;KjN!Rup{6bN_uVeXw9ve@p>18iyMTE!VQvQIwV;Q`HaJg427)m zT6kVNCI!IfGd!T>(!_<_P=I>D7{>Z#lt0#gG3%;IKTI@?QSV&JMo@kCaCw$@A*ex{ z1N-XcNoEq=(n}cAkc4|1RFR%N?8I=6^S^@!z`UD+qvcCnv<_Tpw86{Qs|CF)sCzww zziB&&ZMsfcd`8#;s%{hT!@?O=)i`ok$S4ECN(}Ng-rQnZmAc&()v4+Fk>7A<%Qe!o zZ5oJF;D~16Pmd}`ve2>sT*U82^K(Rb9Bh7Y0hz|t45X*!Ira$3;{q;8cG3c@8AoahW&j?>IdL-OA&!>=4L{aZ9n{kloLMsfDn^+wx|xYBJr_xHGW(=XJBdvmU z=d#ir5S73L_vP{vy7$yA=Q6nNj23;1!ySW1u=~^yY*fv$M={a(wzo9RhCIXV!zCMu zwHtA)aJFU|`)DM08q3CSIOt;LKE$q?OW2h<1MA!S{?Y)m`|=8b!$-Vd;?K5xiACKh zwV{t%uB`p@%3KiCH#^|+>*IeqvZ45~;%4)XhKPRmZM0ed}yQLS6R%|*af!2Vy1MY)ji)ah?l0mho*nUWU>p8B#R(yX@(OzRgC zn0T`rF_tR(M-kC<(fEyq-Jrn-oeS|tmSbrl*iy8oog5M?%oUU!sWCiaXy{3$$z5TS zXx_^hia!R{j&Z44@fu+pQ6_*kjaX6hF&KHckrGQOiK&a_4f)fW?{Meh-(epWkq{F!nM>R zRw3JjhDdR$SYg`h?m_a4&(t1+t-E~ZWH5&acE`AR9~g=X*WBNctFW%P8Rb`%1EAtd zxbAcjm~qz&>VABBabj+n_E@I-3ZESL;`P?Axs zC7-8FrS`Xom6lsXQbaB`JMeLj9{=0~qNm4B)r~66WnJp_#x1ZST+v~-V;C|e<#j`r zmAIQygd586R8Wmd2Hm11o~7*I`|Kn8-gwy=#K!e+qT3@2?hRaGP9 zPw+SkKPC=A5v5k;9#vmznMM1zgU1!gl1mXcZ$Vl2pUgT?nD<1q* zxJT)Xyb+MF2qU5HJxk0nJ{v8+F1S-;eaqWUje_Q_{Q=0#mkP0MU`IrVQ(&Q{LsmFmV9Z5(qJalBwz6G*wb_od$Npp+2~HN+_YuD`F|YkDRw?-IK}yP z$rHs5K*W2brb@`1^CPY`Y+`Y3_23ZYGgQ6~&vi=f=Y@W-9@djYu8-#n5jaQok(Nz@ z+rHRe#PzBBL9X>KAa*B6PeLKr1YOWc+}ILeUM{mI6FV3+k$s+-MvvN4*l|YSb&XVc zG^F&5vNFVX#@FuN>OF!pIIAu~js3>n>MN_EHn*N!wrDO)FoZJB8_wv`*t8HLX1U9D z_G=oKn~R)fWNC3WVJA#NzVXr|oR{+kbY1Agc2e!!M_6j0g@mi`qXej>Z(XtTWqFb5 zc+(daz4WL*Y0n9NlGujz_BHMt@h(pCEWn91J8-7+Aw!RF3er|MNv~3SeR#K$65y4ttMt})s=w6wG>ecb;Sf?qKX3@EleQfS(f0h}P-tX7 zv{)5YSXf759#~Ts)_LlQx=!(nBbTTX*Ay#^5E_yB^NrBRXqBwOQCfFDE;p{OAD`E?yDUD>2|Pt2&u zn}=f_h~}vXiGhtZVS3k&mZSPfFLoU5JoPR4?YKTaXZM$8p0Dd~n0vLofBeGV z!DXoKg#1pz(&#Y*(DH<}YP_=R;Q@&cXM}i@)(*->Dd=AzMJyG&^k}oz3=A?w7qnG$w1}6su#k$9sK!+@b2xXa7p)( z+P;JAN8=tG_iT~LUip#DxVh1|IOE3?Lp}(-b3O`Z{nESeaQfG!yoY*vUt+$K3C&v+N0ME>ajC>NPgZ%|B&2X z9W$24U%a&A!-9<4m!gDTKmQO_$fOSC^CBC#^@V-8;`P4aamA5EUQ65hZcc499&+dW zy1_#VGEWc4D`Z;MB>TL85gi_M8xI_f&xeW_4+*1y7}iy5`@+~LOJhwLA3 z?D4QWsgADR)E+TpjmLbhVtsMtxq$zzxA@AuiYL!iK31E1T)TCr@%XrHr=vHI4=HqR z9=79T@n+kAO*8cqT3cVzPu$&pd2`CxmK&Rgzi{Nv>PcPRH|NG^Pw!YOIuG_;#zRQm zp3~MeW<=IrY#JQH?YNbl_;SZr9}P)4?#iQMlA9hKbfDwS;@JMzj*gh}`rWXRQxA98 z<7zlt;bS#@pPhPMr5aTKSokr^%W>0-dwxAKFg>$VxoeK6OL_UDWZ8((9}4brblN@k zLhaeWnT<2=O!{g4kaz0a%ky5Yxw#}}bM4pVLmyc1vN*e=;q5cCL(lddHRr1>Z(k_+ zrZIO}V#n>!^~o#M9fW&$Mct;=&+Yl_Pv^{rMskmi)zH)hE7fb)5_k&?VG5{KS$I_Osg_+?BEM zod+<=?#JzIPRxz59}8`n{lqHc#>x&)?Ae$-^^d5%{K`&Es(skmUK6G3h^&8j=y;j$ z$ebZBdwkE@mSvr%oo!hj{}~#y!f16F8%&#L8&~!_-gI%+n`=%jS(&nTfd3)W{@zgo z_gQXTd|-RSIDcaIqsd>c>iO~bFB@OZpS^_6pJU2i+54-FYx7puyTS;!tc#)Wiw@mz z8vTA^MBlWzdlOe@7Ichl|x;&-g+ zJ8JLaW@pVwXeduEAV8yz7B?sQJXxZU3k^scUKj(`NvVeZS^(er1U6qTl>Y zb6Y3#_wPVy>i^$*`oGpUdJ7qUYYoRuQU&W0(`o}G2%q~WO%DXM_=~G2R!^B#4a@lo zmGC0|&*i++U%!nd_nr?=UmEha7=Os39YOK#eovDSAm8R{5lN&L945%9UtU)vNU9xq zS-la?P(8hXb{Z3g#)wGifp9seVxZeDZ6@m3@9BU3H?MsDpMw+Tubw_DFzx=(JWF)v zL(I!|!^k}MEIbQF=D&Zm|Ml>*h3_@O^2>1AlE{A&at$QE@_XA^guSE+oYStD=XZ;>E>C3Q-3iVX-Z) zkPLvknab*-)!0`=|-RX zFQv|gAz!Z&w*Kdk|NYC@zjSJE^wGWFDfzEE>g@k|7@oK?B)Sg1EqasS$RBUqxRC)T z7Dd4Oe1H>B9{^vtxX6fzi1-M2TpNkYZ{&c?c9tq4g688%TKEHaZgj|^!ospbidAJr zI9yd$2KWR)MYyxJtgx(zGpP!PgKBaDAxsQ*a#~bKSC926i*tz`*{0Kg|DiWY=#F6IOikU*fzg z8$;K;1qUDWUHTsay?+}H1ucRkDe_*q4d!J}FtZK{_X;t{A;sJm?-k>MZcD+sC!VN= z0;lLePEdaXA#0bUzpvgaC>3%T=wC(MK_md2u8>_O zg72Q!75u0cf@W9nL-;+rEBFB#ufXvNe&Ez#Pvle}cP#~@w@q<>J2T1K!Ie7G_RjEN zI0*&Ne+HAms;bk8-^EE-_)E$+>AsY&V8U&n&r%%-R8Ui}ZVIf5*MvlA@_k8Pv5PDM z&o`!Q5Ws+7p%OP%bqcMbzQ@y~kVrVv{{B2)h@5iI z=PR;D&<~26gnBx6t9k^RmsGBVs!HS#5>$4JG|{mvL>|OV)CPrr#XHEU3_+!_$i+cxP{VG*VxmjYicA@U5aMjNckiZ!Sg)J`BpMdhYNoXfR0gu8~E!U9m>f5JjgFB^k; z2nopPNPv^!9IRYIf(>kcxu2BzSg=763iT3f+z#F0udl5gIr>GbWbpSdJ$EH`#n_;vA?-yl&ac$W_)qhrc8!v;}VD4d5kc?X5nv1yigH>EP z%=Hx669$0hIB|&J@xLl_K)!-cv`2*nJl;`={SCMek%aNe2T1u@B`(HZZjZeOvODh} z2iTYn1E?$~1LG6u#<{*DlQS(N93Y5SF7|M3Rm=H8f$K3W7Z{hQL8VC^EQ+d0wWaSlej})N zdAaTu8dqT?F06f(A~vj!!@=0A@NbiQZW6X58C1i>QI`D7R~@B zoog9}S>#0^SSs~!O~m|YP2DNyL$+aDy|S6m(VV_ua0pm0z)9`pFof9qIO;LXkqP(as$$%6UXGTW(U`)Z{wGSFi?vAJ5%I#v3F@&mQ51mx(7 zd3*2&nFkXXK2@8Wgj{+Y)WkJ8CC72ZkJn1(OartE$W`vwrLMt_2c4bu^yDXME$J#{ zMDeS0{%9GA>`F_gd#cCH_f(HJRrn^7Bx#-ULzpktF{Bf=J6nD0$;dpl)_b7EfKTfd zXw8b2xP(EzC#l&v2s|(4L@}@IW#nFEAAqym*;yZ}H~H$Wq5f&JJGnj!lT&cv&H4K8 zS@3mHmG58%{#6`@&P&H@Au3Bbw52MeJIU3O%e54htq;Qo$zxJ#*8EP$e%!q2t~(i> z*|H%T3gZa@zy3Yew8+_vUyy5{1`Naeo8=7NgX7#sy)F8;fQvm#$o9!uN&h8qELeO= z!2NQqM!qCsE>47*?lVGfrYje@WxOAjg}c}#taDurb9_fod093BAHt@$h4I2($9U9y zA~zXEA`!nPz__nwj zvs;duX}EhU=}t@Qe+7&gmU8>eHe@gT)X$*}lOM!0*j*ePgJXQC??ZbeP5?h*-x<1y z-4mtEX51&alR^# z(Q!R^WxD38AYD_k(0g7NW+?+ z12U$34V#J1yny1T`S}!FjZKZBt!+rmfV- zN8EaxL`RF4XylgW{gdjN(T?(D>)A-*q{3_PI6RggM&+2+O=2(Mw6A-b6)E}1*8{j+ zrUk+PpOamxxe)F$A)gbQgje#Kk^eG&11C>=9r-BK;-H2sZgQQ+(xX7ja9zYo*P!fr z+GQ+tQC!&c9X?_Topv2A1&4zJ>z>_P&76=nu~TX~C{WmU(Hb{!Ryw71QD+VVxk-7u zuLbKB(1a{4-*&S9oI~yX(Y|Y$_;-0DZeWkGju+Kgn`v31*0+_+6@R{YvUnl>jeCi9 zm3%pXd2q*YDro_51F1y_sd_ zd>`NU`|x_1!+H5yxcy?HGA}|PscfZPhkv>HJ8;3`>()f0ye~rC!kX1VN+WJ^LrYnN zn$m@0YAIOa8n3Q9yEWK=J}Y5D@eIajQkl)-E5I$3c!e6Ntqva>JaROJB14}xJT)!LUNjzYO% zr+`imHg`}hth$b|dS}t<2B6w)M#5@_XXnU6k-FUnYB?bSNfe}vf6TR9sB8R(oMBmA7RBwA6BoT{Jx zXfPHM$d%0@R^T#a0#aSp4U{|}LbU^tY9yxjnb^b@wZtvhK$E;Dp)g)}SW0I;mDVU1 z!q77DLKuC66^@pgNrG?6H|6TYH#Nd~6+qyfvjMrLk?yE1h9LB7dSMTf!qq`MnOq{+ z57EXdoxdxBpce5~nD~)K92Y6P%J_jLwl{)&pA;C@`E5XxB%ETbd?DaU*gh7v0j#JQ z9N^>xX|H9M(R~Qzd&aS2UziGf$OurZ-AJPqpic|jJ-J_d!x!S2EbkHP|=V@BUHZyNw7GjN959`FIm=#>o>>0SH(@FbR zad-=wNo}z#jV#(u{)iv6HtCh&;du7hLT8GzZ8v_H%^%q_oZdmB?bO_chtGwzyv;4S zUDkGR3qreHfd$ia+PXW^a)kz!m3b6m$_9v&kr5oNZ^~^NZPkWzm&^~)X39|CSJ{a| zencx~c5znak0`tqZ={ls6ceAi{!o|mU93k*#g6FRI^JG26_k=wUlJyF4?NrWeH6Kj zoqet!ZAuT5|)*pwM7D2*SJEVgWKt}|2V8JIv1h!xvuyiMs7X~(lUatlP9>!MU z%^kl&(+zZMTjl$A7zCaK`jk0Q-LFN<17+9&BUj}>&SDneBm02;#0Zn zWYCcpSkcy6UVovbJS#8(zvDF}2gc*XH5&060SM{LNy{A4UPYsP`%}8c=ZSfEoV;8s zo9UZ)n4M=StpbXF zs+ur49F{po`8V*WGn_m$O1>Uv=@(b&vT$jR%P7}+E|QyxT<#`%osJzTR)xt6qeSS& z>l2s{-5JKHEas3>1THAcuR8f6YTCqbmREJ;3-TAy_RV^rI%{_ALfNiG{3qVSppIuQ zIC4^cI+HxZ-Q&uys7B5|vVz;$4rQ=OeT?};ehn+LtV;l*xTfTs!`jw^2`UqCyT?;x zA#>aFVRUc6o-(sL-CF`Ag33daVYzFm$>NJ;H}*7QdSn*0t!y{~@CxTw5==wwA2OfI zB5pqciASoYSR5VZ8V)G7WsPC2 zi(nB@nxutQV4tvs8CqtP{FBB}#9WuN!o(Y>Y+jhVsy>PBUDj0t=vfbm&{JNh@J9Gr z^o|W}lRGA!v-mdB*MJSf`C%j{`Fcgbdd&DSW;4FbEm<5T}(l67A&VlGy zW{0HDF+pr7Z~<0P~JqIn+mEi9-^6m{XQLpVIYggq*308!^Kxw z(og=RvP?Wa2nnh1g;(~*3O9Ts7_v;waHYy)!_`=zg&%@dlhBzY+8_H zvzYIhto>h}ogi4z4fD`Q_K185307b;e+CJua8ip=j)~mAW%^!Ay4zvye2aP1vdDDv z1LrW-d4Mz)M6$Cz&3MPJ%suWz=a;g#D?0B|nLrle;2`omqMXTWOs-(fv$dYe2^jDC=%Wq};_N7HPpU;p`TL+|)_CLl4yDd>yo+w&jhxl%F(mE1?wO_Ladm%J(xby7svQ zOC9NmDP5}}-)B6N#^aFr!Btj;E&EA}mt!)^e!=7xai<21LuFusD0>!St@0*)hswNR z-qmPxF~Awj*bxfRZe751wbxp_W3}QIjjItF^v>NH=^1(hSGlQSD6^vMM`*2wF7b2& zNw1H$?~c)dF~>B*Wb7oZC&-RYHq#nogh8xBW>e|U4I$O~1zo2KIc!Q+SjS*M5w74? zT9kNTl3&qT5i&!+CmT){{*sT#~akN?wZA z#Nc#nCY~}Cu{gTeYF?k(`4y_meAY5IvbBudCM;mg!d!n4L!*5G3F|G}Xyv?CxCx!V z6bTC~TXmtv>jc$tq5OCxeO(7FXe<(Zupc%ZusMQU1DI`iqV!3F*1pYfbP-cr3YLv_ zux!jRFN>61@-awac6PDKo+$M#c9dyMtfNh+>oD?eDw)}1zeh($N1;>Hd^O9Q#?c?K z&My=2q7VSk1(O^V>)%4C10ge3slm(vWdx!wGY7?)Q9EW+S58P=GCqwS#vf?hg;8hxh>Y6k>TD!eB565W=>sFeuQbGq z^6karv9a*>u31P}*VGMXW*&2=L&|x>+Vv-c_Y-dR$c(PArm-KQa5t1_elOAdZnUST z!M-(90ZyU|``3dZ)9j#`9bCO!Kp}^Hdi=76mKgQs{$W6$YJOhN47NW+0>&HDU3oTK zxDPb>Nl3jc%wkTOat+KV?j<3EwRs;Txi0NfnK}iSeV+2Z9!1_liuERGd7T4=E|Kd7 z>)2usa%RSRw>2~4=@_=a7KoDJUv?a{w zNG7v|UxdX>qVy8;u=_q?iTnv`j&b-d7=l0pVSOxCT+QP)zZG@#KUjr#;}rVYShg30 z?chU%l(gad<~2B5|6kPshbFY_5CSoyAKBNTC{%&?pfV}_CJK(_JvW}$+f04 zlHg>2X( zaDqxyW=0Ba6i2>PG+tOO?j%E9uoFVXctI(Lfu85ZN+j&$6B_O%rwUDh&+%mWJhDxO zJ~I&=z0M>6jQP>?utXY%j-En&EJypx!?6J4D!{Y}9GeKNIQWJdn>hf#!dL^Wy)~+- z8~cc*AOTS1_9@O8-RZSaXt!BQsZ-DXTbqWKvI4rHxJzN-9%{tZL z#ZKfIfP?}F^^T)oqajAFIDmwH(Bq6tY4(1hg16IAk;dOlfK(gLUu_{h zYFxw9A;aY*A)MKr*|$*vpipCG93O;b{gDNPgQ;h>F$3%dopFqj{srzyfYqUMz!*}4Q&h|JDiK!k8w4A+sEV&0`WFn*q5m-jY0)*hHr_Sw0@=1PI00 zur-^QQI7kj4o0R$S&W=H17qqvbAA*6l~A$v$90B0Ff?5($!l1t*tEhI%e(?7zmA13 zEIPgaCCoh1u!>wK{Gu*k#ewL|{5@ z5y{iepLz?k#A@VQnPN>b9eGtK5Ee3)W%cYpnIKVB=EA~iSTD}btzM=vvr({45x>(3Pk2E2 z_%s@9a^Lk9o+mQtXvRL;z|}S$5Z-2;d_V-P?+i|*Ysg6@Ncb8%$cMzAfLM#2F5DCb z;%wq^w?KBEJx7^Gpk4KIum`W=+|C5O`v~r0%@^g~8tEP;uc-_)SD`nvjkR$ThzkC3 z|1?e=iVpGn%%8_ydRy6sU^ENYDQCFy(e!f2jNx3yjge%TconoisYe*jU#4x1kaG~Tj>#LjDuUjlLzk#Ip3fp>7`mFRdswd+!EnqdHxKQu zUKfml&F|qsyrxXNOsH3(*^Nel&)KBT{nWNra16Lk;j3tfIU+{gub#Q)wM>g9JMhm; zitkf3@ILNg-5x{c3v>8H~?^~qh6V<(nfYqTehF#XE zRSn(1gQZr&$bLQ|Sk9QK@l{jQ7#Q{!BQ*d;(2V4MlBLS#&I^uUJ<1DM^$gia7RCdD z?+*EMNFoHg+zJ4Hl8#i>%B)LSs4eUxyR^zKWSqgW$)0T*VLVI^U}u`xae@VHs9aJ; zMWAsdlDdxu=86eX=I0<(+d7>Q-%eCz?Cp5K`kP+;+4!4YOjp$IjFatqby&+w_!9v3 zHgWxfqlx}kx5_~sC($GI&b|OC0}c}5tbeqIOJN^|M$o#NnZ>PT|0O~eSpA z=b%^G4!{xz7O(0dKt1+kYUowHAR$J`HpNo%1|+@BZonO6n!E~0?-!>b+j`fW!lmj2 zJV&+e2tYvx8k7ZK4X>JLWFnoCAU}Xg?gx*7_%31|CsKV!G=cGirR*#Y)Z-)kqV{p@ zmw{f`CTtMr>6+S$e?diWHGK-rVAIXOKwRN&7SAE+2Bf0Ah~dVr8^Ia;%U~Ubuv%Ne zW^$YBTWsML%Pm;yV~gW$FeFR;fDBXa3lm{L#NDY@TYMnPVs$!q#?Xx>#oQ&PB-X+#5~1q8bC9ceKkIgHwD1v}#GiyGMqL z?~`gdm`2LwQPIwxRcZ~G@2!St$0Q*Ir-7+?Ie;~*1Hqpu2C-V+P)DhNUra2Qy4z#T zf)o9#cm*Y1OA}J6_F1MgX&5B-rqTl};Pm>YjU^M=H=U!XnfBADyU z7$%?jR@obdCRW6zSyxbw{3GK_673fZ!fK^N2cyp#KJ`d>NDGO<8R~L&ierPLL`YzS z%8A@ic7u=(R#wjhBq)rHTU`vRh(e%u@ehY))AR_FHfalL+RZq)8J;bu`7o$4@or=B z3*nBYz{oQL(mJI8E+tL_B)g+yYwl7*Pp{1O64DEe2OaYz)C&VT8e=;cw$%le>?;!nk9mN|Q*$s@yqeHyOHK5eiE6wc#eK?w?HBoZoN zvmOQGTBm}qHwfTVKD(s;b}dYfAv~{ZEXU}AL2b*q0=W^@OreEZKG*BA)sA9U;3Ng; z7oLj1$pLHTLP21AC>2Mj_V1lKCS6-wooG0j^UyZcR zqk|)j5>1~;@;M2dUVe)Dc+Ytz!P`5MsWJDLsm)|JbpfBO?2T3zG5quo!RH~AgVCEU zeicYd^y(tPjNn@|s=>WaLWVHjvsOWW0aHuL!;D`4t7HNbivw1k7$w>W~oDIxD0ehBZFn z4a34_wyfk^X7kyc+LcVT$Bx`DVY^nl|MxMjr_DNLm&C1Cz+8d{l>ePa7 zsY%S4^@mU{`y?< z^*s)lf0b)pE165)r5gIRF8nQSHZzy2kiS3@Nd?*A%6+)t{f0+CeROe(^JAO;t!%}v zVUEGv3`+VY^JCF#CIOivRaa2$(}pvWa>>xt6g5Jn%JN2O`V4)4hy@N>k#A1D#ITBvHMnk>NWtw+%k*9_SdN)sFW(lr_L8M>R zffr~mq3omBQaXoZvjabp#i~W}`A35X5hl)j*fiZ@7MApoW`jSzZZ$Qb^cq@U3mMyI z-$S`zy|Cm(RgUa<8Ey15>O63%(-ZOco)54%(T8egKOxjhgz|tU*eDQ;rD2s6ZkK7{ zUG#9tSaT#zeea0Jo2hs?hQe!J(0SLQkRQAw46o-C_jf192|sxqBxx3|K%r3j&_;Ps zBR`vH`NnkC60GIA!hqkohpkYC;^sJMFxVZNV_8nThSnJQUzlC4l_m2kx8kkn33Ep@ zO~CwWa8~H)GjUeEUYTUFcv76n2H`T;kvtnH;Vg`S^fQccL#|_)dcVhtoR?$eRwP^@ z(&-$VcnG1OkEdnO^_4>l3hoVSyU!HFIX%RKP|s>2DZ;&-X3tB@LA>O}It z(=1dX?(gY~3yq9QAE)JyS*eb4i#6EzX*A=W^aC>b3~;Xe7?OtKG1WV;fC3{x!P$xe!$siPn4D1O4V05fT!(DKfpRc| zk?*o!mj}tTA(OBYtGhW{IB2^9(4)Y{B~2pJtS30}L9To;EOfmvbx#kBBom=nN$`*RM zASEu$DC?O($tds^EwfaT&ga;+?Woq z4|y5^Z%uUv3XC(p673ptE=D|w*n4@K=aVV+;1 z#+7evHx z-eU&0PJYv1x~XUOb93SOO0ED9#d!N<(o`986uL&^?1EQ{%0MGjd!rchG`(dP)iSE? zfhNV76@_Y?H}p-pe1c_IG?@=ycrdlntPaNGCQZls{oBE=3%)ZjG0h^>OX_mwC5v6h zTso45FTuLU>qM2avD4Q)ub}@0Jl&YNt?hT~X^WAFXH$es^$&nb?gRRr0N#JlVv8@X zfS9fVE`=|KiAgAgAGgaZ!Y_PG77GJ7+qJiWD|;X(_{JjtFs#l(b1!9ITcez!1gCW) z<>{xfzRCDzhlBrFq1Q!QE|ScG>BH!+qtWlwf~pZdG9pmqeE_kCA>UD0ix)61ynrh6 z!+O~RUZ;}XekW?~&o&g7Bl}GTRIhXd>G)hau0X$KY8s6AUjJfTkla8zep7d|^>Vjx zA(A!wE5JY{Cn5i*VXh1EURA)O3obIU3Pho)HhOQlCcL<{x zujE%Sfp%v41HDUrCO-}yx6I2>LB5%y{Ej)vdw8Dk1yjnr<(Q;i3CsiT0`aOw z+=PPN8-ELh&FEB_8DAr7yuZA|tyY;qR^l&qq&fX94ec~`AZmOr} zlbwTQM%qW{ zjOjY-ULCU?QopP8wL=_V;YZmXzAR_(E7oFvGEx}^+B|D>R_efcs%D4cU4Sf3&Et}I zKSWv{5BNAI#L##PBEav7CT6BK_VK-pq3CM}A)Yb&|E(?Wr*uLVH@Iy6MJTV+=CvlM zrSZ0R*sjV_BqYG^4|~bvt2DI{tUq|t%M#OTeMxWVX*)Vul#mf&SE&nS1r z-WLW+BI79&ftgSInUK$EoHemtceE0p7Rd40QA3hkVICu*K&yRnv~vaT)WjCop_@D1 z_0BEE>ON@C4VPZ-8y5&CER}=BZCKR^zY{6e>qc-`$fFYEjmVT{q-W4o5FJoHTz(`; zWU=z70jOG~VZoP)M{v;V)fn%O#LrN??2NSL#lhCAv99ANU?9*~Bja$QJ6nDqg}$Y_ zBybWd3pMsLB)B*KU3a~#TI1kYVMag$1;u1nmtm=@{a+S?4j(Ug#qk?cZ103BrwUY(D9}t~H z0|9pu*NSJdE9hY~Z)aD+Fxz;R>Q}Q0HC`Zg;#J^)YJ8hbrn~9nC3sB~nF1kxjaNxK zdzfrvKQsPn#^=c{{4)?+CroabiEr7rWe_go=u9>@u-pDHKYcJ=Oae347dp?IVe+>T zfmJw_y9n#_zrdIKwR1pf`2V3nr`6D1uX;0aeuz2@%z1xd}+h%$81@Gs6;027L_hg!-@*Vg?>^ zMW+_RY9fwmI?MJ`en8Fds80fj!`MK(;*YjGvdR)4<2j|Z_q|trRxH56M9Xvv5G))^ z;G3IKV0qX8>lRDq6lTNp?t&l9_uOPdtKJO^n5Qvb@2q0MW(q(s^LfD%8_g_K9@6-R z_I7#=;sXdQ4EO+hju1}Otg!7K>vJyoP{ax&i)Eh6KCQ4n*rUE6sE3SuNuf4aT#{ixxuOO@8> z-u5#B{vK`j)L`s^7(5ZO*0VUJv; z7y80lupJ4d4cnC#jZg|x@^)k^0SDfAIT{Owkdt~hGJd8D4yTTTtz?h17~+h;BLzWu zo}C!1u7=J%9co9TCqiQmi=rR4R(u`~P&7SE*(94Peqt3~z^~vgxX2z(Gq0={f{y_l z{`x40PwS7VHJ&eY5Y56o43T|TtFLW_{PVRmud{cM#yk?DNqiDg8(4`uR<}TH2t}bC zLcmT9ZaS?7eou5R*NN|k6uVSr6`mvOqSUz|fBk$^xCs10c0O9%L>8_D&py9OaJsse zZ^EK5&ObJvd{w&WJYzRbh{O4~%rV*Y01)0e-_ptFDN|pAD~x*?D8-bOTGUbX4eg1t zf5keU2?X#ApyM-kM6#D458ea>+_2~k4Dixn&i*l~uaO3R#mX)aC;E$WCJfD{j#{U% z@^2Ww3eEI72J5(anSs24_uwV0<kx8zhj*S943$Zfrl8i{)D$j*c#@r@Y>Fy32&*c_ zBHz=f^;76s=Zhn8=>@HPQscXz<&G5hNB$qRn~p0N(WGlyht0*xH?-XS1uFu*Hnmu~ z$JEWT=jeg)+kM}`Wa0__8^W-u3)dGw(#E+hUIpNZ$1&O{|^rBP>7orztD#Y}g(P@}E_>(ir1oeP7( zQ9b#XI&Ff(WQp@Ik2{xUd7pqVFL?(ltUI^`$iJJSz?XJE5(Yqu#hb|Z zxv}jU^R={u*(UeJ#Tn5|8Z6YUj#c{?D(0v*J!9TK$}za8=sVK}^SGgTK_xoRPX(<|_6-OohAX zfyqn`-bR&!SM+>oJ~EG|*XIRKAe(1CrL2k&meqWw7gm%%2-=*`ia)x#Ki8P3~yvOUr_RINl6|(#h-=4zm^%fvHFU8>o-)zVYH7ne-tvfSMxrY?b zYc1=H>%WFY@nO#HnR#Tn^TV0O@C0TgvjgHtCPBwu2Dm#0X&5)dIX}_zN_WQQe;jS9 z<1(47vfXIXFf_@7pkM~XfswLv z&NSeQ40@TdGNqCC_Lu{K1PK~mv|a)Zs`5q7s|AHN>Ki3h(^OA!a*9S?&vOI)7jfAo zH0C1apDqI`*KaYkNhu)ONy-cxV?DY5ocunvM7RQ@ooU?2(|G#qiY#RNkeMKVggu`W z&nZHlvzX7a9P#`X=lvLlSLG9YVGonw>4DXM!$!p&r^IDMW}%cPW@@Ltp|zZ_Fdn%z zY=4GQ7{=WIbvHe)9ZR? ztls2ec9`jMQVl?mWDWGn{WNKpX1ag6@FLD48ri40H=Wz`H($E&G^ZPilq z3`5N!osfWE;04)7l3#Mo)`_ru$;`nRkQ*8z={>zH9r2d;A}u|mm^|k#opLBl*lziP z6#s}3+VD%(w{#@$pNxY;(FyZTO6cVtCtO1{Vi70K)mThAcZCgd=aG0I0q^yLp7f#? zKMPq4=4T@v2Kh>aHP^~5#UB*+LKY>GENqMPj7IibF_z1;b!&7R51>7jb)ZGjUq!)J z>l-FtChA;*Ga1e{4Fap_etH;wm0Wxw&YOZDCE`L7xc?L&P%_h?bhr(bCYRBeMT6(S z&6H-LrqDN+u@v;z&FafQZ%=PB7Pbc7u$~;|oM})Oqd@&<*h@34&y~^e87~AsYusOy zqI?#HR(QfFaw+4K>mr@k3)G)B#o&?3D`7%B_+jpi4pNP;LI{SC40?j73Hdtlgj4sB zJJm52J*(ByFv)TQH<)F@C&y^g>ncn0{jpJ%%aMnUP-w#pjyokFpC?P-d6z%~z zX`%eBKT#|1VD#Rdl=i>&hCmL*JNxBOrd3+nlu30H$JI*7e{OUBzHtuR_?1L&<)3@KEo*qWiAjZ)0%&eJ?5du3i7UlO)~!3ew-joPAe4+;#G8 zIMO?>Ajx;_xx2umP)Xj-M+~*G+sMyz|56#9#a3?|gy7qwauG;CG{ued9BCchm6uCX63hH|ozmx(=JRV*7!^ z&_iz>f}@~^-nq>GT<^a=;xC!($A*6F1Aji{Z>GV3DS^sr$CcKO%IrT#&Fm#*N-lR! z3}w~hJ#6TJ`; z!{K|LQY->-qU2&sqKF{%+r&-K%lWQ6e={VT%fui&flJp*d2%jp#;*h0iXK8MTsR(! zuogw`ii1d(n=j!lIGd{uohJ$Rc&m{%Uxoz$%C^~o(?u`2@^j02B61?I&`gB?a&r7P zkuEP+DfJ<(oKx`&(z#^C-wSD7xx_KNQH;jA9G8SMAi`Pel5OBJhr~jioZ}|0<9Pll zZMH%@rI?T|Cnvjf4mRXu=PCwYwMLtp@1KEnlAKFy!27v+xSXv9LO*qKUQX${(8gW5 z03OGko9CYZFYi`lVFaE437^_rSLslAitL=Sp-7vPS6mhbM=KRiV4d3~`SsXwA6~>= zzkTVq@C`7XLxc$lg&;#per|r@EpIklK0Dj?us1$*gY3Mrci|0la{U&KHs3`o^EHP4 zRZ0utFe$(GFmB}DhX=^Z#zV26HPJ*P%Bl&KpR>~W) z6lwF6_5s+>iBRuQROwjj&MW&mOeZNh#jk7hIkJ>foEN6ek!CgK2u6Y4J~|H2-))_kbQ!o>;;%__U-ZB(W_ zql5En2jL7L>V@~nC3-2)+-1pKniUQ&O7y}RGPFB6zwF=PS}DK%49?=7)=F~eNe#5O zybA;H7Cr+hgbEOe+FZGK8KAn9eW`=0Y2SwD%li?^FN%eJHXfckw{RhV@v7K^rPRQc=FuY zFpAxx*@t!i9LHipg9nh2{5^cQ^K;{kFkaj}qGX34IM9m`-TuOu(HW2d8#F0l1V&m4 z@JK+yK_WnOAS6g6NEC=3gaV;KqCpIB4g*^w2)O;b#lpwH8cc>bL%e~TYlhtkuqzRS z2eE)8fh2f6LArpXfjB^%An70(AekVLF^RH3vOy#e86*cJ7sLgk zfaJlo@?q-+@qly%=>}2&;sxmr(gQ>V@qzRN=><{<;s@ys(g&mnq!^?xNI#GgkW!HT zAOk=GAY~x;fDD9t0yGb*fbWAq27^>mSU+S)&mr*hP>_4!rz((YkYOOhL4qJPAoqcc z0I3BT2{H;~G)NuD7?80b<3Q>`#>2HHz;+@?1IQ$h$skhzx26$3Q{nslAk*Nu>9Cyv zG81GLfD0OCN6dlGTncB*`|HyLANz;z-#xi$>PGxIv2F00R-5fF9*2qTl_P&nZ2zwt z*ngexvRUzO3?G0_g7iiWw8YRS)D%M>Xx7^>P*mR4tnWrn0#usYpML@e-T4)EmHpuT zt5s_rgw~0ZkwJ4WZ2N!^Xh1oU0bhEcuyUdwe91=HfZ76wJg-5CIMfZsA#BPwXf}q< z?T5m4qOH&A z@5dT%>nwe=`Vh*IfsD{X@6$nV(*dWT4tk{yda3Sq=M9y`of3qSn@_L@wErkML+A+j z#Ov;Uod5h44(ZVR(DSdN(?Y2MPO#OQ1D{^-30{qPC>9@@gc zBdMsx2!)C=IXqdD7-0yFE`%Y%pfQ9QF#I15V@-qs$HEWD5QfcZ+2ICFayT4=!*EcS z2uD$A09*z8wQ#78kaBef0uIn7<7D6?PR3pJ8bf$I?mJimC+Q%P7H%7Q%Ej;rJsEx$ z#+B{Bv94#}gAi<7~MgO(_2e3W*v5~i{ zKMg=Eq55&C`gKs6YE9G{!jeItPN4XqHlTMHv@xj1%G4wEpZHhe@F(m=;LDkpT2!_&wI#JEHdL`t zHwF!pS_DtIBDDw(828B`ThYoDgfTZ2I+ivWDjNiMBgPxx%GiKsXyNjJ-h~_RLVc)d z5Jnwb2?*)!X%R&$`>gD>GSyKOk5dhr7=-!|d-O#sQ!xR^TL`5V;mJLU5;f3F!;%p+ z3IyLV4mZSW4H|-6mz#(awGr@;=*iF{+gE@6&k8I9BjcYHc$qLAAnY%G5vst>+ZFhq zg%zs6|NQm8SK#MO;q3Mc0HyVpO8>*Wuod}GC?TU{O>o=@z;^YjVYzf(#0Q_o%NEmUVK1B0FrDLItL;4W>Dd1uKi9=P*P2t^%fPOPMdHjSa zL>ke|4FMjWt;p*`kf4Rz$tp4-7On-hE@~nd6Ca`+0z)YEF;I}S;IGPB5Ks&rCr4%c zMPD{$blvz-Jda!xs(cn%&wB@hY#u@YVulxK$JVJYP*iLPMr(@5&>^%kPM>_6vnUzR zV{E;3V2b3Z!qr?fS;jc2dzffqAWK06P)Yc0CM3Lp7y-1OBY>>30`^s~RNaaYcd-$G zstdnmtfBJ-8u;89@+ln<K#B7P*&BBBh8+ulrmzp(mK{O}_$jy> zBv-6|2!9KZQO$3l@xk}t4y32Kn%T}-8RMGWz-S&&%TaRkr)aXxLhVF865y}K0|H$R z5Y^&uZT0-Y9kC9P|AMqaGS~>q(fMU>Ywrtgx^f{B zXE#hbdh<43k%T%6uyIr0mI5-f_5xYd@}3`Z9yS63S23B@wmEo6F(N3}SpOA5ycdyr z+*kOBTn2Oi!}u6(IK{3%2G^wC0UB*$zg&$9NFe;+6R7<9Wrc%?-3=cU#S6#Dm*9nM zi-|mN{+NjaIPU0IRHDn|djV^2p@Uf_t**&QHpnk(*oHm*Tc=Uccm}CxYsWLO#1bSj z0jP%@;)A+$DoH%-VYrn`Gy%tGVL z-;n@Dcfa5Z>K#WYhFGEwV+@txfvKeFL>=kDk&e2ebD=|c&Yu;jVPs#xI6K-AD@12bBi7ie*{;y) z^I>RxA9&XJGJF|cl0QO>NBd__gbccpi6t-pNo-|Zt83q5pQ$U_u>VVn{|oKxkk^1t z)Ej!j=#xQ0U{VC0QFkhM`RLOqgPa5D9pvEnb1-dyy{&l!xtKc8{ur~`Cf!^M@SO9- zasYb=0s&|xR9D5Ksk<(fn&#+;hL#-XYdUhQwyYN7R)}K5a7dA8gFK2;`CTjH|^SRJ045Cs(q*|tLNgKeZa0Y6avJTny7B&*yJ&z$`gd(B+ zbBIz;7QzdO9M`A7%R>Z_=m*NAix4wHu2be?JPb?}#1P^rm4Zfoo#JDL9I5CwbaHy5o2IS5$QOI1Prr&B}w#QT4*Xy1l&6#L#o*&4+vx0 zDs?b(Q1v13JBN{oqdzq$#|+j&nw<;aOyq1VkzLtT+})bMfNAF@nIl(WDhIz~tkART z@kx&l;W%G{;vTQ^=Uv0fx?A9}lDYhfg+6Ti{0Z{RP8VeDG`J*?AHF&S#G zl7t$MoIf?sWHs#BeCicXG&=ShYcWZY2QL#Z?f;cZzqSJ4`Dm(SNt1xaMD)3>l zlzcRkVILEVp<>VjPL-}qUURAKSbbLAG~>CLmgu6s#!SlFiaLHT+=lApWk#aFvqsZ6 z8;>P&RUf9Br;MpZ_6(rVm?A!p=xY>&ibH3^!)tHwai!~#Ok-O$U=`8cXyQq6Q<#4? zVm~KFurgOo#OuVzkaP10YztoZu z4G0HuS7$iRm&|nav>k()T_IB#Nmxz|@f``fI@>oYj2!Ozn*CRM1DnNdCJtU&?Ry82 z+09c?&^W_rU#>$xn7`H)RvbM>?y7sb@LTpx;wv(V$O3WVW4PS$61A8#ck;X|upRiq z0nO-9Vu&~vF>^h7%nf1$b_mOO_ahv%K{Rr(8;oJajo}XsM=ppJ$5qs6+ev)Fp`pI= zbRhThq}?1&vIB`12)`o+$a2~U=Avf^BsN8`Wq1-K0egN^nkA?ksqlaRcS zL6nN`Ybn8a$Y0$>C1-gcCN;M9f47Uo<`(%P^+TqPb;QAOq}Hs*E)dD*>9%v4>3|?qg{@ zu<(6&cWRb1nYh%gUgyk+tz+81<^}IK9oK^gZiwoRD*W^Iuxqg}xt5ph5lA>qxIy2z48 zptu1Y5Zd-A(uRI<4vlK5X+7Ldu;QLaEfh~hXD((}d-fB}dFD&zP=E4WHj@pg)U=DS zhB1Ywyh9Mtm+W|98}4Gc6a|?~F@+hrvf2@rH{*yWjx8iRP%rb+X!--Db9K?YLQma5 zV-IEz%^SH4Yh?`K!s*0I)6YSKdq1)lnNe6yPJ&z<-fUj115G*#*BmR5V^Gk{PA47Q zbfVfDz>RG%O4(P?gvVA9Tx-kX```|70S3|-|G^LF&r=#>s8YOx;Mxj}^K`&@UHFD0 zjwEEaq&CF-u1dVPpC6pl?sWtsbB~I)@x|(|DLpRsigToQP_l zsXT^z*1o_FgV6|P75pBti|7io%pP*S)gDFUvH&MRyoEgkUEGRrB9YJTCY|%kQK_i$ zbVX$J+0F6_jq(II2E=t5yoPwOv<_h&*tTDWXc5B0CVFK|Ya-#NHr7*I0qBU>Ag%^g z!}?-u(OEV+m{9jP8`Cn$7oKAKU`HyJP=>lqi7`>uP(SI1ht;}a!4KXMVj;@2pJj$87koPn1UO0}Qk(JpE=HFesJel+Pm50cv|Vku4jM zd67Ii43_<`-6F?r~PN1C~!pZCZg84NQV~_9_BUtE2#io*d%`oBD#XbnFus* z32h#-?P3NIPZJKH$m&X@@J|x6A%NK=WKm`GJ`QCthkOTg%uuqo080T}PYz~`e7X80 z7QmqDzA(-7xK2pciN#^Q9VW|1k;mS4&WeAkL-;tYrgXGXh+hF zB;*9>*B(gzo?v_82|{YyY^>+jljCfAq57hO=jq?Y~uc76J5 zYy#htS;xolpW?mjWo;Dc-!C9#CVa|7{T6G==Twwgau zd=J8F(KF@&obhBNn{PR9q92JQ_2Lj3XVd|wC7Vy0OIFiw(lGau4;aIuEnystX4XkM zY{nTOErv}b0k7nuzZ+v67|R5ybmDjc&Gxmt9Si7&?sLYidNP@anpz8kN5d9DC5`qv zQd|Z4Ah(=*jBKEiLG^zUF*K(V^<+1eHzn%m4l#2>`#pR)H8PN5>C2efI5`(mZgF5T zcb=F}_6s`5Xx};vu%~hjV)ihV>?BUcgNx$$ShfZ)!B!XYxWd?gE1CE=-pv}_6SDD3*q72#XK} zQ@Q1ci8oT`EImlF8dkO?Otkri30Br!ttpWgCWq90M=hI#=TQMRme>la;&9f0WvbSB zIg&6sL}m%@jYhdss6Lj-F;uktVH~wPv$dl}{uLH3A;^W%N5|5e{Iv0`cv=D_Op`)bo z$1{_BzdMZsVNUt|()Z?(mZIF?eH7!k$ura|nd6Ts%MOy?o1WHDU1(bG+Z*L8Ktv|- z9XK6(qaAwu8ICM|AR1pYB^vN^#bBSwMf}R092WM~(a&yQh z2}{W~Xc6oNCZ%u*pUO`34n)j6ZYu6c!T>Ga0xWXW5{`di<2q)WzBAQ~MP-m#m!WYj z$IBdF0w)=eu?CqbezV55DsUe=f#_aXv%Lg`68H~}fi9a!>|-CXb#>U~PJrom+lZ?A z0xXjyBvbdB>_hB&DV*s6zFFcL*_XK2BV)E-u@zfJ8MM8T@@z8Q7Jcgfu=n@jO%!b# zFh0{}XeP~Wx@kAJ3DjD zd7amJ-fH>WJRyeeY`QHUA=_U-FElsk@yy5kWV&zTnlrB{jx)9qj($^pu9Q)#g z5lk5f6%2&Xt8O2^bt))TgV^%K?zoHN4a9IK-VbD8?NkT>kJC~|M3^YLkES?YwM=y* zeBayNbBVD04XHa?=>7$3KN762XnhV9wfbR<(M7Lltk)B0j!~oZ>0n=)l{F>8JBS_7 z!Ei6WV47hdE%=DjXoE_#i>FikduS8K)^`%?AQ0R{Z2;d)59ujzA1`{Ke(eG`O^n)YW0TeGk>OeJy@e*ujOveRBU?n}V?;~b- z^MOnNJC7|tj&nsqsBK~L_vmI#u9-a%XeUnO5Fg?9gWzz+2G^h{aEbdY_2UiRA7D%bIB#S&9#-3E&ki>Y>IDY_A z=&(7vd%+3)H`*(&m^Ul6Z!=YQ8rR~-b!ohF14+pm2`ZSVf*q5s&s6iB^~0!5^4)~N zrfaX15)G@Bq^E8eM@+gk3CzMdS;+K>c8|`;z%-hS3;bSK$I` z=c8@A;E5Rq|M#^19)rEaOyA=gf}<-8q>J{P7HsZhPdGEapgijtj0fZObWrti;0a{d z2;oeRGT_iHWHLN?)~kguZ!O@9#Ec)y|CfR-FfiLd*z0N2Hhu5*-iq}$lHmFpnT%v6 z-bokxS=|^O!_G;*9HFbAhK)*x6z;7LboB)He^FgnFwvM1$t(`ulGEGa9^8Dw6z?W| z99@y&q?#O+kC~WC(%W@gB;LC7&86~K#g0P#;k4jH$J>Bi1xDZ>1id^KgfB_PZxQ4% z09Y<2xz;07E+}!5wPa@hK9;-y64vAA?Fwfv{EWBWQ;;(YgVs}*p(hdAp}(cG{#zqV z(r!>~*N}Wc4>fpHB&pJ&qn&9CXEYCvBxd&u$e0jCMEvabXsXFS3PR*RB5S8U+N`L% zuLoZ-KW4wZg)?}Jf_QWj7jIf=-K$}IS+8LdYkCbXaR%L`I|sHVbQHMm0LGIp|A@_> zs;t|T*b6B9Cj3a?Alg`U(7b`mG)m7{o)D9a(TwyOF419$Np)Y1wC@!SRV&5li_7vm zBSF+wNVF@L3Nk4Ck`vvt>Xvd%QxENGk^{XVqp<-O89_D$^yX7<#-Jl zr>beZs~6#8Oh3}aFgJ{#&vN_SOn4rwrcD(bmnNF%LdS$KA%{)|t6Cb8B@Oj{Xszxdnt%rm`FN2NJSrFu8K-M6GXLMsY;}9P3R%W^Oc%)%6JsQ-Xip2HSgB0&E zm2$)JlTs=G`&wp+=p<7B%_Y4|$K~EgYw-tuET7E|jADOuA62>&P>uRp!w3U9I<8`y zSSDmuP0wkMtZ~YcT-aH=yolA&g9pSctgri=Z^K;Prf?`!7b}FfV9B?NCub%hXGfYL zmbu=7h>z^dX(AW9R_^pV#Rd4h=_+X8g73Ej-8M8STi0jICrjxW7RJ~beh(O!+Hp4R zOuFF!n-}T05H83xnOlx(h#qSIHAzFp-5^pYbT%y0kw*Pg6<)@7f;ql3iTAwDewd8b zu1%-S)?ef5KXKT&%4{*Y@;6ai`Lf}64U-08U}wi#Y@bP=+1?hs%npeJ6T~0G8NZ$f zXaevt`nI*Sm~;+a<>rwKw33S^y`1BGom+RKplP9Da1_ZPW-fjENz;??(Qf1JI8qAP zF(KF7B@&8_3HX~&)I*`xH#qtD+`7J4dq3uy&o>bZrKMG=g$b}8a497NAVd-d7j{QR zUabXkSPL^2OPE-ZT;r3nN!40EkR((B6%o8ws_ z(xDFDZXSINfDXt6d4jyBjr~%&Y8qn=CTe#nLDpYIM>jr)vxPnQq9H?t)hCu= zSMVj;3Hx*>Rd^SA+9ub3Rq`=7WCwCtrxO3jbGmvZEX#(~QN%1%;^!^1As%cwOu;@t zhK;P1>WS%J@d)S1E_8V^^%s0BJ(l%vl+iI~5~72kiU$lTyIrm)UdI)j!I1>s$!NqE z@Idn^lkVwa)7<8dgW-mQ`PSiDB5B`?)y?b%t5lj}F*=v&aRyfMOLRq%w$H@xJnf`= z#If(HcN055bw@L926cs6;v%(dx{^6bmcs^*2ig_~6L<%FK~WH9&WUvlSCBOGPra_K zUsa3U0&_f~Y3+%}^k*a4CKb~MHWO*&UxS!Pz2v;VB*`|h|(x8T6 z)xk6rACre;I?45_Q<^J%Bu*lCE#;z)X@xzwQy{xQE?Xw+a+oj>XIReQdRktrC0%qs z#Fn$*BXEo^6ZOKP-C9RW7{8JaOb7j*Vnet2uk4+x?MJ zx@mpzrSgtgux`_M6t zccaJgb~rv`RO?Pg+qeoM`?fc6az^j0BGlikq$YU*GR~$W@`$q>pr>zVx zEXf*#_$5TB-0aKCjKQb9H7-RW9csGn-Gc&-!-yJ8N3em>Ks^wS+x`O7zHUP(OaE(3 z>jx6j1=aZ04N$-U(X0hE3ZsV7j-Gto7i!O7@;(58qOnqAIK$)@A^ugU@#?PKsD|>} zsdJIL8ae#P{Qz$gGRPDB4*Un0Wgi`ygXmQ<16%|09A87pmhJ*2BRCs>8JvBGXQTl- z1-CN+TZCrAqGWL{Hc^dh3gU;79Cjw;ChmUdSr%g6CySaYMN zU$eRV8(dn^1A`L{g2+v9tq3R4``;t`Xda0aUFx^-A53(N|RNrxEuDo=H|3K8ezqqvR}vhoM>K zi+L@xK-iN$V)!wdCh%*te6(Xnm`60aT)s2SH(QiuK?!U?*c$7O2?{x-K%>8^CbwYo z{k;nI0C*?bsSoSyiFb}SHR5k^j^$EW60*GOAL0}^PTE&d#rhaXz^o+0X`C)j!|RRJ zBF@1b_?1;`adCeG68k|?VJzY^h=8AGhw_F`qY1xiDc_M43H4;ZNdS=?BGA+P*R;E+ z$D`;?8lPbRJceIL`s#a8dz))YGc$@`|ER$ciO zr_mX;9J|8|IKl;L1ccMavw&i1>L>H8&DL}P(oGEeGiyzbB!i60Rdf*S!&U%No-eSp zk5)`se~pPnKI<=D678MIZ!tw$ynGB^tn8{lS&s_&8?jNVuAh%a7*C3p!#>`d4Md9q zTo{MQiW~u%4ayQfD*d=VvRNlC6AUBvA`nmscvcJ3U7<-+aJmv;i7lg;PZWj#cKQpc zmr@+Hgz5wre~Svv&3KLUA;=v%t|+iEv)QYwi=;lmfWNFB1>l>!4?%9+SfL@^T*+$g zH~0DQ;61vWpCT&>UV;0$vQgn)#09YEy(DOzlGGC?;qh+ZdBoF&V?(&DW($nl)9unm5Q?D~ ztfLijvU_<6o1wI>)o4BK9fxBZKNXYfudG^D|B881D${9qejtf-<~T^o>aVNzbt20E zx>>?QQS`yp%y>SL83Iv!xt_%1%>21T`(_H*ox$XZ^%J5pj~P6X4dI|>i?1J#b6-+e zzv6XH4b1|~t{_Y(f*N#vkI1YTbm9$M2@`&W+y|s5!}^0cPLeiCUH%arsE}`3H>q_C z*}FCL7RTb>rD2X)Jew;#SB`zLxXDYX^l@%k;E`F=< z29e3Xo4=6y*>lZKc;tcJ%BOQH0iDF%L8YU;TNS4NF_KKr?;FN2Zi0 zCXx&IJ^T(lN~1j!SuP3|A@T+8Ej*!pR_P@CA?|5~JZH!A?o%~@AMD?I>F*_L?SB@p+!Qc11a^*k5L4+a?ym0X7S&hTs)zS9!Huri+3 zlj!^@2-wk%o`?^TB7|5hSIXKK)sQAy*WaIxs~ZW1D}mwzLSW=y9qkPBigP zI8PCywA^`9=#(#_ymatFE6hNGA5 zi1q8V9plil-`2FAcl3!k{=T`H>h~}pQKIc;kelKItAft~={&fNkG@tx*FeH8pzaq! z`Ipj_99x;fX>R{!txYCcTFjZ6J1OKq!2s`R&^6;YV)l08v~+rAaa9*O?A~4K&id6! zb#gSJQ*nC31#S#;7SbJc7wRA3UA8ybe6#ku7}geRRf$Yr7Ph33kPlo4!Y%a&ARkjW z0_CS5JPtRJQg;&~Jr(jh`j>^$Rn~=S?Z0)F5n@uy4-H?7Qk{16o^a@^GT6!HjLtyd zqE^4Dxs1kHHbN3b%YH^7#-lgIjKXnD3FwJVLgKF(+F(~OC)l1QCgY!^*{yG4wHQx# zReeqjhP4`ylPuhUgbZN;h>?<43exCPLY^BG`ZWDt!`fNhNskGG;-o6_rK5ux;{R&^ zMn5+HIV5>pucpzxWRPw^T<`!$ydR2e?XG`Pm2)5ec52@0DVo?$_?+=n_C~a)PGqNr)u;-f`Fr(j(^#pCpiOBv>;O1`?l>o%L?(XjUiDMgJEp40uWVm9OzKao_s$CdsecKIDh11((_Z7?=aWuy>1vx*3>6a|P zt1WT9Fq})?X3wY@(YP^(zKja=A2aM$n^cF*I+3X=;OzxPxGzc2on2sErDCM47gP`s z^k-W*8TdsTm;~E5;3KCeBk2jxLN1=MLt z2-t=}HxgcA$b^(zqoZ0|%#Y?$)_Srl{>n2Ld(A&|C3&XN*e=gx$pMAj$-2_Ubkrx; z;i97_&3+~BDX>^7=*e~QF4oVm(L#n{d<=`-kf-EiP%RTp7VGUO?=<5&JvP#zeDs4H zNqag1GR9<#XEN?#cr##qNrStRqToyaHukZ71;<7d$& z*3CA-=YW*a1~h^V%Ohu?{>e68o0tbwnf(Btx?V$s_f7^Y!{_k+mPxwSD1L2o1#=gi zIdL}7>JL<2(>ggTiPY*MbrvOww`90DL_F8laqWEzvZB%5Z;AP$190tg!B7Gk)FQx| zI6&i#E$!L%kaQ6j0=yFeZac!0wAePj{$*~ksZ#d#r2VdKbL4ACTzxW#`s9*o;`L0+ z>xw|O))j$im%2V=gkT_U^pe%1wk#>0rLB*tUg2PoZidR3n7aKNUgHf4nqZD0Kb7g- z)=DRbpcv2hWPp4o444oj3)WT-uCAs2+QHPvE{o(Yl7rxu48%&N2KmhMAaufA9qSPQ zSJ9?*+xy`sYwH-jwwn*H0D(B>T~yjSS|2t`bdwry#14kGn(jj$*^ic+_gk=rUs0zL z*m@@^;PwVyf#K7ii?v~CI?j=QYuD-}JsqpV#9W<53Cb=qi=SXxTDCB1lE5*xcUs)yDg=4f#x}qtPV9c)Eie3bUf_MFu>FREDD}!;m-!JaA_7J1TIo;#m5E z&ce|Vv^SsR*b&P8d4>vmAxEl>i^VU6vVZUKv1Eg*7FFKc9wR34T>{(cuJW8|0^}ud zq83T}M6P4rr7+uh+L=vPNe69(=RRkm7(ZSCi3XDqL_7Y7>OWa$ILeEnbP}c-Q&-Z+>M+Fx0m!}f^b4TecEU;`;_Gi>UHWrLrm8?lzpX6GxV&%`x? znQs>MK^!7H0jn@xR^jH)Vx6xy(_L4o&5Xv{{^L-=;w!uGHd-nyHvM+(Af!cAcq&$U zNsTy1^BfCoz*S~=2JdOm35b93qk2{WsI!M)6vcxzaqE+&!;E3+Zpm#De5CW+@lM1*Pw*WR{2Fd4`zqS!UBS9sPq z#NU1Jm~MjYE97b7>nd8ik{R%r*3y`AUi-BVKL^yFsZ`L{MnPO`AIBu*odTRnT5NfX z=B({kFz%=_s|}Gybf40|VD<}@e>W`=-Xw#n+tb3pTEl%-4r6eWTO?+$fG zc2@_|-%@zu0@V3!5AbGT1)hjTRmJxItdsU4;~OVR{Hl^fgdZ~+;>4~(4KRozh5kY( zI+Z4Z#y)U63&2O7`Kfto<{-gn%C66XKq8VUGUZD9=`j9tp?mQ>JQT=#IIBVh%!C8l z;Yx-4zHLn13Npi2Tkwe|fc5+!SV9B$WucD}QVuxefsPds#gAOn^6?W9M1` z6JeRWw#2M~?dp26a~L7>M3L|{nI`tZ)mQ`dOvScSb(3iqx~y)9C5h+@+b|KVm1>}Z zK?pF17GhIbJfuE^v2a7X07Ed*;P7DbC4~Y-fP3wfEqKItKzcSHkW@=o>yDK)*7+HD z!FR&DNq6=WjUz3buCA`48d|Cb!IR16*-@VFn0bZ?8hyVgW2X7qTK4V8)+kt#JnhI# zE(7-kXVk}G!q8SlL0<{eT0YUIs`b~Sj8MVX)7n{wOF-8~AFt%ow8KSr7j*kY*nq#w zlN7pv?^e;P(tPokp(|C#!wEP`wOZR^y*JF6ES1dPG4-CTAR;EZln$~rz;s4_4|=7^ zfRacF%=9cLqUC{CK)19k%Z70Q-SxM}ms6k=ws}lstl``4qKQcQ z>vmj|lK=urDWI_%ZqfDAi+!2(cp`~3yvT~}@k-0b?6(U6DkWRIuT^EV{%!@j(H%>t zRrf4o&=dN_DQrO`cA74>e5o76u(P5X^b9BM1>z+clBGrLSq+!htZ3+3@fjCqELOqH zv;KWSz~GdoJ*kHMUaV**LKcKYd+?9iNn94>)@=y%_+f2(hde5X{YN8HKP;0+`Ac~n zk@zAR>^bAuNQtigrt5{|ygndK2N2eTZ3x8H@u#+rY{$#A7}~!|boj)vcEnuTy&ZQq zB~nfesj{})(Z;V;M;V{oa?MxDCl)3|@ZyQN!3vK7c5B6#0S}``3p=CAL51xJhJd+J8lmBjHd9H3q=%IZz${xP_vdl4I}sim=})mF>8zPQ5q{87V2!5uQVEX zrRl@Ep?*!)5C__*_j;^nRps}zwn+M;_iK;ZP_88jAU&shOHE}8sY&Kv$3HLc%A|nK zZEFDbbjW#w&?K!o>EN3BsH~Mlo37-aHlE@_gE4x?LaT$y zxx{e`vxgY@-Ed2y{UxEJ&1id_G?`vM8qPw!xr$D*%W}_1yeJF2i0YNZOZy4whCwmh z0wm{Xv2TaIdlZ*~cY>^>5RW%EM6y#^&YcAkar212oN^-_ZrFW0PAhOp&cZ00TexR( zXMGI>u%kA965NEsJWTI4i&6}qjcRhB)?C(O^XHv$NAp~&^->5zdb;D4-WRoDv96er z4F|2m6NrT@Gn|bDm}L#@Bq5pNEWZXSNwW59WsWYK41@)^IsvBu&74UP=ip23#~|OX z(tVJiot)&}5s87%erRf0_r{-UKVl=5)1QwIZU!An?R1s3F_IZ%oD@lm0r)sf#ZHXh zI7{8~HsCP@d=xDJ{0n}9S~jyz*F(r$%M7a92T>VB6J1;e1>r4oyw})R4RPxogJci# zzG-=ybk)A7Qb2dNN93Ao1ag6?;&6Z{BO33st2Fzz1n;!2#X5aTbiwc%! z4yyZy>(su|(MgDtJ!kS~E9xfTwd9<6uZnYdcYD63^BuQUK=+f6DFhpcz4r8fZ>><$ z{#U+r##z{^NF4=db-+}ryMix`UC@e;T9SN?xJ4e1wZ99Q`!j=(uX==us;f~$jmAK0 zjFvXncE-}h`&y&Y)jb?9AlD$#_=`d|$#<9dj#a)UzJiCd*)O{5!gvjt#IwEvJV%-r z%*Ss7^e4?I->BQ5WjezS=$B-(ti{}N3Fe0Vfq5Z z2t%7GtaO<^^%r>=Umo+GUKQiB8htV|67|>CB=9<>LjD6wVYGywWs8urI7PnwXHX|O zy23IR$L+Xnn$AS&K8(8ZIKwf|Vy&YHLrf6o*ck~N&bKwD_B2SG!cz8kN&q7g(jbW` z_Js#xdYJZA72XDwSA0LJcWNLv%*TOct)XKieSzi*FA#5|%(|ms1u$*9_D8TiL_{9b zZqKvQ7$WMvk0Qg0w`0HIPJ-tN(#NnpL3)($g&DCI_Y@uhVDTk9k;x}&?lQK*RNF~7 znzsxI3Ais`hZ!MW=n8Is3F3O-CJ3|&LcIm#XPicp1wTH@y^7WB5Bxp>N~HMoe-ulO z1ZWTnU;m5nL0fpJ#Bwqe_f47<9RJS(%TVRyB&e|b=f_|g{;>M;zkL|0n}p)WkS^K( z{H?z}2uZR1uTLJ7ZT_#Lp)YzUP4r(sdZ0!2KR*F)%2EI8+8$hH(q9Fi4_lWsC9V&?=|QC_TuZ1O6GDI0K#9|o2d#SWJ#yTuVSlMRJ-Fn*-u!tTf4zO6zW28d z)Whn|zu!XDD?~g=c~E2Y-fjmQtKw?Rk@YkYCTy)t( zSp|M47!fXwd9b9%Gg*>8Ch4K_Lbrs6GP-hm;MDPJKuBUOlLGonDg4OM9T4{-b<;kM z$xw;K^d-yr-qKci60)m_Is30QTxOxop+ymEEe2_VG9kX3IHi|KI8(T9*7;}z!9Ai)EJ5#Q4iKlGL_TCJcv*9 zw)T0sIO;(N$QVq&bNBHZNC(;&*pJ@{r1NP+SEZ&p=c0_?@dW?3)I<^-A7IX_gx?T) zW}U>+vv@W(0r6RKhF}nN=IlT+iV~xg5W|odoM9V_W7MHl-|;M_9Eud&k`m;xLpl-i zctn1&bHQc&a+GBA5S=qh9STc*>!L!8uQ(<-#QdUQ2aVI5|H28C^}b#xQFN9KMkrQn zpE(*&Mh4&%WjRM;W7BRtKj$gr9t_RTTLj- z;>8l!j`QW8TIwarJ!Q$Uf9e@ro)BCy!KMJzd*2n(u{7)4^oEh=QfLY`_|7wlD5iW) z!Nr!ID4B_)DWiv>Ca|p(%JC*n?>zw37mY(g1?>F2b5od_`nb09yvTQJwF6h1$$tvr z%IcM{F-V5$2hRU#>0cF87(>wm*+678^L|7}{eT9mvW_uTs+t_4Z z78)h=CgF*utsR)N* zWEpGtS($Y;45}lJN1NNJoC+uqtDymp8D1ske}+hkA(7GrL(K^2P-!`1QCUyK?WJ|b z?UeMa>0$g(PY|t*qW1%TGB`~h zAB{Rfq58c6LPp^$2&ZIT2<&Z}ei3onz~1^jFd*n6_87ga1tMp5zJMCka(=|oHv89> zGZ~${Gko{pzL6r&N1l7O)Qhu3f%1lEb<+`{1mEY2ckd6pfCY;dPqcpx&V;RiNOgxc z7nkuPi&dazF)a8I2bw_*-Aik#q;f|oHocdz&ea%+S9n@!=*gzt z>^pfKUPFrgPm7Ovot9mmgWxV3EgFmCgc*W?uN0#3LUyQ1TITFb@8DhXGF)+9T6TLW z|D2S=S#@Ui%D$!&JPfl_^aoxm`MmRSD-5g47N1jT z{7T7oqs}ALRGC08mSv;122xr49WD??foZNkmF-1gj8wiud-T7J$xm%&x;FDVR3>!9 z-(5p+)!Y4sFcxO>yKOV+B(9Mp^Gh(x_aGJ_n>#_0cfSM{ZO&p6r+q|?HxL$Y^m*+4 zX)NE&1xPGtY{I%i2Kzq68q*D9vP$~hbVK^Xp+iT9dRlp%tn5QvZ%Jwk8 z*NIL1p}=$(i0v~X|9RDixXic$*y&|pl6wRnVtTV`7F2kQ<&osLpZwDE!yt(wHe z1AB|?^IOR^-cvjUocF98C!fSzj6$}ISdL7;dIti7w+XB(aqL*&`?c_X$2mpC&sR8k zPq=hm&QqAer4R0%3>@~of&1~XG&=BM<8qwZ;L3s7JGR-#_o!cwYnZHtD7-=Xi0v2I zw$&YjykTst3TVAgkhrEIob7zg|0}yB(!U%_o*3UWtZ(}|aNpENi1+WX53aKdhBmO$ z;%k})<6-`ne0K{@O11upc|8!B?={x-m&W4n@Fo~mCl({?h+$#HyJ~Xzo*p00HQgHF zVM8*93jPqTW zZ(!pjMypfWs|wGd!VY2B3Bb*J();`VV5caZ-@tlfAWY#X zZyaA>*UeEv%~a{zLS?W^W^{{)`-w5q*zJp@vG;eea3{6Z&k=2F6lf_;oZ{K@o+hfu^g2l*3s5IBE=lH0KIf~)iV`CgBcc|=jOh_)ZpA* zwUH!OMbKnOa*%|QHH7Oy9Nv0BR9U?p-xJPtu{`3r zj=`}f_@?wBEF^d&5x9Ls=D+vI^#gG1xwq&(-sFE5YGdlFUfO;SPjTmm=`N}8Gomm; zMpOXt)QW4MVtWdiIvFn0rrz>Z9B8UK14OjSsQqu%&*cWS9`QU`u?0INM*0!!8*kBTRUa{hS{J2V@iu92 z(<73Af3g-UeNSP|-%1uhb$KQKM{{klrF9%$%1piYm_J^K!&4jHGX9iMvOE@l$@TD- zd7q~5;RHiJ=u-YEVj`3IY>@B?2&@mQFj+~=}XZUGcciN9$AU&$5K;`H(zJSCX)t{@uA2t*PbXAM|20kUw zwY5Lb;dIMMkCTtZ8D-hL=N+(&w;$JbV1*aKgXeYQQ3j|P3H0AYZ2C6CY=4fftLo)U zE8b){rK5xLpMmsep(RY1OWOy^?CFwD>d?GS|6(ML*6oc1ijYEyW3jdFt*SLN1*~m~ zuI%+s4AgtSv|;l~!Ejk6L<^_!i>_(l@S(8Cas_y6@Y#VUnnrnjB%UrNQO05xu0E&q z2Vs-*y!1|v57}R#zQ!+)epdAqREOYoO(i70SZF)xDo3UzrgHM! z(V4rmr7M;;_6EItM*1PpM+8S_9NYQ^l-S?+9j}5yFzrAy_knj|rq};X^^+Wz5xXjy zba!4LEDn#qI9y+3`nH4b=!Kj$2`Eb0J%V^_FO?acW0+AVXXw1B{zPoqVphTmC!* zK9SFpT>cbZTK;&`36dt5Yii)JS%!#6&rpLjMS6yPEuNkEKnHEB813I$cU+9sO^Nh8 z3soE)wXIs|3&@?CzJLU+xtc-{(t@2|d(6_c-P($1gCVAPyyp}>fpfS-{GOoaY|c(N z(K!H^p9A=m(H$dA-H8oP2%KsR8&V~j%x4qLx!%|cD>E=Y_-uFrp0*64 z*-hz$4L(N=o(^|MIHreHpTNd4gt=Ly*tv|bQa6kLZdbC}F(5o}sd%$*gfx?n_HG2l zEW%q~RZ^>GFK;d0Th)ZS1)s%!>4WAP1&7-OOeK#7KGfV2c8dfWEz8!Z`ioui~h z2gg}PRZVK#=qjU$7n**>DfL2z& zBAZdeUVMj3UwgbYPHGn{!~0!(G0c$;U$?40QjxPtI3Z28tKlBo81fXJhbM3X?eBMU zI$?aF9_iY#_HCp~=2jfVZ-yP$ma4s2m-8f|KQ^D2ld<C0*! zTJdj~YhHrMeJM0sikJP!5-)vh?L}MS@v_Wssm1hZ3doI zP-_?*!IpZ<92sci?#lpHJcEEVWM2uqU$aC!vlz&9W*(CCjC? zd`RRU$Bn_XNnP=bqLH+TT%^|N*X=lCx>)M3PDdJVS^^l+@i!4BMN=@s0ct|DWN*Hnbf zdmLC~)v+|W@!bkXQ=RF9+DejcxT_+fbE~k26nT5sUbf5)eB!85dCHql^8Bh*at5Tl zCDQz~PSij&R&oT<@!S!zG%E=kPO7NLAGNO`vBlbgAM8emX`N4iRULhtdxS|a#aW&% zEpwih{J7LIt?E(FC;ZB$hSnMW&#@$yRyoJ!g*U(GEt2!X!G^FGZd^4P%Jt^KYTbh$ z=f4k+`!?n)ws&{`de4WTV`ewPry~P{$OudNs{SP=6wozIk(j(*p>QIc4gjv=W-J<% zEJWNneu#iElguB-3G8WQ@hiId%BuI6PPG|!^U&|~u)zNT3;Y-*$9YnYzQm2@1=9w4 zkxusxJ6F{l7R+G_HN4LA4x2>zw{VK?-Ke^WfHIJ2ILk0ssGkjX^!;?1jJ--)AwE^n z&;BD8ofC+e+@~f#%&gL4dZBK-a}UhLJ?*2{SK3|gf?V;$U-M>rD?w9#P@+3{xx-T|sT$gUW)vrgR@`^_D2Z~vi9nKA0 z=82G2F3X9upDl9WjPIjzxf-M2p4m6o@70yh^XKU+kNA77dHj2>x3tfwjc?yHaJjEV z`PN&$RQs~!`5ktjJ)J18y>q(#{>Siup7!Hi2B>0Aees^?yf`JgFyqEc(f!hrdJgF4 z{prYi{VsxrNl{O(c%{FWv}$GlKK641`Rw$2#|B)_=2s2e+t*uMTvA?NT#{CC?qrER zJLhmoTFas0K^q>w#}EE#p6SEEqwK{`l|I_M>Z!7ET(S0%%Ki7A>i1ZA)aoIV+lp70 zf6{T!DG0Pyt{(cvuZp8X-3>De`@i>_p2 zYUz6Gd+q?O}=N}8MXK^PigR}aEz2C9ZqA?HDjT=+V7o`g?pzMBUKw zv9GOv`;m!n{MK$rdh3nkOOJ)M=7v{w|Gxjas;A1QCQLdW+&n}R);h}5No{*)$mA;v zKfg5jlu5gO${GKl_0{JaXO~Z%`D^p#sh6s^#`S&fvQ|hmXXL)0didAFbL}Mil{wQs zpAliOUTNrRs43Xje}gw;?KDHb>n*F_dZgQ(O`lAEZT}HN``h~?2DGoaf5$MR^O0VC z;_UAS`&t%VDGHBDJ>E63_TI&5i8H_YV)cUdWm8%b6Mw0x(vR9+u*INiu2{+CeSRmR zY}WMSQ1lWGoYDMoqgr7>hn)kUPU5>`qp)gB+ib0lx*RMR0I4ACEPvi8edHqt0P8B&GSszuWvLBy!L^pBA0(C)ZQBe;0dRynK zfwrSxl@Cj}5ltFQ|GHj~zDGUjM8nyEbFa>OrzP%q^2&kFEa7_fefH{;9mCE)v#8VI z>l)3G#fKN!rLWr>82h`aA1vIZuHgiuz(}aj;+O1u>e`T6t;p4w4M=czp;F2A$C@&7s_55`W>+Y#7-O}`7 z(d6Xi@2p7^e7^aURxj`Kv!~q(^SZMK{*gmeR#gWlPl2rZ!z|*u6=AwBMw(xG^FW08 z)jN=E{C_u}{?`OcI^X>-uYiQ{Amxn)PO1))5L_M@KRFok^C_M%Zor!#24rroHil%xm@_~xm@#s3;*nnc7X|#rv)cH?2H$P?ogQd^oP(F zKc9oM{>#Pu*9I4b8vLjDJ3^4X4ypZzf%JQ*(V;(~^(OQO8a$^Rf8l>hzyEbo++R}V zNC&#*|NAKXeqH$RKbNlXS=m}pc1PJ^2wqTxd?XxGwF3DRget-iA07h-DN3f{N)9FC zj3_wQ2ukZH4119e0_o0bgc`zV8rD*m+zzSXEX0L}iaOQs2?(~2@5n7vpk)Yj;nA{= z991X~4p*RBqGOMn#6)ht#A_e{z{*=6mpa6_cRZxUCsa5dR zgom>i<+Vc;>T2+4S_aDS6P0lNQ0d%5xojR{;yWwg3bVtKLsyNG&5J(`-Kf948~nM! z$NrRl2km}he(58)O_wghIdT7`v;Kc{;eWk-o%xP`jaP8JAy{#z2Z=~UC_8k^5K?Bt zZCj&&J=;IRj=ye}GW)MrcY5d!MWp_D5C3@>zG87$@?7{aOQX?z@Ro?9zPoehjs{~v zhojvfNZOqP;}DL@;H%MXL{|h#`IT{yPVWDDf=)C_hsX|;OC}-=!gZ)p)eJZ55UkUtKlva}b zP;_7Lp)R46?RfgK@IF5oTxP5!8_25p9lRc)JpUJ#vkPU8-b&HcRKq| z@qJ+f$^dU~Z1_uoKVvx98Nv7CN9k=SP(*fVfg;;(IYY7lYd-`jqbCJI$}Fd&)JsY#pwUe^avRM(IPrCmbl&LoB1!u*nxjdFG(eCp}eo@E5(Qk*EI|$hsaGe zOQny%X?Z1byoVL8B)SYa`7_8No#8TE`#=CdCSh<#+|a3fw}8xdlg}gREH?lo(oHAC zc)2^4G9O6yOC{hRW!eGm)AvH1?&0F0)$pPx7Y}7_$R4opf@_pQ@_J&qM4PXQf~A(7 ztWAS4Bb%Wy&J@8Ia4P!X<72sB9G@X%$;fm39OiLycGph`jHUI=7Rv>Ej}z3PJa*|E z`3EG=MEE=ITgOb)+7ABVnaB|rhBAsZsEa3`bGRC@hXd2=)yT_@oeZu;wn@UHQ7*XK z11sk>4-aLn_kVHiwU%quZ(9T@$jN}{yW4;x&55I9h*XWu^?jhM{5khHB+V02&&{fP z8RX4(TSDUglN}qd^s>-5^y=L(=`|=NaO5haR*)Fqh%=RtPR|1XFVSHRzdKP(1Yv>T zi{dc+sYRn087Q3^e7(OJk#ASs2_6?yGv_<{A^Q;KDKQ0VgryA6An=2Tmk?W`v?)+( zLEL^C*sAcMimf|VI<_c1Ik-QU02uzgI<5fOtJR(s#q;3+<Da#ziy2e(=ajy0>?weqKNl7{(FxC){Hg+_S3Y|16XXnhfHx6u*0(DE3{G?z z75*nUgJX-rf0q;G`>4($PeHDqQSmC$P52c?K=B%qTrN3G2sz~6;4kCX%2HP0vN+#I zX^yJ|+w6BrT-Z>c0?ssyOK&E=B)wX{t)dg&X024B4EvL%1udnVd;LLff!N{NNv?zV zn>&c)>&T+w`p!9ntY4}}4@cmL#=R{^M9{ImXW+H7TIx@Ec{OtOLTN%IvQOxVo;i%{ zn;fM`X(_+s`ZfGvD!Ec$cr^z$!VpPAb+0^>4u0UOEO&KHW?x0VY??Y687Rm7}s@ud|knKt-lB;lS499ow ze(3Fxt*{vT8>FOlx@@vi;Ieisa# zi|sIz@-JyyB9++=x6qNhiLpiLkWp14zKw>+W9ae4j*Hl%ZkoWptdY-Zq-ZEPfC1x( z#nKEeasRtFE>usGx^pHa%+2}=&9zf}vXqmTjNCpX_2o?KUvcFlsRXK9boi9x7HWG1 zBuc+QZTqP~Xmd<$2kMJiCgk3MAYGFx?s60&du@&xWx*(ZlE#^rt4OJKg~~A)+5JqX zp^szjVjB1`Bh7eAg}abantS@{-Dtn#lHg#21_FDp7U53-w7AX_rv_-d8w3j_>gC! zJ)8U{x%$T__a~vQtWPP)d^vv)_spz-YKjUlE7LDlH6GmE#p0DlGlFZ5LK?dJCICQE z3CtB++ewg~ayM(ies2G>Y=_8wlKlU$_paehRO|cjT1lqOB$;U@?WCR1gidHu5}Kiz zHq$21z!VZ_p@9@yXrVxW0tE^bC|J$`%2B|gfJH&890WzJ3W6N8A}SjZK|xSaQ8_9q z3M%5^{{+OX+x@$)_tX1n=i(u0W+t;{ouAWvdkMa0i&q+nc;5{zh`+O-wlSE;8|I?m{a>^>C}9Lzhk=wz_$C3)8729Uq?_P3ArW3m71MQ_uT% z>eOAceavq2EN0HeUy#s<&_+{xGBSgnq_00A`UsO*d(|njsz@&k#A3$HGpfH7KA|IJ z^3oCjrtr-^Ck-+om{U~8e1sR6Pc@~;Bsx%b3V}0}TqC|8i?u=#%SRl$M*0}-2?U+Mcf!2P zwdJyHY35h!W&A2ydGs^?Ee+Sgm7U<`g2hgUHs%MT=3jB>UO3ttkiXv0ShJ}uLw zwvy~}?nmLEM#wZYFE^)36-4t&vsru-H8;XvuWOp`hnZGLFw!oPzlV96>0AOUMI}H+ zyOSBGy>k-&U2rPbzNM`H`r5RD9*W}AR-ZaB+n^u?Ud8W=c$gmL0U=H$WGQhoJxuM~ zsb)^uS#|3w^vrB$V6`)(ZuB`W)!Ntw;;E%82w%ZjM08~qi=SY8oZo~`lJ=5J4B)@5 zfLU*<)Kx0QItAWlP8A`V#N)5Sg^aR!UD-oBJ`17?Ux0o5m)54$a7FBghh-XWJx?X; zpl`Qei2g8Db#u;aBV5E%h~Y1KawJ&Xj>F_K9`Wz8ZEy`Bw*u&l1&IlYW)j||?+NL3 zj0a0C$o4O`EA+!aD*pw5$(FnK*#qj<9cWq2>d3LPUpjXrNl?cR_%hLrA^`i~H^Iim z_a((Y1*jq7HZA{rupJ7%9tV*Y!#`E=YjCFNS+elg!cF{TbDP-U`jRo5E4|{*0{#qk z+9;tX7L0MW&79p+0C-jbO;HCFTPVkqb;tdcx2!;`(xDJRp)%u*qVl#j=pPpO?T~-qgkH0VHETsUePjC+M<+4)jP#s&GHcZ z7~^#(F&pbU&_Oj?O>MAjREzH@@rK&T;!}jsgjzT-iZ@wKB*9d{Jjjf7{EJyD#i`ND zI|}$wbPj_iROBS$W}Hsnr{|Z7PpR-`*31=zN*Tv>-?~)X0$_e-PKFpPQ*#w(tCWP% zNcNQ2kYT)u8D?<8cqy1a9rQYGN%>+1wyJr*{7W zYkNDTyqU+0h53bC?f!|dczZ}MBKTk{NW^3z?9o3&Do>i-r!Kz=QB%Jp*xNA9vn1@l zRhTTObK76B0tS47<^lkn4ab&K>Nx|D$*s4wE4UXIysxkTh`znxv_e`5z7mc1ck3xL zIn}$BZ>%d3zfoY5_eo4w?)To0Bv;+EY7DG5le^&7xIitrqqO7jg~-CEPFsj#UoS*- z3Tb#xQ+o4eb8NcTvJ*WwkraMZxT-09AC|mV%a$uvcS4h&MxR0J7)A6160)P-7Z!on zIyS7&Xbp%G(~vYB8Gh06yP37F{*#X(`v-cMoNJkE3)2osr4{tTHYn)&<`8SmF`hdp zP15nVV51;1SdPQ(=x4S5Q8qb_Nwrrb0#aU!oB)X38Eg~VUQWU7{o#064rB-CbT(^2 znWML>`Dwt^+Ll{tEYiA5?B8l4o6yyoO}H~{)p3%sKg;fQ_ac*pVgS@&Gu(Zs3=ajH zOnxBKLOE_EQV!kY*z79rVt9~ZI{?)9al$x%5eknX1=_FkZ4kI#Xo7VX?fVxBS3pkf>)Z}@gItbF zs1Dp~1>d1)Ep{>-H-LDOEs4&BR7-k4EuC>%>Qf-tHXo<^3RU*7b~6D0a5K0q;t3Sy z&g9V@Sv0bemS+g36-)`cKdd4g{Or(PiZMrziq$Ij6^6g|Y~e8X2aH83C%~(1;m#F2 zhTIRT zw8U>k5@ZE0hg5H=6kC@hvQOrV(n-Y6YiwZ!=YuSh)Ubfubo2S>9(3+#3-DfuK7~Ah zN|8O%t8vYJf%t8P5wC-{Pmm1gEtVY`a=pBi;)Gx0<@vtd@nn{q3Cjp1?U`X2S&#Vh zx3wzU$JXv@=_<0FW>ZDK()JG9hHnp4PPU`auY9oVC9rAmB!TBxlk^7i++^M&y^Xz{ z1vGyiZMoXpRS9fd&e39Q>-D*nW$_0Ri}`2dSyWm0BD?V9$I*AJKP5rvob;m#4c+jg z>5EhejG)zYAz(SuZgo{Dl_NfeAu_p^N@b#Ccjl0pH{Gjc-!wg=yLk ze+>5^$36HxrV9rYMF5F{Ji&8d7o&pguO&VNp&KyCyk0}OzuQ0f{Hc?}BOJETQLWh~ z+}}1li16C`Yao>upbLU6%UW|>pOUXdKZ*2!K5czOL-ukz?d`Pm@B~#soHNmA-LAEN zrj|OynJzOS2Vx#(Z!xFME?Q4IGfm9<5;XIND*ORH1wjL+#fMRA#~}_>@Gxr5!Y*9E zeZ`Gr54E;s9rW5{VTD6{O0uuZvO@;@PKaw3enYK6z%da;)1e}^E&F}Z74e4SAEr4vMF{qmt{$@?gTRj!~;ndF2Jb{OEq+J;VjJoQyTetgCvbl!S&m z_b0UGS*kR_wi>IN6$TTnsq$sUZ289M{@GrrrZ;HNP1Af`^gw;p9`drHxUhJoxxK$l zV$t5XdYb@tr7gax$o`NX0-aC3LEn(AgBfnY&Ml1z5IR~{9-gL0#I6o!)lhVsxmPzmD$(_>lJ|G>GEAgwgm6!+&DUr*@1cf9Bt@zOMtaIlh%Og?Eu2{yEsPjYa%s ze2bk>Lowg)G0NW{qiM3+@**$w2L;t)wMs9?-2D=M<8TOnCj4#1( zex4LBBH$9i7d#krI8!eYHjs_hCw=x1X?;X%f3PjewmhQc5)D&Hwn{Q#`6%3UCn)7v zMkDR6wV&>w@;IFKH2Y1x^|Xnbx&I2k#dh5NxbGdj=Yql0)?Mg+hFRp(Cb9cK=Mi>* zNyqt?1Jp#=V>%lGB{kU8k7gbUgW~IW9Bf1;J5|1w9<1Y@4dx?pIb>T1g_zvvjxTu> z6-lvH{pl=eIIDKnQO3*c&ash<=vd=Dl=bICOS@$3XEP(-v6%=MsUpQikR80-pw@_k zQH13L|2!fxFSe*f;T;mdr?^$#lB1iE8VSjwY1GMfI=^%5G;COKn z+IfpgGcOSVjsADSw+2IuvAB{Ar<6~OOhQ5DPt2h%p7&a7ZS}+e&nb5r;kwZ+7LIHu z()}B7I2m?Z?-Aj6v&FeE%Y6ps`&BCU8NvdS^9Ce!Qn0UL4}0Ey7PJg7Vw?pfd#Iv? zErdO;G?fgnY@T!rd9DK=r}0@XV4kDR>DQep zOxcHgg2U$+2xmWjvv5!NJZm-gA}c+XhNJu@>1E`yxwjz6dX};lC4>eeX_v9hd0LDh%UW6|u+3wZqv3`rG-LBUt>OoQuAIpT zVn5JSF{*LdEQd*Hkb<|nx`DUZrBhSLir_&2 z_@;rof zUpx2fwqL9JGL46$(d~9IQRt%L7vS#n%w*Q;`$oyH0-U_$vtx{9R&tzsJ@9T0=R%~N zIZ@t?pNGnd^IT6lj*;O?4{d0(qLNI-yQpj_O@W^bm%wfp$E;c3=$aRYYhVFwj#`U# zVKW&uEu%;ZMrd)WeYg&P#C686h$~U^PPRgN6*Vu00em0YIh{G|=;*GnUm_#lqR;)j zf_~E|Z8e6>3daueG(Uu3>a0b{}> zJQ2s_=ab%pkuTf_cfRC*mVw84Sb_J!eB~n@$MK7d>8Ok3@DmKTbOD(XNo7*pz-2c! zRVkn4e_*_U-^98&?jnB>Sxiqb{EztugD2w28J>gQudN4l{Evo%I>V3*&tjl@8A1ge`tOYiIm9~N);w6ASlpX-6MQmgIkSN7{$R6ZNhjc_zIV!k9 zdMx;Po26(NvX0lW_t87s*>*YFL?47rH9!9FWPSj-bS45oSEu{i4m z9hnh)L*-rv<955ka7Kq4VdN6zi_8^nFaLo25*8SX*-fnjCDovEOTriNPKUwXOA~pW z2$8djmSOS=)34}LuC)m1SKH&IuaxrjYwdg?3zIC;aeT1$x!8{E7zD`mLSW-c0WXNW zgYQXI+fN$`ds%Y0JwHa{+1~z+$P(@EorpW4ol+7OXK17Cs9Dlbt-xY&O8dx7N@V6z zPucqplm;jSBNm$oAsK@$olo|-^B;&j$E3g?k-BSFrO$x$Ed#cGqfpfVu4`@e{b+-uH26LwAy zZC8Uy>U@3OdH%}q{;2i_E8t%syxWZ)Gx)*3z7cM6wrOLD*H?dS-=LGXqgRB%8oHCZe74Q(%`uf}=+Ttc#vcu_;_=P^b3y6w;Z9s1|uH#*}HMX zcyL}+qsR7=vdWwg1SToZZ?5qZvZ8Z>Ko zc0@Vuv^xfzfWblD}D-1rT77nbsHe60PA6!Zg$e@w@R) z=1H}?YezM40S{XU$uCl+0=ZpA9)jkrKXAr@de2uttCsG);sYg6U~HaOzU}M?Q zhMTZ$eIr%)Jz?d>!xozl0AI%7vL1*Jg~0hYfPLRR5T?}M{S%S9Qp$`&!#0dMG-CKV zwL6!vM^`xC*0=>wTgGbK?O}cX&Lj`TFMukxQ~U_IZE%deYXG2ILPrVvLQwuG8Zw+=ocw;(b=Cg{m?_mSIFgVHPg1ZYj6}Y3{}(5 zrQnY#!E#8AarHgiTI9Lbz$F@sO(@%xlw}-N-uO6B2nEp9v)n+w&a!n>$$G-EhpfE$ z6>);eVvdkD@jlY~B>g4Jiefuj97=K{HV2sz!b}{Q1vAF6gvewV&o(kL+LW6>@28~a zP-G}%V?PZ`S0uyX@V$2CpT407lej+ey#IIMdCIqsg6kEg1QVw#4B9-eTV@1eV`|As)4y z3TtjB;V=@$Ya%_(_Ja0lkzNv5Q{GobLO$3ao>f+b%{+HpSO_jlu|;Lso8w%riCzPm zG4^{A){3e8Rr4g!Zrndf?~!OmaRbh8-OFoC_fw9Y?r+Y!&4;n8G)Y*1NQX65L$zn- z*eQLa33aZVX4f*p%Sf22WR|z~Gk-=6hs>L0>|3BK_C(;M^Wtx%gNo+o*#cOYOo_z% z?6vSx!f3X`L>pcTV-ini3*{y5{rGh7J_FegwP!!QcC&RV+U+`Uyil^K_^hLu()Co{ zW}TfRj&wnYA}J(W}(lV9Ac8$tv^(wU2si#YV^L_@$PQ#1(P) zCCdcpCP>_k(0HeQEVG9i-JDtdui!q!m#{;E4g}DG4!0dXNJA*po4O?Tr*m}$<5c)6 zKM2TB^00RZu1AZVVVx){0$&@Jn}pwWcnGej0MqRX1wVwzq&pe?MmLjMZv>ot$fL62 z^TfSIg9%KPjt^?R*jD-!HR_KT%I9YMUnj`~DavAJzwo=IZ z1`XVO4{2jx6E`A0GrUyp=$i#}60gIZUv=|Qb|gg?n8cLjx~poWl(VA8U0AYm86=R;CieWl=4%Ke6e zh2SufM??0MG#||x22#2$qnE;c&s1;1s=fd8Pn2mXbTb8Bz8dDTyNC#ZeR~k z)V}OJhF3H^3v97&fHMqDC*1FlR&Ks93kQCcpT=|9Gq|2SEzUsUR{Kl{-O^Wdf`DV^ z>y)!eOM_)QuJ|YC%anLjDJ@M2hSJS>5*XBfG@FIvO8G#+I%Rbl->0#*wH1)p?_ZLO7?5yiEBz>+Bw%AEJ)v>Knc`Ug*xDentK!lRIu524EYRxi_et5 zmF`G#e(CktsP)A;HiC$%*p#@&|A_zXK>Xi+I90 zEXnvjT{ly9;r?KGJfY-9u`aob+2w!7B6ov?VCia{>@ugB*AzkVrt(3v+wh9IdL8-9 z>`JMB9GdAWxpuu^HMm&{yqMwmGJwD59iaL3RPaW|#lwcxkC`_P{xZcs~KA=Bq17)3#w--mYt-uQ#6$cK#C z`hiaPO&6Bvle!_ZQRFKkV0<=3YNraf$7Y!45)Hzl#Bd6>vJ1tJQ8*Fe6BYr#JPIcl zq{C3BqZHmw*y#4D(rK+bNVF~60f5B-D&C?-WrFdp={YHzk6B($!!Te;-V(+iqM7o5&in>=h-x}Uc$oH`AVQW)53`K;) z?jl&YXx=TssOgJJC!&aR!FX8j!&ATx+ze>Q;WW2bL-5+sj^8L}- z7DKZ8b9)XMP4dLAcoN{rq{cY3-qbx2f)DcJ_?tza$9XSXMXj_%&wpecq`AhC5`P?j z!1_%6l9;!oYQ3d<^0mbU8xc%1+m-S{=n+HI5TiGjv6v`z*&L*5tFrg#RrQpw6T!EY zr!uKjF?m@8PS;bG-=fT9`}`!ax~p-LIcP)98@(;s_MlWx0UMV6kcZQpoMIm5e8Pir z?5?)lmLNpAWltN7%#XbeNO0?9>gaE~k$*RuF&Hh|jjjgV-@trrdfD=7M?7RX%;1U- z=HMZH&DN}&yr3f~v z2a&3>Z5fqgFJTOin@-+n6!*X9d_)7g_~;?taPFfUJm+QmN8e@I4=+Z|(;?_!#N<9m z+Mgg~s}5KA3XpKW`dTH~&gUYo^=HlE2h_CyV4Uw+N?r4lZM{Q^67c!X+?QOYupL>C zkYqSNH&lZ7Wvw1u#-(|KWJP#{C`p zJ27=y^K-O8Z8Xzhjv7=l4Ouj1dU*;Fl^ewM0=u*5NDpaC8}zklvL0e{rjtM>rfr}W zi9;05BAw8ky$+7Z9ruzHx55)5yVmswjCZNMQa&hrmkNeRQWlnB=c|jP zIHlR<+k$Et@I0&{D(gP3&xTqPm&RARE;tlbhVU!=eCzTAAiXB@OE%J_dm%wL ziX*P%aGd>S4|yhNLf={XYs3_izrt|1NQ_tUpTXR-l8Iih?6wHsB=9XviZ}-51?W`8 zD!$o*G}3Mje?Lr73oO+vb5VGMgiZU`Bf-vYAFi$H+WG)9iFzEWV1t;6YNyk0XwgVt zlU90D!v~$~0q>IR#|MPhL8sI*ukSgD$Dp%Lpm4Y#41+CdWGbkI2})dTPUYX0#$tY< znZNcPxs^Wwo3YRf>5#j%|DeIj)U}aDw<+qm!u~qog?h)^2RZiC$S<*t){PW!R>(Z_ z!t4(u8>)StFh<;>2Uo4c-PyJP zph_ehp5o{uT}lRT$N}lG{z4tzah|Nt?*SOI8HLZ)Z%NO zYfWRkI_H~}hDp@%siGe9M`E)wvc1mFW7bi5!8$CSBHUjFGl0FFp08!X?hrVI-dN*x zzHH!F^9g!`6-__-v}=RV2lE%1_r*_C`~~=l6oS8qzkwOuqh{WeLMrrG@knZ>&`t%g z^vMM?5S8LiCvV_-z}bhHTOMw1Blbn|NQmeA4TJH23W6!ZCGkXhg#Vj@eyRm)WY^+13Ee0wUDfFf80{+ zz0h2YtfqzP=zLRMg0&^#P#42bHcL;_&V2k{C>vQ6nLyXg9|^gUVSu)5B#QPlXWI`N z3j6bZ*c#OwAlu4QVtb^XSiT3RG26+neW$EsFS#RZB>l_5WCQjV(WRB*N~KryKqLc0 zMLL4yIzJG`9z}tXpwZa|mb{Gu)1z@X%k@2NPqaLlNM0|uM{l8#rXOY&mkX~bW#EaR zx>2$*3^rJjv45c5@P+h!vVB)aX?&b%1lVH9-uBUn&ae#OFa9~GLPVzHo+dBK`OJq7 zMO%Inmn-CPQ2UpZ5u^1Y32vbV5?bVpCGs5ShDaNEGuumChOZ8RdCzbEgc7sy$tKIA zvq<1R5FsexmSzaJ(7u(V$5rx?#{I&#XmeM2O>wXACyo2Xd_{Q%*^RM@UtrGWq8Ph< zls0q;!a>oTOQ^hxsjTRNibgBg%I%9#K@a47tw~y}^LNF<_n6r=?F_cpCiwwHz9E?| zZUd2&@2sqS5gur$xCguY(hvz{P#SEp=gz4JV4+MA1nuTCV3=gCx|^51so;JFQvoFH zi|-)XkstoBbPAk$a<~sM0lpPt+RnAPvHIFj;h^DKhI0m2Qj^lWt@(R%`{p10HF4Jl zK>wBYs-h=@eUNdAn*8qCd~=cYW1Vm?rJ2A*C9V|V3W|OXY8X9;GIUjQqwQPNmJv2Q zh#qcpE|aglK(z^ORWW1P7eW!_F2zCCA-sU3BOB^zlvBLk(ZP8u!7!B}X2Hx~aTvSH zvDLRf!C=uae*B%(-|iU~OXqzibQ;N}&8wJR+((94rdkLnv>NjFl=*+{DPBhf-=G2k z#e&2ezcnY(NfbI^YSQ6{4Q!I(361e9wc#pTj!a4;VXq66iV~zPe9!jtC+O>p^pzrh zU}cee6(|lIj%nowow`;c*yhP~`Q zN%KrSFZ31xezgbb<ez;HN zlZK53b~$s(oVoLL2%%y=HUlKBfKtE>+>YA?p{SolfO>7RmX{ScNp zp$H-$-*K05ZE?xXNrk)Y>$G%(4tu$)`0%UH!rxNI2+?BYU zU!`(mDpee&WPS&pxEVfoBfyjiE!e#X$ebsWjyOJxdC^-g?MBjX$~9lw+MTy-+f9Zg zO2xYHU;xpoItDa+lM0fs&#UrJS2c+4uK-`|{-u=!<5Z_P+mZZJC@cTlhC*|v$gkdS zg^R=tAipVeniD|ZaBl^>BD2lW#k~V}0xLEcCc*+d-da3}-4m9`^nwXIe^biGtuxR> zOGhoa(!MPrIvvf~5j6FnNFvz#8Jv#V5jl+vsv*{kX@#da4`CZ8C z+C|M5`Ve>)l`K7&glAg!(IThhS3@k!+p!qi<*@8Y@5k{n+g4f^4=ikLq_5M&SqYZQ zZS8rw=yIE$?Xp7S)`Ju4U9F`RG`f;vWI;MUA2h$0%U(|AyIOkc!S2M%mRY)jt{B=j zH%u|B%l&vRdXk#!+FY>@2XhrvmNXm#ZSPFV%>} zY!>ssYNF&`ehg@p4Opz1&b?ys@XYfiQN-CMXCUjxRxUsvp?wb^!{-TPOJpX~0_xWV zvN^PeGrpKWW&xxzH_$p)1NiHa@0rRW7l~^w?B#k0yQphc!fNgTrr|@kbIwn(R%w6z^1Qj!RQn$5obhcu+ur{|a(EGJ znxdOv=pbF~AkYg#`(gpejaMDz*S>^Mu@#pghj~A1gWJ6<#o_R)gwg&gX_E{GNv6P) z7d}CX9uJJ!z$y6z>1ghk&luhzB?}U?IOx)dQwi%HJv&%R$JYINHjQr-t=Rgio^0n$ z3m!)N2bHiHxW42egJOt*!lkwB8Ao>$h z#cGXAZsmG3T)0;y^g))?k@g1W_$!W)_Mc}X$rGPn&bXLe_GGP9yeC+JN?eFxCyz$l z158ICH=Wju7?HbA9HlW0XF1E{50U+ml;5DcMw#Zx5Tbw`aol$4O~hFjJ%ps^c&QZP zVzj{;Bz94Frus)HIa6gvI+GICDWvQ7>Mk zgrl+Gx{691(p$(nx~JBlF`Zv%ubNZ3_VQ?^A3j%)mm%6MDa|V z_(7bobD^*vvupk52$9V!jRFLbBbONG{tD1m*c!1?A#K6H(3al|cxlTDkx)BFIzafk zn7!El1YvGt-n4m}r%Kd-KScum!EHc3@8&CBL7_G(DqDPC;i=qGh^QWPtD5!4{O+^N zKTgJk=tnO-fw@b<^H{pB0GfNxRNoCnGyyDal*+d}Tl@kUpV8D6L8vSvKCN^*dpDj3 zs`2S~>;VOP$xzJDpX%9}TtB8%oDHczq*s;g$+ORLs!x zHN+|T0!UQFITa>+naHPiQ2qp3d^)FoZ`C)r781@@`)ZM;Gw9cNkn}Cx`~vPyrGfjo zpv~s}G_VjkV8oLdVYB#yK~*{4)R18LB-v+HNqY zhEq+J^(Ltb;V;-v-2&6&FwJN0smg`iL(f+H0?8wzvA6x>SNAo=4Y23V&nJYc56wl;Z6j@xAVK1BP|H z&xMItzJ(8Pyp<+F(R!CHe@*@Y&0R6K<-&>}w|D>3mg^*G#?Lp-g4k1Qw=3SXU!`xE@?Oprje@BO$glS$IHUTtzxw z@*OZ$z69RFDu(OrX$u)g{M90ezU_(JRpbM7f=T)&#XX!%<31Ft5kF2Y!!`UxE`!Le z{4@`2n0NCVb0FglGGqS>r2jhNZpPzo*j{@s&u{*ROHpx56$OZq>~x{axS_oUqaJSmp7 z`d4_8yC>%TapHd<5Z}&{y$wNpw|f38rT1@F{8?%LIM1E+w-ce(Vn8T&@9U1`+x{Cq zC3f_$RpGu{>vziapH=R@Tc3X({(Bv{?^flX$Nyv<__F|ao9)gi|E`~ZK1i&_ySjaU zDej+7efwf~sP^rrPOhFbzRI1G_QwbJpWW3B-8H2}73-OQg@pODAhA5!yVraEyvhSt z{dxZ1pHBSi75^RAOc_m3H?? zEaUIroi|oVfaM(HJ@_|+#ofzd-SIC6|Nfh?E_erD_%_qSUwcWcul?oF->czv2m8y> zzdiEp{`J>`fY|)^+urVC|8d400*AY$zTL|p!T2A=y4}6*9{77TxMMYR_t1a*+}(b3 z_we1vx!d?~?cFIZ)|Tjhj0{NrA0xxOdGn(1vhTjU?=NU7WMusKzLO_T95v+*G{vP` zamKe6DD0<>?u)m7bsj(!07K+|%i$l>^8c2@|5$AQw;bM`bpJi){%<+_>slM@A^)*{ z#Wr1c*RH>=(*Hj#hyNA%#mJg^vx?h%8rt?Tgr|{JlctVwxj{dGLw~`|i9ss;aV+KT z2RL1O7vKrMlYs2=e*fzn8#iL&gi+O_?@X`{V&kLOzV=T#k+44O6?br661=X1TrCh>vnR^=`?Xmq;BE zx+8UNRt_Xp4FZK%m7N(fT*K9Y=lpccPqDZv(ARWw` zmkr;vpqSXCoqxiwnt1TMqCG! z&8u*GAqVS3ca9gQ;4&}{sl7Q__#uA^Qss()AN|Sj47u4JU@=zZW)p)8rXp2N7F3+h zog?Prss1duz?~Hw47VxUrBLT&>kH;6RXN$AGNkt8xI@WMAyUx+4Aqxi)rx=25358m zFwp-jJWsY5>I~=Rmc6Y|iJp=k3iup2T2P5pdD%n?UM{x89@87NV^y{Xcv}OIOOz8h zhP!je)VX3_P=>PP5}#uyWICy`vqCFXDsN6v23Ct%-m0^>ftvvLTKZ0`a^1N(fnm^& zlfb$hs({kxdZo~7SnbL4;$%N0Ddpun@oBRUu{D4ub;}K6nBYPT}@IckosKYgk?&jO)w- z@|0|khrV&X55)ATv%I-c1NXbl{atm6u4ZKBZUNo%9Cx|%oD;jxVtD8?TJ@sXJt2R10Na` zUyKYW0PL*Xq7zu1E#{THMLiqXhv}aulxi=9Y{AgrO<}?q0qLc|(sYR9;U}5g>L-k_V=xjS1|7 z>c3A+iT^npc->-(0fv0&-xCB3&@7k-j>YHv0mPOv>-YPcLvZdN>A$(^!gEiQp_0O>qL+w5EjHpV0|*YQs6TOVghLck_uu5v4FG% zNdw_QtRU?`(g}=g@NNgm0BH~60C9qJ0LcV#fdJAo0xD;e1>yz~L9#(|Kmb(?Ng%l( zc_3a8A4n&V&LH_9evmF8T|xfP4KlmIOW$1|&6{Oa-X}nFa!8Sac7(*MrOenF%rrWHyEMbKo_X z!s(z7+*SxcCHS~$|6f!BMfJ!(mMXt-H)ntCzWwp`E%V?ESgQU%_ptxEf@QJ7pEz|Y z=u@~eV5{AJ#rk6G1^xO_4FCSpuT#`_52mOAYVP*S2>62k{1y)Ned3Q^t$0v@^f(R0 zmlAzT3A71%b}7*rzM2G*1@b6>9Hw>BEoEN+D5{CaeBl`mz zV^#AfhF?wOp6+)l=PQNrio$;VA*h_~@E>6K{j)&-M=}3v-Q0)SVZB+y?Hx!@l^!Yw zX~=jL3`jK$I5kQDi3b5>#?CQF%Gm2}?Ln=5rec5lJ1V38&N=Aswf4_%;j|XTx844z zH&sfkCKP(5UX@0`yGl>!%Czo#S|0JAs_ZZ$3~4z9p@B_!~rcTRyH z$$;PQ4zFx@VHp>~Z4lzh@mj3MsaWSvLpTp7r7@WpZmQJB5qnfhJ-*Nv>I@1L53Q(# za$_Z2ZcW9v+9Q2@8hjty)8Wpzd-o-&>NFgmogJ&5>})6-vVXk!uZ>KEf{_tZ@3iuL z@y1^W`=^gWD}VOL?NIzmTsR&c7LDB$zO`QhUNIC^H71>v%NW-gC zumsTfAwo3?S`W&b-WjJU(om{04e8;yaVV|vwnFuLE47#hN7eL5EZlxJ=J#{fOaI#K++uBR^C+2b8W2XRQ z>7UHV`rD2MYK$6gMTY*tkF17U<;UG2NKXGZvn^!0>SFY){0vl2Zo|NpteXndwwSFGLzzrA;v()7;u|F3US;PH z8^z@z$V9m3HfM7GKRJ`f{=u2NHpZF!2kNA)1Yq!4^GJT3Dnn7NN*^8>KN4ze^!O^l z3jBLjk>Yh_X{a>L+&1M8mcpuj#8#j_^3;U7K{BOkd|k~V^B~A4FII4#7`;>oum+NG zuohft`rC%iY9*6+2T{_T$X0Rnq{ZjQxGTp6e?XovXJckP(TWE_GZ-%{% zi%<1jCfNLw+&%nk$4|g>^%&fPXoKGg^a}5U=5e%T^H4p25z&OK5{imD+y)KI^bDr- z`;$ptHF+ZY9%pEAV1q7Z;ulXSH`hU&27WB2BE&%3cWe#(;&2mMaWx_h+|bzNLI-5- zL6}@a@eB@7S!(-`w0j$$WXs@EZ1jrN`rDklzEOzGR#i_04=^xxEFdM%&v+#>2PV4p zsG$@Nz}6hn#@Od@uNZ^S`do;(!9+eBkRC?NJZ8AB9u0X0g{#z%1GJ((@}&5h%JC$T zVqQ}BePl5=1ZNDNiGU4!f3rYPQW!d;<4qvGKGGiS^h#JyV^(;qkBn16Po`T(ax|>H zZKBtTuQ9?MUPR8Ce#bN&)7gm%><)MshOA_0qLQVmi*6(H;WfSlM2*qMsDv}gRFoFz zt)G$xWWvmJ@garKF`ioD&_a=cF=xB#Tb$p#AySnc*>1~OQ+91~Ybn>38Y=#K;*rYv`JMH!RbRJQ_D~fdbB!*VLTCyrWIIwexwrIrF?M|JV)@dMulx!O~0L&NUJo%KAf*KY>1=_#UNm3i#Fcd~)=A zz(?A1EH(f?fS_1&2B8gpf`ANxeVsL$TiGP@J~D}Wkvs3m2jA(7a9;fmr%oe{P!Ln) zvO|keJ<$&*K*FjyJ9Iz7S+4@r-K(@w9qmfep3(RW0qPu1psHHS0;AEDYX{j+_$4L1 z6dr&A^8Jo~UBk9*RY1xIX7GbMUT3E`8i6opWXO!nBcZnQ2SJ5hCURhvAF2|5-k(}? z5vHaaR~rBj4NYJZA$jBcc8D~Ltl=EZPpp_-XyTjAgVxNYvQbH72`C1c8y1_(qE149 z9Rjh!+KHs5@u%@9;>gk~)g5#_Vfkx0vf?2o;jn|DtH!gGagSQnBeJcE@-hj;8EEx{ zLN8+`%b;Vw%5}h>64gu^RlV~VHI~&=<5)eGss3yd)g4L&3@aIUogqCGi@O`$4^&s@F{{t(OTFf#A* zuhbU52QhW{E1@I8-7B&Y(P8))=0u_StiGdJnpoT+fM;1MU$rt=yOmwxy6XOAkmUUAvlRPg{3}0uc1l7$v z3ox&O3UeD$QdLhd{h*~x{s$3}Ow{1TfCM6fu--oAWe@7m^ibmI~E27{+TDigdY5D}JOuCGiCq_vdzw z#lxsokjw>HsUFC0lx-ZFM}CUFyw*;-KpW1phhL(P(TA!JpD~*V?XTY%6ba^q(6@mI zaIWzKE&UeVY8KBC<}pRt$ZQ!k4&i5*v9R1_V?DV;B?!Vd$WoxS9MUx0Yg|L~*#QW? z`pH?7;2Le|nt*K$pOxF?T^#Kg0hmz%iy)(_Wn8*(iMCWn4Gp&;hcYytM~z?-iJ=Td z^_FiDKzKmhKT>XLsP)(Wza4{v_ta+Gr5F_8ZApW)c|lS-S2 zd>_oQXQ-b68vqZD#A80>MXogeS)FUQ)Ef~IA_UQV zv!3d1`Gsm8$=!-B;Ao-~<8UcuQU}XLCeZ_U|Zy|lOps1)-F8+n0E zBDNEKf)$EraOZTQCOVi{Kn4pxT6#g1R$!Q(T)K`j`Z;BRAA(xc!bb==Cke(nh$`f) z)fBMcaBYZVTte7mYM{s-483$BLzAVD+Ve2X8zWh&xz77EHIh1MDkBNjHWm+bn0#rZ z>NmjoQ;-i=R*;XF8R{N0U_S|uC^*W{If-dQLPVHriKl=(Zv9>xKrG$b2w-KzCx;gh z3!&Hb6R?t;9NkB_AWMFBJJK4frzMfC&E?F4#2^TkhWQY$Ao?PKhF$q+QI$lc%sxpN zNSV0>lS;jFs-F0am}B;Mo^!eJ+vFPa8;)w}cZ`P<#du;Uj0g`JX3EwWzt+%OlT_6s zOl`ErwFdhQhG^%zM+q4z_-R8yGA@iQD$`ZMVtciE#gjX}u0Bjr#oti0O?Q&qtcH&I zlyeGA_Mm=SqbK?T=&IZg)mt87>F2e^&Dyay&9o!&PkeCarv?k;r|q?CbdX2d&Gr%i z*xKe5w$;#EvBv(l?UuG|p7OVa~t}_NP#siI_&c2B~L* zaJAb@P(jG>nnP@Gzh5>4q59!7F;~U(ks6Rn7+0^}e6(?-+~oU8)!Ns;)4;C{oMg9@ zenlr}h|drITs;c?tN1G(Sx=alhwQ)6ri}*J?>7-R-`lGpk#m-A(BCGuHhq*%>V`~4 zl!fajHKKyH$UK=!W$Vmsm;g5o7QO0kElQrv;qDE25IZq2J8B^8zG6fsf#G^ZW8`(u zT)t0uE7qCT*d6<8jcgC{JI^-|=|oPp-Dv26U&k7fgG83*6~fYVd$|=bsxwh@A6#U3 znBp>R$o!roghn53*^+|@r%TCIdRB19Er}Kvf%=>DZRv3-o<0CMKhe}D9oDeb?oV-Q z{g+J0`dJFm)-|{A1kgWb`V6tWlx96te3OOfm(Rg^#vTU_r50wJ7Ekccz<37hUQ=!0 z3^7Y)Zj$JRyAuN?}b&k0KV-=E|PlcSQ_(WftZMVIe-H} z+8*{DMYLHHXf~&CuGYMrtMM+|YCHuGBfZ-mB^LZY_TD|NiEI5AUJJ4?3o-)}n7{-k zFo6UTVKl)+34#U<8U!S0P*BvUQL)}oP_b%7LB(n-DqgD<>!r3@MWwCwCRS{<)vB$w zTCLJu+uGXJOWm!#zE5LS5RdM@xc>IR_b~-b{FN3jGzo!H)oQvshtL zfQP-22)&r{=7|ldY)L4nhcK!9<4lBbc*+HYpU3ARD&BAfzY3kf;r}>bH9}jGUjWrxpgnDG3C?ahP0Ya{8*|ZuVyXVy$_Ao`a@BLb!=+O zV0#w?D9^E#brmJ(>L!-Y9GWihHp8Raoit6 zb=vi8M_=3=qR{9!!UB7}dFVNEefuxx{>xQ=d%CnhlZA08NbK3lJj5wld@rNYtpM z-gp#N^A22gVWsboc3ODLPFUl1mWGnJVe4>2?sMxjFBO?gGr*&4J zV@!{6F8UM43WKN>=AWz>@Q2*WFXmmj8q6ngL(k+IZ0pAihEE!DcEepR$H|5S7W&n$HJvR^y>pDE)C7IW}>Dv za4HYq@XeeeAW13YnU@SZe!FCFZvQ>8eb9wh*|$`uy=~pGC@%;(?SpUkgI!?9jjm{$ znWxO-y20_%a{|LwL<`|CWQ>&0N5BXddC~{hM%N3sabNXGrFo7>t$ZSrt}djYjY2kU z{w@$;b~el>_0pcSW9*ISJPV-mop0g>^<3p*2$>qok`ebcEv;{aE1|p97GynufE4`; zwW&Xk!mT*kBq3FwApx`LavP7_X92`|8(XCY02NhO@Y*^6#E9lrp z`jQ%CCd&6C&DEA&rT+dXoBVOjNe-45Ess5n;80um~7molsM4CbdSr8LB8M>j}uY4eg8T2uap^& zg-bsR<;5`1X0UPL~RPev&s?btSPxr~5#4Ix>4utmbVMnx=i0;w^YG{n?|I{PZRMSIVbNL_GaU`AY|5?*b({{>Ht;pJer<2@T17Y~R%(G+wugk8% zbS2+SoDb=NhS>%f8q`OKr5rXHEuui5Y?=zyq z|H}xi?xscyUPFB~ZOMKf#oBKOrl;pQm@HAf`xlW@vr6l2fjlYdUGIUWswOy%`x&Yty@*4HdFnb-!8G!gD)GpjrZ&q55qK4#>r7?LwAYlL&X+`zroSy`7gEWU`k8QUEK(ZbhWh zH;!i7_ab4e#X^m^E2s7z2A|A13b{^ux4&^Yl@o&0@hWzTQjEV)JzYd6{S_@@mibz! z(5p74yh+XkwFQ;_aHy`D3Pp4jwa9%C9t2vpxqXrT$1o<__o=HN{y~V^`;*9vZ$n*K zj3d|5-fsU540G_umSb>DZY4S3{910!0YhauEY#3Z@r^4OXQ;nR;foAIakSNrK^=f3 z(h`2X{Y&-B?<2NG2|=N&Wk+OlFUefkgwiT(Dkj1^R{j=i_fVitc%qn$Y&QZTcghG4 zXEU|`J}rjwA*;W`6jzw z!*i`C?J0bO`8Z|6vq$83+ZymWm$(I zv6+wI#^PZ$M*+JtidYJA@CDshtZA9_1=fh8X`{6r+wZ~9O?nXrUtus=Ajej|No^5zatg*>tzI*M8pF!nk;aVkP z%a+I0hBF@R?pW<(kqle^x^-8WrijX?!dOd~7=Z^du9EFYin)K0enh<>K1gy&7d*Iw zmzB5#g7g+1YAc|9huvx>OntqN^A@-UV88o2NablhS3w6MMG|HQsc@ED$hZoud#oqkf^(&RDZ_jtcvDuVGG&At4;efs~Pzfgw0wm zAv+_8jP(-y96jTn4B}j4&>izh#?(#s8UqT+d!m^NUC%JmNAm+CMbABHzqP%DyI9Yc0|jeGPh>{a22p2Pit$PW9gA0~KT*mTF&Q&i!z2U!lZz3Gtae1J z9D~8eR|=-_rb)F4*4IGuAO7+Dn2fRF80H1r1XyisBQqU?g2di zh5r8e-t+g*;UuP5$MPqifpJjB4yL3)ZsnLl^WqGUyLPV5sRL0b`?3rni+_sxaBoOj zG?P`-3E-=n#|r$~=hQfgcGf?xGw{H07K{00Q=a+7UgQ^?VBC~PdMM;1-HW^xl4x@( zK6Pfvz;a5V32g6(wsY!QC9^@T2$hE^&{R#Y!A|I-rCo$VEc$PJ1JVuS!$CEJ-F%Jx z(+lfQb2yW?1c5S$uQwX)cq69c4fB@J3Y*B8Mi_fh+*OxP3uH)4_2gJr56$5eb%&Fr z$yHSIyOOPn(hcZom?l?+m3D}+%&P49am+Lvt+{L#)5%#LG2Yy!CnJrDFjE!uV7UnS zZtqZ{KE?^f>bqeI`Jndu6zg;09rJc)8K;HgDE;toiQ!ml}BkqbqCFWeKaPZ;XTRe}UH zBiI%SPE$=yBgVcmw+NWv8pIkS&74cp?g+0qT zmMOHTk8h-WBB=g+ZH0dcq!(*JuLgJJzxIEPzqz_pGet?0aeppWZ|Flm#IY3{d4YB_ zU+YaXr4P8*sZ{~qe;h5)B+KNf-Cc=8y{@Y+$0Lel0{W=Z)iz?@BK7dFiX;-N9jJnm zQa!5WNn*z8>?~xf69wrDaT?B{z#0V@q3bT!|fW`Z-^~892E{4=-UK(a>ep zYHZ2%p~^x_3E#D1W=1^oHuV-j-b;u!*xtz0_!;hnaet1cQ`0Vqz4-&QhPlhgYH#uG z_?$9Gmb|2WK=IGz<4J$hajez5RO;STYQq{^fqe%HMC`E*b7963qGb@c=xz6!U?zld zFlQmM_CUoIh~x+vWSJq*WlZHTr>*TuN3 zFWI$Bc06i|#wpU|p?I7YfmvDMI7G6g z9FrEjfq$hi*1(KSOv1p*xA0D#5G^jys8BWBj^NNA^up5!{uHxiL+rt z^n4Hm?;cH#;zH`S4?$%+5f@FiLN1%%h$_ta{qZ($*X*7laME94l>^LAS0dBv*3VJ) z(*aN(b!svh_ZT43*2J=1sqG)S^_2aPabw6InRkUlpE6iYcSppaiX!4>BOFU?qxknMP(h??7e2EdQJ+WgpGIe1UDv~C}&~Ip=;Y1!JsXwx` zW0e5K3)^uVo3S~^7iG62t_bI(IfXoiuipjYFX9h)3g^NqF&6jY*J8%m2OM9tYgIUs z-%Wqz2QcBnUXz(02zi3Z)MChFbxZ~3M^JF&vks1>(ZuV1qxNK>Rl&RIc$zLf$3)=E zO%)K8`38_Vj%cJ&xir3M4F{O~>MrCn(p@@%esHuBd8e}EU1EGm-8`8XGKzGYBi-*1 z@xoC&Rp`b?gWsO@O+YO`^(tD^iv{QioTy%kfyI>h`EZ;lyl5{+{L?}-w;^NKlsLqH z#&_ojk=TN7I%dGy#&!aaU~Wjyn%*QlpT`aNHiB+2?r_a=@{o9(2nHP91!NrWfK^ge z_M3>eVW0CieK(~v7w`>7ppH8ahm#^m5b%A-L=bx8rb%Tf>8H@ zd+J-NO9$0*s5_Hr`4Ul>oDWu5Ca4>Y5Ir<)G%U7<@L7DR+!GO#IFyqOgQRb0T25vV z1MY0r3{?ApGrQ$k+bQ*pa59wZiWvidC>{E1agWa>LF9_D}}A^Za4ZVguk z%D_Ss9?aV*E0)a3Li9Y}OFK%fUKq|UHR_bC`jCoe)H@P6R&$2oSYNb*3pc+NLHdai z+A(4JwxmEglos&e?GGF$SSE+f*N`yXt|9GjXhJo(JCf};V)qUZm(hEAuZEFy)f&2< zV^8nW%~WaXV1o>7k2*M3{j|Y&Nz1tT4yI?ItOWJdQzCm)7IcP}4Pkh7?%`-=WWjuc z-lrzx+(9>w;cSKco)MW1FKhQjn0{lJj#^FsSik{5JFC&@by-tQ(UABaz+_m)lUY3D zs)BT2FOD@t>+VDlJI@e1yZ|?53e=Tc<~cFskV(T$V7_IOSwoh4B&jr>%%weQeQ5?f zllEsgrl0d5#JvSb>O^v?Z;^@8E~wv@VuSt#&UBDDjdIwGQJSDA{a}H{%GW0rWH3*Y zquf6#rfbr5klWl0m4WQ+AZ(@A=rXd)z1TGks-mvaoE!vTWmpk*r#b4Bc&I3!lRUW~ zEx>_Gkq%@E@Cb$cKzAWZ_a$I&LQl4k=+=|^RE7nM8O?4J?MhYhIKp>hV&R$@OQQDXK#+xf7gc_B+o$w6LI&vjmYpF%PEEQ+*$ z_A}LvP1r}fu$!ngIFgTEQ7m*WfudAb{sqTVh>sDM(=X-S&>5LnVWQZbgq22-uceWU z&7`9S=0fcnz-us<%KMXiTOsx~_qKi!OJR~cm-cFTVb0DVgPP73ll6CE48@QFyFsLi zz~D1cnJXaX7#7H6xeW<@=tL^znS%rH6^mF2KBr5=X_W0l5EV`3Vv)8YO*b}7ZC4uoVeS!}s0|6# zeXL|sx$y6X>$`>C_)uW|YhW%;L%HmpnK?(s)70##7%w+WAxrpgN~=l=5RnaC_;-+> z_U9t-R63AXvo*<@)bWN5ny0AiSP8&b`Y7bFxjljlsz|)+y>gxQc03^Qt0&d!@%oB8 zFiU&4w^#a7#B$zsF1FrA`!;`pH&}5@dwfH@*qMakG~pPH#LvJlGM|DFG5W4k;RXc0 zKcC^y`jt$-99X2mE;8iyZjSmOdZ8GFHF(gsxjXQ@RGprhOhT0**vUJ_W8Z8xorgxn zS4_Imkhz!^aDHSng2`4%5*ukVpDKO8=4W!x$pTXE3?dR?pAOe<3FH0MGYd9l3yAh( zw^CV)45g0EjA1Amo;xt8I%s!|q0kEHWtcM?%$cqIFV|V;`b7(No6G5fw+}OW}sK=9}S~ zr&$=AvY((JlMB`t(k3#H{) z$ejX=0kfWBy>Nod)aLhN86ma2Ua%&XSf1j~@%%Y+IQ! zJ|ZwN;3t_J!0_}jznDnWrU%@IID;-@zl{PS6K^`*Yu*&YX8@*nPE>>WG^8MMEk7~o za7Zf(LM)eYBp`w~=1b{Y(pi14E1F`xhjBNi%-$uKtgN>9vKntyjKvwuHatq5t0ob$ zCkPv8z2Y)9FPYl0#qx&6L*Zne)Prjw{T!pBnS!(hAc|A_l~mQ(g5RZX80Nv)x<#7L zRp^gKGH+%NLL{B{a(2x{HQO~p+K>$?rY+zNm*Wa!ma*Ak=tk}zos3VbI*$Hc%&t@7 zZh0}twIfGB#u}&evk0q&@xorAtDpl*Tz)~J9b``+ zrY8OHk_?8A%u>=Q-p}8lF$+f_Q6ibvt5_6;Ew(GdT|tC3ZQ4yXlQBb%bi2~932U7L z)L*gE9)@!s5I<3SV!>*QQ}2EWJ2-WQo~Vsa@CHI>5v_1gY=msS*o_#(f%;<%^cdWS zj?dNx%op_g8N6J|&&fjIrzyHX7OJP_LKs<{)~fwODY5>i)$2m}@zmkpz^)9X;gys0 zYs$3GL}xWf&q9@P8o5rtW!FRr0(Q_Ck_d=fal2g+#=Xe&D6hhExcw&wyKUM=6`n5S z128j<#tP5m88GSKEp&vdRQLH<-(7xp#&sO6e^GWq2(h;aik^!=NUr*M2+c$BAa#+_ zlmiQ)J_e7dDp1e;uWXD*pR z2Jy$496AIl^z;ohZtq+E;cp!E=QtCIP|9j9vhGE`eKl3s1YAAY3dKTs0&*qO?u;l* z;_Db~;Uutzl|2Z`=CO@;$Y~lWjLuF&!f1XjO&0{n(w+*+>W)38NzF3|%hjU2X%kD| zt6WUSIIqHzU3i{!BUN|^?HULYwCb`@CSEuoWa(l!`k2eqo~|7gfzvU^9|YWQ7L=n} zzDK8wKCXVI?zMRJpP`WUui{zFrz*}o`A4~#VX}0;hcR8Pb`_n>NBX}M*xkF?e}s_% zx;93gq|&U2roGk9E~18+m~$Y5@tEr*=%PG#ggI$GsUibiIox~o6Y&=CRftAuNm{j% zG)dz~8@+hKZlp4eOI;n#LHalyX8T+q^-J z53(rP_w=L=Qb3H&Sq*6d?9+7DljS)(LP!F7(%zVF_}cp+*oB0X(bfCBY0^dgZ>%m> zNk1B4MQLgJ)2vhM7^{#s+Mh-wDq{vtHUt}g4R`l}UJ#ajJ|ZpKj-1qt50zW_a(6p) zRI&`sJZ);vzB>HEY9iS8v0S7n|Ng6*%ak3+^O5>h6qYOY#bGz)j_daEh*1mU7*1Ut z2FNeNJVDLR#Jh!PaV8bC--O{I)^ud(*H(qKSy9-IV|E{fRZS1lk*y6T>#5cL%t#Qi z*W?~bywJJ*GkOFtIgWS?5mJT`)@WI2Fr=X=Y2Dxje_764#NRC0gtCUi;1niY6eiG- zG~Rw6^HIV%J`yJGD8#)3IM`z_j=fQ`5Q%Sq!d~_n?4Rw5!_U}0wzW=yrOs=lr~HAR zZc+cL1U<(w3b|367VCV1e@)jZ)|APvWXoa^^_IWloa|rC^^s=yf4Bbw!HQ2_huV&# zWOFB`bze)wq)B50`AdK8G4Q!H_US4EIeA3=3%q+5|NzGU)IClc@eVOg%BK z!|0mDoRSi7JemSi-*oVtAUsXx2Ve)uGam>mnU1oKGuyX7CS@#r&&`^bbklTKkqru& zWZX`R%o;@#ZQTkK`jtvN=H@N7N(pIOO(`T;>|b^wyre)=Km!~)NPkCcykWV`K+1i; zk!YIRFblx8N6a(B#L1Ss*pznM@factkY_~gD5BGMgh@{btolPJpEDzMjEY%Ty}tHI zD8c3NA~_(&Gx>Z1Q{b3~VIf!u(dh<=Vn)ENu;4}82vRMNz~rE#N-%NR;L1=8|DoO! zQKy63J0_|U1eCvCo}J|Zk8OE`!lo(#}c2`oo*KN zL_#0xM5bn#*+A82Id?Y_W*(y!EH>1TkliZ)`@7IZ6rh$YeM(1ZyBQ2Ig2s4BEo9($ z^#&z$4{;1Ba%@6EfA9qAL&L$dc06d&b6X8d>~~b8ucHeRR|$>awY1_wKa zBArK-2k{3iDspl%6VF}GD+_A2(mZeJj$I1*BjdIlSDNma()A?Is@I1<_!BA(Q<=^X z3=QSOT^p~SVdUx=%rN)`duh&=;|lp~5R>-%HK?9lFtT2JOCjGj51piaNqJ|*cR{dr z&Jp&rqSD~x&N5x#!d?WoZ2m1~5^MmL@l03E;HY^oFg@h03KHqcCxP zA%4+aOXhgPSBkKpBZnL5D)Z$~ylY3Pb(solOx_GXsRYDoo?{V)j1N0b#U~hExwO)G z87|&o++|t@{c#DPgNDLBhS>Xu;Btc#zk>_iU8;Xgt7^+2y7HxBEU5vAPBBcf&bBY` zBvP{@gP(+>(?;2MAUblQ1DSYxrV1C5=djP(OGRW>8CCg-za0?dJzPVL7PtaM));Nz zx`9>pIG%X)J;DO`@d_98ml1q;S`Z(RJsj;d$_Z;BSN+7NSQh`=8-W+6{BQ3BbSMJoF?ge5%J_%el}DS2 zxfb-7P}RfF{QV>#GxoQJ)gyMs-%kTftAD@wNG~d(pKp3i;OPGK*}tAXIGk!;nYv#+QM zyz_tD*uM@Mw)WQ<2lf`&&R@?1yL+^`zh4P7V!!GBhwb}!Gs5@eg#W`4Lmm5n*y#Vm zM*o|Q{>$pO{)3Gk0^N1$^qNOp&yC*`&EhYy@j%^Mos2*31-7RhrTkC#e>7bE|F!%7 zSEBU#pD@2AKcD|a`H&I+{^Kj-VVnpI^gx(}oBxqK;Ft-%84m}c1mMd;T8<_v#`qX5 znn7Y?9%(8j6!t~{bbpNYig`rX<;0{U82lcMZyJ#g@L}oTDBz|}my;N6!rzotyoK2a zBvD!#5#Z=Xb14Bjs-q9$E&^TlF^?3GVwj3J;Dsgx7^L(Ydp0I4FcOl<3lRafXe`s4COzbmrlk>1At!( z)2F!cU%X6L2=&N8K@ks$nWV_FPr5}lc;_QhCU=Gob_Oef$%%Q&`H1Mp&bWsHkSZV= znMg$T%P8XEgiW6E6jQaYg7M+}hcs`nApzlnOY#9&6XA{A0B9W};P(a?ev)BjzrK3) z;TsoXQF6h|`k|#N-<$?5->r3{5J{5VLj+zSr!s?t$eBY?Sr>BQ64`|0J6ggz_t4oS zTp@R!I0Jb<7EXa~N*9tPwvz~j9LMN<-Qjv7| z&3HBspico^+(UU>Y#E1F(%w=huGkP$Ilhhf7r75=%0qR}C_A3<4s~6sPo)N3UrJc2 z10gDSMB_*2B3)-CS(;}=Q2)UnI@?K7)A`DH>YJQ#a!4y>PlT##!sy1r0_4sr{8|Y$ zefQbyb%<&z&j5C3ZAZ4WS8hkH6lbKo7dxA!7t_9_#n=HX$#ZZ>^K9oJA9pctRPn#cm|uL?l=ibAr7eu?`L|@^LW3wiT=j+q9Tv8r~ppC8bd${8q$BYV6NHx zJeY;;?pFJ?n1=V_$fg&-W{L$M)q2AyxXdfA)$W5kQ1Wh*qp+bJES=~Ia7ZGr;p7(I zhBC}6ZN>QAydRP2d%OcUt4_KDSHN%70sbX)*N8Kn>T&fk!dBLhQ;nt@|Kzm7 zYF`r%weLojkH#;Ne6Eg;>v*i8j6{@7M5Xz7BK*Ad&O<27SQ;uhq)P?+a3vRM6WzxH zJvFuE>3_4nK2!!MYC5e|2{z^WbV%Q~v{>~Bf4<{KZb)kj2aGcl;Ue|-m3Zjk3;LV1 zc?p;aMvz1RmN)2Y9hk?9_GTJp>Ry2EDOTa$a(^rhv91mR7V+e)QqwAFiftH;^t~;n zxK==ZM}LTM>1+}B(1oM?w=~HY$$i52l0we?0puOsJtpcQIjf3Kf~D(N4vSA?hOeA`&As`NG^S)BH=po+&WCvaTe7(@+F3dXO~Z8Q#y z1K}ZnWNA{%5yFlekDM2Lr)V+=_X9bSZ*J~im<;f-taY!F)-3}fDu%xf8p=Epb1m@mYW6^4D7g$ZNLxdZcusN z6{6KiO33I-0L*c|TYInh70(sZcYHIR;&PCAhMA&6^M_LB=e&3L?3%a@Y4=rMGWuh!|j0Zb50gYJJr!~K5X zGH`q=?7Rhk;B$EfFk0WU03fI;>xrZ=-H%G9r*ECh=<&5}6An6jLAn#+#6aTcY-gp{ zNBjJ4W?+k>pzX2F|U7am3bo9rN z2W?DzP!GM^=s#JRmC+%k<9OFkcmDK+@%P#~jq8EP5Z$dvE2Aj>A&46dx^bh?9jKvs z$LPk=+H{Xme2t7Y9mM)OiJtC|$}t%>x>NWmd}qV!bb#RvU4@dD_%*~#^1;_uOG~Lv z?0>G-`Z18N0M>XTDi?yF`PJp(@3k+&0J--m&kwjrc+rx> z|8-**EZOF=YIU(5wTyyvcTbZ7XSHzR>p6Xp5Xa}?6$X=#=X_uu8tQr+Ul60xA|aOX zt1C-2v%*S1!)^Qo{lRGZM$TqrTkLCVzHR6vEs#5hq`e7*T~N$uh8W6l!Gi~toL0aW zK|9Kj*ArBvSWwm9$~<{G55FvTQ5d?{cIEipR;k?5)sTz)n#?%Ph@&=?K?&E;2`JlW zie`_{Slj#}xGDR99*2#%2WNyCF$HOwl=uXff}bSScMJwW%6F$WAFQ4OSL9l3@JEs) z?3FCOEf+GK$uNdbHtBWU8B#3$S^b379a7$k&9+|wl+!?r!ZLO=6|1GL&<(nTsP`(R zE|$5PY05Soj6~fV!wLxhOXXR-#3nZ1^;ZAbmf^=Ji~|+0qP{Gj>3b)KXd7Ys6(_*+D%z-h#e+t^r$HS75!E%{{MP z6q>zS0sYo+R@)ke-*F5M;(x|p;Vvb;fOK}QDv)IKLd1}v-^4+cX`rtJ%G;!K4z$v< zPQQ>^d!ttL__<=aCI|`_v&5e?uPdeJ;k0{dW~rQaL;)zED?C@Q$)pDi$%9~sw4URj zgovMj_<~%=+d1AR;+guBDor_~+osMfz;2Ick0VS~IgmtqiwTS4+#V86j`^-YpnHvM zYAggTkb8zFbZ@J8Ep4b=NuxWiP=Ci*&p&CL_h%sXkHty&H@w98%IR2cA`^)hN=DuF zP~alwyS^a>4P~|r8ZNg7lg0f0llSzMN`D`2KaJzZTD&C5^CdH?`3Sv3Z2DKinRvc0 zP9eKyCL;lW-fHicjY6&V4#=xb#McQ zDX!(aF|J=5KQ(!nI@2U>drJX$@OUD5o%Eea$6^)tHXrZht0|e`{TbS4%*_EhWti|? znGbZPI19^zL*wS6UO%C0@x z^fJsJ-0s?!Z6b|!udlt|dWU`hpt?w*QtHP?8zMd7Z0FF7ex+jTB_hG@(^j@z;xu@S z>4iK^P{HqXqvt4bcwcYjYZl>)@&F}VhJ{EWHOq@}OSQBgTonB(+dG66b8xpZm~+O1 zqgxzDoqRjgfn)gbFhYuSH|gVv!i+^SG)hODX{0aKnz~C5vRF-56;3rCSL*)}&raoZ zJ(Ts!!Mbwu9cKj>=Sv0n-+EGwm*Y5nrpodw)=RI_3wXe}zRu0!0CK9@N7#&RB*jox z%e82!p_)6{a{nOJ*=BiqGDgq&<`rPC#2yOsY@_{1Ej`XSE7xMDsKc4gH3qKY3E!%w zFQIjWsn!8uWtITik?(03P`n4}UX8YnK&>~=DfkZq!4B+nxGjoLXtgju>aMC`oPElB zfiZJuc(YpwEaKh(7>KjU-B$8*@Qz%=pB!jCLXmm_J;m!Qd)D_^QSR?)xy)pea@x~h zSO2GOd{{+JoB8*z@jk!RSJrC6n%xuG=fePLNoHZqxy?9L!z-I7ag%Ab?ky#EQU;9w z!KV3qA}oX6<|4gO&aJjxI0c*vEsPVBct<~^yWNEwng_Z|ncki-0UtnI5B}qdB7Rln zx>_wasn*R))rP}A0wf|O?UE^zKh38C&F(z*d5($+`~>SotifT~Ij{0^1yy z+c3i2zj2JImB!QMRPFtah8MaK)i!--eIE-`8DmQ{nJ@LQPDY%Lw)*zdcp_I1q`K;# zGfdtpA(AenxdB2z%ET%`*hfcLcmN2hqqp@)Fk7U| zD+#hm&JquVIT`P9b8(7izF~T9A`*Jpo}y-ca-JS)HrDzOSa7!2-~VUBq}qj0_0@bE zW@#uHfU1vrdW*@E=eAwfB`BdoYHq>R5XKDvJ6$eHA*W5u47xGWUn-0&9vwobHO6zp z@$)+tT7HEjMDsEta@Vs()KHewL~Ko5SMTo}m+`r8GI@)O&5gucECJZF0 zq{wyL=n3EO&%8B?<_-Ki%pks9$n*!B`-E!xG1-nF&0)3tdWd_pulKn#wlbVt<7N9s zderXg{N9YO*`Jh_8Pp*4H6@69xI`f4Rn8ziY#$psU+theol-@0e8c@@pBw+io}t9* z%qMSij<&j72oj3C4btNz1Lknew~S6lNpgTs?ZlJ0boF?pJ}VUY%0nd1Mez2@C#a`Y zVt-ZICSzvwi-@~HoorMj8<9}_JkZ0Z&%wk+2Fa?RhAEYGrb4MA?ILSsJTV2&<_^X9 zmTq+x@C-}Q<$?; zO*$Okj_CBLneNTEKC_QCZK-SHQA-jb*r6UnrwhjLQ)`*g>*+^-w*vVJS*ts507 zCY}C)^x@*EEWAo1?hl5T`j^IMXw38n-F&hB>%v0yG?m0aeBVe`;D4H*Rr#CQO)CDM zQoOrVH;NIwrXMHQU&xuhvQxQHu;@PKT^|Z}3*SL-9Rj1A)`2F^PnD7Q%^g*R9|fWt z`!~vy8zDsN9o#Ul6%;pSx%bc+!qTR@o(0la+S9WO1_Zp3>bNptfb2u6Kr#yIAfH6? zpGW?OOeQ2kV*}~2hgq+LfFfDdfBLkMOcCGk%n_0ohzRYioa>+f0GY4LBBN_|7h0cGNf9(R>V^?mgxlhzC#ebTUg?19C` zP1DX(Rr>6^G^IITe=24Bn$f3B&u>50KjDQv$AUWVJ$n6A=l#d^@1-94X!Lt&3$7n< z$w%t;hjn@5=euED+mz`lOMA==mGxxG!S|Ei@BjJR%BHdBRk|}hgA2Ny&+k)UyEq*5 z!Y)sGyP*4LbAt zRxZuar5-QpGpNUpD>VaqM>Rs{AKd6_9bV_j)lN9X^%HA;b}+;cOcirpr1uK0(pO}z&dW)bh;tp2tO8BeWQb4E3=$lK)Yue7MS z&HJal=N;P6*i@2vg<1^X;gXLG9eb2>HjyHnZkqbb`rEP7+GzK<%66eUmENfy_4bf=OV9V8 z{*39XKEkkh?QQ06AML-ARLr%<74-ex@}aKbnR~-#oXMKSRGo8o7pwPsJFTkzm@X=x zd3o|X<+CDY|FpUEdVTU|v%hGX6(X@4UJ)|at(>8ob8~m6_BqRJC$<>VUOl@dXK3R; zK6`vz+mOC<@1E{Aa^8cl$6TBD^NpW2&re+OirV|@ogu;Twas7T${zX9Qx|n z0$<}liaHJI&*jRczrV6_$jY8U38nFI&;`b?Zz)~SH0@5^f?(ED7p(Yf(AL^c8}FVr zDW?y*Jg_F|`RfZ+Z(iKGC_E>onQrg9#+~v?%C;p1>Jp1oZ@%yKsWs;-rN!GmS>3#N z`|KenC&q@{#Y6O8-|ye~R>rYTi6bZPj2mxkYU@ba5Osb@{Hm(2`)jKP_gl5ZJXbk- zY0lCfpY=~XQrovC>Ee)W4ZpnVdat3pZCZVutQbc+$7UDjO2fL{%}MIMb#Q;7^DS=C zIKWAcE*Vv^cH6Sf2R_;MWdGmp>6a&NJ*X^QzrXwS2+OG+i7U)6d7~D*Q;ilD*uFn| zIjmRGaqY4fE4dHzhfnhTgH27{e$pL!C@d{_20r+IH=h328b%Mk=U;Niagzf2v)(C> zO_@4t3TUpP!PBe#1nzTvlV$)HpI@rr>!4t8Hk^;(L->%u?mPYK<1ysnhv36?K`H+l zv4fsK8%6{nMqoNcp$#iH(3NE%aJOLucq@a7`8+H!#u4S{Vhm!u5Sl5#8!-Ytvw<29 z)gJxN;+k*Dj9LEakD6c)(d-E_UjGwXU@83f-wxrwo@Q^pYd-&|Op~Ah>1|NihGTj7 zCvdcZKaWoEo1p(V!T;1te)J)PH2;gN^IxyReO*xg-zQ!~yrdXzgGmtqomtGPyaXOH zQSjPO;>A&^MaWy^?d?VIcL5)&DuR39ta(We4#5gYo+wm<;oCF^6_E*4#c80ufa8n1 zD$C&Or3k@tFBBz^5Y!cJh*9Esir!vaPeYVjy+s7h4f6gyaZCjACU|>8l>G|+81R^0 z{6bd*yAABRDDcm?d`Y0K6@m?gLHpgPf4v!_eDvscFU`B1QvUTs+56uw z!`sV(qH5tzx-Emodw6(w1bzam6~DbLVssCy$AKn1y!Zjg_YV_Q*&qR*hk6p6^4r_J zf}SWU+PZaX5rz5+Dxzux>vsUx;HXhWE4LPHC7l&pi%2qWL`6_-iB=YkDgv4EtvH4Z z2OSN2>eiybpRJ^5YY{T;SsrN5(7)R=AGn}FnzP}W&xz)IuyI=hwCCle58Lzq`?>ws z2L1k>5dQX;_;0g~pPmbTKG4Dbas`B9FgM{6|0M~`$11EQ0RKNM7=c^{ zz`Gu40}CQZ)r$e~-x0GAvWbCow;jAC>|)#_k>FPzi3IZtK*s)|FCxgL32&hufd72x zjEFMIk`Ndpf`b49#)$ut4Q>j^2J@iEWEqfSL|~8zk4hk*UJI~S%LvC`7Kur)H%A>P z=RY(_{1Y@oq{kG!Ev1HlN1`fVL+459@oz)8fKTGn*qq3yKsm}1HeFLu6lHJ!0FD;pj zJkJt69zSo0XFV79sCeql^{nD_szBAW^ds*wV2^GVTKN9nr+oG02f%#UV3~pqx#O|z z6Tt!xEw=FhO|(?tMEAOY?yu7_7VCtg*3=+rq^Ajd$tw^_DJVf1-qlf7IGLaD<~tB* z)aN|#Kov)O!iH`w98k^X;p!;Zp~GvUl|bjea5;7IeT&fUL+3*c2;w7 zaxHS^^D)+;imV$YvNKQiCZB5Qh zG*~_vqVW6dpLLoShd25blBAr@MD}))T6lBdsvm%*^?*$V&WLn|*ENMfqD^`e>)G=Z z=+tYxTci^?dIZuY(g8>+L5k&MyFRzPlk^Litixt+E|Kpe!v)SFNx~X(-&S~M0*9kumkIC{jKMaG|@SYTgzWC<$Gp< z1&3!gO7{-+eTTkYvAXgx`(~s7n^3{t(aD)riLK9tIAejURu}B_0u0Z73*nQTuF_^2 z;OzXUJ}qTuUkJv(@glc_`)5sGd<*qiaVbz?CVAG&I01%-M|#2aL+#%w@%N&r3RI>y z>_+MGKf%DlR*tNbFK|yD9;-+<46pXHg3w@J%QdI)sF2;nI%DxdW-yithH!Pr z0fa#=p_^aGxB$tNZ^N=_xu4Q5H z$vul5{gKhGv|mF~2NUPP2dbBy9zPrc0wmKp$W~Q{6YGE)-7FQz;PiEteR82xVa9=S_R5e0eoi@1Rncjm1C6gEc^o z66SUUf2SL;F4qm_WoX~b==uOTTIfg3R=y^XBA(ETz)s{I;yO&qCy*L-yiE#g^C2^@y7{a7L zpt^Ip(3P>{iOdnHJMx#-$XtTnJ!I$Z*V+ctD(!LWEs^ANgM_}=Nn4or2ftn03eyvyjZvIs8xfEU3prg-Vfh%%A}S{zbo^R*jFPz zkHmf&{Jb(YHa9Pb_+)?1s{JLukrka_5~@f+*X{zC>{*ZUQhC zC4}vx%;hs77Q8kUvo3XS(IRGSxPlpi^4X3c2!xCMU^7|!wY)?h&Vr7;7DFLytjk#Z zSfGZ0+H!QIh3^%QM%{PiQD!u`Lj96?S@|qpT^_Ax>|zCCwp_0gR_Zost=rk~E8-_Q zyqQT+)?vKiunf>c@^mB0b-Y8mSksW9DBoKPsACt(J0P9UJ*y{DGR#V6t&P?*zgLYw zN+A+kG>vxtYlXy(yj^2f_Qw~mBHya)axs&YjwummqsA0?MZD%*jkJwv$9x4y zMGzkgP8ZZJ#w{md@LqseHKbIzwD!>?S7OOeVGc>lnR?ewBl1PGB^|N-z7(K7H>G!z z18l$IddQR__d~%%R5=y1J5PErJ@N}zj7Zr(}u z=RTwx1a4@s8>$?Pas!ui$T#)p%1@Bw+M~bWV(x~*o5fWi<$CJ8o{$fIr)`Eo`aN`n zKsnSNauQP5$HW;Zl3V?@Z>01YJA}K3@bs#iC|ZZ&GW z%5YbPx_2SJJAWU}(+w!$v#^VHmnde5)M`J&Cby@Q==Pl&*jyw!3_PoSvI$m2e(J#9nXWWJmdJ9X`CC4;$GH78}3yC zeh4G9=v`{I?Ft#P=qc`$!Oh@tR7(9TB&WVXalmP>zRGc)jP~j&_-{(QdMXl%mGx`* zODeB;gYVM*Q_;K8SJVdrYaeV;)*@*L-9FK^l@rgo@MYZXPhTCtkHo(K%}z&L>ZoxD zdo2$MjOwAB{zXMSaTmt*po+L}u?nP8-+FEGL1M^7x9r}BKk(hDc7oA^IZO2m^U^ri zkFa1yT3d!09}}=+n!uci?81u}SMZKhyo^tiNiAN=q`A`gqRZ?Zfmagz>7LOR{1{v8 zyLJmZ+4W+&x)uNzlWSi?>Q3Ixtu6cssfWrvNI8mHR`MO#7BCmI0F5Fun%e>(ajh{Y zDC@iKnfJBsi!G3j0XpL4g5oZo)mC4Bb}4&M>}9opi%Bgpuw)@>%;eH5dLUt)SgVcH zkhS4W4R=6JE9BK0_jz%#cK3UgZ(BN<3jK(9md}?*L0whZx*2dDy@h8t#Xyr?Sy}a3 z>?mA@>vdRO8;`0>o&}c_fKyo9N$SJ!av!ZwgtxLhy)R8(D1_f39F51ULPzVJ_F}A_ zmKNd@9ySFl1sSgUj4i9VyZ1w|OlyZg0J*X(>L~P^cj%3;EK z7zklSpdD(yLf#?N1psbM#=-#mouoL55K3U21r!>UvEgM(Kh#Lt`x@oXQT17vpvqD8 zs{r!ZUv?N8eIRVh=@@`+0+T87=jwy34Oc*DpHKzW?=p zQ@fy?QjL1pB?#&baWWQ85e_=VLqCyeQEBouH3M=dzlwy}U||L^TkGHA zitGoH$iw#GNnCoc%3gLqvK=I$2ZAtg$riBKo-xUv5<(S~qC8IvgJ4it2qcNtF_zE~ zlHEJ$E&%5Nz85146; z8bwUH-rQmb%yF^8MBn3Q`za7R{AJiKKaHwC1ql~+??7972n9a!G>j%T^SR)-i6G<>jMQ15*EMGGPR`}!1P*|Q{(_VpLG;= z*5gGnu&H{oGhWI9t{fd52@A@Pslp?1!j}q2DP>wdOniSG;FJSQXL9Hol5&sT$GuBJn5B>}T*42Msko%n z#GJ0YtMOB`jX&nrz*d&D*M#zr z<$ZIbQgD?2f}Cr)Pao=n94pefc}-2YH#=_=px<@nlu{($%eq#}e1-F$zG2e*Xau~H zxh`x+X(6BuH9SaESxU^fdkl&nze9|lIS@D%oMM8ObWgpk2mf^I%Pf)N47{@iR z&c6ErJCgzsitp`xK%Q;HC$4p@n+4!S2T!-r4GGG71ha>YzzB7vuk?+=YPr#;jZEgD zH>01Sd+G}8>kXk-5R6NcnLgwbcooQ^WmdUMk}?5t*>X4y->|o1WG1ddWW(*R`oLLa@tOeU{NgIqsbsvlvCU_S8lW^o7f zYH3K_TY0^)R?gF?{c!uXe&?T^S{->?9fmV6+rfzv76Z@WbgnZV>z%|LZ+IIPs@VWK zq#R06rfX2VZHbYnwyj{46B_0u-dg=a)x!jHa=|v+^uaUZrZx?+NqH1^O z)gbTW7empibFpiG2hWNG{IPF_I(cZ!vzG0sR>LZdYmxgS_0g(K6eveU8{kOQ>&Vh< zglmEkB-|Iy@gcsF+8y>cXjDH4G)7Hi*P$`aUail|)d{w`L|z`<-N01@huYN3_;Xl} zN554XbYV9>;Ue{x<)rVia3+y)eHS;F^@OtmFirMF;Y@lH`yf$1h}7L5dR9Q?QZINf`MId0!+I`l4`ZzN=D zCcB;3@3{u3K9+Iq?Q;x72VCpVW$I)ZiQm(x#QWZru7RQPwpE#oz4}pkUw5ujSc-o4 zE-g4BgSNRJp9Vq3@)qD?wY^Na8f}&|BVXX{TiG8@z>;t=&y#IrzO1!?`|C*OazN9S z1ybIcs4Or9e8}@py0KR33(P%@Ltv?YCu)q;cT&nQ{V4-OTp!#N1hJF`+AHuAm>2Ol z7V!QH&Um&HwULt|VO5L1EDbk%MXOf$ok?MOy5~oy!+nXmXf1zFL5c7-{F95?c*j>H zsMgv{ELZO$=L%~Y?_uUKcJ?2o&D=MF71fnqnfisxr ziJB+UcNigfe*Ab)DNRQ(ciO*j)OQp=z(O^XQn(-vrXNZx^k-}}dh&=6f)ZHUP5}tC z4eBrFF3a1s>Xa*SfFG+)0&U0))M$VUW+0ig21E~NJPcZ;s1qzD9=9j4$El?N&h6zyWi01vb0r97n=A1ZLwlS(y*Bzq5z?-8uSfPCs5FL#PfgDWduG0yC7 zWoY+D!n{Uvd8WbhXmRtsW#G)YQori4s6WsjdG0fb5oAkpF$?QYefBz0NH3@PLxCF9 z@+$5?e?vPGERJ7UN1cgX8=Zi&$)2Fe2DkYR(V2XQP!$rJGNa3RFa1lBcr5i|ivl9S z;`oa@c%i@z&81qb$V6foR|nMBaYs2B6P1?dC~8pn;`Ni&CI)n0CVGB*@>Ix+s^hTN zTMC-ckWtGGrax_m&WLL?f%Dip$`sZgHv}_~_-$Nd3GO9K39PUJD?^%NCIjx2EiVAz ziG7bTq7M%vik;o8KU1Jp5BCSZ8;A~8l6{d+>fa&1Kh&M}>xm74P`oJM@MI8z01+t+ z?oh#dU6H#m4}n5ovcE?rgWxPKKtE}W*)*1lva>8TA#up@H1Z~7b9UQ z@K)7(?leap+WVO6T{CpADKa(AH9-^?Vc+TzB9gb@<{eQT`pI_IU>j&va(LH_!e}4m zXRUga@+pWe}pH5GTU&oxSwq2Em{ z+t60(SK;uX3Bp?WlwODjA1-+tB~T^p5&cW1r9bTkH6Pv?@}SZ%^SJ-L#*ph|!7#qO<;-A>fau^9e z!il@btg~nNv-9Qz7ff=sw1AJ4f=a}Yz z0GJQ#vq)@L9zg;Ja)^DOgX{tUPcMqPM11k)Wy(%C1~v-{M+oQrL; zUosG5L`{-?Mu8{AL}zybv|fNueO&K3lOScdIolZ$e`dX+XGV}6!g-*KbBVj-RX=l( z8b`hj)Xqg~2exdn19{AP`aWPU#N-nHFsjvhI>|p&Txn#sfcSPvenJD$G!!h43!n8d zJ1hP2XJ&FXcx3c)&V$%7dybwajc9+M2)IhLHou=K@@IOU$tM;z*X=y$Uk_`d^E!OB z`FkKlj~-#T=yFBTN1p}>qy|NIog1uN)<(AgreV3V0JV&;uS;ycP9BbqyE!~pXR3Xf z_ZWY<3oAniW+T(lJ}Lnzz76cRoLaUQO!u$61p?o`w3FnWPs##HY$f<710rX$>?mVFJaePgczDC+;Gs)WI#c|+DdGWE0kAjX_+wfWA zTWAq=`QnGR*Dbr-lVkCBIL%sX@LaZ#?eJCH&f!a>UpH1|G1Rc&&bad}co}+)U*>v5 z@Ajq+l7D47c|aJBs~Ed|vVrO2w|_RX?KP&O_d143*-IY2%aWyMa!Ns!R|~*6 z-E`e@M!QSJRp{_T05ilsFcZ*j(J-->na)f04B{*&Dc=Tw;j(8N{hzgd?OcXK!Ah%i zp5cQlHLSm~9q`meSF_GYDuCTZTX2SYC;u{@!oC#URRRX)ViY~VI31M<_GQE5zKGrg z;7HN2@~|}eoQdJ9fYRed6D*J$ad$e6l85LlmlFzM9#L`N4zp(pR~m_S;tKsE#SICL ziOJ+bc8~lmlE)_tcfylGFJ`%tlhtR?H+A)RF3v4jPmJ?zh|XY~zUjd?%;cNQ8QjnD zO@jEnEnJTU{)*?Bv~W2vQ-FOXQVym-K%@skxJVczVx<>~ghg^R^Df|1M!;iqI)4z> zK;bEb)$eu=w9K{uAQgn)lxN}42+iV??r}xKT9Tvw8uw=aB3!@Gs{H>TtFgdp$Gjjy&J9Vde;^(7F?r#=8`D*PkJXe=>7zDE~61RyG7 zxjF1%aE$k`V@uo!=DsoFR21x@KcAq+qm$mEq4659fPAYHI)Zlceht{OxXby)e!&2u z*HkPQny;JiIyPJBtr1M6J;f(9_-86v-i4yOsT7GMmq)jN0w9X2mpI}Rx`nr>$KBoPyTlAQKJ>HLQSbQJy0%fhvuTcH zgCP>dBh*|zXT(7RG#LE2T#p;OgnC1Go7@|#9#|&h4b}rz`HeWa)}efZMi-*iyVwua z+&~?g8j4L;JqZsjkgG}*FIM}r8QgwYp{T=3oJbjuipH|8suidx0JfVbn1z4R6s_Rw z;J^K_FTQ9Smo;=EQkP&C@#x&n8q4|4T&G~f5IKz7J1h9D)}NEZCp=Rf>PbKjzB)Pw zowwi|^!BNT#vnQQli` zz*$pCFn0>=m@;~lLDVEShj9?6x#k$iFT$g6I>-oQ`{;gQ79NT3!oBSEdTFpdnO&Rg z90_=4RTn=Fypv^r0`%0r8eu5<^l}{GFGB|FZkk*x)nd1+HWfhTePf_)yN4}!TWpVf z1<>+~zVqEDx#+P8La1y6rqaT_$*mB%_$ubPt$-mcT_mhSA4bhzTb-$uK6{FhC}8(A zU!%mLD)JXloi_a>y$5h;VbVi(@i;jDd%`2tUGW7nQ%LrI5>5u}t@7LJGrK6HV^RLcC{Nf;bD|>p%o?T2JOz<@2pm z9m^Bs^{CMTQ_%+02&y-bdzwtJ2z#2jPwMT8khlTpvR*gw`<1(N>N1{}){E%1596+r*!Khn~T3gsO`3e@sayHu%((P?s1lnHDgT~fI z)eXkpsS)?uZ-ud_xzuB;GKxQF)C>mV@wHS6z1d*D%8?uJK`^#_i&PivPRFV4AuHsS zIMArY(-kn$O$yHuUqp(fLxU6l!b#!>phjj&z$d{OQz`Dkg4=$-8KR~FTfl1N=uZ-} zSQ(1W`6Fa?HUh1%O}T*rU**_$8TtAkydxFK^=W)k%Mx~+{1p-ws6!<^vmiXwKBKl^ zECdKcuu`w$mM!iy;iaHd>}_I&KsX++!x?0<^>eHBHKPbijqALNEd__2 zXaUZ+HXe{wU7eH3(brmqlhC8s%77b1?-06SFMiE6jAX`prkVVuZS#p-#x>24T;oXW zw;PAzDKS{&t>UHxX%YQ2&A!O_*elX0Xx|Xmf0jbQ+W$HzX^5MFmDh~fnyS|(&FQIB?R=o zViGs#!lPJwH2Kuf8f&;egdB|}+o{Feuo2hL#YV0J`=j`+rll1YUdn5z6|7wDi1;G{ zB!t%I`3~F~Kn;~@iR8*8=VXiCLXPpRYkd`0lG5T{p>qVt1<=c{oxz#zDq^zxb9M^K z^j4QNYRQaA3Od{vosEu)1W}TZT%SuU<*wL1Gx72|I$0bQ7k*R;Aw?S(-U+=_$;Zm$ znt~iCjHi`D8rLTY>@TcGc~Rp%3%)wa5l!Jfd)2d=l5wc0t+|p*7hgqEBfRQ2S2;z$ zXV&pLYjVdcy?~V5_I)~x6PrSPT%bF2Y$|mH4KP-C6WE!TUvn+>fQg&Qq#w*=On2uZ z2wnHo)c)3h4m2Q7lW6(S;p-!&67ufuZ+(cYt2?+Kc&!l8`6RnB1WT8L@@!qSCumVV z(nkyIbp{Ycq8*{BUNS{f9n)ZZ@ElHvG90*);3z0J6_8nOFfB~GNdZmppn>tahUzcQ z;ifETU|gOrdlDV!3JWuv@i1Al4r#cB)IS-2+1hc)CtlKs2F=}G$`@ulEDZC8fDxJr-Gd)1n>lIl1|d%bv+RNups zY|W%>F{v*yX`Z@d;3rnz{83AJJ zNSj1CmZd6BYK7deOD3@}r7gF zhK+W7AE+>DCb+*ZnV|947fwRbb$(L8r-hwRcpby}=U8&|MZa;q*>}R-*}UNEny>)K zV@0R^an z=-^dv;dVer9Nob3Abv(CgQn~qR6R~O%OA1-Y%F^sHka-3&an3Y(|3Zp26X2w^`-7i zVK(R-z|%&U14{JaSeOaa10vWE?*cLMe$;pzTIIb+=nm@m7UpZRMd$&S-8!Irgon;4 zR(G6hkvE~Hy{Df6Rs5|Dj9N`1+vovWsHQ=UZ@ zGXs;%Hn3}0VJ*HrCXQM_DxHk*i_z6mA8>klHEeRNpw)4xBJe2&&{^sg&){ZdQoL|! zBNj(#g|GP3n5Akh&s_1`F5l)@f9Hv+Vpp7v>iHuNNB4q$s|KbE2*frTgF2?UO59+Y>r;-gr;jGVie zTo|aTw?av*L&}3Tmy@@AV0J7{fSITI5R3*}aNyffu31S=pga=<7_O_|RL3yenL**G z>xl&18|^Qxq_>lwr+J4uZq46lZ^x9 z(M%NmIFN}v_ZTgsXh#=A^a{?R540~-Syg3tZiPRQ4GsMztp%49B4`lm6lOI0MoBd| zt}<@^H0Xb%^$@;)UVacC3*Zv4!z{-|O%7B>u@HQ}@ z-xDvz!EP1CH}G|UN%$$%DMxC;%YjORS3W?EAF?H!Qz-%SEz#Kpq0gNx^Aqq0c6x*v zDk5;Cj--*DxKrXjCh~d^rntM2v)Bh`zION*c@fJhK{6I_j$to?O!_% z?N+PMGoIlImUgt~uCxUknH_4LP(;oq4)}U9t@Ow=E(7;t+lPk`{-LmDsb*dQ`F=@h z4fFE#@pMN$xzkN4)1;gY%M*8GS5(H%0J?m{h0S(mhS*cIdvs&zp7ts zsjv|{0N`Y{a<`$%u61_s6@afMJGv;5&8X*zKoyCVG_7N+4VK}7BbvsZo(Yz~Q<~yV zVwVglOwRW!fodcTCX%@a1Sk9E)Cr^$FBDJfihdNT$acOI;%=@;7!i&TseEyyqTU`j zPNCMoXU0&b-XWQ4#@FNuI!CQZ3}XBPIJlM~wHOwMWk^+_5%x9X_h7`S)Tp`kWKw>d zQr#fMjzP}rU>Oei)B+eb=Aj}WGmq^Ogjwu%>xLw$A(UAFK1pmTo~KC2@o;bP$qq11 zUH0x&6Pf}y+RGh@#YQ5da-(%&VkB2Mf=iUEIuN>djC+vTjEZg_e(d~*ahV0i{PgHF|blTD153ui&v4bVu3k! zlWV`};y}v}sa)RqsbDav1~O!OrbKt6(52FowmMe%UMIej>gu{qK9j`sA?5?%ObSKb z14Nvha$JkAP@H{N0x8Rh3D@tfew31wpS0>3vBC_aqI%N)BdydR^?CUUCI61pgRFf) z3b|R`$8n(#QiPYN9b}$#(ACariRYONs*rJs!?AlVjHMN$_L8;NLl_?1{2It%QJS*a}4v6dxCI;=R-#Uk6lU8 z2rry7ir*mN1*rD%sHqkt{W{bXh21!0Z#9F8apkZZpSnJsAntnDwzb+jGyDwG(|&M7 zB^x~eb4gG}_R}8MIV$iEQjS0_Xz2?*rYxyuj=k zln##KVkczJ&TPvwdjlNJ-@z>= zFe+|9EoSg75UVMAcrqCA4hcOR&+1z_rak{Os5pcIVL#(8oQuOnGyQ4^Sx+4V6W+s# zu9stx*Odc6KU4_r7{9sfDbDLzcxp)xB=^I<%Z^EIe5W!H`@RQ5P{B~&HL%Pmcf?88 z_zd5CSo?%Eyr*C(kj95CpzA8*I{QA9pBn8*qTYWu8g)u!pTdba(w$A0``}1d7`1!h zqJVG~K#2=_I6g`Mf9!79aUp?B_jM`x3OW9fKz1xBDDxs=ZTJkAUeyPOKREpyK;`be zQGB#)xn}q0;Aeu|j_m0|8Z1@cwXb#fj<(cd7wtUqICz;lHWK-ehpMa}??W6AafU zi9IdV&RYsDm{O}_BBB9Ial((_Sh`-iYCmak#ZirUXuU1MdW(SDN^YcG8lz<@No6aY zvC2>!Zj(PkLz0w3XyF7}(UU_cWsiQyFy@APq3SBwk2fd*6ugQ-Pz&_YfG`yM+klEX z*>BKt0&WHOVeoE1l5))M--B`&?;y|doTZK8OT`UDBh91+t|6gVl?zfqNtqiMZ(@3Z zJCo-a?>c8JY(=tlpi)mLCz0JqsbkP4+Y5%$ia;CKbZBrARu?gQlFau>u;ua>QRo(4!nO1EHm!5$f_3D)$Dh5A*Z_HX?%t4MNK6$WQi2-H$!6p z0B&DT`zsXlJXlDiargv#kGxYOh|GIRPCD#tN|IKsgxwQ3x^>ktu_Kmu705C{e&W`9 zuIim$wzvEQitd3fXw^g?0~BD+1} zp-E&&SRJ!}Ewcu`M{WB9S;!GEK-hx(v|xYE;GbAD6ZaCAO6&{ z%?BXG5Pt!y=<5D_gDW+etg9ZVq$9B$f0hC6cyeD{-I*8seJcCA?lnqBy>Y%$h-nZ` zMZ4i4(1`+A@?IDBe$3d)SK_@hg5XKImfR`+!&|WgJ4Oz;aa``5e9^sknG)4S`BfRp z5FBOg9|7_QG!cPk`cvbW%h%H_YxGPHD3FF1u?uau{6%0Q_Gl@~O3r^uzQTdPSL^gY z%67z`;KxP}Mlb^~FRi^OY(~SV&31s+@2bO#?PK)|t`&dC+|Bs*ZmSrHfZN)UX!}a< z?F8W+Bfwwmgb9zNxX_kFcBNR{PB;u=YagUu1t;WPXFlg=IFY_UD!8OeWLx2p2P9r%pPPr8C>74?T=VOmz zX1ui9HCiu#PT5;mpWuC$d_(;hGTTcdK+j{MWNvIBW@HK0Yki*!7uOZ&4=wi&je?Iz*k-uQmj>G%GciqQb}p9dwy<~uH8tS zW^w~>Ae-oO>w-l_bzs4x;fC;FWduTbw&#q^UyHBlq9zNkEMg6#x9-P8^?Cnw8(o6J> zl$?b;t9mdW=H|N7y}|TJQ^!@ug5eieYm@ zbY$j~Ni`E=Z}{uGQa0*i&;2XR#-ERi1rWk*f8Lp!e(MRoKc4_$iMJmH2XCE~|2za= z_5bk+xAT~D^S!s8_dmS#&$mIz-OkJZ-4`o=eK7>e{aKbV5cJ!HDc>rJTc7m*@ALjo zp8)y%SLSY_!~U7OoWGp8iJf~p+qr)^aSMC+_8A|XxeW&Y_lGHeIdcoF{q{Y1aOO`? z_*<>=R)OUI?ZjWp&HvXke}9^k4d-I*{dR%hK7G3t{l}K`uUy9v-v8At^8Rc+u>iV% zW%KV>!8>m^vYVGdbkCo!zkTKZ>+An^_wDk#i8lPNtSHd>Z=?^pmGCFQtzey7& zjGlZ8(%_9tan@HGHLm5?+TvZmE(TBoKm_^k#C5yp{%yMab0GQe#Pw%U{O1Dt@5EIN z1@qsD>wkNOyg70GM~DmSOnYv#>^PF(WvT)Q^t5D5V_&hUx0pMNJf90OS%06 zE;rtWGQw{pfJf@qzYd0RBPWa>4M2T2!Cls1D@6MJwB?0(*9-9HCM?mvJ?}qeakI#- zWBRc3Zsl@W@_-nRL3#DKvg$j%eFv)E9+Fp56d#6&)G1SVt4UV!Wo!klfGN+Pn?x1r zCXDBLnB-h32bc~`QeI9r4uNe!F9A}hHTFaH%O#Ug>Ya8tWA)AM6!{+(cboE-?^y69+<&dmga?)Q@^OHyd(p zl4Lor{4tGQ&i9vm1P{nAe^CRUQ$AA*&-XhMf}3OICYASuheAdcLH6aGqMw5Bzm%OL zL<*B(OT*DP1r$~Ay}7y3EC^E3<;i7L zP-;2;DhSm>67ef81oldOUY=AQf=|sQvV#lZz1jYv{y2quN-xWbvm+oB4~3hQ@~!X{ zxe%WZG04QCAlxA36!!qDCVWJGg@MrdvzylAUi>y)zTA|GL!4DF`SOb9$G%$fNyH%x z{%%mYk}v9l64mAB7crOxlOW33`87`FCc=wlU`w#VA)Vr{?hs6l70iNosQMxR90789 zU2b+o5GpOZbtWDRbj5HLScbq}i)5%_sJDYUonNlVz(_88Elw{6Dy`C$+k4f9nxwB|Z!l zQ=Nz(_eb?oUN&(ISUTY?_!xYcF3(?*22ak*alU~&im}F+lUv>qT1R$vKE#}4bN3^E z^-DMjLaN|qKfWKDP?j!VB7nFBz7sk^o>Jakr_0W-z7w=y@SXXW<|HT3ipvVNOZ1Mh|_le15DIC>2k^+3aIqKp)e|`Q;TPG_L%T1#oX(ZpD3&tDGF6 z8+a<|pd)U^6UA=WB>QsxWxe8bc}huVJ-j2g$OP_1@O_sy!Ao`U=#%gX*}kHOu@@8} zI$w7Ay|IFmk1fOp{rBpnd_Qq22yILn+6_aK^s7!B0#8hc+XMm(+$;AlV}{?C1Ebt~ zdUkW%-^aPc*x)i@{J$>s`;-(53@(2iakBGsU>JH#m-PptnI86-z?;n)v(~IL6XrN` zyjgE1%?7j4Y%)`3+MHlEn;EmknFw1_5~)EffMi)AB|}Pq#6hw_N`;gLiHBr|)DBWQ zBmt5GQhP`l6p%;2W_Fo7m^008v&Y=goMrZ!MRO-}wpoIB^c-`p*%uGqIvN0-z$l-< z-wpP|W)7G;o4c3`%t3Qkb2qbUE;M&H_b?ZkLuP=YF&CRl%)QNh%%$csb6;~mbJ$#N z?r$Doj+iUV1I>fXmF6n*VDlXvhuqwT{;>@kHjL1s;RHrec-II>BO#4~R1Ik~q&p#v zfm8#j7SdQq;~>>R8V_j#q=}H~DLh~jZ05=4Ddwr>X=VUjjBkMLZa8@l7;R?2W}a!D z6+au^HU|#e62%)E=gxI~e)z95kfvtTt=VUDzV(9?*NX>W_L<*$YxeoyuI2wYDP^LqElaZuY9H7)%=jHlrVocb zi6Rk%b$vd?NE;zW!I3=}LBqr8@U!DxnjIS0PlPlGQZGo^ zpMZ9C(Yt!wDy2DE>#rKuug^m%?Snsm1GKxHv;T+u{>MUEhS}kLSj$c6qL)qwrGyM* zybhTtJ@6UnQ9L9JDS^^=iG6Hr19-NZ8+6Tgb?g$|U%F;Ab(&aZ>tmG-72G8*RuZt? zu4Jg(AGGWd?cXZ*56D9F_saeEqwt(xaQ+{atBv&wC>9(C?LAh9I9r>I(ltc!zPbyc zn=dn(g`v*v^;}EAnfVVHBcwGW40## z!hz!D8P4LuoCmPDlglwwq*Xq0Xp$12V-JDG4?77W#uIw975k<gih`YWM_M$R^+j;Nv8b1K9Qizy?tLatmwj{0qe< z(_L3QT6_TAgv)c&s5|!-p5u-O{)>@1leX9-T)heWIBu%45@~7}+-IOttEQ-G?m6NaoOh;B@KE(j#S^O)4qOl+Iq<1I(G6@e{c+&S0bPoYhUQpZsle0FeitrKk;cZ2e@n9)1t%i7Ctw6xzfvZ z=OwNkxL^xISGi&gh$b#AH~G9iCGXEwa&wOKVbGP9y2y77^X?3zU!j`Qi~ig3&K0Arut*b!RA4xn6_n$et>1lDjcIR>> zO+#ek7UzoM;sy4UGcd};82chk3}vbTPGVxD95#~eJR1y)?*PVh->N7vl%;_+sP(TFQI{Ss}W^Uj*57Km<+D& zpa>`)EtL^&;%@IS;s$vaWuYENA;Bt6K*Sa#woU_Bp$QNgj5gb}`l4*l15q|uy%G^?AmDC2|SCH@DAn> zj8WX-Kr&+5AgYf)#wN4J$p^~r)HW6po!w_mQ^r&`kRM?qTcQ(fSM17baSH~!F_G%R zdP|}Ke?enI+ayOV38BfEIFD4JTR2K7B{_x(i*1LqIT;)k@g!d@WiIH)S)|_B()f>^ z_W;CLV4oSP8yrkH#9e{gpkdI3#uV5&gz0xGn>u*=1vHlMO9l6rwAQt zbAfJ2UWcGTcrOOt9vB zuZE=B@jrko21D2E4DHjf>B6IB6LfA3_(66=p(Y*ILarbmVsrTxCSC5R;kvRpj&Jp> zWmXX)UnKp-RpfJZ0@)yj5L?BLqcT=C0SXXhB}Li9kagcSO zQDHhNx)TOd@kOjWjR4S>T8xff&Qjkj?2p_JL5we-TK%2y69GFsp)g-HvxieDu#9i#s8L&#|Y(AsS@XTXUIzN1q3*};`Ypsg9n z96}8jb(k)cP~}EJ%VZN25Zqi5w8Q3;F1Ar5%5Qc!F1ms^VxfG)-Pk*i# z&#&FW+8dWPHqrsT_x|E7U@6DXxx3@+0w*_wcuSax9aIbV28x!Cp#kM!AlD0&BE9W4IvCv!j`Z8s09j;R)gf1l|gL*iC#= z?QjGh5AOm!)srb`s{#(TMMhIPaD-YuwX|MgsEgH}g(d(o*kKCrh<-GI>ch6T*bLSe zjaU>vG~!Mz1|)`lHj;|&26F7C=;uvHv}c=~n_0T(h^@qA%h7w*P^6z{ZjpM*A5etK zJ3vEp6VVosHK>2shgcvQlqSM;<Sa1&A&dYuL2gIql^xhQlix`? z+3Af}IGWl5@SWCAI4Z&MCFPuX@mm=sgo zQAD0vU~!U_AJ9uu+v>_WAn%`UcuWhdC4_=a@j+uydAQwVu=cR zImM0-a^T~GVG5~5goamwPEcuCRsRlSJ?U+=A?VqEl< zkg8&w^d=C8vdC01OGlMhx-uxM(OCj;N=sKQY1@jQRHl;j(>%6PbLHa<8h`0+>N~3$+j&Or3qXI{Fub)Vxzqy{`b^?ESyiPiop5|z@wJ9W)#t1yNmGpFWbtG^-J{V*UaDw^_-@g3YTCvo%F53N zQJ~S1$AMygf+!%y+M-rMz!stlCJBP1xg-9m@-S5OGO9OuXP5ni z+=BW@W0a&~fWhV`7_VRc1(|YR*wBxEk^@TZzjp8|km3WDnPFTUu zkYO9sbmIKFILzEr4j2AP}ko)mD!pnHBASb&&upiMtjp zA~H$_BVrFRD7qXML%gqZ9*ngGEc2dDyvOz+NuQ?pjkv%KJcWV{T5DxbDyisHQ74MA zW*F6O6yxp(OX=EVWhmlTa~w8^&B(HZ#>E6Dw#7li*<$I|4#Gq0l^}xp<`$cFKMg?L z`HnqlAPo{M44-@-VuAMzNdYudDap#K5USnya?Pw}kGqefny%Z|e60Emz1Zb>#zuBC z^{yE|sw8B?Z|THJ?`7$?$~@-7(kh{lFmew2t45}a`#KC9Z^FnpVCQg{6#R*d%+&-g z5x7MC9D+ql$r(~TNtZq%6kw$$#HKnGnB{g~B0}=cWOl;TLe?^MoRmlm*NMvuP7*bq zm+7Dxxy%OMdCn^)A?uKoWA|gDI5YFuXV^xRS(A;kY!=|n6wr6W?wY#>@jcxaTKhL|rydU1{dOtjRB_YXVGFdZg zt$W?~@358A@>_WBo}P;qpC-}#eqhUp`-xE4y;O)GHg6&s>fcAk8I~}<5#Be5&bdU& z@{b_#{$Vw%xFrx&_vBw7J^4%=?@SS&BRft{CiW_`?h%!gBlIUpTq}PHm+{Y&WPUc7 z8b{x<8GccEYSD5B;w$iUz9&S1Tul(qAv?KhHiDvH<*TLUC_DgU?%cakgnV4TOzQCR ztF`---ev6fQM^v;Q|MuR-%}ijQ-nznya-M*Fmv<$aezm5{~qbMf%p&*4oCr>1Gy0S zB;Jy3KAU6km@P*+wtlR++N>YL8h(ggC2=g1z>U3|QL5XUyH?u^r!3{+Bo=IU!q zTxT~MMwa+q?vyUPjjF+obW~=*8%;)fzsCle>PrM6N#6^q{?n&T09q=2Q&m(sJ_s(7 z^iPK$_eiyX@CcAQ|_ZzSX&UWQdaD9?W=oHv9PHkQ$e#h?$XrzYvQ=LCuzzeYs79rjE zG;TELX^NMa)3vi1O-5?XfgM)-8t;H1rw3M(6+qa?UJm4Z(tOQ@z^*)(X(7`k4f6^~ za^1wvUQBXRm2OEC&LEF)@uEi>ssMf5nT2+(RqKe4^EEiMD1VK-927mjEv@;ev*DOD zPF-L}I67Eh-E7syQe%27IF@O!gV_n;^JH0r*d0cQtt(uO_S!mE8Pz@KK-F#?3cRAq z20)T-2wn6uvkMJi4>}6s5U{-TeR@7T6EPj3$@nSM1AhuOc=9+TMVc(y-(#R1K!0&V zoXL=%?9|#`ffMB1L1y{J%gI`*Vn_{rO zxR{M|NoUOMG0m^gtGd~Y>1z@t-W5_!Bk*t`+S4E5L~?~0AZ>)ph5c95oYcUFY5XzaeiRO)mWTI#UtY}M}2l1e#r9^BIZC0 z&cVY$)1Em3)I@TNcamgxZ$t{~kE7QQybkiZwO?t?ieNg9-Mn3h#md}=811{Nz#}A4 zYGun4We(+wV61H#3t?2Hp>ryGmYk%UV7a#$NC4Ka6-2NJ+S?i+Z;%{mxK7!PuW+VN zV|E1#sfs|m;jLIy>F5(x(gSt$XXZJkV_JtQcl?C+_*vQpRstk9G+NqY*rP2L3C|xf zq-qLEkSi6tvXH&a0iricLB%fB^)te8?w1kGC#|T`+Qo#ed^SI##D%@-;D>>(yAq6* z{dasC$a3sc>Sd#t>{}{obQcxIAn!Y2n90*|97{(-n?qPdhVxARhtRXe+sfO#ov|uU zzqq$f1z6MZReP?M-)ob6i(>u5PD{Z7Bnk(ra>O~Af8c!69)4kf_rt|WdO{R4%=snL zhHc&}(DV1e?D#VHYRKm_HttnuU|ysfe$GY|ds~f)bGHWDEUK3s*-X`#Xh-BBSx{ z4heKARFunUU!hSjh$B6Ts3}KGB=f7fwakZ-E%_LfwY6`;#$ZT;3Y$Q0q`+Okn z1I0H#v9BNe?7vujd=;4sZ?|$OwSxDkov$LOpJrl@CR&8kzkXD=x_XgJTkG z>E5rTSk|eNt`P&jQuhH*7DmXYT_+T|TNr7$d&@ z14J6b!c6hHfm+jjoh?CsNCDGBPI(5nP~_%y8U5bb&q5>Fx7Ds+D5n!si=HODQ@cTf zolQr1oj9IE1=CK)@^&hePez$Xc|Wd@PRLJ27{nM7Q@ge4H?Z;$gLF>O*>F{0w!AAB zhU`(Q%03xXE4j|Xg3!)V_BEybF%lz$#P85v*S_%PFmstE z=&G5x$VR%!`Qh{j7o%g(Q2OwZW5n(L7cyE@_$?yQ-n!Fl{RD-qz^;y1?E-~3f`&w{ z!7FM*FF9sK+?WSbqjr+UJf$a{*gl<(hyGjy{dpiXW?tiSG!OpX27mW4Ug2mN`)qt} z8>zn*A=lRocU-pxYJ4+EtiGRG)cU_^^NDez&j|X^=>s=ucZO?z$$N>@bU0wCJpnHh zV#V~~?UZTY0OiuR~kkRPL6CK$TO_2H*aQiFAyg^Z-HbJeE!wtogs z8muPKhb8pIcfs(=ARZux<3g!MpqDt-RT5qm$BDq0Wb!9-YTJj#TQPJvuVxBhy7%xJ zQ-rmTk{N7WnRqCZo5}Q-=j!nr^)K=xNS5d{5kg}DJ)ygsIw0zv9>5Cp{k!=uQaG)uvC8;*2;qw zY_qBaR%kr#>N}{*RbnsRh9>H}MFnOAKEpBfT{+J84UJ~kL>b?P8j5>z7e@l3Gfs~W zdO_D{ejNJ+Z%8&)!D;e62DqGQoch3B7>+MH)Zxsa%+qABsKNINt3(}BcF{zdAWSTU zADRWXC*k%ODrW7yWp@}Ub+yAn+_w>Lm9Do&TlO&{fx1K1!{qh|Om4W4=@Z&at~Y)> z`iw~&GYZx2oiip3BqqxgcovzAQ%6rBpGL@w>Nxflg^{L_hieSvBXgpHTt0lArnlBG z*ETDHY~>3i%CnHDnqUg%Cf6&3$!?fN%Q+i8DpWF=d|l@mU{X;@Q;9qcGsC5IooNol zeC1k=Nu|3GGZyS4^9n9tX33GN&<4{U?gP5SSII@^LS(3Qz$`oygk;EGBo}-Yrp;2i z&LhjCUa()FdG1crkkSz@oa%S9Y||gt)R#khiHj};YarYskBS^Egud~;sHNjY&J^jG z6TyH={Ea&Y29fUp;q;aE*JuOJAz8mvi8sp6gfU~x9#<$vaxy>S7ib~WN?wSVj;wDc z&}f{qc_WDi?VT9Yr(p3*#^7pTPr5UZe^Yy`y3k|UD^w>VB{s71t-Cvi`E`Y;U|#SeSQ*$qlA&ZTi`J)yli{@+ezeI@Tpl; zvSol_UQP#3rhzrCEBDD`cLqSpGml5NwPWa0u?45rS8#(PAuwxnhWJI)C96}S%fuz6NJXFj6AgY8PJ z67-}DE=-o6L>_TKRI?v}0B#LX2P5S3R-Mwj+T6W|uTW5*I4GzaUO)0E^@!Z6Cn4O@ zWh=zwrfm>NGqqr5KJSo*PU6*cDBOy9wI>rXFB#^tbWq1xFwW~i6WwtNHX}uwq%!p7 zt#49hFi8YF95WY};l=`!0?*LdD9I@pg=|U)=Z)1-rXjv~11v-CTP|~2GJ^e*^{;BM zt=cW!9$l<+XlOiyo;fPqo$5g?H4jgBMwtDX2chmzF?;ye;cuR$E|)?dtwhADEC0iKZXDauW+-t zb9|WScs-o%kC2BNtkLH7On#X+OpH4mRsW@BTS*cElZ|8|3+n|3)Gc>R^GJv*0#60N zJl>SkQN!CTqbNv17PYiiNW)_a*V?W?VjriO3LzpDU*k3_WEU9Osf5yu_gxUfHETO) zggigD5&IXI3M?*h2cH<6l%0sioWssIu{Q|_dLc+li504OGOUF_FO}L{Q3-sEEyi0x zWB5lHzpc&vaX1k(>ZzKa1N!W)Vide4uk1?a1Y2aV3i?Q|>kYy3ScUTwa)?Rd7vR%E zOw)@XUw5Mwy4ZmxK#FDRnc~A-$uh*>1hZ?XOdLnFm~I2!@NoodPC{^no(Mh_!Hcos%3m0?x$NxsSyvXT+Jt2RZ80Rkk%0yK@)tOc9M#%jVA4o z{2Iz6LrrOXX)zdm3q#3jJeVu+O%Baq%AGpHlij$SEfomz16idy%v8=fhBhxh`BoGp=%3!~vsDk}6mn6wUHBuO3vPHBA`lYNX z4|nA3mH~E3b$FDBCow4?O)1|2LXu*>^mCMl$JE?(=Ahym&q>>Z8LY-`5tH; zsZ44J-Gj^>K80hNl^nL2< zqhYp!?I}7gCJ-$@Mw`q^(;x=Fv4XY`!3x?l@$72W#VQzWW*F%y%)mu-1Qo=x+7HQk zj?GL4X?RiWN8UL*fmvZ{&5*E;zefwLOLY3(Oe1*h)&0X97E^mW;0}Gqb8KyFa3HVs z<}+^XHoe>{94FAA^+W=(kx~HH(Na#^oQ_Jg&&bA>+~73rCvm#7U4u7u7LoaAW)N{} zL1mehVXw}PXAfVDl5b2{0fGl>Bf^fvfc23j#?mne}-qsbn`wntv0@_rtT^Q z`GGFqaOBZXS zn)dO=86HxT3V=0L^U=}_2;OmrBLiWxe;8K;?v#DnM&UFl!)icF6I6fZG~bimNPk%; zu7R9o3VTMCfgHT)#*5nGOk7Jw0$m!%qd{dURexk714)r=;#B;uMRZP~{g8Xn_7f|z zpAc&&1zm=DLo>f&;_yM~4gKqxxe~Yoar!Pn(IDAws!S#*l|TcR<2D#Lrvgp6a0Ds! zmgAMC8xZi_HY|ywcfjs6Dt8@XW_ut)mO)+&H$u)(|Ff#iW4_LuSl2R+2>Kh;rA1y3 z$!T6mQZ7H`$p%R+T|g;lh{=%iFK`;i#X6UJ$5igvkdhri#uI=@}MA1NdhI-Y8<0+v}P7G!zs%TeF6%vQw zw_OcG^aG2k{r%kzL^cW2gZuF!{4rSAJguN>+}jZI5Z{ZMoR7=(Na#aG@Llm$oKPfV zW^9Iux$1ra;eKSCZeOD1SftGlg6d$9+=tRNRhNSMk^CbC7U|Z%MVjGDU2E#~tLyVEecH#rR)PHVbhgr?=|i{Z zR4Vw-1pwLV4z>l%_hB%D-9Pm!MT z>@Yfp`B!0KaIvWwS6RYppC6JwooQ@6WhiC#Kq_elSE^K6S^Tw&<4H!)0P`hnKX>#VLVpP+8?HGx0bG zhfeVvsKf@uq5RYm1G;K}JhAI}ESUpKi)Lf`yM9qL*MxcE=tw1e$z(_nn%;z-*+tLcFd6h@;@`m-$O+F*~ZmdO)4ml6_VGnMog>+J~e7o@-f7f z->0AyS-KRRgu=M!vPPDb?Oam_pf?Z!U@g z5u0oWqF;k3$Su%&pJMn`ZDf_Eqc~arEfeYnV2aI`vB|$IHw(f1y#sG@n-JGau-1I+ zbbv&JP)JNJ5H^gk%jTO(&JuW|@2k@F7ubBY;Vmt% zE!)ILTPm6M?0N;Z(}&G3D{e$$2mYAP3;fhLi0@pmcWYh>S$DUZrpe++o zMx;|urg`te*tR$KO%yuACT0;Qq=~tH!Mwx8av|cran^tk<{&7XDk}X_7~i{mILd6~ zjNBN!7piz5-;i5_IH&trn6;c=f^;*>Qtjb*^wWXg+pb_8u42dO^1mXwdsw%W6XS)7 z69>JolV1Fu;(8bkB`sdUX4s&(pc#D=3cGV~37w7O_>oWnxhO1v%CEctbriuJ*6_tp zhAj43L5njHPjdR`3LNYFfVa`fcx*8ih3q1Sow1%|g#RE$;V6?V zjHmIo{Wp&RMrR3rq~kGpJ1@+`eehWAjD(pm+owUm9KxlUf8;)b@dBTzbRi-?IbK3S zh#Aj$gmYAIuZjrF3RRPhE^ZFL3;UCnfMVf?H)^6Ffk)#9TvO+mh7CLlQ2d z43uQ~!61NX-eDYl#$kyt1a$dx%o_{ruHtH_?rUF<(Vr3xixlK-uv%gv^drxD?~oM# zZo}scc^_P%*=!R6YzATcoOlfgAzZO@gmjWDr!%P;1nN z$GU5E22eYP-l=<&;aF3xkWS&#Za?~V7>jb{FBzJ~o`KE}-L~l>THo6B*}_E2XY5gD z@PyFE-(e01PnU*k&Kki{`6;A4OFT$FRRH6g@)?NBI^FH;RQ^etUDOrPm4F!q!4ckN z2{+tf0VLK4n6%Ne`6S*^RvuU??TL`zHTUpn7sompZ27WvO+3_nhU>NA!kF?b$Ovk0 zN14}UveQHm7znL=kU$8<8qzv=TQ;xyk1nx-4hGLx(}3)j=I*aGL#0TWVP@L!=k zelm#-?!Z$ZxTooK3QRyJwIwOUrE5yz1bC{&oRPzSa?#Kr)lru{iIbXJU9Icl%eBTtOV71TZi)p6a8V;-igh!4h%L-W>j5jdOq*N3r!}Zpe`nZM zmE0K77?!UTyRzAgVNDE7*XEa40QdyMn=0W6{?fK97fMYpfv~W-yRu>z(pr=)!$74L zR?s)V_<&C3yTTtZGz*`>GMevzsfZodBX>9wFY~f+siF~ymtcA5Dh$UvEnjIbE6mGP zpk3aWOze6kErKvm(w~pI__X*6cP2tUbXoM74?JaK7`Fb+%RI3d>XP#BajZT7N&LWX zLb`hZvXvWe8K8T!bOfYk%OEM(1h-Le8!dMmNP5+;294|87Aqf3mTT`Qt|DeJXy%iE zyDwz7>W|2S5loKE)AilGv*gK$fF!a#n@hINol3oEwl%fqiP+7u#ogG~J0W8!xyFs6 zy&?4tw^g$sWXioYhU9V#U1!Wyk_5w0C9S|;W3T)blID|}j@^+s)zb53BQ@*$8X+wP zH+?|5Im|a$nfVz|Mh5O**+^7r9Viu5Kw8IQ1N`Do@98SG*>PnKit{7@A$|?l{)0ycthojdNAnCv{pz z0ocKG^@;m4wc})}&=z*<1onaEFi$Qshb~SmTiIkgiTP zxi+U(*bu%T4(P11+|_?9; z;mjs|!2pZR)(C0dHS*+spr&8IPKu&x)S}Ox5kX@oj!Pq}QQ(n0M!kCfjJRHL_JWV$hA6a-)I{HKZy|bZ`uw z$qd#GP|FiBPLMX~k}SdDr$^8s4O$Wxh-`fW_a;Lva*GG^%o+DJYj7L4j%@do!Kh_g zi+y+^=|x8{zckH&6#G+<;78JdDWMS#oi@Z5aR^Y+vvo(*P3?`#>%Ql-=6$MqPRKme zO^kyG*T+xdwN?A^a7f){HAgyl42rjxOl+tTz|SARx*SABySWwdcr@ysdxyQ)GqfM~ zHovDLd#txqLW98y;&&&WY#GWYwylGm#6qpC92*udMuu`m9H4zj11tsuKfrKG$1mlR z#oZ#{l_ZyUX7E>9PUHCD_yj<|M>u9;98doN#y-uEGwctzBu6%K4$lB-dpW_#pW??t z=t&Z^yzKBJ_L!Qr^*;Lvzrqv=yRl1WR;fR z6ez>Xfo{xAzBe9^q;tT@{GZ(X&M|N?jDgLk$;0rVe^-IGLVUW(a;cyeWxSxBPaSob zPv8fd#yKW!s)oWz0^iG-TotvHeAvf*>NIN3cBxjsW=l0(IMbI2Ik zo#4?*NLq6XPcI8NGm$-&9Lxlp5xPK4E9L8pRPog_tN5N2u9Na-+<3m_^JEiY1| zxR@IXBEhDf)a~*}d@rCU{&Zw|vyOhm?u)9A`Zj3U8A{NF^zw2TGK~ZoB1lZCMw-)5s5B=!_xCh#9c%X$3YbO5JV|Hzjp=^Hor@Xm9VA+ zDZ{j1_ZrK@7kQC17C*^7zWHs;n+D*+#0z=7Rh`yx61#qDpo%@FGQMFHIm;8!TN-9C z>jL>qI(Y=(qJL=D=-G`TlY`fQc-xl=kRH5EG7N8ISgA-e(KFU%B9nI6!MXhPrJ&`M|$EB+lO&A@=V&1NKYDoxycs)84wDsNA!BfANU-v zrxg+Md#)vYEjz8fl=L@|3odX}8AIzj5zVDg4X?^|KKGz56oj~AJg=bvUTyjYs-{(* zPcg|ceGY2Lf7m}`)_QGByiuW`D?I~I;2W<^+JlX-l%%J>gEhQEd=3V3dSUq_M4g69 z42vi`%!a;RR7H&Dcd72hsMhWH_quWQlLU3J-72ccNHdOM%8XnLEr$qXBz$>c>kVpy z9#B`b9y1f!SCS2v`vs55(Q{lCPSgp(t2ntGXfTBQMzIAuKuJc8B5;PqMj^8Q_a)k>%TrQkPI?ziM7mR;%zky z%N)MtA~`VIK`g|iJHtqK@SW9X_N0Ay1Jf6ufVtunVjhNqm(Y_$2W$Ck(k}Hz)j|w; z7-Su)4f;Wu5=qk*>I~`xaHnjA=IUG_6b^9H4YUx=G8|&q_;@R24?(wUYS*fwujY~i z4r_#~AEH-U_nE`hxHv-YVCFU*Ge_C*5%Q@1*dXy*XaJds$~*j{agKGH+WO|ExUy9Ms%)>FJcR88%M_1$}Ub@WrhtD;7T<{s*P*n|QbjarM zChDFM0afyRp3$XfVR#vi@<(rjitSOpnvAu+6Gax2-?)5ymO5dnkay!C+;?r8%yDe9 zqWLORLv}iH!dzEpYWJ61{K}RFsGW^RGMOdXwD@d`n#j7#l%&*n#4J;9P;4OSPk0S!(ET{C;3#4YQUb|<^%||@Lw3A>+WNYnXm+8v&}GVBDw_28g|RgD{x=P6g9h zf7%nrvYh~N72W~}r}+*I()rb#(V7<}RKN+{MLgRc;8@y;P_P}rT7vYneGK-%g5CUK zx8Sb;e>1pZ=~rTJ5U8*DkyuX@<4(AmR~g(vdXT#~3h-UDWdoiFMFTlPZns`hn?@K^ ziW76p`R3sF=1gVNKS@tRA#i_8D><&=49p8B8*lPGq3wIZ`I@est|syFlURaa2RIo(0Yg!J3|ROGtGR!QCN5equ`4xR*6{%`MYV0A zBTcWdThykp_&}Ta{%fS-+t*v5#nFG)Mz|2xNeu18?a%Dwgg)S8{%@~5AW6y(Bp3g^ z)t@qJzyVE~HN7eb6u{1pK6tT{_u07G($@qJ4 z?0>!cUytR#ekrVLE{{8H){r>&*uO0pU^sgQLb!KKyuB@Kaxx)u9 z|9MU-XaD=c@J^fd=Q})f}tOt$s*H3}>|2+Bse&d1iA22Zgudv4d&xAD|J9GR$ zbnd#ql{|fB-Jg{7_jYyBUAT+QzrA`q(tP}VAf>xd%KsfGf`2mH|L;HnWB&hF1I2$8 zqWFDj7{9h;5dR8&AV%>=2rrC>A!XSAL(!m9N#MbNlfWb{`L{su_)gt|Sr2BCPF;g& z_~-+TR?Zdorz(LOiZV31E2wMyB~Cyp;G1}W-{84`@r;{0xpH<;WyC@jU~&-)azACbf2W*)g@+GK4U+qsPFh$j zhdXfQY-I}_otng==zLMDn~M#RhvR8&;X#z!qsU{+NCb6?n~2nJ?T zzXEbc&iAlUETup+PG-tTB7cFTkp4_JWMaBe^%M&N;UP;Wqo3viqc%N425%$2N`4lB zD3L_g0hbu~SoSTnP$H_%Y1MhTlYWn5qyrX_D>OAoQ|Q{bP8xntmY69(KwAqIA9tY? z096^YbeWiOW`wK*&_gGs|8^kCz7y;&$HNn`ulGAIfW91k5P(T8hN(KIhM=tIoVmK= z&k3(k0a<}pfS9cBU*PrhrwRk<6z;Np`ZSR;*bm{8rAzbN^m9>^PfpRpXu z8QI)f(~*W=aJ zgq#TF7N<}=izFir_&Wkl-1KTwxFQ?4?rPjBeTk#}>K2RF2(;f68ryVA%&c69`6E|= z{W%PKeFo>=&=Xe++XMc799LpO#r=2_|2rA#^Kw8G>}HGLIKft&!|DAJ+35#Hv9pTn zAx*Zd<+RT0P3q7nn%Jf;wiJ#jtdr&!Z)}TnU&rl{P*HJoY$}che;7+GHyFR@UWSTg zJjL0wZU%men<%$)As+4u?fl~_)@^P6}h(;BjR3qrrp?m%2S#qAejy(SeXFa#?? zT{5mxr@x4*>3fzrR2w0uRQ!geCRa*W%|Y;c-iP0?_jW7-^*UU90aAB0D?;<^Bcug3 zA$avx7BiES(l@aSG_77Q8IEYLi$7B}xhQx8A4+wFUi@C`z$3|iRSnDLE9^hwKEM+M zyn>n8iH&@J(j8nvt%ku0hZT9h@mLU7EA$17+xz%Y!#bsCv<+Fcikm7Xk&QH4(D^nw zu0`BLk^_*|(Ow-N?R~;`gk7OjKs=+JsU%#7`bapowAeeYa8|0tC6Fvg(L4x&$O6$D zO2EMb)97{ZPpbR{5509Av@Lq#1)T0r#&UKFqMwPAH4mbn=JQ+z9_%~dJs~#XxaRlW z_X!=^HctloxpSR_8Z%{Mi=V(cB)3Ll#?uegY{2FI9h@ih zRmrGu|0Zpi($_W6514n8EpKu!@v)MU#vA^nARD1_@`>+j;^4OjE=W}|hYaIkc!6f@*K*0haVAY}{gyXYu6YnKvQ$n7H&8G-gGG+d$$y4IbIICdu9Xo3u!i?o%y0Ymh$pJobCbo7H3Rs7- zx6IfTx`tg?GA06&1d*u+esFmsTuWG-Ry-B>jFjB;S#YvFpA7fq(6_LrdEKF3EQh7r zjYp;1o(mDpX52ZN5WXqE@j%%(%bqabPH#Vue88jZ?>d+AZ`)m#pKkGl4HVH+T<<$P zbi2IJLnbxp<9vd*;3Qf|CHoVEwXeqe?E|UcJVMldD?i+J3}@6N6Dt->snQg?(mqA% zb@ic^8USB{!c33As?cRFi&_efbTQ4At*E8DprLm3j*(&ZjktI1+fWnD z@r^f4$8pX=Jiw-Hd9?U7Y!*C@0CMC+T!a-aKfKAv>qDb!mSDkOz<*>trw#QDS}p%- z8pdtJ@qAy>m7IqG2nf#L76^uB$tH#d@Iq;K;5Qs^V|+@miI2l|?3=81v^p@@e%*A^ zo6B>MxT$&`>uTmemMjyO$lDb4`M8AV+pM0xNEb)FGS`i2-Muy9ho*+scFbgC*w5$= zMb#dyP3ri@5|7iTC?c@M6e1~xYtisKs>nuSVx}7oNAc60?fhWI%3USJwHLYc;37wd z+7bwzvd;~C7IM1xhFkguz7U0GL7E3FQjoQ=0+%JAeUu?F#pk?w{w@DGAli|6#M!BQ z5oam(P6PjV`z9#<#&1! zoqks=l>dU40yAn_gCX1(N?d)2*~=6cV7}!Hh)9;8U~AxUK^HjYc$X3SfMs>dkJ#d$ z4Xz8tVWD;Ydx1!DUwRxf_DreX@Q4aKg0n2Wakroar{RRm8O1AcZ1!7WO+y0(2D1WB z2t;xkNh6Ib2#e%m@hsC_Tx-Ft4?~(_0F7_|kj7thXWnhh0D9aDNVK}t3VsmDI1~dv zcz}0mP+{t2*v(K=X0bT2;Q6rZ%}5%+eH@~^#81aY`}ZJGBUoO?dhRD-F0g*LkQaeq zKGE?W#)ZTf8g5@C4uU}={}1ka9Ln8;bm=SyV-j{tueZ#y&!F+-F?tNoExihYB;IlD z=e*89z5b|*83hw$&;Zo}6x8jA+kq>41wve*E;TC9;$5a?)tv*84(c&Fe>`4i&n9|j zmqQ=GIpzCG-S|GZXYHd{Uo)QV!F!gW{BO8r-l<$qdN42^9|Wh5Si^P&7Xz&KxT0J{ z$4U91{89f|hoTcZGoZdja@SnCsmCwDVBU?Ef~koPF9BG$Wm#iM+b*ZKJ>1*ONu!ru zeyZ*50&g^*kFEJ<;d=4EP}!6VZjse?DG-e_^EY9=;YF3W()N-rJgRA<)B~S}qbA?g zB-g5`9GkYoIgXS(uRYFCIos=w;Yct2wpP65JLFdS;#^0x?Q(H*dtFL)_((RSKw zI@!L-^1FB0qOrbAueN54S6g}4J5+?BBA>SD?se9_nAncF#o1(daf@xTWl`}D3=gFH zeT@@?3h{I>RQi>Yn0;x)1Ov{$GV+CPc$5ie{!X5jcpL+X&FIidiRaGYCo7Kyy4j1d zIna&M0GeBCFQm7nRA8EeHBKxJa2Bky?3QwQo2LR*?w3X!aZ(=7?7gNuRVvpnsMlWcMhBK8^|_9ejd9#bA3Zut$bbDTzW z9SFzLU+@xM)^1W3AIoJULZAA+4*X<)IPg=$$N9uitZ=6jvqjC7Z7zoW%h8eoFIBgu`QWsgS0fQ+aBpxi<(aA4MI%a<@Aj%7PPMP8G_fHHLJG-#ok(uZ7|j?kao?r5e5tuyZMh znB`phiu4;x3+L2oV($ejH0hY>tCH8nSC&f#(EDnPNLe-DNY-3=HE74Q(F!S z2U~XdZ&I~z*sz{LIWHIfJVZ6d3)FJaIFPx&5)9QuAzGN`588R-Bu12t`{E}06|M#0 zV&Cj_nC$bPBP>~NSxqz-zb5RM{)lVfUKM^Ly-iOxeoS{sPjXu6NvaE7>8#Y9GFqdI zPQ5VJbdKK(qrzVM5xNY|Z0iO>UwO?%hSLgOhZ~6ATLXp5mZ3HG#YY-$2c9qpYTyu@ zPN=!Cv zbasujN%U3@zBST46LZhj&uCPFYg1rh{Y)Uv6yRRMFSRNl2u}wkq6zuCfor`}da~oJ zshG7YxSf`Z*}sJ09?pBAV|7on(Td_3SYO%~{HdMqxV*?gGvSPrx44)a2k-|#maP1WeMQM|WCYITG=|Gmbmq?iM1}8=Xv%*cpOs^=PNI!Z z_-ZX{EHzc>#RsT5<8EUPq`F6Wt088aPOdiQK)b$0^kcyD`g$0*omuEhp*u*4@d(2t zWp4^AUUBDB#!|NBklXke&m?CLLSlDA8q1B%wIS-Ooen|9b=t;7JG-)z82+)~TaCXu zriX7f@!r;X4lm*j6Mr^0Zsfb$Hvx)0+uS(|?g6gadE}jIoTv!R4hY3_^Plys3Zpvc zff@O&z>_!<@Miix##x*d^Oak09XGk88_NH|@SBDlb=G8F1Lxw@x;!{(aW1zBB1F_&v+y7<(YHK16`}xcIaCRj0<1T#c2(zs(zMRR6XD{0=&%nf2}v{q-!TxeNsN8Abb8T_hIPe-(8ubrySR`^a7HykM>hN+0^i&S;IrgL12X_8 z=?DDHEPA)L3K9X}X^BV6VNtYYi zS8>Hx-Dz+Y2ky)EF1l7#yON&sent1yPBM&@5C534z9x>haX*Q+#w`Y26lmCl9&i4< zW;i!cxW#ERrW&7D;L&WclI1k_yW(gF5&-n%fMA|)g3uzQds+#N7Vn>3e2B#QUm~pO z1xrt&x$%bKvhrr7R0|zxD%Aywt>=`wanbmM@l+Juh`LYd7rE8eX>3lR3}&W#1l`O> zBZ_xe6eKO88UR#uDDcU_h;S?tAN}C-eePL8; zrE!&!x57HMZ{8XtHSRX2!yR5KAbtO|6O(i^B+J&u3_QSZtrsnB*231T1&VXLWko2@ zl!*N|c)W^jV7R4#;cdqPS3reOH#)Fw8n>DzKz_nR)&M;y3qOkm>LHFpr$Pfw|AK<5 z)an?EP2b9Um1XDUkrAYu^gR9?mp77{FUUgS*~Yx4-X-JIhc;qk`E3L?j{YzRTZlkE z#Gb}mSnup9htRDz%KpHK)XT1;hMrVR%JA2&<-V#Haw`$eZ?(~6BTGT#>t_`=SoVeq z^ZX9Jn|<=F(Xf>97UjRejqyH}`#1uC%vR^`mYabYoA=^k8f)*x^{J~h-89~e<&&Is zzFEE&YPJ7Ppu%sN&-LL4QDXt91X#Uqcth06_7T}GiN$)Z8y0Rx*`41;k;mzxfX{Fs zF5@9#QSdrBiLIgE@H}sYv5~JH5J{%M<-H(S(K`6Fh=;)pGLM`oUL6`*)PQ_t#xpRh z3f*dZ3hj5o@vF{q;VQ}A?C4y0s-ZZEWU&t&aw<1 z1$2`f@~~ zu$h>HHL&Em!3?972B!v&De}Z6yAgtmJj)WU?U0?ewMUjd5$5gie}~ryd+d)18P1~) zUl>^`oGBO;?tB_-|K7yD^#4dBLRt+XQ~sl9{?q9Hki3N~d3dE6FAQ0b!|GX9hBB_JbFlubRuTxkXv59bX3TvE1%ZpiygBN=f+j6 z_2vo_w}*1|Q=ai=;b{juPR3Ur#o6kbx9yQ)?Fea^sJapwz|=jz`;=kfPaUTcmqZv9 z`lXtZmC}l&4J(anQr};hESnH;J{+~Q!F+l0v7@dlvp+lA`ybD1A4&f#F6%vd zCGpH?#?>&2wU7BT^#oF5NDphbacJHbkpQR{P69wZ(JNc zuHN+FhzXm6AC~pqw6wJRpZgANNtt$aJlE}TkM=Dir?>Hsj+)i(e{}TRjzgOGL5CVI zc^A$9_Qde9anMd>dhufw;2jX4RT2H&;s}6aGuB?i@x_o4H-Tj!=)$f1v(t3d; z93MG7@~&%jO4Gp?KgrHmHZz*OeZJ`eWEf+wRJ_IfGJMo={uix$Qe3e;@3iIRRpvAH z0r4Zw-nnsQ*7=*BwnKj~^%axJsF`t|`HhS*0 ztGC2?9jkg9>TYbEYnXqtefQ3}U$qjec zr{~#f6Bqw{W#g{J5BEKk_|W}B8yg?Gb3bz2lB}b-qvQ4-zO{95AH^&0FFBU#+YK0< zK$6(E!F&|;NjQH!l<%uedYC@llvEz&Q1n+Z?z>6LxPo-4e!;N3_4T{&JjG=SwB()9 zn}ioN@iP*R4J&%NdA78Cz|Ad98Tx94c7-_qZik$-Jmu4sp4`we)`*0tZ>AJRZ{3Gt~-X6d1;N84a zir4QS+*)lBf7(N{UfQ!M$*Zh9%k{7B|G7Ex{P=ger>B+dZ5$wnCTu8>PfyrbwBd(6 zbm)$yM*VO1XAcv0r~bINkf?ew>LYET%LPMD?%6rl>$BWohE7b)^ACG?Q{Lv%U+08n z?AcwvHSYPx8g=T=w$Cta$(~?o-tzLae6_>;@R1Y$QFK())COnGhDyp`YV}*gbdOCk zZ`*ew()`s$s80UB8&Cgh=_sA=`?sur!n9619DnuH>gjWC!`1;7dHjg6@HiC_pg{A&AVuwAno^C}ChoOfhczt;?Qmv=!DTM84(du#p zx{$c={=7$lc zVJbiD2A1qyh#e+45U>d= zV9DE?sPRf?te2x z`1`l&Ky3Z*Mg#f&zyJN$mQUq-{C#=FL3`kcANrBV6oj(={FEXKTK%yI{@4G!tp47o zBJ1zJe(0w=9+~pjSN-S9u$Q%AaZBOB)K~4nNTtCK{Q!?(Ij%T&?6xNwi5LywRH}2w z;MqXL3{rr@0gg(5=V1>G**%1WN5CCMyD1CjCK9cO6QQCQgeM~)7fcDu^$|h#0`@Wv ztKeP2>r-}*8v_3bd>Z_p&U7}U@-H*Ih~hy2$9&-a^aar!|6lCAdt4M{|37?Pdw`u? zcG+uX7G_}vW`TuWWMBq%U{_fk6ciM6Nl?hss(4CNR8%q#n40HAB}K&~)6`PK!<~n; ztSrq#TAF$1Au}uMwzM=eGoR0DcGvgr_j|st=db6Fdtc=YbG+troj%v+@P4ZuUmgNM zu7-a=kdMCj(cb_0qyAQsd)9{1Cw~1mZ2kF@>J1;kGaqrn{ta~fBhpO~n8R@VUs3D< z(a@!lARRX7)dZvbA5ivmGRiOlN$n#z`<_A1Eu9<@RS9tn6po3Or447@BqPHdqOi{7*1n8V56mP5pHB-qJBrR_ZaXcHV%?lAPMRf zHkz!Z#>EBML?3va@qVx;BN-wHrTGYD!xqmqKk!4lV^9{LR|s(o_BH zMp7mMP6;r@qm!v!{U{8)$z!z(9ypEjLIJma6w`o@la${v?#o%Blgc+x#rI;f@plj1 ztMqq#Bg@NY5I>2qL8SYl0;v)4btJyeJFw#6O8~c+F1(6_Mimmtu^^&KMWPkJtjGmz zDj(TrA^#;^gJXmY%pZXjm3$k4`#C<)gkg;<9@S*W6-)(^CiiJ`7SOoO%sCx3;33X@ z)v2Hh+C7$B*4pXEDL?s88>9WHY9HI)y*+65ZwIO0?rpG_S4jCDV$L&l?j3MI7=-XR zdY!)-AQ*-ws;HO54_OYvuEnRA*lHuyPMm6tQ+^E6bpzQo#;YJikn%QdLK*Hk5kZRK zKB_sJ_yf(EV0-XRN8$_&IH^i!w@RD`t`oYJdS8SEBe<)pc(7rCp`|aLD=pB7^Fch| z5v~2FIFqpQODb`umaBbUGicQACE^?}jPXI2I5SvWs7<5~LOu~V%8Rv;eKT;)en7Xr zCf~s|+ZbLl0qe5Zor#lgf>TW_GV=6RywANC_RD;blDwZu;``qS#R~fgaaI4I5#3Ti zg`%py33|z|>V*3$r4LYKFAY&1Bh2P`u5caxm2eN(4VaDiR?tUI4WIlB{_1!4_;BIn z5PY^QGE{NnAIUIEroUY9N#mKYAgLacdaMmeLz%g0C@>lAPmNL1Ie?!~ zoPvrstBu{zFsoVTY@Rc+dXv$flOh1(+$;PSY&DxAtw!Se#6RXqtEi}u0z;I*TY0OC#<_$AB;*@59CB+e^HtdC?zYBHSp)1j*xr$3pENUU@R zk>!OQ(U^3!Vm6urJ8>w`YIis9QLN10`Gj`|Mw!meRT;=FN{&}_iL+>*cNRu&%12fr zv1KINp81XGq1_T#Ra)r(iY_cWf%_~4nz8W~j4}YHv22mbc&Gfu74WW&C3e-rHv!Ms zCe{1!u0g;&6WHTElsg)i?ZJtoNzXD)CFXiA;NfVJ>w+*;2NK%mKpp z(U)2dI<*C-zsc={n&%(ru1$jKm6nAB)BvYrOVT;-H`jYPbTEnHnim5rx!4wVme8F2 zUsP@rYHr3!K;=y^ZgCr%UzMDQz5(1I&9B2h-u1>S0{~)2*cfW34D@0?LyE+9g8}+S zPRz{Sz9C5FvE6K-^W6^VLu9cS>S(DOD$7=tE~z;!hg#58-&B=j6lHDHxkp_(i>vWG zS8s#xrP1HZG~Z?x>-}ZMX!&c5Jj1@GT;9X#M3#|-yV&Hn@NF2fr(<{j@^lsj6>-u0#+xvjzT3KDILb!0oJR@w9x~T6Ed$WB&gTc8j zQFdBM2l=xwpio?Jn6%!Vd+7j*^RF@XMkDhX3@JPBK(G#%WH4t!FJ0wYZwzq5-Pjfx zWjbbJ9l}M8cfIPsR@aP3WkvNioOim?I?+VFbYz+F8g!Fg0Q0V9xDDV?dh>RNNeHsOB(Xr$Us_MX1{$KQ5 zIL3{R61BnvHFCN-nF>=7zzOn|T(rgZak$hqoVOaI@)gL3_AOPBNU4H?(1xcViJ6aN zW5R-ww!2+Oo^zFa>Dm>h5uNVOXWnKz2ul#(2GaJWWvDrvWgmdpGn1NCEbC2I0iYCz zBBT$H1?z}Sn2WC5;@?fRldI%h`99wXn5T$K4#Ao}KUSS)Hw*PD{vc=q6ACJn&&X!! zHVqp_zKi&y!BCQm(XtKk@7u>1^J=}PLTDC%hapXbp<`41U&ceq&<B!2@qQqxOs;9_pEgdO-s%^)(APsZoBHWcq0Kjpm z&xXgSHyTz-$>`*a>SyHa5cIljmSMqh;afF-)fg$)(YAvT#+s^+9YxfoO~g}wlWL7J z4u?`k=!%OFU~$+J!W+`$*)%tXFzr#Mu|4^Q3=mc#;})S5At$|se@s55QQWB-h?5dJ znUrUZj66C-nQ`M18nDl!^roY%-|L+^r35M}4NI3yEf6rr?DefMke`J~Mt2TLr4vQH zqa)y*i5#OGe21)-RXFbgiIz23ek_tHwv08A40#wXeVxSm$Buaw>70G|qBoTvYbyeA z!ep!*$+si^`)bZPf6N}u1N8jnj#NtFUX3f#Ana8uDc;G!2!Jv`5W=nN`c-`)J42Lu z(B$4g${@nlE!}w6G>vU|LK%tUFo) zAK})32H-3w#V3iEM(20HK=YOp;{aVuH=j{JmL;j2Cnc7!Tsf4w{#^Y^)S zlr)Cozq|A_DZcgy%cz;m6Jp0)t!@kNv-Z zH(_hR-P{>SIUEhc9vA4;^*S^!f&7+tL&cWfhhAIJc$=T2J&gBAZB(v(j=cHqpWs=ZpFsC? z-lT;3x$+ZcwAdT3mHMjr^DUv$e#}2@zh;)VtNB|kypWFh8<4pcV;n}FE1%N58yzz~ z#~-X|Q+k|y;y+qYf;Z!It(8gTzA}x zj3-ad6>J#qc6}ZW0|0)Jjh5R`1eOL|q)seD8AXqsonp>_S-@%Y*zt#oXkQzq3~|Td zWyG%hDx6bE`YEn+MFwE1TW6b(ntri(tCEt4FmT?B-P*1%i#Nz7fvC1 zk1r85_H)gErp}+ zrpF_hF+8~!k>`Xk{9z|V3Mww5vL49RUzb-rHQfuR-{XYCcS+;(S-Nj_NGNl=og&#C2eBrtm3H zG}9Q*X(h?1`UR6ur#Y#yCM2JpD9qQ$hwXHB{YbKe8=P3)31xU*VNyw&=YqYLxx$NF zx|Cc%2X689(Ft#99oRDXEp4AK*S$r0N)xnFsiXKiM2%l@3CXF5n{TPziL$E?304f5 z**9MEoIzQ|Zj{rW8wGedwyzzOQCbARnu%0Y$qK~AmCQt-gNOvO7fbU|7SI7fP+jg} z4J=fTBDsg<(pm2PC~3dSbO0g@Wrylg9kJPl=&2tsP3ETQrLKUYW*|0czUtun#0K8c zgYO1T`%8@@#7NI)mN(2~vG_7cI{BF+H5O&3wxM=%wv4lFE!|p?rCz`ZPm0ivCrQ5X z4;H>NUDX-#MC7oU9IgoMlXXi;&#KO#tZb?1g^XDCM$h)*PSI3`loKYkN2m{wAjnl}eiB>43vv%VpT_e3>(p3&v46X~ z0P*vP4bac)3PJgnS89ZA8hJG0m)pYu-x|xG8_GXP%%C&m7tzcakgC02j=?kM&~fry zWSMS(h-9Hvl5{7;^+RIiSF~Hch3tit7)4#oAEd$`YTBu-Q+3K3X}HOHK<8|dhJ!j; z^<#O|%=d^gW{&CPw%vtzMzH5(W2FaME|jYk5k>^tahd{eX($qF%eZHBl!J*f{p0`~ z3i-P*WjcAnRBX0Zwi0-(6can(p;**<>Ivl~Eguy8RK4rIzNExfd%9%-RgAK3oh|WW zuAjcHBR$@?9AEL1CHbwhxpV_=@wG9vEF>|~Bw%7OxpqW&2EhaHWAY$uPXM~5oXVW| zyidqB&tL)O$4xCGmE(X@UajVuWA3z=<{IeU-ncL#J3bN`Y2_|@#x*U>b=3ws&=t#d z%ju`Y3ayp>mT3ce^)T`QmFAvDH@Lqu`3$J&+C=WUPTCp*ff9`Th6WGaw?bx7U>M8R zotJu|z>930tZLPK)Ba2ZK=1M|(>Cd;&_EHSXpWLQg#^0P|5M6F!Zoct3+4R_sMvZU zZ=`m?nZ}j8A5Bj^M|-^GNaO57&zDcA_{Vmx0Vh2#<}N_?m#AT%d(J2;(1?BOqyr{f zI~~a^cpKYG?*M%3wNFahIu29FZ9hzvcCQ}`tvmo~d<>Et`C$+aX`G8E=g)0r?FK-d zd|2Qkt*dUW>oc8F3(Y{fhLv)#$tcM%#4E`lFd-*InG9<@>7GTY12~~VK*5x@XdPdg zEQv)N0XR(wDw^}vqiT>c$*c-gDia@9zprB3K1+BpUnvkUnuS1~y|*wIE$dQFK} z(IbFgiR4r?psHcQa24B$*V^6}@N3?wuzo1;j$eTs=S=$-AX5c}W^eA)bjEhjXnac6 z8LD1~Sgkv3wromPzGqosiAwnnW}S~HxMu=D2_B*L3UCE}py|gIpManr+DD6Ul zG^n4QsJR#D*4xm!GEo0>)fNz1w0s0ve7d^(>^15maZ_z~{2uy#^YlQ^JMs6ji;kxP zYOChfp(|~rvQS*CwFU;u*&6;uyoQOVJ2TTt+Nmo?`}a|Oi^r?U*R>OoyB3>vP-u72 zR6Ly-ySu;?OIbd&2?O*>`yi^#E@`SJ)y|eT40Co=-trd05Y>rF;1faFVZRlYBV{jk znLeQaH?w7yF}nF}=?ks$3TcCHS|=Kq-R=*S*NKyT28<}mQE<&a&bovaly}CD@k;y0 zF?dGeL}z#LkSys?xou}Sq>lRVO*CTgo_zUwm^cZ002J#7OL;PV4gN@gfoPB(RBS&G zB(q;hDQdA1)4A)BxH4#|LSiG~WK|egra0yWVGx$uhvq*?nQrP574644dI<1K+`tc} z5}9FmqFb0bmvQtp;)dq{a8EW3GuS=}6Tf!cFx4&Bx~NIOZSIN>3w+pM1=jOT)CZ)$ zV~8jXM>mf1G+Msd=y*FpNHxpPg~$`MN(J{>#KuvzhwU5m^3Pf&FQ7A41)kq{pKhU7 z@dVhPSMj-)ms0XeO$#RR+T0QiZpI_&b`ATz4lLCmRLs`!KjU8VD=J(=dJ(%5=f8*e zfoS07$>*P!%|`5JS!XL}5v0^a=l2S^(Mm2s(64RsKd^Mj>{t_tH_#H$_62rxoDtSh zft@_XHp@E9bv1hiapT_hgCilrq77*9S_yB3=Hc@U|aFn%c#n}BhB zdu}-@tHtO}(RObRs#_-f5SyCI_G6b8cLBimv$L4&l0wXO<=l~Uvgo%x7dfT}5-W_Y z-OYtlkr?o$AedVLo;J#uz^)e@=;U^?hi@y*({b54nrGgD{P}+!ToxFL$1^)wk*XDs zI70Nzd0Lq&86Y8fv<^+(teX6icfP^(qIuYgTCv_$eU`EXc>EUoSgMiiY>dY{(fy)n zY3Zo2EOw*%@_OMrl-CVcGO;p*7M8L+drBGthHoVRXyXf6r}3VDm<&eP zFYW}6(OY+h^3QC3CFiccV|WZ*T}Si zLiej|P0xZ|!TUAJZKZ}$&!WNK0%*VtNN4$1uc=X)dxAS;%{?x5FG?&<@G! zxY3FlC#NBjCpk3S`(c)wK%^kufK~x-{tny(*6R_uBao@9p3Z>fPoRo)0mu|s1xrBI z*u`s7^Xu(NP*lu$x*At-O$n|$wp6>%1&N`w+j|`;;dG4r zZ75gW#kimGTaH@bs0jy{022F?9^y|@mkz-gmcB1*l4RuHBUT=0&<*Bh;uHo1lazFzxFJ99H)9K%E z%Fch1-NbQrHQCK9x-s6mF7^xy@}(CUGKDvK-ZS&wHimI{&q-R@WI}natq2 z8klrq@THGo(z$}JY_w0Lq$Vt_#=hl|pj*cc_u!^#`=F4=UG!X~S)Ks6k1to5;jk`i9frlrG{6(JHDq!sq7 zxrK4H@A{;W{A4xCpaZBrTvN0erYD;sx!S6HDw^va`%rWyYY_wFybC6=@YG5d8|uwCP8uCuD*hBB94q@oMp6X48U4M2fPW`(U~%J<2?I) ziCCJCt&S-7H`PPnuGzu0+19!$0IzZCHfMoqoyYGhHoi!84V*NlNz)C@MaC%U$FSxu z#wc=-Do|FRmxZU0vKo4nZv+9u)(qqwA1V)_yhlP|$hxwaEt6B#@^hiwGOO#Ou=@q`KPiByE*Qi)#ZDKp(X3NMiPjnywxoztruxMIqU}p*(%Ttg57)O=Au9k%xN2iO@IhN&kFQslI$;W z+Od`m91J1cn>w7qtC;h6Q_et-=Rg>GtxpJe%KKRxIpGQxv-r0ZCm>N$*CYWuwpd)T zDPo3r9ng9BG=Dsv;g}NX-HXb(Ksc(gWhZg-!lc2_e_QTwW26XvL0XEIvW zQ>iv1MHxMv&Q79iB|T8f$-Fb9vAUVc=0lq3Y{ap zi`E^bqospr{5$|>(>Vt_YI@(<>-wmTydTNmV#^*Qx7#eAMf}u&F=q&ATYndMYt<`&+T+%R)`m-ve-r5_ zBUq*r>)UQj^)1i_GVm~(6H}Zo$iubF9BBXo0+xkBcT*CvABnLSnMq{YYX-`FFW3(Orbja+<3N#JwcXUF##3RWIt6&5}_}* zbPkM1ov*d$x*5qXYBhgeaTAVfp-9iOC-HvtdYPoMkBUfK1LnHk$^!OV+Er<$U4_{y z-z=3sl`V4bf>cr%2k1n`Lr?IhXxlTZm;sIld?^h)LgNc(MXjdX_Z1)SH$XGf-TTH1&$eQn@& zl^0@5y$(=b<$7#s)PcF%?eXnG{5k(g;dO*p6eN_MvCnMlcuQyb$P8vnp0`@UNb$P% zMF;aUV~h-7*E79Mx>ji3f-A84l25Axk)SX=6CR+sPiYvnC?c&iFx7cgBppm20XrB% zI6dDEy3S-6WbFrt>^9VGq@w{cuWlV|{J=X4-pcFPWH0C6CG+_GBwl<|94I`ane#lc z3kGaEMu8s(+LCPRW8r_WoYCb+sn<=eDd1xvrvQ!Qz8DKu9>|7GHMLI7+0K6r3ql!^ zD6a-h3Lad4PrJ>lH?T-3k^ev6?XtbIKN#2PyQ;DxC$&je3Q+nr=I5j z39C_<4I3ipsp6+py9PqV)lSDZ-18bDC+3G831?G6$Bqv#p_R4Rd;xsNz^`@I0s*8l+%{y4DmmI`*9_XK3JzUg)tyNOM; zSNT<3Rx&qH?;RcP+R`ue3u-^Vs9_PeBZ7+NpTV<9NuM9c(~e{MOO2>)QLIfx1Mwn| z{6r{QzYg?;NCTrup4V*G*|CQFhablYjLdrRw)+=dwxA zmz90MiI;QdEj-!sPd&^Gd9&DbcL*L#zo7gACN8-v3WTr@Q?ykY8Wsq{aj+s7PHmz` zQp;~gr`nDs!CNQ13VERmF)kgcL z){e3)jF5A(?ZYVUo$je%7%<*x*o`uU73OO_bAiN`SXLTJrXlVhX3O#jP5TUMx8Zmk zGnc3HM1bhWc?ac=74R2LiIrW!q2T&07G^0f60be0eH6;kwU=_^$L(Kb0JT)Ny^>V;f- zhkp@SZoQiaIdCJy#~L-wm)sf7E+o-=NJFoNamllKST~L2WyS;IC#D*uT6D6qvbQNt zPj5|~3#}B~26@Up)S)P*d93_Xh+tGHiQvU6s-dcsbclceMKGR~+J{J?Rv0X-&M5Yo zvWk!Zh#r?6_y%+~g@!>oHIjOwlfVBs+hgon7Nk2x}e~1zWMj8)m*U)bl z79wee;!qKk>5H>2m;j@M_->wo-gEC~~zd2-!=y54kmj~*YtH>tKPU`ACC z0A^byq5*}St>9PtJfyTO_Bt->geG0xc-#Pm6rO42kJQHJ=m6u`A8V@DF`q(y#zlXk zX%uDeqz7imPI_=5Gb#Q|oWfSa`kIRf3wro;rh>_wElg`wK7y=&`%MEK+x(;40o&UG z?FfF=I?5n{u`@P|a#X0WJvt1gT>)m>uMPZSDv`Y}!R%2DA+o}ASlSTIue7c;Tgp4M zJnnkIR<{e4cn28Vn^2`~+h~`dcMht52luB1?Q4l=A!&^4!Rf`XnEk+%By`pIH{<9A zlp8?)R|&&B$JH5yLhN6bFCgX}Ass2Js^6D@@g`C1DbEi<|FRv?@t;^bN1Aqr7amg6 zth7;8@{c5D0KW^eucX`%UMAb<{>nGLxuKiGg{n~Nb}IF%y*!Dyq^D6!_NAxLQsZ^* z1=`y~?YcKoc)KnCi*I5mH3`3c>lXA({u(|{bEzJ2wxf#)FGpMVbu(2tOJ5CaE8D8_ z$KkZ1t(-ba!U+|=!M2rs5%?yUpeuJdiPTE(N)JDfNy~%d)yhHA zJMXJGr>ZqOceGRz#v|5raeeD*XrR-IMclF!{A2QOXy-%$x?5Ykb065Kr1eodp95FB z+=O>7q2m?3(Bg6cqb^q6mg%C&|Dv;^By13$#` z7*8iYMvZk(BRjN$R~;%!bd0rI)ST;LD#RXq>+Ofc48Dea6}#!D{Xy?ESZ@WV%DVyi zAz%wf146KWuQA5^tcDwCHFENPl~k?b+dGeWm!r~NFp7-PexEoN3lssIA4g($`Uc}T&Yp~!`(qZ1w2#8!#|7DQ%evINLQi+#$5`=C`tG3`owo0_|XG>M`yE zy>wH}zXRs2m3j!&W8{AA_+hd^qxY}iv+qKGZ`o;_|Hif?+==0GyjR0XeCAn915lIr^3rgjyf{u_8g^VW5E=D zS>8oZn5TEU^q$ll%fA5CRr)1&m8zM|@5I0qQM-i+&?(gu!B(2v1Mw@_9=^3|sjI$x zyQPbs%^JJ|@rSUJ)PlFXa2KlHR-A^Yqx5C|j8uVqucO2ZuoUo;Q1L~2H2r>I6FPWT zNyDW~99s)>`(4K}6YoM-kBzk*jn98R-qk-!%2q2JtV(ri#mG&HlKVyRzjCj+AOwm3 z*Mm7TFdG~b-|6}N(1&N5fCDR@T&qnoRYsuYuGgrIJxptLg~QCi=3`L{ABJ!PQiLBu zj|)?EKN3ikv~CqPt6#ai-fhvvD93$8A+@bRMq-#2>Hl`f;Qc>{_=-6Y-08XDz1^~wc&{=ZqU~&Zb&$dTP9Y#4LF`qdy3UuMjOG}qLVO)2KL6KLLR~PD4ko@L zTka)PH_a;`*8&3soR0K`cvS9o(mKY~vrF?1?F16=mEn?#5UCXBmxo-s>*{Pi*cBSX zASCOx_BO`g;8l$6X+}EUQ&e~ZS+b1aBFHH&PDlI}wN zdZPi}un-6d`V}d=AcW@_rEEEQ8&I5-r$C*Vsa9Tt3LB`G&gmStY=QZ-bj(=ry0Q=q zsLvs#7VLB{VAFbCgFWb(=?I$rc9fR`YqOomYw0F;fE)rS5E8FhsrOu?850SI1E-KT zw#pI0T0RS-pO?Q!-XDw0sphG9T~a?LSt!}qAm~D%Gg)khl3Tozm9l+SkncsBOy^m{ zty*6zAHd;{!OAG;VTaTUN2#DY+3pIY2^P4s*(OIXqpu11JHpWb0F=v9Lm+redJQRy zPHq!wR8aCL?|0Z_Fmetfs7ZMXXh!(hIP>i~PV`o#l3#^YDoLW;5nQspV7asdJ0iQ0 z4WwteD{qcygK#3@gj$%4m?&72N=tDg@&ylp%S9w>?Ps$bD7O-coxHCg*9#VISh&-| zGNxDbXo~F(T~!BTzA;5W@xV=`oU7R)JRPE(1Dt*K(oKj}IO1vGM^-O4PM5~1@N`&I zRT^=fy);@rpu$hnQ-$%W<_{PKHZ=kAg5x=p>zhiH<=B=geobMgz?r&uK0w)w*tZiB z24FFX>UONKcrkLtbe*yh9jv8qNxiY{LJ~EyWFM0HXq|=R*;)~J8B$*q=MYEjb9pb* zvw=BLcoz*TC%Iq>=8#b?h1tp11~GlOkMqcnJ{Kz4gAaaSs!62x-_U_}*M%7br5|Pa(rP+I+iUg8ZCGM=iLh1~T<@8{A8fZTH4FQh zKpD21RB`lZE}jPpdy|SHF8k*+c%&8uMr!Rgo`WEjdFa4Y3<RbVq3$$V;gzqdGr5oDtE?5j-0`PyZsJ_cK_R-^-yqWr}DV#E?S?R3&twC!=T zX%|iNmRIB4E^$08jOPZL^lhdkk3y8958!rXxNYd_k~b`EN)p^}Tq( z6)@m0xGvdbIwVRc;{daPJy}k7-I*(|EoP!FEk}2Ya=Ez_waB>)Fh!yy2}{FUG2JUG zXfgL{qf&6|IF1!YAP6&NkyMR%Spw@u8CKeZA&Q$!QHM;Y^mMHJGFFywy(!^Yq;!U- z%!MQir(->({gsx21J?^EuYkk~T`1Yyh3U?(O1wz##-&AAyzD)rCj9{<=PQ!JO)7LT z`Z@&-PrYA%Ay*&Sbk-Mx>Li?9cdNM*_}BPv!RWksfb&@%{5rBh1K-HP$aj&fi`dzP z-$@cqhr$|FvEX>E)wdc}F+n5C(}@2SjAa4oy4G|vEHD`-^N4wwN)jhH%2|a+*KxB=KpdRux%(mlnSw39s}!%Y_;JZuUsPwXAcyFSFfL#3AZDJ5L| zmP)d_DfvSr-bC`gT4?@5ZS`h6*m7A%`@ps|sRKC$uIDOky1lzDHwj6XLmlI%@2;Pj zN7wefM4Kk+r>u&VG}_$Dm|hE+JMY@gg*mS>4URIS(Z)%=pd5OpJO*T_FE$P+4o<16-EC zVgGn~d1)JN3j`Ora%nKpH$Kxa=k zaZ@R(d*CgwHCL(X4%4>$_jLSC_6^^Ap`Lg8o~9Ce&@I09=u_tW4SFUS(&xvLAu*^A_jDG{ zKf6K54zX4k!QyJVZ1gD_vdh{jPFMh3D+o{vjrm+J9ZIGv{ae69!YvukNe1DxM*37M z*PEDh;k>0{iNUAQ!1|pms60ew$@f&&^JZs!{q6D@-htuvCrHU)q?FTxKtW^yldbPe|vN0N2`n3(VYai3 z5BB$u(ZM*_oI$5sk=TOtvg2S$Z?v_E_Wq^mJ5`;9VKScX}R|h*G8u; z>U$e;?R1cKa|2kYxLln!LAzjMswc(GCf=i$u&rTHm=_A@1w-&|X|Brhl$nWT_7sms z;#jH+eLw=vI6%~A8;bpif4b#){_?F`+H47u0Gb>*OdtwvIo7}WO?hj$vc!JGWKD4v z#5K=`Afc@4GJ0^sht2)yB>#>4BxHGwB2T0aAdW`1ITqbEZsT%vrh(zYCn~(7dbxZY z;hkild{P}qvg>uyMh(9mUnSW<#JJK?!QholM^a0Y@0_+!VWx{#Qo^K=RG{)WX~WrQ zz45Lx+Vq>z$A#j%Y>YTEb-SR1aIF)VClWWXIkH*9^L!}Fd-d4!gVGb7Gj8(78B?jb zfc6OEGR41OTNaVujK$N!HOxOxqK4n5KtTv(y8k7(NZr%;3$l`Oiw)&7LD|i+UDWet zQ;oUrT%4OpS$FFip2jzDM=BW@gspqbPJy3<<0-H3qYfexppqQ6-3GZYu7BKEI5S}* z3;GpAlozrN?K*m|n1);PYI+~lPoVXs2l+Ngb1mHUxIyMr!Uh%7#xfb$@)jgG6Qpyh z+7ZfJ2pz3oPr3PW)-Qdg;k$uNYJrOH%(B%7s50q^a4y`yEa6qii>faG->aY zwn(>;EuW%lUFUi2&)~ZK30;bV?s*ek38$k4oBE0ddan^*`6Q4<$BE`@ul;(2V~U** zK`m7ssz*VHjF6y_b{Ydx^$*e;kU|7f+oR`?K_57yf#CaQqqG1ALf|1QQN;#~Pca$N z4g}=ybP+7x`Gs%-jOEXsOoUVx2wu0z-y-)ya-HlI7u5RYR}tw%k_+z*QOeK>?@kO( zZ+_=wM(Cj8Ut^>F2?cv0=2VKs();O--MT9y$md|e0=+*<>H`6?SayXhK7k?AAh-|O z$Vu#Vsku$o9G$VJIR0#(YF! z_V8`0Eq~G&NoG)tRIR;pm-9zZiTS^2v>zM&(nl&qWsLIAr8)*)hZ%nuwso)*2bVNctF)jr^0fccn90`EmsE zFeOZZ%MlJ4X1C)YUXt-~Hz_vO_1Q>R#JDPkBH{E-sRN!_-|(KChZ`2BzH9u(-8OfL zikxu%)3G8=>KH2Ko2&-+e*aq1yZje9d-ES*jpdIWoW10V2>Pp+o z4${l9h;uKZzfN?sPVP$`SW9?I9+;>d7s4?nQ*t^ILvwe{+z{)_jWuiK^%|j2Ew9r^ zAB1q~Bu5G*FVUdPnsDxyg2t7u>B+=RzP?jqKiVyS04hlZ0NpAwW)yP93ojzNox8Q` zu48ozqVpL2if+JfMmjQ0%=_n0+Q+VCxWe`5cuz#?R_{fyj&g;$emjJ;hrSzxw1a>b z#l2GUU;(KG*&sb0Ra~js_=I!JbgTlVj^~ai;Qb(t5q;0#dy2f+P|+`J=In-!^{Qv0N<7Dy*Ma2Q4wIVBvti+3tboqIrt-V@O# zjn1u=JUZ#V%5z`t5>sz>6vSLPNtbYHiaI4dXXJ(&JR^Lw4Pq{=i%Q1^vpS0WOgEIl zois767P}E$LXVLAZRPbU$A?r&8X7YL!LodfJ%19@YD_M2_M8O=hL^mEJTysSrj*qq zl6<@y8q*eyxrT@rQXmOkG7s|iE-gw;C_9FQ-?VZUwX}(r#-eqX$;1+@=Em#giRyZW zs+W#xOZKU>L#fnRz|N9N8l{Ana(rlRU3&m{bX`niFNe|cMbvt5G>BFRnfK+;Z%yLDsnIcyp2yWvAV%7 zWa`MalGj&$8-_ia+=oA z#O}RgHZgh@C^PgHn?4u`>vUU=L=Y~gzqArrPDS8EY=t=f!f%kBxBFTnAsgFmc5PzW zcK{P;he%2YcjbFFzkyfrDY;#cf5DwpaFpS6erV1a3i!@QS2%{1YB0A)hw-4L%0GuH<(xYVj}W>eNaKx> zVN(LfUq^X1K&EY4P>3%LX%mRsc8Uyd31Zm!`mM{K>Ymy(jO0i zwB$#h5X=jXYcG2L`n(_@ITZH)_JltdQT)Fb_R+h7+0cJ|&mU?2zkln$iwH^o4`lGD z2!AVuM-Tp=7ysQC|A!FV|KkmRd(;2w_5b;#|J7~qu@7tZ-(UUz{Yn3;H@cw$qCS4m zH2;i*^{Cy5f3DMi7wSQCdvtv;S99DS?O1{eeRKx!E%# z^T&M;u)hDeGYA9m=!p+u{~whu2;lJO%%gVm@CEW;%KiJ>GX8kmBcc8->_6J--OpC0$u@{1XNKKIvJ5QEk5$20#bZ82C8!4cz6(s?+xJ!*ql ze~A7;)A`eNK`B0Z(;rv=USXa;?h59={rTyS-v2-E$o}JwU~K_b$$vR+{(r`C^Vyg0 z0enr^@9;HLV8n>-V@8b{JoX`m&8fFSty>yZjt%d>7wXt{3{Y(TJ9EP1{%8n-&hu#Z zzcc3pt>@q3`0vaKO5>xE^x=H;-;9)}^P6I%U zvIaZm!Uc{~_u#4^>fV1m?{AB^IFKN@=_I$L?UM_4WMyOkUGg4wmnJh4Jb(ggg+pTT9B?sbL6Ut3uq$XX-MkY= zvK_&n{tME{*;)B104qkV0G1&5D;>Y;wZc2y>BT=Gb4GfG+nl30?_}DC3cG3S2KqVty#rWM(9O1-LZ2bSblV z9)|Do;8%H09*H!btm3HPb?_~n06752ma^T2d$CUPh zScaG>@r%42Q8C2mXNx7qhyakR~ImBoeB{lgC1)3Dl*hfz+C|D{BAV4?B<{xTJW_EE$tdreRU8&pwq$`))MY;?z zW9D)Q1_v?8c?0klo(meuP3-_F%!KdFm@@;)1H}NfdsIGDK!#KdE*rO7dmJF_YCufc zWvf7{p29DKwcTB-kuri$l|athHPASvlE-0_l~ow0hD~On0)?05yhHe?&=M97&MLg936ruwvQ6?f__KJ01|;N8oQzZCCg3_RgHno_g+If`coP4K z-xolF(3DG{y-OZRo9?R#{+(48tadrO@B~8Xh08F?x;n~N0q>Bt)xKtUIaIe_2Y)8^ zz^PFCZn1cw3It}EtOL9xB$m;k(4fS0d&u5K{mVQ&rbK&J1+Sx|pz# zrw{Z`k1|u?F%kNixy{{^qbO@kjOm%TFOANQqu7`P%bbq(`p(Hzg1NPI-oXLbn-2G! z9GYockiQnL!BWhPiEX)O-@A;pgOP@Ehb6$}xP6q=*wwM*@E|;>7d*IRV-Huu+=ByJ zdbPG5xiV&VZ(*5%dRFT&OO5mM*W%tW#|CddJ3?M*)GkbpDSqjrtK+;)3*nK&BR=@* z$2-&7Yu9S`Y9jR7^|}Ph0tjkuX$|FqM;5Lt**HkjPSwHnxFecD&C=R*JzVRw3t|d) zR%|YN`SfsVsczos;aW4bGVaK&C-?Q;dgfc8L_uLZ(m`qP2T+8r@=EPGJWdDSggaax zW|qxa=4`Xa>@~MBw>9UOedc!N_GZPLYwlp~XwEa|n>(31n+wc^<}T*0<|1>kxtqDW z*>5f}KW6S>E;W~#dzyQh%gq($$IZRXeawB${mlK%0rLR!K=UATrFpPN4i5@ym$G=E|3@q?#@%b=RqQ# zL=zfEo!8vjLuKmVGMt6l@b7DGOr)HeJFnyWnp;m&(VDwCK%{r)DQ$B0-Fy2VKJWg6 zpW~m6hyJv9Q4JgP`*f9UeUowQT68GXv0@rr0n^q0x|RLyEY_aR{sTQ$qe2wG$5Nr~ zQLr%ve?g?&;13%34ovU)E0XD>lTkYS@G4{l^wj@63MVVBm;c_rRch2d2Afr{U~EPs z;Q!HBy$Oh1%m6}aM(wd#ZAQz3=YR%K)g8y7bl6UV11d8dTogP5ccAVwf_rd_sx5Zx zSREABABeA2fr%X-iffVDx=`)-WhIDfJ^TYerT>j*#mxB#V(!3klr;YV}{@bn0{$!NDjc#J)40{j4>1EDAse1%y} zO^h+?puR%QI@)3mfjx~jMyEDwwJu$#8EG{UYO^X1$Kk_x8A&*Ve2ut6@(STCf;iTDUl&9`091Y0`slf6%(%JWAJuA;6!DUt)F+POPWx|smu1FuSV&fDYSo^3nfuJDOC}V#JgbNovw0OpK3XG{G?X`c< zuZNXX4r)zBC&&Gp`kQps6bz;}YtzDlq~o;Z|6%X#qO_4|GQ|Gw@&c-Y;UotZOp&iS0r=lwuN#CEyJ&Jcj_rUEZ) zddrj@DS+m=>B@e~4;Gx+*(uo5sgg|gB+(Rq%Ou@2U3@|wMr+9482FNU^110=yr;|1 zNZE}@l}bq+B5y}ovw=%G)d7&v;r3*2>$2AnuyW|rP6WRsnl)xE zj7?pYpufp0gTw3`e0ySQm&L7;3JReh8|r_=oq%ro*H*jGP2pir3b@sZHDZ{~A%;ZA z26WlHy0ob1X&mNFT^hRXJ}5X00KL8v$uD-4-hsppP&dw9>o8-}hN!tyExqy6xEb?k z1}6R&=#k<)Bv$c5Q9ap)`_uC!Udq9d$%Nq6TCZ@QRK&aBBk*GdzNiO*#udn(y(l@w zDe@hTLCBjJJ}2}+_1K0vX&}(^3oYJXS9#Pvvc~H;x>NQv_b{S&qtQASh!PS96nB- z7ffU@JuJkFIVJbjJWDe>Ut*c~GTsRHG5kowr+~S^_clk}bmR@n&c*K*kVtCy!{gK5 zkWjM%9-+_-As;^+1OD%G#lenGBWPC4L~uH8`ka=w-WT|ha)C$`6t6LzhHks z;1S9SgyVhosL)&xP9-x{%9qITZnwj0&wd7iD+=@#`Iz}m73o=<55h&3#*;ScKhe*J zMafiB7JX!t91!BJA?OIbeeavf(VQTq%e+aJK~bR@Or#@G_l>cZ@0%pLg|V7s#<6zB zg{wgfnGTuJ3m5Iwx4WKZ;K~@# z3~*j6L&q0?VsY7D!=*Xr$P7_q)9_g?H?jl;sf|IO8O`m8R@yMjV5dwk_^xsDROEeJ zPCMWVv0lH4%I}e-C<}_kA7hj+y~`HoZYsLpuu9!^?Wv_?9%=9oGI>yZ{&7`Imtl+k zpQ=!fHc|D5_wwSU*K?>$vXoo|NJTg``~^#gr;=X8ac#*g(L7N_Yhsnu;?TrpC3vHj zx=a<8;od4S2s*Np$rHgP;Ro_kkoXd~i?&PgHJ|x*3VM{~UkxV~ zc&2DcO;pVXzNbta9?5Ui<*SNbaM=+6)?jtrgWpXnNC_V&hM~>-kR|Z@sH+dc6UcSz zW>!27aZhkkn$XVQhKG7rsgz%laVI@oxF^)uz*smIDLm6{Q}G;GBydfZ+Vk*TjQZeC z=JOgh#E7GbTjX4ZXp;qKTb^9RRst56m@I{z?PP7#fk^!>6_Claw?kWTb7P3syI1$G zn68JraU@9u9YmJUCBj~ufI`nodf#zcAoRZZMgX}I5FpLC0u^|d?!>X;4uEeK&p|*n z^NAN(yy(ZD(&t%H{$=D5k<$SBu8UCay;2f>iBo`vj$_2-Y)CNM)InTW&5~N?2M!X+ zQi+Gah%F_7s7VRQ6yBpV93xTQ-H4T0Pcm?;ENRTBt#6IR8-*&o-mwUY6YvnS(B4e| zQCxlj1>lt97$O#-Pr=*B-3_z1h>w%wILw3x@mQ%BQ1``^R1!uojen<5it6cbm|%Aa zm&h~HG}**&#xZy^3jNxQ<2|t2-l^}Q!pTN=%;7@+%iLb|>2hc+dRN&#l5+JI$swNq zOS@i@gcYu2#B+FZSrhF;n(@@Ox?1j{LsqnNHQ;~SH-tPIA0A2m@Vot?Nx@9}k9n zc}pFQ?xM0dA#Xt%035--1Fx(&yfW-_xp4%(`y zJGyV9swhz(RM*%USF_n2ij>YQKmUINX~K$NR7z|_>9-tv$UX*y zmY8p~z?s&WC&gV@YADk%AB;3P@Z%Ql_rSX1srpCB*xH?JEU%&4;VP!WM`NtNX^6)Z z;_o5TEmeFR9p$n|NEsCwrey7PLHQCBoo-sZlt2y_k3zm;*PL#xgV_PDI-b+3U>?Vc zZxjC|`4Q-w5a1QeMBP#-C0;B?LTpn>AtiRP%JnLA zWpSyvUPy+!2N_-=A-@ih>81w^Nh&~A<4p~j)C$1;PT-x{N`)-z7s>oW(uSqR6Cu5#?9DFL=u!tgo6-HJ}RRux)=mG@fvC@2b#t_oNjzLhAy`G4`zUr zS25WE%=gRa=(tXLWYh^O^9r%rr7C#N4Gk;u-jod81k(%bFo@BGnIl?#ah54H7=Lyj zeVXySpVttdtOEPaXB-YBZFPr{RV~pwNiMmw_6Pi^ets-S8*iuM9G4?XbGn}REw~@u zWeN-Z_+w*dAnFDEu8<>Y`gBZ{!QCu(LO$XO0di$~e(;=88!L&8LracP8;$2i#D-p<;P9qGR}MrV&c4GtbW3$E9xZ;Iq>Ep3J>qE=#JXb;wv_9U?_t2)%|;|Y zee%nxmBj1o&z_$%eF4#XkUqEb&{5N zrC7E~(z4Np*J40@jH6A^`*XVnhQsf39inwAV~sH42sT_0T+4e%k!1)UcTs~5)-diz z(K8?Whhe>IzFJK5cA)9p!3>Zdv~b7O#>-k*5SfxBv*lGqi`Y3J@{pnwa0yfcQP@~0 zQN8epI}te^L9|DHI}#Fw-J+HoMCl$OUfM_Fg$}a#*m~XX(LxfnHoT`>70vR?6(pDN zS#@uj+He9bf>}|2T!m)qV$#_AUQ9d0MB#lFC#<`03IwnYPM0L2##P!XDmRPTvTj10 zTNNQD2Is(XN7zJ78~f5-bTc?zcIGD`sgsu+V{l$73L4KP!7^7yv<9rb-9&8J1HmpE zdM*a$dvQ0(7QkW`e}Q$ZkGl*>b3p|W_i2Ah8Y8_{6d^wpa~M`Da;WuA@JO60@Z6V4 zmhpUC@tO$kyc!;(59If`t7^N1XPMqXr6kQ1r#oiCR+@D6;+NQIy7P?w4Q9N?kw%_txF%*bUhOzXhU~e-^v11mWUi>8WEh3g^Y(%~UBcKG?4&;)n|}n+N;En5Gt(I7ZpQsOggSE8vRKEJ zNMlK&Z)E#Snu&%RuBDlK+1tuP*1<=#M~w|HnG^8%OHNuEF{Mg z>2o=HqVoHZ)SG5VJ}G0zdgp#9fOySEOV`;MYZm;L9sVP7uSwxZQmj@q>V>N={iU z^eUU6drfm_bV-VFx`v-BjEISbT*I|o{Q9L%M?7e>bl1NV0~$AR(6Z)E!lw{YV;CnO`s~R^G)9l==`|>KY8|Sko9`a&8$e!HH}a ztOrVgLl|97(w!thyn}l@EBAdc zcrtyctxo_^0UX!R1BbN<&ay{X`BTuUsv*&LZpzH&4oavs)}>6RXRT=@dDKU3;W zmz`@wlg$0?jUOnjF_wo6XOidyeny)_+6==IT)Sg@5%N3|j#6Cu9dS8tTJNM>t|s)Q zl;Zqoo&ovp4sR*$hm1tTgK=v`B+2&X)M+?PG=4^O;S}L6p^&pAx+X-@BAn>(STLVI z4v~%`1NXa1fqC*y)2X7@&wYu`on{Sx#7~hlnZLv~s2z^7!gj|}(OXjcuuS$gTp*PC51REUi z4SP9H5Kn6b4V$FILTnU{!dB(wNLp#T5d6TaCr??Np>S0OLQ_JQ za7%6TOSq^jOU}_x;u*t5pM>;n7TM1Tp#y# zl40;j*>Y`h-k(62(~{8QBtJwcYsWp6N+%U1w)t61)4G-?xnr>cYrDvEHIA+j%9y7n zeMOGsz{$Cxcg?l_Yw)3khwkSqA+vVYe04CHl{ei?EWxIOWn>l^VeE)^XJX$9RK>kK zh-O*8SF=)5o&T+te3|<|=PURH(hpA~Wa}Dq$DX%ZQ(B$6sVe(r%MD$6V(w?!dIqR` z^X-&-n|k;0c~Th}LS4kWe}rKP6+ARmyuV5W8l-b-sMQ1ZT|bBB`Xg)>+LPO-(%X%b zYhq<%AP)N5#m|?_0kIm56iH?XI5AUJV>bs z=5`&RPwU=;U?EO-xXbyI-;pX}z@y!;7Lxoq;)B@ct5M>Sc(z~&5?b&(z*7;#vD)vb zD?O_7jhdJ0j>~(4LqlU4o>R_}#n1cHx=spXWDoa6bD?Zj_$&r06*hKAa^Shi`oLqvyG zkW0RdL(T5F5IErzc}Zz>B3Q>ghCpG=h@RPdyMt9|x z-f}LTQ0BIMo0rbB+aRnZ(FHH&UVI6U=RfFL2`;BqraXL-RVk~GZy)&u{(u<67Swiz zJDR9)-AMl^MXj%q!s&Tw*c}lehUJ%v9bMtuOW07i$Tk~4FMXEdBj*hta0S3N^5b&n zdzfwQSI`$3-ZPaYlb*0LP_UXjj_Rc(Z4#{+=>5`@fI*W&S|UqSBlW|3*j*%s-|ToB z3189y9y>NICHdYmp`UfJ+4DRi-?opXBLycPD;aSv`q(^~`kZ?*0watw)p)VMK;VS= zM;d#?kURqLG>AN% zh_!gE{{_4U&@RT)6!#Qn!Rb!Ix5;s)d2|R9Aw9v8;3?EsC4sPZ5}s$jnC<7CrhdWoF0UDKAUs$elQ#O+3?(H-_{J7Nq=V)QR)PAlA2J1XIR9Igye z`OX|Zin30wHWv2NYbb~>*Y+a+)IF?f*b}9sRt38UQ_XLtvhu6T$p#p>9*q+;@=^8% zZ^Uu7vrSK6Et?4O^kk-GV<2NYl5uz-E6rq!w40YE`5rc=CKEY$eII*FMHs z7D_3&&xoDT`~9}x`Yl@v{=yErpuIHB-Vl) zi;!;qn1QF3aP3$rotpm%@=Xs!K_2;oBdJ1F-5fzH4xwj?UJEZ5lW2*MOEq=hg6onb z=7IeNo&X+S#$!xAfL)=7iB)=$%mN*d3S39e62)Lu69$qNxDOpm3P8n2A!C|%0251> zO>L)gWoardfM?yA0=^*2*%JE@S|0fB*!=Rbh&~AhAo+HbqcIJ$X^hRO<5nQ5h`A*R zQOaO*-$Ykr_ropL;?#C~_$_G7x1t)xqD8KbF%2H;VY9wdZKzSn>{5Bh43aN!t-VAJ zpkA!VcsEaK1P%f=fn!;@a{@;>iy92qR^e&x`IwYg-$=w6#7~_36Idta@;bhMNi{#y zbsFRThmon2dp*v2ufVRz)49Ge`FbeUxJHb{-=Uy&I3>#snChR5zDn(d+YCiogGmMHku@&Z5)wD2!B){hgTV#%DY&nx6GiFIYEhMWK5grFq?-FS z_QGav3oik5il!Lrx>PK_I5&z*R?{NzoV!PRUQNodnhu7itl1H6B{qG55s$N zIZVS`jsk=ov;iMsBS;KWL?4z8;_SfWYXDwJN!2B2 zMkU5`+56X`@WXf=q{^<}L(9>#`FE=EE4tAfx0PO)oFkgPv;3;NKL+<~NF)kLfojNd z{p(Z_5Z+)>s7@SP3L|f@hn&gPp2yvFH|LKAiEnZYfxm&G3T(*aB?j$r&&9&5u@jsFx^iC&=|Lbj$DF;2|DrA@EG zqR(LBa`L5IaT)oj=($7n!V)~%9#)3(V!r8xf=7sGl)QL0*5EPYauA-wAH^{xkK?}N z4Qq3v7<3e)ngf!<@SDhA^xh4bzPrUjkb#l zk&&;J^#rf8&nC=yk2oE)HixrNEA@` zq=r;M+0R2$Id2yeAR>FH?i|mHt-My;!E1$`Jnw!8Qil~K#PrX<+~qhsm>- zmBESmwG@v)ar$+t0IU4y*xRP}U}-)BwO*0l%AJB{x`jv>&!rs6fZf8&Fn5EL3tMU* zsf&*;y05$lF$WJdo7|qBN09h3&5BZ{Z|_bUy^I6D6^pXg;V(Q7^Q#49v~u6tQz%@rd>=SZ79z#aN8_Hw%Y)FCJvetzZi@ElILkIk zW-}qOD4J^e#=Mwou>?Bu`XIqjJ_A+$Aj!A@v?awEbOK2QRcIoDZ50_0R(Cjy4yQ@N z2+xe0U8yfOfzSQcmX!O9FdX-C9;BSKL#aWMM=}-+M6EjAm#n-u63fJTDIO2t(j+Oj zd@owPh!*v1o}kPzI`$*;zCI!(EpNB}99QG0*}}NmChz6eL+<4&dW3#<=_hj!ZE#U& zqc&5eU*8qJYrE-mf)>r@&d>A+y3j+`1#x^f4K)`D8HbjWDttfLPc3wf{-{dZo=(i- zDwbrsi%59T$*a^$N(-(d?dtkm86bzgj4yN~&Qfn44xCMH_OiLqtr z%0T2A>pYj=kctz9G37es&PPRlae#58K0J%qK+i}R1yjtqHDb275}r6<6;odUq}{(K zvyQF7XIYjhto=}x2maUz!Rvf4?S~Z1b#foT0}ubB_|9s`DJTyhAzKj0n=>G*-rH{~ zy3RkWdyp#nDF0gNVN%KG33G%4GNox;9p#p*UC$xgT%750jRTS8B;Z1@=m%;)U|%@GGF zzJXW3DlwuPc?ZzS>6F9cl+9(}%@f!kHjvR9A3Qq>KT$HnS&fgQ2M(^$k5@H++q8F2 ztL}I#W73yQdu$s-dHvkrsrxPFpAy#VzYw%iG@61FjE|+!h2@k<1@isRc{-d}LS*xL~uE{+e> zlWZp9Qykd650T=Ghz8>EH#pP#gJ}*gd~|{Sq1ckk(EZ+2d6&WZEZ)*KUawJ=+6d0Vb!|3-*A}IGUKCSqi=x{tdGb8t zXDNo0vf+F@O`|<=rMFr4u1c=v%~*dZ(_I+lOpzMAUptQ3g~85TNs;%-@7d;>Vz7Xh z!#cb>%{z>geVF#kZD#M1c_?Hp^w=ZvbCK|m{3ih~A*>+Pc%1YPcM8sXJyOU8agK*{ zE2Eodw0tVxElW`gkaewB7WI}{d8eX%*Yj5(ZNF%|3m`Cqk>C0)tShL|IKblX;BL(F zQt#knHGT)?>-!#Z`s|Qr;y=cDhiY2iHmoz@SaUGe)CBbWF(9%;V=N1F@dB9#R)wM) zkGKC~+6@81RPOaTwd(`7o1Znv-9@gclG~qEkbMWuqLQah)3WZ|{P55{5?!N>lejdC z={x0DJbM@r({TkJ*l<7>8B13kS_^8PIDx3T;o`QPj=(1h(j}MvHEj z5TVbFZVf|*??RKP&G`vz&0#Qp1htOx=~z--E8KjgB7$W(VAP6lpXjX?wkE;!{C$Yt*$^d7a6E^EEjUlq zL#^87tK?&$+eIlpt3KK%8WN+A7LBD^1Y>|ujb%Crv_o0&~deY$-31r95LnC|OK4 zXAU6!EgaNn23UvpmyCQqxkrDppXJ~+1DmCNSuF+wVMAWIUicHwpJ|GE!rcM=*uQ5L3fH zTW1#&x%RxN(hxPf*&j0NF&_b0IK z4*pEc!XA2ca){6?e1LN2vbZJ5csqZQ`Nay)w@5C~9Z*pp8)c9qDBgZPW`tGI`?h{CK*O2i592UeJqd{amPAVH>(vrrF}LZ*1o zckd%5LHb%A#Q-yY0eMDl&z3|~|CJ4kRs44Q&xp;}j6 zmVZ|*Oo>L85^m+U*BuR?^=k3^bXw>{{dK;WxAL)g9Ch$o>wVE|cxO$6oh)(K5Lw7; zalmBcdHrbW`Ci8g1G~TkTYTE}V|V@UDoFrOt(lTex=ovr=b3;Y^}IrVJPu7PE|VO~ zBbqH#Fh+4@LyHv4y_0*vf?6_it76bG{e}dqMpKa+96=Y9rXv5^Y8e%6@_sFO^InP? z*A+aIyQR%}NvN}5$5WD#J}UP<^dNm)jBnLk>W&+knA1&s4pR5RYf^})T~iT_YdzlX zB}b?q0)nBQsa*j9%h6v?0Il%Yl~y{g zs@Z7J))K!H-w*CShov}u8iT^tlTxxc7*ZSf``l5W5^_z<6-ygDt)`G7rqSLFZoC~3 zDJfL|?^{83kaNnHJj@}bpslWfl(X1hl-#X|o2ufDQ!+;0VSBpTi@5CNhW+ZMUt#H2 z%z?ooH&n;ChPRB*shQOnp>~ATdv=2T?I-5ep1whR5-Wr5RBrr;r=tNL;fLhrL8vAC z&Ps|xdeH11VktA0GTNV074bLp>KNGgZeusK_d0aMWY_oI0L}3*>|@ir>|7bOUZYIX z_m2UD3oJc`DR^npW#u)YAM5ZHLZiM;UO>$p&Of1T{kW z8|2mRquet_Wr@ajq46LTf}W(jmcG|I3^Lm&~s7=tPE=qtf>KniZ?-= zEhL!!iC4gE+(6^Sm7Z$UIr@T4zLTZ7>LW-g6v_8HcBFDw($Mlt=edq(>&vlZvGP6= zW&ntCICgYZ$W~fUA5#j#prebjw@8Ce5zvo ztlz8X0H~`Ds{Prw22yFZ+8L~f*ZAHszsR|=5G&`iOrHr%_iY?#q>|!bX<%%}$GUDj ztJiOlAsya5lDM7InyXPrx1&E<PsZUTg3N&qt{E6k--s!QC?eOte{|HHQzZ3iqeg{C2G4E~q`zp*Bc< z$Hx3tMDFo85zc5e05Zl43Urf02qg8;>~kX_Cu}O1Js#0MXtt6>>Yg_g!knWD9nilV zOIyOLNpjtKpVf52vy!@cMT9=DIYy5F9w3~^jn~MH#qX)`3faNEs{&-!5W{*fD{ioa z=QoaPcxGH7qA!{X9JeJEz@euYwW-kG`8~LqmKe{g$XGEE)*#tY<_PoLdM=8Zm&W7c zHpkVomN`6UI&E%MQ4bicyLk;*F?e`w!z6(%e{7nNCM|O zZngAhx4Vu+;sd7RxDwBldmUTMy(KaqByY%hKo1PEPiv>7v1@KxG6Q~lY z9J>uc@-=)OYWrTGM~T_?t}k#xDPBOP2T@bacCbh?^wos6fM3yFTBsqr=4h}@|8R`x z@jk;jqXVazY;uZ5kl}Sr0Az}?zx#z#xImDEt+279I~D98$p>{_Zzf#_wFluKEcd0C zg#_Vsvbr)u5QQG5HQE(w!wL<~MsHhThxe?6YIme}`V~lb#1Sk0m~Cat+7qn5s>l$p zzu;*zZV6_vV&Qqb9bElfI}puL9t8PM6mKr2dY?+4LyPt>&Qi}<&1P#Fz3@5I|A#@o zayX!sMoRppOi61x4e!+(hcGf9a!_?p)fgef0^*5dh1_Q9A5lSLo6g>oJdm*MIs0Wq(v_DH3u}wj`NCRe@Qg&<57BL7 zb!7?oZaLHaY?NWG$ut1};sLnIW#}e(J5k_`sMLJUxl#Ej(!z03>Fjr0Wi)bZKTD!p z88aOgEOdxb3!|Vxrj}PM2GGSK&moli0pXpyf*JPL*hs?;O07KSmXP~iM1JP)p@#vC zF{CRU=NX2{IAtCt8$tXZSAc);*do-nstYFcAooh&hNFRB&7OGf^@N5`*AymVKfjK9 zmRc)g^*`%;H5XpTlOSC%HcDy8|A@3W&Ml@ZHcnSyG2R@Cf=GNd$ij0)aP-qr^Z0dmd_a+wai5s4D1>aFcGg zN*p0&0vT+>*bvS5;JfrG-9+XrDYMc#KN4JgB6Aq1ch-q&UH`ylenjWqFXB6yDr&ys4#7*QC(*W|2+_#a$k&|>`; z(Yen!ZlIbM@VyrPSgbNRHy(NaQz(PXIAhD#|;7xPNHKZgEjpokibxncR*S z5hr@aT*dTx(M5-fhFU*~A-%egpEd&QI0!b|== zML)n|=VTVQkK&!Ct#ul#1KT>Un5bPFU1YD(;d{NarCt}da#wjglxFK%23xZLgXS8B zOogNf=YX;&`&tDo4v;Klx*Vf>0J3c*bI=uQJM|7V!>GAL)DXqEA236#fc1c=xxM94 zX0425ilhwQ+ZJ`PEng#ch)88XM2Y`4}xDar;keABrZo0r+f{_@*Nj zIj$g>S;uF-2oFKj`pFhwfk_iG1;fdlZsP>>eC`F zL3WH=787W}qX`poO;&z`^-u<2kc1rjRo8GNO=l1CBl%eNTJTqXhtMF_2z@8tjd)K< zHoscAWN&ZbKv$?=zJ|DU0+a4k=6gm`h{6JBtm7J_b-I z*Jlw@4tG>P&3|>xOg**jIbvdypn7%Dr)Nqwdg&YW85DJO`To!mAo-O`U-<`?? zlc^f}Asteuag9Opk)~&w{B#R&JGQdJ#H&n!(GeRGs<~Q?^EmBqS%F1Y3dUNwhECO9 zjuv}ZeQHlWq}?SaSZyzYX_k9U%^i*Ljs+868_k8~OgTvNv~Ht1{GjDTMRk-CzIvi&vo1=7ABB-~IT@rAt zAW~HoqC=&|WZ97s$-i1LLHJl&Kw_kiEk^z=roln;Rj+gu?7?{F#V7oaN?F1WbfRrA z;{?BK1HTWva59wq?W`!L8Gp*(50Bvz+^cT4`$J4O@qOtVfX7x$)|H%gm&W`xqniv@ z)Uf!wtR}fK;Zu!EL|D;XN;IEVL4Dzh+BS$JnpQinC>&?)?Zhi!$_utVukB+6PsvLa zcp+I?kc>P#IFhNGo(>n@8;T)O%Ce4@roH-SY1pOR8{LxPn}Z*=HG>&k(jKB+NZIf5 zuI81v&xNmymx`e>jMi97l648pIFY;bgyB`u7R769AG*CfjQ=V5A7ev(G~J;+If&oE zjp1n>8e=XMyziL2)}dO~E>!BR98{Nxkc;p*4)h{7=D!kMHxdj^+9OSO3CR~GQIXFm zzpI<6l_+Cj1^MXdH%Lw0)|SJ@!O_xDUc$YDz3rpKVyQ111z;oLUEv4>qk#k<0L-w1 z$946+$il#dC>T|)#;fJ_HTW+zrFwOv-(e8K4~VLa@T%0Pw!^){ChM17cHNqrP5a+ZysLHLvs;frVsqr5s)9G!tbe`eVjcb^IM{VJ{{89? ziszr3cB%XQwdEfaSl~Q%HQcTJ{&?|UKl+0Pdy8j!OJnfnLH-N3_OBN=&*slpe;ohM zmp709=ZilM^5@Gxjsk7=$4T7W_g0Ji@y^ZNVS_(+`P&wMzIC%@Mo$gR4Q8dn=CFHc z#*{fXAKpKXH?k%$du~>07rpcEpZ?iW)2FAxcl?J>ZtnN@_qz@Si0J=S}Sj{l;@ z@xvoW|E9*#4MvEWv+HlM-jCnkO}FW1Y<{%qXm|66dw}=uLYejGuVF=Hu-H? zgs^f%p|F?U6gPP>jE8bC*Zn!m-iiaYlD11ZgXxlE;j=E441gx;V!Gx<+@Ft+y*Z>ax0=B^YQS+TM;<#5)mvwJ^W-m55)tt9(!WC6uuqz zBI+)H6?e0;AC0+nOLXuBqagJAOOJwV!h4XJ>2JzWq;`!MWOn?mXWC(hGH(L20vRO! zW|*B+nuPH4Bn4&Vr$C+dmQF=AsMT}{o`vS%YcW%%DydNNc^rXsLV_?5Gx8>y0}vEV zvcllV5Rr%_atq^e2MA^0$#S0kBGsnG!ACdMh{4>^a!V^BPa6U2<^d)1s1_hdCD>z1 z1b4??w_-XCY!8YL{#BOeJ F3)ZP1Rx`a05(n2kI#iyAsLnAB(E+$kDMMuogtg?E zK$f?tixMxh_?sFPCfoW-$$1_?MRRkOmaN9PUH|27Lcof_`ttq=8JY2xAcUBHQ}@BY z*YqhMy3Cl-WEv!{pc5Y?1{CsNCNGzK45+q^G+Wsj8OZj=xX(ofo|6aE9+e+34e-u# z4&ZYI9%on<;YlSj&X9wZ>&Z@}t~?MGoMd`gO2cuU<;e87cM8A3@4*?8yMmWaLCxtP z-$It*9MEYvKm5U z429bMu;&gz;O`a$xlx)76qBIhL5*p6lw_qs^W%%fo0<$o*ZmVvX3-N;dL1|-1P9Qp zl8>aUqSxdOlu=!PI^U)Kj;9Dmq)_Amj=(K~Tu!-?EgI|eF0&r0)VEJT+@*Bn* z!DKz&a$FwFLly=wLVhhA(sBZ8JMZ(Y1c8hPa6u*tHseeHV%HO0;2p@QSzeIefg44t zy+t)1|6Kb6Hmw}8@G(_@_$rHF2ImLBj&JPj(kyT+j)L3}O0mrhZxH(9be{l5;$0tz zX%#sn-G1ff?b%7!btd4+wo8@>E~sklg~cuvg!l22D4A_&^W*#Ji1fdP>ofoj3j6tM zLPp2CJP$ICU5|;gN-zs|W5c{Oj9X1d@aym>pYt9CMBYySXL()NI^j#gi3=c;#zpvF z@n#pLc*j%W+>Ejb{*%RXBJ`$cz+PqrMnZA=h1ykgW5F_vMD{VioBRZjt;SdI5}BtS zqd|SOn~;F*?d{DE3&WjuyvTPipA-x_fM@eW^Mimh$up#Z51ep-u5#bsJ@D(bLBSW@ zb8+ZK;Hwiq;nyw0&V}s5yaY-Cmd691olrxaSa*tIGb_yFk;N%basGrG8XdTSAMZ&a z;3@e}fYXx4@O7~mzW~pY7S6`ls8VhNNh$moUvl^`=Gj3@FYiNgXW(mYmKvVX^1U=X zsBR6mIk!1qtUZMdWf^%Fu;Dw3OMvwj_~5FCuh3ppyF*b1B}PbZehKywl1Y^|Gn(e& z+vOtr3d2@RGaI%Hq-oikd3?92Az2i;H^3#xgL8mpgW@g=-Ao#YW z8h%mJX|{)hm4OxBJ4m4Ao{|)=@9^8~8RM&*@gO*lh}(#xVV!(w#`c(&7qO+ITpEc} z!E#vUwrlWXcpZB+INX~cC6f2Arb|VvcjIKf1{aExMdjput5|lOK|+6eN6A_=Tlzx;%9e?o`7zRYsgy8Lp3)yuvMOa5NO*$ghtz?U#qXH}U719Tvg=%`qOF&Y7 zNdC69v}A{<_hs>R-wxZ`u8*RDiO_ae>lS&5AfBtSuN8p0H#hWUM}UZnk8r=M4Z&zY zoqU(`4Ne4yxWLEsTaxTO4PJNTp76}G6B=foJ0w^`1MnMC1{EBcNHBTmU(jdwI(^gxB>ao+_h<{T3q#}8TZPOS2u7Mi`;WKd@` zU*oo*+AoF7t0tOhvROt6M*DmiLz`qnC_>&P_n`xG3yom5nAJW}p6EzG{wTRgNU(fu zSi^E7rOkjg-j7)hU@n_0?2pjEZC8KjBnFZpPR@9?tT(K1yHbjfbEe^8PIGyWa zL6(^vBO>@bT-{uQ<<3QTXz+-V6Kx3xK87N&WtvhQDQfvlstw<_IGFP&&NWm-Tkgj_ ziomVhJadLrXJ#$w$x+r?seXwS9~12v4Gq9gc6^$6uAZg}=hz*WE>z zS1nW>8&aqzv8iSI68{)5h2v6E>(}3Uvn&EvzPNW%OKbM$jhmSo}&B+-E+yY8*ZPsKEO8UI4yMNnWmsOuhW zcr#Y&CoDUBnk>hCi(?2e($yrbWRd)pFr-5*PIP9AaZ(2<=%{y;N8pp<{U^S}X;@EJ zi6c!%%l!CX!Aainbt46I5@`ArOh!1N?iyxZ>U%jn&yY$Rwm8yodwoF1r^~|{f9yzS z_v<#Xs3}v+_K1lr8~$NP9SYV1v_2G8Fjxh?+V@OUX2v=+sgT47lf1;bnm< zxVH6+*2i%Cp2zUBruakmbestFb9)J(2)_2rLC#C^9nMtD8pD=1!kY5e@y3U7dgmhm z3niVVn~*MQyw9@UKIDp&9LCw!f+(M zMo(Kb0x-`OKOJr}jErWI^EdGqs&Db&iGn#C;Y-8An!m+Hu>mlh1@aZFm#@H)Oq#1@ zv`WgRyzgSJ4)^it0{yQ3RMt zWyeU0yb=81+v$*o3$T7#rzI-LovousbD*BQcm>7jK593|7sr1l>o=-ETIPB zwri4c2j~77pbT^eJ$BL!jAESG;9(iHi9kx4P7BJm8M-7o#0{R|sCH4)Jpc5PA%Fn< z=ZTjC&46V8o?>IJmLyMpO)o6wHQOC8W-KA7Q!VDA0XnTxYtBjqv|cqL=O~^`No_ z2yx#c9$_=)TKdQq(;!;mem#=?ol0j)3(-`~85Nx?qUP%t<`j04-#*6JB&7%3yKkRBzULu~gjgeW z@6CCuOHW7g6P5Z%G8F4AFtU~OKC}hK*LGa+BoR(>i`5-+PNvw&&&QbsLs9diVC34o z3omj6P;EafmJKqs`u397PtK7w;WqXzG>-Fh;0<8_zcF-QOD)yVN|pztnin}{01LYn z*xa0er?S&Nu45zfz;S58)pXp`)q#{2PWJ%wEP&-j$rQ1|`@rGO=DU?-6_!Zzy&YK2 zDd@n?4LFs*DlXLxjwv}*$(yW}5`HcD!uT>rp2mQ7$NM1c*X~o755V53C+|>xSIJdA z1*XCrY?LB!sH z9x4Cm0DxAmdjfLq#Q}qw;oQn>I;-j`CRWp1*oi^-LhVh0D(Q{VQ)x%~sJ4~0j zg?w!(5SDp=Nq0*H$u`iG<`eFpBKaXLZl3ooqStA0*$#{798lu7q|Dd}F4$~D^J`SY z@A1BEZzm(gYIi&4r;RhC{mbj3V0!zQ3~Y&Ze}sg&^#8E;?r~96|Nrq3OWyLX zrIjVAsg;$Lm6r8=tw!1V)93qpd>_Am-|BI8ch1b5+nn<{ugmkfzUVla;9G5tC&J1< zth~Juiyvd%ry-ew0{ z9FU3uM@L6|;6%3d`V_~;&9P%`13? zAhCd|BMwlEOu{{~OQ{*vY{n~bXVXbWxW(DXCFG=Z7X0*?Y2NYXi{7OGtq@D)YQ720 zWkWM_5wL7>U%~dp`C2Zl+aC~1>XTq$`>w_|Y$11?BZ)!sAb-6g><07q#(hDRZP`Vz z{Fa{`o`?jHQ;jZ?DPXp9hw9ftsNMaBHDsnR-+qh9NRKl1iG;}CYxp5?0nhpk){%$XD^ws9cZhKuZ0TxVHrN8&7p*B!d*`C zRj8>zJVff21mj58B$e-gW?yjSfgGcT2{N7zHmA_5yg3`!(4Tlb%*X30h>z{2?Z2ky znM7t(skZ8~vDt{6ubCetp8@4We=^FL5Crt6TxT*?c!x?W$|u8$lB_k%HLp_MK@T8B z&sOVvl5QAh-BdB+?k2Mf-y&0pctlTM6c+&G$XJHO#5^hi|a74(7GP?DyoDod0Ou7%hPDprq9WoL6wL|a`fNq31T-y9); zEq}f;KtF85_JHV$-FE|GD%IQ(dfXZBY{SH>^|Osnf7h7Ns`8h+or!57^qg3CNM<%S zD`tAOX;RH1c3x+fScS=BItWASKW_a>*OB zoHtj`z%hokFQ0OKz2n-ccHbR}JKa9=%*zKgA091Om_B`EWw-QSt}d3{4>r6W+Tmg9 zwbLCcy5chds$UwjGZam7Ct69Tc9a7QGtVTE)*WFTRgUXtI@DTB&uiod$`x*Xyi*$~l9?lX`qkkp5Y+%dn^ zbh7lN_BZtGSHmprHL(6-r;=OGSLsSuB{wWBowWIIaqsHg_dak>4lt-bjH*25i0u38 zh4K&kzI(M{S=rNfFD~mh6)Su7m(^b!=|8WRNQKU124C{cF|WTgV1eU{O9K~qEYA*l zuBu~6dDmVOE~ha4cg>+ymlUc_%ZKe^hpcQmH-E@%Rgbx$tG4t|4sDz}>;0kK78SoR z?3I<%ONVdT@}9o)Wq)5dB1A&kvgarL$nD2wT^d=|SMFVr!D=%syROXYJ*w-i3Ga{E zd+)u)Qfa}pkE7qkkum)bP(zls4f?V2V5{yZ9#tM@XJ4p1YJTODv4PX}_ZjE?JRmv zRps|CPwdyB+tp>OrgR`)ZwTb~_Ux!Z`|D3LzxtX!vpl^2bE|1MC@r=oY3HKT4B*_w zk_$5iT&>x(d1>Hu@+05Xnjrq@>M7Gx)%BK=tA!n9%{$*;%?Zm2muL3r5!W2@jsrNE zm;QpzI^>+R<{?v#R?f-WSxxLW6XQL;+RrWzY_5$OyrHq&H}a@&wsDGjz#P-F*#qY8 zKRWR9xrw=p*UU>=b7W0zSmF#d$Mib0W`3Ik+1~CiA3i!~L7(jK*3XNzZeAOC_Mv*vqD;+w zuHKV1^m_gF`Z%A=ms{4(KM`no@D|vN|KH}* zf3@4BG3~oD0gr4pF(du-1wF=Al><6F%JPjISMH|*C>k|l)aZ$$U^<_pV&*)_(EyJR z{PS!S@hCrJpQ&geM^a2(n_H+rs!p3S6)4vV#vrPFW^0t?M!DfAWK*Y2lQHqT3b|BB z+<@pc5K9oXHuuqA%L{9tY=!{esBsg^$3AX^&4g~7!g62@w858+kn3Lx@vjvv@KaH= zAn#)Y?u~%DAKJc!Kfzyh{~xI4^Z@4QKY0{dPDZI8XF~r$MbYvr9BY*A|6H(?QvqTh z{!JqSLeS#){Vo!s=bO1`GNrVVejp8TcAhd`!p+%Gq1BEd~ zlF?`yZBxZsuvWDwo+>1JsZc!D@&O2b2SWluqD4dpxF!Kj~%{@HU+{tUO6rHGgchp7iytoq?Q8l(0!R{wVJpdk`Ihq4$=W`m!?NOk%kfl&v# zH-RG*Qws`83ou5dlo~Shq9VxHLKsYiI3}bJPGR_!4ONvEfUU3q%#w6kK|w*UUhrQj zBxM1zTzJjjdO@rM1%$CtDsNXn{a5JDgz7#bbX%2{FE>N$t%v`h_59WJSG48R|6Z4W z9rMQ<1DMaR{>^c4W07(a1tZ>1;M`)F^^0165wQa2bJSzT1Hk_l4f?Q0CRj!v<0n-0 zTV-)qzX4Y)K)@Lt^N9U`Nka}p%wq-wxJZJF9+`3BB0p2?BPs+xPc=$2_<5?46MS#? zqNqn~uo;4rqMazwPPhJ>^fkqrt_bnli#Z8Krobdb0O=|aCeu+WF;?hBcLoBA&Z-QN z9ZLg`HEHL^BPN#z9_u`mN>wnUp%5vo3%IQ5g%N%h>zOErj(BW1_C#<;L;Qwg=T=!S zJO#uD23CgnPpL1KS*{Ol1W@<^o(g&!N@3gvOQ)%$h9HgG;HJAIdhzSt4feV?1p&?lkAiq5J2?|iFoXoTH^AZVrIgf zT)kAja}XWm=SE-3pcM-x?#f~Z{3AuY%p|}wnUUl}*g;EOg56l3kFCTc@ zL;$hi$0^7t!7Y~HqI9Ubg-#T=p~_dK62;s%@hWx^S7v{j&P7694O<93GRhhwwO5i6 z5T-#F^03ifp-Q!mbs@Ta8F*`FBRZE|Gw*37P;rG=`|iPWN2$U1&84|IDE585z0n%& zTYvT&HCUocHv1aF9vi>&?X$=fUu~nBZo8!eePR#MSO>+Z2aPY1YPvEbq6Sxu9b3)! zh89hAK8 zFoy>N!dcJ0zWXDaccRLQ&bD+l8gSz}`67PP5G_V2;SiJ8mrO$`8=V0EK9*}+Wr9!v zyw3&DgYEgjLBcLl-}Jnf5}!v+&%sy);d>FS=iA|?1x0RG8fhF5M5j?Vz2OM1BtD@n zvp`*N(m<|z`fhOw;))D0 z;&jCIGQ?CG$XR@E3~tw4A3-PWLFV3cv~Q`n9^H7CHu76w0C7Q$i>Ob?7-87u&$vZs zhJ9G&S^GZn4Q{x1y!ZyfJ}BuMh#N`kvnnvH7YD<`Y1XSFry+@tSC(YoZ6?hq_2fhL zk}NZY(v<*i4X3BaxNn9aDKihor7K@8&PL>P_9?d=f!Y&-B-PfwQ(WH?z{$tW>Dx>C zLdh*KeyNcwfA z-jT`_zG;+L2^zebue|Mnn8oLzqr@dJG4k7#w%}l*ffl8usOBN9mzJU0ho%COpN4Ah zvwEJ#wZAgaLLGS;-rU|yjH?21MkYoI^mha&JDFJOp5wZuFbIE%#_OkQJqP@p2(#7F zI;8(nO&Ba|C;*$+RMO;T?k6S#90K(5p^sb&5|w}tGwfN$j6Yz^lTYxVfd3T7`%jhD zAz2M4T_cdpV6&!#bo~-4Mgpaw_282}s74mU`% zurQm7Wk+()J34v_4V???u%~yv8SxjeXOO{Mwi|Kv@@O#Rl3tBs$!g z2?+lLoKq}btox4UpF`gH#Cg0#)ROW{!Np`V*VN<6%MI5A&z^Rgi41mepYMnV`K{+(f^nFvE)09cY{QV^q;RwG{) z6YZi2;|IZpb;dHa(5`xa&ChJE8={9L)5pOOB)dJ-J^*8D9)$NA`-IjosO`RG^`?lSu+z%NgUhT9foDIKZd4EAzL9<+gT!=VUDYLFv zK)*pUZQ!IbB&&=cQ2Jr&VS4TW%>rZ!*96N=)?m`~Zm8=I;w${guuWlzRdr(b%5K9fFG6fE9Ggc>fA%xD5t0 z*ESg7QhF5NCmAxO$yjSpJ36~0B}yf~v0F;6YgUA^4#}i|w<69b3wP-r^tYC^8r&Iu ztB;_J*FvT3q4FOv`}~gKz)I7Q4^^Y9SX6%E`_T4zP2F}-us&f zOm@*?Io8Gm!{rLB4THEB*Db^q%B(|8uJJO4Z#7&nn?OASz6m}7_04lPozjGagvAa7 zW*+?vD(h5$zFRP1g*SxmUDAWeLZeIvV)%1Gaz7lW`7-!kpz+yYTy*a%c?@m4ck2fCupmS<&tnTA+W=7gSJ!+a71zy+j_vc7_tk_)NKsTjKT8D7_h{0CnBN~ zbIo*0&4|oxF&H1-DVCzlb;z>^LKG8ldhtf&Rl24}Vh6XFnM&8&7OP8sFx9I826ln> zAl;8`ty!c7tfj#r+xzA0%1Mz6p!wWNK*i8YhXO&dq;E7xZbD{YsnIIrg8JU#vjhkI zS79SpaAz3SKQdM$c>oAJ(ptn{Q{nb-G@s?R(i^EsLWU(t&5cCS_KYo4pqIro?s6nI zi5BoQJ_vIeR974=DG2emK;vz7NgKR~PM0)++%|x*Y_xXfs*OKtK|tj?!W!F%xOC1) z$I!!sR`>7L+(NhQt>nX=2P^j*dj^y9=hB6Ui^GWo@V!WVuwcV+Oa;4?4lg{Spvxl5tbhDpsU`vjQ@xb z?$&%_h+~~Q=W{>HAQhsEFLOPvIO&rXpW4TwSBB>XdJ34)^l~%r+L3_g6SMVsjO0{! z0fi1PC4bV4)-q+@shHt4N}S4=z0=)hBtd^pBP>}Ozd+EKgZBV{gL+hX`R#F130kLQ zc$X5(A2KoQjlQRIW;U*267euAm6?cc7_pU@3E*H^vjbfVk@gsgJJ2PV)1RQpx!SWN zvo$t&s9EIn}&iPbu}j*2?@1vyBbMn&v%fD%n^b;9RU0f7TiR5 zABQ8ZbZZ&a z#>VmAAnzcsmu@w_ss`7oQIy5zRs$S{w+bkspXEOd@lIq7{8~5l z#&A(a{7vL7Au}#7B+p(RqM;eq7i~g`1BKQWdg7b&0odFlf1N9h3fb( zNPQs5e}d>bSUp;|#?$dR+9+*NaF^-Tw2A9&pA24_z>pB6>YJKZefC%W2F7)C)Zl{} zs$WT8Iz zCL@Qw(PVjB)9gd9ypV?ZE0}wiE{8QR65eIb^-NK+uGeJh+l zhxF%2`W$P+$C>Ah3xi>Qp!HIkZ=>mV9C7)rk!5`Zvluo}8Z8f75~gdN3**Ay(7A!g zSW0R3g`jsU#?$+xe1&|YaEOB2Y6~F+Be~W$vZw$S4f!@d8PmqBqsTmkdItO(tJeee znaws&ZMjYz>!;I)h>HVGT8eGR^`T0nlS{69I@OM}EYLKswuwo3JHg#yn|78i%Y~%s zK+cTgH9x3tn928CD^QJ|w!p$LfngW#{JN%fmK8x{XiXY6lac&Hlv{|-uA}Vi6n+@4 zDK->dX%E5r4L*Pm9%1M~mS1tBw7T(@yd-U-1vmJ>ZqHL}aYwpbLDlcmSb$IGfIJtn{^pje#8uajoeS#;`=mt3a=B8C^BL>9VvW zKunH6QiB4exoYU`r@;u$3#mu zrB4Niw^d@#q{2(c_H>MR49TCC9*>bP!0%0{=ok}AzbEXowNBK05QM&){-#QEA+*Tq zojy5U1L3qo9o%#|+Yncj$B$QX-m*j_f?Tr$Tm4RI`Eg3V2jb?@Nv6{w>|EwZLml#I zw^-y&;vtZciEJ>0^0g{pVBs3+c=vUVTSLdN50S4XBPZXy0nBUN*$<3$dj0~^UIfAt z2w=`f!ZISCtA{B-I*Uw$DL}cD-cy){QA8ZO%SKwYBdPjCXHPy3B4JS?b<Wn(azF`O3n6=s!aSU=q!p-VE)Ft%d9BJ&K`l* z<9kNpi$tRSMN0lkI;LnKpovOS(I{h(4iFR?0^uwB4xkFvt2KurZ7P!Ajp_q&T+td} zf48BkA8}H?sNyygAB$(myZ~=EX(uL<@w-{wm6nZq?o;%MG)cjmgSZoU3ys%;tj}?8 zQ>+)HcX=GeW@T!;3#6`yYcLWK;NQd5(t7>Q5OOd#nG2`At~ko#C4IdBzx5qz8P%H1 z5htpv7rH(X8{%N&kS*3D!_V>r=?F@^J0mLo8}*>TU1TgnO4$eba)Zq^cp@se46`^en5TZy^17p z4yX<7AC^b@zUOBt`GP=W0fpl&W3(`U!*t;YCvEA|B>>8}NocFUSXkl*gEz43r5=Vt_RFH(_Nx1r7Xk5pU@ z6XpIr0wm{;Ra_+qM1YMuNr@b$L2Bdq;5`+#{sLESnHvnFLyXj$=0r?Bt!+b^4h4&Q zQTZ--^WH(_)v!-B^hN?$`Mm7Bu6hO zj==e8Nb{;zCA!#Ic}s!eGq`8~5-lskr56+`L1fw#u18E}Zd=3-r8kJbX6F1V{)i0u zpdIM6@~h@^Fumo|^+Pi!liJs#_$eyw?NBD6{(CaP;tH{y3-)!d=|c}ROduqtYyFSJ z0LyK4{`L^x1l)s6Vvq2XQ2hgUJfi0?lYEN+yLfTUrHU|=Sl7*Y$u|~#1p8?`!#fB(4bt!#ikfB2Q{}f^T_c49CA;tr^8xTU>ka5ly30YJ$6X3w z?es62BnGY0Uk$IgY#mRhnr?<{@sd&abE-|AL`Ie7MM*({B^R`-qNr>!QrQ?pMR^a9 zz9y&f4#jUoO?D=Vht`PYj7g#;Q>%@Lrk&s{rP&)ovo-sTZ>z~Un)9I`Sgb+XXGr4~ z4gWIIR+BUf5i_QVB=rLxeO530>~z!)rJu1+p)Hm{LDD$PMj4ayX|XUIdyTYbu^pLD z($D7~L~N~blXWq;+>63BZU}^cl9{`PPNxXXIWlY5O%udR;1Mf7pz3 zxlZOw`8kM9mOG$nTRyUpM$xR2Q;p{+X{%O_yL{W$B*>wS*A3mz63j`Euy>&GWBaRZ zg*s`N3fCA7YHowH3NUG5yHzh)-;;TeOx`D9HuwO^hnOgFkXe3fBONlzTIzYXPn|qx@^_X2kX9+Xv`h4keFqz3w`}?~Ln; zKL=8to)DaXKR~ZgYq@aS0IFfPcBCegRv2uy7f9Ie;3iy5=(vs2DFr@=H-Se}-Awvb zOGL1|8@)OFhXCytnygolCXI5%Dd=THjPqz_r%=2auh5iec#8t3F~hjgpa7E=BJWan z7X)e(c{S4w_Ub?+=zTzBv3tZtsAeJ~v+79TTYda%M?-VdKur*+yn+MdS4~sH#H~nPiMKGuu}&pwQ{jC0 zf;c-^nx~TX1>>1UQeBfLRR`cX_3Nk^)=Cc4(PE>@2XB{uy{&=$`%EN1V866&GRxmG zEWayIOww6C0k+Oi0C+1$o@TB`x`phX^*biA4T>$zFyp*$VqXFp?*wWSTV>X#Lz2@>0z?P>6Iza$?O$dbsc2Stjc@pE}XGPL>R>ZWtHPe^T;TA!!MO*3kahx@evCQ{7}#XU@_AkY+Z6&y%d zIM0T|=#PyZdRxAs@iug~cpI{L+FGZ}3f%X`S$KPP1``WGnWICn^Q{<0cEam$C&B@o z$piLawCWQY(0W}QWvIIMwBQ+7E^<|=w`GEP=^gPSH zKyG4^g!M4!fE!QT6-^4H#tRJ5cDX#5)A zq70zK_b!9b&u>B?n9`v6K5W?g?7Kx*^cP@VvkKxt;_e1^eG(ivv_xDO=U>64{5J6U5PU`;tyg;SGHo-bFtCgFu*88{UJc zgX(G+2=ym`0yu?FC+>EkW5g(2TZ7loMp2LNWiv*w)_kpEm|>Y@s=6Y4)Gf^jMW7d7Q*e{w!NT)mn0|G8w%Us z?J$GH%cGe((Op8et(`#?=*y^TV~v2`F)S(;RQl~flxO=@%|yl)rDH~s2@ve?IT<;? zNRW14Bz?#*gYQm&;RQevh2GL66}qL5)znWix+tPLj(5$(JVL@i*{=N9?~;_p}w*sECG$}1(J=M;7WZ|rBN5Q_8?Q9K}A z+ewYRKrp@Q*KI|8w**|Np-SS@j za${Q^a0Q=@hxX$t_<2fkNuYcWw&OjF(@DB+&n)6roeVk>_7dnw{&2a;^gL~3Xi2Y= zLz{i3(lB_9@jk8uRN(u9_zkiAaWE+u_uHjA{d5~baC*^BP!CqV-`vx%;r18SlFGxN zmt7A#)5^C**j)`lm9OJC_X<_zCMrgZ)mN@2^2-`g)hd85w0YE3F95XKaloAN;~d|& zt;*I~S#A!Q?mmc2Z<0(a=onK2Nw#v#=RH{4K+5wV?mHMDiM{ofObxRH^QLQ|bfU3| zx9pGB!i-x+&PxA=pjQsH4doi5fFSj4A{4N`*rCnq(W#18@#vKi`{n@oMWtF_N9&=5 zYAbQ=ZOvQS%mrD#gLo+MoU<)Ev1*KbM;OSqVpGT^LT2@^9D#(2i}hBZ=_A+U1GK&# zC`a-BI!RP&@h&PV>pa36DTA~&P{MkXq}JwzQGzrT`BoU;RZBNX-*X&AwWZI{zdO&k zlM=;=$hceWsiTKcx9KhxCQRBOu~D4wa3?yG{t2eMY}Rh;7wv8rz?xm{0<=@Z=)UY% z7z2i`;p)awuxk(zh>1XKgzo5f1@^CR4bNed}pM$zD3vI|kz16ZF^B^uFphnh11_TE}hJ7ijp^N@cB5@IBIv z2TjINkqnRD2WA=%x3s2N1i|kE|IQtoMKMs`f`7(l!^@_hlIY1fq4Z7X+9vQ#p>CRP zSYeX_ChP%>QK$!77cv1UR?aW>LDo4C3BLu$z_PqL`k0qA36YWsS=dqX^- z;NrYT#Q9jPB1>M?bO{Fe>@B7K*PyIgBo296lM<-{b7@E8t*Cqn4Lb*l@R_KxzuX<= z*S<@EvnH@~zwl{ZXXVeHp>u!Co~Lof)H~duwQtpUilbRGRdCpztdU zFRL0t*@{d0xn4)x_d*H(KpX8jU+SA#k}@40XxS6Qh?lyk zEqk2BV~}uIUI(@|Q`=x_i|{7(g8S{n!y;#4V*wPPk-FLw;(Ig~->#&=;6* zd|kIEW==$Yjz|L%5!U{q=6e9H0@&D*gf zoX++#RWI7i+J_=rHbFoY0cGQn?d}vYS+Oo%P)ku@S-o@CnrE9D23w8dZ&A)}<_+*h za0JoWjKy0n2I2h6h%TD|K=8wCoXt~Df5+D=4g>VME9wrw=Lx@2$D3{Q1#D$-2}0ma2e5y)F)1#;`>hJ)ei z2a`KU`&LwDO)xARuQ39FWAJ_5tMS%wMy4NPv+a)%n8dgMJdc>nE`X0sGq8n>#Ea}d zkYCGF46WGb%+<_dd5$5$&|pmm)Z8V-76iKku)Zb|x&dz?&#P>LdrXK)2qv>ipF`^& zcw2J?S)ZdUyQ0Q!cnW6yJG8+65Wao0m4vO87$MI<>-B8d!|hUk(l)<8Yws&U3AJseo!iS}GB=^ZBt$;Nw5E3zwnm)v1ZFoj3 zM)^aOb3=zATUoI74-i4@;ldzoI~|>EQIItv(T3bq$OGSdFfbiw1uEzPt_vhOcjqS1 z?`2&Ngw3N6=8MyJRs+R5w*a=ugMzrH;Lrsm5o2kPcuEa1JFL`GCI1LhWH*(3lxD4^ z);aQCct4jR&n7xrT8=y~nKm-wi^%f=_(aU`TkfKBD<<&WI!o!;)n>w;r8Rc}B!3f~ zCVU9m;Vo)(`{W2=uWNg-Eha8NsW;5sVQQ zmf4ZgWW>=BTdw0l1yaepEZ(PWY2h9W>_(NrH|*NXV6ijoKiM|!uMsyC)DH41;$7s+ z0U4bSRrvBnxEG(g*iVHP+RIZtX5 zC}Z6`?@z7(!gVvyRxH(wtm#ZU@2+AhnTMKrwD#>V&;tNE5GKF(`xLz%rg6yVjGj<8 zD%SPC=rA5JYCjIjH4fa^L3f#^KXNYPWP`A;vP?wH zUjxAQEE*Uc#BJf+SXhVNL3lOIHht+0Am8Dh1&!%J+*m49gYLMo6b3w)V)qAn>nuQ4 zHkfwd`QX6cIEgj@PbNQ(kUA^*Dgt~c)=e;mM1betjcQttXYwNu&?dk%JrdO_04W>r zd?7ep?>%KLt5tzd+gj9AD?90XbUSaGEEzX?jK5EnM>o&1A+>R6Sms3lVlcfCo@qg{ zlFrY3*hzLnS9ituz9EKZupDoQmL4E{pEj7bX)>1~ISe+kXtBf5TKj;^bSkviw$o*tLG!bbH=W4fiu~sK4)fNbJx9P@o7-x?$z zfT7%9E$@MEc?!+RO8EL2@@zHD4+Ym-&w62Nh9UcbKwR&b za1-g95WGg~4WarKN(ja4P+=h(_-G}MwxJ6nEKS$yh;3y1`(Bp(pO+9oMPjWZJF_Wu&nZG09>$(xl zKsJTh!95sNr64=njCQF;g(l}sIQc4nPK9f!NO1>&!Hrs47a|V;5g<1}?h6NNpj>EL zLxN>g&W0Hu{7zi(Mo#m)nnX*Tw9?u(mPnpk!lr`LvZpOm0M67N8_afZ1#leq9Q6Y| z&#SkLC-D^HxxT)i%j5a}D$g9pS6n>+tmpvtjYwk>=&5XyrIMy+mJlF1qXLOgNJ+tX z0(Bgmmhe!UGF03cAqRu|_5lFtw_7Mu+c(INDmAM_o5Jr-(%N)8+<&yE&l9eKGX;=8 zJI+wAft$Egb&y!gjC3U+@c{VNT)6X*F)3Ii1GyeB&PHLbh}Kj6kDcHO;p-U1FW+k%%W4*cfahb?y8@s#0l#5$QMk4=l1>ta&(mdK+eCV;(ICPEzo3efNm-l)iXqz|+W=026Ex@+BGH z3ITsNUjn>$-B3k5xy15S7<<6DKN*mb>R9`p-R_Q<9w&CfhY!O0Y7cZNTbZ7sArOT> zjs3A73;9tB$5c6n86j=Q(qJQC!I8eKn~0CV%m8yUeNwtbXg}0~gt!4~&ue$S0Rc7K z?^j|46J4LbM?t<}eYxZsyWKW9$sFES7IbvK>ihU(wC<$P{HEm=`EV~ezNsC|&2(=v z-q#N1ueu1^dc7$mh)ihe&Lo%y1!=B_n7XQc?U*>*&7P#pb-=)GG<+!XWittxH}$?8 zzXRps0AD_1wDbtYA2I8U$`JB1_P8^PNg9w6P&*qBqdb-rlKkqh!w_qjZ#ojp4i;C_ z`*vkMpHh-`<(_u1T3&|7u>J57@6X5laM&qT@alGz%309`Vs+}vbnZ1W| z^&>*OA5G3`%t0IVr$TU=*ceLAcSznBaeU@dmA4KXoQ(DD=MPss!7 zw~-xkyCGpKypLhr7IcJP!&Gl!o|Shp3xwA(!!|e0*Itas3Jk@cag*Gq2;nV4#6~_F zbKB`tBxeFyu-evzmX3#_;d~U~``mp&E4~Yyq{Kkx8b3+#@GbtAR`fo6xxrIE58#LJ zF+t(*f`sgyguBjl+S*vWqcvM&4GZ`O*gGD_WiIe<4=#JNv5l$YyMQwt-ikT*He9qB z8yqee$_*<({Fm;aon9i6KaYTEvEgkpA@e;f^aMPGX8|`;C;@#ogo1GWy~FG^O~>_) z5R_Qa_wH^Rk=Q&7^~)P&JU~e+XnBP3nuaPE_Nv_9XbtvnPK!+m!J;Pwe}`Y8hi`v{ zZnPXyYxk(>vSHo9Iy?dP=Aq1R}a{aF%QkCcrxrG~rZk#OeZZV#x*ljR11d@2AsW3(qTjS^8Yq`?Lx>F;_p}yZ?rEnnMy`m57 zACZp6uJ|{)f^MX5JKw;!jcGc499`q|Hjv%870gVq;Nd%P2oJ^I;977k>Sq9BE95e7 zy}xf~c$SaVYeGE9OoFzzIx|5*r{B0bU`Y_(hNlvpCL|&5HT*GdlfM<=hKE;5dYN_y zGtXU)aIDlLo|S5o0c+{StQ2HgpOtKlwYy`-R*fu&aHqZyVEHc$3U8`1Ab`*x71shJ z`FBj*Vy*+QRW< zLH%&WEyeKl`o@kN z_BYu=%kv+Nhkp(B{YR4vDSy=pYW_rD2+%x#&Ir&gk505Sgy8tItzhuC z`768Bk{w#~&s)L}YWev0-T&_wwA|!>c_uW)U$uR5ygYhATh9D*TnH)usPO+bGXA}~ z|Jfu@)aS2{EhFszy<#nQ|G!`P*Ms17X=%(Ydh&~Q1Zz*`%Uj=*gN@s|Fo+_;KgSCooq?-^h^#V@Ho3Jnk_l!-Mw%bZ2HNESndf z479A>4zLV>IPzZ!=r7UluSMv;5|E!2>Aw=tBN61u1?RsKP|FG>{QHX9vOxV;0{U}{ z@uXS>PyoQGe?mA0{&_B{ zLhHDVId{iGb%8mXFLIJ*s?&y<1P&-bt{FX<}M_6hJ)+ZQJ4~wLE^jD;b5Q z0zEJyqS!2TN?K~69fhPi99oD$4HHFYYIy#9q;fd12k`Mjgj6vFD3{+ts5k(yO7!;IB+B&k*M3IiQwkJ8{St5ZHdpZozjM}8$z!;Oe! zcNCz;h-t<1AY3MY9^5NA7yPP4CvaVi!>h${{$I=$IEvjJB8mXmz`N(dmC0=jM`5^` zn4A@XLj+Ms&X=*;k(vh2@9Qs+`E_X?UNcP!jDB{fwZih1^w|3NQe z__^?aLM_4}M4@&%+Gdp?wFL36KS`sYrpXQgN~4Ab%atMi3jTvaBun}5CDpuPDys;J`E~wF~{eg2RD|SLOzsJ za1b|e8^dYj81}1F=+7qRwuYaj(gjc`L6rC6PJB3q`lc1iDphK-=UI0fq!OLw^WBk9 zJu!ti4GpMDk%%_CRwwn6Zos;y{F zz)^egvybU-wcIMuAPQg_)m&y z$+-@;sH-#A zu2hL>RFTXRC0rRsmqT;cyYT|m!8XaLUBuv>(1xRoNd<}pU2uTfzgcJn72g5N05(P;EDHKu|BpQ+y&WFP>0ulpB z2PqO#6eJds9#S-<7)S<4Mo6t7#X{ozk2ZCVgImPIS2H9Fqy$KbkgSkwkdokhYe;tZ z3}|7f4TZy?7m@||EJ8|wlnTiKNrKcCQW_*DBp0N1klI5^hwI$%rvrS>fFwi8gwzpI zCrBPhS&%vtI5jLgEGH~CtV>weu)HDp@bGSM;{UMs?$J$DUH|wwZ4Tt5ok?ceNjqsK z?W9d0p&4js0!>M13Mr(}LJKXlP#{2n0tH$qQ0_$v6eu?-2!c|yK2||43W^9?6%k(% zQ9yn028zO?s3>^9e0K^y_jj$|zrVHKtaSpDX3k8`?6c24`||lfJu51LRt#+zwBgW7 zpp`-!0c|9-GHB({MnM}5tpeH@Xk(#`gBF6D7!R)r@c)U>!q6r`n+$CVv`T1Gp-qD} z9aA#G!zWxo2&T@DIFvI`6qyObT|Lfpv#KO420^ebx3{7duU_3% z4ILm|v`!UiU88kattL7(R;3w9Hgpo{4EM%8R3#;t)kV51kt(qcC+Z^It_H*+HBQ4u zbxBE2W9Ha6EK00luq-EY(;} zjSInk>5t=wmc$eIQ7A>N>#S45qgKHY#-Hg@)ExZ0qgV~fWF6Fac>470nRw^cK~QvR z6|rvq<)0;j6y}8{%(){HFRJwyJ6WH-4I=T}tqzg+&(V&E#D9MJ-_b#b3OWCPbX7+r zqEkd7qCf)voC$x*97w=kmGI-g!n)pt*ZemL_|H$_QEiPna904LqjNT=!B34Mfa8kL z^z>*WN{NgBPKnatga}G1N(^{ z!wHe6j&-o2^h`Wd1;ZF6;hb>?sxATYYD#ePQ&pF&!OdIJf`_UuZA}ZBx!6oNRz)60 zR76-(aNckgxpV}6YZ`P2r|Y6);EpaGp>uTb;dCR`)7DtHGac^P1N8vWg&&rkpR6McVQCt>+_09bn0%KvI>^fTLGKqK+2ztc8C*fD%J zzW4W-R!0~L@Hl6r2*&t3Au9rO^sy0^SjHn3($o%8`m}!#Y)dklj;qu_tBqId>LLM5 zOr;T6i)LUV0$Dv$N(+&=f%}uIUNvV5S7D4W!glaWc97NskRI7N<1TM~Y$S*SXeC*L zX?IsF7O@w?tr<|{3Rxr(3_II9UY2W6;t>u(Hd2JdUal5%$z2kAfAC*O?9=`p2mQHd z7o1&#^>=VtgT-8&uEWVB#fjrOK)ec;5{K)EBt{@9p}w5q>9W8_m={a&AlM2?B_zf( z0txYVAX=$kh?icb@#4(L*A)j6UKUqTryxT9Uk4*%#t%@!#ym@VN=d}Ec(qVS?Inwf zK9J*zvQb?)&9P&7f5a3+BwZRrwqPCYTITm-A_aHgdS)w$m6GU_+yle}mCYFw3U?zi zS^(w(II6qte}N8{!o(_M(q!j(M4sLBj%$eYw5?Zw6@sV^v=&Ro8I?C-RzU~>ukRXh zBBc~XLU`#ovo$d`Ld_Jrb@D;-$2Sj!AU#i2|NJ*?w$A37s%~;x zW;~~LSF?D*~wqjFsV$bCl2AGLR<&=>gkFIN~JXP@Nstn`hXF{ z$RXJ%EM+*$N;(YWe=0!NCJIyG&(c&XI={vq6SB<>%Ki+Ma?s(3K>Ju9pyDAEYQ1se zgd7W}wA@7qWgdbmRPiBaF0f-dVN(hhszxDj4CoQ;QN{Vr9!N~^0cTs?)#darBt}}0 zafT)ePDquZu}~QTxEQ2Aoy;Ve?P|aSjTa`8MUE$0IsxaUJjm=*V@Bvn$HzVk!nSyo z<3WipDBd(Iq!*a07etT~u3M<)g9^rRxE$(bPg?|2L(^#n8&Ep!tNcRn8uW$dNK9b0 zMfSfS_hh!nnfUh(o>s%`SOADf_lO9piIZUbq>(uN+ypVzlN4Pn0xA#OUFmw1XGA3r zF-d@QBgX%H?_^r9@mwHRYb+WJ8L?Lb>~alL1n3v|yOMqY1a?ow94}$4hTbuN zOId*XTWT@Av4ix4l_gA;bH|9G%_6q}ab+fDox9K&sQP>cEVIJHNX#dbnM0J3R^Yxa z6=ozOy+KyWIoM>WpeLvaxaVGgRj6`y(S6>&u6^7TZ!a29DLcokQU`xL_g>XhPFoet zX?YD57=4tcgBlpu(}5fdpp4o`YZ93k&3S6vkG^y|iHRVx5g*{1Flzwfgw$HLm6st_ zQImz%nFMCL1vh!iv~;EX~pUI8`TqY$lDEk%azYU>sLy<)yW z*JuEMsD4pmhR_mvp&~4r>0ZEWi!bu3ln*@L#~Laa!+wT&pJAIa%#X&<4+SkdhcX#L zeB0rJSM*EO9LzGfTMwsoXF>TavxAeFCf8ZmsSQ;wV5lKNz4m<<8hGI|zEpScQ$c_F zijdgyG}|eb>&mW-fW*niOkFrU+?6kMz3qflU1v`y7=1N{Nz_-LK8t zh_HUf6h!>uH^LN}sC`U7I{E=T?13uf1w)I5^j*AT-x!NPV`)}f zdw3s}U>BST

    jUugFf!ND=0D0S)T$hHENfEfkY=lHh zBqYp@9!QGik->SdAv)OChCG9iYY;hCGY7y62bq)Hzl7f0OE41DXPNrU0e2iOBQGE6 zz(lqh;@7hBl>%si-MYlh7`}ChT^uJF2p?C0?%fX@B^!L9U`-^_T zf3EU7Ccg{U{@0th{k4F`Ppp{R303d9TBlr1b(dz%?bC3)lP#b4Ul;ky*Zk)q@WI4C zKLaK5KdyAUO#k05^~W9G{vh1bpC!_D+5h7n{yh2LAM3n}Kac#S#Q)bN{&M=ykNo-b z|2*=S68Nu+|9JzqfArr!_J5V2Z4%k6%l=^>%Drgn|cc@C7Gpj26w_*Fw zf$8rf&i@^%VEPYr&1Ic4@*iW<|3^dB|K#Q!09p1+!-fefXcz7At;HicDU_pNRsv#O z=bd#8b9#>+00whuEQ(=b^|$qjNG~o9#WHbta6B;Ly4EI4D&#X@#oJfc>5`s^GdsC* zBn4iTE74#k-g!Mxi3=-WQiFW`5gn;g3`|OVCkYVzIH%GjcntT%U#WBB$v=^uaY=E) zBsGu%>GtG5nv;@{2fBP+a~7Sc?^;L6OcG|qp~Ol)#j!3MW=Of@b=XLJ-Wr4GnNscT~RrES7EkH99bfIV$asp_1G0qU~#Efk@(13y=C+s8lQovL*Eo5LUlv?Mc z>gtC*-Yc|3ezbNWj>|rbtju7XEMCW1mY&()IZhFK=xHF_2@RHyIKi=m3a(vZJNCJ9 zsg+qDZbR|R2E4a8Pil;1po(D*#eF)tlGRhm3V@&cZnL_GwNpyXKL)syl^~wgrP@cW zog6PWKvX!OO!bckx-#mN>%nudAZBp}k|J-ARwmx2h_MI>LCWV8{w|sbe)N^{UAvi@a~sAT!tT8!@?l#VP(E zV?`dXaz4kP%}7#%2gIBXMb{;#gb#`_-jUqQl93T&xiG-L3$KN| zTVBs@4TIHD2#J|=m~S-#&9&9Sl<>27ipZP#shve2p6V+?u-mGrYP*lEQ_J_;7G)k) zDVFrJST61%xBBNxw$Q_1X<$o+ioDJF5~Q4_HB|H{i0;mZ2a#(KXXUR!>_N3@2$gJ* zG+_J?p<5%x3m5RuITsL0pOJyO7+bywe6vgn!CM0Ikvkz@A6ny^hA({Q{}#LDfB5^D zE~}}LEb!$Z@Rd)7aA7(?;~i6JTKdNJxu)0DrZzPIj4pKGH|EVo+^OuCGl%JmWTi?; zPOq$9j5S$HABcha_#!HX)}=NGc`?hqzXeiwgC@i-2p{J@&O{5KG6u0 z`4ps)gj`ZCCX%Ql|0HbYnA$r?ET9xU9Vp0fHQ;x_#pONT$=^>xTB||rzt1;Ob-lR0 ztu2f4>~Q#a$te{XQBQxpnwJH!X%ttG$R1bAOdv~Wb?nCpuG#Dpnwkw*oRERz9Q$xw zaXU#4_r^&#=W^4<)LJSmaEl85O^x6ym^9 zd3Y!7r$lXtP=g?SDk?D`L!}xbxRl3>^aH1dW>;45Ln3K57Pzn+X=#<$R{0@yP=`tl zTvm8=O+WlE$5G2QoU43?Xvx^s7_h*#1tj2FZJwu*8}B-R`De8zRb<1bwpS`Txt{}J z9GsSU6UPdzwP|LozTC*BMfo7;KS!7%N%Wl4m;2 zV`J58ekWwvFQ=C|k$-4#Dg^VUvX4<^k;ZjzTQrv2cHxPlIamzjz_pmcM%$hieNh?W zval>ic|SBB)PPO)RZ_@&*ErKOMuX2x-~sf}lL^S}mY%^`!M-PsaM9*`7H7Fs?HvvE zLdv=`IHh4H{Zz4F94GilG8u@IOy8*8KSbnBL#B7tB$W)LvRh-98KAJ^YnO_N-`3V(|X=F*nEVz{aez3pwJf#w6%lLWk${2+u)WqP@vC59dl=Qh79Mu)0s ziZD25m8vnNe#*It_(}i!^;0B$MGCf=zojs@hKnHv7$4PmRQ|NNiALih^C&f!)8gfF z&U_{-5Hi}64o#=w3p^hpS2X3qBsrz|IpMdOe{!7M#5F3*x@Cuyx(Gnbkz~jyB~8oM zC>vDx3Xr}ZShobiZOtGRBmZPOj7QhJi;cxg#f98U&gDe-J~T_73tHcnDatCfAyX|E zC?mR415V|#p?#)uyqpQI-f}*Hp?N$};H#isy^snMUr?z-fpU1DeA_YZYk5GR#JeGT z)R_%6S3oO9X~fFm?yd~E2HA`&wZe4Qyw(iMS6uvM5wM`ma6@E+VgO7(o~^vlqm!Qy zA@7pJ%$V97K$X9RKa+YAy?m$BjtpRbzP)j-aK>9kPUFwHWTzDiX5uk#(Gu3C3Oqo# z%O60bwLCM8h_#zwqMf4nQB4*#YvdO7H-r-(`^p@8)ymH|OYB29slPJp; z+#8Rn+88*%Z7$<_7)EHg+3;~MYmVo#s6n_0@}tGVML@`yk|>F3K8yi7ZS&B0`B!|r zehYKFBglOPsP8!o`ylU5?>*Acit#}++k=WPm`l}ogHT11rD`ITT!u zys02sGUp2s*uL(%WS66%6osp7Ty%am!mpc?sFWkEB1xtLIw`5F5Sf#~LT5g1ke6DR z{IAfNjkW-O;bsM>_r#<2?#+kJ+PyCU)3SWet#&VT`**ypx4V6Nx+sM1@&;js8ye#a zBf~FhQ0gZiwCoE-DsK@Y1{XGDI(WJ-m`LM_H<2h83*!OajGuLU1(K+vNHxBJ?-7h% z;&@gV>NlZ53?T2_>8PrN*t z^e%h?JiF-{n$%WEwu-B9inL1p4kWAl;8m@^IL-+MxlYdKIu@%lRiaShMe;Fj?A6TD z^Ug+?po2Leu}kAR-oZ|8sP_yg-1c(aZFx!h4#;8TTeehZx?7Du^M1(b&R&tzpnY@H z5V}J!;N^INz_C*kVL)gQ>G)S+=$QO|<5-&G#8Zri-;5frY zBmCiU5ps3IfjNgvQBu zjuHI4_d&MJwotB6P9VooE&zEMD-*!8K#giE_c|8n2t1h^A@Wio4EvA*px>Lan9^TE zdAJy_lHz|HTjfgsr)PtBbjv0wnybFxWkwjUs_82xwGQWv ztw1KMWd?*@bU)?IfFAf<7;3tkit&XXMwtg|@H=h)4z-hSXjMbokt8hDAEuy*&~~1r ziuLs?Eq$b=4vzMe2BVPGYo+nRO9HGy9lSV_B#LWHqm7{8O3vprp|&jihA>OCUtSiH zEmu*9XHx<%uqA4bUe$2a`@R$#o}8bC8n)ol;CXLv;tfp?-Xd1-c<0e>f!q+VR#X+u z*kInl;!&jDdq^-e?#h2gMSVC;YWKbm{c-~g8cco5PMD3Y%F`%(8Go?&I(-tm8G&pw z&FAF_#Z8$Xl(gbaS0bur(XTEv0)Q|tkSXfxHYq<^!gc-}@ABYj(T!*9xj(-I)9;~n zsZ$=Ws3HsiTKlO@*Z7ucmzsYj()li`(Gz1K7(Z-IBy#cf{6YBU6=Dl5uqEJI>kg1O zVGvGs#hOM$I{RbLO)v3a+fIm03oqbV#YyfO>}|9S^w!mA!UJ^~Ypwcu?SS_*w}fo%g0*5K>Oreh3#GSh0hq~TSR?5Hm!to$;W$9bs16>_z*+lYIWvJIO59jHmx|#F-a;BBL-I5DJ=rYgxFp(3I1e-IImTp4=c&mRV;!Sr zFBsZ}vsZW_scs@pVgqUn^P;JvXH9oTFW;(o(X>#ewIpC`BV4nGu(*)%z_@(mC>|-S z628Wb?(vAc1bDO-2|pSx!s7!69K-65iKQgRUy-hGZ;+IN17UrzHxWr+xKMdH9S`hJw_Z^LBa%0Lp{8%O@Qe!&X}ONagEy&OPFM8EveopZ+LE3hA7OqwvZjIK zlz!a;y^r((%aRe{ss2j9D*Rh5^vo^`FK|63n1uq;lN3;UO*Ubtr6BxoZyNcR>9mbo zNjEqAZ2OR#KVv1zNhK`UCWM$_=8T@WZbDMU*B${~H-xUi`~;fXHMymAcp}YTHyg5u zuv6_YJ;g`~i~ZKY3Dxo4E{qR9SNkD5i~=gReEQ{oh$9PEW9sw#ieRYdrVhT1pEdN= zbi7n>h5wl@mMijZ>KtvB&9>9xYRg!8dy@@MI;+jUOC`Tey<;`1;#JrV4sW*V)oFrF z+F;7n2~R5*2=^vFD9kcl({RqhE7%8cfNgC&mx*TvvfJ--#?Z$0`u#%8$6xrs3FEE{ zbx_$K+cGP!6a18pml?2iatvn@q%4?Vo0AwoN{}Zk zr|J#)r@Gm!HA|QQ>3e9rV=oggjKlTfSVt;j#S(p%EC~HzNi`%#7d(Kf?bby2wA2T` zQ8pimZ^(VP`Ep?^v?RJhFcrtZA{S^-f~n|xgvScsu1n>5hp&@&3=Hq?69LvDrDILV z49Ww|C0cd;s$vgjxRDhfxhB#TnG@?*N)J-Sv_WIDh*xXw!jp2UBc3k8trv>1Juep^ zw)yi^!Y9}bRKte!Mf@!AtHPEarC zq_&o13oA=on3Vi{SgQo~;q2y5sZ$*0zZedm9kVWpu+kflpqpZ(Xkh~Scq?~aT9EycXgFiIJmKsekZSxbDraw&`y_yElE3Kz-;N`uz?)3PQnJayPJ@M$6RQ|DUc*)5Apc( z`g;qa*lvmZ7yTTiM>2f#U`}wI6l{I|OrZRcw0k>R_($|#1lS-F9@iN;yPaV9dpbq? zN9Ln5n*uSE&*`_Hfy`K!n5Sk5QYD^5D*YtTFihTgGD6$u+R1LZL5b}u{isRpBzEe~ z_U`d>ueJ9`T%PDt@oNquYDt`Qil*+~c}kOZ_}Zz+jMItFYx`W9^gPq=qn*#QS>IlJ zJ_aKRxCA{39QA%@b#oo5W==XRWlNxqv~!AxG` z%@e0>ug^2ic&t4yuKGB{_h$ET^pI-bt{H4xF#W!JOpCs{@M5>Se!(mGdbM+iE?rlo zjvf^2YnN9h?|R9+rq4fKO6r}`XlX}*2$W2f?a9ylH`H0{u65jEh~ zAHIpoeO#41!n9I5XoPoWto~K6+Oqp~->QsD_YI8dhzJhi3kC)Kh6&4qdB&>U)Er-X zc;(=Pdj0w#N$W-OC0`uY=knBx1%_*bMihE( zOw|p~?r6DZ_<(b82f4)6IAS2PzR|LAC%-arkPzOe8@%p`^Sy_ZuHRTR)Ny&^$Vcw~ zT0bfnu$&v^9MS44E}75}Q8F}qQLftK4OsF>b%`sD(!*32Km!@3sPj78~ zb8O|u^6+sV9FKUd|3ck|E5@Z~=e{)V4(>?)_@VmdRpXPgd&l&g+nQ8l-J8)`JYjLY z`s<5X!S?W56Bc~jys>Q2gfnjyE&lOV%%pM0KP*hErwGv(gwP0>@=)hBK&T3?V?I-$9Ao;a;x$dSObt<3I=g?iWSK-{*Pd2jJM z>gElS-@3E=*y+2P-dsCiH#cf)MfQ#rV`pr6bkoM7o+sOkGtI%?-I52KySP>7J$P;F z)W;`uiyI<04jNo}DAPN-=Mxu7wpBgZvB_V3?8Xb@X1RWJzdGyWb$fyR?ew?a8a1ox*4E1TE#H*JUrcr^*L*i=PT{EcLjKYT`&%;J zslBpiQo;PU7i@las%mkMvIYNW8eCTQ-2L-S3$LFj-WdAV{wLo}{AMa&Q1puiAVZq$PPCwqYh9jv?QWG}`cAy8qb6}F zwLg`(jQM}qd-L!ns`h{QoFvm`n$9#Q?WCEs6FQ+uo3x#Frp>eoG$n-=sI-tkD=icV zP-KS!1wlaSL)o-IfwHJ9ML)=jR_3HXOKQ zzfV4TY2dKjlXw2>F3;st>w0Z_P|=M&+12xA^2J37`T=sE;cvNH-(R~SnE%NW#SJGC z8s2r3boA<5xOMsP0lryh9vR^v=UyAJ%s*Yfq|1gsdl@pjMV(%n6q`3}-g4)cf8T6a z)YmuEO`QfNkgKM}-ODxR&%(|>zqzP&&ffqD|KG{ee>86ta9yv1iYAYbpmh$I(ojdi zcWHS1)Vc`za^=Kv6DQ4>2tF8#blh=#t2mFocGW^%Ne{{AYcj86H{QKvM~^ZsA_>N_ z9%Vgt&{`5N(5MGV)|K@D|9U&o>v#0n0^mXvb`u)w(Hv~T@U4J@JL~U(I6F;46n6&Q zN*DQ}5S5+Y1D<&8zw?>-mu|Mfh9^#)Q8(pkMLkBDFKL|j-*ZXpe5nyqK|TG?jQ(R~ z^y7SexR@(;p7bjSs|eH4+&|*1&Wqyi)7?}TH$$C5EnN9$z6ELZ`dRp%r|omCjG$ZI0+gKX$pxFaYPpO1xKE9hMPi{&fm+Ef(D2@Oe70IuQB zSjedce`tjF!tI}+UN|kwfOk<9dZUJ?X>0=k(;QrJYOhGau9VsN{JoJDyn!Pd z>`^!QYWsZ`ZT_5c?p*-w_fZq1`F~Nl|Jbg>xY9mc?3H%S0g!F1Gj^k*_2_&N4G5hK z1cEU7R7{PV@QKRHwCc_W?!M=!<|G4bdpDpUXGi*I2LXAppar8rcC-RNb2S4_|+;36Ci zmaspIm~KpGN?aSKy}O%z!eU)&((+z|?0E5$4%6~p-QXZE_2gPOGhy*N&XcQq;Z)<3 zjw|2#cbxG;mTu5qPSsCX{1i@2h@{q~QV>Lt4EGM&yKiw6sQ7!)sSv}S#f?brwih3X zN*(k7H5X@f9S?6i@*X^LG~5OUjEa-;deK*(0eR@Q89Sd@5ox^`-h-lyyhRu6Q+G{F zZH_kYqMYA1L+jlKf1vgL?j7xKUISXYDL|GQybQc{ zlSnmpsX;@#g~|9FpB9b^PATkLnu9_wVpQu8acHc9*1du}@>g^#{{k-7NrU*2)u&3V z!BaR5;)cnCK;IdB7Z;;b(z}{WFeihh9gO9`H4}bkYp*L-podD@YcG4;P<^$=M ztfL){?PG>WJMh+~;5pjO^`+B;y>)V4Wf4$*Nz0>oi!zy_%PS!u3SweTSJfbJ^pvZC zZj+fvvZcupMyXg=ZK2jVPCuu8=3x2*X6%H$fJ7A@;(1D*9>CoDj)AVv-?egzf4pW+ zG#Js!6RsM&okqR<43n%F==y~?nLh#BQKU*6F!E$|2CV$&9oxbqad+y4-icrWdKP%3 zYVQ9YRqh`GylgYDTtNZy>{Qi6*N>+J{wuJitCy&V4gXaLXOKrxAMvU9cJ7-77wz!h zi|XuRHZ*K=*?Fw&)cb~FW?JxY^=C*u0ZM4^I6S6wpoSDhIKJNh*n)Ba_R$i>p4Wr+ zvH5R|d;bI$d!}b~r}h@zvv^D(Vm>#2rMH0ZK*S(k{ef6bY`*n6VEp2&SIp_B&Ek*x zi1~eWY=o+V=L6>%K7yq>hYp;(f~Gnj2)o;dM*vk#FY49%fsw571leF6YmmLa^#n4j zY-R?qX8~`X+3P~e@FpElZ$CjxAw>QlcdmQN@i2K0!p)G{@GzL>-y|8_7SdnIL>E59 z^U+Z0!|2x4)qkTYs>q0Y106y}V9sK*G9XHPX}CLr0U3bM`;JE%Hoz+YBgg?zs%hBM z&=!ai9D#QwfejddZ%j9(?m(YFoM019dw6b4%g@YGKC|u*FvqQD(tww809)1{wQd7t zi#h=9>q;f!FV#8vt=WN7_ziw^p(4G7g7%s3RaQ{l#FhMh`T=ESwB$t-VrP2W1L$R+ zU01$-@vuO!{%%#!1p>a~8ag*15xzJ!8c5o-xLelw8j%@S8~3nI*Z zVbtQrdAb+S_Omq-7LNcf*P6(e^$I7Sv%?_1E{@Dug^_?K` z-!tFYzceWYNZ!+NKT4QzC-6wDTo>I`#Jx^_W+%t*`xl?jrIVj*fLQZ-)>F*=R)>Ka z3K8OrrtPr!BW|VbR~!UR1U##nhSU9iV=I5;3)wiv5+1Spse4PGL&QpLObd{!YyHX0HkZSy# z?^M07_$X?8k9XPInc{SW3M6Z6^+=T0xE^;SvY2=FZ|a~&Iq^FXDZd!^?s>3qC_en| zHxVZCOTdt4O^J8)Lis>^uRen2Or^7cluh~q0mnyk?%2MpG&CYR%75o}c^5(;oxNu) z=k_e}xq$HkI2hM;G``u;iz}^OTOWtK9@1!Pt)xa(UxfM0Tog+s&bbTaHsy$VZ#@({qql>~x1A?C;+>u`gbtPS7A@QR=bH!v3I5Usw8xjSsF2G<|!k^uv* zCz`7KE4FcmEl;m}uMLlbUY83|&hKu5=-=>k&MG~QlsmK_6}a8V<12}^A7Z>qP@eQo zbnkR|ES&c|Q~jiSZY((Wz|a>SQ2SZvDpww`)d{((7T3Mo){!;fSQ596>p%s}6Lf9$ z2mY4{uK-2pdA|cG$8oUcP`13?HH|DpD(CQz#sCB3g+RTrUd#>6Dj;E{5EW(xKP2g) zQ&^ggmmI~yP~Sw13b?QQGFHZF#yU~+zkzK-ehE7H;n16i8#4AqyyV|VelIi~6qw2u z4N=r{8e%T7u|)>?W&ZYSaG2Jr5N@l*4A#K_sCVG(0Vzh zbP=MS5i5wB^a9b)hhI~>yLw?MaB#ncj0Hei)}uDhbT}bEn=*|g;4EfHieIPamy}Qe zOfu9UglDN2lAX(pJd7BpNsk|KFiH)wzHh;pJSty8xd$6KP6!r%O*h;T%0|)#$0H83X)v?~<~3+nxmanLwg^)|P6Zt?W<6h)>F$oN7fZ#Dlj9mAHX8 zg8iMVj3y?IjI#a4ku<3$HZpBZg~`NO92+(`R*?{%1L|~4UX)k)2Xo}TDhRAWz z|L7iI$z56TD`Au4powxG%W)b(gv!)5ztL03acS%00|9@pkVnWee9`he?? zz?kNK^{2pdt6UfEzI_bcN$gaUsH4TkuD}OA9f_u^E;XV--ERzxsec**xC2|n5-y*F zWELjmSL$Yp;6+6DhCZ<#rex_4E&3)aN1V;3=>2Cz(JUmZxmfH&1p6C$M0?OxG zmfq*$A^181@vx=!R<_bf_)-^>VhW@?}C&`Na}*n zPwsh^x^?@`vZrF2meLF9f60FVv5={I43*iE(OMEDc!Rr^2g&bC)ToB2U?MK@FVh6$ znB?AH(K~}t5IOedkyQLFw=obc-ibR?hs#otV&-gXQk||?$BVcJc}MyhDHG71ixsel zslzsVD(5O~#XuNTx`PVWxXV-C?Z$;l8!hqTYlR8}}D?L&PH~s{U?kRB1LM&&>JCnPEbCz7kXD0+x!kRG9P^T0v1W zNsV8P z(9kbf()gP1i`e?lVRgOV5FCJ$(Zq>s?DgM62$eb?)nCM^+{1-SA$<6` zk{-@SnDvd)h9u>+SaG>E5Caym-XjA)L6rPbN}RwXs;7)%t?f4&pc!|j(3MV0ye-=b zUcULZnMUUm`gN&v=TL7Qb&5<^-bdliFbAGSVJopJYZ+y05>gB2x`vf5L=k!?we%%q za|`mi(3uF3%@he$)FJnMang2NcYu6tiy`zYNG?}s7I{l6AwBaUxlds*trqU^O9*xu z3nWzK#bd!Ow)LLA_>&%})QeyUCLmK6S{|kvv`uFk$4qdQk0J-0nXIkO1h`=bw9+6A z>^EB0tziFcG|ezDVfoXDyao1gU{WaZ@4?DUG&c)XEJXm*3G(sla}V39($qvldp5CF ztY=BGZK#P})3^&re-ARsA;MpFxNYl_mHp9;y9tjQ)s3iQ5lAYjM%x%5$?&tW!M=}G zgQ#OPpqWj!ev?eUU$>L%q*kIcHC!?P;+2fH-)2@mL1(%Eb?&|BjLapgi;!pzJi|}+ zE$?*TCC4DHCwa2+jQ#Wc>N`zaIoJTzAoq959$%JFb{p!5uhVeb8Q5LW`O*$l-saW{ zZ0{KUKC#7B11Gyx%zzaaSH{2BJ|F$!yVGd*#r^efrpo$ZDmzclj-#crn7}8t{svfx zm&Fu!M;-U$G{Q@zwDdr1$D`nqYhS|PTGLOg)Qb)rRI(9wNUB5u5qc{=~RVY@Rr2KG2z`8&v%h>7$8 zJPokSl1<_9mB-{CoQbi@_~^36I9wF?cg3Sx*hOB#;-i7LKruUMn)*PDct%KBe5cDG zz5#GAJLk|scn}es-HgS@k@zx6bFYg7v8E(}vlV^7!#?h#dJ(U;yQJ#c-^UXM@4Ts(2VJ@gOpN_;ZN78a|80@4Uyo(-P<^RcSj03Y~0^>RlOa z+iY#g${LM=GQ6dxO9mnXRCf5HeW_kOMTJl8$-wKC+jQYmpbJ@{2_Frl3C}S;kKJR~ znoib$-y45WlpU9Z{9IXyTd-{Nx@i5LV?$EPO8*o3EtjW{8f21$Byhmpg*Jq1Q@MZo} zNZhXi7|&_R9~FRQPw{0fJ%6iL{5u5G_WjaE&OcOFGs9F`fM!lox+D2-@n^K5@Mrd5 zBK}GGLnH5?k`JirNAZOlQ-ksAs#Glk_nYQ>I_IiBcQ(RXu2Dpqx`~r=(&qRUPQhZ zN1{Y&xdvtxjYYUuvG%lr`O<=6?k2ynPk8VO_gt%V9tq<(r+m`4gu)%T0)S8Mp0mem z#wR^yVPr*D6oM%_38Uw&vz_lQQTs=UvCxs-lpQF!lWb!Rt`;!ucG~_hX?7;)xz{2mxQ^iAhSHd@5*`XNetB^-PR2NKep zc#&Ho{;sInmhsRCB`nEpJnRdo8gdU~(=YEJOHnG38FHgT3tfTGr zE_6hnH;nEqydybKNv-@F{*!vcb%{=IDRNc-6-%H6=eS$##BHlda+0JoDOjQJJMbZw zTN%GqwH-Ea*%#J=xW<4@6YSTv3C*#_=xrS9e@=(bk>sofvfw~dU>&u9xSb>+1Yqus zViLN&{DgZvd!#dcAn>Y?q`Zea_6y0jjVz%1t&5x4S8W2_c*#lfg4BothlmBXOMyMG zN+_ZOFrUiz(yf6Vw!?8!9k|DG7U@GxU^Q%U=fXZeN4j6@9xaFixLkEDYWkK`s2laI zC&|-tx%}ekKOJsT3cHTK?yz-BrhgYU+m0ubK|+%6v|AaV$+8gDnN_HOMsrZ$BlLq6 z$J+0RVZfL!1+cR=#?g&alP1xu+Ux z+7e9w%AcOm|orXFrA4d!Mw0VG&A zx1B7@oIDUzr}TMq58nRu8+o1!WU)VonrG?$E@1+}#4 zvKa^!RDw-b8<*l+fx=M%noGgM=wtHd>kVh9_7Avh<}jaGIUkUsgR|OKBa6?dQI2cd z2SaTcv;l|QMUjC9EV!ON;Ch>U5OmgefcNCUV2HRdCo@IeofMzzWa2be7@iuU!=bc-KRF6B%k#*K; zQ-;YUckq6&dJsd02=cZ)4Bnd^YbzXRPc%LLOjj5IQi85yIy8ILSk0NSkrhO`^cPZ} zvN<1Pws&`HZO$a6GIrfBw!Z|D1RAekS_en168Ez;Y{WbELz3_8Yp`W9#Oltm0pS8S z*nPjZq6;EDhk%HENa=~J@i8J`658W9R}tyI;C>{X11MACThfg5wFaHJDhmX_x#!Ar zKobCyyV{=)R|sC^NsV<23k&#ioyb}4A$FnEmci2JY3eT6_ayrH7*$ z4Yp+lpI#?**D9lFXKS^sv%yu^5hi_k zzy%e9w)YuzJ~o{I))7!Iiiv?2>>F9;ZCGu6o=d$(N=Pf0K69mgvw>uC{j0K&^ejg6 ztbGjNVc5mhUs|mJ1xNdXL{@v_!0giTTDn4%K)`qr`xvr*Go2{(SQz=|D*%H*=lI}Z=8Ud@d(WTy=RQHKsSL34^>i{ki)Gdc{h>iQHY!h(jv{&OSJ_SGK+oqX$ zqMf61#BA;_*X7_^=V*IfTi`MtjzP%SK{iIi_6`;wqtS;z1?@YKs6NE1U+V&c{2z1l zLV|>=7xvzK}U{YYCr{9p9Ydcb2Y9x z;@7xyps4aqwuh@>xpouHJjna}|xlZQjIC7u&+`bPvw?8k+Im5s`<<@h7Xw<_x!x)0) zSvEezcbe%ot+aR^QZ}#xP zJo^1`6`#i1^wMridp#_3loxRO?UChvFV07vda#<-(-6INwmGroq25or#smVyqMp_@MiXoEE;?5+ zY9zhJ{k}3@eMw)z3EdBC7fs4hYu144wc{IpW7)h`s}f z$DQvJn4f&H*m2}UlA4B1OJYb8_Nhyey(ETo&bqBt;olJ-ZMr}*%t-&~N3{p}PTr-`-Kc#qpDMf#i={)u z<&W`Cg+V$Ur8Bz^j91>lIFJ93WVwstJumo1#h`zcAKLSf%14VY;5A?XKOCb}p(D=| zci>~^fH=|u>(F2@yc>1Y22K59D>vAF)Vm(XEn)?g8Wtr!CKx0_RY*hGypO5FP%uO} z3U`iKSvfN}fKG%Vh`q3*tEEQrZ__I0gbk9@ypK6Emi`G2JMjl1E*7I;i|-qUl+hX- zz>~^^*emc-iHD!I?mlv{`hms{DhJo1i3diQ8)`_7l1%mf6OY7sZmS;h<7`R$Xc?O1iew=Uk|M$+bS25OyyxPot3N-7BRnpDh3oT?ijaeh+a?ue^Pk? zkpMNG9Q7uVP0-Iso+F*)c^y*#8dPEHU8F$RI2RNUcjCuvEk$yOJmKO4eTcQRTniHb ziVBoj6-L>iZ%YHfcp0_vg`-bs=zH4Y1fjh%OayH)VBgq=+Vs+pD5V9pAtK1r>4w&y znB8D%uU68m&c3izBWX%Nm~bA5q%ugBG5|@NF`B(oQ#BEbo5Ap=e2TFFgUc*F!tv#kXsfuDvyu<#BxPxwv)o$pQ`<-|oixctKC`KwT^z$@+CmXs z#vNd3xBi=zzBZ`a44_IVos8D&*cKKIw8qrS^P2tioi$=!({`{#&z2e(aW?2}VQun6 zxoA~sdXzYevEXt*Ru>-+9#*?(BPwm24_bHe39wB`ZAenJ@)~+^IMp6Fb!O`^c!v%>7TDwnr0P%mP=SI z7?`_4Q&8wJRN57JJ6B}&bAFq4dXd*9R0xLYt*EpUsv3#h%@s<2jp=<;&=#myyJ}2n z4$?`Qq%mDEalB#*_>9x5j$o%g7my&Cua!@Ud*wL3mox%b65B>|sTTv4Mo7XYA%!d8 zv%zH8+4TGzWIHJe6)5ke3Y10Mn|r#K#8*|}6aT8+S;k}TySXLkn{2#!B;uarw?{J9 zDtsWlGKM<}8n=l+mv>Hk`42qt4_x{Q*kzG$mVcouv8w z7USwFe7^@>F2!Y~`1@H%=qebp-kYmnbqb&^haSY$vM>s2qU%%j=x{g0J{oJviLpJY zx6aj*G9Xbg@yv+|8=*;B)yLZH`o6=H#<|~9GPs5fhe{?49WE}p+a;b6~E5) zD2>Kbx+3-rLD;=YWpj!2dV=W@&i()q6X2KMiF{9*L_3$}ZZxUoNX)5#_}>L8H=P}6 zz%Hr?Ohv_R#O^TgZl_{$wXqF`h?x9d&+ah*LiMpJqY?X%LCA2LMS2YTh(YM&{@!G6 zG0{%bSFDgW9Mnl4(AY)JOAo?!3dyrzE${#`$r(x?c4LoA^?FOkaual6p=PL^{*PD2jxE(+61M0ZC5cx}BjAXI_s1MGMcdayaxeU`D^ zY0OHTyD7~bO_Us6;A_|qG-$-}f}l=C;;@!a*^>r<2o1bxn`=@B3d%2W-lC>7qTs&j z5>&DbI^X-cz&Y5~tWOPm-T0%>PDJ_e>GvAPHhnKhs*{*)nnZeheU>`d!FwwYiZ9^-5#tzC=MgT|KT9Vbfsv*@z=%gV8^5z` zF;YIjzx@(;v7#8Mo00e$cgGyHY%~&2;|wa`jN)OjS)%e8{@+mRvviqjmwWuA);)B} zl)sRFDO=fz``cfF#ND1lt*2;bAqM5%5Fy8`kGFo)#T$d)@qH8Rtke5r2}H36KT%HU zgz6e5V)uJd8jZLLr-ju2Ye)kk^TZ<5$#>FXdxoaRgk82R`bKa4e%cnELTt8|09T`C zW@=N+`Y7d9W4M=)tboFxrvMB>>MOdy7a$>*0zIcFCpv%Re8U7VgS5OwA7|})+eb0V zJ`~P@P1s%p_AM*k?dyVBgNJldUq^M;z$D?gygKwUaxNmU=l5x&*eNk&nheW#`b!XR z!Or4dw9h)jc1~0f4ruM2%-}>G=mN{i3fxwOJGf3K{vw~Aj&117Wy-zat^=@Mf|yt| zx5^h~f7}*&IT?lD9nPiO{;h8f;g1^s5VD*nI+51x>(tJuIfw47q{Z`x!mG=MAhkOV z6W=|^`50Zi8=V-oVV$42 ztCmZy9(7sJy|+#I43+8(9#)CfG~NsQg6TUW2Hg2m_9C$vHYj2K4`Bp-Z+)!2OPq6( z*#=fRt!-94V1HUW#|<9|{KF>IFa=l|2iW!|a#Cm(s=tT5kJl}TGH(c+a4L3PV^_kr zETiA9iOOnhZduS0P0Pn7lXa(mL%HCT&BwEYt)x_)fy9f=XVjIH*a7={btXDCh+bf8 z_c}k#u<;g>LfT;JJ>qWYMm!{o@5{Z($4`N6LGi3f$bFk|qL|*(Xe5_Z6IO)c&`{*u zDD3%!9-wTQ#J{%nZ1EY2&b6Jf0vC~~`a5@qTN)A{5|KAcwpIacS8p0KlbzFI+{+SB z{>&uz{sN%|{32=mV_!tAVT$kh42~J;y%!KQ8BX>>byGYasUtL7zX6Nka;@#Io)~Xy zMCRQI6J86>md~$?E~yWGd~Pjq&Rk>4>BMb>z&iDI?B1ABpGo>DyRiA!1R8I94@p&& z=?G1p-Ps>HLxpk>k$lrDvD|CLc}P8qfJDQ4Tj&&ULpuM61vi(~!-pd>p{iKx*v3xk zOnwO3;pE^UKO$j}uJ%{!p&0udQGJbSzmH3jbcFqu=6Kr(j-FwAH3kCuaje|Q4y0>~ z*|&^*woRb994`IPS$3C!8zfys^xTRe$oid`uZO|aYWO6RG_qPkj#jqP=xD+x~p5fkE_vzV7F)&nZwY6Z~0v&Lse{-f70Aib0;w0$oNxn{K z=k4^uz~{acBn{ND{bN7{t&HFTj{ig1nFJcx? zh@sNlM-$8oLv(8Jet#jssZ?;X6ksv6z*~>#VA$t&}vutv-Y5Zv%s! zvP@gwhluJRs=hnGR=*3T8~;U32qw>;#S*~saj4@_S)bXu*3|;>NC)marvZl1p1^%v7ua#a~cuKm%U>;$lOP$>qWg$iP^9W*p zK>oFNNsw+wo{K0C!1nnp;G_tq0!6S>U$vwLe%I7QoH2f%FbY^Ed?#YvOA^#!I54g1 z)0Ds%aVD`%SlW_3^J`Ck;1AHnUxN~+yp$D1Eb!O)? zR{s#KsKdv>*O%K(Pn&tB@uiw%9RQV=It2DgGDqne28Z11sq z9;L^K>tGKAUY)<%pJ20g(|O@C6+z*A{x97wwHTv+|pvoSL!pGt3TU39P zn}CL!CNsgHb9F+AmFod@r?d&K^;|!CBF5wwc_CP!H-Ks(KJXN(+4=-^3GilDGwAA|~QC8zRycBt8Vn;wB_+hLyuTfOTx~ zr|OBKyp2JnX_Y{j{jK-h4SEFAB|YS79y0w1jOOYXB-+4dc`OnIC`b~vN5zqcvbG1S zg)bYk`JVoCbfB3^XFp>}e=>y(IMAvNLBaaK5OlP8t#v_Si{d)x8>~?ur+l><0ND-< zX?(3VqaHlaooi^kh&m!j?CW%S26VIKz%*z*N&~!63!sfOghbg!hd{qJ<>EE?>0x0vZv?1A`^DJhuvv z3?I`=h~)m9G!%OD6+@9^%yXvb-IxzNiyGWu_uN2Bi9|_Zq}vVl<1~!taQ`#Ev!g3G zJL`_MKWGTd;X1Q^{h^Jn`GI*{vK@AtVWjL%bh0rsh7p-_X`pWw2&p{^J*#GNRqMd-wHfeq-3IWyI} zus!S$~v(VJ6z6ah8+fr%?R~b9c77 z23K((ww2&=(5t{2P_b#8GqOWxk!gWVsPcb?>Yrp9%-z9HJG1>+p=j)vsD2YuR%uke zL=BIScfGN6fro8)oO4&VxV~uE1r@Gt!VNpQ&U`xDMd@DY_ zbBuq&t9Vgaci7i}>3Pgs+|0sVB>Ui#4R3Kd{9h#A-DtEAa?Ys=uUEg)^4;;%LeYYH zEx0fLBcS$W-Svp7>ll(LH$wWa!Y$tvU3CSd`bIhkO1XjseLaEVs{OA7SAa6FC&>MW z1QE#L>(}%C>G~A_?&~Q$*HT;s6Zi+{=Nr#bZ%KKhNY^ueBVGP2>7YorIDD>vf%;K5fdF$>ZztUBDlbGNoaBT^{&F-+CM5 zG6I$`DE)e3^+saPe$hF4*c;XLUw7o(xFt7oOE=|eiLTyuQ@*a} z?B-&mTrJu4c)am-GCaZp)C)Pj8_3vK%XKxO3@^A24sjLy`g*-zjqSTuQ@J;?6nWl_ zJ0ihg6K^zgr0ZRO))g%7>yL``x$75hX?o9<_`z%MP;R^fj{1gDpyvPS?bn-3xj7>@ z_wY!sy#6-mN`PE-Js**Ncn!h(<~oRUz-y;(t%69`yLRE0Y|A+}=i7TzzW;N>%{h`I zwS4VCx8_KWjOQD$;kUkBj@0LkYqvZvQlYnE_FgZd92vdWFWquaq*@|_0g_nTtp>G1gR{iaNsG-~SA z@as1ZMwuTuhn-KJ{Y~p!vI;_YA%OmWCx@$&_l9`8WvKn{vi+Llf#sm5zO;jC+Pq0Ob-7DS77F>eK^e(vc&@0npk&7R^QtLSv{02IVaCkVL`Eq zoUdSuJ}_+>P$4Dc6{zt5j&4Ev{QNwKtJCG?QbUV-qS*Xg#l$QVn)OOvE-nQuWhB!Q zMCeLJMb486b1!e!d-GM?9cL(C!`(RrxE@>htXSEb<0&&Ey(hN-SL20zre0O@FsBBP zPR#?TRJSq_>2nJ5Aw0_h;mxw_&BqU7Gbr%&x%s)`06*l#lbeG})F~)dF39nQN)WtB z2HbFzN4Mb~5C9pgD1Z)M8c8bW=Q!44i*P`fms>VCQalwr|FJ$dPp)_a;xLt}4{%l$ z{)3;a^Lk6l0WfkOLOCvSC9evEt>P*82{5nfa%IN_pw83DGQNb(ppJ}{)x3O&X14Hy z;8yCQ%0-@@laD9EN-o;Rr`P_Kktn>xxiD`6Y8i2 z%I0;P1;4TGdZ^2gPOHnytBR$NTJz_X&Tz&*4Zgi~x8X#78Z^2Z=;>PwH+e#;7UhQW zDV-;m+K2~2q;#yDFX!Pw&=`{eKBJ&%Pvk|=mCr!Ug2xK-oZXMJfYMD5wOY3doM{K? za`Vc}I_Q|WFj7C!a$nwz00Uzy{(laT0#JgQU|3Y#G-h%O3ScPxfRnF{;b^Qs|G81G z(-^TuW6>IQ7RnN3iMHr1v?a!3u*6yzBWsDX7!!!aWQk8muyB<5-b2Ip43^fse&(L` zVL3*Ng|}EONtR@bV6j;`SyC*b#ct_rNi{kWoR&0gdO}Q7@zzj+%jmXbBxG8$w2@n< z92}C6ZOO6779}Cql9%AIsFr+7fyE0{6u2Fo+S+R^r%6E;JWm5SNnc}R(Ja@Y1kHUI z{!E5n&*_l!xm}SG-+(Wg5Wcg=)iSTvnAd8Y-#-Rr-U5GafiJrLrvJnH|FOu+F*mFa zXSyP*d+Cf|5kopUT8FfZ9>u~Z20qd7iDUF#@wM_@e-Bi~axHgBb4zs?uO+hRuP2XW z=fBTFve)piYxNNUVkG2RH%1nnMN8?{;v9_yTPS0cMVkp93zZOM(NVd%xie$-A)ql+B|q?0!oK>!gZYm>md`m$Q|(L1j;#Y-_0#V zRg{KDOuO1d&r{}Kbj;9aQZ7Pl%mr|T1ZPrcSBMC z-5P5(+}c}P;~G2?6!ChaMc(}1XW?1*;TyeEiz=Zlpev?Bt@eU%I0g}8j8wQLK?|n7 zOsH)3e5nQHXrYzRF!&g?nHnwXmkKu~;8fI0lL#j?KIJ3V4|I@5j?M&gY)FwRS_Gpt@SSKWok3LEqmGwR`-jE4BOIrTIUU z@gHmV=@k_B+DiZcb#1}&;1SL2r=UAVutXzRqyJG;-cYusaLLzcVSpdec!gC&hzB&J zadqH9agCve9|nxs`M{H?&O(e0JV^M2s~ApTj038~2>jEAYixKRkS)N9Q-`~yUnRatxk8B(mw8oFb5+437@48ENfW6&%0bsA zLuqD4sN)>XMj*%=Kfe6$gvoW2Km$r8F(V*!rp=7~4n5tynM1|mDWM23cB)r0jS-YD zZwXZLJ#`2`OyI2lK7=>wrIhNn?b3aSN=(=TnF&mE8H^EyS_&|T4!#Eb;BY%2JX?Y; zGIc_D%Crarsw%hOkC4Q%On?ZwDU%%EUxU!uNZk$Os$IA^SoJY?L8WkeC{tZ`;2mVOD4$gJxn3#ERIqy9E&DQ24I(oo?M-CjpUZ7+izV&Bn1m&YkxHQUk zq)8abbvn1w=Rv@4;7dgO;}v5OzgHMT8GuaKTV7=zKwp@5;$Hp^%3rs`S)vzCaEFNx zjd4xuZHJ(B-vCtiEifii!v!0)30u#cFB^|WEk!_rd+%Q0i8{g_*PBTUeg&d7ALhj3 zI;{K~bsRb|FEX~WNH?7{tNe}B;o?`$ZHWHcbow8Cp zek@#ryEt~W9tD&Ig@QyDU?HABGpW~c94@OoB*yb!3XhR-fK*O3EWXWgTxiJplgmdl=`3s% z07&fv_YeB3ELF}6`mEVDxBkpr-nR2JfsflpGZlh~3BpIUZHi$AoZbjF#Upmk#54gn zae%qhdXSopzir9`xj+g44Tj1^DO3iUYI-S#S%Z^Ffo{x1fVuMzLsYIb4B;I|=9@ZV zgdx-<$0x!ioIw`}95sh>9~jj8ZFC11wE1*Tbn6Jt)QI@T+9h> zF0tvaxrYGKy7W#=_iOtbn4E`?3FKAwWAadc_PhZi1tBxZ;3d2=hF&C(6~VEPF1d}G zOHxV{`X?Bw0dFb&pt~nyKBtGV3IU(gLDHQXtyUr0oYjKT-aOdRtmS47k5Qgy=;`_02YP5Q+)^7zlkLW!6}`|^UsUeY^_bPfC+e<@=(ozDELKnijiuj``K3-@CbjVrUJatCL+nS0P42%D};wIcIl}o7$LxOEzfYQL9?tM zaqJ93tIj;oyjX+z7S!0A7)wF|IXh1v)_S90qQ4}>xr6mjLV=6syA6^RSm61s_9TYk zVN5|E<~e>klfVz9x)*NetxSfv*YObEiDL*~u|>-|*bumX=JIk&5zavucm8F1IkxT< z`cmC_(M9oi4sB_gnzdFfW__??0q@Mr=GlB<`D!4_KGz>0dh)zRVQ2)KQhF5O&2*25 zSb7Cpj(lM2k%Ud5cM)|5&hqZ#;)Mt41iqM_ADWHn40$dS$G^|{+GBtK%_aZInDLj{K`iHOL?#nq6JOe&C-P^x*7dH?7e$f6W7{4ycT3>7Gx&Ozyu~R zfe9p-NJbM$lqiv)i39}!MFm9(ii(Pgii(E{Dk`3}o)4{9X=|%iY_-~>*xJ^%wzX>Q z$*Qf^+SYDuYmc`3_rycr?sxC^_g&wA-*tVjmq0R^teIKIXFbnz-}lWmZ|6>lHhoX_ zzEVRr24=p=|a$=$SzLcMuYJX=t@TDjJ!ozx*tioc$ND}l+jy!C%-SYofdYOZ^t?oAmKMh4P@5| zdU0%m0%W5I0&_S|_cP@f=#;u6TBLA%<*SDIEMbhxwAiNWNrh zID`NhC45Y(Tq{+=a9FOP?fgY3voCfU4yy@MqniaQ!cOFY6wPv^QYKix7xMNRSfTPQ zYl@ac8AdWyAAptQ=ClDj$5wyOX~B-?-(}4;Mm~;3itR%1N9#DA8O0JUDS|%D{Hl0W zrjF~KOt}k&e~GDzti%fcaD=0;5zhcSvS0pt#N}1W+nJLa``IV9RhSh~ zzd4$dNP%cLQO-%GLXK(r*jY^n*=I9@Lbe&$YJ*^c8l;*q0Y3^RRD$w(J78rER2>W1 z{;{UMWSAvP_j@cI&J-$r5pw|R$sm*_^e}c1Xb(>{q9cPc>7`UdmaOi0l-EyoT-$1z z=E((e=As-#M#9p;3)z!ZWCPM=zGv!UjZemdeJcBQ%S!&NQF$rM_wKFRdA)EN^%TEE zUXVKk=PF)=)3UP=s?yD%EjrxWv@&qUmWT@3qwz`(V&dF`+7~^H@TYPYBDqI^9G*(~ z$huf(%dxA8v*caf=ty%vJ$=_WRL^9B(a_1z%A0h?5o#BUE`3Y$1=-Xh`((LHWY&4& z!$>T>79;Cb7QuUajvNi-{KTg(;aMX^A|?)E+X&ms90j7@kd_^TDfGpg`q_M&D@hGAC1`fjw?<^k1`TxWN3 z0C(P=A~=O@k{MI=q=zws)dB`&dR> z7=?Q2iPrlM>tiv_g{CmKgh-*N7asCEk$x*cn4CU;8WQ5A5uDk4Lm<2GN#N`pBAB={ z}{m9>-=+}_83f&g z8am2*Oz z_(PNmmHN%!+yYkw);sBaRj6IqLd{BX!n$; zyk+`)tv-_)vKZ6*=6|L#X|9f`g}FjH>vXY|8eXmTm$O0=nV`&K1wDT|`cfO}pXa6%yYyv=~&_qRBo_;xp zZ`sc%Gwe9cvXoEMwic24;{0$|#XwI)mE za8Co8`vPoOz&y@|0g<^1-xd!_UD%DT+4~B#raz3l|D9yWkeCq+yyI zHsuinMgIZjQN}{-w}eYEQjxDV^P1gc56AMca@3ll23kFxE7LG1iG1Syg5&dD#$1pwGiD>uG^umtCjhTTLQUVf;b^mR8xf%~rWN*umLdp5hx{oy5NooozHQ+X3$eiXy-S;98@i zPW0>b40Z=s_6ncG?vBTLW}C>ho!Ff#S)up(k#QtX_1Cr3FGTC#jPM=Fa^-2OgN1m6TBRPOsb)6tICqpYM^0A;5Yd~ob zi>6aR=oSN5bx36w9t91vcrv@?L$g1M=}#6oruMd(a+78t$TDA?glCr(?fg`ajDuxjpc!lj8F~z75d!#qE((y9JJ~6r97R)F!U9UHI*=WW){O%uQv?kX>YKkeP9Qr zwY-IwC|xjGo%EXIPs7#P5zr9)Ldlq&A#mvw@*z33y56UoF>2BO?e!vPRA!3urQV z0Cx@MX3P#&2m0c4;ZvOHD-;&slWt5zpm-I!u*V|6i?MO33pF2u)nmYM!SQXFI7Hsn z{Oj&=lNyNcTg7Z#=$->$J=9pQysbB-kS=%)eJQsX<9VcqWCpHa(kr7BCT*zheL!Uv zFU}D&948}`p*rAA3Q!l0paY1{4Uz2=+auViO!aG(6I|bg8_f~kWF|?7(YH_`N_Sc< zM&%7?me~4a>sBi1`QEw)yOM;!)cFbV>JG*D<9R<(!Jx{rj}a%g&0wKx9C5(xO43WPMV6jy8e8UA40rAT@jJHdc0LhPZ)`9pPL zMn)e034=d({Tz-ebs#=H&@_ooR{k6qT1U5A2Sv<1@A|TRi(L1OZX&ayz3HHtkANC{ zkU~EK-}MR^{tkvwau)uMv9^mKGW~!vF-4A-!VF9O)N1LILOuZ0=Q%G;{fclJ2X_;4HN~?z{tuVAx z$i~LX{=z_V*>XmR!Lyi$vZrgAY4XdYoX<}H@8*w@WPqiO`0ba^FJ+SRf+xp8$Yhyo zkOq~o-xX#5qnCw6tLDz+J499Y$FJr^XC57`L(Ez!jjYOe+O*96E~6OMadZ|8vl&nw zIl8xcmwiPF~zj_#3IX#>JOU(nXiglEq}BO zBG2PUnq&N44Gcr%5ub;+*v~n<2=Z_EOQ-c(4Y@kM0X5i1=OS>OWu%g8q?r{Wz~sJw zY=fCnCQ0<<{s~NDNVJd=GA5WMtHp$!K15eQ#Kbf%@Fy9`J)yLCi!<>Treg5(N!hvO z$oo9oBetd9Gz=fc5dc{%ivyPPRr=1kf+u$aGWrALL9mp~Dy2+c5X)ZEavPE29~d2Y zrQye-7(x^EBQ;!KP`rNv*l&MEqRueCk7<#&3+HRNk?lj=LfZ^34G+`3sD`QdFu{JR z$LswE2(HKJ`iF<+W_A;e)t!$Iv^&U7T!~+}d6+z^Qfh5McDx3N+jNa(B-*qgFrI&k zYgx=b(>*tf7(1j9Guw+Ri}y>&JK8+MiA%T?^NWly4Tv-CoM{;_PF-i{72mUl>IBXM zoQ|$f5KOJkyn`eW^B@$-ROaSC1JK1D!LN;@*g7A#lBA(83|FJ-c4sOi*%TusjZ0~- z6V!5V$R?9-<>#O)NAkrGlcu;O*cKo~n~|wwb`tWMmD8{xV`kzc*J;G?(nOy6>Y_} zU(;si4AR~GOb7pa2o_yj7DReY`$dT6S?dxjwG6AY4B6{6p(b*X-E|; z%Q`DCN0EO1so?D}Wdf~Up)O5>V|2H)=oNhri>Z4_KmJp7ldUb!_;?&nrLp?SYIEn9 zvz@c`NXlap&K@&t7sVmOCU>#bHkZJj1rS}1S}ZQ1HeZY*r56b)H3%QzFAB$EjhF{S zCHb&hb zyf+*RqMCkoPmZbzgFU{j-nd9hbHLr>7qoSLR}8A0BgHU-jEkZeh$(wWH2p+K#UuEI zQEn?t?U93-NXPv*S_imOF6+d zR(b)#1}}**z&tF7kKxM}@Di-wg7?d_{K-goie@^NVpl2hRX=c=IQFK{MLs`kXM9s- z)s>TYRpVPi3ruu6&>;|Z!&V0PIo5DwOtXtgVrQyZDILc&mI00T7+tz%=MSi84#E>~ zHXdhs-_ZjLT}ZO;R@Fn~50$b(|EGmLYctYFZ#2V|MS+8gfp{$b!ti_^En~U{{~&+l z9?2YwfZ#Q@pI|@;jrv$C5 zJCe3~eAv6_(rWi%Li>Yj9(1L(H80VZfaC-c63vMD0Tx0K5hh2;EY!mW5F9UZnNSNM7vx+XLca39xl?6pt9Hg}rm zCXgATmifR?kw8WX4BsIRJ{|?;16Wo}AGw8}z>-?!vWn?^r~V=SWjo$SE&WRy%PN@}_t|d%MM)lIQ*>i?=FAg{pev0!pjVv&t3L*cx+iP~!n1 zmfxeRV#Eo(pi|bSL-b&9dMLu0TJWGo_HhV3`@_E zNb!v52!)`Q(l~Rj8XuxD`KuAtd)6W#MspV6Gsn@j9pqbw6}kE#pGsMpOeb*J;!5&7 zNWg$uE;!_Upw8|-7be=EhdBS?7>a~<3O`RktnD7%dc9fCVN z8K`QCJ{TcbL!C`Kx@0>&I06a&UqUpP0xKQxT{Ri#vBrvexKHMj9S zE#E2WkKEmg$K$*<-_(p{g=@#e+sp^QmV21C%g5-8RiD`x3iFAV8eux~IJLsS?7pa_ zme-9{)*{o_Bp!?~zidpG#L?`5)TK7+U1$0xvkwWvY%tr}8f)FI3xGLCHOj3BF}?H} z@_wv*sS@pUMR2qfi>=&q9)wUU#2^1s38B?(buT zvF>any-h3Z$-$8ZhQl8)hSm&sA2huQ8D?u-?Xfgld>Bt?Suf$b)FffR?LMH*dMx-^PhH#OV3&~d@e3?~H`o^C?%`g4+7 z*Zo=!e@cz@_9HOUfRV*#zH)E|@mfy3_%bhdXVWO7m)z1!&WGnVJOL319ncO`BqC`5 zn2-e-or97vaITtmto;C%xM}1S$FtaT9MK+*JP};gVj&I6t#~bEMT4-@y#`6GT(Ym7 zxk)1#_Et%QI1~(jg1p}E+Maw(>4yao{Xd2*FSyb zqLf&9!xe?tBAw9L(;w;kvc^xfbObD(Tfv~82mzYV&+yQXtruGnvAe&aEnxgy%akSJQOhRjC3IH3VS5{oy&p+hH*R-M6SI$svJZif9vn!^5|mnwWNYz6(% z3OJ#-BbVwgL}fcj_e@@zfJgd{nBolS$sTY^HX`3#qOemqUw5o+`3llgrbGH*sY(e~ z-WsM`%UGwr#;sD;qyoBG+i_7d}c^Qp4 zamHWEGj^S*SijM*&qk2v_?U$!4+lPDn5yp>2GlvONO&gM5&RD4;U08v)omO@d&v=W zv#~wrJ=1uA8PQD;KTvsda1Aqd)76 zf1{b1=Sewid&oPsSjngls-gw-{?9g$@X%fVEaeQuadrL12oN|@Fa8cfDW*nbw#&NV5f*|gfAa4(m zpYlH;C6{i3{fAr*)ZAC>+?HPVUX3@SkbU3m0w={a^qFCN6i&*t@Rwuoc_IpZT(L;@ z@Ej*tT$eSZhw(KQNEXQ)7~am&#A!Sx2{r6VK>|Ds^b|-Ov&27~ z8>Fqm&*T_4(Qzg>_y}@UTp^9m9=yz-*NWQeey74td@X2CUa(G38#lV>AV%K;gbs}F zyqek$zU=J&pVWQ!Dehh;ugr>FiscR=Fs#N)4=|cMk;+!=DO`4i$+Vp^dQNGoqVO^ii#xY zx~S=Vua3C%(;N^o;Rg*vvP=xb19k$A|GE^hUDV#dwH4AoN{1ji-)z*AkIB|t0W-Gd zBL*(xx3O zzFI3pfs@yStPdGTnea7}563*pPZDfs5`~d+=Sn2-V%ND2B0x^vLfXaI%p8^`7}bdH_|YOV{U+NlkhZ|+k$&l9`TNXps^+RGIakg zx_yGFgQp476k%()6c29k=wQt~>afU#G5R_)y>%b*bKvz~u!1DyWMZ;%Du>*&) zt(1M4X&apf6wdkwIf(m2k+Vt^(p`z=c%zkdB#Ks|7UI|?ar|ludwbRkiN7I(dKZq% z{*<*W0k(SjCwobY?b#K`u^IzQh{<1?0gJe=i>0GbLmmQxQ6V1BlQ+2@kCz9VcHk<^ zup89+ji!Z0`Un9@xe9(enP@m(Z8*azo-9k6afM}}I@7V?WKhW$1<|lVIR5l#4E$!PzcL80&>LUFl zP3G1rzL{JZgmSDAi7mR4IGmE-EzGz`?OP$R*DeWKU!3)ndT*EJgV@R!CG(d`4jyKV zz<}tO8Scxo^r5dYt>8%|u}TN<`0(%ORTD=Uewt=#*1ZXeHh43aAv_3`@=!Nf2T~&C zopXXy?!s9^ga-c^L$*>C!YoV)R#a3?3jts6@K5|JqemzYe`*q>!rwbhNxFwC0Bk0t zEKj@p*?pix=){S4&i?BN6dSsM(AWN}l%%PZprIUk|JQkdI{4QEA*4Xnn9#BRR^q?k z5+vu}IrnaQekf=E-lP1dd%gF#_pVoW2WjxHSH6GAJK6ssrRPxL|MKAf{TBYZ%e!9* zAsqhY{J$#d-o@`<;os{1Z#NuzekkW}MUR?v=Vn3||Cby7mrMPRw|4(p_cP@G{lS&E zx5MvqfZTcFzuw$=p8N0aAtvs>y_>fG7kS9tK6L-XJ57K8%^ggGatC-3>TP#xDFnj^ zy}MWH{kQi@z5n)ZsrTRAE%k1rr`>64sE?|NW2W9|`g=M7!zhRA$tmPqEQlfXN0fS@Q(B(gH?(Iv57lU@yrh4W$r5y6nw-AusaKP zlH*iKRhH7YyX%UO1g8)NIwK(R7evV0mLj60A7tQ;kx2r)SVGSQUx7slI*ju$&5Y2i|LELnVkc9(An(V{gs3o-8qgYaXJ4ty6UNybPo-oaAF z_@76_>;4L5u);cdzPtg@iu75sOI10F{3w`A6YvUnm{g*}6`(|F+9Ur0*d{aX!Ev~| z<+9wl*co-F)0#R9(b!63fk9#p0972|kKW>dNZDw}5;EzrMJS>@khwakMw|a_cvbG2 zE`)8#s9MRnYtM3=@^m;Cqf#tOCnLdzLqVIkK&7a<+<4wad=imkwbuQz>tDm#SnQ~Kf%>Q6X=sV`dV-?PB~bIQkjL=SmZ`Yf1wG5U&UxzK|cUe48_I`6neY{c{<0>Ud30vui;n7 zKKiO^%-Bkx3kem9g&=5$+B*~FRt#n@*C^2KS8itsw-Ll6eK?|y4+_8^gN@*R=_^(Qb-9lqc!CMn zcD`7GM>m%RhXcsQf*Wp&rBEhOn)5=T^lWUAvX8tjc<4L$$<|c*6Lu?*x&AoF;R-aP zxdt#MeLUS@2PgNs)gHbl_26`n5!{0V{}~aKX|M&w`ARC%eW}Jv;iJ9sDsF_V!CiqV zU^wlHM{qj&8wfYSW0P$MpT#}#0G!E9quU@37%244105P@^rwVa+z)ewXUVUyhqJsS zU(GyCI^u7*9&k7XirQ1SQmkRS)0$Z)^6KWaj`r189spgWnkyEk;S}Yp%6e4`Ks%FH ztS0Q{(j$pPTz^pr_!p|E#qc>~a!7kfl&~7__GgFcWQK81BsPj)Q;%U!q(wa_3yAG; z*7|eYA>liSbBNy&(N`)L5LPZSy_oxDcp%x^R5MI|t)zm}1$dx`rMjDkn}=L7?;fJ- z!Z@{5i~4VM3z?hlT8q3V zxf6_Dd>eN~DS2ZVNf?Tc@F@%xEA#MXDDh@vO40iWSCAe!Xuu4UA)KXAmE-UbZycMi zZvIj}1qmt8BEhaux5AqNgdef2zmkX&nKwfqu-w;?BN<^vOc9|E&2ZJX2fS7VjxW6G zf<&H0ZTM^;vj939a=9sbD<~{ z7dO_^zLs%>%Wp%)Grj8ygZ57F47Tw#9ZloOPC6Jzg#dX>?h-6L+)ya5B38JU6?HW` zIUSzS^x)_kOp}Vk%-bV85M534KZE^mhl^PrN7(WA3U|t}{!HW@n?0cYiFdv83@SDL zz#C*AW7Hw+)IV`_Lz5f}eRcQPONSW?<*@r!6^&*;Qp42KA6Kv))uPalfm4CUw(*hB z0MJdNhM9bZ7C*ZCMdL6{#&~C>XJ_?e3_Jew*4#3ym5WUjzkE?oEcB8%`t7kWgwi6Q?r*Kp=0JZ^f*YI(`k5_P>B!FSg*hx zAO)um8R8?%({-1?A^EmZ`sFv9zo#9%DqIFxk26fqocc)6$rp+KW&zbZ%Zc`27A*GD>?265e+n|) zXq`<`#P0TwNUYJMX3jdt(Wv5dVgs_KLk%W7oyseYri8ye^p0n>`%!X%K zkcKYFA)?brT{MyIp}cWq1OyW&i2SQ=0sq&c zHg{4RJ_fRBaaEwI@IlE4QorM=bRz-s1CM^QrxoC#6!#wWjc=wmn=FQkm_|6`2dp&p z)Z)TLQoOKI_>5U`iiLz51Fgi{0sK(Xkw}GB>dv$9Us7=L)s7+-C(Oj+ro#6~tovt` zSVs+|KdW%62_z^DhhhoK?a-A+c(h@Gd25pJXa3EQxUoJ7psSNJZD%WB3YOwC77FE# z1?}nt0RC~$;A9_1%iAKjhj6^}9g;$R#L2@w2+o{;=l7I}D%V)F<~h8K9Hoy+-vARc z>5&bZVxOwWK>7ikmoWsU%Rxi%pzdtduUwP3jSi=)WvAj$-zo=88!aqR4k}f z1Bj{`v=45+=+dKx!`Q%;ONQ(*2rn6Q0R^63(^u*(yeh`5?+e;Jj{ppZk1#wO!9Kzg z@zT1Q3xZ%=!!<9wbez+-NrvAdfbvGcarWU#93s;S_rM~TjM&j^XN(Q72Xywy0q-BbFfd7_7AOXuREp2OA4`?gpe3DTPf~bY5M5 zfc;5h|B8;s@qreca7sfH$O}}0sd_pJ{1fl`qf^tLE<<}*Y!nVzO5I%%6>wMkB%cwR zg^*Ys732jsS6~5%wRB2H1aV6kyvH-;4`3o)%@z(jaX_9xi|rq_tZ)uId&v@SA0*Gj z@t_!Ic%R~g;aSK~9Kp;Ldr?kkq}tp*NPfA-L7rgesbR6HEyr_R*RkUXZQvEw7iD|H zI2T~>awUn8S4lB6L#}hUqVhYUK$?6}=-AL~FTdt>%6M=~@bR=hIA5s8AJAh;R2b#ueCvfM-}3BCL>I_?jh{!+=*+&p$#Pd^Ygpq$xLamF zc|V>mMU&KQaJ#=*vo9~EBt7sTmuR9&Vtbm{dWI%CXI$xHnn_b9{t$_$NFBK%k^!=f zX8JfN5oC{6afki>cD~}8d^(yuRaGr^HdVKEuc4+FTGIt#O+R@nkjjxUkSI#TQ>_s7 zviwkZg6N%vZ*Zf< z=rzez)-}nbmoy(oIiCgNVIeV-g*eW$F}(70!<#jy3Fi&Wec{Al>l8uxPK5`F6P;iC zJ`na-Iba0;C`UE05b>2@_NH@Njbg0#64_+0BxPc)LBrtUQ%4z((F%=S`eFFNW}0qF z#+&4~;Or_JHw(u&FK{!-D&bq0(G%#`fYBZJ;zII{j1E@g%T>MPxl+e#zc&YkG|TGd zYxY9{gZzf=S(=RdLOM!$)n}5K4l~S%r2jN&>GPHQ+=ck$0iB-u$Ej(P;mJs*$Z7YC z!-fA~I)Db%EXp}sVLr~W*U>oP5xl=_6xNomQQ>iwKu6W~q`zIHtImOKu_83zWhLbB_wg_NeEh(KIj+5Oxk>ytIPDDlf z1xV@!r6;WQ#9`k-R;GZVmt|Yv8LTUQ*qMfPpz?)R94{SB;FdAL`AVcHk@jv3C;#=@^LuDUMbfL##2s`A|`LPHro;`$L zIJ@j@c5|9#V%{5u%UZ!G%mtaKhuvTyXu%lgdad8Uaoj%BNyD$aAo*($Ko!4-Em?ri zQ5R+_BC;Ah6$%s=_v=DleMEPppfut7%vAx~mK|^=U0|4CTm4veoH#ze$LZ z{(}`cL;Dz7o$)P6B>_MRJ1ArJ&Z519(KT!FO2|g-!9C9OD9+FDS9t&c`4u-n?kwLh zTu=jXj*HI0WuAPMCH_*oHKR`40>i0k${Ne17i-ty0mcO}%DXA{by&8a!?G!ru441l z>rJo`B`K!9I2nTHrf}+kBcT| zdYsTOmed*H(X@6SD1Kbpd^gyYj=u+agKbxbua#! zcC$R*_H#`tNnmE0@(O1_2E}wkBZZu_S$8pgJslwZRlUEJ`b!<{gux42b$aaM$v<~i=43LMciq3H~Smj*?^Wf z9O0cUU*alS6i(p;45k)HH}jfy2IBDQMnJJ zh0mk^Mu!Iu>G+Tv>aNS^-zf6qH1}PMp=6kiYUHLKEVb_jh5lIV=9wWBH zH^MZ0zo-S8j&Eo6VqBlr_hQ}O9_^*|+(x~lvNhh`oIjzVH=mo<);l`C2lmB8=Oi7E z891=8K^Rla6FYw+un7VdaWKjE26uf^+*a*HFT zjIy_vYWI}CrZ#_A)80_`Rcrgixxd_OpVXjssO93ADU0OANyowxnmQa%C$H%Cy*g!0 zj)R)k51B&Eo5voYsoQ6UjO~TSH#_WFcWkkx&$juw)+hEH%k8-Dg|NP92h!}3wsB`F z-m*=+xOSQH{EhdQb=oyy=bN35s*>OC{AzvSa(jNlf_{$14hxPu-cJ8Q6T3L6;<)ry zk5@G5r!E^$rk@!&@}$#J{xl&UJyX-@>U4B}o_KKb=@nfs?D67m);&=xyA4_1D?j7Q zZ42_2c%qs-ClNhZjWss+zVcE1Xm1 zdfQ103$i0@yVSjyj31+VbAfcuCzMP(l^xe~k+F%@56<_;*Np1h$1qn_l(TcW@%^0k zYX+_jq&BZxo7=JV%-X&SW`582v!6(h&U1b=Ejs_f%ezkJ_qcWWbpI@3I#aMAs(2me zml_8az0%>L{=&L5Se( zs}G%D^hwE)Ylq?|y=cGm$)s1%#;p_E=(8s#Z{c3gsVQFl!-|^2?_Jt3{(-vb!>IGs zhHS;Ur*otsHtFh_0Z@0_ru>xl`mm`lkV~J2z3YwLKJ9ej;4vdnX zTwOiuLT~%=S>HON^Jjloc;)o$8^_0Np7X=0!58{1o|Dxu_lr*#KP*Tc!t);Z?bgA; zw*A*1J3s3a`IxtTUdFB7`trRWM0C7;>#;XG{kb=NW8suP+LsUcVp?>0x44Uf*Iw{O zK~sG=KjdQncKX^KoZ9^O#rb{hn>LR=mj3>Z1^Y7J=+~9+hl1m{aV^I+{Mxn+w#xGT z?ffZuIl)F%>C9l~mhvTQxmw@hQu&k0$B&CkmV_^wUb&}!BQ=e>v`Bf)Tad$)R<|3P zFtny}dBnl}w?0V7k4s(0=JKg0){p(X>8<7t{gy^P@rI#E+%t2Le0fLbWnIiG=l}7y_@26^ zwsPt;U|qb&q}dRr`)#=S(d)Ov&Fdb4K;Zwo`Sd@=3c3kB?sL2*Ob9V(7f&2Nang*5 zA*R=XQ-I45{`!LxrdGmqzCiw0kpl*gUkE z3gJ>D@N`g4Qm@{OXgKCnn>XWjqKOEDfU#n4OF{`p98vJ$ z=FQwZsUsr++Xn7Vfj4S1MVmKoMo^Ub@}j?2RlDHCsWU34+zW*g-7jJ0R~P;fZvJ)w zoCWpN{=ePmf2@phA*-LDxkD}583=D(kP?g;Em8s5Yp5PV|3c3e`Ullf-%i-C`df9x zsqdc@cb|h3>40AJ-;cug>%(W>tETX|Icsz3ccnC``t@6zll2L_fd3r=kld4#3!i+D z(nKkQ6?pI$(WopqWi4YEmbEs8N0tES(!-0@@P)BZN|q5z`7tShwK-@V9;t!9^_T)S zXRtaZcP-RvJT6zObJyZ>RsA}gj{-Oc+fWvh+PMQ16b1O<)j9PGQ|QC0tY(gCpx`7d zI;RY3QMv=t%Vrc%JvwYg3xY=-&13!O_rD!krg{u4gi@T^VZDzo>o-dsj}r z+o-qO>z21Of4&47brJjms^5RF*#Dur|A)rT`Kz%JB3N~!Cut8}{VaHm)WGo@!>CiD zvY@TtUtAV6_zUD;iK_26b6nQ_S2udf8TEN%(>>3Jg@hhr6u!0o#I z5Z?2~E85#fwLNbn;7&(z1iI~Lhtl7L_feQR`mXl&jqo@wS$!kCCzG0T;}tk?^xYUR z>bk0+lnUVKwJ2Ihp+@02P(Y4q!{(Gw^LnQ&M&a6VPfQMP2_4#)W9LI8s&r zKDJ?AZNzJEjyk8lH>p)apCLIK=sFB3>YNjwwC3)mQxGygu|Cw65%;ncRE7O2@6BY- zwb#8#%&)G7w!FCNPFsd5IaJO6&o%iU8*}HcYT?+5u)k<)PrabJ(eDcwVfSUW{s->b zzeIBWF5hEM|4TIjw3_&dr_$5Rlml&xDNgs)`5+EFWCn(NMMh&8I)Um89D5~-xWDiDMLlK z%9&Kv9og#!p>*6!mF19ji@j`FTph@rsms9Ae>Ge>%FMR?_;<3~LS_OrW&e!D4y0Rg zFZ&;N`ED!BNdC>S9Iv0t<#S(T3`JeCd(boR{0(4eA1cE(ip?&t-&SySRv3h8&mls)bU`43=jejeSzX*h)!t>G=Qsgzy&G=|GjhFX_$=fA^8T!JvC+Pk z!#kHC4&?vNZUbDD7o9&+dDgz<)Cvy2Q-aFyplfJpXACX*gco_PA?F)|zD9>YT(T?> z)>I#g{8o-vRaE`@X0VEjv#ag>6Uvf$jSWtjP(_@s#P-4QlB5Y`RDJYHLn-LV4n}SM znjb@qyTN8USq*AUg6OJ7m-cX7)X*`kkE$;{8g(ap+`uU3(53Yt&OQcRSqd_R{n3>< zASHViU76l6+^%rD){i*Vr#QATf;&PV;%um!U}_n_nYgJ!Dl-su6*?hj^L*hE`%tbk zv^Zl&_RZH}`E#_rEx5$zrguY3Ka>HEjZ^5=ygcq{*H(4rtNv#R*JZ_a%g?Bb<17`% zx6I+}yM45?w~ULcF;Km?6ynnX4X6}&OF;qm&L2IzL)}0@-8xK7HgXOSUi8+0u6J$( z^k%>)Wc-R82MzRP*J!k6XyY$j32+;^_Jy5%jp=vE?7ZP%Fdq*Q0GAf?ENJBdXq^9p z3VQbvP!SL6?Hlc=aQNn@JU=4G4ea;<2@`A^xqd3UOXy%){=i3JKnAT;AoRO_Jv}(y zWmYLk?G%7eme^N0reen%VJN-2yZ8VwYSq1u>@{N*P@I5DAFT<6&CNCjr7L-1iVsN+ zTbDqjq6>F?f#gHno66?^SPx%QPWv`b1cBG^Fz=tv10XxvGSQph9K*e9Kec(c={>;@ zj$(LB;Ks7ZzY4{+r65}Qq%sKEmLJ&^9Ehf@c%2=h;crAF{gt1=e-k;VQQP*DXosQ9 z&7{-3>A!?#2lKZ|f&z~TY&z34#`jk3l%Es{3M{{Zx`s5D2qK#uY& zh*miC|}b7EnC zse>mX3ZKSn?u7F#hjd+8)ySZE1ucArq~KO%8oiV!cr${^VpLcdiqtD3k+?xExKbWuA^90)C@NBCGVQ|eV7GsymYvTPBJm|`u|@mWs(2Wl zMR*=0r#oLLQ_MZ1P`BolxSP0?KN!JPeDrg}GQpbJU~1z!nH#9NhzV3V{y>FQ#+ww+ z7oQk+6sAF@{}GoJuqY>0XH>3i&7H`9$wb|6Q{Dio@{IjfQKqNhn9D}Z6 z)P)&LO&~4~qK~v|OhpEEq7 zb^U_CL3V5JrBT@_YQf-o4rctkVQ`%m>&F_H|Gq?yd06NVO7>@oy%8@rW~ynhqz$Dz zf2aBq_uNF#&@3{9HEzvp%$`Yy4EDqX0@5LEA50#+N7P(1QN*5nKsiV&_D_ew9rBV zEws==fO4nULX{#H3j%_ofPjF46afVU1w{pfP35A1pnxE#ps099#XBf)-k|R9-rv1{ zpL5RN=kNhCN!Cne-gST9_jw-mIR0{&cem0O1lf`DInXB6cgEQBitmh?!)U7?vatGa zlIrHvZx}$DUY-{I`b1YU;qoN@L6D7){?U3Loq&cL=TZJW{$!-97Bq7=epcNdMlj(A z7FtjJDjI?8{D@&-B3)nKg?2!)eX;;COnLql$vQ636*=7?P=e&j)3~elBXo3(t;C=N zvA9^CQn(1)R_eneeGiLMXg^RlJqOrpsK6N5%s%d(d+F890h@` z8vhk6oOAT8{*f-H7b<hKAMY*sUHSt*6aQ#(fPV@qZ@c%+ScWw>%G`q z@dD20C)uYY>0{|$#>q)+fA((qTV*N&hhqubo6Uxuhw=~teoItoxs+Hv*^)|J=YtsZ zg_pC+;6#v}MY;aY1fcJNgMJO|dF7fh?iVxXPL>{wC0K;NB3pxVteMj21aMsoTSl!) zu}&2nYqucBI_tvvAIQ_lE8PQBC776J)*|H_t=cUv_=EMHYxk3Ts=iH}>pyi$?62Iy z(z!%zT~tLPh6{<*uP#8wyOMTHjWN{jpwyz2GDuc`O5@h)26ve_R$Ra*RrouX-7H>sAFGL1it?K zf=TZFHqTgsr^WQ3fu?ktD@^d}Zb54hwRBtZb7BLausqUOrSx;Vpp&;*{mknn1x@Z@H9(->sO#8($&bGx8E^$10Wu&f79Q z3sCxs3k+cCH-A8`hd%`LFo@+OsxP7Nx7H4SX3-pSs~u7JCTmjOXHe9p6TF6c78n`{ z4&M^2k`|X==Q98eTK+qqDgA-Ue-dn#7mcoTf3eO<49y1}SBcLjms~=P7SgdmDf1wu zLxQ`HE3h*KxCg@z72mKlxP+nN0Qz2i)LBQ^6Fc6udTX{Ic$7@w@00F_J)-m>i=y(i z3)#`--rFUd#$Opn>UMl?4F@#wJFZyUuF5{Tk@VSd&FZp#2mEr4nTEzRp%kd0o#l>3 z&}*&&ee~qZc>xegMlH1J7Q?0aFEajLSak<$>D`8W?^Y9xzZ;u3;{n#~c)xF%II*Od zv1YrNaNnkMWHfS)B8Cqw zl~=_b?lKR?p_RxI&UCI!GORPAS(cvkP99L9V$uaqQ8V;x`_NQUC024)=|OF9kG(R* zIMq!$1vlG2qX5PJF(J4HRyMXzQ%FIukh7ql z9olmMt%m~_vYwOoHy^CHsdc?->qc0Y|3~I52w$kj8G8Yt8OjmnaND9ec#f%2Z~Qfr zOts5;Hlz9pdy?+L#Kv4)0y$149g#&OvaLD~sgVb9^Wz~(Y5?Uo&^yl7M98^{?Tqo6 zT-sTh$CRZr(r#SPX2CXEq`ZspLCYEiw^Q~Z$R}{N^QwhFZ?B1rLuJpS@&z>!q<2+^ z;x{j}Z4>-G8TV#UdOxnE-u-GSpov??+7=iUU`KGnN`4e7HG7`sui1V~A!gfVm+~zK zE1rn*5d$S`r;?qF0eKg_K`K$c*D2k`{Jf9{$+I9Z#CLLENgd@!kvEb2g#s)GAFHe` z7Tqh8W?{pU1Zq}4=aqd%31$YZrs^Dm`kvW}d@F4V@0y?v_rQellkG@4WTSlU_3aEK z#Ff2+hnFJxdFdxeM+Krb={B0!f7EI)_{$EUxfy(mHS8LI_0nt$>Vg`^=Or^} zm$Ei(OZG6d(>xGIzuTbav_re9CGpU>S8`+Hlv7Eoer3O*+Z1ccV5SmoxHWFgStGvkN=Gh2RxZ8ipfU zvh)<9p2$6jS{pt?uKT23nC3~pp?Sc{R|r#lJ@O<&$;U7)gxR=m1Lj{6##%d#yC3@y zoet6){J_W(RB{|k3i(r?S0KB+$LvU4JMB6A^5qE59U&MJTA4Pe16CD^?iwgP{ z9$@(M!c1!?c1U0?P+AoBMf^de!h%8?0wlkXrNZact;D=vf-n5+*8TCAd;dz8X-g7_W{@9?dFeusf$PXH0m*nEid1eiC(oH9kwMB876*bBBUWx=c6_ZgY z6IOjnCMuKS)ozI2QRvpVLz4PJ63SWOMS+EgALl*e-at@3_ZXP@8HQUeq(H`VB#F3M zLq1H0FZCjN2rPd8yk8jC80v?nMy*R{VCwm-1ksbOH0gCrhe#hG@6$^OvliOf{V?l3 z5J_et92hAGJYf~ii!>@P$m`%&rG3&Sfa2>GV$At-sN1eGj9-n}!1-`c_WcQEv& zwF*PCr|oBGyO{%FtLCY^+Ye3h;s(!y(hls+Uh*ZKe`_G(1`6A0W!XGbxC$M43Edis zB16&Y{ZOlsy}03F4csOV?D}ir65Eeh7@*59iDzl{_I3=-jl7MlBZW7p63M{iO63V9 zm!bZd6Hw)^RJjG>FB8z}^N22p>_y5I6ku>c4|oq>uoG^bM}_B6!wPik3aYz;);1yf zgR5EXtD`-t9*o;nU-AaJ1IE)uYw*sO)33_7$WUwbWbHoAGMkJ?%2n zg-_Qb;bVUE#BX-*pE*#o$;n3E#J8Hzo+h;V2ej!dQl{eKRZ^Q9e!8gzc;7ihU@(0wg3MseIo=$nu$)%M8Y55pl69RPJ8!#SSev{Xz{Ii=-YW{ zy&m%$moFYZErIXACsZ9|_}%1~Oru9{?p+cw*GgDz^;L{`X z&`CXp3i1osb*ZWXdoPxmnTAnlW1De9(CK;T9Gvvb&aDjDEB(ye(8qo+Fb~#VIJ66G zF|u&|wa=qSX&hg0>rn)M%bb|5srrezI}_b<;tD5*&u%=5&cVmKb`H{jm1p2vwVIQ) znzc~giFd*m%V$>OX|pu6XVoNpD?__8LtD`e)AjSdM1_5{>obkFfPQ@>y7dNv3g_1s zUO}@jW4?1^mx_gC=6A`Vf;c|>?GK3kfo_P*XKuZY%U;L(>(RF#BlhD!0Q=j=k&MV~ zbn7x+e;GHVV(Ywb_1K|r7>g8m=r&tM5juF`RfcwmG~%^jPCfSM=>s!gK)2#G74e#{ zW}9DCN1N71)V>~PBK=RLzTxY3N(iftSX%zS{kwTIiX zhuirmS_|vNQA}VC1COfSF-8C$yAQLo53_b3x|M^~9PC>1@Hfn{b?Dn}*wbw-Y{N$} z)Ejvh-Rg!_u*3M7M>MC`#om3^4X=fdOELU)lpfoLjA#1Uw0Y7eT@0v*nr+Ya7@MVJ zcbBRdm3FKljPs=~%0qcl{{r=)JWKxqdQlnGbz3j@)nYZ22QI6d^A$g`_t1}E49K@d@~@_^WBX< z1`Ho|rS5C5LD0hw`DfCIuBgtkr}Ww_&!;CspVaUa?!!<_ERu)P~07DIk7`y;iUeQ@OK#aq;7WO$?${Ga`h!I@x7 z7~)5q6iwrcz_sAN z&?}ln`_rE>rbp_{)iWGZ`C-6!1FI$44a3A|(GIk*{S=uP78Y`5kq^H^=0_WCntoCr zES`Wx8t7%6pccBG^ikgSJ8QCR3wscU?HRxGVB*|mG-B!4gLDisuvAQEg4*&tn9ze- za83g(;_F0G<=l6V^F5v8A`h9qj9^ipt`G~oFMtDJ`0$|{3;7(i2R800<e;BG+ve`n5AGab?S!P%%o$*K`oG+Ymr3|CV$(cv|vrBal& zeVOeWc)?Fc(`9Q+wxiwX1)(d-w{0{CDMi)RMYd;pl3_|pSHWvsRbD?%{Q$MJP|K-V zq>r>#1FK`@NRsot5If5Il~jXQzob!aYfH*!l9e0ZZfvi-R;F&#sBa-V1KdRu?~|LZ zKRdUh+=d*Zj;agV1^uXFN1V?ZNC3lluRyA}hlUl9oa(_yGKOtrQ)OTr18Oz2!njoD z9j4wy?yH7qxzH{w(&yb3)cy>S`+4uCo|=ouIt&~}>Ow?cb-ZHOI)XnSCt_UMt;y`} zJ3(2jferIzckN)q$YJ)l0k%nFoYDRgqXiOsH|tzK&^m78KMbGu$0G`t4R5~3YTdS+ z9KL*jro-OoiHgEC=<*5L&Yn5XR9!`SDeuH98<45B0Ls%D$|1nh z2p=iSkUW#$8@Y@MUx`9;@1A<6|LFw7tOPt)oL;t;fu+>*0BWjt2k%8cS-R+P&p<`3 zF+8;53RBXK;R1fmz;G+*=4@xfhlGrYpOKg4fRLdun%3Rc-R^NiNZ0TaTvuZd9RT??~iPf@lbU` zHzfboVn;nKFwxD8UUqk_3vU&6t|8X;^lsM#`Ab~NuL7nu`FrdPJUvvtiqpMY3k#9_ zlj20`gGm0Bc5yyAlHKoKHTIJQ*?$TyhtbUSk zq3}vnd@3{usXwCSXW2Go*AOlAos)Nx9Ef`?|CrBE?$s>6Kr$-6L-MoWfeAf`#GQsG zlknHd1?&oh&pChA2M@9m?Nd30omk7c_POWllpY%1U&O16YcVbfAlpPeQX6|4Tm&6( zx7W2S1m|Y|(Y}U>y}O+Na?nPudk_6uMmfae+N{ku~FCkr^v2L7TZO4BotwfDoxITrK zP^~-sq&V66g^q4i`Xv;vF8my^w0f0t0oWe7*#*IX7rFN&)M{-SUC57!k-dv|?s%QkRMYe>Us~)9A0utVWOXbTK2-bAs)r$Zx_Ji4YcvN>%0o$7%@3pbqx`;T zvzIN~gV;H090o_4%o^6~k=?`EOgxCJ;h!wssqKXd7l*If&g)g55nr%nqynLS^l|(n z7q+d}(=c6O++yN~7+)SKYy7iGP{);?S`EewBRa(4r$a*Eyd8GOd7HE5yMlV>hOw@L z-b-SBbdF)hlAv4J$%|cpRX5ZPL(o{Aip3thO_(JtNvsA= zBK0e6VMBuYsa6;d3LdsjI)L`|R7{D1m$g9X2?`*4v}^M55g655LHa4Cps}#Fy(_87 zsf^KD1Do3qe`?yk?ZNSAm}N$acjxSO@%SLFZIGGpZn7&{&quB60Q(^`>Hw@5l6F58 z$fNe3Q+@5--)B&XOm(IV485CJ;0$z1j*LKdgJo%N6uJ*B=^CjK0l9up>tV<5Y`#>@;DL<^%FC%0S`2$>!wG|wG)etXivo=*+uC-~+Ga=9dq z!hH;n>eoCc{iCkAL0*8{?VAH7uJ^-Rt~^f%gTvjjmS=Uihp@*v zp0Ljqer2FHK+(wQt{g*uwq{+pkGxad3IC2~;a}NFrXHM-@9njt3A>~H-HpPv$GJ51 zVDDR8y2{0SkAkkQRwM3{IV#SMCWtKcSa#@S?3BwY zUr<7EFyOyzVRX(6i!_+UZ}Jwyk#yU=8Lp1_M9d4@FA={5p119G;t$TS%}rEAtbQHu znGFNM=%Om>R|>G91IXvOykvZEIByCs@#)x>{EOIW`o1M zV3|^i{V#*Eh1E7kN8Yjuw#ymvcU6nflJ&IL>Q1Qnl<=$+!Nz$;{s^=);~XP|tbYbj zY=*PF&bFHHtEHQWKQPXT*4!&N`Lc=)*w=aJ-aHkT22s&S0v%z;#M6 z2j0e!Ta56sDO*Q}Hh92)Z+O^HPvlh?2j(Mpw}n0$3u@g!bm7v6Vw>Wnexyu6V3z|o z>kQa<@jKhFWb#t;krr612Qm_xVfJ#~qXXYS^BXveHA$l(25D?QEjR)_+gyu~?q7ar z+{lsj&98zWu3D~XJ{TN~+j56(%aUZD?UT$4|Cl=;EBuseZ_wP`6-AjsNB18(@(ER( zgSadA1tVDHmI=dXb_9Iqui-{m_r8*BaZ+V2E56K`)ihBloOAKh!gUFeU*eQ*?I9LT zN7!5$t|j7+wlOYs2GH)sIW4;SS4mgty$pB1PHIV<_%j`Oc?d)^gMDE%k?vy+*Ytq6 zSN9_0X+6zYGM7B2jOBc{jG1<-ge!@1nFObK9>7miQU27{qE{wjQyt+{I+rS&He>Hv za(hn@fnY{p;X~>p@zN8bx&}9!cX+_P6|{)P(8d&(($qHikrN1KyIbkO3pZ<@q2uB7 zcD{19ELsmCrZDZOOhfgxkY)j#UCK}dfiI*xy;9?Qo*U;%5p(>B3=x7?IKg!pu$3b; z$~jQnR)1uoC0ws1_mdLk8e_B83lZC(+_FM!nU(;NdH3}vm5)$#vAiPu4FHU~LJ)N| zvh_@WMQum9`KH~Sn6qktHPi8-^a!)4h@J)l^|8z8Vpjvk4fn+P!y!A>;GJ}#y*9Q5I~xY;>0sp^c@57}{`YX3WK!r8NU2k;0pI|s9urhv)eH*ka zTysNFwESCK%jSA}V*@)fq9VCZQ~>fnF=0`f^l@@<8`nnNsS%SnVXWxd7+hvQZV*GN zih_$Fc=0L;4hD94K<<6YlI`anF?te;*4pk$6)uVUS;@YhLQqAV&u0a46U7Ii$psc;Xm9in za7RUe=O>6IT#Uc?!8l2HaasmWNFw+j-OASYtb*SJ&c}!O%{h#L-N6 z`G{3^#4BH?Na>7KP(Pta^^SK2rIMXU-e(wP;uokc#+H{r0`Bf9>Sx&YUT>=ycn>>A zNW(ia&ST|~KW||sF6}rD#9t*8_Ee2Q1%I5{>%qzs8v4tswzdOCA_;FxOR)DI>YuezF{;X5xk6c0$(t{!ac5ALkn^qO`HcLko{C&yn4S$c^I3{zPMOjV@nAq+ys9z(4EfFHPqp2Z1kr!gS!7wsBtD`pQX! zF4_awHWo;qA$G7^N1ZPvHhOTrkAqzSIlu-`d(RV6H+1b~XHT*DTlATGcb1`uXV06a zc5{8$vWz}Y#lRL#<8tFRQ}hf(MWiKBy1eXy#vM#BZb~wkxS3bq=F43^SO=qVcgEhZW zFwWM61?&`Z>D!QtndRN<{z!~!5w=7h!Jp2EFQ~#b-UEutU2in7wm^5Z;v9S8Czn~d zS7-mGqhcZMXYR8tYU}nTs?V_QW4yhXIFIVwPwUk4l+BZULbkoGx~2yT@7q-+Y9_u< zJ_;{`IrQ3Tk`;ao=8F2C;9$8mYxgMSc^q8he;>~nq;x>agUh8~5j}4xbxCH1|DxQc zyp|G~j9mxT1Jipso)+lKoPD3#z?XgYO?Y_#pFK`(>QH?4H8!K5D)a+7dzkGY4aN{4 z1thlfM^E(uw==c1R2`(1rept_N1YuKnihJz;Tn00{8&?k`eoS3ccSi!?-{CsLbt*! z`Y<%&&yf)#w__Qoz5J4C=-3PBdi<7t$TB>ocDQ(#gc#e9q8@*uTvveU{kqyV!2Jo!~sFgHZz}rBmBEkFz;l>OpKj6WD*l8s(ae zHMM-Nu3%67Ofta9vKX~~FD|pT3U0DY?&I9AGw6UyBrq6}9mZnfO832^tWG5D@e8Gp z*F_X%6berfccK-Zo$im4xdOn0Z-(@qOL5{;*7V>2+kL5|Kx}}qrWlK3>|Z3q0$V)E zTa*SQ&fqPfyO4Mf>^AB-0EnJ3z-Y55w)?YZP*|f}`B*%`XW}N?;Y9g$_kEn>jc9^PA1y1i zz3`RkX~U}DEjtM8xrPc&&W{K3S2y~&hlG&;-EQx`rDyB;RhA7&V30}5Y9tTXc+Aiz zi5u_z5I)HlCR99)Xz$=S)aw4et?g2htB&?ru#%>$nHpui$JsMo{B7<@s(MOD|7J^z zm0E-S>iZLWb4H0Bx!dP8x8v=*f7~1g+rj1>-nn}&FkCeIdFR}Z$qZ5u82KfWj(LCCk z?mxtoe$4rl`8c?hUgR>vTj&a(T=WaQKqcc43&zFofxFyNktn1@7o)efb;8dX2I{2A zoN1k(6w@%N}zu`NJTTMrK@Br0MW+Cwn5;N-W z65EEt1~RUG63!CF;_}9k^?;=n#)5b7=YQZ`xP7G{|HJ+X-R%|U2j0LkxZKJ5h!1(r zI6u)}EZH{0B_L z55z-0uLYD*#jR)8Ni($KI!L+hgOu6S{fW*dqUqJ#&SEwyZ}d;Q$iOI_SKclnYw_FlXcza-0027n#E~{17RZIlQ;U z8xDup(p?u4H!6Hl>9e$5!71CQc6=JBCP~J)+5>!*Fq-TJ>@YT+h_JTL>na0{|4W@{3YJ)xdtZb0|Now-Mn7w*O~YZ zwvRKVuQd2&-Yi+tnqQ&tgX!Fd_r)~b~wI} zhpIgpWuILr03ZC1CNj$j((RMYp2baT1FE-dCob;^9M<$rQ19S9w2CZs{*(qPh_gKi zk}e9pkRQd3;?pB#3~!@H;c;T=i5`dIWa>-6^;h;3dbkjgsiIl#IWvW!_eW2b+td=R zGCaGiA5!NsW#3}%)yl!Pg>B(NyZ8qqqw&H*wAzbHN|3u959YZv&SXEs8T#vBdv?|k>x))oB82>?ROwdD z*=T@0yi(WBkj(jkWNBA28DL0-^|CW+fHl4$g9B~*!3Jq5YHp-yH(Cv}r*OZjVq<+G zcCc-HGsTCzgJE?JX`~XwGa7BAIJC=Xs4@sWs@_FLqfu}QFR6=>I5gT-aNEy$*;&Tl zscWJ8u3BS(QOGg;Y_trgT!#x!IBrG@gigXv@@x2O2qmrs261O52{aNzBQNy9_m-AH z%>@<~qib6YiXJ7ozon)hjChdxP@LsSqisOjf-q6MpF{(4grqqKrHJ#4gHmYEf}ze6 zI^$v!{sdOi4`0oZI|`CiBgEB50l6_Zh%ruvbdlJQLzK1di zl@%kt%Z1$~6^KT03%b|SRXpOvcFB}koK~)i{Xx{Cjj|*q)XgrA6gy#A$bh~?dPZuP z;5F7yvVucAt>7I$S2+Y9hh!P)Tqd~Hp_Ln7Hi@JB8<6ySN^H*`ay*R-gr_Gif%$2c zu-V`^+pgGS^5XV-nW5j{5)qgyLj0^4+8^E!*&lEa@9K-nbtJZMES6>zO z?h^T2@*Kvaa*_Q#PAGPtwurBw1b2Unp{k$zQ+~&LWT;%qKR6o z)0WIFzZm@xxAz=xe$=wqQ9M)B1uaH%uleXnoLE$A&;U0#qlGG_XxRMqW zW_Jp%rq+FSNURd@t8@|9Km?^1q4_@nX)OL`Kh zFnnU`$4kGXdXF_?+r!a!oTC#AkOSyO^;2OzZG6K(7ea2d&*3N$9oAX&6)@GSLbJPu z7hUL!Qcd$l!w1PN)+kcfvZBn}*Sui_jhgF3>PgmCWY3 zR}$gHa>A=t5RhioP*qq^%t?FO)fkBBrMf;Cl)2s2@Zk*8t2t%i-r>){)YC4 zC|ppXLbwCTxg1|`R9VebeMaVvv*xP%&}Ha=z*TlR)iyUx(c{a>(C`7~6;IOu zET0SMi0}%nb`CObPk~ko@Es?-0Cc#F1bfOMk1M2MobhH?G;#nhDRT6tm;C*aySWVz zm#&sYI^FqNr9X>_Zsb+IW?CMS9!F?!>4Dlf*vb#=V%L+23FOP*+pNpbPp*oP`W-;@ z){`Hsyrkhvd6%i0;~nDjyu-OEwWKc!eumwKUc~x1G#cCY1Uvm>62Qw5toe#?dD0d( zc%J52TTH_hPo80+9{T?xpbHGO!9_nsJjlc+aQ(&6!ELZ@4Ow@WYnAUnuYw*qu@F)# zuW(8_izV-q!gwWvRXU^a(3T7|LE3&I0HaC8aPDo3sAseII$#r16t*eu@Ky(lYs52O z-XH^8B$xwjSw_%quVw<*+J*bkK}s)exF@wrlu<4lbos8#XFP$-hQuRR}HdM|g-=HZj6=f2g^#^b> z0%;}6_hs|*tyf{~5%~f^ZtdDn5V-%&BQqdIW4!a;a{%JA{u~34-XVMyZ1DB>u%1W2 zW+pw406XzGDqb9{i=7Yyt_lq(N426D)X=&O<&vSU8szoN5@tba^DLU#FduT9{cSKn zC$004*E+9JQ4;|kFFk~+HOR}&r86WIm&ZYHML489!H^Nqht4cK$t1^MrT&udG~7M_ z&6FUosM7*oG&jU(AtW;!DO)wUuIhBnpD^7RK2kiVLQd0B0xnjs&iX9?LcfJ)^ITpv z0V%#h$U=$%@}|bPR(+5<2X52%nBZu-HTe!uwtP0qwdUS|Q0{gjFF8UEMb;o;{$F_9 z0cLb`ZY~O$In& zdpR2}@F!x^aSjsB=XUvvOZWnenmPrrz-j8exb_o1Pn`j<5pgC=2@j#@^58}J6?!rJ zjx>-VUr|eB8$Q*F)rJ@oZRN9KFQ6Z`#o(a(MuA?RO|8YsIW6SszIM0=KoLJ+P+nyh zbq_qMAmG{RHB`Mp-3|1{rRUUL@XP*?7U03>s*kN%j#P0wSFC=Diq_}=Y+H0X=8k-V zrukPPu|G|NgsSq@+$7I4;h9yNV+gl0`Xnz`h8#`7DRde?1Ul_D$OBUWzwkimbR(Pa zKSaIK7py+U3w?9UiCfl=fqY%?F@N6}SVh%pgDtSn;|>)6D)tA5;2l^IC{L@)Q1AtR z2lOW}V-o>jM$07J5h8G(BjMDp)Zjmaj)6lc_;d^n`46^cS4!R-jLcOXd3d-}Y2g4R^r{k1sC^`VPCc9BI2qXVX00R0G`zs!Y zReWn2B!_uXqo#lhjAp<}yF>E*Ap>?a(GC7m1esTb3gemx3z4qMy(pZm4hOWNcQ{;I z9FB%IbWC(7>cTt7j3~NxznVva1t+Fk9@P;gn9rGI8xdN{ARtnL#Lr<8Ah(Djel7@7 zcZ2vj{Oo8zn8GY`0;#=|VB9&i$Cw5tzaNB#1G>rXqTh%fLRFJA^^VYY8K3{CR1ma(Yps$VwMOv6eF26{F% zNhjTl)pr>9A3v-1ifcYf=Sc6AxDT7}$8GQ6!^UE<$vY0^n}$+4K)S5~ScS9^ z!_r`A=q?lZz*`@L&|ZUZg!J(BAk!;dHl!owc_XpuYZ4lRT#&;?ONb5 z-|G-Ok2Iy{>$9Xsnc$n?*Qg`G*P*X;(gqJhU-?-Ry#P*~516228^=l0QP2Tp;3W;p zOh?V1K$+>V{)aNtLFp3`71tP5mDmgDs%rV`Feg|541S-Ga`-$QyJVj0Ow9<=dZcKc z?4@~t&a0uM1B~5#2XHZBG72KorG0>5bS*-bt-A7uqz|?3jcLIY&_l`-f+n2)7x@`5 z?^|9=gHS?HtRKSlke{U&R=pft$3jM|&@Z~o?MimePu_J6&%@5>Mau`^*>dS&K&ej@ zd!Y3mt-M(U%Ha=D#U%)mjqJcCYjZ%dFqVxr0Rngrzw5;gJ``4>_aiPABWzY4frl6(3_v;IM&EQKTa3xHs%!x& z-IAO0FQgbS2_ycJ=HKa1fMw?q=5M}@|E0V1_i{=8YeDr-nSuYU==0Bo70jlw#lxND z*IyU=r) z51@ErdsuA8=oInWNyz!t3;$YAaU&+xjT$@p&q@N?JP`Q24+=Ps?SxYQ^?LvH7B|@V zZxZ`}KKz}#T$(fph^tU=%9OI&(Vo5ogPtCWNA~6_shmkWsm^NFDcJ!3Lzy{V3gsfT z6RbUSxjrB6pz=sB=j7&KlYbJ@WqWghj0NR^00yiJWhFm_n*gH5x_qx%wgc%E8BQ_d zc~U1h&d$p&gPa33FR!dktb{ML4(Yr(x%fC9?6br7xp`&va1k{xrwrIxa=qD+PDtnT zdf^H;Az587=jG(W6|{1WW1#vFywA?_hSnn;eC`;5=76JG zt9VKk+#(cdeR6GosPjq7-$~B)C~}^I!Ypov;%Z(lZV5n5$oam)ofy8Ay=qAvh98uD za^YJj6@EECM-}f641w)e**lDwihPmvNSotxRH>)HXdYi#HPUB$a zc1q69l+%^WoXp%zuUXB^)8wZc9y@-eA=#JgkKb#3RkP3=kn_71HdF#P@7AE>xjFu(s_Sq{xQ?O#Ry<|YIE8ld(2&rhM)knaco zRc)G;4Ak3i3`)ka3Y>~G#Y@o?I7&s`a3+(i=>q>x#Tv9YD-*|OA#~uSiG!DBjlr6c zOS7iKImy~VI9Zd+Xx?9uWyZS#vmwo;=CK&NGhCjmm zOY4U=`%feOT`XqA|NIn+wcy2n8BzPsw$BX1$y(?IEd0}&akdtE0ya*M&qnZ81Dzsf zyiR2_#rEQ4CK<=ymsK1A>c_0&TqYlPV{&mS3~b40 z5PSz_$C~$@#b!8${Koa?{@uV4SR(yt;6F5`A3)*o3>f(N({~K~pAYkYc*Or|;8)IS z`7d6;|6H=09UcCC6N`5^vxNsFmw@hp>(v%05gDsekH`fr4{K9f)s|Q2T$;$)vM!I=cwu zcG@EL0qr3y+-52NyB-{#BLxFnB-~3n(3RXFkWOCtm+$fL9hv6dpj(z%2U4_m2;qcI z>3@lKPI9egbM-NiO;VkFNB0o3sENHw9>(9`1p0OApR%&7_@|I1=8Ceb8zDykIU zMje5<-HOPI+Tu~5i8Py?O26QOcq;Bx*aLZVg+&O&*n6;9z*UD2A&@CAK#t+8504|+ z+9_kW+xU`x3$(h@X3~x0*kS3?U*6NAS;0f3EwI{GK++mp531XxGrUie9_rH=r?Q)H ztqvU5u8jp-xFYyvx{g=CZH?bYbs)Ua+c6`MirM%1I<_tGc?IsUP$%SYlR%zk8TRs% zT?UBek(1(HoLg3hc-7k$8%ZVTQ9s&cFWgIve>~=}kLlZCN9I43e_0`Y(mk1XILS#G zkTy=LBLYrHz9Sw<1mG;=WKsaJE4Uwa2=130+e?o13_(-yj8r%gHi`>=1#po=!ww5T z$aF)|4M!Eb5+{Ox-nt4XavUByR=kXL|+UMH3V=7k4Ig#yH*R#!WR zO1p#LeHAv~K0vd@H;^)%RrD%N77JVUY5!nc|A=`}0=dYw>5f;mb|Tx!ahjwA;$wN& zCFkx4OA$M_1ROfW4?tZC1K5$kyj7s(tfl7;cK{9t{ATcyxC86`6$qPMdTcG(ipY9z zUotFG1b*2m);E+#PylkW7qfePzb%UkoPp{&Z=mv(oW+T0ggu?{?YG9fr`r9*G?`pJixZ>)gk7b*OEdNlkJ;NzAB)alDeHd}nUw{a z(x-590MuRPw)~754&xbdkrFiHjGBo+Wc$Gd*GYfUz-NLH$#J$3G^Bu}z|{0;q&MPk zvn#~Ge0y~!Q{qDW$l4Xb2{2JgpwN&;XDX*L+ep6TJF}%@6C9NQm&Sel*(jQX#!8Kt zjN^M*M-q#Fou&|eC<2#v^drUi5+FF%V!8{$am@)u%Zi^7c9B9zjSoO&O$bzKi}r|# z_yKx%)n3SdB4f+8BAgMZLB)B>SX^M@Cwa!ze1J(6)C(x4JfM~CowiZGCfck&sTV7(XP?*>Fiwp|nuTwWBF)CO9}vujsk*Wa4}3pr$r)p(71?{;wEr z5CSEscXWO`vd5%Bh@0X+sO3z`Qox(f$YeKxc-{_H2@OT;-CAjd0aEbtH34#h>fHQz3iSu(B1%v zfq;Z1klusD&|%1NELsSPIvsIRP;Z=+U@c*9Z*u@n&qCHYw%|S>;8tcDn5=9;!sB8( zo2$O4qZdKhudVt#Vr6ikjxe~B7DkZ}qHh?s8%)0t=nh^Zo-S-7@31q~Z7h9AC;|}~ z>$V}uK$wM4{X-QF$S60SCL1->$Y!%^snJagG-XCxlFfc>8bR4kT4~5c>m5=I-7K+b&fXT zL?H9ZC&wKxgIY?G6R3xLjP*UdfFHnu$_(zwvV5D(`)hzuWVevd8w0-~?marGwm`_U zwy|_ftZcRJ;cHs=;~#k{Omf9}LCVON=jd59Q>YcXfdXe&^;R6Li=;{6Vd;OXC%Oqo z$APq#!TD^Wkjqau^h;SYj?ZOhDIdic7cGNHRS0=s^H@+58Ki=u=0MXkDGC#h7Y6QP zoR23R1BQzI$o{+@C>O=j@xDG6rj|C~$4Y)j!e^Em9@Xu;VC`2j1S`|AvV$}Bg~*hF z{s3c&=|!Wj7}PhCt@p6Gn-DZ2(r3X8;gD9^9-7R^SBu999jlL6o+WetFZSL%u8FJd z8$SnfFb6UNGcbV(Okg4tNhHxk6D10gK+r@%Kykq}Dk|=%s93jXQL$pd-Kwovv1)5A zt=ej9E4FT}TCLjFZWfoewzbt(yWL&hD`@Y#&*!=S`2GHVUq1rLWVXziIp;dp^<6$= z|KxNPYRd6JZvH_2TdqM(ME^8QyU_l)x33$vi*f8WhWr*NkzbJl;Pd66toT-~4(}Y* z34shRon@bbs+y@()Rv2uzp+k>WsGbj%fBB#tb*Gtya-=y6OJKA>{UqG&-52=F)`w1 zrCgfen20|IEpkTC(Okf-3Q3v2RsM`8gZoVejv}Wa#fwvYetdqjPn$*c8IllJjko#rUq$RT%tA2l^D-Ow}{ARUXM8X<6WB?P!47U9s zR6>1{(F#VWAgWFv?Kz&Es5ZZ#<~wWTPV6R)@ud1fSNbf+T2nFZRg#4nDGT=@&$+Wn z()`n0KEw#1{(!T5!$^)>4lGq!cQS9|u~c9eOZY9eN@HCT=ISJF+Dvqo%;vsO))J~9 zV(EmV@etBbiXIinr^NNPL05ld}L`WKHu zg5EV6u^(uhox@42xJDesyaG4Q<8zadAA*Aw#ob^HC&0B?{9JH1T`6d#eb9WCfFKF| zvMLY&a!J;(RIxk$IpYUhfursHk<>M?!7QnVwdE@9gTtWy)f~omkMxg4Se&1N4X2L? zgHWTfy6vbS0D(&X;6{-C$VxNyLds2~JsM4}nYSjBNy<>}Q7*4Vr>@@Wk3SK}Y54*dEjNy9U5XS>qS=@j5H=m&IM>7ZYf`xEW|=T z#X4cPo<_P-ko`#(+t>{ZkVwqqSw_hJS?-1TLxoZiiL%xLb4ZOlQJrBXbtNEB)S&I{ z#z-Mns)kW&8R=)QP-P1E#b!&*Y?3FJDjUQc($BRX3ojArbqA8>NUNmY8CRv0ymvs{ zgyW72>v7=b+OBo2?5MJQLOCAg2~TTK9;32&cz=zybg@` zEF3E*l*Xg2o5T+MTy>RAm@OYAvkz!!XZ(2iFVHH2t9l^mCcQ|a@HXWsJWb%~68npo zx4l2!UmQ|>^@6DQOz|bGmqw5&p!gC^J5)t%63 ztB{`mk!ujbE5$*1s%usWPFw|d?Gvu`NSX&Mz>QW9xImFi zqE}e_GPuWfcXvi%z=x@L!G5fbu*#nm;fpePg{RmKERJPIn=KaO87;MQtHcDntY|vp zX1|PsD=N29md-$t>9NW(MfwXf)hX|#VPLV;F4AW}JshfCY=LB?&Kt|4IV!_C57 zRo1_(cT(6ZR9~bpIb5{cYMiG83PqML*4Qtk5WktoOuocZkHqQjXe6E)=t_}b@Y+PZ z9M5z#Y*Ls?Ax5+dv6fPer+i#Gbl*A+vl==Hu_K99Duoo1&N<>}A0e8y7oxpSnm2a9L&?`#7?DoRe?!uvf$TFK zvyu=UW^RhcHk?~_oO_-*KmV8=Y)U(mCDaKrT7e+Z$yY>eSen+5DQnVq&Z^kadACzb2K#hNa{%(;i79NWnwBG1QAF*@`~oe&37=EdwE zan`#Cup;>&BSV^HoA>M8VN8w_L<5Af0wAA03+jgu))cXcolrW{F>^ZZLXU3!8Vh2n zEdgsw!Uci+?p%ii#rXpU(E+kiI83K_hfM*TZo8J3Xb&fZ^bPJbbX#Xp^EYEJ_t$M# zvppk;SpKOtGK%AjB#Q7?E=!qcbiqNL_S1Npk7Y1+g#3PS79hTK5=h~T1$aFz15aWn zKSGT^WpoCC@_s6t^Rf_0yme5jBvEp*TzLE%83fT`g}9RHqcVEG;F`yiXd#ESv+V`nYx%6xAa1)$qVc_e=*jh?%eLwYwy;jS=}R9la>VTOq^ z7=;bco`@rbr(3W)G`hSP(;JXy>C_0b*2XlLMd*PligUb$`oU_FMh-#TT|t|#C(bo8X7Y~9Gym)kPmW`T=%Jlx9}wK$JHDh`I5K&;V@rcw>Ikt^;WNrHRx ztp#OfQ!VLA(zxwpK5fgz;tAwyy9t>#s=$k)9dW6xDTCR4T|j+^+{;Q1qbuAp*f1}n zmCQy>*%)he(GYzO>gL0vTK`*nouL^rrGTXv#zj`n(Ou{t}F!d{vz8 zU(w2U_8wtMHxjfSO`&65l?d3^V3+QAK|UgnwSE{Y9}+-;N%WI)S04nJeX$#{NXZ#~ zFwzEp*SXfmk=z+Ec{O2icxie0 zuzSAVo_Ms$Bp)k#QgVp;0i_WGAO?Dt(tP*#)<+PI5eJA9MeBi$fF3f$MCzLptz{_q z^tu-y8mS$}Z&e33fa^&dzmMTKq0$jSd*;nSWWD93+DN&nDpubVX$5EwJV@Il8yNLI zBAJEvME~v5y>@~Z%2WAw~bVG{9H1j%9R zTqMVrttSf%e}uY1W+cvlAdjR|H#}0Na8(mBoZ|SlQ4T}xV}{r$88UAA`H{{2$t3Wh zTucrt_XMr?i>zzl=1bE|1>T2yNb~Agrjzg) zU~5>mccf$`%Z6FC$7J(iP8qG}@BS1@nh1)49Hb|2-ZxamGIu7QAnUM!ka88-wD)zC zPET5^z(JecrSYsqkS{qv&g)OLm0kvd?Q_P>%3z>JI^AB3G^16iMex_c&;Y@#CqvTy-8NFPF-x(#N ztf?pq0`yF;%I4AS(=yTI0A0`U*iCG1hj4-4A;yC@7W63gsr7kXsnN-;uPoi1&Si~%}$00gUj3ujuXoYcD zC)-KStaMyC8qcF8+IcY~#|pKlO?*Oh*-$jauSf29lA-%hvGxduhO?QF&m0?rXW(iy zC8ICdm30K+1vE`~5iXpyf7R-&zL?4xTFb7i&0!>7Nx(bE0$ir|vJJ1+=l}>lE|Mmr z!63>5Q`JRT(-7BFfccJ`i3|Myim1Nrh%Nb(1gy^?AV7oSMk-vicKqddXb#p|-bP-l zvd%ZZl*Du_xhvNWzC@M^Tk|JFm@wPXRQrS_hA|NVr{X1hPkGM)FsQZze@A1*48XFq zizBIIXiwP`h>&Za72}MjBcZlRHO^cl#z|fvfNc!NUr|eP*>HLc8^kx*52FMV+a|{J zt34j^zsJCoKsS~VYGBnGh7)SI7&ak^PG|Vqvv@D$wKnq|87^Mj3~Ni9NrI)g=B^~+ z(w6&yQmg@(KGrrKv1<_srF4{f%h?r$gprbzE>PFE_d~)G&=$Id>q)V_L;=Q#)12CF zes|v{Qy%UuCGyQc)DssILJ^a~8rFK0@fq$0Uquww>a3-qZ}TJ*2>T0+Xq#l%8x!p)SpCJ|0Q@Dr=EBL-6i2h?M`B8g-Oeq1_(WV1{WZ zKRZ$z@0UigT_YJCJV@=L$aQ5J^pQsTz7W@V6n{YGLjDq_*u^a){2#OAcxIiwE*h_< z3yV@s8<}s1cR}n0rq~9CcdXD8$PbE6WnH2l+y!P^c#&z@g$~X{H9y{DpGIn!d`RYF zQ_0V#y?{pCV&6`P6}=6XEbPiC!^vo+NMMy1ARk%SVe7r6_Ef|;i*_-xo?#ge)NU%^ zr~7acA6&_=XV5tOk)c6zyVlJUw||JnRPHP{lE+L2=>qX+BN;Nt+DSv~I;Z4+MbDhg zPj{`r!90>pr)yu27VXkv#ZEd(g49jY(rom-`M9Pm%r?*agTMshjWap&sZogWwb3(i zB!goZbLGNN%nlJ#4C#&r^JaGb56l8fQp0y8J0O$fHR*VbhK-IT@A#r5A6D zFv{?9BwwU~6N`c`o<_yfj;buGJ9{3Ss~t2KKh@HUB+&!beIBZOT8-249uJotq&K+7 z6!Nc8|1#9VSi6OxDYQ$=Y=0L-&XFnj>Ee|T_4Bh>@`U)A*iD=v)`7KkH{Y{0M`e@P z!C8d`E98ZV13yLki+Z}xHWD&?dYGqokzTVcAjRUc%=y&YxZ3lxUS$p2^b=nfZGTzC z@bxR2V|){hMKQMu^WOxU?hJAQcLtjr1KW|E%v*gbYeT%69RUXf)MuBf{LsIojqf1Nz-f?E^VSI$y&Lg967NmtDt3$9+a4ND+R=E(P5CyW+Ov`lve-AH z+<)j7#)$E>1HXteg7MQR+jXGiXI^ftec;JAF?)#$f;fPVqy2?sX#kf}TjowTOqYa? z6+;A0XiIyP=t5kEM8{%WDsB+`6&s;s)gQA!K5`-XDcw5>H}~mB=>5G=%iHoo@aVt` zJwGGi3Vm+MHY83Ek5i|87u3H%p<3jHRG7BgJ9e1$H4=+JLt171KEIyr+G+mVyv({y z(Ao0!9G4(ZYLcE1&2jic%U;MAdx-$r59~h2fL$PKTD5?5#()VRqy3Q)@=7oa z(h!H?$2goNRu{cZ`rv)0VNxehTo1x%?>daKzDCwDz2!^hgdEca-P#!bR+M!V%f>_g z)iT-qxyJXK#GM{5adeo(F#(C^b7IU58k%c3s)4{8@`BFxZ1oY7UK&h&&G(5TPY$DR zWZubh;)Z0VVR0HFW0mG2CKQ5YdfVXBbVv0bTnf6I3nKM#(Zk-LebH!hcRhVU{|iGi zIX3?`7kzuV6fK|TqWQQevnz^;;in{9mmp=3c5*b_XGw^u$lL1lHX8P;=}x(t*gzbf znFVF);d+vksmh;$+d{GpR=ckIQ4M$nPuh(id=;FAxp5z7IoX+DaD6LR)EfWuc^_Q&Epkuir1eJL~k3 z2H8~y)uEcl1ZU&fW;0C?J5@i5MQ)JTnY5<`f@Gf+A!xL$vTG?FA|k*V};Z4w6w{;}-%ZuLZ%RJ}m? z8W?-fy(wvUBIj@cBMIh=+p)u}jiW2DfWNl(CuEu_IyeK}Gfx{u-oC$z6c`P0jC5Zo z4#JW8K)ee?)|xqOw6s zE~}Mdmb7U?0yvRi17^Sq2epA1>qeM#1{2$!j>Ty0x#t@4_0K+%lAzhLePnHp<} zsd{bmJ?g?q3TIuVWpc=i^seb;yB6PH%~;)2oGV8%BIy~3WMT{_)p(w3BhtI$aYsIw zu-bya4stajRilog%pSOgTJbZ4JrvaCY71a$(18$6@9G~CRh9Hi0k>T^4BG?2W(9x_ zs8?kzx5|wBNX28`P6Ep>(1_7&EhDm~&$$e5lPKla^Ae-WWxaX7zNFoq45J{EV-~Ul zIr46<3_nRPLCUdnK)`k2)d0*FVgl#@^NBQt*qkE}t}vt&~6 zN4{eAqyF}1FjI%$Xly2D>1bN&We2-$Jq4Tar6NsEQ8wct+BA_`-2I5?c@B|o$iq(` zcz-?aR`w?DFD|l6822LwMQ!nc2Sp29M?2tW8y-WwYORu%&*qr-#dtkYPv%6Cc5H~n zuUTJIHMDh|L8dkOKax-X#w(F*vKGiwWNOWKc%XkM%ip0ppFub;uQoKvxQ9>3$;wdq zBsU^sx$s(Zsy34Wtv&SS&sswUo&pnh-U~%xU=;PQQAUfP8SB#4?lC(36$_+J5=ix zoJ703N)f!qMsJ018&_d1?&oqLxEWrcYZXrh6_fM8+z;-+?p6-hf2p!AHQtcr8@j`4 zU1^M)F?<)}>&@saZ|d7qn#8gEi)y1Yndz@z$mc7V7VGmwjR`H=2QO>jZA-I}AK zy|T835w~)IRGT7vHFQ}P-y@lTKA>XEgYGz9NRvv)SklqGh0RwR zf)qbfal?EMpH0Ekx1G0DM0zJOhNd^HP(IME)b8#f%*gt20IAe}W1#N&yI}l#2hZ>)BK}t= zkc~;M%G%y~p5;4G$LRd^))|Q;mfjTF!JzkuasWgFAzing7+b52N@CMsheifr9VE?y z#8u!b_^yIGO(wY1g_5GUsB zLSg~fPF>;*;d|&qa4s!ibeBzJG-NQ!=xb0K%T(|i@++W}rtyF*m5;2p_d<>o?6Tbz zZS*nk_^P+0c{D}H5DMru`vk<@5G+zpFvrST0!TEjr)w<&B~&HacgPO%FeSJGeQG@y zW_*|8L}i)Gi}9vM-8=9nR`6)jAwV&RqA;5DzMlzqtB^oC41nzKFZN9_q*yuSjwYW5tQeAwAW-|&``w1~zubgNAVrM8Um!t2xqs+Ure zFxAmlSm8VaBZ8EHVdfR1o8L7{Lb{Kr`wU5x&#`9(2-KCg%hg=!@jg;)Re|vjy^teH zSyPaCvsOyva)67DtLQWk2>p|t-w%%moSOE64e}-861b|<2aG|UM8u7xOK9@g{!lX! zyH3_~9LPA}HC~_mks#BnIBtIXOdDq!dp(Rk+s4b!Kvf>8?K4P%EPtQQVI zW~G~RE*iFyh!9(ROIR4hNH5ZalL;%gFK}$tvL%_Lwq+6sZ9Z;r}XiX*9Z@ zS;fR?0v}G7qM0<_K?T!fxzv-yq}$&^<#XxF^n~~eGn&5;*#Lt#DWi6%^Y3NHMUv6r zUq~+T`;%Zy#r?D|MdEIdm=PBoT5GGNGwDt;2v6q^X+neNQz~oH?IFSMG7s|U`trV5 zcYpuz1msN@JL<2f0jfpM27bl;@ZNfW(`Np~E74q+^HjUl?H@o>!4)51L(j&4LXiU`qpYC>zQ# zCYBe`-9o04UwajzVR<%J!z4)q$#}!;8G$wUYj!6!<>0JetvIFH<$fH0?|eJdaDbHQMNC-!u4_REn2MX@*q^E)T{P+BqD4%H}cuD+PG;G}SOwlX>`x4Rk?` z9iiqVKS|0xzrz$9Vt_KTW*qx&duunu#9PK0K4nQfb=NfGqTS&D2!uJy zyIC-%9VxL1gI!q()QEOvR+qhHt8BDpR95dX^fNZBG(TZs(uHJ;MTjApwy|U^2SSuE zVDy5c_vE4#(Yz&=b~k(mtqs6li>kP+AYEX_%eVMn+mRUSV9dpgnUE!h7z&YjNVn9AWc=^xIrbEdsgh(k% zZxyom=STn8EOfZ^5MKG8pHG3UtSNwcp7~!+Ika%f|N5l$Xrc26?eL%bYDI1*{1yH; z0(?|C0KNZy(<-U)pSP{X@BjYr!CCyh>Vs?h5c6D?(h3=dJv~s6Xnp^1Xa898U=ROT z&?;^5KQ?-}+mI!CXrB-F@%P*Rz}5d=@^JlDWcWWe`1kw&Z1L|!4+64B zo`+`y*ZSYT0}bYUJ`_kXVyI?%(DfsOyZN};8#-{Ha9e=mM`VWD|Km*k(v ze|U1Ri+^0Ezt0ld`5#OFbF>*#Czs6}Up{5r!)9nb+0dc?bDrfhL!bTUBq1#Ozk-ML z%jTdeNzjN66cHmPM8LB$b$ZnUuEn{VD(%v@fC#!Ws51WW0kAEcDDD4s3se5{F#mnK z{=aVF|C(;$zp{wVEDsYF7xfX&(N@mf&PQ=!h|mo5puann2iFG+tyCaR+p)E$XJMUC zKaB<2E}@kvJ!J}H*fOECr`3eUAt-}EHC}+(?r4}TA&t0-7_(|ZOKP~nnATp;laC(o zk^ts1x+@$8ctFvx-#j3(1emu}Q^t^PT>gU>Z*kpP$wZ#eE>J9_c5vnceIznR7)xHn zw;#yL0LRA!0)49lEqw_W1E9=gipM{2k5fK14tD*Zi*+mjOlnMq8}}e_a=qm`&4k4D zYZ9Uu?H4W3e%nT7PHjA=MgfIfl0;lgb^{VJRZ`P zg0zoLG7Gif88G zZPM#F5hXH-F(L7yGG!p$M2m!jG`TjzJAvy@O++jM5x#X*HACSl4Qb>9s#nO&$19%wKmB|>gTzGg{ z@4&M9N0ijSGL8!@CqhFkC#WG-DZ9qS05&Ji>PL;wW%;4~0=rzDRb1w}nV7?wO}FqU zk{MjW2{Emso(FE5=W#pkN!rfVBkAvO4gW>jqhx0f+{%fWjJftO0ResPK#P4vnC)Q3 zVElqI3`x#z$Qub}3&UT>WVyF99Z)%rTaTONcF4ql_e;qkF^5Z1S>-I45Y`LIfOnCy zu)csx&(v_S$^_Tv_#xwD9rj&nZYQ-@>Kg9YUX^>A-jFW<;pFsT+8yM3=$I@=m{J`Q zF(jOONg%RvT+NHzXEff?D?}bKt!Ur@Zrm-fEL6^TsU<>+!w1PbHec2!DipZV4JQia zO09Aax8<_vs#?wIUHA)JAtbu#g4a=SB$t6_he~<{O@9dmxLNrgiTNEMX}Z<-DlsW* zDjwVIme&BGEcaGWewEYS+7mh>Ex=wfu5&J2NVW3f(ERQ9;FDZjOeh4@Glz=Sm4m8H z!p!nALO!w>K*TpcFH@%Sl=d8&6Dff2r>{jYhjB}qyFY? zludX;b$5z)!5`pBdb}p8g5k9CcT`t2kJe^13p?3B zq%Dly8U@Fx{gm2O*0#(RGQ?jC5T>G8_8cVscwij}4Et<#c$xo+F!HC#Eaf*nUOwHs zlBVLk3mxn$Q1$u}JMB98&4w<{QBhJ6?P^oet`0)dl+8}Kwb`-l5cfK60I>3F#93k` zpgU^?v-z!zI~->>zosf1BV1u(GybwMwC}n(a$4TUVP!juY|cBl{!!B#_j?efVs=Fx zC*Y-xrCc=;OGZNd@_WqWeFv%2;(>_lu^pgm#lbYDI4)f4RJ$^eL(60g2*chL%5Ab< z|BV{-MpZR7ZYXP3`=cV7RL9Foe9&zUVZT>j=u6s?S-zC|FRR+YRTyREnRCFH~&=hHSk<9jqoDap& z`j2p;xR!mB>OWQkl6@|23nT~wI>Z4vUgF$i6)c zFCm9Z8t(SwIB|d@jZ3Vo;5hed>;kGk8YwP>IvB25cL45$EIy1GP#<3ZJ*amigyT)7 zu_TFoE=nI6r)^*Yl^ov?*7|^HSq-}>lA(G&c zdy_RdUT_mTATK;b((hCU+Tj;qyBdAPLFyQ`2YeJ zg;hQuUR7On_b(`g&ZEcN5k)4b=Z80K!)^5)X>k?8as`KH%iWpbuuY@l9z%!gPw*9s zsaCS90yE1rhCVvq{DukEI-)(!u@hsP7Ll9Qun3yrF3>;6IW)MP5GY&dz9;a27YP99 z)?0%M&0a8BlFtJ5H~Vx?zX$@D`Z;l?U+^_Rl2R?c#%alJyvT4!i_3%NV5T6@x%jXx zQM)DvUl$bY((Z}Gb2t;$irY9XcpHzkZJ=Yp+TMo&xkzW>TIeA7E>T&vuuGZT zo(;T@I}8Uy$>={eE4$!f_>T5$n9W_nU1ZmV*F8JJ`6_iqAI!K9!-cx(z8GLHcjbB$ z%lz-ikOOClzH&5aS3M3~=T(q&725@piBY#dvS}>IC%NTQndA!@08^%875Ky`+Y(z+@k;Ihzzj^E;S}Ei7 zVf+N+2cL#Y$w;Tk-RvP{YkW+Ir{)VxeuH*tv})Y=O1Va;Y+F6Lx;wR1uAl%Ps98c> zLN6u-yu@auq08XbW!M)5=*WF?MB`L^ufb1EP$y`qIL6OVpZ#7LqJKfdbX=DW>e8<< zlJIhUE>Yx_csg{%L&!A$GYJE-&=hxK#<;Eb^}8suR@Rv&;6;ua(T3N^dhI)E{a2dc z+hVuia$812rA2ms&)IN%vz<=Dw!0%>eE9^o^@^?I3kc*q99;C1)L`T0bhNQu0;{_h zYm)Bn1sr)NdZ3}nmW4Yj;HhcKH!N0TecnZM^BB}^JArgJ{_*Z4MlX2DB;nJBQg^V=t^1_yLRK+w&XtR}v)~TE2u!m{V#NrYSi<8}Aa2Nau};cra^OVyI86jW<7E-$ zkNY=a+TuEiGX`g_SN6zBcVD1JcR9z)xpad6YYaNFKSa=Z03L2d5S!L{j$s<#GQn|0 z{>|Ee=t%uj%<1g|21b+{^A_U9w{2rElevg=uB;^z(4MGL|1DiI|6S}X$)S27m$dT| zV$`o?0G6k?qs3HN3C<+50{6>j*V|kmV%;4%cOabP>qGh&Mnt(F6x#t+^7atNP9o8; zeX;mvRxS#h-`daH#l6kCJDdpqb78(7+&lKa5}UMI=TRKY&#fgS!(dtW5HaM z$Z_&aJmGj}u3V7F*K`sYB9sdT|0D#!?GtMIjzm(V{Ka|JO(0#k$4&7Up5xN7-Y0W9 zGW_gYv~%Dycd^j-c+bE#LsC?E4K^9R(KsgQ+qV^F_*+ozUVU2@sL@X_TsKEJBMW~0 z4I?cay1NAj+fb=w95OmsdL|GExk8CxaatX-vW>ApK!~=}OvT;&8DY@{K={x(#==y~No{1nf!;dgPSN&-l zXIP-7DUM40TTw#V-TwAT$YVsq=Y>}%IUa{2Y&|3QHHUMoPTkz`?(NeTYy_rIH=pA+ zK|>sEnNwDs@8ssu=!!x-InXswfQPUjF%Y6EPfD@!lQ_PC0N!N+)4rv@H4bs<`peWc z5PN%q8%j|Pv(d4r;aigCuCWb(knR)TV<66H!M^GG=Xje(!Dc7;J-`gU45aeEiQI=+aBL^T2gGAr zf94=tqUQPwJ>+TJ8^ZaR$-Z^Rdl{^&kVstZ!BUe<~U; z0`5|GI1h(HE#iBj*yg>4$fB~+9uNrEH{mDQc?r<0z&Y$IGzl|tAIA~^CF$s0J0L%| z;QqlA$LHUDnMurRkDKD~K>gKqdSBm9JuS{BQ%(=jkU-riKSM~IiBZtb^i2I~u4QWPs>9si{$mTHA}aUFS=B$TWn zEcur1B{5m!G5-r=YX`g`(BE(w!s*)pb4`fkbx}<|z;^AUL43t_kxIgw8JA(YKM+hK z>J0Z1D_&y+xv#cS;HF`b^rBP9C}EoYLKrb-+V76Z-|AnFXukZ7K^KLCT22d$7wtqf z`#K9MpUN9|ujAc&*N_C)_o(J;|MzH=h)lKq5lH#0;t@Ps__#@wr@9^qFMEMy)WSD} z$M1?fTsXqn{!o4``Y@;wCzSMR7_UFVSSBbnrhQmn(YfI>s1;T$CPM+5RrCgs%dZhd zxrv7i*n;%q)i-Z|0|W!;mQ7$hMMha(_00zdPPhxxgc+nz*kG$7Z7W!~Y1@j2aks?^ zq@jfEa<|}B@wJL%+)ld{z#BN`{z~uX1&a~%Pzyq)P%3wuq7i^9!jaM#{b#HoJ2b?s zJWXm#ud2W!$ukYP19U3gTcO7Nx!vrnD2Nb@g2+#`6nTWF#r|BZ;chhT0sYr3!O(D^ z;_fCr`+OWsT{~7>p}q3+u?Q1&AOayLXp4Ld6T(DCKl%5JV*4v$_Pc8R8!^}~W>v%l z?D$+mH8EWNz-A`e(pkv1-M$F{D}nnOBy&q`FGEYY8}+uA$#i_xGz&jnaT#|KR?4qt zgyD(Sp?vi_!Mjj#lgoow^^y`cST{ zHT&>Ds%A!OzU=Shjx|B^cRD(huYlCrxAfjOs)w3RkqeP3gU~SIhnjjWjK}c zXxyk%^77Q}rwl7QUpv*dF87D()HQ|0HOhvOt80v#r@dFx?x{uminOQeidUGP*|vIx z`Poy={`SwSeuzwOdcp8c`u5Oou^YxYC!R{}qI$!AZW^U}o!hW@m4@R!3b$&eUVr`eJi(*%Gz5bP_AY<0X8LZ2( ztEb<|`u*PZ=&--KzNyh6l6pQ{C9GZK zZo@396XQ~MocCxPH_qprP75!}<@0lkvIR2of;~Q<;_Ppa*-_snvEovZQ9oZ*+{@51 zttJgK&F}V_n4MkBhOf&#-plCCZT9gEs$d(_?)`jk%b|OGAKQJy#Xg-ckGYuN_2!O? z1>Nu8xY(C7J&g*_{T>^am0p887rJ zDkQ_{a(KxmHf-W#Pu6|Ig?ee>W;w+0$n=w^& z+<=s|W$zCj(r_R+sC>8J)|GfGFZY{BIn|IecP_3UGPQYK@1fIgwJqRRZ|f94tnx}_ zyflB#&D9%*KXU)rz!3}nAcICOK5b73REx6`M%5hI@!_bIjxRnOUFS7!Qr4^sa%E*D zvyPJW8I__qU?hqeJE`mh@;*`T;QH|m`^9lvr5jhqZL2nZH2%A~o&C$(RgL|qJfUIz zM`dNZ4nEOuz|dx$uy^klPvCvc+988RdFmVa z*Gk-Nwm5{6qmI}u{ZoS}TgnF%HM~3REn(oJ6({9q{3)l;HhePujN{9s?68y@Zr{1W zyPv4s(;CBOUhs91Dt(_64vRgpX?y>UM<t8*?sVdsxKQh zimqIft!6uyX_mduV_E&)To}8 z)vJ#gM;+Q#*JjO;Il7hcC(^F3RNm`4s@D10FR~>m<@4qNu`?Gvt%@AepUctR{Hku% z=ii=sx_#!?*RDUF9r5dD?L6-djFxlwstrkA-S`{zQ_e3Pv${F$Q0kg|*RNxi73PWC z*CrIcza*OW@!cF-a&*qfbvFi8DeDJMIHb%tKJ7~5h7pU!FS>R+=!x)+-ytK+JF8hStp8VO+HKpO-BnFlENl+ABo6BHVbcezD5JC| z!q9S1G!9!>Sc(h3#)YL}g->9tNrJznsBl6!jz*CThvpKUDiYyv%@bjTIzovA@0hlz zlu}}XF1v6Ki6?AmqY1chPdJX~7}w&7D4NFlt1Fzr~@<#t{THK1EOo zYW%AWYD|WugW*Sk9}#}S3xC5XrSLa+39G*WC;n z!#Zf6?eGhvKmYfY(t_mU|6U31dCmzrUG) zV@X`nop*a2jRA>Ds!C;k5C8qg@J=x}8F$3;ws+y}?{D@9Uzlycrz7eT>*`Qj4B0Tg zt`3&es8Unmg(r+shNi(gzOEO%yAeTnl8Ski0TUkeqC9n?9k>W&1dFoKA$;Tgu$uiC z{?nKhmO4CD1AFCh_#D{uAjammQXRBckJth}8EY;01!rjSyZ}a|w=wV6|+I zKilI&;g1$arAEEi`Z1*)pI}mpqmXg^_E1AdK7?baiuwTfHB5UxT6?06_R$FApIe}z zSHmx8=>PAR_`kOF6JNIxp1AiP<;&Xp;dK#k7i4#I{SS0bYo+?168_LA4^4ISs!k?R z|DgOV=n_Jz{UJrn{$MABI>WDrs+cYydr6Q*YPH~jdNfh~nqpDBuH zEsHz$;U4CNH%=iskc6f)kuG&c{6jH;rQ!nBJ2QNlC$w z!>#-SC=Gpr!7?sAT)ygf98{|0tMV#lFP>?;X`{$yndE#oOz|>KZUtvYc83?zc{Z=S z61Cr((*M8L-#2|P7m?Keh+-OBMKSH^;Xncx9_nJIf-a`mQ_jI{>F`nhP>bJH4PK*i znuOQA6_AH6#2bWHX@!Fk?8xChkFCrCm@nH_a_RPR@Ogo}ccj zi_PS5NW-p?=Rw)L>~w z>ExNXwb-5!Z|YYPRn*}@<-Xtw0y~ml%K~$75w&Ejr`rQBiu%C=!9c}T8W!@v3PBMD zZ$%Ch@Jzvg=dw2skDz^}k$?)m5I82aQ?~oAI@3_ac`02tOAQ*9_HhI`J@1F3E_qLd zW%VMclkf_1VoOmbS&}g}ghd#h8D@n-gx(g+xkR!44XTq*AMwGBIEu-`~G{mSp%89rO_$Goot-fg?EovEa z;4sdx1KWCB8)pW}8{fw6Zew@h-DhnxbU-e^^ihCVRIG9zQi7RJr6|EYq8(IGX}qfS0GWnAHEX(gI+Ioz`Z$)_dr{Jx&{NWO^M zb0Yny912Fl75OIkb~{)Sa0=n{b>$gAGr&Hat}u5Ju=VXE%-z;5Bk>p4HstPb;YFG# zO}WqoJh!eRr|UAQI)WTkQ$&Sx+v{;r2hf&sf@tGD@J+T(N2Yt6Zg?5;y(336Ey`Ti z^T0kpouQO%El0wB)QOpC+Jh}z#_$D*`z|;KZPI5`^up0afmR0!P% zq@)KxgpzsokrDdWA`cA>>;o%z=hg@WW?;-M;bcQSIB*6R*-s)@I>9M5LYW)W| z$ytfquW)*+6S;SWG%~wsz#Oa0;%>HeH|;5S6-{<>7Pw))f(Pstr?ZD)+a*4n z&0N^(K^FKI=Rl6L=f%vbL{oIZdJM>0b3M!b#f_=j!ZP&cB3qO^QfT2i+GDWwG(z%` z!|cDPD?o0S)0dH**)cfZU{>R9AuPmR79>rP-B--jpbRG0_&xn&C*MaMcnSJFet^2< zbN56pb^aymOcY4LZCNoAn!;7ZG@Znf_!6Y7nvUXBXwFPn?7VtAIP3Q302R- zr{qC!l)=x?Jh%qyP*?Zw`jSX|Kl7Fem`&7KumuUetj9GwcO%>XVej4Jo2b^d;kA-X zo0WE^S!pNDgwD{UP1>YnXr|4y4K&a|3$3(}LJKVvXr+a6D7H|boXh!)Wy?`Ti-LlH zqM{-qAc7*IqN1XrfC8RSP}y!z_}u|v%ijBWzvunq`|I2JL6T<8thMG|=lgJ7iPgh( zFCg=$`nJvL)1>_n%%;;w`^%!$G#NO|^A5KjppvvD#@m>4+>vREqG^Gzftk!V9dt(Y zK4rE3C^Y>C?EG z$(C0kTE(w!e3H0Z?!d=*N8?k(ff|~32TM@(bGB*9MieYV!02=qW#j>ZFsU)UZ!q`O zvx{g37&@lUf6Mj)&Z3J;0VS|2P`r8%;a*6T58;0@oN+ZQnMa5Ej9yqggfu`R^VmM{ z#t9v5PfNQ^wEa|JwE!OZGd2TFf;_kgFe}bzg-)Y`sB|{0SqB%Qm&(ESXI6~YB2LQr z-JE7n;<0TncajEHM1{_pMwqJDFk~>_J@grqtOIz?nFe7h?+TqGv+>wVFV&}oJ{CG! z?`26x`E89*C9g)fHFxoPm*a3~6L#Y1>uZ1@tp>1Yy^~riqZ7Ml_#H`1*IYP3fQAZ_ zM}`8xXFt3QeZFI~cal9D6w}pam93rO%k~~${CL%Dc>&Hljr%cO@EIi++g=U*N_w?! zt4xZiUgGNv@J!82HG7r(&?39jgYSm5~xZz{hh2ZCiNeLRU9|)+wVLZX#z&vO( zFp|A64onZB-QfGb9^ov0t^X-a*(ZtvDSe}zS%$;!;>GNU!06b#6KY4K#Av0#LRylVez*Jlj5&CyZ>Q~-&;=~WE<|&IhHDmmTDgiCe|5)8z%pIrh1SNG z(MRHCe4GT_^AqS-T&!V6ADPAUg6H);kITS&43If}1gCn;(DFCsBLKz7sizqs20E?$ zDMEGbZtT8k!VFu6Zvp+L)Qxf%x(3jnL|NDrl#vZpXNq#!RlpW(JX7LA!E)4i0S9d_ zoajI{omj_6;*a(R_53f5Z!>P;2+-y>p7y&@a06;Q%K$-r!8BBR-eKi_G4SqS2$_0G zIF(xQWhE`bR3a&MB>o7knEQoyIe!N~xuhL=R~5-fDMz;D&4>9f<@t!`XS}W~)%l+! z;(-!?74$k+8WfKfuNAw}=fq|pPYXlQ=A*{kg8s3E{gs^v_(@z<9a-}{);c;tU973D zUjU*sL)L#JQg5W*h9iC0N+3%VVLt`NB&q zZ0>wX&ao1NC|#7KohG^xRoU;1h2R|PS2p5ws=zFl?#XwWY~n`g z3sXQv_J?9nI{z-PHNH#LUE@S2$`HO=GZjthiPkJaffs?iCEd4Gyx0A#sY!#&SAnmY z*!K-k;0{KU)*xtIM@_i}O?ntr<)|?fWy^v|Jcks&Vj{zwydm(6N$i3$B#Ez+A^Zqs z)j>qvXRr8JS(_L)X+Jnb41E$o)kyZH zk*FL7rWt=gqs9J5-as_JrjLf&;6A1fFnNczVF(raFo^vhq4E>x+lh#oxUWDRtw%YP zz&o2wgZ2_j$K(yQln+~ovUK6NWWB5fwrM+XXhcdrs+ zn_#F0r;bN%>JGevuG|>Fg zt9mlSwW@R{0}RDW_US7-BRaTZgnMvOV343bq$T%>aVVRur5^|bd<&p6(q2m zhdE_iNA+#7`9)K5wDK_*xMG%88UcY!f~S1Wx+010b^q?-N4l@s+-g*i(=``V`cbHc zAG9le({#kwC|cb1dP!fz59Xcjclj+Jpe?=7s`F@DU(}R_OrKZ}Is!V4dR3FtB#m@? ze)aLv#i*tRWLj;L?%?H+#yXGVbNStXX2p+fTL7Rc9(e^C4M9C7{ zqq7s0d-3uF3wO5>MzQ_*c+*3?N#o?2%yxTh<1n$x+==(Al7AqwSC{~US_+xOK76X_ z84Ev&>uyit zF1%vx5r-XR?@0G|P}7iiBu)zyM{qT&f0s+Rid)eDhQic?55^@_8Z$>2aHZnW}} zqTpr|AZ+_^Gfxtozwq)Nn8y?^51=)>z4E14^LzTjzChD69rjT%D08TcN`FJ4ySYU1 z<#{Bj`Bw$p zbJ9q1l4DCCcCGSWGSMyh# zW8|WV7{93W!n6xea;{!McJ97ZbA6)kO;FajpJAz-Q*#_O{vG(W*8fg7s6pghXmjWq zHX_)Ro3RW8Deo0LEGdM@KWq5(H2%)d|lFw(wEze`U) zgmssG$h{p!Ka{$r`oGeR0S1a?}VdJ}j;FNYA9YK0Es~{#5E5(J=$cwJ4*U{CwUZx+0Q};lZW8bssPEsdsG-#OcZ<)&gBDR zTNQVNEVrUoH?XG9L!kWzL@d<$cQHYlYa&aP*f=iP2)m5?Bb6i!j??Pi@WSxr5$|24 zJ&@^PHk6|tLa>jf9k>^Wau}J0M**Zl3$l%}AIS_;YmVU)3SiN^3wqg9jcG_!-Zbwv z+L4}Z`PEdV&%HAMG_p~6aV;(LuApVk-}TBcByZ867VAYv=u6q5$=gCL$}&yfW~lDV z#1?2?8?>N!@xY+2jy)Ntl((j%Om~IFX9u`GTqq( z+h+Q)96-Qt+6^lX9eJL*P{!&cB?Eb9*e)WnJjwc#84$*2<9Z!=Zcnhaie^Xy%_P~j zj_m_GPup7HZ+!yWR`K7;Z*+$b0ZIU3ZreHlX78?r534!`sp~L+*Q$TRxIvDg1Q?CDTroJ5ZjBCJ7V#y-{9ffdi_C@&Y)SbP?`#j*r4W^7rPO#dQ7wpb*I$EINdC z*&CI=5xo7IO1j|u25`iE-ga+Zfpr8Rq#hm$hUP|PEjm0(aEguKA84DM_X$qJ)*Q3+ zD{;y06s}@I{`c5#`^vp2E%b!@Tg&-TIE_CQI?cYPT#nxw2cF~ih%W;A$8y*zJ=Z~5 zhZ_5XpR>+rHkUb0d^T=1+v1+BDpEu{xpD@MvsP>&-GpX58e(lvlO(0Dqva5sVFS@5 zMFA}T{q5&|W|ap4eCX#C8Q{I{?vyi#X$PW{O~`6Dkwr)qXB^G-zNtW*`X+Q`3aWAI zIcrA~&8>TD89zTFe~S4b)I%r9U*R3EIERqyi+$5bB-}$g%Z-R%qts&cOAHaZ?zIUJgJ0eY z&FJH8r}Ml$h5Uw|f+t?~AbEYSKs%OPCg%q+-d-*i@I2*DH2lku@pk!34ZEbE5|zR( zg8ysAquax|=CmO$~zHXk!~HNe4()!N8wXHfwnE)Df80y?6=E3*?IINBpGIgH|2DbfNqP zno$D41h4&qAX>KVMJ=xTrKSh zo&!EIX|zV@3m(Rm@8J!QTq=Krgv-~4pi=l_f^5Lo>QTu6l&iV+HWJ=m0DsugC!Zqs zM7`uO^25Y;i*5Xs8H3dGHW*8^Q2qt4fd}v_2l12hfY=YjdZZ1J=^yUY6xcCc415i9 za&_fhvAkNZz7q-RrYq9@dU+AyO9JB~Y2*Eh{pd@HsUg&eO$Mut~aDpwHBl!REQ0HRMCf^nA`XmDp`c!`RD+cKS|qEpdJ8u zt}v+tp6sQ=h+QURS5C#^G`Im=SNc|NL?!Wv550XvLni$49HMLGL7GYf2Bh*$hY=kk z$7;mfYfG?q2`o?@>OeqC!vd0NMBv@X0?A(byGDI7A}pM(@&nkHS+%erEFhV|4XxS@ z;l>65x$gP!am^-J$R3n`LOyT#NUiBxUWzsb&&6ndg^K^pU$g5d#!R_hf2`U{J6`-y>bPE>>FsPAXY~%w+;SQK5$lng*J{ z$^2etyuge$DVCBfH12>an&u3{hIZ)|8|f8=f8P;%w@-T^n3>wywQaHV_4 z*z1#Qzmz`NfgE!uxs}%uDXE-^#hF8AD~nD}3&jT|Tq>oR>Qj3-rn> zoBxpWG`4tawJ0qW$v#_@q)O&lam13>)M#mpBUbtyRc&2WuoaGEnX_=LmVy#&_S0;i zJEG;zD0GqU?2Ck*V<W+yub>*vSg_STd9Oa69b2it+e_Nct3gZ(*?im(h8H;_a2UqzhA-z(pX?eB_Y za=|1lzlzik#fonH3qsud*U9`-N%>ds6(LnvL+V4X3qGIIHf+*plrxwaUDQ?Q*TG0A zf{mEcn!`MSr@=N0n0Nq*06l4yT#_~+I857kyzwYq>Z}YFbWS?>8V$AW@cPzYgEb1# zwBjt7hw4COOP{f2NmF|7ph}|D?kfL>t~DCmC)shpME*P8O|t{LQO;M)Za#n4AbNWJ zyQY@_Je=<&3@C-;)Tg*w7aeKd)6xB!Q=NtJ=dc%g9a+zJrnPcUeCevN#k9sM7D`M? zj+x)DwxV{1?;yA7tg-ndPni^lszk3cIluK&zK^$*nMY`DCbS`n6n!%H(}rV(xhm37B2)XvQ6@Od^HsUs>HtX zw@6q<-z>d?$Q0+B(ZW5fm9@)1BYvT5!{S130d0Xh;3US5{wjz{M#C+(ZMqDhL+4`8?|cK#Y((<6SO&|$qosQ>*`SQYfmkFTLx38e3>s** zL+(g^mwW~Di5mt&xDX(5+c)}z$=3!Vc3{(FfZ{`-dhtZh><`AKtv?Fu41&iIRj;` zK0*dGZ3v#vV4Dhl(X)ayMP~cCAL{@cb?)~l`|o<_bn2`6v++Rb?u|Ta22{o#UAYTU z_Qg~&6VC1At$6H-O!AQFr6|~W0djG_ba~@Y58w({d_gK;xy%IE4elGgFbPgRrugWy zzj^wzZ-hFPoWMtyktwAwV{x2k5$!8Kf({0Oo19MZMpO6cuI%rn12kSeS+T)~q`Msf zA1XbLB(GuUXw(GL>1b%ThNd@=sgtlI713oFFX@an4n!Arq9z81-v^=sc!wVu3|~N8 z%)s!^v#wt<5Va~O-ujDI+Q7BGA&reMZg&5wVo5EF<}R_|ra4i^*|^<|wMR55ZQpi% zlMC=}?dM=?Jph5@*FbK0GwI(BxH=FsCbR>*H0Z|KUxtnIJIFN3Wbets@xYWzg$~>d zDyK$n{uxj!;f!jF16W{XJ2IW7kd-mgzJ$`JX~$i6I9D41M5`TW&GDn&-mscj0rh?d zs2R?#2MT~7e>~F7d;nrKc}B%`EpJQLkciRvei4`EpH4nhx@fco{sE)=lMC__COl)mm=?0CdGNEj*Rzifxi1Pw%w1HlhUaxQTu0= zurG|OY`-F=1l=7twFR(5mv<(+Hh(N8=1c@A)6HM{hiZH+?3&PE_kJmlt33=c04d@Y zjM*hl(%JoTdEq+ioi$9?f=1YrP3;N0Obv>5ceQdf-j-n+A+bHjy~%b^WE^T?6U?K4 zq9RmJJ6LVQfZquacBe* zkIYp7&(}63^tP=sa0d##X-5SzkbV|(G)Za1)@gdBGqU@C!UlAzMBUw1%=4 z)7hKmgq2--S5=0!$U@icb1vSx+b(y|icV9vj=aNr8h@5k0ydgP4;fz92YFv&Qv(f* zQfNVH^Lgjv(XNc#`EETa3kp@%Dm|d6y0d}wxNs_)4Hk`^a)rkKHB&W9HQ>fsj9DgF zE=G-uh{JzS+q?u+1uttsJ#r!7-jpA3Vx^hvO7}VVDkT|9y9!(iVC01EB~~e}L47Ho z)=H}kp;sEe1*M5+Hvczeoh~$(NICbrc9v~fEt1sS2LrH3+jS(N;1NupU%k~iA=>nK zRQ2FsJ#w9+T}qR%tH9N>6ch6k$K(y1$CK;EM1@zSm;i9$a;yeD*>PzlZ9K_5P#qLuYZC4 z;idL?6k!GI>E6ZybBvovYGm|TyL4Z?w6z2IxOE@5LeCD^F_z!W&o-SPTr_1}(oDj; za~kDLB=1M2S5w$-!4cX8-NACnJs5>v^%$gkoXXvd9Ew-7Otwf#V=RYLLx>AesfqHR z@pB!leXcPOg`GOey>8?iQH|;QC|caonX{W5m2?Arnosi$hRM!r-27eMA=+KIdkgGq ziO`MaOTyG+&>5evAFSQh!m$^CQ2VF2Op~CG08w zPK6k;-Jmvj1L4PJyc{B=FWv+W2G_J)h8{i#B4v=lSrVP!(q;x5Bt)o&`l<_%zjx5N z$?8_!+~H1qH}zMfyp>WkdT9P}Iu*ddO_L0^hdf=Rb8Pu~;4Z^-E_F-Ai8)b{(cl^_ zeGEY1&LRDXU9j4_CxANmWfTB{K`%DnLFk%tpgVJG=R4VJ-ZjvQ_bBT%G|RD+%@|is z?`qivO6h}*aIh4P(!7#hm~U~87Rbhu0T?LF>5!a~@@h=aRL?6*_n$@X57XsInD2V! zVbadXbk>|@Fg6{|_8Bu~_!lBBpr?bTW?*q(VFI}qM#a?LI0y|eRSDq=--~T%YG3r? zMkJp>rGpW%3H#hG%l(bs*FdF&FO>>tf6ur7Uk&( zrQRfblz)sWjSXZ(`>#?$f^ug>`%hGmXCUtRSZV=ey7mw4&+9=K#955Ibyo(N&2dK9 ztBpdt@1f)9SKdbFo+##1KA*0psV(jGrLf2gH+F%IOPT8GrF^aH5rXMaD!T(5%wn5O z!hG&5K@WJYawfeRX_nr#kO6rZCo|??C(sk+u{hbhD#kfPj|bW3>d#&~cm}&5{5O@! zcC&(Wslonm0 zgY?yl^GhVBJx20|+WhqNtIB|M^eruvFD@DDyOz1m5$ zu&p3dlV`=wU>_~bn$ZtJ_FNz1F4T>y*F27Wla+30#!+SkGZnTG2bGy9H-ko153LCy z`tb7uP~O*Q#JDF&DD75Ai2sxYCxKrH_p={Hha1meQV{{CaN*8I|k?HK; zXo|l*^56zqDrK@Xt@SmC03$l@fWsfsuA$rwUD4)?&G!f`pikR^f~WLM3!f`YU6qTN zsRteO`5>#C`V#_TfMv11X!jTH`~&<(ap;BzQ1Cm1L+JD3QPpwQpJU*h%8g1kEreL} z!t;XNE0V;#DPqw1QTz-Iapx@pr;eH6)RDI??9_qRgMR_{E`hC-Fqu5M`YGju80n=B z$^%r%XyC5$bZ6)u_dg_iOnylad6x+ZraPvDkMTotKeyjWgzil>I{%kQsgvfsg4#=v z*F0TMdOLqpy%Xm@Ulfgt7BTkhEYgSZ&-@8}842-mKG~=trkY;JT}N^{UU0@H7TJGcU7f=_QE=Gge z(HbXi0|4JZYoc;6LYbW?ZgU^G)7~qAnHKyS*#ilrBLIiMiO7*VS^geuH$(B;wg-wj z4Jv)I?^X{PBD9jhjj=i}a7LLUqOC8?VMpy64!vYk>1cHS1Ny4xbjqE;si5H$y|uxh zTJ+X>FS)ZIUp{=2&5=6ClTLZ>0R6>wBILd0USqI2^&~+tC!*}*ZO&i0gKZGrfBbXO zRXNNQpb1hB(K}pOZX-dVUhvS)rJ#%)YM(b5CMi{Al?GfrK3A&(7Jy&|?u#v(FN!{? zpM|6{@_tz^;2rHXwd;&IWpP<0Gh|S$+}~ z%tDpB5sVmarGY)*xlHhygAi1o(-Xk*FT96}28O4{3)YTS>Ah%AJDuY^*vh^_1ZAJj z`C*i_*+L)QGuk~O8GM6Me*Vra^{!M9&1_jZLmb)-iLXfOqsgnvmvP|6r>-*yue#si zH)ndYq`fQ|sJv7qeH6(aJX3&xtVGfOfMl2#5s#qTK}a z(i@6X-)mI|gm$V3cjsOy+8zz4wvzyy-n}ad)SZ8CMYJ7k&@gS@J@i#1*caRjpdXsX zyXZn^qTZB4>^ou_V+vAH{-@k;gzvQc99+2@oci{Bs-D-BI*{qvXuhHiY&n5S6bR`K z=I}W!s00w9bA|b8KSXzPr%dPz>ybqF*LwDQSQkN?970M5L&+wi*q`ZWe!xivavNDO zQJt&zKV=Bi8pZ4@3rQI_ffYq>DiNc>lksovfjsb>*pp)1!(xaBwlZ8@G?&dfr}L&D zC?SmaP5t{Vi8lpkC&2IK9#eW%%5eDarl~2h=jZ3 zd(f^DoW|5RKL3j?+E4UDy=c}~~c_nZt!=u3wWN!6c=s@vY)k;XNZE@~9YO2OI zM;gYfyEQVe19)KD_=Ck_8QZ0?7z}hKU3Bwge+qJ*(c=^pTRd1=d)C`0V**8TgU9|KiHbk>3_oLR=S+_YDK6%aXE;wCan#i|~XMOcE2yV(km(p?q z?Gw;6IZr{=renUgpCF#jnpcR$iYJtF$+l#mWVf$0k>0k>;KJEpA1UXbX%5N)F$wE8l&1-BId0QPp+3E0j-k2akYV zY8|SskaDkRl;oc zvWD;MJx{$kb4){0TeZ15#|UV+3q%jPLVi@h5wjo`H`X0oSi74}6*j||nOHIh!#qff zo&8+&vnLlLp%=_EcUTqu>OLi94B1%y7*1Ji0o_rn|72wKo)ZyRaIPZ&8FR6sz_Av? zak2G{D;xPw`KLE8v%SQ3w*N%PI;Ofb8_}Qg=W?(&>Op+Y83sIu?J+eU6{iYExQSFZ z$Y^ee51lJ~-qXG0nzrHxb)0t3=(f~~Z{3g20>6sw&hNRRpIz5YEvobkXQDZO0pv<4V2<;@#KMG23IS%gyb+b$ zi{=c+?o_>Uu%mKEf_J$5s$TuxK&Mx(*Oz-xQ)Q&{aj^!pDk~9PsCb~@ruz_ez=2{F zfRa4Y`Xez^ze)@G z$w-pJP8=mqVs*ZTq^^HRYKbA1ISrT;m;8WgDnagzCBpR5YY}PR+ur@oI&MoR6Yq;y)8j-LankrO)d@Zo-*A) zyS&6)@UxNh@IOlV6sc<_adMAPIB79vC!%t`g?qyyy+&~(%wTU@7@sMHl42)AO@FY` zgB09F-lER0B=1BpU;?}Z7o_$Ll;jE%&D$u`47+RK%I-y@xXvc|nqVsN4V~+@ZgPRc ziTrGWS7nlYmGWY@&1W0L*aP|uZmAg}1tiRqP>@I$VU*@V8+Ebt@I)?O*B(`Kqr|_rNF`SKF0J>3YCOy z;3i{#Bh7V{Y%bbA#@mlg;ZI86%>~zY?=aTG`2?lHubfJA?B{=R6@*@BS)0ELaDtz* zMK~`Hrk?dxrgzQQV=Hq^CU29w^G_A(-2s=$WTBZkoeDCL^ErLq56yERZsXp-SqvUtC(0rdL2Ox07{>V>5BKDI#_h+t?~?=yhFVDEAd z^BLIB0}%;fMDT3WiyewOVDs;Z1Wy99T#>Xuk8zWNE)@tXoy$z2VFFOj2=--)AW6^b zOR~}F=LN6W*FA!AUE|Tg(~JDaG@GBc8!Wc>ZS~mEd~e?2`Quga_P!r?au%*~NxPbX zOXea;*fpL_$lI#Er)^7O#tRE;XETfHKPDx+h7nKo3D+k?YOe`BLhSf>{b5qz9lG9L zs9KvP;`2pudpnAAq5svx9xkNjKNp%!irlV!P~mP+VcTJpIXXUF`Ga4d!W^^SZBs1R zHjjqUA^cYXj))Zt)?;a36wFq6QLwy-#QI)TK^=C}xcPrbE0fgOX4?UceIy1UhPP^|4&(b2k0Bm*m^=KmUs^*m1>gXje( zP7LHm2q{dlw->lMD^H`NBiN1JMrf)BQR9&OS@bb)Ej)XsybyURz*VtpU=UV3s2qUN zy9NhglwrSAQ?LNZm9Q~@!iH8r5YE2e!D(gn@$wK;eeHxcz((zQzu@~wSEts2xa;C? znBnqRhB(?k-F44#UE|e|-8s)wI;V46>0y7Zpmz9(pa)tzc@OjJu!z`vn` zdPs|ZfDhFjodIVf&k!jo5&Qr?i2}rJOK7)C17Yq~@7EAGkms&W1*9zH`B*8-SFr?N z0NazbIh71-e^4B#{*KNDVdVUQ+FRk+U3&!(SjUxoZ7+U$ds z{#9h!5)FmE0{$`4e1dd3m25TL58u>t$h0aNu&l+iTx+!K*_YQE_*!qf=zmk={Wi4L z`4BnZCcmli8};ntWiPm2C7YSnZrDMLf3G0CKLXQXEZE6CwE8HNBHhSl69+{>}-#~$=nut|GT){z9Opn*`j0wNd46>!spga zd{Ol))CoIX0P&DU8}Z$NA5isUG$6bQT=BKfg2(g&xJP3Ixh!4Qvs})_^RxKux?v~} z6xL+2a71pwwO^D#{K-8&w)T6`X&z`)e$q-Vp56KLNOw{azlU8V>{Tjo!NW$uMf`^k zv7?op8fLSt&G!`hYU5z%MnkO~zl%GIC#c)~R4V@*pcqZpxQcj1ScWqF0fYJ?ZX6Cw zn|LmHZ*(PcI*CxpPaZlJ4;_gbN-$`K%n1hEZhKI5V16b)vgAu_8!}_NH=WN_{?RE2 z>=^-JM<5q0Vc0s-@N<#!8^gR5l2BjV_ zQhb>Q129XreM&QOnu7^0uo(b~SQ=Vn{UC;4nftNynSp#1SQi03xWS-kjKVTt(2>SO zky7tk+jd*zl^2NQZDXX0z3y)_NUC=Y@W-qBkar#9a6jc%oyc~djnEO`fQ|iSlTJLr zyIQZB7N(PXPCN}-3pLj)JzL8s37;ur!g@x$nt7~d6*{>otlg~U_nmx{qz#>dyt4yN zQ~;h&a{}*Z=(lC zSMo*iv#WR4!sPGzv2+S*yV`6ZbBns6a!^KfN8CI^o`GLbb=2P#BQH0;JZJijca`^$ zIG9Fl{YozEC)UtOjxqe;4@V)k?NlwtM5C{kFDu{3wa&H`7Gf(WqE&#_*@~PU zKUcoyl&NVYZz5OK#%aj;LA%^BUKwB%E}HBH&zEflt|L|bZN##7T$S1J61?ZPG zzIim49xJ(oc#rc$r@GESj{(GV;WB_wdmIPa*vBzF0)z8&!8J2QBev!&PW(%;|NZ2&nY5@u6)Ca9$>UQ`^mvcV9&Xzm&$=os`a%yU=3M|z=VB&%Y}V5cO6+yT-ua_PSSpN{%ysdo*o0B_#BK1n? zEO98q^up{@2Jjf`1JMDdzJv~xj8--sJR5|8^P8yB_A^lwIZ{xZJ@q676dT-^to@Kx zZPX|OBHcZWfuA5yjepN=$q*c&c;^Y?uC~G$bq`2T?#0T&2vCj+dw0zyUswL>{CNzN za}x1K1Sj2Fc@C9^)hp-srvPpT(A}kDy(3Aqv*9baL9idUaEfxl< zTO`4fKb->0wMIHsOdc090y8wFn^69Y*8ZUnLap9>=ND{6KQdarsPPqsL@D$&{`x#llrRYI-UXM6YA8L}nKnm5` z_vgBM7?rsivc?E?1dnGL>n5ErqFMX1K!gY^hf3J2>p`-lh(#oRL{pQ&*Q!7r8| z{^Rmi#J^ZOncKtiQ*z7TAk~6Kw;(x)5r8=uq@`TQ$j)-F{f5)0D3e%jQ54OR9+gN| z`$lU=3O%L$KGt&L4Dq&Fz!Y>(O#3>w-R8Xy43F~|>3f^uB=jsvfq0*ms!5B`rk-J^3!ky}YVI`UC_Z=ywiLno zd1tdko7z#MZYPQfD-R{9$r@8)j5uJ|AjaTL6}S`a>8R{Op(hV-f)!Vw8=Zzpz}iB)gf6+dawTJl zq0|Ei$L&es!?ZncckMfB#(n`)vMK5BYzQ-T(2@jBxvR_x^k53Db}az9rXxO5FFS#Ba33KRYML z^Y)gwC8OKL1*IwfUfQ3r{I{xltC{{<@U0v(Z>z&U+x)M!`9EBItCU;U++M|-jT;Vi zw`^kmiaQVnu)5jpy&$=pz*aY4<8P*fhs@2C>x3aU6X3jbE8#Zyg3P}p++YW}d5aHH z{*12wlOyC-1t3=VuSvJp0hH%|O}wqN?Az0BPypO4Fy}@)-e_O-RzuvxK^R+m+W@{j zr`xOUO~1WM{KqU{1XU%5xdy^dcl#rF!xFxk6viOC?IFBjDc?-}mx9A`zQynIFPVl# zeJkzXa}CS;R`Lx_mz$FDh6NrTD>vKrX7bGr1^x0mR>XA~-6sBjz4A6u+!zu!Gridw zH#7C#YJ%IczgbdvQGm1l|1T(EHa^27qY`MJ9_&MoWa z>6{lH0w|LIu8jX(8Jow}{!g>}t%3DF>;?WD?f<&@`R~dYUIPBRGTxk^Z=1{iIxYWo z{r#5(>c1;v)7bj!OaA}IE8~Aem{NGPPZ(khn2m(tVIaH_wRcS%y`iBcvqO5skC-%N$p5a-+_6ao*5pm zSIG`@JmpQC$eWFdCp*Jel!o*^pIT%_dNth}$U|}Io~-orShid@zCmozDH-526`kqL ziDNeivN7G0k*zWd<@->a*W*>PG6D-xoB|nVWETuZkeu!HVvpPd#X)I`Hv^objc}na zI|yIWJ&HG*Ip@#8D2G`9e9hrsGP9WRa$5K*#h1>Q!7db?nd8gE_X5^ZIFrmw1>cK1 zq4BaG>$B3c@EI%vjV4q&J&=#^tGaYw;2sQh@OiUiJasv%kPkFH`keH1YytePa5Zx> z((xc{5qsz|vav^f5=Fx^dP`mlm+#9_%bSrdQ_UA~6~JTYb9`!GVmKv3Rc#zV7)3)R zvH>(f=TnLvx?WE;+Ytbc+PC1M%=FBl`FcHlnTmHb8lSsf=gXpI8Z^Rf8NSM6$T1L) zN8`mF5E|{vuf`T3ALY1Sw#5j%Ud{2A`~yX2=i~tJlh6q%wPm;rDvdIWW?^Uuuc|5l zzZ~uLWGS`fcs{7HQI_km0Jv-Vaxx1H8b?gYK&?*62~O2PHM6|FI{I2z-dR58CukX6 zw$JgM8V|(lD5vxpqzC6>TQ2Zv!?hV1MQdZ zkU@^GXfbNNQqUzbd}Ve{7H+hS^6sd9X7frF`ZHYM1s-62JHtQ2+&&q^h6mpGhJOw{ z=vEdJjJsQ-@kWL)7~j+UScdn1zSV&hDOQ)ax{D zy^~EwqBYD9?i$p|Y>6^PYnK;1boQ?71PjNkeC0FTdi^@n;-2bDcIF`pw}nesJixuW$l^$JCZ@!tCb|;c z326zP;yjGJ_Sn^_`-VRL{@2XhgTpQ9iQYIx`_!qi1rMDVWyv)95>;bXVs>JV)_=O; z*^jPFN$8rG8y7HkGj>nRiwd^)%T5Sa3`#IBJzN71U|nAD*_A0>rIoKFT~9FfHWtPe zX^)+6IywSKqx)EjjU|@8iTx5omeR!ji37AJNADiJyK;wdpcbAUp5`e_1yi}Bd~dk8 zOOy7VZrYPDM0&xIXcw0(v#UNJAoZVf;{v6TT3|NWW% zhbR4y5`F^nclF`T*F`)CfKWli+CN2n9pW<@AU-wlpMn38@IMBiTW^*arYsD&9A0befrvjKGA?utRm85uo$T675vQ&(38FBEQt$&<^< zEQ}>GQO^KXBD^L~PSj;ahVecVNdhvG)bKS3nkrGtP?`ZRoPD{`sE1ofqArnS!ZeUT z(j%Gm>leXm@?=QBae6JK;jc!0qRt4JC+f7@>gpzUjf~S6^+sJ{WYnTX+t$M?{1|n0 ze||GUqs2vLGe&JT4)=>hl!&!uW$V|&G(rZ4Yl!R87tsW)olGf>!_ivj(^vl5rc6me z^_>%MH0p*3^M{P{i*KM&Km7W7qyD>`{s-y($42ePcmLK_q_gs zw);TCe|-Dk`4dj`U)t{9e}x>j2{*M7F$D6tJK2J}!?;KUN%qlb;qO%36}}r`+BTx@8tv!Lzz|AA$&h2B zCK7dDm0SqJvv;}%+Tr>L%|;eT!Sev9TU+?#I3vR5t`_v?s9Ky{7^jIw&KG{Vy$wp? zta_sjUe=kP(>c%l0BtZ2-e6$;`}2m|;NO4!&)~W1Rx$jKhXGRc&yC}Ow!nOh8W+|YCibkOxPZ3hX z$dW~UQ34=iUMDIB(y|Bn@!<^ccwoD)0rH9>Qk@LU$YHu;STF&9B|6M>3}FE+z!qj; zycn3$0oVtEtaT!SDMA zpoA^Z+F>0clb&23X6n99PKskvZ=6aJdsR2J;Fz2hsvY6Kp#~u?;ZMTvfjAd+BAn$< z0%+F<%m~kYz_K=k*`HU=w2*y7D%mGxias3^W9P>y^{uy0i9gby-#5%!aTMg*XHx;9PATimAQ$bRd{9Pr> z!Bx+89Mz9&t=~jmXCA;!B*qArj;WuKLf+23z>L6NW}0|_>F(c#)D4KJcr3~1C431Y zP{bxIG5diRie23o%3fSd`Z0h|F%g@^bN&jXG(!+A{3*YJnCi+Rq+5x%j$yvGr4^jO z0ImqGb9wj)J`Duf(gd7vO|^xO0Okw;KP=_bDoD_SY#+g%Devz<`SeQA3iw!gPql|a zqnIM_{@9vF_lp?^ZFnfN72GEj00_Ga@RAwfZQR`m4CZ6U5~dpD@G?Ey>rh zHXUFko0!4jzs4|&3dhlzd_mp|i{FyBXt&;rE9blE31)3ArKaXmO3Nz{{*}qb{mBw? zCsWFdP=FLSp7ApN+NX)v^MkIm7WX>&19qm$UqSD^VHWPd zlv`M=wgcE>o@@ZRQQO1VmVBAMWDYe1bGSpWmV%tf;8 zSs>Yglb>T4%DBIvm{v8r?qi0)P`QFz&n|xnmD>72y;%#05`svXMdT3bQSkxW49H%1 zNWG8wUhE9uIo+{Ao`RrLLsbKNG6IBI5zfvW}#JL$UP-LyaBPveg5yUHB6JRAumekCEqOhEGHmasq72ZftZ zj#Z&Fi+6m4Ka0`Iz0jN7x0pUTw8KZeN@NCmk> zvJ_y1jO9PaV{P?-)q*Ww-bec>12wrbNh0o9cn@pjYnU|Lkxa|~^x#_CV-S!%hHT7x z1mLZ?vq!rm`i6nIa#8`4ZK;_s7v@zQcba2TZYMP@WfwyvZF zy%A$_2(*`|(pY93GfRFSF)B}?`fMM^85$3)mHvwH_V`%F?V2yVprj&zWF6@r2C(3W z8?9$X!Fsz@?ys*Lgt&>u>MnR7b6Q@8U@6K*_gkBy!%(#Ha?L^8VigPa$f(wJKr8Va zVAQqW19;C+%-JV7lUdAiEEiHMPO44lwtJK0Y{4+gc2+=+-QpB4u~l&Tncf}-{GF*6t3evxZGcf@z=mpP=se;wdOtq z;AZ_1dH{l=Y9o*=*XZ+4D<)*}>cj7T1H2brvrpBVll4W5^wm?DP6e3SC|sLhU7}Ze zu`Zgo8fLG!m z)F~Q}%$Zfv^aQ43U?j3V42bF@>pCG{1wgosU|9b-B;F@jndzYmsD*A|UckjnZ(62| z6_qCtlb(~oD~`NC1K^w@VF}*9+)%U#*_Ht6uWZVuJIuH~T6cu&qR8mw_yuZUlLq$c! zyD~*Z#niIWvb4lBwbHyvv))=+S(;h;HY-c(_Zn93KHqo0Kfb@m+LcmQmeQb%Rs3yga?FD$e^ndq!c7P%>K7omGm^ znP@jC%mEQNRqD#s5+}XFg)(&+@qTxgPn^-DG@ro@WGa`)TV#GG{uKqQk401-!v z;gIIA($odr)m~$z?RpX-P4(4d4f}EgTfoDuAPX3^pH9(PeGhB2AV=C!yFo5+eroK~ zFOgL7O|Ve%*1kvFa?CMjbhAUC%E&eq2&i#3Kg1>mUagkYsoSszEAjW^Y{(U1*eyN> zyS61B)&3q1*y!4WxT5ksfRT}9I1@(zeNUMUIvPBk>FIBY(b`uiD=4%}WT)P0o~@q| zG5aa?egzgQx7arVoBcv0Z7~kj!I;=W_Hv1sVIJ6ILBuV6&6^zgNQl@!2De$43DFmq zSjUkAWQcW8&QWCDD&#>`Ha`kYrvg^x_eW(L5ZbTjEK3IalyezTxxP^F#+8U)V+z_93=6u-Mo2{h0GHXlH?%&Z#sWj+%%>P@VLL$trB$6a?_qK+R0ypa43)ogew{XrC% zk>FMw;5@Q*-|Fx(@;1%n!f|iItDw4gVg_{RfZ}eg$JDIMyZs}HlQuTEuTm=vF?yrgUJW|zgwp_og1nkH6p^3#&MoU(M-EtpW|vt;LlGOTjl@wkBk|Kj zLl$7U+er-KM4}6_ykT6ccY~HdV4fOjQ)CrK^A-hazmbV?w;$=B7nuGq0xg4AU;PZ} z)Yy$xwWrm0qv^jin`K2tMDjuORA*OED>K#gkZiI17{F`=I<62H4&egr(;^i8Ge4`# zW5C`?c4^49R@;jKB*nP_fSPjW9TYUS21<;{{vgXIRnv^B2t3sLTxAZckU1s>HgB$= z>R@_pw{}*TE8Ekw?@QNkY?r12)`0L8TY-k@77|B`&Awr3z&2K4IbA5;!vbB1+c+y> zgvk7ABrX@L&n*{2#SOH(;1i8vFKV=Xf=vCq1FioX0G~A%+W_ zieJHb-Lcil83ptV*4na>eTBbk&HorNFJqnhteLE-jDaWgK{yn|av$@;fE9==q600D z0BwQ!T$j>53^V*0vIR$3@=)7&-BngSf(2{-mi5Rvkv%OFqO=QS7da*kCK>6xl4kHq z(12B^X?WfBRhG|W>{5lhm*%xZW~{8Ba-8;Gro1R{>~Sz8&sTrZS-;RoD%-l@M(FOI zvScCp3Yfdl0P~ui{3bG2>h7O~GUtvzfjaSeekv1f+lPVY5HF)8nlXH0KxP*t&YR>criLaqTA21ybk3&;TB@Q)O+1nYoxO@;#V7-vYSbuD*CvfiPJ2MhHGn25=lH zp~+k*-Uf5HZsW(=b|L%@+K{nEJ3*#x)@rWFcx~)AA@h}#-j>Q~7em5zIUB{2!S>zxg`f|MSLR2e!b@6ERJg*7^gY+Q zSfi9PU*MjGZn`S7S;3GU>N=Po1A+q2s_#bJ7J%CxLN|0(E;UVgNifbk!Xb00% z-*IZP*b$1za52=Vq}Mszn^h^q(YTOWVfty-@yWh!I3eM(x0H4P~ zKD>q7ZX$*gZ!l_pCRPbw8j>?E@*{A^@)WWft8hfkI#;kzfZxWkHV*sr^K=tGx}JS=5#w|n^o5Z~9KvLAKXE1? zM#+@JB#E0P6zKk~#?SNJF>o}11w*u9H3r-~5~Jt~L6(AzO|>meCu_eI*wfE9UN`*A zGbXdBWVeNLN_85e_r%b$hMOdhQ&6|=-EgvmXViORIhI+%DT$kB9C?VDb$dbcryJuL zG2=|(5B8+`NqbBnG(vbFy}&OAy^C!Holi5y1)a!Viwd)c%Nx6cC$Hp90A?F?quSOLHFOf=fS{Lok)-;pxDu~$zKWP0jvEk* zallA>pW}cAmy&5TQCvp9L8}kHM@kPKAt@W3xWLp>PFmBU1#{qah*#lmOh0pEIEBt0p8M<05*_uyo)B!)Fos18ucB@Q`%0H-5XMuV`K2TqD2Y*hc=^P#56jl0GdMK!)#s% zv&=PueXgUrQ&%l4MB0bq7fEvFO2n6z=aGk41@S4I=g~4ly-R9d0h;F42Y9V-p6ytG zkjMU8&Ue$w}fe`%&a(Q-9Qbb3l1Y43;XE1(UuTkHVMp1>_BeX z_C(?}kQ`NCVN4(6Wn2=7JAXxH$v#9+}b)srMKx@0X%-ODH0dSE(m<+BKnp?kDbH9;2nqu&i5+#L_>TfDOF z7cS~L7NXp9jNJ?*L018e1bPEJME60M`8Z`V)Vq?k$}mw!RyjY4agEfh=G32sm|hZ- znG)@=RB{sJ5l9~*LSTq=46-a3%wlaetDVL&7j;8JP6u-Lh!?!dcOe{GyVzFPp(c&w zx({KS)astUr0D-T;%rJx{V8uj%a`@z`7X`~Bw97O33M|^jHvl)Jer0>y!hor20ueW?-Mdr;&G0_ zqU#4twFIc=EW@I(PzJq7ErcvJMwP<*Gf2IsQFkTB^XsKDs?q%t!^IXZVlHS^GHe72 z);&Z6s0Z>q=fT5G6Uhs0ogl=*7$T^MzXpwDLUqEE>;PK0m|ZFt`Va@x$9Ogl@8F(= zZ2QC@i^muzHQ1{!cy{R5hAeHk*7fbh{<()iiq7g81n-&2dl8alx0RDCLI3^@+xW!6KL%<1%%WV!p+w_RDc2+ z4s$<4E#-|4V*r3PX-9A+Q}Ggrys8hS0q+ti3$jeR`lg}7gKf0y-L}HB5R2+q{D}Dl z!lsG-7xQV$o37vLs>tW03w>SV3T1k0oQcGGs@mPFMkE4o#)gx8k_rUr%q;aaW!^85 z%sq3t3jav6xm!$J)oAXy`vqi{ra}gO`*}n@KYqyZdKhurcI8~lvfT~<{fJXlXPSC3 zAG!+3X4ENfHjGI?RhxJW31CdOOf^hjLjr)hi7781kDf@zoIy-!b5 zUj&Xjju+QJsN)>K7Woz~R@_cPg&pj0t&q;|0J{`-5aIS>Qs9U}hDp~3N=afQNobry zSqG5!Uk)ruMV8!H-4k)#GWH!=2sfY}~^)%YC5((+JKU$)l9%+_`n!7XV zZ&{O5l$^v@nS{A~CX4g}`3+#8_Z&t8AKdWV zJtx%Lnl4hMd6&=55 zuI;I1Xq09eBjg)~URy^doMJ&;W+T~~331&nWHT9yJsGP_T=R7--}j~17mo zUqFDD-N$?glg&~7uyQADzg%&dX(XEBSfVBAwiKD0v%DnGB3wz{5KCwRJ0UzTf-)!A zYjXAB5XYM`Mu$tWd!!zzk3i_1cCpMvRTF^gkZh@a{@O7-z%33+*`eP8Y`Puwa6g$^m9YCTu1}AE7${_Sc79a~Su=)fQ6C({L zA&FaO|BB1W6Nz~Z&uTuScg5C!G4mXLw_yk_N zo$1E$_*oiRdsLGUErjWT+FhcVWr%jS96}5AFej%?Oco@QgivuA!`ss(tNlb>7L#i_ zVR^MXpTOqHnI2ju#N8W5_%?B39)MY$!iSdIi0SRUg$<0-85aPajF6=k9im-=EEaQq zl$fqt6=h0be^!g4`ge_>E!8u9497s!{0s~Wr~;7Z@GLPge5wA~Fu3F?DM;MLnLv!J z2;_Yx(I@ChKEts!fMknd4Fw)0|1+OaH`g)OPA-FbfD^J4_Kbh!^h3^t0em*ySS(Ob zRgu<{<#+&QGCty7fJ7PoRlC3m^Dk3J+(SJ&oF6ta59KTmZrkImLNG#q1|NH35)xmh z4bGm(dxc${guCN0{BB1AhAti~ZGj>2<|LdOWC_=fSF$|sJ>Bwi?JL0b@kT1ak!%jj zPu{qIgn*!<9Z}I-reNP;NH3U2fW98b=746`_yGPn{Hmn4OpKz#xL^4M67KAb#bz$w zJrHIsLRSfqLafD1CWCFji6!!<_;gnDRO+x8TyAF_^YWm|}4Kmh4wIzu8sFGm~O8EA&e$8#x(9b6DV z%~*k-5vGZR0X)6X!y-A2B+8E6;qh^ZA$_&;VyP9+~ypG z#Lj?(J!x4P$nWKkkdFDEBe*r99=OWO@$bO=Fa`hmxaSqqunsm^Umzupv4I8^Ep+@C zoDWodPl_pc3sp+<^1lfzEg&cH#bHl^>nBF*3>00x(>N%E@3r42ipH!M+}-nv7;PLI zdVMSt!=CMuUj~!GwspEVJ>di|KeyHkQaDw#0wnIH%+Nt1!pp1zVU*eRKYCxKp~Bou zU~TZB!W-IQOx;7t=XOF4ya+3S%LvG!?yphDt97G0(}v>D%nN(aHDb4X0R!EJp-@Z_ zZ>0X>N^|RlP+^F)S7^l9SV?!)C?#2{DHEtkfhe#z|5kub?4L;C5#H_m*#lYspmva`+-taYi_X? z2vkwE?vpS&4Q7ZnoRUuDSUMg)j|C4~39pfvtc(dy+^IPo;t#0yGyuJVWH^p>I1bI% zjy7u+$Z>ehCt|4jZM}E05Jo?7grWO=gpP@Cun$#eBAenMD$6Vt>472}F0wDn8*h?9 z7oGYNrL8*9X+W+oJ)_;HoH}$>Ek=`&ydj92PIF-c9xdhL7fQgo#|ZkwChu6BCT=xs zsPkX}`n?A1wxA#=b>o)FV&+BhAzP~ghOV__8U6vrA2w$?yV z#4Qa8nv-gL(bb>tYmDh(8Ny1*Vs|n^OoEBHieE`;o5T36Z7;I&`I}_#y4L()}Wms z(|;7k9`2-Hpkuo8D)k4PA)PBAdUAwQyB5%wAww zxz1vV9UfAy^S;O=;hXS;g6b@xhs||7UPpF`BguLoHlp$DjHEf42(QE2it-SCwfUQ% zN7&e<3ac)TYFWp#Zbnej1?N_p_JbvS2Em0F4aEy-KUnAoCgOp=9{YBh2AwXg%B0uuGVLm}n94}(7y$y9IMMzF>0CPvYfNuy#wZQL zGCv6*C5Bcw1^stf7v!#{Wu|2i5KC3yR8nHs2?P01Qy}DjhD0|vo8MR5JbLOXj?`Hh zzcJ@rZ)M^VYuIoZR@c7U%4POO`nBBSu3-^s8HS6PNXH^1@O2X)x*;xM;)P|I{Xisw z2*8+}5r)rOr;6cpu;EeLG+^M=AwvV?UK4FV1s!p!10yW_}(x`)g4ms@mh`*IKDSfc8k~pqvbg< z2&lS9I=>3IsCZpYS5&xGT*z;;=To~=KtL+VCo>5dFE`)I`w^=j$P<6$HEe50PTIRrpCsgP=HrnW9dkI?qt^NjbKv`zL$fu86a5#1ZT; zL4Alhby(2JaVkV;ay0BpJ#q#b4`V<51N+ zDUGowPH$Mjo>p1Uk;^!TU#5xR;8E&1mPF4U$VBNjDj@y}RaN9AS_urnMv z6HL)4k4LZ*sW?XvNPo={yBNd#mN+jFlLUS$r=h3NRL4%f@YTlYj8a!=ph@cw*$nc; zauUZ^nR-hf+>Oo=JpFLiZ3A`;Gp)5iKB`h+Y zSnXK*S|q3PCzKhxy0HNCcr`EwKZW<%c47s}FP)7tKX7iIt|BR=>OJqzS|AttR71@R(!|vLduJ`x? zy0qM(yBb0w3~j|@hCx_hB+kiCM(0-HXkS;)T2qMlF?s7|27cC6rtYp`=cp@8+#6g! z+h&9p(Qc6VOcWo9o<5Dq==}Rs`D#4LhDZWoi zP>5OJ3-4+zi8z%xs#~nClXFbny20nvOltK=e=yTuhU6V=d_=v2_(&(znarX3c^p~6 zv(yLnKN8G6!+TcULm)AhS~V_0LmkD0#M!oJJ>Bz;Yq`^mjZ-!Zfv$W3r*x0fICv7G z^@Uzlo1*Z`qf8bSo87A?;NAP3w4=5&LQ{Fsi~|^M)hKN;J%Xpc{TQb1Vw7ymQ#>O0e&C z4HZ~vn!u_zXauEo^Pb^S1K-_OXnrP*_G@~R_J`IkhhRzp&{2|2Jaar1ZcbNd*G8DD z=DDY^P2K(D=01scwM0(iYDd}!=Y1X^9cH=!wUY(EgUuUPQ6QoVcm0GD`D-}S@C^8+ zck%N$+p-str`791@+@QNy`XBOudA-=)2L(8^(1{(~ae5gGX&Y5SqXQy2aPQD{vDI{c%2Tgcf@mR4ptzUTrX+w(d?t(X$JK$|h^9@nBoOaUZv$}dEeH3I#HGiQJURSTBE>M$@qY*mI3LHcF zs9h>9+B`0dMA&jLMDuZmDTiIAv`%B=6UNy=!oXn%Rq3TdKEH)MN3jpT3N%qT(sLAN z;l7fH71Bv_uTdmSv}lvV%X{mLD(q7C=cNc{AVkqY%$&CYU8s3Z@5;Wv0U4ST-)i0D zt>V9N+?q0O4hTItZiZkWab--$98F?GL? zE02z=UrzJaN`@W}K(Cx@H2#*L8?0${!WrF{(*2yyRPeykTq#hnQ6#%M6tG6X-p^AjBBt-q~Vk4ae0o>xJ>$X!5f*Hk53aI=enLcamYq0r34Z zvyk_Fym@~gvB7IoH^{Zi;ekNK!9?r885 z;x?QDgO#fX7VIa1WR%1Sh1UaUPl#9+u}T@~2|r#;rUUT1nFj;&VMx#wcT&g5@ph`t z*@+5EGmfc5_kgL6DxG3`0cqI|}2+5u{94 z#xZ5!q&WLzz;@CNvG^zrkka zUwjyp1{XRGg%H8{G%AAn_a{jw?^Eo8P-il-EyviRRxe zC~!LV3z_EwPOUl1^Gd@+L0R|_YtWGL{54vkPeW(m`qpV>^tJoL2X}&!cWiXuGB!~1 zF)DQQjba&2*j$yQtA%Q0=TnHBcUB1$ASuirSc>b&EpB*iZ+w_jkzVvTbUi&$`B(iCSWQ^H9Z1SA z3ce3(Q$^ABBKva^*kSpnVjs3G)qIKGpF=aSE`N+a2@jD%P8b5Z)82RW_gK7&;i`D#=3!kh%CO#r3r1u?{S-!AtX04l73-b+6*~*c< zt1y#PV3!!mcjQaSs2PWd<5CFFY;rx^t!xCFa|3aDvfS}4k}AnOyq%BFh~sYH80fFx z6ff{DF^rGrN}ZdKrx&-9x8UJ?FDMq##t-|exY+W~NW$fTek6t;7ckL}vG6kt!~k4k z^8c~Yzhd0~TNwbggTB8%RKzhl=egY2JqKH`+5Fc z`s27i7yr1RKNlZg5H!<7|HZ`ot%d&Kraa!qZxMdW_|ps@-<`*;@E>%~A6M0W*Z=8e zwqGOc{`cS0zVlxz{`!u;*8JJFaJl}r`uo+kUz#N*r*c%M|JwHWCj(02fAP2fKjLrC zFZ>%TPcRtA_=(dW!XFx7O zOy^z-8(#zQX3hcWSRRQCkFVwQZbz2#4m=0AhNMi`W}~%xWC|@rNc=aAou&Y zXCr~xPPP0|GOOl2!g47QkNZ3=lo%Q!Di(4JX&Ic+G@1L3*Wior&I6l@kYhnE3=+Ip zaP`MO^WEu##$|js9!w*vciAG5I|}3-=ueO0gvI6hnu=VL269~i3CCk2mrm9~ z`IZsU1z5v%1WmSmSR;cWP^p1xYDe-XXec(p9mxjJ$t*65a1ha(g-kEuj*w=@esn(H z6|@$@0E|kz;yYoFk&dKU)eg>e7eILgln_G9RETOHKZPL>`-B`4iNICBD}yRqdx)VV z0ac#r1!rId!;oZnf?&2&8K` z?a^qnK;7;^vIWIg#qeTYY#8A+(Ki)PoX+7sBkF9km@hDl?6`?v_U zt4!NlMk2Ue_#7;2Tq%sPB_R~YG>g%-7xtWoq=*ojdQCXXW>RMza*MS$sxO*0H6JM5 zfj@%6whUd03~OAsZ07?^Cv!3p4Y!$*>39wl(EC4mhQKG#H?LH9cNA~Jt+bza2d|Ol z;0GKBfk-u~ti}b>SAO7K%US9zo+G_iQ=t1%juSwOFJsmHpHNiZhq%y02j~BULHJcV z4PM|Gyiosv91A18sD7Z%7lL;gD`diRhWUqa^AYbti#OPwQ><>?u4Cx+KEf-mSAY#? zQ{!u&)xJhWt_~#_qxfviONOq+{fC zLTM1O@l7RfBZG!}9#7N1PDutINmxk0p7K0l-A`-CPI?*&!S>@a{tUNE>L+cfJ_*>d zrI^=Vl;JR_p=|aezQoZkmUNNkL(##A?KJg(Wg>va| z0cm)%eM$9Cw*GiA5I%a#XWJ_LTHd<3GV(drno5asfCgWGg>1y%^Er4pG+Pdmju&6? ztj@fR>*s>tb?Wb&lg42uWS2V%nqoi=dJ@<$1*d8IzIYmL0T)u$Yu{50FJzWNdS|NV z2)!T`>uNY0Y2RD%B}6Ek)b%Bfty}`-m#JU17niVGr~%;4mSw03{JH&i_+>&`qYFzV zIRQ2ZSDu3vbdPXuMuz`K4}n9}k~#gz3EH8e$S5ap+&X%sc~s_7Bt@ zkz0laG&}EB^D*|7?s~&O96w;LN-%i7w?ZifM1Yr5Jy&gej}Rjn%cb)9#6cz6o!3ix z-7%SKdJE0u(RH)yCvf$iYnd9P`G$JCbDd0s&OIv)BCQa=0G9Gy`Po={s(8NljwL&Q zKXdmC&2!D9qj1K60Wxeb*m0cWcNLDL*`)Vi2z_>hk`*H|?Rkr95>8Lw#6^{UK+a+$7K-~xcqV3I4`JE+H7@|Rz zE66vZ^n0AHm&qWWqy-4ka{8LJ&HjTk28q@C;<+U0ef47Y?rundNsw$SeuWo{W+Q7l zZ{U9+7V;|>W!KY>galodj5pm4V<0^4{1Ksq#BsvcLT}Q=F%v;jsbqGz;Ho*s7*6*w zFizm>+9qb|K9dWXo^>`hkcP6^O3QSaD-gs^g2s*TRq5v_eO0sNl`Fh*K2~}i7kFE^ zA)0@)xMS55*wFfpSXcrb37;7eOsBC*dM+Y!5|pcCc14w+@4M{UW2wXJ25s?<=J>=} zw6%INHagCBXuLzTr8D*Kg0%V60qN-4u_@^Yo~b=#u(%gTovR~JfW$SpXW+PEJ3co6 zIQV-|rwSD9xXlon&1~w8_0pwU57z4!$gPRE23sn-;?C7UgI|IStGy2Q)!XGb)5?^8 z>dH5L+qjj9^39{uj%V2{07FF~ko>~RiuzN6E8TV}z_-BbuuNCsG;D@m%JVGnCAhZ0 z8+{GW6;Bj9!b5yBwhVx#AB?Q%K%&c>Nd2UIq!W>7X@ct*x0!F) z*UNRXfxUiG8jP*3y+mN|Do0+D>3?Q%mztI0ql!Hww)!JHt!64Q_%4&U{4v<~i{}UK zU45NAFFX)%K+fX8nkpP+wQD|#gp!&;gyX+w%JX+X-N?vwfiy;kWNZ(*z7s8LfB0?aW-R)cuz=Cgr2amE8 zVb1H^jA#k3qe{yS+^iWq7rB)N6E-@Z!bGI=TVsmfWJcJ>5fjM+ZH~^Fpb&ps>dfYb zcw_LHs; zy+a82GpwIIheQ?k#!-AGSY{20(;b(QcXBFWz>_oYBvulVel~X}_{#4;LpFW%QsM@+eY5=Xnxd7PBy7sGijSS$X3q>bg zDBUV9^u%Tk3Anix#}~h-!7^w-Fe=UD5bHWGZ=d8`hfAX67r(2WBI#!jBtLPER$AKg zfy!XT4(a3Kg%($kkN`z7Z*wn*QDm>D0~xEIp%dfs|AlC$;+H|W{WJN#o=^iJT{hh< z?hhd66!4}ys=EU#KDF<&Lk=t)b$r6d9()G((qCc4wHbkeW`8&xlOKplFP#)Bq-N}4 z6B(Dc^i~lUX!zcB%<@$L8qfA)@ogck-UnR~=~VnLtRXHuisL;WH;3|>E&<2xo2XeV z$Liuot$Npz**(cXXBcYvz`KU8plLaKACG`49e9JjA*43eJLxeJ-B}%2G!Pq_^cPj9 zwx({&xM!Rcy)UNrwvezd2G|Rt$>0HTXxv>)+`4Ts!b|~pBxJ;!`J$}mI@L+Ny`SCR zy2EmzLimv+@w*ar{1DEWIS)XY^>Q{5HO|j+48lTaKW*8M+r40B)@HYZF7I zrpbN|YA!brqv1Y|aQ>tqqUi!@)lX#zTjWMCjk!QrC{kwjJrXoJhfH^n=YB5&c=RUD zBy|uBEnkykoXajJCh-KxD?Y$k$d=ZHXq>UF6R#sfOu;1UZWKMKS2AGK(>KO}$}{lr zG}sTjViFIXy45%jqz;1=f~V<*``0P42t>I++1a7R!ZTDvot_xq0e3R^gbMz9l9?JJ z>KkuQ-{SkU+6AM+S`w-Imy(IB$*tZMnq|i8AfN zB1oN=%2JzfG`E9~28dofKfL-TJ3B=5a*n3X94B;dOvY8`qG&7s1SuwCxGZ})HJ5J0 z?&6>D5?ycl8wkmpo@K`FR+ zJh7TFov|DZr0OO)Ri=jezJ+QAZGLS4sph_~Jnp)Z`irhGL^9dOLdV>n*z!PYGe+pv zC@X_B$+C;JMXz$!y0T;tJF3nh%Tv$df$Rp_b^s3q_ipH|i=!}1xKLd}y79$0wltbX z@@GKXeD>G-u5btOwE7Q=r@)lO6%9#`0YZW2qA8!vWvX3#w&8OjhV_Qv+s!HZrzLAe zWiWqN+Lm$5@p~W!NwSuA1^_>ok#r-5Mq=nFjGn%Z)T%2(@HU)GT43P755=$Y%>vZk z@mHnQ`j_MH{?72Jh2AHt-B_bhQ0^<-IU}8JD7h8T)JEg>y#;=JQRQ&}66=GgYp%2s zKDnP~$0{HX;=PW;blVm91z@ZzGw)R3aF03jDxw<8M8)w;_C@N#YtcJ2`AogB>?)&^Q3JQ5OQF% zb0_v{U|7GMO`v#(JDvN0&`Nms+4MQJdcdnFl+ZUHs!1`zJ(e7-PDM zRW)gtNxjk(gTpV5#7u>Vm3)Km8~m;N2zMAJp0|m%xCpMZP}fmL!uOA>+`a#Vvs(aF z=H&t{MrkD}5e)pt)VS|5Jbd1WjU0N}`(I7(k66316B&0dj-IxrCKmrq7E-KHNJ) z(<_wQ#1AZtq`J0AuGvt-8k~@6xEW9w#`;;|U@U5#3)>iJ^7aUnN=(D#YCmfSbMD;ma zyhy`ewzi4d&l(r$X5KlsD0(hZKNU7#k<&w37&X6#zRRJ_C-qB{KR+3}V%@cFaVtlF zb8hNCks8;JK6+g9^n~;E9XHKWFOJ{3qGYjY$L3*_Y2Eo^e$bOIoR@QZ4+Ru-dhxxS zg2V$?<`-CA`}Sx-=Qkb(^z3p}(Jj#0C2aV6)`2lexwfhCFDa5vcfHqBaW*&hbn*v% zho81z9`dy7ZCi_?Z@q9~S=#qULYJrC zJKJY@#;7Y#_KJIOtPR))o4 ztJ`DTcubLBbENTny1DTsbwT36V@C?Q9FM!uGx_3(KJJujt5+4J-Th!yuPo4D>U~gg zaeiPf@B5%QMQU1IlAd_HZ=a%!x<%Q&-F!i0c#r)wDSUb|Us_sT!8n%c z4XAR{eihU2^Zg-UyQcr}MnitbaXkWhXMeuhcd7i-Bi0TBbfx5k=Fv9NJNt<}_m_u` zI#sM0Saoyg%7NqCjw|x3UGpwQ&90mtIB$^b=SI14(z(*L6;mJ8_8UCo_VMtd*$?iA z53Qw+2ybb5Q?YmCMqmGdizK6G*wqo6FMHmL7}>$LByo5yx3tCW9=M0qGfw_d%lSbEZytzrF1vH7-}tzne~g@v@lf^5gtxeU z&s2YZWKz_`Q-`-jS>Cmd%9(WL+?_$0XWc2ewka{OS4+$G)V2-GM9D-PcL-NZR`)#n z{^UlQQ!zQLFIdRt)Y6SLhX$ow$++y>adk?Eh$9t~u1-JkVb}h%It-pR^G@}`43|pM zrGC+PqWknt>!<2w+-!YCH}iJY7oW`BvHB(XEceTe?`ydmq0x$+CsT@~d#8@{O^rVL z^;0tq7rSqq{nPB#3U*Hq*NVxdpPlGG;J*8SeAa`TDXKXQw|5-ZjP*2L>T&9jTRZpB zgP)@3VXgkNd2ewMOKi^^31|u?FSad@D=YOyWIosfVS6mDie^1zO2VT)l4PN}Yi%)sR{M?5o>b*sUb`T)Wc11WqoiMRT~0+r zSnqY-bfyNIW0TJJ-`bG!`MNKZ?i&%gT}R)J?=d2M{)e&h z%-^00UEx}jw4|49ne^p~#xHjqQ>Wd@9+6q@c_n&a3@O=`RVhr5Tj?<$j9X>A^46li zB@$)THNHucE60y}oJ#y`MS$kaFyjw<7X=xYU4x9{|D8Ym$E-+KKD{R&+@2AM8tW&L z?K`o?2W+V*&pURK&rb|rI&RFk@l(fvJ6{*XANxBoDSUm0Kek4Y_Wfb^r2#$v@Yn%? zxw)!v0fL1-Hz>yn?pEkAcxem<&@Kl4VhL0{jYO^hCfRM+ zg>s1!hteQiMJA$1oI<8RdPP+1fd&fYMnui4PIYw}Hl$Z$k^eb{zKl zhoAV5%{Y|L?a3?Jo3RT*4E9qZxAXJ{{*9m4->m+B(3HOr{@+1=>lq{b47Kh5{wG25 zf3Jm|9tHIOqlp6pv-MSBsAD|@{#W!ExDp2kMIv~6dNm0ip#gT&I5~R&d%iu#uctOMfz?3J()D>@Yi_;&)`MBrJbzysR_b}?}{F~*=m zg?L4e$Q8i!UQf)V76dngks8ko8VJWlMZ&kNiHDy*Q+9rh2k2C~$bbu&Obc?WadA*p z9PEp+Iml=xEsD7F+j}yUyb^YPyD0*d)5VJVm#ZR47X^HCHYtjNug*rugK%FNTCo(5 zgnUf48o%Wy7p{L9Hy{s53aSqyn@|7=Hgp05i9iO@5M}@f5KxcYqd5rR8C~II_0V8& z$pr!MZrpIrf9L#;3U=}Ti^&GlxI*})e`i_$(;#B9|NL|(OY=i; zyzI|o{<9j^d>3%J3I6!osW|J7@{aNzyxx0D`CitMw;l$*2d{^)=8k`DIxNFt;CoTH z!<{=>I7tYSF%JWAK$r@fj%3}#Jydtze;Alf0%h{7j#4qt&MoyPG~^24&CsIR8nPz6$Kb zE6yw9K3B$#2q6^_aPSJW?E{<`fmW?l|zL57LPGz&Ty zKe+&ga^rlvq5Su4_0nF8`! zArjevrte++F`tPXVyvIfI1iYCQy8h8#CRs&W*Lr9DnO;Op|(8Y4_&jw^z8o#&iNH_ zKpV_74iC=gXc`A7Eo385i%FBEt`MpQZQd54QU*dpG!&)qvrrNM9+QL~Ku0`B0omMf zQWnUsI%WVIWDrQB4hr+jdL2d{kD@)lJxB)mZTlowmg;drTdVNrK!r$Gio&1phNSsY zZlNiWPgVF6-L45%1G3p_;hB;Qd?#iupI~1GG>X>sk}t@MX`0AuGQFB}vDGLHSRD5^L&FWXH); zB<@NE3Qqt*re&bv7tJ#41U^7+t@IGZaG&z-h6xxyn}@jKAcv{)H|x^*^H5c9 z;aOD*G}Nz&W|==<9rrjnU7F!q!U#cQDt&L#7S}8$qV|BoUkP^bm}{aaS}p`N7X$L| z*+68c@6y3SvtfGmH-4_*@(-IUH~~MY@Qd{bPc{$WbO3g0{=Vk0tpqiX2T9cqSk}c< zAw=2aprtIu@+oQd^G1_#xW`epufcuOxE@ETh!Yq0HH5USv9zS@NE#S?S}EUoVGd@XmY=??zYWA zwy*#T3AU^O+pMV(^kDY<7s$>eg6&k7n83WNb%G8WXwD!M1X`i5**ajUj=SLKfKduP zgz*~8jy= zpnZ!crk1n>a?=xSoKf5i!nZ*-C*K=DZkV37^+Eeowhs|=7?zS8L%}Y*f&5DD61NJa zmZGu@lv7Kl4@6zd(?tzRE?OK!I7BTnI;u)mE`e)}q5dnH1q)Xu_-T-IVM zHZ`Es{MQkqT{szY<1)%o*VJ;00@FSasVT}twzc?)EvRHVT3C!qQcwn#nJR8-Kal@X zCeZTKzE_yHEc1e`(`aP#B=0OSz4Rf~Kj>9cZb?MiA7uP?enUpMuOoX%CZ;ylQ4ICO z#m^$EaGNcc2bFXYn=uDew6KElU7FwW?K#MIDDNv-yt%V{WpasiKQHp?q+=_yL zq9UN;y(%awA}T5(DmN7s1r!w#_}-wPo}b@2=b!J7Z>^KH(xfwcCVSp}eQ(d>d#W)6 zvk{p;eFie#Q~nMvc@Y57WPBMV@vwMuh3)DA&UDns_us( zJ#g6?v~mGjb5QeTKU8*1gK^mpU@Ma{@t12*BohM+ys`$B#m4*r5AE zlh$}~wHHO6N6=7Xt=;v)NTcf1v)%NUo)eCm+yl!(diD)gXl3aW(jF}os+Zp7uER2$ zp4F>w#Cla=%2sP*@$EFEvK9lr8DLtKWk~*9dJ6#AlRO5qt1TJC_y{1TK)#n*mu!6{2{-wh1Cv3z zQ%VsX$o@!l0j)XLAarKK50FrBB(;`&qHz#vK4l=eD7StnF}n8aO#t#BTc@zVt9_F2 ziiwZo6!m_jBD(Fc7n1*%5CA>fYUDpycb4Aj_ z`0PB+mwGyyga9P=L)Sy3-ucnaEVjO@SLCcg4&;dN6!<`Cw!Uwju zJ;FKoIR{4`xEtmHr3@XIi#gmXi)3eWN8HK?Q<7s^3vnlYA*8m;gQq>&+yVX2H|PoJ z6`UXz*wW0GlK?!qyDc@$0kTO4n@#;OQM3qYNr4*}|XTtvl{_)Z0ON%QLn8Ftd~>KaMP4z60YrTOi_w8wH>GhJdE5z z;uB9d>^*QFu}XfO(jNtXq`45wCcb(0ZAf&7lvzMrog5gCYTaPym2=2lwb86ib*-Te z2a9NjZRzqwPxj0(M&oTt>r26$In88!DIRCIUW+3u#ctwhW14afiPHe@ z6mH4#de0RbNKxEeN^THm*;3WBKzB}URXda&NbFBLoX>|SD^y^9pU4@mQKYO76(y!0 z4uy0WvW>@5o0{Tqt^qJB^=-85ex`_fB>L0-+r>KZ3tS@B^FNWy^4E}e2UA({nl4a) z_)F|*J$kETQ>>b*4bn>u>Z2OG75dNQ*kBTTWEsStY_{;8QX1@dcBvx71|eN0I087N z;(?2IE)dLD?sd8oNIibgSr5T5h4o@Df2+3!X0(LgRJ}9LHspm> z*3F6B5N@w6;`B7kP-Aq#m!NbagVfDa-CbQH5|lnjm9)Y2kc|jQS&>!9^+BAVkEfZg zm2u4{i?eBjK2Nh}mtpo3lP)*Fb>nZ|7(!tlblp{b`P#Z*qhm;BX@k3?@^+fv?|hB= z*)=YuF95BjA-ON+3k3_MPxIC$9!&CEAc8`kPuA`%0D0P8UR@%c*A=YLZ#s;`_l8w%uydi?ysf zeqS$Ter$6)wmZHMUid=FH8$_ZSsUJ}^3eSA!C?Q|pZSiqFjII$FT7z|aabIV9j~_Jj0;?sQ=0dnd%TZ} z=W6dQJQET$;)^)z=|ibt!Q>03q6-a2k2)*;x=GMS5n3V(73^Kz1ZDQ zHUoWP#|nqlUb@;)jYsH2$PDERt8y=fO};u_Z!Iy%IguMNDga<(+}2A z$U?eUCuI|3pg4)kRpT|*5s4(%wIu7pUgbSJYE>rth0&3htv1E75vh6AxHd?NOmRIG z*K%j!9P_Q<7B2T`q;$>fBn|Pxolg&4jENwv(yReB=MhEJG?WUHQeh`wH}^Z-csHUG z7xqLnyZQm7zOD(Z$C4Y%ag8q{KwGNL(g6Za*(v1fTqGH0e~WDa=}ArCVsCOf! zvsP{|UfWdCYL}}5s}h>xT9as&=VN`{o9q{H<9I%s^8$1-ozLWR^P@}pN66-*$LNru zClI(kx!2G7VRHCg-HWJtwDsgMuB~AYR5&oS4bhcKZ%nJoyK3jYie?Rr?&YxO08!m( z)?Nm(gYBhfcj^HVX!u)%y(Qi=m6$V)q?@ptSpB@KfJnE*x6f&F(|X=TdduRpR`y;) zad!YWA!Drl32A|VX1Pjy5`FLaG@+2Oy)8YAo3&mdI+qJXh7rcn<=NA_X%wqB~U2q`~99*%6)`{J%%UReLPe9?7rkpfEis!lx zeI~jq?2G6P_&wcZo!J*J3{6t^CkKyFtMUU@l=xk1ggu1ZE}TlZFcvp*VP$YaZ3-Qu z<|YI`-+3G0XDN3Z&IWd=XFHL*OYBHk5hrge>11nkf%COZIM;@xm zRm*Vs%BT*=N1(xKw{TXT}fl?DT&$MJ&w8)QIC<1*(K0QX5V^Wf}&9_iqIjlL# z1;WI*#QY&4MyV$*`^7+LPE)xTK>MGAK73jH=w9Y6A59{0f{^k@nXe}rdy(_;*Ro=((MMedvmVy?dZ9Qh_f*NBDAiA#E;O)WLbX zXDiD$Q=gKGmC-01*RUBjX$guBlccJi!s`ZF8_iSYA|4H$#fNC8>cM!-3^WVo7W?!C zNP0_G0$?XEVH&BNi${HmhJJ(BhtbhISZ%`xrHzQ*TYUnQ#HtJI{VaNW-?wa+c-CBO zmgCKh@zQga=9jsQq9$AOYmg-#zNNHd^Iq7-h2J0o8;auuSDys)WAUUzdoSF9eT#>< zC9)Pj?s&%79;O+N^8)O|*y#r97~a)`N3elJPgQC2JX*l7QwF1!dvFH3-8ghTa_n?q zXXS&)w9P?#71d#f)&myFcI4>hF$&Tv$i#W*ApTY5b1Zf{8p4_QQ+_?k3=gS!$y5;E zJPu55?iXR+dPP-HgUvjhwXVr!nhLw{-79ZJwqhE`-pQh&o?5{gYf>j_!h5am1o5=` zwcR=^!F0-s)AtP_d*gH6HR}Uk$D-j9}H#tCLKu)7m_{V@INwIohxH4v}oEr@v= z-wKhmj`w?)z}CZhwaFT9Li|$NN$P>P8Ee{5)i-l{Mn~?p=arL~eaNJ2){_UDXVDa8 zFK(GE@J{6pP2U!J$n%h^XuO8&DmimnT41|1LDMparb-hvEweaY-GqXTG*#`Uf&I~> z$QHEkF;B!3?q3Ncv2%u>1s)?^%V~dAot{=*_`2mdeL(C}wt8r94ery={#=l+-D?3DYj1JZpX&=)1GfnBz99Y@|E+en<|F;(u{1 zGLVrV6_|89Ei50PnWBf3@WWIa_CMM82j2Z#KSb}~UsfJLp65%I6iw|`$4l{O_>oV> zJwo=oF2@CL=4GWfVkZ)=w`wvd@vQ5aq@v7N{wCY=bt-p*s%n&nG9XsVwjq$9SDuU< z*v&7M=aCDCb}K`X{5ti@GkIsl7-*gdRD(l>TK1W^mX~LCbw5h;{XZA^m?xKNOqkMv z5J(@dOxM!OLl0}z2ee@W?Ok=Q=nCd{+kS^Qq@fFu3-AT4*wxKc{G4!GZnzg+&S#q5 zOJKh=&}_aP?qA6AcZ4UyKrZ8Jk=%9|V%BZv+~1>I*UUbfiwPc6fC}$nQxbL0m_jth zZ6)26#29`x%G=sNzZJ5QTs6dVHUo@9P_>PoIr^x$of@T8A8^Mgbvh+0hOVyihb3}? zeWedEK%{-)lci^`?u}leRn%EP7aJ}>DDSU{ zyuI~NVn?~$x=1R9`HAj>deds^l#BQoWxS6LFM=J!Bz!u9@3mwMqLIj>Xvr-ItW5L{ ze=pjJ{t8?~zE5W!rFW1J%l3XTdV(*YhRAuedetK8P>#lwi+10aW;Mak8zK!zKsFAMfyeg4NOI{@^%dLE6AoeAvSkBhq*GKxlH*kVb8h zR-~-PU?^+sf+9P$WmW*3xqGH=OcxAYRIMPw2?Hr&*BXWQ4axw*E-+DEZ3GSoli;$V z;hr>B?P2shNl~89OC}?^Vv#E|sVF8oo1fMSADG7XMDF`JNAm=EAV1ahT$%rVK3N6u zgL$N`h2AI4)*{(jpTXTEq~zNMMBdgIH?T{6G>#kZ;q{R&h#TkY!@oTH1LV%Y*f_Pa z7;z&b5d7)FWf3%`2)*+VnhjsX=nC&SET~j#I+Eq}xrq7dMIn`=dnX(0ZgFZy3>z7KG+@5In1ZTOUFFr^PQT;zI2j%bt( zXzsfj(uo_ut(^6$W@rJD-a}^x@O_Fh4b>A7cTc1m7hTr##mY=Hr5MqL-gm%?F8de& z3id5k5_F+h%oRtTLzOpcL&eCr%wM1!HEdjm)_XAb)a8q)@gm|zMbdEDRy0LMmpSa` z%5P(4{f<|HM`tja@*9d|V=j07Yxr0&y7Yf#J!td9$14sK`+?1tCag~?Jrw9_VlACF zZy@Pxcblz?njE8yq^?xMhJ7}l`jFZV3cm0WPbRRV)8QMySlXgWz0tZ@6dtmvgAqOj zGjL~wzdX1epV&8&RN<2f*f|Oj8*kv!)t6G)G6Br#ix38@df-d6ppMKGD&k$=aHa@3 zs?xV@+rm}C@9t?Yng9m2K|V=yTo;XJSGNe z^t_+qf)?==u&;ar_*2##k^7l@r%n}bhGlfzJD{h%D(gIT31Wgtwv`0I2o3(5?lAWU z`=L+AjmKeDauimY&eZ#|44M3&jqMK z)6;e^gE7zhk{y!M_^5M?`Bx|Cz#<=>&xFcXV}|z>?L&gJs8^w3I&Un3QUp3K)-LoGJ3)L)D&6 zaSGr9&kTKzVe@|*^yAetHyj0vEQ$~FGlRm9nm)Hn*$CsNI6)Un+nU|%DAe> zgs}=4$9~n-XyCSaauZ?BaZO6{dp(XcrgQg(b?}NZvucVOyjpz(j$cpwSlv{T*940b*nuJ0VAQ&+&Jl zSs~PDM=hHj&u6^wb^8P`@wDM~P3`0IhKghEPD()IO79KH3`q3}C!e5W!WDFfD@|

    FpjdKDv z_ld#+o|<Jpc=7#t63Sas%Dc!S+;7`Qb4k&a$Z| zxSuUmaSS9)b}csN39VW~S}Ys%r=d)j2hC1>P59MOm{+z&A-oMxg}fAn{h076(V2eI zT?PQ6FWDq6-^oQ6{U8lg;^O)eV0O!c28XR|609ysj`TS04(kwp4myx3460Q?0S-ZF z0t)El@EMssniXy<{JH`A_v@}m4j4M9m z^r?j~c$=P62rkZ)y^t5C0m@}Af(XSp>3&BctN4hs2?;5H&TU3vATIzYd@jTg(H&WK z0@bm$K%C7PkHxc{anLmh)VW@;b2pFI2vg9zrh%+0EFMMwH4-n4N zSemF3PBTxyZbmo*YvmwTfY4&|M@I4+M~kraS@14E7O0Ysja-I_50M`R zt_0@um#8B}3w`&lJi_*LB`}>zX9uPl9_z@ou|=U2RJ0A3qr-*U%;_Ed+Z0T!;Feg0 zunw%RSCQ}o)N=$D?i4y8b6;RN@F&Ur@}3-{QH*E^EV^x`TZPQ-iGg+NT7Yw=QGvID zjeiBg+ju^2xDvKFW{l4CUVdAtTFIQ!wi5wHh~MR>y|IRc?S-Y{QAVP@bBC)tj^Oy_EgVNVL1 zg!GQQHAH7yA**5z-n=+oAD`Kvv%su z#*q-f{;Ep6PP0w*Z+;c(1;NZ3mq2e5HjnZ4Fdu4k_7y|GRUF>A)iLmA7aJFj9<5#bo3rRAIoKrdL4 z!S<0nL|6iR2JjfV;qWX9rv;9%2}KXN>Mff5R$Sz@(}s#(l-75^u_r1wogUVm9bN>1 ztW>7CRSzJ2GXBHO{$7fCkD`JcWLp)LmlH|WRm=drd~f8s+u+)np;~v_?9)2G#tnsl zo_z-gn!pYcK>&p{cWVLpbf6zNhaibUUjAPD3ACcxHEm1&@^;UfJ} zltW{+%zt9fVPcH}xRv&7wsiQ!;F#1l-p~ z(3kd_EA8CCTkFWN_*&jf(zO_3cx}!iMd0lQE)$SVapbZD;7l>U_|n#)PC|*7Q5{;4 zJqXm09PsT;9|e)U0UA01fRbwSaUhvT!q2dC@2?b2vmC%2%%4!?>Od5@Mn)pxD!88k zZ}+Y(NXy8MX3Iz#P;)XeXkkqq{~=&g#gP_U&uGKzTHb>XZ-0Y4B6`%mm;JAHge@j8 zks0>eGQk+$QnoV#; z7d=}rwKMP|qZN+XH0_D8eOuk0!~!j$`%t?-!|w+{8>S5%QN-9Kk)WoG*DE2{RarfB#^i3Ye*q;Y=n$NHQ)J;S}ovoP>?s z6L^<5f5URf;su;W>z?Hjxmy4Yl=dj6zHE3$%T@pnbR}~2B{p-XVg3t!1A}oN{3v&h z>{MJS-Bqpwy_j$c=))kbVT_l-CQm#v5}KVxoQzqitVL~DDODi{&Z zoHOs_rherZrsG0P7xNesH^g#GUzUw3i@J)(h~OYd)*xjoorWm$XwFyp-SpIsmPx$R zj=i(N9CMkwVDT;m@;oLr*bSRl3N~j@J*MD~n6bs#$OrLa&N;|SIr7R}v9Ko#&Ou}U zNM;xO45xN+c2iK%&t>BS=TR^XISx3ET}I?5L7)~KxTY2}Yo4wmL%rg_@a z3Z~PVOSm-Z1q1$kI643^xF;JtU_GE$eS{{>z+`Vgx?45-K0*tIqu}@G!5EY`2JPF6 z9yB1X;Sx*lQA-vLy_fv1K)Rr#RkG>+Nc5F^a44t5YaPVbuz1UFzbGD75efSe`X zGGFiCPs-EvJ<4GrwW2o4d2f{1Pff4Xux|5<6!{NvK;+&>4L@l?w-R+ie>N`r105F! zIbVh6SqVU4vYI>7(WbRkG9thuhLU@1qy~5mA*N(2afp77BhkV1b9R9P1-lu9390x#hENW zrEpj1aa87boY|}d$da65$g2#_!^<83HQx@HgRNYHZvNDtEsu)WIRWTVC7CyoEg%yt82RgIAgsvFRceIVw;TddA!x`RY`&I|>4;6C& znlCLz<{mU8n%j%WlWaYGCJOf@lgm~i^F$g_Y_?{C5;urOpU=N+dM!pgs%rQYLLQE& z#1l$0q+j9;8yMhYQo>pS8@7=;p_YnumPHGd@a%dhK_~`-l^;}MenjcYhG$gAR7SuM zWQY$j^S`Q{@?oVoT4igB159mT5>*03Nc=5n1H#`pTrt4fF7bx?V9Sl_*{%tYYtg)! zhU}9j*sws94FoA~O@%n#ZC&{nfEiey+FFtRhnQ3@$0k!zqs`d`W+FK8xHx%~@iVS@AoQC6!U zZT26Ki~fEXa}3hg@b845xO?B(9~&YJ;C;D;P92;z0`b2}*C6`dz?Mt(YRf&QCZ$LT zwo?LIn$65}fG#sPt07PJ&>yUuhA#H^MN=R7@GE<*_&((5H55Bie`IEs@`mFH-U$B< zB)yKadbgA?MWtPRaSbQXt6O&+QqMcrff-1C(6E*F0kB(ql4#fiygAN?6b<`jsz|N) zy2?CA&Fu#$9ChpatR+B|vd$%kacqjk``|IV9O2!y2f>wxUxLSLA9Sb;o~QZfP$}q| z2NVsj)33z9(*%t(zV3Eylg3A|y+DjgCkUs|+0;|aB%uXZZ?4RR9gSG05m?!vuuuuE zVrFiBq#&A~qVR;G4WwDEhqiPa9h?J`4v zB|Q$5XF(>r25JRH!tqX^+&x)(=}w?KqzaP;V?o0dLztDJODs6kKSUdjz~Lg=eb|-D zwbiO@BX!c)Br`?XzN3#mpPJ3AX7bEe)O-6kbVGLwlk)~DvR~22DOZmu0)B`|w)KGo zGzpe^?X3=l+s!{Qws#VVlfY$Rn4@L;lr5*MCo_8>$M#OyOHg2Y74Y@K7XJ;L0;Csp z+|1&*0}2bU}e{a2KMkt`r5Xat{9lD$E0VL)wmWw}VMf8lrTaBb(@Hi4JZ~ zm;@BZmj&lg?(ba6qz5R>!0O=|;~i8`vM*Dje={{h4NbOt?LjIAT9x*gN_Z z_G}cZXCv5%cnKw2n*!E2C5C;42U)uwK z|4jPs`CD=SIv;{%!~ePfwj%%f0kXmW>wEWqzmXh$`S0`PP~d-EAqW2cvr2Lz^naHD z&WnGB1k3IDYkj4^76Wm=f23jmqksN-O?!CVzls7${p*i^Yf#4DfBS2jeE&mX?TzX& zvZ8KGb$f@lhdBSMu=Z$Vhyea;iT`Y0@}E7Okub5Ydil~-`egCiU?hN#`w$NK--qoYf(ajg3!dI4BGZERz~Pz zJtHq4Y*0o0;0d?)7d@BLY_RoNnO1xCjppcN zs8Wk1cV3KRz>9+p%_6kM)UsE{UpajA$qrr056)x~^PY+ohrhkj^+*I|@{YQ&t@hfn z`EgLv!Is3H3*s{;-Z;DckvA9cP~_!v&-Ywt_CNOX?eDI=xv(RYjSX@OvuEo#aX2(3 zrzyrBTHhq!Gu~JCnOgoeDSvTNv%y-hG^KRMaA;+pm7eN%);C9Y3O>_q>YdNX7^ooB z*E&zWv`?#5d3#lH+knlLN9VDf2fj39?<}JCa=3KlxgB9`2j|dzQ@*=;^yG>z!w$@Z z{)9$W9G1(I>wiq{tv;<{_=No7?N;~5vuguOY=x^lqu$+Aw6p5eD({#J+bYh#Q24Yo z_TyJ;zyJKy)9KL82DvU7b)UV};vRAO86PxwUH^^2)tQsN{&??%FQBuh-njuSKeHz5 z(I15=p1zQh_ukLY181In=umGFAJf;7Mwtqln8s|IYczNX?cF?A3c1ug1z?z!CQ zPsO?_p$gCEEr4$MLB83d1Q-$fV!3mme${gSB;(%`7F(gQL-$R*X+5D2pIB;Nf{*KJ zKH60+boFG^fBEj_C7t@N={Eh|4>zsX1KkpqCc{wAhd~nx2lZO!C~jM7@Bc!d)tU8Q z!eDRex1nH}0~>D)*jl!G6x+Gv#X-AAT|cp`^T3zOU!O*3;q&&&<51xHFP84Cf?7UV zBA@u-j_}F%w+?<~>=h6}VTq^i<~tjDfAG@K*Cs)~KS^Yz{c`8}$q!y0_Kz7@X-pB8 z#mt7d@G-H0Wq72}lJpecb<)=$PH!#39}63YEKMD}XAI}AdV8gJ^!qQi%H0cn_%$c= z(&s*DOkEY|?18ZWBN+@(@s^UUtFV0&lyu7^!9ayiE>DFYKiXAu5d<=Q?4^D6U&$jj z?$ZM>f#@Nxj;~N8q{{;dBbP|LHt2I0^2y)8n85({SOKCk5qhluE4Z8P>kHc-A>PLw zC;s%!rPn6kzI^Bjkp2Br?tFH9N&2`?_D}uc#(P@^zPtu+jD?@S1qsLZ(8fUYpkIHy zbrA&pp&9q@-TmqddAxsraR1lHhU6G|E+_X3|E4k|Ra}Xm1yjc}<#s}Ys$vVo=KS2v z3AK}_E+;nxW~}Y)FZSSg78ov3gr18fE5?lJS2u24)dW^yJR4=4cO%O9?n0Gq(V0Ei z_VWijAkWbMdv^E}>gxZmd3JCqtcpdf0>OWJI3NU{jjX8;t6-4<^*Czk@G{R@2kZtjIe-*KaN5+kH*b zw{R9n*FSIb@B97NDxP?lT_E&fpMlClEjOf1jD~VU;W5E+W5Xj-`wk4G=A@-&WTeNy z*MW%>#STC|;Z7F~R4kXO^JaK_c}9Rprn%knG2NB!36>$XB>4cvr}MgeuDl%Jea=Wr z3+5oT$L)eZIylQG<>kRu8NPJr!hX@C++9m5&b>5%M-#dA1T<&g>~taiEF*6C6SB>i<|_<;QpvL*v(HN;Rt8Ll+E z1IKc;YPZK-U_@%KC|Z3|3e+wm%?plRo!8^Z0BfE~@)9{<98tNv!F+|zot_4s9Oo{C zT%q|29hB|Db-2t4%@ReQTj&oMQ?)BCof*vkr1FWmBJK=4$!fRP!#49ym6&cF?Faa) z-1xtN6c^q%aq8Se^4rw`#nPpW?|^M zjDie>%9|EsRBE@+YfXd(G()w0VrZ#CCwe3=c%)ET=o1XU#?ocnuWGN9K}_)f1`QG2 zp$SlHw-`L3g60(1;TEE=;250hE6F5u9*^5A1hVfVRa!={3nY~d*1?@ciTKTbS{^l5 zW3yacoh!rRf|}RyM#x`34sPso5m%(naEi|t`bwelh{4H9s7tyJj{`4)%9BBqN-Ufw zc|)Zz8g6?x7)n8*cBi|JsCWd0HrPY(i`h=8uui;OA7@Ewd6^^-V5(_o#=FBqgHJv0xiyy+!FpiD101W)AlsoiPmjRbxUB+={g<}L?mf@a+O9FEWf zzTk%uDo=WNf&8`CT{4PLySy0%;g$?zhJztpUNebEL4K9i6MD>#nAakRk}#j0W*Qx>v5Ib zLn@y;6bnV9OV;jE9^5fKI2`CIeEGxiX|V*W(!|h#NSQZBsSi`Q}~uy(jNRKnRHWZradfk;3fRIdbIwaViTcG9XP zm$#rx1jwCau&D7a;Qdmic|r_yx62oDMX0pQkFR={+!9xsF;xvsDTl##8Mcsc9`ta!X&DJ$I-%d(jm7fNy1j1eb^mj4 zfhU+r$tw!*no7`buJp2=S{U10So{FW2V()f70a!KCC}*9WEzoavIei^Q;@r4gc9UX zDuE_vxI&$EaMAIN(nPs8%TB3*-W5OPJPX||LU#mDM9{WI?;v9%!ju`C}bPlXC=^>i}df3=S4byQV z^m;lmPx@6}Z_+~7-m%0aY%Ttps_MLi;1sqC34H2d?%87gB1E zODxzI37zRFcuA>tc|>Bo|0FcXB^u^vE;+y;Z`o?K z+9PFzf0Vw2&I76bNdaqi@DWPqN%wjKKj9qbevl4t_!8hERj!O+lTq!-NDo~CPf|kc;z5zG;uE{G+s3S00q=QhY#WZ)p7?_M1zR+oyz^;-hAReByf{!SW26t!- zOcIZ`U?(g@=|Cu{cBOk^e*?CX!~ch^B>KN>D`FYgR0RLM({Q;&*l2vK9`YA8Tvoe5 z6IG~mpfO{0idxnvW#tgGaDq!94axmLp`Ha6!N)*Fdm@4cHCk2yB4zDeFMtj%tEr$z z&L(lzjehGu2RDMc4l45hS_i+}u7fA_k`*&qqwn)fM(tIV1}e0^SBpi~?Li0MUI{vQ z%Aj2%&pp=&8tst%pwSX|t?G>?Jo;?AvILd<4^@0F&1X)O^_X_kfviK$jq2!s>^D$E zBk?J{iZmoO;dci84~jUxk@hz|9Ix~IT@AM?^*OQ<_u*6SYGps+q4>$*!s-@UJwQ%5Jjlq11 ztb>DQ4!UjGQDNlmd|Ac*Qwf)CF`$I+7=C=QcQhDfc8_|mP1boq_rA2RT{8C8T|cow z?&&|2?{>xgPxbrYOyMQrsedZpYlJt2CeOc>Z`q1~kLcUg@7x(WS@{+=rv0INdqD1T zpR_^9)%sp}vhm=(w&E?aZDh2p<}@4 ziZAsrnIoeDM1u-N3yV_Z>DocIJbfwLrK_?~{?})Y=OJ2dYSMU6x z2mSwDb^fb%)SY$oVb$%bQGyCX2n14+kt~jv^*i|m3*E;`_OS9Vs$8sEUb^I0ton~5 zLPnJQU%rK3zrj=fT<8?aejEBJh~E)vOI8r5tqmn8l&CEU>-wPI)8HEoS{tLFP@4wb zjsg-`g+3ldw!x~Xj#Us?t=6MR9E;i*eR8Zqk5Uw%PbeaB$J>M3kRC;~q2Jr!p1-4e zFKgB!kAi^@nzdyFLTlULE3{U=ghZOPZEK-qJ(R48frB0qZBU_DxLXW-(90D=ZE*M< z&PrA=_+jF)47dpXA-z&Qcdef2oeUq_+OJnBZNF`i2TJv)T|`w=F(v1Zp?Z}tHW9Xc z8)2w^cmdA&U-a959ja}Z9p4AkYFUjPq|(b{r6VI%NJFWS68=>1N5fwv{3+lsic)t2 z`poth^h5g#hVzF=_U(wj4X6IkA7j=3JY62n|NItCyQj?gb2wF6!~o-u+ntkxReg%9 z;AOGsm5(#b}YW7rWiKFFx`|n>ON!IIPdfVVEj>4Ogh3ex2|O*oCv? zZfJozSGnC)I0jFLwh*eSDnYHQs)BOY=RhmuKGZA8sw${5oGF|c1og~`QISw#c*ijE zU{qBhWLv-IuQEvl^C}*h_=iv)))+rh+b+BWLV03qyHNh;IR6i$|6hf&AKSeT02O7K zOjapmnN-U%3G(GD6YM?WZ?gB#73A--_n+UwJ$_dFFd6?TeM)8b#l2z_ z%8SdBVwA8BT+CaXZ^>V*l4tNmTYl2sngm>g67rMm`4=P5#fU}glWGPpP9pPRU4!@5 z{KY7VL>Kq8zzq)WY58oAwK>U3A~5yanv>wM(UOD~eYOWo+weVxq82B?H>msKF=$)O z;$1LJ#$4P3HyIO`ZzJ<<$M@tL5WH`%!_p+ZQk%a6POE|c<$nsO6$90STFG@I8+@hrQNi7ILJ>X-$fs|_x z1uR~g1TBaALK)Ebq}C+(9?ne4ANzC?o++O!*K+V;=svlAaEEvHSfRSm4Cop?mdgNQ z^F_mDJN_cLivg;(C<&?w|C*O3K^bsI5HQ<`fBapfLSWhaL!>^AG`=5cJNv4<&b`tu zQvW%8vPk{sx9Go$)Q=an?53m2f0^uly+w=}2;(L@AuIn)3kse)pm-hbOvr;LK|3*U zHivR#mfF9Q+>S~_`gY%Cb^_8*s-93iaas=IllWX_f*Ke`sQ`D99Kl-nfSfb7sHz7d zI|Ah_8=V!y#;8YEk4^2)Mg!ZgXh1$s$&+Z-i-;GPD>`RFewB4DTaTM`2^C|9^G48L zFmTCWf`5u%2U(XBCXA~IPaIi2c7#9^zha+mY(n)!UL1re^DC~xYj;%9IY@iWnckLGRw7C7F;EZ`HFX!2!$F(SqgCHN3t3Mzg4 zA0E%S$d^Er4t*DJZq4fAr?7#tf&;5AjEi*8?-O!!?6vxY-qmA=7uku+q?yV<{R7)k z3b7s9*)U#p2#K?l)_3*J1Yl^+JpidI9}!$muM%!Y3_wnzRfuwqR6w#&7@7v)Q?7Ep zrzDE47SvecF0tGS2nvAXZ zc$E*;?jt?K!%Q^JqMid>eD(rFJd|~Ycs0K_6$hpHBDp2STe*{|U5RPLQHtRwQU=cB z-IzO0}Or=9Fv6HdT*o$c*j;LCZQKwT4 zAJ=#$JeeLz(rO(OV>n9kOn!Gfgho2bmOBYE*QYQ>vYYKgwKPXTYc&-j05szeGY8dD ztASW@!(e>V_^DPWvuukqG&1!hX)?^!I96x~&fkd$xXCTC)e{rOhQq^+b96*Em2-ph zYqg*)>W-J=%+h(-kXk+TD&ckNQLc|?3iaM=gbU_+7dEP9a{VVnDoaCD3SKM(t!wxR zIEK9AWD&?H6L4ln7Teh>a*1>|6366)P;O_Gy$)lo^Igo`y_IIUt+t2!&tc-i(JH)w z=tkDu3=>{7%={(|e9CoKrV(uJrg)jZFPs3J$sH*5uRP)BctGJYOkooz%7fNcq$4L zC%AYbKum{i(C3-)$Ql4ZzXOjBzlNjvepNpr(_nf|8De_?YqLF_aI;?$v~@srHL;M` z>s##j82Z6{m?kLpVZw$>N!YBBCy4&RWCWR}M+Z zbERXK+Ir*uPq~-zjqiTiJeYWviEjL;`8w=sQ*f?xjGA!!cOrr%%77}a2U%k2rr!{c zrb;6;M6%<)8g{%Bk<)Zlz2RBoIvv?TniRp+UwR8e)+aO;q{Z-w8u)^ZpQwG?^D-1N z({BDC-ioSEMFyi;>&)tPjY+wmVoiaBPOXBpR26FZ6r7wIi4D#BaNYH+trKx_aX&KA zx>Gz&SSx_N4^bnJ}mX5ME>tQWDdNs&!if+p-h{&y18i1P>$*W^RYL zccBh_mA4Apn#rOcf&UJl=MDTE?lPGmWP#Yw$JLy^yd2?_QN0oKB<>d;EbL@iabqMo zhK*lP3{P!=6;2A_FoElGeb!;(W(_;sTge*O#d-Zuo&t~UjspAhT2Od&LohEjk}P!I zR%flCFH%A#7wuTD-MtSs;6GJsaN4>8;RG5(w?%CoZ8v9i#a3!5PI0VYi8!c;y_d?_ z@ZIT}6%`~|1}Qm=;kix&GF;TzKOwBPw>lWgb!=zfW99`qqDy^<*eP@Z2BQK2g$I!n zO!sx%3e2!>{1nk2kLFyEpE)yxSbb298W@$(NIyNt-r>(hU7b7pFKmSOE=AmYj|nuTU=~~a`(erPCf(N8Ak#yQH*ah zW{M4X3bDPh2a|@4{sjn#ggO5dM0Dg{BKoFYKhzVbXsk~fx`Lq}Yl!9EV*GsdC)T;^ zI^kUQE>2)lO$#{7X(M0HEhN@7q!ab@w_M{TCI@E4Fd!J@`;v=UFPh4|j)#eDh?^!H zWk&GghDd%0`xx%cyKp{^0`6OM(&S*cjl|O%(uKphOV}dLmM`EIVUqnaP9bB7sl~D8 z2O8H~6&kJpcO<*xVCo=%z6zb`eJ17}#7t!NR;rvwO=dOGfPFN8h~8ou_9Mn%dy!-e zhR@Xe@!AolN|NbhoXMF;l3}TCsSA$RnY3o&I+n>=k?rZ;p{`++o|9AYU_5$rge zs10bRi-|esz9k#UL3D96*aTB(73mzHExUklE>ncFA>&Ay8xfrt5AJTgKsMr)WIFmR z^>`r0F@wteN;r#Sv+lF86{q>wq6xJ>nw(lVK&xqi3M zgs1aPyq>8b;)mulEqoX37h;Kpwcre9a?n&*hdw~%r;*hJE`#CD6_nu=BMw*bb0HI+ zvsFvv^Ea)oyuC{N5Fd0NL_|EFjzhXI>^dx6Vz`xTbS`aIurYyb;s9$X?#UVoAb4P? z*9M#`bkJB+bjaj^oU zVaQi$$@3sQ*7Sjq-q*p|U1gXVWpwC?87PIhZaK?R7NJ;9h%D}`z_})Sl2>XECf)(K!;`^F>dwJ$cWFL6_ zcY1-AH$#j(yN;-`-hihKL{H+mC{2=*>|30t7X*EHW+YPZZkh)*$zI2s&5!h^fH|j9JD}=p&L3mjR-%i zcYY)foYh30VxuZD9K)kwAJ(z)1@1R8i+P9a1{4Sx4dW;&RK^I-v}obvCQ8Lk-(+<2=o>0pv_EA`V;DC9{oq zCpnyrrdHySI2)xvdeCu*I^o|3PjRB0$RP^&I}q0O#upe1yIL?33;F(pma8ewCu2=JNOA}pJ@f<{Q*CvnupID|$DcdLD}=}^PlTN$$9|4urAde~7%!4UH#{wr zg`jajWK5XF?wBxe`>wCTtBF`{54##F!=^DKA+-)0&-EiRYRvQ;ZI+s-ter?uJTGX9 z4`GTu#TRmCh=;^J$W_Ya5lM1Vm?fr8O!Xb-B?V`&l%bzALg*y!T#Im7Yash5ly zq|r_jn*vW0iR9YNUt^YjLWky+s5+5PnoimR7c8IK@=r5yhgw;R+)8;(k6RC|HIC4} z_Z^k(->Ah4P@vXooRmmT4Roa#sw;0G8+eBJ((b0bM{m^cpdjU;UElZ$IiBi|RN?kwvXZpnG;lIvhUm^bN8b0_FtHNkuauS?c?t?IP&sG2 zazR}7M(5tf!vj}SJIWvQ;Vf%UmSLj6sN-2Y7kTG|CH!wN%c^se`R6oinx7ogFRO znl7LU)OI)I>4=wWiVT~y>_$$IpFD1<>G2-KT zc9vuUMX~W`&RJOrStR(5z{CpNmV3z*Vzph#u3%53zA1f*f&tL4k^OUV3WNgTML2as zdDa3Po4E<`=Ik~UNJLX>L_@azW^(>4mNAY>3rIw?B{iO`0Tasgd3+A*BH;PYKh5>Q z8r*a=o=hd8ZID6w;Y<_aD+m)`0d4J``3PcTrYAwGrr-x;3uy{ofC-I<@V&?w08fY? zVzxK&%G97SMSV*H&!F?foXl^qa7frz%yX0RLl8fKMi}jEK^G;P$4@HgiC}L-O2sF6 zb8rXZ*4dM(`@AGf!F`ER%I0-JZb!>34en!YCLhXs*qo`y+*8CrQo_f{DA&+T39(NJ zaRe9uau4H&2m-Qwr4S*NGt#tLeI={mocVdr);Ppyx9iC@yYj2=bKh9K;adPFyu;Pz-GxP2Rjc>gzG57uuAM+k2|PJfT^+_TfrpKoVmGH*hESL{*fk)=(uYQBv^kN@ zJxScN#jEi&1CwzxeB}uJo7v&vhMvgGN3@$F24w%lQ&TA+RF+Xe;SsP#ZFsNYEDwn# znH6FhG6b~3TL3tLhkI%y`rX#3CDKh@wS?2M_y42n?cl#~Z5~#6;MeR74U%3_;gKKbq(_g`V|HK-l12 zfap+VKGv%5>dB&lr7?<*4iC=5^Qvpfw-69XlbyTjPZ2-fPeKJFqVxya3uh^B5}!IL z4!UXD5UUO`ozQl2!uMQz)8;4ayRdBW#1$l?TS+vNPgRSNuvG);SmNk{m&wW9^JS2# zkvMe$5_71jU@jQXMD}-`^*)XBwD^xKubjwV^X4E3xu-e)Qd}UeAehBNASH$ zauo1mi%@CTY_mV*(CViSzhy`P#iHP(@H8&* z3Q+;miA0}L;6!yN!LxDQlR z{U;kQC05@i)cKtETDQ8t)YoADsK@~kgKJ6Bwi+~FIOlEuhU%o0t7Wca)Odu+zO6m1 zuhHj2D~L_aMs&LO9P*7t77tqot$ae@4SU`;yU7OsNBB+2i<^ zAqKHJb}zE+wqj%Wd9m2KN7Cb<#04kw4WwRV_EcV9TU&J6v{s92tk2=aB#R!ftkqHv zgoQ06T!k*nBsi@(3!NI?Og6#Eya~W9_&Icz@C_w)RUga3`DPNRQi2$F;|z(K}`m_cg718D(EmhbZg zk(?~vEbt&&TGV3o;?;qhfd@RF8t`4~{~~)aGkwOPEK^xragj=^@E0-wu&`IQy$C?P z<@0z&M^==MMc8b-7)Ni=;Wz`&5BI>$a5QP+L<3k)OV7w7#9rn(JZKCp19|WsqdMHu zo`{#R1hFryN8c_?o>q{sPcJr`+cK+ik@rYjilr zz+C5CJ962M)-GY3liD2LYv}^CwWD5nQEALKkj@+Qrx4+LH7#wNW7a1~)|`>T2O8Pr zz6jMKNU))>z#+U|+$S1?&*ME%Rs2UZ$WMt0_JfjFdK!OCk5H%hG<>oAG)=B}E(WJq zpY_jyvN4BFD|yQltB+N4OgnoEa46jiFg%nqNdS60orBNvg7h~p$baz$Bc)=t^oM0% zJaNd6ixLMGNe@Ek*%mBGL5OISgHYBuFr3kLPH_S+@axIYw>6j->#@%JFl=GM;W#=< zt|jkHu0UitKNf!cI6O1!sPq#V&E>hSK5G0_W8dToBjy*dwUUicWhPDsDre-8TT1keeV^GtJ><=;06cYUt0g; zQflBXF0p?UyqCKjXVz={7wvb-x8Zzi_l9&=3c{m=m6U5s<{D&U2?LX8vIM#_I@#LY zRRsghDi4ysRaRlIY_JW|;SOvjo6&UhU&FJEQomSr+pPyo4{A!jv|=gY$_p@QXjkk~ zg0N2O%R{ECI?klQ!)GjTV+*cOJsMW(EC{`#Oo^?Y)_ehvrq{fJUYJ=1nFg%MRLM(E zlM(Lwq$H`Y@*P`3L{T+fGh@H|Db|}Dv$pzau?K}_(6&N7OuEoyNB>dyn(eGUJj?NC zLI+ZO5w~LjWv2YMQ)xcuOfwxxCXY&0B%)-RU(%B_atR=SA+S{%+*+O&exML7QY(@} zp)`~!S}kE2O%wJ69L4c?oNGD4`#i91?=P$=z`5;ava#@`5^`Ux`nLL)roK=3Fs`od z2!0qIZ+_Gz8yc3MSr|$p8J@E4G^=X}nbaJIdrOjeMFPwm0;Q55)k5Belmw0L9Pu5} zLf-KV06dPiH0`7{UESn^LahdW2rSVWz~$s1{LW>v%V$D`(5}8*d*}R%ax)#>ip~!X zrQ*v*usStIY^G^hf!9N4^MeQ?{&EP{iH(2j1^0N<^KRlbPNBiF$-5C$?xW~#Fkx#w zoIem_BRzqW-EqoPoJ`;HzJefv^Dyqu&y$S!KFb67e(ZTFrt`Y(GLA*!O6maOd9fh90~fR;&eVxIBOK9?0a4E)_w#sQ)@W=2`1t!l z{3x)Ok=ppw@&`m-dQf>pY60X?j}v3n?@UQrTZUHE#&Bce?Z@Rbmp%rzr|a)2qu^a@ zs;Ny=0XZkfg^Fa9cS9x*o}|0=hV9VdGKBf=h}5rk_WXAWkGJW7VG=^R?uV<0k|DonDv4 z>TxoUZNjt6H9i3wg+5v+@Y$c{Of3M)xvBw?bv%D-7nBM8*f?__ndL)SoW;%6l6kJz zdKe#NIuNYxDtIi()3-<7(1xjJj(Z=9vBY!5GP2GMF1xy)=5ezIN##JE$SDMQQG<2jRlhZiEK0-Rz*)-IQbYF0v( z>NXH(;1#;DmIzN#>1%O-t-m&qjB~;U$x>>BmRyb0_Sk~BmWy` zid}uE)asoCq@U_|d<`tY@L4p;S&Y}1nNVFE`5xT zbROfn8T|LQHK{xje=dh}!223%?SMgMAIM)!o)2rc*;xs>n#JIMA_|iAzHz8#BXW&F zt}kISL5Q?4E6G(6114$g71K~19ct{stkYcHXtFQOg!cH7G*$tp<|fnhbjMpB0Z6<5>;2 z>PzsOw4Eq8DQGv&6y#)(lc+rr4w5>d+KA^H&q!d;CJLeMK06Yp;x&L;meB~!ahu@y zZaj$30_L?BuQG}nyoDuzcmLOrye2_k3l6V}Ib46*3{WX@!3r)#t>MOX!IAo0za0 zus}1}<%TLCX9X|Z87=bMOhYu(O;uA9NG2y!T&V&gXBTgV2B=0H&f;c`AU1SQZGvJ} zmuSOY`xhkH@-Vmg3{A09JVpFOG&qK9XhL~UTuKM?#p9PDavz@3obJ5Azr)djx|^s0 zP-BkHas7oHqvB|@GhiD8O6}EazD@QuiM9Ajz4~N}~3^134?d#2@ zG}tUA1ZzUiiH7hjkARw&x)PA}CG(-VO;e5UYifIh9tUdinMtxjbI@<5vpTxym^-V| zod@w$>Qk)|$lmcjANSn`b&p!(<-{S26m!eH6my>1<#%nwt&dre^p za=%P7yk4~VFQjp7No$&?ZsI6w;TxLSC@oNSxbm*kt*^<^pMMLbCXqtn-9JvTfH zc0#XbQ4i8+osV~lZySr`<~Oj5U(ppueuCDoyj2gq^=Z%nD%o7y z_v#n0YdXM}r|x%8UnCa+S|AE}H?67cv~oiBg9FA|tP@|uyF2 zI>!8Evbxj7Z)yF+-kl8w6_EpRAI>vdt=I44x$8@LF66V_?`j%o**1_mOiZbp4UCOU z%dMWmrk;+qWliq_W5{pXWrSLGyp?2IOTe)fHFF`XjC)4a|-WV-o4 zLVj2$+^I92S|H18ZVQIkB-iLzGMC;JOdQvwrzh1^Oag(K;z9Bp?(fK5e5D~Ylg*)3 zp`XYp+7EnwN?~sI2hKe6`SrKxUPVv0$v4T=Z8o+NI+}WFkKK4w^fyh9z zUG5mj5g8Hqm3u)G9VM$DA=4<0k|}fy?8j7w(CqiFRKoYb$hlP77E+mOA97hD01!owCCb)0IvTJBB zGLzxl8Lj!*WPIUF9^g40BRtRrKOpu|UnwPPV$}~!F zFahKr#6Li7^P=lQtgR^taNoQyqQ9oP7=@OS32;8cMDS zou7)PdK<%zBSYARrbRS|tbq_Pu9IUmkZ6pn3+8q+JxQ6{@{R`E$v(0jdJv}Zh)BFTqP#ukM5?tZ`nVG_rV}%wJR5$=`LGMoR$~vehUl=DaHFBvOJa$IHTO> z^&x(w<7 z4~8dJ7Wwb@?{FO|q2Tkw^inndYWbJG^@vyK5cLNc2Vl6n-#Z8yJzC?-%|iFg@?76B zFy|!4oRE=1TzO;od%a;)evnTi!<)yriV=63iaq(=qzG|{ zr<8S2X6TeXU`aH}juQ$m17QsXY~`%_DYY|R`OL9Y*Y1u@E8!Z}sn@%aUZ`i|H?EfM z_;bywan4T({Q$!RE$T--*PZ#qjN92As#5vC;@)I5i-fHpoOM~ zqZsBl!O_Aw>R6zy-XE9^2W<-SeU9X8GK_7bFm=TB(l(g3#^a=ImEMb(E@vh5e58__ zXXFc6&x)}zu5r*3W{A1&Y|Ezf+*Ih)C=`7l+bZhORoYIe)u@_5(FteP8 zQ)AVKOjmT5$3-N|6FMk^@STt|xE#83}&50ccffL2Fu`sO0MrV8FX>wZ;i#l|Y2bId>y z=fldA_+6ooP6_k8qf*ZsNDkO-;@waLmaf1ssoNA98#t*pVs3nb`d~uo5CoL9p`=I- zl=g{+vXVhYkB%i<_Ic^67drWyq%WPJwDE~nn{Pj+nW2o%U*(7Bcwzcl+S9tQ z8udeDbB^{KZFZy5DRKTX(?n)&lE`3@GubIG1z&O)DW*KT=W;m2J_BU9ev=u$eJ)>oxll=N#Vh+URlE?4tdl(jVvE+3<4AUyI z0Jd-JB5$2p0S6lSgWI@78F}fo>WRh&((-!aArP<(25s--xdEfUFBxH77&~`5_^gRm z=VE?YYnIr_i^t0G3%p40$J4`4LEJN`560oq`8~R^G{KivusxNTy}J;ehgaEu<(u%7 zSoLL-lM3G_S{CVq+gj|hnIzaClZ?INgbPe*AX1Ubm<8M@r8nCw+8y7=iTT_&l1b48 z2ra-yaWly#0QPWty_m+GiX*9kThxygGJqbz+o?o)M)$rkwMaOxQLiJa26_S2fgON} zp*#yO=3JCIm00gU8eUtzk=`Q@#=m+7BT^@>mNN*jf?HKxZu{Tn>QubKdaYy*n#t`5 z8AtZD*tAq}y#<^ho%}Np+b8=nqL=R|(4R*^_Y{nYwZ+(~b_fn;iqkk5aE(VYuHyy9 z6}UAt_~~Fe8vyw5o3e$?gH?(bz)iUr9?P;SNV&+a>!Ih!5b8BB24dyT+>SoPY0ne_ zdQOl^?Le+{R~2U?Whwi+Wvp_OI!^Xr>EM)XKV|(^T+2Q%eYIPufzWPdwjG#@SIWbj z&oHAY&XiX|*5X>%juK#H@-p}10Lxa2{+FEhkTFbm zRpuF;%1mT5uM55;ak$vB7QhWrPYYlJ7zoP(c&jU$f7n(9b<{75__MHBnco(1i-(Ds zZNajCg(y2^%RUO68of}dbucbaBgaGEho`dh>ZM{OF}R<9j0G!y#9y^O&f4XEOu!Q) z4>v2R_7^#${vPbK6J;>TR_nT9s4?4LCudFH4{Q8Pw&ib&G2NI0n?+B&EPSu+u7*^& zLMVS7vd{IvO`C0v!;{EkQ8>thel^!UCj+NA6Gpf5TrvQqIM-(gt{}n`*;ScG00KaIe^aLJ5=Ydaql~7NWQtI*c zLdPt=X{aEGvSyG*?=WOqMe|C!oUxex%xm8Wfa*_{h zl=Riz%pdWA@siwhf={89qW-GIu|ZE~Y}*s9dZX=*(GwkO7Huo1MR3h`z$c5K2P%RN ztJulK>LM9p2w$_?fK2sBbT;@d36cT)Pk0^82Jm|sDzzOf+sp9uSoL*ves>tiaAP;W z&Cc+8!J#?X8zwrJ@lx4b)GJEhg6Dog?&|~U`dn8qCNzzENUPY%XnG?!jAm*2$0Ffd zhN^ZAnY6O#;euYVPy1qPsnu6F5?zn=PDk4qSEj+wjo%14mdWyyu$`Sl(x-G4RTT3P zA_>-aaEoYgJ_OsH^rqNLI!6uoMD>{p01Kao9n<$R#^v}g0j2Rr;6Urj-kb(A9xelF zI6R_rJofr!7z?=@&1wpLhfIeNp}wLEnR@GIq$9D8rWYPTc>2}hU{h1DJ;qgo%u{=V zdvNgqBu%MW4V+C*Dxj{celWjzD6h)xloQHs zbl<8N@p-vM9!YaRiN%e{3JF~^y1LUE;b*;=D1O)Z9Ucq$rSItP%;bE0^)8%aU!NkRNPQY?FV0qOn^(S@cQ%8Sqo95E-TiGzCJ<|8!U0}?zRHr9M1$rL@CN$E46Z#6OZoLZyj`HA30xp*$uE&I}U29kNJ+ zh`r@Fqm!2KUrDQgbaV|OACAl-rQR9fwnzTU`vcEHx`=@+Ay&svI#3+?X&=k)I9Jgn09i&n{(&ys=R)v`$Z zir2G7FonXZ8xx4-1BBAU1bRHe@Ff`Zl98tNMBx8DPO}}~#SvduN7i7ul{YxW;#x#P z+cC(B8xvk`M*I1kkTz)K+-;ye;`$8Xm z^;0QHUi!}@aavOoq@5)Q?nKy-#Rl~NqJ88k;uUI>C)aK>{>;fPI^;+T(~GqbL8UyG zwa$`axY~%`%es%75Z~~lFeO150sck{5&e|=H6bs89g+l0V9&UI;tc3y$rU!znDq!b zL^i`8cM--<&r54bfou|H_j8TJuz`iU2~)L-PVU6l-825>c?bRwbIiRmXN*GTi+Nz@ zysqE?ay=dA>OUH2HXC3q;`LcTj=5}?iC@!n>)MJ<@k{&m(1%RZA)WR)51rMdwa5^&;|fKrvf|CLotz*zwjLV zkogmi?!jj+KgfN}2ehJ)Wodm7u%=$E*Lleqk)GCbG2&NoxNnQ(&5PH9jaAlqEEu0a;C&l%EWwU6%)V=zyn7 z$?(R_Yly{RS+8v>t*>*yn{b%@XO zdt7ZU(j3Thr4XDb6x0@#-FjT&xV|RFwY*$EkY&R0khX37`HiAJI1*Gm(K@v_dNeN= z<9(A+@Xw}RxVrG}bmnrVb!6fDtY+-C^V=@wmmzXMHE5Zo;Sp+4<~prSJ#m@kN-x%* zv#%;V?Z*$84;DF=Ye^z{!@N*qD-tU+?SF=HN>h>WtFBrvr4@r4(*k93O{LpFK|RH)0QjV39%=0 z#Pq;nPaMS!{IR@cxFygf$g_*OfO1kho(aygjuY(67p`p__Ba>Fy}{<+Ng3>&q(66y z@w_u*TOC%|1~`-0*t|!9ct$6YKgclgd)L)yXcw6X`99#XcKdO>nJ8X2vIorPt=t3J zN&PKv>$oXQPO{vI^Y)0b{-y4ZseGP{Fui7kQrtw`igR3%&tmK+# z*ZoH(!{1;$NLvSc=f*&^7ans}i%0li8}jn?@&NK}`3C%;ER*K|^T+^B@>mhhzyA{-z^2!BaE@V-|c!98C_YqmkI3zmAVlg%`wh@dc?TaPXcpz6iEOFd?@5q@uC6 z|GKqFd93YkAOwBpF`&Sh&UC&fs{w`{S4n-pAyQ0!FHbX`)mbZO2L!y*REwF1P9arj znNQ}c?;tj~Wrw`Ww7xOYoj0miVnm272f&9c!nrV~%P?L_P;Qera~;k5RT+lvs{NQ{ zfGN}ktP`98JP_p#II_teFN}^}NrIv389~mrjMhN-vgeIh+Bb4e+^<-rMAfdry-dHw zxggZ;VWwF3K<<iE~vJ2ES`Js(X+reTfj`YJc?@94JYd5)Ai~t64 zk#rso{m*42By4<;!@KwuQ7i-iC*sH&BroTyNI~#xdenAtg6}`bSuZ{@0|I)lkQEng zIB+@tqjrC-{HnW>%yjz+$9_aZ9m$VJzOzkP9sK-Adw7~8N7^N>ZIq-J&Kf0sTMp!H z?{?s^>gsN6Ah$HTa7Z0in@8cjllzV2e+pm0AK`u0vE(`WTk|PAOf5lVulfLDC!Gai zDLF{Wc-Q4|xHeW@@~4X(GyVQr>#L?WwT@fbaElxdb+A|FJ*fKgq|FXK-IzU5U60f7tr2B$F0CrDYPJ{3D#{e~+C%+7o38j-L z^g&vU8{DhJ@AG>h`w+CoHDC+(b5Bcz1^bD5>nlLj#;ZMm1Kh6>`;t02t>o3NE9#%X z!$iIJz8MJM4JCgQ9_s7TUQkEv;W;Nj+4dTqgFsX+aIHCjCF6$CR;#H<3*Zz#Nw}|F zPG-5jZ!n%~ZN{V3b&xfv{9xp$rH0}#eOq`x7o?Td2&dvAQ{8@Ofuq;|0rSdu^JuL# znQPZ@f9q`-oVlmN*jvMMwqB{`0}edgn-%ltd~Bv4SpG{3ry;b5ZS~wppi89$I0c^o z!p;r+l9UkUVMX}|h>x|5#RKijjkR&+f??aHV_>_R+kM<%&7BEZ2B2jnn|f#@zVId@ zyZBs>3jrKfv<;tyfq!i_;0%^Bjk;YESSlUD4>vuf+y~+TH$T}bSDBHu7jMpw!PsX-Dc9_e1r&Te6~DVv94t);fQ-4uNhfon(ur zj6?u-R&Hn|&GLGCG*y8cBS6hsS#fa^@rNF64#j5>y-(i z#c&KAFCzUq26AKwx~AUZ93LeJ&-1vUX|!urH(tQ?)xgjvrEsp}l`U~<5n|^=L*xdRJuxqgub%7>`rYr|c{ z+UAKh;xU0GlhW7%7YO%m8W%9!j~l7+3^rh+D~P<{6SCAX)DSpnSu32`3>)!58*eZT z(|~fh56`vzDzf$;LY-imcd8qni-r|d3%&%`KFkY&7ww}#(mu}*w`F)5q=h=2xPinK z{BV$s2OiAe!s8S_(_~cc<7>$%YfTjH+=lt^EHSgjkKEh%aqI!^i8yt0H{%WO9lK_o%5BhaKRN34jJJNNL~y)RTabq){e3kN z_b1C`&kPBoUCvNfKezeUAn2i*dw|4hyr?%0WVVHj=34G$)s3P)yv#O* zh9821aYWG$prKvdr&z30jT0%m*Aqp3pqyYW9D3XIC+}EIADf4`0VymH>M0MUA;%s7 z%awPtD)E^hUl#sc3B1l}8DA8cNifxq~YE>@NHW^fhSz=M|Mz5J`8QK)s*CeT!Q z4D-o?iE3n_U>K@RmV4s$!T^oUoD#m@Y)NLWC~{U)mX1r5u>q55VH)e;4rs_$^^}H& zxJ%FS)7g1muarr9t&1eR>kz7bR?M+4hHL)9G4}r-76N=C8K54X1CLtA>+6Um(1*W5 zBKF>}CdQ&T&-udqKd>^*xK-ypkJ(Y#NS=ieb}kLWLLhqp55~Ri4;hisRH0Qzb+cR_ z?@8=NMv`yj#rQD2A&YEkk&&A+1m94nBWf`(TfjZ3Ga03}Su7szNFIT3SJ0SxddPM% zJ+QY;Xg23z_WC;1 zVJ~-%0itqWCK^s`fl9=YrZsPQfjb}P7)OEqvJ#G#y;><=8V3O?(m0xQVV!uX5hfmWN&4bgZ$)SBNHptG^hbqzz{ zj%gEA-e|Xxw1E3BNpL1 z`PxZj=A_v0Y1b_H+gb_CRv7rDv;#S7w0C?ru}eu62Vv&_yyE8=<)^@g(w`=iV`3rU z|XWS>_Iw6@H`zR*v$4VHp#eepWvSg#jTm1^6< zI9v>S`BeV7Ldc9xw$J5^X?Q5$LJvp>=!F6c61RxS@>5lVKu1perl-=yq4x1PZ;KLy z)=fgLhhyCDi=IG|swVOEU9IikLSE@75->{mg1{>wZ_aG*(Q?5g+}$r=2ow4V-O`?a>V{-OSs_v4DTnG)iz-(sx8&$y=F#q6RomLg1{);Pce zD#APAt&eU8$YZwcXdE107DW1!ikuAoZE9E75P1aIq^|<#K;lVP4ykcC@ zsG4*vk=sT2{+7uy*j>_f)(t?_wQz5Y`t&PSYH{*iPOy&{NKDVfd*aPw1$@?azlAz0^GHTzWxxX9(Nj{q zv5|_Y!mApQQ(V>rH48|t3;Fq;#WBS01@izWiJ&@fWemPJsW00u3)pKldun31hYhl= zX%JjbJfPMm_qM)ddo6*iG=G)AmcuVz4~^!0kr_8>;2*Q#5e92iGAgi=%<`sTR^nLd z3~g^3IKKiYU?3y?o=zv8`s?^O;?1qvD@C8~;3&QNEt+PG8A!%Z;nLHs4eWhR)Cg;g zIDuub8>*+r?H=9|CPucs2Ma!O7@p;{@U+(P3?)l|ZXutSCeysGdx1ddz(2YkdCPG} zOMeqot?RR7UT8~$2vI>j zp~F7{vVg;40zNB0LzASVxLutCBjD&)AEn7IbJRRQIbi*o`;10f(G16f31R!L&v9$u z3ux!qQP-i^@Q0x787{`#c~S5EEtX9K?0M>?iL3}9&5>}bjsWPg5Ndk3dTgA_jLq}= zf>h&sVpXk}1$=9~#If?ZuXU$u(btZ&#Z<6Zwf6Joe%erX$ddvM z+K0eDB^zv)t!zwPZIr)Dd_2Qd!cmRnW8VS!?A&bgx0Kvz92_;(!Imn}z0-4CKP|A; z$L}ZiIW{Gdw(#$8!tJm}oqGtMk%f?$#8m_HiVQ!N#WIl5vD@{Z$m8$x@<&ACMqzk__9QhyhXLtMnSn zR`%lvxZ$!8EWwq4?#dCIM#dJd>5F^evCuBmWMqXcnH(8sel{;J8}v)6v0#VL@Qbj_ z5P7!ZV-2@Ez4?c(6`?jdhW0Z(k`Ua31Kgttjw%X6tPCu9J9B2UvzK>iZ>S#Q$T4CF#jE zN&kPQP@csI;My7dRyqS#9z5V<{l5=rP4Ij47yAL$D?Vy#mC4KQQYxcdNVc{0){_)tVBn3=Ivl)YL0%xlE4Wb=RhkM}0c>}zs^iHps8l7^%92g{k zFt6g56D6>NwP3$J0|=L^oTX?UxYl_BcmDAW3ml>oP<~#v{X`Zc{VU_aZp(kADCj)P z=F=~;-t};Zj^R_Heqa1J7*mWB8JZWCV~2(8m5^SQ2Fr;p_jDl*7)n@0(3~y6*TP@Z zZ*d~s86B1t0VUV1PDWB5Z&X5{6E6ulQD*45Sl zz@1g{DzhWC{IYew$XWd$G*pA5L<=buxt3&pGU=cPwz>Ejj@%J`<27d1|`N!})(u?K-jvy_74eEHl50Nsmgzp6kWT~C+Sp#uT zGc;-gy89*@-FPRE(HQ7@>tBC5e?MK+kgYj4#FZDiQ?KWd8L??mPxK~`c%s~sf0Gyf zHCfwrhF@Bw7nhPeW!@zrBwDk;0`nJavu6SEWI7rqG|`j8u*yU8Xnw@sCp8u^tXRgX0^Hq%44KZvOo6oa&zej#Q#D)MGCCJ)jWuwWu}Pv{|7A zCc74#xZ2ZWXU-~C5#IpjUbr6$Ul<2cY1<=Ou}|#zZtdH-ebjPFtBV>scG#lsM#4mW z>&NsR488ps;EX5z>u#0| zwqt=*^#Wq)ppgM-)e}%o>!nKT0cDMJl3GwTZE#D}SPEh9$>Jfhn3T~+t!G>Bp?W;t zeNIjk2lL<3qaB|>p?LVZLHX*)RjgxADIepC@B-$E-VR&Hx~`kS6XYNr$#&sU)d#GP z{^M9y@DQSXy`ur7rfGDr{DnMU{6u=d|C!&!ul3HxaIG)1$@zV;HJxk&->NEU%;lf> zM5Q;$lp^vzr36eKm{?1`2J5ZD8Tp8{<&>3o;k=6TNSYW5qSC#;36HT|zcIaU35k-B za4ok$Pv_X*YhMz3BBnXr3R|2^a=SHr6wa72A|IuO~63xcgwug*l? z4z%bS#NP1sN75cTr8Zqk#GUnxzy)|FO4Hu!m`8=$1e1-LBn{)Zl^RP4HC1vf8N8Wv zMdeV&(GplocFP^cro!=74q>TaLc}pA9FOz-OdzI(iJYyBFOT#P{$?q}DAVjq(9deJ(Z4(6wC)e$zE# zQqk=qa=amAnZ^sdbRcaYHf7V*_sxmPq6_qJIW$&{FRBi{if5Bz|4`Y`mg7l4EdrGF zxU1SK=xCdSRsA!5bjNC)s_4k*Oa39d{n&EwwZxND)Di~Wt zubRRmGg!NU-pzGeOFy$75>1wopob?ZIj<=SNY*_(ZIe|g84RxWy7IwvA;sfG)PdIq zKBjY+IC(DO^Q9~JIL!rS1TBL8$l}rApT+(qr@T%itt*@b2uo=-lJC;INq@U{Vv`$K zsbUIW0RhD{Mf8HL-CP_GuA8c(*3H*<=3^6xnPwfUB!TnWVHkHWVkyy+bSikCu0h}?`W?Tz#6~~3fA1P42 zT^O{g?eB39SU_3muxYUkqz_WD@KPc`OwxVwJK&jU5U+w`_7o@rG{Q}0ZcB$E5xXi< zm3NIV=~XlQ?>`u!{~eG$1{ONX#iHlU*L9(rw#s;@qGenH;Dv!s1;Acu=^mYoEsWNr z_1>REI4H>|JCYwIgM=3o$wbxC4fm%HqJfUiWO}A<2DsYk>C?OnLK!*m8+dFz&O4io z%`s$vx*pMmdofvTy~7Wp{R6;%r7ft8tF#s_O9GFFd$7IW1?Jm~Ai|#RjD$&X;UGc- zC@*iYw>zeaxwoEt2vyu3Q?Z`)Hh&~B=x>Mvs)O5%*E^#)MbI);&kFw~pwW?0`fE52 zwzNs`m~5>ttmy$JKHL^X@dNGJZ$fkZZI;nVw8Y#^j$E<80ANZ&djn4FI?i2^xDOJj z5vT3y-ZamzU{zMcQB5`6DoO@)43h1;&WYB@_~tt#ujSya2=_=_WQTPKZfIMJ8o;tn zPi7q}z;2-EKvR>2C&8=%EVRil6GoN8+YZHIT0~aIF1$+!wCw4_GYQy92{70z? zdDdqkI_Ox7cP(y|=riWO;-Ogxb~g^=&+Ii`?n$jq14&XGZI#w#_)&c9$Pa9oFAE7B zRCyBO)~_4?M}bK9CBzXE@TMTSq#q1_7J^g_vUa6$${g{yP_57+V7L7TY|0L3Oq1iv zt-`PI!Tli8_%2>bz!3ny?oNilw#s-JdO2w+oj}WIvgOUVP_k&S?*rPbS?3gX?6Tn20v;XO-f$KHPywNqO8}4Px*UIVOvlx}&Y=u1ObO4v+Wh72+ zq14%3a+-r{eFB?$4dpa?^d<2&KCjU-bRvPHVEr$g4b8`#G=o$DeS)GbJ0( zQ7((yR!sY-FJ=IL@+{=9fN#2<#PE8y-$Rc()>-^lja%Ys`XYcyzEOv3 z@?8iVXhLlt19VB+VcZ>fpY+WSq0+v{sslBE*V;fggSX8C=HndxQhAh*mmh?Vxj(v8 z_ls$%YTsD5u_0Di%Hu?Ce0<$A?2WB`64*if>GIrF;{Q@Snb=*Yr=9Po+cG>ulFauSaq7`!@l8zwm3V}m-L9p(9qO_ zQ{%zFL*{mU1ZG}?B_T>Z1-0~$EgaG9oAE_2YnP6cb(E8QXk?eX?gmX|oZBpnY7dN;T8ti60=n6v6sW%^;g$SI zIP5X-!$yAE8)w))<4LMz122?oCB6OEOG9bSg%UE$H7Sl3=5<)FMvbPYT=GW?!87>E zY&r^T)kng9x&ko4afm(V>=_vzU6TFmyTV5+KZI!@@mWXyKkU70SQFRxHoSMpKqh2D zCNO~sBr<_S63Ji&5=;anXwaabK>72e6Q=_;>uw%$GvCPUVE*3-8Yek`6CBT)R0rP zgz)?@9_9+GI^zgMcZYzPr5>fTAe9a;#G3%(m}-JDhtK_5Jnq|2Uw~JktLph0`S;|C zY~^x^YJ)^wM>WH!v!vtzs2C5XHsS7MNY#B)b*$+a%=4+bX=AjxTak^$0&ei_KoAM=8 zf~uW@SO^^MxDhvVIj1v>PKw$#SeGuLg3Nc!hN^j7E^ z*oLO>2vN=?8_p_ckX2$LwCaT6z6>6)NU5#^Q`Lg&2($h(FCa@-9Kb^LJ|?1R1nQ@5 zzfmbTc@Bgb{zeZEH$@RPz-(8Qjy; zeMq+In-eQ>FQBc-BzPz+3@1A@MuJcf6d01twoD8e@707=KSx_AH(i$!8m9BN7r4>X zI?Wsl)|g=*%2WyI5}+u2x;>oU0}hLIpN|t@7+Js?h`mt6{}WN>Od*fh#~DJ}nLALr z>}ANBNTw6RjP|q|Y}vyk@C7n<60zJehF#{IPt}1h1y;72klP0PCC@I%MDh=0fquAlH@ep;;HOOkd zV1l;&!US#NG;^yDK(6)#%kNmvq!5cz7WkhpA^~wjLCLT$+X6Q*rFt{m7uQIUVj@is zw>3{qhy9WDg@yE-^yL<4acR<*jlmn7c%p@dYZ%yC~q9+CaHFrYatNR*)|+5lU!J!*s*IAerosVj zIOkF1ZX%rt(G;P5i8Xj<=kd1lF}&zqdAH5i*n_!Kv6Mm5%YSJB-uHox+rs~ zc5nNlgQ|&g97P_$(avN+i@fjP<#Gqu8C(p|)5|#7*q&He{AJ0$@d1D?uRh10Mcj-m6%Z#{P&Z<_!K1!R+R$N@|OtHJa2bAj*G1kBvw`bbENP*vg~%Nc1;eG`ieR$dRfk(zG=6U?1IC*DDa8CT68KK*2s3ZhV}0 zC`=aN+0IFPo>EUSUl4LT0uD=I7%&j5 z^SrBBrn)_lDcX7GD)~KCpTwOq{a0LjGz1Ra`QON|j4OoY!E;=&FxaJ(H8; z%>ex-t7XQ>*QzwLVYC_maAJt( z_{wyQ+UHWXGh3RK?^~n4^G)GrfLJP=Kkga7(F#GCUa%#=Dd^6E(x}E3I+mEm zYR#SLgXBmsHjtct@eW)C@Y(mB8ks!i`~b&uMCJNGKl6N`AFnCB2hmxdOW!9Zk)7Zv zOGN!mt7POQbuU?U1|92t3mPcRc3ev`pjit;Qw4Vx2(u=p#E9jUBryXXWxXj-rhFc_ zDT=BgVxT;W#si2^kUU}ZtV%@sl0oTtNZyN7XNC@fNBtxy%n+0D_^S7bam-25gHI4& zYYsvJPm7+J9?+&T3U|zSQ%Zb8Jl8&w5lUhft*qqeVEug}v2nfXio~6*wx@t;-w&K> zgex70#@1(m62cuiLU&ur%}{5v=|5&WJELs%IH~$pU~yLCNKET2GDC#~htqO4QX3;< zukWAD#8q`kJL)1&wjRS}8Hvat!iGf>DC)&dAWq+d`|7g+Pk6I zRt^kjUrm1q)#1z>q9Qvl-E+w853EmgV!?IeQWh&uApDzX(xc?hFHvGGo7$$r3V@Qk|d90-^4{sPl5tgI(n6=qf~fZ#Jvl*`(oNmP$?%6 z+LM_nzY>TW$X-=75L>?O&Qb=4VEvA9*r0XzG+??WsTE-QiN zE)tLR!CwdJE2)9F!`LwZ%p)v9oF87oZ6exn3-4~%oucro%3^8Sn-D@ohiVJuU8sfw z#xuqD-3d(i`Cmy5Y0OsvT?O2hDMTi7xKUF22p>8!R(qc&I^f_UYny(CvPnv}qX!b1 z&Y5J#oON_0ozK$Dr_}zO!%Vy~S*|)9L`D-u+$8EfWkLv1AYAhUmZ5>T57X1f|5Jge z#}qgFd2AGl0C#50HcVss@jtX+Tk3dW};~iw#tduA; z@1>0g7=`%@?HEZ~KSb5*CM)To=0+gi9;$53%Exn z0NAXza(jz(SyrxrSO;S?br7O+WSMqWtfQ}-+>dUmvtyJjdG(U=0Ie@aUg0N^(jx;B zB~JoQF)lqZ-g;df$~e*ysmGsGDY2&ID|uFW&J{B1=2l`c)fCzeF&}QQ#8&H z6o?PtG5WXU!`S2y`x;F{(+700rXD=Co%l$l4VXpd_yNR>-odX61bSD-A|z>J%5_r&Wu#Q~grzz-v$yrtL>Pw9jZk%L9!f4% zMJreX{Tk`!cG1eh-+cjhlr8_A<$*A%gSw*vinfUyP+vL*T%q`YbA+}a9&(vq;y*#J z$?$oe@^|LJBdVH`7nSP1kW`fdp^%1(@t#q3pxJiX5S{fTkPY%cmD&+wV8f{88Q>Mw zClYUfUkR9$3sdtPtw7dqB)UVtky9XrP-B9sVdW8tX;&2Ss^R@8GEH|diYwH}0=yejw4=Ib{o-mo6e3ToMbU=F@K(R$qzy{ndZ=(C)_dpBOFyUlgzFu z#0;K{R@n+Abm)94=p?Rkq0JSZ#j^^g`5gg(lCzU_K96 z)(p+;lV5Ns+p{1P0f8hjmj40DNx%$3Ikq}uBqH;(vw#>ycbo&%8v_JxnT6gX!f?bj zyZYmefcYo8TOrX)k8(8>6#{Cff*6m3$P1crYz^6$NO5)mla}l0W@_w8Mv3`x_a+;Q z2bBL%GKWzVZQH-~$WrEs`-jYvYHhp=IOKUSeyC!7iEm;p`r5QC0&g(PilA)uSE^UA z+Nv4FZ_pgEgypu~V6?98s^c;uU;8<0+9+lF7Uq^dAnz+z2eo`QC>B9|gu(T_YN!l% zAg-a0O#_mM*+799$Us^j$b+uv`o~g$`XQ4bjGWw79I1?xFj}*o`v7-WMfGznQhi8L zV^j+)@^=FvF`>+n6g+`k0j{@<)pWt*U9T~ZhwKE@t zGQ7jgK%k}r8f~)(=&dzVNg%xv^HGL;2f^v4OZB!W{h6b;>>07+2&sn9qhWwVxt$_H$tWns z%1F6|lFj^HP*f1iNVi{tYdBgM9E+JFV~i0*p6jQ*8CQ4lK)CaLMmbUiN1(CA9r#8> z-PBAlRtoPU%|I@iYGzNQoC{*tlY<>Cpf-cIGnFjN6(;g0O`xjfubnM-rBx_5#aylQ z?$89eRXNF|IsJ)<8w@yo*Eq7Fc^{GxI}*jXJRRY3p2haTbpagszAVI zCI4qYeyBV_im#Y=V8x~+Acj|AQ%Mrg`Ew_W<`G+o1RRLN%AGi#P^-czZlQA)o{nXZ z!mg#WfH$Q<0#gHvu}~9_)0p^lEpmK_QochDd$12;_uur(8~pl##$uaTq7N+9Cj1xq zuSIRBrhhN;;h6Y;FM6qD_^&N1#+8qKfvbva`}h*f(}u2kvDbXx8nHg8)jv?5|M4pz ztS0`SCl~2MZT)NMi;ZE?*ncm7ags05VB^LX{e5|DdjP1?%cK6iVMW`4U!L;+ax357 z{oC-6G);d%I#b8P&GQ_JBbDUd(EvJ;fdYs2Ay2kN8d z%0Vao{*|U-0YPwN5SrgGH>h38G|-p76M#=EKv+I{9=_0D#tOqhTE5%75M%bnd303z z!U%iWR}%b9M-YOIu2F)>d~E)E!*OH6a*(~>SQFenYgJOkPhaW%6rdEZpN~7sdaV$O z@cT(y`)$kKG@t2^`}V-Spa-wQNf9SNo?T@g@B!C8!KeNHA)NS;Pv3|e{4w{MqStb0 zK|ED)YPn_DQ7#SlLMJh$IJF{v1UG^x2a3z1Jj7g^PcGaJ z)1EzS1+DwFDbt}99)EpyZ5O9McV$%SOlS<~u654J+0YdIwnCTAkwNQyqu}<0Km)|o z>+om&3J%YM(^(Xe4EuvFtBZ8ahd@5p2{&<_!(wvY>bGsNo_MOin*hyma-(~R0ZzE& z+F>qp)M`ihcVC@=Bd<%X53x%+r5C_9`=>tt>F%eO-yM8l2KNrPFl06;nv4l^uHlYx^AZ+nI#0SE z<`bIN_gof>4=I*HUyX51mswxA^ftGp zkIH*z;NG%((94s5xUqKv^jX(80AQ*3dv!gE)PvrV}E4UW-p{`#+8rq~{^5iX#zlG15srcnY>_ldt}} zp@Q2IH(@W_LuE=RN@^R@X;|+imK&#bY=h|YGFS$~KBiyjV=FWYABr^u=8Dk~aNsui zXJR46kQr$U0d0bUcz6qjsLwH+9ShKMUJg5GgXGVD0rF2jibC3462^8EASuif31~hO zH?T_4rkpM0!3-T2OTb|wV#rT%9q&NID17z>VjkDCeehW(ROWLx$YB6xCyk_%19~2) zOH=`+prXy4A?mDh{Wf6CR^n803*Jj_A+xz1^rtw6>w%LQD1noJk82zZ8QKx}XG)Gbgjuxg z8~_5AxX$3Q&OiwWm8Y+uUW_RPWhGE__l$U*yhQwD`3A%_LNLK`(j81l+A0Mp8|mO;5@vU`^(B{H#6)hca(9 zb|kjp1sv~uj&(jXMyqEHw?H!*$9dM^#TnTMT$eF88>dhU^oc%@;w;T|XE}}s(IKmT zHEm&3TujXq%PcZH{ThgRhDX2Pe6PAv()fon7*GdI)mwd(MI9Q>`07Md0H@Y#9Yzrc zWbj%ng_>7&C`IR}W(MNL_^N&>z6K&Q4A5ts=wsjK)@DkfAFai^=xqJki`rs0M_Ib#pWKVNwL&v)wE$lu zIWa?p;P^lb?KDodMPl7~iE1xp9S&MbzdtHBrh8rm;KA>xG@NomPg9@rF`^nTeviK@ z2g~=^6T^{3-BJL$Y4Vo9Q)h{A_G71GmB&u0GR|WjraT7NEOWB9T9OqY^)@h%LA@an z@AigUMr-Vz_C5?l^yyI=ZT=3H(I2Xuf;)2#e2*@5o3%rv#s=nYeJ?0V;kAD#oo@nD z(MH$R#zcKS07@zR9-h#&yy_<+&iz?2*|Z!O;B)9HP>Z*kkh6ME9uW#M4?S{LaBt#A zdu zCRl!cKZv`7FUoHLP=(c?C;0Kp+Cz7%B zVJDaZ=b)Fkd>p%zY%Tf!Y!6oD=I=J~^#Rqg((o0V*-N_YIUqR+{v6#7d zWCihz&11F`8HA2p0Lj^rt4(->@l)=$rvoI~r#ZuDrZ`!f7OH=rnWz7qn8!Ty9Hwd3 z%xQpyxEnD=Q%}}v@6b$g`DWtC`BX?JrZ*n8%mYI=K4&71(_`;OW&roK^CvLoERjqz zp7q5Sm^l#fF9{|(Lax1JmgUN(0YrcAJpj5fU*Tm&r*R8NZ4-m>>o`$f5>(osV3{dR zAhuTi2DHatpw=CfzEMp4VQ~<(X*r1a2=ao_)MD8A9ni8MwpWei`T`;@UNxMeJ2Ij8 zMvL=2CfS0y$P+>83vUy2N(fPY%koh75osL7j>u`xnCfRk1ojiWmH0`!pQJmmBZ*k0 z2za#dRs2)oUEIU)8A%(l%KcYkrFLK#G2XMP_6^d|L}JDo%N(ux+S38DLVBTSM%5#_ zpfO7aIwCXZW%?6U61tw;%U!=J=&%eMX$NU+4G|zYeO|tt9s8e zH{G1)&Q4o|YIfj7^ln3tgc)w^p0SVQT*dKRdi}}0!|dZqL9>1Av5>u7Rp&>Enru~7 z5GZZ(5&U~nfL;mQ7JUo3)>~Hak)NgvZWY}vX_X)QF_Ga4tiElimBQF5OaYQxs}XCP z1KGpn9ZL#oqpI%b+Walany&RCsw>e*ey`D6DKM3Ai|Hxtu|OPA&Jf*+Z^-`TodG|3 zaXGianO(IH=s!*skwU%5JFJW_pKx4Trm% zsxon@_mXw4v&xd}0I2_;_-gKV1gJyN)A47n9>!UEFFl<;#QZ$s%P_W(wiX@5hjCw= zrd%zh4-iboehiSNRWLZduUS>Kr}UxnfF!L_3^>3exOfP5)aKT7b|NS&=cbXNRnwDq zx9ihQbG+dX2O zNxV|BmE71k$NC;HN-eP{Tz0z1d&$zBWRrUkgX_l;GaGZry;Tpi>9XYYc3*{&BhwFL zIC=sYB|!ml21ABr$H~YU_7D$%87cR{Z{n%UMvO zbG`I3(UDo4Z-M*lJf>DZkrzZ+x?zgjPwv2S*9dwQ_qP72x2N@B0r1VQEbZpJYxg$g zG3{s?M8tJ!nOqsjT){o`#k9@!6ta_Uk5`6O`MbS8)AvFA>vHvHr4>{-Q+j?L1c&lK zKjL*GFf`}vq}STBoykp|oa(fph>q9kI54suN(a*F@=n;(tihw5d5>1Q@*0nGwDU9F zLb)dwGh6}rsq?VsYpiD8a-G&s$5EC{7#PN}DRj90qxtzjFaotC7Git-d)9Syy>}hE z*g|7f!!eFpadewSyD|`lyj0wtsHlo>x(FHe2jpkgarHUI2Ry(NZhCf6kyg9D9WjcG zX)2{+gcV}TQV^cf)`)Xb_|=SO9UTXZhBOxq(wp)-!H(oWS9D8<^UmV#D9{ky!J8`o zR-&<2D}cYDM%i?ZJBM4iV~~OR71CJ0kZ)2Y?0eO$J{&k2w3UP^f0{9VpKSCYrI z#8q7>y@HLZClc=umc9B!yj|m9O};086Xm!L;0|2EBY)!!T*9d2QBr4O>CSDxT0USN z>rRD_4Gk85kX%n}}daS~ooK(6DbX2;z`_YxmqT(y&RYYrUtf)T6nMT~Ce<%)- zr|JPXvP8Q<;taK3XDZM4$6Dr?^EvS?)4oZlj-)ph|H8fR{Fa6yFXCfvtz`=LrQ6D_ z^~j1EF^Hc+W#&<=;**i_M(Jt%8y-bCo07b?a3JB>B0zI;;hJ6bIXFv)b| zyIA3x1H}WDCOC{c?SYMf{+9kK-*hUgWs&YWI71z^^m?<)O&+C#%vR}PcD8#O#F3z2V#8#?c{nj zFULPy4dj5F>e9D}P}i^4K~Bc1fzAX5;k)K9>2LI2{9SRVXAK!zewGL#j&Tu?T8*!H z;1NMl_zzsX_DT?0$~N1rq&jB{{)Nzx+qk}Tw~AD@M}tfLko0_yyA{0&s-5ADYdxpj zepqQW3RAKE3+5?KX@ck6S|LnBbd+;8(86H5-qDo6MY^$Pfl)%_kh_iNn(_&G8bBAl zy0Kxn9|w}U+=phm6vqcf)5`mwt2+@^`0&j8zFZDB9BL_0f>{DkeS?@lB+rS&H$LuN+R677ATu$a~H5RGjYmp=}7 zDeq$6LytaEqCG3avHS0`yndj$2bZ{Md;J-&nc4$$;k`J_db()_{#m<4g1MaEs}7gm zE9%@Z(Aug^0J2VY5FnZyIZH6bpGETN62SFGP#=67>Dl2VnBDds*kVgT!aj6fZ$GY& zrr)PRnf^=@$u_f~S5s*6%{Hgmiv6(K`C9VoZ30XtwUH#T!1)`WPpEPvp3U4sW{qWs zrIsxE7chN; ziuUXfDllE*T-x*_IVQb9r9FvnE)vh-mX@J!8Io8+ka9%mr z9AG4cyW1^~+!tE+H_I_eoC{(Uj6dV=i$jO^`zIGVsdz&1#0mc+3Ku5( zJL~6TvVbtyee&n;#V-?K($|nU@&FQt3^{-$(d!O~WC^zqKu#yJMI6#^NDC1bU03BF zKK@))K)V@=nUbiO)HKqtYDSvW^!9F8C8KpW^+fwhA;IV zWk+pnJgOcuuQfG%>_@nJMA<24cg>_5Ro%5y@3(YsH~n|qBXXuJ?YJf;Wax2jUiA9o zy8Mn8=0&}ps;r4#(kHt{|HhETBwi`mNw!}da@!rWc7}3(%!az``Nl2l7SA_r-+5tv zhj$Ms7sS4QE;}%0$d&bn%zM64R`dHFURV(KNrdQ>zU6bp?2c8kuDvWrBkp9#jz@1e zC7epQb1ME^x2V$zx;}ktt#3z{QMMk#H=MTJn7CwS;ukZ57j?Q*_kLIVy;Z~f9N(h# zS@zW-JLR1p?0I}fICUWS^`!h$!Q$j6S0)6-KO3TRrTjXoDX7aI&mIS*VlqMDgg8#0 zXo;q)J8fXht~&d?X9xOpjq8+fuxm(a$oW8JW;c)P^Q6z~T%q2j_36}@!=CQiN^y1% zU2V5)w_)|hEPK$j8QERqdMs5UQ}c`q83Fy)1@@e>OFXYvAV{fi2owL;QL4;nE?KVC+k=@IBx1X)I zbJG%JcQOtA`g)iJU2^j8rV83#!?Gk(2U?}M`Nho_tpm%CWcUrLBy#%?t#zro7U{j0 z@<(mjbg976=WyX_%>?!2{Y;iQ|4d{AY|-t{vER(#uhaggoN zk(|MyJ#JqfJcIb4Ti+)V|M_9x^*B=1HIPd0?;W+!d&N6Xzxm40h1PplhSj-7Ea*nL zZ7UMpeJ0fKdw^cj&oZvz|kW@&o&k!vdb3*wn#AvL_Qg}XLt&fDFt#ckR) zYhm%Wq@NEI2e_&NMmsmE=8f*Oz9Bia!{eE7COM!G6!Y?~O;kCn zdt}jl@-*Qw)}QMfKlXp)S~w<<5Ec4&9| z9yulVrfSU;fmnBC%2!2J(WJX8CJ*ZSO>Fxo;aX`}MXQz?Dy~PW~dY^5V=d!k$|mFPuL1 z>Q5+xzkk_j`u$1h@yOoKerY#jOl0$b8IC@Yw=a-HiynOfCZYdGyq9l;&(MKZw zHE&&2fNuG^nT-$QGpOF0BHBOj+QfnqS?=W_;^p=pXN!JI>a?iKu2V&eIt(pF-r36U z1g@GXn9^$R?sk!L*wLeMa)N*UfSdbZ;y0~x`_Bl|jnd62KR0h`eJ9bR&Zi~=%WYcD z`Wj{Ag!Ku7)-7M}RlFs+GC%f%Z@%o%%so82pySb)sECQDVz4>kl4NP^;nIgEvdQ1; zTQZXVSnM8q_r{)8+0>WIH!SM>!Qo-Ar~G-m(3>jERn~Q$*5s`7eifY?7H-ymRoBhG z^bB$P{Fc*F!^XuQ{g1Ssq_n(f!bFJ1zDVpHo+nZ*9A^0F56J5+e;4w9|2up7Uy~-C zn514{n|%qBh%o_Rb92VNGIreLv10hxudKX?fcJFom!X>PRdmNzf7uMrjz~Xa|E3gguZL5b3?d+nfm2v?sKwE9&Y<5?oMTV(M*y<(Lh5r z9j(XV5(N&zoC5Z=B$AjywMQXD7|I|_s2AanZE&DnVVX%1N*oiQ^ygE&O}MU@)`8JuGP*>O~l z#W4!(*W+Mx2oCHqGun4uzDtYlAwq^*t9@N1ewnitd%6{kf6-B&2dH)thCi1>N4*6v z5&w&3{I4CTU_yE^qP7l{M7-#Shh3n%7KuO*{a@Yn_m6*f*TXKVRRJ+C`|e?v|15?T z=i(RuKYXHQ`)ON#IE7)w};k|?$K)G3WQB)&5K?5W2%J}f>y{xSSx zZP;0OhlM~dfKfb!#gCIfeSQ# zXr8y>1)Aso`)U8z_F4R!oLP6zuNSjY+}21Z_6KZzB0?y&qoWNE_n)+vF9F&Hml_Z= zv8;Ifm?D7XMMBxSqRq!+qQ!zSEgE(6rBh#ca(|~<89pRFvUhf53^2b6k>scdyD`$7 z5?NM`%f|LbiZ-Yo(+eelS`-qPu1Lt}`Z6b1ummA%dKuEh*(M-lqhjeRl1NCi<=NAj zbto|ffR%X}aR_yy;)t@ce1zoIunDCJZS(y!D zi;I01E7_$uS4c)-(4=7Gy?BGK?uOaN^<-GvN67gJ6D~xF zP$wX#L-vxxVoOJ$xlW*t0_C5*{2@wYbec1R%!uxfY>X9I?S8b?5~Hbv!;Pp%xp9bA zm90gz9t!bk)yf@+j>{g6ChbLZXUz=MiT=(Wg#-Z1x3|aA-3Gme$|BLx?&w1XYu?Yj zhCW=2*7rf{x1zEtl)DQR`)L;N-SNpjs4O1+IS^3;rvfWZPqFa17;3XZ#hS+{7sZ2K z6Didax>b{!TLAMax?^?@%61@_)7w%AID0bJ*bG&10F%#dheHY@yL-zj8VA{2#N84) z{6#jq`Bkw+Aam)1H{aUd4t2siTOQn;zN410XO1xVk@+O~DXVTMVuMiv9;z8cZ>9&c zCSu|F3aDFymZ`pa3d;Xyp@f`$!W;hDXC!T=%h~SCdu(tSv{TyDk*KUaDw~L=JA9X` zFR^q@8I9R5QK!tZvR=TD{A7JfCbBvGN}z_Fzb3NIOqqbPzZO~EC0_MhE_Km6Y$rsD z!pKy?!Nk^DFeVq;V826@cO>G}c(#*|#!kM8WQM^lKff!YvrwWni%B)8q{0}#4{}lE z({ee+ldhp0F1H$aZc;A%ttN0%3*3nIvnY`bgxmcuAk3ZQhT9u&o)m>9jX@Yw<43## z;W~Wh&oOA`%LVo5(i|iMj4W2=%6!RxWnWq5JJfiwv5;YfK|%6F87NQLrPRQihw2xTEAe0-OhLaA zX3@A1RB8g`T$L~h+2&x0v9LE)Zt34fyjIl+PdZ4O<5CF#ELA268fuzH`SvuP>T7m2 zony0^dYKQSU^qnKeoYH(Q!zfuj7?9%vIJw{j?BH(M1C>iY#^e22x@DoFx*#25a9(t z#5NxZdqmoulB;t!{YcsQKd|#dD%2K)3!7ml&JV0HF!OirX4w;2#sSW~j9T~}IX`5> zZ5N&h@xeQ#=R3l&JH78|xvC|>@iRFfzHOKJL&@%8Q~ z&Ez(K$7Eq2_SWLmm+%kMU`9O5Yj8;DRmurWL3G}aE@D1UR2so~w zCNTv&f32*6oVrs5kq{ojBRBmVzhPAjRWr))p4_mUGMQz{lT`Ct{A6gP6Mk38bReC1!Lo!LbB*cu_H-AaoX>s!gW-5%UnaZH#D-y>KwpKpl;Fa zO%vrsUM9xT8<}PW5`E-4d2$mz0U9LOSSM^p+UrzR1ZplkEd#_!nez-)N;;e)oM-;Q zqNrD^aqLCjS;BR|F+kS`SrAipSj9+}AH=hx6m94v;v>Z{;FK#;qHu!EPC|GudcQ=C zyBbnivWsem8WmQVHb`MD6lw{}-5q_~>wz|4e<8#zPZM3z-#Y}zEmE%DqTqln|~(VD3! zrZf>*)$=9DVi+xNDL~;R;~(kybcqanhZL$^<#}6h0RFSt?!7PU@RJF~!oR3A{LJo6 z{{#6@A$FsBOoXN*DlS>XU(i}sY1$_f-senqIa}Koza{iSmT@#^GfTL!xW%_Vo^SKR zo@dpOxZRF7YIgc=^a(?$08b?+<+DWfVkR>8BSNT);J+gIvjJDT9C?$=XYwX(MrobInmA#W zNY>F6pP8Pb$F!y%r>{t6kR=eQGd z%JNBW2V{GOxI?aRC_S-f3;C$|7&fQq@%aYe(n~Gg?HGqFcY*4lTN+eQ!~uhdU=lSy zBcnKfvV^zbO@BI{ka}wl*f^QZShzlSs@Sn6zwA_?$xrXqx%xYPg?kyXYX!VYA)iWyC`olL6`5vIKz`E$rM z{?Sq*hMiPndQxi`%*o>e(W=~0;uNFUx}{1t)`C4X+-7zb=nmqOxMyHVN!sQtl$?03J(bNhZ2y=+bbyoT~}LufY2CnwS#t_ z_CY$8dvzGH$>o$cm(Jxs_Lo_Wg?p2?a08TTnLEe$1(|Pw>i*ScV8Ipqf>C^04N}&J z;~M9Onyx@X$F+FI;L$7I&neRNr&^-{-?d+Nl(KbK`0iT`rPIcQ*hHl7%dx@$fOugn ztP%6lfC4=hMA!j|=+UqtBP4oLYEgWcg%u;~XyeIk*ji55np`qaj!nqxSD zSx|o%P-sFARA0oMDc=p{_UA8RZcr_%F67jB0RKAT-RR;GAl&0CMJ-zqr7o3>xE#n= z`FYm!icni5@=Qdw%u^NHkzm*tAvXj;(lo^+1IsI%AOwRr|8ljz<{j9HD9sGo-xx{8DrJv&&tJk&BgI~UnTiiF=;+e(qPzs@8Mu{B20+}=C(J;o0N zsM!t9$U^kH89d4w06uTQEi`r%TGkmsm1bdTAD!V2~yRH)1+8#b7SFw@JYrS$Z(m)v~9O+jZ( zc2aJX=*9;sb0x|!N_m3P$3^1Jy?**ECBDcEBO1!`6JtdjfTg| zl1FbCG#*(7GBE{xkk2G6SJ%m%OmV#jCRNIZ`JfpM$2ag(wkU~;79t_ z#3g^J&qecd{e;-StBuNTQaUaLp2RR=fE2F>hgjxk`!e9-BJC~3`K`jMNQjeCxk9)FYO6MpAj7NDARf3FbJpGn%5D8NJXqTaz93`k*0*&?ZP9{>y?lmnl4K*Xs z27W$GxYSOyS#Ak7BujMz;?rM8*)YXm%2vTl4h#s*EZ&BUI608%0uWE@nKj=db~Y`Y z(;J=Nt?Hw*%@hgyX}%}2jl=n?Ob@I@l0re4BNBdzFsr18mhDCM6^mj1 zZRL;hoA)8xaghxSP6okW_j4aNZp_;2M@G`Sv$lz>XPVxiGZ`zR6U?$X1t_yK|40ms z(kmw;x_yN*d$5T4DE$`7N<&Os_V*}DK-67!F0#?V2cMy=!3d5>*3$)3KgD!=_H=eX z%)cWr>uh%7(NTFnIp2-2eI>V@4q~h+Q|Pi)e(7)pNBQ=C%s|uhpwSLwzQ`ZMxoHUI z8*%C(*QBNQ;669B$bfH@*T{4Ql>BFDT9{1U9B5c7P{ zOOgu*r~MwO059NL z3~(IJ+-;N7=Y;6yN{G)=ltJ4(WRjsWRQE@|CARLu5?Sutbr|`X(U|k@*^NExW5E5E}!@55xGO~gbV18a3 zlK+)WB-3uR*fq8V{-{$!lW+hxrP1d4OQwtvoh3{Yk^%;962rfkOP3ZbL$$|^Twyz# z4hu&@3}-r^MBJs`kp^n=^y(DN7ta1@N9EV@FC&}|;U=cuWFmw)e3i?2nb7K9*ZHQG z=j0GcQVt8s`KW1_tvjMWEUs%RBBBRHVPTxG;Z z7z8}o2GEZyy+gAqyHtIG$ru>M#OOAL0*+lZ3izj(ljUzQ9l6Q;cgA`p!&&Y8WYnN! z+7AlD-rvD&e6L%g76y{sA(-2q3E&RE?Dcw^SL&d0O@EL8QN#J#0a}}0tN`O5fmNYW zU|&H)9YF?|C}&A=9mPWM$k`p<-i&lQv@3aV6r2Gx>->eEft)>k&PHIMlchDbY9y4C zD`t7eFaofJaQ7{oZ_axQJyv@-=iAlUPLr?(+uAYZU)w&E8uBFCIJ&q(+dj~crmX*q zj;zl$G*PC_l;aO^O0JRHChSGR9g(mzkgcjePgZHKMzWD9aT>#pK+`u&iVL1}u!^A0 zD!4E?cf@N*D8SRrD0>{9X+`|!_`MTIScTqmpzLjEWg3_peh*>}Wo*PSRTJ|&(O3Z# zyyTzh*1-L7C*6UjPXtSsH5!@5(9<8FmEFU zGBmX}nzII}8zjx0Y}5S<9tUZsQ0@-=FJjf%pe$09tbvmAK^u{3Mi8^YF*O(rkexrN z^&t-@OCEi1$dpi7I7Zi?Of#USh1igCN7LG=aVu@*$06l`KxRy<8zP!aDgTC~)dAoE z(=rK2l(bF)!8_tT|klg><>{ZsC|-Asu-E+qNjDS zZl{dPU|fX7^h2QIc>wNb9b|ILb26#V_;DihWuk!p4ADI_V+{cc`R95Rl$oquClP*< z2yqhagfM%Cutnl{7s|Xr0LNBO3MT{Te*7x|{KwcZKAbiIcdB-a44+^QI`;Z$YHZU; zX9fM#wy=Zq6tmVDHZyj*!A<0`%LP%C>qyD^d{)zj zF7iWxY=rF#q-+jiI{D%!+k?=X>XCuk%U$L7rMAwPyG3gqKm`gBF12l&xC(qPTNdIr z=;CEIHRk3s;dmbZSjx398e3mv+loywGVf*PH`_iW%)t;))z6W?s-T~ceM{@LQ>6K; z!nU(h5>-YD5-p~7w zv%4U$J2Us;y07cH59A(TRuy$d;=7qR9qqRFCPQh*nWo{kNm^@2SO(&j4&i>CaS5k5 z*TLt(|5Ruf3|!|$f8;*LoL}~;*P{K6Ru>N9muqU1MSLz#KuQl1ucK8pL62Xc?UEX& z4PfH!@6yLDnoQf}M#8R*3%m-~sg@6=_nOBC+$zmMxn08WMm4HbS;XmN6n}~up!11R)?NDdwg&9!DPeHGd!&F1$n!P*>{19rA<1!E#2`YWL~lwg>=9tl!7dSv=4@e5Kd%C0JHhv$0{@*q zF5Zu&vum9wrvO#wyOzg`(^Eh-G$|bgL(FZ}pc9VECTSHGK4#+8-g;?$Bp7KZ@u+A8 zlqG7kUMY=li>EecG4paBVzf2=AuuWDaIUU4>8nJo7C1~wd8~E~c7}ZxhbB3=p4*hx z6d{dv9!!Qsg+eB%PneCYv_hv{g^NT5yzU2vXOBxiaG?cY)V2oP^Fm8Go;`+_GDkuq zI2ZS^G#)h^7?Ku_2=bHUO0Gz$L!q1KBl~DG9^(4J=lU}a@3xLi0?<(&$SG%k0^%~g zm~&He5+B}^uc;2CK8lpThdpv@Y=;=)x~D+-45Kl8Yc4DSImSN0DDrE#jaB$NOo5E# zoksb}Sn-LGN`?+6D!(NLIvITq!shz``G3Iv>!kl%7_1fSK*IM97W!89NB(MeHc?z| znRb`DXv$4BzUvuU>ql)I0Hr0kWeQRqoh{av32lix*16C31ExLV5tcd_hs?{K5f9pw z&L(XUmpFb{1b97 zPygyikaKGW8EwX&q;Za#9Sje6mwG^T{M6N3Rno@vQbk<1gh_^VY!$QckFeEDk{%fv zXAlB7%VjrhwC0-GKAtWR7v*N6Uv@^g-+%)9Ky_z4$oeK{&2?6dlg82kmoZh#kxC)| z6TS!%3_1@O0#DL|)B%|O5dPHn&4ElK=M|+E6i|#Q**Yl|1v036H1`+I^wh{N;#78g z81yLe4woITq~h+}9Hj@^e1+ddVmCX6*xqyvW!T>&TqlW*4&=x_OeGNardvl@nWOUi z&}kgP_SIH^j{BJ9&5)(5)e%VEj#IcF!+-f6qYckhZ)15EtR2jgPMUCy)}A=&YI4Ca-|I>7;rP|zqOB{&$mGl^fdK$6r#3}VJ51s+ z6Ff-(pk%@#9uH%BY6c;a?MVI0Q&W=dO%|DUT_lAy=5+G;IJgt^9@PukQR1(p<82%JsS*((k7bjTDxLZaQ=;d;<>Xv; zI(MmQGCM-8F)Ily`#XP{l5+?XJJbIm1uNEl(U6sEw! z3Mx!idJ5G{TvKW7LuiMflYU4l1ET?imEd1!iXdX_M251N)#n;t1js7*K7S!vonp{> zI~K;NeT=~!!3Dra_Q@}>8}VJ_Aw%|&f_fK0jiGclhFjN8e!64R;_{~qxJVcoQiInZ zHsUWB-c=ecJv4&3a7w8V5t@%vuk7{(it1@oVn!QS~j;-}3U*@Ndj9fhHU#7j z@?*1mdyNCnF368U#Sinz6y>krtl@(0yctyV^;{YRuOX_38P`MWqx_8cpQ4~eQa2lFo@E@~80E5# zf3b$?=%vAsTwcv|%(g=K6gJclg3mt{mArMTQk+9tpEWCgAz~jr+GnBV-10=@CMY; zIJaIJjUb|&W$9jO0H2LDCS^N{P9R}c;HojhqceIp!=mD{?GI!s-+~(LU_Q~00Jkvp zvwq5-daYW_juo8BGM%>DmyBx9#R7Np8Dg7V3voHB6XU=5>#$K3!h|*+Tz#dpNP9Az zsOpgOBINF7lUBv=NKhxE+)O$FW(~Q7un`o3S$p2*Lra`c}Q~FcaR06w(SEPS^_Bl_(=2UIJ@*MK~2n()H zFF)(V_szV!TzCFZ1d zHs=Jo@|0CepbxmdGvoKrQw1*}`!%z=1{Ka!z^iSI^^%!w!rw|w2)!o#pbvJ)8;O;V z0e=7h%K5Q#DXO(D9>a`MHtLx>>LFz8C!ESBd^t$)Dl@S3AhzZWo7kcLJyf%tNcTa< z2*~tCL79kZejyw~e!w-yiBzYJIE$}&n7Sjx4R*g#cJ_hwAM}r8#wf`|CVTrsD=Hs= zyTtewyI!6`c4TgZ%gk>ApJO|5h`3Xj8TiU|&ql2=J3li{8J`Ipg|kax;g8cUm^8vT z(RT>fYy{-msiW@$a-CvQ-i~Fr@_o|tw@V*ccvn=gGnEx1PGCx3k9B=!C5m9Y&-?&D zFVt@QkJc+M0p*t8z!1ZcM=kFuG)Vi+4QB5Tj!lw(B z%{CTcr+O19zt{>cQA{^z%5z3yX`n8r9INFfwH)WHA(Y?a_)e+pKm79OnoZJPWM52y zxfL`u`IkiERO{1xcC!4D=Te}8$nftss1FfzayfmFO5l>di#9OTY7AyvIYlT?OY{US zyKyHNqdiMXm7-n?X}3tX{}wtk3zE$V%NZY;nv61 zH43Jn3Q~?)U4?P&FSyo`2mjOXkatMoU(Rm*q?6&9TI$^f;eNPpLC#-7XSmNBYxCaL zTSY4;^52_jG4I3phJWY>{^97sth)rAubA+eHO5)=F@JyLJ8eZ<4^F0{WBncVjhSR3 zUF7Z(coRG}bM(+Ov2PfE(pHmQr9D`S;}T>KF)>{Gy!-0!)Fnpj9visY)REqgJ61Xk zbUS$G-6m`qge1plN9iW6M&fwrUAdH;)kwQY_hVMWSfKHekjMz|8Efb1KK{3`_6<&i z?(qc#wXgOww29IqlzSfnGqXk-fSN8bQ<*ea04G1qq){K3tW!w$_2MrLFbI{ar6-X3 zqAql%Vh7$YT%cZvxB2`v-Ne62?@l8^)5bRp0|&0EGJ*J)DVkX?ZA%>fXK*D-@r^O6 zJB(5mQh$zYZGz82C}`QGPSuOUGSm+Zg3tacOo)*75*gpl!7tWULP9D;T0_oE!QES% z2aQ^B!GKsMS`D)z|4u{CR;G0kEknm2mEaIr^el$&J+(LK3mM014v3L*Zo( zU0SxOuOj8O2xYWROzv8^nD|V{qx-A-kdO;KR;n@B#>6X5u3`t5aOtax^$>MG#ucj^ zS9x_Fs#p%U<$P2zALhObksvUMzDYmu#~2w6Xc&YiqbktAV_fqjV6~0a)dFi-gVf zAa!z6#~8;k6T96p+N`{!EAX0>UPuZe;UXQRFd=Gy1>p#GQrQ;q45_3d@Lh%$wmHqlT0pY-HRJGa zBZY4mj$0^cNca(_+D0)=OJE`?{K}@}{PCEm@uqYSInE~FPSnd$J~G1IU~_VgjaF9m z2=qhyW@{)~JWApR?SpVL>B!C_td+=iDJj^*`Gg6~T>4EoDNMP09=#2_@D^!;5x)UD zGQfq$0gidHVoe?wQ%#wD`{@Col3xtg3*eh?Wv?&8rk(!Ab~ zAUZ>5Aslohb}$aHewhH$CpJVy5qK+>>n7!;A!$dnc$p84%Ik?L4ltu@SLmc+KoT`m z^*l3_`Xua|qP`w2cf;?H$;x75U;~*fO*RHzq7&>RGpf1=mSOI}7dg>5@Dj9>>U|Vw zqO-j#_#N@edR@&oOc(a~aFJRBHq+{CR5FJVb0clHVqq7wJiypN2q;|*+AQaC=v7~k z24lzfRG^?_IzF0PPaNUPOs=(gU=Im)?r)ULH%>m-Ra6#Pzanw9F;%*N=spnpcn2j~ zCQ>Dx(4bQ;`}-EPL$vUMI6GP?*9r3+H=@*C<}d?bneUX*|D^$!;`g-d>{V(ki$@nY z(W11vCtE(HJmzv(-g>@<#$r&mCBzYl@*|vh55w(U)ix&;!AFZ?Mmu)I;%zE=7*qGCkJ#K20U zO@b4(;V}!X*yT(ER=?!W&hOEY}R|^L7!@9XT#H;Ve^6MPJd0jP%OC@QQf*c^^5qb3plZAQU80sH24_*ES z(OK*vAhUKJ1YohpQ7{qHeTqQb^@=OYTa<>Fk;OeR@gGoX9=(WHzKH4X*51+`-G%62 z(N*-U9n-#9!*xtY#tZ~MaHOUuNt&+kA{$%$3w&w*X+(=`AooD!Ogt$cgI@6|!VDN$ zuzm@8aVVk-;m)Ny{4xg7PZXWTo?DMjBl2`T{FJ0e*HO`RM31N!@uS~R-fw8jH26`E z{zKA#$k#+Deaw0H_g7kHDY+gPUp zdaz#qoBnKCI~lr?kour?FQP*|Q2i=Q50G9%%&}RQP*FB2Ej7&n0~;XN*bmwH zUpaLtl^>UX)thDgCXSYK)=&U(t|qAuqiL4J>xt>L4rido*Ob zt}#?C?O144zC=_du=kWrU`{@y!rAh}gPLe?HM)FN9ErO^DzMfO1;`VFJZ zH0#6BK-zl~2?|-D7A6Q)kZKPzLT5*pgfOu$2>C%pLSL$crUzLAodR>Df1;$ud4QF< z4%oCT^h)8=WI!2(xm&_4WgpIVfCix*WmCkA{5`O>PqfAh7BZAKK_`9_r!K{U1*+D$ zNE-?Vq|>_d3pik8xhtWid>UzkoNKwdbXi{SDzH&EtV~~s4dUK-oQ6v5 zo2+2l?;b2HEa|Ks(FwpHR#)i5VdyveT$UTI_C&Z8e)=7x5Z1fdZ9Vb3pwpEibV{_f z`3Uu+4XOpjovL-`mZ^+h>j~e=cTh(rx6a|eq}_S^zXRD7sOzoSbh3P;_$K1(W5Al7 zTddY$<@+Rdv2|#C(>8S;){esOorBfEHrIy)|6?rC#wWoH-c_}NPd3q?4}VE4A*pf~ zTQ9wj)gA*~(*^!nnjWgGf_n!XwmSkFSst7l?=h%0UBwIG@xWPUMI$8MIGwL_zWgP7 zN_~XI84HJ;L!-K&;^#5*4XgrKXT!PUnak=p9bC}LQ`k`U`?3L451TEi1C?!)o=Xbe zhx4rnM&&QP^mK%@*2EvN4{vISQHB6hlu=?0@^aQ+;ZXcYjnsuW1?c24I9#g>+ z^L=B4D{|_sDBRCFS`aTLOB%az7?bKaX*Z@@t62#<6!)TZRXVg)GMvh>Q?2!7;L@gq~?HMz^BMXpEF^PY=jx-?QqZB-o) zI}~?AjF%nk_-pqsy^-gwS-m0c=1ShkU`BQyb(v26H1fetb-B*HivLDXkSfiN;Ahg$NZq6JZ)o&<1tX{I_j6mby=t58`j3r?(qwEs#sj&z&}?nz z=>(u*24MnD25!lH_>z7ht3BMp@vM9*gfB^RYWhCMmR^Id%o5<8Ce zGuWY(BAIQrZZyeb0($x|*U@($vzl-p$^Mm*j+zucDe3I^_LTPV?a#MgRKJe6yO%od zaJ`ib(h+Ur7_8YQ2-KUslykbfi-{z*w=^hO>w%x3U**!2320-W6pG{l=*li_38=!K zWBw!3`pgxaAm(o3V`=L=%Lb5nZRY0mE(6TztBE&=Q@|0enp?4Xn7a}>kxH<|y zIQ2Z7Z2U7&o2$)=r?~lFp!a4dM-Vm1MD_(2@P=yGbQG?Wx25NS+6z8TnaaPB!Vl1? zbNoag~TiKPR z5LNH_-o#4gd%*h@ZP6-?!_D0@;(#>Qi|MZXD89(8fd9&>;8jkhI$CD73j1IHq@F=S zm;=Z- zo?76q-eg7gCO*fktoR$ez8ctHp(O!FqfGgQyi6p&51R<&>5M!n6*ml1RwDaC61bTS z`AQmMulk;UJck$rw&K$}Ec55zz^9>6NY-n^piw9$l@-x>r=nd+c48F2OKIK$hF0g- zT0e@WC#gQY)(9tUzfswgSX6<;ecjcak=kgwn4e)H-qeDv4PgqE ziB(HcSGY$VeyR+KGFOm==yBq%Zc2ygjET_tIgu;~0&`W3ScXJ?oGVO9b7 zB0b~PA%xWYN?@5df>bo3w6~6XqI7_6>xFN^Q z(r8=zYNnH80}eQDlVCdyw7r^?L_7Ct0INn#rL$;jHhz| z%q|o!r}~$nl^*1O4bh&wrAS<2^6!I(pfB>DM9qn)8~`erZcdfX6m{v&>A4xB0Y(Id5Aw5fR>we^w3#X(b}_6HEzF$KDdhMF`w)OVH2#d zUZ2ErLCzture`J%~s+YQ2PfR*Xy(w*3!j<(MR z0?q*Sx`|39?)FjFMJr`C3HWF8XU%}^J?i_>%2B@Py$E7tx+!}zVJ#jIS$Wc2usfm_ zNN4AYcHoi=bPlmn+JxwyFm7kMUD{9Q&>5pf>B-Sd?;(+q^Z-&~7HEN@(P-@eRMZ{a z9)XAv;+{UregdM5D}%I7h~WuQX(K5y3S!V09VJ9bbDp*PvmMbiKg@64Yj&)U3Pw@& zQKaO`$#xH=UN@^yqTGq$r6{tet1qQi0-MMJD$hxd?(xtQ^WR#GHuhcI#X8(V^kfbQ z7W^vF#s41SZ(10hx)}wS5;d0cr2cAg{6|48DLikDWPnGK$bNuFs2`xfSXUe& z`~k}$J)P{a2`Xa|mO>$%6(=-^?a5F9m)b4XeiqK7uvl0K3(Z10|FY5*rlj3^!NhTWS<%cL0z@Xya#hklwHf+ac*~wrQOl=^X$hRG(zT{e$?pSb2wd z#VW>Ho%zg@N+0Z7>S+E|xWRT+U`yzC=c=FQ)BWOiiR!2@BR4)vc@H(+236pkGl)0S z&JD~(wHRCbM?)LE0@=zGHus-?Qb7oH#=(W~!ruKGB*Q5C07S)DO_nAKvFANhtL zK7w~$pnO2>8jP~@QCDScr0Ztf@Vk6Y6y2`=h~)zOD!O6+H9jPW2dp`ro(ld1xvMl7 z6MTS0D${DMNwm$2Sv0FPtz{;5h1C@|=qH-KVb?La!aFc-v%VY0qy%@r{EbO|3U>*vwy)JCKU`aQ%B_^`B&=GPFy~S zrQ{pF6a-6~1RRfQ5sN!JtAzmd?Dt(2Nkg@u_7!lt^&bPw?}y&`Y7QTx}EL7$+zJTPqjikYI8 zAm*B6jgnGG&<~0_FC&ez;+FZwmzihelk_XV$TO7Pv0v&kM4`&YDGwvHvG?@SM68YF z+d8U+QCd~#>GUdp5A6LF5Rx*r2R^^H{TZw4d2%3KjdA`93dj+i7tmDyeGRE zf6cre+ykN7HyQ;GhxtNyt9ypKDEJX${TOn5#U?I~O%oEB-4!idTIp8+ zeiZ|L1^E2)JbNb$9bdQe}J5?}+HN_A&xNWZq;n2LHH0k&ZSBrU6XG6EQOz5Ux{GrnQi6+8TV%C{j3z>S*>2Bf|64 zy*T(j5Pud8nQu0ZWaa`XrKQ!FD#k~t+feWga0Bjvx5L~hxC3sU@m|dQR`G5DNM$CY z*2Bcpqh3O-?Z%#Xjg*61_rt`j*x0&M+zkhqfC_tg~Z?XSCfwz$wPsrn^y0NR;4lF}eJkyi96D_nMCKYLTno$J66?bhBHn%$)_Gd+(_yjYGGM9M zb7Kh&e+N`F1E>@Of-(@{!vN0oN6L<<^KV;QEPMi)vnTA~xi9A;a&;z@Din-$Hed9lTFFI_{A?XxRw*3w6C-Nif64d3L@!HjyezbQjY9xz-Zm8;PL@;8`oZ zuUA&GMSb9+Hq&DRDZqX_k7PjnNDmM;oSx~@HbjhiOw|8B4t>Ei#KwvwU)zF)?`3;1 zAG5JAxA0xVHE$BHg%(R^b?Pm>vckZQRDEpm2A%b64`Ouj5}h$wP6%`J+v#c`*%dhS z068eqpP;Xda@gHck4WWRy{l1%x_UM!%2F`I;q6gMioW?d{-1a^^tLCIk(3&#SDrVv zXMrS0O4S#%;D%Gg1f>N}``5Z80TkH$TP8xi!ZEz#2Q%m{l>efe^`PYIQ^T@TQCHtU zJ>aj4g(KIQ1*JDk?Q3x=wa(-@EnIf|WNN=aJACC)M-D)qufvXM7W^bNzlT_Fc2rwn z=llqh?`+<*j(kVXopk<#7GKF1&2z;6WQb?dbGT$3V8li9Z~+ue^|KmrOJ3`~bgcG* zopB`QOL~DG#LQjoKns*E9u6LU6cRkVUX!ge(JFo z!NiKL?#Ctt9XtM?y@4m0Fqyi!lSzj`b(0_xV`5nk-3@fvz=LC8XhL_ZFF?J(1R*S5 z|Nq<($VGstts$1f6)}>9i+{_01eX>!>HmBZCZkNwZVB)5VOW5P7ouVwE4}bKSRm|? zdm%aJ3g{{1UiE`8w?F3bW*DXo>;cBOHTo&k)w2O*rfWoU@jhhSL?_eRidw+Rvstij@?%^-c}644ap41ATd18p}^hDs#4m+XV@!^6TF zdts>j<}?v#_#3jLa60)lo$ft^WSrje0v16I8#YS#3lB3KwWtTchaf)=$@z5z*%%!D z6ihjvqLZ0rg@c;^Lh7`gVU(yR@_?^`%yz2XhKYBI-_nO4K7;5*M}gNI3VSvXdoPUA1NVrY&VHq4>4>UxiI^V2 z-ULayYhx4>C4nezI-3n%9p|7r8jR>w<#!OByz306yH>(e2YYfmf!&er8+3m01hjoH z%Igbf%v}b1;>)5x2_p8l^h1x}5Uedgk0v2<(!tHreUq}*!hY|nF}vS}+pq2K|M_4z z+6ZL>0j3tLqE-^9o0J|=^qdjoigIS@WgU@DJK0cinGvc4ud#T#364rBq9?Ch4aVbW zr4P9mSNRDG+q?XNw`N7 z$K9{imLq5hiF~&C_NNBoWqO5oXZlQR%kjcy0SA>k~tePW4uY_~xzpbVp` zT(J~2pJG^h57OP0nnM9%^C}fSCaBvD)NBfhCGoJCniYOwm%#+8S+EFTCWXc(d_?Z=@Q2O*Kzg#r?JN~l(#WG0~j|OF#SxJ z<%xyg@G3S*S{o_+>EjWa>|3Wp_qo>|EA&4peT2fJ@o>0KVp-xtv> zVRGPcT`&L?Vu13N>$MpmX)#Tys35)w3;9RKhO36*Z+4`F(xF>KEsUQoXha07Bh)qeRe+9wQBZzFi%fZ>Py zhmjv1lHLUpL@YDg5;h_%{0X?kRC_E=6pI?Z{P_0$)!bZ0+-t!HDwh2bUwx0p0s ziK-U$QlHalQ#n6SoZz*5vghLmN>dC{>@C!Tbyhl#9^rKhSxx)FNg^(Sf8K_&94}H@ z2GcvcK+SzzZGKYtUDzSRdWKQvMN0dOzLq#9L)v5%R4AV`qYwjE)80sJ2wY8bu~rBQ z{S2el2P!i0F_}ARX3FC|4Z;CvDS*1bZ;E$yj^UrP=KpqPJNu9N0pyv2g=W;%WsmX9 zqZg}X2Ic)&?<0N{NzV0rj=C1-MzUFclfCF5VhVi~i2b;5ne-cCJSA)B)5>lve6O{_ z$pQk*?>f4YJ;Nx)Jcs}FZ43(KP0?}KoB!p@Aa6n|R(hb-%`R8Ov( zLS61atb(Q76VyC(<_gnKHd32Sp>E2#M0#x4FEvs6Qm5TCmcwIiPEI+}{-M)me(B4M zG^Q92asA>^#ig%czmG=xG2uV_#0km)xQPLel z#UBuefXnntuwFh(`s5KxgN{8;)I(ssZAErw0!$wvne~Tm%YHnL9>BSC6Air-S8@`4 zi0(Z9I~^)xUq~N=ag_+#E`CtFReEe*Q%8Tir4G^k@Xx4+eO^pxa_ax*0ws7m?(6_FL46D zkCK1RvvqhJ3siCL`${ z+Uwa+SB0mcrt~#HE+et98ZvGzw99KBf#9enB*#pYWR%y1*!?3 z@FsxsM!>;Z2SH=g-tjS$NVou5-gJm&_y>2S`&esbQUH@&+yQt_AqR+kN=Wg# zMRPkMO~^asq)}ZPGvsHi40q4@0?IW4KRSqq9K`9{@SX4xdFdrEHmI z0%gGv9upIaR8$l3$pM}HHU;9kGA1n4k(G&*+Jw{R5Y0sf%v=ST^=S)q&t0aa7Sp)c zhkp49P20r%KK#1+J8E}OCkgEaw&x|{qQ!_CuBBH$Pm8Eq`eD}zhI&X?ms^;zd4u%O zWoFc03|kl3?7K~u%9M{H@mT;SC_DIrFktDBte%Moy~qzVDJlxBgzLl^dGDyw71T*^ z=BG!7fb*yhM4=gQScjDLCiQ*vy}jgcLdk2H`wB*XPi=hH*evFkt<|ovxoqM~IYWA-cV&BjWSP)(tec z(D|-K(x<{=rp{)38sCMyN`Dd9yQrK?^(2BOL8(r4eHBeLMES=caa5d?gS2jVx$u0B zOle-Yfnavj9dmM8X%JIx31(&P!{Tw;dfN<~B<7|Uc^Vo<50MaD&DN+W_;NNb8j9qX zn9sNjFeRZRQ{V+QA2>OUZQ@iyTVq_oDa;S_6tO_aJjSf))KMGq#o1<&pB4wph0hrZQlouZU6x7 z4xQvmmWgub;d$1sG}E_w2c33)MrbD5lNTV!q4`#DcAr882mn>_UWi*mF>ZykamKXq z7(ax_do7mlkfJO{LfE}2Kq&{D;^8P~J5U)b!b}1?gbL*niR8u&zAw#mcM!;2?+roi z4!Yh0=H-WB;|6TYA-|R1QTN57!Fi)}z+@Em$s>SZizm?Y)$GSq5vq{l-(aLyba)VW zMGcO^#Sk9>OZu;50l4)E|FA3&KCkSB3md!_9zuZoGm5ekEG$ZX#@B?Y|4d;hYYTF| z%_K`*qbylqc$ID~J1QLq6cyrC3(TS+HaF+gVn0-m_w@L8E=PI=DK`xK>g3_B;6oRUf0A4l1D`R??fjnL=%;8-o2rZf>Oi>sor{ATpy+o1 zvq$qYJOsMlvHU7KF<*O+aXQE-xb?L0Olo#DBxY?Yb{TC#hH?t2JB{$>-^+C>;QXJ1 zbDP7{$=*13JsgERH4^7e1d^tji#MNRlhGuPTNvVUlJZ32TaOr4qfH^4*`2~VI_OB= zUe?mGQr)f>{sF4c=jtxKb|B1#`W0!zTGP~_2(O2;l#gK?Y=5@ZC`~j74ATuNZ!H?) z(Q7EQ@XSSZBT_$sM%mRZD)&hzkbzlw6>;0lV?;V#` z;T1@@jRrc~{{<56;NGx+PuYrvdvHN0<0EpuieVorQj9!|8P9f9_X0f_v=Lqd*jvfZ zfUN%;wZQ-%L=yWnsAlDA!pTmcw|ZU-{%7rD#;<_VY7i&!gUwPS1p)hqTZX%SX@y=$ z0J6jfNUMR18F+_rF|L;_6;H#h(?hR*ZUPGncz8Qfu*19klF;hmF!3?l`q<7CUWiiL z5WWeec$E$gY+ete@Jm?lGgl}42x$Oh4UO^Y5~OsE6VF+!Jw!SaFHsvTV06XzB3!?j zP!`oIn(hhIsNiy_A3i|A`EV@{#1$i{0~R_dy=$O?eU6vxwqz5t2C3PnzGzGyjW&ZHIAHJEF#QBW}80 ziW2kF=ycf)+)exMW`O7)gOjym5xH1Yv!og%m0G3=-tvI$!c zTjWjZx4K{v$d3Qi!!0iXeLG(6SiT3j-b_=!*M)=Jlx3M4OGUxbHd4~~P!6n56!#F+ zXsLB?Xt1%9-J|*r>u&u*^VLtn-la&~ojSwj4Nf3ZHwttrHy73&&fVAvsL^Xc&LDk` zLLGocwbX?lRqj)OL3J@H)Rzg5svHklW=&`~K)VSYq>;?o%Ae_6xnkoL28(;dA;I^>>}()bpuM_9W^$>Wa=W(+0#R?xgy< zS?Q%`_kz!a3TrsnGZ&P2Y`^7_%Uf@YRjfGL#_x-#yEw)sDgM5V%`A9XaveQ~xHvJb z$L4?OJ?f-LU$;nRvU3le3B8533GSo4m>-l}@H+A|Ws}sOB2%D_!Pd#1*hgZEQ50^uH9x{u@mu)W7%ZuX|vo6E{35S@Xa?6wFj&p z;i)n}2i>dnRSVr!y@hg<;10fxtj}8>XNGbr7UBdLP#q=m<`m{Px>KMLQF{>LkSCNs zk#q%vL_horlnk`7dAoDD{UsK}S;Bo_B~3@6_aSA2>D58ULLuCE9e~`BXm%cia1*6- z9)eGW)H&Y=YRftVhXgeNTf0+G?jA(GkzO?kqn^I?dT?{f-UP%(Fcy%&4B#MEXX=E5 z=_3>p2VV`WR#+r#h7SSQ%3B^IC%&~v*g^9W9AI{=uIWTsWB9i$I3RUH&Nsu-`Ev*; zGh^*yw3q`mr%uTAtX1nFs&4#*^988ZqSiv~6dFTLpt=&&I|SrgB@wnVGMpnjE^oZY z=!Dr_Z)MtJtBir-aH3cUX9oh(j|@vKa9wY8 ztN8EmtgFNn^a6#oK_7I$$&Q8sJ0fpO#FaIuoqTZSKNu(BRb?*%abH+k7BB9I#}6G# z7q~yN1_@w=LXbUVKx=$Qz}^MpBfJ(>{s97WTKJ`8y?YbgPX8@@ zL{FkWR7=6v!oD;{TUGOB@m(Fw@%i8oC5&adQ%{n%5ngEliFZ9N;RnWBnRrJQiQ5>b zI2xc;q`eBgMGuOdfY&g6w25Hoq5=o5nNDR_fRX9Obuj5(ruIb}cZ6qBq4nx!ym_|* zP0dg&+=oopXm$_ZxEC}8ze-koeIlC+;$ui|BZzI>X%N_0_b}Q+JWv>IyOv<>n-=Kq z3J|%E3cCjm2CB$*v4sTV2X(i>Zn6M}e7K$-taQa%0bDHm3`zsz@=zg-k)@xE$|8cV zO_}!1##%N@nIEYI>AAjB2C>=#9llmn(+CIkAldQ{=yzXpj-`7j7Mwd0P7jPFJ|fc> zG%s;R)0t8<_8s8)=VDw3cqh&H6dLEwg`3EVwQ1;MdmCXNOi14uGy%+0GH_@x6okON zLS)!h4O){keZ8MKbLp(Gtf4Osa$KU+0Sh-FU7kn6jY}y2;0iaPK7xtt9n1$Z#iNvS z9M@C*4GS{VODEK1oErzkEO2LPDB%R~S#TbQF7J0Foa84HHOMy;%|v;r5#^H!wBc4l zL!E7lCJn&2gidJFi#B`ybxjEagj{DyFKE4*u0oTcWW`x&sqrVZhYnp{_7fgO-6tF^ zX6r8d*%|bk{1b6Xb0qy5%}Mnbzl2A?%o3baH!?gk-Nr;QGwvoBpE!6`T9u%EhVzN; zE}98j)5I{oPZ2fQ!gZmZd?H*FzJl)R$wBRkSQHgZQ-M(wuM2kOl1ul2N^M9Q!nZy8 z+>5xQ@niN|Yo*P4myt-Ed%HkF#s;HAe94ZKdjjz$TDpURDcqp)9iWwt)CM@#+Su*n z`M?S&T1JwpxAOxJ>P96q_%yMPEs-z#2B8PejXdgBJ-_CH&ri*~pxPgcn(o?f+3*Z% zph>X%91(Dmq54}MRl~wf_fS`pVC0*zbDrnr8ic@E6YP6?iY-Yl_#**udumP^=9 znbk=sU=rTbBBYQO_>D}IcwOKYoX8(hObVSyChXGDfgrJF=nrgZFBc? z8KWGxyF-)2m)lv7qkbq%v)GrFQX*7Io=~5PQHELA5zt#Nj3>4g0Y$1xTByIWg&e0M zgLaPZ9il z?vZ9;+ne!B7yfUO%ks94&qD00*7l+92F_M?-9K1Y`V3-Lu}>~z<5j_l7?ly$&s`19S{+o*u0 zHQP3ycyQ=oFlSaIuOo=Awg|Irn#tB=AsRxP@L1AS;4z;$M`YaH3F9_C#=PxYqH|~s z9%0M@&jKQwITm_@?f7sL2|k9#5z9Z_tuWXFp

    in&M;b=s8@+g z{UB6rR**XL!!Dj|>3fp-wZ515sIBK^SqFEoQERWXWo9Xu>snJcCO5Qx2$@yWllv|l zJY%EGzlP7BIHz-fp@}<7yQg_RFZ)pakm0AP17+6lWI69hnAe%?Q(~`VMCEyu;teV} zys)siXn3W!rIWOB6#hC|o^s_Ov)aad*;zfhz1oz(b&BMY)GjrZ)f9u{#3t8LRYdb9 zG172bYn07yl-SN((f=v4e|^n^&) z2OD7CM4LwIdONJ)fqc8>k70yNHB#S~rl+9mw_Lrd1Fb(OxNa;nLgD?4p94z#zzjZaHU6h;A{sK5=aB;#(m#NS3Y;Mo|;{TkNM9#5z93?ogMUTEH%0 z&g+fe$b_+o`8l|-F^ca%uAOK(0j^9`sU1Yb1W!A^pDlprw&_nMh+JIjE-#VifFc|4vw9?uRH`>QV|nU;QD zCQ0{3`mFr@?fXU4B*7X~m6vZ+W_B3w)q1tsd+qT`_BH-AR~%OJTkQ{AHcf?rT4oqg zdP;{^g9qodnfWXejc+>bnt*HY8|t}0|Lm&H?RGxhRp@$$9zd1Q@yupDs?hZ}X1ysb zDsHr!xP~7jUlpuP^DWzhs< zCc*XGVj2H+-WQ#Bw3w|gP&%GqujxHzBxhLdu*G==m)i7);Uv#x8o0nK}Uo)%?Z2(W@Cg&$E;oM9HZ#Ku=pseon|-%RG`9Hz}$3jU&>s2AOj4Lu!HA z8e-OEM-OCbY`WzUj?ySqdy-|?sqVpQ=hFC`$cjh!Hn=B=la*9eaIb|RkNPtcmPxyf zVs=D8%dnyg5+Obql`;{rj|Z6-4Kk~bn;xtCZB_R}`P}8ShTD8cF~AVNxU*rkOUZmk z@5)Cbxk|ZpoJ3g)yff%IK-agF>)jKql3U69CZG~~j%k|fI+d#gA6PkK?(_38*Vgh- z@z!g-@}<|ku2mbH;$D)&n3U=fZK+c*9K?%*{b;k{%*tTvzoM8o$+1!WTR!qE(gn!V zi=xTzca^B9pqt5hm#&!&^Ec|2F8o{6KHW&VKF&Xj$qedNV}s6tr&9YZ?bw{QuUMh$ zq+k>b?WRibjOI3ubAg7VIIih8uCo&6jPILQ1ar+=(^~cSw0CjM5zZTpKV>etH0jjf z`YY+1rO?cZ)JS1zu)z%a;c4J_w$^hGgkzU+R=Kf*ij>-3R=-cz%bT!zT_zRf7pBXuqLkWZ*=b@0~x{$%s@gCOw2?QNHn7}K!k|MAfO;1K|xVLgMy+0 zf>*F!P*G7)vEHp0ytUeDt5#ckvBg$ft+utTZEb5?+iI(AZM9c>q3@a?*1o@+=BpN>s3=e0mjqMK7PvnLlP54wKi`eLH;_N2cDpvy1aus9#i7l(e zdTZZA<5z-tzeAU(wYjL@p@-AI-n%oO9N__GW-G~%4)qW~l z>SeAn6I&Xh)BtWwN9Evn$68fco%wnJ+dZgezrka?07@~OAj@k`_LPk7{`Elo9POoz z{Rf5e5VjcA4j0+o(KJJgH@elvqJ|xy@xVvSdnlqcz4x(MJu)|Ets+hpJ3evk$2ZJa zqkB!AE?jMY{V>^HlHx8&0W}G|fTYjsjw-pAjkkh~HNm>-pgq?CYc!%uL7!Btu#KtT z2T|;e-$jTi(doR+VU49veFti8XXdwMdZRnU_Jb^CO`|_n+a{zhX#1A!7Y_>WaqP!{ zM_yW1#?I!9D?{0Bta})`JvbSqvhR(k_yI2<&Ne=-tEY_JhS`kf(YD2xGU>6AjW4RI z#+TLQl-i46HFIrhWXhXd<`Zh#psD)Kki16E%z@8jcx3yi8;r?u<9ZJ3@JY{U^cec7R;y)21_(A(#YZNDJa_$|c@ zOm8M`dB3vlI`Be6E!-zB3wtn_ zS;{Ka{0?JTPaNH>#Ggs00E(8K9L$c0VB>VI1no84qoB?h>*6ZgcMYl9HAGjzW!?;i zb4T#{?Af}Jey%t9n)NJ+!)(jQx9y5p{3>ly(|}4uQps4sEy6=n4+gky14^viKTOAGvw`8#%f^Yr9fw^H zvX2^^ff|W8C0vR9DF););w2)(b(lUH-t4mf;of&ZxB=_(h;K5{#+Jma@38%cuv5Ft z0W7yFJ(+kmbAb8H46ex791YQ`&o(cz-u^);1}n_tL-7w}89OurA9VzSm^?C!tiq$g?`VzYkf$4=9< z9u?oBY#|Wi$oPZqgRNF^je@)M^WFhSy1A+cyQ+s{vGth7`rP2F>xiB1>K?aqh;L8O z=i)P;77AJe%~oAHovtrySq{b{4#pGacA`!*48t3cICHTT&Duv)g%RJxP z_$%qozUGD)+#ScVLI@sEQA50cbvbFZis8gneA;-1H6LJc8n=}A#Zk>+GM`93^&)5V zRsP&==BK0f2{Gb?7?er3_A@pW>8I6AsTk{o#Lewe9n(`?wS4mGsI9=;nJ^=VS5I zouS?ed-I-~ZepLic?lZJPMj=WA8ibdsC?SjyN$|yZFHGZUe}_m$2Di4jWZ6SS`mIf zy(GPU&Cc-Pbug=1uTkvEaQ1Kr9H}@Gq=JTG^T8gWeyCsiN^Y@o%tRpMl$0Nf4IQrS_^XTI^)R@-z#e-g{l@R+WY7-`sf;o)KSPv?z>eq!|n#ZSN?iRoZt$WV+oSx>h);-Vt zu`+Z@`|Cu>>%^h8&Q(TnEY%!|s@5N878KHDZEA?bVINVHHHS!EpCs&0|5$f{M47r* zNk=WWROe&Pf50_gy-il9GNFzp*CK+){RuMplP;>vY0OUA7-pQ8@~wwUIx~o#9An0# z*iR#BYJYOGoWAj>?z>PnEr=^_)6bs6X^eHEo zee5$lecX%yo&6eR7lPO?)H;KX_=-MR&G#FKo9S;g+#W|;=(Or_zPb;d<=PrW*xSw{ zZyXCwb{VBJHNp6q%--}2n%-w`%AmvYk44q;E*pO^xTQN;&b}H}aEX3OP15OquvgX2 zgA{#|Yro0SH#szWZX>K@L8)G~H`@Ab7}tY5%;LUivhnr^c9ohglh8Qo3mijJ5o{Wz z8&ldho9>}uA+D)7&iwm0dQdhhV>gUJ1KBmDL!gN;_P39bBlC1sL^1Qg0B7wT9hv0G=(lkBXw^tAG)}FC_5mLm{b^&>?wq!5~iW- z?0YH6ZEVE>uH2Re@ZY5?s*|4`kC)P<2JD;Y2{kQSkj1%oAbYW|ir;HKD@bGMRZur4 z94pPyy%Bb1uWb#nw(X_lJt@-OWozl;r;Q1E*t*o3Cg_ev;Dx#`g4=T(bdJL#>U3Y) zK5)(6d1Q*QE(lloR97z$LAJqH%-g1`(F2~+0bK1qy{#{(#9uc{PavML+MeXs>&yxW zg~8Qx6}o35E;hAZ_dsZenQCKNci%HOIeokCxnh;ia(MI!b_>5!*|QPJ%l|U&RNqLvt-l_NI?bW!$vd78IQ9Kv@Xxp#M`Fa{ynK+ zQTjgjlwfU_%w~w>r+bdhTy>^*dI7%RxCrr;>a32}_Dm;C>}c)HzoJ?Ae zObBd$Qf+=xjV$f&3F3PKDk(0~eH2P(n_ETQk3HFjaQqoNW&#k$SUA)Eq)!*3mW~)d zipW|^HNHXLQGa}KSk4r7YggfA+se$Jb+agQk4)Y79QV2VbEfIZoGnr_m1>Km8q8?W<)to-C@hbbv1Y?E92zUz*>@k3;6(|zh*4l)ttdwkz1Y5H%-l6&*kP3I2jlxeWfAV%87SbqONZe+f8h8khnubEO&Fvo*)b|D^qJ_ zjH83O$yd$$X0o5eo*Y(B&&$nxuPK!%)P7m>9%i@B)YYlM=#&01zS2dzquj$y5M{@s z^ewh-=(1CqW9+9s^os2P`U$%1I*q%)xkY-IF1If`$fJ8OO`U}!ould+(y(+tH zUJzoPo0J)Ae3z82*bdX*gN{nKCe%7oW4p;t*Q68dXbtLb{%f9*n+LlakmeqZriRy4 z(sKuK`KQ)O{m.-@N4l`$vQU(!U@vV1GR%9i5a>iie9Uf2d-oUFy2x07jAUuWn zQ5WcKSD5a(5Yqs5We{Bygj48WZ40gyR(>f6Cz6wdGY+qGou9HQ{`tn_ zhK=;{G2tNeRZlO~4bMqk7~y-z_-z^fGPts0+&K2!aNYS}Uw|)~$SYi_Vm}NkYY?We z{f${sJ-|)kU&0$~BZ|OG7Pi!2TMl-BU_F1=uu?YM@q3DcJwMpdXIf-PHSiXY@5^xr zdicG?!Ly*#bpR}F>pDQ(@57AuJCOeqFuv16TsGAQ`(d!qALlPY&eZ?Ik10OB7OX=$ z918pf^L}JW|Kq!rl06z^V;Kt=>Vh2+SeSRXE6Ca0wf(;fyDre*HOI=Zkhnb2VlS@b5jT9 zWxscT- zcjp89$c%Q6eag$qCjUL6WS;0CI~*hV+0xG@9ezAu-3~ns4}g1Q-t|+alV@eh+%vVm z+Z1pg>2wCLWS09Y2;Lqt6Wr}us7jTu0(@)BztFZ&Y775xVbfTgp4jQnlJf3Mni zhox-He_#Fm>;u;DvTx9RBjIk%%Icz_JSYT)`(1C1bU*KQx)XIyWipR+k`jhL3}3lJ zYh@RzyMy$ea}wlsuZ!+E2Xr*?Ua$U533;lMJGELKr7+6iZU5i|qi7j5_x}*z&^NDN zzRx!_0H{}8Ti4;e_QfTYZvQ20Z-4VLw(ngH{%dX&^Pe?DUVi?whIC9xcL&aY){y_K zA@VxvUjqKKhW!7uhWx9G@UOkJ$CzyGiya{@p3|pMu-0@22$RwCab$kT97mfCT+-oMuI+AIeOm*qx2)NMfE-V)9{fQNv#Y&?%wGeg4t;i6d6 zI1GNMvWUZnxCbNb(aY}OupU!%!40LMyd8)oRl8Q zO{2C0rmUSGjLB`d6kdo<-h#P5xzW@hJQ|1L5}_Lo<$pzvwczAqbvy{ZnyHXGxQth2 z{=&qNYq7_VY08ZtvpEwJg+0W6yif>+kkg?EKZxU*0XW`v6u%bVgRJ(g(uP5})Ckdu z$R(-p6@j17N>InyS{9C|cW{$j8Ds(%3OHE~JAQ?VPFI;iiIZF_??(7*ynqSMT#73h zmUs|X@-!wF;zUMA{(?tu-AXLPN#YxbXu_MABshWp$vX)Dm})~Dfk!j(*oG7FXkM=% zoA4HRn_DLztb8X#6r$hPTU=--5#3Mgq^!Wvkr+AyN7S0mq^o_);aSQ}7#9DlenLxY(Txi6$ z6sa4pMO-;{@TKTzEbl<14wo@Ii6aeZS_Vwkva%7FDiUs?oOlQS1wLh zqv2>Kh6}?pnQ$VTXAls4pmr+JE%hrD-Z9KU#qdRl_GZX^K|DY_4C(N3hmD3`K;ZTM zkuPr_X@1!1m301P9Uy78} zJCy03+CMElV}NsDaAww^$n2claENQ0=MBowpvWOZ-35iih8K;njqE-uqqt;r@|Yx_ zb;Pj5f+3}&#`YfMNEkCtKQy7N+%Up6enQ2>Nt26^etcjg@6A)EW%sPa6T!2&+C8Nt zyk=xst*W1coH}9J_~{juGbZHEoHeN~tz0Gg>SsR?6xD6cl<3&G>UoCg(+1bg@7_0g zQfYQW;R3EYVU{gVZSJb9PtP71wlL8YIF~Ya&4Lny?wMe9o6;>Bo*5(a)Ktu(#*hg! z`^7CzC`&9DUQ{^Dq)cy8cHQPm<-Nv8Wqn!6$moJxJiM2Q_qv*lks;bG&e*`z*%OLajInP>>XG@- z;GmgVlPa@v0++5-^IodU_~)LchNxM}+8RTgcNIB)gD1?ziCX(`joMhsgQ+Y5pt4IN<{UbLluK=y!=vRq}o zxvNYxS5p^L)MPxHS+TUn8nZfgYebhxf$*l_T->Mlq26KhHikVoeQ_@#O}Uic;EG@7 z9MHVQ?uqF=vN5fST{3tXHz#ZLs!X4?XvoN_@PzykF&ifKO{iF=(yS=0E0AmxY6o&q zZnWa0vhSGEijT-KTm${ekq5 ze3haz#*Sj}?)_P5RVt)T+rNJXhXDUlpBAoArlp0Nh%QW8+V1`P)6y6f+D(~|*P};_ zBOtzmmAa}&QpithlvMC+i&>pD!US&VH54z#?MZPRRa6QQs7BxSBOxRd6^g?s{R(jx`K!>vH- zkQe)9DUd!Choev&s#T$IQz#S6r~&x!<6xxLV?E#l%@~K`f)OzfEwa3o2U5V0U;>_cG-LQk(?Aa6W1yc@&9Uxor0iKA751J6=Bo{u16)C)q(aSPgm zV}i$qvZ>e*zCcjp&{P}(PsS4FloisevpKadD~r>|zL^LG5=2_)SZ-WW6Vzi5$Vnee4dV*Bl5GG_%D;!!}TL9g;=m))J@-qPr< z1=`O&0i3nsaX)9t=^HRuk z?cDHq%iw%V40S@4U?EQrbl(eQEXcu><-KNVBZSn$+x=m@RYEUQT*tOgTNU0B<~K2k zS-~^_LpLCy&>zoRB?wF})XOa(H3W{!^nZkQ7i;$Kz8JNVC3+-@c=kdmJmC{94Wo=hCiV&CUg4S_tyS#fG_7dxkJIA)mG ztYV_?q!ZDtYlT(J8K(Q*G7RSOHi=1-Tgn3x*&1gzwQaj^EYqBPQ3+T^C{F9$yB*cM ziUiMKWnr@7h7W>LG9UcBSB}^}v~t?{4DmO@mkMZZhbyMGl@$2IkxF0l(U-*+mC`x@ zhZ>BejX>M83e=n5uWUI7-JQU&hwdZ-MnK(`^tsy6e5lg5+F%f0MZOk*k+PD1HZ=J% zv|W?$C~DWEGiGg)Yl`<2N?h|H%DISo7gW2y4A`8Gm}$)8r-xzhO{-0#eNR`UW=i9? zYo{54n7P_0Z6OkJzd~AoV67~5tkou;C`HUJX31>=3!zs|BVXn4mU1yzDWj3NHA){K zp@>0B-wNo6mleL{;T@_Q_G=9wK1iRMx@3H&D4!bOIg1_TJD(@{RwVwabT34{Uwv8H z_bV3)>riaY^+WUR2AV77KSVV<0h>3T@?3fp^=^Ah`)=|PrIV&9k3B7jRRn20$rAyT z?s6$HiT^IZ5XbDO`T)Ur6$=IvdD@0`B9lGiIYi|mAu%cWYcl^NqI#o5N}Whsjg)ZI zw3=D-48V1dL&EgtsuTdP#7$_8r%Xw$$UMl4N_Uyk7iYdi!SDq19D{Ha@Mt#H@baGk zssivkZT)ZA_Jxvz02EvA-iUmmfCAWGNvncVaDYZ!DT5Kuq|Yp7@;rkn z`w+D_0=0Zx7RvOg%gkMgTps{yB(ZZyrqweO=CA@JJ__j((Tu=<_YrjI5fQ?Ky|p+S zAUOa=Fyjc46CL4)`4d5~CtcMYG`^H@_k#=%EOc^fOf{$FDfa}_(9L(t zbo1Lw!j8SM~ z^rrE%uvh3jRffI1c%2f*pF& zXP0(Uc{v|?XPA$WFwMklvZgDk_~WmTZza3Yam|&RU_45B3R+5P5Z?z;i;hn&z*KI< zIT9~khO!0&eAw~zwP%rcY5MDG2-VLlsYzM$4r)J$&K^X}HEo;p4tm-1j>5IsF+du= z_*;c@u@1R)w?d$`sphkq#5Vzf5`^#gD|;~B)&nhzK~7I7{v`e(a7<6Q?1AWM#?P3e@%u`X=X9>I1PK=AH-e#zo{@ z=~JKTP#^#kKFn`n=M6e=&=VtO9` zsqA%TJ3#V^zavqLXAH;Qi9|7dNnJ!Y>R?Hjoc}a(_k-y(D=2_@wZ0!Zu*JSoUE2$B zFQaie-#hyRrT(Y@o_ zLOXms+-+2}CU|9>GO;TGh*R}1Xry=M56R@<92d!|Su znTm>&P$^B-M3kd9%+XC#J4?GH2Pv6cUeSdK&pn57OOf|IX#)B#XF??arDEp3!Ho7Dgl7cm2_x6ACFw`UCu~3wuaGfh6kuSuOBm2z4eoa__XFTfxybR{_ZLFk;{o~<9>V2K#&9MT zP;0CTR~~6>JSwS~MafmFmaU1q&CMt2kTr5ArIj)39-JaIT#$o*_GWq`x@dT|A^9RPM-hNLjS zDPB!hNGxC_&W;4ot8nfPW6sGudf7ZW%cc;ZggnehQ_Z-u+YMR2`Cxj2cRUcwqH&(D!PGYK0 zE>@6>VCU0Un>qbg6j!?vwU~8@8mE&=OwbOo=Blf-*p%-IxHJ#NQjcHDM_P||Jc={a z<^rmbfT)f2bxO)U;{>_^fA>M!cUupj&Bkon9I6&)lfJ>QI6s;h(E2LW)2M7c1H#8S zr7xS&Uswu!@EXDYA(WpZ+=Gij0;zNT~!22oLb&*}Wl$R4NG zMY<=V#z_rbnD3aO!ir5=VnFF0C3!sKMCkSRovV8?^Pvml`LT!^XkJ6x*J!xEv~z{E za5K$(%9`JRYTnwjf`3ct0ERw15K#};1<}7ys5RqPv$%_p3Z0k8=C83LxlU#Padtu^qw6*4R@V2^q-!R3S;=lq2hM%aI*QM?dn|B|vk8J%df4$?UX zg_;*ek!7CeNN;^hGgD_6a{R^k4|mp~IV(ktN_<$!zZYl{YPyh5HB9k&g#4Ci%!|y^ zqJY_vIw~b6or&Q;MV_!g;SMwM>;`PAGbL9oLezGC9L5{|WHMe;nnp73iGLyLxB90r z@mSV3=$V6vs!AMwep&Jj-Am7$$xah>A`9`728H2B|F(KSGT<*u{K;8uY+c2T|L*S|cB!^z{Te z_GYk8^yyuCsx|(N_&-h=wQ0?(wb2(8NHC{bw)Qi>t9Eop0{BVSx^Yg3I8cV~6sC+Z$kci!Ao6Vc5|p(B zxk&e}K(xMc^yRPIW(99h=0uV^+pgD$)H~3mIWXsdKseVNO*v-3I(Q6Zz8ebZDd4#> zB%YwwO^BZk+qgE3y6&m&hP~kY$r!p=Y~-ei`F!J zr5)NF;5FCoK)NOh#KbAc;8~N6+)pT+seN2OGwF6+=rtc=CYy(=nNj&?Fk@=3Mj6$p zU9WKK747?wxKG{(J*m=NXU(g+xt8Q)mn=z!nuBoP7ta1Wup z)9jxHU0UkY#q1x5v_qUX*{e3@up8qm$F58e77K~YN%MQmrO;FRnVyF>Fg@*yDfXPU z@5_Mrxan=e$!yEj- zp9VWCGC>+{^0^-+q>TIVgU7^3mifjdB|>+UN5B)X(KD>Hy;| z+W2^g7_DmS4dV1FrSB8U;BhKdj^gD0>dbWChk(xP&PEM@9`BA(HSDcv5kFLkr<4HL z3E%Edln|VwVm`SUB{qHU-F4{kKOeJBXS7}H3uDDxb8!-{jypertTqrVUpZ^R9ew~rh9!Zy2Y`}HCNU# zMc!#3kTu;bMy`5ycdRPTFg`@4Y6!B%mkWEF2!$^noEG?%lye0sUR3y!Zbe*Bl9ghT z(is(WB{Ml3lj4;u|G?%xg<*db`7TTuhJo7+pP}&HA@S`I$TJ<;_2BRmghu3K9T?|Q14^fp z(t9tGhV^y@%WJ^>EUGx!xxyqpdT6aU2T8$D_*?`Id@z7*?-fvPHsT7?Yfsp zSX>{id7jy2u2l1V$=lV4sc(H1-N-31&kO~hxpx53SkK&+1sTRzIU0o17RFG+!QX4l z*EOyez)3|0$eyh7i((-Pk+6H_QYP_vx3mVje=;-i)V`VtNUBX0$0Lb2vZRQuZBG`E>4bl(X+pq5V6} zbS3kCrh~+9Lu5cEG6?_O+9EpKt^-3&G`x3EnK%*f3T%Cn*18f*A>d7&+dVM<06(gn6Z^c+bSp0O`#`m&I2} zUmwQc`rfhF(?wb9~8c6!X5Fpf_|5Rx-UV}v!EmVoZQYgDcwIR z&zB0j5~K2o9tDpXVz$;<8@d_H^!wyR369mvo*FSSfXn3LwV#Q#pE4EpMdp0IR#_AGo%f9)K2K?)f5+Sp~a%`xreJ$mWJK zd6^$+2mcf*79ruW^hL}#w+GqBh5$iD528af+F9ovFm5L-egH8!>9N`+shMc;a>QpM z)YGF?xcZQ5xzCxy;s(rp21R{_r3_=3TGS&LV*CP?u^&rTU#JGp+)LrMr`6dl{SX_=;H0+3=hF0x*v5$hcX-{lNsWTCMg+$YG z(wcjSt=P91fYiSRkQv=19eLUu7h1H1c!^37-^0>$O7GZ4rb;zbg!^qQRhBMO@WT|Y zXUM^PUj-Q9@JR~5GLJRJk|bq5s!7&?L~PBEp{nCA#6Qn@O}F z09*C=FuGQ4eyxx2hdVrg`=c~kCBaC6mug zVY;`~l8^JFkn3UlY~A%-6l>o()-d&S7HV0Fx1#uFN8iuH9+cYH09+4uMOG0-5 zO#TvsFxDV4vF^t)e+I*zmOGPNq9n(&cW59+1!DhF!_^TeHfzj{8fQ9f`$*fzy%$MV z88&wpDg7w*)ppIflh~>~Dl9nlmbgMyk^>kfxYk%~v5v8=mr@BG4BhJQ>SmTy4d)whJxcq58K+4x;(EK?HIIlF;#E^eV z8(^*Wf&olzExl&+XCbldZCfD+_VEpx~WY>T4dx zfF4AO;-1y^HeT103(d30qD!r8*=k1c+7b^lLAiaAYjEO|K1bOqCQpb59%;OCo($TY zkB%)s4d>9(178R`!~sg~EyloXBUf{8Gf$W9#GnN9?843-W+*Dh{XF(vnO-k$L4bo{ z1Wgfl3Gj*ckWWcPr=ZZGGB*c>heb-D)MM692r%42UJZ# zS$z@RtaaujFu#$QnoRW;KZ6AP5>VAbE}Z+u%Y41v%s4(r=$)*3l^bu z59jYj*oT(qX!`D@#zPN$1dGqdWa&rYQume$aWL|)_T3fItPA~;LljWY)d~re-j0XJ zBi<0xQ#n1oto>ES_At`|(|+A^gq^kqnT8xn0qV>W3z1jN76&mtmyFIG3tQ+Ml;Kga z)6`6VS=F6}+%pjj@&s{uAZ-{UP<#r49VzpcpaJNBKGL~6p{dTzPBhdIxrg|}Lq(SudOf-N2p5Uww_H`A;y0eKjyw~y~GT0pHdV?U~yqT95s>K2*VPP>5`p{-D@Ov^L#(Q2Yte7fIlqrG zDB-!&DOhKswGC{r2I{!rWFD%7z{GkoHUDKK9JOE9kgn4pGu~+*q;L;XXouCGkl8rL z^R2>ll6-@&Q-JPOtW&UC)gVdd3oFWJDnt-kXLwiV&}24U737@()5)n3ep&JA)6gN0 zD(E2C;JDM3{KpFSlPLKU1?7!@vOrz-ytc#^%Gk^$dh5od<8RPKq3k9&`l(z6e5|TX zMmdiiZMH`Tv)9PB7G{L&Jre&0197HdOMD;%rbW-Ve`lGu$!QG_c)N<H4v=}0hsUn6WDxGLp?)QaVLy*8utt(R|5+4kxFig!Ekvy z_dWcv6Z79;_YziUVOzd;$r_sR}AySY$UE**ihPV=#ge-v#)Gcd5aND;;J& z4+)DvpRpp?XD!=ArC)j?cLSpOgEG|}4B95)lEXos6;VLtO3Fy@buzJVV$}Ko!Uz0Zj?irR|`VHs3RDu9aZQb^xHotogt z+hb8Vf~9vELry+vXgF|ju-K&Vb>o{9@ug(qrVQT&Z85Xj+kexB%vsLB5UL8}j3LNX zYA8>i%)F#skv|@J^NCIT#sE`oeImNpB)*84BD?~PZ+IvA!Ol1tE zx3Rbf^S5x#H86?3#bgVhLXc|WFTs|ealL=xZQP)ZboC_j8a4uNG$P3f>+PTYq*+qB zwyXE7FyB1Ll(mOkcSYORH2`R|ZbmZVAIFCDmhaXqKsig83AxV%X}1aUNqnpoQ4`D% zX6F(EBZkkJ)KcUMBug9M)L;A(OYv~IilsQ9#u@oyWL_uBrSru%M597_)3XTXXH6`;S7+VDk=R(RW#~!;t%U^RfhV{E5bX%trBbWHd&Qd(9Jrorkox zKN*kv8zjkQ7RgxJ#uzetkfVJj5UWn>Nu%$$w8doJlbF0wm2boBJRLbOQOkG=-$uMe zk^Ui5*KA^vuRV-S>vG|o+BbJQs_bp=6{P!?bTZL3S78Dma;G5D*gi^8Jj$@f{9Qit zcKbZU&qK`6lhJtPI`mmFI<{DO%!xt0;f6nR5uFf%j(8>oiV3QQ>&ed$nPsg*f$6R( zTMG|VRZalCSv$xgUj}$45il7vls&&h^rD7}TZ!()L`lN{eo|p#POqnap)PyVl0PTy19Yc031Oa*DDhijWbq#I8K%UHbL?9p zYo{RZO8Oen)syasYM?3g7#HyedU|QWX4V6(6inSVlFbj zre9*#!WpG~fEG@*9%8z?D!c=oulAD9uFGvDS9US|$j_N%`#jeISR1D1Pe83CsMoq5 z2!`UH#z6kfDFlZmKm zz5xRPy*W2(u7Nt03x)c8qmbTqejX$azzs`5I{ZMv9fl)Tu=N;eJ{~F#LEMv&C=dD4 zKrDPvC=j3CQXJ>&?=^ZZB087izA&{`&J`w^pAK?}Zs2GP0Xob^wSFBmSdAjKJ**H0I+`2)s7X8k zn!YQ?V5hkg79LPP@wc(`2(a5NxWE(y(a3+gFeKw)1!HuTlJlfJuoi4Yt$hz^K&|TA z13VFn%3`GD7xXou-e_-FU0YL?b8WCo-s809gWXiW%+1c1L~6C6W@jd{-XUvi5Urw+ zJty+{gKj|ZArxXC%^S*TBdLQ z6fj>Q_DKTM&oCP-Yl;WV9gP43HrWD5b!D>28CZq>OYn#5glrh-kI?|$7_t>0-)R`w zVb2#c&5v8&32z_wFEGrp5PhHm!XF6tO#T4fyyMp20M4$zu}J>Ffyj|4dEUo|Lxs>qaS1!`*(J-=Zu`&|Lgqj z77_n{TaSC42AwOLcm97UuCt>5ds*qfTYE>bevhBm?-{}R>DR%gGIQO#FGq~%>~)#9 zIv@Ol9c0$J>m=!SW4iw(nYr$JcDLU|yzulpYSqZ+c| zZ08%YpJr#h?}w28C+GM6XE!F?>tGnFojsIr@0ZZ)E|>hB4(5{1X$5$qqk?}wb<1Ph z9~lG2+&@|_$h7Qy^3OU6GBxGF)!CHJN#S0F?iDE;_1;U?NxjZw|6bdUQP`RF|1@s@ z`%RUr2*a;4pU&Co?-B9e&#IGZcdtUPd(DGcvKWlN{||`*@zJeM?(@zeA;eBzZFP0| z)DEABM~)J@&Bw9**Y`ic_LEP8?K*hN{AWG+=OX%__2i#&!97m@&wBEYiTpq735cox zSx@d4=>E5@C;#du1V*FT+KzA#ni$y$GS@dP+gCLnwh8d)KG!kX1@i7QediBIu8Fzp z@`v9HLG~w>eR|(Y5iqv8s=Q)+$1<@I>vmxK>84MyeKmZ^i$rHOf9LnFRs7YU{hr9y zKH&Fb`XhKk1QaVxo0bbPtH$50k!$cU$rT$fltiN7ICr9Mgd21>2_;6PijSASW5tpR zq!tr9}+UpupltyD!Y(l9Q()Efh zc@CA&gui>2KL^I!rNtO3Q@$8}%74epISS>G{*wACQNqMjT-r?u8I``HPzk+D4e;Ho zoWdxvv_HI=SRSt^{|j<+m&agLLa&l9FjVM4cp{WO2bl<^x1r@i>3i^yt|5xaYyeZ;@r7kc%Eo@>J2FTKk$0ZJ6Al0sGC*rKo~Eh-CP39tlO)E3ebWYJiHEtG|} zgjhl?jD@v?S;AwqF*-|xMQ<@!jFw1C7mLYawseiLSU8K-(k&*+VzbyS(UusC!{UtT zZh>ttASCy+^s)#R(GqKkv&386mfkT5mPCuk(#Mk2rLTR>y89VcQ8BKAS)Vfj^0fV0 z3oz@u%R89$f4Qmu%F7mQRJK;-=j6~NnGEtj*%?{>2Q<#mX5B|&y}I*}Ufr2k_P+hE zcj4`Bon*y}2$Y9+C{PR@1D_W$e9c$F*FzZDf7~cH_?~NPrEgYRN0ZyJZn46Ca04{? z=6Xo;zfktSwseek;NPCdr0jXDmOYPyz$HyXsgr{JEk;P5a^!!|_V=;&_4}Q!_3F+< zdUaK_7m{GR`ma(`u|G66m3GbR_$jMi%KOEFpvyPK>?`aA942zgnJQd5B`&I zo#gtv6XlZs>s`oW%&5DBQz-KafNltyDpL-nkbuj8gSr5ffGVp&)fI!r;1tC`pxi)A zb=Lz;V;~)l2kKyRT#8IP_&{ougzcwy{*zGou&{R!>LI0WfzrNl2N3Gz|H0n7hc{7m zf8TqjnUYB}yP0V+ZH6{ssqkCOQK}5^Dww zD+rM4iah0V^aKz`#Y4yaQ^XMT;R7O?-eTOM2U)E$FP%2G+E-BkJm=_cJ=hA6Zw2{) zE)7PLjc!+a@^CEv#t=}3g=%;jkQ&}X>=SMD3mQ;m5=%7DjHwj~a&&e{c}2H63w`@< zJ<19%Z4O~id+g;P$F_Gm3o`oRnSdCqvt4-UaUjW=Z zzC_`fQOZS}O6G#? zK;e{%?c$w#2zKkDCl+{_)y(^BqrR{j(BTU0303-sKK&s+1iBKYfv@GLtLP=1@f_dlpk>lHClYS5){hNCL7m~- zT!tHzC@~88u1-^zlu;}&#)?`k*(KhWBj6^$nV0~QYERX~BaafQgK`zOo|j%`)}o?Y ztlQrfXTQW&9N43hhB4Ct`a2kvOEmSM7+&)*DsH=7`a9kkDQm%2feiBqs@`{qAEm*f zyuOD!*k!_Bii_oK8cBl^#I4ZQAuXUur}w~^R)%{jf2e`xXmG882D%7&J+nO$Drh~c z0}!d4n{w(r^EqBjucL<2Ep#24n6vqMhI6wDx$taVG~lJZV^XdKQ)}=PafCao^<9*g zEusY5Q%G_3P#07RH0_%yPHReMw#R~V@Nd!A_5vHnMEOj%XzN?FxG!MT)ylS}xaRdI zR!I|1twjmg)bas(>YWn`_Ed8>#~mWmwZ@a%7kA;+|- z=dK^5J{z3?gDfD>qW_6=w|~LxzBLrO3J6v!R-n0imqC)ssBV^fu0wnWTHjRe4VvkL zcj51;M}Y)l?V;eBI9&LSM?-K!#vm0{wg} z41dwx@SDPxZ=ea68lrjv|2Y>V%wZf<3S8&1H?;|of2;c5eu^||P&v~#fH%Jp0=JnF z0`1yYXJ5_?bEP&NYhMkQ5wz1c^Ftr}eO#5`2?Vo1&O_6+BXA+@uZ zH+6sm^4dqEYRhdMxu@mEYjN1(ug5p5IEA4u;Aknx7T~3?%H+s26*Ao}os2?Jd3CQ-$F`+KB5ZcibFe689tR!E77+Gt%$zs?3kAiv`@{oMWh9K*pin)x9A9IW`4)-o-1mCDJPG=E*;hf_nb3@{g6db; z#wwGjv)rq6&J~Oh` z+`gOpw@N|`LpNl-#n!B(wz$$P*BNRNNzgXO0$w=|RReh;k;G}p`ym!9=lmpyYCd}& zDYotSv*g(NBs@_?4dmlJwo0dBOZi!O7$G~9SPB}U`t0B@bF2Q0~j1^*<~_tdt|M&%97 zsYmJjwo+&foQX@hN;G}Sysi0s0WDu6>S#sUl6;s<3{80)+2%NI$v?8%iefeBFMLhki24PaqfOQetlm|Ozq4EpSx zk|N6uqk5#5>#b>-P2J#r4RNpVYHD*psIwX?ma!V{piw>EEB5F17?dF?PZKJ;!33P& zyfBYyrjbs8=bfC%36sKX7d`*VPQwY*5X-m_0RD7(Rq+22uZn+3tJvk|bttc9IgD7! zHg6~UA@h^s!FPA;qS1E2L~s6-9MN7T{yfPcjzaQ>_yP$c$*;s zM7v>oprix@`$ysm0LrX1=wU1?FCYVW@_sm;Pp{6|Q8z@rT}QsxG}~J`PHb^E0sZu- z*!->7?`X-(x5d%OXPsnlJ%ti#=2HiC0GwaI?_?a!u0LxJP~#xILfnI+y?2nzJGlLA z=Bc6NE$ywxn>UMzt&zeRO-&w^V^;HCh|j_gz+XMmz+M{qn=ly)bYQXlyKqoP?5n0eE#fp>6g?+pb%uUGO^+^ zIsxV9TqN5J?Ys64)x87l^7P7JVx^JH@pRS!4Hs@Oe{WFk;4?x*2)C1-w1?q8im2P5 z0{-2BHuaH7!MVF{znO9;$h8+=$tlb}I?@p)XT5qaEO z-1$hpGAR@_nJ0y|^7@6a44F$BLU;%5N=FIa5NhN0UOu00USUaf`%h&(L*yG;Ck#{( zp+yVHMI+WpI3%~+Wl>(C*Hxtf&?Kn{$6IRt5cB9yNly@j3FBVZ zNW-y3I4v|?$&JJjFDKaJYcE(wn^84K2yfE{o&-PPOl}De)m!B$^Lg@MA+a79KbmOo zVoN$L{18HC!aR1)0kqo38W{c3VuP*;1DX@g5qG07FWIrAC4YCmh6iC57}$<0v1 zoWc?y&3mS*qvw$gVfqpPD-=Q?5r-l6*_vl+Mi0fQm0M?PxnyW%_%f7dx)k?8^pT?^fP5Lf|1X*t$ zJSZ+tS2MxfE0o%r2_hVio6j4BOq#jpX4-!c>&YpG?weiU{giCcR&Ha<_}!YeB=L;7 zMMobY`!#xiP8NDA*TNlp_M>w5E+FLg>MeQ+#jEAgnLFsfKtug;u08DR52BG;M=Ha` zr%%As5QBrX?Led_y1cSDudgUQMl}cScaDzEhhyeutE267gi%Cpa1YjgQzTyOb zS?dXYYB*=5rSbSP;rR&Z9ydfw-V2?%l-KKd@a|O?5KS00P`c$8fK2vmc7B~Jb0 z#Pzs@imZR_><`T0qC-M?4E-><8;Q?JIb^)l{%%AG>_2-w70h1lxe(WNT{Iv%xV=V5 zz8Au4<$cJ0BpX`mk@VQYbn>bf|-Nps4`juJ^`{JqT@yc zcO#bJi^PAPS6tT#qroWNf*PuWo=f5h-8| zuoeJ*p*Wws6Ylxgv4^}xn?H`w0ANNMoDkgw^YAQO==GGD&zq=uzzgfG;jV>~DPdef zOzy)ld+}AdALJwx=hKRBD5Jzi>Luz!_ZCa2S=>!+fCV(Eh(Q&tuOTnt1@bS`Z_zz+ z&NH`me;v&A56O9|`4E2BHVbRBzw(%rE8aCJzasx4>NDI|d>P3#Ri#fkdU_+6DbSv6 ze*%I#>H3R2rL95ciF#C<-I^Va*WiIti(8KhxIcQE=k=n8iEHX#caJ?V0CBR`QvkZW z#ktuuz-rHYjS&@BD=hts$te=|QhZGZO5j^`}~AR7nxwVe%~Sme>4B)EcTpm}ht2;Oq;>GWstFSU~-)lPIb1wT6E-I|455Cnh3>67qS}j2$Dwlt>cY~wj z63EC<02CL6=P-B@*GNMk-uR|s8Xnc$3K|~MbGU3%fF*m`ARMx9n5E)2_r|jt&X$%~ zR>dlzdoPu`aZ~_}N`33C=6(SNvrsRS=i*6x$jei7g)rl?JYj9Wn3iZWMw;)?DMzj5 zUOMGf?&Wx8Ex%6J+MoDo_SF2#@nu>KuhS}&QwPg4=>jUa@sm{#QlS+E;!YT`2u+hW zCA3)F>2Te;egqRHX{0fHt)5%Rh-;C2`eie9=JgN5K{u|-bEamW z@`ZBEx;4u7Q*I0-C{r)ET481Hh5BInp~YNlDEp)GwOFPc6DGytPe~s=Y0&A)!BfKz zpoIp89*pC40s08JWV8=%``KlnSx(WC&uHQcmG1-#{RJxC0JL0~1W+|`H743mvITWX zNzHNT0Rt?PVQT4oLZF6Yn|G;vp@;HYa|+dqYF8I}iCr&$g>*$FC36LT#7CYUWVaR% z6xJnpd#9uXkz0&uowwywAt%!>uk}8CJB54Pd381#YdzmRgj($9OLG(`rkkRxL-%Q}o8e__yYVTGnB=JCd>hvv6jN^)<2|2?8w?mi>=lt z>CO#0%LW}!1L5oVGjeBqoDd&Z>ul&D8l-sJ4M(y#PCBa8QZa0QGESR4iu^&iccSH) zacRwxcM17UOS0ndEcYr zEhH#CT@%HVc%J;Oq2|5T87OP!30UwCR#PjvNj9>?Kt?l)ozNQ6JA~0uBZNc!ZQ_^KpwRYqY0d-9z)?o&cdq4GpqCZ#Gm!@U}6`GUdQl_^*w zxdHq3TbTEa=KF*>_9i0<*OI5rzQvkCUzM=a85v#Z%Lf_b#pLTW=ine{4RO~rwztHc zZY#enl7#kApTX7-d+ykW&3knFu3&RBOP14?i6LscUG}Nip1gsRoXsoZMrx#a&G+#& zDfO>AZzoD~Esus|+{03_*qj|K@&0+OrC5WbfZ2TZMhlXfs5_n~=}4SNZDjN{Q;C~+ z?l;>L$(k^1^k(nK=WldGk%H)#e{k#p^!(Y)hciy5t8L3knMI0Jj^~`V88HVlwK+O+ z#E4_XG%k)+J`mTCnly5c5#7y@#B7`47)>>DW|O4gVYan3SLg&h#Jq#%PHRaHpQ50; z9({qtdRs$g=$u=7v!hL)P(PIJrgm|!vF4zV6SJBpb*9AErNrBUt#fIzZV1&Rg8VCY zG?6bJl6_VhTl2?HH>tZ9oOm!kbFS8Y(|fUjFXZXG#G#T%$Y<0|(#Uv!<=1y(ib+v+{ADlCm`@`9b?`ypnpQW?TK~ ztn=Zdp9a5_dkx>De$a!Xpt77B%(-7DKc|t-bn=~n-rg-V}3V&d}|1G-TZ0q`WTVQ&cqrr)o}K8 z^J5nK!=eDocYCqq=eBCd$1K!MvXc+%iSmd&%1{7~uL>WR*NY#KikGCmjw_nrF?8=V zZWW@#xEuY*!?b!~33;nODeosf!54+0#lmwD`{vW~%@Av!kh)ua$P+Z#V@O*a&QqG^ zY0VwdM*NMixtBb|#PPgn7qSPnZ6mLR2(O094`T9@MmSHzt7L^ zS~E~W`wmnld>TTsWMN%zxGjAMX5zD00IED};mo zb0Q4YSWw%$ASrT?)Hh}G$Jnb?e z)NdS$Fjs~Olg#8dT}>bVZ_YQu#6x%yKPbxlU~FnQ{}v-*v(Ii-_dj`>`Ds;-)jOY_ zjenP3X<6lamHtXDQTuOpPSbPn|D?|UFpL}|60cDH#2U{wF-dq^*PM1lCby3HKlQAW zVEC0*iRF5EHMDwJHH14RID2VpF4oHM6e~4~W@}6sn&a6_zA)hz$yz7uM+KU1os%ko ziD^IEMLyetzksQmCOPgZGi$4=;}x|u{hUNPtUAuBvoChd7MFOlrQWzR?n~*!1Z6fA zD>Q1w-=FX3J11H!6D?>BH$2Kb zHk5gfdDw3BthY?kx8CBGWmujX**R9?#!9Wl9px&%BZSG2EPRd5H^f`z8v^cyOa0FF zwARRRS9!=V{uBom(^TRM_$>$PzvbAr}yEjNl=YH2O zu_d6fT;ULb7h6PbI*ml(9U9=$Eqw!9NF`>qPWUpET<;H<;qCYkMN`M6D90XdOCK>8 z6}8SJ*Fwb{qr*SX)?aATQiEZ7_>NYdZ^&(G!<3aOJGe4ILG1%v=tghd?R71K=r*d( zDwvdc($Ai-wkJ-GAJ^H@-`UY${RtK}4Vphyl{%GrjT@sQNl4{quo{?^3|ER=o ze}Mm7g9|MC1@S2{Rk|uprjnw)o^l_s$np!xcTQIYnKqL9Il??^41EaAA@nGnr_ft= z>WK6WyPA8*HYq4XZbpDn?!|bYZ`e;C^35;Ck)6-TY0t>t3jQgAMF3@D>l$mNgsJP@35Aeh@fP#vA`JQ7y+LsS=D|LaF(-_UEdiyGJjfRvcAYI3EQW~_Hrm?7u+n=rTg0O$w(;?&s zF71?|Y_ZkVLF)C+MOIjMivvjS3~-H9g8%3Ilj?sU3A8v~@@Kz|dtcou z9X|f4{cMLv*Paf!JZ)c;UUxTcIAhjxFak{F?$>hPF;IT~N>2S`s)dW;ax2kdayiar z@iq%9tdhjHYfrGs5P4bxlSr1(j&N(do=P`Hw5V#z{qOJiOwSKv1&w6iPPWkpCuZ|~ zGw8eILL%=QL2a*{4C`+$bx_kX$G^zS#*9HdV9FV9$pP_MFw2H8(lJ$dE}foYdr7){ z!I)E}WbWo;tsm)?IHx0oUcgroKA9Fa*`qUsJuAC&i<-_gyD#x9BHz zqhS}DD2AFDwb9n~M*mFW07+6H%?pkAcKleWo139Jr`>do-|w6TkyTiX$EDSYd-#P$rMv?mjoG@j#HAk}}N#pL5^|_jJ^3*P>*mcnFH9K|5A$#)_`TFxlOI%el z$zX*>4el&OS3hs->#fp2EXGxyKhKySn-VuQN_wt6liFk(i1Nu9U=@{Tew*>c?@pmc zbL#EZ86DN3=l1K+6{lIn9gFqc&)lS0|6K0-RNknGTchFDY5BLcr)KjjVkDa$$ft9? zkJb2|48&f7Ow15jOD&It_pr9X8(=d-|*X`7aN zYKR7Qyt&Jq&qd;*;ik!e4DOcBJ(G%dF9!mZg}*T?^Heb0@ zru)OTBKJ<}sl5ZT6Z|yUsDlWEr?|FEzRpE2p=wA_64l4DBn&?w1cy;5NKE0OCUydih~q zs(>4uW_d9j-@+TEBV?RA;8ZLb!K);-XO6Uz-(?rSu`Heqs|R_c-j#$$idykSZ!iB2 zZhI8zYpDOG?l_A3ye}>wpV{yz?lppa?oO%0RY+U7V>-nk9adPy6qvf*_%w}c>uno= zKgTN_ui`@6cdkLWnA&taR*hbcD`lOMnjgn>rg%t-hx;N-d>Don{z{yZ+tD7!wa1w& z>8wQ&4Hu6rM>orwnbLMs7~P zX%JNeAYZbOgAfZYBZcI${9^N7#&37^!A^Cba`WS}A}SUy^v&@Uwy%_b)q$MiD3z0F z8lEhw$)334hhXPMwdZ%`H)t;_s8g;3zU!2w>AjynWzYlMK2dne;hK}ug3tBgxRc_{ z$@BsIo|MSF&Rw`UCJJSKs3W2G5m6TQ>2-4}ix!^vwB~67&NO6nK?=N9_%>R8A{J)~ zk4@*4LHu(ep7BC|4)3x(ul7|~P7CV%67K%NZAF`Rk$J{b>?xXx_D>)Tc{zhys-+94 zd)#~tIUCJ=u4^64i4!`j==3UDIHKbg4A6Pzl$CJ1;;DN zqO_|cH4s;44;DVwksV%jg_oO=cr~`>LC4c#dDBzi{P877$*%h|l43Y5M-EPY^VRgL zHizD|C+Y-Uro1HlDnN9fiG7+oOJC1cF4#h99v8=wy%sVdwrQzcMKw>b`0Y|6H6JH< zhDk#!E2R67{LwBw8qM$0AM}ek)m|;`5Mj#4^ZoU0{W(5aN?OvvyY_e%I?EX|Lw2MS z-@nMjsDsr}d{Z87;U*gE)!8$ttE7L3_$U)8wbsOt-)D8Y)eUZxAdPIALQ-d-GILa_ z9^xO%<&1lRSS~Gdt)R62zWCXiO#W0TH$sbwPd^cMak+vP*Y6{>T<0IzIrFG9)RpWT zXd<~2N>qBjVWf9+-0}NdW5`G=II9=@%mqG5RN9b(;HP$-0MKYxqKGX`eM(?fLl79my zYxrJU=!c`gm?y7IG)HTqEl>md{6eR{1B$ z{rU-=y{$E~)bgT%F`X?@q#Q%OksgT{$C+;kdqqRaC__91YZlHmoq zLWs)Y4eo}Qm|oZ^{UJOv45#tuHJmiC-P0M~CoQ}WdCu+%=F4c;@BFu6WSJ5Fc;c%u ze~vYO9#XfMZundbFNQOWX040l>1enZ_g`MF<=N5h3W!TfceYiqk{a1+sJotyKT zoB6dw7@>iX{YokOTmN!gv-}4Tg!z_=r0SnNU;*6=YKZLuL<($VNM&!^4Z?&_D`06z zT63kJoIyieGB%6NxZ%VzodrGG3!I_h(j=6yxt^YnMv}`G2!`;e#4E7aogBp-XZAV9 zof`lyXq}~;hFyp%A+JgxXXkUjPl6rw2y$BYgsNISyo8(<;8E%I@S6?ZH|yI-Z11aY ziC^)dIz0QgQN6S8s~oy`pmKzN$Iv`5&KHXPLYT?+8TWRac-~*+-od;~KO?`QBStM9 z%Pkz(v<$Rf@p(@XDKx6f$}RJHTR)F5zc-t|ZfLpBw;lWx(Of0XPYfePg#S@PKSqM? zn^ZaZr^)+Qrr3gvy{5T>@DB2M$k(f+&V?jyAvrff#Urb5Shr71<`bEw1)UqDNgJfj z{X)uqf&X6X>NC~vYI0fB@=XD2J9(;!cfPPHXA1dkc;|st{DD&w8-#b~`n(vkzTf19-= zOq|oyd&eeE=ew%3cU8nR+{U<{6&E$PP;XPGZ>_^Z%Q}9qKuj7EIfRQ}j5hH{+0-7? zr=*i_@idR7jYJ))Ti}~p-ZG8o<Y{Dk8?w{O$)59K7Oq?kNl~j=vGCD z%8+_C%p&b!1U7~;n|F(YebXc#Xj{=1%V)IrIG&?qD3Z`4eCsb&*WX3u{93zzNA^n6 zla&49?;OWi$1!QUd&27XTk=QLV7vFE@h9&x?=b35SPMGuP|A8wu#`cK@C@WRvuL+W z6vXv-ESkqvnWY`6Dub^Wye}2puk)EQVfAG7M(pfxkUpV=i)cGa-j8n%_kDm3;yY${ zf%g+KIh;E?gq#{rG!wxdJIBL3)w(ED7)+RYoO!*Fy4})*Cuh%-FKVghI;W_dQ&d}b zhk>8utpWC9DW41GKGx(uTwz2*j8q*r&S>rv!`zd`G--G>X)>Y`|BvbCV%73}!Uh`m z_ByzCG~}Cbp)3j3z!~BoX_EK?f5zqdL98PQy%dG4$rk>o!`8GxsW`*ZCzGAXeGr~{ z*VVZBK7V)`OP{18GC&pbBCb!(pgyJ7N`u;)V6K?KiDj_9%;0)1k>aRCDwBGT+^})h z3FNZ~Dl5wu_S+vuRD2^fh2I?S;aweZ85;2*SE=Q{VTwjr^EAR5w)WR-&$GvLaZgrB z;i;aMXWUz*s!kPs09KRVX)X??$ulA5h@`qq!=3o}J0}v6;u-h)#I(*?!KY^N#{M}D zzuDgtmDie-b**l0KSwwND!(w>f4hCFr_`8E2sj(K@>r5cXD(gvuede;IlpRS&{UX$ z%=@?YKp>MoI*_LjNMDZ*#QZ}%ycekvq3fXPvGAgI4f2*Ecmp{qa% zT}6XGL2T=P9Ra)7U5N|bOzIj$wt^=78fvA1hu7s_>S&c=?d_GxLR0+!g;$xJOWk@WLW&AqymBC z-8b45%l}u6%O|~HE>^l<&t!X5CqWb zaCcp$?26#;uH%22wmZq+w z#b4+x0XdiiXnv3r5ooIryzMQ7v8cQpngvvF*G+Xd+rLA&|EimDT_62-O9BuHGB?YrqEG z_5drCEcmO`=>Kc^kO%Iz|1*IXYNMoVad+C*#gEkd;}@`X_c!g>`sgl5+)6>Q|961; zzXMcvga5w+)c-FBsQ;L8xv!t`w0^YlwQk*j$08~?7|8xs#DO56zn)Kl{MW90NIo|3 zq$BVvJc(#l-!(Ym0bTTWY%vXR#v)x{Jf~ufX`n30qfiiCjp!P**M9 zjrzGV3&eTIW;90X;e>&S47&jv@Pq8z^hek#zl5+A&o&zHe)!5pKw$#oH0apQ7WG(S z;U$IPQO28a)cuYby1+w&J}S>dR2d$?8mVG9xdt9dnf(!E#IxA`wuJOenC9`%>{`4B z|BMH*2HJ`T8IR&V)Lc9$fbVonrk;oQ7j+|0GhfAYIDUs2Y+HrX94Vf@5Ii}%aX%=2Rc%;$5reYg@3@>D_Q5)00 zLbetDxlv=;G`3nYr(X%!W^eW(;~GYfS5pSOhB3HvA-G9D!EVf9TF5I_W?+S1oiNz&7ks)N8B=_6It;H(ZrMWii8kmmkr z!xvJTSi!RH>Eb(1JB9aaLJ(r##-VtcF~*jN-!!_5g5}F9DMT!mjfgJ8YjS?{?Z;~X zW^DYxSV_m?57<~~fVj~ZBNm(TjNz0Gs^)pvgJRN}gQyqr_MGS3cX1mOc_4V<5zC7R zk7o6h)oz&Spi^-jgnB{AD5IQ?sP$RbF!jC|%-W?mJOS!v8Fg8uodcU{Dk}>ay^ZQ$X{Rs^fAaUgcZ(Lp~jBTf9M;) z1R}J1ZVJ<;?(QDJ{H?PV=(aL+fjd2Zyd4w-Kb#50nw1Evg49%S4-Ksi(J>?xdRLf% z82RuBlh9KW8D;JjEn0fV=q0PEPpmDDjaSDc*yXPYG5XZFG_9%c zz(Ir4hYVFRh7EURju`0<&x%5$$Y>>d%-C@`<0ni^%gmi*(@&lp?j7JMeuab)S=n6 z@v{mi4z2T7lufN&pV6nd^1-6vt_dqjSEWvcJDISqaB+P_-|1t4Vl6Mo*}W>%Y9Z zysA&mvW26UFT#NWmc~CYaoY48E~wUIix}+=og%WEp>hU3`j~lskMWyws~;RyT$EL^ zu*cfo!YWHj|H`V8h1KODTly{Sp*E*G*H+V`7FMRLsKUu6m5+NgJZOFn^H{^|Nh3x! zZmugsgC_cixO#0hE}FR@Pv_G_mMjk*IeW>*hZcJi?ebt~S98L9%t~K8$oIg+4MU(o z4BOmmoohw0$E@0_riNE8uii3xVbNo&hYg>yZT6%`xlMg~j9Hl5e|cd_?ZndfLD`YR zCXAXciSmTh356C|#n9x`osbkvduADdwtD7aVpox>9AH}$}fg`NvX3Q(6gIeZG>v zaOt}g{r2s7~CbY5m^|Jp~x)`xG;(X3M&xw?G31G zWWs{Z3!~Qowej(P%51(SU*) z8}&OV6lrXPzoEuP87@Sx7=qLwt)2`YPjjI$dNge+(o>D_8SA;{|7nC^&~&KwmUXYk zKBD-yRo1Wff(bUjmo7o2|E)Ox@s?*BhyPoc1@h=I!XU|_f>#j8vIOos@b4e$BKHRy z-w*o7pdF$4`;QTt?t>BHL0#nkd>8)e4;t{7If7QAheu9-1mR$`30~W19Tgn8Eds;4 z+jdbAlvzEU!yFTglCX|8qv>)CLXY5n@P?C$p*ggJiijE++p{qSQtfJAYRHPAdeSrL zKIjpOql2jk#sx=5sJF%7$uZM+pyhDdo{ht)OtnPg(P|rugVmCNgEb9q4$JE4=cwSQ zDa>eU3O$}(k6e^XEot!(ItNK~4iy1!=#ZPzscj)qF%*X+ic@EEaQcRm^ipaLQ+oFT7x2>7Ng;1fR_bcdUzptMZzlvURHR;GMbpUq1_eNZzweD z$9ovJsQ+92{{6?l>-YO1{Iwpje^qwBq5t(Z9C$h?;(how`H!HjDij@hOpgsnkM;LM zLo%erqI7)#FH#(dU}7cf(4-`^MTgX&5^n**)$m+YwJsNa&PDmd*P;A%jVL_df~xZq zQT1@F#)f{mDBJ?9>AXfbIFX9P{UX_nM3f)fh@gUoco)Od0RPk&UPtXHltm4vv9K&s*1c8B*QXA$+o5;BwvfvJQIdzSjfIKx;}y z!Fp4KI%l-^ui@$mEq^T7y6G@9gN|3an!*3v#{aP$9Dju}u4?|b=FOLvR8LtUR4gFk z{10DZw`=TgG1!2%U_ki>3xNfW$)rxS!IuTTC}(6qlQpn@!_I(0hcOGKL`8J3W{d(# zP7zSl=*WO7ZP#jUw7$zFXiP$>Q30)LG$6_Z`;n#>BL5agW=}_Vlj=7eQ_;0bt zL|aq_Ag3WpHrmFcRHF#9mN5i5@lf_lP_#}2MQdjZG;ctD zbW2*Rqhrf@Ay_@J^KrBK2zJMHts}*U?1D`%{s@xe&tPS!F0e3!wjy3)P0X+KXl1H{ zWzPX!A{KIS%EpAM#GgTcT(1Jvc_AQ2{)iH0?8U5eq@xsj2kM_pqhxWP*kMcz?D-cf zU$IGO0F#7Ll7AVWi5$~V5|slK5>t-*B@jmX2@uAt-#AwvkhH#;_BxgugTy+=Q9uYU z4Un7Y$LI*T1E-9~Vn<-Xm~jh>^8w)Mpht=48|=^joyX}zXnJYW&~jDN7P1lK~WqCu*M_Nl3s{O zlVOu=f=Yc*?c00wW9BxUDn1+)$y}l%#f^Z)%)?52RHSTFLE<++Y_3p>Gb+lVrc0G% z$4%!dm3X6}x4d5kHRJ>}^w*FJ#L)rOtsp2U5HaQ}0&BM0($5B=RC@*J(k0KAK4beg z{K5_Z{W)W-9<;y5j^C^g{1O5!L~GNH&qr*e5fI-^ZM37I*Z5RqbkxpMJJXE&>>sgv zzph0F(a%DI_LN*yPha-00ASnC zLH?yoMCn@E;jd;)*|+Hk|4=jRS(}hQK!1Ew?SC*zh})%Y8V$&V+w?q??E3{w&N_a$ z`#4H2y==B>(15`tdzE#ihODD2OPoR2c~|W`kNkJdV`(QxHD~(ovPWCyq(7;W_aHJX zM82uz?gOsRxz7;}u*p(Gm^17ulzcDfqXF1-1SJ(gp!K=EDCjT}v_>0D?i^YGMuHUsO* z+{zs9f^n3GhQz%F?0`rvoX|!D2gb8f=gPQ_?#4NJ=UQUO*RHMLz&Y zJ~}jY5prhULelq^=`3)gl-BLV*$s}#))`^0(5MY*fD&DWfG5Vj0>#=R=OTNfvn&+N zlnYSNPIxO_o{yOH3;T0zC?(s*z6=pi2}Ko*>4jz$ zAhhR}s&t6G)JApT%W?t?Ws_qGov0jY7$(07yIO!GSfy%mvqG(v&QfmVj}*t@C_~P;qhb3MV?y#>BbPiPo#MskO_kH8hxqH+w;GC^ZdBz1 zRVsAW{(_l@ZiU6ipmj!I`7!J~iN$=!3J0Qhiua7?VOh`_g?jmN#rD2d|N?BTs>j@?sl`Lg2DSavB`q73TH{{7ka7LUA;&z8}j zv880ShSfbW4zbrrTnLIf)qC%!&JVHp029G{Lmv{qWg;?f;-eYP4lJfZpE`==5LNp3 znEe&Fb7BV&K3RI3cnkOt?;8EVxjkUm;~oY6UjW{*MI*z3ha46Ax0dcdyexDXWvOr39(!aD*{!@d>&l?o%VAI2mmX z7aZFhr=lFT)3P?00s2$cedy)glSU)?FgC5TN3jpUplr;Hssnlpr1l`^q+r`m7#D9s z8>S+5M|%*W)273?gyrcfM=8C`IbG%aGDw-ZeU3egP7(irjuu8oD$C3*q-YGVA%STP z^bTbyd;exiK!}0vRBlSjkFm#Q^Xz6Iw=(g9uHs=`! z%mD$|Dcv;=y*d&wGU+Hc`*;h=VLbiO4PlmMaI^D4tgu~OTnUScbX3wWDSQKQwqYd< zj51BFu>0=|;0Iaw4Zd+OB)>_oQo=TeL7`Hr)F}rMxuH?q>_q1K9HaTBKJ^_>j%y_A zw5OY#CN13v4mQVn*AUMi>`7+CEJ z45fA!XyX{JxB`ovleTDq4s#XeJ7T~F`H&ikor>Cd4|@~o$Hd=DM*)Weo|gMz%=r>= z^&0rT0=ZWdYUSwmPp+@EMJv+*mzsl=i-1erPWSgrZ}`y>3f=ncoFp)w^AT0r zQ;77Z+2m{=I9!KAt6POU!<4s;k(Tl>I`BBRPqV&cw)Cdiq#{1&8SAph@leI%20z{`L*>|er;H;yz-hcZUVJJ5J90IfU)=5LLTYtXYhOsZ@XzsX`7CY~7FnQ{Q9^;gN; za9WDWVWe~A0V?|{c*s4+|{Sm^E;K+*NEt_$@WT??YJielL|ZLhFm^Zni(-Yr-~>#|M3v(OFh+Ule9*0fd*xTMaL#z>Jj^BYZtdc^ zD3Sfy7-NdGu)HbE+RKRX?peq>GQ{HPWeP({>>3!6?**qU2y&fd?>1bc>paO(0=F{+ zAX~}s;Ay~~k3A8rIk$mMO%5M35En(U18bMV90ywDBb7q)!|bS91x`8&8J|lXVZI&% zKf95<31$2*_TD|LiR)_{-aBM8lVk>FAOi^`WTFWql92=w0TmfEXi(6gXr=WKG$_hJ zPFl1cV#SJz6|KkCD%KOW+R|37R;yUC)z)KMtM-UWTeaHSY7e&3cLi&I_GzE*`kw#Z z>v|t9Aj!;RX3v_n*IsMwz3zJ}s+z&PxC0{CEj|Ry!DO1PsCpslVOSLoO*E;}neOUe za?eeF4^5g9a25VYohq}u6^RlG$C0(r;eJDQ%43>rQY}=6`iHL=oK;G>5%~PT9pvwE zCRkX2?2}Y`pVVE^?zO8Hs6&YbOs;(a0{g9Y!pqY+M-;x5a0`jZyAs$8R|0o^#>$|N zjype>^2QEx2;hS!ns!hrXJpyyvE{k|oYL7YY#AK`Z*rFi^CfjWbH%)mSz`Z~$w~&p z0NmKdCRppn49PS}wWHj_rUM_TsjRPaFDo5&dwTB>G5Fq-&PIZsLu$3;4sr#51iVwt zPC1PA-|8Nv>qdboazp&14!JKT%Hl48?>!KMFw&YeOsYrreQHuaZ0Y z4cdA3C?FuUrMhpDiTo6x(6u4W5*=w;^BnuUnz0E`3|kI_YM;|&Z?SYmgmpD2QZ%p} z0iO^LET=hHrM8|KNph5UVgWgl-l(PIjy|Y|>E}>B)A&0xhFYl}1GcHZX}ZF4)S{~- z$u8PTb)URh$o2u3pmwgYYx-){bK#J}(TfqOQ&*&F;lF%s0M zWo&&n`)8QFE%R^dJsjn;OXQx7%y-#VEVSXHzadkvq+97srQub^;*hZ|O8WOO?e-MF zr(1x{VcEM-mBl%@J7^KJ;CKs8?;WE4R6U%Lmpq1rt%y9araDzkwC_jc{>%vopF)ZD zgp~S35|e9ymX2g+Jq~@weg-&Tb%NZqfjYAZw4tj|ifoxjw_~bo?YuxAx}w=D8#UX0 zQP~g!p24%yhHhog+GC0QlR*tz8M}QV5X;JRTNGd`8hSA5Vzo8i@~9F%(LKqO--AZ( zBzu_}%)U9yGG`a*9gTIEX_K5S2HTqY7*fX&k1_k5k0Hke>M_#_4SagA*`LHbB^;KJ zZRLm1tw-1~VNAcKF`n6~ySerDK&qnUXXZ7?MwEXG@1d9WOI-luj;aNA5(hrhyGiEs zi7;^MLpPp5)>RGdHtPAom|4R1lQU<5wrk@Dh+0Vh63#4q-h+jOkebmv$IN`+J|W1v z21eVX<{sX4TCKe#D3zC5rbhXrb&0h54{~t(DthB8Iz=WSXR%J1;d5om87Y3v-;3E( zS8khb+bz6HG-nAz6Ez1&Cc#s&_lq1C5RCg|;t^)9wHU;E2m<5WbTZBKWr!CT(lR0> z)NNAO86jbQBU4h;lClp;EkBXDWS@c>4uJdo8)+AYc7nJ@9BjJ=<9%~akg=Z})Z9~- zBo7Ry2u9UG$mJ9@Gi9mI6Hv`(IzaLHo4074)IyKmv_C1k53;_l&f%gNlwdy~D|`%^ z@kNdsU7CWZCx1;4UqH639w|v-)Evu7mD7ct5+%epDTNYy67tV!$^>tn{|(0eN604w zuflREL;#;E8itYG%Z8ObTiw;NT)@AmbJKO9s?s`4Xq(2ir(_b!5>>rCr$8&Hl2k;!Z8#kMYp^bqT>@@ThFSotGXHrK_DrB- z*tR~Zi?-jHJc}!${4%;J$7Z=|g|m=p_oLB%#I$}jS<>6ZDEzn4xE=5VKK|hPZ>>k<~O}oodwWy&a!*SUz^QLk2Mbdb+$^z^tA3|Qs|GA zWUulW$P?7C&o`7AT=xev*mOaD6x`YI-aV*N(=)PZ7qDlFaf~{{EU_&QIE)Z;P_F?2 z`f}Zs0FSoV4Ib@gaO*59JhoagQk>Q>pIOJ~Y&z4^8pEr>+HNVsA_DQm7p7_Coh?k7 z<73dDCDVcTZkXC6c0+@2tkk_nQX@zYz6-YzhxyTrI(;;FiNb;){xIC=f*{STE@YXm zAlOtG;_IZ@9&UdUc`LxoE)Mc{h4>j_jF;e3KS>~HwIkmx{tISbZLH%nt4F;%bQGDT}4SCEO+hip7EEc+0m zMD+(N#xWmMXF#L(J^v9Rg&Zlx9vJ{e(Dc<0Xwrm$iMw0(9&^gRM8X_^gH&+nH(AwrmjNR!bRRHPJVejA)&#O10c2g=r`|6J>;<1`le} z#FMu6!cc(idJh!l9u_!>b37KqEit43!3F}ybvG7+ATTIKA^`?@9~NaP*E^H@`44QT zfEJ#;1b()&RAL`QS|^d&uHlTs30-Bl*h~9D@>gVPMjy%5Xk@p;Xzhl;BMDiLGDA&8 zjJwEL#2ov;W2K7}jFL$kdDgJi3}ncUBHiyYE<)yfT9f++GpfB10a)!P%<{E6k+rM3 zncfOH0L`YsH-_26fE5;=;%8VqI|H<5G!mL}Gth z;vER|^3WOFhI=Hipu0X(MS6s#ZhAK(wIJx0%d{!X{s!_K-aM3fJGCFWGtSUJ+s`3;Kj^CPS?7{@JDJn$ zw*yBUI+8d1d-std)==P(G`#s@Zr zU!OM)YdU%CKwX6JwfV!wW`=TLF&{8oLUaAyNr3QIYm?X}Kusi_k}rxDJYoiTlPUl93-L29%Z@+VUeER zj<)9F>dWL~7l)x0pIcsxt=ZSRq{Y5u3etQN!SpQNkMZbD2sxS0OzT53R+~omM&%BS z7h8tL6}K`+g>;;ef`_j}fRx*wR))tp|KO)hh)O-M|AWeQU|7cbmvyftt0m7sC61BlpVEBZBsM2& zvzkn2DehAy`!~AG+>seKb!H3}l9|S7<>a4a;Shl|-$vOQE2WDh$#di*{5()oIp%BN zNv)Of3&5VhORe*5MEan7gNjIh3PVTVDTDlx8pxpeGq>hLM`v3CmS+&6SCR(6SarZ` zPzPZ(+np3i2>Fw39~(Xl$^AvVp%OeBnC`l_ZVD`<_=>fk-+c1EDdG# z)6MRpeiS8Y#>p{W38wrDWH_59j0g-ZV%D>DeVo0pIM)&qVIL;p4};DA0*fCyIyXK~ zz9E!JpwkQG66*`3y`kLk3G|SL80dHwiTFK#Tf2c8W{WT_)7m#nJl`@gy52I=M`X<# zs;Rc_OuX$)Q-r+PQ?pmQ*!?DxXrWY9S(f<}`+b;g5cL())AUJLP9sXcDTNHr9%Q;H z+meHrQMeVI*6fz$bd`y&Gn1|J%@@UV=%LFXQtRUwZ%>ohZ(}c*mJO~`2bf;9R78`}T*QAssf8yoaJh!tvpb1V9tVUz-IB-w{0UV=YFZ%E z1UNVRd!8(NgrphFq;)CyDgz}zLEJKgZ>M%qNw%rkD*i+-%0|tF{#BfvfULJnVdO{Y zREC))@vHq2l~;Wtdp2_1q?2UG>>M6NPA4mc53&6KcAmqmj)g0nTlbxih4?B6=Y&r& ze+P1W{m7x-7I;Xt2vUC9jAKC_1OWn@4L+K+l`Jy0gOY=l%MxLoNY;E$lrXw8*Nr4| z%cfk&G~Q$;SV<;BcT;WY%X^=x8LfSy3^E(k1jjj(ELs(6TAx8#vtl8aL4^tqLaX&Q|09#{Hk-bK5HCIb`>JkikyR3r2|N)3u0=#s{LI=zDs=tsR2;PPMSoy zZnx4_N1pe#&vixx1nqa1k%8GCfl+(DB@_H{9WjO9457xeu-6Dw=|{+j=J)S-A>yck zye~LE^)kj&U*VYn6GXaWbn^MDA6bkVTW@$4%U~wOv#U1Pa*?ZVWS%q`;!1`fi#n<# z27#-?%=I5a`?BQgo)N|qe4RGZ`8MY3A=Vm;H3hUe#B-efG?@83<4mXFr6S%8&a!Y9 zH(${DZ6aBP?7{&8Bt=G-&q2oLw0RyK)l*oPXfKn9-{nrRpM#f_$2*NoqDB z-YR%ks;MQZ+tfDG8TouG=i;UsUE~SLG7TkEaZSKd5H1(<55n^bKUK0G4Jri+vi|=(coX>F@Whf2Vwg- zsi~6^K+~CVwm9;%zh~BR!7CBNsBrsBNDKvA?SfD1RKg%+Yz5cRgIvcUNP!uQ_XBy1 zZc6cV&K}A&8ED(X#C3Hj97 za{o+~#x|0iXkVKuT+^2QuDeTJSZ25zUj3bAr)u*7p%`-4j3+}K&F<-IyIfL%yt~U| z3QBq->xcGNkVRi$TMmN;SCWNt8J#nD$w5TTZ7N@L-u0vSiX*J-Yi0zUsA7~Qs}VI$ zXhRlGUXp^eXH~!+?=Xk7&qMR)A?mFh9s@CjZmGX+Y+Wt6#XA8eYyXgVeK27@inQf7 z1&NJiO^|Z<p#}DLK%)vg{T6??K+c422yvl;~1};gubKKLhW*bYMO;*rTm~&EzH< zDNBjIxU|HMthFW=<^RRC(b~6KAnyt*=Ocee(? zECByKqdtBMGp*zoKpyVQLis;pW3%nHGaGo_fpL8aSs<7sDGh{W${_14GJ)MD7is1? zImGd)V*nd07dtU#sy{r&fkGUzzMPRk^G~~EO#d^hzzrz#ViTHN@ zI92Guw)bv5X_~3xHO3DpJLP9=rk|+np2#}!!o1oTQzB`#G1(3G$WIPGf~d*ry|fNo zu#~Eh(H{m;Pmwe1Z(w^K#qYC_3Ycx?H$$}lDmhe4ZF=86Lc%`{qCSiRYbzilCYn5y za0;=XQSfmf^1TI?p;kfR`%PlASTZe)UO+hx=5K1ZX`l76O%Z>upqhxMbD^;~xk5-ZQ7+Nt& zoQHm>8(}+X9Y{TI$;uT@V$s%gz0AIse|_Y55psJ`>V(`yCa?Lnk!CZK1i8{Z|yQ&W@=$}Cq-pv8sMpYpY1@_n|p8Z zYg@)K)2*-|faXq-Xj7qJVuapubf9kf4yT>Pd>lNVbp-ztrDi@Rr}ICl)jk0l za)(l<xn{$M0{FDk=8JBxd=~`X(BZ#5WfB*5$o^u zvL=$rUMqM8gCt&?ZIS@%5t=0Sje-Bp`N;m7ggvMv=VmpLRO$79qko#;iX-D~PgDdwYt!s|guFz!#Gu^b2hAbwh2NFvUjIhpQ`g<3c@zf^} z+10cy8nU*ld7Q!IY+QpfhavnDO1Kc@nWTDD*VAX(t^#z}=iWMmcAeABW61uND}$WJ z5mVD%jY5K2t`L~~5W_|(5meFrn~ z?Q+Rzxx~>+_f;43l;bd)w%s(4ftc@gy4@vlxhCyE!)HNWd3bM$%HBRcC~tgF`VOQj z1N+q8SpvWLoh8HfptX5;IHaVxc9mqfO2Ul3I}uOqkJ{fvyWd2^7o)ZFFd0*Q7Cyu8 zcG&bw;Mikm_%W2)9sjT>&luR3C*hD=)6%QX9IFU^PziVw0=H=ex)JGJm)@642(J{!nA@|DEyONG$ zHqOJ0&DjYvoIjsYIt_^05jabGmIP*DABVHIb3yRyOI z25fpQPP2w}76j9;1qTA4V0u^x==Y#t+8(S{v$9}dE*Ki3dxy1O38n{!Flt>CO(xJ; zA-YQ{=PE?s3uZK$-vgVBDlkwpL+G|(!}&00Bw`Cf=&yqzw7G7Zn*#bbmf69?lr1$K zWDVX(CV~2uvFnzzrZ;3ckkr^7mYx}|+V&N!w0ewA2}LJ0zjM|@)DH8=-shQLAgVu) zsihDibjq5L8e#s#@VW_IeY7#u+IaPqa(QT^1tnNw?5 zpv*i3XrLDF3r&|GxmT+$B|{(?Nrr+8M205+0Bgl^z;;Bbb8a>xvN^Lf;0#A<+SIn$ z_B#^cQwjWE`H94nK>HlzDTZA$(V~p;KBroc@x5e+ALY;7DZa^s3)l4CPB8lJfdxkJ z$X^Wd{!FRebI6yycbZldhm-0%T3Zihux(4uRph)Xp*-OG=UN*CEv7;<;Q5XUw=b2j z--W}XrXeuMm<&<=Il8?s!s3LlNv{}9si_lWgs6j6SSC_^FWxy%ntxi#uc<%n43+TD zow3^6FnfmebwAB99aC*FDRKs*UA|naYG849kjT>QgAlbP=^?Il8?4#;_v-sErGfR759-?f zxtQ`n5q+Sz?ZG0;z$(cH+XI!&f9*(kXh)!m?ZFoUOD{W$>!AeZ;S)W~82+~t1r}L8 z_(De^-GehZAKLNf^2^HdLa4xYz>dGlZ0?tiKlqLx_S1B`IMFfSJ}}N;rXTc|e;elh>=TZMy2L*={qHydg((4CmA~8k z{~ag(GSdG~j1&J_2F0l~gH-oXC={`Q^37~-VOh@aCw7~ z)Sfijfn@f?c-SbjIUIo(yTd+uGE5BT4+*?a7(E0@6A}u}ArznQL9#@rbF>FZ6Ycrw zSZ24|M(;-jaG)(I@FiH~TA;-FHSi`m{}vn^-y^UUN@?aJX;Sj&b5M?&kgq}cX&5%< zPlYqYC+BZKC;?6lje+k-?Fso25~;06{*w}EVp73IgzWhnVY4HD6qea+Nuy&ivgO11 z5|Z-sf}}Qkz7zH)=ELTMf~7&yL|gt3&^~9uew43*B~}Glk^&P(_5x^?JwAUVR6FI@ z!zl_fr3KfdQhSd;V-n-@p>1$eiojVKgW#6n7494)bAiZ@lS&hMj7~uL-+}}k4p4$6 z64gq{-_?NoH{mBcBf|e}yDdH*9@kU&`}u$BNv9wbA{9fVVF9B1AiWg0%sS~i>t(T| zUanW@m3m4~>x1W#4` zeN1eu-mJIiyXoWfR=uF_9vdHP)7$k4`ovg=-l^}QPtqsrQ}jKfd8#Tc&sY_At66p;~EfK;OFlJ z!Vk8>j`#t8N>(yYf@1NP7!3iACi&Pj6fc1fu~`3L>sWa6AwZ!2@|CFf6$J9z4fuG0e=-rOXYCuNJe&+A|)k53MiEhn47>4)NyzG zfVy48s&fxlh)2i*5IBLK2-$;ft|24Ky^3!2Qxw|_!2-zdBJs_lCBxnGRg+u0G*f#}XAxV4Qh0M{#ra0MsFO#)^vy|)AKFb>-m0Q}s4$ZZAvFhD2lh-&{r zKAc#JdkpXvP4iY)bl?^imQ3gXZ^YqUOMrcDe21rTu_x*mNZ|mpueTgP7VpCek}JqJ zfSCgOdOZYtmr+_Yxq^5GC}Rmr00if5+I<>VeYFp;p#tc6K7zxEgn2**$jg1c20ict z=z+ys^_4yV8whBM-bw<%J8`r!05nLj#@wh5m_Hv7LMAyP;{&jc57^_2i2abGoJ{dx zK8N1Nqa>P?ARaGO1$g!3h7Q!d3gG0LjQ#3TR6_0|em3SI(K#(Z)Mi`&l$J&OucTXA zUW$8mg)dfB0CO~ueVoAi_#4zSZk_R%|E-z&lWi5kEQD-}9Y1GcX2nb2)_GZTQX zy0EeXdGTeCE)~Zog_U~)z=?v0 z@Y6&*>ESJSaaI~Inc=y+(J%9Q``mO>#j*?n(LZ!oVTi?_uT-V=6$aisp}8=el;FUiuyf zY76&L^Ao^c;c6hR8#giEBA0P+SOw@&k&i0$R{;|WWiY-S2WAEkE`h;NUs^yFC;`ZG zJkX4U!~*Ifu(6E;Sn!P=U@>y#k)_7ebtt4Xfb~f%h39_1s=X$P9D)}RFS-Ut4FVL! zIQ=xA+2tAq2({E_!0+)pJpB;?+U%)5z9hDTQ=}5mFk>omLkqt(zt=d1f9!{^rBFro zsrT*84g7h$m-G^Auv(g5$Zz*afPio>xgcH-#5H;#t)5U=UZk&?tpw0Xuepad5=Lil z1zZt$23o9xT{gI?cwqA{JCcp%=EuaosDfAm*Y6AE;&6NX{2FN#^fG<1&sWLp3zXFp z8TgQKD2T$GEY0_c^YL)}gxixc7xDcGhj~B$tKY2*a0oVM)z*6N;dJ+%u!@P^DZcT< z2qxRw7trX7O7To`kS&xSD$|#E#S2gpK&8|VGFRaiz>Heb)R&kOCL9ESjFD{|>L=Qz z6TJ=Z6OqkvvBh8_0D99m)mI^2Bo|>1U)s7H32g=(Osw%&<1ZT* z`c?Q=d?L#zEw|4_q_?L){ zKtS~&UKBPiK-*nG)G-F~jPWt!cJFC^E7luNg651A^>m(0T#BaoR|C%zKLo|$VOek2 zzv=EmOzR5$sRWb|uwL*&*9*H`Om|?D=mB3F(g@!9)W1E$OtARHe; zR)w`5=aq!_PoB&lDx@f9^Yg&c$tMC?QgJDbDSV0B5C5f}Jc!V}WL>tY)~xSA)RiQ;$sjrahR>$r*cIaBqmV|cIky5EtziGGxf z80Ram1UYhfWX(XCFim1VioxhrtLE})Reg+SK+DuRG{p8LFmq%!rs74)I3U)gS1N!ry+nWPO(G4ubJ`I1s6sg&AZ=`2Iye=8=`h7R zsV$|YQP&`g3P7TQ$P1e87N0k8N<0Pl9{}W)a^a^9r{q3{@6K1CsW4E!ld!Hi071G3QE|`3NVkB{W9YecyQ^>kCVMs$v~As z>hKdl(n3^L&!SJtQ4SlS5S*xHRpV?KAj8rhD3t+ZSRg(QC60n|oaQYb4+yS6QXN(y zc)*I5FC|l}t5|z5DXoUqT(R-iaai;GPk$S_UJ;DI<^mC-c1c#$`U zjgbL2UCUBfpbd|%cp@>-Jl!>j{yfCBe8m7o57XQkeJ9LqQ8iwnn(F9P+$cQ;Wm1#Xh9JKW)yhQY@>BRl4Wd5M{2BRETgld|t8(5eN#9rv5)zoV! z-EU@3Frbeknx`SJZA;y4qQCQ91UBC#?lm519~QiJSg_+a8+k5GVj?N#n)q?qvomi4 z_46Y-g~CtlC|!HE6B2QvbzRn7BBgu|D;qJf8qWjj5%X^3Yx&GPo9bsfNwmAJHJ+9V zlyefvJ|Uymu=)L^jh@;*u6(wI_AESR#Hqedvn!?KYEpDH1xS&&>$0|<{2;QwW;(4K zp&%b^7-yY9%p$Ji{z%}=)QtkdhvM!{Agum3;{<)bQee0MPs!)4O~R?RE%wl`V=~f_ zGN}{w0-Mg@o8rgIE{BGcRO=^JX1ia;Gyf>VvfN+oNoN=6{ znsQZ*8grjgJ?j_{W;ZfDh!+3m!cBZ*#CTuDxbnh$x{_hfFs=0Q=Q;MOj9S-LcOM)ksjRb^yagghdWeW)!p!rN@ew=uZ z%AoJjbcCEM4gmpuqDmQ*@F^VA`b+y;TW~ND5 z8HHcosFBd$M2ej~mtFfSs=F5fi&Bi|{SDMW`kiS0d&-2*8@^B- zSO~-9lK5cbgr;*;P7=7q#nr%I2$<%DzLIe+pG(kfRPZ0+m0-sPo2Y0i6IgKd$y;2a z^J68Et@(sWpV$dJOih{^mDlZJKH3~D16PgxNFmmP|LCpM0E9?Eb9KtE9I=e36OG1M z#7df#E7QQJ(g`y2NY`UjJ3hcadx9-&6iexy`bh`XEz`Uc?A^m$SqooMHio*#$sp7q zS6j}7yVmoS#0KF1m>iDxyIyVR?%N?PnSej@lp29E5>=MWQ{8=0e)esZZ96?W%)ee) zQCwK0QL0=~QoRpfCYsr9;U3kfUmAu3S@>yE6c;g8{Lb;JzP#AlhD#h(X|O# zdh5?SMlH4dPO(C#^2ik0qxhFaYAnX3Jbz&OM;Kp{LvEt&_a&d@G608i+ z{@~N4RM^cp3sZHJI*bE1C= z^*wYp;nN^p_h3>R5I6f(G{tH9kU*}StXkvxs6}IJgf8R0Zg7R+Ma}{&CgYpnanpP8EgX>UtYJ*dHL+ zdojd&N@EO0g~Dk)u}uuH#OX#vN(+nKeS5RW1>8}Z^(x)#GS_Nia$8aDJB|WFxwgjZ zOXJ(wt}476zaYkF1d0oxT>EfL*4c*M>;y`)ha@A}*Mk`YzfkjunivdJS#+Bbn~95b zn!Err$fw!CWPGfbGr0ZJJFAdXvo6S92}I`XjMLsKL~`HQ(_? z+#j^@p7HgIQ|WeN*KA`~G+zV%;>yM{C+JUPUS(EhQ>s_wniRY3$nYG?FH3ojy;|l= z=CmR1@9<%v^EB(JvaiH3%+q3An})DcX2L@}n%WIswl+iwaI3j5If+{jaH>HcLzs)WuiLf6V$hSa?yX43KMR?vlB;*eO(tOBG6-$8r2x z4{2+wF(Ra(+*ek`wMC(6tV7qJ2pLxdUJ`94xk$N} zM-_!vjN5b;1^8C3{nkgM6MVWUN{ElW#l~~uMdK0nIHQS>S=SS@M2;BxQ8|%hbeejG z0oBPwng89I&C>E}!|+&Ch=*5wtb{B_C4HhB**_4FpTsVJG}s*_L_;bttBt0u^ivwg zQSt@4s2h7(UUQY*rIGro4dyPo&y_$HlqgeH1W2{CdTmZ>qKxiLD#uMOs#Xmp;=&+X zQ!!Cb%nGTf^i7!}=7f1c3gx~#BV1lS*_=nbPA{@>-%`>7FTK%Q%3YK&KE9)@o&(31E-WF%otLX@Ae;dYauH?tY9O z6>N_Q5@lqyF@h_XVQ0#=PP?XfUly;rGGqnirMj72aiSqf>08ETD?ka@CDyVPFgoKW zaW76CjA!E?FxT`V8fQvUaptbT=}o!7D+`cT#3sWiWLDWNYUAuVQ*PV><>gGXcBwcJRekM_gu1A=ruYqos%koRdvzaRPH4={{ zUL}4s_9S-Dui1A!M=UhHEfv1e-KI`r#`84Z$(x9oHBB_?h6Wh#xOzayf@cN-_bQ-$ z^_qz8<-v6@Nw0Rt_YEUtdJPl9WV zD*@2wI3pZqjAM<}&Y=?HC|?F>rG|GR6}v$J%E*?R=^mjeN2z%?>`zgts=m^Q)sQJ|A3oyH{~sx z=&O-H1wPCsUZT53VUg&@52DACA-?LEq9Sj2aqrCp`zypEBZrU&Wd+cwmzm8mJ`I2q zRru%vAmXgVMw(U7!({{rI9$Ud+V6Fy*8vAxED%z1UyO1|2qGxw^g%? zw60*oJmt#RJ;cmPB2(W(<{hF>(>c=nI@hA3Jt4-|#Klw+He1K=#~RksL@=-p z_X{%?dKaZE#hHVoXy?cTLs;0oWEab_VXod9Su%dsd$ZNS?(43}j6NZam{vO3r>~kq ze-NhBkM~yN=h(FxG?8BHMC0kDFygAkI-75r z!s6&Vk;vU(aH$((XobmsPs$&pT`KQtafGuAduzN=Pb-X;nL=4NHY*(W!~+SlS804s zsMT}xdu!9!*I4^3+VHhfGgM9FQS}+2(dcE%=BV~BI(_s7DhL19Fn5`^d+4o zfyCE={{S+?^u<_dp^yHqH*HI#)lS{7rp-}?0gS%^+g*!ywM0Fj{$>|2OfDCtq}M9> z&)ou~^h?G86BO_Y&%RX`0twgZ3ik-(JA#C$sc#Bu&8Ce}>}$!Kkc{i=?-A2=w@9hJ zSl6|O>11p~--+dg6_v&GS(aEysVgwB6)(CZ+RxQfu~zoRLMS{EERs3HHW2R=++!N z$6DSY3&%L}Tg%HkM{+|It#j?~AS{xv8}05`yx%%`^K{#@{Hl6cW|4wh7mKf2yAmZL zNrv!!`7LY%n3GF&A*?&vrOUHL2Jl-Sg~l6oZgVkc1tD~vgc$xfo~H{&6%#N zn#=Bhuo7v1tcStl(Mbcvw=I+Gg`rY^$jY{kCTHcG_ z6)IL$w`eTM9(85{Rr79U1d?W#wk@H{f;F3BxK2tsgN2lfM@4=dAVQC;oj|^W!#cJ?a4|yS;;2Sw*B5cc$V=y zywCgyz?L~*>A}4hXZ?Y38n0j{dBF7;9T`Uq6_o_b<#a`r^u;ixuf#XLZIyq9)K@|# z6(hoJ9&+uFvgQIWY(JC64o@&oAkI=>WuBLydAdjF!o#XBm3rW~)fm#r!|e8uGh=yq zvPrjC&Aa?88pq!0Rh#Czr7KIK=PJ1FQH2{Fo5bGYkH(jp>)BZ@I#*)~*F$(qmxniW zqWcDzy0<_M6nHp^;HqzHZ{acOH1hydPN%Z;NO|2Kwn)5RG{XGPC&VJm2JpZ(keV2l zr|n-$a&D?zQ#2b?)}?q1o)`wX$(X4=dJ`nu$N8r~$-gm~ip7Oodl#`n_l}yK5l4XA zXS^u$mW*Q`SLjOE^!~DipM_|G8DcJeo+vYhP;Cu`{48!*%9*(4(B|LSW;Oe>Y{#2; zA09xQ6agX2`!vwThlNUol?RgRp2=E zt`+o$GCocQBOyJW0wQ@xaor+OHGZGos)ESN_#1a2tT0$p-hJh8!%e;?$MwGMAsbCK>^-?}5^(>t3+ zM(}rm-WtL!nwBYH;>@SfN7HNi@Xw%P*UNY|dA;p@VvP&}M0#sF9UDq-P#UF5VUGl9 zy7UD)#-oP5h9~$tZ`-@|E6<;*oKPqK@wzBkxZ zrQrajD$``7n@_MSC}IF4`BtW}E+zZD7FCWq#$ScJ{5EB>PBy3LGh z7rT{#{DeSX%cNtYLprFq*n>1n_M$J#%=xI8dS3UFmdYUq(!WQPd~IVtwir2gQ}NCQ zSD{m*a-ve3Pq()>T4sM!0vMxwuItO0-{G)^VLF$h1=H~cR>fse4PR|uNH11u7ICec zQWkNL7|OePw`%oW$O5YSFg7-e^2i97so^8_4^ zf8<`38NX@VW;EkiO|zS)Z^u{bht z1KUNW+Z*aDFnr#pePeQMjtlrb)XVV%wo=|obE{tBiAv zFSq4#rf6xkKIN6(JIYMAIJ#FqG=ctBNxa0JF|j^3knQG2f#Xq8Rgw=xsRlJ&7!9*D zb+>T2W{^CyT&5YGY@7%H6RsZSWq69=SC<&)td6*0z>DT*$&s5)P?&@0G}c(D86_9r zAj{X8jn;k7XQiCS3;W2?2s(&@f$=A`JxEG5us&7u84t~VqcT(6nP_Vtr5kd!^zZtB zN7RkuXA>8Q0Ys=Vk8Mz;Y(r!hz7szvV~&KLEI+&26hJ%H+~hKYBsC{2r-F%BKQA(9 z&$6uwe2iTp3jwdOw8St?F}=7G8pd))da^=%SND>lwn5_yIq_JQ*=58wwk*uuj~~F^ z>u(;>cGWaUPnd}uh{)aar;uFJag4OGni?!EsU|Z`q>BH}qUCs}kji;8aw3CTcHyOb zFy0#BEhs1|99Ky!g$xVch$iUXjiKds=Hr%ch(yEw?rbj#_a)m11N}{~GX#5|p`WG6 z=~s*RWX37pgic$#jOHdkglzzx!wl|LwRh0lU> zbL>-s#YE$1T?hwpAUjiiXN{O>TfC1mupdx6kggz{DB|zBr1YCI;Av$Q6kWu4FE*7? zGaAB>TjP$wT~hiXda<17Mju!3Ie4@=)5`%<>L&6=zxJ)9Wh?2f&FG)Y_6S*HB-YLn z)U1@EXOLI`!twP9H=611NUPtPWmeO5QO3zY;XRD&PLXkhpSz*biewBsvm3vYFtRiB zq=WIIQr1Xi1qexrWd37Xqga-!q?<`??yWI&sRos33PLyoX&De3n417brLJsYC0|X< z^G=ou&l~zHYwCqOIo4Mx=(VBLBUnb>JY!>@mUEA4QE`DOzMKxG=LF-=0KBLDR*L;r zO3BAbuA&U6<=YjcI~K{F?#p#oHlMaUOPcc`1$(DHK>wZWX`9LFNq&~MMYw>m4$_Fm zDJ&HX25L0tUeD$!>0Fl1%g_`lH1o9X2o!gWTCo{t8(*M*s#)sgp{eV zsLs97_&fyfMMboS76p2~noCe&AoC$7UG0OvHLq;kLKuWoviiH3FG}5tg@+Anh~n&W zn!CbiR+D@d^kses7zguySFBeFj_fOsaZ4jmK0PBOY@!~fmkVi)k~T2FTzl#f$69y} z)r{DSZhX{U_!#6AziG}U%K0Zv8|?r~#D>V(b{Vk%=%D&YrxnuAI8fzTa?qtF(l{RP z(o`z_%QY+F_&bHA#5P}y>lOM$E~*fR(%qQAcvewG|CmQt=M>t+6t+qSIgSCY6C3Ar zmS#&hSri9l%}<%uScqlY$9D15Ha!Y)*yc%LzQ?W83Jds+Xd=ht(N)8+k=RbYZhFrw zeuq<7%Rt@&+@}@3ly5t;N#V^?y?yZQLW|~Y_HdV|li9>^uiTQ~@7yPPTYXJ&F52>2 zA6kz<1&bW zM2#_-$ZXiCV`U%7jEmUVp_&1~Dg)hp*o_y3=rFobQRirQh8W}OX36YIODXA;QhMB@ z^udVMDI^T8)R4_%ydS!@WcVbb`*Ow0GC%B0y1DbDyNr0InR49`Q_u^hr<7!OJeP=J z*U|MCua48@%ZxD3(z4ijun(uz@FT@oU816J5Ya$aC`x8q=pCG9TeNr(>Dx1cc4q`3 zQ8zFWU!`{AS9uE+l6BCwUgsu_cD`rfD*7zb{=R1) zjb-P{&EGnC8SRnlE=RL>$(d6LH}fU?h5YJEY`TSgN#1sdoC8{$MfyVN5tMZhFPxhW zeJ-<)eDj3Xy`QJa%m3&kF09en-&eAc!3#&oxxq0;WSvuc3xGbi{4%mO%zTLK=^m3| z3^j!-j9WC*Ga_KwMP+$ag=u!E%vUjm)+NF!4Q{VzdpBMEP2;z^Z)C>lM4A7T*TVmv z?oX@@xp9;>WpTgD#5ai39$kaMIkUewjb4#Uk4-olT0mFJ44)`i?RY$-rT4BaK63N- zrcPSo75a>YZcx_VP%mkX7YKd!H^D29_ zwt$ zI*GgP((wpGLona>-1}0n)9o_eB;yfda>k!^THDIS>4x9b{3raCTi@azd{bNu;_yDL!I92uKLH($qD0^PDw%$bP7R zmOEg;5`AG)z2$}8e9OT}{!PS~tV?w-qC(xioWkz(7ok6;j{rEVkPu;g5IbB$Cn=-G zP4t$-oW2hjlOZ{fue&O0(H# zbhEsPz7@h9D`e+7H32OASaM^O{!fN+VfYZdL}TnOj?wJV?igyEl3p$`zq?s$?0L78Aft=_flE-huGZcpd^nc++}}?3=#Qq-@g%8*Tm;N&e5jy%#&f@< zeKe=#b7H9RqOGS!s`RTG`(@?VjloNZN9ijvLXO#6lbUuJ?YOVAH~K&9y?cBURo6ed z_axJ1+RQYQcG4tmLK2#^31sL@o3trVm_iFJw2(r90!312p|ux!qm-KzDFRxcTrD8V zrHCjhid<9#6!40VsHmWzprAgFps093!Luf95#Pu6ocH~l^Esd29}gdrN$0X>?X}mw zul4XX_u9{ zT~XxA)_DAWpdWsdIh=?Rjmz1*zDn&f>W#z1>%U}*(#!T*RJGY#rn@WLJcqi{2S4u_ zNWQ{sljPZXLmd-6%DDvFw4A=^CO`JTKGqD9p_9+{;)qe z5Fuq5_xD-%)^PtAXQO>H6CTBcy7Vv!sDOoV8|~6fRU5B30#{LQrryr%j6}V8Vj?{Z zR>sS!?&j_aco=nrvDJQQiZ_YX4PlKLEcvtbN%PAl-Q);nY`F1=5ic;dFuGCd-0jk! zHjVDSh?2?L6A@)$?tB=B#*NKf+(Kw0aveX}n%P!W%^zj`@!D9+)Uvu6)pcds&nwN{tlO<+(wZ;7CG+nbGBEyj0J_4Q3N%BBP=n8;{Hh+*k$ zE6M(P@?XsKNTz?)2bZ&N{j5Cuvl9JbwhSEqUPxvi*eI#jeKp|SJ-z3bT9(fXT^j1& zkjeV4N(-`g-g?kg^`I;JjiMh=-S-WKw2@w>nem1zI$p3Xi3c1XTR)Y{rw?4UN7+rQ z-pxRhjLnhDZUV{(wX7FvIln9cc>{#??UD&CUR@l0D{&zF=Mx7~t5BUWq<+`a!)`@{ zdLu%g_Y&GOT<)_>jtazl?4k7cLUe7B+Na~RiL~(_)Qxf*dY6wIZU5BzRfn*!+*Z3w zli8oCp~YRA+9dS)m5gMRJ|=?Oas1eoSnYZZQyq3|9bdkV*CsJ#Ke^|%a4lz0v3W(Y zbpYOK8^u{a*n*s+aSvEF&|VJL-o@iy+A~hv^TO}U$YI)##sX~aOOI$#fi~Lv#*}C# zg>$V^F|iC@>npW?xU8Sj{uYx=Y1a-t6msdUT?0&xP4V`g`5q(R5Km499D@S;9_<@p zy3kbJ`;=o?xb|_Wa^Z9Pn+IAS*H(sUkA>@c&)9P8>Qa?%sY*M6W2a;i^a6Z$<_PjR zCZ5jr`m3FJSL@@9^>JdOQrj!uIEy2jv^fs4RqJ3NYC=2NseT^%WRXmigj)?}SA$uq z$$OjTFJj$r&S{|3_CdCFWz3l$SwnOaXR4=F zR5vo8hUI@sUwTf8OpC-m)jITWyqV-c52SRjgScjl}Y&^4!(cKecuQ{IAJknmz#81jT z$$YQTwQJr!mq9gT{;RD(@-!D_AH-qiaOU;0RcB&FL23M6g9ng@sOpT41bjFBedZol zIR{d;3uN@w*NE)b7!PHujMTCe(-y((Y_P@U=pI&k)MOLAg$W&fskXRG75Fsp8&Ho< zhP_SxhQmiS$7nx|vR{PW_w}NZHLTbDF189hQx^$)2+je_KRE3-MY7(}aY#p9@WE4~KmP;}#8G=1}&se`aorGOd!G9k=W;_ZWRV`79n)4s0gN|!-Tt%rO&y9iJ~}10of%#S3pbY8*PFy;p~ru|^@rW@hut{J zZQtO10cWmRnrn5YM|rg0jn<~=d zLcIx!OPj@lUd)Lh%!ekJ=aEk`H`7~LZT@2Xe9qJ!ZQ*4Tnc6<2hkBWWb$aUbcA+nx zhWnxE^S=r#drXP;m_LciDIiNeXog2-D>(PN&X zZ#_4|deip;_&(MC%BH=OrQ05^{X=iP76>Ujz2)XnGw=4~u5u*IHhvaoUKou%&0Dl@ z#2BCLPd=mt(ycPb?ndUE8W&xtKZ@z0j5dPd=BUf6>Z@&gIeJ_6EBKM@m(q`f8k1>l zZWuYy{0FD~m%#kOyM9>Gl7NTPW0>O{tXicTmHep$ zh$73WgLpUJs{N7Co&m0=rtf1Sb=J5mgMs2`gf)skVzSoSN;I~E zjQdT-CxTDS<|ks!{_wWl1+Vb$VtSPSgn4k-@e{dKW=?PY@OUWRP7W?3w4n}hB$4x~ zJ8frZ#(V`iOv#_|##Psp`D9^6blntKW#pgfcIx&A&%=&+&?{CKBXWWFr$Ck8+AE_!)zP`|^MR`!4H z^w5_%-eH5RGe+?*k$IM4@M{mU)i;*aPY)8o%YL>N`H87PPungpf8GNAw&12Kd*9bp z2OaS5@Vf1UPx#aCHkf3$FMiOq9QME9=`Ln@i*$!~zbsj43Hbj)%0UTx2lE86x|U8y z-JmetcXWpwfO~z=r(gEcmeZE62g#JdhgWuNmV*pr-)QjDECGLR8NH&noW0(+qYHw5 z{GA!k z3kWAcye8Qaz|}nH!P_;=0zdHS;9wVg=1;+7F+jD|jo@cp+Z%w!Kto;G>P#v)1iPJl z=gUURYLH#dgLnva4UpB_g4{+S2-=UFcNr3)cl~skQ8(z>-dRMQ?*CnS3tDclB)VTN ztFJ4bp*z3;$aSGiA^xD#&gG_KmeNOPMg{OnY0B4)xK~|WC1cNWSgbfw| zyjFHVpHW*k7qqxws^IJmDFtnzOY48B5rcxI6HKf-m$G7lCexM4KdTU^ zw=<1kcHtq593gQ#-?CA5l~V6cd+dC9unye5J8-)u)Yes3$-yh&$pyc_c!H02nysvQ zsEM-dayX2fE+ivUAOD{eczC(_@}0r4P*l~mO`Q=@%idP%-hCH49=vi1JJvh}F;QNW z@ShemScU%6g8ruk{Z9*8DmR4x|F@uj8*lkbB6nUhoIBD98}OojMkKVfe|EIsS|1!= z@C=+D5}{`9TPN z9L`Q69i$G?rhZX!gU_=j7RPfO&@Yi3ir_y&)cZJ6-Y8?A3WkXVxLbGwe$o`DmitxG zPDfFnr!PjFgI&zA?0Y238!?`TD_AQ&iKDEu*eI&fTFPp%gVN!9g-5VXEe{t+KR9g! zY9Z*0yo95$lU>g_@iI0Y&%{%CJMtx(Mp%1bC*O)FCw`6{kR4+^7-UW5?!!J6416gF z&#I^6vCngleLsE*7<@?%KgGgM25gFHa4sZT%SNf?J}V%j~IC7x~B+ixAI4%zRAo6quyAZq!QvI3KDxAum!zoS^a23Oj3)#-5 z;e?X8P(J_Y$iySq8W3Cu*LDNuE}Z~(*fV(@!p~X@`6dJsm-11FDz)Z<%xiEX3oz5x zyZ8XI+cC#0u&0>i3cu+8lYy%V$FGsI@UtctIWlJnkzI$PvbF#?0ec9Kx7VbNN2C+~ z%-y?1n*;GY_rmsNKH&XX?d$-M&@T)HEC=!{C_+D3Y|R19>;-K%awFvODS_AOoSSf- zu!*~iWyvMH4UrJ=!P(#{#bF2AVz=UE-hm9&Y%>{;bHxmWRE{||7Z;PRz?dtE?MMyYAsQimXc?iLx4zJz%|$9cfjhr=aY&@k~>I z8jiV|^IRhy>DO8Z;*IQNYzLEO*f?q!cJPx3ybMQ~>d7Z@ohiz9QcNSLy{d48*xs`dS|D1LRIWJ&4n}^q> z*%9@o$)4F8zeRhfEECZDrS->|j{YoOf&XcE4$n1ZQNQKHD{xxQAB1xmKEz+a8o4s^ zFkAd0g1Z`V2iyUSbs}yzADxYZKFCOX$3X7;&>ycU6wqY66MFU+n&G!jS6kK9bvd2pj(J4B8s;-Bq z)r5o^*f3vOUr)bq)IWWIbD-qNAQMf424_ZQ4H=r9lQC>Kmzx(iVq{`SXsVwWoNtOB zHM(F-%2<6$a-z^VJ1d5~B@N`g@E@w^s4hGiq!pwd3oI#q|vnV(U_7>Kl_2b+dZa z2V8xJ&Zwc&2O!cFIxA|5hG>fKGkeb5@zH@E^ZGFv^NrZld;UG67sMAe$7L=IA-Q`a z=cW!(#Mb%lDwr^8W>t7teoUmMK9ry0E^1yh%-9mM*c53Pf1fgGa7Nm!i9N=}D5Lsm zrc7gdjO$zD5)*}Lb2 zF``$Gam)BID^^xcm^?FFtLZU%aciC}P1S3bBT?66oyk{2UY&zeG=*d0W7WtZihlQ*%Zjz0L0O~x53FC( zd%mpJ_E`bGB|=Kx~Q4OAy&AlSm5)-Dk7tWfPD3n)Z!c)`wjm(~F zoIT#K%G#D$ELVa>!qu3tAoOKgPCPgSdA%#6{s4J9NTvtSxh z0&UkmCAarZj172YXxHs}GI$f*ypc%kYO09LmF*OosYJ?lG~bHiqL8y4PN4So`AQT; zX^^75ohCJ8dwV;g)dpQ&7*f*hhP%W;D9?>Z=o)D;3nsEw+KAAkr;y{j=kL@<2t<4~ zmeh7?<1DHBgm8Rw0JO0NzJdr#|3$RF&HiL=@NJY9glLQ~;Ik0$Q2<6uH*Scm1Nk4Q zU||TiRdGl2eJ4sx=S}|=t)}}d9Gev*yHumN2dx~sQH$Yw!YX74L2FEEQm_1YyFnWl z(>@qNla}tyHsTPaJq*5_6b?c5j1WZWRc-z#2po@Tk0X6lJQYK!sSsth)|81@5?nY{ zZEZF@K>6`Hcwi$SAH5OS8;ap9#gdbg$j9=BQjE zx6yR`gG**~mdCA7-9pmw{fkf@tKjP|Xgb{*(E%Jww`%pO?z8A`%V{OSZ3U1MTM!Cn z3FwE!%I^k{p#U#45PqX5D6&}iXy6kE9}9d`@Ug*14<8qNdc(&7p9J{uv?@*<*!j*B zSW@S9sJJ8KUkbMSVz+4D4bXiNn$RU@%D_KQ!;Pzz`gh?l=yydLfm9Jk1_1qZf(A#S zDEMfwrdEmgIHb~J{i@!GPeyr@5w>6@AB)m82)>`zU?qY=S!6k;M;bB93BMKzXw#tA z^k`*LNCw)}bFdS>;OeHHi?CtA(3}%U!&s-FfiLTG@Qme}6KLSj92K6Cr_I6eD+EWa z>_9W}a#U-HBR;2fuMT~wYSy4HHDU<-0>7Xyw=dEls|ttpwj2#ZR?R9coSKRa>i0L) zA+k!fXy9vP+r+!Sl~hN38Ec4vsznfm=F4~hBkDwA2o zPZ>cNNaVgH$strns#TWLsuE;j;mdLP4cXAbfWs?9W6&%8!%MoF!H>dqi&T#7$H34o zz8o~P|9QFnt);#5GRZyJaT`!)=LKS}19l;0pk0_`$)mE)30^nyEg%W9hTxP5aQBl8 z`p$V9XOL;*5cqI&hFBRTS%z4}Q&lj9GZ>K9WY7f1dR$VhjAbhW<76ZulxmXEs`Xvq zvQ)D2?lNFgMu|W?0?0D_CZz8IPd22n1t`HCs`Oc$5s7!eQKvYu2Z<(+vbF@D2Eb}J zU|Iuhua6swl3_0MtdPq#sQ}oOm4U6fAxOkSlmnAYD^xHKvp#(r;o9_Vlnmy&5of!C zgHh`m;JUP4$Q>+xhKqW6ClXSx&I#=>aI5kCY&{0l??HM*BT&^zE}&3&k-9D&pz>g4KO}Kjs7g4Ia26<>z)8VpN zMW*aGK$yp>`XV+D8Vs-J9~r%fn!DLHrPp$`7?H(v1M+YU&F>;(?qGSsn;GH#0ZST4 zbOn}ZlW|_DwShIJHQ+KHF73*y;R z^nPI-5hU z8Y&efaZ{z$=-NsAP!#};9M@^ z#}I&T&leCi(}Bfmj6Y6%7G+W(J&*(yHVGUP zWCzl_*#1Y?vFh2d@piray!0yixHYo)3=RM#)b75{j5IAF&cZxPh{v#Xm+&*tt5|nI zxr~LW?@r*;I7{&p3GYrUO%z1%wKyIRY?t?#ol+>cPNNQZ%}XgJ{PzbLq&5(nt? zUr3<(I|TGL?*QrN5#V$hf#6`wItuFHdYEUcsL|%fRgMC%6LC#Q*+9P$1}@-re|&>s za=KqF(|?@toyr_{bQ3qU$XRud%)5C#Bx|-zwU-ENKImraA@grx8RvlsRGf*e=dTU( z?!wlUtdV}rS=~GW&H@_&>mTIYN(pKofNFE^)Z8*0+A^C<^)5o|dXOhGsY)r}e@awf z@rn|NiskQjQOh^dY@y$tI^pd$x8qAy$p>t6dLOj5$OXVCLh~fkRA5m6y}X}SigJ_N zKM>(8FacA8$IL-=)*%x)L^{r{aJ~T~0mC+|0Pcjfi|k(uF3siOl;jR=Z&rGpe7OP%EOg($&d4|wvZoq^*^^%cl%>8?D21NEuBxgH_ zch(EUrK#)!uN#?*DaS#IbZ?m;7%FdI>?YiwHN^rANLf_J2DT!jFUqe*5XwsS< zdLY3A&9*z%dOX%Ib- zgvDt)h^61MKO&ziG2C&N%GQS})T0yu863cMQ%kYghUonM$m7bK%x?6qQ1I~z_hZhV z0}eJR`v}mHsi2;np#x_FJs;xTq3qMw+8nQF#0{w61-4xHr#3!3U}2jIcVzWKxk-E$ zc732t+Y}Oah;94yk7)9h0~vC%Y>jF%o{m(V-FCU#W;z1u@< zPeTV|59?UVj&;vtcOv1Tfoyu-zfgGqL0nwbK-3Vrr5rt!yDM*`QJM)H6bxbAnLY%& z4g4BKTDcJjm_8H1i(e^ENVe!5!CV<%FIbzjQc&>%j84>;i`d( z71J3elBJ@r-Qz0OA&+l-%URCvJ%j>D(j~4(*+_rLm_n3h)ub5|t{Jgo2B1B)nP<5s z;WRr33DUylpQ4UWnY&cnFy}Wp*=W~Bl>3p3W&)y8uh4~?&fUWvpdOd%fa2{(EXnkT z*D(;TXCx`9eCaN8Vi?fW8l)$no&j;v<7sM4iNFx+eVl;xN)I$j@Q1h$<*w*o&X&=X z<69j{_T)Q~=)ez#hV0ptB(3L`d$%dJyeU3IxVd#LDE&pEhB2j^!l_o<0}=e&sNjSY z?Y)Pnd6vy~%;flqh&3a@>|_>BLp7;L%zBNk1)|tj`6kRp-CB*f)nF10yAKt8E>0n& z*MSmnzjMm26ov2%<&*aBxmorzP;@weBC{L?ykHV9C;};aE()(ux#DsH7*l~KSWHnc z9V#e=AF?lceswQ$JgezoFZ|1t%x-7B{rBVzME@5fOm@=`+cvk<=yd!xwKFt*i{ZwjBe4VjAA@XYnxbLqVlj#=~@Q&H|F z$3;4jj~+F8jNoN0rV>zn4Bkyxy4!C78cQ&JdE_TmzEkoh!q$>>2ts^b+~P?I0pq@24=&j zp$eY?{^o7afPakn^+>yy5+-_IN6a8KRFqZ9=1Dw5ur0z;$1s)GuWzxiqv-e8WM+$o zdVEYea&Ix^Z`m)#5ZQ0Ce$x=ojdx2>VFvRng^~;3t?7wz1~3}cBd(skC*VhIxovGd zz3Z_w=jK!5+ZdReW5qH;+GvUe2CVm_hrK3rTuYgxZ6=eqjtJQNt?ny8NqmHmb#~;r z`@QFozur{s{SIdpYCscpreu1l-|jHkfzLg+-jSqh=HO(0b@S zCJ;u6R8s{|K#i$Irv1(*9p3_nlfXKv!UBtwPg1&f82?(}0ZW%`U`K6)WQKww3F*~6 ztlT3XgOhML3Mb+4l7Er-Bb030GO+|{KVw*9E>FEF_9BJ*=$P`}q;6C+mEgEZ1Ia5p z&AS%`dTf~_m}^wRcaD2$GL!vPCKBo(~)xQWan1mgpMtrEGX@}bsR8(po9@rwj?WH9&jUO7XI5SQR-ldaUcqfI zZTEqoraKY@ET zReS4Il=dpRSdQ|2h~*YuK-62FlG=@!Ef8tUa@?R>JF#^qTaaIl7QT=2(-HOctqZ8? z0=n3UsEy}UN;aKR&4kC|&X=Q$7vy9dXT!zInA&zLi>S&X@|UC8ji@RaCe#XOg`T^7 zujbl9bCrr(!(67!(}zaep>MG zMvO2@^kF6+lBQ=-wTwTUZF3To-fD)1F9%uou?C})qD1~VV4nmG2irj!tj4+@MncJO zus+1@^^fwuW=6(?yR|PCHqO@c}%#KtR#pfm)cWc?ts3}s6>n%on9$VjsYDE!J z1-oCKH+>7t^H*WKNqtQ%;$Z!n+Si_Z5r=ey!$oserxP_z5j+tQq^v4+ z7T00z0s}igy@7D#>B>i=LbvXy2HIh6BrvhPZ5Uw)+faz;BWFI8mZKw8`Veb_c{Q^q z+WDB|gn18iX%1*{!=c5UmET5KueY&cA<+y>s$O8#$|zt!9TLqM-TkNq(xX89w>d4I zXsEbElQV)#&$O!*_7z(V}ngakn=7SOK*R02s9iiUkEMSH3 zyD;CP;2)DY7uUirQzPFm#42%m{vSG&!hff6Y>3#iSv*IGCd}r^Y=ob{jBF3$;|cE` zBt2Sl5A+Y(!!i+R25{A}Y>f9Ypi(4+z3v#;U&|!eG=EIi(U6i;>^traERRy$AJ!c8 zxy&nB*0psEF3(5E>9C2wC7k~_)@5@wB*a|9po`7_0p)**Tb=Bn_M^bKYx^Xu3by;E zqvW(_B6cKVb~zAP8Wv^uT6i8Anhar7-@;H=wi^kxA7f$0Efp?SVZ(Mq*wrTy{iIZK z$W~xuOSVoUxb=A}2zu8+uNH;XtgZQ+tp{ZAg~zay*szuGbfBc%-BdcRX6M}6PkgYS zC~rs9wuLHu;s~M&^L|xw%f-}ieoDwK5$B8e)+=c7EAl8h)c9cdp3%AAI@K2%U30^s zwGpGKn4`a$VoqjJu}5#3VtFz2!f!G$sF~r?tRvD;X>@&E3I&eJpA@WYh(+zE24|Xei8cyL7s&PIv zwGLnMwMoEBpB{yF>_<64?%^MIzr%ZpL;KT?Da308e0u@2<)xZ<-j4#Wu==*8)E`?m z!EpM1MPM5=WEotb14iH%t$_~Ppa}6fRI&pGuxce>mZjAwT1$j_b35f&Om%Ex7tv)b zFZ|?h@a-zu$v+UuO<&#*xnJ{=Z00I}DQ=kGx^u^na1Z&r4h zJHU>6ekyvt50p1HtfoIRn3?ewRFeCP_qf98meN^0u>2YV45)h>5eNgpwy6T4=8kZA zxOElI$_Gwge3g(-91v!B=c7R7sYy^*#l{ftV#V=BHkofnCB8rp_Up8dan?s{=4G}W zRPSHnaOz2(ZA!~g*bbS`IZI{-2D2;K*P!8hDsMH)rGHh}Y!o{*Z7yN}!Rhd3Kl0DT z+tD)P<|t!o6g`RBBBj!Lw*`iz-a~EB*fax&HTx5cRG&AQ+Eg&WcxmkoaWs-(z$C&N z*9z-(&diPyBF{Xh9Rwj-T<`1w(BL%79IQ(Wk%6@>$GHJE05-*|GLS7J!Y~$^mT(m? zWWK5NPLHCeQj@Id=8x1eZ*E^`|6oQBV=M1mMcOe8LmKPxd6&;UZ>{kV-WC-23W{q7 zhJ(zQ4S`%o*^cxh*#DmSRqo8kWd;|vx2+IM^pIL{pk7of%4ap99A_NbFVZ9RF;7r!z<}^imEK6O|V=&iR~v} zs>c_2&xN$dG_E_FY=c{12>=v{YKwB z1?aBlQq!8(L4M{aw-_OJh}>cT^6RpbbN*PU@w`{q2<*za3PWUbai#)>>J+dk zSE9TO#Gl5f*?8IH-Uj5NRtGS;PN#~kFB%N4-W2e2FT;lY1&k{!e{1ZG(L0sdXvFu zJIos*JC<`zX%kV_5M}yA#B0dhSVJT^QQAa5@16*j(v<%qtfibuG=CNemK%!cu(;iNfC$L9O1#ku(9gDB%Jfa|A9#0e-JQW+^42+FZeh4WuVlw_El zKMiH5idRTnxx>$P_0A-!MsRR?zXA8SGDf14vJQ*%5D9Kmyd^LJz zBD#7WQRiQRpNYuu8^$?Rz?Iqlq~Onc4HxW#Re)dk7cghBjUU10Ifl^YhoJre9FCItxnbO8`jFur?H0Cjl=s^(*9T$7ag5-w$Iw-u+?P_rjRG2>KxX zaQf3YZxoR?1UoJ>wT0L`Uaj55(6iYG**U&tx|3=o+U}xC!)V*n*(W%K_QLqQxhU5F zeGl7b^EZh7SvN4;kr-w!RZ}=ShW`VV--{@>!%6Myr=YL1uWhJ@8&CXCqbFxft^ShW{djna03?msbSZpx^(M2&`faxo4e1V3lhGBPN9g*24I+99@`ZiWLr0 z1d`fp?xz#`hv?c-p^tP)tIY>7En9PFR(EW>1?uB)k*GpT-H7nU6 z5HW@+FEhLs8%C+bMTi|`o6mc{&?!?@VgxPLVryYOe0@M0sO8kGdB?Ke!-u~29>&)3 zu;R25x+hq18UqW>!Y^QA)>m!&Bl#6X#|>!qmZ0OsTr9X7itD3X<_PWiFo`pGTl))V zPaAC$()syV*H`82$GZ@herAE|ZMy7Beo3u=7n{oL)?|$VZ#~$_0wQwb2^9p5HzC6c z^Nrm6lPDt>QNw`fnB66oAuhwUfN~t6sSzTqYz{GP*fjweYoa_awZ=ids>U2bbnKX? zfSrl|nx@3X(3Bg!;fcGxGnDOz39mq*f8BX2PL~+tZ$tKPHOM*YM5B^pMn63 zdtt8L{7^LQyQE~N+}ePB8#1cVq$!Bi;@{G2VtRzTFYO?`7Y$CUe+Qn zmlmf_XG9C9bZc`a&QB)$6 zuQKZx(WqkR;b4?cBgP#DeeKgooCZ`*2!ilVj}x1b_Ffg^QL*pPW?`jyRk&H-)A63+ z(y#2Y;&N5f0b6qzTdsQ_1}IK-)!nEy1nPCW$F?$z8)N$s&VCQdYjE%!(~Cwq#=Qyd zx4k8V?f^K~WZe^Go}?EhGB?yzZ($Of?6}Fg$|={U(N&3v-e(wO?@2!;Gok+mOG<#3 z`YTv)9`&g73vI~ynJ6}dOJ5YsgA#?>WKES z+S=LJyj0~3aqJktdJ0z{5mxNtDHUt?we^2LYdm5fzhxq}nuvpQ*6l%#d!vPCEHZ$y1pD3C$U&6haY|A|4G9p+7nr z0*n7*gi?GFEr;J7$hfJPH_(h*T00}2LCP^nuInEOpmo7jJ zja#RqjN!zEh3Mz>t6KiL%KEV1DK5fWF2Z2sXKEKef#5?3<|7qsLY$`(tn4mj&fR8E{C8Cy;gDJRTyIo^F73;LPDiCkUAJwdoGN?fk^GC!U_q zx*W4~U?u(--S;Zj#6HfntaP++D9ZQ^GvBZ%yR~2IIeL@xLF;R@KJ7t;_m3GAEa6+5 zi;j!?u#^Msa}o@S^UOc!#l=V>!R{VYf|OZTFsxSIi|kiGjCW<8Y6EoD(nHp--4s1t zxX1Tw3vD`2A7h>7s2F}niZ=^W4Q!$zp;xc}Ih~Hp3C9uVF+WZGg2&4eZ)% z^z$O@Bn%KT*t}$+*;OY6pM?#Y zs$uNpswCvzWXK{LntkjscLYe-J8w2}?NsIW0G@8X6ed89gji`0`sQSQZi9CKF5Zr% zp28t-tx}2uCA@^;U=YSr+oia)-w?ErzaPq59o53#VWogm)nP|^T)?+BbcymzYUa=ZmkHB_G z6}G-a8@xt^_4)qa^Kq(x#}osV+PVz7iArR>ZZh#%g!L!6&SVkdS-W|GS&YPvvq|pX zoUe*~RNf?_Im(|azKpanVIbuZq-_b4rki%9{S%u{nfJ_dRH<8%{1&>_Z#lTq`g%*D zX^PMeO8BU%6jgr3^(=^ceZ4p3ZXt?Y>c7k!HL+1#4n3ZK56Xq>$yXx(CX{R}h=u96 z90+@>5qTTsWs8HxosrkS-o3+_C4IhUy1R`s!at+WIsymPNA5`~=3iX{Q_cI!wQBi1hp{?j;HvDu;m{#%RdU7LW zD88b+@C^F_?0f|FfUWpQ6S zqUO(S-?O<(siaFUaxs;I=@@2u49tK=BF3TOH!7PvRNuVU!N&rYpnZLFU6io3H^y1u z{gUOr1miF80~qI9t(&4k$)<^!g&4my0ll4!=&9FpY^1|?gLyU@Jz`wQ_)m%_F@Krx zei0&l={LHQshXoD!TQ4wCtyMS!qih$qK*g{%_A8xhmh`pJR~UsrBXIbJvQsk9KLj2 zlGtAKoSJ@297VkcEuOiGa-J`LzZ953+^vpfqZSt-c6#$x^h@hjqofwYv2`2Rbr`m8 zb)5^7S3w^DQ}!Y2inf)qhr|l`4XF4!wm#-(VDC+M%t+~e2`e*GOe@mTQTr_MK_sRlc3WCsZ%OVYr1)2b(LdPx~8sc4}Zr(w+)1ShE z>B~YB{S0ggHGx7}loI1<`nrNj5?5jI32a@(C3)LnuzWO|>yf@%mGx+ZHPrsJA=$V_ zB|Mv#jND_Ie%$hX$=BQvw~@^{I)qhk$VYU^nKfF>aRFFp#%?d2?C7JiZDjZ-(AuhU zm{twSeviN9tT_m4?M;aN?$+;!`rYNH%J(DwOVlu;<#UfOcO#3-kHY*Fw*9#GVP?Xo z;S89Zk{YBl#;9r)K={QhE4KL zLzxd2P4#?0r+NOcHVOmiSA<_3AF^JIbs09+QTQ-9jQxb#$=V&qb+5Z79V4#obi{;- zEy%z3vDFTv!?^~E{nM>OP{B5y#g#)1v$qUH^Sv7hH%V7JesGA>iJ}eOQ`n`Aq+Xzg z@&w`i2bP}c|Mf$|`F5o^4`mW<3*^ofHZwpNX}`&6nkMb%M-awn4Ryer8tZBFJeKKW z57zAWbA@Tz?GeP~# zhX{7A_lh!*l->(dd0P(Z{&u4*ebT-L2rfrB?J{kY>Cbz#nrTyIzHj-oKTqh_q_DLv4s(W8YY4b{zwNUUtB zsaTpqjk5~i`XB)RC_hfc>}LJ#wvdR^OC6XMr|9Xm2DA5j(Q##fJQe$lT~!lBJ<*&f zyyDd<&uxND5t07{d(R{5CpB+*f5L$WZL`#{g{0-vT$WyvMMz=tAYbc@?~muu9N%>jD(jBo)BiJQD{#gcbcY zr1gf}r33EoO`%BiBkN6Ql(PxwC7>smRQTK4J#kK4atSG}r~-7JHV?BHh^40r2x zvy|N=yDtPI-@7l!OwQdG$nLpOGCkZwKSZk!iQDq~3Yu zFM@SBYXYSqh#ZXByZw+C9vUe8nW3%}yD7bsy2!edZ}WG1o#5GZoAO)ezTS2GljmFZ z&9n>@|4g|vaA-n;{I9;Y3d zy8U8GO7w{4=E2L4Z*fqZlqr}*!5 z@psz}Ibte(ktq#ZP@KW+Gb zEF+Zr{}pb=6Kq1&&{B5+9jx!GDIc%K-DxD-@~Ol;_2jA(XMOy?jLY_ctTf1 zBz`9XIiA^iXCDv(j3dCE+Svg-h;@%($7@@@f`CH!3I=%oTY7&h;_orss<7eQ8XSxr zyhTrshWASK^?86mHLWWN_lU8QJIUjj6oXWPCkYP9e*;@ijWkQ!y~H}vkMD{@?oLemjDIUywGf`BcJ2}yl zgp2$QT#+i(%VuOEmDiV?17QzIJ^^-2qC~flDkS3Z-ddzia*K(@2rH9QAmjv|6@015 zlgh9v*_)KU6G9E$zGN|-Lz*PF&y$k%DAFgole`|E#y!N>N9j$$Ut2jtlv+rEyL3n+ zxRVln_G)l|kzWEZ0O`HuR|p>PHiaaF#1yi(*NN4F+b7`T;H(8FQv?wo#~fhrnKr5t zy~$Yb9Ta>#1?Zgg-bAE<9C=cUVY@6zNXgp|vL$-}N}-sY1?ePvORp=GiC$QiR|`H6 zXeeIA4uyAm1^ZyWDEL-U$XP@vQri$724#{j=OT&%p_7x6aUXmVRr7ryhGa}1r1XgP_q=`NCqyC1hlixkM38*R z({K*nob1hy#!6obnVHVRy`G$UgkMl4i@HiRs!m%Nf;`3FD3!@#eh*oW;#fkNl$5E& z>k><*1?>z<+$$zS4S7PrJ#%L;G1QSru!5jrcHiks@#(d)wRS%YMF_b76aE0lcGaCw ztorVCgp@=qwh$JDMVUZaLM)*cm4&i|S;7<47TUsCA}ksUYtdRFEm0cIq9fP8d1>L% z$%%S($h}9Wim?X0Q6FQ8O)x3UD_;HK*SYEX9(s$#s<5>UO*Xb>>3hb;Y3zDORJ~qfEQ2hAEt!@q%@E7b*lfpa6YxJ)*Wb1blevuB!QV;+IFleH70O|V{|@U1A;!Uf-2uu_ zT(4p7d3;Bc_P>h#o|@cMSPF=sO~6MmIs9n?DOM@bV5C=A;FKbcLV8k-by3Mk1K}Vz zM4t+m6k0@Tl@^2@lcSIYZ^DR#8__%aG-PV<`RxR9Y~L?y>~Wnk9ePMsZ7=pIx! z{<#-)_5ghSzmCHO4)s~XIeoAxovaL#b*7?1l_(rSB-QYt;1dcT2%isz(nr7%VzO_C z(i2^31$FKtxC6vr)T!yZs8@AsUk(xf_p@-@#@oiP#H!J3m*L|CG?1`hi_$_Y!3rFj z48If>(t;96vb3}SSW)>x zWxZk`+@sj{P~1SQr<0Q>2TKr?tFXX%$Bmc&s@!~7$Ldt>I;HNP3diq6G3AZ0DUgqhv1d)MViq zGAp{gXhJ67R29H?;t^4u=$&LzR3}0vojiGL7bYgq>y*^ri8Ps&jqu|MO){gN%==wZ zL4E)Yb_T$$l4YYUrPURHvneB42AA(FFes|y(*T2tp}!;_mAT|uaMu77zTy&UxZ9v9 z3Dg2IvPVYCWykgI0?UQaD2vu^}ca_8y399rk2;E`u`IEQEMBjs${@dV5Y3J zlvGyB5Gb%Z&}83kRa?)*O$W#|7;pk&YA&*r0@fPvXI9k%7h>LU;H2zEN9|nI1$flV zUX%$qsPLR*SYHOF&A^n}>N-#W)~W!e)qc`HMT$^P2}ol!z?5RC#z!uh zLqRA&^aM^ZnM55*1WFjsA$z#!3`j=(vDI#=Zq=u_o+?%;E$< z18_gW4psq>FL}%QG&z)#tWP=*lQw-x)yyW|BC$vD?BpP0S6Mya3;<(S9km%4YVR(Q zPM}KXM>3qiU;vFSi`4*!cQLplo5FxT!M6K@dsUJqIwsNlU^V z7{b~4*2kl2OJu@a`#nSXAZmfkhzO{v)eTd@WNC>!0L*PoCG|MGc?ufZ+L6!&5G(_* zw`|SquYvc})mx33PwTrNajiB>1tb_m#LZnwjIL|J89UkcJIqUJdL! z9L7>f<;@_DLgu}I$^bFP(r~qk>{mSjAopjKL^kYD2g88eXdrT+h7@6F?yxZ3yO zb07zEATwl!%)kUDFo6VuWHiyBARs}41O){FSI{6)aRJ#}TCGNsGsID^^==)oNS2+J&~ZwXL@5(|!BhL7(U8_x(KYAHP4|f8Nj6Pm_ksWai9S?{nYR zeO0FzvrY&K;pTP&lve`lI_xM@CTM{GIM^98;7Jdg*CMp>so~nxG)-xGi zyix}=&a>^0(j%5?a+^(61ijh-!>aB%%WRy1XOb4jGwgAy1p?wr*L97pbuD#!tZCuo z9x{k5^PPvQp7>c0!mf35=t8L2HKoN0sw*AbcCu$AN+ZL_ZNRu!0KAR0&9ptH0a&16 zp2Hbvrt%c>k#3ZR9sQxsfl01zUR^D496Mr6E5bAG392L71$bg|-Vz3)nfO<3WKlc5 z1nL6~%9}B2LVg3xSL|A-%O*UCezJSQ?x!!W6F;ChfNPksmM1%Z{^2|bpQHI*!~Mr> z&)N>+2e!`l^LBlfB7e@I6!u({~_83)Ry$uKQ)>aVAk2q-kwd^Fo!}olobC(&02>n$xa@I>>_! zRnnZ7nHN0W@_>bU{FB9Zs=x6)MoKU~pmio_@f6pvjf0huxPZ9;{K(UNO|`TA&89|1 zEur|Be>9pdj$mjOAIa!jV8!%xI=jMsmAC;Z=Vwn4L<3|)vQcpp_!uYM8Ot$Qks@O4+hG0}HVVG$W3n~f=-Q{cx z3mp2(_4dH!-#fRQS=~9u4dt-Cz#q|H{U*fwjfRF;4{?_l)$JflewkGK1w4;8lD|w% z8Pu4kExnyTPf;zt0ILi8nVx%_9J35?mpz+NG7&k$G>Yg>ta!0=DeWXNWV{L@b7jHN zT)$A=k3nT^4eMQvPZOK%A@x@bYuJ^ynW1a8Aveu5eW@#EK*cg)&O+A68vIRl{`#pW z+?H$y#dY|35Y&(sE3cF;1Bh-T`3HGBrq_P_ZohH{a%N47N6@mGTsX@f6IfxiQqka1@mN( zxRW+o@L^*keSfKjUmvk}wOclN8DT5ta9dk}uSy4^md$y`h%#ZPbvLL!wwbg*P|i-E z?35_~OUiibmoQEF>g)YYYQh*}e?#3yJXf2R;AgM%mo@@BPE%VXs^tsA17i)ogxZGI zn)hxyHAsAfdR;p&1`2g^>S}BAzKUX_cx4g!wkzLi;4Kf0pP~g)e>OfGQu7k@T2NM} zcjiNf2Qi)c=DM0X&~gXEqL_V5Ptz4#YFGV{Y!5GH>S;>xub!v6=XZA~BfRz9+Q9Ch znrtikD%UYuNiao4Se{bi=qMacoY<=efF(jrKXaGT*)Zz-nKKPyp*$c!S;W|6ycr)A zw@@`tXHoI>HJ5N%PnR>$N6qO24f0v%CPRV`rmF<@HZAgd*k>90N$*5LA6)blX89!oBCxq|8^v)OG*GW?}Z=}S_dlc22|^T54=amAiH|2)oX<++o&B&rJplRK2rGfcT zSASF2YPR@lICR0FYIzJFst0mbe~Z;*fU(2h&Vw13XnBl|4yshHW`c69_H)=n5^Pf; z5scl#fOxq(Osn<}aaOSO2I>3$Vok9htm=_q^s?`8WS4mVx;29IT-beQTb-s3IZ$C#`kYZD&rpaJa!G6^8|04OZg32_HHek z%yp+ZmMNbX!`7edRE>R%vEfz&{qt3P->cXd6T#gdR8i4rJCE0EkAj%XA@r5k(bn34<=AcE1biA zW?&H|R?C#OAD#Ay;_1?IOOxMcJ|v#FfrnnW0jivR8PlT3b>ZHh*o_plVW5$Vr&POHc{P9=H4xvhtycN~MMR@=C!=YinV*xb_gA}%3kn37A2bpCmDEteM2 z+s%ifK*cmT<%#9d{uN}HqQ5j>y(8544-=@q9I+A$>E{XVsY=}t#xdznMpdi8jD9{R}n-7z~M!7qSpb;Xk_%pmS*m|v1 zt1FGei%Z?`yT4f2HD>5RoVH%2`B;IczVk|zXlBWKmiN=I#6tgftt7*I<@#PxR;ynp ztS^!kL%L4z+YmCUU5o+!5DL?h%%$%=5;0t)<2y;dktzjZfj6P8%-?#tjTkcE6yhPpDrS zgG$vesCx;2AQJSSUuR(cD{1gBY^Q>nD~9q{wd{vU)+#-%*9UdY6Zio-(%oIpp4IAW zzz?vHyleXirjjin(aCzGYfF7+$VJOx&o9caT9CatbsE*OK&0r$gS38s{k6qKxuNOX zl8iI7_)$fc-d5LYH8XtdgBDvgPNmOXvJkyJ!m@^kMqaoxLcG8NSD>+s1CeO@S^Czf zz<#z6_{iCNqtR^fk0`!Fe`!*n$@9HYR(4;dn=Y$Y_R(`#4X|CGYG(L}4z-xaCE?%r zK!kXw8TiB=wEo4TLh7Usvp?F{iF)znX!lV#Q(T>F%+=H8wszJpUxZ+TUHi(dGyn1wBau{}k31to}ICjR-HF7-KG=JJrs z4&3UQ;m*^jsq6!Zn)-UngL>G@_+cWkut!<`yixgV&IZA#Yo6n4l2S;ev5j8av2Fl6 zJDJ*9XQGFfjDxn>5wmpdEy z1=7MTS3#e!>jj-3bYs|`t=g$Ge4Uog=D23KbrWo~-5+!DO1>|Rwb-Zw^Oj0y6k?hs zLr{wKeH-#;RwAyJ4Clr>!M8jKXx2Tm=oTSbs3BW2Wu%=~*9^&&_#GzR?q@su9YB`5f%&}CT+NznoHG_NZ#p-l;x6g{f#AGH5$`ni{6Sw0}O1y}Bkc@=ntek;Zc*ByX#v?8t=cRFfAvF@AdfD!OvEYYLG{*OPW!adh?{j5_rVJ#jVB<4P+pF zsOzV|F!B)Ew*AELE>6BqZY|VB5>b@9|=)pW?P03 z)x)b%NEic#W=q8+d_>rYS9u(yo3)7U_em*a>Ip?87F)b8(n!FqR}MmWM$hB88tZ(^ z*vWC+A|h11M#cdM`g}DR&SF_XLM~cJv#}nJAer23;Q>-Xa&atWrm$07oZj~q9jdKu zm|ph-9xFvly`R+vQATKwTxr1Be_vEZH`x%eD{43k#cMlv9D^xg~>x2SEfwSHB(=n2~UmiLHToC;{bU zAo*Sr3q(IX&$0WWx;{?lBRRX<$kb+!QHBwh952sQW$bK3Wl0Eo_}pmbo{gV)_Z0mG zt_IY03W)iN@A8|}DSf2PaCg3vt9}GAzmacYj;1jM3y^aZ#6incl&w=nHNJ**LPpMh zq%_C|Aw}5(;);4v3{g%+;W0|Qm>cbz$d3*;_DK9_f&EEJ*PDq$S;fcqH$E0_{W^-~ z;R&Rcf5_MYa+0QXsoI9-g}h$Jo3fqNil%Ok@jNTO7g=;oP+c*sD?@eJ)vbNWBlu3b z7J8l88V{=N?34ttRp38ld(NKNg*?1VVpp4SdivW&HbzHAgTV<&>I>NiWs{VQ(rm+2 zlSmi-@p)GU9YR{fgR!Iqh?m`>+~4$Q3^~R|MxqAT(Uhf#XBb{m)rYa^ej_Uh_<1pQ*-CG+ypsuraLSG?NC~-_IEc$m7YG3qz%Lyh+H!%r9Go!6g+4 z_Z0?1ZrnR$j_iUYW!QO8&LPd_K9>Y8?AmGD#oXX z2jbnw)dQ;NO0m4{9;|%MXGWr__}JB+6uu{gby^SAS|PLZq0E|)_oK7xPHUTCKXRXz zeM=~Q#{IYfHZm4Y9tZVRre?^@w~1?vCDO&l*Une zBk4Hq9#h>P;gNDbQiS!?3t3o!FWU~Wb%|_Cs`(Jpagr2TLWGye1^&7{kV{xKpe4J3 zUDVE6T4*#eFCI&V(<}zm`t|uL)kjs)#A;oVzR&W;*Vuh;o zcC6%(!+}!ze(K$njK;BK9+Ob84`sShq zO*z123xgi(7WPOQ>nP+-k$-{*RxpUy4eI0&^M`W!ogqpHeVYu}_cF_b^VcGr7l|NN zJq=zjy4e3E*_Km-P=oPMGGCdXLQK$ZwAoDi2bhZk)f8_jgaAbJJe%SMD7k1J#j2%3v;Ds>YxuHa(&MFk|h3wkC`(33@ww#kgu zf`lQrfbis5j)w<5$VEwaDEXcTReLCo_n6uGWFH0Zjr$ys4NdAU-u*gh!I|VFq&J6! zGDp*4*50nnz(W9uG5>(@_Q*vV*1ypq7*yG47%5qWEl)Wz*6>)M70Uy{){gVxjfe>qs0sD8h6jk>hM_ z!cg`E<=I%wbHj>e!|*dUiF7Mi=5%rIXuM0UMAqB+l1e0*We=A-520Xon;GC{g5Q%qtCT1<>7Z{~#_7L7)*v&ata zChV?b#=9u~!&69(x@LB4wq&sP6!7~DMc+pIYPcC}O(8!uitUbCzb=M`jJ%5 zx2RWg$q90nzdp=Z(a+w=#%5YOM({^Gq`xJK9~TXC5iOCQ6QdpMTjBg+@D~JLV8s+s zAH%2XjRy>Tyjps^JAfK&B0I@Y5|7!1jPG#Q5)uyEzrnD)n)^s(DjwE(kek(%o4IPR znv;ZxpDss!eq|0nHK+6Ivg}GUV&6*k(-Qk_AVV&W<+eWRf1Jiz*F-BjsDZ@eJj?Qm zO*@BW79j5?m5V1inJ%=kTbYm^E;E6RTN!=MJA6SYvfTF2Xq5S@A-z6Ko@2=t)(}=0 zLbm~NTKZ?mvV;se!Py@i?-Rs~Npu!AcKyKV9fhQreMW1$*Elbn_H)LENw-U?aL%$z zZ~@btMqN}o%KC5utoFyfX(c8^kL1BhdL*z-&Tv0ry~@F+HNzmcD#PTxV5{LcX{T_6 zxd)rT)-#EzdATUClHaM&yRpk;3YVkgZB5e=PEn=1%f%OwQI&W{=zHd5yP+T0#HxCdWh^6OF9C8c*-LV+4+H`(h+XeI2+0@JI7m~>M6C*oC z{&pApnH7T0gKf8qT?5Nr3PW>lTQ!ltoxvlW>%F2^yYmJ!mNmqhALB^4>4}_6e`pd) z*e|P0kHnIf9Eo$v$Se35Qu${JgmLU46CP$Udx|d2AXCYYv{xO?9pO!T+inkRcrl`#m#1x=XdIye@640X{w2*{ba6S0OB|4WHV~& z;LUTw$rynJf`mwBlmPgX)aSzaW=715W~XSG50o_7NL)p6D09?!lFYX`je7-hpQ(^d zXAs{IVO}22o*D|1Ha!V@KOxum2D!IxKR1@YH$3nDXio-x2YZXKibpY7@=Cl#y^Lh* zn$L`e2;%ebcnaNM9?ao_jSCn@Q8L0+7BPJyQrg|KU;%vykMGJ7n<7LFhxjYe>>+OZ zg)4R4N3ijfo4x3Sh?K0Vi0|ToLCX@D)mnicG$z$J~+OM%VRYBJ@>L55!LduD;K zawg=*Co31pb>B2#d?E4j7IKa}#crcGi#g*?6zk4!2%im1^nX-U4q0oj=Gfxek( z$P!7?@PjT-jTNaI(VSHCmGEwcIPj!{wfdr!OZ9Q zHS!*JV<&552{-%8`56@_M#ABBb^2Kjm>nv$eZaHnj{SHYz)%G zSR?UpaL<%Ijx_4B;v1~r?2GsH@l>-{Eb;*HI~r8mQQtshBb7;nG{QcW832+T$|NQ_ zJB|)5Sd33NUFijb5q=V1$CX$ok74XWIiojM>)4o7{8-T>hUtsPi~9|(Qapn(-R(v6 z9i~ul0B+{KbP`JXUtUIjRo@Xh5`ii;ZzrbZa+m$K%*)6<+32*TFGcQ1vKbG3KQb&9Hog>CQyU69U6;1&V#YV4OMb!X!?v>mx+k&ziRAsF!0w9VIV4&3fty=NxR? z#=6Eqc*GH-OmtVWdvqXQ(tp^cappx77C(%=JvWkZ>ly`0+FAaFb0mzpi7Z^HV)FuVy(3 zZz7CkQ{L4uUl=LJQwcfsGqX2+Eh0}rQ{9JbdS5mQg5?LG#E6R6(=jt6puzUFTua`KTN!HPsI)%PMQ z2mOt7H_ZKLU$WB%wHA@Sw1|<5YEh066}Zs8E(~_R%3>xeb3LkhSuirGU4Qti zEf3=e<`vmRV#Qw>vfeX`{VANX)#czT7A}*1o}rEH)e{gn5?y4fQjRGhQZ#+B;Oo%N z!RqtK)?ap$Caf>I8wsb#PHbW31@iqT(6V{$!oJV>M3!MZyEq*?Gx9=PTZ;8-GqGjQ zgUwUji<#|+$%iF@tHAY^^^D(qm}B(J^nj*kbn1+VHKvjl1T2|ePlBS67CE}Ti@{eZ zg^W>R#S> zwbUQEx$R_(DpUyPjGYw$?}}-(BUE;xY{O3QSV)s z4DwgdqT|VO+QP)S`j89GPVAb<^!1EUe@$XafVw6Vwp1=DhL&WOhuCe6;ld^u{{`0h z5zba5^ivK{pyLHAHLjosN%y)FxsRE*1S7_Y@Y)q;LDpB zmoyt6ySoDc1)wJcyiKPh;UQYBQCAq(GnJ2pnvVDLT6{|vp8)P!julSPf#S5N#fPLi z;WguXk;)>$vYEUjB5#B2;EZ zow)P&>w zKXYFcdudU&A!h)><+5SpAj>MJ2hj?a#zn!nrf!OW_ zMG}9tkac(%n+Xw~6<5!;nv*8W3yp`Peb;!j0PqRv26I$34&=O6!=9SVA80eqwi?SL z$+%9E`e`j0>aJHpQG(gHxPDduqV6=^xLU1ORCJ`+%x;YPbCSP_YhwS>yYrlPr0^NG zB14Gjh=KpZK>o0db&o~0PH3&~71?T{CwsAG1vKOe51#LQcX=^E#W-lru39ahn1iA3|}^nj>| zWvckA!F*z>Zvup_=k9D^5ywxs)B98U^w2yMsu_}CE?sHdn`Sv>YM(P|M@nBxT z^n{xU7YXxcGz8N)e6xd4_}=7*V5UKD>IQuMKN0Z>HU8j1NX`fz{~Ip8SKBWEV0eJL z3xeZ&b2a`8JpR@N04yH_eFIAV7F|q2A>0cRM-u)9mhVj?@qyzsSUgaDg#?V=g5N^T zCjk8a->`Ye1?kO230@acA>cZ_dNWgc1!;pA{a^#vHQlVXgkY9MZyw9Po^3wl zRopz5cI(2yQ+lt^+oCs7{C-GOxC!IG)e(B@rT5;!ESOu6e*f%+|9Spkk%Or`050=4 zHN%rZQ-dTfhG?F@9V7VczS+H9<<@Ap`9wj)Jrup6+21=@f~WnvUqC)nZ|(Lb zJ&kW@?FHcn3+kI6JP+y_&VU3Sf3Um%y|!Jo zbP-#R-}N=NzIq&T?;w@=f2Z63oo-uU+W6n;Hn=$a?{xeB!F2mybD}?b6AM?}BZc+a z-n{7V>gIAVFS}>Mq8&79U_tJ+T3GlpNC|_5tlp_!HNY1)mu-lPrW$&eRXsQ@g9(Sk z0FDssHUKxDs+8q zUJ8Q0<|9Z4!T^NL*tVs!?xEQ9Ch3odzl%GKshz~4GRL#uOh zg_G{b_c0%miI8@uw>j}_@MiC#K#%YF3!jrMf+72BQjJq&19=8Ns&&`b^U2{ip~dP7 zM7d0O6Y~BFq34~SBbtie;%Y3$b`uP(@}Sjs3kaO>x6R(123TQKV~!aauZG(|i<+cC zyq+u7s8%MIngRUh7wr*b2AM9Ty1np(sd&0_7>UkYghi+sdKkqzjfj*6@hOSUcvQ3y zkr^7*#w2qqOHvUR=P$wk;5f1tKZ26M8L5Q~)$}hBz)<=kJwTM3{q#9*Ts4f4zGM_V zqWp^25*F0mHX&oqRAe9Ijd2|0=FmzSAl~%M5Pc9b-D26U4I+TA=xCh+5G|;G6wNFN z;%o6=bb`L64iLGnvxMa~d;Z{D6!!5x`)NHKR^yq`G}iSheBpKDL?k&AL2iRMT}^~7 z$VDVNGYd`}j9cekBKvV9qzBm^7^{=M-ORsgj+ zi#dvofuBnYc2*W03iGanP64UKW4LU*hKfaQuirS?PQaA&k2DCVvy>vz=|NbwyPi0@#T#U9eWn=Xi~pRO3bI_aGFPlY(%(Hxcwd z>|fjFDx&2AoQEYUOgoNT@4)ArA*dr}-Bf&gmn3E8$+>kR?9f0fV0o=@~5_ zyR@L$3gYA;ykR1X{Uhh&meBF$TD>`AaRMR`jR(r+x!m z$Zgz9G)5?pRsuSHQRDdZc%+35%@12>A?LbufZHd%0CySD>xQaHObQ=VV;{)*hre6BgJC|M}Ttz%#rD5Z@5b08Z z?_(G_r!CVU+fR@hTZlxasduBs8_w6!Iy=4Ym<#89Lv!(H*FGATr^h6^ zq7v820pDxfc6v_v65_uZCJ%)xS9`{LBFUhNA8E4dr)fL;IG&_K&)2Chg#~tVKSPj8 zsl;)mGlXU=IF<_nr{1{=kpV&_*@92u%6+d3D>JMlrS&6{pJBzx77LdFa@m~CYipz< z*5%R>@U&MZn8I~JG=A@LYgsI+TkU{q>n@FBjp=!l#aR4GEx&bbO~lDuh{9#rCv zT!ZCdvG4<&zPL1iyJ(7YI^%^X9e*(>7~_gSg*?^TG`CbuEck8qLo|DFbavUNp)WA*dPq zg(&Q%(e5$DXCYN|kK=w?tL!O#1!qtZX9%NxKY&`UG^%thy&oT_h{U74x8ns;G?e9h zto2>3QchLJN9l1$Dsjw{6P}He1dW7?O*7?d2}|y$tx}e78%-=|MRMPw1nj;iZw%rd%7iHQcDdYyBcv#r zl2?Izmn(*Jbh@)m-^C~|i{-4l*3>Qff4@fQJ;sgUUfyKmPyE7GQ97TbZXB3%Bi!{F zNzW|q1Bu(TKvx5#4(8{>Nm|Bal5E*YtfrSDAc`;3e8LGHvPJSt=s?U~b1qBs8zsi% z?1O>xXtgw$)VI0-6T1yjuW&z^276%7j=`Ww;dU&6pOip$X^ns~8^M{V;am@;Q^0-_4MY*D&Aark_FNu{AqLW7!+{+EG$eIRxWIl(5D_l5hJ1F$?%JjIuiQpA7!P zc3pYZI8lcMQLl6NG3|@Q;;Ca;Jby_Nu^a3d|7G0Qv_pscULI^r4d*vTS;D!qJ3n;2 z=Fsuw44$HZUWsKmJ5Ohd)p~mh00$dW(TB_G`Dxt^VyGHVR+y_PF$wEPvZsn#tCt`t z1?LL0hzq~%oycrA`2}hMASub`{-Rd*X;|tq$DFX#gRy;#1Tep)) z=V7f^&+2ql7BJVh@GphCKTq>z;#&ne3@Dtt(Bh=z|w? zLt#Yb3`L#WU>nB{utGz*hFKm~&e{{qW@AY|RygbUGmu~Q9g^;p%eYr*i_*`O9t9ta z!t}=HNHpLuy<4zM4^n+ArjgYiRC?CgjMHbJ#y8z*o=TW&xyOkqZx^DAE2klci=H(- z#o!K5^W66hskNv0tm}GqK540?_hEw&RRUC{;SQFk>m%MBXOlt=+I7*Ib_2Sd6DsG;Hf>Nv%ty%_NasrA2O2{DAJ~2xt5_#j}t-20#JDD1H^$UBZb<8ocYV z6|AA(B00l*yVZyEq=^jSmK#UKS0sWZwf&@WKrq4#0{KSpXR8?xbX|2H^{j`9Bnx8S z)miA5%^(ZfCmv^czOs4nhJ9OctgsMx_ilq<-ElvpCe3%fg5M=s(v)jJHM028o?m<7 z`-6f0AAd50px%uVK8^Yt%^LVbV}l!+Ui<#|4=6Mttl@tgFoN#5}OsX)*YFX^?j(`t##z<@}C&3 z!8tLFFL8zcT)ToF(f_;WCnD{&ohQV; zN9Ssy!&)3|(aPwxE11HQ=Z;2CS<$#mOsq|K8H=mkVcfXEN}e=L$02F@j%#h2y2s8# zWb))%P3*M(=fWb#KI3>PHv1?yTw>!&LnEf0Y+TW&|HZv8M>J1y50?iTy4(19y1B3D z(d=s{`i#t7I^2}@m9Id1drJ54_<5Rh%Ol-~Kk1_%kk%6xHchWA3%mVy+^#jwKI-mM z6F2%LZOFT8-3irMM^_|FUjVhSTyM@-s%HCMiR<_7ToQTb&*wtp?m+88b*b+zJrTO% ziG7}kNA6!%l)CGQV?}-U9KIf&w(q1f!v55| z`(L)VX_t;rH+{7~qTi88pT5@bs3!4r|Koz#RK0MIgD{! z7}w0Czc=FmGw8zwH<-aa?E~11OIw=R%*&4*V23O?*gw~h{`t{mrsAcIxtwfh>Nc34 z+0m|CdFBS2HSGI+ZPJ3zOWlS+lhzH(sy=w_&a4~f#@v(r(Jh6}lopi# zv-5mGTx-(0;g;{OabavrNLiu$)!j0hZ8 zM)A?zny?6m6tZsQfb-=WiU;-FyP@Q+Z{MP$vVS@5?lbQ9hdnCf&)hruSzXr~Mfn@y z0-o{5*Od-eHr`t{!g1l=F{9kV#_}<95?%_wGwo<@C>iY^UV*+{dt9u4cj?^~V|^Pp zR!;OEs~B6o_)_>dUx!O9tKH~-d;E+pS7C_rv993AS-UbWcObZUGGh`9%(92~iWBGf zdfuKmmw2@1l;gtsNzLagHdoE>**JFSy;%oVSKof^!aJ3vzx)tAB|t0JxR!I3TYM{b zE+1F3%Kq}Z8EZ0r9G9}zV|}mo-im4O`M3BVd2d?cLUY-qtnqUL`8gTgw4tqm?GR4@2+&G71lUz}+%-FA8B)27?6JUjjD?cbkx zdd;F6=U*AQ_|(9aFNK7@HCHn${bIt>#fA6dr3U8SQg=l0(!k1S%lAFq;@qP7G=Qgo>z8sZ5b?(!Js&SYukt&VhVtWf1da>M3Cpbe zSAFxh5RJK6cG(!8|`AXsTeQuo|LwZkwlQ)I*zcpir2x#qA znyEoCTMa05>sI|Vg5nytZUyevty}NVfcd4RTemVbnzdV*8M>_qt)&LaQJs#Wtq2p^ z54cnX;^J0o3H+_oTIg0L6K&0T9s$kgT(p%YYx`{7irJYb5&0sG1Sv`N2>yqV_2@l+ zuf{N6ee-;O)6GgeN5s9M)~{B7100#~)=Q)P|9FW1T2cRlDi;TdMnih3azlYCH&|K0 ze}ALOT^c6r*Zghi`@f>fT^c(0Rvm_pX;1Rz?#DC?1!Nssigkn6aIHHuOOx=lfw4*W zR2W(h?^Z9rmQYPtA>5QdYyeDF{L9P%PKG<#fvcRl8jhJ?kzJrUe?Egp+aDJa1U zBo1(bF9AoUtWClc^_J`qK7wNL)0pZ%*biUe0180*UXvV#?v!eTE-nE*f4?-Xjtz4V*fgTu9r)ZO6%~A}CB{6B+;8{`cvm&qc`levR{+s5vG~Yk> zX0!g@M_e0bJ-QB>_0zR*&i_Sy|JUaJ1kjN{d>Yp~GUh_lV$JtMNgv?y&81ot2h_4= zcqPFL!7E5LYk*e_ysYp_gI5BhO-jk_?H4FD7lzN;KEhh^Kf1)tgK4=jaFyV{?}v(e z`=s3Z8i2OZN3W>WBgOk69({L8nGB8}p zz#TfIS%Nt80C?pi|FrptYd53P_N}|nwE54Yis(dC!99;ExpvrxS!zog&AU)3*N!UY zAAl3!SM8_a^8i$V9VzhRY4h9RBJD7UHE0^P&EV#vifJ5z|0+bF8Hj%VLxiTa=fjr> z2yqGg3_wj4a0GrwoHPn&86bjH!I>$T^mvN~RWM`GG!joI;}KY+L4F3##f_S2;OxX^ zG@p*e!Z^4IH-9VQmgV<>3q#q0<>TgCe||97g~BBl3e!t5n$nT}Thr_MaPgTw)-Sd~ z7dpD7w+lgi!@s{b#Q$6S{MSD8)z3t@_!9J@TlBdHe-CNzf&8?f;?lq1F}IA}f9V7T zMZO@dRSTg)Ar1`$?~N{qvw+V7;4`q5NdJeucMor(THA-$N-`xY%}g_CC(Wcynh7K& zfef8#Gi?GbOreDqT1cTlfg&liP@pX>EhjkzEhj-J3JNMx6ciN%6%`bvA}F3XD7f(m zDk>;$K*6*Ao&dV_efRaf@4mkOzVFxTYA2n^%&g+wJPCI^ZYK&LunwM@b@RjML47&|-U{DaQLzD)8+#2IB0$wg|2>nmg)lch! zPA}Iz=TBNB$%|zq^Ro52UvM;+smpOTfm>k!U_=i9mdgR&TOsWlSk1~-BKr_F-W21K zdc%LV4B%i^165i&7FNVQuYk{eu($$?-vT);D=8PT+K;tegSM@hqvo5gc?^Y9z+juV z73Vc$l;wX2DKL8i0VB$EPt1K>4}Qaffl@8X3Os&|DHbW*NF-Au0W7GtE5=2c*XUwV zHaAr`s*^RfyJMa{!6ARI5sm;4VHj5(!Q!o0uEoMF;A`|Q5|3aNaaQ?7t%~h7_ZTl$ zwSgn@E?_6X>miLIimDHADbjWljvNGHx$`J2aA|>6bWeXdG$l)5?|DZ0i&3!8}oe za{OQLFCi&ZjpYTH>@4*ob{3y1--(MuDA()%mF3on-S!EP5LegdAvzqK z?EM;L$^#6gd+`h9C~Og4)AiLIzS_1w?-dNZk+);vWtL~#=+nM3L+rn12TK$>KeE-wOUI@DTz zPAn|@5{1jpaLB3dW`{IB4$bvbX&=P4bJd4H7A^8VgtCGUDMPU?)A`$S^vH5Vzq{TI zRexF<_Zx#3G5GVLmgI+5_#bvEzCD0itLJeJrZp8(@>m98Tnrqv)6 zz4_AbFumLV3IE9`I)~-ME6DuloD+J8bu~xzTq-nr>s%PZ6Lit}aClP}T@dZXr77z) zjW76=_}1i(AzbF#{BW-_1(h^=9yYXpS$zjrv>g)Ly!6I_km}3z*pn9d38jSw$H~jF zs<%b;^lRj1HIBB@>mikif*CdutJJOxROOqc2al;$ehSOI<6(6Olz+UZ97z@Lx)-pe z@~hXlyrE?3RJ-lN3F_4FV)-m8m<&TTQ&TWm&Ekg2sd4htFs2K9tk-{2MLK6_dD?zn z*u#P80>;D=Kxgs)cF7JRFmvrciUWw7PxoFl2h&}}n-Km)ml@(7^7jMk`bNHH_-8;p z>F6-cPD9zCFm5hJFZ}~?8xB4w?P$B1VEPEx4N2_YvKGwUQka1}vyCW=`=qP~;y8cj zx9-P$!Hi`w9_6|>yNRB7n`|aON7IiD@P9%0s0nCQvxqIq9_s;8HPQxyswQ@@g});u z(N&FYkjv420M0H%QFCM)yK!X?slxMieDxG|CeR~$el}Acb~1dbc$V^XIN2GfYD+u} zmctMi;eX$=OyBx3yPSOs&h!#jA{v}T&g1`YU=<_!-AlQZYcegdM9nG7)^m zAjP`Eskk}I4Wlx3tJdz!KB1XX3+oFEj<^l@#7y+m9 zltz6Eh6^x#zok5>C5z05^l%nZSr6&$DL#&<8`K5tRQjUy{iR3OXERfb1(~cIJ^~H7 z9MEM-dh-JUKd=MxzQ;%rn|0tnLRqC{2y)HZH=#(VlZKr{9t-^w%Nw!qOzu1EITDQC z@5s~FjRP9sGMHq8k*tYlk9!XC?g}<2-=R^B!2jN?Q4O$~G-}jsP`GE1`tU9z_@Cu? zi~KAqs9>{7oaC#5k!l_gvc4SdomX!Q{%)yA1pf6>gLD_$^TbzcZ)pNV>>stQgV{Td zog`1N!(lZW&YBNRLhN+)HC>ukc{vf*RCPevR2{6JyoAWZ>RsFKl(%9v9=iC!>xY{m zdjjU8OQY&5Kk$0!xlF_Xq^4nzxxn%KG>RT+n+O@M1(i_FEL1R7?MFXEmgmK38hccz z?Vo_JOI}a=k`l@%(-GFYW;~KUqYCUlGy-izK;iu>mx;^bZMihvD)vEp!5cGXeNbJ9 zoJ?IJJw_VGVzMdxWmz%K-;2btXy4MO3y>#3+LxlT&{9hNRHt4%M&wHxwF8>+^7X@1 z4WR4u(nPN|(hzQyt5Mannn(jH1NC*JaaU5&lVn1{d6wUmK&RldY>M(5iZnstC!xr+ zh$Amu7Y=yNSkm+aCuq+Ct*1(aD>uo!<#s0L4hmr*_EB4*rV(BqLQ$u${gKhuBGYHx~~X6J_OO@8M|X~AH_=To zPSLm3b&!IPl~Pnq=vN(>`hx1As_h!}wPQ*2Peh5HgDS_uUhHu_K1n{+gFZz6vuI#cfOqx=T5sBV9sjUMe%^a3tNIcx zDO<35r|(|ktIJSdS!;x4G1{8DIsAqcs94C1p~VMqI0WtR2_z^2SL%DgJ0(9GVQLat z<5=LM9^`qrGiekd^w3Ne_m8cfjk4=M$M#@N?=V`WEA;`z{ovSc0c=+l*rP@D37 zd?Wak8<)c18hjsLIt_6p`3nfEE?VfUs z*!bu#y3Z-gyOvlilzDUyd7!3aDa&tviM$|x8s{0K2VMPTcBN;sY2OLn&8E-(9%b?0 zjFMry4+b@v&l=ksSuS;_PVX|2SAkC(Al8P0Ly@iHU-cd9Y)*@p9J_MK2>Cq4=OQIE z0*(3sv2)q^;@v3lyz&(?kLp65R?chX-yQt2yt*D`%g`1hds>+gCm%J$g2?OFSiHMW|rezPY z5d~hW+|ReOGQT?al52Yx-ob~+3~@60wOC9>SEHaBH))`C$ZGx((@ieu3Q19erM=6MM`jBf_uBN^h$3e zmr;c?I+@K3zKK$BL~e|8xC!U*-|1BxDeyslE5X4N0B5{kH$LK76yG+Ek3tS^x-_xk z@w^8NWp5*C;=x39SaAeVcR^S~X*J^d?zx9epWlSoc}2%SL$%KfQ2ab^u{cK%zeZvS zVn;gmdI84nwR<6y!|1JSK$aH0kgg8Oo1_Wds1; zeMbAPFpYPS3fyeB%Wu=T1=jf8am)|#$95@0K}BM1j&z#TsjtC;SqgF*wnV>^ESs7s z-R!uWvL^==L*_*mNuy3=ks*!^CK+h}E80D(X&SPqOl}JMBuIXc_;mE{)^F{7>rN27 zrXRZSJSc(axcE;9Qk^;bdm{Myv zf!hNx7x|d+OrXgU`3IVMvhY)clUsivnVyBoCycO%y%>wEvuAoH=!<}Ee%WWj-GvQ^ zEus2^_sRJvJkRXY3vp~_nISgf_KF3lWV+{P?Cx5W@u z^pt!Gt4AY00Ai}MY_B5C&g($_Vf&c-<*6kevD zKv}i~R-pe9YbRG?-w;EjKIDU-=;=zER?4=Q?4AZ0?(%bbSf@p+=QFEAVZC7ofSo!~ zT?)WunXU!xc{;^c-ES)Fi+nGe0e4JzEc7F?`$7!}kj~GOd8hbouDQlW3-$#(#a&Tj zDhS)q46sUB9-_S&zKyQDR@Nsa`WC0OPo+M=l_1aX($vy zc;l9tbb5UNx3mKLBIvi$d$imBGvGxC??AKuQ1Lw&wWe3xV}6WNMcSL!7Ux-z99cy9 z==p`i(Y)`t5wzd_C@9Zt8yG^)8C?DK5VNuplP@qX=_%ij+Pb$k+TVeM(=>l^{OMB^s-yVRiN3t`r1txiK9QoW; zV}@;8>ygO&(i7zs-Z`Ecx;mP>89-FUmo&bX0{>^ylG3r*HiBWJKOUwRx#lIwD^Pfq z`Q3Q?UEc06uzSPu;D6sSC}F+JvxKDsTr+5*_GY@6&#$f(mmu3GkR!aP4CQ78MzOhN z3WOxN?~Z&b{lec|-v^0C7^uN*>U0Faw{?qAfR~Fq1L_7oELQ+7GWcMkzFB8 zZo~2gM$Yab8xviN(|vY5^#n6a&n{}4MK1cb+lS|&(&<`DY9br#SG~H+wL4zz5tD(QOD6N}#Qdq*oZ#d{&@)8J;`x+zv|GrjNC`wU zS;)ZRd5P+G!ih2nwCOo-=ALJ&XA0Z+9M3`vbknVXI^1?iIE(JhwU9$TkbpBuKPkm! zGRMT{dX1Do<=i)#st5!G6MG(loQqKS<%;K-HbQ;G%>sIlNx8}E$K&?{$)vhiL1lGF zbYNu`Y9C}ingP3wBpKGMQ1tY{Cxtu7Jh>;DKNE=q5SqE~DmSpM7r8~ci*tl{N)9pH z7`GsALSSVwW_l}yk`&up?)(cydY=0YOxkpst^&($Afo{VM=8ZZZP=~YkTA*B%joS%N_Va1-n#It zB+ve-U@$ut)P4R4_Mjsr{yJDk$Ta){Z7sP(toS)VJbVg{dq5-q)(8h4G%Y5bcC1W+ z$JtKl&Cd{NH>qKaB%lG@Y`_)`1eL*v*`x;x-4J9xsc-+4-po3r;g0yE;Mjs^*k{Bm zn9Y<$r*CEF((b7A6Ft2gcv#uWvehX3Omrcl9j_W}_1zQ$7EZ9Xwr{)@!n=VAJQrlS z@L^05&PDP%4ERdIZ(K-O3EKrQZ_g&T%UU=4UB&a!bMB|vH|)D4U*V}VA&qZ5wvNs4 zIO6jRUCS0CsX5Yr%XjQ;>|u7KCt*n08t?*;w`0b(0sN*z#R%|S?n9rHuq7i_n!FR$ z1ln3i;(i?rdbmt$*oR11ej5vGaG!c8jlz>G_EUEzxER?mUCNj&b4{=}wwUN$*CjQ4nq!=E*{?__(s-i`;t6E38Fe{JI4 zNn2*7kozOq06Lt13yKI_dgv1riDCV~NEmk}6#zNpJ)O=tu$^rf{s21bg@wuUE={V< zJx!3O0Ylq7laIWLJ#MCK8V+kJb_msIk^hsDT@hbVCOyBnvNN#>r_BRYak-)|P7 zn|TmG6kl3Ra8pmza;0oEif%{PM&x7P$R51_Mhy0GG7XM4IZ*>anLN9VWJVOnL;|KZ zVIGXA*?iwV#S5#pgGTuBB{|HSg=n-^)7!p&-t3oo&;jvZ4z<-?RHNKWDxX{h?s{! zM$5ynzH)G!rP8-;)$?L(-22Hh{Lf5kRB3b!A#yDx(=DEbhkg-G(!ttu0a%^O>_; z%C23~P+w6E7$z(2p*aLh6ygHF14SZmDc_z1BkxJ-&(c}?0Qg%IrB9EH}jo|UalIdpt9;&ZBYyE0-kQdhS zlYPIX3W&;@fLj&$BLH{KDY zy*-&nb7@2QabJZ#YHR(48yk8)&fe$EL10GUhB_9B^pq3h?FOzp2&A^l%$@oz`Rwxi zluq_Rb8bWIVxm9wMV`hhmZ3nHTQl}yz%FK6K{*9Q^vZ>vC66ngVb6<0l`)CxX|YCc zp6w_5)SckY9D>x(Vek$^>SVjUNFl@2`(yryS-R*tm)0mQM-eAjQ^AU~8LX*`QNg=h zs?w-!UC*UDZZeYxkR;#9+}F*qm?r7UTwI-QKgBjk??cDDzvUf>)1SxsJa&Cvrbg}u zCf;Z~3MfBfF@%L591Tgaw4Cobt7zwiE0J$Y3flUz8}|gMSJ}Rh@8Q{|r_z~EV91}j z+3_(Anp!CUj+LAZl4U;2-eKm>PDeDEUB~RRamGN3OIHqj22zm8CMaS1j~x#%1-4(` za(t~P_Y3`5_u*N-T}Ge?v{RWNIK<1mG!k^~DduD8=YSr^Jc5uq{-uulD4FW)ske~| z)RoQ%-nlEDv#lKs(3z6f_f3L#yv-0I_4du7X=u@Kw5=2}lLordQ>X;$t3wYU^}N~P z=SMPqdNRNFv^)pCH*dei4k(%h@ib>MM^+UZ0D|5NBQ%N9@^UqSPU$>tXFjr9W0klIo zWFeInBB?z3HuCz*kIlPu7bzBox>nm9^9>|L7~pd1k39|_dJ1-SSYAh`J*%Qa_(=2- z+w=ND7FYKc`m)2>Rj|;{0#GmZtoP<$Q(&TDJR=sVffu69wy*3$R9#eABi5()uCPU(l##cbz!5przpm$luXHn1r}k+I|CwHLu~0ZvS2h5;{( zG;uFmj^>bwZEs;A|2DDp8QhyH9}e^gOAN(bkm$v(6A5HMWU24Lc$bm@#@Hx(qkFj&2ey@FK9dlSM(k5XzMo;_0Yahhp_{Y4!g*amp;!06g{+-EV zTM)Z28b$-_w)*-S#lxK<8)5PSC>XgTvd(eTkE$vQ<$)=|gNnPic?C2Ofdoc^T2T5Gs`8`K zA7X#YC@g(^R?B{l#n&!&pDpgFElr@1TP0P5$FxG$u+FlD)X&s=dzMbN)0W_JP(IlTaW^V|qm z0GVBj;xrpJqT^#w?(=OkVdr*duhO3p0kFTtGc*;Qm6T5HxySm*uj$&YpftRuvmG$O z25*7qgnlg%7kL8_`F@>cq*Gp#L`u)x?8;;0JJH#jA<$Ar@3yYyrX7`LYB ze@)plf$rkzW`S@ZZzEWGy1F*YdyX#7rMO<@J-9nO_a>ZNt@8}g2bMf>58~FyMToQf z_An~_32~L;bX1=4O(*Q{#6>)rwoj%aQF1HyP@$_<`Ay`jamyPiBq>KJpiT`>4#+ea zHA$1-1KF?8p~a&$pyc%u4?@GviK5}X;JJ^e8uoVfMKD!zLm;bWQI>`+E6YRtuusx8 zxnC%U;b9k+(67U|BlmHxvImj)39{EIM=0|hrrj<_Wg=Z6pQVStpaZA8JOk7HMipsD zPT8}dql&#W^$_e(Q0BvdIAusGa6NE+7rQhYATFg0G5dK4hH=FirCUMYTTDo+w`%ij zLIUgv@tEG%(Q#R1W+-zp~ z8AFn78HD{XxX$cJVrS+_m`^tsvh0-DQkVhRvgW2_wi|mGgmQ6lwjpXWH#MXh zPwgmZu;&kd6uD}x^d!y`f+VL~>2zj%vYAWrzT#@K@@e80eD)*zZKJ+L!Yv)QV4pyX zR}eOt`#MRZXNIBrM^0u^oery$_)e8p|AKw=7VaxzvXAw=Tja^sJ66-MgpZUbN{%)>`pCe2+I1p-Fw0+4`8&~MxK+r%X07N+WQ(&3*- zO-02PBVFXLBb{a5=qODNE_Cc zL1t_QsIbEQ^iZysZ&qipbqD8*nOb>Xyf_Bgd&r;j@+=4m$UkcxwHmp;?c=D`lNTd* zT$(4|kJ{rRkFu$Gug9EY1!9Ci&p!iwSPea&JEgW0n^Q7Hn#SC-h%<6ZO*KYe+P+PW z3^yP2d#oeK;z%dhnbXsV{n*1)2z34h8J0dS(s`GQ>TLeNB~EaWF2{B-d9HaUapvx0 z$9CW@`3ZhuHQs{l{1U)RFlKuzN7=C8IG!wRB(3%bCvnAyEraX@HmWn* zUphGZkn||CRG$Yv;T>kESbSEilp|%Jrsy>YLV)P7W6WfNdfOfv zAuRQc=#qPM*H$uCmGJa1$YQRIJlf z9zT0apv5=hL#-WM}JMcGOA+lqH1*I0qdpW^|x*~AO4 zif=k>?S}kPB;Ex%l7x8jz}W!DH2Z#WAovdCmnhGB#@YS6BYd;t_qbeyHkC)61f8r&>!owkdlHe z=jhM_$kp2j^AkLOs&C`?vd3Z?OCc&5Di6TA$~v*Hjw#D>tuV-D4gEue&)X5#Cex|P ztJJaEuzmI%*y^0BZcFnH<>t#>P+NKkl#k7*%>^yx3deg>n|H^Y}ESd%QG@cPcmIwehsT@1WN2-n2G}?izRq z;9o+CI?n^MJ(u*pfd<9trbO8JyxaDk(t?kjEC!(*@<;|GGYw#m^>+gh4LV7F2ZK2v zG8{>kxs%lTydPu1m6gm4Q>DH9F=+@Zi%HnB$H>|i{|1;B{@a326865e@^=WoW;;U@ zFMlsFQ9-ViKMvspoYDhZ9@Iy7lHUAa{wsLNltn{O?gCw9z=jw+cK9yJVJ)uM?6)ve z^&dV7&^nDEF(X4A3(e%wwpEr@UH1*(mvb|s>%&g2Y-}b9jN!gk)~TMIfbZWE|4MH4 zyp%5A0_v?e8Vh&%Kj&6g^+v1;B8j`#@e?o&%NvojJ(jBfTLRaZyAVJqLC)5UYDU~B zk4rxv9Jnjae&M^A$lolk!ROAix7HTheR(tq_poJkCd4+ZN5`H7Y?T*KaWy)&hw7I1bKHr? zS%>3&i+@_<7B&sSQ4el!EaB&@AL)G#q*+N`p0(tvJs21dl3)>}V!uh%ETcdouruY6 zIDE6^GHshr?27{ReA4zBa8^%1&uURn0Zba-h)rfj*uXMea@7rWi4}nwV zhnxtp+kB%H;e_vpbUCV5pMwoyf=2z$ZdazENOuQoQl8Q?2Wbb@Q{LRQU_K~_qcsrv z$%EOwI$vw>s7F$tVgq`)`Km6@97#xGUu%jVXlFS5_zUj!an`Qgv|Dxgc z%103?WhcRQo;`oKuW$BfM^ZABV)F3W51*Zg zIh~B6;YV!JQ;Iik`SiGzSG-)u^fzx)ZlXH=$@BZhcKp);u4Y1t+h;)R&I57nEzt9; zsE(7au^!mInmfZb83J+4W8y*8?A=M(UGB^0%rDSfmLg#}Jlu20CNHCAl#E$D_OzKu>M}k!%QHok9~m+dp;Wuu-A(JI^PHgf}wB9<#R7miF(S5hwU$a}`+F|V@boANAWIb^9?&iZ`A6M!jG zZ9DTkl@2>vKFoZdU=K@taHC^<0-3^FBcyJ}^ea~NN_xGNZGX8Q2ngrn5{%Dfm->(2};2&3F zX)Av;*55k>RI^w@%b!=TVb_iR-!)zAR{3AIULP9&S+oDE6=I1nf0iN!3mYrMf6~VP zz6Y-j`~U1ge=XA=1Lw~HlNBpwpUl718ZwS3PIoQ4T3FZ# zgmh`7c~GQ&q8UC;sGin5$)8z0tJ#0!Ea;M{ob&IRr1`&p&D!b4_u(N-){PW;{DBUA zXTY8>S6%pvtc)AqP+wC!@w%WqjV)h7-uUeouxBCsiHXVo$EW|>8r|yTzBCR3)8n;D zEiw&*lx0*_J+-uYqJQuR)!#4EugF{ldrGT7M+5;Jbl9Ft%OuF7CUZR&WvT+z zA-xm~R<$5~Fw+9oH(f9jNAM{=q7PZLKTCu zpvClPyb<4r zn|L48FQ?!|+y^z3ua3PTGe;I4fEQb#G=YqaynWc-pLrxI9IFMELh!)yEyO76F zJ{bzC#ri--u8Ou4L&Mi-EQ3LWmv&I!gsY51R^bJq^xIlUwY%ND^yGRvmIw{oiP z!FoAUR!z8>-y0joSs9sCZ()?V#UzYF4S_w-<5E_3PVtN2XsOx+?uz_V*MTwlG030r;y}I>TK#lZCL}i!1Y8!YkvEXq^?e{(`V}D>~8ftMNI*vrW#BwWq0h0`9 zb!>u?!y{uwW|k!Nb@uC8pe=mh7!+cawZC>i7jvwb)*@%IbD(pOsl-|89PAw83|q^b zL!HC4CnoQnynEDk({R%W&*}&NDibxe6Ryj{-`tk3&7K__K^{KXc3mF+uY2L&%EobA zpFv=hMPoqFR)i-E zu_7njW&+%8WYxj_Mfq!-I?u&zvG)EGzN9WPtKan&-><4;d zrv+7l#Ib&L>M4M; zW!ak8m*5Tp-=8_titk+Nf`U2`JP%9s4F5snq=P~Hb7aqOVoB!)3`?tNh5a3J(ai(j%*+-|p0Y0QdTIjVn_@&?%db8Ib z-SGz=5%k_^4R`$SbLj@W%zx><|9%!)c_*F=EfPcD`!93Jin?l{d0?m$rWpo0H3t51 zQq(0X=1a$1P7Q7I_`;`6nFYl z0Cl;c=&k>UWW{#t86=PAa(zWJ29YcOp)b7PGgeUC%M3v$3^1 zaQ{qisH=|gQB4HGYYfC{n4%g`Eg5c%S)!T(sB4V;r?%M%857mqL|niZbC4Z`Q=tAG zko<{L_}+LJbuJd0v^0injT87XyC}p%uIZxSkMHGK)%uOm0xY3i;{u6ae1ls;}ibO+YxENI;G(&Wn*gE+}{| zl1?YqEJTF@ianv=dv!6cgG2^A*u8^IbydvLgxf0m$d8y9ZBW zE75Ff6fU)Aty_c?mtBdnd>L1CX-d>agAJt85@h_mv6~~Hu#Gv9! z6ady?830MgC8U;f0A*!=VTBA`z6dm^irAm(cS0i}td=wbovGk~^c_4%8p-qEk_!TB zDn%IH&Mqh*?Eyg5Y-SyNZ_b?iBjgYEL4`LVPBqPr5j3&qDm{EAF6E9;w0#P7g|CeZdfg;Cf%}7+ zL27_LH_Rqbr5p{&0}1qi8z|i`(i=Gw)r(_j5%m{VS#Qu}6;zQ0`ZBO#9{Y^i-J z@L|!t^eQDCQLXNWskBfgqCe6DWfqASn*mf6_;ABQ8H6-aWd+kAG@s|p^dUh2Xn7zj zQ#Rs4V!(H1W4KKHsvNnb@f!~ z0crO|a7NqvT``m1aC$6sAs?Z-L9$9u_wbIFIN#c1WHhr{FFTRz1p@uN%!Gez`Hlo& zR7tkFmq{`=nyX{S66cK32u}(;&*oG6+gDgR4EaDpzk!wUeavX$ebf3iOncyIs9v&m z1|HJ>0s9K|5O#2-MZcS_S@_2WwcK#Wb^{B*GZ9P;owtlYx}_E;ja`VUKZZ07Xmff8 zI|Ifqy}jsB^ql>oS0lcm1Mq0wlv?$4EcbWIEwvMFAR*cDekAe5!wwT{ydtgVM(iE40nBvQ%4Wn}CF{onR0eN)>nwdaZxaQI&DQ{GMx854QMT_f~S zB(z--cH$<~ooo?bM`d#m?j9;eR1Mr;OvOXUC;bzyF@lx4I~gVl2oK471_=v86A-;) zOJCF-4}`A}J6g5f$oP!gPA)qKoED!&Kf|o&gn`Ki)b}5UjY>ww7<#Mi-gss$({gw9 zIeGv%o$x|;Jd9EZVg{n{0;bS+djqeLf?F?eGXEI}H0TI6VE0o70x}6d^SJhwA#>&h7*lkHisPZpU`8Jx?hlGo6-EeQ9OcKwqh-7ZnwgytYF?tSlP|p z2~9U2*GG7m5BXDDB5AtXdfGxV^WI0*9QPqR55gXBFVT%i8+;O?_$poqr1R8-+Mnnm zZY@=Ww$$Chez?6@ZDkXeAz)o`cN84}ikeB-ZasV1cF7ceUzo>dpeEmA3D|b!VLTG( ziIeR`CByJ4DqhI3?4{>bleOcy$Lz&GZZZItkwbQyKmM$kYfx)K z>k&T>-=^LsLmYWM7pWPbquQl-(TP(<9V}kp! z25A0@KFo3s0)9T=U#xb8*{X{8M_zv3z9uLY9og*U6<0m;AfL0KA6qlu4+GdO~-L)RXJ}M1Qqs)FU zh<7ZToYnAB1*{}MoQJ0xtAO*6Y@l`v>CPJ*cvaQ-B6n!ZGWPY@YD*tRLo6u_E_Fps zl!5BNgZ1L)*pnUK`jYD-gN-JR3kLTXpO|3&p4d$!*UsXr@|^}c?D~>W`5Z&~a0x4K z1rCE!pe!GRsEy_7H5PL}NMC>6Wy+Odusp@l3rjsHvQp?J9H~A7!62s5IDz<3TXM`!-BvSUp!p<)H6u0Shyq zHtWoXi_KbcI0eS$4?y*FX>f-Z7#K{hvxziIt>p(s?_yNeo>{$*cdb8buLr5I8M!(q z0BZMU_z{1ye3b@MaGU0>4kqGLu@$-{?6q! zxEoH&D?*`8ad~N|V4ir`>X>N4gLa)$_8?;kNVIu(d7TbD13b9E6cb|+wdk4JR{Fdr zn1Ckc{le1OkRuUsm~}K+wf0*&Q{9JacDbW>yH`L5a%;CZFhqB8iT1pM`RZ}8FKS;$ z&B#BLK$XC(ABxY3GQzFyIw@Yb2k!%FpTQ8nPX-~qXI7Fe!N6u#?+TXE32SHJ-PClk z0aMMuM0KnC5X;g(h<1#sBk$*?bWoNx25Oqf=t!e5-5r26gY?Y1T`#R-a@p3=kbK{3 z?Pan79kg9ExXC3?$23%X=A!dYj@6FsLL*L2x=ydk%mw5Ir|m@!Pu2rvDW2m_z|T_T z;KM6NRK5(KoRn8rJ>x7AGmjd z+n@wXCq4Bs8}RnE#`rj4GFf`E)HoWT^T>;+;p{g+{8~S~c0x6@CTOmYiivu6BAO{| zZ&~PGzziVFWBTq9PN`4Fj?iRn>$7@iqzZS9ZZ*}_PM9!Nt`n~*_0NQU94R_QmkmM5qCkP=5Z`jOUzRZ zYwep`o_)ipN=ok7WVTXKvrEr&JK;S4C?MARLUHE|{b(1+dqgUt`d`%S31 z`T_mqhN|2K%IQ5oy%{-}G_$&P;-qFm&3jMH^Zt$vR0g0&i1`_q+7FW1Zh6%xq@r3gU_drBi7nU)TaD?!LCVmi zC6#%}DD>E}0gt1epuTnYq_#tIwjZrqPc3&J(1|Xa$x)i=Fh}*4SM~O^#wDdZ5;96* zOE}fMADAs%{TXv>N}dC`eo8i9Wg_Px=!)5@ckL(qFj9!^T<>-@I^X^lb~;uj@^bMi zgx6yq!|ClWQv>;o!V`qsfG3|_f)`=Bqi@H!voA#7J7=XnYwts!#TjO^5%}M3s{w{( zhx>c6G>PK4`4nS&-%v0uREp%^Q79X6i^a*<_7utQK==!4h6T~pI5ZV8-^HU^%lQOx z7vjefRS4LVxW(?qWiL?kZJ#7EeVjITymzxy=eEI?Ai4fL%3a3K(TQK!?$a~*EP1{t zn>Mwl$Sm@YV|E(p&gOW+nmj!?%NdsMs zlaN?AG=ctI{zTIzasByiWL)8A8evhvT)8Qch+KbQvIzA@e2rR69l$?gnq3o;0T~6L z2YD;brHYGbj28G_VOKul*u(lQ=C=*}Tvst$GKMpq$-1s~x*pPB%d|FsN{qnE)1Bms zZ)xcsF~K@5DpOChQ4)#$(@rg-{>eT`RTG6xJmX?U8K{|<7H1$T-=d?bo~XN52Qfxu z1`|(H4}jMImjjcF3s7aKau9arJDd;+Ol9cA-;{ctTDacTm?N7J$*F!^_@FY2S;a>V z;pF>1;H{RX6!IkHC9J)Luzs7pv)B?NAArBEp@4jVY)@L)d>}_+C8{(2lwUv+?Z=hw zNExrgV~E6C1`fY5n*@%oK? z1zuY459NL@)erKSAZ^StnKrxi+!EL{UC}mGAwf$`!x`@LIFX`wtN)_RQT!p&ySN6q zcS+H_2fGsq0;N*e?dCxiG>jR<=t0#npGh!R(b#FJGMM!=s$&kuyJp9`U++kT$1@(Q zZhW)lL^7Jeypmk|j4DvCLLS7LDibQaAi%DkTD|Ng=3AO?GZi*Woid#&Va~^I$)Van z_|#P~KPOv(U3p@4eKRxGt*f6vt)RTMGXV*1bM&-DLsLbK=cr?rC*o1H`Fj(9;n3ZO zh|Z$s^y$uNP1ViKpk2+LRy#g2mDyo3Cm5;amZ8Ri4{TI|WhQOzY;2F$fe2Y|t4=U4 zF#)Fsbsu$*xvXdUScSe6E41Q%7KRpHEa+x2Cg4fTFUhc}U1S22MpHAsoj%39$&%iL z)rm`5zxIz}US~rU`1mdyLui#VtVPF#IrzR%kAzY?sG#I)@}P9PaYDn)dS)%H?l4Vg zshc*PDiaQv;~4W9*6cJ%?Uv!JF-Din7Iy)|1CZ2=Z>p_g`kNv9c~pWh*mBTDl@)D* z&4Vi=!C2EUb*lM7TJ5*qi3N9Bbn(&&>{J)L^?%rV_pqp{_HTSGm?g7-yAc zG_$ftEwh96y!W8>^u2!1AHVPQ{`Fqh<8_TQ%$~ZH*cS5G?!Tm zuWGE(>}0{Zt)Y6hww0Ibf|YQ`)NqKncx|~|hxoQQRuhW9(JxRwaqP!jl&i9Grf14* zcLo0#&urH04q3G^D7XgZJWlN=G5m0Uf#Dwu=UD!I0hxs$eXR1Mlj4)dm17qa2z4| z9>&Pe)k2S7SU3wWCJ%MDgCX2HvH<2bRpcUB#%W;WGKXjjwEONf0hd&*jR`o$v57*H zni0;<&KlRpaKWGHr}(;_ktTyv%$GzkX+)Ytjt_srkMx4HTQCus+QP9ddHOlF-*AeiPqh4*f945d(H!=7 zBuiSF0?T|H4J@$kDw~4=d&qRK*u0FUwEt>7l9;)M-4~qiZ&>b?pW&<3z+pr6@&k!d zUtCZIol1nRBseP>b^Xj12Rr7INU@*z2z?;EFUs!+EHL{!KD58Cjqk`e`(rwQ4l%!i zvgRS+@{@6(RAhb|F^TrIh!JcVipJKR{|e19zGY5gg?_FICQn<=I|FgJM`Wa2HyCM( zXTaZ%NveI52}+Og!Gj1PtASBVp<}ymO}XYbjvg~cfp5`MxuHPSwcqf$!s6B~w|#Id z=!%sKPj!rT6YNragwlB{5a*jQTy@&;pwv+232S{Tz3XjRo`?9PbFUwpN@1MI6& zaRUklNSxD0mt=8W&^1N0eQRAvyMkdj>I$Yw=9Liu+w6I3^A&|c%eksPIe@lr|GKD?Gs z1+aOVP==v--7zgTGoNv}WV$Jv=g+96V0=poa{ej>GsA5e%m~fv-W5AHLI`FC!7Gs^ zN$q}`N{!~Qnw)`kcLZW;*Vsrho<_##E$m)@{T{P64Bg1Z7-+-{5PX?nWfUzT6?9W` z4BbRxL6d=b*EB4I@N_j-)qNFZvp4kFgAntRX?ln>NFEbH?9SOuYseP-2MMFo>CeWu z(9V6E*o5#`Ki>EJr3M^fK0ugY=enK^I5>L%CEBh{6H5_^ym^x^2*-sa3|I5t2f(^t zm_?$+T44Y^1bF7@5eQtS+L@Hx2fdMv>?CB}gBWw=CM0TUe%50?UF}61gf+0#|1$S+ ziWkTNz4HRlDA-3LAtVrHcrt)KL4TDL(}%oS=hZizC?RT;#)~8AWN7bXMEVw=G>tgW zz1w;&fTSDco>m$(d;lt+h-i|2vY1^uC*J79vHa-}aViXD1!OicOK1*(S`|!4|ANA{{P|asCVhoeh z?k0oG?S!dqJLh@$W}KuY*=9Q;L-fVMlO%-xD1*EmVWdodLI~;3E67568I5M` zqIn5oEh;YI#=gs4fc`k{YZo0%+JEVcJGsO z(z`cbNg^L9v$9LEW~cwTYdnEv%*lUdR&pU^WR|rbN!Pb=vG`%(2~ME9QE={B<&JcE z^de*DbMo=j4wa-ctP5`2(PNWFiE%U)dJtglK%^MtQyvi{VSUzkB^mXA%tt==&4 zcMzU)zsr|vyh^eE!qNx$b;o>rfrvHEMNR+2j8w`k(F2`O-ELS_h=lj|P34NQNOFV) z;KKxx>+hhpkK~7qg|F%jR)}rBoHkjUB8387yfOU}l5~nj*o&FWlCmuL16vf6WpYtH z=DLsDr=#>0Xy2NN2?!lr^oM2#txfhk!LiM5wlQ4u(g0hP&|nlrYyjEhyajp$c)T^B$>>V1bCjhpgRz4`9=Lj1N1VlsLcIMdjzPs z4P>TVWRYGWI#jl=hn*!aa`11fJC>$v5x*8FtX1*Q0p`zYPsN#wW=f-7kL#i+nU8O+ z(jln{=QRC*YUJ{MZBJoAcP50tUxxm6K2GTTNZ|26_jq~`974CsjBt7kxgV6!Q$a^D zcRu_Fyw69n!5+7wDv=LUiz8^f<1=%#B`sC)I8&N_#0-fz){#3Jbp|s-Pk+rRl-dQjT8H}+cm{g}fjo=w^ z0SlAPlA`7hMBr{P(EblUlCLtas+|b>WDf;tZU*Gn;0U&x)m;u^xRSkGFgt;vN%))0 z7`{R4xCjxMUt>8*`c$yd)x{%GE{u1hyiGO}IcMTof~3h+)0d!?iYJ9I!zWB`9ugzz zrgTt8_?28z9;P{kWha)92Iu3h*K}X1JHNg<1hmZ3i-2KHvRsu+(3&P%R+7(11sjom zzO+&N6xVPLQ_)a5wB$|vuKf=z*+AWnoW=KHjjha@g^cUDcTgi8PWsasH~=(*gY~04 ziI%58w5=ct2|3a+{m0U8x*}cEa%G*1RHq?jj-oFp#oQ(wLtg=^xSGDG%+XPc_LD^R zy}s?|vqra>91`X~)>GZ(OUhkGr`>vr^{;B@x$bUwwZa?fOU4Ph0_ zO@^BIMN$0s(U+bDQ|k*5r#%wghO?F>$q_b9PzF0AhAoQ%;r<%OKCI$xi7^mGY^W}W z#l0ENBp%f?7kerSPtP{mLtQhgYU*dpY_ju7Wd5NrLtB_p;G^I+U2Gz|uCILo>ejJJ z4EG27jDlRGQ@&qeZlo>X@1yc%OVv(orh;mCcLp1wLsK<|0`j@uqp10gn66!970%O4 zm(@}3MqOTk{8Jp7%dW@_t@lisQSD~6I+)vY!$6{BexSQzs+$iQ5IAMV%troW9r-7Y z4+cl~`e~Yt$-(ur-Lqz~&sc+9_0wwVy5{rWL2N-YB{};`MS0yGr6`c*xo2+jYKy$^)6#U_RTet3}+%hbw(82X?Ttl z!d^}W4v4rmYcvwp5^+t2CW2;$;#2Ku$Yb4&XnpgO$`NdkY*f~RtQ!*qdZ0MGWf&tt zY!!*}7+cTl+RQ|KBZ|th`M9faLD!FK#>-W9_DHg0u=6uHCprIVb#6_awpFjHuW_DK zL)?iS7aKUWrlvw;5Lu5sw9Z}Sf_QzBGTk{aeT1(Gw2!yB<*vj0fmHU@IODoE1|Z&F zoBm?5>lPd$A;5j%(j@#eG@I8lgWaCGsB$(xHFR1O%-%iiof^z`L{)v|N`OWGMnwgN2@ZUvn}4p{+T+ zrwWY9;~^3cL&A|be$61Zzk&V3CKnnK=Bdo>CVjBhhqXS%7>}H`$UkYd>R@>fi)R}e zWJWq^0CN1J15KYYOl(yGegk<}e-kWb%;Wu(F-;3qW}v+U)`kP{=SOvqD7|!do!g9kmVbV+-UAhx_BM+yD zD7v!>Q86S0^`+BLHq2TkH}C4&+j3U7ooW3@bko}jpHZ{84G(o2tmiB^i54_{O=1o| zT~>hT6RujE49U-CrH$K~c@>Y#eHS&KAw%ukh~UKKm=Pz_eCOFNlUWHP!+{wsrr{x6 zCk});(3_+a&w?H?9jnYAo2rd%QH}H5ab=JA^8I*G>PFTe)HA2{gTjw>_2G1?5ajux z_A4rJEM3O2pv=oG<0NL86oi*S#&VhYayS{JPZu5}IZC|gcDR0R`Xan9oMh4=dbh@` z0rTEt__+BUO#1P2tf+eUN`)-eyvmbjw5#Kt*EJ^5h#@_NtLP$oH&U5zX!EF>>H@>% z#K0CSiEIpOdXEdC(*+(BIl$Aqz>lGmxOj01o|qnqYH!)f+g_4JLE-c`-Xtt|0tlMy ziwJ~B`U)%A=hT|UVf>?zv7{rUD$ZnGgM`~;k^ai1&qyi`AR=sUxev>P7|xHz&I|Eq z;)AH`4E{`I4m7-*T{v9Z#_+80>k`Knk##slw(yDcZGN@+G#(PSZn*tQzAse>Gt_il zhX)!p++-%%`UruEG!3IB&uC@_*oKoZ{deF)Zb7VHB)V$eVAhL>pBMl0+F;X@f^6c32Tr7bH=dn0}g*Y%;2+%TVC&$NZJW0*BXbXd*HA5%v5s&v~pnX9E4ZHf9Wt|I<;y6 z%w>foS({KgNYYP6G_&n9sfhhDgiWRC4wN++ai!Iy=jFjrlMQ_w%yLs8oIM)f?qv|y-7usgchhcs-6e`IZg zYo=$m$IYv`P)N){W>EJ_sw}Jd=NbM)-mYi!_?OhGxi0o+Gs<&CltE z{zLiW8j|JJ)}#>DNw_Z&Vo09qIj%a7s~qx@gV;4;?ADCPs44Ec*)XuM2M6#Q!XQmS z(=_ENN+GF%tt&ipJQWQtengCFY7IL)RP*Wpc7a-cDH~N<7iVBt+Axnm&R?@WUCzi; znfn=Dv0%6E6$|-UV4K%l5BN7(#Biilsky|~Uytc9{z++5jlVUzc-v))buE7m0^Bi}fQQS0izr5O2v7xcu;fQe+L`YYPjCktN6TyfaYx zy`al0+F1H9R^*0Msn}`;i5Z+Ah{6}#Rsbv<$=Z!8JCMCe{agvs?(rvkvYJ)+L0l+o zSD88OVa^ep|f zeMHaXv?rxU`6M-tLDjG@rTq}kCR1>WW(s9}Kz=FqsOns-wwOua?}WbpSgwATHuXMl zvW+iMG<~D_W=ToZ-lB$n{*IsVCw21zcu9Z<&cQvUL~DC;SWY2M8mxb_^@Qdd5af-F zs_@j$s;T$zZKe1p&2JL(8+nF=WzK^5DBmwfRq0{%qd+21X+p7VtG~Q$h^n@M1&6Eo z?79U0LbQ6CYYzNO^0ceNagDykd=c@-`>JQw*I)~K(I1~O`m(VJa#4;pK*y%b5I^4# zpq(u9BV^L4nI!9TaG~bDKzv>H^u>#C-@;Y+7ER~(aM~*xvfpq*!>*u)*Zj4$l<&`& zKLmwRes-X#UoaC^_z@A6-A0Vpx*bX(Ke7K|KXxtaDkWn^gw} zI=If2k7FS9&?X?Q`9t|^U(GWiS8lT(aP7x5OGCTwlV7IzW&Tnk$F*IjaX5uK+VWxM z6&RG;ADQbAwwU&)MXToPq0J{rHYh!O&CC#ZwmX80Dg6|HE>flRtliFu*MSRQeh$({ zN|3Of2@w}k*NNvagZn$*FmCAT&xLiE0GlV~D}B2UTVIkPT3|)eIS_MX#|N=x(Hmk* z+VC8w+4?~UzQxt7%0P}_AyMo!2BptNWxJ4QSAwS}Bfd1h!HHid2}%LJVb4S4GaP|S z%;47LlS?A$*MSgaoT!Zm;57J)LJxSk=gc$o1aMzF=4&1d`1M&FN~5sgT4V<^l{uzC z$+~YT$s_UjRop0k%8Ybfz!DQg)-^825lt`X_GxsSNgh8MpSPBys!xTnc#hBtz`*;! zI6Dynmic$A%Y4MA$lEl{SIUD)+p$%7E0P0v9fYY3H2%N2&!GFyx6H z@2Y7L3Oq5vwO3f`@?$tUP2wCmYqm)m{hF$|F!E+z*ZdB5YTMa0Q(tF~LfflE5t6Rk zzqqzQ#N?oG1Sg7FaDuo!|B722gHJePzD&l8v_WS1bk%@J4Dj7XlaoUn?oty*PHJ~0B1 z6=rQ7u6c-aI!Hj)ETp{>f?wt;&1)0Q?U?D;najQyApejk)^b*b&^i(+9KfQz8MDj7 zm_L{)O|qp+n4)aPnM^6Sp9uoIT!n25ZPKlmm6)P%8nN%)=5bl0kZm{~k0q$=agN{d zQ|X@}W}JBtrj-y25yp~1Sk5kk9#!~29NXpxZh3NK3h`LCBmB9pJxc#HE`frrMmq~r zO)to&^9(!uHTg~1_mO=EnjSqi8)l0m^XFtmA!n47rnPe*2;%Nf{{`68Lj9Ew@d+Bu zl!FaV5c``N)v)Ko^@}w7Wc_8Ep61EZc`i0<3`*}0QBg-BXOj+)^VTOJ4oTXq;Y9pG z$mgC1<$CiL4DxW3lpP=?4JI{USxJ@2c4tsf(4ocUXSm`p_&H>Ynv z_I?=GxEqyJ@iLPhybz#QPSgEUwGXSC_9;KKzb-%9KYur)(_hgvN2uM^bJ(Z?mz_IK zGTD7<&Ceyek}>@KYBk^(_=;p#hH1}WP5Bh_0tBIf_EoGYIT$8UH8rd{S$UnE63KQ> zW#4qOZzn^$B-=CxzyQK1pHZ{(g4yMX{9Z~PbzK0fk)ufvk%+71&1x*FTvN4GF_c#T zmdB0eM|08`n9Jy9NT`DSsIt9Yd!auomNIqrkEY^5Y(1yxR44q=^s{vc4y<;0<~UzR zjr?w&H*@^;Qp1cf+UgRN&p#d*4B-@4B|Ep4y_n=4NcJ`F#CwUuec1k-MV?WL7lZXg z`t!(mhCN+D&XRB0-67gMf5Rq8o|DW5l#=-*UEZG<36K|93U?z@KrXXE*H_TCa{S;B zypf&e&x9rsSOcFErb*$5sqv8mt^ET$8L1IaM}%-$>A9Qmn8H#Azg?Vo{Fwg zfVdX#MP#749dYF}llB#=U^9@7r-_FBK?(a^&P%`BsQ&x5`AT;7WKde(r?hqGl)cMen`5jl-yO#84-kk!T;nW9q)R*xrJzP z0ItMp<8f*rQi)n+p2}87Yxn0gzrr!igU_ua5_4d~v=$T0Ir`I?n%~vUqUM&i>ofVr zC^A5^+5jtPUHdECVBHM^qiFY*<6Q6p=koo6fDIUTM_Ac;-;TOmgG>LgZD+P8| z!pNo*LW!L$a1=uL{W|R`AC1h9%Z|QmGt=6wJxD!2yBd1VvcvsFe(WsmKDCgks|oB4 zG~v9CAMtcClw6iVOrVDUc{!6H&h^GB<`OXr6n^FyQ>+j8)6(1wOs)!v!Z@#GpR5>_ z8W>lwP&6lpk) zWP-#DoM0V|s9R;WvYoQ# z(^bcg!oc-_=~r3%ghk@pKeXP7Z7(;Rie&fsGkUqyKuQHhqti-3Y*7R#V$p|$Af`zG z4LGQjNg|AILNK;6kF#G#!aB5B%_QPT@`83}0?bXMY<{nFJw=MPFHt$FvbzGvG-dOI z-MEYyfbXZ##iLQ?QevU`FsHm4V;Mt^JHO<3rb>QHf%IT{CeqJ=0W%gyqfc62XOH&Z zewhCuxa%+^!1yoKEzgpOo^stE8jg27FU2e>6vhDLK$<0u#@e$9coZFq!=(aIBpKj} zlNEtbOo5%6%T|@(m-qy?})4EMZ1i$Qjqx;A|}jr${e5OOL(z6s|t}x(i4y^w>nkn z$54KCTVfZNlneRPw8aHMl~;lB#s%bzdK#j)vwk$4bB=Y8^k5Thk) z2a+R0VIVh)<@$bPig-($l9mQ*&}wQGeo>h(vTZ@ypd|Npa)!?c`K1Q@vprRCC#H{81MY%JW>;~l z`q^w!EFV3zd86)y1!kl%hYJ9r=QDD{JyQYWJKwDdE6{$Ci^>5tgJ$YtVznQr@hzAT z?I$mY^H?9X&OevD$^2n>Gzq5h4xFSn7?bfG@;Usa)$|S1q{b;K_L4^P;-W8q&qs{m z)vV@SGDDSSQ*J-9*7PWc7da>OlxZ1%97+x-$tO=~iUPIYMiq85iFzNfRH1Y2aR`Tk z3nrc+pDs&StfY}Qz-+;k$MNkvj%C*J!E2-}(obdn&@`%b*A5$dCeLwRe_1(14q>W% zul;_pc1_{UINaB9)>Fi95PQBr)$EKK)~`jg#t1{1NpIGK^ix;5=W1x4DY9ST7Ive^ z-wwlL`Rk@&2!2d!V1q>6v|;#R_IkMHx(UyYsc=_%ssXz-voULYo~BO-X~Hd;W~SEp zG_C?~!r96W?JFi!&0o#K60doXf59a8UmO@U+dYpB$ZyCakCO!cyK1}_-(vTwwcVm? zit>i@A(FWM(fiR6Q)++He#&2pIra{FGWc*71e;Co`&VkwzPg?RL~r&W{z+cc_Vkfi zHH}w(;maO@RHnm8A0rcrVNIo#c9EGN2dliKjCVsk76&j3YCD*qG(yVU7rO@2y_uPc zRmi~1@O0EFd;7k%qzLDMA!V`oSQu?VPuP$6>m9P&UUkyS1$o{VL)&j=4Hbl7c5NV& zD}=Vs(_>QyWZ>u?SU0aVX;YM!sGfTqyWDST=K1sUHH<;ms9~a{JQu4E0U6szggwL# zspt@?T?o~q!f-w#z|lZPkPN)j5l5;uuc`54bUzh^y#T2=oS<3JpNufr0;8^bk@J9! zuLFcw_*B52&vnmc-N=N4vtW3SNj5H5<+)q(TsQV5@VEQxM_Z<@ib$0Ikl6`E zZ1`}tZj`#xHHH61=DXFw@!*J64_05aoXjiV4u^yWg7Sd!7cz2Kkf8^6y% z#k}lqe4t~j=Ci=|BkGwobJ*)E)b9HFE5GrF)%c0XsM!z)tE;HjJvboYYx*{$_Qv891wBld;(mVcaUe;BRiq z(7rR*uq#7lF4E4I+1FB=Piwf~_LPpJkgIL^r2RVNCI$x z@IR(@d0?=RhLH#*Sht@6WZoXZNj!!voUBQ}4*E7#G(`-%+hTv#XTyc=?b`dskbRh^ zneEGps)gSayYfU+DGnsI%sE)pd>#n>)p2P_`B0>r#>;aI^p0~)Da_my>t2LwwO0b$ z#;)kP*Uv(u=Fvb{FkL16biV~^H-|!WU!zUt(OA~CdEb6OIkT_( zn-ZpyJ#+x~5*N)41!0Cc)Bpo9F|iMaC>M`~02Xr*iZf|)={4bB{QDZyRW<(J@UXcn zMP!+HOT4`wz;bjpH4_gLfS0L72+`lPf{%{k>|_2M;jy{k5xfPE7UBr<9mx{PNi)q5 zLV2xPZ@T0(Emeo!#p44p?mv+9yNQ?o=%pG?y-Oge2C@W%OY0%7`xojRpya(=LGRah zq3^&usRpRrT_rUy4-)Y2z!Is5@=_kX8eY90dPyjE<-`7Dxb+^wGX(&7e{Kk@jq0e` z)4W19_o!-7{{t)!=lt`)y@$F7n*Zy7f4k0mqHbP-oI9!)NDmJc5KZn$w?&O~*MJsX z?+rra3cmJ6q3`1AJvG%{77MJy09Xlhm)U<_3*-r1ckjrHvUk@3?0cHKmly~oRA2Mg zPIrs&9`N2A1)Q&n-s8`@drlw{M%}%9IMHk<^1nmzy`;!;x3`qN)UUN_#dx_29J(sFliUG>((-BNJfz0?kxf6)2riw+SGgRe>RakXo249^H$iOw+I{s?==D6W}2&RrU%Ln&h%&N ziT6?%yhrJMG+<9}D>p~wdfO0u<<0g(p+!xD&oDClyWn~Uhu%M7%lO`AfA=8Xd-?bN zaKBKFbzX)5j3z)p?v=~?4{f*?O5EFo?-dj5=B*nqrWo3G<2_6RnV zrT^#C?tK{IdmCvlqYH*4Z`*(&2`&?M>7{V>miWDq=^jG?P{?<=&;OtH;SD9Y?=}x_ z(e)PapAQSKYKfs5y8F#6cU?U^$KIaO`#{y-J)*b3 z@3yDjYxdsZpIyq`#^R{{cOGhH@7}Npw79#K;NAUh)xfvCw?4JT`>5XS!d!RH{8t`p zrWyFH|J6) zz`zUU)_0|$gE%iD2Zsm4yv-~zAr*gLf-1W2fIzVd}<*sguFe2DHe~e|c(g4s) zanl+QMVSq8b-T)}Q>MADPd+;x96Cm4#f){tSIfluFnC6T?uMQ2F$)&2y zqB#yp({QTrA!Zb!NM3$Y^;B~tlfvbZG9v}}!xAA%_(6Dp#39ffgfwJ%ul7jkJP6nz z@cfz%SfL2vHAquTMo~;InNzj}p)fNDiU1mN3AQ40Q4;J`qJ$}z5C@59h$4*53%@u2 z#i5S8s1PWgT(~|L=5VI*zHqO=6s)gEEd4=&NF|P=8pjr4U~up3j?DKm#JG_(P8|rM zPlEGQ_FQyV#e|HIGVn1JAg1GIEdgFN8OJ{3<#4Znh}+zk`4L9|c>E-dMp`D?yaJ0S zxbY;OJK{ZVb%hXt#|O^w)O(mlmj}P+>ckOMo%qGuh56{fN;5J0-0jI-^aKVPv)YTZIHUN#vwW$KzdXIX@q<)Tn~2h zu-31AXo&K2$*$EsMu63H`74XslcL?d&v5hw^9m)7e~wRYfn@H1q;n3-K) z2*bPH>yGp~sSD?Wy}BNCID;NLxh=f~j7NRBcY(=&S$x;4BoZymx709)jK5tUOXq>Q zNb4Y41>PKM^!O-Ope}d2$eZpLkih&d2-mN1Q@rV&Mcfpk70NMd2cYTO;Vn8-Zia9mtA0t?$oj2-wJ z%L?Y{sAuL6CyZ#IRRg88|%Gd9E$&;0*d}af!;8U=RK&;avvQ23g^d&*i9W<0{ zkT%7?mwaz+@WrES#pJQ<7!|z_8@VjX<1fq$5!gN(@H+iN_zNh9FKRzD;h>vCJMeG5J~)$%V?)F_F^sxA52Pbe0Rf_#u+Y;3bX{eg0}*J)6i1slze zs^xQPChq1P8f;V3AaRHsMQM1+6L^npTh}-O$Uu7XJ*>ma=sv7JbmP7qac%Q_O4|2zX)g(JG zpmsh0}j{cl*ET|1b zy~c_fv(BGhv7YTC8X=kNX>41`4QyM9_X}^begUp6=WYXjDE-7iy$KgE;Dv)f;ez1- z#m$fxBAY;U%1c5%lQu+tFEFbMdA~H8C#W^2)kT$_U1O(OH~JP;Dql8kq)E^-NDY42 z;O@id51hn$lb^uI@;Pr%crY*nb5M`u{ye`zZ?Daz`7}9yBjw9`Kz@{oT}ulm@`D5Ot(cc5s3~7K3;0c&JdH4@LNkox(s7(-83o5v4fz(wau0~H1;6;E zPxVE{6Q`K71(Wc(4*4?M6Dam;-H0_h6YK6Si$Ru+Vj0dcZX!-(U^YmKuvxaNi7RUp zPCtjT9e&0It#fXUQ7kkf+lq|M#a2WkYIU?QdkFGba0%@5u&i(CzYf<`&(-T47MpK%y)C(8n5$2ACo56h{OGSv)WYLds2K_5pmV^ ziNNvgg|wftA0H$v8=>Y)1MQ$G2Ri5{vxw6sfK%Tm66Y{vQso|JsRo4I^q-(!&)$FUH>!J2Ex;zS9)PpeW|L$uT84mqC zjLJ~cN6kBY7mdw~J-Jo)vbJPY?Jg;yNF#hfIV)m^)9I6zNg zub-x|x&dk>nEO#VTd)t=2O%YV!W&A1Yprq?U}2V~m+fC6DVaR5;UKmPb1cX4qeajG zfR5p;A`gC68eKG|b9T$`;sg?}e@o~mFQi%hQ0Lo%srC)VgcakDg05(EwhrM#mI_7^ zuH!sN1L?U6_H;n04w;b}51B)_sPY0WItJ0Zkzx@wl+7s?WU?+lSo^k?@6 zazYoHQ-Rs@fkhwC%Z^jzh+N2tVRR1Oak?C^ZDy=7A42pCB^;6?u2`6+4GY5UILjQ0 zKo{%0xvEclW*2}a0|*DgUZwbK4?MZCxDcxSd6?lPz)-SM4)$lUe?CsTC^tm9mY3|) zja1uhDzE4w&Eg#qMXPWG)GUc^J&2>lEWCPt7W~2O#LUEU#GS`A(i9xj@EmzpbU=RK z03M^SY66FChbez+?P}N~z0pBN>6hXR@b>vMlr`wCe@3D!Gm!GLrNcRk{avlgpoZmY z$k2S{h!A+&%>#SMQQg6SR-Le(^tC;CphJkY>?5(A&tTTJ4>R8BoTd|!rshHw4z{g= z1;C)@di^RKPQFlv!>oU}r}n@j+#amOzv^eoTY?0MjGD09vPMv{|Alb%X*gaFVXyH; zldK}RKl0GY+5{oemdx?Z7c7@re3ULgmghJB(&jH$vlZrpHYA7QIs{yLoMzxlSd=)LY4`FLVU(CFUNV0vDDt}Cu&31>(L~hM) zy&yENsZ8}1KZ3E044*J5|3vz1pXL{p>yi;SI#=U|q;UExo8k|%f&_qfo6RMD!r)pz z+z;kl7q9OjCtJ@cZ*}V0A15^++QLHOF4q-)vIi&IK02!c@uKxG2U12HcnGJS{dt2> z2@Ht@=i7Lk*K)TZe{*&&!fs(Zba4(Lw)P8HRo%fACoc=KP#_;{);uhB0v83C=Fe>H!7AsU>fLq9V5IUzYvUf`q?LXR+MQ2{GBn5T~_`;W%jo zzUo+%ein^gB#Bh$>AX8~>K6H1%qPr6CMK-ov4Sd;E20ez_%S?WQKTkLjfcPu*Hf{n zzTqqmyJR;@zV02kq}GfLFlRGpeFEwCb`ELt;!i%0QyS(oDJ^w)nfw)q>(eb#A-!=x ztwg!h#-1j3!^=>#nNK%eN9OB~9h>18j>}tCa4FabT+@cL@Y`5p`ycL1+)(rmQ??XU>45@gD51HoF;ArlR z^rb*oI1rRR1-X)ifq*EaF&i8tsB{UE*+3f2RY0@thI7T7))*gZf2uZ|=*rWP1+WDT z<4q-$Yht2>Wv3s7a?mCCH(3QmXvaERE-ZsQUm4#4`Iu!eVav4ps%k@VkFcAz3Oga* zJdoSY#1zl)5q3gxToG@RXxhQV$X^HIDm(~)XV%6fuXIT>jdBfRxj=aU*DPfsQp<82eX@jGg-5p(a+!iw7{~FKH1<~Sibh{7zrh_l-?Yq{#UJajoHZU5AFK7? z$7Gmp#iV^fxss(c2*0Y|&R?@~pDRBB39wXlQ_*hxJ$*eo96q5yJ{k_Q^Ow?Y(K4Y( zN)St!nCj3-oX~s_($+!JNNtwC{gfZ=&qeb4)Jn7Rv=qU<9)!bSPGmgDUQ=s#tCb>6 zkB9|4xclLvB`4QFAKu@&$t4&&GjS1-Mq~61{u_OoXA-- zP-_K|8hq29gwC=%y|2GfE!PC4$N8n*-w;b4)E}T*0S>pzH|+qd)Pug*_YKDVp^iww#s1vn%6j{OjjO_(;OQnJV}k&pZLJKvG~B}EivHP%sZBmZH{H! zJ}h(u2>H!?4xI#)zwr6V#dMctFg+sZ$xywM_19Xu zT_ar+Xa#lP*NS2~avj@BzK!ul#Cl^P&=m=vh6ooz{->Wugg1KD8*+&9hG=Hr4UF}E zVGa-UA_cs0HE&=H;xymWpS}a7=w5AV|0PHjbp)wGCm+G;n4L#_0+Y`l@eR(2>QaT? zH@S<1SM2QS6FK{QmtRyy@KSa3x{*t1?9O#d{rf%p;nINqM}i*+Oqw}pFk}DX{=sbe z_eTZ?W!*+O!P$Y194%wcQ&Tpx%NdqG?>Y&0E>qqL zulOZ#u&5b7`7LqU?zXqIGY|E=6)|h(`RqvjI|tr~oc+qk71G@Ett;dOA9oGuyZAQF zi&`3(ttQRkb!uHp+;i&aHK{k$F|B#le7{FNJvl_bQC&w33qEdbF>Kw`Ma4n0FSPWj znzg>g@Yww~a^rTb&Mq)MF?*K3sblYR@2a0Zbm858&mPsi7k}vE^7j&6ym(`o`Q>Y; z9_;@*3KDu_Whe92L5r|cjO=+=Axg2h%xV{_$iO9%kUT1f0+GaT*X^ZI7dbf zwx#A2BnIt6MLB$7PLWeHVOdcwi1BivQsYltp3;)c=j*vCr}8s*9vxg@+IKW~DDAv> zYG`8jA)kP_calR2ZD(hP3{Sgq=;7>**N(0nmh?yuWix;MDP*LB+Cqz*Vnb+gzOgfO zRAJi9(EEz=I|KTUDk45PC1V?e(yuDoPnVt>_GZawRbz9$-=wB)th=)J&G$=OEtlRK zQ?c%J?%2)KPPL33w5hf_=IH3<$x!Lo)ICXpDTklN;Ow|@kTZ>)mX}^gdaxA{xrip&y&b6>U zKW|$eGToK=VgBfjrd^*YkL-J^Y{vdqua~7%U3F016G!Y1W&CtLccx^KQc1k&#ssPB}(z-*kFgebpnK zr|Z||eeRMu{>*OiBpY49DBKG>VGeHNqF*}?5 zzHFMjbVVj!v(zWy#qbB1C(rMUnVg|k>L%uV`e6TW@}@8ybV($wru2;r#nGlaND4_+mt>8S_M3k^G^o$v zN7oHrJEWrZ(eV7U(?dUO)ha=fcrIh=`NS2gwTG5hte+9L`K{4aiuG8^xGQnPbwjOZ zcRxHp`go;3bK|GCbx$beZ&ZxPHXh55KXIT(XZZTLYkx~Qt7`%5FdO3OcazRHT6{F$ zxD0=6zlIHednJ%18{o3dz*)o-i=`6Ej|_ZdTbwY-MY;bZQi_&!aLo(86m6+h4*0O zi;3EA^Ja-9AtF&HZQe`<;=!B>4-Z7JHB8=01JSz8URvp7W;6jRH25Y3BLOFoM%o7< zT8jaY4M*P`3O@yg1|tQI4%GbJj6YM3D^&okv(Z5SU?ys^c{Bb{{3+4=>}%N83B`Q$5N!1y?(;vEeAD zZetEY>Os1yd=DG0GcMqoXdE)k$OnO`3SO5tZaqTlR0uxoh7WlZPSXd$u?Hap2c>niQdO+Nb~po_f`mG(3~em}GnHUmrT#n=;pxyg76!H)a{6;yBH?6k zDI7%K19ep`K0t(CsIFM=4GT9Tq{M*M`9{(QJwf`Y?0U=x_ko*@!Bk~1;y$Xk65&QQ zI8as0!>tskaG&^9a1(GVp>U0Q!;?q6_5PPROHqz{);$XeKh67n46nQdwf@Cn*yevx z8~?F29QnIB3*0!=t{#4#Hd5@qyPqcyr*7LDzy3gK;pT z;4C5qa-moq*#G#zBg7~5ns3ktZ{GIJxb1rzwoHPcvMvyw)ga7<(t+24u7xupD!(7` zgy8;1ZU-H~4s7>6$dT|%(6xbZz$iKpXJQqKN{7l0!9_Vii36|ss!|}ir%OUyjt;?N z2sR8kNhnlTf@wH>p{s<<9}|-kjdGGecPnWwpvBX`=@`V+9F;2(XRY+^4f|kdW;u8e zN&>c1F3O=U=nzJbpm;cPPUU9AAzjIn#G=xbkU}D=6>9ydJ<8N$l@Xbm&BCC zz%}S9SH28cNxTmXwoe7Z7dhrYq$-(9?B2aT!Q&HQ6X>hB9Pf#dVf8U@gYm!TzNso2 z=Dyb*e?v8o_!-u|2@U3#uHFXo|G!rLV~aW3)knB^?%$>(7k2uNc?cfsKh2cAN$0@q6O|V83Ovoyk?%9wOO3|Ujyv#WZ=@Fh${{DnnS;x`EbVH65-y2w%a%yw4?AB%y{N^$@G`6$Rk*a zR%YZ5L&_Eh4TQX69q8-b&6B5HM9Ew|js=1XvY90$P8Amlk0N`i3BlR~r7+RGZX@du zZWM-~)Y2G~eh8s7#sJH!=kt{WCrSiQlDZecoy=0t43iQde<^MXwSe#QEZ@e7cl|@U z|Lq?l90U17W2ko(GP5BKtW@%U13UDCV>hV5JTfZ;sZxz4#m>FTX)=23)$Aq6a)-o0 z-mcI5K>Un^vQ!)(dz5UeufE=W=%BqSkYrdxWjF zIG}Xx*iwd=gK6=hUY}qe>Y44$$KwNcv-2ezTor%i_9e5?r>eZj&UHFnQj#^o2PKtW z^g))Ai*z`$3B!?n>`S7a`vIj0v5StBSrM0vtU@w0i*aiQBF=&Af&*Da$EsmSWt?Ev z;G!^k4JDhyu=x&T6u1Rt*AS=YVwe8|iB>N8`A?AbJrr2m;BlY*-ujjbB%JAN?iy8# zQ7D;-;?|WNMRq5uOF&{V>~s-jO+q`;k!y(gOAJg_L!r8DWk87JvUBeNi6xMtk~E1CbEdn@BcsSy?b~QRo6be zcamu{O=g-&J835Eq?yp9O&~)vZKiFYffO2Op@kO8p+I4P7K*f`r3I^UC|KkSML{ca zsDKKHSQHRcq-s%A6i`G|(5fJKMgc`de=8vG1#x{MzOQNI}$wA)p{)5 zyR;;`r1$w)uNO@;PSLUs&e@sHIGHXsMO>=#zDa#mI!6VOP)xa@2=&C16ZaF@vHrbC zg5v7rs=@4DX9s!aIck~I4>8M7hO`&41B!c~iTe>#V1JhKY|a|Sj%Itv`_%l&qE9fc zK8R3S$4B(fTB^zy1ZA^erIh{Ud|fC-&$+tC}fy#z%;xilT1KzJ-m zqi<5VI7jMf1AuzyAW-C9L6Y;Vr=r1sI6m6DkQ9`Y%mA31!X2pkjAWJcIN)|f%S({5 zk;&m5Im?i;16-p4XD>rI>&56d0N17UoQ_Q8OQC+XBbO_IUjaz=S33KP20|w8CGK$6 zMbTsErm%W zd?TZy7wS>0eAs-_W|whaDw=T0htWx`fFe`{{YCI{O?njvud)`v zYz$t6(CSnaJSkk~7vD+~G4`U!I_ImDqn;fIc_7ZGqi~AmOJvHTP8^VCp?BX5-YupA&DTv`72}kF@_9CEDdE=oec0M6i;D;Za~AmN$TPpX$+ zpV*|9E+G3Clw?-5Y*ZGp z9kZir09taaC*DP0H{qv1QjHWjr9*<3XtVHEjdjOT6dJY zGLBgx7exkEA?aL1%V4HgZ5%s+n-j38$ZjqDh@epywY@d(5Si4}S73w>xe%(8$8ty( zIqY=kbK{w8yUgP1z0BS-pxMO*sC*IYkUtC~fcYI*exKmB0jjb8EWv*(twP2z2E2#t z;`V~~cH3+1BfwT$YjKc84?9h|GOdbnH(oHN(RdzFgG&n1nC>X6r;xvZ zq`V?cK(&-H*1+8{F&jyB2vmLT6=F`-ESKN-0SP7A3lUSaZ4kHeu0mAy01^w4=0TOo zLxz)OLT95CKf_7G)XEI&Zqjp{>_C~~XR5}}&tC)ho*tUu8HV$8lKJ#SEyI~k!A?Y} zWX;l_arQDJ>Eh-h$r{viF^)WDfShWizt-7HbZDY@MI%JB7HJnMH?Z;IZd6{xSu8+k z^{CRKSeeD1NkyI9Q^sD}U?<~l`2&sgls7`5`CjGzd2U0}n%)l$INV z(s!ML6(AplJ^|Z;8841Rde^u~x`OoqysN3rmOyM{s& zvwv*6&c{nlD7ctU@Vr1SEWJpeOivHe;XFt-U*`wQ$B|+Od_8d^lBTOQ-ZbB6XD{u6 zu_(its?GVFb?zWhI=wKO-1u-VqCCNm6`u|6X?OjGbX8C)8SpKJE8HliUEhX7y)*M^ti^qExJ|o z57YZTYU#-T9%WwxCp2a@u>IWo8Gy0_Py|5s^*?FhK16A|hOjHkfNd(p?EW?ZdF8hl z$T~seu0JcMVN1D|`oQ_Bj=M_5pLr{A5!q=iq|!($tq{59S4l4;AU2|Nv?o3&iuJ~1 zd5mf;lT5wKIGxv{yj|q0Ax6bW+^E1=RIEflJLXq04YV~9;9P*OmFD1JK?DpKw7S_g2_W2t<((uS zotBH3t^AmZZ3y)Nm`HjgO&^JOFLN8yS^Ic{^e)ToHEz&@#1Apa!1&~+m~Q@8lIeLm zz{VC2CDZeDd_t|-h3F<7&x>ZFEe;MyvnYC~j^R-?lv~PABWpfGm_#EMM<;XvuP{JJ z{0iBl#y==7Dd&F1IE)61lg>(zG}t(X1`RHLh5VYh9LDT_I-+Dy;3D84vle#-+dPW9 z8&&%}(&tF;bB$}UG{n1K)yuDj4LN%t{$?T?{jC$0p#=rX*^hr#lOyBn-X;UF4Y^#Rmo%jXT^8Z6(Z4gYUJ!u@McSo&$nRmu}0#L4;4 zI0)l;E!-J0lx1?{dXc{XNxz}2Uje&|OC}1~=e*a+na=C>ZM)amRWA;L8`;i`VSeTo z0%U|}Q&|QY;hO8RNI=&2o)arPbrSlvo*QbMW@4VszYCQl0!mnA6lqmfv` zXM;J~kp)Z0Byx?^*Cqc!O6zRm5!CU9^=gd#T12N=Y4FacrWeiiU&S7~cRAxkX`ZQ# zWK%Ek6(k?j!u}`K8B1HQ>zOZ@(&8*!^fKdPJQ9s3P6D|=jOngg>r|oe9#v zovN2kAtr$xn6p?%f3F9@11q*L7ttG2!>jADoRw$+;768l-_YkI>(@?ilJvS-`HkV^ zSJlcNjHQYrPj-C5aNaGXr7Nb&33dViyxvOxqsvHX9-{N3;Menzvj5afDIL+iDAtnG z3kvJiz96~C`2yM5;LlVUBfLe&+OzL!vE|LreunuOW>CYU`N;D^=x}0i8@gy&ss)-f zXLq@|jNX;#OCSdoZKvX; zc#SZU&yb5XMeC_7F-cpr2FE+y4*LWvERba+Y&~~_96x`#h4i%T^sRHoYo+J8rGQ(R z8s&Ak=h+Jz0CeTdX4vygFI#}B9uQQpemq9|RoJpNo>fXeKzWUfv-FjlyR(%~p-L^@ z(y-D0D3XMz(N_U$lBp^@gni>f9u$1Tb-L^)#Ads*)2aueQWifp05NZ@%)mvN(j&-I z;OZNgtd`CE^-SXdouY6V(tLG$kV}*os`vKc1o1xg-dPnJq6XR5X@SO%}WZsjf z5~wxY36e1;bR);OAF)^;XY+U1EyxxLL~(J0`GIy{H%3^^5y{v-QU?P(7p1-Y<{A{Kt&0a5>sB5EZr}t!vy? z%cxlE`MAp)JT_Pv!=}HwE8i+d!}_H3w{Nk?pQyVAz*gX4ox;M=p@@cCc}I6MrBB{P zDub988LQVMU(~Zt1G!`4i1Ji+u|H7{(%QHow~_4$5X@l793(~>hv+R+yHUS`nN}(8 zK;G?aA7vU!vgnLT)e2cEC4?P(f_x_ycEM^h0SixumBQ5z#c86jpRv1lr+^+14inwN z2LB0BE|lL?$j_y;ysHX zaZ(-;k=5$>0DnXb$JeE^=+qE0vGg(IEh8Nj=@HyiF3FgZ>#DGCx8jrnd+o7W!{~$d zdKbW$v=aAj>p_)-J~7Y>bU;&EGdr*pF;mYDM(KekBBTIr`RM8LH#^fj7T zOe6tCF84FxQQNOqTMl-Av(r{`WA6A6|l( z2ZRv%to^tp%_PlZYW< zN2P~QQ$*YA%pEKGcyp{Pby@kj&5TG5V#EV)yUI0^pLJJlgst+CUDL%<#KhPwu>g23 zPREW8W|8wlh8$!4nH4WlKh_}TuHdWarMVZdr6Pv9Os#<#!kFb&EWG7DA1nEguop(G zjR;=>KcgkOMkjWC)V^=(v z>Hd=zDjlCQ1B_>qNF2&Q`3n#g!`84L(a98Q_q<}=84sJ4GJzab^@K5K^w>yFS`q=| zaL#JRy3ay-Xq7-l*(b-c3*6ldjL&Or)PvjY<E* z8R}KA$@+y(I;X~8dS{8xsqiQGAmbwwn0gr?^&Q8SK>3ETOvg;2<}=R5!5vpwXW%O} zm)vYbUH+^i!;JQIsXi;06T!?$+U2 z*A<~$IM4U6XKO)i1oN;P-%&9XDPviuy^l%GN6Hj7$v=Z_I}XrFlJmYeZ~~f^59J=` zzO%OKATzl>zdPy}$cO$Fb9#78JkyIybIM{ z?7H7Eh@EOpBAGti7T6~%jHPZg3V2ZQ(}>*3P0U#k1G%6`a?b2oHxGsK(VBh8e%x36 z0NMzjQ&3wa`ubP{U~cZZ;^Ko3Qf5h|RTjD1qNJW=8|D+}SP_pNHt0{(&$uES<%mTR$ z2|uxiL;a#)=}l1y-+*Mjs}aB_1H?t8p{Qn&O_MjGj%Vz@>ET^C0SE343t+rlgoNX$ zb3u1({Xi=pMnZRXBviC0yl}xgm)Yrk_P~3&TbN|#kx(*nu*`jdLex5tCjwA$;xehbwU{w8kYZ+&?e~x- zWFzz1NY;+GiDN{C1W&p6I8vh61nvoOEK-cPn=1~!fl4QZF9k58b6JJnA=D7)!RBB2 zdT=HTLXh%1DDVpkoFPYif{fY(emdurtB^2Bc^r2aeh55(Y8Q`wiM~Lh^D9!Z>^vVu z?9Bby^^!MMhTPyMaM3j04)#Nm*@b+Qym5RFH^&05XVF6AaNV>NRCF(}IM3lK*e0Pn zzMRto5#?-h@F8z87s_s8dWOc}CD9gP6p<_p`*uBOw^3Qk-DN$NG+8c>C3|OGA)hgR z7!96>0jOmIokpThJ(o_c2z-iJuH_&#R!Y*b!vKZ~cHrln2L|#dgO%KbP+7#@b?t}9 z5mKK-=NO}7EU1%^R<=h5qu502a*-^S9*g9P<@gABGXz6@iOg2-Rq02>f63g%q-6EB zUgXIK0E+LvppTtSoi)b6*ufqldvZrQ0G57nd7=CUQaXe0FjmWFQK8Mqq2R@Ufa;9_ zlXM|>j9(a>V$`xsX5J(c&&otaJMw;aKVK-Qu0M%!T^=${>{fgd;02`qm@$S8K*11F1=I2`p_uB$_vfb470$Y@I&HbAWDF| z_aeUs`E!tBkV+8!M6oHRhJd$%U)R9t($u~hns>Gtp6AV zs88=Q!~Ab+#Q6lQNA2Yugn z@BkPa#Rz`@Z!Q&n0$gX1^}2T~*--i$+Lmm+OaWxOGR`xy z4q-Fn2uwE%n?cErR{@U!Kc`k+h+6WRYVCbIM0@_?63A07F7+V!IV9|1JWY9UOTgn| z{Zoev?7zf{Z`)dAqMh4dEis8-YV3P;WDlxFwyW)b=-4E2i>A3A?#b-Lj4oIwzsb*RAwHxxXqLOB{A0LLk)USoM#@}xy9)(hx6V$ICxSAzuI^fUU!qMhQI>lhCziMOw7$)aK26hcTwPTe)6-d{BStW-IU@iK6>#v6=0bU*Wji=I zVd8I#6_+9V)13GYqEei_pxlL79)d#I(IPNBjOJM9s(#K7lZjH=#W4GzzD?*QuS za80Ved64HJ_cpgNQqK=yf09C|sZ;rbcftOwsF!oGQQ40u%P(<7?}4-)#N<7OKV>q1G{p^8qkh1 z65bYq%mLW5NY+HxiCyK)G5L%>(n!I`#^iQipXzh_B4TzZ^ zoPma~Ag!lp>-<=B;4b?*_VNszW0vi$fC)+-kog0rnNq6-<7abAiHxd8p! zuej35-9dx!Av1(}*t^NuFPd1zet_+H5yZR1Q5YF52eis#M#HE%TdgnX z$-Tm4Fa*n@g{dsxI?}X-B>T2cq3?_0%W;GKXp}G+4}fkC$EKQKomh;7I&iP0kqd;` z5dPQ-K3?Tja1lt8EXspSH&Ab9Ie7~zhr$NzpZFaz4kLlITg<@Q213kkKg2h@Wkl`7 z2a$IIkquOE-iZ(w#$~=;Qhl_rhnwvgUOZQow}U--_H&qdvMhbB68Ec`SKaak7$r;g2UK=U@6zkbCS}#1x zZj(RLHX-Jv&<(Y{*diUr$`x?4UxCuN_F>@cE&mk8NTc#+lb0>-2co?nx_Ah0UQVTS z&i8Z@c;Mc{5Zp2FJxg@?Q;_fb5t)chES-bgC-S9u>_6`V@KnCHY*bCWINZ2^@{W>Y zRsJs^ZdG7%7Y)sg4zdz&fMR|Vbv$P;p=F>dKNx(4*~Iw0jm|=?@xxpAztefY%?@W-dMGFUbo({xU4J50YmViy4 zQ>|fk$|Gs93roAO@af)JGQ|DIbvrQ6Q2=&z2NHe*vwJ!y(~w#!~tj=7xcK z^%}hwxK<-!WxF$jLMfIyK${h;=oj`KYe30wr z{6!C_2Ewmk6PyyoXL7}I(rw-AJHA0iugzyA$Rc!`mnc?+RaDy5z%=N&cU z=WqCTBe2-=k-a9Wcp6f^GoH`_g7Fx<(|SS2;A@b?^ikKnsM_+Vji|RwyqBpaD~eVb z4OY7L|u4CvsVNR*27S_H5E}6P1sO3$Z!Vk(>g~T^B;0Th4me-mlA($2k4ixCGo&E06XwbW{bEKF)hM4Bt{7VV?zgcwTd`rjY0Sh zeR=Glb$Oh;A`*--3;3!nMk6zP^eFq$c=;PG8>$@a8iqe~AJ)QDEF=M?@o_$0UWbG) zA>1(x1>M%2W@(-V28xs3K*AO446T@t9CxyuWf@Oy@DH00StV|ZL7q+ojj`Mpb!KZ&Wjq(b|ve)}k&3m0FBui-YpG$$LvnDC?UZ=DKuB#a!qdNtH0?$Prae zl7i|m`+|OQRHQN^yN760OI5L1FB`oipJu%nMb-!0YRShdldXw*iNexLna)d5#6`vn z+c2dJq&Yd7ToC-_@<1>=n*U@t`gL8wY*H?t1H`lPY1I4;lPE7m{sl3k+1#(0ba@uG zE{O47a972m%-Zxh7lMP?d>ORUsu<@}V-%s3>=nJV6u9l?0AE*kHlnV0;-5Cn>h zZaA5Dm<3gG0&f&m0eM7*BFO=sR;f+v6q(Z zW}Fvgze}sQnNZH_ksT2{FO5+tF?@pf6QM9n{Eg4WipUNzzZ(Jc|qhXgI_1J%F$`I7-=wR|dDTZ#VQTdAIX< zCdE03WE6g%|3z9Ei8C2@U^d3Ma)OkFY6q2Hq$xe_Pi-wYjB&`1+&4^Rz^Oh~c^sW| zn`mY{ELnkEf*z%{jB`0*|^A@9;Bh!UPVL9+rljf$)5K!7f#x;GS>PDTkRGQXXn*gXMl=WYanO zy)00iH`jod;|tW>&L)WKA^4?}UR9Z{_4BDL_eGQMUjHyJ4?H>s1%eA(?XTpW>V%nE zv^qF2cQrGk2sXG>y(Oqy0O$`uhsvD_I+1I|2gNN|IAhHxtA1hnI~%l@p9EFYH~2U; z)c*%+>_c>c8P?D12-`&`siD*&#>M?El_GDbX|f|k1-Pk?1%ZJ_@Ssao!`h;aM~nxS z1A4qGQt-3RGd%(*0(V>S1oa`=M+h+qP-;8#RE6>i7+vD7Xk`fGsra`eWd-B7L4$f# zUL(3$29(_RO_>L)!aHhd=oJ5uNT6nbvRLaf1For3ts zoi^;;&j(AcucI0FhHabBpO_iij@)zjZDE2hoW@-ui>ZEdAuzO>PKieAJa6oZD5xVl zg-+NNZ7~YFDYKj%DLtCxpN=W-uB)UXJWrWDIWU7Z!l8E~l_ZLjPw`EQtr1%3Rn)Wy z*3wQSW@_al$bTvFOyK-sra(H1nrFfS{U&Oj3KQ}eY90?Z+B>Le7&_s3IOtWrv}dKa zT`dn;rYF17g?Oer-BTaP=?z=^=aF!XPYAv(?<8vH;(K#e3Bt=vps}CS3I~{OFIGxP zNO%cqt=arbz?u``xFZDqpi+kk3=!rWF@?O$#57z<#S> z!2R(Cy45R%VvAni-klrA)#mgKm(9C|kslPDrji27Q0*!zF?W;eq5K&r_^0=E`~i?| zc*r_$XX`R)Sp-hw6(+q{M&8*u$FQ%8+~Xe<0h?F8Kcnjy1o^i6P2zS{Q}V9oKxGMQ zDK2N721aS6M)=d3ks%!?gjx{r$w=7IK1F(j5N6xIrXc^Nc`}&kt*HE0Hoh`54|3Bu zPP$vw(JXvQom^4r-RvAgI@VGS>MZN9EGF$AQog&5Becw~{xJwjeTgy3HEKM0kSVi% zYIFA=TRj7LujMTYM{-N3YoG(z&qgC^9@94~$wWZ13R`dO9!26mW}%8%$o@byx6HnD z6c^Jr4vn&W!Ps+c-Z*N5_!(oJMU(MOhfDf(Erq;W16Vu9HS(b8+wNM@-THdW+9SAf z8!f*W=yb6TJd<&(RfqM#R!DK^7pZ)}#JBF1`ygc=PGUAgg}-=)P&&#|kX($UpE>9H zET`91blU#Ar(}pA{CohyE^Zrl^z9}-dOhlwzt%{qb-$} zE$3Ns%D8K;&E7k#CNBiwE(bVX>Zu~v6nelUB&~H%BdNbCe+cq?Ozs2L$v87}5U4ht z)ijx-%r$L`!g%RsM9++}OElTv_cf4V!tSYOOx+69e$`z&!5ZlymqKFmXK@~?_%1cz z^+Pc6=&n?2pUk7{$>B|}LZFBunhxyk0f<|{c0gIl$cc)h);o>5@;|#0m^AB5Ev(s# zVY$eOL2WnCDR*RSTchxdyIzlvE002uc#IaG1lN}w0Wd54=sf$AB>9+hcOv(x^<$tG zv3Hvy>eL0>@q_lmF8?^-QcFMcBYjv$JPbJ3m%($@ews^!yb5|DiBD5jXFob`Be|#j zPRhakDLN264+^K*BLI`NZBQ@);yB;9LkUH{Th9y5A-19mj2*IL3N(<2!fV?VxY_h!vP!;=Ww#Zl#+qWcPCGsr>0k$uH8tefto( z$I&ByIg-9pjc(8Jq0oFagY!#}ciO}*1P;pXD*h#I3C9vIqm;X9kn|36`@qXgZU>JG zyI8Cu=T1WW3ycnCC44)5-!;q>j?-^{tBT0dW!tj1WBlly$Rs#}Q}~f?3nY%z4MFFH zH$-flO5wZ67vx!ptfM&Oz`t$^dj9@Lr^)pU_*MOQP?gAR(yZHO30wr;ZLtncHLS*vDJkuURZM zJ$e32FUJMDkCvk_ecb|1njewznvP8f9Yn^jb>Yy-FUYvr!rH`-k@0sOXOYe!<8@uz zfb5}+z34ONTtoA|upv!Dg2T5uhlXB8$|Dig6LR)OL-BCYQP)W48wQ96u1yxFBFp|n zc&6OqUdVk#7qDm-fp=#Yy_Z273Vu`07~ckx8@<@%*|inG(~QS;*ZV=_fu0p*f;iYw z#l%ht?2Lss{zh-`T`4>UZf2H$9Ne->65{}K?prH4XSeV}vwnOAN!f7gJ#8_NDT2bTC0*CJ*lZnjp^IY?- z57EwO%Cw8Lw(y|fMIfsU6kP^~WYOS~w?KjP7CvtxElYGHo(4I1`HW84gC4f*GK)!S z%V#lUfsiayCfyI_ zig-;uw;3^IZm7PPgM5G!R&_U6m=A?X7vH}FF-=W<&@YynIN_Rmjn@8YG=19AaHp`N z%!P8(Sod16cSLKZ_$s}&K(ZsLG;ZxMNY;|$jV;6YBxh%o^df2*RqRIcAtc4eI=lK^ zFVB8Hx5dxm##f{TsO5fs0q2(C!$Y`l)(S4mSGo292xrQLXzfzM(RNxaFnFJ2dGQKy z{t*6zu}Y8P^M_e$R%79I5@YF^AO ze6yeLRlg8b#Ka1WTKVyaMQT$e2p`aY113mYJsGsch(; zTz}zhZ!E?udO(6ox|^ci&zYJ!QR}XUt*R7@$3o_SFM?}#LKrXtis_}Jgz~PnAzhrP z>e|hit>;K`kZ=*q<2DjZQ6O!Ue^fV_f(eYZ{cbYT+R@*cX?LZ&qi1LLtVlJ|I2Q#GzPdvc~GARchhc9Gi~3UwFiRDb}MR zE!jhjtFpjTyTtiiG+xK`4=`+&ygroLby zl*5~KZK7*A^&o!erW03w5ORUKIhCm9o=mSLW69xN_rt1jgzoyFX$@m-dD^=LWmR>Z z*(KDLcVp7p^FWi-fF_}0&J52j47M->8(zeC5Addpb@$C5J+1mEqB6w?ko~-M#CTjZ zt1TaWa%^G8ae7c3Y?7=wF7k+Qf^l4*DJP+(Kba(VH6;TvNJYK_oo}&^AcI>0cB7ZL z7KvJO@H5WQwYd2i^6B8i5-@9N)WMSw=9Nfwa45DC50uSC!Bw1t|6bgJfDI$K9=nAJ zS-psHM(~WZJ0CNYtJ)4TzU;Le)Mw^rq5^$mK}Q;T$n&{-7A3l1ztU3QZXnkP@0@y@ zUP7N3NG1wL*+g->T6po)0GtU+oA5B3C?8da!@adfAme_IkjEeKJnJR7YsP#tWR`d! zijB#kqKI-baN!P`*#Y^(xu^m30&18iJc3lauI86(h4ECJ6eNUoV6-hKgrodr=?9fC znonr?4m#xN_D`fcQ1EjYAW%zo#^Nf4x%(K5!&XAL*6x6Ow}vD>%eW-Ud&ZirSs~%N;pgXhX z{ICu0jT1hHzHVX32Z93Q7%{*Q90LLTa2Y}@)6G6N0c@?{@bKPy84|AIZgd$XzK;q& z_rn?uf!<&(o8R`eX(mPf7<>ZrL>hNRtO#QVCJ}AUUa{7F_v5))Q@m42k7-D}@iQYi zgWeO36wkBPDx3V21_NPB)CwT45H{@fNsyPhwpNe}kg&YzH|CDY+M+L7$68m$lhZhJ z?mNsFpwMyF>KX4hcn}sQ`v%Dc zoK%5V0C*XweCZpFP|iFG7YJU2J<4DdJO@+$P23i7>b3Bfue0%8;YeffC~GYRd)JmV zko?H)kMbR3J(nPVDBpv2;q*+`?eaGXilCs@@*ij~9wKg6;N1eQ_zR%oZ`F5Unuoto zE#TlybkqMT&XdAbbtx(Jb(Mgip9Xvp;dk$UUDgYi{g2auEZ}zQX}3D|Mel!qv$wAm?yi5o&Mm;%e_iNbx0rsjvJmdz zzw3qD4gWuX{7+B(ADwWkcJW_V_{Wp}N09_1Fltg5&E?TCt#~zZ%rXQ|i=Y=PJ1YCeOpv)VrjsH~$wS0RMe`ro?ae-%QQA?miK_+Nz( zCQthRT_OA<&_oY5bug>C3HoCi4j?ROa`}wppT(itj`Sq%p=(^3QVC^pq2 zdEw;l5RKLPvV6D>vznS}E+;lEJ;MO7FL3}EZj({&o^-o z(t6XQ!6UCp^AtD3AF_}jm^W@ZRaC#osAKRg&2at1yGXRd|@(^D&YX*6jP+-LYceEDZoLIg@9 z%J3nkOu0b^U#HvoDFUX3pehB5r} z25qJ+3ljoy@N8*PW}p-)9Vlbs<0?&RCUlF|o0^613cP?cSsB|nc&$G0^SK(ff(xp)C&0)?UJwi`rFLZ8J zYO$=*NK*bxRmTx{epUsLEFR)bT#9P4H-`u0O$0rX?oBO@R%v~i>18Z*a~eJ_7`d|W z^z)@ znXye}Q`R~eL%z7JTqixYPgN?Bn6JpG zpe=`ZrEA8(B-65+jaybEglq$B18sS>e8V8yU|WHqQ2oxAKatHjZRR3dv3Z#DBDfa* zWlgFoC*NAmLk|1_;)-6padz7^%rf76UlU zt$&)o-eI`^!0ZM5x0T$iy?yXDOcX*Ul=2VXLL2i2|25cZHCmnYEXL|J4fff(LTo`7=G6mUIx`r?EK-oa3B5`L|2t^Xa8Hh_?6o9g4((C8|cMnzlPuZ zUp&b_b|TacEC#rxgqz(sLlYJ5Mv{yKU@So4(!fg(uV{D?@QQ?27|bmU>SlnK4nW=h z0^CAjo}2JL=}vJD^)_gMoBzz(+k+GC?f?81e)JxG?yv6Fz&pc)1*BM$ z1t5C;ab*ge3PP@izs};B`q>GQHau>y%0?KX`l0;1wQ5 z7_#1~n_~b9`LA~vs(mW<;NS5K&Dz`J`R_yZpWi|o>+$5jONJTuy}1M?sMJ;6^RWJh zzGl@GtnPtqYD0tp4ynOWYgVU3*dom;=tK}4HO&14HQ?^S-?3^CiK>qxKxAyVFZ?kX z$a+gYwy9H~z4c+KfhJ%a5Sk9+(i?`JsM5j5yabgk!iI*b`>M=Hz3;^;gBqHK{{QXY z`@b0c9k=@bJ&oyUjq`f)BnRVr4u!pz==0m?*%&mf|_e}@cEz;JT%(KMSgdTqp>*BR&Dv^AXEDDG)9vXU+ z!?jMSp9=i3b>%b5!$hhx@e*L=1m@U@HM4sFOD)w4P$(t*8_q`}85{*Ju$v5>GnLAl z^nkz;8)gwD79x>4X}C$-3h9(Zy+;GySD0A&Ht#TT))B%J^kJ4z(oL8N#c-43lgcGl zY2mSmir8Dcr1&dTgIAg-18gTyh7v~&lN+jL%p{8O9_XNQAgWp%dy`mI!4ngvOa=DY z$>pN(7!;KZ2~&8HQ;0qW1t6E}sa&B*4-eMJt;f&76-Ht%_7=6TqbAp74ztAqk*^RZ z%pwZ#a@2$Drw?bM|k<1 zFzuCNqflB-@(GlO*uquoZGeVX@J1*baS2p5zQp(Do`-s#QdBu>6%w)l{+t*XB-!+w zuOZmWS92@bYTk-VHPajNHiY63j&Z$9y#ZIDu4OHq=*L_)ZU7%E-h~PqF@DOMh4pRE z>H!wJvHX3nk6le}CYIyZ2lGFFzwtR-o=C-mKbqizbb&uRKO&Zfn#6S#VX@e? z!=QlyfDLa(3E{n`tzXS_2$xf9aU2XD1wlmRUWZqhOFe^sa?B#`^S=NUdGhConB)h- z5rAFjm7Pa8%klwI z9fA8?+TD5W(sAL}%LU4M==h=yfbsrh*NwKTnaKdiS3XGr1~?#APM%2x6(v=)6_qgbZXhP$Y$g>$;NKDDmrz^esc%tr*C=6Q=Yqf#EPnyr9EO0e2!)57#5W*I~VX5flU z{6@)dj$b{yUF96rw2kzjT+5ayK!!mg8x0s?xu+O6P;KFK?X!eG91RRZ^nzh5#%rL< ze}R+*$etNS8+C;fP?K3ct|5jxx;*J*O~Z9hDHM(43O1d*L~Mh6Nd0P1Q`W88BA0!y z_Sm_~WZsGI!xMmJjyS+Oi2A^vDuU%6MCHLN;(Cpes1^IF$p>!S0%W_FwAp4tZ`9S5 zPbcr@?bMUyn@FDNZm>-P6vuqK7C*@*L3i+90$BVu+Ful2N{XkV>wCF}d^qq5$#ru? zYd{tsM{JY#8OXGzzH-d)Tp`Et7ujG_92{~!K;o^i`LqL7UN@K;IF4`d!$ucIavn2| z@XDJo?t@@^igy`L(b5it7ZrLD?IhXfeOI!&6Zc_9nD2|tB2Ho_YqZ}Vh03=pd|zT% zQ<|%P{=>-A@2(3dvNKr!N9&2=oQ!KOOWL1{k5N9V5178cPD z8G~sOiyZ3%CP<6Nfu4xlAzIKZfNK3!lu%dlh{339JvkH#zlap~>lFD+cC_~$TyDIg zXGge8TG(RDGqz*^hH%H-~?&)lEti3FXa8uKdy7Elq9#mOA*PR`O2Zs*DI_@W& zsE27a4f6!=aa9WkOcv7qM=W$fA5&En%Mp*k;$-}W79U3V5Q?=tWmHnHMwdg*pYMq! z-}t_grmD#WiUX(>Ep=p|8N4!hj4@Js^(}F=+LcG#>!-BBE7E8c@4y{JDFnriW%lJx z#(i*i>ysoqoMNfhRvf|X2mt$t*J2R>qnL8yE>7xNZdYkt@4BM-cK~oPzZW8=iknCQ z5@hfqNCidZl|uqA#9*oXEY85K!5P7TITO|nh*jC=nH?#?8QLE8Q;8Rhh0(_4v?V=G zDGw%_0eE#vL!-^QI!+6$^=>ixCO;mY^62?!+GIdIn4WprmItGa)8h2AmByL0%7muV zR9saG@i^n82ZLzMJQopXe3EKW@F0Dda-5jzFwmNq=9RP(X8>!frjCd)Z8MO&Ks(!% zDdnOqm!4zx^dc=U&d;SS>Nq@HGqax7#u+os!tz+q8x7UFoyQPUD}^G|v#dtq~k`)NgZC=I|f*J)b(%Yl_&u1}TIG&3 z83$-dD~Q`r6iV0B&TtTNwvMQ&^*N`QDyFD|@8o+?r~z>W_=nIWL_C+jMh!)vJ>BcI zrT3%kJaH=ewg)kx<>S4tXBSM9u5GPf1*a*jA`=zFvy2=w1M2sOsAsRL*%j%9jI$0BHYEM%2%A563Xv$D%!R> zD#kuadwwU|dWm6<6Zf0OXsHa^qAl1B^Nfl|#mXz3iJvas$2%5wjbod#z&a*g!*>uH z#IGZbFK9tg6j}P2*?WPl^*bk!w?%j0@}Ke2<~rv?X6Bi4?nNt=JkHo~(V@3LZ=_s! zt0^Id&lT2M%FHcihD>Y<Q(N+@L9zq zI1Tu`z*OWvCp$FiJI!<1rue!SXx)(9BU&HSD1XV?L90up~hVYIXbXzdPZH-RtJ z<`7i&1z`m;xj(aes_moW^X>yhoamlyH=Z>S&sg)!4ebn5{!jo?t~d{ zB7y>m6QRU_=u2!2t`slAOva{43KWwb(n6FQW40{@o%_(`8EP|&lW(_!v8pg&F!-HwW;G^># zceobvX@SLS|`v0)^?qN|??f>vvI7?^2 z?9J>Ad&3^so7n?1FbE?vIKx3e1|0+h6ciOajyej;K~5?jQdCqdO*~|tdZHw?)S|S~ zua;<5mR4qVHZ!xbvb40b_1=R$hu?cW*L%Ic>;2>X=jY`NFtd+quXV3`-S_?ZeCk=T zKW!`Td56yr#7SgM?j;O0?$2H9L63IO1!113$!Wn`6^ADL?SU2x+2K%r?E=i|Rt zCvKpV(X+}lUM$x!iS8uKoA&EYDR`V|Vi1nL`m*^(eznpPR1D;Wzl)t(lK#PCY@H5- z$R>y|y^aE(3qYsNiiR+`~Nz#i-yJ2z9jGbv(ebJ;UQtCq zylt3p4m|EUoIujJcZ4!*1!YdbzDO5kyw^+f3qBy5?qG>(il9kH;_QTzM8uZkZ5 zDiDuOZp8cASv*)hg>MVv$c&;2V#wJ;IMLjK9y3g1@KE7|`8F9}GC(CzH}(lt9+w!s zTD|r|*#h1ps^k0W_HUJAn3p*|ZA#W$xKapfaY zf_zL8uv>mflH^wyL3%B#9Y{mSdGj<9?W&42FQqrs%$D)~GTlf-Yd!tyH`b;j(n!Y? zq@(;;KH8k$h+4Y!z&_Q6*OFRyGaW)@T81BTJb}{s(L|ELJua`ar6F;EE^$-?a87?t zCsb5m0Q}I;(_ht+OVSBuY{8$1sq#Bb(iisE3a%g~A!{Ns6I=?RRBhFD#^$O(xBsXb z;l6+3F=Vf8lZN zJ;)pbTa9w%At6M5pN4M!Bz-WFj}gP2I5~n2OuIV~^u_Z2ifjZEiiC@4KDoDGVgNqGoj@(*Ly+eS1E{|ABi$k;7guW2 zHzMXna~ND^4xWLv^oH31YG)HjmB#i#=^y&j(_AT|R6+O}Ju9`-!Q24Jjqgndn`-YT*e%y}6E!`%*fvwz7A0Rx_f(w0LRsP? z5+@y@ZlOYoHtnJGh`dfPfHXFv7f$Mez~xc4SWN>Gl3>{m%Lijqb3?6fdRx5ZW->od zt2G+)+C1b3)|+6s*#G(ho@EL?NHBqXsnU#uEyQBn&l^rUbW`iVohnc>S$iP6Axu;4GhC0rkNYB#SCr+ha*f-_7e(SS zLsx_{D3XtjZ2KQo37_U`XoA>{X-G2ikQ7}bgo$7YU1hqQ!2cKla_db^)jlp0)%vdD z1sZRoaF~5K(z~Z?I(drT0Jd@3LUuA&`Ho0zFpnUKY($9Re+KGjc&GUiNR+m@v6+1? z(Hwy1YN{5bS-CmIYAv!T4)ape zhlyryeD(l-1TVfHLV^lbnV4k5*LGsDT?_WO;UsJd2a9W(XgjM*0DV)sF7HKg{Csb zIMdrO-B;^tuz8PTM^y~ysJVx-Qk0?8=+3f_!-~}Cc~%)8miv*5yvZfAZBhKTV4I?8 z8<1bZ=0@o%n`^wy%gIc`ZHIU~3R_V^+gdpALfWbK!Xs$G_wXS+s#2E$`!V}oss;jw z9{xL5?#EGj2#++@l>{KSHI9xHN2b6Ur*XEpCBil)l{~1i&5H*(WECI3o2N0>)9l_r z_Ay(RwnqYERFwo%g{espGa}WA%1WVijORyC2u)Gvl-)Eu9|H4qy0w-JG*`9`B;$bh zhgv~{Z!~!VJFfoJPM8!RJFcc5i=&13bzzJ;X;Y+6Z%aaEd~w6M2H=~;XR7LnH}MXT z<*`*-bVFUpu81y(?&C9bt#T*Y&*5)RXLr4SdYXFKk`a1J1MXrfA3CU}hWR7Xx*5D7xw8!?S&Q9Pjm>EN{OnXVG}=(;&>3^<8qTiPG}e(8ZGy3iU6HJtSywmx zI`xKyHu!3wOOyNDZ)tqBbQ1ro1J$0kwhu%z*dO{U7ahuG{pkVLcPy@S_;^B^ z$(D{Pc|54?k5D75K`MPpO@_uh^VHsJ0;$s3jQNeqjF=i(Q#FHp$hxD|96*Si9*8+L z)YTer?g3KUI+_4-f~LE_RDa?ok%QsWeGp!$YC5%=-5jW^o^G4xdOgG3rQYLw4lg$q zI+YP-K_O?AJS~bfoQY=cg-&B$q=$ei#4Jx>o@|P#fg6J87gzwx%NgeHX+i!leD5+( z=AVnrw#8<6dRZGV^9wo57SVf_XBd9gs*4gY6orzDU7LJy>YKj8{E;*PnyqwmW|_{M z-nz)&vBeEq75J+7&554JHMKKIdCge!O;Q`_w@Svk=BAzlHAB!;!!Qc=C5JuZvUUq; z8VGE5Tc%mA=aHujqXxp1+xu|q1ZDE0PKu-%`&WS@EB+oK>uG`MN!__K5(l%?2Jooa z?YwBUnomHElm8?+eM!uz>zy~*W2tf?bLe_1k?_N00G%T~8)-1h*XEK~TC*S=UB2Xt zSH`7)&igwW+g`(?2Fr;cywv+y{x7a@Q0Ha)>foo@j>Ft}meZ^$N@ib*%=rrQeR%A| zN?D0ASx1*}tYj2ixe?$>2@&jl)O4{KNPlzbz;RLVO@eI@bq=9l|WC zi;t%IISsz1Ch-b~Cz|%=DwZJkQT;Syjkg6xWuy3bVEi9C(jdk%YvO<|lx4>RqM7{h zBtv{4-$>ad`fT5HiV)rtD83TNpU)F4>^g>hRM)!K{e2un zFQ!+`t(xBKt)}grN!q3cFI&!N>SiztA-t0uC@$4|8d)w#TisZP54%Tdi|QKr`y$O9 zL^V7d$oC0ith$+%wr8zZ@!+=nqQTbt8OE&J{Dk?q!15D#fnA$r>SHFO1QxG~-{GXw z1%;UbD-(Pg9{wzNRiiv5csNjx!$LCatv)17Evx^T8EZH_n2WLujb+y;SsrBWW3Iq2 z6%-?QjO=-x*T78{?qP1Tt3ujxM3pj|Cbbb7g}xXA#`7sQP0J>!r`Cz@1&WKqz|#x- zwZ-&?$^ptGYeImKFV&|55&ZM`oG_AEj!PkCK&plPIE9SMpO9XT z(zaY5Lq^%|xVVc_8l3=siL_3N)Yx?K3lgfnP;}JSerhtWm#U=OwYDEMG&M25^9#08 zKsCx#zO#fbKeUzFc`K8fkiYjp{E!6F4wM+%rBNKuyR~I2m=(AHH}fu5{34WzV+U#> z81xFlV>GrE@%_UIcUw=AvZeu50NH-|!-*E*8#;8%Ls@twabFya^I9u4Ljw3)BY9Km zxmVQ`tuZmt_EA4BLL|f5emHv!w~%e-!MwzwnW8hC4CAL6cy73O!>w&GHnOY%O=Z_| zD2LUibX{jVS(sN%b3?J+H4c%fxWw>G3cE4HJRhcve6o{*9a6eSCVubLwxvMn7um>e zGANJbIX&8@x;p#Bq&lNtWe*Y>O-;TAc4Dab2v4eSehVr&b^KqD1#3`Ck&#s*l!ZK> zkY>uE$c>E#S1LEsa7%0c$L+t^^I_`i{Da!J-{Fy)Js5}*tRChF&xW}E3Uz!FuCDm( zi*WRoa+*ip#ea$KMxE*=L3}aWUe^`U^BR>lA1C28pPdfdxeKW9-$qroDI=)6?L9}h zpX3u3yj-4m2^zxC6>dAKA>*1?<=lrz6qlP0d7ZU6O9*j5#J_kWf)Iio=kZ@^<>^G4 zRDg&KLSAayEzaoUUNLghsax(n1)ty+5C;aLX5Ot;z4$yY^8wPRHiyLZ?;we6t(L zUe44W?i2Y!P(9GGMiCo3#yg%GLGAckU9Goju6a6Y;jih)VE&fEe_$jF`FT431L8kO ziv!E#o#BH>tFO^Kr^nhIY&#RgCIs1@%}`cK_B1GF1ksx3K;x(naP zFN9c6yk=fyX_3kX!t^rTw#srzcj`CCD+An1f6X8x;td?HXv==O{v>&;e%G}pfs6SD zwvSN{Fmab%OoF&zKzeCEJRaE`3o-e=^DWl|gr5VwzS4p!RC*X-PO7s4BJg2M>g69u z&~^y_GQ@w$lgqd; zeK{g;Xl-vJOIsK_ms+xTx(@PMbs@mA%R*Q!@i-@2pW#?K)4qT2PkTA#hj?*s5cS#~ z;J}|I!|8Lj)f_X5y{^69LB@&}mTX6WUL0BahsMx2^7hN(tDNDKp>-d-4s^)z9!;&6 zb!X#yYC_kn=J-~MGapfN{%nY}HAEt}d3e!oc#KWW?$x%Zwb0J_HXY=%=M#n9qlMwe z2;N|it*02=%*JUARa4n<}v*gXCR*J zfe297m&ILfRL(bzshO^Js$1w>>~8HNPR=2ZE6*wX$-o+FSZ{_PfQ@$GK+=To#e2+O zV20a=lky+Z%&f$e*su>wo1t9Ky24GtdUg)Le@)|9wmL!$5-nO0z=CRSwH6OD4cB(P zNNqIKlCS0K!+^+tOPG?Q&?F%YFTARw$;T9Vv0!r@Al_45qpQ4-VLE% zA(&1Tf`PfUCV;;~Yv!#zDztKu%rY*RF6UV0$i)0CF5ucXbe$^}kql=pjbm!!+ft}S zUCuR;qcoKZp_^rw$^hKZiUEC0EEpKm>435oWQNFdSYgkEv1jGAb6PFTJ~5dk!)2K~ z=eQkUm+%}l7|)(~nc9(iZH^YC;L?{2U{^8D9o}yZ&Ae@kRRa=K{gO(Su}OT@4Qg|A zpz>~o3aF3pS!L0}*j^2OM{hyoDAE zm7LyLGjX8oa!ym<^0**C7ewZA&q>w`SUDA9@89|k{u&y16cKXbqwoOp0;xi}qrRrG zePRgHTWF|l17SNtPlt^$B5N=;xjv1O(!t|}rJ|`YSn^6E1UbuvE;_*<#LcRqX1)72 z5(1)6kj2f!$=*%0MG8HYhdoS4<{;B6Qy|_cseGnU9(2z#Bp9>Oko+}BxfE6Mdjh!^ zt=DZP4&Tw(Husc6#z$riYqfm;0j+yH8NjJCJ<{w{{@~qv`Ome6<@D@mF);GL{sCQc z^)*#9E1N8Ffp{Y831n?a;%2>)XyI3x@doixhFiBkfe#DqEQSQ=t_l1p%1#JUkCJfH z-u{NgK``pr=wR`4U5*DSnZbAsE>nJ@s(~)aNk-Ss;KZD`Y3Wm};nSKSQC!<(C>#KJ z^%_fVq`A%#7${Dk_U8w|lRgNB*{gyd=F9DysJ4TKf$~9Uab^&5JI)5`Y9V;T#>(26 zzFK}e5374o?$16Iguj%__;W$zE1hrt9LNuGhBrg`Y{=Ezf9`m5QA@wJ9X>Y>#Q(?_ zi+*8u)2<<>yGcy9$1>X~l{?-f&DDTbKh!y14!OC48wU|YX~@-Kvw%Wu8Y#cr1!)E8 zw&cYztWB4`PH%(7S2Q!a7=(3-?gU7)&HaRR++}8jHFxVtDFr8=&Xq&)9`<(&8LbQo zdL#>_pGOW4N}E_50~IoIjeRBgSTackYKp58%UOb5W1Cj85hvZ8HgUCOt?ugj&da2~ zP<7}U#WPNn%+w7KE+p7}_7z#V<>R!0f9cYqzssI>-`I zV&%yU%;j&#qT^L0B>|Jbj+x{s$BzN#@b-NCr8J84mzJ}C2$@d&tn6Y&wQR;6Y2ivh zDy08x6D&yrzI3|b`ZUamp9Wce;jXUfiDSp;uHF)N@bP1G1!0KUN0RU>WDMOXMu*_p zmotEXmH7N=gCujV_mVISJIHq;8%nOwk%qhw_M=d;%~phPHDlzD!cv3g!MgLwxHt%s0}-Ro77LP-Yw%rnf9p;!?0d3lYb^UIBe97AN}!%*2*HVf|2G5QszAoF<3rW&poBk|JSg>N z#&HU~f|+sZX<~p2Dz**6Of-Ka%D--VgYOmXS<&yzeqBrdv*Tt#bqiKs|){=DJyG>j8Q3=9^>;Q66eQ z^)qVsq2e3Jz1>CAj`QIULH zoH$>XU!tE{H@zjnbO3}SKqQmZ==g!ubG&p{m|X@z(7QZO{hjKhS@4zu8whEOMtqWx_Le*MoWN%ZeW~YkB$y+{Rqt#tF1jl z+h(&C9Z3gLCm{^%0J)c4=L~JCs_``@;K}?0I@E+i`J-vnpd3}1O7<=0>Kt%uj8(iR zjIAygPoxn^)7;1l8T1evmZ7cm&QU+q#?JM1j?+|4<7wIDC^k`%$B6yq%X5{LDeM&& zg@`Y|TGn}Mr?s#XBE>slmm{DYaIV^}hMQIVfTq5g{YRR%%GYQx%mFCLh95<4LpHKtz=|Dnaj{@kB_qJAXiHIT(tgPNT9t2zQ)>!?OCFS=(0doxSy=R#w9 zX199Tr8+|p@F*FCq3$cFCH{9Edp#UAc5cVRS~)$eUTwn-n;?tAe@IETd63_K7oQc> zPda`jQRXgXFT?!9FnSLAX1GD?;`f;O#F#4Qf&IbPCb3KgtfK3hr?akTablKB4ua_~3Y{(0!SI)MS~&n7`)?2D~K%>n$zaCgy|ScEgoDYy|Q`W_S8BA8ul zhH85tfC&SRSMn&yS2bfmMa6+gz4sG3$h99y)9u;Rf|EGjc@@IY3m|%^EZ4C|_19l* z|B2(f#&$`B=evW%I$hhkZb!>8<%$G3XqHS=5|V5JazB;cA4!F{F}+wLw}SQk%Jr7l zG&QL84J0Q>4tqoLpl z^8I_24O;KiiLH=T+f5=&PlrHhk^Bvxqs7PB9&OKqowGT;;Kn0pIgXVFOA?uGTZe=S zYH(h{6NM1q3857l>s>o&)jWq4D_?CkrR=^Pb1dMNs&2%~ zGm25mi)FV3m$L+_&kpI8@lokJ5CnQ86CH`FN@o`r^=r>J9Rc>Psdl7x%ah#8*c&4M zU~po$9M#goz2OOwo|aVEMV94Op=*QD8Oy!m>05?XqR+?ZculC~H*F24T-P#+X}0#% z4T(MSn3hd-3z^J#eyGy=87YL7*ptu!p5hoLHLC;TY!##-nA5dihRV@Qmg!(BR9{X* z>XFM2l2ltY;-mt`Oxa<`J291)QV@#E8Jq4NMO5Q4L8h#wXxXVIse2kGPX6LdUWO$DqE${{Pi zgojymY~t2VZ&5nbt6#*$*7U4j0^NZ`F`NmG4++8%qy>gxX*D?HZVj#mOyq#taM}*Ab9C`5w{NDJA*trG{jO`MQq4r_&U(g&+0kY^GQdxEv|2_A%5!! z5-C4hMghaS9sC~Jrv}et4t28pJIJV z+{pmTUpHO^1r(~GIu1*QdOe$@Q|EK}_;+=>XPlbnzDJxJXaYD*u2~ih0*FT|(?YxI zY`X*T88TR%fElmFA1=Age9KHtT*ZGO8e$xa9~U0Q9?9X2>Aob1tsz2#6qdNadxJl? z9FMk5M*uc6ud;=qwg<5@{)ZHK8;L4fAys?X;uSC#p%;{cQh_(}&OF~~n3X?{6Y~xD zsb$e46_{KGMfz5-PZ<7O8L6y{TW z-e9&d!+c?Qq}ia((b(QOyCOc4jW4Hss=j@NtX_Kp67Gl3vXk^o)Piq0B_vq3$-_*G z^rcbAwiDr*6^y-TMZ8 zsN>808=lt>z2-_nY2mUn)vr14M{L|>%7F>%zabHm{iXf?;@P>&T;hjt82^dUsQMQ~ z0-zjzjdq_c{B=lNdwby~y<7PaBE765M)204>FcIK0ezjHRsE`5a$EV_ok>czX|Y_ivjKFdftXbs~U&+`T1ZBOrWw zPYMMPcMlG?_s{zMswODrpXcAvpBno682_V=aVZRg$_`@1XT{QLR)pXopQ zz};Q_hk*O>`W@S8P4Jf=kn$f_1c~7Pd&Be|yZ79%BQ(u)fH(gijO+g+#`UQSxBdg; z+84S=T|>)VblK65G~(CqLE8D{TYxXS1Nbr*iu*r9`u_~+e;bMaUxxI5g)V;fD;Cxj z7YdKjUi9eAMf3e^5q?l&uMr2xRxh5=#=xg{0gPb@U@{>Cd>7t`^*9!XhWo+4VC$I- zElerI5gO!_EN!M$^^58L{y>^GgoeYN| z){JzrfIIOaVAthBwL`sg$-_7ehvM(JP?C>A93P@cxVBz7>tA!l3l2zqeyhl zHf&!EDkjbaG`(Ui@@)4u*FTm2fO`eUyH`-r7Kik`c(|N6L`58@b=TJV^py9ypcO{C zAB4(?yYM(t48Ky*yG08gfI0|#P-xbYt5~F+-e#tMRUyu>#iBMIuVp~n#oPy{3kzH4 zVU97=3AjNpHNWWHviU;$SMD!_5FAg#069fZ<-l9-Z?E?LhBw(RA)2k0b0S@Y;~bC@ zy~4#2E*%0Yp&;&T4OGjHZIFb+haooMydntZO1uWDabtn4+$V_bFFQhz&OhZ9+|WSy z_kQ6O*p8NBLEZ&VZ?Wy&04l0q3!?hFS|exR(e9@@$8m9;pW$NLd}Q5-pO-VS6?=<@ z=XT<|=vq=}3+e}gD!DwOFBGgqQ26ya(}-Wp?<=n!lYwZgHVB~Q8Te;_MDDx1xbx-K z+Wq^kZdOwuAdRz;QfwugclLyJ$Kn$G+^WW^ruNG?qT|EEoYv^`LcjPYD$HhOrpo3E zeYHMsQ`fsfB3H_BchO;IPjjIH{3VSfHX!b{>xD${TFI{{oY?|#RduZ@u$#4N0<8Sq zi*EWr_zCX0>OK^~l*-o6_Xn zL9nAjGPu3m19*b4(KnH7q={J{B4V@-#s};BJBA|XN@fVR#M~c0$Uje&ra)?zmStt3 zlJD^}`5sc_G&(P`nG^~z1*g9`ShJNY&63fn%AFtK{LX#HEI8zH#_f1g()lxECVG7H z!aiZ%G0WcEP8I}-pqCVPU&C{7F{j5x;s6jPVw%h&dfxC?1PS;FVJhM6bJgO4+t?oB z_&O+au3*G=78~R$EjZLR0=ZYX zpNM}(ix=Q9+qcLwxkK-JD6QH&qHT;?Y`?7oFi`DYO?!#`9_O1hH?iJac+*Y|Y_ygR z!ef;>hDJKS!e(J%_t!KAaJAV)UzSMNf*eG`FMLN{l!oBt++U720}g*dvrB4#h&GZg z7yc}H2J)n@ka+Sc%~b|cE`_ReI5pLOBbbCjpe!DarUAJ*tX}a(rUE{n$l^iH13G@93*?QKlyL~3H1o~WiP{}(uJgXLM zZjlCB>$s!B)b;_b9$VkO*4Jx(Y1>G__}d<5{k9OS5bwQw!QCq3j&!OK=Ru_uw*XsP ze}c~PjrkV#a>D6XaJ&Bz?Hvo26!sl)_Ir3<-=z!w`J&YJqDI`H!>75*wt`;!NQ85F z-tEqNeP-o*&X3?pyWO(Md#C<=%c4MOsQ-iJ^|CQ%Z~%@gxqxSPr4?O(bk>-ah{X8b z#L@LX;gdO&A+TaT?S2%{so&rw9p(7v+#G~W1sI*%CN`7)F$a=D8 z8MmV~pM73X-!sjn#DhikJwYs)2dMwpQUO7Rqojn#R&g=4EeOc>xqrZG4-JFfUG;pi zgvjPeQv!)xG7WlE)p>goKpOE@sGmoPG1-p>Yy3|pL zt7fW47VqZ2(UuJ0GNfguZ-U%oyd7$#yCbJGkP+12_N~ZbNDDlDNO-4Z16O-!o;<|d zZhs7ilN11nmw05TXr|5XTILhV;e!k(ZBN%=Qlo4MKJBqV#$smKaLnL4xTwpnXhbGe z_^Ra=HJCmpx8fxHrA4O}3!ZZ{QGr zNH9^jOv>6XK*H2q>5gR5+Aa1-VYiSey-hmO7efe}zCof&hVNV>6qNl+;=3c{c&y5W z_Hfx$cBa7C*YHtbevt_v&2{rQ>D1V>7qQH%)LHM2qXId#YW)(8;u>K4il@;JsX;s+JdCbk3{?htpbjSE! z;%*azy+1B6?Uq1gZ8hqSq|v2Wh%B6&g=n<>ID|1DaR1SZ+Hh?3}6gGaIR; zdqTPer46I8+$_RMvxw_LHt2hJt=|!SbEfB>+h5iF}k>br92-gs}R zET}P{zi6{*0>}`&RQX9yIBY2a9v`x}wUo19A%6y7ImnfQ7g1MJ!2^hT@OWh`gU4I@ zy0>$p`wD(Qz95ca+`lNRwe*UOM|;8MAaf+%XX}UQ zH1K-JxA1)`F02{`KQql`xCt^2u`qvZhrLo^Zt1n*fT2H$Mbd(&ae`3Ht)ctP<%ZS} z@2&2FqT9_8Et`8vyQ3KkyFIXK3YP09GO{oPTYR96s3_W=>0?ZYn~qK3czJ1=XE2b+ z%Z{h|xmU=N`I2|09IC#qdK{l(a}u@+Vtxy@+RS~Zcr#;b5X?8(xc+zPV#h@G#UK## z>Ijmvoup^9IhGsZ+$7sDOqznlUMgG6haeq1xArI{{mDEWuY?D)-vrD&n4yAo>Z zqiBs_R0>TnsTJ8-&L9luIDnAijY>Pkv!NygN1x-|g1inow(Q74s)ziT)e#_PrWGGL zg(nv^xrf^mqz>!E(3wPOdJjVoZ=imp_=R1nxB5!ljw zM6lqaf(0!9{%tse>ksmVT=OBd13xct)_CQ!AU1@_ya-hf&f_?;tXw%Cn0cJ}m>;8~ zA2XeV$DJ?}thXN{-@)l~p?TpBxeGK}Nn}RnIKp~EJfW`9sK#nt)qS4YO_u^m@P!n@=B~jc%(N(w zu(sDR0R@;K7^6eYKl;8Vk}%uxG0HNd?$5EgH9jo@AW`@iY;b&vxZklvMo0s>2-3>A ztZizKJi_d`xeAJdw&2zBtIF6wYGGql{{3k012^AsvoK}p;XTydz=hIP?t#!+7Akrg z4Mr^%J#V|OluRa^qp?qZ4c^hb5~tHJGGphgdJxldxjs)~T|{|JnV z@G8xgU+X!_?E@l&1O5*rZW504WGRyXzb0%T<2^ZCEwjJZ=09V7T~3P`~&t-s`W1f?Z0Zth+$~ zl<}lj;LJ}ieyr@_fh%F;&7iA^=|KU9PBJy#&ds*VANaoCIk;+MYnit%Ijoq%*FkjL z4yiOIbDVV4xr>;bQdz7VuSi;Oz1P#nlw*N%q)=$S-?J4@Z|GyOXG_DRZ=fJ6-lZ?F zqRu10yYKz!+=C>ugYEjIi{gEkjlieVQ8%H7x}=%Xt+WoOA6aV&ZDBY2v#iQu)LPai=U|HXkH0N{G%o zNr>U5lD~v!49mg*GXYpGicK)lcYKX!(z({rSTD@OOl~%6mF=(Kc^^Cvh}8{uL~$+K zGukn$AFSgx^%Khidlzz-@42}NINCa{R%GLeuiH*wX}@~&rc+8xS5d*uKITWQiBgJZ zmGZ2Y z=(wD(;uX&O`A33muL37lC>s;vovGfeIoFkG&%xn~w^^n-;1{**B#!rdAzMqo4N#vX zR(CU3EjeLYFW)~MA%vemA$rC!)<&3HV7H#p2UN=-QozLxIgaRL`{N6cwKs^ zWv?>{kQ#53Y@c3jA*{Nv{c?S)5ay1d5$<#V47%gp2FE4Y{8PsY7oZ$Iv(8N)WWX=c zovpLiA9>DETu}Tw%CgB zyJh`*MhQi~CUe=7P7<6d)L=&PII%Fa>@ZBE-Sj;{Jr_q*(neMM_?WY#IS0(sU@;0Z zg3@67C>mMz6bTmO{9HjM!Ol5QqjZTJH`fEn203y&in^5?usFqTNS-y{2ZzqF&F%x; zY}dKJu!+0qJ&>6~>V@N2hJIopFHm#Iy|5;D5s$YY#FCI@TZHTnlDsj|i2DbPHm4UbJOM{bN4en_92_Sv>!J!8+h6}kK?%T+!UuO_RJL&4Khr<{@EpXtzNNRm@iXY5w}Nrt5~ML6 zN1D(n$FVl%;o||ifuA1lqaSMQ(S(kk(nG?hKitzdvgy;Fe#RBX6WW+fQ%=yhT@RlK zOelP7SQD4#z%^SIb8)ocS!4FS5w<2Uj zIQE2=ew9RovT^l944B?|N}SMi`Bd1H73$03(>HlvmMV93zHF#Ic=_dsIWMWNL^f5H ztdi$_+ObMmc;novs3iw+o^jbzNm{inocExV$Ypt^H3=v3qSs{vtA&&v7u$ zbs42=o$pQAxYqU2obzi_9#}L)mpbqr{kl|q-;g)dl9-J{(!Thmo=v~D=NWd;^}^5C z@RyJFc{Akcm!jXyxV3N8{h8dy(I=CC`Fzw;;kPN>!GrJoG9*{}3k}T84q%3kboZ54 zjLZp4d`Ta}q}|dhdQZ%`p`m5d&w2LjT2_*4sClVmm{N9&%X?x)44)I-@lJNWC2bC` z#&sP;A?7^?`GC>dj=sYa58vVo|Gf3%h{7578P69EyfA%Za`MLmJpr0eH;uyS*Iybn zA}jMo$Vm6?w`gp(cJnAaggcd8lAf{jxIXt{<7j?c^|H|%A9EF13lcAcj4DdI9Xh%s z-zk*k;X~PFgUXu)<QC^c)vMpQp+`GXyC$|%`a)Zw@GlpJy)-suqxywx*I1u^f5Ls%^AAp&o7qM|L)J{$aOWMWfBW+$#HUJ0l5cbQTxrJEs%NE{J6nE|Dm&X(=35@^7_+Tv*N&eG zO^-ZmVYoLca{`Ll@b%kfJt3Xfr6p$fRLnkb^Hz39T$g6Z6EC&feBA- z%qL4rqx2)4Q!Y*Z`MR)q^gS1TK5zQv>h4YVY}I#Pirj%yf|lI*_2;OiI55@NN(}Rj z%fifiCI{iT69!G7!ne&{obc+D0cW@S{( ztKMbuf?w3t>Y7wjyLmzGL+!DTJotzbe_+pBIg=LkOucv3=G*;JY-?_s?px&SJZ-V( zzPuu?HLvG*h{JMXRG%~ey^jR!+%lPp{czdH>|?|H#Q{>jBo%1o5)F zS-CIP1&BMQS-v{}LIy`ah2-7;ra}F$*^^WuqfqGEn>mTB?gzHEtk#cds`Zo0j&5l7 z`H41jA-nDagT758Z2M29O*ntQzc&vjy&J*CYXg%0HrWA7(AKS}ScCNI*KehWXb3@D zsg4Ux*P=-HhHiyFNw|itr&_{bDs_0~4d^EKRU&KHPy zqK{?$%g~z7pMtIa%ia9f78@y~{+qKGBNq_<1u(%G{+ssy^EaITAGFu9zW*yj^Zy3X zEkdn*dJhRxUmq!N1A4nJ%9r|rc%e@7SPkyWgokJAai66JG3i@q*5f4w0eRbvz}B0$ zbVJP2gOGaYs{u$3>_GZz=t!(Xl;|j*s-jt`XO0@*!rU)8k=Fxz|GTHyD9c80XV1WC`x8T^2)0 zjV53dZq#INfOF-MzEr0_zbS?;l>`mHnIvUzFv7|5{f*%Ezpu1f9)HXKT>nKbTr$)* z=k8PeuAjKBujR&T@Kkre+y7^B;p14CTPTG04v;Ab+$qhC!K5E>2WL}lFFS2GFw>gg zh2RwmuSj?q;bmd8F$vlJo&Xfd+0Yvv?<*YmPrmMd(l#e#|MRySgT>?h;{K*={m+l# z5S#miuYn&+ZUjpK#xsMD4?g}!pFhAA5;Vpe!9U(OIr#X=lO!^{4}2B;M;~m7{4w}O zupa9X)#&@23CA-T7dnGgbcQD3AkB{_X)*dkszx_RkS6IzCTBEI>@GoS@=#P};@~v{ zm2vYBNAz*YP%y@=My46bh*5|RVAR|UxOE=e8C@i7gUVoYYQRC^+zfCuWP)jsrVN6_v^jDH9Aq^d7l5cGfA`gWoUR^uN&L{!=T%FSpd2 zaQ5e+X8^ROMTkHS01@f@8D+r`38K2jUh>>xKY6Ysp@Fi5W<*nMaP>+?i1gH-q9Yt8*t6j#;hN}w%M66w| z0)<+Xf{)7O`rhod^SJsUNXD-Rjv{}?I_C+bHiJsu2oO5%RdiE7<|JTPDUWqC&W~J= zVD*^VDgOh)&p$KYqGT8<1D*Xe1FbeYNa|+V(>%;jVIXo81BAl@RcadRMB4^bw1*pu z9E=@c#A%)(^6Pgq@17yF9S!8t+&WxpN@I=K!*^oDs-VqXnHOVFa356GyK?TNg`HnMiq4@7-}B(lxzbTB>O6TTT8& z%fD0XMt>IkKNc?D3v{~sZJh8guG%(-7BcW8L2^5kJ~)XElgIhFBLs72ANL;F3K_83 zKH5sH+_z~LkzKv0&X--Vxa;6Sc=G9v6&kx$2*SUcXULg;HrfWqE9h@&YrS7AEM{$& zKULoLND<4q^%HwZX7{*$>eK4!tub)u{7LmRw;Fja$~6$Rey_T?S)7vFAA^?U{Psay z3~~rZ%{;S%TLy_%lnT%4e%El+vX>0!%vps;8Pi1Wk6o5X))FL zOCi|FT3TEmFGOYS)s}De^>=R;5^NQi8)09CoZQEfyM0UNaa3iXf#tL96D1pRs&`7m zP}Xd;^H@(O3ST?(jy^XSLkAtMRXuX#bpvhayxg(IRjgHW>)&;}t6{fkL2|GX*fX`K zUuArF84#^HPEinLXcZ!WU74>BgrCpCaI2rqOi{A5$gYgg+J5SrI04zqJIsfKiuTpC zfZaD{W0^*%>4s?tX+0 zV^8bK-gQ-BSCYmt8*A(i+dZJ-AuTC?%+krC6zQ$36<8X8lASA1a_3>XQ;K>BO6(U4 zBVF%cNlm;o3Bb<}1q1EkkpR~K;`%N?V^4NOVB2a0B?RToe1q1x!Zr>*9Y~Ys9zxvd zv>_$a7o;L7syGqiSIBV=b-e27kv?{Pp+`>oN!GVmdQ}-r1=HN8(caw}d-~=vC2w&l zQU#wMR9|lI;bNuNklg_Z@<;o`|HRdoa@iHn1)z!ipW2Qeq-HL~@es1RuV%BiwOp!w zD8|-sTPm2xF<}Ujk04!b(`-7$I5QcIu zC2#S=EFHj|6b8U~TpG-swyDVVrncv4{Ef|ol+9Y|W51$M%5Smgr8kAIl_&}UK>1}5 z?LEOE=UQ`l0)LPJ`EgToF9UFHv%ci9tqG=cK{!|1t*Yu=>vb*#r8FNcy%&{i_I!^= zaxX!isDLYM$U)*CEC|QvNe6Plr!Hq)li zKne-8&_W6Yi?)zLE5#n@fkQ#iA_W0Cl#_x87OaAT%2rTBR8%~GC@3CKQLCb&vX!l< zpy>AmWN-Jo_xD}z@89qG<)WmW<2tWrJ?pve8x?OP*fo1@A=>a5ijL4_^(x;T9g)8R zHP?K>TAf#^b$vaN?RaE)Jcz_b?jnTyaB3l*Lk*JNc4QHLT_5i8^ddvcO#Ek^>uFRc|<$#{Q@311f)V9&=S6AVB@<}1D6 zU|#3A%SmMVnd32a*)MdU9;57xbH2|8oVcx0nW?AGk$cN zz58hv<>txA{x@EEMB7wTou+(`YNvRZ$n|88{~p&DW%na5{GOhFFHl@};hwvItv5CN z0A{~JUiJXW;U8K5P(dwneaa3j?TcMu@;-aLV!}`}?*6p=1?HED&&9K&*|{raa1*nc z@|T#eKv_aUcpADt4_T(^rMmVZ!Ea1Q1&qo5QWxk|IB#Z%T&m(KxaCWdTgl_9fykL} zd43>3z8~z1n@IQ@2A8e6YJ0 zTGmM>`s#hT+$_Rw49qnMA8}<2{{Vf6Eh+y1Xps56flcV*1!@zYu5LzxliJLD#?xQ( zv)MM7&LZ*DA|5;#tWS9uW(w*Pz7xtAzn-rKc~IpMXd=sWVJ7v$Y*uPP|IUWvXEsb zz5jHVE3}Uddol^$SBShXGIz3Qm1n>A*U-GVHzdZGaUEya-^c>#7!F4sb59Yuzmc*R zf{CyiHo@#z*Z^4CFQjSk=L~m0nyqrb&y*jl{urxdlJhmAcbl?FYg)+)1H!%gl;(hz zQ1DmB1}HG9ow^Tl|1LXF4Qg2k;z1MTwHTb__yx~7G7N;;XIzPU;ie_3D(k)7G9@AK z4J|G3mJ5Af-N}Btzb@DpsLlJ+cR-Y*i$;p6HIdF-UqtP8(Bv@6vLDe4_3j@`j+eT+ zg|qxf-IOS^z<}|Vk;q#aU5*Mpm7>{NyOI=16YrU=UeZd}oo{B|H-cYXn(+2g@sLQy zM~<@1az65gPc;QKLQ%~fz4q?qXOSb2?m6r)6?KjiQaPWau7Wl1tigya!#mL=Pw}~t zWFZ+WjgkjoHDHyBJCB45aqwPxY~Ud8cR4USjIH#JQOY#6XXr@eYt{|4zVe5N^>%&% z5B`8nx8ExYVPBM0%d>QCj@^t@E$ zMsgfxH2R{x2x18BW-bf4T#&^2e$&Πl*W3U687DSMDZXg56tyo#W zN^LL)%xnuMXw`q1-7Yq`hC8OmoBb{Rmt7TX>HaU;fF>vjWm~>sT&Jv_i86{FvAoUX zHQMU6fCeUM9wivPD=r>5(t?B$mJ*Eqq>?aM%y!hxXyafp7rC+-= zU}8~m&U5;%MMApsc7ux&(l6Z2kK6eW#*ip?J9l9*pM$Enb+EfI%a3FSMtYAU=o1f; zV7t`5xebhVdOd>L$l!i+ltVv=_ndN z>6Ut<$mmb>xJo1n3>OhAHk0%2RL3dS+jGSA9w`nMvZ;|&5Rg|u9)7;2YxA+E@Ms8P z?V3khiwv@nNKa+fut~RQpW}?W8Arv^lPt=PT(NCDy+VXgXwr3?u&19-=J?wbU&4#Zb!VYXiVJ3TZ0$Tu;Pow z!Myjeb9K5ng9r!QYZJs00>Ll)tyXm`3Vv?2%8RkIHD)x-c1qhITkdt-M!tMRo zs(V^bofjV=u941~B;bvMP`&CBBPQ=!$04vb!~oC(1^WA>K7uX4WQh#6VJt7UMmah~&LM4^lVBdG8afrx$x~q^%I? zF~NHyw)zY6o~L>Pgdi&KO{8~ue}AGp8%Lag+@vNu@fD)R3~flHfyjX3q-zGYy~HNoT2pB;*Vp7 zKrg8ed`;;kMOh(0bi5gOaonc{t7VjwZO;(o6b*h~5abWFQZmpGfZwYuI-2buV^ffR)w>CI&`or~gwC%8rNY`M^%^^{g1nbiu@EJJ}$y)X)R&4Nv$eRDi}vvu&M z`G_9p%u2-L(6p*9EgdDBrKj4zEj|gP7~JGOL~PnncFW;yOP?#cpb7eMamSAGe~=r> zehki$Uczo6BoCu_uNV8@!XG#u!U2*FbVMhiQ#=JmjCY4(1Sa)^2MD*@R5}k?3)uwR zi6X$TDsJG^6>-uO%MLINv{Gf+7WIxK1GuVQuYcQ}$rgT3dZe&5CGt07m6lqq;o0Ch zL2e};?~W`}k7(ORh{J}+OVODGD6XjPOd$-~T`2lH4DFw3qnBAhUZ#ou%A1v&b*jyS zGV5vQZFC0}oMHX3Y=CC~?GxX~zE~`M6l%2QuhxA+UA^H6f}n@#=lHYTZahN@?9w13&1_jCo% ziZw}rC*z~`ykBsn!$+Yl0GQuZYNz1d`Q02})uVVxEin9Cqru5?R3|kfPwMy>BZEPs39+3g|=~nl8e}5?Xyr_{jT$O79(1f*=&Ea<09AwfAq3! z>%%_cJZ1<)Bz7<;^|bef#<*S^owv7DT_Rfc<*?1=?^>J1VcE?NB$f&AfAti8nc~6i zV|k1GE^1#Sy~lpwoS=8rC=Tpi$OO`n@&T$XV#j)uFfJ-X-tz%HR^}q`r|EI21F3o( z(Lus)QFehlA^IRXRXiiO&z-{r&&mN~Qy$=Klo>cWARI>E_6d%`_Gq{BOIA*{1+T+) z=6s)-Tf`p+%A2)^OsuQqz7+CP5Ip?$+C;v;JPHMk0?bttK2^O46bK}E z*)xUx%=<~XtiFrvckAi(VyDslhu-NGNg7xNB&k$J?7Yge2>iXfzoQR(%b^ZxW9!c~ zj_lwCI){hhuo<|wZ`*%~sn??gmgULfFNxlf&>cTvE$u0EJ+THqmq9n^6)N}@Yn7jY zFZwAQQCWTPo51BbQWyLNEX`c7ZGztg8GeSPM(@r9*Ith4sdTb!`53E05AH%nf} z&Fpl%Jn{r2VfW%NVk7O7Q1Q7z9+UivRtnL*>767h&85wGg4V6j$}TKT6uT0~ncTk+Y|0{4EHuE)W1a!aEMqw&?zmsQ##! zLkr)xi@ML_OuL5CKPcO<{4gb2har`}FR-VtU;)QSi;xuXAn$I$j?~3IBtAv^KSfz3 zKI9zgQnqX6>mvqNk;3JRc_v{a%Fdg?m&RjK1Q$dCLhATFcyR&R^am;`LVhkXf;2?m z@LW{)nJuL>ab8?0<{OAvc@w#RnppZFw%STx0ceglqqGADX2S5uKBJz}wYS)3Wx#r* znkV_nrV{&BqkGE8zylgxe`VW0x$wADG6UFbwD%n(5 zD$LYBYr0Bc1$0rPt|sEniPk1a>aUuKS=d!knu~mI`q_zvcx4D}>4!^-5%5Z>abO?E z`}(RxtF8`%WK-xd@`UqSpa;@UWHr{j@h1@_c?XT(h)J7uO|_AKSp}kG&SAGDD0v$0 zn>0QJR8*LFeNPK-^NQ?d_g5u{f9VPE9#mC54=7l6J9i|PQ$jL#OTwWGd@%9|!J9(J zYZ1zO-a}7Y-nTNp)9w<6nQ5f%rzGT2mZHSK!+e|4vjZ`fc?sfaT740lju3H0z#S*z-E5ZkX`vf0 zW<|@*toM}oG{65cUhMdURm9(8M)f!d1Qk!}O`{V`-8}W6Jrzus*gASt@LROW^QL`L zf?VO2IB^hRchFOqLK>WaZzp)}W`7aBFI?sRBY}A?q0j>lDp3X?c8laj4VIk=;)n$0 zQ5>BBjrs``Oo2xIYkaVjH(Oo>^BlinwdDUQX=fIBJ|fwNJXb6%=4Bv!0`BLYGAWm> zhv_Ky`~@fQ+k}!y>z)JWFSl)3pUY0{Tm)~*2RnkC8$zHCsN_}w5RSv(?M?ARq@CQd*=lEtbStObh>55XOxM%n6&hB`H(JH zhKG|hz7V9Wf@^|_LcefTfq#;4iF7!pNY2+1+(o0o)!d;f)hKdjWG*;lmu?d>`KPI) z?st+GFGQw;iNeU!#+qWZcmnEl99oY`EiYt=nSGQywCxU7Skdjuk9{ivodg}->m*sy z39BW~sk3MeFfX^q(`IEVYVWnDTpdo7@t_)wnA_rm8SKJ6A+ovY-f~$=IXs>9$}6-r zJ|O00$6Oo|8pe*=IiW1y?w8mcc?qIRH|`Q2OeP)70hTSC4o;R7Sk4tpM2FtwF6-GH zdndD1FFk}dPGfH?It?d_wxG6&fwRfKUqb37^!rYv?2HxC3l>3N{OpO*p2yXD(v)&- z)EW6O(gHrVi5JZ32ohZxJni0N%bTK6e$Ybne2Ko^>HXAy8&jZ19rVlMCwgV87QYNW zz{4PrqTbybzXb5NKI{>`z4%VyF@_@OB)wFGXw*$E3t*lE2$YtJMRz<{FVIS3J~_+B z*OTkmym9qSoK!tD>U0(*{FbU7~jCAm0VeO*`e9>UME=hf>q_#ctM z%36%K!nj(4g89Cc3XNgs#sZru_@wj_+u^D3zUY5?=~$#V@eL=EVRacNdywb1@($^@ zj_DIDg~3ulYkz} zeDQ?&1#@uf}A+ zwl@*;Nus+~a#J}wB(E3Qoy#6(oh1;xayxm#e{WkreM{qhq6ma&?D=Nr1Uus+ z>>bK%4gLrWg#EV*AM*pmT^6MhomkW4Brk*AQ;wQ*kg{L1=QqB2*+7l1;;dUAALCCA z|2R-QO)Po6m4rBEpq?2Pid5o4H9|z72(y`Xa@O1viMg5EUW5}YEH zvVS8RJG;)m?Mx(lQ&?}oDb05neBgP$9S|bbo61fO9y3@i4`FaCCWN`GZPJoK!)%j=iN6Xrv3$a9)~Nul1HYZ%*V+<(#Oqc7!j*L5DvD z;3oFOnf=tQK%KaG9y2tMXLVhEo*(GGE5WxquL#Y2MyRZ=hYDPe*n6Xkk?q8CAzb6e zVC!CwLUE;~m~C};THKG5Lr(@iLHUoGrs-MS3{7=zKo~3ol}Ny> zT0u{G--U_op8EHHC=w__Y&jom` zGnilkRPgE~Eb}M$ib%5pW@B^chW6uZL;g%_!2;MKAC32;fMra=2?H!*RAXHGMr*3L z$l%fiL-r1nx+*RhXn!2$kv#SuC!0Xtk=Nc9UTIKdBtHjI6Zk;EClpwCuil8V+`2`0 zkca?wLV8MJIA7HT+E$i7%;E?$dyo_uAdu%p&lGWQ^4U1P4{t7b$N<%Rzrb49$4PN? z6)cz=i6y!i+RhHFOiMiRo$zz8ulQ~ag3dM}Dy)s#RMM=Rl~r%?5s;G{i( zxH)?Gej4S??7=5B!JJWMpO2YD-|8Gq@VB7KisUWtLc4}74^)Sx<*ZV$LkGs8WqQ1*@9hk^+h_Bm z#Fhl>t=0q=f}!5~-p)CU{Z`AS#jZEmeCDW`H9WHw70gD=lX`T#c$l~%0hSs;@EoaF zAJiXPNV>>d(zighm6nT@{!&W!F4(t4G^gLYjE;^Kq zmY@5u>(2fA3bs(>*5DEBVg@AGe;z2Pd%ukusC1JtL7Acn?#8L6xg$|S>4yoyuY*3E zj_aJa7)%-i`>XQ;)6qo@fR1Aw0HoindMfRZ5VBEu%EDTx!wXhENk@}<# zpHhvuYp{@4P<}J_d=hU1IfMcaC9_n_HK?_iTmHrOJ69q;~Zfcg_wU&<;Us_se` z4~7IAuwyp;BG;qc1~9$k2QA7PEUmSF-$&^U4sJe0-GHUDLaLmKLw;UWMV$9XYTjnt zl^n5p)7X#1G0u&Tblk^J3uGd9Ns3yCFBZx!O5TT^ucr$2fqJYQK%NFziGU%SVi`@k zhH|@%%q~TKKrgky(*NA76=N-T0)ei3p21XNAZbwx4j$rB!`stEQ_90+FciB24_gN)=%YGD2vY^2_WiVq=xdM-x=$Ig_DMQ2ic z6C&x-*x<1I0}-d`vcvhf-ta}%_v z*|DY9MaS37^mzOeJ|3=*HL3!b9=nbsYoJVM((*qu-ATv> z?`X>yB45%;qo`A`pDa{CKx9YLP1tUotfZl)2I_A4IFc8m=uP-0;$U*p<$&+dR*2aU z1p|4Z=aSH;@^-{suaBhQZNf>iEFw5N4bqyKQ}E|Sunxmy33%_kZ>x5VTnKnsNLFlV ziC3W|@{L+&s$jj)8S-^E&0vL!ZlQpeBiX!cy}oDwQg#PUO~w!T>xCWeHJrCm@GZTw z{&uTxy`EjSVyjD4h9GbMGsR6C*&OE@P8?GxRMTStA!aRO6Qp;6?51&r@?D(NstikH zci9tM>a67GVzIwoJ*|m$K-b6y2@ZRvUJg?VD9F6dx~C-ue$N)~AnqE`IWWEaoiOab z%T71v-esCK6om&O`=H>qC8%^53iD{;I;4z@m*3R4Z}3&Aneoc<5#xiH^X0pKaaxB~ z_Q#Yb{4|=#;~E)-ha%+gCpFwN zuzrU%Bjye!KpN|`(R|h-zm4)%xi`9~cUdK`9Yx0vxQxptNClrjhc8_e$VvZY|E6wX|^0MTw|kGt&*e^^+sY#k~ojdhR`%e#8_ z{NCzm@Phc1kMW^SYpx>brAsi-!X)flMBeWT0MgQXf=JSLWj(-#4MRID2xcLrw+oko z2}na&Y5W{b`?IV)kfR~P+MmPrVgXls+{D(t%W6~G5v*ygLc6J7A{i`RPvc4Ud^<$* zDC24D6doY`BF0lw+9mO@&ECnYFX^Dx9&k_W&E(L&?c#xirqTBO2JaoFK}J3kujU@j zG0mXKyWYDkJ6$-<6qf^JRo<=abm@0#a`AJd$dK)-$UJshDxxDL>6*?VLf_g^Ua9^#`!unp~Rsvf>PD_#1W0|T~KSZ6dT~pM8CPGN28@XT8 zi*F@|*CS4s74D73??Rp5)QpC(!*($|8kMHwFGiyUTM%;DSB1pe#1rSdX^Q)PB~=?e zf7z*=)3y(Q0$ZgEzG1Z%tE4Gv6ssAf6tyFmQ+)dNfnYftMD5Mc6&iJ2MQ!KZKPPdU z^@2sdjpm@rQ$X^2{XFYC>Y}*t+8NQtN2TB zi$?AOo@uZTHTmbVJ{^PJ{o8#(@=;C+0D;8s(y^5kfx z8Ch?fm75eDf~QgC)>^4AzaqLoaLkIJnGE&{r(_76{5wMFo(bY%r?WDlusggsDNMtl z>AI&hj3PgoPA7oGl+Yo6h6&y<3T4vZ|0fF$i?%(k!fOxUTqSyZg%7j4m zD&1lx!h&H~XV9#|KCUb(>U;|2GTcXWq zV?q5Y$(-D4eNlH6wtoNG^25#hZ;CSQPjiXYX=6<$xn=9E(J@oeU!&R|&Eq{CZ-ibz!O|}iN zWm0g&x%SnmkDaOuZ$B~3oNe=I)w_?)I&iwdoTJT6Wn!;2`)zr)fvJP2gO!hb`NQP} z&wl*f&%fgK)FD6sTR^?gGh;-WY5A3hgEnN?HvIpS8}zI0p8-{4_!Ct_fckYzb7Nyo z%T`WUjavsgOI>eXfD z;t^~n8Ihdn@n+|!C1zyI&dgCbdNLbIRy^L^+|00yjPRfwU(HHD!xgMV#!QbtC#Q4- z(q$?W%}DR}Ced%9#{4*acBU5(SFISH=F9b|RaU^H_`+7K_hn@U&Y@(lN6Gaoc&3_# zle0YjY{lfU;5+2GSeK)Mdfh5-HXQb5d9&aT6Kb?Rt@Gs+Ek*j=T%~e9(kn`4B_Qs+ zYL?V1uoD@){;b@12vAqSPHYU{P=m0hk~SMscLv6_%#a0sDF>0 z%FgkR&(r99O3_^!qu1kAa*8rhEVHUF2cN`uG8ZUsvRD?o^LilZv0^#fQWTI zf7K8T$|}WL1Qnpwsos*oSf7=Z8LSH|#yWpa(UVB$_ZQrRA!CX!t0)N@A!Awo(j`de z%dOt3UXGQB-w^X5_> zJQNbM0^a7&R)h7@5TUmo>b3S1mf0q}8D)0YVAG&~Yxjy@fqs3fj$iy&pfB{fr2pAP z{5jcX4r;07TCcfMfdGg>xBi=9@qWuQ&Jk(c(qZ>&Y1tMtSSZFnEfialE!oD~Ot#)yvmp*F2*oUDEi1xcNT}u%TdMY+ zk_SFJKW7jScl6QPVz25bNR_nq&Jo#gl`YNYusLo0wCTz5VCIzC+_wI<45LRYzx&OF zxd$tg2WT_RhL};2uGq4SV3pWZTaGc;>^J8b2O0;N^KAj+VA~Y~BzY)MwS;Wpbg(;; z3vETVk+xCB;^Y$QjW2&79R;yW#CL?Z8zZ(-{aEK0FaLEw)6`DAI+%Uc*L0k9e)K#H zW*hch9nAjM1^Zt|voU<$zo7hDfLS6P=>@cX8mNcZ2hhD&K2WK!MN(=l-2RTzyrvo@WI%do)>lTk7p1h+&+E)Z9z z?XQOi7~$anO~3zGtbG58p0AJ28FsaV@6wrm)H-iJ0ww&nSK*rfgIxaC0tWQ_oPVO{ zb@8zhHjrLAAWYDsUht!Z9}0eq@S}qtJ^Uol`aw`8S3Ze-y7=d@} zW7c1*FB3}tFGt~$C-JC1DSLbhH*VzX76F3ZVnBPYom^ z0cz^fTYs%7U>gJB`>R#;I%Qf+IhP%Ws`~NuD^>NsE|33ORkvdPx>3CG%Dg@VN(rhe zE>=~sD#7p*t1_sfL6E{LpBPt2>;qMEmxkZ)?^UC}dJd}QS{I5{&3_(+%kIE+|D$hc zv>$9pOUAKEFl#8|j;i<_*0@{LQ^*eGq<#Lr1u)98G_O@6tGbM_j|6!`Oc|- zFYQwBom?&LeLB+}I_GomKxrR&`$}p5XJ-CiviM(1d&gNF|MYS2o&RY`oqSxg`XrRq z|A3lLnHFuSzKS)!!kQ)9z`L4!)u#eFFMuDriO#vgOi1?u2JdEw`@kt?I3M$su*EpZ zI-Fl;Ef)I3q+k43iNMK|0iXrzZygBG^l`)j5-_&H8e2rBuL z1}*z5VjjQ&7fHRM5n~I@qFzFcIGB8upPy<04a95%IDj(f+xdzN*%k&zN=)M3Rz)p9 z4fG7_qvU}>W2zg$^KwN#W?FPswGHP?1#d}q4+pzbJS3DX#F69b-v0X-+vTF48PEJdu>J5uMS!$xcS2c!ZFq{N9!5l*F|bf)nND+2W< zQK%uESF*m4_n|hvftm!@)dQ)%)jASe$W4^TXq(zt-4ZlXE!axuP+^E9T}6+RZUMce zz+8lrs2d7@4z8ev;}xUh%5#QqMg;qct!K4dPDWo)CR95a-LcgBfj9Ly0ocRs z>8q6cJhOBOonCk+O&8Cn88TUC8`{-3xpf+d{j_v6(Z#xvwTAW7R4;Khrb8X7TLxoUe#MD8|Jvj z^Ri^%1zM$3Xy4_q#6cyqNcve}5y(M+v(a@AnS>(vGmrtEb7C|zMXxHDIirs?X`X!A zF&tuZLQo8``m&=2Ap66obkj65$DW&YHp4OM@^Rx8d63YpX2^d{D=;n_yI` z4{fld#I(n$#b<6tV=cGDpZ&w)NkAEnHPpEF2h(g#FaXrHf+FeJBgr!wTVTuuP~Sdc z)wN}iG43Hmdf(6zt)1GllWwU_=gje_*|LPdU{lxtnTv6BHAEYeVe9}$8GY1pw;luM zG$4B_Q7hFCs82k1;qhJVF=mcB&l8Xg7&CoTz!-550 z$9SFmwk52O!9`ykdv^4z>rKP-I7O<3J+^ue^O}L?V?-;81CcUd1?Y$qxVP`@nO%I3 z^ASBB52PVQix64OF5zbhy{$LWJU;@!tm?aQP~$GCZ>WSfp-EsLtoau z=qR^Fz5V9)L)P2*y~2u~F^31Pc$DwkHHuS=I+w48`U3W z)TX&3dTJ&*%{-mJ3`k;Xi87GEppeWBU`>6JqPI%e)EU2Y!QQU!Lns3%efwc3o+M5n zOh}*F(67~2Uma~Q0h)}VCUtxQI-%=_*`Q-w6&$ufPn}&|SJ$x_O<9?q#EnTZ0#i{>sYZ~i7RgE0A+YKQA zmr`GgzsGZBT-!6Ci4)(AWw zO=kepHkjFxC~(Yu{P;OYuvjOcX46TsetPUqGKxwQ)^JY~X+^+}D)SI;CRH*>L+@QN zjnq+7LBZt*EG0F9`G$;t1?2_M`XAa?dV%?X^gKOx42pK1 z{jv7Wyvaz|QVOu7D9N%8)5+P+M-xE_Hrg%^Bw%=T%;c(*4!UcKs*jzTzVJ`RMk^E{p)whkZs#7t{%`1S`c%R8{p!&d!Tqx5R&?Zzpkmf&&OFEu3 zy+8tE5g@2QYvv&U3<0i`!+l99%N4aF!NDJ)o+U@f*8Jn15o#i)c2M&`6_zOIoYPEG zY3-q&2^4V;NpdVfQ=~ztF?h_}TwMniO{6d?erD-T)3`uMh0mI=Rqt#F)1Vo5rMu z`cerb-_#Rte}tj>n9dUVd4Q#CW!S!^cj8HoV|&TcUhQif#lh?8(HxUNa>=dUWvt}u zVQ-=e3Ys-}KuwwGYQVcHzG3-rF=ngyMRHKXT0vvNF`Yca+SmyKYjw~U_|JKtHO(=& z- zzXH;@RZEa(zo{1u;ZS&&xWv?<^KBy@bs7ajjE|Dzv1Jt_Wq{WED5GgHNAdjKCvK)c z^}RtG^Idt9P_%-qTR)%94h%yDbqJ!3qi3Z-f@{w!6C=p4gfpC=b0J~;i|Iw$QHp1r z+Mah1g&RR#T36dDZ1?7d`i?)2>1XgQ_%k}OfWdgXFALNBTIr}efLSj|PN8fUiFo{MRK1y@5e5`rIOisC84G!gqA z({w2*71qBn6IHi{*q%=eG5JW3$~8Hd-JB^^L{m+?Xqp?ZhbJ`wk!(pca}L6dinmNPaC?%to&-ZHC}iT-nMFyKyR9HZywytbsYmDl6KBAg z%pfPT(!}_k5ajxLJoig-?LO4-YJ0TK@ug{Tf_x}}I)q1yWd=OPt|o&9tWE5fkkJBN zyn0q`YqYAajr@b}kNjsY6=yK}nepiwT}vyosvmU%L~*}P;JOXWVj_j|qudb#bFvR! zZI~9VZ7wvEL%QlV?g1V;KG_=T2g}6<>3cosq(*NDEaQXizt_`DJ&h(Xzx0+*@{S>R zSqM|{(aPfZC}o*T*Dmlp7d#p4#-~v&cb9}3O}8gG;*Bs&&1~T&x=0x_p4Wo{spzH4 z+e1mrZ|UMh6Mr{#D^-rB7T(0$4Xx9v>x(~t3^hU$@YqZc7X)6!+F7+z!5R+^b{sN& zly3Pz5^Q|1*b-?`UdM$Wad#Q;$N1aoE#<#P(|YbgUsSbQIUB94VUa8(O10KRiLoYf z&! zle#@DqJ!y{MnYyge!w?SA)QHQ63nRT!dzf{n81*EjEAToSf5j5M%5`Xm7{wL1mw)I zooNR0LOZAD%n4OiBywivW5b0S#e@zeDVOcIzi_kg0qFwv93Vj8*A`?W)9ggQ8FU8c zSbxK&>20ym)+$mzc@CK{;TPa-?e^+dV9XQ*;ZB@tVF@$bV}Go_U=N$f&R1}G)m$^) z?yqK+8aHf%-AVCCe{l*CZYK|-TGN^Sre_nvHR2Ueyy(F`JlxSAc%$rz$(C0V^0nY5`W4bdjg>yIN@`yNwqh6C zk#`geCDsDG1LsY#aZNJQH z9dPJ7+)CNOi!-yO_0V@H%AHB)a!A_HY0b4Qt@Y6s**+)T^nN@uR=TfZUnDNbc(5$_u)D5XpYkhlytntOgD;^nn;F*stDg$2E(RgdkIM-G7NAg~NLejx;ux?U%{xWftZn@RI~ zxOeP5DbW|)-?EAs?WVcKdN$+jQM{XJw_6J~rk^$C^+6YUV{`Bk5uyf-(Gss z>BbV($Yw`R7c4>Gq*zG-=?QSSl8=k*pd4U*I{$C@99nLfl-A>ve%1jo+l@h++uG;Q z@n8ZsA{o02*Wo0S(dJI$D34;mLLu=u7N}2hl%SK3o*rTuU{rPu2(6v}V|N;?X;wUY zVtSY89$*N~vM)2_SyA^HtB0=O2hi6C8*!dILqlDs{D3aBw@(V4=6@=*Fm)z8lBxkS zkX{lfL3E2OB;%oOr-Aa58ukxICa&Rz<`&$9=r@5=QvE5;yW6)~eV?L+5l6vBjP?~w zh+{Vv4u)msQ+Y-wcY~E1CRx5Uhzt8rP5Zy12U%9rRK|iq6yW|g;w9wi3$wv+>yp>U zwLc_2*@tdq6KlOJC$z+zHhX+ltdXq76J4V4MMBiSVe%=6G_?SpSA*U}yPgT8$+5q+?b+(2y;X9zE zWK-AKtMwq#1XNu8&_w40eVAPO%q*YHafWBk3@G=(N`RrQ_MSu{f^px6luB(AqU?x(`_l zW*8pQ#J;utNJ!)kg(?`E&_@py-oMAsk_hf-> z)RxZ&IK3XiOw}@Q9$Xv&A>5bet17Iq@V51*O`^ijh#{BykARmvRG^Q;sn zZthdOO1zFmKX^vC@7CL2&~rh(#4;Q7Aa(PIo|s@{6EXx4F*9}Pi9#grIW3QP<`+W@zvCwZ=g8KJqEnSDwn+hA|xhLyzeJp zFTe@FY~}1)#BAq-1<`rdX^z3HnJVwHJ6`6xp-B27Cjw`x71noe9S#!w%=~p^LS_=b>q%OiZayn1553v z4bnj7jud7hhyb~Dv!kXAKNSuh$9u{D!`{1wHF2$Nz-vL4W|7Rm3`}4G6G$L|Ac-cJ zC{d80K|ujIDk^HwAgF-g`BaS+D_Rd&u~Ms*R%*4?U60jPTk%k}Rx4IpwYn>9?b&Xv zwbjwABFe>T^Z12dB~Yu0%^&vW0m4F{m|_6)fjyaaLDZ2q9bV`f*T z$Yy%@57S`3;xtI2`Y^9H^Q4K->BHyoxWDE#pXdpbfct5dDg?pqM7n`$zM_Y2beajH z3C<5t1`oX^JY1Wsa`j={+z|2d&8z&&qG4skiWKJ#c0;)O$>6Z@6;r|FSHTAl(DLj( zHJYka)!>ViLAjiWbfI63yjWXiHdpXC}_0Vl(!Th?^ zbVIi~faL4P#}@`XSjl+P@_XT2VyR1E&VX@j4p^nXF$9@#9gK--E`&z_l(>11Y&0?i zrh?RH2{Q@vf*a#nPQo>R1Jy29pPDwIf<}lrV5}s2#UfJ06;PH) zrytRN){)5mF>t3)hj*f8aX@n$DVdRjQnn*uIh~91wH{YQau2mbE_9DSpNXe0+l|od zbR}k{raX>>7sv?2rtA#5Gc>D@d#zy%mtoW7a3kJ9jivezSs9Fl6)p#0o-W{6-l$MD z$Y~8kWaF9o4LHMd5CCl`jlGqLQ_Y9{UFY2&YR|;S1d%Y^tyB=6O`4wJkw!En) zqp`n&@C3_Ldf~)o)r1~I!S9JdRaOJ6(;S14zDH3eO0Pi=y4vTWx--_f2tSwHh0*%# zkM%ss)okF&7qplQCL4pyDX=8URko~43fFF9g5i=&FA$z)w(Z|0=r^~=N*nZF!pz)T z9h)TSu*aE(%;_@%cKj0$*H1I|LQI4`9g}f%L*Z+9P0G`lBD1gS_-Jx=FQpcM!nS%r1LD zsO!azQH)dKVN*QQSwXg&hl$$N+9Gzjp8X{|Pm5e7Md2u~5T%6T#)U=&o?=@~YP{FT zA$?y*cVu(4&KJ6KYjtZ`p-6f}HzAL;WgtnCnI9R>sX)<6aP&d5lU?De#YW;ars*F` z`xdF*knnWoJGNG3$fvjp=VU~vSxRjB;F=}E>m29YMRZIe{)gVo1d;w$pqrma?J1Tt z+*fAaAOAxDet{W8A~?n~N?>VL!&qX2In>Anww&RZ%7t8@X%cst3=|lcG(yZUttOdD z*|+8G{+b&`@GstJjABM5RY`h~y>tFV#$-MrljV7=i@K0l{T$~)W=Y`-!d$!_wtaIH zhk0fVX!>5)tQ;cg^w|Cx!twfR=@Sra6@m_buD$8ZX?lj-6$2d}g{Mr^xa?vevr|{E zq$6Oi9VrA=JR=0+Cz-KA2;&xlm{QB9)XlMylLIrHHWgQ8p6pNCWjpl`2QKg=7)s?!qOf*O}B}kRit>sPr-B@sY zoFZFPGAFo^W@0CMJjf6jC{M4hRZr5vkfaZZONgqN77I{->gw_8RF*A_52^K3f_XJ- zl6hi*zQ|nY$9M}j(Wg~>AUit__Cn7v@PRLP=A9t_dL1w0n`6?Ha(v7>1ZNH`4ip1iXk027flti3aD(tIML; zuKABdz!>$GM>(tFt=%+kPW3j&`lrE`k$IqbIY>64nr)2M)OK@!BBj;^n`b9j_xs~4 zGU7x4AIquhg483FGV@V&R-)r$K^3D^^<;54dso?_Vnr5nx=I6U^nqwz2&FdF4k2D( zcv~n=NmC>9WRwPbu?L~%BBZ+)>?lCoMQK9%RwVSKGesSFg}jpzjo3#*`%qfU^ah(p z3Y*d$Ov2qbgnG3d{DVJhdu7~|(vzylay&KuilXlAiDo3!N-a`<@&Zi!B`IGb zR~#9DH`sR}u@AnF=EXnD(qo#l3h#T~sj7b(ZuNnkvRl;bDB(0&KY&Gek^J6(jy4J* zB1{$<$m)vKFEH`@0+>-|ZwPS$8QyRweb)qDa~EQdN9n`JdD>I;MF7(R$RH3b1+CIF z)oLYK*4BlLQw>v)k+wB31I)u~U=d07%gh^!-VRXzqy%%{NwyEw4VPOP)O=M_5>`1y z3S{=ATt%&qoMm_ z%cSzQVBI8_cmWO47z>GsoCm{YAzdv7*WX|TSIS$6I_rS`4)2wj9cOO>^QhMC6t*pq z!gO7N*Id-SIxlDJ(fVrkP>o4JA=&mE;0NC&>03pe4;5Ta#RAPa! zMTjt%!i6VPFOI+g_Pt1Z%yv=AoVXmF9+>_)vbmf|+yMyE$i#to zQsXe~DD{3hj?kwXN|VbzMEGya1)^NhT>uV1p&nvhXCv_%&f&HbM(BedN7t^GsEe8S z>p|`n6$(l4JQ4qt+Oy=KT(w$pFw~PN1lB!%IEJ4UpjpQ3Xa{3SLh^1lO3v<}LYwg= znr@FnFry42Ma!%xdjuls)?#e_Dhj?bRxlWS!>hMsYnqhoQaMT7Vdcw4>Zgy;fzJ+L zf=~miEHT>Wi3&j0p-4Xm9lUb*>^*f$kZ~)+fM_$P)Vg&I9KV%GQHE*4L-BmlhvS&O zw(pn}>vh6}m^E_pjQ$nD;h9S>!Z9-4|po|;D^aVLcwnu^xlyzAMGOIAZM{(~LX1%!`lVHcEh^(sI zYcrD~YBZXer`2D`OD7`xR7_Uu_6wu{O#W(NyZ%{5&CU$Syo#Bh^uLl}Kt`mTP;M?u zenET6TBFc99i<8=_QskdJ|RG0S_F>uoYWe*J~+|?(zIlV(FQZZRn^l)gfaikPrr)Z zCkpj86-5rh!SJ9T#PP;<83?Lyl`-UwW1E_!kZ-sYVlpn_g0XGI zZ1a;yzuLF});WAIU=TrZcqW;Uo?Dny0g(#!`N$|o3k`K)WXQfNO#g-iI+bHpO#!|c zmJ6(J<=9FsTPQIvl?)^w%gi6AA2NP*n!TxD?Y!Z*oDtng=^|<_qaUP5h`moi;*&oe z2)$Z&Hi!+S+Ste95U=Y7ob6;3e%|>S9Z!SB1>!qC{>}xc2%6{&dJ1y2L$4khpf7M8 z;O_>2KT;tj;=q<_(6PtA&{1Sx;X;0-fxlb9Zk8Lb+iMXH5%S}21xQqksqr?ZvF+z^4|ARVg0K3mk3bk1BC@@=o#s*fN3HeI>CmS6nZc^AKaw z%v3OewgY6I)}N`>4OKA4Vw_%vm>+4+)0f1L)h)sFlzNMj#YQPQZh-@7<+-LAs!)o zA@*?w3yeRIG~V5BkE9h@8OS?}R;r@Vt7j zlJ;@G2{ueE#C%jiqi&L$ZGP(7ie>U@en?7YV+vc8zA_bgHM`oCJPp1fMg7-_Xyuq3pq?Yxu+n#-z*uAA)zg z&n@>>gjmWpvLu*f@^>hEJ%B98*i$gy!3tOwLd9IHf~y5qXW@oZ)hTF>w( zQZ}wyWvW(!qrQx7k@(%^mLSqcI-L<*5y~zN(7%E2a$EVo%QFP_C9_en?^W*`%Bf&` zZJnon+Dx8@2p83bjJgLjm`ub8&VTAt$?N#MehgU0gGKh}7&M9XWT9#jelM47A;F$5 z;97fmqTKv!GH$wkYaY6vOS^Rc7ys3n_ zPWR1;h6%JK6oC2}YG(}I_3K40cAMmbjK6SA0y4penJRs zfl?lzP=8{rE3|)XtsCNYlLS}g!CA*e^GKY;wb*<~BY-$uMbK#4$R6V(-a*q2a=L7e;pmK=YoTk1J1!`=fCb78X z2ARfwU?GuqhYSLMX0mpzc63P8`015Xrji$(lMF4{*1la-+Y?VG1xJPP7+{W6$c+v#eeT81xsB4~+BL zuc+?0@IRQfbqQdnHY&ANY}4;zzf|!5n4Y@?&HmM@Nyu{MvpsX!8ml8ISG6>TmlEq9 zCnNNIQ@+npM`n9>v-OF16x-L-`VtZhj|ZrK=8#Lhtk#j~r~WQb=A6u4(>cx>-I=tz zK?2kX48b#XE2!2?E?)WuNKpFHSRvH23|DFsJXjrDh&%97 z(j70L$@4$aK0x2xxqs`pXFGquRx!=1LJ90`8$@IMl;=*8d8U#=^#jIU%c(ZSC_Pm( zW~*M)XY_|nI9q53(XH`QRVVbyY6vxLKk4%?PGmu$+s#a-TMg@SK-Q+Lr;OhbpmClhO0d_kqLg3sZO4#t%EVSI@E5v@(3wLze&IIY|r3L%)2$Ma8Spj!U% zG5p&iZ{YamIqcF5cKU4R`|!i-7Up7Is^=mqW#c5(2esOvI?ovQj%Kwt8mRNIq$ebe zgrlj3?zPT^H=k%|u5;m3V^18Q9yP`txlJ$&xP6}XJ^h3on=0m7y=1Zj~pFJ3W`;s}* z80hQCcBve@z)AUBpTgH^4qolpgN(6!;vDs-L1aNZ(EJUEzefSj`*4bSFZCv>Zz$S} zRK2(&Sght`Mj+E2*2efkHL}QQ=WTqDKS@<)=B7ziu7YJJgtCmWU0|}w9)}AaQZt;9 zUWN$F5~9#VFj6#rDm!;{a~Qi;=}k^v1%_+;=*PXmY?lCHVV_RW?98ZWC&6rv!gx~5 z2VOAKJ7QL0bzTw@G@y<{l@q5SMk^$zj6|^R5$-VRGzOdQ*C%J+Lbd}^rRb%@YLNp)*weB^3G2`kLa^l^qk^?=q8!DU0oI0+^G9H6xj1!=Wu`+ zb|TVkC7~iHVw+~qzOO#RvtXL;k10*k^CZ-JxNeYe1z3|rqh@tCJR5Aw;7AuNBo2S7 zdQXmiihr(GU7Du9YDbcN0f`UOvr474S*tEmvV-NYSp+j8cT%%68l)R4A{xfgt*R4B z+T8L6lz1?MhqX}Qd$6c!?+AL>okO5a4@PG0&Myj5-7hWv3{5jUzqGY6>#FfCiNL}1 z*W?eA?s%;DvBGM5LRTE7UrFP2--;|5BhWUS1rHV8J{pUn%j%KR&B^HEldok#5V z!4jXbN=1UzDha$W`MfT;{Tb+o@%QCwi(EG#h(09%Z8zA8vLGlc8+pp5(abY!3MJh% zGv%I2)y5zu+MF6ry6Hy>6=bV%IBbwsFeUsPk8V^nQ|h{l8@kWelJfxbw|NAYch=J$yiUS=}+4>V}VTD zAs2d+xn;o1+mrj5eJ{{c3k$&1^i_y@y(T<|=xJ|pmG+tRB&1JTmV`7PO@gW0JV3^# zCfxi)id-=eK%>st@MajP&;j4dK=K|0!I%!PBju9SP#Bs0G>Tt9g-G_830wxkV{|%> zw4Ott>2s3dq-_i@J&$>DL-u$iZGd&DwZESfgL7RG_6wug7srlHMB*_0UGQK^5nK_B zIO)lLtU%XfpyU#~nLU=H*&N5N=MCMA^(NinIM*gIaFa~=KXIRF# zv5lG}&NWvGYDqKHYMJ#lOPKYrl&*po`2Co{&F>OLx)jUgq>Uk@(a=8>?=wEjU1pcF zcsQvwzb<251-I@-RdHP1l9UZytRKq6arH^C_kO@kB}c7w5S2%C+-+`!Z_O&4 z(4Td@;;;LZx^#HB?p;g8JXAXUNyAur#r#Cz7^2Vw-hecqpz!CKM9~U5Z?EG-Rn4t21-%H z;#i89$=E^;%mKd6*Jw$5l{hJd`r&X=DA>hYjwg^bQ;Z>F%!&fbknP1N%gqgzUXaRd ziBiaPKMl|`&WDxeJ;|giRNFZWalukz?KGqh#L-6B*Q(Xa!}Le-nu==iDQ^Llm^&49 zLU2ng1WwnzU^XCwi2;Jh2d_a~1w`mJ0(zrZkgRk3VOuP$2PCH|Q?yq2v)7dB{i5{^ zUg)hKYCYGL3)k<;oa4_$34Q2zFlmbq$Q8kq-5o4XXWE;48CV0Gy{2}_+0?v8&wj`{SpO%Z~i~%jJKj*IB;5-{;@60QkIQ~56JPFq1^36}{EwXfZ|VG* zJt)1-BKR{eohScH>GzxdZ;AbW{?8QtIPzyA9f|&r6#hK>#}EGUTu}4>FXbM#f&9)( z^j9>R?_og9ygJGUN9$-goo()#S|?vl$4MV3t)rDDbfDS(9hlZ}RY!uqqtl?p zO)IaS4!ihHfSTtw1|FycU*>&4H9*Dr4*rq&UomT*&I;?iU*~ll$#-V+f5OaE}6T90VWxa@+}U zgRTUH=j#r?{oe_6`wcnR@kqX0M*W6(10zJosMGn_KKzoezB<8gop*){I?4d<05$(7 z3eH!tV2S9cqAC9axCfOvp}Yea2L(M9?gwrzfY1F4IL>$Hj!O3dzlQu)SO5Dnc9b`ifv>_lo(~Mr6V|a}Fb9f#xHzz52GbavBmw?eGSDW_EuexnNt%Yo z_2`(14Jev15LVQ8sFJuQ(^0~UG!|Ldk#nE54>J0VcoXTpWx|955CN+O zS1V0*KA!bUad(Dun)3t{)Pb*eO_BqpqwCX7%(?3x*VozNJjnUt12as{=1%PUv5NlM z0s!5C{0WYe4{*<@6X_Hj2S?)INUNa2)7@JIj+=o6C_565`*5vWJ-6yxfe zm=qr=K=uM;Jd4i@sVz(JeSyb$dKTw0pQi*NV$ZyRjFFilGXCO-#T9WyW(3y!^mT|l z!s~LoG%s{??Sg+!(_;E`+UJP8jZ@tVeW-2M>)`bnaaoqZ6qyOh)P9IFE7p^&7O!>+ z$VDvE$~j(JeIgnRoiqvW@_nexaj27qAT6%*KjQ<4YY|n`O}>!Il-zrCsJ5sR!;G(D zqmMlU;7!j7q1wmrb%6s`s(7s~&(fD**{GY((>44zdw#S!!+ZTebEx78nQBpp)_09r_s|1K>4vN|Fr4Y66 zYhpYRkK<4zfVSZ`w@z^m-CLC7#KGJVPAz<+MM6!Q0U=e&Gz7_*x*>^C=KD*U1 z%tv-&0`IwVXwBlL6Xuze6yw+q!EQXUVym;1r|Q1|vU18dJOGH6w!*mFhvC&3sP7}`oZ%%ov66D_ zD#B`GJsT~vp*cQI)DVT&0~f+$F?G2`jDSsalV*7U9h7toKZl~SYH36v$hCS#mA5uD9(C`#h2~UGORG7|B!3@V5 z<0i1N%_kX~@Tq;VxXw7x^b`LxrMxrJTt=X8^s`#zG}KwW*fR#GL{R5OI4#6=E5rDNU5x&5qIf2uIL$B7#VdJ>A zoo=`8AB-U|XnGuuDqOj1h7{Le1`qQz^FiXCgt}F(63t>}+afVSX4a&4N7n;zZl)kh zKa1`GgL}sgffI6?;Iagc~1b#(>l#p&&OAYRo&GCdK8~8DN?o=TZx6yF!01bCcNAMwyn1(DNRBtkS z-nHD->;(rL5iMs%p9N`gVHA{B8a=>mu;$|{PmvWmN`-#H4LYZA9_cQ&7n_*4I|FE- zIMA73NlS?U-*oUjHzV2l7hVA`?s4SBiw_a0`AdSrJinrS);6a5~L=ztAe7yM-luoy_eH%3hyoVTXkF_9z+DZ#0=_aOK{(|-Xs>zkkPm|r^8vs z>~_MbR5#?9=ccO`GuQ!L#^D>OFTF+DfZ%{k^ZE%f5I^{=?vh+<(GC#eRM}j6n)X-i zQH_VT$&(KiK9M`tdA#Nu_bS^Xw?><5evT!8#JBhpF6A~dhG7*Ki_cJ1`z0>V>BOZa ztm;iUE(Hjku`f1oc05GCTiZ|bqC80^W$E*^VNwWjv}(cEmzOdD5hqYg%u`W{uR_-P z(tVKJDp7^c2np+RCWB*M ze=75apEiKLBn~nZ$cs)fTAO8!VHzZQGuICqttt{8{AnHR{Y(|Jdr*-IRlJxsgwP_OimG@M|FmK% zjnhP{b&tulr;T@=tmPdc(soB9$(56V2I=14%VH6yo{n&D?4pw~JN-iQX5Dys$&DI0 zj!IjKq`1r^g^=SW+#oR#=-OeF`BjP&28kiH9Ahy^-MLNp?d$_GjWGnS{~S2p19UZ% zup?gd&l`w5ZJtH$t@mI7FcWVxF2fJpN^iYqtM|F)w>YyPIFDhGGdDZg3MGF|!I@!X zO`xLYB?!9`J{H%L(Lz3cM#yh7k!T2_EUb&lJpu0FEP9r3jk~NyikZ_vn z_P1n!r(%!gDvq`u^RM4z4Mt7+jc=3J<5MHOJ>AbWDq-n2a9>b;S8cTrto6rn-bztu z_hP=`ym1b^w=}UFUw2#cWq{hHD16TIocArKijlPIVOpQAXH>SRI}>SG;g2+MV;SYr z(ulLzdpy~Kzr~@=mE2VrCYRuAyG9yg@lNg{}fVS<^ekfh#K9G|2tMJ#*+CA=KVCt%%r_ECXw87ex;^0dU@ZZgG%8b7` zXLBkZ(0>1bnRhI+g4CN65!s1HIHT&~Z$iTDOdt9Q`;Z4*J6 z0>;`(yhoEyg*X5}WFpPVAVDX*#;u_5fkN1WcNr;j1=hc7Nfbugrqfd{R?|0vShcqV zUi-TKlJl~ls_32egdYvH#-sYp03oS6<(#lD*llcc3a>Q2_^YSvMRmh^$)vf&r{|$| zMzc*Vf;w#%O{`q#XWL*M-^G2<9of1>*aJ#j;@Ml;tcpf%4m6Si?g)0i4=pM;}0 z^|!$j*MVf=y;NL*_h!rn&zBvd@L$ry6k@%Cgk)!*T}!tuPUHQyg)|#CUZDxv2uZ-x zsAwJr3)-|{D5D4)3!iHIh+AWW{ASREb11X#0lg{5++m<))f?U)K17)(Fje#oJ5mL zxHs6XR2*shvbB_Z;1i0s2q}=#17SUhzB3auqhnCpap-t1V>C{>bR6Ien`pGC@}%th z!CldO-~ALg$WAP^4(ej;?mnk^LtZaq!>MLVFgF-E)v|azh8imO^1!yI@|?z5;taM} zk@=KN6%>G*8z*9?CzU-;K{ppV6qyLYn8b)Da)PRs;%maZ`bE%V>1$+Wd~3XFW4RL*pBW@~jcP^))a zigqZly5U)-NAf|+PrnB<`79D|K7}-&1XO`4T|l7`Gx#kC)L|Q60^IB*n-z!JZexZn zp-$R-sf`9gcBv>%GEDA{%RwuAdL8TOZmSi4#$mQm&Cyp1oELZHId=*vZEJ9M+fK}A zU#aIUJ2{p65>@9W5cRrzRKFbbfv6gU#4Wf*{k)utZ9SorOcEdB$8Bc-5E^dmhkpej z)NMDKUjlxgG(5HL)y%8PmYsJRiAfrVgIcC)js~ipR_6Xwb&JF20sK|sU5G<86C*7- zI86AoDZ>505~=-$>q`n6%(!oH5}74DBrIn?q30fAJL`pbrubH&vE+2zy??-{Pa90d z9jhI{Uqpi@N8uE6Y8a08Y{h-OC$)32&O}?!b4l}+juP6|RTHWNmn#3GT=yV=J`@IW zNw!>=0GHm}Zu#0QBJFk}anB1B&N==1rQJR^{h9 zV>v|om?l&dXeP1JT(Ze{oV%VEgI)b{SCR$XNbS+KdMavvp!p=|Qa$XF&-V8DojRi?Gh@Qsgl6rB&m0Sk~U z>IjmBj6H(oF`JM0DSO^H;t$-ot+J4Uv8^O*{N~m!5z}t8c8yvbbyOa+cI;6aw`KFu zfP}p_jw*T_k24z*L#`c+h|l_i--xhg8I8#O;y= zXZ5%t^UK+cTp@WwoGzhgl-H#iF}c+*v}D#D66RiNS;CDE8@fcC5aLZ&Pkf~{J-q4= z9vD&ku5+L?<62EuP3>pRCpGhaXk8q+0P#zs9uM+!YL`ST8l+p6aCA`g%D#RXF>BWL zp!&w)wbam5zPlc$PPvewDw_2@jcZugx^PwB`AC;upPoVOh7ju-&J-y&4y^ zJRv8I6)^~c{*!*g0@64qyEQ|bPRwA3!UXZ&oiFwvP zTl?jfXx8xQ>fmhQ>sRi|`fS+y>A60ZBf+cs9)7p~ktpl=7rHX$L+6k6@?IR56aUkV zr{43+`tt7Sl!uqk2gW~o=s%S2D~mY~M6Ly^on5tSSEnf~7gzTWbcS#td{&5`OGqkh zbA{nGndw9B*PQ5+IqLbg^oZ$;k1^fDZnO<-UKp}wkmE8`S#(3l&$W`N0Rjys&0)_tuc7hP?Cc#Z$EBrSb1)b_{3JspPDpz?J$nHy-%i?|KMKeSnuiR%VQS{22Q<1S~9$Jnd$A}<9?Oz@()~@ zygzjO=$`um$Mk$SHWwS`2~Fc)9cn2S*H-LK^SGVs){cv^sFuZT8$X~f89KpvBdWtW@17@+Yg3J}(?NDr)se!#ur*Gi2V=H&t2RJ--s_ z@%YNg`&;&mB!{Hk1FPTMs0;7&*ohxMipxqUJd)ekbV2Bw@NL_&ZmxNr0>24f5)r&` z@v(r)zsIf4EpDY>oSAZ5m~gG;RK@#4Yd08Qi<-ZR&Yf?Dc6E z3nyHke%Z72`iyJyKiD|)WADklS)Z&JsF`%LX{Kh*SKGGc1ey;; zvMCRbjGn7F_>*SdozqWz{TiEJj=IF%SSVAK-|!kf-~aPp9DDMb={}0Y>Z(rH z-o-DlYX309qUV3chF3oZ58(f0H2sfuCA1`rXl`jmw3PPa}MB93N zl*Q>_|MtL8zDXwR{wr58+`Q{=mxqy#i{Ro_e!p`P`w`UCM1fDZsVNAJq)km|brYpB z`Rb-7QNe_O6w@B{-)rI!0?Ow4y;)$euivYuD6b1bF5v6X#JPY(3a=it zVGVr18lDW2K_s~#gZSg@2wBX9b?_`Q+$38UBXvOourdyQh-5$leLEB{9wBdN(BUJvB5d`ba7cG86F4LkGWZc>aP?&P(%{PiEH8CIGWZYUzz}^9 zGG+MTFdB#gun^*cbn0c=7$rPtE}^nKKOCqWA3~6@Qr-pCGw%nHASBe2D`fB>yb#5J zTnIcaTs*D|O7%mAN5_0M{s&ik?f}n}&iekYtLkVM!`e5Yz7HLSYyJ;)@gLj4Z7i$= zLTXJ%OPGZa!Lr-^NLL_dPo;8b7;+Q>uLyW0z{^Jq9tN){c6j&3woq6G_c?8z%aPdAG2^4cj078((hpi(~avR4+65HmX{v-_kEby?;+emwg71@ z0}7F@45|{|Q5lzrxS2~4DuW|B4wSf~O5tB!St8PrE@9k&ZAhm|B;iqDVMDq^AWOx% z5crBpIh>5_R09~cL=HhhWe^YTMjQ!{a|7NW;1xgv=nxtReV}aSyVuFYI9=iZxWi0H z+d_IM4e&dLlP97wAT&Q1qJ!JaMEEfo*9+WTCuD|1ye94ZgG>D`keAXMOD|;5UgUS?&;sAnh1O_6Mjw>1z1-ZD?2Tp6F;-|KBU@ zKQ^pS?sOGa{`@D``JMazr`n*O{w_WD7f)V?yQ?$eu#@ln4@os+2?%)n#(Xa5kQF4T zJJ`>&I@r&Jc$CP+`xwwccn|di|IqIw=welfEh;B3DvsHh(CZJ4G^>$@aca<9Rm&2M zf7Q{)+2KnZ3YZnJA)Il};6yn@6(xNJ9yC!7K0+xm%%?x+ z^I;B_gD+9EqF!Pc_$?-j95SQ+7YtguREkp;mbG9?#x@D&#FSUEETdd^4U}LXCZ7HdBBC!8x&Nm&tca< zU{x`4-D<}n^Jf^0MGe3-nq>wUB(oDG38@+H$`T!19gGLB*CS>Wus@7~+7U)s#&Vc$ ze&!35IU3{>aKa}Wb>^h?_ID;q(csuz z@hMHL6X;%KwHe*pfL#boUfKkh;^WdxNWWWhcX&IuxyWJ3jVyxOwYFh5%)U)xue?f> zI}sX5i;VP)>L4Tc`I*V$n>xUQE(R&fub?2V)S{lELR%-ZBV%2qveQp%oq>H`&AQgy zW^SacWXi4A7)QlcssZ8GC0&p;D-9m*0fA@aupW{(ZW5B*L(uN5 zoj%{{=@-q4uHKm3o%U0H+65gB*vj@_hqW*BCULpkn%usbXZ*QtrgCVVM*yzD{ljZV z+RAvJ|CH?Spcxl`!mn{^AC2`iZzj#fubF@f`qx!>FB8fvrrl9bzy-fyNtrZSVue6=-->K*=KS@WgI_m}h>vT)Tn!CgmBN_c5|Q z)z#S35{P=+o^ociG)n7Ipp_&Qeh|-1#&ofg@GDCQx@+P8U1D;7CKcz2=3;skiHpy$m@=OHo1vFyk2Z2SVR7 z-$#al$_$r!C-B9gD&04frdjSE{N8;OUEA?Rjozvw?w8?N1N@tBa-w6IKWIc5BIKIk zK}Hi0687ff0%R74kZpOI+o`FiS2)zmIzf)C)5FEW_}lU&umtLDkSOYfS8yMuln~L2 zYyjz@Y)N{$p=$U?~^Z??Hd0Dhk{eIBd=XX3!mpMOX!gkeC(fP5ak)l$^ z2|4JyzfD^=a-!up9jq=7&P}ksEaP5k9whX$FGJSv0}Q6XnjA>8d~`A5#=E}_iRz&F zu6x#eg!8_ksR*!sfV{h*C>|pqGJezFFj=mhB7m9~y; z<~CWTaj}LyL7LYXP`%%YERx>qUTV`Cf8=b2!Ak2w=)#_p+;Ynic=8SA6~G3PeiV;> z261KjqwOCEE#i*?VDFHHy%R(iE_oAi<5Wp=72VOUmb^nd?dEOnfy14g%#_bp*PWibjKR%d-s~0FKGkdK50+$nSRHdy&ns7NM zif?^2ofcQV4MiL*PDZ_o1!NZ$*9W`4#w!F*UWD9z(p`$p!oWAPCo2OYN zx8`8BuL5c?0k)_}z}MBMKg&XqeLki*hLeUL$x;<3P>W(niQNO5|$UF4S4yuu}9 zFGox@N`hH$u*=hWl*`Tl0s!N>*M}lz+?AhD&y71i$V1%Kq>{tSo0HH;bzXp*_k|5C z`<{i^AkFP?x_LzaG)vC#4!s^2|80Q&5I0|!5eQ3^X?#Jby#%?(bKTMsySg_>Qf^ne z#Q8oa8GeXBwf6QfHxIZ}`{StfX&49k;FnYjeN+3)dsp2rg5}mBUgWbP$p>Z=a(^qD zblv6VXyh4{8H4CzVWwx37#p7<8fDX$;u!6TgP-IYtUK_wJ@iC+H&oohkCwZOq~Q&@ zkhjNxRcqHve2+lfODF@Rl@-WtlaPC!n5-XTTtTuO{#{28L|k6sQj%PvH!id2*vA4m z<>>bjm(P0xk<5BcWG!lYJ{hglG}|hMG^1u$(OD+y^y{>Cw%nSUy*90-`oS*ls zPjkMEqg8c_gedzKRCiN|u)m1vt_l$i(M*Ar^Z)f$>vhA=Dr*|(%e4mTz~le6bq;*j z&J`jZTak7M&;eS8aw~JYn05Z6bN%h_`^if1t;aQs)WGuvIcudFT_FA0tJBPt+gDI) zFoyXFhCZuD!5tBW`BkX5!vPDP8Ql>|EWS4)2T7Og(SF*wmXYRJe%jq!nB9uB4YnQN zxNCn|yWKL(lEQs$NDbgEoMkZW&*?S0grxME2gbTN0r+MFH^OvT7}+?)^)hG3odV(@ zb~BkX2c0-?vF1i{1;FCu`MUkE#UL)=Ox8Huc1`zdfYh5WQ9{#|MmW%pr$h}48@h?= z8I1a9NO}pwh$a_xyMf+O9jl~aZkr}mX*^HEoC#c*wU)^m!{1fbT%d{02F+!q)gY_; zRy|w~E{T?CMufr9*-*IM{wmTu7t8gg`z(tz5mBhO$zgarSpT{9EiNhLg0iX)VzPzk z^y`=_vaA#vv|kvtLO&)41c{hnAsQqdax?ixhO4m5<0??^?MD;Xf z`vn*l8rd%bY7o8d%)l|eU=YJ;1x%OeCl$^SoH6f&!uc|%Wj83|_Xq1fR04E*Vz@;{ z7daPly>(x3;vU^2g;gaNZ`FOorN&qCnQ6$XlsDWrLjxwI(~q4*(tgclIdt0O?H3U&M0U0#%k!>& z?5r@$i+P`7IPuE%uaGdlcq&|<`N5B9P9eJLk1ee8J{lcAO64f<=d+ECZ||ByRIp`< zzoMew>>8>fTqWff$!XNCLN3W16=Y73HIHrR#tbRkK$h@>g17?iQp>QKvk(}v2&^HQ zR>UQLwNHK5Op`&=9p(oY;)dcCz)Lwm>72T;L>Nv#N-M`~Zjait#4^FXN4F{1bsqE= zaH>$qx+q?V6ATufJANgZ^iyr;#FvG1Z3CAs#XDNjohdYQ(FSy>fa#Iku~32_*~Id3bxn%;~YrLbsNavyP(-pOdYJws{T ztMCfy9!l#Th4XVJ>`sm`+Pgab9fNhB!nsYekI`rqz?+##HL|dSpYz`ba1N_Z>HGj@ zr^(1YQWK-loMq@_XQOip^A=;b^wFH8S47to>3uGnvl_kvx^ZqL1TBi^NUXD!StQ1D z`FVB7vWN5&%6OFm>hZd{45FhQ%U!EO_%(oHuORF5U+IRYy-l7wn^DSz+oQ8Q{f>CC+Uu~)%muU3R!RF(B z_MiRS-8id#k-}}#xB@M=Xtwjo+!xKe5Wm+q&(8L5Sr3!v1hgxItE)V1S(z&@el=x_ z0rfQ9(0Jkvr(mII`z3jQQ(09KvK>Y}xd8^7A-kQCy!D8qRTa z3xc@8L_dTIr>O~=eMIw-lA74QK{Pv;n^!MKb`lVd9F0a3c?^nZ7!6Xjk(c*dTgE#?<644f2z^ z8)UR}lAi>NKFbJXNg8Q&`q9Rke_EeJStRpw#B~Rrq$Orl^d!pejgp(Km;8{$I?Zn1 zf#Nszv_6fbup%##Dm5uaQXg^Nxm zTE9jmr>)nK*xd{)DRA#YBi{C7ekne{HO}dcgvh*eey_XGoK}=K8F8;$*ZNO9hd39I z+HpPJ901`mC=dE>6+~fVK8y3>P;DN9elro|zG6}BP_*fJ^gMhwBB>b}l!EeznlW7sey7r$dK#-;~S0&~w063)ID%0H>#`qexFYepK4On0;Q7r;E?T&sU5PA5SdoL( zw|x&fF^i=8B9$cV2liF?!~#w?;{#-Az(XJ=W;v`8)K8d<%w<5u2&z`h1bH=dIdWQq&!*{ z=SWaMm$nF350nvwl`|338(3JrrMPc|X9vKX>sQea zsm2sCQ+)-A6M>p%3#t-KAt8qeey!7z`$*S0$O&OayIRNEIZ`y`dd3egUo1_ut4SuI zCa%RQ(!k`F@5}B;@y;(iIG(vm_3H4g4DXvqP7c2V!*rW2e6x61`y7RzS8f6|GW-+# zI1EMBG4;~3Nf88a720$xL2Xp`cvEpVW^QN?^6A5yoA#*hZd@6uR@7VxV(62Retlr@44A zf>*|bfSpFq9a@g9<=iQJl_Xmb-&v+`q zYO*YN=u{5%l591qghPe;_T8NyEa>Zb zkjW2xFR5vauzRhJwOZsLVoVT|&s@-c)HBwD9&u|Vi5c87KlBUc4~jpBTxh~F#lp0B+jVJj#l zp>iY^6t1G5A<-8{HcaYaVjff*5<0gqJadk0KCqM#m=8#SE+?gbWJ|!-BD77oXe9+v zC7F}88q_v0{1sC`-Jx77O*032JKjQbg`{*TC%M!>wx3u8GkrS3r(kM7oT#o$P~S7f zoaAU2Utom32TZqq`CEeC78DW(Yh==qouN@E)XiEs3bC~$GYXiD)Uj!5A#yGmB4=U8 znsT3(i5;s!0e55dO+x*N@uZMP_gTQ&Xj3wIA(V-!`qFdcK=n%kmai|nxeq02kHW_d zKY+eDd&eYzELgYTDn_o@kA%~vl4bEOV7NKpF6ZV~AV1yH>`CIevbzx3o%p4q82OQR zT}sn?sBI28f}gAHz`IcUBg#G@qbC{EW+jS0g-+-yC!^vM{Ah0ntNkc+@Z#0S`j9tN zyp$*&-tsh6qYcu7$Q<7r%CrT!d$DMew-3p#wp6`uU~jT8>1u^ONTwhE95m;Ay_haO z)tSJJIrcueTiXpL1aPGT;A9usxu~P6_J+t%>2b@s7b0P@-uEV<#=QB}4U!A^R?+@?;%|FdEM;*L(6qgUTSEpq@Kv1%Zg`V(T^n8niS zZv0~!tM`s|aiDG%laU7-Q@L?tI_Y{NtCCE1M5)Y1+jG40x<&d`^+IJ@=e5sNJbdbTzG@p ztP2f6@(ViEBRXfKc~bY?O$?=vBr|7}MIftvz&BQYJD=*B%bhDJM8GRa6#|DzA$=&B zSs*{hDGB@x|Mz@qFs}%`C%n?jHyw8Evl85|lUl2e{v?UY(cUEKqsbJn9m8Qe#WTAU zuiDJWuq@fV-%((f2s^=Qc>|&eP85Y2E7?f@XaO_peTee& zh2mUqb)070pPd zTQy;MP6eR3TG&hl5a&lgLrg+vWY(yT}nai@S64K%I%4!j8CV(w~cbj59)0 zcydwXeODsx7rf6P9qS_=5Vmj;UvLDVnd1iTK>%p`8`)G*oa9R+dP4k2UuKf`Le!a_ z#7u=ecW}z7-hl(&mssn~spTsmj^HmOo^~&a%<<+V;SRJ%c*y@=q3R&R^LFj>6_T;G z?-+j9i=+_F16lYXyw@^+H$l`?_ewZoUney%TsE`3X)JmYh}%ZO zT}>|*V`bQZw@~w`9m4HNg3U@^72QMGBG-|8^g0loz4Xytj1AoDgRhd&jm{SZ?Nzc( z4-q=rG!!-Zzb+YpI)8{}QnSJ4OWyDP+17R!yT?R%@nB}LQt5q`@pt#`OL54>tyF)Y ze#K%yUw7bYA~Q5RF^qvY7I(^Z1ik~1Og-72tgs6pg$E`DVFIRdZs$*A&;?9U z*hQwvM-bl29R_lQOm~Na?CAUj0s-+Wsx#q$5j1M~O>}Ug*quMF-h|j9O3dWm*4)U^ zFZ>qvVgWq(M?O5Vs`z89_-HyW9xvlt&-8*r(O$I9h-TNFkF?9r;xLk5O2mWZ{tkTi znd^%vDsmg41rw6+TTG*;h}oph)lZn8!Jml^jJ*!QSM|r)$|}@&{lUS^Q_K=Z1>KZU zT@w#1U^HOqZ4Du&6wjB|(9HgheWe|a`Aju)loTAZ8{Y$Zj_7K~Sf=3IcTA93XuZ+o zJwCzHi7^;1kHkXI_=7~rX$C7qKQuNCg}lg{MM)pz!GT>Sa+Z*C2RfU|bHTqSp^vuL zMb_{7iJa(YP)0i50DK?EEXNq8PaUCrJ?5d2s~GRDTVd)>Q`)_){x?Q51-tf=cn)Y9 z!=f*vYp72nBh_2<_~fyD>L3As$jpOHX{3_U0-wVkvkn`^U%jGilUh28^x;-e9v{=; zMWV>ml0jw(pdsB`vIt9eCXvCwMp)0z*myym>5@u0pi~kwQGR3U1{a*b-r2aPau8a& z8@N1%RrW&4hxCgw`qB5HuLF!()0uxv8f5mc2jq~^KZAzGR(FmJifKXpT@zby1D%s>a=d$s^SgYAo)g;txN(9 z>o9f>Oe$ZhJfaxJyuf@-z9A*_;_bxqk(~0QOi4h`b|;yeA_tjF?Jcx5k;&#aKzwFk zozXLX(~)V+N~VT|qvDwTvvi zu1eoA?svEoJy;XP1i6}(eb6bt+MD>|5oV}z6NsdD>z5;H7@g7M{p(QUx9ub7>nfOK zz9=(#{}i;p7gAZwuc1B!lQ10gWe7NpzCMMXAb1bktZ)u_vpM`C<93cvX~oPg86xdW z=Xym|rWbu*ntXwXsyJiOk3yvj1#d;+3t&GeT7#lRytm}9NS>1(CHQP7%fp5&x|Q!9 zs$-)kfa7!rU+;>#a)D_nwo2^f&EQM-ZLx?BM~n68a&;h5#!_>5w`;n8)0S*pq4ePI z1aPxE$o_n;Qp4pI{Sw_Wxh;stl6|pj>A}c9y}kQ|7sh@ObAr>r{OQ9R>by75ON#_n zpk}!yc`}&q`32qta#AHku+UE#(TY$-HYiQeROwNA#aVK@;|AEHDv9dd-KDxTxt~j2 zpX79z-RCLsyt~;<&XIJa`y}n0pHngkDXG8$!ie+cqKZtkqI%Vs2kG@es~<%x0|=ASFBWu|C-jp~=C%Ar{Os)xJ;mHDu^L9->RPo$U3^GIW< z(quP8*-g>;gN$F92o^l*_LjL#po|x-Za^jXz)7PlV(wn=D>h~^U&I6}Ti}3IKCk0O z?uY&4)Xkk>%TX&a!!3GCUvw{GfHO0t%L8qt48ltx*OSTl*hUh*tV-ub-k$Y(}$r+@5@4!5cCPOKGI@*^U zworFQVv3_>5?e-7Zl*uuRzKFMALp?9i0AY3l>J~YEe zm3c_HgKa2f>f_pUbsto|fxkY+hBq*S0$z;wLc?zuvr6ec?*&w}9z|bA7U5+py(8KE zeJ1@;vRZBkF9~)>&Kyaen;Bk*vxK>s>SQqf01MwIEAiNf_JRMz#+xSoTt3WC27OVyKy^^bumWwug9Ge|2!TI70{u^>5Y<`cz*=pqB z*b3aAn^zr1>H?&OQFJgaF0XE>pytt*Va)dvN)Qt{*ow=;>;3DLL^zok30B$d6lZlG zuH8HjwU4ETu}o_P7_0H-HpDG=51^st`nDRecT9$33tD|-wIor&FF5Uk^aHKxEBdxX z?=;JuC&IetQtkwS9K{RlC(}z5UTw3~^2BaT$SIiYMX3Z0Kr=33kmVYM4Fhn>zKd2o@hM z$6Aw0j*kYYpR`JSw1DCzuu7`xk7j9!kN>tKi}bnArGqNA%ft90zRF2(Py@21DK1$y z&P7eV(8vMxi&1M4YOiRD(5|>8Ze>LTCwitI!8hLmYs429{OUqGKPi z^U0=x2&BmX;fC@?Lmh;FNA)1^2kO+nC+_lX7^yr=4V?YBd$!4YM>4zH#7qT`6EYYr zV+3U!DU8kI*~O+~3&Bv4;ZTD{_vr4$3YW9gM@H523A|GLCZnkPk`Meu_ey3&W@pLW zSi1mTS^k}&^*VlzSLb31f$-P$-gH+Y7;{$?U9I=88S}Ghq_uHLOr887z+Hw)N#F_} zWbq7z({N^DWe@>$B{klwh%#6z?rwSqm9!$Q3^xv)_cJ3uA7PfrQ%HIb=z_a$CszpH*dZyykEz;>_H9+l&*=G}cdjD7wRMB{T!(au zWJ>vPXh34Xt1$eW*h<`i>_IvNR{cn)*qhtTYxb{3TkAmZ|5TOZ61 zY&$R4=6>-Qd>=V>En=P^U2x#7fxnvpll}M@n~+35&qXGM8WU*)sZ{X!RTFj62P7E- zyWzZD$ZxMMLaomsWfD^aPhQsgC}L+OJ$Vw5_{AuC(uCo?7JZ$IH}^qb_r|W?ufn(f z_|-Go`!1uk z2ev=>v0xq&UJeE=i9&9Fah3HOkN0!4qa6l5^DTMLi8*ix;%>>%ZbOcxxF=yPJCFFA zoZn~A0Sljt56OqeIacrzKewzD(VHxMPgkLJj|fa(&Q%ty@OFG%xqFwv{S8ewuxtkf z&vLw7Rtq)^Pd~Lk+O>)P#E8BUwku$g{xaRU)(dgu{_e^a+#~c$Ph}I8A?I>rt00gh zweJ^JOJQ0ZbLbE5k>_D`a|&PJO27r4kG+PTR#01OB7Y-Yfk%SJQRGE3Er4VQ3f0l| zai-*xeit!L_Lum_Ikz%6kI3XTaypS;@-bHLWavAL!kM1I0T8@O^=~ak%4xh7-M2jj zuh(Ylw0(NzG@aEe(1%w?^2&LZ=sV^{d7H0|Q2N4Y1NIXKJ$nKlx4jaqzgHVc;5&u8 z)1=N+X228sz55y5zH6xV715?ZPZ2oW-#I^y4HEWqytV9HyQG4For}nvOgv<)!ZJYP=zU;OFSJFsV2`IFq&%?H6dX^a?75!RcM>=Qkt|d znOaT`4}S^c>5hc(%Bs+`@LY+{h36KJbAO!2rdi=k_hxBGH+8bH4OCYp3SJpEM<+3x zseC2Of1k{L<2z=KH8XCWxCMOlit4fJX@4Gj&;~yQfwPYa zf?+VoYz_qxoSRnf_5i?1!*|xS3?PO#r=^9(k(rupOWS4 zGklrHdk4q&SL@KG+769hUUvhzynYs5 z5Vc6UH*oI0bxyx!SFN&?KAOXrmVx*3I=snRA4KA-TykTf$9!QiTCy0`JMcaX645Bk zqP<6YsJ&87@$Ar@>O0BNX$N+Tfx1Rz{JsD?-Y9zLEK}%=g_qm-=z~NvaD}-S7~gn8 z99{b)x6t_)K^=#f3+f&t^&QN%yX0Er8^WiKj7k46YR6y#g0YKPPJBz}dcYI+MT}Pu zM#Z-=Kk?fhew9zvt|yp94jQEjgJ~z9ymTnJFbv_rM+TDV;bd?k-E>#ywy>M)7Fww< zna|>7EYOtZm0tsW+!)`ryhzV8u|14jzmaej2&b}4xnl$J)pbACM6IGqtvgKeDw5>! zPsbXmHVA~3*KP8A4kAuU;&?R|b$$+pymgpfoW%3Oog>H!VSWmXja2C+hkI4Bv$tbk z*tw@zD$C;2ojC(Q(x-c7BgM-OpIupfEvm{(pmO}z&;COG0nzF@ z?|JWRWABZifXt+f0kSO}{Vd#_A{;kK9U}Qaxzhd~wUFdhn@+2+gomi(aobF)klE+{ zne;4|-%Bj5h6+vxKjp}mo*KCujzqu?(i<@)Q3VBqZ<5qDGE6s+(l?~!F_HrQ6i#2J z=p6#Xcl0B39p%1iZ3v?8BEc3o7<}m;_K?FRe^O*-P|`EQm!?NpXI+hVg)4l=mhseA)IKJczSX#-36-C9 zKa=D*yJZ%z*xvZ{C`61Znuf@y-If^Vgp5 zpikT248bIqoJiGn>%u=*_CVvG2rr9^|76uWXB-4;UD2xTgGL^0d>`pR!j?L&|-WOFSyyjYIot$G>;i77XgE ztm5E-S~byJIq?~Bo4U;!DLhwm@T9}TX8{E@9FOK7Ki%FB=Z6)so_xXkqE*#lci}`h z7o3c|liP_YCl*3D1;2xs!E~zi=*(d5<8b5n_rwR8ezFa(xH?d0o#7Og*zgeXV5ylI z$o42_s0pA7+%bDAxM8bzz<_RrjqpfoyAkDC-+wkZ1{L*ztx0X#wuy+D=9pmkG|_tP zHOC%N-!yez?d)&TwkLLuDq5LDF6%6#A0VmWpsnRhI?OFs5|zi{P}BPv6M7f5R1@z;b-siZ&oYsU4JqQ&#XG5Bz{VB& zpAmEUZ^<)Y9nn5T{FBUB^>Y--Bo6z(3LZiS-Xa@eJVDs}A+Ar!VFYtD1pm7baX9*# zFH^E6!~9xPX~5pU&R((vGcTY#r_QDHtc1`B)jfdRF%Fe|5r#q?l-J_-?u3IZ?!NJ6 zZ62X2u-fal~{af_e#wC&HZUMI7ihY@%Y=d zNY?4(2QfK2@Rd5%#;37+*F`qQbA3q@bj(Nc-*lV%B3D&~5AEHg`}%t1nt9=RB*VYg ziK?is@|ez*?74gQF&*=B1$?bV#F>B8#?{D!!WuKZhI9`y(i4+GkDhEl@omtFyxFAs z$ZfRVNc5yP9f1=K;ai%zS5T6ejL7SxByCD2q^6AydcK*P!h4-jk{l-KDPow@Y~oKk zzi0OYgdXWDB`+W*`CpRy62a?7Bla}~AoL@?lC@Py94(3wl zOsXgw$=|;0Y^EspgqJZpm!cmbiB|w0<>*mv5!nx1pFDls(=2Cpkv4ZPFeM}b`kJ_~ z2xiuE1QiUA7xVay;xgyweGBhp?MD0(SuM}Oo^Boe#60W#Wa0Wcs(>~PkHt0F6JReE zW|)A@>cB2|r;5b`Bnx!Gcw;5%Q0e6)DiH3m;rHmjQqC7$!m=LJa9D|zr1r%`FHoZ40Sh3OfqCEckkXq72VXl1rq%amPZ*Av z3E`Ef)z?QV%NJfwVn#b}?<;Lf0-^2|rY1>(2|n4q3)0mZuI(gH@x@O+3Q^m;K?l+@ ziMGF0Wp}5KF^*dqDYO>50S)CWdn0VI-rCD7 z6A3%eIzh07pNuZs5M|fYKm0)CXD@SPMz#&nZ{mkbWTc< zUQ6+0sLzMI=@aQGX?&jcsg6F#aYMmY%a$3zD)tD{YOaF=_s7ESWMlgfu26d$1#f;R zFhqM7b(|#M1rM&*b>21Cj=7EUl&nCNhjg5*ye=+<4SmNe{IoI%6|Cq87%JzYs^0M< z<_U|D{J2T$rw_ev<@RYs`bq~b{rN5nCVPP;qcRcK%cyJs(tbi#E$xZA2%MUX=~w)D zV+9?P+;bk+~>TaVQ&QKV6+h{o*hfTl`S0C|aCI=FotCGX% zj5id*#Tjt&9Wg4`;VIU>G`qhCxtE<|7JI`U-1()5`veR?#p66JVy}3rq9<}J1|#}h z@th|EWigwa1qbEciNffVU@fR9NNRG3K~_f|s9>()k1>T@OI2UAE5~ud&_Y=sO_vVQ z!gEevm3Q5QV?U6By1m3rn&KWIgSCYQ;RzFS8{NGdIXGbPe%RM(&vdUyIet98i+rh&|T z;I!u9kADv58r%#Zd!s6~O-LOL5wt+tvx!o)+riJp+d-;#qPBpTAuEK`F^+lM?M>F6 z!s>BaT1=8Br9sOp`Xgau>U(|MwGcN2o|fYW##fUIS}}HS_Gwq^gGMSiNq^?NHc8+9 zDfl)n!|i{Aw`Sb_Jd+;eaJhv%DYk20Bq1f*o9Z$4h+e2m9=Tc_r@%l7zMAaULI5b# zSMe*49DkyH8Rga*(3qv#QzrRy9e5@1YUlUenzltLLnOAvl?3qZOHUVoooi*2@{1BPIM8*`zdYybX z5^Tku1ew-3KcHZy0MX@CW>(xxQwv_1V79q;Aad)iq3_YYv13MipU&(UM?MZ-DR=0A zp4!LU%2%Fe!K3ElEQ8d1XWSR%?rGyOzk%2R_l8Hi`+V9mk0}ah{ABHCL_WbwEu%?+ zFPZ>$j;y#bX9=G{d=OI5<_^?!$)a-uSaimqv5#QV&mRl)0u#=r8~EILHyC&iKaQM( z9{_*Z9$Fu~;d?%NERVSl)hEr`clt%e=t3i^fPaH9w_O{czwiy>zNu(N50AM}hZoi1 zrdBleDSY8)wCHD4u?}6h0Z+Igz6<)QYV2g^mJ+s-W}8YRQ`9*qg}#lVG40+!yIrDW z?q93XlUSH~p_Y`YwPy9Y6ltBA7)Nff#){cK>D+pHf(h3#J7q5-dUIZSG#mFm{T}h} zarx34W)9pFByA}I>xw!Ng}y`dFcTQSygVjK4Qi$$n-pbK+h5n5!mjLDCON>?cWqp7c70^jQTpQT`09 zbX5AX`!G|ZZef_`z?RPJsiLtq2nmFf8&vi%n3Kq@i{cBh=SiWv%uT3jg`b{_0?w{u z9$F;0WJg`Wl9Zx+B)x8RKVb6C?4~WI-F{7d1StbTV?o;q$Qvo)L9%*PT&d(9 z#5=>t3Clb=OC ziZ9R>A^N*+Tt1aO_Fn9_F-2SfC$Qr^T-yGj2u^jQjihz+5TtTgm}ph*Zkbm6!N`}2 zZb%G`PpBwOl%qD6hzmo*ae2^z0eDD5@71hl+5KVqkgWvGcA` z3o;0^{AfZ2qdRoge^1NUq7V@9unnB_OBxrf++hIy;|Jgp>!@JIrWcJ%;1@IF#e?#a z;t3<5OF|xfWrl9a-Kcsfidb3)>%N}?!FZKVgB`?sGtE|a>xIUl<(WN(^1Bc?(a>F=|=1Xta48~BY}ars~QVlL-@DdPRt z{5AWf^5$NSelPG`dVW?{34TqHcR2-wVs{k^Zi|P{U(T%SlX5u)6uT?&A9K$CHRr(P z6q@JX7UxfI`ZtgLUCYD)y#7F2)YXLAm6gf;wJ83}rGrXcQQ1E&$nUOqm8vV{Z#m`t z)+kWri#K&8zOv>1O$lorBk0Q8yQE3(#hh~gkkfBv=*k@AURNao zSB}d6AmfQYT!#0#PfMuf!RcE?&Fo<07`o<)`FdIh|n{ymCpu;*R>?lmP9Dhy1==;6`Q#n32hG z28`c5UWu2u>&l-@^*HfF{H8x#inl;NC3v~6zcx=-|8)(|-%5RP;&nae52=-$U&k2~ zrmL2}OW)NlUD;oe?xKPd7Y&zNw5No znBT9D_zfqhOV0n_=h#(}-x~J{btx{w0bJ?7Twuf9Fa7ZI6_9}>@TU)JYG|mQbqSN| z_B)N%m+#lPcOUv0yDz*9s8s(|)qj;R|5erFo3XC7`*$0SKd5M38tkR_-{i>ew9-pr zyld9}CgMPM{^NaJ`opE)|EsFU{;R6TxA0wy;(t~3E0D4OtE&Is?U(-}&H4AT>$k1? zf3m0ij~@76RsFxJ`frLYSPCyKh5x@*)&CUUG@HvA!s#xe=2}MpdM}z1o7r6B%Z**r z?5l`24~f=K1yi$?6RrTk1?`pn*JQRo`3>?*&iWNK86O2yiOu(%zd}(?nA}ibT|4!X zmi#uhegr}Acb^AD;JYBzfAEw)t=Xdzx6CwzyB}Yy-0dkB=@~0yGb$SDV^e)YM}>U@ za(#*#P*aO+$eiO-m3*9L3^zB6y)xjNmdgQXbeiQ-Bar2W07DJr$D49h#X43-#sbYk z^+FBuN@U3Km)Vdl$CsOv<7dS(=1F6IUYclyOGd??hn3Jb$l%Xsto*$uB`*-bD?(o( zqd(VQmX6K2zPx-D_X=HwOpvx9G(KJwB@h7UZHoe>@T(K{BcocNI?C`${vNn37u-;} zK#m2Tmse0QX;3`x3F*j~mse0x0l5_9<~h!W-bTiJ#Sa;$!B2UC{1O|2JG30Xf^FJ% zWPz&ZD@w?L_dejqdeSyUfj5Bf{W zurW^ofMR@v8DmzV-nsakHX6k%laqr-!7~kN4zO}qnIibj4;3uJqxg-+T%TI{C|m_J zx*`C8Lj{%n0m#l@Y{vb?21BmOY~(qklA9k3#dCw=6y%j1(L)w0fZ-jI$08$i47mjO zUf{QYnuiowd#d{Bsi&5Z&dPgN?y@HgXiYvX%*jMgTJ8Ys1B;8D1k|bAZ@N64=UOLsf%C7 zY0AgYNB*1~=p)BWKo@*5-iY~uT=RB_K7vZ-7Cnz0-=dtd=dlSoQ!TA_e83d7KVJ4F zVJOHgo{xJ%vnIvs=Z9~a4MCv`{AI%pPyi(_M+vWy&&GfA2f#xDlI7>;mt;e0RjoA` za|5|sJ_+3jovIY%Oe)bKwa9CLw1NCs3m&ATLT9P|Kpwscn6>aHNCR{VgO&@xAx5P@ zftkG8z}@Vs+4LKRxbKFWZGt`BoM9LB(yHgbJ$G%$+|6#c zIm}LTcY6=J%kH*i+OzB)yVu+^Bb(S>^}xv{qU7}Cv-6&qVC!Yiu`5}sJ=dOR_nS3) zzP-R4um^3u?R_kT`p_M({P557t+u}Qe)g~)%2AL(-vCr5#pV+GK=U9=skzKDSU<$Q z=J*WlHe0#9!ah_FWffMG+--~4D~-e5dmp({mg#DzT#{p7ceg&rxNqMLa_sb$OLFXg z-NJt=$cAwRmm%(fiABQz?M|ii=>oO~Eb5DY(78A2xJ9}v1oeLas*ccNyt5169=f*F zS$YlpuS3m9zuJKE5COlyhis$=NP7#)(qm(vETr!N?qJAlutTZ=tFf`hX7~}n?{yi7 zSp87lI|*nsr2G&gn*jm@hGoF4#%7%zSONxEAeH6f6GmVBzaMhH^?1BNFN4L`MXwof zsY$=nTi?{X-`odHx(NRJe+G*`in)b&2q#=z8EOnk5Kw^#GSPs{fB|oUR|>o^y!7zW z!OH-zM0f#id>{JP_D=q--Ph{5+x5R|_c%vy{Lf~D-n#f_MOnsw{S_{~h)*B-wc!oW z@C@U0UYtufMv`z4r3=pv^xPTEjiZA-92r)0rJ zcvKSfrrvJK(c9p`7X2VH%SbRxJa4EDf-Lps1Pc*=T`W-n6z*c7ZE&-ZaDVjdm7Pdb zltd>tU+Trh3D(C6_j6A{FW&p)#a{f^_V^!K=}+gyOm5f^j=tE31qNfh4{^K?<9$ZJ zD*^hdYi`78HR69TM~>>aw|+lIjF+zcp|Ae+S4eh0K7HS>eWkxNNua5a-2iP~H+Z$h zV2?MXAwF$jh8SR^Cs+*ng>~=rNzj9Cm4&jPji7lUbu#n`+z0Fl!(j5*4E^F)hzvt~ zvJHYx&VsIkUP5+#&c*AH)5VEsgS((pOJCh8Rgon;{Fi zzd!W*o~VRF`b$0WuEF|OgM0IH&=b24UhIi~t!=y~{`FV%r#-R%PJ-L~4$P=um90%j zbqfV(r{5e5E+3Cx-b&kfF^+N{Ke-5|B12QGh($)=epf9BKvJg1sz;%V80ZxeVy@@c z5%-YSaiaO+nF7-QiyL<@iT;IJ)9#nmpzCaW>k;U zE4CuF3>Aei*Bd-`@f0L$03tMuIL`Tiq^qhX?hv)#@eoOugb)T8Elg<1*zsu9CvWoE)2em_+p|d2Y?ND3tpv!|#aVH(=F;mZ^RHm+EVv~{b1CN~lzYI*c9ao!I})hOcsiUyzC~Hc z@wV|GJ^&}*vDj8UyQ!%~wo^1UmZC55Qga!3myTZS{cEC4GiqZ%pII)m=n}g!aGX+= zqDDO^vea1fpeWpqM^kG#GgSkxYIseN%_#Z=e0Tv~Gf}0(kL7&%0#_)_8}Gq7YoIC4)J}df zE*pBm9-UJ=#XdFKG$mFa119_UnG9ayBFKDmLv?ekzWuJOY@+TabM?VLqk1LK>)4~%EmqH z_PMn)X4tE1>%*)e+8o?^vFV#*I5Vn4;ot(KY&6c89djH&Q;2Pb+Ik!_G>OHmGt z&{;LnnQ(wa8&HKK@mHz<&))Vq8-D1R3MeY@MB-DJ8Fg2;<&eW*WQ`zuQR(3iIv)~c zoErW|Q5K5!f+-NEuwGO$8kyn@@|E8wGA~rFLnR_2?<41M5`aH||Dq8X0sv=`OAl>B z>c@IcB+dAr&NoW#i;d5rgyL&`KK{R_~X{%DxhK$RIw8k)3J1f#FEIdhhMYD2@6LrDjow=~7- zqP6u~*21_bJ}}SFT+`O`+*R!^Vvh;tWHz1`7g%#*O)XpQ23BZeZF3FTgUChM1T4?h z(F2n$GiL&a$1HqwYk_HMjXg@Zi4S|krc8~^f=5q|(&J5UL`?P3+Bxof$HPKnh z;2u+IXU%MwRSOJLht?l@2F3vl&nB{sc&PnH7>V`auTW+YlaQ0y6tlxhIvb9bTI@kf z0)!(v9w4{&0E&%Tm}T(01Dj^eZi-Q__}=C1J+h%q8en+Ww*bk+9LKH1Qk3nwofzpk zVQ+-Q@VwZpLnBZ2M>S#niE1>J>Sh7yQr<9Ydm>R7&bGnyYk-r9lk-sn+t)};hSnb5 zQ0MZU0(f(L&Rjp$9-S(GnMnVV>`43KG4dl?A&Er?`k|QcTGDK*vxuTyfPN&l0m>{I z2mr`1T}%+}h06{0qHyn!AG!1fxs9qdUt~(b)wJDss2i6`3^;I%XAeDwmlHpf*S9}o z{U=E|)%nDssVrk$`buYFR{U^W4^k0?N$kPUxFo97P*kh_4ebj$+mncZ>rO89B8x=( zCREQ`T-kUZ(O>O}$v3Dy;X)X@R8{+%vjw8RmWd+U$#z%@h$Tqoo7>9`&9UHo1U)Ag zdru~z+S${E4P-QV>|TT8Hs86s~$GZ*_wXj|Zkz`|YO|)%qhiIyaWzH)9 zhTcq?WP4>S`j|P}UIR>c>I9%7ZNgPeRP-iP{b-zL8z!;hm1CdeN9GlTX9Wg|w z(xoJ-pk2wX+kk$=kMWc?0yVVFHqDalW9VTN;Ae3wW4oePGr4tr;K6j7$vh)AYnDvb zP&PETbI6$`9;;~BXP!93`A9Z#j^ z5?m%+95YBhn!8RU>ariyQy;`}&5 zescVN^1iBWaSEIU!Dtrk&NgF3Au5_^1be{4w?~(XSG9c*2XxW}Gm!hVx#AjFQu#*5 z@}ip&Ur(Nkhb9d`olBx)a0eFnk*+ehGzvjf8TUBhz^6N3;jiLfkhda3X*Cfe@^~kH zEYh3IDEb-^4dsIm&Jg<&6x3QV@g&dz9>*Zl;ZVbs{EP`XRx#-vc<3fIUiu# z2Rm1>wR41RY_apq8e$nkS#M^n&nBI*Bl+CKllagnB3ZT=$=-$!b=C(`e@oz?V?Y%q52bhWi<+LPX*;zMJ~I zt}f``4p6Xl8acDXfyh4LBxVZePI;47=?Do2i?hmJM4<Hw1c5T`%~B?PDWvw5xNE8l0yyDV9#ENj^v)hg}Agf!8M!jhs8q& z>7Q(X8UpAMfYf-3`w)*5yE`(_ciX={HJ>(<#4^t>*xJ(fME?pK>Np0z_kvLpSq&gj zfrGgSf$njhSfM79{BnR3A9Is5HHj#lR~N?xYpnV#LA?P1{#bXjwbjTqa2ebz>~dTO zd3NJm{7WTaq#Z`S3&KBWx+WQqD6TQJ0D%wDsnjwPA9hlj>y6?D{0hX6w-%ycFGS4> zzK5FbMb+7e`_i?2vZb#rEVOSW zL-%C0){N*dZJ1TMHbc6fCEk*TS`QU7-C3(iK4C^->r8972Q!NXPx`r1t%&K2$+4zp zSgmJBw^`9B`fGCr=)(58SghIU%b-Wzh!BcnFrXzv~@L2aB+!%>aHhv{2-wa z_m^)e+s_&7qv+S{5C-Mx$L>uf%E$$-cIgKe?AP=;3-f~2MI$?tLJnnUVJmznw(!|f zE$3s2r+F!srw(>d)1}e&=t}k}v&c}5urX+c*IanbgVzGzOh!D}I?NC$0wwO7R88MO9VEIQjz7jl9QS;8|~a1e81CXZ8iNb*B(B7uc&C zn(AOX5rh5AoY*Y7#ag_E81}_U+L(++(A(_Bsk2-Bm29mrl7I1ybaJJ2we7i^(bAVt zw!md{_9S)@r(CbLA3{xRdz$Md7XaILG;)pfnRI%PgWbcjxej6wb$rWp?6XGHvTkK( zHajRC>KcB+Y@ZpOH7oR2qHQ2Q3Mb*a*b5GTl8Ech^y6usyA6|@9k8j`nrp0!*0VQt zM`7Y2LNU}&6*i|kT5SzY_Nlc^Gq@GPC+T83Y>1+>>~mxE;4~C=q_91$^3OKZKpe%7 zSwMH1RXc_Ko9L2Hd}o-^(mBo0+;rlu?UU#a(uk+I&A}JbW6v7wQ99Oxt`hJ!C`!MP zZUp_0y;*dP7l8RsEWMhVfZf*23{>q}Y-n!i{MHeJSlfuSQ!4v8v9y@JE%ne-hxVWN z^o>@bjX$`$^r%zpPWcV9n(2=2rnr)O;$E5)QIxvJ+*~ueZj$vE2!GNZ;7{>Y@ARNG zqwru_I7R%%gM2r_zQwVaW(92=Dpl}a;qToKo~7?eq7P=0KT;!3=p6&G&(Y8N17A2D z&80Jq^je>-1_njYJ|(NA;>KV`L;fal_zXqZ}4y1Y1y zs!x12QUr4Py@9inZa2ywcVillg#lm87%NAZ_uQDt`-d<|ix_QIi;+w4%eSFG}1fFlHy5S%LBT`?U& z7#1*bY{$i;iVwTCLoBzA3VcNj#%Ai2IDr2Kuc^#MRSOU-gLWWUeFv8lGa*V^LM_;j zX(Fxop!8Z6ahGo=Ka5!=kJRzk0MKll_R-@xtMc4X0Gzi98TZFaf@(ESz3JAI(7nh zGWx0=u&QsGhuNxY5iy!?^#feAItsanic}D&%6=`NcYIX5hfiY$$v@-H zNthvel0(Ib6%ezoTat?!AM)-J$*&@JS{Wl=Slq$nh^@qXd@n-4X284BQ0O@wY7u3} z{Y(i#iECV|p^|uQU?d^qFgX_|d3@w6M7I@@(BpbBgQ(^DpcWF&-SBFoJPcb~MO;Mg zCo5eGBdf#;oHgdC`<#WhNvzc&;G?9>Su1i8c~ls|lR0FntA*?!qvgw4)f|!#ew|&x z^OK3^REX?5jL5u^>j8uVR761jn;{NkJ~qm$kb6_khEmB)u7Gm|AQ6t@ZuHYhUZoq= zjh>L=^|^>MR#GV3TG7W30x16E4V}0@nM?9yRN8JNE&L!}CO7hf2rpSmrPD9b zG%%zd<@vPsfq*^1|Fu}b?^3;Zq3BvbYJ)u)FHq~t7txzj0`{kdw4lJEJ>bY@>PqAs>Y(N zD~P_+ZbU+>k@UIVvgW7I&r#7Q@q_py$JgR4P-8I9pC7$Z}%#v5)whNm1dM z6u{Xm_oq|x6DzTO>{SS-b7Kf9dXw-IL+m82{~vpAAJ6Z$t2gTKvRrcV-jU5x+^0RzXI9^ zmO`==55+0K0LMu(>y^X_G0al^!vam$R!1}I&))*={`_#g*!5JDNh^ES=boHP1#u*7zp5KeKq z0++WLWJNdhJ(zUl@+?XJm0_0+yA~=bzTl#c}17ZCJOa#Bu!!;qlMF@a8jB0W5#|vnP@*6hWmrZ;RO}Z z(P_py(DD^rr|ndO&T9AdW5Z1g?(;14Uy!EgVmfzKcXmIc#9nhM&w=n-LTI{CBk6xI za(`JxWRj7W$r7v}<4i+cF$k}dgP)dpjlOdPvR+6&_s02t`@iPcj*kT9S~wS(@3VU)>z9g7vKo(o7z9` zXVxGuD}l@i!eyGRz3?s=KFG#3SMwjjbKDP-c4?*Q1K$qn%S^Mu<3EvZg&g~q(mzgHo-|&L zge7$|1o!%pg|Oj>$IUPeM-h)ZlUh4|)P$&{r^rbEJ`&U1D83_|4{Z5x4VmcekDB-E z5*f3{PR7t#WL0uDiN>{fpp@MnP4CtD$WfVfzc!O;UUEUtf5^2yiDS$S%9}$9;*iUM zHf;q(GL98%I^^vxA-3~2e?hWqkhoko4K~oW?R%IEq_9KcXplFCu#- zcBDuqQ`zN@pr5&j&-E@AfDmsVfP_MEt-TIaxzO43z=0P=kmcfZ8Y$=()*#x?JrsXR zSz#5I0WpA@C_!ubp!9hpIJgpscV^NlCVjP0dK$f_HAW>i#ps8LmJ>ShN{Hs^2+bC? z^h>D$T`4BL*d;NEM<}<2DaU&Abygf+1iQ`>Bo4?Mg>;V!PIiJ^w+hdvQ!qGz3YZfo zz-AW$1N<@#{uamR=87V>3kMdI2+>v35g3$>K}Jbivg5jNrOa}<<6Yvw3SlS+e7KaL zlF+gGn%Au>oWV>a&ldWvH=~8Uo^tm)0Wb-m zQfP6mNnzYX-};#o#H}T~PG^u=f7gaYYTk%34v~`#O99p9y{b3vQEB#@w365EkqINI zCtU+3+)TADNk1JTp}-?I`sE}xJ(Dd~va1=v!$_HWSeI3s2NYDV$;?%@8NgQuwplrB zMb?7fy0(BxTj5T!nmwSvqlFb`r_$l&8RriO4s3)+0uSePEV6n(VHiMnuw81=FoGlPYGjd`IAvf zuNaR+lRANAav{{v?tBH|OwwM^$T9^mYJrpieU{sfb7a=ait}O8e*3X7)~C}?izcsd zj49eYH`*O7vIJJ_%!ehbnO=~AGIaLB&EAq|M#}h^_p+LDmRaR~U318*i(}Gp8ByfD zoWiV0o=OIRX-=zY8oQS@-2o|DdMy*ic@J1WNl9p&^+MPt7ymKeRnvR}Pd9B8`IB$B z`l3y{cp1er4-uMyt>P41u8R={wJp%gs4l+lJ4gmxYbOtpN+A#L%V|M}o)W$nS7d^y zXES2-d8@;56ni!TdRYRVzyBA}51L5}kPs)P)4WaBEw_aeRF6O9(^&RaB+OWa)9rUK ztW#Eb?Cg^Y!kG5ay{3WXLn;c8xC&vreq&3T@ue=5?>+l)h)yOh_KZuxn}< zR{I>k(}xGr=i7#oK*z&mko93AW?4rfn#J&Vq~l)peTAmC%9O>fjxZ(i_b{FRqE>$w z8K=KL_R>kR%)C(zfp+E^G>5|L2qPuDO>Ip>&Cqey*SvUbz2jTQvOqM|<@Ywlu)`v_ zcr32jou7tp2*YRwcY}#EUyyTNQ?h$3P2p4Fpft zyndnh5pq0e*}1}3k+DMuoyX=kJ~K#)!Xuepu2Wc-#XU)O=IzFUkF$WB*CX_vg5e0Q z)lcQwAGySkh}NUNjU-N&0dp0^-CYPzV%2)9!Vd7No7B{wOBV zcr_wtE)ujwbCB+>9MH>)a}I(@qVxt5^z=ElHWKd_qJ=iGPKeVr%+VwIt4HS7ot^5KIV1H#j;MCd>ZihP7u(P5C$(uo;% z`yiCA(HY76CfI2ZmcAl&)I8=G=D8=Z&)Ub!1#nJvsld}=>?aWrtkiwNoD-HXD&50e zzRW88xr&d7Fb`Io8=v?R$4EMmVX_Z(d7Y@nt6!+N@;=9$tAO=oUt@)WQC-38##qv9 zH7Q8GJsjKg^p56sMAwIzX2j|g?FYG0zIdZALb(^>E!KzoU%$gS$!%xNQVgxZUgk9p9YB&dZebY2e%B#KHbq3_E>CJR~hNXB^$9yzGP=gu$<` zio#j?=SE4L#-mYK)HFL2O@+kO{(-i50DC%)hmd8pyC2*P`|5aE{k-HD?VJI42fjiE zplbGfx)j4M8^@Qa^@UVYcxPs6A5Z6oo3dGkv1GZuu&gOf(|nxfNye$nJ-Ap^JrmM# z?2G~ODS?^1N~!kGHq`j1^D`n)jpJxxJ`~ULnmRCdRy~BOB8$nB{Ckk^SW;FR&Revd z>b4~TtH51;L8GVaabr;o(qHrt_wju~G@IXhXA}7ET%O9FHp03lL5gBGm4MJKFD@4L z<7i=usL{+T6h^S0#_F2zPFjjZm`t%stP-xm$5my3@B7_umx(r1tBEvPA0xQv_)IK` z-@}fciw<_|L^JO+ zj59ZkW5*9_{#v+?xnQx!%{I)gt_d_G;Y*kGeifRnVKb<DQgVTTq=Sv;Jo}WX^Trc**8o7HqEQes{hK(KQEWs?9Z0- z`=eDg)l;U_k%;ZzD=?XAGag_UiwhWVqa~!_1(_3hkq|3iR z#4MuZ^IPoQ~0c*AtPgE*ERw4qQSQUH87jn_30P*)syj2)1}U1@>)n;KknAM73?6n z_Wi83M$NGpJlS1IF3~smB01Y3*G#8o>gL`33Wo+kH;oON2^EsxP(9PoFxwA#b@v>$ zSPp&=vg#`KWS05)0N#xKeus3%xe;-rO?_onoOsH|%(wSe2EsCVm@AmV73N_jI-ZW# zcodS2?~3G$6~bhW4a^t&!j4wo(Jbnh9^C_3GTRlNE~RVOrKfX)Nt;7Q(rQi|D8cY17V&|AQ-EOP)hZN zz>J1~)lg7tzzogmw)W=FXk><(>h0BTt0X3YTf3x4QO16w1o-`J%wH!;;(R={3Po%1|?p zty8K4kQJXf$&^b5Yx)ndOvL5bjpf>Qt>&zj^PmRH7pTFyr?NSl8nmYd)6sa3>C*)s zO&_o4hRnJuzo_7mu+sUF>;*ZROf&Z%b32vOt0y;TWK>-XxCj3X{;Ebft+8RYc0OBo z$n2T4?a@3#cuQJLQ|dWcPd3@lj~sI4VKr3GRR84mb+XzTzGHgxRoT!0|6`

    +n6CQA#bpGi7*pZ88= z^}|w^X}P~|p#{}CR}_G0$Hhq3#YmK^DJn))ET_R2tT;qgRm(r6IQxq)0&iztF8oRO z!=3HPW1ay)Q{$ZoNz`Q^e=?6Vn_o2Ds_BpWw7wHl4a0c=!uh61G|w`Iy{f`{WY*Ti z^e9u;So4JkT_q9uBm>>xqfAWh}8n-GiUXuvE&E~^#;sC(FX)*;-n>a)$NQcBIEOw|;*T_#&;RhM5 zF`rGm(VL0Y73*|FVgDLYUS}01=V%cvb4=5$)#zN*AWh*1MzbeCJzK3kBB%X?C(^@B zd)Z!*x+q<#)Z|IAj*cW9_OXc06cUY_`)W_BuveH5DaJo=6KrgC;IM;xVOLv<>kq^L z!ioGS8zi$xl7w2P3W(h(e z{QW9nYt9F8z6*LLCU3OPwG*+4G~-RGCl58QXSc+4E--!NOvX5tpC%{Q0T6tT{W%U| zPv+q~GZUOQ^DdzLeEe9B9tqiJM|b{A)=BfRt@2aEEf(8^=Y)*{&(5Vu6XIwfkB7=#Jr9mt0vn&oC3lEAwP| zM{hFO)2Tlwzq~!BDlh|9IY}BH1YZ?ss`1W<&Vh0Oa$N2Qkgjtz+R<{;Ph=GNgWW8b z0|Ku79H2=^8GeT?9Koh3_y_0k$)l~i!$~^sL%)ISQr-1y>{gb1$bU5&7AgGi9By*f zjP87a48#R=Ap3CvBoFB?+Mgrkqv{*kK{MG!k(a|!fPX(y{{fGt=<}%Ni5S_`0DDgj z`*T#ALh7YI7!C4-CwSvGk?eFOJ2^tt0FcNTQ1jbko%F7_2=9#DWN0P(&BbWx`RXLNUza6-0@b@7J&#RGEkxx(|`_Nol2hs4mRqV`2ltd2! zQh?QoPVhKC?*h-wRgjh>_xZOu??a~W#J}RnzetktuXrhrI)$j~7adLdH`6%|EO4#= zO3W#AAC_D>XRz^0a#iJzxl>1{}W;AA>ph^7*j}(a2BaDK5RA()~;Z&UP~2;p-QZ& zX>VVP&od@ll}F7nxF4M>y}95G>1TW#OOE}ULYZPsmx5$l=Y-(?%n9fG5UzyUoy8%d zjoU$Z(gGvHhcu0gBEvFIA$J&bmpZVr#yh~+1&qYVOyCI-0fIref!$f_T&)bYMwC`h zHHYJkiE=(S0$HtKCBIWkk}AOH!iAa#_^+{FgDfrKTVm`{s5(-Nx_z6e3j#Wcsp!2B zx31cxJ3wnqldL&&Tyb)DI6FeF=_|(%;`>Yw>!OXb`f!?S~`bOp|Ox~?C zOJNX=Uk)P8nb%Nzp46K;f(QCcrf6GbV&75JVh1s{7es4e9QN4zqOwJZe$*ZkSj735 z8mUp-B(uJtP3WH(#`;HDZ|38<*4LD_VZQqUy{x^Em`5e9pKBf}JrE*h*z)NcXHDE| z)+=fFL7DYY=H);m?%ZG@`_G-U=s$^|Cxqb;@BvGTOu2Vt75B@e1_xcBfzrarLJ}z2nl+A6#C@Ef&Wb7=el*Uy+49*9Su+k+|MCS zyjFZth!&p`qQqm6SlN?VjT{5pd{okY%+XBY42~R!L#chb*PO2o1!kTi!F674F{1tZnL^en>bk^oy=MQ{0EH12fMsBLR-1`xO$ z#!N2~L~2jGLY?`j?opBeyN8h(KK2zQ-K@)F4uG0#PO-1^eBIpi9e5>GOE-@^<8y ztUE50;F-qG7*-x@jF*$6o;)1w{5Fh>;(t;4`U7BQYMhWhHUUp3G5BozPsWcU81BL} zPGyd^xi<*g^@QTd5U(8$3DIk5q&Eb^&5TgK7G(C*&*7&e7a8fuVTM6c{}1wR0XRXd z$e&J>V+Z0(Tw&rzv=Y*pDNJ5@A)Xk_aEkZS4v>{UdqRY?JI-Q~u%cxPr?Nj5#JD?b zkk@sBWkCuABP@OC7H%0ASu_&m=#aY{vR#GixDnf0lH6F`pkONQ88y^v7H=(LS;Ap1=K-L_7!k$q;RWxS6P-WM!Ny-X?Hlq1a=pid<4IlX5j@D~jrU&5LHD`L zRC7Bj(B-a8JS`Uv6CHdd!BQu;!GTUb+OZwq3kxr&hR0LUT(29b*+gV+R$A1GLkvCec=NQJO~_YM*k zN@>g+x-UVrb~H}VNqD8O3CHDWL&z9>Tqw}Faer@Lm?lZ3>u{_KM2e~6 zx44u{a*w#6Cm+!?&4*&3*b89uwRjQR86ou3EzPSyc~66kIet-ixAY(ppGwcfX?&tl z)Nx+#VMJa5Xq-5L00|L4V|@*Yyx0Q8W)SeFyo5HT-o~*Cc*q8pOkVdfqhxM`IqPn#j! zd@yq!V7no$KN(zxy(&3-n8BmKXfX+4?b)BmeC|=oW+dZ_=vwjt+A7_zFN=n#=cV-f zl1I?pPQZ;!5}3sFdF>O0F(lfi6{GQA*oTun--xkvm3AyE44q~}bPohgwvQ}4n^T4D zTM_ugZ9#ZGPH=5Rrhetc_$PL;&VMi7M)GY-G{+-IDhA^^eOz+loe05zefpdIjIR#I zEA8K7%Q2x2J6v@LuY|B*jdvquM^IF2ew#P0i75A&s;f^F8Ib0-Dn~-MpDuNSU7g0R z45dQ=w3;K%r3Tu7Pi-44s_~7Mvzf`r*c>G$d0OlVXkKR793)C)FL<7dx60s`1U}Yz z_bTk=NH8!1^PBi;xl4z9A$F2Me=ZqFo#N}XmuHAIJ4t+n7W)%*YVl2)?E(?uUZ4*v zHtB}fnc=Zg^K;n&6OrI(r3kScCH_X!!z37`Uw&+2w!7&T^SPs!OIc>iqg zvqsMfGPP5HLAlU$ZME;Vwn)wlvFC(yLZt;s%kfJ9c1^%43kMmri;hsMfHq_y(v_Ko z!0oEEg_N&F`&PxTZSNaBdC7YEm&s&f(k$&VgCl?wr-Bx zKd35(A^!S#h9Lc_hp%$?l%CRb^Su5)lxJi&-6LuC)Y?X%t^{@ax(f`^{~(hkNIrpG zEqq}&|D>mkz`XPKu(W3W&ld)dhI8RO_}xu$`uoO%Cjl!3m|nqO0Ll$gry!sY)S4cy z3S2J;;SHiNyD5F3(*VS<+HOg}yR5#R%Lcz7Si+>>@qOSb0MUet_gof8GQm3cch?%k z>SuOS&)nUW)P2ItDM>w_1#ABnM`1ZS%+zm*D`-u69xPeU7-Gktx z?viw~_n^9iZ4#V(gDqeP&b~n&3y_#qJl-R8oKo#g8*?*KkhDc_rcbl?hd60(mY{K zhfdhjH@gcSy#MaX?s-%VMcp@jw=RM$6yywcm%67Op$>bh3;IZq_gDXq3hSx&VCR_v z_vr4anZFx5STlb^&i}rZU}q1ae1o0iE)O->j8NA9dE|q9ue)6{SO?u@of?$wgxg38 z)(2c9$lZY}K*tRZBX?I35Xuks=$=}<+qeJy90u>QyF&&q5`41$eh|A`@PGJ4!8!-- zBQ)CG1G)RxxZ{J)zBBHzI!O;2C{N2~s0 zM1uAYHfn9KY&~ZOImO*&f&IvT6)XOsSh4*D*sBOi(SgELVoVtHuG;!}J(Tcoo*|ld zf5GNed;h}bmtO-?xDzG(cZ&P(6c-$m{yW9}J?C^!NrwMUasQp-<^hQZ(kuVJPjUZI zkmJ3zA;RjS;lfqgEsyf(3OwEbli?`H%Kk0DVYsVluZxmd6Efpb9I*Fc_fb2WBs-H( z&d471jfWu~nGE){C?<10Le=yh6)e}SJQJtt7U0LCx_j-`htUXc3y;ZRmFomeXp!kl z-NFCR{Uj1_Opw3PH6a}%3jXv|kO(j`5@E$fkVITeVuXppkl-K_oVBeSlLayYQ?R;6 zB}1?>g0vu}dx2o>1zF8+x@8XNcfo@IS_M)8$)8{mPgD0OV3@L$!9^Ukg8$nzx)fXG zusee&fN*!s%pk-G)QmZ0a1TZL$YJF~xbEz{z)4RD90cu{Cb<%U+#!MVqEt^S&dMp5kp+K zDZ}Lf@9X4;?g~9*P7XmDU^vJ^=!+|e+baO59F*w zt?}3*GzBJ0p~~PsLo(ry0&DT(oM3VlSVPEzN6tEqA9|eV3U>!l=#LjH2&KE~9I)BP zo5A{fB$CqV`eZtRno&`Ns;?s{-y*mc{J^POzV%P*kqaP~+bd8sGZ4UEH##1uTS{Z| zmWC41F^I74uGT3e(m6hajy}}jc(g|-#bc0p>ZwL5cN;hr-iX!Gubf)dPy@TGoM4** zz}Gi4b2hxP-wvSz-Fvx7(p+X(*8=KrPqQuz^YjLAspSe&5Ba#$-G^5fL%v@gDkc;@ zO?lh|(D;$033pzy;UiL-F3R+!-wQDt=pv>O06q;EZ9o5mPhT`V1oh2#>iXmvLQ3u} z4CwlSE&=p|SZ^M(&JQhhA@V4|%t@Eqx_S1a(`yeXK(=bgme%=?-(TuT9f68oruc0bc<_HMvJ zBT3?yMFg+rc^3bM2S{A?XSOU(xuE!%UJ9F25{lc`Fe?F%*~%iU&-u`{N>2REVH*_;Sn*fgvXYk>_Uf!}VS{n_qiiRFrI4xOOt7P+~iVFWsm+uHF2d6U+aI0|2*lJHEOx$fA%&laP;<4ytt!1FAyT6v2Mn8FHRFK6-HsHa5=8GS=&}HYN3Y9 z$1y@a_=xA*c0uxxTnSX+-uh+ou{F4s{@B(p!aXqbYotMtcmE;B zjEDyNVKA3gOS`y%!5+RU2Lg1vq!R83nUnW^gw&y1<0-^xOeKBS)quzjml~0YNMU|} z#|PLN1v3<2$Wb~Yz6UH?aTI=yJC2=}x20$GJTKl41y8^gcn~~~maAX@>Wh%ZAa^2U ztbXAHN0$C0B{AXw9ETfB@|l0q=8`T;i|x2x67jjmaikAp30sjhq}@t_Kad z*gT+#_0~VD;N=v5BxdRhD48PJ-T48xK0=Ad7}qOs0e6HJ2n{wH$#X=PnUG|?^)9hn z-$%gkd5R8(yz&W>p$Ek&PA;?>-%;R0H(wI^=!RkgFrIEhm9Z zpleD}GIxZMy5!Q zg^cni@%0Qm2CZWX-!v^12W`rf`WKF%@#ZKB$X?)+j}l^A4srVh4c32j+)Sfc{iFC-UF@asPQ9KAfiIN?R}Y;!|VVtR>&Fz%eoS!;Z|wv5p5xylF1(U1xDsAa*v(WkQo? zLX#HG<<{7Cx9+WrwCe%St3S#JV%`K~-HGsNPe0#De2@OcIG`_P9{G$LHI$2!qn=YK&LrTHSl?X&g{$+Mu+;UP2&loGNmcH3H3$?9(6L$C>e@hxTTh{Q|v{-@l<_IAXH z*j(u8sIv0-vQxMDyqxrRL}8PO2i=LMxH_X|90Cpx5ly)YwEUR z&Df+{@#)_KTc|Yw&*3y~i#r1bmJwKuC)u~lx-9MlVN#14CeuOaY!$BLGMnGU=HSpn zU%}rC1-MULmwgj%99&qU`9gl~y}--12kdEx^eH(6wYt5qmiG2f&e)Fc)V&K#gPeCm z>nIrlEFFIm=i|Cc&8SYW*P@avJd_22z&&)jFB|&DEjtAQm~S&qg?Zz4e-KdBUsT$Y zLUE$!X`SWBpV+csGxy=~JZx}O6AQ@`5@71#@Htu-}Q(AkT0G%yC!fnt`=23QvY*(z?)V7IrH=wE;g7h|4*St2f!US&loB zZnI>%{-r4Ga(VhiGT=DHNtL>ywliAIymVv_(K{N2!8m%;P@0MtNw2p|;h)b&p~Y$p^2X+tfdXWJ)0a)(_Riu z`bpY{ZIDZwX`kkWvcTk$Peg$q)~jr|lG{QH3oik=p_XnT`DEM$QCeD^-np=DA?5v* zz*oKIY=2vbwjAhQL`v@qi9nV3wsYI{6>zBq3|C-6^moY&2norIhut)IUWYEg;o(HU zD*OXV-kQROx$(nJ=aS#9sa$}#F)4MS8Tl;%Ji-}X5KcR>DyKaip`vQ z+6gnr5F}SlRVCifk;~2B@V`aq1tmN!4+Kt@CWhKnLVeCcnYoE6{Jyo?|4H35)t|7# z6#Cfc#wV;tETnynj9=E9Z1aC_Wwb;9q(jTKo;kk~&|-L?{sjf$@IZK9@WcH741S9n zu-{zQVgD||W`mW8?LpHF({sK~$N;l5B7v9R_ts?q3vDN+z(o>oJA>m(KE`9Y%~%vN ztea8cyY^2b#0s1%@t4iGHw^KI=IDQjz>9F9_;?>^`2Mcr_cHVK9f@*Q3QhYt`|aKq`$ z%nC%m#Tj)+g$(^SwDpOuJIPW(fM*RjpF)x2J8HoJM8=;qmn5};one@~N4 zOPGt4rRqYg2#1y$f#s$hEOR0AYKD#2ec@$G&% z{Z?Pt3%kp12DCXvv<+duug0J`o>HlPy=-WRZ@4C55@}o_hvC3uJ3^u>7l)Ah$rH?U?kMS`z3fL(U2keA ze5k@1QnG+9uQ(Y2ruW0BbA^IC!|bvth{+Mb==7^1yWVt+$oxU!ofO)V%azgL;&_}7 zv$0MX&pk*?>@==9i|mkM5A|+436Iq=l4?sY{H6?SU^lQqq>4lME%QMn{7z;Z39&pA zXtjKNYI55?Y!g?LB#&8W$T0Un1s%;0;ZSzTl7I3oY3d6-<D<b|VahIvDtrMO z+cpxTr1KTx*qiHMqn3f=O>W%#NMHPze+SKA9xsfCRb>`7lPtzmcnf+`f^`pA%rfzK z3DAv}a$l5Ip-Nacd&o*_6hppYeZ5$9ntmv4`$pVxJIS|-TM9$Fp2FH(7*352M)V1Z zo%b7mR=WFYTIK8uaxvP!BnM`APxCm@!a}{guHPrOn{Z%*NhU0;8wHR1!}Oe_Ya9hA zqt_9!v{mE!W`|MZDm;Y6#1+a;zN?s(U=^vo53*hEBz9$CnWdt&r z9G3?$l)<;w2nj`-kv=I(+%JwCJDn7Qgcu{5=CR^nQ@s8eh4iQIs=F@?QpGBLN20#J zyrL8Z7HqmnSZNN<)_}BWv9w-@rO~!FadXSdmMyquY>{J+_#PaRc;r*ydEBH!*hcn< zg2XwVO4s1{BcteUScxA=p(fl+19Z3Ww@W%g7>$q!`Ch>5S+w7&yq4vEZ!UB9NwIHF48oF< zp!4Ucm|pscZryW^8914I#U$Cv=rEy=gB5d2rhzuJcDEQcO% zU3)w^eWkD)blBE6j%B}+W3A;;5?lBSj%`us;^1$bP)1B96Unyq=08w~=7Qe%`~;ll zd=+ukM4LAaNi2+2)p#O3faADqJLuh9Bm0PbQ%>ilK{VckYkDs1|_>iAPqqUQ%DO!TB_#_YfN_lDHt3KMjau5`5pcFTM#%#=&eW`u?Wcw zr;$uO@idml?>Zf#?El&6P*8C1l&Nz^Hk0Uy>zl)3XT61G`uQkFZd{$6L(MxD=R_nP zJe{MkK8pq`?XPDKW}Fun4`yB8ogN&S`3K5Xx$|9qV3F?4Xf?1rF;<)9%XoEb?S?QLi78-J$!J! zZ8T&`(J@ zBQk!uIP1-rCqC=#&HVklNv}u#@zz`Gvi?Hq_1QLM?nrl-ZrRA3h}%b0gPHW7Rk@t6 zKj#qyes#F|@C(hJBd6;*uULJI8=@Qg<@q6f7ppf6?cFwNgRf8f{TuRB2VZ(SCK-o@ zh}KiG;=W?nm(5A`bGgO&&P&UR3tZPes5MkTk=Cz+ED#9nVm24h6rG3-pvgt=IY#vuzC>uS#{#+v}Z~U+^ zy5h!{$5&R|n_j4zaOmeN?@w4vG*KfLEMdGK$lg&`eNdP+Z+1*&E7$QsuA?G=hGKM$4=gG(lNaM>%*@qik|wcNEQfxt7KbXi+{7oZLhh?PDzxX-!}Nc z1z}}VA70}vtN#4p#E(MunnF7B{7Emq9n;VA*68GCCpMQ&8@&HX?es$@OFI)E?|iR? z91-4Wo^ka2%Y$p)nJC*-^HkfiaWkL3{_?omM{X~Fwe~dW6Q}whX6azodGW2zSuX{! zx9+ewx>?pa_pMcZ2cB3qJbD@9T^aLAVYZ@va{S(l&_!=94LjDqk2f=EjXREYr2Ptf zqd|axJ)iNS(w`~yE|(t}KIGEGcb2*D8*}_*(IvllyYf=ws)<{6#(q@uN_o>K3&Jbr z&PY1HWbPN8o{D)_=`8&{*YKC8f``n3~QH94p zczE!%8@88URWBPJx<>e2zI62nZfY)>-M7USs=0Z#siOF&^P?YH@ayI9(F=b+oBGzm zKW=@sdC^~W;S(2!utO(~-YZNspm1YC!IB8;nTbo;Ou2vApevp&%c6?Lw71lbU+Et| zJ+SZc@_p}i`B&%{rqPwssx)J(Y5QE`D$9Wr#`}_={>`{JMgQ}N)eoFa>%C?-H@Sja z`tH=-whg{H6Ad>b9v)+y$#2N#E!zy1(%`~P?2>3>Wer3r(E3t`=9 zqqrHeVA80*F+kw27oaPFppbsa%pmb`CJg8MWWp2w)Y6Bq55N0q4Cy`|4!=Jn_wI-t zlA3$qz@9z1@LMOtDtTV+9uXE~X~8%4x18zYd-PvKkGKkKeM4JP~TItuM^Ejq2?!Fgo^#-1vu(I+}VGu zy^(_Jf4n+EAmo5TX}Ev~{p|t~tkB>;sJta%!kvFQvHV||bu@=gyj!WEq1i@XTu6BA z`WX+z`(oD*R}m%Jik1C`szRdR&8_h@*-tPVa2QG^Ve!5V@%e9u#Y3%<6vLv8$9x-( z;j>S|hpjlB4pXilWB1_{nbAkfRU6@x*o$d>i`vVi)HJ&k4h^Xd}*& z4UNU2GQ(1=q{C>K9FD{jRl(2WNtiMX{!0cWn0;?U8H`Yj8d{ITWKRTeSbPrqLA(!2 z^067-2{k|oJ|tmOnCOA`K7ccvL*d04coC-D7`y{N&VXX!wg*E|qk!#HE?dBFldiQ`9}J?w*S^>^*exDV=381FlV?B)BQY61ffeTlV=lfsZcX=*^Ml! z0?QEl{3I~)czbrRuOJkk4gKZ&Fkw0Q$J#08t~-N0`|npbvNT)6 z6aK^7aEYfv<9ERyTV%>lkvB+)@~6l@LUG8}*RyU!rbL1%3sPbFN92tx@RGpNAEB>j zoz6P_V%F(D;7{Zq@x*}Ru?z`xuDA#kx9Z{h|u zoImJ~P!fuM0#;J({7~5<1g<8=(A*MZ6-qUxHo@Q2CL{dfj3{>{5#qw&m9dIzB7)3V zMNLU?6fEMKjH$WX4uEi>ER`euH45tJOyt~$u*|ru7u;CF^1Vnh+GAig|F!g?eP?SMut)uwH&?>8}LjB z{86ps{#xz1*FAH~c?MHU8lZu1omaUPI6$ zJIED+a=55dr*_*c3Pa=nHu|(%ava^p8{z=e-`=aoe533Egd8BjF9!>1au}rwQ)Ouu zY5-{xBkC_0We$q~0)3q~Jw#&k`gDXIgOp zlT`Ky&UpzzLhtGbWJ$IDgkBzw>;ld|S2t$fw7|SZ9~uB*`5u3e1sar=Cn0N1C`xx8 z#T2B#G33>40}2L&Iwqt3aKqey2Oq)S97MM*@rUY`72HO4n=Hnb((N^FeM>ek&Nij~ zX@tsKzHscBmI-bnXaL?S%eK=-!BzB_3}gDMJqxuJpj48FQeAmST*j5ltmA|(ly2P| zB0zc4ohVgQ)LpmXg09dXM<8zO!eJrHL79d39!0uA`5!MdfU(k@3y8bGeVRVixsh|IEN4%w}5go@jd%{}b$dyK;>K?eqiMvsw* zF!JVXF3mnMR0Zaadqe2KZUn@>p3JI{fo#?_&@UYvvfDFdVvOeo<8v-YY=N8+m4Nb` zeNvB~g_l7TMY;)}i0Q#q1n^d;3CrPqJwcP~f}-cqZQdf!Y{B7V;r~)q`}T|!n@~3f4JfmPh%u&cT@JU6%Ry;E4qlBW=Rc~m z*^fp@L1mv(ET!vou7NlP$`gbjOCJaQMaDkl?#GGt83_NyiOy=|-oa_@Ux!OeyHOoD z06}PX8GKTO-ECkk;%jhLArIwZ?Ng8^i_->8M#OWs3b=$3EdynUdspM=8vhW-d|Z+y=}TXEzgYp{D9tYFAx(T%IXY+xKBWuh`UTP+-bNM zoe$x#2R8lUZqk{9>E=e7>wX;4VRmzv`|BJ7+L`Tc1>v!Vfc9y|xeU3_>df8fnaTw$ z`w^rXY)KU#AkUkn7G&WZA)tSoh}5vv1_+RA1ny7(brWj6BhTI&mEA-~27+K*wak`M zGAuD)ZgjA^UV%~VIk=j>X0>BmS>bt|E5Ko=V^GF4ZyL(~0opuY-qGaW1%V}-c$u!^ zH$;@)i|P`QGjK(FDS|p}b=!;>&k?aOve_ZKEvvq#d%KVG?R|*f18wl5Obu-Zs1!ay zZhwyW)zEOmkiQr{8bkc6k7U?WLD7a252eu${o`(#>|as$7lPLQ1hT)wAe-&s55G6H z3j>{zGXH(<0YH}FZ_xC|lYd0%j9eU}U! zg$8dK5@H=cB3t^OdJBc&N3@FTKN^pwJ&ZOqp*ts#{RH}^9JX&b%@?49I=i=8&;z`pQGiUqdO}QNTk7|PH^j=?VFB&l$p#o zf9JoGX+o{@gpJlaF!UV%)>?|%eua9UVRfMV2r;T8(Pp!21j z7g1wkR%8z}MhdgfCibnYwU*IFL;?xuLHb!I(9lGkc4!3crA)PyPfA`QhXwLiTl<2kIPbB zLYn?NNJeuPZOwKU%6T4Nxy7BbWm8=5L&602P}HuSs7PGL*r$g}1-dx9D_m;1`82Sz zt?z{YANJloE~@H%8@|^ZU^XzrtbskS2WB%f!oZBqmc3y%Fv{qlpdgGg3I+-aiis%( zii)L%c}Vkwr^M32)I6l6rD>&whe}IJO-s$n%1X=3%D!ny?>$=m>iPD*pXd4S{p0Z? z3^RN7+Iz3Vz1F(#>%K10#4Njb3UkaHtxW8tr&vz-S*v?144Zd4${Y$`M+)O3ZujFO zwf3}FOls|G-^GGRqwH?2KQZij46~!W9_+tIFv;A&lANPW;50-^4=8mSMvNCKmAX)d zjg^K*=;kov%!aDS)~U?%nAPOm7+d!#EWALQ#G8%O{+T8)3YcbzC*~%zw{8{`CiB3Tw?n}Y&^Ri}wnel_f5Y+!Vx?)26zzvPaaXId1oJk(X z(B+P(<`+-@CO5*kIEGB>1=QcR1U}fN@GOP9x*27W!6NhSAz5?H&Y*IJ(`ytT<~j#e zcZ{KtLA0HL;Uy8Q13YuUCh@{75LcPYvL-S&tG-6ijHx-&WygS0m;lXV zFr0<*4!S5U20)5)t^v2xUEKC*bt*{Za5#~6_6(x7)p{avQ<5G}sx6ob$XQsK4v09j z&DA4IOQCc;N_<7lXZ7+=0_)?Yva)t)y}ME;2!{O2)rMjBC?ntAfL9z`Gle|zr-8hpmp~6{yj;NpmHU@xJRGsJF z2sfRMJ#m#e(PqU6V6v8#NY$8HSC^yfr-t5f+DM4xN zj!Bq&g2vGWGxlv*Yb)j&Iz_DLYAwN_rgMCh>;!8KMhlHqYH1lRfP{CTZ0*e>Vtv`6 zCYRGioll2DroB8|z<^FZP7S!mu}{(N90bP(FejkSZ55w)C(5R9b~0aYpe@_afdebn z@jS?E>F#4-R9ct=wzt@vb~q8uq-1}F@zcZ6RjJl1lrN1Z^gq%B!YpC4{7AW!X? zn5992QZ`e))3Aeeq?DEOJtAm-VHI%~(Ih5&W*ZS#GF^8rC-ymv`h_aXxNouZ6$?MW zq@!wZdmaUk2d4f6?C(?i0JCzYk*vi<%gUXZ=<&U@;KZwrUIl6ep0V3wAPg(;3Uj$h z6~Xb4?jA;8+=<_H2PPmePlgYY^ud;>FUfmyxt82nrh z)O)U7@kT$we3td8+(F8&Zd8%m=`)9uj%z@Bo(WaX`3>mslZ(l5h6Ij4$8xe8X_Ji` zzbD{s&lepVGoXVfV|YRrcI+lIcaw9SNyk&L?kV`87CJs8TRtQwHxunsKYRhwYy}Qo ztI3j}W5VoTN21_Ppj3-UHq%(9DB3hP4F8m^TE3UooM^jWqZ(1AdnuMF4NNxW$v`}SB3Y75kjI-+l>P^Y-xHAYA0vwWQq zrTy0E5>pMgSd#5dZ(PrcIg(1}OeAXr8|s#r+il~GY!Vr7Oio9b+KTRM3i8{ffOrdI zIp0Au3)e~`OpR~ou5;YABE=fBb+Pb@u~-poPo-M?-JHmMk3)jKg^I}wiXB`}ZXNrO zZnKGd!|^7luIAz+X5Kl*QqozSkZs7@2f1Rw zR<(6e?H(zhw*TU4&V`kxbtdN{3G!3K`V~LfZ0ZwNn_yjxlh{k4)|0`-rN+91$Gu3k z(;-?NG*-@!u@1x4W(`P|41PkaeOH96&D0eqFuVAhvG&o4oPn{~JM_+>na=s_;T?3D ze3JO`tdG#!MUEYx@K1LENjt{wiZ)m|I>_`HL*<62z&Iv~dOY_7=UG|^Cx+NO93AZX zndaUs|FR0`*gQq3W43gJ(58;@kT)JWVij_%qGK~)qz1>t0TZ7TMEn_Ug$w1XsujL5 zG@k#O6FWK5P^Y0sH!qqRk4Kaa@)ZI^(W z%x_edzp9{H{gX+Zi_pxYgQ4ySASs1^5g6X?<_IQ{<9;=eqr~40`^gwQ-i2Jb4XX#k zel@}04JqK&5`U}WO1-LhPw@PYVTXYZn{!L4t7h_F_CE^#s|v4)bc}?$_h8IesLO!d zWuof44?+9k5BN44{GY=9J+QPkgt`>i|0(zr@!kHbq@xLzHbKWN5N-jU z(4inp732qG@6HCpVFN!klK(z^-TRx7@B}Vxds=Lmb z&C;(_PS2)i1TInD3{J6!twh!I*re!$@QJ(quvwG&yMWK@air>_Ry zgk5T6pcP-3`5f?LqYS?ovIok)8u+bz{=GJ}*SR^5-xQ{`)o(D{cHF16*&EzaGhthh z=F;3%m`N(TLemQ8dHkMbQ_r092!ELjhlX{WM*$WG#17H};uotF315!$;{A;ML!2->u zwo=n~>3k0pGey^p*K+cv5Pao0XJmqukZ!*cZI~FQ6+N>+ZbLqFjc${fzYuS#Gc&7n zFKW=dNuX0&Y$a~_9WYE!z`gpr*c}pZ^KL#VeWhs{rasB0$?t?|McF=Kgd7mQfSfrH_!5{o1-+Emeazftb}kpi&PDwQ-3l{qOhi3Y8zQU> zVFs?Hgc0ngtdQY)jEOz5T(}y#x*Xh>`KJ?TAn+g|uQ1k+hoP6A>78}RJ%EdH4-h^; zw=xMF0Pj=?+zW58!4ZP8l)DspofYeLE3}_y^^;u+8_H5WUb?md(4l468pcd%GJq^R z6Z2UWmR2wnyiwpjDm5#$$!m2)d`o%*R*r$AaipUT3HH$LzGt#Id4Eyfxuk6^rq4Su zC)%%SV$TEIX#X5%lr*^b#D&|t_AxK=+chmS z>`Bys{Mj#EUn>sBgo)OHM(706u5~x`i@HG(w|C`bsQX@BHy;Z6qZEy98D9!SItqNE z-te(r)ia$vZ44wL6>KhS`25^$_;@=mBiVMHnSnm0^-eyvhxCd<_cMbRUa#;qP*YKN z=7w)QzP(1J)Wp3qKUc%_Kp#>qEpQA$AZ8}cak!rUKB}zi^$Fs5ZlqH|Mq?LZ9KNcsSnpM3Qc47yCU_Y z$G?J(X5wzbj>SN zd(u_*nQ6>dZKZjg;QB*MqAo)dNCan&rmcHkBFH9WH_>?TgVe6VA(gJT208Bpr(3{P z+7Q{MrF-Y|LnE2D`NVEsSuC3K|J1k8fU7BxGy^kc+~F}c+V3S0qP0D6H=Zny_>)2XfF zN8o-GPtfwf`=EZ%!D4bxgB#pqKmL-8s#GwKR$d~N+aY*&&sD@Zqq>SISWKLPNx*vB zxf+VS^nuFX;rKRka+9i~fH(@U4)H&IP8`;-1kO0f85vd&BPX8^7RxrtCzKtDiaCjj zg$!NO@i1b!r(JOp#(zcG@c^uT05*ydf2(j3A>?f;L89u7L8bIO(>cp&U9EgL(0t^Jbm{-lLyBu7~%gSFX?-(i03DB1vDTp||Ux z?sFC?u$-xSLyQ&uM{;Mq?P;I7!f8k0Wd3HkEvhGo^6#v_I#Rd}LSKDB5ttO6#s6$+ zRcB8&&SV30(Pu9M}8biyX);cjWlOVD5*bS zU#Y(^P$-9^Ls2b_4R?;y2$hgO8(mGbe#--7-7zQ_4_GsAh6bDF=h9uO4nhhD>1YY_ zw}c7LfViS#3-O!C#yG{KNu*Lu=&M_b75-vjdk zndUvl{ODX@nORPZ+Y>kF+vnK3<)JS^$|KrQl_NBU%48-nD1p%)s17N8S?%07oIEK! z7=jao`6sCnm`5s~1$GiYfzfu=P3gjfBk|Pn13*92`E%hb(?+B-A;yY+%mnF|Pcw@{nXDoJwu$C z){^;7IYD=?#r9B{RWkRZGidXieo*|4?zb86jcK2StS>zajw{7iQSF(el@u0VC5h-= z`MMC@rsA`F2)^H>(}Wud!fY?aB-i6+~cn-^_7Ix)wu z)Sc{aogjBkwodfv)x3R{rsW>yAbP@+xLP?0>I>Ayy(35&yP$pmlbEwL#5AlLEqId? zd7j$ComaJdr)YeiX78h|l)&X?W^u=HOLF2_MHqWbKem(sqCJ;#P*to!cg5YR`<+(bMZ|Bd3*07qlkfzI{Tdgq`jHfF&=j4O@wX(s4G*N}=PEpDdbC-w*iCyrAF@4G}hf28)EM=8x zMuaJ`%dwA{_JxxfE#I6|c11l)n<-!HPHy2E?~`b9Rm)usVJhUh=z;@;Ne;|{tZOPq z1+9?ZcD7H_P7G`;;lj-(U55}M{(kB@e#6hmz18(*P49d!&@?E_k9O@`4XUl>2w zC;tjnGpLEFWk&d>p{KTr_@?ubUF1S&e~X$-R|TfX*Nt*69n#5e#094?9ju4x@5pZ` z93uEzI!L@R8rn}j0)`Vh8Yh>yE`2KehtSLJU-;%n?8ijwSoqF0wt0tc;ZWOwNa_2~ zZKsL#g5)q*r%Z^pqv(NJ&m@=ycShv8aJZ&;ov03xIWx5)xF0a*4_Gi%_icu z_CcAM3LIZHIRok|bqWnIt{eOo4etP^-W5T7Q7LH z+Ao{BVht7}hogYY_hgN^o9_EE=O|6!elYi>;nx1}?d_j+J1erEbIfHPwML1J=1v!z zZ=9&t5LQUSSqM;(vrwJlSur&53S|AHPRn};u*6M58Zj-`-P}XIS1pS+=IVAhj+q%R znq;n@ytxACDr6-&Nr}4#y2kzq(mram0k=w+K-hb6-|l~ejKLMg z=%SeNH3aw2%ywOvjR}*G4SA5$JJdIxzpfd#78THrMlxDySPYF~`&VS?@}p^gX}7}k zqChY5L$XjABu}29K-xrhqV$l0FNk1P+kZ3|b`>z}QV)6yV$nY0p><$?Hw;B;+lLe! z50jtlBUOSsRbH#$2kW)3xh4rQ8s=weX&pwpR1PKVd-5&?cY97f8Pf~I&v2X3*u8uX zncp9{wL%%NS@Pqg`0LyY*EQ0|3fy9?R@r-tOD5*Vj5GDB|Vd3v?!Un0*!9GM3VKg`u{oK3ULdJenk_ zOaT?RKTFZruO+f8n{L>D$r27J*)8^psM7AZ^pWO6%OdAT)UZ;cn;Xu*qgl9y`s#DI zzVc$#?N43x-1FYys$+{a*b6Og-w{|&n62SYAm~f$#hklI z0SH_qbyzPVOuD0V*)aq>_;wN0;oAjJz8lw3biYY-R>?4X^g%0NF5_XuZ{TN*L;NBs39unFWJ zAlXxBY|YHW;BY^%`e>r6>s5p^S@$u^dkq9gg| z6B(Xsrn}r;!=`wy?n!tB`_V%W};RCTAU{^mKwYswD!Y&9Q~ zEU6Y8$nTn03*#<0H-wcuNBfrCE6qS_x4J(RA8HF_OLa~0rtWcsyxb3TOA=ItD&u92 zY;t~_juCT@UQw?%CpuBup~&ezQy*R08QEAT*PBQWVMBa&B6F(VtajLcw{g|%w0diB zn>Ps)U_9vOZiIRpk{w?a3ZXt(7ai}!n@(ew)w@Wd*W9JC3o$pGg~l#;it$vcBe^Eo zdK6=SJ8@woPNLVz3i-CuwkMhGH0g0L-7+=yKl`N=Zs1QwGTY7?P~M&`viUXGN1YQp zIX^ZSJ}{!tWV?VEh${YYhWlxGP*>I>$mo(>GZuwbYgbsCbhj*qO;&o)zR=LP51DP3 z6;$AAnY6CJB!_$L2lS4CbGi^?bV4P%1Ba@=p!?^PK+EH84bW@h0Qo{FebR7>GTObH zb7Fb6SQ-)M{FpI4tU-m3VdEAt*RvRVHzQ*b9tC!#VPzN{EPE2AZ9JcpD7kb= zAN${fs}?`{d%Fso(Ai~MQ;Ke4`IVtEOWIy=Ubo7zr0rQmmV6AR`k{2O{mXcEmi^~A z-`BRhXsEvQkZYjsmd5ivt2JHhiOZ6yuwj>OR)qNpro_JxoTafvqp00E&V2E#;SG&> zAf~~m3ZH|!LG7WN#2#o=-n36hsQ4|{t$QNeJbv8MsCZR4l}6wyt)-7{76Wsg8^hc8 z3l*V;_n5t}Y@4dK+sB64zHl;or6g6^*rcOvI*%7{pMG6r290_Ys+N%=ZOUm4^Dw_! zqvdZ0goB~{8jaS@osjI{`!hj*OhPgjxJdD;yk`d3yG1isge=9v z_xI-A_=tJf{IYuer9n)e*5ftfbwzseWKJe9RGmfFOWmMe%zdNkA#+~d!Z7qz%>=HG z_I<8~ybpP%Vm+xaYEy0RL?G33N&S2#$@^O-Z;Vi<+lM>&wwY>o$Q}V6km8?#mvI$vHP$OI$W>s{ zo40jBEv)SFW@`29SZ3O2X3|AFo9V4Kb2HiovAO)!aC%7iKw*U-AY-6?L>LvM5?qc* z)&y=YO_$IolCECvdx>5U#=`VFcB=`_o7On^JsLS$V=WJMhEQvnYr*CEtijqCQ!3BI zwtb?FrJrG#Vk9n!AAq)F_%apRUiW=US7}Gn8(AZK@57?25!59-3&I5y^Hq?Ks3@-h zX-Qb#Pb&GAU6(w7xs>Mw=b_};Gx=+R@DxaUMSBk8T@VJD<5KOT!kwRXG7QtuisDz9 z71pU3@#(L`7fy~aN~I}*DPSME5%F*r`#0W)+Kv}<*f?2+OJ3nyqTS^FR{QJOd_#8w z>v#C6VDG0(GFELBzZ6ZlmgN0IKwBqQD{AJ@zVsZOpqt{P5o-fbzZTLxmm>0d0;K7l zjqMl)+%ODa;CP$J)j7eRM7UG9M_6fM-4~+_B^ulFnTGcx4VzML>~kz=&Styb@aZY7yHh zr%zb(Pl(dwDCilVq~ewl^->DKJn2WhS?fs%grIW5gPd1bUVBL7*q>ubwZ)u z&}LwA+B+ZHD0Bs%UmLUV1*U8HDfNlW`g`oZ`nYw@%;Cp$yjK?cONtSocVX(iJ!cXQM zQ>3Rgb7B?J!!U}WB4F^T$5)Y!t;pn zSuGu0e-j%$Bv20ZUSo&G8Oe(|3|X23?suds=n>SFMHnJS({(MmG#DOIkE}?Y{yorE zT|yXiHx=kEMi`&b-B@~|lXjiS8pWjOQhD8fmUtk9N-smRPu0$ac=~01KhG9f-RwSlNzQ|}Twn+)n``~$nVUu!B0^ci4>(4Hd27vcV z#+;Hf5ajjgS-;BLgskq~Nuel?(@jIOvBEU`uZQh3wDRj3amfa!bqU>E%_wX$!&s+d zjbV8&rqMPljP2weBBv65Xat**Eg_7fSno%cqm?CF@*WABmPmWnyr$jmR+p?G4+6wDIOlrEm2Gz_uJDn!nOtx8ZGJHHVcVQmKt92FxFx4_;ALfp| zXfpfgA?#hbkb~?f-C?8YGd=$n6)lGn0l2jM9%B^m5??2NVT$R= zct*0m%_pyN^k8CL%X$Cqni9t3!j1gCJnJof@EgLLu%Vf99^~t8HOHC#Nf&X){u}Yd zSbx=ibM+DTFFE%TLsc04(nE~=s_51-j5y>9RC0-Uhf04sXdAgcCF!(}=NZu5YNao% zEryn8U#39{r$a>xZm!k~5rF*EYfA4+;D%|%z3ZFjz$z0T)8;wcWz8kyi^7c}zkX@%=&{V}BN`P?N5<8L#XS zrjnZbP#R#YBl~6RQTwAB@hOtzVTmn?A@N)ry7z1rhIC@rp)WzIHI&8?mqzXl*&Pk3 z3^T62Z12IEGX=jRP6?dLM77xNMz6y1ymUfG84k~KyeIphzPQSJxF;?2#G_|P+tVIu zs_X|vo~C2Eb_VK>Sk$Vv*r&Y=-9$y}Y_T%j$9ly6LGnjuo8szMq z(r&P|>!sI0`h>6#xbjQPJRQo2*&+hqaYB`#W;KW*5jNrS8!Pw6@9Jv^T^j z1C5X`(gB`9nsqzC`H?-(rtnXJB4xd!EZn}Zrz1U(4c7bX&Opi1b?u;C!aX825Y(75 zD8i~Zca~u}Za^De0>=EqO3+m3t;S!vR{Y|+%v4HWTO?Ux+;0 zJK%z<{ir}CuTWIIYTlanv=RqujLy_2iaEo->$Y#x^VC2s^o0LMXdIe{?y`))d8i0M z$sVR@j+yN68x$JzclA!DuXIF{SC>#9%eYA6+Py(hAFekO7WfsMN7&r&_-opQofwa_ zAk=9#8vavto*O*6k)Er5G+MZI%wMKub9egjk%%h40i zPvz3(oy2#6>!kKPZiq|o13It)k#I?fm}L1$B3W4kJM&0DPw42S=KygYFQ0{mLRk7C zINr{EnZA)dNP0zeT2)+b?ye2LIE)Qv7y% z`4Vvy`CH(-v7{WOd&hO$N38d)tpa}vEP9*xGohr*$yy>FT5D0#)TwqgP2N8kN-j<7 zTQFLMhHv+N1n;DBuXkjqW@m6M=DpL2>Pix!-Q20dV%4Mq1??t=wSHS_P}9_D7XMsD zMR@zFKg;}qi-HPO9 zn;E-!l^bSWvLEB%0|O5zY8W~rV1tsBNsXkTH)es5iw(GhMB=zx$ldt9|E!|p6y%(O z@)}@fcANz6q!>#A%+RdcGlwc@b|4LNE@<)(BQa3BuiMn0)O1SVNhp0+LDL$-ly%r9 zSuklL1fGGr$dfC6a^*8<=m!2PkiWEbU!@Oi8PkP5d-R|h|Hz}8=U`|wmFvE4CIqTg zWz94!5Th7{A^VnTNz-%GbacmBCG9&2NXHAxQ7 zREcTQ2O);6ByJuPRyjd|=70|7+~zg%kT~fZn68e>>jumklFNjZ_5y@G8y~^^`bN1I zXBe8qt2)cQIm4hN8s{k{I?k%|S)3csX?(U}AxD#KZ`z#^{S0lfI+8@E zu|uZH!1pv8Zdquy=~7(K@Vb25HfQH}J_#Kl+7w>mOGTKr-y_HCmKCf<5#(IMEt9Uh zg}%*i;|Qr+3c_cwdNKq;L#B?z9knMTSjxOuP zR;F1On#jLtFOtz$zuJP+JfoDi6yWMd*J__;k&+X2&7I8gf-|vd2#QimFLu{WN#t7+ zJx7$f1AQ>7Vl3z)%(yl3gRZC9rm!QV(y-XU#!0^>8s2qyep9w&6_4Y?Tzf}YAFO%b zd>*w1-S(@tKo7|LGl5CO^a)GPw7#Cdq!j+(3mB3@Nc_Zx+WW`Wq+1wGdWPfAQ``yiSl#l=~wQhXXgq zMFgo0*jP+jiv1%2hl4bU1M>)tgxNB`g8UG~%6HQkvRMZvw2)SO-qnDa2j=u(PS!h^ zFcb^Y6A+P!xmoU9Jm5-EiK3Q)EVqdFhKmC8o3RL;u=Er?qM*93Rvj;{2e-B#;sG_7 zoHY#047m)ce}2f4futW{NOF1yRI*;sWmm{(FdxV{;+RJb6nK&{@`z zstu~zeW}3|yy~j4BQXQ--m$fB?mJm^nAn2weBUTp6H@gCHOKzJu8RT5#@zPRc@9j^ z3TE{*jcNaoCh6}mT~zmnsvQMR@C<C@~07ShJGLFju17ZB1FwqjZto2BP(`DjyQ}o+IOaES8!+ zf;8U>Pb#=0*x{I*0~s{4$ijS25d~jT@A(`>d?(~Q3auN;KB|q7okTdOQ15h%9kUI% za>!_u>&ij>esfqQVw(p^Ibo8Y&}R$}Y6x;Vxo0ARh|2E8ME0K#0>9PmWTGdIRPKQ+ zE2OnngWKJOj;(%#pqTr&&F9F2(#w#87JZOpQ_#NBoL~;j8ED;{|ELCQbD=r@Pk!RE z+vB!SF5U7cEwQDpre@^qr=UTetP%tz6X$!<)DTWLNgt6TDddtil?<7;jZR+4DPXRN zi#QR625Nak{u9y^4WAs&uV(B7vH9lxb>fp~LT_$m!nE;?C?u^KBF@ zeoH(e+z+lJ)XB49xGgCxUdFEBdX{`gd%C9M&dLX-O<}fK5%v)6UX_0@XfrWdp^egr zsTT53^>mPi5_+MzPBlBUwuXN@+?B!PTfd@QM15mz&DpU&E|{}p_&|p`w~*%elIg*x zM`8kH1Eepkz~n|WW)?ID7J8fWKpMTmMbV-$F2G@jAzp5$kgAk=MR1i?Gb_rsp{knR z7K}>i6(xU<&c0ZO`IZ-$+q&!F3|d6uHc)roCCmWDOvP#lPF?I$#GI@q>v1@lND-p( zoSh;Xc0k#Bu6y7d$%gDbydi?Fbq>*U18SaXd}7TS)BRd{LTXepf!hY}d_{o(T$JH_ zIGrGOQRqxz)FgCKc-XKVmzy?u`x36seG{E8+BZSWuH`b_wOrJgJ%md#=%dESgmWVN zJ@^Nth$(xDyH>J|i;^o9Ck|sG zQmw)hqbM7i8>9Ouyf|(i&XLS#7*%rN?bUp$yBJ2jwMPl@dO>n2xg7RgJo8<&Ew7rs z3oBlsdnGJqVJJ1rBUKj{-i2nMe%hTROWjiuOe^N#wam!T2D6^-h4u?U9_E4ygYKS4 z)+AqGf>605#F(!!oidWwkgG~pq%oWM4n4O?YjzApkia?Tx+qe@Z)Z^c@%=DlWhQTl zT^&~$iM&B$$pAEmd|sG#0h3j{HtW^gMw&;LVx9ERbzyTSY5Q|d+C>@&#i!I6w34iM zy^KBfu(=BjH$+AFHfrlI6=eDZz{C}}={oj5Imh;?TEkFX&Sb5LYVYPHcqg_rG~u`q&vILv_FD&#)O%B4JO*Wlxy=ye_mRQ7JkiM<|ri*=Fn!nc|3bS}%wQi!x#%U|HKDlsu+4Wlj0*&UjX5D_K%p((nXyE$UEk?(B z!!O~O2`+I2M9hX5TIH3d5}P-M>6B%YH-L3k3-X;InrBD8{F55qtjI^v!5)EVLSIsM z#;HUXt1+D7wKv8E)O_nFg~0&?1lG|A*%EE`$Y%;p>tVDBxibY%OU z5LPMVAL4B_5%!(o&J*n6Yh)qQulxg$XDdp!NXtQfvH*(1ygjIVy7 zHMPwq^a`z?rHvPEt99GM$P{#hP3=^4+&YB)!T6fSJ)^!5qlZ(VrZ=fXEZY;IyY68E zm_20$YnuB7U7s*^HgikdcJqXFn;fIu`y5RV$WZ*c@hir(g&{9x)iKW)wlIzfLSmHk zFqn&QV7v$I(_-gYxr&?x%#MQyr8yt2&UVkV+O0LL({0D)gl~lCSDSG8NVCnK@R1C6 zzHKJFp*?JSGg21xA6l7@5xC_ zUJNmJF8-Wd;ErP-Oj0`26Ws~uyDNUpu|R%bTM|+g?-;^$&+3)40H;oGy28#SRHTDk zHcB{SDL#*Tyq2MrJ;2q)>ht~w#0@lFz7A4SIL_Ro+3RXK`+Ux~aQ!W8qzy`W0;<< z;jA!k4M@i4s2LMFZ01Og-SE8sOJM!>xpBD2{SoMPU9YI5LF$f~lR$_d=HBAHbQ0c1 zJY;go@;1fgd#uMjQ;{!0`yCxvJ{8znf4Xx1To5(7g$&%!JGz(@U8S>OZK*hSQQF)W z?|HbYc_#W12gWO=MjjYG;h zWAJF$F{S|#)Nk(}r%tXKNt@^q+Ib_AUfFrt+dd!?Ie|=HMLD-7Bt5D7Ih-!s(M zXo@)Pt9k}$6pg3_&^&{+SAFSwnmG41kqM^721qHIZC@Ogbb_QZ?7l# zh`b-v_BJgN@R0l;f=JFUns?^rqiSWEa2kxuI%BdgVubsn!`7I+kUfscVi`v1WmWNG z+~L#N5ht zw)N99@6c=JF4%AG(_nZ(?oQC{)s4N}UQRAEt3-+KV3YaMlNi;UQ!#!WsIJt#DD8j^MS3GFxCahESnxX``iJozj`B#qnRzrZjgp zJQ&XoF7Brbu+>S>GMkKQ-2rv{Xo1_u4z7PrEqUjM`o>zD)n<}s6k>!}QvbGk8}ad< zYaC1KQK^&bg;Un7niIwEbL)w}CA0WL`}bPw0reUyEimcqUQX>ScucYD1bIwIK)*cm z8uCvUcSqjtsq=GjA_6HFiZ7D50&w@#k}wI&f|Mn~$7M#A~qU+M0TZtmjb zsBSDHPSqw{9V9k1EuWn)_SL$s4#TsyN?p;PZd?)W>@Z5t6aN@6e~Drlv_fbV{D^UP zIG5|tIbpOW<@VK{EPfq3*=e8;3rlo)66}5l$do*U$laHT?v6iQBI&r}N0OnXDt6W1 zNvV+cs_{?KnY$#7L57GRo8wr&9 z%koz-6|wtN!RrQ{Fn{tt{&_M|82t759nqLS4+Km7^MpHEet%sr=(_oX$s}0XKh6p| zR{nPEj-Jh*B?cWge>?W~N5BF0k3;`>09^Xrl|96Z-O;l9pF0Us%mnF3g7@){YXx~z z{ygx9)9H`uz}^2{MwS1%cQN?LcO^gnt6hT6j1Hs!oSw`AtSf8!BkP{wsY!}#%|CfsE``|y!4dG^ChWD@)kDXjkQ!2id<`J3(f zzXKoL>HlIk{{J%Y|CLa!3!7TVD(p6;@t#l#`3OjbExJT8GYi!(&XQ4VszyvpBe8Tl6C0iCN|U5iazTy-eVQv>l*mES zhaQA9f`HUKnW!?wf`&Wir>AC;UZkA%!gJh`D0+<$jW;Vv8MuEQ591L)fzDBUBQarbjwu{1fItym=-SAbOcjzT4724*QV>8VoS9fd~9 zO7%ZVG*Vis_X`twG7b2u| zIdWlFu2Owe9ullBNzRacJ%Y80_n#s8ci=^2v9d&=%5>-Tg{n7H8E*e6qDf1Yy`aDc zNXJYe^m^h$$r%M>RKcreN!2ItZm^z)lMk{K8ZliixC&L5ki<^VU}r!)kS0w|NA?0$ zx>RuGPR*rdq*X4#$VyiARxBJF|2zR{p5R#ms?>~vgG8U|k|n7if#9u+scF?MNY-kD8v9lctPF#ZvwEL&4i>EFwKi%()S)jWjV$tb7S?NR;!QAgT%v z$1(EKKL5Y0VxxjX0>zpC8WdTw7;C_1{%f4vZE_qH%N6l|jO9?G`6(2sTUCm9Vo{_h z^(u?n5)vD#*H{>3*x~9O_jEDp!z~dOtzM^G{O0GRxu+#oZ=n{0a@moQIc)<{EUd*C z9}^vG;bKk7$B&IVc=7(s*!Xy}l3)Dhk2fFm#wO@3daK^1eEP)bbW=;;_(V&R+P>__ zM9&)kGp8=k!ZKo0^bWn#(%I6*;z|)LUG=H4qEc!tl(9HVnmXOIuypI`F}upQje6ni z*ys#pX1s3h!AlMCSr(6_o29!Y+v2tKNa-2tv*f7p@_iEx^LpD_`X(A5jn9qGi|?bv zPg)D@%k=s21(tsLLQ9bvFOB#1&U{HE9Fb^#38zRRWUesu-k9C0Y$7@fe-G^Do%U3U;01ZwCAS zfU6Z-ne6$am6e5%LiCDzK(DZXG7bQ_6cx(zArK1|f}bSr9k+x)tcpab(t(5wO#zES znV7HW4zYNGMKK&tx8NxxF?D64g{aT3Ow70CBR6W&vl!VScr+7~OI0uul;`u7>Q&g6 z?p#WZmw@NT=@ls`FsV`4&uj`-?_Zp>|aoc~(C z?-BMPQplR_%oqqa3D$5}u!ci1oU93wx#CYa{;2RrjX#n26M;Vpt){yk?*3!`c*Sjy4t1e4j`E9BDmKH4_^|rL<8>2as5mh4fS@ zM~#|1*`ly$;#JWKi#nFU4{Ww{g|c_=*49`?uhNIJ)LAJS7{A(k*ph=piUlqqU#_7L?euOK(!gRSvQ zJW15VlJ4O+_VFgvlm^Ru=N(G~wpqA+|8swDGqpbth0X6a+7-2Nwc37YD>mBtEq5C2 zzaRhqrBeR2(HVY~es)AUCQ_KSbE&mSDY@Xz-7 z?@zIPwv+F-{W(zZH8I$GQxtlnY__Pdh16J!BhPRMek*@z-|h-EytjK?IF2#=NQuJ;i@hIDwd7kAcLv6LyQ3la z&3GJN!Go626h$Uc<0%06Ar2`lT2H#;`4+W0AI-w^<1&K-iP*p1_0L8LG>)yg+bFkG z#&atBtew~>i+0>;l>dI_V59u^r|_?ha^}2>-TpR?r9YNm-)vJ%9E)8(2oS*FL2$nw z^ch(4N1@pLxEh>)NL1<_*Mz02Ze);ZlUVgZ!HYVgwlrCSLiXqrKtRPruFoB030812 z9f~A;eu=-5=9fZO}!D3w!l*qJBiwJ7iN)!nQ zQJR;dcL;njkB~F{6{Kg7RzW?In<(=@b({s`A=(yH(?Krq!7PtK0PSV<8|d3|#1svU zm^iw&F1MasOgf;domlW9SYx1$#09@}OX_)-c9{7+yMOLls7>-ZCdlcKht!}F7svIl z_5#<5>FImS9L*Jqs_Fu;ep9a`5e;X6yN4U+DMzn5S(?<{J6r)%iyjW5C`gx@A9GQo zce44xU>L`7sM&NUUg;VWJj%r0g;oeAg#R!m?oCe`a2$F^gRqN{>R9Ot!5bSlTKw3% z6zO)sY$p3@Iy+q5qRJmdIPEq(S~lN$lsU+XY#xb69hpOFXVOe$;O|XP{pBM@$9YH> z_2bB@Zf5K0y5?E6T@V08q|N;Q!`{2cMN#(u!`B6S>0Zmu?9Q+=unRNnEDW#+Bdo9r z3c4!`f}*0Lg2zQyS>+%n4fC`r7O5qbnx+*dnUxi$o$d}&VOm<5S=r%RR(h*tWo38g zp3h?a?)!OOzvqwN>v{gX{}9$?cjlVwe0@Ie11@xbjmSppP|$IJnvlez#aIa9i^6?y zm2u?JyhR}4hwp@cj9>$?^NO-n-8HGuj!n(r!@jJhL0OmTuU+PEYql>41ZqPGp|5aE zQoX+}Fuy=Ku&Ay~5(9#0m4j%tQ-x8?rsznXpM7R_B z*(B)T=ZM8$Ti4Ls!u5r(4nZcnZ>b7?f^;tU`jRA+u4EjqNCNAE+FJY4KvP?An|^dd ztx%0x@XzO#a9eus#OB!6=2nPHv}F)uNlQvI_iR#2+mhfsf33Y?0nR|_Ttlc9_j0$; z)2d6a*~{?D+&ny`KPHNiTzU5{Ey<|c)$n(eUG1m-hCmCL$ie*RqwEwu(4^({@UWf{sQOTS5d zGjSq6^SF7TziECzy+t=BKwQ27cx+f#dS%Et$h|I7@2PKVJneZLrR<-I(&>++&}l)- zJQw3zTAS+a4XrKsW{@_u`+YAlBU97uEe#DYpQS7fD06hdd3=cKpjwmoIvR4L8vKLL zhSHgtK83^}f8dbbUq8>ctW$(1oE+Bt9d)t_ZZQL2Bv>E3x@PFH>2$JjULmbs)Kex}a6c37zZFlMm1eivt=Q7t-rQY#|cOSFC|1=ttU6qF-S5XD!v$_|<=Q zKY=Tp#m43u{}SiAaF;sS{j_=-wUs2IYWlYC8RWqqA86vH0~- z3xf5*7Nw&-L2vgjWN%{7H2<}DSWN77fj|rShP|C(iqr{kcK(EHw6ximHPpALWzM&# zhmF$XVWMb24ZUvVYcfKq(nIGUg@hwhbuA5@F;|b4r2F<5i(%#RQ9Od*ZRA*zAh5X9 z%3fFdwwlyQv6{UIa20-BLWc_`d|Hwjt&$I$+yr1L%~GV=etI z(3-}hxuU-&KDKpn!8Suhr z;DKyHyDaxX<$LPIE}q}6=a@1NXX474LChX)e+2uEUNSQP?PW%9T|!(|*1cKR@tS*V zyXgyz#k;R!rWvm)!Xq8ClB zc%%*s{)o@v1!^lER{A>1cqEW2mC##59@b-~EWW}IiekzI5!d9rQUDA6Ol}M|3ZK!D zSsybdAPfTgl@ZAp*NJFc4yx}A-s|jiokg~CJxxc!wEHcjz4|$%vf1fIkAzb(h4MnA8?u@S|o{idw_<7?{-cC+dgSM zvDwQRjxMRRYgAV30aaQ2u#J7s;PcJoM7nsAl$D;5{85Cr_cI z2J)Y_r;S`RvG?N}lQ<@xGl?%6`7HCvQAiV5W)LUgHr`?oJq99cuNawg>~I5#FI~#; z&r+5Jyn@GhkcjIDaXYL39@%reCnH3ozJr0wh3@(9Lzi zx%eF~2S#c4lXG_VfWgH?&Wd5OqN(l!5qKd<{$B4N zN;Wbe2Xwy6DvI%DX}|3WK^Ro@Xr${dl&dO3lpAp?HdcQJXlL@Ehu{s`Myx)F#4DTW zOKCQJ#}RcUjnDf)2i-@tLNf}_=JgOFk>{c1H4sOREx&;=?RbyO+b{(w94!T$9JV@d z1tsh@M5?U$1sIdZLHoZzm`NAs9Y(g)XfoL|*@-8Gd7~yeQz)Y*&mX9kH71k|rDb`s z7zjA-`_O`puu>(!s6#q!;`4m>aHR3;Y|otTe20-bpWZ*w*VKNOc7hdC8U7!9DPv+v zpy`BhBvW0_%@%KB)O0SI8S43*$Z~9q>Jk^4oTY*T_OuL$v9T+7HYtvMQ1IpvMw2)H!pBA_pLKpJaO(G=?>N3I5Uk_)w5%v88cY-MIT4$5 z!FuMG?nhzCp2Q}^g8&ZW1L+XiWFRkfy++506$ze?!l^kyi04iF1t9 zGsS{AH&Y&{Cl2x$6ssIRhw25MOi?nJxZLgRx1zY+GHV(W;IhuYtriHwx?U-|A%dBm zvmdr;lfdy2=0TjQ(^T67=Hv;A_kLZ;5=l85>WKI4k?dQC_tkk`94~?8NAGh051>=A z?Meb1t5g@R!iuoOy3m>dQm0Eul-7hmc-*TX;WcXWA86erM62awn-DELNcr46_%olb z7Wrb@zsdQ8yKcyp0Bwo+#miz+b~u0+@z#0otB_ z3m*T>TTF3Qd~gfL_DrxDV^sY!-_jDfPk+5<@}xlB>`FrPUg(!oAi|7ilHt_nn>G6y z&U*FZp+%b!DJR9;@{=!wJMuTBC5TZy8sj}v%Eal$2HBxWU}!2cYjG}#>f4Cw{aHdH z`A`q$Ey)Y4{HGEa=+edhUIGJ!ouOFd%U(#p(xt(cqJ}2;9P0;se*>x2r`v<< z!-{cXL&JQr$iS{}SegQLei#Eo#7t@nIoP!_`$U5EEIV1E8(?hUNxFt65^Zi+0B5j_ zGWJHhZef6XS1JXEv8!pz6|4Ae%dN>(qUnYs^O5Hk`^n9t|(;(b=VX&#zu{FUq zH%W?vaI(MIzAR8%D;o^Xt8|W#mq_1sQ%HEP}gxz>L38{}U2h7Xh?9gm;CU}=C z`euKSoU%pR@hN2m@u}a4J7i*2x?nj>u<26#|HzGI8&qyD-=MOy6P34pui`lwt8H@? zqrbVimCa5OKUDFJI_;pXHtJ)^@tlcQ;?F;g4O-QJzMvji$5$W~00p!sCbhxVi7# z>y6Vpn$Ks-{#a0Hal4R1Gm=ctKkIf$DLF&%quAL!vE*xV3EksPvfExW$TOmQ^A0rk z=+(iFeNmoA#1$+y)D6;-24e5=3U2$)5quKknTgesRo%_|p9K_aoh}#WElWAo3kRX( zL=zd8{9&}`Nh`}pj>!^!SbHI*U1t8c_dX>hnsN$O>xB_Mms)DJq?>UdKFD( zZ-mv58}V~BtFow=)w_UG!~9&35JB4Thu(+43B$QcykOQqk2~I2569n%+nM=-x$F+X z%zr^kDo8`=B>`9Y2lIvcP~7w1(>bWlcB5s-B+mqVtm7Lg*70tXe3RgHpfoCgRw{eS zkv80DoyrtqyD)c>jHHj%7g+i&Ujyq?AXl|fE)`AD&z2uylmu*L^)}J zIHu_8BIZU^$zRNo?g#>+ukHd)fLMcI zwanV$u7fz5_6Q;~=zbwVcqIH$P}UscdJI9usK4S};BtTI+tL`sy(VbVN#@p!&+|Tw zB$9f`A5B@$a=Zvf*KLyDq1;^GRrc9fJi+}F;>yH_Y3Nm93^RAq_gK1Dn8?+0ldW9F zFriAjizj_LtuuKg#p@kwxRUkqMoKOU?8yVReYEV1JWUTIOqMC;Ou(d(LR>zI!5bVg|`;vX=vlVjQ6T%k^qDIdv3DYkbR z(n%87E|a;sHc&sGd=GYSm&{;=)-Yc_%j(BB*ga2~!_Jh=;=3j`p3&LsoN1tVLV8%6 z38jl4v1A#t+xBNd41k@Mjc4(XQ8wFTT-fAq<~OrwDZ4kDJeu}!ro4)!gFP?A2bx-7 zDz0rKHS#4J`-dJ+RWefT5TUX|e668=9$!9~w`TL7vBtXA<`#C8iI&+a0I10{%Q{o; z9qdSec#Caj{=#6qx9GbpU?P`V(%Q9e3@~6$Ceh9UliYTsqeY!3Hz^1&p#AaR~@wd4~Noy zL&SE}FQc}lgy*etxU-rv%y%*kTd71<(_&Gzbbfg6a-x4A4$ZT9A1J$q-q zXD^fKdDmix5Kc?2+~S7CsZR{uuJbp$^%1^1mD>Xfd7m6c0e0Xp=UaS<3(a@j!^5%V z9rwNnvW&#CCKvHJGXk#)*XR@oG5*;-#`TR(`Hg=xIv^=4afY~Pn3CZbosDPX3G5kG zoDrQLkrb>CEDg5!t0AP9sH>kJVt7w9irjqV+Ak-klV8uYknN0(UrJr?Wh#%r7OQ)P zi$_e3Z#x89IE6EjIRbNhqhmKiXA35hZe`)9#?%P*zL{)k`0T}6Em+gOqI9M{96ooJ zKBi>=nSq71hxweZNdTfInHPxC24m%0RL}8DB3??0w2_E*x~FMWRemXWSEJJ;Q5cz3 zhB-2vtc9Xv>m zh%1cLi@c#%xOm6gW*QH2)6U1eqY)T+br(v>WT-EXeZl~-mKbs`t_K1p_J~`|*Z>QG z-FgqZT<91_#*0l%Ms~rih<=nc0GETpCCx!Swsj)kW1nP?>YY#ItrH+Jqs&#_>wQq% zJ{YHVN4TRA*(^nO4RP-`Nm826C~u6SGE8I-BfL9oNcJ!ivS9%6Z|CA(n8&Q)A5tGA z2BhOcjKi3L-&F$Rw<75beFEUD`75xDef+H^DVA%{YqL=Dq9OD-8Jj4ZmKd+xR~g_^ zoC8CT;w-H8%OfRw% zDKk7jnM}=4#}7xI54LuaFR|IzANaV*@~SRK#U1AXscU*A(Jx) zGmZ=ssU&xY&MW&>6#V%5fju`7eX_ZYkBjyXrI{69_$H7U!VnV8DOjxAXxpoTqaYoj z+^@JOEA1efu#>Rk7f0e*rSBnOgWwf-?i_SV>!(Y05dApCJS+?yzXj%GF00gmg?wvE&non?{Hn_SVX0U|3bC6z85%|sD<*Ye z=hq}Q`Q9vHkl4w{D|s%t%q%1eEsoN}j8WKu16IeRZHOd-wv?Jgx07O;UGfxO3ws%1 zdE+WP7W7X#3pEQ8a)ieUroq{jHd-gbQo9L}-E=yQ7hbYXpw`@?y3sU7$RwrZ2N;%n zMtP~EmL}tIHn&)=dBK;n4S1w^bdhUjg!Lo3p*4w3F?2>u6mybntv433S#cMpjH@ft>X#VzilVPg?mk z70Iz?EP{gtS}5P{16>m*ayt~84E=3 zZd9)Er3U0b*`xE<`E97~{C#4%A@8fgV2{#9z6JXT?Y%4iVxKE5dysvWc0A@=qJ<*( znvq=xsEx@YzxuxSujchkUJfcbEnZ>h99yx0X1IPD;4U9Zf)F4rC>%&<`x}Vndn=el z9(OH9p09*>wGgJ#whmH7N)>bGlY|MaS3b`J2bCCZEb&_XuF+u7NcO`n>nU94DhZ$0 z6RmgSXCULB;hF~6Jo&bKIExL}X#=i&6YBJDrQ77adhIhDT0>==KGlZY!@~Qdi`Y6s zklE#W)?xAt(F9a-FJQ>p_tRBc2B^IhWFXj|Ks>f#)?JJ)~9XjQ`IGoX#&n-rcyf`iROVY5;@5H z#O|}XAv!8&yi4M6E3FaM<07Z2zzOR2pa%Lz>3L+k%K&fPEnd*$D(jGE(!G2{ZZRIM z()ipI5Bm+I)~q$k=8wd3C-RX#fHiJ9NFNu?1Z-5=#ws}#+EjC4oaq-C`5?D)=&+j-4_`3SGb9#M^f2lHx zNVc!yafn~6*VY)>tMTeIo=il3{z{bi$wbuVeO4=p$Hn+Xa*Pc3HRZKLq2@m>XayHE z<90ZTxegPDpSEtn+wz`@JXfCwtM8*Ai=FW`J8O#keAe!9q{d&**UFxsB#F#rhuY*R zZ284xtBsj0uN$uV(q2wiK5m_(JlmP*&p-c;SZyXZ)jjG;K?+>5$4)`t2|vZhYP=-@ z)w}#tsRPKx05N1919CN9Mx;Cl=`@g2^7$BCfi=!7xgi9Tqni|9-*>7>GJ3^b(q1;03O|Fe6acTF*5)XZY%i``jdBXJ|p=BA?!$Hq_@- z)C?dlaa$rB9@Az-gI;kjxd!K@ZxMfKFyI|+-TO319Xzl8i!_3XEp{PI_HrbxNJgk6 zEiR32Q0sDL;Kz)^;GCEOUSqrGEsxQuO~25 z!>7YRxKz!6xT;E@6)fZ-GNEXtGQt~wWar3QE@s4nrz5-t2=CKro_I2jzB&8Az?0MUHGwAl zF{E4jmhn5Mgq(O29)*uUr1y49@3qhnl48ru@eIIM+1w;l=gO>L`&8#D9*^T;+7AV>WZc+iE*$I61P~g>-#n@u>P<*;dH7Y_tfBt{qWJN}T-ynZ{hVvxJ zI(dpcIuoa`6?*nA1HYg$`P+HA<{EZzDt|Od_!TvE9VE3vG#{B>gH@RqpIqqh6F z_50wDP;yMXP1$%i30?bd^0x4_a?k%7jhCdFw_5ZZOgq;pNII zvIQrS1?^ev^St)}%1?0LQ*5os%STf;BjMY%n-JcrR*;=^f5{B8iPW=;7-bMSN+qeX z6l}Mu!%k7uk78|Ocr3AX0-Y;5m7tRvJrRAwfXP=d1mOepE$h(sTl0n?=>+5SQ5QFc zTJv(z+D0T*HSLJNSGg8f7S3w~tx~|UNDDw&2}HZH_Tm<=&Pc>n6G4{K!W~?diHg=B z_o)ba7#Q$#88c*!blUplg_*s-{(No!mE=v7<)Sh!I4qFBx8-ncaPL=j$9On zv?+)Vvu!kJV^OCSwy|wn3TC54cOof{YqPCTsHxyEa(09U;DB^>xc*J)ks(R3KwoPzx9Hw$6Z&Sy;v#CJyr?ndeSc1y=l zoqY_xk`17rc{PE+V&Iw8HY{VmFg4M_#x3l&1edX}@f!~*I$0>*#h`le$3nR$_do~l zGii4E&n^7Bj5;jm&65uSKXoa7gqK;`tXmM||MZFX*^fWX3ygSBB#X`3SwOs~-TY*Q zeVt|37uvE|SuRrU;%{c-{eVlVuWoG;9Yv&!z3dPNCbI3~q9=XT2QZp~_u!>$$B?{J zL*Ni7Pt@bjmAA!*T(;qXjQQ@S8h%0z$?TrYPc`W@I~{M^Y+^66a!&*D$S<0UU5O6%n zliHsH@e=VZi~L0l{{bUDlL`C(VWhG&O~7}{{1_=0U^H4+qb+YNxgoiYGA2i-g?}%) zCz+A(vJjT0*}7=K%z-3J&0z}+H2Zj$ymh+xsUBwGiHPK?g|5Q`c#S%X#C$WJ7J8Qq z;!ZA7uqw7Er9N!S0g&u=%z<YB!$kAw7%^b}KIeFm^Xrztl^J?UQt5(d~t2$zt5pD@)`96@fTL){k-|gB~7F5uLgo44yR&Vt0X-sz< zGBW7}dn56!mwTL!6a{tzV-Y!{l(9XbAhZeh(*SEKxk-uk_B5esV6OWAYS_NSgb zXpn0f#80R)K)j=XXq=P%Oph~2nG#7-G4FVGJbs)lj>URgwf@o^urv-CT;C)J>AIQ* z;iByxg$5wGY%fh6q}+*Z$9lkgER~1l$JYiI1e#mgYWecvqHUty-qgw(8{mWO^=wNN z{>;^zQ=O| zxfN%qw__9W5IZ*wl;-eF;t{c+3*jQ)&rO*~XeFC*V;-ahO%=sg*5jU{gXwfVOn*sW za|m&rsyC5u2RfbHB-mQ0jas_zOb!Xm33+2aBlkQS>gcXI?`BFkDKOnCJ3BbZKi0~G zZUaBQfc%*Obm~mue{>pbAg3KqOfy8$q%s`=Uk3MsI^T9%ui^Y#=jP#0i%Jk5vcR&5 zQ*yo)=Hg;)8e%Ts>EspfYj#FS8}G1=b`8T_&9*HnsTbE6@o(rW+vBMor*CG-1N?ol zAqSiieR(_9I+h#YmFFf zBa+Mw35^Dw4{*`0b_a3}Oy7KzVeu0G$2mQ9zcC49M_RSfHrkjqg-nMuStVz(RzZk% z2Hbe2V`LmD12D;W!EBuXS@mrIZc~_h>#Xf}cp4NrD~&AG(lJ>ESBE%MHn|xLfx4IT zH*)SL(kGQ6fSrv-IW@Ysa9~)Wb(EnJ<4ja_5lp(7|c!p7wMn}826$!*p4v6Tw5aCYq4)z*It;_4`W_T zHwZD#TXo)``wbmGS?`*IoX5#D*KRW{nN{qRW{*I)O3;?SjdD{nq_qoB_epMV4hQZ9 z5U2Bf!@eHXVGxE&AGk{}J5%ra6w*$f??R^ix3hMZd&1i4VZrP&Lri{)_-xSzRQVj6Lv8z<{3}xO z5>wt;MApJC9oH&xMUa8|Sj3c39KYzvSe-UI`2)%oRg7iwZ5c4v(t|$~u%;{iwZz3YQ{2@jmwJzA2?}k7UO_7F4o0-z8Y!vu}NhJ4aJ*cP%;Z=CA?XE=a zLIlZhR`;Jly7!{5lm9iCC{=TCph}1jnYjD#O6FDOAo(fzqJ!y`ms6&cGeMAY0>=fH zc#mUJq?Tb9ndeM#zGrna?c|PdDey472t8BxIxECEwsCAu%znsI1IDylrg8mu;!h8A zHAnCVjA8?e=c>ouFFJ`Y?^EQuDJ)Zuw?eA&`47lsHQvdP%j|JV$A*$<;-&gqOOQ2N z*rmON-2X%i%ENxMp(2~A?Ugp(6w)u5i8 z9b-7~V%l<#hOdCvZOX1%<$)u#g@3Bk& zY-2_%uanxkNxs8OyzNR6c>%mDNv1DDd7WJm4f$QqWI{w$WyZJ%rjcLOAM(v)GA#fm z!f|BH=dM(|k=>6k2lmRc8h|~+u=?LoD!xMKf{eoXjZ zS{(mD#|anT9!?sEzXh21^!~yEGzPxkUxxI5e*%sL*C{$-!o+p$4!g%5=Ez+C7Caw7 z=HWp0cV&dh4%g`x(5G8~Y99V;m>B^Ch;SNpA%qa&o_~KnTyfX)se$VSwF6fnOdAUG zg8a=uRR}-Kbv_SphM)rB{eCvZUmp(_8URT3*9ji>FvJ{6v+S>8^xw7rnE;G`os1M_ zlY}4K|5q#e7yf5ug(XbG+@$Ld-7iVff5-mE?|+g?5IqSOKg=-dzgC!#a=p33WeFGW zI_0CkJ^rG1*uzcnH%r9RFDCOJHSq5Q?_W>x7f4BqJxl)9cJcSuS{T#xSNZ!f^6;qP z$`6OR;DN56FYAHS0*@4KuNt_J|GM%EM03L^tZ>(aKZMCmfWrdDi9L+N`d_jS^ZZbe z{b;P~f;a!}v;AC}|9hV;3f~%PGOU%--+B6^1O(@b|)X z)vpo*%#$D#+1`J({}@DnDb_%5`@3shZ?|xDho7RKa+BWwh~ew~6%Ytt_U}(zzkGjJ z=&ucckIe@vNB`gZyYT;qZaEF;YuAhL?6Jb#UWziSxyK>dvavGn=P;im1cWa!gj zp`UPZ>|sO(jLQFKqx2UV(188(Lbwh3yGH+GL$~{TG+w{V^&zT3Q2)QA^Zysp`P$v> z{~=s604lzrsqHU{?KPeF+IgJ3Xv2>Hla|`rlICFJHjIS7XKr-|G9N2o5(-4C@+9`8VM`T+^Dx4NQEXx5J@^ zbH}3C>-$c@Eg+mhtw@%v#;~wEiL-=d-R&)OiB1zGhq+%iU$7x7V+(W8A+2Nko0hIJ z{}zY0&JJrvlhKS5NsQB7gp&TvW*17aQglC(oXEkHTBD`y+|4>Ittc54O+|u+l8Q8> z$n;BVP^YDXWHr1iWpW$1;8IwIRN+b!Yk zi)Nb?hdl9m7+(by2;k>TOSrhMLsP;EX(X`z=>P|uE<-0;8&b5f+UdwkScET;Y8PR zRPi#<+N~qNxM2A#gzwIB0p{Jh7OUE;k*>9<{8xzR_#Y=PlGvQaP%)`2DWX#6MBG>A z?dS97bdY3h>&Ue;&}{wEfjBzM25!H>7~WrFv+}5K9x?&3`nsP5nJDC9CyfE)HP4#R zF`!ieF~U0$0s3;%L}Y}vW;HO~%tAbbW^fzWye`z9g7;w~O!7G)SPbw(G9umxcMI>E z@%Q+iu6<#+DmFp5Gl{XNymtdq17IIpnpMV`@mQiNiJU;jxn|>jjgs@q36ANOpO1i))ql{P(`D!D;WLh?NX08_&+-hfQUCwK)U zK2nH)f8YeQ1+d#h@K#_o0pFr4_LuC@H8tQCoX_!i9?4gplwKplL#tfHxMYCRC=F5` z@}{9+g0=!Y-tgY=FA=9&gPs-elZP-#A?K2R=njWNJ;_0MDT>T zWc*$@0{9`G2}a1yiFiFHI{(14z~6$*!YQ0^oky;^uWQ9OrkAV+pP3kPL1_~Bsu2ik zV2_Z7|5V2VOo5JeDpw zhfWbqx9-ZKZ<#N&I-wFs5mBRCNkV$VOi|{{iCSC+@Z5}BPpjgOROKw)zk|JRd-pUMzJ|ZmQ zL>%mRfU6({)@kzN1`;FuOh!5$HPCpaQ+n81C3~Yt%BU*r@9jzk@L?9|ivN{>7oR=y$p42sf!) zj}i|Q(wJ&L%DPNbcCW;&cG&esG-Rz2eomX)8Uu{m#Y z!>}FTsfygwqKxgh2#~w|$?Qozm#!4zWcevQ9%1fhaCgtoaM&52uI z`)dTYZ~|^Q_XCV~6}shJ*uu6^Je#wS5+MA*Tt)}bt@w1$ap;1lvFK_={D3Gtk4xt{ z+BvNvgy*B=>Ys7o{`P#5MHaY@M4T5U{X(G2ZgXWK(mn}(*ibxk3#l)Sijenm)b5=U zQSNi7CfBS1<;#WS#(f;;caxhImtFa;a7k`hn5@0y1@eNPFDNji4## z&bsbJ9T%{ZyN~h(%MkrmT1L6@%90U*a%UF1mUfclS1q~ASW({{L-HJx41^_;wK(f( z8lUqFFtQipKX>~&GV%l@di3Q7ch8_!d6+0Y${sSpEE!x2&c3j)(&4h6rF$4RjVs^7 zGz3mwJu8iMj4@a(!cTa3(U0KbAsi;GwgwYUjhH1){d0gbL%CWWiLcT0b2~XPRD$1x z-jj?iT7Cq*RxmC+ACHhWt5LJcsmg9)Bo)tRQJG^}tEQ`diWN3b* zP`GnC!4~*pi#iFbD-EPfo@=X|Rat&@3*Tc}po=79w)OKyFbp&oyR`{jz z3BAklBienKbShn(;6oa)NPqL*Ns2Z^P~IPZ`1$?&w1*@1-|jgLX3*jFNf=I+;xflX zj;i>G5be1epOH0I4e@Un_V3I!EpkVYtDWCC4$-Ma2o175YYv1d~DIPNa|Q{C|Yhak;KM%(gS6mTske=&654>2s}Tl zSW+BSiyN{;Gv7E3-H8_9aEIQ3uHi_e`ORW=t-0-uW%nf}(%ZMrP`N=M4awv`A z0?~RCLa#rUbz_%#6@?+#-d^hx+aYTT=(--#dCISmq z$nWBU{Tn?zq`Z57EX_d9X89cx+ik2o>}X;u4lOtr5ioUE3mNj#D2^i&OU`rAt%S6Z zLaJc1dXqfJ;4D!hp=e+FyowXHGkKjN>(g)j@X97`D~{i4=^4c&$*U~X6nu_uXPrj* z3d_iXukCZ3%tpp`fxg0l)xHNpAL3XB_L#~}`Dqi#gEqAI{*WI6YbS?`cBt}j23Dpu z)_vS1W|FW^22?{gJm5@VSkheA8kAE;nsQRJ-XL$l7t5x|UnP-r4QzAE|5Z#0Xq3YT;oJ+^)5x7|G-klO=_eZNpY;O zL_JCxNk<+6s0#Rm$XO0NTDk#0!p$a5>s-fPPCX=lWWWsQ&dh4et~xeAC=^nAULj*j zPaxkIM_Lq2zD0QrsA@evH384g;R<|+T=doYU+P*bZkNKl8i9f=DvU4T3D~0?5@7#V zR1;tSuKvDUGM!_72K=mP%zYC1vtG3>-yvR@#U)Zw@*$mP-DXm78g0 z=#$2l%IEMPt&O(-;J-~9g#5qt3?tRt6M_9b-PBguP0X-u_aj?F%F1u(ee5>|#}`I% zDfM3zqVXZvz`mwUM&e2X!2C56&G4_u2b5u84ImT%*&U0{$KrdXF&>{XLQBD96c~JT zmFB)!8K10Y4{!7z$+=Xq4ts<|tGmQdGL|G}t;P%>d7Y~pcM(|#6pW8JB>*--V*Eu( zJV^w?w=}5H?s^}QsR5bpkZbhTVNR8{`Mq*qTou?^=Wfj-Rdf+8mXf%w?jtCto(!)z zkDCGJP=q)4q+2I7>crE=#&2+5TV&pkl$yBQz~ZbIm^d}rx)grPrOPnh#jRkH-OnKI zCq@!R<7D+V@QpocW>jed<%NCt6F?aIv%7A<^5&BPBNt0SkU(rR$_m587Tt-cwcsqu zosJKMx}{ciJo~(Hb7hAhar8!ZGrMCln_=`HWwJw(^G*NPLJEz>sk`yqyeu{W)G$l7Js3E4qGh#~>e5 zRXVWZXIe!5(2f#%hbLDM%Tr+4Y`1~gws8EY;zpjdQjOdKMj6&QatlWimG#;%RPyN6 zR`!%0Kiy$tz51S!*p}1aSJZm!$a)w%9FIg{EBR19l6Lhrfg>Nmc8DCh8n{#{&xvvl zbMB^{{M|IGfk_ay=Jt^ke5w3pTwC%g>^_4w|L0lBIQ?8Jwz!-a1;pDjIEy;Ihi4y4 zB5UY_B}HFl&1KN_0k%;sv4BrthhxfR~7XvZ#VhkOf*9gT&=;eHh< z#XWhx(^+Rdr$c2><3A5k{$!#R7miV~q!{OhsSig$o#xyt`OcdmjG^3<)9U(WSf~s( z*?aQ5lEd2P4F%zu5D-_S_Gjy*~JeF7ZU>E0%dDvf4MT9p`#3^$FvUlf%A0k@!|& z;>qlHrp!B;^Zxw%Pr5&9`FwNwCu{B)JM6PfqsQl7*tKqa-sMML9zXo+=OS;*x_WGg zDgWC0r;p_S^u_&e7Ciaw>DxyBi7Z=2MRHTNc%E5*2dkak(!6ERulB;RUPD=rd32%W z)RxgEkELAX%L>bV8>Y8#Mb_XUu2^dOflGKOzGXc($a3dEsKj%HqP=}eB!fE+^^Hl| zI{)nwhz^)bpZXz^<(!x9n>TMFg@W6zioQ{^dVCyjO3#CF9^-?oB!3hI!EK21b{^V{hk%q+g4je<8ig zGOhD~{p|b~e)FE4u(fijb-@nxfwK$RmnFvY9G5Ot=jPdDH%4&BVI~uJyPb9ydJN=P0=DPRe zxie$ttvS^md-&|qxT(4CY~kz29P$>{S6>p3)<3s3YvQEm5A10-KVJ65hYj&KX4jIJ zxoNu^Usbm6YI?n=cV_b&`2%OQyxm%Oq~)E8g&()Z`HOFlI(upI8|;OeX>Tnx*7eR> zR%+(nuK&N-d-w1rs&;*Ntt8WCC7Eef+DS8M6Ozz`CN!ZlZKh42hm^L^LJKXlP@t6{ zEfi>>RdfpQe2ASg$vay}_2Dkv&yRa6vEQB*`!JiLmch_9&N?@1BG{kpI3x3BB_ z{`z(>q_bZClW9e7I`R#u;y^r*9nj<(6$9-Tuvi zciZmx&fm3?FUf3UjAccG3&&r)axw2to3o&m#2(G)GV}70>2c*b?@hmDJPG_bXAr2+ z?h!YOqux|^Jnf8`b>*uky4-c(^rfQU}f)|I3eEO5KcYT{#la} zeb6v6o;%^1JNu_IvtQ_~^!jZrB^_T3o5`GdVQouvaPG)C8sC!uG7wz2s(bo`%Ogh@ zta+%z^8}f)sz_g$d~V+0fSno~6{3D(!RU;F?(RpV`3)bmw7*rF9OpdIC2Mp+xb@J$ z7y9+M_v+|#ttQQ?_W23T@3qgf&RTeXAKUy_dXN4c-8+|q?rjMHxM0*`&)!!YwcbOfa{ls>jJ7+M@33{;T6$dS@EGWk<4Zgp z(YM|$)!p{--RY;cZ(6Ft^G+>wt!SHnlO0suG!?vb0gdmvCG^W*vGK=h*WTa25W4YE zFqr;NM$>;(^JntC`twnpD*nU?Di~-7H&3l);BO)L57b7(K}BQ4Z>AB3@~tZV;?4NN zka_eUS4~Xk{c!tAMfxA(wSvtr&fmO~sFL&J6ioik{Ct4h#*8i@KYu5VG3|sCn|J0j zYCRn7+>9-N%EYLc%>s=ha7S@IqgO}gZzdjnY~&{!)^9G}T%6D6s1i1_x1gP@8e)4@ zXfr!kotD3o^wDkJxpOmfyQ+9Iao|;@Dx}-2SBOB1oR3BRLsfo0o{M(k`H_Pcaa6C( zkb9&|a1)cCUkqr$_uX9aQQ^kP(`%crSNp4s@qU%-#g+3Fu5VVrUH|an|5&*L`QTpw z=ZXlFvyw#f_@A(w=S1_KfwM*s6{#Ok2+Vna~(wq%XRCL;Qt9sRO)hNM$wAL z;2%C3)fY#h$FWXFY(*b1Npbfl6`hPqVmv7m^oqM6&GMw84_r7&b@UM&r6TijlzvfC z(TX@sR7ER<0@YC&6n^j=l8SlNdr8=?BFk}9;?emewL2u0H^f%gFQjB2@(sX&Xc0gp+Cr!0a}%n3)z zB0=jqYAZUK)bJd0*4+)Qbn;`N6naI>O1Le(=mQ%RYWWLMky?RNuAetXB>yKMds%+% zr0a73HrjYH%Jtj*Aos2C-~Stc?6dyFV~1D3Ds?Ucc)z`(}pQ5=ALC&4!v zz9#r4!q)>|8>>!onE7Kon)+xC+jxOdH*GDJ+!)bWLyUPC0 z!5{6LInU)hrw2f7WemV}Bce))zj!g`Vh(&`E~XL#F{_km0tYyQIha*3Ijkcw=DFXL zzvcA$4WN-!`h-hxAMT3_Q4Yz?jE>1kjf00Vms0gu*$a280X+Y1ef2o{Vho%ikWi_| z{ByrOhgappsW{B``Yq5f$RiShxnFcx!YIs**UtU8%4Tmxqv4rTsy#-)b)Nsr7l2ZBTnG<~N71_=kQ zR#9j|$U)1nM@OeGe2M{@Y^E?NmF8E#Ga)gcOHx2%&WEry86K@mMDZ1lG}X=uGCv)P z=s*-6m;aOl-o~ekcQ{gU5G^EjCSB#wGVVx*^r_dO93l83qFtY~L)&_3Q)kS1FeRhX=Yr>vj`P z`3>5$>(pUD0h@S(`-^uZ-Qf3;-2lccNnWG|OD_i8HCkrrLA6L?fOs0rUw^=pj|Emb zWSbvhrPBi~+<72|315lvV5-MkiM;`LcpeWzWRy}xuVpgjTMtQPq#b0e^E>kH#i zX%TSB@Aaa%2shm^Md0k{zl^+{kma4*gX^H>(svkt6EVStG@VrUUz7D};6{TuAF#Gg zu)iOntasl^Se0ZWYM{-29*JT;9@+_MUOp3;NGxH&`6sM7zZv=2ZUAlml<-=f8v#4E zn+igAKxP&$p^Q<0`4r}FLz&?53r3iVEdZz$D0ZL*AF%^Feb|A-qA%^b!iBhO5K8lB z0m*t6DJZ`MmmRE~Cq5r22>e=bh!h1jp)~uZrb9xCB_!rEIdroWLUc}O8nQLL4uKj1 z&z3^;CLNBqq07}LB35I2YxW~5=64ggt40jvMfG454(}&FmA%|@p%dMl?Hakw|1Xs0 zedP~?b0_lkMP+-5Q<&f@LS?(Mfw8eKyppe{GEnY6N_s_1(A#|ghw@ZeDSlIEW&F+> zav5d#^HD}csW=U#^NAbwqs%pT0em0Eq#Q!F4rkQ#N78W2pK|-lS0GefvBv&()_%7J zM7#nmeLP~Ip17hXLYY~f^0lb!zEMA+8EOdIp%>terw|==&Ze5I-0^DXzAp5WG@A(l z+vkaPGW^_;PUEm7Em4I&({-ARg$rAV7Hj@Vk1$=9~*7Q$i?!TWbZ3#O~bEk=Q^J7%fUgTft!eMxx{qIK7PL*%!Y zLf9Wb8TRx3wI%B)z81vILF|38%H2LsH4D{GZ^&ntlZD|C{LZ2!L%vT}YV&P3oO+;#Wz&~8-kB|sh zLBlP9)@Q^a$nQN@h?Mp*tyQ$A`3lI5oj$G?ViQon|9B{~HB1M1S7N+)09xA(kz&Al zWMkKG?INlw$vM$QPRBsUp1lQ;A)!qAOxs})i62bpg-n$FHENQtVf!&^265Y8hjPtS zgx>OhF3nN^b$btj0_+bcbJerZQ`p#m35jb)IKSkFdRLQo3*O}uM6YMKfOZ^w*;Fs$(#g>=)ej zm3c!Hq!I;4J&ZGAs^9HgRa4N zq>>VRiL21_iP8!+{t;WbIWc*$1~^&>R_h$s<`^8~`A+A$ObU8(U+8$hWk{sfBoT?v zL#kdvQ}$0BK-hSusv-2vHx$uZTWZk(uhjIlv>!`9Gbn9ol2D1n;A~}Kp$et7z3=m* z!yUf$*glKSm+!~Yy>aEW$PjOIm!R}3li7V$T@T;oyu~unqfv*Rr)D&H=`Umi@&l%B z=`D!Z%GQ@lm=pt#xa$y+N9n>wx=5}h5rSuG4umA>pqr3GzII--Rk%fWqIs(*as-ZW9p%--ihkS1+ z(Y6x4C7s)8@PJJVfVjCns=Y(1`utaE6mc;7}^H0bwsO$@vHX zkCX77fVL#NP{_->xW~=XDkkLPtu^&1Bx5I2rHdeRv->!s(O?zuoOeD9^%J0SA)q8w zAtVX6883mJvFsMX4H<|o@ij-L?x3>u&QJ(v2Df46`7=T@iiCWTFG0Aws zEISny$H6kRmjo+bji_1!M(a>unlIadyLP&fmAV~ZLpO63_AF>;YZ8V@jk3@+o9Jr0!nvNMeR=9 zPMWet0{A1>$d4;Rp&tw%X<_}du)H5ki{lEAA>BI8hHx$V%6wUi#~S~gSWsoCi6=dq zQdp~HktZP$A}WJa@XXba>;r?s8?9F0>V{g*^C_&C5?#E-@G8Z7AqH;+UsqP{drAfE zv4Xu|brQLs8h_=Gb=(Ht7lrW$yaf=DbU=hV{z6|XCB8*!JcOEXrDTkT1B-7WvfJoZ z?3WwZmb<9cC!?0;h$F_9Ie>%OQUhc2UFTt+QS@H1TznF!mD6FN9!NrW;G{*%pc16} z6>w}R?W<(O@;%Ck^O1RAtavx{My85%pSh8aJG^_wd;VegUeXipFWU{-bORo2@fLfW z^A@3(V=DnS5m;XIMRbsRKT0?5v(tQ`()cc+_(34JuW9K(>$5t@MZ;a1uO2(mgA9{j z!S7s=ok%>+7zHOYeE(}0kWvEc-+7meuxzI_WzmH%aQN$5DX`wPM$ZiN#V8z0V_*Rw z<`kuvWfzklN->{j=@KMb`qQ{sm57Gz*U($Xy!#%IC&buSn$3yUPt@++_61F!%W0_n z?Y2?YBP>a8KYos5%czAuUiBk4hdN7G4-NAk{$CKvOyA``Qlr(?)2(~8*$+qAckzk7 zo-yX_@$_*z)b+WGm|X*jCyxqFy4Q71dw4y}WaeiHy?ajssg*vbLNiJaR!|rn?H>bL zs@z2+kU~aEE?B>5S z{~A-i9eMIi=1XeY&GoeQXiy~u`EsxYr_}t4EH#(4G#wzbFB}nK3-07U7GDEN-X?fp z%z|k0E4<%b1pO%u6)b9ZieAe$x?|WGR9vX4mhcg@)w3+db*h`s9JS@XcWw(k6Xq=` zt^;bhI|{uS?2g{~;j8K7a>-f3BGJ07%Zx$Jw3;FWEa{;w*u(WFXU>4QL;I=IwN_2; z3O#B`bZ;UFp+{)~|4Ja*@31}-gXi(dFye57wcv_q^zA^!1CU{qw%m(+`PdM&3og!~ z@qNd@tbaFY&i)D3RYy)r*~oVVjzoaj4}4d;7ul=Br-f1>mFz>w-hr-h`hEX$k9BR< zhBlpd;u8CS@}XSmKr~FlT&a|5(ZLK4js?G~Pj~_NYmlX2sT;|BY<3Sp$Q!l*73U!s z3Wi;{*cK&29p7*6ujaP0@*>85&0?_{S@$ISZ}$CkD7A`1XDl*gYkZ@bA{WT8AHZpg zmF|~N+QGE|E{B@~$g38HZ26q-@U6q;d%$nB!YTAStUhuXH3c7wX1CA>Mhy|9t^)f= zm1)aU^pRsL$RPVPSejoYX6Z3?Rd?agnNm)z;roaONuThd?;nwlp_WgnAoeC{EuZ)_ z3M*C@f^B&rEdbBYsw?toC9vV-go-S^rGUp(5i9sTnRe@Y-PtGn9|_*0*sd0k41~ z55r8oND+#$m_1eTCA|%|r^pLbp=q6NJng&8+tj4x$R%q!E4_g_4#D`BhB|%;EvIkM z@fFLx6;`v=#gOpHf-vm~f#boML&oL9V%U`vV;!oceHLe-!u5#T!xt>4>zA6Kxu$%+ z5$#-qgj2uBr`t4r#dqKvqYVg4xwkDf{DVS4Y}x9X1Tn zgdfBnp%A~#9;|3P5Hu91ajLzm^l&11_2B69Sw~#dSNRIYxVR_!{%VUBO)@JC9?oWc zm?go`pr(7c9CD&7v4%=cWchaEP%p=8tn`jb2Q25BlDEvak%sdyk4|Jw-eh7jm#Y2# zhCVY=vIkSPK>mio_w6goD~|%A+gGEP19nhchYY_+WR6q*G%SH``6(6cuKe%CYfwR zi*O4XymUlGD{Upc?UB7puF`&*Pq1Pmkt37ywWYZ&SLNYMLx6bj$Y59Gn5wsaYdUZW z_K99pc}gH7LZg@-!TM<79)4J8GT)tVDR!flalG3yv$#8wh6Dmf+fOjP=~-WWG`MGm z+Ho`A<6N`PLcbpZNSh76xz*oS!-4!7zC42O+Ni>ptBZX|+8=FyBs@ZT7S;H1Q}-(& zrzdQ~xdHR2RG_0|FS-s3upcb@>3|0?0PEJEtyQp2!%v~{d(u~>`L3x#KMR6%KGQD4 zJDHi#NqZUJ<+SAf+O=J6{oF)Mr#m_}+AH|{GA)cTK3^f?--0=3s!4)b_GgEe@-+?L z!eDa?;tO0GIR6Yj(erP;=M&C85sg}UbRRD!&?%_ep(6BqVzy7T52l&>5WO?N;yU!g zhIb895`D`QP5M2~x?Y*Ud#=67|3g}KJ(#)4^!%3Pt7ixi>0ER1+0{1E(kLKWW7 zwno~5rD`=yZR1$i@_6}9j6^QqLY{NH+uikmchsX;&OqWWKJQ9RO*!`2@hHI18R|l@ zhg6Ea!_jKBLYyKKph1?7M*w<;38+9z`(Mzw7no1E2wPr`L4uy;0pE0VIo>+S#Sbj5 zfaL;mJuUh;Cb&7nd?d!#T~Tu%qAA081wgD7??g4f3E98yJjuLSX zXev4iX@dNq5{Z&kC0yg=7=VIoc+Y!{ep{N)_|Bq(jccl;cs$FCCQJ{0zE2U~Qd!wW(Mv4(f^R#$45yay3C zT+JtYRv17n-F_9Ev<2VK$gZw?D%Pts-IWxFwVT$61_61bshwb>3N z^}~h-SU8Xe;w@F#T|qC63%`iXl3RL`o=)Yq96H*S6xR|xH5t}+u8&#V4HPv#{5tox&GCz19BcRgf>+}tN#lz`SMW;~PgXq{Sa=fI<<=~mfw#Mu6pZUl0ql9(V8~T-FKcj+UB?Nz z!GdAFBhjm-$bC@TVtWQ!mX*Q%WUfWVbbnI;|AX8U1B}=KQKlK#F0WPiB<$?(6EV&3 z{KyB+?MOG%;nah}B|||yF`s_qxzr1POoAhLebI$z~vL?zlZj{0f^nZ48Qv-?&aRm;&P|K?I?N%ALd>AHV~J;EE2rt z9Du`o%7N{$67UZMc^zm2Ub2K9Zr_2oi47N!P4W~ZRxoFLFC!*HSpWS%a082zS0b^F zIP)HYfj^{dJA{M4tk4KE(=)CkYOYf4tY<{wWoC52=j5WRfYwe8tgA~yo;WkGb`7b! zA9|lWbpf-cEdlr!elR2?z<6>WDCNuxILmE2R+}Masi3yOy^EpDXBck;2$*D*DpM`R z>m`%g{+9WurqHKl1@b1jJ-m^|OLr(+qCLNAjXMI^VQ9BOA7l+K&loWP|^=!Ov zyl|zP=PkBiacBs?yY1DcL@uc>MCuWP>xkKN!I;+;1H3|xx3#{9(Bcxrb}i3Abf;90 z{6l|Oi*^o2+<|!C@otWxEX}VxjM&qa4ie1F?4Dyvftr*e%R96XbFDHr$gkcH@ai~Lu(I8`jIfbRZ7Cb$ye9nyosph zRs?#NMP%i*iRku;08)JI8#L}4L|(xsX#>^~qwga`tY=Ypcb55PYxWD z&-K6h7PmliZag6Nnp4#DvTHSKl!-iYZeJmLu2QcUke=fioj%ix>Avgj1+MZ+Y2_ws5ER`efMPI9OHuTk$cS8WlFSe5b!ZaDM^EVQg!)6HfN8-Am3(>cQ7wwyy zQgFTfMQ^yNyJwm3{bl#?8Tp21b@(&DetpU^iI!Tw@w?{6hAu#yp>J9UY+C*o!-tS= zri)u-$eLe2o$P9I;I4W7IB^EHpvI|LK-3^kU3y5~tPm$)i;x48rG1RuhLb$|sc~d1 zd8mnn#UF4mH0c?mrO~$sHN}ELv9W;l|7tCTb3S08&g8oVKUd@x(coD{UNsKBt0)|< z7e|nVfsii|2ahWRCydDjuiI;ZzA$(K+3U+L*)QQo&Gj+v#l`O_$RLP*@E}*M@Rp|Wg>ak0=dD``oCc4FDNtB+CY8h!s^fhAq2$*7|hpgTu z{vPcKe*o;F z*_|@7$DsGjZzf3FRni89&+D-M=AQ8;&If2--zR>nPra(Q^pe6H?;zi`eYxh1f`QT+ zRCEVP4gX69#+|!Vkt+Fl&)Mc(O6$rlGJrNeDXz0d#gXYPg${dMNj@>-wr~~AbQhLc z))YI__}=6#>JqMYWQR*Y&9x9Fo#wKEp2?F8Tg;&ye1I;387F|~0N~)X?$5#)#Ozrg z0~=r3-;^_N!&_(kIyd zoBREN5Xe`Q^{fyy&*3XFN>DQnpH}37qr=U@WU0Ujy!(*UuU0Ww_@K5!5W@f25z#Qud)BcbmzD{ekg$XzU~mF z@oDyla2jWeHLi^@?A8U|2U5+A#u@R&g%HLLItQO8WdDJ7WmdqBk$aRY24$=fbKi4d zFf!g=h71`o?PlO}e8#siRxldM4dnNOqWx>Yvh|NNSa|nHaDhmsxh@;m_A{w+)y5oY zFZhsIXMchzbtf_(`j!K-cEC3rSj4QYBB`_VkeX20bFj8@eI+d$fdt>M;ix^)d{D@K z7X>HafN$!&nmLGn$|}Vd_d+$x5&bE<(~VE@eiQ%iElPX`o8}o1Tj)jBdJV-T1A){`93UTHsqyL$ z1_#&vjAiDU{`BF(dB`(GdlZ+Hvd>vA5koDEC=c#I#!;N*zTy=aYzP%7OX0}vZvB=u zF6&PFxxP;;+!*aJXgLQbZ;EdJ%+ajA5KRWPzZMeMiPlU_;c&caD(fkHA|~*)$I~5D zB>UB{-!e~ULGeAw{unzNAIavyO>zW`cT>y+-p+&F+*XcZJwbUDj z@35YTvHq?h&EaWQj}A7z_BK#cl>lNtG$<3{B+y!k+sGL6yRv9>tphh2`k^aXQyWkF zRBCmWFUxA_@W8H)GZs(Tq(ToW2+-#2G9>KYcPo91s9pDH#n+)rBnrLCzl^9|J!6d7 zk07Y0@OgQxQH&UyXG$7~8m)LPOMqYv48lNu2vsSRuqPk{PpHr#^9QtL_IXF%ED~DE zTRmxH)kQKdv=(`t2li63guf&7 z9jJDmEwuL1kTqxSCugA&Nte?>=?P>_(-3D?3ZxvBt_gxAFjX^a6{$$8wc;RGSjpwq&TR2)&=;nm znglkoCvvFwkswvzc*U0*4RL!rk zmZ-fdPF+PGleQ?@Ux2y&a}>G=Yr_FJ^j+wbxSrOR#k*1s_E-7d4gINWLt({bTF!T; zUeF|!B{La(ySXKiN;|7Dg#K_l!oflnOw_%6vyi7bA;JK)s$t&2p&gWN&sM6W?PzM2 zWWj9NEWN^bCriiHWvZ?CBIAaK#SE7JD8bZj=`U+M_ML zJYFI7Kw$cAJzxozd`B={Mn%ui7>~?$4N%IyiAsAaulE|>j= zYF`+J&m)Tf(>BBEWXnFQYT5FIJrykV{h-3vgPMb0JMbAFDE4CLowNYfX5yZG_UVQZ z?$S~{SrmexS;ycE<0r&%P6O$j!H2sa!QgsEzah8SGhlBhy{$TT1$OsM-AK>&_uxd+ z9%60znYR|7))QB|j9uh7Fvr{D`H$sqyZaP6?1*x+_CUFO6xmmWqwz6pE*^xN=)tb7 zAuQ!pBSJmTYpvmmE7jJJjt-F@!0xrJ5Z=JDs!w1$iM(_*jfgDHY98{z9k~Q!v4>`_oz`A(YYPH9be&Lg=<`llEv-Bh#QN9a% z3T@`W8t{-g3_JrW!PGvd1JPzakLH(8M*EKBeXnTjr+^^wD}_g>uv!|A$w7LL;FN3d zS5MQIfHjN;o7bcAX0#%Rf(sCO-rSm)&1>8rhu4`~d2c;2wd`U|7y1xWXeVouo>v@! zpK=x>ZRmE|a(=HM8ji7KRQq1*E?pUDhdKyN09E3#xzHrKTaUAzSsKIHIx$pf1D>vf zcX+@_H{I7myD=N(m7y)K)92-6Ea@v;w+5ZbRFbDfh1Xe=w9?bK<9libA=)oC95-C6 zH*)N>cr1-}`qm-#W2qL0evT*}A3dgqUQ+X5FAUh8>t@{sTw~Hck`fFju38si|1ag^_4hx zROlRaavqKJq|>bBafkz+@5zys^1-(`Hw(D&@?2%hPqe`iFU!jjD7d=9zUK*Ke0dHz zaN#^*XAW@KwIn<51MoKzs!TVWxFxBjH_pZrJ-AX3q22MwjAIVQK5gZ18wYsfN|`7l~OBd^R2yO$a|rGUl?E=uZ9)Z zkDl31&vRY5of=U6rlZii)`RLjGAWT(CcBbNwN5I^_ah)cfU8TQLQlhFx>yOjAD{t0 z8pkg2Ct5ENViMO_0@mAt;#BD%5=YTO>O>jda|fUI3?w4vr+D66R14EdAI;Ad9;wW9evx_vd;`2(7%m0ylBT+mtD zjPiX^hOR8=_3w`|#Kb|LSQ7J7Y)ni!$`7a*w?|6LpkQ z;NF2N(w1l>x_YO9Hl}cesuCz&EP+ZpGMFUbcQY?gn*(a`OIIB+_|(=JYHygjTtCDb ze$~*A0p7vY+Jz~h-S%l{sb|el`H-q|1m1`F9BB-4xz)TjuL3x`=1&9KJ2_tkRXbo5 z2GIXubCEEv9JHVhskrDE=v(4_{w97mzgX%}U>T+Ha#5IIc5Nk)f~_gFp@O6mTVN0P ztH9IxaRprwSEu2OsUBGFJ;{#pa-2oWZPs#QbdH%OLzd3*k%@C@X;*F_=Xs_J*G&tq zVF{e|XO=tG-7?!(#d3*SoEuRp%tmmPI)^=kqF#T>Dw5o$l&^^yF3Pkn6~rMS!Dl} z3f6g6Qft2m9pOIYJm0>9b}{$k+od+b9QxXfUeJZ%`ng6X7VneSO;thPRI06>9A#j5<2?dVs zJ%w0Lspg#BkdVXQ>V}=D0VL>D{e-P(_Khm`!(!h7FnM0d85N`mL?&vZC(2rtRJ%M zv!$s~wO`3LB+bLM-&t&dNw8BEUuNqB7xSf~g|sRxr8NftPKX^~=>|Rp?Ttr%$Ad!~ zLbn@TrY2T=*VhqKvWw}@q#1|?0P4ThIP#5xN3KR!aQz-Bs;ug3epm%KaiFr^hHfl= zm7nNcf^kuf1n#Gq9Y1mBv_h|93C54Y0<^(aGXk7aL!Y4gJOjJAKFR=>H0cEK)^ohp zzScR0%xjAyUprVW0NaEHiyyLi@*B*Ih4vtFnfvRk%5G*2fhhLHutKhY*!G36&Dmqe zcR?%N9_5KwgY`P}xHZmrViRDCY=g58>Vb=@%u!|X9HY*UX^y-FwRETE!gS5${<0sn z#@UC_vveh$?`k3d?kz^qZlD_TRF9>LXtHOp#=hhHbbg&sQP~5P%{sEA;5;7`9*23U zULKDuy{HzSK+Aj`3huI)y+aD|;r`UZy{h&dR)k7@HUwtudD5&z-)4pJUOjl)o48^% ziYs~A+@PWFv)v)~-Bm$bn^_UJn>T7ny1B0w+8q@pc|J53yW(Jjkq-P6Ss|*Ga*(Uf zc=42p`t-627oOyrg=tSlQ<_8qLSV+={%a6vwe zTi&*2=^|s)XD}t=7T*BSpsQ&joN0NDn%j6Xx8)IQ=GyRd?x@%Ck(ImC?HZ{*)`WTA zs;G`S0PV5?=avyXPkd>E>@lGyu^TsCEyp#Ue_O9)wp24B8D<_p7X`}|3RU%2W^IgP zxE@XPTZa;)tBPA83@!2y888NfjOWBe$SX zyuF-0P&Pm`TX&KfSK1SV((F`J`m;HFz@wPvc$hSgMorCI%K5{2y-+zgHupl@JVHMz zx(v=E>&ibyLarlGQ<{v-kFbG+g7N%rU<9~*58@l(9NTc^EYqOMO?PRgm*j$9(uWAJ z+}F;){PML|5&O`=3x+OgzdmmhDhKSPXX&O=J1X6PBPo~qQZXCrqH)ZoJ#VxQGQP6S zebAjB{x)m_*My}pbZcRFZ`w_wllYH~XtwBd=LhyDR8rve3U7>IC z(=1^l){-6RlKVz*Q6$s{LfE#e_(yJzdW68rmC73dOV<$s0Fk*9Y4XpQB?vLHB_~g5 zt_Lvk^gkb%83{dt^Ea;e|GXl*|2)iuTsvXs|9mt=W<+qCeK(#i-TZV2XYyv-nx}T= zb5pLO?RxHi<OV^lzDR$6y-xJ$KQE`>{BnO4 z9xCX+B)g8{d81BX31Zq49g#{1fFo~!Gu*fu$@9kfPRPs~7a%O_&kHwKaU|&MkMNhs zv;LL_vby=&A5m#HWL<5Ggb76w{q2GbiEbd^{_Sa^c=HPf{%kcFe;$dc|9p6};IHSN z@#iTxx_%0p+#k)u|5p>cskNm=>h(s!u49Yds2ef$rb~Zo-hrDg{Ov6>Z@O@EbwXf+ zEm!i2%ex!?@F?TvPK zBgNn9`KFxysL7ivH8|?b>w*?B|ASoq@y*_|^7D25`JK4)<#xx6jDymIrc5cF*jPKpJ77r2n=g8$w2ai) zJQKwDdDG?cc%+jv(kSbr`T8_(AVVq~j!bD@QOb}E;6G?e^~z~tT0Cn^iag_b^^oOi zF-Ya*$F3U=vr1{s8_A=i$lZH+Xhhs#voasng|D z4BlVDmufLpVy0pvKnCa_q*(-~@(~uFT29R@orctYSuA`IsRNmrmO&VN}-3Bl>L<^g<6tDe2477PzHZmrt?m05?4er@u#OkcuC|)Oc%3H z0em2w^Gh`rg(@xJ?3x{f!lu>0j+7xikXh^SZH?R@W~S$wn8U*)6ihRX9je0uW6|EQvKDIEc1>fcw%mK#xcRxL{!8 z7lx_Q{Q&OHqp+k(%Lu=OThT;w+0ZQ zRPcprM>_b%z*h@j3||Jm9DEh5y4N4zPl!aM0Ur>^dL_SEdDC=iQUmZ*=f|Xm3hVqt z1oEF};nExU;;}yj62ax9fKcDr0g*C4zoNp#Bq{V!HmE#Xbe!52WmB1=Y#6Ez=c<%z z*6hqrg!+Zkj7?#R0!e9Y(TUn*hH*F?b?|}9%8H7*I!L62M7ku##zL~XI(?K$l?((Q zHVn5$3i#AhCM{D@kq@7`x+JVjOMCrwla8sYgD1h|I5Z;C43M6QWTICwPdyd6HIfQi zh*HmhBr7T?xOCf8uAknxS(r>|VffZ5*QL2W%J@3tI{7L{bLY`cY5r%O{5LiAkJ6lt z`Jw%JeWx&URZ$UPsw2XT{zGsPVMc@&!QqR1Zgdn7+ExX>_wT*vhGhRPwEsK{&sm8t zuJ|v#2-WMLwxL{A-$)yyl1x}R{DW(W(VeFOKn|p4L%nb=JX+6~RDDq@ zj@*`sUH^Lf?=@czs@Cf@|DwvcS><~A1l0UX$2)8OKVK|T^Z$7k{bS9)|Cx&a@Rh&7 zvG(j&^!*(gI}nd_GLm)@S@>);<~pjC5R-JB5!DtUut{OLxa%5Auwq@OY1KtkaFQPB zBAk!eux@RXlhAcymrlmk2y_obF8syWibqB`TUAAMGI+s70IeGNShlx1G+~0fYw``! zNFdUriKve~1*KpPFulQ;;2o4$RM*K4I?+9rd63+ygS0bXnFfynOEL4SE<$?+b2>8! z2T&s*J^w-O8sRJ=;A2hvXjZjS7ukdcE-^cVnB)iu&J^H*Y_4w%0o)noyiOo6AFj7W zSXFU~4oHH0_zb|9^kX8R`V+_lG?s+Dz4TMY0tqGVhmA~-Zf2c1J2pb?U6J< zstyD&0W{fJ%i6trm?Ddn8OUt4?`8yC$(&}IB7j|ZfU35UorFVbpRGLfBD@FljXDo9 zj6-5fsGHA($P`^R2&Q4EYJ7d@0hW!suA}om%v8xwV?KuMejT(2KMvS;9I1pe%hZ4p z<=v=@s5F6l8o1B#chz6(BI;9j4c4F(=65jOu^HiRj23<*`y9wEVmq)Yn-OVO_ntUG z0)Xs3&K2}0#^C;u#xgy1W1tL_7F?;?#@K}4A_z|Ix2iU?7lBwtbjv?ZJcjaTritP6k5GwqB(Hl&FxhmbGz~RL}E0SIC zc+qn+yE*fjDoMhOmm2IYp^X}y6unZlr(s~p-YsXSF3i8$*eX{>+!(DthHh{ zJDS%+dBDt7^H=_ly!J62K#8T$NoA`@;n_P9x_pM>i~yqobXlI!&mzYoc1nvhd^- z&IzZpW1P`U4&F{S*2eJD*stY{h`7(q#2LcGpo~<{C=NW0fSE+!Ny_Pd1&uYdtCKnj zOefX>g=u}BZ$GMi6W8LfI%Ue((7k%w*xGJj;*4t!Lw9IqGu*c&cG?Dje2csXVmYjf zaID&Y1J70xcb#DsC`iQ2h&3sKW@@XO7@>we*B`Q-83z=zK%&PRRg)(&naMYi#MZ|q z{Y4MUWPsn68k!?hgX_-U-r|O~^se)1=&RAh;m>yR`0|zlK*KH*)xcMKem714Li-Ii zpaKPo(b~poW*-4~eqt~|k?WgnQ|z*?wy}1!Gg?}QRFfvyHC0N$I{`wkVYNIwG~Wii zx7Rs+@w56)-d1}Fu2k8=;&HeSTWCNBq<7Q9C;8*}65-TSrZ(HV#{u#1;E4@51BHPE zY0Ow>6tv7hflW1KqSJsM{<~^xFC{ zW2g8G4eAR!#GG?)k=;;m=Ri}qu5Lp8ty9E++YplVzW1Sz%*@9@=^+JvANcM=kHLS; zeUbr%(;Ajqh8M7|$JC_niR#u*dA8+i!NUd`+8q$rzso+w+D4e(EpwSv-*+l99w$VG zD{&Fi*9Z;)w(OCJ_Tj_0sp1wU$Nn)k0;M@Q45m`2-g&Rxy4H`F{=DCQto12lS2a^^ zTuF%eomf1ISo4R%JU1BN#Q`D^_;JINYbWD86QJl#1ioD=MCvUh=mBnNJe#ZrL_`vw z7{NvC_v`Q(T|Fo;=fIkLa?R{#NIQvJyii_r|)g?Sxd zZR;iI%w6Q;2z%S-nY+YvFc6T6n@JionQa4_d4$EBqq&6xP~%+09{^&K5JlQ6zlGm) zb!cP`?FdmTEHR|FHM&;Z0Os`|#dv zHe{!nX=d6C?4bn}l_inNX<Q#s;oA92gdXBdHH|nr|ViZk)1J0A`Pj ze+A(P#~x1|r}1``IDa2d{oyyOU^q3M=UlITiC2lXv>H*wDsfZG>!d%4ux~;FCv4_; zv4!KMEnJxNED0000u7F|m55GP5MIU34)eytJyQ;%^lk{6<5h7wna^e5g4Q6&mPm<1 z&OV*pn-T5r6CH0%g`|uaZWe%XQ$7kRjK@wqPkT<)vX1oOrn`5bv0fzJ!977BD>-W- z7UmKgo(BnaIKumHYTbSokz;{7H6TTQAj}PK9my(K_8TV7KP!G_$s|y59x}zx3oNSE z-DfPnhqOhY{`??~XE`va`q>1Q9i&qFORKeWl&Dz#mM>>fdC4j7R+#W;Km3KJU4|K8 zEw-mM=Cde^?W4v}?tibMbNQTa;|&gOp^WSq|?D!p}7ZelBO$vFkPJGQYou z8_sXkkYuX@|47ocJSUHYD|(1h|5GS0YNCt%RW-hn@=~+puZ9D|*a)^YS2>|#BL8J1 zKa%yo?#X8+;YZnCoMM8XP1iE7!|?n!$|g~;`s`u;AgLq^uQqe0fPVS(Dt}E)9Uh`7 zpKN~_Y0H%A0P|^CuZ9Dxi30T3`5DXJ)3VJPO&-`cakTJyu=Y1rhyoK(XIJ7uBm`D& zJQ#1#KElFuVzfr$HIU1Nb!fz?1jFCVs@@Bvq2;m^kv=_`bYaKP+N1tYfQ!|4apxDL z`^nEG?qQ*@C=W73#-hBHsQ$3fB+kGQEi=rk@g~fPwa{O6dnk^OhKU~NkRwC~i3D^r z$D8}?zE%&)i|kU3x1Z-m!x}y`1Wxv@NSnHCSiJ!^!)i4XYyll%*sO3=qCcet_pSr4 zAOn06xIxh2;bMKk!H^Us7V2;zm{-aBgaWV+g=*+|O?U@pAom1Ec+Tq%sZ!=4lFS{4 zd8ed?TZ8JrLg)i}ncQaqdvXzAFPtq%975`G79cIh79!t!Xn@?Pdk`k)o4-@ovE_q^ zCZ91y^u5f_V{B{`|DIa+L4@FC9!d65Xe2yfOB z|3xVqj3ZBJ24pb4sDXF$@Am%cdKb>dE#j*%nD@bJH^+O;_I^lug_y*b#1nKq=_0;V z&;>~^!CD=^*Y{hV2bmA~n#DvZmdwh#7bN}*$2bQCyQ2W`4$GpPEDT0!{S`KNftN#gly>Od~dsV~mLXyL%hsvOGa=mKI)6iPRgG%~uRF__Yq2K)9bXBgj>adpN$q>YQt+)zV_-_tHnRkiAE6!A}6UYKV31g*}iIMIC9j`|Fa;xVbIc`6+VF3&(%p0bqFIh}@RENA#rF z_O=dq)JPxmLYxN^by*_*jNAm~5}d#o_^%`sck&ze=ba-bPqF_1Hc!b16_a!(mM-IOF}@1(4ZN3aVQx=Ax$G6zT5@%#qcaqZO$k92cqhKh{J|LU zP5O3DDT`8VTe_0r&QZbMT-%3KJJjMiX=_!H9e6MO(fdJLmCxmw$G8C_$L+;YOa#o( zQMUMc*uu)J_DxEBX?O8ZQBSr`=!5u6MrRsgW7(89k$DU`26PIC+xFf3hFs9St%CkQ zTnhUjix9$kRF(>nH&K0UWcT?!_xZ$DIx8ThYMc{ zB-UftD6n5C5+#6^*2B)d47ek3BHh}MZ5Lv1GWC1QCde55la4Aw$kM-986v67>4n# zG_JDH#h?|XVbtanp)38_xWz!n>h~D%bYGBYU?u{~2Q7h}^i+;vrosNKG`BCC8>S`wuZRF}Ih+ax@Oqpcdb28@FtctVOc$hb+>x)vtvWd3A~ zFcdIH(n_o+>9~?GVkKE%eg_mESXblJqX@4M9AM#tHZ2iyt$UxzMdDNBdG}KYbYRP4 zar&8P+W%x!<2>goB-WaP@Mi!)B7%DvN*RZ>`CGlWGREi$ey+Fp0F1}ZUArRtVcd@KJ3}@BH3th!ZnhE<*z3^m81ghT!T!0a} zH$tU85VjyO(tG-+OzDvbKyKn^1)GuB1&DH_NIdAUBgr?!) zo(%E5tj7>woYlI*cWDmzTV^^z zqx&$E?jEV(�`wORaP~>(TfE5Cy%+Fl$%^V}2gS05cm$ z;~o0f6KqehOgb9Ip6#h0}lC2{!Qf)Qr2zQKjXEAXt0J&1HCLt1+2&V)cx za;EWE2$@Q(j^{`(EQ6aY48h*nexfK+5uY7@D0f5tMgKwA_dFBLv1NC-(CkLo_Y^`o zw!_QsoTJ?PnAy#K%C#Zwzm&AjW^!SUSh)f+ohE?0=yfR(x4_Pev;qc+*|G74)U(-%jlJb@qu-o6$I^&n=eBLzjUZ;ld{QdTU-b6mlg5u->q!1~LI)^`PG zawnMYgr{+l6Sz+LMcU^;EN9RZw#kWn+MhVxu5e8t%~RGrj4?iyAm@OuB>PeA{1nXB zf2T0i;68l3M%ybiw$4!Pt26i}RMggJ-;s8&w(Qh^E22N2DCp)H18&F)wj~@Z_-Rg) z&rn@kKB2a%+>RUhZ^GFHiEyS(dngX<|Fep+YW8sxKwQJqTE007dgeS$HLiP1i-VSDx3{TS}SE)K`bQ3;>!QdCqC&h0h%iz4lYY{Mi!EN6D)W5=0L z>CRrd?pj%>|(dagxC11?1sVGU(>h^ z%4%N;-(=SIN+grXT|CY!+pMOtRJsH=6Is5e@YnGNBCM(4Z{h3ARt9;^nL05-nQbWJ z`%7PGLe2{73u zc1+s(+DWp8QLZ@-fh0ptHs zP_L{Y@xXy??dpG)GZWxG;KhiXA?c)VwEY=q*AW%9=C;ThFd+l>1HDcCQSx|O% zo_20m`HSq$y19bf1h|u4Z)wNY*5Ph3h_5>Sl+iB$#kScgU`rtxB zy=re6@CLzF*SGa*6Q07X(@t=+(|an4YwXX8I8cHLq0;HMdp}}_xWTuLGuSDyiYmYH zGx2&j@>mZv_sc!xbLe}9vpqzzheoHo5`k^Fu;C1z;#FW?c$RL={Q|5PYj)^$n*Ox(RfSz{fne$zDP27%IgeMYRi1(<}N3b*daa5SF%UR;8okb z!JJ?n8|f=8sj0KCcK2dr(aEt5iKn9RxZHZ<7i#JdLUE~0iY{9#bRl^nd(|r0`7R-n zhA9QJh#wvWE~{6A>0E3e-N3eF2Byye0da3Ie!k?a_B^En`3VfTwQ<+n?>FW#AMxj+ z15RzP?mf0$#gYz4UyaBBdn1xfirdKYE+g+Vo(VNy6j;zDWkIC)N{G2z+2^{)wIa)S zL5V#37nqBN!bDogF}s%lDMz-TVNzjwPZMAwWRd2#QmREg^m#@$I>MIb&?Qp#wu(gA zMu$sLBn02cDaMxVJhjv(C;worvxJ98KI@);;OT~0G z>Hf?@lwOL&_bY?7Kk;dqGfpCD(aL=Y=i=S`=&+O~lw!xmWis9>Z^-G1@Sv0=l=2!9 zTUSsmD-uwtFDP5|g|9fFue zSrVQPCYK+;-N=$}20qX|S+z*mL*RIj%On$dt^Iz4Fs5*&z{6Us|0p3~{fPNIP?Nm| z&U?Px9KSSgVsz_n`@#tEqH{2^lrusE+no{Z(iAL;J@^*|`~)ohQV$X$zAZRtr1R|v zA#C?3Je-D$%fLaDvkU=Qh)B-GZ)ZEJ0g;ltLhd8Fh_}{_lbGiPhi#4}eFBnaT%A=O zhw7VfHTxvhk2GL`@5iO+5W8al0MF&gBmA~#J>2qRazq?NL-7+H=211)ek7MgNcMs{ zgd383;w6Qj!}Pn>{F;;}>gXn4cUcS5vL0u_)7h6Gg}v<5h1vn!S0mCkUf?XQk27jJ zaYnIP;Ki@Vvm_Jm9V;UYTA_kbydd^1__dSZbZ7<6<4}|o>((>wAESOBis;btb4a*H zrr{M{3r?ip2$9#jk?!IZ`Kgvta^A`5gwI?z1)g&OA5%&b7L$cX$+X#SB#+I>#5B*@ zKZ;wWg#EO!Hmmkk=lda7msqHZF_j%lS7Y{Z3sAt`eOG(VjJ@_ts)oS|``&pAWBK)L z#-iA~%fL_KuDZ-ueH*K-RArPP{Q$T2oXhhZietMavB^xfp>ZVta)@GP30u`KvBuy7 zCv5G68kmoK1!m)AGAHOJ~l~j#2AuA^Klg^@NI= zDddn>Pj>O|hw`s-y3AP5aW>j&eolLfnUE2So^b!c=swig?l8JtN{QE957Bq#QbN(T zHZHnsiZL#l87FAu23t!k3_poUv!2!`McVW%P20VHXSe+45YLOXZZH(2U7e(8k0g=Cu@#`od$H+e0` za_ro({GHnUt5ll=*`gCj_XGPk{YBCc4 zhF9716pROg3Zru_bS1gh$FiLx*m;mCC4UPLmQr6$$qav~PMr*)1Hs=#XH3?A!Tap` zby{DhF)5T>t{cTK?`A&}EPTb~Fk37K!_ss#w|)TMlEYR?{M;1Zdu+7Y_pbc!mK!uq zT~=FN!#*My-x5sK0LiE-sjh+TZDSlLgaiVUkH@j!hp{BQF-W&2-tsa8EGe-4HnaRo zVXcSQd;Q5V($L`0t{TWXBDC3BZGoUP`0I=>^l~(lkE5$gil@OwwVHUC0p?BeE$y&W zpG#dlt+dVv_BTWzOKYojaRW5fHU8<-`Pl>2)l({}^fTSx{i0}o;E7b1L(GSLK3+N5 zU(T=gfSLe*(T+ExGFO3h0smnyuS4yhHNA>lz&qF#(cNrPH}K7ng!EMiSEm4PR6g(|lGKz~gx^)zmAcL$Ynpsqy5-p zsx60*Tup7cujXn_eJtoZ7g+n5_iEj`lU22Y0!{pc?q+P;8qXR1%MSK_A5_N9^fcdY z>q{Hi>cMxTNDW`C*X|Ap2fMSnWTN(FLS$F4ZXj-}o5Wf}sZSdwfvc*_pH+guxpN$M z(~gutQEr02@#Whx-;&@dm9?ZH?F};`yM7Prd^)T%%4UDdAjeOEMDe8S+pZ>&=kY!^ zv@hnsT6eDv(oc3}zmMu{<056wh$!t6f5cOyTf^yVP5kZ%G7Vgz94+I*@b;2vbZN>* zDpY0J%93%q)u!CO>!R^_zrYy0KhhG0&tBnNs=)hNKBlqS5*0~S*h_8QTmX;%P)!He zuB+)=62~M8o2U%iu<8)M_^OF@xpZ$ze2ZEun`p24iygu2CG3da`e!Usl67ZZ62O#E z2K&kAbkI9G7?_>@b@Mq-ci|1}u_g#%VzO@+S%NQ#HtU#%TX?Vic?6lN`MNl2*=vKq z)tr;x1LP172cM<+bcTp5&-45%VOO_HgKR^>uB&htmWHoehB?@8f<3|KjDY?7Rl~{8 z#L09W)=SgD@#9<{BxYczJl9#wW1(^{VTy(#q|-UOYxj%yk6fRJ`&cMXzNB4^tHX^J zUXpHp4!IP@OW@#fexee>(%uuo{b%KIlsC>)x*=}H(pRk`U_ZB1=pww9Cm}mn9ZoC= zhrxzu%)=Ytk8}(S3E{XP2q&3ky1QDChOd?DuRqH~2#H))!)e~evu}2_{{~uaUQsl9 z_OkOM*!3~&0*ZA)xB72)KjYiN_ELM5)k_$=Zp+$@qS<|87nJ@ya^58A zsmOc$W}JMk_B|<#ZgzqcNS3g#@+JBbzSQ)_$oWWqSxCf8Q(m4Mx%LX>^-1nIk=778 z#CfO_m*|~e|14uGDujTlxhA=_c>~i^I6%7!{k&Qr=9Dk*jn3PR$ZFr)+9S%eSGfJ$ zjlx`F!V8&sLX+SG?P+}wFy!?M;~k>$JC*!>gQT$EvQ>omr|RESl^t}4D$>6|>?$=` zlAVy-9gW~iedLn1NYyY-yFm@h(JX+sHk71~MC2KBaLPnPw`nutz`PBlXBfW;AvJWP z{jjGd-c<8B*qJi0{m0rY z*!2&|$OyhUA82~S&14k!bXqMphFo%%BQaHu1&@dUGaxQMoTMhFipf~QE}jb)BZL~o zX2ehA`R?hyPit}Z`<0>fx9MewyJ{~m@LqNSOqq#FjwxH<)C28Pi0-jbxER+8FYu>( zuye}M;=|)t zc8Z96x-C3J!Te!2ufXSV(`mzvzHmfO1a)Tro5sytvwhBVpB|wJl?RKc{=?oDThLxzAf0bGKwC zacoHsCMtK6$hJjjulFkJR`@ag-Im>j_80U_4(#sIwc7-_l>I$K45jJtUAi5TP?y1h zyxM*?hmwBA=1#r)C7s5x5Mm3~YLwY;a#BMyv_!N1n!aI~z>p&_S9;;~9>;;saG|CZaeaNv^a0OaJIBEAI8yAusNdwWH_+K4;XgTasr9w&uK~h#6I0>H;H1ugW zbt-%w6+hcs;MqwctVuWTGDYA@i%~-I%y9d{AhJ$(S;T9=Z9x{H7srmm^=ZWD${@wB zR?_{oMS)A<-tqZhIeBG!c`%q!Ot19ck)XjbOptku&UF6^4O~l<|W!PwfCs@%Lr`Bi9+eGW8$PQSYJ1Au|${mTcB|u6`bp1z=sGiG5H{Fz+*BlK|n485?^kRLY$1>z~$O$YSPbmP6e*LN<@0H5SbsE z5)F!)J2!6|m0ODK;w0-5=5?Dpo<1e@BR)vCT(7WyK4ziQsveOh4{h7vQQ@QD@~>YE z{CeaW$;=O=qS1&snWqsD#hvM{2y)Iu#HxEiE%h>fukk!h&XdeEqwpbqHNFc`3nCfi z+>DtkUJro%g~aq+$Y>kVXi_+%=qqm%70>3GV%o zZj?Vow<<*D<;y~nrGErBg>!;?ayvZWql5vZOEy?7lUguN!$;hpUbvJS?j4$TMta46 zLAy4@dX7sI-@;i6`=;D4Farq`&yC4kSrSt>g?|_)r6X*P9X6&*q{$?}x* za?_+%boL&pzn+leMr2Uc5yZJ@H~VrVM^^PhxhHJya#A4-Ih+GlGLGT~P$qpsAoZhL zdOY|--qXDlX_+ZO=ycns*)@`!ZOw>4+pbu*Nj)J>KNN}CGy`&HjLDq$Ank&y&x6s! z^Az|sYR?tE~G{2 z-y)%xWMW1(o#q#-k{Kf5dcKv82y4*dmU)sTr!(eSvl3I|@1#!- zpRop_sICEcA@oh4KzzZ>*1l%#W`5TF0|up{@yL=cU=T$ar-pfx>f&)idiett4`d2_eMP*S@VHT`~J)}w!LaO=RUGX*=CfZ3>?p5|9m9d24 zhP|owhatpMXut{j-jU{$c&gM>ubG6mI$bE;h)LS@89JkZ$e1Uon6|g~(d4zxacJZT z#2(el_v7d1{fx*JZY9I!91X%}#dXw0_KgvwaRKktxRftD34^6b0*M|K*wQybw^yV8 zQQH*Gh3c+{>a#4~hXT`<0aIRoSoYz?hAS;MwETCWkbmlDFNBg1{Un{Onx}pEd<%&Q z#4o1VTD=4aRk@SoH3@v^l#`jYX@1>cm3get-8)qNnYrWcfuuUYO7_68)y=awZ6SWU zub)qUAi=&TWT&IC8V_*~?Znwy^yz(Jt}-hKEKW3g0GG(#p)mEFr~ucL7>%dzorcx+ zBMA0+wP{(8AR!88G<0!h^)wrRiE>xbBm|NJ15oWD>XLiguYv~|fv6U^Gs))=WW!S+ zZMPCLLU;T;x~eM~?FVwdw$VGGImDf3&rpeD(~5C6K)~ogp^1hHwOlT2f?X!amiru^ z1iQlo4C{hJ$VbZjx3ztGU!L4BYW=4k8_DK5YkXVF6)fg1w=}0&mYZom;Svqqcn8!S zgnN*%vHJlo#RG}N4b?u%F|SGMB|n`ZI^ZxdDC|#J`idpj?XPQFBXy0D#w3BUNHxye zok$mHM*ZZgIH!x5d7~u(8||S4*KO;LKCv}KV?lQuVowo!`Fbip=?QY~Ve$OkTJ2%s z@T!8}6?jI<5m2Mjz8C3lki6tke2iFNg~Tu7JiEHso{U;&v(}WBRCaG)`ytve35&j# z-EWl?n_vFzHnGJwHQH=c$^PWc$8@4F5Co@cW9V2Rfre_o()gG73Q5uZKlG=Scqas` z8TU{~{FS$-Z-sn}z}Ddif;f)tb5%w%vP3YDoFFBT*IMpq<09mi%eO_r{4x@=+#z+( z={IzR$@OpBFOr59+=7>=3Zov=p3=en{yp=fuE204JYMnK;#ee zaZBXLjC#bZ7c00a3{UTkJW9N|Fh**UH}Nx-O)okGDMoyf zF*V%B5zK4ORO}-1F0L10JRh;2>wr0lUf~=&r-NSJD@fACaCoS2{AwTbL#)-ES9{09 zXl{Dokz2kSv&lRbfNJ9K3Hq!NzjA%>0^>C`yFr-;JMc*1h%n!+MQp=pT!^*e3Wqe;hq8Y_Y!Bf zp17Li+r!M{uCx|%H}HMX3J_xOE?hvK0ms>0-2LRjl&28xzWozqzU!QTr}hDw;gl+r zd{Nh;T>rV<*qI!aw|e7%D4iQ&#`Ya^fLROw%%2SrpT$SmgBiLaxh$ArZ#OZlCram2 z>fcg>iW}^q$wuQHi7!^#Zb{l-#Pma8Z3`Q@_snJ?8{EnPuiz$|pCK!#g>)%P4 z8{}oIWlSuqSCSBRNN?8ElQ^|MN=@~^z8FZ{iWdtmAO0P0H6Co8e*Gl7FobbJYP-D{sF}iZuQ2^cnta6U#2Mb*Hy4mk6!tImM;PsIz4>)f zty}a8R^Vmj@+P}61aAQA%m{K}bSUJDMT;;?ke&_^Qg3H+ zJ#DA?vx_-r^S{i*?7^8>XUk89Yjt6Gu`B`JcA&l4}nZymA`{&2Jkok1-bYPfiM~*8kZaX45a;&x~823 z0TOi}yqDdca&Ca6moqX9QBR4IMZK;O~KOVIc1Z5F~yGkU|;Y zXYEulf79PoSCsi7_7-3+YX5!UqU|5rQ|3F+_U&j6L$%*uR&4-uM*HDE3kCV!P@1lg z30Yjzo{(e!NJx#pgJ;PwAaJqi{tBR10-OpICQuE3-3hJ`xD|Z!XD(CV+K>y`@hpMp zZs5%JH2!h}WWoPc_P}3X`&BxQ0g3>wH2JUl1kMax6fV&5ARSc$-~3&~z%xQPwxe7X zlRB!);F}Dm1j-k{;j}+v`y~QT7^tN7V;yzp0p_B=a-vE*a`GV$KadnvQd4b!3r_F@ zx~09M;{pZkXuI~S1s&1`@8_VoHcA183rxIats=QGz-w6}KLpUvIgvh59GfSUYA z!u>ywcU0=6s*1AqGycrJ|4$6_uZnDc$T&m$V8p$j;y0uH)Q5Od?Pwc-)ST z@}I~=b$cKDPdA4m{-d>_MC}8qHGX|Jz9SO3o_Xz#Rv#{9D_+aKj0&)Ggc1F@9A z2!L3M9~wO{;LCi|0z=KAA$8r;j zYLKY4A48gU=r~!%X+b{tCZc;}4YxuQFwg8V=ok_pGY7(B3+;*dKcUQR>VR!Q#s_fB z^rDc0#|QA^=5a+`Q9Ftmoa$+i@Kg$F(L{@93b93l;e#>^A#oFK(zNd!fGnI0mN$(t z2`hw82rq|oZ8+BzE_5Y)N-iSdG7|R6OENYf>tI~$xP^NEK zBZ6$>1SnaaqYW2}S|JY{?(tTDy<2lNGiSv;+BoQ&@L`8KL!alWsh^oxU2PkybgTM z>u@6g8*w-|S!Elpgg@j3Y~~hY7rbk51?&g+GGAL+T=6G}zai3Zof8F}U?`Yi)zIEm zkUj$t(P{1Wk00`oCflQ#F6sbiREpy4f+6}ZG%3?dFd!4t2O9u9>OUC}btx{|LU4Fl4y)MP z#(4VY#&}P9jEu(9kA!PV&5gy2NWq zxNso=OgtYx!SAcG%S;R;q{W!WivI?gCP;#amVV{@K=#D>@guGj5(DQ#H;@Tv^jzHp z$jmhS9{!1lTqzMV&Vu8^y$f|fG3hQmM_~_VPGTE3qFHTUjM}Q^MPX6^ZU{#F1ha)z znBmGwMmq+RCDK-`G2a0(m&W4!t2jpdce`Zf_WA;c%X1ZAW6T3AB8j<=MOUI7L|H~V zWmNbp?#q3JjnW<*zR8iJ*+J+EZY(E-| zXJWIE&;F={laJyF*|9KX_|eq^o@fA|PnZBa2yG<7u}O@;nIsAnPssElc#EnuiMg~1 zKMP)1{7wto6JzsC zfCcv>8!9t6LH0sD1BJh~R(bYKm{qz{U1b%~)vhr84d?T_6hw9fRj!q+jwbx&ZMAbX z^2u1Fv$$5tPQ~U*GTpy%?)ZW~f`t{WX2*3>4mdp4b=_W#Adu=hgd>ulPR5>(PaP@A z^~5_L3psf~o(+^x-e+OlYg=#1?+cu~6f#6YEK#92)b|Th?bqQ%MuVMnI`@tEFL~_s z7xf$k?>X*8))unDb(|urK_~JqDDXgdM_(B#>C;+7XrcJ5eyA{oIQ^-TL;sOd3_Cnh z1i)O})Dh@>C#lEXNDs<(1$oO+Sgw_VKKs-)6rdt<`_662s(q=84;O zogEJ;z~`9^&u7TsfG6?Uf+;rBMr?9@hE0WM0gX|aPIRv3<}z%oe4H4|+Pn##M_UR6 zu~n6$3Cbt}h;-q94giPE`{Ky%Jg^$|7ZDXTULLX}8JnqGaMsp8w zH1o4{W%FaCs~rTOA#>A~%iJsiigZI~|LUtFB^wFHHBz`IsN~}u5kUtSB{`{3KMP!X zG_!sd^s3C3O;ReTK}6=1p_^XzMyRnjM?b0mw-AOiAP`q7MATdH4!}dlVuAfxDG1~d z+*Mk05~bL1TVHI|?*yQyxi_962%g7eDsaXb;drLLFpRzk3lWcFL60;R(Pfab2ussU zAsssKMuCI5yrc(Yby$bwlwxhaaJlrnK;zPfA#xAiv_8g}j%e8B46^OAPhNqYm-BHL z{)h<^>+L-`^FE-9hvlLS?_yHrAgfi*hbf$|9B6!lEt^V4%F*=`0IW$w6x(DJ#4Lk? zi#jl$<19f+7+1USl(KK=t-ZSTyxnmJuK2#)TZE1E!yAubT|p|KjvHRbM$b8^nq2Tb zCWXsMBvP0H0d(TcnS$W2xD~Wh&dzlj(ZlJ1Yd|OmUtz{U)L%@q2jh`x0gx2PJ~|HL z+41K~iiBU_|5zkn2+xh2iflm~j=^7u&&~UwvvYc595x&5L-z^ z$4Xp;?J#C8fe>~A#3Ao)CAzF#0Lm_eG?%mi56S&VVidCEecoY`?d(M{3_qX!QPBz{ zWZ^OXbDm`|y`>ahu$Ko3$sUKpC2x(tM{5hNV4)YDT$Q5KzaIjaktNdQ5gKCDHz)B@fv9L#*tc0J_g23C&41^~fL$rteCsGiJPyT?vxtu_S)f=*xKr5y>p}TzoJcZo zRQ8dP(-C);*v;DkbM9TX*9e(D1)de=3;Ibc)uk`Q?CVNE#QGXmuuQ1O2FrF|o>zG$ zfi2SN=>|QzEA;4G&EMu%ALnREe85`qkX)p?UZMqeo6@W32)%I>=!Yg zf1z&n+-2Py|9W?7 zDOepuJ|6jXkkE%L)B`;NL!xLK9qp7*S~QL?niZT~C?E8t;#i-VYC$AV+j`#jT+7GJ z5A^S-h{%4ehEf`jhv6QsjLL0nK5fn9^4Eo7kt@<(Ve3|0z1F;nMrRFgM*}tm;tOCz z>yac3AFs$Ub1MWL5)3Wk8c(Onyu;e|o8T6V=pb5m?PlqHMx zqahbam?AujORk3E61)t58dwJ2#bLtBq{cM>L+%kIq(sB=&Srl~yEsk@4>&Gu1#uZ~ zDg{~CFTd>lnp*dM1)bv+vx*V3b7tG}=5Rj5Gt|HM-7Wx?VgPKsrJRVISxmk8iZr*>0vO*%qS}b@)d*gvmhG5eny#C(vzIf z>$>8%y>G#KpoM-q!;vb);uDagfM0@*MmQ;!Q#nqX$Y7ou2)7zL=CpNV`Aw~#^~ZXO zn-8}3FKqQJCPv!_tUf1l-N9O_U8}5In`Hnrzrx;CH03WB@t_b z2>URGgiftMcdrN)`g}@~@ye1ZB-C8vI>#SZ>EBio!{MX#WA$ToG}<*J;~HwNps`I$ zOJv76Ax)cK|@&b8t+#nccg+ zMZvsHA{{D-9Ofp!$(6YBz!vTzUF0%HUPKundd+c-zG1$dct6QxM?zMq(%}H{_h%5k z4Ig4$aohy|3;L;y{}=m_U^DjZzB>rSQF&*GLZ8GCK~XZ9^y0!xZs6lE+gR3r0Ku$= zr26MM0a9EVVPG9_(6IUkut580MEXov)$tZHuzs z3Z7tw$$i~88fs?fZS1YQ1aO>2DiO{&L5aT?UTn_89~Zs@tDvir#OPalmTeUU$i zbd@soC7~oSXDY&@g%S|9xk@w#mc!8g60|FS1|y@gA=u~jGzz+spSTxk#MmE^ZyF%D z{ipP+bq|+|9`SB=T=`F(^Ao7e5hWGfKeO%{vfkb!nT12#AR!)gn;H*V>_T__w~REJ zShB4`*YYC7Efo8v3=Ed?>4VB?qEkL6zhRzscUH?CnAmjFRRy;(51D3p)(dlACENj1 zN*Q8{Lt4eNy>{lerh-wiLZ7X{D_k3VkLeGyzQ;0F;?|eB6fB>A879qlusGrd)-@9t zvqN!=KNqT|5I-gq+8={)EA-MsHl#dbG}Ktt2au!6&BdFXbJ5O#&YiuRYRk6Q>IBod;XD}(-F9zX6&kmr#$bJ>bu{gYr3V5A!pi=v^ zw*IRANhOZgPEh(lxmJ5#iDUIYsl{0Q2&V;YK>l?2+*_W6kqGj~u}SzEOe6WR#@Qu@ zAWNBy%76=NUFn!{^d?Vm!+?3M5<IXJ2^)&)U$dJ)9Xv836 zJ>%hMgdI?)_0;wR35YzCno}jz7lqRIFOa_PTSXFM{;jOihN`lgXjT zN`=~CXsu_npWOTwKQQs?TVaDU<+kvlLw#++@QE#Lp`)gsZHO4RfLk0{yefaOIC*pP zV%@YoXBS6R9OafoSD&f$N;5vK@28)AtF>R3dB5WRhDX&IN-j2h!rSsv)0Vf5D-y50 z9kVLac+#|X=!BEzCns(>X?eQl+R3h)7a8A)jhk`?Tem&A`j|C(jv>glQ?dCS+phiB z-s!gIE#td!`@hUz9)Ix4>gD#=?|iVl`w^U7tSwbaMYMSD}=f zYd5oz-|jiLve)-VgM-N3w-Z9s?tfGrn*Q*{zR=#k{rqESpQjY2!Mb2hu_TVXDlay7 zx?H7+Qku7($xvsv4C>4J?+#AYcui;1!aT<^*zny$&c(1wjB!wvz@Iw_wxhdU%kf>#H2Bm+L0T!USBnG?zFPDqEX{ty{{czdD0azruI^8#Mp0p zcu)0jo3bc~pBuYoSaQRS15bDtD6XC8a^_bPGj8s~ZRf_RP*zi7cw_i#Z+-2=57oML zn-`8>XcZnEe{P_rDN#GR&y!tJTHZXDFjv^V&bLH<{K*N+9T%P~F6fcbR=l#0cKyVZ zdw2VUtjW)Mr}Or=2aBr5$1EN(Y2L3bmnO~4JSwUkap%{QegngrlAdY2Hv+K>e5aE) zuV186wlq#UrhRtZ8bwcO*3f0vtqnyVPu#xo0W&uceasXmi3M!^Jlzo-EwHh8@2vhWGBUUTjKQ9QT~M zr|9VCsXlEz@u9<#`ZcQgtY&R%NqFLOYvt3{&XHY=i!@`BK4@`EwdY67lxAGo-6EBL za{l<3na5_$JU(;8f{15kZMxEYeAbs`FAW}cef<+BJYTmYy_<1!XVQYMo)WidCBLc4{!GSZ2GKQGds`!%?#6pD(=eX%0F=AW+8~}Kfb#i)3&aKbX1amSTq_9wrL7=Ok)lUqy{ z#bkK5CbnJEo<5*l(2%59TyNzUe7GefT0HY!;3STGeYVI! zYd%?F`FQ8@e*_Yhm9_rr8gN#2gc5)M32VO@W%*(4@*vBdQxI|dznf40tB<{>kUCK4 z)b3x8F6|6cZDDykjbebPc4$?tKR{HQ1(9JOE)+H>gm;4e=XBor&(kAG`$=$eQ&8%k zGj@;}tzVB;t*3$_oWdux9&?B?5s~ZHYmj;UdWOYTCWPsXc_mu43U@`pIRu5v>nZ$< z79m8-!{JA(*00BET!Az+2^EuAY9u4kDzYA15wMHENdm|rcP2_D+yQ)aYP_FO0F9}F zo2>v6-VmTV4#j>rRSjGya0>9)2Hq^szxdC3?&K@4p6RdZsO2|^_J?50s$EdYulx(n zf=d2BpYp%fX9WifOHJmZi~Fx$i#}O}J1Iu3CY^4WvJ2o#EwE)%y2spX z%5F4e(>-2IP*=JqyCA4^v?cHkKN+=}EJe0!($Dzb@k8hEQ35^`J zy8r6L>}*nn)sZGITt3@?|3J;;gK#+S6TUz0gdT^-e#!*jHVU0Is{=*A32LYU9=qcj z;WjTDpghQ!4g55+LTSNKaYwaI_zLd7T7fLD91L`WzuCU?GyT&$I>D{Z+FPA0TlPXH zcyAA!^MBDo|Fv@*#lozCLS%dI7>^LaiaWhYX9z&`fzL<-?9k!xQo<_|UeWL}!7CPC ziHy=@=mYHz|15o=^W5kpEc>6Gr{iE^pT9cKo!;7Aon!wbQ2yuFaN_=8Lks+gxfA+p zFb+!nG4xLFqsMw5?X3ZdXALmthNE8rTtF4U?}58AN>r#x?>mt~Xk7474IB%{o$rM9 z;Nlky>wPEmPUw5RkN$eJ_phNxkHOX6gUh7CH$R5INMqsB^>8XKR>B3vDdCxL^7BB;0RMd+ z4^pGdm_l%MzYcziY@$L&Ab1TWy%lhq&bXH*JTn1hGINjzF9qD*Ld0PgjvN<`Z&acSb<&8Diu{2<2OOk56RLfiYPWQ@JpCHs)|;niAnZ9n{ybIShBT>*+Bw6>bBaAD8^Mq)md=orXY(61m+H3NX0}D^XHP zR0lh@AfcZ2T7+CenZjuWG7RJvBB8@ZRy~Kfmyk2%C8Q37U&SX-GJps=VzR;$3P%rj zyFjG^1cRSJ@Zb12@d$D;&sj6!KQo45ZVz(dJ%LDR&eK@oa5}3%4}_^g4zc=A(Msg- zbf{J;9Er~12=Y5u0Cynhb_gOUSALTG6ml^498ZnhhPd12jREaSwF4vwg%0&fMIT39 ze209c{Szd993D`{8?10w2M1!YBgCmy!S(`#9Px{iqsY0+ z_Z^q(xKT8^U?4(c0Z`El^uc-@F{ln|f7jkKRa$WWAt zgh41t4Dq|U@5P0*9wpTtbiM*I;UrbjCqX>s0QOay>3kBr{q{B_?F&3k4sW|uY9tzdY zZIt&?O-1x;(aS_pfr9z+jW~GVX>CU?$3wlMr$GL70!oRA9zslfIjx&C-BF`I=Yx+I zq4RmI4zihPEL)|4)D%5{-hf>_!!cbiRkmetP2RK4&R0f4CT>`mzJ&{Nt4ZV1K8Tcc ztkf;kIKL#H`h9xjJh+FMNN<B%h+Mqgh>m3C|*Uw9uR5ukT(ILjxVH;_9Edmv>w@{F|aAnOWqkbEy{v>6@>fA#xRu|4Jfx6M1nt&0kQ%&~+)-AH_*q;rpBN}c@;Y5<0>SiJzQ@8co|S!;^mFUpQeW@55$XE@qE3#JL8kL8zLX;&)j}#8W|g=`AQck+q;RqY%y}b8mdK8 zy@&`^Gtt3`YBH@XqL|*sv$m4_O#I{IZn$CAA zKMSF*SGh^@5)JaGJFzXr;7bdSVkRJ^-0U(j6IW=eo<&SqXgmrxSLFkR+VqD?<|3vB zKgxMz2{%IU2Q$4P;6nEDN$~h3y>mDu2$Pw zJlvT-ST-4RjeK{`<6B#GO|$1j+v27f>g}KiuT0hfi;D1$`kNMcEMGD1Vz~*cQ*=Px zMpm5Hu+#MIPmopQOyvkuhJMYs`j?3V<-5B(*3subOY~IG0^1Sq$!0e}Henq6A56Sx5+98BJX86V^chktCz2Sqr7oTy&!jZo zk02S4ecvb?fIN|N+k{k$FP@%+_g%+Bu!K><$n>xgW|2<#TpqC~rRdx(Ft==>$Fm^@ zKCbU{?sC(+prI@^!qM^Qe5*8(L;`cQD6jPX&}L4$)|5y6h-ys{*7FeYq5OTzh$%7v zwX@Rkrc$cHJs)E?VphFaiI{v_kZXCdZMausDmC-3@bUD5&u1a-Jj&h2U#&)bHM3DZ zg_uMj4b`t7#jZA>4;s|!x0G3(mD2{kqV1xPt4z=Y#|x>-M2%8M^Ml2I0R>OX2d576 z?#5&a<*r{J@guc1xpkU)B<{`2Wp^O&fl!Buzh7B^1SO`sKB{zxk$EcQm)+ZXt)Q6R#I5$;6PTJ3xd*qEkVy@LxdF;Y$kCi4->D&4 zj*a?Ivj#Ho_V`>cF$pm-;q{h$)6kf&>JNa(U#>03yIsz0A?Y!o#}(&>=v$=Ab=L6! zuy{KLCms3$+x}u6f1R2Lv=rz3Bt_9+i9XxufSRUxtJ``$s@eqRF3IbcYX-* zL49o5dYF>dDcQ(#%@i`=JQ8)@A%6|SaAF|}s^@3pkaR+70e9U{YG3$4pdoP0kB^Zm zY()9Iq1A{6ygA2mFWrzy?svSG0M5?fU7`}N%!pH};v5$f?Iz+;N5u#4Bo@nPJv}$L z5X8P+07VxIX?WZ&=xHSwCPZ+a{So z5#97pnzz7&YU&VRUb+RTtKxt&>-cJVzrYu%T&X&wlc`GRsPTMh&oAq(ar8@ccMI8( z-O3a*Pr#ck^F4>u$;jaoV8)t9({Cv`nx?@f0E@jBxCim2NM%at0geKbV@D#&3)m3% zq&y09Ei1aCxr5k30gZn4o9pc3t$C={K8d+U=d7+f#igQ2uF<@5I|rMY+tmcUqr9`d zw$(;Tl^XqVLWBzg>BZ6MobLuCW=VC&xBK3SwqiS=1YXqPFlUe63E6w~)0A&ebS32d zoU2x+G12v$4PZ9QKZOYDo-e7z!Xt_u)vXPF1i34gGmjT)J9+=<(CUkhu`?1vy<)WD zM=#;|Tc$aK$XDrC`l0aSLBqa7xTihU`3-4>xwP-nGRSF)ex^Ikm@jn3yABBektll} zhbLm2e?3+wXe{aR@@k{`b(;QK{ER6XmPAWP6<(!H1xd);Ql`G5af}h>&T&nQ7e9-q zBZ5rEw(M2z73iluW5p>9z)VPCOD$=bk%x#V+*+~+5l00ub%^)8g6Jz!l*_+-(l&xo z&Z2Tx2xjcQT)JzSspK_8&y#K?{`GS<{4&)KxCq#_{aQ8$l^nu=KAS_w^M#SyPzl7b zG1HTuUXhDGCmP80shu$dlWY)fO%h`a1?QrrC)w5MBKZz(bJr6WfO8Y;lY6^@umk1cn&AXcVUyS zGjL=m?buWhd!w$#reJ5FZBf^NsGR2*HQTpVeh2v{2-DZ7gIIZ&&Z&#MrQrhXb_2h@ zpb5w&YIeh@V#c~Bcz%~3iv!|!u0@#{r`nPHGUBpOAsWaz}06DlD+TbW( zUPDv#UZ(p~SGB0xremXR{uealJ=vkficay{w_zn<)j*psg=F46`|Y2y4PtNs?p^pf zrtyr}PLBONL8L9>ezWD91UeXe9j1}4+SX%)mp|`p`GN^uMviVaZk{L`i90-vzieCP z1||Skk7SiiVdt^pkuIp#1&P#22_!{*P2161u(zH{R6xKRSxs2G<1emqvqt>J1 zwnU`}w>4Z}V%xT`eG|L`{9COD2Ri1bc)I&CA|tVPe8`VB*5h!7=_f)SY`++}9UV?B z?on2UV7Bn~4D>@SZ=qaerB+;K;jJb=@eG2`T)p(cv!+_&-EDbaAW!i_yg|oGF0erZ ztKZJ9P~qrDx*R`0&3g={Yku}jR4~Ii2%5#e@irtMz(Azqlv}fJBG7{GsNf^phdfJG z^Ia`x5pCvg@mv!3G*{I6LCA?@THle(*{Y7A){{8>&_wQSWhd%LAU5`&iOM*d zeNQC9CAnf_^zL@sMh|Mn6Yc05P;L}yJ$p*m85W_yLtGBuhuRv^zJ zDML5G;&{{SnVpyGjM2t|;uG)59BuevXv*;N#QZ zwQRG|d0>FLdpj!3mo9RW$Lf03fO0}(;{@2f9$ch!ODHHgx(SdmTtHmZ-SKI%>m9@1 zFd{>2&$5+2B5yc&bsPdj0GU#O@#$$ORH8wR6*{SA12BW6RBS-JgFC$S4(xmj=CKnf z$7`_NndQBr&Q_YLmG>||m@NPKMZ9q^B8^w~fer`>S2W`tL{s)6T3C&UbmDCknx&~3 z+eyhZl}$qA*-{~LtBy%6PY4tlkjJqgb?y;$rEV2W(p<%AJTHvg=8npa6UtAN_=BDZ z7VxXyBVL4ez#3%xRuBC(R)4&d6O?N?>Ob@ce?LP`Y1G|H#SpFQcEPeEnv7Z(|*d)04WBiZz5gBv!A++KlL?*53kBNKf@96AX_wLaZ zPQ=B0U_UGjJ6_Qh!erF9qFtjrjYzkvlMy|cD^u2LFCA8f8BXt|xPdc%(+HnNmZF8P zQsi+mo}5_~fwHd7L4|YBj7k(5g=b`=9Te`UvWzf4TUE22f`{`gP0QDG-fD4WBDd|W zl=wZRq^M#uUbPs-W-W1ciEhS6h!nl%)d5=;DO>uO4s1g^CR46HhhBURk(MKKF!3+# zimRVI@(xw95j&?9og$0B{YlsMQ^|M$zgAqU`W+@W+g+hY@p_-WFJ;1HMs}+h&_0 zwd5{bL&}z6^6b)EDSFY>-ngtcCT%~zLwQsG^(B~FSC3)$F*0arEmrh#&dFDQz@Z;7 zJv=a4L$-c1R5!||^+q8YcM&=?JTt#6C5y;$$8{=~An3p*z9N%AmUXoC~`3b+}RSqVmAS%7a-_5cT+Ts4p73#@E=z-FQLaMq4OK*!KyDCe~ z(rc1U@H1AArR9p{Ve+mBnoz{OLVT@)yiJet`?cYTv>@%YWmv_NL+CD2 zmE<55Vk1v3S9X|JOGt5iHq8AiRD7V4g~G*Nfz*0_!8img*Jo(1ud7G4D>co&pHz_3 zGzJhHH&6(IDbmSZQTm4aAnEO>Ehr{*iZn><*+X57t7;3JJ#-#F8RzxWgZT^FXMyw2 zNzZ`w!i7AwZSCxXEb}s14a=S{<_O-5-m*N{|4_YnG|=&@XAfP1uYfI}%+dxU0SPge zfRL_7ftcF);OO8tp&&r;nnU;Fz&NxggC1`Lmtnhl7Awnj_*J(@b!+hp46nS0T05AO z$O^=yIv?j2k>ukOXukD+Cfl_$Y9?}dZ=fSDe3@M%*P1$Yfy@Njr1G<1zk@Eox0Z7DIo@V6(Fx& z+7B{jmd+{6D)$_CP=_^jb9sBz@3sggSZf<# zw><+8|HC_+=&U@>X_-kYZ)2sQzt|df)EdQ)d3vf?(9_Ysn|KmTNIKmy)hiC@sch-S zZ+P=(S6&v%CrRLu6E_%`XDfQ@U>!)-Ne88Ul;A67`=r?vL-aN--S)FV>5AAoJ=fJW z)Bq+}_o41n2rx=0$qQ#Z6#MoN4J(U}@tebMyo5LGZGK+p&$^!J2&C z=}F-wt*>we{Da(c(0QCwrm?b8!`lip%H5j4txjdR2DG1wZo{AA(_lrq-t2eSQI?K` zR&{Mx-@KCV(cv_15Z_IihCIWmwL&_8@1=d8w1oOo z3kPT#5`dSBnH%isJJp^9Y*q}pDMWErubbDDoTE2oG;QdJ$;5N{B|3DNTXun|5 z(c;qyN)ndN6J9)-K;I($gILHZ+TuU0SL|_oi&&XX=SJ*^jZ5IhdM1->-V(k>Thtd^ z?qYtFy?D7^`3eOGGAZEA2o3_nujnIxVy9?YgD7VHLAzThNS6Ta6JH436S3j2pm zs!Vt6bC<7n+#R%io+u=_W?O=^e;RU?_t;albvVSSP5uv1^jbR)l4+(o8YYNE*fx@` zZlWF_?Y>V;y^QYN?TN(UyPt9t)OyYkSAiXv@yJ@B26b&Wh~KbWpEDJ{IWhmMA8X6@ z&<>YX&PN3!3!g-MrZ~7)Jy%hKEKh(3+B9`Cw2rD|d{ zpOEPS)bi5MA^5AY2jUjOf8yl?q?QkN)r+gcQW2iDruFFKH%{rlTdY-&bG0T{#XsDX8KaR%H~~ ziRpVIW5Ey;gt8-AA#G~e2%%@iE>yi){g`4Iqo?LlDSbeFroW>UG&=%%+eX5;8s38znWA(z7hztgKEj*B3V`EbIHR1euYY~aGeWB}}YkoEhZ{~(lW9%6;esKqE z-h(yhZp*&JST=yEA_=Cf3p85?cDmBeu*Yb^7k=7>@THG38^H=_=t`%uxvXoH5tL#& zP6(-D9|P@UzfKSzO_dLzx~IW0FbJ_FEO-W7iLD=0bS*aZO$_cP?^ZhKHt_+EqcD** za@@G~a_=?q<*{-P+A`9}jWI1v0q}RSbK)&P4p-kLW`&0=vooM=dv7j5KyDv7i^$Yq zFRn50C31i;(hS5^MmL~~%bPsA{FctHVT`&ZuDyojmoD~{`nEc=VdKQP0_P|;z0{cx zZVhr3Z)qze6GKxlj5F_$#lsM(Z5!IEA+-%EY;f*Fr^kS~wqy$O`Vu_D3BKBdN}3Rv z6ID*~-L z!~rJH`#i*?Wfp_i*<0nZmz|KrSp`v zajU*GiQ34)b)w5ezN+a!&b9Pm$9sYxyZU62p#d3{G1_tpNLb10+1oTip)6o=98I^W z6;>`s>`%xoRbOKI3Iy?ra7hG_?gi>eYNtuDmu=SFd#0gQNdpb=K#Ilw7r zv>Y+efPg1C;MZs8L&!>Ai|l(~^-SnYm->s-9G`Kfe6}2e;FD>ikxNx?L#DGLmkOau z@XJ{Iw}V7woU3&bbvt{~=pIJ$!V}I6093~m_vh^1ME1RI<~Jvr>+-}=iOjE-3mKHd zRozVmsZ#_za%Og5Qt3guFT0V(_hB2=pKZ@mA82!INeZ@6E_$Fa4finpl1NwZIi?x$ z?CS}D@6U5IbfXfeJdXi%6T`ooI}=Oi?o_U_6_xcwu4{&xA&AtpI?(olW+l%lKBm|z zx_O$hBhWa^Gm%Mk_j8)02@(h-`*7hX6dXk|Y~@^`14Wl&2jLy{X8EEkx)$=70*|5S zMldf_yEeKF%niA-HoCLWiYy-{(!bU{37cg8s=O1K5)+h6#9f0J58$b*3*#K$xE0E6 zK5k}aHKam9tcmpSzV6*!lAw5Z)2T9ej2;9_KzKu*gA~0^F~`*hKw`7eR+R$C1kdB_ z&}3hx`Xut~$LV}Xelg3lU$r6dV0oUR%+Gh%AK(kqIKOTtPqc0vV7gcav`2o{eCV^og^sB z;?J!V&lwnh-Bo)2A*WR9>d%l7Aq!?t()J2LmQNyjh>twGS87MumKIU$#4B4lybY%6 zPig$2_|;hRx@3C%xl^!0mLT>OSRs{o%#P8+E9{mj+q{^R$+;iFnul<5wqEj)Ckj>E zkhVTo(sBy|-I4f!Mef^)r975L#{0(6R~#Q2O&fUbK}ZP|A4zE0LM>+fMlz!E1U*75 za3Qa400)G&;dSPPM)vq<=E1;iy3PHO+bN#t>Ufd_C!=sEJvEdfR^O%88-nHFRJe*t94f=7(F5XPO7NAFu+bj53PPUCvD{Lt|XpW$ic zfVI2saNU}4lCKljU1=r!>-1*gfDjHm?Vl(5mJqM{I3lWjEqC7Mn4zL3JLgb72S;07 zPHTW0Enh-hPh|imJtN;@E~jQPA^{K~Z?c2iTgIK~^+M*n1`2%?KPkWU`s8zl6`kp800f$z=YFvlZ#W_kR?3*iN-0Jn-gD?06 z9mv^oR>(2u%5 zOTs9})wS4dqj9kpP$v^%!Rk`pS3J;}E@R(tzyBy=svKMN9iw%#6I?4zC|dGS!;;JN z+%wINCWf}0>FqjWu{W~oSf~+7nICFyq}JD^v(1QDmYLA zO!@gWbI?8Gu}2fxk0v(b*>eyXw()gTmW^CflOr2Z$xvL?52QSfL~#`WLz3lt(A7rl zY$R2_yvTV(GUQfNKI6F;HKdeprV8PNv8ZGdnz0!oQ_i`NeG9-CV6xS5Y(7WVpAh96DukFC3hkqzy>Zuwytt-CwNn8afOPC&7^%#2Y zWlSd23_^SpcxC~|MZW}aw5#=~sva%=7}3ih8sgpjkL|kIuse-@JC52ij?~K~n5&u5 z0QIDQhn#8qDiW|StyXVm0k@l8|c2qON-Pbl&ZB1+XH^xP-ls=nHa_*N2`eIJI?UPXIf)ak14w>)BE z?FsAv(e&F&v+Q73l-f3@vbUK?df;`5ea9rEvI7&r#+c+|&zNu;9_+ZahN?HEtTRtb zEB(A7L(KvLmb$vJh20Rl$HWZ_tVV2?#F&F_ik97Pf;Zx7j$QGBrDh7utt zW-giU^RT^>u!Byazjs!G^VKvU3FurT9Y4quVg?m{KT0V_ThF7>=GP9>lrcV<|F83%NTktA8fX$GD-SjhCkc>XEykxd{ zQbJugF~KZ;pA7o*+2H9onGBwe-S{1D2ub7K;1-%b7D=f1B(aOXrncN}isNBBylq@} zWPUmce6LF$v-RX)lrP^_6-pL2a`1RujBG=`sQMB$)s39*q8$FQhM_dBX+*XP6Sx>j zE4wKP%~-xrjEYKgCm@LBnJLUfb4Cx-n9b@7+SVQ7qk?+~ofAC+D-qBiKs;5Mhob$! z8#96)7)|zk9Sg6nwS8z-9!ITt!CB;(_@v(Row$gDG&x5}8Z(f{Vn6YW9PM5=i##5P zBF9%^1Ty^BnAY*q1=3&KoJ{}b@O0e_+lhVrBgMa?T*rjAKzA)$mkco-c`{-aItH1e zJJD>*WSdC31NHH&U_VPWPd3neaJKiHvkSaFDt*EU?d_h&*LRb~pqpT$@@4?p2@r!m9mRCQts zS1!fLxkv$Iz;R))+JG#}44z8;z|#5l=$e@8emLN7X2Z=PFxv}pc>z0yG7$FI z%iciCBg!(=B%AW|TM9iF!q3B|<=*T5fEwYVFxzrt;ju3A90+ed`g*kgk&Fa)TdS4BDmJMy8@k>H)_cU(DzFmO@z1_1R zdcOT#q$q`b+Tnq#?*d@Y-#qLE<6)D~4!$+$o*+72BUw?`4T&JmseFSQJ|kT$Z@THx z>KW~Z*Id<6^%Jf4Ak(4|IZyZU;~5U8rb|t1Ziw z?m0Y8=mOdCmZ=Q0%rQt$EhD-9JCIZq?CwtXtO>gvoieB*VQ+aiX0o`v|5>|wcLsoR zZyl&);P9}byU4b{C?wvUtuz-Xw_?Xv3F>bM=tzR!GGF^^W6^8aS^-rOnqB&1^fSx6 zc=beFbQclUFKj=z=C)`Y&R`$l9FOZ|WQek$-&X=X6io&+UybabA#^6418dKgPUHF9 z-O=0_ux|!@5bYDp##xe%E2Epk`HpYcede<5z*^+0)BEOi2-F1P5bh?4F|)(1m%buf z%o)bI5b3B~t~`R|?=aPi)Q2u0Qo`?XJzYut%+|2NBHI&s;$M6lB6qQa^ys-aGpE~J zUmJogut$9|J_vBqL(eg{)jts&7hCbhGr`gD8k$2vTf;oCHn^2cB>CRi-m13g%q$SxsI*`Q>eO%*B)ApW z(LN^&RKfkxR^Vh#=!72@Qel^Z&w|53`GS==@zw6i_xR9JcsBas=mB_HgrvPvH(?Uv z^SH$y&1b@P{!-Lq;xn8F(GjMLwJyMOrzren2LZF3q%{N1Ig!GgiuUjab0qT5t znSI_8BtuHT0n5LPrTNN29E@jD#F6IuM(GKLcgH~}@dA?)I;`ROD;I*1*psG}-k6@{ zK0?iO4k7U@J;iF_ttSYdHy--iv+S0AlBQ0Qd=)O!=L; zRR2;WvB5*!4$sW+n98(Zl9;luy$kHhU5|_lyPZKbExB-JVx5T$QATT}kHK&GiB{Q3 zub=2BPNHW;Zb9KY4}lJ5`*U=@WNz}yD|E`I16+^N=NkY_-6t;C1DfZ36!gQ(7g*U@ zEG8(zB-4O+;+KN%xH#kn}1#WEp=z-HYi~xlF69 z&~+Gyr)d|RBgEz!vAR^L{ zTmFIa4kyvLh$N~nkV9l(1R7m;?;&&PPi`-1ml zFtX*3FzO?I5N~vT5i?B1`gQk1o@~|EyU5IWScS*gYw`{kGL^iDy`%!_!f1g zR$8q9xb9M1bhq~{98gB0=wk}N?jUpKey#c%ik=7>Jc5{__fGTA9m|%{uA~=U1`43?#yLiWe^74L)*6hgKOB^X6uw*DXZ&n;1{9kX}lA{>R0vAJ@OK* z|4u~ai{|Xgaa^-R-1Wz&6IHx#_?c0GX~weQsFW`QS8wHP76W*-T7m71B1tBtR9mcv zVke1D#FJSQcca)zd386%T~*cgk}oU*LM! z4&dcg@#OJ)zd~M@3?cfy{4JY*LG2T_e4`xHm9NKN*!M-oqs`!cxFztAUD*$!ykr7! z3GISl(>R!`oKMRaw7}%$P>x`s2|Qdui^;HNLV(xp=_f_7VEK-wr|;=$tFT;K*~x&miD{^6m%^6|#aeT?13Xm4eMxqF2j6LkOxe9q|R+?C|8m zEF@mDaISDO?fPj4wfOuaB{k@$y`biEQjR8F`W<$DUZXhHK&S0{2)M*9?ex1);mhdU z0qJKtlX|*%K%onn-Z0~C#4@`-P;wFg#(Ql=d+j!ArZ;T*)eOkVLRVMQH8VJ5g(ph% z*z|rvO*Zn+L(<%)wfq3zc+wqZHt5Tiq#bTjrl1(a-jYUqEpM5w>MymFH6u@ha!Om( zf|{l%y9`2k$pQ@fh5C<71y-_S@kB(XvzA08oplMbg6HQRtoT67Mh$AAwd9<(rfXc& zC&KjVWb<8V^hZq}L88f?-gH*eC+vr5{(IwTDd>^DVI|^6#6rV9v2# zFYiW84^TFc4|y1^8A>HnkI43{=?CdF@cGuGx?SNbRHOd~6gD}0iRE8Y-3z8r6N>gY zGx(g~z39g`be-m0s5@W+xj>{FatyMN8Zb3f+%p80 zXgxAt^qLr2JwydhlFRDMM5R+eUXNVKGv$yrcvQTUrob8%+un`DFrLIaEso84pVc|V zb}T`D0b5q;K}yim%P}_9Ht5;eg-G~R?T-CGj<`;luH!B$Gvk%8yW%yZM3mY4kg!=@ z%0)Xojp}i%vKat8VH;?uTIJWy)1H9uH(P-z>>;zk+%do=bI;Pcb?lEulJDk8?NdXw zu$kkVo>H_h7RFng)(#K*O=sJ4dgXQBaWM3E8Hlyi-bX?X^%axfQW0|0PBEVFp z*?wo}X&wUkE*4K`JjBt-NDmElM~8m=={X$bb4V?OdR(s*Ubt!*mWZcu9b_utY~JvE zq6ASx691BP6+LFDPRGA)+29q$mq5$n(o)LI&vkJCCX@OD!6YwyiAS9}cJB7z`#1}v zE?P*Bv&r&$0u>!7JYo4-Q3rP-I}g`5-q1_aU}=|Ya*Plbc%gK%MX>qr*ZN&5%zpk7 z3IAYA=hdEwoM$S@7S9F#bdksv#XuKjSyU#gi)SJipM}<$FAqWP@A<@YL-=up;K&}2 z0CJy5^$ac`vmGZbG`?p63a@Y5!(FN>Mf^NlS{|S1`e^_zMW2->iGZLRqLy*eQ8CG~ zy+8f9^a40^QxEn4f8IW)&NX+|rCb1A!Db=fx!;v(!5j8X1e8%MveXKR>!puI^Vty- z%o1b1gIN+!55(W%^wwJfg@yPBoLZmeI8V#HQTS<`$@IN6CG@-oujgEl7PD#YVc#>Y zEk&>38tf1rgqiZCSU!tRx(&VW{)P&msBL@RnxOnDlJ%IAc<-8(o}?vr+O7e~TGaeN zXZXre7ksPvG!J;T2R2iExJq^|9UO%fcX8kebIWF_SbSp=@$9>BG}DQLHt^*zU^_*S(9wxnN-_l(1Jg@=&RiNQx8>eZAX#w9!S z20Rsz z_u`~8`<_)k*wQcbyVwOa-xIzz{N^> zc->1}CD>@w4{>*U%;Em9SZpSX_xFUC$WQY?oTJD#Gy4Sc$E{AyKk;pPK-tm4? zssj02vE6|bX${e-&GLv$j8mJZ)`OM<lJ^8UfG7(5~P6UbQ{Dt^N_Vvx=Fgz>)(xT-N%mBT|Sxt4hPA(is zg_L9_^#%_k7Oqo0bAHHH-v!w)m47i3Qv<1A=!*cpz7OT$f8ZrlW330SRDtlcw-QS- z7!y@TU}YTg)S#TIrWk?>a-m^WhOOt`B=~N%lcr0+i%Ne|Q-HFp?tpdb^htHGBwZj1 z_z%K1$2GCM@mS6OWJkWCh5=1;qg~)TTtEI_D4PDb;LkH*X0rD7{69*Ixm5p7=`Kt zY8$@Xjh`Eh@o#nh{F)jx}i z<>+4@oqra0vxWZNWB<((|G3$oH}N>H6CvE}C)FA&`~O#6ZqD+ozUm9KRj{dJW*_`JX8bX8iw| z(*8bi{m+#4_i6b5@|5-;S!=Sm?17x-I@^(Xs0pUMv2|0LC%AL!W;MIZqRj)NjpJd1 zV&*J=Bf)~PZ2GUKrTmA_pgcq7O%5!4tTS>P`RMP{M%;dh9IB z7@vIzXZ<(s@*lt1_i5Zo<3R2)AQ6J^^=s$rk|e?A=CZo+?m@$X?!Gzh{5-FzkV8gK zj-rAvakk>~B|()Vb(6{_H~CEM-I_T(osl~_)?(Jb^#eXiFBrcW{H zmyqLD)cgPk*f6&@KPNB(CFMX8N}ji71TyA$l|*3%{dq#RJ5TlD{_<3mlvZ=4sC^9N;)k}qdaT!0a%ke~NfUn0_+m3WfcI|i|+)=5!)p4;Kdh@bz9h?Rw zc%T~6e5t^9$>{Oq=3_IKi5Y6=_2uQ@@37eiz*l#^R|T|YtV%gP5184pI;%N>m$5#_ z?F*g3Mvq(d6pqm(dE81qG|6PV7fmjB-sn+tmD(3D%C53$bh%!r2Oe>2jl*^wM5KmkA&R894H^YHDs zi5y7rxII2kenJD#`A6T8`r<}3+1oePwrYNM&1XoTo0nVD1?iP+k8}bQ!J*!Hz8pLT z?36K5KOifD_SgBc%f8m>yx!V}b^08iPkKr{gy4IrW$jw1LcXV@Rtwj8^1MY?aLCsM z8b6QP45F#J+}v7#`s8@COHKfT%eZG^w==uj^&p?8%%>pN6rWaeajf}r^CAPVE>|rQ z0qLbza+H#XwMHn@Q=-+iEhrJSa1uN|CGVlg*BX6JUT)zFIQBT?l z$;l5rtI;d@c_jlVXr){qD0%-Y*6TUm!aKD17v!sJ0(k?tGDpcT+6UyxaFg6Ty8#Bk zVcYc{&dpU|xW54Ofx3Sm@QF7D#b09w z9)T3o--pxn8mlmTHferL!#4+gCo8hzR85LjtJAa&&P<9=p{#K!os#rcS{vV1xMz5l zImM`59(wTHl>F2rHl?#QA(Nz-QWH~>s5K>9YGWrXJ3RH^NI50hnquWsEY>bmDtr4o z7n=PW%C>!aX;#k^(VAwpCP)dkq^{QVBzuy>nqkePwhwh}iNJqrO7>OltgvQjcUC-d z9tuk6o|>(NVjZiGj89l+Nf6x{}pFgMJUj92})aQ1Ly)$~V6I$+s@ zzYqwvQa!#ePSB*nwV_p3-Fp~m;hKEZUpE@T$GX@pQV<=xy6>v=gAE`il#6a~<5{oY z4+tdTt_e_P?A7tqud(+2lR&T`I;-!E7T=*W->q}}{3EpZR`~D#m_Tq7<|Yi}lCG~h zgMkwnTD()N#beZg(CWwtzwz)(!*6Fs-%|raCie5UzPMY<-LL)I_)7tD%o{%`dhlsn z|1qP?|L`dsdJTVn^k!e^u8%&HqS5B$^zECX%cqjG);R6VnSJ|OQK~Mblak06{{`@C+V!%N>P3L&V(N*25bBF&B@84 zfUFb#iXB9wF${67mXMo;LBCt6*i{M8`&t{&@fg!>9Lo-kXLo>@BK!Vg+Pt=M#r6?%$q64ir=8)?)caBj{DzkrT;im7GQ4pK;Zd| zZ5Mj$po1`qi*=k9I!Xh-6#RCA4*R1A{?=iyYW|&XHAR1u(-Hl9hyB-2p#dJk-`D*y zcy4rPB??1cWN+~|D>ROOEr65$8(;oE_QQdnblmsH zfJpJ?*6qWmG{bj8qsR2({-7McNr*@#WZv+~Txa*gX`^qrPppNYLVHs_Ii^euennzQ zEgpAWk9aa&mVRAeE=GXf2(8&dxtTt?;&I?~H-eY04tGV3pt8fv(Zdy>aNg4xlXK-v z_|_ODAZTV}@IGH;(mvKxcV$OqToY zgysn#LK{TXJZ=-tk#t7jU~k5vbi_{KV_YsZfy&i`O;wVOAa`pLMH~4YqnK2s+&)T;aRKq{?U|z{di9bPL@L4~7sF_+pv9@EHJvsZ=fsd8lyI z{+&<*FVZD}T!)j=_uugO(iX~4QjYw9nYoqr(Cv|D5Yr{J8Nu~bHDs=F&nwe3{#Gn4 zr6}qy;h5c^_z`y-bqnvKJNxd0JTj)O$gQhyR!1YgPtXz=fQ>s4LVJ>e1EX)@k^Uq^ z7s2CnSOmBt=&58FV;*k66(r&@#k=J?)V`27D4RMB75$bfx5M`aN96gYGyAAilto?1 z1gd^e4{weMK^Ij}95pB(M9V>1ySW~uwP)5(nuNL0pe{V2z5&#f;k2lAY~7f;#^&on z%CStf%U@BWsgkyJDL18}?Z*$D)mcNW514Hrpuazclj|C1v;<4? zL4`P`fgaOYj7c|B-X$ybLnb#cM=TM&9^?S=87%6oQTk2Yw5(PMw}K1;)+T^tblp_y z3nQpON2mv|B-JuSkeHbnoisDrGVQu_F@2Iw?bx6BH}z-w;hu0Ac;fyN0zdRUUWl^r z4Cf4cGOA|=AD*d77)9L`I31L7R@v=3>r4gHRDY9SZ;Z({2)JWSx2dr%-DqM%G~r*_!j-N`q}2CH1kjAU8orM#|FlmYONo4U0E7` zNVVb3#z~VW--3x$z2$A{Ua42gO~LizMMhvsLR&x>_Yabu=;!E`o%3UwgVK3a2MP2> z5GR~g7Y_tsb?10{bTgX7_2k2JA84~_bxdU$khFrVg0u}nD6@c%&h&u(=%a@^F{EfI z09s5iwstn-1b%VbgTyD)0uCM~C~7*NC;+{Orx)NJQN2?~uZPqMoMv|D>*@nN5Vdos zE|^x5f&n*PI0sW7&n`wm)_XMGZuEmKH|%p-0kUZjped^=9TorUkm0Uu5t6_H-C=@?xBZg9cqo65J@ zcIhdWJ4$s+mpw4+U-u#7F|FIZi%ngO*nDAnu+FsI zNDnrD9$%M>`mqnQD2o$piwx3MN@AxQ@d&xx(9tb)3yQ|$dfcOJklcW{9PTlbqNlrZ zNz_zmN}k|6z{vhD_TD`%s%rfoUkhgGESSA#_J+M-5A1RFzzhtR5k?td6m*b5K|w%4 z@jl3iV_f8>VrrsdVOpBuHA_@1EiEs2vecwfv$WFGw6wCc@|3BS-L2m<*g2=q`JUJB z_4|DP`u%Zy2{Y{3*EMUc=ULD5yx(tHv0+#=UOZns2|9YqE;su zJwEgG&%%vmO~z_Z!<9NTt82^^4Lyd>l67k1P%nw>$_bz9t*oq>m2hG#^3Z2g)4c2z zHSUcciiD9^<@Hq8tTWi0df2$Ozt7Tu(zK60uwWS zQ&m%k$3~WWr~0aW4c^mVs*RqCE(MjcKkD>JYErAJuVD(wD)$Zc8MS&^O{Muns;|yi zRtGcaG-G3RgRhb*cst$$4Kcd?V{f&2sQC{(5KdS>rOsF8H4RY1aCDNVP`TJe1rwMe zZ&iZ0nyN>DjO%Ih1N>GsDK&p=-p2n<<;$uvFJ7RkE~kTm-|5#QR3}+#XOPQcY(+R*mo!WV;=} zrJl3V?=s#;WV3A&GV7o`DesSKYi$t$s4i|aM>UFU{@pT4%}8mR$q@3n@>xkQM81)G zO;|w&;z+WC8)Vv~CcVhS{0RZXAWWcavB&VDnpu@xAsAtb3u8>qsVFBLRcya(-Ny|k z&YVr8L1hyrZ1ggPPnZ`SsI)$#cYw+&qXC*p^T(Fg1?&DR$tHWiD^AgGcPwB6NmEaiz|b9LztZ12(PRoR&#w>vv+4prs3-E6lg)5Y7{HOg;=_ zu(?VCsun`%sKl~$^Yv;<2Giu$xlBVw5@O$@=7$6eUW!KQ_wa3@V>3V=&prsyBh>sF zze5xT0iLg8c|3nQxaqrYVj_KfP}Ky><&dr)C4p3*c%K0cMO7%Mxc3hQY3k> zs1Q^M^9xXh9?{kGK^iIF$H^HBu}{-=9=rhO0t7fnUlrtku_##5*rH05(F@VkLpkir zA+i2U+!(O&*)?_gtGqrUBq0GjxR`olMNLh)k-tBbeKIJt&Rga2Rg)$5=cztiqaPQH zFM(7n;Ox{jQycVMK`jrVDedD;J43y{>VFR|R1=r$rg%9B6^NrF)nI+`uk6i`aPWJ} zz!8)$x%R}4W(;2J0-iD*4%{R#+ z{Ijx|-xsWEieZoGk=J@l^ahLTLQw*JO1wXmY%?!W8C}VP^c!G4wwwsYV-%BNaY#5s zbL)NOUhiyF!=4I89^8hi*)1CJgrFYknaLgtu?EA80POz8+D0}eRO17tR(21=GNFlk zd0AuLg{HCANWLl*M2(pw)MWoy=8p>A4Tk+{*2|DLNM(4LcZvrD6WJ6&<7==v4!!RF zCF9*5o$rAOP@KtAN;_x@keT98 z_tV$rgL!N3bS5G5nWIUHX|Yv zku7_^mRrJJq@bFKAHt)cV|U_ND%(DNTx1uqO$_0Kg|7RFWV)Xp8;00&&Gzp|?{+t9 zQiMS!C}tmogfM9kJ0~>mS_mFNOPvyO*paZwk%V@qOPNBQ!|LB-G!BAlNJlsl-X&qS zpAg}MF|;Ocwzyp_e~vG?BfDBLBS+$)#S5uZ_y)(5ROrD#840FZyr4EMP`d)1xrpv| zDgl64AfJHlu;C|4Qk?NfSe}0b;Y&(SC`ZR#t|!5AYk-dgi{6)MKOxf0qb+$aVg}G~ z;y{gi4vE0evn#0UVZvEnS7*c{P(YL;NU*I8;cV)m5x9)K$%2rkJdE~E9PC-`jKnDj zTS*@82%^8Vc4jXk(oy1YtCTDPyi24#<-7cO070ARL-J0NCnPgk*@)*t&9{@_y6cE! z6upG-`}BTiB@zm#A)^{`AJDNm*C#%OXr^GNTIdG3O<0~vEzT4q8_hcOK-|b)VnT@H zqQS03>`VDb?&B{v4FoC@iWKy_2PNW~idN}=Q126V+oHm%QGyE8es#^=L|AIW;0{msD z(OX{OtrtrTaT&o!C#Z{{PDSV$>Zz=%sc$e{4icRdZpPGCRNghjh?;Vvr(Q1xUoUHq zFzdbdHNS5d85BCT#_xs1y(=oIEk$TBdrrKupT8+$eFjwU4#5@3X4oIho(#f?hF`YH|jqo&_x?Iduq*9g5SeMASQD!1j z9EdlNhuBqWRYHT9tH5j(V*rsu4}Zc)KF`R)`~wrNSazobWXzGs#xr5IvXS25H1Lkw=lS+qk_)mY!4Kn=Jknz1@z@U%K# zeM6N8)-idmn`D@|AGbo);AJZ#3!S2kjcbj=)%aoQc@G;4Gp%Rp)JoqJ__#=dbw564 zir1?~PvgrYk?+bUI#@}0XR_Zh^b0HRL+#~kdmQ^Yk80?8mF-o-EuBTD9EviH3gg4o zruWsT!NPLv74hP`Qg-urrBq$vt%G^P?`%)JN=R|@D7=g7FVvHz`W<03t|}zMj-=(_ zZsR7%cOv-LW8=(fsY3c*=!crDSy)FW0zRf>I#O~hJJj-Y zp*LA}?j6D=o>AF;&pw7NIh?5w@_AH#KK;5GXmqak$Qm0amZ)!EBb`uB*RlxN4xG_X3GW3ICFlfv^fhMw;T(;rgXc*=ycHcB?XiB?h#dWO^C-+;`HH`Osh6&B^G(grCdm(@=kh#VczEEDDmX>d(` zS`+;W$rRr&rvy=dh-!NfF&!+i&6sxdKqerzT@l z=5t6mwmt_nA?YEhQp%P?g$8WLCVaq|sKOESrkp0Mf{l6PYhWtBK=PFya$L@|l>V~5 zcyjh#B=ADC`2~9&!KJR|kPrYPrZCv++Az;sVP%HXgD1Q}7r=hnE5 zELZ9a1#9^{3*3qO11`RwrZ*44ds$;p?pQ>>HJu1)4@HmM*mC8|JMZy}SW<(-gkL~( zJ;>%kz(~iDc@yI0Z)h!S|JR7(u*38v)7cwUla}y20}UP6^2<- zWp?4V+$$hAPS<4aL8M>FZ^&gf*P0*2!DL`#1n~j;xXMQKn|aU8l*g{;TUQ}ZTxW*rrdNW054u<47=2$_OF)axH!W3=4ZqCxuESLJdunBy!Oj zN+Z&S7z+FcGWNXC?aw$1kafN7{Xl>Pq^wnzn@`$6KmGx`*DodE4iRhAW{@BU?2yVf zDx0e9e*`uCgu_`Yy|Y%1kV?oJrL4pNpiHL$z)SI5Al|{ zc>$>hQ#d>qTwP#gFw5_7yPg`rICv%(Z`trM1!n)(@IT z$e}D)v9m#^_L(F6oQ#M&)Vg73GQLokY*P zz_#=5>%{ISBYDtVU}x}^GQ%Sx5EW-9p!5fDt5l9W_A|XqYMt{dBpr~Vs2dRAl0ju# zvC|`k*jk|A)A~COYWllm%LiV-U7&(Mb>ORezjcH_9jC@~KdEa=D5^v0y^D+}cV~d( z3F!S(KLA+1{Z-@-kRB7l%Kip_3L9>>37Xqt@WH68JwFzpMWi{&w$9}4c`RnVE=T#}8_I;5d;Xz~=*No0!E@=pYTS$mPy z8+z%FvAmr{HcPf8vDH*!VFn1g=IKnP;kE&XbX0I0|3{eRSu-{=qd60knQr!6VdKJt zv!Ys$2hb6yGp@Fm;aj%oPQuYd{m)@|w3yDxoH&k=Isg3nBzP)r4ac<|;y9qPX$|Wr z-#*VQI?@K>c_i1d0MQ@iQ0B9^*NtQ~jpZ6~Udv%Q4c`RFw6IH#B_qU3y);l&mq3Qw z4kA1>GrtFulK3L|yD|kNj2dtX-J*X~tpmH?7Es)JYA~w7Q5xg)nle5!Lp5a@9;}%) zt;xtTf(}Am-trSqX{OfIROurn{SVR51eSPw+Owf6l~szDlJb* z`tOrMAubOku53-3s-ecTK*R0`Yuu#FVjgrqVkr$5$C#;yX;a$S3*p>c_N{PDHLP1$ zT`JhRYW|8g6f9;a zf`{WD1~ClYD%(~D?%a`)3yVaOYh8VGyl*};7ma3v24`Oh%q~;8decEGJxnw|v5#SM zAMX#XpOCq&S>VD(BJwFeD#o!Zl-#m!aCKO?I&w6v60ee2IshQHQ@H-iHzv~jlA%7__{fXuly%et6M18gQ)X5L5k0RaW`S&1E`Ut$*U zkI06<$AC3`jn5Qw4T#KC+3v<|=fFp|6zfdyhq6xq;WRbuQHwz7-OdXU{A(JvF-W`> z=Q`PiY#~6p?-&B(k_D#wW-1I9B81I`uPND-7|Xswh4J_Wa~yBs+WXmBFf0VF2|jZx zNzlJZxiXlk3DaE8=3C^MCZPUFY;GVqTxMbr_XsiPx`C3Al0oekxg^v0AV&de`Pm@z zK<>z;alS6EZxbG^@9d@U9awdLz?`uOY;;i9or$FhIp5$PaDn)#45}1*M=x&^IDv1- z?sI^OIGf7XsL?d>^;BI0R7p3vcd@-(e9RzJPprtpO!#@A{)bdD9oL(e@*0V`VEWa# z`wwq4xoNm-Bz?VoxxrkzBHVBsttAz-6c{nY8v~UwvBq*={fwG=AILObU&T^IRd3Ws z8JW542k{54sG+~Ivl7r$u}iu>$iMRa&Y+soARZj3g2n1PaXSxaAgPo<@6&*vec$$a zYrU$bn$2+`*Og~}4|DPG|5j>Y(dotJDDuWNH)?VRn-FE+QIwunJ|-{RZWR|MM0z1k z52>VjoNo=t7#^jveYSjox%_14h1zaTKG_7Ho1VKjW_sLh@-bNK3|>H*ig48?|sDWE4L;0|*4^AN(4+Xmp2;UsyqJW!&y#`HQQ{HGY*1c>N!Uvvi>0T~SlhQ@J&-~P zp{%67)4?mE?-~yGJgii;yZ~0y`;f0ww(8w#oM1hHZKiOl9{`9U;=mzR30rB%x&)eU zR6h3u!z4DDQW?h6@u1 zIR)#_8JIIE^(k>eDq|8R^4cJvL77C>-VP>u>&omQ;K<1q@*?mTI4&a78EW`4gjvQt zap++{dJIPyK!DSa&IY%fcLgW%qz$)v6z5S4itoWGKJGH#8Sfg(eih8V9OSK&IZ}`_ zpNSGhH5Y}804ggbb`6{ui7s~u%SbV_-6QfmVEmI7g5maVb7q0%1A0x|DfE$^%mxVc zlSH2In>13$P5THsjt=~RgF99PK9eV0w?(GepyYC6(k7H#d)AaMJ4f7Bk=`BevS)G>?ibmYtt zwATvm?!yntS~?vd@4ryj=|pA_%%20noevTq;(8kt<096k)pcVR^QS3NP+E>jDUGKL~U?)Jm3UGCcZDhl+2C`t%WM$mpH_TNr=3 zxBjeXixR#26(jkQfR+kMP@+*2|Ekt}S?{&xEh8_xo^d70>EH@DN_AEhlLEn6SbIz& zDee?l_1w@}OWL#CMqOT?;6=7^{kz@E!dwFhR`0rnb z6@48h{!J8L&?N`j8ZqmX*xS0qW3wt%n&Nm;r)*Q^WWE{T<@2AEcwox>G?zcn2UjFdtX)LP*(dF&!TOZrJr(cf z@z04>hN2+gLv^?0&1I*BKmcGn|pCllUeoYq+7sWv~yJ{yF~s$NtqsGJm{1n*gURsg#rgPom= zD*3?J!ad5j{FV%eo@u5`^VG2@l#R8kd{g3{8A%QqMybIVy0 z{5gCVH5m?MZaDG9(cSv*LpnYXN3e`3VlFNwE1FRKb3!H<1CfO21JL;kzAB2El$T=vTVr z73D`Pe$znPn`-PVM0Uw*KT z|5*>G{dhF{P+$3=YywU@k_OBy{IWitDYQ-=!d%6X8D)@l&zK02ecJ>?M%vN>Nh&qf zrjZ5iZ0MPBkO0MRb>i_YfY!+`EN`FWnZxPa*XS@v#+Q*9ZVg`} z6#vGAE3bgbszT&*w0HU4x7nU(6gxKDKXgpL2Rm*$g zHobSe@}>C`GUmp1cb)jH1|01V!Lc)Z8Z155vS0?i))2RQAvn@sB&1>uFQ$S0_#p4}?d#whtz})WIO(vh(DjP{& z3sd_}OJUPjRJj=C{qu;sulPVV$B>FNFqwc1}c(L@BJ8$CwWSk zp;@uMMFwX=U_6lzGbaX+A*~jYNK?n&kMM31k)4j1MpUS8_O`{r(5OCChIMUItdHy0 zz&Z<@fgOg?!TLQqyRBd1W49y7IF9lE0JW5MXAHk)xPFc%y(eRszn}**iXAXeP6ux| z9g$0ZWu`y0^2cO0jh02`Y6c`;5BJxw$9 z7I3+8w+I7GqO&c63ETE7W%s&q8<5?Qo2ZOEWfGqr%-^QItlc}%6!ytXRZXKfNt;wZ z4ZNswV`IG$-q5qxlf__GT&rUj28-_K=5_jy-2CQH$9qBi1@4i$kUNz$mZEN&i*Y`z7cQ78CDnk{ztt2k9hvc!HUh**uK}cpT->w(z^=vS)uA2 zV-%=U|{NeZ&Jam#I zuaW!9A{}IUB0P7EU^>PsXC2=L%0s1kcNZV+YvBx|G^~bgk3X|K>6-{qj1bw61iB&T zu6_b*exE-uMCGfRIoyX_;!8td$(29K{MdH0c^dsAPEKZPwBFHthrk{ZQ3cbBJt<^# z1@b5L>{8Zq$TeN*XBcK(_~|HS1A8Q#{bs1SnZ;`FY4*}|SU8blOP;SIrs`#SlFY#i zSN6-CiB1ghL@CD;vzr%^PjTok4~pm%JCD&{zHf8RXjdC|f_*96oG!i=#!FVHb|4?1 za`tQzgn`H~K2FO|j@Vp*>i(YFGM6n0w;zrdEu-JOMp|T>2ZLwH$LEsEt|;?o?n$<{ z!dO5~*nYn>-EnEUZw_-*4K<_s)w!xBZ%z?e?*2_*$-94o3Wc0R^nh|&-&c!YHpPjq zTLSQ7?!G}IU}65A*>nAM_SDfh<~p@1L7 ztr|~Ed^_c4(kXHjo^FodOk@WX73ddeJq2J(8j&?5Zbgvcbpsu2dX}M0aW99-?~{79 zZ78;UTtj*GCCVoU;Wy&U{0Zu8M3zHZPd>RL%%g+w5z=4(mL8OE#Jy@L8eoRV8;RYz znymIm9vVoi;bR`pb^XBUNCs~8-=wsh473%Xsj$X7K&G=#^FTCZnyYtwg~(Qw?VSnl zSmzX8W^y>K^%agKyW(T zi_Ar6pI++CHZXDhIeouOcDA;AZO9*BuwHb;#=Xao_>2(&ZNc7D7O^;pCO{p>%bZpQ zSC@IswGOAjghHlfIFTia%}7J?C}y`OcmHxk(|~db^eUjl;0-Zf%YPIKb$m)i(^z~K zYXM|G39*OOhL`8$J_qsJ1Nz^?414nVgBtcp*24FeL+BAQ!!evvbV={H(tR?wfP9g(6P|oqXmYY9CSI87Mn`LAvga_x_Bn?(C^F)&*6Iu zWrse$pDR%AM<=sw(_tA#b}`9aRymm-oUoKV$gz2`${{?#yv;qCrE0QFWt(HU$Xb`~ zY;2ik>QuL^EspYR9&4IJ-nD#_4-;TLs^-RY^n}0`K7l(#y&5E5nv0-5g2rMy`x!5L zh0D~zml+`IKtF>r#}p_m%1w7OKRL27?pIfXr1Q3cnDl`v&dg4OJsUqs zKZCx?Eg*Ag6cV|0K>nCcvVSqVCI0d_ron)Krfqw+nb5$ zRf$BHVU&X>4;1gx@UEJ~3Gxo-P@wx_GDv=_lzRZB8EMP6>8LA*J&0e%QgBWa?qg`u!Wurp-4L-!7anZbr5!P}>BtiGStR?>s^=6I4X{>@^D;l!<4;_z}akNyyq)M$Gj@@QUMdCUk9<4 z16pYYU4WB>Ch+p~Z(F1gDF*jd$~?nmV`f_*Y?Ky~j}kkZQ-%3>bbfT8G{qhpm_A=J z$u3+6zTTLLX$aSIZ(dlp7xNqtKgos0YEi=qaAY*h>!to5*2cmdln}^G zWhc&uL@DEm>k7in3Mg3#W0(r|4bj#gF=2Uq8owlA)aAR33tN{$?k^K1#%7cvawz4L zP}=M=zfDI|3o_{4!D(xiUz*?b4TWZ6YCR9gQt{ufSNp?`I47|m4mlAbB}y(jJ;R9b zV5%2`XxtJ?Bc{I@NbTf?Ynyc6gr#&wHpqVbh8_G-tMDNyawa0@W2mtXKPCG}e_Di> z6N6_WdspLWbCw{;i(AR-_AgoKlrs%AdFhA33PuZJe|QCBFln{qJkgg;N1c3gIr7EL zq7bw=1iaBJ2h#@U5u~>=q}ZK`Tg*$y=+;3X=OBC_?IGFtV>v{45T*v1=0i@h3PdVR z@f3Yy+sk$BH*F5$i*>?We!b|r&h`*-8QqP|Imh9d-6EB`6Ol9|Kigk3MrJL~0)1B8 zBz#~QHl8Gjx3zISLR`zu4JnV~;gCm49tkl$p^VN*G0KmnA9g;Dh#qIs^B})xFAu;^ zDYJ2cd55&vtb;oAiTe@T#*(XYw)2@`G!K2HpC6{|*3a!lJgyN;sP{lJ#|iw92v`x9 zaiaLTI#JiToF;e%IWD2?Pc$zU7bfN2B%*!*b&&%5KCbI9uFs7?e75M%l4q%GALdxe;7-VOoOrts2sJDkq*yZL8!G@p<3J5NJ->Mu*MV37lq`-GWNDwM?0t`1Ugd3 zGHGO$yf?iwpXdLNO1aN{A4JE zGF7%ny;I}*1Ut50RHo5ypp%+eNy>c|@uOKKjUB}vU^w11jmo*W3dg(O##WAVMOZz8 zC~e_~h6v&LOA+e}!3wz#dvL+e;WSJx1f>TmndgICjDrirLsLotRWk%UuQhT!l$MX# zEtt$nhWudCE9LW@hw&eBpQ#Bbr4$sL$_eBA6vWS8VB|<}$f} zB&GEc?AFuHY6Oa1QY3z*%9i^OWF@#(%C;4kv?3_Qv}a>!gq5U1J-x5t9;Xcy`2yzR zKLJ^rdyIl&pgK=knGdRRJb&(gkIAN+=jP9kfTgCQ&g+Fz>%Z*(PwJY#Zv1yXoWFkd zms|SFCGJu7{PW`Xu6XZ4_dbH_bW>ZwddKKO4qo{L9XNIn}*ef&Hrg=TY6;|Hnc9e7JjuK-TNt5#1;2zS6&+ z%MaA*Moay_o#!8y2KWn9MH&BcYyaUX|J6SK^IHE`2mkp5e;)gO`Whot8^c3&bNBp%(#ZcuH~h%o7w@5kpr`?|ngAv6A6*U^`g$nq{d4HJ z>wHuGSC@ghXk(cdFm3?V>%Q_|%cHxINB}%C-Ybwc-Ww0yCCvYL0to(i{T&&4^DIw& z_ZhnHs~bnxy{Y@j;GS*9Qoz>z6DH`#4EcMYzht`m#NCH=KW_IC&=Syt{V1$|cG7=u zy+4sd{+qvd930`t5BWFv8|fciq^bKte?p0jkaw=G=>9f6|9A+9R{VMEP4FUzk2J@zmOL7fR?POYq|$w{b4x~U%ZYjn=U*W zU|ISgz*vEQle(Mz zU~R*A4H%Wb0`7qm0f9BI#=35n&Td;oL=KAU5GxO$v4GvX2Y%0VA}ZQ|l%U&}%Zx=O zA{ubd$oUy2218=J(ntO##e=Rk6#+>?w_(BdHVQ5CW21DCq9dUw#1V?{FG@5XBrni) zgZ0UKY5>P`k3snmiLpI~Lc84(CcUrfJ|AO&^c>_uEnFVqAV$LB2Z;c&Hu8c$_$L7Q zj|ZvhYVbxpfD=g!B-3{JH$TG(G!^q)tMw$F%thl3RK&5|9MyGqlZfI6A9 zdl+}u3dWM51A-FeY0d~y!J<%Po~8~)h>L|P3F|UjB_h$dk`u7mIUbqIXN1E8j{=9v zFYN05*J7g*NK0)-CNk2GZui54$uS)i4Agt2XcWdo<78-KVCSTR0A<}EM9^`_M+fF? z=4RrtQVOw_%tVmRZluvDikYeFb`+;>MEEwoj4L3GWED^})1TzzzmMoBl}%(~@c>5{ z=JYg^xnQnEdZw?F!Auc;q;Q=1lFCHIAvXp2xQ*yg&sAV2_ZG3nlorH%yXM zHUpHCY5X2})kXYs;nPwI_n`7{?Gp|IqRWtl8INBQTFAtVCCGLa*$o(lGJ}dgOH?n+)RX}nqpgHS3I~(dkZ5iYW}3byc3}`O4h#f- zWBN0EKfRa_L74|M0J%f>G{iQNlgY4Tz3WP{g!{lZrAW}5OUeVdN0h6ak1T5g`fbl; zz{=J6_IvkuE(^TJM?`xpGEataL`1a~At^&lP_tvyAc{`In%jji*M0ayfx}H$$V^Aq zC)q1d&LaR^_j}$-*t(S~WnADrfnzu!XEZ(m-)Bts=%gcngSz{jn4<1}i*IsIK><^Y z?J@!Wh7p`dTa_>yL(CPn7%0nwGfalc;20(5Pk^qV>t^aDvmmf-_0Cwi?dWsf*S0(V z39Bt$NtCJ`WD1JS`+|#W(%#v|MRdCT=-VPM!skl^ScNKPiHC7ScV!9z)?(_X`Que7u}1#2L+B0&&3ry2qJ^s1xrsq^arN_O!TN8a%>R3RE9b^LRWv`6+D0 zvvEan7ALS%)m#OPi8M|JbIHS89(}m$l3Yiu>|DmF3Yb^j{?xhIiC#vIwUNZn`3O5x^>hg}5(n zwr+Ms*zuL?FtxC(YZ2Sg3=&bWXBzsXW-mTQZR>p@0(lDLsTAI1q5B{E|@ za-G0t&e8F<>)7cBa*ioJj(3&N#Tg>@8Po(l$Z92a+D0ehKacoxP9-3=~1Pp$x zQ4dGut5T`GIT2Tbb;_o?=Xy%z!X;Q126Z?(imACa2B6~;b6WgE zqj)im5Hh)i0O$F_Wx-R#AJou;J6oNpC}R%dexot$%pmE0!;?XAAUwGs0}?`u&9ST^ zUfF4of`OOaX?qEA^NB;6hqY}zFf%g)ayDcIeHkaaO-d-eVA#X2Y!Jj^k$cuq6MU^N zEg*?1n|ZlaP=wQWCQ>Vx3#G#{9m1svxm58NpIQsYz#|>UyS=T+wKQA#Q3I>z7^WkC z4^}2ks4u+OIu7!KrmI}rE3`a&2ee?yeKa@uKF{Cvi-X#N8J+k*kY^X@4f^mI$RU1C z1$Iu5EHwAUv3Dk%pc+Xj?K+4#5j>7^Di=4lX?^d1a$F zt*F9)Gv}&7+7$1?hT42C2ZE51?VIrxNRZ=Ck(JpX zgr|I-yAHAUQBXDP7{$#w`Xx!r`M&wd+i!cefs_xy$--!CGI`Xvf9)_V3H?oKH5C7L zrs5%30+bgE?-(d_!eYua%m6@!+eh@m9Ig}3NiHC!8~c=kt|Lkm-m7%B_e|~ww0h=# zyMM%qP6u|qD-TUR&Q0Qm*?z>%Y=onVlf64OF84l{5={-lmnmhLbHeRUQ-gt$;UyW! zkf5Pa?N;k%qHCK3SXUR0@p2@*vj@CiNVIn*!s}q}RT9?rmFJjn4bb~35BsTCGHg$y z;w83&Ag!Q8uPlH8{XMjcFv2=E&nRwF?>ih+f|U;}y$X=mXa5>`x@86A^q7t)gU zujy-e)9$ZmWOe}DaN!IZ4fcuInS2%BC!}=*nK$E!DIn-FOP;-M^SN90ER^zqY~5Wg zh2U1#uU2R6YCK(7j=vI?fvN;~CatHbE)4dT29jtpNSZ15q!1b_4ZrQP_6Feac~rX> z|KT!#KKd6pR7jT|CM7AQ@)CT5X@R4J?9PM5c~YNqTLiN(qp-NeY8ayvVuazO7x)1& zQmHgldQmb6hlB!Rp$AFP)EoHv&vCuf*WYq&HvPuC1o20WXPyv7L*)LHV|#0CNGtYK z$NeOG_TtHLqt&>q{WP8|hv7IJVyaY&>$L1Nb==eH9AKQXJ)klF>e9*uN7d{qjZg^n zt)T5p%P?<P_8#^Pw< zZ%iaNM(FfB58q&03FKmgM(#zLh5L|YTv&6}&OcoFw>idk_l^>7DC~t(gf0@@vYA^T z9L2GX&(M*!*} zy?b5w##j9SaNA*#F2_%CQz(D>WBhHqw>4*b?76MB3uNVG8nv8vlDVli;u-vQg2*(^;x$@MTT$FvYe|@mbIvXlcbF8@49u@!&j#UUFjhR+t-JKbR=mYF9wJ=D! zyR=MidR0)bs=yVl2zn)XDRXw zC|VuR64bJ=d6;c=K+}s@uS`zfZQa0*;ZMJeU&LFSQGs*|Xktp@k7_V+RC3zD<-!72 zsieDCp?H08@XFB#N~CiaZ=bs#puv`^*>Kf6-wVdh4q{D-KD|XbN%TP3GX3-xYytp~ z9A}uO&Tc^bw&2VL1n^#k-j5F#UB(VKGK|&AZfN2hTk zb`5Oy86Hsci@BVu^baM`z)&SIWml7$^fl#E!kVijm*I#SRs@6Xk72w(!oAN5ovo8vC zr9%~U$`dIS=7+lmo_duO>XDHNIj{rlXfzcJV;B~uoTzC86!1S)vNFWEj0!8ZU; zYf7eUsos`>0i-d9KOMC0F=o#0=|EX_p)`V|I%9*0fxb$6aSOp3c!`!Dr&ekSt1J_T zs#oq2!W0{gF#KJCx~<&}G(6*Tt-P91*mG(;hidWtJW&@$!b6!qF%)Q&%JipQ?#>p> zqygyF){1l9fSLulb`g~uGl?bTtz^NkDmLge!4bg0QrqF!f&e#R_^wxC=-6CzZYlDZ z`zaf|A<5TC8U8J&2RSQ@gS#5*+>hJGC~ai0DN@7z{PPGL>0N91AhP|O@O&edl8aA) zLQV|bA_;Ygp=pV7vf(K$Y}qJIGRB=W$VSsa4yue^O}sxp3UOac4(U5X9IvFciLzBF za9=RhfC6bs1~-hx7506vf91D7Owe6a>_4~0TGn1>Gxj&k19g% zYH`p5NM$^NRH2iPV0HASBLSMepBxF)Wf{9vp`#{uk?`_OT|LN*cbj_#s&8Snl4N{U z9sT&^S843f6$^vnUwC(6aPK3!MVdbE7A#`=jae|5b$)$hur}j2l%>nmxUvG>;k7D0 zCw8|gBro;0DztEDG7*Z$)Dp3D+HMjyVfJkj?s+J=hvZ#b+e7brW_OQ>suyqfh^&1h zxu+a<)^l8*eYO2T=Kfnyia775+dYlV>Q|2$7l)R;p*$45`3=*uzMsAkwIa)OBKq-B znS=1^@e6Y->u0|}V>ZsVzaFz`aovL0E#-r9t=pbhm>aj_xmR=JcO48EmaymK=E0on z-EVtDcD~3x7&-7lU9j!ImkW>E4u1dXTfJ4G#-*kss`^DqnoG$V_3NP_%aS)Oh61UO z$VDejCt~*w4?EfSGmYk*K_SaEXNC{XOVN#a4JS2Snz5XDdG2FJ5-*f*IptWmwTsbS zo;~<@zfabBhNXVGY;b;B%O|%2wPABdE=v1i)2c_DU%l`i8~@G0z!3w!Jvn$p`VW^D zjmY@r>(@pM{QbAUf z&#fM(yWnz>n!9BMmKjIQYt$b;o-{gt{=35P3G;fy798mzH+a{W@^b3JCN}Ntcz@#D zJJ;TywBTaM+R2N!lC_=(mDOW_hGg@Fq&F@cJ*RuPxlChUmTn$B<&pFrrF5m)e6i=M zmaJ0m>(6wJney5jjmvbK7W4Vi>Iq9qBiAi&U+36ZdH!KTId@E?Nf&sQ029?DZREH8wEMo z#sx_!m8JzF17e}usq@ZYb4USN*89n4N&*#gC|_Iw{dT=~`R*S=r;sar>&P4XJ|8>w z`K}%%mEk8G5mlX5Vd;eZmzRvIektetiIF7w)-cn{uFi9&2XCL>Q1c4zd8V?9_KU1N zD$N={u}oR>MBQ7-?>|xhjw@_q!`{3h8!Jb7R~<>DwP#L@WR`8d=v|kn%kNz`s^W6L zS7*52ZB(W$yzDq%{^PKcYTueuGwZV!%G}29KY2|X8}548F=OA+=bHUH=9J>Q#;+FyOjdiUoado9TC%WYZ^czDRBzC=IUxN!gW;~RUt%uLBM(6|?k zi}t3U-Ly!jUU{6ERoQq-r_Bs+UmQ|2roAPsY;F6Jh`I~PLc@G@*+XT^$&!bn9*dnI zn8m542FJ#S%9h5>+-G_?@s}%~KAd#ynU%}>oSEic-uvR0Ss}K|4^4T*nXzxn1D3}= zTk)4XrMkA!TMwY+>U){WJ$JFVd7@><+baSrw-&>W|GWA0KgR!4g#p8b9^JA3$Vxx2 z@u<2+FM-!=NPc^J!kgmiZYn~U&eyAi^M54@hs*c;^V4wBy+7=}JRsrE89M+7qIHxc zBxYsp$c6v8SzC8d74E5nzjtiKJ+Mjxn{tUEGAlH|1s`TX@WT$F$yB6NH%F4|}mT$iNYisxLRM*e)*4=CC!$kZ&(DKGLe^Xz* z*VO<1tpBk+3;gXF)ZL!32r(G>iNAqEdVs%C{Qv&K9sLUtKL0D({{M=2{cb?&pY0qN zJjhf9^sz#ZzB(kd!Uc4wb)T6-xW`rjmUGpxai ziXt2s-ntLNP2`Zmxp>9Uad76$JBU_QOZ!L?Wf)oJ-1qDO}1gQ#& zf{Ka?KBz@OQ9;2K#robUxIE9}d%fTH`u*|y=i953NoF}SbDw4Ib1$FIB*n&L95%sf zgMtZ^2eJQaL-z@fh}Wit9x)nn919d$j2}W4ax`?!u+A&Pr)47Cy7i53L-qY961=}x z_2j!i*5SHiVb(9cgxX#UAOFWl@Sk92DZp4Kbhd-Z2r04R+dO4B2)YM+?*xR`L%UGH zVud9ZmIPRmVM&9<0*hUvN;dWAY%(aL2lT$%Va(IYzbRAtyO81;J^uLiZJus@c-lW~ zhEk5n^^d{|(vCHXrMBZyr}K{I9gn*GT~x+*QQt+~ekt#GG@ys)<$W7<`}pnK^4nMz z2?uniA`-fHhoioIGmrFCDZk6W5y{HTsAw!4za4cP`xu3C80825n<7gNTjj^WpM=7{ z`!)}&ut60LLAQeug_kaXU8fcE5wT>VUa*i}7WfVb@R_Bsu7Tgmm<-E|rErI2G;AmN zSeI;pLu*j4ni-pvNeashrGyC1O`ZW;cEbq(AJ-2$c_!3;I3h3V8ET@%3MW7cPMG<(Ya$(xtCkVmVTYtF~YE|mHgjfoHzv{c= zbqA&UDBSw;chIUHy4l&P;Bff+pVZht4leswshH1x{tF-d{9?uZI!K)FB)9t;M*1K8 zav`F?J8su%93L5S#j-|VUL1Z0Gu;r~>C0uZV?!i(Jp^{33gFTi3rb^##@?aN!_^oV z$k}u~VB1XvCONhXG6jG-1% z>`NpvK)r0vBb#i$5eJYwrU2<}ig`P+F@t?wk!Cc?Wb%}w&5w{g6*!amOIYPJrEM!h z!nWuT1>q6*HY_cXd5;O({jr)374XLu$HBT0}%;oB1ux z3F8CvauDf>rzzTH%kCKzn(~AkzMY=lJ5j1IL)tXJe5yG44?y#2y&)qR(3}C(ybt8D z1e-|64(ra41(#wYp2M#UVVkqn!4_XKa*sv9tzZ^i1ryQWV~hn3ls=ZLfHDv=UBMp> zc%3dVfZqW-zZx0xL3`H~wJU@Sja3;}wh)0kaxh#3|Lz1TbD@lCuZ#npccEO98u%`> zGYHOGWg|O97_CY57-5%rc;lzeJXe^l%D<@mmbVU|5y#_!&0UzTo31rhRL{ae@BQpZ zW!{OQwy`LuxKM$FSu2BS3Lh%E-27|1X4e?1r+G1c1E4A*Lr#6~RA#f7Er-;f?2y0s z@?6mnX3ixn`HZSH&m)HB=|E|E)Mz*%z`BDNq>ga>tUX>OE<)aa855)>$b78RS#53- zRTu|=(>N0qyg}m6%%--2ABL6QMZunTywYPTfKaJtqMxe%$V(-=eZv2ABRDkxqV>Q5eOFvNn3#tOo_MT_Kvt)h?+k*M5g&i~PhIc-(g&@F-i_?&| zjihxtruTfxPetAioYaXRe(TKrwt?PR@Q9;i-UCLXt)0s87L$1P)n(%-i+3@x7&jHa zgbH2*KKOLjRM>#25&kNa<$MMbyK+O&;CnRJNLIP3={LGag{PSf&T8O(DlZYcBmXmA zq2L+Z+k8$lQz*jN7QMI#kwNtH5$Hw32?`JH^lY;a^B1t+hmVI^RhXi2C-&^v!aouQ z4mN)cm2$2XHj z#1S%g8q!=vX^!oiC^1ontuCXo=ZS9s&_FoZYC(Rs@0zw}aEaEiF_PgNdNR1Y zzM$Q^hv{-l6W|ePDt(x7)xv#}C4@(rhZ5|YBIw5=(Xl;{fBf_3tLS=gQo^6%xqrJ-;PcXHX`Y6iX@Db7trARk2Mfea&4uUeD>4Lorn;s%V z$UbN|8!lBKO^fjOp_Ra5K2Fn7g-DeUcG4#Ef8c!)4fDUqy-oPtGA{*9)E!;WO_M2# zRKY|I+sO?;1E=^+=_47_)D*B|H9#o^yFgP|gn~h%QCxz&YmEubany2@!;h7tY{vm4 zF)alqW3KcHf-av6923e{?s(~gl6V5`s0HTVmyzz2nq-SFA?+MB{C*KBgiL-he2SWv zJxkP#M|uf5J)~=_J!P(W+QzrQXH)C zj%hoMO#tb#gBFL<-pQc3Gq{)ds=_-J5}L%`_{O8e&0ke`M=&n?lT^rxe8pQ`oP_?2 z5@6E2^-LOjg71r3J+LDm)*_Q;Pf|nfM!_Io3d;APf+}n$26LV?AJW=w!zVZ%6)s9< zq<|L(yRT~zW4`Z)p5hE_Uhm}@P7^5Qr%k%Nl1V*#q%aK?UJD0@9;Vi^WxqX5=cw7> z`GUex@P@HUnm{qSTurakFi+N(Q+Rq4+BYLugQgo~lzEfZMe$cLYLK4Lg3~6AiZj0u z%)ilxnrdEVOfEmI9A3IJ8eW(!a^0wC;YsS>`_fa0ie-1fi}WQjnoY2uSEEdB5XEwBL)Z@rpFk4i(C$IO zqvSHb50QH-K1Z6PfID?B@)e`XCZy?WOvL>ZGnLXt`5xYu#os6AUkD5S09d~K0=dDY zBJW!>BaxFo9qI2yQcLC#@_aP zuBoh%m1hd2q@VOHHXa7*4lx@GW=DWsBZ)GDFUoK{!VjGHkd*ul5=skx^A946%Jv|V zNe`jRu`rOysg7Iqxd>y{`*V7?b*HX7tnbPr1Vj@Ig-I-$v} zH)DcnIK{e*l5DEhwUP-57i}Zy*a)KuKqRJHwo|Qri~zm?2m_)Oc@G(__S8u5h5__9 zL?fK4Y(R7sWat1hH9ZmVs=z7E9HZ}{*i_?vFeo>z4bH|6DnWZe?e3a*jkoq8J96pA zRmL1w5mh8M#RhsJ;rI4?3VIrS^!pZ_l2F+8{Jh?X1fUn#hI1u;ZlqQmsPv`~R&$-I z@>XuH0%{a*tT7?KgXT8G)W1swyvgtdC{@fipvk`^^JbVgl5O=jD8HbzE@W(8dTo+n zWP<-@{X**&Z6Fs3+0#ywKDqajIqX16D=tQCk%rrJ=EPc6k1RJcjF;1FDXTs<0yT6C z4HK;#+U%YbB{cy#`o5iFlB}Tnp%=7=lBqq7Lm>zDW6I#|#-($PQVJY3@N%d@UIpAp zdbl?SI%ExMXX7aJyJ2e-=_VaUzr7$1#OAH|A#y|`l~zFTm-0bkXHWVZsH7L$V_G`tasF58 zJm}DZ_u(y|dC7zCqiF_PbZdOuAiirn0DMy8%`}s2=@Jh#ALh713! z<2Pf=Ye~u^_rI{VF@hOg@i>y!VAp%zoz;`E7k`8+&s_E2Wcj8j#tz`&Bx9CKS&1{q za{$C@->Oy)Z4YD8nGrTMsYC*OG;LzG^<%Yriwyl_$Wt*T!>gn>W9siA+pg}VM%GVL zCRpF4Brh_gMpGiEW?gd68KSX%fv|RCR`7CzY zQOcA56W4Zx9d2AC4u{EuZhR#5BmXX?k6gA4rq(cb*t6XFz6ME#=OU>R z*T>>uv~MtRkpBF6R8@fj4n&v=7@y9jf)4XTufl97O*)R4$GJ>GKA=?P@m9B;GVrgX z`~pN~fFHa#fK;~O&tIFtRjats1~OW_-PQiP$_rYUq=;xMH@{1`TeW16u(|r%;0e-& zdsW38b53VpwP&Za9z-n@k62EsFTR486FnJ9EyBl$fqzLJ{Mi0u1bDH%SB>$Ii3pSv zMk7BE1?O?UL>RWHs6}miEl(4GdOp#QF>oJ8P|mg{$n>^fB{Wf+XEGnSe@b-qH0Ov< zBDWotf2y>bw~zL!uhD=JI=3i?^YWh z$RCOpK7=$wQ5KjZq|*1=9z+vLHu}$NZc)#8wa|Zh%e?yltE~kTrKbq%-V&i3pP_YI z_yU=?lG{#;Vubfq=xw8s_htVs@hRk;3cp0;Z75v@@HN^~Dj1-1qqN}^tOuZiTi%z* z*4jSJ^w|j4_zhkn2>sbiR&6U5b5ZlMg3n1W4=qPhLocKm%s(8~_O2q+%?xma-WT`! zUPZ>yTlPb^W&1X?+wc*sf=L(uT-tAI#Mikqd$eto<(gW%Piu)%c^j}#vY4!~HW+xG z2B7&o`%fwihFb4;=JOEM7cg#8=4g9pZQQKw_vD+u^js;cvd$+-e&Pyq?|qceoHI(UkjqzjW}PK zZk$L0%6xw?&?|)2bOt3&eATcok?R%$>QM3r!XQ{gs!*D59W0mLPBi}*T%Z}Ur+rBHcvyT7s+s4N>l8Hc*B> zWbI1l?xY;%UgkHAj^S?sK!|x@jUDBeqxus1cr^WhLpME+npWR~&UIKWrYmP?KThYT zBgtnzKRu-aufe?yZ)b?#A)yH0b!>SML zT!OTRRQOAnwcAzE2S-q*vd7RtN60vE$n~K3WGoW6Yqb4x;TTaw^M}ql^}xlCuwmVyY8Rwv>lZ7# zvkR0_n!bQgYVgru4B|gPiWLgoL96-qi;=}nRmynhtNshdEYF~bvk~xUbT!NsRQ1b@ zR+o+c9@noavmyI8j{0@M4o|bZzCn|~FGJ9D;-ODH7zyx>^<&y>_#1nCtTb9)+ynEE zAniNd%~O;kfS7R@8gXN(i5mijd7HMLcfp!+z(^CPk5W>EaeteGFe5Vsh3z~}54{x~6B-LeN z?NgfK5ejxz{hGO__eI+JTEA9r7|+~u@HWK7+man+q?G?U99n9=)Jmj&QQl7s7oxda z7P7#yEJJ#Sc$+Qh8Nm;w9ONC$Buc%ocW>yWhSlE3xt$g~i2pgvy8tX(kSY?KOdvcw z!Mh4{we6@tYkrtnji(ZiP$&&FppOh}B=>a^m#4My=H8&yrIFwj!t#+SbD^D$5jC;m ztZZ&UjCGpvL|3M~<-2^(~GL++LX*y4@($$;EQ8G604dOVJHjSd6jwBxc zJ_^^~4+d6JLSqW`oOo$Zl&FmeKB>_=)=?vaA8Yj7B^AXslDSK%3siio1(b#yH14>( zHIKUy4}eguGNK2wDy$5=TG1M?Opg=aLMJ|lsgVy|wlWFQV&%br@w~$;oGEOO(Q$Fi zR)`HlF2i8j`j%74v-7nM9T^rfA*S1hM(Uc?3enB4Lz=HKcC6Io9I6C+$5|Sp*^g9D z5C*_x-nSoVdcxp+L#->*=Vt7AmAqTujXrH8v1I+0Cz1c->aOH4STZ?%ALO!&{mDLl z91vd)xCWQ^uLQZBCSZdW7+ zPmxS1IwClNd&(r;k{K=&7#K%ziqu2MezPaaCc9Wpdn%F)lU(v^8(`ls2)@}D<{WkT zQJBcRh}_%50bjv!l#SUn=i)f-GUXrdTZruyDZtvzR&e8V)SH1WSa*OHmT=85bEKSs zImkb{^>HUI?2cfJF=iFbAQuB0Lo;r^Jj_p1xaAS#m|XsXSB@6DUvTj!lofh8fO6Q# zQfgt_JOw^H{cK_)!R)9DHL3Rb0|R zX_{}a1vP3Lm}jeCMj>2b6F}>CJj8N4KBylkRpWNBlyIgE8g$xat|Ojx7$*7t&r;S0e*{O|l8IN4BizR$W)K@PO!>N_RU61x?8Br)yoRW` z>=kx5NoNy$_W++j!Q93=GP`~qDWXY$iF6LO%i?#TPwjfn{^9vXpL5PQf&)soonQn{QR+qPKpG43zj{` zRmbqpqsA9S9)Mk9_y-ZaKC&?i0)($v-_r|ot#7DKctI_^YT2$QY0`IL+K)BHuK7{~ z*mwMsr^OPtb1S)I>*@ZTspy9+h0#ETKo_Wy^V%lEYZ}cC+kJrKsW17F(tBg=Mdm^nrs_a_|m**hYdndHye(?=?&MA{h^_38gZAs zgZwKCuG76~GRwWpdgW1U+yF6PTOLLw3@?+lf^GEBUd|ecaZ$iG8DhgahRKExV_VLy zA@6j|M?CoK2F*JO#*$|?pi9HiGmGUN8_;$5{wbpKX|(;fKGw(BHiqk>E-Gtvw4OF5 z!^;+kDKm|ft+mc=Lt3>#*OqGdTu*gr?Ss3}#)NYwrQ`B(u`6m^O1hr^km}RA2gcsj zipHrVzM|Yn^=f>!5UA?!MU6K*&5Da)NT6Sg5rM^J(z1V1!?lT#Ok%@Qq|JzAy0}KU zW`f+bU&gfhLl$x4NWA-Um1fDo7;S7M&c>E;0utv%=-LvMV#*HN+qT>OMOI3ke=?Gv zi}pR3pAy23W37?4;ctZN7Fo(J(%vn^u&*oiy>|_FxLA5sYp9MQhe1b~WLIl14e+P5o5^g<;e2G-A5#HdG@HFoKj{@5JZI^Zz`u$O2Xe{Y zTV?jHl52%6Hjsh}FM&r!JQOW_5Ez2U{Dqk)$j~j%^HCsYsA@DdqltM zbw>tCE$_{}MN_}<56Srs$|sjorosRUT$fckP}zA|?lXc!#=3^*4^xV_(eUZ^?ZwhM z))nTzY6~;6psRJxNUr!amB-=(k^w zqWfB;X{d4V4X+p$MQ5vFYP&+wR^GgWPl-M=1Rxu)B?tw;vpBV&l_}<%C16(|EPh)0 z25I42BCww9XaiGG1h$l_1v~Y;e~7iOQF$NvRZ2ltrJ5eAM$bFGfNRp5w3cI9EoZa7 zp*DpCfZalK8L|9gnQ%yxAmwR=BO0S&HlgMU2XKNbKsua* zgu^%$I`tGfKNShbajN~{NJvT)Z>o8O!FXH#dD8%KBeuWUg?iQeg9m0rR}uF-O;+Nb z(sX(7H2|-7Me}N1b!bZFBB6QNdZr;)3qkeft^R#xw`V5u*KzGCd#k1i1IDben#?LV zAf)=syw?Fq>{H1SWs!iX2)x;&SLH~f6;wa`3DKW=3e3iDf?nfC-iek2YVo)XOumL2 zzft|YgP8dIpOuV38mI6^?HeY6qNz9)|A88iT=B_$(5i8(6y%n%^XT zL=1B^Wb6LMDz#wqE5>H&!*DTLA&y0&H&yx_l1s69wKO7}{{l=QqVC>Ox3H;M9#N?iZ6XHSH9IF8?l=)*eDyqGIy zt_0dURRvTbzLTi@ICfr z)X7D7@%+XHwK!gDipft73&vvZ>iYad6bU~0bzHmF5F9AxhvDJS6<(0x7B0>ze$O_( z4?ow3^J;#GH|-Wr+8SwQ*!Am87)$z2G+qf2Y=#w;uEW(0v4hZ?=T5PagO!$ z`wguoQU@t;A~z+zd}{HRi6u=yMP$j1{l|X3b?P+)oEUAdUBGbfo#4Gm3E6$$k_zJ_n^cC!vQgPui+%i{Q zI;`V}tn7%)nP)Fk(_92PZde>???bIRK)u&qVoW$Shl+1M2y+{8ZFJRh;q5tPp%0kK zl%V#nxvnKrqN;ssdjfc@pKlK5dc^S46^$Pv(OT5+oP#>Yh|aZ)*4gvo0lJLRK1h*9 zgGWUgr}svMqY)%yR!m3rG<`e@b#=UKcrDUhuCo7X+4Tx_)qITWON&;@eA7IT^I7Oi zYWHBw5019i=&2FpSL@TU+Ttk3RP7qQI1mLg5c$~qh%l1r<~K5KyFNplj*NvQ!n_YU z$W1~niO{k$u;wS1Kt$;VMFqR3e5IK|E@{Ue#1j z)f|A!-vj0~VU_YASb6S#5P6{SHgX$I=<28M>qSmlzcQ1j;cfi0g;nt%D-2JoDC?|lT0RljJ&#f; zh6_4M!-^@_8Bw|)NnNdum(I^fnNpuBeFs535H3neSyUL$bR|16H*M3CRz957s3NIh5PbEFbp`O?9yP9Zf=#=U;MbYBa}N zGh$nUPz_UZHqb*TXA8}Gx;u7Kx`sV(z{Vxb04 zLZ7+aDi~fr&^0D;S*m3T)JSou+4_O1K+R-`B&^K~^RFbTpV&=)>kalCl?vV{h(4+s z8%D2CU0fvHmK%NvnY2f`DlD^-*cki6sgV1^Q+!t(oI~`mYHNkI_6rgpOtn6uGjCu- z?i&@g!}5*J_yHN@AHqJfYl_qpB3Yo2LGXH5wU~`*lG8zzv7Q1Brt~P zU>?@KO#9lw$j|0UyRkp5F`7H?XIn;oFOy;q1&GfC`5wK=efxcFEL;Kh1R!fdI*guVZQ zS(c|fsbC-I347kO(V)n7%jF+Z8e)@~Lz<67il$jLU^d&An2J9_+G<0)8D>oOT}igz z{Nvcw)B0kUx!ITnZ&rA^^Pt@Lm+i0w2Nd@~WDfMzo{0FA8%eR16)3#1Cu*FC<{NHB z7>mW8vidMO+2U!({vU9HwTFdzom%MqMwo)FrT&zj+G_%pE=(7{RO+TikO$Z*-6;#k zq()$V^IctR(5B!ypaS(wCR5-lV2Bx_%>rcNZe&%-+OtCl-sVH3ym2$Se51*LIWPg3 zy+jW+Y@S2d!Ve>k?&p0d*lvs$uj0n85P~-mHI6kVkRPe*^g9~&Wd>|FW^S`i9FMA( z!&~5Ewf4FZX6tWjntbqcA!?+&HO5D{MwNevzI(Fg{l<9o2d_7>!c3%>AYe5G@TxH8q+&UXaecPJvDp zEaN6eN?@)1u8VNfx;;wTt+HN=lzv5Gvf7eXWOb;`gP7UUNmR`TV;$Y<1+u~lNZD7Y z+%Du^V&`z0D?*ybbHzH=#5pu1pEX!Ydw_ZFW#rk3cmeA^OeBNKXk4G9d^h+nO^2`% zYy;;-(Dt*dD>Rv_=8(yBF+0wU+Kc%D%$_1%UvJFJ^6VFUgF^mUGR);G3u5v~N}PYU zyFC;%VUb1g(=pSXTc@!B83Rn8R${Us#oE4Z_$2odP-hggGqG`SQ3CZKVB5~_gY%)b z-xmG2+UJX7(t`W-o277hVG=IldNP(UxH$3&l-CKwYy%C5@6( z6|J8Sj}tRg4QG^X;ar^RS~wMGy${@A{Sp183e>6Blx=LQ)40sNRpuJrR&*;x zX>D9?94N)8d=myr-^8Nf%oqUh^nOWw1*XdSI;}Y}SVwkj+CWJtd)m!~#fY^tBaGYI z6HtfyM=UmA^F@D@Sg!u+VlvLXD(;Yb4VuTq3}imU)ls4QxC#M&7i?b#j|y8M zW#0=;Td1b8%-4fA2XJCb#GpR1gSZ4U+q$QGf=-^@)Qh7yPT`I>Sw; zsF4_$v`D~uD26hLc{=-oI5L|YxB8-VZ8Yde<-O_$gRibMR87nh0_LP~S*W0q9I0Im zUqw_H8!KKyWR*zL0~U1grgxodq$@v=fJs&DI{ShG$9~WekE6?cVH{$7_E^2Y2bsqo zL(1Mh7BNM~ZXxm}a9xy+=D)*al4y~UY)>I!@?B@P^gzM|o3#Gb?g8&0YzSaCqKS6gYqv2a)FN{_#k9LPowcA5hE*lfKJewUMe8Gnuoc*85Z_ zOVmVIvs0}%BHf3=4?g8jq{cLE3B0B>n2bU!JKLTfFZ@VS3Liy4FTgtBVV*z@5D?); zz=UnDENgy~x>2#h0G>~Qk_Lyh)uVi!X=ll5s@RYpP1akViprfW9Zk^o*HF0-UI*Ad z<3){3%uSkCh@^O#kq76_zM0mCRQA_wJ7P6oNXas~AoLbK8ZJH;%?>KOiUZfsxU1Os zbf6pZe2F!irDrj47-$S<<7{)Zb7KQfgnKUL+qW;MIfrM>ElWo!?}5DD$L^_P<`p6L zd2CGQE>KdLr+Grk1=1*eh_&OvV(jjLy+6asi|KI`eMnU=Ow`v$@PJkEbd=AefH-b< zMT~+|Qh zSnv4=f&D@J7?mZ;6vLf{(;E7k9{8y2L*lu>1ltt)Uupn4(gE&`ZW~Lbv=!qNotS5T zg;h$Hn+e?aYDknf*!Qtie__n6mvwO}B<&Zj zD|dBf`nNdX0F!I*AP&#w2I;9nLF61cfJ0Q(1#>E+$YWeXSh{kcZc-0i!K6mRMC>`O zu0&;Tj7C-b6*B;jTl<1Vw!|j%D*Qce^UsAazGd?_gPVjbVsnT(@B`XCAG;=qbLe9q zBC-bFV_JuXy6sCuJ`tb%7Lmq4G!`03ij^>dbkqU# ziLmcMYgQUjT%3L z_ldlfdmN6IXH4 zXf^$vj@!(L11b8AC>Z}6RCK$Z8y*RD++8hBXtlr752pQdY-S`(>mPVfBQB-IYjVk) zR@NKYK4)sZqF`qQ>xeSf{cNn1i@7C~_E!Q@UMSC}qq!c$I52QprrBY?lu`bMomIh& z+ak7`P9HNeqE2%(j3BEu4wp2%zcU``U->&qe`?v$lSaWr$9U zk!!;UOcmrZT1n_Hqw7V=NY)}(X@T|;+FzgWf3yQN= zJfyX5j=6kL1MWv1-CwI=rL#J2cC5z8y`v*vvcq+B1=KZLG%W zIgnYVU2Ttyym(S~G7M*s*h83~3pT_c=upG`dR>r<}Igu8BbL$7b*kfen%rN%Q66 zerD6;l;?r~lLlfA~g zdpLwcTE|7(6>-nhBEvc7L}h-Y-`hRc-xv?ZMJZoqctPbF=#GeB4{7Xyp_n+y6}Erz z%A5x1-}x<*knL4|J0f}IPnJE2*+oQbs7F^$A~K?*85K6eu+?w~o%{l^gNb^}5#$3^ z08{#3M#|Y!RDZEbMt0MXBZR4>jt0auup_AQfLso}#Hi|6f&xnrb&vG5EOd%>vE8-T zemin+P$7(?$`{w8>u)QX-X`_1b6STNi(U+A((q$lM-UeWv43#O>oPDZ)nWKwUWb{- z>(b@EAFyrQu}V3a)NxBzdJB$T(eNS~cSBCrb?m|Lzkd%V2VH%3b_+LWk{-XzP>vgn zZ5uAMQoedw$FpeTvq)fF<-a@t)^A&6hfV3RDaqrWA&AjievP4ZjES7uHDV{sRy%4+inw*soySBlW2q2SW4`rx$7=dT=r0=ktnP7iEPWyw2 z&gaT!8J{okX%}{-<_2zn`GuHCBM%hjvp5|C_s@TW#z6}kR-wS4T9NL%Su8%v(Dke< zIe!cTFOv5tRprqY4jZj(e^!5R9;3abG+eZmj6NAy^otd)Ht{Eh?Da zia215#kRqLdu7HxrH#{VsPLR>dPYc(Gv`q&D?XDkt2?TZvU=V}*jJ5&4fB8-;XR~z zH*h?zt{TCwo7Jdp1LUP3Z!+cB{f?~eeYC$j-cpY{K+CH~^X6hOkk0Fl+#|8Aa$ejY zn|Gqn<~;~t_l1)k`LdGyd52NQJXARkz4i+5H6X{;ZIq%86dAyh*-ke9m=RX?117_E zAII*kNb~x^7t4O8;P~nD(7bF}**vuIFmitrs$y5i8ten`wF+lR<@efyp7siO-?&Q3 z13we#B{kPuWq*t(8Waxp`}KWvN9!qruq;id zBU23-8I;d^f!mSJeVPZs%}?=9TE%Px(U?X)FV(x#vUD^Aje0kkFO#~GX~KEygjB9W zf|=dxNNCWubYaFhR7B*f`Wn71XSy&mK(B)!BDB%~IdmUbTZW2u8Q-znAjBH&o(j2n z0ze_sH_Q2bHO>8ug_fV!@pY);DSL_zkD~p<@ciP@3Qc^y-FD6VoDtF(V8RDpl4sMJ z`{6R{qdNA5X_pO;>!6iPaqalcU{|TDA0acH%Hj&t)Z(qc4%Wo)!mO@(HPu)?#1n|& zSISCbwC`%6?^oPJ5Pet0^-r^^du_5o8VP&Oc7aGDi*={_SIs~GFWMafeVN0BFNasQ zBmeL1Ugb3W=+St0A55l;5D?lcCF9^II5F43KGPXOgPYOwZf$?VW4!H*sOkevewp zj1$ix=H#q1v`Y${{Ff)e~OLJt>3kG(ZXRa);4He97o#p?)-zXGpT3tSX+RT40a~8qJOcwh4Ks}7(7a?X`VX~~EIdtXSV9`jHp>g(>$U{Z#kBUR7vLclzjN#P1rx|^(hRstj-&;wLn3HN8m zT})(|-}aVA6ub#^+{_W>J;rR;2i1?_Y|TrvpAVlEshrG>jbtA(dZ~bNI$#Qc7cdNX zGjGIDPHVg-C0+Y@COcX)aCRv&Bt^6P>2Njrwpc1Q+*aFuD;--Eea&A(@9mq*Lui>f zNEP@;f@4N#0_3HlNb^jk&f5fWDgJVbgK%!CT*jv8Ug}GYi3I)RGvoKT#WS=9f9IdA zG1U(#9EIsAD(6oc-Wo9&rg6d-JB|onXu25&Mu4!MDz`|dbC^Oq@3&WEdV8TtLn3W1 z(~Jo8RDg%nQB*%|PuWK}WeJnae~iIMcwaO`&I=#oi3Km~v=X?0g)7ve{7qQ+M3cxq z?QX})o0=4MErgD9Ya^BO@mT4mg1ZfBs<7|~62YCm0~d8PdsgLsxTYd1X3G%$hM66tfI`+#P;7H>gwMNx+}lUz?Q1;%=I z0IN18G706d5>BA3UA^pMXSVo_iZ zqzM_e;frORsnW_Lf59)?l`kn@3?;TPr6^NVin~O2q8KSH_Y!MPFf(6{3wg zlm^FzI4wF8sSlwnqcN2ANsU5NA%#Mmh)*=@)&Jji{=G;rg+Qh&@MyqEoy;G9Tnjq03DQOzX8q@t zLbd(Zo;%z!f1Kp{k6m?t-8*DZLms^QujlH-aEBU5o7zx2c|x`DXC(-sO8EQj{>PD7 z|9)f-@vlNV;miM4rs*F`|D)2J|8b%JI6Ldlv;Xai|8{nd%)c&vSA6h9e>~Ek1^nB? z{Z)YJ?xWvbXa4zMq3o}}i{QVC{{OtUyG3T*T}%H~H2Pm^lalEF3AM@3_pbXJWDpgc zFkwK$q)9bX?jW1od`P9+yHsX<_xl!^^|fCCh2nqv`=4Xg|MquN!?e(__Giy?+WxQg z_kTn@>B?mEV`QB$I=Vq2CW_J3lc$b#WLD3d>hJ}p_6ydHfmfQ2G5ie}2VkkR|9zPL zAGSex5ovPx1bjjKRur-3L7=4t_G9|neMG9-36?>gss1tNAN8xBO?c*PgGgXEZ^6#$`Wuf{+fLOb~(k&OsvN{S$!76?W&ANimaTPJgjg@l@d~AN)m3wPm@MK8_6#QGp)-dKzQR%qzl|$ zwyU5V_dt_|*Q-P!3+LlFwyR2TW>hVOn|2kS#!$52$|%Uk)6gVlBs^tKR;Kv@Jd%wA zA!TLcm={WX=!u04SIt7K$jZ7SmYnPyPh04b#Ecv#MAa+A%zQ`ZaZaIld#B(sv+#E5 z$enYuD^|)CE|+IH1U@23`DK0~Qb{>tpb{xEv#L0mBFkC)0aiFOnuL`$eRDBGrO)6(jR@qd!BEzYC3}>*9!HpK5 z>lC?^nN?|$tAv~!-%YH_$;^R(IF*>=!d>xHG^zB7CgkagqTz~JLgf^=9jVF(k13@* zF3kf8yL|Ix3c=a519t)Wtb#iep=Q12{2g#JS;ecd_aw?m2}&7A4;7u0naNZpg?YY# zs&nKxi=UK%K!wbV`~(aeq|CCHWhkR|JzgQa8!3X^E7Wp@=&Y)O3uY959eQq2bY+>_ zq^wZAPJ)3l-1KB?}n_U;n(T4?Nl_JBLp0^M_k3_Ndl`)POrGGUWU zFPAH1jRVqR)q15VOupo$_60pm(R!7MGO0}w(UJ01g^#pP&PgyunWB}=eUdG(XqWY} zH21S6#F%1Dj7gUkXVOQra>J^^1Lr45`uNxclhMQ_B+5>++9&IC@8guLcJ!Sw>Tr^- zBied=3ye{hTJDZf|3e}F;}|uP$?wNRb`DS(fWt~*B%{I^j1(GmcYvMh{0qCghC1FN zV^;nhA5gFQW9J_TWsur~(*9v9lmQu^cWYQa4C%4FMS*ev!EWRbWRgcCd6A{42a+dK zXeCBzaubSHU}KgZ#lpezmi5We7yzENXrwYlu?PduS`Hk9vyy?zHu=!R55tgNnVdWU zPBOvv9tf)xCO~=al?Ejqnivbk>2X%)UhDc@A<6y;5jQb7v)3KjKA_NjDYq`&39{Y2 z1CIIs@o@hr+vAv-*^kk83U{O;G9=t^DqPWt4JX&AkQx@i4Mb6}M8Kke1@PkjlsmxQ zb^d|eZ_1co{$1|TcX#Sle^gUQ?*F|N4m*UueeSN{6?eN9l4oZ2>ZJ!6!H$}moG??k zNd*XQfCX7#Xq5?@6wxvz zU@gHPAw#f9nGmLzfxy*(4w;#$m-j(w7z*4Cf0>ykxk(YL9-x9EBTS)+SA{<1gd91d zkAN$L%88Zd01%rgJhabx^U1$gm(o`V42pN^>n){jtb63e{IwsJ=pV6%I?NuAq*(hp;n4e}4!b>Svpb+5YeKqq=hp`uFIzS??MlN4tYoD#}&E<6xQeVgV0~x*D3V>ex{Jn|9dO?N1-o% zN5Opg1_0jORg+%YC7X}{;`jqm?LQ!=O@*Kobz(`gY*q-DtCO*;)0m`mhpaprQ`%o9 zoH4An(|%KRhwoTXRjaW9D1Aj_XeLYLDS`D^1+Z<#5bZI!%X!>syrFVJ#K*t}#VX&S zp1`xa{+*H)_rrbg4OEAfokYm$KZuYOQ^%4lzz0*dgf5C1D$z3r5ZExM8FPmb`PAPS zk*Nn2!8+y3XcqaC78%XL6EKZ+fTIwiM#jlXWs28RhamWaU5;O?HXR=&o!KYq91L^FDkDPjLep(Ph-Js^;&kU)8~qE_XQ1CZ6`0P|AI^ z2aJi->_8k+OqjMxl+uw3I8P`30<_hDaRtBOzr7#s50o~U zOy;m>?X}nX9bUjQm{9CSf%01V*rZ!HR$iWwi^#{&gi3#r`fO%!FLFE}tdwWtHE>1^ zV}Zz=oM4+wCUx#`)XU>gVA=uN1SU=W7=!Ru{z#Ph8ki8N))vI{Nu?>wk-F(Gt^HZQ~Ueht_9d zrSLw4CAmR*7i4m)+lZ7Z+~)3^o{sV^vX5wmyKq_28qCNI+?b;NIOSTF;6}hL!v@!0 zq{%5EVUx!q9F;SH^QXT_FBw$G2hfe734aC!+^*s#@WX2KYgNl|k7A6s1a%{Qz4dU3 zYr4L6EMfjEx`_wU&{$6Ww(Ycy%#H%E7mVdHA3sTpd~_TP!RngI3gSi}`VsTr4#t;X^rRR; zcyUf$1KXrE%(m3jRg+jp)E%F@yMhmMB@SuI!Hsmj#xjD$ld<{*{_2M2D@IFAsc*i& zc{LlYMXGgM@M{i(FbWe#Pezo35iz(1;|ggE1!p>P7Yub4ocnyWb$AtXKB7JVkH;)O zUTB*ZUf7{Dmg4S3)A7UJd5R{`LW|Sa?aj2^+N3fZ)7X{MK`>qsizs;2IYAGQB9Ooa08af*=OR~s)ov+|{c_yvm zd@!;iu^~GNDL)q3AVek|*WhzpHc6$q;xl^UcP&Bbn4~H#WGvYNCTS7eSm|W;C`1O( z02w6>Bqi7&CnXQh7>t-@G#+1f+~!8pX_HU(R>qSGdOvC73NnhYP?&KRnN6Y@_6f zxhD}BFRvtD<$d0MRdVA!wwdr~=5I5QXxrfvy_m(UpUD?MFnVX}4YC#H^O2uN=&j?3?4k_6MGsnBRAR)4rZ1a771TZOS zbam1U9gavDhvZIdPHarxKt$m~!WJEOok3uu;rbT2i@0HEnNu~iEk_n}nxXX*iB(jC z8Z__5Dc;?jp5L!$n17U4W8smDH0=ousT9>;>)Sl$BjI?7aWp-h4+ z9Q(#uAJXT%Ko+4%?3FNeCM6=uqm@vy==%DzV`6 zFb^C6Z3wUdyrBNs>ktQyU}Ay3GgL6Ov9gr#mCP?1Bqz|q!V!Q%FEEih$#|J&2#EQU ztrr-l_5Be1G>`@ale~t6NG&vrCeg@*qbXrX2JawYs4ZkQB6}p|W1rl_$ZnDi z+8i0tU@`@+j&31ecy*tXUdG|Ju_VK{fr*f(G{-HwY= z1|hKBxpXjTAfn|$KETrs%Zw=4g(pZgn(S2dwqs7$T{ai!3PDED1jr7aDViwPn9 zYr!wQwiF_eYVj_x^#s+1ZY4=PFF8#Q?T>gz^rVbW(?e2G0iv5YnqL{h zH|Y3{A^3*xMNf%oyPp5Tn6zDQx*Vc~{oya6o5a7Q(+8c&@e+7&rsyG_mMQz#B|M!D zlc2dYgs%(L7DD@Fm(l1eE3d2p{a$<-sp6^-WeTgIN(R1n}A>^!P zmfxXkI*oG0olN6Bq>aqd##?ImOv%RM-!+y%j^9`xsHlY_=+ewCO0$h#S5jlKNyD(egm@z1K=3Cq7Kmx}{<1Q4^2OKpRT=MeRl3UXZ0GBuE!-LvN@bWI z&i?9k<-C3)gc%Ee*rUTi8$Uq)*7z$VqZF&W(51m&THn*2SVU%?;D{GS-(Z#R#q@DK zsWG?e>1I08)7#;OmxCl&DraON@9wqXo$jDb)(W}~yWwTr&j2(6n9UvlI1kJGc;jB% zv*~l0Xm=UOmqNX(WCPO=jb#@^sDI$39R@Y5r>C!b2LGMjSHVnVerNgG>jdq!;eUrPFqMLp{ZD~hK2|OrEiTE4g*evG#j7GzKx_o zWFP)p3X^XrgK`0DR$zWV3de!Nn|w6mLsZb0n`!-9CIfLk9srQbQhb6$j{g}ax8c>y zLDgr#Lxo*nZIy>K_aJ+<+%&es5GaB>3n>bjC0NZbNF3J`hX-^H^Yj91NW2kj6IV9B zdTAy)+4&bLx%50+#zf44_HMnu_QreqYG0s&w@`Jc5shFU(ni!&TFNRb=at{Z8!36| z&lK}SBVOeFL}T%Z4OIEX=r5k*uZbs7&g%jh#_ypKvwh`$OJ$un(%8SIw6Y$Wjde8^ z_~pbtaTFuY73gq<)s*_#bS;eJLRLpR9xx9wva1CY;75t5QmhZbuGX7|x*BM}n8QR( zphCPZ1S2pMkcY8?fQRZ!eSvB+ub2^?}MAl z!(}NLY4LozDg~Ghvr{4v&>m={=Z0AmCh*FWDgX>$kg8~|v`VOEBsCl}VL~=3t*aN0 z(Bvds?D?@dpRm@8dQ!5l7FJ26v_H&_DZ>#d_N9|-;XY-?`dOF}Omr_9)X3A>(iU=< zrmCMsElfgWk>`0~rBsL)lU1%4L2)Q$IViIrQUJVbGKY*3O5KCOiKssBDy};UFfZP5 z9ZMbGyLjaHNW8sKmeQ~erx)cDPI%UKgsr5G1OUWlL?UT=h6&BeM}mawQh=K}8uTS4 z0lO3zA(WM5(&(Ds1LP%0zEY8p+*t2kf{mFa7*IedkW#0jfb%Qa5ufrdl9Q-~EEjj_ zZI9Ctcmrd}1`f7NZVQo2U*RQUHvKAt-&Jx?Sebo97YlzUtq>HiJ_AC^#c!H@GS@at zH6ZqG)_FnS{)M%ljr5b)&ZBYylg`f5n|@+izjK!98O3$0S7!mN8wX=fO-AC)5LqF2 zkB7O`5AkaWs6ysZQ>~W7+j2>D;&QQ0OJ38e+k3b&@lK7IPiGCVz$~vZy%|c%d~YKk z-oOttUmoZ&8fxkwQMMf?_87~o%Hjric6` zoquY@JqE=E4~vJ{AYL$t1GOika2Wv1zKH7f6S0(3cFooVs_~UzmRvJ0uxXI;u=ur1 z?y(dHYUWqg1Zo4OvS{&js;Ty|{lf4NRN*+Bqq7|`LOvT?Rwka;@<+97d?<5TTZfIngY5XEMg$_9?sVAIa}Fh!!%_Lko&1m znW{qB^C6~~P=9;tFW9&#xw*pAl=+y6e@CDuYFBS)tXtUZ$ROBV{aDNN&*4FTQ(B)f z4N0c#smM84%ov2^NO>>`0aZ!5j;^9|(!$XEr25uB*NM_}Hk|a)K9TsK`!&<** z$pSo<%NM58LGlRhE2SsiNmA9>NJz!zf^qW0IE;P6#H>=IY>)wYXlRKKz?YyCLF(ma zsFxe(Sm-a2AChtsega;HfjMYYufxzT^j$U~8~Yv$Yn8HE_FF+X+cW~zv^E$^eZ?04 zf=;V-Lu}J)Ywv9w-1G#0#me>!ZT+mZ6^FNfcI~p~wCS&K{utXhg4j&&_G6;>Juyj9 zsAczcQv`2{ure{+VmQbv3n^ z*ZAr?eXz<>5>dSJusK#VEd(wuzbB&n9h4{6Tqsa}JH-4~;;tFG{iyCj39q`I;^ zq4Kg@*^6@ces;0K#$I49eZ~K(rC+f3^t*ooPw7~YxrSm~I2jDg}9amQ5 z97G>y}T!qf zw2KDg)nu}1w+TvvHMQ&zyY1yBd)}}&(_@jBc$tIyA2bPj?BzPoGn!JLa{bansQN;PD2 zo`L&%d+$+h@lPf4H=>YFd7Mvmw4CA7DDsQ<@ZK2~AFSdlX2DhAzmM{s65TqQBU+8( z+KB5hMn1-vaOkg_noT#Evw`<;hsYZp&5Fo|@vwe5pfsIOeLdC|HTUsd*F!|B^nL_| zm?LjG^f|E${N?%Vvn)G1$u}wQ9o)t*(1CJie7WLpC*fen&>xb#*$s`7=y0;HCjLna zw6@PR6+SlJ;eQsDvoGni5N2o&B<0p#PCOmrUJjpViGzdnmH43m;jiHhT3;RV@dvf- zn~8_-6C#RH>hq{`oI}o8#JcrNC#v@>GC=J>oxwlAoxJLOJLzgKG>(h%ya&1o{8`3z z5h-1c=A2sd2tC`YudS&0JFrVOtrLPP_u^`Q4V&U>YUp|kRfz8yZ1aUvjYD~Nbi{0b zbuC!Pv~w0~`9 z%)e;UpTY6$dM&xvt8cX@^!$X2md<$&CT>LWUR*wzEl)6yg!Pq@#V({`dU)gAZ8P;X zQ0`&-hMEg?IC)KV?RZ>u_a?_Xv!dpg!BbYF9#rF{%bPr-I%<%r-t5iq zms7ssOmUI6E$k;DbcSub_#;P_0L`9+LoCGUj1Sx*%3AK?KQyR+o3Xv?s$P8&BYr^& zn-!Kgnsw>enKJ)XbmNg=8d(EbL5~pecO$=y#rf77Jo_S_8;(-?A!kE~l!!q(QFf6K z+=1VecG2*{k;t?oM0%P{2qXJ4O^9SeN+7%q3^&Ld_JZIEEHTHJ-j>0$`vu3Bz82s8 zPz6q6Hh48yVGL3ysX;F{eJsAHcU=P`T{f4I!b!0tNh4)Rd7SVZNKf~n=wPj*n zDj^$51lHO6ve-)Alq*PxJtN#bgGN9;d4@MXn?{W|yK$+vmCm7(bPCtk^<@|9q=7gR zFC)Y{Q%3&gcZu1RjFO-(0J1uyBjY@_nS=ypdt*rBqNDj$w-Uc_9!=vWnumr+%}QBr zBEsh(MD>L_#B`tB^>l$>l~Bqa#6>nA1>JPo7khDGa4Byypa$DC97?Z{Ws9Fh%7gL% zeGx=@ev>`k!g5m(d4GHg;;nAAoe)qyXnTtrWPPElBtwws{&w1>N%(@c>a|>-=oiW%= zT0Cv|J&kIqKCO3XGvCvTe}`z|YsH%ko(ill=M=^|k&-{bx}4txt>5Cxx>>cb1ol<5#y5W|K1#hw zT8nQMj%$q9mj{ZA*%JfR7ANv0Zu8BBdh!!GeryQHOA(ee8rV#V)W0@5)Qt|5$9kNO zXhmNTU{_G{{d)G4-cVTy`l4bPXMaWOoXz=V*Ai;eK!#ghDktSZ$%L$Q{%K++s&XVN zFoJ;@morbv<->JB@!si8+ilstd%<~`#OjEHkUduK5c_{;CRVo*~&JxJ}+(v$)u zEF}>MaY>)|QYO1T8iIfE_CN6pQx3i)Fl4w)p^QFEhWY-Yp@JE&M0a0wH;xAdqk3{9 z*75wLPrW^I?#F}FHN6_2y}W>xw8H0D#7+F8{h`3{S(G7YPV{9S<^4*&t_P9S77UG? z1&#)eZ%j(!k^33aNBGs&n>r!MdNcw%g`;e~PDsKgn@`Clj1UQY+&PC9qB-_g8JwGq zb>@sXobReb><}G)G)x-D50$V1Xwvu(pw&9E@kBhJX((lr4kFly%yqaHII)_aGap3gRfE@rjt%iN@g*}plq#Gw4CwIn2%%8ZwXa*^WD zFk1#+9A;V~`KF$v-uH7K4{v{geU&$786eO2nsb_>l{xGqhQ?;`X6&|U=~}SqV~Z2n zvtg)A>?fdVen+@DHr=GqYmb|^CZ7Hr#Y56fu8J{|b!tXn8MHYnYy7r?PUh9y{SxwvoJNUa4jet$Y#)%z^$4xUt*1S1|rquHoI?79$*zrjje z=4>PTuof!hf!Xsa*o$F!A}K|dj3!ZeOh0>GS%Y;XtW6By!&Fl$F3=ikYW?%)rdBY}Y9W-F4-dxloZky7 zj(*Mb7c6Ak$wp<>+A~T5S(UO3)2G-4&H}5cN%TCzECLk^B9JlUt->*Ax(kt~Qe4P^ zStIrKp+#~N-3dZn%HK(&dXNiR^)Rvzb9o{+ZSqy~Uq$dMLunN9nx4s}OE|Wr$-RW8 zNTEoQ9ayD#2sPLY>*2BSZm^R!HbdCNfjGieieoG5&Z=SnQSD*R&qeE=6m(wus?@{Xq! zT7ZtBKp9Dgl%s$RbLYN-a48rTPbLF1ry?AiG!>CfbUvvO(;pUnL-Jfpa9(^84K3=+ znCl)TekqjB%sX#gL9vZKY8|Iz-_V035>5vWynoP%dGNseK=D{u=p>m*!e{a)%u_O- zH#6~BW&ju3HF)dQTm!;~wIc%+uBINOg?p!EXXlZmcX~1{AQ?U}_Xq5^U_}Xmh3h`` zy&gh9?l2v&b3A#EF66?5BsMB!)^>zzNSFINJecMRVdQX<9paJaTlgc z5)7uU2;1jYG{p2x2=_{3L&NHX*Mv%H7DDshM>)=#!DQO<-H7JoZAf&mby|?zoVxNiIYkcmVkvtDYB3;M2OwmYKdr8bG2`1|Yl?sr-x~yi?IY3;|QH;*2rKHiRt2 zX(=!^W@}U{`=GM?f6S@ecT8-%_1FmTzzmXfsi-oqqIVPp7e)V_@T^5u&84f4=Imp-_9_B;qKSTWGU3YL<(h|yx812&2?9A zW(+il#}-J`1$EMXTxd!>O338Q%o=DLtl=MKt<90}hTOTF6oKp{U7A#l$-INd-ScaS-i}Wd8>Tenxn*IqHu>L_?z8a0l z@1!m92f}*~$h_#CfGS|9jL@pRde{$ym`3H9%R)`Jn5N~8&zdt0p3h+ZSF0i-iv2aS zs{^yx);v^W+7fOar=unGBa)535i3~!G7l~VsD?H5;a7z7siExgSkv;@St|{2j}7yo zzg^6Zw~Jha?HP!{Sst4P96mIvlm*U^ZsKgrncIf0y zR_(aTa{K{bkPMAHyGZ#)JJcQcUj6yUlA+4MOzABNX0jU#blYW^qQL8{^vW-TjgWB+PS&#y< zaOpOlnvn^^B*TO7T%6XW<>uL*uw?^3scDM9@Q;Rb?7k~pDE8YELTy{^t6gOH+M9GZ z+~VPI?~@TV{9E7^{Bc!6Cx(FF;Tq+qLc}})Lmv1>K%sP&c2 zt6}X4`trKjrA-&up(+o8JT=}3{!=F`p{&0;lwrb0bmKBsr*)DX{-;4#pE8vw%n`PUVLQg`fH({ZT(Gaew!Zd+UZE{ILdbPv*s#d zPn8`zROHp1pOro+-d*9eB(t?3;3N^Z`C30E)pIp4&FGsyA4-hQ2b0-*$J5D5JpYZy zec77L@W*KQ67ANM)ShBa6q1fyECXT;mXPYT| z!4B&>KszMz$zGgDi==@9tjsb7qH7yYY>;I!lVB58x6{gps(%)x>mMExskT~1kQYjB%%-j%I zp3rs}rQFxp;1!u)pm&{uDqzC9jYrZ*c@D_O^b02+kUaDA%+&^43(Vx%8dWhRn%OHl z=O#1%rz5Wlss#D{FJA?(A_Mzpf(s^-Vu@!Th+{LNtgps#>62cPOJHJNf>^f#op2NT zs*PvEa5fE-d=QEyACX+!d$38 z{oM4c6->1W6l9Ea{-NuwL>!>UvUqg3dZ0(%5a&IS*hTI)AK-8@E`VUom#;}$1S=Dg zOfqdgVTJOYI6?#oX2oLDar4L|oFtXu#Ts>dx!HLzH)S)<*`2f=GI?rtyqbG4wY4{Q zsy%~!UhA7gSF2Md;k#fO&4-@t(K=e5*b9I+6P#nMv`lv6mxTeC$=!#@Bsd+sKJcaV z6I6(<>y>q)jUzSo$Z+?P21Oc0<_g2*$B2}&6oI+fVc$;wN@$FH^n0VnKtca{#+fqyme1{k%YNjkutXz7jwt>=K!%Yx`@W99Y4MzKN3xHyPLv8EkZlaC-IlLaFC%MSyvJJi`pIF$MutILzvUk) zp5pjy-dqytybTMC@gvdNcU<5WC55v;g~-|Y4;BR9;Kp~NgF&(7Xtx+dBKh%{U zb+(2xeATy2i(5B)t|`f2z_uoElW$}kQE~^PWUe!TO`oMVzNTz}2`4w{14QoS`y}RW zizaf)vWYmy_9NZp{R8{uR>dTkp=!eX9h``6kb|UE?TO`fF1+z8M6W%_mQq(9bo+I! zKbdASl;al<04GB0u{lB{b`%Y7o9w^)#K%HECA$-haDCfp48A*Y0$~E8bF-6<@3d2w z;Kk$BHF@}gG!pq#V?H-9kA}-9kZ~Bub_SRedp-dJ{H7xJ*H(x5RXrcqy%u@+jtwKeP$yqFLLE71~hE+tzoy?1%{CDXc2qt@R8 zEl@KH-er#&U5T0AF}TX{5dQ*2bJ#tCcs5dOqplxD<_Tn{ZFR6U^w&UCefbRQXZ3!6 zZH;M=eBCUYwrX)@&O46DVv0x>qgm!Z1D--9#V%2G8b*Hh%#2*STT>rki;~!1+^=tO ztMA#ZUsBsM-ovP}EvIo3vaso1&ot$#@amDdG-XCl{}cEJa+@q*Z)Mrv&sW~{c&d`{ z{LXP~yjC1Dh=loPdy2`3bzhA_AXyN{^AYw&5jZt$ii|uN_C5Bt<>qmrbTG%VZY`6B zMwq!uY866pA8=w6jC7_DO8y4by-c-X3(O)9i%;krVoEKgf^)KtTsPJ0aIWW3*VI0Z ze`MT^+7H}#jaHK9$2$<-b7wU*pWK(yhR7*0a_y7+7KME&mefKzzl}Xb4Qw zrEFK%h4Oki8{m;1MB~sKrgJ)e_(11E1K&Z}AB;q@mQx{|m34v$YU)4ha5#Rau`kX5 zp+ob#CdO)7G96$^_N!FNHT@7SKU5Kg_)|QtVg?CYG9<9PLrlE1n0!*+;#ek)5GQF9 z7b|ty#dumr(j0-#ot}t1-vLiXv3Z{p-{Nfvu8pWKFfT~o zjGx9`Fp*+?a-nh%KuCjC7cv>3819%0YDzHI1Yx?7jvQLZRj?oP?DlZ;=m_?@lsN$9 zEMkTT=fuNF-ef3HkFs^8Jb{HoJeB(f>%qGMKSHkA|Im}k+X@hKk`4z_9oNJNCQTTHZR2wggoM61PvlBH(_?HQv>)C>Lz!&2VOTWR z%yex>#0?^GxPiRg`YE1nTb^+b(x~ROKiJhp$)WrZAt%(cEV;gMGQ;~cxEsK=AxFNObE`(wu|R$^Jyn^^B{|QhxOcj0ktc$E+X%J#lU; zlGfrkGhrnq&=mBN9ZI?O+&A^kbbZ_3DX)icp>&K8nqYSu7=!aZk)0j}np7U=?hr1l z@w@UgbDwbXh59kDa+1b}GApd>T|T$EQqL|7VUzWw0t!F<)FPxrD$i$+!&p@B#@NYJ zls`cp1$W&#wJ%~~$3NvDD<@Y%E(j`vlfi5%9G>`18T(Mv0{+=arWe?R>kOOMVD1QI zo`IuDS3^ucRW^=C9`X@_9xsNfiB#ro>KdTZVj?xwmKtiK1 zx#&qAv~fNKKQc1e`c5k7pNJlqA%*?2W1?s;4$ZK7s554XEN3S5-Z z(j$F)+8=OtC2gvcO7rsP<{|UP6wE*6hg~BP`>PJO*>^Ee1j-_^oB`4IePsQV;Xue) z;Mq+Ktg7*+AiRPlcHsn4opcM~dx$FRu^v#&m1D>QwjtRuh&)RosGZEhu{4xKi|2Jh z;I&e(|x0#QjZ4 zVh_Ex#9vQhnQ8pJI#b_1t;g6GBADA}OD`Au-teBpRD4OXaqN-^^H51VBPoMGRCkJJ zFdpRnj(x??UdYx1_qlI4mNid@4gEyb#6*%sce4+ zRLX6?QQmjfzrI<@7?R+7nwqe~_ROXMmoD;8*s8t?+H-xMRI1A}Ipq-Lv};JnwXY#2 zglp|NG~md&34KJ@2#vp13MFf#(DJ{`A4tr!wNcDSc!E|#t&)G8(;Y6rodXDx0lME+EzrLK@IHK5Eu3CFz+`}S5EM&+ zV+G&S^FLRp`)UU-PWSgfHz>#~2mq7nzrPSZ0DB7_ z>_2Ze0Ll@**#aQM;CTnxK=J>4zMG=Z-6-A`9@a`OLu!jU^;jgfCcaeg}+1*Bhv&<<0m~pv3cm_ehX3d=o1lOvYqjcv^!(SD_ z@3`|)_tgq+8{AFz<@~R=x=%KEBmZ^R?u^9$x)}d>f|So&CFzito+<{QtRH@!jwJ z+hFhB1(3RCTmHeZ)^>04Kai|2C|Il9)EYf zIk@E=knEig1Q~0=QToql?jFehIywla|KXYce|hH5Y+e6v+A_W1epOaC+@X3t@{LAZ z_7%3jxO{yN`;*TB*)s{n{U@mZC#ZJ^!2bmG{{;2_CxZI_N-KZr6)b!{WR&np?`}H( z24AfN(SIDwg8wa4*gcH9x#X$>g^Q?v(aDKjwjmMJ8@svV9s@AMRkLbB!jRw#Bm*4f z(loPubOMtGB_1ISn*d(DgQn?$u_H6ngUlVtx^h}jDNssLf16L<7<3JEU$B$MLY#6QdZ|GMM$^IB1J`s^x zRqdNK3ug2Zu+K+7CI zNMcyh~gLVa9Ak?>`m zfu?IzBLk~jfW+L3VwebeuP}s^`5Brhyg@^$g{~$k0Lca=e9oZa5O6Va}owFa=6S4%W zFj`p4IFW;K(oiW*s-HGL_Zvjw=smIn#V#2S)>m#H$0g6;c%jea2&_y=e2g2YZbbBB z|8GGKb@Th6M9{9R?eF=*(4ChyEfr#Mc#!&6+dNGOhvsba(QXFwq{EHt?@$eSoZPKi z&}QIb;cj>5@~**Ps+j>l#KzlepCY4ivA|tgh>L+^shJnpH;r3EKf<%&cBj$Vt*-(& z(AUM$xYj{xF~ZlidJvLIOHAXEm{CFYk)2Dy_6|lr3);EaQ+nPQ3#C4QgR7RjO#j=H zHdGxYG2q%Xt(gowREGOX9un&xP3?yqc-NuZG>ThBqUtiar8K6XVSEf!8@+{W0VRnZ z`NVe}qiFbK5FZv2dgC0Ns+4s-r<}w^oYbCX&Y+x#`#HV_IqCki;)EV5WWwLzWaWqo zybTyF?r#z$>`3;2?k51!a{C~hs!>Ck*MPSYsPRgkx~jYHFkZ>KL8>eNvKBw{)5;i6!^LlTbrN4Kaz&&F0J_ko$X!s8-(@jbiD5AeRe!EDR&PhNw+8yXS*T~ zzj2O<&IKk^Mb%j*wyu!K1veR4$f_DkY*pvTBlrqbe+CMBa9?#dVxmv)guye5obvxd zP2L{R#0mon?t`v+O z4WJ+^`71hnU&V&oULje@~!}=SMvZI%cYZ_*p2ib?qyvI+3I`4 zIz~@tdkzX=(n8;ZLO3}N06d^uw+Jyfm57-IC~z1LxwVKm8nsn7g$$)wK0+4aLWp)w z13W1HT5?kEtL(??z?KC~!5mG#mh#;dC6nd+i8( zgxoH;)S6c}G|15wBSV}^soAEJ!qg?b*@5)*RCWS2rRq<_dtOY`DJI;^eUF>Hp~}OY z&CwV01ux}Tm}LJLoNQZ%zez9jbSg$U4EM$1xhs2+%#cZH}cPG z3x7l;$5xL=a3y#bG0`P-0y#JBgPi3)qbvkcea5=KXjtx_J({rZS$U{;sdb$GbUu`k zj8Lpe!}q{&P9}oS!3lxqT6K431AzKHpz*5^3Ivjm?N#+Sjo7guAEeuSi?~$cG;QNJ zW8JsVt$+~Uw4F2h7N`8ygZ-R!tl%@Xv%bSP&US)5u4`Q4X>=U%EF*`_Asm3;_p%jy z)lbAv@@O4AWGNvus%W~a8YxCxO=CQ_fV*J3=n@dF#1glo^_P85Dj^;l$e!&uky`K> zohCHedr`c{{D6T;$J^+uloO_@U~Bpt!V!|2%&R+yql9{FbI(m2i>-?W;I*B1?R$U( zWJ3|dSd<82lw-X2dB)2z#HbBHh%+jqeC2Wy?LYsJ%*8RN@(2Jgc!%rHk4UU7CR z@>7K~bnO5@zl#`Bnh>tQF9-vnmP(AinarR-l4lUZ;TS5&mv9agP=ldyy4kHGDW=y9 zoRQ|@RBMNpi)}Qhn^3a>Z{gByb8swxoXOS9LWFlV)(U-X-({vFA}V$vu6?NT1mM_q zqRRYF5iWrzARjx)gZOUlIhvYZh)laVE+biq!Fz*Q&FT}|4hA^4RxLL#htIpF;+q8>cO{2E7032z60 z#ixu=%1$O$zl~bQaqTeJmeBz48AjLT(pjE0H>P+Ra(4R$aANcKVAV)PKv;?)9Oi}D zZO`Bo0E5jYB95!-1?nsRBr-t^W^Lxto)AGC(j0bbXzO&f0C|@Ac0n^qa4h<&>0>;4 zt3G&_cEDiY(L54*_-ReA`EFV-(6t)`4yQrC+Ft&nn93G3U7iST*E@AeXTj%r20Suw zOA$N{nikA91eiR(SB#2Z?LrQ}B0{O!wi9G^Y++T~_-Z#CxHAS%kmN1lO!gAa^BB@GQdi)6F;~utc5PBj+u+1cPxLTqLmlt#zI3N&6_r zp*di?iQ|eE1={fOX@_tzU5(@Gyfof38KSro?*^M;Zy)t-lyeq8B+rA0`&PjQMZz|i zGiKW|@GNzi0VcayoJbGiI8_DU1AbHZnTFw1&T(~St`^f0oFRNdGXQjbLb``r13=Qg z_)|_)_Trtu2(*Lo9Ve0-u!}o6<)OsL=4#Ayv4LZlmt%r+(8!jlI5&BfEYNR!Uv&@T zeOw++gOsxli;kh5D7Rk<#}9G|4nEU?=yIt2v0vEs?52Pv7+%pvV8DkoI?kjVEpSLXFpWvwp0A{1L-25cNWa0!80T?OL zo(n%BfMcA~Gj}=4me8S!&SZ0v7Oz_Wqqzr+@Q!w@@NU+gq*Y8+gUQR_<;c;$l+Wt= z<13EO@Kw%%MP)J0U%T7;IsQDDC_rQ##=$>q%XwKYUmtA7TUC?V|@sRPZeDu{OPOw zP@Od8{5Q&BIGA$$gEuMf3;qik3odI5X(Iam+A%oTjpXBZi?~|BtrcK8BcPI<-)8j zHjb-Uj?4$68s8B1v4lz5hkR~m+MHo0GW=+POS26V(mQP2VyhP{JaV5#RRzS7IUF7` z_da|t-b!yMtGQ)dh2(*?O_%SM`K3_oabM#Gl21;*<(`XgLN~(yC#1msAwG-hMD68` zuc@UP-zGfd=y>XAJbq*I?N=aFJV-_EwS6i6*kp>QC_C9TA<8bVYW~=Oe{oMH$u<+s zJ^L0(O>R{N=iaR$Hw%t}LF5?a!Mb$yilZP5E9SEXmjXl@vJQ-3hS6>GX?lh7bsBI( zm(Jlg)^7tp#^1SSCMPl4^|e9DVeFTlR3_6<_f#|1O5w^AwtDl9SSB)eAv`{ea35i% z*rFpO!u=86V{K>Gf+d466QH+ib3h5~oFki#?>GkA3?p&2RqFk{ac1k}&IB$w<029k z;bhjJR|YD(8vDbXYuzCGPD}HxUe-F*DLAAssh{BYjO0Eeh1f(tYrCGgzUK+v^ZcSl zWq)8AI~~|RTKu%~Gepa{z`o3I)E-j6$OjX_u*P(uj~toZf!D9b&Amo$Y$xJo~KxpnD^P)p|h5uTmPn#1A>AD`H{vuRa$|5?X3dUh>ui5y&g z<-^WhD;|iJ@6&LuWh1yg!yk+(*uN|%EG&Q9&}OS&x86BkoZ7k0`N{b7jn=`E6@xYW)vio<6W*bo7vW?~B655${?uoAfQo z%i`AV?7b?&UHy}`Fec}rxT5{F^r20oHjCw-pUGJk%Wfaq#Jg7-cNgwqZOONKuHQIr zulnSyvu~d5JF#Qp@y*^R9@#hL`Rc15bv?16U*Rz`3VHVawf)B~vg>A;+Kcjj!#-naSCybt#WK7M`Qmgg!zJGU%s(3+{qHTT@Vb?nYq&eE?|N+RUx6j2TNmOAAI#mSw+pe4=Q!t;Y@Ga+{_NhDvVTma zSM6^-0?w>Qo%(s>_br-oc!9g-^=~IU(>dL>ZdplSr{8z_elGRrnWOgmPrkHtko(E! zHy6M1Xx+=9*ESrS`@#NOza1=pc~8X?DTbdPxjM9V-Kpe|!Yi{M*wyga{)3OHPrdKk z{M+%ZtDcrF9$E1H=O>@2?>FeBMSuRa58XB9{g<=Ifil`_e$3)qniTJ*?0IQ-{nUf8 zPyKMl(7MlmlD?Yr{WCGIsbRyMhxU&!D6gEE=>6!FF=D~+AVoEZH@}HBbp43vAwQqFR5Oqd)a|k+z-)dx@bL&aXKUH-Z>2nQaO4LWV`Ac+?d#iO zq_^wS`C|t+JrkYoUsIa8`~0VYPfu<2)PMhJ=Zf$l+g@Di;`g|!7WfP!9?H4gw14>H z_n4pW^J-(j9?_oM=c{*ijsAXG`l?&s?X%DOe)|5?ySTXGKYLW4XAjv=Eq&zQ+A*Mj z1R8Ci+<2!U^XyqH{#0oH><8$_eDnW~jE=@=l&eCLM zNxUX{H%X1i+6$k}%>vebF05Yk`YdCQ5Ta;dci4+0kYV$o-9ntS0gxs$kisP5-n8%F z;Aif9LGUNCuWSDIE8NRhQB&`)zH@!wB;r>+?aP+`ANIaHzKP=R|1&w-Y?|G6Lbqf? z6Ozyd63EisHrpo9(A2ijLR%VXp@mk0luHV<916%$6hx5wP);cdA}Wdk3Mf($6u*Fg zqJV$`qM~xCs3_LoC*}C+^YwXNzvuraknU!W*_rvw%+7p{_j@UtyQbq+|4_bvtiw@! zj~+bNT!$GNavMas88?$A_u%s6~t^7~|0B4%zl?(QZA=CEl2Os$Di_hx=c#Ec)sM*#DNhVCbA$!K<0{3|uB z@JaNbZs5X!&Ij1d% z$o($tb4gD1s9RE>t4lZ(tRgdEwyPqZhT#K6O|_R01EV`no(&wA0WE;16|@s9Ecjw#be-LTzqoukFi%j zByv`llrC3e@n07kiHYo_FdY-w-Cb^~Z|;d_vq*+5`p4K5#1Dp+w3A^^m)&t}Pjtao z$C4yu2vxoGDXi?CfCUfA5O@N)e8RZ#z({Qj|F-8`=2H~su? zsN`KQY978#c-73Sg?1{0E%{0NU(~*Cn6yM8m9&f6_DoKkFWzbnr#$(CZr>p zLo*>3WUy_tYf1PHD^{*XO2M#MOV`_^SlyaQu`c`*DVFD@|A7?Cb^aenv4T?I5O%m` zQY`v35^TFFvkGS!B1SZOSA|#Et+%XYX1NldkV@X7dGa?T zcs#Dz%!a{~!MVKI{+S`-=T=@7oW-|RUV~ueE#TyP3G@}WX~$0qXzT9QpdDdQjiTAtp2TmrvTEGryy8Nzwj)g<00KU6LrwimE@VhT-rtW zY;88MJB9wi9F3w~cIfYBwwms@@RNOS1xxF16t#!i!u$`ykoY|LU6qVW8)dQxb0%8OM`ZWF(A-+)rQn{twGqta;3CEm z{J`&k@xLf8f>KAafZ)GbW z>@i3sPNws?Zy=abf0h&puZjD?r4nC^@~)cxlOIvAM`rt=WFUC?AYS?t(*YSZcUs2K zPQt^GPCC^e_fLhYN08ZeXd591ybD&`m<$;hb#yPg&^rN%{<1<(fSjvoNFh0yC8+ev zepaiIZ0ma=hj4=*!j~rJA(ctQAm^T{%j>D}tr8FGN}ja5EVx{{u>(t7N zS!ZeQZqN8VP_m`W^KT4h{;}Zeb}%p1XK#tNB#N!n3mhc9>UCJqmLyqT5ti}O1IZdb zgfS&c9Q57E=rcXHcA@`Kp!ZA?Kq@~}U07?R?TbFZ66F6&!PRc{*`G8+;NsKPqq@Al zs)*?@L1JKldwq;@p5a3m`tp+eQB)ju>)!}7JYwK0@aiM2OhD9_;OEVj!*E|2RKaI% z0U`_XThZJ>h6?5=#uXhbLVEIx5PXuFtpgb*EqKNnkI_w#n?TJ7k{axbn|gh4nf5 zecp0NEF*w4e%kTA;5;Zbn^|jBtn4QCSE(S!YUL7;$ElzaWp)|tTOuaPfRo7Q4B|#q z@)}AOLq^R(`50UB1<2TOXu42R`2wVsZ>z4NO9KuSi^yeTkqNJKVz4DE$Z-ZKg@&DK#X6(3dMs9lXmMSClBp4mf-L)WqQAz3Lipw0`t zg&!_oQDHoKUPq97sAfG1lX2e$@&Yi|#Y;~}FHnWsh}b^zQ$*^Pd%5vLn&sON85h62 zF(j~xOha>M@ybGbE?G`JS{YiQYK zn0`RW&0HZLhb70+G-)nyLrKwz%D^R+{1K@g%-xJd=!zz>9FkibAJQ{NvH$!-@|0CAbt-8nAWi*5Nuw=`%(cr@vsp)@k!#V0tn1D3K zOy9cB!1m;mysu0@7G!8|^Cvon{8oXS11df&CdDrN6-K-XbU>KGaPxfjTDxmQn7zTA z+cs!px}N=-NeoVKylHkVWQ5>Lj&h11T)}S1?^`>xDk1bE=VZNa2klUJA0c!I-Tz1F z^&5Of;bex4L!$1U-1D5lmX+ogaxogh5HUzMoJHJ6WcKaN*%CCR>WkN`pXp^AxpVG3hM>MgvvWG>SR6mf+PyzWWVxmNF9 zp|k7?P8CX(Sy0ag+tbs{ej41@@g;5~u7*nCFxs+C9I4*Q@4+4UMMx;3bYlJ~eCAbo zB1orlU-6b<*quBBuyp)_$nJv3?)34s358iWU0G9AgG8>?ZTN>u5~cD@jpV|gd_lo% zsM-s{?EKCrCjsqxHVbB7$~wE!DYQhCVfj*=`4OGP?Re8+6phB^4$<2(+|%C=c$phV zvn4=S2no1~7&L4uh(wLjj4jHd<-{!13;wOVAOeORl=ex0%SKOo7a2V3eFPX0O8TvWtUjEa1M{ zI{2y8sTV_#{5`hYH4torn_f}D`>0^m>zEzEXY3z|Gr$wEcVK6Q+_zJ?iHiPo!DcXoPfMp1>2?xiKZrTJiMXdBj2e%a9+I1cTucE_? zzbC0q5!!Mea_)7k@kayBlnM{H(x?9I^b!Zkgm+|^=5h4K(SOQ8w zo$x0^ekN~P6nY&?_PBTminQvADUg>B2-aU#0QHN=66RV+#_@<*HmxUEJ2UoDc;et# zw7B;(s+fx}apim~e2bJ|4j zZ{qu^#v>%`u~^! zI{OfE!!pYmh-CthT6jVDjoTL^l(5&1d;v=7=8I2jWWQJm=H5E$aqn;!4T6&2ty!&v zbY_LP2(nwi^j`cgflq*2-jd0cHv_HHo)5pz2mL!h$P)Bb1;||=cn_xef&EzM18M%Y zx*6FZr3yLj5}mz`=6zklH*u9J&rw%v{|1#O8b`s;t&?I48dcVAZN!ez;bFWW4sEHN zNrV*k_Y-aKCHgxv0sq>ZO;+we3|}F?1NCj`Xyu`pU=uZ)eR}4;YMFgIyIM_6=oS`! z${NqhlfkIc;hQ`_>|Mf>ETPc$Hr9TL;_>)|d9lnU>)AG(F^(~YvPkJnYmJ`ikQabZ zB`Mi!TusBD&~5C;B}0YjLOC;3M*O%IzPBM&J_<#-K*Q5c!B>4@!VN%*ckU6LCe`mX zSS>8JhsTOO0LDBSO(srUHT*iFn0QwQ0`{gUP&5TrKTevKz|kczVGntAF|57_o)_eU zs-|6Jz%D|UOt=VaebZvtwiphrP!Dnu`t9U0X!@93{+M_^rY}rbLXK{P3BAA*Tz-+z z=bL(wP%qN75kh#h6f*DCxhfmXTLkXC816aVJdPLNi9S1qwnobCFAR>aWAf*6Kj~<) zdy>@{-P(aUcB5`i+;0%mc@BA+y5}JWbrEoH$5`6=2gPyob?B{#)bsMoPOH}9yvE`5 zx3BjmlBK&xx5foXHyo?Xxg5LGCyF>{`^{Na0aaZ=A;kYYoB1FDKcPuCQ*UXD5M;(m zhPV*pay4N-^uA|Y!w9ZyG1jq)B5;KiYkZE$@8EcfGB(SCz)-NC=dLiMhDjtvW^IhL z%Gsx-@l+z|z?2srKx|7n5Xa5YnQ!`-w7_eTKDbRB40E#GhdVl&4DuAnAI*@ZdB9dE zy;Sffx~-V?EpZB9HH1C1rI=_4Kfs#g=VHPe5EEf;O!%v+BZhDfOQQ8PhB<0~*7|LN z`~VDSZ{Vs7_D|TE=9@9nht^LyXD#nYh-D>5mzWW$;K>*AIM!%f!?AhNN@gGD)$b^V zW9HDSApQ}94C+6{(Ft-i>mN_#eZ<}`bG*mRzN)yWhi4M)O_mJhR9sLkZ5F$$>`!8o z9R~LOIPthif`av!LEaA2d*H035T?(=_S=uEKO8h!b`+LK%a5EK|Aet0OIIl$ksDu> z26>nH63#_jvgm=rPPjOEmpg6C?L@QuPXgB~jy^LvAIeSQe2!b|TaGix)y_@{+oxoP~AuBWZ{)X+eAi;D_W zR)k%cQDIj37^Xn%s9n7T5c_U}wPP2$K`=vF@KM^b={{f{#6r`4;%M+La(vlYutI8H z5?Q+onuddRICjUWfmiMMiOiYPQJZnS5w8B@32SdBV+j`rKb+HtyV-`?>DC+T>#qWT z@EOh?!%616bc6Y418b4}Ol4zI~}fRYR0 zQ;5g6%^-J$#*MgSj^gt9gQ*u?OU7eWBc zsd=BWY>~Guwlt{*r}yNl&|MnIIxUUCJM*OM0p_*TdT4kl|(@$ye+pNvPqRUCs|nsie2T%vWam-`9n}1P$zfS zhVov3(lo{mh#x#)p}DjeQ5c-af@eX@b2w+i?Lsamx6l4%dSBF^|%Y z+wZwBigaY=bD=on&^FZVev)zxtu8R6BUvJx(`Fi%S!o8g(Q9Q6^bQFKEBOO;nZV77 zF}63*DgL(zLmpoonhfr$qy`0sy`)%UTPai7Fn|3T;tz)n_Lb;QFg@DISdC{4v~A#B zt5Thj zPx3|nX!dh}B}1R`=eRREdd8Z9o@Hwv1-C^k%7&_kfj(B9g=kv*+hS^DB%3v>8_;|0 z9I)o0M#o84pq-8%iSM(L;WVAK)Vh3EwXgFzfv`<@DR+1(;}_U|BAGsXOsuHS6Bhi6CISU({VkTfEU|fN@|Nu_-u=CU4yO0u zy9CLQr<~q7s~;$tYH1AfksQ^9Jjk>xSGgbIth-w?ZHR|17X`wvTk3~7Z25_*BOpE# zD?bb;ZA1=fHh;{1hL2nD8Djyj{5bHJjq`Ms_bD?q<}=7v8@i96()K(`;{kCd;yGsa zZp?RToyrlF+><)n^PJ8oq$&oL+_4q-yuIZdP3?&3Qyf#BN*BW2%WjR6$7zi%Vj5^o z18b35o-l?FibbUC9V&WN;!-lLg^Ixz;~H8upD@-u^dBKiVim6EK9cP!Dbsm95f9|g z_@30w1v+Y0SD@`HR)BI-_RGkH2cHfBK!+RojBt^VNb>KZ|4&wCJ_iq6!g^D_~F zTKp6&UV4u9tNIe;!N9+_UaJj^Ro;?nIoUgfnioI!9BtjrwEk+|w~MKw62%Vz>=@OQMwL(lypKk7wmAl!tHz zsmI|=HY#m^`$SLLASK~$ah;7@q!-$db?z^%+y{Eu0tpU1^K8SXkw$W=71Mg%DO_jm zLkwQWl{jWC{~p5dMpjS<{9So@RE)jenyoh%$1soBr&vXc*;Qr@b?BEvyUTgB8V=~ z`i%i2GXxuTWl_5rCaLNPpid&IJ;q*qLnc~=$$8*BZ6r?n+>&dk)OZjMzAkJEycmT9 zH%sQuC?<4I?o_fT*`}RuUeRK+C`<%p`xWPjj}+`n-0B9(lod+0nEGs5&WkO~dHULZ?alpE`%>7f@0T~%&pTi~2U zIS$s};+an2*Dc4zqw4UtxUlwVhD9b}-H6YK2vZ=%~(fLE4hNKgA zzl}6LaV*pSB7|f3M3GTDHfQqI!esBUl8qqUIHttMO795r*w>EDMi2USgs`87!a#2d zW3@LM7w|m_H4NERh-((5Py;*6TMho}QEcTcC3%L9dsJt=KmSr&MsBFUdEh2Su)m1S z5YH3&ePTaHWinWKL2dtvTE!uN3T*o$=me=q-4|T< zO>KMD28 zAL}H_SnMz3G;5&REDLzQScUe8dCA=u#LF#J_OHe+Q3iqinT@bvdB*yZ^kr;Zfd<2$l!$=cQg zTk^o*%a%_)xJbg4^Kr1`3g;0GNyZ^J73%v*$Ak~?Oiko{kV{@g0@09VYhJ0wVxdEr z0si%>ys_E^dc?yIj>UDsd@eXfoTqZVA#G%NFJ-Da>%qA_{Ts_I?`hh6VuIEI1m%&EG~t>_Wv zU}G;cHPx14tN5K2l!NhNNt9fu6MrU(TP6QYaPp0_amAsPu9wEsUQ$=dO19>JH(%e4t_#;|RK1%e(`R_<%9AuT%_R=)!D8^>zOzP%udknE>`S1fxi zbHyhFwzEYpQV5;F^>k=9Cnmf`OXB1ys$eV?q$>7)F^7yV30M=H!C1&}j*7?Wu5(X} zd%P|AG<|r^8fN09CWaLzS`TrIX@TAsvrJ?iVl>0n>X@+t+*bxF zPiW;qEySNxqEjvQ2V{JlP;r>xJH6~Fy#ee0L_BPt@8k_a=L-3I zcQRF>XFxlYv58(7c2$i)-P2wt`z8_QiH6nKI5>Wu+#1o(Du$3Ej__$pvWgi}eox*C zwJ=w3T5?voCTvpCrJ;EQF)k;s2BG_$_vpYTADMx`h{MDLm3LrX9$`KZJh@Y_CWWI& z*4ruk5}h+^Eurm&*%i4erV1b06r=hfMz!`0psw=7%4cRJXqaDp1-=8cLP(sXYpPd$ zP_Lr%E53zcb5(VIXj-BAc7>|$DOkTj<=Ruev*{?1qjZH(mfM5248^M|$7>%!>vzRb zpuH-Nld8{wsX{8>0#-#xT^h`4ix|LSJUKZO=ufk{AqB7C5*yUCYiJ=fZBqL;so9y^ z614WQbluVGTAC@IgIUi<77d%5#(_8v=p5gi%z=R>74niK__X9o}Dp(Eu@Wau`ghq6cI_Sz*6pS?Yb>uHtCTh}hby!Woy1L9ob%i!;?xL3uz!aGB& zRmsD-_I7EMv<+8(i^2RA8)ylu##aoErjJ&94vu?uAse7+X!STSxGJ~A__rpygI@DM zkuI=adica~_ZEk9y@`3)skWkxf{DLT=T?MFimS5I_vLl8xlfx=-DdtUal|VyXNB{7 z9k<=W7b{b2@@%tk9d)Z6RO`P0;|o^0v*f0$m25Z92!VVh+5D@W$(PRx&TbjiJKU4n zDEE@HuUag%4EWz2-@caxS=oBb3u% z6g`t(t(2~PK4Js-1&y`i{Wyj>M^0JLmLF`q-U^{LO8|8OUcq|K6}qY3e1R{wqzf@y zFAaE9Eo@if)XKj+nIvFTk9!UZL|BWRu`{2#U@0mGYQ7G&C2Mn#hHr8j5kj7cGGfs+ zz=Rq2gP$Ji3dXHEc5KKF(}qCiWo4lTZOeaZLLU)%y^8$A&Z$wCfW6+bN(1v6HN~rKVXi; z!vN!tI$GiWNe+ChD|=DPmm($|UpisCc6km6#k@3NpO$`SWE~~hn~(7MzAWP^9XFz# z!sv{h9kiqKct+7w!jD!SkHSHY=2tBtbgQvCneLDTRh&eMabu}NXX_dTe3?cW7{<$#i*mJ zD?qxpu@}S#ma3Ix9y$)r=w6=o zQk2_l@Gp<@zUh3FW5U*q>4GDGua_Nx6%az_qe|4YrAi~YfgRcP$UPHBE!I9Q7<16N z14z>>GQeW-6tS>uSJ-1$iICN}_^1;S5dN!GkCm*6Aj0}1Nii)82p6~{6*4$(L zAX^@yYJ8gtbJWZ*JBFXSqH&rW;7!?C)#lU`@w_Vd0ozgzL-2Q0-M*&^ci5aO=0omY z)a*n@2XA1hR!4_D-tTeJrd*CvI;n!4gVC06st?qH_hZk*69uT<>cox_{DR)q6JdtM zw@I#v7Q2u{l?gcYhPuTd^km0b`(!ykGH`Z13^VhSJx|ImRWObGQlFh*GTMCuH9PWe)?} zNB$RUzSh-p-7^te(?VeT3vW1Uyd&-*Y`S*(RO#5?p< z93Ihn$d~pQ@6n^(*!feBgctie3_a@eX%gyc|0qJ`O#NeMYq`)r;r%LRNBujb4Odj< z=wFE4q<#QRvUE*2Go9&LzlO9y#d3l80MwtgBq7&z{i^zO3>rs$^GIpp_Gh^o7W~%^ znIGLSrxUZ%j(u1;sk7T&dRxKJvINI-KCz9~9>WXhuVh#At>l1~+~CojDUMl5FQXbR zgMQ`gV7QUPp2wDUJr@_VM=n?w>G_Ir9ijYHK6~A8I+^ZUTMRFmXqKxNR)B88JaAu# z%ggjl=nQ550?EWx>)~T@j2go7Z=>*O}fG3PVJ{Oe}#OZIHU<3*RNR4X#EF6P?C!UE56>ooq- zr_3P44(>}WI4Npf;;8R$9H^si>0LUhXsXJcf>E`xwDb53K42Moq=;{^|Br~OG;7WY zoJejccwa3~f^jxTe)?<`ZSeex_J{j{-Y<2xABH;5l3=_$?TKu#lD{0_6aS&UyhVbc10ND)ehf zkE|ynCZ$wpAddLhIRH;?1hnk6T2*r|PZvz+Ryl!pODV&<@ozxd~ zdcl*{nX%zLt}D#MaBRr}l6b_%Si`yYL^_sQy%*$X0Edcz8q7g_!GBKCFULB31H!#Fb?*8^Q|$WqufCtCVb92OPMu6d^RBrTWE zliJ;=XDC?m29AePfGsT_jGg{wHRW?rS>T+6afk4lc?ehgq3nvX<4{ezGBxD1bvCb< zfixa@7wt3R>8PRAO!vmmsH7MOxwfFY=Q}3VxPwPKVKwai3^&h3H=_K-DImYw>(~bC z%e?b_Q^U`E@EXs|J3FlY7~RLdxZq>!Siv_w*op5UbwO|0N3HV`-OJlpXBwFYohz$p zYUp*CvlVrU2glRR{%4|`NoAp(P)i*Dis8E&hcNVg=i>W|^1!h-W<7fCJQRE#(7)@x zx3+u6xe|jrEQzvSCBCVWGgZO0mB)+*6Z)|{i^{|UOz>G$StO`XgC*9gf{#nGa#h70 zU@T_KpppTWj{@l`hhUQ15q@Q0C1H-2FLE7J^z%wvN*@&s1h!z=nq-?@{AB#$bN9IWfim}_M*!@*O`9u zC67>MHv}(cf48XSh}ML_^x>WkTUpUgdM-_q%FoC>wVfsQdpjtFw@*V16-A=M~n`Srw(xvDf)^e zEQqmer(qftW;)VMLW>K-xmOuW&@&V5=ypLW%Yh@3eKkb+FB_QoOt)}bb17qABYUF4 zPRop!S}++6=j>~&O-%L}!cWUx+fYT@lOabsVuh8+63|^+WBASq`{ShoE~N!VCn@g! z3GNNW_*Q?)yhUFNNAl?-?&s6cDrS$dW;4pWDmznp9<8k51NJ29vp#F5uR4D=*^{8d zoTJ>v7_Mkw!X;xu;3@e&-n_}6O+wu#I{T29NS=JnKsq|+7|2%Y@Sjg0TeYnc_;;1n z8qT1@nL)m)eiUux>~E0ALHz^-c<*gC9&EvUA-9G4N6OlQxRvF)>n!NkDjwQX-`|q# z{|=@nC~AyxB6}3wr5$+F+aJ_v(7vZ_c4RqAxWYF%*>J$ z>vwwRvKYr?BdOD_47`i|wcuHFqQw=|DUFOqj^yeYWB~ctS!5EPqr_E&YbEU*6o$c)9;Qw{Jn^dVPwbkchW1{9!46PN1+kAN`|-!M)6 z04dSz@4%o-p9hDz|1>$PS{X;1O24V)Y7Q!2scJDuOgyU%6LLRk<-XinsN)A5xrc)m zmdDWH?MP3p+qq~sgso}&_1p|p z%&P9o^c|lbY=k48VOGE1yim`yw|Byqj!tKknx$Th zxqh-&h!~aoq2Gj$?vgI%z1$AnT3~nK7|Sl@2_U~Xs*|z@Yj|_uMcp3}@taf}Apz}0@@3N@eZ|kPd;GWj;gYvR9bMJ?> z$6y+|!a{gDP9+Y!J>Yc}E7X4EY7yLmEwBMs9) zyC?XtFeXq2MN)ffCxP||eGTXqspnifjE}WvVnP*UtX{jtt5UXrJOs=!I_s#{gg59? z`5e>^ojz2!&pfIvO*JmbWY(Ac3VgTh!JWL5olEVGln#|SO14@%icXTxfaMh$Lr1e~ zkUN8o;m&tpVy5*Yh`^2$olcm$11iQ^um|WH8__$f5It~^WJcP50!?ttZ{%5WJHsHK$FuxPSxXtbE=WlwwZXq5mDT9i^>TT_qZD`mq zU=kQ}WBK+C+tL4d5jW2u?*(q84(*3Zg{EODvC=7|3o1?;9!KsYpIVs#oC!^ss2(;b zZfF>R;a&-(PDav;q83bRVI+N)|8-qUq!Acp*Q3id%e|%}?K7|Br9fymacw1`VKO*> zVyAB;!vb#u$rgWPoj>Su&0IT%q?5Lm>m*jI(3O#}fj3AtY&Jh{w7#2wUQs(avzVX% z(zOPme)A4$qr-2UpY(^~0nXQpNk=21yB~Amce)VYBuq+88fu}3f%AH|=PxpC5aO*s ziDuE(WLDB+)%{IWjLB>N>*0W^ea8 z8#G|VnL%tI^*yX>3<_>@!u8TR$2&37$&&YtYZ;n@6s@3?IiaMKZjrBR6F40$8EWKR z{MR_SrL(KwZ+wIXN-9uXZ%oUEaRb1f4}Tn-Wqylc)-qMWt8B~c#+S=> z$Asd@XSrZ$ud`9tUn2hjy%SQ=QyCtToY z7mouo*TwO2ko`&i9%vh(V+bunBWMhcmQw3a+LIsZBkRcR=B2dpckV~t`K!R32p%Je z+(d!v(@GwzI(vdx&L;nnCT1z&JbXKTZgLjsNSdRKE^H6h;M;Flc3Y5=#FJW7E`FPq z(9qM}pZb4SDZP!JlgvpOqHkn6uh^Nkr#9Jzao7jYG#S=ThPw4oHv^*>K>Gz={3U3U@aEg6@R}LG&!`&&O$M^oKvv_0 z?Vv86j4wJAr`cRbr^=f&*FLh8H_e7&vmt+l^Eb9`5j6QV+x(g)Cwa$7=uO{g%eBh4 znndCicbx<6qd4ww6E;+KXns&d4;9`!VK&tDB~6QLx;RMUz6#DP%SN!UqS)!hxzv zq!Ghv;Ru_A^wUd11~nFT4eVM2boD|)W^7R}>67Ai;Ij|z;!$lUh}cuvjO0B6F`^a_l7 z1!lyl=t=5s>W`BVw5^rL1=3VaLr7={5k^)Pcz@s3hG>1v227#uM}pHEZ3vCLeWZ4i zH{o$yeG1{szTYkaTD8zgETb(eghiQCZk1RH3o9%;>#&TGN@a+Y!RR*bC&HrDVnhPd zuuj5oStK6Om2`5KmdV6QsZt12^}`DIDnLTV;OBv=h3~0Xk5^$u6s&cjnQ>bTsBX@hRh1psgamTuMlI(a7AJ%+i3|S zN6IpQAqs{Wrt|0sCRBnV#IU|?UbvMLx;{`yLKmQ^4^jG%GZO)8_Dp~B!z*wm6DF8c zyIv=r&X~i6D3z-ua7@LtA3wxm!<+Gc!3L;1qej70y#lT_;QeG7!D{JGUhPkq(U`=c zA!Okjs>=I*enYiu1XNg5ySl>9Tj9)d()1Pt-hwkTfo*E8n86x6g8${Wu=(ywR9EbU zGsWoEich`=>!y&fKE_kKellkJ&UJL>!U^j2t996R(fu_YeLL2MN{MAY8)Q69vk3mD zGmc_1nIQL8<+v(s5oFc~cxy9OqS%-1ljy^v&9JQITd`cc8I4AkR!AE+Vj#LzO4d(f zn3Z_QvqU4wWzQpl5ATtpCm?BhD%nO?-h%xUre&bBk1b2`-@%k8yP5-3$#Gf*X>_8oU@iYN;=ae74Hy1GTj2$=_^RSwvf(l!Os3hMG;sBa>_Vj zF6Vgv1Z?fOavM!B7v1Q+FA9kM<(oHb5=hGh4=&Z|M%s&Ztk_TZjXoRm<@!$u{T{ka7Ss9h}uXvt)|YEwUS)?PReej9}22sBMZ-;#yHq2e$s>;`7`p_UqNx-ii4jrcxX#^v|GwTIzo8rg+zVy9tOXQ(9m z#t}sF{h^HP+6GPIfggWnTf}1&gD?M)3}cBVE5+X&ri~#VcUd0pMrKPWl?XV|?UT){ z6L+GvBf|d6xn}6syEkI&=iQSds;dXyf;4J|xV(E!+F!0g1mjzmM54d%UV)yjcT>50 z#orTA{&GokaQQzZgDx`7$uwgu|2OGm+`gtc^+-iTqSgOa-bg2jl=s#Z|J}2sl-rlp zHRBH3{#|&i!@C8O?o{l5T=n(aYT0h_nAm7L`W=}gZ2Mi zI}v%^KK!=_L}Y#Y_}^Pwq@6UAQ2dvKnuT%aM1%n1Zk{5-ymR6f2gjY_MH<2_0v1f{ zZ}&6{lwaMM&n&lZ8`TkPQ!9(!$omZ4>yY;G)Zg11>zO5pC)0QRw`_|jf{P&&z z-uoZYxbyOhfD72NQvaP?1U4*^kAJ7~@4f%8^zP*N_BQoy&QtMG@PFJD?*GbNv0=kg ze*sHkkRqgK-N=!HM&H79`S!9dVf_;-=O+uFQaPusLg)_Wy=qd|%uetkeE^82(3Oo(_CU4~%&S4E7&;!0Nl59bsHA_Fz7r>TeBKmfErk?vpT^sQoev`|*K}zXr#ue1bAOiop_4=G(E2h-AW z@m6{fpPr$}nY&RLEMNX%xgns|h4gCwV>*+(LeCZ3ftyxF}Y`OWZ3gU%7{ zP14Wj!Q6O#iZ}3db3rn2sYphnoj@n0rE5(XAcqB&GJNUwS!jZZ6jf13SEXZf&3RL` z9RnsTbxQW1ky6PilDFzZQZ|$5q|~&$aTw}PKGyi+YM%8~L3-}Yz$`FGUPZ3T$2!8z ze9(9^$aoz#iA<%w08&D4Bb2o-&F)2JS&$!3BYE^W@|GqewQ3w_l(f7?OxTw~`XOT9 z$W`~FT#B_iB{i+!Qw`<}ot8q+;{_Qq8BKQ3XYf#(Hv=mbSHsgKGMA=c708mW?BR%n zWb!7dLZQE@^QHR&V5CU>=0!bmSh+=ep>=BnaR{5}-a zMv{`5s!2@^J*(0wUI}~liyD60U%~va*R_ar5~QxX-Az(Gc%{i0=_7Xz-KuQtI7?MO z@#J>@j*dVC#_2Sw`Yf9bweP?tI2wAki?_wt3^q27v&Gut zY}96qYY`uB<82A1mL`*WSr6wkM~0-C%%)bh#5jw|YHDq>+3ae^f^KQ%IeDfwwj}ks z(DMW3Wj#zzTU&Lzc>R)sbs>{W>t0f@wc@3+7mf|vJ79AkQwNjBCaPadVPk;E!?|)1-b&1Q03)-^Pd(MvPmSlX~loOvD zm#2O2{I!`m`1B+rW^IuvKfXZwuM2hiBN=cmIx$>X5m#g@w)HfXm_l*)s(ZPYMDh?< z>b(5nUxzx?(1Eux`;rqLH9EI_fWzFkZ`~T^{=X~yAIG_#5g1H;^B~s_fF+r7A{kq=UqHh)ms3sw9Re}%y`=_0t9km7*c7Q%uC9u^|bINwo$ourw}%s6SguT0X4qL)2LdlhW|o zEYeP8BQ{kA?x*2aowO{ek5)8vz~87~Ye(WWT6|9at2J?&KBOH28qZIPBhJ;wBK3L~ z4Y4NtP|mHIZBi$Esdg?riZ#3A2wwBQDBM3*>=%TeiI8=P%~d-JACGv5aZI!Z3|PUj z_|@Y#8ow(1VufSWvko}?>hOzp&dzr*Gnq&Q;|B#WSIsY0|K(L`(#736hXS}GuZRHt z^C({S9=Te4TLM@!K=I>nm{f6U8+218YSaz~fK6r7*tBs`SsGikO%)d%ugi)yMVX@U zB&8@6EgmE$HEzKcrAGKszQ0YYMi|2!l$T0fiok#-(59xA;)htSmg3Q9^)mbsk9WkW zvb62=*nPpKX@?Sv*R{iEM-UlpG3o;cBDcot;-a*aMsDA^(-f0P;&di8-octQrl>ej zQ;Gh|fu$2AKv zOQVYjF)AX&h_E7piwF>V%w1vK=@2NaQ!4)O-+Rk#z{>w3tp7ZU!rDZx2L9e%)C;%N zprka3pw2(K4eO9#-Kn#pB71QN+h{|?HxpntNkTa_*Km|hYeUcU4kkROu8G0wwP~0* zn-+T<9Nvbc<*ni_{rP8nG$|f}iD}zmkL!ctuxa8k$w|7nWukLfyho%_2eLZ}|UC5qoP3Hvn8%V$s&zn*Ru#ebGGB8vY!3jZjI zbMv(P%G21TZqLcCy{GCG!qF+BF}wd3f$S}^Fq_txgiwyR^TX&FJAK?l#~N&X#n z)iFbw8F-PbtC|;y0wai4+t-p9xm4>TWu(y3icHsx8N#NML|t`w3|}(98)3E=yomX} zHShq4#bAhVZ;}k{*t-;J#KG`^QZPl-L=h6P>B5hZ{fH`uq#95uKBizI7EgW>_{rp} zA{EgL9fQ;rn67^UAZax2Xp8aKtoIQYkofO~K@E`Cnm{4um&)i1;f{t#^zRA;{wiOh8`29GwB#OTYxcvXvS;Wv)Wf_@I1l0c3!0CLU5}Q z?!GUX97u}gL2tt+gZ-+ec&_$U-&l_8nMt?Bj9gBftO75OISRk?)~oJMifm|!oLcOc zkU5r~J>^wW!KnQXfT8RW#6XnJ0ymY1g+%2MAxSz2*6oktw}6x;JPIFB9;K=Ek6o++ z_Nun+d;xaq1&FTdw4vyQljJ!x=IDCz)4|U2@&kLd&(r?n`m1FUT}dF5bPjdez-23# z=jT!2No5=pZ96~~3M`EX7N$l>*mNhj+c$xFEpE*5hi`|*Ayc(Ha-GwDsMS5t06j4s zdQ_|aiviz_B60@xx8bXjpmH*$=Ddfn^AARz{ZEYVQ_>hcyo%flcgoK;(v{lBB)LO$ z<|^O*^gh`5wLY4(C zGK&^nGXUPi_u(9IixFf^lD7kEVQArcPZ8#9-W+Tt)$E5<9VhHzN^&I5k`q_75BZu9 z7$rduXAc>T-~-%e44x+w)vqq*esHRD%jB3pu?^g*!HhcGJU`M9Y1VDUJwIDd#goxw za9~RkbbQrZox5W@{3K!Dh;iXXa=(u0E-D=Pu$ju zW&G5IS~O3@l&r*?lIBNRmPA`mkL_tlgPv0p1_v-aJf?rz(imOWx5>~P#4ABPqsCq^V38QnMQgC^Anp%0|UjV$sDu0W;Ywb z$mo22zg>IGcSG+_@q?Ojnh~B*;K%I9@|o!v;N2Q%#qw)A&&?)z! zh`KQRks(qit~7!{CO^=0vKh6oUr@Z#7R&bACO|zDk9B|AaT4^r=48N3(-NHz?^o~{ z@wl1&oR)G}XWr9P@(fMm=bPNus54NexRI3)n@9`54S8@7I4e z@{e13ro!N{28;|#P6dYIR62`e{fmsW*!hb*)#z$AtMe2K;JAaA&gkM9$^^+}{&Qns z5MPu~e|O4NpX_YBAKA#zu4yD2`bar&0CWg5|9)u>$p!Ve9AMtlUPDF1GX*gZ!>MpK za0nWXqt3PBGE+qtQb&=mddid>JU>BS3hSqPIa^P?oq%2qo>LMdi#Z*u%(Gl#aBJbs zq}=-yQzj$?{;lND*@BgsDJ1x>MZxQ|v%(-;M9+h#*}8Bun%CzbV}XCh1O=7s1<_|b z1uktI>*Y>Gw2wm;V8$1c@j%Wdi-ZF5cRd~9+YNUi&uJ1JaP$*$v*&cY(`^VX0NFS7 z?G6TwaTJ6pTC&H;V7 zgtvFm|FZ8?bXNlf@h&!y2sU8FfI_^LeI@}%@L)i-H`BQ|c^>#tHuITgX`VEkkrf|X zm`I}BdQf=F@qtC@&78IVMBfwLkx27}Pps5T*C~VZ)*+muJ&)S)T+GrPirfFD3AGE? za)%?bb-7WQi&uiua9I5_v_hFJyu+0S=aCoj5cNmQGGhn`P8Z#Sh%CQgEKT4_q?vX< z2b_RN>21pP%0cQkfgeaWnUCY83N9q^Alf`z!ng{QHqR$U8VwI)G0Du`Yag2!`N6Yi zKu@iQL(EI7I(vqZX)rYT38vtChF~*g7&pW*HQP>|BCw9wIy%&sVBDALFAQL8g=0Yi z^h_ct^ZkG%j}W1m>JlLlzd#G%-?dt`atSBVOhq7*hzsoOXqJ!&PEx(ZS$6I||_h}69}xu_N?kGbP~2O!~^Q1&vgDs?+1jFhTHt6oMpFYsw) z$aihrp(B-3JmZmXKEmVZN2JBqhdn;z4N294AGMR|*n;m$0QpOV&Kne$p)Sf!Oi&%> zm_<mO!gc55vkWMR^s z)cJPjTK*aaVjwtw`-Mz)GDkA4<1Fl%l(d>ib89%-P{%cbf;0O8BcD#;TwAkal(@3 zNNcP72xrvKVb4jEx=4M!=lSqAaEaT@;(M0p71S6qnj70{YEM3nbIGHQI zsI=F?+EK>-V3m90@#E}f&e`BhG1oOVE@txhQ>iG*x>AW3Y({_NMui)x7cB_t6vifE7T9N4wPYPDVds6(YPuG=;dGp>eo ze;$H(as~cWt0oeT2b)A=?^dE6&ZpbAeHb25wE-R7)C_#J6yX`n0MB`A6iG+4Lf3Ot zdP)_Ag_yBc7!{q2FRsAi2d4VQOM7vVG>e{><}wL6f1+KbJfCf9>IrP~0#r#0S8=3+@a zn;7{qGFwkeBHaet0yarO;hY?jZp^H!>wBU13vE-E`B)KJz`iR-9$oc$_`&^C$-9w< zi|$Lr8S=>_ZIAVP3(aLpwei?>s@MGxos|G%W?`dx)X>_Yw4<66Z@K|mW~dW-s!sCXrE8{ z&9v(|62Izip-*WVHCGHr_LtfAcSuR(EW3d+Bdxz%)I=qD)mG)Mwi8N{G?!M8aF5IX zG$m{37;!*SpquD;xl$2+Ht7An5z)=}pGA2g%{`j*l)a9WgX%~WEnLryl==j|K$k}Q zYEa&v2qZl~fmfQU{FwI|VkE8HxhnXMFN6wz5)N`heRss!-h)}^s+sr0yvp)tQ?wt& zmZS;+WDAYHHgwV=)cRjyz_LxmBeX@4zjL>jK8JMI%!IDJB%f|%*I7C|q+K|K#lSi` z0qlGI2EAREQ`kRQS4slBBa zF{xL4D9T@FMy>VJ`AJ3`1`FA514r1w#xo|ZK*&-tu(WWJ76smy&Tlnd+=4~*W@~#2 zHtPVkw&f(i)Lf8B63H~L5ATodo-nASe2N@NSa$Kz8`*Dq+HXWE10sWa&i+ ze=>2gyxRyS$a#X{WQvrf-i2r8{Q|5~4{#tdwFGXM@T6x6l1j*SJONT3vt%L);|c5N zp`H>{@-3nTpnOvNN}P~SX5}qLpn)_716QbWFLR{C13gSC#`$^Eu#(oELT-f!G^p6! z18_>{P2!RYq-z{)Cz=XqJVGoM1$((hZkr@rqM8JA#FkKDlkxBM1%uHb{zVJVf_dl$~vwP!% zIP@#tQaucjWHJnEc)cHX#rLCEnx11DlI=riurvHDNw$AvgfVggfWcCV`fc=-dZ%kY z#T6A2n&&~H(IkOAcHRW!xd-94eoic2h_iE6;5*KRtxxl}}RoGnglR*lRt+4QWZP-_?OKy6TZ|MMKCAES7Z5jOpK>XZi zLXI-7cn9)d4+=WmINxo^vjSTT^^XgziG1O#)E@KNs5ih%c+nro5-C`*?!r?+{WHcNqTXO ztzrV|$O#0=C|pK}$i=?`e5XmI&Nm6cVgx=Ih%ayhuYsMB42^h$hS{Hz<>5vmXaJSu z*LiutCCc&PZFFQF&&ew}YXt{Rr{%mYlShgC-jtH3Q+jLcrB2k~8{=dXT!sdlcupf# zYCgRv=O>0YW<=&MjI@lf)iy3;M?!4PJ;_hy<%n2yoO2!&$7j(h)gDyDax)#!QnnwOoCVu2VkmmF4iKyY9^&aw_JS#~&oRag0I)Du% zc~)oQHPptw#G<9_l*ED~;AZLiTxRz=+2CNR7b5;j5(?vEvF{vWY}a4Yxq+n*^`7f_ z4D-QVN}}UYBkxZR93_M8w;HRHk@aDi2-#DjeVqx9Ww-#5>^r~3HDxKNxC*q;f#4(D zB_(r(c%#%Vh-It6n*ipD63|6tpk%Ruq~=+O_pSX5UW-lSQA~HgNgr1H(k*I9`1GQ& zh*sda;+x6b?lZUc?2#%|51vHUQdUy@FC*dOk~|o!elIEt#P>c`-!$)Ybm3d_Mc>-c z{ph7DLQe~O95kAScit>nj?MBsm7uPHp#IoI$PUp8*J9q;rEtswg=eDH4e?#8IF`1; z&m0(k6MA3keyan?>BE^BXbSsE{=o!bsfm?|G@4ULQgDz|2335W>gV^SxBV`UPiGV; zThLuG;*SWk7MWF9EVOFl!CM*Xr#cYq#^_HW8bmiZvbAF)&e=h$Br*AKOPuY;oEU_>3^MZ#*gFB6ycUH_8e5k=NV$?XLcJ&?sL8a9OC&dl z{$#8xrHt%9gvd%#Mc$!hU7gx=v_Y>m>G>9x33L<(Usa?|U69(&!ouhw94TrFN4FSj z8kbc}1%q|#ZDu?lC-~kp;^dA7`>JH}H+&ZBbPl!^?}DBZ&SG;#VVwAr1xB01OG|{e z<(m`8B5^16Uc;mco2_HB{3DT6>%SZ0Tkvzi)k+PmZriDSg~vJHjGWZZr;)AlMb+Kh zk=RjBa(eD1QqhBmj4%{MS%+YsX2c`dpb^-^9tGnmkYZyGCel&tN|CfN1;XQst>jLW7eGHf1vn6;$#I6khghqys14zCVG6#R z-pq~ljDU~l;HiSuvw=X~x-;mTfQ0v~mQmz|(h~MoW64V>NcoEl2XGIZ!p|~GE0iMt zEW|tj>i|oIQIMFtfD>}!^v?~-6ybb$X~!IaE6)Ohaza8va)Le{s%dJ0a@5OeyK#Xq z$(gTY_dUj^DZa7D5u)M~;yjR_>ZR2o+81;Q;FIVvzE(6P*25?s{ zlj9Ee;XAfH7D$p(r90IeZGmfniCgX|M9MRGhLBI$9<%ER#SPYCqu_EKbb|I;#U50i zt~@GbapQyHBz%?^zV!78OQAw#;Gr|=Is4PJrLd;@=Zt9cg&LN znS;e*Gp-bFlmcb#aUMSc_py>+kU_uGwIE{7K!}#}t-g{_GQZx*UUnL7%fg~%G#gN~^z4R6bYbnh#^&0_#`*H(ari4z zO|MgfNi}tiEs^HHH%8mS2!FDWJrH1ZogG}rZw!c?F1&$^4Bl*=V#FaBtl#S7Ve${* z1?+_!^pwVWcAE*+vEF3<@e(}K>L1O%sxv&^%|lxzQG`5%Wvf#za@1UmWFDC1Y!In0?u0 zXk1V@lAp_o`6=X6t0|f6VxN{sgX`qUMZD20j%LXo zC4e0|D2|MceA>a00(Fm?tLIov4U5F{PrR64@bj85f2 zvPYOHeS-4{%dDRb^}QoLHwOK&E~NiMvnE);hEhKTDxDvUNH}SBb2Oi7g(f*@?S9nU9OXBryu*sl7np$auBV$rG*`Do4NaWu&=~IyWqsf;D zm?Fr_9iYqQ-%TZH$h#ZrOkk{#UAdiF;MP2E#rf|5Ds*0Q4vrY~osLH>_2+y&qdk0* zyggaT;2SNV2`sNMfq&6ZSapVY4xqdw)26?%`KBJ3xb-B$l=B~qkzH0u$zY9rYJ#P`;B1CUN zla8;n_sNypm=(2}dc8V=ruM{|LGJ!J0<`zrk{Y5?yRvthmN(-fxbZ_Wq z<@qWVS=-F`IXYCCVh>yB#)dLfVn=>I63znDj2Ve6+D#PeE!A*Hz4p8=>8kdir|As9#i7zR@xpsV?8jRzgi9fS}V`m~Y!tur3{ z;(c@?$1{7kUAO2ETw7JhS=?}NuWKUqvQ+E!6dt2 z5&j_FXfA$2J~qfR7xzg;pCJCCT`k;dC;Ww_5@)8EqwDz9w6Ej{ITFwzW9E$Rb{L^k_KI zc#FBA73TFJhMHRI^A(0j^Zp?QU9?Uxo`0n6!}A&JU83uH0jn36$PKAMmrpm?-!$Qj z^5LK#QKH+#{kKE<1TQ2%QAnzPreX;`;`w){_&+@v3|C%s>fBEFO_!KS!;}mMHHSPaX3GYo0XEg$kdI`5Ca% zMC)RUR7;l&E>Hu2&{sQEEF*28FB!E}!t7Lfv1r6Kov&~=2(9J4j(<+9o){BhR|>i5 zzCskrkUA>pQirQp7FVK31j(NYR>(8Aabr}p-uF;Ia3ZTFs8W+?Q(=IZj*pR{Jg zca(}BjFV@Z1jZvHeuc#`#awz<+Y9npW9jBY=SUrS=Gglh?fRB+qlyFnvOkqhJkc-l zT1YIld%Pw*)S%a0FvxdS@pFgpR1Zv&E9^{~wLBg?;JOd9#ku?=$vBVyvWh=49%i(K zlwLqK)-eNR+s`IjtBq?1~bS#pe#H9xW-+7RV8N-{r#QU3TkxB2T_{y|N)Ql6vi zAj)>flLzo)kX-P_t3#PL4jg2j<1ZvDef+j*K}^*?6IzPD?RiI->A1e+iNEEt5s8_> z-y*5a_sp7h=VwJ|vUPmw#>Yz7Wh#U`Ew&|qznJfMMhYHI$hNgdT5&vkAp?z%?#Z^* z)J7tUTWkyKAVt74>?>59U~?>dIZ`^#kUOAot_y|j+qVzO^Y)Q*IQ;zWM4$@@m& zI`#t|0*=d7bg4A-wXs2-Nh8;iQ24lZn|0a@*KNVhgdiy$Dz?u6P*%O{n~^Xr+*(u1 zKjkqjXyny2)DWip^Qo0Rqz0$&R|9*=8s9hZs)*D0&S8OP$R4s;*?Q=8XAWeYoui09 zZ^H<_GSN@2p>=q;CKL}xEZ2$@lPl=|gG6`TJ;ZK{Bz@5hs_Do5&(5*FM7N zB&+uzI#rra^YDk#QOQakB2xe<0V}3O%Lu z?A=tkUiw%o)>cYM_FhpbbZ&PY3c&8584Qok#({3ye*8PsLK)@81$j_=6NWF?Y7gwk zjl%B0!eF6Nh?_t#BZgiaj^*gEIk zW43sK3fBr28WJq>H;`dt{5dPSo&=0~*CTWsKRPVeP?GIQf;gHg$;`EEsf8>nEtv;-5@x$W-|^sFI(v3NKS#C9lC0YtU1yJ(fVcH$QxZsue>-Bt8~=^) zr$xYJ{;seikS(mEZ0}a~WFT)m=I`W7jw5;xXqs8@XLObJBfnrI|0>IV9UuHVDG9#B zK0lRz(ZoLN=QlFYiR}l+GI2pBM7Eqfkq)O|3H6>cw!p_*$|&v&sx;v241Oo{=w! zP=aBPPLtk*nexL%0HN6Lidt(@dMqTfvpyJ4PRNzz9n0mP;`xkB>nm(vsC7rCXmExL zk&Pc1<)dl-?^(V!rQp@=dbv52xik{qWr)`BE1`NX{v(sSR-GjN>R^{LR&%QQG)+cf zey!OYZm4N@++YsO`J*W7wW6#)?oV;tpMoaIH5shY7#_-g$evslLLZFoc$?Vzih>)R zFM)VXV1Ss;^Zp{OOwT}MI-{zKAjaNQz}!X_2P>@yjhFs~6T}uXXf)5Pzf5-E?C_?@ zxr>jHrH2H`!Tu0W7Sg7z9%S8OqM&wY(78(i_WMD)+a}&?JL&YNA!~7xVzq*-SR#rR zofpZNqXw`XrS+gqhlkLK#c7~0g8ByYFFJ7pGc0c#l7wK2lBMh@T8@-7@CD&m{Ru>C z=u-j!%fwHX`$VKn=kh>Y&TbQ_)q7q@q4z@)>T`S5Lc^!7@gfdk010h%V$+H~cr>VbKMWkI(m0jFeoK8O! z_?&=2&u~>l@l%doQJyTa)X5^R%RiaV7~mvsdMKs1`7^XVHUH{{;=9x zt-QtFoz$}lOV;axkQ>I6E?6rGvn}s;s$}AEWly;Fii2BrW_8@=<58`pMA> znhV9cLEvj#hPM+LuPl-fn`&~(%1|7OO*$`aH>TSlB zXan07#qVmv*!xY^TT|FaGYmDY?2SuB*D7+9zrk$%I1;R7?`F(P>cTZF^7=Mu(5BO2 zs^b4)hLWQ7yH$o|;geh0R)uYe00Ip)%M%u|{z0DKDZ`OQv6V7Bz5vNat(YBXVpOuO z{^p__Go6gixPG&4I%EAZQ~hP<673^4t2w8t@2Hm4r8-BPX=Em#0Gqo85;-MKz4R&;5Zab;gs$gpw?tC4R8^h2S`j>;4UPwX)`~(yXfBJ+JtaG58 zs;Y?tJKvB!!<3hu59n(V=E=(-TJ7sbOqrTX9+5XE`DY-*BIFy=Qat>c1Iy(NMlzkO z?g==jXk*&`)=|b!S)kV=GW^)Rm)e7eFW>0&Gcx{2keO0(-}Sip66{j6e|ZOD8=dY+ z1XX?^ktq@q$XMJJ0ObB+~Ts5)LO-vmf&GZ!w zio@5@+)Ar7^@HKcbio;XqI!HBKia6ziR-Lk&yAV&FoQa;*n#U z0By3gK)tSVmG&~p>iXVbo67#tzTo?nu5VKQF*wP+LOZ{D>4=0fke3Lb-bf!jbv?V# zf)%zaiB9-__P~xHovRMRz`R;kFNR$_vL*(WS65eu)o=jVawidD9=SxX$-U^OO zRExp3UY?~vML}DxI34FiSj_DW>AH-lS$Z6=rIQ$$bsND?7C#~-R$lfmT^q}(KOq$= zk26BCo>H^{3C~h__Z06EEO)5d3Ht;|k^_;`AA5~38~ZqpF#RI6NxUEeq0UqA(AC79d4kfGNZ2emkbJaK--uqUp-rfEZjg zwYn3P3k1m}iR2wSxfRW70#fl}Ckc3q1{5CZ9Ab(JrS%I-mxCp{hZo|zSM zkhjkLny|3jbMQf7lq+B-FOhAau6G+rEAt{@p6bF3UgQ``Hs%l?N`K^>V?OE{T931v3e6yDLcVLZgH<-lapBorxhxH6J8WN!VBaK86qSCfocB=P+qPF%&qQq?M=c0 zIbdCtggN36c>XIRj3eR}c)CTfbQvLwIytWhkq=zMJj5=3mSn9old! zBeMlY^+`H2-4}?bALs1>eRQpe3p@SZHoO3p78cMO+F{BRv%1`&QFD_*bGb-;E zvT%>)2K1&Ik#7GqRC$Ydi6IM&AdGI!?B;DCf}X?|&q59CBW=d!`fT<>dO|d^6mV-< zJb#3e<|ezmG)cZ8iGMVSZ0EP+va2~%TOC@?e$Xu1lS*#L)okqNiJt3o#cHYKJjjYK zXVVke4XoU{KDZIEpKs%v&X>8X7S}>kR=~)#-$;B-o8Yp$Mxe;i}mT(bzEG=F%)MvR4U)WwowR1xe9*TX@M5R$(-T zy(foIYd6b9xGCgTb*AI6DDpmS2mie&`*V+e3q|Fvn3IDqxS$eh+jAUDmE_YTK?iJJx->{{v<-yX#-&4DCtdC)AqLr^_Zu2IJAd7 zqUehdnJTUonW6SZ*$K&C*PKC)FR0keh^m>I)uF*H;sgBtU&Xjo^*gdV@FEnifxJ!r z4%mYgMhG<@D`xaAFi}kH&o`%Tt+*AHK zWPf0m{O+Kf1?}nV*-HRMd?WkDNZ4w6h2)Zsd_CECYC|&a4uaW zSnZvR^-Et#22$I#@9@upukXj6GG93=XQOFcrb2cFPPLVSO{*W zvND|89ehC;;jK{L3YOtih)!=Q8UbuZX%yKYj3#VBx91g<;~_8ja%O^8(gPDoCu}lr zB}Y7a4O#@JAG^Q$5e!j82?t_u+)m-R@K0d|0jKCHFdjFNGIeugCe9{*gCSC8;if^& zfqVseon+$4(YT`e8$@P;*?Togs6XvGY_V@k5EorW_HppECb=c| zBAQF4FDQ!@cI_*2p+Z_<#Vu43o&n)=j$P1(1iMhAUqG{9;9|HUrp=Hs!IzTVOg#h7de(c<_zxR{-bQ?5I|AZX-zVI?2$N_!J z2AH4h*zG}zvA^w>L>fUs@UI*Ct6@U1Bs|Q~u`6k<1@a=`m;Y+nzYdR`>?&Vz^3~7B zu0QtX)%K5F=wBE37bz@us{VG49n^opa1DCOYvezIQQ^P-44=Guj(TXs*jZ!GHP#0I zea=|ICC4A8+U<)x>&CEbU?gs*o+laca5x!0V!mK^F~f46Yu|+kaIt<*pcMFZ=4Z zUcEZ#5l|_C)&@ZM|F|Q##f8n`mKLDr^*1MA$YWi!Uw^ItF!(gQ{2y%>LzMs3x!^H3 zTz#g{nff1Q>^LY@_a6fyhpq61Ks~(5H!K4p&wq})`fTCg{&xBAAp*eybm0Hloc;X_ zx>5gu{mlj|Ipl(3DsgZ^=y|bj662Bn=iFBx9URer>DhmEhuEWoCkk(e`+ICGPxOC{ zh=%r93Ql#E2K(Qw4V5W4TWl!9efPKDUk`6tG&Ve-Z$^PR04%r|{S#jI4+p>w z|F3Ms|F>+!`)7Ck4`r}x;BhrJw_oLBZ@ia?ulwhQs|DE9f zcY^=l2_BZR|G!M||4;FU`##6QOXDXBpBek5INojb?? zOOAmI0z^(s(gCnF2{A=efg76y>nOy&%&aAi%XAjb5|dMitxi|fiaB_vU#XbKi~0o> zprYR|GE6gLG76l-c2#$Qf$aBRQoW>9aZo{VR7^xvNQnuBjSn~bx)2^|js;(MInbl) z=95g0!w)C)uljIK(udyxt5G5#Gi=04fdDjLPXMa?#Mrhx(Z3$_vxPeWRW(xi(i~f1 z$z1mY$b-MdC6KvE{o%DmpNA6qLk04XQcAN>e8H?3;+&KQ+(uAl)mZ1X?u#5KD3Gs_ zS{ip%0bqv12w`$?97#6lsUGdB4nXN(nhv19F}305x@d3+y}d}qp?KV-WaAB?x!Mb* z&DslGThdiwSHS-O5M3X{+y-Ujr(maagbp|85|c?SGcMra!WBkoD>g*JbS%+)8&F#& z^$HuPr5Ir2DVjySomv9-YHON4l9E+EAgE64#y8+xoD%c{98QvkYPn@Y5Ru$*B;VhJXj@!z1A=}1??%`>ML%N}anFJXMz8uBr;*Q8`yn1UFhAip1kpLOn?m(RQ@Dq6j^JTkZTL@a78bEn-Nq$#J&s?5dv#Dz{}PdZ;~mh2yx#72 z@ocQYeNF`QNDC)88L*_*ylMyYB1up^9uQ{#4VQ5nDDUq>R4n-dlWD5Z5x&YM-lfht zof-Y1*k!=kP&&?|hFA~j%3{lnC^;_;K^^X4W6-OK%NvP`?llO` zgAd@%CF9ZQp(K4lF*@kxrUB-TJHg&UkH+IqE4u0F3Ai<~Uai)vk=BB2%qO@?*m?N| z)O-O8&>67RIh$0^ejEkoAX%BMJWfN}w?=61GZFRMz<}M!WM9cx!;A-&oY1TiAj3$3 zf9Q>fTe;kqk)7av8-fq+iF5`@O|3%p)s&gjs z8T8DYQOY3iKB1Hj2B{EMufqXb^({!-O1iP;evlU7Ir>cq*_oTDb@q*@X$aV5<9d|F zOj4ZQvDjArrs|R!%HP8FrXOgx^e|4dzHg*y_1|kRyW2e9#sMW~AZ`e*3lD}o?8u&x z+;HV#7?F$X2PVWAw$0uL2`fD&UF-eayNC|PcIP6J;9W%6k`VM5p;4MPZ!jwFRR*hx z=bOUW_-iti#JFsc_1($Ju%HfZSbghH{}!1T&Nw3y9uE@u@JD?>sKRyayQ~I^MPcNr z)@W0Bhfs<$)m^xi8*y=e_|4q{UW$Es1r_Fk0a=>g0kaRD%Q?Ez`#aT*R6K8o>7u3M z1au__mvlLuOTum3^CXFVg2FFOfXMS;3^}X`u{9QR4Qw1sH?foAFYHm@4g6F6Dh8U$ zR%Hd!E$2@viQrL@++Bue&A98plkmS%Obv_%Nc$OBgORJ=0U5o@Mn=F5&iBgq;)BYm z@ZSL-bxvv|TI6w@(fu^ZXy3`)w7LkfTN0YilcM4?VE)@(iT6qKLFVG?Sp3V5EX1&qa^=r{#eDF>?F&1BhoS64d!C4xN z!d_{tG2CaGF`+1@YJyyS2adK;j6Zb_w$A7x*Bo%-Z8QNiZG%oyMl^tDXq!#=NJ>Ju$-;SYA zFcKhrg^%!tvOT68IeLK`fw$rZ=<8%e_*~n!?QO1+X4D{_6`Jh0JIsW~3kAVKpB&eD z+?~tcX{uuI!Jgh)eH!3PN-Q|KPk$R7y$KKV&S7_0fcqF?3;r#5A~`K zhN^nzaG6*PrSzzmwqk(}E-HfZI{2JAuU9WCqau4qR8CC6Q-Pv+4Bh(MupJW%s z^Tz}=T4__G+6j3<3eF7e#*?|tp=2mYr_u>lo^L31Z0S-eNC&BQ4e;}O< zkwaGxKEP#ZTGM5CEpH84y3v5$!pEdZn(x_%xOw>FGd|)DCd_(By(!$Tdytw#&yXf}4&2g0 zn##^FL(0B7@B%Ii6>wg>PMVCp?q~S1@zR}mw(vd#6z?_l5l_&I`@l+WinO8~=Z!#w z#Uq2I+yjD$j|1M3Ta2aNVSyt+R;6NfC$FO5Dl*Tz4i3A~>ET|W$;Bh%aA)NzV6(hO zEZgpenP@tGxYNKrL^3hZOsn=91Td)UjNmT>Um!cYrRj3#O~9;qf55gHE>oLS)r79x z1eh|rVhrRHIn;2Gc*EH0wUbP3F5|#k@F7^YzQa$rKbJ(+hGqAY_koUwOoUoHrN z^>pBBLFoM$Ctmps*aF>zYPi(>9@OAP-nu3J@s2{EdW|zwz67%Tb<+`!HPz1jFiJ+I$jBImJSooNibvS02v zF9_Q5T6oEZp!+~KHTKXz&FscV0u9X~WZN=0vq^=2yg^lZ|*B~Wu< zp*SR-n=tE4$5Ln4sq3vHD7EB0i>zNKD5Liep#e$s7QieU3O-*x8D`nG`0WSSusu-P&Lwh4?yXrjg=5D2{L=DUZv->Dq!=51Dj%6T9EocH{Yv z4)R#?KGVGet4$wZm6wgq#W=Nl0RZ$yk__!pJcwJ)O2!I+Oi98>@E){|P9QH=*iqB< zcnw)fcVTzcas=~SQvvo0-9y5xcBf=5d&EGpawZE6c3YzG5c_Z{gxTAS zLW*#ljQ1}=B_~k9O;Q7_HHmmh;NQ-ucZV<(+nm$g%@DG(w;8!S;lZ4*aa#FlAhh1j z@sTCg=|<-V;oeQ7ia69YF?5Yc2m%*7eAb*h< zdkr(`aw;m1P|o^E{Do}=PoH1vJi;DG#1r)@1AX*#eeWUdQmGdYvz}t8wJa$PJ9-3M zP1gh}_-k_VW+J=^;BuLjW99)mKoT;Ew`?8I4KCM1==m}t`G*E{JorI9K3eX9Hb0Lu z3Va9W;X%^NGj_JE!78k-E;_dI!^)=t)aS3mmy$N=a2-bBxkA<~RPSMd7cM2t6|N%y8}L+Qh$v+p`ruK)rz?d9Kj zW+8G(8w~u}?}BlG?H6vqQv(l@4A^v3b@(o~Nx1+w7NU5I^s=-Fr+Cj`#{VJ;KVW@T z<*z`@AaGUy8916gC--!itS+ONWbC^QKczN>=gHDwJrVI)John^g=@gMxIIsg?Xb#p z)Ky_0FTow)Mm&x`V`AGyrI;kO73tgJ_}qAHv-cd0{-(VSCBV_I{NITk1*VWt;+LnR%f7*htg`tZ{~yE3}uz z1DD07l&F{OoyL=S0r7Mm<$K&XsGg1~mQ7I3gVU zh;5>m76;aJ55UQ7pIDKJt)|@@f#vlF{SZo!?bgqd`0RLm7Ywz#qF><5%VBbp8pmaZ zdhu@IYwYW~%QFC9JOksNCIe{3Er)+l2gr<3nuPZ>^+3dNH`#OPk;n(uY)hvJI0~g3 z+!ktamymqxn?{n~Zo`&C8=2vfm2z!>^DEwfvG|ihJ?cK^Mw&oA2*17UU)t7&oNLa! zM}}697yusR-HxN*&Jw}{@($rpoaY2~zSnVmxuD*x9txzCKQ-er^l3*($CKJB#npoP z9tc;sw5+jCBT&v(8*J|2>p%zgIkS$prb-u1p> z<5Eg*0MB*U>ld(3+W8w zXk}Ql6DpEFnT6N$CY2Z50ODh1Zeqh(YcEix2H}7?ND*}qDMCgZ#HyGL2W6_R zpU#yBWof*M;C}tQ%Fq$Zynf-6KlS=Y&eb%iqL=k+pyD@*L>0|sy$0vkl3CRT-*cahPVrx6>Q0%8l}#E zbW4YB=+ry&Lx<0G<%AWhjYq;pukak<#%^jkqMxv<^GNvQ!(MO1l=*kCq3*MqUZI6w zH!tM5Uw8ON&VF#mKgz2TRmR4!+ULTai`jV0v?Tf3vFK$vrsImD8FngoMV4!k->RW9 z%)dN(<8kxasn?FjZJ2L5!M?Ukc9>{aj67l4vT5T9>zlhaHYB`#P}@hn^Hg>pTdyeB zLPO-I&0bsD*xEp0-*-C$yHx*rt&jRc6uhMCAx-}!_M=fRE)h?5?LVJPncq3zeB^6y zVbWkla6{53U-WBaKh23goqT@46t83B&?LF-v(c}emcE$!&FOAm&yW5%<@$9vp3e%$rV$K7uqj{c;_ujfa7lKx=Ji%T>9*l?(C=99g*gR(F+KTD?nu4}&}Ncvrd z{S3S0*_36)BKgTjJNgAtUC;N^FzE_cjqajg^ zF=u<98Bn9ik6k@gTVUC`OWVh`?^kW%vcoaw3X?C4K39}-W7E0f9`~-F>zk#FJ>M^f zt@FCxjA$I-F0hs41r$1NobTT+xAD0FhYHyxT~G8YDRGusCZ8-h{%G!n*s`kK?7(4l z-&`0tqA~X3pwTNUE|!gLZM`@+hs}}?(H(nnk-U0eZU@`rS)-Pj)XomH*PhNDII!+= zU1<5_>#di{XFq%I#--tNmG?jL%T-AVlBzC!UYO5T4&oLXSG_#)c}vI3VNI#`!$wcc z?b(yYS9f$|H7|-u>O!Vp9f9o1gcRttSqiF=Ex~%Dfny zXIN8nk?Xg9w%_2f8=LY5SCQ5C&sJ?|-TX?$(Wpa*dz^ps$l&pBIqvHxw6(;3K4I5| z1us|c>0C8r=zD`&KF9lujtrS}=FKAqD?WHUjn?LPD$c6`rzoH784;BeJaw!rhwL6* zdtBL0?U85GgG}zwB=t*u6aneZ;2O);0Yh_+7~(=|Gh$!=qVGxjrL|K&afYs&iWFT9 zbr+gPU9J19;EwbnWDCni^KR)_pox z6W?Rmz%MN~*DWlc^~3g~<{d?t9qX5s_@GxoD_X$^T9^NgVLTsonCu>Wq!Y!+|j=zx2YF!*FM$xh0QoKKkvn^ zPAa4{cXE3y^(1PoO+V6kcEPZSO`qe^$L}5-5iw1rna9_wMg|xcrsPfNInd^ZDaz{t-J=)ztX_3X>-O6+PVi2dudt;N#5(l9dV{>3JSRjw}3OrevZI0Wc9v`341h z?VnuQaB}~@*M=#dZV#I;ljZzvuVw6}9QfO|ZPO;~M=82)(#R6vXF*Ou&Zcdw0&QXg zz|W=C0GYT8j*V-Zb7;>pm=hoC_CY{H3Zjm(gPRjO^< za)i+cZKG-xIU$r?DJhkx4;Juf#kL&kP1=HTl$jK**p!1;pd36vwW**0$J1fSa0%ed z^j!$d1eo`J^3M|Y^GuvFy`uK7@;m+RTKkoQ{mg)#Lrx0Y_eTpny zk&n;+-%RB`mU3Sy`~G~T?E8a~o$JSb`A-FhFx9_T{$Ec2|MybZf3AGS-z6^h&q6V0 z{bJ6pijP1&7ww7#)_V93z~5~!xM0$;mTlMH)=gIv0wdeN?2PWh^0kqmnk1u_~|D_N>FYV>kA z09<+u_EYF$;cHbq_Cq>)4;7c_JKIJ$aQ8*K?6HgjFT!%F4o~o%P!U5Z2N%M-8QlN57!Gkt-lGjB^1ER` z8ZS@s@%&>&d z!jhn_H~=d&)ZL)2L6{2BVD5I%Z7NTFF!P{BIf|M@Mc#gwy$#FYppWE_V&F_P?Dol_ zM5muU>9QiOw14c@3KsmxK*%4!&0uqrqyWdR%0Qw68R z3biR|HR1>z2z!h*As@%=bo>n<13;6rzQ~dvWxc{@xt?;VYW555GpZ~;M#jBKIOHgTu`ELxDN?=V2(L$MgQCpn(G;+#DXh8YVX`)7|eX&{`^|ywsF~t5I-1#0_| zDm=I^BB80H5XeMw!M{wy#UqhpRapm#tM9-he)$y{u?bUg`t#g1&@~FR3;_xmcFXTF zTnt$jL*0)s5jO|H*OP;2;z1tWR5kt66Wy1vO~oX+$r6QiC?vpyI_y zsz=m|zy|BSf{1%oB#zC0B@r2#*}$JJ_&qs{ZHHg^04XPtM0anzszFiQ6D=Q#p8SkX z{EYG)PmalokIC$QZw;4~*I`l!qPkD6%1W-f%h8SLWbUj}sN~mz7m=+h_BxclX1xoo znkl0O{4g4k@7w{n;DYa7o?P?&*Iz?q*ZODhliyIoZ-_K+hU1B|4k3_2t_3yZ`H;hS zvj!c}%H1zvvhoRsM{<~Wg!^dXeL2Qet3c&?+>3~;oHYuSZb4Q{@LwSzlO-5A40`E{ z;IO}yNSRf^;$to9rkkLJYx)(X>d#XklgvJglDUOGfoW~KmhLYd)S{FR1|WJ0XiwMX z%~jREgmPc7m(<%3JJvlZaD5&sDMQ_qv){|awQ6~NJ5ttQ{9YXrIsf_!hGpt9c5 zGcuIQandYV)Kghg9}2?xY?@Zb)appMbeBbT=~q^KU(WRvPs)&8JPu35C`vm^XTL0g z67uli+)qi9bjG)CIjrMfgs<{N!JG*>*x~#D*0K}XJMWM{Hl|>yjKq{w!#3TthEA~s zkNXi-k1c>o5{^liybe^_1$5(T&mz_=oX1>`RbQd>P0ZnX4ISuqqk>zg+>O|<)C5ynpdsWZHz<{}W7oGK z`fJZK7}G)S4D<^8>iLQrebnYVQ0!y39;N@e{4JR~7p)qO+(3mhSNt3w`0^yDDaYu#g7JSy!iBQqL$plL?16T(m|9q>nX zCNe+;IYj|>Y*py-x0 z96&@ec2g9~^tmP#U|E)2$!cBIs26yQVg^qY8=bY9jb#G_*m{qzg*c2dT_osf{n^ZXikY93q~H zME1Ic?kULrt#&-^e4F$I@(5;WG~BEEqkf3q3Bqn3J<=DsnJ;2|7@6!+nUfMCkhB~- zhX4&L{Rg$x*$f;fD!|>^XH!PwZq^71G$paXC|ozCtk!8^V}0-l-ON~^4RKbmF`B13 z$Hivk+=R`_9-vTgMdlnP@~9}DdIR3os@pW<@-wd@K!}rtBrDEcC`KVM5$Cpxk;o_r zU&%eQIAf|{++BAD40tnj-O)vgMfTNHYE8^d z=sUqEm3=Yxt|49e7jpJnxm@@jHFmOk@fgaDWy7VTDA&YBq|GPBL2QI{4aNQh1!d?o zeuKWZed8SJM1n^4mjs8kQmwxhPlXOHml+@9LOQm*T!weHtTH4345)e!UZ@a;>~=Qq z+XwckWg`=;D$YREOl4NvJZSvdYH|k~^1)GfClemi<60*|4&@6dNtbS=>Tz!M*A!md z3n6j$R(6f{H;c3eU1ru_1)JQyMbS%M_35qU;%u35IUOeLR~XOIT-p#>81yQh0(*WE z`ykI0!a@D=Y=iRZD)+ABiAr3p%za4o&?;ASA$r>+OI5{aqPHYbkfgDw(%u7gyA`3G zuAxk(4IylV`Btd)T^e;WzZTS}Vyi_D)s+1N@@6K{+XNs+-3Xlj?|py(8*xK(WC9X-rQVi?aV*sEqdsQ7%$%ZlyJsEYiok-(V?VAkqs7qipyE#6q4VD#s zX~@r*i%_z5e8{^c=uBAShpMdPG+_j?6=6KC1ljxiUXRG4_7+78eY}Ow46rRFjixOI z2~naZ+#IKBJbLCmZ5~baMoGt&6#Z}_o?D_4zn6K+T;EHxP~A(SisB|>Cb_{KU`2;waxLhVpmS-HKiX-JPBl-DD$AVA_o0-wY(Qsb2I1QCw zMa{Rlsd>9(?#n2Bi*-9Su@`dBLq~d{vzuh@LvWDdR9x^Udcw+Qv#Ta!wx&J_&t3o> z4C>mp8sBNe{utP(7520X+mGM3j}X@T2{Zl7hof%Dci)wO3GgQ*WcY~Gbe(~B68Vob ztk+Qq&?QF;e1 z{~ECaq`m%z6gIp39wMu>dnmH});bUnOUHx9VYYWhivQ*YRG9_@X!Z4Ib}?LC#(6)( zV22foX59@arxN_1a&j+4Pe%LX2Vmw#3UfTrr91Nng^zHul9;?veyR2D=TW-8cAFmu z&yt-!@@_!gtYWxbjS@g57$iBTK zp@L1*w8}DznX4go=8G`?5JU0Ijvz4U(tS#pOG|PM(=X(LQg{xDgXw*jq#2NKsujKo zb|q1(Nwhg3VAz?~`Rp9&EE3ac@dr)i9*zFX0BRPJ^!+uL+xfOADysMuRQf&wG6p)M zWS8`-zcdpAZ$H~9J%gdkvn$JLjFILBN}N{OZzbPYxfouds`*CTkE#9R1Y{2>{sjRI zI~hY#2Y-u;XCdZCm32Htz9Vk_i{P0qW~U0x(2vcwo+9FuAWtR`V)U0u-)hJT$8kIY zNPxvUnHokyGphG6uCS-zJ!W07kR->?f@KyzlzUoOgK1F2f8;<+-U!c4HqQEp%eElT zIc#D2^)x-?AYSA7>Z#I^_!c0!LP$8f3}0fGcp8Xl;`7L}3}T0c@QzGkXeJo`Zm9d>(zX*d@cb zDQn+PS1-5vGdBZqZ{?EmJhc2plr|WlPJN{TQvapT#u*S7~` zjKKS{wNJvFlMD{wMgVoyH3=yET$8l@4aRQ`J;^KF%raYj5s=k7=b<2LVe~(+g~Ho% z=b+Vcec#B^1XMMZI_p&BzT}2b{81xY>I_pRwp{b|Bci$PtkoHdt>QeTRD_)IBzo{% zB@h!2Bf*ubLKd5>98sGJ#4VpxGE6TObpQbX}OO$Vf?0OxSN zYk2h)O7z;Hkr|Dg(1MEfs-~B<{UU_f$hl#qN4%zJ903LU3i7^W><&DOjqkdmu9`fb zah43Lg5MHju-~Y4E@sQ=$Iu93gMdWyZ9{1xat&(S%l5Y!xE-d`j5rjr8P4Z(zhJX1 z_b{Hg0*3I5%MjV9O0rlke0yLRRYg@8-v)^tVQ!qWiy^}1pi-Qx3=uwFrk7x`ILGK* z%a<~u3puL@Cw7xLtN0BjAXm-p2iKg0oW+E*y-dC9{LVQB$QgdN@3!AIPf=SoE5tNb ztl`1ilH&N*4UYT8xryErpoh{Dl$VD#_d{fe^Go!D{*=mlzGWR$WpOzMMyPN`)%PhX zvgv#Mg;-0t@m&CHvj^y{Tc~JI!->|PqxL-yByZBMiN;abLO(D42u?R%+ry^^@-n4eZv~(_}JG&DB89mZTfUu<6`(i@No4Z6@+OpNq*{ z<7?G=3Xj_dU8mLEI)hQnX<_?yk(C>d(qV0Ss?4dFy-IW-&$EUI*L5n@GuL1ctK?}Q zoZzQOOIJugE1d;WfSj5jo|B8OA>o`{x{N&Mcjo}pj`npLp5;ZPy+u2>7(Q=G$UBB} zw>oDTY^0G0d@3;yNiLgjZ8hii@=}IAWh#rG`G<&&B}hL@Gjpi(M|7d|2bC$8=Cdhk z8epc^DRsryWK^8f1DLgkxRjm6V8mwWmL%B8;oqW@b1erGyxl0~2Q?@b}sm4qH{z)gEZx2-H~y zAzen6k_+jm_=!xpM0uUUP~1h|aZ8-vX-9H~CD@&Q!rhL@I^-}e$M~b^Fktfc@JpbW-6`~#IO7jWTi(o5igvcEwbq%Zk)wZd84xQ8V0d8uqd$qVp& z$Q8?XD9QXjZ{FhAoQ+5k|83|Ikf@mC8|~Z6;bjQ{-3igEVJEWBSrfyCt+v)N{O?)C z-O<^h$hueW0h!mP1KwZExr{J{0zRsKD(bScJGSU?8NjA1{GI9EA4#-T!E!^i>r|w# zeW|5HUqo?P=YTG^ctR$0AX9M&GdAFYAC!D9bCF_AoSTjJ zgg~uL$8X$eq_))P0iso4J{M%^Uwjtp?+~S{bQTO9S5Gw_sThQ-fE|4ta!W`6S>aq; z5B{UzrZ(z?QDg!CG1d8tH9XPiNB9gz24kBysD4I0(F62N&wNCQlAqv0%pZ_nA$>$K zNdZt7s}a*oHSZHIBIYm!MrZ-jKA;y}7gd(~ z)OSWVYchkroWV6mnVE44!%I1p&ElesPfFGsD{+ixyLGr4u<0?z$ptY8L==qEVXCX8 z*aBk%F`Ld&;sj(|L`)fXk#Px$;64Gxlh~I4R{1LKnehrJ)!-5Ee)(*Z{FHP zxTf?p=(}j74j}E^{k4z}j?^^n8Xp@)P2~47Wjf{0tcxG2ri7LdHe6VbS}2y2e)RV~ zVSs)70CCy7l$m4SWWHC?R_YXqH^1%x^K380@1jBaO_BV#Q1NpW-cL9^kUE_g<1oKd zpXZIL*hieA&EM!HoDhPIJE5Tp#_8Vx0@av6KbGvsIGq0?RJx*UPrEk-`Y^4#z@2ax zNn8E-)<8>8M*-UnDpC9M#*^eCNwaU_zwK`JQj9W~E0)eeSI%BxdLYd{tP>btOE3X4 z9r&CK_T)adlV&~4y3~H zV6Ku1d2$BfGo+7Uy4o^qk|OPW%KSrjde-*WTaDSWN~u1Y9c;cEN9XSAu->JiZ)P5? z6#-GxfXqjLBpFG)g4K5hq0> zmx+wPKfxHQaVO4YO@sF$)3^ZEQV#vI?*j`gNH~m{Q<*R%V-G{}l5trJ#;y1&K9q4s zzWQ`=eLX#|Ypgm03OSKhbv{U#V>53no zd5vw{m)H5ijguK5DPSuF!?VA0qN1y6(G)(Gk`DPXFZa@y^*poCk|~Z?NF55cPhK`< zy&o**`HNr5xlX(R^m6%&Dr%nRoWUjTL*mc``*@*7ksn0oU;au6$9A*!w_rn+SS%N# z6kyV#xGKp%z+Go-FY{bU1=d77( z?g1M&&5n+&M{F5z!%KZpZ35E9g$z?mtX!I!#*UXY(58uDoLcOy;v;E~@B)UH;Wf&-<0$vZ}Zr)3}N zC~fc3yp{gIevGeHUl#c-0o2z_Cq)H_M-??sw9$d-zd)>__-2%)g&KfTOZtH)#!y~r zLoT@xD;oz5$&aMl;56BCxQ9YknEi&hNX8mtW9&a~k0iaIe$Tb;re@x;#9FJ#%86nZ zRDd$r5!{a*U6_y6CDx*q5a9Vz>W1vMTK~n2RkPWy12E>_zBm_=e!1s;Lwv4ZS|+%8 zJs-aHDl!ZvfwA>$n_~{fAMZr7qH&81{i-h``n(`Cawo9&?bI=sg7~H3!lfXle}Ky^ z)+svg^NvvItO4u{0r<29Grt6RP4o`Z%|64makUBGVCRrR(q$$WJBw^4pXJ4&+*0z2 z#YSRRvn2;eKMO-F&UosyI0v~DTA9YVk7RJy*=*K^l2WfP7zki=V=xkJ517dT+SP%k zgMs`f7V0%PAC6(FX|rD-`0tp#1ji_KT)sf5oe{=8I1cwQMeFdh*22Kly|LrGGSDzH z7tHa6V_t`$fbboPEns`*O@{^3dLmMcoB1nx*5#0-Ka6$>jueZJnhF`CWDmw1V^ZHq zuz%05*Kl7M-{Qkx|h`Y>O#`Wyc?czQq5F{ zu)EpJs}rq5=#~P7$xru&`tb`@v2>Hr$DezwJZVTG3n+)tRg=7ZEogFdXoQ9s?#bm@ z)-I9Oa+`HTC_k(_HMF!Z64eTOQF&iz#d>QS^|n>i5Ftg`ypPhiq>>*b1r}13q5_Lo z)nZkG-mW%(7&`Jt?BnHZd4Z3BVfZm@E_S z0W_V|m*->qfYvcJqf$4JOkogalTkNd_l^}SFe$tDrQu@rR+56ZP#3rWP_kkNN-Gsy z3JzcgvBJn2Og3xdx{*IK>ah1N88Dc_Y`%nL5F;$-F_~vUo!eO|V z;{XLoVTMjUdQ!!d8}pS_I<7ul%{&gmMPeld9AJ$w~fR1A?_{7Mw&mnE7#$W>(C*!b|5*(Xradc93uD8vp zflg3GHNIo?gPv8!D8}3t1a1YT&8Ul=PMxI=2-B#UTeL1U2$v+MCISzu`6>tWK>XbR z%7WMMW7MPr#Jp>|if>R{y7(E?bK40J-7@3=y7Mlo*T<;!6KLu=I?FsY5|3;%Q3lU= z(-(ZxRZ8zPuzLO3AWH8U!Rope_{ag407sN&>^??E~70y1i^Nv zS8*cJ+bJ$Hw~#RhvQ-&LN@lfoeII0Ra589ues+Shw>ddpm?v}oWa_Uru1ZTlb!EAG zDuw{*A=}Nk1G1Q4s9;*6wrnuImllJBzc-onK&mdWiTQLhPb%5Fesd{Vb(6cMalX>Dr& zu4KDF)q6=rg0J3BbI~pNgVT}wb!6@nF3m%2)YkR-Mh%%`cm%oz%gM)!0dz2;a~nEa z^pM{gEq;TYBVeq&5pr~4GRx2T19Y(W2YKR5v8*^^kaL_VRT8?%ol&s15;=#!2>NvX zRObr99X~;ZdC(m}9EBReX8>;K#$7O}M?ft(}RSs>JhE!~Bwh+D)3u!YuvoM}iE$1?*dZgX}e z0;dQ&Z1F*)U!gK&;c>|Bx~P8;DILUC5@lOS{mXg4bV4PZREWKU&3~%2Hiokc`(=7M z%6^Eii{^TmV)R@ve=eLjcw2sIu4&G~iO_ataxvD}T!>6CBS!E-H&G$4c!lWs70H%F zj~hCY!?9Qs%sgahyKNiylJ(srU48&~Xu1B)>Ez?$Oe9>_xNTTl!Bcb0v)!Cm48!27 zOxNEJY&q0XX)2@-R8hswp5RI24y@Fw!!GQ1_Qw{bjya_Iz6B3wV_J&vBN$t8?XMLT zktbzx#t_(;$O@(@6loHJ{6NUH=C?&P8D)NKzH&RA=WYNE9};N%2<28!W7lXUiuy%6 zH#U+VH(V+AS^c}!dK zhbg5$X#P|Pc(HS<>V`K*lqMp`rDbi+i3Xde(0V7*xWN->Fqt0&rWGUO+sefE_6Mz0 zr1e9_ci4Uz9rEU0%4+UKZVP*Z0qB3P*m!X?cJyTv^U@TSqxskP8aLdp#=IlUY794a z8fpw{-Jb+e_v&9p_HEF>iKWQCgN}C$DgMznljuFJuMePqZn@`4HfC_nk#G3k@Dy_i z;OLbZ&S0}wL##+zIk)0HY_)98OF+^DZ1HgWwzrT$){`O1GA3J%hZ#B`vyXIx&am*I zKb1}&&Ij0lB~I*sv3QA++XSMQ;QbU+5${z=I}qorZ$m;60$049L@v0aFR6g{+IfU<{LcZD%L(tf)TtDM{kV$U zdGI)f`*}y4v7J^^72cs>KIR~AA#5=R@t=9@Ys`-#)`csZJZ}3`k^{`n4YF)?B{7%P zW^gnJBny5r_Fdap(now9=`sV!TFY;63p!yfI{kzTjy+}9lQb&DP55-SEZMyhkt5bi zF_3RdqLdAuRC3V%9%Q>O;o3@;alxiN$>u2(Gggc8r74vC9m?f#KE4M*v(6>1XQ~cR zj+WCV6C*B@J0F5UlhQs@nBP(77O*+|zbL!2%zx#dY$COYwSp=MIKu2D+WW!A5;l`v z{?s{xccFu}B0itbPq2iF*P`=Ypj!Kr6!Hs|W^@s~Hb^hjXp9TsC3A&Q-Ho*ni^z*s z5MDC)dlx}@+{c}g&*?TUZLz7kr`3?4?1a>_Lr9pekbXznHWef&{ULpcwEt3*NU0rZ zZ>j-?@e$HaRKb*B#-l>lZHI?F5Hpp=7Yq?aqD5(JGDI}J0FLlN)Av?^leKJRIq-BE zCqRq*2Qs#R_oM?EfAv(dk+y2rxxBHqx?XG&{R>ID6KJiq*gD;VoG&Z(@DQ3RXTg7mkXmSS{A>AI-hOi|i%_6W}HhBNV7=_ay+^n$^+ab9dEcH+6*`}kzq0&O|;!B^dgBn8>2 zm@HcGDU45?b3oD8c)=i1tTU1gcdfGs(CG*l&&r*_PzXB}`ZOJ#T|L}f78F~}cIPKW zQi7LmJ_GNCHyhfkMaWwRb#|~KEi%A5y=Tjo?4@$5p>-<^%v`8-Gfdt?t*?7x*ehwX z6#OYtc0Yp+C{Dn(3@}pGdvV|s;{B4$RU~&UyVL%T*_SSWKsOk6=u`4ouMt7BJLX4;Qm4SJOab1Aao3ihu-6X}1YTjFYsHKD*L%tzh z%=c->NxBSrJc;fh$lj02G%uS^c2n45oaIE>e_}5|9)6rg|6POFS805${2^uB+%{f# zKzSlb7-_omWsu$Q%Osfj&*2E^xZkbMF4ET1?&X!;FCFE;_EP><}F$he}xmCs_p z=Pe62H&M_rvai=pQ8BwzWH`Nw8_oq#+sd-6DG~g%G%DIKmCIzOSR-u^C}xPpdSTX? z-GD$Fh$wCO5}*R+rkL*mdnxx47tqjx3I+nrxgt5ukOnfQF`I19D2BD>y~k#IwMr0pn=Y7SRD)+bF{Gx84TveGN%XXFsIiN9OlIh63Ag{TuOauSas()F zz%&$p_;15i5ijOn45>$I-pU<^ve7oWuJ_#=H$@$dMDzNo<>1K&P*l-gF{ z)LYN=sQ1UI7sMgzmi^UzcyMg*5PwmN2e9@;9C@{V4TjK3{Y>BY&Ve8oN>*)l;M7q5 z00n-ACO?o|SB?ilj3j+(WJaa>m9OMf30y!~aW_-OdGm;{Di?1v7tE^;)=(ojcF>*tB$I|}PhL1MXFtWirInRX0o`Z-99!dfOATB8F{ zIaVo5yf1g2urAe>orHTn+K_{6KTBx}#jqK|>M*8^X8bIIHn`0f~aWISG1T(OY2a3FzKai7rzUldTZfqvC8hTA(UBSaqC7d z&QPrTNKF^n$12lPGaTcff{>e(O@Ek^9%6eo6`dOB3wZQtslcxqV{jjPzml)o##>Ls zdnTd5dY2}xkCyrb*Mn)xHsJ4wUN{@S zs+h&P>|E_HQ(&~XZa-B>!y%%5-LQ>~hSNG(X36^4JoJ5>L z7u57k@o8K?9Bm&-Uat-y73NbR8+V}WZ~dwLLIK)$;0bhvJNOM62K44LtZtS8joNJ? z+U5vqk<;o7^6Vp#86AFXzY5xT6f%{yYjqft{$%dsjr^y9bhP6+$dx83=25}A)Zj9~ zz8LTv%u*s=CrzJLM^KpdvJ(uOP>L&!_P2s(X!pIDzir;Z#A}1n*f`I2eHq4-ztqm*>2>$Ye>kL;O~6{ z_ywdkh4+R8Bd*0VX3=&-q~UXM2Wq@p8jrHuP-`?!gs0;N*fNJIZC?p<%v>_j{B73@ z3D!;2u%6m)L&O@C@gcs~kA2bbea4H(c&KJQ6=D7FF5f z_k+e}dw1z7nppzD9n1R^USEJ}Iz0nTZ-%iY#b-?fpMViZb^C1eiT>*VenYs;k1n-V z34B2m1-lz2Jy4URjy`njj?>5Y=p{fvo4mL;Ht?=$f zxgE%LjwvVnI&1nxVO4>!FZ~vn#r9{&R_Quo+=1SS#0^oeH+XX7A=`L^^aOn7%orfs z`i2yrfv_pH82q8+^Vo1QEH4>}9t2kks>)=7X)gty;%Y>4@{WfMeiaq$S6MZj_S+!x zVZlOFeh^hIM1w`dE(9<-UWhj8N2l^(X3I7kBlr=BPt@}x0`0$=uantxwV>TuBE)KZ zJ{M_-942}Js={$LOoYivgMRiT(G((XMCLUfKAccL={s49=F5XqziOUKqR0~=3_GF$ zVH_)X(VdJ{{{R>RHyT@Ir6Ouu&`iyOUda4>n0N!Xhw>XaYreWYgoKL6aYt~Swy{5T z;f#h{zN*cbC}T5)i8Ad~UvFiStn~y52XXAyqY&TQf}FMRT4%}ll{)t}WWQH=AB%v1 znDEYilN(4PfC#nNcQ~8z7|PLiPPI*xt{@{hb5oo}IX{5H&A}}Ynh~?G z(F`NpQ9;xP#=-njtuz-gy#vTSaW2xnM8jQsQSmiB|CP#|6llH{n&+0Aw7q6mqHe}P z)Z0WXE&{D?{?{l9FGxinEkJxxm}y=px6~AEn6?x_Xy&7r5fQnispD&T{A4Kt{_*9d z$nbLcsfhL(*JSC0vV9|*-;rOq~l-=cdM?cK`u2b8qC92bnzyLGbd zO=Nq`c#N;K$dt3lndRd#eQ)+)-TpvpmHrl>A+D@OR5wFq-cRAz-bTg45V)guSZB^= z=13WDYg_s-ZxA{{+NBVG4{{On1~!)%(oZAmM#~^WM1EH)yk&_GO|v0P4M5}~{T2=X zd%&IXR0iJ3Pw6hsR<`VLabIo8wD;b)joAAsF6kz+q>{T8xz4>Vpt3jJ`(l-`XjqIx>rP9qx$W05Ga z31WJ#eR(Gl^}En*P;~_KZ%e@AnJWYI!Du0bz+tVc^4&Y%Fhm(uXjBv3_Pbz~8L%chqW|q<^2ohb;6j^;*nk;i&)DBm>x{Fh>@k_$F z22ca^{bOBs%?j2^87c&l2{3afhAMp#ITcWuE)QT~tC*iv9Bg`)w^piwo?8t;j z!rQLoFLHj)ObjH3CNMXmOE5j7c9gIFl?@N%u8J*WnxFSjCvhp8W{we zjIJwD0Ng~ROG;fxw>+87W4@=;^BOY^SF&?tjkAFMQtTxIwmV->pg^X5)i)#ks*udK znc)>945^Ma;-83lTh(|I*st{2ak%Dg*^uM&^?ybxlk=unaHuvt%AJXtFSKaU-qVYf zUT}-P)jwk_wk-g;1M!5iqVoKi-5Z9XzD8d_nuNBYX2IqQ6{F!QZw0(nh%uLkmV=v7 zd@0z|$VT#is;Cz{)A%$E5LZ@=1&`eB2xkq^$ zwYg%rA>3LRS<%;nNTlu6l2CKI%6kJ<=yy~0T`+1&|AFpB%@uB9G1cGrE$JiO%in$p z>_U!dZD`4C>-XB(et0t=y8k72cGq7D6yC(*1!Y0Gs^S!#0@lXajSd6+l#`{ynoZPU z@t6ua8^<&1jHUBY&D6#udbsp8%c|!nkHcSE>6o57=Lkrv6M0Q6JTi{)H1!iCJw*jbdoc4fBSHAmoQ@?mzNfYig#h+rVg+! z{UK)7pljaa7z;q2aV)7ajQQh28B!4 zWeid|?QCRCH~Y2PRjBF{wufyp>28+K1C0*bar0xEKbA&adIfM5Q^~j^195Yu&IHL+ z!hUZ@5*g`um7U53fYT?2EiFJ=>$^HWj!<{mj1Qp8{Tf;LixS&4%;$k9NiSMPX31+l zU+rWtWq~#r;D{uc&Yf>y?(sJ?&(Tn4{G9qUe{|A1lg` z9lHfQ)Ex`FQMTW0x#U%Ir%Fu2X(~nW1FTzSw9pIwg|EJm)_{ai?87YGLyKOg52dX` z#kCG;BsR=W>w!{73ky+6F@G?Cx(SI1Yf;UZ8_f{$f4!yvDztOKHbe?5w2rfR1&Dhd zfJue|ONspsmsZ|^g!u^V*AL~Hk2K6q$$V3zYYs7gr_q~&foQ1@k=p$_-*+y+`CLp| zpscJZ_bij4F?8jgTHX56kn1jn z;H^Sxw`?bBHvn|f!hWqAF*HA}JtohDvhz`UR{$ybW9Eeb%tJQu3Iqywtsj?L5Z=W8 zuFY4AR%D6`u9Z;gWAdC#ditKk~?4W`YoV)*woQo22uyUPt zFIOa)Uklcr4@~XmoF_h3h+2|AURex15w6ZK`k|lpI^Q<30Ab7YwsdpN4DlIsroL+m zq;^MTC8b6AsGM^CO-KB1;-(?-7=u7X6)3KxM8(qqiT}+BPqMIqDX@2xEhDP7ZbAj1 z$cF*R!T(Ub`Ck6-oOQ?$oEY^qzwa-usJ{uY|Czn+yNtgU|CdtAx0~?qjR1=J^jiPk z=pRS>Kbt{bM-=3R{&Um+DD?cjVSM~wcP9RQhe`jrmu^oBMf~4;|L3CP{~z|=J-&%z z{U4ucGmvSro9wo`&4zB84c(NKc4^WkZ38W&kU|SBv`}tBA*Cq|^a5?Ui&C^mQB)8_ ziyh;M7Is;)E)aJ>gZ{$;yqAmULbIWeC|}EkLjJ>gTxh4~Qahu0 z{r{tCQQY*tn*E1`UMeiA0G79PQCVN)$cbWqU6fl?AQ!*yWp252B`VR2SNdMx*Q;*$ z9w6eQx(F$%y^Za=kPR220OHXry(}gd-;sOSg@1lW&Sh7k@b8yi9!(6tSk~n)hrO8{ z@@Ij5=O0~tp<0=jU;5{o<-w(>)?IoME(3E@v_mgF{7-su>Bc^ent$AwcR^T?I)3qi zK0N@fy!6n8#{WZ)F1s6~eDS6KzO0MI_A0@pA}@5##Yf$lmrD7kvM*K2eNj0tmCz^j z|ED_rCk0=uVN|mK`QpDsHUE2}n*HDJxD0HH0+Z5&=BB3FmOeb3JGbb?k8h4~K7M*f zjPsRG0GwhMubGhZ zp6hmAHu?3N)6`fC0J|~bYbNnMEPjHW8`tcNaUO4nyZ$fU@^4$VM;2~0j1zX@-p0Mb zE{%uURD|oxfCFxB#`r0Lj8Rz`KCjyhUk6%S%OpXc=jNHgQi9Q)m784@K<3PhJf9ah zGy~dHWX#ITO<+bzi3yn*Zg*ZD0Q~4P-8opqL9H3-vUBkj1rH%(c5YrG^ANrwp|A7k zNqtscPT69(;Pzz}Sx`b&hTH4)MSpThXJvWtkb*>Hc6+nj9P_pO zB+6D}AV5a%fh!rT>$h-En%xq7+%s}w0C(Bn2 zI8C{5yd2WQuVsJ1y38zfi7zom=gywD9xxNsOnep&6Lq=S_>_MPygkzm-I(DPQKs@} z$saMHMC2|x0#LIVSu2kMT0<*F9!LSyxpOOIojxzyUGx>S6r@lXi$O+SpSzmG>a%iu zfS30cKv(H=GClZfe=J7c+R|9P$DLF4bhL)qlPARLyx9Q*uF+PY>Y*|E?9AMPO;I^# zdwqpldYhi@Q=h?ayZ1rwxwA8a=X}l4j&$dFYOjWBR9ua99&ce=O!U3Ed0`gMmKW=x z(<=a;%;PD0p6J}3$ye!g*}mF`2+A(mMnGRYUSAeohHpYmmGz;6$kR1klQGKbo&sVO zP?L}mEiEUf@J&F=>3#uaRs9tj>kbZuz!~U5U$D-1L$qtXx!Eul*Xe{CFUKu}aT5PO z)fzg$!bg?*qNew@&<&d29+PxoJod->Y_nb$W5M>A{?~NR9%0Aqx1Y6*uqVW|ukN0m zX)z}Bv-h{_?KC#7z3{-)bkSlk8!e2TwVRU6b}p9h80FbI&S{B{g(nI-C#6{gi)cx- zTkMkEY8hZpvdeaxJ=ttGE3u9ZW3sL5i!1{zDRwox*`utg~d>y>?$_&Y)a-UXtHFGQM7Ch(r)@Y9FR8h?bfU;z+lbR*@?Yh?2;uM z2RM*1mRLKo>ywZ@Hny^|w${=wHY+QuG81^R?6G#5OYAzhuCvFOV*#0U?b_%=mbh^! z35d2WhNRfod+%Ml76xOCog^5{v9S)v)~yz5H`sNV{eUVh)=r=fm6aAKFTr5%XC_b@ zj(!FaGdwdWb`VX_C&W1K?Ydk_q^t-?Py5956cK;dIiKzXG2OqbS4{tLU;JCmUxkIK z;{?BO3Wz0&a*FD&*qD;g+a-2gF18?hObvow+n9ngQ7*Rkv*V@EU1kKGTU@x&qO-)< zaT5FnBE#7iMo?7u;d_9@g}eT^BL!jxCp?@FT0&nTWhjq?x?~YDBdwM1CuMLc9RU=$fd9>mPve|8U+#alXQuog`a;vnR?FNTn#VcS6*w6RwdtW7LDkxG#aM zP}@bC? zi~hIl-_piFgJmHo8$d>>`xByEcbc7J%~80^R>_nO+`FytO)mqMa&>_jrT6)J`dm4H zz}eCeYHpRyj2&9${T5QNXi&Jz^;Msf54>abbR%1QBu~=iTs$)svSvwM-Yx1BH5IN(e<7-}Lik;tB_yN+7Tblb+bg)EBML>M z^b5QY`GMg8-nZ9p<`L26X6!UJhQl?*H}`^^toLH6@^#rl40s-%)`w0V!UJyl(^OL z+`IS=SAxKwewNfTpHinT(uz&Y7G@bUN?6Jj!r|It^i&WY6 zs%|Cf*m&$T?$~j)kl>mVcuR;Ut1IvIB_fFX9V1ve0nfrdHtH7s6A5LYx`qInvo}6N zkL!(5m-o8|3r@zIdIjeJj`TvzK*y;g$c_ywdNEeE{sj*Xzk!xf37bh1$p#Y|e#js* z4t}J*XaMp}N52hjzrJS1%%bTz2{JaWTGK;EQypXc66o=%Wxy0i0y2UY(EVaqI@&b?M-q(R8 z=)iOcgZR)Fj|zT`Irs$tzaHIMxEukBksr}Cd{t<9ILyS$S@Sl<(XtyX#U>O?N88gATS6cwa(HDcYVD8 zxOlb!p-RU3(%Ez=VDZ^L*TZ$Gi_7)jjR0Xl%S08YknlYuH{SwtRc@t*ehWPn1%Jfp zNeyrg(gb|nfz6#iqau8}9_YK7cr^FK=AKSVy1jZ)tG%x4Lt~Wt+ocXmhsnwwS{wnI z_E2+8xKSJ%7iC`s&i06;Z&}n#viJUeHZ&&6WM11G2Eh5oRv=wp0@EnZn}A8YzNxhi zSUN6ajBn{BNGI21LLKIWV4{xFkk^%a66~S5@Uyz#46Ns&2K6~?3(qy$fepRmizJx3 zfIB|i8pP~u*0?0nS|_Vyv%7voZF5rt6a?CDZ(7va5~(@+nLf3?K6FYKnbV%!ah$%> zBdosypKfbcN^~%q9@RB96D}cC-_X?3%6(93O$fmJ*4#p#LZR>^V>MKlRFV_)7|2LE zq^oPfCUy0h*HA#pD1OA=0G-hUwB}8Kcpg#4=~|i~I7z4RK0vbgFmhk_LhIl-4~G_g z!6@Wbh`|6GTy=N~4dJ005MWsw z<}hQ)oyETZE97zZM+UpK0HR0H=6xF?Q}E5|Y<85MiT}C(!kI1|lU%qW7GjciGy;qq z$9kFpxdXA)l&lp*Ad_9`&(;aReyLWrZDUOGaA6|nNm~Gs3Wl`KVd9)Acd8>iF4_MwN$+g^m|E;L#JzR1p;)dbo0~M-B zO7V4oBQt?{8-EL_EF0#LZ?TneNq(+Wr+wJ)Cub~=3qt*hMKq@)FZey>+3if4E>1Tm zWUbIMHO`M208)~UVz2dl9Nw_E0t@-WX@GpY@UUDbcXDs1C7H;Y(#fGc(i+^&xd|f; z05Dp2AyWNZee>QIg9T$h;K2ru_oC@-qd}MoPU@~ zKX(sNcRFLte3L;kk#Egf^n3}w!(8XMHlbUec1r?G)66*WAsE3eoLw+8>oSHNbdemF zci;H#U(dyoR1sobuU58@rA&1{T>y^Bl)+ zG-h~&!oWK5G^0WK*UyE4SXu?FR5t=h$NEAk4PO^3lz3?&-a;*OG`M^klaM!-$$=Xr z(*|Id z-IEZG!6hZlgqg;z*|F0#oLL2Tj~A7=(7QlhEDGP*W}EQ|ZUSKn9f&US+=8UPU zlZ?ykkd{BwU8Kw~YmdVsx_*VyZ}Zx{BN^*@8^i8n7PO+18mo z3}PncXFB|nvX`uqPp~@-WCZ_^p~NOJo1;r+6R9SpLR;JSw33ULa>}1yKbWRE_81_Z zQdF|RC^BnYKV}S8^k7aF*%4WxzT#Pqa0oRD@lu#P4h!&DEsSUom9s9Bb+M?%pYng5 z!&P@Zg*2A1wr_;fPm^jR%n4ynHR@c)Sfd8hG_p(`E7TJweNsr^Z#OEjAoNC%ZN`y8 z8IfZ?8bebcS8OA_df^|DZssplIY?V*fbhJ+e)<#rbty5+1om~Y^sC}mfc#?fq9NoE zV{oqou&MS}yYdK4(UO2R+k}y41s?(iQN2Ef3)ZWR@!jjdViLv$Y}% zk?D}mCJko(qD)t|!Ytxrc=~yuKTVpshl;GLtU^3$EHcJ-OyIX#dS1xyplkV$Ib+x!X=KOpNaJ&?oXVc$ zI$PVm;cn44*4V8rc702zft{R$8pIUgr=r6&$cxN-3^%|3N)i^b3MKSe-QYK@g~?D+TxSezsH$^>w<-RK@#acR*d)XhYdK$ zZ!_SnwpcT+61VbX8F2yLsAMHqpme$r0!o6ph_`-jaC~kJ{J|fHlXz#LK}b*?KxE5) zqjx2Wl{R^#ql}ZSV2r;`+DV2GFRYgMy>`}T6cXgsG(lQT_GqwiT3u*GX>BGZX}zMB z0F3VQQQM^&xz@5T$C06OGTGpN0{ibkIG2BdGWo*pvSCQxLz06b$H$Cqe}Zp7JlW*G z7WrTRT>~KC`xwtJNNy!#No)1j2wQ`jggM0PUxgx{$`9lTGMmd9-xtI<~@2-#(99A^IXM|o0WmV zJ>pDS=0T*YVi0m9=}V?_LJ9XR=}{l%_@0NzyL2WjE2OpaICMqXIpkUl*nITW&aHT= zE5-Lye{3OZblL~Dza_B0m;(=oEZhfe~Rx-b|m!=o@uv(HxZQ;a~+tPPFnepwrXq>t%cN*(_h zwcgIER?IW@qUBhvk#8rS6XkRwpl_RGyKAC6tl%RNY;p~3;B54w_A!=@*lsW>Us9v< zYI77lBe8vm>mJa8dZlnWi}AL33?|9KyM$#PZ=8Sty32c>K1A}izMG#)?c9x=Nml4d zp^BOuZJaU)%S;}rW4G(u@^F&tekLpg8MCC2$pCQyG{D0OC-7|(*rA5Bp1AhW$ZtKx zu)(8XDt;?MP z0UnKW!lC+bbLUW9xUsXJwI-QeL-|*Y2{qxCIn5FFt2paBaVXt&vl0=F2EkzlBex-4 z{J^LWG%gGD*Vly>iGMSAE&QouG0(0pXY5exiPobT{8f zib9Beh0%kRPPmNqfU@B*+3|R?1!;S5`qdSm>(ERonP=heH_)h0nj5)k?L35aVgeSTn;_(OT?qvQ? z1N}b;CwKx``iWdTJ^}d)$If-n=LTkM^~WQY#KGFoV*Ad$cZyto^f|Ehs8QOF>#2{i zW_(?cfaDt(mmH$OuNOE6F~NOZKl|=C0HuM#30ff_^36nk8=}7MPnm6AQJ5#o{=)!o zB`1e!ZF7up)HYHor=e5(g};!afn8dsN;7Z~PZ>O2i7zTZBvBY7chbTtH)0kPW&-LG zY!64|W#X3ss=}Mjq~l6?C_d;mIVIM(8VsA0f8ke~PoE4v$B%Z2&x>k`xY}&}#O!$q zvr7`e0QvZrkH&x(Z8~h<^gsgIpn!ueDrUAiayX|8@Vj(}O z8f@mr!j_t!&yiW|0IC}C_wqW|WNtQ~*U@riV+9<5-JQ0HCCa;NPK0a@#xFyjnv@=R zTw>KHxxC=kv`scT#qm=jNq0NfJJ?N>+%oi*dFO#KQxos#;y>QBbBi$kP%Fg2BEGon)o5Iy5Y}Kk`_{ zY0qfXHh|x$S9zF$A-l=@CsO1~Lfo@L2Ywg;VLLY7Sd30_Lh-F}7(ZjZRnT5cD=b37 zZ21shrk7#hJ{|ykeC%v-}UTID?Vg)ZY0~A#lDA zprdh1@MiZ54db>(!iD%M94CjciHCg91hn^YNTaOSiM;XBfx^3y5CYfJ0C310gw1q*)&D_#vTwEpZ^ z>0@gQZwqiZPnw(&A@{i+!geqY9h(#K1lt#OvI){n{l!Sm?oL&PM9h4~fYU8q)c=4( znI;6tZTJ}7Ll0N2fDC*HS2lU4<4^t5kbGD=)dtMT_#BY(2-5*h<~z5=2QC{`uBLbB zv^ZP8c*p6XO1(IpWt)v`Q-{E6;f-?)d7*4taK06ss-hp{(JAQ&51P0pe(R%@(%{oNi z9rley`ODiL6(*23{EK68SKcu^L>ha5AUsRc= zrHkZhZsF;EfJ!L0;Jes|Y2ZFGV)~N^55g;yXMbqR5cp!ny<$f1C67b)R4Pl@W`INVf=N)l&>mv!G z$v`vp%e01qHU7X0)l06T)qS=Yi?T#nWlRUB6)Pq4e}Xa z*D|(L3kG7366Jd$wSCKWPc$ zAP1yuV1}M8*`!FB4Qc&}<54{?>)COf@5+AoDrI)NpX9+VIPt(+gb|)?*n)G*)*!A_ z222Bp0+@=_7vw2rzo4=y$lWECOWzQgy~TDq*P4?g4AGwJr@r#mwJ31AFbNlH-y&(F zXBEarthJ^96^57Hg4_?ke8?S__LEV$!LtvS!A^V?DpQa&ZF2t@|LOkd)wJ*3XYRCp z$Q6IZvAmGrv^u)C@(1i?hh4V&6f$05!jPD)XwDcXQ^Ltz+6jZLtl;!yCWC#E>z(Q8 z9^*_{+D`N2I@#QCr_AG5m_^*RjLMnlGzXtRCfbq{oK)a=lJ9yE*6=y)Pmo9b*YZpu zeuG4`HxQG=4%6ooIuUGEtY_ zD&C!h>iCD#*n4f@GX^uUnLH03^P;Bu`S=Ue#J8H%EHX5ubx}igeb~M%+{&&WfLd9u z*xKVFu86TsgzBUdDnxj8f$XX2KuTdNHj={_-c1_T|zh{>+o)lZJNjBCuHO)W!z0SUb zU6hO>e6AigPjFD7=8F%ev4u%s;pG^B=DOz_o%TmjPye)uylsf-Y|*1z@wmW_pbn-- zWqO$f9h)A=@(n@EH+~5{T3@{y{ag%)v@m@?holyIyO7dzC!5CLtAW&6I;M$8cm{lx z>gd8kB)=nQ(p%LVkn|RSiWE%MwY?FTiXy(5KF48wV5;~X5I#v)a2qNgXw##)liirB z>$wVl8O5X-4Y}^p0=XR@Vvohi@!;0?y@8~AJ0DOdwI8&eH>w*TMKx~@HxxIyi~>Ki zM_OCUU?CSD_55kDV0Dz}1^%%bB(1%%7Rj2szz=hBA|%M=KT>fNHjOst>)tbGoay?u z-?U9KJJ-bjEzfuV7@Dfw8OpV-HoiQs?L(>*$U@KE%tAb@Q-uW^G6lKhPNQw7UY>$I z=gQ`G>;_AtFoYi)ktvj+f(HdevCo<$p}tBd4TLA&WhWkdq~+!40-)a2k-5l zA-kURwKxFNQ$u<2bW(eq=XjC=X9=P?-t)LFQVJGJ=nziapp(C&FLPDpiPozaxhFiq(*y0N5*tkc9Ww6XcJ20KNZBK zrqlPRzV@j&4$e;ICmbUhcfsabf_@@IL00G+UWDa1G9s zw`%vBBsX_m<<;0%8H=+68GNSNE2d}t4O>FVGc*j!-w%sl=De#N!K#o#Cin=!7 zVFfpoI0mPPpQc%AVLfVEl5Vva!I?Tq*AfCm%kEpOIig>PA$8UXF2^f5`Hz_w)Q6U} z&>zV(YdTAe?L)0I1U{KT)z;glTJKH#{m5Yc$Y6h4A{)oB&l!OnzMGBc)3zsuhZJu2 zDE-KzN;ApoxrybO24|FX>u+O?_2HJ5w4Vlxca#|CENX5RKNyRb^B-80owhoYCsz>T za@hydlA0Ga!p5|EI686&pgTg-Gsu>Y{L>}=w9x_JDe z#Nw|c)_SLz^Q(s?TYEqy@d_V_{@($ylz@&X!k*E91SwW-JA({6JTJD5$4LKZnvQf??lc%EAc zbQI(uVIDKu`xda_5Vw4lYd8O@o;!e3yJ~gX1n2jB)OH%9g__k$dIQ^HUAO=(W=qDC zR@;x6%HKmDOS{>H8XuFdJjg#co)?n#j-bQL)lD_a(jBvgu}_R|t09N^N3FO?onvEp zT+9A3%(}h|RteZvEJ2gl4>&y>yk+S4X_=)jxL$QX-)2<46h5Li6c}|R#X2S4HSoaf z14g_Q&nbzMQGltm9pgJ*wjRwVWysEU=i`F*I(DQmlI#g z^8G2d7vIFo@!g**GnFKr_N8qy<5aode&I(s_zFf!w(5=IJ9^oo*zqANM1R^*+QV^R znaIg}vVo3Zg@N+TQj?VIxf$V1+v^5tptP+lfaK-NlaaiY7#g=Bs<2}X&>0znl_Hu@ zdn2Ou={KW&OT_Dpo|=LF^^Etv%1W9oEv0qAGS4sO>Y>OzF?_nJ3AVEAbVeE@FH+B2 zw=%LKf1@02E5IYMG5=@zL2Q#pNN;f=HqAi4W8V|l1q#mQuN^F9NQHhUmKWh`;XTrD z;7{3%hpY>svVjPXAe|ZS_&1^a6nPom=6Mp=g62(OuPjSzwRRmpS!bQX_|A=LOAii` zeaG%1cgjNdp1obb(sC{&XY_0&Ps$18>cV`4r*v-zw#$2k&9E__Kpe_1>|c#+gh@-P z*gF!BqiJjmOO78%>NMedbmL>3hX$})&6Idln!jZXkt?9x>FbH?4@jYAE zScbfC26f(mBJ6HE>&@+2yZA$e|A=MBIXoXK&Exx*y(ei)nD#BW9sktBh?A`N(XaWQ zr`39D=I@~FkWu&nPafvqV8Ld-%7;SYj$D8wLk+Ahm-!1nF-J9tvQas9>}jz}ac%Y7 zX2f|t&(noUnR2&y=Kws!u~~oOt-W)>7OxKXgn1t@s`GMm7OFHLb17 zz>I3--?7rqsrUEie9q^5NbfvIt#Nv=yUy(bZ9g)VP0lg5*y|z<^b6R%IHZBi=LQCU zEsT$`-9kHl#Piktd}oShCgwBs$^^DB5A;(xt{JAmuI31<&Q$B*kTzXEsi{FNq89$? zD4g>*Nl+56m^~x%n43^5fB!W7yryd2sETTwQ%C7lN_?cu`m-VEf@I))0U6 z*t@JXH61qK?C=D6fRss->0mhPXYZKXdE_W28}^p-S#c2D5=Umj1{+&pPJ`IrlrtX6 z{$_@pTI-Ga&IZTRyku8-vKTb9M+W{R$6b1G6cijs0H?^!fQ)qM>5Ku#+DV)8f@%Pk zgs(X=uI+m%le9uS#Y4o4pJJw3_ZxA%D@C#tuVuYf8_P0FPM-;|&T;k)+en!6POA|3 zg1=?cqWsmYPC*T}nMPrV@CTXL_2jZZeqs-cCu(n!Gd6OY{|TgeKz&_!K57J8j@(${ zF|iBv=mB;w96wfdu2om=-y6@YI8;z@KX$^t5lieK;NJq984dO2a&XIcWpwss` z&IYVa3APyl98?DK>tt34Be|?YuZ--06M7@A`g=WF8OI-qb5?TTqn6mf z_hqt*X)66> z^57_ut8N4U^=9Sr;YZ!uY=8=5EK*HV2u0?z%Et_+2C~YHcH*99bo)2V%=HV zt%H?1RASY8*~D3nV(NTmK){a&c*e%C&kk_TxA_2|h^3ocukj<3aETxb^C0>L&$CTe zgiPT}yad05H+w!uSfY)Bx2-6!P2jY}FbdQc^4m|p-nOG)D^_c1jS|nyDk+Ll?Cu4y z(S4GP#7V+t0K_f4A4{19pUomxx?cEL*l0Ts7!KTxXqhlz-UK9{CPv{2r3Q~BZ*mg} z(>a-~ABWlWLjI5dYn6c2VNJ0gyhU92znVyK)ZF+u~iTyOr_Z;IJ0rX`?+g1w3jT0AzRT|GJ za(2Okv~xh)H}nSyewFT*K|>H)td+Vy_!oMYd@&<9eT;|L4x4Z#Pm1@B8?+~FUn3eVIgk@{!$o^2hdFRwThX$ zq*-_%v_KjFK=7F{(mcQm6`wF26Xn{fbY$B+#%(Rhj{#)UX*b}F00*%FGr>*d8vyF} z+>b(MJ%1z%B?ZfoZHid32;u9!3TC|TdhM*3!GDt|Ucne4?6;oHu{y@fwo?Z7&7|_P z?k%>>snjdJWwS&>Dq2Gk{$?44&L7i*(`k9K9XK`%4K{NC&On>lRa8I6K9|kP)`2VP zYhxhK*bL9`cgSp2viMQ}OiHnl5g$wx19~=RiuytGI@{Tg3s)ik)kfR%Q&A1e%HrRW z+1YyQK~vkR6JNm^>i|%#+9tL;L#$)A?qClHx#*Tc+ReYj zu%FoYry23%JnMCe*kwWK;@hmFiNR&+ZuVY{zcr4O@rU%{+p?C8Q7QZB65y?DWgm+OBeqY0}EG$cqB zVI=Po@;DccWK6}c3W;(yUD-Y=q$o1%DAflzo8vVqlx-d?@IngNcr;nQLdXa(!9UxE zCD2=NLdSQE+4^%Lxv$&`Yn2odZe)tN2b_5x?(W(@Bc=-wpE@E3xMCuD_t07ZQWuhx zS)9+w3t&%lK5yHVtI8(>zCr}dWC}M5U6po8` zv`mUrwpXS=%&KFJSl&tQpfiL(*G9Zbmp)v;Omw6o0X{(A34rP-m_0jdp6EN)@gk%D@mqR?N;`%QH=4oZs*d1JEyyCKXb>+2ilSby5c%N;b-WT@8Fzs-i|@qGz(z6lTrL;ec?2V_-&%m z4nAN-0+3ks5PzGfRNyPS%EWksm=dQj~@%nZtQZSvA)LM$nSQb8pkUQY&>%? z|EPp5u&q(bJJ0bTqDEL+$=jhNjE8K8*iChp#4noQZ$vv{q5(eAoqRtAH&P2A=0HH( zT@dQCN8;I-czP>@`rJzsg!}zVk$gX~u79!N6X+-*+;i?1MOk(w*k)#I@wCMfYsV?N zhVw>)N(xpY?E%EKVHN1Ue3MWIae4g5k?m+|!7=37hinD|*Qhz|+Bryb67C?^7K}lz z9PaDdtw`PDAA~{;1rrb*6xvRnR&(IM<9ccC$ybzdTK2kN7Q2i6TJJQf?Y}z}i*V(J z7a?eWDaU!oavZ;n4S&&N(25Bj#$P?4By|=}hYbvsx)xJ7O(5rq+Wki923$!~)ws5D zI!^pqBH3CyB2!5)15t;X&G5{?!h$8ySP1Z3|GSLEon#t>G|cS-6N%2fknGVLjU3I# zfFJuJoa>^I8-2hbm!L&1M61~Q9)d%q`g#az=$)S%qv6aUdv96@0FKX!xh^>x!*L$eyDyg}ikM;tEB0d1(W?;u z7wzx#3q?c=>uW$Xa?TzNfQd$j_r<+KrK0b>@Hm{?K}ey!F9;ke+WRi3ExaW?ny@k# z&R3zdDDVx$sY8^|KlNED1d&IRdwTDQ3I$4S0^p+Fq@Uj2>@5NUkovxkhRH|sf#6#x zFIq6X2Tl&*hYOXva6j~2G~_+%Mz&wbF#<(tiuPk)r}Z{38k}DfeSdGm`|b{1=!3qF z*DMc^i#Ru--kM%;C0}Svua-s&X$e7ldt?70II{00ntddkdDcguTSI*v&?lgOi1f0k z{;0-A3)3zk+k~KP(SXdp-Uh!VgfX^4Z}!%ruLF8rpO>T^O&W+6(<|VjXvaVVCumAv zZ(Uxy-kyz$M6>sfK9CgLeOcFER3ONOYK2i49g4kTE(B3sxb2cC;7J%3AUqggQQ7pR z23*Wo=xs7Y0siZQm%1+c?%oG4_$_Ms8rmz#X!=5g= zE@^ph6QlP=d*q+*?iGDhWqXzKf;6Jd=^MGd^}00i^hy&1+N+%K|HYn(D(xkQ2}teI z0JxxK7xXJySf7?fTY0IUdWY3T$y}JoVA~jN!R14~@9DmdxHO7-+X;g_8br_w$pynY zI`2fgFj`9uqFDc%+})Sl{kNNUU5+vVUDwpStS`s%hQH~=A3nv-8-Khb#`*jGkYx$^ z^Z#9qYAzsE{dYC`?`rhl)d;-k|6PqP8le9#SEGNMk^bISSa_{uobao@7Z%{_MKuB} zTa&<~t_CZn*Mb6*yLUO`7|Gn5kdCcpSVT1^Bcxx#yoBr}nr-g|l#H(Z)UDH!0f*Dr z5)QWzJ2xyvi-J7#8rZlhw>M*3i^Bi(W_9Cue0^r0fx^IdkOxk#(}Ph!cfeUnxZt+mqrf$ zKFK9?!HI@T$rci68nR@}v$sa(hMVn>gPlrLmb=u6`k1ZV`L`M!q|m?9<( zH&0hEYK5ddnufgRC!E=mNnTa@!)YR zHbJNKreEhRtKoQ@N<};feCLhf2aE5<-@rG6s0g_+%UaBnj|+*+YRJK;yoL_&PWF0;r4kxFErpmCl?SeZH)q6Xx5Sj@01497j8<41+nX2N zp!ViYd(T7C^Bqv-^HAlFamus~GT=Z5WbzHiDN?~g6=znZ07Wtccn>e$5_q2bk_=$J zB5y66MkMke^DR>LA2E0BO?NsD79)54e8Ed0dL} zGuhESi4#akffErSaENo_p?lZhInW*+=W~njAd(Ni32>%Z2I}QJk*cMlMJu>j&^O1m zMTq8sn$hd=c%fk73!wyeZpRZy$*3b@r35eU7@Kqf!&GKeYMS=b`Dc*|0O-OP$S5h^ zDY#C~W*|Seg}H9SUnL9vj_xiW0fYu@4EGcx3(L8u@jI2jVP-nSlzqzGi;ooFO{eR$ zROVAb5#|@3L1+LonED}Pxdgd&?AU1Y9rM(n9o*f~8JcNDv0gssQoAUrT3=rcz5 z7I;DNn1Bz0gX;r6K@9i;uM1pM?zdy-DFGkBP637x76SKjL+O15t%!=9aeCNEg2U*%n+5v^1xDXrQk!rf_}?%~VDF5H;c9O1}d`B@uuKtP5+) z6S0R&vOT9SNJ6f=7A7;3ARL^pJW5U6H2y{XNlBZIh=h`SpP_fh(_r346e8uthZoNL z2SNrvQ;(0U$GP8dcF)mBH0HO}!9$*(w;T_2y#Nuvnv1y^{FE;89Z6$$a1nMm#YIx& z0E4Z<2t1GsmuB+E4a$>vW1tz%jl$U{2e_68w%AVV@n^xKp)0slb8lL$8orQc>ouRy zvxAMYgu|g!IUZ8n6GLTOB{qj|vmT{fO5lKhC{mY%%b0XXczOgB4_C+qQFMky57UQm zsU92~N`m+!#icNbtP2*%&SEQeGC6>{FW^&*Kz#Tb#tg@n35r>`2Hb?pfvMr_e4OT3 z%HTAbC|^&90)%l#nf3^#U-=(~^CWy%zykUYh!Cj~V6yU$KpS3xQ8$951mDJUDq4-)ZoJ9kjXju7thSYLn2}~L^F@I} z7X3o^Ndam;=*8*MNNG2d8hA#5yeB2(+QI!QS(Kj2yKol%wPEjuQ%pP_?E1xjN{63z zwbQ9a&45sOTPPd|&%7DO2b>U_HmUn}?F(~s;^D+;d2;FbZWxn$$jQI~ZVut_b(QaS zR1`iN1Jn6pP*NW6gjuP&cUE$R3I>73hGK-}phU5rn~?N@rqi*aUTNPk0RrYTaAiJq zW#U!6;o{0Oc(7O%*QVI^=<$lsO3n;tK?(RJE`j=#0LQBV+zdlL2c$DjvtrQt1>73& z^X0*fd0j5NkP}>~_^9nq`rdi+Ixf`yB9q6DqaD>aPaDzCwG(a?A=8-T?OlZP0_PpK znaQAqPC>-$U9->K&auvixA0OQ-o;hfgyl{(qOv};+!4d z>j}H^USi&SKVi$WRb9yHv0~SH#jVYYJ<+DjD?ePg8yA=2JokEKJainqmE@JCsk?Ei zAizu|1eXFgDP0p-hac)nTK|k~aXd*Vxfv6f{IDPL6o$4>=7v$R1mbckr=KEu-*tOE z5BGEYU?fw$k)z?zj}R}26G>_D-0Ez=ILFUn2vXeXK+~ z@a+xXL{dWWpbPEfna*lX2n-4Q3W8EWqIueQLh?d6oFL7H8-|Aez^RTQafHV|My-J2 zS)r$e0=CqIxtF(eWMOVYR`{{NMs0LInp&_QLB9XzTvgx`yhSiqe#G(8t*{=nG9m=Z zsH&EZ6cto(y{afB+E4`V8y_&T_n4LM=!4~>;TYpv|1~k?$A}sTL15?D zkYB9etEJa%*D*|z&@PRnR>yn53?rp-_hXTq(MHCcb+CK%-XG6SEsO(g2XOSWn(`+h zU#-Hb131s0hBYUic^{Tpa+7wR& zMkcpvE(hlTZa0h#Q}I1`mo1U$GVt|Anw0jr2@P5g6t~g~2dBb8$^5`#@;NQTrc=3O zz7k85Af8~8Tvm&4hFU?!aIXU32}yGMNK(-POi~)>A>lQW=Ke_DgcW)i&k^3F$H-m) zCmO-c!%WGINSabPM~V;7&crIn0O$a2xD}h%<1HFcUtC%FK9Ng5=z8GXOZ=7kjw>iI zXnWyQVDdSZCVA(VuOK7J-vJd`(z(FaW}vyu4ILBRP3*da_RpB>9cl62RPFkBI?VP6 zD`jvqI!1FdWV<{k6laqufc@-L)3}hZVr2#%-u>s$v)o_KOxrM@6FPxp$Fn%rJ8Z)} zSo6Jx<@<=-IaoW-E4v+VMCy9Aa5N$_E8rjNfjAoSR;YJ{okTi#Bg_b?GFmC|QiZ!Y|%1mY3JfwIk89BfmIF`P}!i1_uSAhvLC$2RI7!F|vS1R=tCZ zPy36I_=UMM9hkcC?IqTj;!$8Gyhe*N@kr|(hQ@YOY-IOS`4DcxBjk8hKY14pzK_!8 z?ZV2L;E)4D&fgAkA_I$$aPf|LdXAg6s%Qdo^wXcR1@h(Nj|n_XuayTio{168%bB(wy>LjH%*D4?m+Hmw34tMw`wf8s>ieB5 z0EDUdRh*%9!~g@+!^|Wcpo9GaDn2pU6GNJ7=kzDZll>?>Zo^~jEBcN(u9CeEp0p6# z`tKt1%j0@{c|AMsVsA?f{M31l8y+&2&k|oWIp)Hs@?J}mDs#>~36|_jG=+fVBDtP>0FRQUD}N5&Ov;2A*dvX=S;v~(N1aEQ{73Nz$|v|+QiivybIy${A1z&d zE}2xj*9ocKq;9M2cTTVs+AwyyV{mz7xGNSXmG?jzalx`0oKil9qzJ3HR^bK6Paf&M zLrC@Q#=>YEvT1RX3n7xBbDJ`%`*p}Bs~wHuc&gG76UW`Cgk6N=9T?O|dNGeBsICa(5<_?(bHPGAO3U;-1!NCFv1Bm)^pgecJV{P-DDL}KQESDmYFk^a+G=YnZe84MwY9CbSZ!;qtxMJV*3$2xeSg32 z{l4q{uIu}AB_x?ll9@ASd6xUR@78_X6ta*VMyLgrY_rK8M#6ECR2DWr1}_wb5MaO&1XPbqy)$NuNmTTS5hTekoO7Az+z4^ zULtKIFw!Q2IxKeMqQXJjX88vdC$YDolrU`DPmbZnyc3}rT}|JZL14)2b$3R_o*uiZ zv+1ok`%W;J&$^Tfc1SXwW;u>S`N`rO!o6ac-Zrx2H}=91Rb0VjT=m31u(s856>IIC z>u*u7fkwNz(es;KnR87QZR_Lc z&c*rdT#j=v{Imj@WJo|8CDu$tZJf3Af!RH9GSSZ8zlIZ#V zrcP=$BHm=zUO1}l%-};xWE5P1wz|(L( zp5`Cc5QifS%Zz!oP!SB8dE|SXBP}0h{pP~1DrHXb$ zg9t7@pIJk0N>*%qvBN3h=@?^A^Ic{Pz)83d8OL zt%q$HCp>}1A%>6fz7xHuotr4M#|wKj9A6xPr%YV0JH_#@I@~n<;hXqhhTUAOa8Sb( zlpf|x%Yzt`qdV?wc5_y`ACJL;h37hXQ*o#2TqJ;;V!AQHXs`U;myL2CA^Ui!0Q85@ zUrJ^n<1TO%AM(dNM(%kyfSM1GUFGy3I-kph534Yp3!ukuEWI1TxMKi?g{65BEX~E( zBv*&5KCII@%*Ej4aVzQ8g0+C72Dz$3I&Unj1Kb#f!~JiS3y&Dgb4_$OC%}^6#oel| z3nMhf?N?V(+r(FKtRq_m)#4y9W!K1wXwUWhbKC+PpSuIW@YIhdJE!b9M@R58>7bjv zxq&KHst?eWf?hr8uLI^F+SZbBjc9&`a{%~hI7$@8; z(5OEr^a{mk+(>=^j&+?wZU2(=nzrvQyy3Z!H5iej!p~}79P;Q>MKS7<2xKl?U>YtZV zRLK7%4iA7Z6d`Hf9tjA`j%`&&3>em` ziW;%0H85tvx2-|3vty5{<5vwkN)oqjI;u(9_wCW(l;g3-Lef4Pc8p0MvTPRH_3rsu zq1_Rk9TpSfnH`)HRjbtIC+<;(7pC7+MtJk=Dz11?tx8uqYL6p|^u_rKk>^t{z1I8aW_6mFMymu})X?EKQ!;~8>L6Ohjy)d^^`BR)1+Zd9SXPgt$ zm}gp$bTlt+NjF7){E9wV`N69P)e*6I)LxSC(vOIkHao|PiOUx?iK4@XnQ-ap|^DCXSp@uz2B~%NU9iIF}_+it^B`$cE?Rw{(2W+={AEkz7KK$ajQ1`AITh6KfxclkS?tgWI#yO87 zmh}jr1D1J$j1ziiX>7B@dNQxKo$vX{4aJ2hnx95J5yc}e`9{kx6N1q{e9ah!^&-Ie>PxJ08)25Hz@uqi3 zuP-JN@nDqaRQVL+%Fp9J_;LT~ifIpTem-<&Gq-lwELyVGKlgBhVz@GX`ykB}^S-s7 zMLD0YeWofiuyjO3zVk}ts^XEQ12dl<|EzLt<@VC#^_HWh&u*L^ST<_&;>)V4ZOxPP z)jM(9$4R>kZ|O(BKKA=BM-OY&tsfJ7=KJHp`!3}YWuX1;oU!{ZO>vapx$$)o5oM^p(z{L@tOkh0_4vtQSatW1rl``GgK*C|u& zLHW-Gr9Y0DaN$nni#D1Ubag^t%*-CP_or_OlNSHjGwq0{c4={0ovqpPnp*IoFwi)Y5f#aq7Vzb|{=H{rg#A5O~Gz5Dz1 zoV-6b#PfVBDv0Q_YRgg0AD2!HrGY7L4t!y%eQqGow#Xp~=}&`(%~Y^?!x{pG^q@v! z{ry7lCPs+oK}-ZP@vaX`%MOl+_E9k49}-lzMT{ zmc@xnV8*UII91AVffe$#zno}k9csd{5-mGQvM^;{?fSDnkH{aeRp}~>_H`M zqso@Je);H`r9&>IEU7zd-W(?N_3R%sTKw0Xmj6h>s)6AUpgQAf{z<}qF;k)YVyL+0 z{w9UE`4!03{-4aI|246Y&UNd<1^%5>h#3kRt ztK?o&{6DAipnvZkrTTj(*m;p6<=^wQqAO}{Mk-|tX>MM&teGHL*+DB!mNnx5PEX{R z<}fI=f;WHzH4tm45_duYP8A9XZAQ&_B*dAcL%MW)L%9+)Q!s8x9UjOi`BX-XX^ui& zo8c>&P?AV&YP77G(E$VB3Zw+OWJ5?8B81e$lQ0wnzYY6|I~M(CvjzebU~*;MKaKjH zO7~fS_}csyh4|S#*bCb9|9x8jwdwwop&TIwBMijM9UR&~)coHV${Pc@YyZhV|9`|# z-Vl)f?`92vmWaOyg06w-fzaN{9;UHS)INWog{T4}!VouqpIH@>V%ETW%ktI(sp7JD zOnU6Y^Y;NqbHMz4K(d?<|8Y*5&J5oKANMLy4=tixJnCUGWBBql@i?9dL?dtrj*cB$ zfMEOBHZ=~!8BwOO`AXDd1rX)MlN1z)1?55o4vY;$FTnQs`*KtQ%Eo~zLHV@;Z;lwe z0+JqxzOBsX@y8*!#|mI$L)%pi_$M{|ib@-jd!S%1Axbe{HJ3Cf=Lh1fC^&GuEN`&t zNkl%JRs>=;M3~0*fTJRzDkmyXHIu+tuM*8f@f5|Y#)Wk>zy+0%G9m){YW&5(j&n4N z^Hz0S@BbxL_hwg)|L1DA2kG7q6n8CwtNqDh*ysP?D*V@8a2|6raUV|q_YfL|kP0jB zc2@;KyuJrK|C>Wy4Sga4?jqb{;2s6{Sh$3~CkR3R#Q&n-`+Jzz$2rG8M&^lyP1bhOeW?@bV z^zi9Sg)-Ho(x_Nv>IA$HO~$IIY$Q)^MyYrjvvUW-g#Q0rn*Z8&4s26%r=LLY`8Ut_S1Xi9?kJ$= zfWBOZjr{-3HU2+paG)PYtpCe89^aw4h-C1X|4lv4#egzs4El$Eyx0Hok8_rYwAj8r zP&<4+>Hk&)lr4`tXU#nA;hKm(=YSiqb&bOyaxD@p~=+%QyLjpzu_I>|s? zaE7vnOj`aHZRFA&Uqgkv{Rfn;DnzNSLS%S*JMawk$5)gJW&XVo$T?T4ih$_GXh#$B zzs;|sWu+68b_iI3~pWO9xP*0%-RXsjBq$7oGTuqiD z2VDwsq2VZvn+JhC6zdj1HpCL!=s;ZWN?+JNY4DdrI?~|$XZ}v0&-ya*YduTpgO0Sf z|9hVsqjFB9Ln#DknfEfrDpM`|@8kH1AA$VfX(j1KIx+3N_oUa*`U47h^4 zC^7C;t_>hZJJRU4M9>2#R(}kQQbXGP%1!((<@fjq%t4l;glV3L(v186Nx-*C&meq+ zM%CUXnSR}+rMB;g-p_z&^IGHwyT$t%aiDa$8HWAhB$VMei{!#-L_%GdSZfKXBvA2n zGk_$sR|#|%icP18J%u^t9hni|QME48!_Ze`W_f)&vdeoAl1E>az~k8(Al z(lAvc?DipTMA) z!g1{})H{v7~> z@D3!OHdHLnYwf*QFouLGPK+(ov`qaC{{t2B~|G4rb&8d#X5(Um7XE91p5Tj!xzX&v5G8GldLji{%7U4^7tdsLjSD z{P~ybW7OskRJF<)sJMg@Fa{84CC<$({fE4Xj;*VjA3#Dx@m$5GdEgk zZ{&I#CXhMYBxJ9(;{LcQqYG#Cp1LyqrV+~|o=>B7O)2!R+DkVz!UGNC%6x)xK`Nqd z^B=8~4O2{`!|@@*1e9T|XT-Vm&+Eup|E&KQx>fjf2RuMK0ob|5-ReV@8vFi(Gk9HQ z8P7P-zOD*vO``hc(@3Fl{KN~AsPU{eC8*_Rkw?$z-DL_8oep3;E1{Q~1CX<7u>CUX zVhSNBW9;uD4SA^_N?oqY=x21D7*2m;&eJlK#`KdnDXmx4u4LqU0qv}yey5v=Z>fFN z$eVFu9nG?Ihc3Ca$c31z+HSkejQ&nIvzqIQ($2VJ)j@+-7OI4P&aEzWA-=UT-(7*Jz30`@HN5fs^z_2Zr zYp&Lj@hyIXb!4ErWvjvRXMENGWKX8NKTX<*THeFG%n|8glR9ik3sd z+rcCn*EA;+uXj{N1)Cb|t_b4(B>6W@-sg+5P@xxu4^rF{gRGad7>`_r3W`t`Fh&-r z5zcHE3wS(Az8}yw*I221#&6a-FDUGf*iKsOdm-=|KO|dRcd>X*3*_eF;3(ry_8GW} z7fEl2dt#O6h+~Q~6%|dwQaakRrgbwK_xc)PZ;1UKc@IDRH)z5f^$&`oSjJCn8v$D)J{v-2g6K2kLg@}VfVbv%Q_3#x1-=**ts9V?HG2(rb{?at zPei`jdX`iLqEvn&b<-ZwbLh`}AfuHQAi7#L$go;?4Kn)fIFJOxr3_~(Cl$L9aA6z` zQ^)p5;}7z~feyr8wi`j=C|BwJJ1{cJKj!&Z|QIPJW37?b{)}(%QV*A8evleT-bi%B@If=h>>L^&E!EF ztYsy)$oVCbEu1_8S#N28-`069Sbi}Gte1OkvR|xYocob(aYAu0_P5qz7oC1ZwX`ksOZcb2-_je!=b!khs1Re}q<5P)y5IXSg!=IRr8D zo%@+5`~_MK9K&>|>R>|!FrmK-!)8PUXp8s6o6(s!yVtx@7fth6w&hMm@1(@-U(3Z@x$PQ({0p(@8WQ9Zk?{yawCrm;_j6 zD=m}oi`wXT;Apbz7|FrI`f8ucn5_|%oPnJ5amI*8>)Zx7b>q&qyZ9HZmwra1Husw1 zCeTV6r|_kuT5H!Zv#+$ee+wynaCJ;oXZ>#`JjA+&&_#5KJOnuoisM6QVnr3I9ilqz zf0>?lyadMQ1oH-?PIU<;!z;+pTmP!2G#{m}{tB*Q=A0F%pjXGtZe5HQ_mcM$&s-)- z{!0Tj+~ON*?S?QWW%)_6!BfKULLW8ZJw*)fTpZ+l!Z3$2eiwl5Cl{qMv63xh=TidZ zsA@*zD6v{tt(OR+O!6({Po=y*PD}C{+?1D2DjQrv|8U@OYjDsgC-_V`oZo5-B2MqK zLNS$-gT$S2_K`FhrQ1lUHD?~33cM?(-=eQ9(aw(YC($(fi}V@jQKmdiNq1DMa5qt( zgqSzws-U*ej;XQ1wj6rEv|YfRwK(_d={)#`*WT3A|8`G#~G(|ufL$4|f& zMk|eBP2bU~dmwmDR?Nu)>OR$87T`sN87gimXG3XHb;#Zkh>mLwN1gOPuw&~j3FIB) zDJD{W9ANy2iOT&Dz(-QJqO4PA)g78FPYQ19V*QE%L3#a{5T+#;NQ%G^mXj6qUegUj znP-&z6>7L>h;@F08a_7|r0)>Qkg8PT^kCI@QYr!}2B(o2_U5cIbnylTy4tNm5KnAcYZlkpzl&Xjv&y!~%L5$h%}q+5TX z{K##*^bi}@2q{so0}*oTI#>vYU{BB5961$9vjb~ih2`*@h9=IdkB%h*a=gCnO0o7M zO@oWt=@~nWht)1$Ci1TK&uPk{dHNY@+6y_jUYotZ{(w9_G)sRpR#>N9ev5o-dqZ0j z?R=~-UZ-i!O1$T7D%h&%LE%C~>1<=Fa(R$0H)8dRloTKxLKU;k{7@64b51P|c^X#n<Nu4*O*6Z-w(0OD!nCE z6QY+sQ~+4U-1wP-zN4*C<3+0HYZf8#N2*F|*n!itjw2OS9p{=1HH-60Z;0nLG`Zp{ zM4mwQo_2FyQ_!2%)gh=$Q6p;oNI%Z5dOsI{hnO_ZIERRsI}`E)BxVM5$+P^=*2$sX za~L1!i)I{EYf+S2k zfB7Lio8iJRKZNQL6&e`flsZ3wjZss*Gb6C2lR>YY&ycjX0(e~%$Rds44Ab9MlT@He zgdfZGsdy1|NTgPTv1IAIe3Z4K-EC~bc=T?-88sEafc`EpS1 z_ApY{R!0XoH>=ymcKj07nyCQv&JLuF2%*ugrrD zn3jIPUMAdh+eNP8UYm76$ff0UkG&Y0q_U(78oSoe+te+X_U5i)e6$a`+NdnwsDBjF z=47`=u(d?$Py8GgQxQRo(>U|+k!pVu7TGl%Uw|jV^6GccxUw?h?~dbcMU>?sLDaa- zNT<+Q?5s`WvGaxOM^U=y1p5~UkC`+o)xs@irZ=AJ5pg?zwlR-qM0(@okQo3n%z_5r~z1UizbPtyUXG z>(Ov+y_uhKv>$MQ0KwxvG(|tWoA3dZ*Wt1a399SVZVMw{8vlgZr584~U$_Y715C)g z%?c+ETNi`IRL5&cr;yV^k(2r5$z8LTOP8Gr`E+Q;EO-BC-vCsbw=KZ*J~h8a-pHwk zo+sg)$Two%+@lRzH+Kyq3VIkR;t0gRg*VHR6;;`vUbsOT-^IFf5a_Fv`Icu#owHnwM! zYCBnz@ssf-(?lX?@wqiBAt{{f5=o?V7ID+5joX~{r($*cmG~8~*7@otBYrDQE^0vB zZmUh3I~#FXT(WFdFjtPAMBG5ej$7 zQYyKyydC{A0x=`x8=bh-PONC11+)38*b<;+(A8Z*Qx5^pa^pL=q!zvY?&2`9oTVRS z#Uke%m9~U5JZ3yEJ(2q>gOBjk_Oop?i`3O4Zzo6y>#r$%GCHu6o8lq!cfy-jp2ZGKq7szWHZ+3 z8AD#?Uzuoke{^Ag>n`-0UNi`e!NOZsTR$l`NlI4(V;0+)H5ITzg@MjnL z(8lH`4Ql8ss%)CD=d=0(lm@~mk_i_!jI^PmK8kASHglwW?D*YuSp#l|v@F5Cj^>JY zqs-L}tL-s`Ga-rHOYVfdZ)w}&X)0eqhxyWwYP93sYqfk7O?e^55q3ykO2*UK>8%I^#B@fy-r(@r#}cC=CV1-s!q89Sla~H zSiXQiPR3-sV>TO?VLMaGOTKbs@2u*IyD+1GSMK+ox|@+OXO4r#&KP5^26DlvMLp1r z1|$_C^jl_?wJ2S5M3NmQ4QsE}w&|?fB)%Kh**F8g!X8r_c7WoMa5t1h8n+Z)wFI&c zLhZ-+5k-AFKr?1rK_kM;tpiB&Rr5>sFMKtK>k9wurK&t!Zx%DQkQ;{Q#U63>i>-cR z&T9Xlf<7o~0h-eXNiQSxy1syLW$dkBzyvu1boM*CWqMPm6zyk3GNxEwwcjP**T1E5 z7we37?H5#f(HLx$G7TAPTU*hm(jFu}Q_>NWd6(1Y1+%K|svWv_w7ksCr*HUk4OU@7 zH!czHF^bSl9w{VGp0rEBC0T2-y|VbO0e`Mc4HQR*8xfZ0Z?zQD^IVLSm`RUOgFHJ( z{*DMy0&*6sa)#h9fY?V7iO;}6Iu$ z#H3_IbLy&*VJ%G=9*DgHKbfZboNlsO^e!@fvYzTSOnkU4v zuv{90NmR=TaF0F?ZHS_J-A;zct?5Gd6o~7x4Bz&cIu_ru$CYggWET-CGkq~;#^_xk z^(U>jLfeLLU2``CgDwx#w^U)Q(!N0GEW48)V1J6DAw@n^?6K|<*%%GFY(1^kDM`_X zYGZOs8)tGTEJ#e%sO}h(DXGp@A?+YiL! zdDgqf*;nD&YjvbD(}~m5WQdV{$TJrneo=T98e;4$RB#1*cgRiz`Vo}3|4LFlM}>%3 zxd~|xg;Bk2D;SHvgc(m#1NC~-#KO@0(O^s5E2t`_maAXNX-Ik=n~&3K=CgtxXhCm8 zOFVjIRH${6MxGoj|AdUKo*rnJTWNFgc6N9;Zgt&{Fk(^JAdr~O^Sexm_BgjjX~ zalWtdy{p!)9(|}0gD94MTe4xiVY|)%+8UM*d{aRjLt0Ge;zLVO0i>BW>jP5st2NGG z{I6ev%novd6#TLmF?)qyg4quk?KfG*bNF!eAWWu{`Rhht!zf!i46ShCtN;MJp_DB; zt6+LQGO0o!=jG7xWALx2W}?oUOTR7cN1ACAQ9qiE>@&pVd{W|jh}!3)-SZKd+kR60 z=%hO5*Sa8uTZ^HE$fxaZV*8umr=$vZ!t`t6q^{vC4dtSwwJaMLN_n<6+8G97OJH_6 zug0@n=yWp|^r zNoylq=Ep(L(ZPA??pwRWs>RS3MGg zIQK@C+zl^3qS{D%yXz1yv;DP>c-K*s5rxtouCUA(%cD^Gl|0oCY^a(}f*IrxKpKcs zo&*s_^R~7v)X6nrJPBNdY&;eHT6jX=FVdDtdiYO3tY=7o=O9c#nh0X|?1$jaZG|f& zfO(BL{9k8&52*{!yFy5WyaD;Y1uJC?Y6$nf57V%AZVc7Svry#|c({!kY;3fKxm>%z zJ4>)dis|7wJ>XcA5whQ7oAXsEV8Ev>{sy{Gtj~eYD6O{6+6}=TO7n$vI{KRQThR6a z$eW}cC(yz6T7nO~g6O;TAE2~}P)V|R6GT@;+2HGnxDOkwN-o?Nth1`(g~zdCT!?;B zh;?@`yMwFTN&b>)Z=tuw+O^NfI;*K)LbZgv>CJ zCHPyERxkxM`Vb@^<;H-9{_LBHAA5B3aID$nodq1Gr!>NG`x{u~UDCTnf7= za)lKYj7N0;a1*A+_RHwvWz;?$sixB$*LQGGE1bA}7%mzHtH<`~h#qa9jWcJT?2qmT zVe+#-1-$pL?I58z{p3Eh{T{gd7hgn-<3dvVOG<*7;?2F4?M7@g<|YTiF#jwpYqv^X z86p%`i%mA+vW|QNn0KN1UyPby7qYI!op|KQ9^rRTtc?9Vjb2j(a0h}%`FD2(JTx*7@lYOs7CWi2uZ z54uQMNP0%?a`uzfqk?HjxEgHR&OQxszW|oJ+H^XRn<+M_3sz#&=ZRc04EVsJWW?T7 zv#*B0s=yDYxz^^SlHJ(8h514PSWHc@_?$*Jm(4w`(@pLoe=6_#LG7G{!1%b_RL-pR zE_NH1_NjExc=~%mmY~GGkqfWkzv_FQkKZeRb29z9Txe9Ssy5|FC z*Q9CK`j%R7NK85uH2|))v6m^kQccr^7o+GdSDu>7Wrop&j4RsD zHS9Pw^_e8j^1Rs1DGx^X=4eku(601Vuo>K(#d=YzZQ;0e{88UaU~uaqNk*}GwpVs z8*6>f=z`4tOjRF40%&;I8&&R#Kx`V#fOiPE3HuUNB=FTbdpJwVOW4cmIL#Si@4MUZHy~(h@ZC7_!cG z3T8^*DiiQ>n`%wVkKE~r>%keaN{^AgS#3>FH;gwW29sUIFS@@5N#H!XuCWBstt~fD z?>n+^J66)_A(S2^jSTY~6#B+!|9pm=_3VV0PH0g>EW=;OBC=-*%;Qf2D|!zVU%GtJJJAQoi)gRm+J3vq)+AdG}^frRelW*`;gEppJa4qqtVhiRN2b$AmOTgYn*?*{Vn>kH>!S_Y9&2MR#LMtGs3;rKqt71k*g#C zjn~hQ^E_ftnXQ+Z!nZ7)JcDsO<|H$+-k`+d8G|j97q_}`*GqxM-Z-Hu!9Q9W5$9amH-pV-G)DVEmc9t$v>r4D<#1d+Q_e0b9(wvgZk{0={zE^XQgQ`KX>8?r;7rS_Qd z6Vx>J*w_O3U#M*u6P2|l2$r^kYNHimUXvBDI7iA86~>nt-m53A#x~(vECh=Eli~D2 z)c#i?QZy3zubSFO{+rB5Jd@W;zv0SVT(o=>RetLUV-C4i5n*($5N#B<5^ar!ZXxr) z>2v4R_5h;0KdHk~>~tcxUO`!JC)3rVpw)?O^s=RFCshA=Z6Nc=Y5 zYH`7YO~>#fOeL{=ID}@ZvryS=ge>9*Q{}S?xgzV}4QCgq@Pznyh>kW$wK(&v&aUIk zg=PFu`AY_vor_+@)n$kq!NptG>#HG+eZc;dsHGSMS14zp%xpoQz;q?Y2*ZCb!lfQe$ZwqW_Y%8EM&jPJ2*{o*OGaPjKVq@)y>6gT&T!}IaiHAQMVHxfXLcxWa(D+KIVpQ z?uAL;vQzkEUj+MVd#xw6by>LJCZ1Z0xydz&s9+!}O6UkEaiv981p3^ZT(b~aKQJFG zI6DGyHB&dCb*mLeA^5gg!R74ki+D%Av9xXKNT79{qrhBeUNhB!K(f`8PK5g$X<@sE z3O?dI%E~=Li-Ht84=}xEEJ7tVRQE%WbFz^iE>2ohWD9ZxTi*@WP6(#oI~Rwtks$)j zc8<}oy+gnd8l#a{7Ffqn=U7M!(3h;=b#|&W+FEMqF0%R3entW}@vm(8AQ8SR@J5(? zT5*W2yx#o|u^z957%Nx5t{d{*MkP7O@G;;4oRdxb2hK0mB^I1to}uKP|8qtbh=C@L zeT|=Bc)X{^vBS`X4=$=j1v#*AGx>EB(dr-MPzC*-pImbg9o{f$ETY#jUiT6*H1fe` zm3XroZPw!5KEx;0a>CG_bIh8gv zf{Ssbqt-z7Oc)(VyYg=qm~j5G;#5AVBpg>HqZygXk-(-~XX;Z_;Z_O5!%h%~>h%Jy zm-v*?b%}&jHy*P5bvVKYz)WiEWQZv3Qk{&R95juj+{QB#xQ%U?V`c!x=DzE>z{VUT zuR!)LtSJI*(jSO%-qkW+AHMAEO7!fIa8s{A5a_YWEE^%!Deg_9*8#9Ky|}qHI5zkwg{zBrE7~|Ka8|~-pLvnCCx1{{sEGZ?zh%>K5)e$@vc>S zJ|^pWlwpeXofuH&^Bi^+BZJjhf;`=D61#1n;X}TXo9UTJt?mzzXCHXrhb;#^KS5CX zYQb>i+z@QLQCeU+-U+{ExBwoUyDV4~G}e@O@q)n{?wf$TNOmE8cfqv)IS1p)0{lc3 zIkf_0_0%xC#dXq7PqO4_1vMXAmj{4XHJ>!KGuCe`M2WQO%0~Bn)S$xyGiod5fz2+B z2(YC>1~C79>NHJD7xOBeXLQn&#Imoj<845;(5hW`u{W?G(5y24A-P*$Y2HarOx0Q z^+2?D>({84UOUZD#1xQhdLqQ-bKn@c}%NTpSd@-oy4a(msBy!7dux^Y%EZBgD zJIQ@e%UW<8;o)ovNW67XyEfxJKRY(R{*I{Bm}|KWIT~s^c-4f|)MCrwtjs|6M-#a( z!_u`v_cXY};Ogam85w$P_8}-q`&bFsjdEd|K)10i!OTk=%aKXV{0pM%TRkhaeR|pR z^bwulG}gCoLvT}Vvvm^pgtQDof9kuL^zRY*b%p07ICNt)^RGvz#wt@$*h@m%@}6S{&B=o^_FS{zLIxr`n(3ho0M< zk8F*(Zv<2=KxwAbSm)jV&nwzJ zuYAT?Jt6=YJ&*!*&wayq7MPLw;roa~!F^zH3b{_aOddbH$PN}4mu(CAm; zgvxC$!=x^THno>|97xjt%nIe9xt#;9ZY?}XMuO`d~+sSJt1ZmtI!4EQZ*?1hdBmm$<*$zbkVAr2kv84Ka6~Smw68 z2IK1}F|fa>_q+)4TKRDpkjSt{)Ks=~A_Z(P;i8JxjJ0QrJI&S@9q{IpJkyy7KGFJ# z-tS4PvCQtK2_?Hx{z5v~wu`22 zzYTQ8I=8HvcIDp5-sp9UFOmiCVDuS>>z>-S+E&j5A|#O36@$g`F5!UY|f=D7?Bz}=`)?MZ|}$!2>) z^I!53WY^FH>zvTm0(53^)QPRgZyI*Qw4z#@qt&jc)?ErETa5EuGSYuvE#E*5JxUUg z^aV1$2kG)B7Ep#TzA@YaVzr?rquO``cV<5iRUI4tdUeAa)XKg>wHHFj_r~{VG{3@G zg^VB4cxzoK*yzTKzz?I7mLcgHGJnI1jz&B+w*lJ+lm2d_ZFPU#&!{x4ClgR2cjJPn z{XvgYNPj%Jz=3JHsHeIuA^OgQbaUiE=%Ekr642+iB{vM@Cl~C51#=SQK>Fch=;7iX zxIY{Cipf01y3R(5yeF{e_F(%^_BRPUk=~B1p2!OrSLti4^GRg1_YjxpxQ5Fu*Q}-; z-g=N)IUyAz?+s4GC#;|Io-Z4cjT-z><{Gj_xECzG%`|9LDbfH`6>fh55yYCNXYEh0 ze|i-;i*Yq1gWuL(A$U7Csk#7xP9r$a%75u~XCj67m`siFCqRr4*7!XW<(vg#8NuW| zzD|5bNA%(l&KenP&SpyPB>-Ng9Mt6O4p2MY#}URfCXBo0JY!;`pJl9^$$B-3+U#$_ zig;&gZW*FBuU4EGY+4jD(t%{i8x^eBfPCZ7iY#Qq)-o4_!j4Aa(w*=3LS@GgJu#;* zDvc1%6Z*Aw>%hN(f`H#Cnt`lwL{bLm*W}S=X;VLOZKRy1aOCFpWe%RTrU&oJL*%k* zHeD|DN8Hpem!XRTP-eQ2M#wAf6)q_m7w=Y`CMhxyNu9DjX0w*Yx_qeU17xV;`j-fp zuPDkxhD<|$L$JZf1^eDZb1G1g37xG5%MTlRO+UOVTah7_RG_l=P*EguB(yKX@-p0B zjiy$kqM_(o0iN!1-V0=Z*9fnNIIk&%iw4Vd`5mlnW3^M<&ba}?>O^|TDq5gq;$70a zq?e^)9X5=0Z9@7JY1~+GVYu}Or#+}P^^cPWtF>(gfOl3v21CD5=E}te;s!@M%UKGk z2T?ytZMRb2g($w%d)Feek2#_#s!djbm_8 z3g{;A8pC~Pn$ke>SV}=ZeT2(4A{yy~Tx&z!76r_92^E(x9lqkeg0ngFO`p<85TD^o z4M|+^NiT-|X#IA;D9O^Rh+CsNV@W6gxmoX&KFz-%%6OE*^Yp6H5Xj4Q^EJ8^If4Bt_A0Pp9YpG@K5mNU8U~0JqFuj z%7(zPwOeq8h5B44I-WamkrRUk(g~FLd3#Ts(Q{5!$8SHn1c#n~W#l)APHHd5QaQG+ z3I?(!`mA#ts~ri}sXRYeC=b_O&TS}RXhaysoXooRHipb6oM#dUxmV&+*cBD-l%(iQMJIbi+~evamf*gY)Mqik#_ z{h5f;D$HMl^exFyRny5*F5-Td(^Pen(Dq))+Mmh#1I^ipX%ih^k)_BWWj|n&ZzG`L zhMCZc(~Q^bi^L0{Pz#@Z29>Hd}loM6gOrWWGIbed$u+yP-F!=%eOsN?{mR<5V)QRY{|PbC5%luOmN zYc`+7To($4_V%IZ`wu(P?7#$Z9vwQ0YYXXzFeXY~M|18WuDpE-b}qr~^=NlJYX1W{ z|L6!W9n?RL5#ERc^ZGA6yB*N|S(`cmu>W=24)Mh(`ExBhAx1wzD{KcU7WR6K@Qq2{ z8pqCw5zfZSdLwIyfJI~tV*A5q?kxfXIm*CZjG=;CRtx=2V$UAh&Ef3U7@Ep#s9h@J zIA1s9J)sRC>`sC95+V#o^Uz}7lclU(jY{;ojl#JEITRZgQl8$kgzC3O5Qd%0&?N`! zt*=K|r?0$_R^vieNnYVX!c^^#43y|YCfoqj&o)r zt39@*o3Mfb3NLL=Ja~tTkv1G2oePn+Fur9_?R57|rasN7&gP?B7d?x=mqV0tHg*q3 z(nf4qY2%CE*Zz=}NtYY#-wL`Madm?CE-4Tb?Y^;~SQo(0a%L#Vz}#`ry+{o2l8Y33 zUC22B(L2|VA?JLwt}n8F%DCUb&KDTn7^^pT>=IZ7!%CB#mytXxfHyl|Lx4f``4#qK zm2c9fu}WBunvi%s7C=pgCiqteIXab8J1z?{99^({5JGSeWh}h`Ke)c4D=I88bYh>X z0rVBAxib*@O{7LDRXfiRHp)DGv{O>HZ8sQ%FD0^(4bsr}r7?(2*U%_$HdxReXa}&E zy9?uqa}yv3G|rb$3lHGGBGjTsrTRNo!w2#;jZq6tI}yn>MC=)+jn)_(@={e}5*9?Q zoP?b}E5rqyb(-WnO2j$&Fu!WQ(E=R!9x_gc-gpohr-7lHhmF%rMd^@91W=bAFl5H* zCx&NQCa%j@XZR|Q(CPNs%U|W&%=I(@95!B56|y+QFx4^^5}?nc+QrV{nEjem+mLZM zau=4fA1AW?t)_jDZX9H4PVzjXG64fdnF#^;nu)z=k%}ZwKN=&pbe8?d-PZSnt7sFWHmll%X5rIYo3IOx@RV2ZFK)Qs34pJ+!W>CV_(S;*@J_>T(P z|KP^zXEV$d?x5!n)n2BjyHA$4itl9qoEFI45xz}!XyIwW;9x7>cDe$rC4oUPk7d8tBW~(P1XD1_}nWEn%L4^gJVYbwXRHFqsi8Y*Qs&AcTd` zE+$=uxFpp40D%3~?z3FYXrv#-n2tmi=QqSPP2@`SWqv658TlnlY!k&CwPz%{qyL(z z?5k6#?v0wGzKh?HY^6d~v*CnKvoL5_Z!s|f)+=`rDgkRwkO!i<^nN|+Q zOSl(|8eVdjGu{^RT;?&Tw)Ji)4h8O>3a1*>sAyJ_kp1Td@)+zw#CC^8-AzY~_ z7g&0FzctIGMpqUr_d>;ovl0+3_x=9(uJ4cC>*^_)tXcD{^Yc9SeMgah7M(`SoQe_7)v*J= zDHqau_S+coj;Y+p^hbIAwAkAVCy*Ydg??-nv zt;RQ`tNG3{%2YGwmHi6~_@v*jtLX96ZFxnSoWl)YjYRaT00se zSuPBR7|EvrG;tG`t;@4_xB$Ix%>NNDFSUh8$aY7&45;4Ef%kb*eeKE$ds$OElA)jRN#rHUxWxY@Odl&D?JQPqm6Davw> zseBrhsK|Q{219sj;4&`=XL;wtA6W&EuDLK80D9Z$Ku4|0MCm*}$kOpXAJy<4&97Mo zO9=9-V^Q94$Y~w!POA(@s{!q~)_jK#K3bTqqt|$r=6!lFg1nEk6~gf|d(CChx*FU5 zySelCKJGssy>cWv_>`^+A51i8oX&;OQ6}gq09V2ZdSJ?aCoO2vYjoO~LrARePX|py zVAQOy`(52Z=IAe6j##Sq=&C=(n}kB9gLCH1MZVyp%3NUz-2tO>DY%KtPD$|xrYY07 zu?&PtOU7y#Dj@gH&2pXVd0KA)l7TC9!qtDIq5#T^pQF$ApdsR9ZD?pDOn*R{4`R~K zysN>6hx*uAZt-(hdg0MD^!k}A&rv-6<-)8#UpUB0{=X>`I^STKXUq7Xwe$Vm`#?c{ zu2R|n)+%+bfIr-AsG{dC)n>raJ3%V@;zv$dk&Yp5Q7SD(Kr?JqBR;0ESCqBZ^>xwpga8}4?u$BJ!A*~h8i2P{pX%pzV&uLBghxg9f`>d7! zGb{h8S8B`yXQ%5wRYRMK&%QBat)Y@~|MBB`kznk(QJA4ok2qUb9M4)*3>%V*+)6ETK#P;|L|mI zt#`KGe_z|7?s~Rpn25AiJo}OV^GDUH2tD*{Iq(E^^@9cd-xqb(YG;1`Y0Y%i0N2KU zm3oGhdS1Ba79c4xoFOTpAbd5owWX!DZHTGlSvb4S4 zofTQx?k*3vmxi0`U{fm!mOt=j!Gy>E^)mC{yawgPrbWX~;26cP#UbY<2mUy>4qMpL zTnoIfLljV0`~*9{d3b8~aym%*Fu@Pz`>dopv0sIQDP$|H@Q%p7k5 zlY!TmhU`LnbY5R=B7!%J2tmT2J}bv0m(bTtneH5~Hxpl7uoCIAv#^RqyppO$kK5zR zD>;nx-rSsm@yG=K=VWGMQ3*=F8a%$-JjDgl@rEpSmKI?&Ww|}sxp{aE9*Gu$Q9KUc+2aN*SmZk3&r=`X((>HN8Hn_Ia@jqs8`+tG_VWKoyrt29QzQ{)wm zho|#-yp^vZeNL7SoAEOL7f6@oSKPQwGV3$lx%5Fiin{`31%t>3m^mXDC(~a!2aMp! zEZ7=l^t%1ox!`@61=U%Gyxhx@p!2w0m-$Dcpk3$7ELw`paBp8$o=|g%`eGDlX%9ep zjmMXTU-O5x^78V0b3em6ufO(ptjqL((gJX864BrA( zd{*zt@`N^lT+w`;$M1R`i;(952iVFxqIEfWk&XWKNSUP1^op}Sg!68stRM`GK_zc% z_4IhMy7gF<`*c}(CFe&Q{5cSod>miJWf(lrIHBD*h+5>|pbAC5W35>|Io%?Nyqmnx zWLbV(jVEx`(2m~h@{u~IM(*6T7)-q&9;3XH`9PJGnH8=DogFZ#$Cp#`a1@l`^?SQ5 z_z}SEBOjTC6Szmin;eaJ7Nkn(Jvn)f8&znMOm|jxR>?I$se`X5`8i6To#mT;1<_^a zg}U(^)Z)7wWh&bX2cn>w{v7fPc5@HHXM9=N1Lt9_g8H0XUqKp%*K#s*$jkUMdA!b_ zQ~vKL=*c7lS92NoW1Y`;G+PTgXSr)Dbb7Df2jl-+o$$l|IMl|&sQA-Rg4Q+j+W0y< zy0q5I&4WSrNL139Ibb-}e{&j$6{F196lIRK>1@O{%r@Mtk6t&y-a9qTWR5Y$nhi$A z#@ga+MiXb_ZSm2jnC{B{Y3XJmTDmzeiqnU0gb>4EgKHJh$bpJbz{;h{HVN0{QOzF0fwv6cA z)9)OBGRM!ZF#nUZM1Dn>=WBx{rumj zE-3iu#E-w6zUawhqh1%)HEw>U*)R+~4!>f$lM2n_Z4+!ETakI9agwdrSYn(^N}Zda zs`$=3j31I4b!740S-VZsZ8K~$b=A&K-udH%8P%|8 zXtI3MDXx!qe)$GWmajiIG+F*1H^|@4mQ#h?QXyt=s!Y=XX%PlKKPK)R*CsIM4Ss13 zjws=0{D;-Rtk(!lwXd@*iU^4)?QdR%OSr#ug1*>>tl5QokMVocT zD7ZSx7)_v9v>urdEw&eLyf!s;3w#XCM9yD7)QowKxw0v|a>9@~e~1=eiFU4jAIy38 zdvMMF#WVe_HUG?9sneKKk%11^q2a(wN#R@LGX*ZwK@Q6}_#Fe^8oy~Q@S6hH=HM55 z<~P{|~3wVXzsFUt3jW zCdOfD7+xE0Bc>>u-WC;ITdTbczwCA+p_tWIRZYNn{o1u#wrnv`7`1xiFm3EcS5>WD z3&R%y9L}s288a=4GvTorxlz%NJ+^jjrrw6kc+SJaY%%Ro#^J_cX1xu=g)wj`F;nAk z82)NgD)JHZRa?<9bSRzAYHWc+krne9VssgFKi!byQ_wYcM#{7 zN1^Rr{CKeK{%VE)jcxw6?Uo8tO9ggtB;@L#wJ;i{wVc*kK(VW};Fz-}|HG(wGfLR^ zM*?579(Xeczy91pe|;4$+J)~u(?ZekJ9Th!L^cd90#l?JM?)Vr1Gy-CN40A$$MH5| z#L*8jC<)2UCkpQR6h@e|7xN#;*iN`;hTJ)``1x z&bz+=<3IiRpz;6ufSU3D`YNOx3p(i9Q3!q*;TNc|>4baN5#ic*fVT6@w(ad_qe=_G z+?s1wb8Bhtra|Yf;fzGJ=GwKS4N8>_>Qy&mIcZR<5rmor8|Dm}uC~A>!3Q-m{APh0 zbiHaS&>3V_+F1!{P%I{6m_$+spcA@A4pQvB4D#&2NF7#|lWK{jV^kyXloG!u2nr)*`w?y zd+1NT0J8-6>Kftd-w?@kMn7N-4P6 z$zr{F1XVxHm8yrMpyVI9+lQ1N^DbZloYmnG7}pYfGa13%Vrs7k`RcY%O&&z`h@`9` z0hdA7(2lvF+p`Kpfl#x%ojOU5QGErT)%Q{GaE(C^yqFEDY+_#51L0>`bhu4mX;6sM zEolgrV2p3=!$`#2bjI^*ixO8 zF07gh;l}#}P^H4R&{`ou8spuHK|v@8@PJ+ z5Y|KLss&99>(!S)yQ()0^h%~1F+D$DPj6QAh0z$dk>ok2p(ktJ@IMgD4m$KfwBU@} zUbTTHl)(rp4j>F#0E&uzznF$Z8X*1&5fo)*K|J&YDv&JD?5UN`uS`a?Qw5GyaCsL6 z&=Z9qafDx0s#hHYRu}vnP_{~Ws1xtO6Co@td-8Im!#It?M6Sf=!_R4JPR%VEwy?f(0*?>)LM{CmI-bkg3(adQNXnF2N_0uA;B5l!;E z4W6?;!`9F~0wRJfEsKVH+y7B@j=bsYq2VjZ<&oofy>U?a+>w4)s7&4(hGE-E-Uj{BfgevktOtqo0Z&)05j5p(E!c(H$Yj!D8&Z9bG%pwT z(j-`DI=~0m$y}UtR#{!R)6t%KR+qh{7BhO|Tf?e|Z3TJB+_)m#2_YWqk{BVR z2gUbeoAoX2^(0I#cV$8Y_x%h!LieKv=AD6Q=sZh(jO!^SR-a*uDCKAc#E3&*Sl@{u zua0TyXt#x-n{+G~l34F5S@#khaBbCv7vQwu?2M*{MT;6i@V%_1t(}uWEyb0Uo=1%> zwe68+Y%_wV_@1bPvy9Mdn%b0^x&;wzIrZn;JC7)Aw+`ZhHz74(Se^UR98InHO^Nm ziWMBA>u4($mER)|pfJ~v4O8`^NZZ2Jh6OP1hLs;8E?|Hw9*$U@{C}B@KTmz{S#1HGjx;&2=>-Rng@6j6x9@7 z(pQ6;!d5cf)$d3kSJ@&fm$pXQpldny&}O~51dGG<{WE%>=i69R968_@k#cQ-85UVr zn1SB8a&-`~*XSKtp>g3A(mLzUG4Oun4g@Mz?!c`;)g4>~Nuk(6E_957JV2Z{y$k*m zrg*Q9ktSmso{E}-ABN%d-Cd|P?Y(H7rgtkIFr?=h_|q{+ja-70Ljn8PSTct^EyTM% z8aN`Dq!IYW-W;*QNRFnDi0PQimoP{bFOESO!Fca`4DhtwQkG&^0PXMGq#q0shcTGv zcB)YkVn(;CcRi2x7^B?-1$m-5w13S0i_I zMU4s8cS(l|4#y6%+`5YmTAbZd7mF4+zlF?S@zNOAUfCYFC8p4ZHhcFs$+=*J-Topo zD(eeK2q1gYcOfBJy#tYvkVz_a(SE83&lbQGTG|{$jQyfQB-qF@dI2-qt6;_?9GbNO zUSXz`{Vv{V%zuC+2c5+WXq;?QfeCd209X$6N5-KBZ#1U2R^3E9{2Nhu4hl4)@JqC0 z`UV7(`GbtJU_6G&H*hgJx(9l=Br@a4q3NB-kr;RrkWkWNaHcPm;{yO{ipVLx&%Aq4 z{yL@?KaA%xampI&&4QdD+^~HwD&K?x5WPQ?o+xy^>3qS!0?8sPeyQho$FLW~vJqaA zyH`7R$I}1`S*{j=FPJ?VC8c*g$uFT&JTsfiWM&^ZNN;sdIrIWH315j1#4<(f2+kU3 zvfLfR?u-FC@DNhglJ$Wph*_f!kEbKBN4N>Uf@jlwZvt`=e=EW!67)kl>idM$R_$QE zkrtI?fJlVpNe-I5g=fr)yly4o?E&L~YjCilymv*YS~-drQXq41Jql2d8*nvjXgZ|g zS1S|I!0)OBk@aGXzF;bn6XhIQBVS&WgoJhE0Bt7DLJP{jv7i|#sp~e-(Y`{fo1^zM z7owmu`~nRE-5Zt&L7lY~$nq7#O-hgG-K66fW8ARPa6YW%>Cc+V%9lM?oM`_>aD7+x z5aV{bO&11(_g%OU7ELBW+c#8`67q!5XdfRd@cgx6!Ix1)AOSjo`=Vih?#b`$&E-9u zKMmo#c_Fr79#SxwD_rBPh$a^y)e%Mhp?;3|qXvGP0MkYqK#lP-tmqa*i>oNRA?Ati z&+)%Q*OmjDNu(B=-KQk3dW=7WLPu*CA({-7?+e)_v7Ijh2xJLi(=j0Gr6+n_+kJv#_ru2{Cmwru>yeRz8g^W#Xin+>`=mRIpC) zqfT0ZjdY#71o#ZFlQwd5q*U@8q{`o+{2X{XO4qPZ?9+D@38iw@EAJuU9(5_4V+0GC z;Wgr-Q5a-ubIE!fOG4b!mG`2>u!n4ys!rZ3Ox^Yy8L3l+L*L@(r5!XWG=ap*iR8jy z4V8{Ki8+6hDk0%w>`cF#A>$o(Wh-I*ixD;#>+nuzA4^6C@{o5KI_x8^=4r@soas75 zrdn@ff!1S{=bFN?xcg%RY|Asm4SMyT1emGlz%J9x@5}-iQ&Wc5@q)QlgM5Ryx^pRkq*pE-wd!~^`FD= zbh@_W&0#`3nM5Fi!+IQ=pVk~*MXK^QkxezX^t(|Vt;9KWb>y0GfccQ0p9H+eN1cue zZ#xQr6qy50M$M9wnF{k05vWV(#E%ru#xd#zfFabWpF2eOBoCFC!?w$T&zqWQxupD7>7~?`)TSqIuC$`}( z>vk(BL}yq#62f(KB7Z^_+ zyDjOGb+KhnglP^wgjOlXEbrONF5%)xF@jTp<#nO#bMH+$`Z93$=P+zpAHy;eiav~$ zdB$rkjiU{qlz0ml2b?wZLXLO;F2}K(DHq3F5})vImH${wfa;$dB2(v)hhsVmcJ zNSNhAcrUC?sQ?_r#q^+V0C|ralxMfNNv?Bz0+mq(`!7d{)#w_A-w7{MZ;1l-mh#a^ z6W^=BV{skiDD`Bz6KW5|(ZlPmR>vXw92#jkp+7brh{DC3IMkYclTrvA1iqNAaVPJv zI@xps{r=;lVFk#202>om)PZCfl9%a7tq0sjFD{Z1pdr2YBPP4(0VL1liqsW|=F*jL zZk@$$bgQ5Cc4IAWD%waQ3dL2^h-@lC+R-E?t*gyd`>rT?V2 zgmwv{)GcR2Ywtrs1Auy`azcFBhstDX^4W33p#&x&K_PDvJATpeGJA_bxGlI{{7mML zjwrY%nv8YDPalU$8W6oDbQ#cZ3M0F9B#DePsxmAm%WecFU#85%#SJ_Uqh$u$n6ADu zoG+o4Xtiv+y+3VkHo|EQCSr&5RdT8Kv<`Y&LkK@$W%Xqrp=$Qp4AA*(YAzUu?EB-z zZ(Pi~z#9R%m$mdg$Yg)Psy>MOp0Vt=1_XWdU}Rk>$CDmo!<3b-Ur1$k(Y|QLYST!LjeW9z^HCUdMSs zy!C2cxds>8H^<|q{hI+9*TP|e+(xp1yrnESx8Nd#r&iPvW^;-46EivNeH_S`ArZHy zVI}^uuUx9Y3V>Qd7nEO)u!~%-?w5-mMnWk>fI2Sm_CfOqpTK=eOxQE2@J9rY7Q48P zH9&e1>cAM(nMqs!^o^n!=wY>rzFWqkp3=_OQmeGM5p>@9Tm!6I8+w8|43Qz zZos5>GHI2U4yzbYVx3cs3?ytH7&(_=m>z2_Wv+&)_8Ng*X_q+WO>~w_Mbl15zEdsZ8#terLO@`B)DnDPLznLsP$QP#0$ygv8^J|tJ;9b6?gRK{Q+ zLrRegq-j1pN|uu5^d+66|e`V`Jfk$a4V8t_u89Wg^z8zd<^@ zybzCNPbCEB1`+^ASt-HE$^_g0Eq3eP*#4*FDyKmCxAZv3PS#icifBGg_76{H_{ah& zRk~1WDF=d>tq7M&*8(zv%V^$-AT3>ZUyzkWpevJrJd=fl=`SPiJSwFK{v(|NU->RV z2^O=`_jP_}=nZ89k?cpP$|Lb#u%)nnO1WjOrDR;qMM8D(I(ZqSzTv4qX<I*1%mti(!T2^Ld(YRKEas ztnv(i_usa=V;SzkXBghHnX+%hsxQYfE;e7^eLHwcnJn*5m}w&W*qsLX2Qp4P7DuL+ zOh%TsjQAcP;US}}zHG;*;#~$>X_yR7q4FphU#x^kffXp07aE=4$MHp!-{<3d{LY{K zRDy#%e#&TD+_E5p-4~}@SdTvf7fmNSTsF0Lv^GZ;(K`*btu0NKG{5DG95~4K(2~1k z|dE!cw#VfLRYE)egp z6_p%zzJa7M2WiOiy&U)o;h^tE5`%dFuUUWexjxjv(or8DcHw`P%>x(gJaCwn@&lst z%53n&@S>k}Ws6a)zOAE~U2P>_S}v7|YF-#=Z4Wmzi?8~~WSx4eb1^S&=j=bm1g}pI znHj6&CcFjLbo_(aO;Yjp?(@X&I0tN+thq^q^=wq?`4K#sWT`L^j!s~BrBSDrFTOBV z93}>rIH_K`1(uvsb9(ZL0-UB7HM3y<8S*9~sgWl3j8RmlUeDBbk9NGH zBot4z^v5uEz+nM*IVnm;YCmxDmK=-$xM{YOMprtvRcw?Vl0Cr>ypJNx(wk(b|4HPX zj-*66)5EDIBwbu`6JqZI)N-EYqk3K_On)_7nr~DKp-1ow?d;Z3sGY4E9pTLxw$4bq zZ839*~Za*)!-JN6tUHZ`I$uq_|?FMb9L?Y%u++7GtwqrnyWmSYHNdx zS8x$EN5s)_C01g6hUFT_LS*~xtudCj#@PRDZ@Az8ogD;=I)iKIGJLxpGF(_81)p#X z#{&C{(sg@ebx$$7UNLvt>N}dk&3%4?$p<}te^#&je(|uTuEN~`l29EJ1MWD zX3G}=GJ?G!4m|QJg6ovYy`{wL*ju>_Wa zKWtY1t=ua9T43F$$Nh9MGt%(}Kg!{~Y8byX);Yt$UZNMz8%r(*la_|If|VwUFQsb1 zjrPcaJC8;iRzw;bmFGxLaXW4GHX#xcZ=~$Z816jK|qgl zVH>+)~>J&YB$x^Pz)0BTp`^mWdpXnMSOeGG&M)x>-I4+dOK9!G_ z1XEqKYKvk`7Kusfwb|^O2J4fOWpX?hrzAP!WB8Q#vLFi#`+1wM<0r;)tlJMw zBJiQZAnyKI0nR4?u!FcsisTEv(A64TuWM*7zKmF@C-MzG!rcAAL#h|yO*o_PeQ~~? zg!l&8^CF&z7r8zq72s+hx5JF|?}HRe>Jk4gGc8MhL21I*^UNIV^N((N+g1(F|l#a<+S*+j0S zL0QD(gYDishFf3b$anynYg7hL;~U-c)aMXQz(=W1K1x;>G$5RbtMZTIePo1ZCccz> zK{i0J0*|Bxg2>+BHdJW?Z#l!yiBY{IySAmZDFb}b&=N9V8K6@R&mi&ZJ_&t{B{=E1dX5H?T05F;;f1X&{3YY4 zee($zp~?c#zZNgis$cLn^a}t7b1q5&Nwm zJvdk2*s`3R7Scu9*st{f))6zPn;2JwTNkw*A#gMQa&l8`NRcLz2+puErzh8G#$1%={50EvPH+z z^Goa~@(KHZp38zA1lftLkXL6TI_3&6#N=o96$5wTn} z8-b|JrxueQqy@lRs-jL8>>Nt!P=1Nufz`YGMcYwvC;2*3kLNn(05zNE3bI4lN*6dP zEWMoNP%gHTu}n(QOc<0WET@d@PC+i@KU0EV!D3{827=Szb2~tR3n#T0C?NBP13;@~ zg}NA#Cm64|VM1pE=A2K&*|#V76OgnCwUiJ)-pXzk%HIcHlchqWU6_-X`ZwlzKS1Qc z+6*NBM0V_+9*zN?C*RHKAtRhy?FqD^UtB{6#_n0HWS@-P|I5HPRSJIFy;}$oK@~Ck zyKDL#NO@7ZfMjDMHj{urU#!HXvgI+k>Cy{Isb`SSy7DZC`8mORU8~OnWHdSaX-M) zzAInPe4buA6R*Y7=txfmDJVFtd8g9s|A=*zpl__*R`&5p7p93Hn!+yzujuTBW zEPFyJ)Plz-alB}dI+@DKhvJ+sjAJ&?Bm{ayaA{( zeSViIf>#j0h@V;QCTm?N9z41#PSB$Yf>7|!~!$qZfEe{{PvM>-u*U; zOhUz$x_EX)jJ{#v61LNV>e(na4C4tokqyQSP+e@}PbHAzt`EiiIizqIQ2Hd z+ilJJgZy5GU04n~Ccm}W;MhiZp%JICMgy-)grvtgY|~Ws-xb!$c_mRS3N~C|?PGNH zE%-&Wh`k}6y--Mk81ABurloD9Q7Ppsc>cSo{3f2?&#WPowSQv~zGDj$VCJ%KWfTEe0$m{`17|YNC_Um$@z%E)Tm>r&|4^m% z)kH%Zgh<(6d25ObkINVN`vpT=OKUsZ7Ef#0I};rc_^_T3;BtHlyvHZcdwpa)dURIQ z2<7FfwB3cfr}YMeM2o^$E8~HNpJj4Efhmt;LmyO(uzrx!alP_7Cj@IEPanKM$t*}i zq%4qzJ_wTAih|kn?!s?tXhP3gW*xj7M&QFOR0*B7 z!Q#&A-mWGihmrhxa;-22l6zJWJNq~#{lP>$BD|biCiIYnI(2(~qN|^q;+WzzQ!0BB zXuc4~WY`}tGRfdN{h%yExQXPr23AK6$Ip@(;2e-<3QK4zR)u)EPB76|3m_IFs`F7< zBC2F3aq88WL>!GmMb9c_zF=Z@Xh{-emi1u3fr>+nopnf--zsF8oTpQ-wYi|mCH|2{D5I%z5UOTwYW$8Hn4h^kW`WM3Fzd28;?t0wR_&awP7 z$MSKk^VA&vkh%D3%OzI+!&vtB&>@>k&*2me%=rP2dgGbPDSW-Zkjj!)#898ejCo z<2Ln4dvH1X+&pCq_XcX_UuRI5oh9>mHP&nG`z`E)vG|4HDz?M&+rXT;19MQm--@#)XprKH*9Q<|?To?iI#Ze`=ZaANpXVZ>##NPRQK5RN$Ym)AjDfbb|1# zkVy)?TjNV|VCv@v1^h4mQ*^ZZYYv&4R2v;8*V@Ce(&hA*uAQ<;n$OlH;%cJozg#(=cczoC z6fL{Fj^zh)8CBd)WivB<%PG9PL_z#wQO*Sq*YYUk6njI4{xPVt|yn zarvj&u}&`TKw`Cl1_CEAM2A+TgR6VAHBC=PLoIKWF31#Zh;%N?m) z`sQucD~n_si52GCACiRxev+Opf{cw7G+vmGSK}Y?PT&p@6t0VpkHtG^aF#n(xeIo+ zj{8FfV#cw|_{jCdB6O2Ej$NKp#Ao@&E^ccs8$l#IwgmFuF6f%F|8YgZBbXdZOlv^_ zLYFzGCW-U(>T}WEMP42irJ_(}=e^1=OwO|F%Wje5!mH3Ed%_CfhKOVGVbyJg?{X~( zaY}CwE-5jm^IPG(-Bb}6fzq|Kt?-js5>&}oztQ+T9!q~VtoJF-v#mxmtOz38qV%)Ca*OvR7 z4ksz1zR+7+RKEvxR}-&rB}5NNKcYYR{fN#DzA@L2Tr&KPONftr8>mBMU2(i4wdim> zwWB^uV=Q6Suaf!4`NdIH$vE4O>e{3|l)w+a-fcr#L z%g$eF&8{ZN>^)=plTq06YO}agAp7BsQ7c(ckGxOi?%@v$AXL&C;S1Z@NtvuN%hhje zjX**ijsvf!^@cIvJ31H=FQE=MQ!3u)=Cg#`4v(S}-DB8BNMv+y>}?8O2^Tri?OArt z;opVqx8&h*`nGTbH=2LgWO+g)TiH9}Ol?gKjghweGPXX?1!_?#>_6k!EAtB5k?VZi zq4n)R6 zyHQ*4cA>=DoKt*T$&v)iMHFA>eo$$(J}0IZnzwKZq+0$ZhIbPyhK*sc)$3JH- zt5eE7Iuvw?j!x#T;Ds!kz^|3MTVUM}-J?^T>DMs)KI(Xyw7K@2oYgyuQPSTN2v4uE zw#Od$raumLtxK_T%DY8xt%Ok3-VI^Ej$EttVw~A`Rq@l4$k@10Q)aBKMOe-VhEQB+ZarL#EM{UWoh6Q9t8A z4FCvnV#zwIG3Mk_{|XGiq2CHdq67aR%^+H}p&$?O*Tk~V>WQ4+N=8HOOkNb8>KFkj zRFyf1x)$G#$>(Ty*AxB(Hy778y!vA@%DzPpx`S+JHSE);I3hW6l4zP`e~YD)1el|R zI8q|9;nnG7g-of{&CoFr8BEiH?xaMC@c(cTS^b4FlfgfHGr0GO+jqHrYmB4LQQ2z_ zG2-SJ5+s?zqj)P#fgyXSsb82*^65yXobOK5L4v?i;<5;w4w3_#p-=D^#rr3Z>OH|; zmW0B5KjW$wM%uTG^v0uscjb8YdR{zb;CE-@0(KuS*8@b(gC+YFW;o{in;;O_I|YQK zDy0S~zy>ox2OCQz@FRg85r4FsR5P6WNxX#Nh4ZmdI$zxz&(4e$7U2<&kNXypYjG?# zJ3ikaLE_wVI3>8qeVI_s)g66`q(LSU7RzCByae58c`wfSo(X>=eJ;YdV3O~-L$45{M|;T4Y697js{r40L~jV9aI zCz6c>sOzeVr5QA{IJRq3@6VQ3ldM?`@$X*hs-Hd@lj~d_x&r-Z`8Jc^45}G?xfs42 z(q~RW1B#3uelpj2O(=MfJWoFCDiNxz_Epm!vNK9wH<`PxifWt6j^M_JMJ zqVq)~=9zb`;|#9*I2J3)E-8z5#Y%DHVkxfdJo~MB+5#(GqhO>>LY$G>JqZu641@j8qNxZjez9T<+nd7bbhzfnjKww267 z@-}KMd$}iyObNXdd4{Nvf98gm1yS?Iam#%lFeUqY!k;dmgt}&ucTk`EaW*wp(fMw$ z%wW7mRPs@bH-;+Dk_*+Z7h@m3np9dL*ekfM#GS&kq1k!2=zgILqY|Yg>>!P*jMdtCZQwR{w;2@_mT& zMK4~DpM5l%UWZ-~6b zF~tcS+npe=mR8Ei-FHY<%bFO@dNA(T3hz&Pev>Kv3MP1jxaob|I3X>3W6x`JgmOLD z&`z_vKkk0s-oH#8KL%Tv-Iif`a+i7?a_HP;5aRup&_u@J21m7+LP-%))t9#nyzTrg zNXAQXp@UK!f1Nh0KJY$bz^^cs=}QgbYQ4-cwUD&c0N;)9-C{o!gPZ7V|J8A1u4A~I zkKH8V;$@34zVabV%PJ1Jis)8$>SAl0$b84ex$0nSJ|ed_fW9Z*5wv>CF*DKntU!J2 zRE9{_gN1#!h#)g{d6`J0a3>i>pB2L~mK`zRd(Q%{InZ?aY4^Ro&)ZEjvJp>ec(Z>8 zwjU{td?lGXzV8JIxWl|S#wd%S-9YC$fi@m=9(WvQP>XPl^%feiA^&`VW?O$x1P42R zn_gbv_J>O~?SOBaCRldcxmBcQ?{FM&qzF|)0N;wcUC-1mMqRG%#BvD0SeUh>7yRUx zB9cTe1$R4a!nmkoVIKaE(jgR zH$n(2p<#iCcHCyaOW$y7-YD*Tl1nE;R?C9O(_$Y3z`EZJ^l_kG19{^lJVv;`>sR3l zQb`-=RdhtxC_d9dwyN1W;wgC@fxFZ3A#TK1X_*Q>^efxe@!V(EwPqm{Vxx1}9d>WR z^$YYi_2+paPN9!b13OP|umN;IOq<~P`d@<0BG?qxvXKS1$TxoW8=1d3*?LuSSwIZU zVxJh5(F_UriyD?UECP^)_3~u?#tW5q!rhTw;pzN0cKbti_NBRwXXJ5?-RvtB{ENBD zZ(aK=?qT{Xm_>NH3h1ePI_-!@1RWczbW45~Q9I;Vlj24QG}JUnOcLxaGyy4FYp!e8*V zhCUm_Dh#pq45BYIc*z2w?SgwPg0xKS*IDElAW&=?jAandHdugG?V;k}won=XX|$IH zVI8(XB$`&Aa2+5&0H+2o0P)>Wxm3Xp3RJok)RKrR9y zcPK$aY)k^-g*e)bEa*;$Pi=H+N2Y*0tTN_%LK7$1_yWwlmQQ+wFFcfir1cJ@biCsa7e#` zE9#)F{$NeGa4<@Et|P#`2U`>#^9)GI{Iu>Yfft0d8ykm;Ig{O>+2`yNEN#?~LW6cV zljAUmanzC=T8GR#)DyHshoO3EOkDp-b{GUh+Ww}GX_&z?k2&;sgQosVMFC9(-L}1c z@Li}r7)I-iTGMOQ)(kUPfehQwn}a-H!1e}k7|24l0jdvf19`}UpB#D3 zg%qs+GAI1MXHNLXhkbvb@frqg($d;Fgj&9@mxwo>#Lgd{>x*(e{x#s1{V46fOTmAa zg8wcB|6L0Hf4LO=Em^{A|HQ%%6HA59^n+{_ceG98V9hv7l>pfL!4*n1$U+({gW$$T z2ybg@Q~>YR%am6n z55Z#<2{HMSL0ihnA_3-PA_5_J8R75&&lU7?yp7{=E)~@@(-V z)*|I3uJpc*9Jd2a?+|+d=)af5qhg)%twuZG+DVHC3erqx*i$*054Hw}DZ*o^6fSKN9iQWCK(L8i zBRh#PSk3tHLx4dSMP(Yr8EKIsP zppgrxeUSCdSm``rr++*`iHw68kDq{}Gc@L7{;`JfGW5TR{TW2`wJBav}iQ^SEUVnfMDxIEb`_zvV_8&f$y> ziv0qo-Z-3V#(vx+82kEg4)mCuj+1IB5>_vJ9+!3kfl;7}ZuPKUDRJ0Xu?};ZCe9)f>EDUwseVQ|~8%ve9M!WdJTcc?L$eoj28(yK; zR(+wNpVddB%V!`1V6ju0(gXQu5IwCL2qelpveI*i_@T3?FCn+kRP{5YJgi30^gaXwD2V&Gv80S7(jZQ%$R)Ry?QvaG zaUW+1J?~NJWG2(Kj>{AhfsAAOk(0eA=*9h??0uca<)s}?kVflNtNS%6zPiz@0k0#f zyU31wor7R(mmrPPsi};Ij4jWA+zy>8GifxAmU^E@%hDm!X*u^iHRmnO;~?zg7}-^+ z-WKDU-W%VM-?tH`34E7_h~cNaB64;ZgajH7qYp4x-Fd(n-?!-GM=tmGA2RP%oS;@8 zuDTMkr(2qjUG^9(HaYf~=ck&`Y0jeGN`- z$zBxexG4B*dMH-Rq5HEAKi+#pd4w}64~vImm0C`OX{T41C%N_?mKT8#5>H~ki9I@5Nb9=kXnzIkl{5rl@u#!ykMhq(%YGr>IxrpJDy!a9 z$XpjzPUD?4#BBpP!2t3k3-b%dAjbgrEhvLbh0m3(TsD?2QTEV#l@ah)lCXQ(#W;l< zi)Zd%3(20I>0bgu)v=bQ2JgUM;&DCi1z(rr@tyl+_K6r^@K^2$z5%%ao?R7pkwti> zU|03<(!%G%B7!K|#eMDxR^TV%4gZRI1f;vEfu zILu1JM^HjDVYU=ed67ioTCj^Y^CgZFULW`p(?iE#viOmwxQ!Li!dB`BQh1>_f$+vX z5K?S_{EA4aNgfWQEH!5?J&O}-hS7-Sb~mIC@t~`*I~?DqX?P=$6X4@~m9v*)gx1^+ z*HS*$jC@`3G?PkO`z{_%yPR%;x-5zpn;+p+F_yLd?)4m-gl*Qt*#gpMQasTSJD{=*q}dRCqw;pHt}Ki(fWAsC!rr>lfdT}ci1Bt-SrxmZ`3&FlgA+^pak zd;-paZp}cq&dL&-!rZTG8i&=wFb_;$of5)ypJ+vv=d`-<8gUANYR1yttC$GpBl<^H zE&d1$)#U>C-Zv7Z$$Cx$2tCnzC25=MoBbbMvVaa0o-Q42-Um=z)*^bj4Z2c@n45~o z%f;{{28MWcAoGLfqn;^uptF4;P^pzGH?r*{Iz7lMrKVp+zwdQ z<2Xn{nY}z;`oIy%)EsTuNTa-e;j}9kVD{z%lX$+V3Z8W^#prA1Z2b+Ag1h6LZM9t; z@en$9!hSp-8ml`q7~l%t>@C;pu7%f}vQA%K;7`BPlo^F8~tGaOSZ%QV(j;3W{#f_Tw5jWG%?% z7_43)t>9yzu3&sdoAVi%X0J=0rZ4FvV|#Num=NpgA%my%iO(cH;*4&lhPVa2DTl@0 zqE;lvg$oLv#Ei?HkC?;oWIQZDZBXkX*vqgie|A?D`wfW`XK|O_J~l__uXflxTf_Np z8~1wZaiiod*}s4}U%r%$lC~*1L43_7edBZVb7`n!F6Lh4#X16$Q$3Viti=hJW@47a zT94ByX=8y{C~vr$x8@}Vnd_M{KB<{dN)mt_sChPTwm0~w<9Br5r`LyhhT*3A>|t0R zLB!kPQl(20UXw<0h)dtsa;~Mn$O>lzEpF3C8g47dx;T!hahI0qV7_=O?PvboFj}Hf zS?ZbxZHeuAm}T`@gxMyJmzXDFRH)VDTWc-Tbqn*~WJOnqcbxe!WAXQ8E#6N^uel6L zDrMLNJ{tgsY-2JVAVfk&*&tw|8emM|2l3n3%{k*m&Z~29nReLBg3aV4kh7`)>o*@QXDThgYu0Y+6+Ix?tzuj1_Mq zJ~Aa^r^-9m`+@i{+~<)(+y%sY!Mje>M&N@J{GMAXCL_Swu7@#EQkA;^?VgJ5MxiN| zOAqxw!E?Od&0-uLjq8HR$35@XhjlOfj~ADeT7Zfj>;MLMIgBw8|;oP@HD` zba@y);p~BPr9t=rjj|@eb6b8&H%N*dgkc|#X)=8*9*!rQ-OCYq#8eu-HtQ_}kMLg7 z&m_=G$q)Vy_3x3&z_rBYMU`2kM^j=}f2ONxX((x*4Y|OAX^Msp2Go_Vloeu92ZCUu3T?+ z*3P2Ygeh(HnFpmw!lyXBndgwk+?8Bxx#~Ud7k#bXUX*&*f_1ha-*2tYk{QC@nvuop z!NoBjWX%3rU4JNrnwE2m?jb|&{$x$BSs=fzn(%J1j3AGsb{LlNA3|UFlb?f^gXa{$ ze*wX*p1I>3$?VEskTwF_5535k@psmd;8^r$VtKE5iJ6tQH*X^knBgP?yZDE@_u~WR zzx=oD>tkKyn)-05#LY_`8c?ol_lt3!q zC>kP#F^5hHk>)UCwm6W>x|aW<;B;}s#Fx=8jW)3$6x5?U4oM{gw0|%u$Qh8v}(jZ2Ytbu_APdlIj z+uFkAMVBpP4nKgx6j$AZ+qvI>Q#XU3!rdU)L%tB^roAk`$J{v*sBEnbR1&>dtkHE3 z&7FZ@Lf{jm=Q8JD#@+BYq#K=`t#c=_`HWC}+qKtQUV^@fP_j`X(Fgl@2y z%}O#95vCg%gLTcDckjb)xNlYZ9|?ZV9tqfJl{f^}@c0_$9aTZh%KEunL8RwOXzP-a zbq&sdMNH8!hWrEd|6o%=H(+tlRza?*iLPggjSV=qJO@TrHDmU@h!g7H54=+pkNh*; ze<1MDw&QlZrv}m=rK|u352Ul9x)M2}Fy4s$SwG?F? zy8PkN_mYtmF@N1O;oG>~euDE0To{b-1*U6r0JB-G#v!fOnTsVHG3sB@(1TvL%kEl- zQ}~4i@rd+xM&krX2&0o8>>3~2VZ&$x&XNOX(a!3Iz51bLk$J8$|Ogd1L(T;tyH8{5XJ!goq^3(DVan|?EA?@e> z*%}g8qmeaIZOpGHBx%`#KBg7PC;PhK z#D0YnpH;`#bUGC=aFx^k=2WeGHYun@K9};%xz3y3iDObOY3`B8%l#IqqlyL$taHT< zTa=@G_RfN{iuI)vIbCkd3Cd0V`n^tE+FR>KUr76Y^19XTAN#;ge>ymNLDyeSL_X8) zw+~D)A2R1{)U-$OyH+GoUAzuJ-rRXO3^p$jh>9U7VL~TTZ?15B90OzGT-&Yx{O= ziCWjM^QA%Sa=P4Hzb?0H>&NT*cgN;F12S0OAb+N@c2Hin{q&%Lx#>F2s`U0E1*d^$cAR_#CaPVt<|%g>IOUx|l|T*zh)2`n)#iOHI@e*MN#E1jS8 zAH6y~xNuDDr#-#Q+MFfc;LZm}YJ=1Rlr?NaVU;j;-&boljeV~C_1@#Q%?&OZ|3X9l zd*hG)Q=ydu+FQY$r_Al~naQz!L;ZvfN2k)vWeIYP{_K|ECGjV>Z`eH1xbIt>xX(4v zJL#_at2&~5e5!8JZ$nPEOj;4A8mbv_+H!sJ)>_~7!b8W#TrYj|_Ri~NNAD|Zr@W1K z4V-$C?LDmAmA-IO`LKie4TGADGt?Dl=k{2|9>{54%fD}bci6P;sUgp%`X`&#D0jN; zx|H&vFY$}%ALozzqVm&{U0+nqo_clbj2}OayeggCvf#vw!ORK6%!rv0H@ego(*|l*|;F$ z!W`>MC}!fhlxgR?y#3*KTT+czx}1>c)LucBDK+E1tcVVzXq^{_O#giDpMgtPC&Z1Z ze}3L4KfOD`HK5N&U;0)h1TKXUx+E4&+9zSmDK>=n3}{&~OC{bEY{ZC}>00LR3qSTn}X{4`b{J2?bQZGPD#sK+mBV_qIq z0ReD$%>*2{1kCw*HGe|&|1{?z|K2=?dAbp7yh1hT-xgcd6|LDs(56lB48II()SxvC zEb$?w4kRizZHhoam`P11n>Hat;2D15sWaafC@VY+WZv;Wd<-jW5FCcn5hB!K1P{`{ z*4TtbFl}V+Y^0(=8rVBl)6K@=5pY1XhEO$GgKtK`&JfvzCwFQ)i~o68ZhZXTO&lC3 zn>M4Q;$IE?CZqp8$a3KlwC{rtVJm3g|Mvy{9~*H1@BZIJ^(r`Lgh>dGyR|h$+fQ3# zw*5dGE(qrT{BPBQ{|i=kgcbx%|99I4`IaSQkpo$46U--I)p@|Yc0C%Z%EG}hYx}^T z*B9Vm_0SDCIO;hdwp*({TC*OtTf_2E5h@A+LuM25;Y1K@j!Dqpz9)F9cgY`2_Cz z0(koWO|*Xi^HckQJPm@Q4nc^)>U-Up5G_JI;BTY>zV--sM8P8#9trS>fkzyxNig+j z>m_imJ)o!j8Vvbw|25kFqhw&|@t?o$b=NNrN%}X9`G3C+yEq(_ybWH`PISL_vHL$k ztSau*KSAC8Id!W02}T9$eW;&NCxrbL-s!jQaoB#2iH<#SvHOWruo27giP{kO1b4*h z2=ZI_y>Lt-BCzpZxKR~#Dhf0Af`D^6l8r$@jIC2pcoYu$2V!}h!aH9i6Oz^Q5e14; zQ)fVEuv%^E%xGdvz4B4#{ILwQ0Z?3qX(^&6)~fEDPju?eGZ;+*{67QE*3@|h4vXlF zXs=}~(ZX9g2<~)?K>#7rUirkBWSX%F(ay_|u2(N+tfupfO;|v^2!rd{cw9-!fg)3z zVCsyVo%4|dNA3c2LR(;eCPYaTJ{e=0u?(5ACNgna+6(CjVcH>t561xmE9?`t!nhM{ zJMYe*&J3@}^7`$zJ`?(H*)_GlACR>_6$Uy<^qWI0d%lD|v*pIqJ_Dx@KmUCf{=aU{ z|Ivh;xg5eD`4w_@|4lOg;+>#n`H(^TRH*U4i01zz)Yv8z_*78zDNM=7#I%VD{+FgG zZ-{ME`g)3{c5V}%75c`sscM3_Am1gX&A$feKXyWL=l@ZFO0^oFDvg2~tOdESMcqR- z{!481EkH3*91wt`&P;but9`0B>H!fL&_aZu0%(q^J6rkfQElRtM}n+{POGO7^D!Do zKub%KhC03f!d>%*;(r0Oydff`O?=U521VFf_%4Xh8bBDeMN!v)8U{r>t6=?tdoVs zNGUHyPFFNak?*0*bmaIIu~$$RB^}YGwB&+asNQ9E2R@`}pt>^;3jY=%r_zGZMt3wr z^Q_3*JJ-oTxG6>%p>hb!zfj~^$LEd%s!K;rkmHOBDMs0!L^cM-d*7jp%R9N$?A^nn zkFQ5c1C!QJbJ3?W4yj!LXH%V5gq+)JOQh|z2c3ZNh8~Fa#VgTT`<902{cp3`j>&3e z5|(OtR~tRP`&h7aybY$V^Pg@c1Em*v0T>mK%W+(NZM(SuG>|7vD49h1Nym7Dwv8|U z;b7-+zCAteeEaa{C1Y-4KG{EoCZm)F4k}cgeQuAJ*74rfvv4MRm-Iw5SK6SCRh_+O zaBAop&>L^~HGJhZv3Ho!0imP1Io7V;VNh^TK8?hAN8vbT5FSPL2ygS_8~0@c(BH&c z0*?es8@fGe0IJtw2k~Ws{_s-dyo?lArLVju0rwJ;p~C8_V`*4biW+sfd95Y|`5KfaH;=CJ*Q*rR%h_@^*-~{lDPx+S2dH z8@jEb)F59%y31{^E=SIN;T$9F1auBzgDRXJA1hXlsaoAOxXJpflXO67f}^-Wnuj!i6x zcm;Uxdb&t|HMIUH$Uz%Hr&?1eoxNyl4TtgF70C^6l|fbZ5X)bAAq-DTJ)3`Y;DOW-44k61rUftOZ zVP^YZ1k)Fr-$Bm2Y(&Kx3!2Eb=G;{7XuUU08^e^SFz*Kcm@GS)(|7>bU+8VpP75|U zt+c-s{*>QAIa7!*z#yA83se_YTK9_+VCrW-t9%q%M8@;RrwGd;6-W>Z`xw(qIrs(8xClm z@|Y`2LzwxNE5w+rKc;b6kSq@fk!K>04*`r~9}7`YX#$|5+*P7iMUn4hU8JciefS1a z6gMs30W87D3OO{;?UmUfjq@^>A!U`SG2WekOb>{Xi5tfj+mIXMMj!6LcpZ~*+CtY< z=z3G}tnZQ2j!}}`Db9*Ssjjui zX{dY~JB?2^w|5Z`9MO4>Kji9d^klThw2N)62Bq2~C*;@yM5ja;zn%L%JxcrM<*C%eIX53I zzaG@MxOJI4KqI@<;zZp;KUkJmkSSD?b_-7He9hPVSh;Ul%@8_YX^c?%t6d{*S5c5o z3zohX3nJwY5U8;W@;p?7sBm|(b$;MyUI3t`CIA8eM3lb@n&sv4Szb}jqmmb?UwIwr za}vKIaVU)@0J6kIY14$hp?*;2;uQv_ypx7F5kd>$2ZgOd5^Hhy!Yk= z-frI@Bny>t7epudQaJbrhJ(7H)%y+G2_Tsrau2B z$a;wE_oS=$8{Cx_<%z2LQ$%b_D7pI!o^Ys-_cNhq!&}Qg;4R+ovMoqlry;AozX@hr zCjxBR0hDJ!N)7^@1Dpt~-^YP7$M@Kn#J4c_`4c6ffS`ItS&+0czza6hGrBgzr+Y@n zp7Xc2Jc{wIL)G?2wo#FaE<(CkULmgu!qukEVHvk@{tn>ylWyWyj8nX)#jYIPF{?^9 zB9t!hj0l>QSQ5)m&m9QWW6Z$73OX2#GJLG1^T10ex0z<^prEb9@~S>-K;YE8Oho;G z+35N6b<%O})vzxv{7*&&P%#g|Nf|vu=={8;M$Zkk{CtSx8N@Gx4xM=!!vQyByojV5 zIMMfh#d)N>6U1NCS7^z3r6q`u&!}vB2R6;mA-$DjL7t4T@`L16Zf>0Xm9cUktrC_o za@tnsHr@&;86|rpBT!X z`MV8*9xD2-r>%2O!llnMdZWdfVhw8SjQfy;Lk}JC$Q$Hn#)Z9|dk)8%v|$k6{sDSr z^NZ9juGDS%$h0;LyMUAA?-*vCZf`i<>tvMAL(}H8c$#|S%Qz?C(Y+N9s`Hts%`fa? zaE0;v_-Ur|RCq)F60>E7t{MO$iV>1Us)KAT%P7K6MyZzIQ1L<>SgHQi>(IRZNNXKl z$LQaWFjVSfZ-`fBW9053@?@>B(9;o%VKLXPp%mc*!R{;ukIdx+;zLMEu}m{x`qIwI z#liNAuxlj_(OGE=(kG!5)=ter@4Rh@6y@0w<*Ub`ibPZ~9nEv2ia1pJmHoC{%F35m z$5EvGh#XI_<298@pE#ky+9-#`34=UK%z1+lP#b=j`!(hlp)Nugu$R$p)faIAcnnwM z?PmEWvs{F9KWpf8p>_E9vX6p{@4&3X5rf#%A|J%uL`~xsUZgM4MGtkRF`;~Nc|Sfm zKMl-sbJf^`B!9n<>Kn@$IKHgTk8xJ)!YPQa&g`ldCKSv;^x*Ct>J+!IG;15dXO&01Gvh~&vn>b}nztzXj!pjy2f#2J5kg({xK_T>ogYpNw$FvqY?WgQCqY%8SB6ygos15)%!sN~oBX89u0UE`?14Vipc*D0QxqXlnX zcOLREV3DFb!5Q1xwj}AAff_}*flPHV&NcLu|ElFvjX9oXdJ>VXSP&N*tS00Xf7QV9 zA-m?L*u|3WDXnHx_2c5rA+(ejB&qx!w6QlGjy%vgj9!@aoUWh7X!AV72sWKYL(4sW zBwT?C(L_%!5)zr*noQ#y`W1|$Tf#isfp)coj>=3y!Wd5qs!2Ca$;rbQ#4At=H;>J; zo@Iy2Nv{BXpPf3@56o6r7&5(cUsaw0*0G?6j6Q^O8`;R8(^iVnANUIb>$|vn{O! z@a8~NbIjNw^FC6FQ0=S6PM+TpP>Q#w;~hH?d7W>n{YFkkILG!JslAgSA;*0NsKZUD zF;adIRQqSH1>Gsh`P#XJKQgu%H%6il3|CEa6>*Z5^{cJJLF}R)`0>3HjqZ9DUI8Lg zPBY$VMq~MH;>PckPm!(In??mGPANxP5C9hpe@mwKwQ_fa&+!I1gW$8!`|FVWW`xB| zYIii&@?D&%D2Y9jn;v;*JvBkuvVl?|(zJx|fy`<()aTca1WyHe-e6&v>AoyP+Ln=) z*PHtC)#5ZTb|iP+TwpEd*R(o-_CA(PD5^!KaiKz-yqiz%!-bKh#!qovN;S!a^68izf^{yHg|LL&u=2; z&G+FS`0^3k^!D6p4I28WtS!T5jiV|4b~~NJc<6dfQ)4-{XBZ4MInXBY)(>h1P~**+ z`m#i&7&XS>1TJ87j0|o*!Y^$M=dD6+MiOciVJ-sxu+~9L74wj^QQTkqs5QrvfRt>M zkr3kfquu=yy2p47hV^}*SaGn}0qIv+#FBX{M7G27)eU-aznOo+H(XH2n>Mk{+Q4Y0c`Ti{9tdrgid?$B?3J6RsmN3hR$n1Wo{8e3cBweb6 zu=u@}*Qt0nxV*RU-0At$B94vEOhnC}cvd6ba0B-^jP`se=K2u-mgjJkP;V>Y@5})= zoFA?XU_7hP){rl}WuNoPWaJ#oJ=CIZTYKeSHN9mZ)inlbOkfo-9vChVCrZ1b_;Bv6 z2-_$DFUc5+(lA{_5BWw*%i%z2ALrGhOdc5*dv@Z5ueD8B92O0S><$^{Z-XHQ1l-Pr z1*obDIimIKuqr5;cUAilQmW%nU?A#QXErRP&NtZwmPb_i444JfDCO=H3)4y0OrXv_ zQyusPOwlKyE!W{iQa5%Ho1>I%sAU8-7*>XoH(CaQ5q%TMvE5M``=;$BD|483Rbbo| zgJpXGwG4K|b>uD@Eh|Le!MA+Z9ae{bv}M8tc5t$`bTK)6b7%Q(oLRId&apelP#caN z?wap5qX#Sm)#mG1>C0+z!+H5}q?bU zB`4p-@PvhfTz8B?c`-e=e(RatgF6+*7dd5u{{rnQgRs@x6^*vtFzXCX+wWAjRAV`& z$=SeIxOowd;StiI07H$+VU6@AFIt9$Dh^s>&xX)ZEviZ5&APEfUlp4dZGI0k$i>%qaX(@))=Px9)a3XM;||z>*FS7${j|BF@LgXcuoz4? zF2+4=nt01pQMnbOWLlYQ@>2ROW~i~Bc-y%tIdIREhLeH3s0`brha!^UM_*R&li*$Qg_@BqR?JP`4(OB05UL6AF(pW)|+hN^FmZrF$ zM>W0WDZz%BR{z_>ADU&_8%94Y=!$Saa_YE_8nTxbfUg!8YI*Fo6>D1-AWcsH8e{J3 zvb=+9eiH>uxjnePS~(aS{w8$MwRqbHTIL&E&h3tH{GjHCG~8>vC#6w`={F4+`Mff; zd=eggZFHs;NosR%pb*Y?TvJou>! z31)nOYTu?w!qsd)s=Wv~kiDvJq1s!;osgpouKiVpOZY>+9#s1els0@3+@uD1#ESO# zPz+4pMHrX6fvvp~N$us&)Xt^6l>UnH z9niB}+K3Gfim9jRu65?4H(Sa<^6xU|{iEh3&o1nYV`ITRx;u(3Jk+8zhlx3Y5O=!K zST0@;C4GvZ;3K6pP&vmqg%3Ns4LSAs-G$d`qiNc;bDp{|xk-CzHTcio;%cZlfJTr@ ze-oEcG%Ed(^bZ6xeXl~dO@w{63mTNtIz$jXE5hk4LtK<~8f0V(%GX$W zBH~{1`Ov_1a2E|a?=$f34dngElN(AF)M!oZBcQ{VoCe?3s%p6`{X~yY(fLvuqko{E z*t6FQBe9{LrPKD;!Z>{Yg)C&iMA#9iLyJo53_G=oE=pP{2Eyc(SUPTk5ubuuVq6~i zH|(vI(%DJQJWo-bu1EB)n!d!3Ybqk^vd4AD@Kd3QMQ0@>UHGVP+I&K<1917&7XM% zoGv6AkC6*Zx^oxw0_T>~snU1uY{V^e=^-%_Ta%01Lap9rG3-Be z`(Hv$V`)42GHM(H|7}L{K}JqNx;EdB929)qlKpp#xue%lN0ye- z&aOb^{k#g~*XUC;ZPRrB{ljU0nlAJ|6F_uwK#SVvOwT)prB7_bV;m>2cet?~1UPEC z7>(9m_9^;xF}k{3Agb}BJEy+~*8-*ED{p0W9;TA}B6+Av$xyk6sdP<* z^!E<)dg)^SU(R(9RP~#W(RFS9`1352qw^F_(4!yd_%A^tZX_Of*gRh(wsO&9qT_i)a7 z=+QNIAky){s3Hg9vd4oF#3Cxn(DAnr*(~f3LM@xa90@r8rNXBXPR@w>{}*Rd7xWtN{z z#Ozpy_?L3iFqC|e9v}@xS3;o*-$m}Mwk8W1)LlIq^EvcPbq3IQZmUPRoe=L^=ul;B zLq+`&jXr)C!tgLn+VZK~A3?ZF;@ZR zoBN;?eP8lK;ZgQl4PJ-?ASlbW-c^5wvY@E+vlf&>6*@$v%faItI(b8np zePTAf6cq@Cbn$A(Y6OLv-UCqnC=6uY;|F>lfY4HR#{dM;!^V?&iO{!rKlet2U=wC! zSP}PEgkZIO)($GPbls^p4tHcW=I%x)$YwF zsc}UW%FHJ7s*t&7%_)43`P^|ArOk%u+*~+GTWY9dEaopiaz8AyzLU`#<&H#rmhDBI z46=exVj$=94MfUN+WUJD1du+1IQEx@GF}?WO^O?ysn2$hF^2h}ggs0uDX@MzUNP0* z!0|N?9T~~>pR=*0(PV7>WgI(vEU+Ebf54q|7!Uj68>;Hx#b(Q)Tr#HqD2@g1W=Dbp zOZ5ii5Gdbcxzs(r9jad*dF*d8A9w(*(Q@+H^#u;*d zY#Jz$_C>t_uOR01830hq110Hs+d8v=Nqx7Mqa4OxkfPS2c0pRW%{eXAkO_x)DMFoU~jaw-MroimhJp5 zMMDCav_)AE8t7#hM7S?BqC`k-z$b?3wmjWbJh`G{2d*1onOh?9g@9U})<_?g%i=r6ny)`QacWyZ2Mc{hI8+(`ZgBqSNY{tU_4azfGua*~u zagLwWUOhN^0J(aN*bIw_EL_E}^qa92pT*Dk-}GB8ZY}2z18J>6whxnNvZVtDMN>%D zzmvds%6S2r>9oU%?AwIMDrBaR<`CN$CPGlF-vwR$A>jE~@xokA&lJP_Ftp#9y)9F`xMg;VJZm%jL+jshhG$vvsgR)X+~%qYIQ_IzvgpwmOuN zr6(f{O|gW%=JZdZ#g+%T^1NvOU!?n{MYhu#|5VstBIFR{^b}^HF8Y&P?o0$^(i=X; zf0ZNQs_lG_3ZLp___Nq#9qQol$(`Zy;_X zv;NQC%hBUyK_$zCVppON>E5Y=Bg0X?9*Elx4PO-at&YnoIOf+*e@S~MVkcR8U zx%b4j$`6k#r?s3%`oi?4VD*l9s|m2r-Im?&>QYmq)x5pe=)on zM%P24h3Q17@)x3?>bA1nif||6>I4nEFZ&vD1Y^FRsEWmSlpDdinJxiVN+FT|ZS&Jn zDnu&kAocJH!xy5sPiHW4u4ze zj`EfWWeVahMO3bEPA9V(`@st5dd@`W1ae9emGR}g(*ixJGY z@rHA&{{Z-mzCDFlJ^X>;g(&X3C|k12G&#d@ULSZLI1D@sVgny##-p5zWLw}19M8>) z=En)MO|AOI;WWw8KTeK{4jiHJrm}R|gaR!<2+L>eM}}XZAb>pgD9_a0p4McW9#QhK zV+e9CC4IO64`%eJqaWsm5I&winjL~oV+nQ$aYbFRe|lk`(?RZT$g>V+Zt02b``;!^H6!7#G|vesR_A5 zFmUbWug?BQ1$iV;#~l>J+w>hk0HHk0IDgbiLwPt;TBOC+;Bq|_9D(e$yfIRYkIsIG zNhW_%*vp@}87egqo3X`Rfy(tHy5bZn7ugP;=Q5yE>-&e1d$!Yo+u!0V83%l~n&M}=*O{}kggTdrU^7fmd3B&Nj>1_1d@YWD5Ac}7~HoJIx>WX_WD z#b*#iwUN!RFif1+j_pmnUVx^R@E~qtcY}Hv^q87bDu}vvq+iWzqK_DgI3g(PgEC#Q z79B@Ar3t18&hiOs-a*I7=TMCS7Ur*^nqpXqt&gqQ#>dF1Mp?xGerg*X=D$u3HWrz} zwMq=GEdq@b=L9<0zshnw)ORYqST|}eO+361_&km%JA+zZGLk7|FhAXaeL}0f2EWZzw#GJW+a;*uctGUmOR9oE# zu|ow*qY5P$?uXhIIoubp?SM|XP6GYJA}TLX1q8TeMHR?#z9*kkdHcgffa%{1UCeH= zQJYq4Ga2v|zAxy;2LLNG{^WV2O*8tY(=+To=Y-4z4VOvyDo=i!O0Irfu5nT3(g?X0 z)nE5%obdp{$YT(!iM`#7Q|!gC3>a8E717?(Ky<~Bt83cDoys;X3O)Vd!;^;fHYUMB z62y-?@JZfu+)w#i>$sEc&7>wF3&Kj?{=oIWsMw6WL$R4I`rw!?}z*eq-zy4+jN)1^k=rBj%ShrmA4OPUWz%B5i?T~)u=8x^jL;Atm z>b!f%38d(u{8WE3+Y>@jol6S?uPE0-tzQvqpqMc=4&r+1Zr>oWfniY2E^owAPu>V# z^+<;>@zA6|IfiA7gZszMIp-S3N~O5Hz5{E6Lf3V?FR;*PserhTjWM0iHx}uKI-Dhi zJ8n)_e-o+KTUuv3_9A(e%JMwxJf7)CTN#LmCC++a`%GITBbriJW($fe20;`zk>A3~ zG)qpMa8Z1ao5fh3;nR|gP1K$XKuHnGgVi}-F%AjqX~%h)xS|nl+P$qe4ex}NQ89v*K7`h*_aLL39wt_CWR9E?oH;!R96@5Qo*o1z z_AIhLKkI_Wj&if`LKl*|s^|$rk4xKQDMZq8Cdr!Ycg~4PZ+Y1J}1aIp@zI_+aeTSfSVU$n;nhh2~|fR z%cdi9oqu$=Y~iU;|7H-C`Jn)DlcUAb#mXBhcgGF#K4kkn-d&-R?*J4mNAmNaD&?r9 zEfT=yzgEzUGlr-fuOM@K*cIE6wB%Ld>a{5E0=fVI_jUBR05Jtw&#`~Zn}T(_%lH}d z9LO0aIA30ifi61T@fqH{7@CLu3@pI=AOw=R^H-Gj26}%M%Ikw(c!KB~%&ZH2k-e7o zc{~f9oP{nNM1?c*Jm|3&pVZ>VOHdyC=A(trV|NQ<>q>Ngw0AUu_Kt45jvr^~rpY`* z=j{*C?Ti%fXbkPcX(5RAxaWlA$wd4sQg@HLa?%Y}@ueUr9d{5lr0&RAZ&(9s#i~at zI)Yvr1);tpnTj5WWN=j}M1~x-_~mLuYo&E)nIU0~ZL@)Wz}6})^Oe>RxrEe=q$zaN zqXU=TC-J#(vFw&gCZk24w^w}Lq1K|oH% zBb_r&{89iHOt&}zAQd1~v4x83jJ9ujI=5T1Eq9h!7DhOK0mY`7gbfpa=r-4Ht4pIr z`H6WQQI1odifmvh$F=8nM$;eM?Xh$e_L>TbY4TNF(Nd&a6qUIb6`qyn7jccE+Ua&| z46?7~GaOMt%rJWjALCo%{Lv#a&4q{O=vH#{E6A&K6+zzs!)g0*P#&Y=pA`#u_7!8Q zs52>haedC%RJ6ybD$9lK_`9<%o3?Z=-h!k9`r#(ss&IcC^ou)r6_|d(O%u>P+a3eA zrhP{93|%1G6lU=5;ld2K12@2+e-a?2;%f#_(3xy#{DgM3^fV|VP@@(nFnVDX?x@4_ z9qZfIEQj@pIAJD~PuFY~I@k*Oki(6^V3g&ni2EFzIfSn{M)VBq5KOikiH^mnNgXJL z_%+k2)5MW=wm&q|PF=i4NRuLzy;b?W^I}}KyWt$9AS^Oi5)F}F#bK0oJ=&za7%qJS zFpV2Y$Kd6b`uutN(&1&thH|l*hHlbWK)|GN^+ifVu+(BSd{HeOGwm|Uhp=IDB(2}H z&RDOL3Ey2=jl6>ZCm`7TBOj~mMW^q9y*KU`y}F9^$ZYoZNuMOnZco$XVr*;5gNVO; z9~qOxY3=C%OV=o6jZKX834K}%AY12sAr^SDH`VUG45*Zh?hX_Nct0o+(nIavfbq(K zm=~RH{*>z>8QsF~(9OYv>Eq;{Zp$7O>hMvtegAA@E&Dd<=Ux#cPmXdg54!6nsf{~~ zgEF&%0=vsQDpypF(Lp%X?<9p)!eCX+1>O7hYHeAWd= zOYhTadj`f}HS9Zt9o!ZTa%IL_+0RL_dl_zBNQ_d8SR9s_4e2oQQ7qMf|C6ScK7npM z4oMdq^5kuxZlH#~uIy0Dt-*5l80Wk%>di;_a>x?7*#N~_TW>V3^d|7_U3;w#exfBO zR5v-?YY|f1#t8c%+ucp9PRT_6j(7S&XkYN_6YS6yOH4A^IS{cGmhg7o26a=2{sWUc zc>*bc3?YHkkQi?+c#KVUZ(oH;CbBe@k8!Nm7-AENWmb+jtDPmjojX>;=gL{C(!cbp zigZa6*+PA&fyBto$oq=;g&iXPzV&bw`XG2|r`%G>Wg$wDMwi5S3!QH2uAgTzXq6C^ zvrB0-b@;tvj5f_?`8$GrWctxqU4V0>+&q-t!}CU))jQitf3W{b-?FUJ=KY4snU*>H zF{dh4fw8_GSHxMX|hmx*^A+j?F1n;h6=hVj< zJPH_VAm0D;%ZPp1Tf%*xXAq9&n`p@k<6zw8KBHpySgwbk9$el~{tcaOIX-FOJJ_n) z{DR8Wq}&OIXvXZF-vtRWS?owr@y4Iqs@TZzg|N@nZO3wKgz5}aMnUyC74Lj3;}tR% z4hx}=Pa)-08@4>vup~?zM%)V`cQ@)rP{+gIn|n+R8qO95;qIF^Th`Hh%Wy4u``XH; zI_?_{?Qj?F77XY5L8h}B+J$U|=vgYFJ)u5bm$!iS#P8k*{Jx?OQZ5+y0^91&$E>!o zQQQd*sqE87)kL_4vTMi+sZuK7Me&%{FIq;j+#(_*;m;c0rTv_m+L`=7=X;q0k!ug1 ze1ATe>-^V*2HRU5xI`YUHw@E?0jHZK`si@a%gFqY%FPyPzJ1lVkA02^-qm6pn**BX zToa)}mKW~+5v%3XQ0Xn9ll%*Kq@m0l19XwoKa0}Z5*LJKXlSnjtJ zQd;ZdtMDk|R4t%&GGWqUG^Rce!y{`2;F>uV~`&f*5TVZN5S1F4ExjWhv}8!ZCpQTn{OK8Uji>2ymb~# z-@GHRbK-Us>EK3(VmPt}7y=A*M`S(351&DiO9{-Efiu!iOFN_l$sxz+aQz{E9@rIUIUNBXaD+0BB|NN9nryjjP(knXwbdnqYSp*4)L#ER@vJ__o)3U-tvGH>V&WGL~#(~2reYy|C z&XCWyE7kRWLVYe`ZukAzN1QcQZd=&G75%HEuNX7Qvu%sCfc_!i5UEi9wF0RI1NytC zC?@6>u;mH-1S{>Z#Tx|K_mIwaMOxw8m4Wqr9j~SeD|tDA-9v?$)*DT98SB==xDPqR z6%0-7%z_oH_j}r31308wPb&Eh-d8{v^CQ@j+rm>ha0&?rV(qdYc%ATm78_*6J)vSa zaHcqLVF6}EP92S=c<45%m|ssT#@B*5-3RFa;1Fpk%YR$`8x(>}RMvZ6C^IK5kIQ0Au z&11T(r%kq>%)U?K!vK?sUgPsJ(c!QpF58|l)Z@qnGR9N!>^~XEyz&l+z6}G;1Mw_F zIqPwWUd}$wIO2KO1`J4j_fB^;Fg6fg9_?yPgDwBqOvpw%jaY$&gxg$v_?XbI;5T&B zwMhX9^S_#e2?5B+`NafN5*Y`?fNM1keGyk~!!3t8_oDUIe3Q4`)+A=+=YJI#h*d+J z&xL(6Y^)s6OpWP1s*QR z@to1qogAKlW_TVou*;J0DfMma{f;#z2VXVdRd^-thw3Xk&FGXIWmk*r{-om7n5)KT z)td$W6@&jlt_eKXhJtxJc1h!O9W&S8Ke!CONzfao$^CZzi{I%}bnh)j;g^ooZA+LZR!?78AL?Z6mbX z-P{rsaImZoCK7edJA*GV(uo}!2nioVcb4Su{Tj`+?L5to=*M?RT}}J$-Fv*-=D0E? z08uZXLhGKco|b(d>wKReAZEjpPOT|8JuW;(t_c29$Arjr^ob*D#Fmtzwc+u&fI5Y< z!0ZGok#MCns36v_jfHhcfRDF&%#hBz#G^`{!HnmVM9*1A*EVU|FF&hyBK`_}G*0pq zyn@IlKDXZgW6|hyDImlJ#ETqgidWoJ`4kcp&C)tCyOm!ec>7Fw?|u_zD~;&rxpwP? z)NnuFgt+h~TY*vCk`TUj<8TPOwC#1QPxY(P483A*#6-L#DVe%gf8LjQ=3JF_vj%`+WR1lMStL|-V@Z?(~i!? zw_Q=8CC-3KFoZhuirULcY*}vG5QB@?^Fs{LZCqZ-m*67STPG!!4n<5q7ay$olD$x2 zePE{T5TrG~R*slhHXwa7LZInU8}k9kS3{@kgzx{zV*peM=dcD=)=-qa{5~Kcpiw9T z(73s=2J|^J$TGl>|Hl!%NaWuSxpWyXT*f}!_dkx-_@jFXp8>rLKbH#r_gVJ;`H^f`R|4Z~Q-3-+1kdd;UPKL!-5| z;~N_qs+xK!9o{(8SA3~G&h^PV_r$qYeF~%w|Mh7-&bikI{MVBMWq!GD@S(W25!+U=kt<);|#BKzHT;^DxU_dQius;NM6K-xU1%ax07auKS+@x@ZFW~2yekexyl##v+Z&p^OnGr#v(~~_i zE5jSe@&YRkDv#9)swpcY7jkR_Jd+y%e|!DDnN7%;mFZ6^n1M{*j69#OFd4x&{@lRK zBBb|b=iwcAovxvtyTY8A;e!+K8`#2$aIDv#UGSN9lGm40JhJBxueW?1VCb@PMfpj! z80-9bGw(qfNT4+^Rhx^*bH~=^Jn1^kQ&mc%k@?E#k#Ca(gd;xdVgMK z>GxO{$aCI|(@{hINqr#KPgcYIHbVhf+1^aNEg&MJ&ztL=nSu4*Kz89-q?MSHmyL@6 z-lg~Y0%R=~QG>8n``nwCQ>=m+{DEQ-%FoHeBHj*Pj?`sl6y1oYO0O8RGkyNTI}ltT zJK*=0THvtkEV2ziczByGGk`PkOgN!gvvyXl^8nn;B4buYAa7y@())6=CIWjxrjI+$ zMNF9)-rSt>*W+|qc~#HH>wJOYb#UptT);+$8&P)Uj5xhF*H^kWuDA$;*?m5r^EU;f z20-oT{J!Fm@wyz4t1rkvy6jBnYuMt&aIZe+ugV%()GRUc`Z%30o7{~@!40i3LkWI= z4nB@8Qjy-5omsBNqwJU%NJmDmW}s0zAo0lzc0o1yibuu4?FI6(ohsPIUf z6H_01-%LI280qL7pJq0+7wny!E?$4QvU_%>#n|WSV znYwrce0OoQuMXrv^}qrSq*XmXe;~bk4-0SOKh&p1uh9x>KbNS?5E4<^UwjIO)W3R( z^G>VG2QkWwi$7VoDNQ#W#Sb`8Hyfo9JBlxQ?NJL^g2>57Hx5AP9*ppSt4z9UFfzrb zk?9C(UpE_Gha;123B1P-pa|p&`ebW=9;h1+MNwoyu3I*17W|zgt}eP{WUme1ju-dG zyPnP2;aB5|OMqW6Y!7E# zJiHqj{ZLK+Nc*{DYUnb5j}t!rBR8W(uSqLuKNkI^!!#5B=cjPU19-zl8|(hmVRZJm z%szDS;_Ki?<7UMAui8hBH0$hr>^f7t-C##{LmEoc*%P3L^+~~YUHq0UBS+ei*=UD- z-qG>oy6YT{kt28SHW_+8inAodI~-fKj0Ob+=#tcAgwCmTQ25*4$AnW1Ln#y+7yrZ) zBS%``!+7n&779n`<9F|NI854~G|k}p?6yBv6e%qP^~2tpdYOpV5Z9_(pr$^#si&s? z^O^q_miWt>x(W-E#|oyNiW;sXT1EBIDoU#yt&%YOLWTVm+2j3j!hL_P6unj>@bl+N z`Oi<`kel&W!~fXwXUEy0>1W2%0q;CoH>haSjRT4*Pn!Ec9mJdP@OV2;>pNOACCbGl zqiEB|zx`(JYsP^Mm<(_i4cIauUHh_+1;-DlIhh8Br@*0h3{Fw20je`X&&b7wC4IsA zk8T~Hxy^VWi?qNw_Bd0Y@o?T2_|)}Y=bsH<4l$u#!@r~x@6x#*yaNpX_|_i7|L1dQ zhX2n`(O(+=`9~ne^fYvmi*u#zx5mBwGqmMGkf`hxL^ZM3F4`UeqWO?wm{(^b|mE%;UX?f|&|9&OHf4N5tM z+zPvrBM&!fa-cXf)2O> z72bruLyb<5Dt68`!=-9!V;LVhO91e2SDF@5Sp`N11vlqnjT{cEy5<-@N0Z3wNL5}# z^}xYCTw?VQNs(C`>ZSUV6r98qn0htZMwqKwAlRcyCMFAVWHWmd+2p~xqAI@=(phP? z9)!grxw=>@c}=&tnjA2W0R>bwE{;9~#Ada$6|9v8#5t%j+=^6^2md-@Llr;EH~{TJ zgy1!Zc`x8bWQ%hH9!pY#If#C1al=gmL893aM^ zFddQM9f_n%{d+usi${W*y>}G72ZV^CO>{~*^v)4lpsxv$nN!yzm=ivuQ{Ol+)M+Cz z<+8J19xOu9u0H36l7Xn&dHf7#>d~Dhxm}l==74Bzt2IGy(Ij{)Tbfm1W*di8|1)<@ zLGACrwuG*!LAjl+)uZZ;%TOzyPf@i(M>bc-K+L$Z5%~M6?I6lrQ;U<_bJ=J0=YKVV zGH^ZfGg|Dk^fhY2!)%8h_}*;L&t>FfGD7A?5Ic_6C?WEj3Cv@k5V%`!YuD?d^Jt!_ zwxQwjrr2(&Gtziwt8*q9<@_KVAKmtTt~pw}7<84Lm$BJ2<)Zp@3wwvb7SxmB3%z=X zx7t|4E{n`67v#i<<3hSg(bmbHgF$eK&J4uIpM4X*h3k~Kt^w|Q z$QW2B0WBA)hBjTu_NN6e7)qOgCM0+{?0w?L$R=poHTm;6&`Za3BuE@aWJtIx=r+CL&{r zH+UG)$uban9V{UN$oVzfW*da7y?qojS;284=%^gvlBl1((NOTIK0}x1BAn{NII35# zj{9{RQ@D*ed>G9Mz0UBDGA9-**R?Z`Zez;KDC#_HsfyLsHY`rxGr4UgnXGGyDvA3_ zA`3I^r4as)+M7TL8az~+c*=-x>^$2((rMl^0&jOWmrUayXEN&=nm}YS*4Pa0zjoK5 zwx={F!b}8-zfoMEYf&d~j>BIHIc!Pdkte)RwFoR>Li(cNo4b_ocJj3~kdnh?#i7i>s2vX(B zvutK!3Jhosjp`LhT#z6hq-uSBZpy2d90?*M+I^{PUVXX!qT(1x!3WV=+vJRsRITHsX-nMN#q&ZGA1)ully`# z$T<<(`6PC)X=8icSL}FBtwnTLbcb*`WNOi_w$s>9{IMyce?b%CU3#5*)LN3LuZ%@K z$C=pYMU#o7o{#4^W-`!hByH)-@hu%3m*EitQ-%V#HKqLt`&UkqbHB0x0T9JG|?N?%~aa3&N9iaNttPVzGYQt%D%mm<;>l0u0nHdTE-QCBlZO+=A?4p+jF zTWk*`;6cHo@t|ZW?qi7?@*Vm82Is)e(AqR|tME$4R$O6HbueD>57O1wv$kibt})7n z7`)UDn&C}AM+ahiC6K)ZoAX<0Yg+;m$JA9ylkv~5&f4Qrs?ATWPBOlW?;`Ji~S7j zmwK0EutcGGHaFMWmQhwubq#g=&&j%I6Q5?#53H@VO=opgHS8G5j@OG9lC5)+xx01E z4e;%&_XCbusa2sp#8oi?|QijGL>S z)5tTLbHthC1aB8nz56t&Md{)QPV`B5I@z7El6hL$i3`AsCDN4cQ##NH9ci-H#bV7B z=K!MLHifR>=P|~`4fW0B`N$10sFv2uX#wXHE~wa3vii&nBMdEd?9)l^e|b&hsZdS4 zdk$`esbb9{-lRvZvFZHJ22{;{kfdvjIb6y5rps&CiF%%)nq!Psfkb=@D<`aNr7KGI zvF9an)2~Mp#G?tiN!2`XW!K=3OyGiIi=u?g&Zw-o!D)sT#1`?)cPOmvLUXC)UhfQd zCr1(V+y|89{O9KLYq-?2Wxq2f;$&RqFFmsTgt2%nF>1=LXCLPxyG#&&vI9FbQ1f+7 zf?f;r(oqLL=7P=#PgsRTLjR0)C?@f81m7OqkEGkNEDa-U!7KzCrNL?F@enGQiO74< ziz;tK!WrdOZQ}8yCxLN1mLP6SP!3}QfC<EhXbH) zuJc)SKEgI(9I)sF@n~NK$_LI-$VIOoM2iO_xdhil-?zS_XS-RlgqmW%kXrmLF3uZ) zgJclyhZ(??x=BF#QIhc>rcn~G4;N|Pi+xpZ*Y>gZLT{PWY2~N%H!hCWULMt>hR$ZK zzrDto#gns?-j!&AQ2 zqs4f1*JEi-(N=r364oX50%ZXk&$orN!DU`ctM!0U-_+7bD)CF;Cd<#yZjaYRYx#ZL zvA?z7b>>M_Z=K%X`T^JZo9(xm-0TSyvsk{%W^=YEr74 zm)RG#M4?yL#G2@64#a@ln^#yM`ciSH)q;i1SF&q1g;y|JpXq3)F1(o$auvotk4>2Njv7mAWE#Ow9W zGHu|VVKtcfLrJJPW`Z@4y{=_WwY{3%VF1q)tj}q`Bhf>8pH>CA>Y_ z3g&m+A-PrTb}kf&!(885*)X>?n&T){jIhXD#CL` zsh0zvB|$>JuD&&VM`$NSmEMPR(K$6+kQ!~$q~2};FuurJcvphHwqX(bnxu!pUeuc- zk27zY7DpTBHo5ztCiVxTr_n+4+vez-!4nH+T|?E@*<`j@=OANjuN$0`JV(Jtx8Tdb z^R?85$9Lb#Ptq&1-5H`pUANF!daxFkT!=CNC>`j*BR`;O3A z0@5Sj!xUq&eNJ_>Da0jV3u{P#oIP64rJv6`)4xDOolmtri(=S*;bDz!SQ1f;-l>lDziJree#p=#Ncy%WE&nu zf@jmh@gyTW7zgoTC8D%|xaO>5Z>v`#lHIvVl=VS?+1YRzu7h!RHd&5k!pb&hr%z`R z7UI!>0WTP3E-+zX2(BV~a1(GP4b@WDuu@W}?8kn<<~oI-jdLh>qKDX!T~{0BXX!(` zUDoB+Z`Lv4H2(91W7jXd_S}fj9Gz%j+5RTmtBJ)01JNXQv;O#dU%w|;#OGH%t*qC!U#yrb6t@nR4!a89%GfCAtgw9*$K05$`+18WN35-QH3u0n~+Zv zLHCygxxY*O6pxfg*zU!rCa<+AY+(nAB=b8B;pNImNcUeU{1(`bbZSEY_2(r+-2uGB zeV5FU4v=j>b;9?|z>FtQ#5xkz8yri9fzt;SFn*nx96}>pebY#U9+E{0d5LU*XXDd2 zSnStZ=OmIb&dIW$mkrQ2K((Fh(>(t;@ySG7V^jF9)9e#QXnteJOyyCMtfZ10T5_Z! zR!>K}uNJnEK|1x6dS(3kaS>;YGf)!OS<_{J$!RDPiQ5fzw~|4&S*#q2p5VU}I;V0@ zr%866Un$QymeMIv4=mgNiN`U#T#9+21U4{+oET>__LFN#g5)^9PzqC};;2(uZUcqb z$kdp{c{xrXMVQ8FC`;sy`+$5C=n;h6;BZ}=uHZ|=Ef2tQ>`=>XFkw3#4=J8p5o)FD za6a8H6e=;p++#{kC! zOVP;a-;UgConXY%+V=CQmX_+af3i~zsHSeNunOjj!VFRe0?+l5nJLGOBtdONbZ!3N zx>0n5P){a>HX~Z1q>%ntbtaYcgMPixh9)R+1=iFp5AYW(VI4nBkIO(wFGA-zKLa^t z(yUW|v<|cB=higYU@ZoNS}ahPi59b`lyJZHx3u|VJkypy8e-3*beO7Rx8r8Z;Y2=@ z?k)TE1@6%oIQB&vrJ-pC(P=AwkKR8c6_qP>qC---ICd_DA*hJ8IJ*1V=7CG93e*F{ znuS?khh^8N>d)Br6u0XedN~(kf$B0ya>D0}uC^{s#gm=u2Ea=fZhVdA2}A=7+3;q8k%wOPvodtZzo@o z7GWsJgs%i8WiE8;eC1jlDc7kPb!*xlWFJl3vXXo%o9M~S`oy@~Z{ubiW-G|3 z0t>j$@a?D`l(d(ileRAs+tx&$*_+b#$kdrCcWd!|r0f0YAa;k`eTlGSHvmbC`r-JTZGt6_%=Rm;NA<->551OiXNt96}CoZ!y<`9%Iyqe4cJ*aT=A8S zWiyi5kP4jUqEoTn=Yal3Mi|u<@rWNO*nby`@N6^jYqHqqjHNPS+Y`gU^$h_^*UCh8 zX+i;j;tnM+Hg=KAI@18dX7t+dY}l_}`!=}=50M&$``P$x$2lW*0_r(gBR5HgC?3N( zKgaX1NvaBrN78ZsFj|Lam$rkDQ}lx~2Hz|qJPc}*CwIlXdiOigIHI({qN#aLqYsdy zFXKUxO`(GbcpxO1Oyq0zbV}f$N9VHNSL-u z?(jbJi|390coMrZVMbx#L%?8~dXzKNpL2P4GAiH`SqJc~U+~?fk;Mxe-w3w7Fbd>TW4E`nL=9z7X&d0f=fHOsH><3wpd0jDxR4TiK2HUF~=AGZ%aTOwC z{BMFZ<=c&q13OeQ$*c)xX+S-zDaQ;`p#8C z3h|Ix1>+p6faPNoiVX{9A=hdl@{9K>!jyd2c`qLAyc*!4z|#kZhPa0W5u%trRCFcy zhgrZAjU&OqsD2M>c~7091KKPdE>&kDVJ((16Pkfw5h|0QFq3qG*1Ml<17aZt6y!<1 zFow8n(G;|AtxQr|`tT3)Ai9-+2eU8g$^5Wvy^(1j>wN&Vl7kS;@e7R*t~+E~ZpO{N zaZ8uW(l)i2jlg)0_ljJSC`7U!Y zpvm926b&SPKWYEFknPOf^@>o!K5b^M5bx7tl@a7Mn3t{>CIJuA5go&m56M`}2^;Vo zQgZQe98gf{UWCWXmcXxwWASF`6+sMwHp|jJ-rpiwY$NrZ)d4M_=Z^k)DMDRYmc$Dy zoL4d-AyZjp`-X`o36i`_>5pYVP~-buMDH7lgeE0N0L-(0Ier57BQq*~iQESPvvAyT z6E?0rfP*js3wUf%lsgnGL$DPw82GvhHz2$N7#qCXgO{OGGufFYk{)REDw%~Ua=wd~ zg{Dzq1WMjTH@lBZk?Qar^bP_0l{l33Uu$n^}eNS2V* z?;j#}(q#@a&$lG-UyLMMw};Z!#6S0}|1Y<5j^ zIT=Tg=OZZ`%jCIo1!99SVjj*Q_mYL<-R&!<^CC3R3=&@C@%dq<1zCy{ls1wSDEV-)ZaQIWrSIN2cX;^;JGEVe_u zy6Anh`CKP^FUx;UJKkdt&?C=diF;S#Hy`bK9Cty_D^?JFhZzY1#!@O6W+YG-otXf- zImvW=Xb1{!)TE6)Kk9*2h1^v*3IU2JAS?|*+Z;5ISf-9evsXGCtmtL44)9-X?Ll6%y>a~1zW5p zT2sStolp8Ww0sSd+8HmUD&H0@0e(`4L}BID;M+XNIb4~7EqFD1nuBTknLA}pz7@=g zeJXG{@$#*{V>(|gl5SPL%XsEgneRmu`Q%KAGlUcHD6G#|M4RYMa-lQ}5_Tf&8X3PP z4EIfRRCOQ}6<;3-G^9pYA}sXsab=jr1NgkKdS73>xMCUp$HcqP#7~hY)fC!+h}Zuw zyrNLTsLHc!NIUpk+j2SfXkec~{M2mAN??@yse$7b=k3ZQ3OM$g=>^5DIJWRMBkJwOeV|dNrD*ccX)OvLoasq3$zP(5^Ng9?y%n2k6mwLpI7m| zqGx>LCO9cdSGy(Z)QyhuqrLJq5Tjs^dH5EuesM!1->jG*5!gPL^$dmuNvDndas=&>>9kRGNoxP27UxpnpGvDBc&6cmc+{?P^ zhRAAuyR2*__qSQy1~!(CmvaxYU#0NXw%3m3Iqm9}jBvRvF+sUTF(|j3xlLaOXBK&gp1>x0mI%1SZ`Y|aJ=Zy{A0)On(jl(0MEqsZ_WWAMrxoFku%qT*7viV9 zQ#=3!Myyj4`Gf4jCvgt57UvcKiVY`vepG-5dhT$94Y5t{q68kIwRl!(SVM*cYZ) ze>IuvAO_gH`4f5q!qFQYx`9nDue)n%+s-{jXGiQQRou4aN@zJ?dzBG-dvyzY{TSP! zFz-skuUk(k10dKuH&#_sU(?K50-^a1G>(6xj1f_K*HAf6*g_6QW*oj3!aBR&hKAxQ z%?Vav_Mrm&&$I2}HxAzx8rYYun|dNO_5}NP$I@rgbnhb9b3DoRbSHtnLW$WuF?=*a zY$pmlcj_Zs3NM(L$w2T?2DJO6xX_2f*GFE1wm3}nBOGag-8-kSah>=oNA5S)LK=## zTF+dL%g-#Wf>Cq|`_VK2rSl8)FuQj=3_F+Z=Ri;ZjX&1a_Tz~@>~HLmKG?AJaei$f z$f4XTmIe^aucs$&`3A4wn8YuJ;geKGX0%(06&%ba;7K|#9B5Q?BtCq3a9kf!PHX4q zA>n88q^}j>%Zi>7W3u|PRmtI2`9hO@1xR`VmM)`+QL@gz9pSd%2?Sb9^3`qLlHB*b zQwJk@PIX{q9eJYrCCtcoIjvXBLHWC*P|wsh+S0mM`BdL@Bu1ra%64ZYGi zE_|WpM;r{UiwkqU3W?_7+5BS$VUgns+syk?r5PZf<++S1;~=UH)3YTNSa_v!5mKJD zUDGcBG~ufdE@Mp6PP`zv76tD`Fr@Ths(`t?CPi>cQ|aY8wSVE7xUF2|b@x+vwe*E7 z`F{yyB@qYE6#}gY{!&T;RS6p07*L(ae>o&Se1-&B*hoek8QS$>(2MemKq#Uny4G2A zyX+$?X(fJPkuWz`NwA&Q%Vzef z1R;$q2Ci2s7ED1?#{0`N?%Pu#yh(n7CHYQouI*D6P4(Dhair0aL9J~Bm%_b*#hE^-{bgD%qX|Yem*>vADeg)?krtfTT`^q&)-~HgOMr?WCDM_&J z0y)nUXclbky|wo=Ns?wkG6zsjc6PikKLPN|S+w8AyP|8tUF^UlX*5=qS=ycn_fPa@ z>3e-}CY_1D!h>LK>YVQrP{|zcU{}2q7>4%2xPc7^HVB_Ukgr=jIUi5ql3;%n;+uzm z0x)MsiIgPW5~xAKEhPC|zLI;wjej{DAHEg#X~y7{&N^+!=AF@B+pt#%kyPoVZLC=o z`$e7$AA?weS-6el2oc=RHP;|NBxGWc^i(?c!j{MDd@H43=jIy@!y@_26o_C?+W+F@hEVptjE~+&SxP zIiKB+_~koDR^$%BN0I_l!1o3xBm5klj19YD^5m{PIu)(;v7^%hb9BpF#90XdIA1^y z=J01dbvnjY@oc2E>;^_&yOLZ*AC7t$xgvzu5{aADN%<Sk3Tu}cv1hf81R8#t*h2DVI^DT^j zrfr%D6u8w7Tc?Yg=>2;t`Il(%lX>j5RQcT6G9@}1?{I&QPvTl5Or#pv$+OYuQ{}qY z-0<^S^sWiIMU$PqmBx(xrj+GhM?PnN%VQJu{4M%up3z<%tr1uG(OmYCD2iFXo5?nd z{0NHMtgd8;3DgwgBK|9iuVT|JkoG>0Eef&sR@#sOH9g-r#dE^V4yAOG?M9I;ozz}R zk6AnNAU6oo0bSKo@IB(-@$P_g3=nu0E~LjA=-6ZW@CGTr)vMTzjks@b~! zd*>CPp|;=L);>n>Q~Uy{qp<4{^=tx@g38#>767*Q)CbI{Jris87rbEQ%8Ry!zSj$W z<%w967-sM+B_~#+zJVf9hJ%#3YiN)WyFNo9_kKe+!4hvhm&g=xiL`@b z>7>xN7!Po_y9MVpE1igsb1J(@}PfY)o(|BA{p!&ox(3mw@pl8 zev=c~cM`Za$ok(yQVDq1x4Xdkt`5>U==y_5*GJ0hUzAD#3z# zWvYepQjf_ zdLE&&kKL(fZ=f*&r$Y=aESuyN*dfftjr1l`5rAk;l29t~>`7kDL(;3E2}r0FUZsWd zahm1(3I}b-eLcH{;&kaUGN$klR!mssb166`5Z-`k0L{d66i4V)1OX}bYrTRaQv)jv zWFsz&)G&$aJQUo67X1VHPx@BCE;p?Yf9Si>io0W9KtkRC{4n&2kZFA92k(rHCbmE5 z8Y@Kml7|j%aL&NZvKi#68&EwsK-}07=8HtftNHwGX6uo#^{9R8V#enC7O}wO8|TN1 z@lMb|KMkrXW+`{C2><(_tA9xY5OCPftOmX<@;H0RQ#I_~Q(D5G(Sh(Nub%N&w6Ad_OGj=_fF^KhXwp0UM%kS(DJ9h?L zOZImvjJ5zviQHc$^mk>NM4y=q#(RVXI`uhgvCp+ff?Wr)mp&;g!ldYlDjS-Zk4lmX za**pJr;L{C+1E|Gn#voH)L#Wb(E~wYXGlVh^9C{>4~ov~KF!>OlgcNf+ci+iiy^!mY~FOhI>$-LF7{v>@LRRCF->TKC*YA9ZEoi3x|BA$ET=U2DgOiFH>R zvrK3X_6I^ho%*wD_|W$2GTygNOJLY@ccM{jxux)YU-B(Geh%pt(^&GXld2;SUC;3R z>j~mqJ^$Pg(gfNJ#0R>0BUq=Ne8iZdsibAg$+p{Iv-mC(9Y!*1HsY_*Paf4*^k8VV z-u81V=tqhxSzVdB4~2D%Cwu}=u=X92Zwo?HG*h)ByhVB2_csKi(!uZq@#Y}VkKn0R ziGo8Cj)v#a3*7rS4Og+tuI|1fYIA&U;1?T;K7cK--1wIM)GA~XOWh{&83=kmj06wK z3w{9l*ofX6^^o-7?eQQus6G}Sv8q6O8*+Xvl?a#bcnB4GG)6rkS{lJs_al4%@jv#&pgX?Tjd203qzQYBN6NH$I;B}}6K2KjEhF@L;JO2dp#C{hm%A`Wsh zkSMdT5xOpBlw`-9&hixqnCiiUDHZ7TlF95T+PdQ`Qxr$6u3>b3KXiUTWCF>}f3_eG z6>sYs0R0c2lxFM4;;D2lKl#Zcj<t4`{t1=OTr;dHu;$VIo{8Q5C% zBGbQQ3)zkXLY4nP-%M2T7Aaw$ptkhsI7EmvVv!%?$?_KV&4gWF;t6@<@Mcn1xDnZ# zAosqpF;=VoHKuGYnN%IC?}ZF#89k6x-;?qW>FBY4XZ2{Pf?l|Rh9&4h3}~zY={-mF zX834e0xiWyLj*vMPtU&^20=^nu|rv~zVFHZk3wplmQW7~KicV#ucH;2Zr94QM;dG9 zK;BQ!(Z2&5v@_rzjf}xwuF*U6Twen{^qvnTFV@O|J8p&iuisOGG_--nil749MsHe> z{UUM!GC{Qa>BU8q0~X>BkcDV%Px5SUrn1Hj0i+G~DGe?4^U}5Z{^OzlD|ADTMK59x zwCnUd8YC9kHG4oRQO~VwPo){8$A+!;#Wi529y|jauqXz+5IxV^Q&i7Q{BHD~QZ8oh zLRG*GY3PZbV(NQ~?kVf{BfuAZ;lNbj-3zis+^!cy-&X*o-f zs{GBBDKx{bKqs04`z;fF$p^k0{hd zZ;R6`(pyju{NiGR>opb})MFg2{7dKu$XWk4 zXyqdBM^BsUX`PVV_yClj6 z@W*xt)zxzys5#9IXuHq7ovyZK5oA|3#-OlEThM?93je7Vw8qtg0O;-S7dNFZx&Y`6 zJrxS?mwJzOBU-+AGeChFV<1@f|6}m#x}SFc0leA=jNj1M+KVjPeN-oY^cHr#@bT_A z*L~XoTNXfR|MlMGe|E|L_1>4#P5n&dJdlc@IBC>IEi%Wb z%>(eYq!bS|^-S$BkMki3WUe5RH2h!>+?5-s!ODn>Gn;w_F47En2_;5td?N#e5=i47 z6{XFl9(X1hpobYKxy1q_W&J!g5uY#uUMPwiEifZ#j;Toyd%?44GU&C@pS8ezGLRiE z!NaMD&k6I5+Q>%Ii~tjj;VW<&y&KdeL*#Fvai|v&N;I)Yo_il;CvW#B;Ywv3enAjS zJ+mKBe@lW>w4&XE@i*EPdM>lB_cF)0E<7JDv&%f9I@(xU<7B818U&&^L3k0uIeLJ3 zdW#}6l+oOL=V<%~rZ+rDVZrRc1B>uxfInD3;v}~RnAtP71Cmk&CI-|4#DwUJQy8Ft z!VGeIQ2&WTkRHH+LXf*h561x->LczRM!-7)5`t|A;AL^2@IjJNCNeW^a#3V0k{Ame zt(`-^B#AoJ#>m(|@k>Zc!S&by+l$Tuq=1OHQNwZ4&*@auk8u(fKod3<_PQpu_=}R2 zDPV|mG&!t7CRl`EabXEguQ?jMo)e`IR9%`oT}^{sdpuqbSj@-{Fd6_L7Os&*v1!lE8kwe z7m>2)R@sfOAeLYlLJY+TAkvD}jsL<&G?PaPMJ^RU~y370rC@U5JiUV{gM2?vt# z@IKVN33salp$wd6dr9v$0RIMFdy54$E|+Za6-$7YbZ-4l6K}+B?qTv3 zemLkxZP(#WF0H6v+ioy=C1jppU#LsRnKy><)i@WYsb&P>oSOu5_fzDDn~!FDTe4_Va7%m z_Ezix_Us-=(iQ_KU^(wmuJZEqQ~V3u!Ut4@h;PIY_CvK3LAj3;lm&Qf#b9V3>A_|M zxgU|uYZD<67aZn7|Eav~E91r`?$@y}V+DAeROKH^NO?J&jb{l2;-F-;ZoeJh7T8{$(w9#D2qF;NP8icK8Asuyz_wm4c^Uhzu0wgik}1C5_8h zIM~61oxEKeI7vNibo1_FXTJk70gAp`}JgdA;ILwKwF%{ z1!y=MWH?6g$56nroUjw0g;A!Y74ij!$SdRA!TQE}-pdW-U zaKlN8FsyYN9#A$dDibRN7n}V3uv|PGQKyX>uv0F;Gi=|Ra6kA6r+V|rSS3{nIlqhQ zm3*9Ueaq~eowUSJmNi)+-+DS8MGtHz;XhIV@(M7s|0bbAGB=gyTNO~fy@8Al@Pu2F;;y!U>iy=?>dV@$pth(DylLVYpfCo0{O5c3hepA|A2 zyTJvpo*aX@CWsvlbr7Dj9pT3*i3)Brwn55HPj&}%c&hhxF#{$yH#USE zkmEk8RxEK#2>Oy3O(j$LYUJsU_@WN^TzXRIYHyE1mB6Az&X-j zxk@e}m*}N+;;Nb13jF{s_;s)s(%9Ndq#Mf32825oO;(fjD9!n}BJy zirncs#tkN{$Uw~}t)9($nKTfCpr-zsSzdE&jkV~M6; zgX!&aaAxh;#vSecJ1#u1eVk;B)D2^rpSw@tjbAeDS-gs*5Ilht> zhk+x$Z($#Z1hOdmLQK%9z$FOJF8a}5hKRL&;Um7SohmE-6rQ%?J{cWsF8Y%fKnZMB5uJm4uFcfBh_+-EzQN#U^=M zt9RpUF3H)X1h{ACMnnuD-v?$Oi0l}OlbE}B9MPZ5vqiXW;w{F3*uf@{9X%`QK1%Ni z?_&J2q@ta>&_%_l9WA?YhKp|foOpq(sTfM6;{mpD%p+`^x1Ee{OCsZe`4#8}Cb#@f z#ChgJ#A6iz()-EnIN#Qd^tMUmb1D(F=3@zI;diMx5&JYh)sC$Adfep;wR@jG9uaXB~EIq z!%6sgTNF05%)|zE8ct$6J7>r)_QW~P+9)=M-G_oe+&8dvKmLZD==>dX6T_je;SUH0 zdJ#6;UgAHAd)^#!@UKzct)#B`L*QSGi54c==HbV;&0=1s;w)}*JgFs?X6Hqm-rxGB z;RMA^wJQ_xS8XplAkU8d&G{m(GqqRrPb`|m7t#1NDu$>7|0BdM#i61t%=da9%-wAiLKM^Mfd|t2jQ4_ zNw=KN`wE9OC?;2Tj&^Dh2(oM@83+3(GrFQ=oO1hjoU-^9%_@0$2aAG!R>Qx-0w|z{ z5rm)Mvm4gnChIySeIqu6!G~OfXM$Xtb>nR*2Nkwpt@$SW(e5tg(&t#eZ1+W1XOYfz#cD_~vD(h&nl<2&F zFKYr~@+ZiYwrqkXN0Hr#y$sL#m#wokw&_@&9nQ6Q_lh1E7LS5NHQY7^rx6(tt+uQo z7e?^FAYGk{d%F5yiijtD)}7I=J|Hc(gr%jpnLQ858@-lY;|DOT+20FM_NLwtiF}7F z#Y@c7Rjk1FAne>HZ2{IM%n!zixv&i3kH@ur#$5vljk$cBlHAM9!9Q`2-Yzy4F(L61 z<;8LIF8=Un7$4OId;u-UolS@Y;$8kq6p?r*uMk(SYVJTJfRrP9iA}~$uI{%7l3jr6 zmmR<~vx&wc>OAoZ>R`A*F=_r9#26Yj5L1drqq;->(dbJ%e?m>>>wcotVBzmb%{68M z=p&clx?*v%w(8-QkBF*@?S!>(YLSUOEB;1wn)NF5%ItXLD#!7GS)`kt4gEf;ZY&UU zfmr;IG_!?7N8&iU&9_}4Ekl9NnNC~}04=F1mEWimU!sE~F(=!KnOj9C%V8Y8hr5>c zZ@no-vQHTY6ZaZosDV`HqK>Us+n)V$J05ZQR&cpC$K1ZU?PKCXdphnl;j!GSfwfqd7eKaiVl6fsLpa*v6JYU7a2< zA~%qEMax_>$>`#)h+d|>t)eWJpCw2fSU?Q(FGRSY?i2jH-;4N1Nw*ilEODBg-Y^#U z&&6?gg!mdB0nJ1}H&)bBWl8KJ4Eyj}D zCkUaq1X*OGPmmYyct0l`_$;AoDZMjq*O%>2^D_;Q#)b8PfH#ZXEnM>6ops%s62}i_ z0PqBO=NTbz;wG((2K9e>Xap=BEu*@&tT_FqrPMYpnA}o~*SaiC?S#Z8!LYXkUdDdB zN$5Z((IFLdkL;;v^+F=K0T%A?sC!P&E(hw`aYPzBAlQA@Fw6Ff!{DqvL`tDQxFm3e zv^b7hM#I(+{J`cUG~83pL0U+?bw?1?0P;hAx{@g2Hi{F7IP>R}`=E>)9;j>pXcECf zzHs&kzf;c&u1~VSqVT|4@rT9~c4c0QVLyra8=N8-!{hsaui_8b{RcQv;5K=NB@ zDth4N0XHHTpS~e~{2E{z5jr1@RgWTt=_pdf4mpaI$(xVL)EOTim1_!2t%}$_Ls|*_ z@Xf6e36nl@OVkMLAzZUDeW={H~Pyqd8sa>~D_BBXWPf zC0FDR*UZ;+)dc1<-AqmMwLQ|>=EwBRXBuOB_iFdDeFugLb(LdVt=Wfmq({CSSd*l?*XlArcPOJw4# zpKnK+LdpxRrunf$PYIc(m5a;Z_^0-?pYE_3X_m0wMN+YD>#Ct|+Me6GMU}WSqqVr>i?7Ohq_k|V zi?HUN8ah8AbjG)o+^?)xXb-G9f1G&vW1lka;1_$NIvxJG{*6vY6-j5(UXLAiM%-(< zULXyc+WeT~mDGu(X?N<;#|-L>i3=j%?kq3OxKPry)b-xLd8O_T#vU)tEKI(BHuK{? zG0U^Aujswp^ZDi{mS-=0;doijx39{3cK*J*6rIbw`@_8Wr!P%>T=Da#Pt4c;`MC|;o$~nK*E%nZgtv|2*{iAsr zEou2!pn|?7ocLJRFwn`VA;F3`cWx(`!)b46kNtR60C{ciER~Y2Tf^T{fKA!%@c9Ltb2Fj`t-&p8=>BN`-T(_zt9->TX&(Kc9!D~ z>FBQZ_X{pCex@6$vuwXK^fA|g?$jjDPx|;f3fzDA@4wz!KKyElzkhXHXS}ewhs*nx zMn14cR#P(Ey`*O2m*`X?`TCYsnaqUu){pSbil`hpq2KoYY`^p74YAKO_1!S)+2%DH zM(=D{qmP=t?=#?OY}IWX`%+uqjkWK6v|zxvLpK*t;}1Xo*@xqg5}#ivJVtdJSabuBIUino<1?}TRx^HU#7M;PTr?)?;1U! zU(Jb_#0h(hQ^qLI&u_Rg?e0^qkDtZm;}!} zZ=m$n^tnUk7HGfO|M}H!#>0`<`rJO9IoSE*#W<~fUPa4QxDm9)hs@FWv+lM(Tj2P) zdPJ|;|Gt@dDb+mb`vP6X(a`I1!>8#d$qipV5~ck$r*F%2)-Xq=Am#e=|>{^!mQm^u>^A8*+?q%&!J5WT*$8!`*DmI4} z8y5|kt8$(iGLQDZL=TJh>6_<6*jIC7+@{9hf}tAoBClcGrPzgylU~_0q?<{+l*;?_ zH6u5EX3_BQXR)12*oX%f|Aet&B-}pr4b@@LTR*txt0Un{#kep`<2VrKD;4Zs*+0d3bpQ3|v*3=qCGR@QZE!45)Z?0|~NM9QHKqplJR zL9n{4tvldH@z$*c1sYjmK>?U-2{p#30FS}~l4C+m!f~9Y*s38lvBSb;3#b}w=V(R; zS=k0uVC)FdOoT)N5N+q;f`SM44?jb})?$VAx7&ZO+lb(}iBqcU|ESpmgzf{m_1ABq zVzUnb973Ip;HN3P-$by(FUypBYBloQqX%ly zo?7_KH`ji6054V`CPER6$I(auf2)WHg<>pL=NHJ(f!g>L-SM8<0Z=M-2%x_!$Ox1S z4Kd!d(l=Hw?~rfCWTgfQI1$$*2jM`|9=v#8Et3YQt#T@S!v(}n zCBVTFPwO@EuJG)wxPjP~kgS3yxpV+i`xIOA@oY4o+(`(E`6jGIu{Z*gXg*Pf=HeNO z`~w(nvWJP#grCWRlTEQBW94!AW}+41We*E|6(24TOpHE_(8wc?MkHT=mqp0>@x5?^ z|AmnpD5#$BM|1xgsXH2Bo%16!_vRm<%>P9*{MT;qF=iLw5;oz%Fq!}@juo1G0-$&G z0J&?Tl!{wjNIe4Ny9Zdjv9Qw&e^&TQfWK7uvs23CwES>yK`1#NddkTN_LG11ls^up z5YZTGrz_XX?-++b}hf9=zFE_Xx(^(# zNiV3Gl3r1>K0O_Nt%qOh30*=3Gi3*ygaG=!hVbBIML`AhCcS;dk z6Du#QsKHaQ0y+sIJf`$?wEkab(&5y{aSXabmJq|ZE(nn`W6g`w3*fFPR2trjXR6Z+ zBGwa~2!hB`pc>{7&P%O8=@oEOcp~U4ugrY``ihEkp$HA9R|HC`{}j5XNZpc1>$|@~ zUwQGD2Yu!LydnN;XZi6I!JhdSbeBKTf)9NvoB1B3QvaQ!=|McyLlz>S8e+Kz&Qz95 z2ooHI1MqwjLK(&|tyV%h>rUuOecPR^4?oj*> zKkP`L+tP=bLV(DKT>v<3H~>UsUn|@u@&}YjDO3MLrUl?d9wc!dC3t-W70`cWi~|m? zp2)@aL?Y1>rE@+1^#2aPJy$MA#X!at!|l_A$$&P9A1J}wD$ogGR;;j-7QafqBAjG+ zcQ-8D3wv|@TAAhnfs~kmGT4iF0xK%UjLO|v$`HkP?jMd>X?K_ck9RLXme2q2_#XMg zAd8uec8oyVG<+Bfi2K>kP~l&zmTt z@M(pV&7}gzDJJIvYz1?1R0ou9^f2#|xIPED(#i)QO%~kX1xH%H@VW>5vk;O6aJ&Cm z^i*&{4j3kNLZwrQg&aZ230ybDu%LG>&}K;NB?R;toa=$Nb_SDC?uJId9OP?HEH1~= zc*J;6CZ5iD9yn`Z(P!&}L|0yUH&p$kupajia-bxTC;n@0AwnkM4YIC$1X8$c>_KmV zf|Q-@_tfmbWYRC}c;Ke}MCuqJY-hMY0pu9WR!9qwVvwm}S*W{oGQ#^C%R}8Fm-Czg zxusUbrPpC{erR=5fiwbzp70K0$Kb_n7sL_V@J7FsiX4Q$BMKr2j9;ffne2hWwBWy( zrM_^>bAtnnS6kos?7VLwls@{mH@;-`|)E-`TQ_94`x0GIVkQ2P7!-V8Q z!aK$UsXn4Pf`3v8Rw>~S!!g%@)zYnG?n@(4YY9-yl_2pZb;ul}B!Tf(`VCoDQ8vCo zDc%6z?9G#0%;Fiq`po1~a~Vi9%3T0sT`KR6#O1;_NMF0LViviY`B(ojc{#+zE}(h{ z<5^D1#VDiiAYj9=L2^xh$eyS4%r$E|i89s?@Ro7oYbElKaDrW|4nyEJp9jzdH$bmQ z{Q$+!{kdFhcUh>h%qCBrv`KF3!C2NmQ~fQw$!$d_-L;9Z29L3mnNv_BXCRAIe80JV z+o!C@u>=6$z?4`h3`FU*JE{iBgRA)#5=`P%!Bce|o2HQl$t(kSr{JmP4C8olp;*A( zB5y!f1V~}y=VYza2{9jdf3hSRM>4NLPs~MkhLjIN!hY0N+xw)SYWtEpO)e7R7_M|G z$q7B0j)N2lJr4|>-3ae#;B@>+;nWb~WO78Xhj_;MjU0)>?<}W_q(~{8J755G3VKqM zaGjZ-eL^v9xzN4vK4a&vgvCM)G_CInX0xQr6mlK5R^=n6M^L6Vp*`)D)L>%>9#5o|27NForTWMIJk^1Q7R50-Eor6QkD0N^3swKIX)tHhZu=R zQk=~DCTzuT$y}*(1QMyIvu%Xb1^HTKsC(@b*qQ)NY{)sRo~ZpmN&gU~^{B&6aBHmw zlAb!kU~t?cA7efT6PuYaW@@v^!biy*<})hCJx3n=%-Gp?46;(eC1vZPbY57;?*AE3r4ClH>0gaCZzH)gu~YWNFBBnm5a z0ZK7^ymdbfJ4{5fOCcpeJ+qCukdc6d4?}ZV8#e(D(9U3NF$&RDIvR=YLy>5Et;%qM zY|Eis3frLlyFmU3iaS3FUiSvjj_^9FujsA37ty8xx<+nCyGc72-`M$LW`gpD_vU5}9y~ zeZ=#j`xdHm5M2k^!hJN$`EN9IoWlHjG%j_O*YzaI^LhhUN}970Ah^{O^iPa|KNC%s1?A?WQIaDvh=El5I>sMxoS{fZmU+L&cNla#4ZN{Oq6b35+$ui z5ETN*$IOr1v)gAQrj$4>#`%lTf~Ck=gpj(_&-9W`%AKjQma8_icL@KUN}47UeujZ1 zDZCvSgX1jNYpdXA4f3wM_^i{cY@7`o;QNr)qy*yKQK%WHz{O+aeEM-Eq;T0&^nu-M zBJ;j@Xx2K*M(=ReVR%)^q*~|1!Q9m}0;Rd0Jh9g+vBjgRVCcQHqX(h}qpXT;;00nQ z1&h%yh7r+o)9CC>!ahbRJ&uLEz(8pkq%p%IJO&%1A$O_Q4g-D;Iveneuq9iQl;&Al z>!~=mTZ!B*BR?u0q=%5&c#>IB8!>J!qEB<-YLdh@YG?f%Fg7w2G!?o_HmiC33qGaUIkx4h|PTO+9t z^v0QUmEEo+6F!aNUCZ49bWVhmVQ^jbfJBb6!x)S+-wQF?Vhe| z`~(opW;6E7vmwvFZKAdd={>@9v1R-7(A@5*^vJYx!Ih}Z@e2T!l7nosg^#H?>LpSy zT%+`PS8>BI-S-+Y4fGk#cM|ZWoy7=d1U(v`cTOShlvW{O2g9|EBWHUD3C~k|9Vf*u z(<%gt?FxO+njJ-0Lr+jWnWv!zCpgQIqn`g!!^MX@mWxz3M;eLuc1P4OZUFr)gQgmu zQHBD4p<Od%Yz}QPkD(p}eh9+X zi~uswpD4o#xV@>a5D`rov3icGi%pz+cSnKuo#&Yw{u19G?aBis7MVm8qQnZal^ zk2^T3N_PjQP5Y+#ZNes4a(Cdn_A~0slTWunuOM6y&gDk7&1}t`q_9XHsKCz=#n#vu z5c;=40Rd9ow@_2*%%kV>D>lQ z!362O-qzjG40=E=^jd&FpJW}Xk~S&46`?W4@kRZ_$5DpwMY$j~_A+Kri#ZpkBA=Re z)4Y|mPA3;{0fy~Lu2#=Wmu^3V+wF>xw#vLB7U~>OFWxb%@j>{Gj%3}#kargZQR%ov zIN;L}PDv$=M!}A_5M~8>b*z7<%)0{H$??`%43k|mRKdBqw}j3{Y5fVIy6_ZsV{6qI zh@JsoVxY9}RY+8SQ3&aFq+ncBTz*P1%8$~Y*AlbcIcRnR0=G?f1skcG%+6|ZvLN1_ z_klFMw#Z#8bLJrF05&XR+2vFo_fEq(E(VF&#fjxE#FSf$8Bk0RMZUyX>cItWDC!k6eC(d~(`qt|&7+o;Ncm`9|U7`&`5X8!0`v41V9hu1UK10KAkdM0WTr z3Sa*GQ#@Lcaf}JVA&@s)vM4X!U6{0KDOn2Xx$h?!L zvfa-j^9~vipPm)cJv+rE#7ge@u->ojC%7G``D6ST=_vmIYfr^D7ePc?p0k6jNM1f2 zTk}+SSMdND#}B2^Z{TUbb9zmvWqHQKtgv>ZgU7X7qS#daOajJCPiFNjwRUxs zP|kYj(Q2nhQC^FfVw7&}NP;VsF@>H$Kh`wH2H!GRVwj2K3*N^lPP!%!Wm0;#RU@Qw zoZYMu2H*D>9MNP=a5iZ4=c0n2z-9ponT-j~(MrQyrFMcVdykwxC{+&BRG$HnbzHk4 zS)9%fiM~9;^&OQ~nh8Vp0{{yt-RpS{c+IT`QXL7*6dLi2dJ`!AKYQ<@kYR0f;I1@^ zvYX=F{|44@M)EGTMN#h=-R|G9H;unX@(CoF;T`6h>>h)JH`sXheXLufB7HoHx2EXu zRe`J_%ce*j*cn=-Dv*=XiPU^Qo6%=^yCmQpv#5#9r!*xbe5{TwHarKAHg z$VCqg@x6x0k=}D&JKLMO=|7GdyRaSd%4O2mXwVngJwexYMOxJq)Y~$Sw-3{})3E3- ze1&}%!n^<+G5ga9|4l)96){2gG`Sy^MZ*v*xx7o*4FNNWw|oxkz;CmEkKDD3^m^w9 zzPbGpX>gJRGlMi3t|XEa|4ugd@9F}kkF&GPJAu{v#>+q*t5#Bj4^I>~LhMkcGnwFK zHz%N;)c126+%Lz5uF219B-=88q5ebRc3C_C^U~G(ce~cj9*66+tnVvY1 zN!|}`?z=KU5E(96oN zyO+})&0)3}UW*14YiSf0ya&*L)+CO8jW*k&gZgYc>RTS|eVwq;dmVXaqeCpr*TLVV zQh6{VybO6t9vs8+-1E*~Q1DrtL>oJso1^h#?3=+JJ~NVZSX-`QlJbrt?P9gjD6N%= zz3^;qGoS#t-%NEs(!q8B=XwUBp!hZ0YF?wuSSy9tuLxH+|+WN%cc^rHWhcbr=c~uRfW&_C&W4j` zaJHFkmkd*BzZ_r5v2<~5L*vX1iTEf{Tc3yUPYqEx-6~@NR9&lJ*;nADc~6-U!u>q! z-K31@p;H6b7PYp1J<7e&dLK>5+kh*UYnQSI;~ks9=Hr)+lg^C*8a(J3@PKU0yN((s zh))w8){MmV8PPt7W1DKUNb3}W4Y%F~Fc|t-1EVhYBPkm@L+ZKN$i9#kCZSA2FEy;R z_)OB4D2(QNYMHI1A*?&s8G38H>zLE+U%PDxcV*27=j*oX*pjj&WIrsBDWMnH9u*1B z^9pILGWV`?9O5@A`F0&dzVaiZ$Qu4BC1rBIjlkprGze#%uq4{3Y(8k#a>UZ=5rVD% zY3~d80(SToD){3{$|%{@=EG3b73Cg;#OXMR2#tEmsmA72Ty`?@&A{g6O2&Y98=h9% zGR==ES##xDBn)ZEVN;F3vJ?0nmaA4}XaZ;idknp!+X!mDeOvVD0ibG+Fn`WS2avb7 z`7sKD{=6mlIo87@G8?RGjLkuGVA)~2K@AUxHyY#lQ)+6nbWFb5eL^z2oQ*1cux^7i zFbcm68e~`2dyhTqd=d#OSCMr-zL#NTDOw3Y?70roB;J2m?*hfW(NQKB380fd)Xy>n_u=_Sm6pW>18dKKAd zotDDvwq`}$?*&5DMH>>M`X`tj$q-;_wO)oNLGg46*|+?lw8u;LNU63Ro)YF z&Y-=+`$c3Qs+tvRKCb2_I=(9dy=kqCn|SzNH+a4!imSLRl=VZd)RwUri*dQ#nJD`` zwN6m`7Sa{nFwQGRQWWkVWCt71SqlMLKd%TGZPF8Hdmofnj`B95GAFjTYPfw6SjE0+ zZ&H8qCi-n2f<6M0<=`w8U7)pZrVZcFVvKG!sA$D4QDC*CCzHX<%2ZUezs=Cjx;aK;knQnc;8vSehBb#1%GCfAHd+rEaRn1%R57`Tq3;%ZKC@1xAGsyU(M z70M^(P=aw8;28_cT0D|WCY0M&5bgd`veowi&xIISpM_4O81GyD?F10GF;*+3y;^F_ zz)z9s!e0BY8W=~rRd8J(+)T z(~AZhCF{>B%a?6uVgCv!)o9Pec5Dpxn{P9?Dlo*%oQUw~z)Hr>OUqUT1gh+De{_fbAJ0Lf1e=$z-3UxVsA$i;sZ1%@mDw1b2-vV6nw?_osiHmblZBOG2KAU7_@aY;_(UGYpm1WCN0|~3@b*KzlHMnU9svEXA z-+eEq^bpj+ll3BIrkAY&nyc9#A_xgzz}LqzmB$w0-&UcOs}Omh>?2hFD0oUvK98yT z-%{|V6#U!sVHn|{!TnwC&3#NwV3^ZwVq%XC$2A-Apr0wLvnOWxyi_F_a6gHdLmN(G zHtn|*xidw+w*`?Wj+Np=Um*4gbAR@?p&0&KhW>UERhcol=kndMr#BbepPt0>6op^=g?=Pj^?9TN%MR-Heu;z(v1d(8%mf;Gjc;#-Kd z_a^fR7Jfa+S0yl`4CnMv!7)|;j$%%s3_LsV%xniLoWRVmjbLi*vM`52o0BxsH7em5 z#*^J6LTW&^b&TB~rw5xn^Sb%8n#tm;ITDi#svfu(s?f8BDGdLd!oH$O8 zRk42e3begDs@Pu+%Z?q$Z_sN3dzd{%25$!7J@RO%_9rbfhx;*@hi)yi`R+p!r0(Kx zxEz}?d!?0c?MF`WHeridoqVwfXR;;UO^~&htILVgy{9`po-8p?8mR4<^>@LN{tfAx zgEF}&A;}^uABmXF$m@^gI;hMnV(YuQniUhFr|3!&{zLZX_ z!|+PNZf=bcbJ^vs7Rb!qRyGl}1_5U<$NCZA)oGvQAQQKoe~M(&=tou1i}q{C)2-)V z)oI>Lk|zFl5@5KGlRMb)(w8Lb#2ZINvYi4$t*6Hqs#?F379;!JDC!cJ2i7z_op&s; z*&}rW#n^hJxO^63O77=0H}b1{(+Og|_PVpEa%^%fxd<2Z1$dC+9nd*`7`- z65nBl37wgv%hy^%!ZJWT4W> zj9Dv~)6%P0%0=Sr!jZmJa^IsM{+Sn;oZN%<`6=edl|mdCJ%sznnmfH9Q zr2Fw~uaRG*g|`TS@SgY(_4OLk5{xmGrc zUk7!veIR=6A{f3bAP|T2uhhooxT6%_O8yDjS+5KwG5S)P-0STNWBez%cd=`wwqq2T z)_wsr#Ud2yz;I`yNhvgl;ck|YTxeCrH-Wdwcx{&?HUZYyT03|y0LY4dNjXlC`?t}- z9qf~0k+_*x8^Ik__<87k<{UpX{89(Yh9mPKby+#8eT1tnd_D9d%qQ2mHNVv&cP;YG zLCr~MksVR=iWsMvc>YK7Tkp8$Vj>x=OQg~3!^ZX$>uIumu6eG~JBvxuc1qTPBu_@( zLt)pPa}mOm*dlKa)p)M894QqKF zpcfiu(6$d?ik9JK;w_wWXB{MfNE>lEIH;e-_7_<2#D40qhq4dOB2(;1W3wfKXa*XD zK|TW(-vgZnG9vnk=NVJmHIlcScb!4wT)ECHS++dsa^J>YY_6*d_?v`-fi$7od&Q08 z%zbsPHNJOK0TH(Lc9|3TLo(^p$l`2d*r&$pvyY(i5~N$B#NR^(D`b^oTie}Hm2(mQxspz!(ZFTxhLeIj7~yZJQZ*ejvUXT z<{GY3)9#uyWS+~g!)}XU$6w&9LAiO=JA^#ed-FAnVGS+GJIx-9#3A(kDC7cy;;-ph znFkw!-FycWkXwB&Zyd&53|{I=qH{%7tFJDR@K-D(v$Vt2ZF8PReEu}wOMC!e#%pZ`F zCbGRZU!`;oMa@yrn~#w_+Kmjics8kTKE&$5nAQAK-e?(_(RhK451gbD@IE#HmbJ9G z6#8x>YHs$*9SWwrp~N-BvX9vfepPEPEzto2M>@8A4?XuervueC@V!eRKYx5fJ(z6k z98Gbs2rnP~;u8m~WhDq|FxHamT|_V8OsNrU^~?ZiClbrZ9D8O!OHgcj z?sHWTVpZJCXce5X(WjOj3Ls`+<6FjlV#Wv0fn}VY9D|mW_OR!7uqlc-=~74Q5w#^u z<|yq{=z<#3%VqFGt)!lhN%B16p3uRn^l-ks>x?lJs3iw^&l!zP5irs&fLTaRgxbI? z`=p{d(wNYcMpiU;4qR}LN6q8Gm(~k~E`Wwminc`revt;?>}r)$E_XIyt4G+1_T}< zFxU-4rJxj1KUREVe|j+RB)DSB&lMX@&PewKz+U^p_yikeU*MiQ3T-Mv-(En(g}w0A zfrO8oxpL{EEcoI@k8UAn8yf_#o7*f8K4&!8m!<}{yT{1Ll3=rUVQD25DnE)UYM4oW zD{?jwd<+R+d|N2jzwLeltx>^h9^fGEX$kw4&-rmW=m9sJL1bQ`<=8=&ef^@18_VxR zxc8zqA6-K^4{$-F}4rU~!M-f}jv<`6FIBpl*W4OgQBF78A7`25OL#r(!Wpv$ml?y98d`(&~5t(Ej=ZMzDa>ud5+MNE}@M4tXG94 z;Olo^QUL-1Z#_+EpNlb%r94yL3;9kZ{dMVs@Byv#M?ndD*W=Y&sZ~8hlJ1m}XLq(oDkE z8Qed4xNa3!&UWIiy1$ii=?*LY(Pe=|yFzf>D+Up}1|B}{j#p*(wY%RXgFoEa?JQIW zzZI?+A7QeYMIOI4m2MtlbQawK!TESNnCrW;Pz1lz_&{nh-9tcJ?I6968&;&Y_RJnE zcMPUKh#hpo+E6JDOM&Ow%1%}7{s`A3V_MnNldysYXx6d}Sw}RiZ zHgRy74Y_-Rs5RR2961J&6MM`WY)*t!dR`XIbegt|b#gJ5Wx`@NSaatqX=N0c-C(xb zq?hiZX2(!Fa{r9l4&i)HAt+#N$HAmKL)LbjG4dQ~`|aWpB9Yte4x)=Ei8$xa7-zcP zzIcx8(Dw&?@m!1<`XM?$K-2Xs<hKYc6KfAOvxk9TOn)oSa~c{dX0Dr58Dfi>Vrjq@QH>c8N#8%-vVVQe010LV2Xj z-JCbN0C}dA4MfJ+zDLlTBT?~jc-E>KM8CnK4BcVh;>0RvgvsyCl6|k?Mh?}`(&EFYXpzXIHZkI!3Z~gtCgwfX(aQ5`L34y(fTvRKN>~pmsL#r!Fpdynx$qe zUS|sH5&-QVVnMB?y6m;c*;iJiW6Grv=BBtm>zZ8#j*W6=GkM(n(qQW>BRz;hPa6tc zbSz0Pq3yj$^SdU}%RfTV%jne|bQdU6@HXRaWR|~$<{x#K_X1-chUm!VXX%t^h`I@z zQl2uDMVF5F@+1)LtfJ!h2>@!2!3)Wsh=wndyh$Jw3n;PPS`t+jN{yV~9%9V*9``(}C1U7TRMb8LAROUhK;?}Awi?}d2a{L*EzAgZkSdjN2)2Dd zYw;E!pQE{Min~p2zr*k^Gh{DetNEhGza8^xEri*IE(k}NvEDSMv;S!foKwS#vKg!M z9uktAy|x;TuyDl}!prnuZR_dc?dFZypmMT%KqQ2xeEOmqz2xu*wZSFki7}wllRX4T zc_ehs-SV=fa?-*UJCl%MUOv1_e`fiWEA})O%E*37(LY){zz7S5B9u3a7tV1PvIi){ z7s1Z&c#+GnC)>)?5OcYGwK+kZoq&mG?eb_?v%Cq?a-!qqK$CP|=DiLe5#&I z5H^4sasUe<2n|7)E(as4HA%01Bj3;GlT7&bZ!fh+9&ZF z)2v!$-Es0O>)Tz-y;H5{3d(D*v+l6 z9>`=m+FvbbP1ov_IL({o+YIYJa*Z?;N$@R~yvA)JG`mz}z8k_6yoCo^f9DE~^PPSK z^4KK%%t= zRroR}rT+IZ<6eKMdLx~z!r4^qwz^hO0hEh$AJX3wc*lH0% zpdqE?hU{GaJVFc+o$4F>CB>gU7A_i(WLfAU5D1Zj0XJPHo3e;y6vjs0~r92NhM zbN_%Rdw6n&sb{$A&6doSN`{q{RePp4-bPR z`U9=^e?D{gsUG5@{^N1OFZ1v~7;Ej}l^(|X|Iez)g7V=!fbjl*WD8{e?LZhm?XN4j z|90RXw+<%+gdunz+#(F>_Se0`H-C8KA2$)x{&wV_6&ubc_yfTgp6nm@5yS5YsRsXf z&j+}@15*BKhJRLnzVx4>f8PCJ$@Kp;-QUl7*m@bz;Y|7I|2Z9SFyO8J_p|>$uk&Ze z$oT6n;d}u|0J(#2{rG1xR%8O?znEkuxk+InG!drAG$pyXz}(y`C05nwYw4G&TY6$> z>yR|PI$~bi$P7a)Wui^da*a}YHDaI6=!kTpQwQt>+8!o3eaVA4Td_n^8)bcm3 z-=3NGbhJ_-3+2a}Vg-}glw?XaSqSSBrzd4URR;H1UA(PaZ;$P0g7Kzz%6Gs2H8HPs zNQwx6ap@*V_t3aanWik0$CPc#F?H7DCgde_G35gutWSQteM0wS?P7g_sZj2Jrfq6x z{&9UbQ+HF59IknApmVLJ#8hf3lb`$i2eQ%Etm&l;SeKmJ^|uT~5|}i4)sG)vGx3ki zsx6lY-Q2gZ_1{N!$*ha!Lrx8((*3_t{%}P7zfm5Z4IU2D@VsF9|L-XOui0CvY+4B` zdywd->!SrpFuZ!gq>+yF>Zy|)Wx+`$!EqyCs?)KCe@=AT|Gk+0zwCqSMWy^HSMd30 zWc}=;zmK+vVdKZuj2iLBQ2PMuKEc-WAHqPJ4q|u@(IH7NG%Ktg|F1oUaqp;S~z(ZuZ{YR0~o#C-$VF&Y`Qgme5w&SlM`$6G$`FtoAii;kx zN|GruL_vWEa@~~a4tH5Pj!k!n8KP?_#tK(DeihKtw!;I7nV!O-_*q5=ZQ}P+BdD27Tma9$Dg442?x9+lGDCz%K+5z?(K6B9<3V-0`)-F9b`2HeN-4`-wHzy@ zG*7u3D>5<#llupx@TB<;VR&azlzdPp>5lYFDK8&Eg=A)=RV_qHQ54G*SPf^3RpE=L zd+;zJ(X&S3&MJK0{R$Ltxhz8=eRF(8dbk=rBGCq994HNUEswzpcY5P-T*ysOxTK0I zt`e$AA{IFNg>N9GOO4-QFP93vO3KWX*vbzSjUAocP`DCZQd;qHnL^4WuH#f-_Pnl4 zm(qs*f{|GBc=#nU@o-#*sxR{jw@9=?Jq)kDSv)5K8a+KrlBy14IJIyH?!g4rqQjFu z^aZGftin4u4UK27wReE`_8$48wcVK>7`Kq&zV7c?w=kw+!b4#Exc>|S=}F2l$~HS z@d=43CIVCqn8o4T?%^xyA1DYWtENLjipgfO%XeNJePU=!KU1oFSKpmC>JJW#b(%Vv z(oCQsnEuib&)mHV1|L6L>}t_cPDLXF?_ zKu?G*mcu!xhfC}AC7OR|3f2$4`@7_ljT-)k)LN9J+rn6neg#tNm8*Y9t^ea1{;y)I z7n@bWsvgL!6u^pcLnbYzqW?<1mqELP|3Tv}m$7U94qu>GKFrX6m{N_94yF8;y>R|Q zd~3m;UfQG%Q}eIT4t-w*b#MEww`f{0w4T%;{pxiz^6QqdFSol%Nh zzEXh}VWd$EgmQapO%Hag!pJ0taR#S^kHdga$XD*G)yuPxUe@P-vG?v_QB?mQ_&K;o z_W(1yGcd!>!VEhLyRZnWtSri^jJNjN0A+Z zUj`%6gZJo>_3?Ybs{I$Qz1%k|yS;LM>mYv9!TQ@>sN84a33%=QpYQO0t=spoFb{~z z#-*gdQ-|gAuqMB7FPb z5zs$)lR*n{Yx@_B!2f&|{f+1c2kr=JuWivYQ=E2%a@$=HkUTPa7(Mmj8B9DGmP z+k+R@hgfg@{-4nz`8mD`HSOVowem`0{qtuC*C#)TJT_ZFvxyw!UHZ z8bZ2ufEw-aFp3F@L47o)kPhXC$|F0NAX0iz9597Y=rkMSy@ekgNb#w_jSPn*nv=rp@ z`oQ%1P{s#DrYnM8N2mgm-g!0^Y_CX^P+B||X~D8Ynu32(Q!NAkZFh7)UXMqBzc@Dp z!|@Dx73_|<9a{SfDDR)(7Bdm*V$xJU?jMw@v|R-^XR<3_LT$?L`LH;I1VWxW-HY-P zQK5S|xQh-;{0|2k`Y4ezVT~!3FAN8kZ$+0jFWOkguuCa(M*!;sdg6;Hc+po)lmPrgim^Wj zy#tg5NHL^ymn7-!rl1=71ssvr8kD`S0O7)?!-EMH%tp40*Slx=Tf!kE)s~coD&gg| zFOx2o?L?&~>J~9m&@fztOvFj^HC2`BUz!LUm>DGY*-8RuTb}d2LBr+yZA8C??(R?@ zQ~b0$&T-DfjAcKKq5S{|D=Rpqpd5$G(KJICZrey-vv0y6sLBmy+!?Q7pW`_s9iz!H z_Ht;hkdCr!3TiLZ`0;ejq%txjJm`7kIXJrAbEmeVw6dzEw!#PQQFU!eC}IU?&FaeL z4l#C94p?fI_*?y&>Pn)5i&UT{q1rSl=uy>XDG)T~sq&Zm0u`P`>a1QMj4-LT?m^FKN=ZxgfcRT0T!Sl~hiwGfjg})X;gF2{okI6m%^DLm+>Z?I(K1W7C3# zPU}L0uib5l+{EKarez!n#ph76YLBdIbG%{RM{WWjbySJLi4L!xo~wuM<132CQ_%F!?_-6*OM!qxq1-V{2Z_Sg(+rECI&N+roL@v2A;Rntqu;gOKyM_DA)ozGd+m; zOg4Ll8zA0oCJft|VnI)`B=+h(+0G0ORKeXb&4P}}6ZA|IuV^jzLBM?EFietwL{I-p zF9yp;kDuBbpSF!-F2i7wT0mBS9^nKjPU)!)emcQ@h>S}wLdyU5FRLG z!x)gaCQr~~_&pF=W>ROAd>2M~<22F*29^5>zH@| zBUzI}H4}VBEybcb+q|4*IPpX%$%VhjFOdx9T{eN59|^??zJIh<<8W>j=5`JRF2hzh zWwhb5&Unmlr71hB|jC(Ns*i6R5JF*cTV>_E(i^xix zi498~2q)k=W?;}&c+BNFwx%mlpy6qINj9IkF7tWp{%>hFL02y_PE^SD4}*@Q+P@@> za&T{RCH@js?Ae=Qx;h&_V+Xd(c#`U1g8ub%lKL=lq+UN|EpZ}phNKH|uAYeRuO&-B z)IN7HGC&*b2MfY`J((*RI{wMfF}Dh8GAAK_FI+~h*e4?zo!%FiV&vuA*E%wf0q#kT z0fWUdMC!ylT09PlQRh<8krlq=@_Vj#5YEg5Hr7e9M=isuD-DSYsNqStKA3>;p}-x} z*i9UZuS@K;Ym)B9BSNxwHRmcA$P8n?ayHRPf{vC!6AnNVo-F9;6!?8A7zMCiJv7`B zmg%QHL&C}}CmrI-aJo1=3uavihU% zI#5j3(MtAsC^y>XXGwX+3eO}-r~YNTHT{+a3oO&cc!)Adn;yY^=p(W~n}Pzy zYved)9XPGzG8MJ2;Yd1Gh+v+EvW--WNpAp5OW@iJYb?lpr)z7jZ(pctyg5SWDuR*nk(ZQOUO8l^AanpHuSa{IyOk{NQ z?Uq8S)9cORt5=j;=&@dkKeM;U0D^3Bl3YYF~gX zbbHuqtn!SWJYqRd{Pdm{ZjCqS;mR|7RRLegRIxt~qjA=+GuUhn)Vrq!e{cq0Y3bC! zgc^$#<`HHzU!m96!9+ZQ&5)3Z-^**t{9+29*MT;;KT@q^rMAvrop=4(FPpj`pXarL zfokkrJ=jXu_$w@3k)5s4qX{cBJAhT{HVGv|*U9J3JTM0g_^W-#!7Ie%_p9G!duP;jv+Vqo@Fg@duBkeA%{@vo8UJE z{qKBL)$RiIZ8jQG9X?{kL-Z#9#7Tai5I(_ITYc@K_a@Kr!1iV%kQ+Qho}lH^UuQ!i z$YBUYUb?!_-Au}$^Mklw#YFr)s$gHB^_|?W+cvq=p?7*2<68!IfxDGtlRS66rn&|P zR8#F4{?iDu0#Ej&Fl&RSSAh!uj6jWNuTA`yi=j8^jP}gdi#hawIZ^8;&dV1&0VBt+ zusSB8buL&jobSYxK{u5~lhbOFP;q6f5XoeC*4htt^moG3VK_4)JU?eI0=t7s_c?xH znCQ_mhxL8IMkqNa4>g!k4ttaL9=8V&Zq?g6K)jR$gY9kT%ImG2BGt_jYgsMn$Yx1* z+rs7g9Z5g)EURV4Iu9}hFrpL+dcXt?gKr%U#SkWAD-msGuAV7ZVFa}k++Mt4*h5xP zk5I`xn)!Pt5=A@PR@;&Qs)$9)QBq~^itw78yO<7B@8ZXCJg|b9^O=6ojUS^hiTF2M zkCFwm`3s4fQ6DQK7R_T91!q@wf)@G3t5FOm`x!oP91WWLB!2N~tXLgRhbX5)J+ru; z)W-Cui45a_FFPWnSvEPI2&Fk!ifQixL}S6~yOd+g`*1oSG0>S@3^NPvBXcscRiVDt z3Xv&NXTn%i72^Lb^B^Xvw4c{Qx@+t{ zYuZ#;Azq!2>TZ8UhI_tJ*QF(!z}X!ZXjRE3a1CXvLwQ3i9nka|nj($2ZTxDm5z31< zX%ec~T~u2;wT=vKiNEo+JMG$6IL<90y$~+AZyn+@h8^ci!2DRP6c%BP~y+~#A3RH@JWDV4^HDyK0H{!EYjHc>i@V8taZ>M;zWxb_Vn{29P zcNsLk3bvMd(on$vmjQ;wiW+}a(?mVgdAX1MTG7HPoJ>acYu9Kt^0SUGzwAcFSz&lu z#t-ZeN?uWJhLhO5msezKCRB>~vaOX54MipFVnGj^zzUywGiO7%Wj`~+JWcU0QhJ3M zkMJm2`hlkLwlFf$vlzw+_B>VlA)i|rbJib5=ioK3Wyks|Tw%t*w4qh%wa zm;~#ug7Q`raNevNV+&(Z(i4Vs6Kn_p`CSdxFzl%?n8c%`<#ZF6OPeJlnV}|vL(?>g zcF*09JS_V`6u7PD;m=7l(>n<0=*;MqGQ~Vc%l^n_Zb#gBZJlYN_m9kH5H9q-$_yiF z$~p6`gfn+=34S6y7D;`%RQ#0X7nETfAtm*-m@gRkU(A;8WkvZ*pCzH7!c-@N)SbO% zgmPrlo**hBrGb07-=9j8NQC?osK_wCv>rl}@~0x{cPU*SSNsqn(_5#CNm^f)@C)`;J0n+2EU`8sv|p zlUNCKlOu&k$$Rn`Xu0)6gmhF#i?Kc{13^Es*myEqT&!{yyr@x}{C zT@d~&35ymYYrK@PGz1UU~s?JdWrW$7}8R1B!Y$xl+_?WM%;l2O4zAY%Op zhar3d!StkmO$Hvdx`1S9s(nU#XK^9eb&q)J&w1>~d2B%`Ek{Gy2BQ{I1mdfP^n%X& z|G=Hei?B{eX5C4UnlOGD&5mO%@~uV@4^)XtAub1@SFNB&6pO1l z_aN>K^HDw9$>iJ2zrgWN8iw zu=^wVzL6w?E^EGkC5>-VzCppg@GkNeEd=S*%Le=nv;_}al6pIw4rZ3)Wb(PuMe2Vbd7y))y$6KweY49n^ssm>CG~OLnVW=5$0pRaxa(GkrU_9DY(A27aHlLN}7FvHxnl65CMZ0Ey$5l=qy* zZ47QDVSIdNvm?y=PwQp}8o+)Qc4Py2RJ@Ul*X6+V4mWLVOrTebA{#C_=7oscwZCDFw2u@JH4tL>%fj4PEd<^1Hqf-@y#~R)pQ()z-*} zB-b%4g8a^Hc7ea>1|-!Ai&G(^&6RP5sb+L4?=0(&x@cpy;io}`r@jFU8I9={u1(nkMT+n2bkwvsmK*9k6YcZTHr-OW*Jv+0n^W5U5 z3;a)^!mTrD7LzXpo5kpGuJjbkq_bC3?cp7nsMgCg{YoMpdg?${G`dD;%(Z7hIRU0D z&Xh8k+19$EY8zsT`KAasQ(!YkAh(+N2O=k6b|ULE_I)Msl=;}WIDy*jx3%nYEo46N z2RAank`ccTztiDK=@hbNmt^twS(#@ZOV3Wg3oQ0Mc3N|TzqK~}L3cLUsR z-=LXX6!`ZPgG11pv*W;$5VRoN1Ia|=#gs9HB+c6$SA!1tR@rQm(C(dQH071-mnm1A zkU*K_H?B0&7{~9t5J4Vop+Y2I7TPq6^6Zc>u|x|ixui$5ZRxM&i1eq>{T<7Z5FsxY zB8BCYmzKjjZ_1Pm5YZ%L%10rV`**Ky`Fxx`#lj6>>oaG3toKnFI2=8*4 z5nzA7^GWKBGk}X~nX@EDvW(r2B(u~Hma02)#%oVc2_eVFE=Bm3QJ+p4j5v*u}A z#@d}7TT39IYOSc~g3%RMoKlu)8H+MY#O9_8)*}j2jtbapkNpe6^lwcd*|{-j#h1n& zS~g8bE}L1M+!xo(&qAateuxl}qx3ht5QhTzg&st^tg`-Ee-P}n6g#zKw4`hPC^equ zS}(>B+5ANeGmKy8So({ebn(ZMYI@do%hF$CziEt#Vu#sLrF&e`U&;J23Kz|H#(kZG zTc>3i*hgPNKK58Yt*^S;Vn-AB0W$wk411e5cIooxuoTy@6!R3t^IX=MDC;qfjTYHW zk$4#j@FTmUO7V5GB~D-EhlCqH+$DU*CuFc!V~m*woM^li!@edGFV(w9I^QV@7lyD}X;o#pQOE#E!eesvaS;Ti^3J*pn;_;FFw!HL#_j9H$yX>`6a|;w{K)%+m4#YhDt? zz7$IMq|i{YFj?%brQx_Mz_4Dr+KD*Ktt=Ctx|Y)mCYUvPawn}1lZ$JiD@f zf&)%ml`{t13U7?Vbs!u`VEmbbfYO&KBTurkG<_Dv$vB1#8<~U1Johw6d9BA`)Zpww z!0M46utkm>0)~N7kz)~hX(-C;0RCl3iLP9POC6gKdi6{=cB1kInB8#@!SJ zqWjg>=X>*;VthOA#y2gBFRk)}AxTBe)H>eN4OKT3XeLZ$UxeS3^Qr7C8CBDV@H6I- z-5>>NDhn9r=duA=W2&?y=^<(1D<_Y`-tjGVP+HSb<}W-urAqul5kEE4WbdbNegwWF zHDygtpc=l|#jbXuI`>Sg&d{tFPv*0Ioot?>+<=bIG8&XN^Bw$4gKTm9J-t0bBX)QQ zO{$-6w8bM6`(+H|OBOgFd&;_;i6vE#6Dc#*R@4OeImW;ySW8{!thair6Zp%$4RGXG zSuw%Srh$GMyOxsO;pMfES8TK#65}oGu>{2xe>Gyo3nyd9(bgmMI;u?lhhpt*l?QWw zTAs1xx+8Hx0b>9}W_4hqA4iCX;_(Z5dl$(6C4H#(yux3Uy%Wj&rkBVd;t+Sms?W1y zm6HzmT6oCw%K1nZPE{7g#$?UgQu82hKWXI%UN7x2g3?6|DFFP5Ij0%1Fg z+WHsFnB-!|F+fE!>{&3S1>X)aVbE@mePS@jD*hrSEXEpZYw=)YLW>{;{Rd2qG z_)&V>?{cg-HkvJo2io4j$wDz($C$4(@*r#&*#%w6m-?C4rLz58cqZm0Hy|R@Qf zHjcN;=6oM&T|vJQp297{0apx?@?Ah7&!nlOk2sO>Z3O*KVG8Z+dD@kXGC}5Hr2P&G z2W#}Wyf<-SeTi`u=iS0D(XtK9jhmKO^=D&^Rx)B+$vlK*`l#w8tnD}Vw~o_TD!{AA zOSl_|k=t|D$4J+3eA6xa!%iGYJT|NU<@D)@TP!3LKNIRL1K!RFn71|)Mv4KQ$yw4? zoR|ZO4;R-#X*L4q9M>~?X)^Tg5tv@Dn_S2^a30u9ynxf(?8&D!_9b}<{1{oDtf&Pp z1L8Nvx|4`uOtm1@?=U6_-l+`7zof@5td|0~zm(_<1InUskxawyN+zYhB7S40xj0hD zrM?s=JDhPCLFFFuBWu9>JQY)mLky*4Ec>|L`8D>El>s-d@<{5-n2}>F1LS$26VKJ- z1ZgA4zYSJXK^H56%%Ve8~n-k?=-jGo@+glrNmu)R0ITI6%yIDjhMhDka`N&3tPhPE$q)A&g` z`T`f>d(Tma)5AOSzcB0$?TAFX3#N5cA@ICEPJBZr4hyw*&c%J@SQ4fUlQx$>38FGzapuN!7lZW*3GmRY`37Q)T z2P<<&bn?{}y-&N6L%v$7%UTjbrp=wJWHIDDOERv)p-dL2Dc*Ynw88{QdL9HTBhc90 zNKP-0;nNszB%C4M!=As=-$4AiP;O_^rVMF>1N{4TBlCnrXQ-4dml!u^DkqCA)A*13 z^IHb83mMPAW65dXvU+|*3Z7HS>e-=;x-j#QUO66#%Kn@-PBbL@VtoUQpMo@o@g_r_ zvh1QUtes)^Xw6H)*?j|y+1-q`G=4=dWmDw0KPQVnC(AeSlgh(v{Wy$v zt-GQQ(-;8lRKd7a%I#IF#7`LU3M3$AqpX!(Q#UrWT8ngIt(HF;*=)1#GBgwx9S}EC z$7iq?_O20srF0D1#~;@kr*>hV6Vf+F)mKm#-KAV+Q?{h)EYJ9s^UHL`G(EC=`>HesB=%D-@3LjMJEv%b?Q^k)4+r2wIeS`WAwRIHt2oMQc@o^dCmR!Z z(HX&p8Vx3Zn@kE+u|F3;;tE$A%OctDyED;z*GPU}J~Dmq$ROC6TgMfO-x|#WjQDr* zjLKNv(@d&l$8e&LFV|R~F2oB`W-z(x9g^e5INuU;b$Kw^A|`#S#WwTdewOQwblH-t zd=wdo%$msD&d)J*0B?!H4t)0>;*YUP{Xmka?9*QToYc}mTokh*$wjaI0E9%aQI4}~ zByO4zN$-vsMIPb-w0a zGO*#U@j@ugwZ9fCq_9)9gjI62uJMT3g%kNgRhR~nTwIFVm_8(q&L>ZUA(F0s5g$IK z`~W?llnuFa7?tP9M@b*oc9gyW(R4f&&XE*++vP%X6;{aW*hLugW7LtP#U`>=7+$po zk=ztfev?F51bZi*=Awu4(%50)g5RvQc~o{?ID1Vi?qkSxDv>ZLo&Pl4T}Ta5Hy*$? z5;t5*Bb{l!An(j_iAWkm%2M8Od>krdkz36(QuDcJ=Ng=0Z7~GOtgYkl53qM+a-(tH zJ=|G(N)5u4q-f@*e6SSIEyhgYe97n>Fc#-fXuEm*-Rmj@Rj%9Fjso+u8vUDzY zF*gUHkw+Sv@RDtfe;A+Ea=K<^|6YJ;F|-FHDy$E)4BL8LNW>FQjyv)p9GK_r?+g}3 zL*UqaIUJi019Z$g5-Yx{hts&h%uIH_8TS$=MTo?;GXBox ze&UpuxoCUO?jv*pCfBTA7J_JMJw4YQ+v^jZPhD>kkG7Tomcej;H<) zX%4y5Fdnb5HvvPKj-le(S>zRsy|3}G-Z)2Kw^M$T$d4V)Z<3o!%pVu|I#M&6DBFD) z^c$qX#2_t{q~g_>b^(*EDYO^84i(r#Ea+u9B_?*q(VoUkC&pbfvk|em6D@(@meF{| zoW27RI_h}Iz}2F^lDc`sz1kHfa<=ND(1w87%vy(A*z|BFQ)qz&`xr++!}ikglY&4q zqc?ohqWYV36v+)@7-puV+%Ce0@aL8nA<@V9@MEM~L8M&D#9hhb`LJ^tWR7)WhIoP% zlod)!7j-b{&FGm?$`~Dv1!esRc<7ix`~OHiYvsZM{ft=#Tma6xKaKEvzr;VW&$F&c zAyiK3Nn&s@wiUbr8)kY6*~%-Drt{`6Lz_&pVSl)J0RTEStrTL}R&9D-NAS_T*s_M< zyds{)aCDQvvkh9YTc}hmDZ+YKM9J&zu_&c;UMZeuNg}gsv-uw>$;4rJy~dt*t&j0* zJzpDE_oGMO}nrc2&&4%E~E#JoAf(^+idxy=p6Y0?y=y`NcB{ z?DMLA!UW(P***Q(89nh^fg169vo{KXDC00TO6NNTneox=%>?XYYx4LgJ>c&g6LsW_ ze8}cbr^k=p;EGd7J?7gc~EYNvH`ZPeILj@_zhxV(N1 z`5yAwhb5LAlyoZ|ZM^02IPQ@862?-n$1(*lX%9n8;DIxlq3p6=4O4rAJb-a_sBB=i zh|db}V?q6S5@(#t1GAl3mNX}u%(0E&R+A%1dJb}*Nncug@JW(^1{U@sfk$s2TK@VV`*!@6>s37p6Z4} zZa=N}XVW3~<7rIECd7GNn_-w#f0G9=EBSd;j`DnA`Hak+9xIzIhxl=QfC7b{PI^si z@j2h*W2vO`=*?%DYopU!I!P?MJAz^PZV_}NaW9z%@eGLE~G;t%``|U5iJMz-)BFx(g;`dEag~~S8=Qs z`6jy(+Kb%hciB8oOP`Y2T7X}=?}KK?~#SEg=NA-OA4G_7pGpG#lG1k8~}ss zt&6+CIsZ}qtnKRU8&#Gc#EJQ~ae&gPDobSUv3< zH=~1#9R8izomxp|9-Lx z3OCUk`h*~Ny@3R5-L0QSsaC!xRsM=1OC^)|`grv6{o=q5bs0Y+j(iMIjQ3sp{l-f! zMKCfBPUmi7hQc7>$@;9L`zMv&}+Pp#ZX zf~g@|W8ZkB$he+54r|GBIEHkG1QUv0VFMJV1v2$4^Ky!E8?2aY5%;{bdzFAK>#!qZ zr;vWX8InW^!q}#2v9NPazJmbBr+KKN(iQLdrsTs;B+{~5UM)-^S5D@!`7sSI$*}db zf#w*DqPVlh9%ZZ;!~U573f#&oS%8|17xyzF0;dWnKm*HP2Z0S{6~|kzGvYbD)XTct znrTGlKN(2d(s0K%P$-d}lOm<O_*W2R4@f#b0QZqUp%$%uQ;50w zQU6}$A6=D2Cby4_@ICF=qiNVmqTTCnT<0x%c6S%CbvpZD7`{YD;ul%0H2{RIva-T% zeYT9fF)`9q4H%JXc48TsERGFTJ~1r4&^2#mQ#kv0SGHEgOZdiEyhS_|+F)yVoSN5; z=Vye{FEVfFSc{fD6zk819w1S5m@&nLKjq9eo}aHJgW308SAW2!ljDu`I(G-$V$9L= zuLjuR-NeRjUf-!zWQ$awgjYATA~#;NzmCu8Mv~G~AA>HPYwSUdXNSQ+3(6}OhVi4q zG!=F9h--H@>sBq^VLxVaM|F=B{Dx{^aiGUgAEhHKn8k;=Gf&Xz>|W z-gfh-2(sVuwE6u|b5S_1@z*0CpFL7Z=!t6BOU~40=+H`^IDNSf90A1{DdI)ZbDeY2 zpVfQ3t(Q81>+79_s*LZ{dON5C*4?Y+8%F+lAf)I(Qb)bo39s{2kjGUW=1RxaI{u0H z1eTdAA~ zS)qQpsEXZGCB?Wpqn0jQGXG}S#m`rKil+n;8cwSt3*mqqz_KfIsj! zqL!JvCG%fv%_CUmsm%Qy>Lcjzz#nuU?@Vt{9UUSwdm}Owu&$Bqng~Fw`Ck}?ziMFk zub9*>g8;A@e-OI%00G(dIa3K>$Ai)dK&Y4q;HPR65J%uWfXVwCjotnkQ&8Zc9qnGx z_TKjQ1u^)rM+6vPyEH_*Pz0dL0gxXgid0N&2k`&LyW5l^O#Q0-{tEb8U{c%F0R3(9 zLGh*o5He5$kinpNV-Pb4=iq-MGTYGna0cE^CxN9y@Sq$pgq1TNlsLJq49V@c61;DK zbN&4efbQ3|eM4J`+soko`+fjnyV?H)90uY4?RNwad0*R&wHYf0frn6A z{vh%Y%;x|8k|4kyU{h{WkQNgxRb}u7r}?X@D*?M-Rv9dCTdfDf0px_g{}%j6+v~xw zvZz1R;{P zVgymJZI#w`v0wmT)`c%>yZ_qiHt=m5m7%>b|0>?UFW-)X1e9srgYO4G-Aq_(*bR#b zusSLrx8By8plabRC$yvK+UgtbJ1ENWpCGfpn*rXSrV+!_M*4lKdflmn$H7_Ua&RQJ!skOwG?da!Mgizz+Mg1TU*_8jNueSsY~Iz(?EEO@b(A;A8#Wm_RcHuyH}c6<|}~ zo`Ycw7VGbFz(VHVjjBD8?M*iqYBqTNzk6<5RRVeriWj82KpSamd4Y?qz!Snv5B_%>41QO8m9~E?3@GibbyyiR@*s08*wx`?gRdt4`miv&jF=B5hOr|IH%*H;erLcNY0y3E1C)aKU?h2MU|DZCv=5 z%SK1QbQ4@Av=grXp1AB$Sy8|-24;0MiiVT2$aZ43kfpK50g5|3NW3P!f+lG$As`hPGQ66*D0B&t*6#5u5Of5Q~7y!EvhxA|XW> zjK>NegSTf`!3dIogv{z7huKzMkc_RM+dV00=MF2ONTwUW>>x2T$u0rNIWrDS*zHba zxmXZJr1awmnd}9CA1%6r9l~(oYr})}kFXL6Cj{-v{myha z_z>w#6|l`X(GrEirQ4S5pm+o*u|md@Y~V5s?X+rRN?wo{4aRv(k~KkZN2<$x69->% z?!x=W z3jBs&Q6JR?Y0_&?c2b9h2Z_zN3@@+@Q_sM?%>^%Y9w$%{=W}9VKAdc-&74(jgl9b& z2nEaz}fS0SBJrB`KYWD}W_x=?Yy?U5AN%U-<){&0s417}G#_dgglB8&LK(-fc z=W!p04bdokK%PVIfR*J`lpetC)ZqP%|03Itxucxc`ux870Nqmp%Dz{S&xT@Gbi_rq zQ%Jo3B#t{r@fdklkgh9a;%Fh0#6ylePL-(1cALgUw{8ZOl@rZC_0ZJVUEGgNNJCU{?pcq&~M2 z12rRf;Y-X@@PqW5d!n79?fI(q1dYIza^e!VkClb#tQ-OKttb%lk3zQnc(^cyvp4;` z;;3YW*v8W}C=Bx45YH7tt{3bS!N8n`0xOG-Z7LF6{Az8JQR1P=LW}FUzmqMb{#!^| z+8|7YLX`huc;>N{UWYdvz#7Y4asz!nG`j=aB5de`_P zrH64kbe?GdH2<87q%D@Wm>$?l#mpUuOu*G#XM8Tx2XBWKU@_qt$`h16l{o|1=BX82 zq6M6a1ujTWNWimte=Z~yl;9+9sk*Re6`e?$@;=2jOBK`r?Fq(+J@JR|%)uGxM|hBP z2aLp>@ppnie7HB%7x=m0nF0(l?zX!0ev1pa127zI$@6)C$>loO-oX!Zy>KBFEoV}+ zZX-U$>9N&W3@yf^g*b`i6kee`6h^+wdK1~^;@W~!aD=HZD8zc)ABKSus+su;uf_4e z0gNDVI8FIElyLYow}LoX8sSdkU@%U7j;lC@@4lQ>%$N^om0z_SC*ITEFwu0&685rI zh*M7MxUqu7USz;Ucq|FEWfrEfFfv%K;_2*cJ)ZENt30z-fw{ex$J5T9L@lxvqtz;Ke_LP=&QJYOx-7$C$ zyG`pF9mYhcH{9J6Cl69%>{%_CjTwc{a0Rak#c#PYa4Ej3H1O_Ea3oG=F5*eZYAgtq zwn;9bv3XGE$yG>M6)LTC4gsxPSyevb*&iZdM%@Y{ z(~hi)5V|xq0S1Xk-*|BAiBwl%16N86IWsU=WPBcqnGqu}Tl-jgGb#XyJaZ(28QUCN z3D!5HuKkAnM?`&AV=9PQIyjE(=hy3S!rH#L2O!5=);B3!0_D{U_7^(_8;=A%rVJO_ zdm&njCvy40nW;&`iE1JCa{7ilZaegm?nD67Yxj$Iw0&$R+iCZe{h#1oEz!OTA!!XOn zb5Bk!IOy9{^a{8RawqY!BUiD`4EoGWi5oSpk!H~q-edLq-Gl4HNWaE;=dNK1Z)xIj zf&AOO||@?(gLYfF?%ePDA7=Uo-bwU{%p2 zSRGY0&9e2m`!!(6o*=O)FOpYrbEbqEwC79!hn%f%HRY~FmMoR5y{JB~{(-l1f^Bwv z2k72ks%6k!y5mUSKb87OI8=7wfiR>01o(|5v^W7R(c=Uz11FN-04!#EGBrCj{p1Xr z7ynZ5X6vD%H!rSN6EA*(nZP>w5LdWfQlAq%bw>r;bPku#<#3O+8XO~J6U!37h{mK| z;tBxB(x?a&PReG1(U6*K=R%0H5T=PtQl%=Xz435Wa1BF_K_PkdEyL7X_UXv>A=kA& zS;l?mbOT{4mS$m{&=)gOwz5kr^iAyyAo#w52^>L)Y4S33 zE`!UEl0lpqboZ}FRoEv~!wzxY| zZforS@=bE2~y)aNI_nkn!N zwAIW8#?B$~ny-(m5x@dCsc|>y2{bznzX1dB5>D`*gJ&4tV1-2|P9LZb8lC$CWk4hi zBF?MGQ))9|EzhwRqG6q4294|<){hvX*VxU*qkupe0kRODOkx21cSA9Kn8r?jgs_r_ zB$ni$hNPtcTuqd7xN>@;9m1lhLD9`%9AhPAZJBQmr$A z7%XRTFT#={+)KG-prWuRL-8$A>=LLR#n9bYhRK)8wXa*3Qu7xKfWId;4v>=?k4h2P zDot%XDx0#v^7kJFtK`JgoU30nn&enDg_eR9f*`c3&p z?3)1o^X6na{g!x@_q{atV=DMAaR~&b8jf>21VO2zg1{cr+LKVhXgkb&e)bP7CxSc1 z&(wTA91o@mc#g6>6pLgI$eXNI8YV(idcka0U&jecZmA+vavm&b^O5BZSd$eB$g+ri zJ=DA~a><)8!9-v`zJe2lE8;PV6VAFqBMjj6(&>@HklJGpAAV?KrtW zm{ZhIk}rbr3dRHIlewg z939sB%ei;4s6MIu#^XPnO3~wUdlvlc`CRJU7=yQ^vNX=u41LJCUJ&qXOJd_Q)QD^7 z1w5ejj*=J&>Zs?TS7x;&UCrFX!@?p1$f-`eR^XILvF_%JH?b(b6{f28?)a*RC%{t3 z>h6-XN{b(AsX6yOJ(pw)<@-_6!#zperz$vue0;ZnBxH;Ng@&s{a&^UPU&n*Y6ZCYB z^Hl0)5|3ZO^Jsj*4JeV&8(YD71GXviU_guy2JZXmGvF;z_(H?Y#u922c9Mr{ZxWX4 ze(I^a-_ahH4qg%00ZvIM_AOHaf=>mL@FGhVnQU$ZQ_i~C%2u7(7e-A&&h+nv#6530 zrlKq>n(pAbV>5k+)$g-MnW!?V0iy zjRu#%U!0$C4k1eYggOdzLbT@;w;3-2y)9CAaV&KS#|pMnOF<^J?2n^zaVY{OtE39B z`MjxM`sYDx$ttWUX>5*ymY8xix?gRQv&tCin{3%8cipo;=iSbBZ7I4woyHp_GsVL8^YU;fr9ya z*x17k{1*N3Ca7m3^qvlfK8iG^qev4u{wUVQZ#fFa8lN5QpwBk7Y9fb@ZzYC_TUtBD z)O^<3$+W<9OdJ1?@yBT5wk^j(llOggEUfDZ)A8`M3*(P7J-*y>obC1FXUBDYH0lX` zcBJnF*FV1L1V1os`h1$-t3D*M;IQdrH`@!okEwdc{@$y7<67&c1%+V30tb!m-U zGw{9aZV`FT%QX@C88`O5F9p8a)@M-Wea+CpS&S#LHy`Q0P|)Afe4%il^V)?W+xx7| ziYyS!7l#hrKX`4?FdxY(9;xmXhK;GaCnSz}~6rjOX}Mw#Z3j%&KizyJN&@h=*(hx-=F z3x}7yUv_t?Hg3}v;3{6>8FO>uo=f7&Uh_|zTD5OnvJXoWPjy+@yW@z7tMkOOqH z5z6Md#avm_l5}IBdHoFIXav{GD;?o>S@3<@+zs7}fKYYtMdE zk#ILBr*g&r!`{2bH&Lza!)qm(Hq&ONS!pL^LK8BfNl9ozXVOfYKuc4aLJKXV&_aPC zDHJGBO3N7qEKmgmr6594kRl+UsGuMRL5iZFqJW|tRIG}M2R16WMFHPC<*;>c_wWBa zpWZJ|AW1W`W@fE*uj75VuFJ2Tv>j+IK3dbhP&(v3SUbP5W8E=t(ZoYc&!M&NzM$xr zP34CZW9!E>_V73Z;-a4Y5?5-oug#yIs6FaPeyh{*lzF|>9k(bFdu|x?4~gXY?choAa%=J%)O=?5XzakJvm{?X{ZACIQr!?a91wPN79LD1Z<2wx@&q1;J} zq^oCMF18KBs+OiG|C0cvaW5Z)cTXi0+r&W#mhb%%1!G#-?Ne zuh*9U?t1;6Icu(cbZ`!eGOQ3^yB?L(`^uDHOsZOppWo%d#4GdeU&O3Z*3TQ$oGUG` z9R$T7`E6`s53LvbU)runFwTH4|PRG#?i`X_@iV(#9v|p4BwBb zxXpitVTH#=-#%-g+R{VvhZMQDM`}fM?$)gva&xr`C8pF=?p7R4X$*nf+^q$<8zdD{ z=jLvJ5C@bCsIPF4R-vspQ@eF*?uG)afFlWXFI99d?vMxa z?xpm{mG*-lKwWT9Tk-k*irpBq_d7cXU7XwkUG&)ea>EW&JO934(Djk?#e&3 ziwbITti`)ZMh7)-7GSY(w?AP4M9HFc6=l9z)0Bj@b}e7=_khGoDQ^%2ou< z?W%%@B|!v&(gw-+_9|;Or9qgALiv0Y+JPTL*_0vWB;-JW6C$}*Q&p;7CvgpA1dyd6 zQ%83(Q5raY!e-IJPkJ40RnbX!KRQRhqp}A0;VK1 z-GTm2&A#*3-(`5e_S$P&oWM9#%7a*=R{m^Yf^>HS02g=HVvg#ey&iY)x{|ajf*v+q zMSjM^RdJUY(6#chnsx`fcf<2E*Ok{j0Q{FafciO31;puAs|P+jDA$Utz+p+TDkY)S z1`jT=dPpvnK+y)2JI(6JT|n`)PfHdw0SKa(GshYc5o5~jTco)y2K=^d+;Oj2tXd_pg0<{3Ps1kMKWSVQh8xLe6S z&aXxAM=qbA;DMA2E>Ry+qZ6!T{wS*l@26(K*wZ0xS~NUAl9fp20l)m4NE?dby(mfx zaGaq&mA8l8%`y7D(f0YDLmT?=v$i%AksGiG{11flw~c7&<|uB{JO4srUht^$vv(8- z-C>=I81F21;FT>?s{s1tmV*jdOX>ip>n;^igd>R)0at7CBr4f(8@8F)RHDOVYqJCv z+YypV;bRgQ(vSx%Sk&XieGy7ylIg|#u?Sl8+xQD^J(6V?x(nFMSx|ZopjY2A1X@rA zV~MbGwE;JC0`e6IcPxfhm6%%45vVeOoePO#Avdm#p9_gXNR=%*PPn2XBweabog7C} zGVU_0NDhdoYvb!eKEP=bv8>9Lr0R$aWROQ>N6(gismU@sZGY%=-?K zt}6GCl62(B>xqFdFN{b+u^%CCFs-l_c+;oi`Ba8@P686tWF%9;LWpP#nANb!u{G1! zacx)@c=P9Zm4O?<(HQ3iA;YEZ5Enu+AB#MAW1uJZ71Tv2NaMVFP*E=w9;LG3s)RN> zWnTR~@=;a5*k)`@#^$^eiii=?mMm>h2!GtdZ7$J742<#tMSv$}-!OU?O5>iPz7bB6 z&SW)IunURzRX!vfCK*6HC;oxbGHazt2y|ny!ZEaXO=g=_a;0KR?~>mHNmxs_n>96Z zh_i)z2~pUA`?ldY`*%f=tw_unuM&9FJ57a`0_kmm z3cuH8ixl3H`k>a1aOOH@mFkF{(QyOfM_Xn53rWwqj*-lKw`bav4~d8Q2IG8X5%8<` zgi%w57};QZ(ia@;1(P@qdCR#2gHXsNtU#G~s0+2wbfc*D`BrzZFgX@1Zp0b&|Zt7*6M&1l7Cm z3o04hzuzE5zJ0==2A0g=*AbU=FA|qFu%az54M_`7g#3Luzn6@WRv?l_z3HB+a*s!| z{gL5lo2pJFEvHCN$AR#}u66nQ=yrjww=J3*w@90n(7^Yo!885^Q`#*v<%)HI!N6zP zfC3Pk>t2Wg!@x=YhpzM{lE=_KRZY>-IV(K^Hm~f=|k-`u&LFAC=RZwAWI|*`~PBbIYZ&h*A zLQ$L~UPt1v8<5s_Q@)6#KQI>-Z@~L!Q)bo`Y-;blYD%#E!p>5=O#BG0l3T)O1As_( zug5!>>sFeE$)~p3`aWEadk$J3MAkPoGiwmkqpVyw)!e8?BhBB(v8&a(*W=6+Vpb#t zx|1%}Ph$$-G z9o6^;;O@B_=S+lt%A^=H68rhiXT#Hvo^;^nrc|4Q!iT5y=a0 zK~ETepmBc0G;E*5(y!3@QmNLLLcK|RnWeN>awr=mKGVEhEA|K3%ORj+#ap3K$a56# zVM=Qi0V}ipiJ01QVO;oo_uD$ZS|ttA)YjpQvU2c*2u}+Q#rDjjbaLK#bm6-D2F~;Y zgJKqc9YP=C>=zl^AGR4_D0Vj?-BSzJX-Hsw6+3QV870^gn(7KwkdyhHnI!8_CQC z!9Xv+fYMt7s_Zn=Ec2mQg4gy!Ym^YYO{NHgRa#2_03ESi>y9$a6*2*pbG)%QhUTSC zQRbnsZi_}gRGpWpLgIG52$(;+*e|gt%{Ln664N^Q0gbd*Q??=WF#SeeYgFwjvZ&}B z%Ir>mMGA?x82C8{!&p^ZdJg$E(W8NZySjJ;n%xs+y3EB4U4+u;FwICSk*>)=whx|y zOarB1RP*#uY3LX|0?G6snnCHt!kBAL`4tsP_YQKeMqYE}F4Jh|Sys9c2LuAByvZ$H zR1O2ZO8NoexHxwwDqGe>Vff^FplimTRDvZ3bIB3a4#?Ml-k_9r#TkpB_I{zGkC zp_XT2_JkU!f+ZxyD(xR=%EY`cm7r;!;m^_;nQ`(7WTfNQhM;KfYIT-c8KDKAfOQ3| z(@YD4rFWEURGi-ePl^n8VUyKtR96F1qWbDdc{J9&se_SlC0g<^jhWuk_ff#<3{dg4 z;b1y9GUrnicv^Qx9kPmD#pz}Bx;`QPk$J;dys6mO~I|;ZP1S1D(f&;Qjm|` z%aALJOye7~R%wbGQRLj`jmTE*>KKY9%iNzusONpl!FVQpg^@$=Gk6cyc7*FUNnOBX zqtLswT#wLx8m|o^agy#yjWj%_ESAP^6(dqE97lVM@5YzQ^^K3emeoD>y)2RNCfJ<^X z+BjV2XI$M}3&?NgIcoQlY5;3nz(8X3mn!6w(bB^TcE9?@BZU*` z@%7p^hbMM=JUEMmw?fUO(jN8z33YWJN5M02B~eK!D#sDJPrWm&A*aaLkk_8rPJbj0 z#tN>p@liE#TKC74)B^T?sK0J~On~9)B!GJLa9NvRS{f1_gx)qb$7f}#=}W@KQ`4lU zuyCg2Nx2&iu(poIURoxD{8~1jI>+5Zf}~T~s!Az^B2m;Z zl2%yEiQZwwT@lKt|AurGS8?6A3TraQ#|KT^@8o^b6?~4!X6iG}bL}O^R#+KtEzU$6 ze-GxlR`8R^6n>5Kqz-!DPjvGs^FwB@gLI!;kCx2mpR{FhA+dYTduZ+%=nldF)Vc6I z^JbxXGF>7qVa?1xn{G+AzxxP%@p-DLP63@`&@X&aftw{0TE z&OwmGG)G=c9sQCX#f!l#QQx?ewl#kQ+}}fDXe08v`=ByQu#iaR<1w_Y14OZB z3X7(A-7}5NiLl=Eq2~64uTG|mn|WreRDgtf#sGbw$CWqI zEvFC9buo?K(++zUU<;bAljmyZIxR7WZRA1Vphn`1%ADWg&#cXQFqY-jrhCa*=-f}s zvygla$*XwaOTaU`!O|E1hNQwzTsG-24!p(~{9a{?%J@Jm;0OyXP^uOjxN3gazU51L zLtqur8NE7BW3oijGulLmXnIYufhcCRvHHlfKa#JjQ5s5$x&vc!U%DzCOiG{NH z;h6kcbfxelF-U81z(n}kN*Xph#OO9F0`-s`_?lbzxHJ+8Z$tI|frTSbz1MM|9!BZk zaNz#h@1zkZSP2!E24AH+6&p#QfE@R06z1KrcAhpb<{TY~#eScL5j*ySf<6}xrSk19zRZcaBzegvG zkFxB~7ULOrWYPCHHcm<6J23Mdxq-fN76O8qK!eF_?`$=5N!F?Mz)_PE=&ZA3a4HLH zOit%RNjaTS@jE2*spf4|AL6(FVxtD?ezDQlxGlk@_%NGTXN52ign9A>m;$hwtF-kHnz;Si7(h zeQX@Z;nAfT$Z@G48~fhXPfwy9Vo)BOq-#o|1#l_>fbdEFpI|=5CVn{I|c`p~$JwSG@a@d|fV zyB|KMM+U}n9(hb$_#kwLpdwJgwP*Iy{RXSG!8A@{KZtWzM1}WqCfTjj0DHA;>=h&2 z&))2M=7WIY@cYdfDA1x_}yigA1>b_M*nM#3Vl+!wMbnY+{!7p%rV1nR-QTQIYFZM`8Z4 zZJ?vEH)XA8rfk=`feJ$e*iqBBvK$(Z&+Ma3EiaJ1VrSaeydJW$ zTG9L%eATxLyySc#0kG}@FT?!s01E6eCCU$XbMIHkKcSZQ#6}p+pltF1RC2&nORVCG zyn7YRLG+vPVYT@w;vP-gdKF#Fvdw0A=?W5FsBI6C!-4~ba~Rc!L4~Y}Uh*q>)qcEF z?a1P-DkQOUt&SgxI-$b(Gv-tdBK7iFUBG1?*a4IP!ddHQwDdKyJq6=@XNBzyeDy;C zrv6^?VCW_Cd(ly39L;eaDWG1T0vk8j4{>?hdcx+e$NGHa8su9Z7^)j@BkS|aFg`E@ zy$dW2BTuzhuL{23>i&+iFZh=kiWCiZWItq-blK3tl%vgr5Ov=s1tK9&H-U8bROfK z`VP*N4wuT&HRsKtC~qh_v%vjqls94PA>?|9{Wi|&O!uuW>1cdELChcgDbn9d6Waq% zqkJ0A_D@ta4+<1A?WHBE`ln5a3p+Ya*4L5tXhO*>X@H{P1(M`Grh$<4*Yde54ZnaJ zZNLo>i0>*6KgHRy?q}uUj8(_b&y6Z$3KpZ*quglIZh$Innc7^39efZ^cjbtW!{p+! zf1XGZ7qwH0-w@B>IK_lYRB*`dEH=rnDWqh@k3~iIA$pZ-SZM{K``Atjj~G31q)@(& z^s|%l3Nb7iGu-_!_lx}}*gG?i+52hc8dOEu=z+0#>Ks(cVe=)OJPi~5;Vb?qTs~Lm zqto=JKW`pM#}vcKCJCIKTu@!?b0$2Y7ussW6MCYPF3ettx4DFNZm(*_QkyH}uegHr z_qX>?!^1XGpli%4o`$7rMO8Avv|OOd(LDQ$+WdV_>1qu7y_)dmr5f5JKTW)ul|6_gFJPL_n0ZE;jhc@^W8IEg z&COqv_sG1G0o?T9!(=*aGERVycvu&f5axBRyY&~*et(=jAucZ;Wln`1Zsr(rf&@WF zs%s&{$ZrNuEm%ByO{hXTjm)K*8PU2E2C*Ou0zZ7QwiGr)D-IMllSTGAK?>tqLHDLX z0+y{+o3at<%^qM-LE%g0MpjBx1Xe>gTCE7Y<8;N*^Bf-q`kC6xopgZ*OeXU)4DDwn z7BGCBuXP0aT}k?b32id@nP)^|elx-RMtm9NT?`-~Z?I6=t0rV4V`nCB2oi?co;D59 z=f;qgteGX6Pe;H?D0mhCz-nw_>)Uf-eib(&a2|Ie z_f@1s(*px*E4m9@iUuM5Q;BrQe4mEvWbfIZ7IZT;%`XGu;kz)O*NUMDO)s$> ztw?9oSj-3G3p1D^XO9G#Bnr!kr|}Y!yH@zlWT~1#cQuY+X=cyL3AItfUPAIBY5Ngo@UVNLuZc%2&E3)W6i+&Rt41e!Fv?FdIASKN(zW79PMINjFm` zcOfM%2LPjK&WSAPs_V(n=Y3CAj)N$G`FUX~uV12VYv5htb&p_Gf@l6Vym*BL;~gOYjpDx+en*cOg%~`VozwBEiJi&jJc?n7NFL+t;!0@idvlVJ zu#(hRT^6YZHGh_4MLE4tiyh*hx(Y@qBj(4Wl!;%W-<{-0|8YOnky{9ak~zDgy=J!^ z6}=SgPE%cY5pN-fa<(CBQUYh?9>Ht8VO?@UeI=kI8%<|%T=_A3W?b-C=m~IAeS_3c z8I5)bglV+zoK`Rs&CNs3jfP?6h>Qv6qtA_>CT%My{L%4Jy=nXX^_$EJmNp0Kg$|6L zn8?|(-!3Ex35@evQgI3*YposZOgf%>A`05r0@yY|1Wc^396hrw;lz=ORkZYx0s*aMVRJagqn2DLn*x%x#_APf{93`HUz#)Bctl zF(4(k;Z{52Y{q|T=;W+p?Sw;NfSfZUHNDU{ES6@{}y~)ax`DyE<{P zCDWX1Xwrq)&FfkBI_0dFi#njvfe4Vf^-t3DV}S?x-(lVx0vZJz7{J?ayeKE5z-|cA z(7TslTiH&JaZ4;+@BG%-py0E!HsQc-33|aMy!~f-7OOPqMu1xbyUD_5^4|aw-p;FZ z&~(w?2?eCUH@H95z5rJBN6cHbzN_*R`l6#)ep|!)3wAM}2COMvsBlG>2n90Y1Dsu6 zs{pNR_3OSU=SbStPI@D%h{mRI@)cC1k7%m7om^sZN6eWE^zDoHC<|aaoJ)&bDgQ|297mG7C^}GMOeo`1_-uMKsDHYm&`uq#4(&AMv5zy*Cd^hK#hcm_ zkzy9s5Kp*DjmKy+r=|l!59c1W)Rz{znG*3lIWt~Jg_a{{N43V7-;9yFqL!QHQ3hOQ zJf)^rv|ND&_wxwQ<%IR7sRRVfWcpUv`jR=Mi6q;xfaZ_>_aqh!?xYsgIUF+Ev;g(0{{g3QUYv?MICK4u3zJz*io z%S}iNTZnY6J|)IHlt&fLfDSi+Dyknn9vIqq^F{->-+q^QT0VvFB9lq#qQI}363uZ8 zUCR8T6MMRwk#42hd^Q;(oOGwvumF7kv056Q*9jZH>r21BaiDEEb;)jpc@z=k-Aur;gy6^b-dTqFL|iCjw+Hr~$d5@>_^B z+^j=Ib%?$f)E{IbWRG^P?}wXq9QqR7ydU}RN5VPKY@gevCzbr~Q{TiS^=6D>Sd79e zn$tzc#J8S=eTTb>=JYp%iePZ;HdHzr(Z@hw&?8D$s+hzTS*jn6|EJE!rB6em`U;|fM;ge_5~OR<4hUl&wnfOO*n8P7nEt*4Ud}n9r)U?3cv&f=<6Pj@!HQAo~pLB#q|) z@~@vfG7cA5U)4&LaqI(H&Io%jcCQxC;Rg7_8hI|_^Zd!kzBvwW(GAyewV?Pr!Ch30~ISQdI`_dw=X8P=;sPM6FYIGv+I&a7nPr$)-;+|K*2^%8)Hz+t;H%1BpH>3LnTb8$!ZM?v>^Jid?0W%n7u z;R0i_K{S9y1>%z2sL|-RS|1_6*Onu6HWMP{=>k1rjdork$mVOLFb#MXbg=r>u{U(Y z1DikgHyz>i$vV0>dsSC5A!5b&rw$C4X_0R*Tr$1cU*Wg85244gIf>yeTnFX@vDtjO zuf5J>`<&~-94B3NjvyIpK4D$l)O_XCEL1(jn!ww4lvh3F9;p=TVTAkct6|7JgQEKs zpGRCW?7qD?v?A~+YB64NI{%sA%BSxM%!V+u>nc-X-f@Mw*)91LU_|D@LMP2Mo1dcX zQafF8JK_U7aNtAm5?H7RoB|v3ctzkN^QiuSdmelR`YJHY?5pi4?MAvW94MSA9R4tH zDl>WExzN*ju0-K6DHX||IYHxbx_&74jo*#TePZn?iFU!{Xf3M3g+sttQgKZza->nO zHQy`FZluUBWC}a43;kfx7F4puT&0IVn@j|zEdcs1dIN=ipR$>(7axNIo7N+GjW5kS z*IHDJfQoF>%cx*9LJsS+K+7iQrS{gziPCfaAC|+;Qg_~LEMkphBxA$$w=@V`Urs6Jr-Ec^Ss+gINn4z$1%@1rq z=E8jQbmzs#=%zpxF}SzkfX6-}&hNKyyzPFemI)xPgS^}VfeI&Rb5b1LApEnf(Mktm z_z$aIQ;B|VU(TbFi*7paXmx(;A@g8re6Se&FqdsS<#jSwFkaLR(-#>fUF%OD^PX$6XT^B4QlQn6JiVH7hv7#hEU`j>?#=>kVp>`U&Q@W6X6d z-6yaEbVc#efeX+D`zfV9-Sbw);!{>D6BLyj4%f-Az6#N%j!A|3;yxV3K_nDe=2SPdSvaMheqYMC(m z0wR~I{&4o{UAP z+uiiBuz?uGFKA=!24ddhp)Grc3D?Y}jYeKyxS2Sm*>SE}bRr(*d@BwxZt)s3xUp4y z@?iLJ(5@GuFzjpH^~!J)Xw|dgTV6ad8(3&`Wg6Ik|Dn{K(318NQn7Pkw+Kq(`onF z!OTID?5p2+l3SV87knYYduOm3ZN2pTPLXpa<9ZF$*-h-ET!iPqZ?y^C@x2@gth6nD&gL3U8UDzgc`7yfQ{-N zu$RF4X&`6{Yp~FZ0N?NAQwQjsEg!E~3}z&MZ?8jN$DQf@GIsOC{?=eQPOkZJKV63-UcU>E5XK&Fol(~A# zN$6T=#^;^P0BdHwZ@t7$~Y6 zuA=wTHv|266CByi1p-5G5;c&27qr&Wk8yTIqCFHV_Om7@I=6Ope#koCO}J1|Fdb1x zxHWQ8s{QMk8yoqoto1%)X17g`p)FMo<<7H?+~9VYZv7Ps@mns-e?lRCPg_bGu=S1p zejAcm96ZK9RGuI`hbwy&CnJAfB>WyugmB;-{Co8_vFi+>fnX;U#GOSofz^D$)0w&^ zH81DA2)sNy9|@19(j3gJOwMIqpI#m>#Ya)^PFaoF!+lA%^dUMCRkDn0HUA?9<3gtR z3v_I#9ehj{8;|L^zTP3AEQPsXlkGwCc|AR(=o=V~za4?d1R(*%Ik&5gqQQRDz>Lg$ z*;=#uC-Or9ny;rHOJ(G3(am3kA@<&Uh|Sx9g42&3Cb`63cBS%BRvSw~UD|*J zID=agnf79cE^5}BhZ5|KY&Ys?Vvc;*z_tUvB^{l=fgX2wsQVno6ODzmxZC$ocnMnX z>e}4jzMKnB$eFKzIq}pC_phyUqJw=@E{49zAA7c@2Y|>$iazgPiXBYNOQA!(dM~l z^hKZP=%Wj%*FYIQ1_^2yx}j|pa7OnQg|L|Cr7iKo z>tOl$RpB3Yk2Qz;A=REAV@!EeEUANl+VkcgY;IX?{Z$7VK=(pb4)~TuMB6 zJ^&Qxeq&lcB^|{=@{99;#@3_07r0Zr2TP5KvKxV2soqI^)dqfK=I<3f5Gi5@_d^$r zJB%&YuO+r#mBUf>>y2x+fez$YH8+&% z)LcaRvhG-PmH8nw8r)$5O*Q5pSZI-r#3NtDt%uD6V|3$mwAi|Zw3E6=vw&>PJAWD6 zI*8%T$J^1pr6r_kZhnq)wm@WYfizO7Dj#jUoG>d-{sIY~nHP7Fu3_9nc-MDy6MmcU zKR`#qH(-vui3B$^ z*WBJLtwsSoWVap#IIp~L58VfhP_9c%d-m5t&YJ^z?vbu&COs71Lkqp9xWF#n6iwO5 zZurAa)RaB&MD48Vo@6R3SJHc6N#pv8kI(B-Gnqu@JRSNGd{=I zB5wPf#;@t;3)6LPC&;^SV66G`o_R`z)tub=rrBVo`v*gNOS1PQ=mZ-j?k^fKx9So?GBsgtHO(L;M5dkRArmYZU@A6e~kafsAKDVm%U z?nUX6f|B}=bazEyHQKl}lrJ8pe+}gm^O8ZuEl6L>5vOY#tn7P}&z*xc`Ew$=jP%eE zuEJR!&#@7Aw^tOp4?Jmfr(jL_Ky1@4|oRb(+z%FF=}X(Lxd$P^nIq|+*t}n4h^3=6ItM0g zr|2^F9v=Lx;^9Zo&2z|o4&B@a4!e#e&F|1LTaPG0?_XlEuZF}-J&fmyswL*agJ?qW z4;gUxgoLJt&GCLmOz{H>*B7*P>N5zi2uSPf!HNe)prTyGA{p(dNA%}64T>F)A+m1j zKrAT~@+G|UsI*O`ksakGqfcjio|Q^sTYrYdQg4b)R>NwkC8At(ei$pQqkxbDT2>DY zEEmnX_E}dbSV=z~VH$;{^qUmhBNo=uUG3~a#=0X8M$E%Tm=a`kxRm{bAthwDxNJ&n z;YjMLY{*2FYnY?KKD1l94(fdZTmgy{o6c~Jt%ttiz@W2D2 zNq!d`f6UKoAU{CU%S+FqKtIUt7)786a@$EA_y*j2W+wzL;9rS3tGB{>k#{{_*4uFf zNkw}YF=Ij|5YU=?F5B~=?xBQ0AF|xvN6}cr_RhXpg+c?^8ZC-)ePlkaWv2OF1@E?w zunzc%+v+sNxIe;jlu?)j2EIPX{WO+XmHRA~{knigI7rqIvuLyrBY}O~^uj7)w^Kxz zjXJnu%x~+YS&HCM^S;&Y*$RPPv0Xlm1P$IuLd?fxwjUTngQ3?+Cp*~whbBl1;$g^K zC6yrY8~kZ-C|PuSg_2@%Wm)Q`jIZ=Kz=`Z{F{)1}?}W(w3o$PO7JD}!20XsnaCiT8 zx-A5KNTM!9{0ZT& zEtcoMB$Xp!ES+xW)MvSsV=?tlQ8TyiHR*PC{w_r5b_~#+BEjXio`3h6NU;5%$_#4h zw*39&d<1LxZmneedy0S6%fCI$2Pv~f|9{-?wuJ5!&3m^*5kVUoqarf>bKw7-%tz#L z_jm-9`p$`n81I~D!&<&`A|n0>2H#yI#XBb=#k_N(4Qu%Byym;AZL z(*7)_^xI;R@0Q66Wokno{}-&molHb(GEzTx?s_}xcj_hW?mggcZB60MnZJF?o!%lx z9(d=L5MtCOx;t0?wXW|bYYXgxD!7~MKZ+qn?wT$AE3*+qhR6kXFS(mrkK=Bu{c{oS zo`-{fDb1hr1Xtd<;s2|UcgmaAmNU=4a(1_Q-MQ0$dBDFNzSY0}OOEemUizP9{@?C> zCnx`lGTkYj1jU2c!v6!I{u2oG>+kOPQ&2n&K>z*fYHCJJx)tJkVFeV`fr2x|IHM)2892cDI&A-|IHM4mZJZ!x$Xbwnc{Eb z%Tu`2KAfTrqCh`D2eZjYU}hWR@>EWr>?#UR?h~Fc8rIi(&iE(90T?rN|C!A2H^<<9 zv7K(CQ{dxq$UgVNpNHot;2s`THTu@r3{aP!WBd1Cz{tD~J|ZLY-`w$UpYpdQyKLeP z#rEOAdm2Hxeq{&6Lv8|-Cl>+l!)RCEfdN;p$0euxa65Hz<#4OzpG)|-|pwlnogxK%auqiWG370pDN44+TONc?`Sm@df# zI3p7zmn6!1hQr^wVUkWCH4Uj`dDJopG^l8gRPfl(AjTF_iDG(M)+(g+xTI7OyJQ9@ zc;KKnBkw1qm0al_Z(bLakm{0CQ&S6uLRhJk)d9orG#Rjs2WQnGwVa+>aROrZ3r-*? zgPh?hIEuBROZ55*h(ef$GIE~BaKe)=2dhDgq4Kzjryzk>rDxz%_|?oSDv!qo$_-Rg zay0TlIU}oGB)u=yBjo1PB6XT4W0(S~)6%73?UCA(F69+PGL+_%Jry2+Hpp4kmSq{d zcJl#G8%iR2#fm1ZmOMUu9(#Nmby`M7Uaz)Nh+bLn;eQfW0_0Fi_u?LIedH3aM+Oja z4%K*zgypJK@30S$D$P@or&LMl1!`5KJYpJvdLBSE+^9&kNf|yoTQ(r!Hx)?DknJr(0CtLrKbxc zwPhkoFQA|vGt!44s0gVbS_Kl4Bwxex0cYC3S}|0l z488PMC3jQ#*M1rgP5Unm-j^X8bdg?g=jyhG;e)Pm9Vg!IsnJ+{`5#)fN?}o0lopi| zux5v+8Z?He#Au7!KwDxgu@;Sm(Xy5}i`GDtx`nw?Qy;q_UYQWnP`qV;)4*Bu(JSA+ zFt;UgUDWcUBO~XRA03mH(B6`0F(sIlPrmoHQc<66uvi3(RrwTIm}_n9m5`KRGuSQ3 zmQEDhWn<)4D++cF-d3vZtc5MV#jWjPNVSL-$>Oo3S-ck6l1^m|b;FbD_C&rePEPb2 zx@x;=GqqWk?v`vYP~=#8B<5OzmOM+()Lxc+Wx=ha3B8q&p)=#<#|?#+B12zoKl|=~ z{&{FpRE@kfEG_P+|59t;{SypJAAEIdSo$AV>feq_{kV*OfdVO!j1d3=#dQNrkG59? zS1IxWd47PockrL&X;9xec?anQAwBB!H%H<6v3+h!Q>jEtlZGQ@z5;!qprW%4NV!af zGLS)$0B}SI4W+bb5T!YOKSor(H6PARLT|nrF48Ksip2_)sTN!J0GiJKIP-s7ZJ%Lo0l=UnwvFZ! z0qGCWlwu-iO3?uKpn`WSyw&ig;jMu;pzI(8ya8rOVHg0CpJUlo6; zU>GdgUIsOYrR^1|;Qu@dr}pB@CAX^>a)Stg-hwO&rN@(-YfvRBEeZp&s4SEv$`Y+r z!zr}^LprO~pn$Ih3k+(D3b3;lz^f_pvZi5+A|Xb(U;*yHkZe{H@&X$K0Sk zoVHDD*|)@oBVvmJu|z}{5gCZD+a0mo=?5U5BMR=Fzl!HJrV;w9c>eP!ly?K(4b>b$ zgKX;nw}q3xquQWMRDo<%P=_ERX!{Cfe$Fz3N=ZdsuCYMk>}826N|(PZiAEqnMS@DX zEEmp$B$dj8y8vJ-K?TR7EGi263Z&MmQsGwG$U*2KmdK4&mZ(J3OQns5KBI`d6IH_% z{ovmD%iwlxkBc-9t;)V(;a>$&3`)&gg7`|MKLj2<4KFI}pU;Ox2K9fIGa`upJc|BS z5C^_iaW{`c7rMP7I{%_#&{C)&0ED?q`sKE?5hdWbq=*{J0&pvJGceohmKy91MP7uz zY&2l3rX@x+o^b7CtnJjM53}@+u=xS3Bhb&)RSvsNB{<-grl~XZsK`bWz+o&A6e4W3 z+$J+|TL|97EQvsI`egG?OP4L{e(0FUo6CR{hZsuGVjjG6)^b6ZS0 zVMFF=$5Y;~X|t+l*zq-OA}n>jM9B=!F0KR`w>It9ZQ3;37u2Uzdny?$G*n6(&+B=$o%h^1;7d%>;6%3o9LoQ4g*gC5Uwvr`Em=k6=c4uiRiDS4KSlc;U(E{HBgd4bPS3Z1;Bl6pbyei<#yv{c+7ay zGsAn^;EzV_R%%8772lG6e6jxwiqMecbVSraRn=s`EW0g?PzETICTaik3{(_?mhjo&>oJQhn5uswM=q;B2$O z5VipSXD5qgkP2FVRV>CU8!nSONG!(UAKTV}x zK<*Vr$EX#t!Oj(*N2_Wk*sf4L0y{EatXw%o#W*O=??ARyg*5;*XEj}1cvEHR$qrWg zzC2Z&c#Ct!(!cp-cRCm~v*rNxiyuCgFZ`Zb&QTC?uQHQfbmin#l?BYtB%P)(+fN%7h05x;6~h(wDb$57;W{BrXAm zn0IIAMN`dL&6H^XJspQ^bD=7V@fMVVGr+Hol2qfiM615covZ>D0zEDp}NAD)_xVw6<0#&|WFqHx>g`e2XYHD=LcUrK8REJwutH)GT z|L_&6Sy6<7EnPKmG|c$bzy;g*tg0?tUzgv9D#n*oZVTtpL|8D{o3Vl`5r`Apm^@po zsxe{QHv!lKE2h*5)3-bUmyUy2z4@dJRnh~GmTb&sjLiqNQ2!&wV7XkD6r%vc^$u~KL-$j)N7T4@nxZJU_c@aRF;Y1Ns~7I5RkWRA!{lNsIGMH z1UQ^LetaOPsv2Qik7l$EX>p^lV`u{8ctT}e^V8j+IgYHFS~U{-7&PO_V}#=dQ1FMV zCQoYKt*WRLwDrR(?esc!6OEsAu;CtB=o>ZFR6Je`eZf8{_Ck3g^sxx~XNoKD@Oj&B zFrrPi2*0bx)>K?L;uu9)s6krGs5-dDYM548HG0fscS8+7Z08*6A;XBuy2;_H3ApCs zw-+7+29a+cYm7po@gpdjZ)D>5@MNGn9X~@Ds0Pke>g(2C+KF|QlP6!eV!Kxj)UfQA zjBb=#uo{0-2Vbs_f%+alUQlV<_$>36h85~b;gMztPe~ERK~u^T&KCF;Xh2}Idi0bT z+g7P2P0?#<+Ph{}Kosh5aYH6%MtOwzwZ`*vB&)y7$B+#>-R!AKa=YH(eGW#p9ViIZ%ovdP;GjbW2Dg+Z-lQq{=H zZ5y&4M$~L9yMAy0&o}+4+7cekY{WaMFj*AdX&6~Ks%k>jWZ|UsJUB1LFgA8#Ec-hx ztQ8huwJo^q9TaYD4W5QBWh(3Vp%*)PoJjPNNi|f@x26 z4u^y1t3oIY3@)miDx4BNv+yNq8&d!^0ILIPwcy(Mv$|%Kg>59Nf-rRto=LsQ_|YV` zg{XkcT}vIQ527)+Tr&Z9+U2h(6^!s@_#pk3$}%~iLshy*G-$$>2UsnGreVD!909Hy z-!f}^@8BLZi8(98CjmKU8%eBXAUi<=gj*FgBXvi0s19&}sO7>G+r_F^=;w4PwDWNd z^Ftw?f&SDg-E$g2#WL|%Td6IST~LYidSTWe93uSF3LRCw=-_dCR-h9Hs*Ihkg zg_iRng%k?3r6-^q)B**nfRvM*Z1}!ZAd0FlQnDBy4QXG4!rV=P1ah!MD>bV3)RcIj>Fm#@M|^iRn<+i z_ebqZ$!FkHy+F+?EUGsSVNjLf0(0dj554p)bRWj&QITbIgW@5D-EMDR`i2jn`LTt3 zJ)7u@ZSqxv4KN4^^E1Nn4&*Bu7z862@|g3>-t)bve2JROSIMHbG?3q~X*&3uGL}4r zd|YN%z8a<^^8u1>o`{lal4=LGeXoX@UHAge_6^oUC^;4bA9la5?0H&K{F<1@L6r5Y zodxN5V}r(%k$VIHFSG)T<10BGGfLLkfx2qbTKZ_|bd#tx%m@|qOfftLp)&TKFngQU zoNO-h1Y2?#b|y8KkTD+OJ|!B0)PjRd2B$lEQS~u$P4pg?dusB}uB9xi(;B}C1?z5u zIf8zLMzKG#_UFL-3B)ByH92g2PaCj(N@a(z`;U#5})a+j+@xF&^r!qIl+f_Fau23z;{C+L34c&eB`Ss~K z)V1HNyJ%*XyDcFC3&>~A!G-NTE=CJSdhosc8=-PIlf;}Q5-@5vl5@f&YmRs>jB)ks z=5J84|K3WZ>?Duv!rG z72;C0;eEA~&2Z+khWQ$~jd;;_r@t!MA$e`GWV$tdx#5_%1I1aXHRfYUfe$K_N_f1nlu@ zNVfDypxegCD;7g^?{~f)B+s#YAJz4fQ`<+5F54h&#LG5}^Rh~iWeRNsRQM5j;?dh601mcwEZ|g_Fma+6V8OWqh0Qyv_#e zP?NZswLioA=FRalX4H`YFH7w>7gV86E1Wr4T3}+l$6)kG*2Qd5 zIGW>X#vM32^*?U)wSHfn!ccpbm!GXS2domA{#ux{hx6}?%oLPlo&fT)HBFX3I8x)^ z$7?tU*{*n5Hq4l1{39ex3<+bCE!T1ipJEvE2i~J6GgPx$*rVa>g}BNOD2_5uD)^B? zgK!nfQpLkewOytRFP5lPl`8Q87FBKD2|MT3`V?8({1RVjKKTfMF;TNcvB_lX!XE~?rwZ?gW>#bph((+ML3dbgpNb|12!!z%WRfA&eCk$`eT4 z`5HVrTLw`>_Pq#Yy;M%J<=4r5z?&wUT126P^Gt_ZVQCGCwkG zdKeadArH`2{#v*^-#HNpIb$NYD%45`;gQVn^ofYOO3IYiTy>m*8wx_R?otd)!kYZz z0rX{IJN;c)Om%`$dQoLJTAV`rqOK1OOkZ9ObuQDO8um+xtuiZ>-FiAj{9Q}>Z}^d4 zrxtH$>2Cfk@c$4C##oU$IjPHOHtj`Z1FdFwF!GumSK>jYB_{qt7|j#H#e10Si>Pb0 zIhCFzX)1emnu$Io&W*pa&@@nF7clgBCI)lV58i}Y76^g-b772;IiKB$E{#@Z;UW-c z#1okm_HBdwCnLUJg*Va+W+pk2U4w{^%z%NBen3;L6z7Y>1oESOHp2bMN#z%^2(%^W zEp$BB#2fqbV1lCy#7Yi*ahmb*WUp3^VX}qT>_NzSH0>5SBI}v{_&E|~-_wUKNKR<` z(YQ-%wqT=G=`L^knc0fUS)EYS$HJ_1mm$&y`e4E~lY#O_qj6I*68l8js@3E)D@3bn zn*BxhAtnZ@GUO$4AF0IeDPI~+@bpF1FDUz~Fvn}=U$P!-J1FbO1X)jhmi6Klz}s`) zQX}D+aV^g=nGhSqDhVVMk{2cRWkIAAdbRrr0EBWqOeHRWyb6p{+f>Vf#3gk1P`f`& z;`uNQdp{MztW*lKDC~ZSAJiOcuM&tC@U2o#i4k2%KiR{?BwuM)a>pa{cRlx#WXSOd z_a9*$1?(g>45;8f5xihu`KVn8rmDFImXm9lh#BZ<;8oiGx=O>{y*e zC6Iy6_1LOEye{=eGIr01tbSYd1;azgTyqmi!58%SgtKAb2%)SGZiR5+cH@_z!^G~JEXgN-I)5J-Ca@1+gJ4jf|LuXT_OYArdbYOEkESE!T9fCmLe*J-~VeMHV)* zp;m*lFPg=7n2AeoUk+;*&+oQMS=H2xlSqt5$L0?R#M}_l;BjP|`RVRNK0;*gvZ?E0 zt4&AEzVrA5*=N13uJ+G`9A+mrFrw#vevW{DfEACYnq8itbVb7Iq#4#w{2NI<`FcnL z)Fpw=1Ge6Mfx$F?-_Z>OI8oP8>V-EIAKwl(=Ws^^~3)yeJ#aY8?sYBCm$s(HD@bvA*i+Sv6DGQAy^TbTZo-sj?rn>C^B+@5C#w8#=US z74xT(@x%y8N6MW##NIG)ndVSrFBlTfME)*Vd%8z~|8Q3#XFQ)mf%$5TN)rE>>0FmKV|z}zq-*7{x$C9-`r>nJ79qLzBPHVQfu6stZHas|K!Xo&0iBcXLUTLG@BnI ziFlByYk>7*UNOV7^6KOI8(k< z@Sfh1UV%ub%HC=m1ko1%D|i(9w~;d*(QBvy6hwPmOVv!~Y#BWOpSS;!+};TW8ly@y+Ua zlJ8;7k@y!h)jBnKt@9g{K9~Xxw&)3U@=8^8z5Rv$-dK;5Oefp;z0qvspeqZ}YJ-aR zB(hKF#F-q})QXRBh5-ruApMM3BxdT^V==7EGcHu)d^?H}3S#v@ZvlsyY~L_%1*yz7 zpkj8>)`AmAIqQc69OOQAOh*l8jY@7+j&@f%wZZal%rRx8*Gi&rsI0;MR{G#;`Flc$pIZ0m33UP%RtRds*LwqhU&iF$n_q-rtY#R&) z$(h2Fq@VN|j&?-QXvam^}@PA*|pe@yU?MWgKb2Bo2%0SuXi=S|F{bFS*=Q zhf~XQDnaQ!9 zuC5X(bJaqyXC8a&A-WA_q)eERvS3EacH$rfG-R=1m?pg*pMKLk9ZX$Q5HrIvD9UUh z{gTJHF2J&KrJW?xBgW#enqBbeelE3h1l~LJ$|C%x@+QYH1KHygPi7nR?7gAh2C-Bi z{c^+bgcZzfGw*mF#caTmfc3jwqa`JesF_s>{c}wMc$OW z;^VyOBL=Rd*WeK8V91~hcAO_W1%~Y8Sn7t=_iWqXaQ1U8m{yxy9LF*1Z7Wzj!uk%k zYC;7+nc^jtkA<{dG#Isbe*4-h2QP&(gZbBE>{mnBpFHAMDY8g6A%o%CAoeQ;mmAK7 z8c(L+3uKk5)+cV)@zMMraT$-qWfbLw^5ZS$OiolB;>b`{wV(Z*Pile$)*N4Bjjw7} zE7{Aw$9m%1FVz+sW`;vJ{nQ}i_-vd=E;2Iva;T^eGq15}Jb0=I5k{y{(c`J?<9v9t zueqhse_?tkTF$-zQgp(er-eT<7&e3PuJ$J=rPjX2)Lix#kLNdRu+HFT@inuH96<)7 z4b>|5H)Ln+$64kHj(k2RLmc2y*S9pYnsl#{yT*eW#h*dQl%El~XtdfltCqbb7^%SK zvd_FfSbUwsACoL@JfF*uan8Yv|04f51Gz8>a&NohkdGb1p;oI&{Ix$W_mQ+VP!@|B%YLshK!AiFsmw@QWn=VARa9MXJ)i)`iT_=HV180_JvckPwm z-&vULwvvw9Vp?g|^ZZmb`A3=6IGK_ybfmiok%{73hODp;M@%*74w0!q3!`Uee4{4S z)MfZqO==5XM#P%^GQyLpdJru{aRo1F`8XClLrs=}?7>viN&#w!G zYKjfy=e||^{6K1-9!p(j@JSuUJ~l9U7$HG^4@OV$ik(ML&iUJf<66BMEc=3lP?~0 zapCFx5ssu6$w@rfJj?L5B0nLVr&j-6xI&I&6T{dcn#S3fq}}@kx^$FFYBeq1gdUuZ z@pJT~qg-Y0u{jgE7h5P>`>=7NmRu1S)){A+q-D}g>tps_GU;?ozvQ^n_X^*b{t?Oy z$XzDV1u&}6A@-sWx&!UD{RrOS;yAVMqqdutkM#b?f(T>|YrXA$BuI*+W7(=GoadP- zjXn518751liTQc=R>My^{G;)+9Cr)|9sxI7upgO6W_o{XZI{;K?PU>I3x@PUIS5sg zQct3i4&yFYmM$Ya+4~Gm!wkGjDy5y-F^G(IpAW$W&JjquApOkMr$<9uWPco7xUaSl zPf-5J?vnWrpcF#F<_|_vjN?4MhpbNX;&H;WG+O@FlYmq=`m%S2n=&GZ8K;{z3LZa+ z$9u+{6Aucszu2xet`G|MFtHmB0~HZgW>8S}!|-mb2&X0KMua=tZsJFTl%8X-qV>FP zOo_~nLcdQDqJ)1GwIdC zpSj6IT87d(g4#_d8?YR53e`ahm-qJ ztMRo+?koH-S?4*!<>3KlGb|ReoS@FJ)n7W41?m-B(3bV}(D*GD+V?$f3__sC6 zR(4D%?s1O`5}(jW{eHQhyvD5*cHshW2OwK2laW*mRMsl8Icq}6QdBemNh2Xyj4!w! z!t5S3&dCPR*N4DhJk`o}Ja64Xqbp7bgR}P`SD3W6?B$9``5Qcs`jk9y1Ck0<_NP1F zvjh!nKi|>%3p#28aZJ%KNRl_qw8NeAbloVF ztAN1(UIUcBJ^UM!z(}t>nl7LT<%XG*K%`u`m#S* zV3lI`U}-00W{ju8#WRxO3lZYf#t8n4aWEYJ5NjDHpagfP082+!orse7H%BJFOFZmk z&SKW`hr(6O^~4hHpO-whrkWi!RyEzv_q7@?j_=+?viK=#2=rHG;2}7jzi)hxUj?Pz znN|D%YbPbCkcq1|$C}E+*hfYfJ{9?e+2ZkV-$UY-N|ND!KrtH=MTjlgcSed+&8A1R zWJC5aD?3jV*I1N=cr7U7QGA@tUinz(N6gS2?Zu+L~tzAhXV`guony(92KJe_cDz7Qik1ew2#lfwlC zE7!l72?GR{(++1&yXYH*D=a%WewgWjm`=qxxzT%3GQJqgSIXZ`k7W} zj4x|R2}xDrVM3}!(yI`(vBIAuIXwfU6-eK%^Pmi4!}l>4v0yezhVBlP{XlU$tJTxz z3SEr8r#nyuvU;{MitSq+<}FjSVj3g#%^EHnNGKR|3%oQR=Aea?muB&w>G1{-&Mni5 zr$Pgn|8`=ieb%dmB@7+xeN7ycVoh@QN9;Z|`?X$3lqV7os9ur5LjUxCpjwe+fcJqi zirlBXhne})ku-`96*9pLI;J2PgIf+w18B#5ryUD_cp9B0X8fqo3>nl)vbZ1uD_;W^ zn%aieMja=tgq8X)`SR5N-dQW{+_7v+LfG8i%4h4>f_|Ar&+<5zE$fCMNg*rE3yQjE-f z@V0axR?>p9-oa9KJu-iKX{WT<-HNc>9&4LdNY=<>>=Uu_)Ga6v$wu=8gG;THN}m#& zryc+|UOC!wGaSB!<6*Hlp$lZ*f~|W%&ror2!yw6RhI0sj&`_8=0MMJBJ71}ptk_N&J4B9u(i-A3?n4w4(E??2uKSOvXIclGiCv767%De$rYf@g!DzaTjPhuy zE^W+e$W3IGmov`Qi1|e5mkZb9SKLm%DsW)B1s}s^$`)7<^A*`3B^Kv*PbAYl`BsZ9 zIh2kh8HRT>>`S34yWbu>@Px`XAh+<8DLU3Nmcvz^ogOXwa1cp^9Hy;0$o&f<;P!l{Dhm-d z2r1p$aVr)pI*q4wpywwj-gyd1GtvZo;FigJvbL>QObF)BL~$q(Z!&!4_Ou-4hC zBKvR+)-b2CbAwrvhP&(c72qBzTu# zB619mq&hhk;3AkIm0*B_-ZWh1elIw(m38wqgRlnH5>kITR-R<}llPq3JwYA=#RrH= zN^+1(R)WY)sBGNB^;d4Tmy&r4)?b4C3~7r&~(l3W#IzD1=Scq0&qlU_NNV=_1**s!yQ+q!icha)h+a|1lClUk%%Qa_;u-jZ8jIyU?nDuqb}xWOYU4Om;U2<|@X zENm)VXWrSWF*;b<*ZIyw@`rO+Q29}G2KlK?d|C{6v`uL;Mhfg9y}5>WYmD!E*q0ZwQX$W3Neq8FRW-}c-tgL+ zh_)8sFvjoe#V1n?{X$u13fmScOlF^UQ9q-GA04)h<_=TJ<-h1bt$4}02|UuJ`*!?%_EfA;+|N#nDy#OE&Vxp zG}sx{^U(uPwV1-dDqc#(uNfCK0Hx=BVm`Iox~SdqDtjWl`#9VQ-EIyY?jUhe=Cuhu zm>8;-5m>&w|F)36=xM+dgvzt=VEPa>RLw?QmGezx7m#@z%-#{@??H-r*(@ZO$kz4` zJPBEIK##k!`y`0->_1F$4?}(l_v;Rl_DNGnDlS#}=7NBbf#lFf3)UbqNNOtBhq@lb zlZ2kE!=#Cv1qU=PDIL^=(xsy`2Up4AvJGTHaDsVO(QX8_e1&t`3y?G(Oek%lnf)_^ z{UpBQ1=X~cRY~GE8UANbEPK8gC2d%)oeStUHe(=frYi3o^LRFbJNPMc`MP`6y<^kGH2u9+WO*un)#rva5&#q%zRiG^ZbqJ(jQw$@%|-U;khaGxS;MuE z8LHtwT8O5J3#XQkD8@OK`6cX#VrPE(suQNVOx5)I?i(ZmC0U$n5**7WBX>3VPrfOAUV$WjWo<%cruDLrBj9K zPu60exOfiBYP>XiU5m<|HeohEp=LRg`WS32ZCkIs;2tNIFyiIW#k?om_qib= zjI3anrk}oM9;}r1d~3fq{q$pnFZ1u{4fQQE}&4fYV@x4 z$9|zkP2KA~H^r~?e=MiI^ zCix-diKmWY{;T15B&wU!l4IDw)JB{2id3Uz&(ii$s_GhkLqCy9)^E+9i5pA3QJ&Aq zBZWsh;z=prI7pdmYt1ItSU%BkXvX|G%d}U3O<)>r^xr43XcnuR4)x{i5rP*|^80gC_&D3yJN@%1usbGyIW`xw=GyoFs1cOphs z{0a#BuNviiVN{nIr=yQ*6PaSqKY-rJ4C1C_nFH&ENcIfZ@T#oGCD;$~Lic_EoF!>Z zX%ZghiXyevDE5^cZaj%7+|3Ts(&4@HC)rl}B#9Pg;VIrB$^po^&2}BY4)eR7%X`na z*ZMxj@0msHF~4m&;^yXX13?rLXYu_d(t|@u4W@+PY**pMa;OPh=Z3(#`~ZMHUkB3- zwhT=BV&tL18hlx@!#XLNJE6pS4DvmAD)TCdqEi4WTS8*xe&$2+-Np+sf+H;*FL5?u zH>k4DF|CNT9X1FhJD-4XRKmz&7*$oULj~!q2n) zwCs)o)GWGZQ^T(nfd9zKNX)iyWMuAjh(5reN~8} zY~Iz~D#sUmP=bLC^?WC8R&z$fHjC*ewP&17q)Zkc5z4+m#kcce?UXEbGW$IOYgj@B zeR?utT6tv(7)&xVSa$*`5D*jw>G-3W^LL zP(Ix6o{78>;@rW7GI*(oUr{EyxE=1KA`;=9hiB9E;)tl^#j3n|_MWwbfrPL9rb;Nr z-DFtT3)!WCo6M~w=fabW_DyY+xlC6x9B~qpBMg^GFF|PKd$Ie`{)2sutpTZ;UNIWr zXZ;U+(?^0v0>!7czNM*GSf`gh1B?woP)!4}5b%b2nL)9@2&w~q5pW2gPWx|~&HrwQ`M+%o{0%=KSgT{3>TCVIum4+5C%~@xi^BsGPJpV^EB6!FN$;@( zy9cfb?BMS^{Ohd$=Yzv>U|0Y7if~4~NBJ)=_I|&>c6I-45P1t#);0rBs&B*2*eI<;Oj zKAgb6TEJfykhZE1oY9^Ac>c=)|JvWw`nhl+?lep>j>HJ?L}=m}Ylcs<$BlKyl~gz|jJ4^XY;>oy{I?SW`cCX$T!dM@ z4SJ^sz;yQicT)7_uMhl9PA3FE+D^M#ee-Q1wob z47@s|mq05f1=zF!8g+nci}hg71hUUgGg{F*4MxHnBVi=|7csVX%J@riNkKIFuek>B zgmktVn6tzZ*<3RXrhpj61H#q;sw^=BN_nn5f{DXZd#STiX?D04_B+@oJ%e8rF5;&F z6Q|%;^}Qn-IVmL2FcbztA2h;QhV+4Hl>=X8aGI=kW#eh)k%+bT!{{>!Qk>uyMH6$Q1IMzV zJM7j18;~#XX>NfMLqD~5!ux=>NOX*boasR6r0}76hO)t)2uU(~G2-6OTEtBbFkW4& ztRpRIWWJn4yYP4RQHY9o4JYD7cpB{CA`S;}Z@LB#m##x?urL)|-Ujt@ zXIm10hgn}28&F}avHEgRbZzc`7_P!ieeWCs$ezeMlxK;_@wdq1A-(u;*?PQcz?l`Uh8Kcs|`#kW(hH(RcRw#IOIyJ%c1!V;Is*rNe0wIaCDt^as zJc7OgQX++iJ--Oq&|qP%9nfH{y`0Sta2d_OuQP)6BCPtUAX{o?_CE2HF~iK*Q^x7{ zzXt`206(zV@7{}Y!A9rB+!AP6CC!mg_%0Mo=%#EJrXn<+RjZ`B21{nwU^Aq31T%h@ zi1_P8bG^gxQ$UHf(QC>u?kSR}gaPC-fe3h|kX4ulQ6P;#LcwuD!BADmBNg}s`wUd& zK~_E9Q?`fXKsJ{X_CQMu*7fk4#|cyf7hkb$oRR{q51kt~Hq^OBPsk(Tc$pkdPXIB6 zJdPjWhJrESKxYGL_{1KDy@zqJwgB!7e_wXB8b1zg*Yy(iac1hv{ux;d;2Th0`LH4n znq-R*rm$RS-C<_`P__pCJmSgsy97t}4*$|nnd#siskW>+>3 zE>^JP*+RRVA#7;LBVfeDPS%JcG#-U~j|`_f|IP2g60W3=p8YO*3XmVC03q6tqT!NN z_QdRLWZI&+G=QI{5t2-oG_ZoVEYi@`@DxWEfOfALMKQHNFqw39qc9o8$uZ!{C4e;# zlRzu#Y~YU+AQY9%hJ`g#2u2^X&1Uj5o!ov!nTrpannKlZK$AwzZFaO)Zp4sE?MmZD z8Ww0f_8?JSmu3PenOGZoP#Q1PhRj`OG6XE7_{R?pf)PU{r2uF4FmsV^DBvyy{21&zEJU7hpQ)qcPLP-UQ zfJT?f1uwGi4_Ata!t8*dwb8rq?5`(uo~*NXS#vOdYx54GgM|Z}Cf9HBP1?J5J4s zETP_ni!u)P6m#Kpl_!zoy)Tv}IvN&vtXb7>;9n}Jt>FTcJC|W@yfBQKT&K;jg7G7*kbpZlq5Z`+ z0fs(HN2lj&8xWi&!48clSYN~yoJbNd$5oK;+Fm%q_zcjU$jkWNvrpmiXLatIcVlMM~;0yx>ZSscTwjWr1DQKnSyYHeG#UI@FTF6K4cvg7?(4O zfcUcx+qgy41{3D1c!XJ_T=CpwzmG88q78jOG%Q(qOSXd;)nYjuC&NtlryNN(7Qsvs zseCLaLAGcWWT!^qh_ea!p_b*wtC8$tVZRD1zK3htu)*|GXrQW>v3W6$OJ}k5KD>28 zgtAXj;6q!X9CXWG7lf0!dE!lmHqwpzcb%_h;-qH<6K(`97^m#@_cc02D8b`3M0Nx? z^MytGXFy>E5139AS;2yJ)Gu|Bv z>i>^XDb-#C6`it$vT1BckTFf&mSh^wk!>w+;wT}TTS4Q>D1cea-Xd=(J4G){ac73% zsIquG#qfpN{0nzEJq1Z`3R}fCt!F{ub8=i+4UJ{!$^Ap`7h3 zAxXKJXg|iIUC#XnNJ`6L!s2Lpi0E9yL5MsTp#+09RPKVz-D&eYlIxleqsa5LmQ{y2 zo}*EM$MG?VFrC)OGb`ey@Pi33#+7k@;O4V$mB(NpYRHB7ob-(2FnPFpxfETIYX33h z;2u2bY%adX`zXyK#V!uZE*-HHm0>*9v?Z42a1)>`KcHj+RD-G}pt0*PDJDyO7aTz_ zWnQ#bqlOyNS@8^iE8=VzoWK&COU9ANbil=5!t**06KjzN;du8wNEoCnFh($LXNdH{ z$;VW7bMc2~?~!VxzBtcR8%FOJW^w~7)&aZddf93rvB%Q$2~BK^XJ6;WUPBEsS?uVb z>8%maU=B*(A)}1hG6YnKlACzTe^Zk+jtHhycr#6)h87j~2{qZ{gDN{PcYzz&^4Ow# zJxR2v>$%Ql>AwRlgFUBNa)BhMeFI_0+YUDCM0#u!}*W#E(!J|z`@;O?<2FqZ>|Dv2V)>^p*Ji?9^X zzHPbJf*=^NRA`u7t{q1Ux!e*mx8i}cbyxuqWoI8cQW{dW3BS(fY9N$}@66@bXbg9Y z;tZ{4B*!b?@H$P~-B3X)oB=d~@eG7OiT3MyF8uc9TuqL?B;m#*LIS@$oDLy(xef`Yf+taDE0FePIX>nL z6@&32DS@=K@1V`x5zr^eEk+GzNCL^HhlRSbCZY)7a*vH`HC(EvpY>AN8zf7(MZ1h+ z)tA1PTTiAMU21@Qw-5{Yl$y)B3CpxVFw$~Di12JGe8TYAtpt5z5o)P-^}uQ+g%Lq7Ed!iBunB8j4ulU30ld%tM@(HrZo(R zD)U}hChXW;wK?4NAp1Ne3cZTcTQYETNdaQDYR3go0`VZ$K^qp3=-!@-uizI+Jj_`& zSClYlQYGB~htZ~%dZf{=m)f3nbj#L>A0aZoWE+AYt|Ctf8WVz@x6aE|0yqYFi-^q` zhjCQa6i=A_D`dUm$-$y$N>>v^3|BH6cI;gxpQZdkKqAy6(%PDtMn%oU3j12iXrl31 zmPr)j)zBQmDd1*3#Pim%uLgs0^JrGl(>nVDsPj>hByCjsnhR)s(MDvom&dEjGRY>D zt{OTFzXgO?N4YQ4#qI}33GT3Ruh~MMr3D8UV)dcJN$kAWxK1N?l%!zqRBSL8 z7A;bF1^Fe^w@Qb{9G040H@Lm_QY0r74Zw1%=M4LG*w(S+$ufQMcHdhha{oh2q?jJ~ z1G6EOiXI~JLb50z4tE`JdFTDWnx#y3w9 zVKH)!3;+EtvW0uz8)te|?buMD32u8i_b{r~1mk|$n&4_{ka=QuKd_yYZ;?d0OxVL! z$_cJ~(jRae{Tv^XpX;os?AIDSK0{lj=?9=(T{aMnGk#hFByvox6f zUVV1o-s$GqRwR9Ax*Efni(0UpjFMNCNMZ9G2` z)RynC#JvvjPG;vKtQZGr@dP2=^JqmZHsoeNnVrjopggPXt+MgN0IWuA;?4tp%C`cR zO9Kx^!u@Elo+VM-WE=(XB4R4%F(7HNWo#zm-oq26R>f|wM9FVjclZwUJV`3W>_j5TMb=ZFZqr&yx01beL<|gSBf4g3h#vpm&5)h$Ojq4s6c9@H{TKa zH%Elt3WGhemsuXjx&#s!kf!*C{_u4`j4vSjrnwubVvizK_~fHljn>=~6x#pHJ;Ayh zeVZz*w6u*xOkUF#654+s?jz6p3q5Y2P zmuQ3E$jM{eAKsJ4rswPn)@2R(9)8%4GfTs=Gs|$e zA-@Od%b)E}go@D(L>x1H|B0aSnP=N027Ys$MEX`V9FLrOrgWL4+0qqcs2JUouSwl; z=>*EywLc`P_SqY+1mmMOj`0mc9802`7II5f&2N`^^>fxY^f9)6>F6;wUq8D%Ci`}e zN{X628OP@7xm>9&R#8j&;SP1s$k#kWl;+4rwW%ZVDRtbcfj8ChokN_|ykT@BwIoh` zJD7c@5P+!q5XSaP_#C$HgA~YmFOkIoTrlFj_Y4m zaj!w6omr_GJn;KtDQ6~g#VO~81rH9AlDeo1kDPMa6}cu??M}%*Hq3ot*0JINA1w?n z8F+bRUP;>LTb7ihf3fRnHsji}-?N!F)*lN_x%tMFS7OUD*R_R=J&>cb?ipWtf7VYc z+lFWV`ppRSpa&+OyMK`Xc9SXwZPx1tO;Aq_HVpi%{~6uvoSZdLL~7RO@=1;yf{*qD zr_iqLXL7Z!&(7r4e|aV}|7_~__j%s9t?$eaD;wGAjqt7SEQo42p0BC9{#Ivh;=CWq ztc$*U8X|yAsC2J_Gl@tnEMV?ap;2O_BRYXkOUT->ZVl9~QLq zhXad;|GozLWA5}bi-{-lW>~3*y28u6lKHH6u(Dx&`B2CC^&^IRgbgD{lvQjPRyhGe zw5?z2QFLkPk`u;p@oN?rgN|oK<=EO2!pI4&w}jEYhWK|zPu<{uXUz2O?v3R$_n+T5 zZp0BXYJ6jsD`G;+`z;X@zuvd*fr$%loR6>%`=x#4#JjP$Y4Q>-WR!22yliyUy~(d^ z5|~?`j+hdf_RO&oR=?q>+E6`qMD_X`Cu`JibmAEg?^w2Y@TT!=y@U5Gx||3bbs%aZ%ALB-iPdl5Ml0yb1 z^=Ngk$jiq!o=ToZYu?!Z&X%S(JrNg`bt{`C=egp+6I$MxuzbRtC#N5h=U()EadGY^ z?XaC=#Q}a?br|++&%Z@yiH&3m^kd~{jW|~@a>U4lNLH&8!##D zhn`>$GwGh5$h>UVGpeAJl^(tB%U?!3yeN1iw0LI!u;ttydhJ*?8;xZc#YC0$Fk$x!M_z~)D58B(+nBTJ0+Uue!$}Pv6dH(90U>8pP`cT ze>R@}kLmA$Lgp|bq&M{)Jqz?pQAJ%q{i_b7FcGNc`2#wh1yH&4!*ISyB|P(Y0Z%x5 zpT9PbB)uEK#w&v|{~ED_2%?)e>rt>kQtyUm2*G2`W{TEueQ+qJ0y8#Nh1L))z!JE~ zHFV8p*nrDbqs>%`#<6HK8LNfO*AP}kK`>4W8*Ii}tWwdG@+O39B^9ve5O(7b=0!Ex zyjeJ*k~e1`Mrt?&b1ol_tozqdVVAIP%O~&ty>&x;bxm{qjd$Ai1tNYFY`O3@H0@&e z6=>T3{@wn^_M0r^4->S#?bjb61_Su;WkM0P9 z<6xwRWnxq$pd;_@H~`kBs0bVNz$qCLh26AK8cGBxIc$uEU37$?j`jEn)i^{#BExau zY#zZ{)k8edqK)um+*&R~jpBK_oP?wzIPH*l9)UtDoImKISiDqFpWBEqB%8p}a1dI< z3{^d3!V{9B-Y+UsA?QLw9(szgtD){9Y)|6gcsrmc4T(Zvg8p&f8vk3txGdj4`_2{q zqmQ^V#B%xlz!ipH|F0E{&tTymkY6?QUi;~Ak+JIfAkqiQG&%6RR|q!}`a(drI2<0) z@Q8(n2_A{?h-cLCz=7)happkJ_#s5tMgB|A_}82Nl83%NNZisV@h^c`XU>0Kh7F$! zj(-&X1ozj&b>vj>p6_+nb+?0WA05O5p*Jy2)x9z3DEvS8jbplS%wP?=?R0~TFv(Si z-9CnswVAh%MH79b9wqArUDvsTP%3PFED|%Bflu8IXFxX@$j70k0RCuo4bu8K1I(g!j*{fKy7D z`}`ZQn`-XYDoF+lbY7-anyMc;opN(KC`{#~Sm zs*51S2E4KER47yQz4b03Dm-AMmE(}gqI*k!;Nm2V2*2YugeTa&=uUwQ_;4u#JaD2a z$0?O_v%xrVmt4VxA}1LL-roN*lI6T$B0dJ-fm@o=%9S)O zzPE%Kmp%k3xj3GrOLcb?fQ4E$xT(ozsXm|rEW{(%*mwjyR^(pXxu;DNERY*uj zjv1TK#&l$T0?KMl6F)@U6Z4zV&cUed07}WSbH8%A_9TpAH)n&oo3H`7q)>gpd`r73 zd%sWHRO@SWr>fEoLDoLbH-pqr%Ix;iD9;&Zc@Q_EJGPu z%8ENslP#)LK`z#i8=`V;1*Kx;hEzl@h2Sd^mtRj4`sr`WfSZsIA^mEF zqem{i_#d9#-07A%TDtD=agxf0v}ojERv_2ruO#Ufit&j0sNfr<0klpuIqGZGksEC1a)-fF>a;5H|&^Cgk9TbBOCDy`91Kyh3-1fS3>-z zgytyjf_E18fp`MrO~K2L-25v@Q9&e!Jn>D$Gac@#xKu&LPpjyQ;hAT`%AKn4j*>Fz zI<15YgCm*AC)aQnOGjFKG@T_Fk3{ihm?qfiTv_fzhef7}n~zuQA`AwpallDCMyrD& zIzZzplsakxs8mhO86c5`q~k=83Wl zT31<TmC?%n+`iq_!g6Ytg7 z7cm}Q{-^_#$y+I|Uiy&BV9zo1{Cbo?6}j7NpGzY16y9auk4mA$v0@uJRfMR&o(TnK)F6v4tO&q3k-()9;7VBCeU%kmUY8zIX)q9%(leYuXpK*-{f zg!r}rFtPBQ>3Fn!hbp)X*=GZ);8Mou`i9=v{2iC**-i^#EhFT8tEsyvhSb4*C{m)- z!M&W2_pGY*J6wG(|A4)m3E^&aHJ+pNPLRkhlt;h7jjhaEb#=w0&e~e){5b|4zTyFp z|6wYbFTKzp8CKD_;&64`i}cUEP)m(rl_!w<%enTicK2lBU;DU;$iXwfRXEha#ANQQpr!@ zdMl0vkffz+&Iev+8<*q9?l`w36#V;ULWc7fHq;H=ajfDaCT+Yc4>95LHmVpWTM{ot zDF(#iJk9b6!%VaNY+o89KZrltenqm~wUH0M^U2C04M@$W_+)=A z*sdM^nYT&`|6=3n$~VHRd5^@SL z$n^I#~}g`7{NYLoT!*-f%2t(}NZU(d`Hw)^-qZE0 zvnpD?AEemazLs59M0W}znY(fojn>2?D zmVV`E;5vC4Fn`oBvFsiRebYEilyp;ZnR9SFcY*VlmRxWKa)I}FvczpF^9^wcDSKAv z$#+pM666-cw)4gn4?(@gWm5Ws;bpBfDA0+Rd!bWpG2s@u1GMcp%y7G{Z4>+*ta7W) zew5)0n|JNrnDcCh=KBvvF~hlM@^{6c`W|DF;_4=tzNcwx^OyFs(THM6hVdqLiC`(y z(LVO7mQRt!(@E^d+R)?Cmv~-47nMH*&9$7x(j%HKX7@8;OcWtK{9mX_59@a&^PRbZ zVpZN;)sd-OBUB&=A?Inl=$IEA!IyGwu1lyCiesss+*opOdlgQaPt09#E0E1jW-hV( zbbohP-vnYYLSYmxF+HKfAwCXZr*XUwS)VhPJlyQVViv~(t`E8M^i>u6U;2cPk~;a2dF>7&kwju(81>Wqc- zm)$ak%e~5*g;jD8~nNf zXY*%8T|jywrwfQZRq|||kY~P^^c4H)kaO!g@7$eqxmwI1#qZZW1-@%hYep+?St0XW znOFl2ua=7-&x5+}ISZnXWUl{3YY8tBu?&cxq624l^26^ zD*Y8gYZiwlfj72&6!4?Oeq=MEsXCZoi5RE02hz$W%43OsZG6=Vxidyg&ixi-Cydw! zh!NT}f^0Rfln)VBq)h=J)RtlCoe99c0DQAlN}F};?1&$co)y#ADur=E~fdw<{=scHpxB6 zJt)>__|o>(psa?idkMEnej4x_{u5TWdq~JbPU`XpuC8w~jXbH*R(s719Y%#C6IW!eFW$+2KdCP>r23=woy2R-PQH=nQ&;pYKfGMpSM4;uLqU zl>8-aBQd$k{S%kd71}n9>k7&OXuFEAnMYYpFV7&BcMZH{`(S!?+v7s_aW6pI6_Unn zA>(mhx9K^|%kxz@zh=GNk5H&p@Usx;N?OIw?$Ny{9i)fwKcxq;Up7#Q=G|O3;TaQc zt-~>BX)(D~(a!ZWC=LDXO-8z6=5t^>5$E3%b&NcqB9*TeNin7VPN z*kHt%#;Mf^%g9gSU(@eTVp8iy;i{rvp2&|6m^(SgoAprw`&I%Iy3xOAFf83FEYVk5 z8NV<#57jHmP1W&hZg58TJD-8{N#9!$xvon3UAV-&OUTtUX*Wx z`^PwOD=Ai(d_x>ZGZ@&XE&JAB*q3ZESv@lt1VYH$N8C}?!)899oB-3LG}Pe--MnUD ztin?FQ&un#}B+hZmpMhyxD)-r%LHG$1Y%Q*?&dxEY=Umj9 z)*87XdH2%xclB#?!15U_bS;>umG1%Z8&Dq6DC1Ps-#K6AAk+UPh#blBfHGJoTjYin zazDZw>c>N=_wK$B{@R&u#l2wl9BF>hZjy5nLA{a%FBe_pCj1*EOMU%>f*ZJJ6>4Z27!YheAKkN9tgL3eF6B|+g}GiqUA4a&m#B_SM&C3 zKwn#N2MJ|pJiPCn(nMF+qI(FnCom0s!x7nN{XA7*7zk_2rd)7*`k7%<>S)Cf&Hf|SK0nR! zVT=^5KSI+?=rC=zw%#Le0NDzGqfnl&qP#U8C|u|?(vWR>nx?mw&!d?v;ZAqA80P>7 z*C>?Rt70*{n<*5WNQgOo88l3DFV`v;DZiE=?#5uDp<;M+zy%l}6}keO$HHbL;~D}5 zdqE5jRi0wmG`+ntRym{6+x6^(I1Dqk{I27EC>q8nb;P-yEdl2^M)_XHzQdrtm<2;W zCKJbluQT?g{(BvFK}tlFETsm>*8HR*LinfGJ&GgCdEUs~Rn!$cXM|Jwy0k_2fy;rjht=glvvBBoXXY?ljIRe+6h7Y>#eskpV4Eqd1?@ReK- zdEm%HHy*Ss*Grvd_5l4032cW%J{SPCd7D`mS_IF(A&sP8M5TT1353$*dUMCnsLMO# z7L{;^fRg~+V{OIlTqWKR$nT7e2&ha`ccpdQ()&Cq;BuZcDE$&yyYWV={6LaiW+)y_ z4`fq}yjOXGX75VolPqt0X~pzh0?mlMqTIzp#EC}swHV7nud*B18ObFBF+x!89jz#k z(>t2;OAoDiM)_97y~?HezSF;B65pqU&YTBXC`xCF&#UPh7}qpkWR!Y>XN4S=`;tiW^}H*gIl~NSSb}#jS9cO3szq5)it% ze<;P+dg%eV2NcKUPO+UP{kSalfLVE;us;mFyB~0aZSOVg6u3v+@2S$1-y|CfT zLjM2_XSB34u8oHma3=Oi%g%h-(wu_2Jz79bhc}1hRGCZOw=4HBCy^@UUTF3r?7J+d zG^a%r-HepO58%6U7>>;1Qj`}#-qoS-dHQ{&J>R{q3w7iM!DITb?0m9(2=wRdXjeIi z`+k#TVH%x#n3j+DOyxPyKkLKY`E{@rG?z-xGUtnTD2pAM2WZ1HDUw}z7{o6Ua9a}e z+N-r&I@5>c4|?ybS7ygq7DUq-!7-K^Epi(luHz7;NK0p!PHMSR&iAeBT#hHXo=QCg z2iolXi`TkwgM1yGM-u5q`E6(|-Na(*&DOj^uv`yvrcfaS93U?NxAlRUZgz?OM0 zKL}Mr4TN4^GYjM#;JymAB2IhU(1B3j9bQ=<>417Ggq{T3vtn>U^;xtcx_r#gy9w7I zq`BW`ATuXhD|9L!h-iwTIx=D;)Mr9@6$CznnIl1X?$PIPH9>^fmCMCs!ns1rv=R;_ViqCkoKM`HP2STGsc^%YmhKkW-rUFZ63+v18hDX<{uryaU zvmcDutHR^&%p~o<0{?6MdMKYsuuA!-h!XmY<+!fsa3*_~4tL1+M6(aloC)oh^bPhn zZF0J|FQttbvBntlhGx2%{-%z|l!XY<=48wkV`oQO)((dXac&Honv3ct8YdS-s`2UB z_jK$QnrY+AQoi$by?(pLyaG30&S5&r&DHpmbk1Q}`X(Lcl=2aJOiHh=c3y}v^o?_# z9FAK_#Bu?PFPa)>-jkz%{4DM!;8MBAAZ$QORojSKVD<_Yy+dc7TQmShw4jwzKpGnu zQ~0cTFmr}}ko{7J_JZeC!FSDO1CQi3!L#Nh=>ysve9v-15$jdK02&auOTAl@^S4#GB-8?%uKl_v3Rat)*`mX{QBi{O2H2F6mEy;$u!k2sZ_$P1GqiUWK{y?iel@Wb z2S3J5(GHb!0Ie^LZ5t|dk?Rvn2cq>=3T*nK&BgaDxtQ0g8j%A_KNT#&*>KZTk;M;J z3RSlL@<-sA$2BCvQk2n>s>OgR3ELR&x=53HbQk<4 z++k~l%gk@=FT81c-O%5`Y^xw7c+~Nc*;9SO8->vU!UA`W!FC_@u{npk#9Tn4nP_iE zw0cNB+Zy;sb@;*z<{^4`xDxx4BH=2tS+S^tHjBGQaXUREY(6>A<3)SvWE^lA5T0b| z#}($#8R31wd(HPY0Bv`c#X0i0(REKtbJxr$S!fC1hZ)koAp+6)Kni^5q6xzDO z1M3bs@9~>|QGOZZ`H}GMaen>jq>{ejYh(jU`rDRq5235-3YFwfOgAT=lxTDFc=ULdfc%0`dZ*(DbEXnXY~IlNHu7Qx z!<2kbf>8ky$+Yr)wad{;iL(GS&e7Uj4~zgWj5A)=jrnC`}Sxf7{hE6AO#OES9~a!~zd?k#oAgq^KL~D4YJPH4HutvF zj-$9k`95$uXXK#^E)0@CH?wUlw+b_030+-|{@Fe@r{)XFP?)UzM(AGRQ57?a7MhQ6 zQqE|a`z^mOEs0O5zd9e7dZSlOG#pQFj*nfr+>V+22bP z;@NFle!S(ZiC$y6XL#{A=V!6xRKa*v1nu2G|Y0GmAjEmLphV! zoq(jw(Kx5il0Q(1d&#Cr{t6YnPk#beJ7qT5PDd;OSjJCT+;0ZG)#e08jks1rpOD6^ znM@s$+FLJhoy0{%noYl4-b8%$+zXfww=l=oBM?-XlY}#fBxfFt)J^Vh`z!t8+~!HR znR*4xBb7d?bwlKNu{|mrK6W!(_l9tt`%WB3PGDx8<58}=aH6O?l$>gLu6RRTA8gZ= zXoujvIYk|Wd+JB4E6hX=tBZFag3i93z7wJ@syM`bCriMOlOKZ~Yw|KkMK3_Fi!>R{ zG~8XjctxuczX15$zbpFcLD$T-O{Qm}6(JT802v{_fKET$flHL@sl(Zpq6DaL4>Yn> zTHc76S8dlg;aWL8M(nSVD>ZC=w6y2i9$ID}i?$!3kx+|$!`M8K+0A52J@c+=b1#N1 zjKs{1^mS1NRHr(>*6Qc$E^TGI=*WcF%xu+2H*u{2mlr9*;JyFfrfK0UNF# zeiu<%<}*Liifx5^a7@HKnuC(cpbF;gd<<1Rbae~JpI|$IJvUPo%*UnXvMyLqY*b9( zZ8x_SPA*niHYSQ6s@?Wz?oF=ixl;R0+C0)TnGlcPb4V9065lgMfqtn}6}<@6^(zx}6<%F4uGZBvtF1S=IbraKC& zyGSpg5rHfcChd!*7wpp=scCwdTZs?e1zWA4I>Eic$)@YXV`^bKA;*e9dWLKQ!843q z8HWZ(x7{NztTufT$C}66-|R2?mfLDcf3~B3L>~yZl8%PUaTt>^+uoH6pSK+(=|T#6 zH|Qov^F-au+MP?fk!8p#FhlPaLkdXdU>s~RB@ZEe%(LyU-lu<|Kfhfvo84#<@!z2_ z>2!HB;kWL&WBmvtcu?F~D;1dQ_%!7qu=OJ$wo@H{P{`t6Y8%g`1x~GK{=}Rd5GZq! zVv1`k;>>6XdSGBd6STE*t`V=nrXma<`Jn!Fw4cNjbOtd<^j~p8YT#SY-y0*RfOrFx z<(=78p{m8s49pBNh9{Z(*K3LXSd4Hdu9f@2w!9!o&2~4)cj_ABFFiyJ4|XV9TfB7N zyCrjpTbSc$sPq?n4)h&VM@*b@hohatIlAxsZlvx3{y~0x@g(l$lc)BTBd1o|B3p>O z)d0xT^ClMv?I)XNlO9xhC>HaALU#lA{K6HcC3W>F{DE{w`5&HhUs=2?zn@>%q;4w~O5~n&^9DJ(c{j6>{C{F`_#4;@f2f?iJOSrYsGc>-a9N8vJb{I*7PYj{d>^e3tMLiTKgDJRBUO3w^;4FFBig=9Dm;+4;R7F4BnKMG5xY zOJ|0k+!~srrgsE22o2ehp6~8t3r2BfVeHjk>7GHB*r^%jRGjMwHl9YtyJu;stQN$p z@?COGHmx3S>sYW`jR^7YWYN(W93j;@z9e^1lQFTh=t--))W9MojevOvm>u)-FjiG#*PE$IeZ1Mw#axo!yo)TMy5_U)SaWeb?WOY! zOOh>0GM``E$aJ<3)8=57$86LJhXR?8$lr^3S4kW_mUk7eKq`Y#+MEZMSS)nF2`A6x z7h95O%vE3LrmeyAwshXgUzHDly(f)1#f~5N1O6Vg;|W&*USH`~^c z&sG#_zmOH3j1mki@VB;`2q zQ%&j1@>(_R5|(khQFK-z*hJkBeFLMcSMzVvnAJNIqw@wfUxw#Q!#RuAV0bu^^4`oF zkxHreYK&WW5!L?ocv~&L`BdQ?90X#NvQq8-IM=zCwoexfhwV?ri-@;sZL#rp z<`n8IS7PKPhRZlFEQf{HEwj3%QxhGuTf*MQ}9Yx#{vsBEN=A9z_pEq75ux zn@szRQYpF?i&%@BOIW)BN>VI)&GfON5L`R}broC%_h|b^s)CPHp5EgLDs8GcnapTq5T(3qdq7K75kpfO#w z(hf_5-5C?#@(`D8p)5$S*o$T?FG~J5)RvD-;&o_VfED4}b6C-JX!(julD`FiQLxT} zJLe;BqrWVHw0yuNi9G5h@*cf?UyD%UNaXxVB2g~$Alct4be7thuYlP!HQF*oubc+= zgPqt%b@IjzK?A2KZvwuV#5W+wqgCSv&b24VyQ7ok32>OlFf{aBD(`l@G#z1-7enav z)P1vTDon3ZRzWbz{$e}^Dda{8NjWdhIkJ+siW=hh;_y@EXGpL7HLW2_zhq&n<+P5o z*VzTTU9(t-&$S$W)L#vBE7#xIxEhnYDjudna}n9kbq*~Ffln#Kub9ncg@zz|3leMA z_kx@Ey)r6ddbzPZgWayv|I)?&LbPRmH2sLYgb}vu=SAmr2lvOZbkA@RLTr=>V@bXJ zh%P)_NcH>g36}|G`)AQPRbcwLizM$$bAMydpVtb7?(+qhKOUY*oZMJpI`s;_H~eDo zJM>qW@}|X6iSFna=R;aH)oAvcmjqCCMeB1Wzt+2(In4d;^d{DYUCW&Z3@shQeaJz6 zQ0QJLDuJ9ED$XGz)uGAsDlJ!|S%F~8+;;H@i2Z>Z>ijVG?j{gqe3mPwD+qJWPBr+a zs17HalT5!xbFHq~OxD6$I_bnoTot&+&hFU-WlNl|Iq_SjJ3rQ)=G@#1O3U5r4dp$- ze;i~3Q`bPQIVj|b+*5Ovq)F87EY`!{}No!(PUgM%*Sh9#rQ(>#~tpub4+lld*MI{ZRh;N z)-Q1QPf=AkL2gpDy7U!VUy1Q);txo;~Ym}rPgk-&LEImiyFRZes?fjaSN{Ok05ALPtR9 zODvGUO?CHii50~1c_Me@w{G?;lgtU?GlfGlpuhk6#w8<3X347pFTbMletx;*N>|_| zP|7sVM|k_O#D*k2Bzc}cdIwxQY+|d%w3ZtkLVyR;M45m z4UKimwhqii=a0Ar-HcXy_vY1rRVz8jwo?BX6y(GFELD97IP zD!{w2?HTyU^kwf0otc-IJCwQ(Y>jc}GqjC8%9wj_8)!3og1I!qYzvIE)O~+5*07ny za28PkGQ$#x_ulVa7wQ9b_uG2HD${~Q^8!PrKtFEUiEhI+-F)5h!X-1G;o#Rz`L zlwK9laaTa(Pi*p98%`FCdAmN8Znc$}PoALYWLb4gq)xh)CNko9L{ z8tUZXMBgQzPqOut`>8D7`MHh6CXFtBR#?X#(7}DC-exu`-kIhQmpH_)JmF;+bK)P7 z7+#Kk`noRDlR5=^@ty5QUF^*S{X<<0pQO6pWP9oO&hFkBw8e7NKurt0;fSK{wXf&{lRSBQMF&6$y6zhLsu6_LR#Huj58s_p_|ONT?kQE3M$5!}czfs|w&5pcaw%*)r$=+w4?GzjBu zNghDuDyo_`5$xKX6&H~r(7{FDHtQ|Wq zAI&tKPoR1`k34~TQ~&hL``;cB$fGt_<{LwTcvZ7`oyxCF^Q%-lBTZ#r}M(q*Bia@=kk zXY0$C2j*!@7g>IeMrXi8Fih%)!5yZpMhwWv1Fr_}9Jl0>OMk#%tK!SUV@}+UYhUXK z3_{4iIiFiuj#%7xh3|sTFU)KDI43GPSjbqV9By^>bxieNH>2pP3d270hphZK_%%1y zzQ=-<%EuBhHpjAnrkCy8-oodEz&{;Mz88M|%wWqK>Bw+*QpT;5erQtVd-76>)oIBr z(q-RLe=(f=jyU-5aBQEvPG^T_%Tu&rFR5fwgb896@h{~I&QVNH)H=>IMjRMpKsvxU z90^BfqY`xFZu8UTPH1npJrLf7Oq)sOG&lo7N zCfW<7rcdq6sOt9#kI~vfw}wL}f2KP3c*gRRop-ghlG#TV%q)T8Qq=2nhGN7=H0^G9 z-Bwq*o~-8Q1uMurE-#l7r+2Meivc%ntK_vE>egdLVvM#GH%(+|RU(qtEpHKvzvV^# zWyd<|2$zM!bVJ^U53jtz_Z1qr_@F6BJdXJe)dK^b+xjOGot*BPlr83EK zoVG3nVUKF;b8W(ulJj*PiHkp1kOp;~Nt$^Z&TF{~;tKc3LsJD34dQ$Lh+`Vkg z3@4y7;sgERD9++BNV|7__1pK5Y5HEvOtZ)H{2RRf(W@Z+v}r!KNV=C>JiQ1EVFWfn z&+Ez}R7Z74=(K}x>M^VG0B(N<6_#^(T#qJ;qJvdqf&0<~l_cr@HZFd~EWb4{U>!xF0cg(2D;o`4a3W!JCKj__vQ zQS%ZNo|oqWi%xq+f3h33<9R`u4&hW%NEyrz6Abtaj}aU-4@2c<(wSQxNF(#^4Td}UsmCiGF zb1#Z%`8nq--D58T-!!ahD&}cekcjrdvB9CrkB8CA7DJzYQc#|0|>EeefT5S|}axIJ~X#lKj7k8{q7U-%T8dBD`CXU+vxQ6_l$?;~3RY;Yda zx9$yG0KQmT08E)vZL~cB@0q@_*CyfO{0~3;MF-S+0jPhfb0ov-;*WKMjiu?;STp{rfen!n}D_WNVR84#Y%*{HSoS3}d8TMGo5 z?Cn#c5rpd{zJ@4eryJR;u_lC5atfLB2%H!B=-LvesPvuU$W)uzJBEFnaa53@)GU0a zh;$2goe#)QsBCA@j(><70hmK2CsM&5ObbOB5$DdGd|$j%B@gvk>U4SYqgsl% zUYOm4*miq*yDxw-Q$V~28MZwV)LyTMq-tQzfe-$n(v3a{Y*zVvfPt;(<>1WO# znYN29-*KaOnaeDyfNPp_j^ zBtA>h=Eh^-#6X;Xta1wURotZk{6TJ*^biIKK9c)Gv%+`b-a??rk{GnsiI>!Hzh_7F zDrF0}EnVfCYTNdZo7lFIgG`Zhl)JBV$;xjTH!})b_YMqx=5_{0aq`J|gy62!@`jP= zsP7mPS`NZkuQzlLxSgq04`L?9meZzG7H8-bewZ7hB9-|SfDQe(XztfFk#y2X^5%a+ zbpLBoX)ozN6}bg|EMn?t+O+yAMCg`Ww-ZPspCZ|%@_#BH!ET9^{@e0@o|@sZ4h&iU zn?hOtMIq~dz8UYWo5}dkHxofi%b4C?#*f-$yR~FBi%B%MZ7~f&Z*b!C(HQ zM)-5=-@bk}{t}rUf8N6_bm3d0>yI1%wKLUjOuRQ&?_2ADzmGM87j{h8n|0_?u|E-k&UwQif z6?yu%ARk@$^Z~r;7G8{D2!iv#*vcu>CU`O`XH4@Hg{KV&*NjKS&A^-ff&znLM*r`{ zjDK?s>(izE0S`ppiUsF^U;Zl5I*h5U8HeB*D#Kf`hV#Vm5piz*8HL&Tn^@}q;wpdp zWRIorpXdhg+sLhldpmY`Ap zaI%1$Ti5lVS}oSc=Ok!Y?@ zxZP;<^Qc~@8%897#^*zH+x}3C8yam!RyrD);v|pklW|L9Kz>V4rZ;pIE0VLQ=g_Pi zhjnLX1)hTh*&}6SWCn&u4tcY@=(pBNQhMHQh)ef)v(u?^3}4ZDy;5F1!3q_hjMVH{ zRFS37NW5w$HPYsirbX^G!<#|g66+x$-6Km?>LT8rfU$2}H_z zeOY;3h$h=NF7kioxV{9k$V_qyYJ2>u&G5+;GT@JabCJrVjPxv92J(OQi@}=HG4y=2 zFGK5-yyOs~o8oO|WJ_c?evCYel#xvy!KcwknN%(DAhQ-odAXp)YC;=Sk;j(g+-H?M zWO#?nf+Z@Al9_|gn&HWi(<{=5CL`OX$CyZbuM85SPmf6{CAY64E14Ciuz*}JMWe}< zDy|T%oROZ_kKoB(pV!u48zn4_ktAPs;E~9&tZZx!(iv*Y+*&C+BloJfAA%b-8JUQI zkIz=|C}=X3O{JtC)S5?YGSZ74#dcPdyrsAyh0M@r02z(@F#pP-&&~OmbhKB65xo^OR%o8M8Mn zBwc%4(PT;J$-t=PoI5%+f2PUK2=J;%J7)RHL5-c1)0bd_Ddo8;jW4UbAKqyCk@d=E zf}N2mWyzs~c(wG3`>|$4#%bHG;eY-suoq6LcpTkDwKe}S2e40#`oB(#+x?33;00Cc zA5%AqLbE`&M%6s0mo-kSNl;Pq4v(gEnX2Yq)`V!}Z0?}G_oYiD&KdRisjK(ov<=!a#Er*> zxK|cz3T+>n(AnC>=&_2{uGVz*&f#60ShH2OW>_;5yjI1Um5^=qS^d^-*6!9GRA9rK zKmPLD-7kFb^^d=h=Hy=L!=uxUG0`o_IqH`#P3f1aUuf)O%~j(K&FF4fZtQFAXU#Vj zSo>QCSPRufkDt0ZE3m;hP(3IuA#&HoVrxi!>gqJSk1fU_F(uCXmhb(G?xw05dt1uA z;xNqBJ0DoMSLIyx+ifZLKkkyh6?235>;ZiAEg6@FxTFdKG!Z7Yy9zrn@~64|1~?kF zs`v-~3YBNn{`upds9gXCNc)?kSjS2-=a0dlM&vj|MS}!T=c`}W&eq$Rvn(v=XTq!(ipC&olm!7 z+rEDvmifPUz`t$Ue??Qn#-;H#=_n0EA=F7MzI6D~;wyruromScIz+F0snp!fBKO8iLv$hh-PV^kbiqpTYI0)XA2wMMDetl7HN7#+1>0T=ljhkqFfYMig6 zS2Vus)OP#UtyYzq;}$H4(?)T)7#=^4m$BQq1Y(Uc61;@g3hJ#}_wTprtR1X6JPR_l z)@W-CzSPzz>W``cJ8{8+1&|6>6$%G{{rj_ZR>+RVuYk9)V1ZGqzVlAI-KfGlwA+s# zH^#(7JAZoUuRTi@<%P#gyWO=EQ@kVx*}fe}B#t?8VPj{I~x)js8HtgMaPCe?N-#>?Ys* z?-imA-@`#j2sd0iB3CqNooQ~ z2P^hS0!|(Eiqm_nc>b!?I1&YK?Rl?5q(mkH;#o;AP*?YlOfmd~Js3F$uVE!rH8R{l zY8oC=WBJ=N3ujzZHZ}UzDMroho4~%qnP-F;jq~Y8|Fv&IxJ|#^Hw!4k6^--YdhDCm z*4^rxe}D8y-~9Vg_}jkOc3H!J`#R#z{h_+Ovr9E-IL?m<8zGuZZkbJqO>8e*Po<= zl;JkL6=Q@hG>iP*w^^+M6Ci>&M}|QSq3DsJPEgbW)JA03qhvRO65(XXe z1hVpV;-&5-DRj-kV~!`O7tJBfxQ6Cvvd7F}dig}NUvE8A+f^$>J?mI+WxIgz^Vxx>(O8$v7B$%P< zYL>pQHn^8a`}%Lv@W!}Xkn41Qg#bzgQiqFkz;TX@rv&?;XkO1BC-bP+F;qFv3ix#9 z#}RswV}-tsBx(X_r9bDLfg~hNBI{gH{CYmw+(Zv9dsWCLNz&IeBP84A`o0q$<;LV5 z3*L(~JX_jg_+no0FU1F>@Cx2ysxz^XInP}xUgYd7Et?KPU@>=nSfmqTxjl0 z<)TdPBd-Re93HL6ME|`u4(IA)q$)Ms+w6(pM7pl{jVL7q0fAu(uSO6Y42lQHv-;h1 z@HH~5=}QD)@m3S7`5h`N5@j>0rJ6JF3YK=YnVawkX*&85FOhPWAh;0{p#wSjBPH-> zl|-l}>`Pj@obm{xs0(Eu_83RGwSh_H1elY z(&f`ILBBPU`5Ke^LuzfqwA&1)d2J0bC_=;3t_0*Zt)E(3HI5cjZ;`;>B4?$1$TCkZ zQ4L7WP0?|aYilP>#p}VRjSW*9&~VupY{$_tNdFpx^vm=Q{5pq7iPTYKDW_!e zOr;UR-1?j;XJzzzV|%xnGH!>on7Rn%qUdrKy_6&rBFsJ9%>Lo%CauH;*c@1dMY!Ty1%N2YwFhCDkCDMjuEYW zS;RQ*LSCb`K(jpqvzMO@ePgE z+Is8ws`|;^j?6`K5_Ab>Tkou#JQ+*XG_qgPfy*ikkJzczOslnRrN$dY>#*=N6gbOb ztmA6y=?1C28`EHdj;0UjNW=lm(g!q=RQ3Fih$7!ZjvH}OS zwzqAzglV<4qO~ZP$XJ83$xBooQyl)JxQX3LLlyNkbwb*ljy+aYQ#rkATDW3zBePx; zp6Wsr-VwzyaktndO+#YZ9(kT;v!nB4Xh&W$Y%es#GM7hgIm)D8?qe`9o@`9hVrN9V z9;DuaX&ADya~tc^GDURP2#wru#R&P^sJ>aJ^h#Q}H)myA&in<8C=4O_TJLoe1JL#N4AtnOUK9LMd{p(2vpqx}!Ja z@NqtV(@f-^Gmj&!Xy_3~0UbkT())xgj1i=!(;*C&8WJlcm{$or`*VETW4OA75cn|D zTSGZ8K(cUr^E-h$;`l1Ko5`iR)90ucNOJCTM>ms|%nox&g%_AUW-C3u6M+>w^Z$pvcaMvzdfSKBf>}BXX78E3 znZ02T?2$b%1A{Qiz>G2+WRO8YKtaLtVU$5p4s!CGii(Pgc|xTu!$V1BiKS&_iAiZ` zWoc=4($ccBGPCpHy}|m{^E`ci@8|b<|9qcvV3^r^uftw@t$W?~eO=cN)F^0~IfCxc z7+XG~e{ejBP^Du_ywKGQ?Pp^~Q}ffh9#UcaJz?A4BG#MFC{Ho#oa;e4v27>Fe697o ziW8Jw1la!gLc!2m4X}SmkYSQ>uICl&rMP}h2iQhrMbQvpS>a$m=@2fZgFK6c0qirZ zx(v3wqGXt%$NIg`a2y%p3_@2Aj@u)cTMcHz)gZAowCP#ovkVrq$5(GNj~)wwLqB|s zS*6M@6%ugR~2So<;7$DN;GzjR%qEa(*)4 z(P?XtVx&WbCYtU163erJ*27zeO%qed`Y@Xd=8&wa8p8$#CNokR3qsg+QMKXItEymv zCECbtJ?|P{g}1Dd*?;+<`F&$c0DC%sy~b89W(~<2!$UH_0Q#D5fprpSdr*VFA;MlI z@{ZtlU0H=sjL^`Z^)t#U;HhQ54b;PQJIz`E5DtxwOEdPjBHPzP; z?wMzLP}@BrizC6GG~Xv?Fj65vs^Lp(DjI62(#)L9|J2TF)lK2f{>XSdhzS!1@nwR0 z2E*-5;&f7RRw{~lRc&(dWRdJFm5?zsh}vUr1{!zpV0t+l5H*%AN1!&x&EhiLrQUX{ zS`g(G*xroyCSd!at1w{z=@-)%W-cKItcrc!#n?nydl|SV8*Ldf;C(#F?v-?H(q@{E zCjcWLH;|6Y_(FsB#H^*B7m@9!m1#QUxgjhy>(asz zQwoC*I8}&)euf5HEJmgRK9DAnP1I`gQf8_W)NP*%!%aC6zU{!)Ncz$oxt7VzSQ|my zcq*!43uM65PEq!$ZOf7AtB5>!`qgBR^Ef^`ZU1EzY;O{6Z(zsg-a)^;#Z1JB?kw5R zwo7Gu*hr{7)HMGP%*#w(!y%^xY6@8)h@1xBbKC`EeUPfW{_<&u0_@I({ClBJ0ihbh zZ`!u1v|s(3d}WWA;uzOemAH;$Cz$aT8aw|}aXtfykvSi-Ko6K>>IN@R4VlM2+y@}! zK^~eVAnpMsMrsolWx%BRs(lzr?E^+scB%W=I2Y(|wudp}oNl~-SHm_C6BL}Lw-r*4 zgSm~6r)PYSZ9LcZ5L3xUYatQJ9fw7G6LL&ZdVyxuYi;d#lTdU-kydfPaB(;*zf>zO z)_9YpEcRD5-j=sNl}K6crp^%l(E!7uNNKToE6C@)1~ox%(XxY1qth2oK{P zCJbQUKweC$qZ@?|e1&`+xW=VNjpb=ZZZYV z-&6uiJunBZ6Ld@}w2Rv*Ut&6#n$%ZKk&GhX=Vgcayb_5+=p^*nk;CNEw$Y@>_AP_^ z?Tmk5NTz1F{K##05(&4(BkFa3W2Ux62v1Pi9*^0? z6HfSw43o6Hj!IhJY|Cc7=W}BKr9(Lu?~tsX-9i{s!u4fJT0&_Y^k6Uy ze)v}x;6*o!QE_CsEf|wm(>7r|%j|`&^kR}OzG}?+5EEP0#_d;g4Y$B=l_c1UDIo7&nqe%&fS#kRuqmzql zThOE|;Dh%*&rYCNQ#c56`S*S;kF zBjGhBIA;}-9g_X`gI zbFjOE+<*Dmj#+ezxHkZY{PdzRIly#MO%|D+Q8U(tUAA8sIkVwyVu3jbHyLYUW1MVb z*{QV|0}vCIcRzC$^qn`E$Iug}@-!Kc7ai`DAj*C|exgQRHY!x@t*vd~Aw?cLO=`8ew!Vh{ zDYAW_@pDOEJHtEMSJL(>$)Xd=^DL z4#6EB%=>yvan|dRusQcN>4y@N9&kRV1Or(a7^H!Qr)4;j?Reb#?QZap-&K zH1-3FZFVq85|8m~1_Yx~_%-G@e_U)BtE;Vtt(&rv=0%22tty!h8v$<(`-X^5D1)te zs%hnHrJ1!xiceWo)9P@f^?viaV93w))|BwyhI=ofa`#Rg;VmOW+2jb!#ScW4{Kppe zTEm>EH7}vN7O@k9y~&DQHMPueZ=|?2#C$gox$LHv{+@7UI(se{f25jG&wgkD?NtSV zk#2qz?~aS+NmOKMStWE@`TTG%9mB|ZMdn8GA^9xsJGPh+BcnZga3$HI4);!HX0tP? znKH9HFQ5{s0+w}Bpt5~qI2gToF*apJvdy(@}B!1nMiR8PnQMyD}p_z_S+ZOqW zDPqnIRm?l=jnIm8?}@H;WuKJY<=xyofpx2G)B397;=uXDg*LtJd$MaIiZy>kCi<=$ zPY37RgH#!14F*0XsqJEepYj_j1<^MQjl6TRiF0{@Qz0WPjLGAZ zVwtS#!HwUc%KaK1sSiG6MVaEHfvA+VhkFf5`o_2Hv#r+2Wi7~!KZ~=*HRqgBAul~g zl{OICx}A4*I<8Yr?S05=P)(~+l9i!*UnFCQ%+~j91U-6^q^j0RhGty23Pzx-8R~5Vlk5hW1N`a?iA)E9CJvk-v-I5C2SVJ;z z_+HDfdCt3r^E+8t$K=X9*KTPsROn@%DV2Htlfa}j#uGo8$pB#Qz|?$epv@nXT&D^% zBbwi5hX>lL^kfRPdosM+XaZ`!F}4Y27v)iNuggRVj_WH67LGAS$o6k~!3^I`;m6{N z^X))lTuc|yQ9>WNmig^z@JzbB6=r!Bj+xIT5F%YfJ@HI4_R$sWjZ z#d~O7g`cY!?H%p@3aqte9hTUI+;4B1UT{M6{BCd)%3n*Pv#-Fs+B=j)<7cHo>~@C` zPUe#Ev?1V!BS!IS%GYstKMu)WL#x0ERtkVBP`An!GsC8uQ2b?LlCI-U$7P&qYp1TK zuyYqIQ`S8=)AXdZ;sPupvK>z#WzN~u^&;{f0e1F{JRVZ$hv`Io5J$v2Cas6H2qzeI zf%XG_^4l~LPryP_s+6U%fw0rw_6Kw`R48trH-o0OQ7jINKt zuDut58j=k2RU~EBzaKyUr?GYkpPwT~OS7&%Ts#Zi48U>b-5kfBP?J24qdU>p%~8sb ziD7JZVD@Epi8<{DjhA9m>U>*uB+gCROsoZQgvq;y-ko&U{zTKiDwtZ zvO5J-WBVnTeId^EW3c7@6!QR5OuvFTk;5P9d?nL;wPLnFcZfAw_JuG}6OGrgcLl`U z&>P;;kr;fO2?GcMe%J7=tf}_SQNHI!+D+?tBW0@w|XUHJO zmgw$9B8^&6c#w#WC&-J$-uj5}DEQiM3;6*0#3Aik=uiv0P~)raH)@6>_Y-(R#wcLRRN20Z(FO>Q z=6%P0sWBX+l-5X?K*&WJ!Y&GEYk+7BS!IVF zUgO*bBD;&TVy*t;fWWHNSvdIW!(=>Pr{+7{${*J=ol|=ocB#QWCh>}jZ#1%fsbTLx zHhBO$%fTMC3FF0MG=`;Q0UJsChkNIgm4r_R)6iGxGu+J{UxN6xQNWSlHoBhfj!?~I z-A-izxQXg3X4jGy9=PxHYBYmgIvninZ1waR;o{3#>XB6yY^4^J8V_`&=I+MZ%)%ZUF$TpP%f0EOqirgnV)Sfqp-W=H5sz0-WLq>u4_6Wcow zTw39^Wea?^URkrF+03AEBZQW<7QY}6lGZjUvUH@&*M|vbf1xq{d|D`S-i2^ne4w08 zgV+x=-XvlvtUz5~Yd$6HpO3U4ImgfT}R1H$scrlt4@ ztph(VZoM7Ua9Qr6u`TDQ*2<&lmJrqj+p_0dobGx_Wf-bE;VisK8<0f<=7=Odz!$F1sDh>~9 z8p%$~@xCZ7;yoHxTp0`a+YI*6<#;6Xt1Jkk@M$tCZ2*!B$-U-|{QbS~PrgxD#*8q5 z3?{+(8HgCIaoAZr7zsP+8CN3`W;zVO4oK#ZFgjh%9J|1^3U#i}e#Go>ZbN4_kd;yf z-b1~@VtYGR2#VqdfuQO^W*&H{g3Th`kQb8H3G8y+CdE@^m$HFo$)C_>=$_4LPUpHC zEY7j-N8+g$Ntw1KmD##6x8l9#jnoCspcrrjSpgnPV>p&yYA|Tn_NQY41NIISg3U=} z3q5CzW!xgekofjz+m?uRQ*9yys3E*HntdhP25!WItZ2#kD3LK*G%muC4a_HGCEdpG zjW4KdeuljocR$l^EuSuz{eVOEzkX(y_Zd#)m&9;f($jK!+$Z_t5fjQxvd+P|Qixn5 z2~s_yH|^5Nb7AhC(^5b~q=)HX`UMRW@=0Re74}x3@FM=rr!lP$WcJB%LKZFJ`Y~Ei ziIVNo7GU{o^g1a!XOhaaG0pe^$Gsy@Vd}^jr5sQ6&9&@|%yA;&HVu;<>|4~jR`#WJ zp{ySfUf9CZ_aujH943s#5oA~w!K?!E&~bgSF;rv{g>|@8xB$MV&r&KHfYB=J5;pZw za|NQ?;Hx3;a>;}z_d)O@j}GL5thy#Z7;?%u8q5N_Q~>y?%brqn6({%lXc5>}L)8$p zG0DK?3sO*e*SavWil>DA2HMyRqGkbC9w;26AOQSJDv@n!7tOKPOz>-Rpur&Osise5dT5w z<)Pj$j81{|WE-M`%nE)FpRf(fra!5C;rzTqi@L0Ul>a zwOhw13ETlAFp|B;Sa*T-{z@cCX2&zkMO$%V+MZ%}0hx#UgUZ=j28}xtz`m@ty`wD~ z)E+^?THb?={crD??hW?zV(U4jn0zk>3B&N%{19M{LA2U-ACd+_U=i2TQB2r=f4d&Z zPh{jGIZVpsHWjZ#g3(?M-G!77=rZu}&!7+cK6E$p{nR+uoMiqErj zp9~T!)p&qwG>UnaqjSlW;$lQ=IyZ1LY=@E6SaF!tC%ucqK=m<|Fd1Ki|G8{Ev$|rb z>i{Z>6PE8?=IlUts%s!R>me(heXZCgWI3Kl^J(p$_HuoQgmvCm#hX-_l>r)~X3N%o z4H=gEb=YRPIH)n+SZqgS?4$wwnoF;dSPTqPc_`5#-*e>=jaS3!oJ4ec|e`L+mqE4V}9PYACU=$CLSJe zVx@^BV$y{uL#vs5k{W5AfuAch;k=nRJS_>)bLdgS6**?1D6VJN{%YXaYk^3f;aa~Tt5>+?6>Jq^KNV>6Us6g+y>x>GB8tZI}raU1-F@NCBk_SHUx!@qYKS? zY5_e5G~D3OEBD7-;?5o`GoxvC&~fQYLpV#!d?qa~Zelpj!p{mnx$`hfUNG%v*)9f) zxIYL_fVDY)MTQ-*qtwC<%K;uYa8APDr0nN7o4p#S$RXD(nXpny+AUNOMZRS37dq2~ zRQv2%F=s~N9pHD4i%kQ&`4M3xNx}7~N_?*fTx0f!kdP2FJq(|jX-7=s^`Gn=n9NPx z!fjXECL;SACHqhOcCV*7hDo}9#r?Q!_6?;SvgjRT`fZBw0aN1^AWB_s3E_-C>j2vU zq+Cf=`9^f~mfVK~W=%%id^*(ya%VH}DSV(%L1dO>Iywm_XSdN&j`djL>{wkfxWVD> z?XEQ!oNdPa!MW|2PmtIC^fc*Zd4);OaYhbAi%hF{dlir}OM?ArqWn_yn68eS>pOfg2gM2i-mBenR9cr?QK-jKbAP^|cofZW#U z+(K6CB|n-Tg3iJu7adRbpBdJ1UaR5Z!k%XXrrEstl8_7^J@DFHEDV z*yb4bN5<1)<%x2%l|7`Z+&mSil-M!B_RUiZ>cnuJs=kh$+?P!;YwGH2D%l_ldnExV zmaMtTP>n4-d?^25IBA7+rBNJ^V^@s_w+!zy$LY=BIu6g^Pv%%_ zly`Bnb+)F$=dI+w%~3_w7_KHLNk$YRKA(tBjTOmru+A5)19vXJF+|xSHfN@l=76z$ z?Q5^*d&mZ9XlDIFLHdnX>6%(dAl?93La`Drj#1m=dmZ`#7iJ71B-u5HfKZZ>YMV_+ zyf74!Fzt&_S|1?OXzNdh*k&R=BFSJ3Z9dGf%2LyUWWxasctQOcjroSFnIo0vA zz%p4JOr$24nMt{`2VnZMfslb>Tkn^*bnn-&R=67+GuW4TgKUDx+z2J4YhcqK_!7Ek zfYG=-kktgTZwvswZe8jGzIPuSqI}G*2oOU9%_Z51So+Be*^qLMY`FT14M=b~$-`#^ z;(8Kd@(+Y0zgKWAT|~m=5+R9z^M@XQCkPkJCH4+Rcc z&~QTe8b2ckD>yA3QZ#UsuZ;|r&w!4$?MK6UN}qG*wqy!HASNE`=SXYVB3KL|YOo9O z@~giH2ZVljhIFqG%vP#NoMLWU7f%&g7%n88`hi&(cZP8ifevu$>KY!xi&eIhmKL__ z-7pB*P4m{*`qd4#b<)Rg+l>(~(*d^dT7U&QiLH0l}N5_W@|EvjOZ*1|kdIaI?(7@a?| z@Q5mRiG9=Khx4VQt)aZN(xB5^4c3&_R8<&GR2dd5<{f5rRC&3wAkG8Rz(}@OV-7Tq z*RYMO;ReIryenQbj$UBdV>kK_c-~y48e2u0VN;+gEi*=p7U$@UYmIRY>>E|6oSj_7 z@2+G-SA<;+`H)GAQXw2`{=#$Ad=I1`SGt!#;{l*wUkjOm8QKuYn5^;D&Sq_lZfY6i zE?W8}(Sh-jSjS|Sm@TG(+PK|(!WhSH+E1Cryv3eN;x{CkH&B~vGlQP5I2qH%vp;iU zKgPSIv+r$_1uWE1!%fqnO;Tpr_aLH>s&d;QqAvbR_`?H2jW(Pv>ZhT&` z+YndmdQb}q=o6~n-ydZrvYw>TTG$z|11Ud>5w~gODq%x|EQiq7P&#WbWmk^hc#zEY zlxGjHIaIz+l@{|*(VfE9CueV^_pmQ`irHFaMc#epP%cM&bSd2E2?b`Bh7q`@)`QDAH@EL4w3iPF~tR{RaTOXvK5nf+eSH|xT zYueW~mfg{hT~)=O;2RdIqH0Nq56ngSlDWUN7yAX*h8o;xDtl{ya6wGNFKp%h}Q){+I?ilijAq@;jEDI7FaX(KW7-v3ITo3h8^;A4+5@VdTzDbOOFKAI;Zg`K zNxLWckTQ+_%x(*a(NB~|nLUQ5LZm&ALW@cP+|j?A>uxY@SHI z=N|^z)s^%pyU8ua=aM(Cn^^#tO!sU?UaR5MfUk-&c=)$Fq+teAaO!#In^MN*33Cnv zl8%^tfj4f@_mw?FX{(*1&IPd1zaTi9NjI>gC%v|=8xI4(l<;owNDqn5-yi=8fceL< zl|EldZ8zK{ycW_MYQX&ZFX!~+;s4wBe;wUjST`c3r=b6Q`1e)sl>Ohn{>N4S`ua{Ff^JeaN3pgZfu?A2C0?=h8g~|I3yCuGW8Q`uCYo?0+c)k}^sm z0i(j#T_TpOAG&J-~Cmwzc28gWB%oQXlKtD`KxCChnD_*!T-@NTSx=>ivh;lgUz}FEU4_c zEQ~cM=5Kt#9lo3J!85!y&y{+<3itLD-g9bCxG(m< z*SqJ@f;;Q|t6k8b{{~V3AVhdK_fKq3^Lj3Dr)SIRAh6Mcet2{tnS3s(RC0#^UL>6w3k)qBCsud11U2i>{v50&`& zRczV*%@IG#(mjChbfW10U4#C24f^->`+wJ<|6PNocZcHtf42txE0+E6O)NZ^n=5Rm zJyZji=8fuR82XFKuiJL)Aq`|@A>@v!!pl64>W0fyPPb`fu?K>V^VEQS=W=zW^)&!? zG;;!;7@~#i0J5CchTNeF46+3wJb7F&qI2;5g8PAPlL3M!cVOUkWz&5%kTNt2fQH>x z(tlv#KAVw=kb>lBeR)|`rA=Z?X#gydkz$v-^FMr68=ggGLXjDm(e>D)bR{VeGQer< z#umu+G9wE!9sK)3DI}u50Xb0$EtgG5WOB*4_|4{i%0o&&k^)Xh=zvhBAB3Spm1dHN z!kIoa{|@#yqXwZUCQ=?OTqkz&Ii4ddr^De4&!BNW?1&^TWMF)lp~c|e&k3_J&?a|f zC3#K_wm|k~4OobkxI{SPevPwWA$v?@H#5W?3zH1eblZlW@*Z3_m))YI!ge+#BMRNY z){|)v@unh9m8W%gKiHdk=R9!H181p}QJo(Gw+HMmUseSwds5MW<~Uct>jAeNUh6Bc z>mcpgCd3tCLo=m2Yzb&=X*XoMr~xN9uHgvtRcu1ROc8_wXQS#45-Owt7@MYIQCNT( zY_MMIMsW)Zh#?~tVUtqmzTAB}_qwOc_9=2;9ACTvlKF8&_4{Ow2C$s9%q9SVZ^qTa zCSj0`!Pq3H;n1ANkf+Fv@Jq^6uW4^nd=ZAIgEiR82wgZ7@PCo!O(eqoF&+tJj_PI( z5SDOy_h=l#-6SEPQ=_YgBo3*9Sfol6l81@85!1(%;TuN)F#j=PhD6^;WVWRvAyV>1 z{}f;y;A2q_Z4tTqF!8)9GMNUpy2-e!`QsczJ{k$Y%bB&1#76+#QZd*l_jFGAcVS(62ps_-Tt07$!_ z=h_7hzAXD3zs`Amd8|X-v4MW;oqKd0PVTb9(cK#ih#YtYEY_p2?Q0>@R zV?V)3MOWPw?&CDGySc^femKGdqXNIsupFlt7paxCvR)C%J3!@c-U(b|BxGX+^Q>Lv z-{HVV$$F^+1TY66QmC{;%B1s9L-pnEdRfam;_l@w_PV^q} z?yk;ll<4fr77$$UqRUr=98Geacfd^Nb#i_}FIa4;#fUBq1(cw2!MKSD3z zF9lJ#0n&loSsOsI$QsC~ARI`rk-69smuFpvSC5?ng9n%~QfyBk&jsbS(3ecZskZx( z^`!fAri57B^K5yjsLU`xO`S~cb?fym7{?^{>@DRr+zJB-2=sBX(27NKGJc$!R<^w3 zJnIZpcH4HV;!ib}`}qZNH{urAdh4-W539g$4Tv zWbFVN4Vd7|+5t#RgA|+X5GaN!Hcq6`%2P10ZBU-FABNmmoCm+m3jytxjQ9$TI|PQ! z`^xG2!eD6-@=|eqSukAiGR6xPDi4Cx@?ab*yJ@k~TX1L3#;+D^^k-KwB5sr+14g~O`m-h)MU@)^RBm$G)R`{XWmwBP}5fLvmDR8+2X^T5(+o+#m13Xbc70`JswLnf|VS^ zW_E{K+0A~XiJ8qYLBfbhslbP%iMy~dAE)E6>;$*&>{r-O6ptf(25hp8^~VxTVa6K$ zx#B^HF{9|b7OKsej_#YmZIFV*Y!+_v2A~nimrcSE&zs~K$taA(d-xWX=E|mxyFsCN zzEW!5$Zf%HGBv}EsxM@@k@CE83ojdsS0m-;B28I;_eLS8%aAe7kBDCT*+P5-&+}?3 z#*3j8C!5x5;Gtk(V&+7Wi&rrNv88h~o-7BEC_Ip>C7ib}=!p!(Rh)ve%ihCpa#dwd z+8}wf9f(3AeZ#$9!q^%HXt61_mpGb&`*!Dqtp%P&w_!~HPA3O&DHj8ytO?eb{T<)r zJ!=p&B#sN^SFnd(#jN8d<1E@~{@$~b8qA};UtlMw6U{R2*Fh}daU61X3QT7s&v)VA zqEmFTw3X^I;=%uG>y6E0l(_ibcrg)Nettxctw#sb;VuCseO&aikYali@BKu16IKAr z;Q&r-e=a_fUQk@tUyb<&<0FAd(Y~i`3-QeuX0W4^OP<<=Z{`bDE(e-oYBJFYLXMy~ zp67C5Wz3;k`eY#x|0}}Kj1N#L#au1deCS1JP9B}h>CY36Q)-Jsv)1FL=Zw#bX^$aD z#0h~_eFAED;p_k*MEJUMmH9NZcwV44n~ucydwkVsKQR+}f8)Iyfr}s~29rqkQL043s$h0cCBHR{ z0+6lQV%#P1FUiuV_@nG;tx#`MNkwTSsVI`L+?=LYjlZaAsLw~=1T@DMqZEMK&FPo@ zIic;40&92EZamug@6=8R?gQ zw%HJ@=0!irV_~KmeDoLK!5NI3Alhp-;PL1E==W@#Hmxu4wM;jgt|lXBFkZNP&Rv)$Q4_SnJEOjqDBM z-)Q`dx27qVU|Kz-=&(Lj*LYD$#y^XM70W{4BEmyHcYUexM=gmf`i4ZB-ZYX2jjsg~ ztCT+TQ%DS>pW@-m+=!SrS}>Cak68y;RGqkV?>9Ku*^c3W26D*p5n&Zc$@0W;bMfa5 z=4DP~E-RRZ7jVOgbap(E978Z`zMVy1&DX7mxT{zI zJswYqV?0EA&5ar6okS`+3{ClwE+JYwRne;rp~e)3u5I(PhpO0@EHGCHR<&s@>v~M4 zW$~wov0(t*Q^##i@3q4-`@0LC(d>^aqjSE4elv6QHl7K(@x%g2uV!OV5UH1D zNESTa`7qE%(HTUJe=&xmF+0?x^sGQj^D6ifb@2w3@F_`CR&>1A{*rqa$3vo=A(#`D zDQze0NxWFi<5XjU8mC&{xjaaS%Z_k!HV9L7;ASCO;Ej94>>L~k>2t%<0FV-005fkO z{@yyqJG=nfXZu4xAEgP0%=WRE))uV6=>T2Ix#e$71`{#v$hVBI`Xbc=RZ%t1ghS5O zN&HK7nNnqKR3bQ0tYyy*0?BjU5MW*dt7Mqz1&YUFfkfb7Uq`_#uypIp`?!aw;gF6V zuBX&kU%l}%W67vPT|XDrA%H`kMu;s!7e#lKF^+)gFh z;xBtCw>@LI`31+6L1iZ82~Ny*Dl81+XzM93uEaAM_uA@K9L?5K@5K6{9Efpn<|i@N zv4s47a}~XAD^oSDiysA<-A#Vy8>{_@(%j@32)0FqAa#eouW6Y|N0sMeb3b7$m)>v? zk0nLMRy~B`;~y8&Ix>6a!$6L|-J5uYH5oa`eo~dR(OAcdH@OT0p~1=<)h)_qI!IZ; z4KlajX{MQ)ve&s|~`c($6Q46Ys7I<}HcBpkF@rfpQXIJc{DK}Yxe=r#L-ZtmYZRa#{J)EvN$ zmADLQCSlAxjknHbHS`M-CJUX!N<3VcL(OsK8Y$Ps(lnMXSgL`ZM92nZ0hO%x}Hz?&>>sm24WP_1hRsXKV~6LmYjakqE`+iP8k1omyZX zD#?z1wjYpK9#9=77=)VmGjywSub*Qbl?&`rP5c;|` z?@>b%Q#8Jt$SO!VM$hC(V5qCR`52z_zSH@nsY)&FH%?IF@xD`+{b7L>a|3~d*ja)0 z9v9lWr}j6fB&=q~(+-A)Lh=ocC`cU_0hljgsJ&M}{0JIRU5q1&UZ$Z63yIjFapjk< z83qXAAF#2<^Vx&UTjG{kw*Z<@f5+hkL2eMr zx)SscUQ`G$gpTTt<@I>2{t>4_o32t$=rZ-*6Wq{a8&uky*v`zL{1oib7v{P> zLh*#^biXkrZC#>i_SweZ$xFGFA=4(@#FB4&buUBNzK&j@6;I#n6;^#RzPDU|p}Mzm z{%0L8s}_BC`Q<(o@vFm^FG?S(tPESG#!b-&)e+{zD<>m1tkyL}ZXQwCWZpJq6Ac_a z!*t5BqwdP7s0UV<*6_PG6t1z3o?$;`9g*4a3g5o(;4AuFk;iiSKK9(QUa=h~?SXNJ zF4P3tj(m17u;0a;eKa^dOsjw_SX?2UAlFludFFL%cJ)ZWUT%#47z z6C(z{KJdHF!G-BtPE$_!sFUYg`=8Cw7nKzB4YsZ*$SRnT*qIep|H;`QDc_;Op`WhX zuu(8HCGy$kR@G|!O76zf+0lFV@ZzQw9dG2s9{S|XVg0)z-^xuqU-DMoz^i-S%1@!^ z-b(cUN&m+1^ozPJBm5Z8sDdoH@myxM^^ksKUeay-sOHSu>joE^?LzNS*@Z1dqrELH z#pA0z{v$4*3(ufY2X3t!d@b^=qNGW({`BZ6jrG(rwVCuDyLpSSYV7njQZO!R!X91G zn#7WgSrgk^)`iUKIKOp#Rj06R!d2~mx2I>s)CJLn& zysOO*UYNShaV^9z2lYQ@Jrnuec740vZ>xGqh<_{IooQ(uvbmtR)wj*NwY7A9`AgEc z`))@1jqx^LzBv7Xg0mYkUP-B4msB_-v1mruYUkOE-AeknvXSl+>gWesYQ}}{yYGqY z2(v!DB{FvJgYV9Kl+>^A?mzPOOS9H>UK?GY>$o+7w&@PA@g1j}p%sTN&IzqNa((4n zmCxP2cB$&vk(If#qr&_)+P~0^Tr>N{xFEG_6gOa8^+@%|ck#C&L*A@5E7Q9YHWY1q z&v?((z3sGHQ(3ozBGS^Z`q^; zpYI-?dWXp;Hlf&QV-5}T3IE3RnSuO;JyH(zR) z7JzhCcwVkWCM=6-*L?KR;8h12r>%E=HAa(sE%FIA{?oAI(^6iNzFjqH+IOFQth_$( zL}t*4Oz(s-OZDLaF2?=cuu9hZc*Q%@Q0SXNM`#TZar&s!k2fdanUp(Vy*}fA3yZ?9d>A%J?1_~*;La&|}Mp$`o zm}-kEyXjmiyLpjE)zte4{LX?r4n|0GC;;(PyjcnIk^2oB!lm-y$5?Z==E z8(JwLy4F@5^2bCk(AHLj1eFH0f@W~AinNm6Kntg(qz^FzRkIvE1diCy+6rgoV<6h5 z0r066yF=h@D~0zUsmnz%HYQdBN9pNgQi9?z@bS?hc$f|9Oc@g#wM@lOE)?EqVS_EDw?yykCNy8Kx`%f4lB)W5XvU;A)`koY%K zJBDJBe>dec5QlR(42a)){)7Ho+DrKMpRE1=7c}MwE%o2`XTSQVu0B|Cq1OhwwBpjr z3e;L2nr=CExB`Bn0~Mi%aY=^XCEP1fcM0D5A^3UhF#d!px(+y`633{XuE4#}0n%T; ztOCBgjN?jr>HVWnE4pyF`?9Ctw1c?Bv=T0O0Rk=XD;#Ga3r>now_Ji^Q8^R~((Q*U zbpA^aoeh7%nRKhZr@#$x@q@TZ6@CETL_&BeL~Q~~XB;g+nMA?)Q1U1>T!OAr`;}h; z{frg3mns9n!G7cu{6V4@$~yt2q*q?*RUS%rs19Qis>daKcS{tN>IhJVHqg^*6?A$et+3pJl@N) zbT!=X1FPVe|BL(aujAkt7Ut!Gj|YJu$rOYLR(&&w^wuDh4)1%o-+Ur3t#F{RaD~zDd9=@)trv82I}eZGS98l3TBb;oje9zX@Ryqjgw- zli;8BG|q;h?8a73r6#uq(TSAPE5G`~|I7@eB}JOvzxtvhR-lPB= zsme?MPtcH%%!Jh_Goh7+s7qHPY(b?M<|7h_OvDTssd1XphmoEE;#E^=>$6NbT20h= zH&v;jG-etZ4-ER-Py#NZ!(r&<>7XP#!o^^qCbYvDtKo0F9RuqolN|=IJyT$5E2PE7 zX2LJ199+YMET3=f9y~(Fm{gJ-7|Lnx_kfcH|Spn z&y|;Y3EMCHO^)8N+kf9?AV=?3wEHJP`d`X%-7<84g_|K3DoMyLO91B3cPrYZ#|!y) zQpvg%2L@_-^p?9j$Zc!ue&4FLXy(vvLjSR`@{C|h;k(>8pXds zBi(&q6XqpVsFuvWLt`#ft3lOIGT$LHH%kYhRSqVGq~oo?=!BdwR43IfP*-fxt^1mbDcCJD_$= zhb$h43NGprK@zGU&!T}awNJ6z*ZC_u|0F6WVQL8YCzby{?7eGv6V>`RyjGGaS!rgP zNjssFHfa)?(4@`KOq*#FXds0KT4NRcywRs{t_MMVS! zt?nwIsGuNtU|SU3s3_=0MTPy|0deErUjP04-}m|Oe%QILH0fk!&6;(u!@cgq?`Qt& zO~18U34VH>*MKxu%JWNWDr+{8EqDYSFSW^Vv7rViuQUCPLIPS5M-2X?8-DDEfPUQ1 z02S#}8I-I$d}48O8RSkd!!>jwr0dxmwO3~oO4xC<#7>VOgysH%HXJJ_DSohTTO6~J_O zo&Lz)fw8?H_z}t}KxM)~jREM`Og{)!=rs@3f^5X$!(M*50>C?z zk{sH>CHqcy3+)mN$UcgALOTKVtMD#j3_Zyi!LMGh1%>uuOT>dN0BZaFsQr1i2bd`U zGZzK(s|9cFdYHRLG*jLGr{!_LwqvIk|?>_#5lvsNHx*@y zX9>z~8qcPRXL0>-0Ix-voExjyQ$Yr^e&q7Z&V^8aztWoFz6Ud6U*+68fL&EPN@X5^ zd-M7E@37lG*n<>haTm|w@#gw1Lw`qKZyF`MDYLw$qyV9dFm}SF35jz3NEKkcZM;jk zDg)ASl?tE=!Hc`@W@v`)Ga`bY{Z00OAvyN|YOBXN)8fd?*xd% z$QI2A;8a}Ouw{QeS!P}z>V*?=i+!Rn9@X1#6!SRv^QQ-Pp?U>&@VgxImBsIaN>SBl zxuhb?nzWFJuv|QfO1=dLYYR3^Dmh14gG*7#CsdCbEG5w{HvnVZE9kNKp3LmO@RskDd1I`a=*?dN<8PMIUko3+V*K~sh+)86fR@{Q z8mNbVLH=0dX;zwt%w0hG3(IA;ZnctZN1lt{H*W~}IFC4m@t?JHYQzVS^(!vH`yOh~ zX(?pCr$@9ESXe?Yvsu(jyDLO5=cQlgy}XLN1yKTRPU;NX3aDf-Z+L4L0aG=~q?NXj zggGAF`aC;wPcpv&POY5v5Tb2J)PAHT;#uGf_|g9=a8bYNII9+4#{SiYL}w+L=U-!- z!$^l^{&P2CDsrEY`PafEMax3Hir3nmB-~O1?8dLl{7tOhzL$t0t$(CppSM(I3q@;V z)NGsAhMKUW&5hFkjV1VLFxg(>N<*3GY5fje$D3L%`r6i;;N$^i zOh=``hNUZ={zG^$>0Qwi`JeQQI28}I*~pO;SC;3Tbv*7xk0}?C?F37S{sG`@3}1Z} zX29NJ2zlyvtY;UAfT(G83{?XlY8~5WObBrUVdAW2#qwH6bY{*IBzH_zpRWqgL>&ps zu(iawHc(FJP~K=o%V@KWGG2YwKGpq^c`s*k=v0tH+%gIR2Xy=f<5k#;qm~DF!Sj%P zYfCBcf(KS9_$0$>e3;wU@=nl(yvq^t*sqXT&DPfCxF6}opP;5`j}huCZW?m2&(SX6 zT@u%!^UDpRIGeW+xi-^;nKVZwH?m^VoKXG^8&QTxj^5gqy5Bf zo=?Y%0)~vUcy%P2#N0((=1s;=lz@q1hCwC@#M}&>aW^)Pg#k1dnOCqpYSdT9le=3S zFz7ZSp(9${h{CTM;|S1Vgb%>MA{5^1o-RqqEawt{>n*&9OFULh4m35h^|Y~|MsB`> zw&)kCj9q%;XG*$IVJ~w%0GP<;=Y=++-C!V@c;C%XmX>~C3^yO}p98$%lD-h#RlL|l&q$(Jf ziak=C?AAM))nkq$ZWhWc{|H&GsDru4@v>^$Li#d*jN_y1y5O6@RaXw*y-o$U41V@5 zL#R_f-_XG^<5m8VsKW90IRC={suy@nCK!?QliI(_zgn=M%b9`Ck^NEOZk=s<958vG zbuTj<@$W)~QW7ODRp8D&SBo#RLv26Ch)D|k;#yhW29e_HYn+GM&a$UU73~MO*?=`9 z9z(j964^)Tm)YW?lQ;)!_pAM%a(zMk8#iswL-pg$#i&Qy3q>+*OFPTcy8wM}Y9J}b zEE>nsfu6EGMdCs%sH2Lr$)t{cY{umoMBg#ppw~tv!IwutMlGo0L-*Ia-yxZuV?juA zS!bL7uP!CK)Kf?2xku&E?7}^RAxbfecG?!{TT?iHhTqUg}t|^?w@Uj4Xd1lCpi~LE@ zv_7ZYwj?_2yum0Uz>cS!&5|ZWBh4|zo+!z!@GrD@Zw$J-xP!I8}5V7}}`=g*U?$}P_n`&~%982?U@q{&}@)P z5u5=ZF9X4h`2uHJ>T}K5zp<+ZEs;iIsYqrXS-gPck&WgO_ec2y;U*==yNmOp%q4h@ zvw>u?tG(wbwt>Be?dc6Gxt5Dl*`B5M`K7!gKpkKQO{p0P)iQ1&yMq-)nEu6*OQ5k- z&Gkg~ZjYm{gjZE4WXX5GW+ggS5&soF_v(G#D&*1;@U%IYn9KJVjQV}u?Z;cxI4qg~2CjuQnD|A)5!9Lh z^EmaPJMPK?x;AH%I24)r&?!8e$}QT0Dc;c*EB2R*gW|k%aD8vbkFj}k0814&&|55r zb<}pToP*`4uQUMFHy!y>pOn^h(vwBX4EsPC6Ut(OUd1&z(}P2a;1Rlc)PjXLz1*vq&eG40CU{0RV*8uVDPCf9F%IJ@ zRvM!c22sX9_x+V9%UemYAK4O=DBIS9MeZ?9WISZ!M>#lGz>V06S9>`8JuB*v?Hgh{ z7!%x%9PjjC&%!N+1!3ElVOyFSG$9ri;&lVjYAuEVJ+z@0dTlG(Iurq=!V_1}p%ZX) z>(A)WI7CKEf^6#mRM1<-4~0{ipj9^aQCtAOU@~GZEe91^coJ{@78ypYj+W6oJLj_# zC#f-Onfn2{&SNvbwHmo>(owY4hjP+`Kca%8=*ud!bsZ9CAei<~c9WvIA@PWkEeXC1 z)!Y3ExOF)h?__(;y?~iAHMdow)P{Xhic`XDDn&lyom)4dz?-IW6J~?(G*7_T z%b)AU!U(iA6D@j7W(N(?-fQj>M2*6()nni5R303kw-xR z6U+R2QSK3g^E}Us`xT5|T|7s{6@ zLE!a$afTPTEhE!W@lcc<+QRJC7Ha%Ix-$M=ozEnwXZB{H> zuK!v?dhI^L28s@&+)`wGBch!L#PtyJDX1_V%Wvj$i4#EF*fpq}G;TekLxUif-5qMO-)MRVoc-lq4&KA7*#s)~lmxV$kx zBeu`aEfCmnVhKieTeDsoN{Llz4{ehzwdCJ}-AC_7e4DhL(%wxhA93Pvg*GQ1rh`{0 z?Ny~^Ln08uXm=&SmZKIir*vE*09!Jr)xy`^cAR0qK0aGWjuPUr<6B$JbG9K|nZq}k z6w%%2et{{7y(b7G-7xEJpFO3<=I=GLsn|%_j1%dU(sXM&{#0Y$s=Z6A;st2$X2z z^HEH@#*oBU39lgOy8({-M0XuMJ4aTq0~tTm)c3NjWE^j5&+G!7WT3{eUflq!cgL{% znK2^bCi8BGA!bnnV*8c%log8wcO&No?G6n)(5B9Dl=K_fhKzT`u`t8#1gp}0sAg8+ zC>B*RA=B*nRJe+X-*J~o_yX@~BfC5e;$#5lb;T|lgR8EDD#{j+{cJ#t$0VKXD!W2h z!;9i<8M}cTtVoyXENrL*n2>{V=;3})bBk?Lf^x$a_C46fas!MynAgeFipLQ<)3TKf z>_Z}S`sVT%fj)3slA>Rx?m&^bTh4k&>)$yXvE}#)RH=W!V%Zh#4aJ%lgE5a!n$&7O zKZtou$qja_2clHx0PgN zbr7<>q%1mz%+<)OpVM3ach0!oLPE@UTACMMj%snx@vhmh(b(*u;`IBKB(W>a*d__~ zZXK_&@nA^mxW@8An@!K@T}zA!TD%%fEBHQ$>1o`4q{ln zw_kT=Z7!Q&ybx_iUHAI;IX$d_ecc#R?f2vjVW0K&LPbBIP`s^Ii9G`vXI@bV<#M!` zf=gZ?{*Gfr6`X_WUojSyU_7Z8AZ!W`;ga36?m+kpTX6}u4KA6s=}W{-D@sR(x0Uv? zSiQ#K>vGX`V~Bo^Pil~b`npbw4KjZY#|w?a{e7TrpAjKPF1;uhd~)%S4DgTHA^FMV z^^lT_7cKJ8fuJ=I?g6TJCJHC}fuuqUY#x^&Xxrw}=gszauo;2B%NlY}am$V?iVQC| zXvIi2$MTiIrY>T(#M`5S>ycp$8{KtGv52zCX@>RHUQ93B|?ti;~C3?&OurhcEw?hxMVE^Wl15){7@SP7h#*s)8k)e`A3B={B5HUodJ z?MVySG4fv2`Hi8hG*x^UTS_>vE$DOK!1Z6iE?ImD7d@h3C4QgH6j!?sHSH~&$L}Mo zP_MS&B-;;aqiCfk*xpL!mxvc-_A>^7eZHauyS@$E+soY^rdPW5Z@oaG!^KR@daaw< zhjHEy^!Uf38?_7pdGC;SO=o%gSaQ0n5k#EhY99}9lv%F!^_G3H(s9Hv%C51jXGM+6 zX8Z?d8%OfCnSW(P&^2JA_^|T<$m5`6*#z4^ICCR6#J9a0%5p!+dLZt!S=MRxm$Uaf z7qV~hLwVJvQbfO8DuomP@$^wIV^}G6VDtAJ58FfON9-TO8jLZFJ;xugJWh+LGV^Pk zp8kMjUd$o1C#G{M2f%&OH73txygyf3gw$E~vM2Q3m>Q+)3lavBE?)8=`~%G!s~A8H zK27tk&k2v;pOb|uuF<&NkO0w`Ap-lC#Yj{rU7tz^F#wiJaq`d_!x-r>5>I#IgVt(; z+i2`TK0AMEu}>e1l9=B$I2}0{l#Jlxq^dmKnd*pQ%Qf z$KH4KxEjSLJ2tYGzs3NI3#?ImA`+PkbWwM7GS~5`($YJT?`Qcz=~m{ry%&)9s%-x2 zh&jUO7gUfzwl|e*_4%>+tN7JBGW4(aXB~VWGKBKZg}}b&`HMmE? zQ(0j5Z8?Zv!l|WSf%;f40*RTGf4E6o--qcOW7wp7Uq?2zoWOOs2e*kz(-veGlpyAA zB`Y!u)d$y!GRiVL(e`?3$$4Bm;{~)WzW90kCACJEm>{l2fjP3SdDf6>(_OvrN{kZ4^(^!b2%2>JAM*SgA*nQ$l$Q0H`tAT znM6|Yb-b3+l`b$|8wS)xYSCWyaLqoW)+Ftg>z-G;vVoIpi%t8AhV@D72(ZSkbLD{i zvPgVsmhB8f^ubzWY=%s|DLs*6U;<2%4@xPrmONH}`4U@Vsd5Gm6a82sevQP`ZnlPK z_DR_K7f1WPM!e`dfan@&KWY*EUF<>jk>C!@9d&-lS^+4Zv+5j5*t=?*NXJ2TItx4C z;FFk0k=YfL0f?EfcL(_MVi&VdjouQj$xujJL+VeFJpT{oSpUzo+1bvvHy>TP?&4C~ zY5W9g$OhS#vTyQ=@Nq+>M-`k3ys(a9L(5DwO8@t0_b~BA4!<4z1-GO*epP`%%zxZ6 zNzJTKNm;UvznPQiQvQ2#+4gCSeV=Vje2JIs0;@aQ)!CCDr{!Wem!+Hm@`v{KtfT0@ zsN%c==84Vo`y#g0JQlrM<}@BC+_sjxc^Lc+Jw~ySH$M+#zE@cX1=d_GAq+ zfQ|Jz!<&wn*zf>)ZSHzp_K|o5wR~?#l#U_hQyBhjVf$F-Sz^4S(0QKlz;08Ed4brSiX*T^px_4G_PepXER^B zAB&Chw%5p8GrI6~jVxcIDBG{^G&Yrv{A>5n6I>6=^*HiadkmLoSv#4@CzfZULl9Sv zIowxN$U@ni!L~(ZoG^fd{kfc#3qy#me*t*Rbz_bo|6llI?@{Dm36xPH8|A-)Pl6QB zliZhiTgB4~{zS_hEiit)yMIwvIW-0k=GPXFbkwMgofeW?dPFNz;rppvZnL)mmAq>^ z!WyFpU9A5JHWV#as8V}L#WBPOsbisJd@pV>xbar2jQxVY(f#hnevl zf;=nZ$PxH3GnaAyL@yu(^)F&BuS`5CJJ!mkvUjw8iAP(ktR+7NTza~JF?d+XPoZH}bbY}oyGrg}7_Yw>+P~(oh2L^|Ji2aU%V2)#YR)w!J zYgNFkY2z-sg3!SAzF!;JzTP_&=49}vic2t9EJnBwOEb|P1@7Uf(m)n7umZdHQt8_3 z8o|zL8##O*HGuyX40pLACH>SbHYqg0>0#JnknTEY?OVAx`%fbA#X? zNl#hvf~|`N56LS1Q^c`JdGQM(b-W1O?L%b#!uXsLSeDI?gWpH4B*V;~8vl|E{v5!) zD6qfGN9I+Kzs?tpffeJwdV<^{@nBvc}mA(xT#@$c{^qy5jcGHbu_e?z5u6PqL(^6%zsOn(lx zVgAn|TGroWp+v6{IZj6Vk8{TIM}WTltVFEqT3Z12Q?>VEutn?-49jRVl|@@Qi3cj0esof~&q$lG1`$5+} zfsf5*HyN*LY}K@5TQsiZ21@6wuK2L5SP+LG*J!rQI62)GrL=u-hbJ2?Hh_VoxinZU zr)>gk;hSaNNASo?GU+2EPM48|Wu@Rp7uXNxFOwDJA>k3^n~9}jw7#nm%4QYLXd4Me*R{sH5AM@vag1r~fn8`9{v7na;4(6#7{4LD%PGLPVZ47}eGW_q-wAgr zaBripC%2tDg%@%8$L?lr8%y1fvyHyf*tXLLy11*4PDvt5dO!98ESUQ&mCAB3Q50I% z$FM7;bD#hnjqG~OEUM8@jb>htX8s;)O9m!SH3^y9*<{C;(YmLs7AtMu1qov9bAi#O7)XQpW59ZFK0}PmJJH}@G*+ufQpalWG49dja>U9^jK)^7 zj(-y9L|$S9Ct~_24bI$4jm%7?!DMK(((WGGj2Qo3>@+t7q!_Zwv4Y-cFh4^99JjCt z6(6MqsOb!G_N&UJca#}+RV~d za`Bq7`MvNH&>`hA{rfa|Brq=Pa+o!_`ibKZyFYxAoh)5b`j@UaAijb8-~g01AZct5 z?#|!|in=~x|eMhGT%BRRHhQm_|t^oRl5t5!zX z^^yh~XGL$SM9k*~F!#3f@V>6xUu;~F;68n9y{$^+=++|uV5M0liW~zldO4P;T+`T` zfIQK7my%pOLxPhLSfGX$y^3;Aq1A501&hw2KrRBqG;*(8h~~mq6Uxh}iSk~;;3Vnr zy^0r&k=K8`Z3KNsTNArVTqn2rrvW~=V}r`K7|qX?!`7s}hi?fIOXRxFSo&$-beSV5 zhZ|e=g70HIzbAHY9y1i-m9}m>kW}O@!T-rATcb5Xq)CN4!+| zQV4aWF@u!=vRu9xb$Jc8+%2sgzeG00J5d(~(r8~$ZM;)OFR`Q=q$iN^I|AP8-2$fq zM>MV>$^1`bjAx8%EJ@+&Vep!BJ3i!xG1_R|FMM&l?NO%nIZzmZx|vP2ogkKx@nmjJ zF`KrfV_S_;QV~~4FBm1*{-e-_n!Ms&sQ!JiP(@0a>%8t#61h1J7zYFb>l;kF^?L?D zD*Jq6fHo>)h~9N4on_prbSH8XtqHtMJ31j?L)KcepLV#{gDu=Kqp$XeDwt2fB(g(X zhS;kIKQdPs7taEM7>E%sf%=;-Y1D-%)6a*mX^NAxz>-d~l-{Xp< zgQ#U%XdjnkoDxs&8Ci-hyvk*iBm)QUmgt5Jh$*J|fa_#QmFi$b|T-HO|}CV#o1=NT>8cl;5$CI^W% zD9joL8dAhs1Y{&B?5T>EPlY^hd)99k& zN6*a6JI*-_BeB;}$|7m+z>a>DNbbbtD~7Y>XTA*2z~$WY!jUNZM#psyGKeOD$?;R# zc9;oeb`Hh$u*t01oy=}#URIHrq8uOZAsu%Z=CCj4Xl)N0f`id{d5c3>38we$s}Q@{ zoQV2K`?}E|k#}0;Mt67TH-r!Uc=>IqB`Wl{wTF$X)Wq$d*1iiiJs$S?jXU#V*zvy6 zlxIs`W!KkikWUScfEX8&?MNJCdkr>6b$#0@kYM|(ar&mIZ3&Lup#l-G`3Pa z?gNvjxzLa;4en+h3f6>b+%C9uM~X;odlDOe!9n8NHLiMb0cw{SyT=ImsO1+3gxP>v zzClOynHiQsLx55FRa}y1Ke^XdP3#cF;xGWaq0s*;pG53;i8W(n1K*Q|~J2UfH zlUiQhm4dZBD?? zhZFehEwlLS`V^SI*lYIL`e~U|Ccd&|+FaOF<%ixupjH>p6)Cy7H_I2R?d|4BbVQ!a ztY`JY8?sP57=*s@drAA|1=~Qbb>n(N?rzq(>Y0^fO^Z*J4_Y&bj_yCtsI|`LR zub+=XBl8Gna;3OhEwQevsU7LyzrNE?@-{K!dEJtpAGeS%%!_e~#P-2b?g1Iw2Rg2x z?ql9kypK!eXVJsi7d*j^)g{kkTkd#R`amQSDxTW(BR)*|3uZ*D0Rw=O8;}o1uQ+zF z=D3UGnX^C^N}0c7?SkXqlkCXu{z*ro)~FS9Yhp+bJQg2y53oF?H_p$|z8N#=0nA^Q z?8w|MmZB|5VEzaV!wyOpn1|R++=7m~3eth}R{MT}pzYOhZv?F6o?It9WbOzVm74pu zthm$`AT0|@O4(8w^Bx!w84)$mzz?&iAsTN)ppMAUx&f^gd4?I z<@&!=+N&L3#aiOkoR_~B@Rlk%bYcbK?v<{h&K}rKb@wERg~&3IAy(TjOX&w)%SjTy zy5MJInZWoUETJFdPC@l9D%Z0n^wEyLf;GPJ%wfkAN1o9*n^1Q_>iXOnh;6}xAg^#q*M}ia zyDF7#amKR=`d0+VK-KUD$9JlT9G_jm=s$=PPZ8V)w*Dj3xZc>5X?#ryCg5&2;^X{z zV0nKLwXnuhan3QMAoQ{&mH76n!KwWu5;qcQQe5bK$6f3K*63PfEL5G5wk>2g?cv#8 zNOC{Gj92pay6$3AjM;Iv`IeKfv&-mLz`*%-iY;Fg+>DBic@MZ5dnt%`K+)Yu53bYI zogMxi>}tOA+*)LLBfjAvvZ@U;@-{+GJyZlL;i0ZVVtp+gyLxK{wYzuWZrG=OpySnK zswczpY!V;q$Q&${sC~Ulk<`^mk7WsEk-b@@Ok0tlecx58T*Mld>FRcSwsxjOY&cS`5WjPhGL zhVlk5vb3)^-@*5=yq2hIGO#DSb7L-7lTlnI6?6XKAcSe&w{3dMa(-sPS?Is^$AG`i z(bFSzM}TX=PBuTSm?_iMh{yg~tYAl5aK6|iGrMV*l+2g`7eb) zVOSN34B7}bo=3(ELQ<^V;Wvb?27L&Bv_IQ5pG-6?6~0C#Z{wBb$K45#`<_7cYyE+I zQrfNkFb7<>IKaxe=gpUMVeL!b*jHOhAYb9Md1?JCY-;I~{x&L=+Fg`}9N#gWG+s``_&CNmVAiNN5 zI%dR!wF|)x++DD7#STEd7|TRVzq=?)&I|AmW8#T+tQyZ}UZ4#vcyP(?V-xHnY)cu} zP7-gNspL)CM^x;%&`w>7mGr9r4&UjW%7}xy+g>HUeRi-kjql;JqTo8@T4a5TZO_RT zub~!KN03dyN46EXzApV6GcblraqpyyKt~9-7ykv@@VF^L6w2K5m2I{%+*-VfiUfwj zBTeUbjvS0!@f}yt4E-3w_<^eHe7^9dqNBhy3D?;g zwXSUbN+<_-@0x_~G-Mj@5Gyb}ipk=n4s5$X^WL)I;T{kbo>%6;^S8|@g0Pf!rYH%y z>l|x2e=bVPnPty_c>O+deR2u;#yCeU#K?`YDq=Ab)oOHP;DlAEGy(8HX~x8S+;)qkp8+YXjqNUJV)tX| zc}2Tk2rC?4cW;?s*&8P%;g-#ygv>FuoY)eUF3Z}+l^)f;proIn&$-^=t>y#5b^wn; zXHHP|Ej!uG(0MGu`Kb8f(hJQ`uvggCjH5fNo|})@5gi#QUH@6MF=pECS!A_&GRp^^ zi(>VGw=skyzNG^-8;D1xFL7B0Sk+t|y`1xaRkvdw&l@I~&w)Ft0{L~q5SjQzZ0FpP zOy?_Pfi^0}pULjO*uys!pIHsO2J}JzA2conb~E>U%IW9WJLowuVYj&66hdhCbmJHH zGgk9)Em5&U?Z5$aVi=;Q@)N+PT%4(2+(~}{d;d2fkn$~vq5FsN{+?t5iHF#Zc)-0E z$B^cH;|Ffy3-qOZo!x|iQS{qj1!`gEN;;YU8th+o_axK(g{;2*b)pxm0{kTV2G|F` z-M7B5cp!gP3ifeb_slzfg-o;YYChLdG6qoairlzlO(bM%yKo#872vkfEnlJbV?8=b z&*TYXql7Zr@5T=AK{f9=x!WHw7XZnFRwK+zVV`ZzW)7&s)okx8IYAF%o>bby5ScH0 zhQd?XB1TS&xx|+3S~M83BXvh<{i<1J+VEFwPMgxN@|;b76pK%IjP2_Nt4Z1JCREj@nFJx3T0 zkT6Q018sEZM5ROjB6}}aGWP_A_-$Wb#55@F_28@##>>KH_C0%P!5lPqF`8jQ;f%6= z&NJ{7Te*H?9*Z2w+iw^zy^aiJu)mvQ3NA*}>!F`ry$TP2v!;c-Cn{!ap`|YguHboXlJ*dc^i1cznu!h_>WWqP_YOi`mLfM^zx6t|MRxL z!P(zBQ;KAvrKC)6r~>%(EFde1d}i2hWwT}8$Wlvz*UewV-_QN$InaK$PM7TeLkYLa zxcy2f?#~YYUZDG*WkbT;zt`?xpYygx`PW`qafCV1@cb^6bb4aH>qp#p#QXn$VJ|Ef{#W$_P^NH@QQ3=)BT{kc!anJ3?BY3{Ie#pMrTIy z^Z%-2W&KMve-rFKhsS@c=kNFb)91L+ac}Q~e|U`B3jd#rxov#>>1}R2M!(E|HWy^L zMtbf)pX2{xi~U~JKW*{IqIkRD|E(tf7a#ifn*3>_L}~(=-~VN)`2WIE@!Xn&kY%s_ zEz6#Ss;h@J)YVODyb05A^vfvSufJg1PnTYl*$!-gWP1SS_^S{`+b1e{u}Ui%$6s4GX^$gKW?5yW?kQdIAc{3A;40I+*!I6dwRJPr3^AB3VknULzJl-$|n&mx5+`33+yiaEJx8d7F> zGRsF|rI_Wyp9{;88cJ~4pT#;)HA)A#q;xC@*8yh8=}LEJ1#W(GyV7wy78G^0`~{^e zGrQnttjH9DP)S!to=;ka@HmC&D*6&Bvfb9Dfkvpj8)%fFO4+V#{9x`lFn~>Jl>rC~ zl>u&GrI_t0;IYD;Rd6u!WSN;#!894v$Q@h>MM?z%R(d?ZA{_bAli|SwBJSx0&=%zb zWpHCNk44WzN=cM(ImoFlXTQQDf@@bPx;^FNWGFLVFpp=)LEE^pGcyB^AdTpBxwCTn z<47~Qv#tB_a&|yOD%n!`+end>QN9w|Mars3Kt<^aWkzO3!MAWAL&S&hd!7WiN|HRS z@j$-vnE8StGu@nzb-bX=aEe90C=}UZL0<|=6VpXpZ^lCZh|~i6695j z91xI}BJ&*zDLoJ$Y4r?Okrt~n(=*cpP8rH3$8aP2Gt@N8ol*V}1mzVBK*}sh4E4ni z+^DQ8!&R||Qo1~v-EZ*e3ekhNctNV}+!9&j`J~LePjD)#EBi#5<&p3rK+ClbM;UC`IxXl8iwjXpg9`a)K=2ZruXa=;1ux66&eYu$Z{kgQQ$k{*$zU>?l1wI(*<_K!RRb(-gW{7lR+CNs=(`sd=C%(r*-ehP zR8v}tQzK}4$>Aor_NjQ6Ni=1cGUa>6?4I<@nd*2+zVE|}i(c)T7UwZ}HN8!JOgSbW z_0nIz?WU07CmxSit6Jl7ce=E!%fv{$XHsyrNpB!6sP>(kSHl zmi#qxIBd%wCIh&?YO1?JgR%PAJ7w}@dwx9p-Cq-jrpZhwUO_<-tCOv9_%SSt$LVlY z6f&XlGPT0C>R6=leuwj`3Ees1X7jxz*F7P(J$)3K@7xhM=YR1Of7*KQU~V4ZvFUG2 z^pyZw3GEjXX}@lO*r$Rwv?IdsX5dZ1TLbS1x*q^P_KE(jb!Go-53cgw_{p4}jq<{-$ za4F#U4Tx8mkSW@Ps5u&w3~=~xZMNmjM74&Blx0#-85y`)V=0NF;;GciM43sRC`*xR zK%DX=ODq<+5!BZtSF3Dm-n(6bR8b%_VfsxGE{oDVN7=5w4I(`I)(sK{k^l^ctupSR+i_0gmA}C({)?dg{V0@k zFTOPPH$lOGh;;fJa+1Z#<;lN^33~hLHOcu;1NIaQ&!fKiAyEA`m?jV@OZ#MT%g>I$7_RcA2?$1u%XzqW1q)3na_oL`foBOd}6x=5f z48z~FBarj#78$5V)uGym8T!w7gsJ!ks~hV~b(4Vm^*^x)3&00HBV5(Q*P1~|5fcsJpQPq5c!W1Gb?hTYxlf#W^RHEVe8)otd z*>i|Joeb6ejSU#zmkt*68zi+i$biW*e6{+;)DfyhYdj<}uClMn{uh>C`XRc3 zT8~$oo2Vqk^h)*-doJ?hc9ceaK^JG6{>b2KJqm^FWE%iga2PPyq{sip)k}I=ZBRo$ zXHitvneU()4JRU$UDaV{CDpFE!NqI-&YzPE=Hz4;9)LoL`}oxg!9>$H84EcED6nX1 zBFEgM-QyT~eFVwSI*<%!89J4Xq0^M${|L)T8vH+xjUg>8a}(DvuZ!~1qgf+88Wm%! zYrDCf9u5d<)g&5Fi^v?DK=~lvfz*u9!)W>!=t%Gvng^rGP>FJ;V8X@-wwt*i?<%W_ zyXl7V>kK)h*G-s6>>`l*&&7tzfTxVF;}-&vyrB|Jz^meaqxJTGZ%E+#m;D$5c&YOLh2o!DvKWp_lXifx=af<7Jqo0u&uwj;Ip6oCNqUf&8YGju76M z6IwRS2Vg`m_mWpa+&4Kg`V}B=G(1BdYb(g}Q6qg9w#x4CMW~BCq{}wFy;&AWbz-Q8-o|!Tz*n zceHc#j({Ns)poq30Mf`bGLeg+1r+o@9uJtBK&;#tzDBJt6shiXrBzP3$(M?%>6oX4 z7KYjjAVt(>tOuCDj#<9Rh)Q=q$yMQP>=aasHz>lj^c32KgVZ9FMzlgB!Z`||=Zbl4 z4`@@AyRW2#s%M6p8%>kK;p(noEpOt^xY|$+_?wstrF#bDJO3+yHr95?Tbi{#rM5~* zdHr!rs&dw0 zo?R0HgwRP%wJ=MVDywP&m!rgI0ID?(sJUTW-~qy&O5C0L(EbcQk9(su^AB;&rs}%7 zsq_`(H-7+39*$&i=T*(9nh2cTxEwVyE~R36ow>LE8Nf%9U8^F zP1ND$@I+@CN^{P`BTS~ostHqT!;OvX5i~jQB=J|7CQJo>Y@qe7^`EBFA~RQ`bAhID zdU)D2f3YUiSXtMwV;e*ts4MEGSCZGwMOMK)6otB)@*ZF$6$DA|(H1`0)E~d){2NX{ zmB4w3WS|7tJH3xUL@QcdPOl%{=8>0FD)q5P366gMH%vUC@f zg&R;QldFP6&Gp#dmeSQ5RasL|IMjCJHTzn+?}}m(B4%l3K=ht7#Fh7WY~k9HI;H}VYJoUJlw=^BHU)EHR09=PWi-_@k;`)171R z1?)xPj;7EKWw^TW_(zdv?uTl%`{<<;LIz1YYk#%!Br zy`(k;>Kf>QipDxBHYE*Kn4XQM$#r!TFUUGB#5II#fMY$cWL5^!ol@pzBHhQz!spt( zT|c)U$lunYwq9n=Ga4|l)iqGDx`4($Rd<0w0xm$4n`Yqx+y|dTRoZD9?1hTj<1`In z;IY@Pih&KU#nf0Cng)+FxXRwZuEwck9;&O-#Z}cdR!t0dy$BSTFex@r#rhAJj%2EV z09j|aR#DNkq6f|E#N_xdt_o zI~85B9R^1*+CLmsG3}~$w;|p(Dq6dR#zy9uXbtq{#&Fkn0#fTv(KyNSb@cBjr+h-Y z7J7&NXQb@!{dkYU#z5vEfvg*v3jpMlQr9ij7FR8<}%BtvQBK(c&z`@5iqfJc}Uxv;i5O#-0!`;!Yn^gv4<&#bK0x zUQtuWoQekNw^rphz#{amHxBu?hTiaYN3A~ij#FDVa?iH!fHMe3&RaaubhVSC?bJx> zBpyQbz#>H*Y1F=}hJ5V+t(XwfenE3-WR*ICm0UVnTNH!ya)O~zK&55KPu403@w@I4 zYA}Q@LZ)rucs#`08*zyS4;9Vp*~tK<=v$4fwAD@NaWwT~p6H)!R+MqnM2MR;7;u{C zK~1OlGV*55dhRIp`KLh$KKlkv%-Ox;RM8N`x#(ilOdbU;ze;gCqPEz#v)R z>!lEHUdR`6kCp$7)h#evICxdn&jwaER1NHcHQyOyba)yPIEM6N6X_f_Cj1SbrmaxL z3#I_HL&)QeEP9+qSEk}M^b+H18nT3CB5!&y=pY5q9{>sy_p=tE{`y_K)Sofv$hgAK zkBpAAdkN*IHrf~H)@$)t-61vgyKMov^`Hz5<}~(1sM=UGoT-TyDphm|RE3+&98$GX z?4494{AU<~!iA@~a(bs=ML_J7&-JuQC}^o?!wxD%zf3P|M0f_$NwISKp_0Yk82GB< zjD_EEn$T)$9;bE27T*Ky!q9!$7|IKM=MvQ98XJSF^2*nWC7bZm_SpP;>7KeOp0eqx zIXcLEKvO*;TGmE1FyM(kDMTQWFT_Uv@;ae_bS+x?HRlG7>6&7_Ug^&#d(YD?X91Y> zEbhq-#Ep459TrS;dTQE8Hv+vz%uCnRDp%MI%Wcn-b?Hc&g<3Tjk|mS??XAyM;%(y7 z$XkhE(PoNO`log5Za{yweus;JerY_Eak7EVjBqGt0Gb22o_~+w8h6a|SS}>M?WYz1 z_16c6IBtkFS}F9CZTwz;AEz74P$9=kqwWxG|FvO9j5a$dw<$)eOj}RyyqQd};nbc}Rxy*@p($6?f18ZUB(sSl)hS4yyl5~HGp^kwX zJxq6J66Ij}uyKtwphGuOE%{SX7=KE2Xg}fF=cp?~RSnFA80TaE4|{JO-$d2^4WHBI zKu(*PWTu^ICvDP9+N4dPp-G!SLtC2Cl%~)^3oVpAKnjKK3!7{O%BCzuKtNE66h#3= z0mYRf6{~=t;DVx5MMY7;eL;P$6ufVLzxV#U@AG`#Kc63(rO9N@GH1@Y&UIbi@0aX^ zQ74L#I0wH-zhR>y`3?>4?>|oRL7#hy_(2Tza!2^tB6~{HHHmo1BfyA1j;+xsVV`7- zGmt$B>k;R^Fxh3S3TxBIj|&_Kce6N#dh{E@*8X{OI7oFDaXjPJso7)=@|2G14SZWV zW}r?DI=FZiv*^%S#>T1J*B4DEeQaOJmuMv#Ej}c6zL%>|mn@OC=VLttteg%+kAt9VZvF5u+C%8(y3s1-*0VnIW*DmuNx zU`1zLI@I;16qD4j_Rp&kILEuE<@~iwrcoC8VbOSWZenkomzWYlsyt_P0?DW2bRx3~ z4dFLOk(JjTAcM8Phl$_B>U5S!=lKv~8#@UpxFGvap>&P!IQEK~sP^H$x%hLHVS3ZN zy50Uu$j=`T1{ligYpP(k+0axy1&l3zceMWz#S9-CZNdc_tD&&Q(0xGsPH11>c@$N3 z4L$IsWrzw+(0BC+{|@#*c=Iq=%GeQc_(5i0B&@#mzJ`X)r`iv-Y;aHIyS2?uY&Sh< z9UcoDBJqblWFO;P`jBv6WmQc>qhRbn%}=cTb?u|n%gzwkH>21E9RG4O-01F9Lp-dv zjgXZ#&vR2e6e(7iu$6yW0t$l%v`eCSl`wCrHJm`|yU#R^K7sG0rPlSqc>HRRV{Px2 z58{2KOKE7B#SRfsy?&iQjD7vpv*%guFi`;^edq7IDw17bqUz>{@CqlWvfkuU$Topt zpHNCxf3A6_N**Y&Oy!|6Is>MQo(bzvKK0&yFCF1{@({-`Lw#Mi3pSGTtR=w=j3u%n zsdnKUJOa(naFY0o#k6blPMmb)O-~mL`ds#LleHKzk+_kBijC2_2Igqy!wOvK>#N^o zV4jC|+m|3}6gKkDD>L&^QBo!x{Q+R+NriW!eitxYk@93jUZWeS-6X@|=NUZ0ee_JU z?|l18MneWEtaB2z;fW7&>?}@Pr(!#K_Ms4QI4?!w5G%+X+)i4gsU+IYM-pBdA_BtY zyowIM*0LJ*nu>`mPDNx8KvrP&Wad+?aX&}i#6OW{T1R7vmR_JUf%m|;g2$_AGO#xZ zVU`?SeA{+f>be(6ugamFAF=Bq+uplYVS4Q9XRu!iWwztc&d)&{c^L6)w?xuYG?OmF zGePd%5e@Mgz2M#mUUPfMb|HmEdI~||Fa>_Of?VmCPc3O8)6TgVgB+x&Y%}jrQ zH$EaQw*!Wa(N$Q8!aCI4N$H%YMy@QXqcFNe|M&5tr^f@bYn zy&;q~aDn@i8D|tjXi{LE5;SBBtXmmv8}Pl^>j{&Yl+*r*T-N$LuC&Zu{Rz&|78%d%Dkm>n~r&x`4iiC_cYH-Ws0oRT-TjZgCy(AO>8#GEPV0S0t z0#_u`Z2=a6$3&qySBro^R+p+9K|*CdX%=2Y!=+ooR4Pf2JI4^6k7$#Qx_^TnY+swg zum?t1x>{`PAX+e8=K)qZE(gs6DO#uLiKgZ9+sqjI^hz0*Co zBDSeHsodA>D@j}cy@ItQ;G9_a^u%Z+{uQnp;cLNH4$U^c8ZDOsmhdal9)=^B-4m2; zW7%*O=%KF*NJu*s%aFMtG$~s6t>A{BVcSE*Bp!$Gi7GQOP5^;P{t31HGGc8iWYw0k zx*v%}VV#$FGNd!yxq$^POMP=Fi4it2dz6D~D%rDkQ~}({axhcR-%z3Id|-EWU{km& z0qdq%pF!*cA(;m;ULrRfYiinG*bmWaY$MZf5+RmLp8lCr5VhbGTv_xJ1<6Uc;T(x% zCGMLs5ZHJ*vQ%mP7MVi?(?lVL-OhqF(E--PgFqOJE6ra^B#nz=5}T&cK7zVnHjI{Z zRF*x-LKkH}j@ey--4Brce&A>zuV;hLXB}95*Hr=ihn@S3gCj}g3kN}J^ss2&D}$fK z`MqcdE%7xO=jhM64(BAKv+8deNz>XJc$V)S)03u)tRK+kfSkgEpx41R9Udecz!zkX z$pz|Ap(LVg3b$DpA}l%fg$`6iu|tds!CGz@jUqDy9dLe&)sab;$YyS#eF)qh(gI=Y zp-e!$OWn}^Qewx{w1*Tr`04_Lqq#!L2v2Yy!-&eqEV#6-$vZE5dnLAO*l~94vXFhD zO;ZZKuLFAU&A%}*f`&01TgabjClZ=?VpK5jEiHX}osajtd>i-NsLtaLGExo}5 zNc&aIm6}jRRlOJy>K~nZKL}@%&-TqTbyIsr4bx#vv6t2(vWpBO1Faz4I31v_IKA zBG2Js_NO!rY@*A3Y`qJ|==-|dc>zCYL&bc*_2)As?AXx6gRDL%R{TnZb#iU@I5uC! zX)H51zPWv$&iIfD=reVtojTGlFy%xdpeq%}43HNwivx6D6F^5*YRt_6|ASh}mm-Ax zwk^7c`NN_3VH{~!@R*YtgamFuu?Gn{Ia_Y?JLK(x7RWGh)Ul7GD9%a-ZF?86v^$$G z1F%>{YZI3`bf1vl?UNN!o?L_T;BFkl<6{3icoL44Y+L~h!M)5PG`(#Y^M(*5T`*tCi>83n9RB&~VH23LezXjc;sF*5d zN0*jZIv~ z<$JJVym@J+yo;SLv~ANxNP7iG^8>Y_`E@mOrkZa^2^ z?sZk;XpLEtrhpZ za2#dvRpU-2j3B;dBwg*_6v5f z#)evRc(#UGH3&RKO(U~MM=(nY9LD}C{E~?!jr5kNQ8C4tHbnAvCm?x7_E_NFvUK2( zY*58cHofAut$7sjOt`|@Cvh{&hp6msY)aP8XIuIhcX3Qo;tZbf^iwXStv|C(8xiNO zwBE;%5=gUPO#4#Xrh@CF6r6h9CM!1TmRRm79*?rkh}o679Htd|mMLV%Mxm^-mw|8o z8eVPwg(rRZ)3RxmxKK?6_bfgd%wCw+NNw(M%)~oFrFiZxC~zMa1~$=5F50+>C4Z7~ zt}o%8gOKT`jQ2c=rsLQ z369UVAe^#o9)BtX#(JxwvzHXk zWA9i)?Gwm#2ujcF3%zpldI5yrSiUlG?mn5{60Q3EyL7OSY2)6sPCr&!kwEATPd*#{EYb~QdEzGV_i29nqKXD#gP zJoYBT*SnSAlsC>d;dk(0vPbxdgqirF3vIgYLM=#sC-T}zI*s>h$fh65$Y78Y7AJDr zK^l^T7e&_lD}9X>v)OyS?h-PwLSY*Y?p-5CMzBM@>{A-iAF%gC9*Ia(HF=fG889B ztwNZm6e1?VE;^~@Y2QOaOWM~`ME*P_)>oXOF7q*^uFNg9ALJeY0|$I)#UzuguqPq> zz3GTtLGR^T=pyhuePjs&FJyjHY=SXaG%E&&0~tfC19#92Ly@Fb3Nb)ljqp!b~(2~B6xNpW+CEW(cy`^lNz=JhwpWKW{Ht>xDW1hpT(-SAJ`V2471Mem7k09Ukrx5754%xd6{;K zg(jkPZa`!Kh~%_7GO;Dvx)#E^UZU<3__8val}MfG$( zXA~|idmOLie|7jyl4$uRvi{k3*zUf=tVdJ$NBXh5LXr}-7edLFPS}(3ul2J`!$;cU zd`cz6khQOm!h=j_-Tl!#@vcy~Ih0fU2KIvzc1Wo>iB~iD(XxSq*-K*)#zf&%fKf}p0Q3qq*~12^=o)zm_`>(LNmdJEjR?#MiY!2q&X*!;yZc zC?uE|YXUkpkl!2vk<}l=v$ZHOM+g+-JPhlo?ywN9I}9FluICNx#14~p>0ufr9EKxx zhneWinjkX6veka87a5z|H;BCD=?k~MYc3Kzj*ikwT44)B#Q}m6Dzpnd>Uw_iBV2)p)*2Y`+i2PGtlQfn}D^mh<4I$>hV1Y z%!(x`q?qVw5jY2unRMX-jS*_;SdvL+Q3K$Hg&7%R9R;Kyafwp?mK<;|V#`B>LUS_X z0z!y)=-q1{!aVekev#E)iG+(%A(`t@XqTrH9zx)RnIOs`V6z@pTEl{kr$?B_2%=u# z6Dd1*c=yH^8%F58p}rXQ_@LEeUBi+1hUg0-T6uu}P&$Msr_X3)pQ13a$FR{M?Be07 z8UFYNwn!9LOyXY*r7qWwiQ@c;;QpP%*Nu>CG}D@@Y8%L~?k{U|ZpKp$hG`WIwKWYDjcn^se42ee6gB8GN4P#gxE@uvEoNt!owo#5J5b@9%5>QO z67=n(nHPYKDog)tDC`lL+GZo3XnCEP!`ddZ4@K}_DV3vYs^t01Tl{j7f56H&4TSKl z=_?4NE;hMa?pGRojeJ+Ja%RnxqzdeTfUcisGuW?+6?6RZgU)S15DUFo%s(l5?!m2m ztF~2150X8&FS{Ya3BzbPJ91#+^J8q(o1+bh?0gH~PYM*%YsgUkfq3Ne7MO31aV4cg z4g~N+3?PLdXlc(vzA#>&$*z&uQc2$tdazUiSO1kMyI+#TpBa92h`ZABoqlNoe~L=@AT%s)qUWGEp`g!I8)({MaQj8mJ6JZ5TibeJse-?a6N zHIZq0+8gbDkizQe)B4NVp`(iYat-;ASO+vVRZXe%8|L{N4b%PAjqIaZ=si+R zEWU?4Q(%K=*XOK$7_Sm9s3Bf-n%$t(54My)JQaCaMM-LHy}z*$qRsPaE2jD?*(9~+ zD0$eT$8YN$l6N}!4!m~-Y|bEBE5`|O5RK`I_iS)aLyg)`rxHfhP*dNCr)fXc$`?on z!zr!HgR~3$VzVZH8FBupSe=0vnJ34rc}P?A4owqVOHJ3&Y&K{DxhdacS;oJW#f}Mw zp)i!Km}Z%mzZ31fx0GM($BUWYFgQ)fJa&^CHIl{d!pqN)cKJJCQ;Nv7)z`f%*O-l^ z?Y#AiEYo97Uf~}LR87B1&Ac?h^to7A%7#r)R91FuAQmPc3L%GRpKWvT8>nH$rU{AZ zI^3dc@KrP~#?x&R@O2VRrnKp|c!M&>fdh~{22S11Z`nAv60jK{`I`BL24B#zU_5gpxs=Y6M&3vl0v+5icoYa~ zClG4vY#--7!3T}zSki|*I8pq;sEyFctC;?*d(5F#;8N#1a-3~F@v5P06sXxLqcx2(s-Yi^1r(dm1+D6UnL77zP9!l!awU4bprt#=*ZN7?a7WDa% zVzi2X%fMHKhRe>F)A`<%>bq^)Hcr66jV8Fpy6{>$OQ5Z%IENqyjnSg?gCr3MD z^=m@G`{DVvbDiTNR<9k-&JeMhjsWL~@f!yJU>ZeoXW9{45oYWYu_y_-_9D(lsu{0+ zJxr&LDZtDEy^tS*rBq8l(7~LiH>qqDpxj-<8bb-I%P_sx5sGz$k;<$(Oc+Ne5Z~Cz za5BNR+cAz5*vBFv3bu1urblU_8}lXcic>%=Jj6RSv0CM)zcNif!7cV`K7TSi@!J&s z^*HlF0is<@;pz}vY0V3kzZ3rm_f3ICGre3!uq2^Lt{+YIW5EnlwIB9f*Dbv{UTo_F z?(EAMYJAwvVmuf>o-H6|rY@ZsFa8?odxL#n5B|+$>&{}b*mO}a;~J7@IVVIiuYg7X ze#{9T8Ivmw;UcnHyPFX^wM8*BNj$@2Gh4;$+5T($B@M-TPQ~6-f^Y0?#?1E)fmU6C zla63dM)HvNS?$|l{7Yo|X6{AZ@A~hddzi^DoNmtbMKI08Pwfm(5462YrdmfwkPBj= z$`m2`O?agDVLZ^PMbaYQgCr#>pKs6_bHd3OT<_Ogvk`faKT!2!DQnf}Ur}eCRk)@i z{6*3^`iVurVYEz^N>cEvG+qdU3eB6W{YxTKnP1^*k?+Y6`^U)hJXxF+CVYkcx!`M` zL6WH};{^6IKgdRsmnYLt34#H!s zkYrzC`NO|L`-D^a^}L(fKgG@m5Lx0}7{QEpgfJT6*vtz^c8~#fUZQT72iwLA z$>1zO_3vHcpQgDby>71e4`MG-Kx1kp)Z8lhd{YHx;xy;$p~a6O z-Rqg3As6Ix6`Qnp0=PAm%vLFq%*s56T0FpkO6I$V)7ZqX8UJwfed0Qscd}lfp2h5F zji@X-)2yAPBcuSh|yHO@98IZXgTu3?*7b&bo)}Jx^LMS((rJulhQYH1ZtAf5|KG@OAjfzlG zT43dMAs`UZ-}o4%4G^YCf~qZtM~k4z9FCZk{1Q+8b<7NR+Jf*hQzp?{QvBU+AL9c% zYlrCu|NDGn$2^eJv#Ok#lS~!X`Iwqva__KozLc?xsnPKTh44s&44|K!?;w&!-o+Jo z1Ad!avA-5n=tQ1JGZom`6ogC2T%3Tafsm2{kCyga3~2ne&G8801A}KT4$j|?NV?oY z8nlmx=yLr7`9B2h4-vW1U=ojwM*JU<gsNGy2 z!9T6j+iTh3YGl~*)}oyj)-4&PLo#4xWzC$v+P+TrHnLUG;A77WQ#3Vdv0nThSjyC% z7WNA*-W#yw_~Zn|)ET%_IcLT^oWd456#i*+IM3@vwN^W>mc0=*v$}TQdA2jrUQ_#F z$ynv^YCr#{WV;}~9w9H}6SeK%@!byR#YOFl^jpV5Zq?#C)|Sh9^(4i;gZ(p9R0xpDeb#7)9k{7gZZa#kZu?Fr%KFtk;Ktx6#}d)%mdgVXgNFtcQvEGiq@3Fs^8%Jx}cy zk$%r0daw9LSj)|;tGV^y#f#;_4h$#pzE(?IL2$)<{m*@A8XZqx=sxQ1W4)o4wB%`6 zcpon{LW)ZE?#av*Ji$Lx`=F9+7uSa~M*gV~aJ_>I-nuyR)vVGUQPkJ5wc?y2&u<-JWS40I(fIOZ?MGB|YU*b--(U~tqiJlA9?V> z(9V$>txgg*8dfK_XPFkUrAAei-`{9j$<9%Wr}}js<)1gQJ7S9Vka=BJWld8fIOO=} zLRs0Q1Rf;zH_>=^2tC27O{N|C$7n|y7=T329*hfbtf+#NZ~Pqo(5FR>`zooHJ*sNI z%(U>A`;kBtD`}Ln3KHX{n~_g^uNo^AgJ-bacg0ot8X&L{Kih8r`oaMaV4?H1143{q zKP-lPt54LEpGXAq@l(tyU-i^^&ivB%M@KNUdfb5j6N>#(HcAjX2LDQ0mrhWBI!VTTep%wrdbu z^^V=eGHxqq8l{^i2|Fa05Jn##yA|UXK%Sy0e+SOUC-2}ma8=>KNwH2paIpFw$HqcG zGR-$}UD}LGWLA4p$72Pb7Q+7CqObCHKk&yHHcrJif-C+&k)1yfjh2PAQYCA{}ddOo^xZlW`)R z#GH3_DCH$>C+ZfHB-bUx*zsb0q{{R>n*t$1JfwZTkcXw*1Bgp8k+HA_N1L*l#nu*# z^P~^*Z75BUPGdKD(29rQ7%U32Bp3S;y*d{>;cswT!9{9%)C3Zo^JGf0xm&nF_?^$F z*MCBNhs_VVtA+_16o+CC{ z?Dmj1t-V6{U3|rUVxeQ{HYU127A6SyWlM;Bgf?l@oFMvb{4kV1ZLE;(kx0*FNKt7A zU8zWtK!l#e&wE5)#eh^Ts|}U4%{toO?33)_X!SA@4(yO+Nq?~~t8l;EC`fpB4M5JR z5Q5rV20WBop(A4mmS{a0?Rm((7M!$M`gXT4*7T`lG4`>MX9|P^i%Y^f&DsIB+-$6K zINp>`b%YQXehh~&JGiChA8nZn5Vqxm%JF@sDHqYYkw|wxQ61O=w)qZD>)~|WncER} znt5M}vDH3$80Tgn5Jnu14|1F2P9f59)3(d26n5oWkj)c_o13-w2tXwHy4D|Me=Eq^ zCs?rCYkR{^OKeqUx{;|amkn;OgX~M;GIzLe6G~hWu8V=(NViSTJxD94$$Ak9eDf>7 zeJi~on02SYC)P#7vtL1lElBr@6f>b2d_SdCl0A zaRikW*5TIWLUZgvx4{2w%Qva@WdfvJUf{JVc|Ih6CDy9t^=tww_6=wMVDLHPy0Gug zrfNS8XFMl*tNF<$rbB!$M1)M$>uP0X&209{S_MRED>eh<#lQop>KV-(U;VTO;mudR zvHo^t6T4Aqbz}BZ0X1Cx)U=A-W9N^yvcGFkgVAP}=lnTJZ5*XWudH2Y`BVFqkhDtM zR)@E+YdBMC+f#{#_4e`g`j=E}D`mgV_8G*%{k5}FPfV)Uzi;zww7kJic8kB*`L~r2 z1$tC9t72M%*lU2Q2J-aT{=5p3p=Yv#IPqmWq!r8g#%=4|pJ?+Yia$rNQv@UznhnQ^Bey zvhP8r?2Nj16#jbC+gB5mNdnBr#@qV*C_29p9%i2sv+pVMAW z^(_1|%#LOx78v9(z2rgh` zowD6z3T-z*tdi!yO5sU->n`xIEzwtKNGmy-3gDm~WLQAk-479&|AZ@EOCZo-04xcB zqbe%_gJA$9QUFfYgXrpO@BtLV+mnTFfJ6fLJiyP^w+Bns*API5^&Anvl^DPsS3TYO zFXpH~x&u(()xdxVoDAsB40*nKIIhY!?_Zz6Ihq>poY@zEs`b#n8Aby_2vQ7d{q+qs zJxvH;!+J{UIaANO0M|udfZ_OW!%=!F1BkFdCGNn%3_iG{;ha59fg^p5w+|1r7GfUL z0)PG2s7K}P0|LJbv<>o3dvIj|XiQJ*05k^GfNyV~GSE4JYV;b&>TphTSz8=E6z)PSOkOT@w8-V)$ajgRQn%nIP^iR(P3tT5?%)hT^ z&)NPie9nxTo)HI7xX5Pm|AuD_9M<#G|1Cu0|8rcy9WnJzQ9X_98NhG}?%*4H`l08F zz_1N8ud$|S>I@j871RISrI42y=;A<4Za41VUqMF)271p=ZzCUjzPo+n-0nc&Dg5vK zbq5I19yaryT!`+Hagiu^~5dO(gU}?H9xS4h?j0+^Q(tn3NoK~A8^f1 zl<+@`$Uj5p|FekvYqkELMdW`L5wLy&CdmJ7i^zZEa5#Ah3m@bR6P{Q0&}Qte%2L5< z^S8wlSim(pO~AiK!V#kjPwz281LRhB2x!5vnm{6PhALo!Z~`t;vIq&`k++vVPR9!a zal9&E<=}y!N2Lm^*!Fm&=`sFDA(w^=Re_t6#0zhOPp>-nU8Dr#hCFUPg|G`>SAy{` ztyBV|2cB$_@npIaivi97;V(^(#Y^TWJOLa$pP+_Hje@}q>;QNqK{AQWe5#e#4j4y19+76e+D zoq+HIK(A$4jN^4rP{BSN(J;KTNC#W&>S@{FI*a!a@N~Q^+c^z)0uN=vEh}8h5$wVv zL0FQCIGtNbd^o*m7oI|PV1b!}!@VD6?2}XQWNR9tCVZTm3}B*KCjT}&1BAgTh|qd1 zu4Z_H>)j{3RRR2C2NLbeg0N^yKw+6$L?1#CnGxWXnF;g@3$qIljmX}FTB3_LA)-aG z_JydaTGPX`;CGSB3Q$&rtJeeDttg{0t{8lq8^Ygi%~763A8ebwda~cSLo9$9Cbb>{C06J{n@yz+C{UU%+@!FMmI!@4q z(UCU)&UZ5g$NkM+Ztaug2d(#3$d7Fm`k`ouQ7a)o%yJ)KpyycQat%lr4p0NjhY+?g z&rASGZk&kpAfQELsSzdR8j;XQ`jD5U?yJdiGWWL6Cg*W4$m8;}5!cT#j^k)KZPiUj z60=o^uiENyyAES-bLrGxkm&|0O+!1j(>giMJqVvyRn;^#Tvd1y>pm4kcbQiQ@cH{8 zcj~%rH;AD&5f;=B2v-s+YyzNTlA>alt&p(NH2A}^f$J~408q)At8dfYt(lxCJ>S9N zua#4MjdF2IF|sh{xDu(R40F+rNbDvtNnUV0`zL66u&;RRzWe0y)^W;fQga3;mL|Z^ z$iJVGL-JocAE8NYlY~Y1W)JXR%%oC8H)mahEd4q%HoM)Yo8v(MVUiGrCyk9j*IMvy z?qk4-%)`_5#guT_Pa!%AXMi$8s{2EofJ*?~Lx<#NVt)p{tjotYaJ_XFDJ;ib2U}kb zfJfbHEq^S08q~fGP1>TPx`et(IKlOM5Q-^SkE0-p3R$gBxL?7s?Df#jcG;*CWFwW3 zp|A)AfT9&cX|aA~2x!Yi(f4RH_k;8jZkj(CHBW0FNOR<`@J_-j<7i*B{znzv?Srgh>3erh6APG^kA*NP5f=*)?PIeo zsG_BLyERei-ikB0h2AB2z1@tA`&C>*X(3`E$)T`rbH&4$FZyM5KVL}G9)0f+9M7fE zc+7KY71em#wiz%)i*thM4)?x=%{VF0H&^f$ts)d#D}HSr&IojnT;>{s@XzvoVLKgx z!kafU;@|$g@?H)m6nvGL9zVs5N335_NaLcm%M-iTC%1LZcr?uPerGPYt z$>ey;tU{zcAh=%bO;Z(C zqfRemk#|}yFlPOqYO0aGQN+$&lI?{x2uBK4n8799 z)boUh!duOM0@5x*XqCf{O(0S3!h#5SIcawn7WE>6oWh_!UPBzd)YkFEozJ;&+4)U00afq93d(%|h77 zRw(5Ia(`UA-A_z-{~-yl=(^xu!ioD{hnz#pXvn(seu6J@Em$>5g?f5H4KAt9zvpSIimcB5@I7==zL(rrK z-#XtHw^;b>6&SkdH6aUI@eF(jQbcgLEC?3zG9GB#NnGq+5yq=PcjI^vd;__3fyURp zuL)qW47`c2NMygEhr&s8lZKdDbU3bV253GV)L?Dh&+N>Qs&db;x@=(Gz--eJNEWWs zr>U_>-f1p?t2>&E1ZiUd$q__?b!mBi2f`j<1CHC4NTOO-<0xSew;q2g|6rYmESI_8 z0Oq_0ulH?~uRvXg%RF1na?f$$;;1l~MD6z>Q$yNTJiDk9+bplSUt4Q|t`6toD-PjU z+g~OF-gtf?&M&Ix!YhvB+Mac_pzund@?`g9pY`elJbK^siFJtT>z)+WOQT3$ ziD2Ck+#bcbh-C6u%v`?lYzUEIO-nRw6fF7`A+QR?xj@$1M7Bu7TPKhR$BU#vdW|b{ zWDu(y>;9CSZT*$&1G3T+^Kr$4wrylV(nZimy(o+~Dd-ilrs7d;9)s_-?67W7h#ev4 zL*1hTy#8q}zZB^c7`#hZB!BA}qZ?zJFNIm7dimC)c%iUWibUN8zl)7+H z7upf36Wm%VbxhL_pzgBfCSwi7@!sz{b`+iWjO@6_4jeIJ{&Yn5;Vfagel>;Oip?%Y z{DUF(0ln!{z9BaUP`)UlEyr<4&oKOhY+W>F>Y}cFfS;<%H=a|qZF7ysWF5XsPnFje z;iDYHSHN^ze)Cx@@?R?Dad@Wru$qi2@@D)|_a+x5*>Qm>OW&>W=*kuowebNBGr$p6 zcNaCc{sjwEw6}&jHizr(o1ceTeg}WOK9QrNb8`@J3TAqbP_bD-&D@iOB|7>P(Ugvh zXuse8^r3?#DvpzDyq^`R+n{VQNLOOm)n8*zz#-h8iQQktkNfgLuOHrVy zs8nIc*V+CMU;`Y)NzDuG_b{-cm+PxTOxJT`h%+ikN+f(xq)3}2EotN4w z<#gbg5D$$8=+Ei8xpc2|92V!Ibei4tD|G=9OL}PRF{F>Cbcn-7J~P>f*fSu+VkYy0|yMT;d@g#sn`HpJsQetsD{tSeLO7 zdBcT}Tx(fc^wrHq&sT@0k}qr@veBA41(h6`%|#g*t;S}sQoNZY)lr6{CuX5TdGJxx+!OzQxaZ1!YQlg|XK z6RfcC{57D9exZ1;!nqlZeHKacGoOX5UP~RRGxf)t@w0HYg4*Kw$XSBq8r=ZP`*KZd zl;vUW2QdDpH1`8@Qp7)EZEjIe*Z9(+AR3*Uis(B14GmN7{+a$pIph0E=(}gy{HCX= zl=(|=rdG+Fai4=Ey=n5i;;djCOD1AtX*%+aot+MiKffE#HSM7DaFp#hj>=yjgkyap zt;aE3TH{A5P_b=&5vR&O9C}zj`i`1kEe3o(gLANLqPz(J8DgS%YI8TWy1}5js_Rz^23xz&3Odzl36QU@!io zATJQcHBBUa9QOn!GRs@WDz&~boXWXFkYJG~;$^@-x}tR(8PC z@&GK(M%QDg=yM@fDAb=(`AVABLkn>v&B0Rsi6FeE=m!hl`~kMxqQN3{mE$5wu=vjM zx8n3)B+!Z3hY)9T35st=lw?CJ#|Jb zKrfHVCE+^u7E^u?A~AZA0%^|x{rF_-AHnT2Ef=M7&*sf@;sT;;x7`~Mzka>q$qH;3{nkk4Z`VqXBL!R**Xa*mDT3k6IW-Phj1-3BND)5y zI9A5(Iv%7-y>dKQlVj*mgpZosK_aK^>gW~Sc%`GaVY%UiGH%o46EtDZ5_hk}{l`xP zB|UQ^NX4##KW(oj2Q!X$YlGReFP;ciXZ&&_SmT~%IH`%#v}SRp$T|h@-MZ^!$k62T z%fp6eaV_B^M-;UPqbIkvh~sL{w?s@@!mWr*zsC*IfjfY}f)vCs6_Lb&}%I|Re&bd=g=@u*q%1@YSkY7vKvuVnjxQ9n9UBmZD$jaut zsTW|*5`lt`1O9r6|tw2PlhjB zZQC%uR%P#scHeD(J^3wFNacW!Pp6#ANm-Hl)`*d79q&XhEpU#X@yV;s?X{mQQC^-K ze4@W)N!YpppKMr`6IXlE=T2OgUc4^t^Ii9z?Op%KQ-yIm=bk7W_>F2qZ&&^E5A{l4 ze=_zB=lADQ@-y1sZBS?a`o&Y~L4W-6y*dliRE?WRjhbv~Ijk8xV~?@WwIQxq-qPaC|-atpf2%_>e-^*C$5~&-_C% zYD6~U8C8_4YZ+CX|HtH0x}p0zMvW}Y*gP_2gvbAetGK{{N=nKuZZcc1r<^Tmp1gT; z={UI|pN?-bwTA5f0xMz`4teGiq4%U_p)`5i4{@atQ(H^6lug$yEgc)T??`Du<&mpm zeoY57v$pfc_2V1Pw-it4{a#Z<_S~x`mND`r#POdn~#cl*q*_P;W= z@AxLi(&(7OTh@@M+8e88>7N&iluzaLy5DBq@UbT0P?s~R>d1SuqpFWxI~rBQDcAZbw5}dhZF1U#`l2t@KSt zcz)>q)v-$lcXZoyO&!Zib~e59M=#av_bQ&&&AB}9XWiW1E%6UbIG6GHB`&&g#OrhA zO_T3Qj2}?j5habunmF&Xo&8s&e$oE$hx4x=iGSd(Z?CL{9-g7=9 zOe@KEPfIyxSZABy&7rXx?fLB7iJtPZ<<}37T(bN}PP1fSeU{x9tSzhkh(7)`3~hd& zAtrkNvA5ltaQ)!omdRyvms=mn&l-4L0 zLg4=1@TR0XKjEF+5)=#6losn;gzv{rX}(H;lEA|yP!bI#kv%y%dzep> zfyEn&z5Nto{rf4hrM6Y&I6UW(UN~M^wZuSD6y}X!k?<&wOeVb)$ct4%y#~&{F^B7g^6&;` zn`T!*oOcc8m4<=}9HuaMaW8yd`Y??bii_I_|5;YUImz3KJRS=Ql@|9x!-xv5y^-04 zX*dd0yp?!V@Z!UijtVza#Cg~4A*WObPC=eQ$H^b`0|n|ub|GjI8H+a1I0drEk&zlj z7?g1@UJG?K-;Zz{GuFx?d_}lO>gmFFY~RJ;VSQfr~lvd z_*by70;s;Dd#-;iLIf)eSp=@XnNcck45Gl?&S-i#@gwi>;)la)G(3#(NPtHiqm1jD zb$gs7XTcD;(M#Au{>u>g`^(5X6y!GsiJN*S-1#Fp>)#*4fzJd#(grVT_3_h#Zm4fW zV)ZTc4Rx|wt-)cpULJIO&~bPI)^wDi{$71U7o@lqECnT>9&|h!Yfx~C2A-)R+Hx!S zmiqY1Z*V3Je06#d5bYX-*k}!k`ToYBTgSmvU!YOn(%@j?Rg&)qad}jk9;{X@M!?8# zOvx!Rmd{y5lvtH)%qc;}lyYFwFE^$TV4lJXWlqTk9IhzO!3pWl!pCs@9HTR5m2qm$ z9Ab=2DW3zMtYU!G7mh74LLes`e(x-wgB?sAo~ANRE7`^jL^-5?bj}!b+USHsEOGFw zR46KE)pNLBX*5m+W}_zRMoDhulJ0i|NTq!A19I1KlBpL ze*ACF_`S~tZ`cJ>^8cskE2CC|-Xs^2@GogLr$q==q*_2uSrw4P6lN$PlqStc_=kKe zUJhE(DAgH_ln^b{rA7a((2AXbosDn|rNO2pKnEa5Xn-!D9gX_yB!C1<_ai5Kr3$3# z2t%X)R#%1mWrfYI3&=<#8@|S+I$uMPw%cN-C+<@)mr)uoRh zVM#GK;g4B+WBb3QrGdTslp-rN?H}6Gm+W|U7BDZnit%k#>HL4GO5-((xxuUV1Y)Va zs-%x>VJ#0)2H8vQQrImt5@Q;ToI*58+4dB&Nujucn{qp-*L2O*i%j$aqRIY}0z~DX zsmr7rn%{+RX+xE-zEP-Y9s}OuOVr+ccOWL)9&1-%)Iak<T%+BW|d35o(h`NqsRo zFe=yFOJPfsfA4lQKzt@VgX zn-@*=qt0UTnH>O%?{JMO$QkpeJqcPvbR5%YFGEtHa|Q_HxDhwpSrK>>)Dc?Hi>uS1hOu?AZPhEB?1YHN+K5p6mDs zTLPr>zJ1n>y}JdtwR-k-G*cQWczkx8c!zp^hk6mIIV{qx$njmXZdl!}n!SbT9d+IC9`LG-lO4y4hGD3vLd z)*>hKFlXSFARCh?EkUW$l7O~*f2kj`ai2+HklHN$FZRAXyosvq`wP|KKXXY&TxzD})e%tCY$UOBmZP5bc zyPz#`Vd7Zdg5L2*O38xor`~@Se4x1wJ0DH7&eIb=Qt3?EfU;)qXAcSq*#^rgJzuJP zXbAr#+C5W^ZL%J`=HzbWE8HgYc69)9eq^Ahf%|<}0!k0{!X-_Z|1bxL=9l9lFVN8s z6KAAp6c?_!llBUh*G=^=Cwi30&#_eK8$0;RBD0{Myx`5qNr0&m5-_}x(^rYu1fg&9 zGF^IzpYGj8UqYFl4_HWS;Dm$`8R}duxJK5mK*uT?KhVW#4po%j$$3(_kTbrahkdQV zoz{AyxKfcxo0YZY700nQ$dGQEFAe1sfE>RD?C|RW2t|7%IN_aRmXO~66JV)W%pA2B zDO$kdUx%XO+E%iALhoP{D2@j#zM3V}OJ9bwljp*bN`-r3`oLkO3#X@@iF_$UkmWg=a18DZYJ+gHQWPYLA(xZvd4D9B9 zPPh>ja@Wp8?13N*`-h2tLb*E)T$`T`gd5Ml9SM-N(Qidr$<^uH;3lSJG^}Rm&a90d z25fVUxR>Tyni9#3hSQe!Ot=R)poKy);F@gU&gq@s5usa9Z;kLE8>T4TQKYAG1^nF* z4N&FwFt2*1S_z&}is*>2sCyJ$d;@=cJy65aS5SJIBQ{=A*Wm~USeGk_QpB9Os*D87 zt~yxn|CG<)-jf_M0mJDad#V8!#=@&bD1bFV!2dIl2)_}=D=`0f#rZSTu`RP%blqJ&@i$U#8M5C^{|fGHTY-v zIAGwq7;c1v$gI)`tL?=pyM*Gud5 zfbL+aHNp_1m>X~8?V-Do?4^Ow0wntyFZ*q@W5jU!I{;{}dfxCmu`3lhk+|-T?1&5^>uN*FW>;fQ&tbLgz$fDMBM$=MBF1 zk>ubAb_YF>fSf=oKSa)+M)f0UE3Xy@AHz8G=#tA?Pt7hEfK?~ zc~R}cpp2Srb@#0~Hey-yTOn7y12+a+1_KIhYc&<{GIczoysuN2qwrZ8^c_IqGrUdt zn9V;!JNS>1pVc#(H3v6t3#Vt#ryKkx7fO(K1~ILqDOaT;jpVxuiSV8Q3CzO4137mg z5SN9|i%O~oqLZDu##l6twWm?I4XW#p=n(D_hpLz0W0RC?TGi(00oUkbkvvMF&1&KWd^T0?VFaS%ET6Lcm}A#y z6$gp_;u~WS`?+gw=f+*gTs+>M&$l)!L=zq?CMhRzxLHi{KSWx?(^ygc2E&KYQcaZb z@W`pWg(%!YMRgzwcMfOllxKZpN zE>zx(19l&|%dxfFKO&Dhcj{@G_l^iGBvO;?Sxw4*1YU|k&~Zb`Gf`x2<2$H9P1Gp; zbR*2b$QU+#n5({_mA`%GRS5XQzeB@3io@+dqyv1GX?iE$JYCqx3raeI5Bn9Hn<{%) zlsPFmMD%?3&^{dYH9jK#Ob_@Ub1gPSCkw}E6HRdiOidH`dT%Q2QnX3el+ImoiVK7a z8dMe{|7B)E+bd#sdKTtP=L#4;eO=F)W=%#rXOxzr@NBfcc(%CQt0jv=H5&h981Czj zUGxc>aDQq8RR_XYghNhJn7_kbp9Z;~;UW+fqc!2#(9uRF{B+pG*Vxw?3c6wEQa$bZ zPE|=aRQ#lCq@m__PfGhxx{eF`))ylG`|?W50geAYKr=&fuN^`nmfx*!(eWI3Ivt`x)bsJ$)BK1-es?*)`y@5Atv)2QgXM-zS& zrrFB$@JZ;hdL}&e3a?zzgg3#%?MC6#@Ti~zc;VYzv=M{WqjU4g_!Uo(L3lSl2ykPl`zqH=qvlnR{yP`ACT)nMK= zat^jWcKLmPZZ{J@M;~&1%vLSnM>M}rT@Bvw`U3`bAe{v7R0qr&b-UWuAd7uR0{5ng zGq$&AZPuk$?l<1KgjMz>cz)~HbUV#Pwa&AG(gVpd?u2o4d}XM)iD`oQPdk zcu^Q9)v)BVs0}AW(tq!~Volg4cB&{s(Nx@p8RY{m*U?d7do)yHiJ+rhan`%a^(dLciUtUQjY=7bLl z9uO0uM>Qin8;^6_^f=Y+6o->J7`qPxyulI4bHxyT!P2G&VDINOkqB<-0 zOBb|TUE#d6lr6GChzBbXp<$HkOG=!uw;bj?mFn}NHG>r|6HT9V1QfXe@=LIH{EP_p zr(;(yw7EtY)Euv?CK+&N_$}1iGQRXPM8+3XqI%f5h_hy*k}im?^JRl}3y^Q?^H50& z%GL)T@||Xs3(3l1BNoRsb~-j($&hN@ic#LO-lLs4V=ZJ4{R5$5 z#g%R*D}B;B@^zH-t{|yX^{pyw@KrKgy~~(1J2`Ty1fLiE<|)SH{OEg*{^Z- z*?OtQLJFgUr17je#Skrg=K#0VxFnNgMSHD!R^1jC&2GHPP6_>_;~%j6VxqTi@8N%S zO($tJAu|PA@+0yTb}S%RV$w~S0DD~L90QvvG{BM;M6@?u0UIocZ`+C(@7>ZPT){#d z7^sfZ%FQ5(&5Yb6kLM-nS8G8ZjPFWL<-57wwg8f+aH%Z^G-eq2magq-CQ7%w?ROL9 zVJ!BdMtKg(4H0ZjYDaRz_j>v!s>3wE#Nqb^kQ~pSRD0maJ>p<0)0cn<#obx-4I4sQ zUA;1tEJQzPj)QW68F*3_EFHZemO1^Zb-^%1$26v(E8gC~^CS1Bwwl>=re|m;`>{k~ zht1SLJz-tz66LLYk)P0H%ee&0XqWPu;S4XGroeb`CZ5{VeyHu*s&Rmb(Dp41|5R<; zMZSY?96In}G!ZN!U--Y;J%#xgC<|7>Ix@Y(^zM8&VKBU^e=`#evwW~{7pxnFu!;-8 zBcdS5-}_oJu4B4?c&KDkN2b$n#lFrc+OKUam)p^~qAT`0Khj6bxh8rG6(S5B?F@6YuD0)cg|b0(%F+>>4$A7zwv zVeyH)bfj!W5p&hgd<&r00vI^p(}q|2dvM)J%U=IjuDk~|Rm?&(QZc)=vXibDHkdgq@1b3<-c#yD zbm#ZwG%Ioyw6G@XwH&wKIRH_w{3+VwZ6}TES=>N|%I)l34Rk9JqK|@QV}mw&QV;<8 zktlKsD;%2yO){){Ap}e-_uw-fKp%S=wJ>ZA8z=x-e3hRL?>?+I!&m&r@tV7M3aPOUo{E~ z5Ni*};ao1EU0|jARj`iZ$TmwMDd>cJ6OmIkpShBK8(`7-hvCjS|3FUBj78xn05ST9 z(^o2Mkbe|JmVBzz#XDCd;FGW*{*LOpdCC*Q<0=AxpT`GQ4VQlC=`KO4XtP(Da1;Is z)duF!6_%*E1U9t!u3mi6NYwIybu6*Fa`5=<%KR6=rjh5{4H##L78j(&7N(@%syrJ# ztvgZD>~-ozBL0&$x<@lzT(1!#MgWgO`BrD&XR7z(z_{alwMDkNHn5%U?`I72YXnh%?qwp3K2|edfJ89asU20GT6m93U7}Rq* zFp!V9!#7>)T3zBC!`A%f{v3~%ePW7y*7F;XLxh}Y*cMEPB4;gcH-BtLx9K&btfM<-n$z(O2cj2I8189(~^d0OWk> zfI~ICCHTalJMAxmUn&3*?YhIPPIV}i znFW`0$ZLcgf zDtj`0OdOd_*3sL8U0l1`6K4rrc|!WNC+X^%F4G~xOWD5x|3>L2n3PuEhe`t=W7f_= zwW)}06xuw`5c&fM|Hq5qdxG$aGa*k%2pZ`<>x&RgoAo79cNeHXYT786m6Z22ZCWwO zSEp%1u?aa{BfUO^J|tBoxi;|iePerFZ{OWaps$d?CF>73CmCGZ?CyvCuHYmbb;KSTpx)9Z4Jj=ce?zH)$Dyg~eVXc(Xy5f}HzV~n&33?yDY<~{U$G;G0~R7C zFPCH@_WfZ-%PXd~H^ic0AZT_Jqr6dwYc!%~C1Zl!?Nz_Ea9)Er+t)+OxeU^kL|=}f zt;kuD2$U}zYv6v>(}{Jj`ui)(InUjG2$VmqIdGIapr?cKUeGIp(Uq6*RbgXH{*H>t zUwH|gz}?T2tFRp1Q!xcL?=ju>_VV7SVlD#MU)1b)^FK9*Z&S#p|;!3SX1 zdWS~VO6!&4ktBd;P{F^8*zq&e?!KSclobYPX+JPAx8&<-mRitGE-atfo(t=xiuTGw z$f5(Qv~n47*?L$6zC>J|K3YQOOQ*S(3(_ZDu1pnPka`pHIhSrH2ACpS-vR;>>xPb& ztO3$tJ)K7L*4(0gP{JLTt0$tstrnY)e(%4Pj&W}GyPTv3dcieynEQ3;{@T(E=zh<~ zZ1UUmww!?&1+Ts#RrP>1pr8b8oFDx`EVbX>uKrErv2tt2BTr#3xx2J87;P?D%Q?AJ zuLw5R;GSeQ)C)zQf;<}a1x@tcP#3f+r|O*3MWeO~$kKW}fvjk$VRGpV<(ekC3->2) z;!dzziGHPaM3E;*G}??E%uE0%U#gAX5_7UBy66g_BY%l3<}X*Bh_(WUWfHE*&K(w4 z_H+IlppUL`K59-To-fUzRiW^&KvmcUSF`_s7rLVOk*_Q+e}mAYs2+5X8Tp6~he@Xt@W)C(l3^yKw}Aep=E=shoR^x z#CG%1V96T1ynjqP8d&-qnh}TjBlQ!|3_!k`ozo7};nz-~@uv_SUHTIWeo@~A?SBD- z*!bqo3|!xU3LZuq2BH~mR4@#cIxusUZn(S=dpFKlg|5{iq4v{f&}=CL#OPAAkDY+M>5q@@%C?wFyk^^F6wz<*oR4;M$R&WJN83G zlbyXydfPy%q^)`^y83mL>`BguKDO!T;+(DrY6+C(dyDv6g4bM&cyh=1UKpfoPNVqS zyT0F9$xi5MS&u4z+XYl1a%Z26l&?(APwW7*t-MbxAJ}tx13w9N{x0+R!65+GFFmEY zjcQ7qGQ}1&D$se!$Umt(8ZSL3LrYB=e><+|g>vr3W%0_pNGVr=mzF$D?ks%@5qbYe zt+mK1uM9t!m!zQsm13>+JrZbz1$g=rn(Fzwd(M4MM6Z$l>3A}fChK(QTkxollzHv9ya2hIp1hNLd5h4Zh;A<*ndut z-?f~ObE=KNTgHo^@?3TL7HOmo99{;#UXJA?iDgC=Y)53PYkR`Ref~~NhVv;CnSpT; zY;RBIb;f*8Tx_XeF|N-;_Tk|7cH~NN_;*%=$dmV;h+Y)A0GB|Gni1zSV?Q3+g+)F+O630 zXu`D>h*{C{Nb4*qI7k9uy8*grITh#&ekco+(k>yYe~Vo@kOO8YAFvcBy}#K6IWs3?$X2l*1@2pyIuN@%I=PVv&?H}g8V9V7M5QJN#nPZsq&E=V9F@B zl8*9mIHYdG@=2lN)v1=riO%sRg>+JmBI_ce?n8q7)`}^~8w>ua;cM8Z8t#yI zr<*C+7++XJ9G>Cs(g(CTkm7Wk;8iBX@VaU0qOO{NJr#1)=pwHA@Pn!0LP-Z~U|K8YL6;!OAZMJ-y8il<6G#-xL*vmxhx zZRvOT&H!3OG7rKt*neQQZ;`xvPwG*vFwNBrP?N_9ZVM z$Vl4F-C+ukVpDVWQTJf(Zj+dt^8(^Vnqdi35=;`fokx3CCz1;1U3x*b-wm{4{t>K0 z_(gdGam{*E?c0M<)OoJ4C{xSc;(e~BV)`nfdmzRCB0FC!1+TgMrn-_5(_j~~Ojow4 zDOvqSTXefdflN+J-;}O!N?&bTNBfX0@|k^#)B8vr5Kptz6ywe-o1MqaBgh(hD8bWW z3qNijU}39Bs|=2C-!)DiPTQ-Rkb24D1Do%lifyj&QczC%X=0gVn5>k-qYB~~XX$`7 z4|{OIqAZy6?d3Gz3Iy)c=w0H|(j`hBj=qKZN{`M}-cAUAC3Nsba8()~P$!|PiQxyl z^(~eDUtDd(aw{j^FTHD|o>~p0&JF+t*>gAGSBJk6$C5)JXL0RVbflB76&GI?BgOOR zbKKDkYT9=zsxw~gjq&lvku#`YG#~j2HJ(j|ML^_YXaAf3=k9{v{*lV!g|H^+%8KRLd!;_8!##ZUAZoYp&t~`A0hw{OL zR%j-(^B)F3LO4F$8lFU@&?Jp#g6Y5p+9k3hGNt6i82SGE8XE9-6$3o5U6=qIwy~>a zgh=zeG2g{|+)6!b9Nr5R2S+?!l|=`6r}52VL^KY+6_w48mLXC+|57Hm&d5H^wz{4Y zq=(xRA-s?c_=m#ho=6g)*bCt#UdR!;0doNO?LQ@<@ID`Kjx9pK9pejY!uy;*q$}^B za4z_W#-qaNQm4tvOQ>)&?cl3Hg&#r#b69mHt|Gh5Kp@ldF1TLhL{M<2AlY1n=rlh# zii5x8XVC(HQcxWndZL)+zBAeH?ihLt*@u|GG?({+?A{s{Ah5P`PATx=V$r(8I2@+@ zPeQWOZIUMCSzqc%Cdme&E4NAUl=KPLDI!vjpm3I4fIG35y;uBwf}23Cb5b%Rs78A+ zVRFp%o`W%aOsq7Qo<5O$we19*Tat}R7NO}c=RA}Q8Lf~fVi}f(M>ER{N-)!&*-R$_ zRyQ56F>)pq50cfqhp;b#=pbJq=KCoPtkh_sO2wPVw-5mcC*SVF)5-;H_$e_-{aqh^ z3_=%XX~UbORjMk9;RmMAkbG((A6{HHPPL=(LTINZ6qzSBhvsQqCldUZNv)Kf?kd%X z2cmvn%hojzXR?=*S=!$B5S8_;t@XBJUy*A36)U!MhoR(T1u3o={)q$IQV8Ob#S6ff zBFBqKc%iZkx4sc_AoX6tz&P+~8#E@%jR|lcichDDhlUW)WRC9GWoBh&P z26|ksYqLqZm34#1yX+9G`M*H=(iP8OJnSm-?om3ZZPm*K4ZrT|s#xHOe+j55lP# z_1EhPE(m#aWE2@*augBA^5;=2?|)I3e=ipBX};n z-Gu~Z-Wi4FqRNe{!FHXC8s6jLE!><3?e?CLdnw)zcD&)-k0z;Q(6J}z2wLV@o#6En zdt07dw6oA(QB65@_L$84mWrVGC$-w{42jxP8*w&Hx}pSQP9 zV5yj&O$n~gMa6BxVcCIJco%xl`PxCMLS-_E9+18@R1NaI1u={Vd8EY~4L+i=FRjT1L9_k(UD;lz3bh5rM`GK?T<$Af;!D4KS|TKKSVO3#gkImZ-_10Z^TcB7}9|o z%!(b3T_$2^C=2i3Nl9hsZL44Hwg2$!i5> zoixWl);1iIR;NR(+F6~vLYS>qAlCppqyjsqCjdSG?t_lmFIm(l5NU|sOKq2)CxY)3 zj$9`8Ne$pr+hqXb!GxxMbkLPqtan5~%P3-3N15_i43r7Z`>mySqR2azT0L!6!PDHY z_yPBDvVij#+4kxwbGS1Ii04t*>1-uRF3y+X0S6#;X*;z7OX32u+$q~VFDFV`4p`?L zblBzOdHfyfd~9K|Al&3F6uO!z9qr|Ll~Wey1 zPC%Q(F>^|A>)O^|?bN`1PAnr>ax{9daS50+t=BC6zE>R=4R$(4D5VX&fBHCx7xKS- z<}zTTsx#2`ov`k$zpF3EWfvD(8$vUNqi~Ako{u+ji;d2M{P|qV;2FNL?HjeUtMdy3 z>{#Uqkkq;Whs(td>Qv1cP85BUHLdN%4*t8{+Hi=*c716CoMr$J4^MI~?pmvOjdi zD7^2QX)fw=OQhYMtCr+%kLZPI?nGwYPM&IVfTyHy?XBK zvw2Y~`Cb_ZDr)2vTIJJXt7f3@(aF>$wQx#~&66JBYS;7KW<7@@y)6Go@RRN9X}(Y+ z9rr_PzqdY$EYr+1n)6ePL4Z4F=1%SO7I7s;_hC3aO)0^2fB1>A_Wsz{4Bsu-`?9NN zJNL_;9)p8m^;r!Die~%;`p#Zu{4Ga0tP5|32{xJ3w624}`yq*z$E?X8Co7A!z97^1 zL)|@>STeq~mI}VHsI?ekEykc|8nqw00Q>JTSFn1{v@sHu#63$AB9#Rj+cm$96y=_& z?2EC70UNRRL#4CEI@~1Ap{;bTGthqBvh}be{lxu9P~+Ba_5~zzH+f2aSe&mm>+G8h zw8gdF>I_R@Ti+%YMLYXm!b%x8>@(?O3MDQV29;MM`u>3j#5(X>E5{jOa#Zh{W>GIA z`vyucuZi*tVOhTH3?`^uwc&d~LajzyUnUoKKf$aHFY!L&{FV^+u*{7X@w<>4Dc$kL z+4P8_!Tvm^gx?bCkA#2bJi{r^qw@Yp{%yKI4(uMl6&L_Es%v2ieNq@zAZnD=hzt`F zep{9=Mz?rN{a?V7WkOUoTO=eTf82Tp+Y=BNps9NyNS$ATX4^B3*?SM=(S9X^1d>#_ zK8nx|GX4P~3xbZ{5t7%OQxQYFz>L zP2~yH`diG-+1Ijh7w_2aCo|h3(camWG&?f9!Et^~*dh7=F$|MI5Pa)@3p6ND4Dt#! z`TqEb_HaH)M{5_#M;GZ&b9 z{TB}Pv2SIS9}%u&esBjtsVIdga1{nS9q3x#nItcmgM<+5&9~aKnx#=jB~GV~)i}>3 z3Mbcn0G5{In8vrb)QvoyIZr{a(yoZJ5q_=mPaHl%pE-0ttrz_2ryBcvdMLW9UoRe1 z)*)XHMzLY%d^ko*PJdESf&x9^PUg#<8R|0qB=C-Im<$2C<&VWj4ueMuk{T@U8sORi z%l&9P_^dke=UM(6fF6ooj5hnvph`=njXtY*G{MXMblRnElPgs(J+3DY4f}^+00NhY z1Q7tz(=qwk7fk7DFHGD8&7e*YX;B{}yhjb-8!CDlkKhZ;MdXKP44>=Ro!PdOHco>YX z?|IK=UK+0F%Xt^GDKOD8N)PdGp4l$aYOz}ze}>?t9N-e^Wu>D$Qs;*KVY|g+#3Aaz zQFl(+(W2v8&ob7sl!P}apzPd7irxehEO~JOwB(q)4ut(5 z@o9k?H3da};Zs8S8m@<4IRmP+G4hQsjFcX%y}zDZmEILRS+fqjpEDY%_h=-==o^F7 z9R{w|tn@}6Q<8cGMNTo+U_sF~Om;+egkWCHpeq6m7D2{~i9a*|m!0CJtqEjO{@but zEB&zLf-PnzOu?2eP6f73E^K)wQ*dN=E_e-@RQHHJ#kbiNbB#nc%Rj)LOv{H;!7e+` z084R)9Iz?08l|I&iV27J!&~mG?s<*@F$#`q?C8 zIbk4?kMdEg8{J#n4{B$3kzwHgRC^Tc4xX`QHC`iM5=HL|WDw{$NfB^?hxbZP^ni_D z6dp@?S<|S3hw5F>F&=}I56%&O%sIIuxM7>(!jFrO)KvJlOD)FJJ1smB)BF(1=wI&w z+?=KK0k1@T((e}6L&^qWI9l2&S~l-*gbg_Ir+$60h_SNo`X_;7JF9d zg~Pu?LdYDgs@S}bxin6&17vaJuuUV17Bntb2t08%Q! zIW6$xA4H{-(egY5PTW-Cne3NK??CkmTAqw)9(`H3q{M3~4`G@sWLXYdX!~o2k#Lxn z3N@t`(B|k{!W<>BS!jP}6n2L6PC86jpmxDDMR1e?F<+O`X7pYdAAADUL)ORh$dwvY z^Sdgqr}(}@l4K#PN-v-TCDIo}&1KGPfxeO%>1h|;b9!|4p#!78e-QAOfMo#I$2~gB zT;rMN>8vBV(uwF|3HA7S7*pSru0hNO`S0 zFq&w8i*Wr+F6#j6BAaz?JL{_Uw1E z9+Pda61AY03Nq6qy-1dYM@#o7#%w4h&OV8X4~GkKsr*cj|R zT$1wVMGkL{qkj6ts#q4IBUky4>tk>u*P%}TdXM98@4i`3EU(RxoBkgK#h_RJzKs92 zw3`L1*9*@0kAheBtkY3}W^%HBZ1IYi|U9l9;znp^`ufNre8zC>m0U3_h@4AlMa`Pdw{&M1v2EK6z z>`ni?V6^~BRZPh1DGzj-PMx5S3t z&9i@u%Rh%r+MmPwdY|6B>;|sQUk0b*_@m|ibwg}ETpy-4Z@Sr3e-^I%tGEAk8`SgH zj=erUZ!lfs<1IVt}8B5ppI|IcDGV-I$-$p0Lae<|=U|Nh?|@8*+cK#`E~{44%? z?H_;y@kvPAnCozu^|~ajLuY0Z`MwBIW{gUDUoxubC}K4VM$3aCu&y}ZLEZAZB|Enhs^;AERGIINeu zzUD$(k-49vzxGJ=GZ&|Y);UTX0~`Y#5mTw_{=@qrJ>2w1dN={%hJp2yCs$9sfi&>> z!g%ZDAFylvbNe-}EpJ1XI3P;=uV}1~QB?frDE!yN_`Co99LcZ}+#G=*%WwYsA2aBG zMI)@R|0^1A=nnrjHva#K#=pgQ=*Fk@=QY=XLac)UxgCwEnlf#iH@)h%Y2K3PwEofB zv7k>`dHY|mKR{$y{_AD7zc~iw8B_ic#`tJEO_GyYRGWB~@d+1BQgXz5QM#Gb@r6TufDWuBJWL1_xdxGv>Yokr+G870!%kN3{4h$L82H%D3pivnHhe- zpf#swrDr4-%}08FroYG*yE+h5nP>4jq0a30W~OK0!)klD%$pTdOWGq{rjoZ9SVZ+% zS?$Hei8or8 zG}*Tgl2qZQ>ldi$nFVPYeY#gI+=KJztI%xzj4Wm-M1I5j`2$&gptrt$WmZ-|9)-Iq z^8nW)lbM3O0Q!NlO0qSH(3R;~3VujUja8qSo@pKa4-E>Glww^*X8BU2Pgj+S0g(Gs zz8wBfODiF8wrMAR%%6(V8V{q4%1tQ08r&3cx8hd<1^wUwn?Li7h`m9&KPX>Sd1Qjt zROA`h8mx$QMMg#%q@bA6p$jU1hsF)$y@MOCm5+o9GW>X?`VSO4r!wu;rLq6OBeGBv zd+wvSS9Tuq7YxNniS`3enJL5XPs6`L*vzlcGioq-Ft*X*&>%`davZ#xKbVbMzUro<|Fl}8{TG3OQSSzOcnS}sz4p$ca zbiJFEj37+rO*#P1`uFLa0E4~+n7sa&8P`Xv&GOgD0@Y@K;{l-+npDt7!o(HZAw-WcQ+_BS#Uv2E9z`%j;TW_iDrYt=rEk|a>M%n?VaZIJ7( zD}NPhnwl{;MB1mFtRGOA#g}1NqRuV7)My8u)=D#@T=+>$J;t$brpxbk^}*lajPOpeQpOuxVWfe~7j4pV(QGqPO+F(Z*YJ)}OSl zN56$Oe(M{!=6~>>f7`@IF+Ud|kL=f1jd40%tdR{d>@)^ov9$0T55It;hD`8lhF?AW z8sS$1*lICelh_Zr@qwTp7HIigwD$2cT{x>6q&3neaoYgTO7ld)ss=akh9zoI~%x@Halm z0G}uqwm~+nS!auLXqmFI7h*rXlXQ+avk~s9u1<@CZ4$O22Qh0M@eaK?E|JkzSFc%P zBeuBCj7_IaPp5!Q?J&U&GiPquVlzNd@mfmL)6H5yw3|88VKB!#jNNn&V-GFN_Bb1M zz5Lr>JC7+Th>o6iqxXJbtWPqoXRku+OK+qt)F5a+ z9DjYPOzePAE*b;VM~7kqSqsy}hJb`e>tLW$AV}VUd!SL+fv$H7T=B;g>w#i0W`T1s zT{Kx3`T}N|S(k{k%irE*V{V0c0bQnv6*mRJS(sD~t#PDmQ(plH)T)+MfjlK;2z?Au~FBTh;|Me*P+eTm1%?gECJ>xPgR_bHee*_Qz5L04HLWZb~Ls)QI~U_ZsL@KimF zV#KFFQ#%N78oLqB23&uW!Su&mOg1uKDq&3K@Cj_buCO{VBgTa4U&yp1ccd2bg{=@? z2N1dBC4?eJ_M6N#dt~G``C_ZH_Y&4JdoIXA@WWio;VSZ-n!vdpi=OC zff8dtSkrufp`Mo=$0n7GL-J_mc|2)^Q>i>?=J}FaQMo%-ig<+dV9)6$)Pyc+g{63& z{H7jyfH5&`l8)nt#Z{~Y=1P;qAIcm&>ky{|u>G#03Z>T#Cru3@O<1|*c4faEyU zf&d>5Fd=q6YVtWstK{2Fz^6Jjd9i3`KS0y4h-agE#$yI<)0%0x9T^K;+ww|i^Rr+c zPo5(lWl}*G&z}vEGPyZlpfyKm3jZQA4Tex@crWV4ZsWz|?uqd*IKs6TXK$T&B!T5( z=xXQJGQLDdUW^lUt2Q~_-I<7}k37rQ9-V&@Kg2+I86y7H>h1HylICuF7V5@O2wK_f z$M-;&lfmUyl(Pz-dAF*)doj};{TjJt_kQRP_u#^8$93d^X^yE?OV$f+@M4YF0V4)f zVzDz@E-v-%g3*h4u{XXKZyDwgwoGpU&zsCckn9i??$3@b-HVh55btCaX3e5Jggc2X zP%?SFWGfne4dFa?dJJNus0stffc)U>xq?D^HJxsKGJhE3i^k!qs;BejqgA)uz}bnr zj@aYx;e?#B3m2@og}NGa-1N&4QNY z$F&ZWG1O%tv(UMMXAIfDp!%lEzWo~cY+?I`&xwO{(*ucFC{qK`0GB=kuJ*eIAwe$w zgzIHwCksiD$H=Xe6PD#X4SfKQnk)ftyD$v$^0VFI8h)tQk!;OBy5`=JO5}b-S2Il% z*;^(Bo8JgjF=CY!4#3D4o+YKNL&QY>+asgM!{9RI55nNjVLQofKuLowXFhvpbj}I` zc`REaY{tdF{eFL~rP8#6KFK{3hNKJXHEP5?|-j znf!`paOLO7ZNnSX?ugjvVBucjq~3Q@1I*ho92?(CqaB%|5ujbU9I~OUeQG)ZF;JL> zT8~(dP-=PSpJIP#aoB0X#iWeb`MGeJ0-pM=z;V%L6fAAY5NFFbF%hM=*0a`xkNb0C zs2@r!XOd6jAE@q%;tdtn7nZqTQ+|OGzpD0li}IrtTN!<2s9TpBDxLF zQa{jPuh5s_SZ{vcs{{CvRPBFRKGp0oPo4azlWFMNg0 z1HfBBz6M$<%iCeidmHi3;a)Q!-cQANEuwWcmy=`PE?lVE(B6H(TeR-jd*QD|$B5Sf zf5h%K0Dn1*8SW8_0)`06PY`m+;}BY%(+4@fC#}E}HT$V(M9R-soPTyuBu9Y zyK_zLjA(sLv~pqtQvgd=UXAl%P6)zMqnf6Iftq=Qdy^aLsH_?t1&V?gvp9$Z$AD^J zA$CLyyTC$nF!2V1v1MeE9$uV`W=`Z&Q;Z*3?j;|?Zzcl2HV~s%nLC5p6yp@HcTB>M zw{_<_oAtnXjDI!77`WLMxucxQolis)xrw|U7ENX#XeXn&LNn?@s$+nxZUNP}3OnFg z5bibtM49!+M3-5##PLEq`=NHy3A1IW-BZ_r^*O)j09iIf=bnvsg;rDRdx>m8j*5bN zAw%@trXp!qg7pjDm#4)Q%*5mpIoJ9*OD_Q4hMdcEu_sU_i^!~H_f2&>MSvONi=fZJDxuP(yWI8IMAF! zSlWqcfH0+mjXT8z*EEisr56V5zN*YN`n+*e;Lhr~Hw_R>XXYPfDgO{PyJm8%MO=q1 z!h?7pkYU>R2SL(^4-#QgR%2H_9p^@;G#Y@?i2w!%$-lsK;?t^&5Vi{eV9VH^EQ)i* z2gSP>liXc5aXQn?%tZ}MA3U5Xt6F?!8&e4eu!EH03uYpmhQ|ToEd7bGLr=JCaaU$0 zwI;tN?h!^X6TLkM8+sRQJeWL;5wH=LGy5B-$<1fJl&-dCx;j^p@PO*u5U72)MdwSc zOHsVW(5)I~ne|D6rn!!EwBM=syaCKYg|)0xo>BIekobSt`||iEs&@Z#+MJTpWTu&E zX4*+RX(nybCbWU1w9r6PQb?f%3N4f!BrO37U4XVg*$Y%DvK1(@h*F>m2r3E)D#~Kn zQBYA3@ueavDk>_jpuZ=eUhjL~`^WG9%jc7Hn9O?S%vql2yT}1XkSBQhAObx9nsyRj zOQ}AinhvGQXzcJ3l;Ym;zWg>#Q}(A%(9&qgjPoqlQ zL2H^=SXw$flelS&4Ro*gQeGU2RJbbgp zu#pBmQ7gSHR*`NU{XzfwV%Q6&00A*pql2-y$qz1;V{bf-O6qt|iN-k1(zcS{uW5VF z&=?N3q^1e}(uR+;W2XkH*!}V3J>JZF`|wCX zA&37^637jlu9SOE;uq=*@$W=h=A`YpTr8eyKG&{oV$NiQ`;(jY5;Ykur%SKly(#J9 ziiChh=t)e*9JOUmb2YAIwhDHbzPyQb=?xDbc{g7jfi?&)53(v@+?IX^x6AR-LzBL zboH`ku{u0mM*btl&77qQ0PT5Ok*^ynb@;`M0YX1%ENN-lPZuZ?jN_T~Ut_34g+oLX zU%t1rjg0^fo%b!Mw9{cCX{1(F)dY5HviD+IT79i)I^4%(2v3al^P)~2n1hn}xAZBU zQEz5NQptosU{aN7d|BmmHpIvm2=Hd6x1*|*6lPK2W!1QVXr@6C>}r0BfX0g&8+6fI z$x2fBE8vuduw~Tpv+-;P`~?}VGL2&&Npbx7wgo9?d__nYgG`(wQ}=!S7|=CZGCOPGzgi9eucbpmnhVH#&4FB8sXwfJ#o z+2+bMs%o}Q@M&zXp=sBJFVDTQa1)0*`>Q`<78^j#RfT9A2hnoAr*)*q>wj)i$~Gnqjr$_<78s5^LvFc8hb*g9{_t+c2fbZ&75?(TSmS{R zi174#Qy`D#&3`k{3RujhBZwHBpQBTA%d}c6;zvmm{02_ z8DhfCOEjprRUcD7nygk<(3H$Mn0-CsyI-p(K$?mD$DVB9*TT|YamutS6WOcdD$-VTIp+GV$2VWRYNa% zFPoUicJUV-TNA6F9w;3@q1r9l>uBjX_M#R|Wo=qEoP&CnX;`4C_wIILS3?v(lB4zH zIx40fovFfKUE_~O8e^=$PS&J&#W>3GDIa>hB+|M?o8F%i**qwMUt*MV1qtL8?6HyQ zMnrt_6u`p{0@LgKE@*faqFv=`&tL>}o*{^1m85#A=pi%{csN@`%J>`sS+9o+*}@*O z)f26LfIqwGjdjG65j< zCc4!^vZFSQ%poc4hY>IayCV!@u1j2IBkd$CrV(;I9xCLH1C7CW=?3YecBEtLyNN{JgF-Mn@j_!wVO7YNEM$-7(rkI;2qZ zJQh4Jo-kBM?01aEg7CZKC{3Ubqe3x`vwoG%b>*HUk664M&pIj0G&x^Ob|oUi6(62R zU34aX7RIFMn@r^^xPg|**7NGX5}$R{U6MfjvOuSiCuPz90)E(7t8oC)@#&gxQ3cyK zf~SlePfBUL&z~2IJYdS6gzx!(qbun>=}g@oGOms#V~G>*;uf0E=x~n8anmrpGb(W` zY`>?@EwwX$q2sH?wuktoI{RrIkpRc*{!~Yn(|zE2*(!`6g_gC_89~M^mPcG8Iq6x~ zOmuY&XQr8>9}WX)Lld4TOebr|%V2uVP8}VT4d&*!FCy7X3zf@`>vk$~-yB(x6B(K@ znj0rLxjol*PrJQlw;*1%rNjtx4L?SZ1UmB0w{`1Ck_#-hO`fBj z3l=c_ZhS|M;vUo~3=SMpEe63(1JOGMhP8a`;t^@K&!sJUJrK#b-U2p%j7Qa{lszT? zvI0M;a%c@+u|Q>hk7Lpd?UPc9+&_mIR%&IDNr&hz`%8?>^H$0yn5-|GqzGoBale{L zDgF?(zID?}+VkHT_~&!XC0R#)Oo?RgsmVT)2>RM2EA5;mNfC+P_Evg!PVU!?fUgUq z9Ifq`x5UrmNRhZZiwvO$?ne##A=hOUo5irpSz!s6e&-}!BDqrzfNA4p(nS`C-MbD| zaH1_9+3XL66HxXIv2+_XoYd3f;OlxE@%iC{mv>JeVxw;V_oFQ4@Nij=&l!7$7jXjk zXp=-GIp-XP@pmbSw-1$^qlwD{N=JQcb_k)er5aRg&??I|)s1E|ZJvWzY6CyzMU5xe zvmEF%IeU4!AZ*9ax(Z3n4)!e5_;^DPj>R3V8SQPCAUy5m?Bqi^Rs_{$`!*AgFYL%BkWcSsX&~!yiua}=M`UK%zsMv#Nk?Zc`JIA)0Uo4s95Xaf_Tf%f zzXEcKct?#5VuIcdkgL&7RjLV6D_K_mmnEI65_)0jPH@G}Bm{v||;<*#T` z22{FbRi#}{O)$s_>F49H!&VG&JTlnwf$|EmN+tLuUm5fmj1&tNpFa>e2Rv(^K)wcB zHR;f=6~ZbX7a?*+@_=*f#GJQTxjOwMf{yG4>1i>p-{b-Z?2)u8y+?c8n{-j!BxhVT zqH$7C7AFFT2P`;in|?47CfA-hR{P^$^( zX*%JEn>0apjvpmMNexXEhT=}lmEq|i^Pj&8k^Ho4%rVl3l;h6wwxDdvDvukH{(>8S zgFCh4+7}xkEl?MU{En`i@dsVQM(+&AQz0;R;Mh?+dyYsklhGXw+Sr;BOD1qJ#PAh&M)~ zWWi+qnkBX5(e+QH93aDpi53`Mp!~lmzdOpX++ulOe3}Ir*KcrsS(g+u3@5RN)Znoo zw?N(_Ex>=wrt$DLrKucG8{#!~ccQsb5T`S_*JP8~%-q-s+L7$W@a$-0EujG`HF>wC zLlB9V+5=giYC-srjZP->m>6Miv4rGVOed*KjwKpMpHYZ3NxxW1hp|#TQ|g_Zt5xD` z^^S!iO)SnqQYn{rk5$rKL3{;u&C<+FMFGjZ0Of-St1ort0jN3j3CB0cvek7a1TbAf zM{q`(rE(0jcjcNtTmQUYEwO@;!| zIjjRC^6tgt)KjjDBNs7;*vBLASco`sj#O3PCA_im7)d2-Io|RnXd6V*bUZ}tE_fEH zP~9!lsPfD@ek2V{mQ88<#dH(MLe;jDJuEL3Lfa^%N5F&ecVb2{7XBGEYt@q4!P^my zfzbC$v=3|?l>U4+y!JTsmec&l+MXsr@TWO7^Js)&a)f28)ZdkEa^-}|8_`{BMSuQX z{uh^5YkfoDz*YG|7CG(n-2Ph)fLt;3a?2#=p{j%2WKy7Hu_5neiuv(biM%DVuDHD!YcQ zNYt82{1u|5J&fIbS;Wj*G}^I&s>v*G7VA>{tIf;3;)wPTt^z%+it%2np=S^NW+LAu zJM9B@Y_`bv5TCK4Wb@V(<3K$&NJgMX7k0uVT3H$%wfMx(e? z8_=N*#`B!#(M)#Eh`LL%WR6JWef(${-Bh4b*l$EYTt|+RyR%&*Pp#*cW8Rvtb+<>t zW=Oy-#_59WPD6ud20M+}77IBiL92b7({`*;|ID zbw`E15LKrT>sQ7t3!ILgU5wAAwxn75_+Ep6$JCmN3U-Wx|2R_{D6gz$JB?*`cWb`J zW~3-?C~NjCRf9XSF+0UH4oEgId#$J@?QKWUpbMLBmZm=u2K5`yN&+ZEdBEf^nOa%J z7G{!V=9i?_BvwvsvqQwRrlR?%GTOM`gU91lK|5xLDK~Lipze27X$k*M44cid1?*}XRap;f=$1BYe{eFJ))%p;6>Qy zViR5GO7KiwX$2%U*qNQ+dMo&mLNH%c?w=IEsQk_fuBWQ3Oa!1yV8&!NB#UjxVh8r* z=Vc*>XLA^!3|7H=MNYG=xj0!n76Lvy-co8+Wwp82QD;N8hFt}^8R5R|4F_6 zc9ZC3&+sK$*R#l5%s(Uv9m&(Wplb^-g}y9 zsQbLRll{gxZy71rcZ8WSbh}IRryyCkwUNA1blro)ke}F-Aw^W~9|as8vT(p!Yriecd!e zzhr!~{GL)whowJ{alE3%v2G2febMI%WjFW8`!ZGj#?}|-G0%&mQUeVQL$&byYe^-) zqn~Q}1om=|I-jn}G@-OS#l&aE<&~lx3+f*=w(pH6k$uK_>Ehaqg8A&v;f4}nMs zkxIH@Uvj`-Ra#bS8dp|RHGyna+KZW5w%UE9FL{T(maZ=e_{#!Q4d)o9u;VF14lZF!wziSLVI-@eRPl=F~FwQ%(JbmgmH^;m{c4t_?e*iN@88J{M7;YIm{zcrntQ~#ZE#%7Cr@+38cm{ zf*T66nndb`t4kjf$^?i2($X1uRj67j%-Y}c&;FjgvrZCG#&kF@5$Nv z8u&O%rZGpMYeT=VACl3>A2jl%yE>-bpVz% zkDsoFC@+)Au_@Ob2^tbfK1}a{Y<&bhv$}MqCA#4N$+8u;^fR<)WwT|h%F$>zpWJpR zVcgUJ7${d%m(}ts)TqibSYJ{W%*L|ccH@tE#an9reYNi$`@O;JmtAk&(~gJyZeWxS z@+kgtavU2idcKJoFR6|1Q<3RMcCuWrq;g1c2Y?|t4H8OEG2{lx88*e78WCuK+Kgq} z8vA-Zf0Loz`H$7w$^Oy`wlM;YWo=#`%N}R(bu`tMA$~~7Nj{nyS;}e!lqhb|8z*LZ zKcXXejylF>Ld$3<7{+9&l1=>5q5KAF=xaEn&F%VW)ll}2Ol|<0zJFE(xyiKnhi00vew>^78IS&Y*U9Z_s2b5o6`ZH|(T}I2KxqGyOc}5P* zVtYf2wFZK>!ywDMCM6T)uywHo{pUO`$L9?r-b04+X{5FxQcP15w-!=SNxuxE%a}{0 z3d1b3OsO|d(aD@;qst#f`^)ikpv>hAK`Hr7`@Knry3*`D;BCjTwuul{Tfs%prSNwK zw9wo>pb5xs5y891KTBqbS2tt)b0m6*=>uaQ>Di7@hG8#7VR;M@ube}=$ zKIIadqPBtoO|J6MjX!V((ETOe7tS7tWo#F7<$U{RGGm2FoHUtx=gx4zaMg&}BGWx* z1>(9$BLv>MS0}FlC(9(R$uTG&Y}J;boLxwEvx8X6C*VxPEs$+^K8^tRQ1*T-e!}HW zM3-xO1tvB1%6+k4j`+IH5gJN8kk0P6$vA@2?i||^X&u{@@f2L5$sFtdNMM+mTr3mF zoJl{jpNXa)5g)rwLnetPzZdd8Ml#(6h`eL|P0e2DNv-l=vRLIfY&a0Z-eJuj3+%zf(r56n ztYqgmMgYr23>744*iqR~)6VR6z|j9R83z+eE0Igrp|8@^Nn z7;k?08|kmbLiEa8D@WNIBY9P~adGIvBOpa}q?_Y(2%|eUjWefxN&>h=o>@AI7C9g` z_AnE3;Q%Oh)MDw3OF?9+?QwwqmG_iJC=SaoZ;ceyl7jVwa1z)C+bM5RfsWyccG6;D z*r{oFQQG(HBz68rNa*C~jl6-nu5|^>6=liP8JOFc*BjvmX#&pk&N3|RlBuj6122J) z;yXZk<%MIIL|beJe6)O!B4*BIM);qVACndQYJDhrx zYFqjk2pB*);&o{qPF<5Kq1CkS{<)5_59!?y4xLI;l}?f?bBg0oGPit5U*s<)!#tBh zs0ef25S2qR3}M-Q(RXHJZ)VY^Ff%dWc(8+~`IZqRM(FDSUxyw1uxRCB09w2q0WV(5 z_ws{*tG0cDU!lqAI}p{&jdaAJ-jEA7 zD6bRZ_)u`-Kqdo*1rT&X+EA{fZoCYdAky#m1;<$Fy2He$Q$q!ghrX z)!sTytz49+1Iqk(ZYAPO7VP*a+*pt(D8g!iPs<_8-4_tB-^f^{UdSH(BN7yM2|`;8 zuY`L?3f;WVl$vl<`gb9iXHV;PJe+PvQuOVgyk6`Qrb$j5o^ub^EFf{-)aFtaTwcmvsZk%){7&pTz1-o-H{bt}8U*=j49eaXQl)L5^^k2{MYGBCbkA%e+YVe<;_ z-t^1icr_l5le1T$sXeT$LsU6B-#TtTqq(<_kBIQc$#K~S5rF1gP3`0^n*zcR_L&H| zQgW2)-JoG@hXHF$;SvZ@0Dc$xk*|fW=`&SySj7?qq8!2-5VBe3X+<6r@?;=SG%nwI zYEpW7SoS1y+HD62*t3EthZ|lF2m8RxD&~oP0WLyTl&qqIn4zn+06X7k%@oKp65VrUZ>2jRW&u~Av zpr=H^b0+YCLF|;5W8`g}E-n-UNqpBt>+eRdXspsOxxB-XzQSmHB8sookWStRkvA3} z9D|48x$H&OGfv(a+sSdtVe{JCMe(nO8yY$_XNuu|@~<0X4Kp3;$^I(#HCg<26>Bqj zKW6ujKo$JvhYTxXmACmbv20?os-lt|?NDk^EqhO9Ka>rVQuF|rs0d88|CquKi^GNd zThs8@7Bkt1qu9aWZKIhPmO6eX$G;H4y-9rdSoG9DnZLSp8hboN=nE;mPvc-D#9BI# z-s~bHpk!Jd>P$k=9b95_1$@b%PlW52ZZ(ed_+qvI&jA1x< z%eiG^qihcoG0Hpfc;Z_$ggThI^0gSWjj+jv+F{u~W;{&@5>rz%;#<#V(99Otj_V zS{lLZP5BnyiD2%vY1v(=H*NzhZFd_=c^_CBr8M(YjqkSoyTsgpRWPyh1%dtLvE3)? zek5-*x_UF2Cv-aHQ+5iG%2UJ+okcYG-=W-T>pNmEwK>Mc*G(eNJ3NTaBin=t(g|-^ z-KpkG_5&TY@t?)v{MM&{ONnQZ?%0YdBp^qE3(GW^d(UqD+Qme<`f5uzDIc>=P3|_& zPRifb2X(nN2`1cESt?v_ea8~#&&6>yWw@G%!;6qD%?^F$S-xkiv9+Eec)vX&mOCrQEOnM+nP1(kfzjjRxQk;Wa_Uj7QDAU67KMiuXZl>M zWHEz@Hm#5GWk&vu8$)bl0X>Zi0pLwqVHEHcEBkQ6Xg`t`sT`jh?iR4yqGgX!=5pt8 ztOe6;#^upUh!D5F9`|>)!&=2nGlUdj6E?NI!A>*@KkZl#dAcB2I&T+BFGNyTZmPp>1Uy}_=S)Mg0{!7m|1XdiimZFXHwj3!_!ZkB#}jDTNZStSFn-f=<7B|7xUMWg!26=XWc zy$Z?sB-^{rk)l>Q(jIB&a0FSBwxLl+rn&v-_H$&Z*}6k6`C90((GMKq71v#x%q@IvZvdS5G58;>a@h- zo^!TQeeFj=FPf3pfWWBwOj{dR&zBW_g%I1g`$vE9J0P1M zob0dP?-Q$nXa9Qzu(X1FtotOZf9wf_A@~7wjo{?>SO2xc{WAoqTGbOEI2qzn6bMD;({=_+Y`yd~h3ot^W7Tre-`rJm+|0!;La-k`$_-p6w$X;f5|3| z4{A{XYW)88fXo4`+Jw@Q2@lwH0M~=7zmH&j@E9IISOdW)Q&ssVQLV>+sVVtQfZz_o z>ER%i!9xUbtsqxq3V!bI``^&5rXchkz^j07{qtDBv09ie19Hq ztf{!B`azwVURpij{-FW?I`w|31R=1%Tr=IjD^Q&c*1QL7Jh(roY5u7J6JXP8A8c@c zmmnKMp)0sCgB9SN;u{8)OLp;tP&&zpx?X4_Ef!E`n!y0Mz~K=nx_SRLB33{Qm>V z|LnJK{6kqO3`)9kYV89??RQTS@$E0Mb@2ypgjj!F1jJiVFZsX5`@i==P>~{~GWAYrFwR{C|!2UnKx#0Y1pdf(izcAwgXO9sB`-1C_Al z4iK5g*dhmprheRBf4`gJA$o-~iHNxL zZYcTzpFPsk9z|D``=?erB7ogY?Kn#fJb4_z1F7JejmYwB_ySR&^w~f-C(&vKK?sJ{ z;x>64B+dgmAkR;&C9}Ej1zxx+cd&n|7K+=bePv zx=;wM?bUWh|nD(&f40j}jEr3c3;PXc#QTWi+_habKUqiz$uoN%AYpPh>Y zAxJGJb$GPk=7b;xFW{C(<4F9p5YLU46CUv1$-g+O?!MeYJ?D56kiDEplTc#HGW`SQ zc*ZCogxlWC{A0=hDbn#Fre2l9#te`xd3!LEGWafdjiK0_T;L%7pASbyXxPJimG|0Ks_Ys+SE$@LEb zk{Z_gCvh2pdjOFjLfb^niXYlB$?*t!z!oI=Q&y7*}S++YDmq{MQUq9-CCI?dNHNb*ztbkJ!JV9nAmY|Aq2e2~yi*~;>kr#ZG+(sx) zZzTv$G)3aa^6V<&#!~L43xq~xp8)z~AOTN+^K=W~+dt#dH0j0@jT+2IgB)#W&l5rN zv*SCAoq`9)3XNPQG5g2kl|V9H;jG{U{~EI0ct}ko-<(_()?J(qJ5~^DATGF{>n2J& ziJe7tpo0%id&c(Rij^4X96S`6m$k!v@@FGUC15GXrrl`FhN*owr`6k&`-#TOv#`u{ z50vD9=5eK_U{S+3DdA2z>2`55yj>HpkGswo)7~P9Ha{>D%t_&lm3|6f^dhSitz67K znDc8GzmPgB(}8IfGx`E@rqR@*TjXDODaqtc0ZaU(yBj*9_pWD?G*C3ueZ&tFbhm#M z>(_GIB~i@Qp6jR$s*nO0^DFNa_bFB^qIj|_L3Xu912Em8B-)*fT1_C+MWWg78M)_? zE6QXU68Ja@Ak={=d4u5x|4Zgvmh-kf#eGezO2>37ViPq;V?C(B)3YteQiS{7ns>7_ zZy#a4;H_)fzm`+*OCWimSAwz*wlmQRI{|LJ)1o@k{1~ zYOkDKfap@3#QclaLX40`;sj&4n)G#lg>nnH%?yO%Kyw~Twv$0S&ujyXh zYZqFvl&uTJO5<44KO0gV;=bXyr?s~lXI@b3UUgHHagDZgk2GR^k(6!@rMLu$=4JJB zWt(ydbWHsG6XCXXz(MWhH#j-tZxJ{VfXk05{opN2q@vQmiGlfG5l93O8OePJmL%~$ zkxe1eST;<>70mY^1aBY_Ny+Ex{8Zt=k^R!v_S>yKJ~weX*V8l>0R%t#ps6 z`P0Vlu@g&RG|ify*EVVXk@uhI{^l)qvMiQIlxR7LAt;R{pC$yJ$0C)Vp8by8& zXkP2j6@0blb?yT^FmDzDgzG~9pkjm!Wf=rmloHDigXgCWma9X+e6iqq3exBDW#NdU_ho~@0B%Jx3NTD?CbJ9NG zp!T*F=n3q2wf*tP;n%@Bxgh>v7S6Jq<-R1{!TNH_LSZUdof`uu?&e%->!v*C%(rY% zo`YVd1|F3a)qmu%!b9`Mab3L{9_OEu&B~)@1 z2J74t`^E)3%C6onoUr2n;SHbZDUV-(s*r(~;4$WbYVlbe8N+1Y#G+@R&}n<1KF~n+ zd^L>%!r^y#kmVbtkkk8l`*w;q`W5pPb+F>LsGT=RIvy@?ECqoOu`|c%ZI3Yh?hvS9 z30#tG6aZtX2>uGAmCv!Y=3LFIScH~b%w42h@uY;3gBOfPj@Oo5_>sS=F`s7(J`uO8 zbAP60V|27&uGw#WM@{X<8Y6_hgl|R?FG&Njjh|Qtm*nx}gMH!S=9wX*ayZaVuB?TezeEi?y&F8XMa=8 zMVi0TL-*Q0XC%#5wF^veH-s3kX>%ZP?+8dB_TE*)aX{87WLHw-3xZ%0Zb|)cQsbf< zZTS|&d7Jtw?zEw#^PPKytxHsX^nKFU9jAFlupolr?c%gjY4{%0_ztzenBlC^Lb(^` ze2wE858$Q3sHQ3|&1|ONunn!%Zm01hJrk|muvH3fXJ5uFjK%H2=&E2FW5-}9>oO9? zDD(y^ir&Opunqd21fdK^-+>(h1CrT5YRZ0e4Bzr+4KStOtc$8`GkPzOZ_J8LZ z90ulTP)m~>*Ftv;_xu>@E3Ip4>_E8Y!>&X0)K7RIJS)CeI39S&LMLQrqlOv~V-$#J zp+`c5p*v<~gMP)uy32dAhTD)d(9wjTf*vq(-2!7laE1IT%!Cv|{ zeo5p88ZBDMKv&`6&Xx2P{L|%UEhq3#@Maa#D5V6H0AO551m}L--tsb-ssk*_$L2>F zZ^bq`u)b&(KT_*^x!z>1R}*&BAr>5?fWIL0@P16PCnlhxkD>X$siwVgOsRrn6-Jp! zW1%Eda;FqRjlO3aYs`uq{yxG*7v7*A;UJz#4wC4mv4kb>(Z`6c=Adgla{Y$f)%eCp zXDT>Uxo05dCjK5L2)CUHb!&-}E@d68@D>#Io0p%ad;HV!5EwlS^ChQ$9gUaB!wSr# zW^^KU_5;6XPwx-Me5))bDA~oqQ{UK#Y zec4CZG!<^|$-^kw__%DIn=lPrO2(uQN4}YmzINUs`)IsvJK+N3oO!3h6$i&FQ^k4e zwnfkx7>|rKV@TzI#r6%J7AcP_<-4E29mKEI##a=}ZRt*ZyypxmXrF1__XYPE5XA5V zU+jfn@q9AUraJPzahe*(IC2P>^lXsR2v=jpozp&S`bm1EX^|AkI(2luq__B;U2-3V z9-POgY}2vmcvUTl#(0X8ZPOf2g!3U9pdTC~&(g*Iy~Yr=zd^WQyrLt{i(Fwm!aZ*v z!iv(D-4^LhaxI|rBX5Ba#j_gxfxzQdBI2Z?@s_hef>%Oagrip^bbR+Xfq>qlkjJ(Q zcd~(;%r=J@!kva5fDSG=B}dy96m;ou81xq!j{FYsHk+0H3-#&v>g2Dpb& zt5U~srS}|m@&Ix|flABCB zn0IJ|c>f;r<(Lb_G)3A>dZ+IVxlM)KVUGcc{W+XFTzUUOe_V6(eGtyI&EUq=FQRqy z6gMSpFEukKEo$%jBQw|uK<)EI8!v?eDDr}P0CIjol$vLWJ^eT2c?gl}#(3fZ^t(~g z)^!VxM_)7Fpv04BMa|=lCplnBK1PqwZ0B9bZe=S?x!ehS!1{5x z_=6f$@?wSNG=*BG;DUf;Gv;eJLv~mQ*=gLZNe`fmup@yzUxU!sP+LBU$oZO>H)w62 zjhiHJ%{0mR6=4fjp4yu}Jd`|67YJ9ftHR7p@udI6dX(-~bGu1;Mjy^1OfGr%) z69N>+U#KMU%;_B;4bDVP7w*`4r|u(sfE^vlzG7{h>p#p4DCHY>F_Mi35~nZ<)lqIf z^e3-EAs)iZeU=vv?9nmaf)trNCbQfWfnF=ZcNm93{fZR{BI zK9rf$&3ahiTh-1tu-l!Wn({jBPL|N;C`WF)sx-KbwbGQ1H+L&h45x??Z1J^g5;HgD z9mi>ruHzwqd3_HbX1|j8w}gTdKyREurN+Hj8te`;9*e+c7#p^?JS=Z@R{Q(qgEU36 zvj^mvU$f<4Q{E0_yTE1ONAgYBd5+96e|``PTNCR zqFydd$iZ=-hb<&>S8(F8KJ-fCK5&RKHtd^n9kf&*%BaK5&Y5_G5MN`viMer^Gre(! z!%nw3 z6HJ?YMSu8G6$%UIBXIaUq%s{wD*c$lSe>x>aEP`Onjad`U00`y95A4cM2%Tl7Zx-5 zd|kV^`ML$__>}{WV(a7cv%~GX4rgmXGNp&sb#^mm(k@L7Wivj1J~Sfp=Wj!GUbR!j z`J$(&_}rvDs>ps_ZmaYKy`2D@8ajoD!zSz@QKM$uhAHV{XP6XNHzmwax_wVrO!XMEi`8V~Lv+AO+IA_`AbN+tw84p{Ezm&$CZiy7{zy*WQm$ljjce zk0!r(zVOkMm#(dP)cmsQc}<5yKbuc>IIN04+wl#3$yw*ggso>?XFFX#o7&Pna#^Q$ z1`J%5_WqcykD4z}ct@RZ<&CMD&R1uAzf5&)4Y$0@^_2scXMEOuVZQr|UB~jft{L<_ z3SWERd$t=!1M<49?78Kn`Gu3IZ?*sC{Awot&ZVjdPsk@*-}3YwbhLj~@1MVaD+&6Y z^W9a#pk-+d(bWTN;cqM$kV0*Hbv+n=+xZ?kU&4i+`l7KHeEqsO!*hNbtE$iGU-rf# z^xNcj8+%!_-(H}m%aLzqHg+_>-TRl7gI4ACGELz<)-H9_*0_0ZHnlldp< zT=hKPC;9BE!ak0I+k9W=sZNpo(k@p==4ag8yShuaJD zzU0<5$scs`E$Ne=890?Z;M6e?5>D9MJ+z=aK|qi7^&Q58iULht`*)ur3|`)CLGIu} zy!qnb@a{+$^3A*NG!5xGn+(p0spr=Yja%j$JZ#*i`oY5|?rt4CVot@5+v3P6r_!QE z)m*L_l7DSY-H_2U8#^8yJ^RkZx`*tG-fh71nqKH{ollN09b?hvoTiIzR5kTRdNBe& zEI&N7cu7iFzO*#$(@P~Qeb&okt&0bRd+H0s`61S{0x4-NH%&@h7kKLOxW|hwtRMg6 zuvR*ud3`6JcFU-v{UaB5-}+|y=i6R9H33uA#k37&LjO>UueC`V-f7H=ZsS%?8&VoI zX3PiqPdBgKF!7mF7sW~M41N29^u-6BdehzR;P)SBp3gX+U-rVeA4&Ayi$99(p1icb zAnB#Hr{40E&;f&Scx+>X<-6onF_xEo`(i2^yL{WbGQ9h>E0yC=)Z>$nP0@u+iQg>x zrlj<~9ilnjlCYxag!0&jgANufxHve;_I^a@mgEz$T3e?fk5~QPu`Qcg4v*=cxOL1A z4drJt+l{LJd9tNXRm&S&7gV1;ay}xowckr`YaB^OkERVS=uEoVsuM=l;7^XO@OWw9 zYR#prW!k$RR+u`Z8d6g%Ut~U-bKJ@9PM@G;50>5aSb?ac~ zv$MY4$3Hn+x9HvZ7WQnfhx`LCK2l`;@#-T_D!<(9^}*b`cOH3o-XB+0W9Emjy{|=m zVi~l#uAO<^<^`I$tz#C>{^3a7!ibP|{zdbiH#e6?77q0@Nke;|u1EeEZ>C%v8h^ff z;okQKJ-p%7?i%;lJ!=N%&sS|}d-$Wtmzp2>WX>gVaq-F4g2hb-&VLwcUcUHB(ivst z(VT>}6FzRJK3HG8#Qwqy*Onyj-@f_L4o9Q6E=_%V=yiMglF22yE}w3{zPx&G+wl(1 zetW4T)?@rWex>(o<&%{?#nMk2tv`Iy`j4Eb8t4t61yxz`AS=2Jrnvk4)}`lLL#(eY zgbn}y+SC7-$><_<>nnua&tk-u1tpw|DuVhq6)IR9G_@uWRCmsS?0x{6^R+5r|377& z;q>kP+&r4x-v~B-G^FF7Ep|xa%Jmcx6(N|3g+;m^tzQpO3tqQ=y&k1vPPKA92GTJl zumYi#LCxA+Mh*Ybq0l^n^cvWGJ;Ed!R;1DO>p7=tCB;K!mKo`aL@G*gXVi~mk*>HC z-6?2D5A30_R2L0rL2xRf>J+?ymGu5MELorb;-94(=C7!l9+>)|Y+okgN1@i8pFz>S z{po|E{r7wOkL5QYSbpL6%MVg448AXA9+WN*7DDh}upoo~p#0{C37`MdDB%A?S{*@O z*X7T04TXE^Jz^E2VbwbDxZP`kyKUHOgKxaDH{@NquR`6;Jkr9Cr&L%w;BBh~R=k~KEdWt%vkk-YQwf+?txY0fXaEVLAofeNpbjv?jKkC$ zK~`^x7S6m8G#7cyC*&do+T0CmK+*l#Bwf%;91g5U!{}NQtcOb(5dz}GTDUTvrm8zp z#Prc61h1UzC4&IV{*l&Po*Tk#?-G{qc35zCWD4E}#-AyyO`{sI3a6^BbYV)sEU$M1 z+#6n^x9AXQP~qrUJ&I}A+qg9WB=1Lr;4l=Ukly7>LQr=;c4bgKFgj z-cRm7AjbTC=b2Y4aE_A@-@JG5EdN=fJ*5RzfcT*#DSaTR_dg`zq6wo^yz6YnR&5;e)fJ@6O?-eY*?BjKZGI66URMo3Aeuor$54@=Uo zUyL}!r>;dkNjUaKBQG3;>j|}02U3DAwYg|I_F-MLxl<7wdmQ$|aY#4d^T7X7;Sy38 z?}RV>g}NuSKJ9^R6TDFPAY}dd*I<mER_YjvR9ppw9CL+&qB#f7igCMRJ zwoV=OUO6kIXMR|?0HM^3&ro_lZRuR<7J3UGpw8fi{2JnZ)BivAzCFB&YVCKeG*hyY z%rujB(oEV(GocAhXohCmOq)O>=?z-iLJF<4NFhLhBBiuk3xWnLh+4F=QBgt5O+ism zQ2{|gKtVxKQBVO<>)xWMsHlkGc?05R@6Yo*=luWikS23mGxM(7yWY$12Xs**YgLW> z?ATJ|-=6PSm{%-!A3_SalCP|Fhy$D`D3^9SsLFY$4A@`tfC2`} zSAIdrAG8Aaruyc_ogk~MP;a$2K)p`dgmr*2EZNjZ@f|`rkt2~DuiO6s#-+VutnNL! zY{d`b0RIjS1=gxi&d9a(gAiL2=|Eo{@>8{%7>fH)xsa-^q=l>QY~Qb8JAl(HC2yka z4GDx^(HB6XQ{vP)Hey@xE6Nso0pYcH>s63>ZWi*@)S-29%tzYVa9nSI*0dcrmc=~n zj((lDkp=k7AqD_5aQ78odbXU3caI9ivqJz7E`tkuCqWX!O#ufA{EEOYGPq(IP*Jbu z!=Bu2&rL6h9Jr&)Zw(LEdk%mrs*?h_t$U5PwS7 z0mq3zFedXERTu~V1++x|s^SykdR#yzUGd6SorVHQvXADP77z=!2t=txru z0Njn@R_cKu^V>~X)^eRRMlEWi32f>nx@r=3F4YB(6Mv_;s5plWTW`>nRG~ocxZ(^} z3ACtd4#z1W)HxwE9c5Q&I!4fy;gK`Cl`bk$yCs{vK)m89)-0DH@g3kb27K(j_D-z? z7VB|uQV;`Uw^&K|Rn8?g3$EZ-8gYh@);b-Di>oq`(lZVz z(nCEIBd!5ltml#VGHzsf{uCs=Sq~7-19CrdskFuV7U9I!Ze%=0Ai+C-v+@;;Al}Vf zozUC0!nYWC0jm67Jc8ekHw99AKzFDvhNtUAYM%q_9{`hV((XoCSHUk7_DCXvSw;pA(nv3qZ&G4F1Rk`_Rr?Cf$O_X_RNoCv#p! z+#~MMOsgA9UQJyRo;eK7=|q>oYZ0lRjW6#(+@AT5;>(RlX#8jpy1$PKx@@*-s&39| zTzLvBjR=Pi79-^SfxI0Fya(k0ayxn8+XGno z8Est*Y{@8(yi6v^11S0ZB#FV?DdY`YK$R(Yk_WIAya{*i#@3Zu`B4?vX$vR~*-Jk0 zH!4dEl}j+-Pdy@;Ft-S(qgy>t5?96cn$sIknt*l{Ac#k}JO?}Gc<(I%)9M;{Yq=2_ z?@NvjZQK|2yZ^=7_Y&SJ_cPkJ5n@|jC(&_gpnUx;D66cu5cYVLQN=shUUj}WU!X)r ztCCff0d#pXmM3Fljn=vY(tV6aIn!6fC9~aNev+EizA=s#_Y!T}ohWyP+0|M#9774y z<`2iQ>xbjm^~13|92=8Un6rtYH^kwAtSEZWM-kx*qy-M;A`+M$9QH4vE@Lm zzEpaev7F&z^-*knT?atdO|fVU`&T;aew|`R5NA|mUCPAv@!#P-T#?nF!Sq(k4{nu$0 z5o4MG_@bAXsOKaduKqIMiN()AK!s%JQ4OCBeCvHKv-Quh6vxM-ZEhyvOy{w-ZWd zw5@9I(eeR31hP~tuZYkmvLRq&#vJDmKr)kSQOl#dy+`NqMMaOQX_T&{HA@4 z$zvmy-A$auyNaYl9t{-;Q|Z3mbd+t$VdP9~>TMQ$XI}-pCoO4|ZvZb;!)IOZOJzuY zvFCA)`4EDz^ZUN#AsgUC&S8wcoZN`gZ4`9C_Jhu zKj2i!pCIQtOTdYgV$4qh7}eu>;^g)R=$XuWX)OtTNqXvqoxEUs{S9nFJozrv5B%O+HS73do7>DY~#riuTOD*C>gDiKZ6g(713Io5X z@ec~8Iz3kCheb%S47FQNS{i>Mb)kied9WY3rG)Wgnr^SoX*VFGY9nhGD*8UJ5lZRZCZf5e8gC$k@Ar=7CTM} zLhS1kfI6~#sv)z*lWS{7*CD~teO;A!~>?Fns=CaYSO z^Jz+z%KHs%lj1S=IyX7`J6=IOgKw6$tGYl3Me+_+OC{-7yNa}NW4n_0l9~6QhJoRm z$v{XtQz%vK>S!)9S<=WAD?C0R=U{Ot%gb$)xPs-+b^DK_!}Hu`&$-$V5{y^+|5Wiq_M*l55rW+doASshyOB+kLpS0-3b z+PFU8sl;JZzCliOvTN|5wnYVHh+QAu5Z&*-!wk449YC_V6g5sI-J#=LdQ35&rivIL zq;3Wl5) z2#|SOE|Zm^BB(jH&k(x3bDR9ATKoW1yH)BC3uD1I>d-*e(sGI19$I95!~o$3?O((0 zN)-L(>esiO4IM9#3C31(WqVz7=yA5I(cx{k&d>xlYuVcr53-KYY^zxEyIKx#^_yOR zf#P8xE0sRS+~k73sHz!(%goY?*>`KHnc(~8qD=?enhsb{4u8lq&YOvH0rrSx<{U?r z^@x4BT_gRWx9`(HR7huAK^`Uav7a(WCUUOOZ;^SRE1pzG0+K0kY!tc`%DlKRJ-xe$E{N+v$dbu~N) zYd`igzIU{U?>*%pYIuzAU9hQ#cPV+py<8&yv?tJVIO1 z^ByfTL!<0LrI{#$UDGz8_+&JRKUXyt)$~Oz=|HA~be0#4a)=5&3gBjsQ(`&IcT~BG zBOGkjP~z)~KoM`~R?aNXQib*lmJ>Hd61Mb{pFzbc)&d#u#RFK2tD4+ad>6;dQ51Sh zun5tJvFlsb8hA|&>g9s8;9*AG%;s3W)Oa65e*1P)T@ZPnb6sHeHQ0b#-8rBh4_`Wp>@K^gjAtr$Xdzm!ikQcpT9pwZ7`1{z zPlX0hSCxyxWsytWCxim}L3Wn)N3&!x&mV@^QPv45IhfNart~U&UkP6bifB-#erzM^JRE)tfBe zfg{=WUrf?RSbiT8|GQ`}CXByqB|2Jfqhyysm?4`%O{1gzLp zRUIm?3)-#M;62R_lZQCnn=RJo&1?oJW#ksujuL>E-@^s~#ew|?$_ZRicOwsW$9v8E zO2AS~!F3I2L4%5X$W~Pj#oXi2N%#v>iV(L-{w)p)7>YN5M$F$rit2Wu{Wl^hN!3&i zq8Kj$E%Y(#Z6Z6l(yoFA&h_C^Wf60xl2ND?a>4tl4{V!C!Gf55DpkWe$d0l6{MQ7Qd zB|MX)g8_Unl4ny$vAjy0-y0zOhx2cuf${1fTO}1zn=Tq>8kC)c8KGrm`$h&Rv_;W z#zYNZB(THL7~}gISXVNIEUEc&B4Ve78c?TH!dm>j<-IsGk-39m1pq<|Ra}|BzY_|+ zP6*w{W!STlmB*aoXON^^FbIWua=qLEO95zQ<6$Hn5Bx6&?YA33Yan8-pb{~k>v$LU zT0sVil<*nCWAZFi9EHK5AdHIl3=nPRHAF+L;-U-zg zckVR4q{02UTWa5+h8o{y*-B*|YAG}BB$1tf2J6Fjtf+>uzi3Q<#14v%Mo(KNSgi?K z zTaWd3t+F~^4OS`MTR`p*pS`rNbQ@^3&-n@!jibv2s^sMKF5$=z0GZH5v%I&KGiVt0r!I$t&?LdSe}mD?^G!HxNC=3 zt2}{W-7a0!fxT;;vsSkRtXcuzKfPN@id5~*zFkcpvAvvqOiG8sn;S;3>w@EvU$IWo zyS7)QVr3J}En)9!>j^mAE={WgQERx*N{7Oe+|9pP^)?3B^LpU6-V7P~sCt99gxy@_ zK+f7cGOtR)osnQwY>n#BM&Ij9_S5WrbrZlkU(z!U9z4(s1IA!qy~R~#U8^OhqxY_y zDfiYy@3a1zAvI{C_Z%4>n?aXK7gg*R>|}3X-KSikvC-zGYLh6(?pAg?y%IwxGGcEs z-m776Dgfx#Q88ns^a!r5q5&c#iBsHpnw2XW{$Otn3`9&1ebv8^u!Pl719$IYFS{17 zH{fOOu0-r;2A~z5P;LT{b#fB`SGCp$FdKGXN&u_3$MTY9ey=X8HWJ zB%gbX`Gi2Y8NW`Ni#K8^ag10V1^+z86CI0+N-m&Gm#WTq?$^#_?CTRifq@ln1w3ivtjlVd0(8fcKGsS zGN<+%yxwsG8|K_qRY*F4tm`UPE`Y=fd`d{Q_Rz8m&`3!@B^8wYVPdf{Bsa98hR2~L zoMlS|@rC9<=b41UQ@APIAEfW`5uyvdZCPxzxGmN|0_lyvqj_Z<5)bjbdtX{zkG{rw zO}@YDL*-_m(-cId8Hs@NhlFXOP7stjy+~Va8l?p>HyUAH+^ecvVWIZI$UGh?>-8n) zOxBmRt{P`SZ|5=AeM-|^=KDnX1sj(cxzxbtJ;deF37!?~n(FgsUCst0AR@WDH8YZe z4wemKz!X{{DF~S9fa7bl54YUL*15l64}9sIP^TS?198_{F7y984evW)`@k7HGH|;-OvseT z`@(RAiwhO{>b;9d-j?-3Kjnayf8FaPe%@UCk@ydxNPJNFhn`6m0fgH9MV(^d!06`w zM)Oq}$_8_D=Ln2TCL()ZZ6%x=h_Pf_F#F-i!||Dbap~p8~GLYDwi;8Tk)>b z6eIr+W9U4gC~2a^i5)xKL#z|_i2ljoz?b6ek%+@ z)=N%jLdwca-op-)-b7p*pqR6=x10~yhu1zd9kB&c4&J0)P=MG){CwX+K5=~~nlu=# zUxo6&@62``lYi;SKWemTsx|T>KKZR&>3eKCnn-S}g!}_r<=ZI#16WRa7xOEs@^Fn0 z&9P$ESJ{a?Uq3VpO)5ZhZb$hKD97WOuZjI9tvp2yKR63OmjWg-yHvWD(C_ex`^vci zN}SqQlWP4{4^xQoSy&GM)b8miY>F~gWz0(zQrzEZ6*<+N*f(&PSU=Xd-{}iBPPPWd za-%Pm$=7nH+0M#T>|R7KImbHOPXtyhFFhr1MAf^%xKr~YI+tp6X_*3z^f+<|&^#Lb z&jxpC8KU9+7Q%sr&5r;)8|`*~X<)u9ElZO~1v7!1wqb|;cIAqr#CW@6>}9kMFfga| zY-TXhCzLLv$^m9~n~-W8MCAK=Gu1R87dG>Yfpg#vX+#+_kmfzXnchf!$j008Ars0a zC1Lf7Pa9g=$f#xrj~Y#C!Qqx&p5sknlP zXTelXO1!%$D}IuEB~SHwAEMITcP2WTe4lvN;=ZmnG6-<09Ns6O;=#Ng?nOC;Kge_5 zS19Y4dyojB=u{o}PH--FZ$6iyZReHbQ2x$_lEuMdR_M!2+CD%wn^eicu~MMtyA$}3vuE`#z`T(r{tRst+`qD4?=@Kp#S=O+fT zxIH9Tr8THM|NLw6RMakWDRMK=HxMo*0DLnvm#X}VN;o18VxO+wY^}(IbgSLJp>=L& z0)z4|WP#ml>s0Y%XiKO|!fMa}MNkJ=zN|CORV@C2T@8;X&$=PZp(nVbyUK3I^AFA-8Mw&(vS@4}%6!0z`7R_bWW^EziU6B!QX9{FPw z+GX8L%dIH1gXP5^0w$H1$fhZYICKmOOT>!Z6nNFnW(St(WIgMw=;ge@bD}(uY7o1xHt5i5tXY^g^%A_>|?j`MWkTSd>rH1{dzqW zMrsptT+f~l7qcPejU-mT>JP+@jJ}R~by%a7&NKa-@oAFVfvd^&FQfM7c_&}tAMG2`T^jikXNlE;Gbmhv z6z&A~E|yGZg6lqE-R{7w^8w42 z{o1i5>f^W9Ekp|jB6cY5MCU%+qYds|@qGvh#JFot?lZ7MBX) zL$8pgs9Q+g@+%RdcI!m}tglg1#KZ0hbjOF^b{#N9>LGEp*y*J~U`Wr8Gpv1eg`|ma~k|yLzYb)jpiN%o&fS%vc8b zDWMGNR%SqU9XJS`RQi}+@vK#zkSJc_Mnz8<14*SkH1Skw$C&eo32S*Lx7x4f&Tsh{ zrd~H>uI3jqlgmTX@lb4$%-DW!@ycgla@x|M!ntI$vpW%G(C>f(Zb=}D(~h3?bX(FG z#b*`Yv-TnK&^U2Vi=y}$@mc#sYm3TNC2qhcSig0Qj$PeWW(0iAUe;U*yp_RzS~-Nm z2OWIZGIj{N99rlKKJU_@BNOPJ_U}j)Sdi|48l$~j)IADP&{AMATkBxI{47%*Y@ZZ}%x*a`f z>6d7&A<9#6(cUWuwoE6#M;nfgs5nh5(MKYmv(;>#??G4;kkq@HYN~vgg2QBR6oh z_gIJdT#p_11S~027;H>T<`;9lrAn1CC7DkLwq_@iALVv_0ohFrck_iMPo>m!sf^WA z$;rz3s)|vrsPKSXh+E?Pxk@zApKBVGX#Hj)ir9-5N&y{PS+g0DC*^P)*~{iu?nl7# z!BC9l1uy8I$49e6D66mD;eJp7L&|84Lf!9YiP?C!Qnt#k1uaQ@)lHAiw?q% zT2*wZF`gmV^Tnz#FoY9#RpGKhpv~FKQpYTZ#jTvyWA{qya~gTDuB!w#-%)oh zWO-MDi*&sNRy{}?2!QD${36NOec(c?>ANw+(zWvRi)>!-t{&E-rjj@#Q>Kx>*IEZ? zyyKbHT+%S57?JUmo2r z?q++2x`6F?5l2o#UJUMkycTLmyqyhg{W<2K-i>=gde;(3oh)AFdj{W059I(+jQ4Hw zcxW=zP=PK+hOX4B&aEXY3*vBKRS$o>vZ*1@_aiVexL1?8Veyutmdj_oFa5YS;+ze*xP=vM1$7N+;m46sc%p->BJ@$@9+ zp_^I0V7$s_RVo0OA7=haR6LSPkr=ADinA#1pz1QtM&AhuLLrkopNQa}vb^ZKZ%vu( z#_}>^-C<+L*FJ51+Q2Sxz7CMYo$CONc*-wWT$}%ql#az?vEgHfT0Wzd?ubF~h2LH_$2xKz(NGAWb*U^5UNJo-cXWiW>Qe6fhpMy|W51e5sPw*7EmPCwfD*wFn zLwx7}Yv-O3dvZr2@vL2VvfvKXPzp+sMQD}BVQ&MM!OfOdpsgW1RGcoYpvlSFGvXJL z3k7$n+%0xvUo9Ty$!hu`Jkj|W0Wv<|2CoJc$= z8{y}Sb2V(P^J5;SbAVNt?J7~{1YihUm1tciuy}PWOiA32E?FKS%O{4@*hs18@Y$__kgX*{f0$+8*Qo>Z0SxZs8rEr z>7^dgZ@q^VZx4BEkG4L+cav+61Ug_qZ<^y$qTjMp#S0Z}MCg*hiMS3$FS2IuFe1yl zrT}ZZ>l^w9dSOX9F70qO^n(m`OvbeJb3dNq_$Sk!p+|cI&>#Ge8Ypf-Gb*07F3`yg zjv{)r1S^tftv_p*B$BDSJEMKrY|D!Y>`&W@@lWX23OCypJ_U=0Ijn^p2rB73!D4iz z!;f3(xn73w;!#+@EGFiV*6!0)oFf+TJ7}J_q1|6W(-xw;KeJ|OA&z4AahUo(C5`*u z6m!`3*fg)tf2rNb&GGhOGps+yqE}9CUC!n3H?=A#oJO^T#&RL=jRccDRS;=ccxZ<5 zTD-Npr)RnBROfG!rmON#DEH!!fgY&%b)iDHPshGYzo7i8Q-&h(b0MJYr9vq%Cr?MA zs?J^oDwX(8dSgYCcd>O3XlSBuC+%f-fr$20<{(d#{glpkhiRb+W!t?E(~n@h0Bo{H zQ>JVHEeF+VU`>7?a4t^%8H<}*;?8mOL+%%{3Z9`tCN>ufB}*}DRrcYL4Y0%)Pk36D zMJSX=^V0pQ&;U9ayu6Vgg5^EPI}Ja;05TsLH*3M#5=F*!T39=*r^I+JMeL!RMaGFd zXOmt*#`XNj2c&+;`=fPIp))?YYZuz$IYeIqBo*h^-inFjH}N2y)p;l3@vHNO%1Kz< zD5SP%h(FQ{Zk0tyd=nIvJCS%876?m`_`V>N9K%}^n)Z{s9mlS$UL41cfW(oQ1Zv5z z$Z-@_20tUm3*hPe2|3Qd)(6PoRa_(Q@oZ)C^`?8>?%hey{pll?)eLZ&C(}x;3hxXB zg(2=ZHyLBRM-Sf41g1?xDH70Hbcfqk>@v5Mt>Q{1A`I7OEvdv(r$#?d_TJ?|v) zcwkJNlBH#*XM8h^c{+BqtfypWO;s_fnTWRW?!%Q`>D&Zm9Y$Wu7vsHsxtpEym%AULgJ<>3 zM&r_dp*e*pI1knDL*b{u58>W%gCeQg-;Nq9-u8aPPO+}ILB7fA?nnb9b#g-9sbbq3 zZW;N8>lJpS_0|;U?R3NU)wfwD3uLssS>@jd)~R7tk6`IpwEiAUlprjGXJbn#aj#ES zmWX)rl>Xp0nzt~xFc}xQR3n?+xd}*_vjR& zGV{)Z2=b4Eb?DCL5wkbJ`EUZih88mYmN0DJ@DM~;RXMj6`q;xMnC)6OT{z`` zhCC`d*~a;25IgMjTF~o&t`2etSuN4j--2P^J*dCsmK3H$!%Q>T?@41`>1$_`8LVOL z1$SAQ`2-7C=KD*>P0Vl|U|L)2tz^^b%Urs%nt-KU3a8wQnk< zvW-s{;w{|g%;P#(%RA>KlP(5AmqcnJDKYI1L0}Rym9BCk_BpP__=Jw{?Q4_#*tkVk zmJWtb_SRWkcfS^+*`Q z>X<}5`q}-qUODWPmM66o33m5Q7HRB_-nSrL2_pKc2ejP8+&H}Y3#zvG3%-bx!)LG@ zIRxf-7uV8Gr&ufWL}-~uqS9I{?L;kYw6kDUPRjr~Mv`{}UA7UmRM45!2c;%(!Zi$G zej?&8ybUiXK1=;G+Y+#{)S!(Y&9ufEdFq!htgZt2;V`{MsncY2%mw-2@k@1xvjB?(K+s{ zH0F;~?v(68@=3IEz4WahJF$>XZRV!QTFf;mV7DiDp{UtZ<{ISf!3v(=fN$eBRYFPd(@Sn6i8%#&aG1Ty6s0Wn{nibf=j$Q(71lRjYk6t9b ze1qgc$U6mcYJZknY=MJu-X>xbE&*AEI4iOpe-bJdTvVW{RL%6!Li_5dewur; z`zU|TVn_r{7Eq_SjL;oy2gxMAcK?JjDs+L%I9iT(k}TmBfZW2R1Hqc#d6WH79mE3U zI?vgtI)?@vp#zcSbuB-hp>*iMXP<}@+Y1h;L>{lig0n4AK8V9vpf4X~$crtHLc>2I zLQ4+kVy3oNRJqg~ew$B`Xd_RouH}HXK~4;xZvJ$2*l?Uw1#2J5=;{N7jWGTWej4*XUg0;Bz;9 z0cy;aXH6wq%RSk+s9+6*I+y-b(~g94R=4{YI(g`rtBC-!n{}WOhRDpaZI?ks z-jPHc&K;b!Pk=q^{KeotWHf%Fp{K}WRPvK%sV_3UkjPd$)rs!GWu4%`CihEEL&}yc zBljR428_UqrbrpR77NO^sz@O%C}sN4Xqva0jHE;Uq*mIEl#fx}^9aT;sTqT$)gx2S z-di=rCVp3*4m)+u_e5ne$$abnl6Y$H9y z`;GNQn=@Vvy=hD(tQ>qO&g}_VUeG`zYe_VnF_>1h8ef_Xl->t2__+|kcdBk6x<3Q$ zUT)M)W?%AZKzSOo`en2lEco9=Yf;6eB*sN{&a&#XWN|37>kxK0`};|%cnP!x2!oJu z>ZVb`Xem(>Y7v|T-!M`p=uT509{ME|st}~$4is9XK%BzuY@5Ld>%uaA|ucLaz2i@e3^J2XypL<=dB~2;2-FGPm+cUO`Ay&9J@0j z|H#ke+8pmwbEpzyQ142+q-|I$1f6x-mZ8=HyHo9C!up0|I4{)3KNg&Xn61fVdKL7K z9~)cGmQzJ|N!MZTFHlvb>xUw?p1FxeR%K`pSyDxc>=(r)H<6noA&49w%trc)ZHEep z0;ndb@$T#e_{h1fZ07NvOiH5TMtaybiOmG0K=!0#kJyjS3z()e5mAuq&LILMcmxsW%EJ-DW9X2OLI@m)u6Rx196 zJkdA-%K9C!RM>M}$isLobX7N zcW7KEq@3i?h{!^As3-wfhkxad)~T*GZ72?BknGegWle?OWllk$!e!E!;B5ET=?oSOzrctM>Q$bH(RY z0=_z|+Rr^k*@e%nn-g8R=hlno0P{r2MCYD^xnR5eoA&%uTv}JTvWz;vk)(^x(uA_l zQ1_;AK1^7%U2@ffIKM;q$z^7}&N*7&E^@EG#dNTO^|}v=OGa64E+C5UHCUh3C|=aE z=V%Y{GU->g7NQL2lpr>YUqKxwlA;gobkilCq;;q42NIS%L+mX^%I>TOxPY$ncrzvV zL!|nI|A4?2?-yl0m2V%tl3>>}pxp~atWG`{ zPc5ul29LOUD9W^Xg21OZxgi%ab|5=$y_$RC`us`AKV7ft57|<&M4rE(Z2uDyT)IAS zDt6vgjNHFYx^~%L=f#q$AYbY_Eck0UyKqWI#`M<4sgoPLf2B`l!=uI0l&(AfI$VS6 zN{4Iz?&52&m~*9^?EiX~|3WX1JwWW=-#o;>%d!3U(OABd`F?dwP=Dbo0J8jFZyZY+ zyLR9TFzGds#YA!Kz*SuFYe!;PXxF8v#o!vQ9fGyb^@skWK*)=_{#XoO_1a~zG_@-j z=+{a6>WhHpb0w$k8VdSfmw01OaSb2+zn(AaxqY|6f(_yH@qru8Dz+UUx~J?XQ~pyNj>Y)4$tNEcXtQ*#7+xS0T^;<{|!F z^uK?3|DSJit*yk`F60~jFF5(%fRiu!{PpV+@kwOznCH{P`COYGcu z~^nb^qKgVilRM*;9j_X<*|7+L(jz#}F7X8P7cde~l8H@flO*)gyDu>Y7 zSY|yCd&77&u3_r*iJt6++0#9hk?G};DHA|9Fmaaa^5&s88vo~M=D*no<>@m11XjTB zBtZW657&46c;K`c-#FoFum1>}KEuw>&Ox8QAO6Jp{NI%Lw|Dv5H#=$N?$eiZ8}XHw zdnVzgBzT&thRKz{w=uyp_{NZ@DBI(ebNtw>2~D3an3J+RvOiD8W+e-m;kTUSXX$}_ zNs^rF2gy*yJg4`1vlUzjXn2O)ET2D-mQb^Bmp;#%XA+W=uF8vSP|Mi>Xmz(RN-cZK zwxcAtjW^c^_?NR-$&lsA&B`jd8{t3Ha#qlT46;YbR)QQdWPAMH+^Pbk$<4{ahw(}% z`mj1D4+!Cs*+p>Fo1KS?;BA_POoP{#m7QF75ox?xd2p}8km;jQvh&Iku{z7|xC4)t zW*~KT4kY`V05lN!%aV~^_V}{P-a)Y^$jhl;gVZ@WRsX{J?A%;m)wf8K<@Ms1@q6rg zkb^JBm&2M+vy_UFT=_Cm`+Sa4TnJt)b#7MKIt*oG%l_g5oW)Pm%UL-}YWAlKkPtbr%3oQXAAx!G`zIxoB65=!!VWS`HAJ<2qs&-UbGIo1HaBs`y- zOC1Jg$HV%ZT(2^IH7-lWaIV*@nH{PiZggUxpH287E;T(#hv&`2qX7~c2Xv3 zW31ThteotY(f)`!+f#5fR<<{1QY%vXm9Up>#a`qa^BzRXD(!0A0WUX31$mNH_o~%7 zGBq0aVMpuX&3&$0q<^940F+gnjWba*H$o4O>n9R61K7e^wIYW~aS`m7a0$wp5ywhm z5z4L^r7Bp397j-AXds>nRa9qCys`mpxWv}N!;J3(xAHe^QyxR1^%~jB)jh7Jyvi&T zc^~=LQMiZEIt0`+bfLRd-#_|im+nEqwn3v-siOU}%=&n9oLL>$zF_xg z*hq@E^{{CSBu?92uw{6r$)JOMw2iSPm<=}8W;7()l5CvKWKNEQE0-M@C!6^=OGn9b zpe~qG;!>H#?|n5rU>0oFq_jAjL6ZdKnC)?Ej!Z1FcMdeC+Z;Bhp_d`U?22PJ-YC+=fssaX}r#hc6Fz_U$e%4is_GC;(VHpvX%HWgMUrD7Y} zj44i^p-Mu8OEuupu~QJPQ|AG+OePcnWzL4;#;Kgo-W8MNUwAT2k=aF8Ww}6YdLz!c z{SJ`jnZ z4+YRef1<;n>qNdNj$0b{A0h{Ml`H?u8vN%k6Uxy1&%JQ)HT?aaKV`0l{=~9?pkgu`4aiWO!OH)|Gj*|<2C9Y5Y2 zZ^Nl^apT7q6&ch6YK_9Dd(6gm6xZ6%E2f;R(Y|Ci&Yl%h+!YBnrk)rpOy4K_d+Fg;qM#%tfaU+1VZS4UwRTW@hlwo@%`xrY*y!hgkn+x;lbbj z*o^+{AWb?H`+a|UIf!m^lNo2IZE%JGXQ3e&1RW2RKKbJpfCcbMjbin{Se-XLoNmVH z$OaV$=c;jbQmo(%6>ibw;W+BXoD4X9IEMOzZ#Ary9{f+~SAk*Ys`L-5O;4$vXZ``w zzr5^<^#A7@#-#s0_x?RQ%Uico+?O9f_xV$^TE9m%Y&FO`X8r+Gh?pVaPckuV%!siC z0;old?G9WT$!0hhTgMAV4H#c4V-$#g5`7TwRVoc!BupVm8X)ip4nTjhA*NonT1=Su zCne(kjK3I{nx{~+G%-em_t6wg0efyH){<*9iR#D{D%Ws@=S;rJmPj20ABL}(O2Lz< zx%3snM9);=I=Vzsd4(?VX7E7^|sLCvHmfu;*}UuN$EI2pto0=(Yjuz z%L9F4PRh`fc%S=IpfL#@q@hgnlu5bb_R9|J6ETIHy~eFA3m7a9$j zh6SICU&RaFKX@ZQH<*Rk5x~we1|q}CpV==(B3uWF>(7?wv+eAP-j!R2iI*MNO0)ZpB8g=h+Gq>z-Cdd_T?MxaUSaUz8M-ekQ2o@U z<2eJKfES`EoKYXM13Ig<=leh#c6Z#C2O_)5tYj+yn`b5-A?0Xr9rXvjk;-&D0`$Qm z3B%ti>M>Np1U2CNq)eXgx%*!^sg_~1vJ>S$LfgXMl3JFb%3_#ZQm;5T+yh>~ zK$p?)Qp|$;RKyv*6@Tg)R=SLuTajM9+tJIhnKCt(h`qWCEL9uNcu{^SFkm)5k`DXtJRx z(l}*bvqrMjG9waPlhhL-KdWdY_cQB=M{Hofcde_Lut)_vO_xBpxjVs4|UoG#FSTwAE_Lu4tg03I`~6% zb1Og=j%yg-IHhrV!{j!PPaT=SU9Y8Zkc#shvl&iH(UuBr*W2wW9AD5ELt~}{Sl}zg zPl&H!nc{*I5jO;&(TCt!`^t~B2J;YIjoM&wUP40i2P1q3zKNei&E|5cRNpW8HadxO z3vI4PX7D1pr3QgLpEbT72i+4HC zvQ5bVs@}p2O)FS|p2#N94e(IX9Ee~bZ=phd3-1>9ulrpb2t$JBz};lN5(ZR3M_zCU zOy7cue$(?5H$HZZjHhOqXaYPPXIc7(*tqf~+fxnre~EaRT1s>Vbf$}B-qFCgLJzlA6Nj3mNk1;ZvpWBi;ysc98JqP2OC}2}-7FaC zhVUz-5IT8(=+G;DK7iy-fQDLS{Lxe$fNSB2_jNfU-?Lv}5oUEGT^ih?qFgvY*#I(U zy9!$SGVUu=@t3B7#L<%hn4#kmkLX`<3RMNoeYDgQ0oWtB?hyiC%(~4K%l}9h*1WH! zh2ZN5Py+E-`%lI?C*Tr6L?gaJIY-W=`cjJp4$l|v7cA7R!0dKp zl_`sFbgIuH`+VuZ#*&I8<~@Tc&1k$}Ho1v=E_=RG zNJC?#@?<`f^uvPd1aGKnK-k6ASC$}7aIR#Tg<5I}9_w1iC-URLqslUTc+y=a&f~a; z`C0=L>Alh>WZ6Xc#InT*59l7im)j>M^8Vrr7rILhqp|_W^ra3c#GVv~a&_EGT?W?5 z*SH3he2JPaP{a78Tn))(hZ2U)CKaGk1RD@Fh>dck`~{rqN)wWNP1IPbkY7rEA$h3L zy;P_KuI(R0EB8G__YBZT=aFe_GLxmnNlg>h-9BR*;ey-Z8g3-jjoaIA?V8@TvfOvohX=$15c~N`s)pf6=}b4ML;_IKiLS zHNM3f+vZS4_i(-OD-P!~Z*e6<5jJ^da!%hF4zdV16DXL%Bs_;MmhMs8hnc~$cQa@* zv#{a7SZX!=0I^jfVFEXVS!|9TV;U04Y-|j=k>_)~M@Yf-u3N=3Sm4WQWQ14BPpNzc zs+0A>h0+9sYsDX^2I(ZiJYQ)##?lAaGQfcWygTcR6lze=i$W7D>6+SFqeVmggmt1& zy$`~?086bwMs0$}@mteP*i-En$I|aQMH{}CI}E7(eY~k`m*m6jKuCR>d*GLXuMr11 zz2;kCN(0wtySd>ZYCx#i)XNwuHCAXWJ6Y>3v1BlPjKG+g#8O^HWza{O8pauW>q-mv z^o5zQJ%R=>KPID0<_!XRr-8YFfDRIw+&I0lVH&{jf!=0|NS_#)sMh_Vkr`=h`h+TC zrfD!M9+4Lq(M0Ae8@Xs3(>$)tHWlVfSA_-^s_j~4pb<2{i4CnwzBYhPGrfU)gs0+K z=(t!tCBmo@8D48Toygphs2(rOT@1g=h1~Bnsm5tpp9!1Q(=~c z`Fd=GIn=ZGZqcZLiH+Qe*D}v1Wx)RF(_?h##WRZ+GY@KMyAU=`*BW~znfhqe)28Dm z^)Z5I5poeAbPwp%w5C52jb9MsJxSpu(Iv*|yf}*5M{=kQ4h;!tU@|q1vf&<)xrS*o zrbw^3r`Vb8y5bwyDxL|A!OuL?=9Tt|MYhjQtUD?ArTqB;RtYT6}zBq+!aJLwkJQ{o0uc$G^2UFod(;fqi zT8xbo_0sQ{e)aTTN(Wd@J21p2O$${PFv|UcWy-zFb&lXYaXZ?$dQ&*ZX?E z_j}ThShDHJ`>rzW zwq>9|bO9eApKw*4yDjLI{HOUBwC*I^8{Se9!~NQJNDz3)`F})EmAOKWd1nMDHkjnk zM1L{E<88ti94(c|J&o8)h69mQEj4*2AR28q=<#vdNQ+>$V#GZ!gFjuF%>A87nmz%E zvE5<)BiDSY@^f}M!aw`4>v4t{eL7U>il_90iULF}kSel` zF^H>kZy+&_Np0J29LRJic!>Wb6Ysvq{G?8dVSmw*1Jb-w2Yy=%?PUCj0g3r#^{)%1TGTG@Cjc)Nc+Fx3rX-1rSuu zgTE@)s(r#454zd2)!lZHyHA29rn?Hi2j= zB*-pAZ81tWFN-r6gKZsshvAKfwOoR97oO>xW1F3>xE@5dvN8qXjlQiJRs^c8A3$cD zXEGuKT~9j1`^m#iLh-%$IUyZLH5996W@G+D&xabanIF!m9bpc2#nVWdgVz9knE07^ zwqO`eeM>lF|GBs8UL^eLs)bxU!7NVGsL!cCX^OtELsbspS&GH)0wT=a_Y2(p6XSTd`-`rBVq40 zG?-K`pH#G9#LFK>>T4<*f_&cu{^hJ?O1vmQE_vtB+kE#(_B_LPi^S8w z($41JNHiuzDuekabi|^s3I?kAxIWsXx?rjc&oY582<1D$Bp42dh)%e!O_~YQ zyG~O%g)Bo&{CNYrF@aX;s{+;4Y!3tSdP);uiRPEFdI)g`Si4nIQ(>NG!-x6tabTeY z$voo zN@JgYhA1D={> zr#Rc3Mun!9t+oqzm>9!n#xuh~Cv*)AJMk&88n-H6s}4$YY=?0rPGIlS8@~k0PeWta zJyCd(Yk&8}^AM-tatGK?+!$Nmf_w^?iP*on3twaAbCIh`xyY-Z`&}K`XFlvmV$8<&2+5TDlLe_0P>*a|FY6j@krPSd1PAjb=%kS>Kvws_s_mpPEZWf<)z~AFNH1$d zQqUoPX{SBy4KYj)>ynr&rBXb33tSt|Aazwnt`Dq6t-iuV_42Z2ggAh-MtJztn%#6K+2~Xum(L?HcjD z*g~y9ml2TBJo9<2ae+ad6y8~DoS>ifV8-0%I)kzy5pWXjrJU7V zL$2#R0|%fv`mz2O_eGL2*r)a6*sN@guiL)8v_~Kuk2KyV+s+zsbnu)F*r2e}Hjm@1 zB88E7zw3I)F-ZNSAD#xXlXwj(GW)dbQ#$)+w6oK{4JfozcX>}^@uzypLXJSk7{Mzv54ofp~5P8-`6+=Q3$PV&iHI^GrjwDOsr+E-2)ZWn_`^0SNGJB=2+C z;yUuV?J-vtqgt@JJ4?nw(U)l&o=;<7znyVUh=LM(WR0F|fP5R_6xrHl!BYui4aR}@ zEk>Edz0};O2M^c#`7T(yM=)fkqr+uF{uii75?}1dcpvA!PrP>O#%qmbaVm)S>VXlw zFiQm71BJYgN@G?O%Kau>Y$Bzu%rMVw5yUHGt^00}b-e4sEY6vwm1$pb z2u` zxC=nbW~S7pQLh+m4su&DGj`Y97|A4#z%3}&zCD6vb;<_o#)$m*n=wpee)OK1xuf;G zs3ohEiA>T@Rvf^qgNJv&g6E2E^FLgqiaHp+v-gz^WN?Z<;+M7D<3B9~fwqO@0T2wG zq*QQxNgsroQ}(->8S8eZHx;~}FUv1F%__r1W>*1UD&L>AZis*+7k^4wCW)ed2uV!P zvj`%a)NwVH9nAvjW9CfqvzmfQiA|fil?b+og5k)WA-Tv=T$9;Jasf4>*fNq4DGx1N zJoK7QG8+2)uL3@8d|8ij#y#dEg&g~SqU#Szd--jik9vChkcU(9oHXPpQKJzv8n)V8 zPyrqorV)Y;2A>~jQ8+|@VtDr&+@kt*;sB-er}4!re%VUjCLgO_*z1w`(mR|DvQS70 znjshIj5ksObIC&;bHO2>4BuwA=)l8o)FsMc!YSl@A6q^S>pm^-txWgUIQ z{Gy1w&P8-HGpt`_wWX@b5}XVE&dOl*6kCELOJ6@NFw2~sJ-Y?De{b0s@_?SVRniP~ zj@dfeEZ@uVeFotd$v}B|4{c3_g`GOWk5|26-EVdk4kUd^l?H5%_X|*s)!ftfID09U zKib2)|B4&ude8Dx-8Q{Hp1t!RL)6UQWrAgS7ZC2ka&;f~1@1-f0+-fTDN8+s_g&=P5R1uf;pdR*c_P}oT^WaKZN&E&?bYlDN^o!GHPjGT0<9S= z4;D1{_MNTV>OW4#TBA)XjDt14+3X?JP+wU+b*6D(HZzpnB1c)$ZboD+}p1EqMg zCQxs+%V01D3gmW~ol%6_$$5OsR>}3XT>)^&=$a}ziS#g+Sh%^Gh8kPJzAEytBQ`P6 zV3`IU=IJ$Mq`sKTlkuRlE3VBep+oKpZGg36U0+C`&%1i@nO?Aou+#+n|1Zg7| z<()`JalFtjaLrmNQQXDA|mOutZqT zOtk7*ptdSWhn26vzS1B+&2y{03uu4weG4t@y0<3EhmegZvJ?~F59nQfMj^u za+yuU%#Fr(w^cWu#5Vqt(p+x>@Oe#Lpn)wKBi}bf(@@9y)$2QWY{k!6!xPZxbJ;+x z=61xhhpecQ-8F{&$cpbe*vU2yMP05B9s2^hcQ&vayO%J~z)_z^Im5Y(Vq3&i- zBZ*}CgC}@^VDMz3_UIZbJ7vR0OL@)14FH4fnrx9w+hPo2cuzvS=$NzDB@IzvGvQxUDV z--v2%p(Tv@=3zhp+H`Hpm}FrQ-l6oB7BLCf?E8+XP&X1`Al?Np>PsdraVIU*sAVbU zh|VT?8<%={)kXXYi3ivHD^#XBCer#KM|ugY`Kpe8N0RTduA0r3YDsF!IXAh-caxjM z?w~$Uc4uat@tJSye6@jOp_lb{&bNg>qx0@#dIK*F&L(!@d7Owx2^`78<5HH7Ap4MN z<_e{YbSK&@*Jj#hqorKap_xyO5+oHZ}gSw@uLx$C8RNt1!ItF5Gqi>=_K7R zz5s@pnv+G$WTLX(Hh*GYL}d}i7Fxxd^yZ{g{>M!A=M-fl{d>y+@^B!|`Vxoc;56G) zmU?jf1NnrE`WDl;osEk78E>v0D;jc3Wb#%Kan-e^p$ex2(wf*C0zT0XCpVELft9QzP&i?=}9Q&THfgbz~A*CYG`j z3eik<=@`@Cn#O8yDzH@%{L6)G9uFJ%U<2=sU>EAleFmUv^XIAf2{Oqz$bfH~U)9Og zMa0AZmbrX8ZpBIXUVgn`d_yIzB=3sWTgETdpZgrr?1u8je`tRS$0J16*q5_T;b?|j z%P|=jUdb|`>)Wlvz}GKEHg{vv)CYB>p1d!l<2m>Os+OYI^VSq!H2#ugnBN|n`U8%k z=fUXuUL+1$D7;ARY>ti`2D66D^u%|AtgVIkgg1^Ks&zEMSR_XJou?lnH^hGGgVOF; z>gH!f$eMuk8jgF}O@W?Y{Z1Fr+$HwKtSn+JRMts2b#5g`vY zwmfS5&REOJB+@1*$#P4HylZkzyx2Ce3-64Q^;*BILtA1b#g998-Uhx|dubJ6I=0h7E7|7@7?R$o| z^iX~Y*&-`SU=Ijy?6zX_50T9_?{VZMql;e0bWsaX{u=d>%@28JI)=GWn6*3x-&*C7 z+qB?Qb(61@3ADd&FPThk6gjgs7C-wr{0uBVmKskNVZUt^f65S7Ut^h72kvL{&@meI zpgNpkV_AEDo(*GekCdP9WjsoaIeP5!UGIEJjFxg4;g?NCLlOV878W9a7nrv&TnetR zMbN22%r9qYFe4s`^?9R^RLf+j{_fWKDoMh%-Mz*;mu;KQP-yi!NF% z^jSV4wYTJS-Y+=-$s9=w_+_3*=ZLaz=%srMtF z`L~g@1WXz)m^fJ}2`18D8^tA(k@zCO5~7&1Xk3;rjxibYM`fD;tq{m3q7qJ4(edUM z0}nhPQ-vg{nI@5bxey}FBF|O+&^e4cNj3yIFObJWfErR9@@X@Djlaf2p&2iR72gX5dg>5!-TSN{0!Q49tC`?y($SdW zmBfbQXbX8+$_M8$myhibTpY|5+I#2Xn4qb74c;uAZQLfhYaf0brtTrGcI2uD4KksD zjnD=j7dYiNU;BOI;7rTeOGv% zE@sPha$^LpR;M6-8N+@DKFbDKERdS93W^U|e{)dKN|K+p;64zHp!e`A6Q%KVuBH{Z zQxk0yvL|+vXGi*eyO060gDm;k-rG!D_Z=bWsY&hG_#{qnBpV%C!(ufU4@F@!Ua;6rnM8PAyL&{2SB0#>lh2fwP(+B4iH#=S+XHS`EuYCh3 zE5+kX{4;-%Yo2MptIEZOWz0e}t!*{&W z7*A9<=J9y{EWC#f2DK{NvydneBa9bST8<}_-iv!PVnG>VVlxWRnG>LK6^m!vrh3gJ zRxG4LY+qm*_Yfs$jEoQpgkC2XTsJXfQ-hlkxbwApd-PP728P%HhGh!N5E-@W9eAVhj}pvub{KAsq}l*2YwUiD`H*R;0dnNx62x*qSBQpp*Ra$KxYxhg$AqS7$NP}+^*Gwd2{ z+@Q4vB7DOG2kZq=xp7G7Tb#ka8;S1&FK@Is6y%5wE;;uO*he&r{NP|9@1A3EgK>#I zKp>QXzq=Ae--79XEh)>8ku*zqO6V_1?YB}7WIWfMj8S&-idL*4BZ1TVdgXLThr!6_#PqB}_m+c6{cL|j=F@RxjjT-qE3>8--K1#f~$_DX3G@9L%qNxh7%stv^ zl~q9KvNX=vXg7!Jt6xsy=fuI5gEi{O7_wRwlKCABADMs}tew4;7RPk{ty%JEJ^Mxs z`?!hth>e{dNp`a%L^6X!8Gj!}#$z!Ac{<{GX7n(S?`z_}pFnfW)go+{9~ce=1C!)Q zvKS_ajV1^mo9|(em*2>k<=#fs#bnEOoA`5ZO-|65r`m!q0TFEy*1#m1I1f83b3QPq1y~)l-HcKUed*Xr1w zQtn%E!7PX^t!5uk*kf_1ft^%}_u5Xd568mRoSmhbrUl9^!P!A}SUp=b2e{&f$k}n` z;xzghw2gIRFMfS2-xgQ-oIKRPzNRNLm6tU=8;r9jf_LbV-fT;(xmu!qyd5OMnaQ?G zdvkk$bIBp5&I@!8$oMXJ$Un16fh;=ldUg#5ZnKgHD8E;0W+pK!ZLR#yUNjSApTbki zt9rMvDUa8)kH^skRPnW^gzG@BiKkXNSW{8SvVGbPHGXC5V|>GDTg*<8Xz_B3JTZdY zz*G1~6N2NspR!tKyVkbRS|zh3F800X=z7Z>@H?e))<2ZMcRq)vx}5fddom7ffU&!4 z)!&=n?AWFU(Z~klMKd6rXPb9gdxH0(0#vA*W(L(q%#TO2X+p|yUFTEAMlCjTuZq0= zcPfw5u@|)+KS;T}SI9G=tTg1Ags@MX1gPfQC#4--QFnE6XzJOBNH2Ptk*+-WZJXZQ zrsvOTfg^p4v{yKh8;h7Vn``(*TH|Y405GT)&r)-c*vk{Vdtcnh$mZMHj)jg={;i(s z8xg80dPNf2wwO%u0dj~vsY@9aCz-26a46tI-bVt-XLbiqBb9BfY59=9XU^5>%?YHz z=r@x7t48BkTOw-8+ERAGV*{}+KF^%li)4!NHbF>b)&c5@b$|jd^S(S?VD91~$#CYD z?XA=m^4uhOK%w!pj_f+45Wm_zj9Cuo1TNXSRY!bmmC=^nve$Y-C8;f63rB6mj-^60 z^LEw@g!eYrHaGE;we%3l)~H9fe)6~_eo69Y*yd01{5XnoDjaAXfsX<6Q*6hCV8iMWLOEwz)3 z!&W-gnc?Wx@)*c40%{(6ff|+wLOEHQQI1mM+s>2J+STeoO$dOTgpTnMtYaxY*8H*O zzObs_y+6Q8dzmrLFqk`ySnTv=g zG+4Mmw0^m!V`x@6X}b$=P;VHdTr~!9vxH{a338!*alV2mD{iH!!d4p3zHg}e!UV>% zN4+1Be2x0IbKxOe(hTabdE2nAr9S)lFgjL=Dfu{_)bVu@@}_u5K=_poOlbt|OWd0f z%I?c0?pF0+3UNAn5~eLy`de-R;+{|@=KX+#0vwm+k>QaoATNWAka|Kxe#Wb@j-;ov z>~GrZY<^w`nn>~T-}yuaRj#V*uu8p{70MoLW)3e0tJtq_R!?;pbwC>EN1b2e-qciF z4neY2m!(d(jOTLS6DId*Q~<7mYA)T56380BEZ}MRVGajb4?6%$=?>e^#;rcvV$At# zurbSorP{2Q5o{LBcqkao&l3hW8UG^tPJ-~sqF_&g5b<6Hp~ z2dGVeZ;?ZlDS$R`C5gN;v1b^aObomT+&Dca)$CvvUC|HwnMMO%jcq%R7u55Mv!YSSm8aX*UDS z>3{+y3=~(IZEappFwF5gSWp)0fe40c-^`_FOh?2-cB~VTIdLsMLfoGFknI{olLU7b zaRB@-R-J*EqI1oljMfjS?QvOskT4zJ@XjFjdK$Y!QtcAJmE)l6rEoCI2dg6x#E^{{ z?v~50iJA;x`M2Qd!oAShj+7ql*e6XVeYvF&Ngj=Ni0^dV2ImNxYn~jJ@>t)%Zh1nU zSMP~MEe{e?pqKTwh#d?E+${Ef)IJ+{Z?oDEFxyScvY=qHknWn)o%Fzm_+~03*3Cni z{fZzyY7ypf9b~3z#en@3e+QdL+$tEQGSG^0RcbOjgnrIX1TJujCk6hX3#5H_8KW2= z_>tx-2YsSvHsK}~f4}>w)VZX^vpIot()_?!fwz7TtE?lj$}`~b$^ibB&piQ@Zo`9v z3i!D4df<#QlxKw%+Vv#5X~#x>f1I=ldW#EyKJODdF$uS9#W)4VXfw{zsEP8e2&0}J zS%3m5`=#Q00>?IVcNvi~=F7t^G7t=N3z+Y$IRo6%lc$MwKh zU4Z@U5dOdn&{2~80WpvyE<3b7*9Yon>1{_ou8HmW6d#7wL5Wy2f>ZWiyhMvbs(taY4m4IDs zCUeOqNhH(II5p1P_J*-78eL6U#<#PncK#`?Yj51{Kh&|v?B?aK&Av4P!;VzVO8hE~ z$bu;A5djV)QSu$f^KWtF8`wDyq*o!{QJqrmR2cG15zya1N~Wu8@b2aO(zNl}JZ>Tn z0e!IXJ<9(g6n>*jAQQ4+=AA@NW^6@#1Iu{WT?V#%E?MMR7lS>v2r@QxCvd(R1RE{^ zuY^&#h>k6Y=6zAwKNiT#WdCh2lt&S-z%yCS`H&cq1}l+|;keXCz^QSPi{#nply9SH zwRKDyQzID2c!6bx!#bHCm?6I!-MQR+ImGqFxu}(FQK7LX;<#)98L!2VSpd3Y9;rG> zW_n{F(c#+-4&$*HW_wmIL~==Q{3yu`o}li;kia$&uKdM{v6XS1z zJb+L>S6A9VJw(-lGa>Y139-(E4p)benSW8v0HCq1a!TlM7f}n~k?wpGd`=-e^d2OeSxl;TS6$L5Iz$g zMpx=sSJJ^hzjWvEgdj%nBp{4iQx&{Z!9U9hC1b$dgc7AJQ2L!1N2rRSO27g5--R;0 z^9dOG)8H=ap%h>x2;D(fJ>k^QQ|h{VI2KBUxKp=KL0v_|GwUj*OHdusApWXr=!vMN z&BXgZp<;hEQ|KCy(bZM-oz4I)1-T@FJLLj;?5{=-A;_w`?k)5zpx&X+Ah!+3pc?DC z>Kdv^*K_KsT+cgQ2cos1s{eUAp+0d3oA&1;2|bCfKKQRP?{tO#C^LjRyK~2Pl1=`z zLj<~RuIn;zi{Y(80x8aTI-*ksO$3(K&>l95fEy3dRbRCA)Fe*sn!3p zG5+lPUG4T)t-BsusDF3eETGsdFsMRJeWwAYG(c7f)V!--{?(7X)&G`i0{Je`mT-0m z*j5Q?kq{*=>#Az#VfGC5lAizS^w3saRsQpdg*sd4x&AdO|GK@YcX~<}?hW=6GybX$ z++Wu>Edh9Ury$^jvOuEKU%ft5Qs~2f_O`CO4W0cbLazKyg`pTo{DC~8>i-yBp|AdV z1$aVb!LHHvuO|>fL5EHW^_Q6dhz<>W0Mh**fxv$f2yDOa^uG}Zbc4=OQ`dAScX#Pl zV%&Kh+n3%v6=wf+Gi2|2Q1buH)1eXgfAjR8)4>1D(_J>o|IO2|u>AixPybiuh10)a zVRgZ9;SlX&U${EIT!IOGG%RPK%>VM5AQ**UWrAG?`Tl}NHAxCMyc+6>7*`i41N6EY z!^F`@jir)iMTbVQDl)Nm692_?5@}HxC@y4UK&m6i6M&RKGl45*2*^}l1&%Y7m5io4 z8OH`@hCakDfQt-Z&!{qNgtFg52FPw#qZw-`vmFC!Il9Y65hRmv!vKd=BPW``lnE`8 z4xIrit(qCL<)8WDtqUw z@Qj56$!ZY60 zc#WeRuSE`sYxXEujkq{>E60fs;9<_E1UdiN5OyAn%=oNIR7|+uzP(yV-sbxGH+hfi zL#&9LQ44FT|4UBLhb#_Yw+hr*K(>Q#6@VNTZT0*ff<>Ng`(exI;7uY>2g8y5~v@wo{`v0tiPYe~Ndu!PcU&oFIsH+0iO@@`$zL+AX| zeW5q(hvO1q#x8fR`0vc2>`X+ zg%UmAB4Jb)K|*^Xb6&~BB{UL`RYoBTlSRhl4nSn>O$9UA1^C=HBCUD^kK^1-4M5{m zf^R;~NFYmJqrAbTlXY1yU@u=71{_isID^9btG#EV|4hKW>J#waq-dN_a?E9wf%8?_**eny06r>R!#12QMFm&n zO#x^QzF&eg>b#e6nTY&CMm=ipgU@llxd-Rh69aHT7}8DPTS>)*v!JuwrD)x$gvX}< z<|&kM_X>8YjJ}xFj^Tn+xI)S+Gn#jrztJf(S|7zx8+NeuwB;k?t_bCB+*kfZ+dN9S zT(OcKeA=pu(5P{H^n%YilG5P5>4HUAt%Vs#S|tyO5R&npQ{mK)Y%rn(KTeVIDqcoh zo%C`>e~kY?R;H57DXT!<`?E4}%hLcc9ViC#au7uFYs4sWj{d{R{<6qDPg#{=L*5y9 z{e>~=O}!w%w%lLuod|fQ-FxI>Jwz(0IWSD^4LOsAgW;%>14*vCKfd`nae1zEleb2Y zSocRx$XNSHgPE&)AZiuqUdJxc3**@L87s?#ayiEozXtWL6E?7$^tZEcCWwQ@3hPOt zuO26GZ-H~dOyLNZg=0b9ywHyy77qi8u93&0Fn~LZmD(D_MccW*nSx;*EpZ%oKZ{$j(55hCv#hK zc~q%sZv1KL?&G)-I^;^>ceM=x%|hS{aE-Ohsjc%)caI913PawcHCQ?8{E}GN@Q8dH z+)Z%@i7j4=6a7(8RuiPOpW{|4zX%0|W?Wtzi!&|^!&B>?3d1Ly5dXt% zVy6lybNS|j5yFob4g_q|7eHW5p2%hS zP}A2W$!TShi0mMg|7kFd6jzZH+neAl2c7Lm@%+`OvbT}*RcgQa3t^|vM9wVbuwtao z5YNS1uGuVzeeI<-`36T=B7qdPvl*lZ#P5lxcmQ)V^@rwu+(a@6&!eT(0V!eQ8W}lo z!J7(mNeM2hjUz?O^ybyB(WKZ%2aMNYXB}gcUx_5+$)~P8sBj30FJ3{CZ6lc6+My(g z+s;?8g||5~KFg^f?b{o|jP8pdtG7GaY3A~%@uo_QLK}A#8?7}urZ~GE%WHHg$<#fp zIk)zrx0?Bo&bM-cYepEJY>N{|X1{<=u}&=+#Ehrryay1(;DuZE52$Uu;{`mjZnUo8 zQRLjse10{d=x!opHa~f;JFZXnV0Oa# z5|$3ps506wzf_h1?R&t9i)2OXS8$Vb8kA2T`ROYAY6Rp)bMh+@IG+=YPq5BT_8=|( z)zHO6eQ+INb0>$pXS5E%gS|?|3Jh=J8{2WR?VONX%Rvt}E+4XQlxjx!Je9MVFgzjS zUWAg(<&2O$eHl8pEaMgeR0TJ<_*0sk*BD}pSE`OXt`+{SM2RA-J>bK&2DGfG&vPNa z|7It*Nm@ageA>c6ipRH$Ez()%7#u^rvGTh{<7Yhh{AiW;_0Y;|goV`jhz|EJoJM)? z8g3H4uW>Xtl59HnHv0k1en)e2>(zVHkGI_R4ac5h6-Y_uXoyG1A#!my`!O@M%jH_a zrZ0Cb&;V1x;6e*YEPRGkknR3f(r5e(O9e{u@f6j>*3i~SfjPT_L+%jP(vkaoQ z?osqnMO8b)TL(9r@DDVuV+08Jj6%L-DA6ny;hc#-BW$Mjrk>#I5t z1dtL?()DKn)bJ8;8_kk>aOcG+#pj*l{3vrQj;UP*vBSdb?ZDEGFNpJxgkzJt7l3Al zkbT8(5mp>rxB&Mlehc5{Pk?$%e1!z=CV%($7ZyMuD2^TngW_eNARBjMXkca9^mLY5{tjE^$6&WWHOkz`n(>R;$7ZDhRv*l5| zJV#ds2$%yuX_+M9BWlRdX~l=}>`Ru)-OZ1jaRwfxLdwSY=DlquDG^8Ep>iy3Z|ztE zBh~*)1ZOl}jLJ%e-i*r*w$i9TI85?IU<5WXE0@39eD8|~fgU8lq+o$R$%AwY{azXa z3Be09#-PArrI+mx3cT2@^*Ra?Dp2(SF zyMaG+*r;Dlh4n``l2wC%{T06hD-np^-=m$q5{YsBSewu;v_932)mTU>mRO zKJ9|u^Ej^K?!tBck3rYIKS|E&KxCO5r>(q{`HFnj;Lc#Ism1i&+9W0}eQdL2eMip? zgD9H3OD9;0ZP@R7fDGjx6OzYGr%lB(a4#_zNU(AlyF7ymLwzg#vp8UsaTe^}pEVgw zLdcmUF~bFq#FC!HhXe~4?&wFfQtg|S0kGlZN?g!3w6YO%5*4AMCk-@AmiR%g2=J|d%dq~SYF7#t3 zYPr3Rr?A`307_Fd1)UuxfUjN6=QfEdzMI7629V?RR>_lwXxzk3ozp=31g|u{#BMSu zI|a_VK9c>~Xg)#7E0FQ&X-;M=j#O@I^KRE_3Z|Lx726Qu_WO(Wl@J!_d_XTva(}{q zLxa6>X<0U6=b9F0BW!an2cwtVRXH8UI+x?vRfXh_@o5OJgDvpz}jVmeD{m$n)o zq4=6Q2z|K?mjFJYLvg;*a*uocxiMD^R!bDbP-g=NFv5$^sLX??+Obd)`~&cD*FsG9 za!YEFdJDH#ZurQv6YU#f%N9S{y@>xoTX;VcjURzs(tewc_N>g|?!!X14x~eDV_>Jt zC}(KDeRqTTmad!&PQfu50@Kph@h!a!@=W9K-Gw%=^)_hnU{Xl?1P-<)C>uA-p!xf% zVNPgO_hT*rX9>@cjbwk>&tOGjg`-?s70pN7HjZTR@)2W--(0pyS!^BVZ5do&w}G0Hf(C6l0q>8cz{oy>F1d z;;f%mqJZmacha}SA71((42OadWcgjdur!XOF%9r{NdUuz0k$ar2djxp5o*SQVzM;M_QyGqoI(IlX_eY(PM5FP6B_l3f_??nlpMEx5BErbbTLvFb{dMy8@ znbLJYH8HTsgSb>zysv`bvv54NUSQdA8y*_9#I4rlr{9332)_1j2f@M@hJ&S$FC@c!g|nyCDKH#O0PL!Cq@9$QO{M7;-ThT^YkY>a$~DsXbacQdZn;MsN3Z1E;YVa+g)zjbTl`1-rA?T z$1nK%&F+@wqn1}KOQOqORhA|0c-6YH&nK@Ytj#&UDDi=jMayju4roU9&C{NtN!#Xr zPm|l0xpa>9O?A2y^w^HmDNi2wP2t;Uflo|N7t&nYTW?cSP2&-y9z?aN!G|tV#U? zjUF^8j5!eIC1Qgin>r2{1~chD8We*s@mx;ntU-l7W8*9?*YczC=Ah@w%NOOw)+XND zLu&ew8>%et!~1QU8~8lO?($didY&6Ja+vz!E4i_~uNod0o_22Z1GswbHwtPeIopA%&Hf$U}W1sCUtu*u8#tAhYE!h#Zr`$26#cS7Y z9N)Mg@NVhcQ_aICMqRVzXyy5qHwUG?`pg(#*6STH151AFMJa>Xhh98$sTG)b? z^jv@|y2%S}Yu;&|{EzugQvk)?yTN`V`t!ws`+ivzSvD~7(1YPgCNM(&oeEBqW*T`jjZW=PP{)p{NU%~Blkw%*b-ZNicE;uck1&^X6Ng<6RP^^6JJql zUxh~B|K60?k$Z!I6T;yu8$WP8cRjbj|3l(Uea(x%oLJkp@xYby!(PTQ4_S^eL-<-b z`oY%HO_!AW#1m&M-3%+Q4?4-5R33b&?t`8u@2Wq$>W8=yZ~BrhHN1UgwA8)(*dZWO zTv&dru`w`Y-0W`OTp?ngZ$=JcQ#*EEn!RD{vC=soE!c(TURmB(Zo0a8&PT3m?Ylmj z$M1Xh;k$SC{6U_7cEG0_`rbU%H{SE3v+$7xKVNz9k$e8J?dRx)w>MnKhRY zZ+0%8B9LT@cK_wH%Z$c&?fkHA@}|hei&w(RN_E#xFFLS(-u1WH*)^1Fk4C?e8hQ5U_CdkX-2+Sbx?>%s z^VY7tw8Z{qj$#(xIq^=}qK?Ud(J>i;_w!8^b5BJ*Q001fX>8qlZTH15Htkqu$l3nx zvL+eMfdkQHgxz(*V${_D);+yKfSNt=cW~_`+uL@8kPC$ z-xJn$tc`hW?O=Y~W35B1n;%;@%ysdx2S#M?zETvCv6uN-S}Nv&qkLOHCyc zXWJ^~1~y+6V>@O?2;<-B^x}r}p@U~Dqla7>UvarM+iYKb``^Q^+S*2d;esRlPT=+I z>M-L&Q|ymjI~`{Kelwi-znoD2YxJa_FkraQtt)a8H?up;wZ+vlLJXWClIqcQjlmF` zelEo6gD|15)(9{BJ6knezx$u3n@HD5aPoa&cl|kKhuILNn>Ql_ug#k&S}SOxH?Q4H z*KWp~Ve@7nlm>QW8?hmTdurhf#zR>x1?p@Aypl8^XdFQ`nzd{35cq0|0ScgNaeoS& z?ZnJt#Q`__cozYy<3K zPO$FI^L>UGKMS{?_yZpAx4++cy#Mp|{_7(g8G3}eu1A=R5Q9;O@H-3$zeCR<^zYvY zzZZ2Ap8I#1gZ~9bqK8;8jH{%YgHcYhQhEOVWJ<7P~!QG zaL|U~O*gdsfK7*lZouTu4b)6{hWHHd)sR;f@mSF0A>7Tdbq7KQoE~C^7aBENpT)8I z2}m=Dl;Uohjftd=bc?n_LnTu9AhF1bfJ)qmd94nPB%!-;lxbrQe2Ug$zh~Iv1Hl&SOe6;0eq2u4ZOin-z{Ni5d61R`Qayzsb({9@1x~HH?$5%CYC<~ zO{;-V3&9?J2QNc8;9461-taW4N2hU;&4V_Q=aYAa>IAn6|LjXwgj)8WO#Ov9!C80O z^_%X-b=~Z*FL^D@{^PxH&i~?>|JU|@8Vj?AgZxa0sDCVIuwc!NfuuWxrv|}$q=m*0 z(ey{d%K|SGyyD=M$Y>L-gF-b$sOKOUO>4UgE5P`C6L9A+0J}l8{`&B*cQ*zaAM2j{ zUk<~GuZH(K2)`nF{}6d2G8%@Afzg^4O%j=H}0Pc&Sp4d#Y2FZ+TPC! z1@~!!Py4{NmW6VChM+W(03`s08x=K3f&8J@G*GS|J&u>))2IS}KnT8!=8!ETt@XfZ z#lt0_-d(SR3g|Q6t_$@Uo#;m045CR>I2@>7!;Ei68ZT4hmhSdXRzjb7`~I#z^Z&hZ z{%fb%bgx!e|LeaP>R)fxtX&lbedbRw!~bBZ|4Sk-BzK3U{~)aIAy_pohh+VWwO)`= z8ZbkLsOuprjQYUX{FA+27!vKaj3}}sGY|Ak`==b2+rec1$!fm<=%Rt#CLV>D?ei8P z)R#%@(se}rU?2WZf_vc+lq5RE%4N`Y=nKr$sY-e`zXWtm;9;M2SODALSmdwQw<4liP}rYi}#c zhEMOQYX#*asKn=~`dn8P!`*aj8h96srGv~SD|sUr47Aay=D64jBGm5Ibx9ph0lb6xcOKla`|E{f{^A3tYzNB1l{!_LC2I}0=J zEU>VvjO@S;>?-J@prD|;2?i>*C|*!NP&70typ^VTx2U{eYHF!zX=$2oDy=LlD=W(` zns$9#Sy|ZyzpusYZSQxF-}m!*e1Ctwc_{48oH^&rxxUWp@_Zg;@ig@(R5%$mWuf%8 zIhU46=cS^HPlqbe$+xTOFU`X~@9u)xz#qC?c?j`=ntn*-VjBD5Vfo*}Kxznr4OKFr zn{7Hn#4!P%I{76D1SFc5o>7-|)wxE4Te30YwsGKO0MR~IG8qQ*=aH_htob?N*1Wdq0!-&FM}Ezn8IezuXqk4Z|eBg%P9R~fE+|#M~gujjyzjS z?Ch9MKzinPf-##*^l~NQ`iVy&?3XoE)PYlm<2+$!N!yJPj}d7p@DATvd=AO^z|QJ4 z>e+b`ClLlHYr(P7dwYdwNoPGB}=@0S{789Ix}Dt|X1`svW%Vhv{Z zZH2+7Y>fu!%e`V75#bTv z4XD;N-I{)4`f&Wp+&)NH;?NtBr!0@kVfvc6=HP<_uWdo%hG_FvlUFP*L<^T8uwA0( z)IMhV1F~A~ZI*-G!mYubfRm?usYMy7gPbuj;wRCh0%d%lus!7yTDotrz98vzhQhu%kVLz|g>p^LctD%mU7)dbPF}!Jz%jZe&s8*+x`p&Sh&Mvd5!S{G6x$ z1B~e%sX}2I=3`2lxF*ZJF$C`|Ky;m`w>HJq&%t){=Fsmj_U>_h}sb_KED^7Hj@TfsODz@hXqLJ1XS;BwQ1hQd=2f)}sBPXI-NB21V zh~vv{fxU%^ppr)FIBnxAfL@hDdYL-i-OPhxBjSMhyY2wSeKcE;%U7cIwIL^xG~83| zn+4}JsQ>YHbvp9Qr8fyF%20Hw4GvE>{G6pYo*q`;`xH}tp&QsdvhiT|d@J%fPU=es zqCH8C`FI%>^8JEw!H+v2l&$RO=i=SnsWRU}R|2&Q`+;yBak$RQ`7_;ChQQ^j$tH~7QyjC=kd$sn7+(Dd8IG) zXuCE0PEQ{gR!@TK%g!Erj5$ZoEYS=7*&ksTWhF+DNoekdFsoU*&fAas*_M#tm8NV zt+I5Lv-!JX#-GT=D+au!8yAPVaI3j9rJMUJj~V|TdHCG#ZA~9G%7EmS_qT-cI!^e z4dwbM&&P81j)OS&AYRyniXEtEQ^yOq^ab!bK@b`>`wc8(g(p;S94!d5cl5BJ+Bq2#gpn!f;S_M7iH^ znLmhP)8!da=G{ie2%}nrn0IMdhGVgLmyua%6!%8Co(^ioD6R~a_Yyyw*!)72D{BUH z>X72)T5o}RCaQJ>$lS>H05!#c&S3Oz(IO(a({)&IX``Kh*+KBkz8qTV--rlF_^n zvq$-qT{{i6;}BQwb;&@j^fI0Q>PA5Pkutbiu1uNHmAE}uL~!>TCIiMl?y7j>N@}ow+WG@92v83~1J8 zk=OUe>sr1XG$}zPpHzTMv7#eRvm;JZybbY(>E#^~fZoy{bCvP~+Ty#BH>abTnpI74 zw?S9VRt~^e_{FYq5xER=vpQn&rdWVh4c!wN4L>L^Q^nm8=kC~zxzWuN5R5w&A6GG; z-2J5V&{Uk)0*Z#AGytTsJEmyd&9v=11IR_P!Lr2Y>X6q!`;@jI0OJ`^oT#Jw$%XpG zAZ3MSy+}wQte;-CZ}AFL3j$6dm&^5Po=?aUE{mTp%iTiV+sP_ zE^Zt*uVWR?Uxh(Z;kbhzAlJ;&&$Qfd;RF{|(b8oS&yOh1gF_fJN}2Kr#aTM$Xv1@$ zy}0m<*Adsda135}M#JTBwZ|`@SukqtVNkB3;oN{Fs3>a^Y`bDH&UqZItIu;t?+X*fv2HkwW+V1jDIKM& zBNF_v+?+&(#nOwOiOO$y@k`itbAm0kM}97*K4eGxj*>TPE^p7XItJ zRB(6sd4PlO$Is%br4~RGnAMNG8!lwyDz+oWlMFs;n+hi&<`rvh3UXTmq=ES;5nTB` z!ON694fBwd7ePE4h?w10>|%NTe%YUA{yj0gRe^Fo$_q|X2J@EK-29u7@*T*-&M3Ym zBkwj42)y@F-`GlBE}}G|;2`tr-0%xZKJw`S)ry^8UVu*IJHO2fY(}pyeH)Kq*19EQ z%?z?Ou-4;YCFhq=FLrm;eE<(P4DIR4ZVWYQx5Tnvu#@(@2puvRu`|~F6h4GXb6Qfp zjY^az^|bjLw{uVrGNI)V1d0pFYE6A#N^tk?X_?ob1ORt2?Cv^5z8y8@MF1C@$(N*0 zW0tHbko%zebOlf@n-PTI!ZE3&jB}?L+y^b@cZ{A*&8dj_vVW2t&&}3I<~8H%S1R}D zEctn4Rn<~yJa#nBr{g^v==c+tX~DAr3$1ejD~z9GJ{!l55;iG!AkP-&U|ySE>7knc z83%~=Vnr^J9;p{4qmUmOf?aA(2$|n6VAI@A!<1#V?6me#QR3I`b}y&^6YK%oWQ%Zn5t>EUsm4y(X52NxSa z=1E84keFqVhiU_Nu~zjy)IOTEE!slngm01FW*=~5>PdHhLs#}5zY{qxMtNUghwTh| zo@SaeVA=IF9W7vc%g>Sg47BqT=iQ#RXs*pa6BTFlS;tZ{*)#bwk^B*&XFA`OshMpj z*e6}f*-OO_MI)8DOp`Yjny@GCg2;|@JqztyAaBR?W*K}fVtD6Smiu0P962dkxq{d? z77oG6!;kA)^p;7qhmeCLTlujkkPPr?mL*=|2_J)`Ob zqOL*a38j20Zzz}$%G4;ifHA+Ph4fa|_AS0squz#^hiTjy1&UF3R`0Nx6o3lpCyBYy$qlI2e(jJj@5-uWh?@9WnNF7^fzbsz{upw`_<;>CV@(Yfce- ze}7a|DBQ>NFrWnYMKkk=(Q&zV#3kK)xwpKLVOXPil@Vs9*oSp7zehXr7-pHCbvwSK z6$c6zVh2+~bB&#`2hgKe=RvDY0;Y&=O6Nm+K`7mZN=06O4!r%5$0$Rr<*MDzMK< zk2__S;91!y*xXizmfCU|Jeb)N?HjLrf^4p6%7H&*q!H$xQDkz^LfPG1G=QJUR*m*Ds(NyssorIVP&tg^C;re;kqxw;FKA#L{SLCsc zB_3z6H_A8xIv^77rsF_Au zCs?{x@DVdLHI$9^j8=}Lre@OD_agrc#<|Y|YCaC1MuQGNh2PGA<&BcX>;eOAFew#UQNP1z=4 zKl{U`5vXWe*~82UJ^D}{qH$ibamR2=30-n?p$olqpKEZiTu8|&?HasUNGKEFbRMh} zT-hesje=7E>#In9R2Q5?C6o_Df$`Gs7ggJ1gq+@Uw%uJ~A#r;?fV0;A*nOvHQ7J+G z4~_B$W6g_L6?Wlge5<9JMvJdiNONgQ(n_jJKF7gqh0mYU9gd2bjW0skzDteG-kVa=YkKLSb`JGi3=rxsm$&z!3F^i_Yt;dQKS z#d-2V_#^Q)t1=B&`P;6H9

    d`wwwDtFjazQT8Fl+b{q#bt*@SJ^|&(x`R`&#S+DS zvBJRa?l^{B$3O!TZ<8eP))+Mt8^M^MvCQFHN|;LF)JkK-6R7ng>}C^kR#D;S*?3TQ zEH470r4}7dTrm0%n#M!QoKxqQDBa zM%dU~3)C&t$6Qlk0961{X#k-{+f`S%jCoftKTjAp(60twhA=3uk|u#UpjLX?6!AG$ zxxs+i5lil+9s zX#>QB3~0zl?%O5i5un7X`B?nIEqe^o6cAx}ofL*`?tO!;)X2_rUW^XKYf-wWrTI&F zLxoXWzIF|_4dJ*^CAsc8XPdF)RiL}=+rB3Fx%#SJ`DeU*7pZiNIC($2UDT1#gNR?@ z{HzDNs-8N!I52_@v4^;j<5Lp)8I=fZKYsGoTp%k!sH0}(i6Fa-JQc9fe9a|d4OnSw zs2dQS^6ln~XvaToz-7@M&BZBiM@cVnHuiHeGW9t7ed}zL<(y*8ao+@Cd^WoQ)I+0; zT#e^50(NKmJ9aTUr|d2N3q!pV*~Mh2xR{!2|Sbe2n@U@@!`J@;^zf zsLpni{^X(j;d-w%m(tWvWQOb2cW~Q`9Jz}NnKE3XhetWTG+27a%4;ZdyrkwaOs*MMU;;FDc8d zZZFfeK?pEAP3E^b@=?*3gqEMsSt_F0to@`dK z20?GD_n^uN$o~bh9iYhv;>RpE%c5t9z?_TrRYBbyZ?Gi0jPlRN{!LS-Y&Js9#@7Z|@ch3-ZjU;_G7|K5i;R$L_!|^-j)x7>vD6M~}BXc-ISP$9-t-cFf+|{ELP< zyFL|#W+3Ge-3M|`Q0G6E)EZaXj+IvufTE1uRj~ro{)S|9Y&xhm=B8`JGkO@e<3rm~ zQd6}Z?HY*Qco1#!qK2MO4mma#;uOC_yVju{^N^*)s6KnUyVzFpID5O2qm@^69sT)* z0`nxsr3VnJq9w#uq1Vt!Y~$hr%-qGPWp_C5fZWMcP!ON&YaYso-e_`($~G4gI6~$i zw!mD*Fx7fGFFS^qvtth~>FQ-YF%`!VyCiQUyhngSPuX6Ma?kFjglJ|+ln|f$T9jDA zxH4TH#uo)jP|)fepy8MhO9OA`0a`u=zAzRs-KY#f#!S~}zipFAx{aYM&R(4OgNcmB z&*vwi;BJyA#v1XU@((Te9Xya4E!3z52%pDJ*RO$)8pq%-1$+4vAZml7<0w9flsN20 zaRS4;na>Q$AV>aq1Nj!ICF#nOW{D7MrAuMr99#ciOg?AwFW4 z?e_U_+}Lh|{J79b8+k+aqly-I#lSCU{OBBKd-v>jnSvPaz3Rw)Yfsh2; zVWq*F@MMWm+34V4h!t`b7xR=um@LC945l{YDs=-btvR9R+aTOwiRXT257U}U-akidWVsf19)hm3u z&$8!yeh|6mncH6DN)(3~Kgrgfob1U0rUya;Z-d1kDECxZ-P1VdeH^<-ei?c1E>~a^ z0h^fTi2Gm`a0R*lG1Nbt$mfu=oh$q#h8w4rfr%1)sn~}WzJtp9A~vx9JmT;6kMd@3 zT)Gg>yYC)Y?h(jzpp3Cu>BZI);r(n9ilPV zCxJb>69{PfD>xUAQ#ZRqXcz{|II zSfr(Bc&g)Bgr9A=2i+4!4FP0+ngq{^U+@4%cNQGEdKAZ>^|6?4+a1xhlU!$80lJ*Mjpz^>O6g z5!wd&5_+^d+T8pYd@BAJ?FBVUkx`fK=YK6r1EHqXn_RJ)^1KW+&uDH(>Zh8V^dXj2 zdQ#{A?4k@$MoWxrr%;1qf6U5H}Q#f@3f9v5~cktD?ye#zup2tO_weoX)HJ5Mwks z#&(y-Bl81bnUUKC^ZFjJxjuy*BWSkPc3V`?;5Ze!xUlJkKwaMF(3&?xt9?jk6!!rb zWHx~x!BiQ|KAIij`JUkK06wk}IZdAMWjNx5dtGv+5>g)kBPRVh;gz7a>GaXQV8mQ( z2&@ukNXk|m=nDqUIY{YZ6hH0BA5KzOpLi~XtPiAu>X(=5l2Q)0>M$fhbgME*1IN614wu$#@{3RFY2H_7jsiQBzXi2yX5Kb>&e4-S z>3p7Af#iqrrDw^l%~ja^VlOk|{F9Lz+W-aI{boP#QA)3AE-k0Rx3gcN$_qTXH=GWe zK|e~Kh}C{n+vR;xaCmB4!tu&}9PY{4M*a(rTt4f?RrIP%c7l5l%wC@Yt1MNutB7BM&q^uinNsV*Njgx-F&IJ=2e`{G| zeqj*K=6XtRb3H4HvZw;58m9zMpcfaw<1EY|z;_HJ0MtS^Kn^L%UxTEF1=*1rhwtJJ z21W`=?p|WSW8q8SuaJ|Z5k!0!IRHnhqv_H^xCaE?EFs6uABtqEbE3Y*k4|1(D*jB% z6T3(o;k?jG>mNnQUL;LCJX76gl#YoXN5R%7H94M+1wlmW%kk=KM#+yavzvF`8@$)~ z9%H@$2RZguHrYARz=Wb<2>XYjvd^et;A)Tz9&L?2D!J``c6R***gTek!ER?J9}_N? zmm~0ylUE^7io{TTxvfBY4~zL++x$LBE1pCgo0Rvx%`nS<_l`II;29aI!yy+)*UFjq4G% z!TWP~=B3*Uk^u->q{i?sQbh~y#hKg?#|7Y1qmL>r`fw>9WPYUlB(d38oitJsjt2Lyef52XvdQ zH=ztiS7WFb*v?WDUfqECycvrkP8pMIqYdKsr07xdQ%eHNd%6Ky#t*R2pV2CN;`}KD z_8;EbG8N83N;3*?fn5;(oOW!`12St%#BXMa;cSd!FI}{kyxOvZvoXbbbvSDLg>9#^ zJv+o-GEa{*?-bZWsdiR&u8gi4$n6A^SvZDuHn9s#%tHpw?db>a)2_&9MZtxjVmJ7o z0@!6cm?hXE>J4r#_at%OkSui!&t2iAk?I(5}>`v!%x_1eX>ezD3i*Mq{mbp^ea z_q*>T=GO_E7lc5nO^U|VF+2)eYr$X`IEx-GI?Ff=%=;$WlTmKK^mv66 zo%vDX>4A=^QDFwdN!Wx3DbH#G?*oLtTB!+l6YSNKP~dyP?S8`m@UF|l>2N^Uj#qj% zxyk~kKpE}4JBl3ThJ<;5l;Jlh(-BOe6eO(k--N0*LNIw6&J&t(w7E5kZ1b<_f&sgB zd^$RCdduTDU53cn*}*d9jK&gWfK#%M=N<_4M!|BbG4LkN$LZ3X6$@B@U=M3lT9A+r z;@CvpVagJ3Je)1|HKnFlcE%Fg`HWty6WA%@++1Zd%TCG%5jXQn7k5;mav+u54t+Y0 zR~$RSv!KyEBnf;A*;k289*VuGY&QEOpXAQpeBrL_ zCzOUR${fNsqm0UCpmc3HBA1~(&yzhZ!-N^)T!_k53LN0Zsa{46ZjG~0Cc~Y#ippc! zVA*K5*-nH9#ocBysO2d^@IS62ZNy!?0l_NmX$6;{(p2QTQ<)g?E(`HVp);CJ=dy;? z5WKHUK=~X3nna|P`hi|UVwqL4)5E~cCW8uALMVz`tcB>CknSUv$OU9x=%sxxwj$i&I2s_6hD3OB6w%UWIzwN zSG(Z!)6Ox6jJ6^JxnHc)TV`Z9T%x$s48SE*^rzl(e8G#qRjO$bLk49D%|u2}r-W@$ zWX>FzM(2!VI&KAoWqGa{FLz8fdTL2#%UxU?{u<)IajPPtOZSuP79-c)@(j3&EA6@~ z7nQdR%I$=CRxfTdPz#0kAoRph!~i}^IAX539f@i2!5H`RiE8p7_t-7!d&vBxnHyCf zM?Nr5wlHxdyN-3R4Oa>xwDE}=4%Fg)wy2)DK@B*Ej6{JYtdRRAAHzY7t$>mLoUkzHRSqL|)n%R++q$4pODEvbwilvuj|c&s$HynuoMaoX1QZ4HX&1Y| zp#2&Sfws39J|?g}?>wyIO<9m)#Lg|m_5GQSlEr@z*NEPiGMH~~2i zLA>y}fpC<%ycJyE1|s($)7SSPVPN1O`s(6%+b>r2J$;}|jEyboPM&BP9%x_%aZzlr zru9rgio2oZ;t_a{A)Xf;nN@sW^Y4bX!EANO+fZ@<0T#(O=u`Te!}p`g56<9A(A_!v zyRr+nze;Xb)^wGNP+Pyt%T(UbmUZbC`VCUl<^~mf71|Te#s}Wtv&+*67J@I^FTi+f z5t-xJ?(_MUH=U#&e-~D9f}L4UpaZ;!*nfa1% z4N@|+J}0*$%hNfeT~dk@k$f+ba=1k9(s{&@gKK~PJZHruz~Z873Jk*dMVYql1*AIZYs<@` zYc9scJ|y?jEtt(u7Y4XWxwF7S%F)UZoiLP*I@^MJ|NbtMpa)m%FIM~Rv3)|6hqTn) zd56hja$J5$>mA7)B9z;IGYY2Rn@eUxdjwO#An(sZ^$&$lXjJV#65B32~4f)8sFqlOpGj}JL zf9+2C2b00S?%{-Bq9D2%Yfz*_-!xYO852wlR0+TP+rW(-JMl(kxjX2<0$+uvb7zAI zIAPt7{_!YhJL5cLaxafLJ38qK$%fDXpn}R7tjQUd=9x|p%zrz|)5J^aY`pITE%Cp~ zx8NQI{$p z2>$kN%2a%ILTqmGu10^L^W;#(~~q@Sryf|opbW{ zQwzN#8uxN;VWWH$H68>$2YGJSs>Ahbq&o|L)H~Bmd2jia`z1|1@63*KEFshj(vvSW zk-2P|a&vcEYz(f#%Y5L{2yYap-izw3lb)}cfdjdlLA^68BEsM!DBU&?cta#xlY!2) zobP6?Ojq8-VIrAW)Bp8iuP%k`$!ad*w zysWFT(JGE{It6{6j`t}kUBkD400yqR#{(0&?w)SJE^PII6G=v9Tojk#ct6^8JDctn zB{l{Qf}YpSdJ+)0;K^?>{%|<59W=wTFrh6EnQf9HT6)n3$+$qKn=-Krh#-9?x_D0_ zv9-;1d=ssFh9QdH20k=_I5?e6g3u2rcPID@Njrrt;uw=>w{xDc{cdhAI~EQnJ9-7O zP`rO=4`qc0U#T3gwdI)Q4io+d+f5$G;_pGE-l>(6K&0NUk!}{g1h&Yq6Se>!YVRQk z`2(={Dht3qTfPBtZ70q(jVZg=A&fbk>L_#xv1V-?GST%N(o*N z4)pLGTvX_}y5g*JvoTL*2dk;5bSF9i)ETK?!NR^5OknH@uAR9*hMSSwAC*E#Ri1Nl zBbDFMk6r5d4*Zvw17WgKhxvz!%Mdsw(xcR5ljR>4_F&PizHRuq{p|=iM*5LHzJ{`O z*$aRO`!bTpY0%V*HD^1RHr~CPHs|V{gotMhma1jyz1o%nHrI)bj`}FFBYYVrF^PI% zf@K9y5?Va4#QFT zX|&(hm+7V#TseNDXAC_kcTm)V=fF(3=ZdShV>^s5{x{37Ae(tA!SIdb1Z>`H5Nd^F z|2s&kYgsC!GRRQbGqz)hH{>9F4Fs*F-uoFFBo%FEZ&sk)JD07+kt3{YZi}m zC$B1BMFBvcC73``ozLZnr~3GY18hki;ieXipmUYihPrQwY1zc32gi{N+q*Xr+7spL zA=V_YcF&8&C(!61c^CW$Uq`8p`PJ8ALRQ|6@}GbRP;gb`p2UJzA(>sg z4@ZI&7L;#65I!i5A!MX-iD~+@^$1BWo(l?RkcOK<-F&p=BgebZYCw1PHOF_+b5343 z(msY27X8RJIDcantZ&a`U7j#(yZ&f6!?5d)ZfF;TfcfhhI0SZE2+k^(`EdI*m`q<0 z$C3ow#yEPk`Z=*3j3V)8Z$JA51pDOoj247k7ZAUCVo7ORD)`sBHOwt~R&c%?@a!7oYV2=M;{!TAl!4m=7ZykhTF-aW}H~e3a<1k^fmEVx#AYnzd138`| zRCoRpc^z`>CsZPT9u!p4z`!PM8$SeRnt!&q>cu=o8Ce9!$ey-)iEVE*T7%RtG@_Qj{1 zryZN}P|YxYEW_#1w$wClz4IlGT&*7r+@gX?^pe2!cHG^~d|Gsy$x%X&Jv z8XwA5nF|v2L;GasXACKlu1F>vU-B*Jrt5c57GH+^0#(0-B;QmCGfejXx_7rD&;=_UywbIK}9!el+6_G;3o!)TwM?7E}Z4= z`v8*}p4Xk{;up;sy_X-yrn6qq43-7_ZJNUAu&)+wM-aylg~6Cxk)^Q&1h!ylZwN!o zAEzY=C7JLEXkudti4SJc@sr+x+Nn5Bc*Rvu5`x)Dzm+E0M?DIemH2J7N*Y_~Yx5Bi;}y0iD3*g?N(Q#IKJeht?{nW+(aOnQa96__dA92kdp zE343oec(@eS+`<0C4e{nf&<*x(Ny7Hq<%vSJ>|!d<44*PpZgSYoT5S2fy0maO&YHO zok33KEr4a5B&;lc21)hx&x0G+Y|IwQuW7{}z*Vc{;i`M_`lL}pV+dfDGbg!r9)V-+ z#6(oZv}Dpjb}+C{6IES{I}E5c$WM70i7ZUbq_{b3InkvA)8 zNWK}jeyqqp(6A29fD_OV=8Gt_H+8ePOA5TB1Q=7eKwq>c(u}l4lptI z?<%d9(&*Cd(IvNV>ywiBTyvqqI-L`Jfr&@g(8c0@peS^8fj|}Z*D5bJI^t0hj(C)` zkD{lDkH>;dJK|Jw^a9sZoQo=E1N}Kddrr)!7b#8HwvzVr;IEb+o9UQL^KO)Rg)&d3 z=?UruqaSNTgWlCu>KHAGvKhi>u=tuyW_95uoK-P(3oj7w;*`cNimRLZF?(J&R#Cd+ z_J`q^HV3tDf+TmQ9$h_p58YB6#_CT2b|CBay=VT#B7CK+g|Ij;0HLyL!j+;vmJNx+ zi115}u1JXUeksHCk zp(f`s1nL;aVnb*(qK>nxE6Pzhu!fdLOvdHtHroc{p2;HOCUI>OSzG=yoY*Z{DWJkt z0Nc7t`CJ1Z1hpE4CqVQNgni1@T0C4%(1OO8^{E@Ra)~y$nY<&9(5mmCsu7O07GQHV zzehTSRPl>D$QZ}y58Wp+ww&Q|;2>$<3~P(J9htitxcK-^SY!yFzIA%TBp{6OfZfjC z&*P5}*>qwfMS#FZrlf#t;tfIF=`QSo5Es`qP-VFXL`sLizqTLpQvD!AwBI!V^axma z=>Rmh81=NL=GYq=A$y2+{(It`GrE3%M5bQ@N&l1W1WNy-YJb!$0_pUxG@WEGkqTZ< zbiJr7D9YYX@dL-ojp;kF&?D*p?g=0y>1>2Qqu15WOw#{7lWUmd*K+xv=5xJX9#?0O z{Qsf`*Po1pirf2T{Cj00VDl05_v_X9-&g3**M+eCNC5vIKmXnsS+2ippX;@QuD$*- znLM?jI(QP0?I)9 z^&8j6!nHf#pLdPc={l^~^-|OuZv6F;$c&31+5f>x^k?b58?OJgURgKXxi&wq6%Kwo zopbkk)gZ3Cs&iOeuiN#O?HtyfltU5lfWM~l{@MQ520zT8>-qgTcm8Mv7%6{~^Yua^ zbN$apuYt7PIPd-i5usimS1@k=SSQjW&t9+KzZI+gS?ph`di~MPVy{2?pT*wz%pb!U z%D=JLelXpyzwz~X^~Y=eS@K^hf4vnl{`U5tncpx$BFGbemT`TBjm*0LY|cOGcw^K2 zap_-m@ZQ*3f333j&pQ3(#jlt2e{aj{P19NBKb!TBP2pcv{!8xH-r~k){iDkNN)@Rx zAe{V{2I;RfNV^_6aRXWu2~U|atf8)M{IqKzF<)=cTfSYZasGVI361la)c_L%h*rdQoMJ+(MIeMq==0vx?8ob3h-IM_eT|C!AC zH`gG)sFXj@0P*Y5$T|PmjayZhv30fMCr!AvPrZjN=dknZ=V6!H1ivD?)ZgUzx262; zo9*h(osSv<;J}?P_fGU}k+%y>pI%%wA$918KRFB7-6$@8GRa1)VYFVo_Ej1%8 zUF}B8*cyB7?MbH5<4t4fbk<{1;BHz)8q#N|8Eg|C%+A)Or(p|jV)J7?sUBZOdd?_h zN>5GqW#JzFgUFbcmK7sxA|p&`aMxFS66rlYPh}g@E51x%#6U`j$9g3*t8x(B@u_2%zD#`M%oh{2cNL9uD6YF1WeeqJPJkCF*shcc>DwqxX@(o`#gl9fz=1{xIk z3@OsnGb^@ZeY%<+N=N!kB_m`-`YbgKzbie5>bO;qM)mnjsjZ&(ppdN0!sj5dH!W0# zbY4%=^Xj2UjvlX?A#KN2zFenfRIb1%9pJK{CZ4n`A3lHw$p;`$uadI`-Z9miHQs~u z9Yj55>C-d4`A>sug*S}@g?{eu zT9hW8PU@EPEH--7G!Ga#r}<{{Lip`b3s-9*eUP43XwtO>bgHkS8@#p0 z8~RA2OZOE{)JE=RDupRJqmr8LrF!AF5D<6f9fK|!gY;^KD(R$npH8QGb9oGDvOJ-7 zti4;v;M-R6tR)lD^0NQC)V}==EfH@I~lS=p!Y4e0PjIm1_?i7>&2_oqd%}etW6YPohq!gz;*`8u|ncVgsrk>VRyKL%ZPmA~173y&w z$~-wS!?v{akyF(suSvCMYO~^*dtbiL5bLx1?Y*^q#AWY%b$OO4o66bn+E2g!-hAYv zZ@TIl5M#S6y1#~DvtMJA@`dABn3^1owWYwf-0jg8i2f$YQA#LJ; z8oO4zQU_q6_HX-91-UB|3Cck6+WRmvY2s0emVygt`IJO$KlpMBJZXm;R_zjusF(KF zyx#>uZW=q}M9^>qSgj_6YeuC&IUhp~x>&7AcME*!%o!T^l@B8g{3k?eP59OU*P3{x z&hn$yx#Rsv6Tb&({ul50w=Mh+%-uSKvv%$ex9Fk)q!&ezt~z7@AXFp#*TR1t{0EfW zPQcWz@RtF^-0Mwm`d1hHtl{p^-mpbl_1AA&_1BYIP|Dw2g**=7Z=e374|Ivhjyv05 zXVTiK_%7O#lJsV&A;}}e_n-TZTQ>2%n(NbtbjO0W5>_|I&Hz;8oMS%m!i?a#E6COxht(Y zs^)=2m`c!ins{A5WY-Ns@sOl*gclShMxI5GLl@{D3R)IhVa5!B|Jp=Qila20_WgXw z%dUahR}+O`rr-?7#ICW!)Uj)NqF7jeA=@riM8WJr1UdJA_17*4!TI)D7rd&o?AJN} z`5AP<9q?J zHSFY&0AQ&Iv#PuT;WqHMz?^odEMa^3@6Yg|kO$fCFyWv|C~QbPezuA!R@bpPDfP9>QAqJ;rb&{Y@ZK#?)9q7n`a`b^j;J6<*%|5-(4)~>}DZq}NkGJV- z!cEvr7Mm&?r`snk$dz(pd)jA0(-lpQwNIM}EVoo4RGV6h831;wb{eNQHq_!zss>xfH`LWY<6{%`y>aHGDN}H3zfSe6J;K=zuMi<+ zm(r*~aC7=Z(jE0o?J!P*8$kV+JFK#5Y`Ae+RfH-Y2z2d(BjndpNpCcrok#7X(ovo3 z8%fqrn>4PCG0v!JX!1O0EU?#9wOCBy>Gqjnay2OmI6q^kuk((eVPu^2TFWX|Ie<(j z;EQ_MKBC3b6Pg%IR1u!~>2(W6>w#mQ%7hohWx#JojjbA}vxjkWPatxK76wX@nyQ|G zQK-q~BsZff(u@N1?|K-<>|wl^iy(fGw4_$lv7$CUJY}4{Dm-CI(r>uWq~m#q&^YPm zmQ8s_@vWv#W|Eo?U|OvTFO~TMaE+Z-wX{meq@qY@(Zn1-B2r};0F`nNpsG|mzK6^r z68jS{{BX-kry;&O@CrA`ErIYcGBm5FC`uzVGx3WbI(z&wg1F$!<0!?_w+!qU~HGhuu+PP4;@z%TmR2|e@Xqn^}VsArNfJV!UNDm-+>sGcyFIzj#I zHtoS@Bt)@`J=_GuX`i@$b2qV7^ zmX3yLJ*l+|3fo-5taYxD2GRG3;u z@*@qYd`~1lT(nERHz)zS?eGCuPe~OU#M~JRTV+uU|A)Odk89#;-^R~@ z9L-5Ghs=-}NFXs2NFWiS35$Y&1PKZ%ii*3|06|eUSyZ$xsI;PWYisMS_(*6!A--E6h}-9g*u`M&S-`{Vup%jXlaO=ixV^*;A~U)Qzsd;2Sj ziYoSsGJRQx5>y&njonC3+Ko8y%3KdFPYP-r04&pZr?oF?pb=PG18;^w4j!Q_V+7Iy zxe!9{Ccu#LU1W>deW7OUxrMSXpt(2RDEYROofal>ia4{>K&|gczjN{gg}EP#R~tp_ zCyv(lm6auNI0n)oNIo6oeoj4}N*fC_}iqDO#LOPf6h#ERF>^w=jKb zZis0F16qnLO30l~p!Ah#CwLDlaA%8;7Adwp zTv1h9H(j6u<&kKb6dlrXwBxXQBG3@4a31SPrCdrT&@Y5pDy6@2Mj6t8HCZpjs^~z4 zcZM~U`6xZe&+|=enqdf4VJ&@B(5k$t$iv3aHj>;|>l1LBaEfyAxCX`1QmINEXP#W& zV6Lh$PcEw|m$Dhq+M0bd%@_fNdYNiw`pe7NVM@mE<#KssvA?Dc3STZ{YRNu*55=e{ zLLVI}YwV?jML{kx$!e~juqedPOTbD+Z53_NInBASM6o1|a7!io-OCl^VbfK$;d8C^ z7f>xX%%UBeEGsx^qcXRcY9>5|yC3Li{7vkI4TYb;cuv3}B%HW?25x9FfT1p8BgwKH zK;Xgs5Z37X|O_%9$w z;9Jun51s62zm1c`zi6Z}nG_2ZlCh+;2ZGFO+6MT$c%`NRW{0bh_z<2+QZXe&?3VN( z8G{lB$FLwBPTBdp@Sv*Q#r9J1U+kGsB3Y(WdBzpJHAtSB1q3n@S)h*)hmun6LgOSf z*|<>5#h;)u=TkxWG3zpT@vDmONtViw&;n;U%1cJ%J@-N+o01g#Trr0)1y$@Dc!k(4 zX9xm>1ny~9%N6c2lzI>~Qo{}%tUmf|z^+MNnlfMiv-DOgq?RtxRY5oPl?&CJZfbpPo!NI9TT|m; zkuNEmQC3p#D|Z@p>lATyCm(JdC!Y1cdOGLQ3;X7DLD^+nQ7JQr%9pQpU%r67$6JP| zv{j{GDUrtZX{k|N=nHtAd=t%VFNo(IPHp=aKyzdILTWL>B60eNrCL-}_&dg<60#Bx zC%wU%s=QX&aS;{SU$}D4b2G4T*Ga8fm?>xYxd+YVWu>6J(*R+boQ~a%H{-8@4QS5* z&tQM{oL&pdX!$f?L_<}?PUhgn_BV+e2gb9ZpMY8o@vOe9Tcrm7k^GV;e^b5XfRdT? z*etxKG&nhHCUSC5G^H4FIM3TT8-qz0*-cVp$+S^}$10uR^~}-v`mw|iwgKRa9h2|^ zMNt`hPTBFC<(UW%cXF*K!q@~DrdCDjTfs03+e-y)c-DT-+L+UUghq|?B?M$0TZ9Q5 zFs+f}84D2^4WvM%7b)X!5W#Ba1t2U9wPtIb63pbhV2uSzvtc6hSoMsoT({qhQmOFZBX_$*n`y=bdHf!i$z$ z0$J{a;tr!pG_rmH9uG>TmyLpcY*r=$oYgy_?(sM^8Ci=Pcam(QiOv9gZ#NnO%75M? zEu*bX_#pX>>HXwjf+= z4;mbag{D(nm^hJqlNt_0V<71&tx{Th5GO7oY48Xmt@<$iC*p3sF+Hhf7%VdFNf}oW z9!TH8mgK!i;r!UqTWFqdFD|)x^L=?PYCM;5Eg9R&YA%u!q%A421J#x=ls`zUftlLcgd8|V$PF@S9pw>MQmO17%ce4cMatnieSPYo$to)leH1Uw5hDkYey-i>4^ zxs1cE#IxVD@ra!ATaZV3Ucm3LqmeL1dgeW4bRM@DIF0WDodS}et1V__N1vcRt#pEiyK>99<^j0{prJ4yVG|hdtLjeOZQYELX`^ei{ zA5xZZc-wOIfqfZfw4ALrk_MimWne@u7CGrj3caBe9)5U~G)57%#A~vMqInXCI)bh^ zmuHwr<@3y@!gF^vT3Q&l5V}rkFN`gy5=JCWw|t<@L$4i3DwD`g!iLcPH|K5 z+e8hB4e}*&N-LzXMF@R+_Xc;BeI z1@TOef%%HF2^(lq0i4Q9wmQAYYnvM_hjI13FCcG`q$!+ZO=m&CR9I}MpR-wN%-f8D zfOH@OrNZm=4kFlEsPvZ37_ZOCia?ffD!f2ptsN|eIbDcq@SJ!D?!k$oOB?`(H6EQb zL26TrNnBjxAFNQth3Mat)z(Gs@wzbJuDasE1#QE9iXT9coPHw!>y@BCPKIR~=_mx?F$aL4h`lg9^t+_9waV=_==WRZISxBLRIgY<}H8;xwE8qgD5HX4>J z=n7J~nOB}6t(=xi5}J%Bedgc8*pLqMbiZSoGu8$%o`EK60N0iy<_RH&)nS&<(c zmt%aC{*^S1i$%kHP0mc1$%#+tFNvdC*f!unFsbFRjnPoi^x!Ms5udfmrIcfmmhd76 zGQ|nNHcKw8DIT0aL}<~0U{${BFO?v-JX{6}A66aW_|v?}uJ;PAaA_eEel^o$XoPS_ zuc!w(3K_P>HNtm{{$hOyd<|@4gynY)dqpVx+TV?AJGqZFz-&c+R!pg9b)4yRgsGyZ zX%ZI=23?82w5+nMj`>~4SCK6ZVC)f&Y;9jmLrvj~RT!d$PN4nQ3xQ*2RVAf$&aQxuL~n@2~MU_+btYQBLvA5KKL_ zFgKUgh;_nO43FhX3}S>-7(wrVdLB{ygN0sz&!GImi4aU=Xe=2~6?Y!-{vayEiZRn@8p0&KJv_1nm+Anjl zI8_J*==$J+Ml-idUP#nANlIDe1~#q|dxA8Jax3GP2yZJr2_($w$4fGj5VzL$wvx{C z>;!jbwsi|9#j6fhAnw;0Nr;T4<@7@?8I5AIQk`KKzhke@C_wtxaWu&Uax9Xh=o#c* zD7(KTre7kx3aiG7S$jxLk&MO&>yrglFZQCYX+0RbY?C>*A`Z4^;F+4?uVv?4WC$5! zYh%JFsi4(#GSt`q*%-G|-Icz&Dc}0NVS~A4Q5KEWRyGt>l^Fi$)mDj$87w${_O0CX zAvr*gv@S7xVm5r>B1I%hE)ix)x)OhFaZQ;Z#GZVgGz!1F*>W9NC3=e%+(Q*{QeW}( zDt4|HU&+>L4iq~->JkpVLth=34W>kry|aqOIM)QhN^5y7m0hqpUW^ocMqfQE zNkubli+ZMpBlc7XSW~z0zY)0kEh-BlSp;yU7|PP>n+c)!vc_<{DFC4t{~Qt(WwKFp&iIg+@n!y90D@H zyabf*Lm8(r?S=OcXU%jJFOg53`UEn9WLqP^=lZSX83#U&C2CH617+Moo^${)u^5%Y z`BL%(r|`TUC?T5!8^;!@aiXHEc&EB)6c#LkN_xX~UAUl%g`Heo3^?wq zs!C4!a1ULLzXCS=6;CR>HGlSwlzK;cexZkU)^y~v9-2xngY{D3gG`7#H?MI#xudJA zuP7?_3)6dRC;Kbw%8hs1^Q4<9L8rI!(gqtgob0XvH*l?`yXH;5Cel;cV4hN6;S*1h z^@d&P?AJ)x-OZ9*kqF#?+#Qy!ftlcw@YOT%r|ll=ljKvp>l;Rnn65_(4h@-h`Z8NU z_k`nHhOVNo(O%tj^J=)TRnz{9;gVevy9zJcf)cIu%`z;aM*)tqiM?b~bVvOKqs_`2h;n>R@nkl5a z7znRXrSOva_h~`a?DQ4ZL+3*RRy+P879s}V$o3W2RMoO+jQd4qgL84H|9MR@gl!lx z$=6K&%%%`jC)D?3I;A75d+rZSHx)HL*0rCas??wg!HL2-KKH0RR9lZWnq7G)0O*cYn?Bc-Y_`(bY+*qPd?@jLsF?;ug}#RzzgVT8IgM| zISc8-Gx{M^YueEl<}a|WdLkTk!S}N%ISggF&}o?-Byl5GAQBrfmL}kx}&61;J+Y!P*v(z&ePAOc61RBl8<~VJU+tx{4|g* z;X0sV6nk=4$SXLX)9P>F2S_^D!<_zME>27%CX*0B5`DYvw&Vf?r1xYydfQQ^mPhys zrR4)WKkC_)mjqF(53T59c$(34j-zQD2gB3lta8lY zX@9XB=M}ZWE|zM+((4q2Jl5k9VzoOYA%wpb*abxzTCG-})E>@Rq@P7&I9-WTh{cq^ z8!g;69L3MF_~Y&Q8E*!WJnuuW3hYGqRl7wo3$SPLG$;Py_?{f2TR6^;tbrH(g{PIW zg)_2)N^nr^ZgUym_U5CfT2&CB5mqEiGhFU#B3Fdxk~eS?cwLdwurDY5ebWKa2|foO z`zfR@~RR)a%lMBXMSxCskOb z4ooNs)btszaL#wE&hn+vT*r4IY;iarQW5Oi<R z@gg1!F^pqY+X9W8B2;L$J#Cjt?c7}d=Xkc34I;(5A;&j1ndj7TcT5gSme&o0GxyH%WaR9*q`gtnWWZ^?1=Y3mb z@?jAu$=A$4RZV-Y{cAaE3!)QwMzdiHP-|%w=cemv_ zH<2x{7$pw;1EXxz~uAxBNEfET+GkK6F8X&>T!DPzvuHf|SNu|&pdNo0?Ym5f>Oh)1? z-)e+wY3zc)+-b%vV9Co8>ft-$j*n;^j~|e;>%*;sojW-`!8gbFy4XaDNph+M8E4{X z>nAu0rnkPv;i8vVY&s716xr^%UGU4Kck<3eU?%?tCAT5`;{})4Pqd02yieb#m*ra0 z0Gx{YL)Mgxp8Y)z5DwA1$gg-E_%^xpe#XW5GZC1Y=*W!a&cQdF2RR`w+{h2!YWg{X zntA5;7KNp>TEPxVQgZR8Y-PokHM!g)uvKdCm6PsZ_#!t#`Z3bDSM&(0y8-dJb%t;^3OM?K?=pF( z@|y;av2mEBjdZQF@+6Yj1f7!oLa$O`j09N;wGEy*($Sup_$TGUgpt&VMTg_d+wX>41{W&=KLxa+E-Hx5o^{BREbQ65{^Z4 z*vPJ`TOK#`lh}^o;JoRb;rqDdqTxZMERzd3&NPIBkaFGCpUDFDh1U5-_G`~7pUP1p z4_(QO8eSZLR^$p zGi|ZI*6C#1yBTitc(@!SbrtXmJ(JV)OjxDWhj=6PA@bvckMQHHha9Ihbebj1h~2bW zAL@Nu9|B$geuk*yW6v45UA1oFk3>#aQBVf=QgxdKakJ$V_-mZ)P1NBvuO8 z`_7jLnP$KS7@jl%r5n}{c8<#G80$IXIU?=n$l;UUaYF+Z(UTdyAyEXECW8}a0QtD( zRp(UX0Tv&u2Vaf!qj8vmw|C?@+cjjc^$UI-?qzM}d2)g#ilK}M_z^1;zD^ge4Y!<>I9M6E35)Q! z+-rRA@d($tfv)cKcz8Yq9oP#% zaN^h$Pg6XHO_j`3hpX)gqV(=?zK#1l;Cm5pN_>hu9%mc&sf_zU>Hc{$sJ1-?#U$rr>uPr@u`hpR0Ov^?1*NyZnh5dHTf&i#eGPBCe?#XclCT-ek-`*jxf>9k|#31zRbop>P*u(Lu!Pu zO>LbeH-hohq7m98(`2!6_n&(rUfmO6S{vp6h-~tTKA~n#TvIjcQ>3kil$a9s04MEa z{-LjIY6_>&MI$Ab=>4!d*!7}6>`PFG)ngB zM2A%)&?u>lDa)&7ustOju)pJki6VJ&r%_im6P)0+(yT00Yk0By=?8`FjC>}wGPYJU zyan2r_;i(?cs%h(pTGLX9SD|>`mZSi&7E8t8u#D{sh;8^}SXIvOgyD}bxb5vO1 zzZVy<&05@#8wbVMvyCL;tt5?2E@mHuDas}bKJTSV(nz(?uXLDg<8;R~J9l;Lzf9PZg=7{VjH_-sK#Nuo+eI0`~=5 zt0d|Iy>TYDSDI%5!+fIR4`g^c*7Ke4Yg%%Xs_B$%R(at$zd!d;7-Ic`=m0dPaTr-8 zT+&&tt369-3XX+P#-5V+SnmeB5F99R{B+9{6V8?9MS|cLiJ@V6r6~7n^t2%&gwl4?fHZr z!hJ2tO1uyA5Yin+yuhDF4LOSu4KE#pj0P)mpTx=EAxM{)z3rD6 zzRWRI2=+f==6b-eL6>_~H2O>RAy-VND93jiB5ThEli~4s%lpvi#`H#S)50}<=(FJQ0)jLrj>Hb(l1h3xl5R)24ncRL zt9S)xkP=bgPT}Wprt?`uHW-c#&wyyqEfjkpm3$^I;21hp= z$=2K{*+ULvg5|{sLFg{_%6K&x>jOD|c$TpU zgLN*&Gu!(b-YHH9(6KhfSJ9;$Fa4y(>6q7#5jVh=HK!1X*GyB#%fb3$prPXj7;BpL z;bt*1YaAj`gID;Li4$be>uq`scvCV)A!A~CDG)&P5e0FMEMRligHUq&V%frHL1sZX z4#AHroNo=z#8C&{5q?TYvHbiOzJu*Hi^?b@@4%jA!V}DBshGtJ`mK;WkdDD1RO`1} zr$Wpy+`S!%q5ePUNl~YNQVcb&qdNVD)XB)Wff(WsHF@*O0_FXcX zA`L0i`pas}MXaw)H^p3ESyv{+g{BHh7S-*~l?k?$35J1b;GF#`K?k{#zR7+elB3%_ zWmi97ulMq-B$4=AOLm;Rnhl2e0>qY!{KD)k;kJ#WDFqu76OARXZcz~GNiFdpu)YAx($kqt3fuyG{Hhq8S5QkA>8r<84wMh=lQXzZ{ra5 zjVi;2=pZqA>;xsbV6~8n{E!00iPl#+t+bxG zrwbQ)OyBGJ#kvE$T;PwMExZNXp{B=X;CJOyG&k+>y*@^X!W!7H(`DXITa3xl$E}^dg(JwY9gY$JVACr+L2b}#{)&!Dg@8LgL|CH&tK)c`llq+Cq-HZ~6DeS^crW1UAvIZCVZ+#O_-v=Jm z{8(fU2bUC11I2oopu@~%W1}Wps2$JscaciL;wM*M1be?;8a|G(In7zk^=wg+Fl4&B#4k$ol!mowsKOl=%eD?A&q-f~w>u4&m~(Ti zvZ}tW<+$)kFJ(-5xi6UQ%}lyNeS0?H?5i=>7-SZLax~T8r7auIxLNiJ)1{f-C~4J{ z);{k(4sr08D6prIG#R)vr4JxVVu~M!;-pXQ!h$5Sfb3^aQOPryW%Oss>885_NjL0~ z>O;Vh70+6K782B`^hz`L(VIU}L$qBMeUGu9lG=BJg!tCky!(fxIcOXZ=KBi_>~lRk zYjJ9kbW3jpFRQy&!R4$rl;!fw+kagwH>#tqr+diR9Q5Lq=HR+w^3V zXEv(ThvGNe=aLdZ$>lvsa0R4N2o0G+{Cvv^755cnKWv`legvIdg2%}Fj88Q^tZ@Er zm=(sJ=AAka6lLsY2)oNU;v^uU{vyO;Bx(6$WUBnHT-nn-XIl?@@YM6&Of@WZ zAtd&;CX!XQEj(n58pX{A=8CK2ANiH~m+*%;#W<1-md^70_rUS#{sdWK1YvXt9wLWg zB^{LtOll($|E+J*jW2i|8A6xh9poV#$$Rt-WIs%M<){ush_D@VMlTQ1|IE1)8Xv#? z!Qi2$8cL0hEGy>mINPQK&h44%J?2z)HAaE~)PA=+E+7}!apg4!)=~d~*4xAQ4c-&h zcX@%%CwKW!|8#@FmN(x@)_{TDDnZa{CM-5X*-z@!16DFy;T+)TI&se*CZh68Gi}$} zUI7m!u{&1;(+|=1=_@Rk7uesk-|;`-d)(N~(*vf{9H5=bDBEr9X)_C!2E#C*ODbpB z;2lX9>*MLT)NaV#3mKY2^mfw%rC!jl1TIOvNgVBY)BO|TcxwS2jRk!whzVoUT(z~! z^5;D>^eNcx&GtSBiF<0|MlFIrL^vlpjktcabp>mX+#naq4}L^$;{@X?SXlQ2ta_F& zBv|u#=3Id+`@=+I@&YV|>8o=RkXTJ348d_DTakZpBZyWz(-Ai8>>_rPjjWbSpHD-@ zILL54gSBF>CM%vi`yqt8!Jy=I@zusz;x2JhdzY+u?^*qgBf1VKv*6$nL7ydx`A9JX$GT;|)Lw?*UP>UNn+b@QR8C_W5j$zoyL3RH1A- z=nAMzGk9=gy(Hzx*6u{tGMoQg_>yO7G2~z5yy>T0RKhaTrQfJ@ED^`B&$Fz}9#}=( zZ>9-x$#@pOOMuL~Y!K!|rF?=^orQ~piL({mf(#diFO3VcEaF(5E_puZx_I%qu*RS4 zG4aJ7?3q%zc(4#G0fQ@cqzKef|

    I4 z!8E^Gj_`RMTfql;i=6T`FI$d_Q@DD}cN^Y$0UETSH^ z3&AlEOuY<8Ju2>k*c=?i9u1SGC$Iv*i zjSKA$(@MT?`c|SZ>V@Phe3Cqt?PqSV<%-BHF<$(TSv=QX0g~b*Z*nTq56jkh(JQ7pwc(sBJf@T%<#~ChwaR{r4zIoOo^FRWNb3Z~{IcZUYQMyP39PNxvO`pbrZghj*GnE zE$(W6zbHM=;}rWy_j?Fu8KQM28p(MwBF2*qS9<0?>irn<2^aC?JjdfQw+lhk#oe&m z^sSxr2Dj7)G)YPcw_eger0>T0rA-Vu4P6rCL36*fM5_u%8jTfG3aabZN@w!*35C%> zs|wCQ5aumMoLMaNa(Eh~|IFwGcfs3%Z!)0&UQ4Ia6Jol2s3C%68g*_!=l>?ATkj@+ zB9ISZx=LLD8t*37x=xYV-Ws>J)&Y`SAu=` zBpD2jtkN9R^pNPX{2Aizg55jO>{?`ei7wAMjQj&}{{}Q~M3ix)Z00WqP)z`#DS_OY z{{|smOh$mu^Zx`F1&FBr3%V%q@jvh)X8;RU42Ym9Re{g{4KliSHi*jx&H+hv{{|YF z0izSj&;ra)_fSXo!CCi^N1bPa3v_aFnE_P> z zzX4U|08S}Tu>T9F^v`($V5NIsLuz`BAMj@Z%u?r>1I2?M{}?xh6{JVE_Hca?o@;Cq5{bE8#>AYZE=e2A7{)&6>w0nK#?|Ys+ zC>pP`^$f6NEYlKoIUjq|A`+^iNj>^gwB6eOCCPodWp8&bs`khurHL_lHbp@A!}Y z21N=qd0gNGU^oXT6ruOutKdMp1;)bvXjVvN^55@rkl+HH1Z?VicLgYm&QTwL^xXqC zb@qYIT>5)A`FF?athzuC_#Y(>R6u9-+#7#^HV%{s#=-qo0SpNwz65&D{SW@#Zugp? zv<%`FzWeq5&n-bi-s`<^5cI3g!PVJq;P8KL4G@0!&o&u4E8O_Kg9DSty#WPH7pU6K z@9tF!WM=$Fr!9h84)ns#JGj?xD*~zi0i?*^gXVukDmycHI=ckG)$U*X|C}W{t0eGs zXNUi%SWbX?{V%z~eca0)JqVDtW`khTJ@y872FS0>@0@vXTJPY0g zIBT&kfY9^TkrKBJMFwndCx?(2tAvF)XBpDR@aX}z2pSXMexN>F4`lxNd<@Bt4S_<8 z0IMnxRauJHBeOA7Qxaem$Ve;>a5DrJT3E7uHDWX*tXKmK48~~0a|1{;?6Ya3JYNac z9M(d*VmTzwX#(2_@KrrUMEsQaasc{m^>E49DxTtW+D;RK41{f;m5Rn{CDb6T)&zDi zd^Hi3YJjDs%2*kSkbb^?puA6fg6zlw4fRe#gd7n|mpp)K$jQIGc^mZgV?Ff~{ z-*RomPmtok{rrXu5Ki*o2&*HI31rFv|JEULT;Yt!u^_I_y3$vH>qtB{5J`MXUoXC= zgv+H!D2$&7uWGO%Uh*9BFxPs|Xn9@I`xppu++Sns29U4o1ybB1Jd5_-_yx!$%>fFH z_#2V;2)v!3fQC(lJxPq$&DnsJ$o3DI-7`a8H+>%Lb#V)hL{VH~0MM=6K4#;{Cvpi_!`HM?IiqXPtpi%rj2~)fi?J1 z5Dw=z^A2p3x+;Bd--oh?dUlfiEuU=SaJba2Yy?3X67N$RbvT}c=XnvW^L=h~Q8CYX zAFZC@L{x0-a34Z+OJl4U=Bv$$Ma>@q*#Fx1#&yk3Ji-)2o4x}oG9F)ptnmS``EUNA zMG{wOJFVdh6&IekVM8$$^|{$OG)SMYW?*V}H0A=)*Ej1^X;f}+y+p2BMpBUZ#Aiev zBBb0IS;I@@SNPAveTglA6|q-mfT)zzt`TDmW7WJC4~FcSXeB_&J9cAjYGV+o#yV$j z)cy`c277n(!;2t=Wdf>_Z^|v{H*xCpulGFAFxfYvneECM#q0k zL-KME)t}49g~l8lvWCZ8UKYY(;#=UU&g3SpZXl+dHxXxBokncSFWA%N;Xv;IL5)Z` zbK;gRCa($)us#py4USKN#wtr}EW%EG84bTtz=ey)_-QmesS6Fc8-nLGHQ)(X9F|aZ zAi{g#FxEqa7R&s6rshQXN=56TwsM8DTl_Vi*O&5w_gP4k@>$j1_kE+C&jxvq`9||L zkkehr3!ZZ@vSLxnu0RHobOUHV7Pgz@R+rn8*tFxupKg6XV4LP3d&X>>^ptHg<5O~;#+JnzF$xrs z@p^oQ-$h=MABR?1dQt_?(#g>QQiMP;>~D9z!ZQs6)R1e};M+t@EE>&%mLrSnSD9IoRz>$!8~d~X_IOl6;{ zR{Nbfm{- zx}|I`z=G?}nCZMA$4jqLPj8T#^Tf1#0iMJ_CGC(OHvKAqQeLCta8Ep&x6u+vOxc`! zUVb^X2zrv|5}%HXb1z{DVjogqT=mGr#BsvLpoXRZDP8TbtDbk_-tHu=R|iVp__3d~6`ALTI^bxvIjoGz{-?{Q-+* zeR?BIjxk~eIR^g)JQPH8UR(aD^qpEB=o-gc9Z!Y^qL}5N$^2MAt~yE1a1FtQRGNOs zkf~fV&}V@(&2I7x_Adiim$XVa+|aAo3S;i3M$hPL^gP4y1vaV$hZUYU!GZfEJ=YCocBZ(K3_0K z6x~CDX^A@ⅇ4GU0;vW;QqIYVgAjyp&|%Ynu1gj<<7#TMhBZg@sNfQE!FtCUTCZI zSzK`#ysoeWl?gDcH{*0*IB5{Wr~^ni3+QGnm{gQ@009%wnrz~u1N~EegqM0>?Xq&8P*)8(QV@hvwfl_A!{BWY@N>( z8&1M3xr{LKK>lJ7z@hqn;zKNf9oXc49il|0Jt~^9Cudk9wjSbh-93;s-xDPli3T9B zDxohO@CfHny_4O>g4+)!T!35y)d?yM;2spDTDiw6*tCk5tfS#S37rsAPB<# zOZ`u-#bWwr%{x4`u21ElvOim%gQepk%qP9mM%&iy{9G+?dF|NtcKhW|dw0MT6 zr|B!z&YoB(=$YGqpMfSFTvm)X6wc1ls3BhVhj@ha31s1J0wzp|U~Yon6uTDNW{C2? z=$g{Yk=`q^u!+u0w7UDSp=qAokqlrmGUbr15ZSS{(|AdH=GBm53PIYQ$t=MYw$s z53!`!_)|QeHxly^2UI{4bX^T8Hge8tf7va0)tYd8mTdC9;+8-v5P!YtG>*3~^&JtN z5&)D(t$qgEspPgJnpTiM<_Y-(X)^s9W{hC3Y3TcUQQ?e>x9USvVzA4fs5j=1MxHDC zAWZ6lSSgC1x&&D-Ww?;(w{ZPNd`IqK--sMj3y|38x^CGTZp_Dj(ho$NC#dab`x@Ug zUO12m19Z7BrG4aqZCKp76o)1Kj>GKduwM-8kUd(M3++S-Wa>VMV+&efk{Ie)3F{6d z91jlCuXI0!>;rJ2b9oR;Y zUC4Gv^ZoFNRj?+4Hbu`hsG~-o>-x##;X|--f_c=ih+S zoLP$IGN0ncF$kH;BT|QTY5m<7S$_gxLFp!ovP_Tt{17}F7VubJ%8iG0zj?UHrj&a+ zjw`*9rPkmBGvwZ&bCsA<2MNXX1&h}VCU#=BUlHZf*%4#9i}9;BkbGiJ%}35)Y^%|@ zM7g_tp8V3>2kfoGj!{xd&NlwRN3mYI!fE;_Il>gz%{Nhu%K9tVv{Q|3rXO@!VKl!d zE;!}Vi5ZstqI0t%=|JOA&p7-uwy-A{e@*`rW+u6)%qcG| zIADLkm$~P28s*(=c*}%SXiW0PF60sWRlJ<9^WXM=K_feAljcxU(%dy_5}sPGF#140 zJcuy8m&95{sMjzuTONX6W8GELC(6U2Hd<(s>oZu>wgBahDNN-ai<(ukTYin?<9cgz z!63gBf1&M7&(6~T*O=~sHK?&*ljjQmDjDR-phs|sWdfIUL(IxJh9G$M2`_%l{|755 zI4mOq+tHp4r>juWLxR%*9&Q!fYBEGj#jVwuN4GSdU4suW~KQ z;Uan^UOv&%?=@yhfA9_xvXu)^za=_XjUrdD4qTf!{iY&MXCJ;}L|Y9RD8-L^q3*^_ zGAP_teByCet*z_&#Hr`^mVN#ux3PE4muGesf5kSZCH_?M;jyPzZt1%qh#InYtZM1E zM6i#2eaGs5^z4x#O{3D<`JU`Sr)E?;l$EfOhJ)A8!3_)U}Ox{$Hqz zLf+e+X--Sk#!Xp;`6|`x=eG6Sy6%}pd$m&sEcv0!is_qQj~#zvZ_BZVjpp-3VehVd zy;;}Y_WUdt&Pk7SPyK2C>f#k;pYOfY;Mr50xH9zRYg_lWjX&1c=(6qorRbxhEBBsn z)HKJ0bfj8hzP_C}EcE1~Zw>l$V71_1w9Js+y7;N`b&Zp+9N+ZP$o#8$PsC4nb+JBS z*<0%pr(JxxIU%O^rj)0yeQ~?%8#yZye;@t+qPF23n|JOn*ckOj%%;@7w>MrqiM~!W zd3vdgdHZ*~`>z3yIVuvT*x!F@Zqvr1-zKfX?F)^wejIe`agYZtKkr+j%Ica_{r&d* zb628T7LWS6^74m=>DlB#???*s>3rH4-;%S2emN)d z_r#9;{h^B8AwlC`%J}K``rr@u7QOLk{Ip-PNpur5u_6^yb?JMfIfigU&zEzNyu%^1LG>$`8g|-oIq=Eh+iI@aY?0UwR!*G2obSkD{kUJsFMe{T{F?2Jn9XS)X-1wInslj)sf&K?{w~iRJh))bq)qNo z-*ivtW~wNDvu;Cl?8lepoo`>i;f=_YInnQI`#E?34th6hi)%~-dZYBk55D+u-{eC% zLxk#aFQBZhaf>I-8uHPSe#f5rXzqU2W#i|As&>CRKX~%!FKeo=9BU5iwW8!%L*pB( zPmzqp%Ah5~UfDNp)%e>rzMOTvp8oFTv$ey{{A=Kr{0Rf!%Pq2ayX ze#Xf10KN5yntFeLy*CHKeEzQRqOh`)7!qdG^$PL5|77xo%Xhv1Z8&6*!|`zV@}R`~ zlV(sz_V!(Qd6*2%-j$b~tqbZ3jK#aMv$a9};W>|s0KZ`NF6uzru?ikmw2P)_x5ELu zG8B-Zfrlx!XJf3?1qI_#glM{DXKzn+Bbo^$^EO1VTcZt%$mUBTv-7gI=WWl+CQAWA zqosKo@AmBN_)(ON7vgXd1$#LKF2@WP8{dr$lnAb!w_Sm3+ur=oy6yrr5i|WY_iFl8 zBK;n0Tkr-{^p4|j)PK3t|5}^X;-G&sBx3{&$w2{zWZ<&qF|b+Fv_Q=U{(v{Q^ABou zVHfeo|Ky1eSN{EF_}{F+NCJxB|NB!oLu2r&`?Vb$oN2+~!J+W~=)sE2eZc%3El~6! zytY&z+(m)4oGIM*(Lvm-v*0e-3iC$?eG#h$L~BcQ!SgdM@`ofuH*{|W9DrrC7!Obm z6UuRZ_}&UQD03f%%M)-z0~Yik7R(FLZmgd7Q(eGhFp;|y>bkx{IS+bx6 zPf#e}s&Jz6LCuOua8~$9vkoqbPr{4+coZ#DM6BXyc$JL z9DeuFLvpaIe(0vi;80>%`mKa4VISEL2b>~K!0_^~eqg$Payj#MSGz{3m= zCp;qIVdIq1ahdlzN^~Z4mCaqn%j7>yn!h`UGxP6PKlYWDbd9~=Z~pURILkZ1<@@1@ z>wEN0@SUSttOI6i@yC!KL*9b-!Ea$co4*zER^Ov(cY?JTNaJzD(Y}08Pk5_?V}oy* z;XgG6_~Qj$1N4i*A*4%WUoGwm=Ljd+(Or-Bg|mj-Id%+!4Q8y+biEaP3!61zeSdt1 zFF}!{r`}TZCF(2`kgak!lX#xT&^TL@+;JGjX!G9he@KwV9$KJcg zMOF2E!@o7mz^sA2VGV4YJu(9`$l#35$lfp;W|YxEK|w(W1qBrw6%`W{6ctMg4Nr-M z>U6@#r4#Fp7t*QFt4|4T?USx%co_rZHZT!|)6+l$R0vw_i`kdDy^ zgO;s+OQSX54bs!WPn`+aI5oDTk7l428Fn@A0@G|%_bDMyc1^)csu_nU@#(!Z4`s{< zJw)hPLeBuU&n|@Km`-#Mz2T#y#r$??sr#TMUXA0Scw@+=d3fLvAP`tEcfc8K_`P2oWlV;!7kW z6#EfHNH>Xh(85I%WFS}eL`b+pdq@V6Oe8f0#cKjB262Q%kZDS|1s*OMAx&QCCWeT1s;E?D`*kc^P(B86fQ`9x4mN zkoOe7NJ0W41z6Ix$aLynKucH?qzm`pfZe0+g|w!upU_2k9_vln3wIbzEgRXkf?Hgs ztSkoEeMSZf?;jR2074Hp|Mc7FkqD@Y(qx=VfvV5FG)7r404)4xX;6T+{& zyK1D}(ul^t{1br;R|8VWAZsh$(>}-kvt^AC2t~XKPJ;i8kbE0=JnskaUqBB#-T`rR zEUChI|78{mhAEk0{x3`kik{?tX)??B@wLf>AKt4fNXw3MbtRDL+yYq`ERp^Brczfr zsSIZcNILR0g5j`E*%?X-#Nc>H>P6>5Q8kNzH<`3L-ml{fw_{-Lg5XED;$=iebV$)) zInE4n0R$goqS7Dyf!pD?{z!L=siC6s5V5?@jB*X}Yw*`N@b_MxkoOY7k&4%({M?x7 z)a|oo>HsbcBK!nOQ9_ug!@v2g_!m&FND?{?rrBTLKaD`7l9iL zvM_k-RbW#fGgu|PkW&q=Lxih_454~!Jdvw$ZiKeQgtmEbTTfD44U2jqdvV^TfxsMfEgW$&13hjbp^FHCv%^s_4KW zu4ndy#v_>ceY9W$w9+C62JV95%H=!I%V{hxhUNLId-3I3{r6g-I|dfFy%C9&&d;EC zJup5l#LZ<6lXJrh-=~V@-Rifz6=?g9{4;|s*Nbz`@)AxT5BQ<>>Fr5$qGd2MaEH)k zx}S;ic(827L6pM%ao#2k9RLyrg^ajauhR-0tLiwn+$D0aktSF^Iy{ywJbqf*0h#V9 zr9-4Q72mbC4p@95b!UUrQd;%t78OXg?Nnc{HMZ+6f53KNGk3cl0xlmElu>SB$B`?o zud=iDC^qk~ibbs%1UX}1%d_fU8TzV7wp0Iv4$s)xJ|5_JND>1Fo`g2pGF1ILR9TC) zn0L+)oh^#K>aS)-rBxNw6lUtn_`=1~u(Ig-k6Aydxws3|zC-p&uW0TvAK?TgTf|W} z<*>-cWc3Z~&Bk$|Kx5l@{W{&2D)rdOwgR0cmUYosx4#&3D`;t3$6FGKEfipETk==9 za{oR{7iMezKz<^;v6>~>21csK1jPxBJce&`s-SToOEv9x6+q*Ih-L_N%6rgw43Qf; zh!;W|vx+)F&I)LnO&rXaqRH74jTO|M2zfcNO!3!aLG$4Y`pTFG|bWU^C_BK_}ei{ z%VGYBnC2X6wp3VROg*_IDNMc*7N4UvIZ5FBJ;fQob~lR z(rqiF4tIsScioS^Q#nFwiQH>e#%U}O?iAKSoBgHc`LXOvYK%gX-N;f)r2bdkqGN%M zG@Z<~{BHY$T2?sgP)VbVfsRck<*AG*n)=<>eE3)|9i%TS}DEk z9)4W3=&&XtTKSe(`k|QC_?adx2Ln^ge`^DFBtEo?3^@_y>sfFf=+_4WaPr&{gtQKpjsIhm*Yj932U|Pi90$2qI|vp$Mse*v(Eb2y#fbjImj@HUi>JA#Txy2%MsuXxs1C_x zwYt&dvp~);HU6z0o9}I07HssTfN!75Go^CwsZHKDG{(;jQX($Ffx=6#!P?^k%}sH+ z18EC6Q~&Xy?yXj`oh9sw%DWo^F?3*XEFl~(%vY8~vByC1JfQi4RqxHqtAQga7M^vn zEoa3}Y){o-b-Gu`^3-DW#vUlk6$YB#hOEZ>*iw5rC3QnUC}`~tP0kH0&$W=aHj^KUJW&Zf^dR2|0y3KFjdaAU{!}X$m8pG{GH1O zUFp%ZN*{=4StL;@1^q*eCAzMn97Y60+l)xfRUu8j3YV5aqhlY>Z;Ey7;`Lr;#d!6K z;4AU*+~`yY=8CDlB6VYwY!0bve0MEkA{TGsDY92gtxvaS^1HO6&(TU9r(-S4P-?#K zdKEN7gs&_c#Z(?uoUB-Ww>EV0t6&*yGK&k8(U9_)m}~u!V!S!!O5?+%v!ZLP5>%zG!7&WkwErbN}LNZOa__7h0yXuBM)Pn zdGj{bvV#^QTZ7RxiTLjp4DxxEf4s@)$kfStwRu>g_e2=;?tO&LZ!|h~M=Ou1{IgNp zMMV4QwT;UA;IG0N9sqwOGkQVImm00>^~xZ~9V#Rsl7)XDyyl!>+G)I`qn}wOqDcN# zZ<%Z|otjU*mO8x7GY~w_jw?d|W0^+fO|TTBl67Agh7lB$(naRSVo|HG6ye4~KymAG zYaBwyE$_1QP@#V%>!=_w_1Ma1vLo5z+Uh{Pt$!5ae7j`eHZjSp(%GJmM1G8Zn)q@t zu#0osm&%{$Z@z*s-jeb>ST5o%F}{>;x8h4OGH;kp=B&2v+GZ*~XX*^f;=z%oZm9PT z1xb|8L(4#uyJ#$|?*Vcx(4RNG4yW;#8(O=$oGO=x1}BW1rF=qycLxs0OSQp?Ow4Oj zA8rhYT&A$IKqUE2yTpr;oX))gWLtzzU(cKN6u!(VlohdnA)`E(q~eu*o8TZ zHWO1X`ySCL=!8zCt)Q8eeb8%E&HobF%es0_u-UFl;JhHlrgY>NXianSeuDXpAl*%l z!DZtcR`c5oMmq$4`5*S1MQ2s(rb4FYny0rZiJuWIj5prJb7k>2o%(l@l=)$omYctd zM-4gH#>7+OXkqYcW|U0Sh+ZhZtA%#(+-2IO@2v~WS2}C?2ei!S{EgmI<5N}jINxA+XpRP2Ez4HoR0UX$8zy*x~>PU;wqKLZ1gPc zSiM32OtidM#oyGKx9ODgs!L0mvE?!?tlVI3N>sK+RG!7Ds6fz;_CT^4vbMiYD~cMq zLsPIRh#Dck171Vq_0f(gHjumzqsC}`LU(h4^(Hqx3u;wnu7k;SanAHYV12TGgY=TI z>z4s?VzBrhH^9U^I5hRdKG;+a6YVf}0vYLdbqL$C@Dx@4P$|a5qTVWVa>x8<3q}!e zzdu&R%Gh;~_@0K*<6zcrAQlP(&4u=nWuUC7R&6Q*R$b76oY)I12EunoVbd5`VTYn` z!}Jg61Ctex1|;KlYX3rsP`hR+r3Z<|%2t&=sXBMi#z)af1)GR+It&Rgy5h^YrX6et zdCpThPs5p3Us{s|?5l!rOG>4-GlCLZ6i-vxrvO8RjT$-_@)D!MC6I?wL*e2Z)my`3tjPE69LMLBA8wYjVy zPX;UjHD~HtK4sk+{@Kz*8)|#ohQ(CAz;BN-%@&K;AaOfnjQd!fw;AOAs`%%4y%<^h z1;cWR;eNuC<BE=`DkJ%RS)e-Bvz-oC&`M2ECD^0e}so}Z{U zB^6fz|1*z@zeVj9^_TVj5ttFfN} zkRHF!&d)Xp?{d$eS(>{QD}qNJo(fMF<_B&zucU+hd4=0uzjJ;s*P(VWP4g?97&wpl zPxezE$X~_EdYz|$Ux#qze56I00RBie5W#`{{g^>%1iz^z-^j($HGaK-vGHm0Kq#S- ziOrXetRAm7#IjU&PhKii{^7JbwJhbPEdLHIrF8erKEC8=xd)LhH9Fjke8~OEripI8 zJR$c5_NuU+brrvMq-!-hIm}mMl6(r}W#B)_CWs2ls;B~2Z-7h2mu=Ejd0@EzfOSxu z^o+fi|M}qiLLySxoR3A+&f`K?GjApY2XDFTHeR}lDvs#k)>AUwi)Ko2EljLl>%7a{ ztfPK%nG?+)QOx4{loOTTz}Pt&Pjs*v$741}lvcTB(b2*FV z<1F1;ZY8vkjmJKdmQ?QZ_vFg+EMes%K*(|3pmZrdC!6N~8m<@C)UH;ZvXqx49ofL- z=8<%&e*vn)9%?LENTVCRalEO647Wq-T6_b2Lf~l0S9B`*=@@acxqz!14Y|kI>&lxd z{#|X${Q*Bc^EQPzgx*(6BFrk3FAjGZRF+>&9l1(6 z%Aa9MkRqwcUu}LqQJ$~zyGv&fzq@{s@hM6R8^>cmy%c6S8rGF^DEDN zZOULJgdj?gxf6QU#lb08ElW*o{=^ZP3+*xpYGnK%zC`2&xk zzQZjlx(Qszt($@ExwHkg8GqJgXG)9d?%clSzGl~I)CUDoi4FJf^Tw*IPwQBzs|mz@ zg&#?}wxhusbzFG-w8X%n+U?xn_()2zz&}@HvNAH9yv&UG&(Lhl>NT`vQKND*!de@h zM`9f>MwQRb~$I^^a6pI2ww8RhVC z!LYU_oPVuN`!~AYQpwjMnLG`)pCUEQEc^H<=F3~9f(+}NNcu}% zkQ_0y;cY#sH*W-(*G18!qSGo_RL|+EqE7Z^-F9g0<(b~Hly&!1H_hWOaPCcRsmKY1 zbz-j+CiL)O{?tn;a=S`74dPI1heSkgIejTls6n_&VjnHK);&143F@nS@2e41VHqRd zd0}8Nb}|@0=9Pbh%a}!)qrbe9laANZk6M4{49>08z$=s)aG`TwqozwKCX=~AOHF(! zHJPMh{8C0alhP+bPEqpSQTh53*ZWZDx0xtk5)EzMFSGNUI`iu~`6fO7owTx{=jups zvsy7$f5?0^1MIO4(;UrwrJ8L*P1o`?GuE0|fo-oHZCkx5+Ncasc4M+AJ7oK#i!G5C zu8XnOniSh0!BTH+j8tk!>uxp&yVKv5_fmG!n@K&Rd2f`^2W5=75)&ui=)lgKQw-wX zyz z-5-As+q4O|VYXzguXn`O0{DCmcn!eg|L>wA5dBKVK2zQZ zS5oqe-h}v8Emt%5MG)sH-8K3yan=@Iox4Js1 z^6VzCXlgvYU(045pL+;#hPeAZq zF|~X<1Q&=YVx96f$d873e^Vj6nF|x1;-BqH_wdgl#<;K$F%ByoVkh5Y1N2-6F;U!_ zqH@>gUiHr-T`Vt)c1^2(c{Y8ttsr*^@?#{M(& zzdQ)IF?l-_e>XU4{2}IWw@WGKwiv&%(P@5jjuqnLI^US$AHh0REY3q1teSHV$z!1P zbJkN#_KpSIk>XpPiWpZb@K^-&^PeG|$o=B=E1%Fjzvi|^=|_OxoGn^@e|Nz=`V?$& z3#q~x*Amz=6LNfzTV5zJ}M2-!%U-#<_~FZ9L4xT^p%rwCPX~{?6~yq0)Lh zUKwCKJQXqKJ_|3O+$~s!eoFa%kYA1W4&b;nB?yg&Q0I$?Xx!(xhsxtX-W}t3YOv-D zlbd{r-l?WmlT~Skrq6HmRnD-c=Y$0LA@EkmcxMnH!;5`19Ce~(!}8~ZBxn2bdA3tA zP4g~2C3KZO5S>;>jFJU`$(KBrHw(R89)k045J>a$q1lqH=7kP$!8kR^d4)U9m6VNE zYRRQWP6`FVc5w#tP(}+Z0c_e0{EeJ~$PIaE6i)nk#J}pWmkW5`(|GO+?!;v9daaq1 za8A0y^s({`HSJMQ*?dxC{)k(>gw%Rh07aHu_hDrW0)G^&emJ+gkglu;p2uK}yb*${ z1*7Y3oh4lqF)U-5Aau-IN3yH9w!p!L0h(RTrF1&$WbV>Y?5bbF2jjRj;}tZq>|Mn! z*7rs8ykyTr-_nRsVrd|BH-8W_YZM55 zaxlax6}wVifo+-M!uK~C0?efZqz(3-q=gEAIc&nyo#XVCG+xmxLC+XGsM)q*~c zT`E@!6e3)IQ-d%`Spf3)YQ?6hil&d+9-S->H9h33Qaes-A**3Vd3SI<+{x90RCJ=| z+#I^boEL3d73tDN(oV$xi!o?!~t?LA!mqY&;^}k;@{L~)lN?VQoZ7pXj zoWN3SHsMHeNqu1sOKnKe{~Rx*VxO#Dp_wLhF4VDsEn~%@yg*Cd_ihH;2(4yw$t>S& zxcR!RiL>vOd#Uz&5H7IjSAwfK_SDd=TGgh$fN9d@=YB*q8F{LE&F*8GC)q{w zXIhqO?iP=dtedh;SENmnD@nXINq>0|Vx_f3YUZ-nQAKi0wrEltt)_Q;Pr=+9#Bs(L z@Zn6qyZ9O^=x*W*q|Xf_SW}iA?|T{j)LPj>YG*bDq^`amIHCCuMEaDHMX>U<@u9%H zJT;knKX7l0>nk%&k9hY67ca+XGU6c*QOD`x`=#yrNbaR}?9s`wVT~4ChHg-~HQIAr zIib4#L)kUo=d^8?d^s{cOIPa_QzlO0%p|&aT{v4wi1VbglTD_M!`+IPp!=;3M-1KO z=h*R!^q$ryokLueYPm*96&Q$_49KFFp!ovy{zbM|VhRvfhkTUefTNQCy&2)+l2- z$d422=nhgI=PA~ZD`QgLKBW^nukN+C${sAJFZ7Y{><5(PVcv^{Zoe`qjI#-gXFW@h zYjhjF0#EK(M2fcqo42DM$Zvw{Ms!sgD+X!rSx3N7X>eZ;v0p9{yR5Si=Nb^< zR+qj-Jky0p>mV-s$798S*!V@8Lq4co#!3?piMG~y{zhVR4EMgVE>TGab2_dLd^eq@ zuXp?+f%2gHYhk)Eul?1oCSjFM?n(Y6hsY+B(^XQ?lY=U?ceP zdf1uQ;Ba+j{_T!4e9Iy_!8qPPIotl|ErU#MqY}-fzA>J1=f6&AGi4}|Vg5JF;W2U% z@ULM_WXnW4+`kB8AoW%L`%s{H6A&lW{DfY?{kY5${o66iuPI4HUrJHDo&k*i z1jE^btb6Se+bg=1K`fOIH`-g7-F80Ca#FCfC(z>8KM~DNNGg`9^wByV^Ezh=oy$H+ zIVgPLn+c9n+H>d8H-8-Ei*1AU;&Q|X9xLt_l(PPZwwfQ;72Cl2bVm%4)S4=v3pNPT zmEBN`aW9|z0_1;BNMQzsh2}2+w#=f2)Vw`ma#{Fc_w2sP(b(YeKtK6=ov{bU&NRHK zZa@gUotbGz>Aaaq}5g(aCg!B*-M0JcQL-UoGffrD`M9wmw-<8vc^MpGb-XkNB zCl42$%VUHjBp}0&gj1{RMf%IpIKm3yKaW<&M#vuv*Vl2`wg>dpC#b>S$=DpHY=y#3 z_#!*RuMhPuZbSZTnsKxC(4>ln9)h~Zgn1uTudBlK)R-N`4G=fjX7jWo zDD^ARB}MCMZ#H)~NFnJRwl-Pcz@3%k%MNDb^4IbS6#aeWX& z%UxrMkm}f?JJL`t(k=aXBW?bmS;OYJ-cozlfiQ96%`mxIef=N$$D@RYr2eeV(JS)E zQ#?<(#{v_uYkqNU0O2m%Y#?)nC&Jue#krt!*upzf<#lQeE4I zx=zDfjJVwkm@nh_W@t+@I@C?0n~))fMPB*>t{Wfi%s0olBJYb|#&bi+%OJ&@Mz}hG zu@EnYQTvoveWmF5!9_t_S~`(gdLZcft}VDu4d(ab#X-L1wCpp- zX%nlLj)^@TOSP-#A&#Dn=q^6VoU98gFTM{~xVlt83{^+_c-IVGo*(JLOe`#UGEa;0 zRAAay61yMs1LeR9G1lh=q+L+q|Fssp{39DHOLQi;$P4PMkKZ}nN7&l1(zK{5q-C)o9;J9XF?n6j@XC}h#StUdg(*)*9I`82 zB9w0AMwgbZ`8DjB)j#OZ#xBo78r;M<$cs z0F$3Z>hq{@zc(NF4tcDkVllY#0XpTys=W1KiaoOMjQtb8koO@$`_^De2yCS$qjbjoUj8jjN{lw_?ruk7Agy z&_K^LO~g))B>E3xd<{BI!5qboN@BQ|PL{tS@mB`3cUe{-{=A_Q*a}}NIG&6mo#Cu; zQx|?Wb?ofuJCfjch0=O#=%w{0gQN2!<_C1v%?UY6*=kfrv?cHG8l5J{`sZu`%TO{G zF*TGl6~86chsDlEz<)QUS;*fJxYJrT=k z373z{;(T%{s#3WW<^2xtSgHy+;N zl$^N=4xhxWg>Wfs|JRP=9p$y*r!;h*d@@|w50^DT3wxg1SgSJ+v72usm)Z1RQp{2C zqFeup#5_#08S?7-Lm=7mW^OGjWyjbs+dr>wc*K9n6Y!5Wmb_6*S9vxxoylI6Uqx+~ zE}1%d2OC_2plywL8^`4oMz`JXTcfeAnj!Xfcg?03fifnx~m{#az7i(2z-5B<>c~+EYm0u+JDB<#B#8hjhQ;bEortMlswzFm` zun8;BBXQ2)8wI5;D)q>*SHmQKbAZ+cpD-gF>kiaD)yj4vA5!mKNQ+tyvAdaBBDT-D z#-43q+#@WttYFcTjlr1j*-J6dzWNKg8&%mYckSOQHn4jT)1(=1t7#Cj z#aYX+G&u1l9=mkC_dK#TE-ur1#+lj(@-KG@QZ{?e(gRRmqx z(sXJQwjte5@HerbVhTuQw7_I@%^|Jl;1^^40<)AX?+f2UO(1$mthTw3u9LTh6`ce5GcpI$R-A03>n17aMkbP1J0;}2neU&t;pzpbT9gTn&vD33Z0QJ&XJ*VYj2F$lAmLAxG$DRp-w_5$qMel*g+_YsoA$<%Yg^ z281kJo0#BvuYD+RLs^+z1N8l0G6^eRrdKhiyZ~%#BE3lJyYZ-suyGY%5|(sr92R1X z8;g|@@;RVqu1zH=Q;RVqDRAS;r-qkI$r~9)*JCz0suxPd!f?TYNVG+{AeLiXsQ0F^ zP*)D^uLJjb`B*6L0QTO$oI?paZlsEiZ~p{@Pv+O+m0eqi=Xp`L`&IJ0+4avjzA5s0 zf_Vl{zm<22h^4LUiKu%}t>432(_-af9shhJW)HV(jecYhvlZy&S4SarPq~&j22E9% zR>>6gy?PhbK+#ap`(lOXkQ`dyEz0~{oV+a3h?z@c91nDtg$TzFR&+7zeNjl!^9Jx2 zv}liB(0X+ytEpF8bW0DEyWgYsw+321bM*kzZp6v;2lz6*r<3s?$?OjqVKct%k21(q zotwv>h!KX^N8xJRhLJ^cqo6+#C7B9GXDF6;A?I;8?)xT1x zbgwqhF~LmYCnoYryltN&)2?D-V*TFSG=g>U9Z2%} znS83F>}TR$R~*^GP&Z7@*^NP3M)r(52Tfm-fy|$G0p!k1Di*ql^RTqvveN$>8EzSh z9UNF`+Y;AQM!FRY2RmUI4uhdSi+C{gfMqa6o(Pzv*b5dLk8~luElz8--u%P({1hcj z-`vM>IhOPn`uILx+-PTaIldT0%WM0Q*}loKwP9RBb3DzGCq&zR7SGScCmEnUR6YA= z(Iwf7KLGaa`CW1!sD6{%szhi4>BLkPp^PNP4wTLFJZaq$uti4com#1IT|DO9$uq3( zFk4O!-wUyIKY}Y0xUV!dWnEprtBiNkiF1f@mDb&Zd2A#m7`?&S(@Z|!}SX+FQO^g>u^;s#>M`Yo@cEr89w>TGq?ALD;brFbkP%GOi!3dBoM9 zXc)Ko=vK&i9vX0lvdB3FByS)Zk=V`VwDfl z#+4}MumWiVN~!*oj&EIR-GLFg2;QW{IQT%|E3}s)*C<$G=iMF$5{vlmFr!)4M zS-l=GUH&UumOhX!bk>qVk$qn0h^ zev#&UGtID^cMo%VG1+&C1q1dlTDg!cth7gjA}IE~9q`iqWhb~gV(2aqfw6S7ByuBD zrn2RQohX^;0mqrhphmr&#gFY_{ya!OpuOZDBg}VovK2&W=CQ0o5A|3iCgw*{gV7-3 z<(O>-s)3$g&6|<}VQr)8kBLpz6-ic0w0o#NJ4IL^?~e3`W9nTkUFP>Xs#6@AoN-6P zYG<%w&rfuS{5cpe4WP#25)$a(|6CYSd!_cRx)h=rOGopbZd6w^3965IGW5fB{#V#r z)fDg8x2^$bvTb544!-bS+eft98qCW1rRa4KMmW0Y^2S3=4%QM01tpVSJ^`QOPcI0o zG^bIm5g^2OCe9vPO~pRK}@4whK7hKw6Vitz9P$RW-}qjC3Y%y4P1C8ui%{kC{_1bgzp2*Q-2 zPk^hDUnaD14eoFr*bOx;piCvSqCHVnmPiNT*>iB?$H2|Qv&(Bq%`8yLG4;mVUuCzv z{JEBUr#(aE&%o>NRw1y$)~>+bquOGkq8-<~0(dmG=~IGjnjCr>`e6HfGHX8OZlZDa zH15YL5hS$2Gp@}i_W2Y0fla5ymMSYl-tqqPy8`XpzLwnnKW;6lK^&ARn4)WsX;;EV zD`7Pcf$s>R4|+$3QK9`Qg8y@#BD>$a)sCxp)w{x~?g}-cQsz{<^TY6>+uG~H-mecs zr(dj5F*$VU#*NW*wGpdixUyk-(%qC{bnrBl|4DC3(3hL^AM0r%AHz(Et`m&^oS{=( z9?kgo<1n@0VKXg}7iTm)XtVU7sc1}@+0GVA1vJIq zmlY_>1mpd2Qmt)Dd;ywe-&*hmWjR>B@6MTp$yPn&w?LZXC`1a;k>3@n>1T!4*#Psa z2Ajd^IFf2Pji#n@g7`l-jWaK?(((Sw=En>eqfK|hc1Xn9naEvlb#MXh|D zYOSoay=7|IjOOJh!{j|6%t6q`&1HADdGkg>X*YDwxQv)g58`Setz0BI-9z)TXDOmD zNhc0M`%`j_90S|1p@luJ1|Ec^Zoc@pET{p+$N)yzGPG_c0!-erFvKCd}!q zZr=;VsHDzm{|Au~)UmYvEWCdfg!|X$pmkX2MV_cR*9jKyT)PJJ+MG6+gT+)Y7oAsA z!dc1pj8-Z?|~D@Lr#GW}p&sADCr z2g8+jdtQHmIf_#vWn<*^Tqc`ivRyUY>a+G`#id|=J97CEjC+xj%J)l+A5k{LW|>qs z67*G+|AuqC6d7LP9*H*jU<@}euuk01 zbenMaR+}%z*dMahxsN`MDZIRnfz_Baw{&;RL`ST=D%LeprJPioKTDnK!PEG~2~Ee=DW}Tq0?P1+ z=;Lo=2>e|}IrFpJ`5wxAmGXFGgVwPmI=ipqA8!9W!u_=u=rrqb7rU}}C}7m=&@-(Q z+2;z7*2ju_2>Sk+YSo`AWCijE;7G{w)qz8$yJT+q!qh5Z z)POE>Jq{&j_J)!eQY)T(}}Ki$ba^<{SB2QE&B}3~1`TH3+U=Dsd;e zJ7$t|kCv_`js0MsW5ZqilWtc-p8QyvaeNxTGR=|EkEB~aa`SyDf4^+qo)PlY6ubJv z;V%5NNYaJ$vX#3vW%_}cthfG&ZuD}Qfj<-veT*ZGr#_S?(=@D1P70ychH93lPQgOr zX|6j(%Xi9@L%Twdx`Nm>9goJ6;9F-9Q_{G4WR}3=J9C~4$)4o&AvpD<$_%Wh6jECJcQts+%fT9%`t5+tl8;>9^~~op+F6KaK%C`mcFJu#IPtyoC8vE3y1?DiFgjU zp_3b1aW58n_e%2&x?Q7N5}y!y+7K+SUmvQxwtPv)`1@%?$h$`A9olhg0amQ35m@W~ zNw+GO|3atzd;Rj*$;!jv#ro2!sd;Mvy>U5TtI!u0sz&A}V@;!fAbnGdrFrA*;93RX z=Io(*N!JS?o^lt1QtH4IQLLIVCHtNTgDfQhFv$%|w@uZYTKj4|K{b!0mn&Gh?h@3X;m(WzY8ST@Qo~7}2}+K=+fBrB%$^&*l$Ot-2h z?QuD?vG_SuJkE}Qr+GKFQD|2yc4}eCSd@zHNWlsjErVqR0v%%}&q$hDSuNl>f!8pZ zD3ye6=e7pk5;|j#d9Oj>v|ts#4|!WX^tinzCaiJK3Vnrxh%1|WGf+rAiNooJ)zz0G zq|`FLH8HoRFvRj1R5dPTPAm=_lI_Q$hZ&@F4WX|WXQH)TbQw^hfr2W&|Fz30!F1u! zp}{QfavPgc{1%jS#rD0+(l(ukVoYAk`|fi%)ef?y{n8p4t0_J}Nn@Wj=L--@z-{`D z?LP4Xlm~zfZYM+{Qk4GyR9`Lm6YW=jk}CJB8{0zFjT&P$*v*ZrnRpvCw*J_yvi=at za`sS~-iQ%LN+RYPCnFfB^>#*nWVKMI1+v-Kee=u4$iUmNx$5oVxM8x%Q} z2opo!vJ}jdpR8lkYyUv%@alDKcY)$xDG_!8+vV}><9Y$#qD6qLcAEH_ihfjyes&q&3N_?Hj1h}WLHdJVsH$2Mk#dcU!{sp08cK=}KJUYcc zpZy>ws{E61Pk+DaoVzYO>ciZTU3L&uIZ%){KG~SZ-Rg!_jzF# z>i(!FAe9)hVMiAq1@xN1mxcGW{&DFYL#R?5X+Dfg&{-c96#^Y@OvCE32Ij=#ZsT;_ zZG>t0TQv*esd{Tv{#Ihrl)B0zT-93h>og|?(Dx?4P91t}$_}wocmgxCf-zWNjA>B* zx5O0wRjun77t~;3oH8uTJS2)9v7Lxi#(;hp3Oh}Q3P!9$qR{%+RJiZ4j*6n4-6zPL zqT@sgr`?L}#QJEIw-b09KzfEEPG^3u!ifAZ9!6HhZ;8~zU^usMLc_r$D;rhCsYLWZ z=i=@VxaJqYGV)r~=nyXTw(TEq^~T6ZmJp=1_fc!>GO~bK7ZuQizy%?}xGIL4C5y(4 z%lf(~*IrIJsk*tUDMpxX+YsrP5-q)!B{g>^1dqxjX+XzmRLO=@@3i2(!HdU+k#^H znPW~A9ZHt?MQ>-QjiV`KIZLVk^v~+>rx@ADI=Opc$4P$L!L?JJvkLejS~8I9B1|uO zM&-j&??MPX=d*+IIRsu|JzX0?aX{dd;1D*@(PgFPt4wg@yd7Thl4eXn5?E$iZf5iD zyVy|IPiouz7;_eHKT_7IvUqPaeHx=&_Aw|_Jje{UpZ86QmPf(f^ro5ocUsdS+t64v z2r5D74_S^_o~BpSLDxHCEGs0&;NP)AohKorkC2F%ibAUnxt&5HGK91Km+TA)n*V%2 zNQVA(KuEa$=L2q$wcL@ucSP-fKIj%ibx7uRo>o_dL{0KvayNv!kVOhyrR8@VlpXs3;jL>&iD5Q;qq~7`+s?qJ3H>&>UP^gy?|@wE#=~0x<~oj zjyn%@`;-vs$(>Vfq09euf0U`WIJH83{jcZTLOcn9)rWTdODB5%cFw;xE$d(R{B2}1 zZ{ei;*}I;k+s(@Q^Am4%r@Jz5b$3V^`m zgzz)|dQcQ6e>*7i&Lz|S{NnlR+IT)n=>Hhu|F+@(-DU9Rp*eKtq3-nbou^9w^IRG4 z_2&e&^dPd*lCmm;QC;zw4*J9x0^#quTvHq)-2r^lA6} zGk-%Iq`^s(2GvcTJZ|crKzKiCTKwRqJ3#$EpHlbtjP-$o7)Hj`Tq_fLKr(lSAD<)k9ycpUE>IMna#lkUuN zqeTtipEga?A@26`Qgf7?DeE~|OpB4yGc)5%66+TwdD0Z*4v$N7%IR4iVo+w@`YwCY z$-}IH_KT678R?#adeFKtZPlsdLJVGAmXS^;Dm^`oagU2_+KjY}iYuU%ITgCBl9r*63UW|fs+E*I3X?}BYNfP{f>|WgGC2d$FT0s$YTa(h@-SKI$_1^* zlSQ1QgUcC;`+fy+l2ekiGKtGO9Gj*Tj8a)7ZAN;$^J^`3nEVfwT1hYHhmV&jlgF`f zY56mvuvL=#8ajH_?kvl6#TjZ;x{S|}OHRS$Y^OF|N-L_v%ehHBakAktl2gudYuc6J zx1LCL7r0bfkCZlgx=NiT`72x%*jY|R!p)&;XW6GJ^`UFJ-EwB$Nx;)H(lSTSfTC`y z7#s+qBlET8&Ijw^_8=_*ulOmF|Ni;#1 z6qyti!zJ-y554v&Y3!9`h>2ri`bB-@)dOrvaY;f_d{PI4AxShClRCyEB$<-TNr_2G zNtPsQ*yE=r^s%<|i|J%YiLu3{CUs7-Cpi+jXu8Hfcy8kU@?E7nFW0q==gYvr3)rg<;cJd3;Hx`*{J zKlJWbH)a{K6MRWMlX`_6zALSBoUX}`W9XgKCnh&3FR5=*zoh)If-S|Na}E8I1|$`R z6+Ln0=DofRhJkT|q5`(FPyK!6QdNz;y=whzjo-v*)=*SFQioo%?T>t-FMr z0YcQRH7gB~{t=p2O(O&Xgwypv@YGxX?f^F9;4V=KkNzG0+MvC&^A7qhF6;=@{9m`? zmFAOgoBkZyun{=4VWh43V|+kqm)G`P@yPFSrlBrDpgTYK^9R|ilTs`f}*0LqN1X>;O*|M{;m}D z(f7XJ_utw-d?$`= zwn2rmkX|(bnFyGVY}i}#_Urqz2-%Ps6KbB1;$a*~LVaO>1fs{W_pv<&$DWpRD3$MCTz-v_EH}Tfr_CNvO3BN%4_&;yu|8j%>wR}PP zcsc${`&gxom9XXyJ#5q$#3Oa^qVQ6|3&Sf8UNL3l1V%lKg*%G<{HcK*YhCfe4e@^) z98=VQ-s=5HQR6?}#jfu^KZP%k;I9F1)9dD-`lD^(cu?sb1QmcyDicbJGm(LPpvbGL z1`SGyPwE>F^21!L3FgP8s7-Mx&>RPeZ!M~uRKyx2+q-0YVTVjK1i&~4?^v|f1tPa{<9qZ zFQxNeYj1`y>VH}X)DuR1{;WHwt6_a(_X$6LHWa9z2jhfC{@FnOth|5L&wqXj$GI85 z@@M<_qk2&M@%AjZzF3$douG zkZiB220eYD9CCq7nO{QQyOH0B(5thS6k_FDGS#HG0gp zyJ=3ecDD4RkeAdH^AC@LWEpwWJp}odBkEDs(e;2pMb4@Dh~A+F&u`+Vtmg*hBDo1q z#Z1}v*u53uUt(rZr6?+|W^N(HfRN$7_iac2BeLweBCxEK0_WAe6X9o_S0i5|lAoZ4 z!bYTxg(k^JJWp8cnP-uGUL;RcOx*k2!)X=p{KX=JfItfOTJ6T1-odXOb1|FIIwc#c z=J#5*hr#!~wz9dQ)@d3QG4*gQ2ae>}HfH9WNMs%afUE0TAdVN)xo&7>rs5q+Q4{R> zr{n#cNIy8)%%)}tu(ZasxSJvtvo>bxZn+!xANEfV^DvlO;Q}obcPr6nf&)Z#wP``5 zp%s5)azduNHD(?!uMp$zaXOMRngkq8$%k@g8itHTa(Om+@x9% zaU7@VDXmUZab05*b2OOah*vd5!V_%wC4p%>Sj(3W#f!C#bLv{UG$??X*)CnBG!oeJK$sXnAP#SA|26cj0aq-%5ViNU=h%#d1ZGC|rpf}?`h zxl`3#&W#ry>)3@@b_fml+6Wuzbv~fepc92m1iZjxA zIU+U*}WXWa}-8sD^1qCO!Ed@-qW1UYzh2^S(@kkqUhc)DB zyf-0^l^&KFXrW*(PsPi?AFN}cUqteQffwt!8*jZ?vs1~LKFdXuB-*giE z)qh#l^N`y44%&Q{9`U+V49h%!$Hz5`W#00TQ;)>M8ksL{aNnmwv!lDXIh}nNJ>yo5 zjz)U4&@nZ(cQ7}(b=ZG|bYZ*fAB$so**5{zXOdYnr@( zir(9$Ar^TLUL!kXgS?C+IFp%DU_sDyFR&Do!rzcZ++gP@BwZ^Q_gzH_d_xgvF$ja@ z{j?08S<3?8@RSMzO81j=d6=NMzLEI6Tamxp4bZ%T|BR|cCq zoydC``64m#J=rJ^!FN%evi$hlAdyx+njFJtDnYet46(Wvq4fIu_N|b{#^5NSEwUW` ztV4xI7Nn!L2Aa9j}Dp)5MGLP z%+2x$&t&Nrko9{4wMsdbVtI)CY3|Q~p+U2hC{0%$k~(od*3tXRj{)@e!D%XNWo~3o zFt&PmEhyd!D{);x879AzB{VGUoVo%9jM6^5{6Y(KmnWymS@;Onkvf%=u|L4jr;Ib0 z?r+U!nVQ?!!>kr^q1j@A2AR6!#9vgg+U zh(j5~YAC-)10+O{%$)@yYPl-mNs>rL3yJb7Aqf|$oHBn_qY5|i`Xt_*q;70(;9paV z#}ZJGy_C2vOvYoc$`rBBPc*!xOREXbi$IrD%l?pv=FkgdpxD7BH9~OQX`&@yrQH&4 zg)S=+sW$FoP+`yYP^1=K4a0=8j^vRVC5d0glhJw@(@gWl9f|yEp3Xzr_yYsc5|6&F zswq4 zAurOv?nx9z@L5U3kDt=dfq6+Ixsg9iQP|U9GDT+1jx;(=AvPe8+nJ|T(JFE$Tbc-s z`BQCmUEMseB`@<{ic>W=ia#V-&Z(WIk^Ie~wyLgr9^1yDI7MWSrHps%iLaAsN`Lfn&P_-lUK_g=fQ(K25)L_>Nq3LQ1@(XdrI-Bs+&)O+3y{{AAR&|cyjW8(OJdUdubZ22g3vRNNkwmCK2$L1)VZ@G-?0_m#kCh^N;F)4+;D@D~14&N1t zRd8WlgJEfks(#d%p&-=>sHRD;Wt-K^nY<;HUW7B%DF^ic6DG0Qy)Pzd&N5h8rYuLD596 zqiNi{ESMeDz+`V`LtSIrn05^evBlJe6Uo_>nUM8uGSyjLK{XCarmC9ia3*p_3-G3O zBhHs}@T$7nwq5&X!ECj^qFr}2*sarrmtTiFDT&UcU#e7%VQCH2H4gM!2lB=B=X=qaJH9VWrJ-x%Ba$djn4slqLGmEeJs&qJ+ zW}IaJaUsjq?lpaFeaLwfHF$;4drZEyg$Faz&rz*$4&QD(-_50(4Qj)uJWeBFxDkHQ z@xJ6WTKV06=JmoX@O&4nB;xa--ua0qk?G zlJ35wYHxKWGJMF`l}ru5qh9x%lP5bjfPL@Q8NO0vt~9hA#}87)FiS_9-Fe8;r|kgi zmzkTe-V!8&{S-s;eM95?>4@gJM+s!d$;zF_3OqK}~2-Myp@;AnFTko<1XH2@ImJhwWzN8f?GmmEzBe#O}Xi%Nu8(A1FWxE)BGw_4b5Kgfzq4L(K`&rCH>gR(- zK;AT5qkRj(BKaY8+bhDqzxcB2b)iKZo76QJImH~YqoLbY&jT=w{2=ha_2F>^d_G*_ zzflAEB1wRGigtIk68Zbv3+)DBkcA;7!(Qur~UTGFLgp9HnIiB&N z0(Pj9_aGT6j?ut~n}(P{U7HKwzE1j;ILiRKpzs6a@zT>EIguzmBqS<3&?i=pWP982 za7t(a!!X@;B;lbj^&z*oc|-&9AhKynAI9w(N(XQ(lkNYs4?e|g#JiNZGe0srln}Yv z`9>d_rj3Jn;;B*$BOK4@wPs2i_|CI5r_vXTk&@d7hzAU+5Wnm$U;X; zv?}5>jfaKlyjpg>A~tF)*IO1@tY{R!MuV>dcdiJ#gAKQ=glWe@cBcb^lQUMccVFpu(Z}#4ujITR-8xSTzR|oLhASdp;R}I2!1T3+!*1i+C ze?mEC44)+}+J?v=o4tL6dl51chBP@hOLz(KaUJrG!XD(f20Qrqdf^iNx61i%$2RME z0S^kM+1BGaxl+pVokP}b8YzPu!uQIFLK~hU9FrBfCN`k>s(|YuyOayRMUXp!q!;iG z3{JD*Iy~1BlJAvnsCWqBQRI?)xVAC}o%~c7bYnFt%S5zbu8dVqzfol2iXpboznL%v zds^faXc^FWAHqj}F+S&@b_>GSQ=NOTwu=-ELds$g&A^FmpQ|FR^jfS3@UHh+AQg$Z z+U{rSYjI27Fh%WkBIj-K*kO2qkt_z4$yjFa_r=^r?j^Iw1c{T84vs5jbY_bVB)p~| zEIHq1d;#QH#^oqQ_&q_gb$BDVtOenrmIh{!P=K#SwE$7wxsku1R{F7Ll95x;@y{pl zUD-Tk7^AU5bF{{~NMqXplDU&PcHK5vS9E_re=)%$$R)Cno{qjj=Rtq;D`l!chl4!l z1dS4~O@4*cm%#n(CJlTYi)OnGYJ9&aFx&%Y{zXQofz1iTFluYNfluh3p=EgEd;tC# zCMV19u{43dRR`-jFJL3vzG$|P9OYHwCa>dsa*b1qCwdTlJ}?KHoC6VAK-klLhL zCoCoQ)9Hn2$fGc+bZOgbcqt>ubIHKs_2)-;i<1JQ%#U)GJy>V?-1$LYI;p(0a1;to zBq2NlYv9rC`HhZnevFhvW;xN?qS!%}b8cK}^Hc$Td>U86=v=A7cyXm#xpn8KK;UQc zd}ENe49jJBJJt!?@E1xCv+U>$<}{ZqTq|VbLV981GF0?T94U4!r0lfkEZO2)>4ryi zY?m%@9L+g*guSG5&m&mbTv+hmzr-B$Pj^TA8Nl#M}0zi2kQhY%o&yy z*eP7FJx!)V*V!?s?Pd8~*=WQ*#wss}rzO__xu|Oif5J@W$zzGze=Ab@fNUks5${WN z`VsvBZMRo=**OU-o>7bw&0-1_-{ko=j`#EATKv+^Mb2{`qs^=&VRQ6F(V2)Bv8}w} z+ZLW#ic;(Vpd&CEt{$YPU&Yg*UWDu5qvK{+r#UJpgC;1 zg2K$LqKSv+#5d9C{uQ(9hoB}VSTn+Q(8Ajmvfm{eA6F}v96h&I$S8mZ8`f|JyOH=Z zXGN-_wGd9LZe`mcWd3H0BQzM!C*Ny!o8gITe-NLnK8SDJSh42q9ad2s7QM;twv6hlc$}Px!83 z3l1QAYZjMAD#9vxobVcF!HR8*z!yA>qY@3ClD-mJqVXeF0iXwu5mjsbDf-J z?x$xX8hI7O2&Tk=EEFE@u0t2+G1I^p1P{1)6h8O2prGQ&A_p)Z;z=?z1eLR-@Xq*h z=Y_9v9?$44wcgt>sh|>jtzP6PyHjJxHe#W9i#*hIwKEB3h4$2>z|BR^;F@7lmo&{i z2ouFI7}eP?ft6d)R&>`e#O7+*RR(*how>i;E}TC;?jkfSVKH8_jw4z@l3o$U5XC(c z*B>Z$2zKYy3I1X@w>*nmB_~eo6DL4?F>kMwt8xYniy79DTt1Iq&xh1O&I$rqp0Sr}pD zG;bkv4W*$^-DS9P?j>Ic180ZR075dU%#PG{g*#r4vY7*#i z*&Q6C$b82FnJe_5h)FgZO7${t_)cqF%kVP8F-#+;qw_hITy1%{3eNjC?X;`G>vE30tH$8$Zq&pT|8uK$lH!^Hd%Fa6@EGp4E|2n;*>9L z2m754Yw#(4l}0INY>I-X6pg^pew=S2wm=*FE%2Ol04KvbZj+pX!$kuSy(Me~Fac@B zNigo>87gPBwcSnv$Z5>Vup|nsWAU^z!JAOfu+O4oGZ`SJWz1ylZ5C#_cMKq5lE`r3 zUfW7C%j-hBFOU-70EDk2gOt@fmrVPSgpC)IrKs$~(AVIRlS z<2Z$kS2=ZGoMmryD%Osldp_cLOKj?Hy9~oCvl>FVmQUmyYl0?JCa0Pe3eSumGxY$_Z{E_P5W*RZao5Z=w@~WOJOB+->Pg?wWdMoRH(#M!be4 zjJP4!ayLvf4|OH~u*a|Fvs<6UF$X8tiD^c}m-{;N$LuC8IbM;kuv zSNz2Z{b2r+Eb@wSwL6UXfQPK;DQD6?@Z|D8^*b77io^s_G^qKU68;c1Eb%a>&jUyr3`F455fBeL`auhN3t&&$I3 zf<|QCtHT*`n4X6O%Q!JdOTGq`8=8hT*mq={FSE`_B`!&4nP}e5;KlYKsZ6%8H*$?^ zB6nDy$)M3lR~y6jO@t1|Zhy!@t_gyowx?R)*rQtd2}$7FwW`^3N>8@sl0wS{_6D`# zCIU9-yu@Rhe(|b$&>e9uKIiA}yq!;nlS6W2c;u5#70zzHl}k>vzuK z`#Z#s)M>4z#&D}CT*=nw@=1dNAKFK=ff+0AmDv~cr4#lY$7{N}f~~=MyI<(`t4r#d z*!&5x6i786Kajs+Jl}t~VV6i=vmIw&Pvd5=!v+K%3w|ljXn#%%hpk}^S?upV_I3a9 zkB@HQU-St<_Qm123sQg4b%b#i&A73W~~jxv?= zoHf%EoF1-V%QSo>nPHTV%(J9xF<1_w z0Q;01!k#7Hj$>N=g&uN=xteC6p9;@m;eFP~uw@DM6M`XG#0GY_*7~7~b17b))jG4LCWwgd?L?GvBKEe4wyi@Bcn25aTsBjpPIwSAm z`#1~8_OWp$w~WjOILEVWk4FAp>aZO-vp>)loDgtgk81|bFnmk#W~{RfvoA@%tOQrJ z<>U9c00_{_*W=7Ux*JwsY(Xu;7vz`mYX2b(R|KYQ1-D^gTG<$!o9a!ooPVu&Zdp6> zY~g+@NlsS;DXgTiW{Q)^moRV&2k?(ckHf;Yq>kM;f*+zmjp8#QB@UU`Yzo0zV@N~C zX#oq6EzasEK1B_=7KqHUrPHvp{WW&SH9(OKH#U0v^_3KF{WS5~ezcTo0}l4{5#n!F zc9G_r$8rsy8~8)K|8g!^-N|H=1>0xx?4Sz${JO@* z2!Ak$w^3Q$nr-6OPcsx&{MNUE?^~gt6mFV12cltfwd7XUFup?*c*K&&c4(WY6(4~` z&>c_Nvy6$ORpHqVOV9l7_rx(-VnTwqCQC8%bJ9+2!~=gC9$X{oj&?{oW*0Zq(hb7i zH%dCgWeS11Yi5|QrqGYgg+6Q^ys9BQz}}h#?`q*yXYW*#?ZISjH@>7Sj&-)o0{%qy zlw0_Mk;)^$+;-0KUgzd#+6{~Sq#K$1O=HAqw&+HF0mBbaqY3PnS~Zlv2s$VCv;3C+ zML~fL^tboSFkaW6sYf;JYe~`VkVXgvo>M~-i7nzn^|XzDtAAkOx;#k8Kujl{`!;-v zry4L}cLj<{gW|4A%Okw5lDrxoBMu0KKVq_t+B{rB3p_=Jp)45|Sj9XhR?(;fd+|?ttfA9T1&Ns8a8|jQsu+TzIvYxS|j($tbZ6C6S zH2k4TJs@8in%L6*OoN5WE5(~bq>PTRb(0C=i6Y0nsE!>kD0UOTLs}x$)y^jVv>pbS zdlJ}Nn2X~KA0)7)YWC>_JRjGJ8hBm`SS`$Qhe(CkMnUE`yvex8O?j!%pABYFTAKQ6 zBe?64?=MVZlTr;oKo@eM)LzXRm)eAEGm?y_vgqc^Pm@+i*pYPpIW>fv*oqqvmFZ>d zBsWx)!aO&wjRZD@?hB>oowVfVB`}qN(QGIoGEgoq` zV$xw5@85}RvGC9M$eR#A+L}PRl$E5Ay2QsBWs{W*2q!KbElxB>H+fHK`6q?QQLJfA zC3z5e8Aufx?D2_%%k22#ZXBa(uPy?*>yTQL0j7aG)dd~4y4W>25=~^MH z;968U9g)w&!vcp1vpJCjNeb@5G@1e)=8cem_U2^MJtYUQ`D}uNsgg0Sg)Fp?hts5? zgeCiIlN!L+`4^!X7HK~yi*YI$r*b~wO}Ef#5_o)Lz-UN$5%Y$jDXJ1-%+_eD zBGpZ-N3A?VMs9NLk%sc9gok7ql|b9 z>4Ma#dA0_wTjQd(-$yPb1*?HmQ$Cqnd*20&^qbYM$!Rr2Gq;ZN?9!N&}E=(p{RnFgc^<$6o`?kB&EUo9vwMlFsQ*aQG zdFjmSq$4N=c1O;;S6N9VIBh)Hg{KE5I9>g45;s!rUkJfz87k1a)9zk?q;oioo6nEM zTFIcKa*L<>`+7jDlw_BUL_S?#X{Ip5`;)WKiVLIY;sb0IHO@%j77N)z4>n-N-3n{4 zV}_B;zV*4;J$Jxk;N=rjk1rt!*d3hdxTfoeyfs3BYlgu6`W+20>lRB)(wd_6(eiaxF6DMv0fLpezs|ES}nR0v3m2_jX|{O_uNH8pv4gE8w;ZQ#e-vn2$wlBmJSc ziYGCoP(s)*T%&T%TK6*llg6y0;OZWFn50N$lEfBiiUuN_Y`8^70~o9cK)qBp2qP*| zkWr!Gsbq|?H9-zack&t#hoM8TqkAfKNDvEQAfR%w!0C$1+fJ60t_2TH8GrAAIEl1@ zHt~;U7;Q->zu|NzZ~x9^7{{LH$RX#JKF3$#yE#88rb{6J?KK`5>pRm2MVwz__PoZp zgHx7cE?AE?#I2gflP!u6b9EK+lW zq}u@^CEQMv??Apg!ALGTl62Zae10;XjsZDhX{g_erH-X|i|YqBGU!2Gr5|?N^p1l@ zPbR6cz9cd_KA7OjW*#$})y@?4)_12^iA@Zrx7|q|E#>jBz#&f0mn4wKIo@%NzZpE4 zHSBY?i(Z@qy~3hQxvuLNHQ2ZGgWO{icLrPWR=SWAL58H%8OaK)_gOKgtFhUi8AbNf zQqJOtGRJ$aGwf!_I!lzgEEiaVmT~iGnxan|3|R@{w@qukS!67!vBX>aLN(cKxvjLs z_7w!X-iLweuF%bl3oj#Mm%eQ2k0sjR10=#?JJl*J_7w^Av}c95i#LO^g9C-^Ep|MR zbZx%d`yv*Sm6O;99x(J2mq;rN4J>Ayp*YJnjLkd=~!$_HMj-`j=EO!$KqD;*|=q5v^#{0W$Q92LbapOq~Nu^qAm>M4u zr6QVTPFDj_#*rQP?d)19Kwkq*TscV|*>>1@75c85x!sb8hco&jM#F7$1Ip=!E}s%@ zmXz(52Zd{JM$HrMAY#k3#{)O$g!}u^e9Oz6S}VdB?ep{tbOl{vEtwmfGGTwg=B{U{7ku z+*3;XwaTL$7xB{?E>Y>(AD_dH)Bk&Y>86lAo?80R!ZA8elh8mo$n zrY`-U;Nf^uLYCE^#yLc!E4XBG4r#4buy|-+W&Jptc%O{Yz5CK_Pf0ou#^Bt(r37Ym zGXy;?fWPwv{nl-Tkn%X`PC_6g1*9OtF}j<$oq# z7))l8!Q^>*=gt%K6Kj=CSxoGPSvG8<0~wAKSdI$krHw)&zTHwrhY2ZwUGxW52wkKq z0BK7)n7I>D`Wu(=SCw_WvUJ(`Q|4bpZwewycRuBnpz((uC+YfChMUD^ZEJCbaW<4 zo>ewN#TMVv^FxmnFSYa>?YHZ&aYBgB_s&u&^XQv$QPD=^8-hr*JRe^x3@)icHt+}r z8Ag6IOJ26^JwA$l2iYKi)HsE?q5FkufLDCw?3=`lAfFaL$)xj8^%wkT0aycGA2xs(7 zK#*RQjZ6t7W$UKlC4gb()&kv(235}O4Pt*<=KC_fIg$TFji-j1Lj|oP@zTKip=-fX z*S3qD7V=F;R5JD$)z>`=HTffUQmwbrFFt0|E!fSk) zSh=$>HNJZ!5O6m< zt)=5Y6nB|48yJSfU%aU28DSD0=owBJ?^@&;DDKwt3#p}(EvC3g9zcdWuD32{@K>&8 zNyORk{0JNHV@wco3U7Nse&4GNPJro~;E)U5cE)+47-tHxAupvp zS7h2brXxRZex4OCDAZ#zUUmsv@E(^ALvq493Msk^|3)7gZXe8sbwV}|;0~wpan`vJ z$?3h*V{YKY*_bm5rzKuk>W5&bgrv7o*uFZGw&z*^q^%b!++S4iM-r^(Si>dOxQTE3 zSbQ|WT*TnS0*%J-Rsx>getqcj7p43dtMTNZyo+>7AVK*Tpj(;iV3K-gQ5wqo%6Q!x ziyq(RTaEao34mFE+dYOZI1i|ri`q}O-w-$lfrf|MwsAZ@;Du=QH(+HGoB~bmlLTKS z@)Z+6ZDvRtF{JDrOJ8_BTC8KA`@ZR9NL82lJXl)9TAtRdX9v07hEB6l{qTk8ad!ECMvID;XpvDw%ukbyIIz1#GdylUH{zX1OLSU_bb%dHQgLi17K`DnIS12A8rA9Lp>-8lG_|-#Y##_gvanC zOA)qn9c}U8#On2*K~fHF1XVba$ATWuyTZNrOlb<%%7baJ^f03na_Rdko}Y*JHncBBC!;{S~l*cCScpfi7xIC`=0jV6dG02U^; zQ?CwB@7sUE;(IswbFaT|)ffR?s@VSj^X1>k8@-tNe{Ns`L?qzw{*tbV?G4814j&R5z@{CdL%POACrnTLrzE-N%{f!&59C12sHNi_YNn?1<44nAgKsIbXRDo z6_XHm8{`q2Xg&Q1HIQ#rPSHIAp(uTiOyd>;76#uB*60fnB;x5w=4$W^x%vvhQy4}q zAlaNpCa9cA%rM599~*Rg)!DRg6TK`?ULO+x)XRD$IXgBM##rL9Q5trU9N+bj; zaVnQCp_6(gYw0ASFHaz>v<>%*2qeYwWVoBKLQC0Waip{KF=-%d?(lLR2n*ZBp)CJ% zsCkEQBj>R!ad#r+F_c*uh#A&;qZm&EI6_6$TBO`;Ndc4NCG_*nPZM3HQwJr{OI}n4 zUm-7&$75Qmn9CKw-s6hiaQoVn5m%UxLN%N{LqL)RW-{0vIKgHI*ke>``*q48 z&mIiHM|!ltj;>H7BSp+RlmqBE!ev*4l$}|Ka3i9U!EH{RiVnpS z0vWFRmBMzxwFg!<_;wE%FrOPq8O$onEQVLU;H%PFNj!C-Y6T`Mr0uT5N?&0zgf)etL)i7OC!N^HRQeA2*|nZ?lIc4O zVS#?8Sup1PLWU!oBUey_4iY8LaB0o2*)+g$E53?^TvpO8q{bL<=F^lI96tmOUw+s- zIKI84bWblYt~1<1*5h){Eazd9O~P}_Yw=agg5&jKwUsr!_ZX4X$4nYl(Pqiil9bV?&} zw*L}x)dMvvTJQ?$8UNj$jt|;?5)!A}9M*Z0k>SY%K?wHgItfG$KM}zs)pi;p+aS%l zx9{)6{TibxdHF%)YUgoh=OYrzw! zi2X5{=d{*lk*_UwAdPfD|_Q8af0YwkVbE@sys$!?=Dp z+&xgq6NIjSeX$ykQF;vh)ezfA^p&ZJ7q5g33h^XiWxxei(BvTa$l$BN@I}nj;4Je~ z6i-(+2>aQKI{!5q`c3_Wwr>kI#~Tl^ZMik4z&6Db9Tu*L=HcL(_o=*jKDI_y5lj77 zc&d=mHj!kIq5HPQAovjZoJG@=K5Re@I^?&iqO&*m;ACG=>r}91s&5A-XR*bxL!7Ep zHZhzMq(Y#_Rc$Nu*Wl2@xTJnOX$-_e5A`rsTsz3}!063pT7y3W4$3P06gL!PgT~@r z_IEVm8wswtmYm#b&rNI}?$jlk=@{2O+W4WG9m+8&^c!5Qv@sGDxKUV8PTKb1%BgcW zY$^E$18op4GN0Tm9K&f9?l|XigwF$fVR_LpWZR)k$HxHk`yoAXY7ZD;Sqs#7e7%e_ z9I2K;%CoqPNeRCda5aA()C61tuN)?#QV!7_<#pg5k;(%2B|=BGIo>@M-r;ZHt56m` zP(G)_f#;Ndig!Rq+}%s*Imkn@b14>_{Sld~n5V4=Z1yLCA8N|!c+8ca1eC}kD25?t zIZm|Q>+ch<)Py5UMPvg0+IL;dq;QX%4DqCe^<8*jbS18m`;%vVNr>#n&ohfc)07FG zd9>11_tOl%@k0>5%(uGFU4taOH3wEbDNdxmBn%*eg|rEJII6k`h!;~!Ut-qNQ&Ztl;={Mil=h* zvJ)qBZ!-?zUHn7+XYRKVKT+Gh6(0QL1U#`_wQe#nEIbpz{@Mu^hnMg$*Y(E58t5>` zSs&L}x9hAYHO#M}Li5u)$t0Y?w-}#IluZQ(Fc1{FHq!T{yoPBB*k$Q24@8c+>k`N} zKsI)6i^HV_D-d^D8C>uJ!0=oTN{Nauvc2u5z#u%rQ9@GAq`_&uh1dv@O9_$>Hy`b9 zhPSfNNvz}@YT>RXEY}>^P`ZFhLVl@Fxt%*fGu-dt`gs@_N<6@zO3tD7`|7i3p>Zt? zK1zZhcJaowiBtd=&DT(UG3}ST3-9H=X10beAJpJ_M#6P%Cr*tDy^bG*=022)T@wY7 zeM^I%6gY5@fU0ln)18WEo^tJc0rvwpF`*wPoc$TLok_*;i|5n;6)2aJ;JHY_Q8{Jj z79|~Wvkp*@-l+y6M({zK3-jCx`h?$z3w?;*<6DHNfS=&PxJ79T6rQQHRd?k>2s}%Q zxJFUF=mcz28r(Ins4$LwN=McQ0K*)(8Lv00()>dadxAzLunTDC&x{49MQ^6u<}9j{ zmSYhMbZRd9wv@a=MHpk?2F6b3Uje0%*K;EC7MTX8D)&cr-K=bFDuB>9mR z8er0m?`lZ;x*l6|{YG3N=fLRlD@TL5+}RJQA$S6u4?{`e<>f;a8t5ox6_2<+nQft5 zKQ+vsf<2s`nsE-tOF6!W<7j{A^xEDfs|*gg{S6Gl3l!!{UZX~jy@BswYE;i9Idc(C z!o^$#&WiMe+c?2S!9-DHmUsKdp$mfjW_!})RQ=C^Pr`G91&yW@pvZSkG? zxS!%GrVfzvC9H2n)(SN9Vtg zKIbyLOOcR?PrDBR23tO4bQ*GxOGny|lDX_ewZ}K*R-({iY&I`WDFbANDC}j|s67Ko zu~5s6ac3ZWh?wOuo*ZZsxjC#}Z7HTgIJ151BrJI@X4 zevnd4S@wAiBo;#RVJag??e7$?C993g zHNuRgd3gD50apokUr-{6&RK|-0&ZDEmXZDdf@m;~ za{K9GoYgr4g!;LxDiPU!z{`YJutOP$C%FY=$;8XJ8oI2LJ9t+qW2rKJVwTfA-v(1! zr70%%Ic-1vx=gZnEdy{MSzqKrwB9*glQ-DhL2FMbhTm-# zw>Xe?sMlU1?Dupxj4{$;Y$#2}2G4^y!}0(&-#8ONyA$4(ULhkx5>`q*rEdgoRZ1+L zdbjL1gQ$L<`Am}Ywge-qmOR2J{IU>`O#xu^?D{?Wq`z-mXl}D`vH_lemG|$uK&p_}3=u;LU0LFZ~ zcgtWA{dC;K!g$+oB?TME_XkFWaM#K5B7BSV&{oOtwc7Y*Ce_J7oU?g4V-&u_ z)xo{QT3^jr!9s2=bJmL%6oCKW$G z*9G3LUjZ3~mrLKlW*0{ul=5hakl#GHz>JLfEOkk@$9SA1;_%JD`CZWuNJ0m)9o*qaPkGe?HWK+fUc99 zwi_dAx0xk*77h;!--z$S8DeTetS_j+g0RCg3J(FBJ~Jt$H+B{ExaG3&PZlp5(m-D2 zHE>R{*CpUDHlN4SjO%osO@-SLpReBR5o}9kE@^IMB5_(Qf}`{Z$I(psBW)^OA((|b zq_NaqFb3sa1sL%$uyzR{E+UMfb~z-NcTeLu<)U&68&#LqQh%)bJ!QP8fvn5Z&d<#O?7`It>$}^W z!~4>2!Xtkj4%5spIUBWL-h8XR`;M-cV4k`0!q@wn%-gAJ51w3lk8HH0O25Nj^HhRe z|Ca6Fb(d~wUN2jOvAgep6@Ee}XRZx#7nF|*n^5Uza?`G>EIC#A*<7cTYq`DcLp+x~ zmkwiM_l#2prG@t~&avw5H1GhohPEo7l%EZq>3YER33z1sJZ}=dd}HowOAiA*YIiFj zZXUqnlz$ofCQ!+3@IHA zJ@4JFn-~jMKy|Gx*dzRo8Ll;=hZHlQh;5M(%Dd2)doRv1zCJjwPS_N2<_)Pe>CG=| zY?ZtB64nQfRv*wbq1Fib(L05C;DaGlNe`Q?>e!;z_JW+@O7UkPGS9UhdX}3Ycl&Q* zF*a!`EQq9(G^qBusJZlUT&}bS4hDbNT}AqFhUl11Oj9kJ=?6Gy?gR%jsaF2gxQDWr z)WW-^b?j#KzAX1wgE%ugfLx0w9snSqV}xMf^@^5K`+SZy_qO{koY$#LI{ed#-eOjl6Emoq^5r)v$TKavSQ&Y zh}2x7-+m5~lf80;nq^33I*e3FGY(^Q=ADP*w1eM29IwC1)T2t8Fr$a0%(}CuPg>La zJ$+59Oh?q2n`RuLSv&4LqRHO-{*i=%&zhdm4t{OMGfd7$cRs@o`}X~3bonafS^ZUq z#;xLpruD@0p{(7i#NwRGs-)6UE+Ujqt|#J@IlD>nw1t;RN_dT{j}+Nb-^UQWZ+D;6 zn#V5pNvl8R>MJ+DS>M;#`swbz>C(67pHE+|Dr+;X)Vl+^_8BvdDXFFn{~vpA9@s>+ z{tus%WJ)H@Omoss$fQlkq)li737u&(Z3+!dX$vj1kU$G9w2(pz1zK#OV3DnCvIxj3 zpdeLtMFCmFm8zg3D7c`ATM<-LR7BjaaDPvVT)Fr9zVG+<&->RGO){M`b7tl|=R9-H zvwS{_Y)ez#UX-{ZTfaDo8<10AUpHcIfumsDe!A(US2G|YF&Mw z^v2Ui2c*9FZTst~r*q#q;n>`(Pk`DrETtvwzz~V?zNZVRqSlR2oQOWVvyqX{jf;I* ze&?=tP9;5L{QQ*kdh)fRPM^&mJul;_pHf)grS+59%*#8UVtZbB`WoBo>T9VnS=T?9 z9OM7(tEXam-}v=fOtw>%bUIsgaPa+sXA|ZR%F(#joJf0j;!A`2uvw~LuKt)r^0=}o zkUuvjX=Q$V!<3@Fme+qE{od_$p|GC~uX>|j(%La^7bI`n`gURWgBRcKpK@%->t5+p z?&`kYbMwy>*#z>k{Mu)0Ru}iYIwdf0aq_BD7XJ;^8X-V?hv;%I1=j@o3TxMd`ZH}q z29G_^{_fyGdG-?X;9$wxl9wI_WQ1YW+ukev?JjEI&?~x&CGo$`pw9OCX}cHZ#+x-K=>hHJ+T5WPQ$JoXv~v2D zV?#&GocSB|(#ScRpkI8gatw=|M@rX+XZ?UrMBgi{qaBN#KhNpjcezjvu=3?8XUCwtaEB z&puyb{Ai{q>FtRLXG&KWr8N(Euj`rENUaw)@U*6Y^>Nb&)tzI9f7qrvHua;XFF&64*@CX0+28~@D8;{NMm{Z+g)VChg53oy+dMuQ_90 z%j0w67L~0XbU~B2{@c?Z+-qI9v#`5udA~;t_KhEWyf}IL&Z>%O+YZ>4PCWQp-U!bN z>e2T}Z}uC#O#Woi=be3DXIxnR!_}wrR}9Q<|9pi8^CR!iVGAx!|AX6*uhG5dI5+k^ z{x{>8v9DKch>1NZzsB^nZAdB!xHi1EYQTl}wyqwSQ>z1@@fBz9@G+_znjm8hETy-+ zjQ8EAFg#u5SoaTbG9KRp&dC2eefqbqkPNQZ04}P-4U#ZX1*&#PBY;RotmNPtu8zQ$ zmefzEhn#d!=j&D6_B)YF;qsmSEHzRc$HU?GDN_E_*a~m%*4>336;f}_-74u&9Q>J^ zyPH-~QAt~Kb9IXTxw(afI6+n+5(6=NQINMow5X68LkYMDDLG0P4aXN^qb_%AoPws8 za%NaclU$r^sRqUqkQw4IlyU}iJQtd7zIsgVqAu5heiCh_u*$tmum1FnXJ6km> zTt9hQb>pozeU37`sdOAzbr#S`SHe+$^Gtu+Zlk!|zi?l11ou_(C+;guFC*<2`4?%= z$UkViIZ@nCsykkV#{W5LFhX;b{r+rIWpuWUI&r8j+lJeys1%(tFWY86dME;OOk=%@ zK8mA|Kt-WEDhbE0U#!Z8g2gH;d>@64HR$}IaQyxK-~{+SzrF5!RFYmd5l5-A;R`8X zW0f99QT^kvPT3Q#(Nz`Nf}^x>SctOFE|p%7IhB46Twp&HrQKV1ej(nO45e=$szduD zH#Jd}y&q~pd*RD<07vO`%ES+%aIG%XKkEMdSXRfQiFlnBE(^0Fs#YCROvEp%*W{k3 zo=MOt3!sLhhp374Gt@~0cvA@oZWQi24yU5mDFBJ2?$*MMYpEtEjX~LzTTLIT!{sU! zg4>@@YkR5AAF75U)O$M~Fe=HhWm81-|AKK2=2qWzOYnbmGQ1n*c>Dnn{K<82%>RWz z{9oH z4>2h^tV257_v9Z+MuDB`Ka{-~mNLYh?ES~fFZZTh*n?G8`e?5|dIMVaH3&pahK_*Z zuf6q$@?>v%3`)W2@L-dWk;=fmXq77F8lFcB**dKJLp2)_8({zC!l#5%=~Cf06_^eP zfW(>OpvYD;jfzVE4#AQ|fEdlBpj3)eladWoCUzzvl8Q)4s*co9F;-ow&Q_DEE6JrY z5Mm4ok&08Xt%jD3P$`rU03qzB#kLKpc)Zq@yZc!@no5DlPiSKf_#Vwk;6G+2!CD2SF-dgi#`QqQ0J#6$ zRMqG(KN&d8lTgkjpfxS;AngOzN5^g2KIDU?H}Lj-=;eT*0Ji^yd(0;ykxBfM!cUbg zI^U#6`bLq*v=PQL@l3D3sMc=LWDy>2#Hi~aD1(^AiX^a1VKk*65%{gSJgBQ81XQPU zkw}e4snU3K3*^`i3hhsdKklwsjfl*Qi!l3jRn$gzEEDkbh>_MiJ+Pk`!SOTEw;D;n z`i(>{5RG!>Nai0vsrUlP2b?QDPk8^9AA73&BMwJtBhGNjWR?QkIiofbUdHVXTsE8R zS_KSH=Q%N8|bva3qYh$@IQeSOdG-c6}$z%gs16l;rL)=ta|)Euu@X zTkMRrjDcH?(s-Y=LIFq zOicUt;mcCR>V5B#;^q;aONe^|$(b{e=Lb~M*qDh5M&PkzGGsh(wbEn-AgBTu6tcEM zS~a8)l=emVCUm~{v9E?KgRGH3<;M{>9Hnv(kX{f33#{UWeGxP5&^stNX6|xSybXZ9 zqtMqADIaM}5){tDP0^ zo3=$;F44Dw2yA*9iHjo);7D#+OC;$tjr3wPlD*?C`?NGLhgfNKjU~!qqbnGaCu$*z zWqb(O>3vBqRt)Va$hw&SR*>m9HeicG|zA>>iKt&_ux*t2X8`Yq=k$D^#~ zs|II^Hr-hv6rE>-(RV~NI8t<$&!fw}GqF0e8@j7SX6T`8d^9u`TdH#vvcivrHY5#U z*_de1V(bfA!xe4L1Be~R0+RJDSmkJaP7ef7c|cUn^H=!~xNGdMtmH-xn~uK9ZqxVy z`bx*p0{d8GQ~nO=V`9Jw!C!%}4BJ}5wVA&wPC>#N_BV|*8u^X{bC6iH4tY1NgZ6fq zrn4rR0Y73u#~3XEHT@HAWO(@-B;0WA&_F_}@Uz+M@hXJRp>Ipu^}-n-eD19j+VBms zB5w(Ijr+#H(JCpEB$GViYF|r#1nR-^y_y}MM-xg1D&eU!rz-_nSn7K$>j&}Ok`|#q z<>|m;PUf>XmoTExbqkM~w+mx9dqqah-AHHzUD3NRPlxa4?h)qJyHQRh1iSE}c@e;d zghnXA9&D;5&J{T$mEgBp`yRKudSXC_XW=?wOK_lg<;WquA|}uoAYAk)7P{#I$m#LK zDQx?6)CAj7(h-m2UrIm+L$@8yj#4AZRnVELguAtUtEcmWwYNezayk1uUVSi3IdXDQ zu!LBoQ|e$5F-vBZRMrVNoS&_(6^e;hoJk)D7E%_^8yG?@$|eQ*9QRfBp)}^`t>MjJ7St{YcBX=~TIQH7L2MoHKt7guZi$m2S}Y z;S<3h?UH#5*14XEMX9Hhju&--@zeq85xhv;3!K`>cV2QU=@jz>ikK%t)XejdP^;iY zeJstMixDJ9nVnSxuOxA{ZB0yNUzjQc?m;~~vT|(~-(uC6NscdL8?w#GH#T@yDjIUl zuJGrEy=wihao&%_^EkV78WKP3aGy!vsf3e)j!NK{c@Ck5oQ`;rQTzsOaYG*XK=%|n zQA58>pchBDAwYeD4}ivN%BH*UhoxN9)Q@&Fu13{`!FTzm%+rIL9sh^{I1!+=xy12r0MQfMqY82KY?Sg56on_H@%C!)tgg4!7Ef-9*sU?w^n3E7cHH`3pktj41-kD5`(&M@_ z@eYgjSbRsYN?@xzAGPQ}iFt@}71)$2c>ve1ERZnsPSiI>A zEqCv`;(woM+0#OpiHp0F56@{Xb%Pk3+-2v8>zt|W#J0;!h~5ewruosNzhSDn{V4kf4WJ(FPeBw+f7~03H$K+4s%`Jn zLJ7802FJ-RIE_mZEBIu`qiV(}2FkX!{fNGi6$)uH!p-ik(lrVnVvPIF(r&5GFp0C64=y+XV93;F=W679{&&4z{JN-L;rC^l{LW@lM{J zzlC_Zqd+R(-9HHe(SRXbDg}OV_$^@Q1%dZ@v*S>-XC`8QpoIjSjK4FVuKpU}HtB(9 z&Xz4{nZsqW-b7HIIbW-hx5x$W(rW!@R(ux)gcXpz%%0HzM12O{>3F@6WyC*}Qu zbLkm;KBc3s1PxGi&MPS3tnQ5m$oEGOewp4LA9fv2016S$K180wQ&5jR&i8(o3RQsz zg;Sj6%rd8mpJVUDZqabAqEd1r{Lex!@+?KvKe_C+hqmV+Qk0j^W>~o*N3zn|w*Efy^);%B%% zv8;VY9Lx_Q8D%CZ0~r*g*pA%!o~NV6N6v6ercrvc&0o%X?n9flLVB7L0%&G705{pF zWm~U&lJkg)F)oux5vm|Y(Mt1e|8&idUwj6N^<`(tYTxZ~LMB874)14da?LRQJ>dh2XT;F?~->pz;2GC}%io%SDUb^RK@xuZ$LY zbMfRQdTL6g^LquIyL$aP97zfj;z`Q4d zGb3AwvWL07?w@Jw9|3EaP!0;d?*Ku6?|B~;?n35FP-5}!W%|c75U1gIo;N&dBufn^ zqQNU>TAb=43BZ9Ow&JlkKfg;_{`08hP2#n^n+Vt1$bTdEb~s0xeT89M2@b2WKpe`+ z>f$&Jd9YHiq`*O3FZ6La7(Uh3i3DB=Jcd1d7axh}GC*-D{0!~N$n+t{b}e5_1wuhg zJ}Q};S&Yojk;NDnE<=2wEmsZug?tp_ks+aXnx_U?2t!wS`r?vAa9au4_#n(I3K6}R z?&q1Lpq&-HNFx7I(WjitlBLUssrj4Rs_?wbHxS*zr4@F@E-igY#Cdd+jnYLH()z6e zDIxWF*$E7UL>G@=i{7q8q_%C8Dq3&Y7#DJOl0J)P z%R2j?!mdYBE#sn@MDJ9e=-QzsZtg{H4U)@ViYbNXe#8` zT3&+aHJ|w@`7)+2HiFv9MG&bsJ{OUm{3s-o9xoU$>0fmM5#c7}t|rN!p%-A0lQQdP zi2m5TAGQFej&M~*Typ`Fp0franZ@4?g7>XFS3wrujKcmXEFVHI)FAo`xc>9$kojN! zG)2q2voH?aDm35q`Fr7jj&pvVi0L^CZ=Em^D2qH`@JYt<2Z-LuXZ!Aca|Dv#L^t6Z z{)e^H=HLHNkiI@#6;hCHU@35&6ivB|Q!UvIrJqOLXv@o_eN|gjb9*3p1wiqVr@T*7sq`CO z)xm<+_LasoS3@4PC{i64H5(2(EyeF?<=!ef`A`m$c3^;lCp-DdCEb~tm1yHYw0Se4 zYXw_z8S-8`-UByw>;WJ5%-){C_@&1XG{&r_k-U@9%XTu>V~FwCmAuj4sx1Em5a-Fz zkR4UGT2`AIYKY|6X{aqX6gVw9mN^h|Bg-6}L*fej5RXah)O>aXA&XAk#5g}4WxW?F zM)DkmG@OEU@+|0zM=|>cL23GLlBpYOhhlv55#-NC8&(&Wv7`Ahq%N`G)A8a3;xHZ_Fe$f&YM@nq38R;&L`#bBG#hSw~9WL8SIRlMkuw!w& zXawx5U{T&~a~SSH8iOF$IxwG1VsjH6o8n;PLvW>^MC%X7ndbmhW932wdAjJ5DOE5J zgxS?SPU*Q=%iwOFR}%_u(oe%F4$g`)q-aX|-tJz{^pX>hT&Xr4NT6N5)j24xXqjgV z;;uk~xp=X14-&hw?QtF}mLE{CJM~#vK`s5bbV7j60WB1y0RFUVf+auJb021hB@mC$+NYH-6Q0htqFFwy;LAnG>7HOcO z6wrvWko*PG?@#4U$uGRU(cC@o zM}2o>$WO4j&W{O56n+So*CHI z?qj;LZj*e(DsBc`)s2utF05nEXz^sc7#BJ-gOCxT(Rc5Goy-t#HR%RRGeiT}6RNjO zD5hs~sg~cZWqb49Z{J{^!1tzSNCtChE^4^{@>iy^c-oJj5xy*%M`P!kvj(8L1?I2W z*=E&B%Akn9`jMo!g@=5cxu=^?Os$)#E6ke+|pS*n~YU~9en2C>UMzaQ@Mk@**@~#hd zBa&s8d&560V_B!2<-Mf4j}D1=)4hff>ghQMSmv@u`KMS*zV(+W^8cAo)}3xCo~$hD z(!9`aZ(Y*BqN+s#}xE5mF!A(2!8}>#oPiCaG&y zevM*VdSEc%`iu3WP|*f{GMyhv$b_4Iqj+~@MqN@cJ_T)9(|Q^mHnr>6Eo#RuJNtd2 z;UBam)W`82ZCaZImY{BYZ_XW<0|^3dzgQS}MtB6<`D|Ar1X%04(oR-dr!**&xhmV` zXfTo++J{2xg)8mHGUuV3euz|2i^L1k62P6N`PukJ(H78)Zy?u``bv1yjTV5t*Yhl9 zVG>z^#mCqQT1S%xcavJNcMi_Aed5SGui>UkZ)>R3(AoglR>&dgMGe&pOjj`70vy&+ zajyMw;XNp64`2BL){kZk-!uBQWKv!rgB4VMUKf0hZFCq`YxS>ibfElcMTwW6#*fbP z(Y+ma>j1Ikd1mY$S8&vChZc7=MOQ+Q_UPJe^m%Bck&sFw&a}PQ6EKZ@+6@OoO~~Av zL|3Phe48*l^KxVbxg3#!1tFAXxTliOcjdVF&oF+Z6p?Ts8SS3wmM(YGf0f*%Ye>b3 zWe*v~Gn_qWGA!!bBmq5AAW^Wxk9-$u_w#mk0qeQgtGx*pSkA|txcxES%9v~buC&;UjT*F>D zz>mqh0g$;Du%{;4a^1`yvAAPsKu5g(NApbyAYh76!?*kr^LM12*ozM%=0yGq)aZp} zd*fDk0|LhZF_#~KS%N|Crw?nhCRkjIGh6z#i|1kF$-q(*a!g@7ziPtWElDx(a;&zH zcqyQeiw(%9SF6caE`nu>Rv%%S9IeJ(}Jr<%U_F(!hdlCijU-l+ELvE2n25u8ZS)O{iTFN=8K=J+cHG zCKj+_O+^`8F~7u7XN2_`Y>AHXsgfCoT&U26x#aEeR!j9PK<44DNjAA!iNs}Bxj^Fw zn14%Oq7FLc2Vs{)Q}QZg_$2)dOES2b+Lg}n95J&QjQ$x*Fgo}=M8G}fiBS~x zK{>G~@ErQa)FqewRBh-?!#uv|NdVrkOw)2Nao^-E6Py4-ZGu@_O7k9IcoI{%Yd~>c zvV41o{q8KvG!2S2E%jN-i96unv&2y}e`*@dWP<0ju;C$+B#pFq%A+9Nz%oi;U(?Dy z#P*D~8T9fs4eN{M;^iZVwW-;d7_JK`5$zjr$uX`w`36Mz0&tFr{(u{OW*Wl_tJyLA z0^OwFqlFxJjk>Ra_4*4CQQiD%i^!oX>ZWwkh=AX=E#sb}DRImd}FXCeBh#Uk7l0sRs$`%DT-#A_}&ZB%?Gn)%K;?SC^r=NA7pNpE6U2R zyb%n4Scbs4_=Td$E#1%F(Bj{73UH_pIUeJvw47`39L_1=VkkX^*(sfcB~)SlB24C- zr6XRCD$m9^b~xwS7c2dsD;h*4@n>9<4D^|OKU2x(Ck?weI%(ex_D8OK5;~*6iGI;= z2GEoEC7wN~y_b;2T4N!@ZRJq%jDzKiv&OQV_SB=5Ps41q0g)N)zm+uEkGq6e ze%iu(M1t&R(WuF^h_-zZFJ~q?7So2kkp#?WqTFeXWj-p+kN}OApJMCXd2Gf#-n613-*3Y*ZJ|EG#@Bq>%CMabn835qV+eI|t9u zt9{)9GI3bm?n(ym4uCdW0W7jU4K+C&M>g>xG6cGkJH*H8FKD^3`B}&_9{L;Djg=>k?g8I@G=6CV@?2H&TT6!m2+rK? z5jb;Iw%1ji&kkY=9^x^5=q$K>$A^8u$6&O~jmh~{OL%cU-7NKFeJ}YJ5q^tJ)bg=; zA{pr!tqjlLjLYt)r-f(c7!-7T%MC6*|8o@=A3RITt^B?L(mzn!cQ8YF2m!FX5&VOf z0xc%H4|v=^)+T_>KtU7tbrDg8x^hxiEC7X<9aPUuJsTbuh#1{{*TqI&v0h_X|>@V zGe5}Ipw*^2E1tf(&Xg{R4SX%U#=<(*VACZd?XYy=n#W%1 zO@f|n7!d#DOdLpTsISUafu&t|AJE(epg^>38{O~){kXlAOOVPG_7Avt@Mr`W0j6q} zy)kQj%dqEdo#`Ehq%z~7(^J--OJk}*oJ zD_c0mD37PwRN$^Vu9Oz)o2OdzJ?VS%KhstZWrA$9M&3e68}-n^g?mUAgksl5e3Yk3 z*I@Ry7>@!ACSjD`5d+JSNus`gqPIfmitX$ZIz9=fa)|;UJ^`H4H!+@jbwXClL7e>C zn`S`9Zn*52p%J>G7nw7bv&`Za`UiX*5)%_n_0KOr_Ea{XAujhX80;x4m-;i@EjLMe zK?Rr)GY~0ejT&1YooSCcX9*@evyLtoW)VJ+B(G8k&8`UogiiWd8?{omn%=t+-nKOK_=4isg6tf;zw0fOE}*=-7pz|pQU4JBy%qx zYr)Uqo_rNQt?6FjOuiH4EJebnq^oUc=NtzTzN8%TzF^@r#2(Us+Y+*n*~4m*%)jPI zQt7X$aU$s@b;F)_2Y*lsBK>X`IO}FPTH?G7Ko7bXrm>Es=)5c7 zu@oIYY01b;M>KYFmnw#n9xivZK8bBPgwvP`%P0-Fyt1TG$a7Nx3_la{Uqhu3FOox@ z4KF1#ivx)Cshp3%3yKV;2XvMKPF}5QISs3tM>X`P;X3e3-C$uvYOdr;$5er%&}qg% z!W(p&LKN-|Kfz9|g_fJN)EvbMGRI37nZUQOq&cRc_l7;Ky_xZud!j7q@s>4RH*|6? zak%fM7mN2;UPwi0wjD8zg-Bf0+Qt4Uv;0&5#PP(1Vd&5z6u4+{l%AQ++($2x)P8b4 zbEcB`aWMM40ABuUET{lx6JK&Rc(k?J1s39SoN<#!mnVx@vKFzQdiwvda!$2;kNsPZI=CM zQmx9u2O5?dhPmj04z1SKX7w$$)hF`~@W*D50={!73zbZa}@?_z96=)ejtsqw39RA0W02}k1` zY8XEjH*q!cD2+FM!)va0x-WQ*53)YiC0W8+Sgfo8)*k67>qzWutEB12JQq2`uBqZr zhRH6lZ1Z?t(M#fH=?F4>rKViw!PFQRNz0$x*|If;lz4U_(;>a1UtBw&0WMo(c~|T4 zD}~oUmFv_k%RwqCN_b}G5cxAkdJ12?56LBM_U+~@aB>J+Bf$bIQ1}!C3#>wI!^2;b zy=1kRXc@)%=J*$(Gnqv4l{f^4`%Cv23DSGFEa=T%Q&vzOL^X*_0u>DJQxx5oM_X{~P=TzG(kJr1gUOuRCPYv!;tQ zy)qK<(eMv=Nrx<>;-!~i;(8jpbKv>jZJi(e%hJO%jRE60pnowS<{ z`~qE6hzVIKh?b(88OT}nG-Fr^kXFw-h-oND{??A98gdk&? z{g$yjwO)Q*(GmjvazY{N2|vT%ps>9b)Mf~UDd5W?sEChv%Ms{D-Nk^*$oa|(G$&(Pi2 z^8hNIfMJ?mI~9J^%OGu58im>vN-WH2gz9J@?SnIdi<*|yiF zk9D?@GFP0@;1nY6ux{cg-d)zv+#dq?>$j?0TSi*;MRa2kG;Ko^ z+e=>^MMl@|yfw?}6WD;prb!*-!fpA%?^ucVnsv>khhTnvF@WqHK0LN;(OhBiXvHT7eA z6iLslN3)I&>Df-e6k?00K^5%MzXYb!L@k3d=Om zrf_HRnEXPN5O4cZ3zWnSJjr0pVA}b%pex+D+vER5fv>>i$P2w4!Z^k%3KGE3A=^r# zE3*;l9~h68xDyxr?1)Wfzl_#Ti=&4K-LWn6an(#46l_FLdoxgB|!O4S9xqm-nO44E7Fl-OdmZm zvS1#P$_+b68PIT%9|~^D^LBD8p{j|<+>1ox$51bmwVUa~&aL$g{pmcR$I6v*0T#O3 zk~PeibeiDiOcJLG%;rrHi;@Yk439*Ynp7;IVM+K1Vq<9VKhz`nk66pnX^!?-|G5m_ zWP`6*!NZS}qcIDdCG%u;l*N_=!6gHo|8&LIll0K<*tI%SkS$lDNq2{jJ4Sh{{6mm* zQe}R#cnGpQoytGuXxdMoDh+`rq8J>*Pw)w$u|VmEGWkyKOVE+(Jq{()n~$|0344OC z%HM(gX;nVTDMReQzM|A&iMQK;$nHUwW z1>cBeftoH1*F#LFV=rs*C(_-*vjNh@WhHWV6uuwez76M&QYre@9AEN#53n;6%wCpd zJbZ%Xtd<^}lZnH#`9^<&&URkQ`8`f-dr!+-WS%kUG)}eawb9!a@Kb%6#h)VaAYJX~ z#gs@sjW*3$(f?E%t^^(udoKgiGxKz(U>N`=IT7}8rGXJGbzJEBIHqgEL%;2@2^_Ww zCHtn5ZvHBzX$eF1;6~ExuN-scf+z3Hec=Js+wdc_*Vh#fX8MF?B0jHfD}P+rj?SFA zh==GLh0MhynjOGfKF`4;*m-)-5`|$UPj75`lkHNNvxjRnayi~^hR!^l z-O$2zHMuTn@xYQV#cy$vpSCwNvp<^5*#M0qwBrRh@u1Hmpp|Yc_&yISHgK~w zjD%MUATLxKf>p5gT<9zm*B=>r%)IYMDz&!AR+i(;@&F^@gUx#k%4n0mE6J`hmx==)oB~8v$U{si#G6uv4$w%$=)lLer?uE3jn@R;4|FDz zNm>5=ctKAx$J~#&HdKe71*n-4=6-0reZDVj6@B^G1%rV!p%#$|e0Nv9j-Ki&$vn~< z<8{p_sBI0Sm8N0#fHtqX>FH%3FoO*P;%LT4$xD|1Hr#TzK&ROH24N9?kAEL)nPcbs z*z964a2sQ~vbZPW#<_wdE8nF~Sb(@2{wJfaY^L#dlTdA;J?tMwNo`)=aL0=R?1QD` z)df2NMlR@QDl&H<(`J@7@B1h9iX%xYITU9Ql>~3W1{1v7&nPihR)?jvcKJJ9W~>gs zNcHkRj^%_ThsWr@665&L2D~l>?eK&@$af<#Co;e5L6+~i%Ji-p@I0wyl3|s^jRm&= zom_qhg(S2#N9u`7Uq-}G5>MWg;}vpH!?s5oR(Ga1>D}?34Oo6ZS{|n<>m^;s^7InV z_XwtPmG7b2(bS7&_sFAB;FUHt-~gDw`XKfUm8i^Beg{P|9KALB;)$vBGUgp5+4DQ{ zZkG0`L>&hMxHL)7fkp5>#+_z7FdE6Z* z{5RC*?c>0*XU!HfJC6O=T>!d32a-0V8vX0~w;xA>$FXKhx6ZhQG4P*w*?*muYW>>^ zZr7FCQCI4nb=`UC+vom&*K)hU$jupds3OgJC(6N{4|{um2O{U~0?9fs^w+KawdK5B zF$nSYX2(t6t|bEedApK`j3PLm5pafESfRH|;FW0Y0QioS+;IjNLjT&|f$n|#4Ef(n z04@7=39O#2{UA=ZIdYi@gv0FuG3CyZ2@!qZ^3SFz3+oNQsQY~o*mRUX;RJPTWP#=Ux_ljeGxk@{`S7Y z@%9eL%lu#MHL?1Cwbx(z;NO+X|7x%QKeX51<~w)iQU-8}4yXyk5ItzPG1YfX8Rt%| zzI%$hI6P%QxPB~5Mhu+k4wwWO%=-U6%=kC^puXtjKT#6!=@{f#v*}K~5d|cAHML`J zDUA=Y;R1HteDDK>V?TUFRL0-b__tU2+b3IR#-D)d(n@W=MM4M$aRV4uD0$fO%&b954FPWdBG6R}xdx z(gEt$V}4i#u#K&N%NN<1B4repBej(3Ej)sBX=!O8YQ}HnW=Lmvc zi-#etEc$%K`>{4dmO5AJuqq`rPzzz(DsOt;VBAC=juYYjQsv?bq>@t#hbZ9sscBM5 zs0XAX6gqL_dQxgi{^gDJsoUhP{aKB>V4g}35rAR52qat^f zjz_^7V}VkgAxV`t6)3f^3h7eZ-gLQeRYy%eDXn-UD$MKn1B6kvBT`@GDx`vfd06EW zOIJp=L;JBRHO2mGAQ4S!s?nypy}rCm*@D$ldOB_d8-+H-ot~0Ys1$fOA40oSK5rqc zl5 z5vkH->IH#Alf2y{&5@Df#g*9D5Yj=9NRx9w3h*dWx*VE<)N)#S2+r`P7j8w+7OAOe z0Mj}Jd`oIE#a9(lswFX_vKp%-UvV%Bq*yfosZzzlPZg@Pl+b8}O3J8NphR-@C45}W z)ItR*d1C<*_B>Lhi_})!nRExZheas8%Bn;@NHRZ8Qb5qB_TW5zM5OK0rJ8S0=!8<0 zCgBR)kFS6$h1OuLH_e+~*$fSk;)Burh>CmsKb97;k%0jeCI1>4K2b92VL<$AwA||T zFoaeregbR>*f<@7JH;U@wkoVjqe{78Zri97qc$$e+DWNaDOUDN(i>@`hFW^8DpIg4 z|IzllG7^lea>c8kj*IV{%#tC0jYGLHWQNmm-x|d89+m6jE+ zUi)o^-`FM2Y89+DYoad6Xtz47U9HK=T|->kLc4~#tfEyirYh4+ z%Ss=6Z@f`f9zK6%;mhrJ88dV~U8eHckLzFk{OaA-ES+EZ;-}wtQYl(=*-E%(a-3#? zF~{0Rm#aKhwQn4pZ_H2b8`m$nz*=bSZylg3QWo!c2X5tI>mXxL7qSkv4zZRf;Ud$Y zuY6KB)bZNhJ2ji4cFZlU_L1FifjBlk23qZl&9}7L|G2IHR;>-!PhnD~9{Y&5fMr*!}#SlBA0B!=tC%66NwJ!*R+n{|Jck;^7Wa{&%DN zKQz_figFI-h7I6!9g@seMMWg3jz}^ht%%ejQdEM}BEVXaf44ghNbM5^_x8UJp+Dh$ z(7#LVzxP5tPyRK8;?O7zqb0N|DGr0wV4F(XkW?2P8A5e9suzd>>nM;CrGr*a0pz4H z%2jKUjJQL=Mp=;#UL@A2?2ZwLj=5K-O(D4z57Kpp;$mBOBM+`udZjsqA2H=7j8{wU!jnsIm7B>SauK>sf%vk<5 zZ(jF1sp05i`eD2VxS*@+F-0-VVqJ$B1n?t(M-Qjcz@$fQ2debF`1vCxyO;Jb_#CmAk%{_UsWVa5zl1q2GTG=_rVaSridD;l=neRMPDiNfHrIGMJV4M&^pY@9hNP`gP!clyt`9;d8DyYGa z15kopCp?LVc_7l5bAEwM5g4Ej6N~+mP*8y#!U!@zo`G;@x)}dtPOxju>nnhal7xWY zaWkIa-Gv$Rpu(?^Fp?|4J&L}mo&xNVa6NH?bQzo1;%wkWDNjZDdyp(B$gjQu=3`uS z!Tau;(rQGe(aYdjqy}X51VD2^8htg_6;iaomQ{~qTI!kLpO7?hwHdwgn4O*}3gKymka7f`5Vt^u>4VId{^`ih*qia$oJEM1Ro_C; z3-ha(MZZN@+Jnb2KMD3>&fTpNBz1m}go`O92 zKFmA^GAA>s{t%f&zm)V5Lg-H-9GhV3pcJzD+3qCQM=t=0?Q*X3)YEQfTL&9yV?(37O1n3e) z1Kajc`Uq*zsZAY3GpD|$q9JIAHbWuvJTBy7-MjfXek7pUFCpvsFqNHYMu6>eu#GOQ zqgpZKi8xc*e#TBdoy^PosPzlnlPjTCU^)Et9$i6#xpvn@0DP`yg#-2nw`D_jr~IWg z$d*OZHLW}G7MkVekybzlU+5lXzPEHBLe01k_kyrZX1tt?A?ueLT)6-Ru9*yK`%q4# zkBKyG7Ly_SNd}(^)p2<5{OO1rP%RnXh8_W?%S)*!Tx&wzoe9a%H#c(c_MgnN6y6WmFlLHIm01RwwQ*&#SZnSlB zQ{&>aW51((;W9K#UaA`S`|Q68FSYzk(Nx8rGrKOIdI7I&Ka7u3u0W8|C&25j3G8Og zR9@?4=vjDQQ8`tfHac8y9aBAdbYm@W2!@%9sJq}o^>k1hp+e+s-QoV~fG;pYEEu2z zq5*g9KDxSbO1QRuVlyaEQX4nfI<0!*MBwgyj-;R|LbTXM{U7$;#V?Ao?;pP|-Angc zc7~l{XJ7_q-C3B0<*>@auCfZc=%S#YsGw-5i!6$A5CIj<11c$|CY~zOl8TDbiqf=$ zB^H&HmYLnw-9a-gODjvet2^uaS*-7KKfmYu5By%Q=k+R7_AoQoTytHY!~5_Yc_p+$ z)K-8$A^pxFqY2_JJ(#0@?SGu4X=(n~%+`v)>|in(plhtB*9SojHDtzEU%52soTh$= zYQ!FW#{(SGlZKo^xPKKF(-HYASl#Q!1Xw4zGOqyKNEc5`ZdSnwhKnH4{ zc6?rOJ4$_;4)XwPtITtyzcM}hOn+pte_`;WjQwOLa%L=G1~5m9hHF-OM}Ck!9H!md z{gaSDhHpqf{u_A-NS(%wYP2;U&Y6$M3*M0k%{d+|7aFK75DWIx2Wc9^v#(GxQ+E$& zf^%rL_;@%;Y(Huag3Bp5FCAdSAH(^3^k>fWD*cEKV5^X@^O;n(bg>zOBo8T1{gSfs z<*>jBbVS}pFGqOHCTdQc#F9ny0TPx27VBxSbTog`dXlZC)I-g_tCIQGdD$b8(#*u< zX9vc5fxdKE%wbzAm4R8~kao;|RxdjZnD=j`bxM$Q7Y)MA-Xgt^53aaBg3mdPvL8n7 zBOv100qgEMRH4UULo+Jx2q3e_AwccoLgFEft|}z_q_J4jQcx2xL)~gAc${xBd!{3D zJGPVbybz7lO=viM!3egb%c@IhmJpeGV@FnC1NFBCTNa7m8~yDlIS}rg*dM0~R`65E zwj$!uJDq*x3)BQnsp@+62`WCR_kFfW4?FxN-(BJl`d$$^zKYf@Bv$qzJ?8oQsjjY( z6*+Z>Z?dr>7_71lk2roTZz0n8tZagTxGiJBOvOOgveOLYHnyMM2v0|V_Atrp6e_nG z@FK=X<57?u!?Dj8U{}c{8|7?JaH+y0RSWq9KThZ0L~uym;sE<5HO>w+*87VqAJD^d znftanBq1cu3QuE0LvW#ZisO^Q>}NSLy88oIc=>e(m1nnz$4{ETA9YSG4iBv@fvUxU zrh2s%aA-PT4et%po@RTfu>s0(tTPPn59Wf#XJC$FDSeav4kzT-#+&QG9<(aRRKhrE zS=6Szs)r?oofl?W*Z_|@Q=x~az5M{H#cLg=1bCbmRKYV|?;QB+Ao79 zBl9hK*Zy#loPB41-xR(YFbcW$_A9*E2oCIv1d|7B!j}pb=JwF0dAUT}iRSpyZ5JY# z!XtBFp`$64bsZ-4K{7A&h(CJyadndA6!ldGzX3Cpmvl{iFZ+7lP8=h&gdMLT(feNk z8|JLq{>>{cds@C7IpmwTptyINdx}^*Znh12Sf=tvB=6s z5=Pg64T&ckHp&29Nn;K^mn|b#N)%0zR%U^Boy?5!{0nO}+G*`)&p?dLgczG39OSLk zlZ@s4;h=9L3?*$DTR0y{Klroj-v0QQwAHts-9>4qzp8sV(a4jIX*m;6mV%^7-ggig zii^m>)^DndUFVUzjocpShg)gZjbyTjNLno{BvYsxR9L&n0O$+nkV%&rRO7x2YID3- zbdE(c79taf-63R2VRMgi>}8uJHmV!LGRms60o955O^I9@KgB4eZ<^0pI(Fat0b|*5 zFI@nGKONS$tmeZc+PSqKGZv70A$&4P);U)^|1kZj?Jgkfhq2xk1Rgw7i38O7=@_^N z(u0^+_oEs>9mO%vqinW=;a}Ff#zf-Cjy1eqvAtoWP1Sc2kNO8G^OfMK2d9GvR1ob3=XZMdTm-|x~HFb6l4xzGO3$W(=CVFuZkMA1~8 z2_HXY4B0z6=J1c}yCo&!Op0Wt!vQ8t&w4V^y>;s6?WPkewHMiQRQs}{qa%Wk({I}A zU4TehbFmbK2jYmr$~Xbz8_wzbKaSH$Q-CDw*~{O zBP?fUKi_UewNoqDlkof4jO~tJa1Tyvj0N6k(usfLaU_hD8OAT{pkwI(Whe|*{-pfp zN(+M;apN%Rci-z82voEJCq(?(sN8G*fGZnirC~0QR@3EKr;)b^kuII{>6E+J`(lfx z^8GWX;rkC+^;y8z} z1T5&Bk0NT6zOi^BXgOoSKQ<2l`{;)dZt(mR4E?Wa@RM_bprtA$h_(^}XqH0~3u z!rka?`BjtutZ)xc4fI*|ZB>|s?Rk;N|4+D8rKy)lG(@K4Hq5tg?bu7bLR89&*%5sc z2ODg!h528?=jd>qvsj*F_Kg&tOHJ3lL;?Q1d_IOQX1MA|F4k?x8is;*R z%3>sCFo|Y9b-bb|%s};(_871@e+%z-pTJD^P#~Q4xzdgPTVh=LRYl^7|?I1eG}pA|Nxa3A`Ou5ptxST`Qh- zKs;-$sAOj{;{0$_!8RtU-6Tui8=lAztg5Y@kMmVe;TQBv%PGY_!m>XaOz)FY z1f1n~P!BkFyDpwzrPr>tmx}EXT)6xe%g1O=tI z;e$eotso2^^|chwL((f;t7k3ae3SSeYu`tc$h6D-+m94}O_-E38bEssw)DUF4SkD* zwGV?tmTZhM%i;vHFf3p&pwD|4C*KSL0Z6G7W`@z@`pTu29`@3=m5d#*SoeL zX^!d$dq(Rb04#U|p&vZtk1$%z0>~6bKspD8}BWdG!Un7O2n(avlZRMtm&%$op zJOoY4f84&4ksb$bRc;q3em2j?#eoKPJ&QSdFNEDG(lBWP=~RoQ2<+85pk%l+M?v!M z18@dj?jBB-Y71~QVFTY+=H}d=A`DSh2w93*NXQw9a)(;hg*l(wsJi4eV~IxNDUK~u{$n?O(MI9L37!jGUDwH;;&(N3mC7hNfzUc;xb$H6TIIj{$bnm5zyahQu}!Jq`H3+`2dyK zkFo6rd521lvHvtO`TQEjWUX$jZvYG2z+#-FtF6G9q~7wGky$FnvYL}GVz?+VHoU#6 zYm~7bN`Pbusj?)8>uW2lEFZq2CYkvS`7E5ZetheQLKK#V2OF`772$ zZ%nghHzjMoHClYH(gpGng>7eOLtB)1l9d;;Y`2Ujc%4`s$JjP4U`oh--vzQ5CNk3r z`6d}%3~1-&bWBPIUX07K-bJLuI||{Ce3?4uqlrI6lW#JUNJd7ojAC+cIO1ifitN@i z7a&~y65r`vgnVZ4pgU(vf2JCLNJl9j(tA<8U9kjXwU}eHaRN(% zcHIDtu{pvRza`E?ayW*`z@4}$IM8_|oS6g4AdiOlh{O0_W3nM?Yl7iQ&Z~2>-QkHJ zgs~$y{~pVYFb3pW**nwoZb$rSJwJ=x(ZD{N4mp47b|^RssKYWZ-jXGEuCyQIQ8L@e zv)e!ly~f(P0}t`*9M|OSiu|QL_dv&PR36NVvQ|LRqIPlJcb-{x*m!_c$QJP_DaP9J zK+_4K{U7Yo2y73mCzQ?MyNB`DytY&`zbn=AIPq@QiCyuiyxV?ao2k69dOHa>VxLLi&&RXxYjKd^)j+BSwjTJ3 z*cflQ6whS@zQ7Yq@Ipg;_t)~iRMZgo90j_kqb3Iw=-Q8y7c?tu?&Xz>D$5%K{2^+4 zIv!>-xRb3)Ao0OD-rI?zk(XRoGw?vITJA8b8R`L4@35;I9cvt+6499hI4F0!*eA^T zg^e|0Ke25%&TE@W#?a;RmznzdKsEbK6si^8xS*Fa z+0TZHyJ=1ol9w^Si;T6G@RonafuORjfQU+n!KH=;gCTA;h9f%^U%YFcvZg_7B3D_@qa4@SB#C5YjL#~f7 z6b^OOedMO(sKvGOgVx3c{4WMQ+~UB8!C%Z!SeqLtXaB9&)mF=02BXtDCdfY(sjF{b z%iP)nJwwFdlK-pDVs>K^noE;&|H)Qy?Eq7kf+e}0f@k}-wdjID{;{NhUY%g72~-Em zEmNfv-&QZAIqKEmN336J-Yb_Iww_!U@hOMqn50-iJ$W(3_uEgV|Wz3|+ z1R(X%ILmhl(ivqh8LN(QY~(S`>O`!clHITcj>_H*6|Br@&7A#Pdmvq6HNWe9J9Q?) zk5q;8PXfv8oE${+M(R>|ry=tS=;S|%4Ne)6g*xYOIW3}n<43RY1twhC`BLj?63b?ps{6Vg z$?E*_hF$Vu4;?|lNV6gvNwcI3ZeF*ZddXN?EGSuCbTi8n4cZLsWD_m}74+P~0}?O4 zYtRk|8NwAjgG7RopO8ZSBu>17Of2jNp3mp9LG7e0Qy7d}g#_CLJstqj3M@1Ge+9La z1*j$+=x1D+%Zu=jw3E~ZzQ>yhqr9#?0#Nr&sKo-Ufeh-9in&H%8dbA*Ae>2WgDAyM z(uLWA%D!nhQH_@gQ5A=g5bN%7ZPDwTQxnga96`&EOkms9Q?L|N*9pprySU{21$AdD z?-#;T25}Z<*qK>$u@Fv|Kq&yamrTCXgxLGt@V7e!(+Q^e6lrR^p4i4RX-q5>(7QfX zV(E_RonX8ykV5TiY*n}M@0#T~2A%T(`*dja`Q~?T&?PsBhx9rqx7RW(NM7`?4nx-u zd3z|o*|y=J*-~s0AF#2%+2rj|)vB$k^<`t7v0`CuHCs!~jWuPB3v2iS1KA{AHPemk zoue)7&i(h=RQmD@AcLHVw{*v=CSDiLeq%@+%4(_hn>4PnCb+1wAy8J;l-g*?9FZss zctXauP=qisoXs$k6Z}CBj%A+?XV;HlEk^WR#zV)yQ6I+t7LgF;tB0L?_FOiD7Jf?t z{HucHA?n`>c8_=jnTEfY3w(3}J2pI2zgvv;prd524>VZ=Wo(Oq&jLP(Nsf%j`wjDl zh14~vnWThUNIog}hp+3Q6VzyJ3O4X7MR{qs;Nu^Q_4Wzp)57?H#?-m&&v6hzKu4&u zDp(KZlo2LtuqjwCE;49Kd}Zu~xRxGejq3p7FPK3u?UGT`G)3+7Zx#m{t6yhYNIbS_ z%jjD0hgQFB7Z?5DLnU&$KJlTbBUyZnmE9Ar3^@3LeV?Pif`B8^`Sj&0O8WC(E0fq$ znzEtmc_tHEgjQ)jjs#8;NKVWI5hWQ!HdfPOa18hjQs}@=NZol4qed}lT9agx7D|_> zgAzs{_pp*eBsmf`vJB6^FTMka&x#PL5f)mdc z#)nd8={BA7p2PyZye#t6owHrpXdA>QL}teMKgg0$qwSz8zYn{9H2YjWsU^ec95KaGoQgpFie%?3!8F153sG}Q z(8ZA#xA5sUTdId-@XMq1HFJ`oYw$YK2I!pUWqU&KHhHM2@?rI4X$e-TB-g3O-wXU9 z9*rpZf`3u%c{#ICyPbUMyN?+KUeR0->^-vUk!vniEO;;Q%f@4)J;F@4XkWoL7cLD5 z#Kib|JR^7Lbr)hXDtl=MV;K^JHqoJWm{_ApI!}(>oML09- z)BfCU@k|Vp5SU5Ef;|SQ1>hk$p#2cYFD^hSFUyt~lHgN&j(b7p`-t8%2+{SPM-d(+ z&Nq=Ri)n&#jo46HwO`!hl_UhSJWnIi*R*RVqr2qVZ?;M329O6f=7 zDLxJW0bdIaNR{a#lC8Fp8F&-BFC@wR3bewv&x1^5Hu!1|B_+x__{dbnEDeFS<7+zS z&-OWCt@-S7vAdFeMX+Tm+HV58>4U=c+M5Eyz7!^~Ob(|oqq%UPaOOAE>1ZA#oiE5O zVbTMz)Rl1IxBkzc?_NdRS|XmW$}Q8S8NNs|OhysJn;XTHi7^61I$86P`mO&%#~~&w zadm{|ARAK^Ax+@4X?QzqBaKLF#uCj@?jo`{u1FEd2RdhTBCq$=2XFW1TM8l7C)+u$ zWHiTvzL@Xx>feN6P{h4y8*XGgY=M>c6=il_P-EQ*ccAP}Z*Xx)ts@0Rboz-$h4b8<{EuPTkdD5CWi%@BqL@F|a>!(Hj%pgssQFK&yolcx8Xd(Q zOX+3Ddzn+1QHi-}>QP2i*Q?JegZ$e){~AXYsvjzkHzLK%6eSLi61ITO?LK$0qq>=P|t`jM~i=0c_!Rn%6=X_$Qpo1);cG! zusm23t&Ecco*@i#av`aOANE3(z7K+|w4}UHDvj9dt}98!CgaD+B{I>@QZi zmbZJO`Qs+bHellU_O||$4UW0o7do4)?=3|^(ZnS#hU zRLg_NLxnF#rV+Tvc9Cc4L`NRG+l*>S8u{GuDxTC)D}FVR=8G8|xrZBrj{Uk$4ZAU4 z%XYHJHBq2RwnD*wF7Z7LWZ$ek*VKBMnFPVlIStQ%O?qIX*OD7SzbD_+z2j^rFsFYZ zcU5jW_#3mW^<^cOBxhYAM1bnUyum4(jyFfxk45ge%w#G&9pQev{X73ufDQmK zt<;`8l3dlsIO_m9!0>oN@U83uBU9mt?ML>Ki3Mx><9wi=!)Xl0v4L;3oFWUE;`jhW z%ihH<#_GxJhap2CQ!`ySN(;lYP)#UITc_Q0O~81I?=TdFm24r3?AAFAm!2|ZbE362N8^|zW z8;E8Imh2&j&5r>QK~ zH#yD?^{hiczZOoalYAMTcymS{n$Ip}aH8<7D<3)MqP%>Ra|(42_ntz+D1hSN#f+&) z51Q|Z$4vNvoZ}F*YP?b))To0@&Mp87G^#z30vl+}KP#A<)~H+LCWEgJS+%@zM+~%j zrZPvEbXX1#Vzu=f?s4%Y0~iF5N{<~u>p4+)L@EVvN&@JeMl$C@eVGV8UJseA#L)t> zSQv8e`$7bn;ewV*gYq%BcVuQiOGxDjiQTDZ&rS5^5yvW|voF$1O5$YA4^hUn9kyqgb_jG}QPww-R$2$8mTIbweF$H9tk4m(P+V06Iu; zzKAZqqjRQsc1Pek*ZpCg*PJ8!kz&qWgY`QwUXv|%-Hc1|DGWG z#mx5@#Z!PtJK2bEiAmA7*XPD^JBOh=!zp?!lYLk|dQY`bOVbY+h z1N;~3&I(JYzodiIVUT%)21>QC!s|r=%?15rpLjENMq8+dvqI;blG9At29_O^>g#iJ zm8~omk0eWa4uE`{{edX%5RJtt&UPeCE4HG%EF`SP%0TuophC8 zvHTbVOMCZ7&>9(}hSS=t%@FQOTj_#56`9XU!`&Y%5z-uCN}(56%*ur9D&*TF-;>-^ zAcsxH(;%}>4Q1Apm0pnU^xso>BGt(~i<+eI*^eP{tX|D&5i|Qqb6|oAd#8a(M<%L~ z`>K)BC1C+~-1QmCERdEYV?OZ<-Z*`waU#QP6*S-`aRqO3Ga!dkl`} zgUw`#d_s=AZe`cWb zL80?c{u>1VSiz}@*Dc~`6Mob+4bk0P1Rcj8bc-*TG+8W-lFw42fV4AB&%d1vQfErF zWC( zPsM|Y>U1II9jAw6y#Kvsvtfabibid#e6R2F& zu?;oxauWHRe?F2o4kcau_B8hMA$YneV66{Su&?Ipg7rOHy03`LkjpE<4E{WJMa9=! z7c2}mu*M8?(}K#`fhu-UmNbpsDDg>>yNR&UxXMb?`k~OC`#QBZGvT6jHBv&*3r)+OU ziLZE5{*l#z#oyiRJwDe1gxzH%RYGHFja=y4@LF=^TX|tgYLS0h-6Qg_XaK-9@KFYahdo+;1%B!>JdwZ57uu-a_(`q+fCwafg}uGe3rIE&hN;? z!_Mc>RQ_BFJJ9HS#$y>@?Gs(#_+?$pe&OCxM0c{Aql^uZKI2me9N(JPc}}Y5Dc?V z>^OH~5V>E7*5L zg=#5ej(XPehsvbl$t1?IFpdlbs1b8%;$&z-8pTzV4ELTeqzos^)M)YntT|v{L%-Ge z`?wBOJHJ~1V_+F=ArI)S)dAaEL;T;i9QPfvr?|+sO=CLK=~lGZw+_wa(?nf){qd>B zT0qUQ4`+ok^m%OVC|HF3mIV>^#w->a)a*x<{ErJzt@vC)@aYg}rm>#qCRcLo_yw$#(>8;O-m%C*=`eZ20{#kz zviammjtR|~>TpMac%Q`#&CB?OK{`Az0%q>7embc7Jv3V#Eb0cr^^c~t{JWN}OFC;l zTLh&fe4Trcy<%`*&lvmr|(8BRCXk%W*2k>AfnI@b+rgN5Bpv2%{ z&YvYe*v>L-uc+_HTW`xtV96lX7VE5G0eLK+j=&NulaRLuq+zy^tZgMrrf{r%7)OGE zB%ZRM5tQp^C&l5{giPrm|AGUWSwfTatT4pZ#aY&8k>S@c+5Tpqlw-oaBiQ0r@g=$%pM(VVD>9tSkQ6fA@(m{q5ympNW!bPa znUo3Jr>(*nU*g#~Tqx5yAC?bMPmj^pjCnkWK55gkA<*Od3AtZ_+(RNS4MMf9&Q+iT zBKDiX4>giHYHFUsObl7WtVSpxZ?wSsy@g0w4Tcs{B%EqkAhzW)Z4k`TIw7LvU$9$x z2jJ3mmaDvWELf~A_UjY7BgjLF2RwwxP{0fv!3JhS>bp#M>7=X)AQ|I+MVb&8LVgm) zin|TWIi(E@NtA&QWrwSqTs?i7A@??Lj{x5I4jfLO1|eZQS_0iyT;yGbbWYBGbvpAR zV5SBct@CQjEHUA{GME>`*((O9<{UrHKQcsYVRiMjCl*=mqoQKGxP?7ljSq{X^y0J( z%Y`MPK`Z2-*u$@Lc+&N@1U-EaPwu{itQT2+2h($g)SdWNy%U$5A0~Q@w$w1(!{m8B z2(yf4E*p7ooc01YnKx6qhJPvp_8*&4w;Zy`q`{Zyl^@kcVXO`DXD=3XM*XU;>d~BmW>s`I;Fl8FmaE_w~hR^IEP#GGDPte^YUph-}201z!7CGUc&^dSgqNkJa$NVx%nyJ~l z3T;xsO-PENGyKDykJ*^W#!na%|7;k0!31Ht_X(8kLFB8}RI+PFzIP)c3I$@`TrwQ6 z?5Y<+u;pq6w)69uqM^Go5p$0G;B1=$H?IzniOR{;VWsuL7}p*|#;^@~T$D2!(1*eR z_YqAXL)nFThfA136s}pgZW(AGb3Id#a)kb*bFPw20wlJsX?-}pWlC-d7g2JB;~S?6 zT<%>iN1q$B$PV#M7H6Qy#CP>M4N7_F2IP>InFk8v1j?sf+oax+NbhTvNF&K-Te3-m7ZV(yeao~p^kiveNvGSk?|Of z@D4|=vjg&v;vD}(-<{Nx6NZ`1+8a25F$o{1{M?=A2G_XrrFalF(w}g6@DMR)enBVc zoG%zt6y?>**!&{pi#L-w5&nn=hamwy>FBIq>SosG9BMP?`LoNgPDqf2{n+ zd&XudBU+x+R^c9TXF1=Ycl6Ul{C!Fd{h7Z#O+Bq1Zh66?Qn7d-|A~oA6YD1f{B%Jf zWJ+3^uA$ZvWk^h1LgyD2iS-e@!A!Pyd@S}cGnK4nCU(mxO^M}KGSw9%()SoiQBPg$ z+qemjQH>;lmdWXY_aUW&XMZ&0?KG2^tU82?RTn#-l1bnuM8D5UL*xpVp528=I%0!A z$+e~(!}<4^PUETB8fo`KK2{2Xb17rtnIPp*z71|tBA&NrHKN3rN|;4q(&KnDa8ac5 zMeIohhlmYN2ocIYSOoXe2ah=0r9!d2q{=+fCHg<)Aq^>Mz*FQg#8Y(&acJQAue z*Ch&!4Pv7k2h@0Tp zaQud4ljOaQ$OfIW%6X8m|D@udVa?a^D>wq$J`q}9@q~fzE8t{yzu>wL(Lp%UIhru0 zBQDGFKC~r2J=S1#!5@61WbImHRy^7~D`?JSI;lWue z5o_0{&UBh1wHw8y7>^dxDGR{!o3M1f=B(5yF}6sCoo)PRbm5!6a(090g35e3jg@4Q z$2p>K3;_8GJ z=2I>wFpl3I?E;PQ(HH`?r6P!zLWS5D7>XI`K|0gh2P@-29cnOtuR++MmLVI=1_!5SR7uz81?12_+ifWr2XETZ{S!;WUVLua4vL&WGcc1)(k!>-H6W6k>Aalt;sc>@` z3Run-uys@%I-V_N#JurzGrK}T$+lfnT$k&_LyrAXo}~WjZ}6~mvx6-5PX%$hkv_^k zU4Z7WE91E?oFmsnh&xloB|=XCOZ-FwAg|f_EPl$=^MC5%>&b`w7XaoxuF%C7zvXv{ z?2-cU^jg<;LB6NXGLB&zZH#w+WNTl~FtF;gLBzW@Jn$X9K_3UKDX*=97{NVUoAgMU z2sFa~2jlv*ZZh<{LvG)5{)2)N66v{x1qVPxunG{~0OSJ{Dg3&(q1~&y11zVxfrV9- z!O*Wmj5R9|(|Q${djArF*ZoBYgLNMCgJ97PaYJs23?&1xrNIh^?mbd{ZSNOAr@dDq zs25@%!lVEFZl@J;vf!069VyM8&A##=#z=9#XV|{Yy1VTrGU%-EW4h$~5^@`J4 z^4BHSf-IF4ST6 zg+3eN&)xa}&~-v50top<05*X#Gx*3`1AmV&Tyu!q(tEbOuPg@YAG|Ag>u|k8-TSXl zrgrOlLe~$(_}(*zkNOSoHH~&bK%hSp`q^; zK!H<+!6^@&fVCGO^*=80*6Y2O7@P}4JAjfY4pRdL>(-amHC8qNL$~)i`|EoEW%<8a5dTjth;xTO{ttDm ze(-qLE^NBRr~Y~q5l{XEIyZYi?qlED1B_}9O8DQsAhhTF?_Th~d%=HgJ^#BG{Iy~I z|6?!se~LZqx{QS%a>og4X|MLiiH6D1uxU(&ZU2@KXs@tCy|saZGE}T<0Ez+WhF&=b znxMoZm5C2YJyd82^i{M$A!!HLjYILS)5e(T%Dh>~Tn15?GYWX`P-|r#A~8sW@+qpM zd(FLDH8^}D!DE7Naax&ZP=7bgo*Mv$`597zWF`*!D=|(9BaX2!C!%`yJm&yK$a^Ow zL$Fxb5&G%Kp+zP*wi5t`%$ug(y;exaRhbXs^rZ_CnCDEv3xT!H^k4}o%mOS4Pr^SP zeX$A_c&;{-`WE)4zO@iEkAFizLYq&2!_nO9c!IEje52ikV^bI4Sik_LEI?-F7|2$) z>*0=P{DxD!^O2Q>@yY>iZ~&+J*TjVM*+Oy)nDc!Sk}0Suhl0O{=l#gktFJ)TbAxd_eH|JW!)^&J0KAKeaLD^9uPz1{ zdO>k{=ogvXQktnOa%kW%F74)qXdgnMJm(mOcYSNV6@(UD4{?mNcqLMcM={lb|EpZ^ zd`?t#ZDW1V8JA^6jW5I0sCwoA#iM7Y6SFX+Z56jrSVMC0fY!la*cHdqqJg-tdE9_t)&T9N# zh-)h#n{g1vw>J1LttitQTjN*jjWpi!ZWv*umK_bW6HLKY6Bb|2ZQvqlrUOBl!S;ti zh)lVAMl^CXq>dFl?RTrKI~=XUp`TS4Y`Kc<-TT`xv4fy_xPde0&Q@=7eDGzw&{+yk zl6o;e7LWD4hBJyZd>dY%#QE>V8e?|s#WT2C5W%o>^@P)hA#nYHMgjRjn2$Xj7PX)A zLZ4fb99lnSA$b9$SvuUl;E~kxju(q6+~$htg&@&l3g(g(E&_` z<6X=9ESV(yK^(UHa2S<$J;O1#OiOhxLxl4$asTExuNGOZhp9uG8U+WA>@04VdR@X* z1Lg5>jxUC%yAXQ|XV9kn7h9@<+BLNFJe?Kz!!@&?!;zJV{JXuyeSO~ogpJ;g=Lp3( z0Z;gJCk^I3(Jz>&{;H(lBds&=6gR^@smCjQvE~rZx3WRKLM{~+Ns)LIiSC-nL>E1m z`W20`{b``#9q;BoN4b_v+~m&L+x7u-NxgvXG9ma}1`RQT7#!I%uu7SZ=XD9dS)yTU4O*iMGU zL2?`7^#b|c{UIr1Ug@6DHdaakObBZ^$^ex!!B~Ca;QvAbc za`8sw7+kRtQES`#B#%yWu0wTYbbt-?)#B&fkF;`fznX5#rOI(~lvYUMnelXf-c>}# zTdwg^M&=>*Idkf1%Tij}Q+?#rVb?lycAxN5hlMdIHysx^3m#SU1DBN1riX12Por0k z#}z)yW<>}W3!fpsgXci%3=P%QQ%zXQW}BURP-YeLXWo)@@SpPL<>`?DQhueE_-h4OOrBksj25(TeQCW-SbzSHHO^z-9K|8 zUuyu^4Xsw6^?LeK37k+BiJW1-U;w}0-P? zk=E`l?~`(szSLDom*yz}UAsN;*mYWoa zXo~}A(4UnYF&&JBr^|=qgLjgs;yfLAXVfio)nMSlq)sN2NEYmt9hRY##_Wjb+D9UH zMBp;KeD!d|t)RnG@4>^}J887@u0FXR1(3Rs&D3ju1`Z+nJf=VQMCV6^aRo>EwLjl= zA8|@Qu(XkdgA0|!hU;WKHa?Prh{%btam1eCPlOXzu~{;VYw zEJ55iE})ctts(a=;s@U0$11sY5p?TQtMH(rDM0-A3CKJ#HC-4UiYkyJNw7>|*muI3 zfi|uM~PEOR-ARa1SeTS@8`@qXY%GNNGU4Z58?|;>12FS=XA`QfKqRA!-~q_bNO6^ zP{?u8b#A@B6j`+UV*%iy*L)Oy4*0IpNsdU!cP+(jLqjSa^{{#vTlRLnVm#k zgH1HRE~i3dD~E>*5zZjG)=4IS`=Rea*ck0Fc|rLT>fm2r+a-<>&hNAR9F7}0EcjzC zfi&U_%Ttj+CgDR<1!r&~$;h6CfVUdY%@R0n2w9!&!O|>Cfr%F=1~)kIF*EEaNLenQeaK|bt`nw1G&qO zbsfg?j#+h8!7s1f1*@B^WLiE1Xh1P|>VA9is1(OW>O0Q#um_6?>kT4H1?P=HB>cu4 zvReLwYV$2Udhm>^rq7W(w9~2vo25sMRm)SmwZRwPQ2%h+`)Ge)A@OJ!O+0@Mz=0#x zZCMh6-O;Klk-0hQX+;R8G>>cS5#!8cpS;tID_a}!-OhjYBU!$DE-CjE>=9ISCZNi& zP^2j0&B}wmr}05bkAU#=9_3l9h*Y)`XffEtOHzy}-r zM=W5-lP(;-cxHKquM`h=sNxC(Z1y%_O%(%z4o86-1Ra*Kf|y!P6&0{WVfgVqr&`x0 zR!Zu>eCf^%VlQV z&OQ>6Q-`F?GdoCP#&WjS?EWYApNMeWICDi8XrK?!mC6*KqwD+5`M!ogfIVx3*>w4z zZOP6ubn$vyvNwQw=APM#^E8E7fe%bv&Ja!8M&h_q?+64AW}~p;&X9amOO;`UoDBGb z(*im85|GFwB5+^flPO~=-{Y$3n7mq~{&=mKO!{>-4nH{9^(4Y^(s$~Twsibx;0^r9 zr?*#L!Hyk|!75H1S?hGiU$kHrbavh&U*l|ilZk3+%LANW6oCCYq~5>brdfjmWiQx$6p+nWL(BeycL4`8Dt~#gVC}u+P@l1Yk-jvqT*&ZVd~V zECLn3(&MY(VWj!-RW1>a(E7Bm=LGzOngz><2J;Y%kUFy9hdB?Z1Dn;ayUyYXj@c?_ zo5wi*4S$RR8$)`cyUem(PhQ8|i7y>EI|C9Qa!_ujxV`AA?NM2MkltnaQV&}{ZlPAo zyJ8ODOuw|u*2}M(-G`-t;L|HTP?xEet9#(6P1>Hk8(0i8s3S5j;B%JUWo}nI)ZMioQOy4@t)Wmk?FiRuSH(XLj3&_AwKgJ~v+M{xiEwC%t^|_52d;NxELq z0%cBbpIn>oPfqj=SU#Al%|is0-(tbJbuRTrWi#Y;xnY6E#%`QKi|`_DWZ{RUk5SF{ zZS^t9>-)An_S3hHXF7SkJK6nA_Zy&&H-YUJhQ}(6xSXDEKCDPBz|n!hj_Y+h8c*N>Zop6b zdxZE?kNW3;Kie$WP-P+8GRcH(mb?L6zGTmti_|FfMN%N1Gs1%0=o7N5@APf5Bv9f~ ze#a)^CM*Tpy*E)?i!fCNIPE~(tvoi3H5fPJPyN8@PbLHH$@ z$kP~Mc4Hxlav#Cv5Py!KF}}~$?+L4Z7`Pm0zyeN9xtx0`(4a`chJbNLW}`*mgFU_? z%U59mf9s~MoyXrO`k=i7B7+zplg+sHdCq7;l8YuWR=1F`geKHIgKJsN;1DtEo{|L% zlyDMY4!+bq%|ACUO#j=R8wYQ&OGZV*2nEV z+Q*oF?r2}rC~LRQJb6|(i7MaQ-7lu$Tz7x#TI(@=-1b?=Xu`vLj~S8=OjsQ@@Th5x zG3~txYnZ|3wq&#EUqAgS(a*J7SDp|C}m zGOMjcoW9^xOXSQ|+#OM~w-nwX&Dq;_hdlr3Q+GtyuE(Qe7QWNoSMhuhctct8W&0bJ z+qb{BZoo>!ueYu-Oiv{3*K*y ze_$2AA>pBz>^#RKyI1EWKE5xzf71TLTaPErd~@$e`gHlRk;%_oAC%2JyU!P<9UN2k zcFN%|AAH;S()BOi9(Yt2`_7=(%(LG~eKYQ%cUU^fzkBI)*syDFriEwTI9s2a@~_E#`ept4 z^-tYdzhA%b?r>1beGgQIzwGY+l6m`PUw?J`mh7<954Mc#KTKCRif>Qj{6a|smveKi zX+n-%{aWE@%W~bsF}6*kCg$4rtljE%z4pwjOx8VHw&o>u9i2GVc|ycY||N|qkKp3 z!;**g?$|layssmCdj7$SA5Nd#EsVNt+tfbmZrd`>9a-9Vwd^0IOD>YJ_Vlm!uA8y! z+L?dEtl;Y2pSgdt%0miGaS5p(C6qW{C*wZ}D8{{QFMc3{ug89ReB zIg=fBCYx-q$vLnCn}Q4h1p(a@6%uqR7$zuqH*aX(vjlHxYGPi}($vzjvLr8MX=!Gq z*~QAfS!r5XS?2fm8EQYj-*12XzW@Jty~fVY^PJ~A_si$i=({?S&dF1*y)2MC2ljlY~v-j(B5A3q(A0PePwq>*9yL=Ux9nAUJe_!3c zOPhNPc;N^DmhQi_uj3f{=dV8=bI?2VkhXdEuBIH}=QLEmHMI2c`Zn_G!Ljts4>S$W zlfc@B!SVA4H@@Y1W9@+EoPzwpCoX?^eq3E%L~Ozmnp&6KJ+Ehn==Vx`R!;b!@`VUf z(%4y*x+SOf^c=A~b!E?qQ%6kbNS||Ud3R#&H^KX|&$pd1cmC9jPfz-MZs$)Ye|4j5 z{gi)X%~{{|(zZ!wruIJ5Vy-K6TvtBWTwK=k!NC4sbNipYY&-Mdw6+dI;$M2PEY{ta z*?Gv2pXz!(G0ywunZDD1Y3)ai`}IPHRqh+y)+Yu&T>c)_=?||pV&P2wkhb76jUQ{2V{&o1fp#r?K5lfS@K&yVe6dt|goExOrlUSYo_>YwL6 z`0M816x#CrOU-rnc?R?z@7$TWCM{*y>5aoCj>fT^`&MFM-`_7Cexh+uaTDp#<@LBH zA5L?geyHi%$;>`W-i!@B*)52+o?DXn^;2Iy5`8su*w}Y|{^m(Vcg2)19{%&jlPhNW ze|+Oe!`O$JzFGEfp8ohA9j3Zr0-$4nAo{izbL}lKtgo`qTJ^EQ{{3-KcK&zs>E9{~ zGTCm$Y(%@FAbxZhg1dj?glY=D3qUtr9SIj@^hVPp0{cHrcIOvZNjX!GyDK6(->KU)OmS% z#6TP<4{Wzpn~LyY^8=X24m1Xk>C}0finz|G2zLhG_;7+m2PQwoaOAaEw!?2oc++-j z9?ApTWEJ-eeuDlaQ5k+M6@I0C&F*_EHX>9%Zc=sQ?P`6AGQO|0uipu^dUOZGf?ECe zV*PE^{U;{?CXv7ipnzHk|J?&^!TFj46XafEhhT}vWhT<^-m(W+Shi>|WRaD-)7B1C~_dQ(Hy&C5rV`QcYBK?m_N zbz;kM{E+@wMB>6k9HG`L97Kznsh!$z9`NK?40+4h1CSBjP!8^<8a)fA0X~J7iqQ7b zE6Rzt?^4KnOSlBHmM6Bv7A{*p`e0lUAaceQ9k$rE1aY#AZA& zHV={?(L%k4k7}WOiTFLV6rhC`CXyR~-wsg8K`ZqX^;PEL_PU5wP>|`I7G!^Tf4JfQ zqAm#JRgb;h?B7QkPe#~Vo`Yt8We>#pFWTg9yTd`uPAq2Q+K19mgea`i=TMPqbhSGP zQy1t#(FAbq@QH(u1wQfcNrVp^jT7xT;U0sKGY7`mR}t(k5WJp@2K4+0HUe^XH}LM& z)$Yb;B9s2+HbmT`jC%sUVw5+DLVpnG2M|_Sn4hArD${<7PQ`Sbx%<`V)SsehN`F<4 zBd-!pt;d~+SKIC8!S0kobyJB&xKl#nR5uS%9nz2AJakiev-@%Q_iprY9E0_-(FeQ7 zf}!CU;?e6tx{*erw9M73(OA(fRgZzAVJ2d%)-)y$K(JLq5l|nXGA0+*0NFuW8QcX| zNhU9C61*VK3NBFwHAKg@bOs80GkGzlb$12WTUAPqa9t|IW>DF72%f;?(TqAbtp?{oU>bvyV)H=t znYJ27;l@~aW7+nXNxc@{nTSEYjo(L;sMuI5bEN zxJyJC*1!HcWdB_jLEty!67PWbC*B6{XYKKKs1uV|PvTwfy>tf~rIH+d^mqDHK7F&Wm=9IAZ_eDTDM>1`_%jFpxW=qTwvz&iv zjqe)(NUVUc6Q=bX<^oP6hn#_tb9EhH>CI<+%=GChGOm+f|&<8#qi#5@S}O`oZ9(m>PF&h+W%RxuB;K_r7N z_yd5?U+@1(^|E40Z94_PZ0!DBfkf9<+$jz;lVM$d*)b&1@&4=Ha`J8iT!je%^4AbE zN_V^k#IpmCNAQGh&>nfX(w(6MRdc`v5<&LS1{r5()ww$%ce)b4XYNd{dj=s3S%)$_ z=}7XeL$`I;(?=r@EdgPzghX(UWcSGT1G5Y3Mwy<^$yBKW7Wbn}+%NDRZUa$~=RP3# z?n*C~4j`rn%D_Fu>LP?ig?kNRv)pqP^k^Vw_rPkH$wm1em_YEJT%dTzbn(;|5pzh0 zP>sZeuW7?NYj*^ui{hY3+O^N7)*bRph5yAnOaTcyB1ooxUu%D6KszOX|EkDJSD>-D zd^ITYK}dko*ryk&Rg#YlhA9HJZ4CB9%on!JP2HJ=pb*968R=nU_A*f@O}ND7#Djxm zyXHH85AgWrBjEvb{}N|dAuWhvEaUf%0x`c()2`PpNJnA~9bhsF4A>SazM0*i+%L|} zWFE*aMc#+0QsH5GG8YI=MPe_2?oShXYQw5*-2yf1K^CCmNkNxrQ!ukJ#6BdN%b&98>OMc>e`-qDE9 zeN1`^UgiERV*h&EG;_M}nrc|By;9TkPIdyyUJz-vXu*!J+TTiE(5=y!&4AI{G?R3^ z5Hxp`&nhpJn$7Y+tc7uNWr?w^x9)(({^&$hDxwDu$0 zg*R|6WgImM;mceSbQ*ak##bdCiC>ax{3DmZEyiouB*~)sj!`pUQAdL*YQ_x{`Z|de$sC6QY{lWlZv9WvHlKZI3@R z#i&WO|KoN&J?2hH#N=Pdn4~?({}#g)0+?|q(m#rs?W<9s^pcwWVEQ2uxb##>-y^Zm z&@+midnU)pYI?Ltg#z{T@kgxU%+&Cjl|etne9g| zp?qYp7Wsqd3)5wNSV3FuAQwTu{v8tsB4qGTJ)?(7VLnQ8%@-5BGm&V2M4fFz_5*6J zi}Qf`lh17}OtU*xQSrHgx9G{%c`({5*-H5*MW~$rNG+R?|L3p;fpM6|-GcnDb6m*? zvcP{m{}ZwCQm=w^th=FMTYNnf-tj2iHJ((ud*E&H1%pu5!+r((v2P(lp0eZALJ`9y zXE&VJFm{KQna0^Rukmn!GA7BsUuXL+G+nfdc`!`Bla!bN0jd-0n)w175SuyH`%pnQ zB=y8IdLrcTj^wU0{iOul?6)aAeM)lSp<7(K`7p;yw~*RV`C#4G&Qc;jNrk?1PSp4` z5ztOg5S@Wo59`n{r%Mw`WjX!_4fBHYIi1`GNomTGhl!^_V&>CkvAexZyV=K1^}&=P z?_j;478}+{={yl5_ecEEXl7dZSd{K7LBTP|doY*)-aS(yDu-8Bg&6j;=0z~Gd1=4& z1p>YGpxrEFE#7??v7M20Di5rE;2fYz^Ko+mAT%bWYvv-h_H4A+e@!l;&vBRCCIeHv z{XCj7Ww#feJhP=IDq0yXQIpAOF!j?lyh8@NA5@C(6O(Q(*_#3``JriT`E<}UfH1!R zEA{3Jv@QD;1!vFys-cRhWlE+DF}$y4n|Su7L zHc=B;m%JA_IvM8Z$&A)>cpNDv37@3sq6wE^AET2;pw>&A-Tb258SVasOSYFpiI_Zv#ztTnY1rQ^96{Y&Pq^yj8HUh@G)KN6jlx4r2U8Ux zT-H9hRV@UZe&Q}c!aSHsGm+~R!|rIe2MJd^tLr3GfAfr z5(O0-FN0~62<+QArUXqWXYMVh*4)tD0mvwKWm`&esz;9r?dqQ3l(P{7>1AP-pq4q3TAX{5Sj_F@@qFUGcCz5hcV=<1|>Uddr-@1jC;;?XreID!th4=6cdX(6K z*~qk}+}TDw$#4G4wyA{79jWj&mnP3Zs|~XiWA2&7X$>SUTi2#{>3Ms9V-6u8){M z_#MX8pJcDY%q33ZG~`RE8xqrbZ#3O$CCmUB=riX}nmfibtyS&?8lkS$W9E&UW65aw z7E5okw-7u6yhfQXNsh2a9)hGgEIr-{c9BEMciFnj-I07ntpy(N$4ZKEXG338)rknx zI@6KXw&Bjl<3n!)Hs9`zsbN8b( z`_x#Db*6O)m2(U57bQOf=RpZ#4;m_Up$`gfA)&Xyr^8#RKQW$Ii~`RKuK+8})7lc9S>x-NU9lee82}}p|NTK^TMN>T0Q}>I*?3bI-1ptwU zdF5<0x52uKG-Ys3a{yF?%>@8PpMW=dpChjqY)X`~72f{lMrwy^=ct~@y$zQka}eH8 z6crnR-wtV?oE@VPUXhJ9G@pZ4ul3c0wWf17bNv+zyNs(=#P zO0Sq5mH=%^F-Qt3prqra*Hq$lI$mC@627K3z^0pex$Y6t2#%nPnLA)y;v`nxIKo)j zmjLzBFqME4HNZv!qye^(IBzxozQN-(G!wH^sF$7tS4Az|d%y}L_GX6SUI2P!Ez`1A zP%Tz)%e26VY|s9TVkhzawT>+h5a2|1<-lP-i<$P}=IA&N{>O2l2843ef6^ zPmm7WEACRIxPeYImw;wG^uD+ikN1oKbk7&j#mdkC?6z0y!#D#UF%C}^cw4(=EG9c1 zuX13cNehOvvkY@$F&^bb28!nmYP>&JhY4=%fvlS~pfo*$-EAD~3W6^DNf8qTVd%h# zGSjb7rq(ECnDrG_UaJg&F{Zpy>Hm@AoVSck#WW`;DnpgdY_0UW%0HZ+5-oAaKY;JT zI$Fu@%?B7xlF;UxjLE%K)h4rX(rXmT3`k-hJ^Y6IJldGedW3Ho&JJ^g$zGKo%c?^t@;-Cl7Tjit3NE4<|{0!rH zMd(&0h9&-%X%8K6NO}dV(rlc(P2pe4NV3}CKh(5`;RCE#;vLtPXDHM&$^3VESbF}D zT&Q8v+%KElOs4NytgDO()+4hYDj`mT7S|nGx9>t9*L!54pkXYi-nydWwpVhmMS>aS zGZZNV=7&PC=d!y0scSOH2?%I=eB}|oGkf-K0f*_RboE<>oI`*O58AkuJFp=pJW#gGt zx?X$?FbV@N)1Ab%Y$vZFy9Ei0LKGg~b`p;Pg+KpIRA3$dnO+`9(2LF{aCv2a|LmI7!o_^;x(v` zuY{5gD1|-E&q>o2!cz<!00Rve}ld*nZ$SQAoYvz z#|XO_vzH>H?T-*+Itib7lS^KMnKlL0X}RvT^(c+&&W|UejY~$dZf8`m1IoT1Ilm^l zR5jY^9Ix{(abJkpy}oR>fP`b_E*CPTBY^vCPV~0s22q2ny2$x1&tgf(z$>V+ztQ_pM0495=j56U)VBe<8cl{6|(I zOcJU5x;T_sw(p3S&CZ$&d(Gth#cVQn0Uxb?kSurmB8_9TB+jnZwyvZKnT;^2!J@l- z1IThpnbpDLX!;W4n;LL99?3l~tpL#h*#r_Gwiu2>Q`SF-n0Za=>m}?wsTzVBry;h) z?T&tHA!3#bM^W*KgZyWSvL-szn=vh^CmTa840r80VhWw)T{Il7LVaM@2Ve8}YpEue zmK6JchT#tjunhN;RiUY7lXFvaXpeQaSvszq(3N?w;e)F>OqJK?=s-Bl_}(rX7r&sKSraoU4I*jE>`ddcw)irMW7-hwO_qqzhx6 zGS@jrlYgGBsWsCc`}r6dG05Xy5YceZo}j5dNcWXXFp>d-joZnGBr>VIQ?o-1Fh@C` z^N^8qWp_bU*Adv1Ofc1bL>9M_hBSE=HvJyMbY^R z_Q)%dPTvjUk3{~IQzKzqb%26UsU-_tNMT;gj>7g=yp4xY!+u**+au!Vz7y#6 zK8XHyii`PHOmNS{_82v*S+g%p`60vtB==H{Zby{Knc%wV7#U*B@#K5bF_h1AgxQ=j zn)0=zQ)qTUCuA7F42acPCz|<}oN@{ZW#PWK8h0}Otmorn$oSAyHqrV8?LK1(Jr6i9 zgSm0|uwf(XhL|BPMW@oaHyE2b0G_~Xt_Wm>#_w3XmHnprNT>xk<{x0!(w)UCXP+~E z+`)8TEVi4QpyIDdsVK0y`YHcrph)UkFb4V^tjHx&`OMHU^hox@l#`7XHZ*)Cf1+}4 zrrh}ozm<_19wW>BLts2@)cBV-Op``*6#j7D>L?vk2v3{i`6fa}`wgc)be}|<3!u$T z!5PDpk`8anx7S45-|U#R)KvlkAjA2N;$_ZS4`_6DCvej7%sTl`sx1{x0^cJ4N&noe zDBl~@>iKgoF+Jhn!nII#|7LSP@Ug)TvwHw?X}FmD9ZW3<6kumgcjIEHZvIQ|nP_i| zIFcLff$;?Lc%Uk2?Z~x&iwifC?Zd@{KOiY6d7fZL0+(DLfZXx^D6Wg{J{kpQzpdpj z$I4noXqc7P@w|pC)uuTrYa70iv$_*YXbyD6kxJYjiWM0p&DY-epsAnx6%4(vNzVF6 z8ikrh!+w9g(x*|$i$Km}yrLm*g)0wa!pF1~N2B;`nw0R1)#Zgq^xYRFjY0c&fH211 zzemu8s>h0_BsUJ7X8@;375YV7!+hM3VDClCClTK_iL+#%MA9)l;3O*TX+pBSGDbRy zTwgGcL2c$Ueg0HrE)5E&$7%0cBCExcF!jl zcUlQC3@{p2sSVGn?S0gyk4==@Ud8g?0r+#MS*KEiO>?PHCb>=&s^gqRuxWUJ9duzo z=jNIu8wza#Dc@-O^MrboEeSmCQhMpxd1&GCAr${!}Z4mcRsN`VP;kt zdUOEbPjOS>MAH}jm<-(`#MdEG7oR$#5HbB5dKWh8%3`;)5C7vkp177#=OZPiwQ52) zubA?*Er#(*PLiTOO60SmEwhj_DNmk<4J~?4KY0N*bc_O&lB`9B?p8Rd#)7m& zdeT{8#^x6JIkmyvsYww4!&T-=!E}A=5J`-1l`~RkO5uIMZm40W;Sgz3FjGs0F+J^% zMsEoqW^iaJx?noi!E{zjSCQ4BX>{C@u_P|Ela8a$khr#ZXGc=-tdcJ_Ko0B1^E0xu zPJ$6oORPJA)-|Y^IB7QmYiiDz9R*Jx5MHJCGONYBDS}{Nx6tPqJO6_o$(|g?TG($e zgG@#c>f&= zBh9dP2`{NF zJ*T$+!Mhg{qs>lU62A92k#(m!SSp(Pu@1oh5k3HbF)$1^yr(1M{03+%Fjkkw!Yn!)9@A75Y5c2MM{pJL3#=8$cAB!-cy2L2kyt$%|6@4G^p;(ET#-K#RTH@oc*?$6XNaMhN^U>1&X5pAx;YQ4H$NF#g}vNDZXIZ#>erzOsoD18;C9sT zrnD?dFmn5A!#kvXK?9x$huM*!Yv8BF*B?jbfiqr3RRd9JCR~=Dfc=wmsV{pcnhLiP z(13x+G({(VRx}wqCL&SyVn0BP8~}2HH#C4ywR0m#-Xph7yhh1~5?X6cJt1YNq%m3c z8I1gosDfE)lrHT>e5fav(=bb z6>OJ9n~=W)xfskv&fT#EyHV*hH1Q|o+}vNzQ^TwxZsS+Sl2uX(YAJ|LChP@ zyujRN*XeYvQHI0nQ%T}DXqpme=4;Q{jJh-(lX;>5Huzq|U5Wnup=uUldKOq! z6%z7P1TCn^iheV#*BMR`-B(fBKkyea;RIh#oJfmPtRHK1Z|HEM?t?DbIf!4PHFim` z?;^&%sg8^g77l<4xg6*7J#+=hSXUNJCHt0vH=y%H&FWLOmvJTC3Z4<=$Ed;l1r2r= z`~+(_c|poR;@ZL?CfVo%_Kb~iFv$muBkC2DV`@vI{4x(`?~TQX8K_(6MqjyZIx`Gl zA>UWH$^T)H$0&s#o2_CgNf)jP$IWG@rWd@8Z7yaQ(~IfsJ!o6WjF~Wr8OxlODmydJ zG9}(;{J+?~G;d`4!xk@9x#I&Mr0mA-15!TFdj;1bubvsht#?lEY^_4pPv)PE zCb*>#iHwWB$zjY!(veCX)eQGTnX2$BX zKezMeXxRG-T=m<{ankEpYEttf)nS;bQawEbw!#aLhs{6E)W~{;)Ws5f8m(5yj6(Mo zU{}fph16o=o&$}_fV7fHIW_TSc0!?%8;2Gqkb<)U)Qzo{r!9Skp>~FCAwJ2t|8}#*OpfKEmqUl;_ z`+9rB+M?iV8Et9ZurNb3u3aX0gTy~W~< zb4=svDxjpD-OnKQ1!r*WXwvQV@=r zJx@@mDg{#@ir46MuW9&Kwe(OpZk(rW&VOiTOpMy$Wfyr`=U(j-2xeYrm}Fh%)5x~@-@FI&fKVY)IK z4T&1(VOnewqsw13?4pHivpbMf;6`$_LOP0=XE4rw6gkC=v(6b+h&ir%QOhr4c+|!9 zIk{hmg9Q{s%f*bzmlwIZr>Rr`w~=}#SA$7MP}-Wo(Osb%7GsWgtRfk@XX1e^Q@WL) z%jNk=3DN?jJ8l-fXI=$mSbB4T^|wUWUD{4EzU&jYzALITmGjo6I;NDIgUbB0u@tQV z3;iN#0upbA)~L>FrRR0hA2{m``ExA%eqyQIi2W|>A{(5lg+D;ev0Q25h&aQ(Ni$vV z-^%64zULP_@}X zt1wo{3(1hkcIjX=u#Xd`^niW$Vq4dSu~0f#X55b}NM~RIx-}22$cMuQyT`el9C&KW zGW1Rrx@E^x?fA+vM3%jii}Kg$9#LNo^3`BTf8%AtWX%}`sJYz}RK`Kt!q}im>3p;9 z+7f20bOjr)sOdGFlSz@*qQG(anMmGBm?cbCpeSX#%9~TqP7WSMFtNhKM{0tD(V`8M zVQCD=0(zpUE0Mbzdw0P4Hxd_JR5A~fMSIE>S?75NVJCQI!nwy&#CO+{38rp7LIcL? zdlf3S+Fe7yi=0Q9A5@{YmLbCua;pikO>CQCE7AR+tMdTBA$Ihx@F+cxLroeMM4x$t zD3g)Z}_ey`zp!=794$YcMlg5 zzzZ`wDu+x4vMqH5aoD?9;4`={yiK;+1~H%!h48y=(Bg7Wyz#EKQG1;*apLL&^vIkMOPUT79E+jrRc-`p$q2{TI_$k1wI?ZN`i zz9Jrcwwuk&2scGh3)ntQR@?`w^kLQRrL4e?lMB)AwFOB?ejL65E1({>*1I3!%+jb% zx<~Wy4mLqPuMkJE2~t+X-f<+syHI`;?VSb!Ip(aV>)tuUSrLafKg8{2?FD_1FskV- zpr2dr-iN6X&V@;KPzHX_Qt3>vJ_FgG)E8tR5L4G7{y>6#wSKk50Qy-p~0ZG;#60I=L+a?R5zfvckiEw_opr8yhX$4Oc=bvhag=~^?o%`R#^PwZlqfl$K*ad)m zr41dOIa+@*E6GO{rjsV}2tPE-*-zlN8Q|Tv)v$*Wdz(|Ow%+Dgsh2{28%Z+??ceM3 z`!iqi_r;KzJ4OZ;%y zuuYvGB~e99-!S9EXn4g+I1AK;R(IBgts0mdFv`L$xhS^`^u_3dCDWKeNM&ddiPuC!f$j3 zkXY(EMom8h-9Nw5%*$QT)S-&9sj!hUsH0$M>V^%!YuI>S9TMo)%jQR!?7)k@WEGn9 zXN1mUaCRQ)NCEHReiu5^0{sjd+#9sDnH{2|z=`~2D7br?X??TwnaXyJ=IF6xX=679 zD9vsuC2cCVqq+_>Q5FUMxrDeaipmV>8RV~}yEHVAXM{(y7Q2g4ejH4g0hHZOacM8< z-}tb?|2iL60NAT5PS8)mHexlBeh7B6?E%DvAR-$Y+hDpEBHxa-oe~(bo0Hbpx+|#p>1YwNh*ogUDfc(cEEuR z6){{Olca@;S9}VTfc{UK7J)#V7kyJcHuO_p>_vZXdONIU8wr9^SFalt)~7T~_u5(P z{m#*v8NE>8iA!r#={~NXX(AXc(aYW&i0A{{0>4T%S!JAQKXr@0KZ>q(eyGt+&`HnX ze5=Xb|5R6!A)KhI1ofgHY@3-gFpJBejU25IzN$=vFWIhPKC@do@S8PcL}^w>=X^Wk z^1RGH97Lk`iv6gDtG55ilaUp06dJg?#XOD6D-BO?>ldJnc?jmxviTQVvmOLtpRXdq z-%<7|Li@~Fa)N?C(8(c62AthF!mw%{Ny?6ll+Tkh`vNUY0&`LRRS~EMvk1F=nC9Zo z=0kzU7-z*dxZHF z`lWxO=H`5j?%`Mm8C1{{SLcD>|2C4@(Si>q!KnoT4MmKD@ZMyN7I2kJQ8n%UK!y+TO-uf$b#F+8Wl6Oda;6)s7KJ47K zE3gexkf)=-G@NKYY%VC91UT04SpImto$7$!IHe#vCPc6n={PbZ89-*`+l9qK(%t-n zbM6klM^{jgPPU&^J0FJ=wi-l7&h_@f^QLQ?@b#>h99-Z7=Ncb>E~RJ^GQJy)KgA{4 zufWcectC_%_9d9%eGkhh!Zme8j>Mw95Hj@vL?^i8fT}>lT(4*flPAI{ZPAJGCZdtX zL`XOWHc|EjS!y7mWppoJr9xgEg@*b3%0CwaOGaoiH0N^4-@p$fQWgnKvZ@I*M5s3$ z0XCx0B7cy6O&&n;lgwTvSZ+>mEiKbopI8SPg=g8xu3_R1`->empKIMiKSZB_Y*v@f zN9<&~tp`)VH4Rvfc0bv=6zJ@JXA0aKP)RPR9?tncU_UkQU7s742B2q49tk~c*l(V0 zv+j*|==}ZJ&e#1s8Rc^!{~F+u-`SZ5zQVvM7d6?m*6i9r1b-u&fBivlAAXvRzaG|* zL)b9ZCeK6uS8*Zi8%IhHA^%fh4Zo!He_>8wN8rZmppvJidb`<18%hb8&WYk^B6@OQ zrvy9I&KI200gV`f?bK%NnI6Pa@d`54WjZE0b24Iffyq=M|s)Ra*J2A}r48yt2N`Ebwh`devRj_!^K&^+)ya}5G+fJCMWMsRf z^QoEBb#13^UE6C%^xOw7d;@EKEA)*IOFiiF^eNw7pU(7hnYgJ(1L)erO$BJF>lgV^ zHE9*Div_%sB_`pp5Y6zeLS_Z`nkSNR?v8_FaWS*h`9}}@xM4gXffP<)L*`$kI*|7` zQ?pxNGiVJ=Z+@;3)}=Z7`hWqkZ7nmPa5ct1_D5}Bpf{WrviZV_^@jf1+?OaSv8{Rf zYGGsO7bf1dk*p1^14}z`1>vRf5%wt^?6cwkHfw&8eQKif0Bt)6t_&qFkglP*5KFF8 zh7Pd&{uuct3f*LFPVJ+>ZMOSs%INJWu%3dZN#MDi=!0qN2H1K_g?Mf{K={eM@!kt; zrKHAt&yfV~d#M%4{7C+g$-W_qzr{D0OIPD1gTOZO@~`B0jN)?QpD2WBISn&RVuUY*+c29F_?k^|t+3NQ0H3_MX5qoGiEbfz1L|-0dQjD8 zbpTa;=y~+EYnSH->t({1vBsy>6S9S7)>T;mcEVs7*qL<5%~y~&{d%DaJMu?cc`epC z-;3J+6MmjbrORucMdCzzmB|njEo@}R+CLAU$X38v*1Md4lo@41$8MT*2K+i6s*5lO zP7@3~#0LW4cG1Wj3$8|g_Gnv=eskB>=tigLHfp3~t#lCQ?y!k3P~EaVHO3i1udz?a z)qQC^vki-7iJ=D=t8XY3S`XHyFDpZ57_)i0G#E(_IYEWf>X>HAip6W3h^BMIUYy4_ zvI|?{oko7-B;Od!?ljjsl9{?2u7Vi~AopQ1xJKuv4t`GxV{`9D>?<6I#JOVmRTMa1 z5FJ-A4TQqL)dLXygy&Z9eRvQ}fx_dFxJ4kjKP-<&jb9-U+HdTM8XaiM8MGZPlF_kb zlXkHGAMXANtltdQ(2hA(g_!W}1Gvlra$B73Kp-P+?1`!#310+W-uXECpg(Gq(Yc#w zJ6t3q$sGX_w1(ZnO}ADd4bj6KuPb5fvo)9c?mYw|^R8U>%E&_HsYv4GZ0-k8*g84Q zbY9Cxbp|u==e2D~&`&fGxRNnl%O;cXYS?&87Vt;TL2=TQsJ2P`H+pHAMt74yFJm>j z-{G4-M#${8Ej%#0zJm-mqab7k;yceEInK^@-RRD2n(=GGCYm{^EmHTIw(XKg(eDPF zu(s*+YQqm|u-tfqNwyOK`uCD3I1-H`x)0S%FB;UZWG9z`((U6k8>>)m0|Eg6Sc3g6 zGW=)wu6NaK#I&&gQW%Ed9=|GpNd*+^c09HA&@lG*-QYV8R^uCM0dPIda{D{oao5>O zg7^O0 zJJ{&myoLSA?mlrFSmJI7EG?EWLgs(8R5)vQ1ODahqIhpLim89qpB%2gyN`r%%J04d z;@lGu#{T>($O|Dk;yo35yF1)%q_n>hPY)-aBmHm8yT!O0Rs5@E?|tY_BmeKM_D0T0 z``>i#lr0JV?)1BR-uYLW|L4^I$g|aO1CT|KuK5eFD(?eH+J&sTp_M zC-l8z5yp4E#`Zm{KT+7P9s;jWa4Y}+IR;n{U|#+IIp+W87+1EXaRMxr;W_4SouE_L z)M8fA?oMy)AI4xFQ9XA2{jRj?$>Uw6q4C9``jN1b8(Gsmp7Jop4F4G|?r-ivdQnMt zU={GmXkvY4M132>NQq$L`fcrff&K+(WTWSB{olVWlG+vBBYi) z9v~#EW>RC*T;NO{OXuUM)VTP(RF@>Bry1x;j4M`hiBfuI(2dlo>6zG#g673q$t8(^ zhN?{y(_-i$+$3!pM9Q6rAQ>^$n~`0G^l$}CckjB#hcDC8yalaD4@qT;!G9pFM;5)M z3&4v|q8i=FI5yRlo|fUsUVz{#%_C+A1LXz4lm|~G!v--mL&WRxK-HLfaiBicC5!2{ zw{RR|goHg}Iv{C|)lndbDbkWw&_XJXTQj3zXP=?Zn4MD2()ZA~7 zR&>c;>KpLCQ>Ue-6@1g4*-THc9v&CvqW$o&SHwo&ex#C8b5p{ZO3(0QfWK@C8sjMs zmnS2Am+Cn5LH8rzJMC$a^)Zh)s2NWqo5^dAvR0NlzB;`++EI0#E4rl2^vq%1G0LExz=g~rh$qX# zzE`T#GG+X=Fb0T(Rhizo#UMClGGdyh=GYw{>W0oK_#9oPX%TtQ?D8ueK12CO#@wYoX(Gk&nLdC2oS- zYL#JOo)tdQ>SDV-Mj5M_8{F348EcH|V2QJE7L%o;C0=i~@Ro#lOPpY_Qcs?`KhN6S zD>3}silTU%#jf0X`qD$Wt$pK?^bU*DlB`TIE0b5r^{EG{EU6Yz32%@e zKT#8xW=XerEV3mdGBaMc>g`M8eV^37@bTq|FMm@1#+TP7>$_R9VzVvXm5{qQZN!}T zT#-Dm9D(!@vOMu&j4Ub(L|l%MvQUAF z;jRkZk8ngRjBP~@!kVFvVH61{I|M*>2s~y{r9%jyy#}$q81;t-@>=3lOBL{Z3+jf{ z3j4;>;VS(Lil#0!Iq!C*{-!jZSK8N}gi1a7F2wmSO7^#vdJ?m<06oOizP{YA(t`F3 zX-K3BMFZSS6nvEMQNahpClWpseDv@kw7T0}_@XcgLii6x+*3++qw=0*HcqX-9fso6 zz;4+7XGBSVa~Fc%$5%slsy>Y6$1r~lH$Ya&)2ozaWenhRT9g(PuZoSZM8@IB1q)Wg zAJ8u3)zrXfEGx5GQz9%l+$8W{ld9^5<036l@evk{1-Bi1BEkwt#eEBjMTbJD|-b0rV80!Z5KICxh=%kNY9{ za1YQ}D1C%QH54l$Ka=7kEkv!h?>TpGJ5r?uK$v#BAs>q{zE0Vfeh}XCzu(@F|L2PO z+lHKl*+IpC0)$}ylcS0Vw<8s9N5!3X3%8>h+U#y4+ygmvP{F?RucJlX-cIP>+U!5? zLbMI|>Xf^~MTwRs-f1$Fq=-{la9_%T;uKU}@0LVIA=EN-^jH<3o=|<;2Ti;xlcM&~ zkW6AcwnT=96Fg6a8#p|O;*fG*NlOk=CZ64w8NLgtMJ77V%J9I+eW_F|7-U#Rd<=sx z!lKLpzhV`3ra*g9Im%*4AI8z1&;PalgRqahUH_k|jJs6!-_Aq*&xU_6kp8oH;g0&B zcmIA5`ucel`_xGoN_X~ZtveNctuR1xfi0|E9CB9#f^}DmfjOp~mn;O#Q;m1dI3Uxx zL+W;$J)`>Hh~2`H4IuowP0ZFV7XXg1#&KinasQ$J#z;6UEMI6BQc&hNAX9?_=M<`t z8W!J9-UsAwWNk{Ayk^XZDJekKJ%LKnP6`9k_lyf4HY~w0SV+9XRt9{4R5dk>I;;k& zG16uU^V_vk#ZfV_w~5Ed*2FO9-AH(&-$DaxBe?WZZvm-sx@trU)!We-e&ff0(biu- z1-74I8aLo>9FJ1y{z7+KW`AH53=_hI`TT%|_71mU2(%Gn;#1()7@*uEuTxIi7k`%u zklF+4cI2n;Cq0-wf{3TyrgRMB^MqN_Jl#>FAd$8tD2!#?7$5;0Q^NplruzvL?|vEj zf0*@zv!w#kn4cPg9uO`A;_h?$+7Z>Eag<5eBd_$A?6rvDDWl^B70TCL-fsD6QUMN zRVa&OgF#?NI@3~E1IzlP3OV;@(7xq=vg%?F0EEwu$}$ zLhK1mJ1~qdGNQJHD!uXn1*wN7>n%WmJl@tTv>r`rGdeorSE{|?4!bN1k-;C1%|X}*omSYyD#`o zO`_JsLYKQgRC{cw;Lt-_!$Tn(^&p^T)e9e^npO#rkwVo$Ei^(+XgVrv>yARr8&%_{ zEG$rm>ZdrKMk$-)a5J?AM%0MfiM1mpghu0ky00touBMjOo{oPmJm5OLVs7EoS7)iT zP>Ug^w;C1{*HrbC>haWMYD0d7LppXtHLRL?KHjZ@HU~VK!Y}6Dx`X1hta=Zt6B1*? z@JQp`cxlsaH+#!TtRJmW@@kq-5l5kk63$^lM%50%;h9;qE zUmU8YOF2Ys%H`1NUl(4<6;L~%$+kFf%O_gyDQ+$C)0Worqef8`GUCR;?Hw##;jwa^ zY_rgKIJ!)ye#Wu+9GptH5hRdrH)oX&MR54)h1f4t4M>h5$la>pv!X6My*DEN6ThyB zU*h(cQ#+^ym0waUJGJ~{$3WG)=<+c@2`CyHaUrM%+%js@wP9h_8fr!D57>HS9d{KA z)LenagG}#4d8%-1xeSM&P?4$m6+f2{|q=?Q^*TgPrK2!23?rgaZRn)7bve~vN22IbYNPz4 zR%PjRB+IZwoid_&-0=Tl@7=?qs@nhIwP2Rcg4vtd8}^1hum|?Q3=F~+MnM<_9bixp zP*6}jprZ~l%K4z-nG_YZloZX%10|J}r_86rlNA+~nw6!cmMNB%m6fHHR`%Y5^?ZB2 z@AF>Q?{{7ApO2TrY4+^B&g)+HeSbcmde00P%C3g1Ke?vk4}0!bTA1CQHOWsP?PyQ+ zp$GW={($9mTuH&av4)NEMn58e4z#hN`yCMTX7wy`^TV}3ZY8p?6jgAq^Pe$V*y|Kv z)o9&9+ELsUmK=tG+8v5&aII%+SSEPPVWqC_z1BTT(_CY?sg38ja#U?x&Ej9!lZ^Pi zmJQOv0Gv?4=LH}Sr24oTnVs~ltGCHl>>58!Ws?~Ilr?w`h?E~^DJ`<1r15wtnHS`0 zXlSZ(vr~2Wxa*Qe{rLA!@HDoNx$@1`0EWG~iwiJ^8iHA7tHe^f7PeWkhp}@3j9ufb z-#yRj%duU^`ioE^1TZ9yf^Sk|GctZ$l)QBoe#4iGN!w z`cU$$RlpXFy1?$Mx4g))3n*Ry>#qAlVUgq1fpxTw=loqWNtx{|i$z>a4asnY2M;sX zUkQh-B*#W_350Ui+LMs`WHL~vk0OKlaKA|j$S{kc<6IKMu{HkY97d1tiZ3XvfbF<6 z)>q4zpc32=I#JC*o*f<>K6rkRyebB+ch6-J0&{xJ2kt1?0S# zeiRb{7;K1jHFhI)667pj4MZ881I!Podl3muUV~{FL}rcl*$6uza~`-H6R>PgKqOzI zqMjEFO`rs09@1@&0<#Aw(CR@l*RoW5IRK9`bZIa53el;{*s*{+M5x;EsJ{?wS>R^~ zr#R`#yp{)hN>RmC7v>$8Y!{JfxR#8-o8y~|W=iq_V}32unPdJ@dQVb;6oi#`3D0sv zB_6y^q!wpD)?x(0VdQb>$fPeXZ7##n2$B z(e6M}Bax~`cD*PkQKu{7=t9zHP0)B6jmKwDu zett)}`v*YB^U6&akvvS;K-9Sd288RXus1)8q>{(5k#2J1?qZs0Smw{o1uFJLdvuQ(;r7=7PMA9 z-iil0yQu@5tv5?Fj%%*9Wu1P;#d)wG<|KHj$|s^=reSpx74#^`>9XY10#w|IE*` z2!CLDjLIRzU&v%ub`6pS;$fXzktg2 z3+yiBC^WpK8#uxQh?&nxKf@7I9E&!xjx=JiZ>D&6_33ZdA^nlWSUS0eN`ArVm0c?{Fe^&6AD|NKk>FXo$fgOdO-|~ z6F}+5c_O=W#S|dmpaT0ykoa?`97^VrlkzgsZ7)Tae|5c#^VJN5rJ!m!<2mP%)$GsO zBtPT3T2hGO48O_PVc8T2OUi0l=M_tLR->89HNG?wq-W@5*CG;&RP`BwPZZj$IcCu%0w0HVgUyYo>}3l2P@TG?*W4Hne1^> z{62Hx$qc*$|AFGf!zOXHsigpYZy6X$)|M9LOf#kVDa)^m`Dx&?b;uBhO(Os5Dt(s8Z88o*;;k6FRM!I z*THDMG8{D+u2bVA?TOF9=EGIe6c*Md!975VKD~~8Q;X|cJERB;qfefR+W$#k#M8M5 zbxWVnC>>oOBb;eBBKC929|?zCYy6!x8+{+Tau6DL3k?}BQF$&OHGLu z`|C(jz>t-v;m*tHNeRkJs7CyU0+fgH5UvIf0U5n8JO}2Bv`R>A(c?yeE2zO(!DG~E z$eC_i2x}C=ldSRhP4iPYhdgFjuhpoB4SsCw5451rPYyS|McFTC&Nb{O4dK7$Wl2bs zCD80^j-Y|D_v>&89Z6Cpmvj&0X$iAQ4#;fI8Sg#14T&#gpVi8;)L_j}HpoH7=cJ@> z@o-=O!-L$z#M9cIHb|;1sYc4{d?F>`*q`pkeq;<2K*HNfr2B2t5w{Cq#-4~tgHf@+ zvQAo87Ol$$nUq|rjKc=AD^;|fW-c-;p!sh`Hg(Vu>J`LZ4@W2RyUm66bN%gO<9p{R z{WaAtcB{-j6n=GPZqb%2M|8XqbhiHBEe;%1;l#OW0kM zjMIYrH9ILzQ{O;RE+4aO^CQvTlb1M1_1r7ohz@E1z4=PF@@irU8%Tp-hBP)-8mCZL zdwQa=Q|oF_ajIhzBqzzqV8$p{=>Fsb@$?b)<#_&7JQ%CucCE(UY;s#r91!q?G>SoTZY!=3mC3^7jG*r+f`i4e#Z7ti+3RZ4KO}*PP zL1l#qC6$@Telidi8~lZ`NL%ij$-X!c$Yj;)5m?qXcorD{>1X>HX~9p#|3qO?AT8`0 z6z6oc=&IbVYWIHBEdJq#Cn!3N+CTqfcRQQLDFtnBd$1*yb?l-+9domT`f&q=W+9FY zb#K4sCUCxO#{#*fc-ir!-=wK^AAUX652ceIm33fKLJp`R9{+`ecFXpIyZ z9ceH^%50{44qq8=I1=tTAWn!kJOwNa{7?SUK1Mdp4bDFc_Q*iv7kc^>$C7e^@dR=K zWEb5BhWb9lZV5vZ*dO$8{4WA-0X`uZMqVMiQ8LFT?+lVBkUG$zmBYxhU||7~1R@KR zds-Z^+w~+*t6oQzD+B0P#&08;&0GK-X^^7mFd>XtiJXQDk@3&MMwbK6%7IPKo|wT* zjQv&H-fTDcFi&bKEAf~Eo8|MZ-K;TA9~R_w6d}NToFB^Zq3_FF&m7UwrQo^MuZ0KOzJ+8Nrs^fzd@PMN z8-!7m%@~e_TJxi}Is|5t{UAzv3a)*IKA<>TSAktdBun~4U@=ZU-!EqwclyLOIR57y z-QKza{bpzouPkWadoK_$reUe#o-h(#P>;IaqQ-64oFhOFlUfuJKLty#*}J%mWL3Kg z?AilLfCuIg`Uf3>u2|;A5RO#myv$lsfudDgLyF1I>=M!Z82YL=2^^GFO*1Rl zWATP*H2#cr9*HMIuWeQq;q`{|hBb_j^@eVytIEyqjK_`ySZ(HmhoGq;0)EIjBOZ>t za#6fCRC!YeZpQhn4{MQ!vEL-A8{_dYK7$E~aMjj=DG__#&W1DOZF7qFDr3|JB(2p| zyFBw;ig}Z`IRv?YwVM@;^j`9`^~mCf`S%$#-|ZheJ6Smoeg(rvFrWh1w?pEE|ZZ9J1MwkGOkMZm84WttW|{Fcn2o&Av7zRs}Oul)fW3yb1*3t?$;&kp3_ zALCdynhS8xk>Z%4CWTe>*}wV-;dC;1KsE|`(jfs#*k8_PDh=bPMbx%D2wv*=z~r|6 zbbYc7ktXLsQfRj!b7}E;$LVd4(=kBPgpYz5K}Lg;p71gtKWBr(z$xqr1@$?Ky^!Oo&c2xT|JV8vfAh>!A^6u+NP^ zuHFC#F^dpyXeU!~30p<4RJPV>8(bd#QyI<3f6wvak!70dFSLfa;oZlS@7#m<1AgqZ zOg#ieYHB*&>})^SCOt8iL$3tm^=(IQCu!CsY4`~&>B4)`P8z-u&54~(Cd`?_4oC{C zZ-P+A%=#KORlpn{FQR(38I&h_pUfG-juy#Ojr?FN<9%T2GNOZDq|o_WdlKyP+YjXFdOU1bH;15d=i*XEhie7JpxO z&n7Jh#ETihj*uRHw~W(JoMSk-MweR_YiU~kBx*OG5#JJ8uXOZUujcr`GL^#;t#M{D zGm4t916K%5LACWTTbiwT8ubN3YC!DsA%>}e;-COXu)w1Vz#F@n{ZL3Ah)7FD0vJig z$5Oq{P%5+eL9v~TmxmPOibcr6jDN5M{4K?DU~?Rw5j3dMOC6 z0`8z$P~TbMI9QlU#NIbNBWUE5Yb3!yHVxitTUGyV#0B$R4bh_Ut(YI$4b>V zoC`z*a40*^&pjE8xDx}F(_EHCw9C`EeAF!OmBMXf5P3&T1f5dOP8htbcSc%(^p0}C z@kF+OaiF*{0CdxB;4L{~7!x4fi_2ZJa_mq?_e5|uAFWeP!7;yeD!2lU+9nN5kT2pN zd!HsBv2Xd|2ZfWW6o8(~UhSKfXFRCSScgo_VKYn!FIVOPGX<9p$xW&Lbe<3;G{T=P zgE-jM<3q&jynJ4YGDjyb3>4-SkCq2^5Zh$Lh+Mv~5BTi7j-AK2(Bijfmom&{gT1bX zu7m@#>X>9lsXm+{3@y5a?9E7y0%bkd7XmL^QibwdBt?Pn>}WYq&KFz-jX3)p(yPFO zg-nNO*P{aKnIr@_*GQ}@H1>oae_fFERptCuPC4C;1g7hEI91QSW42H?m=oj0!FuaO zc2zvsG%MhhknZv!(dLo3&1w}#2hm#exFJ^+zYNSBjNKckaqIhu&D1EqoiQT~&|FeF zDWF5S9DK<<#C2N`r1dn*J{a+Dhwgrz83&B-K>2Cz2Q^iPAYqQv5g*dh`ce*}JB5+b zLT-lhTgNf-MEMF-6p3h=M(vG%YB6Ix6=*fE`<1i`e*F-okX@rL9s=IO4ZTx396e1y zIy=vpHYIl;QjI7#$0P@pzF-@Nx!{6YM4q*&sB|bkmiSarDcB$JagDk;`&%DVxnztm^Z)R3TuK{jD2c(ZSBXi7)k>^vXCjoV*~u_M_DsZX zU^Pgt^Yxs-!}yi42IP-pZk(WzNjGVL65A8P*yKl;P_xM%>w_!2o}s6}Pf65aC?f)s zYUe@M*X&6Dsnta0D%7Ve_!T=~L*7y9Q9tAOxRT>zw*F{NV*6zoC+B8|BIY~m8XU)5 zPJNjXas*+V{AO}7;#l=%U)Mxp7i8f+xX7RnvnQgY$)s5cr$ei-GFccelqWgC?Kw66 zrXX#r!q)^lW->}aIRn@k45bB5PTb>Px4@B!vlidQ1!hb@5V^~gw%{RbsUNAwsbvR{ zA&?=J@>{|{;iSMraHys+@l4t%+-TU6Xm`W5z~#^{a-!ulc@b8bEw)d5#N|o!3TD(z zI5*l?IFP&mDUBL+VK&2Llwf;~kKEb(lX)7qsK|t*V{pj4C;I^;@s<|tBsZL#fgPQ# z3RtrRv|!{4rI4m~uX7IPC-Uk*J&j0vE@_CgUzh@}-Mu(K*t6yV6#pwwkj())plCoE zaq>>{Jh9R*HxUyf>6Bi!J%WS_LK?S2;7AsoAvy7Q=M(DtdTx+LU1Cr})|d>I4})BT z#6zLT!+s%o*s$h^23K>0YX+N=%m32`vV?~7VPzi)?3ipmN&^2)rK{01&s}NQ7ih5u z8F~WQe1ZH35d`+5G5j+*c#UzaK@-;~eh}-Bh?U==<0tccOHgdjI0Fsi4{D7e7ChNG zhdo+^8cb%eSlPkj#1BjmR;ht=ocLf6naKZAgdDfCO6^&trWk<_liS`kLgv~Ng1W0c0^d1Y#_%#+eoTSR;<)_iBMjeF-}s zR0T+Q*I3M(%hZD4_&3-UEO~_HXdy(%J{-rtJDxbzmvQ$@v~v&c998@o9~jy8GY)AQ zV+_z*g8b!JaEWK#xSxich*x-8Dg={*5a*K0NLJPB{PTWz0&hJW`ra7>i;()S$U(n>m^_bxy!0e$kr$Wfm3lG-o~ z&yX|8Zm9?x+nTafYzsqpF#n;y@H5#+R!U>kPDI|4Li77$zV$s^CnZSvz5UH8ATw(p z4Uz;-4+hM9fI8DPtEU z*t^H@An!Z$c3Z;JZ3(6yISAwz8r?>RebTq#CZC7S}4oxA;Q z%K$@1W7oN^wJp;K%{ z#)vw?)b^~gHWUozE#d4oyRN2YZUZTB1nnM7*R=db=C&NZT^ps=MzPj3Tx?!NE18#e z@4*|79@MCFv(K`o<$j%!#s#cnPutlRm*--}xzVQkbuK;rHa1P$^bj7=^nfv4OP+8I z!bbiBU7I#{u~r%^WaBRI;V`e^BI`vwA$vRURSCm5&bA!&`Y1>74j>B2zjDGLjp}%p zBq{yq8{7~rz=31^RQ3VEI602rHNc{e=f`TL0P7Mi&N+}{`0;`i%fGI-lqj87NQH5p zf;pyA4Ma?>5XfifVI!-Bvv4hJWVPvM`?bDm7(2);939E1{DEP%4gGK}nrql%=vtz@ z)~U~F6atyY0jwM3>@~mExtIN&HM|*M{s*zq6{b3E&#$o`^NK)%@SBDU5#V(IVN8xs zHz6(=h%rS$8y~=|yW(%|FDxfpfItVQk^{`LBJexp8kU5!-}$lKQB~(!^6_8@r%g;_ zNEKd0NZWE8XSJg^V+NPJIn6xXx)d8+Ke9j*y^z!QehL6>aYq0b)tL!2)%g(Yb?Mk6 z92rCn@rUh!NLVD8&miE$zUz=Ib>(al(L}m7>yO`v;NOGp%La{$Fc#x2be}n{M zk-L{LB+vFKmS4d`z+IdIpq~#pKet242qKhFsc``{)2Z*5h9O-x3N`^2-!ydo% zAVglW2}quS>uDG_4v*~d$L$a_Y&8O1HZv{$U6J^oeGgB!n%10=Ek6FJCOK+^e1Q2T zu}Rq{*8tknkKQXx5Z-poIy%SIDC7wdaxLx#MFQy)A(3PXMWBO#&&UIM-buD&;VFC< z_qZT{sSv-#whY^z@xkT7yzCdfBx(hf2#?mNQy+LpoAaS@nU=Tv+a!aRPvsCtp6O1N z^@c31H?WZHtTG346G=9`zy(S}x504|bLXjI)*PwZ*GVxPiZ*ETugXu4-xaxjG47zv=H zrPwipO5ll|iKFEZ)2n{$d0qDfbvXhZG?m)zt^aY8g$)*)yK-El?qdSS+`KnN^ya@ZYXJ}e> zPA8}p9mb&LWm)5r7lYPanGsKR|6p>f4gvgRBaET`*$o=;hTpasOrFeFB^dV^sSQFo zvgw4L84h7U2)OQJHt~xS`LP13PL9#ET(^vkCmBkCX^f5@K^qJ=bmn>`pI;-l^g}ak zy(16&!!wp+Q$MNe!K0Es*d2NP2E;mBlg^Y*;)*qD+kyjQIs+{;S!=FQ&(g5Oi7?Pu z(0Vs3Txfhg7hnw&-{(!YwR|rR%hV)}QPwc3eNBnU?mv|ztHA$wXrI7|XLbBY&YUGC zgALscqY_+uxW>3ASsp}#W3P`PlidTkD!fTCC>v3=4FuEEb(vt3CkFRCCos-fjy0%S zF2IuxKRl#x0nT-nv1#$cAt}jjdlm7I>e)e+;u-ly6jL92(?xQ~$J`udaID`9X6-#0 z=2+zv$p^Ba53T-JPC%&Pq>u6E2=9q#2%D2&_`IH!TK_>dYt+S66)fdTf8>L7bybIA z>+;zB0x^nuojin9YM9r$+hqf)u>`VPuj2%?#b`}ro2td2NVY6NU*UGoZ4ieHuWK>%&nF;>hTn%26 zrqCmbOBV1kI++p360Mr+lYPlahBBY2caQggTO8ah#SqLnT6c4);hqqWf#g%WGgbU9 z7^j+d@mt1|5Ac37!qm0UbgA*=mWL-I-lvWfGb<985?F2TLXBP9t@`4Z$WFZ6Txk5r zUsGGj1~!)-f>U$%UHCDx&aNNdv)yne4b||a22J&Bae;*DjW5i@Llqx>PCBk|r{NNa zZ{*iB@GHX&0V7Cs>{!7%oZM^pGMt@~gsRxUVYtLqgta)2WexU+kU5AQZh%-`S@pc9 z#;3nAk6jaPO{Oc9M{+FUGwE7L-ZU(#L~ijkWkV?YHsAR>6KHV;@>8RW45;TEHS_}0 zGpMXcPIj1|6f1?;Gf`}{pFE%VvvE?(k8~%^gY2l@*vkzxM9!CI6MyC@c9q)O4GUSB zuPD7rRq1tMK9%4j2HPTyX`X>T;=tk)+TM4&4%^=jFYav}4az9o2)Ti-;Buud`ZBCf z%6{WC7j11_uTfu&JF}4B37VBz{n>L--wt=4Z}j9y9pn zLXaXAQXR6RxF|J-6kL-01XKWlg)mJ0GQVWGLJ6I5pK9Qo1oeBZ8v%0BfOlQBT2 z_zGh%gFL3Z2HPk!V->QcC6Nuz>h4W#p{*ImNHz^(|kRtX5`*c>_=Z?U0F=S z=9>%AHDgmGERMh5Vh0Hh-XMyHBG~DAS9IMdM~FB>RMQbIpy}=!{De8hw#U~I%@+FC zbwOGdN0RKjd?7YXleb#7eMJ`ojjL>gs9CCUC)4QxjWF&3WsdSN_b@mP_FRw0>|g2UQm;{&*h6z1lkGDRyI0SSs^WgO z%t&f^lfR}_$06qrB=dko(v>uhQ)baI9B;X#g#c3&a4V2(vVw~&{Pyfn?n#_NR@20z zCdh=nAA}1?1)0EDbdWF@W|^!%BP&N+4bp#<^i z9PoYRe9zvkW%9by@d%jX?JXxT7vU-|uk=9X!z_cK#kKqj=k3=6+1CS&gyWX*8cLQr zm$BdKOlbpM!Sp^hUcjI^;IrU{)|rs;la`MXjpzMI6`9O;j19|!172Lje79Jc&!5+t zF8DbnlRv!KkZy5@HVmTEu9-94wd~nkh#MqK^`?(J;JM#APrNulnE)yBT3o{qUUYRe z{{7@g#~GXft}T|e2D{#f->YnO*l>%OG8J6M8T`zI90fl~PMhPzHzpgpMw?6VTIWJn z3OU8p#eSG*jA|9~&y^)!Epyypd9nA|Z_`B{{x|awq(v z@>ZJzu{iiTRYJG7Ifu9_ZlA>Pr_Hu zPq}?1Ecr?pKUCq4rPmk4az^EI<545Hy*{bd%=fV8?$b2YH($8@T|e7*{ZJ0OK2`bg z+M^mzIj{J!WwP}H!_$K>hqtx9YeUs>Mx2%OajQ>vF*c-`l@Gc3ID>O()Z>PQCUKG;2lM$1{#goiAG3~;gx3080aisG z#QSpEcc=0bbybU8m90TtZTKGmb};-BmJx#3l_s`|NtRI19U6oGj7U8}yvU5dBYGkL zb>k&J_+PLdz}?L9{<#{0u(SH$MBv5qGNkk&RQ^QH+#y)$BZ&FGz9lF>&x9NrFK)(L zg7SYQ(ZIsvs&4@2<*dJuF@G;xLqs1mqOW*f%tKRy8z46k6;RYWMSwIL$n1`Q2pB+K zTvdJ8C-1v=a8Z2-4sXUy^=v>i)c`3@-_rqa#)0R1F;jgl37DbAiU@CF zU4-{Ch@?W?wX!*)kLD!e4pQSzN{*M9=TDqeUyI&J&2j&E8^GXrktp7qK#Gp{gWghl z>2LsObq8JL{gn3}eR!?Dcjo_vL+X3>og!Aa0UF|kF!cebG9a%e!rct5b*DaYe=qf) zxjlDkbEgGdeVx|VK7ENk5JrXsAgIq@x9od*U&aqK4V1Aj=?7AdAVJ@o^aBv7JMHEL zSM`G$1d63>pkDUw!T6t(dnBJPY6+6TEl+w`xN*;{NO;Z}q)o zJKh@sUZ)XYG_L9f?{Clr0J{2DTc{yhh@%oR6#=5-Z8*4rchvNqJ@0gz>(5(y(N9g@ z!jFOusGRR=_5!3pt^Q6A_nk+*o&MK|f(k%a+&P!_4GcgW{DqjiGYjBmebd8>go^Nv zWypGHhR=JSSN#`GtM8J&68CWj-5Krw2iM&hpLaUye~r>R1^%~o?E~OB`l?>h1oi)) z(E~wec<|rH_2Scm;3uxBYNB;D6vr-Ugpt z4x6u8%Y29Q(upGukE|lzg^u|OK)5J zr}gZwV*Ss6_x=S6)px_c#`&E}0&4WXnEwAmO#iME7yd?B)DQZproQ9dBs z6cm{N*QoT6SYTIRAT>e@wg)k50W;5~>c9krUzi|i8pGi-Drj}U(jfqQ`I01v*C}rvZt?ninj9JOV%di=OdhrQ%!N)uSTa)~`Gim>H z+Hq>y1*k!4A9x&31MijK*e(0SjgSD0CHc(5D~b=iCr6rP%==<^r5S>gV7z(wR4wHLIcw` zAfbZmnpBANeddmta8@AReiokc4>}9Ji!=oV=VwLy3tny3lSPHofI}bW)1fGe8Jd$* zKEsELkw-aNbDoq0cV+%C>QZ=yljbQE#i=;B`H~i_-(_b#O|_qa{voRpa|v<&+|=>0K&`D3C&ki-E=o*q)2?*y_^h9T8^i{J5{gIP<$27 z*LxAp^`yD$qr^i(aH_W5<9bKP51Ij1y=r9k1BEbvK}{elZW4x(SsFFGIt|gt_Jf3# zW&j?VenWyas>F;UEC|>o7U6r!9LRA7i1XcxxsQ`Uf^u!=1Kh{NB%H^r`P?(ZCe znxP>=uW&NFbse^VC$a_lYbYn=tiVr$FD06aY5^kC(&3BH^3k=YTfPSMOFhmb4Ym(_ zXjx}83`ocC_yO*8&PY3t_LvKAc6Fp5MpshtVJ^CL0KT8&@cjU8wQx5<+t`AdtGH-S zReBSW#P%2QEGpW52NhgAJoR0OkkZAFoH)GbUL<`aq$xwpqt8dvQ|-dfyl=R};5 z6N8U~LXZ>4*Q$=G0}}O{9(^?X$3`QA50 zJe?Y@s%2O>XQ4IOh}B9}~a==0Q+=mV5q**-Y= z7J&@;-Jt3U|=`P%P^e*Zq!5-M3ic56i)gg-oC$ z2nQRHj@-U{Ol2`LF>g|%&~xJ&39)A(Wx$#&grl9~X;z(yu=p9Sv+!;F9KMTA?)Bvc zVS^!-J*t9M37#ztnsloFwNkQp(k5Rn%6(Vj?~q=00Asy*u}S9-uGe3*hgRZqZOz%f(=nmqQIEB}+iYIk8pFDf? z>-MpHfM4u>ruezK0-_WTC$Z+=7Fbd47rywI;~Zx<--2{tPMXRle@hsU`eaH}1i91X z7M{+iRtxtf7K9^(oMY|DG_2&WB^|~`DMT86DqU;)kaP@pzfn95=7tP}=+}_);OUp_ zy_kfk&)}TKmc+y(czB73tQXVckhPHQp`hmS5N=lnnJ;&*VEgM6U4R9iOQduaUH%G` zFNws)Xn~X(@=21aAZr!Alf6KwaAiX~1AKAi21GB_T_A(gp2PZ%ETAA@OP|CcNjEW* z+KpNAzVSIfMRZM8JhmXj2Qw^31<~;tj<)sp=l%4`XN4T)aVi&MZo-jGUl1OTh9z(n z5nE;pVvZrhq=C$&qC!IXYsX;&nQvutzNyyu&!i22UuVH2WnMC1f_MbuY3I9wY zde@ns;kt<^OzPf4w&UPrNEn<%!i-0?CFc>ozhfaF_sB%Lg`^c;==rX6du#QLA7M>; z(A|$b)bp7`#2?U17@&KsT$2#29NeA7{Xj#>7`ibQ*cM~r57MZlU=mLknLgl>j8Y(I zUW_US6yK;qj}!>|)N`Pqjc)+6$y?kPbh_gNEEG(r?W8|>KI3zQ1~8w?^}^T2eST6{ znXf+#x5P7aiwW}V16qT0US}NM$1^&|){ZjamCo~Aw1PWZUO`_jXBVKWG5wIe-XPN&Az(qY?szxDN4x%Ek zURt?S*snz8mSLD4Q1^CZ3DOG>Kny5P{X*|~-tmI*X^x)4F;KNeDuTq3NXCHjItOXO z0xsar(g)!ytnbo1Zk_c$Z0C4d59_ygGUahmIL~?mx2Ym>j#1N))CP$ZlBga*scEpR zy73#fPe^N`@r3`i8O=f6+uVU&&)*0nY_q_nm}E#3ZJN~no)BaFJ%Hn+0XLVEETIU5 zdbna5Q+J;bbNU6NswFYy9&~b&;1FI)(r}^fQA#!xuF9NqvOxu#koGmfDyu*$Y0GtQ00<_x^+ zPzKHdeXslWEV9DW4B1*3TP^rFG~A-zmpQ&$gV(uqy%rPk2hkFtIJxeC*HSR=Rg;nW z2JeN|=8zR~FxzM_Y@j%}@DLFB4EBu1Q;cRU4iy%YsMcc`vghaQrc!L|lhmlw;cX_J z7B~<^0c3xw zE!iLus3xY!s`(FEEQ!T6Ab}e0z6*siN4%OuFO%@{MA0~#7w$b!E$5oP_LqV*YFu_5 z%Kj9|2?e43J)abQAjRVk@ITw0Z5ij-%RP*ZuElj1x-J&1#DxWr4}d2)zUS7XdhveK z;!~Uf8Y$=Qx^MYCjN^>8lkE&NE@9cWz@+}>o*W08FSYaXm(J&CHi=ApOpXMzGfpbt z&dUSZZbATbUJ-_`1;>2>-@FFDYYe4wS#BG`u`pwA$}-9^eqBqgg03{qN-^OMfnEx7PWzEX=9;0WVW61z+*2VK6)cq{;Ba=a2sWMr*6 z2dU(H%om-@xiE7SSJn~j2&s$5Yu&VTYN9_5&7Fd9deYTmNc$BQp#d{?BT@&cx{iXg z8i=NE6-vs_V}6r2jFYgfS*|S4!T|q#kjqE{zCGn$Qdth-I78$HwavG52>-c%Qaxc) z8@X(yKC#0di6CJWN3z?f^35F{tF8kHup{M=msMXM(>^VU7OHK&J|G($S;yKU5k6~9 z!y8UY*tDnHJ=b;K_Be8#$c;yr4fwS2HGllV(MFsJO9*+FUFFAl@v5)*89(ENNRAVq z@H1|ru2)hQ2yZ4{C#yk!nQTwY1g-PSbW!2sG}JjE=NRDxJ3EWYa!WR*Q?5iiDjxpVmU{LbVTF_!Rb z`+dk*pk<1L`}>jutq+#7aDZ?fPs>OHd)(ManHkaw%DK_`U&W(bVG7R3o``@0 z=Q^DAZkTr!`VndBecN7Z|DKMPW)juBR*vV!N`W-Snup8l$53fJ8BkY%85%}M(Y2@N z%2gSqSPCm12RR{DrM&D20#VdU^e#Ey_@y7ozcEWz3U9a06cjvA_)t=9n=r_<<2dyv zgmYVcrfSSRiP3d|QVkiTnuvJbzh$IxJgo~p`9!P7EYjMCiK}>UZ?Uxu5@pY-3wUvMFg}p>b&-I? zPX#ay#W%xU*X7~(IBbRyw)Otj2nC2~=tN~QcYntCe(tB}5q6Cp*L1F8EA;owu#PQ! z2TSr`dMh^>SwDbXqIir$s%yq$ir1(s2xqso`KW;0mx}C2k??Df(A$%}7BT0=P%32w*V7|&7Hi|P&^m*l#{1zDRMMe0=_Snu-~oPza9 z7rlnvD6q;u#U^7J#io+#euuKi@uVMGyKz{Kg~~?QTv?BWhPx!wQGaSodekht^NEF9 z2`4=>og()UcC3fAiT>#1kN-r$#wcbHpx{#!)%AYjcRgIah2(u zz`qqyco=s&KcpX=eZPKtf3wy+tN0sW6DUl&*_4Qb%~V~3$;)-$W0QG@_sAs`T8JbR zrCz`x#e`ceS(6u{LoZu?W5shEm;=S%3t6BibTB@5R1jI7k$?}x;4M}Ka-#I+mc-+2 zn_IMr8*!ELg8C8e+MgJvJ^+?+;r%U>l0uDNGrjK^NBDQfyGrT0&MU@RP+9^)0?vj* z0Owd32kEs{IMV5Z$8)CMX(c9<@tGEnkUHwt3s~?B~z|pv9#g<3AQ)(_5@E~ zp&SXBwaIlvs@THUDgk=|(Yfp`z zc_Qh|tVd2Hzft??=pmmh@-0ZYv@WwC_49|87udgg>a~KQ-wwXU4!ic|pn$X+XBq<1 zZ*EAqJ3V}Cdr$gr*T=0L{s#)$Fk;sxo8CbjGdB#LHmYueua<0h7x~4%K30?RO@>oo zQm^Z?nzA;n%^H-aSs5QxJnN)WeeN2{mORh2>%y8gtsEKN5_I1v;cx<@-h4~X2ZtNfQuVW4o>Mj z+0tJd1s#fXJ2!?ljHrFTVAze%#u)%dziDh{V&?e5ijbyLqen@bHpOg@Idm%66!gki z&8^DBO#oaOF}^UbYQxxZj|4St95==xbc`R7=PWKRnc7-hGO4Pkc*5ec)8C(Frnj0u zm^iDncysA&R|7N2v-^-ZdHb3A_YGCg-w>zN9Zd?J+H|%lxNO?xt`Ex=?Kvn$Xls#U z+OS^^oticWiTB4mI^z1#5qC4$6J0CimG{TBkD75JsqH}5nHjSaKe#{g-n4$Dvu2f= zODApw@Rhq`w>x;WTnp7?zeGLxIaahW=H0lYk)fNX{zFr~)$TC7R%%M=~K+ZxyQ)SqoU zRs3OVlY=G&4SIW4-L{ba=L3D_9ZeAm=cRnMY=qC~-w*kYNm$moZIn_qTR(rG`P7u6 zohu&J;mBdZJ_0xR{cZEVSrm-!>Md1_8K1UK*xnq_-mVWC_t2`c1z+uXqio@~hey&y z*NzSeUwrXY@N4ReXXamU=$y-@Es?K8zqVw;*v?mcd|%1R1#YoMw6u2A*b$*ig;P70 z<`08e_XiHyxy+ZJxU;4I-sSS$G=1=i;1|AsZ;DU9)~8zv9$r_E=GA_`e_7asUmo2# z?Pq61zxhRZ2d4Lb>zg0R@(<$QpPv0l+A9~r8drZ1Jdhjp%BJO`(zLD>7e=Kht%6~u zGI7n+)vlEuPmEK3{LA{D!P#`@J7VbPpXP}_#l7ZQrF&~!#xUa&?ZYKET4OG)j@n#d zDvsZlQd}ML=;IH!SgyZ(@o#ZTEs(wd$xu!8ok-;?zhLpF$(DPcyy#=O{V4=A|F4$Q z|LAB>5r*Xn{ra5jVU_)1r7f!n!o(kTN0qMN|?Y=}L(VKKj7BRuEx?~8f=KQ9j< zeHX#S>wHrFT(Er_keA4MEA6M-iZ*OuG}^5caT?9mt<(?8L0dO$*h)8Gg0>2SHE1g& zCuzW)4{oX)%?6+?BZe@#b*mncty^(_dpn=$ zz>~G`C{m8+U=1Od+B7JcMF|vbfZISR;6*L_d;Z?K{UGCGzPtWT+rCJ|i@uh}UxlW9 zw;Qg4rv2ZQ`;QGcLKvJU+=)^|AjDt<#Nz)V68E-*_a8LgeH!7+zY~f7^=8Oll*~v3 ze&+x8U*Yp@KF|Htr~zo~tztA5zD|M{)uYfZcxIP?x~37-wGUp?@K~_8*{BdSqzeRv zy8?inO#_z>9eYcHkCeiz170O)EE#(X&I84RZ+Sn7yQcNiBdIHZDiOs$AA}qN4b)tq z-EK{PnO&{4Vl4_#gQi{JWyXnt@T6yQ01F{FUQZ4!t%g3TI-G z){#E>R}Kw&{>mjdF)a!MA_IJ|-o##tOami0E9+1cxdev^8#nxl_O&b8L3nx;>bi|_k3izF02TreiN|$V}n}=AaJhoyv6&J(i+u=CwtE&U(f3Q_Y z;0(Qe`3B0C&)VzYf^w8^Uk>+R?G*^CF)CKFV>?9fZHs`795Cz!qx4E96x;wJYhKs zP|Hje$XwpN}GaY#=5|QG4 zpPmNjxfsy(>FaKcJ|j;+RqAq z;)RzELDH|-`6p)h^m1^mW%J40JzGO5?RIk&QdR6X-kj}UKt`tV#8-V#b1L?eJM}~U!$Uk!d^0uBt z=}#|WMU>@}k=oiJ`T06oiv!nlx2O~j{3vbp+t1w%Mn8qU15$*9I**S{Ww$B^5qR&) zp3U_li(E6^mJofQn>ca{9(w0Q97v34DR}S%qaJv#|K9oix6 zofyi>2KJza+S(~QcEMg~5l$hoevRM4jS0;a`iGm*M<{q!u<`d6k3b=pkODg?sC%RC zEFet~H6Ba%hCSA1yGd=vfwLP{yAzGUn80r{_XUD%cG;v2D;=HOQ1)gvS=pmsQO>2P zfN!RR0qbkg68baA8g?+rT%W_Ie7E86v7^^uyam}zVAsJr_QHAtC+n8pcmiKN z+24e*09TYwL1jMyuee$R?tXc(wrhIpN|fF`M6yBB=`kdKhnn=nQPW4uC6sx|D`mfu zgvwV@;QNAm@$LBd+6|tHvSNP!k>${d3)2x*ulOm*;guI@&{!)&#Ky>7=g8C2=i=KY zd5&J12V|t|{4GZ6g>lfV zX@dOR737nCX7l6{t@IV#=4ITO)%v-zs*mIfO=NrMm%V$+<{=-w?3eQ)t$B@}&1Pp~ z?D5mSQb365tE}jQs?3}8>?ryng5M}Z_G9{$D-eHLnyd>^J6;f9(0jm{t$Y&2cNe_H zdaaxF#2e@bY_3*4&;n0@qV?0rcW8jh75S8YnhJ}~>yqOT%H)3I?MMOi2za;$sLF2x zOmCo6e~1^6>L0^%;JtK@G%I~@V5#?v+6Ne@0Jak!Y)8UOHGq41E>5$4VIUKcpUfn* zdz%?$ffr1X$7*YjwG2|)aqS?WiGB;2s~CBLmW*y1ujF7<#kG1A)+ubYzhm&`({DrX zIR+{CUHz4J5PbmtN>?W%HlyIE*T}xj-iiDb6Dy(Hs1;Rt*F)*X4XhrBvMC*)jS41q zLEtoNs{R(SFTvZafQ#D!`LcZ#FBW|EKt0Oo=6AD$R(dhn{Pd^%e%iWp4rUv2#-Xg% z@A)!NpQX77W$?L3^-87N(0gU5JQL+S3lz*1*3-oLli}oKm$~~X`-~W7LbQd6Awp+U zm>7Bh>TC(#O^wyp6av{3ZhjwhmxbOymuZIE8xR;kFqmwkoKqFk&fYj%ZH(;J;Wb#?L0Tn-@_xC|w z{$clCGj9{7$q#Bv`(keC?@f=6Msp2VN-3O+l;;o^+AN+8bIUic2_uWbyW6U|Eh3Y5 z+7x&}+7|y;HtVFP0jR_an_Id81LtuZ%{-?q*HQJ^~#PHQ0|vsWTC?+=N}` z?@V}DeYFeHpa_gd${8KtBsXm$gZNtZSpcjfCCQ>KFR_F9_0%WNj6|K!AZ=BWvW|f?%8g~oII(#?FMaKPCaTPY zvz$3*bs{QbaFYLiH3=!ljVQxP^w||AiKkTOgh=_5$h=fd#}#rmkjCeMqtXptdLy5} zAC+qmvxni6U@r-ooksO;4PQbXbQ~skiRM`6T>7w7wwX#5rcqJUAe1~kfIKqKwOs zYDo0F-M+=ZN3R{_HCxXSdVp-k@)t;fbNyZQZ_u^D1Mt-7A2*d@Jg11AVatb%$WH33cBH zo5S?sM*DmgA`sNOSalgP-^FsOd;(gwvP`#lr{EfBzL>y`RG&rWPZPNK>;p)0_oU>k zBZtbC%gI`utIAK2Cs^l(O=WL@a(*0(b;PpY1Ug@a#YGwG2aE>Qk5IY-u-|Wh)@8Uf zqy%4BSdQ4Lo(Dul6agcCA9kOMR%>zKCpLraAnk!4Dh9YF5?=XEqqzDocNw{KW9ppCk6OH-{3VebtxbNx9r1q6J z^#xnD{b!R@&4@t6UFxQB0q2!k6ferlGD-^qA3;FE0Bmn}7g{v-01FW$l1J%H`yQ05I>O}quz&6kNUcZ8WyFqGwrZuv;PyYDbJw$d)ywEyP4FEy!8@$w zP4Q8Kuv5I>;AQPM7%HCt)K)!uac26-`s_}CHjdMIvpLao3%5kQih35Z!%j{D!QKI= zAYRq6GnB?=@t=b-%0_Gf;QD_?zY<*2wT^z2EpQ%5V5OQTDO^q+hv~9;umNMXTnMp7 z=2i=J61qrPJ!tHK$bFsBpS1Zs_XkGiHyTB>kM$~KJsHCwJsZciz%bp$TIrt%ADYhc z-UY-e{VvWlU4xGnvFkLkIJS6 z{ixH*>#f)E?Cbu6-gomZVtXr5-o=3=X)Ha8c~GDIDjK)dT%_lQcBt&zPQbZ(sJ56( zDYWVUF^=tV?Baav2QUDC4CFRUDydxvGvC8yw-G#j5Xzpe1&9Kl5t>*5NFq*hplJ8~ z(M++^ye&3wl!c56Hixosa^V3vw9nqD4}Qt^NA;FaD&0wj2j3BF>Kv_fo)ut#IUFk{ z8M!IJdmsk1m8zAi5`%AGfmP+x*FuyELNV04iu@KXM5_Ijn%!e`q@#Iz3VE(0{-0oA35JcP2=KBeqNEqh_udD56Cqw<$g z(^phm=V1JXR3wkXuALa?RUp|1P(`~MgoNDv7UAXj8&JatRQffh)8rtgqm?_5$yK#e z>)s!Wf`vb)m@7>!@g2P2wm)rRUN&*Ark^n9eA*;lALq(zx=JN+Lt(J%m_#iL>{iBU zJ9r|xy$ZgLyS>9sjpy3|-ND_FMBLn+)FjT)VIz*}7S!|uto76qRQp5s*MZq2#r=ib z`(ExReXNt>Nt(PE`MQ<)T4fL_zo6m$(DE>L?W)d4>`3Qk6HFE|P}vISdnRQ*Z#@<3 zNNzrZ%0BSJ5T+tRy z`k(H?o6rj-749!swH@P4OAi^<48*PyD$3?JJ>_Ke=HYsKe`9VkI(?W*4qX*0t=T57 z!fDm}&g4$ganrL0!cfBvRA!^HBq_z5pcfVvPSq?8A$C;39PakQVzl%Q1Q^ID`N9#a zkCsDPWnqGP1+%H5wqKczCPUozk3g`cc3_U={T~jrwGC>*LTka|~tIfsnnkEhz@%wYzfIcGfp;p?Ew2 z^hpS_BdG_yxq6`4r@R{)osx>=CBPN(#3wpHPF7|0+m4C--G$sAPUQkOBY^+L5w0spaidmH@`3tOS zG>VgN9a!&W&J3|S2IfxaBN~!Uf9H5zdXP=0VWLi7w4T??87MCrIU`LwK`*{D@LUj< z(dP)>S&ZDb8=Y$s%WP}9k-IrjDwMCp7vC3UUP;^SOu)k|C6tAEjm*rayO}l<@><$V z#BM)M*zx5LlcHa&zrn;=-WC-`HR8UkIP2CDeB4oo@8gEq&zZ#&eu&FnI0^y0MGh)~ z&f<0u)vJ|62_UIj4!P{7w*)t!ZtJ}Uh<-d`kjg8sLlCsn@jZJ$twaT%LZp9J15C-m zqWWp>@jmhxWX|KuX8}}e`7pWaQFkNXy+hrGS`W^j0#-7VUR2{#d{dya1G@aK!U0h&bx%&>Z~hjUq<-O!R~o_vuY#O&N(M<_ol*jf_f$Y95vj)4VzX zcMjnBoS#CYy+6_KkSS6-%WsU*m^H-b@XREoN`H+q4JmF-$9&=o^skDdGrb23+ar7z z=`ZQUtXFIVW14Rp(2eE&gy~Xt6DY~Ym>0$&&qZ0U2VK{=>yL|vz0!sq*>|42C;lgB1&!o1AY&v@qMDZ+) z%Xw8Ab}-B`!aA_5fClPk^9Ap80WsamWjxk;BF05HFBsUq zY!c`qGzak2-KcOkVsBhm15OlJ&AsGa%wYx-*F9gJ zK_n1Z|HcwT2E9HQbB+GD)Xmhz1sh)A-Ngx7Zq&|#h=WrQ{f+Vnr7Xol8=bNfVh&er z{1EvgYy2=wf3sA>=8x-Wm6fR!_q_XX-Z!miejdKs8vZ}O75g%;w(4?Qb=I4 zDtGHS%hhKQ|EzqIQGF}QoS9*Vop+$wDDMqa?!cCqDLebW#X0bDpeTDsMT#`D);}(gqfis%9NHO1>I}wSJ*?A}y z><074OVu94j!|wjdwo;~voVhT&e~>%acxEUMF=2PHe&O%D8G|6jE}&@dB~k?<=V(J z=4dG~ut#M(=8lR_nMr@}Ot9@6ey(|gP%qczAvRP!0(-|;)^hI8?3OnfSPwu-iMjes zL_~gnZga$Y=h5q9&;wUd@ucuNI%xgSDb`y&pOckLYb?t*@x;np=3oGtAImsk`Q(~R zyiBFV-4hFnf%%XV;>DC$;%7LE_-QP7ZkXS=%5$-JCYaW5Kq`s@NLKY~to1oBxiuHX zv0~XFaZ2pk_bO(a?{Wz5cO7N3#Y3v|gTCflEZnmvW7#w?W&f1F_qK7{3O?epbEhNm zw?r6T0Q7XK_if?fF) zjcUl}mK`2loQ;(8n&5X}1-1`K)J z*C88luo)EP11Pw&ce!vz1!YoufpwQ3L2YhqXFjZ&`zkU=a%|WvuCB*sZ7wVDcgcma z`Axzma_wNplEyHfLsT|@T)rE*+Q8Y7_RH57r-J-{#tQ0#CrVE;$*D@^fYt#8{X=nV zN)FG4*m|%X=hY*rQmAKrV6NbN#ot=EcqP}$Sqc?Yy$Z1#nBU^f4@-cYx4Ha1H2*>9 z@BS8yn+~xvs`nsHDjkGYb|ZFj=eOvXHO7XIS9x>2*H@0!sVDnXj?*c2>-h0HyrOt9 zI=SB!S3F+lzQae7OyG_C#hT*IK8bQ36vy^kTT^@n*-s1s!&BvFsGg8E=CmG=n*uN7 z)uup1=OlS6@-O4Isa>?MyP#beinynsw{#V8bDUguv5Yz=78mQFnunU-PA0#Kx9j`x#Q-q^c^aHXH7iJ?CV+)HwI&UR<~l75CbS+O3U=_Fp1V&F^yHbFh-E*9P9?thq-uJfHW12BxxAp0FWE zG#kj(z!LEX2T%(I8n`&u1mf*^8HT+*sOJ!jjZdI+yWw)!JPeEdyV1FO?5&3EOcXrH z#l!UT+?`+!8jZr@v3fd!+b!R^$^%;RwbaSGoI3r2>BJ>Hj$PJ1)20Ie?0&%wQMT=C zCwEO`rx%>98X&!ahjKO^5bwBRsYh`mceh`igG`yOs@5D)oupOAM|gQ=z(CzS_Z&ujJ3+cZ?4JxBTne_(@?cG1 zvNWHbLHZWfVTa5G>fdIa&W+KBf0RbUBqW)2Kb`N6G!q|6x5ubuLCz;TV|~eL0C{r( zVe^m5EMk8+6&x^g%-2s)wiwGd(@cX)S%9U z+jLFu09UIwrbyTHYVAI%O3oS*7RgEXbP}A$U8!9}UF}HYy1ZJPW`9HvOH8G1I54$I zH&UybZ`3!}8=S%g%!OrKG+4IBw^XeetzV zI^w~rcX%(X;e7(6ne@<#6XiZ=R3;^FSn8avXYZ{#${O1~32w(V5($iQU21Y5mGdyg zBWsrkp4{cyuz8{`G~a$5@g-PnMzc=_Psc;!!2SLbssL zc3JSd3qrm-*eCMdfLWFtt>FV)YVeG=mQM()_M$VR#3!Nw6LwMd{m5A!1sO_%`808i z8wQGr<)e|;;Qqks>MDF8qV`0|U@Hs4r@d}o`XLw+r8zwuaM zUQ#qnMP0hk^S|@T!-nugPkEE-TrR|4yyChov|n6rP#aNb*5xQLoOTfAssS4PbQDU0 zN%6N-XkFlDpnv?qJ3&m~oQ*l>)v(zooqYzTd>Po#lNRy!%CKCp0WXzpvdg z6_p*5J`tX@?l51SiNIc;_c>yox1hxA*gk6qi2E{KnStV9_pa%l+em!K!N!Bx<=z+| zPzd+{)y)E6xv3F>7Cy1_cy59|@B}DK??+^L;1;l=uas+1Sp}b*cM*A8vLiLT;(RT} zylFn0CJM0|UhdrX);#j7{G+bHk35e!hZ@YK`oNudxwMp9N{v&F>PlCls!iny$TdWn zg~~Ps`l0?M{o1F>XSC8&Y^-dGlrGV6GjqWqp9(S?qzgba{)samI%;=z+)GQYgsly{s@_$FvBGMV`ScK2F2Kem@czCLeutjfKjIF%7${H zdKZ!o1X8$!rtSV0f`?$;*V0asyc7MeNE1<7$%yvXrD1dytuj7?^K?ObMN^0KsmOwu zkdZFxcmfQZ#a-=4Y5I*HbYyC&Cko?rAn8dfhQdhD8in8Vrn2~ju=zY>)g?w)R%A*I z%#ld<2BTxE{U#H@89IW0n4<}~$$JtH#(kBuRImfqY31JuINN#9sJ5cu3LKy;Fiyz= ztMnV%nQGy!;Exo?8Mx`p=O(<0b~%sGWY|fSPf+Ja zK#Go+)x zh`(S0uYh3?tXqMX1VPT$E8puk95X*_5YpB6je+BV>FjM~D@wIkb##EkRkZ7W8RYtr zDO_#6a|8?AkgkzRD<;uO4OZ57xVk~YZeSpz3-~_*hJx4FHdi_f2E!J%A)sk5MmJkG zr-agBaESek|YEk$HOAj}TQm<P0Tm~KA$CTjm>HkF z9(8<8dF+#;@g(k5mMoKh={qifs zU%mO$aazW}P><0Q-5LYrr?@+S_AhV|KC-cJRq!IAfxHaI~1 z#smafDHDve;5Nm__eWIJpNHVgUoNSoJ}2r03jF6mHWhmszY1kB#V?O{lI)e zTF+lR)N)X|2}5i`;RP+O=2A`RuBzf)ML8}7B12nYLb{YyH`@<-BLzsk>Jbp}>G917j{i^CzdSgp}Wr^UN1$^ztghqX#?t69kLHmJkR z5Pfv+cuqFEy=lWQlc|l~Q~;WAo+4B~w!1`NOPpd#({Y#6Ss3di09C8-xMM=_J^rNi zViY^Y?PhuwbIG~8(dOT%Cpw?Z(R0tRV-(>TCiy4G}6#yYwn>V4f%__`MUytDLw_mI+ ztOXqZxQXeL($==dglXG6$zPe+CdY4NXkXBf#6M;){s?%aA?LZZ` zus(15xG#%GYMP<0RSI@cG%woo6z;@ ztv2-;?0l}0`Q514HGvB2`Y0UlT}BQEowOiEfNvo1*2Sm5Fj&%LzLm$L)bBMxhrPz9 zf)9FLUw)8?%4@}V{uu&>MU|5&r_fwam;4YZUq$4>-r@V!wO=2qp z!=YIp1>cT9Z64`_aH?ZZ#cMMQPA8h93?Yl4(kodXb5U`{z}h#j99gzSs+wCZd%;FB zy$GG1h3H#bcLXv~%(3k5MrNCtLDA|TSUSsz&QX&2CB=Ti97rm5pu^`mM*vnq-S6am z5*yeGEBZQoCpS2dU6_beFi_89liV-Fs}Rtci5-;1`Jh{wi2`$qlhFC4u6qNI^NB)( zdM7Gq#>rGH{j1D0dTU@fluy~cRm3)4z~=j$d>!wUcOzz(Q*a1R!1N)!vi!OvPV`x` z=W-0uTi>**k^S%^g-Kdhn)C@w&6v0P$v1ETTSt1+oglMc?T0x~5z==sbH5Eqp9Rme zJG$O!3G5wwF_Fw{dXBdRT{1XOrm@8vk`L?H7jaLvLsuLhpJNv58E$OL1*Hac{Zu+c z=Y0t3?)c&YG`AMUrGDmNbA*Td#TZ|mirA^_JKj~k2r&L^62EyDk$2f9=_B;2byaLI zk9o!DPV8%$JcN7}_=Qb`jB6^ze6qiIHFoV2!ALeOceNDw7VIZu`vg;fmfk!>o@WYj zY+~L>Dj3HK8%%9^+~%MJR)l^08(5)E0_EGYHLn6faNrD$;3W$t}ENO>QX zW+LlAy|7RD0_Al{{yM(;#zSmhi46()XVFbW2G6ZG+Vtp#I>o-?hQB?3y*EY2- zBDhN&Xo6*Wa7SPUtBMa2GD;mq9P3z@SVX`H0t#+7(DR(5FH?`H`%aW`hwN zP73Y0{GIY33XO*LP(p<|q;6rRHO5p??I{+U3Sb4YS?%lLliBQY7JJ{TtqndT%xCZ6 z1FV6sa#3;{;;y?Wl0@gr7Cwg^3HB9sd&Mon_QGd0rPC2vQvDzp7@aGka*0q{j$V2e z6;BQ8&F`&qqB;|pw~g|b2IhctSsVBnJ1}?p57Z!brk}Kuqrn{Pv3x7ZqY<9MjSf5u zm=HOg6XesHzz>1jz=d9Nmi>LhS34x@ohf7#I6==-*{`n>8r?q_@#S-_(pKad%in%3 zw`&)<{mfjC28O~^et^0PmEFk9Bb6J_tKin1j*jm7v1_Q3pp(9oT3I1?hVhrx^-&Ow zIDcNp8_>Gnhhb1Tfh38&-nzr&tp=7%&cvzifLASx*HsNHIlSxfyw}l!$4UZZbKpVt zR&l2h!YDRMIw8CIwFqex;4%1hWccaXW}=r;g-ZGn2!2ULZo{AgEO~|O`V^?h0cdT1 zex)!0;vf25(2K2{;=qB((s8)^aXOB@M3x1ghCuNm1SXX@@+?V}+pud2iR*sAyBTo( zyYGi-(0YCMCDwW}hm)-6F0hFh^O&`1QQUy1)e`5Kmpl zXZn6;r(GVqY9MN#Qn(7$-|CJX+cF$p`x90zU5loVgC(f*sl>oi^qTdOkA11+c~UPQ z#mW;nkPl&CFd+)0z_SZA0a<)kPrpfO9bKShOOSGFe(4u!_M~|KdX%AjEn=Vd4$(Hi zy)JR{;_~6hU3x(I0|j=oyNf2lMBu@`m9voZ#U%ABP2ePZ9c%z1=maZz$FT1@_t4^( zeM!4`k~jy_&QAnluiS>Z-m2(fTftE`E{UBdO&~+%5YS1hIR+lW#1MGe`35qh`T!P& zScmp!_qD7i0p^z=G4OYd2lB+x;&X&#LG;`Fw^1I@FuubYOKZI{Pvz0rYhPT8DmvU zWNl9zusmRwWwR-7GV1;{TSkSqnaH@FLAXC|;M>eIP1Mr7iKrW3rT8WMuiR(dK|qm# z;fk3;_FaPAKahKFWrsstK1SsYXEcA+{wsn)p!2}WL8DOSsZD8fp+=jiP~;# z^)uMXEN84^An2+%4K;mx=maGRZHCO z)f{`Aj8}rm;ulfQu~FjMYT}t68^?S@xLf3X`tgm)9p96x!oF6A%pO-8=)lY3$Qb23 z3P4bl_&84{D>ptlFeGUj(eygOi8o4(! z<}F6HTUOf*lgz~wF4j!F>!1%;oZir=_7 ztbz+S;+9EdFE|rP{i9Lw~=21?7U9kK@ z$gT1N_P`!U3CJ6c0+-q3+*=a@qlNe)zpE)w!S)r-x_9;$er$m7ao>9N6dQ= z9e$2=<^4XuI|~;ItK66FF`Eus$Y}WxtSf803{Jpi*905A*xI^zfQ!@4N|ZkWZa zGt|C@@5gzlq2hHG{2S|v5fDqQM-kS8v3RW2Yh@;6n{&;i)cYncb}T10B~M%WZp0D6 zYmujD>CXYvX-)QRsPGF)eHe+9g|w?x>D-sT$N9smDMAmkE=X{DMaP}c{UgB*(j(X5 zaH7+{viZYl`(d2u3CVMs>jCvVoXYfXN3Y=|{&iUSpNFr38vk_|7OJ+v-v4p`UQovg z$;p2`0jLDSPf}bqPp+-GCHzcRRooN0|CbD`UYz+}l;`H!+J?Ui8-Cnh-~+u`S$`i1 zm-8P-8m9bx!#r}1~Ya3Z^`&&$Df6GS&`TTteKym%+inM1X6jg57)ujN_3@_vNn$4{_x z>&~-~Y56u}TK->UaZMXugQEQxsQ+Ib`Tr^l&}{#|QWpO;A2@|e8^LLM)5$HP!+6D0 zYG=)v=1B)$2v2En&WK>cR2WGuob}(wQS*PE7WZGigZmki|3m@6CnAya)mQ%63nQ*? zY^bZBdaVn-hb?EZbI;4r0l#<&&Vmm3U+(x{pYmVd?1#SG3Bw5PZruBFztUsFZx@&| zr?hseXXKcGCqLce^{QDhv_;q0AjBnQWu%3nm&G>?+$%K)0Cm}}x92O++>80me!jKb|mpQU8tD|nLd zsY&(vW2>u>PW3}*lLzawGP5uQ;PKm~e5y)?%c1}JXWf*Nzi>HR)m@mNR@EQLHz zUuMm{NbgPaN~vlUicvg@lBVQ-5#IBr`BZGdvV0YCnzO2}!fBZq)qRm($?}yx0_Dt9 zs}fo+R|H_XVa849_C zwMTH8JR4-=OH-K?HrjjLT zrsb<8$f!-ig9Wjg17Rg*WCqq!NqssaJx`S+bNymX^5lrN_tjxHU?>^ z_;wW2$cG;nxMT2coHoc9+7;HwH$wu24TVza>jg2?kqT^!XIGZIoHaRYaw^^h5 z+Tv|Oj2M>?Z?j1@yDia{q}^V=V~Vn2M4VIm;HmRV@;XPwCEHw4Zd-p_N{k1X%Twdi zY+joZm2S(3^4U~drY+0nkI9Z2U>m4Cu;uvYmwsOuKgc$i>fRbIR2$qNIfhvlKg5$_aWWF}4#}~&8ckVv@Po1HupK?uK?6z6fMLJi#1^QystJn0!|5{A{RbhWQwil(dAuTD=0N3%S`)0ns4`62Fw7p-xAAyD;=eiHW68jsCWM=Tj{A)7XskPj# zb-wXF$n5HSaL)gSg8x^M{Tmty$c$hFU>`bUf~5H<`1FB~0X~2)gY@t*!Y2~2X2J+P z;U98sgFvRwYq%FR|0dJ0HV*&9>HiYF1+ZrR^IJG&EB}2XOT^&0w8Puid$G|Nc0m zwyus0|1KwuvZ0s==tBB<1ozQKA-IMNhCA7)7)_MchPC+{HrU~|6lG8E{aGHbw^74z zvNlcUJoxE9>x3#T1j4Lqm9mAhyr*;i`Y}|>ryuoJ%74D&|KZL5Yo*NMMvdT@-gca& z(}(LMB3vh0kUa$-sFT0j^j{4WHq2i;ZpqPw;=yp@tnWf^k@+O zFpaio_e>BpG-aF4hJilPFe_e@1y(B?O4cQ7W3WvJ^44YGI24cJM4WuHR*MF&iPI$` zn+8OSGtg)_FbczIaIy`cJq$CTORPa4eM~J%Dq53tIzGatOV%W#fq?hpT=eC?3%DGX z*4G5QMrZk6>-_aI5b!Ga1+D%+U*iApYX4QhkG`toUOR#Ro?EQnuF0>4HVObD;pJ{G zdcSO=nUr2~0U&b&FsvZp;6#lsg#~X)n3Sb93_1ujOTdxTT+52_ff+Mwy(>l-x`8Qz zq}hNDs;-w9jmqLi$A@u0!jxY?-j@<{4Jv{fPR#+AS$ud6ZOf~ls&FWbL=j$}7fwbv z)no(0D{3se2i#b_BoCSD=ZMPSqEQXisH<(@%^r8|afI6ddxi8%9t1D&=Ug9uLN#*} zaXP4SKr{i$A%PwPb0jM58XW@F0kGSXftt0p)p27l9YszGN}M73+RGFgy_z`M@ zj?2QmI4)YDSdVyaeon?E36T-*>5eV-gb=Slf;AYC={~1S8 zj{%Z2;6iW2!_n!o+rkhS_}jp}1v3DI_nnfXfm^9qe#qZ>_d*6QT;qKZta>0KB(1qT zazHeCaT(Ci3VzmAUJ1BH%5lV*i>d)EHQLt(;24fH>MYqyB;gkPyW>J&!j2!+H<9Br zUHu$@uvJ`3kFbtOCGV2}L_uSYOPbq&{1dr9DrC;g-H8`uKZfXrKs%f*1AT37;V9&@ zQ=72lvQiTQr(DU95LXCX$o=`3i|<2JT@j5%_7OfKjQ4Ejexs)8X8{{Y6>>Bgsv8y6G3RPr9e-8fMj_UDl{WI49`3r?*+>7@ zBfT6RE0zjk{lU^$@bZ>>3DEljWj=JMYhzA(0sjJTP;$r-5&RfR1TO6aS0J?Py?A2bjS-LLBC>JRPoNJ*|HbXsYfGHn z(o9tc6J5WX-TLHzP~qX5Gya_<(~@t9hd$Lyk=XEZoWG(r80 zhELXt9j5DmJd)x%ZjZSh2oGy&>22|#TY+(Pb_z8ua9s>=G0w3yQd=l1aO(zuD|TEI zlx$85PWHx!iPLcjb)N|+F>jY6Ei@bpTmZ|4o>M!K+@rl;tjC~j{%?xb&%ighzuih;*`lum9a zc*?q0FA*uPc3m(TBoC}XKi9qp7!KPH?05xY!xkYbohlA~Z2i_mr8#yo1B_HUTVa{T zP~W2R;02(`p)zwvpyFIq2T)J~o=vUGo`b+G_yNMv6y-PJp#{lQ2ZUsBeQ_-K$78_4 zN^6n%V}^N*?j;vF*4E4S)1C}`9#!-TNDkU?0kD^gCm0-0k^z)Qo`%eK(#%<79uNmL zo0B3*CNWjEAga3jI^abKJ!js};yM!Te$v1#f^(=2a!X!3BC8!ufzl(0u6NB)c1H-Q z(pG6O>j@Ax#y3E!qAb)BY;YZ*{e`e}^jek~abnpaiWa`6O0)N(oJ-_0Do34Vf)pw8 zA*`*+OZ~{QMo;}5)<_-{PC0u6W$!`4DbNU0m)`o=pECo zqX=05Z^!i2#{*qym~L~n>zp|ljgOJ1u>m4GenjVff6;oubm1PFxwx4c==fS$t~*!a z=-Un0E2m|clluK-|@{r)KC!zkdT z=0ssUb5Arsn}2}L!3m|a5su?Vax0mdn6+=>r)jp}S5l76!Yr5w&=2A}@j#(J6A8M%crFBm@(<%@ARf}!U$}YA zWQ1C&N;2J%a?Fh%;wq%kY)69^dG1*^AIT3Rc{-|m7pb?RP<*IaNkM7?X4@Pocw;bM zc*(AC_U9p&SDKAyc%SBm(j1F9o~#5&k-JQKc^A&xXBI_z=1>@2 z*8^Mj3}+&}J-@4y-pxjKp5bZKXkN^7Tg~guIW*nE*~nZjlAd5*5iM6!)FM>Qq(ovb zkj2nV#UE4D-7`(wcLdB-YJr)$!BuMUM$-@DV(I~uLVKuzJAS8@K}K!l~3pwGll7Lz;0P&`xScFo}*5 zMl<~l_#;7VU4s{K0|79-FDa%5u=6^l0HCgHZegbiDUP?-enZ^}3{U;BK47wrAXFt} zzVXZPI=X-|QN!v_llz1bSjCaFb$WRiD+H`TN*1bv0JAz_P%ee>YVvUIOORzo<3ymC zD&aQJXP8Aa^u#ux(YBAjDK6x&kB%!@XDjf-Op`%po62O{qZ)0~>St1s%nsT#2ecGD zm-;Cf7)^nuQa-&JAa!u6P=1Kj+gYS`#LTjy403+X0&Y@}MRu<;$ z*8^E&Jpc$_&pc=HWI8oh0_45uh}BBq_TejkHJ<5yiPaVltDYKjS{lY`U%y=`95 zdYp~|`eD$mdy#zXVO?FL^fH_8>!N<3#-JcJ0a)e#!`_>RHF5p_qvt@5=0Il149t)T zBrt&lf)GuBu&8K|prD{2xKOu%0i!IksaRf>}!T)g=n zS)>EY0(hBzHG~>kwb5Xt<(*fxPNMSkOoNN54DIwvtCY~J|&F|y&T2)+}$-P~t&TH;yXF8Yy zd!t`VIr-K-j&3b(EKEeef{P&K*b>*RloFZOy!(iSQPVnOF2g&vk>SZhtJ-IQre#0Z zuU(I{$3vU2l>6(V$de^7$v?j98E*g?MV2$qk!QjF2k$X9+D;)lQ*{a^VB4?|{`C<4 zZ{=S@L-?T~%o^i(_LSB!Upp)Wx!F!FD7^e6tESeu>)8Ps@`=_EE}E5WE-xPj!=P7M#M)fz1_;C6CZsJ~_xr?>T&uEd_4}rQtmhfAdq6QjzaxIA)-= z!teHsfE?DH&Hyt;|Ek#bx%Lk|UlG8zC}q3c#f0aT7~QOvs_PrUFWtG57DtxWOl|6M z^2RqDH-uJpRDcpz+THJoi4myG_TfcNnU(Cah_r=m6WG>Juq1k(?+!pshFcO<@JZ=zMBk(8i;yL#g zhmM?P7iv^)@F`7i)u3s{0X)dKtiTtIYD<|PzD2Hf++iQnK&PkmWJ7wDUtS`}!P13z zq{8x5+|zvfc=Ck4Q`MeD=5f6D#iRW=&gcP(0KQQejWWN9$8pdzhp-|)3aq?I!O;ip9r5C<07a*t_BE{%EcNWpK=L_scz(JTRVRFlHxNzU6k(27 z83}=GFv*r*<<~H59AmtUN;|i+E2w#9j%Af?d!|7NR_1sVX#!uHt;Cb#&@WJKR`)_q zzCWw1_f)eT35rrrcZ)j^d1OAM($mmT>CUT#m79B7mm2KkEs^;U$Z>)0*cIfOg>}A> zlzBotui=dB_ZAf265W!otgM;E4vbQ{>+9q31o1R$tXie<4pP?DTSP}#p2oF<^fj_1 zK${(gkBY;>)I$It(SSphuIeTh7M%~EsxGcJpLGP0!JgGE`|vAbSdh7p9~A^U$hyXE zLD5iS?1e`%*?B=Qa3;i_Jfi{+^D4G65>-{w=>hF&{MrbZd+H-+LfmL7yW8mDs`@CK+zmJol9wyHv{MLtK8kUDW zt7PXykRANn9CDEhG=hDz&tLNt-g!4)w0x`3j*7tFYTu1imAlH^9qIaUf%1g57nGj4 zZml{*PDEAS-(-ldVI>RFZ-4Ms<+8RjF9Nb{fC}PK4dU4V2wKcKPs1xc=u)$W~#f~Q|)QsFZ1lcP*vqr%QMT4nS#~wO}E|KhX-MHkA1g7 zv?duBwH{`_3}=CXq{NBNh}r|}{s>lWsjWm!AhFL%eE>i`4#)^ZXj+RsAgJLpTpdb? zRO&kJ`kQ-9vf>)KS@)oPI=3A}fx{Q&B7P8;pb`cM<4KdWSTg9#LvD`inj@CLMSwnjA$A?Z;-&79%&& z0qwRhcCh|ZI)A{J^BdMUK4qm;S6@zT%S&NC0?2NHo=Y09PM?Sj(?fI`5-6=OG|E(C z-{nt3glrQ3=N9NIa!6H%zDP+jY}q)y1J!0W)yjU^S^n8M=*(`YrV<{=BG1M`ykg*W$96VNkjELHY2CmqHM|h1%OrgjmRo7fX6RPe9^gBa{9MXEN*(E~ zeeKiw>5m4rn29MN_Je8t#B~AYF}I!!;GYaYh4RbV)l~NjJps?iv?3$~wzxCh)%uEH z`5`%wo@G0f?QfelGjf@ElK$aXeRTkG&@>t(o>6Mb+;t7m{n>LI|70AyimK{iSYU^T zqbzZ6f0)~!G2vOp8O(O=?Ql8`wnn|pcqi|a&L`TwAe`xEm3S)R zq#Bip`PAGWw3l`3-@^lFA4Z$AlD!+K>+AZpBPz2WlICOpKSzs`<>tK4z&R|4skc3- zz~OW{KCtRR!t7m2w=YfcZ6ZhFY_fpZ+Cr#9_{M3~X{1}33sGC{wTGGyOD~hJUG)&z zVx(|@fdbJbj%?8XNhLe8-KxwPMAS`KY_jr__EWmJHhs$u0+!$g)}tWnp)JXp_84R)u9y@U7`Ju2(^ zEF;dsqk!56yN9uplf8q)JceHa;y2eF5C-zwS@zu^b_d%s&9UI5l?}9` z1~Sn*$tg1FVqI{X0!@1;JsAXu9I$hPC5f^xdo4U}BX2Cx=crzLF%r2=hc*01jCdvF zRT;&zY$$6HAQxi3Ykb_9f>-AG^Koi=Ls11zj(p!xZ9z)TWQV7tPP_*5mT6y#d@UT} zLuIbUdN+29YEf0+SY66~7s@{zzp!YF8U_<@nbU*2wW4YU8fFS>|^Lr~vX$YgMl5vZl-xFj?Z|j=jb_ z`C-D#V{r1B8{u{C3Rvt_y4hl@URK}Cv<^4c%IU@*<%!PkRWQ{wvT12%HTGx^sXMXb zD$l0iaN;oEai24-;$YRqUbePOI++A(%xcRPZM~X(CkW@T&j;fpC&4F~tg;6qTxsW# zaR|I3OT@frTx?Ytt*FMl)c7IX$O%-#+LZ|wY+xGs&y;}wfX#S*#zjKCwac>7tn_53)CnnjGbfGRKp%(d`)Bf zvwW3FQRNo5M4W$2+!cy)_>B^Z6oUlEd{GL}o{4fy;BN(xg>zeyjy}=F+FFwMUc%Cg zAZw)}(-K~HZ||6~^$}2hcNu@8E%I0#+g8)nhRSf6 zVyYVld-mW7R~iq80^lMC8WVfNar9H~%jUar=LF1?c_B0F+zky)^rBn7yIBdlVexB` z-yu4R$*XRA?oBYiOtSx!L*L>zG5ow}c8IxsytmNv1uyCNap5qK7Ag%7Cx99&|31e) zpd}{AJkS#DWJ)IBcf8x&hsCLJtBpwhQTsBRF%pS2yu6)z#Bd^svEep;kcFs035eK? zd2MyVX7iuAEk2L%hxJV=Q%y+RnN+??&Bm+Pc(qQWKcCexm}6y1DnL2L@VZ(slf~Ww zNbW>~u{YR&gb4}RgOI^%GJFt_4KN)~ea5n1!bc#|LsHo_0V>$P#?y(GH3(8o1=%7=_@niQ=J9baOT3Y5 zv#@IQ#2b=@W`HjPTTCSh1m|!ZyNzK#(g8WKUd&R11^h4=xsEF-1pL5p=zX$L3Sq`( zJd8@nj*rz)xqu(vz753~@3KBttA>CdZgvr!yZ! zKj*9*iS^sS}@{XR!Sz@gEY9BycHKK(N2aVe`m0H^LQ`j4x>mUbS%q zc%|gAJlnNoJgoa+$2Os_r$4hHp|hXis$+ z9~O)}+O;x{VPk?>2aDW>WFD2VV{_%@{N&`8_>d~tpnGcATnAY$mJZJ?k2imws}9a6 zOTbs8r%8a!3r|6UVPrLXZ5;0x;{GeGzcJ4E0-wO!*Be^qYLE8$YkAPz`v#1Fb{|>S}5YIM5vzwz}6<}P?eh}3%Lpv}|4qmoI-s9|N*`^Tl1yruri(+uR zV~V&>YrBaQ(`uL!NXHmYdEd2sD;P7_ST*|M)&BA$w$*-)>+&_eNJ;gs*!CB5Q-Vle zcDU?*SKB+#`6c^WhJI&=PG{WFo@DYc=YKc)JNG%fjwT$2_hnZGk{D#c59U6B$O}r# zWvtyXDEDbUK8n{*rDP5SWA%KR3dQS}^l>iM6M-Md*;4Z9w;n&NH=gJE%I|vCINvaz z#?u;)TKDiELD``qNwIEMy{ED%vb?gfUQEc7Ptgqhw!S&$Xu!Fa!P9WpSza*l>0vs! zEA5C_eA+T1lx?@suMns~=??k9z(-2RD1?#1qkW#@-_T}QYa^@yjjH;Zx&}5QRQr%Xc1IxFC(y8%@cqagzdBZva@?NV-HEEj7WTpBKmatL&jDqaW%{b%zUm#!Q3(DR&Y|hrU!r zw}FQFWF!Pv)#7>@lI$nE0`F&xL%Md7nEzI9<0VUSAS6S|)R^I(b*kA90*PQa%n{h^ z)8(W9$Iu`!@}3@@y%Y(T$#__Bvg~6a>^L>Ek{0P-RttTEQ1_(tc13YHDIiIfd|o<) zBS8gMc$${F_*ow!9MKLLezAoo<5Yh^l0*Me|C|vVt4*X_P}Qi+o%m=j_TmhoqUvk0 zLgn48T^4%q)r1hB-$e*aHT$shQi&7X;`G;05$XG+TtW>%h zJhRxf@kfK@oo(0HlNzzshT@%iG74niu~g7U){{xrXfk$Je=^*e2@_*FNZmG#NZBtb^fRp_Vp(&?A&xgL)&;LkZMlUXU`;kyqNPv^Kz=}rN` zN%4hr)?e1;gKp2>TJBA(Pw2-qi>ssM1vU=J8{wDkQ=BB6AP;10S2*&FEAddgzg@j| z5xKVOEYMW(aoV@7jIha%rYX2Vrj`Jqgd}!;W_=#AtTUBFC-gC#5se#2c;ol-3mor$ zNN3E?55@iPNnw|@>1Yxih$Hvz;H*-fE{=Q3-WO(eknN*m0L}iOAxz@aMqrN+oxE39 zMFMq8XiCCHAw4h2{D8axl;(<1UZ6MA7hp)yZsPGzI7kk$H7Jrd(kHyS^>0GbCuf}T zQxa+|w{U*A2~W8`M{dmShlHz+Ol(bfQrE|tO!8V0--NtX&QyH?t70;^&boXsr ze}13nr^er%ba!|0`XmUm<77TwDSjD!w2*yDCIzt-jZKk|!LIPsRh}$oM;gd5n0on5 zoH#hhuvvY+7e7&F^fRjP0_|LeeaR@Y4Et63t!GoU&!*mTMTstu?8n>n8QEwm-DMww zd2bAI>px57(>d*lME!3M$g}fzV_P;4r{IkzVN^CWDO;~7DzGU(UmF;ruL{;4lk`WZ zb0t7yMuR01do$25J6N7}^E>@~8uwrTh>qU~rk##m+%z)YGmi^q9@M4aVW3P-avGl| z_4q0=n7BT~o5|;@(oqpHi-Q84L*xW9QViyBinP+oVv(egN_e2Uvs|coyebp+ z0T%ZdQ>>_knCdOsD)Gf?{5F4{(^r}CQ}{#YHSy(`^7c$VhRYqq{iU68IOky$X-kabGFv!^g=+Z#@}qeSe_(*pT|GzEfq$ZeYwv0rOUT@o%bo?|}1C*+fcGv!P^|D~0vGV&0b zr_Tv6&5hEgE5&8hmsEc#AEHlR=4%k?f>&f&ri4tbN5elnn#12$8D94i=A|9dW_k|mg&pus-44Jq<%P9BkN4p<<};R&xurG)NHwR< z^|h2DZNMG++yKDs>2i(3ZR?Rvrz`RnrB@)sJ7RtrVsSA4cNl7J{@w9L<00pb=9xsz zuBQ-HiEC0~HJw&P=|pURwIns_Ld2&-)6K{knb`+*N62e3EJ$kBjg!2V)yNnN<#RJU zc1bJQlYzx5njnKth_}`_MkGqQRzE-AK4=0B=S{&l&;su~hbHKs&@`I$pN8RnCMNRw z_kxZNv;-mc!c4Beb^<`tcJaQ5Ab%~6zQq}tLiWojJr{K_gIJAoWsRjya-qg(_tAu895Il#_)?F^PufTr7h({Uz zprf@fkxV-h%e6?mpJ@|F(%PxIL1HG>K}vy1G{4)dKI_ zo^C?d@+FgWQ(8m^OWMpTl=~W@NrJ>A-d^ni*av4d(lJU>D@hK#> zq!8hGTq^{SM_`r?hX5=6#z!swOavD|Y$vm6f1G1$Q&c6&MA%K%0gh<5v0MlF2FnY8 zmQE`qe}QVZW@qf5KT;&}_e z7h(lp_Y~g^SkmEfZ)j_6d{3{2`#Q~AIQ-k!6vapO4XRz(X;tL}o zUErw}V`JE$q1RhYH(1Dxb&pXrxalo6gr)tNpY@wqdm%gb)A5kE<1brT63m{6;1|%g zP5j7k+rCtk!!8-A{oJZ)XqxFMb5*h@BY2U!_KNvD$%N@v^xCd<;}^)e{Oy_+Ns;RRD`r8tH%HP>EbCk;(# zmVYBvSR&D4qfr-8=z=_eSJiTsmI=eKOIsbT8%8FHZ$~{-7eIakF*WAzxK9Fbjqy`! zur7rQHcm#4foIuVny}unEcqRNb%4N<3rvjjO-XBBi=5h58_6h+VX^?qnWoQYNFR=I zUJ@Il6ZY#%(>ql#rjBb(lE36HGB!2pF6V_*tv3+#-^F#XVaSUip~4VzsrZSCnF=|z z4VFw~G^6);1df@p{KB#J8+zHInO!r(9oaauJw-9q#jj82f6&3SbGHsnWykCJnX%>} zieYYk&j?XHgIsVfXf>0C9pADe>(MkC&yNZw=ky9z`)ovOs;O5b`##9Y)62^D>6{jA4I7`$zV7P{!>T;u1I36Q>-k9XP@;VT5944Qm+3N=DaWZOI7jrq~zc zvHS%dZ^uKMbI!c%xX?CGysOVu3T-daHtclWFi$0E`doqCU^LI-2QbF-30mVYIrI8l zya-Jz={?@Mm^EnVlruGW?o9)mt`U!$@ZXdzl;yv1$0DuxcB2O#* zEX`Ku+d?{{Q9Z4Y6|mi{$3<)gHT@Jrzccg=!)dFY75hYcc9Hq08b7J1siWt_IkKT$ z%g#?kZgE8sKWCixEtVg;_ptFR{=G2cgKSZ{VX~TBG44@W?jXdUu4fnPEK$MyqyR^W z_;UbwO^L2Rz9g94p<)*WTZ)4XSM_9oPkDMu;NE^MEAblM&Xy!bKoXz*HNY@Ir_WGv zqTI?KQnD{8>15qHx{M@stRr(2mc;gXwv3Rfozh)cF5_G5t^mk!WQNebd~+a}QyEQX zqS$PzTMekHm0%^08TL&btWD)R!f~7^Uue7R9BF)A%P+u-F~`i}M#P<0krlqRbrL;5 z!a-=3Y{J8tNU0cNu|YDdH0)Y|XZ9UU1Ble5B-3)05n-)oAQ zH-sQ;(5|7J0S7ZsdRWhqt7+s=3whKROdkvqTP1cYPv8!r2F2`*pD`14d5#$=^OXmV; zW)hc7pDw8IB!LRvdUA@`I3Cw@izJm3$R+f~vNi1MG4Alzua7o*tFWdKLA)P<& z%v^5)3Cw+Cx_i6W86}=l$4zF)Xj>&Ncr$$(qU)IodsGD}rc=lbeQ4jz3WVlt?9Ekp zCd=KuNZZVw(9lHJ__TBSm-=8)NHJ+B7l8-S{Pg|`B6ZHpP-CNGd_Q3< zNzU%)*D~3D1RI~$^~pGobQTgupGlwMt5p|D?v4MFRyrcu*Ran8kc(b|qq7Yd@PU+- zSF&t?ZUdgLd)l!Ek0t}9aQTe1h@8V}JeMq5rI2ipZOTX1M{ybig#u0F8!w@zn#A8^}?Cy_z;};uXoC;%?IRBWuNIyXJSwPMU$y#b zpki9j1%2OxcYA68Vt76P_Ps-WC%IQ8j{8?~Rls+Bg#S9R$^W_by`0cL4;YAHF1V?lvqOUDeyIU- z((^QXj_#4IiT5==fPwi6@K1R)our4%0RSgB$-T?~Y>Zz!IE)`h>@7{ZO|5U}joBU6<$h|s;EBEk4BJXq1 zEcbL}{vWi-f5c>5JrCqx^#Y~7*I#PI&H_NJib~*>!PB~5I$vc&SM{N> zB75o&P*VjgUz2e?u@V$cO z<$D^woA9+w0Jya^**TZz2onVEWXx!|DpK?jC*At>*E^w zj;w10&S5pQh5Gy54gyqWEv=`afO7 z!h1tT2rnpmG!YI=&thOk`46%_CviU7{TKnI-Xquhw1V!@_6Op4m5-U9F&F`;7KrA6Gq zSoHRthz4gaMKsj*-hG06b{zaGR)9<2Uj%VgRKi1qg)|t2WP?JGZ}cNy3w;O=+M?tJ zWa8uC3SG#@A80V|)U7j5S)zx-eG9Mu6Jfq*rQl=CM>B?SA5Y##LpN^pnfnk~N>Ny} zx>(&103MW<0)f(?(*xWzh74m&jum)0uJp0|dX|C4kvhQ7>epV!X@zz5-pbSD{5{4HT~7b2o@Zv_+c8VPn@?$9!Pf5=~niXQp%TG6)|OBoAaZ)4wuI2zKPp z>D(k8yOfUVYUAu*?eMXSihwCP*;{tOA1dNlA4{xSzDys*vGDOI-&@vG63@lH`WN`T zJN@PUTpHoS26i9T zh2X*6)w*DAtemTajfim2nQSyLg1N&nl;gSn*u-t6Cd^ys=Y-)@E*huGNw{9O6c|W5 zEM{bO%D-B_PX5*UI`AuQ;Q^cp3+AsZpo0^G=TuoG6MmU1ps4^rZT%MW+?3YQ;GqG{ zPPFwQ#*Yi4_BwDg(aMj5bE!G7ARU4#w6rh`nfqkIO^13{*nmm!kV7rAHVI*&WL+

    d{fbs-uPO^)M`?orY~5zBMl{@U z!xE&(dDRtb_#)6FtU*I6vCwTLFOq1~mE(E6wk9Lo3 z%j1l)9p`dtoZK=D+l9#>NwK~5DmHmC@Q77<_}Ay03HZCI5J*dfrZjok49elxxHKGt z^D;oL;&Y1&U2nlA_=8PxYgilvzEmGSXXgU->jJwT8o$di#JQ855|I2IW>m1#nqesb zzhx3$d=nd`!6>|{Ccg!-!&N9cI}!=Gpin_`aBOX&ZW#1qPa-l+AA;=5klq+*zYQAp z(gVUP>?tNK>Fzf|j{P^3n}ZzXZ6iq?*V)<33G#2wEy6YSOBFugd0R%cZ-dM3^+~`8 z5_aKOXNqa4+VzX$NrA_6i0GON74(I-QV7Oo7?9(TXref{F$tPtIlMQJlso>qeHwbo zR9g(91&*6sEajn-F7qHf0KQOmeZJ)>f0qI;wYdBNcd%3#h-2jEp{Dae3~hj=%%7IB z&j!lxzWO@7b6#XLX>YW>)>*>nib3)YINi_|>?H)~2ARIL(71y!>a&7q(8<|3L+}*+ zQ8fdD@s($=sbC}aoUzgFg86_A-!F|Xn9q!7?8YxvEo8#T41lfk3QI)QK|H2pHS&HV z*WoDeyc|=H+TZfQXBRsh#nW>X@{bm+-?fLp+&pKVqgT&J0WRpG9N;MKVU-G7m{P(y zfKTYyFD%94^=R-<@>~Wp)ACS+s>N^>_YfZI=)$XSD~!FF)52y$}`0MuiVhf{T`zV*M>4l3L`+yA`uFScNrQEx{n6J|69Pg4B#nCJb zFVpQPC%WK{tp))Utx;dfcwUe%!H9R0itydFE?=r3na* zcIvsuosPC6oqs#Z9CJ7spCU#_QNbQ~-X@L{O!zn_&?|T%$Gf8N`&<=ZT}(I+Wa*ru zBM!!_KHLV&EPr=7p2`WF(K0=Nw9gt-o!S!VW^!-?RlycO#y zcs0E#+dO|easfPH?ahVkt${N3FE&~$A-q2-qa2xM04MJBE<7F^B%b&kabfg4by|oh!XRrzOElEYSh1SE)}_VkvnW)QW7a2Cbhizz46i zZopF@aVHdvwBJP}Y&D2ZlxLP8_YoAMJ)k5t!uF$kouj2X=e5pQ@}T@Ol<1IW7Vc_} zDsA!yyON;*Vs;E=hbeWLI9Ok(W>2de-S%1LUz%UmX?jxFr=h07ac-!Jt<8gx= zrd_PWQJrUj$1L3$I9aTd}ig|Rd!ZG<<>d*}QWGoT7z&Q z7e@!Qu{skT)V`tXBo~*-p%$y_Qy8LCh=3a*>g)=@X3JLufHkLFNnjw6)bZu{Jw(i2 zw_v6%H^+`yKqHs;GE-N7PISfMExI4w!T38anryOg$k^YJq_aZ;x?TxJcdoPi zPJ;>2&(|!6T^8u3JKkFj{&_ z*O%J>u-QGb!WmxhO?Eyyf5Ur(GwGc85Z%D_S6IwTpF%=H0q{5TK^XlT-E83|_pB5? z=0!Xmx^916vm`hl+SOrwL(SHSwXGx%zcVsrveEbD=lW zTJK#i-2L@pYvbC5uB;p+WfqKr^u2R@47S%bD}gKZ`1xk&&tbF*s|^|+Go_WN`aIST z3QP;W`zv#pET{E&h2dwVAxHqsvwk=D+gTk#un5go4?ETwvlH>%+KkF5=WnJ5D zjuShB)2W{r7>I?uB1dM&2RM%rXn!_Q2`wZilRc)gMJlCGAx?8)cOvaxKXzPTB*me|uB80GCsqsdEgE^fURREG=&R@*G@ujp; zZ?Ex+oSwq!wG@9@ z+yF}+{qg|ZxAQ<+9ex!LfT@-dI>(W|LZS4yE8Q_tmxgaTUR<>==PCJlj(0+;6H%}H zDi$~U*S7oSSCCG!$fg! zc0iD}B*1w@D6|y?`QC}Nn*z9HSakjk`wRvb%hNm8UHUb-9i+5w?-yczt;Nmd*&v4H zR^XV-Y?K^=AD^C$tXdLNu)yK5J5b@)USQmOAUQ65i9a_LP(yD9;+a_TL}9l0-I5GM zqV>B4u3j2~C)Uo#eE=sri4+(Jj2u!bms@bn+3vXJ(X&ql6rAh+IU~@&V?Q?4%CL@6 zBZsOjqPdT|!ur9L4RQf}32jDtohCWBV-44jju85_dGj8jv2Cwgu(EJd@0^e1-}Q5tj;k&OP!iV}o8s_j zm<8I4vA_+)ecJ!xZl_Q4bG@>b;PB)z&Sk~}0LOVm7T}>=r59Emgq~ePwFQ@nw%CbT z_j)|s3Jf5nbs}DHMyA7D$8-tqW49OMe5sQ^96&m!kMoy5v#jwSzqt7<`)81@0be3> zZhy$Md)?fl=0B1L;<4mWJX5dHgDP5@3mdJQsL}C4&MJJGTiKZ+8*nq1l(gPt z{MvNd7jJX#kkDdLYv8RchvePhdH~3CV*?9Qku;BeFrZ)^U6MA8s@wZ@KG2$4;D5-$q*S>?pa|tHVwf%9l>nl14e{>gHUe)3#;V;~6=JX& z0SmRUAFQf<0U&peHXfuLF9!>s2mhO_BSezJeBprxPldZK@}87l&-Z(_G!_lhlO2M+ zzAx6`i@bkJ?|cKwo(P=_!T}E>MdTr*2$^ySE2B3Z@>3;!cF13y71^Z-DVownG*dTq z^$KtJtgCnA!pOtQ=rvOg)7UMW4hO{V`Rs6DzqcZfsFE&DIl`n~-E@Q+Mu zR1Z-XEaZkpu3E?s?{|J-@W{bjOUUT&r(mIYTrCmDPwOP16X)D^@>3R`U!W-qcVtWD z8@$=t;oCZUg;kB~J{C4a?I7W`6XfIJgU=N>b+e*p_SQFj-Pt>$`Ipds+t6V~$){qstT7A@ z-nwCaZrt{rhjaV9@Vejd_?J#+4o?V(pYnFX{;Qh<{i?n_JiPB4U$13(m8 zEEsM%w!c;ta3cD-)3(z|Uz|=nmlbs;>0(jYndI6DP{`+0M*{75&FW?L4`(JiQa+jY za$surlEi%N)iq`Bq~)!&o$B}X)F_0qF0OK>-`II1zyGb*{YMV?;q;J^1M}vUogMhg z)#uJ;{PD=UBh`QXap6n|jBV!zfBvLHokrSLoedrSNa-kbZ?pGY$XDZR0GdX%k6`-k z%9WWPO?^o{gh{)j&f;?JIQe1mx8Kg1F=}C!6YX-Hcfzp>ji%Gl6;eKR%lYi^#;fOt zKKjU=k;B$6Nm^}EttwjWH09L>WmIigSeSch+a7*+!mD@q5xd`tzAz$b;OGl6C6^n5 z^QW#^^>}{&mO~dJ2L5^{c$9-)Ix#Bi_Nd$fhw`?+`iVJTyiKqs+3Uy+zjh`?_`Z(D zK2`MYv7k`hBSnR|2}g@Y=MN;sMQ;yVd#b3YxaBSF7-`M1;)C(t;xWyiP1`Gs)l@w` zICElC`?;|t%lzLX%ACW)jaNtUVnXS%#_Sxjs`x#lYE{Uh@q)GX{P-zt?k9-n?xy!j zD)(M{?}43%gmn|@&lj%?ob_=_C>b)P;StjV(#(zPN7k z!&n?MWj>QV&b3JQUd!ku%@=b@m;QQgVeq5Ug5bfL^+#6}hg!F0mCY z&FEI+3da){(pEJ^U70$u1zPK{J#GGOre9Z{ySwQ7Wn-qQ+p@|AE~yR9fB&(co+n1z@jZI%3t=QCJD$zf;N-P@QzW&Qr-Sf5cKS=KA z=(S2QM2$~PAB4I}W{g|ry@JJU-5<=@ebn?}<(^CBPpkHIKk;<+f!psrUGpYhJapzV zd<0)VAus9|bK>y{6Hg@^pHQDJ%?!>jAAfFvrg&WE0={lr z+q(KUfB8PV;e1Ytjy^VO?8e3cf7Wg^Ty}r;_^c0W-`}Xto^xECQ;~3o;ZNjbN+rW5 zpkwSO3x60n_~|Eq)J-3-VQb0kkBhUQQ{RM>%0dGjqI9=#b4ZnOxfIhfcKMtEclv!Y z%+%p1G+kX=@k!I3wtW-l-q>|~(u21S{v15-Ha2`Z@6M%)Pn&$$@D0hSX}7Cg6bvwzI6ZC`%ooVnZk`1l!jzW;2R zIy<&|VaS+iZBtCEk6in=%$%~e5wr~ez;Q1(_uF+WUL9xJ_QEwk(+f8sh4;TXp#HZJ z>QrIC2oRD6qB9Dw^l9=I)j^;a{$@jR)ZH6i6j%4;qQ`_BQr_x(>br04ta z^%Z`p_lIo1n5?YatS#FGg^nt-wr^)xbyk+z&p#JV&p@D2ucGiN_D_X3X%@WP4!_iX z4>Lxzg~`LkA@EjK)^;67RfHo1Wnms?(E!E@qIx940%D#CI2LVZE+a}q@mg{OF?b%4 zil1C=fAD8QNAj> zFV+orf_o&U{Xp8-ci+DMeAVdt52|c_FX27Kzg5})hUzs!UjGUAtI|Jou%QaC9QO1Y zgjNoFz<_bD32*^5YTaW5A?wyXSdAWr&%@SdVaNy=NiPkCBS7I>=%wJ0q(X&6gMkQ( zi%=K|i)>Y(!3GaT(NwQ!^~3$5r>=%VN57kG$|2E_aH0ozj8-Z@+m=w;e{3ZC-ilklDY zjVJKmKK=jD9Y=^@#rK0qZxup=;dPJFxCWH2L*U1!LLLr32Kb4DACR1ljvMT27*N%N zp>aIc8^pW*qjB8(FmCWaTJGNu5;ydYy)PO4?{C8wkNHQw2!GT#>JNYHmwI~8p+SfK z2!daO)X*BT;dxSsn}#ZT5Bi=cl_5BUC_;c5{fGYmtPlC)M}IYz@erawf6!tSE{s$N ze_&1Q_d)Q#29Ea+!Xxbpq^1Ml04W$nV5{;_&;U9-{`(-s!-z8^!cP`esEV@?!X%zE z6eDCPE}xCKVjO{r39mFHE+I+)~_iugpRmD5qu3-cBY*8j2H< z0X~{dGq6olj0{Tu)ofVNOIUpt|4X;~oyGq1 z^gtZ)IdA<(I`AKl8!*e_B%gXigIkayea=<)a)L>~3k$ht_9YZ3Av=guz$~vY{=YoE zlFZV?SRW+lUOMps$k(An94AzR1RF}U7a%DH908?xGFma%CT;Zzcl(ly_;-xy-?m+d z+mCGEhFJ)@M;=9z*`5ZSEz#C+Pssbn{0NL97qud84YFshK^fzbWi`@`w}c`gA6WE( zc)X$r=NL5i(}?m9bduTVh)$lR@?|D%M!$Qh$c#i(5Tz?r`JhbZKyD285lXRrgy`Jt zz8IxqlTekBkEE|izWl53vJ?-@9NS_fzagaE)ALSvV{U(hBIzaDDDcgjlrXOH|1R$+ z2h#y^1*mXA7Q{Fb1a4hpX}D`S4*y59d!RHrd6hf|$Nq9h5 zmX8tBA*CaGR}eiW2`KT3pKYDLu+|uub4WPL)y&_7gdGZ-S=zy6{Iv@L!`;uL6T3>a zA1Q4~#PKAfu{HX+egIL9>Bmx9M-T^)*X31t>gIqH~-eE0rPZuQHI^^zxRO$7j`Yn{cgsgHr z7iN1JA#2xk@RQsCFXYg>+n~qEVL}*~+N;1?u9y8ZzTM0$RhTDQ@|5<&2yf*+vV%SR z*76+zY1fPkyWUHCmH$dvyr*$BnCKQf>WuFCfEkpx1Y_pS`GXNR+_fCt(!LbvOP)G~ z^tIR?i0wLLiz7|n;W3uM*tQPK#<&iO>TR-0ey1mq>fH)H_VSq?p=`N zZkkb=YuHF#O9eBCbhwrQ3f}rUeX^@e&`T$Cr=qTUh-r4hNY~Y(Xdt4maw}aeMYg31 z`Ge+2==YVsj!oaH$UYW$-p^)7GKMD6)k_`%e-`QRt zxv6N(QUpyTImYrwZ)bS z)xQR~r_}DqN#l&j&NQGTdou2RT32EP=XScqG7&LDejR=3l5R-VL2eGTw%nk(BT(jK z)c%!na8f#e{q66;^icfdZ_|(^*AH#KS*m|onNVX^Bdhr{%B1BP12}7fKX}yF1#(h0 z{L<3*sjY3SRv!qXf7@bxhtjr*w7tqn7Aq=9XGSo`t?PfyC$Do3;QWn$j+h+(2YYWG z-bB^^4WE-_+MG5s&6#%6PH2WqXhIXn&`g_Y8)zVplr0Q|RLbr|0Srf~=76kLW({uJ#f9?dJAF z+Ne0s&t}2ldXkVE&hZ;Lb^g)_vc}uYNNr6iNCJFeIXCh%B%Cjwe_$EYe=ayU05$iTqet>&I=s+8{eoZ>y z#$7E$-a(y{ujdIkv}sIWYTx1TY?=?&srfjrM5 zWQJS7*Opp03x)5*UEOyU7?oK_0^krQlry6n`9Ug0A6)~9GmoOF{$;{AlqtMfnH?D&y&k;bnYMiL z3C2FNEsrLKX7kfn+&47S_LjI4SbB>Q9UOfI9auhDTA8Ru402~Gt{O!~hFiaS}NhBip7aa9*!sb1l*@Y+Na@`Kc~$AxAA0r+4P+9#hCIX2!K9p{~nsz0{~Jq4L%XnHr?< zzIpl^4Ip&3$-QVLz=%AXPWGx=oFiX?HO^%w=SS0tZPs8lcFiJuFiDQmxpW=y5YI=x zNzVN=r{rL~x*Nn%=&~=hWFk_Z1x=5c=q&?*1#q$8E!WY_8ivp8HxZrh?8MF=Q-rE+ z22ptKD_mqqGFY0EqP<-AB!v$*bf$M~zfS9dq`rwHBh)+454jv><<<01MV%XQhs=9# zi{?Tc%>H4J9vk(7WDCv}$<}Dx7&lUHK+!VB&GktaU&zP8*60esGwfb;`UM8SnUywl z_9!>Y7W^Ro>;cxMam>+20VP7RJq!UW+%zlsf!~mdGw?@v93aj3>Y2_^M_+_-il1rq zNDfE4;RbBQ4JQ-#O!gd23f&@hD{Mw(D%x6vN8_(-EsoO8zusM8Ncs#o6fDyuQ46la z!aU$yuB|{bR=05BxA7)hP5w!Yy?5*a(Gt$@E__*`;xmx*I$j=wA{Ty)?NzQFvcyp)fS?5qoab_S+0< zKnE{#P>tcC~plntX5IrH>s{5zCVx z>g{DxZXF#H1{B~PeCH_2mIfKcEBK-BcYXFM2_e5?GrJ%RqL3wBQJ(M((!@!TTP3|w zYs2z8)M~L2(jVn2(~#>_l12pJnh~FbwY2ro>dx9sY@L+?WzXL9a79-Tw)rK>Q(V){ z%FYzO(I4?t2`;N3R)udDw`)4xQAIea8gxgy3!Svl_^2n`xzg!AO?Qj)wNZjpmg3U$ z!925Q4StO2WcLX=S%DaybHECHD^jwtIyt3c6|#8?e)hdj$4coI(2RQc_PZ}RZb}q@ zJSfnL)cHE%7rnHcPE%It%DhM^ccVIONTS+PXBk5MXMF?d1kH<9)h%rYESeccg2_RE zqGETc55#!FKR?;2?L%%dckUgw!rCqcPbG^ z)u(9d-9ozhQtZ$PFzEMgpo`hO$^{_u?q`1Fo-|Sq{S`X$N!5#dZ_B6n%?UJ*?xWXn z#p%>ErV!C`c_->tZj%VFJ*N+KmRt$i({bE41V-BaxbS5l(*B*C3JvLqFNwOhyGWY% zNhVD#L*CCAQM(JNLlab+PP+%IgV5wNST*XD(>T;K`kWsyV13s~3pyPN``;G)(l}7^ z$ak>fEay%iv<>lJ2C1Mv2ks-!6V@Yunt7QAPh)kD=qISYvWN9hhPD8M2Hf^FYGdjD`0oq4K2spDUtFhYOu&|9mDprgaA;{l^~3`hEg z%``we(|s;CalWmz8+^+F?B)xY%=vXNq6U>Wv~ToylN`;ITW@x(FoqU@F#C*h(KK-J zI@Y9=;%HQG!1x(q6l;Znp#`8|O>^u{65OqEC2l0`N+olmJB1A8WIPIU8$lD7pRLG1 zK-DOpz^+(ajcuJ`=jGR_!*;#a56SJ=$yh3$umT;y(bvQteolE76{m?Aws~bac(JeSY(LBK{|iHfKFu!!aCeW7HVPChSmJ{=%|P?^w4@)=2|PzZ<*X3luk z*J;BbM~_6>jh+^|`AeW-loHI}Y@~gBeW9P1FX|XtwP-@a$I{J4O~G=17*Vgp%kw~X zeMN4JCV1~uzanxio2HFNasexrSCLYAI-92SWaKvK1EX@>7>NT7^AQwo1RD2Oad?lf z6gJqAIZ#kJYU)FOWAl86udsV>rJf7B1dso7(6@b?Nn*Pu zQI0s;U5BxIfo;f(pv_Ge-{eFi8fhJz<9*GWN2bYVp(Zw6D9Vc3#EyecBm+V>NuMPY z4%RgtRs%ZKPF#x!`}`G|FXzR+O0ia)3QPPusCWa2zV}cF<{%6@I9T1A$@}5{0Q5Gz zTevK`*qg?-R!^@UDX$QV%HI>Z(jQ$9r@H!4&6DDZrZ#HWTdMX));lP>gN+#yK32ex z(3>^ZJb!$HD<$AQOOLz0aKc+ZKOPn+=kH-ZyVsvj8)F%lFaEX|I6aYrR5u?+g`MbwOXV|Pf;z*7>%5y3cb~)iSwsdWWq3r|u zi@GR=2_gE*fs*96)9c}6%Y=?zijJ3mriX$qJ*mmxQv8YS3AWs~CNPz!4{F1ZRFdR+ zHH{g@tv1ocdqDjpx1j8b+mY|pqmR*sl3u8422y*WP(7W$eK0+vBzP9yis+C~9lFxc zD5WMk3VK=GDdcR(RwyI>mqf=gQ>d190W~p@p$n~|HrGf2f($}0(+pQF3;I!L3X=hG z3$7*;C=!;{`AUT;^cZyqH(EjqZRzD!@>%E!nl5fvYEft@b%+lt4pe-!qzlqsMCY%E z8JLRyWf_pK&c^c4(Dyi#d)#DO%|FuB_si+(ckhwLn8_Ozaq*#L=u7Xfl|$6!db|(@ zuoH*4%A@rvnILbbG07>vO~uN~Bs(NZtgG}CNt2fdY3lMk`5Bva(-HYQK;F0!Iak4w ze-n~lmg{I0dBr!PWTl>OGDb0MBShE?A6Sky_#JQckfyfb20k*pmZY4p>tiE3D4{`|}#}N}h-{+WXlwLRD zE`iT_Nv|4dCnY6WI%8zhy?2t$t?$y=h2NQ4{|z(iNh278cAh5{HA8q!puHTkjZnNA z*R`TH!S{N}Xk^`zP{S2B$Rglvz*uX*c$iN)vgfOOPvXtH{Ko2Nr4w3@CSFcB&f0${o6hS=?O$ z(h>_B2?3-@paF?h9MDhtDGVK6fm^k(}s!BL52}$@v_-`pI7)Kq-t`?-Z=o)v08<^^oiv zUYX#ET0FxN+eV1}md+q0+yt{QPRfEcl^dQYO*AW)ky@R2Wi!gDeu(sTJdp;-psTmW z(=qBdsPzVrBbQL{a>DE|D*M4Ct#RbP?|7_x)dL8a<$TjcRb5KTw~LbPJLe+$w$g$F zqZ6whLW(Yqd(h;Lh?77Kci@c#becI+jYSD?qJi1`IJ-xe*Dw z`Q8b>(ZNw@?~gSLPutvV)hjw>A^O!<^#i7Z=*z?U>%jIBa!of8>!Q)RvcBN<@;seh zcm+u-`@iIur%n&qe1=3{YHPYAB6=^i|YZXT=yV=DJux@%W@`MWT~r)|6q zRmYWRhBJ4e8BElVW?OSRc@^z+Vrduu_d@>Kck;7}e`AZScMIgBcQ>fZ7%pN0ux3o>A;?fe5*47HL_=F*P1Bl;vv%1>=P4uDxf425T z0J7qbq`^u*Jk{|+lJWaH1B0Z;BuRZ$*yXglQj<_#bAL5} ztP6e2Ev^TxmZU64a+3Tm-mWc9CDVXw1aQT(T`3%{5<;Ooo0GeTEo{`;>@E|lmY~pM zHkbIQWl}0xsb1t%pjenP3WxA8+*0|juSZRg|BB*n_*;kDOg`cdn%D;ar@@RkKzpiW zw{FJ6NU7}zUR^Z;U3!z=4~Nq2*49AbC`2eThL(s=jb^3C1?Zpm#xx*$s%1s%dE0BA zZ@@l82GlkpVZgaYIGJ-Bc)4zqccY`$y;je7et9Mt6nfs4eyJ0&sjHYx=R&jgm;ii1 zaWcwqCiDgMf%!b_ksfhsR@8bw_a&iu!Sy<+NH}eV9pR6~Rq{`?=Zq1)&t3n9aAV}_ z-!3@M(7~I&al64*;y9PMI*LL=By+!$0(%R4qida_PKc97vsv18aq?wWR1ahMl5d4t zhmPI}T{{qQg=~k4(!KypZmdo|C!|?#C*%d|nPjLx^}XX+o?uHR8LrU@p0y@Nt|V>G zYtBW!(+jxAeWdTYp{RH`-Cwza4Jk|FfqwJ+=b;y9z`Dd(xoq})WTDBlXZ@{Z0aTU@ zs2H_2j7M0850Ku?<^x_RKhL)AnNf(HSJ8}NKcQJiCA6klZn{`Gk!Ud( z={nKs|5i*6-V`TVkwzaBlb!D=>ydZ6n}!FdHb82erA^VR_ZY=tr+1JNX-bk9+ccj- zRo@^|P~k_LULR^xTy`Oq$F_2FHD80(k@FmlPO*$3FA^tT%AsG>ZE z)G@liy?QW@Rv>z@Zp024Hk$z!sciKH ztUeeoeto5pwu|ZD>^o-yi|%W#OGPnvf<0g7$?U=>7u)u#$+}P(=;f;|>bZbA3VBYZ zxt}EmL){$j3ZN1J#xUu+;Z(kjSk*TSpkFvi7v)NV&;{%r?t{J*afoOA_<1qS3rsr? zV`{JMhm_8^ayvPs&NlD)#`9=8%3%)?rDA2k^GX`%F)Nf^sJy&vB&t#nfYf-ge>9yW zuBAN`kOe(9Zvm)oGGq~yQUz|B#9Fq~QFHa}>bE+zryyR6T0}MAR@LBW5g?1qvyUUo z5PrcV`Y+h&B^zvuXRM@|>I|J_pV2mq?uBWyN*#e_3~pP+?=aeWLTofH>4^#+8B>Mm zXl}588kD^$jxD`@?M>?1t_14hJrDL&b|$x*0Bn0gvS+MO9OVcbqo=^r!Ocn(GN1`S zwj3zNv{&$akLX*rbl+ieynO_<*^W3WlZmT60%Ks`#}V~jlN2yL-%fyAY|JbN?@LL zlnQD)rrVltU1#AiGLWa>J#e z!F0&ZzP@A^XJl@oMRW}9xk;&o6i41;3406pc+ zfJ$q#O|lbz#oFpFApWBS{5t5TXx( z3F6=2Y8=Ui-hl-szi9N+7!4HHAnoh~$`<#sotj36p#Y@X89f{L~YLG}se$|$~XB)AF5^Og0SsV)5(%t>30iw!-{49T&*bCF)Ni0wT>}X7D&rX zuA4el$HOk5l4eWm1@658?$oMcG~)&Nk(MEJu(tu~*c(>2@_BSlOCbbFH0jSSUf`A-tFSs<>NN|ytS8Y3|m6ot|ewCPp1S2qbmVsaCoI{sHjv8N4{C4 zC)if6%yrM^PPi7vd>f@H+JFhwr9!bsF#%*ZEm66IhrLLCT^cr_vbb_BIU&CpxJe+Q zdIO*eVdNKO=i`MUx|WA9$IRPqgUm~8%n zVt0K|GESeheGv=nz;ls!&+7+3I~{Xm}2Q-l-E3T9c)L3F=HH3U&jG0$$KBIaIYB}Ap1gs{SnH~oTog(dDq>#3bvRT7LYbUjQWUDIAE%*5*vsGF>K6?>M{{HF{#q#8^iH3!SJqOjm#&v`CA|3&9GV_L82SXL_Qk74@CLZ{WhW;jar1>CWFEtiV6g zZo#6|>QP{3vQ5?cpvtlI6LI=5)6LSUsE`$GLY21yF0R@ISJnu!|1=0LEh9<d)`{ zOb^>Rd6++qpGW|ix^M!j1kYvl7B1fCEEnzu*X0AjemcQ_?hW@rbvwE=-cfAw?I@{1 zRd*n@Pb`~tWA*#&Wte19&rIT(l7ezPLJG+ovmMb{TR(viB!6GJNPB_+`68lqOoYXo!e9BHjlU5Fxc zVU*{fqgr?k9pdfcyHOg>OLy_-dN%c@0a&|^#5NXpOznxRuNtNFDtQ0&)*p-O>99RJ z>8gr-r4^gdVRB?Sp z5IL}ETLglK+IOPm)_tUMEqj1WSBJRrg_eOpg}0UXLX{wR<8`51pgn(2vc7Hib(h8@ zz+Pqar@%o9;-Qhg>^Rd2jA)xue8)*&^;q{SH%s4n=?2&j(k6a&qV^~z)nN}$4 z21#3ttd+2B6h;)H<2t>bStfPEAT~~1!u|K+Ibpp+! z?G3h|QUQheNd@DI5b|AYABo;Md5n8H!SjV9n8CJfiCJv5(`f|GDG6B;0lTRb*N9f|ozKpoJkF@HY6CV`v7al(w(=S1Hr=cdHu%K^65g_PuhW_;}?!BSo zg_;4JEp1YFQ*7Ny!#iww!G1PzL$RJaY_us}@J-X}XFODPeLS}|u_fMC==;V`4*jgm zN6SHP@f_&RB`D}6Z?+V&sh=V_8~k{WlSk#)My<0+&Y@QN0Lf9m(7WCvt~o~1Rl*w5 z3V0#0#EbF~>0LA5^S1HVk3(I7RLIjlTs^9*Sd0`Uj(c4qjV1XB+B_sq(|WL~z6WS5 zVqnh|(x_@m{#)FgM&P5VvvE&aU7O83scnASx|L@#TzS1UCm@iAR|K4hKgSDY@+HB! z)(NY3I4c$mBCdfy_dHLWLK$#AHmEtcrU=4!#IVpy3!^=+!xf8w&99F8+yuBAPOjF% zpGa~y@7W{Rf{!zbL+3IWi)R7QvznaXTSkWEFIRs;dtU=JTzeKm(X4NDVt3CFTpxAg zhZx0W{%){4^X(xGf-^7$$&aGc$nDoJ6jS{%TalM=9&EaAfMAQiI5C;Yr(B`_v)Fsem-*F z3|8xj$<)fF=UQ8LJ0~+`;$~(kf6zjYst@Y80mg76j)<2PT2~z5&YAFWQr=X+BmrayF4JRrVsyXoVd?i?){lsGHxqV&Ri()i zt^*OW%NSlSii%nH>s_jsaEBA5pNv{#Vr!=KU@|y~L-#>*hDqpMDo%bY86pCUUkcp{ zp6V}r>%ddpQ_d2`(Veubw98VXFV-NFe+_$us(Y4rTD6n&AQ8{Ezxay$8yzG(^f6=> zkHT-EQtRAg?_ujbNu_1-v*1vlft8Dx|2N?4s)OR2pO%JoBF_8~=f|*PW3K7n5~L)m z{u<}_z^rvm&<--fr+kWuovcX-JMZxgxYEh-xI;|7q`-c5gDaZk;4&uo!Do*kG*wW# zV`1;=X%KHN6bl=>qDELR1E|rCLgSjoN#C=j@#aY9wyaT68Tk9SHtK>4p^YlE?0cr7cIBtdp!MBu9FsNc<^(Cvkwu z=RUCW)I<-JpY@Fbo7DuJvS7&a$?D@e#!drOrMh4lr~XU7s$5=+Hd=F%*}Ie^llok$ zG_RAm1P5vEPM_PjX-c3ViR>q?4YuzYp{lk3wY?^3R2h$o!7!%9$MfR}xB)&u{4i2`rMig_%XeKl4u#DTf~1${y*{&VL6sIDQW;HbLn}YEog9{k$gHXlkvNXJgk)g3MafoE zQsq+bL;wycgvPjtLw#W&Ux*z<_if-Fe$Dol3XxvtZ0X)Ik{5cX%B~CL2hQq=TD%=r z=6+0Q8yptvLJx!*=+oBu3I3_xUNyY?QSKYNb>(I{84zL43GAw}0x)}RSjbl<$-l$K zFAgf)4>o=^-Px%S#Re+9G;KI(@Q8DSe!oSL7Dd&IP%d58JSw!oPYN0RZ>!LvRS47< z);czo`xN$0T@^;;e@JqL%+`@f+#5-JpKg{t)075lI0e}M_KQlnsEl0@t_0CLT5%yu zdy;!ycx7lCb_3)4W%G>nm2+!`RNpW3aD49$w78){b!rf;>e=c>hpl&)F#}Q9v1V7W zQzwPPLFoK=>}oTM<^CZ)6JKRkOjxPL@UL9MWp@Kx*z#FEwq^+a7cyRG!vA8km2vU( zpmk9nkcVrN0S}uVl^)5&bCpjGpddJG6x4j>0Ai;U=Idx%^W(UUIlyKMBk67Y4b=U- zsBzt_jOHFFJ1rx+LwuGa(iA-d(RtN{&~&&Abf<2PE@rhDmAx0Ukn{()v2aDWbJ)-D zzjake7EsgaAFa0scV2?MVFGNyPJvSbn%=4{W#uc@QlnC>lP|ETS{7Vrrt<~%zRQBE)~X~R$t zH5X5%HQI5+%O=`M1AnUB6nvZ;)`Yh5v{tj@y2Q@>*aVsr(6GFtb)~nRR+Ws>!wbky zFU_WI&|7ZK_xMbgRtgy|mUR?lSM@-GuWBwH)(Zu`bXY#lgWYBG250aHW`FW+1Ai=J zf!u^b4b4%RJFIR>SH6e~-$J`IU4-pN_%?8uZ%;1-WRpq1HV2n8R}rgkN5I(^-U)+$ zh0+g&65yghF$%ZRjQva9Js>D9z3na`tbC2ahp8MaK#^x`paT&yGV&ai3gXmHRbK_Z zNy$L`;JIx7=m)qzc|%b!0PjSnFo#&zyF0gfy?lzHe@)xHQv}VS7j9(SXXFQ+x-cwHoy6#M`@*@7MiB8eh z=|V1P2@jsbkVMlUKrfU^tyUXLTEZhjS+t(Dl^jFP6VxRo3ng6<|1Tq*?CS-q)c7P= zv{v%>8AA?QD`r!FzRls?;Tp^b&!oWqq9#>LRaao!VoOU()hr|kVgis;3<{3&_?VLS zn2LC89m3^Xk6sS_?6WHUk+4QsIxHQ#Kg#bRJqNCRlD@DIRd|r?d-c6^U(x2xNXUdD zPT9s6)XX~!WFpA1EOkpdetsu<&ro9awXJ$?mcD@%@i0Isk2zk(rs9vl{CGOws4Q_8`9-(mU*M;=j(Q z?msW`L2ds2$PS#~e=HDg8*T5S{*Ma8l7_CL;KeHO-w*Tu=V7^j*66=4`+J?Py+dxt zBeVbMkpRzo^@0Cg*54la=d0%Z<>~)@&;R4|uT>@1Z)uARu`c=>PyDUh za{h9n18DKu9kGP0Yehi|PMicUbhQ&>nOoP+T%glI$%8Yofp)D5F(~A}j4%K*kBzkKKU+3C)=M3b?C^|h z^}W`_d4F7<|L5h}wQ+RqmTTqzzuod*rF1;B4-AcKrTo$8{~3e-^yI(HhkrbM_0|4U zS9r;5ZE|fO#HI{n_5J@3;d#r!PyUiePJlUkaO1RT6J}mbiT$WG&hkM!cKx{h6P@eu zTae%Qe?``xLmI}!wc+u9Mb@7p;OfkQq|`qp)87Q+{}oyPpNg!1Ofl{*WDOK_9Y_wA zp)nBQ@sa7XCV8_Xb7y%g!m|d3r%nWA#Ufb$uB!0=eOcN+{08MEX8wUjfKMeM*QY1{ zDq`Y*q5_DMuF99Uum!Ls&zu11vIzc(Ntb^p@gJY^k8k#|T{vPIC_I5XUhZ-8Tne?R zicG19O!N*K9`Y7td-Hr*Dez-x)~t$YQ^i!XFFRM|*)*HQq~_-(vlhrwF{m2gnAQU9 znIYd-G76<+d9$v&^bDFWX-Q;0jqx5jelnd|oxj=eO9lq+D%7 z@|7Vk2l!}A{#;*n>|QN5R~=IZiL+&ILSnYpm!oAvK)W$F%ZDxaVfuPn7L<^cn_Bx2 zGG^!d#xx^Cj=y9_$F;t^?5Yfmd}Z^HDch%MW9A`aj+!e+l^yVdSM@W3vJS&v`MJY# zb;f*O9xjB;Ia8K5KYLgfHfCq5K`%0Ado@*q#A#D@c6Lt12gsym+7#W&}a>_nN0LqY+k5A*P`{m?h=hU@B!ZuR|WZF=ymR;x9qZ}Y$GGu2> zfOO*QVRhJ$r#b8J4L%4)^X6o070*HAWoPAttg%AyrlD_Uepko^Q-4XfRR`7yw4 z=+d!Wm!`KH^eu(0-IZQ0)1ox{?)*c?M|jw`xazTsV)-vQ}(;FYV= z@qfE-{!u&*76O0b(EwZ;!3dLhfc^z|iH;8-fpmOeTs)!^HvSdC=l=i<1)+6#$sfZ) ze=A1%Qb$9I-VXR9cBEgOfk(l=1~eBiU9u)2J*+?QGvLo;F>#sw;UcphZopYgruiw1 z()75SVLfKd{efKb%)W-V_c=>f_lH8vDARyzupuK2F4v(vWH;dIfjLP3_CA~rrRb|x zXQbev`XX3=K8dyNpMWn7;kiXu+jqUea#8Pk`6FoGA3ua^{tw>qADj1mEGz-wj`WVj zXSyLi*1!f5Z$KtU2~UDA2VXsWV|XtK@J)oT5xy9{F<77&no{foKs_BF=!boJ;fcSR z4AP9|KTf6@VY+pEEGY9IeuYzD#`>cl4A^*aErqFx(sa<=+1W+aDU3bN40BUoU5z%R z6MMWJ!=H2Jq{Z8H_P9*oH@3&8B&5ePMRPhnC=I10*o|-+*%P6R2@_Cux;`aAf8xZF zC22 zVO;jMM+^?iAa9e$1d zmB!?tbU4>BsaD^a0dp=c4cT>B$ZXKBF4Cm~gpxj^{_V6lxP$4Vv%^9T)2(!bF4lMY zwfbf&9aY}ShVRgXYcK}Pq z$nQki1T+&fnbcTLq6kENF~A9;2_0O0B+m%9k~~Hn2=SfZD5sevt3wUWwmH2XA%Hr4< z-mOXD#wqpA_Kc1#h&{$hhV2($Q<8u3BloQOw z4qg!PB9_T0R25#0y5pkaT_zyXnyGw*phSpCCP(Q|w%Jq|BM>Px0eROfu}~PN)u2BB zitJSpU=x|fT8tHdW;8wkK<`Nf8RP|@+HepEdS_D38>UHgS1C{Wvn~cp2tApmhN5 za&Pr1e3Yd(tz&^jnNvW*U^J8iy@PqI8aI34geEjHlQlJs%#iyUqdymy! zgJcrycRz?nL0q5PidO*U4}^}AFHGBDK3tm7YD`nEB4o*R)+xry$Jp`kynq9_(*=zT zH`s@B$%Gy&d@{cL2SCERo*C8R<$4;KW-=Vr^KT}?6VEDl#%-#<%CB);Z5d|kWbPoO zvA&SVq;Id4GE7XeYeGU0ki26~55_enf{1PB2y!P$76;;{VO9k3Q^cf9L}DJBu88qs zvioaJ$BHQco}Yp$Rsbie*ooP%=A!-2vguGic^lzu62$k5K;Ov~4o5+q4nI|l4fV5N zUq=SOF;IsreG-*Xx=0_j28oX`cebr4tqPk?-$>G91MJqbuT6)ChR18&Lu{S6 z<0eVZ5--a)?8X4bEl$T3q#F@!HLgLigagiYMeHTmY`vKm%L~}WM@wWU!!Q=%3R71C)j5K!DqN`TGK2`M&gBIz@9tAWCmzU5I)~#bhpR& zBV){n&U2wors-3{&5mMoO8<&6Y$1#q%{Aam|c=E$Ah_h-&%3InBMePpJ6jy#YF0^N2Thr-VOq_YW_ zLI+z;bIu32JTp_l^bgOM)pS_iCWNnxbZ0uJG|hy2r?{7;#AqPv=i!6+lyyU*%$O!b zB2$jHqiN2*rYX~=UC-Wy=5T&$goYHFaTcCi{61id?`ZFAR&IfLQJyZxG3V5Q3Fr5_ zPH}9~@{w{EM;$AR{9SA)T71y*asoRP_2Yh{V{}G?4Lb_W{DZ`r!pWZ^1qjLevz^=z zvTV!Otckfr@ShJAkCLqPxHs?sVnQ8DN5oez`^hcZMTAqBuW?I^Na$Ja6|+(d6zRfP zXp42=gf&$~#&<7?B67+Qr}N9DV~i7fskDyi+alwijWFTy^?Qn(2{_FZqg1s_HT^?-F=U@!-yFIdri!zF{n(}D^$z#LaA!@_VsC13ObSn*9+^55O2_@$+MI_%d+|x@E4&ftCOJnEW>)p`c47NNc|)uR zQzEap7Xsn<451vJ=2ih1XlnE>@HNiCGnrE@H}IeEvJSs$ssk$8mWP-U=OE{7!>kDR zI%W2f*U?5#DyJpu`JM^YKSjQR8S-!^ly~FLUAdTRtG~TTT;Zeethq7SMpu}i9P?E)rN0~Kf zHrJHs4U9Q~I}lEAO=O7p9Xm;T6EoF#vg21`1mfdx7&us*j~|`DoQI{B$qcVCOo?2` zb@q$?dTCdiEBvx~)}(1OBhF)33Wb<@rWBUfkkvcUduwI3@G1Lb^i34`HG&J+DPG9H zH(na+bTIW$(gmLTI2|T&OK5em?7At@P#0mE__jpGZkjo*aTb?lw9YWL-%Z*GH7LF1 zkFBZJ$PmiPEbeDftTb@j6XQ?SFm-||2j0NpTq%UTfe_{KSYkzhRz6)`Uxlrye( zSj){OX5Ug?8gJt6HQ^)p6w}Ioon!`SH?48`J%*Xnob8$2?SIm0Zx>q^rCepyj=V81 z8`ZOgIcV+d=>7`^W|_Pj)9ANOJ-5YdnjW4x(`n*<=U9~JgRKyLmv~{Z- z>iRH6`j#&pj=Q_~l#+B5OiQMNZE1k*99~pC3(v;e@kBD6ze3c_i10!-Ue07|!x3@W zW=Gob3YuBg7lo(DRn1O3#-d9nl@V9?3Q3asBn32dG7GySC&d!Fpu~rq+nl@AbPM$f z13^i72d4@dCDkbOD)ac#FgGs|D(b<<YNgGV6inAj{dnJdwYV-G}=LZ{VKJ84z}3P)avEdw${h3?8LA3gr6b!Ig1MMff_R zlCX7ZN`AQ&u#)?cMZmXL7=tsh)IN<|)%KV|Tnv$AB-=TWt!?ozBU#E+gKRAO3bowJ z^n&DS<`rRm3|gSFv^UYpIwwifi8Y;LS27h4rrkPFVELapfwTMwC>%-F7mbdZBvuj3 zE!#msZ}M0qd_8%JZeXkA1g0EjM~3x_gw|@CgGnsgA~AEy9c{UzZ)T2=nf%EFT*a<8 z4FHJNG9|@p10)qD+j$ey85Rr1GJ-M@voaiZgu*W&vG|O@AGZieSY}QYjCJa4W{ALh z2ejWTv@VxrDk zd_&WV{++nLL3z~E-xMx)^)xZPt9OUb3oLP$f6MMthM2g^GBBc?-)E!jNE`2shmFo~ zjlsB?Im2Y(mqvGI=2&0t%mkG$b&M|v@YrV|?u*SFwp+$GGDWtBa0)513FMpb4f31? zGaVp3zd+ZUv)hqRxumj01QNvEzfYG4d3Lv86=sjm~Di#2%C`Y*hVl=qT$Lw18U9X zTa1<=#*%D=s{%R5^98GHLAF%p;|Us)`-dh-5#o?Jz?!oZA0}MMYBX;&1asjrAne9) zTmq`MKF{G>$S=%;xI3HdX*Aj_;adKXS=na}Ewe1L-~`}cWQq;SC&kUM!0?ey{EGsY z%i_69=j_~bVG^1KyUoed>drrGxNZ{81dY3y`yrWoIVDDm)neJ$$#SpNdV+He;<;6v zwT9(&oMBSL(!iQ#g{NH4UC-I=4NccgvQMg?$#<2Q;bXjo$3jZQ+sjoDF zHWiWAqp-Z5d%lPDR$C~*xS;s0xt50|{>S(q!V}DNd4(_vuOL-QceXGKz)!b- zYYhOy(YAskY`yP@w~QuPE*r00Ja7O0w_+7G$(wCS>`0*pJ4!GIN2Bd!QojU7QrhF$ z&hj#*xulw9vP;l`#)-W54(Zkez#MM%u#)Eu z4j1M-=|tc|8xfP@1!7k^2tbGGY?(~N9R#*e@>cLm9q~dJmjg9#p!^aSObKjPh4rpF z;_)YWUQZ-_$$cpG`~m9=nOtvT$>AlEY{^ZaoX5%Y3o{G%B76(;1kCNSQ^xY$m<)7~P5g7b7!7Iexe^lk8J_}T zQmiJU$cky_5RQedxm|h)pR0VXMBuqG0DnK!Oju zg@SCSPTYoLtji4cVnnY(?p{@0{2xwLZi8r z3*7nmDzoe6+2#~+7dgenTyN&Wk4xs~t<56<@Bd^d^Eekth6;?um`?ZwkzlRv0&8`U z5J3iutfvq$5B*t0UNL>eHRD>z0vF=Jr#4mRA%nrcMdE>gh^0Xs3(>y$qiwN}4 zaqK(5q>YWj2Js`RBNdS0RwkiK$EE8aPne>$$B1)iv~XTMHA44^$AHL1atCM@u8*Wi zwmGKvIwn!IFhR`5my30bIr9SyE-&J-REP`2Y+aP|E99Ooll(#|Y7%ac&dir(UD4nn zIwA)->3JCv){NPOD@ZoJh0p8ul5yN%`yR9~8tcwvf;lsT-J)pjSzwjnmAZ#J2e?(( z|Ipgc5qVeGW7+|W^I5V2|1|9h#7zeLw=k5PBiWM6!^tjvsR7L76lmasIhgajg&cbV z9}79H{R1*KoH+uUDfL@XI(72`x&0GutiUf9?A{Q8Ydpa5BrOo&c>aRI9f_{&CC{5| z+D$H8n6768l8F<@+d?UwQWeQ1m3Wc#u`8dmk}R~0e?ANt6 zMSFM)Y}MFTB8`izctAw8zbY^Z=#cq!3ckals;`_lojorYcM19i4Xi8GY=29>Rvlwi zpXgQDtiNPAFOhpo_ z|0$CHQ7Cz_m)0Fg{9`8Jsjzp+PngC3m?N*8$PWchZ}qJxE)j3%>*C2V{p(KtSr>tg zI{#*}%3nRPiA@n;!vN%TYjd@~^uk&AE%3Kgvbjzyc{!=+(&r@BbjA2nJRfJpDWsNI znJeCyxrHviN3_B)xrQAR&CR1zAur=?hcpt8fqPf0Q}}*yU7Oj_s+Qv2=QO}os>!;PcsPS#Y<@xvN z7o|Enu$G*9z}=gVP_p%joR|MCl?-Id1dxHB&Ay)IT`n}00iva^VJiInk_ILDPqD9y z=a;$lo2IPzz8fFA`f9!uqD)N3H_t*2YooI@_HZ6N~ z$lXgC&n1ohDR<)t{FG^gwx?Eqf0{pmt<*@njE^PCr`GU`)6^Tav4#nOiGGllmUu9) zaEQrg?bPDY?8j-b4gLn$=Gk}aZ}l}NhOsO7%5lCkez|vu`BbEsR5{6587_JtM6f_D z=HQajFEDenZ!nHBK}ZpJp!;-+A>jKKz2c*~0bCj6*7CIq3&$CRftBy`DGJ?TofCh` z9klufi3^>;a!=T;k-&8fX2YtRYlEIbesF|at5X!!7})dFKLFKV(ZiP3=X)iylaj6-QIU~3i$8TDfqk8 zpCqsIv#-TUk8zK;Apa=(97{Ec2G|8v&Z?XQE?Dt(MFW%=tz&;kLzj4;gNWwge|RY zDU#bt4o75CYSHNo&W{wpKJ%u+%Xh9UIfL1=5l1>ccInFfz4#Zy@nazF$~|XKK%U){ z{30ch7Gb+?q~Ie)U6vRxx2Jc0!WK$scKTlD*F$^*NOs1kE&;?7<6Up?u})ZJ!f;Xk zY{BKxATG!5Lc$O{*DfMm3yrajHI9$-=b47tSD5T<55jcav~81eK%$!DVFUM=xRp9x z6KOau<7b6yCxqeIx_#6%7C1@zvnER3Qr|N87}GU2K}ke$iLgm17I-v?{UqIc-TfAJ z_QI|SxYN7T{zEJ|h|BEn|yf2XjB*mgw!({Mc z*33@QKHkqCXZliJ?{}IrO`kRPDfnH|f*n9oOO!<9#<{};T^ zd?VI0%{X3(4W`12Fk3Z*SK5i&(++M*#Y`Ehyyi~>Uq=e}p(O-gG#Wq>x#JRlaA5O# z(=hq$0H4g_ceP8C*aLCyso}?GkwTKfKgXd;_H(s*VwSwg;Q4D%b1z+SzTZ6zWtQ>! zn^y7zO5%G*;wPgfP7MU6*OPgiu_fKQp_g9AVuM91H+Tb0ZK+jW=(VYl+P?}^lNzgL z(lTif8Nh##t<6-E7Gz)x2kNs1O8Hb>b)A>@M^&sQTQf0G*Wjq7K@B%#4__-SEu~6>B3*y>-1LY3;?2qP}vvpl4p?lcKKdQEyR_5)`ohNu`$|l%;linTh)QscEmV(MWrF&+8LK zAqGtRA8AW3k>$(7;BmeJW_}~=Ou@weq*BiA3S;+BaKaVA;Y^fo{cadIYJL|c`oA>Y z7I?AG_B=W>(CM(Qq=KG`g zU!$9&)k>yJ!;&mktJ1}J(vjXv#Uyc(*e2@D<+MnTa<5Wd4eW7OBjX^JYVj?HO5jaH z=pq^=OvJmSCE2ZrCgM1?OzD9*^{YfYc|8DH!s12KE%#NkPUq{}g>+H5kD=UYNL)^z zA$j&AP$Agq8qRz~cZr$O#pV<0f?lO3X?RPSd^$2`jPuU4l^~yX$;dVRO7E_*+oG@M zl2kGkXZud$ZG2srdcFdrYoA5$U%!mo?WZvpQTh?MI(L-r*1iDFXcU-d0!aX-56dV? zn+`UgID%~9EKDX_pKRY8f|Gz29IwvqkGvbv$|L5^vxgIGS^E-fnfuzc8z?M-{r>sk zi_7`dDX5ygB^g&G^C8r>B|p^vl6GepsiZGi{xIzzmzs|Y$)w(tMyi46mJDF+scc0Y zahynG4nk0>E6bjR$WT(ty-$_~BU@yVdU6t}ncy4TQNT<{$LukS+`dJ>hq5GAJu)9$ zP5Mt2X!fPQc<{{bw#Wl>_|72Lmv&Dc>lsvd64kR$QbnMyo}I#2f7V6?{PmUK(FvQo zKBwz0+b7ofY7T!&!;TlpkM5oH%vNnK1iKXem$hR>c0#oJJC%2}zF471YM9DiSC;?e z`{4L!;smpsZx}B1{suPIUR$9Q;2s2%p=twGFxB3>u&sN6CR@P@1vt#F`VFqYZqXo5 zGVs$%v~8@X5;eafg)^7HFeW@ZKU~u4H&9aVn`T^~X|7a&L(SBO%Vrm4@ngblQ@Mfu zh~|%&3xN@61bd3ZBHwDP9Ep-z;_XF<_2x=HvUc&-ALK!@&$vRk5XPRQ{8x#d6Fm-h z>3@i9|LIJY{1`0HwWUVuKa7%*$a|Cu>rs5Sp_tv(fDPs9HbW7 zgrjh8IwW%o!g}#srXF!u#TTv!5-^t*&Y)Ew8=am5FKg{D)E4pY62I&DMfbD4^zUGHbYSOBcs_-b1v4yTEt=z2o6ne80$a zJST>eSFIaj$$H})N&_&DOoj;~90MGi{x15g@Ye(@?u{n}rgNJ}Ps`U_B>n`a`bU$S_$8X? z?<8RJf=XVR&eN8Br?;bU}&&RVhz(Neq&-@&s1XSJfEg@4A3l9;E-5zEue zTZo-`F~2%&U(!Dm%&8XEnu>0fse6{T@|+7^UAC8QlMDSK>!VVvAM1 zEsT9IlIYljVf@o!8t^Lv?xdlk7YeYoUiMTZyBt{8tGjl1hK*Mb7!N7%I6JBdoT}9g z{AZDYm5etqnJgvuu`f|$tXJPpNq`%GzQeDK5{yAWT9xq`CGlztlqA8uCkns9-iYTH zmYJ(H>^c>ofvP9j6kwp3{Os6-%%c9z#PQhEQi9Xz07+}=hh`b)mJvN*7^_f*rpvB*)#>X*TXGO5|^}*)Pe7@Cq%l;GR4|PM2bl^{mZt>>B2=bkzi-*9FUnr z_nTmZXXu^;=o^q?UQCY^YQ&?$qe3hh!r#@p*ZR;zUOTJmiq6|ute<5B`REa@ks0@a zsGgmDa#-+ca65P#BLi32ECm}X zXiq7?rNC&c-!_uX?u_7qH$j@hLPp0%(@uX6T`E610#{&7$Ip(*x<(pp`?X*Qf|)ws zG(kO*TKcjd#c)@!DLtxdoyc}R!CA<5G1k^w{|U>#rxKVe7a@p0oMXvwfdQ=2!!T=3 z4F2$^P5iq?yQK%I^$dt$hVUo**^>}yAOm4Or(11V`~pT=f9Z7B5PZy%Q5k?qg6t>B z_IHT!5QnDa8mRGSMb($6+^%#xZdxAKe-}*yFfYb2FWPQ{MYYRA-H>Q}>TOQp(R`*)PJurTdikyUZmRLXkD5J?s(~Jd8UNZtx&LwjTq4 zac{CnZdYmFPCR_7OQwESL04Sc%f6z(ZMG=9lX%t56i}z})J{D(*|H4O;rM5%=%m{~ zm#S_;Z)C1k_>|DJw4U7U+NbMvD~k5SaV8abGdq4D^U=@SHT0#5^P%p&G(V5)<;4PX zax@ofTJO9o&?!KFO|o#sJ4shRs7{nz{saMC7YA0ZfiYTaiV3Fd4$ zroF7$qow?g6 zx&7*z^R3wSm#NM_S5OCvVdoW%^rINqa?^_JRWg!uO41$kZUy}{wzoe058Z1JdPo80 z;>;IiB!%o0+U@trK``%|A=0w)Fya@(nQ`jkNZrOlr?j3w!$2UZYXf7jelqa*pJYSv zGBR39HeVkIvWh+qpq_XfEevenip0K733g^A3sNvrEJ~b5UNU_N>=Lw*jH5~935ER` znR!f}c4HFztHS#}v~mkD1lFn`c3H#X7L?b~%!V7-vf*s(bouOh_Upc;tLi|UX_{i9 zp^D#=#ZF4>c!rj+-EE!EBu_=$1kJ>$tJRHZ*(tG&}F9*|7~ zrq)%~H&kiEGWe`nPJ69X$eXO%o(8inqvrbqHt6?FQ`EUoiN7hsf@9 zH6C;PvT=)%Elg5BA_0};UwE8ICth zX{hq4AK5Fc^-H7V;Q#2E|Cn~Jm@V(Ap3t9}wdaSvZ0&4t|F9RN<{NmS^Y@;T*iq%5 zc5p_s-1am1Adv3=sq3OmO&xq*IKN~Bf3iGq1P`Nn{tB(y1ptD|mLx61Gn=K0!dOAj z16bq@DbtgOn73gq1ynd`0Ae~kNRx;VJ)l z{N5Eyf}j59;d=xZK#novUhc<#e)jjN{!RwzzDBU_-CyahB~V>J`9L*5vHqQsqS->a zsWt$)Y=F#yBtx*&J@-jBgxTP~S4Tqwq-6)a>V`Z(pw5`>Zwf;H{B?iV14Qcm5YC5l z+;hqsprPR6_x6tWsAPh0F!(r#S_bEFF!$p>Kw;gQ(qJpX<*UHYa*sv?$YH=q4bJlJ z9FcD9R`8_V6eGbzk-DbfpFt!wG%7gL>T9aIZ}i@^{|%@9`}#uzH9#E#`_k@K?fz1* z^ZxEe=#1`f)WM`Nqv`L9K;psQxhDnyU*GF7XdkE`)E{mq*oFT_?*`lCpC0rGjIJBlHnlp`hR9Wa3259 z>}U9&+3!E+tN)*8zyF$P`XUlfxn!*QU}xIa9Hqyd8U9Wfz=Tbe_$;R zPN{HUN^qYlse*Z>SVZ-LwyrOVfU@>z-Do&EJwW^7e7QYJ7lSHkV^sIj$}yT?k}1}t z-ZLp!xI}l7CZBvSNiz}-1oJc@YOA@IsTmHAfd2Q=I|cagUWR7?kPu090G_53skZ>U z1`u>d6F}8SM7(YvuA@2jH-f(XGDUXH1g@PXC>R8SCK25$5;1ds;Ubg8UI@rk6d|Tz zvnpsa5VI?h@OZ2OvN=tR0u~iZU4{Y>Mq@d%Wm$n1M@()6!@yaL$OHHc*AKS>B?+Lf z(xiBBc2bBk1!e5X!y?b!r9Ad?@z_t^P^bVZJVXKO6rgbWU=w{EC^{%FMc9^7E_;+L zzc=={3djezOXPz9XtgsD&Yzu#%GAj8Q1$`@ar;1^+TMwvcp{=N;ROzDejyU8hQ>Ek zP6^Z*ssn*Z3tFTP{dcIYYDF;n4JbxL{}V*xe~_~a0{0WXWVfUI0nRizGn#5qEVGH^ ziyPzXq0Q^+0yFIKb_2S96SlO>6B3b$N#wW!a7BC~tQIWbHfL5Bb)txFGeGDh+3mk^ z16<`Chljg(?y{i6M>3j_#JpgV36~?f^NqJMpztelN82N_co(f-G zrRjKOMzfjgiT73{g@C88voInThL9hBY7xA%g-D!9qw!=h+MDE!6!~HcPORNTJ=w(w zC=)DgvDD)K8G69`c(BRS@lfyTsP4?f27H*Tb9}9fhBhPvkk+<}(Ry}aWMuT+GUk`q z>v5*m^xb$HZj=t;deht@dk7Jch8a%mo|)*Tn#9(os)9C?Jr$KEUmBLX9MLDemm#Q8 zT1f@LgJ+ALws~uJb@PaK5FS_z#?K_M{SR%XxJhl!ghZNx~ zQ<9_NUb3NJI_Y3&FQEhy94rh@a@}MHD&T#Ui)fLac^_+m{F56G;c+S2nYws##?5y4b6O}O1;-In!Mi<9*uD4t z`31I7kxiyL(Ldaut&7A-IQr7K+81$z{}Klk1u*zHb z;ad}+k&T%TBmA4>)MFv!E`=6aCD&*$_y|q#j}_QJd8w1 zawe*z0Et4kp1SXBa5(qH4Z7pBq2NbErb<38n_4|_EE#wmLe%N(cLM6?qpD16D zh%!G5Ewdo?016Lfz6%#~6D1i{0|7kU2h_z>4W86Y6tLh7?mSJv8TP&*aIBYWqxUT4 zxOCSAcrJPjL~_R2(H)xG3tzgE=0XC#Vsirb&q%ctA=_*;PGFHe76|6k^oHQBN>Bdz4UT|JcGQ7_m{GHAw zty)N$tM`<^{MYe5o2R&Rq_n~NA)d~O+6rpgZts-wXB59LFX<6N;(4Xw(ryqI2Pd{R zmcuoAcv%T_>G}~+MX5@+-t=+-q(Ex8LdZ`ntgXT;q%d8f#lX3pOA+`R@rd9Q;s!}B zHxh3FKP!`F+TYa+FJYp*!@Y+bV{sAjrH}RIK`i4hMfM`3p3Ml??H;T@83uAz?_kGT z+yV@&-Zdxpn~HT2zOSS;z`5}PiSnMVP4`)`i{ref^>QVyX5*CfQ$4Q~*0kK@9tUL% zr-&@i>LI2vOt^zbm)7c^45Jx*v69a5_Rx<~Q5{YbWA$g1G`4IE;uc9ymw_b7``EJp z>AwMTcrlw;gjXGXfMfkJ&b?$8@-~B%(L3Oyx+dgKj)^cfsYr$qv4qvFClM_x$7rNq zyrE2_?|1(^Cc@kI!~$=>TRWwn{c!?^6V)k-=BpqC_0&}cgy{T0fV)ZTs zw!px*`VQeo4h{l`LjVhQkfghrDIoG0{(-aNzx+TujEf)~n9e+lBh}*+cx@0{eG+Hc z4L!IukW@|Pbo?NkBqu;(@_CzAqfFyQRWn!PHPdC~y9A zhpDgWO)bnrFXu19R!EVT-jq5@r&TJXRWOZoN)fJec&K^|^-kd|lELrgB3wEc(0yRJ zgr#pQe){j_vUo!NL(&ZW5*FC{|H6%&Ksd-b zsOGJ$$JrI!v?78nz6O%W)*i-93J`%gb4Gnz)l^L*jJ`-3p59--mQszeCJMK>p5)@Q*Px)Fm_-3uzRrQj z{xs5OQw|)Xl`Flw8jndD>3xCo{)`1|Zk)_^shod=R9>?;gdDzO&kVr@H{Xi?8+1Hn zMnHUj_i$t`T%a>%!(?l19wmL${6nE1=$j!okP`!+6>p*1gGLfQRvqeCTW3P$hdZjd zX5Fi7oDf{ZY}3vo{;VQ!RZJ_pMIgDa+ED`e&nxo*)qr|Un+4)vy57?DQW-u34Csgb zLVU~T9jyZIO(SZM7eBm8I&^8Wq#=o?Uf=}mZL#TJ2iRAsqVWqH?fM9VQUq3ji^li9 z{&*NJ^HJ{=aCebq_*LY+@cXsd-jDQE5%dmByOsGkk;|ls&Iu&rf#xjkhJSzYi+onJ z{$Y);#_mQP1TZ$nn<|pzvSLfRwJns!;}@m*B;LD;G!*aU)KUV~)=nUqqQh}Ne%ZB& zT=pHsdB$`Vq*}$~Z>jhbS!P_S!4Kn97|NC>ia*1pVpZ{Tc!>LK2yi?|TiTXcw&=eQ z52`-?a{)ots#L)&T*bY~*E%~lT#WQRMt|Z42*Y(|p{(?@VAuCyU>)sAOYkrH$3-D7 zcM!q}{^pEf9ZMZ&Y?Gz$akQfn66XdB*YV)uMBP#CEhS2_*>&1nh{5Y}&m%llJg@&! zAv$p--mRXj^uMAzlb=yGENJfJT5)H8S}jg6MLWCXbcSRH5)mnKRNya{&K2y%!8Oj=hS^6OilYYa9JT1o+T;4dmlF)pDd5TkLlZK`r)P@n|m6^ zDs_@8d>=zBD53BGr1kY|c_Q<(5Ix~^!|~fJrM0)!+jwD`shkYN<4j+A_ffOo#lEKH zz7o{%+-g0SWV_esG3b|y)0`iov0WHw*xv??S{m)3u2$jo>@1o7>sX-|xmr1hi*iMB zoH&$wvbnJKOZsQ-`?4-oZK6p7PhCK;KEtxx6q%VJl?T~387>2x9bJ&T#g5_~Wi%!m z2;X}azs@qMj$QNyar_=;FG|2B)1NfHXby(E^xTiU#b9+XNB7+!{mBs8P?>lCX$lI( z!fYm?Vw((r30b8x2n&nUv{PegLBT{s>_R_$S3N|bJBNi^YsF;y92ywV!RtMgZ>1fB z^e>0+W~HwPSYzP!a;Yz74l{5FZx-{LNvDjaJv zmz6+9T(MJqg9>*$mXbe-hP>FE2bCU0PfO3~A!x??k6{b5#B`x{CXN#Phi5g%NQbyS zr2w{;3iKx_{@RiPW(VvteB3JEMAB3HX&8O5V*-q;L1Y^wuP2bS+S~34IN#FN<&H&Q zN*D?jVG?lQgK@$a9N)Om8IK#E6B6*Twy*FUP+I=BR#4wm;sh6~pKFjN$d{GDE;;6+f6yTF)g8zH8BTen(2m&LJymzW@H;!&eaphLuj%&ACk zqYNx3x@nvqgRUC21%^YeqdxNq_V{<+8fJ*`TfT0)viM>4GwRBP&^-w+y$gM{(A0(k z=3!w}G!CbvMEV8qr?K3#4iE>!gIe+?egI4T;DxbjhQJkMAOyNsn}e#y0F-+=HEu zvK7Yr`e#$~w#C^>Vb@++nC_euwd{BH8UE>7Li@wzr)@2TZ6 zHAlG>v7zzFJ#>xdir>)1f8Mr2Kkvq=6>*CYuLxU`v-b_dvM7F;w8F4qrEzug>6Ja# z^}n1Q4_7-8ziIe{6Q-?`>Xw@yoO!x6;o-&E*@=(dmtA04ytPhg-97S=x2#VdxLlC< z%u#-I(zEZEthU9RUoyzP`|5-)Q6Im5P-w%A4Y|F0{U%$&uf8K2ocyY4z+lJgu}cR# z-%5IIaLT*=LJCt)4}MKXK9rZNaW!4-S`}&;{ediW@A!>t+@H?;;H2i_{E(uw%l8c^ zO8;uxupXXkLx-+$al2mY5%%rgdWG?c17EDw{V->!qTkI#W4KK9PKZ3C@kYtIj9-T? zU1$FN>a#=o-T8Ur34Y3NKZWUrvUt_r4xmACXO49*ZDnMm}56cixS*RdG|k z+#eD7%~j(Hlgjnw`vW3M`L>+M;^AC|dd#xoTy2#+TTy%G=qlswnIEyMz=FkoK2_2g@6!hBn;f6uIyP`G@PAQi)_f(x)wxnOxhsW9q`&^pjD;jT%qrJm_wExK0n_OPKo)0yGJ zy~X#Jj_{uuP*zcOymZ9a1!RRn+wt0x!tn=-m&fcG{=r&t!R=)cn@3J;E8Sc^rQ`n1 z71Q^f**vPIE08_9VEpOTqw5ZgFVOGKd1PJaWAFGzj5)L;`GeS5RdsT%?o>ncSX1Kq zEo0}kzBXc9|KD$I8MK&~&y8Ou>|E+!Ac?UNs@J=;Fz;pVS$ranCQrvkVKSD5YTm6JcTCET}pxwco% zm7)Q$4gD)BZ*N^*G9!GjO${XzdKbiAlLszZfv~# z^4jUoTv$4!`0AJ3I^*8sueTKKKbbqK>W3(fNDpM<3vnOZE=kTz-@!oS%7&%c-c{ZMs(;V>MoGiz!hvHN z`duL8jEa3=@gt{l#~<_$%lK~6hBr+ga~&6Eoxk$o z_Sv5`M?W-Y&zjj0O`os7^mgAX?X&fBuT}26IQKip*@xz({}y$AUO`UDFvH-N{9WR@ zsgJ&8n*ZdIb$vHEjvb4+aX&sW;Lgt>L*_4w+ORTg;El3lib11GdU$r+ABrP&N2eU) zeq7@iH|OUwQ$Abp+m$W%FHE}rMqKm;+l1A=yki~f_!!NW(1B-WEXj%8G~5^+*2|Eb zv*_-hP!5GYzebQPyrS@J7+exPW@CCo;joa3?#4+`Hj~W8<;_pkrfNyC?dMUpr((Bq zOZG2z$tlf!E9bN}~cJMnF0*?Wh$~Vh}w`Bk8RNmw7 z;u_Lj2nw&3CI3BN%NC*a?ZApc!hi;~y&a);5-O+dVjMyMi!%TXBGt50_+WiIc42{N z19e{u1uH_$4;}f>Ru1)7LpZwbUK_ta)IWxp zm%RW@{N!OM1x@_F-{pU8$)Q5pzd33#azoy^j0x`-Y>eQ)V1ow#K|3xE6+V>zM?3ys z(6=JAIHdcOupWkR{WrufKH$wGp+uEz%9rKEAX60XwRl-PR;d=p=gSCJiKm7t zv>u1bWt(s)RwZsgr$bRbyqfdj;O2N7stH9=IA!qxIvi0_fh63IxUm$qIX+L8Hww>D z;F1kQC70!q8JfHY5nM`v8%d44{{~zc1*yY}4`2d&aq_erGLrjIo`gbkor0BU zm}IJwkKBOYkw0j_om2TB>n5;)_FR0x1Qpw1kf17g!8#>^JMx@@Ulvckl+%0+^bsU9 zNQrBK^AE+#Oqt1>pcIDUaN}@8A*qW~?Qq+lKr<|Zo5bUjV%7(5RtB#K_;Zg1JNaMy zxy3nwnfJQ*yB_LYq2^7mKo=i<8Or=$bijY@`n_0~IT(275pV*Jgh7ktH?l|%h!FIL z_uZtqQ9!yHB+S*o50J=!uU>)T8AZIYe{f7dUHikhxE(5N{!dD4&EIsQ=KlY@yOE{d z(IfG{9EMXI3DN9cO;&jLPgzH^xZcEtLLg5(E0G?3?VYSB9EC!{A)zN!PO=z1oz0ab z$HEC?!n69_IU0WF1}@Mf%NHTem_p@>93#T=REWqJQB*1TA`q7{8HY!tOa>K0Y>F*K zD5rEXf)wN6k30oY1`p7{mvT~oub`JA1tH8wamL9|4##0R?imZ`0Ls>sQqrJ;QY%TE zB7WFxlB~!nZKn!QV2#BlR7xWlO(L8c?jEk3gRle-{d%+#?;)e`Vgr{0$7jQJ8IJ;S z1L!%#;U1_IFN%N)!mwxiQ%I`o{wmZXSVLq!e=<07l%flTMu-}D@!-JU6YyJ9y|ah; z*c&i%4!zzza-f3n@BgHW{_D_r`r}aH;>Y-3Ot2q48L}SeqtQR&O2H^y5D(D}aQH`Y zCn!<@qEJBxfKKj&1oi(nc32?^r4#|-dyo^h7oe*f1S@jstoJBm2ZPcWN@cqBqG)_D zh$n#PDgY{j1fjtQmAEDcw~hHJR4jGN8b4= z79k8d93ylC#9E>65+6u};di1&_8a^DvsEe%Ev$;M#hP@Ltx?l^_(of}c{ce)YxB8MecWXLTQag(@(4rn~5 z2_pmORrg}*1gonCC_EjLd~yCTE=z3NnT>!$=UMp}S?e2)eNH`=_6GGE<0$Y@P3fs2s_bF-;GjBp%84&mv*X67P5>OQjOX?R&3XJdI<$tr6xQ*~;Uo8mWu3E$ z5FgRKQ~P+Ml!0UaMKC)y2Q`}@-1!g3tXSZ!!bURRek7C|C9L-@5UrjzIzq3hx1kb%xeDZ*qJ&Nd{sjA_)lM}|muYx}t0#nO!< z+wC1N^67k9hg?FPcLU&I3(s;1&RDc>6xG3(ih~cv+vy-oEdfQb-2TQv(SDY=s6_Y`{C`irnQ{Y zxf*v44k{SJQKu972NVgA!(J6ijSii&4i)tdR#lkc{yG#nobSPl<5%QJ-*+iT$Z-2X zN29rlJLa|q-;A|~hjL#C&oYlUm6xY-@nWpIF(iMfs4ws!Cca`-2%`t3`32h@#-bI- zGKXnq208=CISPbHVFWQwl-~FZax*2|4Exuz0??_jjCmx|b3kstPS+fy4?EsLZlS7e zuiJo@e-Tp7ptRgCLbyWiRqjjCx4uA1&&XO_+e{V4l*= zosEhT5K{}O25v4g_bUXNc;ASFH9=B2Z;R!65cgWRe&UI*~6G=xF<@> z4^%pybSEjDyTX9gifOXUDmjPP>%jjB!E}B;>r_#cMnMA=R3&Sa$RXysS#Ub#P6-oo zxXaF&VXjHp#YpIFu2e4gTz^QJI~Luv>C&95V9aUGDH{(R}z+%^p!bR zhs?@HRpS2mkXa>2c+jrLa~&b?!rQ4OA=te}Hg>48B>`hwkCH)X$)J$$Ay7N+?AvI; zME4WabAUrBjs;Dz`ew@f3hT%c`#~(6<9Z9b?5>c>W8v0IzLTv=L%=I76m5PCl{KJ; ze5fQ5ar?z)V^3wlXbh(wFFMKw%a&|G8Q+4aFd)VCCWSpwnK>=e^$tqCK1sM-5+^GN z%5*w6W9G7bluXx8_q=G8WoW^|9w*=#i6PlSYQz*bxo^ya>jdm3WDV+u?NG9%g9YVeTu zvp3TyXLzMZatgXC#9-k@dD#d)$AeWxU8eJlAl?;f5 z3refJpW-AEQ_vHmMDBIuE`2=kDo$lic}w{sNk}Tc$j^(_B|#?7eYT}yDtFVog7rrP zhGH*p|4z5f5B6z^2Q^LuG1uDZ{KN?7N3pusG5%#V;-(0Hk(Uepga`P?>B#2(_;bmH zwpulD_mCPF+?!BhgO^2X4IC+t}|!Uiw_0gW$6PY5lx4h~q^uxMr)bIr)VvE@x&vtt@8s1ZfWP}N2A zqzKcL=I3>TEZ4c&`kF{~hJuTFXcV$PCr2Z+1yonb9iV%?GeOz;w=nM>{ZQ)Gf}D|M z46prCpoH{CC_b7Bk;LT*vh8ok$Lv3OTwfmJeh_=(ZB=f$Y|L;+ zf4Z=%hd!FKJp#E>0tc)1GSo*}%Q@^1%bZf^?;)(76O)~v*}Vt30{8vMZHTocip%)5 z3gh(%=ON_mr?l?n$a6x9{dvey4iiOZ2Qt1&ZNr#p#ZBdpk+F=4j^^UaCpsy19O4q% z-zr|kX~kbqpZ30dMwoCAC;`k_T6lGH*girg7CBaN%_!ZrNY~G_n62fRpTuU)1tZlt z6*+F|AB@JhuvTYb8p;P|=JWtHUT#*2RmLq8v$@_CqwqB7EDz!gb6b%;A}Uvbov&c7 zq-;5!d>&;y4Q9fl#mL=2>^l*+vEoZ?%PRk!eV#)_T5UwzA$Nb;d`RB}I>Uc1Za!F? zoc(TC`F?EzQ=F?l>EhDpQ0{=ZnXhCT2Y9wJ_OUWNRPOW$L-qX?u?Cc`L#U_#IeuVa?^vZxWZ2yi?2~*$@+rn5$2pwn$sy*G3d?E=VKBv-Ot>f&?Tb{-HKc2Iu?Zfo zt~~u7h4VE<=TT1E)=8&y{-XU=VfzzG{i<+0NwxZ46Z=9xOJHG%imvPEHn-uj50$H@vozP7V70Cg zohy1m8lq#bQz3VJ1vGTl^r)L>fGB9M;Dm5$)xwF$+!p1Y20{*wDEDSCuAQ?Zoi8El zhBSK<4s15o2+nz!zo8XkoD1;SFSX{iYWImq`?oT)N$DJjEm0N^>FtQKwwtU!L;yO+ zegU~bKg!|sF|b{uwM!yB#DcB?m3%2Jp(QeVQMIz|BcX@Cc zjx|mbJu$TNC^q3S*7P{_b0W9L3~cvWMMoD-1<`~CK&`N`%EF1l`_}qC_|wjpxq)o9 zz7<}#;=6Nr~mgM;sVVkj0=}1*?@OUmDW(&yI@33vw_E6fs zq;VbhGaC0I)Nz6luUQ~ua}N7 zOI1-{*b*{PuZr>C9x$o_$$+t+m(se4^N6p26@r_-iVscoGVa z5`4jNI9w^%YDVd*c9KbDbI|f@y`$JOgTmWzzO;;`vS2TCc1`peMZtl&_$6~{ zh^`|2t7X?T!nC@I4E~qYZtVM*%?5}McWB}|*`F>X(J^93JwVCUp7@xYAi~Zmj%84KA>GIeCJ_A7D zVi)-g`S~Q}+GMddUoByTfC_{lA28d=iYTrq#Nlg^Qgto89By-)jObqDW6$H>2_xYF*TA=V$q@VTQ;oaA0DkLE{*!RL^h* z9bf5H@FmRPGegj!A3(`+0ao`jcz`Nl^;rhn!DQza4(6w-^Dw)Hp!vZX)2?1_wx@07 zGC-)@xNO%lT2Ytk{Owztn(AOMOaFk8{x}Nv_Z&6KOEg`@fHY=)I+#?e6TzW4mWERm6iFc*hB=H9o8p&DtBJymth&QHS z2)k;28-Z9-H?!&zT(b9MM>NTM);C~X!V2^CA}$x30uhRL?@jZif(s$2X?^_E)kV$a zr6ga@#_p4JZKVO54K#U2*iFinV@T;j<@cAaB>hje(#`VMh!3dSbb=RM^_DK$@lw!DIx!AAM?ljTOJ<=n8k4 za)t|x-&#*{nNMh+@_v#s3A^f3)wR@t-DE`102w%d?jV`sX_~I@TL1Q-Pyy=N2>n=y z4or@X1gz}+KA&r5vgq{Fvjht_FPR@?T~0>^A;*`=d_VFN#v$+%=SPO=<1?hweAo^9 zI%~qn_qp^S8f3jy&-MqTY?FMRBqI47=h*|Z_-qgX-?8QmMtbgnPKZW_6YTd!dM%wH z9mN^!Jhpg$j`S+A2@~Z7NO~7L%&!?ew{oD90wNVgzvx}IdnU!3 zUdgw)6PHYwu?Fzkkkw4Pij8l-&eT@ZZu;b|igr|1iX2Z60K@SA5FUU!tWC+{G5hY@ z>6ua%Ed496axAHOvgoJjP-JC652&vj!ZC+zR5u}|UI4S(b#sRLnLc7i zuD1>Jb>b05o|EjY0+@Q=;#GbW|Cm3dlwoBQyY8r3hAZMoPG^-7IOYat*hpOYOr|hf zJ=M$gOlD*N_6+0h@gq-J2J!nM!gY>8K_Rsb)W~9p_at6nGAiuMjuazhHn{GDf1(Cf)U_yE@qP+pFx}=uaiQnk@BIIUY)q& zdo5f6zA+zVzS**pQMYU4c{=hCeU;Lw6P5vDIT>5%z1j$SKs?R4KxX53u?a(QW$b1h=mPV(^ zmvkpWVDXRw*@OB18?1cF&1EOY3bjc0>9=#S;i14v~M!E>v`{c)gyU z3@l+4IU1mBa2a^{2;l6h_w@qUhfm~Et<4|&PzT8EzC|ln$Om&CHs zGWP<#a$-{ita2T*308P`At65tP>Co_xSD(VEzf zWRgjKqOa)@#V-vYByUb;ucC=f-KOoD47y|#u{S1J!@7H!F97xghm*d}`P+9dsfAHUMCwfhCp9 zE77sXDCz)T66}LIKcxC}5fWXw5?bgcWh{zr?0F8QTF<7gd}#MFx*)s;+PWW>hLV;Q z0O|stf(!)1L$La4FKGx-)YmQ2(3RVIQk4cIMF2F1T%eb-{Rt7}rHI{T0*Az}m^*Ir zHvy_CXCkmtXJN^}XR6&u{Wb$GQqN=rmm}q=6i>FBdnuWp3Ab}}4E2?fvC(lZmtI^$ zyWOqLg1zezWNm8p^^=clz{6oV`y)L7*i5W2@$!KcL3u>OE9!8K z+TUbds9#qSdea1^TbUPdOs1+caKfDb*yD5kCGuJZJMDFzeo4yhx@hyfJ(+te>(CTH zM~iWQTm$;FNc41-)ELP^>UxbdH<*p~e9gVXUuad%F@Zd8hCT>bKo6anst!f5T{x%g z93Q(E#H*|mV>@h_)*tossn{-($v+Vo#y=f@61%BY@-hsb2;VKV*M9@}oX(tg?{zBb`86Tfc6jX$3q?0 z^g(^SQ#=CGT}|Bnh7g!66WA&Xl@*zU#8=6&Ih--$z!qG~tKPHV;5lCrKusHL?{)P! z?xX4QGJsmgPmDw71^h93%lfQk&n)F>$~uMNZLOXDDg4L_8~L0aBYBVGfn=D)eTvwa8|k1@;Sh^bWuVUc zfhG3p`>8MGHAubBa=-(T%jy`~=yy+fC-{;cuITC#U(_qFqpm&BzcltyiLm84a6(TX)ceYdn)fO9Ytiv=&b6#;jP{M$j#+(l6U^N>$>#H z%_#aq$#`%*948eO51&{W%vNo0s58etiZ{teE%GZ%+VEE2iNPZfjSF9`O@NcZ0 zJ(N^&ZLij+u+y=Ou|CSun;-;x*a1$_Ys6eV9<(Q_3_{_5LOLT4m8=M|R5rgvcA(g7 z90@*20g`ZRclcJJkL?1Uc;X+C-*D9sxKp;R8u(!`L6N*!j~0+|JYryn z*ZXGoNtZK6s3!ilRY-mp3v;-y>}0T~CRn)$6*udsGhNNTL6O_g(Xj~V+)??)O4mUH z_a(P{f_$SkJT3fNS32lspJxdLj-|=ryRqAm&#}Q&dNkyAhQDn6ROoH1A;aSLm%ei` zQ-R$jkFAJ4fH7=f`I6ngTCZ!tA2}em2hT}tL5ADVOV%8F`CE!bFAaYE72nJB#8@jl z*?6s#2~U=%m!`K;AQfZpIh=;lYw239%_vyUbTJut1D_H3K?{b=<0$qcSn*#cKCJRW zz4fbp%v@KQUOi!P94!K+ZmRQ)Fh&_nE8nHGPT76Ea!M;-WpIgu)n$m;5X#i)d_n&W zu0eV_XLSbbqdvvo?|o~ff!rnP^tPE?Hr=(99~f#xu5a~ohN0*h@vJqp0FCR7A*XHJ z7E}vf>cNXEG4HwadBo0O!1ouhyk1M%$nbrs&-cUpag-nQXxv{=lS8fOQYirRJvtxa zQ!mxwvO4VhfSrPll5>SxE*d?)A<%DXz{ybi=Qmq~XyZQnBkefO{H zEmro2hQ-*oxcfWuoi9X`U~UTk67w7B6MD)Bi!f|}@?O#(xK{XOE+0?&Onm^6Cr*tf zPxvVkQl5m+59%yrBo^25E^yY!Bw z*3#|aL)b;9dtTBPk47i&vw8SVd3aj*Ih;+3TyLaOi@7&a=^6aC@OD`FUFEbq5yf;$ z9|U7DW`e=xq3h{R`XBUYfAfk9^4-0xX&nDF^=L&A5)Y&Xi%@ux?P}|#VD$%WS0njz zOhx#mHN#QmQX~&Ys9jD$w;~{UZl){C@a}Z4Nc5ME@08W5be_9pdHVo!RM(?4_xW&C+9)Y4;gIS17Aw6dd=H-;Zk5i{*;D!}E)@O@Qhq#aSF*Xs5KR@oCF{1tzOAa1BG~V&2SJ_=xpw96 zDNA+c$voc4l)4~83_n_qqOp@hQ1Oae#7T}_EU5gWPV{HK13%vDuow-2%s1%}xbT={ z>FM1i){4ka# z2@RnE2st8gnwhI1*D-*ZEX%cyre zWfUfxovGXp1mn{Fih_ItN`lfFp-AYUU!`Va4AY5JN-NOb)`ixWN0qwi!T3|&vb>QN zq~5TM@bEcxieK%kZJKM|HnMvOkb?rjNq@5%N@42^Fq*Sc%w2t`GWCEqwvAU%i+ciH zYjyRmn(S~G&ud&u(;Y!o$u!6+cK$-@SM((lD@LQ9kY{W8#aHPK&#yo`ZX%1l*OA4p zTige$(F$Y0D9$lq{NXMX2>NGVT899D&h4n|V;#u_TZ}3m*wv^!M#6{0ASd6f3IFKu z8nFsWOZfTN&t!loFunyB7n*k`BgMrN@d^fddn7o+eSNr3nAjOI4Rf28*(*4ly@SL;q*zj7M$ zPr6X;lB%L&3@9@^BL{AsM=F}UbOk;L3+-`8ONJG6xK1*a&r-^eJYT1HDfuIv@)DRp zFwt?>$JN)$!>)G>O|flMiuILxNK7@5yxr5Gx=9s&w89`xwYat!9ipC$X1-~~(rto~ zj>)i{np#nf)*Qt#J9@MHJ@I0?QjGzIUQj}~c?{uwo}^NGU)V^*NGo`eTTjsW;iqA3 zzg-vZ3m=>|p~YQc?e7$g$=*rySV*T8Knml#;AEL5{BimHK$jTXz*wRwbR6#my|@hF z#~piVIhP9W5(K%AK70~}dmYf#f#g4eR4&)CYN+RMs@Ov4hdg7%iw`ROeC9XJ(c8pc zylbk#(QswibkwFoP{71_Nd7TbEywCNl@+k~4Mb{KqdwNAT!lQ}MdiCN=W?zd4PhMI z<4!&^cn=CQ2fi*RWEuI%wI}<~S9}DLgPVOsq9Ueo7M?13GAzO__+T-x6D?YXK*QdzWsDU5}$|D8+ME zZz1SdV2o`j^B|bX(t6@_WD?e7#El!w>7>k! zVn2ai+6@jNc?dalSa1PV&9&6CW!0$UMIm2$*fY$?-Ibw;DEOtu_aK>i-3x;X3HtAja_2O$rV)r#by;kN*n^2u~deAo`$U=%Rjp?x> ztP3{GEEQ6bFY>h>9KrjN_!WSAN0vn1fCR7N*Ri8nFYYwb+mzwS;v?+Ew5>bD?RxbG z;ihU(Jvyx;X&bZFE=p00RPW7}bdeI;+@TJXtqR=keO zjv({>eqQ9nu2OAgVZd04BwEbYZ@&A{Rjv5t?cR3Xf{`*AGv&6N}5l((eyen zgjh?9+{aHMnDg^ePUc(J8IAn$^;dlw@TD;(pfi8P)-5^jdZs z9baO-fp5LrH%m;`A3JiY7`Avo3hW?x;>3Y2AsK=`c9*ln%+2RO3~VN&gkjHDLtM|H z7xaVkgZy+a>_EBomueAR+Z1ulH+3bWJIZTd%SCr?OhY965_>Q;7}S#9xYm5Z z0IrSj3)sQ3_A>Z(g!C4|WyfHbh`0l}FbCok_K>r}F|(3PA9K8s%=ZZy434*wK|5Dp z#=d6wY@Nu|`2hY>I4$?V+)v4{Nh+KIXkKY_>@dy|F5!Kovo-44pAvgnT-&)~rdp^| zkD5USH(#0Txk*q(3SY3Bp=hol3sq!tTs{M_lT%gqj0OZ z*`}O9)>n(c)~fOBCLVvX$2C+M&yQ3;MkU>(PF;^mI!T7Q0hP2#C&-hBC;DD@1q3df zOopmXq&|ww8+kIyw-pNb47Q$kN4k#iQzQ9Etw9hka`GM02tT%}ILJvn5dyj2%&A{NL*8y(&b9da`m-q*meiKFm5-+W~Q3b(_5wMcH) zD7C2TEt2Pco?iH6NaMIV1w6~$+hL36QPjQpvX>x!|~RBt`ld)RUXR0V@((ZPrRBL8xy-(n$xQ!INNZV12D;-+)-k8#TfJ&{gn1 z`Elx26i(tZ!dnzyQrH07ixV^}uAy%ckC4#%9DbmB8kOWqD|{65rSB%O%IJF17@NVJ zpn2ug+t4tJEAo&x+qKUqy&3-j_S@eioh)BVjCVo+2g4Q&Kq)Jj;MpY4;cQuz!Xe7T z-k9ki&Wlcm6QF3YTb(4q;0ae_w^<{dj4RJ*!&9ZXI7^+40ADaqa*r;Xkj$&DPEgOv z0DU`EnuRu6Hv;Yneun=-snA=e8?aR51=G)`W7pEQtimj7f%kdDr+^Vj5u<$q!|eL&|sfmJ3_d zpAfKr>|O`!7Yq-p?+1F+fv3Z(e5Fhy|3g_GAa!u`prXG1&8i5Q!l~X=GU?*{_(itU zM79LGA&evgd=ybr+!^j9gM4OwhW}ZcfghxT2~rgsigUHlyZ}iMrD!R@0DP1lt1s!uAbs$Itb^{$T zYe5%-bXp>cnIhdH-AAmu8)<87BMkJ1E;~c^$fGo_9Pz?y$`&tvQ`!i2#GP17@zAsI z#|c$gC=;euEya&SucYM}H5zuVzG4ER0wq)FYdU|}@vHUG2O;(IO4M>D7e*ZD%O_)v z6)iARsOHEk8qarDr5lkkj;qrGqMTv_{dpxKr7;hB&%4)mymo;`{Q*mNo@LZL1i%}D zFN?k@JlN5skN-wndX9q^VLH&I5o_cbjr1MU5FAUn()7-LWJs&zYXdWxjxE``mGmP| zz|grTp|pm@EL&wIBF;U}k}3TC7`H))-cVO(VBt&%@4&z4w&=|l#sfYm-5%>E!jb*7 zaQ1c5P<^eEqCew?Qq(}l)Q+T(g5+v+_Ie@Jk#2KcM@Mv6=no3=i*)63G=CKAlvWNz zj>`T*OCtEQ1yxQ)o@b^5=8Lk}sO&?obJNu^TDe;b@4+gg`yJtX^<;U)Y-7>STNQOA zp+{TS+i1oyp13~XTcf<>>!-dgMNg6b#3hva_x!Pqu&_Q6(bqNyEgq1F=sWbdf2{0x zu%ClJQh7Mt5ywnXPjM?FbC5)aq#GxTBcPboJPTNprqIa~jZ`foOJd z^IRmqg_wIThsA!k3V}jDu1eEfjTetj6kd4=d9t1IVx4j(6 z`#f_tqEi*oZ`2QT%8eHFgibYh9G-r{0`()E$K6kT3$5(zJ_!*<=ZndwWZ&LE=v}02 zqsVCL9d??5j7BxVgK0q6-Cmi)>#g+cj6{AqazV!1L3k=@1UO-BgTkLvi-&;IpChe{d81^fJGsfpc2g2$d1sreR9qund`=X6 zEv9l=pcU&a=jhloiQuDA4i>foGt{#vVF2929AwWK*~KZI*HaveQ|Mo$eC#qiJ+{6T zUNb$A9mpu7df{in;{dca3#R&SCg76Y%g}9|jX-w!oo%OU2kY9$@`LCi@&J3g2`^K5 zEG@>}^byZo6Yj74%7WKn5{@V@U}+aQYFouhDc;4cUe}CdE``Bk>G=SfrT&O?cN)$0 zMsX+$o2$x$X|8)^l&@T;7jHBLwq%U82pM zR?Pib!8jQ-yT|Ad-cBsttq5 zQ@IzaLq8*&t6YLm9{aAI@!Ygha}P}1qfgv}+6vI=`_Y}_QCnXWm>jr)7%D?peFnSh z0v{&k^L%t^GDHf@Pr);8>7(3ba^1vm{&e|*&C}n^)@9o=)P^K(pu;ArO-Z4Vg}%(P zCrt}Z1)T2n@-}qW5HPq>gAW04k3MuFgKpr?WRnb~mp-`u2Hzsj`WuSJHFw4wGuGSE zxZVtzDL3O#VNLlakH7HLPh>#w1K6=hm9ItY=?sY689b6XIp;R)YPG?_&G#3kh>U^H z7`F$VKU31kUX?W zoO(>dZcdK&7duRJIora(+Hp3Sy~H}cb3rJb;?lYvNn=N|f&#WZUB`aU#|D#4WTtQH zv3l+mhODZ7pB^Un(!^GoJ4-k^Koa|8Uf3vUqFfE8c!b;})K%VsqLbMzR&^l}vQ;GhD(p%FZ8CUd$SV9idYV~9jwttHyaIgo9c~d^_2R@7Sl7My z04a=)h(Jo#cXBsorx0;dZ_?j&M=Y??lWCNyfRH$xE!sHcj zG2UYRL8Om)!B!j&mPhzbAlnhwfcK2;#lpFTCVE87CN7=;=T3eDb7di7m%F0x$tO{B zv=@E|0wLBRu0Su{P0p;40v+_WKwH?uuLCqQaqD2&t)KBkl6ZeVb%we05Vo# zn3e)T&CETWYf7Ui&oyCKQ0>L;>D&Ans)(Z2oUUq=QQja@ekDg6opmVF5eH0m0djpo5x~(LSiGuA|<-IRqyQW4m&<-cNr_dTMpdY948>103 z)3s9{z6u4-&gr><{oZdbP4m=xq&s4BRfyWZXV~8D=H*W7(ky0F`Jh06H&ku+JpF__ zqOPCPGp*DNX6-*04nwU}cQ4z1T;X3|T#oJ2*LL?U_ak9@O#16BNaG9OMt0>-q&nFIvIpT`4# zIsQ9v}ssDKfu$2G&jUTeV?9hOJJVF6{|NUW9U_(i? zY2m-xG~fNlp}@ZmDeixLO(aG^&R+0eHAp~6!)^ZG%1itL`smN6|9AKNe(V2vWuUyg zf0y@1AN*MZ|G%E?e_Zf?wFQi{Kicij(*MV0{-x#qf328%3M7aAFDUi@FQC**p8EPP z$Otrmu8(eOX{l}hJ*WGwuanHjzs9ZycYF#T7u8R8puORzhLH56b?0+l`|3<=s zAp6_=^&CETB(J%Qd|)06@CRsmd{#%jHxIZUycMyIk+J4F&@s%s^)GlAFfqCRzRdDB z$Dq9AzJI`p;MY=+>!w%!Dg%SzkRaP zBL7SBNPZ{2{BRGaT%CBj%6MZ%yv{pneAqiQ&+E(escCRD+|g0d(o8IAx!$~jLM38B z7C2ep52P{?)WYYQ^1Nz+KQskda=nV;4-m#nCc#0)mlx^>_y%5|n(K?qN}To=<^{~Q z&1t{49sRVfK&iMM=?e>e_zL{G&|&oDe za0Re6p(^>R-w(x0gHe9sqe$oTk6VKD`Tq2Yr;si$pPGt$$g3vB>n|vr%44KZ{UJU= zujCg3@x4ATKQHtIf=c?7LU2vBLQab}-{-7Sc?9X@et*SctXB*2aSOfwUhwibs&%ujImqE?+HvMw4g+ zpFc2lEu2*grULed;?J$gKu9ev2HY-a>e7etai0K%s6Kz$!x|GDD+rVw#n5PZYN0=+ zyo5yH-oA>n&|LYx&=uIIcvVO?0A`^U|D*6jzt88KEA14?I>;O+v+_shAU5T3&s=m-|+QcBu&xINMsE&W;ub4G3yHXRA0hm1g zH5~%}Tnm?&3x6Jh(hCCxFhSO9ez4*{=5a3o>FHWD*lyD6Od7jZtJ8Fi?we+?P?jX^ z(q~U5&RFzz+HSBXn~Ziw%PxKP{Jepp-IPY`oF&zsX6G}_Y3X*0U9em28Kz9T%`Q@# zUj1CF=}MHEX6P=qNOp%k%bsm_+FhnT6coR@Y-{C?v7W?RX1}x?ig-_2f8|qkT8LmA%U4gr;wv^dN*hiYm?G@Tr`y?vX zlQvrWdVRhJs$;3tzImo2xUq6a+E~~AkNzsxG!4^#mub&rn?EG3e;xyw_VJP5W!nFB ztN*P~`wx&JElPkCVE`%m6P!o`eUs_#eHkh291%o?N6| zrNc?*CX{N>JOurYw55(xJ4(~qkwv#igY58yDlJZ60|ER=UyZi(p{6u#8l0rzC%_)C zD%%O=+=AhU8dMKOTzUCh2YgE$u~0D`xW^{}mRdU?U9*I`6s)Qj$=Ln(mvV}e&Qymau= z!YhFWWQ3OnUIs=#Faflc_=Eai{(~;KUdu1h{$<^?=uLl|wCJJZF8`TP-@iEurw-wB ze*#76pbv<{;YdukzSxfJI%sWdr%Xw9tgWpj#7?CldoN3p9p+u89=^lu8;pBDNcGj4 z;0sJey}g%RZ_-eSs|k7X$;>3^8caR;Boym#)TTj6*oFC_CWH3LCwK0&7zV@DP(EeH z^&NS6gjk@IOxm7g(rXEM~KmLGaLjT!0|9uoXXA?fx`tJz>eS!J{UY2&%BTW|VU}VRM z=`wVc9Y(KRYk^*~qg?zNM(`Ec6EAGn=3**)T{cXjOu#U*Xy|NrDGYan9`Pn7fL)Uh zSDP@*I+zHF>rL2%^_$_VwrPDf^oDjID#TitZiR5nMA?z{jYna|!OTMmbS~E?=l`?q zE5R4@d)q&uGjG?q?)(PY{)w}f+y1|wF)=Lv`{>`RkZa%8@o&5W6Xy?A>y@3F?KXIl zgm>vb&_w@AFB1dmrv!1y%myrEm)2e;kAk%b%b5vBLxP0`7g*{NRA}*LOrcK7Py0|M zjsn-OWCIR3~gr?0<}x%&g&V~4DcW+%o2M|Z(BI-84RL2D-**>JD5f|}I%tomI4_B5U?;T-H*-}IW zVFQ3_v&j3PGU4V@pXGPL6+1}*G^22%4uF>SlmfRU(>H-)R8miu@+mV|Rw zSjqh`Gk`ZaRhylj3kh12coQ{QV8cgjMNE_TjwU`qa^hS=+1x2WU*D9*ER?2D>w+zs zSdFm~Xu2XmrMngYCV&@X3Pm-{VYcW>YyEL*0PXV4qt?gc(#y=_6&1)S>Tc97&no;k z8oC`=XWH?YG&_J&$@Z?n6*iPWpehDrtA_Tb_8{clBuG%`F%SbOh`+-Q6^}!D0F8xs zPCfiexX0$lfHB=(@;)75NW)objlfB_;O&^JycSq-`Ktq3VK{H&-$@iKnEivOyYM>O zGCEByM&-C+p??V;yEW0=w(asQ2)2KPm+><_&unc3LgpeQk4e;|lvX2%UnkU4BT++9 zCmu`I`R6D%BK|r08?u6Cq4?os2M>gj!8;JZa^d{AMCU-t)2+%1!~h346fb;QQHuhR zAYhW*ZA%sUQW4x6HRCCQr6j3sIpW{IkLYgD6yKsXCMbDM5nP39((IQhP$C<&z}M0q z@7`dtCs=t(AHW8oK?Z0!D{IsDJP35Y*!?O$N~p)DgToWgN`~=^qv=d7byvmhxX6LlMsJ26b|2(i z`ml>4!mNLxLX}dc%g$tBo^cvb2T}*;z{swkZc$;ojD<)`yo7G&T~t$PF|{<<8%4jI zSgGNM`E5LhHz^a)#36{9}PhD3cLfSk`4y9-yV)a25g0yaG7EYxo;T}BLyxmAS zfNye+=PgFCV?%LoMEOl}J3`2MI$2$6SpG%V>+CqzX)wQPqziTS@vO?A94=&#R~xzE z$<8`voD`!%jENqk+oIv;Qp6d=+j4*B`uoG#-Gg*Z?bHxyBDaDb4&-{XJAiVrPrDt~ z)Y%CFLw0Pkt|M;c>8`K1$CeA2b@eqZZS^fJz#|yP#ZC*pon4dQ)pVszYiwzcx8ZC0 z+UpWzel7O;h9)W{JHhVP5eKfydajt^US{yXQ_p3FVIF`OZ==pIj~c-*AHyPJ0us_{ z_IB3y5q^s`n4Ah8PDc~?ZE1K7Fh-wC0UYd*if{&{y06Nd+W_2z@#ZHH;l1i`RB{er0U!oW zK*!M5CLn_O9jvAgyU>nMn|!|kxLyE;p8txe3EENdKxBPB*(M7+iUD40YXb6z&aoBY z`Sds@V`33H;>Z2Titxf66_nW)phr|K+mTdkMn?kR8`L} z!Y_DG!`7`sf{;cH?uB>^s9dNl>DK5nVH`FGuCm1|Agy6g(12mY`Zo*Hgw#kL26-pL zw(r5%Z_RTt{zRREaVqy5!&d6M9t`e5l^0OgxWpZ|BinxJK3I}o+Kh@Q@R8V_hs-z} z*UiEgGTD*(<^Hpwvv-SEqyo-5djLXl4;(yr_F4 zXEi(5oJ==gYo-L{T@5LgCgTBkHdKdxz*qt5f%Os(EIB1#0ckeX10-2YroOmwHXh@! z^Hks9IUIcoP$s+q_N&yMpKP7ZzUXV~9R~Ke$?*YWevs)|n@BO1@6&J&6SiQ-lq+}( zYKLU1V%S>mkE_?>xspF@2KNIjL1vJ?Eqo@4Q3X8`5WrV5QfoZQ(|JRS*Q zqTtC#uA1>8iVws$$GFdvR+=ce>>Qf<9%29@QD$(>Ld1Va z9BZl(0}yc#Q@x^j;`5l)!KxbIiF%bz$v~kvrtZcL=9}U}u>3R}@LnRID>_pGKNXuSTH6Kv~M@Emy)H;WI@mS^lri( z>W#+W#Y!`U>w1<@8!D{`Z<7U}=XH9OPqerzI>CDwX8!#`C1A(AcSxoSNGi1q$l18V zb{)WX5~-T%Hm(7YDz0at8+_&qK;vvIQ!%IzpN=w8`~C z%AwaFp{pw;@V&|+?s}_WqgD$kxSe^uNZ>Gwn%Qy_TTjc4n8}ger>cP|o4OTcdO9<` zv!nfRV^f>IoH4;`Q`0Kz976FW%bcQnjAJ6p48gZjt=!L|`iW@Ek~*xn>&;KHTull! z!M&P$--L2#4uS=#ZaRw^l_)m9WU6>JgSsBy4d7U*G{m-Auhl!2a3$^JJhxjPo*n#I zV^>~c=Q_{BvXn8^EC-|lhb(lvJJd@3^n>rH& zv)+-`4IC)ybK>E=%Y@U;AIu5Ysnq7}`>`adCr<>No&LQ|N>#v-% zJ72bsk9AC|x3|FRS=+*mNEJe;10TeS(~f)3{)#C|Xb3yA?Qy7|y(u2=@K>?ERQ4vl z9_VqIMPUp6EcTkNG46e+M{-_yYM!pM5BstM#ieSLV_utv!nncFo1>R`d8USX7pN_m zIJb-Q9WXY>V3np&TGJU%D(lgwuwyd0$wpgm$J%spm6dn07SUEDh|MzEXZMqh=9u?931xe8{>sBTaUI%~yG7Jl+)F==|=~ zjObHo?J;22tqJ$$3~U0dH6)uGK4@Jb-55SszS>%3cCSMn+-ZIw@DVr7hUTb;Ww|ys zEza#s6K}Pn;oP-EH@n?jZ^q?#12siwZ{Z%{!Fpid=TSY|DaB8S8pHBYrk2`{cymc# zloMXV-k1i{Gz4i=UpXJt!=_E}F-4Gaj>?TE$tolY4NrWAcb!1lw`nCWn zSuM@&4K)po4IQ1b`;tE18E2(*R_MdrO?xxj8>Y={j<>hlT2RdWNce&&KD{p9&TiEk zr_F5abbf=+QaNcgKs{e?=Qf*7Q0lB%>=)^#SbKd-+t%d1KoUK@VNSzz(8he%qnfTy zqv`Y^pH)}af4`LxnSC->m~r@k|vCe~l|idGlDiLFhihMJT0(r&s0 zHVN=upw&{>089i9&{_OS<}hAGCCj&=lC_~aL|iD|eUL>a$i(2sP_@!TP|o)VoA`A4 z2Q}u_rzRJwq$MMvTV<+Jd>FgVlAALP*2 z_>MX-Es`u!9^8ip$VS9FZ9kEBl(E2-)zziwQ~B*eY=ura zht;Ww8b*$l?MD1X{!Y-(f_ZrAU=-ShY6_72EMRGp`9T$d0!QCR|LV-r$^R%H$(qf! zpV$w~rNgn%^9k!Q2%PYO>Op*)kd6)VB;m6 zqWLi?;37l@6mJTx%i2O>m0sh^}!_Rv0X!` z!+3yg7J!a(SLmHuT}hizNjnJ_$p-hgltHq%NxTZ~jvM$p@nPD@r|zichNpYZ@c2q< z^~uMW=kb?RhY%?_j-RJ<*)*EE4-|!LTa;M=5X*yX8PsB_nY;p-1~JgJ%=gkT@t7#r z*+;&XW-PdYN*0q-4&|Hgp`AHkqzq#(=9gJe(;&(x?Z-D$Kl9h)pSyo?y<|-IaBdJM z7|etElscg(G6w>>&0CY>R~$Zq1I|kLafE%$FF$}73s@x7hx~)oK3kObqvFUyi}IDm zG0!6X;2E3Z{+v5va`twQrXDSktHx1v^gKSz`9)+7ruvyzB{RDm&UAVqd#=FNOb_!6 zh3H;-rdVLyeKfp}3i@|AEo@zSQK~eZJ{B5*sr6KzFx|bD%0&}hkGZkkRcD3D9rzG@ zR>OGKJSHVD&H13s#Eqo=U5qT2r_#R?mKgxuHji4zbJR%En^{Uyn2G*PbdXP>2JpbY z#SDh0g_)7>wDayg8$qZI02f?oEx&;9?qxv5ISR5iabIkPTo`PQG$1b<0z55u53p3? zWpumy1@|ZjT&GIud}|=B^(-FhE#zAHk|_-olMdyymQjzD)HO|l1sZ(hc!>g@g8@3( zEdEokOeS2w!Olpg(vM6wf1xK_)6D=(8Z3x9m2zK2kyUmJE;mK$CVe`+R6kk;TH-EifD2kt@%2dgCz^dHRYhIe(FYhb-=u$~)4K0g2O}v9 zH3Vw;QPk7QjKqpI34AN8=wc#yDEK7eZxAey8|6RZ&xky(<*yQNGe(9X{;=Bu3|&;k z@s!vFc9qQcy$&G$e5LVQy!6P|co)Z~l;~(giHpZ5gg15>Y`Bh4H975VR_eAMT$`4lVeFbDGxNyqL}J<3oN z^dd+db57&00I*3cHhfMk4vZ0=L5G^Yr=-XaDBO#kD>&-_^~Cxk3xak-NI)K=7p8hL zzOvz3Jd97}+iA}BK0DHD%i%lVw5@~A*tHNdWOh)*;=>~D$F?V*%xBVgk7q{;WQ*jW zU^`Op#QYBW4b`d-=iMz&1vjPT6X3jERn2PZaLPL>tn-M*2eZeR*+1&?SBkkfBEH%M= z55ulg#fMzF_6}C<-Q5QqSUa=0=fwj?yv#VOG1kfLE78~0%j^)l9z2BM?M8cjtbuLF zcUV(}D{y>50V zti05-?3yh14Xm{Q-^6{X*V$w2mY_b?-tKI@)L@^}VCP=Vj!Z-5Wd+oi`1aTuto))pW_ z1=aTPp@;U083eAP(z9dW%W9q;Yo69=y|*_tn_X670&~RP5=Puzz4=#h^gtzdu{Z8< zAK*F|mPlq>A>L;GBt^P0bR)uPL%~nl2Hv@NTLVx4O>4Ke)G`B{4~X~nmE7TlV32Ji zTN0$8Ia_apjC<*~(ly-m5^4}%8 zsAMa(-`LpFGBfPf0}VOXFN>RC(uLd2jx1fQ-SrvE{GMHs>0X~^|*s- z%Z{}}MH(ArdpY|LN9z+(qwfLsbgFP1R+2H+8KvymETH$vVanOrr6^v#4oze4b)e~- zvyT}&@Q*s#&JE+DOjj?QPYtAQEm?!-&|gswc5NU=x@Yol0SDzCI)sN~PE;L^J=x){ zcDVrd?ZS;6^;E-UUOCniL~*fS86Jq{F5g;`fsH26?i)KB9srxxd^Q`kQ;;LgY|gBU zwM_@lU|UHD3_F5HIA1pJh7@Cy9=wp;FsC&uNI$?nKOnvX`}8m_%SV8HF*bTk6up2P zT=GuYQ-{Kr8&8MaZt1xAg7CGz826yOekUP+q3hQcH%mj#hnPHhQn%iZ2 z$(%!XIme=yZ{uLq0$JNvoQ zDBH_o=IMOb7t$cAUY}!cXSa;df%!7f8M```(=|gsx1qVqXon3bFw~l2Go6j7jau%w zbAV4St;5%p{DOz+{}v8;bLgbzZ6? zHI2^WQ|N9!g;~OzLLp?`&WY`*B{hVhN5EPew8r(05h+x zQdcVVS`r+oM1G>`#{5aPyFSl>yB8_XHW z3`cb-94es!ZVl2yL0_Li4V528(y!r_;FCOOrqWURq1|SVd;1>trDV2%b6lidZWd?Y zI~~i7+zl*!HpMzXM+M&HvztYdb zy@IbL6zQ{0D}FSwL4*%cYs?j<(pt2$d=vX^O6yeVL2%YL*~r#>*@TvdZ5%yeq9>Og z&F;-Lrwy^a7k`Q^&2WA6|FHM&VNq54|M*%k3ug_pH|!02U=Pf|9+-g{oY5JW5l}`3 z7!(v_P*7CRK?g+v1w~Wyf{BXe1(ixu6O&5wMyb^?Q%p-sO*6ZhC6$$(%q-39SpD9E z^*Mci&-p#S-{;TY^BkWCfni_PUVB~N@7IMwx{<)Bd?dtm$G5<+D+*+u#1LjP@~~5e zb$-!4Zq>nxNMtIHB3VW|a3=a{x^nCb*+eBoxaczdY}MHaebvdyc$%3j=*uLN=Sea- zfi1p^*Q3cGXB8p>Nyh)e%V7&a^3{i!6twhr9FVPagR8COFfnI|qd)`H+{n+;nfu3>kYeOq>&;kJ;U_T9%j#ug(X>s?TDI*Gl%mesZQ*PoVAV?bF5=G=m&7o^j&Dg z6QDd3bwA0O7--@UA6~lZc6%SoT|}o!p;!ScZVM=H&_h@v)%iL^UbU!++1L6)?Jq*R zD~1bazlzar4B3)Irs}4rlA`<=gxlOpAc)7@JmMxbd9QNo>+cF1*bJt_0gKW`XQK=! zH09&htwSuSusIgfxH@XWsjz>Jr}bPI?oW29`iJ5vAnK|{MYYz0YU7r!--IyzYIt^E zh-6OxDS$Z9a`k3v_)fU@g0{b$7HM?sNeWZ4wFWQJXmqd3`GIn*VLy`VddVFnkQ>P@ zL|i;;;vjgvb)Z;D*9h^#bl|_QI@Z2hn2T%l*Vrv`%rJBGt8M?p!fUs| zgSubIjm0*dz*ozem$a{mu!RDTbDdsI7UC>vO0(P5m%k){_xC2gLoJAD=h-=SSadoS z#Km>w_2I&rzJ`~qKQ9bQuZ#jW)JGMX)i|GKL9TbTBLazoXrynUb3SQZ=30vr!~#6J z$qM~e30z|w(L9huyB6WmCC5*`k0YAg?$@p#FrGr$Q*uV>`Y;*C=s5PAN>XY>aYN&E zjn@7JPQXjc7vVhbX#0S&C%LHFC*8MU+9U zhjdO69~M%DT|%>7KYy+;T1e49?<;iI;ovL>@?3Ij^;(?ZX4(c=HO>ZPeTxh@cubSY zrGYSqnv0SakjJXm2?snKIJWpU62^%sLLxVv>}1>Jmdi3eB)H_gS*M9mOrFLwaH}l? z+0)XhxP|VYGd2-7{l@hS2PAlFj@;4*+d{KOFAn5;1=FnRCHfc1MrTkMHE2|}Psp72 zEc^RwTl+ocfz8P2!R^Fyjgn{8J5*$f>U1!33G{|EkxUHr)-WfL!Q>@I_M1 zo4oe?Ujn+{qqSX+kxUiKnd%jc&yfd1kzRoZ8hbVG$HnxY8S}apG{tb6u!Q><%H8@c z#+77D?jzac94gj*+n-h|0qXIQS`pl~T-U+amXgxVq-(71#dt8vA$3j{s(qp9DeZ5{ zjKs!{?p>Cl$fm;()S$`i5=+)BOl#0S#~2yiy+!m@7`_Q1hdlixjlj6}Q>X3&C5aVS z{Vdb!Bv{dt(SjL7OuxwgT43@(&?3iD0u;f5e2ZDeZ_Lt_MYxyioIGIxgUQTwDM?Pt zcFl%-FLH!NklwsLT2@m-hgtHGUi5EGZ?f+NyN-fS4EH$1NJR(&$uH1vR{E8X zjMA=-;$vf_pGlFo*IZK$%Eb?}=R}(+r*W`)p%zWLei}8f&s4I-QLIxP36b|o-vlpv zVGN%zQne(L&X5)RSnEhwkKf3w4J55}zwV(Z70WwjMXASTqgva@Z2n|4kD~Y^(d-~~ z?b0{4WvY#(IEQ~S#yFW@n4_EyYfIIxaG7_4Ha6X`AsRBV?ROxXT-%@TC#v>jO0VL} z;jxfqhV}RP7nzgUSvP-loPn6ab%?&b))T+{AvCEQ_b#M%sDNSeZXZ42c!?ecAnGk)4 zMNo%atId{zeR_3#c2jHb+UkiDYkZb^S=IE_1A8kQ&GzFlWzvnR9WT=U!PRhQm~6V+F=crxUPD>~jTA!stc zd^9a`^WeTx7RbcWe#pyyHCpCvD7cFzaAg_P6>Yu@AhImgpiY&rO2y# zBD*#Nza^>2^Li(q#7>PvvE1w?hs^Slsa61E?t;zg6O>^)Iyoij$FX{oqe6>we@i?& zSHt6DAiu`cYT`&etXycLhG*tniX^iImT812OpzhLiWlp{f%5L%jp{g_admZcd`oPm z207D;W1UfmtU!5JPLQFr0s_oOai$*(#TYab@F;$P0D1eYr{$1us&{OMD8;31ls!F2 z+r~M!^zs&YM|qR!Hp{SJ+~>;oFo%cY3JTFn_cy9s1z2_ux0^pRwJC@hl+N%<{tJdH zGJDxu)FR25p;9WuCR9X;CzU6VL1c-Q-4^>zFd7&uLi%kw*Uc2V++oZL3om9wsSeg(aoSSD5Q{kS%5K_iF8{M z`Q=f%?-Yc!zSO>2zl4i1{*!b;Dzc8>5M}uT>35O-5LF*SK?{ha;@9vDOMiq-dGokB z;WkrB9DHJ5LG5~-Omj}h>USya;}nB&9!^)iQIXXQ_N-aagSA$*?<<3#)K4^hm5MKF zLcp=k-Afb86xLo)SF*%zwCN6l=D5R%^6cJU@oa3CR;XubnW=nHbbg9PoNIlD7TP|? zWQDz)d5Wy0iI%4TFC$5%NQ$4!SU26_UULAQB?$QO6FCUlEtX*E$l2M zJBr0Q?AavtWvacFA)0hzBzU^u$v7u(3UtWxoPvX}n%`av*^=1<-_^S?=v=w5Y z?jw9>DAkqRbUnM#@G`=1%9F{MEoQr)C zGGA5Q|&H!X#D#j+AKLG`g!y?0W#b5A$@NZ79am|?Rx z_L`DC9?WkH!KI><=>N?-7>Y3iknmNo#T^Ivz$_}Y)!;)~9ks4)|Lc^1C zQe|ih!$-(X$IMasKJ&Yb->7({(bakc*vsT2l~*ps166^khb%;44#M9%`CihqwFMimZOv)`dhL1RTh0m$U8`;p*lYz~ub47*I{(6G9i!lXr4B}+Jrmk-gtVdw{O)o#IYLzd6O#H( zJ6=kp>x0?p0@8m6 z*IrPNIdTiQQ=E_D=Z5H488SIvh8R-2TLoe)dlmdVxe$VXG&wm2%oOl`O$;+uhym0T z-J;TQ%su@u+Q|MOCte5-j>?h{3gcxVD!bv8EggeSpJPwP;n&&05w33a!4T~Uk?Nr_ zhm!>7jzIi_eu^b3nHk&~E|sDwCS>IJ}xm)z&YC~qi;YDnkHZg@|NY{6bGsbG(;I+FH>(2~Wp(agJ)`aN7W9*?*4D;s_D z>1y*1_4f=hc+ZjHv~S}nI?Ef373z*zE%Eb{_#OQ$5#Uy1&txW7jYE#Lkokosc)?B5 z*CPI0Kh08Na!&ULJo3or0IFlxDo}LpW5MNx{F?^vONOWA<#F20y6Tf&s_8G(`p z+s~p0^aCAOoQL(NRGZ}ZsNfN6$g8$Ir1?mA!S#*zfWVd3A&*(}Ov6+pE)&YKrl6*k z>2--`n<@^Ww7B9{q&dvZN?(EfL53$BZ;W)kCfvdd7@fmDW-GrujK6P$O#;6>wQL6{ zSBjd0{{Yam5GlUmTFcCDacVf}C$S{s!}O6zqXw}#l34XTqA^07dk9`gBT==kF&Kw) zWnv#!3oIm-9RKQN0ZXXQZ8X5L24!u-*G9@LajnPM_`w-1*Anp_BC6kG3TlN2 z9mg6*m~8=lb$vpb7K#EO&~=cQ4hp@|1_golos#b%leuG>t}hM2Hra<)QjQ#NQpk+xc_r2V+Bn?B9NO+oL1BSkXdz-{t!~jT#jsbxzJADXPc6d<1 zXYlgoBwAKrD;4HhW7t`&dxMzEMYZ6JwEVS5bbu-7ZG?+umak0?e#XTs~!5C7+rOBaDWY*Va1Pvb8~+p_KBv zDAnB%(_10zvJli;>&eq|Iv0y(Xg}6#*GGDl>V8qGl+X;L*2SupFTf_%@I>U&t^`ko z2!OV+yIFP#OZ@=ZEZ$?F3tT@+QL3L<)z=A1K-DB@n{w2DM6&mzU|-j2RQU}0TAb6q zU9AwEzC0MY4N^iVz*49C*!)B^jU5q!J8&Aw!rN8j5|yztytQmU0Tb=M805u|@Y`$I z=LfN)M4VxqM&F{JN|!CmP3-1i>2vb{{1SiLh{JzX=b9_c2Qs0x7H~1* zB{M)iY9-i6TxffqNhJyRg;k4HFSfEv3pqEAw{w89b1l&ib*Y2|esG+5CMS54T3*+;<=zj45fl%y zJcP-7_NJZ(y!#|w$|F*nn1K^4{UBt(e-XtR5^y4Dy}=lFEK313AIuK$vM|)^503!mn$$z9}t|MjB8tW#-0&L4q{`V_? z!~z{A)_+QD4-&dZz@+ChaNC{;2q$m#%o)H%`D@qf-}wT14lv<<4HQ6$!*whm_5y#0 z)oCp7NPIo;DgWhrWIbYYfgHvV`e_grf1wkeM`_X2=1!woX7I12>`?J&!3hXanPx=vFtp6e4g+ep4!U=RqZVd$4bRRiFQCe|i61B>!#vSo9S222u443L@?6H5T|Ma{SSlhvU zdLFE&uKcC-H&I{ge|j1JCwt++%k;NhKZU{HPyW`pds?y|8~9gi0+5Wq&Hg_$?g!1N z_sq%u$NYC+>#5E^+Y7XzKReT(ji#;#g!+FL)DK4O=|go7D*NA!{jVnU;0gb1w$rNq zJpHc*^XCo!Z0J{T0HKWO&;ch=KF{^}q-2ln(qsMJ3XYVi59K?RGnM9&6Q26ol zJ)PMoyk~Ze(IoW{cZoZ4R`rZ(U^LRr0Pxhrh58B1GXymR(f=fi9}V?W!F^-`#{=1G zHZ~|-b--IUg!T}($u>DKvS}Jlpc$Z-4@+%ge6Sp{fc%iq-;oGbP^F0wk;g?`Vrb8} z1$H@9CAIi@8h9J_Q9;fi#0j(zg@_z60ExurMGpw+&LM~jnj!Q$iZ&Og{EdkXlxpLs zP~b>g;=!TOz8P44=1oeVWk)cH4~W-5XU&E@O_XMWkS(3mpAa=AaykSefkQQMNWXeG z!jGd!#t6V`9F1ZD(U=P|+3}uwnu)6OHu!lDK8uEN`gz!;JCNrcED7a)CO5fBirg~q zY{KFSUvmC>%*?5NV)Rs8xexiu!CuDx4NgZQ^N!NbeNH-!pDN=t$uIo89x$9^yCYo z{rMg?@ouG`pq%!D0J!43jZ{KvGbU_kte>vT#Nb!#F;pw~NP<3w7*HaUBlrZPeGnH_ zav3(rF?1CUDR~JqR(VT*kDME%c@vw3H-y-NdDQ8-L*GaX;4CtW#B|}I`9}~*ZQkU% zOZ1U2u=uAOL127pQu(**Fa;4wS%Sd^}&^^BWevf}Q{?>gT zJ2*cXPUyZ8{(u^M@;CA+4%dt$iMWsnf1pu73KbLyQm}^1MbK(w(QC*EkjKL+_Rz3QS)H zzD3?JaXQUFX6B6yS=%A^_w+5@c)8sp<}oY$kX$WSAlaI3=Y6GdcE&MI;C7pxQ&8@U zsQMm2?H|xY(=<}D#U4P7Smm#aI-JOKK#3g#QFV>9LnsCZsfdEv1d#d8Vt)rq6b8C~ zbA1Q0%kJ;y7ZQl(3H|UacPH*|Q=xV%3I;|d36MWMO=b+QK}_rd!* zNh;`g)w)~|@nz%n>TH?CP-({9-K2>z-TFfqDm=nSRfW{5OgAFvGPgmtxzhbb`Yag? z5GUu?Yspt$b^X!yAG|WlZ;WqX*NdE&zc2wv_vkbm)le=hbmtrF5{h4VE;zG#Z)hVGn;(;Kf}pPsc`MkDZ6ZUEk*y3b;j zWi`-}CBqGoCfFvSosoEwZ~%L%H(`(VEBLc&rvI2y4DaC`P6fcu5&+B&gexo*YUltd z)-oCCYw*jQptm|7LdLN;fqRG~)Q{k+ska}VM~ZQ)>tR7{ly1!tA|U1$b?aRk)%e!E zd?M4IGC zA3`dgV7!lw+(i0w7F1#ceo@GDecQT{ReIz?A5yQk$+M}UjwEeOe=HlE57j8PDz}C#T8H)c?T!h+Aot=%A}I$>IUkj8ZDX)z49<-dY7l2F7QC6BcNj)0M?*}+uc>Audj zor}w6ckgJNiJ7uA@0adZ*n3?4=WH*oWK3fb`<=XX8D?B<_yqp8Y1y9Z#(7|EE|d;I zoQ@31ibGxATN-{#Bwk+qLcy06xq+a`k}V}@HsgJ*U(ix)p(C6A(1uZ)j^H?b9I@q2 z!Z=pUwz4=|MdYZ?v7Veg>Ual8ICfe6v)0pgiVclB1nn&ud5Rn7*58s*wUCa#g??|_ zfO3x`^%z0Q!;i490a$lZi3f)XuX-$GhERp$goQN9x@_a4cvSUOZ5xHj)4Q0)=AS1A zC%A@PYSFl|wj*K`@*N)pf3)kuMIs3~*6kXj)kBPq)#$?aBnmz-VO2v&h+q^SE1VzP zZ1gC_-cl*6l2?tuc`KYB2jY~{-w>oevaRfqo{sgtuW*F0;Ti=PB#G2vfV@bN^cD$8TZtd3_2wPb zUW_4X@(oSJp&kFc!0#N=HC}s$^~#LPJ8e9(m`e@dEDM zUfFFc=wn>eIuMKbF@arQ-x}I6#xgwMlD_q+?#tyfx_{P=W$<`rj?Ec_liMzk%ElO+ zEUfPogqf`~NQ#&(#Bztav_fvFRvU4Yi)v*Gqf1&0>4t0iJ?b)`f#sz@ zpD@1e9WE{Q9g~6q+IBmbMhH8}+GZOO?{pBByh-#8*rCrAq0ZRD%cj-}*PaZBf~B*GqP zJ#Xacog=rAQT?qTB-pdKVH&e1*)>z|rNg)Zm#T4W-C(5cufT~VuL`*+iCHhs5evvH z{bHd{=YEcJMM=fYR@W@ag{SBi#@-4QY{G7FoOd2~Q`4eLpg7j{W)SIb4E5srm%1Ey zE?y_SE8QclKv9AGtneI-Xc^NwlMw(5B_R-t*??^?$51@vD^XRMXE>3K^ut!$?TW2b09Sx-^ zxWKBgU$g$G}pk;V)uP9yqiz#O_|4Qpo49%!+7ci#eMkJCe%LO7L*vi`xxX{wHO z`I94F zum&f=yzcck@g6 zt#&ZapfmB?Tq>hdzeDYx=-MrKo254*lcm?VB>Ft{2X`n{%m;jm1K z)SK|lrcIoP&3I)-sd1_#v%af80)37nZyLUg<@Y6!ad-%@5P=0ISQZBm;GTlm#A^z2 zU&?^((|Ec};yG1Wt2G`cy6@r%86SxQIFqqG-z#fL#F-g^#R6)Hs;eZo-cSkh&b~(; z)$U>Hrdf19Q!!O1QIN?vsL;f7(`fviZ@Xh%cT4seqqB|&JKwaCMnb}q)Tyh=M7*2XV|yX(ng@m<7hgN(YQX4T(m;UZvV`x19>TZfF5AW zAet}$muZ*u_Hx$k#sk>E@m|imG5>l1bkAyKSsI;94@i#}Ph{{1WK&Zr!1kZ8tN0-d zi5JJ}#9%SZG7a77(|Q_L;BWDp)!%Ck2}C`s261lu7~U^ltXcvciyXk?g<8$t{27QO zd5&Tam zzvMSpi+hpLLB6cdz|lej(WfO_6sr_lG82W5M zOjR*M29oEvVqpTlLSxhSAP}Uo0U&i{(~s;txn?1b&~L_%TNVWRKEviK!vwQ-qQEu= z+l#FyEP26La&4yVSl!-o@C5dpUIPoaYDyz)KN6K(0h5@ig=sS2_oVUMcWyhrWUEC@ zBd{y=!B(>;tpbq~f9~?bFyZsCzsXxdG&;&3h?!YE3CL?bag+xMqMi>dk<4Eipq^L) z#8bYbxBn>%gdfg_V8ucti#>*9;p2~CdHl9x0m_uC#{xrhV!LGFBgS`;$cfv!f}&?$ z?dlb~B=)#Ge#7|VG;zna%$mm5;h|8Q&B2LF($F_BYfu z2fE*g8g-0Y7Cj^0HApk-lcqu1x!-jSidk?U4~|`|uRj^bAKe(`+qO7lxs*R8Z1{^8w~eU75AM^(p_*+aulMt*T3tg&di z(snxWMP>5Yp|=#h&kYDX8*pLpjJM-1Zp$jLPZ?Et*8btdr&sm8JpJOTexEH0Tb=sM zquGUNUu}M*Fumis7uo&~-@dTA|IK4zA*nx}$sU&R^EdS&&U@dy7&7p;Uw#V7#55(; zMZ}q*SxNCb&Sxp@U!Knnb;on+FwY1M)YIy@+`<9eGQD`3Uy-7&Js=;XnRB}}SJf2% zc6?rBvTJaJcf?A)ZdJ~@6#d4Wt~_0BPO$xa@6hJx#MX5~^JhGFfFELhVtqkBvSfH+`i&FAhdF=C2`q9^d$`9fHij4H84rd#hT5;aH@wKLzcgaR#{JnP zrRB|Sq0dk3C@J1ub5e-kKJ%Jf*msN{qB?!5yUjeVNqB73gw~RwWmQ|6Re|gKHc(63 zj*j<7H>7lx!us**`(w@?yCZ}H9mf^daP|@!_4avvVfp-7b7n-uKE$kjykg!hGNN$) zy*m+UPoOGpa7=ahD6-fX+GNa>StGe!i=a&{5e_XPtBbf5-i}ObOV}6tNvLz#o@1)Y zyvX$*Mo-_Cvo2Y+GpD6;Wow{f!m2x0M{#Rh@AqO`^MX!I+;FFOqwnUc)5WTd)k}vL zX4bw@HYxDlwKC?)!;dkO*EGMsx<7P*k0d#wF~18T3=XN`%?GP zN5@ocX^TquNBhC3X-Ar`J=uF=_vbld@&*_6B1gTRma_6A+k@gppl8q6;BAebUj2z7 zFYh=rX!F#QVy|UnOLVWOhQ^}IUg@W;x+lEvjMz3dtmYtzYADLNFnG|^>AtRp&J%B3 zHosxLJ90*}@5{}J?^s`G@#TV`JLjMUT~7~FnlN?G{VmvVh&v#*4Y6PIa5m%Lp0 ze%brJuP--zT>EBu-NeRaD`pQLjG`K9=6@grmM-eGGWwex>)rLc^0=)JeLdnXs=IcK zy!+6XZEwECeYNFo$lP~6bc|HJ!rhHhpOdWIM=!VgRS#! zc11k(@RMf;jhjzCnjN#?UhVd=Qx@8nJ-J}!v1YzpYI$j#>i(UC)eHadQe1vB_K9talgy{aKf)@0j9uc*N$g${erS06I8{}Ot87i?=Vy}l9m{G8 zd)^A#t`P=+sYh1Hw=Df)XTm27PV6`&Eo-0o&6bplJHB4GtpAewOQqB2CytfHzI)s| zWrg)nOMv0gQ#b#X-ILch`hXcct?og7Z}(4FwP=iC`-?Z>z#EVT{9g{J|1n;kDhwDZ z1ogzqqig&!(IXlfeFVPeLLT1N3w|i6^Fur8U_jp>6Q29KBre>)*PnllBt6H&;VS}a z{v5IcXwHtDoE^JzazX6eT6_@xx3Oe9VMPUv{|E0GLm9{8I`0DS%>i;X9?L~ph|E$cwshPUk%R%wQ`)i}t z4laWK58;+2wU^=l15}A*SSgd$;2;@fFoIHKPLvRg#5s^>;4hnr2K3#$-b|{zDqCTW52Zt)ffR1?;UV1FJ2PN>XrLVm9R+tQInj z?>q3OKRpM>{4d_be{2EUuuwTv2=8eEMIh{rQ6}xxqXQleveJ=^T=v62pqP!tOv zL^JYuLnf3E{^>HIWn2vsHj}@tk0PPL`~Mj-|N7~NfvOF?692=;aMb?5oQ?1;a9}vL z9~*e=e&GGr?+4O=)B*Pc&%iG~h5X=`gho^*C&va-%0b105HwXPvw!*_L=zC(H{_>~ z`#%N#^bY3<|0yIKTkq3yG?2;%oEZq08~8)W4}JaT$NWSy$c8(orvN|JMOad&42fqsxJF;7}#XVa6gI z9i ze;KHy_IQEWz`Rp7wVD(PW)v$ZV57@rp=1JIkUWU=D`~^3oHPg-iwA+!-%#F0MV8;kQ+810!{se>ht&2!J1rnJxWnZIY5VNvWU>dm<7#S50lAMjX zD1{DkBw$Mu_8VtTOUpwkX-^}EWfgv)$1O}kc1=@{CU@F%@VOU(wL6r#9^xn^F}^I% zmwu>hop&XDI~07}N@UffCrj%k53;nvx~74g+AlXd9o*H+{SY#2T_sWQ5fmc<3m)mW zk@M$nCpgApd5K04PisNxG z59w>HqF>0Y$@RU&mB=c+CzRQE_}B_TP}EmAiX7>$Vvy46l)L*06C6eiRrF?{kcZNQ z41JQ2Vd)K@NH2im!GIv!-2lyDl)@Y~a^fUpVKa?u;(eDOx+*@D>deM0X73U$_Tc|sY+v|kV+SOGS%UxRcnA5e;w&0l zS_N+KO)^MbJg4av1yhK^u$THq;tc95nMdFDe1Q5jqUL<>n>a-rtEs17K=sVA)S$Bw z8?)Jo3NnN)OnX8cLtX+~AoI8Pe9%3?IrpMOa8%nqG?PUm<$-l+rX!?kOPACB4N1C5P*G z(XnC;Aktms(g-F=D8&`fNB`Uqve%8ulrY2$^WLz zv(_&GS!{1h?*F9Ig*n#bo-}#J`W_i?qc;nzr!zqT0#DSh%d#SC2`AEWx|XNhUjH~5U{umIW`^Q*g^2NP%;Hz>7c1+!|-<4i2GpT>Bnf_*1LMXBP?Tsi-e(m0AnxwY0>Adq;th{Vze@ zXSDMbHsIEVfjMah<6Y2`ZI^zl)zIo|7r+_(5yXeeIknot(G+%&9BfZ33Hz|zm2alZ zz%*yDw0W&dd8tQG_S9#l0c2x@r~Tuo0z*#o&0vsr@C{>OSgRWg&;RI z9Qj@p65;lacC4EdOd7=Roo-}5jW=5UiSjoh>qVNQDZv@yv8D_72_|7~36eH9SwPZp zu%$1eS^P%|<5RZC0QGZ9s)yMN57O9CT5W>N>S&yYQfm`YBG{uB_CcnzDrS0GJ$Rx& z1?u#+mjYVKgzvhS)bbb?<{}VFVS3vtQ0r)~05MIcV%14DgxZb=cCBNg9bW`_f4|@a zt6NtR7`@UUSEL+(0+x3bbgN4NpV*Le=K+?$5&+Q-?_yV|Fa<*HZBJSE!3g`ip>OcX zC`&SGS;<*NV|$~x0saW-_H=g;cOn?cHE5M+cv$Jo?PafxLf%>;#8Ui#2dd}of*p7#=UCKE>)~;Y3>MftBidp)s ztHkv)PTi8`=P``Kak{eL(L=xs!X@F}cmr5sujl-F((~`8-F9nmAF@EV6(q(jDX5@q zPAR|?a3*IfICQcSZv16&2C^2i7Z|WE7>r6EMHoNU<8!|hy{>*)fxWACu>0!WizV<1|XY z>a$}P^85%aa=eif>w{^5t3Z1`(%BXauJbn3ba-^N%6V8uJ;F`keYM~iw>NHiS__T<9Y&f3B;=t`GZU~543 zNNr&B_Cd(80o5~AgTR;icfcO39z6(EtoC~^m)1UMx}kLV&3O-A)9zDxVoa0O!17Xp zx9nAB^o_UFH4J2&D5hHW@%o(3zvP7KQN-0J3^n+k3Hk>_EGxpf?f-)*$dpVc)` z9-En>0xgzHX;TW9q2{MRc3!A)coDaly{bdk)1MEr%?z@A!e00%N-?bC1x0Q@IkIU7 zDCfvE&HNSW`H{O~lw2>vv%jbS3+NjfH4p4mwO7Zft&Q*j)?MXn=QK^h^&i0UhYb&b zJ~T#Fe~X)vek-t0hS}Z>vVAnMV6*-C`N3)7gAWt9X zhM+g5A@1JqLjoK_0)&xsU-Q2>`4+1|6Kd%QRs}~H8P@>sd5uYz7y&SZnS5>}3>&Vc zxGzhhO}_+-19fW@uD4nr7h`aV>RW{vZu&5IJt%SZ}#2bg10c{PFjze_RE|0 zq1@VgH!2FwQaj$pL^2*4i9cr|9Zv>INhVS5m=frH_W|x=8$egQUf^3~~ z)hB{=zc>~3yEjG(&`%U9*yFTd3dIc*kbRH#7qE?n`#Yv1>u26KQJ7_Z1dD_%b1hqB z((H|qO{ zrU{lE$aWyGDH@=6p2_svrV)bH5D^M%t)?|N&iN4m_zU~AKnI~zBc+Vv-Eh^NSiqb) zaZ@2zmh~QLZq{g5)d1CbqKJXaLh`lF2`-3z%{a66TRn@4mPirg;czqVkLiN=?S^Hoq-`0fedGJ|D;SHq8 zFZ?>dIu(9%KeGveI|;P5F7=2I?NnyfT3X(ubVYJd64v_ND|4DEPp$>(YBRK-p;o=^ zdZ5$^cH$n;tl4M4@eN80SLu4e0)5;r#mXLj{%-2lLxxY4=Dd`r}JYf+A=B9Zl|GLl%U zDk}lwcp!?_SD(b1jU#NCh*c|qxE5#c2g89)pQL+9ZTKe1Jsf9a2ly>m21j(hNaCFi z()j|XDcC?ybnfOfd2?wrJ6!=j1Kp5??OaC&3f-Uu)$zF3iSwmiY=e=#XjT0zug^(; zO$I2~5gCnKl0g@OQrZ->vveT#c%)x^TZD3<6HhHa39D;eUxlR>0Z8GjKrGyr#gD*9 z65+!rrmITz8j))oOPLtzo~AduBt6#jL)B8aIk;d>EOH zb!8eduGorBe{-XnB!~{%`!KCJ>kx8Si^V2ec!20iOTrsLSRaEHl4rW>ceKL1SN)kX z>spX@w9*!$kRH_@5N!Qr(n8(I;LcXsW}VMer+*iCuW!efjGk%qY!dbQ$GOGMhkF^O z3C0WY zK8^(uwhb8848k_LN!sZ87ni9W#M~u7 zf}UB8?##8#!`xo%L+u68%w+QmbWge38)-QwcWIbpYa%R=`Y@vQdMFiLQFe7bPovm+ zDnwbT5L-(H5hS_TsZ^^E+r!fWFj0V&^CZNM0~91aZyrJW@uMlHwJbrlU15&z5dS61 zr8u5~&6;|1C@nW+%1>T9_>E&Rl5|28Zcnd65-Y^oo<@?Z2~aoKX@1*dMpo_ZI0tgH z>=M$2UZE<5Gx0xX|ESR2CYo8p@M=A_6<3EhrM?~^@5HWr_KUb z9_P!!u1;ZK*3D4YAz*nztU-DlgxoG1rH#@&L2LRTn9q-+anj5AaY(zA(LG097llM! zVK5*iU7zIYP*xstUB?M5s5$Npl~lr1_xCuC8vvVK>xkS$WO)MlD5z^Y7h*?fpkbz} zW0x}>IV!O)62eubldvzymWb>*j{8UnTU?XV6JVGaZ0QW)e#e=bS*pBXdx2*RyP0$T zf;?qR^o3)2qGvSLl>Rw;*bb11OLKD)mEk7X7cp5LPhXtc&EUhSw zNA8NIwbE*Q7}n?Z_u58l$Cy95tzDurYP1Cmgke_gF#&CCJiS{zg~gA7R^xjy!ZBTc3Q-A91lynTJA%27vO+L-6ohaJOp8kq=Vf0G zM&;!X6?U;rkK4cZG;55`RkGHdjyPm{JHWFDzB^ipXOSj;<1C0|z{Xg>t3hSbGnZ&I zF67ldH9)v*nHM0&%=rUMj3yaUV}-V zUQ!5^c#QuCXFqJ~6+GvV7If2d4(>}^V4W&R+y`Qgskf$W0(sP~a;yaDU=@hnw@fDk zOf^;qfG^)BDk-=)mk3&m5xb7Mny4ntgzN3bTk}9p{B>JAy7e#!hCdIOR@;JJSgqM> z&DAQEX}wTN`tO3M){O}h!#Z5z#ja7;LtzeWQZ=1&JQC=S$4m}|?$TYj7M1KW?2F>Y zi7QICAkUY4g@SEU;@$e-tObw^Sho}jBMmOOzqRaIkGQSg#VCEx7qB~ZjM8}*m_E|k zwsP$|VcT4$@II+s7>+7UZwf9~&+6Z`5QG`e&<|ZlV26Aup#3!=QoT5t+Pomxn41=) z?Gpk@>mUpPi>T3o{9+}iPLIKCwToRZ=jynal7v0SQ7R*Uxm8zATUGc&n#c1SO0}wG}}M0%c=b>&O!pZk8+V& z!vkPcdJ4OWoN=MX7+0#`*AR833sH`^02fT!h@VTT$K{mX<65{htE<&yh)~+kaLJxV z&`LBslwRycmd6A2C%K}skpL^VG$V7nq20v!o|z5n?DiC7UM2c5Y^n&y{5Pe6T%_$d zh_}N{S78YPhc-h%(_pBItAV!GIPI4zL_M9rzrJW#M8C@Lx{B5D;xR76zph>D7einpjJc>GoX zeZ1f2{(kTC{{QeZ1|~CmX7=8*XRT|kbzM|!`#8kbO3To%=2wB_DW&rbYLv8!6_~W- z$~P&oSYvJ(?puVzmkOpqX00-U5-y$JO-(>~-qi6qu0`_s(n2@dSLJ%39I#&xK)w8Q z@$OO~=yN0hjCmtMP9^!8a)w%~+$e7cT(T1R>T&q#f-2vqeDJvKJEO7!g*Cicc^`-K zpxd9pk=cBjZ#Ifr#ZW+efTw=)y)fKyz*zk9`Bkz`<@+$HFl=NMt^`|bGt?$-*&X8C=z4lrn7r0O%#4PfY}dsZALX;A$~i` zZQwEfV=Y?07EP0}$N&6Vq*S3l92ov{I=)>CqDx8;c~f1}6S^Ko=MKb-FC>MQi?InY zN7s9NpF*N}*Ju2gGaoVW*=9euK&2T9V3kjb)A-6A(C6agGCkD$V3iw11}jgY_M$aG zB-w$0M*-Yrnr{fj%?Z#W_@hhwt_1n`W3;>!?x>%x1S*q?=!A;JsNj6paujx-hx|}q zRxjxra}u-1LQQ0T(TZ=dNBdGjPZ2BhtoMyXJ@2rh_;O<4=kC6e=QDsFX{wN*Tb z%k$(6m7Jz`7enmIQ+c;*pn;Vc{dik^2pJbm6zV8qP>dv~*BK>g%xD&`TZ z<&1G<1~t5T6V9j}26M0ac5Gv6`*2$lpm1$Do95GKl$;d5np~6utgrJ+YEcl^dm zzc`k2t;s9?rt5Qdinj_b?~5^c$n)XeQ>WIbX9WBpEu8s;du_R@1YV~X(1Gh&vzlccXu+D2snn>kHCTMJ1A~qHY9o7EI z$x1eeK#WPnl`}oL%4!whlQorXe1Co|Un^@cmr4aSe71K%*<@7w5I|;*dwAy&ZW&d5 z91@J>2NAWP@@zCw#@`@4tZD3Jbk+DiNT7x)yAp)`;u@}Upy<~L<6Rx> z%z`rbD?8g)jg@)ZPit5+uxN}PBXzq=%6s1m6_@c%!%65Gx;;T`vIZr4ZjYI75lUotHn;pki z6ubrT=`UZr57mrBtm%)(5&Jkha^Y5_e6I37yU>eV%TxS)--8>^`{QC9t8kwKntaNZ znc!HHRVpcqdO4=CB4}6H#dW%U8<~JMG#)j~rgP2HS*R&gF7;;mX$vif`LZW;@90U7w&*gIz@V@T_MnLAH8gsQo zJ>>&ooaYZk`FvoX?s}eCPZikNdn@0TQR0yetl59hk`cu-EhCOARbJ#+BS2UlP@fJ1 z>0xfxS;n)!!b{@Mb-yBIBUROnAi)1JTMw*7$OCBvJ*&aVmhXTUXt6@!7wo1tEKDG4K(7^$>CZI~t}+KOBYGhnUBb&|~JW4C2l)=f0=H4LiAi%{1?Y z5M1~@Fz!Cp#0=v6eh`U?JZoMtN@-SyFW8#2_V=k;?m9g$7*7wS&CI3#U^y>E;Rbl` zL{Ru`R)84SFeaA1UAgB{$Gj4>`vb>#UF19Vm*a!kF^)g8=Z!(trQMa`9c-09i5>mbE<_*L z_nb5WePkZUm?!AvfJ)lWrpWoKb7}0FjYm=L#%1DMowz{sAGEEcg(OiFKd(Y;fSoUn z(F%7emxxd7CD^Na&?A%3w=n!4KGTFA$wvNJ7)NI)e(q(Ic0TYl`*z2a)4(t~2EH_|}@}y;U75+fUr;XQ^P1t)X7I zne<4sX>|?d>5;_b1Z6DgTDhl6xfgYv0N-N?l1~z!8Fk;gx>MPRl(D^5@1QsLjO%)r z-bde4_%N;*rHXE(hIocJ2FWZ}H6EYu>@K1gvK!b%@&pwFhAvkMI#HNf0(x@pV=wYB zo6|SJz21NKH;DcD(2AY`!mqYJjqK=6Hz22K-#w2HRMQupYK02z7k`E_clkr)O<~Fs zG>3>Wop+n%PkWiSG3-)tSCZrPMAuOVSEQwje2Q^Ncj-`PXvtf?WQw_;qDy@z)XXW6 zkw}ntA>~-or56fUFt(^xDPq0)P=7RcnBynWwcS9zx7;SqrKyi%QHwf z@nd{DRK7>;ic1x4I(1+9^XwN@w8pg|mwlJbwru8hrk<){*FYD3P%#;W+6lMSz`xDk zQ#BXS1(uEz93PsS$On7gr_s7WZ5OFkGbT)A+3e{a9 ze~ir5L{OwM9!Rx};(#+7Q}M7YoD|T8e2@C_tCD_47>D1H>-&NzmurE8>F94e-6tq9 zubCh&Zk$-bJA!W3!PxAPBkVfkTmc6i?-d6Ip`ah$+#51sr(g(Y;CpbSp@EvtjNrfu z_swFMiUeNdry8XUY7n!X0n{*XJz|6eY^PGD=U`?VW65OXzOqBjeaJvclkzI!4r}2r zawX;l%a(M1b(}JElh)#>`U!E}+6p_8>b$3z&Pw#WZ!(mi=$!+DeNKG_4!iW8#nO3@ z^2bU6fiY@=quMHWW>Y@tC@&~}93;?{H=$rb*D*_z`}WoI9b2`B?%;<4c(_p{eY@VW zjF#7{sRtons$oT8N-tkPa8Crx2lC|xCYIGBA*m~b3`Y}1x`?iaisQp#e^Y$$Zx%mb zO4FJb-Ed2RZs%&Xf-u6ChB?a*{|JRw%oty!XKwea@EJY}^ed(khbN8e0_bXA!n>>YQRU>Yu zso9NPKWQt%7U3PsPc9->SAylhZW8SqDnRstnL-XcRALnTIUCi3zc> z!Bv)Ps=e%>%FN*Rg?mZoO1PT-@Omh|J=_U_GzbeQQ=KK(pe5@z`dmLI7p&~+lGjrX z*6pZvixU-2oqM4x_V(!)L3)L|FT{QAhODzLdmtB?n{qlM)T`1RV?dte0G76laUdV$ z@a}>Ck2uQ^7Kics-V45rUMqRb5M1j^S4%Gh9#e@g>75R| zX3rVl03GVIu~eRPZ+z~5je}FcAHE@r%9r-QEciklN4bvy)-|eJ_9xn8l|m^HjlP zcz#YI={GfK2_JJ46+F&M*M_9@4DLoloO3^+|>7B|da zH2|I8VSgof%2HyRmvf{RV*D?$e%FTN-?u~-;$fhxa<*Kg@OmhXO;11{m)z@gAEb(; zRi0CHEhQ+gX7Bs6u(m(t7C^Lst?bOEGQesPe0QoO2<-bdtHQl(HluP61mu&biS1SP zd|rV#O;`-3pIYYt(Wg>JZ30tg;nxA}K0eQnFDkqt&2O-&Z=LQ&V!9}JZC@wGai^Xn z%QJ2WxRgDM#)p;lX?v$DU< ze-Ak+`*w;;<-HH=S>5%(fpTF6?}9|Taj-oE*xI*jrqHhZk`(?KlAuCm=rqOlD}13W1BHg8(^e3EEa+-d#`QjJ13KAIZJ0D zharK<(Ozg5*2^#nan*_)i!SK!vQ-gNToIgbJ=p+LMSTkeP0mwo+^n8>jQylIuGq`&zscJ+hQVow3F*?u>4HS@)li$P(BIi9L~ znNbW~fLO+`#zGzVH>W!ZVI3B$DA7Od=0ZDzuc20hX2_Azt-=Au{mlebt6RF?A=_11^ z>rikf_$b36M92yuC=1@p&oV1u!XRHY$Gt%_WdiF2QgsXt_|bFXmx?fy+e`=VXNS@~ zl^=s5J+HGYomB~e4afS#OKTyI?!|}ETs{~^?=~cyu4P7BZJ-1-%iPuv@-#wPQD7*O zuoG9w!;nu=1&3K?`iAJ`47E^c-)_nEol^z#tQniTrI9Wq?Maieo72uY~_xNals|k;gUsbN?(Xg2JWks=tZ|uGH8LN#YDBr*NY4M!NSqMs zavOgi`+sfauLgZi>xe4Y`+s~Supj^XeZ?yqOuIGlj{3Xa_;MFq*%7Rhzqen#&MQB_ zHWPE$*+P4M33p{^6hFpj^3!t58DJZbyCj=#*a z`&Y~Ha*(V1&sWCpYFpX=wf*0&#Q$I0FEh#hJtgAR30E7sO#b@!53u4{|54KYZ>@Ra zr~iu*`Z7h`--mhPTYhPW)GUBmeK2@o$Iz zH66Tv&9AGiT zYMS11rHbl-^Thbbo7nO3mh&pd>mNZK)&DM6?m{c5)54Pb_d}sL|C+IXZ~EWm3W&G= zUS9rpx%&TG2LElj`j2&oS$y_zUUj)z)i@f+Mp0d4PU}o}PGmu=yCU2=Jlr?~tO_G< z{zpkFJfz%z-_7(Nwn2M|nOAF-@#}iz*!sdh*MnZQO^wr|Gp;NK?_uL7*s~#yjDsec!6<@x&FPV{X%GY3PYei&+d&JnFyC}!4Vn zAnBiR<(8=&oyYG&<3|u*Ue2iZ>Up#964xGFj)% z&dZk$;BBlNzfOOMM{q%YuTm01_>9JrR~UkN26vvntQni&P`~0a7Q8N}s5E)`g-;-Z z2d=|gjPO0EiGKo)gitAI1Lnmi;Fnwo>E8^5EpWWYQ^q5W-&+yGS`XaqAl$%K!|plx zmw(9h)*Oa>0q;_{q&=Fv?2>^vS#c{l+4(i6utv!bL4|O(+gr8?!$o@YLo|kCeL3Em ziO?b0zLGal%|Vq$@s_=ekq7UOBuWj!SwprP8o*ykMM6sau6>Gs+O0^V)WkM;ec}n?UZo*5mO^`%R_E@rNE$!$sufO@A29h<#${^*LTXrK(hQ3kqJQd^M?n|C0&~+ZaPpRpJH96i$|IiZ{DI}#3 zlrWWCpeN?PQS;xc|NUW1g2`ABpS^$0>-=oLiTmeNhwgzH1oQtVoObnb?2WbGoi%7R zs$^_cnbcN|x+ByzGSj3>>t*e2(pss^1Z$#IXQi!-`qsmr;@BXo$)H|6G{Xj;WKO;I zNL_q?L$Z}O7_BMECaa(}cb05BUhhjwHKbWB$)Ytq*=m)nwzNK`469x3SbL;3a94$) zuPHOrX>}R;8M4&7*S~V6dEcaD+1lTfZS|;?jl+GLk4`t`7;@EnC+wd7=)3hMpZbaS z&no8IS z=Yom!8l8;P85=VU_(s^2QL0Kq2F*bXw4B5=)Pyos+3;_5Dnj+}D+R4EWKfYoZAHnd zTr@~^Cq@HR22DPZvY?%Ki?GX3(%|9thOj^U$A5Gf7hQx?6|HD?;?GgOlo~xZ5r=4Qi_yd!#Rs)eiPMUfgkgZxZ zR_HcsFZKNSENjAQn~en_KoiLZFgICk)vBwjt6^6VU8Afj_^1b}Od8k>R0GI>2Ensu zrPMias$}3|fJZSwos(m;nV|RKNSn>7Qg7Utlar-}Lka8)ryrD&RVFq7MXh@J z^qibzHSAneWYXlTtVD|)KYjeqaUvBZ;o8gvE~;11(|$dxYy19P8>fB4@A<|?fP`uBnP?^~gb z+wpg6|9T2C;ytIbsHmkLZ=hUGFfJ?M$WIowlF{uP(rS~}et*O+M%=B8a%1^^NXGSv_lZ)wB?wUgmv zyijjE1KXBfk+IT(_Z{${IMIY`t%}seMSq{gH`}%7wgLgTDe%*tzD|l|GN661>Ei?n z_8eW@@fR3eK^3r8s=zav%;FgU5v`cBM_Ja#VMFUo5RZ{MaUJ;vPod6fqODkf8u592 ze>|V+4`DNEpnUe#SpIyj<5UX2aI;wnePiL7KaWdXUq2~cU9f`_0i>fu5l zKzsuP(fosNx8teu}lTsS|4r%og`{==4DvqibPZKy_x?|8j{S^Ez+XL z6_hsms&bYz-%uMD&a%Ic-vD{G@uVd?PM`6&ZWB8@3zV8_!)+}Q>&$42X9?EY_nJV7 zIy@&*M|*RD>#4rp+5mD%t?Xc4#cdQ z8BMqplqo&EHPa%cU!k$#>Lv53Xm|mcin65HhIVUhxDhMGuWLays8oRWZ+TNoD;`3! zgCp2m@y)up-V&wIPEuLb4;h-KgSr#8hUL;4&ok==k`Y>v|B;gMOVB#ypZl*tut3o2W4CJT~%ZS&aziZ z3wYUHpaoXMeR*NPLaTR`Ix3&MBAc+$aE0Te{e0<`xgSsg5T{;V=plGEUTL|X@^!5s zmhvp=F3_j`WA|tFEo5q7IKm-={3tvMr!>+J3g7Drf4T5x|VAUDee}t-wN+k?%1hZtK@%3ecj{sLZIw5W zrQ^5QSwYW^Gpn_cDwv=pK<5>fj*>Fa(;f!0cCeh%S1n=j*DTyz{O?SVh1zg0$tOlMO$SnP@c3z%0Q*r z?!69Y2}$&|V1@>_Qq{CmXa=Txx(Q^Qn@L=A6cJVKO~hg89jR zSW<@QzJ|;Ej!rGRWbS?Zdb(er3OG#=uBW!qGSr%syr|}@q!{O>+P=qMbZo$n;dIzc zeU4c|h_UbsFkTk!LB?K*ILr^Hl7dNSnD0K~9)IE*W`APk8^sf#+lMe=E%ZAh2Q@1m z3*L41*#j~is7gb0bHOXnSi?wZE_0IdxiG0A7uk&<9|_4!B!kLllOo%e^nqMy5;VZF z7oAb|4kE+J9M4QRtn3a%eTM3Of1|T0F1bMz<0pxZUv!kgos4FPcWdR=-Z+hnEqMST zx#49^ebo49!tRXl^_qqzrXZnucImCk3iafth`aC<3P0s6D82`Jwb)PUNx$GWkg|M- zEVM5XQZ93zL`Rb?p695zhBTE+hIvNu4~_94yasYw!QT+-sEv>{11Xu(0cjEYC~BvM z;~+hde~22UJdE&X&MIFm0#aNO5)mm@u1C|JMh)w^LHZ>IOE%iP7szA7vQOAP z7B6+ZE(Q~zd?lse;_zcSko0Qe$`eer)`sYenXN!?fNkOHn8S&n)7BT1y=q(AIIoT~ zB|6uk5^P(y8|MhsrRS6+9V?+MdJG=GWhRn!Bjbv4*6=)#Y?}d!Vv)v3GsxPBn`rYx ziFiIJ)kd%ky1-jNi~$dc9n)Bg$!1*(EYVCgjiSoiv7YioUknym#*z~ZG+kv7~S z8$Z&GH{1nws$f6HIORy_uS?WT+r|t!oTN=M{efYhpvV-Ps?_WLyTWRYyIhZJ8YnetGC@ zCWvu|r-ND`5bs5n1qBo?{-ku8eNN}wx(Z-QidP>Vle&emWS9LO>X0_lIPZAxWb5>% z`q?e^O~I9i>OeU%3F2j?sL}i+qmke3e8O~<4@bHeil5J28~$a*4vQ#$N5$Utr6Bv{ zP&Nu&R6}w+FGh!g48j6P@Fwh~s4yR-XUqQPWuekgGdGN?cncMpQB^(?+90W&WrXpC z>wt!<(ofw6FYW>lpTZxON21O}+`xpgwZPc{*YP>aS+y{syvKwp%F`9FB!l+EDoD_j z_aqd@+IZ@gkPk#4NGGT%L?JzY?}hFUQ1rk7VQnA>@s(^BH4q=>Iqx;W9F3eK52U*f zi3Zxr>6XKq9=R_rI)GoF ze4kmHXyLqz;7Os+-~m@Cf?V^ocv#>VcC6I`QQ&9AdGhu|>3ym!Hji0o^yujnUl9s~ z5nZrJh=S!ff^fQP+zf}F8d`K6~g=!t(1gK{xvj?>D zOKRsTshuBXPhK$+o9MF&i;k8{tGGrj(D-kmATbcuf839GI!Wla@d9}o=oQ%e_ja$jl5F@6w`yc{GqP}lGlWw1&%qRxf*Wn(C{Cou1;(hSL2i%B(}Eic z&hoo>D~V7*=ohF%J`qKp0Qwa74uHNUOhTkk>_daFFs^pC;2SMz>@cmo9z|b0%i;x` zlo&iIByn$3r4I>w_Z`54(*Bx|xqE}}HjE4GxkTi59N9oMq1R74H9+D%k22pNn3o7Z zih^c#6ms__7{5)C`YC+xt+`0NQzyPG;4-b%?FLB>HdO~UX{$NYgtB^GJ-QpOUU$lT zOfa6*`Cb<|iy+!`QoWQd6p{qIlq=9BU(xf-b|z8KfJ$oFx$8C2Mo*cxA>7E#rZr<{a_cN8 z8ms}KBx{5lPAm0@d(m`0-2etR7)^6QNyT-^5L7$TjAW3Yk2R2cxmL!Wb-ErbT8YjT zf7Y5WC5x}H)Krj<&Nla@*d!2(#WuRd`83_*3YqA+flv9!`)oBXp~s^TS0LJ6Pb0UX zTg~t5(m+b-vN(~si0}9~T8_=)!;}Jii-RI_=sw&OD!daL*6kISv%tQy6&Y>Y8a@D>!ME@oi4_F{u1A*WpBZgM}+j zw;1SB!HNIZniL=$ohtc*9KV*5iOZA>c=C z?^sMmZK4AkgQ-+9E}>?`ccZ3*KkufVCvHCZ=(RXVC7-_C5-gAu5D(gAKZs{qQpqyN zr7SNirlodZ?z;wDu1Bzb%m4%gUQR+zHl(Y$#_LbrScpT zu8}JECQOlKWQj1>p0E4>NR;$7pJ(|RWN75kzE8}|GD@jPSdl5ereWq$u)G!iOT&d| zpAE(Cg?VPb&T&#p%?Ak`I%v@|(`={;7ni)C;esspHIIv-aGb7V!YpG=xa)U1jLqa@ zSf!W~sqQyPj(<%@*V#f~xnIQf7l=!qKu}A=wjk9pwe;9Vd+;1Q54H4zz(oG)nk*EV3VH3fL-`Q?PFO%2DAC;_+b<9%O!rCMPg2)lypy zDCEoO%Mstqe#EmSHAw!WcdQR?t(uB}==?srncZ790N;E!B7=QdxMU9wpFDFcv{K8S zAhXz;_ufVxA}Mw^PVf)IX9HtZAj5n@+w+HGg0B1#^LecqEFFDA7ppg)(aw!g16Zh> z3>V;OW$*U!?b4pxOKSP&j=VuHi(BQB$pFexHV08f<}SJ`MEWy#o0)qUkdgzT`aY0l zPKrSn%XmH&Kf`_DFf~W&!>!SIOafE97aX-mxf%N8In9yQ)^=`VLh%Z);d?#+eQqkv zDQHWYn$2CAnwBP#l$m9Xwt{Uoqp7KGub=rM6@0Z^7x##u1*?PE2JjU7=9R5}aJhqbt*^uUZRMXx>`t&R@uTA~LoF@0r)XWT< zpAlVFr~v_BAg%`-1&+GpG~Jx0mKJ7dDhkK)X$xwnSGZ;2}dGli8mJUZ~B) znfn=bZkL|x_?>wj++{5&ipTnD8Y1R}2JVqG`%g@YQwKRI<>qTsqDwm$NJY{zJb;;) zf>XGCZXiN**-y2d;aXB0kepF9q#Tx0@HT9N1*jDkPnF77^7zNo^( z$uu!1NtP0OQhZ}kbSqhpM*#&6s0JM-Bb3bu55-HdF>p7c6tv@<$uYsa;VTlx{uC3AgZVdn)~j5D=khGXI{S%7>4Fz%YQ06`vb^UFYKM&{RmpDDj9 z5AQ9h&Zh^@l)lC%b(IOsp;qO)1e|lufBYSsM3=~5c1B%`lDJPYEQUZjqDP0ff?K!( zNWJKrf1gJ6g^GLNt90tvBx<_yJ&rG_PCNkri&9EIqhBiYAP{KJhH%qpU=G8{_OUQo z9PP=xVq2Lk=|hN{#Gch4S2x!c}f(3h{V z-Op0xf&sVDBLj00{N)Wuu)7{5y1Ifp!nvUnR*zTiQSbH#QW zD-yeC^Ql~o?1E&#Ml#Udhp^POG)Mi6#xmC=h(mKA4T}=XPnZuUSc-6V=+=OEbx!ySh|n6m7$&#Y8Bn(2B&Jg~`e zyY7sMIcE}=XP76lArmUeK|T4GCZRA_mm1k&96-^W^J8{|?V`^1qro>0k)=?)Vml$i zTeHHC_$kbnLQgj2o8m=h&w&BPGQe|PE`>hs#e3%3y~X75bDfg5Y!NQz@HT9f3mKfu zPvDPZAX~R8e^~8o# z_!$A1r7u#O@K2sRl1HVG@sLYdn2yL7l7qPMbJRc(5G%>Y?4`hDBw{nJPkR#F^^funP<^Z=1{)A^9gyZ z5O^;!uoOve@+axS_}n6!sdv|HBR6T}Yn$ImWabEwGcI?6V%7LesOvQ*L0gfFsHVbl zGX!tKHsY7lb<^#4Vt1sUeQb2G zFfgzkRb?Q%KG2>9@+`}xjEY?-SuO#;c{~>gh}THLB2wP7!gx==L)U|B;sPzW(amAw zX$4C2xmEc(E5KgjZ~kyD*CdrTmj33u-rBsIjYA0zjn2>#i8Qp3QPMYdC(1IPamxc_ zV^qRVa+VZSOXnM#IP)Ma^;yIB%*O`iMs3?Ru0SF#V&aY(Yx#KCC@HCt$y=!QQ*45Q>k0hh^*aC5}jf@O7!z*mz08MQxS&C$Hk|~e? z%oWJWY)`^jfCke23N!nYG4_>ao4vRXo}mNS*Jn{iT7kp2lnPYx__f`q zfl6cDwQ&;_PsDS`M4l_&7Dz^XjCWXKd~)$N$jcPgk#5+HUk49{t4>d+HGCHml5Gn!=o#XQ3~C0;fa^gIvu)N>ZeCB;0RVUt*t`YIB8sE}NOFzb zPfs^CHcR4an)Hin)*aS82&ZWtX*%?NsN8ggakQfY+rOYjXsn}|zClexm^m8I&Wtv! z_(=!C?oG`291Q>`K@%4Od8p&3f_)ENI#MXl%(OiobQ*n&O_CV^lcttP$@*TWhZnb* zYb?wIDH*i@^8?z`+|z ztNdYUl{1%ILw#tUN^i5>m{|N6xx0BY-(lr5E!AYYH;SJ+F%9n^6FfKYX6j*$ys%M8 zVL;)fPfBn)_bX>f;)+tmNJ@9@fuFcc%C>+f&l*ER%<+KEgM3he43`vk890JXDh-F(bwT&q(i>UN%Fp32fjYiBdZMBs;< z96R}+Q5;1&X4#Y`BP(U=5hw0Mus>JG>dopajvcj&@^Uyfu^m+ zIB>wi8{KHMSXn}jvfl2SxnFcz0QAh)3=JU*>o(TXU7s2|1I7__kDYo<9HCrM;oj0Q?@(QO_5sJ*eq?X= zK-@~0TQ;Dw&k;3{odz#x=UK}xyIAuZvMn*78O(KwRllHMCSQ&B7lZ;`*xifn66t=} z8ybZz>&Y>LY>cl+^U})i==uokzF$d))jlNXIB`SxYdd%LEXfmfc49wrY3KKNJQ>P- zpTWp>i>>1=_cbIX@Die?a;>Sxm1eq>G|Q#PY@vokdK}*dNE=kQ5T^{r?gy4e@C>IQJa-xpMT{z4LI!XTS|U9* zLg7mqx!8OQ-LVzkNT+Y!`7QHG!p0Y(*B{y<{whGV47bnLbAV*JeiB%BaYOjlE;C3c zQt!$Z01sZ!a1WZW7V+8a>)_bOBePu- z0B^WZmJ5{<8oAC~o~S&4SBz%Z64!@0Tj%)2Zk9V;1QMae=k3Y%9X@Sd_EpU_K=szE=^>fae0;aevw&M5)b=15BXnvf<>jw8wpSs)&Puf z%*!;q99$y-I9ZIcf)`0FMrQzYUl)ZSKwFp#_m_zfdyZ*mPX#kcrw_2N~i?1hg zh9rQ$*cJ1`S?(gHRp1WlaB_a_%y2VA8zRk7h=JC&;GsrIurnR^HQXmXi?ZZRrk*M2 zSyzspnXirP6E%9{J2bDyCj@{$Cf`g30*-Wzg`+~Qlrf}_U13`}&@O%tHS$UHtcFuI zo0gm=1L=K~&nRo@+#WYoNAiqov~=3^kqGaA0wWS?dxexq+sRN8>p2j4jaotumSm$t zG>DhtnWV4f_tm$sN%#ZumDpq^*HT9)6KZCZv6&F;h8u&h=llrsBLkM#AE_V^yD9uM zy%r7SzD+Hy(adOLJ{rR_Jz6}D)y*rAWL^mHWbcP#apJW9w^2XXoxIV&tRc1DnNu%iB z@I{csHrThJ8MbGFk~wyl^aYtujb`pl<93u1OV`bWgAi`)7Z`PqRtLeII&Pw#Ax7>? z19^&y7{Ak->LSyljnP&nJDdBXtSgO{%sa;79nvpSp{GB-rTcX8O2;S*-o@NPC$}{> zM;cq1DMnP!a3yFO(=viBa;(Y5uWRKmkzy23OK`P;fmQ!hl|g*5W{z*@EnX|Fh|dAyMQ_O` zDO-%b@IWM)c~WaH;w+QGApS>Q=UGQjAMTE!f?%7+U>oiLCjs}zVP^wqBy(6cj;FZ6 zMyisS*Hj|jE}GMz`jd)HfX^l>S-3L*b%=Ko z!F--8^P*}!l@{FE^`7%)=^$k)m>#6Rk)D*ErOXX|!s+5dLE9Mtw=z`SDWCDdc!NnOm!yYcL;9WcBtR z&8y5ujSvec6KU-h@m!ex9cr=+}7;M5rB(k3!_}G zWn-|~KnpwCd;YHYQnkwo)2-VzEA(8zlj8_m2~ zR@Rc%{H+bY8+t@zGtt~Ar}A8ywxY=@P1MY8WUimq@m)_DIDj*4&?Dw|bmn|kH>0gR z%eY=gokY>@j|`CBQeSUm^~D32L#d#}5^ia+f5xn~Y3GDnn0HH!Q)h(V>zQaS%B0Hh z>|hkS@KUO#u_-1Hi>R228#a?D_6RXCeI(%30!KZG6 zFc_0Dz?RC=2f2D3dxToW)X-gzuKS7mO4l8BOk|m66U2M6hM7g0p|soq-Nt;0#(!{X zN=$G`Iy^ZzMAFeirP@CZ4JbS`!2GB2sawXP%=XWVKXBYJnkm&fs%Xf>X6Sz68@l3R z;E@;zE75dg4M#?oOgC9(-T7PrBJo5*(t;yyq&$BY;)cQxfs{FGs~W#i9+p! z$89;nQ#A7T=Cd|eW-4=x;a1XecCvIX$V4gtdiOz~KNY7mtaS7qUtUe}4n!f21Iu!CGrClU69BeLE$Sl^RNhIij4BCTvE zuJZn|=WK08u~|ob0C3*>;8ixsAwW&ZC;Ytdt7H(*t+AsXBmR+;7u543PTX03edx|! zP{{gqFNR^sE&MgzZjEd;ud_0T?9%5_0y9QO8=PZV*0DCxxG0eqT;R#AjEj)!7@yv_ zRnNU;$K?>Sw2YuryG};Gv}98}(^+EStJWd91lE_uq@Erop6x3qBX$a`G&O-Bnm!R( z%+yWFD;Q`YrCXv6(j40amMl_ysNpp}JM>w)@$Mm$-wNNU3`V{h6lssCNWEae%R`we zsqf?wfifiY#~)xlRSh&ip8XIG`CfS5KHf5g{iZ9o_(8ydaWWm^g|eAA(2eMFYLj50 z{QM|7z2JF#7pgY@$w_IhJq&Z!Q2HfkK^Lf_hlBUiQo|;eW74Ro02S4iYXt!(;E1J& zP3rg-R})qkgP#^mmN7(dHydZMu=0Cl`AOuoE5GNK3`L%&i<5n-Ak5RG;50w<8bi6oK; z(F77DG8i-{C`eFHP}HbFv4Vo&RHs-`v1-Ms;#9HDLtCu2b*yO7+G?v-TWxJCwzjp^ zw$|FJPqp72?9;dFUC$rC_xInozL&K^l9My;eedbM@9Vml=XW0Fy0M%$Qu%G<_uk%@ zTh&ZtYr0mWVQRw5pb3Hp>O(-C2Xnn6JyPZc?h!ENx{ilKzQ<_KH0{WceSyGoO6Rs* zH2f;JFNj1=vO@Vbp?bsEV0{4$%3sF7!f#PgTM6?aHzP!}^H%P;_{!pV-Q{GZ0dh!W z6KckiXPxs}TX2MP3pZHCKBwPtbKI;H1=AumuQVuP)M+gH0DDzWjLZO4i?H+I7lS0+ zk1R|ljX}93`XFhIhwD2ka?*s@irP_Q4KJEPYhdj*NqyB7u5PcwUu&ZrIMQ+%)F)5nPd~nV!3PMm4AlNR98Q2 zn)!;?Bj&kY(!CId67;X?VXC9V0=>n3$SND?2c3)8u92Xb<~0)IcM#WkAcZ7B>ibuy zck~#Dl7x&YeZ`Bl{X(rr7<~ujw_@G*PgY1au8>%J63=emJFa5p6LCfTQRvbmHCp|c z@>=gsEI{s@>jmWmP4+QPHH7KUf9)BpKj7TP-3&=g%5D}9K`e+oqdW-+d)4YtV?HY5 zI(OGj>AmemSA%q4*jx|nQ)9_lZe%%B zwYX1OImXqe-0h1+3ChDU+BFlTlg7e8BK~MjB=(FzdXMP{qi&|y)SLXEoF44_)n&vU zWj5R&w>@0>W9fm_&A+H3BS|K=MXw6(ugp{0%j|`nx!Q4h%ib7nX9rB9D@Vryw5YaP zHPHn?i%~iA>`kn5o@Xph&0cJX3d3!BmugEm`&fXRsP~#P`-_RYm{?UQ#WS+?d;b)> z)<;5-GFEmDvt7Hgi+Zz6=ne@&m9Z15W2Zm_)yH!i!o+b6l~VKTrdJchGQ*|_*JJI* z2(Tu@O(iku%9Y&ESjyHZ&0i%cM;LUkc49u##AHkP7^bhlwe8m=vO_)4Y3fS46?SEZ zE1hB5UzKS+nBnRz3NDqPa@Bw_&Nbd8suh$S!@8JpnLy_8?hs8eo5ZX|UTsN&CYEun z3S^&UY>pYo7|Qg)kF#zdzhmvN`rYuH&JopH$=#@yKdshi%Pr&~9%a`^Wo-xZxIpXn z;Fc=)01s%abN%9!-(^77)20ZSw`P)ZW2HC*pR1p%8?A6|S2n5YC$xTnv(N3}`Vd8h z*ITo-n`muIw>0BaoS>FOE2d1Sta(_XS`(%>@drju;Adt!4X3i%1HZ=I^Xl`AYat>emozkW@o$XLD%YG1)#~tYs=XL37 ziR$)D{MM3<><6OFIKECsT5i>FD}|hXlGXxoYIs?-7o<>?r{cJ?dKFg_K59JlKVHtA zs!N+CofNA-jSJ1o>ivZ(PsPjyQqOqhW1IS3FjM1QWsk=vP6jGJ?oF<< z6=+J!eDbzZo!|5X;Gwx;AcxqODicIA2lW z4u2NU8#7RKA^-)ltI^uurOD__}IM z@y!f;7ghS5N^hfV-Gl*53zORNBilf_`lFD_&!d&+S=IVDW`wObBj60?Z6=@TMsiep z%-IUhFw)ES)M{B}BPH~AKgzsIA53;-`zkYFMH4>sUli*?} z5$Qu(i6-YALM^)p7Cfq#R%G!u!?(6iiZBeTqfGf7RU1k z9nT>)QBy+1auxToEbDj0*1noH;}#H3Y%wzDa@wRgvg9aCTZO*bWr>W6W)sfwGXi-7 z&4+&C&<$R_9>go$7l3B*JtQ^vs>tJ7)V}?yW0~4~EmlqY7EjG~fSt6$+)CFc5r2rM zgQn#MjeP*p2%3Q)b26W+Q+vahNKFziFsb;1+A+KmUv~ltG9RJ;(=&!Bg?r3E^J$3? zMLOA9NQmYI{E}_S*3Ic!1j&~PxS6cWT}YDe4B+a5?URR!^Y~eqwM}K}AZd57V;(B~ zRAkS*!SpdtDYPBNYaN*=B>-#qR8kB!#XMi%Y!umd@yDt$%9e4n4n*Un#D%}ZJ$-=~ zNHvAUa28I`WS+(aYY?B313X0)%pS-GWQ9^ZKGYl%fRJ)*rnSnm2Lm8?@+D|1%756qO@FC3`+RX4>eV#j!ExV0ST>&xv5<=hmyukqv6o{*MA zCN=kNjuxJu9maCQH8g6n3sKSnjz*{JVLef;q2!5Q55; zq6U)GK?AyGEH@48Sef*KGF9nQf{R$4Q@}kQE%w&VgrsXzC8wOCQRUW%(_CMPtDbyf zEcnD&@mQS~OgOn*PLuDJO@xD%6ZheKLe|zYtyNom^hy z8982kWr;2{6s=c(&3eqAA3L|LsgfI>fhK9A>%CjBiV<-Mvru2jQQ3hI=f})O`yLVJ zPTLIJy+R4&X8L%KLdX!W7l$#BtZO|w4#z{r^oC?+PvS0q4f85VQf&{eyTMOo=HpM8 z<9rE;m<4H#eTmI{vqTUfgYTgk1z8*Bo+fXmI!d7}i%{#rmEUQbcN=!a zE8`SG2=l=71oHJ!AMNs$u6H!CY$+e>8YFNn5jhEztyRXm8HE{3+2ISF~R4=@@ zU-&7k1tP^`C-^Z${{Xi@Ea&MdVRL&Xk)O~5;5Fc<9bfK^ZI5ENpVEKrc03P2TOh{# zciwpWHT^l9-dO*AoBd!U0LS>F->?b+KY{-!|MsWPIMF)+*k{^r#1BaFLzdbfYy5-> z&ph2T*1z44Re{te|J^-3NqYf6JiPsI2#EWUMeP@CKf3+K{_DWMO5!OVYJeZw1lXyO zUjNzr+Y(~Elc6-H0KUl&a+=nDV0*dx%lf}Z(ElptzjthZoLJ9D|9-F$GU_3o?ls3c zE2sG{QwEcwe-@Jebav{iS|kdNKX5{P-;(a-ud5ZuKh0CtHS#a z6Y;~sASfUCi_{4p{_UssXZk1n&Cdc>@mCf4E2B?)+W*ty2hYyG4Wk_t)NT)c;{oIH z|Ms^n)I!Dh%>;_@|EF#FZ3Cb&fFJXp=qU`U-9QuI4$A+_8xC>8vD2Pf@xP7YFVk;# zj6?NRC&X3&ya|e@-JYJF$`2rW=I_%#z0ao>)Bb>d!}0@{o<6p}H2f}fXfkDf7rGxx z*KP?<3&HP7_t)domiKROx*zZG7uKM?RZR3&PnuBK-lp1*fBL<>iorhrQx*F!`}Cac z4I7XJPwmft_4X}bQxLnU@f*0`2OkTFh06A;0?_X1o&R;wDSi;yUmkg{zu`l(dD>yKcgAISYc~4?E@*N;Uf&Jotd-~C_ z|J&31hxh;O>7T|u|F@_Azo)1Fk9hUPZJ582)sMd|9Gx(?6ImIJ! zE@jtIO)uL}KwHF72Y_I= z(omcO--emHA&7gytelxohY=-?Z%^C9Yj7$YJ(8+$o@j;Kbp2sxB0ohuix-*=NVI_T z4i3c=%|BxWOn7RHGpXt+4w~6zDTlK-;PSiR1aB%g^d zKb6dOZXn&Uk#-l{;tO#DVFvsZR*cPLkSrFkvXMvzYWMZG<6#ldK0^i!GV_H!6}ft& z2%wIJ02We1&P;eaa(EJ-k93d?&DSs;d4o6*q^b0WizXu`%9(|&07hoo@MCh*xycOc zzD0DnCQ*DHso3>6LgB|X3vXC5v6{WD{|ISVYhnr0O6)`l_zSy;_@6AJ*pBon9s#MO zz9qW48$O*=>rN&&oXe?FukgfDDiVgrhK5*%;!BRVBoL!c*F>HPcNRlxG*Lm)UHN>m z5`-K5={P$yZgHIG(}dxz*o5=x7Lt$O@aOxAwP!GP)XrwQ-AwT)_=s`^ewXcz;|UK( z8Z&^M8;t&Eb9MkxWzIyITTv!O^`*GKvraa?e1iVWExCIlSj={!2EbC6>=^vyW}UmE z5P_4JD0~WAX+PIXRXpV}B-_wzz-3SJ=6;U>b{dnr53^aXNw8|W=9&CKAp$&Hs&bH%{1&1d{Oi39?c7S|Aw%57j z?(emoCMr*g2|2q(EZ(X}e!ywu#$o`Lw|?uVLA zcLVuTbSE?ZLN|O7ryC8L4EJhAq}`$F_$NXq3>of4wK9SXVc*j&XH!LOIs~6p&Kq9)@?WZT=SX-nfH4_q|4-??Wzg{!6iycG{zm;Fq?w8rl+8(+Ow(Yc7NNQmQ z!1v8@iEa|h_jIT7@y!P)2g5M7z@34Eo-Y^Ta^l$1G}M&YcZ25yeHN$FENoej((C}gS54> zdM6(0JXWW4%h@Pff_pZJtRJraF@*WrH}S%bx?ub^7~3$0_hnH&I~63amAE4`JHYh3 z2-(;S-?YwgM9!4?=F<(L4UeXw!sxb~`(4Qt{1P=9>u^0)x|(r^h8wEKEM5mk4`ZGy z=_64ko_r+s=7y_Y`d%O1MRi{cR?(IOrQ>o8oJsU zIEpzeMET$O=}eq!A)e8kL0-ze)}j)Zd3x}I{)3VvOg~@}_4fc$Glea1&DQRgF$VK# zz;f$PpW9uiDaNd48(bs0ko0qAs1=*ssWT1H6nV5H!#1GzIu)J0)cR|1LKA6K7MGS zc%ImeYw62OS6f&c)ej(gIuyK?nK)TjNk}xG>F&zJHTy^$E+x+~8d{23fD}hDodClY zojDYNv@8Cc?*N1=EnAQAK89m7qzn(Xfz;?MKo}-zG8r4c1J2mrtUe{ed>})VNx5r3IU&4(mvp5xWfNm&d^DOb&@UBC_T9*` z6@S3=%Fbhw@1MY$!d%-oe0f7UV>4#~C|>&`!P$Gqi=o;t6*vOO_?Z3&UZDM$Ib^H& zjQG1YS0VOQxfP%(p)%~H<`{{8RD;i+5U`j0A{8XOwq4X!$++i$sQz4V_Tjb*5GBYB z2kIIio}#?SaHC{2tK}n{41>R|byd@WnVpq_%zaHCZy5wF;ut_Vv#(kf@lj-FffbP` zcO$XdwqJOLiKxwExD5lDP@PL|Sj6FslvX;+DJ!iLuNPDXfQ8+`9o(~Vy6baNEL2F% zhKjCO$G1QlflFi3mdmi|{sio8=qw~ys>OG-$%-s3GENpRwbkH3tL9Q0=K1kLX5k|t z45vE7Af`S%SQC?%g-{~wf4u1nAsm&f0CDH3oy+ZHZTlPAE~jJd-bAKV?C)|xW=YBy zRhw}K@pYQ2MjXDQ2@?aI?`zk}=?g->qh6MIn&8;%1g5^Q2@J2dYaoR81sls(*_8NT z!z_G1=Pe283G#0}nbH27_zoq#5gun5&b!1J&Z!L>fqp{;`q9dlW2#Q_$@~!}(G@0+ z-Wr6vH@5-4P@F<%@g~L#i1~rBpc2Qdv>fF-t44ElH(>R%lpDjFrPeMAeY}402JDsy zVJXw^Kjsz(=NMsXWSk~s6m|k^N@k{rXbu)_-(XYvdUWAeq0~}TH4p+iA`)w~k3mx& z56`Se?#m#4ss#p>Uvnlix=-ao>9`|I-DmVP9wRKoBYdu-$;Km&CqXWWZ;rNqX!a7{ zC9uf{L}jX!i3E=@H$*c1Kp8--&}p7$4yI?It;e*zG9EEY_EDwqOC zy+jj(N8mS`vhfHQv=X0fp2G6@cjHR;B`j#N$pZH<1w3*uvzw51 zl95+2=kYWMrxm#7W|qkHPIAg~upv%2U2Y?c5wbzz8{&K(u>;AZcH3Cs7twdrB?bE< zEv2|8GnDCI+XmAu^ZgJ!m8LUM{Cci~g2})gw1zOIL*ipG&zI&~iKjtPGhvnw>03Bb z?1VdC=*CCmEsk#y?U9`fYbX&fX#O5g(5LzboYqh7cEwfVRiB227pH=a8;HvH?ESs! z_kv+eH?+((l@Tn|A99Y<2xMT9*`JCDG#h8m;Q4#8YXUyD;WJpo753FH%-W4DgMrwD z0&^?wnRQrlx$)Mvvcr-KYe~H20GN8Tv5^^VxevqN0qO*mY?vT-fD-5XC|8J?uqujk zLx&F8whNgMU8o|9#|NJHYOJOJou0#!SDk0_g?Y}c-cF3(qVN|vna2!u8a-XOr84eX zi1H`4>VfODYQ2mkF_eE3YPdH29odCf@erHVGlE&m6%lQ35tvB%V@#y0*8Q*SGtLE6 zsglb$QD*%n=+-oB zNFUvx#)oaucsZYc_e*nkg({ps_R6_N#r!1c_glxd4~zddNy2TV(~ERWx~{mqqH=HuTSTZ z{+1_$?@^us9Rd8BcCZgsk$Aiq(!~2Q9&KB)-^;)^baIV1FT@q$Fu{$r-OxAdzhdL9 z%O#GN1FCw6Z|A}MC~_4h<;;j|3Q~{51DTG@0>&UlIk%CO&ZA9x0FmzbRWn%I%(B+9 z>!@K9Fg>_Px1u^Jenwbt{z(Fo?RE5X$D<(EL&0g~0|c0DxnFbrlKms?>}k|@Bvtz1 zx-Y}I+j9O_t&RAYwmLC~>8#IIey5_Xe1x-4UKG;(K)90N=9h^*Ya$@8rxbPoE#?%= zIHteh|H}W$bS4?(H~dkt$pwvEXnTMJLXua)_#0vW;4KA5b(DWy z|5Q5S=_Y2i9LfG$1fkt+1FnhNir z*&aPv`?WbeImhkeJwwv}K)pgU70zBXE85pfnUm1cD=hEppQR+fm)I&9kngVJ2aRZ` zQw^DTp)O+h96Db%ahc}Ufl(E2-3^Scde;)9sXag9v?ls`!|A~3w_AF% zGauXyiuK8?GO;eQTBfUy-zV#^q}wmDxQ3PDnYhkxZ3>9Q`33d*7rQmo;WeW-pE0bj zxpAiBrg^&e;(_UyMViht#Zq;JB$vzdJp-?%onues*CeecH|kzRbh z^V=wFahH>!0~T9`Mvn@xo{8^yoO!>?M~jm_>=Cvk`J?;+OFDi$^tmPatFfET*{{`n zb*}66c^y9J_TjPtOH;nxv?8zL_j^v}b^q~5z=w%<-|g9&`s>gez0!WW_FVt;N4HP* z&v^1jKz71`A{ZaoOjQ&!7FW!5}-6wa&%7VUy?+hGpdGyzp z2IMz}uNpYOeKWVPsI;yy`Qy=BSFuCz@xnozuh}8=g+SmGNFZkap=1>T_U>FJiM46TYI%OV$jr^t6Czaf4(nb_{_ww zJ{dlTF0MoF=L^?(w_Pn;U;E8f(@Q?p+Oc%;HmAJfGW&DVt&N6H%6DwtRx)zk(0%G>_L8qZ zede`R!)N37U;cPuh4k}nr^92fXMHm0;4S;v$|KHREzHq0-x>L_b3I!p7;!|PBI_r6+tC9SCE$^9lu0=p0FdTR2pJ}SkO6ZgeFQ&wh6 zS5NVcz4?648PcvN(n4o^8ycDDdofgK^XR{rx~XB%#%bTK8d$IYu5=0xoLETba%4-# z%Oty^Nl>}%(4I_-1LU&@a?asO_9ZFv40r^DW=3SHgh?LNQ8z+K@@@L9JbfIb+J)hHmwVIo6&5EKBPV+xNMt9UJ;G@}T(>uHhSXzIoSb)xClOPY2JP%=bJSbb8LJ zO?{IO?8iYPuKnzaJQcrMJ5GM=z$QtR82ZK3jd$yEC7k=j2pQ`Djik39S{C;W$?V1s zp=+BL%?m47Lu+#iA1thk$XY<>zxmFKfl6WATb`N!s`_qy-P<+C3j>eT^cJR^oVTiV z=)DmahAhy|l8s!bTRJtWUcYwg$Q0DHMmIbD_K353!{WDp{YT(W21$z$fu2zLH1xL& z#-^W#7&hHWD@pt8=6X_eBDpBx{88FJQX+&)G{sx}w2a?kRJQ{R@3cS>-#!j|{f9^VkHwhpFGhKLF+$jY#V|dTA)qr(^_PYJ z@86WhP>gc|`D_0aUiu%xQnY1TGnUCavazV;vDt+^`S^#FO9pn zO@_4zZ}fsamP=3%T}2KP7&{txis6WDdL|H!#(`)xjvIV&wKN&cz-$IU;qb#|xDJjAh245A$3*Iu!U-^4B!$UhBYcd*f#HGvTfxjrWCU7- z6_FUeMH%%ZGBOm!)bGdHOdnLwloJJ#vo0iMeN1Ec#cjQS#KAlPlHRae>Qdl9sa}Eu zqnS|Dy?%dr7*x-m2{OEL)?d|sbCA1xc_%)t=-WZ6{egyyr=X%AwZcCCgG%_12Jjl@EBk@^1%i7U zj1YsRKW8vOz%|~3$WS;KLo~c}@IvtN6Ol*4D~^S!OpkW^K!zS*8ovedhnRm%nId6- z|DU19zd!w)p;{9Z{~tEPUWWt5Zh<%YbI2b7e;m&^9tmwD6kfp@KZpFBK@>QYN~44B zg>(tU!N)-tBAQ811pN_^inY>!5FD5giaWu9_d;Or5F9rePVq+woF*Li{W$~PGyVuT zn{oUk{0BAQlS~+BSx6&c-w#8T8xlq@L3Sos?2qNauD2Y)- z(=u>emQ4Z2zf?7a?a9=J?}Dqq_bI3lN65-h8SWcirh|Qw2u&`86DL65p^mrUX}nzyB|l_8)EO;tN6it{eZw z)qU%9z?xYSXnB6kv48S)|5MKEX=oJaxgqw+M@9Q}wER&|oGgR+xR4y{7ZZER;jIQK zx^TbfSPzRZPT|ix!}%zluZa7%28`8cpNb;eLxScZya`$1Wx=L)ojR0kj|Zc+I?NxS z_DJSHI>%guP^=NOeUS~9rv=L(G;8U^1BE&-2P8kejO;k`pR#q#%y!v2l*~UX*rXPt z{aGaKkz{>>{K|FdKOtnHb;A3|Cgh`J>-*?$1v?9mbI^3hT#59Va#sXd;hgJUXB{JP z&Y?nRd&W`WTBpw+s&(xHxAJ)BDALdAYnM-yfh?OKzyi!Z7a?2eEvqH~q~--6E=AoO z8e}E`p(%b*wUo)IYods{*;L4CNtRl=@Zm0LRh4BDxdLAtB?0Vj?iY}S^`xBjcD1DA zBka{OD-w6|vlG*(Ij;q%cab&kb^x{I0eo!-vher8Z2O=jp%30;>`VK2CR4@6fyg~e z94LK->_yV?p1QM%a$||JFWl&h64xx&s_=)9eK{n_+3fa$_M_P=@hd=jsMQW{&Ful< zrkunY;&nbN?d{n)3N-AYej2GdH;5!X{q!`3Tx)Ulpi%ZAlHA>-XK_>ASvbXhU%!Va!*(^gJy4hm+K3|UC3Hvj!ntNM za=*`BKqJp}1(oF4L@p%py-^Z>+gn9%+cTkPbB-{4CbGk4OHghPdICy~{RXA*{R#wd zMIb}kEr)?cUU$-YAiKe zm78DWkaeew8k)bo*+_HRWApYi+}+oo2IqAaqFzI?y2!criFQjcKoOCh%%V4ujr|mL z@g~635 zP<@&;=|k*3x&2azVp0Ww_b-KztK6G%%XolDqGV$V0fpzpu7<&cI}yyM*guwwi|GKa ztK!xelFeNSrqNnkC{c6Uf_39UAf|4ascCZ*WAkf)_8$@U(U&X*f?4^kf-ZB{(T?;! zve_z8S6m8MTFoNCPP+-iP4ZCGjp=TehvN10dyI|5oPjpv0L?JpfVv66Ts())X$P>m z+sxCkGmu8oT3R*jkX<7YU!lqLJCf`Hjb-}+h4|!YegK!snte!Y;{|BM@D>H^9o)wX zc%O%4AW$eo+3S$Cm^IfSsl{UcL?X3VbFUza`8Ng8Sw29P;$Klx^A=#`fXdOi%veIlACT*l#~vh^=ei#3r>Yx?`yX!+`q8(D2YsDxyC*AeJq6aNOv1o zV8w;YsC#l}lvRs;r}?AyXbG}7p8?(Z_7CIDs~P$`KU>piPLx2NgW(Qa_X(|ZPvHCW zk5kT~Ki43Pf}<8=Y8(sx8R+rlbVvTVpYAh7vV`bR-#Jxa_I!nmah z^sc&^9qjk`K&D1JTf9H#`LDbV!|7n|3qXuQ&OuQe;(iFmain|tON6^kAZz2U!5G-K z00ivS^MXlC+w+msra!!`m$PyIi>iCYNgmy)iReP*XWO+$BU&d_-*7Wo5AHh;r%USa4{QiiRIL&Bc;#pIw!afp1EG&pq zJtL4Y;#A?NrO}=6%Z93hJU$XveE|<-G`C7NP}0Cz@y-i0E~u8y&9h z%|Tgi7vgij6(%{q)z{KVnvCf+$o4_ON`#A1NMcRZ=Z+roa2R|2=^bC&e+&_;b&ENF z3!B7tE33wMw%`J5Nk^a@<)8(X)!3BJx%Ti|{3Yx`mf6^biW9?}U;8sWlzpiqjRk9F zv`iR0Ja7vryB@!amkyq;!QqL$xD71GhI=ZePff zRmvV3cA({uRvMOa!ngn)n7@QZT5m-ewnu>qdv(5)nL`g^oH%$@%Ekg@`P$=@#r8-R zc4ww*=rYqG`pX1Fr*n;*)F4&O;hnE``L7%hNWngLC-(p(_!I%Jw5PXz2+=tkfKkw{ zka~_e;!t{A0LgW(9A-r2r&cMQpWsgT)%2Cfxs;DKxMaeQe3tVfZ{k<}oi@UEbS{N? zZ?&=uDM`T25As0ZI}droG$vtlRwrcfQME85=L4k7h{eUc8SJd^kZ~lkSQbM@fc+J$ zOrX{*nA7CdAhF)F3tNR)VFxYWO4z!G&v+HMd-@PeLO}@KklP{WQ>OmYh8WY^iY7PX zp$ml%oZX?{L3Z^r%I8~~QB|JuHJNV`KA!h4q~X2dG~poQ#9=fr*!R1b46PWJqR7 zYeQPxQ^#FcVcmgX$_a++M6{ncLmCzEaIiRx|ApCX(>i=ueMLsbSmxjixV$bx zMl_Zgsz2pV3D^H6D7SOUb0NkOl6aw+B&MIn;%5AtpoM88t~AXzHhnB~xVqWwMV?`K zaVTvbS?Z~Tgf$^0nwe{hzMIL%ryoT39Uy?-Y$D^ctU-ER_72DM*fNoc5LVGre$9Ow zF=nntmV6RZl!$M}iwua!_&MYUXF3CLEnLXmWtDg}{ANy-iWZt5BjaI+nVa0lO%kq!v2hjyM3gu32(mVAf0WxlCE-4gqv6x(6baG9%!FI2CTksRlCjoS2E zqAyK%g$1<(Z;SI9O}Vq$-B;U}g--C+Nb0b>gfVHTOhfF~#hnlQN%IqD3X8reMpXe^ zstonJv%+yBi0pGlQ^E5Ey+pK53Ds&la1d5HSa3z=bW;Jl?Ol<$1~$JKP2A#H?ewrj z0zJ{;_Mb)&XSG?2?8lM*4vn!-1a0y{U9OZ=Z9NWM&vDe$j2w^0{1-X;F4fkOg9p^# z11tZ1Ga%}`HxodBUX1iPaHmWwD~<AC+ueDz$&D z@<`QE)-E95%dB8;3vhn>`KR{xf;O3*;U3rO{v8Au6dKxAt&Ml;0jJQ_m<$n ztG*Uzn;QdkH41x$WLiJGO{bSTo798k{Fk)NnuOed%V$y0(K&cA&a@B4^eUr8mAW|2 zdyGFszw##sP1^+2sxLu0owJ`9f)fm-!FV{|UnI1{D$$;WoVB=va*_hSVc#3*oF>HJ zMaH-Mhw){Z;~4ux5MqMZ^VF=7$T?An5zd%LqCyCj;v0Zh=9JTd-5HkE2lDK(nEB3Z zffak0*8++^yKEN6C{+A8GfF#DfemRQu&a%6cQ>q1n0AIbTA7p)nHk7B8PTtqjOJnx zH95e%!}t;f(?K!}7Bhpi;|#>XMFrE=Ve^sTfVBY)RDGn_@S1gJu+urE$-J5C4E8KzeaG?Bh({sO666~OpgkO&JU;UNg#!zoT-vIhn$>JU7p6b>a< zz5<_z!G>6&r1~%tI@*0`dT(U07zZjuPDD% zG%cZ6az7Xc4g3UPg3?MyxK740{gE>Vss)(xvK=!EM9a8bFRk z)mNtdkm&MdS`(o{Rv z#5F>qeF`#sYO&vBxdFiqQfnG+GsC%(5Z5!`ujAHpR*^~U4dqs2O+@a3^6n@}c~sn5?A8!G*@39b`8(Ra#Hh{)K_g8AMbAYx z!a4{$SF(}KlgLD0wrQgbdUtUvboPHhu$R>yO!j}@4%dGMiJxhccT&rY_c(x~VI|1+Br8MP3kJw)Q~wL0G&erUT4Ay%)CrCRIL$q1_NC$FG3oiUl-w z6M6Fwh~!vinMWfVqb-wBy|oHiOf4LcDr!RwrEy0uoLNDZTEaCZ-HA|0)>ntKbe8b4 z>5!d&q{(#*q9q3zSGG7+<9PgrxgL4CU{l)|V5Ihp0mQG_8|X>aL>pHa13cxH2Ssy` zpt>m~U9ADw_zPZ{ITl-z47yI-hoD`XK&G?=^HET3oHUGA+to7NZwfvZH_-EzH%%?UzKQ6X`WiVWy}Ot!5c^+f zwSEyOTA+gKkXR0j>n29*tK(GmpOEO{qwoRy0wiYfmq2LC3bkUy_MU!;GRHu)v=2@U zr`5L1!qasRSpy!$`m&73dz-(p32s=#l!9!>kZQIwNxBFg~hFUV?oS;k%0Jx(@NaF&E~FG31o&NjcivggCL z5Zw9lDeb}tQs8?wvjfV^M!p5qz>Sreb7j7Im<;b@e9vn%6&J~~zJ&nfZ!rIkR6-ol z`=%DaYG4cUJtvrSqcxD_q#CIKWu~py1q%#kf;!8DoL8}ls)y}GTxhIUfJC$h~gsXlx_p zekCF=0)-LZEZp7J#kLfGr7VbIiZnMk6zZYrP)*w2akeM_v6 zVfZL}sPMqE&}QKK=e`0ncMGCRw@w5Bp=K4v<5G}uoqD{IuQkkqUc zN!9CRc#la8-Y`+MO+#z48#Si%M*$6~_714+P-ddsQG=X$)+71`m!_|wA=>;RYH(|e zy3WziJR3^6f!e}Z%nz>FLWb^fcvGU=BE*p7^3j5-^q@ghx=7VCc&c#1;Xo)paWoKE zt4RoW9S2|DoRx~Rza!ZA%B&pZ-s`-D9^}fj+IW&j`iNcmNb@(0IF$sX2N1u9fMN6LJPJKtH4pq5ggFtZ@1 z!n8wS*5Otb`o!l@>p&PaZ%SG=n{L=mP4Smg=%L5J=#k-Mr1*__0fGgl zL786|*)+g)g!&Ajgq=GJSeaf-?~b_BTH>;9M(!1=--zKgx!Z+tR#%8i&MiW@4udb) z=|Csd9b!BKTc4|Y{$?l{@9YG$VCn@tiE)k=Vy3lieS1~k+(#rSQ!B^%e*ekb^zMIJvo_HU`B~^ z4I9Ex*DO1t6RZa8jxq(AbE?qv?kHy#I`@&S#C|`(^HNG|$~9NK?HV|5Rhz=e17zpt z+a!&sLC>t<0~lVEy|YYi8+m^y_)YMOJ$g>y`lIRWX>=O_8Y<{z;6 z8*of>8wt5vvI7&dWqH9Nl(;NwG@1-Ipe>n(tbjfkH1Y;AZ@}C3BeNZu&KixyrZy8y zcsmvhz=c<|P9wcGe+16yj%eD(3VZ@Q5}skxan&}ZNzv5eY&3>vr3DbYR)a}LVXD>= z3f)Nb8&*t`i}Dfu=7Zk&o56@q7FL>K^c#Lh-Kx3@MqgiTPpy{a?SX;TEU9*iT5xJ} zRODFJyJ-hsGdUHlN1%9qmHD25CC`LFE;*Es1dv0^4XW0DP1z-;P8#i7N}_K0RQGYt2PY|3dBv zc9wuEsS!Cd5}#wnsVQrTzWSbWVlZfyErYK7BC8WQdYP?+V!Q%ir6t2aqH9YqE#nu% zw9vAOX>3|YyK1VZr=V3YTaP1Jj28nRULUUMckYf-bveZRvEt4KthuT*ZwqmT(+oj( z_n0MI>Zf81vpl(7 zE=sJQ2e>_ktQ7lLY(I~f5#$0a-JD+Yd1U>CWRJ=j$lzo6iKb9L6_yY5AuN>5r2%M8 zqEy>QW1SBGE`7xXG9T}x7H5?eQsjfp8l+tqMY_Y1MQh&{=(OFR4xNU_3V!TOjPp;? z%E!CP#F>8~?-2K|RA5=qS#=*|c z;x^&kttA#m@p_R}#>=Rw4uEDP+iXJT-h}Gj&$Y~B(;miRyxfU02g2kcSh=qcJMb}= zcMN6r06$cA@Wup`z7?4wgWCwOK%Iy(e9!wjTED?gwU3A4z`c)-K66JCchJj?wH`R< z%!4_BU}`8Qh2nRPPRQg4wH5&fYgs3l2_ok@CV{)!^K!0mh~Mq}k~caE0`K-?T!uTD zUW?sMr02z1OWbC`%U6O6zq zAKqN=SprOB)?; zBDl6qyJhs<^k5jrrGrCNOS@`YLO^}Y_$KLk|0w^J_GcxHb-zhX55F`$>PT%g(U2Ug z`&Tloh}&0t%O{|$Er@1V4{=q!bDEKmNgX+dQT07EJrh>48{x6KSQo&u5CT&2N8m7b z`-KMItG?q`ku1Ig)J-&D{%&NN7N*W6c&*ohu$Eu6U z8Y^jDO%hWkX@^-1!{kR@!)##7#ZNZ$q&ADmd)`Kby$}o;;FV_(m{NQW@a5mm+RN=$JIHA*YH=0@`Kjy#83JowmC75?Tde$#w2;qR4ssusIgFFE&2Xo{b}e=T>5p zn|BXoZU~?yG%;%iDwxdJ!7glwFDN>RNv3dtcAozj6M%-1bjTXWypFy(hMqK_GBAt( z!`_?6H&N~VFDW zkj1iTRZvhwl!66{!UY7x1*Iw~Dk|=%sO5@^iV9xb(eEc9UcJx#y5eqY4+Qn2RUB?rRt2=R!cE2l~xqquI#Z9mkB&GbwuC_X_4g9X2z= z5*+b7_iUW)sGi}BIN7#i5cg)BfD)t{zj?Mm1-NGhkz_WTFJ;c@84HWceeK9J&@K&Wg9vm?p;qQyAXAiofA&4ShO zEymjFx;!wd+a`cqH>AIHsyWUgFN$SM@vtG5Af^m{gAL=~9@&*2%2ssUTylcbJ<8 zfF+K*$q01>p6w23gUu+s0)EXzOD)!q*f-_-m5vA1!GH3}#(5c@-_5ewArj}aj>l^| z*Flv&lqR8K#iZw%p9QuKrdSU1O@L^C@xgnZ+b?!KN55M9BEiskMGFxfSMVlc*67hi z<9qRDhlZX)CIvBc!`(Oth;31Ab6bB1+A#YL;^1=I;Uu{X1;+xj?8D@yppO^*G3u_d zun>cx?`H2tGPGbNW&IKL)CVpZZN&rB;5!g*&boXrU1aVs%co3vDae}1PY672vS!0R zES*EvL`WxDDU4AYf1gfnvQ`54JAdl|U`zqHe)E(`c~2nF#s-0Vz(*^rt9g^S#aC>% z-f_joyVacT0GPZ;pXjkYD1id(naCRP7VEdZB9%29jKkx2m$=*d1eZgcV_bJnshwfm zQ_cJN+o{(m|JnhNs=jYicwA%;UJCS?`TQcFXIqL)AvR{|JXA1wcjaI^T~fRi+x?{$ zs{!9ZgJO?M+v&u$TgdoQ@Ja7;5>rzgZSt+8O4G5asxGE<5Khk7&XvX3hQ^dWO9@i8 zLjrX8_r{RBD(@U9pB zE6K`WHB79<3Ow1An0E&PNdtx%z#YpY`UU^NJ_sUda2Cw4qo5(Y6$WRZ{cW%&--E(+ zV7ge2LZjiYR7F=9%rdU{wBTpfcljiD-r6~iHJoL~g8>$U%fI&_xgD=C#k5dE}vLbmKf@&UO4dz}O7+@B#M$dJCcE3jf zcn3jy>2p5#RSEa(L!sN*1bIIS9b=7Pj1B&T5y zD`~$xPH7F$2HC5$&e_}#Gy`j8)7Q|5)>L@#`^b9T6?MUSTX?3)EPw0-oi`Brm5EdH z1C2%6(mfyz7q1L_9Sc4^KHyfvN;hIb5D5Cr&uB!6*{xO;QbOSXcZrWt;!p$Lf$W&de?D- zojxv<rU-U%Uv3vTK>%zgcO17YN$jJH%IQmC4e6yasmdd!^G5#^E@g%%+GZ?U8R;sr0)}2mF8Zw& z$+gJ%4O4%y{wa2@!<{N0P&WO}rj-4Hxb8C6CjE+vo^>RiCt^gvc%AOrdm%Z;h!MiGbOUZ16YHrbAVGv0SNxVdip-PFb)6nPl)|<-Q~B z#T*c>-)&z_Kf-O*IER@T*l}nsXQaFV-)F^Oo6EH@z_1Fe80D|Ydr-5rQ<@rY)Oh#a+H7W`Lv>MjchN0`fZUyh<&em1egH2o0%!PqWUOa zygWn$iPikn8Z}nUQwzsw+#dA0UX5cui*HXXeher3@9Zbd?}rnlZKIpI=&TF(J0EVk z8=D;K_3}I<59{Yh)Y#M6hZmichahGJM9N|wZ}crf%#m2I&Pt7HK!xWM#d~UZkSFAg zlr51Hx5Add=bN@crMerKr_{VttjC8!w~#rG_ha|{N*nU(lqa8IE#)2Nx;VKTl`i9w z6U{CSzCqF`$N}huay|=r3%*hYR;HJ21%TF#);uo)Z`OvVQQmNr7Xd#^$y^#2j6xfh zBij$mtW#(^d~Zd^2CVJ0KPox;!ThO{%P@(Pw}TuDuFUxb2X$qom}ET((sK>x8AtM$ z-2qmVr?;Z}M&NZ*(S~AFp;p{_6m5m?PGsA}N<5DdiCge3 z_I~7Oi-X=7^63c0+zCKO|NVFcKVs_>=-4yIfUwv3M;o0wUxHpj)wzcWDW3j2tRGaH8GFQAd{ADLEP7bPBT4yrX7({z{SU(6*Z>0 ze2g5>6%9ncT|^}yu5XG;=B_0is^*R*I+GYyV}6g7cPN+w4J(@UdXm8`*4P?3Ss%l_ z&%i#lLBsJ0e4_lkf^%!&?|T)@k_2X?X7XdkA8FDlAHZlbpTh3<7I|OeD%9*L0la{A zM=i}QWSLA2JI|Q`O5QwF(xs4p=EX&>on+5EMen<=i$?Yk=-am;{xbOdAUE4X_TP)7 zpH!&AcyGS(HbE{`Ed3ESkq=c%f7qv!J%|a>&@|}^W+Cm}DBVc|zm*7kUG$eTKz<9p z1V$_0*sj)62SnqPuBBfJ)G8c1;<;O5*~t*{`O}-`{yMVOd}q?6jL=@`W(9q#=OM>J z3xt1oH|$%%P7$*R2g|ePC83FxniaMeoZ>K6Qw3p>Qyqe~EESo*quJsWub{vL1krHp z@tP^9ISZkTrZ>+#iJpW%(h;NAp#jF2k<-Dtt%j8}b5WSb&#Upp@=VN(+?oI%V|Gon05{H|Wi!*7m7Zfp7IYkb~C(kbGc; z^3e;C-BOK`{SgLtiR4D*m!Za`bA@JIqv{t_S>u~}q~ zGETuD>xbs10rDsWz)K=*?bf4k^eJqV5=rw<`|&~7;E|Gs1cSEnk-nh9xL^t?wmqGi z6BBsLYI~9^N?@CPs5IU6XuK;XRMdfs79i_S^e%bL4NV&s17cR3*0#S?dbrj1sj#u$ zd>i49RL(=bGciRYuxsH+aXedb;TzX^35+80Ns+CErCwtmIz(O!sQcc8s!}AyVd+MN zZ}wDJ)7V?sI=XGyDl~cfzJ>g7&PCIV`Gt6SmI5%BJbCiN81hv=68N#XzRKg+G(_5o zd`p%7mAl}zq%BB1eDW1~b%6^94hPESVE*2~3z`ZSCiOYDiqpM50P?a~a;tAq2=@+H zd)6beB7_f4{QV-nW%Svalvg0jA>O}ky z-(c|D@Hu?4yiv&uXVaJ}HM={o013nGve}FFn}b zI8jZ+K6l^=46(TN1VU?`v-a&~jZJYRv+pDGH$<30h=Kc*gGsXlNx8J|OT+|d<}hJr z(XV-rx^vsV;}&Y!h+jf$r)}I$NzC_JcB(O7%}#av&Or2Y=>hA0z72RUnWl6nD!UN@ zV~U)w^y{UqHv@>fc|%T4f-o7Dx8fZ3JQK9D+TR)wZlG6-OPM?^T4H3K#-m#1`wZW2 z?%-+Leznh(9z1FjV+!gtKsT7=8R}f@Vdj=CD#;+?Zd zNwAm~J$pz(a7oo?5CH~HO?y=DDowV<&Tw5I_8<5PUjmjVDtvZj=+^L7{vmd7Y2~DE zmZpl++{f7zxd)k2tQk%N>ncjtgy!-`Jd)_~-WF*Np636-uVf{8FY-JeD&xbYNf*uZC~Vy$}Q0S7bwS5*7RkVjw~8yf4M~9+DH%9IYBNtzla|x%R{U>yYa` zyYG6`l?60St&zkAqm z5YJ!zZocDv`q(YG4+b7Y;&<$WMGG)Dg=N>2x$#;%^-M3%K3|#*HK-JSL0LJyWgj87 zy!3lGkl#EAxq?Z}spwd5@kcrF>}T?DNQ&c*3ArT&A0l}yCc7tX7LNyvs7zG)=7ZRc z*zL`oxVaHMmWS32Le0;i``}9|vOmG-)TJ|RH>jPJ%$H%d@RcTo_afle0R1*QskutA zYlWh;in(8n78@_qz2d1Hm(gvm9z@o5y^RM7jzQAgevp~d^$AXeF1x)y$+>h(R7ro+ zxY2FMpjAU*-d0#4_* zpSaDP?l`KkHb}z|f0Gm&7 zk#`~U=1g+VT*PklnJofXp`Y``;nG{U9^Q0NZ1eq$eBTRV!^x7lHK=VvE<1zCbTDpuRyu|ZsQLi|4w>_`Nh{c)1{fHUUZbG0owr`IPW%Zi<3`L!8}-P zlOfy&Wb4mk*f}7eigFhA-KqssOfbkJoi}-`7u5Obrh9PUgDfvPr_u;cd*fkQZSGf+xg}m&3AI8DH z;6l&+o*ee+f`5_FM0OCweGQrvT)JEutPQx(q#nw}-d9}8j;+kX0s-Q|;(mPQr7s~~ z(mmBNix0la&nsNS=Iv>Ov%}b@_?urGh3Kue2lSI&DAVuhzpD$mzDe5SLxuByyH!zn ztAee{*&=u1z)gy;iL#ccCOeHEi(Nfk+RNP+!t}-Smzmt_Z0ky;-PFl{QdwO~ePfkN zzYLGXwfum+`GcQZjvs}=NR} z#yOK$e2h%)&HG?0^DvIbJ!G=fjlt5g2vgUwyRLW{D%)_^r!N1tz$L_dXeG;F-C}oy z$44IUtSIzCTlkg@L-dJE*?BEN(Cc(ghHTZZl>9~IU$RvpS$ex7nxyz|l#gq;?$iF z-?ig^e}lh22GS<~Qi2Rz2+@)<{wxXZy;9P(vi|yvKQDrVf4k^!54_fT9%wzokJOcH z&N`rpf;Ni6>|bjDNLBokvf*zn0|DEAp11;$a_x?2F6TAulxt1#NA>?+oyD4)E6&@!%elW*!IS>?lUJeWuT>E8#I7<)Ks}HL9~XMk|7g{mKktyEcR*t8pB1=PzyEbd{kvNK zd29Bcef+l?UK^1aS00_=zxGzw1`$lCKU(LnxBa`Ue}DV)E#STXUFsk2nDytO=*WT0 z=>PvB`@iza_kRKSAi#1mwz;vfrsZlT`3Dd57ascoJ3e{zdxhi9cOaMi|CZGMTT=gT zNex(<+v+0!x1>hJk*mAae=Mp06-FYBPan-It{{>K;{jU(O^?iJo$1bq%x`sLpMJTY7=a2Edi#a8SXI?g6{kbx18x? z;c!``u0-Uu9$&g1yiPh#hMdDeK!jVL?)LgJWY7kYw`3wx$v!+0*GrJe@A1i*1rw3h zm*w+fDX<@I@}_6U(<^X+{%X6ClaM-*iO&YYh(3#p*u%OEca~4C8iCZA>0W$09>JzZ z%a=1`_(Q<+J$Y)6oKC$Bn1KLepCii!1@N4#^qi7yfIv}s9;tm9zN+m=EqgKoQxO#B zNzbIF25yA{!NGmR7mw5)cShMA7^UOuQF_S^r1JQRj94qnnO-ojsIzmjgCcJAjDUM{ zGBd#3sgvEF9ADXCh$JP~;e6CM`4M%tFB6`uOLu2vd8sXU5Zj_ocV`uKD&Uu|uoDlI zD&avH-q5_f&#)>z%g#Y0syfS)Rk8-^=Jgf{3Mdv{tNJ8XWn>p6U^P^=@&OF*oo%0r zcd_U78SV_(D^!}5$QL>q=!Nn;p3qKgU`MEAH~yxoU7_}5WmP92Ri-DX!J|>5_aEAH zx5r~2f_I7WQ2z{HR`6+`gz$yxDM;nb36v?I$~oCt0J0c;E7`+d$G!!JveL6cNq7}2 zz(YM5IT`pM7EmL9Q0IZ}@K&vYUiFskR;Y5aO4cc%zQ82+Dcc4&%9&Z!pCWZeb|!uT zP=!2JUgb^4p8>O@7H-WcQY%qL$DIXlAg%1q^cJ0>qD_{WQS`59MKV3U>S6^HR}h9G z+@9LIaW}lgsOYKmtRhCKg@c)8U&0G!bU$yEp+*I&40lyLT3zOAjTR|;O74ypDQ9I< zxA@W#zC|U=Rer!EDf&bSHSlp%9&GNxS|5?Q^`75>%Ov1S6_h`&iB;;bEg>b;YCc?H7-1P{ zDYO(BMk(RBr|Nv048^G>x-o{aN~pDKeNnfe%rZ_n-nBmZ7+tv%p0(ge)jtdq5+^#I z{{FAaqoQ{DA2?JF;VaH@^jlaO-~Q*-rSX5=EB|$EoXQUy&1B9i*MaKf( zmU;+42wnM!V!B0tU{E}%fPa5k{|)MEC$9lcAta#G|8f-WzaNkPV@xQ=BPBqCjYLYo z7`q8m{Q>%;-?xiy!bqp+4}e^7>h(kQdgb+~|GGPqli^ZSm#9pnsCD`4;4cHRD5H0d zLZ z4I&t+NPiV#0OU&vpC}q!fA~a!ztr%Fg^w0KQG~c?V?=)d6#mK&^vZooe*0eyD+aah zkCO&9^yihIXs`Uwqj2g~{Ov1$bPHg+4Z})XMn;BSsaK^UozenxHBo8lpGsNO%9@(; zasxoESqL1|=v4hPGFC-@cJ11@aibn^-*hSqHuO`n?5b6IwMCgosPb|sEMwzFnBYoy zNc8@6WYAcUB?kW7xG|kr`cvgK@Uv=FMxs)u$%K_46*^Ie^pruVEH5vAIZ^xPy~D5t zU{K-CRjUl@R0^I4_ggU3EI(hTf?v_&iNx{5@*n=vlT=9oupVCR%3J#h&ryyIze87k zfB8yR{?A7F|7fcJ+Ld$ov7>qBN=Ig^`b9fZ9qmZys4E=_ojBy$Sh>~{&|!NO{NcY( zqdySZ(BC`ke;$PnyBmLd*B>3G)T4ZCL3;R5>kibv-w$P@L~K!wg>BzL4S`9Jh?Ovd zqHt(BoPK4X55dWB96A;$;d+=#s#H7@WyAH<_lN4=KV(nDa9TA4im_l_KRq@m(qIKo zg`okB|Hn@9Mv|d>IJhS6luGmGFSd@ngpi3db$*A55bE z`F7Ek|DQ+Ee{K1nS5W+Wr(hcWA=VvvMlo_Yv~d*0ENV8Y0rtRl$->5_UPUIeM9Gz~ zIg0$%FkOt*MTw6hVr=qNGg1`mj7aooUUwA=>nh)B6dcWDrt44{Zb`kyqZn?Eux;8h z;6Wr>2oj~212EP;g3N;GEL^D>R^4lf^q}Q8EN_})-4MFUjPY+ z1qh3-GF4qcJGQivRARZp&2xh`Y7iov{tC5@g&K%js5ArIB3TM+C@qQR5CWWKqZR;j z8ZbrCfh^?A(?^*oXSCS!007N;%urZkX#s{s%Ak!Bqw=-5Pzx>9Do&%CsU@OZvjm}9 za*n(LDM=7+NoHC#Rx3Z&%2d@MoQP$LB2gHQQkQ%(O2Mp+QZWLLhs-DB`7v*l8Zp(1 z-&8|A!FPdqh|MK8;wiojD1;JAp<|*@bQoA1qt@G~1xPbIgfT~t0^eKL{s2$-E-n(UpGN{64 zAd?1kH`W6rFw~%uhY_DHc`z9dc-mR1QaUvHRr8vCV&qkoWHE81$i!NAM2^TQ$ewI+ zT!n;_ZK$))lwA9z_b`2f=Xui3GITQ=OEvN|sbgd5TKLp#{v@)a_9=QWn$WeV$beLZ zHT(!_seKMR33!|)J14U7^o_+6sJdV`6;BQGXCqZ@D^8-Ol*jQt07B!bU1S!K-GjPD zQw|sxob()W4#zfXNm%_GcG6p%(;?znhj4eh4mAvJb&wcib-Is7+to~pVQz~Do(fh|ck zQfw~o{HgThacU;FPE9r!9>)b#Wu*sEuK~SysNdNm?%ax6gr5j^VIMhdzk$pq8JtgT z{z@JBVD(~vdPp^YsYc-fhnl$vFz`@~;x-dY6>GUW$xA(t%SabW=IZA9}}e_2ymwp-DNa$te1BkYe7=*Jt#r?RZWlW zZ9Tr<)u1ISE%Ok7=>nc_*gBdX#Os!B5gE26e2ZzMYbxOiHKv5{Bfch1S#LFC|(KP%J3fuj9SlEC* zwh*D2Tqa4r!l`$F?gG&S(CQo-c9dEs_gR)JU;FX(u+Et~-0Kw=N5kCqW z+}lJa`DAGf{s9jtIgHL9u}>jGFjwM2cnhRKQ)lFfl<5Et?fcI33AG;_uaKt8XObgf zZx!gdC;J}m`VMPNh14!~@xJr^rzqbUL=~O;x^O!X5nM-&_MJlhqUb%?%gs@n;&FZr z;Pf1!8hvwP?B8q0!D_tw@!cNRLb@l_#L@#`1?yIsk8or%U9fa7bu+CK+*;~JnhUS# zSxk*tJ8h|va%*ALuI=JGMu3ae@&8WyyU>##ABl>7(T zFd%at%OH9f8n{Mlnbla$Esj%7n~8si0omR=QQz9u49vv#ojOZRb7OtyS0^AP_}HM5 z)P8{+ih3EZv|hwh&k~iTkb6ws8|gklQck>wdz#uf(2r^& zq1AHsIBE|rNCZ*BQXh%5vcE^6PK}SUD2=+V*9A;b9aOOwse#s;G+4j3=Bs8j_MJPi zf!nS_D^E^O4A(_Dpl8%cTVmdFiKdNpqPh2eTZTqV>sd~jH$K{Rl!_|?bb-L;*#XG+ zN)ii=-_g|QGA|0gEc~hwqnVi0(fWD9eKC;s7u*etlWDJMOw)Qvk4yy+4=8?5J&LdI zx`(2TIV2d1`M?57oY!&5k;a&s#AH6tHk^jdvUZH|LQKt4#2dXI7QBui!GeFy`k?sk zf%mTPQ)K{aN5N)p#<65l@k*S-zlT5bc!jUn&WFJsMV0|M$YLBTUqmK<#THb2J84{c zgk5SH0Zbfr!BkOs1TF4F*dn-fIa~OJs2x{ehH5}vQd>MTD&Abp^o~Um&vZ=}neaG~ zagQ)2tEmvJHS=oW`S@d_x*pLj%o6~&fYR_kqq5wYf+;BIv`hY4L`u=A z`WG2lS02|?0T!MF@}R6ki&oIK98vf&-=XvqvXgFePB7h%829g239*h^~ZeibMr^EkNLn|kI& zov~0&X6GvKSoZ|L=O_h+yV)eiSV@<6ko#abtsYJ!Ujaj9`_qyCMg-hi{dn>s4fK)$ z8L|7QM1C(d8%T;&1V5FNO_}_w5WM9`TnP+b*x#K!q`S6c7H9#(xc3g#A5-`ObulTUNhO~3G#l0?Q*Pj0(HO|!zIPY162+#rucfwV^;zW6t#eJ30#h)`~%tmOQ}~u zby6XZ-daU~Nszj|HjNr&e1MkTgyop|n9fTwXkn{=#rKUFH8Vfi)YWaROmi%AAXb_i zs|vSZfqoy>TFXe=&{#?~o?+yJ)m#49w0Jjw6z=e#;V$y`4E+8 zXqa8oR#(?<{DEiIYPm;j#y$qkWF(!wITEg`UC`|Y33BJTIC~1cNH?ywVOoUV&9Q2% zrCv2e8m31YrnL*p80|Dr5b#BnWuEbjP2UcySwk!586XtLFsj(J=C%e)cv^E~ON%88 z?70oh7BzQK;67rg7U5$in1tYHGO$X6A-}CTl7>BYBbsKeidBQqX?{Z2m*hwkgnMK0 zxB4_oWNxIvw1EMFrejnyvs_3EgZ9%_-3pHkH*~!$3{tyh6SXB=jZ?$>b@jE=r`It% z4USnHdDH-O^fSY?&0-bo$GpVR=Wf>ZCaGwp(3!-2MhEjiy>ZX#JxK|+C)CW3F?dxE8(hZZ$E(84!N;r< z3t*og%pKK2%1zf!;kcTN#yVc+>+wxR7Gy3YKzBvWB)5p-F$JE5eI?fqGCaeSzfHlg}sEsuQ^{dH(#_82muwAhk_+ zDV|%%pgcyU? zQ+g<_=yO^+j_Ia~VJMU)Z&8-jBPySF^BbvNf3jlooz`AvI0+uWS|21j$NTP37A!=j zVyceM%<)nN|4j&DEqPyH4Dx58Km`^@;3qu;O`+y}Q7}2+0F_l;Nce;>X#nEJ4N?cE zF>{HniDhKg_ZWs{%{w`eiO56tdBR)H!haMg6=;ToVfxwyyBa_|BK3QF=JRU>SA5~m zK-;yp0c;`Sc-ZxcRxAfdDB5i8WYSryo{kessD-4KPV^cenUQ70dXi3t@MdOK4EGR? z8+ZW{fbym;KPU+7fNc;oAA zQ9XprBAW4D=F|CqkU`=@tgZYY{+7(;y^eJTDj*L;1x3h|#bj&bEZKH0D-4 zyN(}8JM-fDL)td)>wK!F5(|$oK6igSs@&{fgH1)$ewDPrbt6}Jlld_c`kke_m&s#9 zD#?{5o~So*!Y>4?qu8oC+jhpY*PQ?410D^`Fd9Vozs2h@lpG zTb=eANR1dvQt58r6vR#C_$kyw)c`o0iC3FkU@@4A-=hwKz<7`JF{0{q(hv~Rg{M=@ z`El|?3g5pFqs#z!ayx`nQzamP=m6-9T3Atvd?Qieces!{W}#-e`i#CAD9?y|1(?bW zzA4-ztTs94k{Le0odycQm#ITuBhDcY^Ks+@)sM*ba5A@qo_vo`MoJgp4X%%TxRjd4 z&@tiB#^t2)QN-+u0rjbrxh+fj4UzIdy^FZ5#jy9Mqxxsq1al*uJByV0Y#8gwWo~oq z(rwfSXz!x8DYkqufHN`VtI~U%FB^GpWVq-mK4ktTk&FP53qD*k!+qg`eTw#b?<2SK zv7`t-qxe{Q1+N3%Hyu6MEeMa$p1q+Lgc2=zk7-S2ej7-o2oQ4Lh{iF~y&xyylyVg{ z2v<;xAny5|6hwF9C0w$Azmpok)mnW3TR+WNLrccb&15-E7l%Lr&!Xv$)wU)#0LM}9 z=IkTmJg?B>*;rBzb@IiFemcUM=^8Ne%&_*y)1(g+rUWX#Ku?j;XslypDp|egt*%D@ zZa_qHDI~B@bS6oQfSR&+c>RTr+Q>y}obyuKbow742LLFUn1O~nlv$>LN#L8^oAKjd z+i3>Y(_SE;XaI)i7lBolOzWz^BMLGpYn|`{OSWzvMHs-k25d$xYnE6_K3o}BEw_%;=67MD>vDucw z;}q*8TqP!%y7;3w%VdCh5p9`-A*HlbC+hkAbR53b@vGMQG1D0XOORD<{S+r)E#uV| zob>}g+&?4=7iX=0HTR!*Cg4)n8dbUc8a$gD5L;7;yFqTU4UclU`MDKYr-F3f!E37#Xbbe7y&+om1 z2bbCuUk8j^Jey&*wKhji?{(+kEShn2F1*jnXQmcs(`S{}lowCka(eL;hhPvT9JR zFgy-S3sgNn%KC!ykesVH@}wy}Cmv^k-IF`yDc!*N)hu1SmW?fKH~tc1+^YegGb)GH z2DL!{OQ)DurgK$l$A)w=kTuawZBJ9>Ji{(AcEy;#7~YMAodAf(jHUA~8Obc1i!~_i z6ECLTSAdv0i69qRp1B@J_|(BNh-D?Ff)&JmJit4Ro(UAJps z`*HW%mq*Nbo3tIqP%-Po6`>D-xz``0Q3KBvcoCJ{`z-4X-Wqw7WyMVQWojlhfM#(% zw<3cBtiRUaA#WQ=w63Q{N?{DsVzJ}CSjy@RQD(L}c&zki<2^AwJ8Sm{gLU>hv4g$~ z>!|l>9WIj(Bj-=Zx7!!G&NkPxW^xX*F9VFe@-I15K1wV9x@Wg)WQ5Be5IHI=VO2B3 z%*1SNS%!9AWAkk0RgWIx>@3s6!fdUs76j5T^F@|=W^FxpDu;RrlsGQak0(&4@ayWd z)|pF1tz~8;#rRvczBvqXZnJ%dA5b|SlkV}`{|RfByvdL9xZ{56C8`Gdgan%~a6pu? zBgJgZu+6kFXOo>z`&$Q?H~Ou&I(i0prs85=Zvn~m;_yz3*C-6YQ8qy($dC^8!W7`TbHXPEiU0L z=FgbIs*R^ZNLWe(dt<~=|8qx+^J2HZ-7N;W@6+gq%+;~dC5 z!if;TkH>b%lt1jpOH8lfLSR*h*FT4SO*Se++YqjuYrkI&S|0eF87j}XZ=i5-6q+HV4CLwtQ^zeW z;hG3&nUNOmr&xd&eZfTq?T4t(fOD08hI*)P9DacNY?$>J=uXs;OK;+n*zVk5-Fq&P z``)i=X#|YWw6g(hw7){!s@fU7>lk4ymh$Rc+~GW{q>~^x37Ku$^I70t8BW-1 zc+j3;%Dyk?Tks9kN+Y;k(uICBmLs3DU(>TxK)u9O)*&ihsz=x_yi@`hZO#C)`94;6 zp>Y3#EF2h2(@zJ^K{I!p7e3SBv6Wzooe|1+E-FdDlwUf4oIJj{D4QXlS;yspyj@pN z#)7%rKD}HITqQ^OxL^yq?C8fx`IH4z;Fg);Ig#nkW47mph7W~fwV;Q#Q{#%e!{0K4 zLd;Eil-51nMGD9VOV5{ls^XrHSv!&p5&Q)>OCp0vS?#fCBQHk4vqNw1(MNt}OKsgl ztqA%!L_JEUY70S6W-2v0&~xX7g)v3WNAPo?U43OuQCoryOoRAV1v5{Jzcudlk@a}A zE&`od&rC=|_1tcb%rzcKU%QS>#m@qs-MVyS>FhP85O`WPsh}UiL;7@_M0-|PZR?-K zwx!RARnW!Vi&eD^<_$qKuWJMNMJ-I5M^)EOO;t-Rij7YeR^g5Ku&`#3A=qN6Z<{ug z`PE~8nshKj%AB`52jIKbmf&GlcG0X34JA_3`l66It`vrDR9PCCUukU%80o_e6({;r zLHs6IA?g}A#UR7H%0Ui(W4%S@&qqP-}m8yKj7dri)cuBJH+c zN6;a`=h3y)PMh7(yB~i}{iL#lovqAmL>HMpBhnIHqMbIou3ebOSkK}#9rz(zW(rdo zT}x|Z&KxcWm~Un_HlI51)+%};vtuOerub`oy{;xaEs|#cMBCQV7G~@jOYhW!d%2}{ zf#aUIzPqBg% zI|1XsJY3BT98NXX`c%>k*Qxl`ADv{n&vs4-)&n^G2F6FD@D9h@@mvnQwwMlqY+B7S z)B!Q)_@J(D+2weUHRjY>s{I6K4GTTA{T;A~N!~!wAY^^P`kM7&-wI3xjmtPnYyM0f zd60Q4i8fJ(K|8}csYi1y1Q<1~d|6B`#~Ya$jPZ0T83j(X`f!i%Zo2JK47ZCH4Gs;% z&2Zu%vnIjuuGai@nJfVE5G?Ie_`8WAh?iau%Bw!|d2~r%=?@})HDz!=&2_3xnPj5% zKG?k&&;)UO-yYYG4hb^q#_%3%ndc1H1C0eYA@i#=@kpBt1!+k9B(EBY3Dl90o;ejm z?(u}EGkNWkK$W#0kOu-Lxa%&X*vJmFW?RqjuX&1To)4Iu?o*JsUp@n8<9uU15dfeg z!bLRl7>u5E992h#$dAzl9O~!>;_c1?+lK<32|}RE>+sF4-vr>VFTTe%ozO#ho$($5 zXNEB!5Nd(+k&+(mwsy`Vz@Ka%W-SeE+I@Dno{5x#ZY=ddsxB#+C^8`WTgE z1^`Z=M(%NevBff<5p8RvuFm+C8ukThNaQ#F+k~ss@KuSCa7%4nyQSvrzkB>XvXVa}(*4d%gG)0sIAx zABT!(UwYMs{47`48nw3W7|5Eb4FVNQ6-hg309tNzy*-t><3dYtBlop|TO3aX!3f*V zrr9-{OK=swY>Fde*562v<#nNuX%HReEp+wzIn;w9!>!K%v3_z?MTAdr=i0X>Q(56T z-S-Hg1cjZMH{rRJBSfc4ca)7tCLp!Y?t~Xkl;F+C6lv zF^_;S4X8$%Tse%mdpk3z+Bj&-eexv$ShjAF|S<%EQE8oG?TDb zYahJyB#MY*nE|>o5urlc&au=C`z+~2%GFP>GVeH@7!WhSQ*bh>tBhu2jY1XyOK$#nR^m_ z-vZWMg8VH4FTP2_0lgFe4_=57gGQgZ_{0Ts=+5&G0=SmCwmxEfY8thwcAqX-(;8{+ z`N}W@+`#i9t<3OPYmBZLT+eB+g>}Bi-lMmeH_0)~hJBae}EDU^lw7r^*r-~_mZy$H7rr;I~ zU1)kjPDNG?H3Mv@h4;`GHqW7Yqz^RofX+;Q$=Z+c1U9p7hr)zDT9&TUovqM-*Gn;ktYQ#*RN*&mjj%~*HByM9o1Dv*LKx~kQTCtvM z7LkQA+Rqu2Qgp45bka^eDOihz3zP7}$Ksj1l)kCPJ%u1wm8xd8otS@a1N)A<6<$v2 z5sh_;w8_7YgPdSoZMQkkqIt~dN_C`RuJH>FMFe_OaKE;;+0x3~u0;{Xay?U93DRG_ zFuoMkFxzasoz|B;@yt`4BCcv9ct$K?yPCE#ucWBzrrUWg zeza{|9Ct{qofc_sWqi|wc_~iAxh9x~?bCowf_a&D{h&d>S2gSSR-Di~7Qat8Vm9&h z34K4E-c6@OUhcY&)|qVP!+dyeMJ@`a*zKUR#9%L0hqn>hHd#yc;zW9OXcS&RKVvWB zZ^QgtfZ@K2nt1$O>}B&H%18veWfNk3a=n&%)_gp`{=jZBO?4-;)9^s@3%QXbQSY)d z>_BS(Q<~|DTY4}4o|4(dx6YChY;YFSy3VJ1pGDJ+ht-ZT4&DrLL&hbdFA)XL6go@> z?~J}pcn)lzd8x>j%h+wfyGugIeAg(hKST2I&-jsJmq2DX*E^C- zAR+{+8H+q6Ks%i$euy>BiDZPAVvmZ$RREF5YCCFd2i?c>FU2^kE{OC%Hgu zU??p7=@i9Ark;Nn4n-}SXw$SFw%zK*2mF2tYb6t~I zrZv&j=<_1eC7gj{@pX}&ruVT}xDL1F6qnCrKGvuV*s)Rgf9$<`TomQ|KYZWI4(`3| z3_Am}FblIV3%jzbJF)}2!V1VDppc-8g5r7AMNvQz(L9TaXG>HxkBOpaW=U!1OgbObo@=rC_4_@aKc46H{P}!K*k#Uh-`9P*uIv4N`=4`tZ|mnn#)CRG zoC~FSdf!zx-14%}&&@{SGFc=r&CMoMT47ouPO)vlS`*A|`Vm7}B=rKH6I@x1;ymt} zbVMb=RE}D$mTBX#NbZ5|ITcjp4Jy_XL5arJ-x)98P)c>ftSy<3kk;Cs00n5!4h|A8 zWGk_VpGk~G4vR6T6cr$OhK~62l$NVFS12JO7FH~w^_dh-24D4*EXWQKg-nVOdy%4G zzSt$SE(77iz|b-h++DtJ+4%HvI1c=iIgp&#yRbV(h4#b>lPavChbG?PkXMDVF$Rs% z@*P*N81s{uX3YUHZwtjzeYsc6I>-o}Y5viS>X>g6Idv)bMgpVNS^LEzzxNMrX&F5^L{~7~Ad^eW&f?^l_Ab;0>P0*h z{QQ1GPv8vNzzq9&mb;?Gvp!f;`WBEXlrs;_KKMA0;mxu2mnvFEtLvsShZ7olnQIf7 z%VFdiH0S~*9DEm!Fm+`GmB(Dvfgh_Mc48KP>>GZ**>ozAJH<#oDz&wU9f&v9{)CAo z6W6NcU28`FcK+CNrU&~~b}(hK{DewKA@Qs%0>N#?mnv-HUn7he6Q!T}N}e#?66v2W zM$lQ{rF{kFs`LEpKF<~e6di_P;dx_*twL-*zXD=jlf~`M=V4Y486|RC@`~5MheuU{ zULUaL4q;m8=2l^r=Q9wSLRRg>;_WDN#?oy_@Zx1+z-idK46=QCprpbPQ?*fZh|LB{J9 z2w)yXmiO^d+!xXz`M0nzsR)U4T0SlKgB+*&C{I@^t02K%D3?YdhrK}CLRnSX)`0?Z zy42b~o`|N;fHKwmTO2VN?A-b5ruG8U$uR19gGNhdDi2~*$(^-B|GZzvX(J^kcYq&t z7gDQa3o^VF*7~&}pDV0G-2Oy48gV|Y;VrrFEiKuH>TAmlEwS??X{7zTuvurlzcH;E z{4%pGoD@(|!1$H~{ug|n3m2s*Z#U3Opo&{R1<4Sa>S=gbi@TT3!?bw`Ls@Vv{~+b} z<}pbcDo)6S43Iu3a2bAKTFU1x=pZqrZwMX&!!Cb|9*$;FvDiya^M`pG{}L2&yvx8I zqMC$5Y#;e?mKkc23fL6fpD31IYzkq#W4O=sMNRG#Ncx#i#x&mo#uh6jD^rkrvfAto zH4Y;3j+%rxN>C}3Y?F4|{&E_`2>{g%aaiud6HvhT}Zgs#mL-e~!f=K|e{n~%g(T{1+&1`sPnjvEwA^W2M49CjL>ZL=3{z+7 zqlQ_e*MWA-<-I^h%?jlEf)k}aQV+o=zKWl(pF+9|Ytq9kgFyn~AO~dhLcNseDMJFJ zEun_gyb5I#GE7P)-+_ho_V1sOh0n}J!YE<8&{vFfd$3w2)-jO*U)Gq&qWS{AoUQi1 z1j~v`&u$-Q)P|d~I8QjLwwqNNIu6!0b;c=HYP)5s(LXP;Yt0U+#%UhF$u~1RP`hS|_mS&0rasi{Y0+*7!TUgq(LuYZ;@HY}g`SnP@&SS% zQUl6@<;fYe6db=F8+|&mHhm1;)btJ=o>hm6TakCXDRF5a$#X+*JdnvOVHufi-6Qod zXclN7U0l(s!MD;VMa|C1>qz5Pg;6eQ1Xpjpm2BdYO~}iv=ove{az^F&dViJSEGJ!o z37NlgIumEL*Yz--iNJ@c24+JXGdN<+M($lZlgMF-iZpHI3_C@pFGo%pVsumzdB?so znskRLR)Nh}Co+GCrUF@d7x|qJn!Y5|RO1m77c(^P0(UvW^e$%vtcuN@7og@L8FZ?pE@$|sXCS#0F^iWUarDrbi$6CH( zTpB#Uosr0O(VDu%vJcNs1|$gXm45)aA4WKlI*7NCo`w)Df72f){Xq>9V)K?2#v*nX zjwR)|5Vw*HHeNY_#0_jbJH{}Z4>S~gVO_?^8<1uA0SZ6ux|jt`fCYssDqZ}7?WLCQ z+4Jaz6V?}dRA!)f(~~{+*sOno^V@t&!`L`j8Ktw~OnW$;2{J<5HXYB9{;*olKIovj zvvffT^K=xqL~Hm;M~^Ccff6JY9%8A&iyG!yDhzP|a3Gd_{7i5L+>S6NCYn=syMYNzoHOS~-| z!bXGbbyIhEvOz%GP(Sr_CRgXmdmSG(TnguQTXujF)WGh{h{V(A^gPEnb%meV(4?O_ z6gs6=`%cQ?^^Dv?Rf<{or2HTlM^E_J-uafeR6*;5|Y<#aUWEKe6U_BS2((q8;T z``4(>a>-R@c&h8ALs(Bm4EOst90%3(V&6pzY8_>*}z z3m*j%+pvP5f4X5SsP*v~7V&%lFY-)5!lxDoRf`W$j38PbRARAb2xPp$+&_S~HpU~5 zF^O?inmRsXpdX^h407S0jM?O(&k5@#;YF4e!O1%5V|{Gj01<`S+inw4?S{AnNYIHzdCTx6JPEKXd%Q{% zYS6$e%z*QaS9{<&WeY>d6#qipE2uiH6yic_IkU%O+(`HhmIq01r5WX=Lo%gB1K1X0 zZ%MrCfmEe@^R#quiYKB$)vK8C;l)csU?y}<8&vBBCi+_s4qnrk^OmhHg< zWk2(Cba6ex(R6+5(`2~F&r5I{kmSX1@MR6&XUX7tvuqr!^pU3tftWUxz^=D^L^hCU z;Q@Xu5%L!!R|JvxD##%k5dwsE_;|q_lI}2B-pf08Wg?#r(dZ?f89BlOSn|A#$`&JR zqYDAIOqv3J6kQKGLuM2W+4IXap87&sObPOn$mXM>_MLHFq#}gJ0|Ig2O?)31Wz1$R zu7Y<68Ve zj3hxiN-1lnOJT`YYF-ybm4Pc!CAOTnc|kr#L1Mrwqj7hOioHZl!hcw;W2k(W_jH() zgm+QBsE0^O62yXG714=b`tSJYmqG@EUO5DJA%NS7si=tu=tS@&|NjC{03xE3(kQt3 zK7s-UH^7}t^iQj*?Bp&ALcN0Es`wyL5rmkh)K8cgj4=l!J$^d)>*~4(Zv-&6c!(syKgf>^ zfYTwk2O=^653BimOofE`=@UBz**nM8y7(y-e?d)x*XtgcTWhCr1e?`;*i^8|{Zk5mx8b1Sca~(Z zwmVzfl;8v0H^I)=lmV&rKa>amA1M!>`2E*^kzIvC8=5k0)_w5siEWhOiSMv=;mu!F z)`hD8KI}$G|I^(D+eW8h{!e%NKi%#Bue#g+N(pf48_YlSK!5&@rjw9i*NlD)^viz} z0(6dPGADAH8i+Xob&qJ!L+>x^MLo8%k-AQPfd1edAHzoKJ2?Y#fLaNLo#_DxMct#vn{Uq7!sM=svdPSdc!5+c(e_ z+)o$qPp_l0BC7!8E1N_kKNix}$Qa5jrQ#)+#`nk;wgk}CXNVE8bO~#W>>Qs!BMRXj z6vUpu!<|^jt2#EYsT{) zGLUc4z&s;8m%WBp2fx`MYcHCH7xC8AP|GziuPD&6tWAy%hiyT){(dRaI~g=rsaL#f z#Y8F+Tj)rACm5fyu)}d-5c6nRr2!&^io+_Q7u}!ou>1L56eq>Y&#TCBe+HdlNtW)( zkciIX1MD`6l|3PqiIC1r-9$#m&3{AN9i#LBZI{h%6LM{%x>|NX73HeO`4ulBgZNx* zDg;R*tFs+jUF~=z66wWQ;CuUGv4o;TDQ`-Fh+}F$1Xgb5D6DPE1P%eVeE zzZ2qj2O^yTn#Ya%9PBMo@LuzK#5^3~%@ZREb`=gqMDPz0WlJAtGp=&AS)7(;|7GU` zIKlF??E&zHu5h?y`4)x+((r?ma02^^qnPYrU!i%)0I;D$Z{xns`B*8Lh}c#v@w=%< z_&)(Bm*IPpB(PZ&BfWyx0|bzdDaaePE0q0%k_+z!;pdkF_~A|*yloP`S$l`d6rRKu z%RVYP3vlpzr3q`E#V^^48?H6&!Ulj>H9XE5Ry^*l*LNb!@$X;$=mk^`_)(*9h7c8` zaiGQvoCf0elmYDjP$m3=Z?n<9BRR7n;k~7%6P1P^%e(CTQvAM=#TH#~_R3qNC~(MZ zr##el+G@Kb*;o#DC5F~e*3h8B(^x%a4N^4pXEzZyUP3=YSiIzNJx=pq7Ol2cycqbq z+YYj$Ns@1W>{#%^fRANz(~qFvL&cPS8F)RfH()T;vaseZWoc9wETlwJiH6yr;k}dv zRJ^g1#ERZp10{~iK?k=rR8b>EZ^@Ht;bg`p&lo2>8VwxW@ zY#`Es%2dF`h|l3v>0`%joLul9%tzi|mNga|v|*SR?SvmmD%XId2muWr5!j%K;N2h! zdDq+hVkCA1OeoB{k$4yTD}!OaDDTho-qOVySRPR43Krw(fROfcX<>LI&=j0yt&J*t zmS^QCHOp6u-e2yQ6J7!he$+qZl;cO#A9#S0A408esNfCzVj9%!Dch&`ARIoPx{Ft^ zyd)w^ZPq_9;$x5d*95wH4ahOchVs0WUFb_KXg^Xk$EJ}kVBRoR)9|is5$Z~h`Uk8# zYjR#2HG-sGuJPW&y9&PbgT^k66R6(UjAH2t!sD&ig&dTaACKyP>>#*bZHL$o+5!F) z+(5}PT0_B`ro{}k_Grd=adfq}VpIx&vM3vp~k8aDr?VSBpL zPLIKH1=>z1>(M(>sp|qXkhwUeREHDHRxM>LVM0t6EoF8-PgPf*CiA_Yw*5v#e*Ubl zv87f+EbfJGM^@OR;J>;ed)_%G0lGpaf4r z2=}iH_BW;2^-ljC}Zh0_ZU?BH5lhBq=md{dQ9u~ zB6c1&@Y$G_p&9CjWh1@;?`F0Vr8&g*swrH9`}&`huK2(5tW_C|TI?9P2Y1giw(Jn2 zy#t^?D)oi;R7A+DGRX|?U1&#!&@gcO*h!{mG9vH$=hR+@oIcXu+r}p1i^Sj;0Uj+e z5CswHVN406n67EsMo1@YpBpBGqi#i)tRb3m`Dh-SW!4es4eh=tKIx!G9MW>0c_5sP zVM4T}&lODfy+JXQv*Rt_lf(!>x!NRLQu=kv(}4$=C$#c(M7?VZ!7;usl+55zk|q7_ zeF7)&b8tqR7e<^}P92tpbyEwYsW;7EM8cI`Bs(cRzrg>vc`acISbl-pKRtf|^7~x^ zK*p8DAx&S~-UN8~Y~yZXB0A^$L70h+U6s`jvFUsvkz5Wu%`%Y(k$Avxu;3V_r~3oa zCNc;RSZLLKsm)rXCI+cW^co}$ zn@Q*DScM18X* z(Cz48YOg;8+ZCJWY{0*KY0D|Zwr$ch-qG?X{*7l3E&$d=9@!F`MtfdRi91cLf)Ifp z$3yTJrrjEnO|=*NCiF1(q)B4EmvUq=m|ZLMp4Feqb`2BF{GfwJh`si*7-X<1NIsYf zdHnct-hhs2`Eii2SCh(?yazJQ)Mk=k>q@cBNf>n1jTa(F0-nxt0tlzD2I@(fMYBY@5U0T`sYq@Gd>GDXns>Tu z!!G$L9X_7b3mwa$D+*Ha2{ywvTv-Si0TO*I#MWH+I|T_gbDEm)Yr&qQ$>gJ%ql`bP zAjYsm(^}^pO2sla2vj(AwdrFZ7Ued_;@Ke6YfG-}+3=b6}Ypw4>~B<;=h+F;}p zup1^b1KJkCSR5_%v+m=88sNKwypo2MNywW3s0%ayIBsp4C602m=lyE(gyEH-z`?J{ zTVK7(8(r{{-`L!%L8V+&6)*sn{jxNtHIzho7moZHPY6uGIbyWG#xIEv6+G1NFwIkG z&_7ScMU4bopx~dyCu^@+bbu^kJ>kfw9RqIJ!W_g6{{C!Sta?EK{R{@3EynVoSjfu$wQ( zn~J*GDtz4`VTEnR8MQ}o20zNT4{yhZGvAWJY?GwtWC>f`(gGN!hqUxz^()?$PMeB3 zz%2BWcj23FNFQ8YK`u44y1vEBC>u7&KC0ln=_o^fs~=5;o8t(@a5~yHh0?ojfIar| zZy7cKJ7t_8$+hpMuQKk7zycY<^rX2(K1^QZ!oAST z)J`Lc>pULkEm+g1ph=#q^8Zm3!@V1aD+~IHJ%5`gFH{*`(cnzzkXQWT6f9e0UhB7e z&*LBc516BLFiq!O-F*tx*R_&j0w35`ePx8W$yb+kMzhQb^2h6UP>(YcnGokvbUu|%+*_BD` z0_zL3?e+Sp$Zx$!bKhx9Y8ngN^)TCDxW^_Cl!hr}*Sr%ntRzS{i6?zqJf^F9+EmyV zVXG4+t5PrKHf{QprK9-FS^30Rib=R&10Ch@wXe~Mc)aTYUnu^{zYGkB9|TW1iycUE zEsuCJNjU2<$y#fbW^)Z*QS-bg*N2)WhgZJKFJTje(am>>z4@wWb`}Z|g0J){-fmh? zM4RRN^tadt6an+OLR#Kyk_p@DziKFNQUWpFGc3EJwCQz!o@XvP7z1d`Ij4 zKg=$G)Nl-Qz3#?ucp+67DBQ6Q(3uAC&}q*kH-t!`h4;Xcf;SwB@U}Ua*6mK9Rxlxh z^pZR(bl-<9gB7jT@DogYSO?*pH}E7^N?=yrMyFYrW7ujry`{DZNBXtoHZx1p@isOV zmI18Z_dHBor;;oj)Ap>l6@Ov5&g^1MztZeR&kSVJYN#}R=9Of;g`G(yx(^{=Z+;Zt zhuUe;Tu?G~%}b zQv5g~7S~be3_NOV`XG@?61ST96?K8;k>c1koCLOIw$?5=onNXG@T3vad! zZpj8Q%~-yQ?+g9ss`?r#p3Z|dXuiUG@{naxmKsaXwH-GsCH{w5F8w)IE$s9>hi2PD z@Uza_+&nE=PJ^gw@ls6#kU)?W7m;M@B>ti!0&n2Wvm8_}elE;!Rb)1_@R#K?F_e`L z)K0ue@a*^c!{y`qGxnCzR@uS&!LX`!*$jjYT%@LX zj(1OcruQ{dh~|8Z_cfT*T8V+#t&<$ z?5f$Y=D)!#)8P!~C8ZAWhp6ebXZg{2dp!40lb#yMzYHN>={sPP_{N~@adtNGShCIde_W8BF zNvwSw8FfJg39h@P2l-TPH|HFq?(awzxMYH%iEqe{Ujw->LT`p+?E<8ZKaSLqV~%4@;?CnL zUF!AYA^P0-R(0gyF|Abe_?;NXOntMVOWZ>JB2B{Dfs07joog3qyFK&fqOcyv^^0{W zZw_2c_q@J#G1Kezn~TGHBUVl2=)AdXer!W7SJ=HZH=;NLheZ1NwY5eL9_&BO4;|lf z+Av~z`{}4LOQbW=<2ST72-3EOeB-32TJvLSUdDZ6nGCcfw(d>eGI8eh4zFqUH~vLk z=Kk1zHg2KXd@g=TZcG(^U!I;x_RQWq-*x{PtJGU zxx{=SY4?V)THZRhR%_pvxbuSjsppkNrvJRG3gZr*Q^FjF-k%mGAN}IlupY;L{XQ(Y zRg-d&oQkYl=sX+0ezo#Y_mllo{A=4UrcBC?SQGtL|2{>ocSkHPa(_^DvZ&`rb3{k&z3<%# zd6U5;Rqy2^$G_>-SauJzgv~oKun%MVL7zK2H<49E_)a~f;mfD9`9kCMbBeJ#a(P;8 zeQt4jm+T)K`#w?iqYp2-)9ypN7bYG@(u(OTflIPZo1V}#zHfnb`*c)zYxnNA3R|Cf zr#Rnn^hd70^L%PVk!$3bw~NwB*RC(_)pGDc-;1dy*XJkvc;oE>*&Q8yP2SD%?+jeL zI{O{dyhoIa<~*T3GO?d!&pRdk543F<^m+!>Z1)v3UmQ#ZHtGg^p0)5Y?~cPi&JIko6qpHC7O>xM0Qq-kSGjO#@Ilt~Ag z4Sh|n^*+tKs*ZR14WGFBxp$%#ub#Se_>@^F%B+5*w%>?8=Uq`FraSpfDFgBbMGc#g zx$doz%i_&Zqm~WbuxZqsyW`&U&i(1;dtnQ_z9roj{&sS`@}+vl8Qxda(U$+jZvUb& zUA84hk6O~4ysmFT_NT4FrO1k*=4JjH>{y$(Ioj5$cdr{*6ubM82#w>+&~XoCh6?3P z1#ThGTs}jn*z7y;aK-ea&1VK~-R{zK8J)CCHDUYd(i0$ea$(YhpAw@ck6)6VGx_3@rghQwsh@30c<@;0@TzAoPdFUhXWV?I{rk|-u?%d)t)^)gILd59{+IKMc3ya zCcWX<6*gU$*LUgkG4H#?`iEDyw^oeKXk0n)03Rr;f48w-oN=Y{1#xD_^2^(2?wtEV z6m`Av^QH$Y*PLCSKXA|V)BdN{ZdzFzT|K>I)@OkkA7y^A=kbqbe{<;bkLK)ejf#7q zYy|sI+?Q(iTNUw-gtWzVJ3sTn+??8Hu9QPlS)`eD?s8w_nW_1s=ly(b+35Mde|vWH zf_tZL#|=dL`JD?x-pwCVkeW33`m9jX@-d6FpFpFjc096Lxv?STq4*iJdvN@q{>v^V zd=j5moZkK`KG)~-)hEX+X0kN?CEN+8)W{b~n;LiC-JlyWHoi_;+8EGW@3T5ywcPy4 zn|s=q#?JVneOdgph+WGQ)(zdYqU)}H{*}94o?wiy|L51}RiWZLyT+y+{nfnMY3};z zYW~fkkFDwX$s>=g^6UtGXzZA8k1*Yg8+I|gc>8@F%G`hGV!rkG*T4NMmZ+%(5c70! zvfqy;o@r1Swv4g9|L$)p>)usx;Qzb+^uNX)()f)2d}wFfA+|~lUG3m$^#KY#^C8q7 z=mK9#YbMuBnOOtf`8qZK!N2LB;r3nr+8a%E9uJ4FP^JFWW2?I6?k~*UO{?{}`}gPO zQsJ7y++5xeyBq${tLWV%PP2diZXB+ma&vJP6oMg-EEi7MT?l7E_S*vB-0Q2!%`L=H zYB-`?y}yt(pxro(uUF^pr|N(AdpVef!n!NUGO z-}b+j=s-TTKdCiN8?ZoJi1>D*yZf!P@(zBsM`vrHI z3$7ln+^SA2c(xjT!;Y;q9}Q=~9>OLj7i2G5e$`rib!j!X772+HcU8ls;U6ief#2s3 zSAVb<_Ef>CizuIN5&TU_^k&Vjs;dye=tnJ6YufOdq$&=L37!O-$#FqK6KPI=xFGZR zVZ2iheBWCWS)x%VUZv_Nry8BW{dN65I9yE)*TZ!+?^AQtBoRM`7XX=GJdo#VC=K5NTjz6)Q5C|7rq*NxPJN&D)>DVSwH+WSiAo) zVE z{Y5$c@6B-FQz3(!;6n(%69WH--+rU_@jH=NkMxvU#~<%~91FUOy^qI&s=c5m$4}k? z_(e834oB&6!o@p3gx?Oo_(pF!S${{5=N+f%*pt1F_lB*v$%tsUV8)#vLIk@mcxgOd zAAbB~_(duOoy3v-)e8`7PRT{)6vUh1S1J5~)oOTE1FGP8O>Sug%cD}#O_PgQ%An3I zrQu*8Sc|3}(8F1|da4AOaW6Q;pe|)`lHQz)W}5NrU@I?OPDFjKIk$8(RYvrBHD%6a z!8x!l3Bj50{XuhTHjpSa<2+4@IR%f7&NZ9Ox%^%#LIYO@f|ZYHQ@<3n91h+85}c7* zYNpL8r59O8cbLQmpE|b`WOS^@8-53i(F!gUsu!ZwzWzYLpfbD}Za7B_8@pJ~`~eoT z|MyOd`F~y~|J7u+EGGP~>s9~oz+Y-rFMJHzbWktx@6hjkF8F_>`#_D-ct66+8)Jhy zex0G;)ce%%yb+~{#`|$!-WZwMDTzoAkNsQP5eGy?-#IhqmFS?xVvsq00*G}YH^lbt zhlzPN>M2izE&N23iYM~L?l(ZU2Ve#$olik2N(ur3S>ZF3PMqxP>a=*96ZPbKsogd@ z0;Ta0YL_j`h1lMp;OUGm0sYRO5$JbDcS;pzJJVkS3C{p>^26L(92D_H$>1$^DpUWK z@yz@br7a4oc*5Nr5VCMGNbzLippNIH|3k-9%126iJ_vat1>#~s9Z%$@vQdhV9aQox zFfR%!dBVOykwFd5KDhGn=-|2oBF+985O1z3f7rhd$NqQj`jmQ;|3%y_$X_4$UIW=# zvmWyw!{Xl*_Fhy6ozD0vvo@ksDM9V@fb**s)_vg17^IemyJnzN_q zD#o^01vn5(u$+N_(!OyT!85?`)=wYQLR`7#mJUMK0lYXEyB6+9xk1zb=m>2k!z88o zo9$}J(L69nNG@S^0z1GryWE4)ygk@@5H?LLNBF2ElN})5B`xwmRMcCDK<@ff8;iT5;wMlsr1iHnu6A_GQDGSY!BmrH4S8OSz10{htt>Xw0 zQBV6gt$Vym`JEsqTaTROhurBZwKLVV5>$UrYR67g0ipys={7MfYqF}XLYb&S=}=~N zk)WQ{ACph`m#kB@?jn`E3YC10GJjL1A@O@LY}j3NI1ep~z{+Zs)8uYcaldNW7hG)*yh)>weE!~y%Y3Kf09oTaM3UmH6^D=_kU67 z2MqHFq!qM=*uG%aXc#S_t-!KdmD6LTp4EB=bS+&TgPcjk`a4bxryjr zMk!Uxn&&^icWhq$?<8 zuY&I2Gs{_FOx7!?Jxl>ouSZBpyAHniGDw`lb^&L9c zK`O5lA$Rc&BwY}n@C;LvK6~!edK^!&uh(jRyTHB93cvFu)LX|QtYfuc7zf$@!fSWG z7c6Yok~a}BD=|6YNZCBObeF9N%DG)RhH5uh?#cVrg%_X@XY@gAaYHd`ShLF{(Mqz) zp9G@ReY^OrqLEu4PU`)MMyt-Wj03hQb)@wmOTA4ym3fF!MbgpkU%Ehly|0TVTPvEOI2@2!=)L`w7cL@)^a_I8yrHf+|;tdB#j{WZ!Y&7~@UidEKmny_?=pVdio zuL?s`tT!XQs4xLBb0W=1BfZZj%HI;PpVv^Fh-3{`rbH`mqVvb8)8ZJV5jD)ie&#Z7 ze>@DQ^7|T=L(>A$yvB8GVph0@BeW>`<`z5%t#u@8N-tLSBJKknPBeZ&nr_oM&Khij zG!FO}3JkPz4Mt9Bihm%U46#HT!s&PSq*r>MrxZ^v&T=B_d(mJtnOkfnwSz=w%cImd zJXmfeY}V-QT;uyqrDKR-P%4F9dyf~ZS{^AcM^B$0*UqBvUla& z>8N3tcj2Wflbz!q;}`E)EA|EXa_ff-WtT3|gD*V}Rn!E+6zr!KH?3SQEm?+GMdB?J zX}5`Jc-J)pz*X4(rgRSDNqZ3Yp@AR6XWjjD5%%&N)YMdN$ zSATHjuH{{?j#Un>6jB5&xdD-G=T51=t|Hb&R z|8Um7&fK+0(>zJ&iWcfbIz-ukNx}T9P8fapXF!qKa#C2Y%$v$4A?YYiXvvX>ci}Ja zlcl??JqJR8Dbi=6RKLzK)wNl2t4madvtc+{s1m+5zsHeGXL@@^O*nR@;Uus`V=PDd zIPEy*+UvqR{!6EuEW!Qqzfs{M|0J@=1JL;+WSY|n12Y-H*U7!HurBjCfj|8y@hipZ zFXsqJ`5Te%GgF=Z=mKdS^|mCICy`5hPgiUGE-6%;=Gwxhv%SD4Tf6h-owgsv{87J$ z^6AHV+0VtaTt#0Qo5M^GFwjZIMminVJ)eOFj!`XRdbCMt9w zalwHQ@`&BKElo+fga2@4gGS_V2tzksEXba-puRT@I9Tyzlrh2Y$UHh=-%C2<~{z< zg0|YrqhaXwoTFM!;Ve&&E-eNz#;xko(VtHH_A7FtBa4ouZ$Puk7fTIIgv2!TW@CV~ zvu9M!1=LW)b~U&0IaUNj-jEq6SZ`Ti>S+ANVt2$gB$df1n9<0+Z;@rhEeKb70O1KX zSLpfqIWjR<>E#5ZB8aHio$?LXBdS6JTD* z<%>*zE~^T}IuV<*d28nJbsoeX5pwLabwW;lC7So-nZt-3z|I#g+Y^({yoS~dL2q40 z?6CB%B|8udr|zy8u&2KY13uV@0BgFp0J9!p@u(*eYX_(EcvNy6RVE3^$Yt1OWPJ)q z9Ca5SDx6}zHy%Oi8N2$-H3TO-m*s``An)D#3K(ea0j&wpjPyVA3o2|w_zTz(GfEGc zROnVawzRXS_QT#3*vooGRU-)|6Iq`jcccmq*rCSv=A*Im5nH~O#n&#oTjGtS99uH~ z2bD24*}*xCRw@joc4*UUtr;eEybwEo0u~RO>Z8bPWe+C|gj6VEahinqtdlHj7JgRF zhmu=t5&P;i7i2@QJ%kZI)e21|g(@-=9&64HkYaCgtq$O3_MwVFBRdo4^~ zu7xlU>R}Xlk7Iiasjvj(dgz(CH2Wyq=nPZZRE>Hvs3cTH#l!ob#fk+LPr{CO<%w$X zxbfpKw!+k&mTor8j!`QfAQ0ssT8har2!@#k>$uAdGl+KfH%05%IwnbBb@K}mTWZ}K zMivQA8>bQywRZs0*hY>uHbmG@@ycYL`HmA~9cg4D(^W6VDpy%%0({DsS&(3W<%RoT z55tNK?n{e%fy#T+^r)yzM$B*F<`*nztlUGulXxQt;Bc>SFvHq`@-7NS1-M}lnF#N&vMdd(V%9)v zo_81D-}p)d!LJk{+KU$WEy^HseYz^2dQJSKz7e-t<-`5oR>Io*({l2`1=yN$Io zd@T2B9NFL>#>P-r45MYGH}aOjjC()!7A2A#@53;mZW>SG@-8UxV2jwv^CRJX0~tc5 z^f=jR_?)B1I#Wp>SGjTumQn6m#2%IDYu|j<-pi5qHH7L%D6rJeB@0L82fO}0-R*V4 z%`X1K!bCBbDz&FamOX>AxX5(7BNS#kJ&HR}b+UbHD)+0=zZq}DdF2oL#@i?;kP)b@ z$o~lX(zvqw_QReJy1)W5zoQ$O=6_7e5Hl`$nosam7tum*pGW~jmgvO zNE(LiY#-^D%6U`?X9xY9e!dRm*coD`oy{6yetMoIKF@Z2QYZ*%tl=)8xhT~xE2qLL?Cl*RFCr_wag zI@DmQinf)=4U|<3J2s2^T`NVC8H_Pj&h+Nghq_Bc8K)EGQHontI6c(;Mps`QKi8e1 z^3;Z+8rSzSi?eD&T^0VL;&#`M!Q&oPSX>2RIB} zcunx`D?e00uQA&`K+9}4yN(&Y3}atB{|eK>nEhrsG@(7S^jX7$+23wwH|0-_U~-5W zD4_DR+*qwJ+H<3u`;?Y%H0{%xw`lQ7?^~qU8bNyoAX9IKL`@oqOg=4b8&()jn}jLU z0>0UFIGpb48V@tB~f|!h_#F^s4*32H$P?Sr}Y)hddz%M*t|8rAR79gW9!Xf;lfwf zO6P5{Z`Se^LaJN=bXZCzzE_84)FGRlzETEU>X!k5VvtMIh z90`som?}c=ue9kInEHvP(nvCeY0`+Idm0)$hqIrF1vV09wZ>Exn}65{OZp8)(!l+P zWwaV`sl)4h%sN27c{9m8x)8t+R*Q*kWBc1@NA3Bn`lsUv5ODl^u8JhvxC4 zwxFh-+)t5Cj=x>D7qO{%smvIfP0RWZT62m#pt^h;@LgIri_#WLu{g*Y8^$Ip zWr+QQ`z)Gm<(IK3$~YMNCD}4ZtfBva3cLyP#*v=`&js(Zf6+fLntfP4iRQ0E>~{R7 zdOT%_We!HcIJ;RHL&-Bj_C3f>1bP$Upq&o~SoI$ZYwdu z6qA2Punq~OxfTbT0~^dxIY_}wU&;VWyAGFHVebTcZ`t5xo>#HEGDetcIo`6@`HSNudoleh_jX(v zV6E=&k%Fvc^*E~`L|iv=|Cd+nno;Zw_CW<+{Ym1s-y7-t55cy&VIEYy!+IHVW>JRc zoYs**3YaiWljV|$2yz0&E+WSEl#T`Rt1<0PI=U@_IGO!gT7c?mhzHlw5G{NN?m1{p zJQ-r5%B>*u5JRWCN2=VV1Km~F(@RB0a>un$Hg6y=WWM7*AN%VMg z1#o`3qr4sPX?~O?d;Ao3FkS(M&D#PHxcfP5VU|akZB{IETdeY4)cQ4R$KTrTS^Qam zq{=W{m(s}AgIf4Qafc}ZjpKP?L1My!+7t=>3V15Je$7GHbHJ}J31)qE{XS%8#>wdqWQg?GBU zQ_3W*d??gi0Up3Z>+D?5o6nj8I>oG37!8CFv+|<>?8W=J*JIf-_ijpwW`&QrzThB{ z*QzE(v*csjRQVbr(LP_0gSCa*B(PK5uVMEYtuWNOo{(uJLlO8e7mSL>kVKtF%vcXy`51e+u<~atFY~Ejzl|av>wyI6Wh!xPdZaBK)`f}& zHiQRmqB|+AQH0;1;?ghX`DWA#>j|p++s#sy*<<0GjrKy5kQBK*q zC@R(vU~#4}LYPYJ*t3E3vbwt~dC1ux|7q#(8HlXXAdGiBfY`Fe!KR<1#J%Dd!V?%@ z@FTXWwG6#(Tps6Rv(h5iXrGOpV${*TG!v6zm9%Dml@MVcD&~V|Lk==WMiwU{{sT)s z`;z;I5N{u_{{GCR(<|SG2u0Ryx_BcB3|d)+hS@NG`Cb(Q4dPvcurKZAd(c0FnlE!f zOGhc^^~^CXw76-QY0{c12D(=m+H=64(H}7%Yr*5SLFHC=xpFe_#G%>pGsyi^sJp9* zTc>T9?CWlPi>Wz>VUEYX&i1grMo{WcU$e0#sjBLU@^tK60MFPUt{jJ!&QRT(g;vf& zuP;`mhg%CrX3fOb+xnXeiyD1tPLnm6c)F_$r}b=C>x88AR8C9exBku_YjR*b z?Inbz8GCU_cPxCwhh>eY%AQ9b)S~?WAlkZTvO3#kUl&vUDaQAr@UAG#ugjmWzL$t^ zC1OXSvxomP)Wx`7Tm5Zyk;7&>0=&Q_qp85#bf&vL0#GgX)EH$LVuonUhdG4eN6}dOljRjw^Y>XydLzNyCniLaPKnBVRXJS7U9q6X!%qaZWm{H zVkxUR3_rMsqjTkFRAd%lN~#}8U(s+9MHz2Km==@+D>r_W6`CZFh-@>(Xy`{l8UkF| z#v~fPRIq~l4U#tV(aMuL=@OX1d?dx2__4}C#MvXDGACi?q6P+-M-X#QtJ&W4TA_AV0Xixa??G&BJFFXv zV&*OTzu0^8@FuGEfB2jvLvz~9G&Aj_nY0-)p-G$249&Dj7a)*A0xh)AvPoIflF~vK zx&cK%i`m`2+2T9{#s%XLd%pE0zD!sS9tk$nvx?mSG^Y!})e)dtx^6QEOsxaS<4hdbSv14v zD07l{gELDn9pcCC9?RkfiV&oNwr@v|?EH>d63dMqVYQ`*YB!nU7x?5{A;F)>CxN0} zoB(B1ran9=5*vN?4`RYae875C4_rm91G=L#+wjxY&-JYfgk&Zr%lVqM^-0Byl%AT_ z^O5BvMfSFi6M70?fyQfHE7Bn0IuV-xNGwNo>G&yhlX!m{0V!^xyyCBi_KAh}HD42oVn*q!W z+-*XE^r+h>_|4A|mwV{?o5Ml;5}wFh=>zjn-fXIQp}5L|v3pGYd1s$d3p&>B!R5FO z{0WZP5WFcw$Kv_CoO{@l-H{yg7R{uOYCbg;X_bLd(mvW)JfDo0E((HkL8`wG%%;yq z`DY!z=FL`1PngZ%{F1&kC;5WfOP?x_szc>4)|aBt!}23N%+EA8(MNJ?qr|@M^{WG} z&Q{ue`4dO7eOhKoU*uk#9}i&>Hb}b0Y`lCBJQZwd`(Z?zF4)9T#QS8FX;%#W1fNs< zq0fkLF<;<)9-HDu5ygIMG_1<*V2R1zQ*eIa^4X9$*&?h~iqzgR9n&y`Ol(>2EJ;*y z5poF6D&;DrrH8y30qgXX;7*%}l8L2gACd>6MOzVZd9Hd^p{(G&QSIM(mKQ!omYB+U zLd%1Z`Pck1(yP6xI7#$siAlMTnDe&JC&+y;zXz@fX|-i8AgRMM;IA9=efs|{+*72W zyq~qsVF_G}$!+tF(6k;{JHk6rt<2DPU24-KN&GU#;dV6Je@UA0qKdEg-htL0;Vp$G zwo;jd41*ZHca5Iyz2t7>-KCNzAlERv#SqxldX}#(o&lQb>XLfoc{g|rFI()3e=?@S#i!&>#X^dK(;>xqD_8X(jLSqJ z%^B*AUqeZzOXT=1^a|p6uRW^x9K8!5UVCZ8A9TQu*He3Gy4Qrd_KLySiwPtn&;djJ zN!0ZeNVo}y3gFuY6j~^)bU`74=k~(o>krxPrd{p|a<4epkW-z%7b#cowa$-Wrxs-b zU#l?0@#)o1=p*nL^NO|rV;jnFo{4>+1{Hq|>kqW7(Bghisl)zbaDI5Z=6=sLiforo z!q*I_Q({eS2g$7HrSd=A+*8?z{L!EztB^kiCiCAl#WcT+yU*s{d1BFrkBhAq@|gHV zSbU?xK3{8ih!}=Bxy~Y34L~^~CVfjL0Ft8TE^xuSsoGhnpg(GV+;E?hx{duAiYlt< zEafch5J6y!3x0*{>l56W2OmK*N+Z6s?7}<5i;2fKl9m33;yb*7D0z#@ae^rR{?*Q*44avj zRK8SHS;<8IShkn_BrA9L{gYX%^%*^sM*64cNyuA){Ij5Z!yw!)pF^#`3%#5iM;`M} zQF@})sifz*`GQ4wRW3)|mj+O8$3eX*-_p)c)AIG=lmJBd&C{s&oWJ&3|ETmC)qvf( zvrzFeC$o9W=225?(&Yh#5MrPMZX2RdTpg=po|&M5nV7;x*ccYA+A#ZPb@@gYvQ z1(fl3@%b#l1*ISnWf|gcIL#;hEp(w*Ok13ke|3JothB}jC0N62< z4=dRFqq^Uqy!^h1>?`fPh%;L6>;fHf(M`+F7y>g#+ezz>iQZ16tV-RjKk$rrRqq}l zn9Liv&rYmXw@FEUa}An=-y` z)e{)EKLD`qyI7^PmBd_^wWV z_IyRAhRhY}p zi{xocMdtT|S&_g6kSVRraDU3qu-oU#-y*)hI5L_1gk5aTWHn~zaL+}L$=y8w+Hkm6 zk6CXA-+3h`k(-bJLnfD(R}IoIKO5Mmpfv;K{mXnVEEmL1uEy-EUWCWr26OQ%!kv@8 zbncGxzk)vTjuVtFrfY~RHTP|`|2@;nMUfnXMG-?W19i<7zl%|J#WHE|-85TIp6grz zM#ttJorhV$0QEI)=5%!E2%AK2aBqSLpnXXs(8kK_<7}VZ_bJO%RpZzU80-(xaI>vN z8OS6P@u^YZtvtewi1x2wi&p7BTzP zP(f2)Nkr+SEF$FyhRCdWH6)=(Tg|3$D=|Ttx2gCYV$x+fCapEyA1hLf?LCadv?J3pLf)}% zZMH9tr5*-|i4RC0=4P5t3`84FIpHR5;YIJq=-g4bJM$;rqfyGe*gtS@hfpkQMH=(Ij&0Ad6^(UP>`rFEw^f*3Eie)eJ?)JOsN%mg))5cI4 zN-kV4dN@UeojO_Rsg_Kv`-GNMg~qZbajTw~{2};IpB(wHbGtVVOYeXQFdVf{fwy6( zY&8{7uihoOCcF$ zB)dTm^2vfRZn~5}diwj}E}>Um8pl2&Trlv&v?G_ywod5B%o@Q>=tmhjfi3c*ug)|f~!#A6E_f}x}V_Ft!J5>80Sf|zXH9!a%y3XJV)Ki!J25Y z#;>J~Y`yS;Ajn54=e(YB8EQ?vbob68QqWoooqaRax>Eeq2-9raAn-lxMy&%`p=u4O zkXLEIa6CGp{>$77gkP5)qt62wcw_zR_E@cFJFSTGwSodE0{21w9UYf*MA{oTLXQ~J zO9%?l>%htSQ;Zmj13yZ;;aTYCbJxEWN?~_97O{_5PbQkDu}MY4F+D+naeSn;S`%ZP z_hB4#`6c8+=w@dwEkCSMc9W|eYix0CkD71tF4LNrc(O=7!Weo*yEWr=PC?7(krT0wcXqb;u>=0)0->S3LUF2F1GS^{E$miUy@$-(+$?`Exddz!sjD}FbS z6xu(sjgNJv8`#1kHLiI(SPECP+heVsF~ZM2__8%8Y@N{n>2xqxvUAoPLnU=+O&-e0 zhKS#u{x6mUFsle}D_Aw71oOFcvT)A1x%Zmsm@g=5Q#CX}%v1gz(Rae#=OIVG+cvoV!g%2%?fwL2Nn9KCt9=%sS;3G#h@JZGT|9aO(mu_47*;5m=A(mqPosi3kYp z+4_p3i2iPNJZ6Uo9V?#0AI_7r(7GzLs8Y)hX;=uJ{a_bzH3&bvbX?H@z5`nb3UGO!(WInpKSXH!G z#n#KiaP!&zj};w7FnhR4ggD=7)wL?bS2g4#-)!XgN?2F&Hll6&@>J`)cJ;+%Cg??T ze#xU~(tJn>$t&rNiXOow`KqyJH1EBQ+;>i{LJbyl?QJB#jfCe)%-A~=JA%SfMSZb6 z1o1D+&*0`%-)t58Lx~HO+@^x&+Xs98zH2sO=jKHBPrWunTQ)x3tm|6kq^`k1p4lCJ@uRVfyJ%SsSqiehIs@<4vU6G<+cx<&Ee#-MY`D*z)^>c(6dztq+W+F)M0o1wcC*IHpJev zZ$3=2kce`&S;ZDU3%_J9iNoH94DvmKa>%M&h~xN@!eC*wP$mA5!rr!UBo|>&_IQ*@ z-@zadn#TSVO_j1Gkz4?N&2-ddCKq8*!?$~XQ`1dsNTyUSrw~_=i%8|c-MZW+RB{q{ zr*H|3OMc5`L=FS7@Ft7!)9G0yr!m_y`IU$;#wRzVAP&c{)-4+mIqPTHex)5~p{Qa9 z$S%xhE;`pE_Y#(mp#BZlHlosv2)ri+@2J3&n>+bC0Kq2KC-)-nA&oaRnJKk6A2N&o z?nx??FJ;IJb59^ClUE}9j{{-uPIeMm?4RY9oP#pF|5gbD>0!oxj+e8?>CWCzINX zzLh-%QP&)ZwTT55>J-~1PVNcjNv8c4OLHG{Jj(QKM3AP!zpliUv-5<0U~J8vix%}m zvn9kmF0sG+_CQpZStl20G5>-HL^#Q~&+Ixhsoi#sdBEm+B4<8bv|!idgE(gxEEwWV zpC&W++n7(X^Va4wZ}!4w?l!xOC&(AG7|H5Cj~zH@b=xT~cfd|R$S>d)XR+x{^n^Ql zd|aT~zZuI^F-~WEsiu3tP%eOkgfH!PSRv&V0)+?ctl!z$C%heSvudsTvm9XJ&Ypq{ z8xzfrV%~ZYM&-xm}Bxk`ysT#-bOz&-a3b zw3{K@IDd-&OSadEcZ;7A>tZ$?Y@dqu)=U%2QwsN!F_HjQ+}adry7;CW%smN|mhv-_ zTE(>~rXTHO8h#&U#7hWFl!)6-Yl+(8A}A7<}xy~kb@ zPoyZ1Mbkmy_5x1l>(RqABR7P`FOhXU#7iy0R=!+_%PmK!&q}H_%(V1(Zs=_&sI=ZY z!oQQX8$RvLS+X4S{hwho$qZVM|7pJ&C*$ePiV(>t@%M04nsQtuRnA5Bq5VnQhx5$m z^0Q69KSU2^gn{zg;DUp6+1=U96bE{-e};4HNb5VUPKA5N#od$U87Qgo?_jcuzpMmm z;m}f`e6{~jMxJobHIJcB7oH+1?nCAjyCOShY-yc~8>G#EUE%Y$_Fy4^@Cmnj9O z*_UzR=h5sb#p%?N&5zGb$a8*asIbLo>!g7oH(v^UVi; zMUw_y>`SJbjPkt0$U8Q+xXQj#e|ieHB?d;MH%Qvu;J=)qZnw7{5$DBBKC5uI>)1g6 z7befe6-G0CC8i&=&fNo86U6P~mlZmz~~k zUdTXV{VDkwk74`@?>m`de=YN4>~B})y;0&)t!XM@PI`kMML}({|HrOR@NmH{md5&i zMEF5#f*xnsGqh|*@B(uF%rONlT4#ErzIliYJi`0wIlvW-y!|tQsYu-3Pq4VZWe2i% z*r#hZImFF+;$nmViHA1Zpi%-`7;4SAwdS;e}jin{3`h&?EMkRshEG!H&!is0MQV+6HD{pWUfT|8P750 z01{t|Hh-R@qn&I6q*_e$o#`R}3&DP@zw~!BLqVlFpv*>W#R>sW`cXS+h~7}!SA1Z) z$r+tL$TUkwXl5WoqQz>heNc>dtQt+?i*R@`nTjn+5gbGn#k2;Uci0E~rWg3;`I zWS09-$#~4I2y*Um*0LBfSM&}Qf6f`-&drNw59WH2wUReKejrRr!M3}okIWDiI`$2K z3A3j}mwbqdm--f>hpSYVKb|)QqMHR`y5NS!VlsP?-}pF)^|QNtzo~(W@cA()cM%X( zvD<1Z(KVpu+x9J_Bopuuk0HM4SX`*fIrVUos;mVI!yA6b){Yn<{R_aedq{o*xjn+< zg{vTYyCD@hFEPG))s`8E?85166V?$!!$Ra7s)KEi(!QW#_f&R{(-;~%S?%HZp8j9R zHa>3h7pgHJ*H$2U#j2Ue_aLJ8T1|=bP9P6)GBNJ> z*-#uP@-tzF87mNf(teVuy#@PLKt51yCc5Up7aaK7g9!ewx)u3GVb2;uuK94S55ECF zWukANLgdGf9?`7YgdmPz+o9gF0O8k5!egl4iJ2{5T$3V~T8(V6% zI|Om@1J-Pg3B@uuv&`jsc@n4mZrRE+F?!sa9c&(lef%iq$H)#iO&AiC5d_u_v79HC z%3^+PbQUCIy>qD~D9qASYnOoSfI`Y{rE-I{$hpVCy=&oH><6qEv%iU;^s+d$0k}xz zz6eaZBYH4M`XRQ2`92<5O%*0wzyuP_zZtff$T0WgxEFJ3Bvnlky?Wkmbcr9w61(_{ z!TtdkJgp;6!CKHIkY3JH3AD$aVt3xf`GBmp)Vgs6<%+U%T!8ze2E(idDclb zz|2!t7;@y;}p@+04VfK^1Jp1r`$ zPlSlWm7a1(EWgP4E+Cz;hd_1lAA{Sl!!J5rkT=I{Gr;hLcUG`|RSH2t1~@y0iYZqV z;A$A(dAGZVXt0+YM$S)r19!arqlEUSj<&F)#L-D$5REK>ypG&)d`GZ*QSAPO@^k_P zg&UGC$*j`8$g>EpBrQUdoL;SI{y48!<1eibIXk7_rjkYeDxAvf7ebv(a&LAUu`)?o zAo1vHpX;D*;(m0>C&u}spq?O;-e{^e2A{#_jxr6sSQjYC(TM~i)MRPSMkh`-4A+{@ z_r^8Wc&Bjx^7GIah9UQ%(0*hvo$e#PSL*(W&9jblDDP{eA}7j%)L3a~GX>Z$ZiTHD zy<#vO2gaI1>^jzIUn&MJ@^$c>>tCZ%rA6$5;vvxGF1m$HMYe`cOY|~^Kdxw zyz7zTK~UN-OMVnBY=9a?>M2irQ68Fn3zG8?x@ziYGu>`e-qeIGViLx|V%s{EwVDQQAtUvH^Iad?gLBPdd)n+nNen2yVy*)hCQ?or?-L%`I{0 zxQ#CBO*%;*J_T%0NBekfNJ^w^fEiS((@MRtmCCL<6`X0W4}$GKD>zI;zRUUCdPYlb z65PT^+%g@>&LQC?((QPrkOsHUg+2wtA4);)Z>>a2T*a>U>bKHf<(sH%hsEWy0M}(W z1F9}9c~k4kB9QpqK)~{i65B{oZ5|Q+sFM{^A(it6!v*&0A|S>P?#u+7-AK*tbkOF= zlV?WeT%#9ugyI!yl%}B$NV-tgpQX6PmTcGt#kLJCcp2~?LhT^r4j(~Df0V`MvY)UW zD3!g6EDmgO-?&R0tsPNf5iEctVAW(e_?T)p+;#$h0YnOfyNg+YZlD~P9l`*igJYq= z_#;}kV^UEsxVcbSS(SG=X7l5(Q!M1Dq&wK8?wUEk+d`R;0fI8}P9Y5d7B1Fz1M!eS zxr>qX3{?qd%7ae_%}G$~J3dx=hD|g-h(f|?=>^tmz6EL!q}OmSeFPRdTs90#Crj)o z_f>@4?q)Iqs$IODP{io}Nf;{Z^$kJpdBj+DZv^Rd1f3#`RJ1B-ihm7u`qT5GF-k4G zfBZejQ+fbX??dryfdco&DpW794N>}-*ZFWBP@J(c_{2PXCH+Iiao7&I`N2#CH8_Ho znxPq}R8`WsaM{8|9wpwwW$*38a;R~XbA7H#v4@sT#W}x_pcPQh9wfnjxXB{h-(+w3ijGmqo9AB6Pw3sJX7{TX!|` ztelE6Jd@fP+h#cv?fjJW=G;^S<;J6+oOM*&9tiV}Vj;1_v1h!TtQg``WaFm)iLsq6AN--VDE=&J-V)U$^oQn;^ zwA5yES>EgDQV}cQ9rZqX{-t4jFHatx?D1VL04AfkUdVmk?XQJ=c zL2Flyy@Kk^$eT-4$`m#G+yjGPdh&eBg2%Mw7G;I{;mMJ(;_Bm{XrW}9do|`_fSwsC zOcqwp0u5wgGrT|d2ptm>bl~0z9b$zDWIBMOcD~4p$2NnX{#6J#+=fC&{wRTDx4ud; zn1`dG8W(;Y1_7%g1PQR-ed^-1IeSs|i4Rdu|63!2Hrvx8Wc6QbHW^xg-0#|{U7HjxN!ox$a@mJ}h;zcE}5b@EAPDYLqCKl`1Nst*OT<}5l z$TLVg>2r0SK1z87`xpL}CO)WjaYj%TQ2bvWNC1Xd=7(s2X&wev=Ro4$0B@DZ|N8Z! z%3%;Ug2cUH$p13@4sW}pCEoprtB!T2**7ughO=w(4XkZ-dazw7^^EZmv7`MqO02)Sm@8?gTZ<5OLyrlz6U*i@ggKi`~bNiraZ12RvEuVM!K8$R9~+ccNn6& z^1-O0NqBW%QZAJO?Gbp3;h?0k# ze2jMxYX1>CDML=S8(S-5nCV&})dz6SyJE-?{DZSK?%WkfpZ8{BZbOXEf}HDkjXR?h zqC!wlkDvz5dX*#h<_yXE6mh?C!fpNg1baiNJ)rX0yJ7$oA%}SH!o_<+7}9w+Td#(MLO$Msd=KJ|R#ZasRT9xg8tjjcy6Z+eZ{88x8z7(xmu#(xr z&s(MjYjPY+AWe8Dm!l=s^~(UurPf+vu)Q>9P5m8!@)rQS1Lm5Z1nO^xN;AmnslP)D zWB>=+aDB&OMdZc17~H$`eN_K6?nS?^qyvI5k$x~+yhL5U(kr0_(e+EPgda7eBzWIN z&9&I(5unP<9ikEnenIk3oSUSkKgxYV`1_R_Bn66pCaHA&_%|J& z$|jw>Mh#){HLX1%c<eWU;@laOwe_s>9_2=W9aB4IPk7{* zJ#Hjz;HLqstGq_#OE9i%5g*XnmqCt)J(0#g$YGT?q*B~HAn55p87?Tua!i^$5!GKj zS%zQBqp|#o3d$dJQlckj?5irT4vR+^a<_dm)AnR2pXwvOjUj~=OfM4eoRiSL*gVj) z!s|os?@5@q$#JSNKa%7;Ego};SaM<@CsF!06xH1Z1zsrCrLm7D{EJfSq<693d4zy2 zkT0Y06WNK%6HHYxpJ@Nq2*n1Bi3S5_ZlwOUpRxy_AIEHQ2#%bi(4`&UL!vRC8{Doc zgUX4Tz>X7L>|^ytuvHttcDlMHMf%o;E5xUN)!SsL&Y{4BPnMM}48 zC9@nxQ1EJ$WArOU(jfk*^Re-4Zr*)8K*Io2=PO`Q!`pLk(9`Ig!>aEoA4Esj3nuvx z3fF`*ZXGQa2Sldl_+^fhP-Vj_A|!}lhXy z-u$fLZ>9c%h6HF!k5e~HokpOwXlMvmTOzy@e*p}w?{ z>90FPI5cjYAY$kJ*Y=2o_vapvjr>o00PE6?b3`yz{?Btl4O?cgM{o5J-3q$e7wIW7mWY6nRi+{G;jRyGhQaOLy z@BeJKZX5MKr-99XZ8i6ecE5g+$kxBLnLA=m|NZC)E!m&fc4z#*JZGd&{QbbcH)I4F z<1gF)(~ST1c+hx%-SaQa_20XC|9UrBe>S?}xc+jqd+WXsFz=U-T!H{ z>wIn#QvYmi%k@zJQut%}*4;SX8j~brp@*@wpb=PYhq|P}z6g z`>V=+*KL5}^}jR7pWX9+XOPD0^rnC6*8iPB{+ti~cLwPuBZaQ`G(Z8zT9_4kl6+kJ_jgR;dHk`%wFJ1)gy8-@0wC_Kh@gJ}9k59J4%zqOz zoPQX1KiqrFTtH_;CE@C#@O0ORaemieD4OxO_240}64zz8vfR`c!0G~kI_~TY52WL0GqSQL z1Mpm?+a2ecf?sflv{~sMsfV11_319R$CI}T!G*m!9()q_7V_XoB`Y%<4}zjZxM?qx zr9u!XJ_9bMxF>H$T6iylx17w3U_oRL#gmyXW#GHqfd1`rkNpy9Gd<~Lv%!z+1z)RH zab;CZ!&)Uf3x6lii5%e0%yRn--KSJ?yp!i3O@_Ndi#3WHUy_OecImQ8qj>USRgsHk zWGnaxmUE(@#N%Y-;d8P)(o}p9)$upMZRdEhf^`TUBqJlc2tK%TGWDoxjZjy$1>Yu& z#~Z<=Y*P7;fS=L;hb+}(xT=QY!RDJ#dLRIDtmAvb!JceSAkJ$<{@cOjQJ{nDpzt*i zNU2VN%Tc_fV|i%W3@`OBFOPI?B`XV$@fsq{UdCxO8H#NrPFMDV+r@E@yeuMxY^7}g zNCAZF0a-PG5Hb~CS;PmuvI5?evPAIdI!Y4}xtg@T1)6&D!=KoR`sIDp<^U-ZG<2TBJELg2-9hh#^^)RZ98a<`%aa-rC>?Fn*6|dD3OSC0Mud~n=#u6K)*J`-s zgRQHFCS%R_E$~rUKiqDNx9}E&`ra5gZfd&T2+;|XG0~Ew-c|3xwXUw{xJ zbQ^x?56P;#CA;RHWFt1J^(uAp`s6gMR}aK`)l{rbcH|qW_~emTJ#7vAHL8g`^<9jq zHOZ^thtaUpKx|Z5U_&NOqKod*!>1&yUXyI=2cMugL$9{rRAj{JQ|pp%f(`d1S7ZCC zPa+NaC$Mr&Xzt+aP5Ljj;XSqeo>S1IPk#ja{9ioNKep%@3~ZLe`K0byU>0yeK$~hJ zaN4opzm9?z1+N%*0lYTS!Ak`%0BvHiI!lx~BLks$z__+V4^&&UFg#(SHCZ(f=`oB(wK4KSmgx8% zNh(VIen3TqzK1b738}Yj+cqaD%0d~n1EVa_dKlOi1VdMq8f8?$#*7T(^**s}+p=Xw zt%ZgQZQGU{ZU6c6ze74tU@=k?uE z8>j(^VALZbH8n^jBC&|%Kw^K63J7a<{{!h9Qt{9KT{<^J_jl?1_pfk<2k>Km9Tll6 zBZ3iu?t-zAj4aTT^{Rmy3sM6Fxe;41_kFDjQu+`yVPpuXEE;vbDk2hW(M*NERL!Z6 zVDo6C?=cWjYu*L4^yGAGLGd^V!M^)k`FfQRKC1zZJPD2gX=&hC6-ZbGGE}8PAF<$} zaAh_6{&!=P4%-)f{dXCZKtTEr3rb^nT4O)*CCK2_FS=#$-;WsSmjC@L`bQb;cuvE= zdJG274IAn~)yQg4LlK7@aMVUzG2NaM3(IEy$AcE3^o0mxbS97jgKrYzXO`M9(4I=8 z;TYMHUtwvis|hz%b~D*S^x5n)0%iR)OI4H57f+)4QYE^k%5W{zz44{EXYK@q`;z?CIZ^BG!}tQVArjjLcag*6$Ym4o)ZFa|2!CwSGE_Ath(`mDC*GbU zpMqWic*=a0MgB9A&!t`m){c0wYH_Tw+wWx=Lfw@-D_jR2S4*fNOokdQB@u6C8okRb z(t`_c*VNTgYScmn|A65havggcGVHOUm%;N_O)UvR_`etr0JsxdmJt%C!9uMi z&2$<4Eo#6|DBmJS$#u@=i=iSq85KER(?Mf4QrE$i3sO{4Pg^tYOC^)f9Dq56pQn~1 zOL!eACP~Op{|kiYacj#j5Rp-yRY$m!tA4>oKxim3qHe0@l@L6EKydx`NZP-_EC&LG zzmxGS=Ww>Jqax`Qd|ZJYUC(eJ!%2$p9Dk=zK#}u77R|QFP(R#}E2w?(nzkYkh-^eu zQDKK|gHT0Q*Azk3O;J87xCIdOq*j~{@i?7eB4Ktte~wDf%5UN34u2S00-TMu*#sS5tPBMhzM(MN$Ev>>AIa zGHvsuiR>P1!YeTE7{Hq7|EJJIRG4aqp+|Jpb#*gM z&uWo8=2vn_U)J1YsiXorp!=v3GVnGK9we)rzl~ayWGM@mhak&?b|23ZY(SMXJKWGh z`Pd1X@(|9!b-L-5mO0Gp(ey`yYeF-_mWt+DOI?MfvZ_Y5K$g|=@9AF5yINy&V>3AG zT0%QCP2rlKG<9|P`E06oPGudH*2epPBBxQP>r^rXXF@fRctwpNnZ$>x=Y(27{Kzjg znlq9i@uq5a)igMdG|Uzey(<31$#`G5*dU;d1=EPt%As>xCl4%LSDqZUUso`fstp=sbB zhcuyDOI2-CU0a*~l$5x8FZGq(12b1NT5bX*{3Dk~I z300nFLf&81)Lc-RlpjFa{ZnvLZaTuZQ`K78lIPv5aU?+vp(IiT1t$@JkQ6-(x>X~4 zb|3tcK{@<-%|=L8NF$s)M2lZAyc9#ZB3MVEVD2 z6n7LTP{Uaeo&?=;HIy)sF_amU7wz%g4WkTC6Fark0E+@MhrgmJ++eMsEz@CEm=lI6 zBoKZ(^|jQRfNOUh6P$3^q+8*c(|nPtAO04brjaTRWpBO10KpTIHi$n!l8KCG72UgDyI0i zoy$osYU*G$jcNWjIX546@N2GYNR0pV(At1bWLdb zu_UqqeJIFm71G7M?qE@7|V+UhAlhOkxFoWrL&KM_BSne9aVciSElCizD(b7@p= ziqRSW2#aw5i8if$IF6R zY8Xjtm*O{39oNbFm&NB>BD6uROLyLe(gGXd6-!yUdeSz>6k;rMLXDPL4Ry`a{AXYo zg{Dy*`ZP;RxCzJTA?9isil-aH(;&Mo9A=WDwbgZVm^qAp3N^fDUib>CYQ2f`5P-KG z85WsNUE2%Y*yH{-)5d6SSu~eR04!)@G#bx*MCzYw9VX4fiPZD0(fB^*@i^45Go+bb zhbs*?leP*F*PzhH7e8YMOOy1Kz}eoka)LCOnk0IoZ6fu%SBY-R!nKq{l~H%-!n4D* zB;9CftPITxPcy_3xO3vLB_)GZR0{(Gn3||Z@D(lSI@(LO;|Y=-&L5!4mLJo@>a-@z ztc`~LYI_uN8s`8wV;mQV0VjyXPu`$&@xLSoYIOYUy*)-W$AY%zuS%v&=&g-Sp{C}B zuxu#_pCB+ohvRlq-8qA5qfWy&)7Fd#a zwpVLuoN1sElJ&v#(FT$pp9=mg`=Gp;yS6;1BRo5S?EspffP-Cm|5U* zS$rUWDV{=!<{>~7U_yBLxrd}dq`*53*#IAxS)nC7@3y@FEc14=;oR@0Ge-YMYdm1YhQ%Vxo+S=ZCssEOSBv7&{iX0S9K zNRMUX3{bqelH|{V{zdGzcX1}wDdmf|($qBcZ&N`Gvo+qD9wScV3#W!gOW()=l{t}$ z0RyFsS}Hw`ORR&VNwRl}iZ@de1HIw0z4Pus*rrTGp3B(8PoQY#k{0ra+BiI_YBRno z4~+U6YTS4L$~K%aIeIHqC^rplVySufto#8_@zg0`-sL_LOnqY)ve+!OZUXeLU>d>YfHH9WJvE?NuLWUB*} z=ibCzi;LmnV!{M3(_1R)s%Q3()?2_8*;w;>*RQS~c0SIqRL88N$wB5j;6kmn{aj;d zeZX`{z`npb|Bl=l37Sx&B;Y9jhnmJ_w&2>^2}N%wpgAksn8~c^7P7pYX1V!HYY6Lo zO@uX`%sQsV2{_tYj95;ZNXl8xrZvY2)49_uKZ2j`O+cq_ql8WOKykEG=wG$+jzDK~ zimRRC%?_}oW2x;>QGiW``#9<)=}oXHXdy}RoSV~8M{UJ1R0?N_USRNlu6#&LlZm;P zqpz85odx9rM;E~m3txdhE2a7hGM8oOW;T{Iuneh#&(&-!T?MZSZiTRE44vS5gcAHI z)NosnYL#r<6m9X{Xy)V=6Ft)UWHfoBU1*z#pOkMwo%fM1&)LKZ4F3^2um2tj>1q9?r9P-d1zK!y9oyU?I=pzFr`9x&Qn`^J@UnbxRLhCiMzc zFTSEXHUYS|{%yJ%&-_9ZOU!~Tfj6quhVOOZtyGM(KM3H2vv_lRNf}VOG3tb&J0s5f%SiD)5W#UrIw! zT}OX3)D|m^!^QZLuBooMysICovd$El#eD0R9nsd$^qR^#DZe4zWT@e}{i2vEiV{nF z=LcKkIqyvZsRN6M`35L8lDLU1KCZ0{RT*9usAt7+eB0~V@=&e6KdN9piq@3Z86HW9 zEMqFFnhf^1_G0=rx&lg|HKB&8b0}mg6V6?Bg=z-i99?5&-5h_ZAzd)^i{?hg7iW?< zZg)IRv$pWmM&`X}>ZjjYwPkhFxOp5Ev^^wkrRH&r8DK{(W!y?$o`jC-t&$191+I%M z%1=!XjYQRqT9237oKPFO2`DKRU?hJ@g^ltHK%JY$B_x0`7Tz*`E)&bZh<6m)3wn0Q z0?cW+$!|P&3*9M>rRmXZtZf65tw&<9k1iJ9iN$eLG0W0<&};InCM)#`&yWxJSh}C# zQL$z+bh=`FpxW`}2LQ>v?_f0<6{bznl5bK#ySgdalF zq$Q}9so~q+F%PoO=!K_nBTZW$G?|Qo1*HKJy6JHPzAJR6t&tj8bxkZaQOD>sZoUDV z92NM8v_UhcGW2QqEyKV>KToCZ+$f1}JY+z#nF+K><0^iGj+JDMY+)H&&`GnT9+>sG z{>1yT8Wvu(|8O~z#-gekAax?M*Vz#)01K<6Orf0J7kVF;*zzHA#JBK#2MW%Gq8=Qi zCgMlW{jl{n+lk8;{5SjOpgPzu%QiAM17U!((anS9o@apVTjwYC+!r;_1H@C&AiA6; z{2~yh1-ah=R*8@I&*V3^UBVq5QN(FzBvd_pjkimBAD3#wyIC5D!mJ{QGfaa6L6V^&7P z?9Yu!MUBjeR7!4DxOc6n@tm}EwYI8!CKEPcnK^92!>K$l@oL*u{xQs}Nzyk4fVY{u z`$WgiBuhip^h)pw8V>ZSxGL)WumI#n_mcdk#|Sf`XX_GLZyRh?r*>kPmZ#xGj?vuV zL`u)_T2#d}BnA@0uW(PLfbC3`kG(tfM^`U@^D1)>+zk%MTlpoKix-gAG)c3_h_C6*3Rh$m=;i$@K`+8FzHJ zD_@+Dj0TxzW=OZ%&WZywxSFJ+snXMiC<#9WeTC0t-inKlkeXU5tW!mLi4JBs*)U$j z{i$r~IqIvrrs^0QgUGu$t;%%Myvl^a$ukA-+6pprO>c7VdmCR-_lSoo| zxSAH{0DU5Y16~p zP`9OgCM<7ZMN#YDN2Te&0o-Uho~CbX3eTFwXmz>}C{(6O;vTi)1CFO~vlJHlYN=;6 zO?9j9MNbDdX~Guo@2M`R@MFvZqp~qJ+Em0*J(*##)+b_xG%&C|z(&Cxo9)XFu4ac7QM2<)NY`j=mrxI?$i4aCM;$da_wb)$B`V5l^Rr2unNLs9sUn@Su&Y7YVy*gK?iZ?JE`A1JF(FOJIaWcy4pmK7$alnY#SAtD_JT8v`z(oi z9Gq9?Cs2@?;sdAFS|~lEGWF0ofIs&OYNo)zTy604v27{bT4V5b#-E2SnieE6hkAOx zw3cbHA$%b}7aZE*!&U2l$%xn>Wsa8>o`O&l(s_nW*Hy@%>_}%t0%=;!eP*J z`#(n6bAHA}?`NJB09;n8UH)RYdy2 zT56xXf;R(l;?Z@kC)=Z>qnt@_%jXW0(hiQ<64Mo??((0Yz5H2NAn`xoY-~ZbLLAw` z{2F`ws?(8xf3*$Q$Wf;9XvS`3AFeth?VJ?m-nWKc**eegJLlVu99rB(zP2?``^OBW zhI$k5(JGu`tCX=fGG-YZg4HbM^1x@e6H4P-vhcr!c5XWX*0rn9?D){~-nMuMiabgE z8}M*ovQEe4^iB#Guc!_Da5`3);rkgufv%8+L&DqC=*f2=1w_C=O$Ybw5UHzu%+=xa zXe@LcX+C-4|6%Xl1EQ+-{^7M?7S0-GZ`d35z#f=^Jum|^!srYz!U)Jl1_cEj1Pt$^ zjEad0ii&qsOjJxv^HQd$lvrd|W_D9FI+|MHG0VylFO}zXQPWOl+4~)^^YlLN`Q!b) z|Gr0rx$W6&?X}ikx9{iDs*Aoc@Anp*pI1Okxe=&9+0f}sL*jKjNUoA!?o6;BOb9OC!3(VRfk~VYo<2^hQwDQG|fFfv>o~AxvGwrR8{{ZZYmt z@Qr4OS{ftBs1`S37RMXkYPuw}2rcG`mS)j>8>} zt>%Fh7D`CJg7Fns-M^7foxS?v zlYFXj+mpF65+m_iNpHPMaj5a0JtBF1E|S$a)A|;IaLZ3vTN=sdLKoqe`EXRvoJ4smOWe66K zo3O5(;aG!6wr;jCnv2spNo1n2*&r6f!X?)Gx~-JUN%;{rwuc$wRnWvFo9M#hV2wK# zIA<_dmK=6O{zj67TEr&qk&`Stl$!Z!a}QZ+!6H8L|*ETLp3fteUS;(tW?5!niG%m*Oj8BW<}># zT{H}p6JXK;vtnK>a20@RUz)=BeVrdomM`lW3AVggL9Ge3!yYnH)8iRYu86#3T9Oh) zgM>50jPr;t8%3quF%3p{w~W#2z#qzm9ers!=FEGQwMw2X_2mqsy%(d84Wnj#TadBbWDoP{EbcLJ z2~3`$G>C~3f|+RO=RkRqoa7dhBy$iKB089tOff2ktMih5G>y@aAr;5SK&#o0{tb;_ zrx(LuX9kfdv!1`*&vG}28Ey^txm^z-CxmaHD5_nvgz!v1b=y>u0eg5Jn%wa^8x=&7 znSJyZ5WUv1<)yY|^!0*2H20N`7hqHq>psw=57aEo$scFpwecidv(dy)=Su2{h({ZS z1=2FoOiaQ?SkG9uV=jy?x6CTac!!InvlT$aU64rA^q< zT#_tjcvYIAtZ_6us1J-ug~JdNrLBy|?O>L`+{7D5pynmx*cI5uug%E^nUlzZ$F)yU zy1VWTQtNyHQ9GUit!pa6R~6R5rT{CyOeGF(uc=OmuQulxzsxr0pfdhyE^my7_=;wW zTWd9GCa6H?2XFDsC)vI6nr1DlNaw*;u97c`*W4e%9*>31YPo=jKR-tTJpJctfQ>YHU|)bB(;-@Ep$kE|%0~iy#OWl&yz|LLg`(I3B2I6x%D%kD3ryy)(2(}qQkTZBjf-hmy$$=qO!V>=S9`5;53(!R|Z`*!i< z1k5cbknu1{K0@}`H-ilUa$1H*v|L>Lq3bPue2RCAW~qftHk&IJvYRdW7m75;b(S~d zNE(I-xX=U(=NsdY)$$L@zYt@Xk=mhYLbyiWwiYA2l&00K#I4pN2v)uKu{Kww zqS5psR@=e$d*+r82C{*ub_Xbep}G>GmKf;7K_@B~vJL}wNv z++<{R$!*ItZ%;7RnqQ{js6pG_SFS{r+O`2*&1`>uIhfg2v#)3IUyNw}Yk^pyVjFwbAwAaxTUTr!WmiA8&7k&r=ge-{Lq<6L zdTC!$W=`m(xju}qQRO;%;VF5nW~al*@N*kMMJfwa*L_48CA#r8ZHiU#!%$r^rvh{)D>g$A(DFO%+U= z8EfoJfE{=MV^lNIG__1~O-aq>i3-m|9ACF0zOtemLig6_f|;{5_j2&7q|kCxMK8(5 z&9kMo))`9qGrrcSLDZ4f=Xw`$Y1R%izNWD5cQpEGbV+2FAuV5ftdF@bc}g==MTTk) zXX6)4JNjbQl_gn>oU~c9Iu(DWEU$(b6RjHUV)04uqZNL1q;%Li4b%DfYrvaKm2=4y z@*&q!0AO9|XEc$$!w1ipT~Y33H&EtF?Xpxfi9ga;IjMRk`(_`SYnU75DrZv%Vi&-P zAR-(+vqOz4#|BEtK0pD42;+d^H)AIIbZXs?5Cx>$5>MbK&{X!a$9O{Dzc0_*Nf=nw z>`YdBW=yKZZq1v4Y+a0d5zdmn3#|e2>x?<93HK(=CkcA;BE4j zplJSyLFPlOxuktb>u;p|vkQcMR!zU_c$OWlG`*CL&#+}v+lRI1(pJ2H0a#E_$5Btc zefWs%TjS~}F7{p}D*SuPHB{@GPv*&+8$aMjCQFokwqL;s=(+P=X;|5QT>tWD(8FrW z&Omwh;Y~6F52O9b_jnVoA`>ygW%4tVEzgbW*lavXpXPtH*nX^-g{Rt`3b`CKMDvt@ zVqtUSjy%_!^mOA&7N<3htJ}-opWvLJpeajc%IyxejM2ofyj`QY9){+azAvJYhJR{c z-3n`}SIhCyyed%M=EJjxB2BRdgyKjdO@)mK-E>A*_!tQ000+|{^<`{{5;h2;%x=e{ zhzSA}QT+$3yMOe#Vb1{d&WC^`quy z-3Q_T$4ZRL$v)EG`8jIXWVxjTESZsOab2{I(&Ad9!LT(DFCybJ3o%(t61>+W1(~Rs zFgE+;u(WB5jl_ntviHDjTk|2ss!Rr~u+a+^I;$()a7bMVOL>IBZ!4f(cL0z&;wx|u z7U=MgLYVl0a7c(0pMg2W5kW6JlbeQw2zt|g1B)d>zI3L&S>VK2Qj2xo`JzEQObkww zAM7O6kqLHfs2t%fwlD6>EuC0^$fKkXzeriVo8g8D_em5PA|{HT3d=>^-Jw8r5Zv5O zoWuvlGYbKwB>qO0lLHlVjemd&HE8vRE37f5f@sepHDBiqX`5L21jAPTcxysM0YuPT z9NQWPkHv5xN%Ng~W*60d(|HHOlOnZ2Tz56^0IZwcf% z^euaxQOumU{^$hH)YgTX8EXB6;Of^y+6qlOwfwjoeKyNJqt3>`njOKK%RziF(`B?@ z)VK(~s~Hi3=4ft}oW1Y(v{Lg?zGq|oXfRfXymtbo~qwP}fm%8b{sjG!pH5I&oSel(yzO7EP8v(2imGpJ3H85Xtss zSUm&4Pwa7*a*B5bzgZ1qi}@-9TWBiud(2rrI>?oz^v<8f+Cvr59`kejyE*)X*n$mp zmC{1{XzH!B4p)`EMiaP5{-0FT*;CPtLwTON8}(0$#yO&nmU23#wB`rdvqKA!Lo!!L zWaer7l3@_cmVX%vV zir5^EZ4cVjw2H1ILOLJ*nIyw}te?#%;HsREj*9iwD#2eGNa+CzoB6(rfzY-d!M1L5TF04(SHdw{RZ0VI2x8Fy_M~&G3arJU~9v%!ugNWY0u~nGtJNA)H9E71qVt zeNp@sCEpyZxuN3s1!Iig5behvRpQa&X>PYO6AAz1q5*uLHg1daFwzxs2AYoV2|VB|oY@Gt5LU9to`sfFspw^rTDT9R zHis_3J4h}Us_hH>Xn`R%6yo`b7SCH&aGjowpJz>h;65(=1E&glI)SudCk?We`b;bY zk;ZfVtkofzyHUm_yrs)^=t5bi5K{Pzg2V}Fpr&j~vvaFOUTDpH90~VQW=_jM~!y&bZubiu&;8sAjYEvZAF=YZRHpmJD|`2H-Kw zOnyp8ehe(~u!p!?PQgrdeAJ=It>JA`VEg?sL>B2+#DUwy0ehq$>mS(O+qfTZ$A*+~ zr%G_x^~V&}O{RW~(T|N(m)v6*YT;NpKw!u;D~s3-k@{jK#8{a;cTXR~{EG4n{*!PN zeFehDQ^A%z(8@B|nFv2h9xxf?7^obc>MSaRkvYZP+HtBM89^%PP|cGp9b%bIiA)XL zWg`UxMeAWi1iS)gLuulp3Tx2!QKPP;+FKQ-EkXP`=Z-Djy{As&yqZavfmIy&XWeWZ zD(2U0sk}*|WO2%MnBoE&mz{l6@M3ni-!v+Q~hKOG>VC0&FwC#pUDa zU^B%@_TSL@jS9zbOa|!t1j2qlcrs=KEY!&zNo>Huu2k}3E)dJCe>5Z3?Crc~d|I|@ zR*%q+&=u67nb@t4o;Gu0{d$<7nqordO|6Zd>gC4{S9r@CMCIh_nfm9Wwa?CC!M5mV z5nrNn94m62U-SDc%}?e*HYJ)JJX;T-`ucgi)~J|Xp8d78Ta2q= zzUOoGY)?hG+{x~V<&Uy9KW{H3U`sV$N!pzg^Zv>Hx{l8pcXpyQ-J)BD54y7C^{g{c z+oA+al#V|WLyxTg*o4ZzpTI8~V0cz_QS9=NNYe&Qz78F_$iJXzPGbj|&^%oV&Jn}2 zT?x8W*oOOr-9cTcG?j*nkBLQGlX#3I(0+nWn1cs;=72n3=KILvQsPuijuKYC13UI< zhp70-V10ffd&VtP=|`tRynob?L{1W3sOROt(mce)yD020jLM#@=QN%&%jy%9%067ft^Ul*QKwz(j#`G9&sSQ1nkKhL3~- zFi>DwbdyMWFr(01eee4;M-sX{&xi(0x-aD(@OiWk(A-UP0o1bZ?QYm| zxAKYat34?D=v?1<0chWyw1;5Y@Rt?cnD>7- z*M9@wp(R5r?S{Vla^-6(5A|~Z{oa#QPyTxf+efm1JpO-daz5oAYmc%{H(>r@OLzS?F6pd2dMAKTu*KJQ1v}!`LLn*Zc(WHp2iAQS5XNtAzxGT zwQ^q@f_)9R@ampV0F>NaoPTMizJmClyVX~?Jp}-j14+)T{!4lH+tn=qf7X5fLv;GTyz3s` z^%oyJ_={vu0F>~|>e?Q*O<_apM0U z94-bX`r5NTIz`yp5>fNJL7!#V{V`_JEvq3?U#we^B z*i`PL_A$9dEz;|>k$)1nNsN%rjl}6POu@wxYH*cExbc^NN*`&LR2)v-~0~u3w}+vk>-15Dq$w*5=%12P9mWm$<61@$#nWr zjWr&XPV^HsRquFmX(nFFEU1XYUSGLsa2)q?%MJOa4@ZT(j%Wor;ThI$AU{jVN|=zQ zG}V1t;y9!sy;B|`5az&>YKrY65Yd#x!bYN4?1=U290+fiU-)=CbcFFw9uP{cy0+Yr9R{;UQ4-Fd^NR&>A8&3Sm+$UN3M` zZ@|HY3xe@g>2qK=#1V}hJX#NfzO$g=p1~RBbiA%x=Niba!ytYIh_H0dgwtEgnsd0` zvKEwZi~Tx&#Je~X(5&OFd;DmjypfB?<+v!b5gAJ}fiHO&pX4&LIpivDf+?K`=6qhy zlxO3#-W7VC{*&~<}bvN3Ttd` zU*y?Z5u}TkHkJ*>4bn!Dhk!0!)@&0rW}1D@kA_K4SbxQ&MC$y#(fA}b>q4O-HgK7F z$)4ABad@M-09YgoZ)qXe*&Fvt6?VZFdam%=fc}8D!5(N(Q3^7C$vuuQz!zv9H}T&x@mM4aZ%wp| z$h}birZQ89@&XRt0u&0w97<4qnoSFiijo$Y6YWBH%Elhk0OJ!}WJwUmdDobATu6Om zHxmWJ!dX{s>isjI1d0arA#uH&fLF^6aP>*A}+F68rvAm1g{Yv1Vti#^{@t~vmBoji% z;W+?kIyDe{XUKbprpdn=Y=LZ=YE-=9*5@R~Jv+2Vpw{@S`4ghoPf}5RzT`(t(tgh{ zYVtH)_XqugFbOb1px@Mdf!2`TZ401{~jijS8MA9QqrCzG9(|sItCFVeitz33(q%Q|un3 zc}uOE=-rPC@k{K@K=^Xyd3O#Y;DzRvl#D{Xn*AmauhzE)(bd?aI}z+7u6wPkfDk1) zIH1B(Q+tQ5KY7XOLEGwl#I!gk*g?Gm&ol|ane!2imtvc4$S=3Q==_<0;K1;LQw&Ww^M$0*BRH2khYrfBkw& zbb{<{6|>##_@#sX9bj4ka5wy-lw|EfWGKDD{z3H@RgNmuWXBp~GA?Cin)9j>upsP% zD=pKfQ!GhXoGm@Ce_ZLBCJlxByps1$0c)IBYj5g>h+@_Jxxmjm1lw(!aY z4dH?FC-8KhoGgTZH|_}BA*{pmvNtO7j^l}3Jmr@J26QaD+e=!mSs!SYslGG^nGOX~ zQ|B$;QcaCgZqkXOVBMuG*=!gUgyn{KfJBBNI@e-b6;s0u>TbJ zD}ifzAE(-;()|357$OA2ISbi=UxDfwPUm%f;&uY#cdoB9Nkpc~>)z*T*0TqLI<{JV z=J0^U-YqMte# zLUe6RUY33~qZy^PNJ`xMUpsq&k`hH*AHO>rXY=;}Pxe{uEaV&RY#6Ms$`eBH_YZu7B&Q zQRyh{j`6%Z2{U+}XSc048Rt~^*?I#L;Eeq(Kie%*OlFy4aHwxQvqL`Dp9dTbWE1fyW7EW?NZfF7yGQdDtDNd+Ta8G_b5n6_U=5oBNwnURx z+jXX7U0!-qr173KP|ngHQ#tApe$TiRm@MwWU=dLJC=M@K4SdNPIIDCLk{Dr-eoYE;;GqCq7b0!&5)Pac6xCqET z4VV$vutRvm8YP>fNm;~wg$?cpc!SVUvXz~xa^6Rt9X1}OJ@4ai?i2|1RCT&txI$PX zo|30>>x2P96W-6s_7AZ`MhAz&tU+te!JE-agiW_48>sZxPn+i z;T%AB2y?*Xmgm)VZ@L_CKAZ;zQLp11X3UM$rt?e!72J2BkA1<|N!sd+hc3YxVz+5q zKPYLZL1ZC2h;y5DVfuS&{X9M3l1JBFAWNuNa|$o3I@RQlFer`dY2`AfpAqQ0d{BL~ox{4sbIvOY z^8>Qhy%>iIm3X7E2v6tQ%rTOkR<;ZTv;&K0+Up3M>^{-z*G5yVOJf~|+!Lg?gvXsN zxamIAq#t3?zriqJLMACEA5d)y0FE;<$i|e#SeHK#dB(aa;6`@Pb{yeJw%iUjoeDJ! zRMsb07Xyi&eLhJ4xXP<+UvE95@;r|MO+({x5ZHoMYPKoy5}%Gy9{XhwCtwHI(yynB zCASbF?WbXQm}NhwNe#q;HH0^QtlQ>mS+Q0*n5@QkxU{^-aUA%Xz}$2Q44?w7#?REf zYM!Yn4}zJKa}_T5)~u|m73_GNv9_vJ&=O7dMAYyd-sPx;POyCQC7NAgsIimqnq)$KlXKtHu#{ye%Ak1t}b3bBo@bSKCO$cY7s+h9`bAz zb^uHuB7c8?%V2u~SGRv|4yqepby!zWdI@xLbmqdh03MQ1iH^cQErZ zzg@tqE9B-Ii<_}XZ+q_O(*<0VZ-$vY*{fZUVB9C)@eK~3E&8z&XbItxl1rqu`4y;Q zD5=nrNRmz}7*43buUGw!U&sHl+OhaA&(<56mA^^_dN&Si;IoBYAQ$>du=h{}`V)N(HI+!b01j@&JfVzX&;ts=EW(~H$OX;$U6f6Zl znRi^h83EQbEiYli*?W28@R+g9f`c*UeaHQ*FH~>K8T#oT>z%xkXf1IES!_Mhi_Hdq|UD(H{;3w0P5EHcAD!>anWamr>JE ztQRV{Hem{P5bDcAUnR8$g;IzXhHz_WeD+{uET{SS1^rNE?qEdB<0ga)XYKtc`faqR1K;)S;Y#? z?2nXAV2=muw?nz5%mzw}1;@>(#yEOC{E7E`({5p3;yT%`J-X1k(3alZ8#n<_aEG{7 z;SC&>dk6_}+;)2$GPaOQLcHN?iagfK0r*uEKk+(;pLFCR=VjCq)%=q|rDWrSr561# zb;Bo^*B2=%-&_oCk$f{}7)MWaa9?pJ(*oU-TCd4{BrpGJh~a^WyUT%$Sl;;Nqu?;! zt;W|Kxq&e2ry;_XkiV#h!uGk=w@uWu)cK3ig>Rq88m@*l)Qs-^BiLSqMfrF1&Obp; zvs>F)wG=6$k0C|qgkxA4yX%;rI{ET3|KObHc139Mgmw~MzN67TM=OHBN_%DSz^z$1TyA7t4xgXU zo)c1-j$NTeL*)*2$s<)nQ#N!$y(WKpyDN;Fe~W~BR@(wZ&>0HQ4oz-ar7cW97!Z;1 zYIA+W%wybRk+VO-19fx1s2ikT@Ll_$s3pJQ!O_dr*@LB3k;?}glH$*`N389;T#i|v z?njl6=4`BsZ5n!8Y1~}wIc3-~VIz&$KJ*}s+cEz(jc;CUSD9P3R;w(n`(9q78S~P) zHN6iU!cG;>NyL*#04}Uj3l| z&3AuVk^a+1BOcGNf3aei-@R{N2^#SGFF!q=g3|a6S^mb2r&1I`XhF*9O?v{h0lJkN z!sysNBt+HH`JU}u>dV2gtNWf0?(;Q8Nl3yCp zd&u|4ibvck?>e6rad6{ct^1b^Cq@jXR=E}z>%?X>4hj%`nC zYwP;#(Tu(a-_43>|G98_#CMkmD!xhGTt8j+>G4i}c#bWi@`s^w+?6+1-ffRP{OQl1 z84s7)&&9l6;C7|Gd+oh7Go?k2op!EZ-ue;T@WaDvF1T->tZAGurC@Go{boAov$g=9sTe*d zKu$f_lufuF3mfY;5Tmm6(M9p<%P5>orA769nP(NBW2<4NLRmFiul7@ z=~5=FblF?MuWZj9o+C|gYA#(Fl|JmPfYFOfr*@LClu!FE4-GoIE5dYnbJAr)M)~kB zLrAlGbf`iDA=h5FZz^Im((2;nsuvGMuV4bMUtSTMyH)JRzf4Z73@x47RUbZipXA+E znF_A43s&zE(!YIe^x~1Px4T?X7bbj_6YUpj5TY+cUs)admua7ltc;OE}(>qroYWaWEo&Lw2{8S-*s1VS- ziyt}NCvaO_UE?M2mUqx>r^f9m8S4T$FcKi`G# zFZ2JmhIUMrp^}2Ps-bd{AId_p=QKuePAlS3)V_Ff#ba)9&LyZMr94JVzgoK=#2;mKz;|K08XvmF!(7R=!*{Q4#x1A zAFf01lK_-Q0u+-}n5SxZx)ZCBA4x>J$q;x9z-mH;>56DXMn#ig)Tdz+K^ug}l(FZY zB$i+vgK{z54LLZbZU{uNI1X(B)4Pq3<{FSucsdsH>dWP;5cc5J7+#U2U{JqAd6J*+ zbjF5Pn;J~mfkxAvy1|O4V(E11=xc;>@a27z@2}~~SzjIhTj|@K?JR4wo z`XtowTYrON{trt2Ki2#)EX*G&gm+i{1Sm5Qo*zJZsi98bIZ{Fs2#4Qb_zi{MX!wnU zUr>8N35+r}J_|Ap|14S1C}7uV&0oFb{%i^fS${seIY9GLulR>8JvQJb)+l~EMn^)PYZU$<4;C4ULm>(OzF5sEf&(FeAi@`` zu>yS34N35u15)56@FWLuScN7tVQP3ikLaU0#LZic3?sL}A~gugNreogH!1=3+7bev z(cGMzr2PoK2xfsLaA3}AI0Fb@N5Uz&oO#HAlTZ#b1-{yQG3>xqG;9F_jj?dXWLK9gfj%?Gq3vp-JCysWukeBxj6sBF+`+ zfIM`diow1hsxggQMzf_-=4_7}w!H{v%=Bq=*DjPwx?`)-3{R262{y=;L%1qVpF7as z7_RfGeeqWFFuFthO4_OT!H=G*=X^Uwi;FmgFZ5{@yLGMY9|N5h$CP~{e=Wq|FLGmg z^sUoClz@wcsB2}Nbt(co<_OSTlE9M`IiU6yXP*XZ5GNGa5)2-bRE8K96>bK0r{^oX>$X}KdA$?Z)9L_3dE%Wp{s zbi?i8y-vLpLl zzk(smN1qWzs;IM_MroA_WJ`NQ z?)18Zr0>(g6nj>o12Lf}wMJXFmEWoq@*0^HGoY}KLMJGdkccG8@{WKQtwmT=x?m&Z#-xpaEb z_Rh99ybYW&Wr}%{XsW;5euc9z|AJdQ0UEmr_Jr@XpMWUR@kH24t|03>^`sPnV1?wPf7eaRNd6YbD8WKK-#&2W>ryLbm>VWIX zBvQ;If#j*#VZ*jT@Wln?pI0T9_p~aLL48E=2wJA9jj1NkQl`eqb2Vl+rhXLkE@U8Cn1Tu z4Q+E>Q9s1wANjCrR(*hwU-Bg#gi@{P!G&v3;RxiWb?qp&fO-eBdz6-?ff{olt&lDX zv4+9ar&!DnrdA7*qjN2Y-AS{1BYmrqZD3fLAG=)EfXH{mjt6vuJlq+L?B8KI9q2TR zG{7~zV$iB=7ePPcS0>(e&9s;zdnIW79vPeR6ITH7le<3`=Ax99wP*52AY1Fl3^z_Z zXI=n3T(-3hK{S^uKq<@#$i3bEH^jvuhnUe^iAGyatNtfae%)S!Wn*UoAU=LyVq>=* zl+w|Pg2#5075szlk$%)g+D9wo-a4=~r>XKpU8LhKI5X>XRV~zs&omvZxDAu;R7a}M zaM*^DtEP(~Qkv+}4rJ&cd9g6w{=724c$yrhI#~;lAF^oFI4_2}YY8{R2iwTS{ zVx@UvVJA>f#cRJON^Ocpg{Fh|h1fO!;&yCA4)Z-aHg|vq4-iwWcU1CQoZG&`Pd)VILR^0PkvEr4o%!o?d_j3;r4|{UYbz~aw)EO5}V15hWfOt>zrE`0{o*V-OO6TK^-W<8}%SST-yf-|QL^gdfRf*W79mU|XD za_Ble$od!+z7fA&4xk(!E5=^^KD_H5yIIM;!D~({9jgTGbsh_rFb%dFepJ?F;6X4- zbgK%BM(txkHnnM}(h{Vs+63mun@kIYj7On^v+hEMN)7OMP_lgjN#VTd_;th9kjf0Y zuz4&j3WkomkGe*{2qXojL^p?YS+E(jfR<%m^0x+KdcbA@_uV{@zy;qR)5^wOgD& zS?7n2Ya4^lK3{Q%4v;_R!mOped`8}3;o|g`y-aHE)G*-f)b#3F&xQLs!BAeFqSGBr zqI=}=m!?=jm%l_80ctf}Lv%Vk7q+vz-uB&yFQd%XUXH)<{C(O3b&$Tam!a#=>*oYn z4O`v|N<_+c2|&RccYIC01QDGt3>uBv}Q;*w-B<)O46YB*(D`v%P86 zYcxieuL+BAe`xxddbXmSOk3gwM=8Qj>B~Yp4fGIxJf+0GM!~IN+=*4(Vyij;x-nra z$ZeXo<-)|xJXYziS+DX;W3PrgV}fuC5!k=Cc{rN>>Itlz?;ym}t1gP`$LYC7@nzT7OirbhGnQ@ZDD84` z!vzbMV0WWi$)q1Mrs_Fp-*4N;BQDAPPmHIW*{wxU!_PTL;Uoq2YGFB=cEqm}v})YcyZnqT3$b1Fw4W3iGGZJVf;eMG4bB2n4#i1ffzabiHd| zjARi8bGyS&E`mo#MlV?*=*4F=yoMf=Wg$j*22A7SzJkHhpIT!PKUF1{V6&91i^m`H zw*qOE?Y8qoI3VLJ_>ZdLw(F+HIH}F`h|ov8fHTQd7~$N-dD}q*2qzUi4^w%1zz#DY zSHUnx2iT4@<}L1Re;;PvRvx4>@D|BV{06*WrVE@ry9s}dUra*Ym>5s+H z`@Sc)M398(XFY>VcUfa|Qwd=nThxGoZ5Pa)TMLbjuA*YH`lD@QWNvs7w@U~ z^gtnp&f`p`-PG_wkYGtnfS#fWV&8PoI`8DxRL zo2`BhO{hJ??qD{zk~nKB($8g4d|@g|OVrK*D+GMCs20jJe=*XzxIoWS=$AxCrn?s` zI;@Lt-I_sllCdhn8jah_VKTRrs~Z3@r*@ie|2v~!!I&mS+Nr|&Xs^2WId^9aEt2-? zzf;11ROf^?9MP-&7wHquoq1ll?eE@9&SeX=z2U$C#@k#GH;e0y`Wfyjtz*#Hyjqp? zoVSJ>EY5x}AK8ABA4gwnuPZaISWjZ-@7VK?Mw7W*M!Nnu+VP=6s&~Rn*dKCutm&Mi zi?lz+X>pnLXDkomA{{?t`-%Yl3X`)5LmfVkq~D>^_9EG)Kg#1Zj(wC1gzthn zwWao{%;?~v8tk6qI>p_!y}=b5h9_D!CCV+{Y%ayV4lQsZ>s+MZlp0Nlc6gATSIEyY z;ZiCY(hfiajoBjeaOBKnfpoab1JGVT8m)<3{_ADBXt^zzQj9f3+W%^d9dwV>pJ_rbhL9^N?`eYgJjh@o8OO2wKPDU^Y}~{YvT3 zBY?bddPgPd{ES=6M$pdRYzg{NA*QI{>q}uGRK)c)`Kj0i6b(y^7Wz0BE3HvUXrkpg zl_Z&-Rrv<(5unu7^@K1|8_RO_VjDk|VUsmNZ(Nvp2$^mPU_Nxq0eyvD8z@wkc?J6p zhhdgRSWa)it$$~gjJO8&m=gV-I6^-oh!)a(DVz)c9(r?WIP~vVs8(8`7g!KK>>d_u_tAAc;FF^b?UzY?rkUECbTF+8z6LmaK<-_{HMth7ue?}#TbN{5nZLOI> zK?=K5Ff)T7-7o;IHj24lhq=PpUzEZuLxc+Bm-A7HD}Mnp`SEgr9+G)P&Adq~r4KB6 zHHcqJozR7@!qRyd&td240=#O(@@#0a!G7{Q+kR;9u3*T^8YIJm`566N4i>@_r&6sP zEd9*s+a9(3>tl!My&(Pys48(u+T1tx$>a7ojy@5@$&WmOd031QK!klih zbzG=sXQ(+++ZF*?H~Ly&@aY)W@IA!90ZaEbx-1Kywq}4 zFq;S|Oj0sl$p0$|Zn6^THeNuj@MXuh3b#|#LqpS#QkoN+O`zS7gBmZ|&cU*# zp(9G{ZFwhBigNX$Bhw~lszabj*t!homEssfxsJOD-TGKWLrnXW`b9=4ipWvbDBp>+ zcY?qPVXjy&d2CmW?|;i{Uwc@>8&ALO`SG~Zer zhx?SI$Omk9vAAs>NzFLv*w+hSEq2&}yPtmsZ@z#l$vF3D*w^Cz>DgBEBTllOLgH>{ zbHlm^w7R2cN@BYH8>+vfg8n;I|GD6}t(FoD->MwX_VRSv{~qWlMxImBWbP5oC#u|E zQCEOqyf>F_6F=ucNNy!JoNE+{3{}*gf^5Y5R!_vG8_S;Oy>8jC)o6HVU zq7_=sk`hUOr4yuSAe=}eq-k*PXH#h!CfRJHy`=#ax}qh*LJPe~9S!v81^JznquBRBQVulE`dh48Y=W{n~5**t`Ng z7hqCX9q`KOT9&0)SX5?IW@>duMR!(KR#sM4R95zE-9113-mBH!{ki*H*Y|r} z-#C_rwg)Leb=bsj3k2BEE zL0gICLR!T%#GN5I!Yt-h7(_`h3Arqm>dtC~90d@r!v>o3ZlMm&n#JBqk==Ef{1E$Y zO8qUgz_g23Qc`6=_v(xEAINZDiDfdr@B<3_Z{w0g!CMUwp)mY^Q6Iy=U}*E>0DcW} z4EICYEnW;B_sQ~l^bwHN;fi4A>7B5ml>~Zm^3W~$83At^c*O>FiWrG!?==1nK=E(ns^iQb>*)i#V%Z}U-BY|avh+SWk~>Qlo_SIEK9YM&rd4Hx zdmUTz`y%m4e1b7~Z;$Ny6q}%8;}Ycxbn*%;hZV?!!%jA0lj&i6!n63~rH7UX^NYG1 zy8QW(rpZv1GMJ<8!Skdna%|-xbY`4!$7~ zrnL!`f5X3~=W>OEZbK;FL7dIeWse|kO3&LJ+qnr zywH;VW6VFLODIkfzEB2n`N2ST{_7g$#;EdR*fI32QYZm_r)L}OQtposx|A6x@F3($ z?k^MwEwb+fxFrLXs)y&vqU{{asJu?(-k|zW?F@KhT0`%GzGza{fhwwg&F*zp%th5+ z&{eKGT(ft)#}ySXMPjTy#=?zM-$eOK5hT3hAEl6jf2^D%{=iKWy~tBBfVlZ(&D`QG z;AFz439uye0?mMVS9H-nH;qIr&tC}Kd$`7i0ygkV)kGD4Kgpv6-64j0RiFKil=HzeGgy&wx z7{t$H`md+sJdfaCdGK{4gjT{-DMQ@#0OyY0c77Kfc&lrpGgWpUFg_lgKN#iyq_n&8 z1Q}UbDnEDrH6r1nO<%be+CS9W6m}Kcb(W44zUcOnFNw%}Nk0dSUFAK5a;0A;N-vmQ z_fwC0ChIiqx|hpnoK7>mzDVnFdis$109Bs10iF40;JP;5$wh}|F$cY$X3CSyS&-`t zEW(gIhLdQW)s_Vt}A4~E|kUhkzpP|wKH^V$VRVgEM zS3srO{ljw+1_JAL)MtSr1$6+HCK(aG=C_ z3kUoC+j=0I|bz|3{@ z_E@{la3=FT5_e^FFjS2{<~cC72Pvg zYn-wfDTb(?a#LU7Ue07HKScMcGe}{kAyAQbFoOCH%qsV9b#yLtmgVGqgsh=7;mj33 z!uLbB()QvPG_`)OYXoGW-E7ZrLE>(0YXz7D1r?)EX=}}Q=;14sgV@_Q%3Q99zWpxQ#t+05bc9LHah@HN}D0@eGsTz8U;MyLF7{{f+D4 z{j0T9?b-|8XnI`jM&;>655hBY1rBiGGM<)qI)>K(m##(O zFq1202KSh+H9N;f`M-^P__%8X-4xhc(G;QjqFZWJ19v*nkwVLdF8}5M`V$ocubE%U zgv@*>R7&t3LV?WzyD+)2&HZ4fHn>M9fH-Wm2HVlM(o)7wdA34QZyYJ7<0XKY#9pZ@ z{hnLt+li}t8$nmJ1cZ#@7cgYk7A=?3ME+_X{3A;pvq1e7uPQ>N$zl(i!lJF4{(*0` zYewR^%4UpzDYl}9D!S6!Pb4Eu4kiPC7e~56a*EK%%l$2vk6Pvtp+Z zsQ0I${0xC!9%#i*cA_y~GrT98Gl^S$ldQYrdOA6WsiD}34pDBTb!VJ;Ts&-c%Zm#= zv|tri;G8OOsyUM_lzGmo9LJ?&Av($aGg11oO}rK?s2+c-X6Smyl!`vopW5>vT3our zyw2cHjYN*lSG=nuOyY?I+Op{Z?$oY(u4ovn3=VBw?0-!Iw-CGVxvhJJ*)Hdi&F1(R zdJX&Ga3Njz!MhQ;WB4!i+_m<43Xs!5^IQm;)1(#E;2f79=4$cN?gruJ9XC}>h8d}h zN1pGv0(C#)gf%tD9bx~Mfbq>|(2EUWD}Abzn^e9`ogESA1P{@GHn5D7%y$X&j;=RO z-2uLku9Je~^3bfV#{|jzK`c$|Is`$FXC^HmWSN;mF{!DQ?>^?Cq)CPLsN}b zzT+sjdBrTQw8Z{Ww5^|=PPr-hWt6Q=Z~>-UY^6r2KuqZ5TWW*>WYzB1XuSWxT{ERR zy^EpCyT(8SC^;hVHg^nGXZdpwphep~suYT$hXrooM8`0?JkV2VR*z{5OrQp@LYQCBbfvRlo(*gcSToiMq-(`w7gx&RK7xD%Hnbq_y9dFy`eWt0q@;V0VDPg(j$Sn z@(#{ll;n|w!=c^Ix$McMoYOu^XVk{92lAv)erXkqo_4hgYKi22wBJ8QQzTPQpl|DK z-qwg9P&0dr2|iH#91QwV!Hvtn^u08tSt>AuX7}GnA>p%vUgpfj{P z^-!Gk1GA3V4~?4Iv;j4)=0;RcDOlF?Bsbl41^0Gv8K>v+%0590gQ(-urm?8s^VTG8sWLYW1iGmgaRHe*>jDzE5_ELexL=oGxK<+DN;3M2y>?!SuHVJ^#g zdD-y>>CzZ_Lxm4?zSu&XRY6 z_oabUvewjwXKwF_*fW=JdYg_9)`9bu3^0o;?Og}TR5M46?dJoEn3>cb7}6S(871XhptxQ zzF8G|!>TlJQ@Zx}UqR07c<=5QX}Z9@rA)`nB6}v~XHhQX9jyzz zsCcn!UD}Fk*8MH!e&mHQtqGmZMZxqzt<(MjppJ zL2FmNpt0_Y_AZPFz95T23-r2Rb(?+l_!c3}U0;}jfGn-&Zmw#5K3w^3vBEjp96AwL z3Mn2NnX_>1T;!fO5JXM>iC7XT7qGTDTk@#rFTgDs)Kor>yO|qR_!|oR%iSkDN(<}{ zQM_MGhWKbjIa1Cb?vl>ynOf@ss?LY*&7Y0Mv1M(j;#0fx^LF)HEp%O>^mE$KZ1(MR zdr0TJFN5A5cnYWR8E$r%OPwf6*Jgs5b1*{gRz@M!q6s`JnCu%9_>nqm2{pe>$!sh5 zPvSDnrzy!XO~k4&!TcJfwuPUep0judbqFo_0`B=5r*fh!dVfZ}KjlH57sl48D5U^x z9dIpo&lX1b916kw#ALM*iSLtVJW>4gWYr07TnKNuJAoiBMXkoxy)}3$Stv(!nCO$I zXLnzU(}d~b3nY&}s!*@hWw399l443_>oH!D(Fp_K5%h_N^JXD?mZ0uI>Pijp%jMux z?i)bXT~+%Klhk?2EIL~bS3HQyvQgtDo^;P@vfY-(O{=;ZapszLk-0mW-dlAYS~e~` z&ZDFNd*TzMm{IQP@>&M_n1= z%~h;)WfXVb{uu8qB=!R%)t6A0&$=@~Z9&rWsdT7J6WjZ-Fd9zpE)WvWUC$M<+l=PV zTfBw1+iT6&fdi)70gAdD^=uI()v51h*`+$yZst~ZnsTMaJ1s)J1GmgPTjE~r{*WtC zmtbd_ke3>cKfOlJ?G_#p_HtET1wkGR`?yZF+YqPU>j44Ad6koSyp zhutnjK~}&wwBCN3+iEoKT6x7J{EdHm}Vln1Z(qMG-yPosC#zE6*zJF{DDCI=qpE-U+t zbxzDcUiMMev3Qvisb#9UQFp^UWEzcfd^O6wBetzZo=5C&>6~>j{CoObqp~QHjnJK6 zq0SwqR$0NHyB~R#Htb$8Sj-iw?O3%%+bse&M9-Kd$^M0evOE*1Rg^017^2@3#9LG? zcH96OaPP9$QSRQn?cs=%=UVZhC-c$g`_Yr5QN<_NFtaWyyiQPpYWe8a>apI9_qc_zx76iX%Gz@^MGe*|Bpv;Itt+bQ+2ViYLi zy-~`fD78!Dz0!W>nQnnA^=8KNk-W7_A08i1G5&0%W@??D%)D02KcS~DIvw1@%NO2_ zSB*xVdrUL=w;AE2axeDIVZD&N?N)D$Sk(!rB<$hnhZnkg%NHHl!`{Fg%7lfvb39<< z9);0ude7@Xr5bLDGnMUMCL|u&QSqC`ecO(!Vcj|%Vcw?`r{sO1U6qf2X%SbWN&!T2 z_8q;ctL0x97nznlhSWvadx(VPS=*T%d>Yu151XwM#fMjIc%M4I8s!|G!yk?nD%9y7 zb_C7Et^)cq`-Q=jq+E@ppLFiN&IISZ5?O2->wb&YvXHAgCARS;Dh)K`0TP8YFaiRM zS!iH{DCIq0$L{3>v+_^m4MeIroRRBwdrqWsU;6Inr*nYX(P@4 zZ|4KkM6)xPsm?`#)Pb|$;1tC}+#a5Q8DW2(+BU$hW4Y-u!kMysj|4xpJ%V$%I(+zt zVeaGLpy|J&`)5cCHJuWdw2nt-r}sqQi6l#T2+5cn18?!yh}+(JcSA;a$b%Q;@DL`^;-tuY`j04;6dgBC^vwEE-Q$+?rsyT*y_{ zzo#v@w5vgIhL*Tf$`)vUiMK7`{3pTdMPEHqY|09i2X=8e_#y6f1&Yq~o>C|{ROVnb zS6V$>nkIsiyL;1HLYedht;V(Q=Peb)-;NACJRgP+*QUHA3J=tQUhI+8gTwqxviX*z zUG2Z@&VN8})kKR=I?LkWyw)cXoFhKD^=ro_wSf^gqb&a{TBl+wARVE|z-O)>$|r(* zbQq&fLqgH{7pc2uYf9e86et!iUt926%N9txDx{SIom_(YGL|M6x`V~T$Ei2sy4yr{ zIOS%0pGW+F*fq>$_7~{N3L=zfU0GV#=do%=1Q?L3CTZX=u5riLHDdQta{}vV#PeYz zf8PWmN z`HOa|bo@@qn2tBt6I~$5THw=iXY}6Rb0u!WesLFf*JsX(#mF>)i)I~BXs=5&Uo%oY z7lF@$qA_S?yLo)ZiCgJ0_A3f&YY7T|2FFX#kf9>l&03;bWYwo-+w^eIuL<5SUuQD& zZ4K^Nd(Ch*o}LYGY5t-JwnU^a!Ax_H_H5?HtoK8_z>7{CV>_D})1lYvY7w`f>t^kq zVaE9hn^<)^me)J~p@-x;`5&;uebgy0hI|pCqkFBztUKq2XNyO~I8Pe*>vYyv7)KnP zs=iF@dC`y~I2NAI0glC=ovs+?jCf9^iaZUDu>jiQ>JVeSw?Xc+cdgbt8Hu+c^^wU4 zTCyEDIr-~Xz^i0*^uh3v0#w(4UVITLtF0=eh4y$pQ}=146~^*0zHaZ!*!V(B>1+9K zS%tw~Pwjy`CsJ;XfP6~Ok>HP34o50RjJG4z`gH+w3Op7ebq6XR-_0;j?wG*+3@E~` zH^GDcHLSCX=OC^rFKSq>n12xX@-P=52Tk7m`w#%fF!zbE176>^`J)l6yXz?vm*GKTa^s*|%>=3i-3ZP;ss=t`x!X;?&R8({w zhYJCS{Y{mJN`Lirz4vhy_5p81L6~ud?`4(2LMh5JZEjV8>COHX?XQH^foI?9?o_q_ zr;-@EuoLfCU3NLHzT(tTF&4sDzRT%-D{hJ?pEvL?^of50MfJ8uI+6WRXD+0TBO&C! z8ulF5a6=CY3ErzxtLNvhC!4PHt~Dsv&`l?;%VgA*Z!B>%vr ziHmV}{=)+CvFiX+pK}A<>d+7_q$6r3Le2`daW9Dw<5RcR(yBl@Sp7igKo$r+fm;F2 zt0o>7TpzdsyYPGX1b4iA)vjW`OgHqtG7{ylh)^?7%O^&UUSfURLi0nw)kKG2Jk~A* zItyhgO8<9h1?2JlEu{3!Kgv7W04omYaTbLOFfQP){-wqP>NWfqP@ezeq~;5_(BV>z z)YR1W)`rU#h1`xm?&yYO!GzyP`09VHnEvCUnc+P6Kfa~@<<#=2)%!nx%?ryjK6&HpWpHQ=O-5geo-blfBEDBx-N9Z#ZR)~ z6Q}?HkZ-urg;MuFK5>VI^yf$a`7L)?OyR!%qsxB(=D$1YfA&Q! zACLb(&UR<~E_2^sWFBsg>i_dAVd&?-47Q9v`|EGN{9o6*&|zaU|9w5^hzr;IaqS8!}ubG@%#Ne-;u^?!BKzjfsQ>ZbqIP5+N|)8AHsrVAM*Ld1pY zVdFF&^w-?bW$g=GnW3fauCiczNw8@?Y$S|=^q-I^{C}U8@HfZcdeN!B7vJL-Vvv2y zV}I2Ok#m}x<^j}C1Z;ziuVW+Nn*aDHD1^J=Pgo)R%@zOlE`R%EPnm@6(Ivt@eBt5V zXJ>?;t|GLkEHvLWd3wM#KGWsS^m*eLqqe!pl%UJXa$`joXm1z5FX~cNUpS4>s47UO zW@Y9n$N=YOd8#f!aT)Hcc&MT;jJqfxdad5=_8FLK#7$aHPTfePSKU4?AO2@%yNxxo z-~!pP%t+L1`b_7^$fyepW^^;q7pGj;C%3{8PPk zk0Y%wt9T*SxwA7WmLi?o;{nppIJZm9c4riBLAo4IcA)^r-KvZOUNsYIeQMs?@EPtb zZ${l=gmUsTkRijBm7(TmLqJ+?t1m=lDMM${cNnu%*n3rL$=58 zB;`wlOYt1}D{fAl>T;_-wf=D^_bVO|0oPL9S;bLU54ZEy6+sO|p$*4@bUuVeV! z?ezlCUT_1-s2``%X1M`I=sb5C?&!|RahHKWvfSAu0V}BaihR90BO?Q66)W=^qN z8~(b_8#pqRpsyTHMg1bVESdl>m5o8q0T5V=_$c-OB z&AIEe?wq2-%0@I8KpA)+R=8@oTuxU05QZkY)$HCZB@IS|E6Zp57FQ`vAhy2KI9-fK zYQSHZhr@lEqx#Ce2OnBtB@Qlxa_4opjk^!N<8hO9kk1bC$n<8zbo^K&e5Lu%2^kw6 z+09M=9@`$Dn!v+o{&Torln=~-Z}6A@`h89gi$fMnBD%(ABmQcqB@DM%EV9L#Fv60o>D_j`-G5VALW(6-(>Kl8ThTWy!D&g; zq#Lh3weZL#Ns478frc2b9<1-50SAxIO;RnH30Ve@#(U$5#mCMx#bqbuSbP@0Wt3&K zC0CQT=lSn``elV-jAg7PV98GyXBlrO&=lTsa_MOEHHL`^MV8{YNrnWdS-_qOnyh>0I(>EQ3M^PMOpw| zz>JQ=Nd&qf`~!XYIu>5Rf9cEr3p@yf8lU>TBQ;q_Qxt*T#Asr~rvPuEnT<4WJb;r> zg2n=`BGFQmfZ^5qktl~45^|6xxhP^Z@$Q|A3?%&d3m8t@nQXwb;lvDhUAWDlNrZ538v8x3fcRcJ1?T)@&hy}>+0;ok8+hiF0>ftvAe#5e*fOP^m=ofyXfBz2>{whNF@vk5;2|B~? zA13Gk@8H5u80+M}kHSYs@Rtw%E@N#RO2vk-NHi9$B|JwE{Ku)o4B?qF4Bkb-`^Y2& z=jg&SNMp5H=OslF_zORG+>sEaS+~w=1*t}k9hLxJ(HvW{WJ$s>3rU5U24~N+CPi2% z;W#+FWXXj$3Bv&GV#$(u^Wq|tFx&*gO^AhRIBwoNL!?DFR-X_FC>5Fu=NL%Bu&hY9 zeR%o;o{jzUxBuE_q^vMFr~P85y-SQY5c|L0fKGe)^$VT$-;e+QBb2}Gw9AAkB?5b) z%W|}l;V#pKyDZ#A06~MGyGH*Z>p$RVplkL;2s{6?YyLo=`OmKT@1xK)Tk)2EkA4E9 zA8koaz*(TtED;tw7NtfQFm#Fr8@7x^Ng9K8EWFheZJU@BLEd=ffyPVUNQl%l-U#1; z^Pw}b&Y}Sfmjt+ghLomSA~cQ1@I4p-pImWrghc~~VWJrDJQPVXVNJyvbWh_%JYF*% z+aEpqpMtLFSQNS_=)1MXRa*NU?}DHo8M+|o|9+UTp#S?Q`ddM7d{--c{KCIsJJ$3^ zET0R{9>%b%2PkxaYi|c;19P-mnADAS=1(<&74Z~&wBid{+;ZM#3 z>?18fm$viKK#j#cK2WT(egTgZvgnwl8feD;PHW_hvYaS!Zc~936s=|lt338 zOL(L_7Vj2Y!qw>jT+Hi$1PHX_HegL#qitV6XV!#i(}c@#4P-_;6fu`EUUXrATVfGo ziMvRXL=IgfQNy!FF^P~BI4cZ14#H1OL#=-4Io%@W${NyP;D9^lZg?`cuK0W z7{>hXybHS$E-*SN786fTnYacv&|X@g2bQL`f;O6Fm=tDhBX+H&T}(<3(>SzWq#{dq z358~aD{;X*D?$_SUX)JDAltWSL-`k^MqWYo1-|UsifbHh0C%Tsyrw+ zmK2jL0BvpqfD8H8f-;lj&?g*)CWS#rmf+ig#+74T^-L1rW|$I_FM^hb>ETQ{zy%rp zod>L;P=LowxCl!UMOVVX2^`Bz;KCm;aTh2c6d}f61*o02?OXX8Ek_iw*U8doT-o%b1@3#9zKd`z?YO*PH&Vpd!Tp@fWXQ2(FO%or>ww2G8%V;B{%7mbLjXxpS2gExC``i z=_ex(X+r0bQq-*cikJl0c9MAIX*5s;@D^V%EjW(+(-cR#F=t!HIc*(^L1!D)cT-TL ziNs!b43ViB3J){-f>RC{-2x57NLJX&5@1Y*$=Kv^hA`n;15Gqs;7@a}Ntzbsiksij z=_%3yr(X8~9MCD2Lb(A?AbA<{LW_X7Fa082oA|M|Eht~22l}lACO?{DJfqVAFR^bHZ%9hqMRq^=EL=H27lb)Tn(;=%1&T441if^R zm}J{J8XSz4){Z7i5D4DepuHHR-L;11=^EM>II0bnHgMpQ%?OSs0~Ht;e?S44j@>|5 z2r!#-fQk&5(ria{jh1@ShmR&GmJ7^y+*W-NFb8)nkAvp~0z7=M=$E1_9BbRqU8oH- z3EA?4c%HUCgcHg7q5v*2fc6VELQx57Bxj4_Tr;qb{XEL`74#s$T<2<)@0ItcJ`DCL zmFmMdMaHM8c24l@)EWRcA5S(AOVMGNPf8KuH|o5@HSDv|a0WJ!F{pvB(o+GqZq)$E z^sRdA^iM!Q4Q{4c!D7Ht_LHY!bO4h~gR70q6*9~(QWC;OyjD7?H=W@m>oC3f0L2|- z^sdttJ)m0JAv6NO2GdbPVw@OyxuwsB#^D8lQz#wRCRpYyYHov`ovF3V51cYI zTNX4ll9<4qFnAV$*Z*TYKt>n53KX45e~{x9yoi^kD!)668-txfoHpIEO9{o}<5DrUqT`S?&A~yPI~@$AwwrQrbvi=oD(|gEEnf zB@J-D_KwyjOLIp%^8gAuV%Imsr2`vZvy#`L!Pj^7dk`(dJr@{2nIfBj0_06*51mHd zs1(R*=-0-#zDm@hfN~TeOZVBXto85X7SxOnd3Lj7+4WE8+hCCPtN|$UK=hGPa#uQR zbJ}28YK6fxuj?ecN~aAqu}2u&hxC_pV9vX2QE*PEO_4R{Ruvpzoy>X-e;2dkE}l0^OKNb3 zF`owOga%=yFb>~9RNq~46CNuhD(evzu!0^FmJqEc#$$Xs-EoYG0-&!+UQnX|sfux|TG|1CGI|u$c%WF18)GqxWiZ zclS;-kuTR3CFq(hA@;bAt&Y`(7O`1z7ob=0-BnMK;vuqr>47>al1&AzWC32P`35gN; z!`1u6^bVy?Mpq=)2a$OTl=5;nR^*}eQ^_*!9H4iI9=tIf2$9r8} zLsv;Ru*Mlt>UAs%SjWfX#i3173g4ZDr_+tWA3(@$b6OkfLvynj{_o?D~9KzwD}Ee8OuK!&o@vxLbo8;V7xYp1Pm9rNQ(@pQ%+;kxP*DI z-vNDZd`k?g^mz^KU1d+N)*4S5$RpfOP-OUMT&T4@*w8c}urt^$6O(LwNnjZ9h+IHZ zj4?4iGudMTwZ?^-7I!KZzEa=P7ko&!s3Ro#0D*^YC^%*Fll7oEHCo661~kxPD4#%9245KiKje3T*TXE2WEFm#+NA5 zjVcBnB6=m4cTAP8h$m;D#1y|343OHQpGXVqWKoF81-S(U{A^(o%IifmB|u1pavK8j zoJIM!BI400A0bsAK}MP%jFY~P4gCs}-grhRtj2s6i_#0`ng*HC{B=esnh5TarpNN3 zIBQfK#m}8Rc0V89otm-*b`=yZ)s;?()mHTOj5W_41DO@76Wa3tLm&l|`Ta18p4zcr5 zrO888&@?JI_--qt1+7NENRiR(Xkkdd-pgQIYi{qsa#PBe+qH=K#LUaJR3<09jR zXp_~tCYrw`8Wd@?I6rKhz{5b{+x3WS5Sz@|W>Q2)`>hBU66q=J3YmW&MbH~Dp z-3bOjHtNY3x{bXxnjH{v7@*`dd>S|aTO?SVFiAJ%Z9z8iCugbLY?9j;HMRW zw)6RUnA=5sVi%1Oej|tVZLmi3pG&8nK+;*@6~U&+3Csb2{yi;Cjd4 zkMtU@m{k&N)94r7|6ul#+RrU*1YD{Mj)mJis;bdP@6nJ%klQ$Ub!rAiF8x+z)jxW z(R`+~;d9~a>EihjPL05xi2nQ`fqzIazH6apTrc7o4)4)w1MK?vR1UxZ6ZP#7t6+EO zWm8dB;5?eo*KsHqP}pY;Y@1Z@5<5St^pS!+FearL5;I!Y)-ad)<=eV`MvDq|FDut* zi-UZXVaITClRh03ExVRQP3%?CLzm)R>_6GKB@IpOq1K^SwR0A1HEBbwnZBhnf zo3`mrHl4D^q6%_QgK?)_YSLNzbVeHG`XCrjJA2T~X0_W5Hvh$zOz+=iGB06TvPl0=uw?i@Esgnaga4 z8|K097{LHrr6X}@zWJ^g+h}G6s_0p)STP-o=12=g_9LBlyRK)S^=n&mG6bxyD&S2NN^K^A+&rhtrr0`=Tcxec)726tl@+B;uWsK09 zghn~{vuZml-&QG@zm1j`7q#Kx)-R&TGMW$u_AHzy1s=hpaD7KV;hbBg@G&|L05l~e zt%}F9&397aQ@knvE`*)7?_?HRneR3obUnj98RO5#oX7Y~bi;OL1-()Do;=Qtq^z)( zypB!OW4z6#e5fs4he&4Un>d#cy1s9~bl5Z!zs;>fop>*1$=1p__*~TyP0Um`qTkbUNP(jG48NKP9Np zn0=TP(t`Rm4M@1$-Ln`b#33@1^O5sqfamkA@B(H!mP77nPh4Onsqq~VN0BGEFSW{V z&Vlsq+2(uGyWbO7{s83?8&`5MrSr@)DJkTb0d@T_f#;`3aV(i3FzoX>XJr)iS=*y< z3C$B?$rzFKk42K53Kpi%we7eMYLQ=)@MVtF8zC&|TqYKG#^?&0 zTctQVD9+wuUAm=#T^WPsvo1TkJ&}D<(gW3ZBYTM?m)LhP{PPU?v}cvkn&{ZP0kFr5 z_|#Ok$--6|)a)2@O3b<4atU5)te0R9M3=BLV~Ei#LrYkHiuH(|osh()n%LWQVD?RwR%979PTY#pS-*@g?f-%OTyMkrC1B9A z754O?Wo~mveLGm^!KUCX##bH3?;_ngORyfNb`3K$Hq4#7$hghIwln6Frh;5!D26-5 zcYwh#m%E=mXd&+yV9(tYWVaaDXJY)|y?VzuA>DX91_!JYQ@HWUG9=FcG%~zEnwexY z0&bO7*=fIx3EUNmVvT%H0{@R_h9Rr0yrJMxM#9 zu#agl8JS5Yo|$C5k|7U>EO}6fF;xn2%srr^$~P7CTrWelxC;k}TRzvjuSg?$OgBRu!1XBXNgWn`7Ih3A9E1hEuWXOCs8+h1WVqn$?&+z*V&dCO{)oVbkLl82U zv9$Z94sgC*i_PyC`Gz>@%6Re?J{EE~`bk_USJ&PeG~Sz@1l!-X1(Z+tU{ zJ!mvP5sw0N9GBa*1lQ{*@Xcamjnk%MN`&D|sbDBw3nJb%lnmH7;9?&{ zC!{f)y>5iKhV6^;LX~f{(HLz?us)+V|H@eRF--ubGlI!4LC)gw3w((L~S0*qu5^tskI8jqR=-=hUk zX};<%)KMlUl1l=Q33p)zu$aZiw90yEVNB?!LjqdBCwinQCiBZQ_#D39SeeFFMFYSX zj^nw< zL#w5py~z}}zye;h2HqcQT&L?hWFCr=-7KGED|EhRvt?>qI@nJ{T|=nt_;$l(;Gzrh zK@U46ikh^Y=|-&Amo~SxuitFr$Qb8O@#k(N_ttVa?@U>= zXee~{2mWk|@pQWT60{nd-GtMW_`}wwN9&iZcm6N2C2gZHEU$h#s$*w z^?JoJc>%s!deRKrt}OG%6v@nJ>-7xwhWDCx^gV04Q@I_nuHnXj1>egK>Pgc;5nrej zo!6B$TV#d(N{8Cc?F@CIMtVk?K#GMm#h5bRGg}B3N|bby=jcivc>RQhx5cy5W{~9D93C9i~pGf4##;R@WBS=Z;DnX zFeE^>`_H6m7c`TfZFQxM@41N92_7Cu;16ex;4P%SrIOYkc9HU$0UVJI(qu#T? zHir|~w^_dr(KJ~3FTq*1OB|;g=7IT5o&~dKIk{DA3f%}}(%mV}cWq#R|Q4xN~VXn$Rvit zFX0kT4AZ5p2&qgY>C`EYW9KKy?576y6I=g&+J;`@Cyw^zFZ&VJ}0|}}I z+_td`8_-}Goyj}`qeRU?K>6C0OjNGMWrG9$ZxFS6DCyE0z>t^UseN7B*3SA8=o7}B zkgvjPm;p1nqI;Bdn+?`Fc7?8ftIvB#(jC z8A>y694og<`{Q~%FRqI;ltCta(CivRPag5hPm}JzchX1?JK2aDi?3(pG_nt;_q%n? zP3`u6z0pTEml*SkBOS@|psWeC5uiLdy9e~$shCo>;2~lgSl#$8pAL1)%FjfZ#RI_I zJfj+8oDie_({EdhmN^@Zr6rrJ47=-F!WGS6Mvwucd9*TJ6T$#9#H8YdWFupcYXC1q zQ~^VQ%p_SH?|7LU2mjEkxI|fmy6>eaOcS=_Rm84-6-$Gg5n#9o7K~F zVYOO|93$mbxFkP_$TpOjyCT@Ez7k0}>zna|9SowS6u2pQZ=aOU#Nc7AcT@(vhKOIiM6#IMiq@ArY@JX?QFS1F|fGt66_zJv>C~Q3= z&+7S5e;KSOp_|xa24-IWaGQsW!e8^_lh{k+v`x+IF;z}Rooq!kyDM7y#bQp+WPi}( zDaze(+R)-(+bo4`7WO7r|M&dWdh#Crbp3j(akOopqa2$daK*neI=LP=>{>h8+Cy_` zp1w8Ib{X3!YwH_$V}_9$saM9_!l6Cvi6r*c(d=WHY{LZqbCEo6RaztYRB#TTy;Kj) z>tN%?DJKIPo{vR+QbB;d8p<3K>^#r0X50XiDj;QNHF;EJdhw-HgCAc|Z$o*H1|*I=VYqyKeIf=+J~vDd{f<^SbzqD04P)Ui5z=#fb&+$6 zSs&&QW{bxKmQ%erQvCqfgN60I#l|v`=J+2)rn#n@+*VWUuIB)-O{i1yfXy^$|73Kx zBTQhwT*z6m6E&WO3m^5UdswCNb|Z%%mLJeEb0%;McJO3vKnr9=%w=wXlnHI1eP-)zdAV zH=FW-PcoTG+E`N(5WpyF>>rzk%m;p9W)UmL;A7za?>xDaCUGpE&q)0S&lDpY?fMOd zf**WcLksB(TnxCQ__aXK4Q2Mq2}CF6HDeMeSVT@cK0k9PA8NcN6xxxzmw++LROA*m z?SMhI20RHfwaPc21-hGR`=l4FU6#B=wDqa=)x@k`p#`qhUjY3BpY!sFIW8>LG46!;qsi|5pO~s?k$gY#NW1m957B@4 z=VA88%JPt78`HBY6_I&)Ut*GLdk`P@*8ppm@w$MmPPrM;$!Mncqk8Fy*z-xGuKHy> zhjh8mLj?T_AVF=V-JsLQdEY_+Gu1@$y-+DPzUV6mvfYPBHv3gPL|@HTU2d~&KlPE0 z;v@uw9JUDm6^NN5XTkDA(#TKXo9RjGe~&y#hWm>VepstS*}G#;yjmLw{mW!H{(*^; zf;tl)tYAAglHZ#DO`AdWLtEY8+gKcE~|Ht0Dhc$7vZ=-943}hfPFo6k7AY&$wK%yDVK!S;Y z4iFR+G$@{0(V(cPprELDj*6#xLd8=(;h|Prt$3=owTenxZMB|TYqi>HTie=tsO?*8 z+x-OX`*wfdyRU2SKlVR+|GX}UWG1s#)_T_IdG6=FA;+F@lOvkT1AgBOP|nG~2?S9# z9QUSdcrpbRkTq!Qj`CiNKV?BGvb42}C zV(|J4R2pl@KZ)-U`!p&RRWw{OHfl`<-BMrPs2C#E)QdVv^pvh3s@f)M28a5hU^%yF z-wLI6;YCEX=_mTr{@fy}Li4>g56-t!%04B+GIP5VeTm)n0=RyN)$j||EYomFDV9|I zrL-KZjw=n-cIO6MpiDM$QLOI|VutWXder!X3U(Wi008-rowmsP+-W24t^C|1$oaG}EG}i89f}X4UBOQthx5i_na5 znP#}w_F?{b(^ie%q#Yhl#QR?Wu(^9uSFzDezn_p(AoBh5qDn#asAQCJLj-_XO6bXh zk&l1cl~`e^!LJG(e~ToRqp{|fiZzF#$+cEPG(Vv=1oKA!`Ciw&_qx(YWAKZY_u~h< z51GiKE6X678^@MGGXjN0)0?mTKCFwSTC}ODi-#6wu{S zny#UFuN$>5QV^&*vQPz}3i{?ydM87yv3*adO&59ANOy?muK+PKSbr<(OE|3-l?g3NH2(^743-Fir}`+@7rw-P4eZ^mxg&R*ap+y3eDkIZlmXJ!;q%=ctx(+ z(}B*=(=*#;7?5yH_h$F9w>38+S&?tHkfk}l1#!!ET@>_qqVG3lH8P(qH_b7(3*XlF zRAzIcE+XoBrYD&+61Kn`2QWgI26TwXm--l*&r0p-rgc=Y{1ERheGs4!c>B(HVnFGS zx;s(+XsuEea2n=M1TxE>rq|dC`E%Hn7~}Hj_f13!Ik+L$v`2U!G8wuNg9DSsmW(QJ z^%s~B|BK2LO00k#js%0gA6=#LogrqBt4kx4V%MCk80%xLHYD0F8@FoLKNUYzHoO3* zmre*I6@Uq~Fb5H*+?}Hjh>nm09H2G^V%A92ZL6hikyJ$CROHS^Wy6_euvBDc0RQ2+ z7)X=M1;m_prssBzK^EM}K_0^T1f<&m#b7dLML|$T-qG6Zi5I?riQX0D(d$@sAh

    wvW35=@Q*-Pk&MJ$&sYc4(^r z1Fm8q=@lck=i;A{@;2ySR*u7Tdhv1SW>$jP-lgUZ^iPnVi8ODW2YkZaB!svU{^Rmi(_=49g+#L$&`091%B^hRkYA~(W%D0;!#kqB51 z-HOH{4>BI2#oLY8-AET~fj(UHuBr=y7G?_uY0Qv5m{xv(flvnCKd zHr;#9o*eD|wthaTeq$*HB}*mYT0T55n*CZlIoNS2npq{KM=8H{E(SS9Exl5qFr**kfvo-Z*~JC{)x-2Z$owE{#G3zEV+V?2RKQ&H? z(aB>07IK`m0&8HPE)2jw60gTQO^y>D!s7rRjQvsK0XtIxUNZbDmg&Xcu^7{Gsxkeu zG2EA?C;R3h{*nbaemN5nf8Jv3Sh?Gx#y{Xj>s3lj$SsV*l+0K=xqznfDR*TG_8P<;D;bN zl@BxhS+~C#$saPEvX23si&{tV3AQ2$F{Pf<;1UX-NyW_Tl$oKnWJw?CsUy+!Q)DuK z+RhZ0*!W6%(cf%5rN*FRWL4#tsn9#6MFz8=cbdG(o_*?8qFQq0Xs+$ar_T%Hh z-!I(lKWnc^7C+(DenwmcNw-Sfl7!#%L09@`EMCMVOPjE=(C8hyIf2Vm-^bcj{u-my z=(IBse!vO407`~eP>2P#%LQoMLP6*e`J&kLP1J9kl!QPz*dT=K(~nSyH_VQ({Z0oa zD<_enMm*S{rs?ngH+(W5lNs2{PwW6B`>RoOA#gzK1{2%Mdc{WX4VM!l{EAAf)<8mK z&z{M051p1*dk`Jz1C;b;tPIf==OWjUk!n{xC|n1F=aV*qwl~HTyX%|WYKlSL1LFuA zpUn`3)L5D@dy~ZCC?Jw?>FI-&H*oV*)nhIWVWO^WDm{L2qAu^`|H~z)y#gcdXCVx{ zQ~M_(&I_IB!NpdcoL*ZU4i3wgBD&XW-|NVd%9n6yGN!8z-2e*jCvbo7s9lQLk+d0F zO=~9YKD;(v_rXx~=p9u44qCYg6-?C8Sz7?n{J~n(A3ytD_$FCvKWb_GMvXRJxd0XL zJ;TNu_7=Nph`4f#WTogxs@)6~RzBKT%jc!21#pDRq90P8Hu|QxnGEGE;mWc9hrM?J zYwFnghi8&($cF5Y9oaDnB#;0R5F*)z2o#W@pduh3C{R%Yf`EX6;I&@xf|p4hv9)>E1+d~K#&+F zagF*XxAb2?HC2#zLb=LK{I#3d&0SmIp?ocXnxGs^gJ$?`51BGKMsD7Q`(RTl>8<}G zlzl_EZ<2T(NV}Q&AgMHe!4$=c#pbWLA#x6z|6^k&9r4hE8JeGX$P}I~&J+ct9!P~L@5MG!gK>1FZN7uBNqrt{A2t3c}j}qoM zS`%9rxF69~^?~$GkI;dd4GRC* z!zdvF&Oj+9D%Oxd=7X>!>Ys%6D^Jo_-+)yoq%A^4A&2~}*UArhipMv!lcn9ZATN!nRSNeE%9jx{As zN@Z+Ua%JULlTRMprM)l;hX6hpdIB5<> zxC{p3EFmt3x6Qu=77ywi!0auY$Bfg+LdCoQN;(z^C)VVfe+Fj$I;0Qbv-3d1B~S_`@uQ007w1o0qQD8u2`Nk ztfUuKMyb=fuoPe0ID#&s^~h8ch;z{0l%0U-skZ#4e~-_~L4!yHC>&0Apn^M_Z@}hB ziNIC{)6_+@dX=x@MSLQuFQWe_N#V8=4^;QX>x9dnKQim$^7y^tjPppAM`?Pnxjg!` z_PR>@t^_a!;OhAy6DUri^?&j$Be90)h1DhoTZ$Auu*vvEtlv*^9KwN(fw;R&OGbfE z>>Aeh#(r9YQmq8lpXdX;y&`KB=*~?I+Lw4A$By?>LtJ3N3Am)mAsvE#3Z@W`5DN~vGQAc?C z5~M$lNco~SvAVxI9Dm$~??4ZRS&G3H`JkqStdh?T7Rq3ju>c>g-ZJK%#DIQLm*3j!F zKJa0O@-zpu@3@(0oABjdR8DZD(DVfcdzyF>a6AW5c!KIV>|=Tr!Hm|R#B&$~Lkc&| z1sF>Q@w&tCaT#$0UrAk77LhE2@m?5vVLZG;eb^1oyc##KA4T=5pHx}IULb;(q)7`Y zI$-(u+K<%5?&}^(!$s%r=;b23h0z|o8Sg^jov>Ve>#j8!Z6?R1w_9WkdACVc}UXJ_OOvD_xsQEC&*Gc%kB0?^DdMy+wpkM|I# zxZ~hsdc}6m02M3FbXWMxP6kHJ5-WUE75cv5Ud7!U#o0#7zvPh~q_;jr4(>^K+Q zY@y}^+FE`EH|$#kwxnuD#qYtG0rd-YCB+0;>Tza$rRqvN2v1;}8uJ-* z;TiRS7kr*f+$6w@nhpcb7SHP1wULX(emku}%u6X;dY7mS3XcI>+XwlEi3%UnEgpN`RdGx$mkbc=M!Gdw41D#}MD~fjq>#AM^$NVvG4r-@{7mN;W;&lXLgW8HOYf=Fwrn z;YMsg)#X;Tr-Y5-u{*n{mvx!^9FAim*DW$7Qu z(VI~l!2Y*8-Uwzaq6Q)mHFl9z_NA*7-Nf&yrGKdDBjm44P}0_}QQ!7c|GQysfNZcI z+mDBL(%#yCk?JYJ-Dfq007q6Ry6ZnD4OQ@BE4va%cBA)34i1noysjZ z!VI3#76B75pYB1|?c1Xr76*3xuO@-PF+*(Q!61c6;T}K41r((sVz-Jy8%>LO?5A$2 znb_o^Oszr`!2d8a*AzmqIj-vG+#`pZ{-H_~hpYc|Hw?*9Ykw*M^=N zdQ_?>Ub1k}L%OCO0e&RWD95CMM8_thL2fim`>$Ui`2TRS@Vwo)G=5MLC6 zJFV|{;>$u{t)J&fuL$8R_h};ez4RM*mD=)N)FKa zhu5s!nNYB;p-8})Swrw8 zTp}wJ#*QZi#-R9{?)r}qo=tyb+KBNK^*#jv_wZQr5!$5YcTImcM<5+V(S3j;YWhg6 zHv4`PP(<-s{Guox6+ssUy@L;dSR;Uk4}(}k!Uyq%oQ>vb?$UCO(Lb3I-y~r_BI0pO z%|SxhgSgjj*Zmtk)R}%0=-%s!O!_f=^*VPDOurOasD0bdNiH2U8ZV}MM83+tuqJ*T z0v&h78^H?(1SjjNE~AHiR@Z{Ev0@^)_vzk{*cD9x^Xwm^#Ap=U#l6`BjP2-q3d7?j zfDeJ^z)m};t*>8+5}!k%LA2sH93M@X9-!ZYmbB}6C~qs+;8pt{JWs!^-U2(v;7W-!RQlTUCLU3H8&rVL2~5{rnGGgFl<@*$r_D3z zUAcF6v;d43y{D?_oEox`UC3_gl(!_V@7JE>oYnP0#nl!8qJwBS~}x;M(`k6ZTS z-{gVbwQ0CJ`w0a?8uFb1lOw%iA7+7OAXwRnp?}B?#2lnRkv!as<8p2l<6y>*HMxpg zNNuSfdx0nZRK)3p3dP4o3We!Sk&;?Lf5wiEGQ2K}1WP7SiiAe@3=>lAtMsD-;Y}Os zjfYPKlNjRP-OzaD2)AjMO%sLU^Q8KU%oHyZdy;wr2RC)C4OMR^#a{_c9&X$wVL3HX zc~5A{L3q4sAqcbbgI|{7N$PzvwweTebiDzIUm`UCg~Mr7M0h_=iG9&{Wwi(!;lzeF zh=bh4-r`_u7ij~fO?AgxI4NN4TB>rWtk|>RTMAVuYZW*HFI7#HeMgZQ^a_Bc5_95L zpr`;OTPpaA(>%k}vQuI5p6p{PH^8UbW2Y)F5D4O7d^OvGj1p@0zdN;oM z6(PBj-Qx}{mf)j8)3>hdOgBAn7k}Ub7sX%|2k4iV!E1p1F)-&VwMt3uP`~V{7!C-r zNhsqx9-Ux_1#@31WzaUdhaPNcod{kjQjD0wqN*}PM=KhFeMCcg@br^Wb8nPX$DMw@ zSAIdN-ym5(mxD2|lxw*UW#X7Fv{Jl~G>s4r2n{-?|B4STLe=w?ku#)k3F)k;<2-$@ zp6nOy;szmX#6K2tFPCb8Y-1Pj19uhae?e>?7uM>bd)dv@$0dE6E|roN_|juQJ}ag; zEd50!2D!+eVWu^RJ-}CocGX`e^{F_~7lDz+^eFWQfx3E;wyHES3+)U?;&()fBWx1R z9V9R%;nWpKf2xHYh{c(1;RevXP<}9Pz(fO`Goo@3bl6QgSnqs{B0~BY$hTy z9L|cVo;;8_C~xLg4x`r@+?qyRtc+cP*sFYU2^af4A7X)$%ar%E$}h#H3;f!Nz!ojV z>&k#D`lCl}47{MP3u>d)VhK#w#UATIVXc^o*q8Z9|BwV>^$YdOgQedoz^XdwVgbhl zQ7`j@`P0Ghj`$1(47Srq`VpmmLt@&Gr0-I|b|^;D7D_x=LT4Fzr@Q179n42BM7g^b z^`}g;!1Oa+%NgHXhiB62*qJCN9naLCmWc0rvC(4viD2adi8#Sq*HtVF6l-M?yhMCP zERL3FAE@yVMvGs=S~5}*pdVvnyzC8?sjXh7F9Avm8@p*3*BU0VSwcKXJ4wtQBFt|y zN<+wiDdzo#M6fD){T6g>t?lIdZ+#<;EJckT`Y_kX#nL~!XtYt!A-$&rd|86MjS%p% z>dpS?g8xH%=aOptJ>h3s^n&!5B>V{elMaZz6>6!aIRlCRp!NU8mU?(m=&vEmE1Y#2 z(6oOI2SoiqXXMk^Kek3%xS2Mqwg$_5v_olPDvoCdVeKHA^vUgu3>l!4HxWP-;=y#` zZrr5#HFzc66p{EXu}O$oa+so)e4dUB7N=Og(=81`7U^ewn_^-A_Y3UxL+sv>%L-Y* z{eY|Lt2A>%;^e9te3yTZIqV&W2eNrj=D>%5g)0O{#qF+{JH&Qy+|1g6j`pPCt*%&< z;7G~$@*RjnTZ2p5V?lIgLn1y#2o8kEK@_`$NWJ(*0;Z<$_^$4_s?xr0^3PW5gj_3!$Y<`)1j9Q z98ub$Y^cn(3=JGz+TuFY&cIQoEvh4F3>oZTRj-GV?{`JH2JRlbUJNBI~!Gdds{14~T{{0sRrmvqvcF`rTim1FH zaDxhM?BArF>&66UzM0*UPq;$?yNXY*pX=ULKkVH}4{m^IX~Bo{@t9MJo<%2?K_w|= zc|c9f8-jb~8C#`&~g;!ECoETTi~Q@Q0ZEHPa(0fw>x|2cC1*C)cj=b8 zDthvFHv{;Rz7X4hpA#i72MFz3(VH{3WNd0+x(|7C*uGg%V;t>$Y<T{#sRPB z8kON=&cB%hbo4TnU)oi|wXfIMtM5+cyF#~A-uSTIuipZ1c;LixAh9Z{=FZtI1s^R? zJvZ^*=lf=JO^3Q3+tBZ2bzT60cVe-)eb4@k$^szV0H33h;dCQhUXO}@YeYU6k@}Ba~_f~!Z)p@%D`s@3j zzPbGN*lQou^1JF+Y0e57y)uepWk0k7zgC_1 z&V+9+?SsfG?@avmD$GC+Xvu>c$AEs2rG-cy`j6r7O@V%W3!>kf`U_02S9@qCq91To zwomWrfBgF6f4=(Xn%*=1v|^a_BR_yiZdrsIk*m2y0yEr&vivj67kZc0B`*u(<}srm zws#y%UtM$a2iThtDZ-J9L?I_FWo2nqW5*VaXLzzx9hN0*?#*F`78434eI|4r+nB7_mZ7LSMEB7qNt;J1uXCNn$+NfB}nbcK7P3ddC! zhlW8Ki0Zf#bZw23JH9}2_rTVb7N7C}rT({^r;$s+*ovZ((e^pC49nJH-SM3;gBHVu zn?a6j+VktQipRS$D~M!fl&z9qy1(EF#by+irH-vA9347ns5!K6SSV}g6%I{6=IZKH zg-m2*BU!A+GQA!N!y_XId2AvQ8Y7KFB9C8jXeL{rrYnXqS16Mi0d2ODn^W3MpQ zi>w!=jU69~*F-0j6&Ap*wVC;UK0?h?*jOx&dxcZq;Y)dZfPXXuna zxwIpoEZb%JNCck()>skFhid-J`|FF)7;1n{zJZyq!NBM#4;T_Ij0@K-o{th22p2Aw za-?l1I7eZGQ04t`t^M!fiX;NFukdh~NMM#EqSyLVwcV&EMT$>4OHDvU~_m(km(GOCR}Mqi`Gs5SZ-{fz-eow1uS&=_P4Hg-3L z7(JBlkr&4VCo@9Zxbqe8 z0E&t*2{!7yxh8XeK)*Q{f)oAZLPw-rXitQY3ZVwi1u$nzkux>(;FPXcy-B zqhwwhKady5UyFIg*vP{I-&Ghsjo8S?E+MPnE+1|b^E|O`*+GsLg4TsgP;Qyj*G`RV zJlS!cZt?p-jgto;%`;T2Q(DZ#Om;F167EeACy;Q&a3x&@h@gZ>1poQ)A5%im=(hg} zT0enCYcaF5BaI}jk#ZrJcCr0&G7UGqY{Uu^2svW$IAXZ~k$_;)?yapBwSEGTBADn7 z!^jaO7dj})mH+r%$ichJK_VhKD^kwikCxL2PD#%kDFrWx4L-SNU!Q)NOpsAp|5Var0-a%kYH4GYWg!y4NY!q-#Za*OVs-(iI z!cnXQ1x_q3sV>xWHU%nhp1fjgwJ)6H6?AAh02{$dQx_tGq5N%}51ZX6JgB4(EvAxb z4_rpX&@>gp*+U^?v4)Iix=?)>3HBrUGE(X^8j3F@nRuvQLPcIG877AX4FP+B*oFV3 zM4tBZJ>)cv@-8t@6!i`zmT)$ms+nFXpQ0S|S^X45>4fI8GBOv0VbtV!Bcf(AMifF0 zPkIjJeQOR!B>;}J6j1p%iKvJB!$4=BJSSMe-;(ItW&t80m$a@+RLMD0A1$NId%;S~ zYmo_G*FRA8R%yJ)13jv$3d=};%O+6n*jBEJ#&RI4>Luv)L~ytPW}HSMB2bafycY$Y z{=!jyCh$d*hN46-M3j(s85NjQV`NDMnDJJz7$ACu2@Kd?6DzOyAr;6^RDI6bWkftS&C87(IS&5>eGS7Qm_Vh+N_d zP9r}NlvHCS@$$M+u{{wtPQY2?n;8bQ>0J~87N}-oOZX_JmQE$>0|tV1gC4cN2w}{C zS9_v|Y>E(+jqq;DD;6w%btU%U06bAuj!y{my<6hJu1}Tzifh2XN`4}|#5+h3yrujE za#tBqUYdm*Nc9fs)p&r6fPM~I3+@0(pV*-&^t$-8o5G9i-dLrdK$41p z?-hfis!-NyQzpW1CL8k-h$pYgzb495oL68{0E3#hlp9SS4D)0`jMn! z0V6P2oFxpps#=kojL>BIp7cL%I3cP(hS@(T#|6z*enN>Y?u3zCJ9qtne5@4T7HW4> z6ivQj38H9I7fO>R?&7Y}Ok;6R9Z7*7CqN!0)*-?V3~fvOD4a(sEuq?1D6)%UWK;-Z zMiTOrGf9h(ruXfWSe2;8p)YSy>a$S5CFm!GC)s59jPi(Di;7Ya5wT@dP~DX7$kGGv zWL_a=WW7l4P)sM(#9KI$6sx|0nKDbE)_h)X1(W%qbBKYcgjGt&tf)k!n5CJIzW!#M ze?duAK}|`uZ?R=SgJk@~lIntOGe{9GMq?ZQjMXFmvXaro@Rq14%O}3YZ^il{Dxq>3 zYN7P2NU^o)x7nYSNvI()~x)28G)eI!5vWzMjs~Ajra4-9D zWtPb}6MbR5i=oV+*01m*q2eoycIAGB%>~xI_>oWn*5G#M!tF}_BVkr0AMMZGhcAX$ zC-NT&6%+aBXy^fDqENa>D4XpbD-l}F#3Nz4nLr<{KaQ<~iATb$!34Sy`bq3;e#xei zHKfSe!ha;(YvH34p||Sb>4C0~grx&rLE3v>T6YRtYY7N9Y6)GT#J>jKUKQ28RW%i0 zRYUqCgVjxM>AokY1R?7TiGGIU>KG)xB*gE@>S#io`jX`82o!KnF_QEMUM@jtDG@*2 zBZ#4q6EjXr!^`y>c#0L^wD$u#J{?(SN)u;Ft(iRMkdetlgWyI&ro}y;$5Z=yru4Ob z<_RGcu7i2bA!9HPb<2f&uL&Xi1lR67=aA8zhq7|J^Xhx9{y=2S;dL64a^MJ(k~3g{ zc#ClOVlV4EE}aJU9T%ic>7~BzrammR8r?e$CZjuwOwrZl39KtzIt@uHT#zOuCbmFe zo$u0VVCTE2r}Y4PIwDJTb)k4=nD}{JtP0h?EDLuBf00$gdElS^3z3qMieHcl$4)Gi z26u~k#}AE)AK?#UUO1}IB73vD{(H`j4I#&#(qU3!6P8I)V9|9yoT3Q-awTXp9QKRd zj^f9leao>ot{lG6Uk$c2hg*+IAn1=uLRT`c#Oy%@N|`RQ+w>)#kv*>-@QfL(4e?NU zrn>5&%grYhg@o8TpV>a2LDQ8NLk*Sbe&sytEdJAkhFN?xzI@iUC084@1OIbXcl*Ls3}nxH*F zqn)|0@YjDQuiL@53KUNhk^~AgEq4#Uq;bfL-qv2OPZQW)u4rLHEj&|kjkeY>PZLZv z46@`d=Kt66W={ZU7nGk{$hUst@-zVyXwmH4B0dmhfYTcC$*QPZN@)QqY^6Z$++86AmC(G`f6}^$VA$2@PMk2wo7#y3|&V z@hqt*D61Kzd~@oQ<+N~ONtN{9b42BZ)fV-%Im%a(0F+<4!VMhbQDe0$2h$SqoGG4g zTq!EENbgRQ{hY~^qVej_2FL4IHV=LCp*5{AIIWNxAr=mzhieZHR;^YK$z;~By|AJu z-Bk{J#Zff{)#A*_>L$RM%V9$?zPh9!(TFrY;3-5^x8UbYgEu`^k)f!XK0TA!H65Ii zRxq3NQ+PQ&8>S*fsC7D`ri=4E8zv##%?gTwRnj=RVLY4`>Hx|sRb;9>w+|VDzf>d; z;_ap(M2jMh^ayO-yTG1C-#P1SEx&^#oRh0|6g1n;Xq-^>@!N3dEUb9szD-*Ccv9Hb z>wUR%K!`7V^|c=be7V!At;E*jt?f3)rMKk_htE+qu{0zvtnh_BBE+;F8TG!8KEh?o zJ-|u&JAI%ZSKAOrJa-ham2a=`lXA0H#HoCHayTb)6@RQTtrX#o-p+00D%~3OXhHS@ zxQcU$?6hfXtW9e{{wmK&eD08q+fTHPUygF^Vs?8STOYFP5jYas&b)fZuU1Y$4yQ}d z$|kVUq%{@SN_+k6ECgFzYr&5_(^`eLXF}|J2EO zk&wqLVQ&;LlKwy8=B`?N&`I>>0u>)yHQCOeTJ@1YcCWv#VIDXr-u?+Ns7xsE? zoW)_=yO?99g1=8Pz@Ou)+E}II2`?kZ{p6U|95>Lngp33u(}|vT7EqvwGaC;uSh<~- zSctoZ*xrT|q=z>fmWa5Q7nwrQcsXZ5oJ_&H@j^J~kezAK@X;GgMz8 zn3!g&!MgkcW}{*OJ&E*6nuG|2K(C~p=h6b-kD5$K0#;~JY=)Ze5~q=jVu_VdPPL~^ zB}`2zv7V`vaHgq!&7o$gA(M#?cnkSZ5l-9?@{f>q)`y;^{5);UkzzbSG`2$TMKQ4v zKv01`D9Q&+eQ?~40UxL=h5|AgTkyZQGy$^`5!q9qmxIl*FjzVZ#&TQ|V841NdLul7 z@io*bns9IVXpR+9F*-aO{I6g$t)&mxnIE7yW8-@~mwtm$U=yvX>qzYH!$Mc&2XRCB+&auh2X>lL*(~99ZY&w4jo*%mJYV@V&I%x`(x~T zylwupk71Q6N(9H;QQ@mpa?KjTJ2ncpZtTiW=fu?1iC|+_h$ne+8@n=n%RMGnAB*VI zC}j9=h|&j4R*iw~38Tm0H_5U2tNFmw^>&mE8>aj2%w{(yAqTw8W!ymLGIi`m>^aLN zt?MnfjN2Aq7^uGx_Y+$M9WFECd_{dN-u>5yB!3Z|=AV*Tn3vsLKJ2S$BLf$VDp_6J zP?UST=4!VEqsY2j_2sv2Pa74qVC4Mf3rj0==QUsLhUNDMDPFIEs0+8IjqJbl#^#z^ z%PWgZi@JR^4IY7?#SP`fORFFUh`ms>I(Kx@rDHW$`z?k1FVr<>@2R}%T6d%W(&DX< zNm0;O)9wW0OiAwO)feiBss68Thp3Uot1lE0k%HH^Q?-)1@~iN<$$JHqUwG+gjY3M) zhTKV7dP7(T*+HFf|7c;|sO6PhS@R0LAVW8xGh|p?x*88%2z8oY4mB<=Exmhj_r2~5 z?%bI+PEac^#i_Tm>sqgMy6BqpF>jWh&`y3h=*FT8tnH-2%FTiv+ir8nj`-`Y|G)Y;K> z#+UL%+OH4X;Rw`RHbxVwVEiG|7n`%2TfF{7MGHrfAK_?8N$F_Uk8q@M^L8i|NTGnr zHgD2@h&*o{+XKW<4D?@72~R<*iruI`!k__VV^%}Kig_i^lc~{A!kuXfAk%Spt|jPS zM2#?b!MK1_|63(R%BfX(|C#b_zzKgK6_B9l=;~plG>rTRs178*P*+rToQe$Oh)@Pp zFPFbVNab#IFjU69gnt()<`o6SRCz;LT!}8!s=h!muBfdwW!?X&$h-XcH&b-W-ge%- z2rFv};UqG)!oGjm+)ZYc>F&M(+m{tA_#_)gafkP;??oSqZHdY5tP8d()%D#lK% z;H0gYRW*eKd?s4T#uvhL`v}bs-mCkn)#C>Il+I?UgCe+YIH9KzTg`9qw4m_L`?_RKPj zb-NC7L~7FpNbg%X&Q7B9eA#Bc?!o~e(MxdoKh_2q$D}4RV%s>3K#0JC`@IP;t1XNp zg)m}-NCN-ml+Yi=*~o}|N=>AmH;!k&y2Jw`gIs1j9fa0slQjfxIi>tnd zPftW1OXQ)2W&WTGv9k#>4@J8?5k(>t3ROJCi*rX1Kwm+E_$hrZd2$m8p2DIyP@I4p z2<_s+DV`kZR(;I%nVUm{BR#pW_3iPli);mMn1IFLQJDfruzttrX~4vbpW^CLjP9=u6% zdot!Z#H#!pGJM7x^)z|g<@oU3sPeYU@)MUL6i)kb^89^vdA?#4GN}S!i)k9g`QY)k zf&Qrike@PjC?dm#g+P(;30MfQNlOLT#QR$jTL9M9RsO9Ke#H@Rz>tUm8lm5S4Job2 z2)LKl5gLIEn!$oNLryry!?7Q(pAXF9)JY3q^`mlmH7A(fu zcE;vmfMv=DyhJ+Kn1QxeqP0eJL3S1B6%+*X(dD)y7MJ~})in!gl z9@K^w1KwQe$!%xyOYknzTQi?Cy7>~)JP+na>X8{tii$W%J-eP~+pOa{769?fX@y}8 zIXmHH+6%7*O^Af~;2UEMN~p65?#rVxK}SsQCx|_YnQ&aeHlu{M!Lke6h%`yy;cNz& zus5+)D5q5OW5U{){q(l<(aS$fC^9@x=hNL#IGe-^?+TDhATMy{z)nRK=i?w?X^hnj zpdN{h!4UotV!>=QGe{5~1n?-u9xxjvN97f$7ZU-NGkob|V1c`55EDQr06;zoR5rka z{X2%#0fSIa{RRZGZpOgAD6sHC1*VZa6b`mK!K>9Q#Sd^jOHKfbLkrpQsPb1jH1TsV zr%iuu$7UunD5eisB$nBHMJ*q~uI4E=B#fo3O`npdIja+AQzEY~Xx9{&yA#|LnG*oU z$LR_@c>BtM+V^3j{@&S5^;xyGCyPQ*+u4Qbp*ezkh{J`TGw{u8V0^{$E}(U$xYmA6 zd*{D`YJW@ue;+TQ2b+i)iUoQ%ypF;HAz!c{y~#@vq*|HS9U11)${|zGrf{4AHl>Ni z@Qh7vY!HeK$3K3^3>@+^-eh8vkm_UbmB1c%B^IbMa%z(#^xFSYhi*;1*CxxX(*3W7P49F6p;ffDSeblp_GRhV*4FoT-#A^)vZ4QT&@^ zfKTK$DwWU$BQnT^E~C{MCjq35KLwX4Wu_XTh5|F;oGd=r+r2Ut+^6*;z}$HbXE3~S z7||!s2MmLoa{0k35$+XEf%%1aF|G+BhGAb;0#nTNn@h_t`+7bQ?5L_%xa5Ki`Y+s$eP3}I)s!B2 z&a5EIVs?WQVbc_sq)^WKT4~;G@nBKRr9$8E%j`ocayauMj)^@_RW<^6`5RoRgpV&p zm0y7&h*f;zSK2E>%*UKbhoh9~W0d|a_6N!PH{HQ30g4EEvE-1zz=lsm#`GkjhrT66D)l)@_AgU#L@xCv>8oLLg?qxB*eagtloSGtT!L8 zFe_{a(=!U*y64fr(%(?h2Y7lCMtP-W0@GrUa&rLyih%{~V(fKtX`xV7$7~6c&UUYQ zOQ3!zt}PY%#`Tne<>~J<8_+oRUH*yzDE_G6U>175)B*?Ono{dXY!3@YV*Efe0{n+v z9f8*cqS2)zaFPe#T8QmoK_OQBtQljP?Rs?#uAPG3D4inkw4X0^Yr3e*h2<~*xYvvi ze8;Ojte!y9X^sP~><2gIT+KQ0D?&8K`VSQQ4|HihLjNe8k0ReVz+i(Vqs%pTD_V4t ztlfoLO5Z}O@8DaPQSJdW{XRx%rMuCl3*iOWBHk=aPXWh%LCH)vj(~5LW+HH=XLJe368qW*bTI*8xp=f#p4{fP<1G>b0#XH!#f?u_Q zk8YQK>$19umz0gw10_?Wd^2T<%$R{ej`0>RsYZaJE-4ZWJBn;F+t5@(0%M7tarv+$h>0oqbi@<`^-Rs9M?*}IStnvJ|us)t2(905&TR>T3_?8%C5FI)Z8|^ z*hEUxy=)>SFc3+9Mr$2nAobZUvcX-Qb|*%t1Z+1uQElGX36{|b`^IVOb9AI09Ur|(*STeD8tv`WwL$$#&*2l3ZMiBluz(a*&YMXN=G6`CXVc#6Lpef zd(|JIh;tR4^JstIv2JLkfn9Lnpg{*vpsBS6?QJ%7XtSw}DjkY+w9S$D@wNeR9XIv| zU;*pS_XQ`U6%Erizocr^_|U?3$Pp}GN=EI(D}hPV2A85AOAc93VXd4d9ER3<0Me@d zkkh2>0L8k5WjCc8aOX>0boGfR2N4Cp~Xd#(^KctI5aA;f{FI7n6p z^b{bCyg78#(*vAP5Uz|F*O72uPp()``CmjDpiQQ;tz;$o z0yi$3m(9->WE0sg*{<2bY%<#|+dW&9O=XL-J+dX)bhb3ROSWe=lPS|3f7zM-Z6Kvv zluN`^Q{!In|6UPJXcYz2U zL4MXnT+7;+jO~!416XzxhEx-@Z7*DaVfA=!Pbj0)mc%g;?fh8*2cqGVu5pOtadUqz z_79FnJDkaO>TaqFM>!V4g-u<;yQwbkwW zehwQ1n{S7}(6*DdOKG`7Gl*absnH=Sw2KLeE*brh(MhliY7s0y)yaT2Eyggy&-J4CzjLpTm+A-OQL zJC3CX0jj5A0BY4i^KaEb1KBMz^>G!n@S<>kaK!FK-(gzy(45c7W`DcP7OUxWhjLnj zO*swcg}w&%vRW0?I013Y^87X(H9HTW;Xlr5YTOx@;~MA-cvW8_FunFY?rl4{FY1l# zYHQ|&LQdh{jItVM>KF3s2d39eA1)vUM|LUwSdcZ|nj?7nupmc(RyF2S(1Q9B@K;?R zBpGnmS-*+YG_Cn&G5j#0bw=x2!83)#wF30&`n7_LEP?(-0Vxs>A<@|V(WG^y;F-dZ zl>#(n{YpW`bEH~HTK7@U6fW(f&`Uo}7u=#q>j3F9h1>yBRJeYj!1_@5OySpuLiF1D z5&`IOmP(~MowxNZ*)xU2w`6E&x17t@4?g4~d5W1zucVEXeR8Qy&Va*9)va3!f=e{47Lu z)|UlGUlv#=`aDy}o#=z!T;Cv2`bfnnbn6EOSro`1t>K~18f4+2sHS3vpuSwTRtDgZ z$%1DM%O|5{6_W)@umd+`R=o5U4E!V1GlkqE6q>Ytm7r*rg%M5s7Ucb6B=h(CsEHDj!vS`b&7Jdv@P!OnzWbb#A4_6NH(?? z7whPcwmSc}gl(m@)x^eeZQXgbZ={~0==Q|_OQmz5!KWyfOZLB1qHT6OMUjupqIP*l z$IfV{NPC`6_geR9uwne~)$d3P+b?*WQxtrv#~*2!{U>C=DIjtg$gQ^bieu_S3^&c~ z*n>_-hJE7N6F3H{eGC5NcTaoM+uQpW`~9||=~OGnzP+8EZMAEgTz{SU-!CBUl+#9A zC-VLM0^%Sr&ac0YlkSPH(!XCo?NjbaufqTK0s?Nt|Cq7%`{x|v!Xa(wfEU^OAz!xM ztlPd9SQnR8LNXHy{Cf-4`qKS-3)Kp?@3?BWz7qfYn0CB79h+Il?+)*f_C?QW&3e)- zX;1vWRQlghCR7`%&}pt>oWZD2El7 zjtk5G%P%0*sjOwboH-;+X0mN!**T)JuCUX}bYg!v@hiM2FL~=4hSg!*QOof<@E+pR zE(BqE)44cWH5>)dy|bUNlF<_Zc?RmXHe*3ViV)CeU~&otMj23iE^4_p%*E_cBt% zDiCe}KOBCPD!%~{g9Q5SQQ*z^MMU-h3_=gQ9PmmuY~71U4)(twtv6%zv_s)=FA;a- zRTvd=+>7u|e@Eq=z6!2hxEJjM*ujRZOP=4so}956X#jVpTL4C%n@>;^s+ zhJ5KTRMMEMpNT2|nxm9IlSzdJ)KVcxN~O^s%Iybinv#JU>tGIoD5Ds35|J<~oko*eITJU(k!ucc5*_N{5frS%&&4j&b{4XOd9Lmm1aG@hL8KMVkQE_F~4 zB)F5%nm?2d)kxbIQb5)X>z8%u*0eKonzQQ~{5Cg_qUYRy9wLw5h)(7wz|&`LPCK8F zb*Z`jOkyhJ-4`b$7kH0e8v=RXNy;idUITfY=c-w?cEyD2Q^a_tKh&-n8j?B;sEz%5=m zbsUYZMJLbpPpfw6yDsEtZ8KN9ep$m_ulL*AR9MW#rp@tB?!#4Z^vpu2L-E$_XZmJc z9SwajysZy_MrotGkI(XlsO+OP&<&TGD>v+~`EtsNKECMqAsYp6M)$>aTn{B=K_#{I z4Qm%Kx-Jj_W&1-P95gmxi|$)nSg>V#=BD!VUrvKw^qbUFNX!xRufl86fRJe$%d-=+ zfcnE;-+uM=`bGPj$ivyAfrO*HlQ)FGvoL_5^5??=aEZS{UCFN|#d$*4A6*v$RPH~k zuy|{E=8+nB^jc!w2P55*`vjaA#Y-4{Ejn}4b{JUDdoV<@i|RK_X@Z)Y|CM|_8j6Jh z);}JKExc6M4A4j2*GmsOojM=E`K=9*?O}9_8xCXL&RR(KjFYI-H+cu7p99|Kg!pqt z`W@#nr<@^bQ2wI;IDqG2hf@R|e{q%(6El@LSrGs<+uQ)ANtGM1Sg^H;63cVo-pt&^ zlo)%{2GWoACdIU?@7k?vxwKo?sv?AFYXVMzYc|19-c$r(2;t9c=+DI_bW;NHzRO5&dg-y!Z-Xl;n^{W#3O z&&6Q5HzfYOKm5eLM!0i78h)lh+Ays9d<{pAHg%bHOx_&6>~~NZc@2nhZ55<>hDvuz zq%bDXfen=ddK05K($)WdZ+lCH901SCV-`CjLLG=Qp%c!}4dh+#T!+@mX0& zH)j(^(@rpRCj_!feBHfuK+~;o0h&6R@Aw7~!zZ+`Q=)#D$;=TubXV2~pZX`{*9MvE z?6~AuTOEqLoXU27C<=5s?9*Z35swTDX+2rNK@0%HD#TJMJHFmaVq5wdwI}BvCC)&u zqO}oDJGbWp0|Uv$5$&qYoWlES(?4r9v&a@9d^%$t0?Pq2!0j`Bf6+QH6b`m9kyW)W zbOhi=xV0NhGCz-(-dl`=7ISJQk%M7dQkgLn1@V~Kni=4!?{~*ehVj*0inSskY!QcS z0Q5{a&jy6iW9tN-egf~t4P+=JA8O|0t&05Peo-4Qm2pU3nR&k*S%F?pRNwJEu{l%dfxSt?y&B zO?5A;$Bog1X${uY7OlbNn~T<9(?$U@TG#X0_538ci(yWN7zZt1Qi?ysH^{Em&3p(| zoB3!>%enaf10_$a*aT%kVstrSCBV@6D?|S=taBms(Vfkq`HAJ9eX4aD9+CKtkb z1>L)Xh$|@dJ+?f)cB}O~x!^pBOv*Ijf{WOao}Ww@5-Jy%e!}bCs(gtVlktNP^;G^K z)O{#i3SYyuIyW(V;+PC(92@SczwAc8n-PqnCJ0()kzF;f2R|fFR}3MrCT=MKFso4F zVGev*epExC9^k)b`*y-)shhstT>~P zm*Ij9eg+ro370D;(CPQ0LLZp-uz7;?a~UVG)x!lss)q~WO~1@DZReT$nF}+np`a%1 zP@zEtRq1ZM&WDhH9jsn9T*m3SK-&~a{O@Q8_zLSuq_>#9B`oJE-=?(<7b!F-<~+4h zGn0LTXFY`!r%Zl4E9q(vxuh$4BhRnyJl5oxT(mTg=bbvTI<=(aK(H&_Wa1iHt+6KjNU_CmD!yJ#= zCvGdU*72HXpAwLZLtER>s-g{A+>iRca%BC;)PEFyz|DU7nl@z1qkD8ml^m_d5{2#OYZ@kOB?j0=uN4>KgA0}HM)BUmw z-uY*nAtCI3{vHzlzZepouDHRB-l4zDq&-PFzN0cT^!VdC@$$!S!5HkQ1iSdC^T6t$ zB!3pmJ_q3a5g1i_KeUgk$207#j7}T%t2?tA)aAjg3aHEf@!!f z`JO=I=)0{OYJ!jENaBUbPpvnfEsO4|J8;6eQ`$7=cZp@63v_FbLx$lf9U2es_9 zmpUk2J9O89JRL`y^FG~?sN>JsI(5IZ`aI8`7I9@e9%%PS0g*l1 z+;i~b7WpUR`8-a6o}bOzf#G6TsOOaE1@Hse?k&c!e?RL?2WLI{lRViWI3b<^LL546 zBgEsyKA|$55~4$wI`r5(=~72jyRti1%HwyT$sN0N#lJc>e2h!H%goeeO3k-hA(|475e=)75ZaOR-xB9snD}F zGp_$PbtiW2mPO6=Nv0_NSKx+9g8$W)E-*VeLsiYtZ#1s~Tkba!#3l zhY*d8+DRz`nEJ&Ty9HJs@|nUA9}<;R_>lEu>ocuh(q|1~FDY74Q7%w6()AS-CB7pR z2gm@Y@Gs%X|A)P|0f?e%`^L}NoxvH{8Fxo^faPlk*%c607GV`sWRW!>QCY-rQcFuqE6WlSGw-sr)HJg&wX`(*@-FY%`@IHOJ`63M?)UjW z|L0W?v%52A=A3h#Gv{3AoZs)dwh|6Ex=Ue<8;x=|ZzTL=bY%(S2=?w$um^ji^y+E+ zA&UKmian($^9XcIAi5On69}}ldcx^s#<7CvY8bPEK#A2W{NfnL7gU$RjV~y)rh1rJ z$*X>**7oDGuTzzc3de(dm%^9_d9-fx2BLZg>rgnZs*(2`qw zh#SiYM-BS6s)LupK4yw$RE(59tMRzIKq08<>VSc*_QR|!!{~0#6b*L3lLQWL- z9caYnjmp;j_IA_y`>@z1@Jh4M_colBQ~08I+AWzl833*89<8{SR@t_@bRQOb9~P^= zC-%3k!8IW~{-dC>rL?&2*6vmB0xrM9DrG0@clVL{Ic-(f$s6B_f^+sGO`Uk#EzZ-O zbS=(H_o+giLTuY@eYJMRcR>=hj)nI`**3j+FmkrgzV7y{rbX@lOp12^+V9#y+%d4< zEoW^KX=`8Y&Ox8jVn)2RQQkGhjCP_x&!ZT|2y+hV;L#OS&sw z|KoOe{fX|NZ;4Yt=V;yvzXkxi2*3iH>i&#RZl_JDS!5j3Q!%y$JKl@o717P0{B$PX z*9gv8dMk{0E^Sh*RhT+>vGIs8pwMlkj)VT!8PIxd7LI3!nimz%>+>*~~}C ztVRlb!9ctLKiSL#coLivB!QouB?`dh19mkb^|o;svg+b65`p>3YF%&XplQl+6E;a& z90YldV}g|9VrwK!_`F!`*)lb+i^Tx`-)aWT+5i#!Phc{nAdz`ks4fUD_{7&+SPCT; zVzN-!Bf(3VNYSs521P|Nx(ciaLkcD=*odD1{C?W&UP@dcV*AyM4iH(i4(UpsN4D+L z%ySSEnzkZ%HJ;N1*BigW%d^#vmFRsCfcw|}CUF0!b+~1t{vODEiU40W;KJqF4yG>I z-tgKgfWDtR9C>V>b!0-?>B|FiTq`BQlDLB<7rL=^$(79!06jhIaVwzmM_(QY0BT9& z?2AWB;x;kclI^Dbs~$KMd3;Ek%RK98(sXibs00%ib2f^;dnk!kyxB zwV|U)6M)<$diQI`O0u@+UEIceJ!b0z0V&5a)qp++r#~a-19E-UwGjD4$mh|LD>S<; zxl&Bx;=t1lA~|4Wmikyg3LxOG(8R;NmPl&wC4R-?WsyhAt)pv0A%`O`4FvZJ&=5hkEtwNSWb>@Y0)*mUb^008vk=GI9p8zCoR26imBOskt}3p^@vAh69- ztjs9)hlO4@lkzU~LUqYp{cEd+&hrrq(K7|A3&iknHxbEyPP=4?fP#_;+q;498`E4Q zCWr$$INo!~6}l3<@c<=Z2xha#tv{l9@Mf&o6o#aM6yVB53hF?9ZYa1-!dLk9@OY7? zF)0J;3EIKMZM(9n#I`aKBv6C3$##%Y@a~(*Coc_zBp`>^Tq_^$=YH|)*%HhKdGWS) zeNvzqZViP;xByr`P=3u-Y)X)U3(qpz{mRKxd_<-M8^bT9Dh6fz7x`a2af+zdl);Ue84KGp6&{lYUh&zkz9i#BZ3f> zwqrgSMAh!7C4Fcs4KCT3ZYYfz9J*sZJVkWRgM5(o;<@%hyA#pBSgPIi35e|UnP!pQ zndMH!(gD#AgI?1=C(;GFw_{kjtGy`NgKnJBMev047AL&B>6&$JOTPw828kI-$wc@Y zilov6a03H>(vgUi#nEtv91dq<;d3;SdNY9poy>S*H3e}<0w+X{gtOvzh}j+F@WTaB z4z2K=HYk6kl)oX-9zG9Jm=A{z@SQ)&ZKu)+SBAEO^0&Cx0T&%{%@1n=^Zz1I?)$HU z`QN~ih43))4aqoo2WkL(?zxVpe1Xk_B*8zY$sFHd^LLo&hRZ;G*^G^& zjfG2IK$apLN*}TGn-W1d=>ZYnqSOP*ymo;94N-(%T{Q?rq#Xgwe_m99r>MG?6%caK zfyV9(Mp>*IOoBfN{R(q9qHild)+-dN4KGN`A5i?D2rz3&ud6j$^o#Fa$7Z5(GZDc^ z3SL<98`1|U&KZ6~#<9zPLx$%F^s4V~<_Z+1h@Xee01CK(75ifAB*S0EnR$}vSB-gS zbJ-hc%9AK*T#Q-jm>@Avkf2^0{K8W3j0n_CQMxe=@9HNJESU*J-Drt&ojD%-EmX&A z=TPzSgtYU2j>AejQXF)-(QFiQ<%U#l>;haKLq!yEJwnHbhBuF*tSX zqBkXIkMHlm8lXR$@&=(;Vc3U+am&Avyk@HZ9i8;u=XeQMzJ!xcBf(z2X$*YqSbiF< znT1cI(X;Cvr%~l;6agT7gDQqLOC`2rEBoOK_&3_a(mUh}I@SxvHcE}(>%EnEW{A~y z=f={V@f%5i?SnfXzf{)Jh;BM`l07=fm`15N4C|9qhsK6sAw?gi2+aHmMF-)Z(C5BC zMddj564iV0Y9ls}L-f_OFiRs2RlF7ZB@(2YzeJ^d@Rw-)yf2aNkPO>!6}>5DpQN!6 z`zq=jwM0cN+6Exh`~i;xM8 zB6x-JVSE(Ynn%oYSRbH&E|$c`4SEvFVIda%n_inIMW2*i!+T=LN}=uj5^NQEC$XUd(lz>Z*7#`y`4|o4>(}LgkCx zaA#Zkb6X+x_n2^zVDnm0Yg{MAq5Tq4>&1JM1VoyJv%sy=>y-Zx@dtMbqJymt`4$X32Y z3%lTNZd2@Vh=b1EI0oNl@M}G_+itspxx4)QS{P-*T3<`?+|tt11~SNs_%9y*~J5YgU+ zad_4oVDgBBg1aBezGz|`v__cq2qOB0Pk$2={q)e&PE!`QgPTKf?}6j*r}wUYuz zpnRFi%yyOEC9Z*fVoOC!n<^SC^S_9(XqkT;ff=ZJWq;|5SZo4P(PBT$M6@5TY%hcM zJcDBre!oO}>nRYzS~!3Z{)h7nu07qcD0lJyqU;M_b?CrgPH#EV5UFFsnx(1$zQV7&-|&S{*ZPw zgMR-3nnBObXa=Q{@qO>jF8G_4`ZKEM%>LH$b=C0HDu;#WQn+Cuz?8SeJlUmsdX-(* z1IPu-=3bu(koP3?TE=S|hNsd@!KvSY6!0bW*Mt2_3cav-9%XP^3YfC*6^>V^E`{`0D73cv zVRK)mx`2;lL@4r&CMdEajp=HLNMq1skr2?0b{tf6DO^0LK=IX6mnD^rWY{zQ4i~;l zVWNFR?fOX4^OqPr9>ARwMpFWa9_lmT5KkLgkvlgAYH8&W-Qii4_q zoN>${x)jFDfu%AP_*IxR+!}lOTZLn_f0sh~YJarZK82{fN;ztX4K0CCxFmElfI-F;kdr%0G~ z%S%p)-4$ZyTm-r&7^WkZ^{&tA*rM--Ao)uvHm%$LzX(V1{N=yF1whA&y5IGv?}Ky2 zckMnnR}{kkvt7^MTe7=-UR(!puG4p*6TEj)${&o^o_iHmLiVqPXt1<+Ust-%CdeC+gj~R;a0yZ#Q>TCEGGhS;OoCh z9Jsl*Q{I5gJqk?0gE4s#fDJJ7#8qI3KEbjvCqx#vY1fg)O*!d-VGYEf8+ZBX&)1nKnOUOopEuYHS5=eBbZ$sL?0#C;KWY~H5D%eRWv0Im%xtQVdMlMr$B;3SAmSU zh7u?S2uR46$GgYfOu%)4TjH*s4TUV8s}vS}2!a6Aeq5Y8$nnsoU5WDsYM)A&+&3-j zU9k!w|Bwn-Q3w78;?%Nh*Wwa{fm$$I{50emgbb}^oHq6J(riUA7^De{J<)lJvwN~g~>i3UGOe(>|&hQlp?l%bI4eHGXb&)X-|a8%-(pUF%G1Y zC?Oz$EAkDaAXRWX&`>h*>)Fs+!Jh!sKtg%lk(ymlOCeHIb2WmD!2bV{cGJ#3@&>Lc zwZBvy!CJ>$hzIk||5o0>5sC7P_F#EP|4tA-LR;|YmbX^ogGgWmGz0wQzzmQ9{=dIc zsqmq;11~@s=~^yQ2x{jiiVT4Hqyg2EeP~uKk_zC=_GB`N5y)-|6YlKEU-H>+$m`0FR%s4|_mfH_Y& z_zHkC1~(K45rJbM{?hKM6~)^LZQu~W-;`=AH-mWJtZ5RjSkS*#)K2BQIaPVIl{Ro9 z=#y>$kh&*rpxsW16SxZq+3axC!ZK8bB0U3O=NA0Ty_^BWtV5A)It{>agP3I$7!fDe zgti&njtGu<2(`1X>DwRmRffBZNZDEx?dGI0;+4$=f)$DnHulE&u<+2Bi%39=xiGik{a5?oZ38W)1@$Ux*aU zH-1I*ugyRhSWZ3ZxUhKtj!CBpH7eKZ`c`K05(P6m!hm@R)ayVu#@oV)!<+ zXtoqZWo$LiN6c$!VLNssqqlJ!q?(kc9E;y-LX*#z=<5}?W9LhZTlHH3P5uyxB2wm; zZm*j!8UL#A8G32ZXTVOF;&Lq-m)%4{nBu11J#&E6utI|7%zFh9*4(o%W1Fx_VKo#< zjBc?Dkhw^L^d)cB+(ZX_9}m+AH|y587(ArH?|7>@Ml!t~2|3H_(fB^N9w7UX6Y3GL zHM}KB-pP9?$7f{bXQbf^Y&od+R~|Kwl`i^}G00N;Nd8KMbb zioEXlSyK74B;o)zF2tvUx0Q#6Y@+o3iVtFUVd3`XACcip61}nLN2D(_Z^RKt5U$ER zf`m1I-alfflHyCThmm=tbiCa%5}jOh5b{6fAmaPUN>o4`QG6J?3J*VtGOHwBr!5IU zW;ku$hYbEMc#4p2?v0Yn@n4_`Kxzn!U5GQ`%3vuX9FZ;%3QS8VtdE>PVdFnGQ`i8* z(?15inevF`MBVS*%%i1CP9fodkye~?Op;nBq4yjgAj3|HFdlCOF9H{VD*QHlj`S9n@{PFenlxEP7pUojc*K;E67X_hZR~6peoI&A0Zz1h zr&wtxhW}2|x3jD0%;NqXM()~h@ok-eNVf6(M{6#fSUZ>zHO;J?Pj{y7T)^pIo}g(5 z&l$5Tz7w3>0cV*y@*�M{veyxBuQ&nvOnBpwIprVBZ@D#PPwob8x2@fg|Jio4oeQ zK2e9OgNUF*-LK&eZJ`C|>1+-EcWSuP@%FzHsK5V6`&QBkP=8wkG?5F3o14hr1L|-4 z>p=Z}UBKw8@vOm!=pQ~EVE6sS`$V*U|GOT_AU;Hhp6(Barf+Z{q9Z!%^zH$JkB+z( zQokQ8HMM(rBfEsumw9Nvey@GCv`6ZHL1;fb234}~XmgePoh)|R`u?vY^*4PemaTPO za3@lK(FahvbH^c0`+0#Alh1b`K|9ZOzHazOq&_Jk^(BDRccS0LDUkRNDu0YJy~F&# z8KuqsznJzP&%)ik!Rr!2A9lymNVHIbU&P=E02}~F!3_X70f56ea1;Os!0F4dcGJi0 z%ikWQ|E7fBBhel^2?DrrqDcUMOztk3`17iCqU52dcakogm)fB8Vk&<;3x(|H4Pf7y zjzzf>rN8Mk6y@frrlS1uad%0i)1n*%l>U-dl>VkOcw&AFO8?G*UX7J4(+unm%YlCY z=P&GZT*8bXigOkvp@{zgP+$106QKT>zLFN0{_u&C386?~Po)&{ zh_WW?^Pn}E!w~M}xQQ6BWMj#)<^Pu*0z6e+G-e^LT3GcE!{9+nRuXxk^g#0j6s?F( z9sU-fC`}cO@UJHRda$o1(4y+qv%g(aV%8G8gsRF1xV`XZZ@OlpV+qlvFmwq4P63t> z=avxMF52-V(WNl-NdhHTKj|0LH7^3-Z{QX<5-=Sa4yC5L6w+5yXnA##<7Gwc%L>Qm zRF}f7&nc8py{ayZaR7e2D`5=5qnE1_&9haiA1S^}1-S7!D#yzz?qyY%aN`j97C^_d zH@`|a0_d&=G_`t)8Ehdu)w2>xzKrQo7_*E)W2*BV=|oq<&~yS>tJ48+z9hUVpTDMX zL@-?qX!b@MQB}g4`PdWTm9dOta#WXseR344t}Zvfq?q?_>c%RwFshIJ9%{3KB|uWCu1opF>AT?%8$2=pl2u@>&*yt@?AId8Q1hdDqUpxFre zNK}}kJKd!)rn_j_{}1HUh7M?Zr$M&6ljxgW>jmOn#s zcrN|NngcMR!wOS4TPZN+GJ4(7xEgRJ_uEu?pOEpG0*ciJtacYxq; z`$)>)Hfs0Xf@O}%v#`uzKtcBvsFr5l^y0PXW1t59Ii}XRHFBRe)Fir2dyRH4Ses1$ z{0+U|XEm#Kor$mAx&J|Z)_nyEW{&q~bA^*iL=RbKUix2T&9s>aWYITbVe_a!je+59<0~!C!OSnA) zATt~@;i=P_koe@2p3N>9b*a-7p5$W22MLO-B<$mKY-ub;R>h~yV1H#5qcg1uqX?Zk zCJZrww3*qFW?-h9Q^D>%^0$vfHWrEW1M>((_fCya%!=5EEZaq6`zb&kh&sv~i5P~) z?;W~w{qSm*eU_-$hzTRX^-lvFT#wtE;HqZ9FbD4V#pa-V4m^Lxhax2nm3_&h!B@_=hHL1e@;T>Po;W{mHGy3_=9@ z12P-n?^mh<6Y6Kf!`DsD0F(IOCgAua<5-BWFfhU51IFC}pnd3zf#)AcTlZ|q$*sG_ z)rAh*V)Sk(SvGbyWD>C7kU9YR0fK!kBn6xc03v%_rE$FYgu1x6RYxov0pBe?p;rpz z@Y;?NFn+)8S$INH#-+5+AzF|O%DnQ#Gf2njd_yE{kGOo_J{^ON+RdhIyCC(ZVwQ+`m?1`h=Wj}MhejjT$EK2N*9MB2ghn|J1ZCAOI@Nv> z`bR+ic_ko1-oe^kZ$Uhmh5ok!^52vwziy91hxG5nwz$J|8gqO}Km!l8?IuHUs#Z?ELotp8!4RNQlm`bdaJOv3)Js zQ=vq1a(4e6bTiCf{E(*6+F#DL7h4BV{zWOjRH{9A288zY>1LtbndwePy*~rxAI3_c zZYe+Pu9PcXlr9}mEYN#3{S%Q7PV9=)mV48M%xNt$!Xlntw8IbB`X-D0A}HU?$b81Y zZ@}2oIFLv{WRP4cqV_Q%0~~&L?1{ri!;MnW)V~PEcY^a1kaqC}Q4+1Fn>IB5TyRP# z(VqJh?{}hl`WV0oI(PBT?@dw~N_%M)T zSq=d6Q4-;mWIqv!_WlDgB?9xkX_p8&at9Q@I|e-dOc|EAi<||N4IkNv1pE9w z;G+eRKa!L%K5~=|*n8~WUj*xeegBc7`F=QP-~3V(Y$rJU=L!CjRJ-{L5bU|nn*`fj z`5h<+cPV72lASw7xv&+7KezYOhv0cm9Dch!wL9UiqFL%dtNo!)2_yiIh{@ z8R8#wg@{lm&5OPPX86OV=u^yol4y<54+S_hxCNMh+o8qHAzh2n6SEVdR?WI5O(pf! zz-6>Nu=yN-+ausmS@t9{ti+B*Xv!jl!W@GoQ^EDraxpuOyM98p3jK6fNYk`p8-ebIglaQ#Kt;o*V|)jQ1@DEPyuuXaa*h4-(p@Q!_m zOZkcd8zAyWkzl8O)N4KCN0FId0TCc#vlQ)__Z8+xQp$_vEN)QN=q3;m?h?Ihg1bc6 ztN0GE?!Zonh}eg2d{1%TQxV&d{%P}GjO&1Zx;b{e6kpkV1pO*)`~_{E_ZZdzUjuB^ zo9mE%)r2~Pk8G|(hFpwxpR7Y>e+m71{DTt5UX;8SA!b9A`3aQ#0h!tjjMAsSjv%*R zONBgP$AnLia7_o-)IZZspJ6FO_fUT!>(0 z)K~iMzM}G+f zU4IGsXtrZQe~IE%b0}t_(pbGjM7EE|OXL{J{v|ea2W$9_Gic8lG$oHvyc+w9L>EXX z0@t2L=--a>XwP|McnRv-IFPe7)1%0!o1}lA;Z7B3kPC1VDpjgUhlIxjVT>r$(e{_Us(!Zl|f5N~UHld(+TVYnw z7)zl(tZ%vs$s)q~deD)f!}IOd$-^zh!z}j6f6tdIT8`!5fk95UZ1%M5fOU0fTA;}!igyHV*h>>tlRAw%es&6<9MW0~hh4vE{sIhyI3k;qf;Ao+}$z0^VKV0B1P@1Rh1m|Caq6BJJ9wMUn=Z-}jY ziB~=O!<6>DCC~`xS2Z`n|6-9kebvI1x>mns1V(i83>S)z0GrJ@9m14FU;!=EesxdFYRg++~= zn12w%8-JJ~C&y!3=NymM|D59y zrfuVR==(OC>GA5T@MuR&S3aun4zmu8M1p^Ee-xD+6&Qtly%pD#K8k!VvsYnzhr>qy zPADF_5=lF^cO9KF7@u1-Q)GA)BBro~;ZX!DM3u!Tn)4d%>+adIyRDlffuRFm_A-&I zcuw4=Sw0w%yS?J*?#87Qn1RDa^oV^aky@4V%ajbl>$7Oz;qMd6MlI_GypBo4Uk~<4 z1R4*~t0tBI%aK8JDGbdZ&|G^4VSb$Ad&~IuC`V(L1K&uYbo+dwZW6(*XB-!)E`^~N zslbD`&zU6?5#B~*=W_L2Y!)IfaT7UaZ|pjho{Prl&~h8X8pYTcJ7Q|lUdLhF z8e$G(YLdk+L{ZtfrH+Gm%0ax`3KpW0-)K5dZVapf|1?8#EQPr?)A!RR7h0|MP<3Vr z7);7829(ZJn>{O3ZJiEZXRwcXq8zdpm6=<@ANQCzDL)qqKeW)A1?F5~$G1>jXf3kl zW#+2Rdj%C*Z1&9j8KG)R5i@|v#1U+u5+^gpVbH`ZxkdTvB8v^cc=_r~t9m*cufmUq z>(q&s!opH@k=2@41U8}y%iR-n>hU1f$?9p=e3(tDXXNBtH&J%mB)UeHo1Z_G4uLgd zi+plEG+M?)K1u1+Ml#zSq8AqB<7+4%FLBSxpJ7+qcpp!BR!QEpBIO>r8VZ(0E<`!y zt=WSx3c_4}|VSe(Pu2{Y)WvTUoh7;g-;*{53y zZI;a3QgW(Xr+(087Z}YbS#ge~STj&FjdbNts<4Imk=%_e`oV;)h*`rQ@WRu`L)-zC zJ8b*sSuNaoubN@P_cf`eB;*So8pUVl3Ole5r49>AF_L{1-tq!~2w3SH6lxreLN)PZ z5&1&OL&^Olp+;z~P_5Igg)^+IOeG6dKVacs@S(&!8tPQxlF^L(25_xhvy7z#G&LzRwEUkpE-Q6 zL}n_qO$vV22y5%)NkW~6H@fHK!xM|Jl~j>gGIh~Z8~3pvVJS8x)7 zx%{Nw1)Bs{&9CLt@MUO9Oz-fqmf}e{>U?edqzo^yL)MB*?3Q9HwBe^oZIVFbmee1R=NEzyEjFSkpApLDQvsk zx;5-8-6~RZM9?KYhg}8R`|+A``Xgi{DeP74*exwluuQDP9F{SEL}?m?!27x!uxx_|5Wo8 z`yf@TB#QG*KN^*dES<)@f{PlLS3E@z=bolu`tUB5Yny60-~+EraiP^xtay&F+5NWD z?s*ow-C8()9%Clg;MZk2R!d>tOf;E(J$g$-qnoTKCx3=fMt_&GpnfX%8hkI%#uRkNo27GQ+bxD_$rlS%k%q|BHtC| z*ta~Hg26bgAIhWh>UW#Oq&KdrmswQmC4n4B}K*M;|R+PV+E0)-Plm^ z1PWy?hmESrvVIJsPExPwR*}$an`C8&cNgE+97S&sf%D3bglW>V< zqtO4|$lrTf*OT>O-RV7NpG^%VZ_~SlZ*Yq6X3ZE1Hlx^8a@Z7}fs10+6UJe9GMFoZ z?c{`z*)q~9*PVwqweXfJx0Q*%<*LH8Y0rB$m!F8L!bu;KZOq3?jQR+6O)D5X)*SiXz2K&ByKsduZ!8N+OgU+c- zmavC);P%P%o?$an&KfUxLQkCwdV}sbVHK+4sU-DOm02Eh0&CV8eJVbvxQ28AWt?Gv zJJw!JG0mr6GRA{5FU!|SSyjIF2$Zt3;5)MHRA#8vQe?|5h51%VQI2s%1xHWwi;)HI z7QMzyvRZPjg*6G}KX(7l%)=AK4mq8CX8g2(;T*hd^e;&5H_}bhpFDssSS|J6kd=6= z>I2HFmvx*_0o`@cBv6rGqnL8;0~XooMAH|_068d=d7(C?(ZjEYE4`_q4;ikRii+8K zS1tyc!HF1nVS=UjSGta^rVX$cScCsrQ-*6P-3=V@8$-(DuQB8>;Tj$()2T<~;6thk zS5P)0Q!|mk3=FWzp_eGiFVADsQQLY0DeBRbAb5bE@rVVNsBBsz2Vk(T^&D5A#D6v8tX5$ zK5d$-`A6{jm>|!Z*of0K8Aa(%V%4+mMv8XlfU7;3{hr%ClYda*=i$bE$+9J0Sf3i* zxEon5wd`eglp`#mti?sbSJi8{$K4HU2tOrl89+hbYdR;aFwP`tGDEXDouEv9xG%m* zJBUfeyitx#js?=#1=6yS*fv7@2~WR~+UN%>GFnxjLNHamM&783t^SRSXq@fU*WyTN zkY`&aSwl(x?}s%W0p$Rc;aOJQ7o|seP9@6?g9($4Owx?N3C23SCGA5PHBDr!ya;sqT;59sdVOygrHa|#J?Ug& z1iQgQoE}+>3pQvTq`!}-m$Bb@ zvO(T3_LEnHkI9F3ss$6J8!nl3&XqmvT0cGF110~skLDk^%Jgu=+sHISaN~cZ@p0(W zXg%vgAvU3s^9WNIf0{%^+6=#fTzVnz=f(C>AtRgX3HYk%wk%MY6^l`(W|V4?k||QX z=%*Xu7xp@`DdPy8_ery)_B^(jRx|ID-(9a3ysIuJrLYsC>D6IVqY}78?=io3D_^-R zB6&SQ4bLxTk9N0x9Fc+8!JuK`N^5_Mlf z(%t%4<#*LDb&}vgKd$K~ye^EyGt%9=$IfTSgXAFkH)2MPwt>MvbDrHfQcWLaJzSH9 z!GN7Ng*^zBR0s+=rWJF@C-PumdHwyga=p2jz=>ZJ7zu7aQnqu6?Hl*dj{$9yi03dN!9kFM+yHI;8KHtpo*QZUIf zg5}~kWapRrk8~&7YSCGo}JO8R;4Z7zwg_!L!0Z-w=AS@r}!)*wu2BzpDWA8@-TCHQ$?@ zQ2P_x&lOsJ$S4my$+D0?;cGpp9on;oVV8T5k7@>RPjJRul*7L0?+JaJ4fJMqn3sEw zy2M^=<9IE9!}HzwS2_F{ZL)pIKf-X;Jt7Qln&*jR3-4ntseKRhB-BRbR?{@=m&TXa59QI}#|?4 z!FbpdLJq8*!~*zd4AHA7#LowgVGTG(oUm~R{fJO?`5HErVxg;@ElfP3BfnQHsv-+t zl9;}Xe@Vhlpn{(dK0^kms(W&;dB|;f)}m1SW<@ttjNNM=;uZv;qKb#Kqk0KvFa9Lq zpHMLiaI*0yJiSy`Udc9S<%KXmE#iLnZ+IF9aJ~$rnp6`Dx-3h^YqrT?$t0K2FzI-Z zaYI17oA3e2M|^|v=$fU|2Xv>@V{IvE_e@2dzH10#^OQ0dv&$T8RcbdHY zK5?});5Ga_Usj?D`5>5FPw4t`2bIUz9w{bmwm{m%Ny64p>&&njwrne`VdPj#}5=R*8io30sWb-^QFy2!RF2P;JZZRy&Z+vu4uyD&)?&=}1Dpt%k=#Yi)6&6s#=1uiGL9uIsgki>!nq>Z& z9-0$3hS2;Fnmxsl50%XnP@=&_)-Z;Rq#a9L&Mp;xGwwt7y#^VqeOYV{%TSp$YqFKy z>uT7oX<)fN^rB+gSW4#zgHuPun2~OWWXWNHT}A7{-GyUpZ#lcQ7jy#Lr@p9&H+gUe zS(pr-!mgT=4!J}J;VhbF^)zhl>HJ5a**xd4(KE4kZ@}r^@HLPb;(*7ncTm%XI{FLc9^W`*Qc~Mrh)1h4bYB?yyK` zDOK}^-YA|`$ixL1{#EMKXP$*tupVKX&W;YY&TjZrmxs7AR~B}mtg2ppReK{;J2Vl2 zE_4NpLJOaE;{`f?jT`yC>IFu%f)YLxQn`mcQD`tjWaqP+^;pFxP_S{pu5{B4B_f{f z&JJ=zcE7>yoQFEiNWUPg-~#+iMwG%n5*R&)?CD#bbS7*+Oyo3;hJ1x4*1lfuSj8Jw z@$5n7&>)w>O}K)Ne+C!)^Zir7f!ur<%DPJN3Eru1*UPmPu6b``Mesg(aXze1vH5+c z6!b|Cl9cz3ScCC%yXqN~#O+a|UhLOB!Rdf%Mp)8J{)S*I)O><_TFL`X(e;CgoD!8E zXL6}ni_csi1FycWhugAuXkTss8?cqr1RLMMnbyO>D(Gf;Cg4*!E+jdAdk<7x9x1ch ztyx@O26WzpeD-<>q0VMU_cnf`dr`txs!SKKHR&}xwf<(s4($9&7J3iW0@s@Pye8Cdldl}=E#Drn&U;p=4vj8P6^be-zYo3X1MKEN_SkUfybB%> z_J++D+=aD_+_7IXVZR0{|B`}!vihuPqGq%)4(0P(dz5~~PL3SpjX#b5OiIUMZ_uDt zdDo^!tdbc&6~+ixf`4Tz^kjcJo(wSl9`L+eSc1n@O~cVlNXXk>rdwE}DZ(?5!Z4>l z-4_ocdpB%(EmD{dQ^U%jh{B$=1G($|D39+(CB3UU?RKcJXV^?@WPm@zEo1Rse8Tb( zJJ5rD-k;kaNnQ+QY!;UETk<%a+1;Z?Zro_8;RKc_&9C)-GnUj=yQO@o`HVIA!?bX_ zA?mH^GU~!838J*OLTyNhGkMP&Mihp3tEj23i17AEok&{9shYK>$F_5MbD}w?7Ptm{<+(D68l9gf#B)Enfwt7Jk6S|VRXsoz{fy(N-q0ZUehl*@D&}U& zs44lGwT~v%@?#k`M?sg>Ji?m?s2&(N`*m#@_ij2~MnBBmP!WZt`Y%xu`^Fgh61yZ? zLkKhJ9NZ)NR?3ZnAH!<7iM`oLFu)7rkMW0HmHu=peu(VPukoNaggnsOZ*Cw;H3$UR zmmH)~&y!0uKk{R|*v(3!q&RE{`JN?+9A^AP737wk?{ee3)Ow!(fQsqI)lOl`(rDbYHE3!pG`&npBw4pJqmq-)SPq2?6g6q<>X?Bb*4+ z{EM}EnljmFHJZe4>+Hh1QpWpZ@C4(PwERM z!MJothVrd(+(Ui&HxfawVM|!{ttd9Iub+W2j^=vOWNttLP2RwvmRjpRrMHG4bRVlE z>U1UJC!sH2WuCEaGw!uLPEJbNEA-)aGLDtq%`3Y{JWk;6Z)yGVUN3(;n2E_{Qb}6_ zqcaZ0kLrAphS7{5y<F6gRdjYp&J_wRT$dn!@N0vlXw%h@RLlwinlPFnco2QP*#JT|Z>B z%_C3etzup=y%4;!d_oK&Li&WVZ;wYsHCxyv+|}#k2rR38O?9b9!6)3WZfGpac@%8b zPdq(vNbGq^ctkOqdCIsJXPZ(3=D4msA&Gqs#eeBv@yq@NgZXe3`D}2OQ9pftAo`_x z9xzynCb5bk<=2g`akoqXoA}E!!e%sRVA&&TIcet%)a6ZnhS2Dh%Z?E* zK(@h^Gtbo8hB&+(& z^~5?$GL9kp)i8KuV{ue}&5}jGVd70m%=aOtV<>dlMm&<+9nMAtgx$i=5jht2Y!5Eq zm70-XNFIVY{#kD}#@(_56^Bd>EU(n8_(@TSiN zuT|}gMK*3@KfW%KOQn&Ws~M~auQ*p5UNLIIlMx3ZBZg9BCB0HGl1YBGa<0OMeL0a^ zm2l`p+_Iblp9){2BF$CJapR`iH;r;sl=eaJDV<03vMa{JWK7uniuugMMvQVXDfImvPn#fSKNVSiT9$GF94#(A)|Fi0~?95-?Wuj_8&*%NM-aIzrgNiNe)XlOjq_Zqp49LnZ|mxU!$qYF#elREYp6Uya( z8jK3LclziX!{SW?$yYVwQiD)vMiyV|!9C_zlVE*;Eq;*4p+YD#4Bsw1)n``%sgg!i z%v4yyJ`bj?B)wjBzL&;FxHNmL>VS{t!I1NAgwejr>P>hlUy`1gXnau7?HnCyWnnKm)?qo4p%@6b-68OxTQb--p$IZ+V&B;1*%QR9gE=z+t(?DqPyLkJc1KuF`g*b zKm{zMxVf}xT#eE1WO9Xi`1Ktcj~Xc5IY8TNS9uoV}m?Iabjv z)?0$#KKG8BvKW7B8m}nhBfATa(iKSOc$qf5Ortf1J{-Jz*+jsi_TB z>_=3IkK&;d?;2w@-;uM}7u?*{7FbG9v(^My!MQo~Ba zj=rgEP4{3v#gqBO2K!OGDcJrn$&oR=Xbv-U#z6XCJ532U5U2+IdHs8hBkWu1N6k>RoN|FHM&@iCll zAMkze?!->AGs$c+E4#95XW5lq*^!+jOBP|mhJ=KKAP%WbYzPu^K%-8JAXl>2x7<1l(#AYEZnPdA;dYHKzM4rzmmzRBakM48v8 zR6dHDEn0eV>hE}0Y8R0%Q#~G+jGNin(qJBjM!mRf6y%1{|%p<({^a7T? zs!^X~G;>3jf3HpMM#~+wHfKIEf6ArCb#k;f!}hT`9=~d6rc#2x^RZu8`fL5QE{ytp z^U-g~9jV8Cc?OcELs=T>5?_>gtB86)_@6|#XNfNpJIIJWm3whtLuQ04Qw3x8IdLlQ z#QakAqAcn;-T8rNo9-n;N&^N1-oU^TR=J{Zkgptl^W6?v4hawhyGmZYwV)@ONmsQ=qQSt$sf~c?Nj^diPxG21S19 zURD~y&r2g`H7uZ3(<8-sE z;iYBc^K(68=|f$sAJ8ucsn3d^hYC|dwyc)r&oyjk9;G$Ak*3QEDmPL;=*H?`5k?KP zO7q)WYoP3ZvZz?Io~M@$rX9hGJ~G_^Mtz7h&z@7%j8-R_2ks4~1A^7x!)A)^SDiPH zE@`RDY2n4r4#cBzyk#7pPuPE}wc{I^FXQhCwdt2|d=u7)YptT`c)ZL~k>hz@r)nJz zJ?!{#CHd+h7LKCdrBR6^v~z2sRP7^CndWsyUBh^{dLro!k?c0jw_)zDd<*O~M3i9_ z>zPN4C$ngZbXKqp<(BWYjN#yCjJmIuABFK1kKOznSES&-u?_8kN6!3#MLp;^m{;R9 zi5GJ%uFxS%xCa1`*eE*H+l0A;=X2=l32UhO5+wG<00~W zgy;K;<7Q~=rY_hCD)Qh-xu%&@WL95-#bNe zBajk+xv}I31MVhXKh8p#w*;<|uJOBhfFFZ<=mu%)I1FBgN($McC<*vMH6Y(TfIrXTUAQ z|4hGEP2n>erV^eO;5GV1^tX@B<7`S2jA|5$WuCa0?os_cHq>Yncr}J;;A`tZB z3Io5LNgzw<@P11M3Mioj*?0Jk97oF=C^(Sv5x<-j{jHI@gGA1?q;!f4ZYd>a(~Fl{iyNbU`6{w z-}iLPWm9Y>OGP}6UuO&|Fu0MFHnJ&5Kw@BUMLvZ}NI4PDc$!dvn50HpxCo|aG#KtD z0MRX|5qvdzmO{5BVCB36)Va+mqlA{j9_;xK*n7l*X8?()9!wN_Qwb2d*|7+CZevm6 z@W=eXeyZESKy~YQvC(6ni}a)HaLPuM9WH>;J785N{4q9B+;bAv4%HHt5eG8&6F)#y z2LgpZ6Ce1 zzFMm#MroZ~tYdQeKs=2J!|fm}AxerGz~NHVfH{z?(zDoV4%CNn!>BpZ8KM)S(l;@T zl150I%C=%s2u56`?ZM2!MPZFIs`8F1Y1~E}(}&@vjj_WQ2;xG=w$7Io_geU>an!phM2-F1;9)cqD9i7tA5^Vb26B(HnQ-UqiSPUcp)zhB2GR;cV7~O9%~U>*?e` zoMN|-3_i`I2pv%Rv;l2U+zKj{JcUy!2KOdePEWDs&3G$cjI4ud2C}tesSt|D-YK0B z_$GBB`3wYZjyGAhCIZi6816QwXF~Gd#A#LTevJJfW>^NCUng$9L_}Po5McR1xBufhGmoxVT8I?E93NxL!BHp;Kl=|ep#2(kfu zpr7zu$JfbeSk07>)i_>w8{;%?F%yqhTElQ>wk>EuB&)_&;!%nQyG<=8A}WjF`3P&{*ME{QlA5&O?>B1tV8h! z;7c9v)h4u*NuE<{gk2~(8Nb3d$49v~Ou9DLaR%pFOA^YYhkT^pV6N~qXLGSgZorcr z>&!NMg=NyyID(n#Vlfeicd$m{&y>M(Qj3e2w&rv^)b1fRb58wx9G&vLoM?+DrT?z| zol0fj<5~;9BX&1)-I{}cXIA3Q?h@Qt2$h9M3o_DD%(ubphTx}SU}3WH&+t^LrkS!d z?f`52W3$t8H~_Jhayr5?xq=92rX&M{R1_T?!l*;TSWWYAt*%9c-q6y>nOe0rhg;fc zAuKgg5yoO$DUj|qSBKKU5qb!Gg|JAOp{3P^qZO^qc;D-7ag?2J7wr&YV&k0cJH)#>cIuqa zrK_0Ot-Cv^N6+MxUcFP(`t(iD=qGi#QT;n-4j3pV4(gsYcnBYfem*Q4IxPFS;hvma z2zeMeDu48tu?0g5$Bi#4E-9TbF?Z7Q!^^yrUzjp=+VmN|nX{gsT|Osw?!1cmo)-%y zy|iHAqQ#X}^Oh`Kw*2K4)hk!6E?={D)GO;o&Z}Bov%dP(c^lTv+PLYp*Q++avSriA zt#6F*Zri@YlQZni2}3J(?%KV&eC4VMJNE2-Yx&#zmdx9=yJG*G1N+`t_wLm94sLvZ z+Nv3cYO@dLANk;D;j)9rKK!WkmAdgOR~;Yr!O;_AKi;={;{G}7eJ7vK@tpc(-OQH{ zy?%PpM-^w5pDil>^s} z4F`8!T>kpI`?kLD^`*;Wu6VZ{$oJHr+xzj=vXyJU`L?0z;I)e%?me)j_Pbfjyw~eS zz3}zKuO>`;dHt25!bw9td!Nsl{$j!Y`~$mg9G@`h=J!$>Z;W{P)q{(-e*4^tI)939 zjF`G$(}is_&whH+S5$nV@Ye0h(^K=$e7=4Dm@6YEFIc$u`S+(4-ud#>iAnWk8`j;a zTwndkw+DWhuzJeY$AWFH>7C;!NSUq2bM z?NaWfp=;{jnsZ=vd1-#(kJX>=%&z*a{=iS?D)w(bKK11NDbIay_wXF}UjNoFOUkFs z`}VmHCazlk@xFIfmw!3t?1IY=M&*1|{KEJjKU-g&xAEo0TVEOVZPn6i7Z<<2v9@N+ z)ETqZkNR%-gq++33x8cS`p&_Xzkgd>e|q$-+ZPHY`LBCz``CtYHET=Xy$Y2#_TJDv zH-9j8W6YI`{ki#{EMMh)?$WKZ zW3EVbnEOT9n-hNeWa3HR&^=do<{!EF%U7RH9&@JXkL<1IkKM4WTzvegRf&JWvAZ)` zv%Q_=(Of^{aZ6q*d1lip@<%q$!OF$)oAI~WG0LHX3A!43E_iK zw47l=WE{iPY}vvv*$^aO6GBE3_A~-19Sl<}BD4jDvtczMGAqMW#rQwLh$FGB|C1ae z%dMqP3+frNu?6RKivNkllY2Nnc4Mf&ST4B!E3(guzitVndY5CH*x8 zZi7f>6Ks|IDVzOw)cN0db(&{z3mTK~zaN%0iApX>ZA#SL`vvnTkD?$*mDu+;hkVxLS?j)2b>$MFc2TnXsBvsakCAj&Tff z6Y*ph1q_YUl!^!^1C*7?YQjyXqcH5I2BHmEMW&O(6fIuXs|g!vP`1$8h;d9Ww3J9k zRX9Kqvx*pmh7fBMtJXu*h?W{bn3XN6djffV1$mVmqE8BIQQaCMe=YY{O11C=UEy!k zyt@IKn+nUd7s_{wyJ6rKgH8!1Ws>ZurG^dqK zKzq?$|Na>+d{Z8E5)L7_lb`sWB$NP`N0K3tSUxSB3J4Fu0HTM(AWTn{pg@-*P+Ct^ z*c-vLsx?-?;7N%?q7+yGjg8|V9TQe4LjYz^iLXT?!lX9AKSE(>7!@=sw0kDvV)DQd zD{mfRx>q9;9AoB9f+JRSt%jd6x1gBr?*Kk+9$bi7Xm$+ND`Kj#GWs33>tne3Ys8G& zf*CR;EU!B<#pK}xB8*5=#&n+o;Z2ZK3^pjcBQ?>B8s9%D6Ox11ya{luz9Zdz2XQz* zI!`)L4c{~00R{Mdy`%vDfbRDrso4`?`FRZ}z_HbS1^Ay!_8&Fi(P9OAXG#+Q!u#`N zE82ht{*Unex;L$K{7o=|57Onh+9L zW0(Xf*4072&AuG_)LIDOdr|KJx*mBn>Ti%P!3s7k_F3dBeJ23$i}eHeZAHJg#ZRFX zupdpkjyN-O-J#0aApzLI+r~#bknk0Lv>A=wjL;WwOc{hlqxflN1ixFBTpTx>8-b%7 z!xP5J@E_}Eq6ygOsV%cME9vy(y_g<@bneko-j;QTCj z6~#?BgkpsllrbD>?P5OrC?g7zW3zA+y7cIK-1xuzdw-a|oys_j&C4B!ABD-X!mQUb zrXbfYOxnP!Z;M*y4agXZoL8~3uN*ae{&@QBjhEu|>oqr2-f`Lp2#On9b}S^u*eAnS z)B?ro1Idoak=YBd5ffphqrLlWZI()!Q9t<1XVmMJFmu;V^kw_!=Uj-e6)8JFiM7r? z$a9{F0q|)b#b{CSnsvUO(tKP(Rw(wpx9n>azo51L6-7=yAE*SN$6F|dQd)FMMXZ%~ z0LV~hN4&eLBc?3;V5G1Puv<{gvVpQB{SRz6lsCLN7w%Zu1>?*j}nAGQ)mr;i}A*~Zi?1S6|imox* zJ}5`ng^^RArp>X==a(XXS(#AnjhaPhR8oIAb%^XQW_K>NyU7UGcsajJ)}Sd997$vc zBqR@E-Uo!rH@+OAXm5?nHZO3dpuxlC&Oc-x9+nXDS!*IWMdgT=Sj4nBt+%239*y-HQyQi=n791m8 zwY&5>S6{j0K3%)Rc~j=;<6pMGI+){n`!YJ`e&k7KbUYmTvf;v;0sNlFR*wt9q zR+JHkn2fZKQ07f-N?|)h`S{-u6`Hmb9ZW%m(MZ3!bH4p16Ax{n+kg^W^o1v*!Rnai z>WSz*N~V8CKb$lV>xU*MkgaB>AZFy`HMsaWRM;I+TPN?rkDfyUd|QOrd=#q<;ufN6 z!%V93O2V2TMq6;unoYM=!UvJmx?WQp#iY(h8)`^NphA24kS>I~9MAq^^Us3)5ne{eyc$`8P;z+mY~MfRG}qoj>3a{yd91MXh#B-Os4UlT4+9V%o%?q$@($wXRg;yrryjQIn+5 ze%*SO>Bmn-sU4H9s5}!k%BddIFHCn~pCXeo)zcY$5g#K%habhr2FJ*#*Q_^0!SRW( zOeTDS9mQlUcbbV6Qjs{4(L!jPrvY-4CPU86H=xWzi)uh+_bT+EWNQ>3*XBJLigUbf z7))0S$icL*I0BdVNA8Kt{&X`r+tV!bGv{Y0^K-`Ks*p{bf|9G5j?fUN(Rx?97m}zR ztOw90MU0CbWT*;+Ru|QU;KWuB~fTo^8U@;zc znbv@qyPESsC`P;Tgp(jV z&^x6sCJX3$%A!P}AM%J$++%Xj70(c6gDxXDt_^!N^E_oM_=&YYcn#OU#ApukoX+q;IGNVVZWS2Ia3!P z2mYGXLDOlt#}C(F|d4PArj1uF8Jj6~$v?aSd;1dZen`Em?cVTcu^V1FY~i z68~bf!crt4ISAQ(JoB0mhdg=WxB7Vnf2F@|Sj;2=#%zr6he8|4xH9_V^vmiSO37kR zPWVQq?Pm?k+Kpn;BP~H>f?TQXymB$3ys!j%vWx!J%2rU8W!h0>h_Df@Y=cObFc~=_ z4THnURy98|pA^ITT06Klu32FR#7;tS_KQgch*3|zgdhEZ;D7QTXyq|9KLlGx&-@jy zgw_5&{C>>NUKk|1HWINN9~osgjk0S85nvWyGvk$eKr`t}>OxkX&{4(4+uAT2JL|kk z;U-b*gzEc_ppTJjj%liu$p>oN>sv@@HVq^Qt{`&h!4Yz0^9o3El#kw27 ze-W_LOQu3pU&fCC>VqVsGrXmw;^I>lTml4ie5JljG6!`dl}umD zn+Ef0W?4ciU<|sRM=soq&142jx*ZCdk{E-Wxk!jb^rGO-yB#B$0{Uz#MwMNLn7;Jd zK$PZ6R|zd;qTH~9bp56jo(C{4;+$TvW$49ojLwl^|1L@10+wFa4wy}g`HT)0Fg+xr z)y!9ty*z}N!puxPx0RJTwF?7;deM(I#kRU?-X8;xyCvAp3agW$|OSMbS(u0`FlX zoTrfQ6Sf6kj%qT*wRQ!Qk*>A8q%zkrI}+NU>i3B@P_njJOPT(>9mQQFk6898HJLPu zu{ccjW{|b0j2>umOG&HpQ2MtX6FTDTDx*rsIIhfYb`HU|+*X1E3DvEWuE`CiAh0Oc z97ZOJ?@llWC}njJ5}Z0^+$6_(@;TpZN2PEOiK7{e}*Oj)`qHk1p}_hf&dclN=DQ;!xZ=AMFJ>nt^KJ z;QSudx8S~JMpLKbzP9&$aK8Q|+uOw>!{N5Vw-K5SEHiwS{NVi^Vn|iX&KzglE=b@gla+gYf+!bX+PTs`f^>TZ!&psAYNcbvNHW|r zhz-|G3?X%%LEAnS&dEFjK)x>^Pk-C@N+ALO5cPV1`u2!LgM~3jZ4QQ`+YWPjAjZ5r-*jQ&UJ~KyslXNUh_(Wm(-k|kZXYea9 z+Z!e_%gI)0ozcOysCG%*aFnB-sRRjl22^5pL|RK^%Z&4Gs-NEZ{nQtkO=*c>VW)Wz z|6;Q^XZ)O*T~S<`^G&Q6HdFT#IdxHLCoAn!>mwW|NWG8U`L*Cg^&OyY|B(B(GTMA4 znIgDaCd~>q?_@g&IkfM@y;q$uxSeH5C7~bmz2%E$`YlLvtY>_d-ze`*kB1Sq`51w| z!H~x@I-#=W&Oyx>d)9sA*B{?U zjxc&>Ao@dhA*50eQf1;SMw>T7CXAGEe>k?-FIvO-YT3>#QYWmG33ge15|iqjfm|`6 zNsdSh!?Qm)PbugxC~`(sXOuh_IV=|1HCLAAMq;Eb$d*6Rad_ek#O^&>nN}z}+!JlP zQ8u{7f%X>ug+29-zXV_b2$#XT@8vanpyIicmFbhnOUL7>VCXMn(H- zmZA%;^OTT*xiLi@1S96o!WjM&a;EFOPL@R~6w93b@?PZ{hs$tYsf|O-s=d@=gGlw~oe%TO9K6q4n$32LNvG<3f z^oMCxYSe=`Zzj_%VU=ujA~KBCX;U;AN?SrKRZrrXOHdk&ZMPfZ8UA7**oeKU{h0T_ zpP?Rv@4Tg$`VeZAzlo^>RcSZ7Jjh@m)g>L6ob~S_J{O_SbsGY0S%Lf}g;)V2 zvaVod^%0d8>jLp-uu63b@&3I|!gDg;4#?gynYazCEzH8U4fs&z35)yQc~w^Vjs8{V zOj-3sbA?!@k78CkUNF29Vp~D;dDu~u*+JinS)uKv4Yc-}35%eS>?q$Ow01$2ehkRQ zRfCzcWC>SOxr+~$abuyQNrR@uXsyX)ve>%F45Kt|4WmoFM8=2;=sWeKPE-`G2#CjV zdzht(H{{?|V(%KiJMML+OX_{cO8&fjS~7C{3Bk|(lbHUFV5qt)LND~|SVVoQ%~1DZ znHTKi;m676&cHbNRA)q21fquvUeL`Yg}yRrlHrIXw}@|3T4ytbxVw^ro5eja!TX5p z#qW_xBZZlcw$5oNeI_+Ca{!rc`H(V&kd$?2gyZuwT$-Z2?RZ$-&nPD2jaaf|eKNAY zk#sgNzpX7KPN!Be!?Vnf#v)>DQLu>7>{OinszM}SUiBjEZR_=Ulq~f&?A+I8P%_>k zb52xh>^a<`njo|xa-1Ql#moatz_($_7OsRVE?EPp+n`zA?G%nl{TjrVg~rW zNAvCTQnv{zIX4m}OEa)%y#4_gQ!YjyL0z}bxc1FdI2Gl}k6qJu;x4ouqpAz52vs*n)MIF-AkPw!|2Qn&Q1R~$as77hg zD08W^mm%jl#CE6hCm%uDXg2@r2TW;kCOYQBY@bJ^D4`UwS&tqf@*yo-7y z@s0g=r&qp4E}W3p6jKhvJm|SR-)gn$PxPeLm-pVGf+RA+b3z}Hcv22yzB$NqS|5== zf$ZlwJ>Yl3IWEK*pipBIOeBc2Xu@ZGpU~vKa{7%pv2Rd-lr6%$~CVzm`VIE z#M-`S=fm0sXteGvirPSBTibMgAON_=eXD|Ox9~UY>`ZXK8T2GyEUVc7ZRRfKK7-0! zgSk%)aU_^G^I2%7u}Bn1sWF5H&5WGYgWLm6yyu0>yq(Xr4T=J{K)r0?k=EYK{6DtS*~2YnU{i$J;tFWechq+nM{8=UWQ% z5r0*|E`vex_BmMVUH}V|_GJD5{$&M!92KZxDxnIbvnb~4xGBtK{v@KhSl%>m`V%>t ziJj5$+w}&y(G@JS#p$ST$jhFk%xjKwFq~VKIShIav69tM7s*&>rEKbP&n`B`d0FP! z13)mg_DauQ@dLJH{sBkQvf1`-@iRF_ofD*W-5a>DGot#&Z!(#J*uJi>Wc+S*;masx zFm&hI_dJ!Zx0^XvVs6jv)6`t+G;SA+7nfuHA%->GXl|L~PoW-jOF*>63a;v2fxREu zyMC;{0gHAx!1`R2%=spwcf@n|nGWP$$ANq9qI!!!mv5*~W#W^i2DGUVR@mpk@^_IT zIn`EVa4ghT-pN5^PSFW^56Qmon8M`K7o!;!`#SX|AAqS)wiTOgdPrpz`nI9PI&+|{ zPmu5d7GYh;fvo-cY#9vh#HayDGO_kdFVI3U404!<#5Wk-=&lOMvM-&m)6tvUD=rsv zn0~1<5{BWVxAhf)d}Vz3HEp~$kQ|-S4GDL!IE0y(ep8#I4Xo;mD2rvk!I!3P6VBwG z(L&DqSt8@og~@wi)-2qY-Pw$&&5q{u!9d08W}3Yz*=H2P77G;$(W;NIe@Wi(o!3WL z-yvHFS#1rw8B2S%Tmi_&!V*qA4ISJVnWwW0AQVgZ+cN8YGQ9k+&fC=~Dzb%mR5 zHvNo#ZjtDyc6@%Xo%RxH4=}-&QZh}6?SJx}kq!p6FJz4%_azmo3KyVErQt0m&yARi zYqy~EoI0EHPtD1-kl~`j4Tzn5?E)gb@yUSBcX%Ftv=mh>MdVu<-DQpiX`z^jIJOy6 z#g8KK+DK`GN!W}$I@o{lXiwHKdFi=)0Lz3O9)a^#;bHe-f1(d&4TgRiG8x**YQ!8^ zS%=x^G*(8AO1qBOC8i+>S9hX3FDhP*4qQi%b|U@G1CtS4l7kQQM!>iPP1vrB4a~R@ zkP{YIZ!?4iZX0i1S8p-BLGpC7dJAkC#Gv|{td9SAEhrhC`i&NEKRDs96v=pg<@QZV_>aA7>mR)rUF_REi+V-)ccgvQMWU}GB?y6 zrT>&kV+6~0tom#avk(l0_7p5`n5dar8`CeN92ra`(S^;^HK-UDpNH(fq@9pC6Itj} zn3S|Rn99&bYbH>Zw@npBrW?P>XuZx4z_tylX?GFx2dxiObSH%ADo1B#xFs)JcvB_@ zJ7S$L$Y8rBRYmp||6pR0;#C8N%6z{=z$(n})xWY}*L=v3*AnD8#n35)AE>Z*V_Mic z#hYr|>BCTaZup#36gR|>qa^X1ctkDK7f+spOm#Lx8?E-D>0!vkMW`wf9bSPLLA%KG zmGaRdbP9fIK%L*RnVJg#7f?ytw$e2yeZKR&tp030oBnI%uw>eBOnJu5|JG7J#~Ft* zvau~PruYX`kN7jpwhuv9mtd7Q;%$28GbGyT$QD7*Sn~#j{5X1=?5NcsoMt|t(YzXsx9(tVOM0&Od5jdR-tNF zn0|#bOrEwRJgFx#-3m- zXsNW$wq(=w57{JZ2HEP-Qd#;^buW_aCsr9~O3=z{I>TJO5LWLO?i|3UAmKqX=Wnum z4@hz9pX%a3Hg&vD< zYC?zoT<``{UDTWI6v~86>yHe-k@@|cI~YfExN`lkImmQBuy`3#Ni;v;^6(FVpPT-_ z5lKDExg}9yJspM66oJr0l_gPWb#=I&x#rnD@~7Cc{$|PYlN413Nc;UydqFm(Dn0ed z?^0-A(+TNuO(*<8gH0zSzOSZ$Rmm6o$sO&VI^lPzesTu(xS!l2d2&BF5%<&yDX6jO z8L`stauf4cdx%Gs7{HuXqdmdcM7-1p7Y}h2u*dsUimA7{NOt=K1NKx+PH zG@bd!r!+m#2`ccU1pc@`$ZFG_aZl2WdHOQH5BbxV{aY~{(&ez_{3K<`JylBgpHhAz zj;D+8 zN#_40?WRZmFUr(ZJc&6DylVchBPXx!I`Nc`A_<|^eT&D9%PVONo?O3Pp;@sISgmSK zV9W6h;Q9mpcmJ_4|FJL<(Oi?}{>Q>REsOuoCO#3{|34PyAKme~vfX>L3cow1aS8)g zNOC4Cv3tjQbHQ5X=9iX9KE#hX<6zhk!5W|Pvjmgy4{UeM9$yYO(y@=7iSfq@G&=}e zKK|foqw@@v-bJkW7F#|#0`}(mVYuqQN&Fv+^OBamNc3i(_ZR4xYHV}J!#~lt0TrBP zutY-_D{;~}9MVD2zI`Lb9sDlD0Lh#(wta`}bfBz@i_dETq`tsgr*yP;Nc43v?epdW zKVEbW(APO~&P&{K@!63QBVD!*Jh<{80@4X#kcv2G&RY1MW5)0(xL6tMbYugCUaSD` zN=I}IP~RbE-e8;uuB5SX+2!yprySCc&RGZyc=0(w@b1iGWx!)+!HO6myGBY5-h@0j z1w3~z$>EOaGKrLrlPeq@a#Y}PHTr8gu<8MOo{;wt?urE>Bvnj%2Rk@dkuw@ncjWYz zNo71Il{60?8l6`q(d$8(9ML)ZfI4sVZ&JF`6p%ullm#dw5bTX7;Neir7-!CYe*!g7 za%X(rQ90@W$}vO6&XYZ>9-4oWeuwz~f>bX$2I^}DzB~P~)&#Uhk-*p$DKU9T9B9CM z_B5-W@d>M5WZ1v6>P7ll^^BbH39DWtuM*(Ge{eV~nxJxJak5y|IHa z-slSJXj%Qq(|Y=ZY42c!W;tn@`7!9|oMVkT`oAvWKPv7s9D54%6vrL`B9Z<;zN6U@ zPf0gi*>vhzYPo;^74D8}qDqtXMnH*%W+-qZK}KA`(q|ba=}w2Fk479V8xF^%7+cnV zDv98UQ~2MMd%I+sEi%jDGa!Wfr{S9aMMnOy?8Dify;+sN$wn)JpzKH`QN~FudlGFN z_=Wrbz;WLH2ZFeW*^i!%WO$mEO|nOh?PQ!U2Ae$mL`>0BaPHa>|5cm=5VGkHmeksRP_CNzbpR z3ZNZWeg0|TJx#cGUaomVZu#tUklx+T{L=gPT>ck%|3~R{Wjpj{fnymMLye7mg$lA+ zSJYJC0Mz&gQrm;s*PoSI(?x%WJxEXf_g^6i@DPP}h*5j2Kt`Dn4fpfvb;YU>Kdl}P z42zWagx_$W5eW8VqvZYzlxQ)`U?C)e>L8sQ4>!)kz`YkHvs}OUtd#yH-dil!{3){> z`U<3U>r20s{ykU!MPC0=N`G!qu($R@=s{!GaB!LI`ES7QylF})VWt54z!O**m==;` zv>&piaqejBftvwFxfHzHnuvN6pl_a#J4whmKyd`)XJaGn13>z;+VRgO0X@iD+K2`NU`qKV#DWpI zfI2k>$cO-9N5cHc0EnMPR2d_F4YDl}kU)kc+!>q{F>+KRDiBsd7%B0EzMWY%=n0Sw zAY%JD+8W_7umE9|#CzrzArj$b(g}0D~iu2zmM6pi=tdi4qxw z(R^1~GNBl7Ydc2zQJxx6OB_p;z?O!m+pT_*Fg%Z2hMR{JdJ4QF;=hnw+1cL2TtEki zDjhYB<3QN>5%;B{*u(W8+#PshZ$N~K0z@676cuH?4i2l-Y;h`aJPer704ob;OYlIR z++6SYQob)zN>o{g0NAoWygK-Uy{(%G)^SRT6?b%NZG^%DuM}XS6Qji25+=I2fz$y$ zE8tg>S&hUeI5PE32tWYD{!|DI2aqV>K7lLxCXWIh5#~cQGI;_Si3`kKm4J)n9b3F0O3 z1L_JN1z%TXa8O8ANF z@cnRD2Jz&V0zp`v8o!C6YGug-2_M{LHMm&*V!3!E@(D^)a$e#wO!Q=)cb_wV=pLGS57HubDFJBw_9B&pKQ*jD2@6Er zdK|gFQ!|u=OQ|@Db&XUaD<4yd*bf%fIZi=ExX7Q~f#Hw23dMO93SS$dCs$Gv zPmJ{5VJ`Vz5zj(3IUa=rZ4L1KdGS1Rg}Fm4toTSMA5clT#p6oqV~8YReaf}l2s41a z8kJ!Hv~C<%$n{1A!xWxHo#1k)roSnpYGMF$pR7)ugO?o55`I&tB;+u%dF#Jn&Tx9g zXs+BOQ{FHda~lCdfIn?R!||*c0I>JV#tP0wd_(7wz6i(5Vh$(5k9+E}P@cHS9RZvr zp34BgM|M|9C|U*Qxjb_V2kX^vsWTk`fWH3{+d(mEocmW)LX_`qZ~c?1c z%SP;Y6)4Ur%m>tGYTLvMB;VD*b&LvCR(7)*%FJO*hdL4WPnmT@WwD=7&+CpDhODFh^y{D zkjJ+GAW_Q1{`gCK5BG`mHjZ$0Y+%LD=E;6(+ubV}<%=a=XHmm#$2z%|=fOyJAJTTX~r*hLg zFCc!iHKm9+^My51Vu(pM`?>nW%UBUD5oJMN&`4z_78UFOOkrOw9=*I=1)+;8=@o(E zGT;xSQ&p8bK1RH0t?`AUHkw(1=BueHMPfd;Q~kZlQ|XJxH7MWR9e8#K#)+u%?({kp z^QgvxJj7o61tNtWOdb6Jg5hQ*F9u{va{2`G@dtt7iLex7^p=@6QmNCDlfz2#bH@~V zYb6Q~?jcQ*WQ9o8RJKuDE- zCD0wkMGBXYd35>@k8%3#mXHKcE_dx8x-V3|`zJrcCCR^Rj_2Oy>eL=u*DV-l0gt4g zSWDB6dQ7b4ppPC7^8?pK;jWuoCwEBiO;;;#uWMK&L4R0!2jfC|co26B&&Q()(tX#> z?ROBtgaPL)=#Kkt42KTb^&2MJWhO>}!Z-5%0o|27Txs--^t=Sv@NWbWlQq?}IF;-y z!T7(fLSk|U8i=cGw@+19rKhoLe3iB1tv|ZAf;jW(`y_1+$v<>&sr&uPRPdKzIIZJT z+w)3b3g44iD+c2OWC3&{-AUMSWu{?Ea-3L+3eUJD;<>S2U4;@4P>V{_5fZ2r_*ZW8 z_$BLf+?l+rDDdQu@j3CEz+usqUZNDLgVv)!)7@b8LBXe5O+j?EPQ&jy+PTMXv}@iB@`IzxfZ7U+zLT0Q zq~|N$E=qknE&`eJ$?WJHu5rRr5YNNn0mroYF=vSrc{BUEY)PGkdd~9 za{UOGd$4-A5|!o81pRRDR`5x5R0vIn0iWW?QKh&!5U<7Iah^k((~LwKROeP@ zcorCIpz|ZX1~xw~gU$@|y|3=0Cf+lcRmocjFU|%4n?dFKb!S6qZIJ235S@}%y$HH# zXdX)T$3L0N=)zD*U!I_ITGh6^Ffa7qCB%4hPtWVZia;XO+SR#H8U7fW5y-=^2`H!l zl2KDf)zyfk?FRK#iy%dE-q9(bH9kVEV5~3luVUgMgngLk_mu8B;w;w>@wEw#lFaV_ z5a!G0xlI`dl&%PQeW&_c?0ukn?V^$pDY+5c=94?wl5$`T2s2DmmhZz8+;3C@iBX=> z7qC4k1ZC;^vFc^y(O2+*CVGqd?%aIydXB{F=x9n=ToUE&Xf}DT*1bV&(5(uweMsY9 z$)C`;2A1ZP)bDCJ>1T)IWV%5iYrku*+ueNO@1cfKA?vFHPIU_}Hwc@XsgJ0v^|k92 z#_{yf=H}iK9jB`=HcxVi!3#L^qY6ZS3u;EX?u-f3jR{i+XcTRV=`CvI1V9J6$%o6u z4c_Ls757MYEXZ(D=^;_RiD^#%rcro`smr>7nvE|IdwpvNQgf%d?tqr5*KG;W?NM2U z^7m2BZLGVjQSfBCIR%i4x$yF{cRtjnk8noIfh|e5IH-WB8K5%e0q^Mcnmk|6y_3CP zDu9?P&2}ODMr+`B8aS$qD+SQs{5Oy{KF5*j{lM2i?^AhuSJZPe%WpDP`^4J$c)Ir; zA`q*0o;D0*%*0Ix3NF05D>2 zC$JCWHRV_7dJS$>KehHG-A${6AUBJkqi?H#G;0~&PYkJ^tjGGkxJoyum(|S<_H)((0cLP`jdf97Z(DbeA_yoHYbjxQO`>a&(5(2Rx+N^US`am=-B@@m_lGau{( zJSFdEzzcGbq*)E{_+?iHtGdC6CG|iN=^=>EbrXYlmZVxM_}VjvMM??ipQ)qF0&O?Y zhg9IN>I)=TnC_^H$=m9$E`!rpi=*G?e2D2Q!H$pAD_at)>03b(-7oX0xgD{m{Nsdc z7e5sP*g=3v&XPP=?TT}5+xNa$?-+w zP)=cjuHv;+fxOM1QII8ISQp+>=m^zYxH;;n@imV>07gZZ)tnA(rP;1GEe}>tCC#W| zo;w7(MJhV1j4zdp-t-{z6t31miOr|hYkmyElNN}EeJwl&-(?jrfJFITQsj=pz#ulN z3@6Zb7Sc4A@Jkr)A~e?h2rAUvrQvnwgJy>DwE1Si5KW5^&llEO+)`Wz;lEuFSSG?Mqb}-_@Fc_`^_n zvxbk9-f`S{`VqyQz3~>Pxx}EEUo1wVk%kQhTg%XjVVEq* zSn^1mb7O+4yr^gPxbw+AMAn=sq-g@nbn_;OA7jyd zkh|2d-yEv`G}OI}&`aI^&cp?B?WHOojjHL7$q=K&H0~i4Kr~*ZK~a2#f~g_~`R1zE zHuv74KUR5OGxciD1<>cnljoB^6x3R}K7?Cu>aH|5&_|@`SoP;5l|u~YNNSS%cRU`N zPE<3ssx{6`PyS^s7U>aMR7#Enj*A}R0CSR`r7cl?$7a4j#Nv-gqo%)71Oj=}JiVq= ztpb+m63xlB_@KQRcOOq6-h!TB1#vrZnid8mz6rVwI+X;HP46?hKBMXhG2r-Ivumfq z&>0#j{e>Ea$^~kPCzuc+_p@$X zS-bqv8d-=JnqZRY?GRl&sf;q_(+k6yG z{zeZbu|py?Ht(e`km}MP?y_X900Xi_cg%QaM5v~F5HZebUGPZwN?tdU8zH_}Jx=3O zihE%kxQ2eHR4-)gwb*`COS39KJ&>5LEk`5i#cdfY`IEwvgCoV^VScV_ukPJ8w|(U+ zxXY9sgym@M3#A7{n37e@5tvizB9)n~ww2L8vt0JQBOZ;qmN9J)q9>7bFPb=l9}uzh z+l(bG#PQ1i!``{aH&JzafA1tyGD&9InKq$G+o2Ph(1d1arZlvH7N#_Xwxp0k%e6p& zlosfn0xj171zIRtu7ZdbEjI;00mTba1Qiez6ciD(Dj-({6a}@uD@C8@Ip;j*J%7Ca zynh@&m`Rh#%5zNiR`z^Lt8tOy>0KC z9$H3N(ulV~THhR_8yJ?ctds5tnc7=MgJ-#cv99Nc6Rvyo0d-wGC*Aws5{t|uEQT#zy}#g-bX){i$@9nC?w#1ClWqYtE2B)9 zV9!(oTDZCdIz`sg1<0;H#_Bezz2TisSD}aq-|Y?4{54Oil@=B z7P?z--D-uehR#m#zV1uoTj&GPY@9|JT~y7*8@-g&V%#5s)9?xuXQ)=;CrbLV@6enj z*mlpqgO(^5qf+qBdOIGlKim^R!^+U`=8H`?o4Y7s-lwa#13vHtZ#^9s3{IuYvox$- zRuMO$S`XzzI#APeg+747i&w%H9Xde=(_HOvyn(qyopQ0hZ(b^%VvJHkW9EL;c_-BM@I>KQ z!vZqX;TnOv8T73Gpc3|O(a-f%lvSDE3DXu6nZU|%hXJPQYN)NQ*@pE1p4dgtveF-L zZ`+6%YMPB`zZGn}6$}U*!~IYt$d1!UGHs(B2KMJ9sSDS~lm+v6iF=FUcL@Y8?n(dXM8b(Z@+(zF zT6cF2wI`34ChUDaKv=#0g#^1jHH<_2Qo-tbHMc^T`OU6?+v6&g_KiAwFc9nB)d$=j z-a-)3ucn`}8D0y?EV90%@;QLaSnAIgKktlRV0VzM$;NX|4x;yt2V2%jC-5Qn>tNRL zuIeeE=OjHaz#Q(WP*g0oY4Qu@yr2-`*~`%H*0pF-$iCzgK9QTfv z*e2{S20G2H!KN77g!*^z2I42;40|bp{wUaZEtGvZ;>tr)`p5zzo^Y-l%DS@aP6MZG zQ1ck$IFWlqyRztIx>CP5@1ae&&FDI5iHC+iB3Yysc?H{|BE$L9`IGcIU7QUAz_7&U zzaFradYBp{iYzjvLGR?5Om@XKOMl^A8#$0pXPH#A2I7iLy{Ls)Ivz&E=?e9@AMMg` z7mZmltUuc{Tl`G}%v!#Q^OAIqQc9!;sTI?`^jZz%h3=!?bX$xj;7Vps1M|ZdM{f<2 zp5~HO{+akW@+LbrR$5J40`yNhnli9j_6wzBm8v~oxh`J`HdFhrz0AM%5;`T&<0#in zLo`))vM!N-HuVb&2)EoG=6hX2)_HXG7E`Z?d9#RVR zvNyi8(5Fp0C)wN+Rnuc)afs_}@mo}TSa!Eu+9kd#bGf;rVZdPZ0slnzfC5b(fD+Kn zamdS^OZ3(1e$`0Zn}4+K)qCdvmG8~&>|v4*I~U|Vd1eoP4(hI#9iy)RH+Q9v-4=Rm zF?-L9`+}{&p4XvabSlkXC8jWm$LG@*RqU^f|0o`F?n8X{)SK)$YM#5_@ynbmh42Fq zX`_Cgwcbu24zoYdDHxo{eWcR&q2~tE$9R<4ek8H|a%bb^&ZwCCRmh4Y6**;edkEX2 zMpgCK*sGoCyS-s_@_$RuA&DEbM-M#6JM{+*=0vb^=p{}JC^{(vv}e6lRRtp1&z6F% zqc(y9TkytCa$`4jU9Q=nfthk?%VK&-@HZR!(GS#_;7H+bi^~-3^NcsbCEVS~hFIA| z4a#M=X-KL5aB(j2atFfpQ2zk&HQEf$Aj|L;#O*O3>ntpg>i&SiaW$QyLNkxqXp|vZ zJJlr!vqO(f=PvP?zx%f1x#SC21+%VC>Gjh2HN8*+`yP4fi2uB!HApO%vHQsOa@ol8 zD_gU^ld<11?s=wpbR^SGcDX}#F_2wcKlq35S`W~3YMXBczmE)|Cx%()TlDXpxEb-y z4pLm+saYjrq##i z-leRgl3QN=c?&&7Z%NcWAsTN+_|MVfgXABwr57>XGS84d{*bzT(;UT zG1s4UYw=0lDat#|KTPRy0Evo4e9p!G6oStR{Im1DIqRaP9PbA_YH z2B`)Qb41rXCNZs>>$glbzj3bGab~$6O;NHV$$3@ zTU^p+e1v$;9Gu+vLkujT^e?I`u9{v#ugwe@?wvldh+n{dACtLAH%Y1MrflA53N>^x z>6EPLtU}mwrP;7UlXs&yp|UWPu5(_Vr@2u~+>WwrWuLR5Nv5lY5y|#+;SGgpprO0Q zHbfI3kY1T)>g*5+fMj2@8BVK0CRLY|R}uaENypx24@J5lZU`@--DXAcBsN&X{sypS zaA3HMmJjG+PB$sXI6H^lmBjj3bA2fLCCTqMlxrNP5bciPs&Z^w=#NdbPh&Wuhw5`O z%+8Pt>fSZ>??Jz1;_~be?qghQ!Ve5H3{7;SHb>r z;gu7^d{IJ!pZQ#HRsY$0x> zokaC&K8uJJA8N?Agsx$ESq=8V>>f?V)ok4(mF_ahx($4pt|`1_m}v#bi>;;2(YiL; z_k8=;Ijg?Txl&okSs9pz1df2a9dCo{Tu#!zHYQv zM{nefFZD@Q65k>(SrisM8QeNPws$BvDLx42M-oPt-)v#7UoqwKSM*ih>-e~7bjF_q z@ez|ipVRo74V9r}hJPg-(g{W@_mTUC%7$qlnQ&GoC~@D~;bo zAIq(uExm!GO(TzI>W(FFU-#G57_rA2?5@HN>KEx3DGjKyQI5(e2ip{`1D)=-<&uZ3 zG=a?Wa_={^X!3n+n#g@1c{~%ocePVmBm6r@m(Z^Jw5S6MSLkZ00kir+9Je;Ku_s68 z)1xy96JL(6+I)L8#)eF8I;j{Tt6djI4_EsJi7$8dRG2>GZ!$%a;rQ4qNx}s~LAq{M z4E0uB;i#`1A*>I4Q_*luDPR@M6hW?*gIi>U$%U*>)l2!^G?I1;dd@m zy317Ma#<=t@Nep#)Z*`mt=3^4YcgZWN?mViACn}ENxI5Kpr6^1`G#p)*FeXY!N%W$ zGY#SxyGKhu%c03^bVv!qriBR59zGy&EPzE+MiDz`-08y<+_4HJhix+YroZ@oDnJ0UFgMC zQ*|5YVM?~OGkax}Zu_uyeW%RH2U`lW(~egYkBmzPAB!jND1`3~zihaxJc4ajE#|TO^j8p5D+kBml z_0Rmx6t8=kq*KQk-c}Qz`_zUsCHElOy(6U7a#V@QOk=EL(AN8)1o1msV=A;B2n_$VIUR*+?=&lB9r@|aidiDIPeU&+7 z)7w%4lWKZXJiD{I9Tu5QGh9)Yq3nX-w9j<5?h-Ohz;WC)gVP=RsHcMJ+ni4?Wn7)| z6`dUK2bo3?Lg7Se*DxFDyU1@ne$lu*lnwWAFIqG6XjddVPs@GK+1n!$LS_P-#m?;e zy29U;<{iPF=uDERh1R6#pSh<|dF(s!1)Mqu+avH{@cg?AOh-5w!~Why7Z-uQ#8Z5s z)@z}eV;v179ipqKGA>dx616||k+S`V{!@PFkNUU&*pL3P--DyU;xcRsm6o@LCJuvc zZ>|Q6xN7?0q#YN%R;AD)yC9nUJJxMDBD@y~JUeZHbW%4Xf_^tRGuE=WeRepzSWV|= zfSGVog-Q*_!Z9h5A;x`bwps14$_#fpH@e)-Uwp4bBX#elaycYk>#Np%7<^$X+hU># zHJuqsI~Ze=3JI@V3vI8M?5LOw;s_R*EyQ$B2eFNdgH!h@-l%o%-_*_~rm~5OZP=Wj zVTcblEq3XohRlPR&ztuz}3*gV5Auh9OcYjJUZ;oB*z;L_p~0?m}anFP)+w}nmWMB zk;L~kZ0qfQqV6^82f1`h@8W|bZ=OflkMW17tvu$Nq(0ugX&;0!_cGJT+`3qA(9ZM- z#X4MjUgx^W&l1n;TGHr|B=>MIn2xCG*l6yLLB=Hl{@hrsHa*cCi-*xmmCebgzS^-` zR0kO|$l@T!$3gTmX;;@4DrZ6Yfh(@|u{!5iU{xsC&J?fScrO+Ww%UUmrYew>c6xy6 z4M(ty&UC^ahp#NlAR~-3eY!j~ey%nmrtVYzZIO{xZpW$lSbCd-mH!)(f_l;WzTsuH z^nv>euhPemA?%-yW;Na;$YpJMx`8viGv&?=H`IsQ?s07{8k1xN-X~Q+EybsQ{(zQi zijQ7>mUG7A_JyJ5g`tYAGQ$@s4MSuV-_(2Yy<;;udE)iATC8_g<>*%Ba4n1u93%~V z{=%=Q)RBKrYOqG z=pRc^RqH#(ZJ>f@cr8|uFJ_0qY^`bS-^8 zf%~TF_E7r8fzJCD-4Eok-%PI%Q-~45?-6)0>t~5++$0N|s$v(YtnFRtM`rFKj|U#g zjA1Y7QwPd%rtO9=fqc<8bR2q;YlPKM_U>>)n}sm3OIUoME>Sm>%3Mimh?fj!t*1uR zrAi+AAN*WWxH2}g5+|E)i9`<^%UcN&Z#Q1+a(1Qu*wORG2;I}lSFZLH<_56^MLPQ| z>m?Rn+_8*kbA3fO7jSDeVX$csHahB_Q?eJj__GBX?ZpsQ!n+k29Sm0%qkW@VJ5 zTcxlp9gOGP(Ky_YKq6@_9@PDI`d9aS2K{$cUeuN ziB!{I*wFim(=l1*$80^#e`+Wtg`)(27-UqaK7?LTUB&)9h0LSRR>F90o?Y@gsk;=6 zvn?c6HO+2~KD5OHUbq`K@{pT;bB^gW@e{L!ek0t!iQcK9Z%(I|^kWxCGrX5*HJF0& z5&voCHm}3Is2|AKIyX9WrY-9y4RNliL&cUwOi>>4P6)^?T+%} zHJ6555tYNrN-SXivgsuI)M&O>1Q-bH!QQZ}Q!6Jwq@OAD-c^)MxHQGL(b9{3F992M zNAt{iA$(@*jNR!ok>rw*ryWT_1R#N1_VeWmVO;I&5o_z%6*lqJ7|(Omx13t%D_FZm zY9xM=CR>j1Cv`Jp!NyD-Rg*ag>&cfqL+BKp>$rKjviL)~8;z#bd{6i4%)bsa^9Z&1m}q0L~T0nv+fBoP273e?3!-4K}m;QquD|V zJn8L^`lmhWe`S_E)3n-k+SPV%YtV_SvaL*X`}I`rdMbUni*fRzy|Yh$)5kbdMLTuu z@Z^e~jhBmWj=WDlXBF0Fb1PN+cNGg-Rysc*b_~J;SLL{&-n=|R3HzXP-tJ`j?fNH3gtfn>?(3YDfwumc)83;~T8~cj|Fr7cLTpJAMB zaIm7XW^H%&{c%@<*mPycwBqU0r*Ypx9;)cqOiDmn(n7NBz=>_i?ejWqp4UmyzwGSj z$*8G)G))5{d6g-hAGUiLS$Qs*-9a}ei$7}fUTzC_U2V?eo(svmMjs3}oYeaNO#3sD zeP5~VcUqdDo8rM^w~U{B#dJHupV8K(Z8dSUQAyv+s=YW^Hzf{Bv@49B8QI$Cy;Ix? zJSbZz`o3Ow(Mlhot-ti%S)!r;i~$XB!wbqO4Fxw2cZEIp|0YCck0KCf4cjjPtoj$> z6E-+MMt63QL;r@q2DXX^KJM7-9N6RgPw;8SCiM#{J9{tIXe zlgU!pL)^hCg}Vl}od31Qyd#b{uHzbk&DtGrIxZU*Ag=~agpCf5fxLmh;ONXkaDoTI zr~iIvc(Q*!MnIK(`eR%zEZGKb`LB@PjxcE0-~wNC+_vLp9oK@*T;Qmxnpjy3o5sC= zT{E&wkVLA z#|eMD?;I`*ELHDgn(E_1@Iw8ndHgw~H?V#W4+PhIysf_DPLRitwKacdK)_`V+ra}H z;se>$@wk71cOjQLaxlQB4Mdhl|0fn}M;ZJx%l{|X?gm2Y$lpN8&h!Pgqs9FlauBE> zf#?0ljbWd+uVc@CN2vz()&Ety{x$w!Sm2=p-*p74!>;=d0QBQx8V1E5$k)Fh#t;M% z*m((=8n{&;zTvMs{G--%Bqp$9|F3HXSZJ_I^k1*}|6Y00IzYsaTTLLXk8?Yaza6{7 z1MR8X-!-74vcd;}_45D1#|=E(KQikd6|p0+-5{g`wiX6j!{ho37+{#fLij_VCjQNz zmVhMvkEn;o6$Z}!YhU?4LpcK3)4?r%+{QXC0U6j4WAayy{UZ|Nujc<(r{JCZxHSe~ z)>W`n2=nmAj|1uZtKz`B#}^9JEocc)B|G@Tfuasn+KwXYNM#_kfwTWw*$*@*sQGXi zfPx2hc>iCj<^*2{A^D#<0KHSk#R6puyKFn;7a&OJ|BC>=&AU(iOLTh>WLVkXT;My0 z6}qb*L8$3dr?C0;%Me}UK(YVZ3q$`0?dX4d;Xp1t9ytC7K+=x5NX)`+(dm>9g*brM73dd) zFh>}|HX}FUH zpS7DFLskhlJQaja5xonRk``&HU_q8I_+yO6vmEbj^yFYlkrcJbw)kG5hi+r5XXb z381GF#H+~lNtRY-$#H6BI1S$6&b)=0gG2bwqrN5wJGCfzlPA_RiQmL9mT-_@&Z~Zm zta+B4fcI*@CR1>=HWZ|xCh4{QDWVgR8}UuOss2-#UYgRG=dg~Pobrw3HJ)X<@hs4S zy&8Tw6O9Lut$2WTI_`$wfow6|!0!Ygogi$Mn5A_SY|baBG^ z?Ds7S{0R_bKOuFgPa|S1K4O2<5?`>B`IX`EAfgH{Vzm4)em}LEhzaCo*S)uxfl*z_ zX;EKV`Z_ZaPR7%iQ#b@)Vn*T;GOGiSIv-vglo^%ocmM?2KfNzL^OorxUYxj_9E)?b zp?EN1!PA*fq&Io5b}ZmVEjLoNh;ZVWf)z2Z0BzKAn}3eckt`%>E0{2H1rTI`pQ{5b>PlBUUhawaA-orAS9k4m6**XI zk)?H)ldth}nKb+iUe1K*Q-m5sG~i84H!?FdIq=hDdx|!hVPGFjGUQ36B{}OTLH5A8 zOl@9|4lruI7MTRRpP6FO^8JJwOn7iNVDL@{hHh4BQUGjvJaG?hNV|*3i#UZ@s_llg zbJO&*>?a5}o(OXPnHJo~u)*4&<>lz+25_YRFuE zGsBwPfM)Ftn->{ox~Uf~tN0UgOm9le#tX26Spch648V1Z#WDr?Y}$Pp*_l@|y~zVm zaAWb}3X(C$Kudo-=>0`9z4M<)rooScMWK`EFu8^B{|Yhv=`LXKIzq(%JB%sPDTx0> zGBtOL1zf4D0~s1@qdSKOb&3XbXh_e*9*$nRq-3=-7Wkp@0e~n@O9X@{*WIYG(LIF@ zl&Bh5qOm!H)k6lPXM3!1>=kt7hK(iUoN#vnAYJ5)2U1sgY%i>n2JuvzIJg)+066fYU||Di&vm7tT3vU z$WNX!Y3ZCO&x}UjqPqH(PmJ+V;WA)+2*E=~J;^nd>SoDSOded?eN{nC=T2xEHGg%^ zLZqXT#e`^k(HbGFWNqE5sYXUwyKIba>74ZPKE11C1hRF{8N8|>c*PTwqh?JTqp28M zm0wi5Z1xjF6bqB)FlA{|tP`@`>vBiNDUyS9>k}rkzO@slOv*1xpO6?RKv{*X5=O*Q>ug4PR?WH_2z08J-%_Kf-_;^hy0{@^$q?$1a!`vUY5Nzi{P@iUmV^ zPHafGEl(QMrKb?Qq7coBi$gbLMV1X@ zlGVj&bNi<#*F-Ivx?$nOG=1-g$yxq}fu>k#c<#tap3&7l{|w6}epYgzDnAn(HFGmp zrs$oO+SgTFzN9E9oWx0Svuy*{_j&w@wm}mdVn|naZ=5`7_7h9zterTuvBooWP38Jc zsxa;1x1goy^;MlWuZarN*7fh?BGhvu zC&aJsQ@$j%Z^)X3WLD&G%ci{5*@GPJb;&^m#>8lA{rcjK(?$(W?HjI`GkL|@Nfa9s zD3vLbraR4dzWvvE)_)?Mekkc);?1i*fqB-EBXAzfv;K#U0vS|J^h89JJZv#Lh(Wf4r?b6Y!Z5J z9B7b6HQ}`YHf44pzBV3I$U}(q^z@x+UjiL|R4PI$^POw|n*RR)FugLE5wb5n%fFmwzKJ zA1k5!*H0nW{PJmkWrKWvKVyj!t%@OI&IUzCXRhjJ#0UtYB`{otumCqDsUSt}!YB=r zfr>gpDKN%C$`TBg6J;Y@iriI1HZl@H z04B{Pf`D*3_v{ix_9ONqQ{Ybpp~Sfe!&UjHaFSJ)^ou5@pb$Jlc{V6L%B8?0kqksA zxDx@8)Dmn7H=&TT=YtmX!vo1R7BFW`-QZMY%0WEgM;2mOya_)}MBtS-zi}r}O8?NZ z`6uACy_0SyVgCL)l+ly$@*lKpAcs2s(}5<+zsbLUTXx{zT>~m3(H$1{0uZx+((6Zd z>cE-?Fs6Vn1>z|gjg(YK2jeurI<><80oG}NaT?&A1~{hy#%X-N#}6R%gOdKPllHm) zk#YK6r~ig=dQYD8BU}tBcK~Gy#}F;xOfM_YW&oMSmKGrse8d<5A<7sF)AMFxMO?zNbnS*^>3JJ=rsok_1p7;M|lK~x5O5v4`JZ4GcToMA{#e_!To2xc?nnaNkm|nJZt)7F>e}ntzo*?Ql1MpygwMN)SQS8en~| zbdpvdDgGr!NySFn{}zzLDyBCR3N*#24A`2acf|%oQ2(08;n{%+ly*FF1jKmPf$|fm z<_bemWPo_up+++#z|7Q7LrGD3@dSzt=%fZFXjlXlTR@*}*6K9@Z=m)W&;ldd$?M22 z{DA~FQj}Gv*u#?H^nUi_A|M^6Vdqzfn!{L8&%}}NOKSjFDY$Tlw(YYW+O{ZBn`U|% zkdyu!bl!Wp@5`Mk>89z!Ez5%^7JGB8aD$xr}1%LqC?TJKX5?1k+MkU1A6i9kzL%Z^2mJ#uejB6y| z*m`?u?I4sk4(+((e1h-=Gv|S2^VFjvBxK1HxABfyfjMlO&sJ&)_TLA_!*`vUrvtvx z1$fAEz5b60%}4C_#d4y#p3$F~M-FOk2+V@7{~^p*b^t;325}V8c3j&Nzz_69rPh#N zEu#)nz3ek8GDeb?oq!Eu?0|c)qn@^ld<&3v`XhUtkCuj0^O;S|;0>Q08HoTO^@j8= z8fO@$qRObZsU3jUWWt%Hq@I6g?wSB^Vmk=1_a&30Gyo#p3X)v*N1_M$2@r*!C6jE< zE(%9iIk#J>zuzM8yP}qQitH0>M&^L(bB6h4C7)q>C2A!3%}@3eMnSMo}X)UI{df};|n)E3Io57{r|J)uy3RZ+Xh9sKW%p86FEsU1L?8?e6$0CCn3 zzTG`Q`~&mfc7Ulm4z-AHTU!sXJYj&$5=XvddT4ivlaT2bAg;cT>_0`FWG#&SXY=!_ zD`uvfCzrO6I^B6|=wX3Zr3)gh5zaG_MuCox;wd-1@ow?~DU@ zA8tE|KD>R>eN<=)u(Udh7iHc&3gXMi9o~Gs-WjFgj#I$F^X37B;vSp=WnW58@{Zsp zh5=p5XJ#VAy~qoUF`=(qXpoEZ13l&m&mdfY=w?@2}xm%)Ig^uy$NlmUM9RP zYkZ!Z;w6p2O2H_1l>yJPC*rch>{;Ax#zBOoa>!hwf5+Q~37tYx$0NoroPS?cyW;OlRXoaR! z2|f36km^4SJ@;A!kKS~YOz@6K{M})nO-HU^?7Mq(^>dDb! zZCGLY_xSYtQ5Y4`aWsSQQ|@W-w1NH2^mrxD~iz1rm$SJKvEr7s#zrXvOxx z)mb2FU4TS~lqSMR=9q{1c5bppd=>Mj;P#7<=7Au<0_?az@5~3C|Ov z2poi0ku;kBDe6|Ew_(8`KrQUcuJDcH{iPm?W^?0bg@ z6Ok*P(PzcWn20oZ(K`TgW(PQBU2>hJ>)p9#6}gsT65M|K13Hy0gywb3Y+>06Dt{z1 zm^z3tGeAF@WQ9g(Re}etj7P|k7cc#Qb~#Kk&(CD3WadJZLIdV|2SB`?q##D078JP8 zn;7Vh2HOyFuG9&hDp}?~s0}Z9ffU69iU2#=agGJ-OInHx$ml}FUZZPr_dAM&E}qE&CjS?HZqd9QYOs^G$)xf zoeB4Vh=Mm|*KAQO_r}0@Zb!}5KML5%0h(xeUOo7_9fxJ&eU$c&Ot>hcZ>qGp4(RjZ zq%WBBsoP|G!yooygVfrb;&GmH#*<-YWE2v*8Wh3IG)EuAO<*%d5aJwEq38Tvnc1b+ zuzU2DQ3!9hz6Y=-{ZvNv-acgc)?5<;7TnizAcc=Huadi3af#g9_3mlty}*VV8qzeyT5smgM`$AodTG@y z95Y_5K|VW-9!TL8ppr}v^6rN=eO>OCc_%QOO=rKx#j#dVD#r*wx*moKb3WYvmklq)EHZJ(kH}QedbSMk0oru>&!;tgf&#Em2aG zdet7}G$ZqReQO5tlw>!3;fR!ZZF4illfaJ7c`=Cd(HCAsVq-Vvz`;=C%~(L;IpX8& zKaxLscSfxP45{}e;P{9)fWRxff`nzrQGy(V+&{>E(=ix%yEt=#$mbkqgB))mU$fRB zz9siQ4=uh9d0+50L|t^wl-bj{qurAIU`hGOO=dQH?^edC7mejseQ1UYz40-2*MTqF zxl9M*6imL^MoTU1n`~kP2)1GJQy`8~MKw#R^I8(yqO_UL{+Qm!<}5&^LlG5ejZ^x! zD?U)_hIdJMc~>8DuQUt@U(0|)RmJ_Ra+J%2(jYXU?ieM~Ci2Wu8^F^Xnz%Egg~eE4 z<$i}Mhhqk`f}#e83{ zH7b`KqOxD$+QK+ab&%%Pla}840H3%Y&Ko-~73CJ-y+5Yy4W>S2W}E*c_3O!P;yZ{8 zO@8N0A2J+xiHvvQmx%0tdNiti7-%nTdw?supWO?cA-Oc?1R@Rdf-z|}PcxJb#)+F# zj|8>PM>+G+=6c+|7M)#-YTw1LtU;TvBioB&rL6rBo^S{=Yiq9~$`5Rv18dOfr{#qf z%-oolkJ>-QcRt0oPnj2M*W$A~QSC5flQv$*%#QY97?8^CJ5ertnuk(`LVe$7;5F7g zN@1?D?FAs>ZRT55&dKpMA%hkq`VDlLjSEXz(N2AKY zPHJ~!n_Il4wD)!Vg6ZCn+jk#Ws)Rl&u?ic1Bnyh%dgd^fsx=qs#EV$BT*cUOwqyE9 zWuWuk=>8T)&u1EYY@Pt&EIQ^om#Wq;ygCZmC($=G2xq)52lU_pr(f;>c1=vE_?wJh z#vJ6zwd7!7qug;G`;AP`z#-bWUCr)GBnNrDQ2bR9!c0wo;?#%!Rb8NDc>5^sI&FS8 zjE~iBsz1-z?B~qK4aS_PsEK(~nO-@Qkh_byB82VFMrDw{!_bCSxsWbA*fFA)?Inz- zWCf7Hlrs;yG^RB<38Laq^r#Hri&6clY?zvf^uvfZy5lq#nEcpPI00#2=l1~AhL8hA zu0Vjp_oN;U6^8)QNyrP%kX#C4PE78RIqfHlLw2>A~rY#YVv)#cLZcS2nr1M zrZ9^us_idwwqPzvsehA;1W}1|iCh7zw;GugeW*BJ&Rk}uGifz`;5_XPp)10HI%n07 zL_J3awcKKUZko?bGQL8ZWy<2=NHl*JWBC9oYiVvz{R{g}^F=g2nX zphWR26m_#Q0g=9u`NmE0=4j>GdwMexow>58w>){|NWX)7Qw6j*?;c2+8ViFJ#}`vs z^k<RwrCE~Y~)a` zygpAXAiO(Ry>Mt@^b=ZS!Y;WV%u5iO@wOYMbPkX$-+_K8uLpS`&-U{PV;3zmC9tXg z_0EO8k*%a-IF!aSIT=6TBVcR!DCLEQ=7Wk#nT`&xXcw1b!2Rkw4yj;WUmd$y%~vrA zVkMSH&ZCBIiT@F-`%a|Kzpg3EQU(Ms0nP`A?V@0#Uw?3qbXD71aLFWw8QN3}Cc_S? zI~ey9n^c@G*u0a;i(?WhLLt3*(DmC6nw82tGczy`%=-XQdWQp3YO-;;T4%QABM^kSXvYnWj{_*?!=>#-HpnvuRAe3jJmSaCt+m{;iNPx@6Q?6@mED%Tw zv^~v>qDJ*a_V@D^Gg)?rHrqNWdS^azH`OHix1ui$b9xx=o5W#|TVOsUVg5Xz30J9- z&r*73KdE=t$Q;!QaJ`tor{Y{Evn(TrNo(z0#oaRDGwfK3_|ML5cHG0RZvJZOushv8 zojXroc-C8Lx=Y!eKVoyKAz&Tf<`*AZPi2s8%naJEByVpWjF?e$SqS>Mk){enGxlb~ z-A$N(>CC18DKiAB;t?z{_T|DJm}g;!hzyBZ@{(CkaY4$vL&c2*^M$D=Q)b&vW&$)_ z?|4-v4U94r?2`rnxQ=trw=b$(g)%YYwArAHo+#~uN>-YCD(fW}Eh@u2YK+eYCb{N^ zUC#I&If(v6x$+J`>H)`YU+uW#G&3PbzQ9=@Q#l&hj1>W6Cg0FXyW4CV$zKZ|+HL`0 z>{sVW43m~$p-jqT(l6XVvgA)v^cTV3lc2-^Mfx?E`OiX6c$bl$AaT5)P9=T$jABfKnBp@%YWHH_AQgZqdWkGu>O?k=*FdxN1YV&&czt4k@~lY5_l zis?b#RTbmKqjGjyU@X6i*b)`Y5?%w2FWAe%_o!mGU6HyBu=fVDN5y`ki8?^$jC{@# zGBWsBKW297IK=&-v98n*Q0Qu%=+*nFRP7Ua&jDJtR9Frmzn8jtL`=0ehPq_j^`?j*F~8q8Hn2E(8; zJr{gweUOyGT=v|BobFdU2jz{(iA8Q#a)d8FxfqzifdZ)Ag|sE`F;$X0f+(TO!U7Jb+kD~;d+xCjCu)QbhmB};S!Cc+2{{3f2iii>X$k0Bk_I@j#t{>zm)6H zMVdE|j%A2hloweXsjxc}m#1!1WSoUDM!(zkX@!N^lJ!&2+OHBTQ>USf5lQ(2(1rt+ z%G9|izY9(^qeEj5({Eue)>>y!SpObyE)Q+0*98f-}Em zD%vx#CG$WnVivbg##xiGy^_8Ximn;vgl73ki{AeUS3`>qh5sOwB|-RK=NgpI8Tem= z!*{g{cX9S2b6%)psUr0m`2~vo zl%}^U?Lka{%6=$k5o(;9;Zf))wRJ9|-GcFX53=9HpQ1^Itt#$Mb=oG(=$Q|ID!hp? zRICCk;apFyna^-R@LN=x^;Z@K0E4}l93#!VJpoOyR*0=nfC~v64trHpcv@c>G@J2I za|(VETV+>5q*2V%6zA#A4GlG)R5~vP*}k>6n^y*Ni-O7T%+IrxDWL9?>O;&Er9kv- z5Ede9gxk<&W-^Zk96nCTOZ!v8nhGWM3}eX5DtrAgfws zzsyu5f1NWBCBBP#F++`8RQfIKTO{*wYG1i^y|U7aTE1soP3w-dpw>UEA=$P^%mDLG zx}4>xI$=vF=$15}0-SuCO!z|$?7Uuf-txBaNanD}ns0G(%55SOq_oFv`^zZ9rJ>R# z$n^p;$Lp#H0m2^k!~8sxOz<)A4hF~TSW4DL*r$_2B&To?yJHfYU^7?ZS4_ILo2}IRr0U8z z>Y{TPa%yDS4R#rm$E{HAMdtTabuTsNX!~d<0{i^==URT8MNi>Zg)=&^3Eqm9baG*Sm&A zrR>UPQjDK#&iN__Bm1}Yt&Z0^*GP8?5K#d0%bjvZPv)D~(5h>QnqTvXRwzML>g<_d zAlysqAmig?((07?@NE9C;W;B@(yQ>k;D*BzpZHW=MpUAGO=gLAWJMQ8eE{fdaF2ts z1+cGpQzm_KrdssK`M~rh8~LU}0&XJTG%&ilu+3qffnpv*XOX48MA3$9C!)eyzi5eO zraBop+gSz7^4vjzBHv<^iJ92R%f#U_XE#C|9B`r?Exe@wt&O}&& zz><9L$HE{PzmEy8_>i2+?}HY!SXyBJ9v;K-N)@-hv-LF%>UsMka)MdK8Zjw+7Lh2K z-e)QtTV)Qx4Sl?MkWQS0#ouM_{^V1_Z!%$kTzb@OW0r#l-x_lL_M)-3CD2Q_XIVV=5vef$zD^G-FG^r?M7h3_|OYkkOi0`4rj$?=6VkOSO)* z@AP~DK0?b@7bfGatAe?2wUE@Pd^g&>8?Bpw*5#m46`0&sdlYSfzbwf5d}!V!I#&%6 zS@x%!wlPEffgkM6AA!k8N3M(t6Q`hxT=3JAF)Jq^X5~VyoE&<3CR#TUZT$#uyo0vD zdkY%%9Zs$VbMBz?59N+tmgLs;PPvNIw}JCde1>q!Iyt&@g5X{*MJY^1&1Yd1TncLb z6il33L|Zttr|(qc#6lj!j{TP93zb&KZK7 zU8vOI^7k5%L!fMnnT6)C2w43pNl4aYtV>hq9F?{R7M{TTStxuZ zqu(Xr5gXOy(_VmZdt9W!`;xIBO#BFevJ9+KMPqL*^kJKjcQ!qkOzG<^l$n22g8(|S zp7PpLbGyNoMrR+nFbxX}W1X{6%~Ql|`Ux^>dlSnnvgXiv%TtVYF8w z<|Rt0vygeHO5B5(6k-;wB$+w-ex-Af^^9iTCL~NjXoT~7g1VlW0zOJMNlk`>d?|Civt+dXOVq?p>dF zPOL_(EfoAsZPferJ=|8UeS^84t_za31A)8>LP3)ozs-RWH9|ZrJ1%F2P}@m-)`N`0 zlnwPre}Ny*wIqNG%cdijNLEJQ7zswa1sdqj7!HO;9=fRQhT32-;{Cf|M9)GX9H6)H zWM*J-%i$%Ydmh1&jZD8Y5wN^Y{{}x2!99J5+ZqBL1N)>_%4DupqIJRIoz6WBzVJHxG9zu$HX6RyGQD9ji^>_fid#%uyyiE;VU+N7 zp=P7h#Frsb<`^*krDa;31?K_hZ$hwE2eHo)-ZNFPs zZ~CQ2j#p&f0WgOgK{~zJO?@14xp%K;zdIckRuUnx3CQc<5@_*znRkJ7Eoy1WLC=_x zlIb8b{$Lkoj{WN^(;-ZDSn79J$V0Yw^r8F+7cWT2P)L%PtO7UWqzrwi@xoy4>j?83 zO7CJc)Ao9kPRQ#N=y}BPmS}#Ez`%9Od+l2Z`7hKi0Ny2U)UL!r}soGOhdMd`teeK)M^ORG@VMD7%DY>r<$4v^@MM^Ny!9EUd1MG>w#uWfEYaSr7&K!l(sMv2pYM1R zP8hWs(U~gL(<;W#T{a{C@mEuJ&I8dioA!tci$8BrB_pd&8zCsTkx2cJD!KLAS&RfS!sd(OAWZV&B zOBEI>`H!p(U7FyD$(aE&bBH-o^)vM4)eWSZp31IVhq6YZw9x;<-n+*&aczC$dxs3n zgk;DJ$&dsHnZQI6A(8+QP?14{21Nx$#e0AtQ7&>*QL9G9idHM$FV%__TYIWitG3nJ z7F(^_+E!~lwO6&Zt+v`~@3y7yN)T($>GONf^Uv?|{&Dz_49sQE+H0?UU+eot?cuqR z<%(Kr8vk4Fb0Ji;i1M|~&jKLe=TMw~U^r;)KFogs(jCObKM?$z`#$i`w;q`O1&%(O zc^&H~lBQW?6D;l7>q0W0#jwt`EH%*y%VxGP)8nBqrOIv#VWwq1ilVa;-->3{11xig zT4plDDc>w+e9bVXO&pilzI8lWyEOX2t-X=@Y0FEKeGid_tkm>@%SVCyn>*SN{1R=7 zPhnpUjnb8-+a~6Lx3+sANChj<&YByFn^1dCGTN4r(DY4WbgosD#yt_*L>1Y2B7X#> zvrd9h4RX612HH0vhmo>h33Bih?2zkk56+)v`lNefmGRfmXchY?Y#`W2;eF4m^~+_` zOOW-t%0{d0#@CFdP^C8m+%^t`um{7{Df;eZ){(g_xzVRA`)c%suqJ749%(~)Q=*-w zQk|(>J+e1yaC=6k#=7k47fjtCDKMP1=!K*(z9OGx^4^$Uur71)C7_6TK!BU92jWi?7_$JNijr#;!{|M4b?iG1`oq z*wQo=gtG3EfK!h+vfv4c_yK%O8_lAYn3YjDf+$`-#J0A6*f- zakeo@&I~oZOTiLO0V=dtEk*W^Fgmk*o24k!?#BFy=%}2Bq|wniXE5^tjKX->EV6IL zaDV}qnG|uf&eA|`l{8bjvJ^oTuh6;#r(6TswLZT zMb)%8+ELh(s<-{)_c!wr>;q8Es=}Vp1&UX-4>Gc2)0``ib_Qdm$42@=bqqinxW=^1fBi7Tim>kX;B0Et8M z&t*RcgAvD3WK9clR0O%x3!k-rEy44(I?iXNHaS9qV3*hvlJT{~aS7`u>53k6s+i|s zYx-CH7~1r4%&88`j4;I`j9ovQp--k#d!g8DciNv|pVTl5n5VA{Lxs=Q&P4b}G$~_1 zgkumkp}uwv;x{l)*)y$Vuzw{5ws*UJfaymXKc~%u8e<#;6|Nnwk27o6Gcs+Q zWh`TiovPKlHjfNbP*rrbmKj;_6Qa6-lNz){`VooDKy4!XlZT1un24yQj(vz3XRSkh zmSq0}I4E<%(e@WnM+G7(pgx?{Et2V;)VpR;AG#x8GOiAC7b`RXJMM0&nUq&d4YW=m z?5_}RhVgs1xs_^7_5nt}hP1Citv`U4p9pfl;vTQqU%ASbX>!P%TbO>Z?Uy@&Pz+@r zg+}KlY_TQYy7iql(z^yF8&7RbOrr4qfqwUxv9yjw$-C3_pRmkMY7D=Nxn}(qxB6!U zPrw>8B%Ub~LpP3MF-w*5)1eQ15#I_r;c&}!}PX+(y9m1(kFv7Imtk_#u)Ihpau zG*?H&!y>?NYAKU%I-<6YMcEbjYBZCrPbZoFrn0fM{SiAurrw|FM5b4G>kCNHym2z& z6o)a(ZMT`_^by*;Y5RJ#w%Ga-+VZB=u4+hPrfq)?F|Wf4`2vS4B=c=#`i|Q<1*soV zAGcV$yH}wK-4$8O9Q$(;x1Q1Fk2V*$W1y~5l-B>h?IN_D3v0Gmdj`3q)tYNNDVsYQ z+Luz~j?^z?VdU2eP7ScIP_{Y9ab9K*lCC%}W46I?&Gx>1nU-rI8JlgWtu_54m~`nc zlAgIt{}vn5-=e1S##()_Hda){y~SA$3`!gfE$4!Q0f?#ExgP;VXD7e9pZ@#rp%b17 z5Xt+!8t;a$K^$6_7p31P((l)JHz5ArdA}cI*ZDwDTh{}A?)k0@osn=|SNwj4_u^l` zyYgOIetP$N7yJ?3_pbQ8D(_wKNBnoCe^4=vs{d|@!sFPrCV( z|11qZ$N8W6{?|m(?j>@+>~{tElVUlLNEYzGcL@`Sy9E7pWypRno&Q*@KcBdlU(i}t z)>Ho?cBccYpTGXDr|y3&cUM;K9(&$Q|~C1xO+zsqX(hN#?rQ*2?|M$(EvugQbm_QT3V+%f)U3|;r{7Z=*xFx=z+W-D z-gCFv=+gAxr3X^^>s{9q|7!66dto3wF#N9c?pb1|*nir||2pA+(*<~$4=n&){b}X@ z>oo7v+&!iLuM_zj!OY{q761PUbcy$$ed|7S2@1Ghht*bBm({5y+}mN?g7XCT)Jxd( z;ub)e*z+?45jar%fBPzbGtgDtyXwxLb@0D^RfXsN9{#TV|Je=0UtLMAtL_c@NUnrgR?v+gIIdb-RqWQ!)STs{#hwsf@pLod4~s{6l8+x6xpnS~pnT z3BVB=?+;xa;;tX;u9^%J9JrLAemhL9R0per{ar@L-D{ezKj8Mz_`4yS`0X%cx_8#PH@2ewv@orJ#GGjt*3p$KOy!Ck|k4;(P3h@Bm6lRG456OzCAFs%uY#4wGXKToXnke8Upus>QC>f`P=h0aCb*d zIO?vQ1Y`2snMf&(!Ul;U$RLd;48evF18Jb*WromrdAuTtHiX414UB;`gd0=_wShB4 z7&J**gU%3Xh%!VQ^zktUgMp7X8e$D`1|i;L=oTMuFdHm}?gp5p8?5m?3`qu?!EQ)4 zq!>~S4nt2vnjzhgq3UJY^Wps#D)E+fTIZ`#+*Zo8;v!h*%6B@g^KUcr|B=bRwcRAO zbud&P1RypVX%Ix;LI`W;PgevlXt-Wod!K$a_XYR*b>{!!{u1)rbrvpUq})}j{_t@Mf{H^FWbaUa{@{n~JRs1= zNesV#(TM!+MGfh1qWnL83I6>oTqylE^R7yQ5|F`fWH>&^fU~5K`yhiP97hEOpvoH5o7g^`&rQ1$kAPP6oiKL#sNJb$gG5ssp9cA3ChCSy+KK!p7|KZqa`?? z*lBP&3zTa>1Hr(uK-K;S{g0`TX~Ffs>ZqWh!qcgvB|+TJ64S?DfR2{J7wG8UW%?f^ z{aYQ~ep;%2@yNZ1=3mxJzHE^o6u^$G1WZ7H?hH(L4aE)he(+Ej_xp#V35FRScWoC+ zC}1di0RFJ56vxB`md*mhEKHB{Lx)Z_+$AXn{KR^I{`4MG(PU@Q#`i*Xg+OpK}U&)yU6L7@7f zF$1WaZh#1^B?^cA8vvpo;!~TI|x#H7SjOd>Zigo=u?8ix1*C8vQ;OsalFV8zD(K$(8X$U1i= zKs$OXJ;YK~C(NjMlb>L`saGI;N->#smpjJ| zP^Wp-b@kLBp(nEvDBS?fuD%+l;kTl?U{aYFTblN1pv0gaiN6m95-$}NMRh_zjw%;+ zA}@YN34#H0Qa$yBnUxyqu?8O(V}Zp|406uvZ>@wf4=f7ZrG_xz+hnP`5pVBb1}gR! ze7U<6N~xr}(nA$Op$+WBk*%xuR#adWIk`LmpFs)EIHBD&-_J~oMV#O?r}$T-{P4Dh zI*+Ha4ws^0^$5VotqE5g;AO}w77J_SeoS03#vOtq(mLUA?}ooy4W1%}op_&E=6sIm z9|drrH4WZ+4_-(_;$f(cdMXL@4_HUQ-v-80kWnr&81LtOw#7mq_#_<2_Y^QWC8UQi|gT4@~t zFv*_0!dKjHPn95e6!PJD~0!0~*RysWmmlGuXB z`I>yMxBQy>IFRL;w>fr5RHfB30NqrK(0B|1t|V%%yVCuQ^ExVT{S~Ii-Ih|K1OhCoX*FdxVsw*~*a$gbqs=pVbLB7;ec<8~cYOA&u zCn;XxmjfDlUVbnx)Bw1sA8FSk0j%d5D{+#Q9*f0!e`w1v>0Qc8(5+A|OP~$vRI9w3pzz*xm-P1hQ2a3Qgj##GX(RQu%bET(r zvZtO13WBV2@oN7N1=!^MwDt80nyYkj>7 zRDR^t$sYIZrh5Ka$CDB&3m+GPaEtqP;&v*bJs$c$2s9xa`Vu)h@C8!?kOpW)aqT))hN?t2 zJD%iaV5-;5pHqi{8yHNcnlIRQ+FgOw#54fXp6aPM{;?7W>fH6VN~ejV4xODrhCeusDQv@74Bi(BPGtGVx3IpsR#Oc z{24N^1*Fnl0xZa4zT!umX`4<$mqbiZmH<*;ed4>QQg>X|6a|RyIF5djioXxS_tYKt zPh@?qTih+JE{jgF>>~MLd<)SklmkU`5xX|Dav^Ub%6WmXVwU&?l3;}1wVug95mn)- ztFvZ91s&14#80orts+SP$92xZIcHkIY=~_8ZS2`ix&1JGK~k$h?P^-+a3SdcH@6|w z`zB5y`ZVoFqAipE(p8(BIW6bT@{^gm^{5tVp{ z1X$ztXl@9pc*1$g{!|F>UF-HkH(pkXPWL&~gYhOYsO^}vF2UJG3~c`tYq@{Q08i1^N;njo z*=H%?Df)0IULl=a-Sh>j)+S3YW7bHagmge8tc>G#&@D36v|3MneIq_fT)_{pQ_0E| zc{RFf+IhKZvlQq}@@H~$X}_A79r`T_{y1AeAvb-4k{3fwbACzek(RsNU*O-_JEZ#~ zFmg}5F^CeP%sYkXJPo!{Be)l75?bTdb0f9TUU-CR)0d>Qq4vxvsbNO@c~@UJcXbTk z=&SC?l3KH*><~RaHoHN)LO&5# zZj6HpTIzvL)LZYqhTP&-R7I}|qu-Y0a>4WuN+GJLn{y<-1au88p&A%CcwsC=Pb4+v zKm-SUD-P$Bw5wVd%b@D3AyS|@dWLGAN({$4gmii*<=ag}@oC51?4B^6#5_mwGETMB zlAKD0bBsL{O}&Zuwtu#}6F`Pa_f#07m3u3RMBfpiNm^$u+(1kv`alp&IH}eGAFr>e9BKonH{s6o-L8aXTgS zfp(4dsg_^&ToWux0FFS&>X2FL!t&mxe~H;6S@3zH5gU1uWQ7M)Z?V}cdXma<$i_PNQL`3{j^YG7=A4KnvD3q^^v>eQ1k%> z^03#!3QO3JWR7w`li{CImeqP{8tAAn)JVsvq_uU#QE5rVc}<>C^Y+GZwFfPM8rAkgd;LAs|+W7DG!$^iV<;3iB$0*lp!E$m*I z`?9>s?VV2lA!lBLrxglzBF!r>lo>N0)wM;nX6QmAfJ3sEVmiK( z_Y$t+quhJxk7VkZ?hkJzGJP?LM`A5KMgfdcNz}os*y#C`t!2(NDhdnp<2=R080Y7D zTd4U};f@@7=tkm_E+$O8V|qCh?{D2nKNFqXoq%rq`K{~?ITxv7FUofPBt8Q9|0ljg zt(1D}3)e`?s_9C-`N`BX&Q@+P%jQI9UkDRs;bGK7oK7ck`XCJqrTbZ9NUE{Vt8J0G z0u_HgvoKQkM0Ea9VPn%~U^n#Bz4T!5T>49}oBXf%U(ROm!Iu^EUM&rmHTpcg?>FpJ zXSp9DrV1;>$n4XM6ef2@qG)$Io@qR)^F@lU@q*NvK7KN0QXK?!nbo~R(nl1~#5WCa z_Hi5t=1#Du4g+N~H&0a=EV$V1Byk#lPbZVjN5$*N&~a65xvJiM-S#HkK{CI)FD1?a zbgnA;B{{#)d7V#TJu+guErmW$S{@Cfi=wQB7+G(wQ?Tn4=G5`^#5|rCJ{6}6s|$Wo zvtKJ|O?2Xi`b?$NJ=uB$)3Y?rKZqg34MOI`o&iX_zEz?Of!1WGM*sZO2@#Q8-*|C&(f!z?9Dr>ssnx6AYj5MdZW0J-)NuzBP5|*R9 zo<*nm_4*--k6*?}E=>mE^RTm zbmnmckYLIJ+(+DyP`RJ~f*z&oWIwuNq-N+j*5uRfoXMTb2oX0K&jS-4TOy}kr*kM3 zus?XK>V-|TStIi9=dS%KJZxWzo4(6_HW-h#E{ef9c?-!Ip!_dL{Lx|sP$*t|WDXi4mq&pasD@xz|Fe>k@yoRPP zl$9P}UTqyg{F6UIP(n7bUU!?Lk1_0Kx>ZT%8;EXnEAZ^nXL)XLDDgfYV_uzE7^>`L z@bk6S3Mk?7K;NUpWafrTZ@z{*3nb0;JRKgx zS#@|6F^{UjgN1jwGko*wuHX4z`E#(gQBmPrK`ggcOY8sx=|onxmzs{Im`%`wdFNnN zR7ttJ7DksI`VSMddUdoz&W(}@H7x>O#pgr&6&_9>4x@E~{$r)CXS}wZ$kMebsRArU ze}yxh>GXElo=hWZ%WH1S*4B*t67P!Qx>G{Q)y%vHsDAvVJ*&)D2mDZS^8)?m$0}}F zG(Cft*Vi^wa68Q0AEDG&qVf0z94p4?{t=3Xn!?S_2sS@PxF|#jTbu_R`zT?OqTkMa zp>12X>}M%je<@7NW4{FM@p7V-V4CJPj1)Jsa^tlnc#C*5?^@d)eT|BL5f>0Aoag8o zOHK1UWx|ZR-cE0bKr(ljeirA)Kr8T}uA1`5*0Kv9%lizZTD6EGYMk%C|LZN0W*`jgO7DQEE)5#g!stJv5h46 zwSp&&O-ys6e!6VRKOu^?V1?51W}-aNo@6?q=^`ffh1 zXCK!ue*=|s`UvN~ym#;q)Ti7}9Q%kMwi5H$gEG7wO;*IPPjnwo_}&MF=RJW3<9(R3 zJ!a_@);wH4lct>PO(p#g`BDwT2jlMh7~v`64Putq&HbY9MD}#V&+CXJYa>bdKxpAi z%?4sK^8}hf-=y2Ns_OhiCB<|RgjLZen7jq1XVhE@>%4#x*e7I7yM0^vv6i{r*_q+A zR)&9|`)Zrx%%|vL?KQoyoV~-4_0?6znc=)3Fo}zZ@!lgsA8rAKUt#-&=1iB#c6)9=l4ZQM;dnnt**|Yhvzq6q-D1D|2~B&3AMOMYIXa`0txq z@H47Xpl`18oVls*O|x%=ANyX7ob+%~m1`%-qxyaU85yK4CBU>83}<-I$kBkf=;EmdX268cw3e)8p)3Ag336v2?O zlmZe)x0AMq@^4Ymz`>X--?KQ0ZBFK2#{;&U*Ui+5M>kHY*`tWZdyjuYv|=ZJo!d(i z>G|QU+eL|=wP38(Ddk^tSc98L<7+JaK(s4X^kTPj_Nkk&x;eu@-((XPJ9{e*;Ws>= z;*GjJ3ZgGouDw&dkZM1nUm3M^UHHiFO}a-T^M1Fylfo`!_IyERjv{eh<2g1dDjP-N zxJ1@D+_5K}-3MH{rMox6Fw-2Z?-j#tmXWYNPWMYYegGD#-SzZZ7%|jy+GMsz0x`<` zb)HI}WTGDHwGGOa@OIulQ+ZCK5r4EqM(4&#Po1ORW)FSGa+ma|j*H2_U*G6xJy@Gy>sTYr z1Z>xATIeP$%(pmwrxdJG=6qT=hw*&zyZiEKIds|8g#&%F`A@FCB8CA7e^Ah^nZ_4r z*LtZnSFcynBhsyp_L3$h0-OmG$u)9BCHnw#^bybO6D3mmFlid9A4}X_S-VNm7gtYxD?X&==9OS9hs~n zlRfl@0ZnLb;N8v#!8)Qz?iT@6ig&&J+?Be5~>vz9)WPXH=jn z_UZ08n#<q{w-5sntCyrXh2@>e4HmoTIuHYsCCB#U0fusqv&Z7a+n3w zo6WGoG+n32FaXC?nWwJ4u|kO0Jwx%S_I=`!P#z2NruoM!$@ z;liFDwa#I=)r!JJ+>uzvIm%+mq`NEF{gkh@T`Bf<%@#R78n8?2%YEiNNY^pvF#?_M* zZTO(`9cHOp=cw25I_EXxh6Fx^HmJnS^lv041!vxMmhJ8F>K27bfxdpOivH5-e3h;W zg<4fnPxpyd55f<@u*|ofPUuI|dO7S+c$#MFb_vcT$9YWip~AwBaS8j!CAcOy4-4MJ zOrF{`(wVSpMrxL{vHG-w>aZju(N)WA7kASuW9bIw#}E2g*HHrHNfXBiA#}L{)h&Hm z@RPFcOK@_0-=>wYG+$TlVb98RrYQX_m2`%ezL4o_16o%7A+s@M0Q<8%f2F6qMh$!w zt9O^8p}%xHF-PiJob$ZkTn5XlOZw6eJM@=x7Nmvbtg_Q%Ep%^Q_l5dNML*p_F7XR? zHf3XvPncCTpm~t_baOsT8#q36=aoo{SKX=ue&j_q&u6ganD{NKH9nVf`yHoFFjqF= z-(Y13)omQZ-(kP%&k?!%THHr&RA+uD)jh;HSL1HYAHZZw_n7UJirz}%S3OtI+M?m+ zDK}R~!kWzCN3&o717@{-ka%8S4ogn7F`D9c<4c@Nw&f$@>ScT8KO@Y)>o4U3i;B~8 zQRpG0Szhm9Yz=2=iq9v;5e_kl+ZIkZxCIPeNyO`Zr+j^~hljME$_+MfbM=@1=s2aw zJf$$*k&6p}JlxM?o+ip+HQ1wzkkON^VlPw)BV{#pjd+T<6d*ER&H2_|cC*XrjyWM{ z(X~1B>q&G?3cHPAPpUFEbt6`Bt~Bv|zKp(^eR(ncluXxQv)&qf`8CmMpP_6E$&Ddu zH&dCjLf!2US?PePzD(sidBK!s`I)kRpl6@A@hzy49i}FJ)N6Gum|hb>>k@H>5;m0F zW%Mjyny=%}v8q_^i!e?b3!6Z0_LBjZOIf$vK3=MOJ(Re}Em1V*>3?JinuZ0!Te{Cu zcP(o)5Tzc;jZ=6eEwPUO1XXtQk>~c2dp~eq!h01Dp1oGND|<%}{Y4)+>_bKE=5JDL49q{2;dkRd+;1AnDx7U!e-auOSUS8}B?%4R;0 zXy-q22MNsaPd%Turfs^OWvz)IL_D0>N1P;|2gizbR)&imm~MBTxory!Y8e2 zq~@4*knY2lm#ln}^^N2kJ2uVj(IIrNg3;?>i7vF4aE|?2w(o`|TSlK#1A+F~!A-l^ z0pZvtCJo4OogcqO%@uZW$b;+u-Vbs7*8;*^{Kx!?$aCp-? zx|Bi}?GH(C8@|e}l(QWJiA~}^S+d)#iMbz7k1E?8&K^=*U&n&#_z_)LQDP$t*!N`( zRWvM7HE8fNd@q-i9!bK|EHy-bh?IIf#!Ie^Tev@rII3f?+&EZ%wJc>bJ7>P7CBrS%Vfi?SSi4eIz06jxl2 zuq_(eF(NZMOt;ktTaVjlrxKMCImTWhdq75)$k;tJJ2HhVwbq+>nWvv^fPSjdbcDWf z*ln?&(^dYWIEu4&DLh%$c8U&;8B!S1T8BS3*TMdEDc36F9@8b3iL?17&dWHSvI|LT z|KQVsl=wz2f`DQftRyswuFFn4{iG5)=GPT1C3s9`zo31Jj1fHvF|p-loy1jlc%FY2-CgT-7gsb27T7-|GQ@Tw9j3}Up~(5-#qV`7Mh&=Lz#O@b zUZ^E9 zAm}%ME1dO0*G+$xC9U)5eo@*?U}xUFtZEedLK0w-}zAA zi>QPS>t?;g&g!djK6P1Y&r(&D68W!l2esEfBneGy`{%55mEZYVbSG}cB{(-XSGw#)VMN^fZ? zdn1OMh7@CnWGl!csuvw}*ugDF-neWT+Gu)SQt1FnlLWe21 zUEMmmjULl&bVtG%W5O6eAvWH>`}ww?j430;9rPleL2xgPy!j+tupUIH8TtZQ5xv%ZQIDBV9}RUQ$#wQ5}y*njVit8@bvs6Ren1aZN3B zQ4i<0^bcf0b!{ck-g+v$K%Wd-b&7rXw2PMXQ8nv$`c%eAgLb{FLGkiD9NS zxgEQxS-U8-Q(sKmwuwF3wwaGF?WLg~(Ks#4d-%9z4(akz7mSIt^Q0qJl7C!hr;gk8 z7oGa|T$UV4NN>n0Y^KNYjy1*1dg?5Di*~NVj~|q8|HhFQLgdl4@|`CNk?371jJHZ8 zj_>0$w0Ziyq3&b+6n;Qn4t|;6#?PmtbQ9k113;6oI?!f7b)Gv!|Jujmewc#OZ>>1g zC!CuVMmt&0!S=B8ZIqxt8h)xS z@rW>;%^u!fO)m(=XZ00fdabGzsxKX-gt@cpIs2kG`saxJo4Q6y_y$`QWV=SYkd-Vp3(M%`QA+S zEe17GpYjH_kCxu3Xey;D6GMd8afBiTE4lHZO~=^vWW!YZ4L{)Irgvqi$ciT8pKu;ylRsd*!`pV!x2TRax%xG^$mKbW+#IRIOWnT+Gx#iGo^8Hvu|u#+ty8$DbWPRN zvWAL^MthQ}W&#Ip2a!_mEPbQ=R87WdEFbQzD$x%g50rr2XlW?@sFn0om9VZU`p6o3 zQw_{2PHV_YPZhhVFWoW4*)MmjutZM@cNxH^dgETUJ-H<%9Jn ztkbtUc7IHLw0twJN0D)VZljueY*-TDMl`cp2$#hbN}6i4^y~3Y7vv13i`k3<&K~ zGt0G`x&9P>LHI>~CCxoux?ZAN&5In@HL>UmU1Cr0bU3{TJgRu6 zW9&qF?8LSnjt!VN=K9^Ak>*P3T|IzO^d4eq;>2WM4`R5xrw~PRX8QSDeJ0Zp6=&IL zrejj+Vzd1-75y~nNQfcc#tD~y@sLdpyq)-5+~iu|ATjfH(G!^6N7k6BtClHs#0WqZ zrc2c4(#BgoqH~^o1>yX~RdIZ!dA;w_q2EbV)IN9nqdoIUO8 zk(`w@D&M|5+uE)H7lTMOs%o*~HeTag=@VSBmIX5lgLKE_>Q}jbO5pAN{f@?}JKOS6Ov{%`drOUN3U)YUKO4!KLxmmAkM)OSyN?s9svU}Rm2qrS z=(`R48}7-@Cz>N*B(bl2|AtxCuQ2_Sy`x~fwP5_tKQwpd*`2Gr2|^@&8YZi3AxXbS z?k^~l>LoWq>4((HY2ZUyN;k-^^>)6%H4bVz0#1k-Xe9-CGYwbGd$RA~{onj9yLd7AzcGI!P)W zQqAt1Lr>JgO4%I0_veW+t{@RUjLenl}{2^1GBwFLkTWJbzmQt_SuK*SGy$fmxJis5T7>!dXL=h;&7gfU{1knT z@qNp-W?J71b*($Kjj*`n+twAR^$jn z@mBnu?jvQvfp{j3-bvG0W2{G#`7wuwCQ6s$U+jsL_CZ}^0=pto_)@o%7uV^Bs?Fz* zsfJ|~gxyRGx@OwqZpQdN`^YYNCB$Dk8{1)o=e3Gz*g9#rXD$eR2?fJpgo1I6|Ax4#FX5tKQ zS!)H%jdeee-ql`;eSL+eGb|V8m*7ngF6iJ}=yxLrcjzkc zOZSJ{-}UF8=Bb_rcf<8guIL26+d6Em!T$lLZbRTz{=j{MtIYol?77#~1rmkeu`W6N zx%88)-}QZmzXC4#{`ucd+luc)h;}ARpisUmgfC z=t>tPhSUDc-1pu<0R)`Oi@*tVG9(hnO(2m#mO7muJ>cc<4_64J<(CY$Pz~?`Pi!;NawC&JZ&f4cSaKg z((wxskPAfWbe;FxueB3XBj9oWr;M=MV<-re|DWacmk8rOb>zRH+|w0J;eP=*K>Cd- z@UFY6_G=Gv->F@Qd4N!dx`aT|ev<&Nd~omfE4uSa;N6hy-G}{F?pH)07$opwf1!0& z4A3yV2iCa!r#eGMI@RDep2?6q(crhb@`gW64@|_bLccoxtPpp-F8wCp{)-~P^Y?z6 z30Qn}XUT)5g4`fBRBXs!xxaG5e}1P-zeDw1r_8(d4B~ZG`eB{MR~@J(AOlGGXT1vK zE}%Gn$#&JrfZnX=|DoW%FOQtP4+bF^a$Q~9csDNVRVlabZEQO5_*rZ^_Z37PIZ*t6 z8%=0S|J!K(*#iEz(fn_t`Tt9!`L}V5ZzQP?D+jAzlmx;(cWOpM)G!JR!u)+B^u>Wb z#43;G68vKt2Cn-1O2#Djx8Zi+Aoh2<%1i;t;YeFu2$)l0N!g_82d;4yUSbG@n?Og1 zo8C>mZi=jGgfCKBe33bYFQV{VGXkHDArT0_ z$%jN&C4^hjbhemHsnp~7z{ROVwj6$obEV`?#c6VsJ}KAz{z zcK#c=e<+KA$C=uLA61*Fa6Fqa6F-77gwgmR>q`7IDwh`6yXfsoBD%#qL#Jo!s%*GJc&1}8Qcx4TbJ0?h`I?(XT(OFY2Aduf9jQHs&5BAV@4e@gX5DHy)N7-G=C8Fk5Wc_Zii| zZ-F~DyPEk-HRn!-GEp}{K6m3!q1*>zRrUk`>&4w6!oxxg<$Fe}sKvNFb*pO&ZdZpB z8Su@jhvhB}p+@9tk$DF{(zb)|o;?}~BY09>g+Ig3gV^)18eg$0Ff)vq1lw8Dhs5H_ zXutw?F2cVt+2&llBj2tak;x(I7i%U0ZQW)(csu@(Q4%$nVQQSgnPX7;8YYdpfGd~{ za6<+Yr+t#|Q}Z$Ai0PT#QH}>uFIl%DrwmVTDWInFOVsVH!@&IQJrOZ2w{MX8hP4l( zrehDoQ66#U_#?O!3(QUGCA`#n9bpqcUy-hU+2)`ekn?jyEQC!ZYaeD(D3 z3PZg2XJP7_VfRJJ!+7TZLS~Q9?U3(p1qDI7@pc#{=OHW!k`looBqa-#D`;SvV#8Hx zE<&T#MMg#IV+_2~sE7@Y6HMLW%>b^DkZA1@nM49BUUFPeiZs>HGc+wdETdQNKADET zSz@-dTfhDmXHN2ffv(&^gLQcWhYamKK%FowJHKG~h{Cjyqa34Ci^hx{ryoyFm^jHz z%R(dM(Zwa|$Wl#2afnA%Ho3fqchr=r39gDtw<4@c7CNTdQjj-oFkzZnQ)`a5*=y?r zRA1IGZThGgOj1=U8$6+V&dkA~&VJ*y;f=akv!|)Td$~hr4jz^>d`@}y%Kmi^j7*(d zGIjch!cmTj%APgp<$Ukx#l4yb^dIYe z(3&_U+%R`VWVqe^Ff_zv^`#*zE$R#@DG94eqKEfiHh1342HsVrwkGE4A_o`~!k1_! z%`RQuQbbZtNyx-S%&b+Dd#|pB7)zxr)H3Jc{K=`bFmu2|4a0J#Eg3kZ|Jdnixhv~P zYevMHWlo!R^^`#o+;TE%P!)ubaBwR@Ci*1VIBy4$GOnY)Y)R$ACfQ4{D&mCn^U;tn>~ZXdu>4n-XO2 z&rcaKGQcAV8#^n*ydho5i=_a{URjhg89n(36_Lr85mMJyF+7*i)*yvF$42lyI(vZzHdHw=8Gb5Xv zXIsB@6JCwvMZQL-WO-usn&^oWbQOyVhEFS;{YbrLIj@Xbuu`@*eCYUkmtf(C7OjuRaW3;Svvk<5@_W2>18+#7zMm7`-_nUE}r&rm=IYVZKmydFc zsEm0e-B=}W9Ag+)OwC{5QLR|Cp4jx@=-8~@-6xG&KBBN-c)xJdrf=_`7?Cv%;7$kb zxSdm@mqqS5-t^)pFfqFFCfxUbZ%F=j^pd9T-34_LRpAG8D6Ez18vsP8^F zgma^6Nn|?r{r$QLc2~h>N^PfR-Xpm0C8k5SK{FrU>eS4?iut#yn55476Y>Nj2S!Mu z2tz>tchZH#(FNcE%2*Jrz7TX@Lw-L13`iOH;r;>u({&b(zM!%#+A>4k#^!ATXPT&6k z_xvw3__yV^SEAkza3ZF_ID7+?9)YFb_9a39$|Vc_MoPf0(ZGjMMZC~!okodd* z+=Q?g6S;=$%GP}UL~iQ&tPl?#+5 z2ySXaStm8Qy9vafi1&Z(sHc%nH731a1ZCFEefvgDB<#K3jP3;e~G?T`j;$TDPWpn91$ zHJt;?lW9{?uu`j$<`4GVZ9BKgxt*lxM2Fwn!D1OX{h1d*eFfFc$J1qB547F5Kd zfFK|!h$qT>1+0hn_IcKN)_UHx-ame44w21HEN9inH|&>dM-jsuQpt0jHoI))blDVCkRe_)`T^v|t+&HK4ey zNzy1X`yqBPoIlu>{>Rw!A=N;@a}I>M81+#B?Gg`_^-t0)2}*BMbFUZ?#O1_sEI;JY!ryR z9kCt zMxnI#fVd0@h~ji8dD9TxR})3{^~r?UsN@5T7tcoYC{3&Xnrd;{Fr=AX`W@Dop=t8$ z0IbPsP0vyYfU=4722HQXpz&rV^#fi+2apY_v?SHE zHWljX;0Wp}RV@6B#dhrY6+6qwnR$Q_d}pFzR@i0yaO=a+J^ z7_o-dccnPiV_Qn$L&H$cGr~6H>8_b0J%f6Bx;I@CpTJU(##V&`;p`^y6c%2>)=AWU zejSMKpTeO15(67ia)Ze>1NEWb%Ds5YoBp-jl+BK|9RjoJXf_I6Lh21Ft?fg~E^Ptw z{eC2Ek!G^foF-Y;PNa1!SkYR+UNj>GuprW8*u6z~fS^u74(&Y<#CdLe(!qwIIAi8GgVtTl(93{~= zP;&KC#^Z8UtbGa)>`B!VLAk#C(}r#dE5cnX@S4Hs+36?)I9g_<5>T#q?;B`M6=J_< z&dHI-W7zZrb%U-ozZx#e2>v^|mt#YSFpLm&ge2?t{F(Jqv9}M9FC>uG2d<%{_ofJ2 zP(1^Q+=c>5R+AMjqmQQB2@AAkc3XX`D)Z_>?@}lgbZ>J6MfPs1qVt`H33G$o`>Z$> z*E(V1ZH|Bttj@gmoGlbixa#$OHd6%!!dNovR z+jM}N=iQOM34E)G*X~q;z=ciULy_uphf7{n68i)2n)@Kzt2r#c(aowdk7Dm}lmZJw z_KrZ_GU*renTOIx0;vS^LAa$KkFA#R7fR9{F+`BIWK&W*OQ#TgbKVq4Un;*8;Bupo zQyO3Y8*{-k2xtk7_!=R>mjeJUuI4^~*WhMELB-yc^c$qBcI50IW^9bGer`TX zsk>7_HunQ`Rk`Jt!BAZbD`oC3>_ST<)N_eo>+E(~UOT>}5Y>4S^6IH_szi!{mwF6K zT>yWgCG^0xnS!NRqi%;vqR zCL#LatX}}mvTiN%UTR~|CC@DHmBN997)eM2y?M61^p^?OG`0ZHTQ_?j0Wxdh!$e?G z&chj_sG(wk%rO~>8wuMi%7Gjw22l~Hk5LznQmq3|Z$0y~@!81J9?PX5pHxPFXgg4T z*}OHJpQd@=*$ZXQM#V;(zafg9xNJ`L6l7};Oi-m+9)xG<$Z{fU*s>P?%l0{rdb9?% zy^oSo6Kw#2q!z6?j{M!J8TP07D1n<7(R)LtdTC1JqljS(*s(k`g*FA?o^D@!bK z)QT3!TSp3#uIY4^rBsS`OG@SW$2S&gTZnsmMhaB(xy`OAR( z*c0WO4`;n*?dxpy^X&JTYtXtIh;HrIoW2en%0j6l z$d}vW+0EPbc+(N&H&_dIXd22LX8b-}&_!&xtIESubdS<8nt>?U&S~C3VrDe@gomaQ zOuMPE^u|M;MbzZLXs}X)%sEB|^+JH3Y1o!YjR+jDjV&n$gWeB2ry-PL;cTS&YgWHe ztvQM8!c6i=JQ6O2Y+HgH8a0=#VHadgKq|XyI>mk_d>|9LkdF6dEzh%}<3Zf=+$WcT zEYlj>f^FM3WwTpzQ|gSD}t>M zo6P}kdAIRa|CL!N0XscSN$-dWAvFW=*d@EG(R zEy%{In&rI&1P0l%X2MEJ||m?)%}#^2H|5uy2{2_pQ4KY z;|t$Bbu^vMq4Qx3Ra0r<9>2zW$;?DuSs29D( zIX+D6N4Gqn@1gSCr5t<^)|-U**MO3F8N-4-z{jLe9@~eywY1ZA^2Q1MI6l>JUZ+cC z#{#ZT)X(I8`5q;uMaiirm(8iDL1}d%wG|oNfj>Va%Iad5Y931G5H(-?8fi+Hp%h9I z$D*|NiF4x+U6Q1ifvOEt zp&*>9OUBn6*yNzk2?sHthL9uYw~jKzmN~t+V>Dt%*BuI$f_QC+T6=+WERs2Gq-CLH zo)aR}hLWx*k{d%&DFRD^;R+mCa+OMIVR!b_4Qbha;;Y8*DH}u^1FntxfCeV}yJX9F z08K57-!`6o++`%qPqM8;SvO3Rh~pxqi^1AGsAq!d1DOjV0SjC|DsYgUy7GWGbygbk ze8e1%&#XkvPNrM|>Fi1fp#*;^*UA0bo66!ZYBc>kQ$`T{xBC+5PpIMi6C#y4II^;wt@8XInwuJ6uYc-FIp%U^qPq1Aa zEhHlQJ}Nd>dnpwq<>uzr!^U2#G7)=-IUJ5mS|?-um|jHu1y%Cp6l_Zo13 zA{7NHZ5ePE;W#eNq-@&f1UQ-1x6!rRQPSx*&GQXe-I1L!0{C=L!V%6CU|StNnRJ$^ z4hMU_m7}yC6;>dpSysZa;+kzJA(a&(i7C;Tiq(hHn#<-Vc*+QUKyD4qt{uxG%C)8q z(At^>Vg*jqBWat%KyqI=;HI@5&!WO-ku2{Ar-gCcA_5&H1H{h>-++~8J+ag#={9tb zx5|9!`e>ymo^rHjK^;B}N%O&Qhaz9C)S@e)TW!b8S#o9?tqKk@au1N^z<+cjid$6K z=6;Ime5mY7LIkh={O_zYx1Ts2HSN6BjlGiltCd&P&4Ic(K{Y|Qw*3}bd$p_XTk%QE zzXZsyChYtjJM1#are`BF4pDESRG}hNuZcAeRNy756vqXu{izEzD3wf|J#(DtEm&Q8 zflf^r>9jlty@~Ox&2a?5m)7u+~sE_Y$0S3QKvIi^64 zersIS__$btrM1v|d5?a_Tw`&3gr$|jt4K)bEAfzdKq)ipUqXMr38Jf z+`5d?Fqebis|r$xlZyw49ErY3ziAt9t4LkP_pd)n+q?%M9rK{VNxO>u&+}L5L3Hyy zpjPwJDZmkZG>SP8g}OJsq@NW<&!B5kF9MQ`UrfK^IE48pX^ohH@-l?aur#Q8#`z}d z5&jJrdJRVW>u^&!^jslx=0n$Y>?n$`UuRRP6}Id8EAl;Go35*@+W$nkdLjM3u9`l4 zk-IzlfM)}wWi2}uh7z7$Y*)?b`qu&EJ3418#y{jDy2?DB3Ve?0m-i%uBbcA*VI2uX z-T+GtwKY!y^cv{=S!*d#8n{v~t|v_G&_|sMYH~VVS}_sKCE!Qv2g;%SJh-xL4*etD z=rz{X@xz3P$P&W#Fg|ay-Ar9zxd{~ko1d0RKq!Ir(CK&GZ|Oc&xhzAt*IcS_iprjg zg#MxKIl7Uy*K|img`>q25o=aewj`p1jylFM7vI?cBvom8c@OJSDxj@Tp=frcADcu6ji)p_8F{<9F9%xL2dO79E_5N7xhaGeKM%1*Y8wTkp^K4C zX4o?X)lETl@kli*VY`$Nrc_r$1E^V&(L~|GB}g}_?lJUJJkk}Z!bKptO+XbBP~Zr9 z$uUD=iMMEc6CCLzU>o!381Ea<+xTVWd~srk?+%n8o2;!OTO;!|!vjo3zUFKc>TCCn zr(4RmmgkvM6~*d3@0QOUlmGo*Z+U zqV)@Qw$p)(^>W=7*I8ZmNkEFi9H(|yG<(cB6`A$=?9<45%{2?HDJF8hteb!ma=G#w zwhB9A-eOWkfe(b;Z1(9a^GXx(fgD7QP|d;p*_TU;P{+%NdimNE(0oHl=4E!*WUN1| zOZ|LJ9Fbp(HA5@zV&lOsn%);?Aj@ju7_!+l<7YjISh1o9F!efqMvk8mTh*}+m99fG z3%5;VAI=IW#T|rQCH_WON>x$dpUUf^3P;J>jq$1!-D7n0o)@_YEz6hYh4|`em;SQ{ zfs3e`oiK^YT!@~Wio`J}{Y`XjA*z`TAm~x&Py1i9RC730C&y9{Hq5b$j*gpJaFBPGZ=pOGwc&;~vlzC)&cjG|82ST8wS!}{J0r!V5zOxqFgnP*|E(XzTBadU z{b(e6&}?J%#}kB9w)zaKtLcTB-3f)^3E}bFES7H8o@A&crHeRbLS(`s&T$km`H?!E zUQbh_n1h^tS)_P?V`@14!3dO}kRB^O7pb2bP7URFHJhvlNM5YIE|NaYrr3Nor!X2P zoD8?_WQA(QObhc1MAFC7`RoNYnay9f0%yyjsADy5)DcN!M9T6mYTu343(-P7mi9pZ zP)99ib^xl+76O&RgSJb;5O6}MVualId@bS28g&6n^NoB=S{A{)6V0yhd}dpv9}%s8 zmN8G4+fT7h?-=$0Hp!gFRCtg+gXOwKG4@Dy47~+9SGIGxCVTqt)=)LqVb6&hHfzk+w09)d})eq7DNz%6i98>Ah0WB0bQ6(Wj_s$}u!W^ww zi0X%{Vm&eRtNJN<>`3;c?RVGX(dN|&ma`QX6SQ9_^lwFjcb$$ke-zDq9VZFw!fpAQ zg}JGF$D*8Gr70+9Hv`nbLC)_&_pQq7BK9KS;|>p^` zMeA-$a|2@uZ-7o;uEs%L=8c`{|unkWe zg0i+FdI%fqx*6|?>eJZBeysmO%_Q_>quC{97jLW?z{ZMOP*^#vdlB!brBiNx1 zCZuH)jNozy=zof(l9&&}OAnzbP4KccWBoSi0=vHYJez-LBRba$)2qz;O|J0+I(|it zU(x+OKNQ+-j&J2+-w+?=`PA_y(N?ejINYH{zEL@+(z=C!6KicotgpK&HlvaPr>#Nn zR(M}EI~DF%HImpXJb-+|H19c{m8TC5VH311y>qg4328s#oF=-Tet8gqeY8$OX(N&A zsyy$TR3Q}|`jeANk|S`Ln_WoX+kt-b?8jDze`^QM{ypbuAnBTjt)=?6|@78JWIHj(vmfcCcDs{`s z2|6NU94DZ=4lwg{fSF&SW5AWsg}*Sqh~VlJV23Ga4${(G$VFnb}`a@do9?6 zU7mup{Z-x!dm%d_Yb{nyU-LeuzczPOv@HjH=M=eWMnWp%43nKNw@ebkWKMNRLTGof zk@US)p5buH0t>dS3l7X@0LHY9dMuCwIr|t2jDjzqB9AfV$%Tu^e;6EL#i)L)Dz5k( zHTPhi?=D-~c+j>(--kZo5o93=zdt~YVC~*@nH8bzGSBJUjVAV^w$ zYZvgV>Ss--`ZG9!Qkd7I3MI0AbY?&L<3?oJ zw`rT@Y*EJ?qHYc$%bR|*i?)Fh)quWH-_TipHn&6wF|@tE`)%4SzC`%WK!IOJRGbMB zYSHQ2Vm{@~B5PMF#F;3d81*v~2yf~p-a#A8PsW>|aHH@WIw;;yt0r2o%gGyKRvFn?pIUzVR4JB-6Tn7Lj94_)$%*M7vS6`H{iFKr4(S-tc zZA;3*V@zF|^BAI!YgYN8DdKiUz!vYqW<-zB?EsC?4;`$6y-JVjcUbg=1jc%gIpAvy zWd6#qz-SvMz9jQ!z+YKNI2h|mI3-+5fH$8zNLL0 zdouNih1Xw+F_%#MNL7(FxhbOhTkE1dH@UtFc9nBwNUch}ivl41ra3GysSBYUDb))K zXS0m0(R}{o7DSIU{}@aDEZibCjAw_Me;Zy(;yc4Dx+CfeSa11E=64QRJs+=p+q#fS zmEMH%Je`V@-U0_$KBbf1hJoK8!e_O4s5{_(d53U(NeBlCa1T2V5&kQb2SflJD-e8& z*O2?5_bW#L`Rk;wbe|Mw*>CT+?=hr-+sQ;rf}@XFfpNZj3K1O zw*7$YmL3H22q3Ay@l3Sv1mRX{w1UUtR)SyXDVUX&%+@e)2Hi4`V#EeH*n#kcJfXV^ zepz;f94e#|o9?nT=Evp2SY-WD6E!83u$$9OJOne$u;e$&xk!h0c(QEA>2Ij% z{4ualn20EX&cPKJAQ#>E1$ulE;1|TLSQ_fpq;+7GChZP}W^NYZe~0aUB+Md;pQN@( zGg#XR2#5A{8Ra9mS>aMXd%Qf(c1=H%HtX5*O18+`!S*sv)HdZMY>3LqW&2r2vVBj# zT$7H{rV{4~HmCe;c9i)BRWk~G@?KzR{SRz*Y7{&2^2>x58AK*e1Du}i`*v3iQIZGvv{Y3T`l0as$N)#y={`9~@zn-x&V)q1Px5oJ17?lyl3Nrm6jw zljJt4X?W@rtfHd{`ZeLp+|`uEshvx+ea-Ji zRHP&Q(eTz0Opa3JwPdiv_7DehQAv%tK(V15B`2g!wq9mS_PpKkFmgPMa^6`Sg#$XY zOnb#t-i6*^IW0ZIYSNbwo=vvrpi&*He^hSqfh&q)W6B?eys3cho}mjE+Gs-hLK@BL z9is?+bVTj1mZpRyCeLT!+?;1UC?o^nJKZMF8OlCpbx`;uOl41V>{Q4$u#V#yf)|UI zwE8=|@CX@n*uNqE9>VvvePT(WwrO9Dg>t|Or<6Il`h&Dhb$Y7trb1J1TvV>_9jOtR zr_`GHVi&bgLpW~Z7KN=6dMuLLb%UY~Nwrc>_DAn~<%^)n)DC`{a%Sh?reW@E7)m_B zj;t_YauStqULBV;4SAwclXph5kE9(UDryl`^-HbrD^i_u%``2~M(nS!C_*(Z;jv-q zlTm3JVqaHf=1eTL)^c1p z2E*J=X(sB2RTZBdLxl)Uw`{I>AAxHifX8-03%!WyD$K?93Ffzo zC{x`s#6F&N2dhRRk$;sQoG672pmSt@wTyLXwiHJQ#$+Iy*#V&sv z!O@VWuVDeTvn=>L)S`}gxNaV1XJi%Q?XW)sIkw~A8Q11v%e*Ork$E=-DRnGG@V1A{ zgVj+zI-bY(e+r++rAM)Kx_FwfM0Pkr@*N?iPa)Sqn8I`Bhfu1Htr&jNw&KmF?xo`@ zTyQsm($ot6v^TX|+$W z6kW?PJEBxWg#E1GU>(C*#=+{VjiQ2M?5utmt8HPZGUkMe)#$%~QOW?^k?A^)%VU`>QMP2(%O>d`jYcNtZoMTyU zBF{0izN_o|NSKLmmLXdgu{)uEnPXnlqX^Fm?W-#KuH_?Uy9#<&&lA8hiE%6^gyDp6 zo{)xli^MpBSr-FC`Xkf~>8{ryz#lK#zK&$_vCo z9IUP3?eTX!YH_GcO4ny=#X*FmhOOXCfV#l;xaBdai}585RHgh~sG{u1i`WtL3-+f} z9o!(5%I)lqGUsSnuh*NEjjVgK(qn{P8(agB0F&+m^c(w_6)_px65?vgp9;Dagfl2R zhA`Sx*=vvxL!@e<6v7x)GfM=^YRW!@U@{-|a?U0!TB@HkG;dbI&2BZ%5ee7gL^~nP z)y09Kl}PiTjea0ZYA8SJ*hfgEO$)>aLPRRelSfSvK9<3tTl~D-JSeUqAC}tRoJD8n zJZ_!dl(p=EmfPnCI?f<&La-uQQqdpTwo(fm#e*$d!D&4NskSYC8?keJJM{DWW}ZOQ zoWKg(W^oC==V7gbFa2dXENPJJ(9(H;>H@h0UqbVkqYS;AS(FMR`(ns7Rjg$+Wf!l= z9N-w3C22G%PF;NUW7e|VoQ5pHHJ|>{_O!49@(yQ z8+oZxb*|*3&daW3qb}@0Yz>na4z<%V8O+y~Ncpzkt$ipB{~H(vG{ldBxwJxk{%BJg zI5PP!pkt-cjeSG(U)G8Kuc=AWE3Pz5Y1b_#V2CO$0ars##YdAbQDi|_i(=> z!jC;nw^iG$8Md#CEgtreJ$C#2Xx^UB0C*<6@lrF#|X`3U8XL4F{~mm zYxdw9D0fx`(e%1lK}fmKy5ti29dht{)idyCjAO1WaD~-ctEuBse@G@IL%Lxv5ei{J z<%3i&^F?FoA$v(4u3x1ZBi?{|gm5e+90SQsO1h5uA{N;a7ImfD(_hEJ)5w`cY&xn- z)`e3=;)BRLh(8P6wB~npk}kYrD5CZIhSqp+`)>4&_N%UU?DSk%FEj`m+X@_513kP{ zDy2nXUk~0Ysqo%hFMNTJ4D@PXs<)UB-@?u(aQd%u_dxMnDE))2$b3uAa@lSq9>l6u zj$D~JJi1~4N*^XG53q9>fw7ETHv+LOZ5ZvSG*(~O8S2lY23n(Yv zan1<^m|e!k2_tdo8>l>=&1ctioFg*N5%l~HIV^GpfAX$%=-N1J83%RmLM`|m$8ut; zOr*MqXH~`-yFKk0XME4lgPn^*3I|(TjAt&3y<{yWm_C^;Yq69s7A<5T>62t}H44mz z>|cWda{$b;zhPzSG3u+-5R}}Q!WuPNV_~!=id!UCJz~vgoseDiliK^ykJF#P*%`AbENHgD7}R@e8Go~!pw)J6|A!3* zUtH&ozgt1j((XsM-V-(X$2mc}{oB5OSXIz;JB!CZb_9**UrPbxC#(e*FPT~tm?kG`~|Ux-|lbvD~sU$cG?i+R_Cwx%&9YBopyNt)O*XYJ9qt8q3Yc6 zkEaY4s?HsM&(2_>3YL$~tnR!~=VK@RnVx%g(|L(MYM#!c{#FWt>$VO3#lNoj=b@bk z|KpOKPkZmQ&a3}rk)6-`w|xFHLI0Y$!JC6^cRtQvSNgZR!&U!n^MBvL_UEQx)%<5h z{=duO|2=zvr%3)sr4-_sr&gA^M+2vKX|Z{-=@rpGGp+^XzPD z{-=?=S5Mp<75sZ^_&<&0AEUB=cGL3EzlQUvK|5M?U(Y4HM=&Tl%U3njS2`JnbFk}g zk)O~`h5fNFrt=p#JiNyr(Y^S?2xMM=@$ZdaD3JMpPjtWKdk(8tWAmFApxs*lAHjC7 z^D=*3?_ZPnvQ~AC9IBdiFW#`3p4J6!D^*oxfl}S%KT>2JHd?ZZjuiFSSR}Kj=G&1h zC22f-igx&vCnwv+$3o<%LkxZ;C-s3ZnJqcr0c*Jm?|poVWJxLcUN|PnF@8Rhi+z&d z7-h0ORW&vb7bfmLP$4`N4iuv_$cxpaqz`#kd2#JM;p$5TmEE1mSoGX!7@9ju&ACTR4a&o8ie}aUPFo_M)hyoZSdL_;kZA{B^1lA&q9&1 zIBXycAqH6w(hzD0Gsq2;L173tC=IlMF+}u;G_VHF5M_uqs0?aD7ekCeW6<`9HN+Wo z2E8HPU@-6oqoJ#zo55r-_vmiuVXzoL2*d!c34>thW$10N8AL;pA=zLzI1GIZDTY*o z)9`?yuc4pJWuEuL-_4aMo^;<-uj$mgDf1WCz*LWYd*4+551;g3?bx8|HdH0MXT_0y zgV_-L*BNdP8SGM}{4IN9COE)-J(+f5eI-c;pLM_1@oQ7GmTO!G7;wjJ)&k;6wlSRye3~!5_916pZQihauq} zAz)Cbe~1AG&B}lo895k-27faU{X-UDSg{Im=M!On50dN`jo>IW5f6$X47fl1r?^A| zX+ZEF%u+^}Klt_UnMY=&1Hkcq?wt!!zY=18{Ab9$)wl2E-hZd^f06co&AtArl%Xn6 zwgOEpgDfnVdn6UsABDn`2LE-wcgVFjv1-RZbFDM4{(6JKJOB4qxXy&Ff8-hwf`$h( zZ2<=51q0C^1)muH!(W5pe}Bl8{={HX0Xc`&^8S!F-DIc;C!!G0Md**PnDQ7#usN86 zaI_4Y*WUeSUS)%8@P1w`4^b}&F<<{3@@fTqfTjI++Wr?Q{@1)(dq$=@@*V`C-)|I7 zZYHk3%t918#8cl>4z2J9l~~Jy8j?U6&QA<7mkaJmoC0S!C=d#G=~9rk436~;g%xEb zps*JdwyZ3>uU_=0SLVLHC%6vpDNNoQpa9qaG$!v$cNSDt!vL?=P+nbJ<-e!OD*UBR z`!6!Le>nZvpyuxMZjiznPl&nptdI@nmpS>Fr*bvPQ0hSrW&by7?f1$)S!}DSp{jARrv6D8~{ajRRK_z z%SfG&jmXz51$bqUVok1049cs5+tT1EtE?j1z`uJ$85B%q3u1zLq|nNelY(&bph~~L zv}#%{`5G|n2B1U;j86oVO+Q{433{QWwYW3|GOz+9Nell_2qjH2Ln%L)Vj~3^ydBd5 zd5N!eM>Z04v@WY6E*U_Vp>!xWq>@WEb>kFPohRf1AGkB$l0xFQTQHCp0BaQ z##NO~^3{T*tL+Dr&(9-glb^`po#YO|HRLWniE2c-uw=qI&y(nplLA#@Isy9nHI}<_ zD6|<%@yO(R8oe;syf5yH=Ud}&bzG;YFFhz4)K5V?)LjMo-~xU;C8)03sRRp-X!bSS zfD&oD^-EwMSypF+(P|{v&jVHz2=x`%Nu`tf<&c$FZJHMYeV@wWNq!s!$Kt^j1(I;D z)P-2Z9^hjnr}PfUbZ)q#*%%7434B51ElUzVmF()DQGOlJ<;4kc z_jGJQ`44B16_QA=L(?n=G$|WDI(5SbzkEb_p<8n)W~}xx#ZdCL<2BQN)L0WsQw}8WpbEwT^ST_mWD+_ z2KuY~-?u*A#<@o-4IpETU8oHEunigR803&n--`!_1!Co(l-N>|Gq0h%;SKsND46ye z63}kj^f3kgiYjUvtuaB8Q5BS)`y``4Lrf54R8=cjI^_OZf1tX(3D!VaV=9Xark46E zH!Pyckk7IMl+}CtCr$QO2CK1xsncpNZML0`1ly`CvaF4S3r?TjmJ;o&EGnz;w|&tA z^ra^i*A!2Jn$P?0;Rlhw;Zf?KO)HyRhF!K;ey*-R)JGXmp;keiS!?>%a*A5Zhx#C@ zJ$ibDzpAR1njjb6C-x)(Lbwx%5 z^>9B9SbIO-1Q3wwCRA|#QF%c{nKYb=1NhZLp6_s!v?~r;it19R>;jC;U$P0NcY_7J zn{gkt+@RndQItsMU#hl}H%%++M`SpxQ~bx^ZkBQMVdhz?c&Yofwv)x}zjy zgDHdZGk;E+VOid|6le$j3g-%0#tvD2nQ^B=>P2Qj)m;o!^MeUIffD(hrWjNkcmd^e z*W~~KYX2Gq@{S{)+rw_eSs4$TPHo7fmgu|47q*AFe{7pxvX)$}T`u2t7U%G-0bOKO z85Dws%Q)cfI6BC88nd2X$k?S>8G_XWuy|8C7j z@)L5gvc&HzsmdDDfh4I&)P{eynO_M$1VD%BK^_pRot-H?WLZD~|-JZeIoY zBv!M}NO?J~;-B!E)~DM7(*8&&cn?>m(;+L1$j`{xIPv_#Hc^$^3RT<&KfjlZWasi~ zsty%0%NS1r-$(BVmwk?}&byRF#+nzf?TVY$<_8;xFW&%-`@mw}djDiByjWw_f)d@s}+TzYyBbBe6zVUFn-CoG|;)PCGDn5mDTY*4sIGb+}01gbIj`;A)c z%BVGM5C;-1J((LU|Fbg40bnzuVPXO%l9`nhlp)n<{HkI8@>TjKn6{gY z4+yy%l!t*P7sdS$9#e5&xW1)33>s@$txf^GiCAVPE%TQ)f9@OQYe~s3hLR1X@IJCD zQM?mL?jaAiGpIZM)c>L6vAQh>V5RCC1li!tmHLw3T1VhW*Bu5)>Z=O<8Wv~s$td46 zsFgrfqo0jQ6$va91c1c~9v+ereFPQr> z%zt2kmO=@_`&9{}Sm_f8t+hO1dQ7V47`e}!rVU|dxF52=?{1uFcRyo1rNXmJCv`Tk z)tX4IJEsid`QZC7#Ic)yRP%57`lzP0UWe|e!BFvF@pJl;^n0{mvPYLTqcCqAgg`AAULP^ctuvt<-H ziF_FEPJc1%&eXPJ?2}hhIhPz?1y!i?yrULFyP*F*!t<5-yb{jY6XkNF0K;#_3qc%V zb2zmd&jyJpHzKX-e1;sz{KTg1kZs@I<$PoN08}CocnPQuJ;A&hvFU{W=Fyb_gY?#Y zLhy(nAy|Kbit7Xfb1x}O?=@l5z^gaNsh67hFQjuyAU;$FWDPU%?6!SEKbbO!ZS~pi zQCpcXx!hM}V6H~uCs2uMHgQbiCd-QpJBo@xUQkj6zunhQO5HoX#;r{-$KHuF$%ybYi#pm zRYhj3k*?LxioB=f&rFSoo?Haj*-56b)?0eDLOFe!ua@(3+BYeo68kAIIzr_7 z5cxfdUO9Iqf}yo0+PeVi0H7c4pybg0)Z3{mL1^Xxb&#gln5Qz3+tpiD%<3rhe2N{n*oExZd+zw}S@`VHCXb`hRmvB8208pSs4Lutl^n{B2l}x{gXy^dK zsO{D~ZlSXME4aEeKjUS`OtkJYB}@#JtN>{*@)fI>MoCRE(2XhZRag4Yqgv@hMz7{> zY3~uh8$;!V#Z_ssVRw-Dkqn8Q4KdX- zug3Ljug`R}W5y$=Dvy31D2ARy>n@*y>8_AfCW3guNO%Yw!gY_Qv`sF|HUl=o`V5FwA9j zG>k$ki|f?(IQmD+Qz(O(OXG0b4vl`Hu|#f)1bFm(rL>pN132ffh@CC^Ot~8d1sfd;7S z*aY_EZ=A1;nX1(Hl)EYF5h+3n)2CBox5RVbQsPwtG~}3RO74|#JkVX~9tv>g#@{k> z_z8Rwu969AP(ZQ_#}8m_!=vt=W7l%zocbZ?VeS!KLL`eynPrj6{IZH7rY2r}QEtD6 zpF4jo+E6g9tkTcbs%3`BOiDZg`Y*#Ak_Togt6=QYcnW_`E(18V_SvpC3eIm=jW+-p zrWiZ~h0~ayWBEb&GMuqfrvw~Yg>Mq|Ep#GF3;fX6tPpbvETGDHD=$ zgn>Gn$#mGBN9s(E3%5 zS{Zj-!)W>YurKq|2J#gcWYzksa5$4-LW7yRQOV%{fUcK62t^5UzrsxJHTa@_gpq6~ zAB4f*FD)yjQ+^%yoI>&g*ORC9Eefc84BS2io9$N|SQeib?`xNJuQZM2X2a@9YPGE! zvyqpBXN9ZRsJqjmFBH1j^N=JR(Ppa-*8#iEQO0Q_X^Ll_RdH_^0E1k_2TS+$Sba|; z)sL=$)xCqbzJ z%1Or^I^hnDj-FQ^S;cXsMt53Esry~_MWAJmqTB zOuyPOEry#GqtPmX39wD`$QxwY9ZMU-;BaxrW)_&GmGQ)HTDt-DyH^ z>z~vvyg_ezPXCGmFY=cOPls{FuIgRNypN#*-LPbAv5B6YaaNrlg-=>uX&Q+l{UkY%(>UXni=L3*~n%w8z#*)Ne6%i>#mP$O=>M3AgSdFL>37Sg zZ+LstS&)h8)s_AUNeyk>#3*iroZH@2`c?lX+iKUuok)@9wpWTi#C?%aKe^x3Gg0jp z?BzxopgS`dZ?QJ=Z>e)E+UD?#rF7xJfaNy1ojj%89Yqd1xmU$~qcB?K>}f3b$pQl# zc5HZiSC&dy3#PxJmAl4*C#=Gsr|rj(JN#AT6kLgFnNTy?&A&In5xM5|P_B$xXdsTQ zBH9OYc@%I1`IO5~M|elm0lBh;|S9&oPL3B=I(07niG{UTZE3C$I?bX!p9SyEeZ2E z$(G$FYZ#+mDZlhN(??CQOjmBo@lf*}rKxxJX&JQ2VroQ3W1QFs!P3m9R_ojKAMv~R zyX0Y}ryM#n_Sb!%eX^Usfpvk4%u9?EO*$Gr!9nQna)whxq^+VdlysqcrtBIvZcdUM zOtir?!Pu$*vcP0K-F2}Wr<1#KX{q?ji`|rk;IKKmF8V%WiCYX6Ot7C<$_-<9wC$p7 zu)jD5pVCj2`)0HvvO~R_wN>yY7-hh76$Q)?C1K(l`Ec@>|Zo zBzKY0zb4mmYHkK+EKzEIH3jm7A1LbrWKds^V6=%9&&ph9La1TY@uhDmLoo8r6T*?0WY9Ax@>gZvc(!-`6r)&&wJI>5aBxg3aBZKr6Dw58q55)KQ z8xD#a=up@6v{W!J*v(_~d;#aygH0H1r~uTuefmVR5*&M#+>2dJudCl?nRO=aSr&S} zrrGp!dt$lW5nQCmoJ%n+(GLwbb6v^3+JZ=HjnBz{=%v#fAs8^xyVNB#d4n4pBP;Ri z7b}2~5o1}6GSoYi88dKS+de*wEOndQEQ}9~)U~(NXymcoP;b;^go8?gv{1tJKE8MH zmug=)^R3+H&g_U1jw;xJ?Tvs0?a?g|2aZk{sOB~8GU>^2+Emth+4MRtCHV|3mY)4l zjLRs6;s&bcj5eIg1Qs||2>6JHe0wi1Np-%^8>$nN1yx#p)xT!Q(0CtD@TBls#%D!U zobmx-603#)))vzglaBn|?XFv(VO~!(-ekGsl;bALplG}i6?2DsX(z@|1?5qAIX~5X z!3;6B4~NzL+^u6@xVSI8V>RJkt^J;1I3@Y{&bpc>BYdBTJyGewa3LgCcuX#i#Lg+v z()^Zeb7PA60t)zQq;Vm!pAhyq7VgayLb7 zj2tI&2}bAA1a+EH-Ct3%g&OSD2scBtwOVsjYNT)ss&wtH2rP2Tqxfl%XWxjZvUQvO z3rXgy#Oe~2OfWEeXzzF|woPVwc4?c1g!(tLCMt3+WNIQ~MgpuJz`M-*y}5WLJHei7 zwMRmazs}FkWZpE9uZbHlIGcj_T|d3aLbJzX{H2qCy<2M;$(d4kyZHy{9(dQQWS;M) zZHi%D>g~u($sGd&8&5MA-2?PDUhEPHiy5jbF3~1!R#A$y_VjJ_ac z_jGA&`-7c)^B?2YXBo=U&_!L=kExEhhd5_WS(x6;rkC&_@)v2QW_(izS*88x0nSRh zcABhOMs8CdQtC&Cd!J-v$~_(DbA*o>>O8lE#?zR0H0rvZ+HkG2Bc48~zbQaOwyDdW z8YN8J3}fOVWM%oIW)h<+W3*4Hn0Q6o405FOIrpW&7+CESiiOIEoIPu{sM4E4nUWM4 zboPD@=i?&{ld4Oms~^#rGNgC7ZzKJTdpdZdwK<9E<6YE8<@&8s?q>A|lD|biAO$+) z1NGn^p;df=)Xd*8&ZKv8Tr|yy51?tx*?z*f9xxB$FR{L^A86AW!q30U$iunRSo?vd z6U)D*3ybrTeWzt zwQ6art*zEewRc;!UR$-**0%OS&kDBh`~JSqd!F;0=lpa2`1%kxGt5l(thM*rYpuQ3 z`nu2IDH?8Xar}ALcaj676-WVHa?$ zw{g1mEpSTjJBXM5P&!NhSMQTt%6?$5Z+*^bJmm(ha)TLt;J3G9@( zt8b#3tf6wJY-Vb2*Y{UH5*vkYPpMd1ExrjJ1^R^UfpMtw3xDr(?8iaQQn~ecwPA&V%tbZD@g%z|{6+(DuRaD( z6n2uPFLrIFZ6Wj`1-mcNxe5_6rZ`hR{c@1!urVaP?SSq`1o;N?)^Br64EAlWX;y@? z>R|Fv`zru-qx&O5Av`D3{bZo^-9lg!5j>cMPU6YTxuUo zey@2%;+c|`O%J6*t-77`%yITCW5yS<&cy-3;sCZK4BxfirF)p@{c$EE9j-xB%XS+5 z$cC>>B0pDC7<4n6K@z{>SdLlfNN{bkOmc0OPPFgnxNfj2K`;B&jHc85Qxs!sYv`S! zSgpJ444Yavxon(g5~+75!pr#|pl}WOE7fskL-3&fB6G@2#ZA5~tAwN!Dpl7(bHQ#*PS*mrd&2mosx;j&oUn zsnbFuFMEQdBVFVL`E*ZKiDwRdydPVa$C`NE?{WAXPrF{=-Na8sFguAd^Z zW07mycY!}Ik*T`F{^5nu{`9Uu&8@1D`~4j0sB-PAKErZPw6IyaQiTm_1lSQ z!X6HX5;0k=_y)eOdrR5SOg=)AYZ;Crt!6ccM~Mnq>pgvx?xx!CMSSP};Q9N5=_IDp zp1;?g&mK|Qo_=tUcO?sazS%#bHZ^0ft+TD5rmX-idGLsy#@uLaEzl*2>@j8AE;QbF zhxIbcr_fP`+*9fS8=HV1*ACOvvaY-IT`gT06b8=1Nj|5_nY*%uX43~YE@e5j;kEvT7mCuB5T*mvG=NoJPBip! zACkUfpGs=(M<%dql|)IyC2(HRe!(55=m;(CHp^=(S---X#+=sY8vYV<82%8RL6-4G z;(}|3ah}rk0c`M3(FF!-@`p&X=)RJsX90fAJT^#oF4z{2i*{@!j%&7%Qp@KPW$X`1 zzKt4VTSFryO$4`niDJEL`TG?sF@Ss#-=w+?PbqN}^}cRo82v!qIbB;hU3>2m^%nbw z67R>m$Tn1=yAox*F;q1L;y>siLqXX;S1iO3owH+%vt!Tz%|tWbN;KjoOG375GKV`MsKNA`GRWk3ZL01G9~U>(UB2`P+*@4N02sVo{|qM1hZ(D8p=} z=~?aT&Z!EM))IvCEW+x*0meNMI{!eHqD?QkY99FcwD!LuI@4u^=@sWYg@{o?gmJ%_ zenw$QS-ypj9NsB!pJPcwQ@{OcOwDfu>jZqz+<8;S^2rK0jTSD+B_>m>W`JI8ZvrhnBtuPGNQ195L5^IR7v`CT>ts)LPbNApwhW<3T;@7q+?~hdW zG)F+Eld?Lgj29v-i}}~+Ln?4+=8|-WhWY2G_ zS-Ku%r@T**yiX#RHNfmq@{5+11?)1|<)$g*+nx>hQbQJTii&MrN9Zi2%nursnGiG? z!S&OLm@{p>p}M2uoMks*VFQBb!TOB38R*8$pTphLr2tJ|(p=HcMRz(_vx7B$Mv}kZ zAE#_4#R-IUPoUN%=4pkJC)P|+;{jV{+i3Nw28dm(o56Qi@u zJ=i~@k<@a6`k3#|+2)_sYnn?tGv!5@a?LN%ot1%XWgzO?$tBTTQtp7}^5R*ZFLi+? z+CXU*#2M;IkBvSRrvR(vo`x>%2I6N;62A;bVukcd$9wc6jiG-xLs@vmM>JT?FGo%r zR4Dh1zuI^vwk_WNr6$KB4E9KYav_6$L|Qi(?$yk(7Fg&TTFosrbJ7%|iDNWB49UAT z%5{P4rD;?XWk{%SG@iYGt~YzG_x(zdtrRu$BMh6!dn@@kd_b2M#e2(!wq2xM?5UB= zFZ{=5lSVfvXy@*@15K`JhP+^VWy1|xuVHs7U5i;J*mRrF)AwT8x#89h6+TT{)rP&K zWVtac?e!EL6Mi*PI2%Ze5^wap(JB{eg&D!@Qq7I;j0v+t_&9lG9sMm$ zZmE6|jiXCL=+RZEvg~zy&OKIBWaFRV*GMCD7S+Kis)swghE)-giyuuL1M-xwZY0J_Y-XZCI+E(mx znpW%cH8KUi9ERzZtc@Q&GIi=>ocb90I7RCU=*3FiF-7Nu;Q14RJG;qpyLC<|-ZG)s zx*~*DmFnV$wGE)lRqTQ=_Fxzn+%N>k(sk;#7B1ZTGF{0Ck5m=0S^e&9Y*-@=Cvt@` zDqS3FPNXzjEon>riC#pWFlv;pA&|XHs?LBTQPZfrdhWhE;Er29!NZQ6?)}*r=!c@# z<-1PEfFiC*?1%*RYBW8=t$-D5I8v&@|0U zL41zq595z2(`S{f3Bq`VD-ibuY}BvtFswEND(lVP(ts;9(-Xko(gagiKSH&%tsJXe zRy>PX+t@0cR<L z#9XmV#>ln|r@=hY(*Q+@#%lf;Zctn7 zR^2EieFEZty@MZoMi|L)^xk+i0HRN?!XzlN7Zgyx=NpY&Xg9n_@3={1X`+IO{zf9O;9K%RZXMcoF#`%%CCb_jqXHWQ$^U+ zs_CAZk}0}G*q9bkTyuhDF;33t7}t4>X5r_lNY6$3`>4($B)goo9x9ntW`XZe%z1Cp9skOu_%jJ`ARVQs`(&0dc1~Ll}K^3atw= zZPyG+C*p_-d5M=k8zrx*(PgRX^TY;KLqYX0U4%m?Or-sTjYn)I=>llGn`lWi)q|+| zJ;=~PO2x!0c(LY>AYGf2_<4DK=cj$kKkd64`8{;1OzF%o#<8sFW4g&e{&AuZ!d2K$ zf;-;f`BqIuv+cO)b0S4I2)1i9J3xpX(M@q!2X$jt())#p^jH34L8A|sk zp+6v{?>Z+9*gI)}<{^9U71K1fEezz#FA7CXMJ&Cwx2g<6y=Y->;}+9WO^uR%H{X~L z<@#ytX_AexH+*%W$^&xE{h{ZT`%5EP_;IUpx9L`r9sBDCvDzYryK%kY+3Md|y$;8^ zmKm-obr+*WE}&zxw8k@y=&MZu&^#lZ79#aD9?>3A@nO`Ms#P{Te$!?F_^ zXiF)R=aT#!{%Z3y^Nv7>_naeqr7&T`HEQp^w5A_42^6mG+|;*dQ(s+?mi}BpA5)uN zlEz$Jz$@vGpTctu_moh$-}Fd|!Li0mD&sZ{Z`U+&noA04D!<0n4UhMMO9$#6lUNNk zg|6N-I9#aKe0A|&B9pzY%RY-A<#yaN$0_ejCf4ES3L+=#=F)6dvFmL~$sX(Bh7C2% zScBz|DGzry4+`;|hsZ&`(0R!(s}H*_oKG~4uE)dDPWrKbJ!QBx)E5M{h&l|*^s>f$ ze2e_S@WMbgCyN&uOC)u!v*aNG|Qk$ux^6cv(p?X zWGBmAv-j>$dtRhZEBQLlSyW|i*0Dc&)gB1ps?;1!Gc*pPKT~Q1rv@y+FQchn>(;$q zI29GNeMn{EReT1o&O1Vw?7C4@<@FK2-S(q<4=2{^gmlkODv0%-+IrjdBL55DZ^y3? zeNm!$&j!Jby;6Uk#u{6crjH#hN-m-?T^y;F$TJY#~}^FLDp2#-MZ69RPwY+Ki2twwz6@^&e(}}l&*yqMbV>L6yHh*>jMf^^FLw}&6H%r** zqm`$W-e98#2I(H_G~rRYFQeM}*N@emHGXxG>HNiR{Kc-RR#%tQ|KOQ`rj(WPU)D_Z z@4Pw4adQwlP7my6Ot)z^Dd@wYc%4)w+=|5;Ti1cFqOpY@yUZ$I-OTIsftRGRb(#de zK9AlyfGO4m1!sL|d6}F-*D{(xYs}}9==T8}T-WN<9ZV3zId3f8N|BRv0lluK(0>JL z|DzkGb(eO z8fTc!QU>Y^oFYkO9kAcc4rkSSTPbwJoJ+diw2#0gCb#u&kOE@j>AUm6CChHNS4`2V zM(FNqv*QTRjPc9F{@tFQnsZe4VC3w@OZUxg%IMY@w+Om`AWLe;hsgWF?Ioi$u1CB# zD)AlHEV=~h`jMW4Y+;aRD6d8C)om=ATh%djymrC6AT9Y6U_Q{o9=Y7c^kU`+fhk5dlCp9*r z26?L>Aw72L1YeqdSF%gj-CapB|Gx2WN_6EZNBx~Z0zL6P&3Eoe_&gB9m!JcAEL}Ht z(bY$5Uo1aFC05mroeI(PfOPwW%>TNu>vf_$V|~}b$*795l9EZ@uIv+tL4^?7u8f#} z5f!cjZo*4|gSzY6g{XqAQ~!e!T}+1zgsy9WYEL>Z{SVG{_0j_uL0s~`hY0WvxGsd9 z@soTT<~|kz@uost@l=SE@9L#**F4rYE`0s_8y`Jt0MOn?Xdm$*0;elu$(LBLa|kMPYV-~GP*!GAOU?-08u!{JFTLsY468jh>-{4>!Y*bb=Tn|^}t($*(C!qh|C97Wf z^3s147V!u6SJl)#Nw0hJ2f60%7l4j^>Jq@b&b!!^UH!k3t)y#m{WE`HZ2Yfe`(MfS zzmo00X4L-LlUv5*aBn^-1@T7MBnBj4R|cz3If3=erw;)%cUO)r4pDbi@xmrbjibZ5 zmJ)&1J5#!Zzrev&Ps*Bc`A?9aA&`VjjS7PET^X>rMBTNN5nf>_B4&y)fS-zjh299S zBt!8^t{}v>)(UKz1rZuV2^s{kZRBMx84to-gc=^>Tix(;LI~1-P2{1F%pVc)8ZPC| zfGY1L4(e0!5T92A9&DP04~TUrF+!haslp{HUmX=4YI^B5LSAvOHhjE1?# zs0lOpzQmD;xFE>|6XLioG-qOgylN`R;l&I`R`b4Fx=`j2r(LS z`dD%tp2}=+rQ;Tcfso{nfVOo2%(=Ai1u`p5z@!E{?fpzj_*#Y-?fFVDBkpDRkKp(+ zhQsUdPU!tW*mxjD3y%>u+P;st-gT`LH}G4T-sDmIkT~SwbcYEXr~S zZy^4I>}`HT1KuFc#molyiw98mh>!6!raSpE?hfyJ+ti;=8W{kdmFJj0@N@V#Mvarn zY1qSP;9_8(Mu76Q&A5i?h4XL-pUH%nGVv?$CMJTz*-Zzq182iMCj1J{E?fp}v(OJ) z=8OAeSts#1`(g5R+?!#EF()$dGy&@EdT|O9LYlEBbr{}=^BEJ)w?Oc;U_lK-F;_7T zTY(>cF z+{PQSBJyheAil@MaSw?lfBwch_-OkGm!;?>q|*ipGZ3*{sKw-2>;}5HaW`%Ok(luc zBHxCA7jKgBEdrEM;P?e|2x6QxQy+pqg#nUFwq$>X$QgLNJ}nDL>tp{B88FR&WZd;2 z?uVfNsA}OrF+p7-z^AM}ksD!MbIf-PGuEefJq-9^5p36^b3s_~G{Q1JIpH6mAeDhC ziVjjUY;XvtQHO?Ub>R_uLu3?hly~EzP3G>h7>iZYBUWt_;(FS}_=H49Qm^nST93hKV(I8-5|%Ag4c4k>7tK{HpHu6iW&jm@8CvL&*b~QLd()zT z(mcLl#yGDkvd_YvMI|gAwv<~vWbD-12<_11C9{W*A42*H0X<*pW2HP!!UwLKV1jVOna1Ru@GNo0KvnzE4u$nu2wS^PI^~ z51TYtTr#9KEk)Z@p&iy{A#3fa)0Cm!(Jcw^(yRNsr|8oLZ)nOIX^tz4vCN#O zH#DsBc5_sw>Q~Lep8DoqqC2f2J9#o*`P0*wSrf8OKXux$Bt@uvgL;azkqvrgnr+Fd zh25>OgG~jM{wsPutD^FA>Nk1B9uXtb$eV^CuMW!&m1Qc>ta+vYxM$NIr@h42VlKfZAKrkTAb8&*}s z3@?eEF>aD($;cIRBBr_m735UlO=LD772mk9+p5}Fve+8*%;M~RJegEvu@0V&mMEG|P-Puwrh%oSXNbbynaj1OC1|jOe-uF5V#P`M0nF)oE1=gny&3mJsCE z(xN^{pa^?Q3yDxm%NF-A)4erM-uY8P z^ODT`=IW2J`F0ar^m_64P?HMw2W3>yf2%n(-=ACS_aE~4-vwmC z{wdRgH2+7{A?W!(|LXnzDLdr%bo%P(dHXTpFQ+oJu%QsuH1GN7EZKl?e*y~FV1Klc z@TXKrj#)*x+=Qd4FeoCkaUu4nSOrNAAcmq0!k;Lk{0TrWCjHSM3>dY9iZqZaXnQJ} z)bofka-_Zt&7n%xjQOKwAD#PbLftQ>Yv z!$=k$uOhaI{!kMi5vr7|0$+E@4B!6}bltpRgO3USs*&XG=bik71@{9qx8>$V>wpD& zo8g-O7X5rt^O$v9{;3@Gf5@2#M9?+Y$jt5wJiqTOA0D)l`9F{`OKJi^V@*QNy^9rYk`=JnCPazSB zWk_5hb9^b2R&awH4M_S*+QCIKpV$E-MEDg$#F&`+TtyHQi<0WT5*)~O8}3Wogc6Bt z;SNrVk?kCasL`lb(Hz804e=GTK7$*#bm^x2W$I1KPDu>_3;v{zUnNYI3zy_lFrXh4 zAOO9M5Z}jAm_9<~Q)pXGO5uPj;z0cS0M~E|cUhbnpCDH}qstIw00^RI+(4Y<#FVlY z05jJ15YNkfU6~Ewch%3dUE{xJ%BhP?nLb?~IBFnbium&=v*Kz&mH%gb#C4dzP4#qi z_jBID_Mj{||0;7_#4;X$hp10U(K7sOw3c|VhN01ydPi>&Y*@^ zM&~>ztB(a>j18#12mjdSpUc@-AhE(-_cpS7_AvY0JDE6?NX4O~#Fi5>Nub80iRe;Y zp`&05vfs{{gW@lpvgBZF8T3{@qT01rr03DY%5b?fuqa&4w*ZLZZSq+uujpkzX`p?* z@GBu@1MKvx7#gi(pG?Zp>n^_|tVo}Bl?D@1o;L2`9a4E$OeGQ5#Rs)=geVIEKu+kZ6yZm{1CFAdGCb_y|Cvs@> zVW=%kt3vuH;uGd0s2U+zF9(VdNQwodgxy$r);-Q*BIoft0Zw9cEGeKB)um@%WR(k0Z+_-32|cz z-b1d#!a|w&M}U6hwEk#LRKa*eyem&nXmRAe4www@rN(d*KNs<|bkw019-@q;NdFy| zU2q94dW7I4UMfHB-?-KAipqAy64Eh`(e4@#@YRLYlK{V@z5w39uBgvHp9`qkIYPDq zuvJjlIlUWsNoLC)iQqZ4Fr6a=(uCuq5wBX>t21h=tiykVJsB~UX6ZGB>v#v zF_h7^-y~awj6iXzKMe_Odgd6DWbbb{PMZ&@u09erA(%wSVFO=O?HocBzg3D`Npl=o zP=V^+?#Kre>iMLd17_cRAsbOIB0H?~@tl{=QKNd@LB<};OrT1JzsB%;bp>h=IQ%Yv zHqrq=E`T&vs-#?lA1U;d@n6AA1CSa3nsxjhAdNHj3=(n>tDrcYnAg>Yi#DhZ+Ea*9 zh?$)5m~+^%*gzt?F^4g`NJEjrHpZM04v|SlM$7E6r4?@xzQ-3f z%j}H9Afqb+8C~`7^dp_g}3Gllz~KW!&ONh}qs; zWUdYZ6@PtVlY1t{xqXF5EL6$FFvP?%BtXwIAzHgM88OZbf7@L$%d@QdsBI4n6)Vs^ z-LInuAic%ecLySla56#~$CegHF>@576CIFVS1+#k_} zG!l1Ru$77c=$Z_}!iyc>1pBa52Uxo)#a>7n2y4^@41)yl$=%3w7*KA?$;&*nKAfd| z==5D52$Rl-l{Huf(1(10+bNDmt_sP?6x5w2TTzm2kztPVaDU5BKFQqMQ7dDT|GZf_ z5ZTXXZ9wtbBHPm#J60nA%%h$znB@bfT)6TXuHr zZwu28IN@au(kGRS%7^CO;^}6v{HYU>A!=~`K9UpTsmTKg6KEXNn69Htj_#J<#! zptP=56y`GVS^G0ZWNamiT*!W+P{#~{pa^WKE09q3Xp|j{xbap6g%aG)9e$fu2BOo> z!BD}FT)(UtFZ$rhW*g&`x+qBAGJOfKloJqt8K!uCS7TXD=1DWP zTCqDR&EUfA)uaP7!8w8L_cDL+M-ConLiVb$04QGjycXac?nmk?(^29{l%NgFS^}t0 z%S{!Odufdu?NBHBmCeR@(Q;IN2H~N?C6n6+buMnX91=jXya{gC>AX6+G|Jv+kHVPQ3cDs`h;}ndEO-@Z zM^pCVot_}Hb=?MEkX4+5MW&w9WVvC?`U9PURB>)KMTIiJ84;mc+p-QV^3OoyA z{j}`@KR%WCi?x6T7(x*A}Bo|k71BtcBbB?P^djPs6{e}`!hKfctAgM0>1MsN)U7)1lQ~R(LwjS2)HY&nkCZ?s9jT zPjKk$!^m(?A11-}9q2JZaO-8i`k;;|#z3C6Z)mSDC#zh8I9nsd2wF2gLVO@&zGQl| zUZ6JaO4p`lR})wNbh(+C_R&E90otcXb|wrLvvq5zXFICZxs-c<#i?IAnlS&h{a3bC zPi~Nko7RgjVM(e@5SPjLm!JoEFo~@E+f12mfx;ei*l}mPnNP?a3VhENdLUb5%PPx7 z^Ew-Kn8d5o0j$^XbEtMi>nwEFS%H6I1*(y3{1F?AoG05-()T^<@Q_7w@LmM z)5E#l&+v$BO(TC1Q&4-P_gnr4ra!rYn_N42+aSb@kOrdF&Y6S|g@sSB1JCQtAU?FqFcuH;T0~{^QzbgmPqh15m?O$@t>{s(e{4r8_^z?Dk&v za`Q#T+ac^h&hPx{3J5DybIrZQ4M{vEjzacU(;xaWXBx_r_prWZA<_h=%+?2E+n%{k zqvbs^^Ndn&VFSt-f#z>Q)Cl)M^J{^41e%t+ZdXo)6JXmubSCyq6i_@fL`Wyh143=7 zq)Y0cMv5-E)L|eM;xr`Q z8x3HAVNw_smKG{wLNhcn!%2mhg#egO>zDP z3u%rSnE$cpMTI1tzX?ltJq>nW8tJW9fqYZTq;2+JG9UQC>h49}@1X$*xqdR!QSxcj zOVdP?l=(Z#W-}jTJcGI6_7$WqV@ zx_PU>#5Y@oLx_4`?2qX2q1N%y&9!9lXAcXGAotehqs*^m^O*PORT1Q%yi8R57pKhY z4k;#xnIRoQO}U3^SBgI~!WNlrIk{BY>^>y+lGR^!C)sFHjm&kO zmU6jNcfh(dRQMc4n!Q2ZnpQcyWj!#qbs7x8!dk5`3KiDP?2DN9m_Nlt>~3ytM+0Hx5@d)9Kl+NmJyS*0U165OB^E}%19J7^L zn)eIZ#p=g44Q7Ov9hH?Rw_00YzuR?E7=cdA%PU6O5c0FU^8hO-jzjLn{4VrE?&9_c zM-DdkS6TW}6SSd@Z?Lr9yo*e|CN)!9$Gh0sB(qH=$JehvxD@_fjPJ*PHnKu&I&Kurk z%|&`PCA?KeXeSo(~Fc$~~xXk9b{%%b{=2A;(`bVGD9}${d@K z)Cmkf>gQ?oXj2C;$KCguI>mYNgLibbW^R$z%Zz{2Y+Xbd!x-y41>fn7=5m%70hepH zN!y4p1dl8C>ukUC^Bt9#{|s_3sDosD>q;1TrKoik_buqV zV!98~TAIRNVj3zyM>aF`4O{&&#_H|`)Yu>Z25hX8l-0k=q*IGQv+RQ!VoD>?r7x}Z z=2k5lu45z5-x4XzcL#IOL5|~B!1`_XWss5?XPRYP1#KtmT`VN zbO6-1?J!(oWKvL50?cO*_>Mra^qg{MI52L=XToi*mhgr=xMmY-$d~%ryDeXw$6+hB z`HZrd8wJekzBPX;+uma_y$hYT7Wm=m6n2MRLPejtno zp$x{4X>@P2&lf%pwbt^DvlyFUO^kU2O%I~Q-(?zB0i^yeZw#{ish!espsmUNu5Zlk z%|;m`(bbu#(Aiz)(}TZcW{ShHAjtsy^BEysR^fuR_P9G;G|Tv7piGTJQcaV`l0s&K zz0(EcS`GdEkW7%OVV?R^QgxvbmWVcRnL5mV_*QE!bC{`g2N~+S)$K5y;ueUIvKbSS zokVbBD0?OJ=WFeh9doSxy62_H@^+%^Y}7ofyeBgMqPm)juIVO{?mi9)UmhpEjrm88 zN66A4HG(*PTP-cM4+8*HsfN*(+vVbVNCFT(#kp_Wr&sSwE-`(=v`_;X!TeZZS!#_; zq;|mjU&$Me?2ExC=tc&+x^Y6mO-znBzprB!v+-dSAdk|73iWXIk-Nu{v-n$vY$YJ5 z^0z^Hf-mq6tdE1p9R9YwObC(#26mX3jU)uzc^1`Asr}6M4e9lM20COuYM2hqMpQq8 z)0MqU=GRY`@;SYourD!eQ(1#3zUV|RF46r1bZA&X63UHh%F_>awMpGTacGlkmwY=C z6+U0^EGmqv=Md@qF;F;#rQjx;J%;>V3IQXNf;rBCA$1V|qkjq{Dfjn6vXTj@J8gYV zl@_72<^>7+z?9L4J3vOw)9V4TSgJ3$A(QM)`yDMZ{4I>0^)inaW|0@U+QCp}D5+gq zZ|~i_(h-NnaGcc)Hs5AcJ#2wvX52!Wm3|@m18cO`6UfsyGBD^LL=i z?l@!(Rar)NX>1j1+ZSkCTMr_CCnRbtqKc74d(d&rpZ`JkrrNd$bnwYwuLI>Oph=c_ z;0U}To~rg_pLMeZ$my1ONWa=c>1?*sLf6Cy9CDCN3QYMth`Qz2o z#7{8~dX57GbO)m&caUp@Au?w*Hm8MwR~M>ZJ+zgB%Th^&+1()ANLT`1!_t8|o9TtI!N?zi!P)90;F}cYfG_cGrkRaBiSfcyL zTFW^uzc5xPM!8zEL^m9+pG!46uOV}46sVW(#rQ7zwdR+i&2z=aSh6?~wmlYFnc9KY zp$aa9TV$j($qj$bz+1VAjw>=DMnct4p0qgRe$U(zZ1~6xKG(T3@SQ8n7V076GA~py zFBQ}w3vb@8a{R$!7r=-2pSccY7a+XD=SbX;x1Z%o{Wa^MK*vmZ{aC$TOh)x3`iSbiWKsQihaOp9QMFbU?Fg*@w%J{=mUN4Y zXI;1*n^JX~j-M(Y!uSNw~67XaY$@wV4IFMtGQKeaG(%~Qx12E)>8 zP7mZyvhO78OEU_H&T8bSM%2RMLOMi=9&gDEu+6s|l}g&nZKc3`ursK$(E1FCH8MzF z>=Eb_%K;$#cF4p+nPnsCJ+ZY2+*nfu<8r-um%^0}j+|98>1An^0Pdu-Jq_MGgQV6D z16c1gtyNdTC1_)t1GT|f%Y{9q57xOOxG9AKHyjMlFJ$g+-G zEM%h9(-F7Jy3~H{HS}!_y0@kA@I1bwxbsSfypv5zWfkf-)>k)XST~>)R+RUD!^0IpnZXOtw&NG9G$~be#dXj z;jDnjzgt!lbSug}@loirO}sLbYw_7BJ?Lrb^;g_&8}wNxYms;5Io(h5c)GMp*a z)}@W38DrioRPI7)q5igG_DH%iANJapX%~VUa5%~kkYk2j7>+)F17(jzD%depX!3{Y zhN`G@iin6!2tSQ#(ts( zq4vAXS(#{%^|X!}Zr;W|)>2;=|AOr14?>~t6KQc5iFR~pn>A>l6?b#}$m}Z{K;{;` zr__(|F5sMExuG765Jw@d_Y-gX?fTe#eA*w#`R!2Z7x3UwAw_}sl#6ksunU;ERI3gdgq($GM$5nT=D62MvbAOxoT@AeWy zY^Y&XsF_jFW)-_vsZUKC5@383nb=V?2(?eTafN=U(vP6-f!R0a+EXZ(HxJ`FeocEX zQ_R5pG{Xt%-Vt)46mDpvVUdJgMBmcH{|cOX2E1CvF&ef|1^VVOP&iaF{wQcTOM|3m z4MmjrG!j3d9rF;lu;@sVDIm|f1FF}V+f~Lsdd6?FEkmO23a$G%ki1X6#xJEpsf%Fo`cq-<+b{$C4e_Lqh4{r!6pcve z(?u*r*<}Ez&fl*+DU>49MNS7+atjZw<9jR(g-y=$t{QuVAtlWGO|17G6$^FGzz7N! zF9bsHY29R^JAD^Q|JQy&9?Yx`6TvBYvQVTlso#7a9Z~_|1kFpf0S5bI=|Ng<@GcuO zA!ET{PyjF4zjrLcx=op6_vZ85lr{z9v=5?e!c9TtLnaF<5^-+hH zb5}nD4(|tO+YppH)%-_{-815CYgU z;beHdzdjtu5m6ri*4a6kPA~!!Y}Dlk?`Urr?=W>Ytnnk3_Cm?GT?P6zj$24dh9%|l zFXC@9@fKo}ndI9I_sENEF9uwHo&ax8X}hf^txeYQn7<*cNACOXO_fkg_~YcXvB(+~ zON?tx6#hcQDG(=TD#s)H8=1&Y@6KJo91<1=AA1T_k2fy~!T7>U=)i%c3z3i|vrbVh zh0O&W)*f^G8JOG(fBX<}Pw^MfU%GmG?pWcF-)5QZS+Z)gAG3ngmix&wll<5(^<*zk z(nz`E1X2I|`T1bSc_Tn9K9B0FplR@{pTuaZd2)V-)iXg@gmS+i`Sw$f!|!y$j)HIe z`7A1^u&EH7(;+nBP`-7N->xl+V$(Coc)vKFoecrT?t@Md(Q`qQ+=<(f|W8 z$|=aiWmwX<`-_dZJ_pA9MBL?8&XZ>8PeCxk{8ntZPK%3>1nx`wdJ8Mji`r@5cFPR@ zE_1YTv;9`)TPoM@`g2q+V?W%<)&?@$K?tAEOkP72)h}ii3qN4;%YtXn`7!)QTt#LI zDyT-_AgVvi%q|9Q{Vg}Q5NVGV2EYz_iPm3`%hHPDR#No|!a=JEMFd95Z znPRa(CLMupKuDqV2BWhbfN2ZIURPOztGTuV%GA^<>mKl~Zup?<%C(plT<`CGPU8jz6$e z3JWMWQ_EqV{`rY?7>=eQ&k*-f+dJfO_atg(?s5B-%-31ZG1qv?&Kv`(75Fv}?wsFk z9urhJmdd9#VLU$%(F#-L4pdo-+}At~^s95ZTo~cc7dA<@2y#8|X0#dIWxz*08LxXA zHX9xnS-&)y2WdfjHT>m^TZ<$S*`aHombAN>6__mpw!37dtH|n*{~Ob&IKI zo=-g1JXTzW+{3)xZT}a0Zywgf)&7mo2^q+Q%po%*0~sJ@A`=LbNCHGbL5CVNC@3iI zqCo;gS!8hmS5&N6_g1T|)nbd)K6U9{?Ivw$tF5)_V;8&9)>^e%Yd7t}^SdX2wa?S{ zdcWWQ-rsdSxky50Idjf^?sLw4&bjZ;XJqCe!onpucN1U?w9ci6{c)=;qcM^X2+(ooMLDV&7y%0fza88aw{l^W$;cvfw% zRY(I2279wwIvQBSmD;5-OfxmcabnYx4ddHs!^pH1)cy8!ihrL1!>C{FG{SiW>7T3| zj8L|p$U2HV4=1cojTv&^VuBuLDN8`(jDv^eE^~qN%%Pg6oQsff5Hhn6wZd+#U8j)T zkcl0XlntiJYNa%yG&^ei2!*5nM^RgrkzCRtjj8)$<{^xi~2)Y3LODrqnU2;hMmv*3lm`mh3~w zYY{Kg6DuhY^gfuMWt9ZEr+c4cGTAc*rV4)=mg6S&OeGxWTR$USaGgigEUHMjmua#O zBQt)tsi>rk-yOp#L;4@cxeWYe zH)ZZcxl7?$FTft0?T{fm^APfQnR(vTjOM=4#7|Gdp&xWSVstY#t1Me_;Xo$c-@v3Xj#O-v~ zf6bTdn%H~GUlWsk8Ham&Xyk9pm_vU4trLIYmv_h+xb4(!nRX<>siBTP<<^tG`1o#W zdIx|2$mHzFJ>Sm1RD@}$^Upiwn3gF(RQ=Z*TtHI&KS-*#dIv!Dn!t1NPucgBq&Jn+ zTj}*?>3{u%-Xh&9iUS@RxtWyJrxzTdyD&XPfh_eN|7$JDBJVwOyOP}Is@fav(_7`T zDt1Q<2BO&in%=(=z~7#vtdG445eRMVP4Jd)>%TuKP_?%rkOEPNw{%rjyxULRrV-sv zv42XU_r~4|_|sKa7TfJ*`S&YR{vzOjuJj7)KeX&`Q}0y@p!fdEgZ}OAlv^tCmnZ(^ zZds*zAKoLrKRMMMw-WeE;r>jZM`La^hFb-bd!yS$@E=M4U-Q+>n}-zFZTaq zJknb~djGb-6$)?=#?)3qmL3%D`NO zQ@4el$-!+s=OTOmfy+bVd&29`yJ3Xo(zV-r+F)SM0#1hRZgv~u9z>R9aDnCccW~9; zruVm5e8r&uh8(4D48&x0YRVy&nvm-2^8iw)tS3jd(Gw(Fsxx9TPpDFoT}2RK<48#^ zjv|x;2EY%c(^Z^LC{t45QM7f^cU}hEF_igl>hw>9-3S{7s4n8KuW5V0jWjb5ycNeLIX-i zDhO9;Mi4Pjeugte{_QM$|N4HcwJbrgw+NGbiNoI7}!a~2C{ zN;{Df3Pb2uD)eg=f7J%=@9H2eH8SGwjyoL5P;1N4wWc0*362I5dy`CQuQZXSU{i=m zWui>#_)wF^M4PZF%%qKH;#pI;NoUfVI8%fv(qu64rYKXiDaK@s?-Or|7fj~(zNT0c z(1e=eOz|eGDZ$jwlxVVis5Md~f7nwB@0J{KFEr5@4J3=4n(e?1mPaok8pqT+0 zCh##PngWdTR2G^YU*|1JG|Av_mwV;pO7AKu*pVXE|RB^^c28omgwK;*}&%mw4x6x zYpc;nbeOaQI5+*SM#j*hUrg!+RtsPWl8bHQ1JG#!4863tSTN^Jc{04<99Jq4z+%kO z1`q}56mp)fzPj3u6xNr4wVk|4z2h2zh(y}~qD*{E=DPOP1?Zf~;p6Px>m7jDWSRrh z=n{|!APJ(`;?Z6%OZ2d6gujm5F!(kiOIZCeWuu28VOdGW+e2yOPNmIedzNTS$n{zvbg8ePQr!;;Mrkcn z(*!^*q%J~cH9*)rITBFn0H4llJ5Kgd#Z^>DMb`JMXWXNxC$s^yI!Qy`LHHz{cp6pd zx?vxwC4i7`@+x$-pbDN+G%wa9qYs$sfFnnmCm|3qd4Wh|?nebOei7MB*&zrz4N!OK zozjBbT6%~$7GPjnkP2Nx6XWIem>CdCoLyaOdlqoBNqb@X{JKV42N2iQm!n8Bp7Lve|E<313Bv1Nhg6Aol-K&} z>MLaw!%3~1NjqA-E(W~@JlRzx=nZN!Q!GwEs{kTYWsg%xyJ`rH3=v7!c|X^`L~hk3 z2CxYI8lWl>i{Nm-fM{4^^Mc;$*NQ`dXlLsQ)4ILB&7etT`@Sb_-V^IK z%o-6)KO{VK%#8+smIAyp0z~gBx`6yu2%?spNcM!dQW2T2ze@Ed+~i?8Uh4s<%lZ~e zYaB9@lgZafAcAsSX9fsAdjYcBhoVR)wFQle1*&uz&9UBJId{1e1vQmYGtg_o$()p6 z=mOS~(S>BI23lin!-z-oVdC>%>vVOrqWWs}>Z0PDN`pxg6R9fK!%xkGYyh0|}LRv`Q#rK z?{7IfFTVPzMsRDN|Qt_Pt8Ybb*Ab7ru%pK zi=`I;%vzeHsjjt`^M_O@hP;vg9CBM9b3frfC#{2G2M|2Z9*pe4?*#1XP8EQ6T8{}| zww!j)C9_-mop`1>snf>oRUcSJco@Pn*77_dRs23?TnE@%EXU}Ds=hqCbSCwK`BjR6G~KQOyy=YkQ^oqRRLeM zLoo`K?crTyZEPx`Krvq^`T!5-4A*%-_o)#R*K7Dk|#(Cg$p!ql}vxo(3}GCe)c zb&jOoYVQ&gg%0=q)DkMun69!Jqys_?{X2h9O+H2CwQW)Ps^;zcIlvX>r>wQPdKC;n z{FG3oX?|xZ+gF9gdmDs*by$?9oMUF_U%lkL(17a7ecx+Pe9cRsiPBKv_e3D?uJq0Z z&`zL!CHFN=Cm$!1s1L~F<3A17JOirD9@B_)YXOrY+&_7;l0B?h6QpniwfAK|33cn( zL`{IF*}H(ANq$Gxp%;KLE^97(1_RT&c#t1Wk!Iof04V`xY0nSj<;Wg%Qo5U$06(er z%*km{5C!cp4v;mD>%umaE4YD|o_w;ZUzl?h?)(R86SAle&p(W&r4LkOl@mbTxPLKP zm41fc8!%EC&xCsK(8&m?^nK9$z~A|3mKaKo!vm;zlXsrK#8d{X z13n&ztlL%iD(!k%m2jEv@De5Z-J((pO>MRhZGi>~J$U;I-V)G$)C61sI9aQkAHbLO zjP#94NTPgh2o!g3CSMgkT(?SibpKmo3Hp?del(x95{|oko6&w}3PP+$NBW!A;#`)P z*R+S6C+t9<-;C182*AR&P35UivV17v72*NCj81Z2buY!KtY;MZ#=Q{8<|0dcfEMcq zj`&c*M>g^o7_>|T_;4{AsJ7W~qLf_{&Pm~@u<)&}@SvLT<4x4#6R9WBi(>ZqY_W^* zn_*k<1*I6PlsUh|^&Rgw-_!ouhY{9SJEr71d}CBH=htRd=KR7@?5wY}ZFhU`aGuw4 zSz(^9=?UJKrM2`s0G6?R75)Yo!hq)iID%9#tYLWk@-W+3d^ZJryk_)@?Hy)fYkzcy zXr@j+okac&v71Ac&=Kc=RRha>Fn;;?GJPzJ#B-{v>iori?zhlKuc)X*su=BHwz4kl z87*BGpR(%FY7|btj1xoAGaA^Xn6qg!zKXq>WTJaLjBr#epy-t2A7x@b9~qBEvdU1r zHPmg=fkg@(H4Ee4eah_#WOB{B#C)LKECz0Md>7UQaFw%g6(`;Gz@jTU*JHHfpl}h0 z*|zG$&0HCc9^+rrq0@}n!#4cx7>rEfxx5R(vZYl55K8SYqhB=vO35jd%of6GBb+0Y znmRCtjSo|(iM-#@LM{WUhzn}hz7RZy{bE-L;c5CLH}cpeqLh5!8BR(;h!Oe__0F%T z@AtZA5O&)$xoJWfN+$<+M+?WzS3{8z>HRCnD+NS^b}TgaaqkS);d`{s6FTy1nZ%W&i?`E;l3tcBg&+8<4+)PhNU>~!-_;!STFW!(>~^5{Lmqy?7Jk~(y!Uzwdr^NT{6 zFUir=mxRwZZr(Gjvag~sDxxW0e8o8+_|$t;)roz^7gPB)(YS6H@0rVpN5JlE=gQLXI2R^V~29zl(<`8LZJpou~E8b~K<; zN6c)02Pi>=i{eNaqgGPGTfTK&P;$p9^Yc+m!YQ5|7C|mVKTz^4A@lK2u@>05`5XG; zIfS@JX-{ijQoJXa?WaYhT{m=%H+1fGIdw{DL)T1&G?SRnde;7Xkllk43K*=XmA(dd zzI%Gkb+XAQyl*@gE^ZKhMF!>EI`?St2V{14@W*x5CxsW?z%B%>ziwu&zZkF3Sof04 z*km0xP|(>K%mF%5em@J=QFY4^7;Vd=OZ?EafpseW1M5`W4HfU#5q`Z%FHu#6Q=1Qw zuL&CbHPv~V-9wY#wo&JI0ijVuICiRu*WDT8H9`FM8l0u_-rqI`4_C9l@W-B4P}oUw}!SY zz?T@Dg;|KN|FLx)K0$R8z13h%H5kPBt?&TV8-9oYApKSIytRIBaYchW55~BWe%utv?TcwnmNr-u zkea9#u5j<@xRq4bK{nwa+f|{pS7=opQ!)E(1pAz+{kQfAmdC=EzBGq)Vq(jizuH4I zh0xx(7!4k##RVMuD~<+}v9ubPOr+8Pk%_Rt)&dBwJFv-=P_DJ^MSa{qvI{gtpDBp~ z@|^7%bk*Cxxq*~~!_?^Qm7sNeQW$vyYSvrEos7f@24(GB+!+lMPWA#vnLQKygeQ;N zL3=MD27RTK$#;F+mOf4QYG;CvL49sA5ccg37Z$c*qRMzZntGN!VWNrxG&&)IOr!G& z4-fJ0w~^Xz5}mIo*M7yc3)J?6ZP*)OoE!$^plACK^QEu3vPiZs_D)2{$x>>Q=<*el zSMggW`W?dS885^WmEPe(4Hu%W{A^tmKBx8W=I+-~Hwg(1Fh63VpN8>o`Rf!B)7JOO zjHX}wH(J%~rM_;S#^iBS&7FzikErPPTskc`F&h2qF$usCZldyDY&1sjox@Qn{xlq) zWYG~o4y{BKd5s*2_o;G|n}<`gfl70unM~!M0#+uUzQpr(em!=WPe&;}^`owfboxb_ z7|y1|Dod;FclQ;Z084(7ryQ`=s!G29=6GZ@e#~H=V9pT~n@I8pHnF zC$}$A&bMfr@@$WK-qJrIegxA_tNEKq)~YssMRAWsF`bYIdp6n|+Zu)zNLJF5TYdT& z%w7p~9wgZl8fv1c7`XLJb6|4GkEWF~>pfNGS+U|=?i%NwB^_X2RFRi*pF>Zb5~+!} zA;KINCmof|EkAxKRC>gIA_)J|7wV^F^ri;(4;B9$OO!S(1B@$gJ^w4mCW_5#$PMJw znkVo@4LX9)al$hiSU5;cc+4OkXe_2{o};ek&Xf1EP z;ycUkqqtaI&WzB)M)BVC9ZI0{J}VNHt%*(Pct4eSfV5SR^(+~_FI5E~`M6BgF&0-^ zQ~-C3zm5|}3SQwLVFwdUS=+$IXoVpzKY>0aUq}7eh)@Eeyoq8yGloB|78kB3!Fwqj zdai^bgNG;Ig;8(j?Dl8LIkr;kE?lf;rwYOfCD4ql6oH*kcvmRafG7;iI}w&&HpAKd8x_Tb3K{X9SCNWX)#B z0kNEqqQ$jDVpcNo&f$3W5=~Ae7rBSyf2!V_O=~B3>t~ir?_iahe(=hswpG&Ge#XZk^Pv+;do9MjRhONJaMel^R zKMJPnIIbVtOuN&8?J~?JX3}d2@WP5!&hs^$(0XUi^v%IPut1tfJtsHsw-UJ3F~=65 zJ$w@_ENWGtf0E~aNAgx_C9KR zTzHHu=g+BC(493s%syb=^jX3yB00%^ALV|dWsP+q4uK}zzJi;mCd#?;DDsk(Chwr? zEHzQ$GvrSlH>nS(KCZ|RbO?K?rb7KCDi1{^JZxrn>bRFRG2gbPk;{czGTHs8vc8%T zAgsTV&{a} z-c5KhjLnP!m^M%S{#pK&)NE#m*NH=tsCV)v*%MX+f=9+SvV;CXJjPB9C!a?@sZ67* zxM}@r)^Ni^n~)eSEcduwzXj#*QdU>vA2dM5ebmms8pWPhp;^>Wj-n)$P)1ba_d}_j zw&Pw6+d>(C3oTqs&lE2E-xuF(`4LnmPig<0|60{`I2<1iXB8AxNfn8dpxiS|DSk;0 zlVTk2_|_<4y7FacWL>qXaxQREYgqQfsLl&S9r-JJ$^yf_Skcm@L| z7Ov`ppLaArPF7q2m%|6HaYJbIM(a0pY^A;CM=`hS*{JJl6gZXg{Z772p2Sh%K*b%c z?k`YOl0%I%xvV1)j{WTF@>ZRsdBX_~%vy%WkWa87!ra|pf$ z1ns32{+X6Kqx)AbEsTGTcC5w?;n1fVQLTNslN_kDUugUw3^!BeMLMW*9IeurW>pt^ z!(mEZj-qt)%V8#7w*KrC=AuRxi)|X3TiTY-ss%bN`8BTG9;{Y~8q)s2aJeGSng=yt^$})-QIM<=t$F>h55>p4`qye~H z1V#`+Y2sxMTk39RjRNgsr z&UaeBv+ad|;@LclohEIQS5xKn&vQ?+o?Ms5#%nH)q%OeF+#lZnPBUYghVZk$M1yJE zTvza}QhLc5!YREKY@)z_7w+DikP!*fVD>qNj7X?(HNU_31TNu;IkOD5{VS|NM~Eb9 zu|p+RqYk3H@upFe0Nsr22X4dnAghr=`LHchP8mHwkNHHc#7JWhsuZsR+WgBv6D6A;Fj&&LzFvh(>9J{-7xY|CtgSS)Rf%i z;`zrZ&kj@}g+7rfDkqe)C!trvKU1K#`!`t)^sM}E$$RhsqxrRd;%7 zm2YM4o2)lRRxXy`8?M*%wDGVmXIdfB<~LPR~LDnnj}wE zIagRDFzNVa0w?(wX#&S#SL-pO8Z$Zg$3Fa0COt3QdGUf~`})i;gCPp7qp0gQ z6AORSs5Pln^BMe^!TBan9)(_rJc8e%g{|T^^nv>rValW_?I4-(2Ja4KOTg3k6xb^X z)lA-EMdlw$Pc$B(KBD2>ukY?3Vp-mgD7I*L>GySg$ydl5{z&$e-uw+#dgr5lIC&^O znaKw0TQFtgRR+=SI!WQAP%Uel&v2T|rxVW?iT@;|5^(AE5g`ZldbjCWh>r>;1{_$V#LbLOwqMYumMGsq=N?SVP2oStY#IZae`E+T zLfl3!U@y?5-|-}$8kzHQa7)_HA&N}D65Z%3r6!kB_+l8EN|ZQiT6G5!ZEPNcTh;A8 z&pC6uR_u?DnDGQj7*8_NWy={==N^2I?#ecyRBLa8_H5gVhBQa9NhYF-f6jnLaWld? zpN)p417BTLTs<3`a&bDs;`5%%!n0^H4%gxLRrqFKV|&7-;n5v0Q$G?V=rrCP7w=nO zn-5F9cGK8$?f{P+X-MSU6k6k(;+c+)q4f5<*^w3%FfG}Cj_~Bc%0@q{IXrTA690Ny zFb*BEZn-dth~ti^E@>%lVH#1@GM~Is`2m{V{MkN*_dVky;cUqrV(e8Zfs+!5D)Z-5 zlPC9M?`UCl+oH^`3_`io&-t5xcDYxPYWF0Rp|ZcBXnfJmCQ)d<6TVl(@>jI&uW4jb zI}BJi_|e`rf!CbW6Ks+7RC=Az0XI zTw(_m*u&$C(Y)7gRbLgA&Em0zw%^cpAsG3f+_NwPD>9ZVrW>@{QvE zMGHkZM#aWO;O8_{1|bO-Y$ds8Ixe}^@y?TyvpA;aeN>HFeI#`UJFTy~ot>j0j|eH; zH(GJ|A8(OXJTaWbk!W_zwp+n=0^U5y!hOhc;dgmA-L|6ZVjoIG>u`6^~EH!flzy zMzCMA7fYGT;>CS`cn;>LT9;b8jB6==G63x$FSmpi4{_PFbf?jgFl{$pNQpN|m++PK zfb%0Al_g$B2IChA_V)g;k-&YZM!zLAKxaeLo0Gy}B7~RcdeX#`Xh|D$;DqFT+M8yD z6)1tAUN7Ed)4M>j{qZ^&JG_gGOr(> zLcGjZg?k2ZkB5W}YQjob$89#pxL9)es#)1+LD zCvKjPzb_7d5D8-tHFNQPZmmxG%DEqt5rnsGjK*6vvmsrj=&H7{)i$Dn9mi&^CGf_$ z=$Yl-TG+q>!*!I>KNB~NSx5L*eE*zuMrejr>PMJ|w9v=gtKd)a_=eVM$KMa(J{%46 zBbvd#vD~*KSY+aLT6~hH%9W-%{PiFeaMqch2-~O7!B(~(SaugSK9|vYq|@hoRb}22 z?tb3Ys^*?n<3%d#3ESuB6152Iioxi&nk&XtDmQH4i>H160+dVT0DELVKBtdha_%Av z8hN%*?N~zJkFxliG*Z!3?2o2T=Hrt(^Ft{pp8Ta{8hzPdGPAnoJJS6`Od-GDj#$Cj znq?el@EO@HDtmq~n@bA=9DQM-i1n%H6U^}RdxNBL{=>+?KEvXzD#C|7G;DvpAU*!q`EPaJKRmipoGe?jsw&* zn0r`?8G5Aoj`;MeNN5sCw}DiX!;I=k2oidY(9aiN6s=@38=GW}EG6vJ+aBs5ok2g>J{N8@>dL_+^}L$3nbH!jXi7JxRq#I;ZyYw$L6 z4<~VNYkyY3-y7w-SE&xV;#u>W9=8=fu*30N*LLNs?aI?;Mdw_+ zKl1nrGIv_SOr4PCD;M^;J$$qZ7WG|8j;R+9;Yq6258S`w+F0F8pkVaXvh|Vdd{^@f z=?OFeu!a$9K0r&B6C24wk)*Il@|l=DSjpHTqBs=FQb-44xC7~4Ab z;`b?HK3kZO`zd}(ZL0FY%&)k*wj6JnXgPp^KIIAaWGF6}s;u*|Wl2g?8J^k?_9vo^ zMwg1M$-TH%SU?UwzfyW8Z!_(_d;QKJc3`;U1F59_IfGBQp;od!rDi* zbaZTy&8}=f4W>LDtJmC&Ngo}Aws|e71k7<;i8{-Z`J$dri=uYXccYKa=94Sdz3a)1 zv495}$`Q+`IrxUT;HB|=Ltkbn{vyh^yR8}3fc^UPzKiZ_>{JSWF^#M6P}6a|ntd>( zvxt_Lv1&tR zrvj`$wstU4*SwspO>J<$==~f=YCQ?~dktHs70$5Z!mJ+<^Q7}lpIhFce4E&@Kx={e zut#*{N!aJi#@?*jurOOPTNs!60sA^_JWP>OCJ#dF8%1JE8H{@4_$Wz*DkM|`{8ITXW}YJ?4* zJGl%j#`zEMLonOdEY9P*qKHA$ie8yG*l1K!^?X^x>5Tq(C(h$TGOKCl%SZ?jNLVxT z)H502vPi#ajcR+)`HKQ2Z%HSg$HO!v=l(H0jS%dG8ElJ7*yPJ@ehObn&s_<&xx0m1 zPQf(Ku^y(ng{9~Y>%+$1nFgM`TYMWW^mDm8TPbT0uB7}?=rH!AbPbl+!4k?%CD!x_ zArd=|^DfC9#`dG}H7)CsIKve2)2rMRmYbrK>bT#MmEJnuK{?)I--`8y6lebF8{AjL&KYVh4aZYQTZWDG48^K+X)G#9%WYJY z?iMnPt_#(bW7nLI}LEU$!TX&q?uxCi~h(v;+-F1tfIpF(G-PS@lh zX^$aO=9+bEG{2AA=PT_;TpyaKV&heO>@M(3u$zEFS?@XfP{+zAwvJUw75p;Ey&K=n z87GcF2k?pvHdx2~s@2JxZxs!G^-m*7E8(RN;dN=;sqw@J?p?`$H@@G1OViCf$Gsn# z&IDOD^%2^yE(m28ghCGx6gpH_gx&ou^nE_4T zH+|Afl1J#dY$Ja0GnU9}A43cL76*Dn_*KY!e4}v&J}9- zIRov3{o_meN@_IQ8mfPg-5YU!6BlJ&@e9`3IM6SSnxb_F}H+;)uO1q)y1aB{Mk_y6<5Ejmkb-PC3 zi+hZn3`|APWb!>@3*{ZgUEqtKQk-9dCxoUK#vDJTmoB#E9v?)U-_5=rYI$DoJ@Rv* zBi$ElZ5KpwDVov3<9nm{E;i%2V@Jt;E(6sxpwZ#rZUIPT0SzOcspn}+p{YWtmRW1a`5YgV6NQ!2}R z#xr+-UxT+&)Zun*!@)+EqWQTjmx6toZFz_5#La2OFNWk82w$yztWk&|*OTd_8okb& zw8Ca_6T3u*Gb7Md^IFQjvn77{4T?F>W;lfO60R$Gx?mE{DC)=nZ-1iAJ_91D+w`o29aoNj`Rqg zC4z(h1UvlRFw65+u^%252Wt%1vWYr2R@eGb)2Ey(p)wH~E`BJKe^f;}r3|CZ>iR(G zp6bNZcvE;$m16x)*wZ7A2|z4lr@!--Fb`*aqpCckoLP+xqSFC34wXy0jf*4m!VBD= zL3{c#E$bkaup#19FxkK9k=zO6-&L~9wX(llbLPU}u7xF*g(bKpwB+?t`p>6%a}%#KUNG}nT@zO$|%byp#c3+V%2bI?!xFv59HkmV?S zWJ<{w@95aRR4d8aRmLYMDQ8}r&iE5;7_@3Y1aXzWdxUc_DH5zAG$EIDPp`RYd{yP1 zARfMwN-l0HHZIhlb<~*FjbJC`(~oaUXN#p}yh+M|)%QvEKZb+#dSP2ky^rGk* zDRKuB+it>gUz~u%g=Aj)5d7{?CHMvWAc1|@$9Osv7R;ULT7M(Bd9iDC$Ai@p!V>II zRLw4(i`ypS0yR3_O6l*Xe+Pe1en+@)H#2y@qpn z!e?G(Z99cNX2+C@ysFYy#WwfBqX#xk$g?W|3@6V(B+OB1pv!7t6%0Qm?$lJet#v3l zN8D-oFc!UO{hoUE#3b|6TIsIz3?09OA)_i^V{MfGbMhQ4JAT$Ej*KZF{6$Y^pf_Q2 zfQ{qlVsaPWN?A^hI2BZ*LHBr1;Ax>(244*e<-$Ur`9y_3i@}p={E13PWo~GS8%$Mf zW(8ZPYc950#qH>Ed_aXa=!CnBS)+a1_>D23rLQHC{l#$D1aCb8mfO+N<2Mx21wN6@ z*`_RdbC!K1_C6{U6&c+yq332Nu#YjPM?^SHB&zxO0lF>C_YZMIYaXjt8y`t3Tq2b% z|6=;ppgb-p4}Z!~UrNc%R`&fwe09p^(^JjW9DdjA%F?wrtiP!$s#Ibfvo5&l8d!Yp zlWiaIA6Y#|n>~16AGRu8K&RCJ{%lT`g8~i-c}>&Ia}wKL@600?dh6Ny3&a=mnO0I< zoNGIFY0a~t{!HV$JRjO$U)izIdaWsg{N8?{ulp5Njeq@OA~A{6#~BY}ylgW4xiHz7 zt)?HD9BQ=xvp?QI36<a%v&!tAGlT{ z)#V)zb_xn1=jW_od-hDI+@?{mhW(9*UX?zf-t4qyuCa*Eq7~_L!uc;Wxt3>EChk`o z`!Vh~VRQC9?57t;(mM+^(*0x^PB)+mdw!7nCt#o7H3lCaK+MKG%@wblyM>IksjS!B zq|*NMv@HIt2IoW}jqk8!hE7V57M*tJu3ikoE}mRMJ=e0wUL0D8xChekF0GJg9-;9r zVMl5F3)t1pXL6>qud3`~sC^>Bz&%jKM$Toep{`heS5t_+34Ca}8jS^wM&ml1>&!nZ zTo&h9Q@vRUhgo)T=+&P_Wxk-xebAic`}2G57*Z5RnmuYROpSj? zBK*d$V)z{Jd%*KE%(LjG5NkrSN_gtn1m3K&CT-16OII221m3mY?O(t@V@Z1)Z&Rar zu3{Bs#~tYjOP4qr+W*n6yLwn;;qN4Cdsw6k_fX43PWp#<*{yWHcIDY6Q|8*jse!IL zL;S&_<;s(6S{PPxcmtjG5RBuhXvunZiu4|Pj?>%I*9H?EpN?Q)2a40=+8UQXIXeHv z+;Vb*R?b;X`Rs*d`aye(e~%gCv$EsSW8&Pkg*|7v<)IKii|D3Q7n z)5R^+6g`jt1f@bE%tt(%5B61_M3!_L*~oonqUzCoL}EtazI}6F5vK43k3TU zl1qK3AWGott?&DA7>iP%3#~S?VNCN@_Nzo`KQ4?$E1SL`6J0lg&b=|8dpyGUS`s@f zSHDODZhZClA8SPcr-TXT1%MA}DSTXb(YgdcUft|8noRH50>-<|YTneBjPd3P&s)b_ zEe|0gL?Fo?xxQKv@TZJFIp=HmM9=3a#gdLV%x&!2I zj~DNbqL5F^0SP8KT%bD=;P$u)xD7ntOa=0n={Amf+2=oia}gkUml@)Ff--J#*2AGd zXhk>wsGJ{f8LTFIO63El+PUz1W^HwyT!28R2c%wG2afH52#-K+O?BY5-kpAL83WEK ziGdVkpZkD=iV1E4ce_d`JGcV|!bEyA+?#MUph!R{37}vEQm+8Np9()XZ`LK6l@ zlO|jk@QJ&n2vF=mjY2U^zLGLuojvk8_!t-a;rSqq`SQ9-ec~xG-B1E(VS>D^H^O2@%juh#`?n4ab195&{+ii6lY}U}M?TGZ}+OoWTBaPhmk&y*i#K?@&SOs7*9g zR@c?{>T`Eefoa;UH}(CZHE`T|g1Lg&>C{$pz?c6A(Vz zy=n%o?367VQ3271?f&RpvU0q-4J-He0Sgo zr0uVTraZR{Vrbx?+=2p6^+9M;Am_JQ8Az|krPo){0LlxQka25n7Z) zvEv-F+<50hWO-r@1irb5`2Y68|LukU+YA4<7Y38y|Np)4-$v)2PST&#j?%x>4JxrO zau^N0bx&+=x4{C0JF*iettT`Fy)H2DYYpJgPU>P}HS%DS8B35l6ASls6QIt~r$=M> zB}eBXy`fn-+?yUp5MlNVf{I6D?D0foV05#G8g>Q(Gh3MHs9po3n;re4Zvj{Nl>ypP z*GeM5_la0EfIN=|GJ5dnt|}4xGYqnjdb@>?-9CL;7J}3Z4rUNqArvxN2(Q(lPW@g| zk4B?(W#a-<(hC!i)qbZ!yvJTgkc{xWGoA2lK`ji2Mxg-# zmQ-nneian6CQwZBUbF&AOX{Ux8NIbUrwJ86)Z^nhlmfC@k>RD@%$Y1_tJ4vKI*D-m zw?XI>)g&05hZOp609ZB-ozchX&+A#=aVON(a5RlsiR!5P(3_5hh$BA{CNp|64>9x# z&pDLKn9%@=Lvxv#)ITz(6Z!+2)YK}e(LS1xzD4!W9WM9Q8O56dE|-RiHMtrWP_(IB_A+JU&m9`Hm$?Cj-V0kWQu#?dX#W@^FE)p8;r3mGtC-geh zfLiqoOq#k4UOP-&zY5b|4Z95p15Bo{e*=As4Cu3LrON@<&@EgK`SJUpAovHs3{*=A zqzF=y!67P29jc*mn3iF~b$TuWMH=|1XeAkA>|+wlsBbJS@|L*xAgf5A$b^0&iP#ol zvD^D6B|4nRDM5Uc6(TT0BV7Xq3g)zQ!=Tvc!F@6^DZ>zMXt0!#rMzR9+MPW-X@nzNu%44s zqA1Z_R-O@2?oXYSoHAizLCNemLq(-8OgEMH=6Diy`e{XDDypi(;-`+BteI0&TUS4K z#=Q9>XD=vj$e-HBG#buNjB6Y+Yd{I*wnQc@T%-t^=qOoSx@2jgc3IPMTwGl?W5uk| zD|OE1Rl#zZ?_Aw7X^k{-@m)i5eU-^;$22Tm0C^j|E_;1dl6ph#(2YZg{)_zuC7bTb zQmEYGgz>A~iz16MEupc4r!W=s(`E<@8>z~QsPfH;(W}?q-G>Z~Uv`fH{5*2Gk>S(I z%9+t|Aoqof+;?ZCt=v?)YJQ=#5f{tpRVMWxwsc5NvOUMWX3iq3ICsk!MJ%CK&I_hy zKze11CU4d1@0}U3X}(pIrI*`>QwC=)QcPz?ubWoHhBs1CBXc7*^TM`1CePMsMT^`) z){UWK77X2f&&>O(nwB@-JG+8o7ccds85{1ubM+LcvW!9fYJ;h5t8$zA)J>Q;CuQ*( zhtn0e=uRV%Rj^}Kvue{_$tjEd6DDTYuXL}8zJnOQK2Ng>ggj^Ehyiz4w|UdoZyLWC zs>b0QJI>%;RFN=j#E_Is!8~AKA5&U7QpPSxm@Y;uVr%Oj(A3Y((2^CEEA*N5bt~3{ zWX)MQIC;eS&6{%jS~n|#2$X5b8q~OA#GIP=>g^kr-B*Q+!;a>P(ZgEQCf~lUZqt{KJF=lv1v#KI-OIrG>nmH?L>w?#A zY#F?y(K|hiKvpp_foVwh+$~JH$Fp==(SoUxV7`~;(Gk)?8-}LPIxr2&umOi3?-;FDF zvXd>N*J&A@{_gmqW?Q{_LDSsovXT87mSzuES8NQa8`hLkP$Elf<;a>4X888z0!Eha z*l~KRYKz)?_XKHk!&15A!FO&OZmzANR_*AP)AG2@c+!S#^CoW|!qK@EQ6^pD=sWTT zuaCS#Zo;9llOl?fmTs9J(=utv-EsFPr-;q-AJ9ygtMH8|C`n4Rynf%g+vZ*>*o=c2 zd36s@{Oc0;fnd4R0u!*SH(-wTfA2{C)|wfpAKZ)G6I~%guYeP|PsYc|hS{i3#xW_Z zk})Expzr!zsb7CP91A=$q~|R7e#_Ux<%bkWJzbTe|FDN2&DpIaB8TY|LBob=3rNC5 z4TFP^!pHbNMDai(-9W?)Cuq9h>Ue@4uO){K8}{g>?F6B;9Nl?);e)+Zb@P3--4oB1 z!Q3+n%NO$8a}9h1ptk-kAAeic8Tw&=0{0*pct#-u_XN=@=5Ha3mIv!U54x?dz8yFS zN*Z`^e*rD(Jqq7VLBo3F5VUlt86AD5a;TXkgDH*D{VrmasGSTZj=}p)GMJ1dC{m-e zo<=M|lCc9f5z8t+3XUy!xB@=mP%xoD!O8+He6R#EYFLBv1C&hLs5oVTf{Y@Ql?5zm zBQ~O72y_c3SdyhRWGppOSzto38g^O5Vl+q9LVQS0R4xNgBqc?VK=4iOQEifzlX^OX z96%LP8n|;ay$2cTNNOphaGcU;K2)GXR6ZF@r;!>`APT5o6WYniG?ig}WgsI9g~% z&S}M(v{nvM|QZG*}fX}CFawy#G@2L6rvOzJZ!r;8EN9>r!l2(Cl6z`lUnqU z36gmG6G)+yd=SDT2!I1QMLDUwcm|S(qwpBQa^HTr?$w4=B3NsPROXNJ_4HCl)!d`O zmd$&i?yv0$)cyZlw0~Rq_pBuKPwc#fjkM+!#e#PL8%c%Dg(K1GGU=p?npt7T7SYR2U8S%3E0_@J+RICfA#Ds0BWL5k(hi7OcPwv5(uY0K?O5H zbOQm=ClI+pj~Grk^qGW{%ml*qO!`3zQMN{a*&eG*F%`%>wmKQmmQw(OHocGXWgK>$ zMj1!w9h9T?FbYijgk9jiDTGoEp%PHW^C(_86~j+6O6A>?!BNhG0QiTN0zKO{_(w_u zI3SknUq_@!KgA4o)hdLafV*lgAw3ck4V(|szD*G_ZFs}nubqzoy9|)EELA#g##E;N z4$ytf`_Oh>`p=XDtUxDXh<6+*V36ZyVt^1W4T))F?l(w`+AytVWXuRA6u6f*5=3%N z2EmM8avxzRX!;RyZf_$V9|~~t>+)t16mL&NF@>~o`}agDeZ=q}+*T z(tLV8eH0F5=j|crY-wFpD?!IOD~bH?TKf`na!r9*LHmY%>;6CX-aM>{tNs5!CuA@u z$qdXu0tpZ^Xd($Dl7U2sf(#lI6*MTcSht`-Q9#+WShuLyx>js$)w-d@x?zh}tyZmQ zajja{YOA%_+SV?%T9<08&+iUapZ51W-|zMNUf1`J-ya{Y3x;I2GiUCz-RIoz7n#7< z0Sgu=l76=8Vkv*KmA={=CFFFL3UiPqNoWof=dn2%^CcF+Q6b@fb1VH&-|mpS(@3ZQ zQ$m0nOmr***5vk)kmc78i&gBdtY+H=+o#5Oa$Thw$qkjU7L;r`_-G!#t3HbzmMfS_ zGcu$(<;X3|oyPVZXb3>|#fuMl5L@g?K#v_W6qYFRA^(fzJbj*o`zBuL4BTIFew3f| zCoTli(_L5@TDx6vAW;O>`B})r*?+UnM1TQn<-m(7t?3JLR!kEOQLD2uY=6|I-kOIJ z?LBfOQ7L56Ci%I+x92G(ViiV6I;S?8TE1T2*prmDL8y)H@4 zbs$^m)Wl|$*!<|6tOR>%EfI`bAWmitz%{M z9x~1YP&s-&(eMv+1c@2$YGE4^;ayp2shAFI2;4@fQd(a{QIi~+Ho|3zBOG535MQ+wvBm7K`L%T$ ztwUhhj;TlWDXIgzyC{?Gb7{9_q-Gxg?Ng|bktX`izN13HqqrGRI& z2W7><u3-1kQMNBn zAI>--t54yNuugIi?tQqlGqOxd{;X*YfGD%c=NQk)M$0-N(hKT^#^s*==%99q;zTFm z56rg!z+xe;i*e5Z>=*Bc!o*3$4BK3X)}PB-p%9@?R*^CuRN(C@n`43m2K2o%HcD%| z2wM@?4_3iuwJ{0q_N?2soal6Bf;!o=bj3le-kl}vMz)DfZ@YS`hGgvms$81o005~~ zJ&{AWDg{29DpM5)O+_bU*C=vlvUAdxNv(N^Tp2PK5gpsOt9|NEfz}+fZao@3)L(sc z$~s)ut7r*bi%iBlwD1TjFl&LN&PC!g?gyYw&Unlg3O0%OHLJkn%n#U|Tc%aP&Co$U8zK#n16v+c;T zdwXQ=YfX~{Owl(r)34>D-2CiXr1G`oBjoHX5%RHhFLv~o@_VmLw8>3@Vg=N`7o~Lu zU=+QM#qMRZ1v}yo!`)mG(PD3LL?BV^Y{A^}FxyaLpltC%+a>$#>^NlkH2H|SO6BJp zb}d4xE-8ntl_YK*=y8YM>c*EYzZdGlU)4$)PbSL!6vyV7OxN?{8WPupVH@c)7b z6Od3Y-P=ZWA0;}LOH>(-OW64>mmC7L9QuYaU4iV?DoqS>Xv$E+i7eaB>8sJ>YLp7F z#m|^I5vmy}nyNF?mmrn>@olu`Hd4K(k*jJPXR-UMS#Kfp1loEs&~skbC=)hGeSZ4; zCaKU)TJpK6m=i-6r#e2CatCQuq;Oc$+!+`?%Oy>3`>M)N^#`Ov(BS+QcB{RY-RxPd zx&&-f<8T?LmNQEg>;zK+U|uGmY;6En7LhR-WNR->khF9#PmE-DV7%y6qWg?jq^nSF@URdu8-UGF;AeEjm+ouC##&xc4deqvYk8Fo?J-OLjDT#`=nOMR7asJKv zH`uo1DhjVWJ6`8h8?89!H1>)6WFwaEC2I=c^2{Xl&HWufQnSJ@9y5?uw$ zh}qEWe*WfhIcj{~GZ}5t_77=z-a#Z{8qiLD!D1JUX2s`XGp%8N&n$I*ECF_z*e>N9 zILO7X@-ir~QtV2Pb6&=}zO$FH&YjU^)q^804So#$*iTBvL7Y@M|5oj-eun7QQgpJ1JBsL@*%_X$0 z${9u6$Kl@Au~GqOiDRW)fQ}5YJz!sUkG56m62ojwOKGUC*U3oF>N(l(Apn*e;7Ki7d(o+a#{935t(R!+yW#v&4JJ&M>7IX<|^kX4xIZhndA zFCRk+XCh>ZelM(Gqjc|WRKOXv@tV3%H#!0m}7lT&f2#BN#y5 z&Vk;*=|$A|rdW2OdjaWU+(54ZuyiTP^|8aNyAZE2S@syRcPu^K+Dt)Xa7nvN(I^T4 z>he4(Odjn#xk*d5i58%F?GF~?G@89?@k;G6p;jVpgx-smc*RZb7p>>0nr1jr{sOtlgBGYDXH2I#+AF8)pOFpvhRe648^4Uk7h68O@1~_mS>rx$jH% zwS7a8^@;=?pI_*B4wIdr7dbc|QrFS(8y3^d9b~|J66?!OK+j6NVE-+ByhNq7<&tH< zS@!ocffDYxD)BrI9j9b=pRK1`=8(v^AWoBL@H4CC_`BO@H9hR`tBsJeFE!-=Nvc1h z3mtnnblur6CNqU>($0@yM`kxl&Et5~$+(3qJsqXLZqQj|0>F*+@H(brkuS>wx-I_} zeEI={foW~;kyFCjNIs2(C6AA4@UC@FbyP?hl*DT1=aNj{U8oZ70q<@S4ABk~tuRR< ze1#l$q=0>|xg)-5OUOE9f2ZnQ;g}RS$ih8j{y7PHqs}0Q>kIZp+YnXtr7x^AP;H8# zzinCONY=?{qD&lc>7X7@)Yhc-k-&T9c0 zai9#B%)V67(o+2+6zVGsyoJy?i;(J8-ZtcU3H{pefo_S+a)Taj{47TJSyETiuv=Iq z*?Yq=CBSoh?-@TBUItx-^Ae97aEATKa?g)`oMC!^=ceujxhaX*y#~mSwaDAVMp%mw zM72Io-?H%Tst4ovY%ifrq&vKXNmetm{FqO2Q|Xl2U)hl!1*@ExiR^b_o-_9yW|0h~ zYVC5{9cwh^zhJ}ZAK8zLxkmB@35Sn1U~7q~WwdoT0>oCh0Ktl9;hwz_|7l~K|BbAG zPYFnT?rsMd*SIKX+8xLh2xFwP8M85azw7~@W8H~_Qx;u>TsN07zD3{oWKoV%H(#FL z(flw{y-aDI+a8oKF}*35gJiuCgPOV`UfWidwZ+jZU`3$tBGANWo3jc#v|Yg7#D!&V zSX~nSDx?O=$Pnnbua{_Vb}V!0ev%vObpTC%Lla{7LY0+XAaz#*A@lkgsE3Xr*92C3 zdZ=lQYdjm_E+-LUi@4B|%to~^iD$pO0YFxG!3*ahy-(d(S zSwc!CD}{Yf0X7CW@&f9Bkqa5;i3S7RM}~V|);&*z*^;`Ei~nWaBN2Xnc!Y4^dT>+1MD}2fBQPZ^`v(>>T<4H1qnF z-sD5@W4LRtpVCZqo*>y%QThrAx1Yd}bCIU`+G3PDwR|r!D5J)6APa{JA0T=kb686Z zhvKoVb4`%Fb5;X;8zq@trj;3(&9Awv%1`YqVY;g{g{0ZqR+1iqqTg(9oXO%3QM|J) z$?8em@EDOYM_mA*; z0_1B`AS#*{*+&aqrOih?x7l6W`;gu4rN$#l?nfCt(`i9&N%eio(p1Y1r6)srJ;-vo z@%5!8RWsSXrfh=GK+j~1X1LFc`ZyCMjtB{;O_v0bm#j$QJ_WQnRMrIf-HJ%`ZyIk2 z?@Q_~f=Pf+!4B5jS0XyVf74IwG*Ba90$8g?;vQGF*tlQrIGmuH7YgiL7sY;?+5;K8 zD{6w-cl^ZK^Hc}1KO5V4(lo|B)0akb)^cg>6CsZgoNdPZQg5n(ABmRCUWgoGi9wC01bkW zsqh5Ya)4|6ITD0%y0ScX zyLG8pGcmP0%3q%|6S?2>y$O@;rrS^lUCmBKxyxE=zZR zV4Flt`GLAcK}*jeTXlCn$8dnnu*GA%yBDI@?i%hZL^;|u%9PiH5CC1M=XHQ0Huk|e z)Crs?6>ZGj;sJAKkE(w)szTTe6-`v6`%f~J|IClWT{?Y`M5hW8zD7_hX>3DD2`~n$ z;l*+o2AaZNbR8l|OuvynEz@BP|1YU9UXt}ZN#uG3i{qnimxRGEe<%j&9H{M$gGlp1 z_7(Tnsw`brno+LJJsdTId61N2FqhCC|Oyk)t_F)qOIV>=5d6^z~p zL;8nP5Iftm4MjQ!#rmOt>vVJF^cr?$bhk9?nKt4qEhV#jMmpAo!sxjN@}vQavq<9X z5+E#wu8;L=oW4c^C{9CwwQGRTAG!9G<--SLo1I6FaEHQeHQ6owkZp01F~MC^fU&AO zO*HKWc0zQFagH2<9O^jLHX#>#FM8(Mc9&74FNp8v@9-wGj~y12_YLy2H7nJYAEBHK zN9>8*$=7eQy!XG$@XUQdv#N|2{0tDqUgr$zd+MsTXDT@-a|=x8k*7zWl_d)q$b3= zLSlkEdOR56!Sp!IMJ6B=IkQG*Q5g=&-iwx8GEb}lKN#5RY}*xUki>cyI|RhvWd)&3 zB0{TR3MSLUIJW8LBiUdZL#iTFk8yDbx+XgRnhl?a(iw_ zht6r6Bmk8=nPNM6A0U;MGsb;{KjT`(F3SD#W0-@6-+DA8E43 z64H=6Id?@=@3N0Hy)|+&cX}>jV^pKW81%e$eQ;K=wFvVo=`dj==9fY_xqwjDBEMG3Sk)U?~@DmM?f3ECsh&7PZ2)t z+t1Fnw6QHZz0)|6Tl^6#ID1Hz?#Sta+!~la?gnnUN~2N_V@+LtC$`g?YLu0tt7>N) z5~kM3OP6+CHv+M5tT}<~THU>HHhoJaI+Tbq=jJG}ZIdquO>LOz91%!T#bJ;O52WG{ z+jZe}iB%ooIO6}CHJ=oERBWG28wvMZR)wcepl;lTl(BUQ0r!d`Q0@5uY6 zH6ws+Yg=d=mT^?2&Q_WO<+bhE&iP`g3t5irV$(m7q_>fSKZ!0jwvhv;XL#)HZHOLt zdeG7;aR!>NooQ}ZLVubsg`7*2?EPx~J0xD*O2=D!1LE2p?tsl?`y*jE5|4q?)sDpD zqM9C^)z@}Ow}3oIx?wRxRNnXCG9n-N`{#C}N6uR~iIRS?Y#3YZu7QYjHgsh^stpx) zqG^s=OkX7%Qaoi!@Ujk19RwP>{BS6)1=!O9kLSVsRoi>Oo#z*Wq4Ytv*Vulv!`3D> zEx6Gn7-5{9`C4f}whA!q5r|r*0UBL6N8U|sUZ_B+)*joBsf=x?-9GxM& zf#^_Gd+R{tF84lSJyubAa}T2Sumud3>kdS@y9>=g`-ZzrkXUOarUB%h^;LSeTDA{b=2T&ORghtYITtNPk5#`Qf&(qIS>&KMcLx0?Z$ROT*^KT_w2H z`GVHh${$ljxVMrS{3lRgQ?~IZ_-*WLa8!0aecjQK;w~_3LTyjL*fSvHF%4=9Td_xG z*u(a7?}o-94O!}#UXcz1S~mf))5TQO`2;o(3vvv_{9$l8m*y>R{togTzR96U!u`memw#$Ye1LJP_>(bh^~JHn4^BOjNR~ukEpJ zL`dV1>S3lElYhTlCERJH)4kllK#dtcrOipUVxWSoz7iy#KIT;uN|0ksBB?ba#IA4?AOU|CK zRX(@~7Si~GeIHw$n?xV)HIAF;MwU~W&EjB0&kwR~v4RP_&W5vx$rRXXg|Gb691Z|n zKWs!ooTQa=-3Reo+#%rYg(EbM0|8>_c?Rm98n(6W;U9Z`XV1WRVw>&=uiHgecjD8% zSJ=)l2g8&FnS}E0DE%&G`?^aP%t5*Ap(?~q^L>u)Ia!I2fvunwxtx4y4VF0WV=F7M zK?h4@-B-W`CxWlX!Ah)r`~1Ur$H097La-$7Qh;p?J=!)p`5S5|1FJsFWePSn?-i<~ z)VM%?l$dLi*@bLR_fSngjU4=I*#nX7!0f5!oe{aU(0qXhB)6p3Qa^0I8QG1x9v^pw!XEs=)vZkX%}9REO4drKIBd>6r9 zxd0K|>{;u{Y)>qV7Z(ON%mMUGhIwex9s2lmnI;4!up!wqQFal^PDj}>$o`e9 ztMiyN`kPSJxhx8+a`OwIy<(#@zY1oY(-%QyoqZRX1_Qa~Hhh|ZRBq=61=^@RrYl=4 zLzpNh#N@O1)exl&e?K2-|;f8545&EsQN(w#CMB5xmd zBlL-r%P1qe0{+>xnKFXka(wENfc(fRr6#0)D?2CEiL7%`dXR*2vMc=`Rw3G{389=G zn`&!ACBd05YS!lMK)Z(22K7op*xf4(rG}u%iQGZCJ-F8rG$j-dS%QQlq*)?_A+kgh zlDY)hOJPs)Pv8fL%|n4Y&2xoeDQrK?CF6$tKKylNEHmLyUo@92hZ;WzJj7gGQ)}WH4MJ2l^q) zJynuwOw+F*4;BXgWg#8&cVG}gNDY6tY%r-K;ljDGIuC1%2sU0(n&XqX=Lnmn{ZU4; z#dKCPdnq`g(p2Fk-JlLggNkS?64UbTU@;~-J;)Ix5eJD3+aF5hW#Lnl8OX+Fz0I0+ zX?i1T6uKbW|gpFR}fb>>4+WlPw1k~ghsM5;Zy8o6l>?#1RkK7=w3AzOS) zBHEXAQ1`CVx=`Yu&QwcXWR=(r3c($TU{V@4FwyskrO4V%sajB@VDoG*kZ~fcRhZ91 zzK(#x@r}e<5Fpec=t_7UUrT(S)z-K-60iG+s;I($0CWU9+$=z(z!rGOB(V{uJ3+x(qr#?ibe8ze!Asj^ ziniuTY-#Yy@+7vckU7u)d_*XwJghrKsFM`tNj!rK`%`sE?9Qwvn>9Du9$4E2Zn2(i zZyXw_8xyK=TyaI8?3Hm3N8d=ySSwjG7^yb!@2Wnt#IT>`)FDS|!2Fr4aNs)3yO_s> z%!Xl+$(}tOqL(w)NDe(h-tD$?S*dWv$p=m#dRg{XtTYYoE>&+WGmneN${?lUwWvtT zToNgMqx(Q+f(BXq1{&lnB;2LgBfGw?zsM$A>nV?~ah_v3VzLuht;I}c*3AWzI~icT zM8RLr44C=%Z=(0e;2@rdint%*-s3#0+1%PP_mWz-dyW|rC-roQigcO+ z%=nmT?V)?RWmLriVtp$c=WyBVR6BqWw;h(m=mV%J|Hv$oUgUr1Lr! zwqgDo-2<7w4gUlz^dQBb(ETp+H(pzzcx{0h2HW=e(0V!6Q?Pgfzol{rGf?v|RfO#- zDQ+r&evjG3HVqg1tJ+%9ZF_a?gR4F>m!{_CYErnoSQg68ts_fUPV9?dJPVUkc_1E% z$?5SuP}VqOEz8`|y0)k`6wOKBfS5%rt2zXOfPKs!BZ}5G$h7&2TYbq#Vn1l0H(gRcVw1ISUT`t0K+P`K>zn4vQfITGSi$j zIf$JwBp*X;1o$S+FNKwxG5wZmfH1C?qdXiM+Lf^5EtFU6pExg=Z`7sJB~o^c@p&fW z%K*y(n12Y|n9p$zjLcU$PcVv#`((8SFGi=l7V%x#|_S7&-g>4>dtTk7U ztdU18aEuJlMbpL!VY;wn_8WF!PBMmWf}OPp49>cqF&yPt5v!gE%R<%-vh`t8qT9)g zFUL9({S2OW;>bIX z*hp1RUDJ{jrADDLnpbks$0AbXOp=UyN5-B=Ux21VRxi{1ga?3RX^g`893svB8^MTaO-?o&4LV|M!Ny=;Ni5ukG` zgj8g?Q~eXS2v8)UtlLrn&vD`80F-|^XBLWow$LpR)`G#Z%Ks9he^2UPsOKs#8txBo z@W&=STd9`-E5@Gg@W)6!+adgI$CE(o7h)>Qiy(5{zgq8U*z-SD{rQ*WJ>Ah7e)aSW z|BAk+JN|KZSSR>w$CDtgr>7*s9{(c1XHnD75|#veo`r7wBguYZbeiqo5Bel{%TG~$ zlJJDTsM^A_EED|9`ll)T>sn8bcKmg8;8YiR0N#{_ouGuN2syWtM+sV)*=4 z!xM`^8{x0Gn!mr_r{6!##=qVYr2Ofgf4pA5MLyl}Ph)wye$;=H|1doN!czZ^e_YFN zcu&p#A7}Wj>*Gl41S9x};|MQzZy}#e+VG;8G zPvYwrT>Ij0F&+evX8p>?jxDVCYw7$FO8xdWY}|k13vB#h3oM{^pqT%uL|beBr-u4J zm1wc|e=5;ub>%-Q#Q&*8pO%upSLgq?D$)NMprKZ2`>3A8#w%j{@nhMZ%08abkC3YI(-#Bdk@8XkSKT0ethJz9d9PoW72kce~Ny(~#CXA8`64B@jNGik+ zaljSg3vVHrU{epQfe3{HJDgsJ$^J7F5(|c62<&K0zXQ^bgwmnd zzsHtXm?M$el83C3Kq_MbqzRo0UdM1kA>7qbkSIk$VT}~oMn4XKX`eN4!K8vUa6)3i zu>gO9;2T>~!Ml)*P6gHe6u}pXoeK9pz4>dDROnQ25mqA=UX(}^lKgp>V7LAE!GZd} zy@TZB@UZ{(y)8Zo-rCdTP!Hi+dZL%>6?&zf)`NPnK3LD{xtI`r zs9vR4$Asy_^_m#1J|ZSkAEnpn+v@dtULUP*r*E$}=#Bag`WU@QZ`Q}^6ll4x0=g2O`CBDmlYs4i*Bc533yeN>nHa>g=7JB>s6AS%6 ze#ZZ5!0{^U)1b|8X#fPkb@4}T`hTb=8w5F=ryBUT()RbDJAVQ5|ET{FyZH25*b%$_ zuQDjPgHa6LFM&V9;5Q9^_5LrUC|&{+VlntKM#k4`{7?TZ@UO)4V)rM{zfz)JEivw! zaTy!$OowCs57O{oAA6Xp=fC4O75=zCxj%lBKwOZLmUa0nJP-LR9sdvH!8xot^!JF> zaGCPSJ`^r{dYC^K{_|TnZ1mGWR+z=tV?74ckskRiEJg}ehT#|KsWhAh|HlOAsnF0- z0Wo+K5S7p{5~q~vC23e2F4dznX*|NRKKg((90O;xo{8byfJljP-kiVZ9hIE{7=MCeolrCk%3~V*g3(CySP!3>V93cBgw@iXn9@cD z^u%d!L>d)6N)P`{!>t849&8N`4;UpG1}8-Z7%wdNXC~!T6?>m#(wqSGLy7Udd5}q$ z=eB0je@aUPa*AwYL92QenRaEJH5*bM8T7mO)I?joIMh&b4wK1wQWducA zPzKJ?TU)&jae5Dx*s3T6s%fnfWz_P-f2zUJ0w6}?Xd|$-$KqGg{3u+%s30hH>HRd^ z3ThO!JqZ#!q5|~KK<*9(p&q&++|R{@#8L0*D?pL0*b8D4!Xy;#7iFw0_L_J+sAmNT znE7SY{22S*ewnp$FF6(0>Vx@9h0Wqp0)lxAar!CJ1|8iNzehz;DG-imP{CIstb|C; zF@^fE-*^r3f}DJv<^teIaqmd$M-m7&ALWIWy;0cN1M>&?#Ly>#cA^Z>v%o}1o%AVFe)zbRI5T!oXZ&H z#g}=8-wle)vw$5|S;bq}b25;}qtik`NUqZRBBcZDdMh>!Yh;yUi!=8FYmq+-w|N7U zSlF(9E~97&F9$v{2>0RNN-*_2bpsU`76YrG62A=h6hSYpa@5!guVEj*U3FVb#4J2M z-U(QF=ue2F_;(Bk>5o0h)Ts7=RrfRHfvX->mbDc3A#Ih_0HpMclL6q~{X7IFr^U6Z z)%od-pu(7WodO<;$1nna5&A@pkbg%%d<>}40lK^tucBrKgRNDJD*EgR#SyP>@9{$% zTh%08*YJU0_%xxy#QRya)$BEREXF&6gcz(i4)-whRavQ@`J=WSMen$t<7s{{mhm3G zroCTv#04)0U``&d;OCOy2y%(C$Uv|z%i{eY)8hKDSE;0St#nMOFH#Bmn);%y{79T_ zNXqod3cVAk4)kE^Vu>AZFjV3X-3R?xtVvXlT!rUCL*LO45PJ)EGE^$T1JOZTp!93s zQ|inF(0(3_t$+b-hkuETdm_7;UbCrY96vB?y00FftHoo>DK^wo?AIt{kJR+2nTJYu zjl!b$WAe2hyINPI^h;M#=>{+Uy$@XBpPH53#umGmnjYZk_WZiANO-5MB9-)cFt&bF zsp?&7A=SxHif_Q@oWZ}a7pb=SQYwk8LSviXo&73Ki_wFs=mc+ZvGqI2iK{Zu+4P*` zlWU8--z8OgipPNT;uAEXew6QbKl<7miz=wzaJ8PUH`#;K*}B`lqozRoy9eapD}QES zr4`D+J$r4Ev`}JhQ-KWLm1-=t3%_WfN(MkA|I90W>y}bGNGvM9vMrx60q;`m0I*u$ zMdB%2TbHjN?k%qbk^SOoKFJ$x&$IGUU6PC{Z^h(^ZIE}vWomQHSsD0O8mELmQ9R77 zFVjEMPWK%^l|ZO*bdge`VYH_wjC^(gd-{2`YoLj^78U5Ff|HpIir()$%6^?u<^ z!}Gq2;s8H*y8r}1P1)3bs*Bar2A8h*33WJHRx`yr#o>_EZQ$SLFO%uiD9DXU04afH^b_B!6a*yXa-UcA8YvL@B5!NJ%A|gjII7eOVkJEgETJB8*1T;;Ops zSVxuPCAe4*b$KP^xu>*ccgq?+A7|qsywj3cLV=!9n$QK4V>0V)Nkh72DOhxcx1^xh zOTD0nJSi$I7&{@(7opxm42zHU;y=f0nN9?Gw1*U-V5k+IqNX0=-sb1<4rpqg=y`c> zcA;{QhgOX8jPs7L4={Y#k1w8weZPh(wt_$JApUA*A?Ui~K&8tm)q}HkKdxA=e*KPRy%rKf+B}di^oe|T~ z-$eD$)&QbS;*P4}Frm|j$gRBDi&rFR=W#sx!Lq+?4 zV~hD-XhhQ~lN0zTYD7?l>x_B|;hvM>aX4SSU%qlDjWV12Za9h$8rIX@_$_395ftzG z-_QiEJ9Bhm)eva1#*#Vs?ItX?kyQeH=(`~CW_<#++3E($Tf<#GUs_Sw^m0u-cY$88 zOP<<4&?MuBQq822+Q1bO*RRY6G9ZG`bv>95f+L}Tz)Bi~m_S9N2I_2jA?c=GC!@Mj zb$Aq2VCbMd9MtRAHjI)+aaD@HVDK`zAU}$;?&2JILpDa(JO5}h{0V^sjn6l zrXOgd>WDkl!_rShvdT9}YIWDX+3OM}FEJ8%W`y=@hIw6ndJ1z@>2I2PV;S{+Lo992 zyp2jcKgs;uk}XhDGTlIC8C6wM@cBNe7-u$xSi(F7u7(pnKMzR#Xj+4@G$G?E;YOBhzRw~>ijrVKz zK7L+q1o&{KJ9o}bCUYn^N>#K2e`?~(I1o^n|B7-r2n2KELI9H5!OwXF3fEXd^-%XC z8-6lABQM)Axb1#29*3uyZ|{`*1;ffJJeWJZ(=UXnU;|7u`s#d^;DKI zQ2ca#!;~eS(o+1TOf0Q7fZb~sFtmr?W9kG8=Vt-~z{HmfO-@6FzF$2Bs6cHE)0MGk zmUb4S9mi&F#y$CM>fs^k7$x-qHJHBz&GPu75&Dsy@)2HYJsRK{;0M%j4}h%;;>y%d z{3Y!%#=*3Keq*(_()377#^ZwhsD}zNjXTIPuQ6hPY?P;nvB;zE2l=~V%r_jg3DgjE zf&xldsc|$w2Ziy0IGLR11}iMf@ReYFVfomShVlOXq3`(O4z0}Yb3xbd^WDkOXlHoJ z5CdoXp^@G21#QF?xI0y8opn24$KZ>`j>hjVf3`&Tl@lJ z2tpGKi$SZjWzhiW&6!1v4`P2`9o$N}hE zQr~a*#+c1y{vmFW!6-s#!)ASiid1RA)<`JVx-R750tu5y@ObLa%;wn{N0&|HBhJJr zwYLweohT6pa6gAzwuobx zg+$!LR~bGhkvM_KStB(~j4f)5)EOB>E z9in2ED9PJJ=eR8jS3mU#;vYxg?+iKa+f9Ld%2A4GA8cNvq8>`E`P{51D9g=NW#?B3G+^SA`0g)3VUN z5W9!y`5%e{qJb~nTV;|s)Czo!xlV}H&neE310Uv|{}JnUz;Fpq;Tqd=qx4iwQzc`k zec@;u#xVHI1uIYmnJ*n) z%s6PMMn2IR+MtqI^R&@hiF%d_Vtk#+tm_ybX6SNqodSu=&IUbU(gWjzyBB2$Zro`2 zSe$8C!l-nvshBG|@VL6|vFf(WDn;!GAZK|M%-K-p`w*s`T6`0E#E)cNpi}11vdW?o z!}p#Vv4HMOeg1eK;r0=3!yPy?0?&7wTH{ZKc$@!q`N_Jgj9}I4FV7 zIJe&BIjExPXCWwnJE2m4)|MT>93$Mec7Dn&!x**ajj1anVmMWo`8`8Nt`nkBMs#(w zpK!D-Chm#u|H!dpN2sp{H~kq}?k#~9w!SR`8XTLWdnKR^qtg@7W3}F>)^ir7G2W9> zABDWuA<@1!nI#-|o#(#cGcPwaFtZ}I-VZ6!VfXyw-pRO}1bZ$uC-K#WnY2dTS$TbO zbWU5mT-1O*R(~AKu81yVnyxZKf^Tdp*<;LLp!(fRl@@Mwk`2KwG1foF1xyba6TDzTD^nC(VJewUXe2+jG5LbzAB0D08#b{v;i6yrcbD>*jtg>w;i*aE=x11 z8JmpiMs`urOlk;SN4xpUo_YwuHnp5(9n7~pXJ*J|-i$}msg#-eF?zcayFG0wH5E@! zGhdBWed*G80#Wv*JC@$M`yq~`@XUT>5Qx|H(Jl!U^R>$uAMI>VaK{w3b9}sdQKSrf zYlihCmkZVDTw(YJ)ofjwlDa1T3_UmB=juH&!!BL77$%F!_ysZV=*{0+a5wd;xSD0c z0>=D}ikb#7ztlTAHj+6UrQV=s3PVvf`(>Gwo2Pg7!$l9d7nnNdX+70siaHT_^J_f- z&hP|ovdlS34G5VLn#Ze*&KGI=Yuz6q_;;zbqq&2sS5Tm+-?6x(RjSeL5A}S-U-FhW z)_b-YPljbZ7RMF&13cEHl;!5sJx}79*r4e3F~rR^M~E*#Z)I1Q$qfRS9q}0aDDyjN*Nu<8ubSp?H`?K)juWw}DMDWw zCs18<3Bj#c@iCF8FDHrB7RuB_mGutZ()=s_jjH8_>dHXpR{XNDIQL8G9?uMGWQS z5?P};J}X7LN?tSYdUxNK;yio-XGgn~(7qiGk$EdCm?p&!gH>yI?c>|=qi@I0U#lDk z%~Et=s4ZAjsee?NhjH98!W?CUyIOedOo&W-BuKX)((DX^SYvK{D0XvE9mIDY_lWD& zBd%mUJ}90x{6bY_j%ti_m8{#NMWxQhcxEQS=RAMnGc`RRFpF(R?t6ck{h+P_chT() zCQI{=t9LQ3YVXC&gn)tojOX6duZc>wMhzBU$HAY+VDKZ z*+z3~!jJ8esMjm#QT$Rok`Jdgnj(BONKmYpp9-L~51?z^9*tD5;i%7nJJ=0h;|)}< zIG33qH$N9#^otlMt1S00`R$_%gRq7BRcG2mWxEGckHD4mm;|jMLEy>NkE+s*R^<;c zd_`9ADio)^7ivf-ieoN1P&JpLW*%sLBgO6FB6~Y^MqBk;%6tdTOI1WO^0s)2Yc-Wd z`NWOt0r6U0ydn0{S<5C@H?Yascewj9Z#*+bMyA1PVu)=_ud2ja`~meA^aZIK)Fg4X z5_}2cn4g^L%QEVBh?XO6Ym!!Lmw5tAQTP)_cZ&O{Eghv!S8Em-?rgY1O>3B4^BMCh zx8gD$4$i$$gMW<0t)fk^G+sFz5H@%(48h1&&q70{DTMxpn;};(Fi7=<+=ns`MPj65 zOBt0Gr85&du>)scU^dE0yJjbqK;H){s`c?oxpAeOn;`cLWKyE)7H}WZ9y@iKEaC2Q zh8wnzGKK(D*nD5<8HP7DjHTYUo|bbN$>Lku@Ob(;@PTQ^$>$_>c&wszK+l#2kw*R( zKc~K!nPR)4;b}t~X@y4^7QnYyLFPV zXgYTOBivl{ohsVzFf7r&$(~s+eO#+NS*zsQsC2K$T%VT+CPnTSrmIvmjA%JVXjmtL zq+9M8l7d5Ozu=~&jOeMg@8 znBSV2S2H+t#8_`dX$SRe#|;f;sG;;qZEpkfb{KP9S2seZj45Kc%QkFfUP&*a@Jm#8 zT$=SrT_{(t4XLU2?yz>TxTDP(8vLu4nDFeHOH5R>E?*94`?^8ocykV)r43{7q>|4v zryFay>QU_R^o0>PlS*Gvf)_+bstsMSF*!z5X`9+H;~nbzUD!?hdZsL*73jEme&L)h zSl5l66N?P5-aBNOJ(roGblz%<_wm!IpEJ|e4TwrzF0E1F?CW&H+q(7Z*5;~Iv+Y*kIYwwiIh2c>1hb}mV#g}Ib`24vrz%qbZ&B0@aM#Iu